Coronavirus Tweets: Sentiment Analysis

Coronavirus Tweets: Sentiment Analysis

Objective: classify the tweets about Corona Virus as 5 classes: 'Extremely Negative', 'Extremely Positive', 'Negative', 'Neutral', 'Positive' The steps to achieve this task are the next: 1. Exploratory Data Analsis (EDA) 2. Clean Textual Data 4. Vectorize Texts 5. Classification model 6. Evaluation 8. Evaluate on Test set 9. Use Lime to explain one text classification (from the test set)

1. Exploratory Data Analysis

import pandas as pd, seaborn as sns
import numpy as np
train_df = pd.read_csv(r'path\file_tweets.csv', encoding='latin')
train_df = train_df[['OriginalTweet', 'Sentiment']]
train_df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 41157 entries, 0 to 41156
Data columns (total 2 columns):
 #   Column         Non-Null Count  Dtype 
---  ------         --------------  ----- 
 0   OriginalTweet  41157 non-null  object
 1   Sentiment      41157 non-null  object
dtypes: object(2)
memory usage: 643.2+ KB
sns.countplot(x=train_df.Sentiment)

Distribution of the Sentiment classes
set(train_df.Sentiment)
{'Extremely Negative', 'Extremely Positive', 'Negative', 'Neutral', 'Positive'}

check the number of rows per each category:

train_df.groupby('Sentiment').count()
OriginalTweet
Sentiment
Extremely Negative 5481
Extremely Positive 6624
Negative 9917
Neutral 7713
Positive 11422

Table of Classes

Also it will be checked if there is any duplicate data in the dataset:

grouped = train_df.groupby("Sentiment")
unique_values_per_sentiment = grouped["OriginalTweet"].nunique()
unique_values_per_sentiment
Sentiment
Extremely Negative     5481
Extremely Positive     6624
Negative               9917
Neutral                7713
Positive              11422
Name: OriginalTweet, dtype: int64

The data has some umbalanced categories. Extremely Negative has only the half of cases as Positive

Also, in the example of the data, it can be seen that there are a lot of non alphanumerical characters as @, ?. Also that the texts are in mayusc and minus. Issues that are going to be handled in the cleaning. However, it is not detected any html format in the text which would also need a treatment in case of any.

train_df.head(10)
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... Neutral
1 advice Talk to your neighbours family to excha... Positive
2 Coronavirus Australia: Woolworths to give elde... Positive
3 My food stock is not the only one which is emp... Positive
4 Me, ready to go at supermarket during the #COV... Extremely Negative
5 As news of the regionÂ’s first confirmed COVID... Positive
6 Cashier at grocery store was sharing his insig... Positive
7 Was at the supermarket today. Didn't buy toile... Neutral
8 Due to COVID-19 our retail store and classroom... Positive
9 For corona prevention,we should stop to buy th... Negative
train_df.OriginalTweet.head(4)
0    @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i...
1    advice Talk to your neighbours family to excha...
2    Coronavirus Australia: Woolworths to give elde...
3    My food stock is not the only one which is emp...
Name: OriginalTweet, dtype: object

Also, it is going to be checked any nulls in the data

Check also the lenght of the tweets

num_char = train_df['OriginalTweet'].apply(len)
num_char
0        111
1        237
2        131
3        306
4        310
        ... 
41152    102
41153    138
41154    136
41155    111
41156    255
Name: OriginalTweet, Length: 41157, dtype: int64
num_char.mean()
204.20016036154237
model_df = train_df.copy()
model_df.head()
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... Neutral
1 advice Talk to your neighbours family to excha... Positive
2 Coronavirus Australia: Woolworths to give elde... Positive
3 My food stock is not the only one which is emp... Positive
4 Me, ready to go at supermarket during the #COV... Extremely Negative
def count_words(text):
    words = text.split()
    return len(words)

lenword = model_df['OriginalTweet'].apply(count_words)
lenword.mean()
30.5003037150424

Finally checking the average of words per tweet. Which in average it is being written 30 words per tweet.

Treat the umbalanced data with data augmentation

With the help of the next articles https://towardsdatascience.com/how-i-handled-imbalanced-text-data-ba9b757ab1d8

https://github.com/kothiyayogesh/medium-article-code/blob/master/How%20I%20dealt%20with%20Imbalanced%20text%20dataset/data_augmentation_using_language_translation.ipynb. I will try to balance the data by traslating the tweets from english to another language and then back to the english.

In this case the unbalanced classes are: + Neutral + Extremely negative + Extremely positive

For each of this classes it will be translated 2000 texts and try to balance the data

#!pip install translate
#ip install deep-translator
'''
#Google Translator
from translate import Translator
from deep_translator import MyMemoryTranslator
import random

def translation_balance(texto):
    sr = random.SystemRandom()
    languages = ["es", "fr", "nl"]

    dest_lang = sr.choice(languages)
    try:
        # Translate to a random language
        translator1 = Translator( to_lang=dest_lang)
        text_translated = translator1.translate(texto)
        #print("Translated to random language:", text_translated)

        # Format the translated text
        formatted_text = text_translated.upper()

        # Translate the formatted text back to English
        translator2 = Translator(from_lang=dest_lang, to_lang="en")
        text_translated_back = translator2.translate(formatted_text)
        #print("Translated back to English:", text_translated_back)

        return text_translated_back
    except Exception as e:
        #print(f"Translation failed: {e}")
        return None
'''
'\n#Google Translator\nfrom translate import Translator\nfrom deep_translator import MyMemoryTranslator\nimport random\n\ndef translation_balance(texto):\n    sr = random.SystemRandom()\n    languages = ["es", "fr", "nl"]\n\n    dest_lang = sr.choice(languages)\n    try:\n        # Translate to a random language\n        translator1 = Translator( to_lang=dest_lang)\n        text_translated = translator1.translate(texto)\n        #print("Translated to random language:", text_translated)\n\n        # Format the translated text\n        formatted_text = text_translated.upper()\n\n        # Translate the formatted text back to English\n        translator2 = Translator(from_lang=dest_lang, to_lang="en")\n        text_translated_back = translator2.translate(formatted_text)\n        #print("Translated back to English:", text_translated_back)\n\n        return text_translated_back\n    except Exception as e:\n        #print(f"Translation failed: {e}")\n        return None\n'
'''texto_input = 'This is a task'

# Call the function with the input text
translated_text = translation_balance(texto_input)

# Print the results
print("Translated text:", translated_text)'''
'texto_input = \'This is a task\'\n\n# Call the function with the input text\ntranslated_text = translation_balance(texto_input)\n\n# Print the results\nprint("Translated text:", translated_text)'

testing on the function:

'''subset_neutral = model_df[model_df['Sentiment'] == 'Neutral'].sample(n=1000, replace=False)
subset_negative = model_df[model_df['Sentiment'] == 'Extremely Negative'].sample(n=2000, replace=False)
subset_positive = model_df[model_df['Sentiment'] == 'Extremely Positive'].sample(n=1500, replace=False)
subset_neutral'''
"subset_neutral = model_df[model_df['Sentiment'] == 'Neutral'].sample(n=1000, replace=False)\nsubset_negative = model_df[model_df['Sentiment'] == 'Extremely Negative'].sample(n=2000, replace=False)\nsubset_positive = model_df[model_df['Sentiment'] == 'Extremely Positive'].sample(n=1500, replace=False)\nsubset_neutral"
'''subset_neutral['OriginalTweet'] = subset_neutral['OriginalTweet'].apply(lambda x: translation_balance(x))
subset_negative['OriginalTweet'] = subset_negative['OriginalTweet'].apply(lambda x: translation_balance(x))
subset_positive['OriginalTweet'] = subset_positive['OriginalTweet'].apply(lambda x: translation_balance(x))'''
"subset_neutral['OriginalTweet'] = subset_neutral['OriginalTweet'].apply(lambda x: translation_balance(x))\nsubset_negative['OriginalTweet'] = subset_negative['OriginalTweet'].apply(lambda x: translation_balance(x))\nsubset_positive['OriginalTweet'] = subset_positive['OriginalTweet'].apply(lambda x: translation_balance(x))"

Since the provided translation services come with a limit on the free coverage. It is being used a excel drive to create the data augmentation and it was replicated the logic applied in the lines of code in this part. The final data augmentation documentation is going to be merged with the root data. https://docs.google.com/spreadsheets/d/1_csmkpuRPTeMOAeUrfycXh5i6IZjv6MMNBtVU1efBFc/edit?usp=sharing

aug_df = pd.read_csv(r'path\Translations Data Augmentation - To export.csv', encoding='latin')
aug_df.head()
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... Neutral
1 I was at the supermarket today. I didn't buy t... Neutral
2 Throughout the month there have been no crowds... Neutral
3 ????? ????? ????? ????? ??\n ?????? ????? ????... Neutral
4 @eyeonthearctic 16MAR20 Russia's consumer watc... Neutral
model_df_1 = pd.concat([model_df, aug_df], axis=0, ignore_index=True)
len(model_df_1)
48140
model_df_1.head()
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... Neutral
1 advice Talk to your neighbours family to excha... Positive
2 Coronavirus Australia: Woolworths to give elde... Positive
3 My food stock is not the only one which is emp... Positive
4 Me, ready to go at supermarket during the #COV... Extremely Negative
model_df_1 = model_df_1.drop_duplicates()
model_df_1.head()
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... Neutral
1 advice Talk to your neighbours family to excha... Positive
2 Coronavirus Australia: Woolworths to give elde... Positive
3 My food stock is not the only one which is emp... Positive
4 Me, ready to go at supermarket during the #COV... Extremely Negative
sns.countplot(x=model_df_1.Sentiment)

New distribution of classes

Still the data is not balanced enough but it can be checked that the extremely negative class is not longer the half of the prominent class Positive

model_df_1.groupby('Sentiment').count()
OriginalTweet
Sentiment
Extremely Negative 8945
Extremely Positive 9118
Negative 9917
Neutral 8678
Positive 11422

After building data augmentation, the new datasets are append with the current main dataset

Put the Y as a label.

from sklearn.preprocessing import LabelEncoder

le = LabelEncoder()
model_df_1['Sentiment'] = le.fit_transform(model_df_1['Sentiment'])
model_df_1.head()
OriginalTweet Sentiment
0 @MeNyrbie @Phil_Gahan @Chrisitv https://t.co/i... 3
1 advice Talk to your neighbours family to excha... 4
2 Coronavirus Australia: Woolworths to give elde... 4
3 My food stock is not the only one which is emp... 4
4 Me, ready to go at supermarket during the #COV... 0

How to manage umbalanced data

2. Splitting the data into training a test

X = model_df_1['OriginalTweet']
Y = model_df_1['Sentiment']
Y
0        3
1        4
2        4
3        4
4        0
        ..
48135    1
48136    1
48137    1
48138    1
48139    1
Name: Sentiment, Length: 48080, dtype: int32
from posixpath import split
# we will stratify so the distribution of the classes be equal in all the cases

from sklearn.model_selection import train_test_split

X_train, X_test, Y_train, Y_test = train_test_split(X,Y, random_state=23,test_size=0.25, stratify=Y)
print(X_train.shape, Y_train.shape)
print(X_test.shape, Y_test.shape)
(36060,) (36060,)
(12020,) (12020,)
X_train
655      Im fucking calling it now, covid-19 isnt gonna...
14088    @Imagecaptured @JamesCanby Agreed I can tell y...
36393    @Viziblapp hosted a webinar with three procure...
337      In the wake of COVID-19, we are working with a...
9571     Hello Are you a complete fucking moron Then th...
                               ...                        
7399     Due to the outbreak of COVID-19 Washington sta...
39963    Just came back from the supermarket ?I had nev...
2256     Went to the grocery store (more cookies were b...
4982     Hearing that Indians in #USA and other nations...
28491    Just a reminder folks, your local Walgreens an...
Name: OriginalTweet, Length: 36060, dtype: object

3. Clean Textual Data

In the previous exploratory block it was shown that the texts possess a lot of: + non-alphanumerical characters as #,@ use to tag and do hashtags + links of webpages + puntuation signs In this step these issues are going to be solved.

To mention that in this dataset there is no emojis but would be of help to understand the sentiments as well

Also is not use the NTLK STOP LIBRARY since it has in the storage negative connectors which are of relevance for the negative tweets

import re #manipulation of the text by REGeX methodology
from bs4 import BeautifulSoup #library to manipulate HTML code. which in this case there are present web links.
import sklearn.feature_extraction._stop_words as stop_words
# this dictionary is created in order correct some contractions that can happen in common language in the tweets
Apostrophes_expansion = {
    "'s": " is",
    "'re": " are",
    "'r": " are",
    "'ll": " will",
    "'d": " would",
    "won't": "will not",
    "can't": "cannot",
    "couldn't": "could not",
    "shouldn't": "should not",
    " isn't ": " is not",
    "don't": "do not"
}
#!pip install pyspellchecker
def strip(text):
   #from textblob import TextBlob
   from nltk.stem import WordNetLemmatizer
   #from spellchecker import SpellChecker
   text = text.lower()
   #remove HTML tags, there is no cases in the current dataset but could happen in a tweet
   tweet = BeautifulSoup(text).get_text()
   #remove URlS
   tweet = ' '.join(re.sub("(\w+:\/\/\S+)", " ", tweet).split())
   #remove the gramatical contractions in English
   tweet = ' '.join([Apostrophes_expansion[word] if word in Apostrophes_expansion else word for word in tweet.split()])
   
   #remove the mention character since does not give particular information on the sentiment. However it will be keeped the texts of hashtags
   tweet = ' '.join(re.sub("(@[A-Za-z0-9]+)"," ", tweet).split())
   
   #remove the hashtags related to covid (kind of stopwords in this specific case)
   #tweet = ' '.join(re.sub(r"#(covid\w*|coronavirus\w*)", "", tweet).split())
 
   #Remove all the punctation signs that are not alphanumerical
   tweet = ' '.join(re.sub("[^a-zA-Z0-9\s]"," ", tweet).split())
   
   #removing cases in which the word has several repeated characters
   tweet = ' '.join(re.sub(r"(.)\1+", r"\1\1", tweet).split())
   
   
   #Lemmatization: Using the grammatical roots to understand and modify the words to the origin
   lemmatizer = WordNetLemmatizer()
   tweeter =  ' '.join([lemmatizer.lemmatize(word) for word in tweet.split()])
   return tweeter
testing = """ My food stock is not the only one which is empty... @Carlitos

PLEASE, don't panic, THERE WILL BE ENOUGH FOOD FOR EVERYONE if you do not take more than you need. pleaissssss
Stay calm, stay safe, stai in homel. #COVID19france #COVID_19 #COVID19 #coronavirus #confinement #Confinementotal #ConfinementGeneral https://t.co/zrlG0Z520j """
testing1 =strip(testing)
testing1
'my food stock is not the only one which is empty please do not panic there will be enough food for everyone if you do not take more than you need pleaiss stay calm stay safe stai in homel confinement confinementotal confinementgeneral'
#Apply it on all the X dataset
X_train = X_train.apply(strip)
X_train[:5]
655      im fucking calling it now covid 19 isnt gonna ...
14088    agreed i can tell you you have a better chance...
36393    hosted a webinar with three procurement though...
337      in the wake of covid 19 we are working with ag...
9571     hello are you a complete fucking moron then th...
Name: OriginalTweet, dtype: object
X_test = X_test.apply(strip)

3.2 Normalization of the data

#!pip install nltk
#import nltk
#nltk.download('wordnet')
#Lemmatization: Using the grammatical roots to understand and modify the words to the origin

def lemmatization(tweet):
    from nltk.stem import WordNetLemmatizer
    lemmatizer = WordNetLemmatizer()
    return ' '.join([lemmatizer.lemmatize(word) for word in tweet.split()])
#Stemming: Is more easy to calculate since it will only cut the sufixes of the words
def stemming(tweet):
  from nltk.stem.porter import PorterStemmer
  stemmer = PorterStemmer()
  return ' '.join([stemmer.stem(word) for word in tweet.split()])
lemmatization(testing1)
'my food stock is not the only one which is empty please do not panic there will be enough food for everyone if you do not take more than you need pleaiss stay calm stay safe stai in homel confinement confinementotal confinementgeneral'
stemming(testing1)
'my food stock is not the onli one which is empti pleas do not panic there will be enough food for everyon if you do not take more than you need pleaiss stay calm stay safe stai in homel confin confinementot confinementgener'

#3.2 Tokenization

Finally, it will be tokenized each of the words for each tweet

#!pip install nltk punkt
#import nltk
#nltk.download('punkt')
from nltk.tokenize import TweetTokenizer
from nltk.tokenize import word_tokenize 
def tokenize(tweet,token='tweet'):

    if token == 'tweet':
        tokenizer = TweetTokenizer()
        tui = tokenizer.tokenize(tweet)
    if token=='regular':    
        tui =word_tokenize(tweet)
    return tui
X_train_token = X_train.apply(tokenize, token='tweet').tolist()
X_test_token = X_test.apply(tokenize, token='tweet').tolist()
print(X_train_token[1])
['agreed', 'i', 'can', 'tell', 'you', 'you', 'have', 'a', 'better', 'chance', 'of', 'dying', 'driving', 'to', 'the', 'grocery', 'store', 'to', 'hoard', 'tp', 'than', 'dying', 'from', 'the']
X_train_token_1 = X_train.apply(tokenize, token='tweet').tolist()
print(X_train_token_1[1])
['agreed', 'i', 'can', 'tell', 'you', 'you', 'have', 'a', 'better', 'chance', 'of', 'dying', 'driving', 'to', 'the', 'grocery', 'store', 'to', 'hoard', 'tp', 'than', 'dying', 'from', 'the']
#!pip install wordcloud

4. Vectorizing the data

4.1 Basic Vectorizations

This basic vectorizations have the porpouse of catching the words in a numerical way. However, all of them have problems of dimentionallity and OOV issues. However, they can be used in an initial training (TF-IDF): + One hot encoding + Bag of words + Bag of N-gram + TF-IDF

twitter = list(X_train)
twitter[:10]
['im fucking calling it now covid 19 isnt gonna kill u since we re all gonna kill eachother due to a fucking food shortage the panic is gonna go from a mere virus to a fucking all out apocalypse due to how shit is going right now you re all gonna cause a damn downfall',
 'agreed i can tell you you have a better chance of dying driving to the grocery store to hoard tp than dying from the',
 'hosted a webinar with three procurement thought leader across pharma consumer telco and automotive this week to discus what effect covid 19 will have on procurement procurement',
 'in the wake of covid 19 we are working with agency to secure access to allotment and ensure get cattle and sheep get to market and to consumer plate additional detail will be shared a they become available please reach out with question or concern',
 'hello are you a complete fucking moron then these word are for you',
 'man charged in the uk for selling fake kit around the world',
 'we are not where we thought we were our technology still fall short our resource are not sufficient to handle our challenge we lack sufficient food bank and food inventory stock to feed our people still no toilet paper no napkin no paper towel',
 'following limpopo s premier visit to thohoyandou today 2 shoprite store were forced to close for not adhering to covid 19 lockdown rule madina supermarket wa caught selling fake sanitizers and it wa reported that thulamela municipality had purchased sanitizers from madina',
 'please rt aston and nechells foodbank are currently experiencing increased demand and are short of supply please help if you can and continue to donate if you can throughout ongoing social distancing measure',
 'covid 19 converting distillery to factory producing needed hand sanitizer daily voice']
#Building the vocabulary
vocab={}
count = 0
for tweets in twitter:
  for word in tweets.split():
    if word not in vocab:
      count = count+1
      vocab[word] =count

print(vocab)
{'im': 1, 'fucking': 2, 'calling': 3, 'it': 4, 'now': 5, 'covid': 6, '19': 7, 'isnt': 8, 'gonna': 9, 'kill': 10, 'u': 11, 'since': 12, 'we': 13, 're': 14, 'all': 15, 'eachother': 16, 'due': 17, 'to': 18, 'a': 19, 'food': 20, 'shortage': 21, 'the': 22, 'panic': 23, 'is': 24, 'go': 25, 'from': 26, 'mere': 27, 'virus': 28, 'out': 29, 'apocalypse': 30, 'how': 31, 'shit': 32, 'going': 33, 'right': 34, 'you': 35, 'cause': 36, 'damn': 37, 'downfall': 38, 'agreed': 39, 'i': 40, 'can': 41, 'tell': 42, 'have': 43, 'better': 44, 'chance': 45, 'of': 46, 'dying': 47, 'driving': 48, 'grocery': 49, 'store': 50, 'hoard': 51, 'tp': 52, 'than': 53, 'hosted': 54, 'webinar': 55, 'with': 56, 'three': 57, 'procurement': 58, 'thought': 59, 'leader': 60, 'across': 61, 'pharma': 62, 'consumer': 63, 'telco': 64, 'and': 65, 'automotive': 66, 'this': 67, 'week': 68, 'discus': 69, 'what': 70, 'effect': 71, 'will': 72, 'on': 73, 'in': 74, 'wake': 75, 'are': 76, 'working': 77, 'agency': 78, 'secure': 79, 'access': 80, 'allotment': 81, 'ensure': 82, 'get': 83, 'cattle': 84, 'sheep': 85, 'market': 86, 'plate': 87, 'additional': 88, 'detail': 89, 'be': 90, 'shared': 91, 'they': 92, 'become': 93, 'available': 94, 'please': 95, 'reach': 96, 'question': 97, 'or': 98, 'concern': 99, 'hello': 100, 'complete': 101, 'moron': 102, 'then': 103, 'these': 104, 'word': 105, 'for': 106, 'man': 107, 'charged': 108, 'uk': 109, 'selling': 110, 'fake': 111, 'kit': 112, 'around': 113, 'world': 114, 'not': 115, 'where': 116, 'were': 117, 'our': 118, 'technology': 119, 'still': 120, 'fall': 121, 'short': 122, 'resource': 123, 'sufficient': 124, 'handle': 125, 'challenge': 126, 'lack': 127, 'bank': 128, 'inventory': 129, 'stock': 130, 'feed': 131, 'people': 132, 'no': 133, 'toilet': 134, 'paper': 135, 'napkin': 136, 'towel': 137, 'following': 138, 'limpopo': 139, 's': 140, 'premier': 141, 'visit': 142, 'thohoyandou': 143, 'today': 144, '2': 145, 'shoprite': 146, 'forced': 147, 'close': 148, 'adhering': 149, 'lockdown': 150, 'rule': 151, 'madina': 152, 'supermarket': 153, 'wa': 154, 'caught': 155, 'sanitizers': 156, 'reported': 157, 'that': 158, 'thulamela': 159, 'municipality': 160, 'had': 161, 'purchased': 162, 'rt': 163, 'aston': 164, 'nechells': 165, 'foodbank': 166, 'currently': 167, 'experiencing': 168, 'increased': 169, 'demand': 170, 'supply': 171, 'help': 172, 'if': 173, 'continue': 174, 'donate': 175, 'throughout': 176, 'ongoing': 177, 'social': 178, 'distancing': 179, 'measure': 180, 'converting': 181, 'distillery': 182, 'factory': 183, 'producing': 184, 'needed': 185, 'hand': 186, 'sanitizer': 187, 'daily': 188, 'voice': 189, 'one': 190, 'arrive': 191, 'your': 192, 'inbox': 193, 'do': 194, 'click': 195, 'txsu': 196, 'student': 197, 'ha': 198, 'y': 199, 'work': 200, 'doubled': 201, 'being': 202, 'online': 203, 'just': 204, 'me': 205, 'like': 206, 'feel': 207, 'm': 208, 'getting': 209, 'more': 210, 'usual': 211, '2019': 212, 'best': 213, 'friend': 214, 'hide': 215, 'body': 216, '2020': 217, 'give': 218, 'while': 219, 'appreciate': 220, 'latter': 221, 'don': 222, 't': 223, 'think': 224, 'll': 225, 'ever': 226, 'meet': 227, 'keith': 228, 'way': 229, 'oh': 230, 'toiletpapercrisis': 231, 'toiletpaperapocalypse': 232, 'toiletpaper': 233, 'shaky': 234, 'ground': 235, 'business': 236, 'grind': 237, 'down': 238, 'because': 239, 'hear': 240, 'about': 241, 'confidence': 242, 'listen': 243, 'here': 244, 'at': 245, '20': 246, 'able': 247, 'procure': 248, 'pack': 249, 'puff': 250, 'bag': 251, 'flour': 252, 'bar': 253, 'soap': 254, 'so': 255, 'playing': 256, 'lottery': 257, 'tonight': 258, 'wait': 259, 'even': 260, 'thing': 261, 'happens': 262, 'socialdistancing': 263, 'report': 264, 'created': 265, 'hub': 266, 'obtain': 267, 'reliable': 268, 'information': 269, 'covering': 270, 'health': 271, 'home': 272, 'routine': 273, 'tech': 274, 'exercise': 275, 'politics': 276, 'aside': 277, 'incredible': 278, 'response': 279, 'critical': 280, 'time': 281, 'wow': 282, 'everyone': 283, 'seems': 284, 'key': 285, 'worker': 286, 'day': 287, 'delivery': 288, 'driver': 289, 'dog': 290, 'walker': 291, 'vape': 292, 'shop': 293, 'manager': 294, 'staff': 295, 'petrol': 296, 'station': 297, 'list': 298, 'endless': 299, 'keyworkersonly': 300, 'stayhome': 301, 'washyourhands': 302, 'should': 303, 'car': 304, 'insurance': 305, 'cost': 306, 'le': 307, 'stay': 308, 'group': 309, 'say': 310, 'yes': 311, 'risk': 312, 'via': 313, 'bringing': 314, 'into': 315, 'after': 316, 've': 317, 'taken': 318, 'walk': 319, 'v': 320, 'having': 321, 'local': 322, 'when': 323, 'open': 324, 'otherwise': 325, 'there': 326, 'staple': 327, 'anyone': 328, 'done': 329, 'sum': 330, 'congress': 331, 'urge': 332, 'narendra': 333, 'modi': 334, 'government': 335, 'share': 336, 'profit': 337, 'low': 338, 'crude': 339, 'oil': 340, 'price': 341, 'during': 342, 'coronavirus': 343, 'pti': 344, 'brought': 345, 'up': 346, 'fact': 347, 'jacking': 348, 'everything': 349, 'rate': 350, 'remains': 351, 'unchanged': 352, '6': 353, 'despite': 354, 'currency': 355, 'crash': 356, 'drop': 357, 'announced': 358, 'by': 359, 'russia': 360, 'ahk': 361, 'liveticker': 362, 'check': 363, 'important': 364, 'alert': 365, 'incoming': 366, 'economic': 367, 'relief': 368, 'payment': 369, 'educate': 370, 'yourself': 371, 'prey': 372, 'scammer': 373, 'trick': 374, 'my': 375, 'buying': 376, 'year': 377, 'worth': 378, 'cleaning': 379, 'selfish': 380, 'idiot': 381, 'ashamed': 382, 'news': 383, 'nyc': 384, 'pantry': 385, 'pandemic': 386, 'published': 387, 'outbreak': 388, 'unprecedented': 389, 'collapse': 390, 'service': 391, 'forex': 392, 'trading': 393, 'melbourne': 394, 'pick': 395, 'grandmother': 396, 'hospital': 397, 'need': 398, 'wear': 399, 'mask': 400, 'glove': 401, 'stopthespread': 402, 'stoppanicbuying': 403, 'thank': 404, 'solution': 405, 'automates': 406, 'co': 407, 'branded': 408, 'invitation': 409, 'eligible': 410, 'upgrade': 411, 'candidate': 412, 'drive': 413, 'well': 414, 'those': 415, 'dealer': 416, 'database': 417, 'citizensadvice': 418, 'responded': 419, 'financialconductauthority': 420, 'announcement': 421, 'series': 422, 'temporary': 423, 'credit': 424, 'card': 425, 'some': 426, 'other': 427, 'term': 428, 'debt': 429, 'light': 430, 'novel': 431, 'transportation': 432, 'skyrocketing': 433, 'nigeria': 434, 'who': 435, 'offend': 436, 'curious': 437, 'real': 438, 'estate': 439, 'impacted': 440, 'learn': 441, 'insight': 442, 'team': 443, 'new': 444, 'yorkers': 445, 'asking': 446, 'clue': 447, 'past': 448, 'recession': 449, 'nycrealestate': 450, 'realestate': 451, 'farmer': 452, 'warned': 453, 'livestock': 454, 'machinery': 455, 'protected': 456, 'thief': 457, 'try': 458, 'cash': 459, 'amid': 460, 'crisis': 461, 'fill': 462, 'take': 463, 'fuel': 464, 'likely': 465, 'effected': 466, 'explains': 467, 'mean': 468, 'filling': 469, 'slowing': 470, 'inside': 471, 'increase': 472, 'transmission': 473, 'strategy': 474, 'good': 475, 'managing': 476, 'extended': 477, 'period': 478, 'contact': 479, 'queue': 480, 'footfall': 481, 'public': 482, 'space': 483, 'obamacare': 484, 'consolidation': 485, 'raising': 486, 'patient': 487, 'australia': 488, 'prime': 489, 'minister': 490, 'stop': 491, 'hoarding': 492, 'shopper': 493, 'country': 494, 'empty': 495, 'shelf': 496, 'growing': 497, 'over': 498, 'rapid': 499, 'spread': 500, 'which': 501, 'infected': 502, 'nearly': 503, '180': 504, '00': 505, 'worldwide': 506, 'before': 507, 'helped': 508, 'distribute': 509, 'emergency': 510, 'an': 511, 'average': 512, '160': 513, 'household': 514, 'month': 515, 'figure': 516, 'already': 517, 'stand': 518, 'total': 519, '441': 520, 'struggling': 521, 'keep': 522, 'running': 523, 'kind': 524, 'situation': 525, 'gun': 526, 'correct': 527, 'answer': 528, 'won': 529, 'water': 530, 'order': 531, 'toliet': 532, 'see': 533, 'any': 534, 'reason': 535, 'firearm': 536, 'but': 537, 'only': 538, 'beginning': 539, 'die': 540, 'idea': 541, 'end': 542, 'hundred': 543, 'thousand': 544, 'son': 545, 'essential': 546, 'provider': 547, 'practice': 548, 'serious': 549, 'deep': 550, 'colorado': 551, 'ag': 552, 'vow': 553, 'investigate': 554, 'promise': 555, 'refund': 556, 'deliver': 557, 'remember': 558, 'muppets': 559, 'went': 560, 'few': 561, 'back': 562, 'acting': 563, 'animal': 564, 'looking': 565, 'themselves': 566, 'probably': 567, 'avoid': 568, 'madness': 569, 'cardiff': 570, 'central': 571, 'fresh': 572, 'fish': 573, 'poultry': 574, 'plus': 575, 'stall': 576, 'meat': 577, 'fruit': 578, 'veg': 579, 'much': 580, 'come': 581, 'tomorrow': 582, '8am': 583, '5': 584, '15pm': 585, '02920': 586, '229202': 587, 'behavior': 588, 'forget': 589, 'meal': 590, 'restaurant': 591, 'them': 592, 'without': 593, 'exposing': 594, 'community': 595, 'infection': 596, 'reduce': 597, 'disruption': 598, 'distribution': 599, 'too': 600, 'c4news': 601, 'am': 602, 'furious': 603, 'doctor': 604, 'spreading': 605, 'lie': 606, 'why': 607, 'enough': 608, 'tweet': 609, 'logic': 610, 'prediciton': 611, 'boost': 612, 'bored': 613, 'quarantined': 614, 'buyer': 615, 'till': 616, 'sofa': 617, '15': 618, 'shopping': 619, 'crush': 620, 'retail': 621, 'long': 622, 'passed': 623, 'resident': 624, 'sanfrancisco': 625, 'leave': 626, 'appointment': 627, 'run': 628, 'strictest': 629, 'policy': 630, 'enacted': 631, 'match': 632, 'current': 633, 'italy': 634, '2nd': 635, 'hardest': 636, 'hit': 637, 'every': 638, 'shift': 639, 'lead': 640, 'living': 641, 'different': 642, 'great': 643, 'depression': 644, 'defined': 645, 'habit': 646, 'decade': 647, 'hyperinflation': 648, 'wwii': 649, 'haunt': 650, 'german': 651, 'nofood': 652, 'toiletpapershortage': 653, 'love': 654, 'neighbor': 655, 'together': 656, 'couple': 657, 'opened': 658, 'free': 659, 'earlier': 660, 'support': 661, 'family': 662, 'nashville': 663, 'paisley': 664, 'mobilize': 665, 'elderly': 666, 'area': 667, 'saying': 668, 'sick': 669, 'test': 670, 'ill': 671, 'until': 672, 'two': 673, 'tested': 674, 'esp': 675, 'cashier': 676, 'gas': 677, 'attendant': 678, 'ship': 679, 'goabay': 680, 'goodsfromindia': 681, 'aurveda': 682, 'buyonlinefromindia': 683, 'india': 684, 'dock': 685, 'operator': 686, 'owner': 687, 'winnigas': 688, 'inquiry': 689, 'post': 690, 'boater': 691, 'lakewinnipesaukee': 692, 'lakelife': 693, 'nh': 694, 'boating': 695, 'police': 696, 'advice': 697, 'someone': 698, 'lean': 699, 'shoulder': 700, 'breathing': 701, 'face': 702, 'allowed': 703, 'gift': 704, 'him': 705, 'knuckle': 706, 'sandwich': 707, 'cuyahoga': 708, 'county': 709, 'department': 710, 'affair': 711, 'warning': 712, 'scam': 713, 'related': 714, 'stimulus': 715, 'pharmacy': 716, 'thermometer': 717, 'also': 718, 'protection': 719, 'include': 720, 'paracetamol': 721, '16pk': 722, 'door': 723, 'kenyan': 724, 'startup': 725, 'launch': 726, 'ai': 727, 'data': 728, 'driven': 729, 'platform': 730, 'curb': 731, 'healthtech': 732, 'startuos': 733, 'innovation': 734, 'africa': 735, 'blockchain': 736, 'prompt': 737, 'law': 738, 'queensland': 739, 'restock': 740, 'hour': 741, 'abc': 742, 'australian': 743, 'broadcasting': 744, 'corporation': 745, 'piling': 746, 'booze': 747, 'luck': 748, 'wiping': 749, 'arse': 750, 'though': 751, 'same': 752, 'folk': 753, 'bought': 754, 'mountain': 755, 'bog': 756, 'roll': 757, 'coronacrisis': 758, 'dontpanicbuy': 759, 'r102m': 760, 'pay': 761, 'bonus': 762, 'imagine': 763, 'tattoo': 764, 'art': 765, 'lysol': 766, 'rose': 767, 'happy': 768, 'monday': 769, 'financial': 770, 'opec': 771, 'output': 772, 'cut': 773, 'fluctuate': 774, 'decline': 775, 'dollar': 776, 'slip': 777, 'coming': 778, 'soon': 779, 'dia': 780, 'spy': 781, 'qq': 782, 'cl': 783, 'f': 784, 'overcame': 785, 'decided': 786, 'put': 787, 'their': 788, 'workforce': 789, 'first': 790, 'evident': 791, 'move': 792, 'entrepreneur': 793, 'fineos': 794, 'announces': 795, 'paid': 796, 'calculator': 797, 'answering': 798, 'amount': 799, 'might': 800, 'apply': 801, 'cautious': 802, 'product': 803, 'claim': 804, 'prevent': 805, 'treat': 806, 'diagnose': 807, 'cure': 808, 'suspect': 809, 'email': 810, 'fraudstoppers': 811, 'ok': 812, 'gov': 813, 'thread': 814, 'checking': 815, 'underscore': 816, 'weight': 817, 'start': 818, 'fighting': 819, 'emotion': 820, 'sharing': 821, 'reading': 822, 'laterally': 823, 'amp': 824, 'verifying': 825, 'source': 826, 'senior': 827, 'allow': 828, 'ppl': 829, 'safely': 830, 'south': 831, 'bay': 832, 'chain': 833, 'zanotto': 834, 'implement': 835, 'precaution': 836, 'manufacturer': 837, 'portal': 838, 'been': 839, 'latest': 840, 'else': 841, 'cool': 842, 'hangout': 843, 'always': 844, 'busy': 845, 'stayathomeandstaysafe': 846, 'stayhomefornevada': 847, 'socialdistance': 848, 'very': 849, 'worried': 850, 'wearing': 851, 'continually': 852, 'sanitize': 853, 'sure': 854, 'protect': 855, 'contracting': 856, 'trouble': 857, 'concentrating': 858, 'sleeping': 859, 'fraudsters': 860, 'swindler': 861, 'making': 862, 'huge': 863, 'misery': 864, 'corona': 865, 'victim': 866, 'coronavillains': 867, 'medical': 868, 'arbitrage': 869, 'horde': 870, 'middleman': 871, 'profiteer': 872, 'dramatically': 873, 'increasing': 874, 'n95s': 875, 'zero': 876, 'hedge': 877, 'global': 878, 'catalyst': 879, 'radical': 880, 'gilbert': 881, 'mercier': 882, 'speaks': 883, 'chronicle': 884, 'glad': 885, 'loblaws': 886, 'superstore': 887, 'frill': 888, 'etc': 889, 'taking': 890, 'step': 891, 'canada': 892, 'coup': 893, 'war': 894, 'may': 895, 'aimed': 896, 'shale': 897, 'benchmark': 898, 'fallen': 899, 'below': 900, '10': 901, 'barrel': 902, 'oott': 903, 'convert': 904, 'lunch': 905, 'money': 906, 'multiply': 907, '4': 908, 'snack': 909, 'feeding': 910, 'child': 911, 'biggest': 912, 'refrigerator': 913, 'tired': 914, 'juice': 915, 'danger': 916, 'worse': 917, 'b': 918, 'recap': 919, 'sentiment': 920, 'estimate': 921, 'q': 922, 'weekly': 923, 'update': 924, 'mg': 925, 'gold': 926, 'safe': 927, 'haven': 928, 'investment': 929, 'outlook': 930, 'mildly': 931, 'bullish': 932, 'high': 933, '1900': 934, '2021': 935, 'higher': 936, '200': 937, 'per': 938, 'oz': 939, 'know': 940, 'cunt': 941, 'moaned': 942, 'brexit': 943, 'stayathome': 944, 'china': 945, 'role': 946, 'wildlife': 947, 'trade': 948, 'under': 949, 'greater': 950, 'scrutiny': 951, 'whether': 952, 'pushing': 953, 'entire': 954, 'specie': 955, 'brink': 956, 'extinction': 957, 'farm': 958, 'endangered': 959, 'prc': 960, 'principal': 961, '1': 962, 'silly': 963, 'american': 964, 'anything': 965, 'hoarder': 966, 'greenchile': 967, 'nm': 968, 'texas': 969, 'heal': 970, 'worship': 971, 'song': 972, 'playlist': 973, 'ghaad': 974, 'kinda': 975, 'evaluating': 976, 'whole': 977, 'life': 978, 'hays': 979, 'corner': 980, 'advantage': 981, 'fear': 982, 'cdc': 983, 'flu': 984, 'trend': 985, 'attorney': 986, 'michael': 987, 'bailey': 988, 'az': 989, 'covid019': 990, 'fraud': 991, 'task': 992, 'force': 993, 'received': 994, 'almost': 995, '12k': 996, 'complaint': 997, 'loss': 998, '8': 999, '39m': 1000, 'kudos': 1001, 'frontline': 1002, 'especially': 1003, 'nurse': 1004, 'wore': 1005, 'facemask': 1006, 'got': 1007, 'anxiety': 1008, 'pray': 1009, 'founded': 1010, 'star': 1011, 'brad': 1012, 'actress': 1013, 'kimberly': 1014, 'williams': 1015, 'throng': 1016, 'mulund': 1017, 'flouting': 1018, 'top': 1019, 'echoed': 1020, 'ppe': 1021, 'equipment': 1022, 'skyrocket': 1023, 'fan': 1024, 'bed': 1025, 'trump': 1026, 'mass': 1027, 'production': 1028, 'ago': 1029, 'save': 1030, 'did': 1031, 'gen': 1032, 'z': 1033, 'igen': 1034, 'affected': 1035, 'never': 1036, 'engage': 1037, 'activity': 1038, 'large': 1039, 'gathering': 1040, 'school': 1041, 'mandate': 1042, 'education': 1043, 'case': 1044, 'study': 1045, 'bango': 1046, 'quantifies': 1047, 'read': 1048, 'blog': 1049, 'provides': 1050, 'spend': 1051, 'forecast': 1052, 'based': 1053, 'initially': 1054, 'appdevelopers': 1055, 'appmarketing': 1056, 'mobilegames': 1057, 'birth': 1058, 'sh': 1059, 'lf': 1060, 'stable': 1061, 'greedily': 1062, 'person': 1063, 'action': 1064, 'consideration': 1065, 'others': 1066, 'chinese': 1067, 'lol': 1068, 'gasoline': 1069, 'yeah': 1070, 'clown': 1071, 'let': 1072, 'applaud': 1073, 'unsung': 1074, 'hero': 1075, 'tough': 1076, 'kirana': 1077, 'must': 1078, 'article': 1079, 'kiranastores': 1080, 'yost': 1081, 'warns': 1082, 'keen': 1083, 'wonder': 1084, 'many': 1085, 'carried': 1086, 'baby': 1087, 'self': 1088, 'isolating': 1089, 'least': 1090, 'another': 1091, 'yet': 1092, 'slot': 1093, 'collect': 1094, 'april': 1095, '1st': 1096, 'live': 1097, '45': 1098, 'min': 1099, 'neighbour': 1100, 'big': 1101, 'ask': 1102, 'supposed': 1103, 'changed': 1104, 'behaviour': 1105, 'lagosians': 1106, 'both': 1107, 'robbersvirus': 1108, 'robbery': 1109, 'everywhere': 1110, 'citizen': 1111, 'turning': 1112, 'vigilatees': 1113, 'nomoney': 1114, 'nopeaceofmind': 1115, 'cc': 1116, 'rise': 1117, 'warn': 1118, 'expert': 1119, 'double': 1120, 'whammy': 1121, 'erratic': 1122, 'rainfall': 1123, 'hammering': 1124, 'latin': 1125, 'economy': 1126, 'latam': 1127, 'plan': 1128, 'trip': 1129, 'mostly': 1130, 'talk': 1131, 'myself': 1132, 'doing': 1133, 'really': 1134, 'want': 1135, 'outside': 1136, 'bad': 1137, 'allergy': 1138, 'limited': 1139, 'tissue': 1140, 'hard': 1141, 'cbd': 1142, 'cannot': 1143, 'symptom': 1144, 'relieve': 1145, 'immune': 1146, 'system': 1147, 'act': 1148, 'natural': 1149, 'angelic': 1150, 'reduced': 1151, 'difficult': 1152, 'twitter': 1153, 'confirm': 1154, 'woolies': 1155, 'would': 1156, 'coronaaustralia': 1157, 'caused': 1158, 'robotics': 1159, 'accelerate': 1160, 'according': 1161, 'lesley': 1162, 'rohrbaugh': 1163, 'director': 1164, 'research': 1165, 'association': 1166, 'truly': 1167, 'heartbreaking': 1168, 'video': 1169, 'upset': 1170, 'everytime': 1171, 'such': 1172, 'hope': 1173, 'she': 1174, 'shown': 1175, 'lot': 1176, 'compassion': 1177, 'finally': 1178, 'found': 1179, 'provision': 1180, 'doitfordawn': 1181, 'allah': 1182, 'bring': 1183, 'blessing': 1184, 'effortlessly': 1185, 'recover': 1186, 'slow': 1187, 'cleaner': 1188, 'armed': 1189, 'whoever': 1190, 'he': 1191, 'saved': 1192, 'humanity': 1193, 'plenty': 1194, 'alarmed': 1195, 'supplier': 1196, 'retailer': 1197, 'surging': 1198, 'insist': 1199, 'strong': 1200, 'panicbuying': 1201, 'kaikohe': 1202, 'testing': 1203, 'positive': 1204, 'keine': 1205, 'wertgegenst': 1206, 'nde': 1207, 'fahrzeug': 1208, 'lassen': 1209, 'diesen': 1210, 'tipp': 1211, 'sollte': 1212, 'besten': 1213, 'immer': 1214, 'nicht': 1215, 'nur': 1216, 'zeiten': 1217, 'von': 1218, 'befolgen': 1219, 'w': 1220, 'rselen': 1221, 'wurde': 1222, 'scheibe': 1223, 'eines': 1224, 'pkw': 1225, 'eingeschlagen': 1226, 'mehrere': 1227, 'rollen': 1228, 'klopapier': 1229, 'gestohlen': 1230, 'happyeaster': 1231, 'chocolate': 1232, 'flower': 1233, 'instead': 1234, 'homeessentials': 1235, 'appreciated': 1236, 'clorox': 1237, 'bleach': 1238, 'evelynperezlarin': 1239, 'realtor': 1240, 'miami': 1241, 'fortuneinternationalrealty': 1242, 'canvasmiami': 1243, 'weareinthistogether': 1244, 'recent': 1245, 'focus': 1246, 'mintel': 1247, 'discovered': 1248, 'canadian': 1249, '54': 1250, 'percent': 1251, 'wash': 1252, 'frequently': 1253, 'heb': 1254, 'managed': 1255, 'prepared': 1256, 'turn': 1257, 'started': 1258, 'talking': 1259, 'january': 1260, 'began': 1261, 'wargaming': 1262, 'simulation': 1263, 'feb': 1264, 'closed': 1265, 'domestic': 1266, 'international': 1267, 'travel': 1268, 'banned': 1269, 'rocket': 1270, 'science': 1271, 'd': 1272, 'chinaliedpeopledie': 1273, 'mahavir': 1274, 'temple': 1275, 'trust': 1276, 'crore': 1277, 'mahamaya': 1278, 'lac': 1279, 'tibetan': 1280, 'baudhist': 1281, 'donating': 1282, 'r': 1283, 'giving': 1284, 'christianmissionaries': 1285, 'muslim': 1286, 'nothing': 1287, 'hindu': 1288, 'hindutva': 1289, 'disaster': 1290, 'disease': 1291, 'capitalism': 1292, 'produce': 1293, 'future': 1294, 'thru': 1295, 'job': 1296, 'hold': 1297, 'cbc': 1298, 'early': 1299, 'morning': 1300, 'limit': 1301, 'took': 1302, 'bc': 1303, 'hopefully': 1304, 'some1': 1305, 'approve': 1306, 'wise': 1307, 'decision': 1308, 'counter': 1309, 'depleting': 1310, 'city': 1311, 'tehachapi': 1312, 'page': 1313, 'including': 1314, 'offering': 1315, 'takeout': 1316, 'medium': 1317, 'advisory': 1318, 'bureau': 1319, 'xauusd': 1320, 'gc': 1321, 'glds': 1322, '7': 1323, 'investor': 1324, 'refuge': 1325, 'safer': 1326, 'asset': 1327, 'fueled': 1328, 'sell': 1329, 'off': 1330, 'analyst': 1331, 'level': 1332, 'could': 1333, 'push': 1334, 'above': 1335, 'unnecessary': 1336, 'movement': 1337, 'enjoy': 1338, 'convenience': 1339, 'regularly': 1340, 'touching': 1341, 'nose': 1342, 'mouth': 1343, 'eye': 1344, 'coronavid19': 1345, 'kenya': 1346, 'index': 1347, 'fell': 1348, 'worsened': 1349, 'trying': 1350, 'spent': 1351, '30minutes': 1352, 'website': 1353, 'site': 1354, 'seize': 1355, 'removed': 1356, 'cart': 1357, 'suppose': 1358, 'fail': 1359, 'quarantine': 1360, 'opening': 1361, 'commissioner': 1362, 'choice': 1363, 'sketchy': 1364, 'clean': 1365, 'line': 1366, 'difference': 1367, 'between': 1368, 'accept': 1369, 'paypal': 1370, 'usd': 1371, 'sketch': 1372, 'flat': 1373, 'color': 1374, 'shaded': 1375, '40': 1376, 'mini': 1377, 'bg': 1378, '65': 1379, 'struggle': 1380, 'survive': 1381, 'add': 1382, 'burden': 1383, 'point': 1384, 'domino': 1385, 'healthemergency': 1386, 'supplychain': 1387, 'shut': 1388, 'crack': 1389, 'liquidity': 1390, 'shock': 1391, 'l': 1392, 'unemployment': 1393, '2x': 1394, 'spx': 1395, 'bond': 1396, 'sbc': 1397, '3x': 1398, 'fight': 1399, 'against': 1400, 'noval': 1401, 'safeguard': 1402, 'protective': 1403, '50': 1404, 'dhgate': 1405, 'onlineshopping': 1406, 'jueves': 1407, 'de': 1408, 'abril': 1409, 'buenas': 1410, 'tardes': 1411, 'mi': 1412, '041': 1413, 'seguidores': 1414, 'en': 1415, 'desde': 1416, 'panam': 1417, 'thursday': 1418, 'april2nd': 1419, 'afternoon': 1420, 'follower': 1421, 'panama': 1422, 'everybody': 1423, 'cascara': 1424, 'instagram': 1425, 'qom': 1426, 'reportedly': 1427, 'diagnosed': 1428, 'said': 1429, 'blaming': 1430, 'iranian': 1431, 'official': 1432, 'responsibility': 1433, 'unfortunately': 1434, 'commission': 1435, 'digital': 1436, 'artwork': 1437, 'interested': 1438, 'amandahester': 1439, 'unt': 1440, 'edu': 1441, 'continues': 1442, '3': 1443, 'fightcoronavirus': 1444, 'fightwithcoronavirus': 1445, 'vapesafe': 1446, 'vapeon': 1447, 'vapehealthy': 1448, 'vapelyfe': 1449, 'vapefam': 1450, 'vaping': 1451, 'vapor': 1452, 'vapedaily': 1453, 'vapelove': 1454, 'everzon': 1455, 'chased': 1456, 'away': 1457, 'rental': 1458, 'house': 1459, 'denying': 1460, 'inthe': 1461, 'african': 1462, 'young': 1463, 'feeling': 1464, 'affecting': 1465, 'mentalhealth': 1466, 'watch': 1467, 'look': 1468, '90': 1469, 'selfcare': 1470, 'told': 1471, 'anxious': 1472, 'region': 1473, 'swiftly': 1474, 'contain': 1475, 'minimise': 1476, 'mitigate': 1477, 'build': 1478, 'capability': 1479, 'roughly': 1480, '600': 1481, 'leisure': 1482, 'spending': 1483, 'priority': 1484, 'noticed': 1485, 'music': 1486, 'blaring': 1487, 'several': 1488, 'window': 1489, 'selfisolating': 1490, 'taste': 1491, 'maybe': 1492, 'headphone': 1493, 'govt': 1494, 'niceneighbour': 1495, 'niceneighbor': 1496, 'listening': 1497, 'heartbroken': 1498, 'parent': 1499, 'leilani': 1500, 'jordan': 1501, 'given': 1502, 'hydroxychloroquine': 1503, 'avail': 1504, 'disabled': 1505, 'front': 1506, 'giant': 1507, 'walmart': 1508, 'wegmans': 1509, 'failed': 1510, 'provide': 1511, 'enforce': 1512, 'strict': 1513, 'sale': 1514, 'identify': 1515, 'excess': 1516, 'stockpile': 1517, 'confiscated': 1518, 'compensation': 1519, 'largely': 1520, 'relies': 1521, 'proactive': 1522, 'boris': 1523, 'johnson': 1524, 'stophoarding': 1525, 'closure': 1526, 'mount': 1527, 'age': 1528, 'cre': 1529, 'continuing': 1530, 'closely': 1531, 'monitor': 1532, 'seeing': 1533, 'gropods': 1534, 'safety': 1535, 'desire': 1536, 'reliant': 1537, 'march': 1538, 'monthly': 1539, 'newsletter': 1540, 'scary': 1541, 'next': 1542, 'blatant': 1543, 'medicare': 1544, 'shitty': 1545, 'earth': 1546, 'planet': 1547, 'manger': 1548, 'kept': 1549, 'sister': 1550, '34': 1551, 'although': 1552, 'number': 1553, 'slightly': 1554, 'indicative': 1555, 'unusually': 1556, 'transaction': 1557, 'size': 1558, 'stockpiling': 1559, 'ready': 1560, 'chicken': 1561, 'caregiving': 1562, 'mom': 1563, 'staying': 1564, 'keeping': 1565, 'wide': 1566, 'waiting': 1567, 'hoping': 1568, 'u2release': 1569, 'u2community': 1570, 'u2foru': 1571, 'whose': 1572, 'garage': 1573, 'full': 1574, 'anticipation': 1575, 'use': 1576, 'includes': 1577, 'wipe': 1578, 'sheet': 1579, 'killed': 1580, 'eat': 1581, 'little': 1582, 'cant': 1583, 'freak': 1584, 'extra': 1585, 'mine': 1586, 'walking': 1587, 'mile': 1588, 'carrying': 1589, 'old': 1590, 'git': 1591, 'knackered': 1592, 'torybritain': 1593, 'drove': 1594, 'absolutely': 1595, 'disgusted': 1596, 'golf': 1597, 'link': 1598, 'rd': 1599, 'lidl': 1600, 'wednesday': 1601, 'charted': 1602, '80': 1603, 'her': 1604, 'bubble': 1605, 'ample': 1606, 'merlot': 1607, 'camembert': 1608, 'delight': 1609, 'ignorance': 1610, 'believe': 1611, 'dairy': 1612, 'milk': 1613, 'falling': 1614, 'exponentially': 1615, 'dump': 1616, 'break': 1617, 'heart': 1618, 'hurt': 1619, 'wondering': 1620, 'affect': 1621, 'find': 1622, 'info': 1623, 'preparedness': 1624, 'shipping': 1625, 'often': 1626, 'security': 1627, 'tip': 1628, 'apple': 1629, 'lineup': 1630, 'iphone': 1631, 'left': 1632, 'buy': 1633, 'canned': 1634, 'tuna': 1635, 'coldpressedoil': 1636, 'chekkuoil': 1637, 'standardcoldpressedoil': 1638, 'fed': 1639, 'finishing': 1640, 'parcel': 1641, 'older': 1642, 'cancer': 1643, 'make': 1644, 'cry': 1645, 'mma': 1646, 'imma': 1647, 'straight': 1648, 'eastern': 1649, 'north': 1650, 'carolina': 1651, 'sparked': 1652, 'org': 1653, 'foodsafety': 1654, 'stressing': 1655, 'foodborne': 1656, 'illness': 1657, 'foodindustry': 1658, 'panicked': 1659, 'emptied': 1660, 'accumulate': 1661, 'saw': 1662, 'guy': 1663, 'paella': 1664, 'pi': 1665, 'ata': 1666, 'sombrero': 1667, 'hispanic': 1668, 'costing': 1669, 'million': 1670, 'alone': 1671, 'impact': 1672, 'easy': 1673, 'overlook': 1674, 'dismal': 1675, 'reality': 1676, 'producer': 1677, 'lockdown21': 1678, 'wtf': 1679, 'clothes': 1680, 'noni': 1681, 'katies': 1682, 'river': 1683, 'ect': 1684, 'preorders': 1685, 'seen': 1686, 'stuff': 1687, 'nail': 1688, 'gross': 1689, '9': 1690, 'bossert': 1691, 'publishes': 1692, 'op': 1693, 'ed': 1694, 'advocate': 1695, 'contagion': 1696, 'development': 1697, 'compare': 1698, 'favorably': 1699, 'common': 1700, 'pretty': 1701, 'anyway': 1702, 'finish': 1703, 'ffs': 1704, 'tsavemyhandsfromthecookie': 1705, 'jar': 1706, 'waterstones': 1707, 'chief': 1708, 'exec': 1709, 'james': 1710, 'daunt': 1711, 'described': 1712, 'raised': 1713, 'member': 1714, 'utter': 1715, 'needle': 1716, 'gone': 1717, 'his': 1718, 'employee': 1719, 'dm': 1720, 'angry': 1721, 'bookseller': 1722, 'customer': 1723, 'sanitiser': 1724, 'quantity': 1725, 'lorri': 1726, 'conveniencestore': 1727, 'petrolforecourt': 1728, 'petrolstation': 1729, 'antibacterial': 1730, 'standard': 1731, 'voucher': 1732, 'designed': 1733, 'targeting': 1734, 'desperation': 1735, 'cloak': 1736, 'branding': 1737, 'popular': 1738, 'offer': 1739, 'second': 1740, 'carry': 1741, 'protecting': 1742, 'layer': 1743, 'travelling': 1744, 'rumor': 1745, 'require': 1746, 'scumbags': 1747, 'quite': 1748, 'simply': 1749, 'piece': 1750, 'thick': 1751, 'brain': 1752, 'cell': 1753, 'causing': 1754, 'literally': 1755, 'fuck': 1756, 'forever': 1757, 'toiletroll': 1758, 'notfakenews': 1759, 'rethink': 1760, 'adapt': 1761, 'socialize': 1762, 'change': 1763, 'vigilant': 1764, 'dc': 1765, 'abuse': 1766, 'exploitation': 1767, 'c': 1768, 'rely': 1769, 'mgmt': 1770, 'healthcare': 1771, 'loved': 1772, 'english': 1773, 'spanish': 1774, 'white': 1775, 'briefing': 1776, '25': 1777, 'miss': 1778, 'opportunity': 1779, 'win': 1780, 'remarkable': 1781, 'participating': 1782, 'essay': 1783, 'competition': 1784, 'psychosocial': 1785, 'perspective': 1786, 'register': 1787, 'cutting': 1788, 'collapsing': 1789, 'plummeting': 1790, 'threaten': 1791, 'field': 1792, 'amazing': 1793, 'mind': 1794, 'discrediting': 1795, 'call': 1796, 'centre': 1797, 'telecom': 1798, 'engineer': 1799, 'infrastructure': 1800, 'examine': 1801, 'observation': 1802, 'leading': 1803, 'e': 1804, 'commerce': 1805, 'hong': 1806, 'kong': 1807, 'japan': 1808, 'korea': 1809, 'mrx': 1810, 'ecommerce': 1811, 'made': 1812, 'donation': 1813, 'through': 1814, 'panickbuyinguk': 1815, 'something': 1816, 'box': 1817, 'steal': 1818, 'perpetuate': 1819, 'clear': 1820, 'personal': 1821, 'send': 1822, 'mongolian': 1823, 'minfin': 1824, 'mn': 1825, 'loan': 1826, 'interest': 1827, 'postponed': 1828, 'rating': 1829, 'decreased': 1830, '12': 1831, 'bn': 1832, 'splice': 1833, 'san': 1834, 'francisco': 1835, 'regarding': 1836, 'slowdown': 1837, 'cpl': 1838, 'philadelphia': 1839, 'btw': 1840, 'trumppandemic': 1841, 'gopbetrayedamerica': 1842, 'trumpfailedamerica': 1843, 'bloody': 1844, 'crazy': 1845, 'stuck': 1846, 'confirmed': 1847, 'book': 1848, 'anywhere': 1849, 'starvation': 1850, 'lowest': 1851, 'display': 1852, 'building': 1853, 'outdoors': 1854, 'indoor': 1855, 'spaced': 1856, 'certainly': 1857, 'pose': 1858, 'opinion': 1859, 'europe': 1860, 'rest': 1861, 'doe': 1862, 'alive': 1863, 'issue': 1864, 'gt': 1865, 'denmark': 1866, 'waited': 1867, 'yesterday': 1868, 'curbside': 1869, 'booked': 1870, 'kid': 1871, 'joke': 1872, 'lorry': 1873, 'hr': 1874, 'search': 1875, 'trolley': 1876, 'damage': 1877, 'unemployed': 1878, '100': 1879, 'innocent': 1880, 'lost': 1881, 'negative': 1882, 'column': 1883, 'didn': 1884, 'immediate': 1885, 'markt': 1886, 'dow': 1887, 'jones': 1888, '6179': 1889, '21': 1890, '23': 1891, '390': 1892, 'near': 1893, 'mumbai': 1894, 'mumbailockdown': 1895, '11': 1896, 'asimanshidebut': 1897, 'coronainpakistan': 1898, 'blogging': 1899, 'bloggersrequired': 1900, 'filmtwitter': 1901, 'shopkeeper': 1902, 'immigrant': 1903, 'actor': 1904, 'teacher': 1905, 'celebrity': 1906, 'journalist': 1907, 'lefty': 1908, 'politician': 1909, 'moaning': 1910, 'sport': 1911, 'utility': 1912, 'preparing': 1913, 'rationing': 1914, 'clearly': 1915, 'aren': 1916, 'restocking': 1917, 'ocado': 1918, 'reconfiguring': 1919, 'nice': 1920, 'calm': 1921, 'chat': 1922, 'delighted': 1923, 'garden': 1924, 'entry': 1925, 'hse': 1926, 'gps': 1927, 'pharmacist': 1928, 'tesco': 1929, '00pm': 1930, '17': 1931, '13': 1932, 'image': 1933, 'pasta': 1934, 'noodle': 1935, 'cereal': 1936, 'tea': 1937, 'unpublished': 1938, 'beer': 1939, 'trash': 1940, 'batch': 1941, 'cat': 1942, 'blond': 1943, 'potato': 1944, 'panicshopping': 1945, 'panicbuyinguk': 1946, 'bread': 1947, 'staysafestayhome': 1948, 'irelandlockdown': 1949, 'insane': 1950, 'normally': 1951, '270': 1952, 'ridiculous': 1953, 'guelph': 1954, 'sundaythoughts': 1955, 'pricegouging': 1956, 'caroline': 1957, 'experience': 1958, 'reduction': 1959, 'rs15': 1960, 'liter': 1961, 'petroleum': 1962, 'approved': 1963, 'show': 1964, 'network': 1965, 'explosion': 1966, 'rocked': 1967, 'ferry': 1968, 'wirral': 1969, 'council': 1970, 'nosey': 1971, 'liverpool': 1972, 'littlewood': 1973, 'hollywood': 1974, '30pm': 1975, 'bbc1': 1976, 'play': 1977, 'main': 1978, 'iran': 1979, 'hey': 1980, 'wrong': 1981, 'heard': 1982, 'hi': 1983, 'fargo': 1984, 'committed': 1985, 'helping': 1986, 'hardship': 1987, 'trained': 1988, 'specialist': 1989, 'lending': 1990, 'small': 1991, 'deposit': 1992, 'pet': 1993, 'canceled': 1994, 'autoship': 1995, 'ignorant': 1996, 'sometimes': 1997, 'suck': 1998, 'petfoodshortages': 1999, 'silver': 2000, 'lining': 2001, 'kidding': 2002, 'brutal': 2003, 'swear': 2004, 'dumb': 2005, 'condom': 2006, 'breed': 2007, 'chloroquine': 2008, 'earthquake': 2009, 'dodging': 2010, 'outlet': 2011, 'upkaar': 2012, 'stn': 2013, 'assam': 2014, 'alongwith': 2015, 'download': 2016, 'bluetooth': 2017, 'tracker': 2018, 'app': 2019, 'join': 2020, 'android': 2021, 'io': 2022, 'exposed': 2023, 'capitalist': 2024, 'hypocrisy': 2025, 'toward': 2026, 'shutting': 2027, 'west': 2028, 'inundated': 2029, 'worry': 2030, 'narrative': 2031, 'growth': 2032, 'mattered': 2033, 'stopping': 2034, 'behavioural': 2035, 'portlaoise': 2036, 'latex': 2037, 'mad': 2038, 'brilliant': 2039, 'general': 2040, 'rowed': 2041, 'behind': 2042, 'effort': 2043, 'tackle': 2044, 'ncis': 2045, 'civilian': 2046, 'enforcement': 2047, 'external': 2048, 'noted': 2049, 'multiple': 2050, 'attempt': 2051, 'convenient': 2052, 'sit': 2053, 'arm': 2054, 'adoption': 2055, 'amazonsmile': 2056, 'choose': 2057, 'charity': 2058, 'portion': 2059, 'proceeds': 2060, 'smell': 2061, 'hoax': 2062, 'propaganda': 2063, 'throw': 2064, 'cage': 2065, 'smollett': 2066, 'dangerous': 2067, 'riding': 2068, 'tube': 2069, 'gp': 2070, 'surgery': 2071, 'expect': 2072, 'criminal': 2073, 'sunbather': 2074, 'cv19': 2075, 'special': 2076, 'pensioner': 2077, 'suggestion': 2078, 'quickly': 2079, 'worked': 2080, 'mother': 2081, 'rn': 2082, 'tb': 2083, 'unit': 2084, 'smart': 2085, 'stocking': 2086, 'set': 2087, 'blame': 2088, 'poor': 2089, 'agree': 2090, 'correction': 2091, 'torontorealestate': 2092, 'tore': 2093, 'torontohomes': 2094, 'toronto': 2095, 'ontario': 2096, 'sector': 2097, 'uncertainty': 2098, 'death': 2099, 'toll': 2100, 'zimbabwe': 2101, 'ignoring': 2102, 'packing': 2103, 'truck': 2104, 'vegetable': 2105, 'virologist': 2106, 'confirms': 2107, 'surface': 2108, '32': 2109, 'moment': 2110, 'define': 2111, 'lying': 2112, 'television': 2113, 'screen': 2114, 'half': 2115, 'beef': 2116, 'consumption': 2117, 'happening': 2118, 'restaurantmanagement': 2119, 'usda': 2120, '10m': 2121, 'fund': 2122, 'administered': 2123, '75k': 2124, 'ma': 2125, 'nonprofit': 2126, 'part': 2127, 'mabiz': 2128, 'release': 2129, 'completely': 2130, 'sold': 2131, 'skorea': 2132, 'netherlands': 2133, 'weed': 2134, 'singapore': 2135, 'germany': 2136, 'basically': 2137, 'cuz': 2138, 'sitting': 2139, 'park': 2140, 'bbqs': 2141, 'party': 2142, 'encountered': 2143, 'iga': 2144, 'montreal': 2145, 'quebec': 2146, 'clerk': 2147, 'whilst': 2148, 'own': 2149, 'leyton': 2150, 'leytonstone': 2151, 'dealing': 2152, 'restricted': 2153, 'vulnerable': 2154, 'circumstance': 2155, 'indeed': 2156, 'bamboo': 2157, 'fiber': 2158, 'ordered': 2159, 'borne': 2160, 'drug': 2161, 'administration': 2162, 'fda': 2163, 'evidence': 2164, 'transmitted': 2165, 'consumeraff': 2166, 'bollock': 2167, 'bulk': 2168, 'masse': 2169, 'accidental': 2170, 'sent': 2171, 'n95': 2172, 'reasonable': 2173, 'welfare': 2174, 'ngo': 2175, 'facemasks': 2176, 'stayhomestaysafe': 2177, 'meant': 2178, 'abundant': 2179, 'either': 2180, 'starve': 2181, 'temp': 2182, 'vacancy': 2183, 'night': 2184, '2am': 2185, 'sainsburys': 2186, 'sydenham': 2187, 'panicking': 2188, 'meanwhile': 2189, 'thailand': 2190, 'normal': 2191, 'silent': 2192, 'lazy': 2193, 'horror': 2194, 'costco': 2195, '16': 2196, 'panicshopped': 2197, 'item': 2198, 'ghettoheatmovement': 2199, 'okay': 2200, 'hickson': 2201, 'care': 2202, 'mamaghettoheat': 2203, 'scene': 2204, 'hunger': 2205, 'game': 2206, 'pm0miixwtp': 2207, 'o': 2208, 'assume': 2209, 'carrier': 2210, 'cough': 2211, 'sneeze': 2212, 'elbow': 2213, 'watching': 2214, 'press': 2215, 'conference': 2216, 'load': 2217, 'heading': 2218, 'ny': 2219, 'each': 2220, 'coast': 2221, 'problem': 2222, 'solved': 2223, 'guess': 2224, 'industry': 2225, 'retailing': 2226, 'marketing': 2227, 'weakening': 2228, 'major': 2229, 'commodity': 2230, 'masksforthepeople': 2231, 'most': 2232, 'population': 2233, 'targeted': 2234, 'atlanta': 2235, 'detroit': 2236, 'orleans': 2237, 'milwaukee': 2238, 'nadad': 2239, '100m': 2240, 'c19': 2241, 'suggest': 2242, 'paying': 2243, 'pharmaceutical': 2244, 'company': 2245, 'outrageous': 2246, 'winery': 2247, 'j': 2248, 'gallo': 2249, 'responder': 2250, 'officer': 2251, 'firefighter': 2252, 'gal': 2253, 'cassidyrae': 2254, 'medication': 2255, 'cancel': 2256, 'prepare': 2257, 'target': 2258, 'housewares': 2259, 'homeworld': 2260, 'predicted': 2261, 'somehow': 2262, 'film': 2263, 'except': 2264, 'bid': 2265, 'overcharging': 2266, 'capped': 2267, 'ply': 2268, 'surgical': 2269, 'respectively': 2270, 'jantacurfewchallenge': 2271, 'ban': 2272, 'sunbathing': 2273, 'socialising': 2274, 'bench': 2275, 'matt': 2276, 'hancock': 2277, 'marr': 2278, 'follow': 2279, 'pastry': 2280, 'pizza': 2281, 'base': 2282, 'four': 2283, 'fast': 2284, 'fun': 2285, 'drinklocal': 2286, 'consumerhabits': 2287, 'buyinghabits': 2288, 'mainoptmarketing': 2289, 'activist': 2290, 'filed': 2291, 'emotional': 2292, 'distress': 2293, 'lawsuit': 2294, 'fox': 2295, 'coverage': 2296, 'sought': 2297, 'replace': 2298, 'judge': 2299, 'overseeing': 2300, 'filing': 2301, 'crosspost': 2302, 'weirdstreamathon': 2303, 'raise': 2304, 'artist': 2305, 'deserved': 2306, 'conviviality': 2307, 'alonetogether': 2308, 'hollywoodjustfoundout': 2309, 'count': 2310, 'doesn': 2311, 'cape': 2312, 'worst': 2313, 'type': 2314, 'paedos': 2315, 'advent': 2316, 'reveals': 2317, 'flaw': 2318, 'frailty': 2319, 'cheap': 2320, 'transport': 2321, 'stopstockpiling': 2322, 'borisout': 2323, 'socialdistanacing': 2324, 'panicbuyers': 2325, 'harder': 2326, 'crowded': 2327, 'mentioned': 2328, 'lowly': 2329, 'ten': 2330, 'penny': 2331, 'shocked': 2332, 'true': 2333, 'battle': 2334, 'deaf': 2335, 'startling': 2336, 'abuja': 2337, 'deadly': 2338, 'boy': 2339, 'superchargechallenge': 2340, 'tale': 2341, 'rare': 2342, 'contains': 2343, '80vol': 2344, 'alcohol': 2345, '500': 2346, 'decrease': 2347, 'minor': 2348, 'ingredient': 2349, 'glycerine': 2350, 'h2o2': 2351, 'expense': 2352, 'asked': 2353, 'place': 2354, 'twitch': 2355, 'streaming': 2356, 'awhile': 2357, 'saving': 2358, 'staysafe': 2359, 'cornavirusoutbreak': 2360, 'twitchaffiliate': 2361, 'genuinely': 2362, 'british': 2363, 'prick': 2364, 'wellness': 2365, 'disinfectant': 2366, 'spray': 2367, 'cream': 2368, 'partner': 2369, 'code': 2370, 'discount': 2371, 'saturdayt': 2372, 'breaking': 2373, 'professor': 2374, 'stephen': 2375, 'powis': 2376, 'overnight': 2377, '170': 2378, 'signed': 2379, 'volunteer': 2380, '189': 2381, 'minute': 2382, 'yournhsneedsyou': 2383, 'street': 2384, 'riot': 2385, 'migrant': 2386, 'neutral': 2387, 'territory': 2388, 'spade': 2389, 'avoided': 2390, 'welp': 2391, 'besides': 2392, 'lab': 2393, 'using': 2394, 'proper': 2395, 'detect': 2396, 'super': 2397, 'conduct': 2398, 'shipment': 2399, 'strike': 2400, 'oatmeal': 2401, 'defense': 2402, 'bus': 2403, 'operate': 2404, 'remote': 2405, 'fluid': 2406, 'lady': 2407, 'asks': 2408, 'scared': 2409, 'repost': 2410, 'sea': 2411, 'spotted': 2412, 'noosaville': 2413, 'thanks': 2414, 'laugh': 2415, 'lisa': 2416, 'funny': 2417, 'noosa': 2418, 'sunshinecoast': 2419, 'prepayment': 2420, 'energy': 2421, 'meter': 2422, 'guidance': 2423, 'bailing': 2424, 'corruption': 2425, '101': 2426, 'rewarding': 2427, 'ceo': 2428, 'airline': 2429, 'cruise': 2430, 'hotel': 2431, 'fly': 2432, 'vacation': 2433, 'gopfascists': 2434, 'campaigning': 2435, 'keyworkers': 2436, 'decree': 2437, 'state': 2438, 'retailstrong': 2439, 'signing': 2440, 'pledge': 2441, 'foreigner': 2442, 'immediately': 2443, 'inform': 2444, 'guardia': 2445, 'di': 2446, 'finanza': 2447, 'notice': 2448, 'excessively': 2449, 'apparently': 2450, 'six': 2451, 'foot': 2452, 'hell': 2453, 'hanging': 2454, 'laughing': 2455, 'quarantinelife': 2456, 'stimuluspackage2020': 2457, '50m': 2458, 'civil': 2459, 'legal': 2460, 'aid': 2461, 'afford': 2462, 'funding': 2463, 'lsc': 2464, 'client': 2465, 'facing': 2466, 'eviction': 2467, 'violence': 2468, 'touch': 2469, 'transmit': 2470, 'inspiring': 2471, 'biologist': 2472, 'statistician': 2473, 'servant': 2474, 'medic': 2475, 'logistics': 2476, 'countless': 2477, 'success': 2478, 'planted': 2479, 'seed': 2480, 'omg': 2481, 'toiletrolls': 2482, 'toiletpapergate': 2483, 'selfisolation': 2484, 'selfsufficient': 2485, 'gardening': 2486, 'growingmyown': 2487, 'hiking': 2488, 'judged': 2489, 'harshly': 2490, 'isolation': 2491, 'seriously': 2492, 'consider': 2493, 'nutrient': 2494, 'protein': 2495, 'delivered': 2496, 'wish': 2497, 'included': 2498, 'bailout': 2499, 'sanitation': 2500, 'backbone': 2501, 'gopbailoutscam': 2502, 'epidemic': 2503, 'taught': 2504, 'non': 2505, 'banker': 2506, 'executive': 2507, 'warehouse': 2508, 'professional': 2509, 'jog': 2510, 'neighborhood': 2511, 'wuhan': 2512, 'inviting': 2513, 'mishra19': 2514, 'mum': 2515, 'tin': 2516, 'rice': 2517, 'kitchen': 2518, 'handwash': 2519, 'greed': 2520, 'praising': 2521, 'convid19uk': 2522, 'vintage': 2523, 'range': 2524, 'unique': 2525, 'single': 2526, 'income': 2527, 'smallbusiness': 2528, 'weareintrouble': 2529, 'etsy': 2530, 'came': 2531, 'patrolling': 2532, 'abused': 2533, 'bekind': 2534, 'milan': 2535, 'temperature': 2536, 'mandatory': 2537, 'speaker': 2538, 'remind': 2539, 'distance': 2540, 'shall': 2541, 'kiryu': 2542, 'sorry': 2543, 'fps': 2544, 'yakuzakiwami2': 2545, 'ryugagotoku': 2546, 'reusable': 2547, 'mealie': 2548, '18th': 2549, 'unity': 2550, 'society': 2551, 'lusaka': 2552, 'dctalkradio': 2553, 'visiting': 2554, 'schnucks': 2555, 'elaine': 2556, 'benes': 2557, 'cantspareasquare': 2558, 'asian': 2559, 'covered': 2560, 'socialismorbarbarism': 2561, 'cadchf': 2562, 'audchf': 2563, 'nzdchf': 2564, 'exist': 2565, 'dating': 2566, '1953': 2567, '66': 2568, 'trump2020': 2569, 'maga2020': 2570, 'kag': 2571, 'ausbiz': 2572, 'device': 2573, 'notified': 2574, 'vide': 2575, 'notification': 2576, 'dated': 2577, '11th': 2578, 'february': 2579, 'issued': 2580, 'ministry': 2581, 'governed': 2582, 'control': 2583, '2013': 2584, 'jump': 2585, 'nz': 2586, 'newzealand': 2587, 'synthesis': 2588, 'finding': 2589, 'recommendation': 2590, 'retweet': 2591, 'message': 2592, 'physician': 2593, 'solidarity': 2594, 'tireless': 2595, 'risking': 2596, 'overworked': 2597, 'unappreciated': 2598, 'helpless': 2599, 'essentialworkers': 2600, 'owe': 2601, 'gratitude': 2602, 'stocked': 2603, 'replenished': 2604, 'importantly': 2605, 'certain': 2606, 'associate': 2607, 'deserve': 2608, 'ton': 2609, 'oadby': 2610, 'asda': 2611, 'suspending': 2612, '24': 2613, 'closing': 2614, '10pm': 2615, 'meps': 2616, 'cap': 2617, 'contingency': 2618, 'eu': 2619, 'arrivalist': 2620, 'pattern': 2621, 'kpvi': 2622, 'stayhomesavelives': 2623, 'marketplace': 2624, '14': 2625, 'volume': 2626, '23rd': 2627, 'middle': 2628, 'aisle': 2629, 'actually': 2630, 'putting': 2631, 'divide': 2632, 'combined': 2633, 'sharply': 2634, 'quarter': 2635, 'investing': 2636, 'fair': 2637, 'thankfulthursday': 2638, 'turtle': 2639, 'woe': 2640, 'spiraling': 2641, 'rubber': 2642, 'chemical': 2643, 'crudeoil': 2644, 'crudeoilprice': 2645, 'lpg': 2646, 'ethylene': 2647, 'polymer': 2648, 'chemanalyst': 2649, 'chemicaprice': 2650, 'chemicaldatabase': 2651, 'surely': 2652, 'office': 2653, 'unused': 2654, 'redistributed': 2655, 'reopen': 2656, 'jingle': 2657, 'podcast': 2658, 'youtube': 2659, 'channel': 2660, 'ringtone': 2661, 'understand': 2662, 'scarce': 2663, 'cheaper': 2664, 'luxury': 2665, 'physical': 2666, 'greedy': 2667, 'p': 2668, 'nbn': 2669, 'cope': 2670, '31st': 2671, 'earliest': 2672, 'delivering': 2673, 'phone': 2674, 'elevator': 2675, 'button': 2676, 'pump': 2677, 'bottle': 2678, 'bottom': 2679, 'handbag': 2680, 'wrestlemania': 2681, 'sarika': 2682, 'contest': 2683, 'giveawayalert': 2684, 'puzzle': 2685, 'knew': 2686, 'genius': 2687, 'record': 2688, 'euro': 2689, '134': 2690, 'dare': 2691, 'apocolypse': 2692, 'crone': 2693, 'caledonia': 2694, 'concerned': 2695, 'scammed': 2696, 'scamsaction': 2697, 'temporarily': 2698, 'salon': 2699, 'shampoo': 2700, 'dragged': 2701, 'refusing': 2702, 'fightcovid19': 2703, 'ghana': 2704, 'ajrnews': 2705, 'once': 2706, 'northvancouver': 2707, 'management': 2708, 'availability': 2709, 'weather': 2710, 'storm': 2711, 'amway': 2712, 'spectrum': 2713, 'basket': 2714, 'benefit': 2715, 'starting': 2716, 'veggie': 2717, 'propping': 2718, 'nutrition': 2719, 'foodsupply': 2720, 'wheat': 2721, 'egg': 2722, 'grocerybills': 2723, '3naturaln': 2724, 'quietly': 2725, 'raging': 2726, 'head': 2727, 'lender': 2728, 'traditional': 2729, 'nonbank': 2730, 'player': 2731, 'sinking': 2732, 'further': 2733, 'beware': 2734, 'fraudulent': 2735, 'vaccine': 2736, 'treatment': 2737, 'evaluated': 2738, 'effectiveness': 2739, 'allowing': 2740, 'necessity': 2741, 'rip': 2742, 'disgraceful': 2743, 'vulnerability': 2744, 'outoforder': 2745, 'ebay': 2746, 'awful': 2747, 'road': 2748, 'rammed': 2749, 'seem': 2750, 'partying': 2751, 'room': 2752, 'jared': 2753, 'dad': 2754, 'kiss': 2755, 'royally': 2756, 'freaking': 2757, 'quaratinelife': 2758, 'destroy': 2759, 'useful': 2760, 'clearing': 2761, 'formaula': 2762, 'wuflu': 2763, '300th': 2764, 'minnesota': 2765, 'vermont': 2766, 'classified': 2767, 'personnel': 2768, 'brussels': 2769, 'belgium': 2770, '18': 2771, 'bruxelles': 2772, 'coronaoutbreak': 2773, 'togetheragainstcorona': 2774, 'preventing': 2775, 'absolute': 2776, 'selfishness': 2777, 'attack': 2778, 'president': 2779, 'packaged': 2780, 'monica': 2781, 'gellar': 2782, 'goingmental': 2783, 'usually': 2784, 'bit': 2785, 'sarcastic': 2786, 'prone': 2787, 'earnest': 2788, 'statement': 2789, 'immensely': 2790, 'proud': 2791, 'colleague': 2792, 'stepping': 2793, 'stayed': 2794, 'germaphobia': 2795, 'craziness': 2796, 'definitely': 2797, 'died': 2798, 'connecticut': 2799, 'florida': 2800, 'saturdaymorning': 2801, 'stayingalive': 2802, 'nogerms': 2803, 'supporting': 2804, 'recently': 2805, 'roundtable': 2806, 'scott': 2807, 'knaul': 2808, 'brings': 2809, 'discussion': 2810, 'tune': 2811, 'ccseries': 2812, 'canary': 2813, 'coal': 2814, 'severe': 2815, 'sink': 2816, 'remain': 2817, 'turbulence': 2818, 'boe': 2819, 'governor': 2820, 'andrew': 2821, 'holbrook': 2822, 'n': 2823, 'manchester': 2824, 'united': 2825, 'donated': 2826, 'result': 2827, 'mfm': 2828, 'heartland': 2829, 'usa': 2830, 'officially': 2831, 'pandey': 2832, 'controlling': 2833, 'costly': 2834, 'compared': 2835, 'town': 2836, 'village': 2837, 'far': 2838, 'induced': 2839, 'wife': 2840, 'inevitably': 2841, 'caring': 2842, 'herself': 2843, 'daughter': 2844, 'varying': 2845, 'degree': 2846, 'x': 2847, 'pub': 2848, 'heath': 2849, 'haywards': 2850, 'round': 2851, 'drink': 2852, 'supportlocalbusiness': 2853, 'robbing': 2854, 'york': 2855, 'manhattan': 2856, 'element': 2857, 'nearby': 2858, 'tried': 2859, 'gap': 2860, 'borisjohnson': 2861, 'nhsthankyou': 2862, 'nhsheroes': 2863, 'corvid19uk': 2864, 'joe': 2865, 'allen': 2866, 'bayhdole': 2867, 'bayh': 2868, 'dole': 2869, 'intended': 2870, 'dwindle': 2871, 'h1n1': 2872, 'sars': 2873, 'bird': 2874, 'hateful': 2875, 'telling': 2876, 'truth': 2877, 'irresponsible': 2878, 'lied': 2879, 'homeless': 2880, 'moved': 2881, 'onto': 2882, 'interview': 2883, 'gouging': 2884, 'harlem': 2885, 'olive': 2886, 'listed': 2887, 'chip': 2888, 'address': 2889, 'nation': 2890, 'committee': 2891, 'national': 2892, 'coordination': 2893, 'artificially': 2894, 'strongly': 2895, 'repress': 2896, 'prospect': 2897, 'volatile': 2898, 'mypov': 2899, 'chatter': 2900, 'background': 2901, 'lock': 2902, 'preppers': 2903, 'last': 2904, 'wks': 2905, 'peak': 2906, 'sarscov2': 2907, 'declaratory': 2908, 'ruling': 2909, 'qualifies': 2910, 'telephone': 2911, 'purpose': 2912, 'exception': 2913, 'stringent': 2914, 'consent': 2915, 'requirement': 2916, 'fixed': 2917, 'black': 2918, 'excessive': 2919, 'charge': 2920, 'incident': 2921, 'kindly': 2922, 'ep': 2923, 'honesty': 2924, 'positivity': 2925, 'soldout': 2926, 'aspect': 2927, 'spot': 2928, 'inthistogether': 2929, 'predict': 2930, 'church': 2931, 'suffer': 2932, 'unless': 2933, 'decide': 2934, 'virtual': 2935, 'psychiatrist': 2936, 'wanting': 2937, 'entertainment': 2938, 'dropping': 2939, 'story': 2940, 'adventure': 2941, 'writingcommnunity': 2942, 'forward': 2943, '10am': 2944, '2pm': 2945, 'bacon': 2946, 'butter': 2947, 'again': 2948, 'coronapandemic': 2949, 'planning': 2950, 'stayinformed': 2951, 'stayconnected': 2952, 'nailba2020': 2953, 'stopped': 2954, 'sliced': 2955, 'lunchmeat': 2956, '49': 2957, 'lb': 2958, 'bge': 2959, 'smokedturkey': 2960, 'ohiopreparedmeforthis': 2961, 'fridge': 2962, 'torture': 2963, 'survivor': 2964, 'fuligdi': 2965, 'terrified': 2966, 'medicine': 2967, 'djia': 2968, 'mild': 2969, 'negativity': 2970, 'trader': 2971, 'process': 2972, 'crosscurrent': 2973, 'initial': 2974, 'upward': 2975, 'spike': 2976, 'surge': 2977, 'slowly': 2978, 'grappling': 2979, 'bill': 2980, 'dont': 2981, 'panicing': 2982, 'welcome': 2983, 'melanie': 2984, 'rotating': 2985, 'selection': 2986, 'caf': 2987, 'operation': 2988, 'however': 2989, 'pre': 2990, 'cooked': 2991, 'considered': 2992, 'similar': 2993, 'interesting': 2994, 'con': 2995, 'shoukd': 2996, 'housearrest': 2997, 'freezer': 2998, 'cauliflower': 2999, 'walnut': 3000, 'taco': 3001, 'amidst': 3002, 'accelerating': 3003, 'surrounding': 3004, 'federal': 3005, 'ftc': 3006, 'refunding': 3007, 'invention': 3008, 'promotion': 3009, 'holiday': 3010, 'friday': 3011, 'sleep': 3012, 'bath': 3013, 'estimated': 3014, 'engagement': 3015, 'longer': 3016, 'benzene': 3017, 'asia': 3018, 'supported': 3019, 'solid': 3020, 'clouded': 3021, 'weak': 3022, 'icis': 3023, 'intermediate': 3024, 'solvent': 3025, 'detergent': 3026, 'lockdowneffect': 3027, 'lockdowndiaries': 3028, 'lockdownindia': 3029, 'lockdowndelhi': 3030, 'lockedindelhi': 3031, 'everyday': 3032, 'daunting': 3033, 'considerate': 3034, 'picking': 3035, 'sight': 3036, 'sign': 3037, 'petition': 3038, 'peoria': 3039, 'switching': 3040, 'example': 3041, 'ramped': 3042, 'reprogrammed': 3043, 'profiting': 3044, 'deputy': 3045, 'potential': 3046, 'oconee': 3047, 'licking': 3048, 'finger': 3049, 'section': 3050, 'decent': 3051, 'brand': 3052, 'john': 3053, 'lewis': 3054, 'debenhams': 3055, 'hmv': 3056, 'chandler': 3057, 'arizona': 3058, 'helpful': 3059, 'detailed': 3060, 'pickup': 3061, 'option': 3062, 'equinor': 3063, 'cfo': 3064, 'jesus': 3065, 'h': 3066, 'christ': 3067, 'bat': 3068, 'god': 3069, 'batsoup': 3070, 'batburger': 3071, 'batstew': 3072, 'batmeatloaf': 3073, 'batsandwich': 3074, 'batandchips': 3075, 'deepfriedbat': 3076, 'purchase': 3077, '3rd': 3078, 'largest': 3079, 'position': 3080, 'hammered': 3081, 'saudia': 3082, 'arabia': 3083, 'plu': 3084, 'christmas': 3085, 'turned': 3086, 'lay': 3087, 'definately': 3088, 'imo': 3089, 'argument': 3090, 'contaminated': 3091, 'remove': 3092, 'smoke': 3093, 'eith': 3094, 'individual': 3095, 'organization': 3096, 'denver': 3097, 'rescue': 3098, 'rosengren': 3099, 'impacting': 3100, 'lane': 3101, 'notanymore': 3102, 'kroger': 3103, 'hire': 3104, 'toiletpaperpanic': 3105, 'econtwitter': 3106, 'economics': 3107, 'economicresponse': 3108, 'televangelist': 3109, 'jim': 3110, 'bakker': 3111, 'effective': 3112, 'demanding': 3113, 'prove': 3114, 'posted': 3115, 'locally': 3116, 'afraid': 3117, 'afraidinslee': 3118, 'promotes': 3119, 'calming': 3120, 'hysteria': 3121, 'fakenews': 3122, 'inslee': 3123, 'multiplies': 3124, 'encourages': 3125, 'awakening': 3126, 'qanon': 3127, 'mall': 3128, 'grab': 3129, 'refused': 3130, 'shower': 3131, 'saferathome': 3132, 'bidet': 3133, 'coping': 3134, 'gym': 3135, 'meditation': 3136, 'class': 3137, 'accounting': 3138, 'paulraftery': 3139, 'projectsrh': 3140, 'multinationalinvestment': 3141, 'soveringrisk': 3142, 'insurablerisk': 3143, 'financialreporting': 3144, 'creditrating': 3145, 'seek': 3146, 'assistant': 3147, 'outrage': 3148, 'describing': 3149, 'boomer': 3150, 'remover': 3151, 'unjustified': 3152, 'ordinary': 3153, 'passenger': 3154, 'immigration': 3155, 'custom': 3156, 'traveler': 3157, 'screening': 3158, 'protocol': 3159, 'literacy': 3160, '2u': 3161, 'iplayer': 3162, 'tool': 3163, 'teach': 3164, 'wonderful': 3165, 'friendly': 3166, 'shelve': 3167, 'praised': 3168, 'note': 3169, 'newark': 3170, 'nj': 3171, 'necessary': 3172, 'newjersey': 3173, 'coronacommunity': 3174, 'hustler': 3175, 'scames': 3176, 'encourage': 3177, 'snake': 3178, 'falsely': 3179, 'touting': 3180, 'file': 3181, 'saudiarabia': 3182, 'hike': 3183, 'sha': 3184, 'riyadh': 3185, 'pandaapp': 3186, 'pakistanunitedagainstcorona': 3187, 'attitude': 3188, 'towards': 3189, 'thinking': 3190, 'optimism': 3191, 'overall': 3192, '48': 3193, 'staggering': 3194, 'evading': 3195, 'harm': 3196, 'stayhomesaveli': 3197, 'curve': 3198, 'roof': 3199, 'mental': 3200, 'handsanitizer': 3201, 'pivoted': 3202, 'spirit': 3203, 'ttb': 3204, 'guideline': 3205, 'coldchain': 3206, 'magnitude': 3207, 'shining': 3208, 'bright': 3209, 'danielle': 3210, 'dimartino': 3211, 'booth': 3212, 'ex': 3213, 'reserve': 3214, 'dallas': 3215, 'author': 3216, 'sits': 3217, 'pipeline': 3218, 'shutdown': 3219, '26': 3220, '51': 3221, 'anti': 3222, 'protest': 3223, 'trudeau': 3224, 'tide': 3225, 'employed': 3226, 'nov2019': 3227, 'easter': 3228, 'weekend': 3229, 'dedication': 3230, 'handy': 3231, 'expediting': 3232, 'reducing': 3233, 'eliminating': 3234, 'providing': 3235, 'residency': 3236, 'successful': 3237, 'applicant': 3238, 'worrying': 3239, 'boyfriend': 3240, 'lalo': 3241, 'na': 3242, 'ngayon': 3243, 'sa': 3244, 'taytay': 3245, 'n95mask': 3246, 'healthcareworkers': 3247, 'procedure': 3248, 'getmeppe': 3249, 'getusppe': 3250, 'deal': 3251, 'followed': 3252, 'later': 3253, '30': 3254, 'sheeple': 3255, 'metre': 3256, 'pandemia': 3257, 'quedateencasa': 3258, 'qu': 3259, 'dateencasa': 3260, 'yomequedoencasa': 3261, 'pandemiacoronavirus': 3262, 'santodomingo': 3263, 'dominicanrepublic': 3264, 'riddle': 3265, 'creates': 3266, 'suspend': 3267, 'thereby': 3268, 'forcing': 3269, 'healthy': 3270, 'planned': 3271, 'surpass': 3272, 'mugged': 3273, 'grabbed': 3274, 'ran': 3275, 'lockdownuk': 3276, 'value': 3277, 'belittle': 3278, 'bin': 3279, 'bumping': 3280, 'generally': 3281, 'damned': 3282, 'bare': 3283, 'afghanistan': 3284, 'distributing': 3285, 'woman': 3286, 'displaced': 3287, 'camp': 3288, 'kabul': 3289, 'speed': 3290, 'segment': 3291, 'chilliwack': 3292, 'daventry': 3293, 'redeployed': 3294, 'overwhelmed': 3295, 'shitpocalypse': 3296, 'log': 3297, 'visited': 3298, 'regular': 3299, 'scheduled': 3300, 'frequency': 3301, 'mofos': 3302, 'twinkie': 3303, 'survival': 3304, 'woody': 3305, 'harelson': 3306, 'character': 3307, 'tallahassee': 3308, 'movie': 3309, 'zombieland': 3310, 'emptyshelves': 3311, 'biocidal': 3312, 'regulation': 3313, 'suitable': 3314, 'hygiene': 3315, 'processing': 3316, 'environment': 3317, 'catering': 3318, 'receive': 3319, 'communication': 3320, 'grant': 3321, 'exchange': 3322, 'fee': 3323, 'respond': 3324, 'carbon': 3325, 'flagship': 3326, 'slump': 3327, 'european': 3328, 'challenging': 3329, 'massive': 3330, 'ordering': 3331, 'lp': 3332, 'cd': 3333, 'independently': 3334, 'owned': 3335, 'covidiot': 3336, 'noun': 3337, 'vid': 3338, 'ee': 3339, 'ut': 3340, 'as': 3341, 'tipper': 3342, 'gigeconomy': 3343, 'quaratineandchill': 3344, 'postmates': 3345, 'wouldn': 3346, 'functional': 3347, 'supervisor': 3348, 'wh': 3349, 'required': 3350, 'irradiate': 3351, 'killing': 3352, 'ahead': 3353, 'view': 3354, 'slipped': 3355, 'side': 3356, 'crowd': 3357, 'create': 3358, 'internet': 3359, 'fulfilled': 3360, 'fcc': 3361, 'connected': 3362, 'america': 3363, 'drag': 3364, 'modernize': 3365, 'concept': 3366, 'introduced': 3367, 'urgency': 3368, 'possibly': 3369, 'goal': 3370, 'hate': 3371, 'whatsale': 3372, 'viewing': 3373, 'bst': 3374, 'fuckwits': 3375, 'complaining': 3376, 'lawsofeconomics': 3377, 'supplyanddemand': 3378, 'shortened': 3379, 'course': 3380, 'hole': 3381, 'hitting': 3382, 'observe': 3383, 'simulator': 3384, '83': 3385, 'healthyeating': 3386, 'comforteating': 3387, 'globaldata': 3388, 'debut': 3389, 'restocker': 3390, 'appearing': 3391, 'keephustling': 3392, 'keeplaughing': 3393, 'inflation': 3394, 'detention': 3395, 'dead': 3396, 'pakistan': 3397, 'kar': 3398, 'poop': 3399, 'danny': 3400, 'forevah': 3401, 'evah': 3402, 'twin': 3403, 'gave': 3404, 'forbid': 3405, 'gear': 3406, 'stopandshopdobetter': 3407, 'thankyo': 3408, 'sun': 3409, 'k': 3410, 'penetration': 3411, 'panel': 3412, 'brick': 3413, 'mortar': 3414, 'switch': 3415, 'fucker': 3416, 'embarrassing': 3417, 'charitable': 3418, 'thoughtful': 3419, 'generous': 3420, 'suppliesfor': 3421, 'corporate': 3422, 'generation': 3423, 'mba': 3424, 'badged': 3425, 'consultant': 3426, 'private': 3427, 'equiteers': 3428, 'undermining': 3429, 'resilience': 3430, 'grabbing': 3431, 'ramping': 3432, 'dobetter': 3433, 'yvr': 3434, 'disgusting': 3435, 'yyc': 3436, 'canonforcommunity': 3437, 'creator': 3438, 'sheikhhasina': 3439, 'bangladesh': 3440, 'urged': 3441, 'prison': 3442, 'cuomo': 3443, 'pledged': 3444, '35k': 3445, 'coughed': 3446, 'twisted': 3447, 'prank': 3448, 'analytics': 3449, 'damaging': 3450, 'electronics': 3451, 'semiconductor': 3452, 'globally': 3453, 'wholesaler': 3454, 'diy': 3455, 'diymask': 3456, 'staysafeathome': 3457, 'facecover': 3458, 'organized': 3459, 'stayorganized': 3460, 'masks4all': 3461, 'laprotects': 3462, 'maskmabuti': 3463, 'user': 3464, 'fit': 3465, 'supermarketsweep': 3466, 'mothersday2020': 3467, 'account': 3468, 'emptying': 3469, 'paint': 3470, 'bleak': 3471, 'beyond': 3472, 'sensational': 3473, 'pull': 3474, 'becomes': 3475, 'norm': 3476, 'newhampshire': 3477, 'shoutout': 3478, 'variable': 3479, 'covid19': 3480, 'greatly': 3481, 'banish': 3482, 'wave': 3483, 'banishthebeast': 3484, 'coupon': 3485, 'added': 3486, 'emptive': 3487, 'eh': 3488, 'dollywood': 3489, 'thesmokies': 3490, 'timeline': 3491, 'eventual': 3492, 'indicator': 3493, 'improvement': 3494, 'tuned': 3495, 'shankar': 3496, 'stranded': 3497, 'evicted': 3498, 'accommodation': 3499, 'rescued': 3500, 'obvious': 3501, 'eldon': 3502, 'kinkora': 3503, 'morell': 3504, 'beat': 3505, 'queuing': 3506, 'coronavtj': 3507, 'regained': 3508, 'strength': 3509, 'lummi': 3510, 'mothersday': 3511, 'unable': 3512, 'pushed': 3513, '0': 3514, 'east': 3515, 'exporter': 3516, 'plunging': 3517, 'glut': 3518, 'imfblog': 3519, 'significantly': 3520, 'auto': 3521, 'premium': 3522, 'reflect': 3523, 'spark': 3524, 'zealand': 3525, 'mon': 3526, '60': 3527, 'removing': 3528, 'overage': 3529, 'broadband': 3530, 'applies': 3531, 'hated': 3532, 'clarify': 3533, 'soul': 3534, 'editor': 3535, 'recycling': 3536, 'tudball': 3537, 'virgin': 3538, 'rpet': 3539, 'arent': 3540, 'sex': 3541, 'toy': 3542, 'adulttoymegastore': 3543, 'lubricant': 3544, 'vibrator': 3545, 'battery': 3546, 'requires': 3547, 'location': 3548, 'poi': 3549, 'mapping': 3550, 'rover': 3551, 'velar': 3552, 'replacement': 3553, 'engine': 3554, 'unbeatable': 3555, 'rangerover': 3556, 'uklockdownnow': 3557, 'downturn': 3558, 'nature': 3559, 'unlikely': 3560, 'negotiation': 3561, 'contract': 3562, '200330': 3563, 'flight': 3564, 'club': 3565, 'wechat': 3566, 'talked': 3567, 'sneaker': 3568, 'resell': 3569, 'dropped': 3570, 'rapidly': 3571, 'jumped': 3572, 'settled': 3573, 'dinner': 3574, 'hungry': 3575, 'humane': 3576, 'hsec': 3577, 'mission': 3578, 'freeze': 3579, 'rent': 3580, 'offs': 3581, 'qualify': 3582, 'un': 3583, 'employment': 3584, 'direct': 3585, 'japanese': 3586, 'robson': 3587, 'downtown': 3588, 'vancouver': 3589, 'green': 3590, 'tape': 3591, 'marking': 3592, 'reaction': 3593, 'survivalist': 3594, 'bent': 3595, 'asshole': 3596, 'guide': 3597, 'examines': 3598, 'handling': 3599, 'disclose': 3600, 'nationwide': 3601, 'surprised': 3602, 'yelled': 3603, 'shouting': 3604, 'yell': 3605, 'hcw': 3606, 'dy': 3607, 'orphaned': 3608, 'prefer': 3609, 'nobody': 3610, 'rather': 3611, 'contamination': 3612, 'advised': 3613, '7th': 3614, 'muzak': 3615, 'awareness': 3616, 'amma': 3617, 'unavagam': 3618, 'ramanathapuram': 3619, 'coimbatore': 3620, 'ammaunavagam': 3621, 'fightagainstcoronavirus': 3622, 'anaheim': 3623, 'california': 3624, 'boycott': 3625, '1216': 3626, 'magnolia': 3627, 'ave': 3628, 'ca': 3629, '92804': 3630, '714': 3631, '229': 3632, '0618': 3633, 'pricegougers': 3634, 'totally': 3635, 'depends': 3636, 'junk': 3637, 'prevention': 3638, 'method': 3639, 'govindia': 3640, 'indiafightscorona': 3641, 'frantic': 3642, 'scramble': 3643, 'ventilator': 3644, 'soldier': 3645, 'perfumer': 3646, 'called': 3647, 'retirement': 3648, 'moscowmitch': 3649, 'bailouts': 3650, 'fat': 3651, 'tz': 3652, 'tanzania': 3653, 'lower': 3654, 'bundle': 3655, 'bearable': 3656, 'isolated': 3657, 'hacker': 3658, 'impersonate': 3659, 'insurancefraud': 3660, 'healthcarefraud': 3661, 'threshold': 3662, 'identified': 3663, 'evolve': 3664, 'alarming': 3665, 'informative': 3666, 'particle': 3667, 'air': 3668, 'greeted': 3669, 'locked': 3670, 'reached': 3671, 'capacity': 3672, 'bradpaisley': 3673, 'st': 3674, 'louis': 3675, 'spite': 3676, 'albeit': 3677, 'unabated': 3678, 'agriculture': 3679, 'thoko': 3680, 'didiza': 3681, 'reassurance': 3682, 'democrat': 3683, 'blocking': 3684, 'assistance': 3685, 'crime': 3686, 'unrest': 3687, 'fyi': 3688, 'macon': 3689, 'bibb': 3690, 'cheney': 3691, 'brother': 3692, '478': 3693, '250': 3694, '3699': 3695, '352': 3696, '291': 3697, '7800': 3698, 'prescription': 3699, 'rx': 3700, 'sunday': 3701, 'ireland': 3702, 'prohibits': 3703, 'establishment': 3704, 'dispenser': 3705, 'politely': 3706, 'picnic': 3707, 'ignore': 3708, 'reverend': 3709, 'hosting': 3710, 'dance': 3711, 'rave': 3712, 'farming': 3713, 'wedding': 3714, 'dress': 3715, 'drinking': 3716, 'wine': 3717, 'inflatable': 3718, 'unicorn': 3719, 'costume': 3720, 'kiwi': 3721, 'smiling': 3722, 'defer': 3723, 'wall': 3724, '164': 3725, 'strain': 3726, 'profitability': 3727, 'nassau': 3728, 'reassure': 3729, 'countryman': 3730, 'manufacturing': 3731, 'respreators': 3732, 'clothing': 3733, 'shield': 3734, 'glass': 3735, 'auspol': 3736, 'ausgov': 3737, 'grows': 3738, 'hazard': 3739, 'tiktok': 3740, 'prompted': 3741, 'cooking': 3742, 'eating': 3743, 'accessing': 3744, 'nutritious': 3745, 'promote': 3746, 'property': 3747, 'london': 3748, 'kentucky': 3749, '99': 3750, 'gallon': 3751, 'western': 3752, 'phase': 3753, 'empathy': 3754, 'emphasizing': 3755, 'recovery': 3756, 'bounce': 3757, 'festival': 3758, 'dbrs': 3759, 'morningstar': 3760, 'downgraded': 3761, 'province': 3762, 'alberta': 3763, 'sam': 3764, 'sends': 3765, 'knowing': 3766, 'cu': 3767, 'youtuber': 3768, 'kaplamino': 3769, 'known': 3770, 'heathrobinson': 3771, 'rubegoldberg': 3772, 'contraption': 3773, 'dispensing': 3774, 'machine': 3775, 'burning': 3776, 'spring': 3777, 'housing': 3778, 'slower': 3779, 'pause': 3780, 'rabbit': 3781, 'distilling': 3782, 'led': 3783, 'paradox': 3784, 'upended': 3785, 'hum': 3786, 'along': 3787, 'dose': 3788, 'denial': 3789, 'consequence': 3790, 'sickness': 3791, 'stood': 3792, 'humor': 3793, 'stoodupjohn': 3794, 'smile': 3795, 'comedy': 3796, 'coffee': 3797, 'comic': 3798, 'merchandising': 3799, 'holding': 3800, 'shouldering': 3801, 'citizenship': 3802, '1500': 3803, 'ethiopia': 3804, 'condition': 3805, 'threat': 3806, 'southernil': 3807, 'carbondale': 3808, 'littleegypt': 3809, 'southernillinois': 3810, 'illinoislockdown': 3811, 'cnn': 3812, 'legit': 3813, 'package': 3814, 'transit': 3815, 'dreading': 3816, 'shelterinplace': 3817, 'considering': 3818, 'revised': 3819, 'suite': 3820, 'advertising': 3821, 'interrupted': 3822, 'cent': 3823, 'complain': 3824, 'yourselves': 3825, 'inflicted': 3826, 'tweeting': 3827, 'ruined': 3828, 'abusing': 3829, 'hadn': 3830, 'stupid': 3831, 'washing': 3832, 'rajender': 3833, 'coronalockdown': 3834, 'shud': 3835, 'augment': 3836, 'ambulance': 3837, 'telangana': 3838, '108': 3839, 'unreachable': 3840, 'hitch': 3841, 'ride': 3842, 'downlo': 3843, 'facebook': 3844, 'letting': 3845, 'washington': 3846, 'league': 3847, 'transparency': 3848, 'ethic': 3849, 'accuses': 3850, 'washlite': 3851, 'violating': 3852, 'privacy': 3853, 'margin': 3854, 'sterile': 3855, 'maximum': 3856, 'emirate': 3857, 'decontaminates': 3858, 'bruno': 3859, 'lina': 3860, 'answered': 3861, 'transfered': 3862, 'respiration': 3863, 'dear': 3864, 'sir': 3865, 'direction': 3866, 'voted': 3867, 'exploiting': 3868, 'celebrate': 3869, 'relaunch': 3870, 'sweet': 3871, 'bakery': 3872, 'damper': 3873, 'commend': 3874, 'outstanding': 3875, 'dr': 3876, 'hubert': 3877, 'minnis': 3878, 'bahamian': 3879, 'sucking': 3880, 'cock': 3881, 'ercot': 3882, 'manages': 3883, 'flow': 3884, 'electric': 3885, 'power': 3886, 'represents': 3887, 'plastic': 3888, 'reuse': 3889, 'ariadni': 3890, 'workplace': 3891, 'soared': 3892, 'predominantly': 3893, 'pair': 3894, 'isn': 3895, 'sanitary': 3896, 'tear': 3897, 'project': 3898, 'delay': 3899, 'cancellation': 3900, 'firm': 3901, 'commercial': 3902, 'dwindles': 3903, 'searching': 3904, 'differently': 3905, 'connection': 3906, 'adjusting': 3907, 'adult': 3908, 'fault': 3909, 'aged': 3910, 'uv': 3911, 'wand': 3912, 'handheld': 3913, 'ultra': 3914, 'violet': 3915, 'bacteria': 3916, 'germ': 3917, 'sterilizer': 3918, 'asos': 3919, 'plt': 3920, 'excuse': 3921, 'crappy': 3922, 'lunchboxes': 3923, 'deferral': 3924, 'collection': 3925, 'program': 3926, 'blend': 3927, 'human': 3928, '900': 3929, 'imconfusedasf': 3930, 'wherecanigo': 3931, 'californialockdown': 3932, 'assisting': 3933, 'govts': 3934, 'sourced': 3935, 'mil': 3936, 'microsoft': 3937, 'onmsft': 3938, 'hervey': 3939, 'replaced': 3940, 'toiletry': 3941, 'isle': 3942, 'filled': 3943, 'brim': 3944, '7news': 3945, 'abou': 3946, 'tq': 3947, 'dmk': 3948, 'lockdownnz': 3949, 'analysis': 3950, 'steel': 3951, 'mill': 3952, 'purchasing': 3953, 'grade': 3954, 'fine': 3955, 'sintering': 3956, 'pelletizing': 3957, 'shifting': 3958, 'lump': 3959, 'pellet': 3960, 'ironore': 3961, 'follows': 3962, 'wrecked': 3963, 'peace': 3964, 'frenzy': 3965, 'paramedic': 3966, '19uk': 3967, 'hc': 3968, 'keralahighcourt': 3969, 'chinavirus': 3970, 'segovia': 3971, 'tokyo': 3972, 'reuters': 3973, 'third': 3974, 'session': 3975, 'darkened': 3976, 'triggered': 3977, 'ec': 3978, 'signal': 3979, 'sachet': 3980, 'ministryofwatergh': 3981, 'ministryofinfomation': 3982, 'ghanahealthservice': 3983, 'basic': 3984, 'nappy': 3985, 'materialising': 3986, 'disorder': 3987, 'configure': 3988, 'galen': 3989, 'weston': 3990, 'loblaw': 3991, 'sdm': 3992, 'forthecustomer': 3993, 'la': 3994, 'vega': 3995, 'lingering': 3996, 'lasvegas': 3997, 'recordnews': 3998, 'college': 3999, 'mail': 4000, 'shopoholic': 4001, 'intervention': 4002, 'entered': 4003, 'destruction': 4004, 'retailnews': 4005, 'brickandmortar': 4006, 'nestlequick': 4007, 'coca': 4008, 'cola': 4009, 'acquired': 4010, 'fewer': 4011, 'alerting': 4012, 'document': 4013, 'existed': 4014, 'uncharted': 4015, 'imposter': 4016, 'captain': 4017, '2m': 4018, 'hockeyfamily': 4019, 'picture': 4020, '4yrs': 4021, 'jamming': 4022, 'checkout': 4023, 'matter': 4024, 'rotten': 4025, 'tomato': 4026, 'soup': 4027, 'screwed': 4028, 'pursuit': 4029, 'university': 4030, 'quarantinediaries': 4031, 'perfect': 4032, 'journaling': 4033, 'quarantineactivities': 4034, 'quarantinebirthday': 4035, 'masks4allchallenge': 4036, 'amwriting': 4037, 'eastersunday': 4038, 'britain': 4039, 'arrested': 4040, 'convicted': 4041, 'fined': 4042, 'failing': 4043, 'identity': 4044, 'comply': 4045, 'surprisingly': 4046, 'standing': 4047, 'announcing': 4048, 'specific': 4049, 'denied': 4050, 'bunch': 4051, 'arsehole': 4052, 'shout': 4053, 'halting': 4054, 'biofuel': 4055, 'plant': 4056, 'carers': 4057, 'keeper': 4058, 'fire': 4059, 'greatbritain': 4060, 'wanted': 4061, 'existing': 4062, 'matchstick': 4063, 'madworld': 4064, 'dip': 4065, 'earned': 4066, 'ripple': 4067, 'foodcupboards': 4068, 'swan': 4069, 'inevitable': 4070, 'rethinking': 4071, 'ive': 4072, 'kansa': 4073, 'dan': 4074, 'brien': 4075, 'updated': 4076, 'disclosure': 4077, 'senator': 4078, 'richard': 4079, 'burr': 4080, 'kelly': 4081, 'loefner': 4082, 'dianne': 4083, 'feinstein': 4084, 'ron': 4085, 'inhofe': 4086, 'tracking': 4087, 'marketer': 4088, 'commentary': 4089, 'nate': 4090, 'donnay': 4091, 'intl': 4092, 'fcstone': 4093, 'inc': 4094, 'fcm': 4095, 'division': 4096, 'quoted': 4097, 'oatt': 4098, 'center': 4099, 'provided': 4100, 'practical': 4101, 'meenal': 4102, 'sharma': 4103, 'jagtap': 4104, 'pramod': 4105, 'kumar': 4106, 'nayak': 4107, 'attended': 4108, 'webinars': 4109, 'organised': 4110, 'consulting': 4111, 'topic': 4112, 'fashion': 4113, 'mckinsey': 4114, 'gauge': 4115, 'expectation': 4116, 'survey': 4117, 'collected': 4118, 'easterbasket': 4119, 'microban': 4120, 'sprayed': 4121, 'constant': 4122, 'postcovidworld': 4123, 'newnormal': 4124, 'campaignspot': 4125, 'directly': 4126, 'paranoia': 4127, 'rumour': 4128, 'generating': 4129, 'faith': 4130, 'among': 4131, 'baseball': 4132, 'struck': 4133, 'row': 4134, 'chinesevirus': 4135, 'privilege': 4136, 'evening': 4137, 'encounter': 4138, 'dilemma': 4139, 'felt': 4140, 'breathe': 4141, 'freeverse': 4142, 'poem': 4143, 'panicattack': 4144, 'poongothai': 4145, 'aladi': 4146, 'aruna': 4147, 'grain': 4148, 'enormous': 4149, 'released': 4150, 'kg': 4151, 'cov': 4152, 'begin': 4153, 'bridge': 4154, 'wasted': 4155, 'billion': 4156, 'poverty': 4157, 'oxfam': 4158, 'waste': 4159, 'grocer': 4160, 'sheer': 4161, 'traffic': 4162, 'rural': 4163, 'northern': 4164, 'hunting': 4165, 'fishing': 4166, 'ab': 4167, 'cdnpoli': 4168, 'gurney': 4169, 'girlscoutcookies': 4170, 'woah': 4171, 'ending': 4172, 'collective': 4173, 'finland': 4174, 'certified': 4175, 'ffp2': 4176, 'expecting': 4177, 'deceived': 4178, 'era': 4179, 'hankering': 4180, 'sm': 4181, 'hypermarket': 4182, 'cubao': 4183, 'headed': 4184, 'localshops': 4185, 'exploit': 4186, 'illegal': 4187, '0203738600': 4188, 'danish': 4189, 'incompetent': 4190, 'dk': 4191, 'socdem': 4192, 'kyiv': 4193, 'ukraine': 4194, 'disinfect': 4195, 'billa': 4196, 'welldone': 4197, 'perhaps': 4198, 'valley': 4199, 'arroyo': 4200, 'crossing': 4201, 'receiving': 4202, 'visitor': 4203, 'sadly': 4204, 'ketchup': 4205, 'slowthespread': 4206, 'robocalls': 4207, 'scheme': 4208, 'annoying': 4209, 'unwanted': 4210, 'hang': 4211, 'lupe': 4212, 'supplemental': 4213, 'alternative': 4214, 'overturning': 4215, 'prescribing': 4216, 'gluten': 4217, 'karma': 4218, 'none': 4219, 'posting': 4220, '70': 4221, 'curfew': 4222, 'rooah': 4223, 'sopakco': 4224, 'mre': 4225, 'ration': 4226, 'letsfightcorona': 4227, 'ignite': 4228, 'artificial': 4229, 'scarcity': 4230, 'ultimately': 4231, 'insurer': 4232, 'substantial': 4233, 'recognize': 4234, 'scriptco': 4235, 'wholesale': 4236, '10k': 4237, 'taxi': 4238, 'del': 4239, 'gather': 4240, 'justify': 4241, 'armas': 4242, 'amazon': 4243, 'pricing': 4244, 'stress': 4245, 'triggering': 4246, 'heck': 4247, 'hearing': 4248, 'apart': 4249, 'elsewhere': 4250, 'thro': 4251, 'escalate': 4252, 'digest': 4253, '22': 4254, 'bogus': 4255, 'snopes': 4256, 'lupus': 4257, 'arthritis': 4258, 'hyped': 4259, 'chiropractor': 4260, 'naturopath': 4261, 'plz': 4262, 'decimated': 4263, 'inflated': 4264, 'tax': 4265, 'blow': 4266, 'keg': 4267, 'packed': 4268, 'gunpowder': 4269, 'mainstream': 4270, 'republican': 4271, 'suggesting': 4272, 'sacrificed': 4273, 'gop': 4274, 'notdying4wallstreet': 4275, 'globe': 4276, 'checklist': 4277, 'cover': 4278, 'powerful': 4279, 'harmful': 4280, 'nsw': 4281, 'stepped': 4282, 'ltr': 4283, 'dettol': 4284, 'kanikakapoor': 4285, 'whatever': 4286, 'banning': 4287, 'event': 4288, 'handedly': 4289, 'undo': 4290, 'sneezing': 4291, 'centipede': 4292, 'install': 4293, 'divine': 4294, 'trumppressbriefing': 4295, 'pressconference': 4296, 'dude': 4297, 'environmental': 4298, 'sustainability': 4299, 'oilprice': 4300, 'finance': 4301, 'salute': 4302, 'aldi': 4303, 'sensibly': 4304, 'reluctant': 4305, 'expose': 4306, 'possible': 4307, 'preferred': 4308, 'swi': 4309, 'manipulation': 4310, 'uncalled': 4311, 'smack': 4312, 'bastard': 4313, 'frontliners': 4314, 'minorites': 4315, 'highly': 4316, 'lt': 4317, 'plentiful': 4318, 'spam': 4319, 'jan': 4320, 'storey': 4321, 'beaumaris': 4322, 'letter': 4323, 'william': 4324, 'hillis': 4325, 'shiller': 4326, 'responding': 4327, 'marketinsights': 4328, 'realestatetrends': 4329, 'mobile': 4330, 'van': 4331, 'jalna': 4332, '19india': 4333, 'austrian': 4334, 'limiting': 4335, 'deemed': 4336, 'overstretched': 4337, 'charlotte': 4338, 'covid19uk': 4339, 'practising': 4340, 'simple': 4341, 'easyfundraising': 4342, 'taj': 4343, 'mlas': 4344, 'negotiated': 4345, 'mp': 4346, 'opposition': 4347, 'profiteering': 4348, 'feature': 4349, 'poetry': 4350, 'dalitso': 4351, 'ndlovu': 4352, 'bride': 4353, 'vain': 4354, 'sacrifice': 4355, 'elia': 4356, 'muonde': 4357, 'ink': 4358, 'oracle': 4359, 'poet': 4360, 'founder': 4361, 'joining': 4362, 'startupsvscovid19': 4363, 'ama': 4364, 'moderating': 4365, 'waynerogers': 4366, 'hilarious': 4367, 'diaper': 4368, 'wereallinthistogether': 4369, 'substitute': 4370, 'sorting': 4371, 'no10': 4372, 'armyforfooddistribution': 4373, 'seriousness': 4374, 'arduous': 4375, 'thier': 4376, 'stopit': 4377, 'houston': 4378, '30am': 4379, 'sky': 4380, 'forecaster': 4381, 'doomsday': 4382, 'hnvx2ysb6b': 4383, 'sainsbury': 4384, 'halt': 4385, 'accuracy': 4386, 'flattening': 4387, 'flattenthecurve': 4388, 'skilled': 4389, 'upon': 4390, 'digitalpolice': 4391, 'soar': 4392, 'kick': 4393, 'azadpur': 4394, 'mandi': 4395, 'disrupted': 4396, 'strained': 4397, 'shed': 4398, 'fragile': 4399, 'recommend': 4400, 'gang': 4401, 'rando': 4402, 'involved': 4403, 'iowa': 4404, 'avoiding': 4405, 'mspaamericas': 4406, 'mspa': 4407, 'mysteryshopping': 4408, 'evaluator': 4409, 'lifted': 4410, 'eight': 4411, 'colombo': 4412, 'sri': 4413, 'lanka': 4414, '6am': 4415, 'vendor': 4416, 'justice': 4417, 'versova': 4418, 'natraj': 4419, 'shifa': 4420, 'yariroad': 4421, 'mumbaipolice': 4422, 'mybmc': 4423, 'cmomaharashtra': 4424, 'combat': 4425, 'richardburr': 4426, 'kellyloeffler': 4427, 'accused': 4428, 'insider': 4429, 'dumped': 4430, 'loeffler': 4431, 'suit': 4432, 'atomic': 4433, 'robot': 4434, 'lowering': 4435, 'backissueking': 4436, 'informed': 4437, 'recommended': 4438, 'postpone': 4439, 'aggressive': 4440, 'scrub': 4441, 'coat': 4442, 'plague': 4443, 'peatfree': 4444, 'compost': 4445, 'entertained': 4446, 'starbucks': 4447, 'programme': 4448, 'operated': 4449, 'licensed': 4450, 'accompaniment': 4451, 'numerous': 4452, 'genre': 4453, 'singing': 4454, 'lesson': 4455, 'swmbletin': 4456, 'discover': 4457, 'circular': 4458, 'footprint': 4459, 'cycle': 4460, 'juan': 4461, 'jos': 4462, 'argudo': 4463, 'airbnb': 4464, 'smashed': 4465, 'board': 4466, 'coughing': 4467, 'looked': 4468, 'walkingdisease': 4469, 'acquire': 4470, '100ml': 4471, 'form': 4472, 'honestly': 4473, 'tricky': 4474, 'haringey': 4475, 'stepdad': 4476, 'permanent': 4477, 'er': 4478, 'pls': 4479, 'potd366': 4480, '84': 4481, 'cheer': 4482, 'potd': 4483, 'yearinphotos': 4484, 'mylifeinpictures': 4485, 'southlondon': 4486, 'northeast': 4487, 'particularly': 4488, 'mindful': 4489, 'loose': 4490, 'proposed': 4491, 'renewed': 4492, 'moratorium': 4493, 'proposal': 4494, 'classify': 4495, 'ineligible': 4496, 'leverage': 4497, 'biz': 4498, 'renter': 4499, 'homeowner': 4500, 'ph': 4501, 'grace': 4502, 'tipping': 4503, 'alaska': 4504, 'wage': 4505, '75': 4506, 'deserving': 4507, 'chunky': 4508, 'peanut': 4509, 'coronapocalypse': 4510, 'yknow': 4511, 'ryan': 4512, 'deadpool': 4513, 'nah': 4514, 'horders': 4515, 'pe': 4516, 'manufacture': 4517, 'gel': 4518, 'controlled': 4519, 'ch': 4520, 'mutiny': 4521, 'bounty': 4522, 'papertowels': 4523, 'struggled': 4524, 'revenue': 4525, 'stressed': 4526, 'vastly': 4527, 'trigger': 4528, 'tourism': 4529, 'budget': 4530, 'exorbitant': 4531, 'seller': 4532, 'shameful': 4533, 'touro': 4534, 'scruffy': 4535, 'lic': 4536, 'woodside': 4537, 'elmhurst': 4538, 'jackson': 4539, 'height': 4540, 'hamburger': 4541, 'twice': 4542, 'nystrong': 4543, 'joburg': 4544, 'luthuli': 4545, '6th': 4546, 'floor': 4547, 'sauer': 4548, 'johannesburg': 4549, 'refunded': 4550, 'develops': 4551, 'schoolclosureuk': 4552, 'inxink': 4553, 'inxnews': 4554, 'determined': 4555, 'dickhead': 4556, 'raiding': 4557, 'byham': 4558, 'ballingdon': 4559, 'operating': 4560, 'han': 4561, 'knight': 4562, 'frank': 4563, 'predicts': 4564, 'expected': 4565, 'itself': 4566, 'overblown': 4567, 'majorly': 4568, '7500': 4569, '009375': 4570, 'bodega': 4571, 'sense': 4572, 'printed': 4573, 'trillion': 4574, 'partially': 4575, 'terrible': 4576, 'whereas': 4577, 'autonomy': 4578, 'printing': 4579, '3t': 4580, '7b': 4581, 'upsetting': 4582, 'mailinvoting': 4583, 'vote': 4584, 'cheat': 4585, 'dublin': 4586, 'nursing': 4587, 'icw': 4588, 'ward': 4589, 'banal': 4590, 'reporting': 4591, 'fraudwatch': 4592, 'hydro': 4593, 'powering': 4594, 'thanking': 4595, 'midst': 4596, 'wednesdaymotivation': 4597, 'negatively': 4598, 'refill': 4599, 'stash': 4600, 'mondelez': 4601, 'expects': 4602, '2008': 4603, 'happened': 4604, 'theft': 4605, 'deregulation': 4606, 'breakdown': 4607, 'held': 4608, 'relatively': 4609, 'surviving': 4610, 'darknet': 4611, 'checked': 4612, 'flogging': 4613, 'whom': 4614, 'villain': 4615, 'sykescottages': 4616, 'hugely': 4617, 'centric': 4618, 'sussex': 4619, 'swamped': 4620, 'braving': 4621, '55': 4622, 'easily': 4623, 'manipulated': 4624, 'react': 4625, 'leaf': 4626, 'tue': 4627, 'wed': 4628, 'butcher': 4629, 'epilepsy': 4630, 'thu': 4631, 'fri': 4632, 'sat': 4633, 'grounded': 4634, 'wild': 4635, 'portfolio': 4636, '401ks': 4637, 'shelter': 4638, 'tactic': 4639, 'publix': 4640, 'mysterious': 4641, 'patch': 4642, 'forming': 4643, 'imadethisup': 4644, 'alliance': 4645, 'xu': 4646, 'ipo': 4647, 'simultaneously': 4648, 'cardiac': 4649, 'woodman': 4650, 'doings': 4651, 'bluecollarsolid': 4652, 'applause': 4653, 'serf': 4654, 'prankster': 4655, 'terror': 4656, 'convid': 4657, 'status': 4658, 'gdp': 4659, 'tn': 4660, 'borrowing': 4661, 'contraction': 4662, '2tn': 4663, '136': 4664, 'edible': 4665, 'dab': 4666, 'whiskey': 4667, 'ammo': 4668, 'dash': 4669, 'maker': 4670, 'coronapocalypse2020': 4671, 'wuhanvirus': 4672, 'ccp': 4673, 'father': 4674, 'separated': 4675, 'supportlocal': 4676, 'delaware': 4677, 'boutique': 4678, 'brewery': 4679, 'easier': 4680, 'totino': 4681, 'upped': 4682, '119': 4683, 'patrona': 4684, 'continued': 4685, 'purdue': 4686, 'athletics': 4687, 'boilerup': 4688, '311': 4689, 'wayne': 4690, 'pa': 4691, 'seafood': 4692, 'palmsunday': 4693, 'zeoliarmy': 4694, 'chemist': 4695, 'indispensable': 4696, 'dining': 4697, 'beach': 4698, 'adding': 4699, 'wastewater': 4700, 'reduces': 4701, 'dfs': 4702, 'bargain': 4703, 'michigan': 4704, 'sen': 4705, 'ruth': 4706, 'jeremy': 4707, 'moss': 4708, 'unsuspecting': 4709, 'phishing': 4710, 'downtownithaca': 4711, 'ithacany': 4712, 'investigation': 4713, 'fully': 4714, 'idling': 4715, 'feud': 4716, 'competitionalert': 4717, 'participate': 4718, 'stayhomestaysa': 4719, 'lose': 4720, 'mortgage': 4721, 'savetheeconomy': 4722, 'mess': 4723, 'obe': 4724, 'mbe': 4725, 'bezos': 4726, 'boom': 4727, 'maga': 4728, 'belive': 4729, 'shoot': 4730, 'potentialy': 4731, 'dime': 4732, 'algo': 4733, 'advocating': 4734, 'happen': 4735, 'diary': 4736, 'orpington': 4737, '4pm': 4738, 'enforced': 4739, 'leg': 4740, 'legged': 4741, 'stool': 4742, 'disappeared': 4743, 'fiat': 4744, 'prop': 4745, 'zombie': 4746, 'bamksters': 4747, 'declared': 4748, 'urging': 4749, 'failure': 4750, 'resulted': 4751, 'sharpest': 4752, 'gulf': 4753, 'coupled': 4754, 'oilpricewar': 4755, 'dentistry': 4756, 'confusion': 4757, 'furlough': 4758, 'bathandbodyworks': 4759, 'leaving': 4760, 'praise': 4761, 'ufcw': 4762, 'restriction': 4763, 'specter': 4764, 'mistrust': 4765, 'devaluation': 4766, '27': 4767, 'wrenching': 4768, 'marie': 4769, 'martin': 4770, 'annoy': 4771, 'highest': 4772, 'appeal': 4773, 'forrester': 4774, 'uae': 4775, 'sample': 4776, 'businessmen': 4777, 'contribution': 4778, 'cordray': 4779, 'slammed': 4780, 'cfpb': 4781, 'cammers': 4782, 'malware': 4783, 'discounted': 4784, 'shafe': 4785, 'malicious': 4786, 'software': 4787, 'ransomware': 4788, 'lazada': 4789, 'filipino': 4790, 'worldvisionph': 4791, 'extends': 4792, 'bedbathbeyond': 4793, '33': 4794, 'divert': 4795, 'superfluos': 4796, 'astroturf': 4797, 'salary': 4798, '100k': 4799, 'max': 4800, 'superm': 4801, 'modrnhealthcr': 4802, 'grow': 4803, 'annual': 4804, '2028': 4805, 'projection': 4806, 'heartfelt': 4807, 'mla': 4808, 'baramati': 4809, 'agro': 4810, '500ltrs': 4811, 'bhandara': 4812, 'zp': 4813, 'pigeon': 4814, 'kawaii': 4815, 'safetyfirst': 4816, 'traxxfm': 4817, 'borneo': 4818, 'rutherford': 4819, 'jayson': 4820, 'lusk': 4821, 'understanding': 4822, 'necessarily': 4823, 'intention': 4824, 'assessment': 4825, 'delegate': 4826, 'authority': 4827, 'covi': 4828, 'sanitise': 4829, 'cheflife': 4830, 'chefoninstagram': 4831, 'chefanand': 4832, 'dialysis': 4833, 'immunosuppressant': 4834, 'coll': 4835, 'humble': 4836, 'request': 4837, 'waive': 4838, 'airindia': 4839, 'impossible': 4840, 'sanwo': 4841, 'olu': 4842, 'lagos': 4843, 'sock': 4844, 'nyclockdown': 4845, 'weshouldhavebeenbetterprepared': 4846, 'ebanks': 4847, 'exacerbated': 4848, 'injustice': 4849, 'experienced': 4850, 'suggests': 4851, 'mayor': 4852, 'jerry': 4853, 'demings': 4854, 'flatten': 4855, 'teen': 4856, 'filmed': 4857, 'virginia': 4858, 'stunt': 4859, 'disturbing': 4860, 'cop': 4861, 'explain': 4862, 'identical': 4863, 'trophy': 4864, 'cleveland': 4865, 'brown': 4866, 'used': 4867, 'knowledge': 4868, 'impending': 4869, 'plummeted': 4870, 'stockmarket': 4871, 'ussenate': 4872, 'bizstrongarlva': 4873, 'copper': 4874, 'import': 4875, 'tweeted': 4876, 'sanction': 4877, 'contributed': 4878, 'creation': 4879, 'takeover': 4880, 'deliberate': 4881, 'systemic': 4882, 'bbc': 4883, 'formula': 4884, 'concerning': 4885, 'severity': 4886, 'deter': 4887, 'embrace': 4888, 'bean': 4889, 'schoolsclosure': 4890, 'wereinthistogether': 4891, 'stopfakenews': 4892, 'silicon': 4893, 'tanking': 4894, 'stevejobs': 4895, 'sort': 4896, 'thuggish': 4897, 'endure': 4898, 'drayton': 4899, 'diverse': 4900, 'plcb': 4901, 'liquor': 4902, 'randomly': 4903, 'ajimal': 4904, 'kal': 4905, 'booking': 4906, 'inconsiderate': 4907, 'dozen': 4908, 'inconvenience': 4909, 'missing': 4910, '120': 4911, 'sydneyproperty': 4912, 'beauty': 4913, 'russian': 4914, 'ruble': 4915, 'putin': 4916, 'speech': 4917, 'matabichos': 4918, 'exposure': 4919, 'vocs': 4920, 'puregold': 4921, 'disinfecting': 4922, 'somewhere': 4923, 'admit': 4924, 'closet': 4925, 'cleaned': 4926, 'keto': 4927, 'sad': 4928, 'superpower': 4929, 'drying': 4930, 'hip': 4931, 'usacoronavirus': 4932, 'wonhoisback': 4933, 'onedirectionsave2020': 4934, 'dramatic': 4935, 'ensuring': 4936, 'lea': 4937, 'luger': 4938, 'occurs': 4939, 'bm': 4940, 'aprilfoolsday': 4941, 'columnist': 4942, 'administrator': 4943, 'owen': 4944, 'robert': 4945, 'pent': 4946, 'tv': 4947, 'enter': 4948, 'urgent': 4949, 'allegedly': 4950, 'saliva': 4951, 'dorset': 4952, 'bridport': 4953, 'coronacrisisuk': 4954, 'morgan': 4955, 'stanley': 4956, 'quality': 4957, 'becoming': 4958, 'needier': 4959, 'cong': 4960, 'faring': 4961, 'explore': 4962, 'accelerated': 4963, 'favorite': 4964, 'digitaleu': 4965, 'twenty': 4966, 'walked': 4967, 'neck': 4968, 'fightagainstcovid19': 4969, 'bneeditorspicks': 4970, 'kazakh': 4971, 'tenge': 4972, 'plunge': 4973, 'flounder': 4974, 'kaz': 4975, 'sank': 4976, 'bne': 4977, 'kazakhstan': 4978, 'fx': 4979, 'thankful': 4980, 'authentic': 4981, 'armstrong': 4982, 'ad': 4983, 'comrade': 4984, 'metric': 4985, 'hoaxy': 4986, 'sushi': 4987, 'careful': 4988, 'husband': 4989, '26th': 4990, 'engaging': 4991, 'husain': 4992, 'ray': 4993, 'obsessed': 4994, 'offence': 4995, 'irrationality': 4996, 'learned': 4997, 'metro': 4998, 'krogers': 4999, 'bless': 5000, 'residence': 5001, 'maintain': 5002, 'saudi': 5003, 'kicking': 5004, 'slashed': 5005, 'foreign': 5006, 'cabin': 5007, 'fever': 5008, 'dragging': 5009, 'draggingmain': 5010, 'americangraffiti': 5011, 'investigated': 5012, 'prohibition': 5013, 'cpa': 5014, 'unfair': 5015, 'pas': 5016, 'holy': 5017, 'organise': 5018, 'assisted': 5019, 'apartment': 5020, 'equity': 5021, 'corvid19': 5022, 'teamusa': 5023, 'senate': 5024, 'whitehouse': 5025, 'ghs100': 5026, 'ghs1': 5027, 'photo': 5028, 'notoriously': 5029, 'microbe': 5030, 'crawling': 5031, 'advisable': 5032, 'exam': 5033, 'sma': 5034, '88': 5035, 'write': 5036, 'christian': 5037, 'infect': 5038, 'valued': 5039, 'ashba': 5040, 'located': 5041, 'ineffective': 5042, '62': 5043, 'ideally': 5044, 'algorithm': 5045, 'changing': 5046, 'nintendo': 5047, 'thepurge': 5048, 'ideal': 5049, 'grateful': 5050, 'manila': 5051, 'style': 5052, 'date': 5053, 'respect': 5054, 'mobilizing': 5055, 'minimum': 5056, 'bedevils': 5057, 'lawmaker': 5058, 'commitment': 5059, 'ilorin': 5060, 'goodtime': 5061, 'uttar': 5062, 'pradesh': 5063, 'licence': 5064, 'litre': 5065, 'bookmark': 5066, 'implicatio': 5067, 'rosa': 5068, 'believed': 5069, 'sinabi': 5070, 'mo': 5071, 'alex': 5072, 'ka': 5073, 'designer': 5074, '608': 5075, '274': 5076, '8199': 5077, 'paranoid': 5078, 'wuye': 5079, 'aware': 5080, 'disposable': 5081, 'motorist': 5082, 'crashed': 5083, '56': 5084, '20p': 5085, 'dathan': 5086, 'ji': 5087, 'kiranawala': 5088, 'functioned': 5089, 'stip': 5090, 'physicaldistancing': 5091, 'susanna': 5092, 'askdrh': 5093, 'cinema': 5094, 'theatre': 5095, 'num': 5096, 'persistently': 5097, 'unappealing': 5098, 'pinned': 5099, 'spitting': 5100, 'phaps': 5101, 'overtake': 5102, 'proprietor': 5103, 'envt': 5104, 'creating': 5105, 'staysafeug': 5106, 'fuelupdate': 5107, 'diesel': 5108, 'static': 5109, 'successive': 5110, 'environmentalist': 5111, 'lighting': 5112, 'dna': 5113, 'calculate': 5114, '64': 5115, 'migraine': 5116, 'pill': 5117, 'amazonprime': 5118, 'vanilla': 5119, 'apologize': 5120, 'updating': 5121, 'onlyfans': 5122, 'content': 5123, 'ayrshire': 5124, 'serving': 5125, 'pr': 5126, '53': 5127, '31': 5128, 'guest': 5129, 'ninahossain': 5130, 'missed': 5131, 'clip': 5132, 'speaking': 5133, 'anonymity': 5134, 'couldn': 5135, 'nicer': 5136, 'sundaymorning': 5137, 'sundayfeels': 5138, 'abandoned': 5139, 'looting': 5140, 'pussy': 5141, 'scratch': 5142, 'fought': 5143, 'stupidity': 5144, 'socialdistancingnow': 5145, 'definit': 5146, 'ikea': 5147, 'ought': 5148, 'janitor': 5149, 'exact': 5150, 'honor': 5151, 'bogota': 5152, 'guilty': 5153, 'bbva': 5154, 'quick': 5155, 'seemed': 5156, 'brushing': 5157, 'annoyed': 5158, 'speak': 5159, 'minionworld': 5160, 'stealing': 5161, 'minion': 5162, 'meme': 5163, 'parody': 5164, 'cartoon': 5165, 'animation': 5166, 'worsening': 5167, 'unknown': 5168, 'fool': 5169, 'overstock': 5170, 'outfit': 5171, 'construction': 5172, 'island': 5173, 'corn': 5174, 'noting': 5175, 'factor': 5176, 'influencing': 5177, 'madrid': 5178, 'approval': 5179, 'convalescent': 5180, 'plasma': 5181, 'therapy': 5182, 'methodist': 5183, 'eind': 5184, 'scale': 5185, 'introduce': 5186, 'epra': 5187, 'revoke': 5188, 'license': 5189, 'hiked': 5190, 'liquefied': 5191, 'baymen': 5192, 'catch': 5193, 'boosted': 5194, 'entirely': 5195, 'wanna': 5196, 'frequented': 5197, 'skeeves': 5198, 'dmv': 5199, 'dedicated': 5200, 'getupdc': 5201, 'dhl': 5202, 'expensive': 5203, 'pass': 5204, 'lockout': 5205, 'harsh': 5206, 'penalty': 5207, 'corrupt': 5208, 'punish': 5209, 'voter': 5210, 'todo': 5211, 'est': 5212, 'mal': 5213, 'gain': 5214, 'trumpkins': 5215, 'cleared': 5216, 'aquarium': 5217, 'consuming': 5218, 'unlabeled': 5219, 'neart': 5220, 'cur': 5221, 'cheile': 5222, '9400': 5223, 'jeez': 5224, 'suburban': 5225, 'symbol': 5226, 'fitting': 5227, 'coach': 5228, 'ensemble': 5229, 'healthcareworker': 5230, 'pawed': 5231, 'tortilla': 5232, 'gurbir': 5233, 'grewal': 5234, 'supermaarket': 5235, 'thankyouecommerce': 5236, 'flipkart': 5237, 'coronabelgie': 5238, 'timing': 5239, 'ap': 5240, 'profile': 5241, 'fellow': 5242, 'rooster': 5243, 'rude': 5244, 'storefight': 5245, 'infowars': 5246, 'peddles': 5247, 'conspiracy': 5248, 'theory': 5249, 'aggressively': 5250, 'fiverr': 5251, 'greeting': 5252, 'wix': 5253, 'redesigned': 5254, 'oprahwinfrey': 5255, 'guard': 5256, 'military': 5257, 'server': 5258, 'bravely': 5259, 'coronovirus': 5260, 'ssp': 5261, 'absent': 5262, 'dis': 5263, 'adversity': 5264, 'season': 5265, 'bake': 5266, 'suddenly': 5267, 'mary': 5268, 'fuckin': 5269, 'berry': 5270, 'stopfuckingpanicbuying': 5271, 'maryberry': 5272, 'thegreatbritishbakeoff': 5273, 'tgbbo': 5274, 'gbbo': 5275, 'ethanol': 5276, 'e10': 5277, 'denatured': 5278, 'isopropyl': 5279, 'bolton': 5280, 'scientist': 5281, 'randomized': 5282, 'trial': 5283, 'participant': 5284, 'respiratory': 5285, 'worrisome': 5286, 'allied': 5287, 'unitedstates': 5288, 'sunbathe': 5289, 'bj': 5290, 'approximately': 5291, 'campaign': 5292, 'headline': 5293, 'bevigilant': 5294, 'cybersecurity': 5295, 'pinellas': 5296, 'outlier': 5297, 'tout': 5298, 'perfectly': 5299, 'combination': 5300, 'wasteful': 5301, 'throwing': 5302, 'ozharvest': 5303, 'zo': 5304, 'kan': 5305, 'het': 5306, 'ook': 5307, 'denen': 5308, 'zijn': 5309, 'gek': 5310, 'nogniet': 5311, 'kr40': 5312, 'kr100': 5313, 'dint': 5314, 'onion': 5315, 'pricey': 5316, 'frozen': 5317, 'pea': 5318, 'tmoro': 5319, 'bethoughtful': 5320, 'ended': 5321, 'essentialcommodities': 5322, 'revert': 5323, '9am': 5324, 'tine': 5325, 'replenish': 5326, 'pop': 5327, 'widespread': 5328, 'significant': 5329, 'momentum': 5330, 'amenable': 5331, 'category': 5332, 'track': 5333, 'skinca': 5334, 'autistic': 5335, 'aversion': 5336, 'autism': 5337, 'nhsfoodbanks': 5338, 'nhsstaff': 5339, 'chaos': 5340, 'approached': 5341, 'desperate': 5342, 'condiment': 5343, 'palpable': 5344, 'plannedemic': 5345, 'plandemic': 5346, 'wakeup': 5347, 'cooperation': 5348, 'prudent': 5349, 'banking': 5350, 'customerservice': 5351, 'gripevine': 5352, 'com': 5353, 'beheard': 5354, 'watchdog': 5355, 'customerfeedback': 5356, 'flcx': 5357, 'foxnews': 5358, 'coronamania': 5359, 'infinite': 5360, 'flushed': 5361, 'crap': 5362, 'pertain': 5363, 'fixing': 5364, 'cartel': 5365, 'enriches': 5366, 'enemy': 5367, 'dictator': 5368, 'inadequate': 5369, 'violate': 5370, '5g': 5371, 'billgates': 5372, 'trending': 5373, 'traderjoes': 5374, 'nut': 5375, 'gm': 5376, 'despicable': 5377, 'hording': 5378, 'softpower': 5379, 'upends': 5380, 'meredith': 5381, 'babyx': 5382, 'wasting': 5383, 'realise': 5384, 'handled': 5385, 'telehealth': 5386, 'monitoring': 5387, 'chatbots': 5388, 'hiring': 5389, 'porter': 5390, 'unskilled': 5391, 'petrified': 5392, 'nonsense': 5393, 'exercising': 5394, 'nowhere': 5395, 'policing': 5396, 'rife': 5397, 'coron': 5398, 'explaining': 5399, 'invoke': 5400, 'defenceproductionact': 5401, 'blood': 5402, 'potus': 5403, 'governorcuomo': 5404, 'catastrophic': 5405, 'rejected': 5406, 'preparation': 5407, 'dismantling': 5408, 'goodfridayreads': 5409, 'climb': 5410, 'plummet': 5411, 'restructuring': 5412, 'intel': 5413, 'defiance': 5414, 'characteristic': 5415, 'tehran': 5416, 'plunged': 5417, 'extreme': 5418, 'pressure': 5419, 'elizabeth': 5420, 'somer': 5421, 'draining': 5422, 'overtime': 5423, 'satisfy': 5424, 'sensible': 5425, 'lotl': 5426, 'piled': 5427, '700': 5428, 'suspected': 5429, 'costinflation': 5430, 'stateofemergency': 5431, 'drama': 5432, 'meghanandharry': 5433, 'infinitely': 5434, 'doomsdaypreppers': 5435, 'triple': 5436, 'digit': 5437, 'hurricane': 5438, 'flood': 5439, 'asf': 5440, 'hampered': 5441, 'stage': 5442, 'stamp': 5443, 'rocking': 5444, 'scottish': 5445, 'cable': 5446, 'intensify': 5447, 'saturday': 5448, 'ted': 5449, 'mimosa': 5450, 'insolvency': 5451, 'picked': 5452, 'marginally': 5453, 'ashley': 5454, 'tisdale': 5455, 'handed': 5456, 'ashleytisdale': 5457, 'pretect': 5458, 'stayathomeorder': 5459, 'nigerian': 5460, '1billion': 5461, 'dey': 5462, 'loot': 5463, 'suffering': 5464, 'alivecor': 5465, 'expanded': 5466, 'kardiamobile': 5467, '6l': 5468, 'ecg': 5469, 'dangerously': 5470, 'prolonged': 5471, 'heartbeat': 5472, 'cyprus': 5473, 'counsellor': 5474, 'debthelp': 5475, 'debtfree': 5476, 'betting': 5477, 'tho': 5478, 'uklockdown': 5479, 'climate': 5480, 'joking': 5481, 'theyve': 5482, 'utterly': 5483, 'disappointed': 5484, 'skybroadb': 5485, 'ecosystem': 5486, 'elegance': 5487, 'odisha': 5488, 'cold': 5489, 'complication': 5490, 'gotten': 5491, 'tougher': 5492, 'manipulating': 5493, 'inappropriate': 5494, 'underestimate': 5495, 'horrible': 5496, 'refried': 5497, 'plight': 5498, 'stripping': 5499, 'hashtag': 5500, 'safest': 5501, 'transact': 5502, 'lowes': 5503, 'depot': 5504, 'entering': 5505, '03': 5506, 'renting': 5507, 'kally': 5508, 'khoelcher': 5509, 'gmail': 5510, 'dot': 5511, 'goodyear': 5512, 'coldwellbanker': 5513, '269': 5514, '240': 5515, '8824': 5516, 'avondale': 5517, 'buckeye': 5518, 'ukitaka': 5519, 'kujua': 5520, 'ni': 5521, 'bazenga': 5522, 'zao': 5523, 'bado': 5524, 'ziko': 5525, 'juu': 5526, 'toxic': 5527, 'herb': 5528, 'peapod': 5529, 'instacart': 5530, 'amazonfresh': 5531, 'shipt': 5532, 'unavailable': 5533, 'offered': 5534, 'immunocompromised': 5535, 'hella': 5536, 'broke': 5537, 'sierra': 5538, 'otto': 5539, 'winter': 5540, 'jewelry': 5541, 'abate': 5542, 'thurs': 5543, '8pm': 5544, 'applauding': 5545, 'clapforthenhs': 5546, 'clapforcarers': 5547, 'clapforkeyworkers': 5548, 'clapforteachers': 5549, 'tolerate': 5550, 'covidabuse': 5551, 'name': 5552, 'amongst': 5553, 'lengthy': 5554, 'weird': 5555, '372': 5556, '35': 5557, '450': 5558, 'finalise': 5559, 'password': 5560, 'actual': 5561, 'keepsafe': 5562, 'reward': 5563, 'flying': 5564, 'cruising': 5565, 'smg': 5566, 'highlight': 5567, 'boob': 5568, 'celeb': 5569, 'comment': 5570, 'catsmovie': 5571, 'butt': 5572, 'newwarriors': 5573, 'sub': 5574, 'dl': 5575, 'google': 5576, 'podcasts': 5577, 'spotify': 5578, 'pandora': 5579, 'consist': 5580, 'odd': 5581, 'exciting': 5582, 'studentnurse': 5583, 'unfortunate': 5584, 'express': 5585, 'blessed': 5586, 'specially': 5587, 'importer': 5588, 'thrive': 5589, 'unite': 5590, 'oligarchy': 5591, 'rounded': 5592, 'academic': 5593, 'inspire': 5594, 'reporter': 5595, 'historical': 5596, 'lng': 5597, 'partial': 5598, 'alternate': 5599, 'ice': 5600, 'gesture': 5601, 'communityspirit': 5602, 'emerging': 5603, 'larger': 5604, 'ausag': 5605, 'pushback': 5606, 'barwa': 5607, 'airport': 5608, 'al': 5609, 'khor': 5610, 'branch': 5611, 'pdf': 5612, 'ansar': 5613, 'ansargallery': 5614, 'qatar': 5615, 'doha': 5616, 'shoplocal': 5617, 'connecting': 5618, 'postponement': 5619, 'travelcancellations': 5620, 'chargebacks': 5621, '95': 5622, 'rationally': 5623, 'bacterial': 5624, 'becteria': 5625, 'cororonavirus': 5626, 'pgm': 5627, 'cecil': 5628, 'hometown': 5629, 'carly': 5630, 'whorton': 5631, 'foodsupplychain': 5632, 'paul': 5633, 'manly': 5634, 'nanaimo': 5635, 'ladysmith': 5636, 'blank': 5637, 'cheque': 5638, 'bail': 5639, 'technician': 5640, 'payday': 5641, 'ahold': 5642, 'spoke': 5643, 'chicago': 5644, 'stopthedebttrap': 5645, 'text': 5646, 'purporting': 5647, 'claiming': 5648, 'false': 5649, 'tree': 5650, 'njcommute': 5651, 'commuting': 5652, 'abt': 5653, 'fearing': 5654, 'liar': 5655, 'localsyr': 5656, 'graph': 5657, 'ur': 5658, 'emmudate': 5659, 'au': 5660, 'ml': 5661, 'proportion': 5662, 'hair': 5663, 'incentive': 5664, 'redkenobsessed': 5665, 'versus': 5666, 'economist': 5667, 'foodiefox': 5668, 'beverage': 5669, '0cscqx1nz5': 5670, 'marketresearch': 5671, 'consumerinsights': 5672, 'victory': 5673, 'chile': 5674, 'organic': 5675, 'strawberry': 5676, 'preserve': 5677, 'nightmare': 5678, 'incarceration': 5679, 'corprorate': 5680, 'stagnation': 5681, 'quantitative': 5682, 'easing': 5683, 'humanitarian': 5684, 'bigangryphil': 5685, '153': 5686, 'late': 5687, 'ana': 5688, 'arrest': 5689, 'staytuned': 5690, 'recallgavinnewsom': 5691, 'panicfear': 5692, 'blizzard': 5693, 'emailing': 5694, 'reply': 5695, 'dong': 5696, 'honorable': 5697, 'charging': 5698, 'extortionate': 5699, 'cousin': 5700, 'aunty': 5701, 'transformed': 5702, 'confused': 5703, 'rising': 5704, 'fare': 5705, 'men': 5706, 'sending': 5707, 'anymore': 5708, 'simpler': 5709, 'defending': 5710, 'joined': 5711, 'tata': 5712, 'indian': 5713, 'lucrative': 5714, 'temptation': 5715, 'susceptible': 5716, 'pumped': 5717, 'wankspangle': 5718, 'tit': 5719, 'nasty': 5720, 'cockwomble': 5721, 'broccoli': 5722, 'coronavi': 5723, 'petchems': 5724, 'tracked': 5725, 'rally': 5726, 'bbl': 5727, 'petrochemical': 5728, 'drastic': 5729, '2chainz': 5730, 'atlhawks': 5731, 'quavo': 5732, 'statefarm': 5733, 'thankyou': 5734, 'healthcareheroes': 5735, 'develop': 5736, 'deferment': 5737, 'repayment': 5738, 'extension': 5739, 'pj': 5740, 'coronapocolypse': 5741, 'tandem': 5742, 'adminerrorvirus': 5743, 'sacking': 5744, 'quadrupling': 5745, 'squalid': 5746, 'administrative': 5747, 'error': 5748, 'pure': 5749, 'pacman': 5750, 'lmao': 5751, 'pic': 5752, 'raided': 5753, 'sparse': 5754, 'turmoil': 5755, 'bracing': 5756, 'wider': 5757, 'composed': 5758, 'uncertain': 5759, 'heightened': 5760, 'cmc': 5761, 'cfd': 5762, 'gallaudet': 5763, 'processor': 5764, 'belong': 5765, 'chart': 5766, 'exponential': 5767, 'baltimore': 5768, 'maryland': 5769, 'apex': 5770, 'saveourfuture': 5771, 'savehumans': 5772, 'hunter': 5773, 'orwellian': 5774, 'breathtaking': 5775, 'egging': 5776, 'wartime': 5777, 'contrived': 5778, 'naivas': 5779, 'baringo': 5780, 'commander': 5781, 'ibrahim': 5782, 'abajila': 5783, 'amina': 5784, 'mutio': 5785, 'ramadhan': 5786, 'exemplary': 5787, 'christchurch': 5788, '71': 5789, 'internetfacts': 5790, 'kloudportal': 5791, 'committedtobreakthechain': 5792, 'mealsonwheels': 5793, '73': 5794, 'squeezed': 5795, 'disability': 5796, 'scrubbing': 5797, 'universal': 5798, 'surprise': 5799, 'payer': 5800, 'laying': 5801, 'bogglingly': 5802, 'blue': 5803, 'warm': 5804, 'hot': 5805, 'runwalgroup': 5806, 'audio': 5807, 'postal': 5808, 'prepares': 5809, 'paddy': 5810, 'wagon': 5811, 'lynx': 5812, 'doorstep': 5813, 'robux': 5814, 'gfx': 5815, 'swindle': 5816, 'lookout': 5817, 'nationalized': 5818, 'defective': 5819, 'smallbusinesses': 5820, 'giftcards': 5821, '401': 5822, 'richmond': 5823, 'broken': 5824, 'cbs': 5825, 'philly': 5826, 'fao': 5827, 'indicates': 5828, '172': 5829, 'linked': 5830, 'wonky': 5831, 'historic': 5832, 'g20': 5833, 'critic': 5834, 'vast': 5835, 'majority': 5836, 'concrete': 5837, 'bunker': 5838, 'tinned': 5839, 'inspired': 5840, 'kuwait': 5841, 'corp': 5842, 'instructed': 5843, 'subsidiary': 5844, 'capital': 5845, 'pact': 5846, 'slay': 5847, 'comfort': 5848, 'lockdownuknow': 5849, '5baje5minute': 5850, 'lockdownsouthafrica': 5851, 'coronaupdatesinindia': 5852, 'janatacurfew': 5853, 'tribute': 5854, 'fantastic': 5855, 'football': 5856, 'resume': 5857, 'portman': 5858, 'ticket': 5859, 'honour': 5860, 'boosting': 5861, 'met': 5862, 'stretched': 5863, 'thin': 5864, 'faster': 5865, 'deciding': 5866, 'transfer': 5867, 'swipe': 5868, 'jack': 5869, 'quarantineandchill': 5870, 'zombieapocalypse': 5871, 'houstonlockdown': 5872, 'concise': 5873, 'summary': 5874, 'relation': 5875, 'consumerrights': 5876, 'deliveroo': 5877, 'vital': 5878, 'inews': 5879, 'refrain': 5880, 'grocerystore': 5881, 'milano': 5882, 'catching': 5883, 'flocking': 5884, 'shouldnt': 5885, 'km': 5886, 'wasn': 5887, '10x12': 5888, 'sifted': 5889, 'moscow': 5890, 'witnessed': 5891, 'eastoffice': 5892, 'hill': 5893, 'twp': 5894, 'pave': 5895, 'township': 5896, 'isolate': 5897, 'ourselves': 5898, 'jwj': 5899, 'graduated': 5900, 'vapers': 5901, 'savvy': 5902, 'confident': 5903, 'ecigs': 5904, 'publichealth': 5905, 'adjustment': 5906, 'focuscamera': 5907, 'deterioration': 5908, 'showing': 5909, 'willing': 5910, 'homemade': 5911, 'detroitstrong': 5912, 'cashapp': 5913, 'ritualsbiinky': 5914, 'responds': 5915, 'eminating': 5916, 'livid': 5917, 'haunting': 5918, 'soundbite': 5919, 'interstellar': 5920, 'globalpandemic': 5921, 'wayspeoplearetheworst': 5922, 'toiletrollchallenge': 5923, 'toiletpaperemergency': 5924, 'xbox': 5925, 'playstation': 5926, 'steam': 5927, 'stadium': 5928, 'noballs': 5929, 'leafyishere': 5930, 'ps4': 5931, 'cbdc': 5932, 'econ': 5933, 'distributional': 5934, 'implication': 5935, 'approach': 5936, 'statue': 5937, 'dat': 5938, 'monayy': 5939, 'pearl': 5940, 'everyonespoor': 5941, 'socialism': 5942, 'qurantine': 5943, 'statueslivingbetter': 5944, 'activated': 5945, 'operational': 5946, 'mama': 5947, 'sober': 5948, 'earring': 5949, 'clair': 5950, 'hedgehog': 5951, 'hedgielove': 5952, 'makingpeoplesmile': 5953, '800': 5954, '44': 5955, 'browsing': 5956, '2009': 5957, 'pmd09': 5958, 'bet': 5959, 'latent': 5960, 'revealed': 5961, 'beast': 5962, 'macroeconomic': 5963, 'deepen': 5964, 'summarizes': 5965, 'occasion': 5966, 'irish': 5967, 'terriblecustomerservice': 5968, 'wiltshire': 5969, '300': 5970, 'dessert': 5971, 'homedeliveries': 5972, 'helpeachother': 5973, 'cancelled': 5974, 'behalf': 5975, 'syrian': 5976, 'rushed': 5977, 'resort': 5978, 'stricter': 5979, 'ester': 5980, 'vitaminc': 5981, 'reputation': 5982, 'circle': 5983, 'sanitised': 5984, 'oriented': 5985, 'eg': 5986, 'bigpharma': 5987, 'supplement': 5988, 'rightly': 5989, 'practitioner': 5990, 'gerrity': 5991, 'kevin': 5992, 'takeaway': 5993, 'hairdresser': 5994, 'reacted': 5995, 'confluence': 5996, 'technical': 5997, 'gld': 5998, 'boneless': 5999, 'whichever': 6000, 'wing': 6001, 'flavor': 6002, 'daiquiri': 6003, '5005': 6004, 'cooper': 6005, 'arlington': 6006, 'tx': 6007, 'institute': 6008, 'beating': 6009, 'punishment': 6010, 'traitor': 6011, 'pro': 6012, 'jersey': 6013, 'tcot': 6014, 'buildthewall': 6015, 'pjnet': 6016, 'evangelicals': 6017, 'uniteblue': 6018, 'p2': 6019, 'bamy': 6020, 'merchandise': 6021, 'infrared': 6022, '3m': 6023, 'bamyglobal': 6024, '861577877688': 6025, 'whatspps': 6026, '8618607740759': 6027, '07063501522': 6028, '08028611855': 6029, 'electricity': 6030, 'distinguish': 6031, 'rwanda': 6032, 'jacked': 6033, 'ripped': 6034, 'brit': 6035, 'moscowmitchslushfund': 6036, 'trumpslushfund': 6037, 'trumpvirus': 6038, 'trumplung': 6039, 'pandumbi': 6040, 'siraj': 6041, 'chaudhry': 6042, 'md': 6043, 'hiya': 6044, 'monster': 6045, 'liveinhope': 6046, 'raleys': 6047, 'bel': 6048, 'manage': 6049, 'hmm': 6050, 'fleeced': 6051, '449': 6052, '199': 6053, 'staythef': 6054, 'athome': 6055, 'capping': 6056, 'shooting': 6057, 'coronaupdatesindia': 6058, 'groceryworkers': 6059, 'bernie': 6060, 'guarantee': 6061, 'uninsured': 6062, 'insured': 6063, 'billing': 6064, '150': 6065, '400': 6066, '1yr': 6067, 'heroic': 6068, 'selfegodrivenisolation': 6069, 'pipedown': 6070, 'importance': 6071, 'musician': 6072, 'dancer': 6073, 'model': 6074, 'apocalypse2020': 6075, 'hedging': 6076, 'workout': 6077, 'multi': 6078, 'millionaire': 6079, 'dentist': 6080, 'swimming': 6081, 'pool': 6082, 'sauna': 6083, 'mansion': 6084, 'hq': 6085, 'sweep': 6086, 'bakersfield': 6087, 'socialmediamarketing': 6088, 'networkmarketing': 6089, 'sth': 6090, 'soft': 6091, 'federation': 6092, 'merchant': 6093, 'advance': 6094, 'nerida': 6095, 'conisbee': 6096, 'tirupati': 6097, 'vegetableprices': 6098, 'italian': 6099, 'greek': 6100, 'jt': 6101, 'peter': 6102, 'whatshisname': 6103, 'lobster': 6104, 'tank': 6105, 'france': 6106, 'spain': 6107, 'austria': 6108, 'religion': 6109, 'looroll': 6110, 'madincanada': 6111, 'promotionalproducts': 6112, 'signage': 6113, 'clawed': 6114, 'writes': 6115, 'mcpro': 6116, 'marketswithmc': 6117, 'cougher': 6118, 'raymond': 6119, 'coombs': 6120, 'appears': 6121, 'court': 6122, 'lessen': 6123, '30th': 6124, 'obviously': 6125, 'amend': 6126, 'massively': 6127, 'tragedy': 6128, 'hal': 6129, 'sosabowski': 6130, 'returned': 6131, 'regret': 6132, 'holder': 6133, 'requiring': 6134, '01765': 6135, '680215': 6136, 'representing': 6137, 'ordinance': 6138, 'mtnwestnews': 6139, 'commits': 6140, '25m': 6141, 'waived': 6142, 'promotional': 6143, 'writer': 6144, 'logit': 6145, 'discussing': 6146, 'overrun': 6147, 'rebel': 6148, 'square': 6149, 'saturdaythoughts': 6150, 'chinaliedandpeopledied': 6151, 'observer': 6152, 'typically': 6153, 'carton': 6154, 'hindustan': 6155, 'counterfeit': 6156, 'contagious': 6157, 'flip': 6158, 'flop': 6159, 'filthy': 6160, 'responsible': 6161, 'yorkshire': 6162, 'lowe': 6163, 'metering': 6164, 'customertraffic': 6165, 'assist': 6166, 'customerexperience': 6167, 'consumerbehavior': 6168, 'retailtech': 6169, 'contapersone': 6170, 'peoplecounting': 6171, 'handing': 6172, 'rationed': 6173, 'bestofpeople': 6174, 'sec': 6175, 'thoroughly': 6176, 'finished': 6177, 'sincerest': 6178, 'desk': 6179, 'nkstain': 6180, 'underlying': 6181, 'fcukin': 6182, 'highriskcovid19': 6183, 'morrison': 6184, 'frozenfood': 6185, 'nostock': 6186, 'exchanging': 6187, 'lusty': 6188, 'various': 6189, 'lately': 6190, 'export': 6191, 'groceryworkersdie': 6192, 'storeclosings': 6193, 'usbiz': 6194, 'cdnbiz': 6195, 'console': 6196, 'breakroom': 6197, 'eventually': 6198, 'crippling': 6199, 'deprived': 6200, 'episode': 6201, 'chopped': 6202, 'entitled': 6203, 'border': 6204, 'ie': 6205, 'distributor': 6206, 'digitised': 6207, 'revamp': 6208, 'sourcing': 6209, 'olympics': 6210, 'sponsor': 6211, 'tackling': 6212, 'grown': 6213, 'seasonalworkers': 6214, 'migrantlabourers': 6215, 'shutoffs': 6216, 'mike': 6217, 'poorer': 6218, 'earning': 6219, 'agricandcovid19': 6220, 'unsolicited': 6221, 'suspicious': 6222, 'massachusetts': 6223, 'exactly': 6224, 'feared': 6225, 'demanded': 6226, 'naija': 6227, 'bbnaija': 6228, '67': 6229, 'humboldtcounty': 6230, 'widely': 6231, 'latexgloves': 6232, 'relying': 6233, 'extremely': 6234, 'hoosier': 6235, 'kinyarwanda': 6236, 'invent': 6237, 'rwot': 6238, 'fortify': 6239, 'itv': 6240, 'foundation': 6241, '3layered': 6242, '24ltrs': 6243, 'renowned': 6244, 'gestrointrogist': 6245, 'sarin': 6246, 'santitation': 6247, 'coronawarriors': 6248, 'itvfoundation': 6249, 'tunnel': 6250, 'installed': 6251, 'narol': 6252, 'relaxed': 6253, 'vietnam': 6254, 'malaysia': 6255, 'benefited': 6256, 'yr': 6257, 'carpe': 6258, 'diem': 6259, 'bfa': 6260, 'caliber': 6261, 'male': 6262, '62yo': 6263, 'lived': 6264, 'canberra': 6265, 'practicing': 6266, 'clientes': 6267, 'carioca': 6268, 'buscando': 6269, 'prote': 6270, 'contra': 6271, 'ru': 6272, 'supermercados': 6273, 'guanabara': 6274, 'award': 6275, 'hearted': 6276, 'uhuru': 6277, 'kenyatta': 6278, 'moody': 6279, 'awori': 6280, 'radically': 6281, 'altered': 6282, 'cole': 6283, 'landscape': 6284, 'waitrose': 6285, 'creative': 6286, 'substituting': 6287, 'bestseller': 6288, 'existential': 6289, 'lifetime': 6290, 'scratchcards': 6291, 'methinks': 6292, 'altoriesgocovid19': 6293, 'occur': 6294, 'execute': 6295, 'olympics2020': 6296, 'backdrop': 6297, 'payne': 6298, 'imitate': 6299, 'tendency': 6300, 'hev': 6301, 'directed': 6302, 'pres': 6303, '100pcs': 6304, 'ppes': 6305, 'egyptian': 6306, 'internal': 6307, 'affirmed': 6308, 'resign': 6309, 'insidertrading': 6310, 'chems': 6311, 'q2': 6312, 'footing': 6313, 'mood': 6314, 'obesiti': 6315, 'launder': 6316, 'french': 6317, 'emmanuel': 6318, 'macron': 6319, 'imposed': 6320, 'declaring': 6321, 'municipal': 6322, 'election': 6323, 'duty': 6324, 'mayhem': 6325, 'inspirational': 6326, 'assault': 6327, 'ear': 6328, 'shite': 6329, 'sudden': 6330, '74': 6331, 'library': 6332, 'iymi': 6333, '6trillion': 6334, 'thai': 6335, 'seven': 6336, 'anticipated': 6337, 'rival': 6338, 'teamwork': 6339, 'displayed': 6340, 'grossly': 6341, 'inflating': 6342, 'attempting': 6343, 'bragging': 6344, 'hooper': 6345, 'neda': 6346, 'aiming': 6347, 'ass': 6348, 'ecq': 6349, 'agri': 6350, 'devendra': 6351, 'furloughed': 6352, 'modification': 6353, 'trustee': 6354, 'rush': 6355, 'cannabis': 6356, 'political': 6357, 'exaggerated': 6358, 'stfu': 6359, 'evolving': 6360, 'equally': 6361, 'analyzed': 6362, 'sift': 6363, 'uncover': 6364, 'tablet': 6365, 'laptop': 6366, 'touchscreen': 6367, 'mbot': 6368, 'mrna': 6369, 'biotechnology': 6370, 'gild': 6371, 'clx': 6372, 'lake': 6373, 'zm': 6374, 'rng': 6375, 'freedom': 6376, 'nope': 6377, 'hosta': 6378, 'urban': 6379, 'millennial': 6380, 'sandeep': 6381, 'da': 6382, 'highlighting': 6383, 'pulling': 6384, 'hotfuzz': 6385, 'final': 6386, 'unrealistic': 6387, 'midwest': 6388, 'fallout': 6389, 'disinflationary': 6390, 'stronger': 6391, 'dxy': 6392, 'carbs': 6393, 'cradle': 6394, 'applied': 6395, 'henrik': 6396, 'schou': 6397, '00am': 6398, 'pst': 6399, 'thursdaythoughts': 6400, 'excellent': 6401, 'permanently': 6402, 'footage': 6403, 'sweeping': 6404, 'angus': 6405, 'hoity': 6406, 'toity': 6407, 'mignon': 6408, 'thigh': 6409, 'groceryshopping': 6410, 'comms': 6411, 'infographic': 6412, 'socialmedia2day': 6413, 'swearing': 6414, 'selfless': 6415, 'londoner': 6416, 'stripped': 6417, 'suggested': 6418, 'garlic': 6419, 'chilli': 6420, 'split': 6421, 'red': 6422, 'lentil': 6423, 'muster': 6424, 'dual': 6425, 'suncor': 6426, 'curtail': 6427, 'practise': 6428, 'pavement': 6429, 'socially': 6430, 'ugh': 6431, '9th': 6432, 'five': 6433, 'expand': 6434, 'efficiency': 6435, 'risky': 6436, 'creativity': 6437, 'salad': 6438, 'energytwitter': 6439, 'crushing': 6440, 'restrict': 6441, 'cafe': 6442, 'closer': 6443, 'corpgov': 6444, 'cmo': 6445, 'esg': 6446, 'grc': 6447, 'boardofdirectors': 6448, 'directorship': 6449, 'governance': 6450, 'vc': 6451, 'cvc': 6452, 'smb': 6453, 'ux': 6454, 'cx': 6455, 'transunion': 6456, 'accessible': 6457, 'built': 6458, 'properly': 6459, 'confinement': 6460, 'demonstrated': 6461, 'fragility': 6462, 'getty': 6463, 'alleviate': 6464, '07': 6465, 'nicely': 6466, 'wheel': 6467, 'sputum': 6468, 'merica': 6469, 'bigoil': 6470, 'revolt': 6471, 'revolting': 6472, 'venture': 6473, 'anyways': 6474, 'trunk': 6475, 'starving': 6476, 'clout': 6477, 'punk': 6478, 'mr': 6479, 'tasty': 6480, 'aim': 6481, 'contac': 6482, '051': 6483, '5705253': 6484, '0338819977': 6485, 'askari': 6486, 'complex': 6487, 'rawalpindi': 6488, 'fastfood': 6489, 'purposefully': 6490, 'spit': 6491, 'apprehended': 6492, 'analyze': 6493, 'iraq': 6494, 'proxy': 6495, 'militia': 6496, 'ability': 6497, 'suppress': 6498, 'youth': 6499, 'october': 6500, 'revolution': 6501, 'statutory': 6502, 'selfemployed': 6503, 'freelance': 6504, 'crumbled': 6505, 'accelerator': 6506, 'return': 6507, 'pointing': 6508, 'solving': 6509, 'marginal': 6510, 'apps': 6511, 'conducted': 6512, 'scamalert': 6513, 'bb': 6514, 'antiviral': 6515, 'legitimate': 6516, 'shape': 6517, 'fudging': 6518, 'degrowrth': 6519, 'correlated': 6520, 'pogrom': 6521, 'kashmir': 6522, 'boycotting': 6523, '2a': 6524, 'visa': 6525, 'labor': 6526, 'bigger': 6527, 'fix': 6528, 'thrived': 6529, 'lobbying': 6530, 'exemption': 6531, 'skirting': 6532, 'accountability': 6533, 'alexander': 6534, 'galitsky': 6535, 'nyt': 6536, 'validated': 6537, 'compete': 6538, 'staycalmdontpanicbuy': 6539, 'declined': 6540, 'doorman': 6541, 'entrance': 6542, 'nominate': 6543, 'youre': 6544, 'bullshit': 6545, 'gst': 6546, 'kickstart': 6547, 'semblance': 6548, 'taxholiday': 6549, 'millennials': 6550, 'stack': 6551, '2k': 6552, 'stockpilers': 6553, 'afterlife': 6554, 'beirut': 6555, 'steak': 6556, 'selfishpricks': 6557, 'faculty': 6558, 'pharmaceuticalsciences': 6559, 'formulated': 6560, 'rupure': 6561, 'handsanitizers': 6562, 'freely': 6563, 'distributed': 6564, 'ramauniversity': 6565, 'subsidized': 6566, 'ramahospitals': 6567, 'securityguards': 6568, 'particular': 6569, 'hired': 6570, 'sop': 6571, 'evil': 6572, 'pain': 6573, 'delta': 6574, 'tl': 6575, 'accessory': 6576, 'boardgames': 6577, 'ahh': 6578, 'provincial': 6579, 'inspector': 6580, 'picker': 6581, 'muchrespect': 6582, 'genomics': 6583, '23andme': 6584, 'scare': 6585, 'economiccrisis': 6586, 'sbux': 6587, 'dooprime': 6588, 'buyshares': 6589, 'buystocks': 6590, 'makemoney': 6591, 'makemoneyonline': 6592, 'makemoneyfromhome': 6593, 'stressful': 6594, 'distraction': 6595, 'yolo': 6596, 'fur': 6597, 'miserably': 6598, 'crucial': 6599, 'pleased': 6600, 'gebb': 6601, 'entertain': 6602, 'diarea': 6603, 'parking': 6604, 'kijiji': 6605, '950': 6606, 'blocked': 6607, 'chose': 6608, 'motivating': 6609, 'foodforthought': 6610, 'kindness': 6611, 'atmosphere': 6612, 'wehavethis': 6613, 'prosecute': 6614, 'gobshites': 6615, 'forefront': 6616, 'socialmedia': 6617, 'strategically': 6618, 'focused': 6619, 'math': 6620, 'brian': 6621, 'passing': 6622, 'within': 6623, 'ft': 6624, 'roommate': 6625, 'beg': 6626, 'morecambe': 6627, '45pm': 6628, 'lancaster': 6629, 'recognise': 6630, 'dunedin': 6631, 'pitchfork': 6632, 'firebrand': 6633, 'octagon': 6634, '7pm': 6635, 'ammunition': 6636, 'stayhomeforus': 6637, 'medtwitter': 6638, 'coloradoans': 6639, 'pinch': 6640, 'cupboard': 6641, 'anxiously': 6642, 'cloth': 6643, 'setting': 6644, 'upstream': 6645, 'foodservice': 6646, 'gimmick': 6647, 'sweat': 6648, 'yow': 6649, 'bros': 6650, 'ottawa': 6651, 'ottcity': 6652, 'techtiptuesday': 6653, 'captured': 6654, 'attention': 6655, 'hasn': 6656, 'queued': 6657, 'pulse': 6658, 'tamarind': 6659, 'shot': 6660, 'deuce': 6661, 'buffoon': 6662, 'agar': 6663, 'issey': 6664, 'bachey': 6665, 'rahey': 6666, 'toh': 6667, 'dishwasher': 6668, 'cordless': 6669, 'vaccum': 6670, 'fo': 6671, 'plain': 6672, 'scrambled': 6673, 'slice': 6674, 'cheese': 6675, 'cheesy': 6676, 'design': 6677, 'signmaking': 6678, 'crowding': 6679, 'rid': 6680, 'instrument': 6681, 'wealthy': 6682, 'wrote': 6683, 'expenditure': 6684, 'promoting': 6685, 'migration': 6686, 'present': 6687, 'unfolds': 6688, 'scrap': 6689, 'orange': 6690, 'recipe': 6691, 'glutenfree': 6692, 'pakistani': 6693, 'bangladeshi': 6694, 'eatable': 6695, 'halal': 6696, 'culprit': 6697, 'ripping': 6698, 'vaka': 6699, 'teamfiji': 6700, 'reposting': 6701, 'bos': 6702, 'booty': 6703, 'covic': 6704, 'gender': 6705, 'economically': 6706, 'hospitality': 6707, 'nonexistent': 6708, 'trendlines': 6709, 'theweeklyshop': 6710, 'vulnerablegroups': 6711, 'ally': 6712, 'stabilize': 6713, 'shaping': 6714, 'wearedtb': 6715, 'fightback': 6716, 'berger': 6717, 'spar': 6718, 'wimbledon': 6719, 'sponsorship': 6720, 'inflate': 6721, 'shame': 6722, 'walsh': 6723, 'boston': 6724, 'dazee': 6725, 'unprotected': 6726, 'ww2': 6727, 'grandchild': 6728, 'obey': 6729, 'historyinthemaking': 6730, 'launched': 6731, 'comprehensive': 6732, 'dshcovid19': 6733, '21dayslockdown': 6734, 'bioweapon': 6735, 'hence': 6736, 'copd': 6737, 'bracken': 6738, 'fortunate': 6739, 'complacent': 6740, 'storage': 6741, 'depleted': 6742, 'factbox': 6743, 'bankruptcy': 6744, 'cm': 6745, 'naveen': 6746, 'luzon': 6747, 'enhanced': 6748, 'los': 6749, 'ba': 6750, 'laguna': 6751, 'barely': 6752, 'zurfi': 6753, 'appoint': 6754, 'deeply': 6755, 'fractured': 6756, 'parliament': 6757, 'discontent': 6758, 'succeed': 6759, 'emt': 6760, 'journey': 6761, 'kfc': 6762, 'spamming': 6763, 'faceless': 6764, 'buddy': 6765, 'compensate': 6766, 'independent': 6767, 'tenant': 6768, 'wasl': 6769, 'instruct': 6770, 'shebuildspeace': 6771, 'shocking': 6772, 'lockdownhouseparty': 6773, 'pretend': 6774, 'ssn': 6775, 'suspended': 6776, 'consecutive': 6777, 'dontbeaspreader': 6778, 'owns': 6779, 'charmin': 6780, 'perform': 6781, 'pg': 6782, 'financialcrisis': 6783, 'pm': 6784, 'bite': 6785, 'pourhouse': 6786, 'grill': 6787, '970': 6788, '669': 6789, '1699': 6790, 'resolved': 6791, 'ryanairrefunderror': 6792, 'ryanairrefund': 6793, 'jello': 6794, '47': 6795, 'tescon': 6796, 'deliberately': 6797, 'damaged': 6798, 'kent': 6799, 'fleet': 6800, 'asap': 6801, 'dedicate': 6802, 'contribute': 6803, 'missourian': 6804, 'moleg': 6805, 'realize': 6806, 'begun': 6807, 'mitch': 6808, 'zeller': 6809, 'upholding': 6810, 'scientific': 6811, 'bedrock': 6812, 'principle': 6813, 'shuts': 6814, '5k': 6815, 'behaving': 6816, 'bankruptbritain': 6817, 'realigned': 6818, 'inequality': 6819, 'zoomed': 6820, 'wrap': 6821, 'flixton': 6822, 'lovestmichaels': 6823, 'everylittlehelps': 6824, 'newsalert': 6825, 'wti': 6826, 'slumped': 6827, '2003': 6828, 'slash': 6829, 'afp': 6830, 'implementing': 6831, '7am': 6832, 'allergic': 6833, 'vertical': 6834, 'afterglow': 6835, 'fade': 6836, 'stockcrash': 6837, 'seeking': 6838, 'dry': 6839, 'wheezy': 6840, 'commencing': 6841, 'moi': 6842, 'hopkins': 6843, 'interactive': 6844, 'dashboard': 6845, 'consumerist': 6846, 'culture': 6847, 'grocerystores': 6848, 'bhukari': 6849, 'unlike': 6850, 'hungar': 6851, 'collapsi': 6852, 'birthday': 6853, 'wth': 6854, 'zoom': 6855, 'meeting': 6856, 'broker': 6857, 'navigating': 6858, 'installment': 6859, 'purna': 6860, 'mishra': 6861, 'outline': 6862, 'effectively': 6863, 'trai': 6864, 'dth': 6865, 'connecti': 6866, 'tight': 6867, 'tag': 6868, 'retailhell': 6869, 'retailproblems': 6870, 'rich': 6871, 'littlebitofhumanity': 6872, 'mondel': 6873, 'hourly': 6874, '125': 6875, 'representative': 6876, 'a1': 6877, 'represent': 6878, 'outsize': 6879, 'immigrantsthrive': 6880, 'outer': 6881, 'packaging': 6882, 'binned': 6883, 'shameless': 6884, 'army': 6885, 'keyworking': 6886, 'coffin': 6887, 'cycled': 6888, 'ticked': 6889, 'th': 6890, 'mavieconfinee': 6891, 'confinementjour2': 6892, 'relax': 6893, 'covfefe': 6894, 'nightreads': 6895, 'threatening': 6896, '3b': 6897, 'affordable': 6898, 'kurdistan': 6899, 'perfume': 6900, 'makeup': 6901, 'garbage': 6902, 'canonspark': 6903, 'tradingstandards': 6904, 'portrayal': 6905, 'nervous': 6906, 'backtracking': 6907, 'slime': 6908, 'ball': 6909, 'tour': 6910, 'donald': 6911, 'mar': 6912, 'g': 6913, 'impostor': 6914, 'mt': 6915, 'sanitized': 6916, 'cuttaxes': 6917, 'dista': 6918, 'fetch': 6919, 'forgotten': 6920, 'staythefhome': 6921, 'thrown': 6922, 'bothering': 6923, 'gaurds': 6924, 'pretending': 6925, 'exotic': 6926, 'getaway': 6927, 'sanitisers': 6928, 'hygienic': 6929, 'dbz': 6930, 'westandwithitaly': 6931, 'bridgwater': 6932, 'helpnhstoday': 6933, 'upcountry': 6934, 'possibility': 6935, 'grandparent': 6936, '79': 6937, 'wishing': 6938, 'concert': 6939, 'gay': 6940, 'unfashionable': 6941, 'elton': 6942, 'involves': 6943, 'legislative': 6944, 'kratom': 6945, 'arvsgt': 6946, 'naughty': 6947, 'bikers': 6948, 'a36': 6949, 'a272': 6950, 'leftover': 6951, 'mac': 6952, 'overshadowed': 6953, 'theme': 6954, 'barter': 6955, 'instance': 6956, 'swap': 6957, 'loo': 6958, 'atliens': 6959, 'emts': 6960, 'directive': 6961, 'downgrade': 6962, 'ameliorate': 6963, 'map': 6964, 'cake': 6965, 'briton': 6966, 'plea': 6967, 'nicest': 6968, 'gassing': 6969, 'soaring': 6970, 'alcoholic': 6971, 'fmcg': 6972, 'stung': 6973, 'subscription': 6974, 'superior': 6975, 'pocket': 6976, 'expat': 6977, 'questionable': 6978, 'trucker': 6979, 'restocked': 6980, 'thankatrucker': 6981, 'navigate': 6982, 'history': 6983, 'remnant': 6984, 'acre': 6985, 'cucumber': 6986, 'resilient': 6987, 'bountiful': 6988, 'harvest': 6989, 'curative': 6990, 'credible': 6991, 'nasties': 6992, 'huh': 6993, 'drugmaker': 6994, 'haus': 6995, 'hanz': 6996, 'b2c': 6997, 'instore': 6998, 'showroom': 6999, 'dream': 7000, 'vehicle': 7001, 'carl': 7002, 'safina': 7003, 'ebola': 7004, '3of': 7005, 'pathogen': 7006, 'originate': 7007, 'lipsman': 7008, 'digitalmarketing': 7009, 'emarketer': 7010, 'javitscenter': 7011, 'newyorkcity': 7012, 'editorial': 7013, 'bro': 7014, 'publicly': 7015, 'traded': 7016, 'lockstep': 7017, 'wineandspirits': 7018, 'rolled': 7019, 'radiofrequencies': 7020, 'destroying': 7021, 'genetic': 7022, '5gtowers': 7023, 'beaming': 7024, 'microwave': 7025, 'corona5g': 7026, 'karen': 7027, 'collecting': 7028, 'weaponsofmassdestruction': 7029, 'chyna': 7030, 'israel': 7031, 'directenergyweapons': 7032, 'cruiseships': 7033, 'jointhedots': 7034, 'girl': 7035, 'schwans': 7036, 'smartphone': 7037, 'damp': 7038, 'soapy': 7039, 'microfiber': 7040, 'earphone': 7041, '1775': 7042, 'patrick': 7043, 'henry': 7044, 'infamous': 7045, 'liberty': 7046, 'satire': 7047, 'patrickhenry': 7048, 'foundingfathers': 7049, 'caravan': 7050, 'registration': 7051, 'alike': 7052, 'shoprites': 7053, 'sickened': 7054, 'workingfromhome': 7055, 'workpjs': 7056, 'iron': 7057, 'ore': 7058, '82': 7059, '92': 7060, 'vale': 7061, '350': 7062, 'nikki': 7063, 'fried': 7064, 'activates': 7065, 'victoria': 7066, 'depth': 7067, 'hongkongers': 7068, 'fabric': 7069, 'childresistant': 7070, 'prerolls': 7071, 'cannabiscommunity': 7072, 'aka': 7073, 'bizarre': 7074, 'censored': 7075, 'actorcon': 7076, 'subject': 7077, 'distracting': 7078, 'kardashian': 7079, 'ac': 7080, '00s': 7081, 'buckle': 7082, '5m': 7083, 'beard': 7084, 'reader': 7085, 'skyward': 7086, 'peep': 7087, 'cowvid19': 7088, 'cowvid': 7089, 'worldofcow': 7090, 'workingfromhomelife': 7091, '2011': 7092, 'revived': 7093, 'suppresses': 7094, 'ash': 7095, 'resold': 7096, 'insanely': 7097, '85p': 7098, 'adequate': 7099, 'solely': 7100, 'overspending': 7101, '2k20': 7102, 'cardio': 7103, 'babydoll': 7104, 'basketball': 7105, 'nfl': 7106, 'nba': 7107, 'peaceful': 7108, 'compilation': 7109, 'insightful': 7110, 'attentive': 7111, 'goddamn': 7112, 'treasure': 7113, 'hunt': 7114, 'universe': 7115, 'kate': 7116, 'telstra': 7117, 'noise': 7118, 'contributing': 7119, 'incentivize': 7120, 'deferred': 7121, 'fijinews': 7122, 'assign': 7123, 'codvid19': 7124, 'vo': 7125, 'provisioned': 7126, 'sized': 7127, 'bridgewater': 7128, 'heavily': 7129, 'dax': 7130, 'congrats': 7131, 'hedgefonds': 7132, 'bug': 7133, 'automatically': 7134, 'subtitle': 7135, 'relationship': 7136, 'optimize': 7137, 'wtutureipsos': 7138, 'prioritize': 7139, 'smaller': 7140, 'urgently': 7141, 'cb': 7142, 'mkt': 7143, 'altogether': 7144, 'rut': 7145, 'ndx': 7146, 'curtis': 7147, 'subjected': 7148, 'helpus': 7149, 'youidiot': 7150, 'jamesmaybloke': 7151, 'richardhammond': 7152, 'topgear': 7153, 'thegrandtour': 7154, 'coronabeer': 7155, 'snippet': 7156, 'learnt': 7157, '81': 7158, 'surged': 7159, 'moisturising': 7160, 'browse': 7161, 'wey': 7162, 'chop': 7163, 'unexpected': 7164, 'healthier': 7165, 'instruction': 7166, 'footmark': 7167, 'internationally': 7168, 'harmonised': 7169, 'adjusted': 7170, 'sokonews': 7171, 'courtesy': 7172, 'appreciation': 7173, 'robinson': 7174, 'eaten': 7175, 'foodbanks': 7176, 'stopukhunger': 7177, 'heri': 7178, 'ensures': 7179, 'alabama': 7180, 'insecurity': 7181, 'ultimate': 7182, 'master': 7183, 'toiletpapermagazine': 7184, 'lionelrichie': 7185, 'covd': 7186, 'presented': 7187, 'artisanal': 7188, 'mining': 7189, 'ukrainian': 7190, 'intheknow': 7191, 'taskforce': 7192, 'oakville': 7193, 'halton': 7194, 'caremongering': 7195, 'coronvirus': 7196, 'pioneer': 7197, 'cdx': 7198, '15th': 7199, '1pm': 7200, 'et': 7201, 'arla': 7202, 'skulduggery': 7203, 'unscrupulous': 7204, 'undervalued': 7205, 'kitconews': 7206, 'metal': 7207, 'cuban': 7208, 'versailles': 7209, 'teamed': 7210, 'sedano': 7211, 'pickled': 7212, 'ginger': 7213, 'cub': 7214, 'tnie': 7215, 'workin': 7216, 'mongs': 7217, 'lip': 7218, 'messagewrap': 7219, 'antimicrobial': 7220, 'facility': 7221, '72': 7222, '605': 7223, 'cylinder': 7224, 'bharat': 7225, 'bhushan': 7226, 'ashu': 7227, 'assuring': 7228, 'maintained': 7229, 'lingers': 7230, 'previously': 7231, 'aerosol': 7232, 'ralphs': 7233, 'growup': 7234, 'mattieuethanhandsanitizer': 7235, '3pack': 7236, 'loveones': 7237, 'remotely': 7238, 'usedtomake': 7239, 'tshirts': 7240, 'makingsupplies': 7241, 'panicbuy': 7242, 'brawled': 7243, 'fmtnews': 7244, 'headwind': 7245, 'ecom': 7246, 'resulting': 7247, 'transacting': 7248, 'offline': 7249, 'feedback': 7250, 'mixed': 7251, 'unpack': 7252, 'grave': 7253, 'risen': 7254, 'former': 7255, 'maidenhead': 7256, 'queueing': 7257, 'refraining': 7258, 'tory': 7259, 'emerge': 7260, 'erupts': 7261, 'grip': 7262, 'bound': 7263, 'chinaliedpeopledied': 7264, 'pmqs': 7265, 'shareholder': 7266, 'union': 7267, 'workersunite': 7268, 'asthma': 7269, 'earn': 7270, 'function': 7271, 'compensated': 7272, 'endangering': 7273, 'creditchat': 7274, 'melissa2': 7275, 'announce': 7276, 'agoing': 7277, 'omnichannel': 7278, 'explores': 7279, 'industryperspectives': 7280, 'retailtrends': 7281, 'fashionindustry': 7282, '0808': 7283, '223': 7284, '1133': 7285, 'foreclosure': 7286, 'restarts': 7287, 'cashflow': 7288, 'reassures': 7289, 'amac': 7290, 'salvation': 7291, 'cleanliness': 7292, 'muhammad': 7293, 'burhaan': 7294, 'fb': 7295, 'nameandshame': 7296, 'universally': 7297, 'oxford': 7298, 'sound': 7299, 'lifestyle': 7300, 'badparenting': 7301, 'gotta': 7302, 'crib': 7303, 'vanish': 7304, 'keyser': 7305, 'ser': 7306, 'resale': 7307, 'resellers': 7308, 'makeuplife': 7309, 'luara': 7310, 'anderson': 7311, 'shaw': 7312, 'mississippi': 7313, 'bcuz': 7314, 'capable': 7315, 'quote': 7316, 'stimuluschecks': 7317, 'philosophy': 7318, 'landlord': 7319, 'flooding': 7320, 'frustration': 7321, 'probily': 7322, 'supportaussiebusiness': 7323, 'fuckcovid19': 7324, 'structure': 7325, 'deluxe': 7326, 'proven': 7327, 'tradeshow': 7328, 'stepmother': 7329, 'decorate': 7330, 'cute': 7331, 'ounce': 7332, 'tablespoon': 7333, 'aloe': 7334, 'vera': 7335, 'allotted': 7336, 'district': 7337, 'apparent': 7338, 'violation': 7339, 'iceland': 7340, 'fronted': 7341, 'famous': 7342, 'singer': 7343, 'encouraging': 7344, 'indoors': 7345, 'afer': 7346, 'sunburnt': 7347, 'netflix': 7348, 'charm': 7349, 'addiction': 7350, 'loses': 7351, 'learning': 7352, 'delgro': 7353, 'smrt': 7354, 'exploring': 7355, 'alkaline': 7356, 'queen': 7357, 'flourish': 7358, 'strengthen': 7359, 'elite': 7360, 'iraqi': 7361, 'organize': 7362, 'enact': 7363, 'democratic': 7364, 'motivationmonday': 7365, 'discourage': 7366, 'supplying': 7367, 'jharkhand': 7368, 'admirable': 7369, 'verbally': 7370, 'physically': 7371, 'accepted': 7372, 'hern': 7373, 'ndez': 7374, '1966': 7375, 'imagined': 7376, 'bathroom': 7377, 'fails': 7378, 'reject': 7379, 'misinformation': 7380, 'followasci': 7381, 'ayurveda': 7382, 'idd': 7383, 'bagging': 7384, '59': 7385, 'pneumonia': 7386, 'pillar': 7387, 'essentially': 7388, 'boomed': 7389, 'pennsylvania': 7390, 'trashing': 7391, '35g': 7392, 'drumlake': 7393, 'eyelid': 7394, 'appear': 7395, 'conti': 7396, 'hoarded': 7397, 'indefinite': 7398, 'quran': 7399, 'khwanis': 7400, 'gouger': 7401, 'texan': 7402, '621': 7403, '0508': 7404, 'confined': 7405, 'howeice': 7406, 'contracted': 7407, 'gate': 7408, 'nokidhungry': 7409, 'id': 7410, 'ramadan': 7411, 'iftar': 7412, 'traweeh': 7413, 'funnel': 7414, 'contraceptive': 7415, 'lovely': 7416, 'dull': 7417, 'chilled': 7418, 'xx': 7419, 'thearchers': 7420, 'employer': 7421, 'globalgoals': 7422, 'dumping': 7423, 'cafeteria': 7424, 'kingdom': 7425, 'horrendous': 7426, 'harrowing': 7427, 'imaginable': 7428, 'traumatized': 7429, 'vegan': 7430, 'moh': 7431, 'deyalsingh': 7432, 'scientic': 7433, 'preval': 7434, 'wiped': 7435, 'abo': 7436, 'stoppanicking': 7437, 'calmdown': 7438, 'thinkofothers': 7439, 'stream': 7440, '4k': 7441, 'hd': 7442, 'alias': 7443, 'irregular': 7444, 'smarter': 7445, 'smartmonkey': 7446, 'tackled': 7447, 'advises': 7448, 'slap': 7449, 'famine': 7450, 'janitorial': 7451, 'housekeeping': 7452, 'streamline': 7453, 'whenever': 7454, '6ft': 7455, 'sticker': 7456, 'germaphobe': 7457, 'researchlive': 7458, 'catastrophe': 7459, 'functioning': 7460, 'addressed': 7461, 'kindergarten': 7462, 'submit': 7463, 'rediscovering': 7464, 'rout': 7465, 'apac': 7466, 'latestnews': 7467, 'tuesdaynews': 7468, 'newspicks': 7469, 'coordinated': 7470, 'lifeline': 7471, 'pathetic': 7472, 'stricken': 7473, 'basis': 7474, 'prayer': 7475, 'drone': 7476, 'guessing': 7477, 'patrol': 7478, 'integral': 7479, 'sander': 7480, 'elected': 7481, 'pittsburgh': 7482, 'gazette': 7483, 'accessibility': 7484, 'discrimination': 7485, 'preach': 7486, 'deed': 7487, 'colour': 7488, 'foodshortages': 7489, 'norway': 7490, 'constantly': 7491, 'dawn': 7492, 'bilbrough': 7493, 'pleaded': 7494, 'forbidding': 7495, 'buyback': 7496, 'dividend': 7497, 'chillin': 7498, 'thenewnormal': 7499, 'governs': 7500, 'nadine': 7501, 'crackdown': 7502, 'consistent': 7503, 'overpricing': 7504, 'tampon': 7505, 'serve': 7506, 'employ': 7507, 'gladly': 7508, 'provid': 7509, 'analyzes': 7510, 'laboratory': 7511, 'regional': 7512, 'usage': 7513, 'pegged': 7514, 'disposed': 7515, 'turkey': 7516, 'boss': 7517, 'overcome': 7518, 'gripping': 7519, 'flowing': 7520, 'mandown': 7521, 'mcnally': 7522, 'egotist': 7523, 'collaborate': 7524, 'cider': 7525, 'denmarkinusa': 7526, 'getanalysis': 7527, 'significantdisruption': 7528, 'accompanying': 7529, 'rioting': 7530, 'foodsupplies': 7531, 'supplychains': 7532, 'economicshock': 7533, 'mondaythoughts': 7534, 'mondayreview': 7535, 'mondaymusings': 7536, 'mondaynight': 7537, 'lifesignals': 7538, 'biosensor': 7539, 'greenville': 7540, 'yeahthatgreenville': 7541, 'giancarlo': 7542, 'easterlunch': 7543, 'cornhall': 7544, 'deli': 7545, 'petunia': 7546, 'hassle': 7547, 'flout': 7548, 'score': 7549, 'fry': 7550, 'beacuse': 7551, 'escape': 7552, 'whatsapp': 7553, '94754284300': 7554, 'oreo': 7555, 'established': 7556, 'congo': 7557, 'lubumbashi': 7558, 'sack': 7559, 'cdf': 7560, 'marked': 7561, 'wic': 7562, 'dependent': 7563, 'lovethyneighbor': 7564, 'grocerystoreworkers': 7565, 'protectlives': 7566, 'savelives': 7567, 'stacking': 7568, 'warrioroflight': 7569, 'warrior': 7570, 'verry': 7571, 'coincidence': 7572, 'catylization': 7573, 'coldwar2020': 7574, 'snap': 7575, 'web': 7576, 'freaked': 7577, 'breitbart': 7578, 'agreement': 7579, 'insidertraitor': 7580, 'fridaythoughts': 7581, 'strange': 7582, 'saviour': 7583, 'dark': 7584, 'gratitudeganstas': 7585, 'hbu': 7586, 'collaborating': 7587, 'host': 7588, 'discussed': 7589, 'stability': 7590, 'fermoy': 7591, 'h2': 7592, 'utilising': 7593, 'label': 7594, 'kinder': 7595, 'continuous': 7596, 'cyclical': 7597, 'wool': 7598, 'mondaymotivation': 7599, 'zone': 7600, 'increasingly': 7601, 'cr': 7602, 'maureen': 7603, 'mahoney': 7604, 'combating': 7605, 'endrobocalls': 7606, 'josh': 7607, 'ross': 7608, 'witness': 7609, 'crowdinsights': 7610, 'hai': 7611, 'sy': 7612, 'jual': 7613, '60ml': 7614, 'shpn': 7615, 'screw': 7616, 'hooded': 7617, 'tyvek': 7618, 'museum': 7619, 'congressional': 7620, 'delegation': 7621, 'equip': 7622, 'outlast': 7623, 'sinister': 7624, 'nitrile': 7625, 'bizarrely': 7626, 'filter': 7627, 'rendering': 7628, 'useless': 7629, 'compulsory': 7630, 'onwards': 7631, 'obligatory': 7632, 'wherever': 7633, 'tantamount': 7634, 'blackmail': 7635, 'stormont': 7636, 'extortion': 7637, 'remunerative': 7638, 'perishable': 7639, 'crop': 7640, 'benefitting': 7641, 'railway': 7642, '109': 7643, 'train': 7644, 'speedy': 7645, 'vulture': 7646, 'descending': 7647, 'prediction': 7648, 'hack': 7649, 'nifty': 7650, 'stylus': 7651, 'pen': 7652, 'pin': 7653, 'pad': 7654, 'otherw': 7655, 'catchup': 7656, 'recovered': 7657, 'fibre': 7658, 'degrading': 7659, 'infusing': 7660, 'sausage': 7661, 'jailed': 7662, 'stolen': 7663, 'amazonpantry': 7664, 'oklahoma': 7665, 'exclusive': 7666, 'barn': 7667, 'runoff': 7668, 'spoonie': 7669, 'dbtskills': 7670, 'storefront': 7671, 'shipped': 7672, 'maxi': 7673, 'strippedmaxi': 7674, 'maxilove': 7675, 'maxidress': 7676, 'nola': 7677, 'neworleans': 7678, 'houstonboutique': 7679, 'pension': 7680, 'saver': 7681, 'defraud': 7682, 'calculated': 7683, '6bn': 7684, 'legislation': 7685, 'initiative': 7686, 'expands': 7687, 'mueller': 7688, 'institutional': 7689, 'clock': 7690, 'travelchatsa': 7691, 'jerseyplug': 7692, 'yall': 7693, 'hmu': 7694, 'aide': 7695, 'ups': 7696, 'collector': 7697, 'supplied': 7698, 'jobless': 7699, '282': 7700, 'gut': 7701, 'punched': 7702, 'developer': 7703, 'lumber': 7704, 'cement': 7705, 'shareknowledge': 7706, 'dcn': 7707, 'amex': 7708, 'thug': 7709, '7k': 7710, 'skyrocketed': 7711, 'original': 7712, 'protips': 7713, 'evidenced': 7714, 'barren': 7715, 'georgian': 7716, 'speechless': 7717, 'brooklyn': 7718, 'burn': 7719, 'tie': 7720, 'yoursafetyismysafety': 7721, 'forqatarstayhome': 7722, 'moci': 7723, 'livestreaming': 7724, 'taobao': 7725, 'persist': 7726, 'ailbaba': 7727, 'jeffclass': 7728, 'jeffsasiatechclass': 7729, 'hcws': 7730, 'brave': 7731, 'safeguarding': 7732, 'minority': 7733, 'misleading': 7734, 'gurugram': 7735, 'assures': 7736, 'guru': 7737, 'gram': 7738, 'defeat': 7739, 'comfortably': 7740, 'dunnes': 7741, 'leo': 7742, 'varadkars': 7743, 'repeat': 7744, 'dystopia': 7745, '851': 7746, 'pennsylvanian': 7747, 'measured': 7748, 'retaliation': 7749, 'tariff': 7750, 'gfc': 7751, 'fintech': 7752, 'govindmilk': 7753, 'happymakers': 7754, 'dailyessentials': 7755, 'itapema': 7756, 'sc': 7757, 'coro': 7758, 'hook': 7759, 'dirty': 7760, 'valet': 7761, 'unavailability': 7762, 'apr': 7763, '1203': 7764, '1182': 7765, '840': 7766, '646': 7767, 'atnix': 7768, 'ya': 7769, 'motto': 7770, 'goodbye': 7771, 'fuckyoucorona': 7772, 'doubt': 7773, 'ah': 7774, 'bye': 7775, 'jhoots': 7776, 'repair': 7777, 'haborfreight': 7778, 'carol': 7779, 'burnett': 7780, 'aljazeera': 7781, 'memo': 7782, '2p': 7783, '11a': 7784, 'pt': 7785, 'mecklenburg': 7786, 'psa': 7787, 'lather': 7788, 'ppeshortage': 7789, 'communist': 7790, 'chinacoronavirus': 7791, 'ccpvirus': 7792, 'proudly': 7793, 'equestrianrelief': 7794, 'voltaire': 7795, 'saddle': 7796, '4times': 7797, 'blamed': 7798, 'ecomomic': 7799, '416': 7800, 'stitt': 7801, 'tuesday': 7802, 'meaning': 7803, 'loonatics': 7804, 'cabinfever': 7805, 'swing': 7806, 'unprepared': 7807, 'phlegm': 7808, 'disappears': 7809, 'breath': 7810, 'recovers': 7811, 'smoothly': 7812, 'secret': 7813, 'draft': 7814, 'diligent': 7815, 'prevalent': 7816, 'donaldtrump': 7817, 'dowfutures': 7818, 'nasdaqcomposite': 7819, 'overweight': 7820, 'ocd': 7821, 'borderline': 7822, 'agoraphobic': 7823, 'addicted': 7824, 'floaty': 7825, 'chair': 7826, 'purell': 7827, 'picnicking': 7828, 'ballgame': 7829, 'replicates': 7830, 'squaddies': 7831, 'bogroll': 7832, 'fired': 7833, 'bev': 7834, 'horrid': 7835, 'brampton': 7836, 'layoff': 7837, 'completetly': 7838, 'flattened': 7839, 'theirs': 7840, 'leather': 7841, 'internationa': 7842, 'extend': 7843, 'custodial': 7844, 'mention': 7845, '30moredays': 7846, 'obligation': 7847, 'northmart': 7848, 'freezing': 7849, 'path': 7850, 'southcarolina': 7851, 'jokecoughing': 7852, 'imploring': 7853, 'behave': 7854, 'jostled': 7855, 'cajoled': 7856, 'bagger': 7857, 'msnbc': 7858, 'nytimes': 7859, 'wsj': 7860, 'cnbc': 7861, 'politico': 7862, 'huffpost': 7863, 'drudge': 7864, 'npr': 7865, 'dailykos': 7866, 'thehill': 7867, 'wapo': 7868, 'nbc': 7869, 'slate': 7870, 'aarp': 7871, 'sydney': 7872, 'photojournalism': 7873, 'documentary': 7874, 'documentaryphotography': 7875, 'reportage': 7876, 'phot': 7877, 'kidney': 7878, 'kidneybeans': 7879, 'tescos': 7880, 'consumables': 7881, 'trapped': 7882, 'livelihood': 7883, 'washed': 7884, 'influence': 7885, 'sl': 7886, 'unlawful': 7887, 'unsubscribing': 7888, 'durables': 7889, 'dependence': 7890, 'anger': 7891, '880': 7892, 'bullion': 7893, 'midday': 7894, 'port': 7895, 'capture': 7896, 'bioeconomy': 7897, 'mol': 7898, 'windscreen': 7899, 'brent': 7900, 'xbrusd': 7901, 'xbr': 7902, 'divorce': 7903, 'renegotiate': 7904, 'settlement': 7905, 'disadvantaged': 7906, 'rapacious': 7907, 'generalstrike': 7908, 'ladoj': 7909, 'hotline': 7910, '351': 7911, '4889': 7912, 'dispute': 7913, 'lalege': 7914, 'lagov': 7915, 'diminishing': 7916, 'tim': 7917, 'leunig': 7918, 'succeeded': 7919, 'adviser': 7920, 'coloring': 7921, 'lego': 7922, 'slimming': 7923, 'achievement': 7924, 'cupcake': 7925, 'dough': 7926, 'pot': 7927, 'loving': 7928, 'quiet': 7929, 'atm': 7930, 'warrant': 7931, 'consumerprotection': 7932, 'prevented': 7933, 'racism': 7934, 'hyderabad': 7935, 'facial': 7936, 'tanmay': 7937, 'mehta': 7938, 'indiafightscoronavirus': 7939, 'knock': 7940, 'application': 7941, 'developed': 7942, 'ecommercebusiness': 7943, 'woulf': 7944, 'abouttime': 7945, '14days': 7946, 'spare': 7947, 'shirt': 7948, 'lowered': 7949, 'lazzaro': 7950, 'spallanzani': 7951, 'rome': 7952, 'forzaroma': 7953, 'romacares': 7954, 'charter': 7955, 'luggage': 7956, 'accommodate': 7957, 'bullard': 7958, 'regulate': 7959, 'que': 7960, 'float': 7961, 'nahh': 7962, 'optician': 7963, 'wolstanton': 7964, 'stoke': 7965, 'vandalized': 7966, 'annualised': 7967, 'robin': 7968, 'bhar': 7969, 'offset': 7970, 'oshawa': 7971, 'ont': 7972, 'bcpoli': 7973, 'chatting': 7974, 'complimentary': 7975, 'dig': 7976, 'easiest': 7977, 'fastest': 7978, 'efficient': 7979, 'karel': 7980, 'spaniard': 7981, 'rant': 7982, 'gofundme': 7983, 'monetary': 7984, 'subsided': 7985, 'heavy': 7986, '9ja': 7987, 'insulated': 7988, 'insensitive': 7989, 'unconcerned': 7990, 'vodka': 7991, 'pernod': 7992, 'ricard': 7993, 'fort': 7994, 'smith': 7995, 'tweak': 7996, 'ar': 7997, 'conormcgregor': 7998, 'visor': 7999, 'respirator': 8000, 'oxygen': 8001, 'allows': 8002, 'duplicate': 8003, 'mutualaid': 8004, 'monopolise': 8005, 'arrived': 8006, 'debate': 8007, 'naturally': 8008, 'fuss': 8009, 'didnt': 8010, 'ownership': 8011, 'decentralized': 8012, 'generational': 8013, 'reference': 8014, 'bloc': 8015, 'usnews': 8016, 'infromation': 8017, 'candy': 8018, 'glimpse': 8019, 'craze': 8020, 'korean': 8021, 'spicy': 8022, 'shootout': 8023, 'bullying': 8024, 'unsavory': 8025, 'canterbury': 8026, 'shoppingonline': 8027, 'asymptomatic': 8028, 'stocker': 8029, 'ke': 8030, 'bungoma': 8031, 'container': 8032, 'elimination': 8033, 'iq': 8034, 'block': 8035, 'gradually': 8036, 'instant': 8037, 'hy': 8038, 'vee': 8039, 'plasticbagban': 8040, 'twist': 8041, 'presumably': 8042, 'readymeals': 8043, 'hithergreen': 8044, 'lewisham': 8045, 'recipient': 8046, 'bartholow': 8047, 'loathe': 8048, 'mazon': 8049, 'wondered': 8050, 'arrow': 8051, 'race': 8052, 'sicken': 8053, 'dealt': 8054, 'foresee': 8055, 'declining': 8056, 'persistent': 8057, 'stakeholder': 8058, 'soo': 8059, 'stranger': 8060, 'acceptable': 8061, 'lockdowncanada': 8062, 'supermarketdating': 8063, 'day17': 8064, 'marc': 8065, 'schindler': 8066, 'skim': 8067, 'compromise': 8068, 'quart': 8069, 'unflushable': 8070, 'rag': 8071, 'delivers': 8072, 'dispenses': 8073, 'vanloon': 8074, 'counting': 8075, 'lifesaving': 8076, 'ck': 8077, 'ckont': 8078, 'potty': 8079, 'insecure': 8080, 'noticing': 8081, 'intake': 8082, 'bodas': 8083, 'uber': 8084, '8k': 8085, 'felicia': 8086, 'lockdownug': 8087, 'attn': 8088, 'mart': 8089, 'iqaluit': 8090, 'notchronosandcars': 8091, '5l': 8092, 'rr': 8093, 'sva': 8094, '550bhp': 8095, 'suited': 8096, 'offload': 8097, 'bonkers': 8098, 'sporting': 8099, 'matching': 8100, 'yucky': 8101, 'xenophobe': 8102, 'fatten': 8103, 'helpnothurt': 8104, 'lookaftereachother': 8105, 'holdaway': 8106, 'hantavirus': 8107, 'rodent': 8108, 'watchful': 8109, 'protezionecivile': 8110, 'airpods': 8111, 'ons': 8112, '9to5mac': 8113, 'techjunkienews': 8114, 'harper': 8115, 'wood': 8116, 'pier': 8117, 'stayhomesa': 8118, 'wallstreet': 8119, 'helppeoplefirst': 8120, 'momentous': 8121, 'benefiting': 8122, 'philanthropy': 8123, 'fest': 8124, 'jose': 8125, 'contactless': 8126, 'locate': 8127, 'shameonyou': 8128, 'accuse': 8129, 'hiding': 8130, 'tilfurthernotice': 8131, 'painting': 8132, 'africanart': 8133, 'cameroon': 8134, '38': 8135, 'mailed': 8136, 'boise': 8137, 'idaho': 8138, 'iot': 8139, 'enterprise': 8140, 'royal': 8141, 'highness': 8142, 'registered': 8143, 'drunkard': 8144, 'comingyi': 8145, 'tremendous': 8146, 'veterinarian': 8147, 'exporting': 8148, 'overseas': 8149, 'suppressing': 8150, 'vunerable': 8151, 'scooter': 8152, 'dick': 8153, 'consumerawareness': 8154, '5t': 8155, '2t': 8156, 'wire': 8157, 'anticipate': 8158, 'gcc': 8159, 'structural': 8160, 'vanishing': 8161, 'opposite': 8162, 'tail': 8163, 'hamilton': 8164, 'poshmark': 8165, 'shopforacause': 8166, 'mobilio': 8167, 'specifically': 8168, 'sed': 8169, 'recovering': 8170, 'rakamoto': 8171, 'crypto': 8172, 'bitcoin': 8173, 'coin': 8174, 'portugal': 8175, 'portuguese': 8176, 'sonae': 8177, 'continente': 8178, 'worten': 8179, 'antoniocosta': 8180, 'portugalst': 8181, 'spree': 8182, 'slam': 8183, 'nancy': 8184, 'pelosi': 8185, 'laundry': 8186, 'additive': 8187, 'crisp': 8188, 'linen': 8189, '41oz': 8190, 'snatched': 8191, 'title': 8192, 'fantasy': 8193, 'tinkering': 8194, 'hamont': 8195, 'sarawat': 8196, 'ksa': 8197, 'jeddah': 8198, 'madinah': 8199, 'coronaupdate': 8200, 'pity': 8201, 'unforeseen': 8202, 'majeure': 8203, 'psychology': 8204, 'friking': 8205, 'payback': 8206, 'crashing': 8207, 'overhang': 8208, 'influx': 8209, 'refugee': 8210, 'protectyourworkers': 8211, 'diabetic': 8212, 'labour': 8213, '22nd': 8214, 'troll': 8215, 'criticised': 8216, 'affordability': 8217, 'remarkably': 8218, 'staysafestayathome': 8219, 'naked': 8220, 'caetgories': 8221, 'sustain': 8222, 'suffered': 8223, 'marketed': 8224, 'circulating': 8225, 'wfh': 8226, 'steepest': 8227, 'deflation': 8228, 'consumerspending': 8229, 'prevailing': 8230, 'uganda': 8231, 'ugandan': 8232, 'enjoys': 8233, 'basingstoke': 8234, 'bidding': 8235, 'dovetail': 8236, 'frantically': 8237, 'teddie': 8238, 'leadership': 8239, 'precedent': 8240, 'reclassified': 8241, 'impose': 8242, 'canceling': 8243, 'securing': 8244, 'ventured': 8245, 'profusely': 8246, 'thanked': 8247, 'subsequent': 8248, 'ethical': 8249, 'beahelper': 8250, 'dietitian': 8251, 'restraint': 8252, 'poorest': 8253, 'cyber': 8254, 'magecart': 8255, 'skimming': 8256, 'cybercrime': 8257, 'cyberthreats': 8258, 'shifted': 8259, 'perception': 8260, 'newest': 8261, 'intelligence': 8262, 'unveils': 8263, 'altering': 8264, 'showmeyourshelves': 8265, 'reserved': 8266, 'dubuque': 8267, 'stayhomechallenge': 8268, 'trumpplague': 8269, 'occurring': 8270, 'arrgghh': 8271, 'instoreexperience': 8272, 'percentage': 8273, 'prople': 8274, 'nairobi': 8275, 'busia': 8276, 'somehing': 8277, 'noo': 8278, 'kot': 8279, 'utawezana': 8280, 'culinary': 8281, 'alright': 8282, 'diagnostic': 8283, 'detection': 8284, 'rock': 8285, 'fingertip': 8286, 'craft': 8287, 'version': 8288, 'graphic': 8289, 'energyco': 8290, 'nessel': 8291, '572': 8292, 'idris': 8293, 'barbershop': 8294, 'secondary': 8295, 'biden': 8296, 'sap': 8297, 'sand': 8298, 'arrives': 8299, 'intentionally': 8300, 'aolonline': 8301, 'shenanigan': 8302, 'awesome': 8303, 'taxpayer': 8304, '2018': 8305, 'frightening': 8306, 'louder': 8307, 'oilpatch': 8308, 'debasish': 8309, 'cardmembers': 8310, 'flexibility': 8311, 'opt': 8312, 'rbi': 8313, 'regulatory': 8314, '1800': 8315, '419': 8316, '2122': 8317, 'claimed': 8318, 'stroke': 8319, 'demise': 8320, 'boujee': 8321, 'rainbow': 8322, 'colored': 8323, 'immunesystem': 8324, 'immunesupport': 8325, 'knit': 8326, 'fortnight': 8327, 'favor': 8328, 'romantic': 8329, 'newly': 8330, 'mark': 8331, 'gentleman': 8332, 'quarantinedromance': 8333, 'leveraged': 8334, 'heartbreak': 8335, 'firework': 8336, 'lawn': 8337, 'legend': 8338, 'mapleholistics': 8339, 'guildford': 8340, 'eve': 8341, 'sparking': 8342, '4588221st': 8343, 'incredibly': 8344, 'tpchallenge': 8345, 'stabilise': 8346, 'fishery': 8347, 'recession2020': 8348, 'cannabisproducts': 8349, 'wheeze': 8350, 'birmingham': 8351, 'calpol': 8352, 'shutthemup': 8353, 'mega': 8354, 'communism': 8355, 'younger': 8356, 'losing': 8357, 'comp': 8358, 'tec': 8359, 'safetytips': 8360, 'discard': 8361, 'jaffa': 8362, 'shri': 8363, 'gopalaiah': 8364, 'hon': 8365, 'ble': 8366, 'metrology': 8367, 'dd': 8368, 'chandana': 8369, '12pm': 8370, '04': 8371, '080': 8372, '23542599': 8373, '699': 8374, 'interact': 8375, 'recommends': 8376, 'nonmedical': 8377, 'doc': 8378, 'iaarchitects': 8379, 'remained': 8380, 'architecture': 8381, 'quarantining': 8382, 'buck': 8383, 'smarten': 8384, 'ribbon': 8385, 'modern': 8386, 'appts': 8387, 'hotmessus': 8388, 'conscious': 8389, 'chairman': 8390, 'fcb': 8391, 'googling': 8392, 'shake': 8393, 'combed': 8394, 'stats': 8395, 'snapshot': 8396, 'effecting': 8397, 'martech': 8398, 'swiss': 8399, 'syngenta': 8400, 'monthey': 8401, 'releasethesnydercut': 8402, 'batmanvsuperman': 8403, 'yamah': 8404, 'kezily': 8405, '52': 8406, 'flee': 8407, 'midnight': 8408, 'produced': 8409, 'minimize': 8410, 'dignity': 8411, 'command': 8412, 'breast': 8413, 'cabbage': 8414, 'tom': 8415, 'coburn': 8416, 'coordinate': 8417, 'spokesman': 8418, 'respectfully': 8419, 'continuation': 8420, 'dontb': 8421, '200ml': 8422, 'coronastopkarona': 8423, '210': 8424, 'stib': 8425, '37': 8426, 'legitimately': 8427, 'bekindtoeachother': 8428, 'trumpviruscoverup': 8429, 'votebluetosaveamerica': 8430, 'voteblue2020': 8431, 'hammerkopf': 8432, 'spiv': 8433, 'reselling': 8434, 'desperately': 8435, 'staycalm': 8436, 'carefulness': 8437, 'carelessness': 8438, 'pollution': 8439, 'rudy': 8440, 'giuliani': 8441, 'disappear': 8442, 'heelcomic': 8443, 'comedian': 8444, 'steady': 8445, 'underway': 8446, 'fitted': 8447, 'sterilize': 8448, 'askgovwhitmer': 8449, 'choosing': 8450, 'masked': 8451, 'costar': 8452, 'newer': 8453, 'plexiglas': 8454, 'escaping': 8455, 'shoe': 8456, 'overwhelming': 8457, 'the6ix': 8458, 'jason': 8459, 'skypes': 8460, 'unnecessarily': 8461, 'stageit': 8462, 'blink': 8463, 'geared': 8464, 'quota': 8465, 'reminds': 8466, 'birdbox': 8467, 'togetherathome': 8468, 'criticized': 8469, 'pile': 8470, 'uncaring': 8471, 'therona': 8472, 'eua': 8473, 'enquiry': 8474, 'relating': 8475, 'postman': 8476, 'rosy': 8477, 'pleading': 8478, 'scrambling': 8479, 'med': 8480, 'trumpmeltdown': 8481, 'perfumery': 8482, 'mullin3': 8483, 'depend': 8484, 'cook': 8485, 'policethesupermarkets': 8486, 'fatal': 8487, 'indication': 8488, 'houring': 8489, 'wakefield': 8490, 'patent': 8491, 'arses': 8492, 'countermeasure': 8493, 'scolded': 8494, 'aa': 8495, 'valuable': 8496, 'new2020': 8497, 'trusted': 8498, 'iconmeals': 8499, 'prep': 8500, 'jessejames10': 8501, 'sponsored': 8502, 'dodge': 8503, 'interhill': 8504, 'adaa': 8505, 'lax': 8506, 'ruby': 8507, 'princess': 8508, 'guardian': 8509, 'dispose': 8510, 'onpoli': 8511, 'anhydrous': 8512, 'ammonia': 8513, 'input': 8514, 'downside': 8515, 'industrial': 8516, 'alarmist': 8517, 'overly': 8518, 'nih': 8519, '1bn': 8520, 'nt': 8521, 'fabulous': 8522, 'scrutinised': 8523, 'collusion': 8524, 'nb': 8525, 'arising': 8526, 'secretary': 8527, 'simrandeep': 8528, 'singh': 8529, 'jammu': 8530, 'neat': 8531, 'syrup': 8532, 'biking': 8533, 'derrell': 8534, 'peel': 8535, 'agnews': 8536, 'topstory': 8537, 'cattlemarkets': 8538, 'farmincome': 8539, 'excited': 8540, 'lorain': 8541, 'battling': 8542, 'whomever': 8543, 'canon': 8544, 'temperaturecontrolsolutions': 8545, 'prolong': 8546, 'swine': 8547, 'graduate': 8548, 'ridden': 8549, 'seemingly': 8550, 'manufactured': 8551, 'realistic': 8552, 'conclusion': 8553, 'nationally': 8554, 'regionally': 8555, 'realizing': 8556, 'wind': 8557, 'heat': 8558, 'invest': 8559, 'proof': 8560, 'californian': 8561, 'caneedsyou': 8562, 'query': 8563, 'googletrends': 8564, 'searchresults': 8565, 'gl': 8566, 'chase': 8567, 'designated': 8568, 'buckscounty': 8569, '0469315906': 8570, 'atanda': 8571, 'afeez': 8572, 'ademola': 8573, 'gtbank': 8574, 'hustling': 8575, 'dem': 8576, 'fooled': 8577, 'contacting': 8578, 'texting': 8579, 'minimal': 8580, 'parenting': 8581, 'envoy': 8582, 'david': 8583, 'nabarro': 8584, 'ndtv': 8585, 'commit': 8586, 'cookbook': 8587, 'alternatively': 8588, 'isolationtips': 8589, 'wellbeingtips': 8590, 'hartman': 8591, 'spotlight': 8592, 'functionalfoods': 8593, 'functionality': 8594, 'immunity': 8595, 'stigma': 8596, 'booster': 8597, 'queing': 8598, 'carpark': 8599, 'lacking': 8600, 'spiral': 8601, 'represented': 8602, 'liz': 8603, 'hallock': 8604, 'beloved': 8605, 'fossil': 8606, 'finite': 8607, 'divesting': 8608, 'dinosaur': 8609, 'skint': 8610, 'boredom': 8611, 'divorced': 8612, 'numerator': 8613, 'redmeat': 8614, 'hoardersgonnahoard': 8615, 'broad': 8616, '25th': 8617, 'pleasant': 8618, 'haul': 8619, 'apologizes': 8620, 'bheki': 8621, 'cele': 8622, 'enca': 8623, 'criminalized': 8624, 'cigarette': 8625, 'threatened': 8626, 'kissing': 8627, 'abdul': 8628, 'oblivious': 8629, 'enforcing': 8630, 'lord': 8631, 'cow': 8632, 'theshoppies': 8633, 'teleworking': 8634, '12p': 8635, '8ppl': 8636, 'notgoodenough': 8637, '86y': 8638, '300miles': 8639, 'bluffing': 8640, 'arab': 8641, 'length': 8642, 'turner': 8643, 'andler': 8644, 'inittogether': 8645, 'goodnews': 8646, 'ruleyournest': 8647, 'screened': 8648, 'forehead': 8649, 'scanner': 8650, 'commonsense': 8651, 'uspoli': 8652, 'indianrailways': 8653, 'withdrew': 8654, 'concessional': 8655, 'precautionary': 8656, 'ians': 8657, 'colony': 8658, 'trap': 8659, 'confronting': 8660, 'mitchell': 8661, 'gilead': 8662, 'submitted': 8663, 'rescind': 8664, 'orphan': 8665, 'designation': 8666, 'granted': 8667, 'investigational': 8668, 'waiving': 8669, 'accompany': 8670, 'mentalillness': 8671, 'mentalhealthawareness': 8672, 'mentalillnessawareness': 8673, 'bandito': 8674, 'tumbled': 8675, 'booming': 8676, 'pd': 8677, 'daycare': 8678, 'govmnts': 8679, 'commodification': 8680, 'buffooninoffice': 8681, 'factual': 8682, 'laden': 8683, 'rachelmaddow': 8684, 'blathering': 8685, 'appealing': 8686, 'tneans': 8687, 'table': 8688, 'tap': 8689, '99b': 8690, 'southsudan': 8691, 'prior': 8692, 'foodinsecurity': 8693, 'freed': 8694, 'civilization': 8695, 'chinesewuhanvirus': 8696, 'chineseinfluenza': 8697, 'stunning': 8698, 'hype': 8699, 'glaring': 8700, 'brunt': 8701, 'dust': 8702, 'beaten': 8703, 'remeber': 8704, 'reminder': 8705, 'redundancy': 8706, 'recruiting': 8707, 'massow': 8708, 'agricultural': 8709, 'ease': 8710, 'weightloss': 8711, 'diet': 8712, 'quarentinelife': 8713, 'laughitthrough': 8714, 'staypositive': 8715, '492kg': 8716, 'thoughtless': 8717, 'wasteless': 8718, 'pitch': 8719, 'appalling': 8720, 'classic': 8721, '130': 8722, 'heritage': 8723, 'favourite': 8724, 'nobel': 8725, 'quatantine': 8726, 'nurtricrops': 8727, 'quinoa': 8728, 'rob': 8729, 'bandana': 8730, 'mexico': 8731, 'argentina': 8732, 'ambitious': 8733, 'coronachainscare': 8734, 'accumulating': 8735, 'undoc': 8736, 'indiscriminate': 8737, 'thus': 8738, 'threatens': 8739, 'featuring': 8740, 'b2b': 8741, 'd2c': 8742, 'watershed': 8743, 'pivoting': 8744, 'linkedin': 8745, 'associated': 8746, 'proceed': 8747, 'clinical': 8748, 'pessimism': 8749, 'shanghai': 8750, 'globaltrade': 8751, 'globaleconomy': 8752, 'polis': 8753, 'copolitics': 8754, 'maskchallenge': 8755, 'yay': 8756, 'leafy': 8757, 'surrey': 8758, 'educated': 8759, 'fck': 8760, 'nhsworkers': 8761, 'starkist': 8762, 'cracker': 8763, 'birx': 8764, 'sacramento': 8765, 'bee': 8766, 'nationalemergency': 8767, 'stir': 8768, 'polluting': 8769, 'climatecrisis': 8770, 'heel': 8771, 'weary': 8772, 'realized': 8773, 'thrust': 8774, 'panick': 8775, 'vegetarian': 8776, 'ghost': 8777, 'shoppingcrazy': 8778, 'washable': 8779, 'copious': 8780, 'handwashing': 8781, 'af': 8782, 'muji': 8783, 'funded': 8784, 'shore': 8785, 'cache': 8786, 'umm': 8787, 'aussie': 8788, 'jacksonville': 8789, 'reaching': 8790, 'doyoufeelluckypunk': 8791, 'mexicanstandoff': 8792, 'ring': 8793, 'researcher': 8794, 'techforgood': 8795, 'smarttech': 8796, 'wearabletech': 8797, 'iced': 8798, 'adopt': 8799, 'summerbod2021': 8800, 'autumm': 8801, 'inconvenienc': 8802, 'nurseproblems': 8803, 'regard': 8804, 'baguio': 8805, 'observing': 8806, 'disiplinamuna': 8807, 'tatakbaguio': 8808, 'philippine': 8809, 'supermarketnews': 8810, 'injection': 8811, 'alt': 8812, 'bearish': 8813, 'equal': 8814, 'probability': 8815, 'confirming': 8816, '2460': 8817, 'protectionism': 8818, 'net': 8819, 'tf': 8820, 'consumerconfidence': 8821, 'dipped': 8822, 'showed': 8823, 'anxietyindex': 8824, 'century': 8825, 'balance': 8826, 'therefore': 8827, 'alternativefacts': 8828, 'poisoning': 8829, 'pepperoni': 8830, 'tfl': 8831, 'funeral': 8832, 'storr': 8833, 'coatbridge': 8834, 'cab': 8835, '01236': 8836, '421447': 8837, 'casonline': 8838, 'gael': 8839, 'fashingbauer': 8840, 'nonno': 8841, 'pappou': 8842, 'southern': 8843, 'summer': 8844, 'achieve': 8845, 'reminding': 8846, 'trashed': 8847, 'introducing': 8848, 'masterclass': 8849, 'playbook': 8850, 'gary': 8851, 'vaynerchuk': 8852, 'a9': 8853, 'bolster': 8854, 'bunny': 8855, 'tooth': 8856, 'fairy': 8857, 'parentinginapandemic': 8858, 'easterbunny': 8859, 'toothfairy': 8860, 'acted': 8861, 'accepting': 8862, 'carside': 8863, 'mid': 8864, 'marianos': 8865, 'played': 8866, 'mariano': 8867, 'demonstrably': 8868, 'bt': 8869, 'logicallysummaries': 8870, 'uh': 8871, 'grimy': 8872, 'requested': 8873, 'rhapsody': 8874, 'vinyl': 8875, 'dominated': 8876, 'fog': 8877, 'horn': 8878, 'upcoming': 8879, 'quiz': 8880, 'quizetimemorningswithamazon': 8881, 'godrej': 8882, 'patanjali': 8883, 'hul': 8884, 'coronahero': 8885, 'campus': 8886, 'alhadulilah': 8887, 'reunion': 8888, 'madam': 8889, 'pmb': 8890, 'palliative': 8891, 'bvn': 8892, 'transferred': 8893, 'untapped': 8894, 'buylists': 8895, 'hunkering': 8896, 'indicating': 8897, 'screeching': 8898, 'historically': 8899, 'enewsletter': 8900, 'forest': 8901, '1per': 8902, 'intend': 8903, 'workfromhome': 8904, 'bakkt': 8905, '300m': 8906, 'digitalsecurities': 8907, 'seriesa': 8908, 'seriesb': 8909, 'securitytoken': 8910, 'sto': 8911, 'securitytokens': 8912, 'digitalsecurity': 8913, 'serviceindustry': 8914, '36': 8915, 'laid': 8916, 'pouring': 8917, 'passion': 8918, 'writing': 8919, 'arak': 8920, 'bali': 8921, 'nationalizing': 8922, 'dolling': 8923, 'def': 8924, 'applying': 8925, 'unveiled': 8926, 'differentiate': 8927, 'closethemalls': 8928, 'token': 8929, 'blighty': 8930, 'mauritius': 8931, 'beautiful': 8932, 'paradisal': 8933, 'paradise': 8934, 'mentality': 8935, 'casually': 8936, 'jolly': 8937, 'inquire': 8938, 'sheltered': 8939, 'interaction': 8940, 'locking': 8941, 'batmeat': 8942, 'oversold': 8943, 'retracement': 8944, '2800': 8945, 'dreaded': 8946, 'cbdd': 8947, 'lee': 8948, 'tennessee': 8949, 'robbed': 8950, 'burglarized': 8951, 'fca': 8952, 'specialty': 8953, 'fletcher': 8954, 'george': 8955, 'silber': 8956, 'banner': 8957, 'abundancemindset': 8958, 'unreal': 8959, 'cbob': 8960, '85': 8961, '28': 8962, 'psychologist': 8963, 'yarrow': 8964, 'psyche': 8965, 'tender': 8966, 'rfp': 8967, 'disinfector': 8968, 'ethericoil': 8969, 'ether': 8970, 'ethylalcohol': 8971, 'hygienedevice': 8972, 'hygienekit': 8973, 'hygienicbag': 8974, 'rectifiedspirit': 8975, 'sanitization': 8976, 'snyders': 8977, 'centurytowers': 8978, 'shoplocalkcmo': 8979, 'snyderssupermarket': 8980, 'pickupanddelivery': 8981, 'kcmo': 8982, 'stayactive': 8983, 'stayhealthy': 8984, 'golflife': 8985, 'elk': 8986, 'grove': 8987, 'flashing': 8988, 'clarification': 8989, 'seo': 8990, 'sem': 8991, 'smo': 8992, 'smm': 8993, 'websitedesign': 8994, 'websitedevelopment': 8995, 'mobileappdevelopment': 8996, 'tirelessly': 8997, 'uninterrupted': 8998, 'tdsb': 8999, '1200': 9000, 'ppv': 9001, 'ifollow': 9002, 'fhd': 9003, '07939252948': 9004, 'iptv': 9005, 'firestick': 9006, 'magbox': 9007, 'ipeetv': 9008, 'interacted': 9009, 'cliamtechange': 9010, 'losangeles': 9011, 'gunsales': 9012, 'eligibility': 9013, 'cloud': 9014, 'infant': 9015, 'steelguru': 9016, 'oilpricecrash': 9017, 'brentcrude': 9018, 'squeo': 9019, 'implied': 9020, 'honest': 9021, 'depriving': 9022, 'nike': 9023, 'outfitter': 9024, 'armor': 9025, 'trajectory': 9026, 'sinha': 9027, 'portioning': 9028, 'duffex': 9029, 'losfeliz': 9030, 'ghosttown': 9031, 'loaf': 9032, 'soreen': 9033, 'parade': 9034, 'sixth': 9035, 'avenue': 9036, 'victorious': 9037, 'roman': 9038, 'debit': 9039, 'snide': 9040, 'guaranteed': 9041, 'handsoap': 9042, 'sosamerica': 9043, 'sake': 9044, 'cheering': 9045, 'petrolprice': 9046, 'americafirst': 9047, '131': 9048, '882': 9049, 'dried': 9050, 'diversify': 9051, 'localbusiness': 9052, 'mobbing': 9053, 'kohl': 9054, 'excerpt': 9055, 'lasting': 9056, 'consume': 9057, 'dug': 9058, 'channelsight': 9059, 'analyse': 9060, 'cruel': 9061, 'jill': 9062, 'realizes': 9063, 'jcpenney': 9064, 'impressed': 9065, 'bowl': 9066, 'begging': 9067, 'wanker': 9068, 'preference': 9069, 'rewarded': 9070, 'chinamarketing': 9071, 'theskinny': 9072, 'worldhealthday': 9073, 'fetterhealth': 9074, 'rattled': 9075, 'ngisho': 9076, 'wena': 9077, 'depreciation': 9078, 'rand': 9079, 'slowed': 9080, 'lira': 9081, '20mbs': 9082, 'notoviptesting': 9083, 'freemasstestingnowph': 9084, 'terrifying': 9085, 'floating': 9086, 'remaining': 9087, 'maintaining': 9088, 'pistachio': 9089, 'retailworkers': 9090, 'weneedrationing': 9091, 'austin': 9092, '46m': 9093, 'airborne': 9094, 'itr': 9095, 'alan': 9096, 'beaulieu': 9097, 'edition': 9098, 'biweekly': 9099, 'placed': 9100, 'jennifer': 9101, 'chudy': 9102, 'portage': 9103, 'mineral': 9104, 'irreversible': 9105, 'appealed': 9106, 'revers': 9107, 'unfolding': 9108, 'advertiser': 9109, 'soil': 9110, 'spat': 9111, 'hoped': 9112, 'meltdown': 9113, 'abhishek': 9114, 'muralidharan': 9115, 'whatpackaging': 9116, 'spends': 9117, 'raw': 9118, 'material': 9119, 'angeles': 9120, 'uditraj': 9121, 'harvesting': 9122, 'exempt': 9123, 'insecticide': 9124, 'msp': 9125, 'spurred': 9126, 'strategic': 9127, 'overproduction': 9128, 'detrimental': 9129, 'venezuela': 9130, 'algeria': 9131, 'ecuador': 9132, 'steep': 9133, 'intercity': 9134, 'ganja': 9135, 'sayentrepreneur': 9136, 'nk95': 9137, '3ply': 9138, 'syima': 9139, 'icymi': 9140, 'dougmcmillon': 9141, 'counted': 9142, 'essentialworker': 9143, 'cork': 9144, 'pound': 9145, 'uptick': 9146, 'yelp': 9147, 'businesstrategyandprofitability': 9148, 'financialnews': 9149, 'mobilepayments': 9150, 'onlineordering': 9151, 'admission': 9152, 'goto': 9153, 'stayathomesavelives': 9154, 'italystaystrong': 9155, 'rwandan': 9156, 'opting': 9157, 'king': 9158, 'cresskill': 9159, 'enjoyed': 9160, 'tpr': 9161, 'payitforward': 9162, 'supportsmallbusiness': 9163, 'shelteringinplace': 9164, 'discovery': 9165, 'thermal': 9166, 'detecting': 9167, 'camera': 9168, 'robust': 9169, 'stabbing': 9170, 'lg': 9171, 'mathew': 9172, 'mcconaughey': 9173, 'coronaviruses': 9174, 'morbidity': 9175, 'npa': 9176, 'rajan': 9177, 'prof': 9178, 'miguel': 9179, 'gomez': 9180, 'ebt': 9181, 'reimbursing': 9182, 'june': 9183, 'aftermath': 9184, 'chosen': 9185, 'pictured': 9186, 'bcdocs': 9187, 'gaining': 9188, '29': 9189, '2017': 9190, 'puppet': 9191, 'asleep': 9192, 'waking': 9193, 'censor': 9194, 'upshot': 9195, 'armageddon': 9196, 'coronageddon': 9197, 'deeper': 9198, 'egoism': 9199, 'coexistence': 9200, 'mutual': 9201, 'celebrated': 9202, 'culling': 9203, 'mitigating': 9204, 'guilt': 9205, 'carlsberg': 9206, 'ambition': 9207, 'libyan': 9208, 'improve': 9209, 'unruly': 9210, 'importing': 9211, 'worsens': 9212, 'futurefocus': 9213, 'conversation': 9214, 'switchtostandard': 9215, 'definition': 9216, 'galaxy': 9217, 'winding': 9218, 'defeated': 9219, 'parson': 9220, 'respondent': 9221, 'skill': 9222, 'posed': 9223, 'instability': 9224, 'pancake': 9225, 'sugar': 9226, 'bringmeauntjemima': 9227, 'finalstraw': 9228, 'europeanunion': 9229, 'unitedkingdom': 9230, 'wttc': 9231, 'consumerrefunds': 9232, 'manonfire': 9233, 'cod': 9234, 'modernwarfare': 9235, 'blownup': 9236, 'searchanddestroy': 9237, 'denzelwashington': 9238, 'goodmovies': 9239, 'cleanhands': 9240, 'losmanos': 9241, 'superbowl': 9242, 'playoff': 9243, 'ohio': 9244, 'bobsburgers': 9245, 'bologna': 9246, 'stepford': 9247, 'stepfordwives': 9248, 'shutitdown': 9249, 'hardy': 9250, 'plot': 9251, 'outcome': 9252, 'rajagopalan': 9253, 'yves': 9254, 'breton': 9255, 'venezuelan': 9256, 'ofall': 9257, 'circuit': 9258, 'economical': 9259, 'newz': 9260, 'chelmsford': 9261, 'easton': 9262, 'stating': 9263, 'entity': 9264, 'invalid': 9265, 'arynews': 9266, 'labourer': 9267, 'improvished': 9268, 'poonch': 9269, 'wednesdaywisdom': 9270, 'hm': 9271, 'twitterdogs': 9272, 'alien': 9273, 'fred': 9274, 'meyer': 9275, 'hoglets': 9276, 'hrc': 9277, 'rebar': 9278, 'writerslife': 9279, 'happily': 9280, 'printer': 9281, 'cartridge': 9282, 'lightbulb': 9283, 'stew': 9284, 'pse': 9285, 'intervene': 9286, 'establish': 9287, 'sneak': 9288, 'herses': 9289, 'coronatips': 9290, 'rupaul': 9291, 'rupaulsdragrace': 9292, 'dontbeshady': 9293, 'kenney': 9294, 'extinctionrebellion': 9295, 'fridaysforfuture': 9296, 'fossilfuels': 9297, 'tarsands': 9298, 'capsule': 9299, 'posterity': 9300, 'contributes': 9301, 'conventional': 9302, 'rotation': 9303, 'nitrogen': 9304, 'fixation': 9305, 'pal': 9306, 'simonyan': 9307, 'devastating': 9308, 'biochemicalwarfare': 9309, 'simpleton': 9310, 'pointless': 9311, 'operative': 9312, 'workingsmart': 9313, 'workingsafe': 9314, 'ipsos': 9315, 'mori': 9316, 'emphasis': 9317, 'franceschini': 9318, 'chill': 9319, 'anybody': 9320, 'whereamask': 9321, 'mystar991': 9322, 'proliferate': 9323, 'penn': 9324, 'reliability': 9325, 'shotoniphone': 9326, 'iphonography': 9327, 'tm': 9328, 'oldman': 9329, 'lago': 9330, 'yard': 9331, 'explicit': 9332, 'hidden': 9333, 'co2': 9334, 'sliding': 9335, 'subsidy': 9336, 'carbontax': 9337, 'collaboration': 9338, '3d': 9339, 'stated': 9340, 'athanasia': 9341, 'ct': 9342, 'webcast': 9343, 'parksdata': 9344, 'attacked': 9345, 'badge': 9346, 'resolve': 9347, 'wetherspoon': 9348, 'timmartin': 9349, 'haulage': 9350, 'sewerage': 9351, 'crematorium': 9352, 'cemetery': 9353, 'teaching': 9354, 'pun': 9355, 'greatest': 9356, 'wet': 9357, 'repression': 9358, 'distracted': 9359, 'september': 9360, 'longevity': 9361, 'invisible': 9362, 'inhale': 9363, 'bam': 9364, 'disappointing': 9365, 'fortune': 9366, 'thewalkingdead': 9367, 'extending': 9368, 'menoume': 9369, 'spiti': 9370, 'greece': 9371, 'eleven': 9372, 'belief': 9373, 'generated': 9374, 'pointed': 9375, 'clarified': 9376, 'sufficiently': 9377, 'mitigation': 9378, 'jeff': 9379, 'farber': 9380, 'returning': 9381, 'skimping': 9382, 'clued': 9383, 'kke': 9384, 'backed': 9385, 'coeliacs': 9386, 'lactose': 9387, 'intolerant': 9388, 'xmas': 9389, 'troop': 9390, 'brigaid': 9391, 'trustedhelpatyourfingertips': 9392, 'lyon': 9393, '1m': 9394, 'roi': 9395, 'capitalmarkets': 9396, 'winner': 9397, 'became': 9398, 'downloaded': 9399, 'overtaking': 9400, 'gaffney': 9401, 'lockdownparis': 9402, 'deserted': 9403, 'dankie': 9404, 'reassuring': 9405, 'sacrificial': 9406, 'lamb': 9407, 'wallet': 9408, 'seasonal': 9409, 'prepper': 9410, 'prepping': 9411, 'srilanka': 9412, 'lka': 9413, 'tamil': 9414, 'tamilnadu': 9415, 'detects': 9416, 'facebookads': 9417, 'ppc': 9418, 'unsettled': 9419, 'triggerchange': 9420, 'repealbillc71': 9421, 'notforsale': 9422, 'habra': 9423, 'exclusively': 9424, 'teaming': 9425, 'needy': 9426, 'charlottenc': 9427, 'makingadifference': 9428, 'sharp': 9429, 'volatility': 9430, 'separation': 9431, 'trainee': 9432, 'geriatric': 9433, 'shattered': 9434, 'interviewed': 9435, 'adapting': 9436, 'woke': 9437, 'crise': 9438, 'leipzig': 9439, 'salesman': 9440, 'vulgar': 9441, 'bil': 9442, 'natnl': 9443, 'assoc': 9444, 'tril': 9445, 'oops': 9446, 'cambridge': 9447, 'fantancy': 9448, 'githurai44': 9449, 'sterdo': 9450, 'sijasema': 9451, 'kitu': 9452, 'dharmesh': 9453, 'imabouttocooksoon': 9454, 'heaving': 9455, 'weren': 9456, 'popping': 9457, 'handler': 9458, 'overlooked': 9459, 'racist': 9460, 'blast': 9461, 'chine': 9462, 'savant': 9463, 'aignos': 9464, 'dvd': 9465, 'publisher': 9466, 'booksale': 9467, 'distrust': 9468, 'wisconsin': 9469, 'voting': 9470, 'polling': 9471, 'donning': 9472, 'november': 9473, 'negotiable': 9474, 'loong': 9475, 'gon': 9476, 'restaurateur': 9477, 'ldn': 9478, 'ours': 9479, 'microtarget': 9480, 'riskmanagement': 9481, 'sherwin': 9482, 'donates': 9483, 'georgia': 9484, 'destroyed': 9485, 'stifled': 9486, 'wreaking': 9487, 'havoc': 9488, 'gapol': 9489, 'croozefmnews': 9490, 'terribly': 9491, 'mbarara': 9492, 'refusal': 9493, 'sh100': 9494, 'hypothesis': 9495, 'mobility': 9496, 'hypocrite': 9497, 'boycotthul': 9498, 'wednesdaythoughts': 9499, 'yallaregettingonmynerves': 9500, 'signatory': 9501, 'spearheaded': 9502, 'anna': 9503, 'vailant': 9504, 'rage': 9505, 'evermore': 9506, 'relevant': 9507, 'aapka': 9508, 'apna': 9509, 'jantacurfew': 9510, 'nook': 9511, 'animalcrossing': 9512, 'acnh': 9513, 'tomnook': 9514, 'drunk': 9515, 'blono': 9516, 'putnam': 9517, 'chamber': 9518, 'partnering': 9519, 'jogger': 9520, 'luckily': 9521, 'dive': 9522, 'musing': 9523, 'traceability': 9524, 'digitalassetlive': 9525, '01': 9526, 'tuesdaythoughts': 9527, 'familiesfirst': 9528, 'workmate': 9529, 'symptomatic': 9530, 'prospecting': 9531, 'prophylactic': 9532, 'hydroxychloroquineandazithromycin': 9533, 'medicaladvice': 9534, 'malaria': 9535, 'drank': 9536, 'fairprice': 9537, 'tied': 9538, 'singular': 9539, 'insightintelligence': 9540, '1k': 9541, 'admits': 9542, 'calockdown': 9543, 'bold': 9544, 'foothold': 9545, 'yoy': 9546, 'pune': 9547, 'chennai': 9548, 'rtold': 9549, 'dart': 9550, 'fooddelivery': 9551, 'perpetrate': 9552, 'cyberscam': 9553, 'beready': 9554, 'donotfallforit': 9555, 'efficiently': 9556, 'x1m': 9557, 'emotionally': 9558, 'exhausted': 9559, 'empathic': 9560, 'tapped': 9561, 'ty': 9562, 'individualism': 9563, 'bengal': 9564, 'variety': 9565, 'touched': 9566, 'boycottvodafone': 9567, 'freelancer': 9568, 'contractor': 9569, 'loophole': 9570, 'ifs': 9571, 'aiding': 9572, 'shadab': 9573, 'raunheim': 9574, 'hessen': 9575, 'impression': 9576, 'granada': 9577, 'difficulty': 9578, 'infosec': 9579, 'jacket': 9580, 'cabinet': 9581, 'fond': 9582, 'wantonly': 9583, 'liable': 9584, 'breaching': 9585, 'smes': 9586, 'informal': 9587, 'cushioning': 9588, 'oahu': 9589, 'islandlife': 9590, 'hawaii': 9591, 'hog': 9592, 'pig': 9593, 'hawaiianislands': 9594, 'enrollment': 9595, 'aca': 9596, 'cobra': 9597, 'undoubtably': 9598, 'regulator': 9599, 'swarming': 9600, 'lettuce': 9601, 'seal': 9602, 'thinker': 9603, 'pandamonium': 9604, 'norespect': 9605, 'gainesville': 9606, 'landed': 9607, 'stuffccedoes': 9608, 'hofmann': 9609, 'containment': 9610, 'ramp': 9611, 'metropolitan': 9612, 'singalong': 9613, 'rain': 9614, 'defence': 9615, 'cornwall': 9616, 'lockdown2020': 9617, 'jantacurfew2020': 9618, 'hantavir': 9619, 'yesmanservices': 9620, 'narendramodi': 9621, '09': 9622, 'ringd': 9623, 'shady': 9624, 'pretendingtocare': 9625, 'needing': 9626, 'vi': 9627, 'ikoyi': 9628, 'marina': 9629, 'unlimited': 9630, 'healthylifestyle': 9631, 'doculandnigeria': 9632, '19de': 9633, 'racking': 9634, 'biologicalweapon': 9635, 'terrorism': 9636, 'collap': 9637, 'hayward': 9638, 'cox': 9639, 'agent': 9640, 'uphold': 9641, 'undertaking': 9642, 'valuation': 9643, 'inspection': 9644, 'maintenance': 9645, 'compliance': 9646, 'jerseyans': 9647, 'diversification': 9648, 'legislature': 9649, 'listing': 9650, '16th': 9651, 'posit': 9652, 'critically': 9653, 'reputable': 9654, 'hea': 9655, 'hobby': 9656, 'emptier': 9657, 'germophobe': 9658, 'tohoku': 9659, 'influencers': 9660, 'involve': 9661, 'detached': 9662, 'fitbit': 9663, 'ace': 9664, '58': 9665, 'camelcamelcamel': 9666, 'purveyor': 9667, 'truce': 9668, 'luscious': 9669, 'vegetation': 9670, 'locust': 9671, 'grazed': 9672, 'crate': 9673, '5lines': 9674, 'mpy': 9675, 'surplus': 9676, 'roast': 9677, 'mince': 9678, 'bir': 9679, 'ddettir': 9680, 'permarketlerin': 9681, 'lojistik': 9682, 'hizmeti': 9683, 'avusturya': 9684, 'ordusu': 9685, 'deste': 9686, 'iyle': 9687, 'yap': 9688, 'yor': 9689, 'tedavisi': 9690, 'milyon': 9691, 'luk': 9692, 'ara': 9693, 'rma': 9694, 'geli': 9695, 'tirme': 9696, 'esi': 9697, 'klad': 9698, 'ge': 9699, 'hafta': 9700, 'paketi': 9701, 'klanm': 9702, 'viyana': 9703, 'haberler': 9704, 'bu': 9705, 'kadar': 9706, 'isolates': 9707, 'believing': 9708, 'himself': 9709, 'thi': 9710, 'ng': 9711, 'deploys': 9712, 'gafoodindustry': 9713, 'scarf': 9714, 'wrapped': 9715, 'pan': 9716, 'splain': 9717, 'barbie': 9718, 'doll': 9719, 'veteran': 9720, 'resisted': 9721, '46': 9722, '385': 9723, 'mcx': 9724, '44049': 9725, 'gloom': 9726, 'sooner': 9727, 'empathetic': 9728, 'enhancing': 9729, 'holland': 9730, 'sitution': 9731, 'landal': 9732, 'rebook': 9733, 'unacceptable': 9734, 'interruption': 9735, 'nofilter': 9736, 'champagne': 9737, 'penis': 9738, 'sprayable': 9739, 'diameter': 9740, 'nozzle': 9741, 'active': 9742, 'liquidator': 9743, 'busiest': 9744, 'bac': 9745, '3a': 9746, 'cannonwater': 9747, 'teamcvs': 9748, 'realheros': 9749, 'surreal': 9750, 'csis': 9751, 'ben': 9752, 'cahill': 9753, 'socialist': 9754, 'arrange': 9755, 'reservist': 9756, 'vat': 9757, 'lick': 9758, 'coronanl': 9759, 'franchise': 9760, 'photohops': 9761, 'deletes': 9762, 'sentence': 9763, 'stacker': 9764, 'humannature': 9765, 'spindini': 9766, 'greatgeneration': 9767, 'upto': 9768, 'accidently': 9769, 'rcb': 9770, 'ipl2020': 9771, 'pipe': 9772, 'plc': 9773, 'preaching': 9774, 'kaki': 9775, 'meja': 9776, 'jangan': 9777, 'tapi': 9778, 'trumpepicfailure': 9779, 'anniversary': 9780, 'temporarywork': 9781, 'temporaryvacancy': 9782, 'musicaltheatre': 9783, 'westend': 9784, 'lockdownlondon': 9785, 'newspaper': 9786, 'chancellor': 9787, 'merkel': 9788, 'berlin': 9789, 'preserving': 9790, 'chapter': 9791, 'verizon': 9792, 'cpd': 9793, 'supervising': 9794, 'fatally': 9795, 'flawed': 9796, 'nielsen': 9797, 'inclined': 9798, 'premise': 9799, 'demographic': 9800, 'cwa': 9801, 'advocacy': 9802, 'lift': 9803, 'streamer': 9804, 'shouted': 9805, 'separate': 9806, 'calgary': 9807, 'involving': 9808, 'westjet': 9809, 'intimidating': 9810, 'connectivity': 9811, 'connect': 9812, 'fortunately': 9813, '60seconds': 9814, 'becreative': 9815, 'bebetter': 9816, 'besafe': 9817, 'extortionately': 9818, 'haji': 9819, 'adulterated': 9820, 'ritual': 9821, 'meaningful': 9822, 'facetime': 9823, 'boerne': 9824, 'eatery': 9825, 'afloat': 9826, 'showcase': 9827, 'mncs': 9828, 'ranchi': 9829, 'nrlm': 9830, 'adoting': 9831, 'ayurved': 9832, 'tpi': 9833, 'timeframe': 9834, 'bang': 9835, 'harassing': 9836, 'pedestrian': 9837, 'bonding': 9838, 'moral': 9839, 'schmutz': 9840, 'performing': 9841, 'random': 9842, 'louisiana': 9843, 'satan': 9844, 'boomplay': 9845, 'rewe': 9846, 'potsdam': 9847, 'odds': 9848, 'thats': 9849, 'pilling': 9850, 'fuckoffcoronavirus': 9851, 'kindnesspandemic': 9852, 'thinkingofothers': 9853, 'hurry': 9854, 'fighttogether': 9855, 'belgavi': 9856, 'tnc': 9857, 'baseline': 9858, 'primarily': 9859, 'paycheck': 9860, 'wreck': 9861, 'fema': 9862, 'competing': 9863, 'medicalequipment': 9864, 'protectivegear': 9865, 'trumpliesamericansdie': 9866, 'eucommission': 9867, 'traveller': 9868, 'regionalsecurity': 9869, 'lcdc': 9870, 'cabby': 9871, 'mercedes': 9872, '01892': 9873, '838': 9874, '619': 9875, 'salford': 9876, 'refuse': 9877, 'soybean': 9878, 'scenario': 9879, 'dtc': 9880, 'slated': 9881, 'k12': 9882, 'midtown': 9883, 'newyorklockdown': 9884, 'newyorktough': 9885, 'rang': 9886, 'career': 9887, 'meditate': 9888, 'tuesdaytreat': 9889, 'curse': 9890, 'multinational': 9891, 'whooping': 9892, 'mylan': 9893, 'nv': 9894, 'ijustwanttogobacktomynormallife': 9895, 'saudiaramco': 9896, 'comfortable': 9897, 'aramco': 9898, 'geopolitics': 9899, 'oilandgas': 9900, 'subsea': 9901, 'alxcltd': 9902, 'journalism': 9903, 'neither': 9904, 'brighton': 9905, 'lighten': 9906, 'steve': 9907, 'hendrickson': 9908, 'naturalgas': 9909, 'natgas': 9910, 'dementia': 9911, 'respected': 9912, 'login': 9913, 'essenti': 9914, 'cagnaccio': 9915, 'rubbish': 9916, 'surestwaytolegalresearch': 9917, 'supremecourt': 9918, 'scconline': 9919, 'jane': 9920, 'southworth': 9921, 'diverisfiedindustrials': 9922, 'biocide': 9923, 'lapping': 9924, 'divided': 9925, 'deployed': 9926, 'ftse': 9927, 'ursday': 9928, 'demic': 9929, 'pedro': 9930, 'perez': 9931, 'woollies': 9932, 'firing': 9933, 'copping': 9934, 'keyworker': 9935, 'unpaid': 9936, 'settle': 9937, 'intelligent': 9938, 'em': 9939, 'cnas': 9940, 'stockmarketcrash': 9941, 'signofthetimes': 9942, 'brief': 9943, 'coincides': 9944, 'rainy': 9945, 'unavoidable': 9946, 'disrupt': 9947, 'foreseeable': 9948, 'acute': 9949, 'shopify': 9950, 'slide': 9951, 'deck': 9952, 'attend': 9953, 'consultancy': 9954, 'training': 9955, 'maniac': 9956, 'smarting': 9957, 'ipa': 9958, 'pivot': 9959, 'skull': 9960, 'realitytv': 9961, 'dotheirpart': 9962, 'ironically': 9963, 'traveled': 9964, '80km': 9965, 'gasprices': 9966, 'roadtrip': 9967, 'pork': 9968, 'cordon': 9969, 'gruyere': 9970, 'sauce': 9971, 'exit': 9972, 'unloading': 9973, 'prioritise': 9974, 'sprayer': 9975, 'dental': 9976, 'hygienist': 9977, 'amber': 9978, 'sanchez': 9979, 'shadow': 9980, 'tote': 9981, 'delayed': 9982, 'finalized': 9983, 'scuffle': 9984, 'respectful': 9985, 'justsaying': 9986, 'earnings': 9987, 'ubs': 9988, 'wealth': 9989, 'claudia': 9990, 'panseri': 9991, 'preservation': 9992, 'rectify': 9993, 'brunswick': 9994, 'stat': 9995, 'southkorea': 9996, 'coli': 9997, 'botulism': 9998, 'winning': 9999, 'bruh': 10000, 'schedule': 10001, 'trickiest': 10002, 'terminal': 10003, 'pressing': 10004, 'waving': 10005, 'saleem': 10006, 'safi': 10007, 'imran': 10008, 'khan': 10009, 'ik': 10010, 'resignation': 10011, 'imf': 10012, 'ig': 10013, 'punjab': 10014, 'fazlu': 10015, 'dharna': 10016, 'chore': 10017, 'eyewear': 10018, 'sunglass': 10019, 'newyork': 10020, 'cornell': 10021, 'indie': 10022, 'approaching': 10023, 'faltering': 10024, 'category3': 10025, 'evacuation': 10026, 'devastation': 10027, 'assigned': 10028, 'dichotomy': 10029, 'thankstrump': 10030, 'tjmaxx': 10031, 'burlington': 10032, 'ko': 10033, 'olau': 10034, 'helpingothers': 10035, 'emphatically': 10036, 'nyu': 10037, 'tandon': 10038, 'expressing': 10039, 'harry': 10040, 'brennan': 10041, 'personalfinance': 10042, 'rba': 10043, 'joyce': 10044, 'mccutch': 10045, 'gujarat': 10046, 'surat': 10047, 'resorted': 10048, 'pelted': 10049, 'stone': 10050, 'detained': 10051, 'dcp': 10052, 'rakesh': 10053, 'barot': 10054, 'va': 10055, 'dept': 10056, 'partnership': 10057, 'adjusts': 10058, 'lounge': 10059, 'americanairlines': 10060, 'marketscreener': 10061, 'brawl': 10062, 'root': 10063, 'ipex': 10064, 'silk': 10065, 'scrunchies': 10066, 'wichita': 10067, 'relentlesslyoriginal': 10068, 'terfs': 10069, 'trans': 10070, 'vax': 10071, 'seat': 10072, 'boose': 10073, 'myth': 10074, 'terf': 10075, 'luxurybrand': 10076, 'luxurylifestyle': 10077, 'stockton': 10078, 'defying': 10079, 'lipstick': 10080, 'polish': 10081, 'saint': 10082, 'johnston': 10083, 'ain': 10084, 'noth': 10085, 'abc15': 10086, 'speculator': 10087, 'italylockdown': 10088, 'emi': 10089, 'tht': 10090, 'institution': 10091, 'orpenalties': 10092, 'incase': 10093, '30k': 10094, 'auspol2020': 10095, 'loyalty': 10096, 'legalnews': 10097, 'robertson': 10098, 'gd': 10099, 'malaysialockdown': 10100, 'pp': 10101, 'propylene': 10102, 'sluggish': 10103, 'owing': 10104, 'clap8': 10105, 'generosity': 10106, 'thoughtfulness': 10107, 'manic': 10108, 'courteous': 10109, 'acc': 10110, '3400': 10111, 'panickbuying': 10112, 'lucky': 10113, '20k': 10114, 'spur': 10115, 'verified': 10116, 'gasbuddy': 10117, 'spurbp': 10118, '815': 10119, 'laurel': 10120, 'ky': 10121, '40741': 10122, 'riasrd': 10123, 'weekday': 10124, 'weallneedfood': 10125, 'jessie': 10126, 'wright': 10127, 'pat': 10128, 'served': 10129, 'tweaking': 10130, 'mtn': 10131, 'southafrica': 10132, 'meatshop': 10133, 'coimbatorecorporation': 10134, 'lockdowndiary': 10135, 'thecovaipost': 10136, 'cowering': 10137, 'shoved': 10138, 'knocking': 10139, 'yelped': 10140, 'comsumption': 10141, 'premiumization': 10142, 'winetasting': 10143, 'winedrinking': 10144, 'winelover': 10145, 'wineindustry': 10146, 'dispensary': 10147, 'stance': 10148, 'stalker': 10149, 'johnlewis': 10150, 'fitch': 10151, 'sovereign': 10152, 'rmbs': 10153, 'performance': 10154, 'borrower': 10155, 'hardly': 10156, 'nor': 10157, 'disastrous': 10158, 'disrupts': 10159, 'murphy': 10160, 'humidor': 10161, 'pseudomed': 10162, 'uc': 10163, 'irvine': 10164, 'debunked': 10165, 'rejuvi': 10166, 'liver': 10167, 'attributed': 10168, 'herbalife': 10169, 'marketcrash': 10170, 'chinesecoronavirus': 10171, 'chucknorris': 10172, 'breakingnews': 10173, 'illjustorderfromthecharmery': 10174, 'laughed': 10175, 'juha': 10176, 'saarinen': 10177, 'canal': 10178, 'edit': 10179, 'selfquarantine': 10180, 'tearful': 10181, 'wary': 10182, 'skype': 10183, 'centered': 10184, 'intreo': 10185, 'quay': 10186, 'relaxing': 10187, 'quarantinis': 10188, 'dynamic': 10189, 'duo': 10190, 'review': 10191, '21st': 10192, 'somalia': 10193, 'pandemic2020': 10194, 'coronapimpin': 10195, 'sexydistancing': 10196, 'sexy': 10197, 'igotyouboo': 10198, 'excitement': 10199, 'rot': 10200, 'sakal': 10201, 'sakalnews': 10202, 'viral': 10203, 'sakalmedia': 10204, 'lockdownnow': 10205, 'staffing': 10206, 'fra': 10207, 'reassured': 10208, 'ram': 10209, 'bajekal': 10210, 'fmf': 10211, 'ltd': 10212, 'oneindiapolls': 10213, 'wuhancoronavius': 10214, 'bahrain': 10215, 'lad': 10216, 'everton': 10217, 'turkish': 10218, 'edinburgh': 10219, 'legislated': 10220, 'homebuying': 10221, 'homebuyer': 10222, 'residential': 10223, 'househunters': 10224, 'cocooned': 10225, 'duration': 10226, 'poke': 10227, 'patty': 10228, 'quarantaine': 10229, 'tpshortage': 10230, 'somebody': 10231, 'cross': 10232, 'sumone': 10233, 'teresa': 10234, 'wickham': 10235, 'tunbridge': 10236, '42': 10237, 'regime': 10238, 'unthinkable': 10239, 'ducking': 10240, 'bide': 10241, 'symptons': 10242, 'confusing': 10243, 'proctorgamble': 10244, 'albany': 10245, 'feedingus': 10246, 'bakingstrong': 10247, 'outflow': 10248, 'unmanageable': 10249, 'mindset': 10250, 'digitaltransformation': 10251, 'pwc': 10252, 'designthinking': 10253, 'dataanalytics': 10254, 'rpa': 10255, 'infographics': 10256, 'england': 10257, 'conflict': 10258, 'rue': 10259, 'janev3': 10260, 'bust': 10261, 'amb': 10262, 'hemp': 10263, 'adapts': 10264, 'cannabisnews': 10265, 'cannabisindustry': 10266, 'invasionofthebodysnatchers': 10267, 'pantrystaples': 10268, 'casual': 10269, 'bankrupt': 10270, 'http': 10271, 'viruschino': 10272, 'ism': 10273, 'adp': 10274, 'payroll': 10275, '27k': 10276, '150k': 10277, 'july': 10278, 'exploration': 10279, 'hedged': 10280, 'tullowoil': 10281, 'oilindustry': 10282, 'focusing': 10283, 'statistic': 10284, 'enthusiastic': 10285, 'wal': 10286, 'semi': 10287, 'dang': 10288, 'collapsed': 10289, 'khamenei': 10290, 'evolves': 10291, 'pilot': 10292, 'colab': 10293, 'transporter': 10294, 'computer': 10295, 'cautionyespanicno': 10296, 'brookshire': 10297, 'eldorado': 10298, 'brookshires': 10299, 'seniordiscount': 10300, 'seniorhours': 10301, 'unioncounty': 10302, 'convoy': 10303, 'randos': 10304, 'unchecked': 10305, 'humanityforward': 10306, 'silenced': 10307, 'orphanage': 10308, 'mainly': 10309, 'neighbouring': 10310, 'drc': 10311, 'unseen': 10312, 'surrounded': 10313, 'ukjay': 10314, 'pb': 10315, '1kg': 10316, 'porridge': 10317, '500g': 10318, 'pleasee': 10319, 'nitrate': 10320, 'bib': 10321, 'goggles': 10322, 'smoking': 10323, 'refurbished': 10324, 'itsuperheroes': 10325, 'correctly': 10326, 'aricle': 10327, 'take3': 10328, 'devise': 10329, 'transparent': 10330, 'rcs': 10331, 'mobilemarketing': 10332, 'richcommunications': 10333, 'medcine': 10334, 'shouldn': 10335, 'fraser': 10336, 'hasnt': 10337, 'filming': 10338, 'accelerant': 10339, 'nascent': 10340, 'svod': 10341, 'avod': 10342, 'rev': 10343, 'downstream': 10344, 'heating': 10345, 'fuelled': 10346, 'cma': 10347, '115': 10348, 'africanlivesmatter': 10349, 'quadruple': 10350, 'sovereignty': 10351, 'drought': 10352, 'farners': 10353, 'moussafaki': 10354, 'completed': 10355, 'selected': 10356, '630am': 10357, 'wakingdead': 10358, 'bre': 10359, 'verify': 10360, 'skin': 10361, 'arranged': 10362, '5million': 10363, 'essiantial': 10364, 'distancers': 10365, 'bryan': 10366, 'balvaneda': 10367, 'void': 10368, 'volunteering': 10369, 'katie': 10370, 'moving': 10371, 'residentevil': 10372, 'depressing': 10373, 'tribe': 10374, 'servicetechnicians': 10375, 'foodprocessing': 10376, 'niece': 10377, 'hut': 10378, 'caregiver': 10379, 'mat': 10380, 'wmt': 10381, 'amazonbasics': 10382, 'kirkland': 10383, 'roadmaps': 10384, 'prosumer': 10385, 'novak': 10386, '6pm': 10387, 'aedt': 10388, 'wark': 10389, 'middleton': 10390, 'cf': 10391, 'joint': 10392, 'expressly': 10393, 'creditunions': 10394, 'resist': 10395, 'darth': 10396, 'vader': 10397, 'compiled': 10398, 'fdic': 10399, 'tipped': 10400, 'transforming': 10401, 'growbydata': 10402, 'laborer': 10403, 'planting': 10404, 'freight': 10405, 'plane': 10406, 'upending': 10407, 'unilaterally': 10408, 'istanbul': 10409, 'mamolu': 10410, 'aryal': 10411, 'ensuing': 10412, '327': 10413, '841': 10414, '482': 10415, 'hospitalization': 10416, '574': 10417, '095': 10418, '427': 10419, 'optimistic': 10420, 'comforting': 10421, 'canibrands': 10422, 'echl': 10423, 'cleanse': 10424, 'upper': 10425, 'greg': 10426, 'courtney': 10427, 'knoll': 10428, 'uia': 10429, 'adler': 10430, 'resturaunts': 10431, 'taped': 10432, 'grey': 10433, 'bruce': 10434, 'mandating': 10435, 'poorly': 10436, 'inefficient': 10437, 'windfall': 10438, 'xenophobic': 10439, 'clickbait': 10440, 'unsanitary': 10441, 'lastinch': 10442, 'madeforcurves': 10443, 'plussizefashion': 10444, 'bodypositive': 10445, 'partweardresses': 10446, 'plussizeoutfit': 10447, 'plussizetops': 10448, 'outfitgoals': 10449, 'coronamemes': 10450, 'steelworker': 10451, '220': 10452, 'female': 10453, 'drain': 10454, 'harming': 10455, 'ventolin': 10456, 'cried': 10457, 'vitamin': 10458, 'soldoitofvitamins': 10459, 'selfishpeople': 10460, 'thk': 10461, 'encouraged': 10462, 'sticking': 10463, 'deafandunarmed': 10464, 'internalized': 10465, 'notgoingout': 10466, 'entertainer': 10467, 'athlete': 10468, 'bushey': 10469, 'urine': 10470, 'rupee': 10471, 'consistency': 10472, 'routinely': 10473, 'erect': 10474, 'obstacle': 10475, 'advancement': 10476, 'demo': 10477, 'nepal': 10478, 'pitty': 10479, 'legislator': 10480, 'marble': 10481, 'revaluation': 10482, 'default': 10483, 'usmarket': 10484, 'dowjones': 10485, 'sp500': 10486, 'nasdaq': 10487, 'overpriced': 10488, 'ru0xuahilf': 10489, 'heeded': 10490, 'stockpiled': 10491, 'coonavirus': 10492, 'haunted': 10493, '401k': 10494, 'liveliho': 10495, 'slept': 10496, 'powertalk': 10497, 'featured': 10498, 'furniture': 10499, 'elpasostrong': 10500, 'wesupportlocal': 10501, 'pulled': 10502, 'childcare': 10503, 'juggle': 10504, 'shuttered': 10505, 'vtequalpayday': 10506, 'topical': 10507, 'ict': 10508, 'excel': 10509, 'oversee': 10510, 'valid': 10511, 'disgrace': 10512, 'forgive': 10513, 'mikeashley': 10514, 'boycottsportsdirect': 10515, 'mailman': 10516, 'potentially': 10517, 'webcam': 10518, 'bestbuy': 10519, 'videoconferencing': 10520, 'moven': 10521, 'gained': 10522, 'warming': 10523, 'toddler': 10524, 'emarsys': 10525, 'gooddata': 10526, 'demonstrates': 10527, 'sheltering': 10528, 'westminster': 10529, 'amen': 10530, 'latraffic': 10531, 'contacted': 10532, 'sudde': 10533, 'insufficient': 10534, 'carbonmarket': 10535, 'euets': 10536, 'pant': 10537, 'awe': 10538, 'diplomacy': 10539, 'infecting': 10540, 'pappystips': 10541, 'enoughisenough': 10542, 'advanced': 10543, 'soothing': 10544, 'scent': 10545, 'fl': 10546, 'jelly': 10547, 'daffs': 10548, 'replied': 10549, 'undefeated': 10550, 'humour': 10551, 'germanycoronavirus': 10552, 'bremen': 10553, 'liberal': 10554, 'pakistanfightscorona': 10555, 'punch': 10556, 'cremona': 10557, 'andrea': 10558, 'promising': 10559, 'bait': 10560, 'circling': 10561, 'moonbeamwishes': 10562, 'megan': 10563, 'condensed': 10564, 'praying': 10565, 'champion': 10566, 'chorlton': 10567, 'backlog': 10568, 'fam': 10569, 'foodsecurity': 10570, 'morefoodmoreoften2morepeople': 10571, 'iwas': 10572, 'irrational': 10573, 'obsession': 10574, 'density': 10575, 'econsumergov': 10576, 'exceeded': 10577, 'resin': 10578, '280': 10579, 'policeman': 10580, 'heavenly': 10581, 'cardiologist': 10582, 'quit': 10583, 'nearest': 10584, 'cleansing': 10585, 'kleenex': 10586, 'packet': 10587, 'utahearthquake': 10588, 'overdrive': 10589, 'flooring': 10590, 'geopolitical': 10591, 'ramification': 10592, 'fearful': 10593, 'entail': 10594, 'procured': 10595, 'skid': 10596, 'angel': 10597, 'contaminate': 10598, 'differentiated': 10599, 'agrees': 10600, 'recorded': 10601, 'elect': 10602, 'pvt': 10603, 'condo': 10604, 'sengkang': 10605, 'draw': 10606, 'hun': 10607, 'socialdistancinguk': 10608, 'racing': 10609, 'supporter': 10610, 'councilors': 10611, 'brunch': 10612, 'extensively': 10613, 'yemen': 10614, 'unaffordable': 10615, 'ja': 10616, 'den': 10617, 'demma': 10618, 'sef': 10619, 'chai': 10620, 'popup': 10621, 'attached': 10622, 'njavwa': 10623, 'simukoko': 10624, '260964905611': 10625, 'nw': 10626, 'shaming': 10627, 'upping': 10628, 'bleepin': 10629, 'teenscoughingongrocerystoreproduce': 10630, 'genz': 10631, 'purcellville': 10632, 'alma': 10633, 'mater': 10634, '10th': 10635, 'revive': 10636, 'pummeled': 10637, 'vino': 10638, 'wolftrap': 10639, 'thewolftrap': 10640, 'qt': 10641, 'wilkinson': 10642, 'blvd': 10643, 'clt': 10644, 'ewg': 10645, 'pesticide': 10646, 'foodnews': 10647, 'shoppinglist': 10648, '2f': 10649, 'anytime': 10650, 'pric': 10651, 'penalise': 10652, 'responsibly': 10653, 'punishing': 10654, 'miscreant': 10655, 'receipt': 10656, 'exists': 10657, 'dollarama': 10658, 'unsettling': 10659, 'artforheroes': 10660, 'wellbeing': 10661, 'fil': 10662, 'bash': 10663, 'reactive': 10664, 'bcg': 10665, 'reacting': 10666, 'weighing': 10667, 'surpassed': 10668, 'crimsonagility': 10669, 'shopfromhome': 10670, 'clientsupport': 10671, 'delhi': 10672, 'bengaluru': 10673, 'unjustifiably': 10674, 'halifax': 10675, 'tactical': 10676, 'lessened': 10677, 'samsung': 10678, 's20': 10679, 'vile': 10680, 'rbc': 10681, 'deadbodies': 10682, 'hug': 10683, 'banana': 10684, 'sudanese': 10685, 'residing': 10686, 'suisse': 10687, '2400': 10688, 'crony': 10689, 'palm': 10690, 'diner': 10691, 'maralagovirus': 10692, 'breadline': 10693, 'positioned': 10694, 'teepee': 10695, 'powerball': 10696, 'jackpot': 10697, 'prize': 10698, 'payouts': 10699, 'drawing': 10700, 'wisconsinpandemicvoting': 10701, 'personally': 10702, 'naww': 10703, 'pumping': 10704, 'yummy': 10705, 'dana': 10706, 'trainer': 10707, 'reminded': 10708, 'colloidal': 10709, 'takeyourselfhome': 10710, 'subhanhu': 10711, 'wataalah': 10712, 'calme': 10713, 'downward': 10714, 'ques': 10715, 'schnuck': 10716, 'reopening': 10717, 'butte': 10718, 'mix': 10719, 'liquid': 10720, 'somber': 10721, 'spacing': 10722, 'diminished': 10723, 'fringe': 10724, '2424': 10725, '724244': 10726, 'nssf': 10727, 'lebanon': 10728, 'stacked': 10729, 'ceiling': 10730, 'seismic': 10731, 'cultural': 10732, 'etched': 10733, 'marker': 10734, 'investigator': 10735, 'fizzle': 10736, 'berliner': 10737, 'lends': 10738, 'skincare': 10739, 'anki': 10740, 'vector': 10741, 'therapeutic': 10742, 'vicky': 10743, 'ngyuen': 10744, 'qualified': 10745, 'justsayin': 10746, 'airy': 10747, 'ignored': 10748, 'pitying': 10749, 'ourresponsibility': 10750, 'sberesponsible': 10751, 'contemplating': 10752, 'pritzker': 10753, 'illinois': 10754, 'lgus': 10755, 'daraz': 10756, 'adopting': 10757, 'staysafeshoponline': 10758, 'vuitton': 10759, 'commonly': 10760, 'dystopian': 10761, 'fandom': 10762, 'regardless': 10763, 'steven': 10764, 'supermarketworkers': 10765, 'foodworkers': 10766, 'foodshopping': 10767, 'mounting': 10768, 'snp': 10769, 'spokesperson': 10770, 'milling': 10771, 'villainy': 10772, 'geoi': 10773, 'sdbeer': 10774, 'floridashutdown': 10775, 'helpthehelpers': 10776, 'dressed': 10777, 'cord': 10778, 'sweater': 10779, 'boot': 10780, '5986': 10781, '627': 10782, 'brescia': 10783, 'developing': 10784, 'foodstuff': 10785, 'kaduna': 10786, 'ukgoverment': 10787, 'tire': 10788, 'dealership': 10789, 'frontlines': 10790, 'naz': 10791, 'karim': 10792, 'declare': 10793, 'oldie': 10794, 'uno': 10795, 'selute': 10796, 'stayhomeindia': 10797, 'cutter': 10798, 'cigar': 10799, 'motivate': 10800, 'coronav': 10801, 'coronavir': 10802, 'mooch': 10803, 'slashing': 10804, 'gavinnewsom': 10805, 'newsom': 10806, 'calfresh': 10807, 'foreclosing': 10808, 'infectious': 10809, 'htt': 10810, 'demonstrate': 10811, 'shrink': 10812, 'deteriorating': 10813, 'whats': 10814, 'chattanooga': 10815, 'despair': 10816, 'assertive': 10817, 'jail': 10818, 'kuwaiti': 10819, 'thankingkuwaitcorona': 10820, 'howlin': 10821, 'thaler': 10822, 'sticky': 10823, 'deadlock': 10824, 'emergence': 10825, 'grocerygames': 10826, 'homebound': 10827, 'diagnosis': 10828, 'yikes': 10829, 'notpanickingyet': 10830, 'omdia': 10831, 'predicting': 10832, 'virtually': 10833, 'enoughdoing': 10834, 'givi': 10835, 'rosie': 10836, 'riveter': 10837, 'intensive': 10838, 'faced': 10839, 'besmart': 10840, 'strongest': 10841, 'cast': 10842, 'disablity': 10843, 'weakness': 10844, 'smartly': 10845, 'productivity': 10846, 'normalcy': 10847, 'unpleasant': 10848, 'ungrateful': 10849, 'sucharita': 10850, 'kodali': 10851, 'assure': 10852, 'zealander': 10853, 'allegation': 10854, 'norwegian': 10855, 'wembley': 10856, 'closest': 10857, 'icu': 10858, 'hokianga': 10859, 'fi': 10860, 'nejm': 10861, 'caveat': 10862, 'emptor': 10863, 'degrades': 10864, 'gobrowns': 10865, 'wholefoods': 10866, 'ramennoodles': 10867, 'bopis': 10868, 'halted': 10869, 'ecozones': 10870, 'economycrisis': 10871, 'ri': 10872, 'wtop': 10873, '01hr': 10874, 'atleast': 10875, '03hrs': 10876, 'goodman': 10877, 'bonita': 10878, 'flamingo': 10879, 'sprimg': 10880, 'crew': 10881, 'frontlineheroes': 10882, 'yieldcos': 10883, 'neighbourhood': 10884, 'intersection': 10885, 'newprofilepic': 10886, 'venue': 10887, 'ankle': 10888, 'jumpsuit': 10889, 'internally': 10890, 'sadder': 10891, 'fucked': 10892, 'borrow': 10893, 'scariest': 10894, 'diego': 10895, 'medford': 10896, 'compromised': 10897, 'destinationmedford': 10898, 'medfordnj': 10899, 'staggered': 10900, 'adherence': 10901, 'congregate': 10902, 'inter': 10903, 'shuttle': 10904, 'wncn': 10905, 'nebraskan': 10906, 'elation': 10907, 'townspeople': 10908, 'gi': 10909, 'atop': 10910, 'liberation': 10911, 'joy': 10912, 'pallet': 10913, 'jubilation': 10914, 'disproportionate': 10915, 'jeanne': 10916, 'bohlen': 10917, 'safeway': 10918, 'tragic': 10919, 'rough': 10920, 'auction': 10921, 'laboring': 10922, 'fulfill': 10923, 'intense': 10924, 'w1': 10925, 'schoolclosure': 10926, 'exhaustion': 10927, 'strangely': 10928, 'expansive': 10929, 'metaphor': 10930, 'breaker': 10931, 'lonely': 10932, 'overcrowded': 10933, 'destination': 10934, 'stratospheric': 10935, 'bedsit': 10936, 'bitter': 10937, 'fir': 10938, 'honey': 10939, 'vdacs': 10940, 'stayhometexas': 10941, 'afterthought': 10942, 'alcoholicsoap': 10943, 'beatcovid19': 10944, 'coronaphilippines': 10945, 'touchland': 10946, 'rebound': 10947, 'impoverished': 10948, 'liberia': 10949, 'cassava': 10950, 'priced': 10951, '697': 10952, '1220': 10953, 'ht': 10954, 'machinelearning': 10955, 'paignton': 10956, 'teenager': 10957, 'civic': 10958, 'cbot': 10959, 'weaker': 10960, 'xinhua': 10961, 'hmrc': 10962, 'socialsecurity': 10963, 'ssa': 10964, 'garbageman': 10965, 'acknowledgement': 10966, 'dollartree': 10967, 'scream': 10968, 'jen': 10969, 'faq': 10970, 'moderate': 10971, 'breakthrough': 10972, 'timely': 10973, 'chest': 10974, 'clinic': 10975, 'ekg': 10976, 'immunosuppressed': 10977, 'fleeing': 10978, 'tinderbox': 10979, 'exacerbating': 10980, 'tension': 10981, 'cheapest': 10982, 'servo': 10983, 'fifty': 10984, 'tolietpaper': 10985, 'nit': 10986, 'snotty': 10987, 'unwashed': 10988, 'gifting': 10989, 'foodgift': 10990, 'foodgifting': 10991, 'foodandbeverage': 10992, 'democracy': 10993, 'touted': 10994, 'arena': 10995, 'weirdly': 10996, 'wasabi': 10997, 'ish': 10998, 'scooping': 10999, 'messaging': 11000, 'bayside': 11001, 'tightening': 11002, 'financing': 11003, 'disabilitysucks': 11004, 'clearer': 11005, '3p': 11006, 'hardware': 11007, 'plumber': 11008, 'electrician': 11009, 'teller': 11010, 'laundromat': 11011, 'gown': 11012, 'liason': 11013, 'coronajokes': 11014, 'issuing': 11015, 'thecustomerwhisperer': 11016, 'foottraffic': 11017, 'remodels': 11018, 'withdraws': 11019, 'hanbury': 11020, 'websiteexpertsinghana': 11021, 'coronainghana': 11022, 'nanaaddo': 11023, 'acct': 11024, 'ssns': 11025, 'phishers': 11026, 'cv': 11027, 'walgreens': 11028, 'rite': 11029, 'radius': 11030, 'nada': 11031, 'backpackingbear': 11032, '3am': 11033, 'eminem': 11034, 'youneedgroceries': 11035, 'conte': 11036, 'contemplate': 11037, 'consumerbehaviour': 11038, 'restaurantnews': 11039, 'mongering': 11040, 'invokes': 11041, 'purposely': 11042, 'panews': 11043, 'hanovertownship': 11044, 'luzernecounty': 11045, 'papolice': 11046, 'kelly2': 11047, 'thejake': 11048, 'sp': 11049, 'snd': 11050, 'novartis': 11051, 'dos': 11052, 'nonrefundable': 11053, 'screaming': 11054, 'financially': 11055, 'destitute': 11056, 'wiser': 11057, 'happyhour': 11058, 'toss': 11059, 'witcher': 11060, 'explained': 11061, 'sophisticated': 11062, '30m': 11063, 'irresponsibly': 11064, 'dumbest': 11065, 'cleanroom': 11066, 'tiny': 11067, 'confronted': 11068, 'pleads': 11069, 'rhine': 11070, 'hall': 11071, 'pfe': 11072, 'rhinehall': 11073, 'barr': 11074, 'manipulate': 11075, 'whcovidbriefing': 11076, 'advertise': 11077, 'competitor': 11078, 'pared': 11079, 'memory': 11080, 'happiness': 11081, 'readymade': 11082, 'heineken': 11083, 'cdnecon': 11084, 'pocketbook': 11085, 'snakeoil': 11086, 'frustrated': 11087, 'uranium': 11088, 'doomed': 11089, 'embracing': 11090, 'brake': 11091, 'makeourmark': 11092, 'helpourneighbors': 11093, '30seconds': 11094, 'stockingup': 11095, 'subsidising': 11096, 'frieght': 11097, 'bulky': 11098, 'n3': 11099, 'comon': 11100, 'vest': 11101, 'oo': 11102, 'jomo': 11103, 'jomotv': 11104, 'kingjomo': 11105, 'remembered': 11106, 'practiced': 11107, 'changer': 11108, 'compatriot': 11109, 'doofancy': 11110, 'enquirer': 11111, 'whatthe': 11112, 'engineered': 11113, 'selfishly': 11114, 'productive': 11115, 'congratulation': 11116, 'malaysian': 11117, 'crave': 11118, 'midwife': 11119, 'carer': 11120, 'nursery': 11121, 'clapfornhs': 11122, 'thankyounhs': 11123, 'hysterical': 11124, 'dysfunctional': 11125, 'freeing': 11126, 'mandela': 11127, 'arr': 11128, 'adi': 11129, 'enable': 11130, 'menards': 11131, 'cited': 11132, 'starmer': 11133, 'brainstorming': 11134, 'language': 11135, '903': 11136, '689': 11137, '1975': 11138, 'questioned': 11139, 'mvp': 11140, 'taylor': 11141, 'nears': 11142, 'us': 11143, 'kr': 11144, 'rm16': 11145, '93': 11146, 'rm42': 11147, 'kelik': 11148, 'mekoh': 11149, 'balik': 11150, 'hari': 11151, 'desantis': 11152, 'statewide': 11153, 'grower': 11154, 'rotting': 11155, 'vine': 11156, 'lime': 11157, 'deactivated': 11158, 'canvas': 11159, '18x24cm': 11160, 'sickboy': 11161, 'sickonthewall': 11162, 'disposal': 11163, 'bomb': 11164, 'stencil': 11165, 'srencilart': 11166, 'popart': 11167, 'streetart': 11168, 'planner': 11169, 'stabbings': 11170, '19th': 11171, 'dial': 11172, 'referral': 11173, 'flexible': 11174, 'reusuable': 11175, 'charlie': 11176, 'baker': 11177, 'adam': 11178, 'jonas': 11179, 'tsla': 11180, 'phrase': 11181, 'competitive': 11182, 'ev': 11183, 'tesla': 11184, 'edge': 11185, 'electrification': 11186, '196': 11187, 'reliance': 11188, 'ratnadeep': 11189, 'hyd': 11190, 'unlawfully': 11191, 'q4': 11192, 'delinquency': 11193, 'lagging': 11194, 'cashless': 11195, 'markofthebeast': 11196, 'bout': 11197, 'itis': 11198, 'noposguau': 11199, 'quatantineandchill': 11200, 'lovequotes': 11201, 'pierre': 11202, 'andurand': 11203, 'treated': 11204, 'reverence': 11205, 'amd': 11206, 'deserves': 11207, 'msps': 11208, 'technews': 11209, 'intervening': 11210, 'rerouted': 11211, 'cptpp': 11212, 'packer': 11213, 'profitable': 11214, 'irishman': 11215, 'happystpatricksday': 11216, 'guiness': 11217, 'corned': 11218, 'tradition': 11219, 'postoffice': 11220, 'forth': 11221, 'sealing': 11222, 'envelope': 11223, 'casting': 11224, 'ballot': 11225, 'nhpolitics': 11226, 'healey': 11227, 'debilitating': 11228, 'mome': 11229, 'menace': 11230, 'opportune': 11231, 'belly': 11232, 'quo': 11233, 'vadis': 11234, 'dennis': 11235, 'thompson': 11236, 'katsinawa': 11237, 'daura': 11238, 'unawares': 11239, 'noone': 11240, 'strangetimes': 11241, 'redballs': 11242, 'tyrone': 11243, 'stoking': 11244, 'sugary': 11245, 'route': 11246, 'eager': 11247, 'overuse': 11248, 'callous': 11249, 'taxing': 11250, 'imposing': 11251, 'excise': 11252, 'merry': 11253, 'hatred': 11254, 'emulating': 11255, 'trellis': 11256, 'ghee': 11257, 'clarifying': 11258, 'jerk': 11259, 'disregard': 11260, 'insure': 11261, 'milage': 11262, 'knowthat': 11263, 'finlit': 11264, 'thankyousomuch': 11265, 'firstresponders': 11266, 'disappointment': 11267, 'aest': 11268, '423': 11269, '322': 11270, '237': 11271, '232': 11272, 'trumpliedpeopledied': 11273, 'poster': 11274, 'fkthebs': 11275, 'trumppressconference': 11276, 'tendergreen': 11277, 'zipsak': 11278, 'spreadthelovenotthevirus': 11279, 'maskup': 11280, 'russianpresident': 11281, 'gb': 11282, 'cashpoint': 11283, 'escalator': 11284, 'rail': 11285, 'sued': 11286, 'wando': 11287, 'evans': 11288, 'suing': 11289, 'notify': 11290, 'trace': 11291, 'keepitreal': 11292, 'helpyourneighbour': 11293, '12weeks': 11294, 'dogood': 11295, 'suspicion': 11296, 'nylockdown': 11297, 'ua': 11298, 'driveway': 11299, 'utilized': 11300, 'friendship': 11301, 'plowing': 11302, 'unimaginable': 11303, 'dofe': 11304, 'courage': 11305, 'blueprint': 11306, 'dwindling': 11307, 'day18oflockdown': 11308, 'scotland': 11309, 'howard': 11310, 'bombarded': 11311, 'onetime': 11312, 'bpd': 11313, 'solve': 11314, '3dprinted': 11315, 'drill': 11316, 'attachment': 11317, 'spool': 11318, 'researching': 11319, 'oilprices': 11320, 'mnuchin': 11321, 'treasury': 11322, 'basemetals': 11323, 'highschool': 11324, 'inability': 11325, 'envision': 11326, '925': 11327, '957': 11328, '8608': 11329, 'reportfraud': 11330, 'permitted': 11331, 'venturing': 11332, 'socialquarantine': 11333, 'shaking': 11334, 'stretching': 11335, 'chem': 11336, 'affable': 11337, '96': 11338, 'predisposed': 11339, 'gradschool': 11340, 'graduation': 11341, 'ravaged': 11342, 'prospected': 11343, 'strictly': 11344, 'revolve': 11345, 'oneocean': 11346, 'rts': 11347, 'mickey': 11348, 'mouse': 11349, 'outta': 11350, 'titled': 11351, 'workfromhomelife': 11352, 'sanity': 11353, 'pemex': 11354, 'highway': 11355, 'bissonet': 11356, 'unleaded': 11357, 'apologise': 11358, 'relieving': 11359, 'pda': 11360, 'enters': 11361, 'cashing': 11362, 'missile': 11363, 'waning': 11364, 'saavy': 11365, 'foreignpolicy': 11366, 'fpyc': 11367, 'decimate': 11368, 'caramilk': 11369, 'separating': 11370, '4am': 11371, 'freek': 11372, 'thezi': 11373, 'mabuza': 11374, 'halo': 11375, 'aviation': 11376, '4x': 11377, 'medicalcannabis': 11378, 'feast': 11379, 'restore': 11380, 'hydropower': 11381, 'select': 11382, 'unlock': 11383, 'cooped': 11384, 'unbelievable': 11385, 'dismayed': 11386, 'glance': 11387, 'lowrate': 11388, 'buyersmarket': 11389, 'intrestrate': 11390, 'realatate': 11391, 'cronavirous': 11392, 'firsttimehomebuyer': 11393, 'winz': 11394, 'liveable': 11395, 'eastermonday': 11396, 'radiodust': 11397, 'radio': 11398, 'ballad': 11399, 'written': 11400, 'audition': 11401, 'parchment': 11402, 'houseplant': 11403, 'designate': 11404, 'eradicating': 11405, 'applepay': 11406, 'googlepay': 11407, 'learns': 11408, 'occupational': 11409, 'origin': 11410, 'antonio': 11411, 'somewhat': 11412, 'breathed': 11413, 'frontlineemployees': 11414, 'ug': 11415, 'entebbe': 11416, 'kampala': 11417, 'lyft': 11418, 'reimbursement': 11419, 'micro': 11420, 'mdma': 11421, 'decried': 11422, 'posho': 11423, 'salt': 11424, 'enyangyi': 11425, 'conspicuously': 11426, 'triage': 11427, 'forum': 11428, 'plenary': 11429, 'diarrhea': 11430, 'disrupting': 11431, 'accounted': 11432, 'policymakers': 11433, 'cynthia': 11434, 'fisher': 11435, 'pricetransparency': 11436, 'leavin': 11437, 'faceshield': 11438, 'ziplock': 11439, 'cheshire': 11440, 'punishable': 11441, 'persistence': 11442, 'unknowable': 11443, 'placing': 11444, 'keypad': 11445, 'inly': 11446, 'tobacco': 11447, 'smoker': 11448, 'mainecdc': 11449, 'shark': 11450, 'handsanitiser': 11451, 'nothappyjan': 11452, 'reel': 11453, 'cooperative': 11454, 'puppy': 11455, 'bathe': 11456, 'tourist': 11457, 'membership': 11458, 'rishi': 11459, 'sunak': 11460, 'decency': 11461, 'hibiscus': 11462, 'lone': 11463, 'beneficial': 11464, 'cryptocurrency': 11465, 'sandwell': 11466, '9news': 11467, 'woolworth': 11468, 'whitehorse': 11469, 'depletion': 11470, 'circulareconomy': 11471, 'ruthless': 11472, 'conveniently': 11473, 'nickel': 11474, 'sulphate': 11475, 'q1': 11476, 'tolerated': 11477, 'uob': 11478, 'meantime': 11479, 'stayathomechallenge': 11480, 'footy': 11481, 'disappearing': 11482, 'pending': 11483, 'abates': 11484, 'listener': 11485, 'tova': 11486, 'jessica': 11487, 'mutch': 11488, 'jenna': 11489, 'lynch': 11490, 'ncci': 11491, 'shell': 11492, 'forgot': 11493, 'quyen': 11494, 'truong': 11495, 'weighs': 11496, 'stroock': 11497, 'fold': 11498, 'kes3': 11499, 'kes38': 11500, 'potter': 11501, 'apothecary': 11502, 'homebargains': 11503, 'ukgovernment': 11504, 'dejav': 11505, 'ditto': 11506, 'utensil': 11507, 'eternal': 11508, 'begged': 11509, 'theyre': 11510, 'sue': 11511, 'racial': 11512, 'wewillgetthroughthis': 11513, 'ashtown': 11514, 'phoenix': 11515, 'ate': 11516, '14hrs': 11517, 'expressed': 11518, 'arriving': 11519, 'spaghetti': 11520, 'spencer': 11521, 'mombasa': 11522, 'xd': 11523, 'magically': 11524, 'stabilized': 11525, 'randburg': 11526, '116': 11527, 'coronoavirus': 11528, 'behavioral': 11529, 'harvey': 11530, 'westbank': 11531, 'goody': 11532, 'pec': 11533, 'pairing': 11534, 'lockdownextension': 11535, 'lyn88': 11536, 'naming': 11537, 'obscene': 11538, 'spglobal': 11539, 'platts': 11540, 'argo': 11541, 'oversupplied': 11542, 'sophie': 11543, 'adobe': 11544, 'clickandcollect': 11545, 'phyigital': 11546, 'outweigh': 11547, 'absurdity': 11548, 'strategist': 11549, 'ellen': 11550, 'zentner': 11551, 'statist': 11552, 'moisturize': 11553, 'irritation': 11554, 'dryness': 11555, 'pvvnl': 11556, 'transition': 11557, 'coloradocovid19': 11558, 'licked': 11559, 'beaut': 11560, 'lotion': 11561, 'retailalert': 11562, 'onward': 11563, 'workingforyou': 11564, 'uktruckdrivers': 11565, 'truckinaround': 11566, 'truckerslife': 11567, 'rdc': 11568, 'avonmouth': 11569, 'tally': 11570, '288': 11571, '117': 11572, 'hindsight': 11573, 'unintended': 11574, 'ebrahim': 11575, 'patel': 11576, 'stern': 11577, '21daylockdown': 11578, 'spoken': 11579, '5am': 11580, 'donut': 11581, 'jockopodcast': 11582, 'jockowillink': 11583, 'futureleaders': 11584, 'dadlife': 11585, 'clash': 11586, 'idiocy': 11587, 'guise': 11588, 'proclaim': 11589, 'benzykalkoniumchloride': 11590, 'hcin': 11591, 'spanning': 11592, 'hospitalisation': 11593, 'irl': 11594, 'breeding': 11595, 'condemn': 11596, 'considerably': 11597, 'stockpilinguk': 11598, 'disbelief': 11599, 'creep': 11600, 'reshoring': 11601, 'recognition': 11602, 'offshoring': 11603, 'makechinapay': 11604, 'reshoringusa': 11605, 'littlecaesers': 11606, 'unethical': 11607, 'douchebags': 11608, 'dickmove': 11609, 'dontbeselfish': 11610, 'lsfo': 11611, 'parallel': 11612, 'angsty': 11613, 'insanity': 11614, 'echoing': 11615, 'mkg': 11616, 'shortfall': 11617, 'translate': 11618, 'deficit': 11619, 'badly': 11620, 'stellar': 11621, 'greatdepression': 11622, 'economicsinthenews': 11623, 'passionforeconomics': 11624, 'polite': 11625, 'amarinder': 11626, 'malout': 11627, 'mukatsar': 11628, 'sahib': 11629, 'bitch': 11630, 'cltnews': 11631, 'ncnews': 11632, 'wccb': 11633, 'egede': 11634, 'productively': 11635, 'audience': 11636, 'catherine': 11637, 'amato': 11638, 'wgbh': 11639, 'wht': 11640, 'navarro': 11641, 'repurposed': 11642, 'honeywell': 11643, 'gaynor': 11644, 'reid': 11645, 'overstate': 11646, 'gin': 11647, 'msnbcanswers': 11648, 'shld': 11649, 'fr': 11650, 'grape': 11651, 'instantaneously': 11652, 'adjust': 11653, 'lookoutforothers': 11654, 'neilson': 11655, '202': 11656, '224': 11657, '3121': 11658, 'visual': 11659, 'estimating': 11660, 'alexis': 11661, 'akira': 11662, 'toda': 11663, 'idle': 11664, 'unaffected': 11665, 'ptnyf': 11666, '059': 11667, 'radr': 11668, 'parcelpal': 11669, 'oxvent': 11670, 'stabilization': 11671, 'businesstransformation': 11672, 'mercari': 11673, 'declutter': 11674, 'unpacking': 11675, 'detectable': 11676, 'elder': 11677, 'errand': 11678, 'presidency': 11679, 'fre': 11680, 'drastically': 11681, 'ntv': 11682, 'journal': 11683, 'firstrespondersfirst': 11684, '50k': 11685, 'weakens': 11686, 'rinse': 11687, '0711590279': 11688, 'ruto': 11689, 'mutahi': 11690, 'kagwe': 11691, 'kibe': 11692, 'kibaki': 11693, 'museveni': 11694, 'commute': 11695, 'elementary': 11696, 'lemon': 11697, 'remedy': 11698, 'callon': 11699, 'cpe': 11700, '3bln': 11701, 'timed': 11702, 'acquisition': 11703, 'explorer': 11704, 'edc': 11705, 'pocketdump': 11706, 'ar15': 11707, 'ar15safespace': 11708, 'pewpewpew': 11709, 'gunsofinstagram': 11710, 'p365': 11711, 'p365sas': 11712, 'azliving': 11713, 'vairus': 11714, 'joes': 11715, 'peppermint': 11716, 'sarah': 11717, 'westall': 11718, 'pregnant': 11719, 'vaccination': 11720, 'clubhousegolfstore': 11721, 'clubhousegolf': 11722, 'kajang': 11723, 'shafwan': 11724, 'zaidon': 11725, 'introduces': 11726, 'profesionales': 11727, 'salud': 11728, 'hasta': 11729, 'empleados': 11730, 'camioneros': 11731, 'traen': 11732, 'suministros': 11733, 'gracias': 11734, 'appdome': 11735, 'tovar': 11736, 'appsec': 11737, 'mobileappsec': 11738, 'boycottrumppressconferences': 11739, 'stockup': 11740, 'remembers': 11741, 'resetyourvalues': 11742, 'torbj': 11743, 'becker': 11744, '9yes': 11745, 'carefree': 11746, 'mam': 11747, 'alzheimer': 11748, 'advise': 11749, 'nbc10responds': 11750, 'viewer': 11751, 'coworker': 11752, 'ridiculously': 11753, 'thesis': 11754, 'underground': 11755, 'land': 11756, 'commonplace': 11757, 'distiller': 11758, 'guild': 11759, 'nigga': 11760, 'takin': 11761, 'strapup': 11762, 'purgin': 11763, 'cannatech': 11764, 'cannatechtoday': 11765, 'cannabisbusiness': 11766, 'cannabisscience': 11767, 'wuhancoronavirus': 11768, 'goverment': 11769, 'unsurprisingly': 11770, 'kolkata': 11771, 'pricesindia': 11772, 'octopus': 11773, 'sandbox': 11774, 'poco': 11775, 'dreamstime': 11776, 'epochtimes': 11777, 'mailbox': 11778, 'shouldbeillegal': 11779, 'rogersripoff': 11780, 'chemistry': 11781, 'swedish': 11782, 'approvall': 11783, 'dubai': 11784, 'progression': 11785, 's7c4de5xnb': 11786, 'laura': 11787, 'pressuring': 11788, 'storeroom': 11789, 'ctv': 11790, 'phony': 11791, 'phil': 11792, 'weiser': 11793, 'alwayswatchingoutforyou': 11794, 'context': 11795, 'unleashed': 11796, 'oval': 11797, 'til': 11798, 'bbcnews': 11799, 'avoidingtheshops': 11800, 'pluckingupcourage': 11801, 'onlyforessentials': 11802, 'eoengland': 11803, 'deny': 11804, 'ffp3': 11805, 'ptocedure': 11806, 'apron': 11807, 'londonlockdown': 11808, 'lvmh': 11809, 'swapping': 11810, 'luxuryfashion': 11811, 'brandcsr': 11812, 'gartnermktg': 11813, 'reserving': 11814, 'swim': 11815, 'drowning': 11816, 'whore': 11817, 'pfgc': 11818, 'ncmi': 11819, 'plnt': 11820, 'macy': 11821, 'herald': 11822, 'solitary': 11823, 'bedlam': 11824, 'hustle': 11825, 'samaritan': 11826, 'gooders': 11827, 'huckster': 11828, 'icliniq100hrs': 11829, 'celebrateyou': 11830, 'onlinedoctor': 11831, 'solihull': 11832, 'breakfast': 11833, 'bureaucracy': 11834, 'doling': 11835, 'arrangement': 11836, 'enormously': 11837, 'repacking': 11838, 'jeffrey': 11839, 'epstein': 11840, 'alleged': 11841, 'pimp': 11842, 'ghislaine': 11843, 'maxwell': 11844, 'dakota': 11845, 'attorneygeneral': 11846, 'qeretail': 11847, 'watford': 11848, 'fridayfeeling': 11849, 'shoppingday': 11850, 'tcbasia': 11851, 'rushing': 11852, 'soniashenoy': 11853, 'batra': 11854, 'anujsinghal': 11855, 'purchasin': 11856, 'foia': 11857, 'waiver': 11858, 'fritz': 11859, 'nix': 11860, 'garmentfactories': 11861, 'wassner': 11862, 'cue': 11863, 'outlandish': 11864, 'helper': 11865, 'nationalphysiciansweek': 11866, 'consumernews': 11867, 'centralbank': 11868, 'insurancecompanies': 11869, 'phishingscams': 11870, 'irishconsumers': 11871, 'katt': 11872, 'chef': 11873, 'shes': 11874, 'lovemykids': 11875, 'treating': 11876, 'tpmelection': 11877, 'safdar': 11878, '78': 11879, 'lysolwipes': 11880, 'voluntarily': 11881, 'supportsmallbusinesses': 11882, 'mcclintock': 11883, 'evaluation': 11884, 'nke': 11885, 'azo': 11886, 'lulu': 11887, 'tgt': 11888, 'tsco': 11889, 'resiliency': 11890, 'arguing': 11891, 'shuttering': 11892, 'interrupt': 11893, 'stared': 11894, 'deteriorated': 11895, 'suburb': 11896, 'stayholmesglen': 11897, 'kew': 11898, 'mooroolbarking': 11899, 'lynn': 11900, 'hagan': 11901, 'uncommon': 11902, 'uncommonsense': 11903, 'attestation': 11904, 'carrefourmarket': 11905, 'fg': 11906, 'nysc': 11907, 'wont': 11908, 'carona': 11909, 'caronavirus': 11910, 'maximize': 11911, 'cco': 11912, 'shea': 11913, 'worstofpeople': 11914, 'mabrouq': 11915, 'maldives': 11916, '200k': 11917, 'goon': 11918, 'minded': 11919, 'wea': 11920, 'sore': 11921, 'sanitizing': 11922, 'promised': 11923, 'runningfortheboarder': 11924, 'headlong': 11925, 'curtailment': 11926, 'corrected': 11927, 'dec': 11928, '2016': 11929, 'pace': 11930, 'goldman': 11931, 'hampton': 11932, 'hudson': 11933, 'tripling': 11934, 'scrolling': 11935, 'profitingfrompandemics': 11936, 'sanjiv': 11937, 'ghmc': 11938, 'rythu': 11939, 'bazar': 11940, 'sai': 11941, 'baba': 11942, 'sharadanagar': 11943, 'unstable': 11944, 'chaldean': 11945, 'mensah': 11946, 'macewan': 11947, 'traveling': 11948, '10times': 11949, 'reflection': 11950, 'vh1': 11951, '2030': 11952, 'incl': 11953, 'nietzsche': 11954, 'pathos': 11955, 'der': 11956, 'distanz': 11957, 'menu': 11958, 'assclowns': 11959, 'lafayette': 11960, 'thenextgiantleap': 11961, 'presume': 11962, 'spreader': 11963, 'criticism': 11964, 'baked': 11965, 'throttle': 11966, 'gaseous': 11967, 'emission': 11968, 'grandfather': 11969, 'sneaking': 11970, 'oldpeoplearestubbornashell': 11971, 'offended': 11972, 'sidestepping': 11973, 'elekworld': 11974, 'elekworldjulia': 11975, 'iphonerepair': 11976, 'wk': 11977, 'revives': 11978, 'vodafoneuk': 11979, 'sympatheticcapitalism': 11980, 'custexp': 11981, 'hint': 11982, 'stick': 11983, 'b4': 11984, 'wypipo': 11985, 'santa': 11986, 'someplace': 11987, 'mcag': 11988, 'muletown': 11989, 'latte': 11990, 'latteart': 11991, 'enjoying': 11992, 'buylocal': 11993, 'citi': 11994, 'yougov': 11995, 'occurred': 11996, 'hairworld': 11997, 'paulmitchell': 11998, 'prosus': 11999, 'invested': 12000, 'swiggy': 12001, 'byju': 12002, 'helpdeskforcoronavirus': 12003, 'wutang': 12004, 'grift': 12005, 'underappreciated': 12006, 'underacknowledge': 12007, 'howtokeeppeoplehome': 12008, 'rideshare': 12009, 'cratering': 12010, '14th': 12011, 'golden': 12012, 'leisurely': 12013, 'strolling': 12014, 'smartphones': 12015, 'preciousmetals': 12016, 'forbes': 12017, 'trump2020landslide': 12018, 'democratsaredestroyingamerica': 12019, 'violated': 12020, 'disseminating': 12021, 'theshopritegroup': 12022, 'r150': 12023, 'turnover': 12024, 'regenesysbusinesschool': 12025, 'monarchy': 12026, 'ape': 12027, 'ruled': 12028, 'planetoftheapes': 12029, 'judith': 12030, 'schwartz': 12031, 'consumerpr': 12032, 'crisispr': 12033, 'prtips': 12034, '12yrs': 12035, 'born': 12036, '2002': 12037, 'qe': 12038, 'relaunched': 12039, 'resumption': 12040, 'bernanke': 12041, 'yellen': 12042, 'medicate': 12043, 'cocktail': 12044, 'cashew': 12045, 'dhs': 12046, 'leaked': 12047, 'coloradan': 12048, 'ecological': 12049, 'obesity': 12050, 'harassed': 12051, 'quarantinechronicles': 12052, 'crazypeople': 12053, 'handrail': 12054, 'justified': 12055, 'sillah': 12056, 'detox': 12057, 'phoneaddiction': 12058, 'digitaldetox': 12059, 'bame': 12060, 'krg': 12061, 'reform': 12062, 'longterm': 12063, 'baghdad': 12064, 'adverse': 12065, 'steepen': 12066, 'grocerydelivery': 12067, 'retailstore': 12068, 'astonishing': 12069, 'kalady': 12070, 'coop': 12071, 'yup': 12072, 'marketingconsultant': 12073, 'internetmarketing': 12074, 'mondaywisdom': 12075, 'newweek': 12076, 'civility': 12077, 'limbo': 12078, 'equivalent': 12079, 'slayer': 12080, 'flickr': 12081, 'prosecution': 12082, 'prosecuted': 12083, 'underpaid': 12084, 'thursdaymotivation': 12085, 'thursdaymorning': 12086, 'secondwave': 12087, 'closeness': 12088, 'inaction': 12089, 'wander': 12090, 'nick': 12091, 'carroll': 12092, 'navigator': 12093, 'barrier': 12094, 'certificate': 12095, 'chant': 12096, 'diff': 12097, 'outsourced': 12098, 'insourced': 12099, '10x': 12100, 'poo': 12101, 'layman': 12102, 'tact': 12103, 'poll': 12104, 'pers': 12105, 'sorta': 12106, 'fascinating': 12107, 'biscuit': 12108, 'stayhomebutnotsilent': 12109, 'convinced': 12110, 'hunch': 12111, 'rolling': 12112, 'defeating': 12113, 'whipps': 12114, 'unaware': 12115, 'hackney': 12116, 'conservation': 12117, '1609': 12118, 'username': 12119, 'nnesico': 12120, 'testified': 12121, 'reframe': 12122, 'obsessing': 12123, 'chaotic': 12124, 'wespeechies': 12125, 'curtesy': 12126, 'affective': 12127, '0113': 12128, '3781877': 12129, 'atisha': 12130, 'lamrim': 12131, 'je': 12132, 'tsongkhapa': 12133, 'progress': 12134, 'enlightenment': 12135, 'carefully': 12136, 'kerala': 12137, 'pssresources': 12138, 'unsupported': 12139, 'repressive': 12140, 'orillia': 12141, 'cancelling': 12142, 'marketeers': 12143, 'jp': 12144, 'pmi': 12145, 'gloomy': 12146, 'tray': 12147, 'recognised': 12148, 'inexcusable': 12149, 'flurry': 12150, 'yb': 12151, 'agenparl': 12152, 'iorestoacasa': 12153, 'redesign': 12154, 'rat': 12155, 'mgvcl': 12156, 'tensional': 12157, '41171': 12158, 'hookup': 12159, 'socialdistancingpickuplines': 12160, 'overreaction': 12161, 'mundogonemado': 12162, 'suitenoticias': 12163, 'marijuananews': 12164, 'marijuanaindustry': 12165, 'carinsurance': 12166, 'newcastle': 12167, 'dawkins': 12168, 'overturn': 12169, 'underrated': 12170, 'asshats': 12171, 'kopn': 12172, 'spawned': 12173, 'vr': 12174, 'jacob': 12175, 'driebergen': 12176, '1436': 12177, '1509': 12178, '1502': 12179, 'motion': 12180, 'naturalhair': 12181, 'camouflaging': 12182, 'wolverine': 12183, 'brow': 12184, 'darnyourona': 12185, 'clinician': 12186, 'hipaa': 12187, 'sacdamediaadvisory': 12188, 'primary': 12189, 'giveblood': 12190, 'depressed': 12191, 'fatalistic': 12192, 'canadacovid19': 12193, 'grapple': 12194, 'bull': 12195, 'transitioned': 12196, 'bear': 12197, 'financialplanning': 12198, 'mustard': 12199, 'shortly': 12200, 'socal': 12201, 'nbcla': 12202, 'littleproudmp': 12203, 'thei': 12204, 'containing': 12205, 'preventative': 12206, '08162453243': 12207, 'schael': 12208, 'cornteen': 12209, 'geez': 12210, 'tumble': 12211, '77': 12212, '7038': 12213, '97': 12214, 'stole': 12215, 'measles': 12216, 'pox': 12217, 'apollo': 12218, 'tuber': 12219, 'spice': 12220, 'bush': 12221, 'farmland': 12222, 'softened': 12223, 'fundamentally': 12224, 'evan': 12225, 'coronaout': 12226, 'pointer': 12227, 'edeka': 12228, 'appropriately': 12229, 'inoculated': 12230, 'deepening': 12231, 'medtech': 12232, 'meddevice': 12233, 'vary': 12234, 'gandhi': 12235, 'doggy': 12236, 'schoolteacher': 12237, 'sb': 12238, 'granddaughter': 12239, 'intolerance': 12240, 'transference': 12241, 'msg': 12242, 'lieu': 12243, 'reeling': 12244, 'adamneumann': 12245, 'kibbutz': 12246, 'tucker': 12247, 'carlson': 12248, 'threw': 12249, 'phd': 12250, 'poloz': 12251, 'determining': 12252, 'nab': 12253, 'cockburn': 12254, 'agribusiness': 12255, 'affirmative': 12256, '206': 12257, 'teatowel': 12258, 'remark': 12259, 'pillaging': 12260, 'discounting': 12261, 'lure': 12262, 'gmv': 12263, 'cust': 12264, 'aftercare': 12265, 'complicated': 12266, 'nausea': 12267, 'inducing': 12268, 'layout': 12269, 'mgmnt': 12270, '340million': 12271, 'attacking': 12272, '006': 12273, 'print': 12274, 'handsanitizing': 12275, 'turnip': 12276, 'animalcrossingnewhorizons': 12277, 'closebordersnow': 12278, 'sefton': 12279, 'helpline': 12280, 'crunchy': 12281, 'smh': 12282, 'limitedsupplies': 12283, 'itchy': 12284, 'irritated': 12285, 'fulfillment': 12286, 'autonomously': 12287, 'powered': 12288, 'automated': 12289, 'hyper': 12290, 'localization': 12291, 'algos': 12292, 'int': 12293, 'unreliable': 12294, 'myer': 12295, 'drained': 12296, 'plowed': 12297, 'highstreet': 12298, 'sbinsights': 12299, 'avb': 12300, 'harnessing': 12301, 'knowns': 12302, 'dirt': 12303, 'detected': 12304, 'seoul': 12305, 'elevated': 12306, 'granter': 12307, 'lassie': 12308, 'manifest': 12309, 'reprogramming': 12310, 'disney': 12311, 'yournerdsidepodcast': 12312, 'yournerdside': 12313, 'kblx1029': 12314, 'spreaker': 12315, 'tunein': 12316, 'applepodcast': 12317, 'tmr': 12318, 'eastside': 12319, 'supervised': 12320, 'presence': 12321, 'brazil': 12322, 'globalized': 12323, 'inhumanely': 12324, 'caging': 12325, 'unsanitarily': 12326, 'butchering': 12327, 'blind': 12328, 'westside': 12329, 'itsnottheendoftheworld': 12330, 'fingernail': 12331, 'indianeconomy': 12332, 'unplanned': 12333, 'avant': 12334, 'garde': 12335, 'fabliss': 12336, 'sheila': 12337, 'sendinglove': 12338, 'samantha': 12339, 'zara': 12340, 'leon': 12341, 'fab': 12342, 'closertogetherstayingapart': 12343, 'writenow': 12344, 'grossery': 12345, 'participation': 12346, 'dmart': 12347, 'specify': 12348, 'lagar': 12349, 'extand': 12350, 'spreat': 12351, 'erbil': 12352, 'twitterkurds': 12353, 'kdka': 12354, 'eagle': 12355, 'occupancy': 12356, 'wolf': 12357, 'itwire': 12358, 'datagovernance': 12359, 'cio': 12360, 'cdo': 12361, 'overorunder': 12362, 'subsides': 12363, 'stayingpositive': 12364, 'fairly': 12365, 'pullback': 12366, 'wrought': 12367, 'daddy': 12368, 'realty': 12369, 'mitu': 12370, 'mathur': 12371, 'gpm': 12372, 'architect': 12373, 'lockdownextended': 12374, 'chevron': 12375, 'exxon': 12376, 'mobil': 12377, 'occidental': 12378, 'mb': 12379, 'extent': 12380, 'pantyhose': 12381, 'crossed': 12382, 'zz': 12383, 'iwillstayathome': 12384, 'vanessahudgens': 12385, 'louisville': 12386, 'pod': 12387, 'bathtub': 12388, 'mommy': 12389, 'recessionary': 12390, 'turbulent': 12391, 'marketimpacts': 12392, 'riveting': 12393, 'wam': 12394, 'anticipates': 12395, '03454': 12396, '05': 12397, '06': 12398, 'allocates': 12399, 'fireman': 12400, 'thrilled': 12401, 'aerosolized': 12402, 'jama': 12403, 'fac': 12404, 'sideeffectsofquarantinelife': 12405, 'curbsidetakeout': 12406, 'ampdeliveryoptions': 12407, 's101northeatery': 12408, 'lahore': 12409, 'vault': 12410, 'suspends': 12411, 'seah': 12412, 'kian': 12413, 'peng': 12414, 'lloy': 12415, 'rb': 12416, 'barc': 12417, 'hsba': 12418, 'lloyd': 12419, 'barclays': 12420, 'fundraise': 12421, 'overwhelm': 12422, 'madison': 12423, 'smelling': 12424, 'crimestoppers': 12425, 'ink3gvurqk': 12426, 'day6': 12427, 'librarian': 12428, 'waitress': 12429, 'fortnite': 12430, 'minecraft': 12431, 'lgbtq': 12432, 'lesbian': 12433, 'catholic': 12434, 'transgender': 12435, 'diabetes': 12436, 'quickie': 12437, '3oz': 12438, 'frankly': 12439, 'obnormal': 12440, 'smiled': 12441, 'supermarketapocalypse': 12442, 'dine': 12443, 'injected': 12444, 'substance': 12445, 'thc': 12446, 'nicotine': 12447, 'feta': 12448, 'mozzarella': 12449, 'khaki': 12450, 'wardi': 12451, 'guiding': 12452, 'unecessary': 12453, 'tall': 12454, 'nagpurpolice': 12455, 'colombian': 12456, 'colombia': 12457, 'gathered': 12458, 'havent': 12459, 'cardboard': 12460, 'healthcomms': 12461, 'prpros': 12462, '15gb': 12463, 'africaautoinsights': 12464, 'deffo': 12465, 'ppeshortages': 12466, 'distancer': 12467, 'sidewalk': 12468, 'coronapersona': 12469, 'sixfeetapart': 12470, 'buyingagent': 12471, 'propertyfinder': 12472, 'propertysearch': 12473, 'wakemed': 12474, 'requesting': 12475, 'correlate': 12476, 'vpn': 12477, 'surprising': 12478, 'inland': 12479, 'empire': 12480, 'stayhomesavelifes': 12481, 'northwales': 12482, 'sccp': 12483, 'implemented': 12484, 'ncovid': 12485, 'servey': 12486, 'mu': 12487, 'carded': 12488, 'chap': 12489, 'knee': 12490, 'rummaging': 12491, 'vibe': 12492, 'wil': 12493, 'ticking': 12494, 'stayprivate': 12495, 'orlando': 12496, 'whengovernorsfail': 12497, 'aweful': 12498, 'weirdest': 12499, 'unpredictable': 12500, 'financialy': 12501, 'cellphone': 12502, 'allan': 12503, 'gr': 12504, 'tent': 12505, 'fifteenth': 12506, 'impressive': 12507, 'yogi': 12508, 'adityanath': 12509, 'khadi': 12510, 'upgovernment': 12511, 'permission': 12512, 'calagione': 12513, 'unilever': 12514, 'rodahidup': 12515, 'benjamin': 12516, 'soh': 12517, 'ofcourse': 12518, 'drvd': 12519, 'waitr': 12520, 'aprn': 12521, 'whtr': 12522, 'cgc': 12523, 'pennystocks': 12524, 'trampoline': 12525, 'schoolclosuresuk': 12526, 'ceased': 12527, 'boat': 12528, 'alot': 12529, 'eerily': 12530, 'bio': 12531, 'videoftheday': 12532, 'picoftheday': 12533, 'pasadena': 12534, 'miserable': 12535, 'clare': 12536, 'connors': 12537, 'levins': 12538, '587': 12539, '4272': 12540, 'scan': 12541, 'telier': 12542, 'stopscango': 12543, 'helpneedy': 12544, 'limitbuying': 12545, '2020rationing': 12546, 'beki': 12547, 'domestica': 12548, 'malta': 12549, 'homefurnishings': 12550, 'bespokefurniture': 12551, 'bespoke': 12552, 'freedelivery': 12553, 'wrestling': 12554, 'crzy': 12555, 'unproven': 12556, 'ven': 12557, 'unsaleable': 12558, 'admin': 12559, 'secondly': 12560, 'headquarters': 12561, 'obnoxious': 12562, 'severely': 12563, 'unionize': 12564, 'supreme': 12565, 'optical': 12566, 'ableism': 12567, 'visibly': 12568, 'stopablelism': 12569, 'jamaica': 12570, 'rm': 12571, 'rm30': 12572, 'hallelujah': 12573, 'corkscrew': 12574, 'obsolete': 12575, 'meansofproduction': 12576, 'retreat': 12577, 'mode': 12578, 'chow': 12579, 'collated': 12580, 'uptodate': 12581, 'comodities': 12582, 'in2': 12583, 'li': 12584, 'trickle': 12585, 'chin': 12586, 'kallanish': 12587, 'withme': 12588, 'superheroes': 12589, 'hardworking': 12590, 'hailed': 12591, 'bushfires': 12592, 'axed': 12593, 'trolly': 12594, 'succumbing': 12595, 'scalper': 12596, 'justeatuk': 12597, 'establishes': 12598, 'dod': 12599, 'navy': 12600, 'cnnpolitics': 12601, 'grouping': 12602, 'cf97': 12603, 'cffc': 12604, 'yep': 12605, 'mulder': 12606, 'krychek': 12607, 'gunman': 12608, 'scully': 12609, 'clearance': 12610, 'skinner': 12611, 'workshop': 12612, 'kikkerland': 12613, 'jeeturaj': 12614, 'mumbaikiawaz': 12615, '22k': 12616, 'maharash': 12617, 'nothelpful': 12618, 'bellcanada': 12619, 'shpock': 12620, 'fewest': 12621, 'seattle': 12622, 'interacting': 12623, 'ueno': 12624, 'asakusa': 12625, 'shinjuku': 12626, 'innocence': 12627, 'hydrogen': 12628, 'peroxide': 12629, 'hacking': 12630, 'wisdomwednesday': 12631, 'watched': 12632, 'perpetrator': 12633, 'ethnicity': 12634, 'embarrassed': 12635, 'secretly': 12636, 'ccsa': 12637, '650': 12638, 'enraged': 12639, 'dipa': 12640, 'aguete': 12641, 'murray': 12642, 'kessler': 12643, 'cramer': 12644, 'perrigo': 12645, 'credittrends': 12646, 'perish': 12647, 'selfdiscipline': 12648, 'nourishment': 12649, 'criterion': 12650, 'sucked': 12651, 'severest': 12652, '1930s': 12653, 'kristin': 12654, 'grand': 12655, 'launching': 12656, '25k': 12657, 'vandal': 12658, 'vir': 12659, 'eseva': 12660, '14713': 12661, '15days': 12662, 'brat': 12663, 'mob983682234': 12664, 'empowering': 12665, 'likelihood': 12666, 'feral': 12667, 'peop': 12668, 'focussed': 12669, 'farmasi': 12670, 'luxurious': 12671, 'yamal': 12672, 'astrocyte': 12673, 'wb': 12674, 'smooth': 12675, 'amitav': 12676, 'roy': 12677, 'kungflu': 12678, 'sacked': 12679, 'behaved': 12680, 'accordingly': 12681, 'hubby': 12682, 'tshirt': 12683, 'followme': 12684, 'newtrend': 12685, 'welch': 12686, 'bell': 12687, 'supportdailywagers': 12688, 'thanksitcreckitthuldaburgodrej': 12689, 'scamwarning': 12690, 'asd': 12691, 'acsc': 12692, 'themed': 12693, 'scamwatch': 12694, 'photography': 12695, 'maharashtra': 12696, 'attic': 12697, 'handsanitisers': 12698, 'conscience': 12699, 'springfashion': 12700, 'evahh': 12701, 'congregation': 12702, 'cared': 12703, 'frederick': 12704, 'startagarden': 12705, 'stayhome24in48': 12706, 'switzerland': 12707, 'siew': 12708, 'defy': 12709, 'gravity': 12710, 'bouncing': 12711, 'bombard': 12712, 'impotus': 12713, 'politicizing': 12714, 'relapsing': 12715, 'decides': 12716, 'dtic': 12717, 'dodgy': 12718, 'cooling': 12719, 'zambia': 12720, 'salockdown': 12721, 'barton': 12722, 'savage': 12723, '48h': 12724, 'emerged': 12725, 'fiction': 12726, 'lovenowexplorelater': 12727, 'travellater': 12728, 'glaciermt': 12729, 'joker': 12730, 'batman': 12731, 'stopbulkbuying': 12732, 'par': 12733, 'poland': 12734, 'rzeczpospolita': 12735, 'suffers': 12736, 'fibromyalgia': 12737, 'classed': 12738, 'soc': 12739, 'investigating': 12740, 'uploaded': 12741, 'hagens': 12742, 'typo': 12743, 'crazything': 12744, 'butticket': 12745, 'highlighted': 12746, 'makinde': 12747, 'upgrading': 12748, 'medica': 12749, 'alibaba': 12750, 'riseandshine': 12751, 'spanner': 12752, 'chime': 12753, 'surrogate': 12754, 'bodth': 12755, 'stein': 12756, 'gavin': 12757, 'retweeting': 12758, 'congregating': 12759, 'eustice': 12760, 'eliminate': 12761, 'chronic': 12762, 'leasing': 12763, 'arctic': 12764, 'drilling': 12765, 'precipitous': 12766, 'siege': 12767, 'aaron': 12768, 'idahoan': 12769, '208': 12770, '334': 12771, 'e14': 12772, 'postcruise': 12773, '98': 12774, 'telework': 12775, 'debating': 12776, '14daypostcruisecountdown': 12777, 'stopcorona': 12778, 'cruiseship': 12779, 'deodorant': 12780, 'overkill': 12781, 'rundown': 12782, 'consumed': 12783, '2500': 12784, 'bedroom': 12785, '1700': 12786, 'sympathiser': 12787, '07708913141': 12788, 'unfairly': 12789, '007': 12790, 'scamming': 12791, 'aft': 12792, 'hve': 12793, 'underpaying': 12794, 'cleaningsupplies': 12795, 'netizens': 12796, 'mockery': 12797, 'melania': 12798, 'temper': 12799, 'priyanka': 12800, 'chopra': 12801, 'julianne': 12802, 'deb': 12803, 'companionship': 12804, 'whatweneed': 12805, 'careathome': 12806, 'safeathome': 12807, 'visitingangels': 12808, 'skynews': 12809, 'newsnight': 12810, 'lbc': 12811, 'fancy': 12812, 'upscale': 12813, 'maskmystery': 12814, 'blowing': 12815, 'withdrawing': 12816, 'utilize': 12817, 'acti': 12818, 'colluding': 12819, 'botched': 12820, 'additionally': 12821, 'realtime': 12822, 'nakuru': 12823, 'oldest': 12824, 'stake': 12825, 'succumb': 12826, 'superstition': 12827, 'quack': 12828, 'letsfightcoronatogether': 12829, 'coronafreeworld': 12830, 'srimspeaks': 12831, 'webpage': 12832, 'phonecall': 12833, 'clarehall': 12834, 'cyclist': 12835, 'glovo': 12836, 'eats': 12837, 'sunny': 12838, 'cycling': 12839, 'sarasota': 12840, 'manatee': 12841, 'lag': 12842, 'quid': 12843, 'supermark': 12844, 'schooling': 12845, 'fianc': 12846, 'cog': 12847, 'nativo': 12848, 'myia': 12849, 'mirror': 12850, 'lhm': 12851, 'unclean': 12852, 'synergy': 12853, 'durin': 12854, 'shoppin': 12855, 'feelin': 12856, 'thehungergames': 12857, 'carryout': 12858, 'sided': 12859, 'togetheralone': 12860, 'rotate': 12861, 'isolationlife': 12862, 'ninety': 12863, 'foodsystem': 12864, 'assuming': 12865, 'globalagenda': 12866, 'reckoned': 12867, 'incoherent': 12868, 'ecommercenews': 12869, 'asi': 12870, 'messenger': 12871, 'dumbass': 12872, 'hometasking': 12873, 'stair': 12874, 'scp': 12875, 'scpmemes': 12876, 'pubgmobile': 12877, 'pubg': 12878, 'furries': 12879, 'besave': 12880, 'dragon': 12881, 'inst': 12882, 'netto': 12883, 'rhubarb': 12884, 'custard': 12885, 'squeaking': 12886, 'freeport': 12887, '5th': 12888, 'newscentermaine': 12889, 'stoner': 12890, 'samreen': 12891, 'akdeniz': 12892, 'hoe': 12893, 'walthamstow': 12894, 'acumen': 12895, 'finest': 12896, 'antiseptic': 12897, 'instock': 12898, 'ordernow': 12899, 'highland': 12900, 'highlandlakes': 12901, 'foodpantries': 12902, 'dailytrib': 12903, 'finder': 12904, 'commandeering': 12905, 'astronomical': 12906, 'ridge': 12907, 'parkinglot': 12908, 'askusanything': 12909, '17th': 12910, 'ghaziabad': 12911, 'goi': 12912, 'proportionately': 12913, 'lfk': 12914, 'maskedup': 12915, 'glovedup': 12916, 'abiding': 12917, 'maskupforothers': 12918, 'protectthevulnerable': 12919, 'needtoeat': 12920, 'dominance': 12921, 'rebounded': 12922, 'fiscal': 12923, 'tempusfx': 12924, 'forexnews': 12925, 'barrf': 12926, 'corrupttrump': 12927, 'lyinking': 12928, 'disbarbarr': 12929, 'trumpliespeopledie': 12930, 'overdosing': 12931, 'leadi': 12932, 'bulkbuying': 12933, 'opecplus': 12934, 'flavour': 12935, 'rack': 12936, 'minhas': 12937, 'indebted': 12938, 'beige': 12939, 'perdue': 12940, 'randy': 12941, 'assuage': 12942, 'loud': 12943, 'handsomely': 12944, 'testy': 12945, 'begrateful': 12946, '5pm': 12947, 'prophet': 12948, 'endometriosis': 12949, 'r1bn': 12950, 'ip': 12951, 'angelo': 12952, 'mazza': 12953, 'intellectualproperty': 12954, 'hazzard': 12955, 'harbour': 12956, 'accordance': 12957, 'swabbed': 12958, 'influenza': 12959, 'docked': 12960, 'pegging': 12961, 'ratcheting': 12962, 'facetimeing': 12963, 'mumbling': 12964, 'hahaha': 12965, 'sankey': 12966, 'mizuho': 12967, 'combo': 12968, 'lowdown': 12969, 'judd': 12970, 'legum': 12971, 'banger': 12972, 'randb': 12973, 'weeknd': 12974, 'theweeknd': 12975, 'rudygobert': 12976, 'tomhanks': 12977, 'furloughing': 12978, 'stockpilling': 12979, 'ocr': 12980, 'ce': 12981, 'kn95': 12982, 'moq': 12983, '86159929736': 12984, 'chad': 12985, 'pathanamthitta': 12986, 'asish': 12987, 'mohankumar': 12988, 'longboat': 12989, 'newfoundland': 12990, 'afterwards': 12991, 'seetheday': 12992, 'bouquet': 12993, 'foodie': 12994, 'moon': 12995, 'miracle': 12996, 'nailing': 12997, 'processed': 12998, 'refined': 12999, 'calorically': 13000, 'dense': 13001, 'conditioning': 13002, 'markettrends': 13003, 'picky': 13004, 'ole': 13005, 'escalation': 13006, 'di1tv': 13007, 'morocco': 13008, 'courthouse': 13009, 'glimmer': 13010, 'isps': 13011, 'techcrunch': 13012, 'privacymatters': 13013, 'profiling': 13014, 'recruit': 13015, 'humankind': 13016, 'ongata': 13017, 'rongai': 13018, 'kware': 13019, 'imminent': 13020, 'mercy': 13021, 'fowarding': 13022, 'gikombacorona': 13023, 'saboteur': 13024, 'btc': 13025, 'oio': 13026, 'dta': 13027, 'rcd': 13028, 'costo': 13029, 'mohammad': 13030, 'khani': 13031, 'civilised': 13032, 'nctechmember': 13033, 'membershelpingmembers': 13034, 'yours': 13035, 'getrich': 13036, 'paidfromhome': 13037, 'workfromanywhere': 13038, 'internetrich': 13039, 'jay': 13040, 'prohibited': 13041, 'washingtonian': 13042, 'fro': 13043, 'trollies': 13044, 'hunker': 13045, 'wisconsibly': 13046, 'wiunion': 13047, 'resupply': 13048, 'apocalyptic': 13049, 'arbitrary': 13050, 'punitive': 13051, 'endangers': 13052, 'mywifelife': 13053, 'bunghole': 13054, 'boo': 13055, 'luseelu': 13056, 'proved': 13057, 'cn': 13058, 'ra': 13059, '39': 13060, 'sleeper': 13061, 'recalled': 13062, 'driverless': 13063, 'wariness': 13064, 'fleetmanagement': 13065, 'borisjohnsonlies': 13066, 'invaluable': 13067, '55yr': 13068, 'laughter': 13069, 'dutch': 13070, 'fluctuation': 13071, 'wisdom': 13072, 'collectiveness': 13073, 'reciprocate': 13074, 'ccot': 13075, 'teaparty': 13076, 'hannity': 13077, 'kag2020': 13078, 'nra': 13079, 'oann': 13080, 'wnd': 13081, 'gauging': 13082, 'robertson84': 13083, 'publish': 13084, 'longtime': 13085, '750': 13086, 'persists': 13087, 'cantonment': 13088, 'meerut': 13089, 'setup': 13090, 'sanitizes': 13091, 'toe': 13092, 'sirius': 13093, 'xm': 13094, 'proximity': 13095, 'carafoil': 13096, 'fachado': 13097, 'undoubtedly': 13098, 'abundantly': 13099, 'sniper': 13100, 'weapon': 13101, 'annihilate': 13102, 'pistol': 13103, 'ndia': 13104, 'soak': 13105, 'rub': 13106, 'caution': 13107, 'topsmarket': 13108, 'wherearethedeliveries': 13109, 'britney': 13110, 'abilene': 13111, 'messing': 13112, 'hidradenitissuppurativa': 13113, 'discrepancy': 13114, 'oman': 13115, 'muscat': 13116, 'pacp': 13117, 'ren': 13118, 'mnfrg': 13119, 'distrbtn': 13120, 'gutka': 13121, 'earner': 13122, 'precious': 13123, 'savetheday': 13124, 'betterthanpants': 13125, 'funnyshirt': 13126, 'racismisavirus': 13127, 'menstrual': 13128, 'goodwill': 13129, 'fairness': 13130, 'caption': 13131, 'owed': 13132, 'affiliate': 13133, 'yourenergyyourvoice': 13134, '934': 13135, 'rama': 13136, 'frequent': 13137, 'taskmanagement': 13138, 'perlis': 13139, 'kuala': 13140, 'sanglang': 13141, 'grandma': 13142, 'perintahkawalanpergerakan': 13143, 'hurdle': 13144, 'glycerin': 13145, 'perilously': 13146, 'q7': 13147, 'nebraska': 13148, 'breheny': 13149, 'freemarkets': 13150, 'probs': 13151, 'neoliberal': 13152, 'libertarian': 13153, 'invading': 13154, 'phoning': 13155, 'mana': 13156, 'skidded': 13157, 'oversupply': 13158, 'suo': 13159, 'moto': 13160, 'fauci': 13161, 'il': 13162, 'wls': 13163, 'twat': 13164, 'globalism': 13165, 'togetherness': 13166, 'counterbalanced': 13167, 'battleground': 13168, 'blitz': 13169, 'brexiteers': 13170, 'stiff': 13171, 'cahfsweeklyupdate': 13172, 'fantasygrainmarketleague': 13173, 'yield': 13174, 'thisisamess': 13175, 'undergoing': 13176, 'financialhealth': 13177, 'fcac': 13178, 'facilitate': 13179, 'mammal': 13180, '299': 13181, 'cua': 13182, 'checkpoint': 13183, 'questioning': 13184, 'noon': 13185, '76': 13186, '969': 13187, 'gbp': 13188, 'aging': 13189, '1919': 13190, 'patron': 13191, 'manslaughter': 13192, 'evolution': 13193, 'renewable': 13194, 'wipeyourarse': 13195, 'mate': 13196, 'morale': 13197, 'hamster': 13198, 'nonstop': 13199, 'accent': 13200, 'thomasandfriends': 13201, 'bangalore': 13202, 'antibody': 13203, 'rs2500': 13204, 'aidan': 13205, 'inf': 13206, 'yous': 13207, 'krugman': 13208, 'stonewalling': 13209, 'bielefeld': 13210, 'nrw': 13211, 'stabbed': 13212, 'knife': 13213, 'fled': 13214, 'anthony': 13215, 'fensom': 13216, 'monopoly': 13217, 'gouge': 13218, 'faulty': 13219, 'neverforget': 13220, 'exploited': 13221, 'decouplefromchina': 13222, 'abundance': 13223, 'totinosarelifenow': 13224, 'wastage': 13225, 'derry': 13226, 'londonderry': 13227, 'belfast': 13228, 'mexican': 13229, 'tamale': 13230, 'bugin': 13231, 'dinnerandamovie': 13232, 'flinn': 13233, 'qsrs': 13234, 'drivethru': 13235, 'qsr': 13236, 'pooping': 13237, 'illustrator': 13238, 'illustration': 13239, 'cartoonist': 13240, 'doodle': 13241, 'cartoonofinstagram': 13242, 'sketchbook': 13243, 'iceberg': 13244, 'testimonial': 13245, 'injecting': 13246, 'withdraw': 13247, 'protects': 13248, 'liveblog': 13249, 'reflects': 13250, 'carrot': 13251, 'infra': 13252, 'sniffed': 13253, 'flooded': 13254, 'outdoor': 13255, 'zoek': 13256, 'delirious': 13257, 'browne': 13258, '1840': 13259, 'wfp': 13260, 'competiscan': 13261, 'rep': 13262, 'unli': 13263, 'patience': 13264, 'declation': 13265, 'underemployed': 13266, 'credited': 13267, 'gamestop': 13268, 'ghl': 13269, 'paradigm': 13270, 'rm2': 13271, 'extensive': 13272, 'artisan': 13273, 'buttock': 13274, 'sandpaper': 13275, 'woodworking': 13276, 'cabinetry': 13277, 'worshipping': 13278, 'madmax': 13279, 'hoodi': 13280, 'tia': 13281, 'anticipating': 13282, 'watering': 13283, '2023': 13284, 'catapulted': 13285, 'ambassador': 13286, 'moncada': 13287, 'appeared': 13288, 'paterson': 13289, 'wirbleibenzuhause': 13290, 'homeoffice': 13291, 'forecasting': 13292, 'eea': 13293, 'airtravel': 13294, 'consumercomplaint': 13295, 'assured': 13296, 'thunder': 13297, 'doris': 13298, 'saino': 13299, '376': 13300, 'gearing': 13301, 'jobforone': 13302, 'aretwonecessary': 13303, 'proppa': 13304, 'prebagged': 13305, 'eff': 13306, 'grass': 13307, 'shauntel': 13308, 'uneasy': 13309, 'snowstorm': 13310, 'rv': 13311, 'curtin': 13312, 'petfood': 13313, 'petfoodlidding': 13314, 'petadoption': 13315, 'guardrail': 13316, 'confidentiality': 13317, 'monetizing': 13318, 'cratered': 13319, 'poised': 13320, 'quarterly': 13321, 'financialmarkets': 13322, 'conserve': 13323, 'mlb': 13324, 'wahl': 13325, 'tsunami': 13326, 'beaver': 13327, 'arrogant': 13328, 'beatty': 13329, 'stokenewington': 13330, 'freehold': 13331, 'terroristic': 13332, 'spicier': 13333, 'parched': 13334, 'scratcher': 13335, 'buggy': 13336, 'demolished': 13337, 'alertnotanxious': 13338, 'iri': 13339, 'specializing': 13340, 'nd': 13341, 'nowplaying': 13342, 'reprogram': 13343, 'beep': 13344, 'economicterrorism': 13345, 'consumerism': 13346, 'earthhour2020': 13347, 'climatechange': 13348, 'valchoice': 13349, 'autoinsurance': 13350, 'cochrane': 13351, 'trumpgenocide': 13352, 'pasted': 13353, 'keephopealive': 13354, 'staysafesavelives': 13355, 'staysafestayhealthy': 13356, 'rudeness': 13357, 'aw': 13358, 'mackie': 13359, 'du': 13360, 'activate': 13361, 'dpa': 13362, 'gouged': 13363, 'convince': 13364, 'smallbiz': 13365, 'smallbiztips': 13366, 'extortionist': 13367, 'billionaire': 13368, 'ackman': 13369, 'hoovering': 13370, 'justification': 13371, 'soviet': 13372, 'agony': 13373, 'virtue': 13374, 'signaling': 13375, 'shopworkersunite': 13376, 'rubbing': 13377, 'masterpiece': 13378, 'teenage': 13379, 'readsteadycook': 13380, 'ainsleyharriott': 13381, 'vp': 13382, 'anand': 13383, 'siddiqui': 13384, 'oculus': 13385, 'craving': 13386, 'novelty': 13387, 'jizzed': 13388, 'binge': 13389, 'outsourcing': 13390, 'advancing': 13391, 'bolstering': 13392, 'vladimir': 13393, 'coded': 13394, 'recall': 13395, 'illegally': 13396, 'sentinel': 13397, 'scamdemic': 13398, 'baking': 13399, 'powder': 13400, 'deadliest': 13401, 'vet': 13402, 'elanco': 13403, 'jwn': 13404, 'retailapocalypse2020': 13405, 'mcas': 13406, 'linda': 13407, 'bud': 13408, 'staysa': 13409, 'toiletpaperhoarding': 13410, 'zamahni': 13411, 'boycotted': 13412, 'shitstorm': 13413, 'mortality': 13414, 'onset': 13415, 'ralph': 13416, 'koijen': 13417, 'mothiro': 13418, 'yogo': 13419, 'periodt': 13420, 'stayingathomechallenge': 13421, 'thankshealthheroes': 13422, 'oneself': 13423, 'ffodbanks': 13424, '701': 13425, 'brainless': 13426, 'yoghurt': 13427, 'inhaler': 13428, 'ventilon': 13429, 'motor': 13430, 'eaglenews': 13431, 'proceeded': 13432, 'fascism': 13433, 'grim': 13434, 'grosser': 13435, 'mummy': 13436, 'tread': 13437, '806': 13438, '464': 13439, '9197': 13440, 'fightingcoronavirus': 13441, 'criticalpersonnel': 13442, 'llc': 13443, 'aegis': 13444, 'ngf': 13445, 'telecommunication': 13446, 'disbursement': 13447, 'priscillaconsolo': 13448, 'caput': 13449, 'fook': 13450, 'pissed': 13451, 'jammed': 13452, 'reckless': 13453, 'ii': 13454, 'explosive': 13455, 'expansion': 13456, 'suppressed': 13457, 'coordinating': 13458, '43': 13459, 'foodbanking': 13460, 'innovative': 13461, 'kazatomprom': 13462, 'nuclear': 13463, 'reactor': 13464, 'petersburg': 13465, 'magazine': 13466, 'theglobe': 13467, 'nationalenquirer': 13468, 'newsoftheworld': 13469, 'boarder': 13470, 'declaration': 13471, 'nosedive': 13472, 'callouts': 13473, 'wto': 13474, 'reissue': 13475, 'elab': 13476, 'alumnus': 13477, 'ithaca': 13478, 'ithacaisstartups': 13479, 'bingo': 13480, 'mx': 13481, 'topstories': 13482, 'cooperate': 13483, 'eradicate': 13484, 'punished': 13485, 'chester': 13486, 'sealand': 13487, 'abpoli': 13488, 'hovers': 13489, 'danwel': 13490, 'sailed': 13491, 'sufficiency': 13492, 'gratefully': 13493, 'aapl': 13494, 'discretionary': 13495, 'monye': 13496, 'morris': 13497, 'remedial': 13498, 'expanding': 13499, 'iwanttospeaktoyourmana': 13500, 'westlake': 13501, 'junior': 13502, 'reversal': 13503, 'castle': 13504, 'tower': 13505, 'switched': 13506, 'sedalia': 13507, 'shorted': 13508, 'restored': 13509, 'grapevine': 13510, 'exceptional': 13511, 'krishnan': 13512, 'sickening': 13513, 'resorting': 13514, 'cardi': 13515, 'ontarians': 13516, 'tou': 13517, 'seasoning': 13518, 'thankthemeveryday': 13519, 'pandemonium': 13520, 'melanoma': 13521, 'subcmte': 13522, 'ing': 13523, 'pirate': 13524, 'shopped': 13525, 'loom': 13526, 'ihs': 13527, 'markit': 13528, 'stockmarketcrash2020': 13529, 'phnom': 13530, 'penh': 13531, 'cambodian': 13532, 'albertans': 13533, 'stubborn': 13534, 'chapati': 13535, 'lightly': 13536, 'saut': 13537, 'bagel': 13538, 'relative': 13539, 'twgrp': 13540, 'leadright': 13541, 'trump2020landslidevictory': 13542, 'explanation': 13543, 'betw': 13544, 'compartmentalized': 13545, 'cursed': 13546, 'cpuc': 13547, 'compile': 13548, 'bangkok': 13549, 'varies': 13550, '4usd': 13551, 'kindle': 13552, 'kolonya': 13553, 'fragrance': 13554, 'bienetre': 13555, 'yumyumsbakery': 13556, 'yqg': 13557, 'squeeze': 13558, 'seamlessly': 13559, 'digitalcapitalism': 13560, 'notmypresident': 13561, 'toiletpaperchallenge': 13562, 'favour': 13563, 'gu': 13564, 'spelling': 13565, '19why': 13566, '50ft': 13567, 'blu': 13568, 'kano': 13569, 'shebi': 13570, 'chalet': 13571, 'queenston': 13572, 'dailyneeds': 13573, 'mechanical': 13574, 'literal': 13575, 'fuckery': 13576, 'youllneverwalkalone': 13577, 'ausgangssperrejetzt': 13578, 'ynwa': 13579, 'afterhours': 13580, 'davido': 13581, '1million': 13582, 'destructive': 13583, 'ideology': 13584, 'exceptionalism': 13585, 'absurd': 13586, 'quadcities': 13587, 'thriving': 13588, 'traditionl': 13589, 'bankfee': 13590, 'gra': 13591, 'psychosis': 13592, 'foodshortage': 13593, 'identification': 13594, 'beleaguered': 13595, 'nowaste': 13596, 'generate': 13597, 'keyboard': 13598, 'r3m': 13599, 'retract': 13600, 'lockdownsa': 13601, 'slander': 13602, 'checkfacts': 13603, 'vision': 13604, 'ohiosafeohioworking': 13605, 'honeymoon': 13606, 'loaded': 13607, 'qui': 13608, 'sonne': 13609, 'cloche': 13610, '877': 13611, '764': 13612, '2535': 13613, 'linus': 13614, 'apologizing': 13615, 'austerity': 13616, 'rancher': 13617, 'refinery': 13618, 'devised': 13619, 'duh': 13620, 'panadol': 13621, 'cotton': 13622, 'dye': 13623, 'predictably': 13624, 'marijuana': 13625, 'jobstobedone': 13626, 'whiplash': 13627, 'halfway': 13628, '996': 13629, '514': 13630, 'beggar': 13631, 'autoimmune': 13632, 'repetitive': 13633, 'cld': 13634, 'demystdata': 13635, 'datasets': 13636, 'geolocation': 13637, 'externaldata': 13638, 'unsafe': 13639, 'fart': 13640, 'thanos': 13641, 'avenger': 13642, 'funnymemes': 13643, 'sarcasm': 13644, 'dank': 13645, 'dankmemes': 13646, 'tuesdathoughts': 13647, 'advisor': 13648, 'geopolitically': 13649, 'distant': 13650, 'unravelled': 13651, 'revisit': 13652, 'paris': 13653, 'koronavirus': 13654, 'thephotohour': 13655, 'whyt': 13656, 'gotdamit': 13657, 'polowczyk': 13658, 'shopresponsibly': 13659, 'juststayhome': 13660, 'naa': 13661, 'occured': 13662, 'mobilityrevolution': 13663, 'carter': 13664, 'deceased': 13665, 'understandably': 13666, 'hung': 13667, 'refer': 13668, 'basmati': 13669, 'flyer': 13670, 'aucklanders': 13671, 'fucken': 13672, 'licensing': 13673, 'merit': 13674, 'ta': 13675, 'dependant': 13676, 'ffinancialadvisors': 13677, 'lithium': 13678, 'looming': 13679, 'electricvehicleindustry': 13680, 'departmental': 13681, 'hereby': 13682, 'obliged': 13683, 'selflessly': 13684, 'anecdote': 13685, 'yeltsin': 13686, 'amazed': 13687, 'thankfully': 13688, 'immense': 13689, 'pham': 13690, 'observed': 13691, 'anthropologist': 13692, 'margaret': 13693, 'mead': 13694, 'azeri': 13695, 'manat': 13696, '588': 13697, 'coronarvirusitalia': 13698, '492': 13699, 'agaisnt': 13700, 'angelus': 13701, 'teetering': 13702, 'tyee': 13703, 'alabanza': 13704, 'fedex': 13705, 'ali': 13706, 'naka': 13707, 'rwandatrade': 13708, 'rampage': 13709, '18bn': 13710, '15bn': 13711, 'opex': 13712, 'defenseag': 13713, 'alcoholsanitizer': 13714, 'landscaping': 13715, 'montco': 13716, 'magnetic': 13717, 'highlander': 13718, 'loosen': 13719, 'naturalrubber': 13720, 'nr': 13721, 'rig': 13722, 'plin': 13723, 'hrl': 13724, 'safm': 13725, 'lway': 13726, 'tsn': 13727, 'brfs': 13728, 'bsn': 13729, '4th': 13730, 'sindh': 13731, 'alhamdolillah': 13732, 'standstill': 13733, 'restricts': 13734, 'lockthemallup': 13735, 'stillrelevant': 13736, 'oneworld': 13737, 'moronic': 13738, 'numpties': 13739, 'wakeupandsmelltheconsumerism': 13740, 'portco': 13741, 'kangaroohealth': 13742, 'loosing': 13743, 'mayoroflondon': 13744, 'extenders': 13745, 'minneapolis': 13746, 'infuriates': 13747, 'cybercriminals': 13748, 'harris': 13749, 'teeter': 13750, 'peer': 13751, 'playspace': 13752, 'lid': 13753, 'conservative': 13754, 'pande': 13755, 'virus19': 13756, 'buckwheat': 13757, 'zelensky': 13758, 'scummy': 13759, 'moan': 13760, 'carp': 13761, 'hygeinic': 13762, 'sterilizing': 13763, 'washinghands': 13764, 'paknsave': 13765, 'countdown': 13766, 'newworld': 13767, 'nzlockdown': 13768, 'fencepeace': 13769, 'pple': 13770, 'upside': 13771, 'unelected': 13772, 'fisherman': 13773, 'organisation': 13774, 'pyramid': 13775, 'infused': 13776, 'vaycay': 13777, 'goddess': 13778, 'ganjagoddess': 13779, 'goddessorders': 13780, 'adulteration': 13781, 'dal': 13782, 'atta': 13783, 'rava': 13784, 'adulterate': 13785, 'bridging': 13786, 'introvert': 13787, 'lifeadjustment': 13788, 'conquered': 13789, 'tmall': 13790, 'tuebrook': 13791, 'heron': 13792, 'mortuary': 13793, 'usable': 13794, 'sanjana': 13795, '140': 13796, 'mississippian': 13797, 'senfeinstein': 13798, 'kamalaharris': 13799, 'speakerpelosi': 13800, 'repadamschiff': 13801, 'ericsawell': 13802, 'californiacoronavirus': 13803, 'maggienyt': 13804, 'washingtonpost': 13805, 'latimes': 13806, 'accurate': 13807, 'lethal': 13808, 'medically': 13809, 'complicating': 13810, 'enfo': 13811, 'rishisunak': 13812, 'warehousing': 13813, 'ecopies': 13814, 'paperback': 13815, 'righteousness': 13816, 'abideth': 13817, 'icicle': 13818, 'moonbeam': 13819, 'romance': 13820, 'suspense': 13821, 'scanning': 13822, 'adqcc': 13823, 'qccabudhabi': 13824, 'abudhabi': 13825, 'inabudhabi': 13826, 'tantrum': 13827, 'cuntmom': 13828, 'seminar': 13829, 'bough': 13830, 'unreasonably': 13831, 'covdhousearrest': 13832, 'housearrestnotquarantine': 13833, 'corinahysteria': 13834, 'coronahoax': 13835, 'truffle': 13836, 'environ': 13837, 'lett': 13838, 'spewing': 13839, 'adderall': 13840, 'uttered': 13841, 'reverential': 13842, 'sympathetic': 13843, 'obama': 13844, 'sulfuric': 13845, 'saas': 13846, 'prescriptive': 13847, 'jd': 13848, 'pdd': 13849, 'tcehy': 13850, 'tcom': 13851, 'wynn': 13852, 'lvs': 13853, 'mlco': 13854, 'bili': 13855, 'yumc': 13856, 'craig': 13857, 'damning': 13858, 'tru': 13859, 'applauds': 13860, 'nyse': 13861, 'studying': 13862, 'idiotic': 13863, 'rumination': 13864, 'tele': 13865, 'hugged': 13866, 'dave': 13867, 'whamond': 13868, 'wandering': 13869, 'dontstockpile': 13870, 'timeforplanb': 13871, 'ricecrypto': 13872, 'o0dsd66xjz': 13873, 'alice': 13874, 'chan': 13875, 'bumped': 13876, 'joel': 13877, 'alicechan': 13878, 'joelchan': 13879, 'destiny': 13880, 'cosmetic': 13881, 'onlineshop': 13882, 'mustread': 13883, 'ro': 13884, 'cranberry': 13885, 'desperatetimescallfordesperatemeasures': 13886, 'technicallynolongerboxwine': 13887, 'ratapiko': 13888, 'ding': 13889, 'tonic': 13890, 'illusion': 13891, '2qfy2020': 13892, 'qoq': 13893, 'totnes': 13894, 'lewisville': 13895, '225': 13896, 'mound': 13897, 'dummy': 13898, '8105473545': 13899, 'healthdaynews': 13900, 'schneider': 13901, 'duality': 13902, 'jungian': 13903, 'selfie': 13904, 'invade': 13905, 'ioc': 13906, 'trench': 13907, 'brenden': 13908, 'dgp': 13909, 'karnataka': 13910, 'mf': 13911, 'cdn': 13912, 'generic': 13913, 'closetherange': 13914, 'boycottherange': 13915, 'therange': 13916, 'uaz05hc3ev': 13917, 'corovid19': 13918, 'indiaunderlockdown': 13919, 'davanagere': 13920, 'exorbitantly': 13921, 'frying': 13922, 'pricewar': 13923, 'watermelon': 13924, 'harrow': 13925, 'weald': 13926, 'albertsons': 13927, '1u': 13928, 'cbsnews': 13929, 'encountering': 13930, 'coronaupdates': 13931, 'leftist': 13932, 'umarakmalquotes': 13933, 'potable': 13934, 'wud': 13935, 'watercrisis': 13936, 'ho': 13937, 'el': 13938, 'ryvita': 13939, '250ml': 13940, '105': 13941, '0330': 13942, '124': 13943, '1733': 13944, 'amanda': 13945, 'prevents': 13946, 'increasin': 13947, 'shutter': 13948, 'girlfriend': 13949, 'etiquette': 13950, 'idc': 13951, 'hotchick': 13952, 'badasswoman': 13953, 'dirtypeople': 13954, 'filth': 13955, '221': 13956, 'faceshields': 13957, 'preventive': 13958, 'feat': 13959, 'bojo': 13960, 'livingdead': 13961, 'otc': 13962, 'reasoned': 13963, 'named': 13964, 'jesuschristonacracker': 13965, 'totalsocial': 13966, 'consumerconversations': 13967, 'scum': 13968, 'farther': 13969, 'refreshingly': 13970, 'bewell': 13971, 'smoother': 13972, 'fm': 13973, 'tomor': 13974, 'hannaford': 13975, '301': 13976, '324': 13977, '9500': 13978, '681': 13979, '9797': 13980, 'pgcounty': 13981, 'visualeyes': 13982, 'rebreathing': 13983, 'esterson': 13984, 'commented': 13985, 'backlogged': 13986, 'plead': 13987, 'maisano': 13988, 'tavern': 13989, 'samorning': 13990, 'sally': 13991, 'burdett': 13992, 'xoli': 13993, 'mngambi': 13994, 'diplomatic': 13995, 'dictate': 13996, 'condominium': 13997, 'attendee': 13998, 'jesuschrist': 13999, 'religiousfreedom': 14000, 'keepput': 14001, 'starwars': 14002, 'justkidding': 14003, 'lenin': 14004, 'nonetheless': 14005, 'leavenlaw': 14006, 'onassignment': 14007, 'slope': 14008, 'jumping': 14009, 'sane': 14010, 'fairytale': 14011, 'brownie': 14012, '531': 14013, '5209': 14014, 'clientele': 14015, 'utmost': 14016, 'insult': 14017, 'injury': 14018, 'minder': 14019, 'await': 14020, 'fate': 14021, 'postcovid19': 14022, 'staythefuckhome': 14023, 'cult': 14024, 'cinephile': 14025, 'geo': 14026, 'annihilates': 14027, 'saraimrieart': 14028, 'artoftheday': 14029, 'artseries': 14030, 'toiletpaperart': 14031, 'kitchener': 14032, 'loonie': 14033, 'newswatch': 14034, 'indulges': 14035, 'macrobond': 14036, 'appetite': 14037, 'bombing': 14038, 'syria': 14039, 'pentagon': 14040, 'recourse': 14041, 'tracing': 14042, 'spider': 14043, 'roach': 14044, 'prominent': 14045, 'lappet': 14046, 'beak': 14047, 'seetheworld': 14048, 'kilimanjaro': 14049, 'safari': 14050, 'pam': 14051, 'farrare': 14052, 'wilmore': 14053, 'embraceyourcommunity': 14054, 'lecturer': 14055, 'ontpoli': 14056, '4h': 14057, 'agfunder': 14058, 'declares': 14059, 'chelsea': 14060, '80k': 14061, 'beetroot': 14062, 'getagripbritishpeople': 14063, 'masque': 14064, 'arrivent': 14065, 'dessindepresse': 14066, 'pour': 14067, 'sur': 14068, 'histoire': 14069, 'une': 14070, 'nurie': 14071, 'racont': 14072, 'ici': 14073, 'glanced': 14074, 'copy': 14075, 'meaningfully': 14076, 'haha': 14077, 'staycation': 14078, 'vince': 14079, 'troyjohnson': 14080, 'feedingsandiego': 14081, 'sandiegostrong': 14082, 'digitatmarketing': 14083, 'webdevelopment': 14084, 'glasgow': 14085, 'pondering': 14086, 'friction': 14087, 'fraudprevention': 14088, 'procuring': 14089, 'minimizing': 14090, 'goodness': 14091, 'survived': 14092, 'herdmentality': 14093, 'relaxpeople': 14094, 'thisisamerica': 14095, 'whyworry': 14096, 'freakingout': 14097, 'lovenotfear': 14098, 'redtree': 14099, 'gallery': 14100, 'sterilization': 14101, 'crosby': 14102, 'compounding': 14103, 'columbus': 14104, 'mof': 14105, 'hefty': 14106, 'mahn': 14107, 'imagery': 14108, 'baffling': 14109, 'devastate': 14110, 'lfc75': 14111, 'ultralow': 14112, 'lend': 14113, 'condemned': 14114, 'g2': 14115, 'exploding': 14116, 'movementcontrolorder': 14117, 'sustainable': 14118, 'strengthens': 14119, 'forexsignals': 14120, 'forextrader': 14121, 'preying': 14122, 'apparel': 14123, 'hid': 14124, 'spoon': 14125, 'donnie': 14126, 'patchogue': 14127, 'kullen': 14128, 'raid': 14129, 'flea': 14130, 'tick': 14131, 'paperproducts': 14132, 'experiment': 14133, '973': 14134, '504': 14135, '6240': 14136, 'njcoronavirus': 14137, 'spouse': 14138, 'bender': 14139, 'addressing': 14140, 'rutte': 14141, 'rapporteur': 14142, 'spexperts': 14143, 'csr': 14144, 'fantasized': 14145, 'consumergoods': 14146, 'carphone': 14147, 'retailapocalypse': 14148, 'superstar': 14149, 'mankind': 14150, 'prudential': 14151, 'magnanimous': 14152, 'utakaa': 14153, 'kwa': 14154, 'nyumba': 14155, 'ukule': 14156, 'nini': 14157, 'riverfront': 14158, 'cody': 14159, 'pfister': 14160, 'missouri': 14161, 'terrorist': 14162, 'patriotic': 14163, 'merciless': 14164, 'disconnected': 14165, 'commuter': 14166, 'belt': 14167, '599': 14168, 'egypt': 14169, 'senegal': 14170, 'tunisia': 14171, 'burkina': 14172, 'faso': 14173, 'decently': 14174, 'band': 14175, 'lombardia': 14176, 'distantimauniti': 14177, 'europa': 14178, 'resilienza': 14179, 'staystrong': 14180, 'cardholder': 14181, 'understands': 14182, 'aetna': 14183, 'marketing101': 14184, 'customerjourney': 14185, 'capitalize': 14186, 'aired': 14187, 'hospitalized': 14188, 'telecommuting': 14189, 'grandad': 14190, '11pm': 14191, 'skillful': 14192, 'imagination': 14193, 'edward': 14194, 'hopper': 14195, 'supportyourlocals': 14196, 'conceptstore': 14197, 'restart': 14198, 'newconcept': 14199, 'conserved': 14200, 'nygobernador': 14201, 'uofchicago': 14202, 'creatives': 14203, 'ang': 14204, 'lu': 14205, 'bora': 14206, 'grooming': 14207, 'barber': 14208, 'waxing': 14209, 'mani': 14210, 'pedi': 14211, 'aesthetic': 14212, 'derma': 14213, 'kbbq': 14214, 'buffet': 14215, 'inom': 14216, 'iba': 14217, 'parasitic': 14218, 'commoning': 14219, 'longest': 14220, 'vegancupboard': 14221, 'kev': 14222, 'describe': 14223, 'pap': 14224, 'caritasuganda': 14225, 'promoted': 14226, 'onlinegrocerybusiness': 14227, 'optimum': 14228, 'utilisation': 14229, 'roti': 14230, 'sabzi': 14231, 'daal': 14232, 'chawal': 14233, 'khaao': 14234, 'biting': 14235, 'underprivileged': 14236, 'imp': 14237, 'petbarn': 14238, 'bestfriends': 14239, 'furmum': 14240, 'furbaby': 14241, 'hanes': 14242, 'problematic': 14243, 'springmarket': 14244, 'striving': 14245, 'alexa': 14246, 'overview': 14247, 'ozon': 14248, 'bronchitis': 14249, 'saturated': 14250, 'coworkers': 14251, 'accident': 14252, 'attract': 14253, 'gigantic': 14254, 'primark': 14255, 'commercialization': 14256, 'caronavirus2020': 14257, 'healthyathome': 14258, 'lung': 14259, 'organ': 14260, 'component': 14261, 'vu': 14262, 'popped': 14263, 'notright': 14264, 'pymnts': 14265, 'coronadebat': 14266, 'masksforall': 14267, 'gobills': 14268, 'buffalonian': 14269, 'resistance': 14270, 'twd': 14271, 'superbug': 14272, 'fundraiser': 14273, 'mm': 14274, 'justsa': 14275, 'flex': 14276, 'bargaining': 14277, 'kyuu': 14278, 'aree': 14279, 'milta': 14280, 'rupaye': 14281, 'aapke': 14282, 'yahan': 14283, 'kyu': 14284, 'sucha': 14285, 'cutie': 14286, 'rashamidesai': 14287, 'payout': 14288, 'vikez': 14289, 'ronn': 14290, 'torossian': 14291, '5wpr': 14292, 'dara': 14293, 'busch': 14294, 'prowl': 14295, 'collateral': 14296, 'irresponsibility': 14297, 'flame': 14298, 'purely': 14299, 'hyperbole': 14300, 'athabasca': 14301, 'oilsands': 14302, 'dire': 14303, 'comprise': 14304, 'controversial': 14305, 'israeli': 14306, 'spyware': 14307, 'nso': 14308, 'edited': 14309, 'approx': 14310, 'mco': 14311, 'bbcyourquestions': 14312, 'wm': 14313, 'petrides': 14314, 'fiji': 14315, 'fijian': 14316, 'saulevu': 14317, 'jiko': 14318, 'kada': 14319, 'ga': 14320, 'kakana': 14321, 'viti': 14322, 'dou': 14323, 'qai': 14324, 'raica': 14325, 'kina': 14326, 'anarchy': 14327, 'crtitcal': 14328, 'ger': 14329, 'nl': 14330, 'vancouvercorona': 14331, 'canadalockdown': 14332, 'leveling': 14333, '018': 14334, '233': 14335, 'diseasecontrol': 14336, 'outage': 14337, 'writingcommunity': 14338, 'hugging': 14339, 'authorslife': 14340, 'scar': 14341, 'scab': 14342, 'growfearless': 14343, 'dewine': 14344, 'elitist': 14345, 'craic': 14346, 'arguement': 14347, '30mins': 14348, 'toast': 14349, 'actively': 14350, 'bible': 14351, 'loon': 14352, 'doin': 14353, 'tongue': 14354, 'slipping': 14355, 'medicating': 14356, '61': 14357, 'columbia': 14358, 'knowingly': 14359, 'cincinnati': 14360, 'duster': 14361, 'suffocation': 14362, 'overwhelmingly': 14363, 'myquarantineinsixwords': 14364, 'survivor40': 14365, 'bleach2020': 14366, 'youdrugstore': 14367, 'onlinepharmacy': 14368, 'canadianpharmacy': 14369, 'authorized': 14370, 'bourbon': 14371, 'frazzled': 14372, 'morrissons': 14373, 'hoc': 14374, 'compiling': 14375, 'proposes': 14376, 'averting': 14377, 'incorporating': 14378, 'antimalarial': 14379, '250mg': 14380, '500mg': 14381, 'slagging': 14382, 'keepyourlocalpubalive': 14383, 'pubsclosed': 14384, 'nallan': 14385, 'suresh': 14386, 'resonating': 14387, 'adivasi': 14388, 'saira': 14389, 'hooghly': 14390, 'fightcovid': 14391, 'compounded': 14392, 'phenomenon': 14393, 'brawling': 14394, 'vinegar': 14395, 'shoppingwars': 14396, 'privileged': 14397, 'stayh': 14398, 'shutthemdown': 14399, 'macys': 14400, 'entice': 14401, 'kindleunlimited': 14402, 'kindlebook': 14403, '24hr': 14404, '0200hrs': 14405, 'vividly': 14406, 'mpls': 14407, 'sleuth': 14408, 'chasing': 14409, 'jeweller': 14410, 'whereabouts': 14411, 'recd': 14412, 'overhears': 14413, 'po': 14414, 'excerise': 14415, 'claw': 14416, 'kmc': 14417, 'equality': 14418, 'rio': 14419, 'byron': 14420, 'devil': 14421, 'cctv': 14422, 'resisting': 14423, 'socialresponsibility': 14424, 'naturaldisaster': 14425, '1980s': 14426, 'gurgaon': 14427, 'basil': 14428, 'vacuum': 14429, 'abroad': 14430, 'nzpol': 14431, 'eroding': 14432, 'extinct': 14433, 'brokerage': 14434, 'lepage': 14435, 'experimenting': 14436, 'recording': 14437, 'vlog': 14438, 'upload': 14439, 'takeup': 14440, 'aswell': 14441, 'brace': 14442, 'suddenlyscaredofpeople': 14443, 'ghar': 14444, 'bihiv': 14445, 'te': 14446, 'nyabar': 14447, 'mah': 14448, 'neeriv': 14449, 'mumkinhaiyeh': 14450, 'bjp': 14451, 'risingprices': 14452, 'normality': 14453, 'fox5dc': 14454, 'damascusmd': 14455, 'delicious': 14456, 'norc': 14457, 'madtweets': 14458, 'reviewed': 14459, 'crushed': 14460, 'fnv': 14461, 'sbsw': 14462, 'kgc': 14463, 'btg': 14464, 'auy': 14465, 'drd': 14466, 'depository': 14467, 'chicagoland': 14468, 'ifrs': 14469, 'bothered': 14470, 'originally': 14471, 'grandpa': 14472, 'takecareofeachother': 14473, 'matty': 14474, 'stanton': 14475, 'foodwaste': 14476, 'reducewaste': 14477, 'homequarantine': 14478, 'cleanlife': 14479, 'cleancity': 14480, 'cleanworld': 14481, 'po3': 14482, 'align': 14483, 'releasing': 14484, 'owning': 14485, 'piano': 14486, 'drum': 14487, 'studio': 14488, 'tumultuous': 14489, 'rocketing': 14490, 'essary': 14491, 'farmed': 14492, 'salmon': 14493, 'shrimp': 14494, 'iu49tbeund': 14495, '2months': 14496, 'biko': 14497, 'pooh': 14498, 'cornfed': 14499, 'peru': 14500, 'dejected': 14501, 'cornfedinperu': 14502, 'news204': 14503, 'tucson': 14504, 'coveryourface': 14505, 'sewage': 14506, 'hsr': 14507, 'horrific': 14508, 'grandesynthe': 14509, 'vigilante': 14510, 'lincoln': 14511, 'axiety': 14512, 'coronaquarantine': 14513, 'missyoudad': 14514, 'dontrunoutoftoiletpaper': 14515, 'dontneedatherapist': 14516, 'digiscrapthat': 14517, 'judgement': 14518, 'iamdjblaque': 14519, 'iamlegend': 14520, 'mdoc': 14521, 'horhn': 14522, 'ms65': 14523, 'prisoner': 14524, 'inhuman': 14525, 'kw': 14526, 'ality': 14527, 'amplifier': 14528, 'msleg': 14529, 'finalize': 14530, '2123': 14531, 'donators': 14532, 'native': 14533, 'chickasaw': 14534, 'hardman': 14535, 'goodfriday': 14536, 'easterweekend': 14537, 'mobie': 14538, 'genie': 14539, 'folding': 14540, '2299': 14541, '2699': 14542, 'rizk': 14543, 'zouzou': 14544, 'shakib': 14545, '1946': 14546, 'dir': 14547, 'hassan': 14548, 'imam': 14549, 'samir': 14550, 'farid': 14551, 'archive': 14552, 'brookside': 14553, '1litre': 14554, 'maize': 14555, 'conned': 14556, 'stopwastingtests': 14557, 'testgrocerystoreworkers': 14558, 'fifth': 14559, 'sumer': 14560, 'previous': 14561, 'hemisphere': 14562, 'coastal': 14563, 'holidaymaker': 14564, 'victorian': 14565, 'foodhall': 14566, 'stayingopen': 14567, 'stayingassafeaswecan': 14568, 'shapiro': 14569, 'coalition': 14570, 'angie': 14571, 'kim': 14572, 'volunteered': 14573, 'humiliation': 14574, 'enduring': 14575, '2metres': 14576, 'nobogroll': 14577, 'coughonmeandillnutya': 14578, 'mtr': 14579, 'davy': 14580, 'dearcustomer': 14581, 'sightx': 14582, 'automatingcuriosity': 14583, 'shedding': 14584, 'core': 14585, 'takingmore': 14586, 'mobilising': 14587, 'retrain': 14588, 'mentioning': 14589, 'petchemindustry': 14590, 'oilcrash': 14591, 'tenner': 14592, 'apiece': 14593, 'distanced': 14594, 'sneaky': 14595, 'addition': 14596, 'senatecorruption': 14597, 'binning': 14598, 'snatching': 14599, 'gird': 14600, 'coronawuhanvirus': 14601, 'afar': 14602, 'geography': 14603, 'dermatitis': 14604, 'amwalalghaden': 14605, 'octane': 14606, 'und': 14607, 'mimbling': 14608, 'lark': 14609, 'bloke': 14610, 'labeled': 14611, 'deficiency': 14612, 'daw': 14613, 'auang': 14614, 'suu': 14615, 'kyi': 14616, 'smearing': 14617, 'infectiousdisease': 14618, 'installation': 14619, 'trackingworld': 14620, 'navigation': 14621, 'feminine': 14622, 'vaunrable': 14623, 'generalinsurance': 14624, 'spurt': 14625, 'fax': 14626, 'courier': 14627, 'instituting': 14628, 'rajendras': 14629, 'namaka': 14630, 'jam': 14631, 'midway': 14632, 'brjl203': 14633, 'brjl309': 14634, 'dodgemojo': 14635, 'dispelling': 14636, 'drugstore': 14637, 'hydroxide': 14638, 'essentialoils': 14639, 'stayinghealthy': 14640, 'nstworld': 14641, 'successfully': 14642, 'concludes': 14643, 'kungfu': 14644, 'photooftheday': 14645, 'photographyeveryday': 14646, 'massacre': 14647, 'improvise': 14648, 'practically': 14649, 'shunned': 14650, 'digitalpayment': 14651, 'creditcard': 14652, 'debitcard': 14653, 'financialservices': 14654, 'dribble': 14655, 'warmup': 14656, '028': 14657, 'dribbleweeklywarmup': 14658, 'luke': 14659, 'tilley': 14660, 'wilmington': 14661, 'ninja': 14662, 'keepyourdistance': 14663, 'slim': 14664, 'amused': 14665, 'dislike': 14666, 'macaroni': 14667, 'hay': 14668, 'comida': 14669, 'casa': 14670, 'tyson': 14671, 'cwt': 14672, '94': 14673, 'grid': 14674, 'acityunited': 14675, 'counterbalance': 14676, 'digitalizes': 14677, 'izberg': 14678, 'tencent': 14679, 'e3': 14680, 'momar': 14681, 'fci': 14682, 'dracula': 14683, 'countdracula': 14684, 'loveatfirstbite': 14685, 'mktgsales': 14686, 'beside': 14687, 'outlining': 14688, 'onlineclasses': 14689, 'quarantinecats': 14690, 'totallockdown': 14691, 'assignment': 14692, 'labreports': 14693, 'annotated': 14694, 'bibliography': 14695, 'venmo': 14696, 'conquer': 14697, 'touring': 14698, 'retailstong': 14699, 'blacked': 14700, 'hemsworth': 14701, 'harlow': 14702, 'homedelivery': 14703, 'bindu': 14704, 'mayi': 14705, 'expertise': 14706, 'takitaki': 14707, 'chronically': 14708, 'honored': 14709, 'sule': 14710, 'chsl': 14711, 'interlocutor': 14712, 'nicole': 14713, 'newborn': 14714, 'describes': 14715, 'mie': 14716, 'hiatus': 14717, 'googletranslate': 14718, 'digestive': 14719, 'grotesque': 14720, 'disgustingly': 14721, 'egregious': 14722, 'representation': 14723, 'inequity': 14724, 'kirkham': 14725, 'bongkhao': 14726, 'duda': 14727, 'lakh': 14728, 'tobu': 14729, 'downloads': 14730, 'surpassing': 14731, 'malawi': 14732, 'mutharika': 14733, 'andhra': 14734, 'reverse': 14735, 'visuals': 14736, 'pict': 14737, 'tinto': 14738, 'kaplan': 14739, 'federalreserve': 14740, 'richest': 14741, 'manpower': 14742, 'hema': 14743, 'theoldman': 14744, 'destined': 14745, 'letsgetafterit': 14746, 'cuomoprimetime': 14747, 'amc': 14748, 'syfy': 14749, 'logo': 14750, 'su': 14751, 'staygreetingstayathome': 14752, 'sdw': 14753, 'stagedancewearuk': 14754, 'stagedancewearonline': 14755, 'keepdancing': 14756, 'gorman': 14757, 'creatively': 14758, 'dailyfx': 14759, 'starch': 14760, 'marchmadness': 14761, 'fridayvibes': 14762, 'torkham': 14763, 'chaman': 14764, 'dawood': 14765, 'vegetarianrecipes': 14766, 'tofurkey': 14767, 'tillys': 14768, 'loyal': 14769, 'mohr': 14770, 'cascade': 14771, 'loorollgate': 14772, 'placard': 14773, 'downloading': 14774, 'teamukcbcdubai': 14775, 'mydubai': 14776, '2020undefeated': 14777, 'revivetheeconomy': 14778, 'helptheearth': 14779, 'precarious': 14780, 'quail': 14781, 'newnormalisveryposh': 14782, 'leaking': 14783, 'se': 14784, 'spied': 14785, 'reaffirm': 14786, 'kotler': 14787, 'joemandese': 14788, 'meera': 14789, 'poly': 14790, 'qatarnews': 14791, 'overheard': 14792, 'stubbornaf': 14793, 'safea': 14794, 'cooky': 14795, 'celebs': 14796, 'holed': 14797, 'advert': 14798, 'bow': 14799, 'syaysafe': 14800, 'indialockdown': 14801, 'kandlasagarmala': 14802, 'kandla': 14803, 'tranship': 14804, 'cargostevedores': 14805, 'shorehandling': 14806, 'containerhandling': 14807, 'totallogistics': 14808, 'gandhidham': 14809, 'goko': 14810, 'gust': 14811, 'lastone': 14812, '59pm': 14813, 'borough': 14814, 'greenwich': 14815, 'plumstead': 14816, 'se18': 14817, 'subbed': 14818, 'elastic': 14819, 'sewing': 14820, 'janky': 14821, 'stitching': 14822, 'abating': 14823, 'unclear': 14824, 'erstwhile': 14825, 'reiwa': 14826, 'cdt': 14827, 'meadia': 14828, 'fuckthemedia': 14829, 'fucknews': 14830, 'freakin': 14831, 'coronatimes': 14832, 'spreadjoy': 14833, '16mar20': 14834, 'reasor': 14835, 'profitting': 14836, 'angela': 14837, 'vanquish': 14838, 'darkness': 14839, 'unites': 14840, 'candle': 14841, 'diya': 14842, '9minutes': 14843, 'lightacandle': 14844, 'hopemed': 14845, 'hurray': 14846, 'lifebuoy': 14847, 'jai': 14848, 'hind': 14849, 'eurozone': 14850, 'clap': 14851, 'posties': 14852, 'binmen': 14853, 'sweeper': 14854, 'clapforall': 14855, 'bhagwantumhesadhbudhide': 14856, 'coronaindia': 14857, 'coronainindia': 14858, 'hungrier': 14859, 'loosened': 14860, 'toiletpanicpanic': 14861, 'nephron': 14862, 'makoya': 14863, 'mian': 14864, 'chol': 14865, 'recommending': 14866, 'despised': 14867, 'jieng': 14868, 'ssot': 14869, 'ei': 14870, 'pmmodi': 14871, 'pmoindia': 14872, 'amsterdam': 14873, 'txlege': 14874, 'flew': 14875, 'homeschoolbandandtunes': 14876, 'governorandrewcuomo': 14877, 'funniesttweets': 14878, 'funniest': 14879, 'ttxs': 14880, 'modelling': 14881, 'anticipatory': 14882, 'snakepark': 14883, 'doornkop': 14884, 'ensured': 14885, 'gogglebox': 14886, 'gilbey': 14887, 'revamping': 14888, 'mistake': 14889, 'iwaya': 14890, 'slum': 14891, 'chatted': 14892, 'monies': 14893, 'looted': 14894, 'intensifies': 14895, 'scarsdale': 14896, 'largo': 14897, 'lingo': 14898, 'empathizes': 14899, 'periodically': 14900, 'egift': 14901, 'smash': 14902, 'depending': 14903, 'transmitting': 14904, 'crud': 14905, 'endured': 14906, 'persian': 14907, 'protester': 14908, 'reunited': 14909, 'tony': 14910, 'stark': 14911, 'endgame': 14912, 'nhscovidheroes': 14913, 'fortheworld': 14914, 'cyberscout': 14915, 'schoolchildren': 14916, 'datasecurity': 14917, 'anubis': 14918, 'bushcraft': 14919, 'howtospendyourstimulus': 14920, 'extraordinary': 14921, 'backwards': 14922, 'businesstravel': 14923, 'upi': 14924, 'appropriate': 14925, 'postponing': 14926, 'faves': 14927, 'lota': 14928, 'killer': 14929, 'pinto': 14930, 'reckoning': 14931, 'ahmed': 14932, 'mukhaini': 14933, 'shalelaw': 14934, 'hotlink': 14935, 'deepens': 14936, 'widening': 14937, 'purrell': 14938, 'overhyping': 14939, 'manner': 14940, 'priti': 14941, 'roadblock': 14942, 'protectthenhs': 14943, 'trivial': 14944, 'penultimate': 14945, 'whereupon': 14946, 'cordonedbycorona': 14947, 'staring': 14948, 'nocturne': 14949, 'shinmegamitensei': 14950, 'lifting': 14951, 'paidsickleave': 14952, 'escalating': 14953, 'powerless': 14954, 'heed': 14955, 'frame': 14956, 'conveying': 14957, 'oye': 14958, 'ekiti': 14959, 'ibadan': 14960, 'avert': 14961, 'inadan': 14962, '50am': 14963, 'savagexbunni': 14964, 'veganrecipes': 14965, 'cookinginquarantine': 14966, 'garri': 14967, 'effurun': 14968, 'regulating': 14969, 'honge': 14970, 'kamiyab': 14971, 'contestalert': 14972, 'propose': 14973, 'supermarketshuffle': 14974, 'strictlycomeshopping': 14975, 'nauseating': 14976, 'pandemicprofiteering': 14977, 'improved': 14978, 'underwriting': 14979, 'hauled': 14980, 'disadvantage': 14981, 'disparity': 14982, 'avoidance': 14983, 'rendered': 14984, 'aap': 14985, 'scholarly': 14986, '5kg': 14987, '4800': 14988, 'giver': 14989, 'beautifully': 14990, 'tribalism': 14991, 'circulate': 14992, 'bastion': 14993, '2good2btrue': 14994, 'cyberstronghold': 14995, 'loui': 14996, 'selsey': 14997, 'clapped': 14998, 'cuppa': 14999, 'oatmilk': 15000, 'vineyard': 15001, 'leaning': 15002, 'predatory': 15003, 'heaping': 15004, 'bht': 15005, 'diversity': 15006, '568': 15007, '089': 15008, '238': 15009, 'smp': 15010, 'balancing': 15011, 'gibbs48': 15012, 'impotus45': 15013, 'deceive': 15014, 'traumatic': 15015, 'techinally': 15016, 'excluded': 15017, 'pkgs': 15018, 'classifie': 15019, 'drew': 15020, 'deleted': 15021, 'optic': 15022, 'audit': 15023, 'unwelcome': 15024, 'selecting': 15025, 'extract': 15026, 'desired': 15027, 'moab': 15028, 'boarded': 15029, 'steadthread': 15030, 'kallang': 15031, 'ntuc': 15032, 'yoday': 15033, 'socialdistancingfailz': 15034, 'harare': 15035, '2ply': 15036, 'surgicalmask': 15037, 'consultation': 15038, 'underestimated': 15039, 'invented': 15040, 'blossom': 15041, 'cashappfriday': 15042, 'cashtag': 15043, 'telecommute': 15044, 'remotework': 15045, 'healthinsurance': 15046, 'politicaleconomy': 15047, 'medicareforall': 15048, 'bullshitjobs': 15049, 'farmar': 15050, 'ironic': 15051, 'generationz': 15052, 'thedumbestgeneration': 15053, 'theevilgeneration': 15054, 'esteemed': 15055, 'ethiopianairlines': 15056, 'q3': 15057, 'normalization': 15058, 'allocated': 15059, 'smashing': 15060, 'bowtie': 15061, 'goingout': 15062, 'eradicated': 15063, 'babawiin': 15064, 'nagasto': 15065, 'noong': 15066, 'fapri': 15067, 'univ': 15068, 'pfnews': 15069, 'nginews': 15070, 'withering': 15071, 'weaver': 15072, 'floridian': 15073, 'colonial': 15074, 'opportunist': 15075, 'decor': 15076, 'deadline': 15077, 'sep': 15078, 'supportindies': 15079, 'indiebookstores': 15080, 'pressbriefing': 15081, 'snapchat': 15082, 'installs': 15083, 'snapchatads': 15084, 'socialmediaads': 15085, 'idtheft': 15086, 'fpm2020': 15087, 'hampering': 15088, 'speculation': 15089, 'punted': 15090, 'leant': 15091, 'macabre': 15092, 'specialise': 15093, 'vacant': 15094, 'anetafelix': 15095, 'superlative': 15096, 'compassionate': 15097, 'yourcustomerssaythankyou': 15098, 'fluidity': 15099, 'nylag': 15100, 'undocumented': 15101, 'reveal': 15102, 'puraphy': 15103, 'hempoil': 15104, 'deliverydriver': 15105, 'hatfield': 15106, 'hertfordshire': 15107, 'transnsformed': 15108, 'understood': 15109, 'becki': 15110, 'batter': 15111, 'loading': 15112, 'foodstores': 15113, 'hvac': 15114, 'mcdonalds': 15115, 'r30': 15116, 'ubereats': 15117, 'bigmacza': 15118, 'reigned': 15119, 'leger': 15120, 'lg2': 15121, 'unveiling': 15122, 'bumbling': 15123, 'string': 15124, '16pm': 15125, 'bourgeois': 15126, 'inconvenienced': 15127, 'ea': 15128, 'radar': 15129, 'recurring': 15130, 'dontwanttostarve': 15131, 'diligently': 15132, 'afbf': 15133, 'americanfarmbureau': 15134, 'vodaf': 15135, 'aberdeen': 15136, 'pianist': 15137, 'barcelona': 15138, 'balcony': 15139, 'saxophonist': 15140, 'neighboring': 15141, 'powell': 15142, 'mishandling': 15143, 'pamdemic': 15144, 'null': 15145, 'mandms': 15146, 'candybar': 15147, 'iphonepic': 15148, 'sawtelle': 15149, 'contrast': 15150, 'goodbadugly': 15151, 'gsma': 15152, 'deglobalization': 15153, 'falloff': 15154, 'staub': 15155, 'theater': 15156, 'moreso': 15157, 'premiering': 15158, 'cosgrove': 15159, 'uproar': 15160, 'lo': 15161, '24h': 15162, 'malamjumat': 15163, 'sondurum': 15164, 'gntm': 15165, 'shopeeth': 15166, 'kiev': 15167, 'everyo': 15168, 'thriller': 15169, 'f2f': 15170, 'assc': 15171, 'marching': 15172, 'mete': 15173, 'shithole': 15174, 'iso': 15175, 'day8oflockdown': 15176, 'tauler': 15177, 'llp': 15178, 'ionic': 15179, 'herbal': 15180, 'eucalyptus': 15181, 'hocked': 15182, 'futuristic': 15183, 'irrelevant': 15184, 'hinge': 15185, 'hazemat': 15186, 'fullmoon': 15187, 'rona': 15188, 'pandemicin5words': 15189, 'strongertogether': 15190, 'oc': 15191, 'bellends': 15192, 'runny': 15193, 'busier': 15194, 'sablaka': 15195, 'vinita': 15196, 'admittedly': 15197, 'tampa': 15198, '635': 15199, 'counterfeiter': 15200, 'ig1': 15201, '265': 15202, 'bats99': 15203, 'supp': 15204, 'cndns': 15205, 'cerealismyeverything': 15206, 'privateer': 15207, 'predator': 15208, 'analytica': 15209, 'intimate': 15210, 'heather': 15211, 'mallick': 15212, 'qataren': 15213, 'occupant': 15214, 'kenttonight': 15215, 'kentsays': 15216, 'auspost': 15217, 'shoplocalraleigh': 15218, 'raleigh': 15219, 'peta': 15220, 'stomach': 15221, 'burglary': 15222, 'ukbidscv19': 15223, 'idiom': 15224, 'hamsterk': 15225, 'ufe': 15226, 'blackmonday': 15227, 'hyperpoland': 15228, 'coronvirusireland': 15229, 'neptune': 15230, 'laidlaw': 15231, 'oklahoman': 15232, 'administer': 15233, 'shrtage': 15234, 'fibre2fashion': 15235, 'steeply': 15236, 'furnace': 15237, 'resuming': 15238, 'utilization': 15239, 'dampen': 15240, 'notallheroeswearcapes': 15241, 'dirkvandenbroek': 15242, 'vakkenvuller': 15243, 'naar': 15244, 'huis': 15245, 'gestuurd': 15246, 'om': 15247, 'dragen': 15248, 'mondkapje': 15249, 'jongen': 15250, 'wilde': 15251, 'hij': 15252, 'puur': 15253, 'uit': 15254, 'veiligheid': 15255, 'eigen': 15256, 'gezondheid': 15257, 'niet': 15258, 'spel': 15259, 'zetten': 15260, 'triest': 15261, 'sukuk': 15262, 'curtailed': 15263, 'nephew': 15264, 'proliferation': 15265, 'workingthefrontlines': 15266, 'ornatejewels': 15267, 'jewellery': 15268, 'savoury': 15269, 'notion': 15270, 'hyperbolic': 15271, 'stockist': 15272, 'umkc': 15273, 'kc': 15274, 'essentialgoods': 15275, 'cowboy': 15276, 'youcantseeme': 15277, 'condone': 15278, 'whr': 15279, 'override': 15280, 'twitterchat': 15281, 'publicrelations': 15282, 'greenstimulus': 15283, 'defcon': 15284, 'grew': 15285, 'flushing': 15286, 'septic': 15287, 'biohazardous': 15288, 'receptacle': 15289, 'appalachian': 15290, 'kicked': 15291, 'andrex': 15292, '9pcs': 15293, 'contained': 15294, 'covin18': 15295, 'yest': 15296, '197': 15297, '4577': 15298, 'evacuee': 15299, 'waf': 15300, 'carting': 15301, 'comfortfood': 15302, 'sketchlife': 15303, 'pencil': 15304, 'sketchwork': 15305, 'sketchart': 15306, 'charcoaldrawing': 15307, 'graphite': 15308, 'sketchaday': 15309, 'sketchoftheday': 15310, 'notifies': 15311, 'dlx': 15312, 'tunaweza': 15313, 'uchumi': 15314, 'hasa': 15315, 'utalii': 15316, 'wnycosh': 15317, 'bridgend': 15318, '1950': 15319, 'crock': 15320, 'rohit': 15321, 'pawar': 15322, 'replicate': 15323, 'fixlethalloopholes': 15324, 'banishthebeastusa': 15325, 'womenofthesentry': 15326, 'chick': 15327, 'freiburg': 15328, 'piecemakers': 15329, 'quilting': 15330, 'shutoff': 15331, 'yearly': 15332, 'resonable': 15333, 'bestiptv': 15334, 'iptvdeals': 15335, 'hotmovies': 15336, 'iptvlinks': 15337, '18movies': 15338, 'belgian': 15339, 'solicitor': 15340, 'tar': 15341, 'secured': 15342, 'greenlight': 15343, 'laughlin': 15344, 'edmontonians': 15345, 'yegcc': 15346, 'yeg': 15347, 'mirza': 15348, 'schoolfee': 15349, 'hv': 15350, 'fulf': 15351, '12m': 15352, 'hostage': 15353, 'antitrust': 15354, 'imposes': 15355, 'nelson': 15356, 'avid': 15357, 'amateur': 15358, 'thisexplanation': 15359, 'flag': 15360, 'rollercoaster': 15361, 'sixflags': 15362, 'beatcorona': 15363, 'austintx': 15364, 'carlos': 15365, 'torelli': 15366, 'psychological': 15367, 'alerted': 15368, 'backwardshat': 15369, 'oakley': 15370, 'woof': 15371, 'alameda': 15372, 'specification': 15373, 'moisturizing': 15374, 'handmade': 15375, 'jeffbezos': 15376, 'payload': 15377, 'anecdotal': 15378, 'meatfree': 15379, 'dairyfree': 15380, 'ripoffbritain': 15381, 'wreaks': 15382, 'argh': 15383, 'brewed': 15384, 'granule': 15385, 'mug': 15386, 'caffeine': 15387, 'unitelive': 15388, 'steward': 15389, 'avg': 15390, 'sq': 15391, '182': 15392, '388': 15393, '622': 15394, 'lube': 15395, 'jk': 15396, 'stuffed': 15397, 'plush': 15398, 'teddy': 15399, 'pillow': 15400, 'candid': 15401, 'breach': 15402, 'maralago': 15403, 'sabotage': 15404, 'nk': 15405, 'retribution': 15406, 'xijingping': 15407, 'soleimani': 15408, 'cluster': 15409, 'petri': 15410, 'dish': 15411, 'hazardpay': 15412, 'cnbctv18market': 15413, 'delaying': 15414, 'bahn': 15415, 'lansing': 15416, 'msusocialscience': 15417, 'orr': 15418, 'nuisance': 15419, 'loudly': 15420, 'auspoi': 15421, 'crisiscommunications': 15422, 'fekking': 15423, 'creeping': 15424, 'supermarketbands': 15425, 'priceincrease': 15426, 'avery': 15427, 'khushabu': 15428, 'heatmap': 15429, 'jsc': 15430, '13th': 15431, 'semantics': 15432, 'kor': 15433, 'nalgonda': 15434, 'ranga': 15435, 'garu': 15436, 'donthikevegetableprices': 15437, 'grubhub': 15438, 'keda': 15439, 'ceramic': 15440, 'sunda': 15441, 'cedi': 15442, 'ghc': 15443, 'lrw': 15444, 'pov': 15445, 'assembled': 15446, 'enraging': 15447, 'panchetta': 15448, 'goosebump': 15449, 'lockdownaustralia': 15450, 'socio': 15451, 'implosion': 15452, 'hastened': 15453, 'shiite': 15454, 'kurdish': 15455, 'sunni': 15456, 'independence': 15457, 'pudding': 15458, 'creepy': 15459, 'embraced': 15460, 'portland': 15461, 'pdx': 15462, 'argentinian': 15463, 'ginning': 15464, 'igd': 15465, 'regoing': 15466, 'foaming': 15467, 'celebrating': 15468, 'fuelprice': 15469, 'gazettement': 15470, 'utah': 15471, 'bottled': 15472, 'closetheschoolsnow': 15473, 'brockless': 15474, 'timberdine': 15475, 'worcester': 15476, 'icky': 15477, 'amiright': 15478, 'idiotinchief': 15479, 'portacabin': 15480, 'mob': 15481, 'contentsquare': 15482, 'tractor': 15483, 'trailer': 15484, 'fortnum': 15485, 'mason': 15486, 'auburn': 15487, 'throat': 15488, 'incarcerated': 15489, 'dade': 15490, 'rigorous': 15491, 'azerbaijani': 15492, 'smuggle': 15493, 'married': 15494, 'azerbaijan': 15495, '48oz': 15496, '45uk': 15497, 'amok': 15498, 'murder': 15499, 'stayhomestaysafeugadi': 15500, 'eco': 15501, 'molina': 15502, 'partnered': 15503, 'nancychokeswhilepeoplegobroke': 15504, 'obstructing': 15505, 'shielding': 15506, '21kidsandcounting': 15507, 'channel4': 15508, 'abnormal': 15509, 'bfp': 15510, 'azure': 15511, 'striker': 15512, 'gunvolt': 15513, 'cullinane': 15514, 'caricature': 15515, 'southeast': 15516, 'fortlauderdale': 15517, 'westpalmbeach': 15518, 'delraybeachcaricatureartist': 15519, 'sterling': 15520, 'giftcaricatures': 15521, '561': 15522, '501': 15523, '8528': 15524, 'foodland': 15525, 'kamaainas': 15526, 'ukweli': 15527, 'mambo': 15528, 'rais': 15529, 'tujipange': 15530, 'ukweliwamambo': 15531, 'pix': 15532, 'd19': 15533, 'chit': 15534, 'gig': 15535, 'tangled': 15536, 'rapunzel': 15537, 'withholding': 15538, 'criminally': 15539, 'supposedly': 15540, 'cnp': 15541, 'kingston': 15542, 'chatham': 15543, 'brantford': 15544, 'teletown': 15545, 'onus': 15546, '5ofusathome': 15547, '402': 15548, 'namibia': 15549, 'naomi': 15550, 'broady': 15551, 'tennis': 15552, 'unfit': 15553, 'conducting': 15554, 'disinfection': 15555, 'maid': 15556, '69': 15557, '702': 15558, '2706': 15559, 'supersirvientas': 15560, 'anglo': 15561, 'saxon': 15562, 'dawnbilbrough': 15563, 'p7ft9ham7i': 15564, 'minishops': 15565, 'mpesa': 15566, 'whatsup': 15567, 'uhurumustgo': 15568, 'yvonne': 15569, 'alai': 15570, 'mbagathi': 15571, 'hat': 15572, 'knn': 15573, 'shelved': 15574, 'touristy': 15575, 'belongs': 15576, 'surrendered': 15577, 'folsom': 15578, 'cupcakedecorating': 15579, 'wireless': 15580, 'battered': 15581, 'sanctioned': 15582, 'revelation': 15583, 'onu': 15584, 'discriminate': 15585, 'handshake': 15586, 'fwaa': 15587, 'cohabitants': 15588, 'magic': 15589, 'magichour': 15590, 'beatboredom': 15591, 'familiar': 15592, 'bavis': 15593, '144': 15594, '1425': 15595, 'xijinping': 15596, 'ammex': 15597, 'boff': 15598, 'saddos': 15599, 'distinct': 15600, 'fraudalert': 15601, 'adminstration': 15602, 'reshape': 15603, 'kitted': 15604, 'stampeding': 15605, 'metrouk': 15606, 'indiavscorona': 15607, 'rightfully': 15608, 'presenter': 15609, 'sup': 15610, '5ft10': 15611, 'curly': 15612, 'pride': 15613, 'appearance': 15614, 'truckload': 15615, 'negate': 15616, 'paired': 15617, 'rake': 15618, 'objectionable': 15619, 'barrie': 15620, '3145169861': 15621, 'hussle': 15622, 'stephenschork': 15623, 'telegraphed': 15624, 'br': 15625, 'devote': 15626, 'subjective': 15627, 'krone': 15628, 'tabled': 15629, 'edm': 15630, '318': 15631, 'iremedy': 15632, 'alum': 15633, 'endowment': 15634, 'reasearch': 15635, 'informationagainstcovid': 15636, 'deglobalisation': 15637, 'coun': 15638, 'argued': 15639, 'unusual': 15640, 'yo': 15641, 'quest': 15642, 'hyperlink': 15643, 'translates': 15644, 'p1': 15645, 'biotech': 15646, 'wago': 15647, 'cycc': 15648, 'myeloid': 15649, 'leukemia': 15650, 'cyclacel': 15651, 'nov': 15652, 'admiration': 15653, 'singlehandedly': 15654, 'piss': 15655, 'djavad': 15656, 'salehi': 15657, 'isfahani': 15658, 'considers': 15659, 'assessed': 15660, 'windsor': 15661, 'essex': 15662, '5fm': 15663, '91': 15664, '9fm': 15665, 'unverified': 15666, 'pa14': 15667, 'notthatguy': 15668, 'demcast': 15669, 'mathaithai': 15670, 'cologne': 15671, 'scented': 15672, 'restroom': 15673, 'salem': 15674, 'socialdistancing2020': 15675, 'fightclub': 15676, 'footballer': 15677, 'gloved': 15678, 'caroffer': 15679, 'outintheworld': 15680, 'ellendegeneres': 15681, 'jimmyfallon': 15682, 'kellyclarksonshow': 15683, 'prospertx': 15684, 'dfw': 15685, 'metroplex': 15686, 'stampede': 15687, 'truedat': 15688, 'woodford': 15689, 'gvt': 15690, 'stophoard': 15691, 'coronatamilnadu': 15692, 'poitin': 15693, 'theindiansun': 15694, 'stopitplease': 15695, 'gmtv': 15696, 'gmb': 15697, 'improperly': 15698, 'logistic': 15699, 'tatter': 15700, 'perfumed': 15701, 'sparkle': 15702, 'sparklesanitizer': 15703, 'negotiating': 15704, 'sask': 15705, 'spirited': 15706, 'wit': 15707, 'kccaatwork': 15708, 'aceng': 15709, 'teampete': 15710, 'teampeteforever': 15711, 'rulesoftheroad': 15712, 'discipline': 15713, 'excellence': 15714, 'fractionalshares': 15715, 'checkitout': 15716, 'optionstrading': 15717, '1am': 15718, 'mondaymorning': 15719, 'mondaymotivaton': 15720, 'mondaymood': 15721, 'novacyt': 15722, 'ncyt': 15723, 'profited': 15724, 'disinformation': 15725, 'purse': 15726, 'chiang': 15727, 'mai': 15728, 'threadbare': 15729, 'pint': 15730, 'lai': 15731, 'mohammed': 15732, 'lacasadepapel4': 15733, 'yahoo': 15734, 'diversifying': 15735, 'back2back': 15736, '363': 15737, 'gmt': 15738, 'mitrade': 15739, 'pc': 15740, 'bloomberg': 15741, 'feeking': 15742, 'ingested': 15743, 'phosphate': 15744, 'q22': 15745, 'automatic': 15746, 'peeler': 15747, '0715783634': 15748, 'homedecor': 15749, 'kitchendecor': 15750, 'glammyhomekenya': 15751, 'zev': 15752, 'trumpedupvirus': 15753, 'minus': 15754, '6randonl': 15755, '219': 15756, '9739': 15757, 'pertaining': 15758, 'trumpcrash': 15759, 'trumptheworstpresidentever': 15760, 'cpacpatientzero': 15761, 'template': 15762, 'sharon': 15763, 'graham': 15764, 'outing': 15765, 'poetsandrhymers': 15766, 'bravo': 15767, 'coralsprings': 15768, 'jamm': 15769, 'truthabtchina': 15770, '09032144592': 15771, 'osibanjothesaver': 15772, 'asuustrike': 15773, 'coronacake': 15774, 'tpocolypse': 15775, 'milkman': 15776, 'ancestor': 15777, 'stillnooatmilk': 15778, 'romania': 15779, 'consistently': 15780, 'ranked': 15781, 'tighter': 15782, 'harrogate': 15783, 'tiresome': 15784, 'schoolclosures': 15785, 'prek': 15786, 'homeschool': 15787, 'freeresources': 15788, 'biodiesel': 15789, 'snag': 15790, 'vistek': 15791, 'committal': 15792, 'maestro': 15793, 'cherished': 15794, 'ethyl': 15795, 'pleasehelp': 15796, 'quarantinecompanions': 15797, 'dogsarelove': 15798, 'doglovers': 15799, 'helpthedogs': 15800, 'bdrr': 15801, 'dented': 15802, 'accomodate': 15803, 'pc19': 15804, 'washhands': 15805, 'av': 15806, 'stimulated': 15807, 'unexpectedly': 15808, 'krasselt': 15809, 'ramin': 15810, 'toloui': 15811, 'primeminister': 15812, 'getwellboris': 15813, 'prayforboris': 15814, 'doasyouretold': 15815, 'crunch': 15816, 'deploying': 15817, 'bmtc': 15818, 'surya': 15819, 'tub': 15820, 'undelivered': 15821, 'mister': 15822, 'cessation': 15823, 'sesame': 15824, 'paraguayan': 15825, 'fuckn': 15826, 'catp': 15827, 'corona19': 15828, 'adobeexpcloud': 15829, 'ham': 15830, 'stubbornly': 15831, 'wallpaper': 15832, 'paste': 15833, 'taker': 15834, 'faithoverfear': 15835, 'loveistheanswer': 15836, 'prayerforapandemic': 15837, 'whatthefuck': 15838, 'dotard': 15839, 'misguided': 15840, 'pleb': 15841, 'pricechopper': 15842, 'market32': 15843, 'takingcareofmyparents': 15844, 'dro': 15845, 'q4withbq': 15846, 'iloveqatar': 15847, 'dohanews': 15848, 'fourth': 15849, 'housebound': 15850, 'noah': 15851, 'printable': 15852, 'chiswick': 15853, 'stretch': 15854, 'cedar': 15855, 'chrest': 15856, 'allentown': 15857, 'notch': 15858, 'spotless': 15859, 'splash': 15860, 'lehighvalley': 15861, 'mygovindia': 15862, 'freaky': 15863, 'insan': 15864, 'artmeme': 15865, 'supplychainmanagement': 15866, 'manufacturingcapability': 15867, 'scm': 15868, 'wirh': 15869, 'rs500': 15870, 'shd': 15871, 'creditworthiness': 15872, 'dinged': 15873, 'iaconelli': 15874, 'authored': 15875, 'govern': 15876, 'prototype': 15877, 'handful': 15878, 'obv': 15879, 'nowheretogo': 15880, 'pjs': 15881, 'robe': 15882, 'script': 15883, 'slumping': 15884, 'screwing': 15885, 'motorhome': 15886, 'pei': 15887, 'hottest': 15888, 'thorn': 15889, 'lauder': 15890, 'walkin': 15891, 'embargo': 15892, 'fakenewsmedia': 15893, 'tiger': 15894, 'dismisses': 15895, 'bump': 15896, 'authorian': 15897, 'etimeslifestyle': 15898, 'incomplete': 15899, 'notsick': 15900, 'ifucan': 15901, 'giveaway': 15902, 'andchanged': 15903, 'checkin': 15904, 'jefferson': 15905, 'commended': 15906, 'restuarant': 15907, 'blding': 15908, 'sanitiation': 15909, 'inspiration': 15910, 'cycleways': 15911, 'fairer': 15912, 'niniolafantasyvideo': 15913, 'sibling': 15914, '850': 15915, 'eighth': 15916, 'ravenous': 15917, 'cautioning': 15918, 'cairandale': 15919, 'legacy': 15920, 'disruptors': 15921, 'luxuryconnect': 15922, 'luxurycruxx': 15923, 'readily': 15924, 'travelinn': 15925, 'clove': 15926, 'keyfoods': 15927, 'barry': 15928, 'pleasantly': 15929, 'abusive': 15930, 'supportworkers': 15931, 'tuesdaymotivation': 15932, 'swpp2nyu': 15933, 'essence': 15934, 'retrogress': 15935, 'comatose': 15936, 'gawked': 15937, 'rodriguez': 15938, 'kismenti': 15939, 'coz': 15940, 'garcia': 15941, 'katalonski': 15942, 'biha': 15943, 'jak': 15944, 'thegame': 15945, 'openborders': 15946, 'mijatovic': 15947, 'surfacing': 15948, 'droplet': 15949, 'linger': 15950, 'transmittable': 15951, 'socializing': 15952, 'dusting': 15953, 'tranny': 15954, 'readiness': 15955, 'backtobasics': 15956, 'correspondent': 15957, 'edmonton': 15958, 'bookstore': 15959, 'forging': 15960, 'incidental': 15961, 'screenshot': 15962, 'gristle': 15963, 'arwady': 15964, 'clapping': 15965, 'ranking': 15966, 'asexuals': 15967, 'homeschoolers': 15968, 'butterfly': 15969, 'prostitute': 15970, 'pastor': 15971, 'holster': 15972, 'trumperzombieapocalypse': 15973, 'capitalizing': 15974, 'opposed': 15975, 'shipper': 15976, 'bochenek': 15977, 'contributor': 15978, 'cup': 15979, 'stimulate': 15980, 'gaither': 15981, 'subscriber': 15982, 'daera': 15983, 'farmgate': 15984, 'touchless': 15985, 'brewbird': 15986, 'freshly': 15987, 'baylegal': 15988, 'repossession': 15989, 'communicate': 15990, 'latamadvisor': 15991, 'dialogue': 15992, 'lifeguard': 15993, 'nourished': 15994, 'fairweather': 15995, 'brewing': 15996, 'gerbil': 15997, 'wrapping': 15998, 'mtrs': 15999, '2103252168': 16000, 'uba': 16001, 'ngwoke': 16002, 'ifeanyi': 16003, 'retrenched': 16004, 'commenting': 16005, 'winsight': 16006, 'automobile': 16007, 'jon': 16008, '9420': 16009, 'sw': 16010, 'tutorial': 16011, 'shopifycrowd': 16012, 'nightingale': 16013, 'tee': 16014, 'mooted': 16015, 'middlehaven': 16016, 'teesside': 16017, 'thisisnotadrill': 16018, 'pearlessence': 16019, 'foto': 16020, 'nella': 16021, 'storia': 16022, 'filum': 16023, 'ordinata': 16024, 'che': 16025, 'ci': 16026, 'reso': 16027, 'cinesi': 16028, 'shitpost': 16029, 'poker': 16030, 'biganimetiddies': 16031, 'ponrhub': 16032, 'wanking': 16033, 'halloween': 16034, 'redistribution': 16035, 'redistribute': 16036, 'tonne': 16037, 'jacobreesmogg': 16038, 'abortion': 16039, 'religious': 16040, 'utilizing': 16041, 'libya': 16042, 'determine': 16043, 'cavalier': 16044, 'stepup': 16045, 'spectacularly': 16046, 'churchill': 16047, 'part1': 16048, 'dalby': 16049, 'labelled': 16050, 'scandal': 16051, 'sweepstakes': 16052, 'day17oflockdown': 16053, 'lockdownmzansi': 16054, 'pterodactyl': 16055, 'coronauk': 16056, 'superficial': 16057, 'reconsider': 16058, 'consumerinsight': 16059, 'cafecreme': 16060, 'chocolatedrink': 16061, 'kuka': 16062, 'navimumbai': 16063, 'woven': 16064, 'mahdi': 16065, '1h30': 16066, 'occasional': 16067, 'nap': 16068, 'klang': 16069, 'guessed': 16070, 'theofficenbc': 16071, 'angelamartin': 16072, 'slight': 16073, 'indefensible': 16074, 'worldhappinessday': 16075, 'fajita': 16076, 'peg': 16077, 'jihad': 16078, 'azour': 16079, 'grinding': 16080, 'beautyandthebeast': 16081, 'belle': 16082, 'westwing': 16083, 'disneyclassic': 16084, 'touchpoints': 16085, 'qell': 16086, 'rear': 16087, 'posterior': 16088, 'frail': 16089, 'onl': 16090, 'strensall': 16091, '40p': 16092, '90p': 16093, 'unsure': 16094, 'stonely': 16095, 'generationgame': 16096, 'contestant': 16097, 'conveyor': 16098, 'whencoronavirusisover': 16099, 'panicshop': 16100, 'wherestheprizes': 16101, 'lehman': 16102, 'appl': 16103, '08': 16104, 'intc': 16105, 'msft': 16106, 'jnj': 16107, 'actionable': 16108, 'healthandsafety': 16109, 'mainin': 16110, 'burland': 16111, 'clever': 16112, 'jamie': 16113, 'keepcookingcarryon': 16114, 'flig': 16115, 'coronaquarantinechronicles': 16116, '80sbaby': 16117, 'considerable': 16118, 'reiterates': 16119, 'combatting': 16120, 'employing': 16121, 'pacific': 16122, 'seegene': 16123, 'tripled': 16124, 'celtrion': 16125, 'chugai': 16126, 'csl': 16127, 'ffm': 16128, 'nopanic': 16129, '3500': 16130, 'redeem': 16131, 'polarizers': 16132, 'rod': 16133, 'sims': 16134, 'rational': 16135, 'justifiable': 16136, 'groundbreaking': 16137, 'glastonbury': 16138, 'queus': 16139, 'firends': 16140, 'incense': 16141, 'pokeball': 16142, 'pokemongo': 16143, 'moreballsplease': 16144, 'trendies': 16145, 'megachurch': 16146, 'refiner': 16147, 'osp': 16148, 'castelvolturno': 16149, 'nonconventional': 16150, 'utahns': 16151, 'hyvee': 16152, 'obtaining': 16153, 'imperative': 16154, 'uprising': 16155, 'coordinator': 16156, '866': 16157, '446': 16158, '9055': 16159, 'aunt': 16160, 'interviewing': 16161, 'u6ptbqeqdr': 16162, 'blogalert': 16163, 'wildfire': 16164, 'definite': 16165, 'torros': 16166, 'naira': 16167, '145': 16168, 'backing': 16169, 'pippa': 16170, 'pleasure': 16171, 'tofu': 16172, 'servsafe': 16173, 'experien': 16174, 'agewell': 16175, 'cspi': 16176, 'cookie': 16177, '570': 16178, 'rool': 16179, 'kenneth': 16180, 'copeland': 16181, 'walmartonline': 16182, 'shoponline': 16183, 'storepickup': 16184, 'outofstock': 16185, 'onlinesafetyathome': 16186, 'enabling': 16187, 'shameonsherwin': 16188, '2015': 16189, 'buildingautomation': 16190, 'skillset': 16191, 'niagara4': 16192, 'easyio': 16193, 'pandemiclife': 16194, 'crook': 16195, 'brentoil': 16196, 'tradingstrategy': 16197, 'rideau': 16198, 'cottage': 16199, '10ft': 16200, 'atk': 16201, '526': 16202, '3648': 16203, 'obsessively': 16204, 'cineworld': 16205, 'ashworth': 16206, 'reinforcing': 16207, 'judging': 16208, 'intends': 16209, 'flatulence': 16210, 'authorises': 16211, 'gosport': 16212, 'fc': 16213, 'localfootball': 16214, 'nonleague': 16215, 'portsmouth': 16216, '10p': 16217, 'lockdownzim': 16218, 'boxing': 16219, 'awkward': 16220, 'companion': 16221, 'weep': 16222, 'weighed': 16223, 'relates': 16224, 'stabilizes': 16225, 'santizer': 16226, 'santizers': 16227, 'ambo': 16228, 'journos': 16229, 'skeleton': 16230, 'usfda': 16231, 'californiashutdown': 16232, 'californiaquarantine': 16233, 'amplifying': 16234, 'incurred': 16235, 'encouragement': 16236, '946': 16237, 'astate': 16238, 'littlerock': 16239, 'tuesdayvibes': 16240, 'othe': 16241, 'nutter': 16242, 'camper': 16243, 'foster': 16244, 'edt': 16245, 'liu': 16246, 'guanguan': 16247, 'cnsphoto': 16248, 'andy': 16249, 'kanban': 16250, 'taiwan': 16251, 'anonymous': 16252, 'hood': 16253, 'commissary': 16254, 'forthood': 16255, 'usarmy': 16256, 'iicorpscovid19': 16257, 'texasstrong': 16258, 'collectively': 16259, 'neoliberalism': 16260, 'meritocracy': 16261, 'stereotype': 16262, 'lav': 16263, 'aggarwal': 16264, 'icmr': 16265, 'drawer': 16266, 'squeaky': 16267, 'enroll': 16268, 'qualifying': 16269, 'toughest': 16270, 'authorised': 16271, 'adhere': 16272, 'separately': 16273, 'performed': 16274, '24th': 16275, 'beaumont': 16276, 'kfdm': 16277, 'rocio': 16278, 'fe': 16279, 'dcra': 16280, 'permit': 16281, 'oconnor': 16282, 'essentialbusiness': 16283, 'zinccafeandmarket': 16284, 'hospitalityindustry': 16285, 'beasley': 16286, 'italianfood': 16287, 'broadway': 16288, '3kg': 16289, 'offprem': 16290, 'cbnnigeria': 16291, 'chickenshortage': 16292, 'sears': 16293, 'kers': 16294, 'taxman': 16295, 'perimeter': 16296, 'nvz': 16297, 'unfeasible': 16298, 'suckler': 16299, 'herd': 16300, 'welsh': 16301, 'auchan': 16302, 'invite': 16303, 'understandable': 16304, 'subsistence': 16305, 'miner': 16306, 'lastroll': 16307, 'shitjustgotreal': 16308, 'scripture': 16309, 'heathen': 16310, 'ruin': 16311, 'parked': 16312, 'redirected': 16313, 'sept': 16314, 'continent': 16315, 'exported': 16316, 'hayfever': 16317, 'versatility': 16318, 'shelie': 16319, 'miller': 16320, 'vulnerablehour': 16321, 'sakshi': 16322, 'upla': 16323, 'seinfeld': 16324, 'concluded': 16325, 'nighttime': 16326, 'donor': 16327, 'groceryretail': 16328, 'prospective': 16329, '63': 16330, 'intenders': 16331, 'desirable': 16332, '1920': 16333, 'electro': 16334, 'inauguration': 16335, 'ceremony': 16336, 'healthybody': 16337, 'healthyfood': 16338, 'shorter': 16339, 'nestum': 16340, 'ceralac': 16341, 'peoplehelpingpeople': 16342, 'ageguide': 16343, 'refuted': 16344, 'wicked': 16345, 'coronatuerkiye': 16346, 'n95masks': 16347, 'enabled': 16348, 'rider': 16349, 'platinum': 16350, 'ncov': 16351, 'lolol': 16352, 'charleston': 16353, 'doomsayer': 16354, 'sewer': 16355, 'walter': 16356, 'amz': 16357, 'amazonseller': 16358, 'onlinecommerce': 16359, 'etail': 16360, 'jsbankfightscorona': 16361, 'resumed': 16362, 'seventh': 16363, 'fiascorona': 16364, 'deprive': 16365, 'scammy': 16366, 'ventillation': 16367, 'kddr': 16368, 'burgum': 16369, 'nlp': 16370, 'killerrobot': 16371, 'bot': 16372, 'cobot': 16373, 'humanoid': 16374, 'r118': 16375, '786': 16376, '0147': 16377, 'mhc': 16378, 'pretoria': 16379, 'oe': 16380, 'healthtips': 16381, 'acesupermarket': 16382, 'aceeatery': 16383, 'acelounge': 16384, 'acefamily': 16385, 'oyo': 16386, 'ogbomoso': 16387, 'osogbo': 16388, 'ileife': 16389, 'ijebuode': 16390, 'abeokuta': 16391, 'sponge': 16392, 'santiser': 16393, 'retailvscorona': 16394, 'scheduling': 16395, 'derivative': 16396, 'enhance': 16397, 'schmitt': 16398, 'inanimate': 16399, 'micron': 16400, 'smog': 16401, 'aimless': 16402, 'khqa': 16403, 'tri': 16404, 'amtrak': 16405, 'cellophane': 16406, 'preparers': 16407, 'repel': 16408, 'wilko': 16409, 'firstworldproblems': 16410, 'howtoshop': 16411, 'lifesaver': 16412, 'deploy': 16413, 'portable': 16414, 'measurement': 16415, 'nyaope': 16416, 'morena': 16417, 'boloka': 16418, 'haba': 16419, 'powerfulpatientpartner': 16420, 'realised': 16421, 'lockwood': 16422, '27th': 16423, 'thanksforthelove': 16424, 'timeforadrink': 16425, 'complains': 16426, 'ou': 16427, 'qualitative': 16428, 'cro': 16429, 'userresearch': 16430, 'disrespectful': 16431, 'stealth': 16432, 'strait': 16433, 'dol': 16434, 'americorps': 16435, 'promoter': 16436, 'bareshelves': 16437, 'jet': 16438, 'spicejet': 16439, 'waterloo': 16440, 'gravenhurst': 16441, 'muskoka': 16442, 'reinvesting': 16443, 'windham': 16444, 'ethan': 16445, 'ostroff': 16446, 'troutmanpepper': 16447, 'supplychainchallenge': 16448, 'sincerely': 16449, 'counselor': 16450, 'surveyed': 16451, 'indecent': 16452, 'regretted': 16453, '990': 16454, 'dmme': 16455, 'nugget': 16456, 'fucknuggets': 16457, 'burnt': 16458, 'hopeful': 16459, 'housingmarket': 16460, 'whenwillpricesfall': 16461, 'homeprices': 16462, 'luxur': 16463, 'sama': 16464, 'tingin': 16465, 'sakin': 16466, 'mga': 16467, 'kanina': 16468, 'coronavirius': 16469, 'coronanews': 16470, 'novelcorona': 16471, 'beresponsible': 16472, 'keepcalm': 16473, 'aardwolfkenya': 16474, 'sanitising': 16475, 'logistical': 16476, 'sole': 16477, 'discretion': 16478, 'verb': 16479, 'sellive': 16480, 'shoplive': 16481, 'liveshopping': 16482, 'salestool': 16483, 'kshs110': 16484, 'cocoon': 16485, 'musicindustry': 16486, 'dismiss': 16487, 'misused': 16488, 'inconclusive': 16489, 'npd': 16490, 'marshall': 16491, 'cohen': 16492, 'athletic': 16493, 'footwear': 16494, 'upswing': 16495, 'interpret': 16496, 'mounted': 16497, 'brushed': 16498, 'adhesive': 16499, 'toiletpapers': 16500, 'toiletpapercheap': 16501, 'botanaway': 16502, 'microbial': 16503, 'promptly': 16504, 'intentional': 16505, 'sunshine': 16506, 'nevada': 16507, 'casino': 16508, 'barmouth': 16509, 'stayaway': 16510, 'notwelcome': 16511, 'curated': 16512, 'nigerdeltaunrest': 16513, 'bokoharam': 16514, 'insurgency': 16515, '2016recession': 16516, 'occasioned': 16517, 'unsustainability': 16518, 'gargantuan': 16519, 'toco': 16520, 'tococares': 16521, 'enoughtogoround': 16522, 'northgate': 16523, 'tuesdaymorning': 16524, 'weedlovers': 16525, 'masshole': 16526, 'snoopdogg': 16527, 'mktg': 16528, 'stimulusbill': 16529, 'rookie': 16530, 'beijing': 16531, 'urn': 16532, 'chinesevirus19': 16533, 'persona': 16534, 'lexington': 16535, 'crushcovid': 16536, 'lagossdginvest': 16537, 'pandemicbanter': 16538, 'craigdavid': 16539, '7days': 16540, 'igotthevirusonmonday': 16541, 'thenchilledonsunday': 16542, 'coronavibez': 16543, 'toiletpaperpandemic': 16544, '2020problems': 16545, 'prankstarz': 16546, 'lockedinwithmom': 16547, 'plattsmetals': 16548, 'plattscommoditynews': 16549, 'undeniable': 16550, 'contentmarketing': 16551, 'rwdsu': 16552, 'criticizing': 16553, 'walkthrough': 16554, 'c5': 16555, 'daylihht': 16556, '7kg': 16557, 'backpack': 16558, 'teamgp': 16559, 'destabilized': 16560, 'cashback': 16561, 'storing': 16562, 'confidential': 16563, 'august': 16564, 'huntsville': 16565, 'selfdistancing': 16566, 'ment': 16567, 'socaildistancing': 16568, 'onlinebusiness': 16569, 'blaqsbi': 16570, 'ado': 16571, 'mightyoure': 16572, 'benson': 16573, 'cack': 16574, 'inadequately': 16575, 'miniscule': 16576, 'asthmatic': 16577, '230': 16578, '1400': 16579, 's9': 16580, 'retrospect': 16581, 'illuminating': 16582, 'bettson': 16583, 'bse': 16584, 'nse': 16585, 'nanking': 16586, 'scorn': 16587, 'invasive': 16588, 'boarding': 16589, 'tota': 16590, 'opportunism': 16591, 'stuart': 16592, '1993': 16593, 'whispering': 16594, 'ego': 16595, 'spiritual': 16596, 'sputnik': 16597, 'rachel': 16598, 'clarke': 16599, 'chicagolockdown': 16600, '7to': 16601, 'recurrence': 16602, 'convinces': 16603, 'bayarea': 16604, 'vacillation': 16605, 'incompetence': 16606, '285': 16607, 'addict': 16608, 'withheld': 16609, 'withdrawal': 16610, 'zap': 16611, 'joule': 16612, 'rebecca': 16613, 'stored': 16614, 'otp': 16615, 'yelpatlanta': 16616, 'yelpotp': 16617, 'yelpelite': 16618, 'nurofen': 16619, 'ibuprofen': 16620, 'bmj': 16621, 'explode': 16622, 'wel': 16623, 'euro2020': 16624, 'transfermarkt': 16625, 'operable': 16626, 'durable': 16627, 'vernon': 16628, 'oglala': 16629, 'sara': 16630, 'omaha': 16631, 'abourezk': 16632, 'ehlers': 16633, 'busi': 16634, 'chris': 16635, 'hayes': 16636, 'bother': 16637, 'throe': 16638, 'farmworkers': 16639, 'broda': 16640, 'dale': 16641, 'steyn': 16642, 'jyoti10': 16643, 'rnr': 16644, 'electron': 16645, 'tw': 16646, 'onlinestore': 16647, 'artnoisestore': 16648, 'ygk': 16649, 'fbcnews': 16650, 'workable': 16651, 'drillers': 16652, 'eia': 16653, 'clapforourcarers': 16654, 'curbed': 16655, 'slovakia': 16656, 'shutdownaustralia': 16657, 'stem': 16658, 'exacting': 16659, 'macro': 16660, 'cheeseplease': 16661, 'koomo': 16662, 'bandkarobazaar': 16663, 'bcos': 16664, 'interfere': 16665, 'nationalise': 16666, 'tumbling': 16667, 'commercialrealestate': 16668, 'fledged': 16669, 'dunzo': 16670, 'sharechat': 16671, 'strangled': 16672, 'hawkins': 16673, '20million': 16674, 'sharmin': 16675, 'mossavar': 16676, 'rahmani': 16677, 'sachs': 16678, 'justathought': 16679, 'letsworktogether': 16680, 'deduction': 16681, 'hongkong': 16682, 'ifc': 16683, 'fooling': 16684, 'coronaalert': 16685, 'muchmind': 16686, 'reflexive': 16687, 'propitiousness': 16688, 'braided': 16689, 'inch': 16690, 'joannstores': 16691, 'domex': 16692, 'sacred': 16693, 'themselve': 16694, 'r9': 16695, 'f4f': 16696, 'likeforlikes': 16697, 'followforfollowback': 16698, 'superman': 16699, 'offender': 16700, 'adventuregame': 16701, 'showingmyage': 16702, 'vortex': 16703, 'chunk': 16704, 'disgracefully': 16705, 'deplorable': 16706, 'nots': 16707, 'espionage': 16708, 'exacerbates': 16709, 'csas': 16710, 'farmersmarkets': 16711, 'nakasero': 16712, 'bypassed': 16713, 'greengrocer': 16714, 'preferring': 16715, 'wagner': 16716, 'discouraging': 16717, 'playground': 16718, 'kakenews': 16719, 'risinguptothechallenges': 16720, 'strap': 16721, 'tester': 16722, 'swab': 16723, 'lockdownkarma': 16724, 'supervalu': 16725, 'plng': 16726, 'hurot': 16727, 'formed': 16728, 'acceptance': 16729, 'strip': 16730, 'endeavour': 16731, 'overflowing': 16732, 'uneaten': 16733, 'mouldy': 16734, 'hoarderish': 16735, 'mondayvibes': 16736, 'mondayblogs': 16737, 'towelchallenge': 16738, 'sart': 16739, 'wewillsurvive': 16740, 'illinoisprimary': 16741, 'needfood': 16742, '89': 16743, 'cpg': 16744, 'fastmovingconsumergoods': 16745, 'cpgconnectnews': 16746, 'dh': 16747, '807': 16748, 'weirdo': 16749, 'hackin': 16750, 'peloton': 16751, 'brandindex': 16752, 'stationary': 16753, 'bike': 16754, 'forage': 16755, 'ransacked': 16756, 'kait': 16757, 'turbo': 16758, 'mifi': 16759, 'injured': 16760, 'alamo': 16761, 'instagood': 16762, 'peeweeherman': 16763, 'peeweesbogadventure': 16764, 'overbuying': 16765, '407': 16766, 'skewed': 16767, 'extrovert': 16768, 'juggling': 16769, 'townsville': 16770, '3pm': 16771, 'restitution': 16772, 'wbab': 16773, 'weathered': 16774, 'positivetrumpspanic': 16775, 'fridaymotivation': 16776, 'positivethoughts': 16777, 'reservation': 16778, 'pityous': 16779, 'celeste': 16780, 'leatherette': 16781, 'moodboost': 16782, 'reshaping': 16783, 'pri': 16784, 'rank': 16785, 'visualization': 16786, 'civilwar': 16787, 'unwillingness': 16788, 'saddownsomewhere': 16789, 'outchea': 16790, '362': 16791, 'day4': 16792, 'capitalise': 16793, 'carnage': 16794, 'sunflower': 16795, 'nine': 16796, 'tbilisi': 16797, 'escalated': 16798, 'florist': 16799, 'homo': 16800, 'nosleepgang': 16801, 'zombielife': 16802, 'teatrees': 16803, 'retweetplease': 16804, '2019cov': 16805, 'viruscorona': 16806, 'joeledley': 16807, 'cpfc': 16808, 'removal': 16809, 'deepak': 16810, 'parekh': 16811, 'leash': 16812, 'cordantlovespeople': 16813, 'feedbackfriday': 16814, 'profound': 16815, 'uniqlo': 16816, 'eyeing': 16817, 'downtime': 16818, 'warwick': 16819, 'sandown': 16820, 'slack': 16821, 'cringe': 16822, '100b': 16823, 'writte': 16824, 'thankyoudoctors': 16825, 'shibley': 16826, 'worthy': 16827, 'unwilling': 16828, 'dispatch': 16829, 'societyandculture': 16830, 'columbusohio': 16831, 'netflixparty': 16832, 'jihadist': 16833, 'suicide': 16834, 'bemoaning': 16835, 'tuition': 16836, 'expatriate': 16837, 'thorough': 16838, 'autonomous': 16839, 'hibinate': 16840, 'homealone': 16841, 'sobored': 16842, 'bigbox': 16843, 'coronaus': 16844, 'funnyshirts': 16845, 'whitechapel': 16846, '512': 16847, 'toiletpapermath': 16848, 'homework': 16849, 'crowdfunding': 16850, 'wiring': 16851, 'unconscionable': 16852, 'everclear': 16853, '190': 16854, 'saveournurses': 16855, 'projected': 16856, 'granting': 16857, 'thorny': 16858, 'gh': 16859, 'allw': 16860, 'salina': 16861, 'nob': 16862, 'prognosis': 16863, 'agitate': 16864, 'reversed': 16865, 'redress': 16866, 'sag': 16867, 'eveyone': 16868, 'fiver': 16869, 'betty': 16870, 'pie': 16871, 'saveourgrowers': 16872, 'growyourown': 16873, 'concession': 16874, 'continuity': 16875, 'personality': 16876, 'intensely': 16877, 'used2': 16878, 'prioritised4': 16879, 'due2': 16880, 'sympathize': 16881, 'unsold': 16882, 'stelvio': 16883, 'ftcscambingo': 16884, 'bilateral': 16885, 'assessing': 16886, 'retaliatory': 16887, 'sanauto': 16888, 'spraying': 16889, 'coronafighters': 16890, 'tv9': 16891, 'homeneeds': 16892, 'doug': 16893, 'ford': 16894, 'eb': 16895, 'unneeded': 16896, 'westmidland': 16897, '57': 16898, 'shoplifting': 16899, 'midland': 16900, 'militarized': 16901, 'bitterly': 16902, 'outrageously': 16903, 'cunningham': 16904, 'oldglorydistilling': 16905, 'hesitate': 16906, 'destroys': 16907, 'janeeyre': 16908, '6ftplease': 16909, 'strategia': 16910, 'epa': 16911, 'microsure': 16912, 'horrifying': 16913, 'airfare': 16914, 'roundtrip': 16915, 'vegasshutdown': 16916, 'askforhelp': 16917, 'offersomehelp': 16918, 'edemame': 16919, 'sighting': 16920, 'loch': 16921, 'ness': 16922, 'frenetic': 16923, 'babysitter': 16924, 'geneva': 16925, 'avengersendgame': 16926, 'untransformed': 16927, 'coining': 16928, 'confiscatory': 16929, 'blackfriday': 16930, 'greedybastards': 16931, 'personalized': 16932, 'harriscounty': 16933, 'constable': 16934, 'm8': 16935, 'laser': 16936, 'newburgh': 16937, 'saturdaymotivation': 16938, 'tweaked': 16939, 'confront': 16940, 'sf': 16941, 'skillet': 16942, 'gibb': 16943, 'hitendra': 16944, 'chaturvedi': 16945, 'huffing': 16946, 'haribos': 16947, 'altruism': 16948, 'vanderbilt': 16949, 'goldsmith': 16950, 'topahov': 16951, 'hoardingvirus': 16952, 'exponentialgrowth': 16953, 'flatteningthecurve': 16954, 'toiletpaperwars': 16955, 'mint': 16956, '1oz': 16957, 'apmex': 16958, 'sterlingjacksonrealestate': 16959, 'sterjackre': 16960, 'sterlingjackson': 16961, 'realestateisgreat': 16962, 'worldwarc': 16963, 'doyourpart': 16964, 'goodjob': 16965, 'ransom': 16966, 'fellowship': 16967, 'condemning': 16968, 'setlife': 16969, 'filmcrew': 16970, 'intial': 16971, 'iif': 16972, 'cor': 16973, 'needful': 16974, 'overdoses': 16975, 'brutalised': 16976, 'confrontational': 16977, 'cultured': 16978, 'populated': 16979, 'savehowie': 16980, 'empowerment': 16981, 'burial': 16982, 'rocketed': 16983, 'nyers': 16984, 'kixies': 16985, 'preliminary': 16986, 'etauto': 16987, 'communicable': 16988, 'nicd': 16989, '0800': 16990, '029': 16991, 'transurban': 16992, 'tollroads': 16993, 'trucking': 16994, 'bondi': 16995, 'oag': 16996, '442': 16997, '9854': 16998, 'altruistic': 16999, 'emphasise': 17000, 'bankingindustry': 17001, 'spook': 17002, 'bandwidth': 17003, 'horrified': 17004, 'ugt': 17005, 'mercandise': 17006, 'listened': 17007, 'quah': 17008, 'aggregate': 17009, 'jaw': 17010, 'seclusion': 17011, 'roundy': 17012, 'consumes': 17013, 'hpqm77pgsd': 17014, 'indiana': 17015, 'laborecon': 17016, 'tpselfies': 17017, 'scaring': 17018, 'wuarantinememe': 17019, 'irony': 17020, 'bun': 17021, 'litter': 17022, 'amreeka': 17023, 'lifeblood': 17024, 'cashisking': 17025, 'sixoclock': 17026, 'glitch': 17027, 'slows': 17028, 'denis': 17029, 'n95facemask': 17030, 'mature': 17031, 'sikh': 17032, 'cater': 17033, 'proudsikhs': 17034, 'bramley': 17035, 'messichallenge': 17036, 'cringeworthy': 17037, 'fealty': 17038, 'x3': 17039, 'a2': 17040, 'adorable': 17041, 'activitiesforchildren': 17042, 'dfwparents': 17043, 'handmaid': 17044, 'figured': 17045, 'heist': 17046, 'captiva': 17047, 'statebaroftexas': 17048, 'violates': 17049, 'deceptive': 17050, 'epi': 17051, 'demi': 17052, 'lirics': 17053, 'epic': 17054, 'overrated': 17055, 'literature': 17056, 'orderly': 17057, 'perspex': 17058, 'imperial': 17059, 'figgered': 17060, 'december': 17061, 'ripoff': 17062, 'beset': 17063, 'enlink': 17064, 'enlc': 17065, '1929': 17066, 'googled': 17067, 'signup': 17068, 'realmafiapparel': 17069, 'cripthevote': 17070, 'phasing': 17071, 'speeding': 17072, 'startof': 17073, 'ehsan': 17074, 'ul': 17075, 'haq': 17076, 'roger': 17077, 'hirst': 17078, 'datanow': 17079, 'trusteddata': 17080, 'thestar': 17081, '306': 17082, '664': 17083, '1190': 17084, 'pademic': 17085, 'kaffy': 17086, 'idealist': 17087, 'susan': 17088, 'zumbuehl': 17089, 'umbrella': 17090, 'consern': 17091, 'sincere': 17092, 'kprc2': 17093, 'click2houston': 17094, 'nonperforming': 17095, 'npls': 17096, 'withstand': 17097, 'utm': 17098, 'disabilites': 17099, 'mystery': 17100, 'couch': 17101, 'newsest': 17102, 'marcoisland': 17103, 'bettertogether': 17104, 'paducah': 17105, 'geocaching': 17106, 'byop': 17107, 'boycottchina': 17108, 'solicit': 17109, 'centred': 17110, 'wig': 17111, 'thang': 17112, 'unitednations': 17113, 'touchpoint': 17114, 'skip': 17115, 'bleeding': 17116, 'plaster': 17117, 'cuddle': 17118, 'pressured': 17119, 'propublica': 17120, 'lauren': 17121, 'verno': 17122, 'investigative': 17123, 'visualised': 17124, 'consists': 17125, 'shorten': 17126, 'ssm': 17127, 'baraboo': 17128, 'janesville': 17129, 'reedsburg': 17130, 'prairie': 17131, 'sac': 17132, 'overreacting': 17133, 'aircraft': 17134, 'overwing': 17135, 'shutterstock': 17136, 'boon': 17137, 'hurting': 17138, 'regulated': 17139, 'lifeles': 17140, 'ancient': 17141, 'conchshells': 17142, 'ringing': 17143, 'jantacurfewmarch22': 17144, 'modicoronamessage': 17145, 'indiacometogether': 17146, 'theinfiniteage': 17147, 'evaporated': 17148, 'gulval': 17149, 'penzance': 17150, 'wewillfightcorona': 17151, 'lexicon': 17152, 'oat': 17153, 'hp': 17154, 'governer': 17155, 'tennessean': 17156, 'containcovid19': 17157, 'jpak': 17158, 'shippingtoja': 17159, 'takeouttuesday': 17160, 'lse': 17161, 'uknews': 17162, 'kane': 17163, 'pirie': 17164, 'subscribing': 17165, '18c': 17166, 'toothpaste': 17167, 'bubblegum': 17168, 'umassmed': 17169, 'reflected': 17170, 'confess': 17171, 'time4change': 17172, 'sickofwinning': 17173, 'cliff': 17174, 'dev': 17175, 'koboko': 17176, 'bloodsucker': 17177, 'shs3': 17178, 'bartholomew': 17179, 'sebastian': 17180, '3onyourside': 17181, 'stupidisasstupiddoes': 17182, 'gerrityssupermarket': 17183, 'trumpincompetence': 17184, 'trumpjoke': 17185, 'trumpsucks': 17186, 'rif': 17187, 'foreignexchange': 17188, 'cary': 17189, 'zimmerman': 17190, 'sia': 17191, 'wilding': 17192, 'shook': 17193, 'exp': 17194, 'retaillife': 17195, 'honcho': 17196, 'appreciates': 17197, '19nz': 17198, 'sd': 17199, 'interestingly': 17200, 'album': 17201, 'nycshutdown': 17202, 'disinfected': 17203, '508': 17204, '9032': 17205, 'braver': 17206, 'helpthemtohelpusall': 17207, 'myallotment': 17208, 'freefood': 17209, 'calamity': 17210, 'icantwork': 17211, 'icantgetpaid': 17212, 'thee': 17213, 'txu': 17214, 'paused': 17215, 'disconnect': 17216, 'rieux': 17217, 'nutrisciences': 17218, 'adel': 17219, 'karina': 17220, 'isliationhelp': 17221, 'newsong': 17222, 'albuterol': 17223, 'bolivia': 17224, 'vegpower': 17225, 'unsustainable': 17226, 'curbedny': 17227, 'editing': 17228, 'hoppon': 17229, 'veetilirimyre': 17230, 'tailor': 17231, 'implementation': 17232, 'mbbs': 17233, 'rmc': 17234, 'msc': 17235, 'lsh': 17236, 'karachi': 17237, 'llb': 17238, 'burton': 17239, 'restrain': 17240, 'utilise': 17241, 'coincome': 17242, 'affiliated': 17243, 'ftw': 17244, 'vimtotweets': 17245, 'luxembourg': 17246, 'poorcustomerservice': 17247, 'immoral': 17248, 'aryeh': 17249, 'boim': 17250, 'osher': 17251, 'caters': 17252, 'orthodox': 17253, 'jewish': 17254, 'cram': 17255, 'cain': 17256, 'chcnewsflash': 17257, 'mentally': 17258, 'stagflation': 17259, 'mayo': 17260, 'dressing': 17261, 'otipy': 17262, 'ipas': 17263, 'ksh': 17264, 'pharmacie': 17265, 'conceivably': 17266, 'chorus': 17267, 'invited': 17268, 'passle': 17269, '017': 17270, 'kwh': 17271, 'solar': 17272, 'comparable': 17273, 'piped': 17274, 'greatgame': 17275, 'renewables': 17276, 'aliceinwonderland': 17277, 'gonearoundthebend': 17278, 'spermarketprofitsforgood': 17279, 'stevencain': 17280, 'shutdownma': 17281, 'refining': 17282, 'handsanitizerleash': 17283, 'victoriabc': 17284, 'sah': 17285, 'policie': 17286, 'proti': 17287, 'spekulant': 17288, 'roukami': 17289, 'popud': 17290, 'hejtman': 17291, 'steck': 17292, 'kraje': 17293, 'spolupr': 17294, 'podle': 17295, 'krizov': 17296, 'kona': 17297, 'zajistil': 17298, 'ti': 17299, 'rouek': 17300, 'od': 17301, 'firmy': 17302, 'kter': 17303, 'dodat': 17304, 'zdravotn': 17305, 'ale': 17306, 'posledn': 17307, 'chv': 17308, 'snaila': 17309, 'navyovat': 17310, 'cenu': 17311, 'spolutozvladneme': 17312, 'forager': 17313, 'maine': 17314, 'feedme': 17315, 'eatlocal': 17316, 'spongebob': 17317, 'spongebobmemes': 17318, 'spongebobmeme': 17319, 'memesdaily': 17320, 'dankmeme': 17321, 'ol': 17322, 'edgymemes': 17323, 'dailymemes': 17324, 'offensivememes': 17325, 'topshop': 17326, 'topman': 17327, 'arcadia': 17328, 'creditor': 17329, 'nora': 17330, 'lamontagne': 17331, 'supervision': 17332, 'creg': 17333, 'concordia': 17334, 'sawchuk': 17335, 'inkling': 17336, 'exploitative': 17337, 'fury': 17338, 'offloaded': 17339, '11m': 17340, 'feb2020': 17341, 'frustrating': 17342, 'iv': 17343, 'eep': 17344, 'bifurcated': 17345, 'bt21': 17346, 'wts': 17347, 'sg': 17348, 'sgd': 17349, 'foodbusiness': 17350, 'awaiting': 17351, '4m': 17352, 'brentwood': 17353, 'haveing': 17354, 'saveworkers': 17355, 'stlblues': 17356, 'stlouis': 17357, 'stl': 17358, 'maxing': 17359, 'ovation': 17360, 'paralyzes': 17361, 'outhouse': 17362, 'swoop': 17363, 'finglas': 17364, 'knocked': 17365, 'nincompoop': 17366, 'indefinitely': 17367, '2lbs': 17368, 'eastfruit': 17369, 'mez': 17370, 'cornelldyson': 17371, 'officedelivery': 17372, 'channel4news': 17373, 'eurospin': 17374, 'flint': 17375, 'alpinia': 17376, 'galanga': 17377, 'mosquito': 17378, 'repelling': 17379, 'shallot': 17380, 'anise': 17381, 'boil': 17382, 'thirsty': 17383, 'respite': 17384, 'applestore': 17385, 'extendedreturn': 17386, 'underline': 17387, 'internationaldayofhappiness': 17388, 'outtake': 17389, 'phylogenetic': 17390, 'adaptation': 17391, 'transmissible': 17392, 'excedrin': 17393, 'cornavirus': 17394, 'inner': 17395, 'sahloul': 17396, 'primavera': 17397, 'infuriating': 17398, 'allowance': 17399, 'coke': 17400, 'substantially': 17401, 'quits': 17402, 'wi': 17403, 'disabledcovid19': 17404, 'fuck3n': 17405, 'bi': 17406, 'slob': 17407, 'r3tards': 17408, 'heartless': 17409, 'preventionoverpanic': 17410, 'unified': 17411, 'framework': 17412, 'rouble': 17413, 'tailspin': 17414, 'readingrussia': 17415, 'patented': 17416, 'remdesivir': 17417, 'feline': 17418, 'fip': 17419, 'luis': 17420, 'obispo': 17421, '186': 17422, 'commerceiq': 17423, 'whyyoucantbuytp': 17424, 'paxton': 17425, 'southwest': 17426, 'magnify': 17427, 'etretail': 17428, 'grumpy': 17429, '2keep': 17430, 'unionized': 17431, 'unionstrong': 17432, 'tidy': 17433, 'digitalization': 17434, 'digitalworkplace': 17435, 'jesussaves': 17436, 'repentnownations': 17437, 'godwins': 17438, 'marketcrash2020': 17439, 'todayistheday': 17440, 'weigh': 17441, 'bushel': 17442, 'apnea': 17443, 'converted': 17444, 'pulmonologists': 17445, 'competent': 17446, 'supt': 17447, 'eased': 17448, 'aftershock': 17449, 'technologynews': 17450, 'niki': 17451, 'megalomaniac': 17452, 'everyones': 17453, 'christucker': 17454, '2c': 17455, 'aint': 17456, 'urselves': 17457, 'freedom2out': 17458, 'food2eat': 17459, 'place2call': 17460, 'christopher': 17461, 'adequately': 17462, 'mddc': 17463, '1199': 17464, 'brandon': 17465, 'montr': 17466, 'coloradoan': 17467, 'takecare': 17468, 'emergencyfood': 17469, 'assassin': 17470, 'citrus': 17471, 'behealthy': 17472, 'texasbeardsman': 17473, 'securely': 17474, 'creditcards': 17475, 'ucriverside': 17476, 'epidemiologist': 17477, 'freemarket': 17478, 'rearranging': 17479, 'opportunistic': 17480, 'socioeconomic': 17481, 'myanmar': 17482, 'nbsupdates': 17483, 'imnext': 17484, 'absorbed': 17485, 'pee': 17486, 'philipkotler': 17487, 'worldeconomy': 17488, 'prevententive': 17489, 'inhumane': 17490, 'longs': 17491, 'litigation': 17492, 'ballard': 17493, 'spahr': 17494, 'synthesize': 17495, 'internalize': 17496, 'adoration': 17497, 'haggling': 17498, 'restrictive': 17499, 'hogue': 17500, 'casper': 17501, 'cspr': 17502, 'huddling': 17503, 'multitude': 17504, 'rooted': 17505, 'cushion': 17506, 'usecof': 17507, 'inflationary': 17508, 'attribute': 17509, 'cutoff': 17510, 'royalmail': 17511, 'thismorning': 17512, 'pilers': 17513, 'ln': 17514, 'ytd': 17515, 'retain': 17516, 'hsd': 17517, 'eps': 17518, 'imb': 17519, 'imco': 17520, 'tacke': 17521, 'gripped': 17522, 'pimprichinchwad': 17523, 'undue': 17524, 'burdene': 17525, 'mash': 17526, 'puertorico': 17527, 'mandated': 17528, 'vistalworks': 17529, 'signlanguage': 17530, 'bsl': 17531, 'nxt': 17532, 'marico': 17533, 'gupta': 17534, 'opines': 17535, 'eas': 17536, 'richa': 17537, 'arora': 17538, 'usacovid19': 17539, 'compelling': 17540, 'wonderous': 17541, 'bowen': 17542, 'iconic': 17543, 'outcry': 17544, 'worldwarii': 17545, 'aluminum': 17546, 'awaaz': 17547, 'theu': 17548, 'teepeeformybunghole': 17549, 'siena': 17550, 'roster': 17551, 'attests': 17552, 'frm': 17553, 'cornershop': 17554, 'restricting': 17555, 'passage': 17556, 'doubling': 17557, 'affordably': 17558, 'farmboy': 17559, 'ibiza': 17560, 'eularia': 17561, 'verity': 17562, 'ibiza2020': 17563, 'telemedicine': 17564, 'muddappa': 17565, 'deresinski': 17566, 'dislocated': 17567, 'impaired': 17568, 'pimco': 17569, 'amundi': 17570, 'ashmore': 17571, 'accusation': 17572, 'scomovirus': 17573, 'outlests': 17574, 'evacuating': 17575, 'guzzles': 17576, 'multicultural': 17577, 'asylum': 17578, 'seeker': 17579, 'aspencard': 17580, 'hostileenvironment': 17581, 'veros': 17582, 'suddenchange': 17583, '3day': 17584, 'justintime': 17585, '7day': 17586, 'normalsupply': 17587, 'unfreezing': 17588, 'fox43findsout': 17589, '25am': 17590, 'illiterate': 17591, 'kcr': 17592, 'jagan': 17593, 'bombshell': 17594, 'ugly': 17595, 'absence': 17596, 'practises': 17597, 'cultu': 17598, 'ensues': 17599, 'scope': 17600, 'posing': 17601, 'pricehike': 17602, 'mumbaiker': 17603, 'arranges': 17604, 'almaty': 17605, 'askhat': 17606, 'zheksebayev': 17607, 'equipped': 17608, 'relaxation': 17609, 'merger': 17610, 'pretext': 17611, 'oligarch': 17612, 'dt': 17613, 'cused': 17614, 'sumantra': 17615, 'supermarketowners': 17616, 'suspension': 17617, 'napier': 17618, 'pak': 17619, 'nsave': 17620, 'westbaluchistan': 17621, 'innovated': 17622, 'balochistan': 17623, 'pmimrankhan': 17624, 'stillwithher': 17625, 'topeka': 17626, 'derek': 17627, 'schmidt': 17628, 'beneficiary': 17629, 'compound': 17630, 'sho': 17631, 'tuck': 17632, 'crab': 17633, 'lmic': 17634, 'btwn': 17635, 'osha': 17636, 'northam': 17637, 'tuscan': 17638, 'kale': 17639, 'smoked': 17640, 'chorizo': 17641, 'mirepoix': 17642, 'familytime': 17643, 'compelled': 17644, 'sly': 17645, 'infringement': 17646, 'flavonoid': 17647, 'tseng': 17648, 'daria': 17649, 'weissman': 17650, 'beemit': 17651, 'keyword': 17652, 'noworries': 17653, 'brewer': 17654, 'adedayo': 17655, 'ayeni': 17656, 'saharan': 17657, 'discloses': 17658, 'thecable': 17659, 'virsuse': 17660, 'unpredictability': 17661, 'cletus': 17662, 'memes2riches': 17663, 'heybitch': 17664, 'casulty': 17665, 'herculean': 17666, 'keepcalmgodigitalbanking': 17667, 'inukasme': 17668, '12km': 17669, '1km': 17670, 'expiring': 17671, 'contr': 17672, 'technique': 17673, 'homecooking': 17674, 'healhtycooking': 17675, 'versatile': 17676, 'risked': 17677, 'jackie': 17678, 'interstate': 17679, 'uplifting': 17680, 'babybel': 17681, 'penalize': 17682, 'indicate': 17683, 'drfauci': 17684, 'tying': 17685, 'firstdayofspring': 17686, 'warrenton': 17687, 'pupil': 17688, 'fsm': 17689, 'bzun': 17690, 'cfa': 17691, 'agenda': 17692, 'weakened': 17693, 'corporates': 17694, 'attractive': 17695, 'viet': 17696, 'nam': 17697, 'fork': 17698, 'quittrippin': 17699, 'roar': 17700, 'torontohousingmarket': 17701, 'housesforsale': 17702, 'attracted': 17703, 'hooptie': 17704, 'chinaflu': 17705, 'familiaspnf': 17706, 'salvage': 17707, 'margareta': 17708, 'sneezed': 17709, 'multiplied': 17710, 'deem': 17711, 'veneer': 17712, 'craven': 17713, 'diseased': 17714, 'dormer': 17715, 'quarenteen': 17716, 'ebook': 17717, 'stayhomeandread': 17718, 'olden': 17719, 'breadfail': 17720, 'selfservatism': 17721, 'holocaust': 17722, 'surveillance': 17723, 'innovate': 17724, 'constraint': 17725, 'upheld': 17726, 'andre': 17727, 'voiced': 17728, 'assaulting': 17729, 'margo': 17730, 'barbara': 17731, 'triplebottomline': 17732, 'iam': 17733, 'bachelor': 17734, 'djt': 17735, 'unfill': 17736, 'mosaic': 17737, 'moz': 17738, 'kitco': 17739, 'usdollar': 17740, 'republic': 17741, 'contrary': 17742, 'clearest': 17743, 'barometer': 17744, 'peterborough': 17745, 'kawartha': 17746, 'crushline': 17747, 'athletecrush': 17748, 'dems': 17749, 'admonishes': 17750, 'gouvernance': 17751, 'squad': 17752, 'illicit': 17753, 'uncontrolled': 17754, 'bamako': 17755, 'concentration': 17756, 'gaza': 17757, 'unde': 17758, 'apzweb': 17759, 'ordeal': 17760, 'workstream': 17761, 'hrtech': 17762, 'gigworkers': 17763, 'sage': 17764, 'seventy': 17765, 'moira': 17766, 'welikanna': 17767, 'fulham': 17768, 'bogof': 17769, 'curry': 17770, 'dhamki': 17771, 'sushma': 17772, 'swaraj': 17773, 'shaykh': 17774, 'mohamed': 17775, 'hoblos': 17776, 'zhengzhou': 17777, 'subtly': 17778, 'strenuous': 17779, 'shel': 17780, 'rolex': 17781, 'swatch': 17782, 'cartier': 17783, 'michigancoronavirus': 17784, 'sweetheart': 17785, 'lobbyist': 17786, 'cimas': 17787, 'togetherwemakeadifference': 17788, '03237979660': 17789, 'jhagra': 17790, 'geonews': 17791, 'asad': 17792, 'umar': 17793, 'zfrmrza': 17794, 'dawnnews': 17795, 'ndma': 17796, 'hamidmir': 17797, 'downsizing': 17798, 'cancelledflights': 17799, 'cancelledevents': 17800, 'seatravel': 17801, 'packageholidays': 17802, 'drdo': 17803, 'patanjaliyogpeeth': 17804, 'santoor': 17805, 'othr': 17806, 'reducng': 17807, 'whn': 17808, 'inexorably': 17809, 'northward': 17810, 'mimic': 17811, 'perth': 17812, 'reckon': 17813, 'imagining': 17814, 'justanotherdayinwa': 17815, '9r': 17816, 'stopcoronamadness': 17817, 'tatanic': 17818, 'hymn': 17819, 'braved': 17820, 'lasagna': 17821, 'shrugged': 17822, 'nolasagna': 17823, 'sbi': 17824, 'amaravati': 17825, 'guntur': 17826, 'ducey': 17827, 'daretobe': 17828, 'nigel': 17829, 'malnutrition': 17830, 'winelands': 17831, 'msm': 17832, 'optometrist': 17833, 'veterinary': 17834, 'resurgence': 17835, 'draya': 17836, 'firetrump': 17837, 'brenda': 17838, 'sensitizing': 17839, 'fox10phoenix': 17840, 'fullest': 17841, 'pajama': 17842, 'hairy': 17843, 'vege': 17844, 'skyrim': 17845, 'seductivesunday': 17846, 'reconsidering': 17847, 'gosh': 17848, 'awfully': 17849, 'gagged': 17850, 'woeful': 17851, '100x': 17852, 'chadha': 17853, '20something': 17854, 'fella': 17855, 'lawd': 17856, 'b1g1': 17857, 'aust': 17858, 'lockeddown': 17859, 'jerkin': 17860, 'squirtin': 17861, 'emma': 17862, 'fowle': 17863, 'lymeregis': 17864, 'engulf': 17865, 'golibar': 17866, 'santacruz': 17867, '21dayschallenge': 17868, 'reset': 17869, 'nespresso': 17870, 'peets': 17871, 'mountainlife': 17872, 'authenticarkansas': 17873, 'arpreservation': 17874, 'wearemainstreet': 17875, 'naturalresouces': 17876, 'russi': 17877, 'imon': 17878, '4u': 17879, 'like4likes': 17880, 'homemadesanitizer': 17881, 'tahlequahtdp': 17882, 'iodised': 17883, 'washingtondc': 17884, 'marshalled': 17885, '780': 17886, '453': 17887, '0101': 17888, 'weareopen': 17889, 'blissbakedgoods': 17890, 'spire': 17891, 'theblaze': 17892, 'midia': 17893, 'veliaj': 17894, 'stopthevirus': 17895, 'statistically': 17896, 'petrobras': 17897, 'lockdownnsw': 17898, 'tizer': 17899, 'oregon': 17900, 'cali': 17901, 'ronarants': 17902, 'smug': 17903, 'gem': 17904, 'polk': 17905, 'quarantineselfie': 17906, 'meaningless': 17907, 'busine': 17908, 'traditionally': 17909, 'ravitz': 17910, 'shade': 17911, 'sour': 17912, 'chive': 17913, 'frickin': 17914, 'fwps': 17915, 'amy': 17916, 'davis': 17917, 'brin': 17918, 'sodding': 17919, 'diagnostics': 17920, 'hospitalised': 17921, 'fave': 17922, 'exaggeration': 17923, 'eww': 17924, 'hypochondriac': 17925, 'petty': 17926, 'zitapewa': 17927, 'matajiri': 17928, 'watu': 17929, 'wanajua': 17930, 'ulafi': 17931, 'tyler': 17932, 'perry': 17933, 'nhk': 17934, 'reschedule': 17935, 'centralised': 17936, 'wtrg': 17937, 'kmb': 17938, 'csco': 17939, 'ibm': 17940, 'getthehellawayfromme': 17941, 'exceeds': 17942, 'businessnews': 17943, 'rahul': 17944, 'kansal': 17945, 'sinclair': 17946, 'euclid': 17947, 'shopassistants': 17948, 'shelfstacking': 17949, 'exhausting': 17950, 'punishes': 17951, 'ruthlessly': 17952, 'fasting': 17953, 'supremecourtofindia': 17954, 'mannkibaa': 17955, 'arnews': 17956, 'skellig': 17957, 'kilometer': 17958, 'skelligcoast2kms': 17959, 'southkerry': 17960, 'healer': 17961, 'detain': 17962, 'scored': 17963, 'arielle': 17964, 'trzcinski': 17965, 'optimises': 17966, 'staking': 17967, 'pseudoscience': 17968, 'laughably': 17969, 'evade': 17970, 'malibu': 17971, '593': 17972, '822': 17973, 'undermines': 17974, 'chs': 17975, 'manhandling': 17976, 'introduction': 17977, 'softer': 17978, 'andratuttobene': 17979, 'tuscany': 17980, 'pecker': 17981, 'ami': 17982, 'survives': 17983, 'alcoholism': 17984, 'crafting': 17985, 'customizing': 17986, 'fipi': 17987, 'lele': 17988, 'toiletpaperrolls': 17989, 'toiletpaperseeds': 17990, 'teapot': 17991, 'explodes': 17992, 'keynes': 17993, 'tempted': 17994, 'unjust': 17995, 'inds': 17996, 'outperforming': 17997, 'reit': 17998, 'etf': 17999, 'tasked': 18000, 'inconsistent': 18001, 'audaciously': 18002, 'dispatched': 18003, 'zenith': 18004, '101553042': 18005, 'fudgiechunks': 18006, 'fudge': 18007, 'fudgeislife': 18008, 'keepcalmandcarryon': 18009, 'chocolatefudge': 18010, 'chocandmint': 18011, 'humpday': 18012, 'svp': 18013, 'a5': 18014, 'saddening': 18015, 'maddensmethods': 18016, 'mbrx': 18017, '2022': 18018, 'mycovidstory': 18019, 'comorbidities': 18020, 'ppum': 18021, 'fukin': 18022, 'magarollercoaster': 18023, 'trumppence2020': 18024, '2ashallnotbeinfringed': 18025, 'slaughter': 18026, 'zoonotic': 18027, 'govegan': 18028, 'patronising': 18029, 'sologenic': 18030, 'solo': 18031, 'onslaught': 18032, 'hammer': 18033, 'koronafi': 18034, 'protested': 18035, 'faro': 18036, 'warranty': 18037, 'renewal': 18038, 'calibration': 18039, 'markherringva': 18040, 'vawx': 18041, 'agbarr': 18042, 'prosecuting': 18043, 'wwg1wga': 18044, 'preserved': 18045, '1960': 18046, 'centeris': 18047, 'agfundernews': 18048, 'financialwellbeing': 18049, 'pascal': 18050, 'montagne': 18051, 'p40': 18052, 'livestream': 18053, 'cet': 18054, 'sfbayarea': 18055, 'x2': 18056, 'breakthechain': 18057, 'teesta': 18058, 'lahag': 18059, 'hotella': 18060, 'flashback': 18061, 'childhood': 18062, 'tumblr': 18063, 'delving': 18064, 'libtard': 18065, 'blown': 18066, 'popularity': 18067, 'touchitsafe': 18068, 'canttouchthis': 18069, 'shoppingcart': 18070, 'ushered': 18071, 'disciplinary': 18072, 'walkaroundthingsday': 18073, 'wba': 18074, 'gammon': 18075, 'snowdon': 18076, 'cynical': 18077, 'truckloads': 18078, 'decouple': 18079, 'esm': 18080, 'linking': 18081, 'privatization': 18082, 'fitness': 18083, 'contemplated': 18084, 'astounds': 18085, 'fag': 18086, 'gerard': 18087, 'object': 18088, 'furiously': 18089, 'aud': 18090, 'kwiknews': 18091, 'dickwad': 18092, 'audacity': 18093, 'sidestep': 18094, 'newstart': 18095, 'lifework': 18096, '3700': 18097, '78704': 18098, 'deferring': 18099, 'universalcredit': 18100, 'goodwin': 18101, 'crestline': 18102, 'danced': 18103, 'bonnie': 18104, 'duvet': 18105, 'liability': 18106, 'lawyerkenneth': 18107, 'protecti': 18108, 'damascus': 18109, 'sodium': 18110, 'chlorite': 18111, 'naclo': 18112, 'acid': 18113, 'activator': 18114, 'mixture': 18115, 'chlorine': 18116, 'dioxide': 18117, 'clo': 18118, 'salux': 18119, 'pasar': 18120, 'jaya': 18121, 'jakpost': 18122, 'weasel': 18123, 'lte': 18124, 'alva': 18125, 'demonstrating': 18126, 'nettle': 18127, 'teamfamily': 18128, 'supportingdreams': 18129, 'liberating': 18130, 'tradesman': 18131, 'heartwarming': 18132, 'ghoul': 18133, 'didntdolist': 18134, 'gallbladder': 18135, 'freedumb': 18136, 'scunthorpe': 18137, 'strapped': 18138, 'sensor': 18139, 'dailydrawing': 18140, 'dailysketches': 18141, 'artwithfriends': 18142, 'artchallenge': 18143, 'wordoftheday': 18144, 'wordofthedaychallenge': 18145, 'aldershot': 18146, 'winged': 18147, 'mph': 18148, 'alphabet': 18149, '952': 18150, '5225': 18151, 'raking': 18152, 'owhealth': 18153, 'culturally': 18154, 'vibrant': 18155, 'equilibrium': 18156, 'dwarf': 18157, 'untouched': 18158, 'yee': 18159, 'fulwood': 18160, 'adhered': 18161, '2metredistance': 18162, 'respectit': 18163, 'dailydoseofdonna1979': 18164, 'kiri': 18165, 'hannafin': 18166, 'fadhil': 18167, 'nabi': 18168, '480k': 18169, '358m': 18170, 'cbcnl': 18171, 'refinance': 18172, '6556': 18173, 'brandimage': 18174, 'eur': 18175, 'unissued': 18176, '1500rs': 18177, 'ajeeb': 18178, 'kamal': 18179, 'mazibuk0': 18180, 'cking': 18181, 'thanet': 18182, 'serviced': 18183, 'broadstairs': 18184, '246': 18185, '1988': 18186, 'quarantinedqueers': 18187, 'hygienicpaper': 18188, 'papertowel': 18189, 'tha': 18190, 'sensitivity': 18191, 'paytech': 18192, 'lendtech': 18193, 'ach': 18194, 'vice': 18195, 'mera': 18196, 'minibus': 18197, 'outskirt': 18198, 'ygn': 18199, 'dha': 18200, 'paygrade': 18201, 'backup': 18202, 'agrisa': 18203, 'yoo': 18204, '200s': 18205, 'viruspandemic': 18206, 'internship': 18207, 'differ': 18208, 'thomas': 18209, 'ldnont': 18210, 'selloff': 18211, 'shaken': 18212, 'costlier': 18213, 'pierrecardin': 18214, 'nelly': 18215, 'maintains': 18216, 'spainlockdown': 18217, 'inventorymanagement': 18218, 'thinkwhyitmatters': 18219, 'jobseekerswednesday': 18220, 'hiringnow': 18221, 'jobsearch': 18222, 'jobalert': 18223, 'affordabledrugsnow': 18224, 'grocerystoreemployees': 18225, 'rollout': 18226, 'plaything': 18227, 'scattered': 18228, 'yellow': 18229, 'horribly': 18230, 'ofa': 18231, 'whithin': 18232, 'rydertwts': 18233, 'rarely': 18234, 'ellie': 18235, 'tmt': 18236, 'actuarial': 18237, 'annuity': 18238, 'boycottwetherspoon': 18239, 'boycottvirgin': 18240, 'nowt': 18241, 'aggravate': 18242, 'repent': 18243, 'panicshoppers': 18244, 'mulberry': 18245, 'stare': 18246, 'iffat': 18247, 'ridiculousness': 18248, 'yoga': 18249, 'namastehome': 18250, 'inhibited': 18251, 'dareme': 18252, 'uncivilized': 18253, 'isiolo': 18254, 'nfd': 18255, 'myrrh': 18256, 'khat': 18257, 'profession': 18258, 'gvn': 18259, 'forbidden': 18260, 'kuti': 18261, 'meru': 18262, 'debbiedowner': 18263, 'hellerup': 18264, 'foodmarket': 18265, 'kpi6': 18266, 'recognized': 18267, 'csgpolls': 18268, 'flush': 18269, 'classical': 18270, 'coronacast': 18271, 'passover': 18272, 'bstrong': 18273, 'outpacing': 18274, 'smoff': 18275, 'madhouse': 18276, 'counsel': 18277, 'stayhomemn': 18278, 'oversight': 18279, 'serbia': 18280, '2212168': 18281, 'cohort': 18282, 'halla': 18283, 'hallafoodfight': 18284, 'foodismedicine': 18285, 'bulletin': 18286, 'thatshowweroll': 18287, 'epicfail': 18288, 'setback': 18289, 'eswatini': 18290, 'farmlife': 18291, 'hotbed': 18292, 'sigh': 18293, 'limitation': 18294, 'mourn': 18295, 'gravesides': 18296, 'numb': 18297, 'clumsy': 18298, 'ghosted': 18299, 'rocco': 18300, 'roccosudano': 18301, 'gsd': 18302, 'milton': 18303, 'austr': 18304, 'governing': 18305, 'dismissal': 18306, 'ecolog': 18307, 'indigenous': 18308, 'earthling': 18309, 'tingle': 18310, 'tightest': 18311, 'stard': 18312, '1p': 18313, 'googlealerts': 18314, 'adengage': 18315, 'panicbuyi': 18316, 'busted': 18317, 'feelinggood': 18318, 'mindfulness': 18319, 'sicko': 18320, 'eng': 18321, 'cityoffrederick': 18322, 'frederickmd': 18323, 'eschother': 18324, 'corrugated': 18325, 'rabobank': 18326, 'xinnan': 18327, 'astoria': 18328, 'illegaldancerave': 18329, 'fulfilling': 18330, 'healthforall': 18331, 'supermakets': 18332, '110': 18333, 'syd': 18334, 'dub': 18335, 'sardine': 18336, 'thien': 18337, 'escalates': 18338, 'suicidal': 18339, 'emailed': 18340, 'eliot': 18341, 'hannafords': 18342, 'stayawarestaysafe': 18343, 'frb': 18344, '1980': 18345, 'pronounced': 18346, 'covod19': 18347, 'delipac': 18348, 'savetheplanet': 18349, 'consciously': 18350, 'delhaize': 18351, 'privatelabel': 18352, 'fraudulently': 18353, 'pragmatic': 18354, 'mena': 18355, 'goorganicnyc': 18356, 'imperfectfoods': 18357, 'eic': 18358, 'swot': 18359, 'enables': 18360, 'bigdata': 18361, 'cto': 18362, 'roaring': 18363, 'sapiens': 18364, '594': 18365, 'messaged': 18366, 'excursion': 18367, 'aplenty': 18368, 'morrisey': 18369, 'swathe': 18370, 'organizer': 18371, 'deport': 18372, 'alcoholbrands': 18373, 'helpingbrands': 18374, 'zerowaste': 18375, 'isl': 18376, 'coronaeconomics': 18377, 'greene': 18378, '1340': 18379, 'wgrv': 18380, 'census': 18381, 'strengthening': 18382, 'coralee': 18383, 'colluded': 18384, 'shadowy': 18385, 'nudge': 18386, 'psyop': 18387, 'profiteered': 18388, 'fist': 18389, 'primed': 18390, 'disinterested': 18391, 'elpaso': 18392, 'supportelpaso': 18393, 'curtailing': 18394, 'kansascity': 18395, 'zillow': 18396, 'recruited': 18397, 'czech': 18398, 'broadcaster': 18399, 'biodegradable': 18400, 'crona': 18401, 'saheb': 18402, 'kaya': 18403, 'chahty': 18404, 'hen': 18405, 'kahan': 18406, 'rahy': 18407, 'sari': 18408, 'dolat': 18409, 'ptigovernment': 18410, 'pto': 18411, 'utd': 18412, 'girasol': 18413, 'shelford': 18414, 'legally': 18415, 'policed': 18416, 'precedence': 18417, 'shelfish': 18418, 'wipfliag': 18419, 'irresponsable': 18420, 'kamloops': 18421, 'orgs': 18422, 'franking': 18423, 'baronship': 18424, 'spacex': 18425, 'flagellation': 18426, 'harsher': 18427, 'undertake': 18428, 'sewed': 18429, '3dxchat': 18430, 'imvu': 18431, 'secondlife': 18432, 'winco': 18433, 'definitive': 18434, 'dcwp': 18435, 'digitally': 18436, 'overcharge': 18437, 'jenkins': 18438, 'unbs': 18439, 'genuine': 18440, 'jumia': 18441, 'gcse': 18442, '2052': 18443, 'civicscience': 18444, 'constituent': 18445, 'maria': 18446, 'tampico': 18447, 'chefsanantonio': 18448, 'quarantinecuisine': 18449, 'starter': 18450, 'causeway': 18451, 'wizard': 18452, 'deflated': 18453, 'hotspot': 18454, 'lobby': 18455, 'dbvt': 18456, 'wtfutureipsos': 18457, 'dryhands': 18458, 'handicapped': 18459, 'myt': 18460, 'mytbusiness': 18461, 'mytaxation': 18462, 'isoation': 18463, 'hungryathome': 18464, 'coronalockdownuk': 18465, 'darwinawards': 18466, 'moldy': 18467, 'tremorogenic': 18468, 'mycotoxin': 18469, 'needlessly': 18470, 'ushering': 18471, '4ir': 18472, 'classroom': 18473, 'latch': 18474, 'handrils': 18475, 'thepublicwillremember': 18476, 'greedmongers': 18477, 'frightened': 18478, 'rina': 18479, 'yashayeva': 18480, 'buhari': 18481, 'lagosschoolclosure': 18482, 'day23': 18483, 'salvadoran': 18484, 'quesadilla': 18485, 'reprieve': 18486, 'figuratively': 18487, 'wenotoutside': 18488, 'westernbeefisstacked': 18489, 'proportionate': 18490, 'despondency': 18491, 'unjustifiable': 18492, 'knw': 18493, 'craazy': 18494, 'upheavel': 18495, 'defenseproductionact': 18496, 'stressor': 18497, 'lil': 18498, 'kayla': 18499, 'simpson': 18500, 'enoug': 18501, 'upheaval': 18502, 'fogged': 18503, 'prescribed': 18504, 'nc': 18505, 'atty': 18506, 'wisely': 18507, 'avoidscams': 18508, 'financialhelp': 18509, 'gartner': 18510, 'discovers': 18511, 'notok': 18512, 'fueling': 18513, 'bv9twvpqkb': 18514, 'fba': 18515, 'fbaops': 18516, 'stroll': 18517, 'raindrop': 18518, 'ordination': 18519, 'jug': 18520, 'cooler': 18521, 'unopened': 18522, 'refrigerated': 18523, 'memorial': 18524, 'bigcommerce': 18525, 'mackle': 18526, 'drawn': 18527, 'mick': 18528, 'mulvaney': 18529, 'downplayed': 18530, 'phi': 18531, 'aghotline': 18532, 'bogg': 18533, 'publication': 18534, 'photograph': 18535, 'folkestone': 18536, 'streetphotography': 18537, 'nordstrom': 18538, 'forgo': 18539, 'smmc': 18540, 'uisedu': 18541, 'uiuc': 18542, 'uic': 18543, 'realme': 18544, 'realmetv': 18545, 'mitv5': 18546, 'mi10': 18547, 'mi10pro': 18548, 'realmenarzo': 18549, 'realmenarzo10': 18550, 'alarm': 18551, 'sounded': 18552, 'squandered': 18553, 'goldprice': 18554, 'goldfutures': 18555, 'stimulusplan': 18556, 'medlife': 18557, 'extorting': 18558, 'collar': 18559, 'ojek': 18560, 'mehra': 18561, 'relieved': 18562, 'poopourri': 18563, 'founditonamazon': 18564, 'poopchallenge': 18565, 'forgiven': 18566, 'flatbread': 18567, 'preaches': 18568, 'thankyoucheckoutworkers': 18569, 'thankyoushelfstackers': 18570, 'thankyoushopworkers': 18571, 'fastsigns': 18572, 'inglewood': 18573, '310': 18574, '2177': 18575, '403': 18576, 'brea': 18577, 'jurupa': 18578, 'mold': 18579, 'nowican': 18580, 'immunosuppressedwife': 18581, 'itw': 18582, 'hartness': 18583, 'shiver': 18584, 'proving': 18585, 'leavenoonebehind': 18586, 'anastasia': 18587, 'purina': 18588, 'rollison': 18589, 'adelaide': 18590, 'htta': 18591, 'girlguiding': 18592, 'nee': 18593, 'durham': 18594, 'oswald': 18595, 'simultaneous': 18596, 'daniel': 18597, 'egel': 18598, 'ries': 18599, 'talent': 18600, 'drake': 18601, 'malema': 18602, 'koike': 18603, '1995': 18604, 'applauded': 18605, 'ppekit': 18606, 'getmeds': 18607, 'presumed': 18608, 'virtuous': 18609, 'makati': 18610, 'bicycle': 18611, 'leel': 18612, 'casher': 18613, 'tokyolockdown': 18614, 'bazaar': 18615, 'boulevard': 18616, 'navigated': 18617, 'tightly': 18618, 'fascinated': 18619, 'pronged': 18620, 'abeg': 18621, 'prog': 18622, 'journorequest': 18623, 'underperformance': 18624, 'bookmaker': 18625, 'sape': 18626, 'nak': 18627, 'buat': 18628, 'duit': 18629, 'secara': 18630, 'boleh': 18631, 'lah': 18632, 'cuba': 18633, 'kitajagakita': 18634, 'rm5': 18635, 'pearled': 18636, 'barley': 18637, 'tostada': 18638, 'ps5': 18639, 'capgemini': 18640, 'ofc': 18641, 'shawsdoesntcare': 18642, 'lockdownsaextended': 18643, 'day16oflockdown': 18644, 'bucketlist': 18645, 'bosqf': 18646, 'submits': 18647, 'dusttricks': 18648, 'thelockdown': 18649, 'magictrick': 18650, 'hillside': 18651, 'ava': 18652, 'lousy': 18653, 'floral': 18654, 'madeinengland': 18655, 'moroccan': 18656, 'stoppanickbuying': 18657, 'lockdownsl': 18658, 'extremist': 18659, 'cvd': 18660, 'sweating': 18661, 'custys': 18662, 'mmt': 18663, 'committing': 18664, 'julia': 18665, 'makeadifference': 18666, 'pegnato': 18667, 'roofing': 18668, 'destin': 18669, 'dietary': 18670, 'foodallergies': 18671, 'subscribe': 18672, 'drawingoftheday': 18673, 'spinach': 18674, 'nac': 18675, 'nacsdaily': 18676, 'cstores': 18677, 'conveniencestores': 18678, 'cstore': 18679, 'averted': 18680, 'helen': 18681, 'wheres': 18682, 'dildo': 18683, 'buttplugs': 18684, 'forgottenheroes': 18685, 'cyclone': 18686, 'remapest': 18687, 'guaranteedservices': 18688, 'ulvcoldfogger': 18689, 'publichealthprotection': 18690, 'fogsprayer': 18691, 'killvirus': 18692, 'bestoffer': 18693, '24hours': 18694, 'jakartaquarantine': 18695, 'avacado': 18696, 'bestsupermarket': 18697, 'replenishment': 18698, 'interfered': 18699, 'creek': 18700, 'convid19': 18701, 'nostril': 18702, 'snugly': 18703, 'frontier': 18704, 'aerion': 18705, 'jens': 18706, 'spahn': 18707, 'deutschland': 18708, 'ist': 18709, 'vorbereitet': 18710, 'auf': 18711, 'wochen': 18712, 'ter': 18713, 'bbcbayuno': 18714, 'sirpatrickvallance': 18715, 'spec': 18716, 'spp': 18717, '24p': 18718, '163': 18719, '39p': 18720, 'porkmarketnews': 18721, 'pigprices': 18722, 'togo': 18723, '100daysofcode': 18724, 'undefined': 18725, 'admins': 18726, 'sendtp': 18727, '519weddings': 18728, 'nocorporatewelfare': 18729, 'sherwinwilliams': 18730, 'unconscious': 18731, 'subnormal': 18732, 'dountoothers': 18733, 'preplife': 18734, 'eldercare': 18735, 'babyboomers': 18736, 'realestateagent': 18737, 'wana': 18738, 'gettn': 18739, '2d': 18740, 'pvc': 18741, 'cgi': 18742, 'sprucing': 18743, 'gremlin': 18744, 'labyrinth': 18745, 'moonrise': 18746, 'rabun': 18747, 'cath': 18748, 'kidston': 18749, 'volunteersagainstcovid19': 18750, 'leonard': 18751, 'eastkilbride': 18752, 'controversy': 18753, 'mainstreamed': 18754, 'hungary': 18755, 'hu': 18756, 'solene': 18757, 'weaken': 18758, 'murderous': 18759, 'celebration': 18760, 'secrecy': 18761, 'tesbih': 18762, 'habbal': 18763, 'tango': 18764, 'apologising': 18765, 'spell': 18766, 'torontoshoeshow': 18767, 'retailtips': 18768, 'retailmanagement': 18769, 'expiration': 18770, 'datamustfall': 18771, 'expire': 18772, 'comporium': 18773, '2667': 18774, 'achilles': 18775, 'russher': 18776, 'einstein': 18777, 'futureofwork': 18778, 'cal': 18779, 'faraway': 18780, 'howe': 18781, 'marconi': 18782, 'ski': 18783, 'helm': 18784, 'satara': 18785, 'solapur': 18786, '273': 18787, 'maharashta': 18788, 'advisorymandi': 18789, 'clemen': 18790, 'suburbia': 18791, 'iptvnew': 18792, 'iptv2020': 18793, 'labeling': 18794, 'councillor': 18795, 'schooler': 18796, 'goodmania': 18797, 'jumper': 18798, 'protecttheworker': 18799, 'erdington': 18800, 'remembering': 18801, 'marney41': 18802, 'sitrep': 18803, 'rhodeisland': 18804, 'stopthemadness': 18805, 'dubbed': 18806, '1970': 18807, 'titlemax': 18808, 'locality': 18809, 'commonwealth': 18810, 'depreciated': 18811, 'draconian': 18812, 'congested': 18813, 'cornoabollocks': 18814, 'calmness': 18815, 'tannoy': 18816, '41': 18817, 'programmatic': 18818, 'amazingly': 18819, 'wishshopping': 18820, 'blasting': 18821, 'zayd': 18822, 'embarrased': 18823, 'atlantic': 18824, 'netde': 18825, 'wawa': 18826, 'disembarking': 18827, 'africanhistoryclass': 18828, 'taxidrivershow': 18829, 'taxijam': 18830, 'blackpot': 18831, 'evangelist3': 18832, 'tabata': 18833, 'zumba': 18834, 'mengeratkan': 18835, 'hubungan': 18836, 'silaturahim': 18837, 'inhouse': 18838, 'compromising': 18839, 'stayaway6feet': 18840, 'providence': 18841, 'rhode': 18842, 'isolationessentials': 18843, 'vikramch': 18844, 'qr': 18845, 'shielded': 18846, '22341': 18847, 'nationalised': 18848, 'wurst': 18849, 'humous': 18850, 'taramasalata': 18851, 'signalling': 18852, 'attending': 18853, 'sobeys': 18854, '879': 18855, '057': 18856, '034': 18857, 'chapel': 18858, 'worn': 18859, 'stayinthehoose': 18860, 'tescodelivery': 18861, 'marksandspencer': 18862, 'onlinelearning': 18863, 'droz': 18864, 'amzn': 18865, 'prelim': 18866, 'domain': 18867, 'melb': 18868, 'ausecon': 18869, 'assumption': 18870, 'gleaner': 18871, '3175932400': 18872, '52014': 18873, 'oes': 18874, 'hudsonvalley': 18875, 'taxtherich': 18876, 'icmktg': 18877, 'utoledomarketing': 18878, 'uakronmarketing': 18879, 'wvu389': 18880, 'nky205': 18881, 'uabmktg': 18882, 'lwu482strat': 18883, 'illustrate': 18884, 'nager': 18885, 'builtwithmapbox': 18886, 'nycstrong': 18887, 'killeya': 18888, 'receives': 18889, 'healthcanada': 18890, 'potstocks': 18891, 'reimbursed': 18892, 'deductible': 18893, 'usaa': 18894, 'curing': 18895, 'stayathomechllenge': 18896, 'adolescent': 18897, 'whippet': 18898, 'souring': 18899, 'canister': 18900, 'onlineclass': 18901, 'shuffle': 18902, 'wilder': 18903, 'birthdaygirl': 18904, 'sportsdirect': 18905, 'bald': 18906, 'hairbrush': 18907, 'dawie': 18908, 'eldersburg': 18909, 'demonstration': 18910, 'holesinsky': 18911, 'buhl': 18912, 'zionsbanker': 18913, 'idahome': 18914, 'appliance': 18915, 'relaxes': 18916, 'sensex': 18917, 'rbigovernor': 18918, 'lockdowndown': 18919, 'samurthi': 18920, '94754': 18921, 'douglas': 18922, 'channeling': 18923, 'ohgod': 18924, 'prevail': 18925, 'unknowing': 18926, 'detective': 18927, 'brixton': 18928, '428': 18929, 'knell': 18930, 'moderna': 18931, 'endoftimes': 18932, 'drap': 18933, 'mocking': 18934, 'runner': 18935, 'amazes': 18936, 'ponytail': 18937, 'bramalea': 18938, 'granville': 18939, 'glucose': 18940, 'isp': 18941, 'thehackersnews': 18942, 'revision': 18943, 'zinc': 18944, 'aluminium': 18945, 'fy21': 18946, 'bore': 18947, 'lion': 18948, 'cornflakes': 18949, 'contentworks': 18950, 'essentialfoodbox': 18951, 'foodessentialbox': 18952, '8m': 18953, '103': 18954, 'wastereduction': 18955, 'ecoconscious': 18956, 'ecofriendly': 18957, 'gelii': 18958, 'citigroup': 18959, 'pessimistic': 18960, 'turi': 18961, 'ryder': 18962, 'shesaidwhat': 18963, 'rogan': 18964, 'reacts': 18965, 'firstworld': 18966, 'firstworldpandemicproblems': 18967, 'joeroganpodcast': 18968, 'selftaught': 18969, 'timebomb': 18970, 'swath': 18971, 'afterward': 18972, 'deity': 18973, 'receiver': 18974, '2metresapart': 18975, 'factsnotfear': 18976, 'kitili': 18977, 'shag': 18978, 'impossibility': 18979, 'ghetto': 18980, 'kawangware': 18981, 'plug': 18982, 'winwin': 18983, 'therichcantlose': 18984, 'lmaoo': 18985, 'tryna': 18986, 'sturdy': 18987, 'workspace': 18988, 'solidaritywithhospitality': 18989, 'hospitalitystrong': 18990, 'katto': 18991, 'jeopardy': 18992, 'matatu': 18993, 'gok': 18994, 'messed': 18995, 'rescheduled': 18996, 'overbooked': 18997, 'yeh': 18998, 'washhand': 18999, 'bonnbread': 19000, 'dollargeneral': 19001, 'itsupport': 19002, '2bn': 19003, 'trim': 19004, 'outlay': 19005, 'theeconomist': 19006, 'g20saudiarabia': 19007, 'oilwar': 19008, 'fighter': 19009, 'peple': 19010, 'monitored': 19011, 'igetit': 19012, 'multiplesclerosis': 19013, 'chronicillness': 19014, 'invercargill': 19015, 'hectic': 19016, 'hqsn': 19017, 'bidder': 19018, 'cheeseheads': 19019, 'downtownomaha': 19020, 'paperless': 19021, 'rothschild': 19022, 'heated': 19023, 'hinder': 19024, 'trendy': 19025, 'sephora': 19026, 'smuggling': 19027, 'growthop': 19028, '700k': 19029, 'aitkin': 19030, 'sheriff': 19031, 'vomming': 19032, 'cosatu': 19033, '014': 19034, 'summed': 19035, 'ludicrous': 19036, 'rallying': 19037, 'zorb': 19038, 'sinkie': 19039, 'pwn': 19040, 'ijs': 19041, 'boostyourimmunesystem': 19042, 'nutraburst': 19043, 'recognizing': 19044, 'bitching': 19045, 'agressive': 19046, 'allyouneedislove': 19047, 'sometime': 19048, 'cheep': 19049, 'boi': 19050, 'famillies': 19051, 'standtogether': 19052, 'spiked': 19053, '198': 19054, '817': 19055, 'croaking': 19056, 'melting': 19057, 'acrylic': 19058, 'etsyshop': 19059, 'keyworkerheroes': 19060, 'helpnhs': 19061, 'inhabitant': 19062, 'couponers': 19063, 'vibing': 19064, 'cracking': 19065, 'sleaze': 19066, 'upcharging': 19067, 'infested': 19068, 'unl': 19069, 'nuforne': 19070, 'nubiz': 19071, 'thanksgiving': 19072, 'shaped': 19073, 'kplccustomercare': 19074, 'moreover': 19075, 'hydrogeneration': 19076, 'dam': 19077, 'incriminated': 19078, 'scapegoat': 19079, 'escaped': 19080, 'miraculously': 19081, 'emerges': 19082, 'clark': 19083, 'orchestrated': 19084, 'lnk': 19085, 'pummels': 19086, 'saket': 19087, 'fiirreedduh': 19088, 'squirt': 19089, 'humberfloob': 19090, 'catinthehat': 19091, 'mrhumberfloob': 19092, 'sanitizepeople': 19093, 'expiry': 19094, 'trumpy': 19095, 'neglect': 19096, 'lodge': 19097, 'newsupdate': 19098, 'flash': 19099, 'unitedagainstdementia': 19100, 'cont': 19101, 'onsite': 19102, 'cookathome': 19103, 'deceiving': 19104, 'denies': 19105, 'gag': 19106, 'shopsmall': 19107, 'beginnerin': 19108, 'cov2': 19109, 'tract': 19110, 'shiva': 19111, 'checker': 19112, 'stillneedbeer': 19113, 'pharmacynsupermarket': 19114, '2348107219389': 19115, 'warren': 19116, 'buffett': 19117, 'directorate': 19118, 'dhofar': 19119, 'governorate': 19120, 'cracked': 19121, 'tailoring': 19122, 'residue': 19123, 'bz': 19124, 'rupture': 19125, 'nunavut': 19126, 'som': 19127, 'rec': 19128, 'conscientious': 19129, 'endanger': 19130, 'authorize': 19131, 'affluent': 19132, 'bleakest': 19133, 'workingfromthefrontlines': 19134, 'wff': 19135, 'distracts': 19136, 'depicted': 19137, 'lauded': 19138, 'savior': 19139, 'lawyer': 19140, 'delive': 19141, 'dancing': 19142, 'greeter': 19143, '435': 19144, '7203': 19145, 'diversified': 19146, 'corporategreed': 19147, 'essentialservices': 19148, 'servic': 19149, '1990': 19150, 'favoured': 19151, 'lfc': 19152, 'youngster': 19153, 'fuckmillenials': 19154, 'helptheelderly': 19155, 'helpthevulnerable': 19156, 'subscribed': 19157, 'liarinchief': 19158, 'lurch': 19159, 'occurrence': 19160, 'elisabeth': 19161, 'selk': 19162, 'underperform': 19163, 'ratio': 19164, 'normalized': 19165, 'sheffield': 19166, 'meadowhall': 19167, 'indifference': 19168, 'pcc': 19169, 'scottoiletpaper': 19170, 'megaroll': 19171, 'demoting': 19172, 'misinfo': 19173, 'telepathy': 19174, 'sanitizeeverything': 19175, 'stayindoorsclub': 19176, 'medrabbits': 19177, '11am': 19178, 'walmartgroceries': 19179, 'martial': 19180, 'defra': 19181, 'georgeeustice': 19182, 'sobering': 19183, 'indigent': 19184, 'ogun': 19185, 'regularize': 19186, 'bekindtogether': 19187, 'grabber': 19188, 'vodafone': 19189, 'retired': 19190, 'seaman': 19191, 'fido': 19192, 'dogsoftwitter': 19193, 'cheek': 19194, 'hyphenated': 19195, 'angst': 19196, 'workathomemomcoletta': 19197, 'wahmc': 19198, 'momlife': 19199, 'operanewshub': 19200, 'stillworking': 19201, 'retailworker': 19202, 'thankyougoselongway': 19203, 'bombaykitchen': 19204, 'allinthistogether': 19205, 'prevails': 19206, 'koebler': 19207, '3mouth': 19208, 'northwest': 19209, 'uco': 19210, 'thinning': 19211, 'congressman': 19212, 'rew': 19213, 'allisonsflour': 19214, 'yeast': 19215, 'mercenary': 19216, 'worldnews': 19217, 'spca': 19218, 'uni': 19219, 'milo': 19220, 'newsagent': 19221, 'panickbuyings': 19222, 'mcdonald': 19223, 'mcrib': 19224, 'hubai': 19225, 'melt': 19226, 'amendment': 19227, 'selfiestick': 19228, 'rubberglove': 19229, 'socialslapping': 19230, 'cerb': 19231, 'coronachella': 19232, 'papajohns': 19233, 'vocation': 19234, 'scc': 19235, 'emphasizes': 19236, 'authenticity': 19237, 'anticounterfeit': 19238, 'mantra': 19239, 'cadiflus': 19240, 'influenzavaccine': 19241, 'preventflu': 19242, 'cadila': 19243, 'vlp': 19244, 'fightflunow': 19245, 'pushkargupta': 19246, 'recieved': 19247, 'notley': 19248, 'metlife': 19249, 'sanatiser': 19250, 'becognizant': 19251, 'tottenham': 19252, 'arsenal': 19253, 'tottenhamhotspur': 19254, 'gooners': 19255, 'todd': 19256, 'hubbs': 19257, 'eugene': 19258, 'consumerwarning': 19259, '500m': 19260, '8b': 19261, 'spared': 19262, 'multimedia': 19263, 'adriana': 19264, 'heldiz': 19265, 'documented': 19266, 'lassens': 19267, 'ncbeer': 19268, 'gf': 19269, 'randalls': 19270, 'interim': 19271, 'patonthebackforfeeders': 19272, 'stylist': 19273, 'hollering': 19274, 'warby': 19275, 'parker': 19276, 'biway': 19277, 'eaton': 19278, 'zellers': 19279, 'engaged': 19280, 'rap': 19281, 'championship': 19282, 'rerun': 19283, 'educational': 19284, 'programming': 19285, 'rohatgi': 19286, 'bunnings': 19287, 'seedling': 19288, 'helpfight': 19289, 'fmi': 19290, 'masscrowd': 19291, 'hadenoughofcustomers': 19292, 'securityguard': 19293, '13hourdays': 19294, 'bum': 19295, 'denier': 19296, 'electronic': 19297, 'tithe': 19298, 'forebodes': 19299, 'feedstock': 19300, '40kr': 19301, '100kr': 19302, 'imported': 19303, 'ngn': 19304, '50kg': 19305, '466': 19306, 'pmt': 19307, 'twitchmusic': 19308, 'masnou': 19309, 'albert': 19310, 'gea': 19311, 'lovekeyworkers': 19312, 'creditscore': 19313, 'undertaken': 19314, 'brightfield': 19315, 'indicated': 19316, 'yoda': 19317, 'r2': 19318, 'r2d2': 19319, 'intrusive': 19320, 'fabricated2': 19321, 'credential': 19322, 'pii': 19323, 'bjams2am': 19324, 'belindaus': 19325, 'hb415': 19326, 'notoiletpaper': 19327, 'nohandshakes': 19328, 'nohandsanitizer': 19329, 'modus': 19330, 'empower': 19331, 'avalanche': 19332, 'biogas': 19333, 'sohnaasim': 19334, 'gocoronacoronago': 19335, 'dhinchakpooja': 19336, 'indiapaysafe': 19337, 'wames': 19338, 'cymraeg': 19339, 'usability': 19340, 'unsociable': 19341, 'yeehaa': 19342, 'sustainably': 19343, 'wsfcu': 19344, 'financialeducation': 19345, 'composition': 19346, 'dynata': 19347, 'togetherapart': 19348, '677': 19349, 'mbtu': 19350, 'neurotypicals': 19351, 'coroma': 19352, 'imbecile': 19353, 'batflu': 19354, 'diabeetus': 19355, 'wilfordbrimley': 19356, 'econo': 19357, 'confirman': 19358, 'empleado': 19359, 'administrativo': 19360, 'centro': 19361, 'distribuci': 19362, 'entrega': 19363, 'cadena': 19364, 'isla': 19365, 'dio': 19366, 'positivo': 19367, 'llevaba': 19368, 'trabajando': 19369, 'forma': 19370, 'remota': 19371, 'publishing': 19372, 'yogaforcorona': 19373, 'crea': 19374, 'hydroponic': 19375, 'choke': 19376, 'onlyessentials': 19377, 'annually': 19378, 'calmly': 19379, 'dexter': 19380, 'thillien': 19381, 'transformative': 19382, 'netelixir': 19383, 'subsequently': 19384, 'vod': 19385, 'multiroom': 19386, 'sorted': 19387, 'smarttv': 19388, 'jeopardize': 19389, 'willingness': 19390, 'gatto': 19391, 'badboy': 19392, 'impracticaljokers': 19393, 'cocaine': 19394, 'pok': 19395, 'pokemonswordshield': 19396, 'petco': 19397, 'referred': 19398, 'goerge': 19399, 'troy': 19400, 'matthew': 19401, 'overpay': 19402, 'responsiveness': 19403, 'introverted': 19404, 'boring': 19405, 'empath': 19406, 'positivevibes': 19407, 'estrange': 19408, 'soapandestrange': 19409, 'washtocare': 19410, 'socialdistancingworksstaysafe': 19411, 'astronomically': 19412, 'infarm': 19413, 'evita': 19414, 'agtech': 19415, 'agritech': 19416, 'f3tech': 19417, 'parksville': 19418, 'arrowsmith': 19419, 'givinghopetoday': 19420, 'dtrump': 19421, 'sufferer': 19422, 'foodwars': 19423, 'mwananchi': 19424, '3h': 19425, 'careless': 19426, 'grump': 19427, 'widowed': 19428, 'jaime': 19429, 'harrison': 19430, 'rearrange': 19431, 'kask': 19432, 'bs3': 19433, 'whiskeybusiness': 19434, 'haram': 19435, 'uneducatedscrotes': 19436, 'farmersareessential': 19437, 'blackandwhite': 19438, 'iphoneography': 19439, 'protectandsurvive': 19440, 'blackandwhitephotography': 19441, 'nbcdconditionzulu': 19442, 'rerack': 19443, '2025': 19444, 'jawnz': 19445, 'knob': 19446, 'comeuppance': 19447, 'retirementlife': 19448, 'ageingwell': 19449, 'grumpyoldman': 19450, 'negligence': 19451, 'spurious': 19452, 'stitch': 19453, 'jun': 19454, 'celebrates': 19455, 'departing': 19456, 'antidote': 19457, 'revolutionary': 19458, 'garcetti': 19459, 'fucoronavirus': 19460, 'clogging': 19461, 'exempted': 19462, 'sorrynotsorry': 19463, 'anxietytherapy': 19464, 'mpe': 19465, 'fwp': 19466, 'jillian': 19467, 'macbryde': 19468, 'malvern': 19469, 'peoplearedumb': 19470, 'tadcaster': 19471, 'fivefold': 19472, 'irctc': 19473, 'platformticketprice': 19474, 'travelnews': 19475, 'travelobiz': 19476, 'applicable': 19477, 'idsa': 19478, 'misconception': 19479, 'smbs': 19480, 'marketingtools': 19481, 'admire': 19482, 'decisiveness': 19483, 'wholesaled': 19484, 'tone': 19485, 'poirier': 19486, 'unh': 19487, 'homelessness': 19488, 'chapple': 19489, 'occassions': 19490, 'yipes': 19491, 'innocuous': 19492, 'burying': 19493, 'graf': 19494, 'cremating': 19495, 'marssai': 19496, 'translated': 19497, 'brisk': 19498, 'middleeast': 19499, 'verticalfarming': 19500, 'kung': 19501, 'wala': 19502, 'naman': 19503, 'kayong': 19504, 'bilhin': 19505, 'labas': 19506, 'papa': 19507, 'carrefour': 19508, 'typical': 19509, 'anthrax': 19510, 'bayer': 19511, 'hhs': 19512, 'airplane': 19513, 'adopts': 19514, 'stopairingtrump': 19515, 'ramen': 19516, 'boyardee': 19517, 'thelordprovides': 19518, 'taiwanese': 19519, 'exportation': 19520, 'formation': 19521, 'owcovid19': 19522, 'exclude': 19523, 'flattenthe': 19524, 'fossilfuel': 19525, 'beforehand': 19526, 'stophoardingtoiletpaper': 19527, 'youaretheproblem': 19528, 'shamibrahim': 19529, 'habe': 19530, '2014': 19531, 'lifeboat': 19532, 'videoeditor': 19533, 'videoediting': 19534, 'bookboost': 19535, 'iartg': 19536, 'mybookagents': 19537, 'itc': 19538, 'preston': 19539, 'itvnews': 19540, 'relate': 19541, 'washyourself': 19542, 'costner': 19543, 'thepostman': 19544, 'kevincostner': 19545, 'retailmatters': 19546, 'apocaliptic': 19547, 'bob': 19548, 'habitat': 19549, 'wheresthetoiletpaper': 19550, 'countered': 19551, 'carrie': 19552, 'underwood': 19553, 'newworldorder': 19554, 'caseysthoughts': 19555, 'homestead': 19556, 'eastereggs': 19557, 'sparsely': 19558, 'trail': 19559, 'overshoot': 19560, 'delistings': 19561, '148': 19562, 'realestatenews': 19563, 'expedition': 19564, 'useyourkokote': 19565, 'undeniably': 19566, 'kpmg': 19567, 'schmeling': 19568, 'kashish': 19569, 'fol': 19570, 'essentias': 19571, 'abrupt': 19572, 'textile': 19573, 'shoemaking': 19574, 'mindless': 19575, 'pursued': 19576, 'shopbarefoot': 19577, 'gonoles': 19578, 'fsu': 19579, 'floridastateuniversity': 19580, 'seminole': 19581, 'fleece': 19582, 'masking': 19583, 'makeshift': 19584, 'mmnewstv': 19585, 'supportnurses': 19586, 'kyliejenner': 19587, 'lucas': 19588, 'fuess': 19589, 'highground': 19590, 'housekeeper': 19591, 'reup': 19592, 'fvcking': 19593, 'excluding': 19594, 'dallasnativeteam': 19595, 'dpmre': 19596, 'dallasrealestate': 19597, 'peoplefirst': 19598, 'elevatingrealestate': 19599, 'lastingrelationships': 19600, 'dallasnativelife': 19601, 'antivaxxers': 19602, 'maharashtrasainik': 19603, 'hallandale': 19604, 'socialdista': 19605, 'uncrustables': 19606, 'coronatime': 19607, 'sova': 19608, 'nsa': 19609, 'cryptologist': 19610, 'mathematician': 19611, 'onlineshoppingapps': 19612, 'lockdownshoppingapps': 19613, 'sip': 19614, 'pulp': 19615, 'barmy': 19616, 'chilloutforfucksake': 19617, 'equation': 19618, 'comeonboris': 19619, 'fml': 19620, 'foodproduction': 19621, 'collaborated': 19622, 'rj': 19623, 'deriving': 19624, 'highered': 19625, 'readjust': 19626, 'ftse100': 19627, 'singleton': 19628, 'wooden': 19629, 'shopnaw': 19630, 'safeshop': 19631, 'mikayla': 19632, 'torwards': 19633, 'replaces': 19634, '360': 19635, 'hortons': 19636, 'hybrid': 19637, 'underweighting': 19638, 'overweighting': 19639, 'lombardy': 19640, 'hesitated': 19641, 'czkrapgyfg': 19642, 'alrea': 19643, 'outoftoiletpaper': 19644, 'wellcrap': 19645, 'ohshittheregoestheplanet': 19646, 'suitcase': 19647, 'moco': 19648, 'algorithmic': 19649, 'systemically': 19650, 'streamed': 19651, 'sheep365': 19652, 'farminguk': 19653, 'nationalistic': 19654, 'tearing': 19655, 'jokingly': 19656, 'yelling': 19657, 'frazis': 19658, 'getyourtribble': 19659, 'hatecrime': 19660, 'dwnews': 19661, 'grieving': 19662, 'haulier': 19663, 'quarentined': 19664, 'beautybrands': 19665, 'rethinkretail': 19666, 'fu': 19667, 'flowy': 19668, 'swamp': 19669, 'velocity': 19670, 'mural': 19671, 'chalk': 19672, '2019ncov': 19673, 'washingtonheights': 19674, 'nstnation': 19675, 'jalan': 19676, 'tuanku': 19677, 'rahman': 19678, 'masjidindia': 19679, 'underwent': 19680, 'jalantar': 19681, 'disheartening': 19682, 'podesta': 19683, 'smithfield': 19684, 'dieseas': 19685, 'francis': 19686, 'purposewash': 19687, 'bluff': 19688, 'workersoftheworldunite': 19689, 'za': 19690, '304': 19691, 'distressed': 19692, 'sttaconsulting': 19693, 'waitlist': 19694, 'sd13': 19695, 'district13': 19696, '10kg': 19697, 'tamma': 19698, 'shelterathome': 19699, 'prayforourhealthcareworkers': 19700, 'indianexpress': 19701, 'enzymatic': 19702, 'biosensors': 19703, 'restarted': 19704, 'recycled': 19705, 'squeezing': 19706, 'flatearth': 19707, 'vids': 19708, 'fentanyl': 19709, 'wuhancoronavirusoutbreak': 19710, 'microbiologist': 19711, 'weathering': 19712, 'alosra': 19713, 'sar': 19714, 'najibi': 19715, 'perplexing': 19716, 'feasible': 19717, 'technological': 19718, 'blocker': 19719, 'topper': 19720, 'resolution': 19721, 'circulation': 19722, 'fascination': 19723, 'ingenuity': 19724, 'illusory': 19725, 'wpost': 19726, 'reprinted': 19727, 'retur': 19728, 'geometry': 19729, 'exhaust': 19730, 'esa': 19731, 'pip': 19732, 'justin': 19733, 'wedged': 19734, 'giggle': 19735, 'reimburse': 19736, 'reshaped': 19737, 'reinforced': 19738, 'j3gxbg5kj1': 19739, 'hdhpqoqsiu': 19740, 'cooronavirus': 19741, 'generator': 19742, 'duly': 19743, 'tylenol': 19744, 'horizon': 19745, 'bradco': 19746, 'refrigeration': 19747, 'imee': 19748, 'marcos': 19749, 'hasten': 19750, 'hairstore': 19751, 'togetherky': 19752, 'downtownrochestermn': 19753, 'frequenting': 19754, 'rochester': 19755, 'samoa': 19756, 'frankie': 19757, 'designing': 19758, 'anjalilai': 19759, 'pandemicex': 19760, 'roadshow': 19761, 'instructional': 19762, 'refilling': 19763, 'generously': 19764, 'stoppanicbuyingsouthafrica': 19765, 'yu': 19766, 'wellnesswednesday': 19767, 'quarantinezone': 19768, '24hrs': 19769, '500ml': 19770, '02268443322': 19771, '9186958': 19772, '86958': 19773, 'doldrums': 19774, 'frisco': 19775, 'markethive': 19776, 'ctsi': 19777, 'appalled': 19778, '08082231133': 19779, 'lothians': 19780, 'sociology': 19781, 'inexplicable': 19782, 'reprehen': 19783, 'bglutenfree': 19784, 'simplygf': 19785, 'gfcommunity': 19786, 'gemcityfinefoods': 19787, 'jalanalanakanakakak': 19788, 'newreality': 19789, 'humpdaayy': 19790, 'gervasi': 19791, 'panda': 19792, 'unclerich': 19793, 'sepan': 19794, 'gatewaycityradio': 19795, 'laredoaf': 19796, 'fromthebordertotheworld': 19797, 'washyohands': 19798, 'washyoass': 19799, 'tpforthebunghole': 19800, 'garland': 19801, 'adfarm': 19802, 'nourish': 19803, 'annmcarthur': 19804, 'widji': 19805, 'widji20': 19806, 'itsmycamp': 19807, 'resilientyouth': 19808, 'comprises': 19809, 'cegeps': 19810, 'warfare': 19811, 'carnal': 19812, 'mighty': 19813, 'actsofkindness': 19814, 'unsurprising': 19815, 'seth': 19816, 'mendelson': 19817, 'storebrands': 19818, 'diversion': 19819, 'wager': 19820, 'compact': 19821, 'tater': 19822, 'tot': 19823, 'kafayat': 19824, 'shafau': 19825, 'ameh': 19826, 'edun': 19827, 'lingards': 19828, 'colruyt': 19829, 'marriage': 19830, 'wilm': 19831, 'installers': 19832, 'lulumallfujairah': 19833, 'electricitymarkets': 19834, 'renewableenergy': 19835, 'ttf': 19836, 'vaporisation': 19837, 'craigslist': 19838, 'dean': 19839, 'amler': 19840, 'bon': 19841, 'apetit': 19842, 'reconvene': 19843, 'ubi': 19844, 'optimal': 19845, 'washyourbutt': 19846, 'lynette': 19847, 'holmes': 19848, 'financiallaws': 19849, 'finnish': 19850, 'finn': 19851, 'jealous': 19852, 'whacked': 19853, 'shovel': 19854, 'corpse': 19855, 'oblivion': 19856, 'skinnywine': 19857, 'skinnybooze': 19858, 'economiclaws': 19859, 'chestnut': 19860, 'keepitonthehill': 19861, 'chestnuthillpa': 19862, 'eastlondon': 19863, 'calgaryalberta': 19864, 'famers': 19865, 'diamond': 19866, 'medicaid': 19867, '432': 19868, '9257': 19869, 'shine': 19870, 'exhoberent': 19871, 'cargill': 19872, 'hazleton': 19873, 'riodejaneiro': 19874, 'brasil': 19875, 'chinaisasshoe': 19876, 'ripponden': 19877, 'levity': 19878, 'jest': 19879, 'palmer': 19880, 'nailed': 19881, 'rooivleis': 19882, 'quadrupled': 19883, 'yen': 19884, 'straightforward': 19885, 'angle': 19886, 'feedingkindness': 19887, 'understocked': 19888, '275m': 19889, 'syndrome': 19890, 'haller': 19891, 'motivation': 19892, 'sunshinecoastbc': 19893, 'knockitoff': 19894, 'ann': 19895, 'hui': 19896, 'kathryn': 19897, 'blaze': 19898, 'baum': 19899, 'symbolic': 19900, 'hove': 19901, 'devoid': 19902, 'twix': 19903, 'livingwage': 19904, 'trumpers': 19905, 'struggleisreal': 19906, 'dsnap': 19907, 'farce': 19908, 'obtuse': 19909, 'quarantineonlineparty': 19910, 'calderaarriba': 19911, 'usps': 19912, 'reconstruction': 19913, 'murdering': 19914, 'trooper': 19915, 'sync': 19916, 'wwd': 19917, 'eyeglass': 19918, 'abyss': 19919, 'refers': 19920, 'probable': 19921, 'mov': 19922, 'simmons': 19923, 'certainty': 19924, 'hmart': 19925, 'stephanie': 19926, 'meier': 19927, 'pacheco': 19928, 'housingcrisis': 19929, 'bersesak': 19930, 'kat': 19931, 'hancur': 19932, 'hajj': 19933, 'umrah': 19934, 'tera': 19935, 'kya': 19936, 'hoga': 19937, 'kaalia': 19938, 'unreasonable': 19939, 'edged': 19940, 'littlehelp': 19941, 'vent': 19942, 'sixfeetaway': 19943, 'wegotthiswa': 19944, 'this2020': 19945, 'lifeinthetimeofcorona': 19946, 'transfering': 19947, 'jessyelevators': 19948, 'tescoklong4': 19949, 'schindlerelevator': 19950, 'bureaucratic': 19951, 'paperwork': 19952, 'propertynews': 19953, 'canteen': 19954, 'scho': 19955, 'vit': 19956, 'enriched': 19957, 'guin': 19958, 'quantify': 19959, 'identifying': 19960, 'gwinnett': 19961, 'replenishes': 19962, 'deliverwho': 19963, 'srvc': 19964, 'saa': 19965, 'gauteng': 19966, 'amharic': 19967, 'vietnamese': 19968, 'notable': 19969, 'newmr': 19970, 'upsers': 19971, 'santizing': 19972, 'mack': 19973, 'cik': 19974, 'anne': 19975, 'akka': 19976, 'stan': 19977, 'delusional': 19978, 'invoking': 19979, 'aimsinternational': 19980, 'globalconsumerpractice': 19981, 'findandgrowleaders': 19982, 'vanished': 19983, 'cnb': 19984, 'bokakhat': 19985, 'quilted': 19986, 'ecb': 19987, 'azhar': 19988, 'markup': 19989, 'deffer': 19990, 'sbp': 19991, 'perssuer': 19992, 'alrighty': 19993, 'richardson': 19994, '6yrs': 19995, 'onevoice': 19996, 'ageconcern': 19997, 'dwpcrimes': 19998, 'magmt': 19999, 'siete': 20000, 'degli': 20001, 'animali': 20002, 'corvid19fr': 20003, 'retweeted': 20004, 'napa': 20005, 'bubl': 20006, 'mek': 20007, 'tek': 20008, 'notsponsored': 20009, 'bx': 20010, 'thisiswhy': 20011, 'noonedoesnothing': 20012, 'constructed': 20013, 'bandanna': 20014, 'convo': 20015, 'stateswoman': 20016, 'bulandshahr': 20017, 'buried': 20018, 'keepmoving': 20019, 'breakcorona': 20020, 'jaunt': 20021, 'deviated': 20022, 'trackie': 20023, 'dacks': 20024, 'fleecy': 20025, 'hoodies': 20026, 'crocheted': 20027, 'rug': 20028, 'investigates': 20029, 'excercise': 20030, 'lautoka': 20031, 'greenford': 20032, 'spreadtheword': 20033, 'parkmead': 20034, 'pmg': 20035, 'uckfield': 20036, 'coronaviru': 20037, 'abyssals': 20038, 'thingsiwontapologizefor': 20039, 'armesdeutschland': 20040, 'thoug': 20041, 'quedateentucasa': 20042, 'escena': 20043, 'repite': 20044, 'alrededor': 20045, 'mundo': 20046, 'estados': 20047, 'unidos': 20048, 'francia': 20049, 'espa': 20050, 'dejado': 20051, 'vac': 20052, 'estantes': 20053, 'destinados': 20054, 'papel': 20055, 'higi': 20056, 'nico': 20057, 'medio': 20058, 'por': 20059, 'nuevo': 20060, 'healthday': 20061, 'galore': 20062, 'fulfil': 20063, 'polythene': 20064, 'reiterating': 20065, 'fjunited': 20066, 'geoff': 20067, 'toiletpapier': 20068, 'odishafightscorona': 20069, 'escapee': 20070, 'stain': 20071, 'coveryourmouth': 20072, 'mouthwash': 20073, 'closeup': 20074, '114': 20075, 'manuka': 20076, 'westbury': 20077, 'trym': 20078, 'ilford': 20079, 'doncaster': 20080, 'mccolls': 20081, 'berth': 20082, 'incorrectly': 20083, 'powderedface': 20084, 'stuckathome': 20085, 'artistinresidence': 20086, 'interiordesignideas': 20087, 'interiordesign': 20088, 'tweeps': 20089, 'vestibule': 20090, 'usdot': 20091, 'olderadults': 20092, 'emojis': 20093, 'fringing': 20094, 'carparks': 20095, 'waiter': 20096, 'mettitilamascherinacazzo': 20097, '892': 20098, 'foodhoaders': 20099, 'coronainnyc': 20100, 'coronainny': 20101, 'regulatethe': 20102, '50ml': 20103, 'r100': 20104, 'humanrightsday': 20105, 'savelivesstayhome': 20106, 'realising': 20107, 'ccpa': 20108, 'clarity': 20109, '462001': 20110, 'insulin': 20111, 'lilly': 20112, 'killerkyl88': 20113, 'healthylivinginsideandout': 20114, 'ravioli': 20115, 'cancelthat': 20116, 'coa': 20117, 'crim': 20118, 'lawyerly': 20119, 'uncovered': 20120, 'reputationmanagement': 20121, 'reptrak': 20122, 'groovy': 20123, 'whoopi': 20124, 'goldberg': 20125, 'thali': 20126, 'dedicating': 20127, 'debated': 20128, 'shithouses': 20129, 'covidma': 20130, 'scavenge': 20131, 'benfeldman': 20132, 'smartkid': 20133, 'superjewflair': 20134, 'flair': 20135, 'bartender': 20136, 'liqour': 20137, 'rockstar': 20138, 'therainking': 20139, 'necessitate': 20140, 'chickpea': 20141, 'foo': 20142, 'alexandria': 20143, 'microwaveable': 20144, 'um': 20145, 'babe': 20146, 'hotdog': 20147, 'bmovie': 20148, 'disastermovie': 20149, 'moonpies': 20150, 'emptiest': 20151, '30p': 20152, 'albanian': 20153, 'albania': 20154, 'tirana': 20155, 'attracting': 20156, 'artnaturals': 20157, '236ml': 20158, 'jojoba': 20159, 'alovera': 20160, 'fashionisland': 20161, 'thepromenade': 20162, 'bigc': 20163, 'gourmetmarket': 20164, 'asphalt9': 20165, 'asphalt9legends': 20166, 'rimacctwo': 20167, 'koronawirus': 20168, 'kwaichungmysupport': 20169, 'usconsumers': 20170, 'consumersurvey': 20171, 'voiceofthecustomer': 20172, 'singaporean': 20173, 'photographed': 20174, 'welcomehome': 20175, 'longday': 20176, '519': 20177, '738': 20178, '2241': 20179, 'bowlinggreen': 20180, '5x': 20181, 'offense': 20182, 'codice': 20183, 'penale': 20184, '501bis': 20185, 'moderated': 20186, 'alchohol': 20187, 'irs': 20188, 'agsiw': 20189, 'nasser': 20190, 'saidi': 20191, 'mogielnicki': 20192, 'panelist': 20193, 'myopinion': 20194, '149': 20195, 'costa': 20196, 'luminosa': 20197, 'marseille': 20198, 'disembark': 20199, 'barred': 20200, 'docking': 20201, 'costaluminosa': 20202, 'instantly': 20203, 'devalued': 20204, 'manure': 20205, 'pit': 20206, 'sucka': 20207, 'wishlist': 20208, 'pregga': 20209, 'gsa': 20210, 'governmentcont': 20211, 'geezus': 20212, 'cocooning': 20213, 'charles': 20214, 'secondhand': 20215, 'pawn': 20216, 'fiberglass': 20217, 'inground': 20218, 'snyder': 20219, '013': 20220, 'wors': 20221, 'jo': 20222, 'isolat': 20223, 'grimsby': 20224, 'publicpanic': 20225, 'socialsafety': 20226, 'luckyducker': 20227, 'silenthill2': 20228, 'silenthill': 20229, 'basf': 20230, 'belongatbasf': 20231, 'mousemat': 20232, 'rallied': 20233, 'alongside': 20234, '1650': 20235, 'hail': 20236, 'socoialism': 20237, 'ramgarh': 20238, 'kris': 20239, 'hamer': 20240, 'xander': 20241, 'friedl': 20242, 'nder': 20243, 'rodewayinnla': 20244, 'trumpadministration': 20245, 'trumpslump': 20246, 'goc': 20247, 'borro': 20248, 'chch': 20249, 'bomber': 20250, 'sunnyside': 20251, 'greenpoint': 20252, '1104': 20253, '718': 20254, '752': 20255, '1931': 20256, 'sustenance': 20257, 'incomed': 20258, 'lastmanstanding': 20259, 'enfield': 20260, '143': 20261, 'yarra': 20262, 'dinsdale': 20263, 'battlefield': 20264, 'genocide': 20265, 'atrocity': 20266, 'aerial': 20267, 'manna': 20268, 'quant': 20269, 'quake': 20270, 'knowwhentowearamask': 20271, 'wearecput': 20272, 'wearecputmedia': 20273, 'bb20': 20274, 'tbt': 20275, 'hgtv': 20276, 'milaniplumbing': 20277, 'plumbing': 20278, 'airconditioning': 20279, 'tonite': 20280, 'eventful': 20281, 'unicornday': 20282, 'reasi': 20283, 'fcs': 20284, 'whatsapp70067': 20285, '47305': 20286, '94192': 20287, '45670': 20288, 'adcapdrsi': 20289, 'ww': 20290, 'drafted': 20291, 'kagame': 20292, 'jameson': 20293, 'whitman': 20294, 'plaza': 20295, 'uniquetimes': 20296, 'sol': 20297, 'eccentricgin': 20298, 'welshgin': 20299, 'badbusiness': 20300, 'wale': 20301, 'yielding': 20302, 'exceed': 20303, 'baton': 20304, 'rouge': 20305, 'sayin': 20306, 'youthful': 20307, 'builder': 20308, 'indiafightcorona': 20309, 'graphzoid': 20310, 'courageous': 20311, 'intrepid': 20312, 'stockman': 20313, 'dice': 20314, 'charisma': 20315, 'frontlineworkers': 20316, 'bendthecurve': 20317, 'confessionsofashopaholic': 20318, 'adorables': 20319, '19fr': 20320, 'pimentel': 20321, 'gettested': 20322, 'coronapanic': 20323, 'martiallaw': 20324, 'ghs': 20325, 'villieria': 20326, 'r1600': 20327, 'attire': 20328, 'salette': 20329, 'centrelink': 20330, 'scottmorrison': 20331, 'lnp': 20332, 'inaugural': 20333, 'modify': 20334, 'stayhomestayhealthy': 20335, 'visible': 20336, 'acknowledge': 20337, 'beeton': 20338, 'benefitted': 20339, 'rosneft': 20340, 'elliot': 20341, 'abrams': 20342, 'sidelining': 20343, 'guaido': 20344, 'maduro': 20345, 'gentles': 20346, 'fmr': 20347, 'shameonsky': 20348, 'purchaselimits': 20349, 'essentialliving': 20350, 'ripoffmerchant': 20351, 'moisturiser': 20352, 'unbritish': 20353, 'inferred': 20354, 'borisajoke': 20355, 'parttimeprimeminister': 20356, 'backdoorboris': 20357, 'sacrificing': 20358, 'grieve': 20359, '122': 20360, 'wegman': 20361, 'proverbs31': 20362, 'riseup': 20363, 'spiritualfamily': 20364, 'fybne4vlyh': 20365, 'desinfections': 20366, 'havefun': 20367, 'uotech': 20368, 'senseofhumor': 20369, 'concentrated': 20370, 'cairn': 20371, 'methanol': 20372, 'aggravates': 20373, 'unprovoked': 20374, 'disfigured': 20375, 'supermarkt': 20376, 'koeln': 20377, 'deployment': 20378, 'coupla': 20379, 'jemima': 20380, 'pedigree': 20381, 'focussing': 20382, 'aglaw': 20383, 'disagree': 20384, 'aspiration': 20385, 'expectmore': 20386, 'nipped': 20387, 'dogma': 20388, 'consumertrends': 20389, 'therein': 20390, 'financialassistance': 20391, 'financialliteracy': 20392, 'ineedppenow': 20393, 'maskshortage': 20394, 'militray': 20395, 'bein': 20396, 'comin': 20397, 'somethin': 20398, 'stink': 20399, 'puttin': 20400, 'xtra': 20401, 'reg': 20402, 'misfit': 20403, 'promo': 20404, 'cookwme': 20405, 'fe8vlt': 20406, 'stayinghome': 20407, '4400': 20408, 'liartrump': 20409, 'flatly': 20410, 'soopers': 20411, 'thirdly': 20412, 'bwcdeals': 20413, 'carluccios': 20414, 'ehbot': 20415, 'forbearance': 20416, 'overdraft': 20417, 'diclemente': 20418, 'carp01': 20419, 'thirteen': 20420, 'msgulfcoast': 20421, 'abc730': 20422, 'credibility': 20423, 'wearestillhereforyou': 20424, 'gachibowli': 20425, 'manikonda': 20426, 'alkapur': 20427, 'narsingi': 20428, 'rort': 20429, 'viable': 20430, 'preview': 20431, 'comme': 20432, 'raoult': 20433, 'beaucoup': 20434, 'lui': 20435, 'font': 20436, 'confiance': 20437, 'tends': 20438, 'grainger': 20439, 'capitel': 20440, 'nexus': 20441, 'clearair': 20442, 'morphed': 20443, 'positional': 20444, 'makarna': 20445, 'worldcorona': 20446, '630pm': 20447, 'yegfood': 20448, 'yegvegan': 20449, 'keepingclean': 20450, 'freshbread': 20451, 'muffin': 20452, 'feedingoursouls': 20453, 'feedingthepublic': 20454, 'demerit': 20455, 'bristol': 20456, 'euf': 20457, 'bleeds': 20458, 'elephant': 20459, 'elderlyperson': 20460, 'comorbids': 20461, 'cobbcounty': 20462, 'complexity': 20463, 'aerodynamics': 20464, 'troubled': 20465, '2020is': 20466, 'hotlines': 20467, 'apupdates': 20468, 'responsive': 20469, 'scaling': 20470, 'undignified': 20471, 'groepsimmuniteit': 20472, 'fixitnow': 20473, 'telanganafightscorona': 20474, 'thankatruckdriver': 20475, 'authorisation': 20476, 'mkinsights': 20477, 'trilby': 20478, 'lundberg': 20479, 'monium': 20480, 'hastings': 20481, 'eggplant': 20482, 'apricot': 20483, 'harissa': 20484, 'roasted': 20485, 'malay': 20486, 'ncat': 20487, '3dprinting': 20488, 'precautionsofcoronavirus': 20489, 'handwashchallenge': 20490, 'keephygine': 20491, 'coronajihad': 20492, 'eiplinfra': 20493, 'lapaloma': 20494, 'apila': 20495, 'luxuryhomes': 20496, 'nasal': 20497, 'gpn': 20498, 'gvc': 20499, 'inquest': 20500, 'inevit': 20501, 'stagnant': 20502, 'staydistance': 20503, 'pakistanarmy': 20504, 'respective': 20505, 'constituency': 20506, 'meandering': 20507, 'hindquarter': 20508, 'englishmuffins': 20509, 'alaga4040': 20510, 'cameltoechallenge': 20511, 'fatihportakalyalnizdegildir': 20512, 'reshapes': 20513, 'delores': 20514, 'ncsolutions': 20515, 'craziest': 20516, 'stunned': 20517, 'dj': 20518, 'djlife': 20519, 'burger': 20520, 'pullman': 20521, 'foodpodcast': 20522, 'easterathome': 20523, 'liner': 20524, 'holidaytrip': 20525, 'ronaldo': 20526, 'leonardodicaprio': 20527, 'worldchange': 20528, 'abelmoreno': 20529, 'heman': 20530, 'mastersoftheuniverse': 20531, 'melonseta': 20532, 'princeadam': 20533, 'berkshire': 20534, 'dinosaurextinction': 20535, 'toiletpaperchaos': 20536, 'dampened': 20537, 'wor': 20538, 'nhl': 20539, 'pealways': 20540, 'stamptheworld': 20541, 'patna': 20542, 'singled': 20543, 'rees': 20544, 'mogg': 20545, 'seating': 20546, 'drugdealers': 20547, 'n8tronic40': 20548, 'dimebags': 20549, 'dimebag': 20550, 'food4thought': 20551, 'prioritizing': 20552, 'meaningfulgrowth': 20553, 'geniouxmg': 20554, 'crushthecurve': 20555, 'geltwo': 20556, '86': 20557, 'streak': 20558, 'lima': 20559, 'polyester': 20560, 'admired': 20561, 'prawn': 20562, 'squid': 20563, 'caterer': 20564, 'kam': 20565, 'directory': 20566, 'confirmation': 20567, 'ucat': 20568, '234': 20569, 'southwark': 20570, 'se16': 20571, '3rw': 20572, 'homebuyers': 20573, 'homesellers': 20574, 'cheadle': 20575, 'vaisman': 20576, 'guaranteeing': 20577, 'reversing': 20578, 'onlinepayment': 20579, 'pretended': 20580, 'mania': 20581, 'extendedlockdown': 20582, '4ish': 20583, 'idontusetwittermuch': 20584, 'professorcj': 20585, 'internment': 20586, 'gmp': 20587, '19920': 20588, 'qty': 20589, 'dissertation': 20590, 'authoritarian': 20591, 'dictatorship': 20592, 'marxist': 20593, 'critique': 20594, 'utahn': 20595, 'farnworth': 20596, 'columbians': 20597, 'bcleg': 20598, '00th': 20599, 'overused': 20600, 'disagreement': 20601, 'overload': 20602, 'naples': 20603, 'perceived': 20604, 'hull': 20605, 'invests': 20606, 'njbanks': 20607, 'oregonian': 20608, 'yogalesson': 20609, 'sexlife': 20610, 'talktoeachother': 20611, '12th': 20612, 'barcode': 20613, 'customary': 20614, '530': 20615, 'x121': 20616, 'usausausa': 20617, 'every1': 20618, 'sickleave': 20619, 'srpeading': 20620, 'ramaphosa': 20621, 'mysouthafricans': 20622, 'summarize': 20623, 'multifamily': 20624, 'northumberland': 20625, 'viligant': 20626, 'p35gzkdnn7': 20627, 'illogical': 20628, 'lit': 20629, 'curt': 20630, 'larson': 20631, 'productdescriptions': 20632, 'toiletpapermeme': 20633, 'hartzell': 20634, 'cranga': 20635, 'barrett': 20636, 'nutraceuticals': 20637, 'allstate': 20638, 'geico': 20639, 'progressive': 20640, 'agreeing': 20641, 'policyholder': 20642, 'tpci': 20643, 'wecare': 20644, 'zuku': 20645, 'blueberry': 20646, 'caronavirusaus': 20647, 'royalty': 20648, 'palace': 20649, 'cricketer': 20650, 'cam': 20651, 'richardism': 20652, 'believer': 20653, 'endthelockdown': 20654, 'stopthestupid': 20655, 'coronaapocalypse': 20656, 'humorcoronavirus': 20657, 'factcheck': 20658, 'landfall': 20659, '0541296': 20660, 'uselessness': 20661, 'staysafestayhom': 20662, 'boc': 20663, 'intensified': 20664, '0214996028': 20665, 'nan': 20666, 'facetimed': 20667, 'womenpeacebuilders': 20668, 'ctu': 20669, 'paridaias': 20670, 'obtained': 20671, 'munch': 20672, 'boldly': 20673, 'privately': 20674, 'huawei': 20675, '553': 20676, '790': 20677, 'stemming': 20678, 'redoubled': 20679, 'coronavisurs': 20680, 'mustapha': 20681, 'allamin': 20682, 'opelika': 20683, 'fuller': 20684, 'snappy': 20685, 'slogan': 20686, 'messy': 20687, 'handwashes': 20688, 'hindustanunilever': 20689, 'albuquerque': 20690, 'abq': 20691, 'newmexico': 20692, 'reluctantly': 20693, 'ravage': 20694, 'overcoming': 20695, 'tpmp': 20696, 'tpshortage2020': 20697, 'pietre': 20698, 'holistic': 20699, '1968': 20700, 'doomsdayprepper': 20701, 'apologetically': 20702, 'cosumerbehavior': 20703, 'isolationism': 20704, 'advertisingtrends': 20705, 'superbrugsen': 20706, 'ndby': 20707, 'spill': 20708, 'dontpanic': 20709, 'saturdayvibes': 20710, 'akash': 20711, 'smethwick': 20712, 'dusty': 20713, 'gearhard': 20714, 'homeland': 20715, 'richiet': 20716, 'unemploymentinsurance': 20717, 'ohiolockdown': 20718, 'imune': 20719, 'buliders': 20720, 'gojo': 20721, 'jhalakbollywood': 20722, 'jhalakkollywood': 20723, 'jhalaktollywood': 20724, 'shavedonatenominate': 20725, 'marcus': 20726, 'unnoticed': 20727, 'mapoli': 20728, 'wef20': 20729, 'besieged': 20730, 'thetechinfinite': 20731, 'assembles': 20732, 'mzansi': 20733, 'namc': 20734, 'sifiso': 20735, 'ntombela': 20736, 'nu': 20737, 'simon': 20738, 'ttravelandyouwon': 20739, 'tdoit': 20740, 'dundalk': 20741, 'homeschooling': 20742, 'wheeler': 20743, 'callofduty': 20744, 'atv': 20745, 'rtv': 20746, 'recreation': 20747, 'strengthened': 20748, 'vincentian': 20749, '901': 20750, 'braker': 20751, '78758': 20752, 'onlinemarketing': 20753, 'customersatisfaction': 20754, 'electronicsindustry': 20755, 'investmentbanking': 20756, 'settling': 20757, 'infocoronavirus': 20758, 'foodvaluechain': 20759, 'underwear': 20760, 'lingerie': 20761, 'wearyourmask': 20762, 'econmic': 20763, 'fundamental': 20764, 'lifelong': 20765, 'salvador': 20766, 'alternating': 20767, 'no1': 20768, 'bouncer': 20769, 'ebaypricegouging': 20770, 'discovering': 20771, '128': 20772, 'tfeu': 20773, 'softest': 20774, 'postpandemic': 20775, 'killit': 20776, 'jasmine': 20777, 'rvaca': 20778, 'starlingbank': 20779, 'paywall': 20780, 'castlevania': 20781, 'dispatcher': 20782, 'resturants': 20783, 'peckham': 20784, 'erdogan': 20785, 'ramesh': 20786, 'ind': 20787, 'verma': 20788, 'cornholio': 20789, 'beavisandbutthead': 20790, 'pineapple': 20791, 'thediamondloupe': 20792, 'tier': 20793, 'petra': 20794, 'fdacs': 20795, 'sny': 20796, '87': 20797, 'ifa': 20798, 'mymoney': 20799, 'reviewing': 20800, 'superblue': 20801, 'sham': 20802, 'charlatan': 20803, 'curtain': 20804, 'buenos': 20805, 'aire': 20806, 'yasky': 20807, 'sappy': 20808, 'proje': 20809, 'simulates': 20810, 'pathogenic': 20811, 'continuously': 20812, 'altercation': 20813, 'globalization': 20814, 'magento': 20815, 'magedia': 20816, 'icmyi': 20817, 'nat': 20818, 'fresno': 20819, 'interpol': 20820, 'unfamiliar': 20821, 'ferocity': 20822, 'witnessing': 20823, 'northsomerset': 20824, 'westonsupermare': 20825, 'exerciseathome': 20826, 'bustling': 20827, 'deborah': 20828, 'callingwood': 20829, 'ridiculed': 20830, 'upmost': 20831, 'downhill': 20832, 'doorknob': 20833, 'moisturizer': 20834, 'virology': 20835, 'interior': 20836, 'didyouknow': 20837, 'moistwipes': 20838, 'disinfectantwipes': 20839, 'wheels24': 20840, 'completes': 20841, 'basement': 20842, 'penguin': 20843, 'whale': 20844, 'installing': 20845, 'wpi': 20846, 'wpidata': 20847, 'digitalbanking': 20848, 'mountaineer': 20849, 'maryannfishing': 20850, 'allnatural': 20851, 'dearbernie': 20852, 'maslow': 20853, 'hierarchy': 20854, 'vigorous': 20855, 'silverlinings': 20856, 'nay': 20857, 'sayers': 20858, 'mjt': 20859, 'vegetableoils': 20860, 'freakonomics': 20861, 'podium': 20862, 'impractical': 20863, 'differs': 20864, 'wildly': 20865, 'improving': 20866, 'buybooks': 20867, 'stockwell': 20868, 'ada': 20869, 'millenials': 20870, 'genx': 20871, 'zoomers': 20872, 'spin': 20873, 'tolerable': 20874, 'idshield': 20875, 'privacymanagement': 20876, 'wecanhelp': 20877, 'namely': 20878, 'shrewd': 20879, 'manoeuvre': 20880, 'optimizing': 20881, 'beautymatter': 20882, 'humbled': 20883, 'appreciative': 20884, 'mechanic': 20885, 'antibiotic': 20886, 'jackinthebox': 20887, 'studiocity': 20888, 'canyon': 20889, 'mistreat': 20890, 'jackbox': 20891, 'substitution': 20892, 'dontbuythesun': 20893, 'mha': 20894, 'lager': 20895, 'mattieu': 20896, 'stouffers': 20897, 'entree': 20898, 'kn95mask': 20899, 'medicalmask': 20900, 'rampaging': 20901, 'akan': 20902, 'dekat': 20903, 'stesen': 20904, 'balai': 20905, 'dasani': 20906, 'arrowhead': 20907, 'receptionist': 20908, 'kindnesscounts': 20909, 'cone': 20910, 'slavery': 20911, 'plaquenil': 20912, 'prohibitive': 20913, 'nottingham': 20914, 'casualty': 20915, 'flapol': 20916, 'shopclub': 20917, 'staywell': 20918, 'kitten': 20919, 'uhh': 20920, 'nv04': 20921, 'brewdog': 20922, 'seaside': 20923, 'accusing': 20924, 'coneyisland': 20925, 'revise': 20926, 'stalling': 20927, 'wept': 20928, 'dundas': 20929, 'hurontario': 20930, 'stayhomesave': 20931, 'dispersion': 20932, 'informing': 20933, 'attempted': 20934, 'subprime': 20935, 'instinct': 20936, '34kfwlbmsd': 20937, 'fvck': 20938, 'sidneysmithcre8tiv': 20939, 'quadruplethreatstar': 20940, 'standup': 20941, 'nuke': 20942, 'grau': 20943, 'naphtha': 20944, 'languishing': 20945, 'recondition': 20946, 'eod': 20947, 'retraction': 20948, 'westbiloxi': 20949, 'walmarts': 20950, 'behaviorchange': 20951, 'pisano': 20952, 'liberally': 20953, 'foodstorage': 20954, '320': 20955, '330': 20956, 'zealot': 20957, 'magnified': 20958, 'fct': 20959, 'gently': 20960, 'directing': 20961, '4p': 20962, 'prioritized': 20963, 'littering': 20964, 'recyclables': 20965, 'eastenders': 20966, 'ohtogobacktonormal': 20967, 'texpirg': 20968, 'absentee': 20969, 'equifax': 20970, 'experian': 20971, 'idly': 20972, 'voluntary': 20973, 'helicopter': 20974, 'uncontrollable': 20975, 'perso': 20976, 'estonian': 20977, 'engrossed': 20978, 'labelling': 20979, 'gail': 20980, 'sahar': 20981, 'kolobi': 20982, 'knackdown': 20983, 'upandan': 20984, 'brandsvscovid19': 20985, 'changingmarkets': 20986, 'changingconsumers': 20987, 'agmarketingiq': 20988, 'pspcl': 20989, 'csa': 20990, 'ndash': 20991, 'housework': 20992, 'summerlin': 20993, 'boulder': 20994, 'ccsd': 20995, 'ccsdnews': 20996, 'vegasnews': 20997, 'scaremongering': 20998, 'magatrain': 20999, 'magats': 21000, 'gianourmous': 21001, 'falsepanic': 21002, 'worldshutdown': 21003, 'cleric': 21004, 'patreon': 21005, 'icon': 21006, 'discord': 21007, 'nsfw': 21008, 'nerd': 21009, 'appalachia': 21010, 'retaining': 21011, 'kpis': 21012, 'sanitzer': 21013, 'someday': 21014, 'valueless': 21015, 'betterment': 21016, 'itsnottheapocalypse': 21017, 'stoptakingeverything': 21018, 'thinkbeforeyoubuy': 21019, 'adversely': 21020, 'chartered': 21021, 'feedly': 21022, 'hawaiian': 21023, 'foodmanufacturers': 21024, 'esselunga': 21025, 'prato': 21026, 'os': 21027, 'buoyed': 21028, '132': 21029, 'umhlanga': 21030, 'euficoemcasa': 21031, 'futile': 21032, 'kcet': 21033, 'sanantonio': 21034, 'bookshop': 21035, 'cbse': 21036, 'ahsec': 21037, 'examscancelled': 21038, 'puremichigan': 21039, 'restarting': 21040, 'rebooting': 21041, 'yum': 21042, 'fatigue': 21043, '410': 21044, '528': 21045, '8662': 21046, 'heau': 21047, 'working4md': 21048, 'alerta': 21049, 'shitting': 21050, 'mobo': 21051, 'keepcalmandstoppanicbuying': 21052, 'rhe': 21053, 'centennial': 21054, 'motivated': 21055, 'raining': 21056, 'angelenos': 21057, 'pumpkin': 21058, 'bordering': 21059, 'vulnrable': 21060, 'vari': 21061, 'meetingthechallenges': 21062, 'lessens': 21063, 'fhe': 21064, 'tropic': 21065, 'dengue': 21066, 'stalk': 21067, 'hygene': 21068, 'r4today': 21069, 'mufc': 21070, 'cutts': 21071, 'notgalleryinventory': 21072, 'instaart': 21073, 'instaartist': 21074, 'attoftheday': 21075, 'stevecutts': 21076, 'vicki': 21077, 'clc': 21078, 'walgreen': 21079, 'sycophant': 21080, 'oap': 21081, 'bizitalk': 21082, 'initiate': 21083, 'etailers': 21084, 'fuckpanicbuyers': 21085, 'toilettenpapier': 21086, 'mediziner': 21087, 'nennt': 21088, 'symptome': 21089, 'durchfall': 21090, 'sei': 21091, 'selten': 21092, 'gewesen': 21093, 'streeck': 21094, 'squarely': 21095, 'biman': 21096, 'basu': 21097, 'honkhonk': 21098, 'saks': 21099, '6ftapart': 21100, 'siddiqi': 21101, 'socialisolation': 21102, 'comeback': 21103, 'survivalmode': 21104, 'hornsby': 21105, 'illustrates': 21106, 'bl': 21107, 'argusoil': 21108, 'shaft': 21109, 'stopthegreed': 21110, 'classy': 21111, 'groveroes': 21112, 'animalcrossingnewhorizon': 21113, 'mygolfspy': 21114, 'superheros': 21115, 'becauze': 21116, 'surpasses': 21117, 'despot': 21118, 'obsolescent': 21119, 'disproportionately': 21120, 'blackcab': 21121, 'blockade': 21122, 'advising': 21123, 'buoyant': 21124, 'jetty': 21125, 'homebuilder': 21126, 'cattleman': 21127, 'bitdefender': 21128, 'inflammatory': 21129, 'scourge': 21130, 'firmly': 21131, 'scardina': 21132, 'elaborates': 21133, 'rebuild': 21134, 'gracie': 21135, 'heraldsun': 21136, 'petsofinsta': 21137, 'dogsofinstagram': 21138, 'nikonphotography': 21139, 'petphotography': 21140, 'canine': 21141, '9pm': 21142, 'pardeeprofs': 21143, 'latinamerica': 21144, 'straining': 21145, 'nahi': 21146, 'haldi': 21147, 'pani': 21148, 'peenay': 21149, 'nai': 21150, 'marta': 21151, 'neatly': 21152, 'tart': 21153, 'whatthehelldoyouhavetolose': 21154, 'trumptweet': 21155, 'trumptradewar': 21156, 'imi': 21157, 'marketingstrategy': 21158, 'marketingonline': 21159, 'sousa': 21160, 'foolish': 21161, 'accomplished': 21162, 'idontunerstand': 21163, 'turbine': 21164, 'renews': 21165, 'gencorpower': 21166, 'powergen': 21167, 'hinoo': 21168, 'blackmarketing': 21169, 'swil': 21170, 'professionally': 21171, 'retailgraph': 21172, 'supermarketsoftware': 21173, 'swilsoftware': 21174, 'snazzy': 21175, 'hepa': 21176, 'chipped': 21177, 'auckland': 21178, 'prestige': 21179, 'louise': 21180, 'ame': 21181, 'spx500': 21182, '2421': 21183, 'nas100': 21184, '7288': 21185, '1485': 21186, '165': 21187, 'incorrect': 21188, 'ryanair': 21189, 'lewk': 21190, 'makeupnoob': 21191, 'jeffreestarcosmetics': 21192, 'facetattoos': 21193, 'wwll': 21194, 'bbcqt': 21195, 'peston': 21196, 'disgust': 21197, 'obese': 21198, 'fsr': 21199, 'normsl': 21200, 'expires': 21201, 'scriptchat': 21202, 'trumpistheworstpresidentever': 21203, 'trumpliesaboutcoronavirus': 21204, 'kinsa': 21205, 'quickcare': 21206, 'bitte': 21207, 'anschauen': 21208, 'emotionaler': 21209, 'aufruf': 21210, 'gehard': 21211, 'bosselmann': 21212, 'hannover': 21213, 'gehen': 21214, 'sie': 21215, 'zu': 21216, 'ihrem': 21217, 'cker': 21218, 'ecke': 21219, 'schei': 21220, 'egal': 21221, 'wie': 21222, 'hei': 21223, 'hin': 21224, 'mittelstand': 21225, 'handwerk': 21226, 'landb': 21227, 'ckereibosselmann': 21228, 'emsland': 21229, '9629': 21230, 'upbeat': 21231, 'p500': 21232, 'nzd': 21233, 'owor': 21234, 'clickers': 21235, 'overcapacity': 21236, 'vigilance': 21237, 'alr': 21238, 'accurately': 21239, 'provoke': 21240, 'icco': 21241, 'hollow': 21242, '368': 21243, '8808': 21244, 'grilled': 21245, 'resturant': 21246, '69th': 21247, 'astounding': 21248, 'thanksvodafone': 21249, 'airlinebailout': 21250, 'baggage': 21251, 'preece': 21252, 'wheelchair': 21253, 'chuck': 21254, 'pricecycle': 21255, 'publictransport': 21256, 'graphical': 21257, 'enlisted': 21258, 'pdmac': 21259, 'prince': 21260, 'wiwt': 21261, 'arcing': 21262, 'plateau': 21263, 'charliebaker': 21264, 'weareallinthistogether': 21265, 'bostonathlete': 21266, 'bostonathletemagazine': 21267, 'icke': 21268, 'day11oflockdown': 21269, 'greenhouse': 21270, 'adrian': 21271, 'agege': 21272, 'lga': 21273, 'oseni': 21274, 'olamide': 21275, '0026691661': 21276, 'gayrunner': 21277, 'thisiswhattranslookslike': 21278, 'mastersathlete': 21279, 'transathlete': 21280, 'lgbt': 21281, 'geodoinggeothings': 21282, 'runnerslife': 21283, 'runloverock': 21284, 'stapler': 21285, 'allergen': 21286, 'fashioned': 21287, 'cliffe': 21288, '2007': 21289, 'multilateral': 21290, 'novop': 21291, 'abode': 21292, 'segregation': 21293, 'wymondham': 21294, 'normalize': 21295, 'scrapped': 21296, 'undermined': 21297, 'raboresearch': 21298, 'barking': 21299, 'dagenham': 21300, 'springboot': 21301, 'somegoodnews': 21302, 'brandprotection': 21303, 'ohh': 21304, 'charliemackesy': 21305, 'gratefulforournhs': 21306, 'nhsengland': 21307, 'supermarketsuperstars': 21308, 'foam': 21309, 'ola': 21310, 'chloroquineinn': 21311, 'godssake': 21312, 'ogemgo3qw7': 21313, 'stalled': 21314, 'trashmen': 21315, 'sheen': 21316, 'numbing': 21317, 'finewineandgoodspirts': 21318, 'wildaf': 21319, 'oppression': 21320, 'sellout': 21321, 'mdc': 21322, 'distract': 21323, 'dunno': 21324, 'grr': 21325, 'alizeh': 21326, 'shah': 21327, 'noman': 21328, 'sami': 21329, 'trolled': 21330, 'alizehshah': 21331, 'nomansami': 21332, 'extort': 21333, 'youbeneathyourskin': 21334, 'ebooks': 21335, 'si': 21336, 'brisket': 21337, 'whoo': 21338, 'hoo': 21339, 'passoverdinner': 21340, 'craigs': 21341, 'statista': 21342, 'nimmo': 21343, 'diarrhoea': 21344, 'cantwin': 21345, 'countryrisk': 21346, 'ororo': 21347, 'transistor': 21348, 'melaye': 21349, 'gordon': 21350, 'stayhomecanada': 21351, 'apcoinsight': 21352, 'flavoured': 21353, 'sparkling': 21354, 'description': 21355, '30a': 21356, '8p': 21357, 'bridgeport': 21358, 'cern': 21359, 'lhc': 21360, 'physic': 21361, 'infectiousdiseases': 21362, 'scoffing': 21363, 'ne': 21364, 'zillion': 21365, 'ncovsupply': 21366, 'ncovsupplies': 21367, 'sensitize': 21368, 'accompanied': 21369, 'pestilence': 21370, 'assurance': 21371, 'bescom': 21372, 'uniterrupted': 21373, 'betwinnervirtual': 21374, 'deputized': 21375, 'gratuitous': 21376, 'petulant': 21377, 'momentarily': 21378, '927': 21379, 'whereisjoebiden': 21380, 'm4a': 21381, 'forgiveness': 21382, 'handout': 21383, 'atp': 21384, 'forgetting': 21385, 'hamsteren': 21386, 'katrina': 21387, 'rita': 21388, 'ike': 21389, 'mres': 21390, 'herded': 21391, 'likeit': 21392, 'gallinago': 21393, 'sturgeon': 21394, 'junky': 21395, 'junkie': 21396, 'yk': 21397, 'incapable': 21398, 'tigerking': 21399, 'carolebaskin': 21400, 'twitterdoyourthing': 21401, 'armyselcaday': 21402, 'arsd': 21403, 'retention': 21404, 'offsetting': 21405, 'heartening': 21406, 'humanitas': 21407, 'reflex': 21408, 'worktogether': 21409, 'ukcoronavirus': 21410, '750bn': 21411, 'bowed': 21412, 'cheered': 21413, 'babyessentials': 21414, 'cleanhandssavelives': 21415, 'thankyoupost': 21416, 'lakelyn': 21417, 'babylake': 21418, 'noviruswanted': 21419, 'cartersbaby': 21420, 'unfollowed': 21421, 'insta': 21422, 'boasting': 21423, 'gunjan': 21424, 'alpha': 21425, 'morl': 21426, 'mrrl': 21427, 'reml': 21428, 'dork': 21429, 'visitation': 21430, 'leaflet': 21431, 'teampnp': 21432, 'weserveandprotect': 21433, 'pnpkakampimo': 21434, 'conmen': 21435, 'bahrami': 21436, 'uniteideas': 21437, 'heaven': 21438, 'hades': 21439, 'foodpantry': 21440, 'aia': 21441, 'trenton': 21442, 'princeton': 21443, 'feedamerica': 21444, 'frogger': 21445, 'europeansagainstcovid19': 21446, 'investing101': 21447, 'forexinvestment': 21448, 'forexmarket': 21449, 'crown': 21450, 'barnet': 21451, 'conway3': 21452, 'mccormick': 21453, 'kbra': 21454, 'securitizations': 21455, 'suffolk': 21456, 'healthinnovations': 21457, 'blacklisting': 21458, 'faithful': 21459, 'noma': 21460, 'sana': 21461, 'kitengela': 21462, 'kobil': 21463, 'ku': 21464, 'mzalendo': 21465, 'chezaclean': 21466, 'changamka': 21467, '708': 21468, 'liking': 21469, 'immuno': 21470, 'ibd': 21471, 'foraging': 21472, 'boxed': 21473, 'mukesh': 21474, 'ambani': 21475, 'vaka98': 21476, 'anakkalege': 21477, 'ilmez': 21478, 'clubtwitter': 21479, 'centrex': 21480, '65s': 21481, 'postcode': 21482, 'b8': 21483, 'b9': 21484, 'b23': 21485, 'b24': 21486, 'b34': 21487, 'b35': 21488, 'b36': 21489, 'b37': 21490, 'seattlecartoonist': 21491, 'seattleillustrator': 21492, 'dailycomic': 21493, 'seattlescene': 21494, 'sensation': 21495, 'forecasted': 21496, '14k': 21497, 'quar': 21498, 'wwe': 21499, 'wrestler': 21500, 'merch': 21501, 'slaughterhouse': 21502, 'porc': 21503, 'comb': 21504, 'braiding': 21505, '0800203033': 21506, '080010066': 21507, '0782909153': 21508, '0772460297': 21509, '0772469323': 21510, 'ian': 21511, 'telecare': 21512, 'tc': 21513, 'raider': 21514, 'uspol': 21515, 'froze': 21516, 'mths': 21517, 'federally': 21518, 'besmartbesafe': 21519, 'saath': 21520, 'bhi': 21521, 'gayi': 21522, 'ki': 21523, 'baniyawaalas': 21524, 'incendiary': 21525, 'biological': 21526, 'peopleareselfish': 21527, 'incubation': 21528, 'ordinated': 21529, 'invaded': 21530, 'foodhoard': 21531, 'antivirus': 21532, 'norton': 21533, 'mcafee': 21534, 'kaspersky': 21535, 'rsr': 21536, 'jukebox': 21537, 'pubclosures': 21538, 'shutdownuk': 21539, 'fuckingidiots': 21540, 'workbook': 21541, 'bullet': 21542, 'hydroxycoroquine': 21543, 'marylander': 21544, 'reduceinternetprices': 21545, 'mynewnormal': 21546, 'michele': 21547, 'satisfying': 21548, 'oliverscampaign': 21549, 'bethesda': 21550, 'julii': 21551, 'supportlocalrestaurants': 21552, 'inept': 21553, 'boyc': 21554, '366': 21555, '357': 21556, 'nevasa': 21557, 'sedate': 21558, 'santabarbara': 21559, 'forcedsmiles': 21560, 'stayawayfromme': 21561, 'worsen': 21562, 'hurried': 21563, 'gulzar': 21564, 'zafar': 21565, 'unsatisfactory': 21566, 'motu': 21567, 'awaited': 21568, 'gamify': 21569, 'scavenger': 21570, 'pickle': 21571, 'stockyard': 21572, 'divergence': 21573, 'holcomb': 21574, 'hawking': 21575, 'intensively': 21576, 'nurture': 21577, 'trimmed': 21578, '854': 21579, 'undernourished': 21580, 'morally': 21581, 'portrays': 21582, '400k': 21583, 'm25': 21584, 'pandamicsays': 21585, 'wipeyourwayout': 21586, 'lunathi': 21587, 'hlakanyane': 21588, 'farmers4change': 21589, 'pandamic': 21590, 'foodbiznews': 21591, 'foodtrends': 21592, 'mandarino': 21593, 'queenvictotia': 21594, '551': 21595, '827': 21596, 'airing': 21597, 'helpourelderly': 21598, 'inconvenient': 21599, 'ashland': 21600, 'instituted': 21601, 'luxemburg': 21602, 'webinarwednesdays': 21603, 'striking': 21604, 'reiterate': 21605, 'overdue': 21606, 'sampling': 21607, 'sprout': 21608, 'gelson': 21609, 'vallarta': 21610, 'ommcomnews': 21611, 'kelowna': 21612, 'gamble': 21613, 'coffeetime': 21614, 'improvisation': 21615, 'wv': 21616, 'jesusfails': 21617, 'dread': 21618, 'historian': 21619, 'sportsdirectshame': 21620, 'arkansan': 21621, 'sanctuary': 21622, 'rainforest': 21623, 'offspring': 21624, 'duct': 21625, 'ducttape': 21626, 'pws': 21627, 'hereforyou': 21628, 'plumbingproblems': 21629, 'pipework': 21630, '102': 21631, 'maxmotives': 21632, 'idk': 21633, 'deer': 21634, 'merci': 21635, 'madame': 21636, 'vous': 21637, 'vos': 21638, 'gues': 21639, 'nous': 21640, 'pouvons': 21641, 'tous': 21642, 'lutter': 21643, 'contre': 21644, 'assurer': 21645, 'votre': 21646, 'curit': 21647, 'dans': 21648, 'sans': 21649, 'dent': 21650, 'produire': 21651, 'pandemicquestions': 21652, 'fwitts': 21653, 'spluttering': 21654, '90mins': 21655, 'staticair': 21656, 'movefaster': 21657, 'lenana': 21658, 'rudely': 21659, 'nurses2020': 21660, 'nursesunite': 21661, 'laughteristhebestmedicine': 21662, 'paton': 21663, 'tasmania': 21664, 'meager': 21665, 'menial': 21666, 'dist': 21667, 'maricopa': 21668, '242': 21669, '630': 21670, '112': 21671, 'collier': 21672, 'dunkin': 21673, 'endhunger': 21674, 'averaged': 21675, 'ffpi': 21676, '4pc': 21677, 'nationwidelockdown': 21678, 'ausp': 21679, 'blazing': 21680, 'uniquely': 21681, 'luna': 21682, 'harness': 21683, 'vender': 21684, 'allege': 21685, 'ingenious': 21686, 'placement': 21687, 'welcoming': 21688, 'scorpion': 21689, 'womeninstem': 21690, 'socialj': 21691, 'brittain': 21692, 'freelancing': 21693, 'digitalnomad': 21694, 'entrepreneurship': 21695, 'onlineretail': 21696, 'sales': 21697, 'brianelderroofing': 21698, 'ebitda': 21699, 'stockstowatch': 21700, 'stockbags': 21701, 'exacerbate': 21702, 'joysms': 21703, 'tease': 21704, 'polio': 21705, 'eradication': 21706, 'linear': 21707, 'unfinished': 21708, 'puzzels': 21709, 'recruitment': 21710, 'bowling': 21711, 'comptroller': 21712, 'glenn': 21713, 'hegar': 21714, 'focal': 21715, 'mpa': 21716, 'presided': 21717, 'ghaffar': 21718, 'soomro': 21719, 'adeel': 21720, 'chandio': 21721, 'examined': 21722, 'noshame': 21723, 'nosense': 21724, 'cancelsky': 21725, 'clamp': 21726, 'sisolak': 21727, 'peo': 21728, 'chucklevision': 21729, 'chucklebrothers': 21730, 'oxfordshire': 21731, 'estrella': 21732, 'dhirajsons': 21733, 'soapandwater': 21734, 'theshinning': 21735, 'comeplaywithus': 21736, 'comeplay': 21737, 'coronaviral': 21738, 'shabby': 21739, 'milliona': 21740, 'misread': 21741, 'regulates': 21742, 'cytokine': 21743, 'modest': 21744, 'tierras': 21745, 'aztecas': 21746, 'sube': 21747, 'consults': 21748, 'radiation': 21749, 'yajuj': 21750, 'majuj': 21751, 'schoolsout': 21752, 'ggp': 21753, 'pours': 21754, 'videotaped': 21755, 'respectable': 21756, 'rosekart': 21757, 'joann': 21758, 'loungewear': 21759, 'couscous': 21760, 'gigantifying': 21761, 'kitkat': 21762, 'disclosed': 21763, '774': 21764, 'kempston': 21765, 'stayhomebesafe': 21766, 'freeshipping': 21767, 'eustace': 21768, 'presser': 21769, '0300': 21770, '123': 21771, '2040': 21772, 'scamwarnings': 21773, 'ihatetheinternet': 21774, 'whodidthis': 21775, 'ptcares': 21776, 'vlogger': 21777, 'blogger': 21778, 'lmbo': 21779, 'ihti': 21780, 'currentevents': 21781, 'wuhanchina': 21782, 'wuhancorona': 21783, 'primer': 21784, 'irrigation20': 21785, 'coulditbeworsethan2019': 21786, 'paraphrase': 21787, 'prosper': 21788, 'farewell': 21789, 'postapocalyptic': 21790, 'llap': 21791, 'regs': 21792, 'offshore': 21793, 'delicate': 21794, 'zakatify': 21795, 'sixteen': 21796, 'rescuing': 21797, 'staten': 21798, 'ramadanstrong': 21799, 'haa': 21800, 'winny': 21801, 'bint': 21802, 'partly': 21803, 'mischief': 21804, 'automation': 21805, 'furnish': 21806, 'obvi': 21807, 'sender': 21808, 'caller': 21809, 'renewannewithane': 21810, 'discarded': 21811, 'vinylgloves': 21812, 'encroaching': 21813, 'shi': 21814, 'ting': 21815, 'corson': 21816, 'holliewoodandfriends': 21817, 'helmet': 21818, 'skateboard': 21819, 'keepactive': 21820, 'newscaster': 21821, 'drumettes': 21822, 'tumeric': 21823, 'cumin': 21824, '15mins': 21825, 'saddest': 21826, 'signofthetines': 21827, 'worldgonemad': 21828, 'aisi': 21829, 'taisi': 21830, 'inspects': 21831, 'tobruk': 21832, 'corrupted': 21833, 'eliminated': 21834, '188': 21835, '135': 21836, 'ipc': 21837, 'shahibaugh': 21838, 'malegaon': 21839, 'chineseviruscorona': 21840, 'ethereum': 21841, 'commoditymarkets': 21842, 'usdbitstamp': 21843, 'ripplexrp': 21844, 'befairtoall': 21845, 'photoshoot': 21846, 'studioshoot': 21847, 'coronaart': 21848, 'halving': 21849, 'businessoutlook': 21850, '6m': 21851, '3days': 21852, 'decit': 21853, 'wickedness': 21854, 'wahala': 21855, 'idio': 21856, 'hackathon': 21857, 'titanhacks': 21858, 'submission': 21859, 'arsewipe': 21860, 'implies': 21861, 'herding': 21862, 'coronvirusaus': 21863, 'bandipora': 21864, 'shahbaz': 21865, 'ahmad': 21866, 'constituted': 21867, '99p': 21868, 'fuckingchancers': 21869, 'jr': 21870, 'ankara': 21871, '156': 21872, 'viruscoronaupdate': 21873, 'updateviruscorona': 21874, 'vilains': 21875, 'nonessential': 21876, 'hawthorn': 21877, 'reposition': 21878, 'jordanian': 21879, '604': 21880, '9802': 21881, 'bergamo': 21882, 'cremation': 21883, 'morgue': 21884, 'stoptouchingyourface': 21885, 'phillyascleo': 21886, 'thetwiddleofficial': 21887, 'gantz': 21888, 'omwanvu': 21889, 'wakuffa': 21890, 'topped': 21891, 'pickins': 21892, 'ebmt': 21893, 'biopharma': 21894, 'andrewyang': 21895, 'shopowner': 21896, 'asiyah': 21897, 'javed': 21898, 'gaugers': 21899, 'musical': 21900, 'germx': 21901, 'beervirus': 21902, 'damnbeervirus': 21903, 'coronabeervirus': 21904, 'bedford': 21905, 'abide': 21906, 'snitch': 21907, 'hereafter': 21908, 'tangentially': 21909, 'yuma': 21910, 'covied19': 21911, 'financialempowerment': 21912, 'folder': 21913, 'oxygenators': 21914, 'sin': 21915, 'unsungheroes': 21916, 'furry': 21917, 'outlined': 21918, 'alleging': 21919, 'honoring': 21920, 'yourpoorcolon': 21921, 'yourpoortoilet': 21922, 'senitizer': 21923, 'wfhtips': 21924, 'lsuhfno': 21925, 'shiseido': 21926, 'gambling': 21927, 'hamstering': 21928, 'daytime': 21929, 'adbuy': 21930, 'adsense': 21931, 'advertisement': 21932, 'productplacement': 21933, 'backbreaking': 21934, 'heaux': 21935, 'catsofthequarantine': 21936, 'catsofinstagram': 21937, 'scenery': 21938, 'jackig': 21939, 'mth': 21940, 'reopened': 21941, 'maxvalue': 21942, 'safestore': 21943, 'snacking': 21944, 'sensical': 21945, 'rex': 21946, 'dander': 21947, 'everyonematters': 21948, 'correlation': 21949, 'unctad': 21950, 'rylan': 21951, 'annadominic12345': 21952, 'mehtaa3': 21953, 'caresact': 21954, 'fcra': 21955, 'mainzer': 21956, 'peaked': 21957, 'rs4': 21958, 'hussain': 21959, '3hrs': 21960, 'notinthistogether': 21961, 'tame': 21962, 'palate': 21963, 'fin': 21964, 'blanket': 21965, '30day': 21966, 'crucified': 21967, 'resurrection': 21968, 'goodfriday2020': 21969, 'montana': 21970, 'hitchens': 21971, 'feckin': 21972, 'dunce': 21973, 'nicola': 21974, 'lacetera': 21975, 'hobnobbing': 21976, 'stayinside': 21977, 'trumph': 21978, 'sinceivebeenquarantined': 21979, 'scalping': 21980, 'frescogrocers': 21981, 'trivia': 21982, 'impair': 21983, 'postitive': 21984, 'biobarrier': 21985, 'customersafety': 21986, 'annoys': 21987, 'riversidecounty': 21988, 'marvelous': 21989, 'iodine': 21990, 'arrears': 21991, 'daft': 21992, 'groaning': 21993, 'riice': 21994, 'pastaa': 21995, 'campbell9': 21996, 'rediscovery': 21997, 'notouchy': 21998, 'kuzco': 21999, 'shaggy': 22000, '800ksh': 22001, '00ksh': 22002, 'housewear': 22003, 'save0745927128': 22004, '0787370387': 22005, 'ecommercebytes': 22006, 'nightclub': 22007, 'reprediction': 22008, 'imho': 22009, 'governmental': 22010, 'moj': 22011, 'constitutes': 22012, 'brainwashed': 22013, 'icantstayhomeiamanure': 22014, 'nursesareheroes': 22015, 'fuckfaces': 22016, 'occupied': 22017, 'incontrovertible': 22018, 'handclap': 22019, 'fitz': 22020, 'lancashire': 22021, 'lancashirehour': 22022, 'lifeatprime': 22023, 'attauthorizedretailer': 22024, 'law360': 22025, 'oped': 22026, 'experimental': 22027, 'omgg': 22028, 'labatt': 22029, 'cautiously': 22030, 'veto': 22031, 'choked': 22032, 'racialization': 22033, 'attach': 22034, 'notalwaysaboutyou': 22035, 'compassioninads': 22036, 'compassionatecommunity': 22037, 'dallascounty': 22038, 'pertinent': 22039, 'infront': 22040, 'nightly': 22041, 'andalucia': 22042, 'sanlucar': 22043, 'desert': 22044, 'biitches': 22045, 'jumanji': 22046, 'tinted': 22047, 'hater': 22048, 'golub': 22049, 'stroller': 22050, 'retailbusiness': 22051, 'omfg': 22052, 'eulogy': 22053, 'tamper': 22054, 'rmo': 22055, 'amrusha': 22056, 'amrushafightscovid19': 22057, 'amrushaeradicatinghunger': 22058, 'nijobs': 22059, 'sweeting': 22060, 'kyoto': 22061, 'macrobusiness': 22062, 'goodlettsville': 22063, 'southeastasian': 22064, 'middleeastern': 22065, 'bloom': 22066, 'precenting': 22067, '226k': 22068, '54k': 22069, 'taunt': 22070, 'hoardershaming': 22071, '25thamendmentnow': 22072, 'bunga': 22073, 'revoked': 22074, 'jfk': 22075, 'popeyes': 22076, 'coachj': 22077, 'submitting': 22078, 'impatient': 22079, 'descend': 22080, 'ditch': 22081, 'dampf': 22082, 'paramus': 22083, 'niche': 22084, 'precipitate': 22085, 'payworkersfairly': 22086, 'thrus': 22087, 'negligible': 22088, 'covoid19': 22089, 'emptystore': 22090, 'homesteading': 22091, 'homesteader': 22092, 'countryliving': 22093, 'countrylifestyle': 22094, 'countrylife': 22095, 'outdoorliving': 22096, 'outdoorlife': 22097, 'zoonosis': 22098, 'lancet': 22099, 'ecology': 22100, 'unnatural': 22101, 'ifmarkwatneycoulddoit': 22102, 'actualfacts': 22103, 'taliban': 22104, 'afghani': 22105, 'stronghold': 22106, 'valve': 22107, '2089': 22108, 'amusement': 22109, 'suv': 22110, 'systematically': 22111, 'suoermarket': 22112, 'outlive': 22113, 'zatural': 22114, 'mgnrega': 22115, 'deceleration': 22116, 'statcan': 22117, 'ded': 22118, 'peut': 22119, 'palisade': 22120, 'nicholas': 22121, 'bertram': 22122, 'suggestive': 22123, 'singlepoint': 22124, 'otcqb': 22125, 'sing': 22126, 'klen': 22127, '505': 22128, 'succumbs': 22129, 'cookinginacrisis': 22130, 'lighter': 22131, 'banter': 22132, 'gaming': 22133, 'aahh': 22134, 'c920s': 22135, 'secureyourinfo': 22136, 'alfred': 22137, 'dupuy': 22138, 'sono': 22139, 'hop': 22140, 'hehe': 22141, 'apt': 22142, 'unapologetic': 22143, 'comedic': 22144, 'downright': 22145, 'laughable': 22146, 'allender': 22147, 'stampitout': 22148, 'uktogether': 22149, 'integrated': 22150, 'dilutes': 22151, 'decreasing': 22152, 'xrp': 22153, 'spear': 22154, 'villager': 22155, 'gatsi': 22156, 'mutasa': 22157, 'searchenginemarketing': 22158, 'arguably': 22159, 'enthusiastically': 22160, 'wt': 22161, 'vessel': 22162, 'landingpage': 22163, 'contentcreator': 22164, 'inmate': 22165, 'zeppelin10': 22166, 'overloaded': 22167, 'roche': 22168, 'couriered': 22169, 'everydayimhustlin': 22170, 'snapped': 22171, 'outweighs': 22172, 'abd': 22173, 'contaminating': 22174, 'specimen': 22175, 'doom': 22176, 'undeserving': 22177, 'bubbly': 22178, 'belgique': 22179, 'ensemblecontrecorona': 22180, 'forextrading': 22181, 'marketnews': 22182, 'toyota': 22183, 'nissan': 22184, 'honda': 22185, 'automaker': 22186, 'fmcy': 22187, 'boksburg': 22188, 'axios': 22189, 'coronavaccine': 22190, 'hateisavirus': 22191, 'aapi': 22192, 'amplify': 22193, 'sasse': 22194, 'amdmt': 22195, 'bipartisan': 22196, 'hadda': 22197, 'heldmybreaththewholetime': 22198, 'lihue': 22199, '09093052802': 22200, 'ehub': 22201, 'node': 22202, 'reinforce': 22203, 'cgiar': 22204, 'maximizes': 22205, 'captaintrips': 22206, 'tpformybunghole': 22207, 'emphasised': 22208, 'picturesof': 22209, 'naiwan': 22210, 'ay': 22211, 'nissin': 22212, 'hpcl': 22213, 'cmd': 22214, 'mk': 22215, 'surana': 22216, 'dicuss': 22217, 'homedepot': 22218, 'etailer': 22219, 'mongolia': 22220, 'abruptly': 22221, 'northeastern': 22222, 'chipchirps': 22223, 'vlsiresearch': 22224, 'vlsi': 22225, 'ic': 22226, 'tmas': 22227, 'slid': 22228, 'influenced': 22229, 'cheerful': 22230, 'firebomb': 22231, 'ncb': 22232, 'tina': 22233, 'glnrtoday': 22234, 'inherently': 22235, 'unequal': 22236, 'microprocessing': 22237, 'digitallife': 22238, 'fueledby': 22239, 'damanding': 22240, 'pitiful': 22241, 'ohioprimary': 22242, 'jake': 22243, 'commenced': 22244, 'fbi': 22245, 'possession': 22246, 'cleaningmachine': 22247, 'leap': 22248, 'legco': 22249, 'virtuallybartable': 22250, 'oakland': 22251, 'dovish': 22252, 'datuk': 22253, 'jhawk': 22254, 'willfully': 22255, 'precise': 22256, 'hazmat': 22257, 'duck': 22258, 'revealing': 22259, 'elevate': 22260, 'consciousness': 22261, 'collectivemindpower': 22262, 'tov': 22263, 'vienna': 22264, 'motiongraphics': 22265, 'aftereffect': 22266, 'digitalart': 22267, 'visualeffects': 22268, 'vfx': 22269, 'cannon': 22270, 'realitycheck': 22271, 'telescope': 22272, 'examination': 22273, 'aways': 22274, 'unimpressed': 22275, 'mailorder': 22276, 'unpopular': 22277, 'amenity': 22278, 'rentstrike': 22279, 'rentrelief': 22280, 'greedoverpe': 22281, 'shal': 22282, 'frnds': 22283, 'lymphoma': 22284, 'chemotherapy': 22285, 'servicers': 22286, 'bulgaria': 22287, 'restoring': 22288, 'fav': 22289, 'rescheduling': 22290, 'bursting': 22291, 'sizeable': 22292, 'coronated': 22293, 'eyed': 22294, 'fixture': 22295, 'adulation': 22296, 'payphones': 22297, 'littlefireseverywhere': 22298, 'civet': 22299, 'kilowatt': 22300, 'lifespan': 22301, 'mustardoil': 22302, 'enginemustardoil': 22303, 'enginebrand': 22304, 'stayfit': 22305, 'hedger': 22306, 'feedlot': 22307, 'diverge': 22308, 'buffer': 22309, 'tasmanian': 22310, 'subsidised': 22311, 'ccea': 22312, 'approves': 22313, 'hogan': 22314, 'sagamore': 22315, 'aopportunities': 22316, 'industryanalysisadsmurai': 22317, 'kvoenews': 22318, 'butting': 22319, 'teeth': 22320, 'noonegoeshungry': 22321, 'evangelical': 22322, 'judaism': 22323, 'adopted': 22324, 'delimitation': 22325, 'isolationdiaries': 22326, 'coding': 22327, 'dnd': 22328, 'requiermasksworn': 22329, 'wearamask': 22330, 'zelle': 22331, '1952': 22332, 'trauma': 22333, 'thankunext': 22334, 'selfquarantined': 22335, 'guyzz': 22336, 'thepeople': 22337, 'anyhow': 22338, 'coronakrise': 22339, 'decontamination': 22340, 'coronavarkenruhhalim': 22341, 'waterpeacesecurity': 22342, 'debbie': 22343, 'dougherty': 22344, 'defecate': 22345, 'trinitysswellness': 22346, 'donegal': 22347, 'reassess': 22348, 'scarfacediary': 22349, 'worldhealthday2020': 22350, 'subzeroflow': 22351, 'relearn2020': 22352, 'toiletpaper911': 22353, 'desinfection': 22354, 'cineplex': 22355, 'pcl': 22356, 'bt13': 22357, 'bt12': 22358, 'soarin': 22359, 'toiletpaperblues': 22360, 'stenographer': 22361, 'spoof': 22362, 'sendhelp': 22363, 'coronaplus': 22364, 'polypropylene': 22365, 'decon': 22366, 'gorollick': 22367, 'powersports': 22368, 'jlmco': 22369, 'jlmcobrand': 22370, 'overcrowding': 22371, 'spre': 22372, 'cheapgas': 22373, 'precisely': 22374, 'deluge': 22375, 'marketwatch': 22376, 'brough': 22377, '1person': 22378, 'entryway': 22379, 'leveraging': 22380, 'methodology': 22381, 'bareshares': 22382, 'measuring': 22383, 'hkt': 22384, 'milkdumping': 22385, 'accentuated': 22386, 'jubilee': 22387, 'orchard': 22388, 'clavey': 22389, 'paddlesports': 22390, '826': 22391, 'contaminatedwithstupid': 22392, 'dontbeadick': 22393, 'monkey': 22394, 'lockedupwithatoddler': 22395, 'elbowing': 22396, 'collapsitarian': 22397, 'lasted': 22398, 'adidas': 22399, 'collab': 22400, 'ggsm': 22401, 'progess': 22402, 'ftxp': 22403, 'ewll': 22404, 'abce': 22405, 'biel': 22406, 'gcgx': 22407, 'tptw': 22408, 'fonu': 22409, 'pctl': 22410, 'fuelpricehike': 22411, 'scot': 22412, 'chihuahua': 22413, 'shortcrust': 22414, 'ukfood': 22415, 'lockdownmalaysia': 22416, 'prejudice': 22417, 'misperceptions': 22418, 'stupidly': 22419, 'nascar': 22420, 'deprivation': 22421, 'bootleg': 22422, 'reorganizing': 22423, 'redecorating': 22424, 'bucket': 22425, 'pibfactcheck': 22426, 'agoraphobia': 22427, 'justly': 22428, 'allocate': 22429, 'unjustly': 22430, 'illustrated': 22431, 'digitalmedia': 22432, 'digitalmarketers': 22433, 'whodat': 22434, 'cer': 22435, 'foremost': 22436, 'thx': 22437, 'givingback': 22438, 'guerlain': 22439, 'parfumschristiandior': 22440, 'diorparfums': 22441, 'dior': 22442, 'givenchybeauty': 22443, 'givenchy': 22444, 'optionalize': 22445, 'pilea': 22446, 'prayerplant': 22447, 'overwhelms': 22448, 'ope': 22449, 'pleasesomeonehelp': 22450, 'arvin': 22451, 'irrigation': 22452, 'hose': 22453, 'wefeedyou': 22454, 'davinci': 22455, 'gelato': 22456, 'operates': 22457, 'yegfoodie': 22458, 'edmontonlocal': 22459, 'stalbert': 22460, 'relearn': 22461, 'trinidad': 22462, 'tobago': 22463, 'qild': 22464, 'australiansbeingaustralians': 22465, 'hurtin': 22466, 'rotunden': 22467, 'dkk': 22468, 'smfh': 22469, 'docente': 22470, 'tiempos': 22471, 'enkil': 22472, 'michelle': 22473, 'louisvuitton': 22474, 'eczema': 22475, 'psoriasis': 22476, 'southbeachsymposium': 22477, 'dermatology': 22478, 'hinshaw': 22479, 'quarantinethoughts': 22480, 'crazytimes': 22481, 'sinc': 22482, 'foodprices': 22483, 'cursing': 22484, 'scrappage': 22485, '72m': 22486, 'heater': 22487, 'hct': 22488, 'oll': 22489, 'spilling': 22490, 'kohat': 22491, 'kp': 22492, 'dampness': 22493, 'kubwa': 22494, 'wan': 22495, 'spoil': 22496, 'aedc': 22497, 'kay': 22498, 'ducing': 22499, 'beautynews': 22500, 'welding': 22501, 'pfizer': 22502, 'lease': 22503, 'atl': 22504, 'nyy': 22505, 'harmed': 22506, 'preclude': 22507, 'relitigating': 22508, 'santamonica': 22509, 'trumprecession': 22510, 'verge': 22511, 'archaeologist': 22512, 'nash': 22513, 'l1jhx4wml': 22514, 'socialdistancehumor': 22515, 'stimuluspackage': 22516, 'dove': 22517, 'coronabullshit': 22518, 'cvirus': 22519, 'bloomin': 22520, 'pannier': 22521, 'flatbattery': 22522, 'itscoronatime': 22523, 'over40andfabulous': 22524, 'kevinhart': 22525, 'boredaf': 22526, 'bitcoins': 22527, 'iwasthinking': 22528, 'comical': 22529, 'interconnected': 22530, 'rampant': 22531, 'fatbergs': 22532, 'moovers': 22533, 'movingday': 22534, '458': 22535, 'dumbteens': 22536, 'lite': 22537, 'eau': 22538, 'parfum': 22539, 'restezchezvous': 22540, 'rafaelgonzalezesq': 22541, 'workerscompensation': 22542, 'mosque': 22543, 'kishon': 22544, 'quantum': 22545, 'fiatcurrency': 22546, 'samanthaellenlambert': 22547, 'businessfair': 22548, 'cludger': 22549, 'paradigmatic': 22550, 'netfl': 22551, 'prakash': 22552, 'statistical': 22553, 'importbills': 22554, '6months': 22555, 'courteously': 22556, 'reasoning': 22557, 'ongt': 22558, 'gwa': 22559, 'upfront': 22560, 'taro': 22561, 'aso': 22562, 'taroaso': 22563, 'consumptiontax': 22564, 'financeministry': 22565, 'bandit': 22566, 'midweek': 22567, 'weber': 22568, 'shandwick': 22569, 'bcw': 22570, 'amo': 22571, 'constellation': 22572, 'onlywith': 22573, 'retailwire': 22574, 'braintrust': 22575, 'ken': 22576, 'dialog': 22577, 'idiopathic': 22578, 'aggression': 22579, 'suriname': 22580, 'sao': 22581, 'tome': 22582, 'principe': 22583, 'everlywell': 22584, 'donaldjtrump': 22585, 'trumpdemic': 22586, 'cellular': 22587, 'saar': 22588, 'devon': 22589, 'phillips66': 22590, 'continental': 22591, 'harold': 22592, 'hamm': 22593, 'swachhabit': 22594, 'swasthbharat': 22595, 'cvoid19': 22596, 'coronakodhona': 22597, 'interpreted': 22598, 'vt': 22599, 'seized': 22600, 'spiritedaway': 22601, 'steroplast': 22602, 'tsos': 22603, 'positioning': 22604, 'clipper': 22605, '2b': 22606, 'outbid': 22607, 'almost800': 22608, 'eway': 22609, 'stayingintouch': 22610, 'puttingclientsfirst': 22611, 'casemanagement': 22612, 'oriental': 22613, 'tsar': 22614, '345': 22615, 'negotiate': 22616, 'abc7ny': 22617, 'abcnews': 22618, 'propertymarket': 22619, 'circulated': 22620, 'zionist': 22621, 'naturalproducts': 22622, 'lavender': 22623, 'naturalhandsanitizer': 22624, 'nushratbharucha': 22625, 'bandra': 22626, 'neologism': 22627, 'troopermarket': 22628, 'guarded': 22629, 'deliverer': 22630, '00hrs': 22631, 'inadvertently': 22632, 'contageous': 22633, 'echoshow': 22634, 'echo': 22635, 'smartome': 22636, 'nationalbeerday': 22637, 'hipster': 22638, 'dreamed': 22639, 'frozenfoods': 22640, 'refrigeratedfoods': 22641, 'tt21csatoh': 22642, 'falcone': 22643, 'wanstead': 22644, 'pairwise': 22645, 'choosehope': 22646, 'abortionisessential': 22647, 'wound': 22648, 'teargasing': 22649, 'tfw': 22650, 'happiest': 22651, 'truerfacts': 22652, 'amnotwriting': 22653, 'php5': 22654, 'php8': 22655, 'yoorekka': 22656, 'socialimprovement': 22657, 'clique': 22658, 'deadlier': 22659, 'madeinamerica': 22660, 'weknowplay': 22661, 'alqesieei': 22662, 'mbz': 22663, 'irreparable': 22664, 'steroid': 22665, 'dramatise': 22666, 'nuance': 22667, 'hodl': 22668, 'xrpcommunity': 22669, 'pw': 22670, 'childpoverty': 22671, 'defining': 22672, 'manoj': 22673, 'jinia': 22674, 'sarkar': 22675, 'prativa': 22676, 'adamas': 22677, 'adamasuniversity': 22678, 'educationplus': 22679, 'soonest': 22680, 'demon': 22681, 'phased': 22682, 'peoplearelosingtheirminds': 22683, 'straw': 22684, 'camel': 22685, 'mami': 22686, 'mammoth': 22687, 'here2help': 22688, 'remoteworking': 22689, 'premierleague': 22690, 'homecoming': 22691, '8nn': 22692, 'upmarket': 22693, 'ezinne': 22694, 'aja': 22695, 'yan': 22696, 'supportive': 22697, '2w': 22698, 'hooked': 22699, 'maw': 22700, 'bhagat': 22701, 'shaktikanta': 22702, 'realistically': 22703, 'nerve': 22704, 'economicimpact': 22705, 'onlinesales': 22706, 'blyth': 22707, 'queses': 22708, 'activating': 22709, 'trumpet': 22710, 'convincing': 22711, 'delete': 22712, 'peopleoverprofit': 22713, 'precipitously': 22714, 'attrition': 22715, 'thame': 22716, 'haddenham': 22717, 'longcrendon': 22718, 'chinnor': 22719, '250rs': 22720, 'villa': 22721, '6km': 22722, 'ghanaian': 22723, 'mechanism': 22724, 'citic': 22725, 'emblematic': 22726, 'instill': 22727, 'promach': 22728, 'labelers': 22729, 'comix': 22730, '480ml': 22731, 'l902': 22732, 'riaa': 22733, 'soccer': 22734, 'moines': 22735, 'ia': 22736, 'mahesh': 22737, 'vyas': 22738, 'cmie': 22739, 'buxton': 22740, 'brooke': 22741, 'deloitte': 22742, 'toriesout': 22743, 'depresses': 22744, 'outweighing': 22745, 'randomness': 22746, 'wilderness': 22747, 'vanity': 22748, 'brainier': 22749, 'oddball': 22750, 'gnc': 22751, 'shoppe': 22752, 'cornered': 22753, 'pac': 22754, 'clements': 22755, 'weymouth': 22756, 'gargle': 22757, 'throatinfection': 22758, 'bushy': 22759, 'bearded': 22760, 'abdulaziz': 22761, 'keepingbritainmoving': 22762, 'paperindustry': 22763, 'transformation': 22764, 'infirm': 22765, 'dashing': 22766, 'bvi': 22767, 'raygun': 22768, 'tan': 22769, 'beforethe90days': 22770, '692692': 22771, 'usmc': 22772, 'usmilitary': 22773, 'uptrend': 22774, 'gliumedia': 22775, 'stpete': 22776, 'juststop': 22777, 'stayoutofthestore': 22778, 'askskynews': 22779, 'amvca': 22780, 'err': 22781, 'quarantiners': 22782, 'jib': 22783, 'offending': 22784, 'extremly': 22785, 'cud': 22786, 'freefall': 22787, 'crewe': 22788, 'trainfailure': 22789, 'm6': 22790, 'wobble': 22791, 'douse': 22792, 'pantryrecipes': 22793, 'sidedish': 22794, 'motherly': 22795, 'annabelle': 22796, 'doometernal': 22797, 'gadbookclub': 22798, 'kidkrow': 22799, 'ventilated': 22800, 'kmu': 22801, 'panay': 22802, 'piston': 22803, 'repack': 22804, 'kamudirumahya': 22805, 'csnewsonline': 22806, 'rcmp': 22807, 'shoplifter': 22808, 'toiletpapercastle': 22809, 'toiletpaperfort': 22810, 'parasite': 22811, 'fatherdmw': 22812, 'asuu': 22813, 'mc': 22814, 'olumo': 22815, 'ozzy': 22816, 'efcc': 22817, 'agegeunrest': 22818, 'johnclive': 22819, 'hypothetically': 22820, '700cr': 22821, '100cr': 22822, '200cr': 22823, 'jln': 22824, '500cr': 22825, 'rajiv': 22826, 'whitehousebriefing': 22827, 'implented': 22828, 'positively': 22829, 'synclarity': 22830, 'flipped': 22831, 'richer': 22832, 'yeswaystores': 22833, 'loyalist': 22834, 'cargo': 22835, 'slippin': 22836, 'lamu': 22837, 'bra': 22838, 'aquaman': 22839, 'ressurected': 22840, '12am': 22841, 'existent': 22842, 'gafoors': 22843, 'imcresed': 22844, 'plss': 22845, 'bugging': 22846, 'departmentofhealth': 22847, 'rdp': 22848, 'tidbit': 22849, 'elcome': 22850, 'admiralty': 22851, 'nautical': 22852, 'swift': 22853, 'stmarysco': 22854, 'whig': 22855, '68': 22856, 'gta': 22857, 'lockdownontario': 22858, '8th': 22859, 'grader': 22860, 'publicized': 22861, 'a00': 22862, 'ingot': 22863, 'rmb570': 22864, 'alumina': 22865, 'rmb32': 22866, 'a00aluminium': 22867, 'aluminaprice': 22868, 'alcircle': 22869, 'chilloraspitter': 22870, 'spittingonfruit': 22871, 'spreadingvirus': 22872, 'spittingonproduce': 22873, 'lowtrust': 22874, 'waffle': 22875, 'stomping': 22876, 'untill': 22877, 'incourage': 22878, 'proudest': 22879, 'pacificcolorgraphics': 22880, 'ping': 22881, 'pong': 22882, 'ancillaries': 22883, 'hoardshaming': 22884, 'lockdown2': 22885, 'meatpackers': 22886, 'ff7r': 22887, 'dumper': 22888, 'memestagram': 22889, 'whoslaughingnow': 22890, 'masshysteria': 22891, 'notsofunny': 22892, 'mull': 22893, 'carb': 22894, 'cca': 22895, 'protecteveryone': 22896, 'ranging': 22897, 'microsoftads': 22898, 'cincy': 22899, 'ludacris': 22900, 'postbox': 22901, 'roundup': 22902, 'beconsiderate': 22903, 'wearamaskinpublic': 22904, 'donttouchyourface': 22905, 'dontstandtoclosetome': 22906, 'banegaswasthindia': 22907, 'minimizes': 22908, 'rambling': 22909, 'countryside': 22910, 'drie': 22911, 'bettel': 22912, 'truthout': 22913, 'sherlock': 22914, 'ref': 22915, 'wildalaskapollock': 22916, 'elusive': 22917, 'nautic': 22918, 'saucer': 22919, 'retreated': 22920, 'rabid': 22921, 'faux': 22922, 'neglected': 22923, 'groceryindustry': 22924, 'onlinegrocery': 22925, 'localstores': 22926, 'fooddeliveryapp': 22927, 'thalis': 22928, 'frog': 22929, 'fayville': 22930, 'kinlaw': 22931, 'leavitt': 22932, 'prod': 22933, 'yogurt': 22934, 'maneuvered': 22935, 'vogel': 22936, 'jeopardized': 22937, 'news12': 22938, 'nycs': 22939, 'cumberland': 22940, 'becuase': 22941, 'wyt': 22942, 'consumerpsychology': 22943, 'disasterpreparedness': 22944, 'morton': 22945, 'ultimatum': 22946, 'recreate': 22947, 'clapat8': 22948, 'shoddy': 22949, 'sencorp': 22950, 'calmed': 22951, 'askreuters': 22952, 'selfisolate': 22953, '3months': 22954, 'tactile': 22955, 'makazoti': 22956, 'mabcp': 22957, 'enyu': 22958, 'akamira': 22959, '855': 22960, '9507': 22961, 'pete': 22962, 'stayho': 22963, '21days': 22964, 'treacherous': 22965, 'thur': 22966, 'shortness': 22967, 'discharged': 22968, 'mahindra': 22969, 'beverly': 22970, '192': 22971, 'pct': 22972, 'siouxland': 22973, 'fortinos': 22974, 'ruining': 22975, 'bolted': 22976, 'randpaul': 22977, 'haiti': 22978, 'pandaemonium': 22979, 'nationalexpress': 22980, 'wbz': 22981, 'eo': 22982, 'chittagong': 22983, 'chakaria': 22984, 'coxsbazar': 22985, 'surefire': 22986, 'henk': 22987, 'zwoferink': 22988, 'rgl': 22989, 'workinghard': 22990, 'respecting': 22991, 'dedicatedpeople': 22992, 'millenniumbug': 22993, 'argy': 22994, 'bargy': 22995, 'y2kbug': 22996, 'y2k2dpanic': 22997, 'broendby': 22998, 'pictureeditor': 22999, 'ida': 23000, 'guldbaek': 23001, 'arentsen': 23002, 'murderer': 23003, 'handkerchief': 23004, 'stoppage': 23005, 'nrtnews': 23006, 'workaround': 23007, 'vpns': 23008, 'dataprotection': 23009, 'hallway': 23010, 'insurtech': 23011, 'materialised': 23012, 'digitalisation': 23013, 'howtoloseaguyintendays': 23014, 'howtokeepaguyfortendays': 23015, 'quilton': 23016, 'tinder': 23017, 'netflixandchill': 23018, 'cest': 23019, 'futureconsumernow': 23020, 'branson': 23021, 'artofthewipe': 23022, 'helpushelpyou': 23023, 'bekindtooneanother': 23024, 'babysitting': 23025, 'seaborne': 23026, 'sequentially': 23027, 'incentivizing': 23028, 'wildcard': 23029, 'stopstocking': 23030, 'latenightstudio': 23031, 'edmfam': 23032, 'edmlife': 23033, 'deathmetal': 23034, 'pineda230': 23035, 'druggist': 23036, 'flirting': 23037, 'prolly': 23038, 'hullootrahihai': 23039, 'pausing': 23040, 'accumulation': 23041, 'portrait': 23042, '155': 23043, '709': 23044, 'workera': 23045, 'documentation': 23046, 'twitterstorians': 23047, 'endsnow': 23048, 'blindingly': 23049, 'frivolous': 23050, 'garibay': 23051, 'outspoken': 23052, 'geissler': 23053, 'scumbag': 23054, 'painkiller': 23055, 'brandenburg': 23056, 'quicker': 23057, 'meh': 23058, 'webiar': 23059, 'wrawp': 23060, 'healthyandtasty': 23061, 'nomeatnoproblem': 23062, 'plantbased': 23063, 'collaborative': 23064, 'disarray': 23065, 'r80': 23066, 're3': 23067, 'valentine': 23068, 'unplayable': 23069, 'residentevil3remake': 23070, 'mooc': 23071, '140k': 23072, 'trifold': 23073, 'keepingup': 23074, 'positivenews': 23075, 'spammer': 23076, 'protectyourfamily': 23077, 'personalprotectionequipments': 23078, 'commando': 23079, 'aacounty': 23080, 'teleprompter': 23081, 'staffer': 23082, 'coconut': 23083, 'gilligansisland': 23084, 'theprofessoe': 23085, 'gilligan': 23086, 'theskipper': 23087, 'themillionaireandhiswife': 23088, 'themoviestar': 23089, 'maryann': 23090, 'castaway': 23091, 'hopped': 23092, 'pear': 23093, 'shameonhul': 23094, 'minnetonka': 23095, 'seahawks': 23096, 'celebfcfamily': 23097, 'impervious': 23098, '510k': 23099, 'yantongtech': 23100, 'funnycomic': 23101, 'phall': 23102, 'intervenes': 23103, 'curbing': 23104, 'sensitive': 23105, 'har': 23106, 'superdrugs': 23107, 'pizzeria': 23108, 'arise': 23109, 'enacting': 23110, 'longlines': 23111, 'videoconferencecallicebreaker': 23112, 'buybandmerch': 23113, 'supportlivemu': 23114, 'seater': 23115, 'prayfornigeria': 23116, 'watiyankha': 23117, 'soy': 23118, 'letsplayagame': 23119, 'mushy': 23120, 'retailheroes': 23121, 'dialing': 23122, 'bruceleroy': 23123, 'thelastdragon': 23124, 'shonuff': 23125, 'shogunofharlem': 23126, 'sundayfunday': 23127, 'liveyourbestlife': 23128, 'locates': 23129, 'erased': 23130, 'munya': 23131, 'unwarranted': 23132, 'bt19': 23133, 'talented': 23134, 'bogart': 23135, 'exert': 23136, 'extracted': 23137, 'carcase': 23138, 'distort': 23139, 'truman': 23140, 'inherent': 23141, 'jbarreralaw': 23142, 'endemic': 23143, 'ratehub': 23144, '23k': 23145, 'korang': 23146, 'berpusu': 23147, 'pusu': 23148, 'beratur': 23149, 'tu': 23150, 'chishimba': 23151, 'kopalasmostloved': 23152, 'emptiness': 23153, 'egoistic': 23154, 'weakest': 23155, 'hamstern': 23156, '1945': 23157, 'babyboom2020': 23158, 'diced': 23159, 'furn': 23160, 'shebbak': 23161, 'sollom': 23162, 'unfold': 23163, 'whoateallthepies': 23164, 'brocklebank': 23165, 'hers': 23166, 'beerforkeir': 23167, 'keepingtheukconnected': 23168, 'argues': 23169, 'redid': 23170, 'creature': 23171, 'vsp': 23172, 'wigamesnightcaribbean': 23173, 'specified': 23174, 'kotak': 23175, 'nbfcs': 23176, 'comparti': 23177, 'esta': 23178, 'nosotros': 23179, 'donde': 23180, 'trabajaba': 23181, 'fresas': 23182, 'despu': 23183, 'lluvia': 23184, 'semana': 23185, 'frontpage': 23186, 'flourishing': 23187, 'reunite': 23188, 'cfc84': 23189, 'freddy': 23190, 'krueger': 23191, '19950101': 23192, 'studentloans': 23193, 'fayettevillear': 23194, 'nwark': 23195, 'precedented': 23196, 'docket': 23197, 'wholeheartedly': 23198, 'tt': 23199, 'inconsideration': 23200, 'myers': 23201, 'michaelmyers': 23202, 'evdekal': 23203, 'careaboutotherpeople': 23204, 'lover': 23205, 'indipendents': 23206, 'lunchtime': 23207, 'teammate': 23208, 'nopee': 23209, 'regretting': 23210, 'bisleri': 23211, 'combine': 23212, 'fincen': 23213, 'chadwick': 23214, 'bps': 23215, 'stayhealthstayathome': 23216, 'milled': 23217, 'avesta': 23218, 'srapionov': 23219, 'uzbekistan': 23220, 'anx': 23221, 'confessing': 23222, 'brainstorm': 23223, 'capitec': 23224, 'kerzner': 23225, 'busines': 23226, 'electrosan': 23227, 'cheshirebusiness': 23228, 'cripple': 23229, '2cchpszvpk': 23230, 'lyckszozqf': 23231, 'closeyourdoors': 23232, 'levitation': 23233, 'denton': 23234, 'deflationary': 23235, 'erupted': 23236, 'trav': 23237, 'kidstogether': 23238, 'youngrappers': 23239, 'funnyvideo': 23240, 'doublestandards': 23241, 'stopbeingdicks': 23242, 'teasmith': 23243, '2kill': 23244, '2the': 23245, 'martini': 23246, 'krisiallen': 23247, 'shieet': 23248, 'naga': 23249, 'imt': 23250, 'adheres': 23251, 'nec': 23252, 'aoc': 23253, 'mushroom': 23254, 'remake': 23255, 'affiliation': 23256, 'forty': 23257, 'pincher': 23258, 'pond': 23259, 'disturbed': 23260, '1t': 23261, 'saud': 23262, 'especial': 23263, 'hdmotors': 23264, 'kathmandu': 23265, 'heeley': 23266, 'tilt': 23267, 'cleantech': 23268, 'cleanenergy': 23269, 'ceausescu': 23270, 'tempting': 23271, 'clog': 23272, 'ufifas': 23273, 'aquilo': 23274, 'venho': 23275, 'sofrer': 23276, 'janeiro': 23277, 'snood': 23278, 'externality': 23279, 'pigouviantax': 23280, 'wordcloud': 23281, 'americanconsumers': 23282, 'socialintelligence': 23283, 'socialanalytics': 23284, 'fishbulb': 23285, 'cheddar': 23286, 'rst': 23287, 'zew': 23288, 'rstjokeimdaswelt': 23289, 'solves': 23290, 'hunkerdown': 23291, 'pervasive': 23292, 'semiconductoranalytics': 23293, 'defensive': 23294, 'microchip': 23295, 'infinitesimal': 23296, 'programmed': 23297, 'bioahazard': 23298, 'biohazardband': 23299, 'lopsided': 23300, 'pandemicpreparedness': 23301, 'rollstp': 23302, 'filt': 23303, 'counseling': 23304, '5124': 23305, 'zip': 23306, 'trumpsupporters': 23307, 'existence': 23308, 'sauntered': 23309, 'usain': 23310, 'bolt': 23311, 'galway': 23312, '937': 23313, 'thinkbig': 23314, 'cryptoc': 23315, 'outbidding': 23316, 'tagging': 23317, 'savile': 23318, 'jacuzzi': 23319, 'anheuserbusch': 23320, 'relentlessly': 23321, 'flexed': 23322, 'sticktogether': 23323, 'andreas': 23324, '3yr': 23325, 'pl': 23326, 'thosewerethedays': 23327, 'ijustwantedtomakebreakfast': 23328, 'donttouchme': 23329, 'blindspot': 23330, 'truestory': 23331, 'minxy': 23332, 'kearneymea': 23333, 'commissioned': 23334, 'blinking': 23335, 'devoe': 23336, 'owl': 23337, 'brighter': 23338, 'dim': 23339, 'orbit': 23340, 'maddening': 23341, 'renamed': 23342, 'jackass': 23343, 'tosser': 23344, 'bbcbreakfast': 23345, 'selfcaresunday': 23346, 'auntie': 23347, 'pedophile': 23348, 'keenly': 23349, 'knucklehead': 23350, 'collapse2020': 23351, 'brix': 23352, 'ofori': 23353, '5bn': 23354, 'agric': 23355, 'tv3newday': 23356, 'buzzer': 23357, 'defend': 23358, 'blew': 23359, 'cuffing': 23360, 'deleting': 23361, 'takemeback': 23362, 'ayuk': 23363, 'unofficial': 23364, 'bts': 23365, 'bighit': 23366, 'twt': 23367, 'hereos': 23368, 'sau': 23369, 'whpresser': 23370, 'healthcaretech': 23371, 'digitalhealth': 23372, 'directs': 23373, 'homepage': 23374, 'casey': 23375, 'critter': 23376, 'sitter': 23377, '844': 23378, '9554': 23379, 'diluted': 23380, 'lindsayfield': 23381, 'kilbride': 23382, 'manasarovar': 23383, 'ushodyay': 23384, 'knos': 23385, 'convid9': 23386, 'benifit': 23387, 'globalising': 23388, 'phanish': 23389, 'puranam': 23390, 'plano': 23391, 'flushable': 23392, 'wetwipes': 23393, '35bn': 23394, '316day': 23395, 'servicedog': 23396, 'hardtimes': 23397, 'furbabylove': 23398, 'cbdofri': 23399, 'canamed': 23400, 'boomerconsumer': 23401, 'whatwouldmojodo': 23402, 'istandwiththepresident': 23403, 'cashinginonacrisis': 23404, 'boycot': 23405, 'alhamdulillah': 23406, 'failsworth': 23407, 'oldham': 23408, 'foodparcel': 23409, 'mancity': 23410, 'needhelp': 23411, 'evisceration': 23412, 'ministerial': 23413, 'blunder': 23414, 'dropoff': 23415, 'ngl': 23416, 'theoffice': 23417, 'brevity': 23418, 'dawned': 23419, 'watcher': 23420, 'switzer': 23421, 'stapledon': 23422, 'houseprices': 23423, 'barging': 23424, '2ft': 23425, 'dietician': 23426, 'gunna': 23427, 'nonporous': 23428, '18k': 23429, 'tamu': 23430, 'jackdaniels': 23431, 'hughes': 23432, '15b': 23433, 'impairment': 23434, 'citing': 23435, 'mor': 23436, 'communal': 23437, 'westmemphis': 23438, 'mcclendon': 23439, 'wapuu': 23440, 'americanheroes': 23441, 'trademe': 23442, 'harbinger': 23443, 'fatality': 23444, 'tryplants': 23445, 'goplantbased': 23446, 'vegandiet': 23447, 'headache': 23448, 'lunacy': 23449, 'ebolavirus': 23450, 'snl': 23451, 'follome': 23452, 'retweetme': 23453, '411': 23454, 'shoppi': 23455, 'drift': 23456, 'drongo': 23457, 'mogadon': 23458, 'basicincome': 23459, 'counteract': 23460, 'strive': 23461, 'styrene': 23462, 'quezon': 23463, 'profitably': 23464, 'giveanditshallbegiven': 23465, 'heavenseconomy': 23466, 'blessedbeyondmeasure': 23467, 'rationality': 23468, 'objectivity': 23469, 'economicstimulus': 23470, 'defiant': 23471, 'gourav': 23472, 'vishwakarma': 23473, 'berkhera': 23474, 'pathani': 23475, 'bhopal': 23476, 'madhya': 23477, 'expedited': 23478, 'innovating': 23479, 'resentment': 23480, '1986': 23481, 'cautiousness': 23482, 'cemented': 23483, '10c': 23484, 'acetaminophen': 23485, 'kwality': 23486, 'ludhiana': 23487, 'unbearable': 23488, 'datascience': 23489, 'abi': 23490, 'wooglobe': 23491, 'spiralling': 23492, 'grossed': 23493, 'curiosity': 23494, 'bathrobe': 23495, 'speedo': 23496, 'dreamt': 23497, 'hemorrhage': 23498, 'everyting': 23499, 'bigshop': 23500, 'cyberbullying': 23501, 'concealer': 23502, 'chewing': 23503, 'gum': 23504, 'pringles': 23505, 'manual': 23506, 'loop': 23507, 'pakistnai': 23508, 'gridlock': 23509, 'nea': 23510, 'sidelined': 23511, 'contaminant': 23512, 'saturdayshoutout': 23513, '5amwritersclub': 23514, 'matched': 23515, 'caseload': 23516, 'adviceline': 23517, '0344': 23518, '477': 23519, '1171': 23520, 'hyperdrive': 23521, 'onitsha': 23522, 'sensitized': 23523, 'bbdelivers': 23524, 'justritehomedelivery': 23525, '218': 23526, 'germtransfer': 23527, 'healthworkers': 23528, 'curbsidepickup': 23529, 'trumpcountry': 23530, 'grandforksfinest': 23531, 'grandforksstrong': 23532, '371': 23533, '159': 23534, 'selfquarantineandchill': 23535, 'ucr': 23536, 'hazardous': 23537, 'antiaging': 23538, 'gether': 23539, 'roaming': 23540, 'kilcock': 23541, 'kildare': 23542, 'bleaching': 23543, 'rick': 23544, 'buybritish': 23545, 'sustained': 23546, 'seemslegit': 23547, 'westernjournal': 23548, 'thewesternjournal': 23549, 'nastiness': 23550, 'elnenythings': 23551, 'relied': 23552, 'simplest': 23553, 'formulation': 23554, '1gal': 23555, 'comfy': 23556, 'ferret': 23557, 'dontforgetyourpets': 23558, 'whipsawed': 23559, 'psych': 23560, 'hoboken': 23561, '255': 23562, 'paidleaveforall': 23563, 'overhear': 23564, 'classless': 23565, 'academictwitter': 23566, 'bagged': 23567, 'derrick': 23568, 'chubbs': 23569, 'waay': 23570, 'pressrelease': 23571, 'ktv': 23572, 'moring': 23573, 'day8': 23574, 'bnm': 23575, 'dimmed': 23576, 'axaltabrightfutures': 23577, 'chemistryfightscovid': 23578, 'medicinal': 23579, 'chn': 23580, 'edutwitter': 23581, 'shakeup': 23582, 'montgomery': 23583, 'angelamerkel': 23584, 'shrinking': 23585, 'nig': 23586, 'oilfield': 23587, 'analystopinion': 23588, 'levy': 23589, 'humbly': 23590, 'dag': 23591, 'rippling': 23592, 'societal': 23593, 'crimp': 23594, 'cherry': 23595, 'goettingen': 23596, 'skyrock': 23597, 'worldpoetryday': 23598, 'juststopit': 23599, 'preexisting': 23600, '438': 23601, 'trebilcock': 23602, '60th': 23603, 'thinblueline': 23604, 'whip': 23605, 'durbin': 23606, 'luminate': 23607, 'seattlecovid19': 23608, 'seattlelockdown': 23609, 'truely': 23610, 'acknowledging': 23611, 'gentle': 23612, 'franchisees': 23613, 'leniency': 23614, 'murdered': 23615, 'avenge': 23616, 'losangeleslockdown': 23617, 'thisisnuts': 23618, 'inverness': 23619, 'presenting': 23620, 'roe': 23621, '845': 23622, '651': 23623, '4025': 23624, 'orangecounty': 23625, 'warwickny': 23626, 'floridany': 23627, 'goshenny': 23628, 'almond': 23629, '6t': 23630, 'macdill': 23631, 'breakout': 23632, 'gradual': 23633, 'cuarentenaobligatoriaya': 23634, 'withdrawn': 23635, 'thisisww3': 23636, 'koka': 23637, 'happybirthday': 23638, 'sweet16': 23639, 'gene': 23640, 'plauge': 23641, 'gunk': 23642, 'wiggle': 23643, 'ohtobebacktonormal': 23644, 'easter2020': 23645, 'overnights': 23646, 'findthegood': 23647, 'brightside': 23648, 'overdirty': 23649, 'grievance': 23650, 'claire': 23651, 'piper1': 23652, 'norwich': 23653, 'ipswich': 23654, 'burystedmunds': 23655, 'cozy': 23656, 'dyk': 23657, 'depts': 23658, 'budens': 23659, '15k': 23660, 'chang': 23661, 'bailed': 23662, 'voteblue': 23663, 'presentation': 23664, 'sessi': 23665, 'khopoli': 23666, 'maharastra': 23667, 'hamsterkauf': 23668, 'kaufen': 23669, 'brazen': 23670, 'kootenay': 23671, 'actresponsible': 23672, 'broz': 23673, '07767164246': 23674, 'salmafoodbank': 23675, 'beardedbroz': 23676, 'chek': 23677, 'staywoke': 23678, 'lever': 23679, 'spoonsub': 23680, 'spoonspig': 23681, 'spoonssub': 23682, 'spoonslave': 23683, 'spoonsslave': 23684, 'findom': 23685, 'finsub': 23686, 'paypig': 23687, 'walletrinse': 23688, 'moneyslave': 23689, 'humanotm': 23690, 'cashpig': 23691, 'namin': 23692, 'shamin': 23693, 'callitout': 23694, 'fbpe': 23695, 'endlessly': 23696, 'cpp': 23697, 'scoop': 23698, 'xdna': 23699, '16645': 23700, '16973': 23701, 'idyllwild': 23702, 'joshua': 23703, 'toughness': 23704, 'itchey': 23705, 'hangnail': 23706, 'buffalo': 23707, 'mutton': 23708, '560': 23709, 'piccard': 23710, 'viruschina': 23711, 'uninfected': 23712, 'meepl': 23713, 'fision': 23714, 'coronanederland': 23715, 'obscure': 23716, 'mesh': 23717, 'synthetic': 23718, 'filtratio': 23719, 'starved': 23720, 'pragati': 23721, 'bhawan': 23722, 'totalitarianism': 23723, 'debashish': 23724, 'mukherjee': 23725, 'mea': 23726, 'determination': 23727, '610': 23728, 'crtuck': 23729, 'apperantly': 23730, 'tightens': 23731, 'grinning': 23732, 'outreach': 23733, 'mole': 23734, 'jock': 23735, 'youcantaskthat': 23736, 'devastated': 23737, '2005': 23738, 'studied': 23739, 'rollouts': 23740, 'yahuah': 23741, 'henryk': 23742, 'borawski': 23743, 'wikimedia': 23744, 'cosigned': 23745, 'decisively': 23746, 'derby': 23747, 'lib': 23748, 'ajit': 23749, 'atwal': 23750, 'karl': 23751, 'racine': 23752, 'briefly': 23753, 'devics': 23754, 'finrite': 23755, 'lockdownextention': 23756, 'indian2': 23757, 'seniors2020': 23758, 'buggered': 23759, 'webstore': 23760, 'patriotism': 23761, 'jaihind': 23762, 'twas': 23763, 'southendclt': 23764, 'faggot': 23765, 'abbott': 23766, 'marythuoreality': 23767, 'cooperating': 23768, 'malaysia2020': 23769, 'homeworker': 23770, 'quarantineaintsobad': 23771, 'newsyoucanuse': 23772, 'isitok': 23773, 'maintan': 23774, 'hash': 23775, 'prolongs': 23776, 'judicial': 23777, 'becerra': 23778, 'kiddo': 23779, 'momhack': 23780, 'groceryrun': 23781, 'gratitudeistheattitude': 23782, 'agile': 23783, 'marmite': 23784, 'somkid': 23785, 'vanpoli': 23786, 'evict': 23787, 'lockdownghana': 23788, 'troubling': 23789, 'shitload': 23790, 'maher': 23791, 'azfaal': 23792, 'alter': 23793, 'mongerer': 23794, 'competitively': 23795, 'leaned': 23796, 'emergencyubi': 23797, 'peoplevspelosi': 23798, 'peoplevsschumer': 23799, 'yanggang': 23800, 'homecarers': 23801, 'toryshambles': 23802, 'nmdc': 23803, 'spud': 23804, 'ecogarden': 23805, 'azamax': 23806, 'parryamerica': 23807, 'organicpesticides': 23808, 'outnumber': 23809, 'mcconnell': 23810, 'blasio': 23811, 'angrily': 23812, 'crusty': 23813, 'lens': 23814, 'tweezer': 23815, 'holdchinaaccountable': 23816, 'overflow': 23817, 'amazonprimenow': 23818, 'publixdelivery': 23819, 'readerscommunity': 23820, 'calculation': 23821, 'ididnothoard': 23822, 'ispellzgood': 23823, 'whille': 23824, 'splatoon2': 23825, 'splatoon': 23826, 'wiggers': 23827, 'mcobooktitles': 23828, 'roulette': 23829, 'baffled': 23830, 'shepherd': 23831, 'electrical': 23832, 'unknowingly': 23833, 'explored': 23834, 'unconventional': 23835, 'legging': 23836, 'mazal': 23837, 'uncle': 23838, 'ranch': 23839, 'ishouldntbringthisup': 23840, 'outbreak247': 23841, 'redeploy': 23842, 'missive': 23843, 'ubiquity': 23844, 'thao': 23845, 'gaslighting': 23846, 'anthem': 23847, 'thingstodowithkids': 23848, 'teamboss': 23849, 'jobsite': 23850, 'bosscrane': 23851, 'localfoodtrucks': 23852, 'cranelife': 23853, 'windfarm': 23854, 'ontag': 23855, 'threeseashells': 23856, 'demolitionman': 23857, '10yrs': 23858, 'translation': 23859, 'fleer': 23860, 'classwarfare': 23861, 'hawke': 23862, 'innate': 23863, 'laziness': 23864, 'overrules': 23865, 'mingling': 23866, 'sprung': 23867, 'spender': 23868, 'pittis': 23869, 'confuse': 23870, 'nymc': 23871, 'nymcshsp': 23872, 'letsnotbecomeitaly': 23873, 'spoiled': 23874, 'anc': 23875, 'trepidation': 23876, 'gmsd': 23877, 'repurchased': 23878, 'loius': 23879, 'gucci': 23880, 'hugo': 23881, 'blvgari': 23882, 'coronainafrica': 23883, 'drphil': 23884, 'tafara': 23885, 'simms': 23886, 'median': 23887, '193': 23888, '271': 23889, 'langoliers': 23890, 'newjobs': 23891, 'shenley': 23892, 'superdry': 23893, 'fashionnews': 23894, 'athens': 23895, 'scentiva': 23896, 'foodhoarding': 23897, 'medieval': 23898, 'streamlined': 23899, 'nycidiots': 23900, 'longisland': 23901, 'southampton': 23902, 'blacktwitter': 23903, 'sicker': 23904, 'postpones': 23905, 'engineering': 23906, 'emaswati': 23907, 'bcz': 23908, 'chakkar': 23909, 'raha': 23910, 'dekhke': 23911, 'ayega': 23912, 'mette': 23913, 'frederiksen': 23914, 'lined': 23915, 'shakeout': 23916, 'pcr': 23917, 'classifies': 23918, 'consumerdata': 23919, 'regina': 23920, 'yqr': 23921, 'workload': 23922, 'eastanglia': 23923, 'gronks': 23924, 'pnp': 23925, 'qldpol': 23926, 'costessey': 23927, 'askmeanything': 23928, 'heiliger': 23929, 'strohsack': 23930, 'pehle': 23931, 'thestruggleisreal': 23932, 'aisect': 23933, 'initiated': 23934, 'talaiya': 23935, 'aisectfamily': 23936, 'ifpri': 23937, 'friedman': 23938, 'fightagainstcorona': 23939, 'savlon': 23940, 'protekt': 23941, 'lawstudentsuog': 23942, 'muralart': 23943, 'tdoc': 23944, 'onem': 23945, 'amn': 23946, 'bilton': 23947, '175': 23948, 'irgc': 23949, 'worldpandemic': 23950, 'wewillovercome': 23951, 'stepmom': 23952, 'amish': 23953, 'supermarketstaff': 23954, 'uniform': 23955, 'iamchichi': 23956, 'campaignforhappiness': 23957, 'unessential': 23958, 'gillingham': 23959, 'rende': 23960, 'mheshimiwa': 23961, 'wanjiku': 23962, '4g': 23963, 'balloon': 23964, 'uhuruto': 23965, 'educa': 23966, 'wisewednesday': 23967, 'pennycook': 23968, 'wetaskiwin': 23969, 'cory': 23970, 'downplaying': 23971, 'huff': 23972, 'saycuf': 23973, 'dema': 23974, 'thegoat': 23975, 'careersuccess': 23976, 'dumpster': 23977, 'signature': 23978, 'inditex': 23979, 'fash': 23980, 'altrincham': 23981, 'descended': 23982, 'power2cap': 23983, 'refusing2': 23984, 'platte': 23985, 'shevles': 23986, 'seaweed': 23987, 'coldpressoil': 23988, 'standardcoldpressoil': 23989, 'complained': 23990, 'tenfold': 23991, 'docsneedgear': 23992, 'abdulla': 23993, 'logodesign': 23994, 'undateable': 23995, 'disinfecant': 23996, 'askgovnortham': 23997, 'dstv': 23998, 'inky': 23999, 'pinky': 24000, 'blinky': 24001, 'clyde': 24002, 'tertiary': 24003, 'snapchatdown': 24004, 'pinkmoon': 24005, 'bernieisourhope': 24006, 'addtl': 24007, '01392576476': 24008, 'ast77': 24009, 'dgf': 24010, 'langar': 24011, 'scholar': 24012, 'locating': 24013, 'rms': 24014, 'replenishing': 24015, 'twentyfivedollarhandsanitizer': 24016, 'subsidization': 24017, '20mins': 24018, 'kobe': 24019, 'partition': 24020, 'howell': 24021, 'statesman': 24022, 'pivotal': 24023, 'redicoulous': 24024, 'revolves': 24025, 'weredoomedmrmannering': 24026, 'agai': 24027, 'devious': 24028, 'wbu': 24029, 'transported': 24030, 'blonde': 24031, 'margaretcirko': 24032, 'mccormack': 24033, 'pereira': 24034, 'magnatestrategies': 24035, 'ple': 24036, 'fattyforlife': 24037, 'quarantinecomedy': 24038, 'directbanking': 24039, 'highinterestsavingsproducts': 24040, 'tilapia': 24041, 'rapper': 24042, 'durant': 24043, 'wearehereforyou': 24044, 'mhanj': 24045, 'xtratalk': 24046, 'wetalkajax': 24047, 'ajax': 24048, 'eredivisie': 24049, 'snow': 24050, 'wellplayedcolorado': 24051, 'rwjbarnabas': 24052, 'guinness': 24053, 'foodchain': 24054, 'nuneaton': 24055, 'coeliac': 24056, 'yeaa': 24057, 'haaibo': 24058, 'iyoh': 24059, 'dweller': 24060, 'fmtlifestyle': 24061, 'provoking': 24062, 'foodethics': 24063, 'vinceremo': 24064, 'apostle': 24065, 'devs': 24066, 'crowdsources': 24067, 'densest': 24068, 'covet': 24069, 'awol': 24070, 'gregory': 24071, 'abbey': 24072, 'tukums': 24073, 'southflorida': 24074, 'winndixie': 24075, 'notp': 24076, 'nogas': 24077, 'dotherightthing': 24078, 'krino': 24079, 'hiphop': 24080, 'newera': 24081, 'socialise': 24082, '12news': 24083, 'gvmc': 24084, 'vizag': 24085, '204': 24086, 'seattletogether': 24087, 'confidentially': 24088, 'armedforces': 24089, 'camping': 24090, 'leeds': 24091, 'eagerly': 24092, 'sexworkersnz': 24093, 'lockdowndrama': 24094, 'outperform': 24095, 'kerosene': 24096, 'rs3': 24097, 'stipend': 24098, 'innocently': 24099, 'huntsman': 24100, 'cpistrong': 24101, 'dillard': 24102, 'sciencewitch': 24103, 'schenectady': 24104, 'coldlinkafrica': 24105, '21daynationallockdown': 24106, '0600': 24107, '0645': 24108, 'firstly': 24109, 'heppenstall': 24110, 'croissant': 24111, 'violinist': 24112, 'reenact': 24113, 'titanic': 24114, 'wanataka': 24115, 'kifonikifo': 24116, 'iwe': 24117, 'njaa': 24118, 'selfishpoliticians': 24119, 'forno': 24120, 'siciliano': 24121, 'elmhursthospital': 24122, 'homie': 24123, 'jellybean': 24124, 'paw': 24125, 'owes': 24126, '775': 24127, '727': 24128, '6223': 24129, 'cushy': 24130, 'reposted': 24131, 'resolving': 24132, 'knitting': 24133, 'reinventing': 24134, 'brandmarketing': 24135, 'tend': 24136, 'trait': 24137, 'paragon': 24138, 'texted': 24139, '45am': 24140, 'revera': 24141, 'mckenzie': 24142, 'towne': 24143, 'strafford': 24144, 'albertafireflood': 24145, 'restoration': 24146, 'sanatizing': 24147, 'heretohelp': 24148, 'mayorbowser': 24149, 'bowser': 24150, 'counterpart': 24151, 'govnortham': 24152, 'reinvest': 24153, 'haraam': 24154, 'concurrently': 24155, 'multifold': 24156, 'halaal': 24157, '3507': 24158, 'michiganshutdown': 24159, 'michiganlockdown': 24160, 'odaat': 24161, 'nhssafeguarding': 24162, 'karonakuch': 24163, 'marathon': 24164, 'bruna': 24165, 'kadletz': 24166, 'randomactsofkindness': 24167, 'implying': 24168, 'singleparents': 24169, 'haveyoursay': 24170, 'msftads': 24171, 'cleanest': 24172, 'healtheducation': 24173, 'healthpromotion': 24174, 'std': 24175, 'bratter': 24176, 'sharethenews': 24177, 'jadirigamer': 24178, 'dz': 24179, 'sanitiz': 24180, '2resale': 24181, 'characterize': 24182, 'erythromycin': 24183, 'thiocynate': 24184, 'azithromycin': 24185, '185': 24186, '2010': 24187, 'dibs': 24188, 'ulta': 24189, 'discontinues': 24190, 'cambonzola': 24191, 'dontpanicbuyyouselfishgreedyfucks': 24192, 'convey': 24193, 'alim': 24194, 'farmside': 24195, 'sommelier': 24196, 'torontorestaurants': 24197, 'dineinathome': 24198, 'gme': 24199, 'misuse': 24200, 'bleachbag': 24201, 'squirting': 24202, 'swimmingpool': 24203, 'admittance': 24204, 'overbuy': 24205, 'blaser': 24206, 'hating': 24207, '2020sofar': 24208, '2020iscancelled': 24209, 'webcomic': 24210, 'webcomics': 24211, 'teleconference': 24212, 'esports': 24213, 'conpanies': 24214, 'scat': 24215, 'unitedweride': 24216, 'sadness': 24217, '0707': 24218, '151515': 24219, 'apocalypsenow': 24220, 'judgedredd': 24221, 'nightofthelivingdead': 24222, 'ausboost': 24223, 'worldwarz': 24224, 'instacar': 24225, 'foodtech': 24226, 'eerie': 24227, '881': 24228, 'fabretto': 24229, 'todayinpooping': 24230, 'mag': 24231, 'peddle': 24232, 'lasttuesday': 24233, '660': 24234, 'goat': 24235, '470': 24236, 'lethality': 24237, 'trumplies': 24238, 'callousrepublicans': 24239, 'indusrey': 24240, 'farmtank': 24241, 'ghebreyesus': 24242, 'wayout': 24243, 'intercultural': 24244, 'summit': 24245, 'voi': 24246, 'taivas': 24247, 'varjele': 24248, 'kvasac': 24249, '50g': 24250, 'countertop': 24251, 'rewrote': 24252, 'sprite': 24253, 'wendell': 24254, 'steavenson': 24255, 'motivator': 24256, 'sneakerheads': 24257, 'saratoga': 24258, 'eoc': 24259, 'giveback': 24260, 'saratogany': 24261, 'wwv': 24262, 'centralflorida': 24263, 'transplant': 24264, 'firesale': 24265, 'fyp': 24266, 'under21': 24267, 'fingerlakes': 24268, 'calvin': 24269, 'klein': 24270, 'unexplainable': 24271, 'eric': 24272, 'riverside': 24273, 'facemasks4all': 24274, 'hartmann': 24275, 'pursue': 24276, 'youthtravel': 24277, 'prioritised': 24278, 'modifying': 24279, 'monitorupdates': 24280, 'coronapandemie': 24281, 'luluatvconnected': 24282, 'quartz': 24283, 'nightgown': 24284, 'donttouchface': 24285, 'absorb': 24286, 'transdermally': 24287, 'notwithstanding': 24288, 'wtfentanyl': 24289, 'retweets': 24290, 'knobheads': 24291, 'jerky': 24292, 'primitive': 24293, 'timpsons': 24294, 'blackwells': 24295, 'horizontal': 24296, 'eatfarmnow': 24297, 'hesitant': 24298, 'broader': 24299, 'coiming': 24300, 'wcvb': 24301, 'nypd': 24302, 'topping': 24303, 'huddled': 24304, 'gy': 24305, 'cst': 24306, 'respawn': 24307, 'dipping': 24308, 'northbayinn': 24309, 'eyebrow': 24310, 'retort': 24311, 'ssd': 24312, 'warmed': 24313, 'stashed': 24314, 'emea': 24315, 'unregulated': 24316, 'risingnepal': 24317, 'bhatbhateni': 24318, 'dearmrpresident': 24319, 'educating': 24320, 'sangam': 24321, 'veb': 24322, 'clueless': 24323, 'grifterinchief': 24324, 'coronaidiots': 24325, 'consumerprotections': 24326, 'nclc': 24327, 'medicalsupplies': 24328, '16oz': 24329, 'aosafety': 24330, 'selective': 24331, 'lockdownitaly': 24332, 'cutlery': 24333, 'oaf': 24334, 'sunrise': 24335, 'sv': 24336, 'businessadvice': 24337, 'sum1': 24338, 'rippled': 24339, 'mufgs': 24340, 'stinking': 24341, 'cornoravirus': 24342, 'coronafreepakistan': 24343, 'prayersforcoronafreeworld': 24344, 'bpcl': 24345, 'gaya': 24346, 'germanefficiency': 24347, 'uneven': 24348, 'phillips': 24349, 'alehouse': 24350, 'monrovia': 24351, 'buyreal': 24352, 'footballagainstfakes': 24353, 'punerains': 24354, 'swell': 24355, 'nofrills': 24356, 'rcss': 24357, 'saveonfoods': 24358, 'wevision': 24359, 'lat': 24360, 'hutcheson': 24361, 'australianbusiness': 24362, 'activation': 24363, '3bn': 24364, 'costed': 24365, 'combustion': 24366, 'proofing': 24367, 'unpacked': 24368, 'ockerman': 24369, 'relocated': 24370, 'totaling': 24371, 'adland': 24372, 'realeyes': 24373, 'storekeeper': 24374, 'changeclosings': 24375, '5262': 24376, 'bilo': 24377, 'jdw': 24378, 'inversely': 24379, 'proportional': 24380, 'asx': 24381, 'sagged': 24382, 'barked': 24383, 'panagis': 24384, 'galiatsatos': 24385, 'tomo': 24386, 'surgeon': 24387, 'appreciating': 24388, 'accelerates': 24389, 'lecture': 24390, 'tranformed': 24391, 'womanspeaking': 24392, 'teachyourboys': 24393, 'hamms': 24394, 'bather': 24395, 'claus': 24396, 'zoombombing': 24397, 'meekmill': 24398, 'governmentofbritishcolumbia': 24399, 'reinstate': 24400, 'unhappy': 24401, 'udit': 24402, 'animalistic': 24403, 'cct320': 24404, 'mossad': 24405, 'couture': 24406, 'sinaloa': 24407, 'sixfold': 24408, 'meth': 24409, 'mow': 24410, 'patrone': 24411, 'borderclosure': 24412, 'caledon': 24413, 'mississauga': 24414, 'peelregion': 24415, 'sauga960am': 24416, 'why1': 24417, 'why2': 24418, 'why3': 24419, 'expendable': 24420, 'agedcare': 24421, 'cse': 24422, 'madacide': 24423, 'fd': 24424, 'loitering': 24425, 'tat': 24426, 'insatiable': 24427, 'thirst': 24428, 'eatertainment': 24429, 'incorporate': 24430, 'lemay': 24431, 'monger': 24432, 'tremendously': 24433, 'stayth': 24434, 'jasonkenney': 24435, 'eyy': 24436, 'pollybites': 24437, 'kosher': 24438, 'automotives': 24439, 'hd5d6zdgs8': 24440, 'asparagus': 24441, 'cisa': 24442, 'ughh': 24443, 'hotstar': 24444, 'anothe': 24445, 'timeshavechanged': 24446, 'majzub': 24447, 'uncoordinated': 24448, 'whitstable': 24449, 'erecting': 24450, 'concierge': 24451, 'churning': 24452, 'crafter': 24453, 'manitoba': 24454, 'farmersmarket': 24455, 'bullsh': 24456, 'retire': 24457, 'caretaker': 24458, 'oncnbctv18': 24459, 'venkatesh': 24460, 'dsouza': 24461, 'fox43': 24462, 'penalities': 24463, 'climbed': 24464, 'outweighed': 24465, 'sweetener': 24466, 'corporatist': 24467, 'ridicule': 24468, 'rated': 24469, 'madrasah': 24470, 'halaqat': 24471, 'ramad': 24472, 'pranayam': 24473, 'cramped': 24474, 'workstation': 24475, 'reef': 24476, 'okey': 24477, 'aand': 24478, 'governement': 24479, 'ookey': 24480, 'stoc': 24481, 'sweetened': 24482, 'whyarepeoplelikethat': 24483, 'revenuegrowth': 24484, 'woodland': 24485, 'shaved': 24486, 'ovr': 24487, 'lanarkshire': 24488, 'snaking': 24489, 'striding': 24490, 'unanimously': 24491, 'balanced': 24492, 'babyganics': 24493, 'babysanitizer': 24494, 'babyhygiene': 24495, 'deviant': 24496, 'civlisation': 24497, 'ord': 24498, 'smishing': 24499, 'reportspam': 24500, 'nnewi': 24501, 'endofthefuckingworld': 24502, 'imgonnastarve': 24503, 'bhai': 24504, 'haufiku': 24505, 'kieran': 24506, 'clancy': 24507, 'giffen': 24508, 'prospering': 24509, 'nowadays': 24510, 'fantasyland': 24511, 'teensy': 24512, 'lotta': 24513, 'incubator': 24514, 'shameonstockpilers': 24515, 'tpe': 24516, 'burned': 24517, '01273': 24518, '293117': 24519, 'thinkagain': 24520, 'blinder': 24521, 'reconnection': 24522, 'ext': 24523, 'prophecy': 24524, 'waragainstvirus': 24525, 'urbanfresh': 24526, 'fuckwit': 24527, 'mahatma': 24528, 'ghandi': 24529, 'harshest': 24530, 'quarticon': 24531, 'breakingonrt': 24532, 'belated': 24533, 'sabino': 24534, 'siders': 24535, 'unmatched': 24536, 'surround': 24537, 'boeing': 24538, 'newbusinesstrends': 24539, 'masterchef': 24540, 'nodal': 24541, 'thankretailworkers': 24542, 'mylocal': 24543, 'ritchies': 24544, 'onlybuywhatyouneed': 24545, 'noneedtopanic': 24546, 'pediatric': 24547, 'mopng': 24548, 'albertheijn': 24549, 'befo': 24550, 'sunbed': 24551, 'taxscam': 24552, 'luzonlockdown': 24553, 'boschetto': 24554, 'manzil': 24555, 'ccm': 24556, 'bhojpur': 24557, 'banging': 24558, 'stoppanicshopping': 24559, 'stopreselling': 24560, 'wewilldefeatcorona': 24561, 'gobsmacked': 24562, 'kebab': 24563, 'lesser': 24564, 'moneycontrol': 24565, 'roseville': 24566, 'sociopath': 24567, 'coronashopping': 24568, 'plentyfull': 24569, 'icra': 24570, 'icraviews': 24571, 'icrainnews': 24572, 'sugarindustry': 24573, 'sugarprice': 24574, 'medley': 24575, 'rehydrated': 24576, 'pandemicchopped': 24577, 'paidsurvey': 24578, 'enterprising': 24579, 'embed': 24580, 'fairway': 24581, 'gobbled': 24582, 'fintweets': 24583, 'airway': 24584, 'fco': 24585, 'creamery': 24586, 'nearing': 24587, 'elvis': 24588, 'ufo': 24589, 'nonursehungry': 24590, 'stupidcustomers': 24591, 'widget': 24592, 'hyperlocal': 24593, 'ddj': 24594, 'dataviz': 24595, 'opendata': 24596, 'reflecting': 24597, 'nyah': 24598, 'unwell': 24599, 'aeco': 24600, 'differential': 24601, 'fading': 24602, 'erode': 24603, 'sweeter': 24604, 'turkishhandsanitizer': 24605, 'kattk81': 24606, 'cooney': 24607, 'marvel': 24608, 'situatio': 24609, 'familycarehospitals': 24610, 'tending': 24611, 'twelve': 24612, 'flake': 24613, 'bourgie': 24614, 'chia': 24615, 'inflection': 24616, 'marco': 24617, 'lauro': 24618, 'setterfield': 24619, 'lintao': 24620, 'zhang': 24621, 'guatemala': 24622, 'coronainkenya': 24623, 'deviate': 24624, 'darling': 24625, 'satisfied': 24626, 'jcdcmotors': 24627, 'woolerontario': 24628, 'fordmustang': 24629, 'masturbate': 24630, 'criticizes': 24631, 'letsbuildbettertomorrow': 24632, 'quinsam': 24633, 'estore': 24634, 'adapter': 24635, 'headset': 24636, 'wearable': 24637, 'wolfofwallstreet': 24638, 'sellersville': 24639, 'finserv': 24640, 'bias': 24641, 'babyyoda': 24642, 'hasbro': 24643, 'pipping': 24644, 'booger': 24645, 'stockbroker': 24646, 'glives': 24647, 'backseat': 24648, 'minivan': 24649, 'dharma': 24650, 'superstores': 24651, 'parcelshipping': 24652, 'lincsfoodchainjobs': 24653, 'austintexas': 24654, 'accesstocash': 24655, 'bankofengland': 24656, 'fani': 24657, 'kayode': 24658, 'jonathan': 24659, 'reap': 24660, 'socialcare': 24661, 'quetion': 24662, 'fanforever': 24663, 'overeating': 24664, 'abandoning': 24665, 'lifeaftercovid': 24666, 'moderately': 24667, 'hindman': 24668, 'knott': 24669, 'eyvallah': 24670, 'thehandmaidstale': 24671, 'swasthabharat': 24672, 'helpustohelpyou': 24673, 'helptosave': 24674, 'poortiming': 24675, 'maturity': 24676, 'cota': 24677, 'discontinuing': 24678, 'redner': 24679, 'marry': 24680, 'wino': 24681, 'winemaking': 24682, 'jogging': 24683, 'procession': 24684, 'ultimateloveng': 24685, 'cov19game': 24686, 'dancegan': 24687, 'terry': 24688, 'edmund': 24689, 'obilo': 24690, 'tunic': 24691, 'workwear': 24692, 'helpthenhs': 24693, 'menstunics': 24694, 'tabard': 24695, 'onlinediacount': 24696, 'scrubtrousers': 24697, 'scrubtops': 24698, 'proceeding': 24699, 'swimsuit': 24700, 'tripathy': 24701, 'edgy': 24702, '3thingstoknow': 24703, 'dung': 24704, 'kilo': 24705, 'coronapakistan': 24706, 'tor': 24707, 'grap': 24708, 'handgel': 24709, 'tasneemnaturel': 24710, 'bbw': 24711, 'cfbath': 24712, 'bugsaway': 24713, 'kleenzy': 24714, 'bacout': 24715, 'calmbath': 24716, 'ibumengandung': 24717, 'nontoxic': 24718, 'sleeptime': 24719, 'calmtime': 24720, 'corovnavirus': 24721, 'qpay': 24722, 'qatari': 24723, 'arch': 24724, 'ker': 24725, 'getbeer': 24726, 'tldr': 24727, 'clause': 24728, 'binding': 24729, 'arbitration': 24730, 'arbitrator': 24731, 'unbiased': 24732, 'resolute': 24733, 'electronically': 24734, 'quell': 24735, 'oversaturation': 24736, 'konga': 24737, 'n10m': 24738, 'solosafe': 24739, 'kidsathome': 24740, 'gooddaydc': 24741, 'hulu': 24742, 'disneyplus': 24743, 'amazo': 24744, 'raffat': 24745, 'altekrete': 24746, 'apel': 24747, 'withrefugees': 24748, 'abdijan': 24749, 'abu': 24750, 'dhabi': 24751, 'identifiable': 24752, 'latino': 24753, 'carnicerias': 24754, 'tienditas': 24755, 'thisisacrisis': 24756, 'oklahomahasnomandatorytestingfoepeoples': 24757, 'infor': 24758, 'cranleigh': 24759, 'indirect': 24760, 'juliab1978': 24761, 'stuffing': 24762, '19gr': 24763, '19usa': 24764, 'foxnuts': 24765, 'puffed': 24766, 'lotus': 24767, 'onlinegrocerystore': 24768, 'sharethelove': 24769, 'foodgasm': 24770, 'indianstreetfood': 24771, 'localgrocerystore': 24772, 'bridgford': 24773, 'incidence': 24774, 'lockup': 24775, 'rafael': 24776, 'lourenco': 24777, 'clientwin': 24778, 'croak': 24779, 'purple': 24780, 'pink': 24781, 'peach': 24782, 'phew': 24783, 'pickens': 24784, 'storydam': 24785, 'winnie': 24786, 'cantveven': 24787, 'deprives': 24788, 'ilifemedical': 24789, 'testkits': 24790, 'interve': 24791, '17701': 24792, 'coronvirusuk': 24793, 'hlor0729': 24794, 'vocabulary': 24795, 'bend': 24796, '205': 24797, 'bulkcarriers': 24798, 'cultivated': 24799, 'sweetest': 24800, 'novv': 24801, 'lavv': 24802, 'frieda': 24803, 'faye': 24804, 'befor': 24805, 'trastra': 24806, 'spaincoronavirus': 24807, 'conferencing': 24808, 'peppa': 24809, 'disobedience': 24810, 'ward23': 24811, 'scarbto': 24812, 'fracking': 24813, 'lookforthehelpers': 24814, 'crawler': 24815, 'prowling': 24816, 'newperspective': 24817, 'crackling': 24818, 'creamed': 24819, 'glazed': 24820, 'parsnip': 24821, 'gravy': 24822, 'consummation': 24823, 'coronainmaharashtra': 24824, '8500': 24825, 'hoarde': 24826, 'tasted': 24827, 'expired': 24828, 'dissolve': 24829, 'abattoir': 24830, 'campaigner': 24831, 'exclusion': 24832, 'nsduh': 24833, 'taproom': 24834, 'emmy': 24835, 'shute': 24836, 'remorse': 24837, 'layed': 24838, 'drogheda': 24839, 'undercut': 24840, 'learningathome': 24841, 'learnfromhome': 24842, 'joseph': 24843, 'ghg': 24844, 'nppa': 24845, 'kpmru': 24846, 'crystal': 24847, 'socalstrong': 24848, 'beverlyhills': 24849, 'vons': 24850, 'educateyourself': 24851, 'protectyourself': 24852, 'jotted': 24853, '29th': 24854, '2km': 24855, 'paralyzed': 24856, 'revising': 24857, 'nofear': 24858, 'area51': 24859, 'survivability': 24860, 'grocersapp': 24861, 'grocerapp': 24862, 'grocerystoreapp': 24863, 'bingeshopping': 24864, 'onlyasuggestion': 24865, 'noneed': 24866, 'peek': 24867, 'dependency': 24868, 'madani': 24869, 'atiku': 24870, 'sprinting': 24871, 'afyarekod': 24872, 'cii': 24873, 'channelised': 24874, 'masterchefau': 24875, 'brooklynpodcast': 24876, 'caribbean': 24877, 'applepodcasts': 24878, 'spotifypodcast': 24879, 'inflates': 24880, 'maula': 24881, 'imamali': 24882, 'happyfriday': 24883, 'noluxury': 24884, 'herdimmunity': 24885, 'yday': 24886, 'morn': 24887, 'cryptocurreny': 24888, 'reliefbill': 24889, 'permaroute': 24890, 'visibility': 24891, 'heskins': 24892, 'floormarking': 24893, 'lustful': 24894, 'tik': 24895, 'tok': 24896, 'cardib': 24897, 'helsinki': 24898, 'muniland': 24899, 'safehands': 24900, 'fintwits': 24901, 'comparing': 24902, 'redefine': 24903, 'thirty': 24904, 'cpif': 24905, 'bicyclesastransport': 24906, 'yhis': 24907, 'mackenzie': 24908, 'windenergy': 24909, 'powerdemand': 24910, 'powerconsumption': 24911, 'energymarket': 24912, 'fairing': 24913, 'germy': 24914, 'bracket': 24915, 'reactivation': 24916, 'crossover': 24917, 'pestering': 24918, 'wonderwall': 24919, 'oasis': 24920, 'reasonably': 24921, 'zoe': 24922, 'curfewinkenya': 24923, 'whatsoever': 24924, 'merging': 24925, 'composer': 24926, 'repertoire': 24927, 'soldiering': 24928, 'rehearse': 24929, 'pep': 24930, 'theatrically': 24931, 'veering': 24932, 'spareasquare': 24933, 'omaginsiders': 24934, 'authenticbecky': 24935, 'warewolf': 24936, 'colouring': 24937, 'understaffed': 24938, '95123': 24939, 'smartnews': 24940, 'staffed': 24941, 'qld': 24942, 'jeannette': 24943, 'minnesotan': 24944, 'sunrisers': 24945, 'bumper': 24946, 'ch1': 24947, '4lt': 24948, 'contrastingly': 24949, 'repeated': 24950, 'clicking': 24951, 'chrysler': 24952, 'unload': 24953, 'ageuk': 24954, 'uptown': 24955, 'protip': 24956, 'survivaltips': 24957, 'effectvemp': 24958, 'envy': 24959, 'chomping': 24960, 'realism': 24961, 'time8news': 24962, 'imgflip': 24963, 'homesale': 24964, 'housesale': 24965, 'idiotsb': 24966, 'facade': 24967, 'specialises': 24968, 'sleeve': 24969, 'subdued': 24970, 'foreseen': 24971, 'yext': 24972, 'publicizing': 24973, 'researched': 24974, 'kwawesome': 24975, 'cheryl': 24976, 'idell': 24977, 'carolburnett': 24978, 'fillet': 24979, 'achieved': 24980, 'gendered': 24981, 'dutchies': 24982, 'fuckedup': 24983, 'codvid19espana': 24984, 'codvid19italia': 24985, 'shiny': 24986, 'exxonmobil': 24987, 'naturo': 24988, 'vaccinated': 24989, 'nii': 24990, 'tak': 24991, 'nspoli': 24992, 'ombudsman': 24993, 'consumertalk': 24994, 'campervan': 24995, 'freshies': 24996, 'handmadehour': 24997, 'letterboxfriendly': 24998, 'uniquegifts': 24999, 'campathome': 25000, 'vw': 25001, 'preceded': 25002, 'gardai': 25003, 'indonesia': 25004, 'businessimpact': 25005, 'jbs': 25006, 'achive': 25007, 'intra': 25008, 'digested': 25009, 'varcoe': 25010, 'mintz': 25011, 'toiletpaperfight': 25012, 'survivalguide': 25013, 'toiletpapersurvivalguide': 25014, 'embrassd': 25015, 'strippedbare': 25016, 'dontbothergoing': 25017, 'mageddon': 25018, 'gloriously': 25019, 'circa': 25020, '1996': 25021, 'iwillsurvive': 25022, 'campbell': 25023, 'bpo': 25024, 'dorm': 25025, 'philip': 25026, 'nite': 25027, 'sustliving': 25028, 'shaheenbaghcoronathreat': 25029, 'nomoreloot': 25030, 'whoop': 25031, 'carbonemission': 25032, 'elliottwave': 25033, 'misa': 25034, 'vila': 25035, 'paswan': 25036, 'custodian': 25037, 'paperrecycling': 25038, 'packagingcompany': 25039, 'recyclingindustry': 25040, 'trumpvirus2020': 25041, 'mann': 25042, 'engages': 25043, 'gata': 25044, 'negra17': 25045, 'shareifwoke': 25046, 'mattress': 25047, 'feverish': 25048, 'newtoday': 25049, 'okla': 25050, '2worksforyou': 25051, 'consumeralert': 25052, 'blackmarketears': 25053, 'reinstated': 25054, 'welldonesky': 25055, 'faulkner': 25056, 'pottyaboutmyplanet': 25057, 'navajo': 25058, 'chilchinbeto': 25059, 'spr': 25060, 'sprau': 25061, 'charitytuesday': 25062, 'softly': 25063, 'disregarded': 25064, 'imaginary': 25065, 'bef': 25066, 'tpt': 25067, 'educator': 25068, 'communicating': 25069, 'tabletop': 25070, 'pces': 25071, '50billion': 25072, 'whereisbernie': 25073, 'joebuck': 25074, 'medal': 25075, 'joked': 25076, 'opioid': 25077, 'adherent': 25078, 'moonshot': 25079, 'pattaya': 25080, 'makro': 25081, 'lapdog': 25082, '2050': 25083, 'tissuepaperchallenge': 25084, 'ineos': 25085, 'firmenich': 25086, 'qmu': 25087, 'costcofinds': 25088, 'costcobuys': 25089, 'costcodeals': 25090, 'ivl9txzrtm': 25091, 'ahram': 25092, 'vacationer': 25093, 'snowbird': 25094, 'lcbo': 25095, 'pmmodioncorona': 25096, 'mbpd': 25097, 'carling': 25098, 'stella': 25099, 'birra': 25100, 'moretti': 25101, '179': 25102, '09p': 25103, 'strangest': 25104, 'arose': 25105, 'scottyfrommarketing': 25106, 'lathicharge': 25107, 'sbry': 25108, 'countires': 25109, '4apeoplesparty': 25110, 'footed': 25111, 'ploughed': 25112, 'twizzlers': 25113, 'orrin': 25114, 'statio': 25115, 'imlearningfx': 25116, 'farage': 25117, 'mayfair': 25118, 'peddling': 25119, 'briljante': 25120, 'rathod': 25121, 'marylandlockdown': 25122, 'marylandcoronavirus': 25123, 'useyourheadmd': 25124, 'deepest': 25125, 'chocolatiers': 25126, 'awarded': 25127, 'laffer': 25128, 'presidential': 25129, 'keynesian': 25130, 'telegraph': 25131, 'integrity': 25132, 'fasten': 25133, 'seatbelt': 25134, 'tidied': 25135, 'shelled': 25136, 'extraordinarily': 25137, 'inpex': 25138, 'optimise': 25139, 'wod': 25140, 'utilised': 25141, 'stingy': 25142, 'guinea': 25143, 'stockholm': 25144, 'sweden': 25145, 'internationallabourorganisation': 25146, 'oilmarket': 25147, 'antiplastic': 25148, 'conclusive': 25149, 'recycle': 25150, 'insisted': 25151, 'thiers': 25152, '106': 25153, 'getoutofmybubble': 25154, 'fucovid19': 25155, 'dew': 25156, 'arun': 25157, 'servicepublic': 25158, 'keenan': 25159, 'frown': 25160, 'supersedes': 25161, 'gifted': 25162, 'coinage': 25163, 'comparison': 25164, 'cornershops': 25165, 'laundrettes': 25166, 'vonhrp': 25167, 'bottoming': 25168, 'gaiss': 25169, 'tought': 25170, 'leach': 25171, 'christine': 25172, 'kintu': 25173, 'wanjara': 25174, 'lutimba': 25175, 'socialdistan': 25176, 'foxboro': 25177, 'fabiana': 25178, 'bisceglia': 25179, 'donata': 25180, 'cordone': 25181, 'shopp': 25182, 'overridden': 25183, 'reusing': 25184, 'bringbackthebag': 25185, '1h': 25186, 'alajuela': 25187, 'tcrn': 25188, 'kaufman': 25189, 'finna': 25190, 'ctfu': 25191, '80bn': 25192, 'sparingly': 25193, 'bodied': 25194, 'lamuscle': 25195, 'superfoods': 25196, 'processedfood': 25197, 'muscle': 25198, 'immunehealth': 25199, 'republik': 25200, 'precipice': 25201, 'sixty': 25202, 'rpmalamo': 25203, 'sanantoniopropertymanagement': 25204, 'newlistingsanantonio': 25205, 'bulb': 25206, 'stayhomesaveliv': 25207, 'v12': 25208, 'anders': 25209, 'ekman': 25210, 'charting': 25211, '16m': 25212, 'devalue': 25213, 'whenthisisallover': 25214, 'trawl': 25215, 'stockpiler': 25216, 'askadoctor': 25217, 'doctoronline': 25218, 'healthyliving': 25219, 'beelearners': 25220, 'uki': 25221, 'cornoravirusus': 25222, 'trump2020nowmorethanever': 25223, 'redmeatmatters': 25224, 'loneliest': 25225, 'patronise': 25226, 'barilla': 25227, 'maida': 25228, 'dahi': 25229, 'amul': 25230, 'safal': 25231, 'nofoodbank': 25232, 'nocrisispayment': 25233, 'nochanceofsurvival': 25234, 'ucpeoplestarve': 25235, 'icantwaittofuckingdie': 25236, 'leicester': 25237, 'bathon': 25238, 'tasered': 25239, 'xjo': 25240, 'gull': 25241, 'whangarei': 25242, 'willingly': 25243, 'irrationally': 25244, 'relearning': 25245, 'democraticsocialism': 25246, 'adjustable': 25247, 'biocarohk': 25248, 'greendisinfectant': 25249, 'chloridedioxide': 25250, 'miso': 25251, 'powermarket': 25252, 'circulates': 25253, 'mortonwilliams': 25254, 'abridged': 25255, 'haggadah': 25256, 'cluck': 25257, 'motherclucker': 25258, 'manup': 25259, 'omgisitonlyme': 25260, 'hohberger': 25261, 'scientifically': 25262, 'filtration': 25263, '200nm': 25264, 'quelling': 25265, 'registry': 25266, 'tpisthenewgold': 25267, 'conclude': 25268, 'scout': 25269, 'lolwut': 25270, 'differe': 25271, '799': 25272, 'cunty': 25273, 'icecream': 25274, 'thankschina': 25275, 'xr': 25276, 'machined': 25277, 'rochesterny': 25278, 'disbelieving': 25279, 'finney': 25280, 'givemeacovidbreak': 25281, 'vending': 25282, 'dirtiest': 25283, 'sickest': 25284, 'thrift': 25285, 'zoolert': 25286, 'logged': 25287, 'solemn': 25288, 'rafter': 25289, 'mememe': 25290, 'foodarmy': 25291, 'feedingthenation': 25292, 'feedingthevulnerable': 25293, 'elko': 25294, 'shordy': 25295, 'gettin': 25296, 'valerie': 25297, 'nannery': 25298, 'slaughtering': 25299, 'lockdown101': 25300, 'dissemination': 25301, 'veneto': 25302, 'husted': 25303, 'intact': 25304, 'aldis': 25305, 'biglots': 25306, 'youdamvp': 25307, 'poopy': 25308, 'sunk': 25309, 'maukepechauka': 25310, 'ripe': 25311, 'theflipguyskitchen': 25312, 'homecook': 25313, 'shahenshah': 25314, 'bollywood': 25315, 'amitabhbachchan': 25316, 'policastro': 25317, 'streatham': 25318, 'halved': 25319, 'fishyfun': 25320, 'keepsmiling': 25321, 'charityshopfind': 25322, 'stafflinegroup': 25323, 'constructive': 25324, 'covid2020': 25325, 'ecoli': 25326, 'mwh': 25327, 'stuffyouneed': 25328, 'wiv': 25329, 'trumpisalyingsackofshit': 25330, 'panicroom': 25331, 'homeswithdiane': 25332, 'servingyourfamily': 25333, 'remax': 25334, 'centralindiana': 25335, 'plagued': 25336, 'completion': 25337, 'kuhn': 25338, 'moore': 25339, 'concentrate': 25340, 'respe': 25341, 'bec': 25342, 'thestorm': 25343, 'drpolcino': 25344, 'jumpstart': 25345, 'thecrew2': 25346, 'ubisoft': 25347, 'bassmasters': 25348, 'walkingdead': 25349, 'cancelrent': 25350, 'cancelation': 25351, 'dortmund': 25352, 'ultras': 25353, 'vfb': 25354, 'stuttgart': 25355, 'env': 25356, 'humanitarianaid': 25357, 'notary': 25358, '8daystogo': 25359, 'megapowerstar': 25360, 'ramcharan': 25361, 'seetharamarajucharan': 25362, 'prompting': 25363, 'raccoon': 25364, 'rogers': 25365, 'duterte': 25366, 'hesitation': 25367, 'ahi': 25368, 'firenze': 25369, 'florence': 25370, 'fotografia': 25371, 'paololodebole': 25372, 'instapic': 25373, 'instafoto': 25374, 'igerstuscany': 25375, 'igersflorence': 25376, 'igersitalia': 25377, 'fic': 25378, 'examining': 25379, 'grammar': 25380, 'yqgstandsstrong': 25381, 'bdo': 25382, '6min': 25383, 'manifested': 25384, 'credentialled': 25385, 'usdaw': 25386, 'tel': 25387, 'querying': 25388, 'goofy': 25389, 'brandingwithutility': 25390, 'postitnotecart': 25391, 'moneysmartweek': 25392, 'reengaging': 25393, 'msw2021': 25394, 'msw2020': 25395, 'cleanyourscreen': 25396, 'expression': 25397, 'meetthefarmersconference': 25398, 'crenov8': 25399, 'freshchoice': 25400, 'supervalue': 25401, 'foodinsecure': 25402, 'groceryshortage': 25403, 'christianity': 25404, 'uneconomic': 25405, 'negates': 25406, 'modulates': 25407, 'ariel': 25408, '201': 25409, 'vic': 25410, 'streetnewsau': 25411, 'streetadvocate': 25412, 'realestateau': 25413, 'melbre': 25414, 'obligated': 25415, 'embarrass': 25416, 'glutinous': 25417, 'fa4g': 25418, 'earlyriser': 25419, 'earlybirdgetsthenecessities': 25420, 'dover': 25421, 'fcawa': 25422, 'coronacontrol': 25423, 'whack': 25424, 'supportdg': 25425, 'nsfwtwitter': 25426, 'parlous': 25427, 'concumer': 25428, 'adamie': 25429, 'worthwhile': 25430, 'overdu': 25431, 'shoul': 25432, 'tui': 25433, 'anita': 25434, '113': 25435, 'sarscov19': 25436, 'consumerimpact': 25437, 'bernstein': 25438, 'larne': 25439, 'carrick': 25440, 'ballymena': 25441, 'subcommittee': 25442, 'worldhealthorganization': 25443, 'fulfilment': 25444, 'arrogance': 25445, 'kesa': 25446, 'maglalalabas': 25447, 'gamit': 25448, 'utak': 25449, 'hk': 25450, 'minimized': 25451, 'annd': 25452, 'salisbury': 25453, 'councilor': 25454, 'savry': 25455, 'ouk': 25456, 'vlns': 25457, 'irreponsible': 25458, 'sprighlty': 25459, 'inefficiency': 25460, 'imrankhan': 25461, 'pastorosagieizeiyamu': 25462, 'colchester': 25463, 'margarine': 25464, 'springboardfutures': 25465, 'bagp': 25466, 'baristas': 25467, 'conronavirus': 25468, '24in48': 25469, 'grasp': 25470, 'selfies': 25471, 'ranching': 25472, 'wotw': 25473, 'livesafety': 25474, 'brant': 25475, 'elmira': 25476, 'gimme': 25477, 'cannedfood': 25478, 'cosplay': 25479, 'lovillea': 25480, '675': 25481, 'tig': 25482, 'welder': 25483, 'liquidating': 25484, 'guitar': 25485, 'hanger': 25486, 'boonie': 25487, 'vulnerablepopulations': 25488, '4all': 25489, 'gutless': 25490, 'kdrama': 25491, 'blossoming': 25492, 'sonng': 25493, 'ost': 25494, 'exolselcaday': 25495, 'flopping': 25496, '1326': 25497, 'implore': 25498, 'cornoravirusuk': 25499, 'sail': 25500, 'unscathed': 25501, 'lenscrafters': 25502, 'boggling': 25503, 'standalone': 25504, 'coy': 25505, 'renee': 25506, 'arbitrarily': 25507, 'ploy': 25508, 'milky': 25509, 'treasured': 25510, 'ilovemyhusband': 25511, 'trojan': 25512, 'horse': 25513, 'thecomedypost': 25514, 'thecomedypostsg': 25515, 'tpweightlosschallenge': 25516, 'southgate': 25517, 'swimmer': 25518, 'accessed': 25519, 'manhatten': 25520, 'readysteadycook': 25521, 'redacted': 25522, 'disinfects': 25523, 'migrated': 25524, '60bn': 25525, 'akhira': 25526, 'blooded': 25527, 'germkilling': 25528, 'carnaval': 25529, 'kentuky': 25530, 'tenessee': 25531, 'repurposing': 25532, 'wineoclock': 25533, 'extraction': 25534, 'vix': 25535, 'vxx': 25536, 'coronaproblems': 25537, 'nupes': 25538, 'conjunction': 25539, 'accidentally': 25540, 'linkage': 25541, 'upstreamcosts': 25542, 'wmconsulting': 25543, 'southend': 25544, 'chaplain': 25545, 'therapist': 25546, 'clergy': 25547, 'fge': 25548, 'fesharaki': 25549, 'oncoming': 25550, 'maximizing': 25551, 'fulltimervers': 25552, 'rvlife': 25553, 'vanlife': 25554, 'nomadlife': 25555, 'cbdoil': 25556, 'coma': 25557, 'incisive': 25558, 'mudit': 25559, 'jaju': 25560, 'thalibharona': 25561, 'clang': 25562, 'cpiml': 25563, 'foodsystems': 25564, 'lengthen': 25565, 'runway': 25566, 'matrix': 25567, 'redrawn': 25568, 'chinesephones': 25569, 'kmfmnews': 25570, 'xly': 25571, 'redefined': 25572, 'imprint': 25573, 'paisa': 25574, 'rathore': 25575, 'butchery': 25576, 'olivia': 25577, 'guinaugh': 25578, 'nocommonsense': 25579, 'auctioning': 25580, 'myquarantineinagif': 25581, 'flattenthecuve': 25582, 'toilettissue': 25583, 'notimeforjokes': 25584, 'priciest': 25585, 'skinned': 25586, 'gaw': 25587, 'x1': 25588, 'gaymer': 25589, 'riskiest': 25590, 'quarantin': 25591, 'facilitating': 25592, 'allocation': 25593, 'bahar': 25594, 'khana': 25595, 'ima': 25596, 'makin': 25597, 'lochnessmonster': 25598, 'libs': 25599, 'getgo': 25600, 'may3': 25601, 'tnx': 25602, 'kzn': 25603, 'burna': 25604, 'zlatan': 25605, 'ini': 25606, 'beatz': 25607, 'ibile': 25608, 'hooray': 25609, 'adaptive': 25610, '8336': 25611, 'sounding': 25612, 'deathknell': 25613, 'ssi': 25614, 'clouding': 25615, 'glorious': 25616, 'analyzing': 25617, 'revolutio': 25618, 'sultanate': 25619, 'omanobserver': 25620, 'pandemiccovid19': 25621, 'innovationst': 25622, 'newsroom': 25623, 'josie': 25624, 'bounceback': 25625, 'contingent': 25626, '350k': 25627, '500k': 25628, 'savemoney': 25629, 'saynotosingleuse': 25630, 'littleproud': 25631, 'beneath': 25632, 'sainsb': 25633, 'genetics': 25634, 'nefarious': 25635, 'whitepaper': 25636, 'kgp': 25637, 'threeitemsonly': 25638, 'wallace': 25639, 'ebayuk': 25640, '18ct': 25641, 'westerner': 25642, 'kashmirlockdown': 25643, 'kashmiri': 25644, 'issuer': 25645, 'icanwaitanotherweek': 25646, 'refresher': 25647, 'noschool': 25648, 'pma': 25649, 'bartuska': 25650, 'rickygervais': 25651, '750ml': 25652, '1l': 25653, 'belarus': 25654, 'whatnot': 25655, 'weneedsensitivemedia': 25656, 'redeploying': 25657, 'goodthinking': 25658, 'swagbucks': 25659, 'earnmoney': 25660, 'ary': 25661, 'sahulat': 25662, '021': 25663, '00162': 25664, '166981': 25665, 'buyonline': 25666, 'offensive': 25667, 'immigrantsong': 25668, 'ohiounemployment': 25669, 'openohio': 25670, 'gasolina': 25671, 'redundant': 25672, 'whatsap08115981930': 25673, 'rccg': 25674, 'boko': 25675, 'bodija': 25676, 'seyi': 25677, 'healthathome': 25678, 'positivit': 25679, 'bannon': 25680, 'unlucky': 25681, 'flank': 25682, 'inclusive': 25683, 'stards': 25684, 'snorkel': 25685, '284': 25686, '1321': 25687, 'heinz': 25688, 'meanz': 25689, 'abit': 25690, 'recreating': 25691, 'madebystudiojq': 25692, 'ahahahaha': 25693, 'chck': 25694, 'tippingpoint': 25695, 'weinstein': 25696, 'publicise': 25697, 'nageswara': 25698, 'rao': 25699, 'pil': 25700, 'zoomuniversity': 25701, 'ukhousing': 25702, 'bronx': 25703, 'inspite': 25704, 'efficacy': 25705, 'workflow': 25706, 'verification': 25707, 'anambra': 25708, 'bubonic': 25709, 'leningrad': 25710, 'calorie': 25711, '575': 25712, 'clasping': 25713, 'bootstrap': 25714, 'socia': 25715, 'pk': 25716, 'makemytrip': 25717, 'cheating': 25718, 'caito': 25719, 'instructor': 25720, 'disabling': 25721, 'pornography': 25722, 'reboot': 25723, 'mareeba': 25724, 'njlockdown': 25725, 'unforgivable': 25726, 'govs': 25727, 'fpa': 25728, 'consult': 25729, 'superannuation': 25730, 'adjacent': 25731, 'skinless': 25732, 'bead': 25733, 'honolulu': 25734, 'savannah': 25735, 'peaking': 25736, 'dontbeapartoftheproblem': 25737, 'prayfortheworld': 25738, 'trustinthelord': 25739, 'danceswithrain': 25740, 'wwg1wgaworldwide': 25741, 'dearly': 25742, 'pavilion': 25743, 'viscelli': 25744, 'noticeably': 25745, 'documetry': 25746, 'urbanphotography': 25747, 'urbex': 25748, '5fold': 25749, 'usernames': 25750, 'faa': 25751, 'undeserved': 25752, 'eternally': 25753, 'donthoard': 25754, 'terrific': 25755, 'garwood': 25756, 'brightens': 25757, 'spreadkindness': 25758, 'cpi': 25759, '200bps': 25760, '330ml': 25761, 'boycottesco': 25762, 'wounder': 25763, 'synonym': 25764, 'fielding': 25765, 'poundage': 25766, 'dislocation': 25767, 'avishek': 25768, 'curable': 25769, 'nonationforfarmers': 25770, 'wid': 25771, 'yogendrayadav': 25772, 'vulnerbale': 25773, 'trumpisanidiot': 25774, 'trumpneedstoshutup': 25775, 'piersmorgan': 25776, 'techjunkieinvest': 25777, 'lizzie': 25778, 'gif': 25779, 'bushwick': 25780, 'sealed': 25781, 'n16': 25782, 'stokey': 25783, 'stokie': 25784, 'stokenewingtonchurchstreet': 25785, 'aakubosan': 25786, 'protectfrontliners': 25787, '03344859556': 25788, '03065659733': 25789, 'autosanitizergate': 25790, 'freeschoolmeals': 25791, 'schoolsuk': 25792, 'birla': 25793, 'industrialist': 25794, 'ov': 25795, 'onehealth': 25796, 'anheuser': 25797, 'wrench': 25798, 'notclear': 25799, 'dingle': 25800, 'golfatlanta': 25801, 'atlantagolf': 25802, 'golfgeorgia': 25803, 'georgiagolf': 25804, 'poorshowtesco': 25805, 'bossed': 25806, '3l': 25807, 'prosecco': 25808, 'sendwine': 25809, 'amble': 25810, 'worklife': 25811, 'delet': 25812, 'pricerises': 25813, 'inventing': 25814, 'revolutionizing': 25815, 'motif': 25816, 'businessesandcompanies': 25817, 'este': 25818, 'aplausonacional': 25819, 'debe': 25820, 'ir': 25821, 'acompa': 25822, 'conciencia': 25823, 'todos': 25824, 'quedarnos': 25825, 'sirve': 25826, 'homenaje': 25827, 'vamos': 25828, 'poner': 25829, 'peligro': 25830, 'siendo': 25831, 'irresponsables': 25832, 'transcombiexpress': 25833, 'yourlogisticspartner': 25834, 'covoid19greece': 25835, 'kathandkim': 25836, 'kathkim': 25837, 'layered': 25838, 'nlpoli': 25839, '763': 25840, 'enacts': 25841, 'osceola': 25842, 'ucf': 25843, 'semester': 25844, 'passport': 25845, 'skipthedishes': 25846, 'swmnewsletter': 25847, 'swisspost': 25848, 'northland': 25849, 'everett': 25850, 'ihss': 25851, 'frigging': 25852, 'aubergine': 25853, 'fearmongering': 25854, 'endeavor': 25855, 'grabi': 25856, 'nga': 25857, 'gakaon': 25858, 'lami': 25859, 'matooke': 25860, 'jimmy': 25861, 'quiroga': 25862, 'abled': 25863, 'stocknbecayse': 25864, 'commentator': 25865, 'acknowledgment': 25866, 'oilfieldservices': 25867, 'oilgas': 25868, 'epicenter': 25869, 'mcphotography': 25870, 'csbs': 25871, 'novokuznetsk': 25872, 'badass': 25873, 'spiking': 25874, 'wireline': 25875, 'alluarjun': 25876, 'cbid': 25877, 'untested': 25878, 'karenrebels': 25879, 'alm': 25880, 'zit': 25881, 'replicated': 25882, 'resi': 25883, 'subside': 25884, 'futurestarr': 25885, 'workforyourself': 25886, 'pressed': 25887, 'dotr': 25888, 'congestion': 25889, 'sonic': 25890, 'grin': 25891, 'morbid': 25892, 'gonzales': 25893, 'centralnews': 25894, 'cleanupyourmess': 25895, 'ppelitter': 25896, 'affording': 25897, 'pillitteri': 25898, 'tasting': 25899, 'tense': 25900, 'plausible': 25901, 'springnews': 25902, 'taradome22': 25903, 'cloroxwipes': 25904, '5mn': 25905, 'unprofitable': 25906, 'globa': 25907, 'gdc': 25908, 'assumes': 25909, 'vivek': 25910, 'gambhir': 25911, 'breather': 25912, 'mainer': 25913, 'pokemon': 25914, 'domenic': 25915, 'primucci': 25916, 'nova': 25917, 'ctxs': 25918, 'bntx': 25919, 'gazing': 25920, 'prodigal': 25921, 'onefight': 25922, 'earlyserviceleavers': 25923, 'jobsforveterans': 25924, '3hr': 25925, '2days': 25926, 'banknote': 25927, '4days': 25928, 'stainless': 25929, 'exterior': 25930, 'socialidistancing': 25931, 'penrith': 25932, 'bluemountains': 25933, 'publicmedia': 25934, 'euthanasia': 25935, 'plutocrat': 25936, 'containerstore': 25937, '9honey': 25938, 'headden': 25939, 'hajjar': 25940, 'seasoned': 25941, 'hajjarpetersllp': 25942, 'netskope': 25943, 'sanjay': 25944, 'beri': 25945, 'rdguk': 25946, 'savy': 25947, 'retiree': 25948, 'ottnews': 25949, 'covud19': 25950, 'terminate': 25951, 'ff': 25952, 'pail': 25953, 'zonrox': 25954, 'distraught': 25955, 'aen': 25956, 'jvvnl': 25957, 'nazi': 25958, 'betfred': 25959, 'vandalism': 25960, 'armchair': 25961, 'testifies': 25962, 'deza': 25963, 'perfecting': 25964, 'hre': 25965, 'wwouldn': 25966, 'rubbishing': 25967, '25kg': 25968, 'galling': 25969, '0042': 25970, 'pinpoint': 25971, 'hadleigh': 25972, 'hillary': 25973, 'clinton': 25974, 'embarrassment': 25975, 'buybuybuy': 25976, 'justquarantings': 25977, 'winer': 25978, 'bcs': 25979, '01756986': 25980, 'peterdutton': 25981, 'syndicate': 25982, 'chainsaw': 25983, 'maconsumer': 25984, 'spotascam': 25985, 'natter': 25986, 'belting': 25987, 'checkoutgirl': 25988, 'selfemployedsurvival': 25989, 'regain': 25990, 'chandrashekhar': 25991, 'tufaa': 25992, 'weyayu': 25993, 'whiteclaw': 25994, 'drizly': 25995, 'cheapestholidays': 25996, 'virginatlantic': 25997, 'virginholidays': 25998, 'impt': 25999, 'resourceful': 26000, 'howto': 26001, 'bhutan': 26002, 'bhutanese': 26003, 'thimphu': 26004, 'nightcrawler': 26005, 'thespot': 26006, 'bepositive': 26007, 'blackedout': 26008, 'wipeout': 26009, 'burningrubber': 26010, 'khatamkarona': 26011, 'listentomusic': 26012, 'emerg': 26013, 'disservice': 26014, 'tasawwuq': 26015, 'baitik': 26016, 'crater': 26017, 'trumpreces': 26018, 'hofbrauhaus': 26019, 'suds': 26020, 'clveland': 26021, 'confiscate': 26022, 'funtimes': 26023, 'reven': 26024, 'cbdmd': 26025, 'ycbd': 26026, 'cannabidiol': 26027, 'nireland': 26028, 'gameballymena': 26029, 'psalm': 26030, 'ccu': 26031, 'cardiotwitter': 26032, 'fixingthecountry': 26033, 'helo': 26034, 'certification': 26035, 'usd0': 26036, 'exw': 26037, 'usd1': 26038, 'sabcnews': 26039, 'hydoxychloroquine': 26040, 'triad': 26041, 'parish': 26042, 'donts': 26043, 'hausa': 26044, 'takeresponsibility': 26045, 'franchisenewsaustralia': 26046, 'franchisebusines': 26047, 'ggfc': 26048, 'johnsonmustgo': 26049, 'borisresign': 26050, 'ukstayhome': 26051, 'riced': 26052, 'livonia': 26053, 'jl': 26054, 'prot': 26055, 'inbound': 26056, 'innacurate': 26057, 'motorcycle': 26058, 'fuelprices': 26059, 'moronavirus': 26060, 'jst': 26061, 'aimlessly': 26062, '75ml': 26063, 'orihuelacosta': 26064, 'adminstrators': 26065, 'superarket': 26066, 'flinching': 26067, 'robber': 26068, 'protectothers': 26069, 'shulman': 26070, 'vicious': 26071, 'analogy': 26072, 'dissuade': 26073, 'profoundly': 26074, '1973': 26075, 'sedan': 26076, 'hanover': 26077, 'cirko': 26078, 'bhargab': 26079, 'maitra': 26080, 'boycottpepsi': 26081, 'wishlistediting': 26082, 'hrlaw': 26083, 'emplaw': 26084, 'dueregard': 26085, 'whately': 26086, '2discriminatory': 26087, 'psed': 26088, 'senatorshehusani': 26089, 'lifecycle': 26090, 'brandverse': 26091, 'katherine': 26092, 'figatner': 26093, 'whippy': 26094, 'dominate': 26095, 'intimes': 26096, 'equiping': 26097, 'hosptals': 26098, 'mahsood': 26099, 'telegram': 26100, 'mpc': 26101, 'hundo': 26102, 'clutching': 26103, 'natively': 26104, 'hospice': 26105, 'blissfully': 26106, 'hoverboard': 26107, 'backtothefuture': 26108, 'martymcfly': 26109, 'hoverboards': 26110, 'zelda': 26111, 'pfoa': 26112, 'insulted': 26113, 'chickenwings': 26114, 'meatonthebone': 26115, 'boundary': 26116, 'squeezethecharmin': 26117, 'diasorin': 26118, 'authorization': 26119, 'simplexa': 26120, 'opp': 26121, 'cricket': 26122, 'mcfuku': 26123, 'disorganized': 26124, 'speech1': 26125, 'framing': 26126, 'kennyrogers': 26127, 'kenny': 26128, 'harig': 26129, 'coddle': 26130, 'whitecoats': 26131, 'screengrabs': 26132, 'harbor': 26133, 'respnders': 26134, 'haley': 26135, 'reviving': 26136, 'attaining': 26137, 'nichemarket': 26138, 'cleo': 26139, 'cherryflowers': 26140, 'hawkes': 26141, 'glendale': 26142, 'locationdata': 26143, 'likewise': 26144, 'mealprep': 26145, 'zimo': 26146, 'toi': 26147, 'mfgs': 26148, 'searched': 26149, 'reappear': 26150, 'inherited': 26151, 'larder': 26152, 'keepsafeeveryone': 26153, 'keepreadingencasa': 26154, 'gunbacker': 26155, 'becouse': 26156, 'fould': 26157, 'meanness': 26158, 'malice': 26159, 'repeating': 26160, 'unashamed': 26161, 'actofkindness': 26162, 'goodsamaritan': 26163, 'thecurve': 26164, 'ecurve': 26165, 'mutiaradamansara': 26166, 'petalingjaya': 26167, 'restrictivemovementorder': 26168, 'melee': 26169, 'parentingfail': 26170, 'monroe': 26171, 'perinton': 26172, 'challah': 26173, 'bakeoff': 26174, 'easterbreadtradition': 26175, 'pflugerville': 26176, 'vapes': 26177, 'equalizer': 26178, 'publicsafety': 26179, 'hydroxychloronquine': 26180, 'supportyorkcounty': 26181, 'matatus': 26182, 'playin': 26183, 'puerto': 26184, 'rico': 26185, 'bangor': 26186, 'thrice': 26187, 'lucknow': 26188, 'liberalismisamentaldisorder': 26189, 'usdcad': 26190, '4200': 26191, 'cad': 26192, 'kvbprime': 26193, 'stickley': 26194, 'interviewee': 26195, 'silence': 26196, 'burgeoning': 26197, 'cherryblossoms': 26198, 'birthdayiscancelled': 26199, 'biked': 26200, 'conceivable': 26201, 'seniorcare': 26202, 'rida': 26203, 'yucat': 26204, 'dicte': 26205, 'desrus': 26206, 'avitoonz': 26207, 'propcos': 26208, 'proprietary': 26209, 'jpm': 26210, '49k': 26211, 'chinaproperty': 26212, 'toughen': 26213, 'snowflake': 26214, 'gmaz': 26215, 'mealimeal': 26216, 'boycottmcdonalds': 26217, 'fightfor15': 26218, 'jse': 26219, 'hobart': 26220, 'brisbane': 26221, 'darwin': 26222, 'prolongation': 26223, 'roskill': 26224, 'survivalkit': 26225, 'collide': 26226, 'dorabjees': 26227, 'bangani': 26228, 'ngicela': 26229, 'niyeke': 26230, 'cease': 26231, 'desist': 26232, 'calculates': 26233, 'subramani': 26234, 'populationcontrol': 26235, 'structured': 26236, 'backyard': 26237, 'anlaby': 26238, 'marol': 26239, 'udhavthackeray': 26240, 'div': 26241, 'excludes': 26242, 'lilburn': 26243, 'wearadamnmask': 26244, 'blumhouse': 26245, 'blum': 26246, 'somethings': 26247, 'asianshares': 26248, 'bolstered': 26249, 'crip': 26250, '1017challenge': 26251, 'worldstarhiphop': 26252, 'kushupchallenge': 26253, 'newmusic': 26254, 'thursdayvibes': 26255, 'goverened': 26256, 'scoundrel': 26257, 'accountable': 26258, 'stopcoronavirus': 26259, 'mythical': 26260, 'roadie': 26261, 'randomrapha': 26262, 'deducting': 26263, 'upstatement': 26264, 'consultwithtsb': 26265, 'tsb': 26266, 'fathom': 26267, 'bridgecard': 26268, 'bibleverse': 26269, 'elan': 26270, 'deplete': 26271, 'fischerjordan': 26272, 'meetthepress': 26273, 'sharper': 26274, 'acquiring': 26275, 'raredisease': 26276, 'cbdoilbenefitz': 26277, 'homegrow': 26278, 'buyinbulk': 26279, 'beprepared': 26280, '420': 26281, 'usalockdown': 26282, 'auspicious': 26283, 'karaknath': 26284, 'kamalnath': 26285, 'mppoliticalcrisis': 26286, 'subsidizing': 26287, 'sanit': 26288, 'adede': 26289, 'derep': 26290, 'ruoth': 26291, 'nemesis': 26292, 'reactivate': 26293, 'brightram': 26294, 'protectconsumers': 26295, 'protectallpeople': 26296, 'cocoa': 26297, 'coffeelover': 26298, 'probe': 26299, 'ent': 26300, 'overwatch': 26301, 'junkrat': 26302, 'postwoman': 26303, 'perished': 26304, 'purport': 26305, 'residentevil4': 26306, 'capcom': 26307, 'gratification': 26308, 'spilled': 26309, 'chiaroscurist': 26310, 'spelt': 26311, 'unmet': 26312, 'francois': 26313, 'candelon': 26314, 'massholes': 26315, 'paidsickdays': 26316, 'ffcra': 26317, 'paidleave': 26318, '1942': 26319, 'munich': 26320, 'ncba': 26321, 'marty': 26322, 'netflixth': 26323, 'survivor2020': 26324, 'zandi': 26325, 'mend': 26326, 'hitman': 26327, 'sportswear': 26328, '254': 26329, '110922066': 26330, 'prioritization': 26331, 'reapply': 26332, 'trumpcovidfails': 26333, 'preferably': 26334, 'latecapitalism': 26335, 'dutton': 26336, 'rhyming': 26337, 'slang': 26338, 'auspolsocorrupt': 26339, 'achat': 26340, 'cois': 26341, 'faire': 26342, 'leur': 26343, 'aider': 26344, 'entreprises': 26345, 'ciblant': 26346, 'produits': 26347, 'chaque': 26348, 'compte': 26349, 'appuyer': 26350, 'locaux': 26351, 'stimulant': 26352, 'notre': 26353, 'conomie': 26354, 'hangry': 26355, 'gee': 26356, 'quackery': 26357, 'gray': 26358, 'doorstop': 26359, 'nami': 26360, 'yuu': 26361, 'asikho': 26362, 'finalising': 26363, 'thrum': 26364, 'ominous': 26365, 'wetmarket': 26366, 'individually': 26367, 'polled': 26368, 'supervisory': 26369, 'lavallee': 26370, 'bhlrkqtp1z': 26371, 'consisted': 26372, 'disturbingly': 26373, 'salsa': 26374, 'weirdstockups': 26375, 'auth': 26376, 'lustre': 26377, 'hitachi': 26378, 'intereste': 26379, 'rhetoric': 26380, 'antisemitism': 26381, 'ayman': 26382, 'mohyeldin': 26383, 'painful': 26384, 'pleasestophoarding': 26385, 'merchantserviceinnovations': 26386, 'roadwarrior': 26387, 'memer': 26388, 'watchout': 26389, 'cttoncorona': 26390, 'wwinsights': 26391, 'thankyouretailworkers': 26392, 'ramvilaspaswan': 26393, 'unsolidarity': 26394, 'costumer': 26395, 'cooed': 26396, 'dtla': 26397, 'sta': 26398, 'prix': 26399, 'petrolhead': 26400, 'otherside': 26401, 'ribeye': 26402, 'carnivore': 26403, 'squirrel': 26404, 'docilians': 26405, 'pampered': 26406, 'testify': 26407, 'absolut': 26408, 'nordic': 26409, 'nordicinnovation': 26410, 'comeswith': 26411, 'responibility': 26412, 'delibirately': 26413, 'expo': 26414, 'soka': 26415, 'kma': 26416, 'yasa': 26417, 'ilde': 26418, 'kuyla': 26419, 'kutlan': 26420, 'betheissue': 26421, 'consumerismreform': 26422, 'rs96': 26423, 'gianteagle': 26424, '126': 26425, 'ukeconomy': 26426, 'tcpa': 26427, 'staranded': 26428, 'strandedbrits': 26429, 'bringflightsback': 26430, 'redirect': 26431, 'csforall': 26432, 'convention': 26433, 'eagerness': 26434, 'distanc': 26435, 'youllbeaiight': 26436, 'waityourturn': 26437, 'stayback': 26438, 'atleast6feet': 26439, 'sledgehammer': 26440, 'bonesaw': 26441, 'outlawing': 26442, 'delve': 26443, 'constrained': 26444, 'arundel': 26445, 'marubeni': 26446, 'chera': 26447, 'titan': 26448, 'parlayed': 26449, 'reaped': 26450, 'revew': 26451, 'businesswoman': 26452, 'affiliatemarketing': 26453, 'branston': 26454, 'antiflu': 26455, 'feeble': 26456, 'fittest': 26457, 'att': 26458, 'rhea': 26459, 'whacking': 26460, 'lon': 26461, 'fraction': 26462, 'arnold': 26463, 'convos': 26464, 'insignificant': 26465, 'scmp': 26466, 'costcos': 26467, 'adjourned': 26468, 'nonpayment': 26469, 'dropshipping': 26470, 'vegetableoil': 26471, 'dukem': 26472, 'trumpownseverydeath': 26473, 'toiletpaperapocolypse': 26474, 'schuermann': 26475, 'fixates': 26476, 'oilfinance': 26477, 'forge': 26478, 'pager': 26479, '1974': 26480, 'swcycle': 26481, 'tightened': 26482, 'bounced': 26483, 'replay': 26484, 'italytravel': 26485, 'riddance': 26486, 'poison': 26487, 'n2': 26488, 'bettersafethansorry': 26489, 'fertilizer': 26490, 'navigates': 26491, 'marketoutlook': 26492, 'wo': 26493, 'berojgar': 26494, 'achanak': 26495, 'gayee': 26496, 'ane': 26497, 'ziddi': 26498, 'supermarts': 26499, 'lumpur': 26500, 'greediness': 26501, 'etenergyworld': 26502, 'sprint': 26503, 'nounemployment': 26504, 'goodie': 26505, 'cbtt': 26506, 'somerset': 26507, 'helpp': 26508, 'authentik': 26509, 'soulmatez': 26510, 'watchmenhbo': 26511, 'bobblehead': 26512, 'mcm': 26513, 'freegiveaway': 26514, 'mancrushmonday': 26515, 'reared': 26516, 'skymiles': 26517, 'teamams': 26518, 'audiology': 26519, 'togetherwearebetter': 26520, 'louse': 26521, 'phantom': 26522, 'clawing': 26523, 'multiplying': 26524, 'apparatus': 26525, 'peanutbutter': 26526, 'backtrack': 26527, 'letpanic': 26528, 'followtherules': 26529, 'ignorantaustralians': 26530, 'beachgoers': 26531, 'brazilian': 26532, 'styling': 26533, 'backside': 26534, 'pandemicproblems': 26535, 'day15': 26536, 'discgolfcenter': 26537, 'califor': 26538, 'roc': 26539, 'fabricated': 26540, 'whstsapp': 26541, '08121156706': 26542, 'cristiano': 26543, 'yoruba': 26544, 'guardiola': 26545, 'torres': 26546, 'day3': 26547, 'grocerypickup': 26548, 'wegotthis': 26549, 'safeguarded': 26550, 'sunoco': 26551, 'diane': 26552, 'drifting': 26553, 'willowy': 26554, 'luxary': 26555, 'afflicted': 26556, 'array': 26557, 'gracious': 26558, 'blandin': 26559, 'shemeantcondoms': 26560, 'impeachedts': 26561, 'regrann': 26562, 'victor': 26563, 'catalog': 26564, 'makeithappen': 26565, 'odyssey': 26566, 'scambritain': 26567, 'raisethebar': 26568, 'workersrights': 26569, 'prosperity': 26570, 'handinhand': 26571, 'soda': 26572, 'coronafunny': 26573, 'presto': 26574, 'akinbamidele': 26575, 'akintola': 26576, 'dink': 26577, 'serviette': 26578, 'socents': 26579, 'underlining': 26580, 'coronacri': 26581, 'furnishing': 26582, 'acikmayasa': 26583, 'salonetwitter': 26584, 'cakeshop': 26585, 'lent': 26586, 'qkjj': 26587, 'doubter': 26588, 'objective': 26589, 'petroleumreserve': 26590, 'aggregator': 26591, 'wallis': 26592, 'slippage': 26593, 'contro': 26594, 'surf': 26595, 'supermarketsuperheroes': 26596, 'servicer': 26597, '609': 26598, '292': 26599, '7272': 26600, 'gma': 26601, 'drjashton': 26602, 'michaelkekesara': 26603, 'syncrude': 26604, 'ymm': 26605, 'rwmb': 26606, 'coronaireland': 26607, 'denounce': 26608, 'nbachinalapdogs': 26609, 'iab': 26610, 'mung': 26611, 'mayonnaise': 26612, 'lightning': 26613, 'nabou': 26614, 'takesavillage': 26615, 'friendslikefamily': 26616, 'dffnt': 26617, 'hermanita': 26618, 'mngr': 26619, 'safedistancing': 26620, 'ayatollah': 26621, 'sistani': 26622, 'silently': 26623, 'justifying': 26624, 'ijustwantsomemilk': 26625, 'prioritising': 26626, 'parecetomol': 26627, 'seperates': 26628, 'lowincomes': 26629, 'sfchron': 26630, 'postcard': 26631, 'newssuite': 26632, '80yo': 26633, 'distressing': 26634, 'sharara': 26635, 'ordinarily': 26636, 'onboarding': 26637, 'ilovereading': 26638, 'hca': 26639, 'prolific': 26640, 'ramanan': 26641, 'krishnamoorti': 26642, 'khou': 26643, 'louistv': 26644, 'shatter': 26645, 'shattawale': 26646, 'bayonne': 26647, 'popcorn': 26648, 'glancingly': 26649, 'amusing': 26650, 'broiler': 26651, 'fritos': 26652, 'plaguing': 26653, 'ferrer': 26654, 'antoinette': 26655, 'number2': 26656, 'quarantine2020': 26657, 'verse': 26658, 'hubbard': 26659, 'dunne': 26660, 'ocha': 26661, 'iic': 26662, 'idp': 26663, 'acce': 26664, 'digitalservicesact': 26665, '50th': 26666, 'copayments': 26667, 'proudmuslim': 26668, 'bateman': 26669, 'translating': 26670, 'inv': 26671, 'consum': 26672, 'maan': 26673, 'haitian': 26674, 'satu': 26675, 'satunya': 26676, 'tempat': 26677, 'aku': 26678, 'kena': 26679, 'exodus': 26680, 'passover2020': 26681, 'chagsameach': 26682, '64gb': 26683, '704': 26684, 'stature': 26685, 'unfounded': 26686, 'ktaka': 26687, 'washer': 26688, 'validity': 26689, 'brendan': 26690, 'formorenews': 26691, 'shoo': 26692, 'dom': 26693, 'occupation': 26694, 'perpetrated': 26695, 'guitarsolo': 26696, 'shred': 26697, 'humorous': 26698, 'propertyprices': 26699, 'ukproperty': 26700, 'housingsupply': 26701, 'internetretailing': 26702, 'ukcovidlunacy': 26703, 'avoids': 26704, 'tottering': 26705, 'impedance': 26706, 'harmonicretail': 26707, 'retailevolution': 26708, 'retailchanges': 26709, 'retailexperience': 26710, 'sprawling': 26711, 'multiplication': 26712, 'asic': 26713, 'financialsystem': 26714, 'viciously': 26715, 'wisconsinprimary': 26716, 'oak': 26717, 'thatcherism': 26718, 'vicar': 26719, 'tcm': 26720, 'kathy': 26721, 'bates': 26722, 'splitting': 26723, 'myus': 26724, 'internationalshipping': 26725, 'mcnamme': 26726, 'iain': 26727, 'duncan': 26728, 'uncovers': 26729, 'trump20': 26730, 'priv': 26731, 'padding': 26732, 'homegym': 26733, 'swinnen': 26734, 'surcharge': 26735, 'sindharamsanwarmalmewawala': 26736, 'dryfruits': 26737, 'peril': 26738, 'coronachaos': 26739, 'overhyped': 26740, 'biosurveillance': 26741, 'atlas': 26742, 'debacle': 26743, 'americastrong': 26744, 'tokre': 26745, 'pci': 26746, 'flippant': 26747, 'smarta': 26748, 'quinine': 26749, 'jean': 26750, 'coronacation': 26751, 'transferring': 26752, 'mercado': 26753, '20th': 26754, '55pm': 26755, 'deepdale': 26756, 'duopoly': 26757, 'toorak': 26758, 'wellington': 26759, 'wildest': 26760, 'foxbusiness': 26761, 'dc15': 26762, 'sbm': 26763, 'wheatoffal': 26764, 'microdroplets': 26765, 'inhaled': 26766, 'mreade': 26767, 'dermott': 26768, 'jewell': 26769, 'cai': 26770, 'taanz': 26771, 'olsen': 26772, 'swinging': 26773, 'travelagents': 26774, 'kerrydigest': 26775, 'oaps': 26776, 'shuffling': 26777, 'flinch': 26778, 'newsdesk': 26779, 'prioritizes': 26780, 'rebalancing': 26781, 'prayingforall': 26782, 'millenial': 26783, 'ontariotogether': 26784, 'theoretically': 26785, 'protracted': 26786, '8216': 26787, '8217': 26788, 'cathedral': 26789, 'stpatricksday': 26790, 'selfprotect': 26791, 'durban': 26792, 'jio': 26793, 'happier': 26794, 'storeclerks': 26795, 'grocerystoreclerksstaysafe': 26796, 'cambridgeuniversity': 26797, 'openingtimes': 26798, 'rogue': 26799, 'robyn': 26800, '5livebreakfast': 26801, 'ugx': 26802, 'bospoli': 26803, 'dormant': 26804, 'mcdonaldscoffee': 26805, 'oyedepo': 26806, 'bifrons': 26807, 'arsetralia': 26808, 'mislead': 26809, 'nisa': 26810, 'salman': 26811, 'mohammedbinsalman': 26812, 'atim': 26813, 'streetbees': 26814, 'vidisha': 26815, 'gaglani': 26816, 'oju': 26817, 'koba': 26818, 'istandwithpastorchris': 26819, 'toto': 26820, 'oas': 26821, 'bcrea': 26822, 'brendon': 26823, 'ogmundson': 26824, 'universityofmichigan': 26825, 'akp': 26826, 'mhp': 26827, 'downvote': 26828, 'spatial': 26829, 'motorbike': 26830, 'indiabulls': 26831, 'deffecult': 26832, 'virues': 26833, 'nip': 26834, 'bbq': 26835, 'recipeoftheday': 26836, 'marmalade': 26837, 'glaze': 26838, 'marmoreresearch': 26839, 'emilia': 26840, 'romagna': 26841, 'lazio': 26842, 'nun': 26843, 'panicdemic': 26844, 'zimbabwean': 26845, 'looe': 26846, 'discontinue': 26847, 'tplocator': 26848, 'betrayed': 26849, 'disband': 26850, 'crudeexports': 26851, 'arguscrude': 26852, 'groceryretailers': 26853, 'consequent': 26854, 'barron': 26855, 'insists': 26856, 'crafty': 26857, 'absorbent': 26858, 'geek': 26859, 'domestically': 26860, 'enquiring': 26861, 'familybusiness': 26862, 'happytohelp': 26863, 'industry2020': 26864, 'traveltrends': 26865, 'nba2k20': 26866, 'cranky': 26867, 'colaboration': 26868, 'confidently': 26869, 'fixturescloseup': 26870, 'storefixtures': 26871, 'retailfixtures': 26872, 'brandexperience': 26873, 'shoppermarketing': 26874, 'aircon': 26875, 'cured': 26876, 'palestinian': 26877, 'swept': 26878, 'wench': 26879, 'attemped': 26880, 'stockroom': 26881, 'biy': 26882, 'dontcare': 26883, 'grueling': 26884, 'bulkbuy': 26885, 'uppity': 26886, 'offbrands': 26887, 'confession': 26888, 'annie': 26889, 'buttermilk': 26890, 'porn': 26891, 'gatherer': 26892, 'defaulting': 26893, 'erodes': 26894, 'nationallockdown': 26895, 'shelfisolation': 26896, 'kavacik': 26897, 'arthur': 26898, 'smalltownpride': 26899, 'slowthecurve': 26900, 'moreira': 26901, '1991': 26902, 'smucker': 26903, 'section144is': 26904, 'nana': 26905, 'horlicks': 26906, 'illegals': 26907, 'marketingstats': 26908, 'potion': 26909, 'lozenge': 26910, 'intraday': 26911, 'gameface': 26912, 'accountant': 26913, 'disapprove': 26914, 'consumerbusiness': 26915, 'resuscitate': 26916, 'dnr': 26917, 'ceemea': 26918, 'maritimes': 26919, 'kungflufighting': 26920, 'qutting': 26921, 'suncontract': 26922, 'custumers': 26923, 'eth': 26924, 'nadu': 26925, 'jacoby': 26926, 'itstime': 26927, 'socialdistancingdiaries': 26928, 'greet': 26929, 'istayhome': 26930, 'breeze': 26931, 'powerofpositivity': 26932, 'burndiya': 26933, 'specialised': 26934, 'koel': 26935, 'aajeevika': 26936, 'palamu': 26937, 'haircut': 26938, 'whm': 26939, 'cocoapost': 26940, 'minworth': 26941, 'tbh': 26942, 'exempts': 26943, 'mccarthy': 26944, 'trault': 26945, 'fining': 26946, 'dishonest': 26947, 'eldery': 26948, 'floridalockdown': 26949, 'dataprivacy': 26950, 'digitalpolicy': 26951, 'fastestgrowing': 26952, 'kozak': 26953, 'eastvan': 26954, 'foodblog': 26955, 'vancouverbc': 26956, 'yvreats': 26957, 'vancity': 26958, 'yvrfoodies': 26959, 'vancouverfood': 26960, 'vancouverfoodie': 26961, 'vancouverfoodies': 26962, 'burnaby': 26963, 'newwest': 26964, 'surreybc': 26965, 'richmondbc': 26966, 'canuck': 26967, 'depended': 26968, 'cundy': 26969, 'joblessclaims': 26970, '0337210852': 26971, 'sholanke': 26972, 'goriola': 26973, 'sodiq': 26974, 'sofi': 26975, 'prescient': 26976, 'abetterpharmacy': 26977, 'fastmarkets': 26978, 'risi': 26979, 'viewpoint': 26980, 'qantas': 26981, 'returnees': 26982, 'day1': 26983, 'disconcerting': 26984, 'lastword': 26985, '261': 26986, 'phantomflights': 26987, 'playfair': 26988, 'stewart': 26989, 'grandjunction': 26990, 'santafe': 26991, 'nmpol': 26992, 'nmleg': 26993, 'nmsen': 26994, 'farmington': 26995, 'sanjuanbasin': 26996, 'durango': 26997, 'permian': 26998, 'permianbasin': 26999, 'curriculum': 27000, 'zerohedge': 27001, 'favorable': 27002, 'reignite': 27003, 'oilpaintings': 27004, 'cecilia': 27005, 'tacoli': 27006, 'windowless': 27007, 'fad': 27008, 'guesting': 27009, 'birdsall': 27010, 'localnews': 27011, 'sdg2': 27012, 'farmtofork': 27013, 'iamwanda': 27014, 'biden2020': 27015, 'cfi': 27016, 'acrylonitrile': 27017, 'butadiene': 27018, 'nhsvolunteerresponder': 27019, 'nhsvolunteers': 27020, 'cryptos': 27021, 'litecoin': 27022, 'foodcrisis': 27023, 'stillnotolietpaper': 27024, 'w7alvtqwij': 27025, 'familydocs': 27026, '1hr': 27027, 'wilful': 27028, 'throwaway': 27029, 'pratt': 27030, 'rachael': 27031, 'indianapolis': 27032, 'customorders': 27033, 'naptown': 27034, 'linkinbio': 27035, 'wakanda': 27036, 'manenoz': 27037, 'tembeakenya': 27038, 'painter': 27039, 'tukwila': 27040, 'youreself': 27041, 'dishonesty': 27042, 'brandstrategy': 27043, 'brandpostitioning': 27044, 'consumervalues': 27045, 'consumerdemands': 27046, 'cdclied': 27047, 'applestock': 27048, '1alvxcdray': 27049, 'meticulous': 27050, 'thumb': 27051, 'controled': 27052, 'monumental': 27053, 't1d': 27054, 'cadillac': 27055, 'relieffordiabetics': 27056, 'lillysaveslives': 27057, 'hosp': 27058, 'mediavataarindia': 27059, 'nopurellanywhere': 27060, 'thisadvicewasdumb': 27061, 'latics': 27062, 'clemt': 27063, 'tuskys': 27064, 'sendy': 27065, 'sens': 27066, 'chilltheeffout': 27067, 'strathalbyn': 27068, 'evaporation': 27069, 'vonderleyen': 27070, 'futureofeurope': 27071, 'natl': 27072, 'staged': 27073, 'kisi': 27074, 'milne': 27075, 'jau': 27076, 'mujhe': 27077, 'kaha': 27078, 'milega': 27079, 'tkt': 27080, 'potts': 27081, 'venting': 27082, 'flaring': 27083, 'cutmethane': 27084, 'hinting': 27085, 'indextrading': 27086, 'tradingemas': 27087, 'tradingforliving': 27088, 'tradingsignal': 27089, 'traderlife': 27090, 'tradingblog': 27091, 'dontlooseyourshirt': 27092, 'janta': 27093, 'mundane': 27094, 'wracking': 27095, 'nikkei': 27096, 'carnival': 27097, 'barker': 27098, 'srz': 27099, 'beerstogo': 27100, 'artbarsc': 27101, 'murica': 27102, 'inflight': 27103, 'hirings': 27104, 'kingsoopers': 27105, 'fredmeyer': 27106, 'whenwe': 27107, 'amply': 27108, 'pillaged': 27109, 'bsvirus': 27110, '1899': 27111, 'digitalpayments': 27112, 'paymentportal': 27113, 'norbert': 27114, 'highfalutin': 27115, 'gitwitter': 27116, 'mainstreet': 27117, 'emailmarketing': 27118, 'deg': 27119, 'pjvogt': 27120, 'mario': 27121, 'blackops3': 27122, 'bo3zombies': 27123, 'steamworkshop': 27124, '16am': 27125, 'woofer': 27126, 'adayinthelifeofselfisolation': 27127, 'yannathan': 27128, 'workerhealth': 27129, 'stepupcarolinas': 27130, 'nomi': 27131, 'mtl': 27132, 'britishcolumbia': 27133, 'justintrudeau': 27134, 'kwikspar': 27135, 'kempton': 27136, 'akin': 27137, 'leftwing': 27138, 'girl45': 27139, 'fleabag': 27140, 'tix': 27141, '948373rd': 27142, 'feck': 27143, 'toucj': 27144, 'superdrug': 27145, 'upwards': 27146, 'bearmarket': 27147, 'lmfao': 27148, 'ochanja': 27149, '4cayurveda': 27150, 'goodlife': 27151, 'goodhealth': 27152, 'cancerayurveda': 27153, 'kidneyrevival': 27154, 'mers': 27155, 'healthnews': 27156, 'hypertension': 27157, 'excusing': 27158, 'confinementdiary': 27159, 'confinementg': 27160, 'ral': 27161, 'comicbook': 27162, 'mafia': 27163, 'dustbunnymafia': 27164, 'bookie': 27165, '573': 27166, '751': 27167, 'prohibiting': 27168, 'rectum': 27169, 'remission': 27170, 'jimmykimmel': 27171, 'forreal': 27172, 'forcein': 27173, 'culpable': 27174, 'doktari': 27175, 'likoni': 27176, 'juja': 27177, 'narok': 27178, 'uhunye': 27179, 'roussin': 27180, 'discourages': 27181, 'unbranded': 27182, 'plugin': 27183, 'maccabi': 27184, 'bnei': 27185, 'brak': 27186, 'bennett': 27187, 'toured': 27188, 'anime': 27189, 'kentuckyfriedchicken': 27190, 'friedchicken': 27191, 'capitulation': 27192, 'starfishclub': 27193, 'bullwhip': 27194, '1x': 27195, 'ndis': 27196, 'shopee': 27197, 'zalora': 27198, 'ahmedabad': 27199, 'kk': 27200, 'nirala': 27201, 'unleashes': 27202, 'chmura': 27203, '7bn': 27204, 'afdb': 27205, 'papaya': 27206, 'tang': 27207, 'yuan': 27208, 'helix': 27209, 'opco': 27210, 'myheritage': 27211, 'pathway': 27212, 'microscholarship': 27213, 'nadeem': 27214, 'turabi': 27215, 'oringinally': 27216, 'marrickville': 27217, 'nswpol': 27218, 'healing': 27219, 'logical': 27220, 'korona': 27221, 'movevan': 27222, 'usnscomfort': 27223, 'blight': 27224, 'gcw': 27225, 'permitting': 27226, 'crimesagainsthumanity': 27227, 'inhistogether': 27228, 'argue': 27229, 'rugby': 27230, 'wresting': 27231, 'boro': 27232, 'synced': 27233, 'boding': 27234, 'rapprochement': 27235, 'retreating': 27236, 'summa': 27237, 'biotches': 27238, 'torontostrong': 27239, 'traveltips': 27240, 'healthawareness': 27241, 'travelguide': 27242, 'tourguide': 27243, 'salar': 27244, 'millat': 27245, 'akbaruddin': 27246, 'owaisi': 27247, 'rapping': 27248, 'venom': 27249, 'malevolent': 27250, 'spinning': 27251, 'fabriziocorona': 27252, 'letshavefun': 27253, 'shareit': 27254, 'eine': 27255, 'wahre': 27256, 'coronageschichte': 27257, 'wenn': 27258, 'supermarktkasse': 27259, 'ohne': 27260, 'vorwarnung': 27261, 'taschent': 27262, 'cherpaket': 27263, 'weg': 27264, 'genommen': 27265, 'wird': 27266, 'deine': 27267, 'schokoladen': 27268, 'ostereiert': 27269, 'aber': 27270, 'halbiert': 27271, 'werden': 27272, 'vorgang': 27273, 'coronadi': 27274, 'feelthejr': 27275, 'litigating': 27276, 'faizan': 27277, 'yusuf': 27278, 'danube': 27279, 'salaam': 27280, 'jedhha': 27281, 'famliy': 27282, 'sepreding': 27283, 'steadily': 27284, 'microscopy': 27285, 'zafrul': 27286, 'muhyiddin': 27287, 'judgment': 27288, 'backdoor': 27289, 'nearer': 27290, 'qtr': 27291, 'preppertalk': 27292, 'shtf': 27293, 'lieing': 27294, 'tailored': 27295, 'unfathomable': 27296, 'appt': 27297, 'pt1': 27298, 'grocerers': 27299, 'cunning': 27300, 'degradation': 27301, 'financ': 27302, 'plethora': 27303, 'bucking': 27304, 'santions': 27305, 'hota': 27306, 'halat': 27307, 'baray': 27308, 'letay': 27309, '266': 27310, '300each': 27311, 'conservativeparty': 27312, 'permeated': 27313, 'lyingnewsom': 27314, 'mna': 27315, 'godown': 27316, 'toiletpaperdoor': 27317, 'mktg131': 27318, 'teksi': 27319, 'intern': 27320, 'dealmakers': 27321, 'restructurings': 27322, 'doctorsarehumans': 27323, 'enhances': 27324, 'kagan': 27325, 'cornish': 27326, '48yr': 27327, '47yr': 27328, 'carabinieri': 27329, 'custody': 27330, 'prio': 27331, 'seattlecoronavirus': 27332, 'plum': 27333, 'innit': 27334, 'devinjohnson445': 27335, 'optimistically': 27336, 'pocketed': 27337, 'copmpany': 27338, 'ucsf': 27339, 'scripps': 27340, 'translational': 27341, 'mhealth': 27342, 'crowdsource': 27343, 'biostatistics': 27344, 'amplified': 27345, 'bako': 27346, 'lalong': 27347, 'relentless': 27348, 'farhan': 27349, 'yusoff': 27350, 'gala': 27351, 'scrabbling': 27352, 'amending': 27353, 'sizable': 27354, 'repo': 27355, 'cheerio': 27356, 'uneducated': 27357, 'bcus': 27358, 'hughs': 27359, 'nosociallife': 27360, 'careerchange': 27361, 'rosslare': 27362, 'tillman': 27363, 'minimising': 27364, 'thebestrun': 27365, 'o2': 27366, 'sbwl': 27367, 'wyatt': 27368, 'widespreadpanic': 27369, 'vta': 27370, 'mortem': 27371, 'disinflation': 27372, 'sickle': 27373, 'consumeraffairs': 27374, 'registering': 27375, 'skolars': 27376, 'rl': 27377, 'hw': 27378, 'oilments': 27379, 'swanson': 27380, 'hoquiam': 27381, 'lockdownusa': 27382, 'graysharbor': 27383, 'scomo': 27384, 'msia': 27385, 'econom': 27386, 'islamabad': 27387, 'bannu': 27388, '2ndamendment': 27389, 'gunstores': 27390, 'praytogether': 27391, 'rakmall': 27392, 'qanda': 27393, 'sleepy': 27394, 'uncomfortable': 27395, 'asteroid': 27396, 'nuys': 27397, 'vibration': 27398, 'vitc': 27399, 'goodvibes': 27400, 'alexas': 27401, 'fotos': 27402, 'pixabay': 27403, 'venerable': 27404, 'hakim': 27405, 'coronazombies': 27406, 'coronazombiesmovie': 27407, 'cashlesspayments': 27408, 'consumertrend': 27409, 'micromarkets': 27410, 'royale': 27411, 'checkstand': 27412, 'wantin': 27413, 'myluck': 27414, 'missiouri': 27415, 'divorcing': 27416, 'youhadonejob1': 27417, 'witch': 27418, 'lame': 27419, 'redeemer': 27420, 'brew': 27421, 'biofuels': 27422, 'unpacks': 27423, '3hours': 27424, '220ml': 27425, 'unscented': 27426, 'crosshairs': 27427, 'santapola': 27428, 'stopcovid19': 27429, 'activesports': 27430, 'trekking': 27431, 'sfa': 27432, 'consequen': 27433, 'indulge': 27434, 'modernbazaar': 27435, 'inhouseproducts': 27436, 'premiumbrands': 27437, 'bringbackbritishbrains': 27438, 'renaissance': 27439, 'threefold': 27440, 'penalising': 27441, 'readability': 27442, 'leper': 27443, 'policestate': 27444, 'macroeconomics': 27445, 'meny': 27446, 'petstore': 27447, 'petsupplies': 27448, 'tack': 27449, 'fortifying': 27450, 'impersonation': 27451, 'rusia': 27452, 'corornamadness': 27453, 'firsthand': 27454, 'crunched': 27455, 'coincided': 27456, 'billionsatplay': 27457, 'cribdelacurse': 27458, 'besafeeveryone': 27459, 'roland': 27460, 'kape': 27461, 'nian': 27462, 'henryqc': 27463, 'honouring': 27464, 'cuny': 27465, 'multipurpose': 27466, 'discouragement': 27467, 'retailinsider': 27468, 'northerner': 27469, 'southerner': 27470, 'chavs': 27471, 'sweetsandsnacksexpo': 27472, 'bandcamp': 27473, 'anyanswers': 27474, 'heromasks': 27475, 'flaming': 27476, 'torch': 27477, 'spiilttle': 27478, '700m': 27479, 'healthwise': 27480, 'crouching': 27481, 'duckers': 27482, 'dissipate': 27483, 'remittance': 27484, 'businessowner': 27485, 'parknshop': 27486, 'facto': 27487, 'nourishing': 27488, 'consumerattitudes': 27489, 'assumed': 27490, 'aguh': 27491, 'pah': 27492, 'wuhanvirusmadeinchina': 27493, 'wuhanvirusismadeinchina': 27494, 'unsc': 27495, 'doorbuster': 27496, 'suffocate': 27497, 'zakat': 27498, 'invisibleenemy': 27499, 'decal': 27500, 'boiling': 27501, 'ussenators': 27502, 'whine': 27503, 'hijack': 27504, 'rift': 27505, 'hl': 27506, 'whethe': 27507, '1200shs': 27508, '4500shs': 27509, 'shs': 27510, 'kayiso': 27511, '3500shs': 27512, 'nbsamasengejje': 27513, 'clogged': 27514, 'insur': 27515, 'retroactive': 27516, 'muppet': 27517, 'espousing': 27518, 'nothin': 27519, 'idtwitter': 27520, 'fareshare': 27521, '0131': 27522, '554': 27523, '3900': 27524, 'hostel': 27525, 'exd': 27526, 'postage': 27527, 'lalamove': 27528, '10bottles': 27529, 'kkm': 27530, 'malaysiabebascovid19': 27531, 'sanitizerkl': 27532, 'kualalumpur': 27533, 'reynders': 27534, 'dirittideiviaggiatori': 27535, 'stairclimbers': 27536, 'manualhandling': 27537, 'filmmaker': 27538, 'hawley': 27539, 'wallenpaupack': 27540, 'raggedman': 27541, 'n40k': 27542, 'bribe': 27543, 'shamefully': 27544, 'gs1connect19': 27545, 'startuplab19': 27546, 'locai': 27547, 'quarantinecooking': 27548, 'fremont': 27549, 'ong': 27550, 'tribunecovid19watch': 27551, 'gunsandammo': 27552, 'racketeerinent': 27553, '8ish': 27554, 'palladium': 27555, 'lockdownlife': 27556, 'petroleumprice': 27557, 'tussle': 27558, 'gocoronago': 27559, 'mustwearmask': 27560, 'mustweargloves': 27561, 'stayalive': 27562, 'ramdasatwale': 27563, 'supportlockdown': 27564, 'fatehgunj': 27565, 'tenancy': 27566, 'accuser': 27567, 'whatif': 27568, '633': 27569, 'verifiable': 27570, 'tricol': 27571, 'propagating': 27572, 'patchwork': 27573, 'bigthreeconsulting': 27574, 'demoted': 27575, 'speads': 27576, 'finalizing': 27577, 'kaltenboeck': 27578, 'manuscript': 27579, 'coi': 27580, 'klew': 27581, 'eurotrucksimulator': 27582, 'americantrucksimulator': 27583, 'dlc': 27584, 'goldfill': 27585, 'sterlingsilverjewelry': 27586, 'sterlingsilver': 27587, 'britches': 27588, 'chaser': 27589, 'bearing': 27590, 'envisioned': 27591, 'sarge': 27592, 'mimaskchallenge': 27593, 'incumbent': 27594, 'squabble': 27595, 'aha': 27596, 'liked': 27597, 'plymouth': 27598, 'pyjama': 27599, 'ausgangssperre': 27600, 'overarching': 27601, '1585': 27602, 'cuss': 27603, 'carney': 27604, 'yallnasty': 27605, 'savethemasksforhealthcareworkers': 27606, 'glovesdontprotectyouiflickyourfingers': 27607, 'apptopia': 27608, 'exabel': 27609, 'eatlikekings': 27610, 'hawtdawgs': 27611, 'bloombergintelligence': 27612, 'goshh': 27613, 'worldd': 27614, 'unnamed': 27615, 'angered': 27616, 'virion': 27617, 'netanyahu': 27618, 'stanfield': 27619, 'slathering': 27620, 'bbalert': 27621, 'trumpsvirus': 27622, 'fortnightly': 27623, '30min': 27624, 'admiring': 27625, 'gorgeous': 27626, 'stresseating': 27627, 'kimkardashianisoverparty': 27628, 'thankyoupresidenttrump': 27629, 'kpop': 27630, 'vmin': 27631, 'ateez': 27632, 'nct': 27633, 'bcoz': 27634, 'onlineretailing': 27635, 'dca': 27636, 'prescribers': 27637, 'wrongfully': 27638, 'referenced': 27639, 'thy': 27640, 'jobsnewsuk': 27641, 'quirky': 27642, 'awake': 27643, 'racked': 27644, 'thankyoubakedpotato': 27645, 'feednhs': 27646, 'landon': 27647, 'tropical': 27648, 'meedha': 27649, 'vunna': 27650, 'prajala': 27651, 'pettakandi': 27652, 'reporrts': 27653, 'alters': 27654, 'dhroa': 27655, 'competence': 27656, 'rial': 27657, 'jamaican': 27658, 'survivalofthefittest': 27659, 'facetouch': 27660, 'soiled': 27661, 'moshon': 27662, 'complying': 27663, 'newswire': 27664, 'metalminer': 27665, 'metalprices': 27666, 'holbycity': 27667, 'northshields': 27668, 'impressionz': 27669, 'shii': 27670, 'hbl': 27671, 'moonshine': 27672, 'franklin': 27673, 'ceba': 27674, 'lpm': 27675, 'bff': 27676, 'betrayal': 27677, 'defendourdemocracy': 27678, 'vrheadset': 27679, 'virtualreality': 27680, 'achieving': 27681, 'calendar': 27682, 'experiential': 27683, 'sanny': 27684, 'magpie': 27685, 'pozzie': 27686, 'magpied': 27687, 'oilseed': 27688, 'togetherwecan': 27689, 'togetherwearestronger': 27690, 'maxine': 27691, 'hoffman': 27692, 'scanned': 27693, 'homa': 27694, 'zarghamee': 27695, '86thetp': 27696, 'criminalizes': 27697, 'stayathomesa': 27698, 'africansarenotlabrats': 27699, 'foodboxes': 27700, 'ob': 27701, 'swiped': 27702, 'southport': 27703, 'pabankersproud': 27704, 'elective': 27705, '35yos': 27706, 'nocontact': 27707, 'rycroft': 27708, '02': 27709, 'paymentbreaks': 27710, 'brc': 27711, 'fruitandvegetabkes': 27712, 'ukfoodsecurity': 27713, 'challenged': 27714, 'centeredness': 27715, 'willful': 27716, 'myopia': 27717, 'eater': 27718, 'mealplan': 27719, '10baje': 27720, 'm5qxkiqych': 27721, 'sanctifier': 27722, 'purgatory': 27723, 'nohoarding': 27724, 'pmo': 27725, 'narendermodi': 27726, 'tnluk': 27727, 'april2020': 27728, '290k': 27729, '60k': 27730, 'irrelevantmusik': 27731, 'tattooartist': 27732, 'inked': 27733, 'sinner': 27734, 'tattooed': 27735, 'xxl': 27736, 'wshh': 27737, 'worldstar': 27738, 'techn9ne': 27739, 'formulate': 27740, 'tues': 27741, 'nanosecond': 27742, 'polenta': 27743, 'amis': 27744, 'canalys': 27745, 'wearablebands': 27746, 'smartpersonalaudiodevices': 27747, 'smartspeakers': 27748, 'criticising': 27749, 'unkindly': 27750, 'pitching': 27751, 'cham': 27752, 'whippin': 27753, 'booker': 27754, 'lapse': 27755, 'osyth': 27756, 'clacton': 27757, 'sullivan': 27758, 'flocked': 27759, 'dodson': 27760, 's2': 27761, 'damm': 27762, 'dipshits': 27763, 'fixdebt': 27764, '245': 27765, '849': 27766, '047': 27767, 'kemi': 27768, 'olugbode': 27769, 'soapbox': 27770, 'shrunk': 27771, 'ecommerce2020': 27772, 'autosales': 27773, 'neverlikebefore': 27774, 'symposium': 27775, '580': 27776, 'unincorporated': 27777, 'toiletpapercalculator': 27778, 'partenering': 27779, 'rooftop': 27780, 'gleadless': 27781, 'gleadlessvalley': 27782, 'loosening': 27783, 'esto': 27784, 'ante': 27785, 'abrir': 27786, 'viva': 27787, 'tentative': 27788, 'discernment': 27789, 'trotter': 27790, 'bondurant': 27791, 'forcemajeure': 27792, 'marketslump': 27793, 'socialdistancingworks': 27794, 'zoa': 27795, 'malign': 27796, 'mohyelzdin': 27797, 'naish': 27798, 'backbritishfarming': 27799, 'dissapointment': 27800, 'bruv': 27801, 'fishtanktreatment': 27802, 'hydroxychoronquine': 27803, 'bannerhealth': 27804, 'wordsmatter': 27805, 'satellite': 27806, 'manmade': 27807, 'komonews': 27808, 'diffusion': 27809, 'loneliness': 27810, 'hsbc': 27811, 'ozarks': 27812, 'blethering': 27813, 'cocksprockets': 27814, 'surest': 27815, 'wasnt': 27816, 'musk': 27817, 'r86': 27818, 'reebok': 27819, 'globalist': 27820, 'justtheflu': 27821, 'shilling': 27822, 'poin': 27823, '884': 27824, 'hbrfanzone': 27825, 'feedthepoor': 27826, 'kotloyalsmusic': 27827, 'vanre': 27828, 'canre': 27829, 'col': 27830, 'cacchio': 27831, 'tanker': 27832, 'maritime': 27833, 'sundries': 27834, 'redneck': 27835, 'squared': 27836, 'readynutrition': 27837, 'thecoronaviruspreparednesshandbook': 27838, 'massy': 27839, 'packagedwater': 27840, 'f1': 27841, 'itu': 27842, 'lookingat': 27843, 'koch': 27844, 'foodmaxx': 27845, 'prescott': 27846, 'admitted': 27847, 'reliefremedies': 27848, 'steering': 27849, 'foodallergy': 27850, 'allergictraveler': 27851, 'chefcards': 27852, 'helpyourneighbours': 27853, 'hiv': 27854, 'youcantcatchavirus': 27855, 'cellpoisoning': 27856, 'copays': 27857, 'upgradefm': 27858, 'literary': 27859, 'allusion': 27860, 'almo': 27861, 'glam': 27862, 'hmrpca': 27863, 'eighteen': 27864, 'madeinchina': 27865, 'lidhell': 27866, 'panickbuyers': 27867, 'raped': 27868, 'footpath': 27869, 'idec': 27870, 'cystic': 27871, 'fibrosis': 27872, 'njtransit': 27873, 'projectkavach': 27874, 'fingerprint': 27875, 'seamless': 27876, 'intro': 27877, 'ottoman': 27878, 'synonymous': 27879, 'breeder': 27880, 'antinatalism': 27881, 'overpopulation': 27882, 'deceptively': 27883, 'overestimating': 27884, 'westhoff': 27885, 'hotelaura': 27886, 'drivesafe': 27887, 'toiling': 27888, 'gripe': 27889, 'sew': 27890, 'xxmi': 27891, 'bloggs': 27892, 'disciplined': 27893, '30days': 27894, 'sustainabilitystartswithyou': 27895, 'bourban': 27896, 'sheepish': 27897, 'dispense': 27898, 'zhenrobotics': 27899, 'tramp': 27900, 'apocalypsepaper': 27901, 'toiletpapermemes': 27902, 'vbid': 27903, 'highvaluecare': 27904, 'lowvaluecare': 27905, 'fostering': 27906, 'moong': 27907, 'urad': 27908, 'tur': 27909, 'chana': 27910, 'masoor': 27911, 'matar': 27912, 'worm': 27913, 'antioch': 27914, 'isolationselfegodriven': 27915, 'citydia': 27916, 'limbaugh': 27917, 'scarborough': 27918, 'morneau': 27919, 'aec': 27920, '682': 27921, '236': 27922, '7601': 27923, 'environmentally': 27924, 'jc': 27925, 'sustainabilitytips': 27926, 'dailyoh': 27927, 'toppled': 27928, 'digging': 27929, 'graveyard': 27930, 'andinavika': 27931, 'ye': 27932, 'neverending': 27933, 'poeple': 27934, 'isolation2020': 27935, 'scrape': 27936, 'windshield': 27937, 'youself': 27938, 'fid': 27939, 'pluto': 27940, 'behold': 27941, 'midwesttogether': 27942, 'felony': 27943, 'evenly': 27944, 'facemaskselfie': 27945, 'reworked': 27946, 'koko': 27947, 'lydia': 27948, 'forson': 27949, 'td': 27950, 'lastmile': 27951, 'wvgov': 27952, 'bentley': 27953, 'mulsanne': 27954, 'georgina': 27955, 'competitionlaw': 27956, 'cuties': 27957, 'kendallkay': 27958, 'camdendavid': 27959, 'hamper': 27960, 'flimsy': 27961, 'grocerystorescene': 27962, 'acquitted': 27963, 'detainee': 27964, 'billy': 27965, 'ftlion': 27966, 'hotcake': 27967, '899': 27968, '1049': 27969, '19australia': 27970, 'cosmeticvalley': 27971, '120ml': 27972, '00francs': 27973, 'juru': 27974, 'jesse': 27975, 'mellower': 27976, 'excruciating': 27977, 'stewardship': 27978, 'weedsmokers': 27979, 'stonerfam': 27980, 'fullsend': 27981, 'nelkboys': 27982, 'listentoyourheart': 27983, 'genconf': 27984, 'generalconference': 27985, 'covenant': 27986, 'covid2019': 27987, 'fakepandemic': 27988, 'jinks': 27989, 'milt': 27990, 'adapted': 27991, 'wee': 27992, 'krankie': 27993, 'youthvillageke': 27994, 'epc': 27995, 'oilandgasindustry': 27996, 'oilandgascompanies': 27997, 'northamerica': 27998, 'mnths': 27999, 'ashish': 28000, 'agarwal': 28001, 'onlineassistance': 28002, 'nrf': 28003, 'selfishnessvirus': 28004, 'outpaces': 28005, 'bonifacio': 28006, 'repatriation': 28007, 'navi': 28008, 'vashi': 28009, 'lockdowncomforteatinganddrinking': 28010, 'shamed': 28011, 'flagging': 28012, 'adaptable': 28013, 'restau': 28014, 'deliberation': 28015, 'crochet': 28016, 'rowing': 28017, 'sheesh': 28018, 'crm': 28019, 'milking': 28020, 'disinvestment': 28021, 'neocolonization': 28022, 'toiletpaperhunt': 28023, 'bonkeroverbogroll': 28024, 'selfisotation': 28025, 'washyourhan': 28026, 'mrp': 28027, 'openly': 28028, 'rnibcovid19': 28029, 'abc11': 28030, 'tsnpdcl': 28031, 'formal': 28032, 'formality': 28033, 'conferenceboard': 28034, 'eurusd': 28035, 'curate': 28036, 'tovolo': 28037, 'nutbutter': 28038, 'spatula': 28039, 'kitchengadgets': 28040, 'kitchenware': 28041, 'kitchentools': 28042, 'kremlin': 28043, 'rollback': 28044, 'narrow': 28045, '52rtgs': 28046, 'effat': 28047, 'rope': 28048, 'combining': 28049, 'crumble': 28050, 'shopindependent': 28051, 'aanndd': 28052, 'rebuy': 28053, 'granny': 28054, 'lampen': 28055, 'sandler': 28056, 'pinker': 28057, 'hurst': 28058, 'usb': 28059, 'woul': 28060, 'cnbcpathforward': 28061, 'arum': 28062, 'bbcboxing': 28063, 'stopthehoard': 28064, 'eggprices': 28065, 'goggle': 28066, '18569560148': 28067, 'uas': 28068, 'agncy': 28069, 'tkng': 28070, 'advntge': 28071, 'pillock': 28072, 'joyful': 28073, 'britishness': 28074, 'feedonomics': 28075, 'derbyshire': 28076, 'turnaround': 28077, 'nursewriter': 28078, 'freelancewriter': 28079, 'healthcarecontent': 28080, 'coating': 28081, 'trickier': 28082, 'blanching': 28083, 'wilson': 28084, 'shinning': 28085, 'chilly': 28086, 'lizard': 28087, 'covdi19': 28088, 'dieing': 28089, 'consumerprices': 28090, 'douglasporter': 28091, 'bankofcanada': 28092, 'shkreli': 28093, 'kantar': 28094, 'goldersgreen': 28095, 'hampsteadgardensuburb': 28096, 'nw11': 28097, 'trickling': 28098, '40lbs': 28099, '4lbs': 28100, 'grit': 28101, '10lbs': 28102, 'punching': 28103, 'gossip': 28104, 'dpd': 28105, 'hermes': 28106, 'wakethebride': 28107, 'swooping': 28108, 'spreadingthanks': 28109, 'todayin60': 28110, 'edpark': 28111, 'menwhile': 28112, 'righttorepair': 28113, 'nbnews': 28114, 'jananmeat': 28115, 'mindedly': 28116, 'detriment': 28117, 'replies0': 28118, 'retweets0': 28119, 'newyorktimes': 28120, 'orbitform': 28121, 'arsenalofhealth': 28122, '13m': 28123, 'arco': 28124, 'ny14': 28125, 'ditmars': 28126, 'nbcnews': 28127, 'mikeroman': 28128, 'boycott3m': 28129, 'peoplemagazine': 28130, 'march2020': 28131, '1637': 28132, 'tulipmania': 28133, 'tulip': 28134, '1797': 28135, 'publicis': 28136, 'sapient': 28137, 'differing': 28138, '921': 28139, '1128': 28140, 'fishandchips': 28141, 'ahab': 28142, 'yer': 28143, 'panicstations': 28144, 'theothershop': 28145, 'tamworthnsw': 28146, 'supportwhereyoucan': 28147, 'plsstophoarding': 28148, 'newblackmedia': 28149, 'redirecting': 28150, 'fallacy': 28151, 'fusilli': 28152, 'governmentstockpile': 28153, 'centralafricanrepublic': 28154, 'improves': 28155, 'fitter': 28156, 'leaner': 28157, 'bulkbuyers': 28158, 'forsyth': 28159, 'neill': 28160, 'dji': 28161, 'joc': 28162, 'selfisolationhelp': 28163, 'joyfightsfear': 28164, 'presidentialaddress': 28165, 'caprice': 28166, 'bourret': 28167, 'wifi': 28168, '7m': 28169, 'avoidable': 28170, 'thorndon': 28171, 'walmartorange': 28172, 'walmartsamess': 28173, 'orangeca': 28174, 'prohibit': 28175, 'attaching': 28176, 'nationallabs': 28177, 'sciencematters': 28178, 'akpeteshie': 28179, 'takoradi': 28180, 'epdt': 28181, 'consumerelectronics': 28182, 'futuresourceconsulting': 28183, 'dur': 28184, 'ebayseller': 28185, 'rti': 28186, 'victimized': 28187, 'daffodil': 28188, 'blooming': 28189, 'adventurous': 28190, 'fabatphoenix': 28191, 'phoenixperennials': 28192, 'narcissus': 28193, 'springbulbs': 28194, 'flowerbulbs': 28195, 'similac': 28196, 'lindsey': 28197, 'repeal': 28198, 'tutoring': 28199, 'proofreading': 28200, 'tucoopourcommunity': 28201, 'valenciacounty': 28202, 'clampdown': 28203, 'lowstock': 28204, 'goodnessgracious': 28205, 'langone': 28206, 'suman': 28207, 'xenophobia': 28208, 'enormity': 28209, 'dawning': 28210, 'abandon': 28211, 'influencermarketing': 28212, 'bh9vta8xnv': 28213, 'academy': 28214, 'oic': 28215, 'modiji': 28216, 'sensitizer': 28217, 'pf': 28218, 'innumerable': 28219, 'kahahahh': 28220, 'jeffreysprecher': 28221, 'khalili': 28222, 'cairo': 28223, 'trinket': 28224, 'oj': 28225, 'freezable': 28226, 'sneered': 28227, 'heeled': 28228, 'freeman': 28229, 'narrates': 28230, 'thbaks': 28231, 'peterson': 28232, 'leno': 28233, 'hereditarycancer': 28234, 'gcchat': 28235, 'cruiser': 28236, 'scaled': 28237, 'anarchist': 28238, 'lemming': 28239, 'handbook': 28240, 'reallys': 28241, 'coranavirus': 28242, 'fistfight': 28243, 'selena': 28244, 'sowing': 28245, 'melissa': 28246, 'katrincic': 28247, 'u45rweajus': 28248, 'impulsively': 28249, '731': 28250, 'clutter': 28251, 'chibizhub': 28252, 'deliciously': 28253, 'seafoodpasta': 28254, 'loveseafood': 28255, '2go2checkout': 28256, 'doesnt': 28257, 'twit': 28258, 'merseyside': 28259, 'saveourcarers': 28260, 'gk': 28261, 'inactivates': 28262, '93002759': 28263, 'mfa': 28264, 'documentinglife': 28265, 'greencore': 28266, 'broadly': 28267, 'tutor': 28268, 'tutee': 28269, 'd2rohkh5o4': 28270, 'browser': 28271, 'scarier': 28272, 'privatizedhealthcare': 28273, 'horray': 28274, 'submerge': 28275, '503': 28276, '378': 28277, '8442': 28278, 'virologically': 28279, 'esteelauder': 28280, 'hindering': 28281, 'recos': 28282, 'eventprofs': 28283, 'beyondcoronavirus': 28284, 'countrywide': 28285, 'undetected': 28286, 'kushner': 28287, 'intimated': 28288, 'slew': 28289, 'privateequity': 28290, 'consolidate': 28291, 'transform': 28292, 'ecomm': 28293, 'apprehensive': 28294, 'sourdough': 28295, 'avocado': 28296, 'guwahati': 28297, 'northeastindia': 28298, 'harr': 28299, 'trampled': 28300, 'outdated': 28301, 'constitution': 28302, 'debauchery': 28303, 'vintagetoiletpaper': 28304, '1987': 28305, 'selli': 28306, 'repaired': 28307, 'retrieved': 28308, 'realises': 28309, 'itch': 28310, 'beinformed': 28311, 'golfbiz': 28312, 'sportsbiz': 28313, 'communicated': 28314, 'fumigation': 28315, 'sioux': 28316, 'pbchealth': 28317, 'thefed': 28318, 'sportsman': 28319, 'gnocchi': 28320, 'julie': 28321, 'ziah': 28322, 'tinandbones': 28323, 'chanting': 28324, 'superfood': 28325, 'mybooster': 28326, 'antioxidant': 28327, 'alkalinewater': 28328, 'shopkeeprs': 28329, 'byo': 28330, 'responce': 28331, 'nintendoswitch': 28332, 'trimming': 28333, 'ketodiet': 28334, 'thrifty': 28335, 'effing': 28336, 'gazprom': 28337, 'cherish': 28338, 'slc': 28339, 'dismantled': 28340, 'sonia': 28341, 'angell': 28342, 'onlinestores': 28343, 'retailtransformation': 28344, 'socialmedia2020': 28345, 'marketingtrends2020': 28346, 'asiapacific': 28347, '200m': 28348, 'stirred': 28349, 'disguise': 28350, 'lnpfail': 28351, 'forcefield': 28352, 'govuk': 28353, 'outsider': 28354, 'commanded': 28355, 'bihar': 28356, 'futureofag': 28357, 'customerengagement': 28358, 'narendrea': 28359, 'indiabattlescoronavirus': 28360, 'emini': 28361, 'flare': 28362, 'bankofamerica': 28363, 'jesuit': 28364, 'subcontracted': 28365, 'stophooarding': 28366, 'holyhumor': 28367, 'ptsdmemes': 28368, 'recoup': 28369, 'squarefunds': 28370, 'brandtrust': 28371, 'otagoharbour': 28372, 'scrubbed': 28373, 'simptoms': 28374, 'entubation': 28375, 'spaffing': 28376, 'divisive': 28377, 'tomahawk': 28378, 'tomahawkribeye': 28379, 'grilledmeat': 28380, 'grilling': 28381, 'sousvide': 28382, 'sousvidecooking': 28383, 'ketofood': 28384, 'electrolyte': 28385, 'bulawayo': 28386, 'amref': 28387, 'psychtwitter': 28388, 'meded': 28389, 'captwitter': 28390, 'election2020': 28391, 'electionfraud': 28392, 'viewfrommywindow': 28393, 'mypandemicsurvivalplan': 28394, 'mcfc': 28395, 'unwrap': 28396, 'peachie': 28397, 'dayofcaring': 28398, 'hol': 28399, 'sbl': 28400, 'sblhomoeopathy': 28401, 'sblglobal': 28402, 'mythbuster': 28403, 'indiafightscovid19': 28404, 'amitabh': 28405, 'bachchan': 28406, 'unicef': 28407, 'stupidass': 28408, 'ignoranthumans': 28409, 'hesahero': 28410, 'rolemodel': 28411, 'dreadful': 28412, 'coventry': 28413, 'rentpayment': 28414, 'sniff': 28415, 'dontmakeasound': 28416, 'uht': 28417, 'supermarketstakeout': 28418, 'stayhomeaustralia': 28419, 'ertf': 28420, 'unveil': 28421, 'busquets': 28422, 'xuwen': 28423, 'unmarketable': 28424, 'jnt': 28425, 'dumbfuckery': 28426, 'humming': 28427, 'lament': 28428, 'thirdworldproblems': 28429, 'esepcially': 28430, 'allocating': 28431, 'cerebral': 28432, 'palsy': 28433, 'preexistingcondition': 28434, 'throttling': 28435, 'bone': 28436, 'memphis': 28437, 'shithouse': 28438, 'tonbridge': 28439, 'tethys': 28440, 'ccedoman': 28441, 'vial': 28442, 'fuelling': 28443, 'plexi': 28444, 'withregram': 28445, 'tvcwebinarseries': 28446, 'mara': 28447, 'suprising': 28448, 'anoh': 28449, 'tab': 28450, 'kurt': 28451, 'jetta': 28452, 'salam': 28453, 'dato': 28454, 'pkp': 28455, 'frugal': 28456, 'quarentine': 28457, 'hoitytoity': 28458, 'boojee': 28459, 'boojie': 28460, 'backordered': 28461, 'unleash': 28462, 'r1': 28463, '127p': 28464, '124p': 28465, 'happymothersday2020': 28466, 'insomnia': 28467, 'sustaining': 28468, 'survivers': 28469, 'sme': 28470, 'desi': 28471, 'gvmnt': 28472, 'dimension': 28473, 'marketstrategy': 28474, 'aquatic': 28475, 'kai': 28476, 'ramon': 28477, 'lopez': 28478, 'inq': 28479, 'distributer': 28480, 'castoff': 28481, 'cusp': 28482, 'apology': 28483, 'vanguard': 28484, 'vdc': 28485, 'supportsmallbiz': 28486, 'phonesoap': 28487, 'lowerdrugpricesnow': 28488, 'sorrow': 28489, 'wearegonnabeatthisvirus': 28490, 'ocvjc': 28491, 'ihaverightstoo': 28492, 'herat': 28493, 'weareafghanistan': 28494, 'barnstaple': 28495, 'torrington': 28496, 'appledore': 28497, 'instow': 28498, 'northdevon': 28499, 'broadcast': 28500, 'pounce': 28501, 'chanel': 28502, 'photojournalmonday': 28503, 'volvo': 28504, 'paniceating': 28505, 'ncing': 28506, 'chongqing': 28507, 'hotpot': 28508, 'xiaommian': 28509, 'retailresponse': 28510, 'consumercare': 28511, 'lvns': 28512, 'routed': 28513, 'myspark': 28514, 'xylospongium': 28515, 'anus': 28516, 'defecating': 28517, 'latrine': 28518, 'ancientrome': 28519, 'dontbeaasshole': 28520, 'gulfport': 28521, 'gawd': 28522, 'recreational': 28523, 'boyy': 28524, 'rou': 28525, 'kami': 28526, 'ek': 28527, 'sna': 28528, 'ila': 28529, 'ovat': 28530, 'isolators': 28531, 'carte': 28532, 'blanche': 28533, 'exterminate': 28534, 'opponent': 28535, 'marginalized': 28536, 'tommy': 28537, 'financials': 28538, 'retarded': 28539, 'tvmarket': 28540, 'abilty': 28541, 'gopinsidertrading': 28542, 'senatorloeffler': 28543, 'resignnow': 28544, 'gahan': 28545, 'oyster': 28546, 'croatia': 28547, 'utwx': 28548, 'evacuate': 28549, 'disnt': 28550, 'tty': 28551, 'designates': 28552, 'haydn': 28553, 'watters': 28554, 'shephard': 28555, 'catalogue': 28556, 'battled': 28557, 'cleaningtips': 28558, 'amazonpackages': 28559, 'hardcore': 28560, 'fetishizing': 28561, 'merchandiser': 28562, 'galvanizes': 28563, 'bartans': 28564, 'spotting': 28565, 'meumeu': 28566, 'tanked': 28567, 'manchesterunited': 28568, 'manchestercity': 28569, 'grifter': 28570, 'discouraged': 28571, 'thr': 28572, 'pansy': 28573, 'lancs': 28574, 'valueformoney': 28575, 'expatlife': 28576, 'studyhappy': 28577, 'anantapur': 28578, '20061': 28579, 'apmepma': 28580, 'apfightscovid19': 28581, 'guarding': 28582, 'thatismytown': 28583, 'dane': 28584, 'kwacha': 28585, 'characterise': 28586, 'materialism': 28587, 'albatross': 28588, 'satisfaction': 28589, 'employeexperience': 28590, 'intermodal': 28591, 'containersales': 28592, 'worldtrade': 28593, 'digitalhub': 28594, 'boxxport': 28595, 'foodchainid': 28596, 'wrongful': 28597, 'nimble': 28598, 'malpractice': 28599, 'reaalamerican': 28600, 'smallyoutubecommunity': 28601, 'coronavirsoutbreak': 28602, 'travelban': 28603, 'globalisation': 28604, 'chooses': 28605, 'toilethumor': 28606, 'etiquettefortheapocalypse': 28607, '1990s': 28608, '2030hrs': 28609, 'klaviyo': 28610, 'mcgregor': 28611, 'amids': 28612, 'rizwan': 28613, 'saraf': 28614, 'alkhidmat': 28615, 'peshawar': 28616, 'awerness': 28617, 'gulbahar': 28618, 'privaleged': 28619, 'creditreport': 28620, 'ouch': 28621, 'ingesting': 28622, 'boatload': 28623, '409': 28624, '313': 28625, '6880': 28626, 'setx': 28627, 'portarthur': 28628, 'bridgecity': 28629, 'funkeakindelebello': 28630, 'readabook': 28631, 'frontal': 28632, 'zavaapp': 28633, 'shattaday': 28634, 'gbevu': 28635, 'calibrated': 28636, 'prospectively': 28637, 'gregor': 28638, 'deltabc': 28639, 'beta': 28640, 'leena': 28641, 'matinee': 28642, 'dwelling': 28643, 'amoeba': 28644, 'resells': 28645, 'lurking': 28646, 'earns': 28647, 'urinal': 28648, 'diminishment': 28649, 'traced': 28650, 'contingenyplanning': 28651, 'rumored': 28652, 'asserts': 28653, 'reverselogistics': 28654, 'levan': 28655, 'davitashvili': 28656, 'wmata': 28657, 'onlin': 28658, 'muc': 28659, '0761749713': 28660, 'generistouch': 28661, 'sakhile': 28662, 'zengele': 28663, 'bushiri': 28664, 'contangion': 28665, 'ripvinoliamashego': 28666, 'enervis': 28667, 'energytransition': 28668, 'energiewende': 28669, 'eatingdisorders': 28670, 'herein': 28671, 'buchholz': 28672, 'cleanser': 28673, 'clene': 28674, '300ml': 28675, 'quickest': 28676, 'stayhomekenya': 28677, 'shredded': 28678, 'woh': 28679, 'naturalist': 28680, 'eaths': 28681, '1843': 28682, 'dotardalert': 28683, 'ornot': 28684, 'nogozone': 28685, 'enrich': 28686, 'resp': 28687, '4500': 28688, 'eset': 28689, 'suppression': 28690, 'rte': 28691, 'latelateshow': 28692, '342': 28693, '3736': 28694, 'wiseworks': 28695, 'oddly': 28696, 'assaulted': 28697, 'referring': 28698, 'slur': 28699, 'mattessich': 28700, 'bajans': 28701, 'lap': 28702, 'ot': 28703, 'dissects': 28704, 'wcs': 28705, 'malwarebytes': 28706, 'landmines': 28707, 'noble': 28708, 'stinky': 28709, 'rightful': 28710, 'fecker': 28711, 'badger': 28712, 'meaty': 28713, 'appointed': 28714, 'nickelsburg': 28715, 'geekwire': 28716, 'magnet': 28717, 'freq': 28718, '20sec': 28719, 'drs': 28720, 'havin': 28721, 'rey': 28722, 'pursuite': 28723, 'surgicalgown': 28724, '5ml': 28725, 'smal': 28726, 'torbay': 28727, 'wold': 28728, 'peoplebeforeprofits': 28729, 'erm': 28730, 'dimwit': 28731, 'gentrification': 28732, 'lei': 28733, 'wai': 28734, 'nong': 28735, 'mop10': 28736, 'corbyn': 28737, 'ge17': 28738, 'sabotaging': 28739, 'dodged': 28740, 'labourleaks': 28741, 'labourhq': 28742, 'labourwreckersdossier': 28743, 'adrenalin': 28744, '4a': 28745, 'petrochem': 28746, 'ceasefire': 28747, 'evanston': 28748, 'westchester': 28749, 'hbp': 28750, 'kigali': 28751, 'comparative': 28752, 'kertching': 28753, 'domesticterrorism': 28754, 'mello': 28755, 'nfid': 28756, 'schaffner': 28757, 'nopanicbuying': 28758, 'sx3': 28759, 'foodtrace': 28760, 'supplychainsecurity': 28761, 'fooddemand': 28762, 'blockchaininnovation': 28763, 'aglivexsx3': 28764, 'sx3australia': 28765, 'mumbaikers': 28766, 'welcomed': 28767, '1068': 28768, 'hyatt': 28769, 'scissors': 28770, 'griffey': 28771, 'day24inselfisolation': 28772, 'bigbasket': 28773, '07493': 28774, '586': 28775, 'cwpcathy': 28776, 'cheltenham': 28777, 'loseweight': 28778, 'getmore': 28779, 'majzoub': 28780, 'ahs': 28781, 'begs': 28782, 'r29': 28783, 'r39': 28784, 'r47': 28785, 'shreveport': 28786, 'malaga': 28787, 'truckdriver': 28788, 'longg': 28789, 'scandalous': 28790, 'usastrong': 28791, 'muted': 28792, 'cmeri': 28793, 'countering': 28794, 'menacing': 28795, 'usn': 28796, 'sipes': 28797, 'independants': 28798, 'catatonically': 28799, 'smartest': 28800, 'charlton': 28801, 'behemoth': 28802, 'numerical': 28803, 'dtn': 28804, 'comicstrip': 28805, 'comicsforquarantine': 28806, 'tulsehill': 28807, 'topmarketgainers': 28808, 'tmg': 28809, 'beefcentral': 28810, 'fakemeat': 28811, 'zoo': 28812, 'necided': 28813, 'wishful': 28814, 'wolverhampton': 28815, 'hlt': 28816, 'hilton': 28817, 'fiery': 28818, 'corporal': 28819, 'compulsive': 28820, 'kwminsights': 28821, 'drbirx': 28822, 'coronapocalyse': 28823, 'scratching': 28824, 'bathurst': 28825, 'reson': 28826, 'tucumsa': 28827, 'mep': 28828, 'herbert': 28829, 'dorfmann': 28830, 'resum': 28831, 'banksouth': 28832, 'fios': 28833, 'retirementplanning': 28834, 'pensionadvice': 28835, 'defund': 28836, '10bil': 28837, 'nameless': 28838, 'hmh': 28839, 'chilling': 28840, 'meta': 28841, 'iprice': 28842, 'arises': 28843, 'workingtogether': 28844, 'supportingfamiliesirl': 28845, 'eblast': 28846, 'optional': 28847, 'perk': 28848, 'fearfulness': 28849, 'twi': 28850, 'safteyfirst': 28851, 'nutshell': 28852, 'thistogether': 28853, 'supermkt': 28854, 'fleeting': 28855, 'luisa': 28856, 'alessandro': 28857, 'vodaphone': 28858, 'lichfield': 28859, 'stackline': 28860, 'hoa': 28861, 'bellaire': 28862, 'beechnut': 28863, 'delames': 28864, 'mamle': 28865, 'lamented': 28866, 'globalproblems': 28867, 'specifies': 28868, 'spatially': 28869, 'isntitironic': 28870, 'takeonefortheteam': 28871, 'vulnerab': 28872, 'singhdeo': 28873, 'raipur': 28874, 'oceanside': 28875, 'cglm': 28876, 'dictated': 28877, 'subedi': 28878, 'compass': 28879, 'coot': 28880, 'feckinggrandpa': 28881, 'suez': 28882, 'conditioned': 28883, 'dispersed': 28884, 'inconsistency': 28885, 'gobsmacking': 28886, 'inhaling': 28887, 'exhaled': 28888, 'vapour': 28889, 'stopthepeak': 28890, 'philosopher': 28891, 'headlight': 28892, 'ineptitude': 28893, 'mbu': 28894, 'importation': 28895, 'etcio': 28896, 'queenspasta': 28897, 'nov20': 28898, 'consumersentiment': 28899, '1gjyriluxn': 28900, 'fanny': 28901, 'odishanews': 28902, 'ambiguous': 28903, 'hubbie': 28904, 'gill': 28905, 'trex': 28906, 'decking': 28907, 'growordie': 28908, 'defends': 28909, 'butchered': 28910, 'nielsenindonesia': 28911, 'uyu': 28912, 'amenikata': 28913, 'lain': 28914, 'dtes': 28915, 'safesupply': 28916, 'gottchalks': 28917, 'mervyns': 28918, 'nocturnal': 28919, 'iterate': 28920, 'q6': 28921, 'cuff': 28922, 'buut': 28923, 'trumplieddeadpeople': 28924, 'sportswriter': 28925, 'raabs': 28926, 'wtaf': 28927, 'ww3': 28928, 'conspiracytheory': 28929, '547': 28930, 'rhonj': 28931, 'summoning': 28932, 'pinduoduo': 28933, 'spoiler': 28934, 'isolationgames': 28935, 'rajat': 28936, 'jee': 28937, 'littlethings': 28938, 'favourable': 28939, 'bgl': 28940, 'kta': 28941, 'ember': 28942, 'blossomwatch': 28943, 'ferlouginggraciously': 28944, 'sniffle': 28945, 'dammit': 28946, 'awon': 28947, 'bod': 28948, 'eyesuphere': 28949, 'dadbod': 28950, 'shopalishamarie': 28951, 'bayelsa': 28952, 'dominic': 28953, 'cummings': 28954, 'reputed': 28955, 'incrsing': 28956, 'wen': 28957, 'bmw': 28958, 'utopia': 28959, 'strack': 28960, 'hammond': 28961, 'enforcer': 28962, 'cleresponds': 28963, 'cle': 28964, 'purevpn': 28965, 'aciudadunida': 28966, 'epicentre': 28967, 'vodafonewatch': 28968, 'disappoint': 28969, 'esque': 28970, 'tyranny': 28971, 'gladice': 28972, 'headbutts': 28973, 'tbc': 28974, 'australialockdown': 28975, 'honing': 28976, 'busdrivers': 28977, 'sincerity': 28978, 'bakhat': 28979, 'mphil': 28980, 'egungunbecareful': 28981, 'carnivorous': 28982, 'anagram': 28983, 'coward': 28984, 'manipulatingamericasgullibleassholes': 28985, 'covfefe45': 28986, 'theartofthesteal': 28987, 'theartofthedeal': 28988, 'shortening': 28989, 'maesglas': 28990, 'pierogi': 28991, 'agoraphobes': 28992, 'claustrophobe': 28993, 'salesperson': 28994, 'diagram': 28995, 'btsarmy': 28996, 'condolence': 28997, 'monstrous': 28998, 'arseholic': 28999, 'handcrafted': 29000, 'cgcsa': 29001, 'patricia': 29002, 'pillay': 29003, 'thinkwithgoogle': 29004, 'marketingagency': 29005, 'creativeagency': 29006, 'marketingideas': 29007, 'marketingstrategies': 29008, 'slammarketing': 29009, 'slamteam': 29010, 'kupiec': 29011, 'lockdownnepal': 29012, 'nepallockdown': 29013, 'texascoronavirus': 29014, 'stupidstore': 29015, 'drywall': 29016, 'worldhealthorganisation': 29017, 'underdog': 29018, 'supplyshock': 29019, 'instigated': 29020, 'pledging': 29021, 'usq': 29022, 'dustcloth': 29023, 'asphyxiation': 29024, 'dismissed': 29025, 'uw': 29026, 'biology': 29027, 'day13oflockdown': 29028, 'liquorshop': 29029, 'moph': 29030, 'drinkable': 29031, 'bended': 29032, 'winningthe20s': 29033, 'bjdavisorg': 29034, 'lv': 29035, 'lovelifeandjoy189': 29036, 'gelantibacterial': 29037, 'gelantibacterien': 29038, 'bernardarnault': 29039, 'fakelvhandsanitzer': 29040, 'rtfkt': 29041, 'steepened': 29042, 'customerintelligence': 29043, 'grassphealth': 29044, 'psvs': 29045, 'notwithoutmask': 29046, 'maskeauf': 29047, 'awash': 29048, 'huel': 29049, 'inexpensive': 29050, 'nutritionally': 29051, 'manipuri': 29052, 'manipur': 29053, 'rubensteins': 29054, 'socialinclusion': 29055, 'zeedigital': 29056, 'sunrice': 29057, 'hostile': 29058, 'lalli': 29059, 'businessman': 29060, 'keells': 29061, 'kurana': 29062, 'katunayake': 29063, 'sword': 29064, 'stopconfinement': 29065, 'macronout': 29066, 'mastubate': 29067, 'gasnursejen': 29068, 'medicalfetish': 29069, 'medicalmistress': 29070, 'medicalroleplay': 29071, 'sexynurse': 29072, 'kinkynurse': 29073, 'sleepyfet': 29074, 'medicalplay': 29075, 'nurseplay': 29076, 'anesthesiafetish': 29077, 'atheist': 29078, 'spirituality': 29079, 'hospo': 29080, 'infinity': 29081, '4bn': 29082, 'monk': 29083, 'hannah': 29084, 'bloch': 29085, 'wehba': 29086, 'approving': 29087, 'vend': 29088, 'kizerandbender': 29089, 'retailblog': 29090, 'indulging': 29091, 'exosomes': 29092, 'creepsinsuits': 29093, 'billgatesofhell': 29094, 'fuckcoronavirus': 29095, 'disperses': 29096, 'globalists': 29097, 'ebayhaslotsoftoiletpaper': 29098, 'heijn': 29099, 'unification': 29100, 'rolla': 29101, 'sharjah': 29102, 'zain': 29103, 'merija': 29104, 'subhaan': 29105, 'reich': 29106, 'dunny': 29107, 'gangster': 29108, 'fitzgirls': 29109, 'sundayfitz': 29110, 'fitzgirlsrule': 29111, 'dontovercharge': 29112, 'stopstockpi': 29113, 'originated': 29114, 'defenitly': 29115, 'scroll': 29116, 'londonrestaurant': 29117, 'guardamar': 29118, 'valenciana': 29119, 'unloaded': 29120, 'audusd': 29121, 'katra': 29122, 'mahore': 29123, 'chassana': 29124, 'thuroo': 29125, 'arnas': 29126, 'pouni': 29127, 'thakrakote': 29128, 'articulating': 29129, 'bluemarlin': 29130, 'vitamind': 29131, 'theresstillhope': 29132, 'shopnormal': 29133, 'hungergames': 29134, 'nevadan': 29135, 'cabbie': 29136, 'chubby': 29137, 'energetic': 29138, 'fetishize': 29139, 'apha': 29140, 'acb': 29141, 'trul': 29142, 'cura': 29143, 'tlry': 29144, 'hexo': 29145, 'wmd': 29146, 'lh': 29147, 'tgod': 29148, 'emh': 29149, 'tbp': 29150, 'kshb': 29151, 'vff': 29152, 'mmen': 29153, 'gtii': 29154, 'harv': 29155, 'cweb': 29156, 'cchwf': 29157, 'zena': 29158, 'ogi': 29159, 'operationmasks': 29160, 'xl': 29161, 'washcloth': 29162, 'bathing': 29163, 'emergencypreparedness': 29164, 'extrasaturation': 29165, 'mythbusters': 29166, 'coronamisconceptions': 29167, 'coronamyths': 29168, 'stayballyhoo': 29169, 'undermine': 29170, 'supportspokane': 29171, 'downtownspokane': 29172, 'zen': 29173, 'councilman': 29174, 'iser': 29175, 'mouhcine': 29176, 'guettabi': 29177, 'tshrit': 29178, 'actuality': 29179, 'informational': 29180, 'hindered': 29181, 'asimo': 29182, 'hgv': 29183, 'transporting': 29184, 'pierce': 29185, 'piercing': 29186, 'pierced': 29187, 'iclwn': 29188, 'burst': 29189, 'inwards': 29190, 'confounding': 29191, 'coronatourism': 29192, 'homer': 29193, 'gfk': 29194, 'donkey': 29195, 'follw': 29196, 'enployment': 29197, 'onepulse': 29198, 'arcese': 29199, 'waisted': 29200, 'jfc': 29201, 'leary': 29202, 'whoa': 29203, 'primeday': 29204, 'extravaganza': 29205, 'nwo': 29206, 'pundit': 29207, 'immorally': 29208, 'romir': 29209, 'themarshacrawfordteam': 29210, 'marsha': 29211, 'candisteam': 29212, 'compassrealestate': 29213, 'annou': 29214, 'amnesty': 29215, 'daca': 29216, 'reside': 29217, 'unsw': 29218, 'mclaws': 29219, 'doope': 29220, 'halp': 29221, 'marshallaw': 29222, 'loser': 29223, 'unimaid': 29224, 'mog': 29225, 'yankistore': 29226, 'logisticsrules': 29227, 'bo': 29228, 'tr': 29229, 'unpreventable': 29230, 'kibra': 29231, 'vigorously': 29232, 'dailyheil': 29233, 'competently': 29234, 'panicky': 29235, 'ruing': 29236, 'mothering': 29237, 'hapless': 29238, 'efra': 29239, 'hii': 29240, 'tanya': 29241, 'fluschmann': 29242, 'instasouthafrica': 29243, 'afrikaans': 29244, 'capetown': 29245, 'vela': 29246, 'hearty': 29247, 'teambeef': 29248, 'teamsheep': 29249, 'edw': 29250, 'dwbi': 29251, 'elm': 29252, 'cdvdm': 29253, 'podclass': 29254, 'remotelearning': 29255, 'datavault': 29256, 'koenigdistillery': 29257, 'caldwell': 29258, 'idahocovid19': 29259, 'redefining': 29260, 'spate': 29261, 'datavis': 29262, 'choctaw': 29263, 'sandton': 29264, 'midrand': 29265, 'day12': 29266, 'day12oflockdown': 29267, 'rugged': 29268, 'ransacking': 29269, 'novelist': 29270, 'keepconnected': 29271, 'strangedaysindeed': 29272, 'varied': 29273, 'tagtek': 29274, 'brandawareness': 29275, 'tradeshows': 29276, 'kelantan': 29277, 'climateemergency': 29278, 'criticize': 29279, 'diverts': 29280, 'diverting': 29281, 'goner': 29282, 'vocational': 29283, 'insulting': 29284, 'philipps': 29285, '244': 29286, '887': 29287, '913': 29288, '898': 29289, '343': 29290, 'infrequent': 29291, 'putty': 29292, 'trumppressconf': 29293, 'piggly': 29294, 'wiggly': 29295, 'rebate': 29296, 'proposing': 29297, 'godigital': 29298, '4088': 29299, 'fiscalstimulus': 29300, 'navs': 29301, 'inadequacy': 29302, 'servicing': 29303, 'aptito': 29304, 'aptitopos': 29305, 'coronabonds': 29306, 'immed': 29307, 'alteration': 29308, 'tampering': 29309, 'prev': 29310, 'pol': 29311, 'ldrships': 29312, 'vested': 29313, 'lacked': 29314, 'vancouverhomes': 29315, 'vancouverrealestate': 29316, 'smartcities': 29317, 'happycities': 29318, 'abysmal': 29319, 'interestingfacts': 29320, 'poured': 29321, 'scotus': 29322, 'homeishere': 29323, 'absinthe': 29324, 'soaking': 29325, 'wormwood': 29326, 'unitedairlines': 29327, 'eggcellent': 29328, 'ozone': 29329, 'erected': 29330, '9177300445': 29331, 'sanitizationtunnel': 29332, 'ozonesmarttunnel': 29333, 'honduran': 29334, 'xzbapjoroz': 29335, 'comer': 29336, 'borde': 29337, 'ruler': 29338, 'hoaders': 29339, 'fock': 29340, 'finkle': 29341, 'realestatelaw': 29342, 'realestatelawyer': 29343, 'socialcommerce': 29344, 'mindlessly': 29345, 'parallel49': 29346, 'parallel49brewing': 29347, 'grotta': 29348, 'handsantiser': 29349, 'sel': 29350, '9today': 29351, 'datacenter': 29352, 'notebook': 29353, 'alc': 29354, 'overboard': 29355, 'atx': 29356, 'favorito': 29357, 'humped': 29358, 'usousd': 29359, 'usoil': 29360, 'sundayselfie': 29361, 'rawr': 29362, 'delfast': 29363, 'goza': 29364, 'minuscule': 29365, 'simplicity': 29366, 'cosumption': 29367, 'mahrukat': 29368, 'watan': 29369, 'reflet': 29370, 'ion': 29371, 'coronacrunch': 29372, 'luluguinness': 29373, 'storeopening': 29374, 'coventgarden': 29375, 'proteinbars': 29376, 'barrons': 29377, 'alarmingly': 29378, 'cautioned': 29379, 'consumerlaw': 29380, 'dataismoreexpensivethanrentnow': 29381, 'reduceinternetpricesnow': 29382, 'hygienically': 29383, 'parkwestvillage': 29384, 'harvard': 29385, 'cainiao': 29386, 'consumerfinance': 29387, 'disunited': 29388, 'truthhurts': 29389, 'wordstoliveby': 29390, 'whistleblower': 29391, 'getthefuckawayfromme': 29392, 'reevaluate': 29393, 'schiff': 29394, 'resemblance': 29395, 'vengeance': 29396, 'furthest': 29397, 'profite': 29398, 'accomadation': 29399, '0103641972': 29400, 'atheletic': 29401, 'resting': 29402, 'migratory': 29403, 'guestuest': 29404, 'syndicated': 29405, 'youngest': 29406, 'nearness': 29407, 'bodyguard': 29408, '1918': 29409, 'shopforyou': 29410, '0901': 29411, '454': 29412, '2974': 29413, 'yam': 29414, 'generalfood': 29415, 'tiptoeing': 29416, 'lwc': 29417, 'westchestercounty': 29418, 'garment': 29419, '2billion': 29420, '985': 29421, '2331': 29422, 'partech': 29423, 'phoney': 29424, 'morphing': 29425, 'provocation': 29426, 'bidet2020': 29427, 'mindspark': 29428, '1basketpershopper': 29429, 'ventilation': 29430, 'glue': 29431, 'dti': 29432, 'coolant': 29433, 'arrival': 29434, 'sona': 29435, 'yomi': 29436, 'mechuka': 29437, 'monigong': 29438, 'pidi': 29439, 'greenbelt': 29440, 'mcommerce': 29441, 'retailmarketing': 29442, 'reputationmarketing': 29443, 'dravely': 29444, 'kwarans': 29445, 'remuneration': 29446, 'gout': 29447, 'mysuru': 29448, 'timeforchange': 29449, 'luring': 29450, 'limittheflowofcustomers': 29451, 'pelosibill': 29452, 'pelosimustresign': 29453, '489': 29454, 'contrarian': 29455, 'vetted': 29456, 'knowyoursocial': 29457, 'stepson': 29458, 'godson': 29459, 'quakertown': 29460, 'poking': 29461, 'butthole': 29462, 'trustedsource': 29463, 'rmb2': 29464, 'rmb790': 29465, 'kir': 29466, 'emeka': 29467, 'offor': 29468, 'monetery': 29469, 'mange': 29470, 'facet': 29471, 'dhaka': 29472, 'bury': 29473, 'tunisian': 29474, 'ardene': 29475, 'shopopening': 29476, 'stumbled': 29477, 'cutout': 29478, 'musial': 29479, 'aliexpress': 29480, 'corinnavirus': 29481, 'notably': 29482, 'distorted': 29483, 'retrenchment': 29484, 'flashlight': 29485, 'survivingcovid19': 29486, 'unileverslashing': 29487, 'kennesaw': 29488, 'annemarie': 29489, 'eastbourne': 29490, 'wwf': 29491, 'stopbeingselfish': 29492, 'laboratoire': 29493, 'ganesh': 29494, 'rs30': 29495, '45days': 29496, 'legostreet': 29497, 'ishop': 29498, 'coffeeshop': 29499, 'businesswise': 29500, 'legocityscene': 29501, 'legomodulars': 29502, 'legocreatorexpert': 29503, 'sti': 29504, 'essendonfc': 29505, 'mightybombers': 29506, 'repurpose': 29507, 'millionmaskchallenge': 29508, 'miele': 29509, 'motoring': 29510, 'equaliser': 29511, 'ostracized': 29512, 'askabc2020': 29513, 'hyste': 29514, 'mngov': 29515, 'mnleg': 29516, 'drivewyze': 29517, 'ccj': 29518, 'wclo': 29519, 'agitated': 29520, 'controllable': 29521, 'concurrent': 29522, 'ntm': 29523, 'ebit': 29524, 'austrailia': 29525, 'wefilterfakenews': 29526, 'gesch': 29527, 'ftsf': 29528, 'hrer': 29529, 'vieler': 29530, 'rkte': 29531, 'rrach': 29532, 'mit': 29533, 'einem': 29534, 'alle': 29535, 'sch': 29536, 'ler': 29537, 'studenten': 29538, 'lasst': 29539, 'zusammenhalten': 29540, 'aufeinanderachten': 29541, 'forsaken': 29542, 'ransack': 29543, 'arohanui': 29544, 'thcexchange': 29545, 'zephyrhills': 29546, 'humanly': 29547, 'reload': 29548, 'shoponlineifyouhaveinternet': 29549, 'gwenniffer': 29550, 'botch': 29551, 'standupcomedy': 29552, 'poopoopaper': 29553, 'walt': 29554, 'johor': 29555, 'shopclickdrive': 29556, 'startwithtrust': 29557, 'bko': 29558, 'kampung': 29559, 'assembly': 29560, 'sampai': 29561, 'sundaymotivation': 29562, 'loki': 29563, 'goptaxscam': 29564, 'pandumbic': 29565, 'quiztimemorningswithamazon': 29566, 'hallmark': 29567, 'keepyoursenseofhumor': 29568, 'josephkiragu': 29569, 'wld': 29570, 'shave': 29571, 'dependancy': 29572, 'naturalselection': 29573, 'soju': 29574, 'disguised': 29575, 'wastepaper': 29576, 'recoveredpaper': 29577, 'onlineinteraction': 29578, 'thesofterthebetter': 29579, 'earh': 29580, 'gobiernodeespana': 29581, 'beyondfragrance': 29582, 'inr': 29583, '550': 29584, '1583916': 29585, 'ipad': 29586, 'multivitamin': 29587, '21stcentury': 29588, 'thisislife': 29589, 'powys': 29590, 'ingles': 29591, 'grantkapp': 29592, 'liquidation': 29593, 'deliveryservices': 29594, 'samedaydelivery': 29595, 'deliveryservice': 29596, 'haultail': 29597, 'thepeoplebuilder': 29598, 'grantherbert': 29599, 'emotionalintelligence': 29600, 'beyondcovid19': 29601, 'colonized': 29602, 'mahalo': 29603, 'hawai': 29604, 'smelly': 29605, 'coronac': 29606, 'ufc': 29607, 'cryptonews': 29608, 'bain': 29609, 'bainalerts': 29610, 'ey': 29611, 'pamybot': 29612, 'fxdailyfx': 29613, 'mbforex': 29614, 'achohol': 29615, 'ncdc': 29616, 'viability': 29617, 'flipping': 29618, 'steadied': 29619, 'sapped': 29620, 'payoff': 29621, 'nobuybacks': 29622, 'yeehaw': 29623, 'shu': 29624, 'flpublicpower': 29625, 'publicpower': 29626, 'amorina': 29627, 'acme': 29628, 'mover': 29629, 'ghostbikes': 29630, 'julienning': 29631, 'goingcrazy': 29632, 'homechef': 29633, 'michigander': 29634, 'whitless': 29635, '545': 29636, '6600': 29637, 'dragrace': 29638, 'affliction': 29639, 'gainer': 29640, 'telecos': 29641, 'halebonoe': 29642, 'lesotho': 29643, 'lesotholockdown': 29644, 'capitalising': 29645, '1007': 29646, 'asbury': 29647, '07712': 29648, '832': 29649, '776': 29650, '7979': 29651, 'juicy': 29652, 'kellogg': 29653, 'employes': 29654, 'bbcpm': 29655, 'xi': 29656, 'turk': 29657, 'turchia': 29658, 'worldwar3': 29659, 'respons': 29660, 'fuming': 29661, 'gro': 29662, 'usagunnation': 29663, 'detest': 29664, 'dble': 29665, 'downwards': 29666, 'reinventingretail': 29667, 'heap': 29668, 'raelyn': 29669, 'sacco': 29670, 'afghan': 29671, 'applaude': 29672, 'vampire': 29673, 'bf': 29674, 'paranaque': 29675, 'watson': 29676, 'skagit': 29677, 'zehrs': 29678, 'omera': 29679, 'canpara': 29680, 'petrovietnam': 29681, 'klima': 29682, 'wirkt': 29683, 'sich': 29684, 'positiv': 29685, 'zumindest': 29686, 'kurzfristig': 29687, 'langfristigen': 29688, 'folgen': 29689, 'hingegen': 29690, 'rften': 29691, 'alles': 29692, 'andere': 29693, 'umweltfreundlich': 29694, 'sein': 29695, 'klimawandel': 29696, 'energie': 29697, 'deplorables': 29698, 'kci': 29699, 'footballskills': 29700, 'vegetabl': 29701, 'crossword': 29702, 'fzzdj1bx8v': 29703, 'electricty': 29704, '30ml': 29705, 'indus': 29706, 'sanitz': 29707, 'beardoil': 29708, 'naturalbeardoil': 29709, 'indusvalley': 29710, 'freesanitizer': 29711, 'robocall': 29712, 'denominated': 29713, 'n100': 29714, '2yrs': 29715, 'solidarity4humanity': 29716, '44th': 29717, 'supportliclocal': 29718, 'criticise': 29719, 'maori': 29720, 'onyamag': 29721, 'ungodly': 29722, 'oilnews': 29723, 'energyindustry': 29724, 'pandemiccrisis': 29725, 'msrp': 29726, 'despises': 29727, 'intnl': 29728, 'searchable': 29729, 'athlone': 29730, 'flatmate': 29731, 'telmo': 29732, 'requisition': 29733, 'stressrelief': 29734, 'makemeasandwich': 29735, 'progressed': 29736, 'businessgrowth': 29737, 'worldbusiness': 29738, 'bind': 29739, 'clenching': 29740, 'diageo': 29741, 'demonstraion': 29742, 'digitalretailing': 29743, '0169061211': 29744, 'samuel': 29745, 'uncovid19brief': 29746, 'viralkindness': 29747, 'cerebralpalsy': 29748, 'nielson': 29749, 'treason': 29750, 'actin': 29751, 'commissioning': 29752, 'unimelbpursuit': 29753, 'mcgee': 29754, 'vaughan': 29755, 'toiletpapershortageof2020': 29756, 'huddle': 29757, 'sanford': 29758, 'unsatisfied': 29759, 'edmond': 29760, 'slippery': 29761, 'letschill': 29762, 'kaiser': 29763, 'clchan': 29764, 'reignited': 29765, 'yomestayhome': 29766, 'shiieet': 29767, 'parliamentary': 29768, 'humanrights': 29769, 'murkowski': 29770, 'capitol': 29771, 'cebu': 29772, 'naay': 29773, 'silay': 29774, 'delata': 29775, 'coronalogic': 29776, 'cottonworld': 29777, 'civilized': 29778, 'strvtin': 29779, 'cheaptravel': 29780, 'sourland': 29781, 'bch': 29782, 'alexkuptsikevich': 29783, 'avatrade': 29784, 'bitwise': 29785, 'cfgi': 29786, 'cryptofeargreedindex': 29787, 'etoro': 29788, 'extremefear': 29789, 'fxpro': 29790, 'marketupdates': 29791, 'marketsandprices': 29792, 'matthougan': 29793, 'naeemaslam': 29794, 'bergneustadt': 29795, 'nordrhein': 29796, 'westfalen': 29797, 'funnymom': 29798, 'rakuten': 29799, 'hom': 29800, 'kith': 29801, 'kin': 29802, 'kwame': 29803, 'onwuachi': 29804, 'sobriety': 29805, 'heals': 29806, 'liberalhypocrisy': 29807, 'bullshitwatch': 29808, 'sherbs': 29809, 'hig': 29810, 'coolactionsuit': 29811, 'chineseflu': 29812, 'lastly': 29813, 'whinge': 29814, 'hurriedly': 29815, 'armful': 29816, 'dailybriefing': 29817, 'cutthroat': 29818, 'wealthiest': 29819, 'deloitteer': 29820, 'rejoice': 29821, 'purportedly': 29822, 'kuwari': 29823, 'inspect': 29824, 'ache': 29825, 'evaluate': 29826, 'crucially': 29827, 'manhattanites': 29828, 'disdain': 29829, 'schull': 29830, 'sebastien': 29831, 'boyer': 29832, 'farmwise': 29833, 'penned': 29834, 'cierretotal': 29835, 'wof': 29836, 'taxcredit': 29837, 'broome': 29838, 'correspond': 29839, 'enrollonline': 29840, 'medicaredirect': 29841, 'medigap': 29842, 'medicareadvantage': 29843, 'mapd': 29844, 'bigbiz': 29845, 'sharelove': 29846, 'accrued': 29847, 'pandemicprofiteers': 29848, 'thanx': 29849, 'brah': 29850, '55gl': 29851, '99gl': 29852, 'tad': 29853, '5560': 29854, 'runtown': 29855, '5dkk': 29856, '135dkk': 29857, 'cmcsa': 29858, 'atus': 29859, 'unfunny': 29860, 'coronacomics': 29861, 'discrete': 29862, 'freelancelife': 29863, 'publicservants': 29864, 'proudlyservingcanadians': 29865, 'humanityfirst': 29866, 'saddened': 29867, 'wafflehouseindex': 29868, 'bodegaindex': 29869, 'emgtwitter': 29870, 'italianamerican': 29871, 'microorganism': 29872, '8120': 29873, 'hardeson': 29874, 'spay': 29875, 'neuter': 29876, 'uterus': 29877, 'amazonfail': 29878, 'mediawatch': 29879, 'unmanned': 29880, 'modernization': 29881, 'smartcompany': 29882, 'collegestudent': 29883, 'ollu': 29884, 'uiw': 29885, 'agtg': 29886, 'utsa': 29887, 'txsu23': 29888, 'tsuupc': 29889, 'pvamu20': 29890, 'pvamu21': 29891, 'shsu': 29892, 'txst': 29893, 'retailwork': 29894, 'terrorizing': 29895, 'rocket96': 29896, 'schizo': 29897, 'videogames': 29898, 'twitchstreamer': 29899, 'notmeus': 29900, 'videogaming': 29901, 'dallaslockdown': 29902, 'gourmet': 29903, 'niagara': 29904, 'munro': 29905, 'chopping': 29906, 'pickling': 29907, 'latina': 29908, 'lupehernandez': 29909, 'desj': 29910, 'jesurvivrai': 29911, 'prixdugaz': 29912, 'modernart': 29913, 'shriveled': 29914, 'trumpisuseless': 29915, 'confrim': 29916, 'creat': 29917, 'obeying': 29918, 'ostensibly': 29919, 'plucky': 29920, 'dunkirk': 29921, 'invasion': 29922, 'samkelo': 29923, 'jus': 29924, 'pta': 29925, 'giv': 29926, '19au': 29927, 'hazardpaynow': 29928, 'pouch': 29929, 'algernon': 29930, 'agn': 29931, 'carolin': 29932, 'xoxoxo': 29933, 'hanoi': 29934, 'timber': 29935, 'responsiblereporting': 29936, 'unhealthy': 29937, 'stockholder': 29938, 'airforceone': 29939, '7011259210': 29940, '3meds': 29941, 'orderonline': 29942, 'buynow': 29943, 'beatingcancer': 29944, 'deprtment': 29945, 'aata': 29946, 'copied': 29947, 'ethnic': 29948, 'troublemaker': 29949, 'murdoch': 29950, 'pandemickindness': 29951, 'stopthespreadofcorona': 29952, 'stayprotected': 29953, 'wallmart': 29954, 'gunshop': 29955, 'quarantena': 29956, 'cad2i129h3': 29957, 'goldfish': 29958, 'molnar': 29959, 'goldfishgod': 29960, 'ari': 29961, 'housewarming': 29962, 'ennismore': 29963, 'quandary': 29964, 'gigworker': 29965, 'boni': 29966, 'mandaluyong': 29967, 'lowie': 29968, 'quijada': 29969, 'kirill': 29970, 'panarin': 29971, 'storeclosures': 29972, 'calgarians': 29973, 'syed': 29974, 'bashed': 29975, 'nhsvscovid19': 29976, 'supermar': 29977, 'mee': 29978, 'mingle': 29979, 'passcode': 29980, '3303': 29981, 'letsfightcovid19': 29982, 'stcloud': 29983, 'stcloudmn': 29984, 'cannabisculture': 29985, 'wednesdayvibes': 29986, 'commerece': 29987, 'condictions': 29988, 'existant': 29989, 'schultz': 29990, 'creaming': 29991, 'gardencentres': 29992, 'springhead': 29993, '01474': 29994, '361370': 29995, 'poins': 29996, 'bottleneck': 29997, 'ntvnews': 29998, 'thankyouheroes': 29999, 'telethon': 30000, 'klaus': 30001, 'ller': 30002, 'url': 30003, 'firestorm': 30004, 'stayindoors': 30005, 'pmsg': 30006, 'benny': 30007, 'liban': 30008, 'pnpkakampimolabansacovid': 30009, 'stopthespreadofcovid': 30010, 'stopfraudco': 30011, 'cudifference': 30012, 'dramatised': 30013, 'mulready': 30014, '405': 30015, '521': 30016, '2828': 30017, 'wext': 30018, 'chinaliespeopledied': 30019, 'divino': 30020, 'unwittingly': 30021, 'bnecoronavirus': 30022, 'bliss': 30023, 'cornucopia': 30024, 'betta': 30025, 'whatdistrictisthemidwest': 30026, 'stepawayfromthepeanutbutterkaren': 30027, 'refreshing': 30028, 'businesscontinuity': 30029, 'r0': 30030, 'bwg': 30031, 'redemption': 30032, '785': 30033, 'fscw': 30034, 'havertys': 30035, 'wheeloffortune': 30036, 'quarentineandchill': 30037, 'dreamkitchen': 30038, 'mequedoencasa': 30039, 'multibillion': 30040, 'houstoncoronavirus': 30041, '07121288': 30042, 'pastime': 30043, 'demandandsupply': 30044, 'empirical': 30045, 'learner': 30046, 'kbblovesdesign': 30047, 'trustedblog1': 30048, 'bonfire': 30049, '17hrs': 30050, 'propertybubble': 30051, '35kworth': 30052, '227': 30053, '187': 30054, '673': 30055, '177': 30056, '226': 30057, 'moistened': 30058, 'endive': 30059, 'movethesales': 30060, 'sosmoderetail': 30061, 'thinkglobalactlocal': 30062, 'gearhart': 30063, 'petfoodshortage': 30064, 'sandstone': 30065, '4yo': 30066, 'troguh': 30067, 'goverm': 30068, 'livecoverage': 30069, 'antifa': 30070, 'iamapharmacist': 30071, 'civilorder': 30072, 'pankaj': 30073, 'kapoor': 30074, 'liases': 30075, 'foras': 30076, 'coffeefilter': 30077, 'apocalipsis': 30078, 'magavirus': 30079, 'darwinswaitingroom': 30080, 'slick': 30081, 'terra': 30082, 'catch22': 30083, 'sentieo': 30084, 'arib': 30085, 'researchdifferent': 30086, 'alternativedata': 30087, 'ecstasy': 30088, 'randomised': 30089, 'bigley': 30090, 'unanswered': 30091, 'subsidary': 30092, 'credaimchi': 30093, 'realestatemarket': 30094, 'economicsofcorona': 30095, 'invariably': 30096, 'soulless': 30097, 'pondlife': 30098, 'pendamic': 30099, 'seashell': 30100, 'demolition': 30101, 'plantbasedfood': 30102, 'veggieburger': 30103, 'beyondmeat': 30104, 'fakefood': 30105, 'realmeat': 30106, 'meatball': 30107, 'sethi': 30108, 'shopperkit': 30109, 'ahadbuilders': 30110, 'yourtrustourlegacy': 30111, 'ahadcare': 30112, 'coronasafetytips': 30113, 'reducegreednow': 30114, 'watchyourgreed': 30115, 'aba': 30116, 'carpet': 30117, 'electrifying': 30118, 'sothini': 30119, 'mcq': 30120, 'marketreport': 30121, 'energyconsultants': 30122, 'acclaimenergy': 30123, 'janowski': 30124, '516': 30125, '9591': 30126, 'cull': 30127, 'ewe': 30128, 'consumerdurable': 30129, 'revival': 30130, 'emedlife': 30131, 'expertadvise': 30132, 'coronashutdown': 30133, 'decatur': 30134, 'rebottling': 30135, 'cult45': 30136, 'foody': 30137, 'hoomans': 30138, 'gran': 30139, 'nightshift': 30140, 'brood': 30141, '287': 30142, 'ciao': 30143, 'disobeying': 30144, 'reiterated': 30145, 'natured': 30146, 'michiganross': 30147, 'aradhna': 30148, 'krishna': 30149, 'globalhealthemergency': 30150, 'ooh': 30151, 'cha': 30152, 'ching': 30153, 'digetty': 30154, 'lakeland': 30155, 'rdg': 30156, 'bbtips': 30157, 'thatcher': 30158, 'lndane': 30159, 'takia': 30160, 'azadganj': 30161, 'slave': 30162, 'turd': 30163, 'djjdhdjej': 30164, 'carpetbagging': 30165, 'kalyan': 30166, 'blob': 30167, 'queer': 30168, 'professionalism': 30169, 'wvnews247': 30170, 'gist': 30171, 'saluting': 30172, 'providng': 30173, 'bd3': 30174, 'catsoftwitter': 30175, 'mycatdoesnthalfgoon': 30176, 'thelogicalmauritian': 30177, 'publichealthcare': 30178, 'atar': 30179, 'woefully': 30180, 'projekt': 30181, 'unisex': 30182, 'shitgotreal': 30183, 'expressyourselfbydon': 30184, 'grinspoon': 30185, 'firstfieldsfamily': 30186, 'loveoneanother': 30187, 'commandment': 30188, 'preschool': 30189, 'dataprices': 30190, 'underinsured': 30191, 'likel': 30192, 'sponsoredad': 30193, 'makesnosense': 30194, 'whosagenda': 30195, 'shutdownny': 30196, 'busken': 30197, 'bloodstream': 30198, 'shoshana': 30199, 'shoshanna': 30200, 'lightweight': 30201, 'ripoffs': 30202, 'powhatan': 30203, 'saralee': 30204, 'notificati': 30205, 'thaw': 30206, 'modwyer': 30207, 'litterally': 30208, 'kra': 30209, 'siberia': 30210, 'ved': 30211, 'montrealer': 30212, 'fetish': 30213, 'rapaport': 30214, 'handyman': 30215, 'masbia': 30216, 'steinmart': 30217, 'limb': 30218, 'quicktake': 30219, 'fightcoronatogether': 30220, 'incorporates': 30221, 'interpersonal': 30222, 'iykykpodcast': 30223, 'iykyk': 30224, 'neoclassical': 30225, 'stipulates': 30226, 'mtg': 30227, 'mtgs': 30228, 'daydream': 30229, 'terraform': 30230, 'unsanitized': 30231, 'thankabanker': 30232, 'coverup': 30233, 'cnh': 30234, 'corr': 30235, 'pboc': 30236, 'cny': 30237, 'remanded': 30238, 'awaits': 30239, 'newzeland': 30240, 'goin': 30241, 'maskoff': 30242, 'loosens': 30243, 'coil': 30244, 'yesplease': 30245, 'mmbbl': 30246, 'masculine': 30247, 'pastel': 30248, 'mailpac': 30249, 'pricesmart': 30250, 'hilo': 30251, 'madiness': 30252, 'creditscores': 30253, 'persuaded': 30254, 'amer': 30255, 'buzz': 30256, 'sht': 30257, 'dagsa': 30258, 'dito': 30259, 'ambot': 30260, 'thankyoutesco': 30261, '9bn': 30262, 'swarm': 30263, 'unwavering': 30264, 'tulsa': 30265, 'bred': 30266, 'proponent': 30267, 'dalma': 30268, 'zachary': 30269, 'cefaratti': 30270, 'dalmacapital': 30271, 'haiku': 30272, 'seconded': 30273, 'wecandothis': 30274, '4months': 30275, 'lok': 30276, 'sabha': 30277, 'wlmu': 30278, 'communitymatters': 30279, 'folx': 30280, 'taxation': 30281, 'dowm': 30282, 'frighten': 30283, 'nomeat': 30284, 'nofish': 30285, 'bankcards': 30286, 'hungarian': 30287, 'dailynewshungary': 30288, 'breakingmyheart': 30289, 'ophthalmology': 30290, 'ophth': 30291, 'nrg': 30292, 'energyefficiency': 30293, 'lockdownpakistan': 30294, 'congratulate': 30295, 'copying': 30296, 'proactivity': 30297, 'rotorua': 30298, 'beekeeping': 30299, 'horriple': 30300, 'serger': 30301, 'seamstress': 30302, 'tbcb': 30303, 'digitalcommerce': 30304, 'mobilecommerce': 30305, 'uniquecommerce': 30306, 'customerfocus': 30307, 'tollroadsnews': 30308, 'trn': 30309, 'cascar': 30310, 'alley': 30311, 'mango': 30312, 'marketingdive': 30313, 'ishaan': 30314, 'bbcnewscoronavirus': 30315, 'lovewins': 30316, 'programm': 30317, 'newbedfordma': 30318, 'newbedford': 30319, 'dartmouthma': 30320, 'fairhavenma': 30321, 'fallriverma': 30322, 'henderson': 30323, '3297': 30324, 'penalised': 30325, 'mongrel': 30326, 'desperado': 30327, 'leclerc': 30328, 'lust': 30329, 'denting': 30330, 'type2': 30331, 'questionaire': 30332, '15m': 30333, 'tomi': 30334, 'abstainfromebgames': 30335, 'coronapanik': 30336, 'indianmarket': 30337, 'capitalismkills': 30338, 'srimspeak': 30339, 'stabilisation': 30340, 'glencore': 30341, 'mopani': 30342, 'motel': 30343, 'crazed': 30344, 'supermarketsemployees': 30345, 'homebody': 30346, 'ramakrishna': 30347, 'tbilisimetro': 30348, 'ringgit': 30349, 'cashflows': 30350, 'volgograd': 30351, 'stalingrad': 30352, 'eboa': 30353, 'advertised': 30354, 'broug': 30355, 'behaviourchange': 30356, 'helpyourneighbors': 30357, '2231133': 30358, '65ish': 30359, 'blankly': 30360, 'oy': 30361, 'cramming': 30362, 'nickcohen': 30363, 'gigantizing': 30364, 'kidnapped': 30365, 'ggirl': 30366, 'emetophobia': 30367, 'obsessive': 30368, 'ombud': 30369, 'summarized': 30370, 'skeptic': 30371, 'naturopathy': 30372, 'chiropractic': 30373, 'jimbakker': 30374, 'alexjones': 30375, 'islamicfinance': 30376, 'losingfamilies': 30377, 'withouthealthcare': 30378, 'closingbusonesses': 30379, 'ventilatorshortage': 30380, 'hiddenagenda': 30381, 'shoping': 30382, 'taproot': 30383, 'soulard': 30384, 'saintlouis': 30385, 'protectivegloves': 30386, 'antwholesale': 30387, 'dataset': 30388, 'makoni': 30389, 'chitungwiza': 30390, 'conflicting': 30391, 'leek': 30392, 'bravenewworld': 30393, 'pollen': 30394, 'rva': 30395, 'andromedastrain': 30396, 'obscurescifirferences': 30397, 'emory': 30398, 'brandnew': 30399, 'twotoiletrolls': 30400, 'teabags': 30401, 'sainburys': 30402, '5litre': 30403, 'antenna': 30404, 'rockspringstshirts': 30405, 'customtshirts': 30406, 'customshirts': 30407, 'ops': 30408, 'rissia': 30409, 'speculate': 30410, 'sewn': 30411, 'realitychek': 30412, 'hokum': 30413, 'peddled': 30414, 'zarqa': 30415, 'stafford': 30416, 'disburse': 30417, 'x10': 30418, 'x100': 30419, 'nathan': 30420, 'farnham': 30421, 'carepackages': 30422, 'emergencykits': 30423, 'helpingpeople': 30424, 'impactinvesting': 30425, 'rencarlton': 30426, 'whatamigoingtodow': 30427, 'burberry': 30428, 'autotrader': 30429, 'ghanaians': 30430, 'visualizing': 30431, 'darkphotography': 30432, 'dslrguru': 30433, 'photographyislife': 30434, 'lovenotlooroll': 30435, 'dairyfarmers': 30436, 'ox': 30437, '5dayisolation': 30438, 'lasvegaslockdown': 30439, 'churn': 30440, 'cium': 30441, 'tangan': 30442, 'summore': 30443, 'mnfctring': 30444, 'bodily': 30445, 'lallu': 30446, 'ecnmic': 30447, 'bina': 30448, 'jine': 30449, 'koi': 30450, 'matlab': 30451, 'rahega': 30452, 'inuvik': 30453, 'icewireless': 30454, 'inseam': 30455, 'beatles': 30456, '10years': 30457, 'molded': 30458, 'disposablefacemasks': 30459, 'fuking': 30460, 'slough': 30461, 'exploitationatitsfinest': 30462, 'sanitzfree': 30463, 'growout': 30464, 'hairoil': 30465, 'hairproblems': 30466, 'growouthairoil': 30467, 'haircare': 30468, 'haircaretips': 30469, 'naturalhairoil': 30470, 'dealoftheday': 30471, 'desylva': 30472, 'stylis': 30473, 'reused': 30474, 'athx': 30475, 'nnvc': 30476, 'codx': 30477, 'nvax': 30478, 'novn': 30479, 'nby': 30480, 'gril': 30481, 'tast': 30482, 'sxtc': 30483, 'blph': 30484, 'chainstore': 30485, 'foofighters': 30486, 'myhero': 30487, 'endorse': 30488, 'syop': 30489, 'thise': 30490, 'skimmer': 30491, 'lurk': 30492, 'sk': 30493, 'ondoor': 30494, 'dispiriting': 30495, 'bern': 30496, 'steakhouse': 30497, 'jm': 30498, 'cvnts': 30499, 'digitalads': 30500, 'digitalillustration': 30501, 'digitaldesigns': 30502, 'celheinstinodesigns': 30503, 'huang': 30504, 'equitably': 30505, 'coronago': 30506, 'lysozyme': 30507, 'chinesecommunistparty': 30508, 'psyching': 30509, 'agenda2030': 30510, 'supercomputer': 30511, 'gloving': 30512, 'lme': 30513, 'overdose': 30514, 'lockdownnigeria': 30515, 'gorey': 30516, 'madeintoronto': 30517, 'madeincanada': 30518, 'televise': 30519, 'stateattorneysgeneral': 30520, 'avacados': 30521, 'crumb': 30522, 'creedence': 30523, 'clearwater': 30524, 'coincide': 30525, 'sadtimes': 30526, 'upsettingtimes': 30527, 'helpothers': 30528, 'offerhelp': 30529, 'droppi': 30530, 'alltogether': 30531, 'pariah': 30532, 'weaning': 30533, 'goodmorningbritain': 30534, 'vermin': 30535, 'mbti': 30536, 'helena': 30537, 'safetynet': 30538, 'nieuws': 30539, 'elkbosje': 30540, 'clubquarantine': 30541, 'inte': 30542, 'reprimanded': 30543, 'frickindistant': 30544, 'succumbed': 30545, 'tacky': 30546, 'afterwork': 30547, 'keeponmoving': 30548, 'caturday': 30549, 'caturdaymorning': 30550, 'caturdaycuties': 30551, 'bnw': 30552, 'whitecat': 30553, 'whitecatsofinstagram': 30554, 'whitecatsrule': 30555, 'llabres': 30556, 'chavez': 30557, 'mckee': 30558, 'motive': 30559, 'coranovirus': 30560, 'democratshateamerica': 30561, 'wakeupamerica': 30562, 'shooter': 30563, 'despise': 30564, 'deportation': 30565, 'peoplegoing': 30566, 'emptiedin': 30567, 'repackage': 30568, 'bisaustralia': 30569, 'premature': 30570, 'missionaccomplished': 30571, 'thatgoodgood': 30572, 'badbunny': 30573, 'thingsamazonwontdeliver': 30574, 'kernel': 30575, 'pharm': 30576, 'spoofed': 30577, 'umpteenth': 30578, 'vermillion': 30579, 'fvm': 30580, 'confectionary': 30581, 'pla': 30582, 'octt': 30583, 'bicester': 30584, 'unbelievably': 30585, 'deniy': 30586, 'responsable': 30587, 'chairwoman': 30588, 'kingsbj': 30589, 'sbjunpacks': 30590, 'toulet': 30591, 'isitspringyet': 30592, 'nielsencga': 30593, 'imspoed': 30594, '45mins': 30595, 'chartoftheweek': 30596, 'customervalue': 30597, 'jb': 30598, 'carpls': 30599, 'so14': 30600, 'so15': 30601, 'so16': 30602, 'so17': 30603, 'so18': 30604, 'so19': 30605, 'interspar': 30606, 'gaugeonfoods': 30607, 'reppin': 30608, 'hustled': 30609, 'trickster': 30610, 'cna': 30611, 'lakers': 30612, 'dnt': 30613, 'disarmament': 30614, 'sworn': 30615, 'customisable': 30616, 'theviewfromeurope': 30617, '24cts': 30618, '2033620675': 30619, 'ogunrinde': 30620, 'parkinson': 30621, 'ypo': 30622, 'liang': 30623, 'meng': 30624, 'ascendent': 30625, 'flouted': 30626, 'fijitimes': 30627, 'toying': 30628, 'lookie': 30629, 'emphasized': 30630, 'cmos': 30631, 'restrictedmovementorder': 30632, 'stopairingtrumpnow': 30633, '005': 30634, 'niosh': 30635, 'scamaware': 30636, 'cussing': 30637, 'acknowledges': 30638, 'bor': 30639, 'pliz': 30640, 'cardflight': 30641, 'bluewave2020': 30642, 'penne': 30643, 'mepolitics': 30644, 'quantitatively': 30645, 'logarithmic': 30646, 'sideshow': 30647, 'gravitate': 30648, 'skipping': 30649, 'foreward': 30650, 'accts': 30651, 'idlib': 30652, 'covad19': 30653, 'craftspirits': 30654, 'whiting': 30655, 'whitingpetroleum': 30656, 'pexels': 30657, 'mortgagelender': 30658, 'animalrights': 30659, 'outsized': 30660, 'somone': 30661, 'chemistryresponds': 30662, 'njthanksyou': 30663, 'chemistrymatters': 30664, 'nha': 30665, '02890391225': 30666, 'indigo': 30667, 'rono': 30668, 'dutta': 30669, 'paycut': 30670, 'manor': 30671, '2250': 30672, 'layard': 30673, 'ilusion': 30674, 'finra': 30675, 'embassy': 30676, 'elisabetta': 30677, 'abrami': 30678, 'outgoing': 30679, 'whitmer': 30680, 'bloomfield': 30681, 'harmless': 30682, 'exploded': 30683, 'retro': 30684, 'vincenzo': 30685, 'healthandfitness': 30686, '59m': 30687, '36m': 30688, 'gobeba': 30689, 'naturaldeodorantthatworks': 30690, 'crueltyfree': 30691, 'veganbeauty': 30692, 'muntharika': 30693, 'junction': 30694, 'westseattle': 30695, 'actresponsibly': 30696, 'fathimahypermarket': 30697, 'sint': 30698, 'annaparochie': 30699, 'friesland': 30700, 'onlyfoolsandhorses': 30701, 'supoort': 30702, 'maskon': 30703, 'thegreattoiletpaperhunt': 30704, 'superspreader': 30705, 'votebluenomatterwho2020': 30706, 'retai': 30707, 'christianportermp': 30708, 'fairwork': 30709, 'jobkeeper': 30710, 'penelope': 30711, 'splendid': 30712, 'ciudadano': 30713, 'brasile': 30714, 'muestra': 30715, 'sorpresa': 30716, 'positiva': 30717, 'observar': 30718, 'medidas': 30719, 'sanitarias': 30720, 'adoptadas': 30721, 'supermercado': 30722, 'contraste': 30723, 'situaci': 30724, 'solemos': 30725, 'discriminar': 30726, 'pero': 30727, 'tenemos': 30728, 'mucho': 30729, 'aprender': 30730, 'paraguay': 30731, 'dijo': 30732, 'safespace': 30733, 'mentoring': 30734, 'shannon': 30735, 'bankrate': 30736, 'dmarts': 30737, 'naturebasket': 30738, 'fruitstalls': 30739, 'powai': 30740, 'nasik': 30741, 'vashimarket': 30742, 'vegetablevendors': 30743, 'indiadoingwell': 30744, 'oneworldunitedworld': 30745, 'usdjpy': 30746, 'gbpusd': 30747, 'usdcnh': 30748, 'unpoppable': 30749, 'meatfreemonday': 30750, 'poisonous': 30751, 'fgnews': 30752, 'ukwheat': 30753, 'mosul': 30754, 'enterances': 30755, 'mosul2020': 30756, 'hairnet': 30757, 'rioter': 30758, 'kritesh': 30759, '8097675586': 30760, 'endcoronavirustogether': 30761, 'kriteshenterprises': 30762, 'chlorinedioxide': 30763, 'chandigarh': 30764, 'rashan': 30765, 'bittertruth': 30766, 'contamos2020': 30767, 'wecount': 30768, 'bankrupting': 30769, 'affluenza': 30770, 'adnan': 30771, 'sleiman': 30772, 'industralists': 30773, 'pkr': 30774, 'pakwheels': 30775, 'chickenbreasts': 30776, 'troubleshoot': 30777, 'responsibili': 30778, 'monatary': 30779, 'pony': 30780, 'odp7': 30781, 'hahahahahaha': 30782, 'persuade': 30783, 'tpapocalypse': 30784, 'upp': 30785, '2162565118': 30786, 'fruittree': 30787, 'subscriptionbox': 30788, 'travelagency': 30789, 'delraybeachflorida': 30790, 'costarica': 30791, 'disneycruise': 30792, 'rigging': 30793, 'leveller': 30794, 'lates': 30795, 'algerian': 30796, 'n50': 30797, 'n500': 30798, 'garrett': 30799, 'callaway': 30800, 'midmo': 30801, 'introverting': 30802, 'standby': 30803, 'airasia': 30804, 'letsbesafe': 30805, 'cleanyourhandsregularly': 30806, 'maskindia': 30807, 'majeures': 30808, 'goer': 30809, 'penang': 30810, 'phase2': 30811, 'juststayathome': 30812, 'dudukrumah': 30813, 'textscore': 30814, 'companywatch': 30815, 'howmuchtoiletpaper': 30816, 'bison': 30817, 'disposablefacemask': 30818, 'leaped': 30819, '241': 30820, 'sean': 30821, 'outoftouchwithreality': 30822, 'aquavit': 30823, 'oslo': 30824, 'ndverksdestilleri': 30825, 'vm': 30826, 'botswana': 30827, 'preservative': 30828, 'bladder': 30829, 'oprah': 30830, 'releasethebuttholecut': 30831, 'berniebros': 30832, 'reddit': 30833, 'dadjokes': 30834, 'maxie': 30835, 'alphabetical': 30836, 'digitalsignage': 30837, 'bizhour': 30838, 'flock': 30839, 'ferozepur': 30840, 'implementiom': 30841, 'baidu': 30842, '100bn': 30843, 'helpingeachother': 30844, 'grief': 30845, 'kristo': 30846, 'cryowulf': 30847, 'fleecing': 30848, 'nm02': 30849, '783': 30850, 'bedridden': 30851, 'ssdi': 30852, 'beshear': 30853, 'cameron': 30854, 'kentuckian': 30855, 'mfers': 30856, 'embezzling': 30857, 'dory': 30858, 'proactively': 30859, 'solace': 30860, 'fy20': 30861, 'dhamaka': 30862, 'seatr': 30863, 'psc': 30864, 'insisting': 30865, 'erc': 30866, 'sleepwalking': 30867, 'nutella': 30868, 'cavabienaller': 30869, 'foodwales': 30870, 'y2k': 30871, 'itsrealthistime': 30872, 'falloutshelter': 30873, 'comercio': 30874, 'a1c': 30875, 'monkeybar': 30876, 'onestopshopping': 30877, 'wilton': 30878, 'tritax': 30879, 'bbox': 30880, 'fright': 30881, 'teva': 30882, 'revel': 30883, 'winstonsalem': 30884, 'kangaroo': 30885, 'chinav': 30886, 'ogden': 30887, '3075': 30888, 'airsoft': 30889, 'closin': 30890, 'fortheculture': 30891, 'airsofter': 30892, 'speedqb': 30893, 'speedsoft': 30894, 'irritating': 30895, 'searsroebuckcatalog': 30896, 'businesspeople': 30897, 'viel': 30898, 'videolinkki': 30899, 'mallinnukseen': 30900, 'tilanteesta': 30901, 'jossa': 30902, 'ihminen': 30903, 'ysk': 30904, 'isee': 30905, 'tyypillisess': 30906, 'myym': 30907, 'tilassa': 30908, 'hyllyjen': 30909, 'analysing': 30910, 'piloted': 30911, 'acquaintance': 30912, 'sthelensunited': 30913, 'therewithyou': 30914, 'gauntlet': 30915, 'thanitizer': 30916, 'ets': 30917, 'uncompetitive': 30918, 'osm': 30919, 'keepsafekeepwell': 30920, 'bravery': 30921, 'redesigning': 30922, '408': 30923, 'aircanada': 30924, 'pricego': 30925, 'mia': 30926, 'shoppercentric': 30927, 'rayner': 30928, 'eme': 30929, 'boubies': 30930, 'perezhilton': 30931, 'healthvana': 30932, 'handvana': 30933, 'hydroclean': 30934, 'swissforextrading': 30935, 'chiasson': 30936, 'handstoyourself': 30937, 'mccall': 30938, 'impct': 30939, 'civilizd': 30940, 'mjrity': 30941, 'shlvs': 30942, 'sems': 30943, 'lke': 30944, '4l': 30945, 'alliving': 30946, 'healthyhome': 30947, 'albertson': 30948, 'hinakhan': 30949, 'convened': 30950, 'kenan': 30951, 'magistrate': 30952, 'mahon': 30953, 'justinrivera': 30954, 'holla': 30955, 'eldest': 30956, 'anchor': 30957, 'nowwehavefood': 30958, 'dns': 30959, 'giveifyoucan': 30960, 'fountain': 30961, 'indulgent': 30962, 'retailinnovation': 30963, 'retailindustry': 30964, 'futureofretail': 30965, 'minh': 30966, 'phu': 30967, 'santoshhospitals': 30968, 'santoshmedicalcollege': 30969, 'ncr': 30970, 'lifeatsantosh': 30971, 'rohingya': 30972, 'variability': 30973, 'edgewater': 30974, 'aprilfools': 30975, 'beresolute': 30976, '70ml': 30977, 'chinesevirus2020': 30978, 'phillipsvision': 30979, 'goverments': 30980, 'racer': 30981, 'chucked': 30982, 'raptor': 30983, 'oiler': 30984, 'whistler': 30985, 'redvelvet': 30986, 'feminist': 30987, 'lgbta': 30988, 'vietnamleavesnoonebehind': 30989, 'ypbmf': 30990, 'ypbmfchampion': 30991, 'stayhomehealthy': 30992, 'glamorous': 30993, 'diva': 30994, 'duu': 30995, 'sportsbooks': 30996, 'nfldraftnews': 30997, 'clareb': 30998, 'capturing': 30999, 'contemporary': 31000, 'quaranturn': 31001, 'oilrig': 31002, 'oilcompanies': 31003, 'olympia': 31004, 'shied': 31005, 'dwp': 31006, 'ryu': 31007, '19with': 31008, 'spillover': 31009, 'gustin': 31010, 'bajaj': 31011, 'italiano': 31012, 'deutsch': 31013, 'lefran': 31014, 'croatian': 31015, 'varazdin': 31016, 'macau': 31017, 'westpac': 31018, '2mrw': 31019, '4b': 31020, '900m': 31021, 'austrac': 31022, 'divs': 31023, 'calcs': 31024, 'wbc': 31025, 'beautician': 31026, 'distincing': 31027, 'realization': 31028, 'buti': 31029, 'nalang': 31030, 'talaga': 31031, 'bukas': 31032, 'yun': 31033, 'ito': 31034, 'malapit': 31035, 'bahay': 31036, 'loominh': 31037, 'alwar': 31038, 'rajasthan': 31039, 'varun': 31040, 'movietwit': 31041, 'busineess': 31042, 'khamis': 31043, 'mushait': 31044, 'becase': 31045, 'indilens': 31046, 'anez': 31047, 'econimies': 31048, 'emiratis': 31049, 'considiring': 31050, 'manx': 31051, '194': 31052, 'alcohal': 31053, 'doj': 31054, 'kocakes': 31055, 'cakequeen': 31056, 'fightcorona': 31057, 'subpoena': 31058, 'sharplyy': 31059, 'wonderr': 31060, 'whyy': 31061, '828': 31062, 'suspiciously': 31063, 'immensity': 31064, 'zamaqongo': 31065, 'djsbu': 31066, 'verifiably': 31067, 'greenwashing': 31068, 'documenting': 31069, 'bebore': 31070, 'enhancer': 31071, '852': 31072, 'sentenced': 31073, 'baht': 31074, 'jade': 31075, '51st': 31076, 'kalanchoe': 31077, 'sqft': 31078, 'pandemiconomy': 31079, 'rabi': 31080, 'deficity': 31081, 'abound': 31082, 'unborn': 31083, 'begets': 31084, 'ruiru': 31085, 'runda': 31086, 'tutashindacorona': 31087, 'megastore': 31088, 'poveglia': 31089, 'mitchmcconnell': 31090, 'greasy': 31091, 'haired': 31092, 'quieter': 31093, 'tepid': 31094, 'duke': 31095, 'dsouza26': 31096, 'warzone': 31097, 'kshs': 31098, '6500': 31099, 'hostpital': 31100, 'hahahahaha': 31101, 'relay': 31102, 'toiletpaperrelay': 31103, 'medicalmarijuana': 31104, 'scrum': 31105, 'fetching': 31106, 'benifits': 31107, 'pmsir': 31108, 'sandart': 31109, 'puri': 31110, 'dillon': 31111, 'fedexground': 31112, 'lancslive': 31113, 'ambler': 31114, 'vomiting': 31115, 'ddarmers': 31116, 'whew': 31117, '81oz': 31118, 'finalised': 31119, 'brochure': 31120, 'queencreek': 31121, 'wuhanvir': 31122, '469': 31123, '544': 31124, '8316': 31125, '972': 31126, '8224': 31127, '214': 31128, '607': 31129, '8437': 31130, 'andersonsf': 31131, 'gorilla': 31132, 'delitakeout': 31133, 'affirming': 31134, 'faithfully': 31135, 'ontarioenergy': 31136, 'nbi': 31137, 'emis': 31138, 'vigour': 31139, 'preventcoronavirus': 31140, 'faraz': 31141, 'rak': 31142, 'nwt': 31143, 'whitney': 31144, 'jakob': 31145, 'toiletpeopleart': 31146, 'artistsoninstagram': 31147, 'installationart': 31148, 'horningsea': 31149, 'stank': 31150, 'raunchy': 31151, 'dutty': 31152, 'harassment': 31153, 'sheikh': 31154, 'imra': 31155, 'proliferating': 31156, 'mule': 31157, 'dearer': 31158, 'datapoint': 31159, 'nspx': 31160, 'trbo': 31161, 'decn': 31162, 'nbdr': 31163, 'underwrite': 31164, 'passuello': 31165, 'avengersassemble': 31166, 'devi': 31167, 'missedthat': 31168, 'almena': 31169, 'atvthw': 31170, 'platedemic': 31171, 'abides': 31172, 'tolerance': 31173, 'forecourt': 31174, 'stephe': 31175, 'newsradio': 31176, 'monologue': 31177, 'ausgangssperren': 31178, 'highers': 31179, 'kolata': 31180, 'icc': 31181, 'alyssa': 31182, 'defireathome': 31183, 'wahab': 31184, 'amshow': 31185, '27x': 31186, 'parisian': 31187, 'ruben': 31188, 'nazario': 31189, 'quirk': 31190, 'delf': 31191, 'omni': 31192, 'warmly': 31193, 'kryptonite': 31194, 'fillup': 31195, 'conferances': 31196, 'vox': 31197, 'heroine': 31198, 'lettercarriers': 31199, 'covit19': 31200, 'xdd': 31201, 'levelling': 31202, 'categorised': 31203, 'whaddya': 31204, 'northjersey': 31205, 'billdesk': 31206, 'paytm': 31207, 'phonepay': 31208, 'meeseva': 31209, '686': 31210, 'stranding': 31211, '40m': 31212, 'jeopardising': 31213, '120m': 31214, 'machination': 31215, 'makhura': 31216, 'beavis': 31217, 'igers': 31218, 'throughput': 31219, 'springtime': 31220, 'bbcnewsnight': 31221, 'propagation': 31222, 'nexxo': 31223, '329': 31224, 'danyel': 31225, 'surrency': 31226, 'powerhandz': 31227, 'stripe': 31228, 'raiderstrategy': 31229, 'rsecon': 31230, 'plainly': 31231, 'isolationmode': 31232, 'fmradio': 31233, 'waybackwithkmac': 31234, 'memesiveseen': 31235, 'elemental': 31236, 'fiendishly': 31237, 'resistant': 31238, 'complicate': 31239, 'hilfiker': 31240, 'fighthunger': 31241, 'panicbuyingtoiletpaper': 31242, 'dreamies': 31243, 'seder': 31244, 'cashed': 31245, 'lexingtonva': 31246, 'dismantle': 31247, 'momentary': 31248, 'rebooked': 31249, 'douchebag': 31250, 'nidhi': 31251, 'toor': 31252, 'patelshrewsbury': 31253, '2gb': 31254, '70days': 31255, 'palmsunday2020': 31256, 'cranny': 31257, 'conversion': 31258, 'duelling': 31259, 'cancelstudentdebt': 31260, 'circumventing': 31261, 'refilled': 31262, '316m': 31263, 'arounds': 31264, 'issuesofpandemic': 31265, 'iseestupidpeople': 31266, 'torn': 31267, 'isi': 31268, 'controll': 31269, 'eeriest': 31270, 'unanticipated': 31271, 'violently': 31272, 'overreact': 31273, 'trippled': 31274, 'chrisingham': 31275, 'inghamfamily': 31276, 'pervert': 31277, 'sleepover': 31278, 'cocoonmaldives': 31279, 'trumptariffs': 31280, 'predictable': 31281, 'leanintothegood': 31282, 'indiebrand': 31283, 'lpol': 31284, 'notforeverjustfornow': 31285, 'tahoe': 31286, 'dinning': 31287, '3min': 31288, 'interpreting': 31289, 'raced': 31290, 'sandiego': 31291, 'onlinedelivery': 31292, 'webster': 31293, 'gob': 31294, 'exigency': 31295, 'trapping': 31296, 'unemploymentbenefits': 31297, 'getyourmoney': 31298, 'tourhomes': 31299, 'risinggunsales': 31300, 'presently': 31301, 'hashtags': 31302, 'wecansupply': 31303, 'vikanleverera': 31304, 'svenska': 31305, 'leveranser': 31306, 'gigi': 31307, 'intubated': 31308, 'sedative': 31309, 'hitesh': 31310, 'palta': 31311, 'acronym': 31312, 'frontlinersph': 31313, 'variation': 31314, 'basiji': 31315, 'stiglich': 31316, 'canton': 31317, 'vaud': 31318, 'jena': 31319, '110k': 31320, 'thuringia': 31321, 'mandatorymasking': 31322, 'maskenpficht': 31323, 'homemademasks': 31324, 'tarek': 31325, 'aliahmad': 31326, 'ferragu': 31327, 'dickinson': 31328, 'meritasusa': 31329, 'independentlawfirms': 31330, 'subsitute': 31331, 'rifle': 31332, 'powpow': 31333, '951': 31334, 'ufcw951': 31335, 'contradictory': 31336, '2metre': 31337, 'carriage': 31338, 'eac': 31339, 'christopherwalken': 31340, 'pawquafina': 31341, 'iz': 31342, 'purrified': 31343, 'purr': 31344, 'splint': 31345, 'hooman': 31346, 'pug': 31347, 'dontbeanasshole': 31348, 'ourseniorsdeservebetter': 31349, 'betelnut': 31350, 'moresby': 31351, 'truue': 31352, 'quaratine': 31353, '174': 31354, 'delgasprices': 31355, 'naifa': 31356, 'delco': 31357, 'chk': 31358, 'jamestown': 31359, 'koolaid': 31360, 'corsair': 31361, 'comm': 31362, 'tectonic': 31363, 'vryburg': 31364, 'degradable': 31365, 'coreychen': 31366, 'coronathailand': 31367, 'michelman': 31368, 'lisce': 31369, '19italia': 31370, 'fistr': 31371, 'counterintuitively': 31372, 'afoot': 31373, 'philanthropic': 31374, '01449': 31375, '77400': 31376, 'y11s': 31377, 'y13s': 31378, 'leaver': 31379, 'prom': 31380, 'buymo': 31381, 'svcs': 31382, 'jeopardizing': 31383, 'northridge': 31384, 'tyrant': 31385, 'itsthelittlethings': 31386, 'individualistic': 31387, 'airdrop': 31388, 'nocoronavirus': 31389, 'shorting': 31390, 'weaponized': 31391, 'alluded': 31392, 'reffering': 31393, 'urbansketch': 31394, 'affectiva': 31395, '40mins': 31396, 'fairwaymarket': 31397, 'osterholm': 31398, 'cholesterol': 31399, 'hearthealth': 31400, 'phoned': 31401, 'dieforthedow': 31402, 'dying4wallstreet': 31403, 'nonsensically': 31404, 'totaljerks': 31405, 'abhimanyu': 31406, 'yas': 31407, 'lass': 31408, 'prue': 31409, 'coincidental': 31410, 'groat': 31411, 'technode': 31412, 'brigade': 31413, 'cfprobs': 31414, 'missingthings': 31415, 'nervously': 31416, 'clockwise': 31417, 'heroism': 31418, 'tutocovers': 31419, 'everyoneinthistogether': 31420, 'hauskahome': 31421, 'buyahouse': 31422, 'acceptedoffer': 31423, 'wafer': 31424, 'implores': 31425, 'bombardment': 31426, 'gateway': 31427, 'robocallers': 31428, 'nickname': 31429, 'embarked': 31430, 'terrace': 31431, 'privacylaw': 31432, 'informationgovernance': 31433, 'escarpment': 31434, 'ontariospirit': 31435, 'naturelovers': 31436, 'pharmacychecker': 31437, 'oliveoil': 31438, 'evoo': 31439, 'acietedeoliva': 31440, 'aove': 31441, 'deliverydrivers': 31442, 'socialgood': 31443, 'provincewide': 31444, 'borno': 31445, 'constricting': 31446, 'bordertown': 31447, 'pinak': 31448, 'ranjan': 31449, 'chakravarty': 31450, 'joshmchipster': 31451, 'cloutmouse': 31452, 'buster': 31453, 'teamkentucky': 31454, 'rewrite': 31455, 'buyerpersonas': 31456, 'readapt': 31457, 'grounding': 31458, 'objection': 31459, 'tireddaughter': 31460, 'hamsterkaufschlager': 31461, 'chargeback': 31462, 'rumbo': 31463, 'protejete': 31464, 'increment': 31465, 'shy': 31466, 'bestsellingauthor': 31467, 'memoir': 31468, 'wrongplacewrongtime': 31469, 'locale': 31470, 'recee': 31471, 'womenshistorymonth': 31472, 'hernandez': 31473, 'gatashe': 31474, 'cheaply': 31475, 'radiate': 31476, 'blas': 31477, 'fwyd': 31478, 'consolidated': 31479, 'pulpandpaper': 31480, 'ilr': 31481, 'icelandic': 31482, 'pooled': 31483, 'binary': 31484, 'positve': 31485, 'limeade': 31486, 'cigna': 31487, 'humana': 31488, 'insurancenews': 31489, 'pricelessaycalling': 31490, 'baka': 31491, 'nyo': 31492, 'naranasan': 31493, 'isang': 31494, 'kahig': 31495, 'tuka': 31496, 'coronahumor': 31497, 'refo': 31498, 'swabtek': 31499, 'lawenforcement': 31500, 'americaworkstogether': 31501, 'abhorent': 31502, 'somes': 31503, 'typicaltory': 31504, 'kwara': 31505, 'walloped': 31506, 'parksandrec': 31507, 'marin': 31508, 'uvlight': 31509, 'alb': 31510, 'sqm': 31511, 'nev': 31512, 'energize': 31513, 'cfc': 31514, 'idled': 31515, 'yubanet': 31516, 'ncpol': 31517, 'consisting': 31518, 'dailymail': 31519, 'panamasolidario': 31520, 'capitalistic': 31521, 'altar': 31522, 'unquenched': 31523, 'trinity': 31524, 'inhumanity': 31525, 'depravity': 31526, 'financialtimes': 31527, '400ml': 31528, 'vvhat': 31529, 'vvant': 31530, 'svvimming': 31531, 'vvell': 31532, 'westlondon': 31533, 'saltandpepper': 31534, 'bootsthechemists': 31535, 'r97': 31536, '21dayslockdownsouthafrica': 31537, 'traceable': 31538, 'broadest': 31539, 'leapfrogging': 31540, 'blockaded': 31541, 'sobras': 31542, 'juelztheking': 31543, 'muddy': 31544, 'mp3': 31545, 'wav': 31546, 'trackouts': 31547, '008': 31548, '2382': 31549, '1339': 31550, 'overstuffed': 31551, 'wrestlemania36': 31552, 'yey': 31553, 'mobilized': 31554, 'paula': 31555, 'scouser': 31556, 'tysm': 31557, 'omelet': 31558, 'zed': 31559, 'barra': 31560, 'jointly': 31561, '99k': 31562, 'nationalfragranceweek': 31563, 'scumbagcompanies': 31564, 'judson': 31565, 'kauffman': 31566, 'looby': 31567, 'wsismm': 31568, 'kalie': 31569, 'shorr': 31570, 'arcticmonkeys': 31571, 'thanksmom': 31572, 'youruaualtable': 31573, 'approvedtravel': 31574, 'thankyougrocerystoreworkers': 31575, 'turnkeyadventures': 31576, 'gohoos': 31577, 'uva': 31578, 'wahoowa': 31579, 'procted': 31580, 'fictitious': 31581, 'sars2': 31582, 'fakelimits': 31583, 'springing': 31584, 'holysaturday': 31585, 'hmcts': 31586, 'indonesian': 31587, 'archipelago': 31588, '2pts': 31589, 'indpol': 31590, 'serame': 31591, 'taukobong': 31592, 'powerbusiness': 31593, 'justnotfeesable': 31594, 'imoffshopping': 31595, 'decease': 31596, 'kohima': 31597, 'jotsoma': 31598, 'vauxhall': 31599, 'reception': 31600, 'smsf': 31601, 'goddaughter': 31602, 'woodmac': 31603, 'edgardo': 31604, 'gelsomino': 31605, 'taftan': 31606, 'sukkur': 31607, 'porch': 31608, 'fcaa': 31609, '1917': 31610, 'amazonvideo': 31611, 'stayhomeeaster': 31612, 'realoverthis': 31613, 'rad': 31614, 'molecular': 31615, 'chastising': 31616, 'organising': 31617, 'gocarona': 31618, 'duma': 31619, 'getheathy': 31620, '748': 31621, 'ukhad': 31622, 'liya': 31623, 'deke': 31624, 'pappu': 31625, '10mbd': 31626, 'patenting': 31627, 'valiquette': 31628, 'chuckled': 31629, 'marketbasket': 31630, 'religiousliberty': 31631, 'novice': 31632, 'thronging': 31633, 'discriminating': 31634, 'usemask': 31635, 'tripexperts': 31636, 'alexhospitality': 31637, 'nwanews': 31638, 'parrishable': 31639, 'reconcile': 31640, 'pasteurisation': 31641, 'bacteri': 31642, 'everyrhing': 31643, '40am': 31644, 'bossman': 31645, 'blowjob': 31646, 'igotthetolietpaperplug': 31647, 'thisislegalaid': 31648, 'scamprevention': 31649, 'trailing': 31650, 'tpocalypse': 31651, 'borrowed': 31652, 'upright': 31653, '719': 31654, '7554': 31655, 'perceive': 31656, 'babu': 31657, 'tikegi': 31658, 'brazos': 31659, 'subaru': 31660, 'woodstock': 31661, 'lakemfa': 31662, 'extraspecial': 31663, 'ooin': 31664, 'dolly': 31665, 'parton': 31666, 'whitworth': 31667, 'wethe4th': 31668, 'negligent': 31669, 'willfull': 31670, 'itsnotaboutyou': 31671, 'interceptor': 31672, 'tamiko': 31673, 'gastrointestinal': 31674, 'thankafarmer': 31675, 'randomization': 31676, 'dimas': 31677, 'envious': 31678, 'needthebasics': 31679, 'opal': 31680, 'since1832': 31681, 'bloggersrt': 31682, 'bonedrygrocerystores': 31683, 'cantfindshit': 31684, 'deathbeforebeans': 31685, 'fun2020diaries': 31686, 'bostonian': 31687, 'shockingly': 31688, 'speedup': 31689, '729': 31690, 'annabel': 31691, 'insidefgould': 31692, 'insideatkins': 31693, 'proudtobuildwhatmatters': 31694, 'lawful': 31695, 'stabilising': 31696, 'tequila925': 31697, 'divavodka': 31698, 'dalmore62': 31699, 'buckabeer': 31700, 'incidentally': 31701, 'repetition': 31702, 'addressdynamic': 31703, 'matoshree': 31704, 'thackeray': 31705, 'heiny': 31706, '989thebull': 31707, 'fitzhappens': 31708, 'supermarketqueue': 31709, 'como': 31710, 'day29': 31711, 'pepys': 31712, 'disconnection': 31713, 'optus': 31714, 'hbor': 31715, 'harborside': 31716, 'cannabisnewsdd': 31717, '3wk': 31718, 'fcked': 31719, 'thinkingaboutothers': 31720, 'eugh': 31721, 'wedge': 31722, 'comprehension': 31723, 'neverbiden': 31724, 'stooge': 31725, 'bernieforpresident': 31726, 'esteem': 31727, 'greedytarget': 31728, 'targetistargetingcoronaviruspandemic': 31729, 'hollylogan': 31730, 'hahaholly': 31731, 'hollyhittinhollywood': 31732, 'hmlthestar': 31733, 'imakepeoplelaughforfree': 31734, 'costcomeme': 31735, 'ificouldturnbacktime': 31736, 'doorbell': 31737, 'tindie': 31738, 'hollaa': 31739, 'walkout': 31740, 'egghunt2020': 31741, 'bilyonaryofeatures': 31742, 'swindon': 31743, 'cognitive': 31744, 'dissonance': 31745, 'soylentgreen': 31746, 'itspeople': 31747, 'endoftheworld': 31748, 'chic': 31749, 'corridor': 31750, 'uhmm': 31751, 'phoenixrealtor': 31752, 'realestatebroker': 31753, 'realestateinvesting': 31754, 'economyslowdown': 31755, 'economicslowdown': 31756, 'phoenixarizona': 31757, 'wickedly': 31758, 'improper': 31759, 'garnishment': 31760, 'escorted': 31761, 'fraservalley': 31762, 'roasting': 31763, 'untimely': 31764, 'defists': 31765, 'vulgories': 31766, 'prejudiced': 31767, 'sharif': 31768, 'shakira': 31769, 'locksouthafricadown': 31770, 'generationalmalpractice': 31771, 'trademarked': 31772, 'markey': 31773, 'blip': 31774, 'derelict': 31775, 'crunching': 31776, 'rebounding': 31777, 'bkk': 31778, '22mar': 31779, '12apr': 31780, 'crux': 31781, 'virusoutbreak': 31782, 'dw': 31783, 'saputo': 31784, 'anf': 31785, 'thuisisolatie': 31786, 'sanzi': 31787, 'keepdistance': 31788, 'adphc': 31789, 'nothingleft': 31790, 'uglier': 31791, 'southeastern': 31792, 'wyoming': 31793, 'roving': 31794, 'dsg9mujuhn': 31795, 'downplays': 31796, 'selkirk': 31797, 'daredevil': 31798, 'hodgens': 31799, 'archiveday': 31800, 'protesting': 31801, 'circu': 31802, 'lebanese': 31803, 'commence': 31804, 'reign': 31805, 'irrespective': 31806, 'edmotonians': 31807, 'rya': 31808, '023': 31809, '8060': 31810, '4223': 31811, 'steaming': 31812, 'chili': 31813, 'zim': 31814, '8200': 31815, '11bn': 31816, 'blubettysa': 31817, 'corporateevent': 31818, 'browardcounty': 31819, 'palmbeachcounty': 31820, 'fortlauderdalecaricatureartist': 31821, '954': 31822, '695': 31823, '6578': 31824, 'fwd': 31825, 'hockey': 31826, 'ceidy': 31827, 'jx': 31828, 'porro': 31829, 'lucked': 31830, 'inkedorganics': 31831, 'letsgetthisbread': 31832, 'yeetthiswheat': 31833, 'buttwatts': 31834, 'glutenpoweredglutes': 31835, 'wcc': 31836, 'hangingstone': 31837, 'sagd': 31838, 'undrstnd': 31839, 'tking': 31840, 'whch': 31841, 'prdcts': 31842, '1977': 31843, 'salty': 31844, 'chew': 31845, 'lockdownkenya': 31846, 'downtownkc': 31847, 'stockvisibility': 31848, 'supportingretail': 31849, 'meghan': 31850, 'salle': 31851, 'kyw': 31852, 'abramovich': 31853, 'millennium': 31854, 'poolsides': 31855, 'visualizes': 31856, 'worthit': 31857, 'ussteel': 31858, 'obscenity': 31859, 'oscar': 31860, 'fairfield': 31861, 'wearefairfield': 31862, 'godbless': 31863, 'misspelling': 31864, 'vague': 31865, 'islamic': 31866, '0540556339': 31867, 'ramnavami': 31868, 'shaheenabagh': 31869, 'carding': 31870, 'rohini': 31871, 'pitampura': 31872, 'marktuan': 31873, 'raja': 31874, 'kali': 31875, 'confounded': 31876, 'sonny': 31877, '925m': 31878, 'foy': 31879, 'navycapital': 31880, 'vccirclepremium': 31881, 'incited': 31882, 'polluted': 31883, 'kilburn': 31884, 'kom': 31885, 'meer': 31886, 'bij': 31887, 'tuning': 31888, 'dustmask': 31889, 'dutchie': 31890, 'comedysong': 31891, 'dharavi': 31892, '147': 31893, '2kg': 31894, 'breakspot': 31895, 'clothed': 31896, 'embark': 31897, 'evolved': 31898, 'letdie': 31899, 'sadday': 31900, 'nomorepeanutbutter': 31901, 'adaywithoutapeanutbutter': 31902, 'theonlythingitrulycareabout': 31903, 'asiegercares': 31904, 'asieger': 31905, 'raina': 31906, 'macintyre': 31907, 'aom': 31908, 'cannt': 31909, 'risj': 31910, 'iin': 31911, 'foodgrains': 31912, 'connectedness': 31913, 'epu': 31914, 'ssrn': 31915, 'shorona': 31916, 'zines': 31917, 'organizing': 31918, 'cra': 31919, 'crammed': 31920, 'ontariodairyboard': 31921, 'quarantineday5': 31922, 'hitchhikersguidetothegalaxy': 31923, 'thesquids': 31924, 'joeyspatafora': 31925, 'tolietpaperemergency': 31926, 'primeday2020': 31927, 'graft': 31928, 'berk': 31929, 'cretin': 31930, 'siren': 31931, 'hahahah': 31932, 'totalchaos': 31933, 'bobo': 31934, 'naive': 31935, 'landfill': 31936, 'gabon': 31937, 'pangolin': 31938, 'falter': 31939, 'ventes': 31940, 'flanchent': 31941, 'avec': 31942, 'theultimatechoice': 31943, 'redcross': 31944, 'theageofcoronavirus': 31945, 'fuckthecoronavirus': 31946, 'igettowipemyass': 31947, 'peopleoverprofits': 31948, 'pharamacy': 31949, 'goair': 31950, 'logistician': 31951, 'pang': 31952, 'nowreading': 31953, 'seneshaw': 31954, 'tamru': 31955, 'bart': 31956, 'minten': 31957, 'igc': 31958, 'haih': 31959, 'mtherfkers': 31960, 'pursuing': 31961, 'marvin': 31962, 'snowing': 31963, 'swkzwespsp': 31964, 'foregone': 31965, 'revoking': 31966, 'perscription': 31967, 'canale': 31968, 'delponti': 31969, 'sergienko': 31970, 'semiconductorsales': 31971, 'semiconductorequipment': 31972, 'analytic': 31973, 'delooroll': 31974, 'shamblesstayathome': 31975, 'packthepantries': 31976, 'syian': 31977, 'cpri': 31978, 'groveries': 31979, 'coronahassle': 31980, 'miltimore': 31981, 'flatline': 31982, 'sashaying': 31983, 'elegantly': 31984, 'scanky': 31985, 'smartkas': 31986, 'involvement': 31987, 'seeding': 31988, 'saskag': 31989, 'apas': 31990, 'urt': 31991, 'extraneous': 31992, 'nanny': 31993, 'massage': 31994, 'ensue': 31995, 'croix': 31996, 'slamming': 31997, 'restraining': 31998, 'blindly': 31999, 'natsec': 32000, 'unga': 32001, 'bae': 32002, 'prayerfully': 32003, 'penney': 32004, '5lb': 32005, 'matzah': 32006, 'ssc': 32007, 'ufm': 32008, 'hydroxychroloquine': 32009, 'n145': 32010, 'priceofoil': 32011, 'whith': 32012, 'silverlining': 32013, 'oper': 32014, 'kuehn': 32015, 'ronald': 32016, 'gorsline': 32017, 'blake': 32018, 'hurshell': 32019, 'statelaw': 32020, 'eft': 32021, 'oliver': 32022, 'alignment': 32023, 'digitalcollaboration': 32024, 'qfc': 32025, 'messager': 32026, 'ssb': 32027, 'epid': 32028, 'simulating': 32029, 'intraocular': 32030, 'wer': 32031, 'denn': 32032, 'werk': 32033, 'gestern': 32034, 'nachmittag': 32035, 'konnten': 32036, 'anwohner': 32037, 'innen': 32038, 'stadtteil': 32039, 'praunheim': 32040, 'frankfurt': 32041, 'diese': 32042, 'aktion': 32043, 'bestaunen': 32044, 'daf': 32045, 'verantwortlich': 32046, 'unklar': 32047, 'danke': 32048, 'theiss': 32049, 'zusendung': 32050, 'bild': 32051, 'mak': 32052, 'lemieux': 32053, 'econlog': 32054, 'quarantinewatchparty': 32055, 'tauranga': 32056, 'hideous': 32057, 'barriefoodbank': 32058, 'ferr': 32059, 'staysafequ': 32060, 'tpsearch': 32061, 'vermonter': 32062, 'svpol': 32063, 'cras': 32064, 'hols': 32065, 'scottcpeterson': 32066, '4hours': 32067, '1of': 32068, 'vodk': 32069, 'pew': 32070, 'susceptibility': 32071, 'gall': 32072, 'corporationssuck': 32073, 'alok': 32074, 'anthropology': 32075, 'purity': 32076, 'sneering': 32077, 'bowing': 32078, 'fbdoyzqhci': 32079, 'rememberinnovember': 32080, 'incompetentbuffoon': 32081, 'justwashyourhands': 32082, 'noi': 32083, 'paghiamo': 32084, 'carta': 32085, 'credito': 32086, 'satispay': 32087, 'molti': 32088, 'acquisti': 32089, 'desolation': 32090, 'boredinthehouse': 32091, 'mmo': 32092, 'marine': 32093, 'cftc': 32094, 'walton': 32095, 'defuniak': 32096, 'leilanijordan': 32097, 'coronachallenge': 32098, 'kaizer': 32099, 'cg': 32100, 'profitero': 32101, 'pimping': 32102, 'sarbananda': 32103, 'sonowal': 32104, 'pricerise': 32105, 'monika': 32106, 'wingate': 32107, 'oeb': 32108, 'oversees': 32109, 'elexion': 32110, 'kansan': 32111, 'essentialworkerwage': 32112, 'sofreakinhappy': 32113, '386': 32114, 'appendicitis': 32115, 'undertaker': 32116, 'tbd': 32117, 'supersavertravel': 32118, 'coronatravel': 32119, 'reccomend': 32120, 'stimulating': 32121, 'emergingmarkets': 32122, 'kildee': 32123, 'comprehending': 32124, 'empy': 32125, 'zoning': 32126, 'depiction': 32127, 'unifor': 32128, 'ubiquitous': 32129, 'patiently': 32130, 'riaz': 32131, 'quarantinecon': 32132, 'nightmarefuel': 32133, 'aviv': 32134, 'ferguson': 32135, 'quarantinestories': 32136, 'spreadreliefnotcorona': 32137, 'islam': 32138, 'mussel': 32139, 'shellfish': 32140, 'healthcarecentres': 32141, 'wearmask': 32142, 'howtocure': 32143, 'rnib': 32144, 'visually': 32145, 'islington': 32146, 'minim': 32147, 'throwbackthursday': 32148, 'stackedshelves': 32149, 'faffing': 32150, 'tysonfoods': 32151, 'kibosh': 32152, 'format': 32153, 'bewildering': 32154, 'commodaties': 32155, 'respectsupermarketstaff': 32156, 'underestimating': 32157, 'covent': 32158, 'feedinglondon': 32159, 'asfreshasitgets': 32160, 'fresdelivery': 32161, 'freshproduce': 32162, 'neutralizes': 32163, 'thicker': 32164, 'promoitems': 32165, 'chicagomade': 32166, 'fdd': 32167, 'elderlyhour': 32168, 'swanning': 32169, 'awoke': 32170, 'connects': 32171, 'centredness': 32172, 'nationalism': 32173, 'patriot': 32174, 'ayn': 32175, 'objectivism': 32176, 'galt': 32177, 'gulch': 32178, 'publi': 32179, 'ceva': 32180, 'crank': 32181, 'ieuan': 32182, 'weareone': 32183, 'hospitalstaff': 32184, 'mailcarrier': 32185, 'hotpepesoupjokes': 32186, 'hotpepesoup': 32187, 'noxworldng': 32188, 'noxworld': 32189, 'mrnox': 32190, 'soma': 32191, 'tuckercarlsontonight': 32192, 'mabs': 32193, 'dublinsouthmabs': 32194, 'moneyadvice': 32195, 'atf': 32196, '717': 32197, '3476372': 32198, 'beatingcorona': 32199, 'medicalequipement': 32200, 'redbeansandrice': 32201, 'quarantineandrelaxation': 32202, 'citygirl': 32203, 'southkitchen': 32204, 'overburdened': 32205, 'amazonfba': 32206, 'mcbroom': 32207, 'explicitly': 32208, 'toil': 32209, '9200': 32210, '2810': 32211, 'yumchina': 32212, 'servce': 32213, 'concurrence': 32214, 'gleefully': 32215, 'callin': 32216, 'tmituesday': 32217, 'sprinted': 32218, 'n5bn': 32219, 'augh': 32220, 'enforces': 32221, 'kurnool': 32222, 'quintal': 32223, 'critized': 32224, 'paralysis': 32225, 'hubei': 32226, 'crowbar': 32227, 'stayhuman': 32228, 'manlyquarantinesurvivaltips': 32229, 'seltzer': 32230, 'consortium': 32231, 'blitzspirit': 32232, 'slug': 32233, 'biso': 32234, 'zoopla': 32235, 'paralyse': 32236, 'comparatively': 32237, 'consensus': 32238, 'ampr': 32239, 'mortimer': 32240, 'callaghan': 32241, 'organizational': 32242, 'rmcoeh': 32243, 'velodomestique': 32244, 'overweegt': 32245, 'aantal': 32246, 'pakken': 32247, 'klant': 32248, 'beperken': 32249, 'descent': 32250, 'utica': 32251, 'upstate': 32252, '315': 32253, 'boreantine': 32254, 'balognavirus': 32255, 'walkingtour': 32256, 'retard': 32257, 'raping': 32258, 'probl': 32259, 'flashpoint': 32260, 'foschinigroup': 32261, 'unis': 32262, 'tupac': 32263, 'toystore': 32264, 'wereopen': 32265, 'kidstoys': 32266, 'adexchanger': 32267, 'capt': 32268, 'wei': 32269, 'newcomer': 32270, '9057325337': 32271, 'cinnamontea': 32272, 'cinnamonoil': 32273, 'conviva': 32274, 'ardmore': 32275, 'ormeau': 32276, 'moralmoney': 32277, 'evp': 32278, 'paidsocialmedia': 32279, 'serous': 32280, 'acton': 32281, 'burgled': 32282, 'plasticsnews': 32283, 'chemorbis': 32284, 'zhanfu': 32285, 'stevied': 32286, 'musicvideo': 32287, 'panera': 32288, 'nasir': 32289, 'rufai': 32290, 'poblano': 32291, '1080': 32292, 'hippy': 32293, 'blimmin': 32294, 'signalled': 32295, 'newquay': 32296, 'pasty': 32297, 'shopforessentials': 32298, 'occasionally': 32299, 'antmiddleton': 32300, 'rawlco': 32301, 'jurisdiction': 32302, 'ministery': 32303, 'bno': 32304, 'shophurstcbd': 32305, 'stayclean': 32306, 'undershoot': 32307, 'imhotep': 32308, 'gent': 32309, 'qm': 32310, 'ayesha': 32311, 'oldmargaretian': 32312, 'qmfamily': 32313, 'quitemarvellous': 32314, 'rampid': 32315, 'reed': 32316, 'monticello': 32317, 'heycoronaviruspleaseleaveus': 32318, 'crn': 32319, 'datafirst': 32320, 'flashy': 32321, 'dalandcuso': 32322, 'crytpo': 32323, 'intercession': 32324, 'stjosephprayforus': 32325, 'mouthing': 32326, 'sob': 32327, 'howdymodi': 32328, 'yogaduringlockdown': 32329, 'yogawithmodi': 32330, 'coronayoga': 32331, 'yogavideo': 32332, 'bloodyjamadi': 32333, 'whatdayisit': 32334, 'motherboard': 32335, 'freshdirect': 32336, 'animator': 32337, 'blaise': 32338, 'aladdin': 32339, 'mulan': 32340, 'mthingz': 32341, 'auditor': 32342, 'onlinecourse': 32343, 'frig': 32344, 'extrapolated': 32345, 'acm': 32346, 'kendra': 32347, 'giveback7175': 32348, 'pepper': 32349, 'touronegro': 32350, 'fujairah': 32351, 'dbn': 32352, 'psycho': 32353, 'psychobunnycomix': 32354, 'michelewitchipoo': 32355, 'witchesbrewpress': 32356, 'ebeano': 32357, 'badnickelbacksongs': 32358, 'phillip': 32359, 'wanda': 32360, 'armour': 32361, 'gazetting': 32362, 'narrating': 32363, 'priceatthepump': 32364, 'hogging': 32365, 'kitwe': 32366, 'ndola': 32367, 'hickory': 32368, 'improvised': 32369, 'wildfood': 32370, 'derail': 32371, 'enel': 32372, 'francesco': 32373, 'starace': 32374, 'brambilla': 32375, 'mandideep': 32376, 'scindiaschool': 32377, 'scindians': 32378, 'soba': 32379, 'scindiaagainstcorona': 32380, 'relatedly': 32381, 'drivethrurpg': 32382, 'miniature': 32383, 'coloringbook': 32384, 'rpg': 32385, 'ttrpg': 32386, 'emily': 32387, 'debunking': 32388, 'sherrod': 32389, 'debtcollections': 32390, 'businesslaw': 32391, 'earmarked': 32392, 'sitcom': 32393, 'nostalgia': 32394, 'kotter': 32395, 'ioannou': 32396, 'ultravioletsterilizer': 32397, 'uneccessary': 32398, 'panna': 32399, 'cotta': 32400, 'bioenergy': 32401, 'sanitisation': 32402, 'thankyouforyourservice': 32403, 'lifejackets': 32404, 'pleease': 32405, 'coveredinjesusblood': 32406, 'ffod': 32407, 'doctorate': 32408, 'incread': 32409, 'forcefully': 32410, 'milion': 32411, 'improbably': 32412, 'doordash': 32413, 'supermarketmadness': 32414, 'ayeartoremember': 32415, 'zomato': 32416, 'shaunofthedead': 32417, 'westinghouse': 32418, 'imaging': 32419, 'clambering': 32420, 'sequoia': 32421, 'useloom': 32422, 'yoyo': 32423, 'handset': 32424, 'nectoday': 32425, 'pandemy': 32426, 'coloradostrong': 32427, 'ruffle': 32428, 'tripping': 32429, 'sarcastically': 32430, 'whisky': 32431, 'martian': 32432, 'dano': 32433, 'accross': 32434, 'lgas': 32435, 'belo': 32436, 'gers': 32437, 'unworthy': 32438, '2100': 32439, 'cesarchavezday': 32440, 'ebbw': 32441, 'distinctive': 32442, 'brum': 32443, 'kling': 32444, 'beleive': 32445, 'leftfield': 32446, 'parenthood': 32447, 'parentsinlockdown': 32448, 'suffice': 32449, 'sabko': 32450, 'hina': 32451, 'isip': 32452, 'payagan': 32453, 'kayo': 32454, 'paso': 32455, 'abv': 32456, 'pepsi': 32457, 'camomile': 32458, 'echinacea': 32459, 'hdelacerda': 32460, 'buttpaper': 32461, 'jmfstudios': 32462, 'cottonelle': 32463, 'artislife': 32464, 'mentalhealthmatters': 32465, 'shoppingmalls': 32466, 'essentialshopping': 32467, 'setlimits': 32468, 'latenightthoughts': 32469, 'radish': 32470, 'gujarati': 32471, 'storytelling': 32472, '07pm': 32473, 'thurton': 32474, 'winnipeg': 32475, 'landwork': 32476, 'nestle': 32477, 'rollingstones': 32478, 'cranking': 32479, 'wildrye': 32480, '2oz': 32481, 'ste': 32482, '1e': 32483, 'bozeman': 32484, 'theresa': 32485, 'tam': 32486, 'conf': 32487, 'delicacy': 32488, 'nadia': 32489, 'rocha': 32490, 'ruta': 32491, 'paramount': 32492, 'peruvian': 32493, 'footstep': 32494, 'nodeal': 32495, 'aided': 32496, 'sycophantic': 32497, 'dumbed': 32498, 'electorate': 32499, 'poundland': 32500, 'impersonating': 32501, 'dakakeena': 32502, 'leeway': 32503, 'rubbed': 32504, 'deffeyes': 32505, '2006': 32506, 'groundwork': 32507, 'flavouring': 32508, 'kidda': 32509, 'juscome': 32510, 'worryin': 32511, 'viking': 32512, 'shortagez': 32513, 'plundered': 32514, 'healthful': 32515, 'ccfa': 32516, 'bradford': 32517, 'localheroes': 32518, 'greadybusiness': 32519, 'itsallowed': 32520, 'day11': 32521, 'lockdownespa': 32522, 'nrma': 32523, 'drip': 32524, 'shawnee': 32525, 'frederickrealestate': 32526, 'mdrealestate': 32527, 'homeforsale': 32528, 'homeownership': 32529, 'buyahome': 32530, 'implmted': 32531, 'uisce': 32532, 'beatha': 32533, 'render': 32534, 'lifehacks': 32535, 'ukretail': 32536, 'breastfeeding': 32537, 'callcenter': 32538, 'businessasusual': 32539, 'uruguay': 32540, 'butler': 32541, 'darn': 32542, 'somyszirjy': 32543, 'northkorea': 32544, 'tre45on': 32545, 'senseless': 32546, 'awakened': 32547, 'cardvalet': 32548, 'getbeyondmoney': 32549, 'riseagain': 32550, 'besafeoutthere': 32551, '35mm': 32552, 'attleboroma': 32553, 'wincanton': 32554, 'calmcovid19': 32555, 'woth': 32556, 'savethesummer': 32557, 'wiserxcard': 32558, 'prescriptiondiscountcard': 32559, 'meadow': 32560, 'justameme': 32561, 'justjokes': 32562, 'deterrent': 32563, 'slandering': 32564, 'meridian': 32565, 'kosovo': 32566, 'tmtv': 32567, 'againstcorona': 32568, 'tickled': 32569, 'stayhealthyeveryone': 32570, 'sheffieid': 32571, 'lancer': 32572, 'twill': 32573, 'coinspeaker': 32574, 'numbersas': 32575, 'franz': 32576, 'sische': 32577, 'supermarktkette': 32578, 'berweist': 32579, 'mitarbeitern': 32580, 'weil': 32581, 'trotz': 32582, 'ihre': 32583, 'pflicht': 32584, 'tun': 32585, 'regierung': 32586, 'befreit': 32587, 'zuschl': 32588, 'steuer': 32589, 'berichtet': 32590, 'schubert': 32591, '911': 32592, 'dampening': 32593, 'distri': 32594, 'tagged': 32595, 'obstruction': 32596, 'fashionnova': 32597, 'casket': 32598, 'exhibit': 32599, 'bpl': 32600, 'diycleaning': 32601, 'springcleaning': 32602, 'thn': 32603, 'comforted': 32604, 'vra': 32605, 'noshortagehere': 32606, 'getawaywithvra': 32607, 'pnw': 32608, 'cda': 32609, 'alwaysprepared': 32610, 'christoph': 32611, 'harrod': 32612, 'wwg2wga': 32613, 'whitehousepressconference': 32614, 'auspo': 32615, 'wpf': 32616, 'sheldon': 32617, 'adobeanalytics': 32618, 'krise': 32619, 'literate': 32620, 'cann': 32621, 'para': 32622, 'aque': 32623, 'buyears': 32624, 'prayforthem': 32625, 'stlcatholic': 32626, 'handsome': 32627, 'dalo': 32628, 'ncc': 32629, 'lizzy': 32630, 'ltc': 32631, 'statstory': 32632, 'tyrannosaurus': 32633, 'councilmember': 32634, 'conundrum': 32635, 'voss': 32636, 'str8': 32637, 'grubby': 32638, 'ineptness': 32639, 'grifting': 32640, 'pressers': 32641, 'commu': 32642, 'watauga': 32643, 'warmer': 32644, 'sakura': 32645, 'pharmac': 32646, 'lifeinquarantine': 32647, 'dartmouth': 32648, 'ukeleles': 32649, 'whispered': 32650, 'esposa': 32651, 'acabou': 32652, 'mascara': 32653, 'vai': 32654, 'precau': 32655, 'precaucao': 32656, 'ceu': 32657, 'agchem': 32658, 'recedes': 32659, 's3': 32660, 'azsanderson': 32661, 'barryfromwatford': 32662, 'bennyhope': 32663, 'chinwag': 32664, 'drunkshopping': 32665, 'seagull': 32666, 'gof': 32667, 'tbe': 32668, 'realuze': 32669, 'richards': 32670, 'mace': 32671, 'utwebinar': 32672, 'customerempathy': 32673, 'rhino': 32674, 'intent': 32675, 'rutgers': 32676, 'princetonu': 32677, 'tcnj': 32678, 'njit': 32679, 'thanksfordelivery': 32680, 'rutgersnewark': 32681, 'pia': 32682, 'urself': 32683, 'ingrate': 32684, 'plastered': 32685, 'infectologists': 32686, 'nwangwu': 32687, 'dailyvoice': 32688, 'ranjangogoi': 32689, 'rajyasabha': 32690, 'nbjp': 32691, 'smooking': 32692, 'tartous': 32693, '60m': 32694, 'saga': 32695, 'pid': 32696, 'rer': 32697, 'projets': 32698, 'selon': 32699, 'interval': 32700, 'salakati': 32701, 'addl': 32702, 'rani': 32703, 'sarmah': 32704, 'haggle': 32705, '392': 32706, 'grocerry': 32707, 'reoort': 32708, 'hauser': 32709, 'comprehensible': 32710, 'sandpoint': 32711, 'desktop': 32712, 'dividendstocks': 32713, 'wpg': 32714, 'halliburton': 32715, 'overvalued': 32716, 'happ': 32717, '2012': 32718, 'imold': 32719, '32isthenew22': 32720, 'homelandcu': 32721, 'batavia': 32722, 'wny': 32723, 'lest': 32724, 'img': 32725, 'displayfixtures': 32726, 'storedesign': 32727, 'retaildesign': 32728, 'bp': 32729, 'prayed': 32730, 'kylie': 32731, 'jenner': 32732, 'gracefully': 32733, 'nationalnutritionmonth': 32734, 'purityintegrativehealth': 32735, 'crust': 32736, 'doughy': 32737, 'freightforwarder': 32738, 'aircargostrong': 32739, 'mypsafortoday': 32740, 'dabble': 32741, 'mailing': 32742, 'reassert': 32743, 'farmina': 32744, 'bashing': 32745, 'thanns': 32746, 'disapproval': 32747, 'bharati': 32748, 'ak': 32749, 'babywipes': 32750, 'precondition': 32751, 'fightfoodinsecurity': 32752, 'feedingamerica': 32753, '2001': 32754, 'earle': 32755, 'hbr': 32756, 'nutri': 32757, 'marchingband': 32758, 'vacuous': 32759, 'lestwarog': 32760, 'doh': 32761, 'getwellsoon': 32762, 'inoculate': 32763, 'czar': 32764, 'biblical': 32765, 'disciple': 32766, 'brandgeek': 32767, 'paleo': 32768, 'emmie': 32769, 'towardsthesun': 32770, 'familytravelblog': 32771, 'bigusatrip': 32772, 'groundedbycovid19': 32773, 'nottravellingbecauseofcorona': 32774, 'fundraising': 32775, 'harwood': 32776, 'forwarded': 32777, 'binnie': 32778, 'wagyu': 32779, 'coronahygiene': 32780, 'nedina': 32781, 'broadens': 32782, 'crowntoyalevirus': 32783, 'mycorona': 32784, 'westridge': 32785, 'zenobia': 32786, 'shepard': 32787, 'fabs': 32788, 'primrosehill': 32789, 'supernatural': 32790, 'dimly': 32791, 'maze': 32792, 'dts': 32793, 'dw8': 32794, 'wearenotplaying': 32795, 'ff1': 32796, 'nobigoilbailout': 32797, 'futureofmobility': 32798, 'mixing': 32799, 'bailoutpeoplenotcorporations': 32800, 'biohazard': 32801, 'gwala': 32802, 'kidscare': 32803, '0ffers': 32804, 'ahps': 32805, 'mocktails': 32806, 'dived': 32807, 'norriesstories': 32808, 'xboxes': 32809, 'playstations': 32810, 'spanker': 32811, 'hershey': 32812, 'wgal': 32813, 'noidea': 32814, 'filledup': 32815, 'giddy': 32816, 'nbahalloffame': 32817, 'opener': 32818, 'sendhelpandmoney': 32819, 'sloat': 32820, 'sutton': 32821, 'tahini': 32822, 'politik': 32823, 'cmhc': 32824, '515': 32825, '9551': 32826, 'motivates': 32827, 'ukltd': 32828, 'apprehension': 32829, 'w221': 32830, 'kitsap': 32831, 'penetrated': 32832, 'weirdasspeople': 32833, 'inclination': 32834, 'peoplearestrange': 32835, 'adoptdontshop': 32836, 'boreda': 32837, '791': 32838, 'cathy': 32839, 'withstands': 32840, 'tuk': 32841, 'bingham': 32842, 'rosiemayfoundation': 32843, 'malaysiagazette': 32844, '21761': 32845, 'gou': 32846, 'specialize': 32847, 'gpclentils': 32848, 'gpcpeas': 32849, 'sanation': 32850, 'oregonproud': 32851, 'vitally': 32852, 'sani': 32853, 'mccormackmp': 32854, 'ifcci': 32855, 'enniskillen': 32856, 'pale': 32857, 'shopafternoon': 32858, 'jockstrap': 32859, 'underappreciate': 32860, 'jeep': 32861, 'rigged': 32862, 'consumable': 32863, 'verily': 32864, 'r120': 32865, 'r83': 32866, 'parting': 32867, 'majeura': 32868, 'zambian': 32869, 'sternly': 32870, 'zwd': 32871, 'misadventure': 32872, 'grata': 32873, 'craved': 32874, 'quarantini': 32875, 'ragu': 32876, 'collage': 32877, 'notability': 32878, 'schoology': 32879, 'agchatoz': 32880, '133': 32881, '157': 32882, 'zep': 32883, 'brotherhood': 32884, 'preventiontips': 32885, 'homemadesanitier': 32886, 'carifika': 32887, 'crackhead': 32888, 'drugsarebadmkay': 32889, '100cns': 32890, 'relavant': 32891, 'tweeter': 32892, 'unproportionally': 32893, 'agra': 32894, 'namaste': 32895, 'southphilly': 32896, 'tiernay': 32897, 'astro': 32898, 'amigouk': 32899, 'glee': 32900, 'nevermind': 32901, 'goodread': 32902, 'brooklynmadison': 32903, 'lalockdown': 32904, 'lockdownmemes': 32905, 'tiktokers': 32906, 'plan2020': 32907, 'eattherich': 32908, 'yorkie': 32909, 'biosecurity': 32910, 'foodservices': 32911, 'cohosted': 32912, 'parlour': 32913, 'lioh': 32914, 'module': 32915, 'lem': 32916, 'subcultured': 32917, 'brutalized': 32918, 'displeasure': 32919, 'personalspace': 32920, 'bubblesoccer': 32921, 'kuppy': 32922, 'swooped': 32923, 'gunfight': 32924, 'maruchan': 32925, 'figurative': 32926, 'embroidery': 32927, 'fuckthis': 32928, 'hangin': 32929, 'brook': 32930, 'succeeds': 32931, 'sb55': 32932, 'brexitdryrun': 32933, 'balaclava': 32934, 'santiago': 32935, 'cristobal': 32936, 'saavedra': 32937, 'bejesus': 32938, 'martinsville': 32939, 'spooking': 32940, 'stockmarkets': 32941, 'sundayreview': 32942, 'sundayintel': 32943, 'sundayreads': 32944, 'sundaymusings': 32945, 'sundaynight': 32946, 'barricade': 32947, 'okboomer': 32948, 'quarantinememes': 32949, 'huf': 32950, 'nocoronaformedagainstmeshallprosper': 32951, '103097596': 32952, 'yerwada': 32953, 'wakad': 32954, 'cylinde': 32955, 'outstripping': 32956, 'communistsliepeopledie': 32957, 'flippin': 32958, 'registrar': 32959, 'increas': 32960, 'everydollarcounts': 32961, 'killbills': 32962, 'manuf': 32963, '2be': 32964, 'nygovernor': 32965, 'bumpier': 32966, 'amg': 32967, 'tema': 32968, 'konongo': 32969, 'odumasi': 32970, 'ghananews': 32971, 'lawlessness': 32972, 'unauthorized': 32973, 'electionyear': 32974, 'northpark': 32975, 'ameri': 32976, 'rediclinic': 32977, 'foodinstitute': 32978, 'blueapron': 32979, 'mealkit': 32980, 'coronasverige': 32981, 'giveacucumberahome': 32982, 'nalanda': 32983, 'roils': 32984, 'judie': 32985, 'kuddos': 32986, '5mtrs': 32987, 'dstn': 32988, 'obsvd': 32989, 'eavh': 32990, 'wrecking': 32991, 'ecomony': 32992, 'gilet': 32993, 'jaune': 32994, 'kamaljit': 32995, 'kaur': 32996, 'onceaweek': 32997, 'runningerrands': 32998, 'sunnyday': 32999, 'warmweather': 33000, 'misstep': 33001, 'networth': 33002, 'marketcap': 33003, '165millon': 33004, 'xlf': 33005, 'alcoholicism': 33006, 'korbut': 33007, 'yoweri': 33008, 'yowerimuseveni': 33009, 'openning': 33010, 'dacing': 33011, 'resistir': 33012, 'businesslife': 33013, 'coronaspread': 33014, '48hrs': 33015, 'positivethinking': 33016, 'paragraph': 33017, 'maidstone': 33018, 'hopping': 33019, 'ps5reveal': 33020, 'playstation5': 33021, 'skintdodgers': 33022, 'crest': 33023, 'pasture': 33024, 'inexperienced': 33025, 'innitiative': 33026, 'sid': 33027, 'sidvale': 33028, 'foodbankappeal': 33029, 'progressiveenterprise': 33030, 'forgets': 33031, 'blouse': 33032, 'faltered': 33033, 'identitythiefs': 33034, 'entitlement': 33035, 'recyclable': 33036, 'onumulheres': 33037, 'mj': 33038, 'esplanadadosministerios': 33039, 'virtualgrandnational': 33040, 'itv1': 33041, 'hijacking': 33042, 'egungunbecure': 33043, 'mschf': 33044, 'antic': 33045, 'meetup': 33046, 'puredrive': 33047, 'chacunpourtous': 33048, 'silkwood': 33049, 'meryl': 33050, 'streep': 33051, 'katv7': 33052, 'robopony': 33053, 'bcwi': 33054, 'bcwine': 33055, 'lateral': 33056, 'waterless': 33057, 'fashionblogger': 33058, 'takeoffpost': 33059, 'lifestylechange': 33060, 'justincase': 33061, 'socialisolating': 33062, 'badvirusfaqs': 33063, 'worstpresidentinhistory': 33064, 'genitals': 33065, 'eternity': 33066, 'abuelos': 33067, 'okc': 33068, 'cao': 33069, 'nguyen': 33070, 'classen': 33071, '5gb': 33072, '5hours': 33073, '17mins': 33074, '45seconds': 33075, 'ableg': 33076, 'abhealth': 33077, 'banded': 33078, 'tradesagainstthevirus': 33079, 'multiplayer': 33080, 'packman': 33081, 'sadec': 33082, 'mangere': 33083, 'budgeting': 33084, 'mybigfatgreekwedding': 33085, 'everythin': 33086, 'putsomewindexonit': 33087, 'irelandvscovid': 33088, 'calcutta': 33089, 'exclaimed': 33090, 'blurting': 33091, 'safetyproducts': 33092, 'novascotia': 33093, 'hrm': 33094, 'letterbox': 33095, 'nirmalasitharaman': 33096, 'pruning': 33097, 'headcount': 33098, 'pommard': 33099, 'cane': 33100, 'madebynature': 33101, 'burgundy': 33102, 'steelmaker': 33103, 'tenaris': 33104, 'unfavorable': 33105, 'shutaustraliadown': 33106, '10mins': 33107, 'kafu': 33108, 'brekko': 33109, 'aleaprotects': 33110, 'fdi': 33111, 'fdiinindia': 33112, 'fdiindia': 33113, 'eohed': 33114, '211': 33115, 'thenoutbid': 33116, 'm2': 33117, 'bulldozed': 33118, 'scranton': 33119, 'wilkes': 33120, 'barre': 33121, 'gobankingrates': 33122, 'consumertrack': 33123, 'uklockeddown': 33124, 'sahm': 33125, 'xox': 33126, 'newsbite': 33127, 'protectyourworld': 33128, 'cyberprotect': 33129, 'nest': 33130, 'theresistance': 33131, '917': 33132, 'metairie': 33133, 'pandem': 33134, 'preoccupied': 33135, 'lgive': 33136, 'littlegiant': 33137, 'scarymask': 33138, 'indulged': 33139, 'electricvehicle': 33140, 'heightening': 33141, '263chat': 33142, 'twimbos': 33143, 'thejamesandkatahshow': 33144, 'omuntu': 33145, 'wawansi': 33146, 'lidluk': 33147, 'shamble': 33148, 'doingthedragsteroncouncilofficecarpet': 33149, 'takeadumpinasdacarpark': 33150, 'cobbler': 33151, 'civics': 33152, 'biproduct': 33153, 'notforever': 33154, 'belgiumlockdown': 33155, 'hungavirus': 33156, 'panicbuyersuk': 33157, '303k': 33158, 'carsalesman': 33159, 'protectallworkers': 33160, 'lookafter': 33161, 'fissure': 33162, 'dishrag': 33163, 'wheresdora': 33164, 'mykarenislestory': 33165, 'over70': 33166, 'selfisolat': 33167, 'rudd': 33168, 'milkpowder': 33169, 'cumming': 33170, 'tink': 33171, 'gearsoftheworld': 33172, 'conversational': 33173, 'finhealth': 33174, 'varanasi': 33175, 'notessential': 33176, 'syracuse': 33177, 'toguether': 33178, '50inch': 33179, 'suprise': 33180, '760': 33181, 'pricegouger': 33182, 'howdoyousleepatnight': 33183, 'restockers': 33184, 'imask': 33185, 'knowles': 33186, 'beawareshowyoucare': 33187, 'basyc': 33188, '6feet': 33189, 'communitylove': 33190, 'peacesign': 33191, 'kinderreminder': 33192, 'redstates': 33193, 'bluestates': 33194, 'incrementally': 33195, 'cray': 33196, 'elonmusk': 33197, 'storen': 33198, 'mailer': 33199, 'trumpmadness': 33200, 'unviable': 33201, 'lrt': 33202, 'exceptionally': 33203, '886': 33204, '011': 33205, '802': 33206, '066': 33207, 'eynon': 33208, 'nir': 33209, 'releaseing': 33210, 'busniesses': 33211, 'englishman': 33212, 'belgie': 33213, 'cher': 33214, 'leslieville': 33215, 'torontoblog': 33216, 'torontolife': 33217, 'overbearing': 33218, 'systemchange': 33219, 'sternberg': 33220, 'somaliland': 33221, 'kaahin': 33222, 'tormund': 33223, 'giantsbane': 33224, 'omo': 33225, 'limo': 33226, 'copingwithcovid': 33227, 'retailbestpractices': 33228, 'tonaton': 33229, 'gobby': 33230, 'robertjenrick': 33231, 'andrewneil': 33232, 'patrolled': 33233, 'penhill': 33234, 'marlborough': 33235, 'lamorbey': 33236, 'danson': 33237, 'suzy': 33238, 'asksuzy': 33239, 'legitimacy': 33240, 'laxman': 33241, 'klaxman': 33242, 'bfr': 33243, 'thiss': 33244, 'anaerobicdigestion': 33245, 'quantam': 33246, 'ani': 33247, 'prnewswire': 33248, 'naspers': 33249, 'nanjing': 33250, '228': 33251, 'walz': 33252, 'msme': 33253, 'stab': 33254, 'hypodermic': 33255, 'sederplate': 33256, 'jigsaw': 33257, 'clayton': 33258, 'f10': 33259, 'invoice': 33260, 'emperor': 33261, 'ahlam': 33262, 'madhoun': 33263, 'obstruct': 33264, 'fishy': 33265, 'trusttheplan': 33266, 'beckley': 33267, 'chaloo': 33268, 'ahe': 33269, 'mpp': 33270, 'kineticsquirrel': 33271, 'juss': 33272, 'sayinn': 33273, 'outofwork': 33274, 'takeabasketnotatrolley': 33275, 'provokes': 33276, 'destabilize': 33277, 'acl': 33278, 'offing': 33279, 'raked': 33280, 'parted': 33281, 'sang': 33282, 'bayarealockdown': 33283, 'fearless': 33284, 'nmgc': 33285, 'shoprespectfully': 33286, 'stoop': 33287, 'rivalry': 33288, 'screamed': 33289, 'laurent': 33290, 'lanthier': 33291, 'controller': 33292, 'dudley': 33293, 'contango': 33294, 'forwardation': 33295, 'haphazard': 33296, 'karlstefanovic': 33297, 'whim': 33298, 'aplaudoanuestrosheroes': 33299, 'usaquen': 33300, 'motiva': 33301, 'quedarse': 33302, 'bogotaencasa': 33303, 'bogotasequedaencasa': 33304, '161': 33305, 'siapai': 33306, 'disagrees': 33307, 'needtogetoutmore': 33308, 'isolationblues': 33309, 'porsche': 33310, 'panamera': 33311, 'decorated': 33312, 'porschepanamera': 33313, 'holographic': 33314, '85yr': 33315, '602': 33316, '264': 33317, '4357': 33318, 'evidently': 33319, '25million': 33320, 'hopcoms': 33321, 'mangalore': 33322, 'marnamikatte': 33323, 'comoaring': 33324, 'philosophical': 33325, 'insert': 33326, 'thelittlethings': 33327, 'virul': 33328, 'brady': 33329, 'unpayable': 33330, 'debtby': 33331, 'hudsoneven': 33332, 'cornavirusupdate': 33333, 'upturn': 33334, 'foundational': 33335, 'tambo': 33336, 'baloga': 33337, 'pfma': 33338, 'winmoreknows': 33339, 'growyourbusiness': 33340, 'hungerchallenger': 33341, 'superb': 33342, '2fi': 33343, 'quarantinechallenge': 33344, 'chung': 33345, 'cheung': 33346, 'jeane': 33347, 'perrin': 33348, 'opined': 33349, 'arty': 33350, 'oar': 33351, 'christianliving': 33352, 'fomc': 33353, 'glued': 33354, 'multipack': 33355, 'stoney': 33356, 'migrating': 33357, 'stayunitedforcorona': 33358, 'customersupport': 33359, 'ottpoli': 33360, 'nosocialdistance': 33361, 'kidsattheplayground': 33362, 'menhangingout': 33363, 'itsapartyoutthere': 33364, 'disputing': 33365, 'baron': 33366, 'fascist': 33367, 'encash': 33368, 'chugging': 33369, 'ssga': 33370, '823': 33371, 'joevs': 33372, 'cpt': 33373, 'marius': 33374, 'paun': 33375, 'cptmarkets': 33376, 'testament': 33377, 'woodwork': 33378, 'shove': 33379, 'qvm': 33380, 'staysixfeetback': 33381, 'adjuster': 33382, 'moccasin': 33383, 'gould': 33384, 'sting': 33385, 'squad20': 33386, 'kidcrafts': 33387, 'edmonds': 33388, 'awarness': 33389, 'purblic': 33390, 'jaganath': 33391, 'ancestry': 33392, '5c': 33393, 'audjpy': 33394, 'fuzzpugz': 33395, 'rapture': 33396, 'depositor': 33397, 'lirafication': 33398, '300mm': 33399, 'smallest': 33400, '118': 33401, 'prioritises': 33402, 'portability': 33403, 'dissing': 33404, 'waken': 33405, 'bacp': 33406, 'soliciting': 33407, 'suzukitamilnadu': 33408, 'suzukimotorcycle': 33409, 'smt': 33410, 'nirmala': 33411, 'sitaraman': 33412, 'seditious': 33413, 'discriminatory': 33414, 'enclosed': 33415, 'continual': 33416, 'politicising': 33417, 'imodium': 33418, 'holdingit': 33419, 'innovates': 33420, 'fiddle': 33421, 'globalwebindex': 33422, 'islandwide': 33423, 'leveragedloans': 33424, 'slaved': 33425, 'whopping': 33426, 'sas': 33427, 'shopee5878a': 33428, 'guarrantee': 33429, 'mutated': 33430, 'denim': 33431, 'thankyouthursday': 33432, 'pathmaticsexplorer': 33433, '10hr': 33434, 'wre': 33435, '212th': 33436, 'maitland': 33437, 'clay': 33438, 'bobbleheadcam': 33439, 'distinguished': 33440, 'rura': 33441, '8oz': 33442, 'awardsformillennials': 33443, 'groc': 33444, 'nung': 33445, 'nagpunta': 33446, 'mmc': 33447, 'cguro': 33448, 'maiintindihan': 33449, '20yrs': 33450, 'accustomed': 33451, 'happyeaster2020': 33452, 'weareunstoppable': 33453, 'airbnbs': 33454, 'homeaways': 33455, '725': 33456, '8869': 33457, 'northlasvegas': 33458, 'bosa': 33459, 'pranking': 33460, 'hahahaha': 33461, '793': 33462, 'couldnt': 33463, 'wherein': 33464, 'splashfm1055': 33465, 'behindtheback': 33466, 'sniping': 33467, 'lyingdown': 33468, 'glorykills': 33469, 'elroy': 33470, 'joblessness': 33471, 'bce': 33472, 'cosco': 33473, 'accordion': 33474, 'brine': 33475, 'lvr': 33476, 'stayconnectedtogether': 33477, 'kxnt': 33478, 'violent': 33479, 'sucker': 33480, 'cloromax': 33481, 'karmaisreal': 33482, 'jermyn': 33483, 'thes': 33484, 'origami': 33485, 'toiletpaperhumour': 33486, 'hampshire': 33487, 'heeding': 33488, 'gaunt': 33489, 'suzette': 33490, 'dealz': 33491, 'evidencing': 33492, 'amnesia': 33493, 'astonished': 33494, 'blatantly': 33495, 'dictating': 33496, 'jalapeno': 33497, 'inadvertent': 33498, 'fccpc': 33499, 'ndc': 33500, 'execpay': 33501, 'cannibal': 33502, 'cantkeepmyhandsofthecookiejar': 33503, 'census2020': 33504, 'deforestation': 33505, 'drawbridge': 33506, 'everydayheroes': 33507, 'healthtipoftheday': 33508, 'lowkey': 33509, 'ongc': 33510, '00cr': 33511, 'tabligijamaat': 33512, 'lockdownlessons': 33513, 'islamiccoronajehad': 33514, 'wade': 33515, '4r': 33516, '4rcommunity': 33517, 'yourworkingpartner': 33518, 'qur': 33519, 'sodastream': 33520, '60l': 33521, '30l': 33522, 'kidsactivities': 33523, 'qatarunited': 33524, 'heartlessly': 33525, 'truncation': 33526, 'oems': 33527, 'infects': 33528, 'homies': 33529, 'oregano': 33530, 'thyme': 33531, 'diyskincare': 33532, 'diyrecipes': 33533, 'aromatherapy': 33534, 'dyimasks': 33535, 'koro': 33536, 'venezueala': 33537, 'fn': 33538, 'wpa': 33539, 'comoetitive': 33540, 'eskridgelaw': 33541, '5jobs': 33542, 'buzzing': 33543, 'jubilant': 33544, 'extralarge': 33545, 'quickmaths': 33546, 'grandson': 33547, 'thiscantbelife': 33548, 'compositionbookchronicles': 33549, 'cqcomics': 33550, 'quaker': 33551, 'motherfuck': 33552, '6mo': 33553, 'lyiv': 33554, 'sanding': 33555, 'powersanding': 33556, 'fixingupthehouse': 33557, 'bestnorthamptonrealtors': 33558, 'degan': 33559, 'hygien': 33560, 'blubbery': 33561, 'globule': 33562, 'inequitable': 33563, 'panipuris': 33564, 'pav': 33565, '2099': 33566, 'weirdworld': 33567, 'cheappetrolmelbourne': 33568, 'doingmypartco': 33569, 'whiter': 33570, 'blacklivesmatter': 33571, 'weezy': 33572, 'barz': 33573, 'realshit': 33574, 'oystermen': 33575, 'tarrytown': 33576, 'amason': 33577, 'dome': 33578, 'monument': 33579, 'restauranteurs': 33580, 'covfefe19': 33581, 'o3': 33582, 'rs35': 33583, 'fenton': 33584, 'theatrical': 33585, 'retires': 33586, 'pursues': 33587, 'pjm': 33588, 'mopr': 33589, 'stavtion': 33590, 'zava': 33591, 'hemingway': 33592, 'instabeer': 33593, 'craftbeer': 33594, 'marx4congress': 33595, 'eoi': 33596, 'luckier': 33597, 'hud': 33598, 'apts': 33599, 'superglue': 33600, 'lacquer': 33601, 'bodaga': 33602, 'porportions': 33603, 'rejecting': 33604, '2349027271699': 33605, 'n5': 33606, 'n6': 33607, 'n7': 33608, 'n8': 33609, 'busting': 33610, 'playstation2': 33611, 'bludgeon': 33612, 'hitherto': 33613, 'twitterblack': 33614, 'elmo': 33615, 'faruki': 33616, 'pll': 33617, 'weareworldvision': 33618, 'wtfisthis': 33619, 'martinlewis': 33620, 'kaw': 33621, 'trumpandemic': 33622, 'trumppresser': 33623, 'nflx': 33624, 'pane': 33625, 'clamber': 33626, 'bellend': 33627, 'inventy': 33628, 'nantes': 33629, 'monoprix': 33630, 'johm': 33631, 'ealing': 33632, 'uxbridge': 33633, 'allcannedout': 33634, 'aluminumcan': 33635, 'donotforgetthecanopener': 33636, 'rea': 33637, 'smartline': 33638, 'weighted': 33639, 'gowanus': 33640, 'baruch': 33641, 'feldheim': 33642, 'yippee': 33643, 'hyping': 33644, 'dontripusoff': 33645, 'befair': 33646, 'snowmaggedon': 33647, 'worldsquare': 33648, 'coonavirusoutbreak': 33649, 'dearest': 33650, 'rican71': 33651, 'guttenberg': 33652, 'backlash': 33653, '3321b': 33654, 'thirdpartyrisk': 33655, 'supplychainattacks': 33656, 'formjacking': 33657, 'reflectiz': 33658, 'clientsidesecurity': 33659, 'appsecurity': 33660, 'supermarketsushi': 33661, 'ootd': 33662, 'darksideofthering': 33663, 'nyccoronavirus': 33664, 'stopprofiteering': 33665, 'unityinourcommunity': 33666, 'rsvp': 33667, 'interesed': 33668, 'yarn': 33669, 'britishwool': 33670, 'krisjenner': 33671, 'fondling': 33672, 'donttouch': 33673, 'csg': 33674, 'locus': 33675, 'hare': 33676, 'spreadlove': 33677, 'hydration': 33678, 'sociallistening': 33679, '14m': 33680, 'walport': 33681, 'guided': 33682, 'dollarindex': 33683, 'panicshopp': 33684, 'freshco': 33685, 'huron': 33686, 'alsofull': 33687, 'hearsay': 33688, 'mailpersons': 33689, 'norwalk': 33690, 'crchat': 33691, 'jennings': 33692, 'phy': 33693, 'defended': 33694, 'shrimadhopur': 33695, 'suranibazar': 33696, 'nil': 33697, 'pratley': 33698, 'pandemichave': 33699, 'badaun': 33700, 'okhla': 33701, 'initiating': 33702, 'exacted': 33703, 'irradadicate': 33704, 'mateo': 33705, 'apok842': 33706, 'plantain': 33707, 'coronacomedy': 33708, 'cookingwithplantains': 33709, 'tslaq': 33710, 'howtohelp': 33711, 'riskier': 33712, 'sohr': 33713, 'imadethis': 33714, 'autodistancing': 33715, 'stockmarketnews': 33716, 'davelewis': 33717, 'widened': 33718, 'goa': 33719, 'fedprimerate': 33720, 'softdata': 33721, 'economicdata': 33722, 'evacuated': 33723, 'dismissing': 33724, 'substandard': 33725, 'faceguard': 33726, 'landmark': 33727, 'showering': 33728, 'firstfightscovid': 33729, 'berkeley': 33730, 'leibniz': 33731, 'salesforce': 33732, 'stefanie': 33733, '1740': 33734, 'crossroad': 33735, 'philipp': 33736, 'kerosine': 33737, 'tallahasseerealtor': 33738, 'goodthingihaveadog': 33739, 'oreobrat': 33740, 'rancho': 33741, 'mirage': 33742, 'felde': 33743, 'capri': 33744, 'cuarentena19m': 33745, 'mw5v16htob': 33746, 'doomers': 33747, 'corrects': 33748, 'uncooked': 33749, 'skeptical': 33750, 'kitten7': 33751, 'bizconnect': 33752, 'burgess': 33753, 'ghatkopar': 33754, 'helimacroft': 33755, 'johnkilduff': 33756, '01952': 33757, '952115': 33758, 'cleaningservices': 33759, 'yourhome': 33760, 'odin': 33761, 'intercept': 33762, 'riskies': 33763, 'herwin': 33764, 'zuma': 33765, 'makassar': 33766, 'sulawesi': 33767, 'manning': 33768, 'pummeling': 33769, 'visionaid': 33770, 'dope': 33771, 'thar': 33772, 'newjob': 33773, 'pmik': 33774, 'foodiesofinstagram': 33775, 'mazarr': 33776, 'murcia': 33777, 'medco': 33778, 'goodnewsstory': 33779, 'georgetown': 33780, 'doable': 33781, 'conditioner': 33782, 'pell': 33783, 'pellawaits': 33784, 'esteban': 33785, 'publicservice': 33786, 'cameo': 33787, 'abraham': 33788, 'yonge': 33789, 'finch': 33790, 'dst': 33791, 'manufacturingnews': 33792, 'flattenthecurvewithnewphonesfromsprint': 33793, 'newhours': 33794, 'retailhours': 33795, 'shortenedhours': 33796, 'gingivitis': 33797, 'cobank': 33798, 'zation': 33799, 'borrows': 33800, 'cabrilloinn': 33801, 'whipping': 33802, 'cfp': 33803, 'syllabus': 33804, 'sittin': 33805, 'tryin': 33806, 'oximetera': 33807, 'axis': 33808, 'clivot': 33809, 'gersheim': 33810, 'parisien': 33811, 'samsclub': 33812, 'specialschool': 33813, 'fizzy': 33814, 'funneled': 33815, 'availablity': 33816, 'flammable': 33817, 'retailgazette': 33818, 'elema': 33819, 'synopsis': 33820, 'treadmill': 33821, 'neeva': 33822, 'afya': 33823, 'rekod': 33824, 'waterworks': 33825, 'bostonstrong': 33826, 'zipper': 33827, 'appintments': 33828, 'selflessness': 33829, 'danforth': 33830, '017569': 33831, 'perpetually': 33832, 'seafarer': 33833, 'onard': 33834, 'southwarwickshire': 33835, 'epipens': 33836, 'mri': 33837, 'marietta': 33838, 'cherokee': 33839, 'nagging': 33840, 'erectile': 33841, 'dysfunction': 33842, 'darkest': 33843, 'nda': 33844, 'coastalfarm': 33845, 'cfrlife': 33846, '705': 33847, '2621': 33848, 'backupdocs': 33849, 'buydocuments': 33850, 'buypassport': 33851, 'buyschooldiplomas': 33852, 'buyvaliddocuments': 33853, 'buybristispassport': 33854, 'buyfloridalicense': 33855, 'fakemoney': 33856, 'epoch': 33857, 'serv': 33858, 'formulary': 33859, 'yeay': 33860, 'housingmarke': 33861, 'laborparty': 33862, 'perseverance': 33863, 'assad': 33864, 'raab': 33865, '0345': 33866, 'us5': 33867, 'trop': 33868, 'raysup': 33869, 'progressing': 33870, 'psychopath': 33871, 'meatlover': 33872, 'foodblogger': 33873, 'freshmeat': 33874, 'thereisonlyone': 33875, 'tariqhalal': 33876, 'azz': 33877, 'apocolypse2020': 33878, 'plesse': 33879, 'hawker': 33880, 'dominoeffect': 33881, 'foil': 33882, 'givecovid19thefinger': 33883, 'abili': 33884, 'crosscontamination': 33885, 'remediate': 33886, 'availabe': 33887, 'helpmedicos': 33888, 'onemancanmakeadifference': 33889, 'wuhanflu': 33890, 'exchanged': 33891, 'cdl': 33892, 'fmcsa': 33893, '1938': 33894, 'truckdrivers': 33895, 'pandemicresponseteam': 33896, 'truckersofamerica': 33897, 'tob': 33898, 'toboffers': 33899, 'theoffersbaba': 33900, 'offeraisafreejaisa': 33901, 'affinity': 33902, 'physiologist': 33903, 'gaetano': 33904, 'ferrante': 33905, 'shortest': 33906, 'endliveexports': 33907, 'blakewearblake': 33908, 'overfishing': 33909, 'prayut': 33910, 'jakegyllenhaal': 33911, 'bubbleboy': 33912, 'projecting': 33913, 'swinford': 33914, 'childminder': 33915, '263': 33916, '585': 33917, 'jeanyuses': 33918, 'dios': 33919, 'mio': 33920, 'melaleuca': 33921, 'snagged': 33922, 'xenakis': 33923, 'loizou': 33924, 'grandview': 33925, 'communityheros': 33926, 'trading212': 33927, 'balm': 33928, 'pavillions': 33929, 'sneezeinyourarm': 33930, 'compartmentalised': 33931, 'agility': 33932, 'foodretail': 33933, 'systematic': 33934, 'sku': 33935, 'rationalisation': 33936, 'daves': 33937, 'davesbread': 33938, 'canoga': 33939, 'stayputstaysafe': 33940, 'orgasmic': 33941, 'lifechanging': 33942, 'sarcasticarepa': 33943, 'theundercoverlatino': 33944, 'bacardi': 33945, 'rum': 33946, 'cata': 33947, 'abiv': 33948, 'displaying': 33949, 'churchillian': 33950, 'disconnectedfromreality': 33951, 'theskyispink': 33952, 'surroundings': 33953, 'countervailing': 33954, '25b': 33955, '10b': 33956, 'melody': 33957, 'thornton': 33958, 'imposition': 33959, 'hav': 33960, 'wat': 33961, 'savanna': 33962, 'kno': 33963, 'revo': 33964, 'itishappening': 33965, 'stateag': 33966, 'incharge': 33967, 'doggo': 33968, 'affraid': 33969, 'yokel': 33970, 'deducted': 33971, 'commish': 33972, 'coloured': 33973, 'stockbuybacks': 33974, 'toomuchalonetime': 33975, 'enlarged': 33976, 'ruralamerica': 33977, 'eatingin': 33978, 'redshift': 33979, 'uctm': 33980, 'horrendously': 33981, 'redfin': 33982, 'kelman': 33983, 'ismp': 33984, '1b': 33985, 'byrum': 33986, 'sustainablefashion': 33987, 'commerialrealestate': 33988, 'retailrealestate': 33989, 'sevierville': 33990, 'techrepublic': 33991, 'banwarilal': 33992, 'bhardwaj': 33993, 'sown': 33994, 'agchat': 33995, 'dookie': 33996, 'magical': 33997, '6ho2yorl3v': 33998, 'budgetary': 33999, 'undead': 34000, 'epedimiologists': 34001, 'coronaculos': 34002, 'storytime': 34003, 'eventhough': 34004, 'peopleresearch': 34005, 'topramen': 34006, 'peopleresearchcoronavirus': 34007, 'whe': 34008, 'refigerator': 34009, 'careact': 34010, 'glanz': 34011, 'baelwellness': 34012, 'farmproducer': 34013, 'arline': 34014, 'ahorro': 34015, 'amounted': 34016, 'ddgs': 34017, 'widespr': 34018, 'homeworking': 34019, 'abhijit': 34020, 'torched': 34021, 'southmead': 34022, 'referendum': 34023, 'bowel': 34024, 'smartpolicy': 34025, 'iamoilandgas': 34026, 'medi': 34027, 'graffiti': 34028, 'fame': 34029, 'dontknowwhy': 34030, 'timetoshine': 34031, 'inadvance': 34032, 'kirsten': 34033, 'spokeswoman': 34034, 'derided': 34035, 'rqcomm201csuf': 34036, 'eyren': 34037, 'industrie': 34038, 'supercharger': 34039, 'aye': 34040, 'lmfaoo': 34041, '7mil': 34042, 'factoring': 34043, 'stumble': 34044, '355': 34045, 'demonetisation': 34046, 'wahsing': 34047, 'lakshman': 34048, 'rekha': 34049, 'dimout': 34050, 'skyline': 34051, 'endurance': 34052, 'grocerynews': 34053, 'odered': 34054, 'quintupled': 34055, 'booredd': 34056, 'ashleymoody': 34057, 'llcs': 34058, 'dontmakemeangry': 34059, 'youwontlikemewhenimangry': 34060, 'shehulk': 34061, 'daretoinnovate': 34062, 'futureretail': 34063, 'outform': 34064, 'pirmasens': 34065, 'kadi': 34066, 'claustrofobic': 34067, 'seizure': 34068, 'forfeit': 34069, 'qmatic': 34070, 'cfm': 34071, 'wtf2020': 34072, 'tijuana': 34073, 'enviroment': 34074, 'patreons': 34075, 'thickness': 34076, 'complementary': 34077, 'chapter13': 34078, 'cronovirus': 34079, '3rds': 34080, 'ruaka': 34081, 'wontshop': 34082, 'clearbell': 34083, 'ating': 34084, 'kababayang': 34085, 'nangangailangan': 34086, 'mukbangs': 34087, 'lana': 34088, 'whet': 34089, 'repor': 34090, 'robinhood': 34091, 'worldfightscorona': 34092, 'sedation': 34093, 'midazolam': 34094, 'propofol': 34095, 'injectable': 34096, 'emulsion': 34097, 'nursetwitter': 34098, 'foamed': 34099, 'manda': 34100, 'pinnacle': 34101, 'socialdistaning': 34102, 'lepton': 34103, '8bn': 34104, 'whatswrongwitheveryone': 34105, 'homeloans': 34106, 'quarentena': 34107, 'mukeshambani': 34108, 'shortselling': 34109, 'nolongeratravellingpa': 34110, 'timesnews': 34111, '79yo': 34112, 'bhat': 34113, 'bhateni': 34114, 'thimi': 34115, 'dashain': 34116, 'sj': 34117, 'sunset': 34118, 'danecounty': 34119, 'travelwisconsin': 34120, 'discoverwisconsin': 34121, 'bypassing': 34122, 'farm2fork': 34123, 'blurring': 34124, 'choppy': 34125, 'shabbat': 34126, 'shalom': 34127, 'zvikwereti': 34128, 'muviri': 34129, 'wese': 34130, 'hazvina': 34131, 'kumira': 34132, 'mushe': 34133, 'imiwee': 34134, 'bealert': 34135, 'petromaxevents': 34136, 'indy': 34137, 'sh15': 34138, 'tds': 34139, 'beast786': 34140, 'vadoliya': 34141, '08081': 34142, '64600': 34143, 'glaswegian': 34144, 'spout': 34145, 'atheistic': 34146, 'cvd1': 34147, 'surfeit': 34148, 'debone': 34149, 'strng': 34150, 'bck': 34151, 'quickl': 34152, 'caplan': 34153, 'mentalwellbeing': 34154, 'fortuitously': 34155, 'seneca': 34156, 'bimco': 34157, 'ingest': 34158, 'nyconstruction': 34159, 'prevailingwage': 34160, 'nyassembly': 34161, 'nysenate': 34162, 'monterey': 34163, 'peninsula': 34164, 'amazondeals': 34165, 'helensdeals': 34166, 'petroldieselprice': 34167, 'believable': 34168, 'springfield': 34169, 'warna': 34170, 'thedividebetweenrichandpoor': 34171, 'taber': 34172, 'masquerade': 34173, 'tower115': 34174, 'gearupatgearup': 34175, 'titusville': 34176, 'mims': 34177, 'rockledge': 34178, 'cocoabeach': 34179, 'merrittisland': 34180, 'palmbay': 34181, 'brevardcounty': 34182, 'uniformly': 34183, '1943': 34184, 'diverted': 34185, 'fakejournalismofmedia': 34186, 'myhandscleantho': 34187, 'eatorbeeaten': 34188, 'sexiest': 34189, 'gorsky': 34190, 'lob': 34191, 'kickups': 34192, 'lockdwn': 34193, 'lagoslockdown': 34194, 'vanguardnews': 34195, 'bromley': 34196, 'terrio': 34197, 'hoyes': 34198, 'michalos': 34199, 'universalbasicincome': 34200, 'afry': 34201, 'ruinous': 34202, 'cooleyproductwise': 34203, 'sanatizers': 34204, 'hydrocarbon': 34205, 'traderjoe': 34206, 'sympathy': 34207, 'deception': 34208, '100freegift': 34209, 'ginseng': 34210, '9x': 34211, '8g': 34212, 'insanhealing': 34213, 'unkind': 34214, 'judgy': 34215, 'sadistic': 34216, 'supercilious': 34217, 'ffsbekind': 34218, 'recalibrate': 34219, 'hanta': 34220, 'extorted': 34221, 'vcat': 34222, 'sagicorbank': 34223, 'inyourcorner': 34224, 'dox': 34225, 'myteam': 34226, 'freshii': 34227, 'lockdow': 34228, 'benicetous': 34229, 'wearestillworking': 34230, 'retailtherapy': 34231, 'hrly': 34232, 'kudlow': 34233, 'snort': 34234, 'istan': 34235, 'bananarepublic': 34236, 'hedgefund': 34237, 'mutualfunds': 34238, 'itching': 34239, 'corringham': 34240, 'peopleareidiots': 34241, 'beerruntoo': 34242, 'plainclothingstore': 34243, 'brumbabybank': 34244, 'opheusden': 34245, 'gj': 34246, 'hundal': 34247, 'pharmacology': 34248, 'magalogues': 34249, 'promos': 34250, 'goibibo': 34251, 'equitymarkets': 34252, 'merkels': 34253, 'stabilizing': 34254, 'societymarylandcoronavirusfeelgood': 34255, 'tet': 34256, 'markson': 34257, 'missionimpossible': 34258, 'amazonsellers': 34259, 'masksfordocs': 34260, 'masksformedics': 34261, 'doctoral': 34262, 'grubbing': 34263, 'profitmaking': 34264, 'satanic': 34265, 'chafe': 34266, 'troupe': 34267, 'thrashed': 34268, 'selfishmorons': 34269, 'openhouses': 34270, 'ibuyers': 34271, 'lorch': 34272, 'moroninchief': 34273, 'racistinchief': 34274, 'trashman': 34275, 'riverina': 34276, 'unfortuna': 34277, 'local5': 34278, 'incr': 34279, 'timeoff': 34280, 's1': 34281, 'foryou': 34282, 'foryoupage': 34283, 'gameofthrones': 34284, 'masksnow': 34285, 'foodmanufacture': 34286, 'ultabeauty': 34287, 'eejits': 34288, 'cdns': 34289, 'carlaw': 34290, 'imsohappy': 34291, 'theoretical': 34292, 'arkansas': 34293, 'ico': 34294, 'discharge': 34295, 'accumulated': 34296, 'unfunded': 34297, 'asse': 34298, 'homecommerce': 34299, 'lyondellbasell': 34300, 'fawning': 34301, 'itspending': 34302, 'techindustry': 34303, 'predicament': 34304, 'isour': 34305, 'ukschoolclosures': 34306, 'appleinsider': 34307, 'adjourns': 34308, 'telanganastateconsumer': 34309, 'khairthabad': 34310, 'volodymyr': 34311, 'restructure': 34312, 'cuna': 34313, 'hysteriavirus': 34314, 'psms': 34315, 'pacita': 34316, 'patroller': 34317, 'brgy': 34318, 'canyoupopoutandpickupafe': 34319, 'margarita': 34320, 'prerequisite': 34321, 'soften': 34322, 'silky': 34323, '151': 34324, 'nashp': 34325, 'judgmental': 34326, 'prefect': 34327, 'earwigscience': 34328, 'bane': 34329, 'quarantineproblems': 34330, 'jerkmerch': 34331, 'thegospelofschultz': 34332, 'tapping': 34333, 'dyson': 34334, 'retailcannabis': 34335, 'fraggang': 34336, 'repository': 34337, 'sanusi': 34338, '2348098043712': 34339, 'teary': 34340, 'clothier': 34341, 'huntvalley': 34342, 'fails2understand': 34343, 'vagary': 34344, 'fuckitall': 34345, 'imdone': 34346, 'vil': 34347, 'captive': 34348, 'rumble': 34349, 'avonlady': 34350, 'avonrep': 34351, 'nextgenavon': 34352, 'skinsosoft': 34353, 'iphones': 34354, 'ver2': 34355, 'asbestos': 34356, 'trivialising': 34357, 'grassley': 34358, 'kissel': 34359, 'climbing': 34360, 'interestrates': 34361, 'fertile': 34362, 'mnc': 34363, 'cling': 34364, 'connolly': 34365, 'perfected': 34366, 'mealtrak': 34367, 'foodtogotrends': 34368, 'disneyland': 34369, 'reopens': 34370, 'attraction': 34371, 'disneyworld': 34372, 'nextdoor': 34373, 'submerged': 34374, 'vibhishans': 34375, 'befriend': 34376, 'jorge': 34377, 'hovering': 34378, 'lotlinx': 34379, 'oem': 34380, 'chewy': 34381, 'whereyoureatthecheckoutandyouhearthebeep': 34382, 'dalewinton': 34383, 'fijisports': 34384, 'fbcsports': 34385, 'stasiek': 34386, 'czaplicki': 34387, 'cabezas': 34388, 'fakepresident': 34389, 'latinosfortrump': 34390, 'carmen': 34391, 'aldecoa': 34392, 'crisedupapiertoilette': 34393, 'mich': 34394, 'authentically': 34395, 'gasp': 34396, 'coloradoshutdown': 34397, 'financialmanagement': 34398, 'personalfinances': 34399, 'moneymanagement': 34400, 'impactful': 34401, 'ukemplaw': 34402, 'techlaw': 34403, 'raccon': 34404, 'residentevil3demo': 34405, 'proposition': 34406, 'intranet': 34407, 'flue': 34408, 'ndgs': 34409, 'greatamericantakeout': 34410, 'vloggers': 34411, 'locksley': 34412, 'accrues': 34413, '1person1trolley': 34414, 'conjecture': 34415, 'barbing': 34416, 'vaginawarriorcreations': 34417, 'somethingbeautifuleveryday': 34418, '6feetapart': 34419, 'pickuplines': 34420, 'badboys': 34421, 'suave': 34422, 'kameel': 34423, 'pancham': 34424, 'seacroft': 34425, 'broadcastmedia': 34426, 'mediaagency': 34427, 'mediaplanning': 34428, 'mediastrategy': 34429, 'digitaladvertising': 34430, 'rupert': 34431, 'diatancing': 34432, 'isa': 34433, 'bula': 34434, 'kerekere': 34435, 'kere': 34436, 'bou': 34437, 'magaijine': 34438, 'saraga': 34439, 'vinaka': 34440, '2504': 34441, '7507': 34442, '1618': 34443, 'zweli': 34444, 'mkhize': 34445, 'r1400': 34446, 'flavortown': 34447, 'violator': 34448, '0828628237': 34449, '19sa': 34450, 'flirtv': 34451, 'odka': 34452, 'sumedh': 34453, 'bivas': 34454, 'prego': 34455, 'counterintuitive': 34456, 'stater': 34457, 'bruhh': 34458, 'rhp': 34459, 'commemorative': 34460, 'saskatoon': 34461, 'dungeon': 34462, 'desinfect': 34463, 'lifematters': 34464, '688': 34465, 'bergen': 34466, 'tedesco': 34467, '336': 34468, '6400': 34469, 'ajittyagi': 34470, 'bajao': 34471, 'indo': 34472, 'aga': 34473, 'devouring': 34474, 'zumwalt': 34475, 'whataboutery': 34476, 'thumping': 34477, 'olymel': 34478, '720': 34479, '5721': 34480, 'stayhomestaystrong': 34481, 'excelled': 34482, 'immovingprovider': 34483, 'nex': 34484, 'headquartered': 34485, 'proportionally': 34486, 'lou': 34487, 'dobbs': 34488, 'bewarned': 34489, 'dwbl': 34490, 'helpingyou': 34491, 'storming': 34492, 'lifewithocd': 34493, 'anyportinastorm': 34494, 'frankenstein': 34495, 'tossing': 34496, 'supporthealthcareworkers': 34497, 'ourstreets': 34498, 'allinittogether': 34499, 'bussinesses': 34500, 'animated': 34501, 'lyric': 34502, 'xxlfreshman2020': 34503, 'hiphopmusic': 34504, 'forthelow': 34505, '2035': 34506, 'rightmove': 34507, 'crappie': 34508, 'crappiefishing': 34509, 'springdale': 34510, 'panhandler': 34511, 'grouped': 34512, 'adli': 34513, 'mrps': 34514, 'angola': 34515, 'snuffed': 34516, 'lipbalm': 34517, 'biter': 34518, 'whirlwind': 34519, 'currentstatus': 34520, 'fayz': 34521, 'houmous': 34522, 'guacamole': 34523, 'gamechanger': 34524, 'iit': 34525, 'telecommuters': 34526, 'propertyinvestment': 34527, 'mortgagebroker': 34528, 'fristhomebuyer': 34529, 'motorway': 34530, 'degraded': 34531, 'biota': 34532, '600k': 34533, '955': 34534, '0764': 34535, 'shutdownsouthafrica': 34536, 'realtalc': 34537, 'givemestrength': 34538, 'heroically': 34539, 'camo': 34540, 'lund': 34541, 'sculpture': 34542, 'strasbourg': 34543, 'savagery': 34544, 'stalking': 34545, 'totalitarian': 34546, 'barbarism': 34547, 'coronaheroes': 34548, '3mmi': 34549, 'yyz': 34550, 'zabelindimitri': 34551, 'ahy': 34552, 'helplines': 34553, 'swimwear': 34554, 'barbecue': 34555, 'rib': 34556, 'wetones': 34557, 'diyhazmat': 34558, 'celiacs': 34559, 'monmouth': 34560, 'pcmrfixesit': 34561, 'epsilon': 34562, 'conversant': 34563, 'cj': 34564, 'plante': 34565, 'onlineselling': 34566, 'semanasanta2020': 34567, 'ayers': 34568, 'tweethearts': 34569, 'mobbed': 34570, 'shuttheschoolsnow': 34571, 'andersondylan': 34572, 'kmt': 34573, 'butternut': 34574, 'squash': 34575, 'lara': 34576, 'woolfson': 34577, 'enabler': 34578, 'stks': 34579, 'tgonu': 34580, 'custome': 34581, '76yo': 34582, '12wk': 34583, '3weeks': 34584, 'warroompandemic': 34585, 'cleanshelf': 34586, '960': 34587, 'weirdtimes': 34588, 'flared': 34589, 'nhpr': 34590, 'grosserie': 34591, '5080': 34592, 'shpk': 34593, 'starvingtime': 34594, 'nojob': 34595, 'ingodwetrust': 34596, 'packnsave': 34597, 'susanne': 34598, 'refurbishing': 34599, 'boohoo': 34600, 'usher': 34601, 'katt81': 34602, 'allaz': 34603, 'aztogether': 34604, 'wefeedaz': 34605, 'revelop': 34606, 'newton': 34607, 'retailproperty': 34608, 'anchored': 34609, 'commercialproperty': 34610, 'sensationalise': 34611, 'backgroun': 34612, 'uxs': 34613, 'interface': 34614, 'hmi': 34615, 'bastamron': 34616, 'argusemissions': 34617, 'transpacific': 34618, 'ocean': 34619, 'sailing': 34620, 'feasable': 34621, 'alzheimers': 34622, 'recreates': 34623, 'nowthis': 34624, 'shophampton': 34625, 'kitchenappliances': 34626, 'gardencity': 34627, 'homegoods': 34628, 'homedesign': 34629, 'loggd': 34630, 'tryd': 34631, 'amritsari': 34632, 'cholle': 34633, 'howevr': 34634, 'crossd': 34635, '762': 34636, 'understnd': 34637, 'lyk': 34638, 'yaer': 34639, 'bandula': 34640, 'gunawardana': 34641, 'genelecsl': 34642, 'lbutchers': 34643, 'conveyan': 34644, 'conveyancing': 34645, 'movinghouse': 34646, 'wassup': 34647, 'staysave': 34648, 'vindicated': 34649, 'coban': 34650, 'burma': 34651, 'expeditious': 34652, 'chinaliespeopledie': 34653, 'unstoppable': 34654, 'fielded': 34655, 'coughingchallenge': 34656, 'grocerystorechallenge': 34657, 'nude': 34658, 'inquires': 34659, 'mnuchinmoney': 34660, 'meitzner': 34661, 'sedgwick': 34662, 'pblc': 34663, 'trnsprt': 34664, 'proritise': 34665, 'yellowvest': 34666, 'gelbenwesten': 34667, 'yellowvestsuk': 34668, 'giletsjaunes': 34669, 'chalecosamarillos': 34670, 'giletjaune': 34671, 'yellowvests': 34672, 'gervais': 34673, 'orpol': 34674, 'orleg': 34675, 'completing': 34676, 'saugus': 34677, 'nipping': 34678, 'dehydrating': 34679, 'petrifying': 34680, 'greattpdepression': 34681, 'meyers': 34682, 'althoug': 34683, 'wcpapier': 34684, 'savetheworld': 34685, 'decontaminate': 34686, 'arezki': 34687, 'dryersheets': 34688, 'wrinkle': 34689, 'dyi': 34690, 'notpnoworries': 34691, 'viruschines': 34692, 'ther': 34693, 'wn': 34694, 'rejigs': 34695, 'aligned': 34696, 'downstairs': 34697, 'spitfire': 34698, 'fusion': 34699, 'thacker': 34700, 'stacia': 34701, 'entertaining': 34702, 'corporateresponsibility': 34703, 'proudtobeakeyworker': 34704, 'nothuman': 34705, 'saulius': 34706, 'skvernelis': 34707, 'envisaged': 34708, 'whey': 34709, 'lky7': 34710, 'lky7sports': 34711, 'appliednutrition': 34712, 'wheyprotein': 34713, 'ashford': 34714, 'niagra': 34715, 'leased': 34716, '115k': 34717, 'jupiter': 34718, 'fla': 34719, 'essentia': 34720, 'supremesacrificeday': 34721, 'uvc': 34722, 'lamp': 34723, 'qualification': 34724, 'trumppandemia': 34725, 'cheffed': 34726, 'abolish': 34727, 'profitsoverpeople': 34728, '360wisemedia': 34729, 'cosumerbehaviour': 34730, 'aura': 34731, 'crystallize': 34732, '20am': 34733, 'sniffling': 34734, 'pnpgooddeed': 34735, 'pinerolo': 34736, 'mercato': 34737, 'rowling': 34738, 'blighted': 34739, 'tusupplychain': 34740, 'privatisation': 34741, 'alphabites': 34742, 'businessbecause': 34743, 'advertisin': 34744, 'persia': 34745, 'downed': 34746, 'flight752': 34747, 'babyformula': 34748, 'ridiculouslyinflated': 34749, 'whining': 34750, 'stayathomerule': 34751, 'correctional': 34752, 'shutdownsa': 34753, 'cyrilramaphosa': 34754, 'gravitas': 34755, 'wither': 34756, 'consumerdevices': 34757, 'osu': 34758, 'marrison': 34759, 'rospotrebnadsor': 34760, 'nationality': 34761, 'looter': 34762, 'atrocious': 34763, 'aalto': 34764, 'rsas': 34765, 'oodee': 34766, 'selondon': 34767, 'foodwasted': 34768, 'ginny': 34769, 'everythings': 34770, 'healtheworld2020': 34771, 'delibrately': 34772, 'borsers': 34773, 'afton': 34774, 'planing': 34775, 'museumcollections': 34776, 'unstaged': 34777, 'datcp': 34778, 'statute': 34779, 'datcphotline': 34780, '422': 34781, '7128': 34782, 'ripening': 34783, 'harvested': 34784, 'mandis': 34785, 'apartment415': 34786, 'decoration': 34787, 'cornoanvirus': 34788, 'borememore': 34789, 'standardize': 34790, 'anchorage': 34791, 'tpaas': 34792, 'remodeling': 34793, 'remodel': 34794, 'eva': 34795, 'lookit': 34796, 'weighty': 34797, 'militarylendingact': 34798, 'alcogel': 34799, 'blackrock': 34800, 'bluddy': 34801, 'corvid': 34802, 'pascha': 34803, 'pasoverdinner': 34804, 'lessening': 34805, 'sylhet': 34806, 'resultant': 34807, 'neuropathy': 34808, 'motioning': 34809, 'screenshots': 34810, 'myautosparkle': 34811, 'unremitting': 34812, 'enablement': 34813, 'ashame': 34814, 'blane': 34815, 'tedx': 34816, 'tedxuamonticello': 34817, 'disassociation': 34818, 'badactors': 34819, 'indomie': 34820, 'hypo': 34821, 'hypogowipeo': 34822, 'jamb': 34823, 'yansh': 34824, 'homecomingrewatch': 34825, 'talentcroft': 34826, 'vaxxers': 34827, 'subway': 34828, 'specializes': 34829, 'coreresearch': 34830, 'provding': 34831, 'bylaw': 34832, 'a19': 34833, 'sunderland': 34834, 'escort': 34835, 'gettingresults': 34836, 'quiche': 34837, 'quarantinekitchen': 34838, 'romaine': 34839, 'lettucerejoice': 34840, 'ezekiel': 34841, 'magog': 34842, 'gog': 34843, 'holyspirit': 34844, 'shareasquare': 34845, '12mb': 34846, 'thewisebulls': 34847, 'degloabalized': 34848, 'travolta': 34849, 'cnc': 34850, 'routing': 34851, 'tooling': 34852, 'stagnated': 34853, 'microsite': 34854, 'netbase': 34855, 'trendanalysis': 34856, 'inficted': 34857, 'guilde': 34858, 'safty': 34859, 'irosponcible': 34860, 'merge': 34861, 'diminish': 34862, 'kira': 34863, 'radinsky': 34864, 'keepcalmandreadon': 34865, 'moronbrothersky': 34866, 'shamelessly': 34867, 'sanfancisco': 34868, 'goan': 34869, 'ageing': 34870, 'lda': 34871, 'marla': 34872, 'kanal': 34873, 'waqas': 34874, '9233417716': 34875, 'cpsc': 34876, 'restocks': 34877, 'petaling': 34878, 'syaiful': 34879, 'redzuan': 34880, 'zuniga': 34881, 'stockupontoiletpaper': 34882, 'loadup': 34883, 'readyaimfire': 34884, 'hb': 34885, '596': 34886, 'beerhalls': 34887, 'thesamplelandscape': 34888, 'rangpuri': 34889, 'mahipalpur': 34890, '7006787781': 34891, 'lynkem': 34892, 'doxoinsights': 34893, 'eabl': 34894, 'performer': 34895, 'kes': 34896, 'sibresearch': 34897, 'crips': 34898, 'xom': 34899, 'ballet': 34900, 'nutcracker': 34901, 'scratchy': 34902, 'mutation': 34903, 'maryse': 34904, 'zeidler': 34905, 'biometrics': 34906, 'assert': 34907, 'lawenforcementtech': 34908, 'corker': 34909, 'lidls': 34910, 'reseller': 34911, 'coveryourcough': 34912, 'foodinstitutefocus': 34913, 'terminating': 34914, 'apeshit': 34915, 'doyourpartco': 34916, 'oigetit': 34917, 'cps': 34918, 'stubbscleaningservices': 34919, '375': 34920, '0274': 34921, 'authorizes': 34922, 'contractual': 34923, 'creativeindustries': 34924, 'grocerymarketplace': 34925, 'clusterfuck': 34926, 'mealdelivery': 34927, 'popupstores': 34928, 'thoroughfare': 34929, 'sabah': 34930, 'gasolineprice': 34931, 'pergallon': 34932, 'workingremotely': 34933, 'technologytuesday': 34934, 'financialmarket': 34935, 'getajob': 34936, 'livemorewitholx': 34937, 'stave': 34938, 'taftaan': 34939, 'flan': 34940, 'unheralded': 34941, 'spreadcalmnotpanic': 34942, 'flexipay': 34943, 'endlesspossibilities': 34944, 'willis': 34945, 'thomson': 34946, 'speculative': 34947, 'wuhanhealthorganisation': 34948, 'stayhired': 34949, 'interrupter': 34950, 'kavango': 34951, 'ecommercestore': 34952, 'ecommercetrends': 34953, 'businesstips': 34954, 'skypapers': 34955, 'bs6': 34956, 'thegomechanicblog': 34957, 'bharatstage6': 34958, 'glaa': 34959, 'recruiter': 34960, 'wkers': 34961, 'simonblack': 34962, 'michaelson': 34963, 'stophoardin': 34964, 'retailweek': 34965, 'mands': 34966, 'interesing': 34967, 'inefficent': 34968, 'nestl': 34969, 'simplified': 34970, 'grocerystorehero': 34971, 'paracetamols': 34972, 'food4less': 34973, 'hourding': 34974, 'bedding': 34975, 'eid': 34976, 'fiasco': 34977, 'rile': 34978, 'willenhall': 34979, 'trustworthy': 34980, 'mpklib': 34981, 'whel': 34982, 'europ': 34983, 'eadible': 34984, 'lpd': 34985, 'kri': 34986, 'semarang': 34987, 'changi': 34988, 'naval': 34989, 'batam': 34990, 'riau': 34991, 'lcs': 34992, 'uren': 34993, 'conglomerate': 34994, 'deglobalizing': 34995, 'medibank': 34996, 'delish': 34997, 'targetnews': 34998, 'simcoe': 34999, 'reinon': 35000, 'artificialintelligence': 35001, 'deborahbirx': 35002, 'blathered': 35003, 'morecombe': 35004, 'quidco': 35005, 'crohn': 35006, 'skybroadband': 35007, 'flightradar24': 35008, 'dixieprole': 35009, 'strangeness': 35010, 'creepier': 35011, 'isreal': 35012, 'unapproved': 35013, 'misbranded': 35014, 'albertan': 35015, 'ifmk': 35016, 'wtrh': 35017, 'digitaldollar': 35018, 'alight': 35019, 'fryer': 35020, 'coyote': 35021, 'ensued': 35022, 'bayareacoronavirus': 35023, 'saf': 35024, 'extravagantly': 35025, 'swt': 35026, 'bucs': 35027, 'qb': 35028, 'iheartconcertonfox': 35029, 'poole': 35030, 'advant': 35031, 'reneweconomy': 35032, 'amoral': 35033, 'afsc': 35034, 'geodata': 35035, 'trumpmustwatch': 35036, 'cuckold': 35037, 'jewlsmulan': 35038, 'findomme': 35039, 'whiteslave': 35040, 'savemore': 35041, 'hinted': 35042, 'financebrokerage': 35043, 'bondyields': 35044, '34s': 35045, 'shelving': 35046, 'damnidiots': 35047, 'jyot': 35048, 'mallofuaq': 35049, 'aroha': 35050, 'stigmatise': 35051, 'kegged': 35052, 'thereafter': 35053, 'givin': 35054, '636': 35055, 'xfinity': 35056, 'typography': 35057, 'sawant': 35058, 'cybernews': 35059, 'cyberawareness': 35060, 'masterchief': 35061, 'logile': 35062, 'xam': 35063, 'oku': 35064, 'arv': 35065, 'whoworeitbetter': 35066, 'coronafashion': 35067, 'blessedbethefruit': 35068, 'washthatfruit': 35069, 'knox': 35070, 'collates': 35071, 'energycontract': 35072, 'jewelosco': 35073, 'jewel': 35074, 'illinoiscoronavirus': 35075, 'pumpt': 35076, 'adv': 35077, 'nstlifestyle': 35078, 'cyberinsurance': 35079, 'enveloped': 35080, 'propped': 35081, 'mudrock': 35082, '2027': 35083, 'omar': 35084, 'inspires': 35085, '92008150': 35086, 'alsafrrat': 35087, 'vision2030': 35088, 'argenio': 35089, 'antao': 35090, 'fuk': 35091, 'misusing': 35092, 'gottafindtoiletpaper': 35093, 'gottafindflour': 35094, 'buywhatyouneed': 35095, 'salivating': 35096, 'howling': 35097, 'safoodbank': 35098, 'littlewins': 35099, 'leasepricesfall': 35100, 'automotiveleasing': 35101, 'ecowrap': 35102, 'analysed': 35103, 'inoperability': 35104, 'gove': 35105, 'turkana': 35106, 'ngamia': 35107, 'kitty': 35108, 'operatingmasks': 35109, 'outb': 35110, 'evokes': 35111, 'brexiters': 35112, 'yorker': 35113, 'nypause': 35114, 'itsnotnormal': 35115, 'tommorow': 35116, 'grouos': 35117, 'dallor': 35118, 'rockmans': 35119, 'crematory': 35120, 'eroded': 35121, 'absynth': 35122, 'idealworld': 35123, 'virusprotection': 35124, 'pricesfall': 35125, 'britian': 35126, 'packagethieves': 35127, 'porchpirates': 35128, 'thankyouworkers': 35129, 'hena': 35130, 'perla': 35131, 'jitin': 35132, 'chi': 35133, 'strategize': 35134, 'seldom': 35135, 'lambis': 35136, 'lambinsurance': 35137, 'chuckling': 35138, 'whenyouknowyouknow': 35139, 'prudence': 35140, 'northamptonshire': 35141, 'northants': 35142, 'pricehiking': 35143, 'breakingthelaw': 35144, 'cei': 35145, 'chao': 35146, 'boycottchineseproducts': 35147, 'fnb': 35148, 'instalment': 35149, 'preferential': 35150, 'mascot': 35151, 'haneda': 35152, 'cpap': 35153, 'outbrske': 35154, 'pushingtargets': 35155, 'mahfworks': 35156, 'coronafever': 35157, 'coronathoughts': 35158, 'alfonso': 35159, 'oneuse': 35160, 'greenie': 35161, 'weenie': 35162, 'breadbasket': 35163, 'fertiliser': 35164, 'pinning': 35165, 'barrelling': 35166, 'urgly': 35167, 'twinkees': 35168, 'keepcookingandcarryon': 35169, 'halfyourplate': 35170, 'rdchat': 35171, 'urbandictionary': 35172, 'coined': 35173, 'springbreakers': 35174, 'beerbusiness': 35175, 'beerblog': 35176, 'groceryshoppingtips': 35177, 'socialdisdancing': 35178, 'dancetee': 35179, '1964': 35180, 'shastri': 35181, 'slightest': 35182, 'discomfort': 35183, '297': 35184, 'overlord': 35185, 'unthinking': 35186, 'letsbreakthechain': 35187, 'expedite': 35188, 'deterred': 35189, 'reflector': 35190, '254776371271': 35191, '254720472374': 35192, 'thegreattoiletpaperscareof2020': 35193, 'againt': 35194, 'gtn': 35195, 'namicc': 35196, 'namicontracosta': 35197, 'contracostacounty': 35198, 'ultraviolet': 35199, 'sterilises': 35200, 'reliving': 35201, 'helpmepleaseiamgoingcrazyhahahahahahahahahahahahahaa': 35202, 'worthless': 35203, 'personification': 35204, 'blackstone': 35205, 'repurchase': 35206, 'centrally': 35207, 'golfing': 35208, 'scrunching': 35209, 'losangelescounty': 35210, 'refocus': 35211, 'yousuckkaren': 35212, 'peoplearestupid': 35213, 'imbalance': 35214, 'cornaviruspandemic': 35215, 'excl': 35216, '5b': 35217, 'emsworth': 35218, 'seafront': 35219, 'unrelated': 35220, 'unsalted': 35221, 'salted': 35222, 'eon': 35223, 'smhpeople': 35224, '21dayslockdownindia': 35225, 'browsjng': 35226, 'disregarding': 35227, 'celine': 35228, 'cheater': 35229, 'anoth': 35230, 'socialfun': 35231, 'q5': 35232, 'innovatively': 35233, 'cabo': 35234, 'verde': 35235, 'caboverde': 35236, '18months': 35237, 'commoditi': 35238, 'wondrously': 35239, 'shinanigans': 35240, 'atcard': 35241, 'houle': 35242, 'covd19': 35243, 'geographical': 35244, 'normalizes': 35245, 'campion': 35246, 'openforbusiness': 35247, 'acp': 35248, 'channelfutures': 35249, 'traumatised': 35250, 'methadone': 35251, 'wecandothistogether': 35252, 'bran': 35253, 'prune': 35254, 'werther': 35255, 'poupon': 35256, 'ekurhuleni': 35257, 'ebates': 35258, 'attain': 35259, 'bigfive2020': 35260, 'enthusiast': 35261, 'turin': 35262, 'durability': 35263, 'separatist': 35264, 'categorically': 35265, 'choicebird': 35266, 'wy': 35267, 'inspectr': 35268, 'bioscience': 35269, 'diagnosing': 35270, 'abta': 35271, 'talley': 35272, 'neuro': 35273, 'gastroenterologist': 35274, 'trample': 35275, 'hankerchief': 35276, 'clearfield': 35277, 'aralen': 35278, 'chloroquinephosphate': 35279, 'hydroxychloroquin': 35280, 'azithromycine': 35281, 'hydroxychloroquineandazythromyacinnow': 35282, 'jozylyn': 35283, '789': 35284, 'handicap': 35285, 'ismail': 35286, 'oppose': 35287, 'telkomconnectssa': 35288, 'scdca': 35289, '3785ml': 35290, 'metroatlanta': 35291, 'prepackage': 35292, 'goo': 35293, 'russell': 35294, 'broadening': 35295, 'colonel': 35296, 'wrt': 35297, 'unscruplous': 35298, 'glucometer': 35299, 'technicality': 35300, 'nannystate': 35301, 'commonpurpose': 35302, 'soros': 35303, 'mostexpensiveholiday': 35304, 'yyj': 35305, 'celiac': 35306, 'glutenfreeliving': 35307, 'belchingbeaver': 35308, 'peanutbuttermilkstout': 35309, 'granitecu': 35310, 'alwaysthere': 35311, 'shockwaves': 35312, 'makeinindia': 35313, 'indiafirst': 35314, 'warner': 35315, 'ignores': 35316, 'socialwork': 35317, 'wheeled': 35318, 'dtr': 35319, 'highwycombe': 35320, 'carnews': 35321, 'pontoon': 35322, 'maternity': 35323, '2020inoneword': 35324, 'toiletpaperthrone': 35325, 'ontheroad': 35326, 'wonderfulday': 35327, 'reteet': 35328, 'wouldnt': 35329, 'spdr': 35330, 'ccl': 35331, 'rcl': 35332, 'ual': 35333, 'hydroalcoholic': 35334, 'rushhour': 35335, 'twircle': 35336, 'staffie': 35337, '2506998500': 35338, 'zdnet': 35339, 'foodmanufacturing': 35340, 'ramune': 35341, 'hostess': 35342, 'hostessgift': 35343, 'debtor': 35344, 'salesians': 35345, 'wearedonbosco': 35346, 'salesian': 35347, 'centr': 35348, 'humanatm': 35349, 'mtnews': 35350, 'highwaypatrol': 35351, 'paving': 35352, 'cashlessociety': 35353, 'rentstrike2020': 35354, 'rentfreezenow': 35355, 'letsdothis': 35356, 'happythoughts': 35357, 'hmmhotmessmama': 35358, 'inaccessible': 35359, 'ottobock': 35360, 'holm': 35361, 'amputee': 35362, 'ottobockcares': 35363, 'sailor': 35364, 'pilgrim': 35365, 'forsale': 35366, 'risingrents': 35367, 'atsocialmediauk': 35368, 'rtukseller': 35369, 'uksmallbiz': 35370, 'ukhashtags': 35371, 'smeuk': 35372, 'versa': 35373, 'wilspow': 35374, 'dainfern': 35375, 'realestatelife': 35376, 'modesto': 35377, 'frito': 35378, 'pendemic': 35379, 'calf': 35380, 'painfully': 35381, 'kerosense': 35382, 'incentivising': 35383, 'retailenvironment': 35384, 'thirdchannel': 35385, 'caringisforlifenotjustforcoronavirus': 35386, 'toomanyonlycarewhenithitsthefan': 35387, 'societyproblem': 35388, 'aircross': 35389, 'nfi': 35390, 'retained': 35391, 'cleaningproducts': 35392, 'godhelpus': 35393, 'nancypelosi': 35394, 'solarpanels': 35395, 'endtimes': 35396, 'boast': 35397, 'spa': 35398, 'dermatologist': 35399, 'flaunt': 35400, 'heirloom': 35401, 'stayhomeoh': 35402, 'washyourgrocerycart': 35403, 'sanmiguel': 35404, 'ncov19': 35405, 'toolkit': 35406, 'toiletpapershortages': 35407, 'unworldly': 35408, 'afterall': 35409, 'propertymanagement': 35410, 'mullins': 35411, 'delinquent': 35412, 'organiser': 35413, 'reschedules': 35414, 'fairerworld': 35415, 'manically': 35416, 'cathrine': 35417, 'jansson': 35418, 'boyd': 35419, 'scour': 35420, 'descipline': 35421, 'shun': 35422, 'cunningness': 35423, 'butwhy': 35424, 'cleanthosetoilets': 35425, 'aewdynamite': 35426, 'jimmyhavoc': 35427, 'distansting': 35428, 'lssc': 35429, 'easyjet': 35430, 'jet2': 35431, 'britisher': 35432, 'invincible': 35433, 'irgchospitals': 35434, 'blackmarket': 35435, '702breakfast': 35436, '3rmb': 35437, 'amir': 35438, 'ghodrati': 35439, 'flatt78': 35440, 'akhirah': 35441, 'coronaawareness': 35442, 'greensynenterprises': 35443, 'aphios': 35444, 'croma': 35445, 'vijaysale': 35446, 'closetheretailstore': 35447, 'terrify': 35448, 'hendrik': 35449, 'greymouth': 35450, 'medial': 35451, 'papua': 35452, 'miamistrong': 35453, 'unearned': 35454, 'shutitdownnow': 35455, 'fl6': 35456, 'chiller': 35457, 'prioritorise': 35458, 'preferable': 35459, 'kezelee': 35460, 'hdfc': 35461, 'raga': 35462, 'stonehawk': 35463, 'imscreaming': 35464, 'queueup': 35465, 'onceinside': 35466, 'inandout': 35467, 'landin': 35468, 'crownroyal': 35469, 'extremecheapskates': 35470, 'tlc': 35471, 'cheapskate': 35472, 'survivalplanning': 35473, 'thomasfarquhar': 35474, 'transitioning': 35475, 'admarc': 35476, 'wishers': 35477, 'janeruthacheng': 35478, 'fedsoc': 35479, 'federalism': 35480, 'allison': 35481, 'hurley': 35482, 'expe': 35483, 'xylene': 35484, 'aromatics': 35485, 'wearer': 35486, 'drongos': 35487, 'counselling': 35488, 'staysafesafeothers': 35489, 'juicing': 35490, '5gcoronavirus': 35491, 'sabuwa': 35492, 'balarabe': 35493, 'sheik': 35494, 'gumi': 35495, 'wanton': 35496, 'jmfamilyimpact': 35497, 'suryashri': 35498, 'meningitis': 35499, 'tuberculosis': 35500, 'vacationrentals': 35501, 'melville': 35502, 'corporateresponibility': 35503, 'coveredcalifornia': 35504, '9700': 35505, '429': 35506, 'tito': 35507, 'titosvodka': 35508, 'monty': 35509, 'virucide': 35510, 'barbicide': 35511, 'virtualassistant': 35512, 'retailbot': 35513, 'conversationalcommerce': 35514, 'deteriorate': 35515, 'districtmagistrate': 35516, 'lko': 35517, 'pricee': 35518, 'shameshame': 35519, 'sgbudget2020': 35520, 'gbfb': 35521, 'stride': 35522, 'mainecoon': 35523, 'ukgb': 35524, 'padre': 35525, 'fishmonger': 35526, 'itsthesmallthings': 35527, 'jnjkiljhkh': 35528, 'pathological': 35529, 'unaccommodating': 35530, 'civilizing': 35531, 'aplangflashback': 35532, 'lankan': 35533, 'myhineysclean': 35534, 'narcos': 35535, 'pabloescobar': 35536, 'makemegoviral': 35537, 'asa': 35538, 'meloy': 35539, 'register4covid19safeodisha': 35540, 'guyana': 35541, 'goldcoast': 35542, 'easterholiday': 35543, 'foldable': 35544, 'respecively': 35545, 'rigati': 35546, 'marinara': 35547, 'parmigiano': 35548, 'reggiano': 35549, 'parsley': 35550, 'kvqlybdymu': 35551, 'unexpired': 35552, 'paywave': 35553, 'rueful': 35554, 'ameen': 35555, 'teeshirt': 35556, 'desiccated': 35557, 'scraping': 35558, 'weareckpublichealth': 35559, 'arranging': 35560, 'cohabiting': 35561, 'bahawalpur': 35562, 'affidavit': 35563, 'umair': 35564, 'tahir': 35565, '923219537814': 35566, 'isb': 35567, 'cognizant': 35568, 'huntingranch': 35569, 'deerranch': 35570, 'whittaildeer': 35571, 'hutchinsonrackattack': 35572, 'paintball': 35573, 'mirin': 35574, 'picknpaycycad': 35575, 'passionate': 35576, 'unfitforoffice': 35577, 'polit': 35578, 'jerke': 35579, 'conroe': 35580, 'govenment': 35581, 'microscope': 35582, 'prayforworld': 35583, 'midgley': 35584, 'musicnotation': 35585, 'heisting': 35586, 'floridia': 35587, 'savethenhs': 35588, 'donothoard': 35589, 'haan': 35590, 'mop': 35591, 'e2010y': 35592, 'aua0twjrs4': 35593, 'zoomllshop': 35594, 'fowl': 35595, 'nyash': 35596, 'fuqed': 35597, 'inventoried': 35598, 'mnwx': 35599, 'entrepreneurial': 35600, 'greedhoarders': 35601, 'glutardsmatter': 35602, 'stayhomesaving': 35603, 'hotelier': 35604, 'lowry': 35605, 'twiglets': 35606, 'predictiveprogramming': 35607, 'rfid': 35608, 'reptilian': 35609, 'iphone12pro': 35610, 'blacklist': 35611, 'karantina': 35612, 'lockdownworld': 35613, 'distaste': 35614, 'simplify': 35615, 'borax': 35616, 'moxie': 35617, 'sanborn': 35618, 'fonte': 35619, 'bagasse': 35620, 'pregnancy': 35621, 'gouvernement': 35622, 'milestone': 35623, 'socialenterprise': 35624, 'cmpcertified': 35625, 'cmp': 35626, 'crewenterprises': 35627, 'dubmagazine': 35628, 'victorli': 35629, 'outputgrowth': 35630, 'retailstrategy': 35631, 'unseasoned': 35632, 'hlsnmbbyrb': 35633, 'facilitant': 35634, 'mobilitat': 35635, 'thisistherealspain': 35636, 'tessa': 35637, 'kerry': 35638, 'valentia': 35639, 'financialhealth2020': 35640, 'servicens': 35641, 'fenns': 35642, 'breakingtoday': 35643, 'uptime': 35644, 'rhetorical': 35645, 'graciousness': 35646, 'benice': 35647, 'cockup': 35648, 'stopthedancing': 35649, 'quarantineexcuses': 35650, 'ihateithere': 35651, 'imissoutside': 35652, 'masterthecrisis': 35653, 'growthfromknowledge': 35654, 'lotto': 35655, 'tooting': 35656, 'departmentstores': 35657, 'worldfood': 35658, 'demandgeneration': 35659, 'demandgen': 35660, 'immortan': 35661, 'joebiden': 35662, 'joementum': 35663, 'gretchennomtvhits': 35664, 'gretchenwitmer': 35665, 'xxvp': 35666, 'wastelanders': 35667, 'wasteland': 35668, 'complicates': 35669, 'nursescovid19': 35670, 'lithuania': 35671, 'choking': 35672, 'caronavirusupdate': 35673, 'unhealthydeliciousfood': 35674, 'thingamajig': 35675, 'elmvale': 35676, 'tvjallangles': 35677, 'hidalgo': 35678, 'spead': 35679, 'flicking': 35680, 'teachfromhome': 35681, 'puzzleoftheday': 35682, 'validate': 35683, 'cbn': 35684, 'connivence': 35685, 'terre': 35686, 'haute': 35687, 'iger': 35688, 'forgoes': 35689, 'vallourec': 35690, 'fieri': 35691, 'fibonacci': 35692, 'stimuluscheck': 35693, 'ojiwulila': 35694, 'dewitt': 35695, 'gameplay': 35696, 'inspecting': 35697, 'overcharged': 35698, 'tsutomu': 35699, 'watanabe': 35700, '5167er': 35701, 'griftiest': 35702, 'opportunistically': 35703, 'complies': 35704, '50p': 35705, 'foodchat': 35706, 'noonlineshopping': 35707, 'fridaymorning': 35708, 'climatefriday': 35709, 'sobbing': 35710, '020': 35711, '3738': 35712, 'mairaj': 35713, 'apprised': 35714, 'squashed': 35715, 'nycprep': 35716, 'hadleygamble': 35717, 'ixworth': 35718, 'socialmediaguru365': 35719, 'respo': 35720, 'steeprise': 35721, 'meitei': 35722, 'warsaw': 35723, 'krakow': 35724, 'm65': 35725, 'stayhom': 35726, '1970s': 35727, 'puting': 35728, 'cuttlass': 35729, 'lagosunrest': 35730, 'ogununrest': 35731, 'faceface': 35732, 'maskface': 35733, 'basildon': 35734, 'lawson': 35735, 'fcaupdate': 35736, 'flattenthecurvetogether': 35737, 'udsd': 35738, 'warpaints': 35739, 'ladro': 35740, 'savehospo': 35741, 'savehospitality': 35742, 'motherfuckin': 35743, 'yea': 35744, 'familymeals': 35745, 'retooling': 35746, 'togetherfromapart': 35747, 'fijianconsumerrights': 35748, 'malignancy': 35749, 'modernism': 35750, 'vapid': 35751, 'mypandemicplandesurvival': 35752, 'emissionsreductions': 35753, 'holidayfarms': 35754, 'glenhead': 35755, 'secureteam420': 35756, 'veritas': 35757, 'commune': 35758, 'viewed': 35759, 'shittier': 35760, 'jenga': 35761, 'abolishes': 35762, 'feeder': 35763, 'steer': 35764, 'impunity': 35765, '20how': 35766, '20is': 35767, '20covid': 35768, '20changing': 35769, '20consumer': 35770, '23038': 35771, '20ecommerce': 35772, '20trends': 35773, '3f': 35774, 'japaneese': 35775, '1350': 35776, 'nonfiction': 35777, 'raving': 35778, 'brainer': 35779, '2wds': 35780, 'smmes': 35781, 'lukewarm': 35782, 'bewareofcovid19': 35783, 'logging': 35784, 'fashionista': 35785, 'sketchdaily': 35786, 'fashionillustration': 35787, 'outfitoftheday': 35788, 'fashionillustrationoftheday': 35789, '8733': 35790, 'indiadeservesbetter': 35791, 'homestuck': 35792, '1100': 35793, '1600': 35794, 'validates': 35795, 'impulse': 35796, 'shoreditch': 35797, 'vasayo': 35798, 'bstards': 35799, 'riffa': 35800, 'gutted': 35801, 'pollock': 35802, 'spectacular': 35803, 'thisisnotok': 35804, 'currencyusers': 35805, 'currencyissuer': 35806, 'learnmmt': 35807, 'thedeficitmyth': 35808, 'joomye': 35809, 'muddled': 35810, 'unrestrained': 35811, 'convene': 35812, 'njgop': 35813, 'tjx': 35814, 'chezamy': 35815, 'stayhealthymyfriends': 35816, 'roiled': 35817, 'crisisnew': 35818, 'throwback': 35819, 'sycamore': 35820, 'hamlet': 35821, 'impromptu': 35822, 'italua': 35823, 'normaly': 35824, 'donttravelanditwont': 35825, 'saute': 35826, 'modeling': 35827, 'geographic': 35828, 'staystay': 35829, 'maya': 35830, 'angelou': 35831, 'malaise': 35832, 'mastered': 35833, 'ausairmasks': 35834, 'adultdiapers': 35835, 'marsh': 35836, 'amerciaworkstogether': 35837, 'handsanitzer': 35838, 'automotivetouchup': 35839, 'lrg': 35840, 'enforceability': 35841, '32c': 35842, 'chen': 35843, 'xiaobo': 35844, 'knead': 35845, 'gonzalez': 35846, 'newengland': 35847, 'supportchewy': 35848, 'mustseetfc': 35849, 'fierce': 35850, 'iloveyou': 35851, 'jhootspharmacy': 35852, 'whimn': 35853, '8523': 35854, 'regimen': 35855, 'filmmyhospital': 35856, 'juddleg': 35857, 'andrewholnessjm': 35858, 'sweettalker': 35859, 'tworollsleft': 35860, 'intellicast': 35861, 'mrnews': 35862, 'lockdownsrilanka': 35863, 'lk': 35864, '1130593481': 35865, 'polaris': 35866, 'adebis': 35867, 'unido': 35868, 'ptg': 35869, 'rockin': 35870, 'wearin': 35871, 'hoody': 35872, 'thinkin': 35873, 'standin': 35874, 'schnitkey': 35875, 'middlesbrough': 35876, 'jamescookhospital': 35877, 'departure': 35878, 'assalam': 35879, 'alaykum': 35880, 'midpoint': 35881, 'hiace': 35882, 'n24m': 35883, '08175974345': 35884, 'sedanos': 35885, 'realnews': 35886, 'globaljournals': 35887, 'sciencefacts': 35888, 'neuclear': 35889, 'gartnersc': 35890, '2cater2': 35891, 'kalypso': 35892, 'wondercat': 35893, '20bottles': 35894, '03pm': 35895, '4got': 35896, 'breakie': 35897, 'fantini': 35898, 'khc': 35899, 'sighing': 35900, 'bloodthirsty': 35901, 'uksupermarkets': 35902, 'grassy': 35903, '617': 35904, 'luciebee': 35905, 'awry': 35906, 'indirectly': 35907, 'sundry': 35908, 'includ': 35909, '2many2selfish': 35910, 'quarantaene': 35911, 'datenight': 35912, 'selfisolationgame': 35913, 'coronadeutschland': 35914, 'quiagen': 35915, 'modular': 35916, 'pbms': 35917, 'pocketing': 35918, 'finale': 35919, 'foe': 35920, 'stop5g': 35921, '5gweapon': 35922, 'chinashutdown': 35923, 'economiccollapse': 35924, 'economicreset': 35925, 'medicalmartiallaw': 35926, 'wuhan400': 35927, 'soop': 35928, 'seema': 35929, 'shandil': 35930, 'patio': 35931, 'kissinger': 35932, 'worldmarket': 35933, 'accra': 35934, 'chink': 35935, 'cascading': 35936, 'micros': 35937, 'reaping': 35938, 'haliburton': 35939, 'pku': 35940, 'relook': 35941, 'mindminenxt': 35942, 'pleasestayhome': 35943, 'pleasestop': 35944, 'covidindex': 35945, 'feedgrains': 35946, 'yang': 35947, 'ramai': 35948, 'orang': 35949, 'artis': 35950, 'banyak': 35951, 'bolelah': 35952, 'sumbangkan': 35953, 'sedikit': 35954, 'untuk': 35955, 'pembelian': 35956, 'essentialsonly': 35957, 'slomo': 35958, 'devestating': 35959, 'cockblocked': 35960, 'michelle4il': 35961, 'willcounty': 35962, 'upsurge': 35963, 'bestselling': 35964, 'crostata': 35965, 'abbreviation': 35966, 'oaxacan': 35967, 'jargon': 35968, 'fairtrading': 35969, 'mema': 35970, 'michel': 35971, 'norfolk': 35972, 'nutcase': 35973, 'similarly': 35974, 'shelflife': 35975, 'erie': 35976, 'weapplaud': 35977, 'solarhorss': 35978, 'blenco': 35979, 'hairstyle': 35980, 'dalal': 35981, 'rink': 35982, 'summer2020': 35983, 'skipped': 35984, 'asianamericans': 35985, 'chiraq': 35986, '50cent': 35987, 'queenzflip': 35988, 'zoey': 35989, 'maraist': 35990, 'plaintiff': 35991, 'misrepresented': 35992, 'fmglaw': 35993, 'ofgem': 35994, 'homemadebread': 35995, 'bringhomeecback': 35996, 'lifeskills': 35997, 'bakingbread': 35998, 'lolli': 35999, 'gagging': 36000, 'collectivementalpower': 36001, '5x70ml': 36002, 'washandset': 36003, 'dxxkheads': 36004, 'paddymcguinness': 36005, 'barzani': 36006, 'excellency': 36007, 'contentment': 36008, 'relocalisation': 36009, 'foodsupplychains': 36010, 'brokered': 36011, 'n700': 36012, 'n1': 36013, '5pouches': 36014, 'convergence': 36015, 'googl': 36016, 'atvi': 36017, 'blinded': 36018, 'sooper': 36019, 'shill': 36020, 'lyingbiden': 36021, 'trusting': 36022, 'paywalls': 36023, 'downing': 36024, '591': 36025, 'dieselprice': 36026, 'dieselfuel': 36027, 'preside': 36028, 'comissioner': 36029, 'sajjad': 36030, 'briefed': 36031, 'nonna': 36032, 'winkwink': 36033, 'catharsus': 36034, 'magacreatedcoronaworld': 36035, 'hillyeah': 36036, 'vinvi': 36037, 'vinvicorp': 36038, 'caixin': 36039, 'lunarnewyear': 36040, 'riotinto': 36041, 'bhp': 36042, 'fortescuemetalsgroup': 36043, 'royhill': 36044, 'degenerate': 36045, 'prematurely': 36046, 'whiff': 36047, 'orgy': 36048, 'seattleu': 36049, 'deba60': 36050, 'compliant': 36051, 'ltown': 36052, 'shitbeenreal': 36053, 'tard': 36054, 'durkan': 36055, 'freakouts': 36056, 'wfpb': 36057, 'meijer': 36058, 'postive': 36059, 'wudnews': 36060, 'wudupdates': 36061, 'whatsupdoha': 36062, 'behaves': 36063, 'husbandappreciation': 36064, 'husbandlove': 36065, 'husbandoftheyear': 36066, 'besthusband': 36067, 'nationalize': 36068, 'sfightcorona': 36069, 'traction': 36070, 'sfi': 36071, 'bln': 36072, 'excused': 36073, 'eloquence': 36074, 'eloquent': 36075, 'stilled': 36076, 'hypochlorite': 36077, 'hydroxycholorquine': 36078, 'brutalize': 36079, 'regaining': 36080, 'dma': 36081, 'pall': 36082, 'pplt': 36083, 'slv': 36084, 'ivanka': 36085, 'sharekhanresearch': 36086, 'apl': 36087, 'sharekhanfna': 36088, 'gleaned': 36089, 'highwood': 36090, 'plattsoil': 36091, 'frecklington': 36092, 'fume': 36093, 'imtiaz': 36094, 'gulshan': 36095, 'iqbal': 36096, 'arsalan': 36097, '923402045318': 36098, 'lutfitrends': 36099, 'accomodations': 36100, 'seizing': 36101, 'optimally': 36102, 'emerson': 36103, 'mateus': 36104, 'loveandantennas': 36105, 'japanesebrushpen': 36106, '100armyofwoah': 36107, 'emphysema': 36108, 'enrolled': 36109, 'happyathome': 36110, 'fy': 36111, 'publiclibrary': 36112, 'hazelnut': 36113, 'creamer': 36114, 'happylife': 36115, 'mudhole': 36116, 'stomped': 36117, 'grocey': 36118, 'paloma': 36119, 'valentin': 36120, 'deforest': 36121, 'compton': 36122, '55th': 36123, 'retiring': 36124, '1300': 36125, 'cetera': 36126, 'ravindra': 36127, 'investmentspecial': 36128, 'brightest': 36129, 'thingi': 36130, 'anticlimax': 36131, 'missedopportunity': 36132, 'forbids': 36133, 'organisational': 36134, '25marzo': 36135, 'wannabe': 36136, 'hudsoncounty': 36137, 'rigorously': 36138, 'sling': 36139, 'comex': 36140, 'attendance': 36141, 'maroc': 36142, 'hyperspreading': 36143, 'presid': 36144, 'unqualified': 36145, 'endorsement': 36146, 'jakarta': 36147, 'dinomart': 36148, 'pizzaandeastereggsfordinner': 36149, 'sharpened': 36150, 'deeside': 36151, 'scalefast': 36152, 'abandonment': 36153, 'aov': 36154, 'mvb': 36155, 'drummer': 36156, 'disabilityandcovid19': 36157, 'spreadsheet': 36158, 'coronan': 36159, 'timer': 36160, 'gluttony': 36161, 'garda': 36162, 'grange': 36163, 'rented': 36164, 'groce': 36165, '37qyihjaypbuax9tnmdfro6zkdftyrvfvl': 36166, 'macho': 36167, 'staysafesta': 36168, 'tyas': 36169, 'scone': 36170, 'dairypod': 36171, 'soundcloud': 36172, '199200': 36173, 'bugy2k': 36174, 'bloor': 36175, 'lamejokethursday': 36176, 'lamejokethurs': 36177, 'lamejoke': 36178, 'jokesfordays': 36179, 'tiktokyansen': 36180, 'mcopinion': 36181, 'realisation': 36182, 'opoku': 36183, 'adum': 36184, 'kumasi': 36185, 'quarantineliving': 36186, 'yangon': 36187, 'manifestation': 36188, 'ddc': 36189, 'pusateri': 36190, 'soriana': 36191, 'fruitcake': 36192, 'notfrombeer': 36193, 'fruitloops': 36194, 'tena': 36195, 'lacto': 36196, 'africaannounces': 36197, 'capitalismistheproblem': 36198, 'responsibleretail': 36199, 'spoilt': 36200, 'omnibus': 36201, 'researchstudy': 36202, 'corona2020': 36203, 'webnair': 36204, 'tort': 36205, 'financialtips': 36206, 'creditsoup': 36207, 'hoardnado': 36208, 'danroulette': 36209, 'loven': 36210, 'downtrend': 36211, 'hemorrhoid': 36212, 'crsponsored': 36213, 'cuarentena': 36214, 'groccery': 36215, 'karcamo13': 36216, 'karcamogaming': 36217, 'callateidiota': 36218, 'karcamo': 36219, 'facepaint': 36220, 'facepainted': 36221, 'enemiesofthepeople': 36222, 'counteracted': 36223, 'vegi': 36224, 'quarantineblues': 36225, 'hoardingtoiletpaper': 36226, 'shoestring': 36227, '3billion': 36228, '357million': 36229, 'reponse': 36230, 'downloadable': 36231, 'manifesting': 36232, 'conrad': 36233, 'stateofhealth': 36234, 'thankyoupublichralth': 36235, 'mymdfarmers': 36236, 'papertowelrolls': 36237, 'bullied': 36238, 'corox': 36239, 'edchat': 36240, 'memeing': 36241, 'almighty': 36242, 'aamen': 36243, 'webdesign': 36244, '08079024516': 36245, 'modelled': 36246, 'gasolime': 36247, '414': 36248, 'posture': 36249, 'coldness': 36250, 'fearnot': 36251, 'deseo': 36252, 'mercilessly': 36253, 'coronasweden': 36254, 'everythingfromhome': 36255, 'cautionary': 36256, 'myriam': 36257, 'splurge': 36258, 'masturbatory': 36259, 'hellscape': 36260, 'pilgrimage': 36261, 'insistence': 36262, 'brutalizing': 36263, 'gazetted': 36264, 'susie': 36265, 'ncnu': 36266, 'beehivestate': 36267, 'contempt': 36268, 'bhau': 36269, 'digressed': 36270, 'compliment': 36271, 'bountypapertowels': 36272, 'multistores': 36273, 'sanjivgoenka': 36274, 'excelent': 36275, 'terible': 36276, 'specialy': 36277, 'mrigendu': 36278, 'froms': 36279, 'streetmodest': 36280, 'sociological': 36281, 'eastermassacre': 36282, 'buharitormentor': 36283, 'independant': 36284, 'mobileapps': 36285, 'nationalguard': 36286, 'thefive': 36287, 'southwestern': 36288, 'coo': 36289, 'mushtaque': 36290, 'prolonging': 36291, 'ketua': 36292, 'keluarga': 36293, 'clotted': 36294, 'informedsecurity': 36295, 'differentbydesign': 36296, 'medident': 36297, 'neil': 36298, 'bradley': 36299, 'poppy': 36300, 'forwood': 36301, '2004': 36302, 'riled': 36303, 'bummed': 36304, 'colossal': 36305, 'reasses': 36306, 'blackout': 36307, 'fot': 36308, 'seka': 36309, 'gayaza': 36310, 'folded': 36311, 'selfquarantinechallenge': 36312, 'zley': 36313, 'antalya': 36314, 'ayan': 36315, 'frans': 36316, 'rkiye': 36317, 'nin': 36318, 'ald': 36319, 'tedbirleri': 36320, 'burada': 36321, 'dezenfektan': 36322, 'maskeyi': 36323, 'cretsiz': 36324, 'veriyorlar': 36325, 'arad': 36326, 'markette': 36327, 'var': 36328, 'diyor': 36329, 'cumalar': 36330, 'cumartesi': 36331, 'paddock': 36332, 'halloweenmovies': 36333, 'halloweenmovie': 36334, 'hadonfield': 36335, 'serialkiller': 36336, '150b': 36337, 'wewillwin': 36338, 'pce': 36339, 'takeoutservice': 36340, 'syngentaproud': 36341, 'nohopeinsite': 36342, 'zmartbit': 36343, 'thoughtfully': 36344, 'votethemout': 36345, 'messi': 36346, 'superspreaders': 36347, 'madhuresorts': 36348, 'beefbiryani': 36349, 'boiled': 36350, 'namaaz': 36351, 'biryani': 36352, 'neurotic': 36353, 'proudnhs': 36354, 'enticing': 36355, 'portraying': 36356, 'nutritional': 36357, 'muma': 36358, 'oneday': 36359, 'iloveu': 36360, 'leak': 36361, 'hoodie': 36362, 'transfats': 36363, 'ruislip': 36364, 'xhb': 36365, 'weneedtoshare': 36366, 'renton': 36367, 'turmeric': 36368, 'renetrevor': 36369, 'cipla': 36370, 'sulfate': 36371, 'reut': 36372, 'combi': 36373, 'borg': 36374, 'batteryfarm': 36375, 'chickenflu': 36376, 'freerange': 36377, 'appetizing': 36378, 'campingbed': 36379, 'selfmed': 36380, 'lekki': 36381, 'resent': 36382, 'polar': 36383, 'brimming': 36384, 'faucihero': 36385, 'tablighijamaat': 36386, 'saharanpur': 36387, 'firozabad': 36388, 'infodemic': 36389, 'illuminated': 36390, 'illuminate': 36391, 'nhsthank': 36392, 'formigration': 36393, 'unpopularopinion': 36394, 'oklahomacity': 36395, 'nashvill': 36396, 'neuk': 36397, 'lln': 36398, 'kia': 36399, 'clothe': 36400, 'zooming': 36401, 'peterhead': 36402, 'fuckyoupayme': 36403, 'homecare': 36404, 'toluna': 36405, 'tolunainfluencers': 36406, 'edmontonions': 36407, 'nfha': 36408, '3215': 36409, 'onag': 36410, 'gud': 36411, 'invester': 36412, 'boycotthu': 36413, 'quarantineatvshow': 36414, 'firefauci': 36415, 'stimulusdeposit': 36416, '28brl': 36417, 'fixit': 36418, 'fence': 36419, 'cufflink': 36420, 'shifaa': 36421, 'includin': 36422, 'dumbtards': 36423, 'masspanic': 36424, 'stupidpeople': 36425, 'waltermart': 36426, 'maggi': 36427, 'gocorona': 36428, 'behishandsandfeet': 36429, 'everlasting': 36430, 'typing': 36431, 'queersinquarantine': 36432, 'everythingfloats': 36433, 'stephenking': 36434, 'zero027': 36435, 'edits': 36436, 'proofreads': 36437, 'observes': 36438, 'theweek': 36439, '615': 36440, '741': 36441, '4737': 36442, 'brahach': 36443, 'usecon': 36444, 'iheartradio': 36445, 'nbaquarantine': 36446, 'exhibition': 36447, 'faba': 36448, 'permissible': 36449, 'stunningly': 36450, 'leaderless': 36451, 'fkn': 36452, '043': 36453, 'bloodofjesus': 36454, 'eugenics': 36455, 'crystalpalace': 36456, 'digitaldivide': 36457, 'se19': 36458, 'itunes': 36459, 'uttering': 36460, 'kj': 36461, 'houseprice': 36462, 'frustating': 36463, 'mobileapp': 36464, 'softwaredevelopmentcompany': 36465, 'customsoftwaredevelopment': 36466, 'softwaredevelopment': 36467, 'buyin': 36468, 'skintness': 36469, 'bullheaded': 36470, 'vaishali': 36471, 'shopnormally': 36472, 'resalemarket': 36473, 'ottawahomes': 36474, 'howdy': 36475, 'wardrobe': 36476, 'minimalism': 36477, 'augmentedreality': 36478, 'ardor': 36479, 'ignis': 36480, 'cbg': 36481, 'inthistogetherdubai': 36482, 'fashiondesign': 36483, 'wetin': 36484, 'coronate': 36485, 'kentstreet': 36486, 'manhandle': 36487, 'wefightcovid19': 36488, 'ibc': 36489, 'gadget': 36490, 'helpdonothurt': 36491, 'ecart': 36492, 'burdensome': 36493, 'shug': 36494, 'rnb': 36495, 'rnbmusic': 36496, 'trapmusic': 36497, 'hot97': 36498, 'power105': 36499, 'mismanagement': 36500, 'daylight': 36501, 'underresourced': 36502, 'repellent': 36503, 'quaratinebubble': 36504, 'evryday': 36505, '2dys': 36506, '890': 36507, 'hilary': 36508, 'ukac': 36509, 'spouting': 36510, 'xiaomi': 36511, 'oppo': 36512, 'preda': 36513, 'employe': 36514, 'davies2019': 36515, 'legominifigures': 36516, 'ncsc': 36517, 'termed': 36518, 'weeknews': 36519, 'apocalyps': 36520, 'babaji': 36521, 'onshore': 36522, 'hover': 36523, 'personalised': 36524, 'megaphone': 36525, 'nomestleft': 36526, 'soundtrack': 36527, 'bunnyday': 36528, 'truckerlife': 36529, 'ademuyiwa': 36530, 'efiwe': 36531, 'akin1': 36532, 'jag': 36533, 'thegr8': 36534, 'ju': 36535, 'heardd': 36536, 'zombieprep': 36537, 'nmtrue': 36538, 'tao': 36539, 'lordoftherings': 36540, 'wallpaperwednesday': 36541, 'speeading': 36542, 'futako': 36543, 'epileptic': 36544, 'oilpricewars': 36545, 'oilandgastips': 36546, 'getinformed': 36547, 'postie': 36548, 'whattya': 36549, 'ycx': 36550, 'jbeil': 36551, 'seperate': 36552, '0789': 36553, '861': 36554, 'trbusiness': 36555, 'shilla': 36556, 'hkia': 36557, 'dubaipolice': 36558, 'mercutio': 36559, 'relocating': 36560, 'bumbed': 36561, 'isolationillustration': 36562, 'isolationday8': 36563, '923': 36564, '2gethertheseries': 36565, 'gmmtv': 36566, 'flagstaff': 36567, 'hmgovernment': 36568, 'poac': 36569, 'carehomes': 36570, 'approvable': 36571, 'naught': 36572, 'videocalls': 36573, 'physicalhealth': 36574, 'selfemployedmattertoo': 36575, 'selfemployment': 36576, 'deliberatly': 36577, 'noiwontstop': 36578, 'cloy': 36579, 'cloyfever': 36580, 'pacifica': 36581, 'kpixtogether': 36582, 'applesponsorme': 36583, 'opeiu': 36584, 'teepublic': 36585, 'fermanagh': 36586, 'omagh': 36587, 'northernireland': 36588, 'theorizing': 36589, 'dbdoodle': 36590, '384': 36591, 'jamecia': 36592, 'swat': 36593, 'herby': 36594, 'demonisation': 36595, 'stereotyping': 36596, 'backpacker': 36597, 'derisked': 36598, 'gotcha': 36599, 'attracts': 36600, 'regressive': 36601, 'inelastic': 36602, 'baluchestan': 36603, 'moy': 36604, 'avivian': 36605, 'relianceindustries': 36606, 'rarest': 36607, 'unc': 36608, 'icasa': 36609, 'recentlu': 36610, 'heared': 36611, 'day11oflockdow': 36612, 'rfr': 36613, 'instacool': 36614, 'instafam': 36615, 'bham': 36616, 'livepd': 36617, 'livepdnation': 36618, 'livewell': 36619, 'safeshifts4all': 36620, 'gambian': 36621, 'pandemi': 36622, 'dumpling': 36623, 'stillgottawork': 36624, 'penticton': 36625, 'isba': 36626, 'mp02': 36627, '01625': 36628, '874220': 36629, 'dar': 36630, 'ciapp': 36631, 'shoppingdeals': 36632, 'flupocalypse': 36633, 'hemel': 36634, 'vandersloot': 36635, 'jetfuel': 36636, 'storagetanks': 36637, 'frackingcrews': 36638, 'landmass': 36639, 'degrade': 36640, '800km': 36641, 'slogging': 36642, '50lbs': 36643, 'nairatwtpays': 36644, 'unbundles': 36645, 'opted': 36646, 'competiton': 36647, 'yase': 36648, 'kasie': 36649, 'quintessential': 36650, 'yaar': 36651, 'dadu': 36652, 'spaceballs': 36653, 'disperse': 36654, 'payed': 36655, 'kpk': 36656, 'awarding': 36657, 'henleaze': 36658, 'justintimecx': 36659, 'freetravelforkeyworkers': 36660, 'coverall': 36661, 'hypebeast': 36662, 'mtv': 36663, 'tmz': 36664, 'prioritycustomers': 36665, 'frenzied': 36666, 'recognises': 36667, 'wvstatejournal': 36668, 'succession': 36669, '1rm': 36670, 'technically': 36671, '620': 36672, '663': 36673, '75965': 36674, 'timberlake': 36675, 'sgh': 36676, 'aisola': 36677, 'getkart': 36678, 'alocoholbasedhandsanitizer': 36679, 'usehandsanitizer': 36680, 'getr': 36681, 'nkebranche': 36682, 'sorgt': 36683, 'ums': 36684, 'leergut': 36685, 'ruft': 36686, 'zur': 36687, 'ckgabe': 36688, 'leerer': 36689, 'mehrweg': 36690, 'flaschen': 36691, 'ein': 36692, 'gibt': 36693, 'jeden': 36694, 'leeren': 36695, 'kasten': 36696, 'rolle': 36697, 'keller': 36698, 'puebla': 36699, 'crooked': 36700, 'diming': 36701, 'ncov2019': 36702, 'thecourieruk': 36703, 'kinross': 36704, 'communitysupport': 36705, 'carbondioxide': 36706, 'immunodeficiency': 36707, 'dippstick': 36708, 'conversionia': 36709, 'deliver25': 36710, 'ahlstrom': 36711, 'munksj': 36712, 'kaveh': 36713, 'waddell': 36714, 'johnlewispartnership': 36715, 'photovoltaic': 36716, 'distilled': 36717, 'exile': 36718, 'gynecologist': 36719, 'hopelessness': 36720, '90oz': 36721, 'kenyantraffic': 36722, 'coviod19': 36723, 'agriculturalsector': 36724, 'commoditymarket': 36725, 'retrofitting': 36726, 'kelvin': 36727, 'wifey': 36728, 'goldensehunday': 36729, 'crazier': 36730, 'toasty': 36731, 'cheez': 36732, 'peopleactingcrazy': 36733, 'susans': 36734, 'shingiedailyword': 36735, 'sanitarzers': 36736, 'secretsofyoursupermarketfoods': 36737, 'awkwardly': 36738, 'asgm': 36739, 'occoquan': 36740, 'mandrilltoys': 36741, 'dogfood': 36742, 'catfood': 36743, 'birdfood': 36744, 'fishfood': 36745, 'happycat': 36746, 'happydog': 36747, 'orijen': 36748, 'acana': 36749, 'tasteofthewild': 36750, 'ziwipeak': 36751, 'serum': 36752, 'philiasolutions': 36753, 'trendline': 36754, 'teleconferencing': 36755, 'didier': 36756, 'singlemarket': 36757, 'sax': 36758, 'whatarethosewednesday': 36759, 'prideslides': 36760, 'customslides': 36761, 'stridewithpride': 36762, 'lookgoodfeelgooddogood': 36763, 'neversettle': 36764, 'spiritwear': 36765, 'teamapparel': 36766, 'teamgear': 36767, 'cocobod': 36768, 'lanxess': 36769, 'blacktwittermovement': 36770, 'tissuechallenge': 36771, 'mismatch': 36772, 'jit': 36773, '638': 36774, '2772': 36775, 'roshida': 36776, 'khanom': 36777, 'factrade': 36778, 'trendingnews': 36779, 'centralgovernment': 36780, 'sadtire': 36781, 'mragwani': 36782, 'nypost': 36783, 'each1teach1': 36784, 'tornado': 36785, 'maura': 36786, 'peeve': 36787, 'gtfo': 36788, 'tug': 36789, 'goldsbrough': 36790, 'antibac': 36791, 'southcentre': 36792, 'flexin': 36793, 'pristine': 36794, 'southaustralia': 36795, 'brevard': 36796, 'hagemann': 36797, 'capricious': 36798, 'unenforceable': 36799, 'withhold': 36800, 'dgoc': 36801, 'underpin': 36802, 'corg': 36803, 'otcmarket': 36804, 'noccp': 36805, 'zoomable': 36806, 'glossary': 36807, 'helpthosehelpingothers': 36808, 'mpgovtcrisis': 36809, 'actuallyautistic': 36810, 'petrolstations': 36811, 'officemarket': 36812, 'broth': 36813, 'selfportrait': 36814, 'lisbon': 36815, 'igersportugal': 36816, 'instagoodmyphotography': 36817, 'westphalia': 36818, 'ursula': 36819, 'heinen': 36820, 'esser': 36821, 'emeritus': 36822, 'schlesinger': 36823, 'crestview': 36824, '0016': 36825, 'parmar17': 36826, 's10': 36827, 'grassroots': 36828, 'pcmag': 36829, 'dho': 36830, 'ozium': 36831, 'odor': 36832, 'chawla': 36833, 'puree': 36834, 'trialrun': 36835, 'supremecou': 36836, 'ware': 36837, 'interrelated': 36838, 'sumitomo': 36839, '919': 36840, 'ahah': 36841, 'helpinghands': 36842, 'staysafestayhelpful': 36843, 'gujaratfightscovid19': 36844, 'baroda': 36845, 'bhavnagar': 36846, 'dontbeashitandgivebackabit': 36847, 'dontbegreedythinkoftheneedy': 36848, 'qkxp0tyusk': 36849, '45l': 36850, 'albermarle': 36851, 'pwani': 36852, 'weshallovercome': 36853, 'saludtues': 36854, 'norra': 36855, 'softener': 36856, 'poopoo': 36857, 'peepee': 36858, 'caca': 36859, 'stymy': 36860, 'ionization': 36861, 'chapelhill': 36862, 'graciously': 36863, 'whatstrending': 36864, 'crossfire': 36865, 'cambodia': 36866, 'clan': 36867, 'boggles': 36868, '5wyzwetcqg': 36869, 'illinoisan': 36870, 'stoppani': 36871, 'fea': 36872, 'demostrated': 36873, 'elisa': 36874, 'momofboys': 36875, 'maplegrov': 36876, 'disasterrelief': 36877, 'pmcares': 36878, 'rochdale': 36879, 'castleton': 36880, 'baggies': 36881, 'rollbakcs': 36882, 'wgc': 36883, 'calmlyshopping': 36884, 'sudhar': 36885, 'jaao': 36886}
#One Hot Encoding
def OHE_vector(string):
  OHE_encoded =[]
  for word in string.split():
    temp =[0]*len(vocab)
    if word in vocab:
      temp[vocab[word]-1] =1
    OHE_encoded.append(temp)
  return OHE_encoded
# the first is the text to be One Hot Encoded, the later is the vectors created for each word and the ordinal position of each word. This case present issues of sparcity
print(twitter[1])
OHE_vector(twitter[1])
agreed i can tell you you have a better chance of dying driving to the grocery store to hoard tp than dying from the
[[0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...],
 [0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  1,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  0,
  ...]]
# Bag of Words
# It will be used the library scikit learn to calculate the density (reptitions) of the words in the corpus
from sklearn.feature_extraction.text import CountVectorizer
count_vect = CountVectorizer()

#Build a BOW representation

x_train_bow_testa = count_vect.fit_transform(X_train)
x_test_bow_testa = count_vect.transform(X_test)
print('The vocab', count_vect.vocabulary_)

#BOW of the first tweet
print('First tweet', x_train_bow_testa[0].toarray())

#Representation using the vocab created
temp = count_vect.transform(['wtf trying to buy dog food amp everything out of stock online amp instore what is wrong with people this is so unfair'])
print('BOW representation of the first tweet', temp.toarray())
The vocab {'im': 16505, 'fucking': 13579, 'calling': 5796, 'it': 17499, 'now': 22844, 'covid': 8330, '19': 361, 'isnt': 17456, 'gonna': 14366, 'kill': 18370, 'since': 29781, 'we': 35516, 're': 26670, 'all': 2396, 'eachother': 10842, 'due': 10725, 'to': 33100, 'food': 13073, 'shortage': 29559, 'the': 32655, 'panic': 24019, 'is': 17421, 'go': 14283, 'from': 13520, 'mere': 20849, 'virus': 35105, 'out': 23635, 'apocalypse': 2911, 'how': 16034, 'shit': 29453, 'going': 14332, 'right': 27765, 'you': 36624, 'cause': 6200, 'damn': 8963, 'downfall': 10521, 'agreed': 2165, 'can': 5856, 'tell': 32456, 'have': 15233, 'better': 4410, 'chance': 6429, 'of': 23143, 'dying': 10822, 'driving': 10638, 'grocery': 14694, 'store': 31314, 'hoard': 15720, 'tp': 33371, 'than': 32590, 'hosted': 15965, 'webinar': 35583, 'with': 36101, 'three': 32900, 'procurement': 25709, 'thought': 32885, 'leader': 18975, 'across': 1813, 'pharma': 24658, 'consumer': 7707, 'telco': 32427, 'and': 2692, 'automotive': 3544, 'this': 32843, 'week': 35614, 'discus': 10062, 'what': 35780, 'effect': 11080, 'will': 35997, 'on': 23310, 'in': 16669, 'wake': 35297, 'are': 3069, 'working': 36233, 'agency': 2128, 'secure': 28949, 'access': 1717, 'allotment': 2431, 'ensure': 11513, 'get': 14025, 'cattle': 6191, 'sheep': 29367, 'market': 20311, 'plate': 24926, 'additional': 1880, 'detail': 9665, 'be': 4112, 'shared': 29321, 'they': 32795, 'become': 4175, 'available': 3564, 'please': 24966, 'reach': 26674, 'question': 26323, 'or': 23500, 'concern': 7513, 'hello': 15444, 'complete': 7455, 'moron': 21502, 'then': 32722, 'these': 32767, 'word': 36206, 'for': 13184, 'man': 20158, 'charged': 6476, 'uk': 34040, 'selling': 29064, 'fake': 12250, 'kit': 18432, 'around': 3134, 'world': 36257, 'not': 22750, 'where': 35831, 'were': 35695, 'our': 23629, 'technology': 32390, 'still': 31157, 'fall': 12262, 'short': 29558, 'resource': 27414, 'sufficient': 31607, 'handle': 15043, 'challenge': 6417, 'lack': 18724, 'bank': 3890, 'inventory': 17291, 'stock': 31201, 'feed': 12498, 'people': 24447, 'no': 22573, 'toilet': 33141, 'paper': 24064, 'napkin': 22008, 'towel': 33357, 'following': 13059, 'limpopo': 19312, 'premier': 25477, 'visit': 35124, 'thohoyandou': 32867, 'today': 33112, 'shoprite': 29548, 'forced': 13196, 'close': 7022, 'adhering': 1907, 'lockdown': 19508, 'rule': 28128, 'madina': 19958, 'supermarket': 31739, 'wa': 35259, 'caught': 6198, 'sanitizers': 28470, 'reported': 27277, 'that': 32644, 'thulamela': 32940, 'municipality': 21755, 'had': 14913, 'purchased': 26090, 'rt': 28084, 'aston': 3332, 'nechells': 22212, 'foodbank': 13081, 'currently': 8765, 'experiencing': 12027, 'increased': 16747, 'demand': 9444, 'supply': 31789, 'help': 15449, 'if': 16397, 'continue': 7812, 'donate': 10395, 'throughout': 32923, 'ongoing': 23341, 'social': 30192, 'distancing': 10186, 'measure': 20643, 'converting': 7874, 'distillery': 10194, 'factory': 12207, 'producing': 25716, 'needed': 22220, 'hand': 15028, 'sanitizer': 28468, 'daily': 8911, 'voice': 35181, 'one': 23321, 'arrive': 3150, 'your': 36643, 'inbox': 16689, 'do': 10300, 'click': 6980, 'txsu': 33946, 'student': 31463, 'ha': 14895, 'work': 36213, 'doubled': 10495, 'being': 4259, 'online': 23347, 'just': 17973, 'me': 20613, 'like': 19283, 'feel': 12522, 'getting': 14048, 'more': 21479, 'usual': 34671, '2019': 487, 'best': 4385, 'friend': 13494, 'hide': 15589, 'body': 4863, '2020': 491, 'give': 14158, 'while': 35857, 'appreciate': 2982, 'latter': 18900, 'don': 10390, 'think': 32819, 'll': 19440, 'ever': 11839, 'meet': 20727, 'keith': 18219, 'way': 35498, 'oh': 23194, 'toiletpapercrisis': 33155, 'toiletpaperapocalypse': 33146, 'toiletpaper': 33144, 'shaky': 29281, 'ground': 14733, 'business': 5592, 'grind': 14672, 'down': 10519, 'because': 4168, 'hear': 15360, 'about': 1646, 'confidence': 7565, 'listen': 19364, 'here': 15533, 'at': 3349, '20': 456, 'able': 1632, 'procure': 25707, 'pack': 23868, 'puff': 26045, 'bag': 3776, 'flour': 12983, 'bar': 3915, 'soap': 30166, 'so': 30157, 'playing': 24946, 'lottery': 19695, 'tonight': 33228, 'wait': 35282, 'even': 11830, 'thing': 32813, 'happens': 15106, 'socialdistancing': 30202, 'report': 27275, 'created': 8458, 'hub': 16083, 'obtain': 23078, 'reliable': 27120, 'information': 16923, 'covering': 8319, 'health': 15315, 'home': 15800, 'routine': 28046, 'tech': 32372, 'exercise': 11968, 'politics': 25128, 'aside': 3245, 'incredible': 16751, 'response': 27446, 'critical': 8546, 'time': 33007, 'wow': 36322, 'everyone': 11855, 'seems': 28988, 'key': 18287, 'worker': 36219, 'day': 9097, 'delivery': 9423, 'driver': 10631, 'dog': 10339, 'walker': 35316, 'vape': 34802, 'shop': 29492, 'manager': 20163, 'staff': 30803, 'petrol': 24613, 'station': 30920, 'list': 19362, 'endless': 11405, 'keyworkersonly': 18298, 'stayhome': 30975, 'washyourhands': 35445, 'should': 29580, 'car': 5979, 'insurance': 17130, 'cost': 8197, 'le': 18971, 'stay': 30939, 'group': 14740, 'say': 28636, 'yes': 36572, 'risk': 27822, 'via': 34976, 'bringing': 5309, 'into': 17252, 'after': 2088, 've': 34856, 'taken': 32163, 'walk': 35313, 'having': 15241, 'local': 19482, 'when': 35823, 'open': 23427, 'otherwise': 23611, 'there': 32751, 'staple': 30860, 'anyone': 2868, 'done': 10403, 'sum': 31641, 'congress': 7611, 'urge': 34585, 'narendra': 22016, 'modi': 21313, 'government': 14474, 'share': 29318, 'profit': 25736, 'low': 19737, 'crude': 8617, 'oil': 23209, 'price': 25583, 'during': 10782, 'coronavirus': 8130, 'pti': 26003, 'brought': 5379, 'up': 34512, 'fact': 12201, 'jacking': 17580, 'everything': 11862, 'rate': 26615, 'remains': 27151, 'unchanged': 34142, 'despite': 9640, 'currency': 8760, 'crash': 8425, 'drop': 10646, 'announced': 2785, 'by': 5692, 'russia': 28175, 'ahk': 2196, 'liveticker': 19421, 'check': 6536, 'important': 16616, 'alert': 2344, 'incoming': 16722, 'economic': 10990, 'relief': 27125, 'payment': 24301, 'educate': 11058, 'yourself': 36657, 'prey': 25579, 'scammer': 28675, 'trick': 33593, 'my': 21832, 'buying': 5667, 'year': 36538, 'worth': 36307, 'cleaning': 6936, 'selfish': 29030, 'idiot': 16376, 'ashamed': 3226, 'news': 22363, 'nyc': 22973, 'pantry': 24054, 'pandemic': 23986, 'published': 26034, 'outbreak': 23640, 'unprecedented': 34414, 'collapse': 7214, 'service': 29183, 'forex': 13228, 'trading': 33425, 'melbourne': 20762, 'pick': 24748, 'grandmother': 14543, 'hospital': 15951, 'need': 22219, 'wear': 35536, 'mask': 20416, 'glove': 14248, 'stopthespread': 31304, 'stoppanicbuying': 31284, 'thank': 32594, 'solution': 30315, 'automates': 3538, 'co': 7105, 'branded': 5157, 'invitation': 17318, 'eligible': 11210, 'upgrade': 34527, 'candidate': 5885, 'drive': 10629, 'well': 35668, 'those': 32881, 'dealer': 9159, 'database': 9042, 'citizensadvice': 6831, 'responded': 27438, 'financialconductauthority': 12703, 'announcement': 2786, 'series': 29167, 'temporary': 32471, 'credit': 8475, 'card': 5993, 'some': 30327, 'other': 23607, 'term': 32511, 'debt': 9197, 'light': 19273, 'novel': 22833, 'transportation': 33505, 'skyrocketing': 29923, 'nigeria': 22487, 'who': 35908, 'offend': 23151, 'curious': 8757, 'real': 26705, 'estate': 11721, 'impacted': 16579, 'learn': 18998, 'insight': 17048, 'team': 32339, 'new': 22329, 'yorkers': 36619, 'asking': 3263, 'clue': 7066, 'past': 24206, 'recession': 26818, 'nycrealestate': 22979, 'realestate': 26707, 'farmer': 12328, 'warned': 35403, 'livestock': 19418, 'machinery': 19920, 'protected': 25888, 'thief': 32803, 'try': 33762, 'cash': 6119, 'amid': 2594, 'crisis': 8537, 'fill': 12666, 'take': 32155, 'fuel': 13602, 'likely': 19290, 'effected': 11081, 'explains': 12044, 'mean': 20629, 'filling': 12670, 'slowing': 29999, 'inside': 17042, 'increase': 16746, 'transmission': 33494, 'strategy': 31372, 'good': 14371, 'managing': 20165, 'extended': 12088, 'period': 24506, 'contact': 7759, 'queue': 26329, 'footfall': 13174, 'public': 26014, 'space': 30460, 'obamacare': 23032, 'consolidation': 7675, 'raising': 26490, 'patient': 24243, 'australia': 3503, 'prime': 25615, 'minister': 21121, 'stop': 31258, 'hoarding': 15727, 'shopper': 29531, 'country': 8272, 'empty': 11357, 'shelf': 29383, 'growing': 14750, 'over': 23710, 'rapid': 26596, 'spread': 30678, 'which': 35853, 'infected': 16880, 'nearly': 22199, '180': 341, '00': 0, 'worldwide': 36286, 'before': 4220, 'helped': 15453, 'distribute': 10215, 'emergency': 11283, 'an': 2657, 'average': 3577, '160': 302, 'household': 16006, 'month': 21436, 'figure': 12652, 'already': 2474, 'stand': 30843, 'total': 33300, '441': 954, 'struggling': 31453, 'keep': 18181, 'running': 28148, 'kind': 18388, 'situation': 29840, 'gun': 14846, 'correct': 8165, 'answer': 2806, 'won': 36169, 'water': 35477, 'order': 23512, 'toliet': 33200, 'see': 28975, 'any': 2863, 'reason': 26766, 'firearm': 12773, 'but': 5625, 'only': 23376, 'beginning': 4233, 'die': 9820, 'idea': 16355, 'end': 11391, 'hundred': 16159, 'thousand': 32890, 'son': 30351, 'essential': 11695, 'provider': 25941, 'practice': 25367, 'serious': 29170, 'deep': 9276, 'colorado': 7253, 'ag': 2105, 'vow': 35222, 'investigate': 17300, 'promise': 25797, 'refund': 26996, 'deliver': 9415, 'remember': 27164, 'muppets': 21763, 'went': 35691, 'few': 12578, 'back': 3718, 'acting': 1821, 'animal': 2750, 'looking': 19640, 'themselves': 32721, 'probably': 25686, 'avoid': 3594, 'madness': 19964, 'cardiff': 6001, 'central': 6325, 'fresh': 13465, 'fish': 12808, 'poultry': 25306, 'plus': 25020, 'stall': 30833, 'meat': 20647, 'fruit': 13541, 'veg': 34863, 'much': 21675, 'come': 7288, 'tomorrow': 33221, '8am': 1445, '15pm': 299, '02920': 54, '229202': 577, 'behavior': 4242, 'forget': 13237, 'meal': 20620, 'restaurant': 27463, 'them': 32714, 'without': 36115, 'exposing': 12077, 'community': 7387, 'infection': 16882, 'reduce': 26927, 'disruption': 10165, 'distribution': 10219, 'too': 33232, 'c4news': 5706, 'am': 2520, 'furious': 13671, 'doctor': 10313, 'spreading': 30681, 'lie': 19237, 'why': 35938, 'enough': 11490, 'tweet': 33903, 'logic': 19582, 'prediciton': 25444, 'boost': 4966, 'bored': 4991, 'quarantined': 26258, 'buyer': 5661, 'till': 32998, 'sofa': 30260, '15': 275, 'shopping': 29537, 'crush': 8635, 'retail': 27514, 'long': 19617, 'passed': 24193, 'resident': 27378, 'sanfrancisco': 28444, 'leave': 19016, 'appointment': 2981, 'run': 28142, 'strictest': 31414, 'policy': 25113, 'enacted': 11376, 'match': 20479, 'current': 8763, 'italy': 17505, '2nd': 724, 'hardest': 15143, 'hit': 15681, 'every': 11846, 'shift': 29426, 'lead': 18974, 'living': 19425, 'different': 9840, 'great': 14599, 'depression': 9556, 'defined': 9327, 'habit': 14903, 'decade': 9207, 'hyperinflation': 16260, 'wwii': 36422, 'haunt': 15224, 'german': 14002, 'nofood': 22601, 'toiletpapershortage': 33174, 'love': 19714, 'neighbor': 22251, 'together': 33123, 'couple': 8283, 'opened': 23430, 'free': 13414, 'earlier': 10853, 'support': 31799, 'family': 12283, 'nashville': 22035, 'paisley': 23924, 'mobilize': 21284, 'elderly': 11159, 'area': 3070, 'saying': 28641, 'sick': 29665, 'test': 32544, 'ill': 16471, 'until': 34482, 'two': 33938, 'tested': 32546, 'esp': 11678, 'cashier': 6128, 'gas': 13824, 'attendant': 3411, 'ship': 29444, 'goabay': 14285, 'goodsfromindia': 14395, 'aurveda': 3476, 'buyonlinefromindia': 5675, 'india': 16776, 'dock': 10308, 'operator': 23451, 'owner': 23822, 'winnigas': 36051, 'inquiry': 17028, 'post': 25258, 'boater': 4843, 'lakewinnipesaukee': 18764, 'lakelife': 18760, 'nh': 22431, 'boating': 4844, 'police': 25106, 'advice': 2005, 'someone': 30334, 'lean': 18989, 'shoulder': 29582, 'breathing': 5229, 'face': 12172, 'allowed': 2435, 'gift': 14111, 'him': 15637, 'knuckle': 18520, 'sandwich': 28440, 'cuyahoga': 8835, 'county': 8280, 'department': 9517, 'affair': 2042, 'warning': 35405, 'scam': 28668, 'related': 27088, 'stimulus': 31170, 'pharmacy': 24665, 'thermometer': 32763, 'also': 2479, 'protection': 25893, 'include': 16713, 'paracetamol': 24081, '16pk': 321, 'door': 10465, 'kenyan': 18254, 'startup': 30886, 'launch': 18912, 'ai': 2209, 'data': 9040, 'driven': 10630, 'platform': 24929, 'curb': 8744, 'healthtech': 15342, 'startuos': 30885, 'innovation': 17013, 'africa': 2076, 'blockchain': 4752, 'prompt': 25811, 'law': 18929, 'queensland': 26307, 'restock': 27471, 'hour': 15998, 'abc': 1598, 'australian': 3505, 'broadcasting': 5338, 'corporation': 8159, 'piling': 24797, 'booze': 4977, 'luck': 19786, 'wiping': 36068, 'arse': 3163, 'though': 32884, 'same': 28395, 'folk': 13051, 'bought': 5052, 'mountain': 21576, 'bog': 4870, 'roll': 27958, 'coronacrisis': 8026, 'dontpanicbuy': 10438, 'r102m': 26387, 'pay': 24289, 'bonus': 4937, 'imagine': 16515, 'tattoo': 32284, 'art': 3171, 'lysol': 19890, 'rose': 28004, 'happy': 15111, 'monday': 21379, 'financial': 12701, 'opec': 23422, 'output': 23684, 'cut': 8821, 'fluctuate': 12996, 'decline': 9243, 'dollar': 10366, 'slip': 29980, 'coming': 7317, 'soon': 30366, 'dia': 9768, 'spy': 30727, 'qq': 26200, 'cl': 6862, 'overcame': 23723, 'decided': 9225, 'put': 26138, 'their': 32704, 'workforce': 36227, 'first': 12793, 'evident': 11877, 'move': 21589, 'entrepreneur': 11545, 'fineos': 12739, 'announces': 2787, 'paid': 23901, 'calculator': 5765, 'answering': 2808, 'amount': 2624, 'might': 21013, 'apply': 2976, 'cautious': 6209, 'product': 25717, 'claim': 6864, 'prevent': 25564, 'treat': 33561, 'diagnose': 9773, 'cure': 8751, 'suspect': 31920, 'email': 11249, 'fraudstoppers': 13390, 'ok': 23241, 'gov': 14460, 'thread': 32893, 'checking': 6541, 'underscore': 34207, 'weight': 35640, 'start': 30878, 'fighting': 12646, 'emotion': 11314, 'sharing': 29332, 'reading': 26694, 'laterally': 18881, 'amp': 2626, 'verifying': 34935, 'source': 30407, 'senior': 29111, 'allow': 2433, 'ppl': 25359, 'safely': 28282, 'south': 30416, 'bay': 4053, 'chain': 6403, 'zanotto': 36726, 'implement': 16598, 'precaution': 25422, 'manufacturer': 20243, 'portal': 25212, 'been': 4202, 'latest': 18883, 'else': 11243, 'cool': 7908, 'hangout': 15083, 'always': 2512, 'busy': 5624, 'stayathomeandstaysafe': 30943, 'stayhomefornevada': 30984, 'socialdistance': 30200, 'very': 34960, 'worried': 36290, 'wearing': 35565, 'continually': 7810, 'sanitize': 28464, 'sure': 31850, 'protect': 25883, 'contracting': 7825, 'trouble': 33649, 'concentrating': 7509, 'sleeping': 29956, 'fraudsters': 13389, 'swindler': 32017, 'making': 20107, 'huge': 16107, 'misery': 21161, 'corona': 7999, 'victim': 34993, 'coronavillains': 8124, 'medical': 20681, 'arbitrage': 3047, 'horde': 15925, 'middleman': 20993, 'profiteer': 25742, 'dramatically': 10579, 'increasing': 16749, 'n95s': 21916, 'zero': 36762, 'hedge': 15400, 'global': 14220, 'catalyst': 6160, 'radical': 26442, 'gilbert': 14126, 'mercier': 20844, 'speaks': 30510, 'chronicle': 6760, 'glad': 14184, 'loblaws': 19479, 'superstore': 31773, 'frill': 13506, 'etc': 11743, 'taking': 32177, 'step': 31091, 'canada': 5857, 'coup': 8281, 'war': 35379, 'may': 20536, 'aimed': 2220, 'shale': 29283, 'benchmark': 4307, 'fallen': 12264, 'below': 4301, '10': 128, 'barrel': 3960, 'oott': 23417, 'convert': 7872, 'lunch': 19819, 'money': 21397, 'multiply': 21728, 'snack': 30096, 'feeding': 12504, 'child': 6636, 'biggest': 4510, 'refrigerator': 26993, 'tired': 33051, 'juice': 17937, 'danger': 8989, 'worse': 36296, 'recap': 26801, 'sentiment': 29139, 'estimate': 11729, 'weekly': 35617, 'update': 34518, 'mg': 20924, 'gold': 14339, 'safe': 28274, 'haven': 15236, 'investment': 17310, 'outlook': 23673, 'mildly': 21037, 'bullish': 5505, 'high': 15595, '1900': 363, '2021': 499, 'higher': 15596, '200': 457, 'per': 24476, 'oz': 23841, 'know': 18509, 'cunt': 8727, 'moaned': 21262, 'brexit': 5261, 'stayathome': 30942, 'china': 6657, 'role': 27955, 'wildlife': 35989, 'trade': 33413, 'under': 34177, 'greater': 14603, 'scrutiny': 28858, 'whether': 35849, 'pushing': 26133, 'entire': 11537, 'specie': 30526, 'brink': 5312, 'extinction': 12104, 'farm': 12322, 'endangered': 11393, 'prc': 25412, 'principal': 25629, 'silly': 29743, 'american': 2580, 'anything': 2870, 'hoarder': 15723, 'greenchile': 14622, 'nm': 22562, 'texas': 32560, 'heal': 15309, 'worship': 36301, 'song': 30355, 'playlist': 24947, 'ghaad': 14070, 'kinda': 18389, 'evaluating': 11816, 'whole': 35914, 'life': 19241, 'hays': 15259, 'corner': 7978, 'advantage': 1989, 'fear': 12464, 'cdc': 6258, 'flu': 12995, 'trend': 33573, 'attorney': 3425, 'michael': 20944, 'bailey': 3798, 'az': 3660, 'covid019': 8331, 'fraud': 13386, 'task': 32265, 'force': 13195, 'received': 26808, 'almost': 2453, '12k': 226, 'complaint': 7453, 'loss': 19686, '39m': 859, 'kudos': 18635, 'frontline': 13527, 'especially': 11681, 'nurse': 22923, 'wore': 36212, 'facemask': 12180, 'got': 14439, 'anxiety': 2858, 'pray': 25395, 'founded': 13322, 'star': 30863, 'brad': 5126, 'actress': 1842, 'kimberly': 18384, 'williams': 36004, 'throng': 32918, 'mulund': 21735, 'flouting': 12988, 'top': 33245, 'echoed': 10959, 'ppe': 25353, 'equipment': 11614, 'skyrocket': 29921, 'fan': 12293, 'bed': 4183, 'trump': 33681, 'mass': 20446, 'production': 25719, 'ago': 2157, 'save': 28595, 'did': 9813, 'gen': 13927, 'igen': 16417, 'affected': 2044, 'never': 22322, 'engage': 11452, 'activity': 1835, 'large': 18839, 'gathering': 13846, 'school': 28749, 'mandate': 20177, 'education': 11062, 'case': 6114, 'study': 31471, 'bango': 3884, 'quantifies': 26230, 'read': 26686, 'blog': 4757, 'provides': 25942, 'spend': 30559, 'forecast': 13206, 'based': 3987, 'initially': 16977, 'appdevelopers': 2938, 'appmarketing': 2978, 'mobilegames': 21276, 'birth': 4610, 'sh': 29249, 'lf': 19181, 'stable': 30793, 'greedily': 14612, 'person': 24550, 'action': 1822, 'consideration': 7660, 'others': 23608, 'chinese': 6672, 'lol': 19601, 'gasoline': 13831, 'yeah': 36536, 'clown': 7054, 'let': 19126, 'applaud': 2954, 'unsung': 34467, 'hero': 15548, 'tough': 33329, 'kirana': 18416, 'must': 21801, 'article': 3177, 'kiranastores': 18417, 'yost': 36623, 'warns': 35406, 'keen': 18178, 'wonder': 36170, 'many': 20252, 'carried': 6086, 'baby': 3697, 'self': 29017, 'isolating': 17464, 'least': 19013, 'another': 2802, 'yet': 36578, 'slot': 29992, 'collect': 7225, 'april': 3017, '1st': 451, 'live': 19403, '45': 959, 'min': 21081, 'neighbour': 22254, 'big': 4499, 'ask': 3253, 'supposed': 31830, 'changed': 6441, 'behaviour': 4245, 'lagosians': 18744, 'both': 5038, 'robbersvirus': 27893, 'robbery': 27894, 'everywhere': 11868, 'citizen': 6830, 'turning': 33873, 'vigilatees': 35033, 'nomoney': 22631, 'nopeaceofmind': 22675, 'cc': 6235, 'rise': 27807, 'warn': 35401, 'expert': 12032, 'double': 10494, 'whammy': 35777, 'erratic': 11648, 'rainfall': 26481, 'hammering': 15006, 'latin': 18891, 'economy': 11008, 'latam': 18869, 'plan': 24900, 'trip': 33618, 'mostly': 21535, 'talk': 32189, 'myself': 21873, 'doing': 10353, 'really': 26739, 'want': 35370, 'outside': 23690, 'bad': 3755, 'allergy': 2414, 'limited': 19307, 'tissue': 33059, 'hard': 15139, 'cbd': 6218, 'cannot': 5913, 'symptom': 32074, 'relieve': 27130, 'immune': 16560, 'system': 32099, 'act': 1817, 'natural': 22079, 'angelic': 2730, 'reduced': 26928, 'difficult': 9848, 'twitter': 33929, 'confirm': 7577, 'woolies': 36201, 'would': 36315, 'coronaaustralia': 8006, 'caused': 6201, 'robotics': 27909, 'accelerate': 1704, 'according': 1740, 'lesley': 19114, 'rohrbaugh': 27950, 'director': 9964, 'research': 27346, 'association': 3314, 'truly': 33679, 'heartbreaking': 15369, 'video': 35004, 'upset': 34555, 'everytime': 11866, 'such': 31580, 'hope': 15912, 'she': 29359, 'shown': 29601, 'lot': 19688, 'compassion': 7420, 'finally': 12695, 'found': 13319, 'provision': 25949, 'doitfordawn': 10357, 'allah': 2397, 'bring': 5304, 'blessing': 4722, 'effortlessly': 11093, 'recover': 26858, 'slow': 29995, 'cleaner': 6932, 'armed': 3115, 'whoever': 35913, 'he': 15292, 'saved': 28597, 'humanity': 16129, 'plenty': 24982, 'alarmed': 2300, 'supplier': 31787, 'retailer': 27526, 'surging': 31867, 'insist': 17052, 'strong': 31439, 'panicbuying': 24025, 'kaikohe': 18036, 'testing': 32553, 'positive': 25242, 'keine': 18218, 'wertgegenst': 35702, 'nde': 22180, 'fahrzeug': 12219, 'lassen': 18850, 'diesen': 9831, 'tipp': 33043, 'sollte': 30311, 'besten': 4388, 'immer': 16550, 'nicht': 22464, 'nur': 22920, 'zeiten': 36746, 'von': 35200, 'befolgen': 4218, 'rselen': 28079, 'wurde': 36404, 'scheibe': 28729, 'eines': 11135, 'pkw': 24884, 'eingeschlagen': 11136, 'mehrere': 20745, 'rollen': 27964, 'klopapier': 18476, 'gestohlen': 14021, 'happyeaster': 15117, 'chocolate': 6710, 'flower': 12990, 'instead': 17103, 'homeessentials': 15823, 'appreciated': 2983, 'clorox': 7020, 'bleach': 4707, 'evelynperezlarin': 11829, 'realtor': 26752, 'miami': 20940, 'fortuneinternationalrealty': 13297, 'canvasmiami': 5934, 'weareinthistogether': 35553, 'recent': 26812, 'focus': 13032, 'mintel': 21137, 'discovered': 10047, 'canadian': 5860, '54': 1089, 'percent': 24479, 'wash': 35422, 'frequently': 13461, 'heb': 15397, 'managed': 20161, 'prepared': 25490, 'turn': 33869, 'started': 30880, 'talking': 32191, 'january': 17650, 'began': 4226, 'wargaming': 35391, 'simulation': 29773, 'feb': 12479, 'closed': 7024, 'domestic': 10378, 'international': 17205, 'travel': 33527, 'banned': 3906, 'rocket': 27925, 'science': 28770, 'chinaliedpeopledie': 6662, 'mahavir': 20019, 'temple': 32469, 'trust': 33746, 'crore': 8583, 'mahamaya': 20012, 'lac': 18721, 'tibetan': 32960, 'baudhist': 4050, 'donating': 10398, 'giving': 14176, 'christianmissionaries': 6749, 'muslim': 21799, 'nothing': 22778, 'hindu': 15649, 'hindutva': 15652, 'disaster': 10002, 'disease': 10067, 'capitalism': 5949, 'produce': 25713, 'future': 13692, 'thru': 32931, 'job': 17804, 'hold': 15764, 'cbc': 6216, 'early': 10855, 'morning': 21498, 'limit': 19304, 'took': 33233, 'bc': 4091, 'hopefully': 15915, 'some1': 30328, 'approve': 3000, 'wise': 36084, 'decision': 9230, 'counter': 8254, 'depleting': 9535, 'city': 6834, 'tehachapi': 32419, 'page': 23897, 'including': 16717, 'offering': 23162, 'takeout': 32166, 'medium': 20711, 'advisory': 2014, 'bureau': 5539, 'xauusd': 36443, 'gc': 13884, 'glds': 14202, 'investor': 17313, 'refuge': 26994, 'safer': 28283, 'asset': 3300, 'fueled': 13603, 'sell': 29060, 'off': 23148, 'analyst': 2668, 'level': 19158, 'could': 8234, 'push': 26130, 'above': 1648, 'unnecessary': 34396, 'movement': 21592, 'enjoy': 11474, 'convenience': 7858, 'regularly': 27040, 'touching': 33321, 'nose': 22737, 'mouth': 21585, 'eye': 12137, 'coronavid19': 8123, 'kenya': 18253, 'index': 16774, 'fell': 12533, 'worsened': 36298, 'trying': 33765, 'spent': 30563, '30minutes': 764, 'website': 35588, 'site': 29832, 'seize': 29004, 'removed': 27190, 'cart': 6095, 'suppose': 31829, 'fail': 12220, 'quarantine': 26241, 'opening': 23434, 'commissioner': 7352, 'choice': 6715, 'sketchy': 29873, 'clean': 6928, 'line': 19319, 'difference': 9839, 'between': 4419, 'accept': 1711, 'paypal': 24308, 'usd': 34621, 'sketch': 29865, 'flat': 12887, 'color': 7251, 'shaded': 29257, '40': 905, 'mini': 21103, 'bg': 4442, '65': 1214, 'struggle': 31450, 'survive': 31900, 'add': 1872, 'burden': 5535, 'point': 25080, 'domino': 10388, 'healthemergency': 15333, 'supplychain': 31791, 'shut': 29632, 'crack': 8388, 'liquidity': 19353, 'shock': 29474, 'unemployment': 34252, '2x': 740, 'spx': 30725, 'bond': 4919, 'sbc': 28646, '3x': 903, 'fight': 12630, 'against': 2109, 'noval': 22830, 'safeguard': 28278, 'protective': 25895, '50': 1036, 'dhgate': 9758, 'onlineshopping': 23372, 'jueves': 17932, 'de': 9146, 'abril': 1656, 'buenas': 5458, 'tardes': 32247, 'mi': 20936, '041': 70, 'seguidores': 28999, 'en': 11368, 'desde': 9600, 'panam': 23966, 'thursday': 32948, 'april2nd': 3019, 'afternoon': 2096, 'follower': 13057, 'panama': 23967, 'everybody': 11848, 'cascara': 6113, 'instagram': 17087, 'qom': 26197, 'reportedly': 27278, 'diagnosed': 9774, 'said': 28320, 'blaming': 4684, 'iranian': 17376, 'official': 23168, 'responsibility': 27448, 'unfortunately': 34284, 'commission': 7350, 'digital': 9859, 'artwork': 3196, 'interested': 17183, 'amandahester': 2524, 'unt': 34477, 'edu': 11056, 'continues': 7814, 'fightcoronavirus': 12638, 'fightwithcoronavirus': 12649, 'vapesafe': 34811, 'vapeon': 34808, 'vapehealthy': 34805, 'vapelyfe': 34807, 'vapefam': 34804, 'vaping': 34813, 'vapor': 34814, 'vapedaily': 34803, 'vapelove': 34806, 'everzon': 11869, 'chased': 6501, 'away': 3624, 'rental': 27216, 'house': 16002, 'denying': 9513, 'inthe': 17241, 'african': 2079, 'young': 36638, 'feeling': 12524, 'affecting': 2045, 'mentalhealth': 20811, 'watch': 35468, 'look': 19633, '90': 1459, 'selfcare': 29018, 'told': 33195, 'anxious': 2861, 'region': 27020, 'swiftly': 32006, 'contain': 7766, 'minimise': 21109, 'mitigate': 21209, 'build': 5477, 'capability': 5939, 'roughly': 28033, '600': 1172, 'leisure': 19079, 'spending': 30561, 'priority': 25651, 'noticed': 22783, 'music': 21789, 'blaring': 4693, 'several': 29218, 'window': 36027, 'selfisolating': 29040, 'taste': 32273, 'maybe': 20539, 'headphone': 15304, 'govt': 14489, 'niceneighbour': 22458, 'niceneighbor': 22457, 'listening': 19367, 'heartbroken': 15370, 'parent': 24118, 'leilani': 19076, 'jordan': 17872, 'given': 14170, 'hydroxychloroquine': 16233, 'avail': 3561, 'disabled': 9980, 'front': 13523, 'giant': 14102, 'walmart': 35335, 'wegmans': 35630, 'failed': 12221, 'provide': 25938, 'enforce': 11444, 'strict': 31412, 'sale': 28351, 'identify': 16366, 'excess': 11934, 'stockpile': 31220, 'confiscated': 7584, 'compensation': 7430, 'largely': 18840, 'relies': 27129, 'proactive': 25681, 'boris': 4999, 'johnson': 17845, 'stophoarding': 31277, 'closure': 7040, 'mount': 21575, 'age': 2119, 'cre': 8449, 'continuing': 7815, 'closely': 7025, 'monitor': 21414, 'seeing': 28980, 'gropods': 14724, 'safety': 28291, 'desire': 9623, 'reliant': 27123, 'march': 20269, 'monthly': 21438, 'newsletter': 22373, 'scary': 28706, 'next': 22405, 'blatant': 4699, 'medicare': 20695, 'shitty': 29467, 'earth': 10870, 'planet': 24904, 'manger': 20194, 'kept': 18257, 'sister': 29828, '34': 800, 'although': 2497, 'number': 22907, 'slightly': 29975, 'indicative': 16805, 'unusually': 34490, 'transaction': 33463, 'size': 29852, 'stockpiling': 31224, 'ready': 26698, 'chicken': 6627, 'caregiving': 6021, 'mom': 21361, 'staying': 31008, 'keeping': 18197, 'wide': 35955, 'waiting': 35285, 'hoping': 15918, 'u2release': 33975, 'u2community': 33973, 'u2foru': 33974, 'whose': 35930, 'garage': 13796, 'full': 13626, 'anticipation': 2829, 'use': 34632, 'includes': 16715, 'wipe': 36062, 'sheet': 29373, 'killed': 18372, 'eat': 10911, 'little': 19389, 'cant': 5921, 'freak': 13398, 'extra': 12113, 'mine': 21094, 'walking': 35318, 'mile': 21038, 'carrying': 6091, 'old': 23257, 'git': 14153, 'knackered': 18488, 'torybritain': 33292, 'drove': 10654, 'absolutely': 1667, 'disgusted': 10079, 'golf': 14353, 'link': 19332, 'rd': 26664, 'lidl': 19234, 'wednesday': 35605, 'charted': 6495, '80': 1358, 'her': 15518, 'bubble': 5434, 'ample': 2628, 'merlot': 20862, 'camembert': 5831, 'delight': 9404, 'ignorance': 16428, 'believe': 4282, 'dairy': 8930, 'milk': 21047, 'falling': 12265, 'exponentially': 12069, 'dump': 10746, 'break': 5206, 'heart': 15366, 'hurt': 16193, 'wondering': 36175, 'affect': 2043, 'find': 12730, 'info': 16915, 'preparedness': 25491, 'shipping': 29448, 'often': 23184, 'security': 28956, 'tip': 33042, 'apple': 2960, 'lineup': 19324, 'iphone': 17353, 'left': 19039, 'buy': 5650, 'canned': 5908, 'tuna': 33840, 'coldpressedoil': 7199, 'chekkuoil': 6570, 'standardcoldpressedoil': 30846, 'fed': 12486, 'finishing': 12752, 'parcel': 24109, 'older': 23259, 'cancer': 5881, 'make': 20086, 'cry': 8644, 'mma': 21238, 'imma': 16543, 'straight': 31346, 'eastern': 10897, 'north': 22703, 'carolina': 6065, 'sparked': 30488, 'org': 23532, 'foodsafety': 13134, 'stressing': 31405, 'foodborne': 13088, 'illness': 16484, 'foodindustry': 13113, 'panicked': 24037, 'emptied': 11350, 'accumulate': 1755, 'saw': 28629, 'guy': 14876, 'paella': 23896, 'pi': 24741, 'ata': 3350, 'sombrero': 30326, 'hispanic': 15673, 'costing': 8211, 'million': 21064, 'alone': 2458, 'impact': 16578, 'easy': 10907, 'overlook': 23754, 'dismal': 10106, 'reality': 26730, 'producer': 25715, 'lockdown21': 19512, 'wtf': 36372, 'clothes': 7044, 'noni': 22646, 'katies': 18127, 'river': 27838, 'ect': 11019, 'preorders': 25485, 'seen': 28990, 'stuff': 31474, 'nail': 21949, 'gross': 14725, 'bossert': 5027, 'publishes': 26036, 'op': 23418, 'ed': 11023, 'advocate': 2018, 'contagion': 7764, 'development': 9712, 'compare': 7412, 'favorably': 12411, 'common': 7368, 'pretty': 25556, 'anyway': 2872, 'finish': 12750, 'ffs': 12592, 'tsavemyhandsfromthecookie': 33771, 'jar': 17655, 'waterstones': 35485, 'chief': 6633, 'exec': 11959, 'james': 17620, 'daunt': 9071, 'described': 9596, 'raised': 26488, 'member': 20777, 'utter': 34701, 'needle': 22226, 'gone': 14363, 'his': 15672, 'employee': 11341, 'dm': 10288, 'angry': 2742, 'bookseller': 4953, 'customer': 8798, 'sanitiser': 28458, 'quantity': 26234, 'lorri': 19672, 'conveniencestore': 7859, 'petrolforecourt': 24618, 'petrolstation': 24621, 'antibacterial': 2821, 'standard': 30845, 'voucher': 35220, 'designed': 9615, 'targeting': 32251, 'desperation': 9635, 'cloak': 7012, 'branding': 5163, 'popular': 25187, 'offer': 23158, 'second': 28934, 'carry': 6090, 'protecting': 25892, 'layer': 18950, 'travelling': 33540, 'rumor': 28139, 'require': 27326, 'scumbags': 28865, 'quite': 26367, 'simply': 29764, 'piece': 24773, 'thick': 32800, 'brain': 5137, 'cell': 6304, 'causing': 6203, 'literally': 19377, 'fuck': 13568, 'forever': 13226, 'toiletroll': 33182, 'notfakenews': 22766, 'rethink': 27572, 'adapt': 1860, 'socialize': 30226, 'change': 6439, 'vigilant': 35031, 'dc': 9132, 'abuse': 1685, 'exploitation': 12053, 'rely': 27146, 'mgmt': 20927, 'healthcare': 15321, 'loved': 19717, 'english': 11464, 'spanish': 30478, 'white': 35881, 'briefing': 5285, '25': 621, 'miss': 21177, 'opportunity': 23469, 'win': 36018, 'remarkable': 27156, 'participating': 24166, 'essay': 11689, 'competition': 7437, 'psychosocial': 25994, 'perspective': 24563, 'register': 27024, 'cutting': 8832, 'collapsing': 7218, 'plummeting': 25014, 'threaten': 32896, 'field': 12618, 'amazing': 2532, 'mind': 21083, 'discrediting': 10052, 'call': 5788, 'centre': 6334, 'telecom': 32430, 'engineer': 11459, 'infrastructure': 16935, 'examine': 11910, 'observation': 23060, 'leading': 18979, 'commerce': 7340, 'hong': 15879, 'kong': 18550, 'japan': 17651, 'korea': 18562, 'mrx': 21637, 'ecommerce': 10975, 'made': 19945, 'donation': 10399, 'through': 32922, 'panickbuyinguk': 24036, 'something': 30340, 'box': 5084, 'steal': 31061, 'perpetuate': 24534, 'clear': 6955, 'personal': 24552, 'send': 29096, 'mongolian': 21407, 'minfin': 21098, 'mn': 21245, 'loan': 19472, 'interest': 17181, 'postponed': 25283, 'rating': 26621, 'decreased': 9259, '12': 207, 'bn': 4823, 'splice': 30611, 'san': 28410, 'francisco': 13371, 'regarding': 27012, 'slowdown': 29996, 'cpl': 8374, 'philadelphia': 24677, 'btw': 5430, 'trumppandemic': 33721, 'gopbetrayedamerica': 14420, 'trumpfailedamerica': 33698, 'bloody': 4774, 'crazy': 8444, 'stuck': 31461, 'confirmed': 7580, 'book': 4944, 'anywhere': 2874, 'starvation': 30890, 'lowest': 19745, 'display': 10143, 'building': 5479, 'outdoors': 23650, 'indoor': 16829, 'spaced': 30462, 'certainly': 6356, 'pose': 25230, 'opinion': 23458, 'europe': 11792, 'rest': 27457, 'doe': 10335, 'alive': 2387, 'issue': 17488, 'gt': 14777, 'denmark': 9495, 'waited': 35283, 'yesterday': 36576, 'curbside': 8748, 'booked': 4946, 'kid': 18341, 'joke': 17856, 'lorry': 19673, 'hr': 16061, 'search': 28897, 'trolley': 33637, 'damage': 8955, 'unemployed': 34251, '100': 129, 'innocent': 17006, 'lost': 19687, 'negative': 22237, 'column': 7271, 'didn': 9816, 'immediate': 16545, 'markt': 20356, 'dow': 10515, 'jones': 17869, '6179': 1191, '21': 536, '23': 582, '390': 856, 'near': 22194, 'mumbai': 21739, 'mumbailockdown': 21743, '11': 179, 'asimanshidebut': 3249, 'coronainpakistan': 8058, 'blogging': 4762, 'bloggersrequired': 4760, 'filmtwitter': 12678, 'shopkeeper': 29512, 'immigrant': 16551, 'actor': 1838, 'teacher': 32335, 'celebrity': 6297, 'journalist': 17891, 'lefty': 19044, 'politician': 25124, 'moaning': 21263, 'sport': 30648, 'utility': 34690, 'preparing': 25494, 'rationing': 26629, 'clearly': 6964, 'aren': 3073, 'restocking': 27475, 'ocado': 23087, 'reconfiguring': 26845, 'nice': 22455, 'calm': 5804, 'chat': 6506, 'delighted': 9405, 'garden': 13804, 'entry': 11549, 'hse': 16073, 'gps': 14500, 'pharmacist': 24663, 'tesco': 32537, '00pm': 15, '17': 324, '13': 237, 'image': 16510, 'pasta': 24207, 'noodle': 22662, 'cereal': 6349, 'tea': 32332, 'unpublished': 34424, 'beer': 4204, 'trash': 33515, 'batch': 4017, 'cat': 6156, 'blond': 4765, 'potato': 25291, 'panicshopping': 24045, 'panicbuyinguk': 24027, 'bread': 5202, 'staysafestayhome': 31037, 'irelandlockdown': 17381, 'insane': 17031, 'normally': 22697, '270': 657, 'ridiculous': 27749, 'guelph': 14804, 'sundaythoughts': 31686, 'pricegouging': 25592, 'caroline': 6066, 'experience': 12025, 'reduction': 26936, 'rs15': 28069, 'liter': 19374, 'petroleum': 24615, 'approved': 3001, 'show': 29593, 'network': 22306, 'explosion': 12064, 'rocked': 27924, 'ferry': 12561, 'wirral': 36077, 'council': 8239, 'nosey': 22740, 'liverpool': 19415, 'littlewood': 19401, 'hollywood': 15786, '30pm': 768, 'bbc1': 4072, 'play': 24939, 'main': 20049, 'iran': 17375, 'hey': 15572, 'wrong': 36359, 'heard': 15361, 'hi': 15578, 'fargo': 12318, 'committed': 7358, 'helping': 15457, 'hardship': 15146, 'trained': 33446, 'specialist': 30518, 'lending': 19091, 'small': 30017, 'deposit': 9546, 'pet': 24583, 'canceled': 5870, 'autoship': 3553, 'ignorant': 16429, 'sometimes': 30344, 'suck': 31583, 'petfoodshortages': 24602, 'silver': 29744, 'lining': 19331, 'kidding': 18344, 'brutal': 5404, 'swear': 31981, 'dumb': 10738, 'condom': 7546, 'breed': 5232, 'chloroquine': 6704, 'earthquake': 10873, 'dodging': 10332, 'outlet': 23667, 'upkaar': 34536, 'stn': 31198, 'assam': 3283, 'alongwith': 2462, 'download': 10527, 'bluetooth': 4806, 'tracker': 33405, 'app': 2929, 'join': 17849, 'android': 2712, 'io': 17335, 'exposed': 12076, 'capitalist': 5952, 'hypocrisy': 16272, 'toward': 33354, 'shutting': 29654, 'west': 35709, 'inundated': 17274, 'worry': 36292, 'narrative': 22023, 'growth': 14757, 'mattered': 20504, 'stopping': 31290, 'behavioural': 4246, 'portlaoise': 25220, 'latex': 18885, 'mad': 19938, 'brilliant': 5299, 'general': 13934, 'rowed': 28052, 'behind': 4251, 'effort': 11092, 'tackle': 32121, 'ncis': 22157, 'civilian': 6845, 'enforcement': 11447, 'external': 12100, 'noted': 22764, 'multiple': 21723, 'attempt': 3406, 'convenient': 7861, 'sit': 29829, 'arm': 3111, 'adoption': 1962, 'amazonsmile': 2547, 'choose': 6725, 'charity': 6480, 'portion': 25217, 'proceeds': 25697, 'smell': 30055, 'hoax': 15732, 'propaganda': 25823, 'throw': 32925, 'cage': 5740, 'smollett': 30082, 'dangerous': 8990, 'riding': 27753, 'tube': 33798, 'gp': 14495, 'surgery': 31863, 'expect': 12008, 'criminal': 8522, 'sunbather': 31667, 'cv19': 8838, 'special': 30514, 'pensioner': 24439, 'suggestion': 31619, 'quickly': 26345, 'worked': 36218, 'mother': 21539, 'rn': 27868, 'tb': 32307, 'unit': 34334, 'smart': 30026, 'stocking': 31210, 'set': 29201, 'blame': 4682, 'poor': 25172, 'agree': 2164, 'correction': 8167, 'torontorealestate': 33279, 'tore': 33267, 'torontohomes': 33276, 'toronto': 33274, 'ontario': 23394, 'sector': 28948, 'uncertainty': 34141, 'death': 9174, 'toll': 33203, 'zimbabwe': 36782, 'ignoring': 16435, 'packing': 23879, 'truck': 33660, 'vegetable': 34874, 'virologist': 35091, 'confirms': 7582, 'surface': 31857, '32': 783, 'moment': 21365, 'define': 9326, 'lying': 19872, 'television': 32451, 'screen': 28832, 'half': 14971, 'beef': 4195, 'consumption': 7755, 'happening': 15105, 'restaurantmanagement': 27465, 'usda': 34624, '10m': 168, 'fund': 13645, 'administered': 1930, '75k': 1315, 'ma': 19900, 'nonprofit': 22654, 'part': 24157, 'mabiz': 19903, 'release': 27109, 'completely': 7457, 'sold': 30290, 'skorea': 29905, 'netherlands': 22301, 'weed': 35611, 'singapore': 29793, 'germany': 14004, 'basically': 3996, 'cuz': 8836, 'sitting': 29837, 'park': 24132, 'bbqs': 4087, 'party': 24181, 'encountered': 11383, 'iga': 16414, 'montreal': 21441, 'quebec': 26300, 'clerk': 6975, 'whilst': 35859, 'own': 23820, 'leyton': 19179, 'leytonstone': 19180, 'dealing': 9161, 'restricted': 27485, 'vulnerable': 35241, 'circumstance': 6821, 'indeed': 16764, 'bamboo': 3853, 'fiber': 12605, 'ordered': 23513, 'borne': 5006, 'drug': 10661, 'administration': 1931, 'fda': 12453, 'evidence': 11874, 'transmitted': 33497, 'consumeraff': 7708, 'bollock': 4900, 'bulk': 5491, 'masse': 20451, 'accidental': 1725, 'sent': 29135, 'n95': 21912, 'reasonable': 26767, 'welfare': 35666, 'ngo': 22427, 'facemasks': 12181, 'stayhomestaysafe': 31000, 'meant': 20638, 'abundant': 1683, 'either': 11140, 'starve': 30891, 'temp': 32463, 'vacancy': 34720, 'night': 22490, '2am': 688, 'sainsburys': 28330, 'sydenham': 32056, 'panicking': 24038, 'meanwhile': 20640, 'thailand': 32583, 'normal': 22690, 'silent': 29734, 'lazy': 18959, 'horror': 15945, 'costco': 8202, '16': 301, 'panicshopped': 24043, 'item': 17515, 'ghettoheatmovement': 14085, 'okay': 23242, 'hickson': 15584, 'care': 6008, 'mamaghettoheat': 20151, 'scene': 28717, 'hunger': 16165, 'game': 13775, 'pm0miixwtp': 25031, 'assume': 3316, 'carrier': 6087, 'cough': 8228, 'sneeze': 30123, 'elbow': 11154, 'watching': 35473, 'press': 25532, 'conference': 7557, 'load': 19467, 'heading': 15300, 'ny': 22966, 'each': 10840, 'coast': 7112, 'problem': 25690, 'solved': 30317, 'guess': 14807, 'industry': 16846, 'retailing': 27536, 'marketing': 20322, 'weakening': 35521, 'major': 20075, 'commodity': 7365, 'masksforthepeople': 20435, 'most': 21533, 'population': 25190, 'targeted': 32250, 'atlanta': 3376, 'detroit': 9694, 'orleans': 23564, 'milwaukee': 21074, 'nadad': 21930, '100m': 140, 'c19': 5705, 'suggest': 31616, 'paying': 24298, 'pharmaceutical': 24660, 'company': 7407, 'outrageous': 23687, 'winery': 36041, 'gallo': 13765, 'responder': 27440, 'officer': 23167, 'firefighter': 12778, 'gal': 13752, 'cassidyrae': 6143, 'medication': 20701, 'cancel': 5868, 'prepare': 25489, 'target': 32249, 'housewares': 16015, 'homeworld': 15865, 'predicted': 25448, 'somehow': 30333, 'film': 12672, 'except': 11926, 'bid': 4486, 'overcharging': 23727, 'capped': 5962, 'ply': 25027, 'surgical': 31864, 'respectively': 27428, 'jantacurfewchallenge': 17648, 'ban': 3858, 'sunbathing': 31668, 'socialising': 30220, 'bench': 4306, 'matt': 20502, 'hancock': 15026, 'marr': 20368, 'follow': 13054, 'pastry': 24216, 'pizza': 24871, 'base': 3985, 'four': 13327, 'fast': 12374, 'fun': 13637, 'drinklocal': 10627, 'consumerhabits': 7727, 'buyinghabits': 5669, 'mainoptmarketing': 20056, 'activist': 1833, 'filed': 12663, 'emotional': 11315, 'distress': 10210, 'lawsuit': 18941, 'fox': 13332, 'coverage': 8314, 'sought': 30394, 'replace': 27255, 'judge': 17919, 'overseeing': 23777, 'filing': 12664, 'crosspost': 8594, 'weirdstreamathon': 35652, 'raise': 26487, 'artist': 3186, 'deserved': 9605, 'conviviality': 7890, 'alonetogether': 2459, 'hollywoodjustfoundout': 15787, 'count': 8250, 'doesn': 10336, 'cape': 5943, 'worst': 36303, 'type': 33955, 'paedos': 23895, 'advent': 1990, 'reveals': 27631, 'flaw': 12912, 'frailty': 13358, 'cheap': 6524, 'transport': 33504, 'stopstockpiling': 31296, 'borisout': 5003, 'socialdistanacing': 30199, 'panicbuyers': 24022, 'harder': 15141, 'crowded': 8601, 'mentioned': 20820, 'lowly': 19749, 'ten': 32478, 'penny': 24433, 'shocked': 29475, 'true': 33672, 'battle': 4045, 'deaf': 9156, 'startling': 30883, 'abuja': 1680, 'deadly': 9154, 'boy': 5088, 'superchargechallenge': 31716, 'tale': 32184, 'rare': 26606, 'contains': 7775, '80vol': 1371, 'alcohol': 2329, '500': 1037, 'decrease': 9258, 'minor': 21133, 'ingredient': 16956, 'glycerine': 14267, 'h2o2': 14894, 'expense': 12021, 'asked': 3258, 'place': 24888, 'twitch': 33925, 'streaming': 31381, 'awhile': 3632, 'saving': 28621, 'staysafe': 31026, 'cornavirusoutbreak': 7972, 'twitchaffiliate': 33926, 'genuinely': 13972, 'british': 5321, 'prick': 25608, 'wellness': 35675, 'disinfectant': 10090, 'spray': 30672, 'cream': 8451, 'partner': 24174, 'code': 7146, 'discount': 10038, 'saturdayt': 28568, 'breaking': 5212, 'professor': 25732, 'stephen': 31098, 'powis': 25346, 'overnight': 23758, '170': 325, 'signed': 29717, 'volunteer': 35193, '189': 351, 'minute': 21142, 'yournhsneedsyou': 36652, 'street': 31387, 'riot': 27788, 'migrant': 21019, 'neutral': 22316, 'territory': 32528, 'spade': 30465, 'avoided': 3597, 'welp': 35678, 'besides': 4379, 'lab': 18698, 'using': 34655, 'proper': 25827, 'detect': 9670, 'super': 31708, 'conduct': 7549, 'shipment': 29445, 'strike': 31420, 'oatmeal': 23026, 'defense': 9307, 'bus': 5573, 'operate': 23442, 'remote': 27183, 'fluid': 12999, 'lady': 18734, 'asks': 3266, 'scared': 28698, 'repost': 27286, 'sea': 28878, 'spotted': 30663, 'noosaville': 22671, 'thanks': 32606, 'laugh': 18903, 'lisa': 19359, 'funny': 13659, 'noosa': 22670, 'sunshinecoast': 31703, 'prepayment': 25495, 'energy': 11431, 'meter': 20891, 'guidance': 14814, 'bailing': 3799, 'corruption': 8181, '101': 144, 'rewarding': 27679, 'ceo': 6344, 'airline': 2246, 'cruise': 8623, 'hotel': 15980, 'fly': 13008, 'vacation': 34722, 'gopfascists': 14421, 'campaigning': 5845, 'keyworkers': 18297, 'decree': 9261, 'state': 30901, 'retailstrong': 27551, 'signing': 29721, 'pledge': 24976, 'foreigner': 13217, 'immediately': 16546, 'inform': 16921, 'guardia': 14795, 'di': 9766, 'finanza': 12727, 'notice': 22781, 'excessively': 11936, 'apparently': 2937, 'six': 29842, 'foot': 13167, 'hell': 15441, 'hanging': 15080, 'laughing': 18907, 'quarantinelife': 26265, 'stimuluspackage2020': 31176, '50m': 1062, 'civil': 6844, 'legal': 19047, 'aid': 2211, 'afford': 2061, 'funding': 13649, 'lsc': 19767, 'client': 6986, 'facing': 12200, 'eviction': 11873, 'violence': 35077, 'touch': 33319, 'transmit': 33495, 'inspiring': 17072, 'biologist': 4585, 'statistician': 30927, 'servant': 29176, 'medic': 20678, 'logistics': 19590, 'countless': 8271, 'success': 31571, 'planted': 24917, 'seed': 28976, 'omg': 23299, 'toiletrolls': 33184, 'toiletpapergate': 33160, 'selfisolation': 29041, 'selfsufficient': 29056, 'gardening': 13807, 'growingmyown': 14751, 'hiking': 15626, 'judged': 17920, 'harshly': 15183, 'isolation': 17465, 'seriously': 29171, 'consider': 7656, 'nutrient': 22945, 'protein': 25908, 'delivered': 9417, 'wish': 36090, 'included': 16714, 'bailout': 3800, 'sanitation': 28453, 'backbone': 3720, 'gopbailoutscam': 14419, 'epidemic': 11589, 'taught': 32287, 'non': 22634, 'banker': 3892, 'executive': 11962, 'warehouse': 35387, 'professional': 25729, 'jog': 17835, 'neighborhood': 22252, 'wuhan': 36391, 'inviting': 17321, 'mishra19': 21166, 'mum': 21737, 'tin': 33026, 'rice': 27717, 'kitchen': 18434, 'handwash': 15068, 'greed': 14610, 'praising': 25380, 'convid19uk': 7883, 'vintage': 35065, 'range': 26574, 'unique': 34326, 'single': 29799, 'income': 16720, 'smallbusiness': 30020, 'weareintrouble': 35554, 'etsy': 11772, 'came': 5827, 'patrolling': 24260, 'abused': 1686, 'bekind': 4263, 'milan': 21033, 'temperature': 32466, 'mandatory': 20180, 'speaker': 30507, 'remind': 27169, 'distance': 10182, 'shall': 29285, 'kiryu': 18424, 'sorry': 30384, 'fps': 13344, 'yakuzakiwami2': 36502, 'ryugagotoku': 28211, 'reusable': 27617, 'mealie': 20622, '18th': 359, 'unity': 34348, 'society': 30244, 'lusaka': 19834, 'dctalkradio': 9138, 'visiting': 35127, 'schnucks': 28744, 'elaine': 11149, 'benes': 4320, 'cantspareasquare': 5928, 'asian': 3240, 'covered': 8316, 'socialismorbarbarism': 30222, 'cadchf': 5729, 'audchf': 3456, 'nzdchf': 23005, 'exist': 11982, 'dating': 9067, '1953': 381, '66': 1222, 'trump2020': 33683, 'maga2020': 19975, 'kag': 18026, 'ausbiz': 3479, 'device': 9720, 'notified': 22787, 'vide': 35003, 'notification': 22786, 'dated': 9063, '11th': 206, 'february': 12481, 'issued': 17489, 'ministry': 21124, 'governed': 14470, 'control': 7845, '2013': 480, 'jump': 17951, 'nz': 23003, 'newzealand': 22402, 'synthesis': 32091, 'finding': 12733, 'recommendation': 26839, 'retweet': 27606, 'message': 20872, 'physician': 24739, 'solidarity': 30305, 'tireless': 33053, 'risking': 27827, 'overworked': 23809, 'unappreciated': 34117, 'helpless': 15464, 'essentialworkers': 11707, 'owe': 23813, 'gratitude': 14580, 'stocked': 31206, 'replenished': 27261, 'importantly': 16617, 'certain': 6355, 'associate': 3312, 'deserve': 9604, 'ton': 33222, 'oadby': 23011, 'asda': 3219, 'suspending': 31924, '24': 601, 'closing': 7038, '10pm': 172, 'meps': 20828, 'cap': 5938, 'contingency': 7806, 'eu': 11774, 'arrivalist': 3149, 'pattern': 24267, 'kpvi': 18587, 'stayhomesavelives': 30996, 'marketplace': 20337, '14': 255, 'volume': 35190, '23rd': 600, 'middle': 20989, 'aisle': 2259, 'actually': 1847, 'putting': 26144, 'divide': 10254, 'combined': 7284, 'sharply': 29342, 'quarter': 26291, 'investing': 17308, 'fair': 12227, 'thankfulthursday': 32602, 'turtle': 33877, 'woe': 36150, 'spiraling': 30587, 'rubber': 28097, 'chemical': 6576, 'crudeoil': 8619, 'crudeoilprice': 8620, 'lpg': 19761, 'ethylene': 11765, 'polymer': 25144, 'chemanalyst': 6575, 'chemicaprice': 6578, 'chemicaldatabase': 6577, 'surely': 31852, 'office': 23164, 'unused': 34488, 'redistributed': 26914, 'reopen': 27227, 'jingle': 17783, 'podcast': 25065, 'youtube': 36669, 'channel': 6447, 'ringtone': 27783, 'understand': 34210, 'scarce': 28694, 'cheaper': 6525, 'luxury': 19851, 'physical': 24735, 'greedy': 14616, 'nbn': 22143, 'cope': 7936, '31st': 782, 'earliest': 10854, 'delivering': 9419, 'phone': 24704, 'elevator': 11205, 'button': 5643, 'pump': 26060, 'bottle': 5043, 'bottom': 5046, 'handbag': 15029, 'wrestlemania': 36343, 'sarika': 28535, 'contest': 7798, 'giveawayalert': 14162, 'puzzle': 26149, 'knew': 18493, 'genius': 13960, 'record': 26851, 'euro': 11788, '134': 246, 'dare': 9011, 'apocolypse': 2916, 'crone': 8576, 'caledonia': 5770, 'concerned': 7514, 'scammed': 28674, 'scamsaction': 28679, 'temporarily': 32470, 'salon': 28374, 'shampoo': 29306, 'dragged': 10568, 'refusing': 27004, 'fightcovid19': 12640, 'ghana': 14072, 'ajrnews': 2268, 'once': 23315, 'northvancouver': 22727, 'management': 20162, 'availability': 3563, 'weather': 35570, 'storm': 31332, 'amway': 2652, 'spectrum': 30537, 'basket': 4003, 'benefit': 4315, 'starting': 30882, 'veggie': 34882, 'propping': 25858, 'nutrition': 22947, 'foodsupply': 13145, 'wheat': 35812, 'egg': 11102, 'grocerybills': 14695, '3naturaln': 887, 'quietly': 26352, 'raging': 26460, 'head': 15294, 'lender': 19090, 'traditional': 33434, 'nonbank': 22636, 'player': 24942, 'sinking': 29811, 'further': 13684, 'beware': 4426, 'fraudulent': 13391, 'vaccine': 34727, 'treatment': 33564, 'evaluated': 11815, 'effectiveness': 11085, 'allowing': 2436, 'necessity': 22211, 'rip': 27792, 'disgraceful': 10074, 'vulnerability': 35240, 'outoforder': 23675, 'ebay': 10933, 'awful': 3630, 'road': 27877, 'rammed': 26538, 'seem': 28984, 'partying': 24182, 'room': 27996, 'jared': 17656, 'dad': 8895, 'kiss': 18428, 'royally': 28058, 'freaking': 13401, 'quaratinelife': 26283, 'destroy': 9657, 'useful': 34638, 'clearing': 6963, 'formaula': 13256, 'wuflu': 36390, '300th': 749, 'minnesota': 21129, 'vermont': 34944, 'classified': 6906, 'personnel': 24562, 'brussels': 5403, 'belgium': 4278, '18': 340, 'bruxelles': 5410, 'coronaoutbreak': 8076, 'togetheragainstcorona': 33124, 'preventing': 25570, 'absolute': 1666, 'selfishness': 29033, 'attack': 3399, 'president': 25529, 'packaged': 23870, 'monica': 21410, 'gellar': 13921, 'goingmental': 14334, 'usually': 34672, 'bit': 4623, 'sarcastic': 28529, 'prone': 25815, 'earnest': 10863, 'statement': 30908, 'immensely': 16548, 'proud': 25923, 'colleague': 7224, 'stepping': 31104, 'stayed': 30963, 'germaphobia': 14007, 'craziness': 8443, 'definitely': 9331, 'died': 9821, 'connecticut': 7622, 'florida': 12974, 'saturdaymorning': 28565, 'stayingalive': 31009, 'nogerms': 22605, 'supporting': 31809, 'recently': 26814, 'roundtable': 28038, 'scott': 28799, 'knaul': 18489, 'brings': 5311, 'discussion': 10065, 'tune': 33843, 'ccseries': 6252, 'canary': 5866, 'coal': 7110, 'severe': 29219, 'sink': 29809, 'remain': 27148, 'turbulence': 33856, 'boe': 4866, 'governor': 14479, 'andrew': 2707, 'holbrook': 15761, 'manchester': 20169, 'united': 34337, 'donated': 10396, 'result': 27500, 'mfm': 20923, 'heartland': 15375, 'usa': 34604, 'officially': 23169, 'pandey': 24006, 'controlling': 7851, 'costly': 8213, 'compared': 7413, 'town': 33361, 'village': 35048, 'far': 12309, 'induced': 16833, 'wife': 35968, 'inevitably': 16868, 'caring': 6037, 'herself': 15556, 'daughter': 9070, 'varying': 34833, 'degree': 9361, 'pub': 26009, 'heath': 15383, 'haywards': 15261, 'round': 28036, 'drink': 10624, 'supportlocalbusiness': 31817, 'robbing': 27895, 'york': 36617, 'manhattan': 20199, 'element': 11198, 'nearby': 22195, 'tried': 33601, 'gap': 13794, 'borisjohnson': 5001, 'nhsthankyou': 22444, 'nhsheroes': 22440, 'corvid19uk': 8188, 'joe': 17823, 'allen': 2408, 'bayhdole': 4060, 'bayh': 4059, 'dole': 10363, 'intended': 17153, 'dwindle': 10810, 'h1n1': 14892, 'sars': 28539, 'bird': 4603, 'hateful': 15212, 'telling': 32458, 'truth': 33757, 'irresponsible': 17411, 'lied': 19238, 'homeless': 15832, 'moved': 21590, 'onto': 23400, 'interview': 17237, 'gouging': 14452, 'harlem': 15158, 'olive': 23271, 'listed': 19363, 'chip': 6687, 'address': 1884, 'nation': 22048, 'committee': 7360, 'national': 22049, 'coordination': 7928, 'artificially': 3181, 'strongly': 31444, 'repress': 27298, 'prospect': 25869, 'volatile': 35185, 'mypov': 21867, 'chatter': 6511, 'background': 3728, 'lock': 19506, 'preppers': 25498, 'last': 18854, 'wks': 36131, 'peak': 24348, 'sarscov2': 28542, 'declaratory': 9237, 'ruling': 28133, 'qualifies': 26222, 'telephone': 32444, 'purpose': 26114, 'exception': 11927, 'stringent': 31424, 'consent': 7646, 'requirement': 27328, 'fixed': 12845, 'black': 4655, 'excessive': 11935, 'charge': 6473, 'incident': 16704, 'kindly': 18396, 'ep': 11578, 'honesty': 15875, 'positivity': 25250, 'soldout': 30294, 'aspect': 3274, 'spot': 30657, 'inthistogether': 17243, 'predict': 25445, 'church': 6779, 'suffer': 31600, 'unless': 34378, 'decide': 9224, 'virtual': 35094, 'psychiatrist': 25985, 'wanting': 35373, 'entertainment': 11531, 'dropping': 10651, 'story': 31336, 'adventure': 1991, 'writingcommnunity': 36355, 'forward': 13300, '10am': 157, '2pm': 729, 'bacon': 3749, 'butter': 5635, 'again': 2108, 'coronapandemic': 8078, 'planning': 24910, 'stayinformed': 31007, 'stayconnected': 30960, 'nailba2020': 21950, 'stopped': 31289, 'sliced': 29968, 'lunchmeat': 19821, '49': 1000, 'lb': 18961, 'bge': 4443, 'smokedturkey': 30079, 'ohiopreparedmeforthis': 23199, 'fridge': 13487, 'torture': 33289, 'survivor': 31906, 'fuligdi': 13625, 'terrified': 32524, 'medicine': 20703, 'djia': 10278, 'mild': 21036, 'negativity': 22239, 'trader': 33417, 'process': 25698, 'crosscurrent': 8587, 'initial': 16976, 'upward': 34573, 'spike': 30575, 'surge': 31860, 'slowly': 30000, 'grappling': 14568, 'bill': 4536, 'dont': 10414, 'panicing': 24031, 'welcome': 35660, 'melanie': 20758, 'rotating': 28020, 'selection': 29014, 'caf': 5735, 'operation': 23447, 'however': 16042, 'pre': 25414, 'cooked': 7900, 'considered': 7661, 'similar': 29749, 'interesting': 17184, 'con': 7503, 'shoukd': 29578, 'housearrest': 16003, 'freezer': 13446, 'cauliflower': 6199, 'walnut': 35341, 'taco': 32125, 'amidst': 2596, 'accelerating': 1707, 'surrounding': 31886, 'federal': 12487, 'ftc': 13559, 'refunding': 26998, 'invention': 17289, 'promotion': 25808, 'holiday': 15773, 'friday': 13480, 'sleep': 29954, 'bath': 4021, 'estimated': 11730, 'engagement': 11454, 'longer': 19621, 'benzene': 4335, 'asia': 3239, 'supported': 31804, 'solid': 30304, 'clouded': 7049, 'weak': 35518, 'icis': 16328, 'intermediate': 17197, 'solvent': 30318, 'detergent': 9679, 'lockdowneffect': 19521, 'lockdowndiaries': 19517, 'lockdownindia': 19528, 'lockdowndelhi': 19516, 'lockedindelhi': 19561, 'everyday': 11849, 'daunting': 9072, 'considerate': 7659, 'picking': 24752, 'sight': 29706, 'sign': 29709, 'petition': 24603, 'peoria': 24467, 'switching': 32031, 'example': 11914, 'ramped': 26545, 'reprogrammed': 27305, 'profiting': 25746, 'deputy': 9567, 'potential': 25294, 'oconee': 23112, 'licking': 19231, 'finger': 12742, 'section': 28946, 'decent': 9218, 'brand': 5154, 'john': 17840, 'lewis': 19172, 'debenhams': 9190, 'hmv': 15715, 'chandler': 6434, 'arizona': 3105, 'helpful': 15456, 'detailed': 9666, 'pickup': 24758, 'option': 23494, 'equinor': 11611, 'cfo': 6379, 'jesus': 17739, 'christ': 6744, 'bat': 4012, 'god': 14306, 'batsoup': 4039, 'batburger': 4016, 'batstew': 4040, 'batmeatloaf': 4034, 'batsandwich': 4038, 'batandchips': 4014, 'deepfriedbat': 9284, 'purchase': 26089, '3rd': 895, 'largest': 18842, 'position': 25236, 'hammered': 15005, 'saudia': 28576, 'arabia': 3041, 'plu': 25003, 'christmas': 6752, 'turned': 33871, 'lay': 18947, 'definately': 9325, 'imo': 16572, 'argument': 3091, 'contaminated': 7778, 'remove': 27189, 'smoke': 30077, 'eith': 11139, 'individual': 16821, 'organization': 23542, 'denver': 9511, 'rescue': 27343, 'rosengren': 28006, 'impacting': 16581, 'lane': 18816, 'notanymore': 22756, 'kroger': 18613, 'hire': 15666, 'toiletpaperpanic': 33169, 'econtwitter': 11012, 'economics': 11000, 'economicresponse': 10999, 'televangelist': 32449, 'jim': 17776, 'bakker': 3822, 'effective': 11083, 'demanding': 9449, 'prove': 25933, 'posted': 25268, 'locally': 19492, 'afraid': 2074, 'afraidinslee': 2075, 'promotes': 25806, 'calming': 5810, 'hysteria': 16279, 'fakenews': 12257, 'inslee': 17057, 'multiplies': 21727, 'encourages': 11388, 'awakening': 3615, 'qanon': 26175, 'mall': 20138, 'grab': 14503, 'refused': 27003, 'shower': 29596, 'saferathome': 28284, 'bidet': 4492, 'coping': 7939, 'gym': 14890, 'meditation': 20710, 'class': 6900, 'accounting': 1748, 'paulraftery': 24272, 'projectsrh': 25781, 'multinationalinvestment': 21720, 'soveringrisk': 30450, 'insurablerisk': 17129, 'financialreporting': 12718, 'creditrating': 8482, 'seek': 28981, 'assistant': 3308, 'outrage': 23686, 'describing': 9598, 'boomer': 4958, 'remover': 27191, 'unjustified': 34361, 'ordinary': 23520, 'passenger': 24194, 'immigration': 16554, 'custom': 8795, 'traveler': 33534, 'screening': 28835, 'protocol': 25920, 'literacy': 19375, '2u': 736, 'iplayer': 17361, 'tool': 33234, 'teach': 32334, 'wonderful': 36173, 'friendly': 13495, 'shelve': 29399, 'praised': 25379, 'note': 22762, 'newark': 22331, 'nj': 22542, 'necessary': 22209, 'newjersey': 22348, 'coronacommunity': 8023, 'hustler': 16206, 'scames': 28673, 'encourage': 11385, 'snake': 30101, 'falsely': 12271, 'touting': 33349, 'file': 12662, 'saudiarabia': 28577, 'hike': 15624, 'sha': 29252, 'riyadh': 27845, 'pandaapp': 23976, 'pakistanunitedagainstcorona': 23932, 'attitude': 3421, 'towards': 33355, 'thinking': 32826, 'optimism': 23487, 'overall': 23714, '48': 989, 'staggering': 30817, 'evading': 11811, 'harm': 15160, 'stayhomesaveli': 30993, 'curve': 8781, 'roof': 27990, 'mental': 20810, 'handsanitizer': 15055, 'pivoted': 24867, 'spirit': 30590, 'ttb': 33789, 'guideline': 14817, 'coldchain': 7196, 'magnitude': 20005, 'shining': 29439, 'bright': 5290, 'danielle': 8993, 'dimartino': 9910, 'booth': 4972, 'ex': 11896, 'reserve': 27362, 'dallas': 8943, 'author': 3517, 'sits': 29834, 'pipeline': 24839, 'shutdown': 29634, '26': 643, '51': 1066, 'anti': 2818, 'protest': 25912, 'trudeau': 33671, 'tide': 32967, 'employed': 11340, 'nov2019': 22826, 'easter': 10886, 'weekend': 35616, 'dedication': 9268, 'handy': 15073, 'expediting': 12016, 'reducing': 26934, 'eliminating': 11213, 'providing': 25943, 'residency': 27377, 'successful': 31572, 'applicant': 2971, 'worrying': 36294, 'boyfriend': 5111, 'lalo': 18771, 'na': 21917, 'ngayon': 22420, 'sa': 28222, 'taytay': 32306, 'n95mask': 21914, 'healthcareworkers': 15328, 'procedure': 25693, 'getmeppe': 14039, 'getusppe': 14053, 'deal': 9158, 'followed': 13056, 'later': 18879, '30': 742, 'sheeple': 29370, 'metre': 20902, 'pandemia': 23984, 'quedateencasa': 26303, 'qu': 26207, 'dateencasa': 9064, 'yomequedoencasa': 36610, 'pandemiacoronavirus': 23985, 'santodomingo': 28501, 'dominicanrepublic': 10387, 'riddle': 27741, 'creates': 8459, 'suspend': 31922, 'thereby': 32753, 'forcing': 13202, 'healthy': 15348, 'planned': 24907, 'surpass': 31869, 'mugged': 21691, 'grabbed': 14504, 'ran': 26550, 'lockdownuk': 19553, 'value': 34767, 'belittle': 4287, 'bin': 4551, 'bumping': 5520, 'generally': 13938, 'damned': 8965, 'bare': 3931, 'afghanistan': 2070, 'distributing': 10218, 'woman': 36163, 'displaced': 10142, 'camp': 5841, 'kabul': 18017, 'speed': 30546, 'segment': 28996, 'chilliwack': 6650, 'daventry': 9077, 'redeployed': 26899, 'overwhelmed': 23804, 'shitpocalypse': 29462, 'log': 19577, 'visited': 35126, 'regular': 27038, 'scheduled': 28726, 'frequency': 13457, 'mofos': 21326, 'twinkie': 33920, 'survival': 31892, 'woody': 36194, 'harelson': 15152, 'character': 6468, 'tallahassee': 32194, 'movie': 21598, 'zombieland': 36810, 'emptyshelves': 11359, 'biocidal': 4571, 'regulation': 27046, 'suitable': 31627, 'hygiene': 16243, 'processing': 25701, 'environment': 11558, 'catering': 6175, 'receive': 26807, 'communication': 7383, 'grant': 14551, 'exchange': 11937, 'fee': 12496, 'respond': 27437, 'carbon': 5985, 'flagship': 12865, 'slump': 30007, 'european': 11793, 'challenging': 6419, 'massive': 20455, 'ordering': 23514, 'lp': 19759, 'cd': 6256, 'independently': 16773, 'owned': 23821, 'covidiot': 8338, 'noun': 22817, 'vid': 35002, 'ee': 11070, 'ut': 34673, 'as': 3210, 'tipper': 33045, 'gigeconomy': 14120, 'quaratineandchill': 26281, 'postmates': 25279, 'wouldn': 36316, 'functional': 13640, 'supervisor': 31780, 'wh': 35771, 'required': 27327, 'irradiate': 17398, 'killing': 18377, 'ahead': 2193, 'view': 35024, 'slipped': 29982, 'side': 29681, 'crowd': 8600, 'create': 8457, 'internet': 17210, 'fulfilled': 13620, 'fcc': 12440, 'connected': 7619, 'america': 2578, 'drag': 10566, 'modernize': 21309, 'concept': 7511, 'introduced': 17264, 'urgency': 34587, 'possibly': 25257, 'goal': 14287, 'hate': 15209, 'whatsale': 35792, 'viewing': 35028, 'bst': 5417, 'fuckwits': 13593, 'complaining': 7451, 'lawsofeconomics': 18938, 'supplyanddemand': 31790, 'shortened': 29564, 'course': 8291, 'hole': 15770, 'hitting': 15691, 'observe': 23061, 'simulator': 29774, '83': 1390, 'healthyeating': 15352, 'comforteating': 7305, 'globaldata': 14223, 'debut': 9205, 'restocker': 27473, 'appearing': 2946, 'keephustling': 18195, 'keeplaughing': 18204, 'inflation': 16902, 'detention': 9677, 'dead': 9148, 'pakistan': 23928, 'kar': 18089, 'poop': 25165, 'danny': 9000, 'forevah': 13225, 'evah': 11812, 'twin': 33918, 'gave': 13857, 'forbid': 13191, 'gear': 13896, 'stopandshopdobetter': 31263, 'thankyo': 32618, 'sun': 31664, 'penetration': 24420, 'panel': 24011, 'brick': 5270, 'mortar': 21514, 'switch': 32029, 'fucker': 13575, 'embarrassing': 11262, 'charitable': 6479, 'thoughtful': 32886, 'generous': 13952, 'suppliesfor': 31788, 'corporate': 8153, 'generation': 13943, 'mba': 20555, 'badged': 3765, 'consultant': 7697, 'private': 25665, 'equiteers': 11617, 'undermining': 34197, 'resilience': 27389, 'grabbing': 14506, 'ramping': 26547, 'dobetter': 10304, 'yvr': 36704, 'disgusting': 10080, 'yyc': 36707, 'canonforcommunity': 5917, 'creator': 8468, 'sheikhhasina': 29379, 'bangladesh': 3882, 'urged': 34586, 'prison': 25654, 'cuomo': 8731, 'pledged': 24977, '35k': 823, 'coughed': 8229, 'twisted': 33923, 'prank': 25385, 'analytics': 2672, 'damaging': 8957, 'electronics': 11190, 'semiconductor': 29082, 'globally': 14235, 'wholesaler': 35919, 'diy': 10267, 'diymask': 10271, 'staysafeathome': 31027, 'facecover': 12175, 'organized': 23545, 'stayorganized': 31019, 'masks4all': 20430, 'laprotects': 18833, 'maskmabuti': 20426, 'user': 34644, 'fit': 12825, 'supermarketsweep': 31755, 'mothersday2020': 21547, 'account': 1743, 'emptying': 11358, 'paint': 23915, 'bleak': 4711, 'beyond': 4431, 'sensational': 29119, 'pull': 26048, 'becomes': 4176, 'norm': 22689, 'newhampshire': 22346, 'shoutout': 29589, 'variable': 34824, 'covid19': 8332, 'greatly': 14607, 'banish': 3886, 'wave': 35493, 'banishthebeast': 3887, 'coupon': 8285, 'added': 1873, 'emptive': 11355, 'eh': 11118, 'dollywood': 10373, 'thesmokies': 32775, 'timeline': 33016, 'eventual': 11837, 'indicator': 16806, 'improvement': 16648, 'tuned': 33844, 'shankar': 29310, 'stranded': 31352, 'evicted': 11872, 'accommodation': 1731, 'rescued': 27344, 'obvious': 23084, 'eldon': 11165, 'kinkora': 18407, 'morell': 21485, 'beat': 4134, 'queuing': 26333, 'coronavtj': 8133, 'regained': 27009, 'strength': 31394, 'lummi': 19812, 'mothersday': 21546, 'unable': 34107, 'pushed': 26132, 'east': 10882, 'exporter': 12073, 'plunging': 25019, 'glut': 14258, 'imfblog': 16532, 'significantly': 29720, 'auto': 3532, 'premium': 25481, 'reflect': 26970, 'spark': 30487, 'zealand': 36739, 'mon': 21374, '60': 1171, 'removing': 27192, 'overage': 23713, 'broadband': 5335, 'applies': 2975, 'hated': 15211, 'clarify': 6893, 'soul': 30395, 'editor': 11040, 'recycling': 26883, 'tudball': 33807, 'virgin': 35085, 'rpet': 28063, 'arent': 3075, 'sex': 29231, 'toy': 33367, 'adulttoymegastore': 1981, 'lubricant': 19782, 'vibrator': 34985, 'battery': 4043, 'requires': 27329, 'location': 19501, 'poi': 25077, 'mapping': 20260, 'rover': 28049, 'velar': 34889, 'replacement': 27257, 'engine': 11457, 'unbeatable': 34128, 'rangerover': 26575, 'uklockdownnow': 34060, 'downturn': 10548, 'nature': 22093, 'unlikely': 34381, 'negotiation': 22249, 'contract': 7823, '200330': 461, 'flight': 12940, 'club': 7059, 'wechat': 35599, 'talked': 32190, 'sneaker': 30117, 'resell': 27353, 'dropped': 10649, 'rapidly': 26597, 'jumped': 17952, 'settled': 29210, 'dinner': 9933, 'hungry': 16169, 'humane': 16125, 'hsec': 16074, 'mission': 21184, 'freeze': 13445, 'rent': 27215, 'offs': 23176, 'qualify': 26223, 'un': 34105, 'employment': 11346, 'direct': 9956, 'japanese': 17653, 'robson': 27910, 'downtown': 10541, 'vancouver': 34776, 'green': 14620, 'tape': 32236, 'marking': 20351, 'reaction': 26680, 'survivalist': 31894, 'bent': 4333, 'asshole': 3302, 'guide': 14815, 'examines': 11912, 'handling': 15046, 'disclose': 10023, 'nationwide': 22069, 'surprised': 31875, 'yelled': 36554, 'shouting': 29588, 'yell': 36553, 'hcw': 15284, 'dy': 10818, 'orphaned': 23573, 'prefer': 25459, 'nobody': 22582, 'rather': 26618, 'contamination': 7781, 'advised': 2009, '7th': 1356, 'muzak': 21825, 'awareness': 3621, 'amma': 2607, 'unavagam': 34121, 'ramanathapuram': 26526, 'coimbatore': 7174, 'ammaunavagam': 2608, 'fightagainstcoronavirus': 12632, 'anaheim': 2661, 'california': 5782, 'boycott': 5092, '1216': 214, 'magnolia': 20006, 'ave': 3570, 'ca': 5709, '92804': 1490, '714': 1285, '229': 576, '0618': 83, 'pricegougers': 25591, 'totally': 33308, 'depends': 9530, 'junk': 17962, 'prevention': 25571, 'method': 20897, 'govindia': 14484, 'indiafightscorona': 16783, 'frantic': 13381, 'scramble': 28814, 'ventilator': 34913, 'soldier': 30291, 'perfumer': 24497, 'called': 5793, 'retirement': 27578, 'moscowmitch': 21525, 'bailouts': 3802, 'fat': 12384, 'tz': 33972, 'tanzania': 32232, 'lower': 19740, 'bundle': 5523, 'bearable': 4123, 'isolated': 17462, 'hacker': 14909, 'impersonate': 16594, 'insurancefraud': 17132, 'healthcarefraud': 15324, 'threshold': 32904, 'identified': 16365, 'evolve': 11884, 'alarming': 2301, 'informative': 16927, 'particle': 24168, 'air': 2228, 'greeted': 14638, 'locked': 19559, 'reached': 26675, 'capacity': 5941, 'bradpaisley': 5130, 'st': 30778, 'louis': 19703, 'spite': 30598, 'albeit': 2311, 'unabated': 34106, 'agriculture': 2176, 'thoko': 32868, 'didiza': 9815, 'reassurance': 26775, 'democrat': 9460, 'blocking': 4756, 'assistance': 3307, 'crime': 8519, 'unrest': 34437, 'fyi': 13722, 'macon': 19927, 'bibb': 4478, 'cheney': 6588, 'brother': 5375, '478': 987, '250': 622, '3699': 836, '352': 816, '291': 680, '7800': 1331, 'prescription': 25510, 'rx': 28199, 'sunday': 31674, 'ireland': 17380, 'prohibits': 25774, 'establishment': 11718, 'dispenser': 10134, 'politely': 25121, 'picnic': 24762, 'ignore': 16432, 'reverend': 27640, 'hosting': 15971, 'dance': 8977, 'rave': 26637, 'farming': 12336, 'wedding': 35602, 'dress': 10609, 'drinking': 10626, 'wine': 36032, 'inflatable': 16897, 'unicorn': 34299, 'costume': 8216, 'kiwi': 18454, 'smiling': 30067, 'defer': 9311, 'wall': 35324, '164': 309, 'strain': 31348, 'profitability': 25737, 'nassau': 22039, 'reassure': 26776, 'countryman': 8276, 'manufacturing': 20244, 'respreators': 27455, 'clothing': 7046, 'shield': 29421, 'glass': 14196, 'auspol': 3490, 'ausgov': 3485, 'grows': 14756, 'hazard': 15262, 'tiktok': 32990, 'prompted': 25812, 'cooking': 7902, 'eating': 10919, 'accessing': 1721, 'nutritious': 22950, 'promote': 25803, 'property': 25829, 'london': 19608, 'kentucky': 18250, '99': 1533, 'gallon': 13766, 'western': 35719, 'phase': 24668, 'empathy': 11323, 'emphasizing': 11330, 'recovery': 26863, 'bounce': 5056, 'festival': 12567, 'dbrs': 9128, 'morningstar': 21499, 'downgraded': 10523, 'province': 25945, 'alberta': 2314, 'sam': 28390, 'sends': 29102, 'knowing': 18510, 'cu': 8684, 'youtuber': 36670, 'kaplamino': 18086, 'known': 18514, 'heathrobinson': 15386, 'rubegoldberg': 28102, 'contraption': 7830, 'dispensing': 10136, 'machine': 19917, 'burning': 5563, 'spring': 30696, 'housing': 16019, 'slower': 29998, 'pause': 24274, 'rabbit': 26411, 'distilling': 10195, 'led': 19028, 'paradox': 24088, 'upended': 34522, 'hum': 16121, 'along': 2460, 'dose': 10486, 'denial': 9488, 'consequence': 7648, 'sickness': 29674, 'stood': 31253, 'humor': 16147, 'stoodupjohn': 31254, 'smile': 30065, 'comedy': 7292, 'coffee': 7158, 'comic': 7310, 'merchandising': 20840, 'holding': 15768, 'shouldering': 29583, 'citizenship': 6832, '1500': 277, 'ethiopia': 11759, 'condition': 7540, 'threat': 32895, 'southernil': 30430, 'carbondale': 5986, 'littleegypt': 19392, 'southernillinois': 30431, 'illinoislockdown': 16480, 'cnn': 7100, 'legit': 19060, 'package': 23869, 'transit': 33483, 'dreading': 10602, 'shelterinplace': 29398, 'considering': 7662, 'revised': 27654, 'suite': 31629, 'advertising': 2003, 'interrupted': 17224, 'cent': 6317, 'complain': 7449, 'yourselves': 36658, 'inflicted': 16905, 'tweeting': 33907, 'ruined': 28122, 'abusing': 1687, 'hadn': 14920, 'stupid': 31486, 'washing': 35430, 'rajender': 26496, 'coronalockdown': 8064, 'shud': 29625, 'augment': 3469, 'ambulance': 2560, 'telangana': 32424, '108': 154, 'unreachable': 34428, 'hitch': 15683, 'ride': 27742, 'downlo': 10526, 'facebook': 12173, 'letting': 19151, 'washington': 35432, 'league': 18985, 'transparency': 33501, 'ethic': 11757, 'accuses': 1766, 'washlite': 35437, 'violating': 35074, 'privacy': 25660, 'margin': 20285, 'sterile': 31111, 'maximum': 20530, 'emirate': 11302, 'decontaminates': 9250, 'bruno': 5398, 'lina': 19313, 'answered': 2807, 'transfered': 33469, 'respiration': 27430, 'dear': 9167, 'sir': 29819, 'direction': 9961, 'voted': 35215, 'exploiting': 12057, 'celebrate': 6291, 'relaunch': 27096, 'sweet': 31992, 'bakery': 3817, 'damper': 8972, 'commend': 7333, 'outstanding': 23698, 'dr': 10561, 'hubert': 16090, 'minnis': 21132, 'bahamian': 3787, 'sucking': 31587, 'cock': 7128, 'ercot': 11630, 'manages': 20164, 'flow': 12989, 'electric': 11175, 'power': 25326, 'represents': 27297, 'plastic': 24923, 'reuse': 27618, 'ariadni': 3097, 'workplace': 36250, 'soared': 30172, 'predominantly': 25454, 'pair': 23919, 'isn': 17455, 'sanitary': 28451, 'tear': 32362, 'project': 25776, 'delay': 9376, 'cancellation': 5872, 'firm': 12788, 'commercial': 7342, 'dwindles': 10811, 'searching': 28902, 'differently': 9845, 'connection': 7624, 'adjusting': 1920, 'adult': 1976, 'fault': 12403, 'aged': 2121, 'uv': 34707, 'wand': 35356, 'handheld': 15037, 'ultra': 34086, 'violet': 35080, 'bacteria': 3753, 'germ': 14001, 'sterilizer': 31115, 'asos': 3272, 'plt': 25002, 'excuse': 11955, 'crappy': 8423, 'lunchboxes': 19820, 'deferral': 9313, 'collection': 7228, 'program': 25757, 'blend': 4717, 'human': 16122, '900': 1460, 'imconfusedasf': 16527, 'wherecanigo': 35836, 'californialockdown': 5784, 'assisting': 3310, 'govts': 14490, 'sourced': 30408, 'mil': 21031, 'microsoft': 20980, 'onmsft': 23384, 'hervey': 15560, 'replaced': 27256, 'toiletry': 33185, 'isle': 17449, 'filled': 12667, 'brim': 5300, '7news': 1354, 'abou': 1643, 'tq': 33394, 'dmk': 10292, 'lockdownnz': 19542, 'analysis': 2667, 'steel': 31069, 'mill': 21053, 'purchasing': 26093, 'grade': 14515, 'fine': 12737, 'sintering': 29814, 'pelletizing': 24397, 'shifting': 29428, 'lump': 19813, 'pellet': 24396, 'ironore': 17394, 'follows': 13061, 'wrecked': 36338, 'peace': 24343, 'frenzy': 13455, 'paramedic': 24100, '19uk': 420, 'hc': 15280, 'keralahighcourt': 18260, 'chinavirus': 6670, 'segovia': 28997, 'tokyo': 33193, 'reuters': 27623, 'third': 32834, 'session': 29200, 'darkened': 9018, 'triggered': 33606, 'ec': 10951, 'signal': 29711, 'sachet': 28244, 'ministryofwatergh': 21126, 'ministryofinfomation': 21125, 'ghanahealthservice': 14073, 'basic': 3995, 'nappy': 22010, 'materialising': 20488, 'disorder': 10125, 'configure': 7571, 'galen': 13756, 'weston': 35732, 'loblaw': 19478, 'sdm': 28872, 'forthecustomer': 13280, 'la': 18697, 'vega': 34864, 'lingering': 19328, 'lasvegas': 18866, 'recordnews': 26854, 'college': 7235, 'mail': 20038, 'shopoholic': 29523, 'intervention': 17236, 'entered': 11522, 'destruction': 9661, 'retailnews': 27543, 'brickandmortar': 5271, 'nestlequick': 22289, 'coca': 7125, 'cola': 7191, 'acquired': 1806, 'fewer': 12579, 'alerting': 2347, 'document': 10319, 'existed': 11984, 'uncharted': 34143, 'imposter': 16630, 'captain': 5969, '2m': 716, 'hockeyfamily': 15742, 'picture': 24766, '4yrs': 1035, 'jamming': 17628, 'checkout': 6544, 'matter': 20503, 'rotten': 28025, 'tomato': 33212, 'soup': 30405, 'screwed': 28839, 'pursuit': 26126, 'university': 34356, 'quarantinediaries': 26260, 'perfect': 24486, 'journaling': 17889, 'quarantineactivities': 26243, 'quarantinebirthday': 26248, 'masks4allchallenge': 20431, 'amwriting': 2653, 'eastersunday': 10898, 'britain': 5318, 'arrested': 3146, 'convicted': 7880, 'fined': 12738, 'failing': 12222, 'identity': 16368, 'comply': 7474, 'surprisingly': 31877, 'standing': 30851, 'announcing': 2788, 'specific': 30527, 'denied': 9489, 'bunch': 5522, 'arsehole': 3164, 'shout': 29586, 'halting': 14993, 'biofuel': 4577, 'plant': 24912, 'carers': 6028, 'keeper': 18193, 'fire': 12772, 'greatbritain': 14601, 'wanted': 35371, 'existing': 11988, 'matchstick': 20482, 'madworld': 19969, 'dip': 9946, 'earned': 10861, 'ripple': 27801, 'foodcupboards': 13095, 'swan': 31966, 'inevitable': 16867, 'rethinking': 27573, 'ive': 17552, 'kansa': 18080, 'dan': 8975, 'brien': 5287, 'updated': 34519, 'disclosure': 10026, 'senator': 29092, 'richard': 27722, 'burr': 5566, 'kelly': 18224, 'loefner': 19576, 'dianne': 9788, 'feinstein': 12527, 'ron': 27981, 'inhofe': 16968, 'tracking': 33407, 'marketer': 20319, 'commentary': 7336, 'nate': 22045, 'donnay': 10407, 'intl': 17250, 'fcstone': 12449, 'inc': 16690, 'fcm': 12445, 'division': 10260, 'quoted': 26377, 'oatt': 23028, 'center': 6319, 'provided': 25939, 'practical': 25365, 'meenal': 20721, 'sharma': 29335, 'jagtap': 17595, 'pramod': 25383, 'kumar': 18641, 'nayak': 22124, 'attended': 3412, 'webinars': 35584, 'organised': 23539, 'consulting': 7699, 'topic': 33249, 'fashion': 12362, 'mckinsey': 20593, 'gauge': 13849, 'expectation': 12009, 'survey': 31889, 'collected': 7226, 'easterbasket': 10889, 'microban': 20964, 'sprayed': 30674, 'constant': 7681, 'postcovidworld': 25266, 'newnormal': 22356, 'campaignspot': 5846, 'directly': 9963, 'paranoia': 24104, 'rumour': 28141, 'generating': 13942, 'faith': 12244, 'among': 2620, 'baseball': 3986, 'struck': 31446, 'row': 28051, 'chinesevirus': 6678, 'privilege': 25673, 'evening': 11831, 'encounter': 11382, 'dilemma': 9902, 'felt': 12538, 'breathe': 5226, 'freeverse': 13443, 'poem': 25071, 'panicattack': 24020, 'poongothai': 25164, 'aladi': 2292, 'aruna': 3200, 'grain': 14527, 'enormous': 11487, 'released': 27110, 'kg': 18304, 'cov': 8301, 'begin': 4231, 'bridge': 5273, 'wasted': 35454, 'billion': 4542, 'poverty': 25321, 'oxfam': 23828, 'waste': 35453, 'grocer': 14689, 'sheer': 29371, 'traffic': 33438, 'rural': 28165, 'northern': 22713, 'hunting': 16176, 'fishing': 12815, 'ab': 1584, 'cdnpoli': 6265, 'gurney': 14865, 'girlscoutcookies': 14151, 'woah': 36146, 'ending': 11403, 'collective': 7229, 'finland': 12755, 'certified': 6360, 'ffp2': 12589, 'expecting': 12011, 'deceived': 9213, 'era': 11622, 'hankering': 15086, 'sm': 30013, 'hypermarket': 16263, 'cubao': 8692, 'headed': 15299, 'localshops': 19494, 'exploit': 12052, 'illegal': 16472, '0203738600': 45, 'danish': 8994, 'incompetent': 16724, 'dk': 10283, 'socdem': 30189, 'kyiv': 18687, 'ukraine': 34065, 'disinfect': 10089, 'billa': 4537, 'welldone': 35672, 'perhaps': 24500, 'valley': 34763, 'arroyo': 3160, 'crossing': 8592, 'receiving': 26811, 'visitor': 35129, 'sadly': 28266, 'ketchup': 18277, 'slowthespread': 30003, 'robocalls': 27906, 'scheme': 28730, 'annoying': 2791, 'unwanted': 34497, 'hang': 15077, 'lupe': 19826, 'supplemental': 31785, 'alternative': 2491, 'overturning': 23794, 'prescribing': 25509, 'gluten': 14260, 'karma': 18105, 'none': 22638, 'posting': 25274, '70': 1266, 'curfew': 8753, 'rooah': 27989, 'sopakco': 30374, 'mre': 21625, 'ration': 26623, 'letsfightcorona': 19137, 'ignite': 16427, 'artificial': 3179, 'scarcity': 28695, 'ultimately': 34084, 'insurer': 17136, 'substantial': 31556, 'recognize': 26835, 'scriptco': 28844, 'wholesale': 35917, '10k': 165, 'taxi': 32297, 'del': 9372, 'gather': 13843, 'justify': 17982, 'armas': 3113, 'amazon': 2535, 'pricing': 25607, 'stress': 31401, 'triggering': 33607, 'heck': 15398, 'hearing': 15364, 'apart': 2884, 'elsewhere': 11244, 'thro': 32914, 'escalate': 11656, 'digest': 9852, '22': 560, 'bogus': 4881, 'snopes': 30139, 'lupus': 19828, 'arthritis': 3175, 'hyped': 16255, 'chiropractor': 6692, 'naturopath': 22098, 'plz': 25029, 'decimated': 9229, 'inflated': 16899, 'tax': 32293, 'blow': 4787, 'keg': 18216, 'packed': 23876, 'gunpowder': 14854, 'mainstream': 20057, 'republican': 27310, 'suggesting': 31618, 'sacrificed': 28252, 'gop': 14417, 'notdying4wallstreet': 22761, 'globe': 14240, 'checklist': 6543, 'cover': 8313, 'powerful': 25334, 'harmful': 15162, 'nsw': 22885, 'stepped': 31103, 'ltr': 19778, 'dettol': 9696, 'kanikakapoor': 18077, 'whatever': 35787, 'banning': 3909, 'event': 11833, 'handedly': 15034, 'undo': 34234, 'sneezing': 30126, 'centipede': 6323, 'install': 17088, 'divine': 10258, 'trumppressbriefing': 33724, 'pressconference': 25534, 'dude': 10722, 'environmental': 11559, 'sustainability': 31933, 'oilprice': 23227, 'finance': 12698, 'salute': 28383, 'aldi': 2339, 'sensibly': 29126, 'reluctant': 27144, 'expose': 12075, 'possible': 25256, 'preferred': 25464, 'swi': 32004, 'manipulation': 20217, 'uncalled': 34138, 'smack': 30015, 'bastard': 4008, 'frontliners': 13530, 'minorites': 21134, 'highly': 15609, 'lt': 19773, 'plentiful': 24981, 'spam': 30474, 'jan': 17630, 'storey': 31329, 'beaumaris': 4148, 'letter': 19147, 'william': 36003, 'hillis': 15632, 'shiller': 29434, 'responding': 27441, 'marketinsights': 20334, 'realestatetrends': 26718, 'mobile': 21270, 'van': 34774, 'jalna': 17613, '19india': 415, 'austrian': 3509, 'limiting': 19309, 'deemed': 9275, 'overstretched': 23786, 'charlotte': 6489, 'covid19uk': 8333, 'practising': 25372, 'simple': 29756, 'easyfundraising': 10908, 'taj': 32153, 'mlas': 21234, 'negotiated': 22247, 'mp': 21608, 'opposition': 23473, 'profiteering': 25744, 'feature': 12476, 'poetry': 25074, 'dalitso': 8942, 'ndlovu': 22186, 'bride': 5272, 'vain': 34740, 'sacrifice': 28251, 'elia': 11208, 'muonde': 21761, 'ink': 16990, 'oracle': 23501, 'poet': 25073, 'founder': 13323, 'joining': 17851, 'startupsvscovid19': 30888, 'ama': 2521, 'moderating': 21302, 'waynerogers': 35501, 'hilarious': 15627, 'diaper': 9789, 'wereallinthistogether': 35696, 'substitute': 31558, 'sorting': 30389, 'no10': 22575, 'armyforfooddistribution': 3123, 'seriousness': 29172, 'arduous': 3068, 'thier': 32805, 'stopit': 31280, 'houston': 16024, '30am': 756, 'sky': 29910, 'forecaster': 13208, 'doomsday': 10460, 'hnvx2ysb6b': 15716, 'sainsbury': 28329, 'halt': 14991, 'accuracy': 1759, 'flattening': 12897, 'flattenthecurve': 12900, 'skilled': 29879, 'upon': 34543, 'digitalpolice': 9887, 'soar': 30171, 'kick': 18336, 'azadpur': 3662, 'mandi': 20183, 'disrupted': 10163, 'strained': 31349, 'shed': 29364, 'fragile': 13354, 'recommend': 26838, 'gang': 13789, 'rando': 26560, 'involved': 17327, 'iowa': 17345, 'avoiding': 3598, 'mspaamericas': 21653, 'mspa': 21652, 'mysteryshopping': 21879, 'evaluator': 11818, 'lifted': 19271, 'eight': 11128, 'colombo': 7246, 'sri': 30758, 'lanka': 18823, '6am': 1246, 'vendor': 34897, 'justice': 17978, 'versova': 34956, 'natraj': 22076, 'shifa': 29424, 'yariroad': 36519, 'mumbaipolice': 21744, 'mybmc': 21837, 'cmomaharashtra': 7086, 'combat': 7277, 'richardburr': 27723, 'kellyloeffler': 18227, 'accused': 1764, 'insider': 17045, 'dumped': 10747, 'loeffler': 19575, 'suit': 31626, 'atomic': 3387, 'robot': 27908, 'lowering': 19743, 'backissueking': 3730, 'informed': 16928, 'recommended': 26840, 'postpone': 25282, 'aggressive': 2143, 'scrub': 28848, 'coat': 7115, 'plague': 24893, 'peatfree': 24360, 'compost': 7482, 'entertained': 11528, 'starbucks': 30866, 'programme': 25760, 'operated': 23443, 'licensed': 19226, 'accompaniment': 1735, 'numerous': 22913, 'genre': 13964, 'singing': 29798, 'lesson': 19123, 'swmbletin': 32036, 'discover': 10046, 'circular': 6814, 'footprint': 13179, 'cycle': 8865, 'juan': 17912, 'jos': 17875, 'argudo': 3085, 'airbnb': 2230, 'smashed': 30049, 'board': 4834, 'coughing': 8231, 'looked': 19636, 'walkingdisease': 35320, 'acquire': 1805, '100ml': 141, 'form': 13250, 'honestly': 15874, 'tricky': 33599, 'haringey': 15156, 'stepdad': 31093, 'permanent': 24515, 'er': 11621, 'pls': 24999, 'potd366': 25293, '84': 1395, 'cheer': 6551, 'potd': 25292, 'yearinphotos': 36539, 'mylifeinpictures': 21857, 'southlondon': 30437, 'northeast': 22710, 'particularly': 24170, 'mindful': 21087, 'loose': 19656, 'proposed': 25852, 'renewed': 27212, 'moratorium': 21476, 'proposal': 25850, 'classify': 6908, 'ineligible': 16858, 'leverage': 19163, 'biz': 4641, 'renter': 27218, 'homeowner': 15843, 'ph': 24649, 'grace': 14508, 'tipping': 33046, 'alaska': 2304, 'wage': 35267, '75': 1305, 'deserving': 9607, 'chunky': 6778, 'peanut': 24352, 'coronapocalypse': 8086, 'yknow': 36591, 'ryan': 28201, 'deadpool': 9155, 'nah': 21943, 'horders': 15926, 'pe': 24341, 'manufacture': 20241, 'gel': 13914, 'controlled': 7849, 'ch': 6392, 'mutiny': 21818, 'bounty': 5064, 'papertowels': 24072, 'struggled': 31451, 'revenue': 27636, 'stressed': 31403, 'vastly': 34838, 'trigger': 33604, 'tourism': 33341, 'budget': 5455, 'exorbitant': 11993, 'seller': 29061, 'shameful': 29293, 'touro': 33344, 'scruffy': 28853, 'lic': 19223, 'woodside': 36190, 'elmhurst': 11231, 'jackson': 17583, 'height': 15419, 'hamburger': 14998, 'twice': 33914, 'nystrong': 22997, 'joburg': 17817, 'luthuli': 19843, '6th': 1263, 'floor': 12967, 'sauer': 28579, 'johannesburg': 17838, 'refunded': 26997, 'develops': 9713, 'schoolclosureuk': 28754, 'inxink': 17332, 'inxnews': 17333, 'determined': 9686, 'dickhead': 9801, 'raiding': 26474, 'byham': 5694, 'ballingdon': 3840, 'operating': 23445, 'han': 15024, 'knight': 18495, 'frank': 13373, 'predicts': 25452, 'expected': 12010, 'itself': 17527, 'overblown': 23717, 'majorly': 20077, '7500': 1307, '009375': 9, 'bodega': 4856, 'sense': 29121, 'printed': 25635, 'trillion': 33610, 'partially': 24163, 'terrible': 32520, 'whereas': 35835, 'autonomy': 3550, 'printing': 25637, '3t': 899, '7b': 1346, 'upsetting': 34556, 'mailinvoting': 20044, 'vote': 35210, 'cheat': 6533, 'dublin': 10710, 'nursing': 22933, 'icw': 16345, 'ward': 35382, 'banal': 3859, 'reporting': 27281, 'fraudwatch': 13393, 'hydro': 16222, 'powering': 25338, 'thanking': 32603, 'midst': 21003, 'wednesdaymotivation': 35606, 'negatively': 22238, 'refill': 26962, 'stash': 30896, 'mondelez': 21392, 'expects': 12013, '2008': 467, 'happened': 15104, 'theft': 32686, 'deregulation': 9572, 'breakdown': 5208, 'held': 15432, 'relatively': 27095, 'surviving': 31904, 'darknet': 9021, 'checked': 6537, 'flogging': 12963, 'whom': 35920, 'villain': 35050, 'sykescottages': 32063, 'hugely': 16108, 'centric': 6339, 'sussex': 31931, 'swamped': 31965, 'braving': 5188, '55': 1094, 'easily': 10880, 'manipulated': 20214, 'react': 26677, 'leaf': 18981, 'tue': 33808, 'wed': 35601, 'butcher': 5627, 'epilepsy': 11591, 'thu': 32936, 'fri': 13476, 'sat': 28550, 'grounded': 14735, 'wild': 35978, 'portfolio': 25216, '401ks': 911, 'shelter': 29393, 'tactic': 32128, 'publix': 26038, 'mysterious': 21877, 'patch': 24223, 'forming': 13260, 'imadethisup': 16509, 'alliance': 2418, 'xu': 36480, 'ipo': 17362, 'simultaneously': 29776, 'cardiac': 5999, 'woodman': 36189, 'doings': 10355, 'bluecollarsolid': 4801, 'applause': 2959, 'serf': 29163, 'prankster': 25388, 'terror': 32529, 'convid': 7881, 'status': 30933, 'gdp': 13892, 'tn': 33094, 'borrowing': 5015, 'contraction': 7826, '2tn': 735, '136': 251, 'edible': 11034, 'dab': 8890, 'whiskey': 35874, 'ammo': 2610, 'dash': 9035, 'maker': 20098, 'coronapocalypse2020': 8087, 'wuhanvirus': 36401, 'ccp': 6246, 'father': 12392, 'separated': 29146, 'supportlocal': 31816, 'delaware': 9375, 'boutique': 5073, 'brewery': 5259, 'easier': 10878, 'totino': 33311, 'upped': 34545, '119': 198, 'patrona': 24262, 'continued': 7813, 'purdue': 26094, 'athletics': 3366, 'boilerup': 4886, '311': 773, 'wayne': 35500, 'pa': 23857, 'seafood': 28882, 'palmsunday': 23953, 'zeoliarmy': 36758, 'chemist': 6579, 'indispensable': 16819, 'dining': 9931, 'beach': 4113, 'adding': 1878, 'wastewater': 35461, 'reduces': 26932, 'dfs': 9742, 'bargain': 3935, 'michigan': 20955, 'sen': 29089, 'ruth': 28182, 'jeremy': 17720, 'moss': 21530, 'unsuspecting': 34473, 'phishing': 24696, 'downtownithaca': 10542, 'ithacany': 17519, 'investigation': 17304, 'fully': 13632, 'idling': 16384, 'feud': 12575, 'competitionalert': 7438, 'participate': 24165, 'stayhomestaysa': 30999, 'lose': 19678, 'mortgage': 21516, 'savetheeconomy': 28613, 'mess': 20871, 'obe': 23033, 'mbe': 20559, 'bezos': 4436, 'boom': 4956, 'maga': 19974, 'belive': 4288, 'shoot': 29488, 'potentialy': 25296, 'dime': 9912, 'algo': 2364, 'advocating': 2019, 'happen': 15103, 'diary': 9793, 'orpington': 23574, '4pm': 1026, 'enforced': 11446, 'leg': 19045, 'legged': 19053, 'stool': 31256, 'disappeared': 9990, 'fiat': 12603, 'prop': 25822, 'zombie': 36808, 'bamksters': 3855, 'declared': 9239, 'urging': 34590, 'failure': 12226, 'resulted': 27502, 'sharpest': 29341, 'gulf': 14838, 'coupled': 8284, 'oilpricewar': 23230, 'dentistry': 9509, 'confusion': 7599, 'furlough': 13673, 'bathandbodyworks': 4022, 'leaving': 19021, 'praise': 25378, 'ufcw': 34010, 'restriction': 27488, 'specter': 30536, 'mistrust': 21200, 'devaluation': 9701, '27': 656, 'wrenching': 36341, 'marie': 20295, 'martin': 20387, 'annoy': 2789, 'highest': 15599, 'appeal': 2940, 'forrester': 13271, 'uae': 33980, 'sample': 28403, 'businessmen': 5604, 'contribution': 7841, 'cordray': 7960, 'slammed': 29930, 'cfpb': 6381, 'cammers': 5837, 'malware': 20147, 'discounted': 10039, 'shafe': 29262, 'malicious': 20135, 'software': 30273, 'ransomware': 26588, 'lazada': 18956, 'filipino': 12665, 'worldvisionph': 36281, 'extends': 12093, 'bedbathbeyond': 4184, '33': 793, 'divert': 10249, 'superfluos': 31724, 'astroturf': 3342, 'salary': 28350, '100k': 138, 'max': 20522, 'superm': 31733, 'modrnhealthcr': 21319, 'grow': 14746, 'annual': 2793, '2028': 504, 'projection': 25779, 'heartfelt': 15373, 'mla': 21233, 'baramati': 3917, 'agro': 2179, '500ltrs': 1042, 'bhandara': 4451, 'zp': 36831, 'pigeon': 24785, 'kawaii': 18146, 'safetyfirst': 28292, 'traxxfm': 33549, 'borneo': 5007, 'rutherford': 28183, 'jayson': 17670, 'lusk': 19837, 'understanding': 34213, 'necessarily': 22208, 'intention': 17164, 'assessment': 3299, 'delegate': 9380, 'authority': 3524, 'covi': 8328, 'sanitise': 28456, 'cheflife': 6565, 'chefoninstagram': 6566, 'chefanand': 6562, 'dialysis': 9784, 'immunosuppressant': 16568, 'coll': 7205, 'humble': 16140, 'request': 27322, 'waive': 35291, 'airindia': 2244, 'impossible': 16629, 'sanwo': 28506, 'olu': 23279, 'lagos': 18743, 'sock': 30253, 'nyclockdown': 22976, 'weshouldhavebeenbetterprepared': 35707, 'ebanks': 10931, 'exacerbated': 11899, 'injustice': 16989, 'experienced': 12026, 'suggests': 31621, 'mayor': 20545, 'jerry': 17727, 'demings': 9455, 'flatten': 12895, 'teen': 32405, 'filmed': 12674, 'virginia': 35088, 'stunt': 31485, 'disturbing': 10227, 'cop': 7932, 'explain': 12041, 'identical': 16362, 'trophy': 33644, 'cleveland': 6977, 'brown': 5382, 'used': 34635, 'knowledge': 18512, 'impending': 16590, 'plummeted': 25013, 'stockmarket': 31214, 'ussenate': 34668, 'bizstrongarlva': 4647, 'copper': 7944, 'import': 16614, 'tweeted': 33904, 'sanction': 28422, 'contributed': 7838, 'creation': 8461, 'takeover': 32169, 'deliberate': 9394, 'systemic': 32103, 'bbc': 4071, 'formula': 13263, 'concerning': 7515, 'severity': 29222, 'deter': 9678, 'embrace': 11269, 'bean': 4121, 'schoolsclosure': 28759, 'wereinthistogether': 35698, 'stopfakenews': 31272, 'silicon': 29738, 'tanking': 32226, 'stevejobs': 31132, 'sort': 30386, 'thuggish': 32938, 'endure': 11421, 'drayton': 10594, 'diverse': 10242, 'plcb': 24957, 'liquor': 19354, 'randomly': 26566, 'ajimal': 2265, 'kal': 18044, 'booking': 4949, 'inconsiderate': 16728, 'dozen': 10557, 'inconvenience': 16734, 'missing': 21182, '120': 208, 'sydneyproperty': 32058, 'beauty': 4154, 'russian': 28176, 'ruble': 28105, 'putin': 26139, 'speech': 30543, 'matabichos': 20474, 'exposure': 12078, 'vocs': 35170, 'puregold': 26098, 'disinfecting': 10093, 'somewhere': 30346, 'admit': 1945, 'closet': 7030, 'cleaned': 6930, 'keto': 18278, 'sad': 28255, 'superpower': 31765, 'drying': 10679, 'hip': 15660, 'usacoronavirus': 34608, 'wonhoisback': 36180, 'onedirectionsave2020': 23323, 'dramatic': 10578, 'ensuring': 11516, 'lea': 18972, 'luger': 19797, 'occurs': 23105, 'bm': 4818, 'aprilfoolsday': 3021, 'columnist': 7272, 'administrator': 1934, 'owen': 23815, 'robert': 27897, 'pent': 24440, 'tv': 33889, 'enter': 11520, 'urgent': 34588, 'allegedly': 2406, 'saliva': 28366, 'dorset': 10482, 'bridport': 5282, 'coronacrisisuk': 8027, 'morgan': 21491, 'stanley': 30858, 'quality': 26226, 'becoming': 4177, 'needier': 22224, 'cong': 7600, 'faring': 12321, 'explore': 12059, 'accelerated': 1705, 'favorite': 12412, 'digitaleu': 9872, 'twenty': 33910, 'walked': 35315, 'neck': 22214, 'fightagainstcovid19': 12633, 'bneeditorspicks': 4826, 'kazakh': 18157, 'tenge': 32493, 'plunge': 25017, 'flounder': 12982, 'kaz': 18156, 'sank': 28482, 'bne': 4824, 'kazakhstan': 18158, 'fx': 13715, 'thankful': 32600, 'authentic': 3511, 'armstrong': 3121, 'ad': 1852, 'comrade': 7501, 'metric': 20903, 'hoaxy': 15733, 'sushi': 31917, 'careful': 6017, 'husband': 16197, '26th': 655, 'engaging': 11456, 'husain': 16196, 'ray': 26647, 'obsessed': 23066, 'offence': 23150, 'irrationality': 17400, 'learned': 18999, 'metro': 20904, 'krogers': 18614, 'bless': 4718, 'residence': 27376, 'maintain': 20060, 'saudi': 28575, 'kicking': 18338, 'slashed': 29938, 'foreign': 13216, 'cabin': 5715, 'fever': 12576, 'dragging': 10569, 'draggingmain': 10570, 'americangraffiti': 2584, 'investigated': 17301, 'prohibition': 25772, 'cpa': 8362, 'unfair': 34264, 'pas': 24183, 'holy': 15794, 'organise': 23538, 'assisted': 3309, 'apartment': 2885, 'equity': 11618, 'corvid19': 8186, 'teamusa': 32358, 'senate': 29090, 'whitehouse': 35889, 'ghs100': 14098, 'ghs1': 14097, 'photo': 24715, 'notoriously': 22799, 'microbe': 20965, 'crawling': 8437, 'advisable': 2007, 'exam': 11908, 'sma': 30014, '88': 1430, 'write': 36349, 'christian': 6746, 'infect': 16879, 'valued': 34768, 'ashba': 3227, 'located': 19498, 'ineffective': 16853, '62': 1193, 'ideally': 16358, 'algorithm': 2365, 'changing': 6444, 'nintendo': 22521, 'thepurge': 32744, 'ideal': 16356, 'grateful': 14576, 'manila': 20212, 'style': 31497, 'date': 9062, 'respect': 27420, 'mobilizing': 21286, 'minimum': 21115, 'bedevils': 4186, 'lawmaker': 18936, 'commitment': 7355, 'ilorin': 16497, 'goodtime': 14398, 'uttar': 34700, 'pradesh': 25374, 'licence': 19224, 'litre': 19385, 'bookmark': 4951, 'implicatio': 16604, 'rosa': 28003, 'believed': 4283, 'sinabi': 29778, 'mo': 21259, 'alex': 2350, 'ka': 18013, 'designer': 9616, '608': 1178, '274': 661, '8199': 1378, 'paranoid': 24105, 'wuye': 36407, 'aware': 3620, 'disposable': 10148, 'motorist': 21568, 'crashed': 8426, '56': 1105, '20p': 530, 'dathan': 9066, 'ji': 17767, 'kiranawala': 18418, 'functioned': 13643, 'stip': 31183, 'physicaldistancing': 24736, 'susanna': 31912, 'askdrh': 3257, 'cinema': 6800, 'theatre': 32662, 'num': 22905, 'persistently': 24547, 'unappealing': 34116, 'pinned': 24829, 'spitting': 30601, 'phaps': 24655, 'overtake': 23790, 'proprietor': 25860, 'envt': 11566, 'creating': 8460, 'staysafeug': 31038, 'fuelupdate': 13611, 'diesel': 9828, 'static': 30916, 'successive': 31575, 'environmentalist': 11560, 'lighting': 19278, 'dna': 10295, 'calculate': 5761, '64': 1209, 'migraine': 21018, 'pill': 24798, 'amazonprime': 2543, 'vanilla': 34792, 'apologize': 2923, 'updating': 34521, 'onlyfans': 23380, 'content': 7792, 'ayrshire': 3656, 'serving': 29194, 'pr': 25364, '53': 1086, '31': 771, 'guest': 14810, 'ninahossain': 22514, 'missed': 21178, 'clip': 7007, 'speaking': 30509, 'anonymity': 2798, 'couldn': 8236, 'nicer': 22459, 'sundaymorning': 31679, 'sundayfeels': 31675, 'abandoned': 1588, 'looting': 19665, 'pussy': 26136, 'scratch': 28823, 'fought': 13317, 'stupidity': 31490, 'socialdistancingnow': 30206, 'definit': 9329, 'ikea': 16463, 'ought': 23626, 'janitor': 17640, 'exact': 11902, 'honor': 15886, 'bogota': 4877, 'guilty': 14823, 'bbva': 4089, 'quick': 26339, 'seemed': 28986, 'brushing': 5402, 'annoyed': 2790, 'speak': 30506, 'minionworld': 21118, 'stealing': 31062, 'minion': 21117, 'meme': 20780, 'parody': 24151, 'cartoon': 6104, 'animation': 2758, 'worsening': 36299, 'unknown': 34369, 'fool': 13163, 'overstock': 23785, 'outfit': 23652, 'construction': 7693, 'island': 17446, 'corn': 7970, 'noting': 22791, 'factor': 12205, 'influencing': 16911, 'madrid': 19966, 'approval': 2998, 'convalescent': 7855, 'plasma': 24920, 'therapy': 32750, 'methodist': 20898, 'eind': 11132, 'scale': 28662, 'introduce': 17263, 'epra': 11597, 'revoke': 27665, 'license': 19225, 'hiked': 15625, 'liquefied': 19348, 'baymen': 4062, 'catch': 6165, 'boosted': 4967, 'entirely': 11538, 'wanna': 35367, 'frequented': 13459, 'skeeves': 29859, 'dmv': 10294, 'dedicated': 9265, 'getupdc': 14052, 'dhl': 9761, 'expensive': 12022, 'pass': 24190, 'lockout': 19565, 'harsh': 15180, 'penalty': 24412, 'corrupt': 8179, 'punish': 26072, 'voter': 35216, 'todo': 33118, 'est': 11713, 'mal': 20114, 'gain': 13744, 'trumpkins': 33707, 'cleared': 6959, 'aquarium': 3031, 'consuming': 7753, 'unlabeled': 34371, 'neart': 22202, 'cur': 8738, 'cheile': 6568, '9400': 1496, 'jeez': 17693, 'suburban': 31564, 'symbol': 32066, 'fitting': 12832, 'coach': 7108, 'ensemble': 11507, 'healthcareworker': 15327, 'pawed': 24285, 'tortilla': 33288, 'gurbir': 14863, 'grewal': 14648, 'supermaarket': 31734, 'thankyouecommerce': 32623, 'flipkart': 12949, 'coronabelgie': 8010, 'timing': 33023, 'ap': 2882, 'profile': 25734, 'fellow': 12535, 'rooster': 27998, 'rude': 28108, 'storefight': 31321, 'infowars': 16932, 'peddles': 24366, 'conspiracy': 7678, 'theory': 32735, 'aggressively': 2144, 'fiverr': 12840, 'greeting': 14640, 'wix': 36127, 'redesigned': 26902, 'oprahwinfrey': 23476, 'guard': 14792, 'military': 21043, 'server': 29180, 'bravely': 5184, 'coronovirus': 8140, 'ssp': 30776, 'absent': 1662, 'dis': 9975, 'adversity': 1996, 'season': 28908, 'bake': 3812, 'suddenly': 31593, 'mary': 20400, 'fuckin': 13578, 'berry': 4366, 'stopfuckingpanicbuying': 31274, 'maryberry': 20403, 'thegreatbritishbakeoff': 32694, 'tgbbo': 32574, 'gbbo': 13879, 'ethanol': 11753, 'e10': 10833, 'denatured': 9485, 'isopropyl': 17479, 'bolton': 4909, 'scientist': 28777, 'randomized': 26565, 'trial': 33587, 'participant': 24164, 'respiratory': 27432, 'worrisome': 36291, 'allied': 2419, 'unitedstates': 34342, 'sunbathe': 31666, 'bj': 4648, 'approximately': 3006, 'campaign': 5842, 'headline': 15302, 'bevigilant': 4425, 'cybersecurity': 8860, 'pinellas': 24821, 'outlier': 23668, 'tout': 33347, 'perfectly': 24489, 'combination': 7282, 'wasteful': 35455, 'throwing': 32929, 'ozharvest': 23843, 'zo': 36802, 'kan': 18069, 'het': 15569, 'ook': 23413, 'denen': 9486, 'zijn': 36777, 'gek': 13913, 'nogniet': 22606, 'kr40': 18590, 'kr100': 18589, 'dint': 9940, 'onion': 23343, 'pricey': 25605, 'frozen': 13537, 'pea': 24342, 'tmoro': 33089, 'bethoughtful': 4405, 'ended': 11399, 'essentialcommodities': 11697, 'revert': 27648, '9am': 1540, 'tine': 33032, 'replenish': 27260, 'pop': 25179, 'widespread': 35961, 'significant': 29718, 'momentum': 21369, 'amenable': 2569, 'category': 6171, 'track': 33403, 'skinca': 29888, 'autistic': 3531, 'aversion': 3579, 'autism': 3530, 'nhsfoodbanks': 22439, 'nhsstaff': 22442, 'chaos': 6457, 'approached': 2993, 'desperate': 9632, 'condiment': 7539, 'palpable': 23956, 'plannedemic': 24908, 'plandemic': 24902, 'wakeup': 35302, 'cooperation': 7923, 'prudent': 25962, 'banking': 3894, 'customerservice': 8808, 'gripevine': 14678, 'com': 7273, 'beheard': 4249, 'watchdog': 35469, 'customerfeedback': 8802, 'flcx': 12914, 'foxnews': 13339, 'coronamania': 8067, 'infinite': 16891, 'flushed': 13006, 'crap': 8420, 'pertain': 24568, 'fixing': 12846, 'cartel': 6098, 'enriches': 11502, 'enemy': 11426, 'dictator': 9809, 'inadequate': 16678, 'violate': 35071, '5g': 1143, 'billgates': 4539, 'trending': 33576, 'traderjoes': 33419, 'nut': 22937, 'gm': 14268, 'despicable': 9636, 'hording': 15927, 'softpower': 30272, 'upends': 34524, 'meredith': 20850, 'babyx': 3711, 'wasting': 35462, 'realise': 26723, 'handled': 15044, 'telehealth': 32441, 'monitoring': 21416, 'chatbots': 6507, 'hiring': 15668, 'porter': 25215, 'unskilled': 34458, 'petrified': 24608, 'nonsense': 22656, 'exercising': 11970, 'nowhere': 22847, 'policing': 25112, 'rife': 27757, 'coron': 7998, 'explaining': 12043, 'invoke': 17323, 'defenceproductionact': 9300, 'blood': 4768, 'potus': 25304, 'governorcuomo': 14482, 'catastrophic': 6163, 'rejected': 27079, 'preparation': 25488, 'dismantling': 10109, 'goodfridayreads': 14379, 'climb': 6999, 'plummet': 25012, 'restructuring': 27494, 'intel': 17147, 'defiance': 9320, 'characteristic': 6470, 'tehran': 32420, 'plunged': 25018, 'extreme': 12126, 'pressure': 25540, 'elizabeth': 11221, 'somer': 30336, 'draining': 10575, 'overtime': 23792, 'satisfy': 28558, 'sensible': 29125, 'lotl': 19692, 'piled': 24793, '700': 1267, 'suspected': 31921, 'costinflation': 8210, 'stateofemergency': 30910, 'drama': 10577, 'meghanandharry': 20742, 'infinitely': 16892, 'doomsdaypreppers': 10462, 'triple': 33621, 'digit': 9858, 'hurricane': 16187, 'flood': 12964, 'asf': 3221, 'hampered': 15012, 'stage': 30810, 'stamp': 30836, 'rocking': 27930, 'scottish': 28801, 'cable': 5719, 'intensify': 17160, 'saturday': 28564, 'ted': 32396, 'mimosa': 21079, 'insolvency': 17058, 'picked': 24749, 'marginally': 20288, 'ashley': 3231, 'tisdale': 33058, 'handed': 15033, 'ashleytisdale': 3233, 'pretect': 25549, 'stayathomeorder': 30946, 'nigerian': 22488, '1billion': 428, 'dey': 9737, 'loot': 19662, 'suffering': 31603, 'alivecor': 2388, 'expanded': 11999, 'kardiamobile': 18097, '6l': 1255, 'ecg': 10955, 'dangerously': 8991, 'prolonged': 25791, 'heartbeat': 15367, 'cyprus': 8877, 'counsellor': 8248, 'debthelp': 9201, 'debtfree': 9200, 'betting': 4415, 'tho': 32866, 'uklockdown': 34059, 'climate': 6994, 'joking': 17861, 'theyve': 32797, 'utterly': 34704, 'disappointed': 9994, 'skybroadb': 29911, 'ecosystem': 11014, 'elegance': 11193, 'odisha': 23130, 'cold': 7195, 'complication': 7470, 'gotten': 14447, 'tougher': 33331, 'manipulating': 20215, 'inappropriate': 16685, 'underestimate': 34185, 'horrible': 15938, 'refried': 26989, 'plight': 24988, 'stripping': 31430, 'hashtag': 15198, 'safest': 28288, 'transact': 33461, 'lowes': 19744, 'depot': 9549, 'entering': 11523, '03': 55, 'renting': 27220, 'kally': 18052, 'khoelcher': 18321, 'gmail': 14270, 'dot': 10487, 'goodyear': 14403, 'coldwellbanker': 7202, '269': 653, '240': 602, '8824': 1435, 'avondale': 3602, 'buckeye': 5446, 'ukitaka': 34057, 'kujua': 18638, 'ni': 22449, 'bazenga': 4067, 'zao': 36727, 'bado': 3769, 'ziko': 36778, 'juu': 18005, 'toxic': 33366, 'herb': 15522, 'peapod': 24355, 'instacart': 17081, 'amazonfresh': 2540, 'shipt': 29450, 'unavailable': 34123, 'offered': 23160, 'immunocompromised': 16566, 'hella': 15442, 'broke': 5355, 'sierra': 29698, 'otto': 23619, 'winter': 36059, 'jewelry': 17754, 'abate': 1591, 'thurs': 32947, '8pm': 1456, 'applauding': 2957, 'clapforthenhs': 6885, 'clapforcarers': 6880, 'clapforkeyworkers': 6881, 'clapforteachers': 6884, 'tolerate': 33198, 'covidabuse': 8336, 'name': 21977, 'amongst': 2621, 'lengthy': 19096, 'weird': 35646, '372': 841, '35': 809, '450': 960, 'finalise': 12689, 'password': 24205, 'actual': 1844, 'keepsafe': 18209, 'reward': 27677, 'flying': 13010, 'cruising': 8627, 'smg': 30062, 'highlight': 15606, 'boob': 4939, 'celeb': 6289, 'comment': 7335, 'catsmovie': 6187, 'butt': 5633, 'newwarriors': 22391, 'sub': 31506, 'dl': 10285, 'google': 14406, 'podcasts': 25066, 'spotify': 30659, 'pandora': 24007, 'consist': 7665, 'odd': 23124, 'exciting': 11943, 'studentnurse': 31466, 'unfortunate': 34283, 'express': 12079, 'blessed': 4719, 'specially': 30522, 'importer': 16621, 'thrive': 32911, 'unite': 34335, 'oligarchy': 23270, 'rounded': 28037, 'academic': 1696, 'inspire': 17069, 'reporter': 27279, 'historical': 15677, 'lng': 19462, 'partial': 24162, 'alternate': 2489, 'ice': 16319, 'gesture': 14023, 'communityspirit': 7391, 'emerging': 11289, 'larger': 18841, 'ausag': 3477, 'pushback': 26131, 'barwa': 3982, 'airport': 2250, 'al': 2288, 'khor': 18323, 'branch': 5153, 'pdf': 24338, 'ansar': 2803, 'ansargallery': 2804, 'qatar': 26177, 'doha': 10350, 'shoplocal': 29517, 'connecting': 7623, 'postponement': 25284, 'travelcancellations': 33531, 'chargebacks': 6475, '95': 1503, 'rationally': 26627, 'bacterial': 3754, 'becteria': 4181, 'cororonavirus': 8146, 'pgm': 24648, 'cecil': 6278, 'hometown': 15861, 'carly': 6049, 'whorton': 35928, 'foodsupplychain': 13146, 'paul': 24269, 'manly': 20222, 'nanaimo': 21991, 'ladysmith': 18735, 'blank': 4689, 'cheque': 6590, 'bail': 3796, 'technician': 32386, 'payday': 24294, 'ahold': 2202, 'spoke': 30621, 'chicago': 6621, 'stopthedebttrap': 31299, 'text': 32565, 'purporting': 26113, 'claiming': 6866, 'false': 12270, 'tree': 33566, 'njcommute': 22546, 'commuting': 7395, 'abt': 1675, 'fearing': 12468, 'liar': 19201, 'localsyr': 19496, 'graph': 14562, 'ur': 34575, 'emmudate': 11310, 'au': 3443, 'ml': 21232, 'proportion': 25845, 'hair': 14941, 'incentive': 16697, 'redkenobsessed': 26916, 'versus': 34957, 'economist': 11007, 'foodiefox': 13111, 'beverage': 4422, '0cscqx1nz5': 126, 'marketresearch': 20339, 'consumerinsights': 7730, 'victory': 35001, 'chile': 6642, 'organic': 23534, 'strawberry': 31376, 'preserve': 25522, 'nightmare': 22496, 'incarceration': 16693, 'corprorate': 8162, 'stagnation': 30820, 'quantitative': 26232, 'easing': 10881, 'humanitarian': 16126, 'bigangryphil': 4500, '153': 285, 'late': 18872, 'ana': 2658, 'arrest': 3145, 'staytuned': 31047, 'recallgavinnewsom': 26800, 'panicfear': 24030, 'blizzard': 4744, 'emailing': 11251, 'reply': 27270, 'dong': 10405, 'honorable': 15887, 'charging': 6477, 'extortionate': 12110, 'cousin': 8299, 'aunty': 3474, 'transformed': 33478, 'confused': 7597, 'rising': 27815, 'fare': 12315, 'men': 20793, 'sending': 29100, 'anymore': 2867, 'simpler': 29757, 'defending': 9303, 'joined': 17850, 'tata': 32279, 'indian': 16788, 'lucrative': 19793, 'temptation': 32474, 'susceptible': 31916, 'pumped': 26061, 'wankspangle': 35366, 'tit': 33062, 'nasty': 22043, 'cockwomble': 7134, 'broccoli': 5348, 'coronavi': 8121, 'petchems': 24590, 'tracked': 33404, 'rally': 26512, 'bbl': 4083, 'petrochemical': 24612, 'drastic': 10584, '2chainz': 697, 'atlhawks': 3382, 'quavo': 26297, 'statefarm': 30906, 'thankyou': 32619, 'healthcareheroes': 15325, 'develop': 9708, 'deferment': 9312, 'repayment': 27240, 'extension': 12094, 'pj': 24874, 'coronapocolypse': 8089, 'tandem': 32216, 'adminerrorvirus': 1928, 'sacking': 28248, 'quadrupling': 26214, 'squalid': 30736, 'administrative': 1932, 'error': 11649, 'pure': 26095, 'pacman': 23883, 'lmao': 19453, 'pic': 24746, 'raided': 26471, 'sparse': 30493, 'turmoil': 33868, 'bracing': 5123, 'wider': 35959, 'composed': 7478, 'uncertain': 34140, 'heightened': 15420, 'cmc': 7079, 'cfd': 6374, 'gallaudet': 13760, 'processor': 25703, 'belong': 4297, 'chart': 6494, 'exponential': 12067, 'baltimore': 3848, 'maryland': 20404, 'apex': 2893, 'saveourfuture': 28608, 'savehumans': 28601, 'hunter': 16175, 'orwellian': 23579, 'breathtaking': 5230, 'egging': 11105, 'wartime': 35416, 'contrived': 7843, 'naivas': 21957, 'baringo': 3940, 'commander': 7325, 'ibrahim': 16306, 'abajila': 1586, 'amina': 2598, 'mutio': 21819, 'ramadhan': 26521, 'exemplary': 11963, 'christchurch': 6745, '71': 1283, 'internetfacts': 17211, 'kloudportal': 18477, 'committedtobreakthechain': 7359, 'mealsonwheels': 20627, '73': 1299, 'squeezed': 30747, 'disability': 9977, 'scrubbing': 28850, 'universal': 34351, 'surprise': 31874, 'payer': 24296, 'laying': 18952, 'bogglingly': 4875, 'blue': 4798, 'warm': 35394, 'hot': 15973, 'runwalgroup': 28154, 'audio': 3458, 'postal': 25260, 'prepares': 25493, 'paddy': 23890, 'wagon': 35271, 'lynx': 19886, 'doorstep': 10472, 'robux': 27912, 'gfx': 14064, 'swindle': 32016, 'lookout': 19643, 'nationalized': 22062, 'defective': 9298, 'smallbusinesses': 30021, 'giftcards': 14112, '401': 909, 'richmond': 27732, 'broken': 5356, 'cbs': 6231, 'philly': 24690, 'fao': 12306, 'indicates': 16802, '172': 327, 'linked': 19334, 'wonky': 36181, 'historic': 15676, 'g20': 13726, 'critic': 8545, 'vast': 34837, 'majority': 20076, 'concrete': 7529, 'bunker': 5527, 'tinned': 33038, 'inspired': 17070, 'kuwait': 18660, 'corp': 8150, 'instructed': 17117, 'subsidiary': 31545, 'capital': 5946, 'pact': 23885, 'slay': 29949, 'comfort': 7302, 'lockdownuknow': 19554, '5baje5minute': 1135, 'lockdownsouthafrica': 19550, 'coronaupdatesinindia': 8116, 'janatacurfew': 17632, 'tribute': 33592, 'fantastic': 12301, 'football': 13169, 'resume': 27505, 'portman': 25221, 'ticket': 32963, 'honour': 15890, 'boosting': 4969, 'met': 20883, 'stretched': 31409, 'thin': 32811, 'faster': 12376, 'deciding': 9227, 'transfer': 33468, 'swipe': 32024, 'jack': 17572, 'quarantineandchill': 26245, 'zombieapocalypse': 36809, 'houstonlockdown': 16027, 'concise': 7522, 'summary': 31654, 'relation': 27092, 'consumerrights': 7742, 'deliveroo': 9420, 'vital': 35143, 'inews': 16869, 'refrain': 26983, 'grocerystore': 14708, 'milano': 21035, 'catching': 6167, 'flocking': 12962, 'shouldnt': 29585, 'km': 18478, 'wasn': 35448, '10x12': 176, 'sifted': 29703, 'moscow': 21524, 'witnessed': 36122, 'eastoffice': 10903, 'hill': 15630, 'twp': 33941, 'pave': 24278, 'township': 33363, 'isolate': 17461, 'ourselves': 23632, 'jwj': 18007, 'graduated': 14521, 'vapers': 34809, 'savvy': 28627, 'confident': 7566, 'ecigs': 10962, 'publichealth': 26016, 'adjustment': 1921, 'focuscamera': 13033, 'deterioration': 9683, 'showing': 29598, 'willing': 36005, 'homemade': 15835, 'detroitstrong': 9695, 'cashapp': 6120, 'ritualsbiinky': 27835, 'responds': 27442, 'eminating': 11299, 'livid': 19424, 'haunting': 15226, 'soundbite': 30400, 'interstellar': 17230, 'globalpandemic': 14236, 'wayspeoplearetheworst': 35503, 'toiletrollchallenge': 33183, 'toiletpaperemergency': 33157, 'xbox': 36444, 'playstation': 24950, 'steam': 31064, 'stadium': 30801, 'noballs': 22578, 'leafyishere': 18984, 'ps4': 25967, 'cbdc': 6219, 'econ': 10984, 'distributional': 10220, 'implication': 16605, 'approach': 2992, 'statue': 30930, 'dat': 9039, 'monayy': 21377, 'pearl': 24357, 'everyonespoor': 11859, 'socialism': 30221, 'qurantine': 26380, 'statueslivingbetter': 30931, 'activated': 1825, 'operational': 23448, 'mama': 20150, 'sober': 30178, 'earring': 10869, 'clair': 6867, 'hedgehog': 15404, 'hedgielove': 15406, 'makingpeoplesmile': 20109, '800': 1359, '44': 951, 'browsing': 5387, '2009': 468, 'pmd09': 25035, 'bet': 4399, 'latent': 18878, 'revealed': 27629, 'beast': 4132, 'macroeconomic': 19932, 'deepen': 9279, 'summarizes': 31653, 'occasion': 23088, 'irish': 17387, 'terriblecustomerservice': 32521, 'wiltshire': 36016, '300': 743, 'dessert': 9645, 'homedeliveries': 15819, 'helpeachother': 15452, 'cancelled': 5873, 'behalf': 4237, 'syrian': 32097, 'rushed': 28168, 'resort': 27411, 'stricter': 31413, 'ester': 11727, 'vitaminc': 35146, 'reputation': 27318, 'circle': 6810, 'sanitised': 28457, 'oriented': 23552, 'eg': 11098, 'bigpharma': 4516, 'supplement': 31784, 'rightly': 27769, 'practitioner': 25373, 'gerrity': 14013, 'kevin': 18283, 'takeaway': 32159, 'hairdresser': 14946, 'reacted': 26678, 'confluence': 7588, 'technical': 32382, 'gld': 14201, 'boneless': 4926, 'whichever': 35854, 'wing': 36043, 'flavor': 12907, 'daiquiri': 8929, '5005': 1038, 'cooper': 7920, 'arlington': 3110, 'tx': 33943, 'institute': 17107, 'beating': 4140, 'punishment': 26077, 'traitor': 33452, 'pro': 25680, 'jersey': 17728, 'tcot': 32323, 'buildthewall': 5481, 'pjnet': 24876, 'evangelicals': 11821, 'uniteblue': 34336, 'p2': 23850, 'bamy': 3856, 'merchandise': 20838, 'infrared': 16934, '3m': 881, 'bamyglobal': 3857, '861577877688': 1417, 'whatspps': 35798, '8618607740759': 1419, '07063501522': 87, '08028611855': 110, 'electricity': 11178, 'distinguish': 10199, 'rwanda': 28192, 'jacked': 17576, 'ripped': 27799, 'brit': 5317, 'moscowmitchslushfund': 21526, 'trumpslushfund': 33731, 'trumpvirus': 33739, 'trumplung': 33714, 'pandumbi': 24008, 'siraj': 29820, 'chaudhry': 6514, 'md': 20607, 'hiya': 15693, 'monster': 21429, 'liveinhope': 19408, 'raleys': 26510, 'bel': 4267, 'manage': 20160, 'hmm': 15710, 'fleeced': 12921, '449': 957, '199': 400, 'staythef': 31044, 'athome': 3368, 'capping': 5963, 'shooting': 29490, 'coronaupdatesindia': 8115, 'groceryworkers': 14717, 'bernie': 4359, 'guarantee': 14788, 'uninsured': 34317, 'insured': 17135, 'billing': 4541, '150': 276, '400': 906, '1yr': 455, 'heroic': 15549, 'selfegodrivenisolation': 29022, 'pipedown': 24838, 'importance': 16615, 'musician': 21792, 'dancer': 8980, 'model': 21295, 'apocalypse2020': 2912, 'hedging': 15407, 'workout': 36248, 'multi': 21712, 'millionaire': 21066, 'dentist': 9508, 'swimming': 32012, 'pool': 25159, 'sauna': 28584, 'mansion': 20235, 'hq': 16059, 'sweep': 31988, 'bakersfield': 3816, 'socialmediamarketing': 30236, 'networkmarketing': 22307, 'sth': 31142, 'soft': 30264, 'federation': 12491, 'merchant': 20841, 'advance': 1984, 'nerida': 22279, 'conisbee': 7614, 'tirupati': 33057, 'vegetableprices': 34877, 'italian': 17500, 'greek': 14619, 'jt': 17909, 'peter': 24593, 'whatshisname': 35796, 'lobster': 19480, 'tank': 32223, 'france': 13362, 'spain': 30470, 'austria': 3508, 'religion': 27133, 'looroll': 19654, 'madincanada': 19960, 'promotionalproducts': 25810, 'signage': 29710, 'clawed': 6920, 'writes': 36353, 'mcpro': 20603, 'marketswithmc': 20344, 'cougher': 8230, 'raymond': 26649, 'coombs': 7914, 'appears': 2947, 'court': 8292, 'lessen': 19118, '30th': 770, 'obviously': 23085, 'amend': 2570, 'massively': 20456, 'tragedy': 33439, 'hal': 14962, 'sosabowski': 30390, 'returned': 27603, 'regret': 27034, 'holder': 15767, 'requiring': 27330, '01765': 37, '680215': 1233, 'representing': 27296, 'ordinance': 23518, 'mtnwestnews': 21669, 'commits': 7356, '25m': 638, 'waived': 35292, 'promotional': 25809, 'writer': 36351, 'logit': 19592, 'discussing': 10064, 'overrun': 23773, 'rebel': 26784, 'square': 30738, 'saturdaythoughts': 28569, 'chinaliedandpeopledied': 6661, 'observer': 23063, 'typically': 33958, 'carton': 6103, 'hindustan': 15650, 'counterfeit': 8260, 'contagious': 7765, 'flip': 12948, 'flop': 12970, 'filthy': 12682, 'responsible': 27449, 'yorkshire': 36621, 'lowe': 19739, 'metering': 20892, 'customertraffic': 8810, 'assist': 3306, 'customerexperience': 8801, 'consumerbehavior': 7713, 'retailtech': 27552, 'contapersone': 7785, 'peoplecounting': 24456, 'handing': 15040, 'rationed': 26628, 'bestofpeople': 4394, 'sec': 28931, 'thoroughly': 32880, 'finished': 12751, 'sincerest': 29786, 'desk': 9627, 'nkstain': 22557, 'underlying': 34193, 'fcukin': 12451, 'highriskcovid19': 15611, 'morrison': 21511, 'frozenfood': 13538, 'nostock': 22748, 'exchanging': 11939, 'lusty': 19841, 'various': 34829, 'lately': 18875, 'export': 12070, 'groceryworkersdie': 14718, 'storeclosings': 31317, 'usbiz': 34619, 'cdnbiz': 6263, 'console': 7672, 'breakroom': 5219, 'eventually': 11838, 'crippling': 8532, 'deprived': 9559, 'episode': 11594, 'chopped': 6730, 'entitled': 11539, 'border': 4984, 'ie': 16395, 'distributor': 10221, 'digitised': 9897, 'revamp': 27626, 'sourcing': 30409, 'olympics': 23284, 'sponsor': 30632, 'tackling': 32123, 'grown': 14752, 'seasonalworkers': 28910, 'migrantlabourers': 21020, 'shutoffs': 29645, 'mike': 21028, 'poorer': 25174, 'earning': 10864, 'agricandcovid19': 2173, 'unsolicited': 34461, 'suspicious': 31929, 'massachusetts': 20447, 'exactly': 11905, 'feared': 12465, 'demanded': 9446, 'naija': 21948, 'bbnaija': 4084, '67': 1228, 'humboldtcounty': 16143, 'widely': 35956, 'latexgloves': 18886, 'relying': 27147, 'extremely': 12129, 'hoosier': 15908, 'kinyarwanda': 18413, 'invent': 17286, 'rwot': 28198, 'fortify': 13284, 'itv': 17543, 'foundation': 13320, '3layered': 880, '24ltrs': 618, 'renowned': 27214, 'gestrointrogist': 14022, 'sarin': 28536, 'santitation': 28497, 'coronawarriors': 8134, 'itvfoundation': 17545, 'tunnel': 33850, 'installed': 17091, 'narol': 22020, 'relaxed': 27101, 'vietnam': 35021, 'malaysia': 20122, 'benefited': 4316, 'yr': 36683, 'carpe': 6076, 'diem': 9825, 'bfa': 4438, 'caliber': 5778, 'male': 20129, '62yo': 1200, 'lived': 19407, 'canberra': 5867, 'practicing': 25369, 'clientes': 6988, 'carioca': 6040, 'buscando': 5574, 'prote': 25882, 'contra': 7820, 'ru': 28092, 'supermercados': 31762, 'guanabara': 14786, 'award': 3616, 'hearted': 15371, 'uhuru': 34030, 'kenyatta': 18256, 'moody': 21451, 'awori': 3638, 'radically': 26443, 'altered': 2487, 'cole': 7203, 'landscape': 18813, 'waitrose': 35289, 'creative': 8462, 'substituting': 31559, 'bestseller': 4395, 'existential': 11987, 'lifetime': 19267, 'scratchcards': 28824, 'methinks': 20896, 'altoriesgocovid19': 2499, 'occur': 23100, 'execute': 11961, 'olympics2020': 23285, 'backdrop': 3725, 'payne': 24304, 'imitate': 16540, 'tendency': 32485, 'hev': 15570, 'directed': 9958, 'pres': 25503, '100pcs': 142, 'ppes': 25356, 'egyptian': 11117, 'internal': 17200, 'affirmed': 2055, 'resign': 27386, 'insidertrading': 17046, 'chems': 6586, 'q2': 26165, 'footing': 13176, 'mood': 21449, 'obesiti': 23035, 'launder': 18915, 'french': 13452, 'emmanuel': 11308, 'macron': 19934, 'imposed': 16624, 'declaring': 9241, 'municipal': 21754, 'election': 11169, 'duty': 10799, 'mayhem': 20541, 'inspirational': 17068, 'assault': 3285, 'ear': 10850, 'shite': 29455, 'sudden': 31591, '74': 1302, 'library': 19218, 'iymi': 17565, '6trillion': 1264, 'thai': 32582, 'seven': 29215, 'anticipated': 2826, 'rival': 27836, 'teamwork': 32359, 'displayed': 10144, 'grossly': 14730, 'inflating': 16901, 'attempting': 3408, 'bragging': 5132, 'hooper': 15905, 'neda': 22216, 'aiming': 2221, 'ass': 3280, 'ecq': 11017, 'agri': 2170, 'devendra': 9714, 'furloughed': 13674, 'modification': 21315, 'trustee': 33752, 'rush': 28167, 'cannabis': 5897, 'political': 25122, 'exaggerated': 11906, 'stfu': 31141, 'evolving': 11887, 'equally': 11606, 'analyzed': 2674, 'sift': 29702, 'uncover': 34162, 'tablet': 32115, 'laptop': 18835, 'touchscreen': 33327, 'mbot': 20561, 'mrna': 21631, 'biotechnology': 4598, 'gild': 14128, 'clx': 7075, 'lake': 18758, 'zm': 36800, 'rng': 27871, 'freedom': 13417, 'nope': 22674, 'hosta': 15963, 'urban': 34578, 'millennial': 21058, 'sandeep': 28428, 'da': 8888, 'highlighting': 15608, 'pulling': 26051, 'hotfuzz': 15984, 'final': 12687, 'unrealistic': 34430, 'midwest': 21007, 'fallout': 12267, 'disinflationary': 10098, 'stronger': 31440, 'dxy': 10817, 'carbs': 5991, 'cradle': 8395, 'applied': 2973, 'henrik': 15512, 'schou': 28763, '00am': 10, 'pst': 25981, 'thursdaythoughts': 32951, 'excellent': 11925, 'permanently': 24516, 'footage': 13168, 'sweeping': 31990, 'angus': 2745, 'hoity': 15756, 'toity': 33189, 'mignon': 21017, 'thigh': 32807, 'groceryshopping': 14705, 'comms': 7375, 'infographic': 16918, 'socialmedia2day': 30233, 'swearing': 31982, 'selfless': 29045, 'londoner': 19610, 'stripped': 31427, 'suggested': 31617, 'garlic': 13812, 'chilli': 6647, 'split': 30613, 'red': 26885, 'lentil': 19104, 'muster': 21805, 'dual': 10704, 'suncor': 31672, 'curtail': 8773, 'practise': 25370, 'pavement': 24279, 'socially': 30230, 'ugh': 34019, '9th': 1550, 'five': 12837, 'expand': 11998, 'efficiency': 11088, 'risky': 27829, 'creativity': 8467, 'salad': 28346, 'energytwitter': 11439, 'crushing': 8638, 'restrict': 27484, 'cafe': 5736, 'closer': 7027, 'corpgov': 8151, 'cmo': 7085, 'esg': 11674, 'grc': 14596, 'boardofdirectors': 4839, 'directorship': 9966, 'governance': 14469, 'vc': 34851, 'cvc': 8839, 'smb': 30051, 'ux': 34712, 'cx': 8849, 'transunion': 33509, 'accessible': 1720, 'built': 5482, 'properly': 25828, 'confinement': 7573, 'demonstrated': 9475, 'fragility': 13355, 'getty': 14051, 'alleviate': 2416, '07': 86, 'nicely': 22456, 'wheel': 35814, 'sputum': 30724, 'merica': 20854, 'bigoil': 4515, 'revolt': 27668, 'revolting': 27669, 'venture': 34919, 'anyways': 2873, 'trunk': 33744, 'starving': 30893, 'clout': 7051, 'punk': 26080, 'mr': 21623, 'tasty': 32277, 'aim': 2219, 'contac': 7758, '051': 76, '5705253': 1111, '0338819977': 62, 'askari': 3256, 'complex': 7462, 'rawalpindi': 26644, 'fastfood': 12379, 'purposefully': 26115, 'spit': 30597, 'apprehended': 2988, 'analyze': 2673, 'iraq': 17377, 'proxy': 25958, 'militia': 21045, 'ability': 1628, 'suppress': 31832, 'youth': 36665, 'october': 23117, 'revolution': 27671, 'statutory': 30935, 'selfemployed': 29023, 'freelance': 13426, 'crumbled': 8630, 'accelerator': 1708, 'return': 27602, 'pointing': 25083, 'solving': 30320, 'marginal': 20286, 'apps': 3007, 'conducted': 7550, 'scamalert': 28669, 'bb': 4068, 'antiviral': 2846, 'legitimate': 19062, 'shape': 29312, 'fudging': 13601, 'degrowrth': 9362, 'correlated': 8172, 'pogrom': 25076, 'kashmir': 18110, 'boycotting': 5101, '2a': 687, 'visa': 35115, 'labor': 18707, 'bigger': 4509, 'fix': 12841, 'thrived': 32912, 'lobbying': 19476, 'exemption': 11966, 'skirting': 29903, 'accountability': 1744, 'alexander': 2352, 'galitsky': 13758, 'nyt': 22998, 'validated': 34758, 'compete': 7431, 'staycalmdontpanicbuy': 30957, 'declined': 9244, 'doorman': 10470, 'entrance': 11542, 'nominate': 22630, 'youre': 36645, 'bullshit': 5507, 'gst': 14776, 'kickstart': 18339, 'semblance': 29079, 'taxholiday': 32296, 'millennials': 21059, 'stack': 30795, '2k': 709, 'stockpilers': 31223, 'afterlife': 2094, 'beirut': 4260, 'steak': 31059, 'selfishpricks': 29037, 'faculty': 12211, 'pharmaceuticalsciences': 24661, 'formulated': 13266, 'rupure': 28163, 'handsanitizers': 15057, 'freely': 13431, 'distributed': 10216, 'ramauniversity': 26528, 'subsidized': 31549, 'ramahospitals': 26522, 'securityguards': 28958, 'particular': 24169, 'hired': 15667, 'sop': 30373, 'evil': 11879, 'pain': 23911, 'delta': 9435, 'tl': 33080, 'accessory': 1722, 'boardgames': 4837, 'ahh': 2194, 'provincial': 25947, 'inspector': 17064, 'picker': 24751, 'muchrespect': 21678, 'genomics': 13962, '23andme': 598, 'scare': 28697, 'economiccrisis': 10994, 'sbux': 28658, 'dooprime': 10464, 'buyshares': 5679, 'buystocks': 5680, 'makemoney': 20093, 'makemoneyonline': 20095, 'makemoneyfromhome': 20094, 'stressful': 31404, 'distraction': 10206, 'yolo': 36609, 'fur': 13668, 'miserably': 21160, 'crucial': 8613, 'pleased': 24967, 'gebb': 13903, 'entertain': 11527, 'diarea': 9790, 'parking': 24135, 'kijiji': 18362, '950': 1504, 'blocked': 4754, 'chose': 6738, 'motivating': 21557, 'foodforthought': 13101, 'kindness': 18397, 'atmosphere': 3385, 'wehavethis': 35633, 'prosecute': 25865, 'gobshites': 14298, 'forefront': 13213, 'socialmedia': 30231, 'strategically': 31369, 'focused': 13034, 'math': 20492, 'brian': 5267, 'passing': 24195, 'within': 36113, 'ft': 13558, 'roommate': 27997, 'beg': 4225, 'morecambe': 21481, '45pm': 973, 'lancaster': 18795, 'recognise': 26831, 'dunedin': 10756, 'pitchfork': 24856, 'firebrand': 12775, 'octagon': 23115, '7pm': 1355, 'ammunition': 2612, 'stayhomeforus': 30985, 'medtwitter': 20717, 'coloradoans': 7255, 'pinch': 24816, 'cupboard': 8734, 'anxiously': 2862, 'cloth': 7041, 'setting': 29208, 'upstream': 34562, 'foodservice': 13136, 'gimmick': 14138, 'sweat': 31983, 'yow': 36672, 'bros': 5373, 'ottawa': 23615, 'ottcity': 23617, 'techtiptuesday': 32394, 'captured': 5975, 'attention': 3415, 'hasn': 15200, 'queued': 26330, 'pulse': 26056, 'tamarind': 32200, 'shot': 29576, 'deuce': 9697, 'buffoon': 5465, 'agar': 2113, 'issey': 17487, 'bachey': 3717, 'rahey': 26464, 'toh': 33137, 'dishwasher': 10087, 'cordless': 7956, 'vaccum': 34728, 'fo': 13026, 'plain': 24896, 'scrambled': 28815, 'slice': 29967, 'cheese': 6556, 'cheesy': 6559, 'design': 9610, 'signmaking': 29723, 'crowding': 8603, 'rid': 27737, 'instrument': 17121, 'wealthy': 35530, 'wrote': 36363, 'expenditure': 12020, 'promoting': 25807, 'migration': 21023, 'present': 25514, 'unfolds': 34278, 'scrap': 28818, 'orange': 23503, 'recipe': 26822, 'glutenfree': 14261, 'pakistani': 23931, 'bangladeshi': 3883, 'eatable': 10912, 'halal': 14964, 'culprit': 8707, 'ripping': 27800, 'vaka': 34744, 'teamfiji': 32347, 'reposting': 27288, 'bos': 5018, 'booty': 4976, 'covic': 8329, 'gender': 13930, 'economically': 10992, 'hospitality': 15954, 'nonexistent': 22643, 'trendlines': 33579, 'theweeklyshop': 32790, 'vulnerablegroups': 35242, 'ally': 2444, 'stabilize': 30789, 'shaping': 29314, 'wearedtb': 35549, 'fightback': 12634, 'berger': 4346, 'spar': 30482, 'wimbledon': 36017, 'sponsorship': 30635, 'inflate': 16898, 'shame': 29291, 'walsh': 35343, 'boston': 5029, 'dazee': 9124, 'unprotected': 34421, 'ww2': 36414, 'grandchild': 14535, 'obey': 23037, 'historyinthemaking': 15680, 'launched': 18913, 'comprehensive': 7489, 'dshcovid19': 10683, '21dayslockdown': 554, 'bioweapon': 4599, 'hence': 15506, 'copd': 7935, 'bracken': 5124, 'fortunate': 13294, 'complacent': 7448, 'storage': 31312, 'depleted': 9534, 'factbox': 12202, 'bankruptcy': 3903, 'cm': 7077, 'naveen': 22109, 'luzon': 19859, 'enhanced': 11470, 'los': 19674, 'ba': 3691, 'laguna': 18750, 'barely': 3932, 'zurfi': 36841, 'appoint': 2979, 'deeply': 9285, 'fractured': 13352, 'parliament': 24145, 'discontent': 10033, 'succeed': 31568, 'emt': 11364, 'journey': 17892, 'kfc': 18302, 'spamming': 30476, 'faceless': 12179, 'buddy': 5453, 'compensate': 7428, 'independent': 16771, 'tenant': 32481, 'wasl': 35447, 'instruct': 17116, 'shebuildspeace': 29363, 'shocking': 29476, 'lockdownhouseparty': 19527, 'pretend': 25550, 'ssn': 30773, 'suspended': 31923, 'consecutive': 7644, 'dontbeaspreader': 10421, 'owns': 23825, 'charmin': 6493, 'perform': 24490, 'pg': 24646, 'financialcrisis': 12704, 'pm': 25030, 'bite': 4629, 'pourhouse': 25315, 'grill': 14664, '970': 1522, '669': 1227, '1699': 316, 'resolved': 27406, 'ryanairrefunderror': 28204, 'ryanairrefund': 28203, 'jello': 17702, '47': 982, 'tescon': 32540, 'deliberately': 9395, 'damaged': 8956, 'kent': 18245, 'fleet': 12926, 'asap': 3214, 'dedicate': 9264, 'contribute': 7837, 'missourian': 21193, 'moleg': 21357, 'realize': 26735, 'begun': 4236, 'mitch': 21206, 'zeller': 36750, 'upholding': 34534, 'scientific': 28775, 'bedrock': 4190, 'principle': 25631, 'shuts': 29646, '5k': 1150, 'behaving': 4241, 'bankruptbritain': 3902, 'realigned': 26721, 'inequality': 16863, 'zoomed': 36821, 'wrap': 36330, 'flixton': 12956, 'lovestmichaels': 19732, 'everylittlehelps': 11853, 'newsalert': 22367, 'wti': 36378, 'slumped': 30008, '2003': 460, 'slash': 29937, 'afp': 2073, 'implementing': 16601, '7am': 1345, 'allergic': 2412, 'vertical': 34958, 'afterglow': 2092, 'fade': 12213, 'stockcrash': 31205, 'seeking': 28983, 'dry': 10675, 'wheezy': 35821, 'commencing': 7332, 'moi': 21340, 'hopkins': 15919, 'interactive': 17172, 'dashboard': 9037, 'consumerist': 7733, 'culture': 8714, 'grocerystores': 14714, 'bhukari': 4471, 'unlike': 34380, 'hungar': 16161, 'collapsi': 7217, 'birthday': 4611, 'wth': 36377, 'zoom': 36818, 'meeting': 20728, 'broker': 5357, 'navigating': 22114, 'installment': 17094, 'purna': 26109, 'mishra': 21165, 'outline': 23669, 'effectively': 11084, 'trai': 33441, 'dth': 10695, 'connecti': 7621, 'tight': 32980, 'tag': 32136, 'retailhell': 27532, 'retailproblems': 27544, 'rich': 27720, 'littlebitofhumanity': 19390, 'mondel': 21391, 'hourly': 16001, '125': 220, 'representative': 27294, 'a1': 1557, 'represent': 27292, 'outsize': 23692, 'immigrantsthrive': 16553, 'outer': 23651, 'packaging': 23874, 'binned': 4562, 'shameless': 29295, 'army': 3122, 'keyworking': 18299, 'coffin': 7163, 'cycled': 8866, 'ticked': 32962, 'th': 32578, 'mavieconfinee': 20520, 'confinementjour2': 7576, 'relax': 27099, 'covfefe': 8325, 'nightreads': 22499, 'threatening': 32898, '3b': 863, 'affordable': 2063, 'kurdistan': 18652, 'perfume': 24495, 'makeup': 20101, 'garbage': 13797, 'canonspark': 5918, 'tradingstandards': 33431, 'portrayal': 25223, 'nervous': 22281, 'backtracking': 3743, 'slime': 29977, 'ball': 3835, 'tour': 33336, 'donald': 10391, 'mar': 20261, 'impostor': 16631, 'mt': 21659, 'sanitized': 28465, 'cuttaxes': 8829, 'dista': 10180, 'fetch': 12569, 'forgotten': 13247, 'staythefhome': 31045, 'thrown': 32930, 'bothering': 5041, 'gaurds': 13855, 'pretending': 25552, 'exotic': 11996, 'getaway': 14029, 'sanitisers': 28459, 'hygienic': 16246, 'dbz': 9131, 'westandwithitaly': 35711, 'bridgwater': 5281, 'helpnhstoday': 15471, 'upcountry': 34517, 'possibility': 25255, 'grandparent': 14545, '79': 1338, 'wishing': 36093, 'concert': 7516, 'gay': 13863, 'unfashionable': 34267, 'elton': 11245, 'involves': 17329, 'legislative': 19057, 'kratom': 18596, 'arvsgt': 3204, 'naughty': 22101, 'bikers': 4527, 'a36': 1562, 'a272': 1561, 'leftover': 19042, 'mac': 19907, 'overshadowed': 23779, 'theme': 32716, 'barter': 3976, 'instance': 17097, 'swap': 31969, 'loo': 19630, 'atliens': 3383, 'emts': 11365, 'directive': 9962, 'downgrade': 10522, 'ameliorate': 2567, 'map': 20255, 'cake': 5754, 'briton': 5327, 'plea': 24959, 'nicest': 22460, 'gassing': 13835, 'soaring': 30174, 'alcoholic': 2331, 'fmcg': 13012, 'stung': 31481, 'subscription': 31536, 'superior': 31730, 'pocket': 25058, 'expat': 12004, 'questionable': 26324, 'trucker': 33663, 'restocked': 27472, 'thankatrucker': 32598, 'navigate': 22111, 'history': 15679, 'remnant': 27177, 'acre': 1811, 'cucumber': 8694, 'resilient': 27391, 'bountiful': 5063, 'harvest': 15190, 'curative': 8743, 'credible': 8474, 'nasties': 22041, 'huh': 16114, 'drugmaker': 10664, 'haus': 15227, 'hanz': 15099, 'b2c': 3683, 'instore': 17113, 'showroom': 29602, 'dream': 10603, 'vehicle': 34886, 'carl': 6042, 'safina': 28298, 'ebola': 10945, '3of': 888, 'pathogen': 24237, 'originate': 23557, 'lipsman': 19345, 'digitalmarketing': 9882, 'emarketer': 11253, 'javitscenter': 17665, 'newyorkcity': 22397, 'editorial': 11041, 'bro': 5333, 'publicly': 26024, 'traded': 33414, 'lockstep': 19568, 'wineandspirits': 36033, 'rolled': 27963, 'radiofrequencies': 26447, 'destroying': 9659, 'genetic': 13954, '5gtowers': 1146, 'beaming': 4120, 'microwave': 20984, 'corona5g': 8002, 'karen': 18099, 'collecting': 7227, 'weaponsofmassdestruction': 35534, 'chyna': 6785, 'israel': 17484, 'directenergyweapons': 9959, 'cruiseships': 8626, 'jointhedots': 17853, 'girl': 14147, 'schwans': 28768, 'smartphone': 30042, 'damp': 8968, 'soapy': 30170, 'microfiber': 20970, 'earphone': 10868, '1775': 334, 'patrick': 24252, 'henry': 15513, 'infamous': 16876, 'liberty': 19216, 'satire': 28555, 'patrickhenry': 24253, 'foundingfathers': 13324, 'caravan': 5983, 'registration': 27029, 'alike': 2384, 'shoprites': 29549, 'sickened': 29668, 'workingfromhome': 36236, 'workpjs': 36249, 'iron': 17391, 'ore': 23525, '82': 1380, '92': 1478, 'vale': 34748, '350': 810, 'nikki': 22508, 'fried': 13488, 'activates': 1826, 'victoria': 34996, 'depth': 9564, 'hongkongers': 15882, 'fabric': 12164, 'childresistant': 6641, 'prerolls': 25502, 'cannabiscommunity': 5899, 'aka': 2270, 'bizarre': 4642, 'censored': 6314, 'actorcon': 1839, 'subject': 31518, 'distracting': 10205, 'kardashian': 18096, 'ac': 1693, '00s': 16, 'buckle': 5448, '5m': 1157, 'beard': 4124, 'reader': 26690, 'skyward': 29924, 'peep': 24380, 'cowvid19': 8355, 'cowvid': 8354, 'worldofcow': 36273, 'workingfromhomelife': 36237, '2011': 478, 'revived': 27660, 'suppresses': 31834, 'ash': 3224, 'resold': 27402, 'insanely': 17032, '85p': 1412, 'adequate': 1898, 'solely': 30297, 'overspending': 23783, '2k20': 710, 'cardio': 6003, 'babydoll': 3701, 'basketball': 4004, 'nfl': 22414, 'nba': 22129, 'peaceful': 24344, 'compilation': 7444, 'insightful': 17049, 'attentive': 3416, 'goddamn': 14308, 'treasure': 33558, 'hunt': 16174, 'universe': 34355, 'kate': 18119, 'telstra': 32460, 'noise': 22614, 'contributing': 7840, 'incentivize': 16699, 'deferred': 9314, 'fijinews': 12658, 'assign': 3303, 'codvid19': 7150, 'vo': 35166, 'provisioned': 25950, 'sized': 29854, 'bridgewater': 5278, 'heavily': 15394, 'dax': 9096, 'congrats': 7605, 'hedgefonds': 15402, 'bug': 5467, 'automatically': 3540, 'subtitle': 31561, 'relationship': 27093, 'optimize': 23490, 'wtutureipsos': 36385, 'prioritize': 25646, 'smaller': 30022, 'urgently': 34589, 'cb': 6215, 'mkt': 21228, 'altogether': 2498, 'rut': 28178, 'ndx': 22191, 'curtis': 8780, 'subjected': 31519, 'helpus': 15487, 'youidiot': 36634, 'jamesmaybloke': 17622, 'richardhammond': 27724, 'topgear': 33248, 'thegrandtour': 32693, 'coronabeer': 8008, 'snippet': 30134, 'learnt': 19006, '81': 1373, 'surged': 31861, 'moisturising': 21345, 'browse': 5385, 'wey': 35759, 'chop': 6729, 'unexpected': 34260, 'healthier': 15337, 'instruction': 17118, 'footmark': 13177, 'internationally': 17208, 'harmonised': 15166, 'adjusted': 1918, 'sokonews': 30283, 'courtesy': 8295, 'appreciation': 2986, 'robinson': 27903, 'eaten': 10913, 'foodbanks': 13084, 'stopukhunger': 31310, 'heri': 15542, 'ensures': 11515, 'alabama': 2289, 'insecurity': 17039, 'ultimate': 34082, 'master': 20460, 'toiletpapermagazine': 33164, 'lionelrichie': 19342, 'covd': 8305, 'presented': 25516, 'artisanal': 3184, 'mining': 21116, 'ukrainian': 34066, 'intheknow': 17242, 'taskforce': 32267, 'oakville': 23018, 'halton': 14994, 'caremongering': 6025, 'coronvirus': 8141, 'pioneer': 24834, 'cdx': 6270, '15th': 300, '1pm': 449, 'et': 11738, 'arla': 3108, 'skulduggery': 29907, 'unscrupulous': 34453, 'undervalued': 34222, 'kitconews': 18442, 'metal': 20886, 'cuban': 8691, 'versailles': 34951, 'teamed': 32345, 'sedano': 28964, 'pickled': 24755, 'ginger': 14140, 'cub': 8689, 'tnie': 33097, 'workin': 36232, 'mongs': 21409, 'lip': 19343, 'messagewrap': 20875, 'antimicrobial': 2837, 'facility': 12199, '72': 1289, '605': 1176, 'cylinder': 8873, 'bharat': 4453, 'bhushan': 4472, 'ashu': 3236, 'assuring': 3326, 'maintained': 20061, 'lingers': 19329, 'previously': 25578, 'aerosol': 2029, 'ralphs': 26515, 'growup': 14760, 'mattieuethanhandsanitizer': 20509, '3pack': 892, 'loveones': 19728, 'remotely': 27185, 'usedtomake': 34637, 'tshirts': 33776, 'makingsupplies': 20110, 'panicbuy': 24021, 'brawled': 5191, 'fmtnews': 13022, 'headwind': 15308, 'ecom': 10973, 'resulting': 27503, 'transacting': 33462, 'offline': 23171, 'feedback': 12500, 'mixed': 21217, 'unpack': 34402, 'grave': 14585, 'risen': 27810, 'former': 13258, 'maidenhead': 20035, 'queueing': 26331, 'refraining': 26984, 'tory': 33291, 'emerge': 11280, 'erupts': 11653, 'grip': 14676, 'bound': 5061, 'chinaliedpeopledied': 6663, 'pmqs': 25044, 'shareholder': 29322, 'union': 34320, 'workersunite': 36225, 'asthma': 3330, 'earn': 10860, 'function': 13639, 'compensated': 7429, 'endangering': 11394, 'creditchat': 8478, 'melissa2': 20766, 'announce': 2784, 'agoing': 2158, 'omnichannel': 23306, 'explores': 12062, 'industryperspectives': 16849, 'retailtrends': 27556, 'fashionindustry': 12368, '0808': 112, '223': 565, '1133': 189, 'foreclosure': 13211, 'restarts': 27461, 'cashflow': 6126, 'reassures': 26778, 'amac': 2522, 'salvation': 28389, 'cleanliness': 6943, 'muhammad': 21692, 'burhaan': 5550, 'fb': 12425, 'nameandshame': 21978, 'universally': 34354, 'oxford': 23829, 'sound': 30399, 'lifestyle': 19265, 'badparenting': 3770, 'gotta': 14443, 'crib': 8513, 'vanish': 34793, 'keyser': 18293, 'ser': 29160, 'resale': 27336, 'resellers': 27355, 'makeuplife': 20102, 'luara': 19780, 'anderson': 2697, 'shaw': 29354, 'mississippi': 21189, 'bcuz': 4104, 'capable': 5940, 'quote': 26376, 'stimuluschecks': 31173, 'philosophy': 24694, 'landlord': 18808, 'flooding': 12966, 'frustration': 13550, 'probily': 25688, 'supportaussiebusiness': 31800, 'fuckcovid19': 13571, 'structure': 31448, 'deluxe': 9439, 'proven': 25935, 'tradeshow': 33422, 'stepmother': 31102, 'decorate': 9253, 'cute': 8822, 'ounce': 23628, 'tablespoon': 32114, 'aloe': 2456, 'vera': 34924, 'allotted': 2432, 'district': 10222, 'apparent': 2936, 'violation': 35075, 'iceland': 16323, 'fronted': 13525, 'famous': 12292, 'singer': 29795, 'encouraging': 11389, 'indoors': 16830, 'afer': 2040, 'sunburnt': 31670, 'netflix': 22297, 'charm': 6492, 'addiction': 1877, 'loses': 19680, 'learning': 19002, 'delgro': 9390, 'smrt': 30088, 'exploring': 12063, 'alkaline': 2392, 'queen': 26305, 'flourish': 12984, 'strengthen': 31395, 'elite': 11219, 'iraqi': 17378, 'organize': 23544, 'enact': 11375, 'democratic': 9461, 'motivationmonday': 21559, 'discourage': 10041, 'supplying': 31797, 'jharkhand': 17763, 'admirable': 1938, 'verbally': 34927, 'physically': 24738, 'accepted': 1714, 'hern': 15546, 'ndez': 22182, '1966': 385, 'imagined': 16516, 'bathroom': 4028, 'fails': 12223, 'reject': 27078, 'misinformation': 21168, 'followasci': 13055, 'ayurveda': 3659, 'idd': 16354, 'bagging': 3783, '59': 1123, 'pneumonia': 25048, 'pillar': 24801, 'essentially': 11701, 'boomed': 4957, 'pennsylvania': 24431, 'trashing': 33517, '35g': 822, 'drumlake': 10669, 'eyelid': 12142, 'appear': 2943, 'conti': 7802, 'hoarded': 15722, 'indefinite': 16766, 'quran': 26379, 'khwanis': 18327, 'gouger': 14451, 'texan': 32559, '621': 1195, '0508': 75, 'confined': 7572, 'howeice': 16040, 'contracted': 7824, 'gate': 13840, 'nokidhungry': 22617, 'id': 16347, 'ramadan': 26519, 'iftar': 16410, 'traweeh': 33547, 'funnel': 13655, 'contraceptive': 7821, 'lovely': 19721, 'dull': 10735, 'chilled': 6645, 'xx': 36482, 'thearchers': 32658, 'employer': 11343, 'globalgoals': 14225, 'dumping': 10749, 'cafeteria': 5738, 'kingdom': 18402, 'horrendous': 15936, 'harrowing': 15178, 'imaginable': 16512, 'traumatized': 33525, 'vegan': 34865, 'moh': 21331, 'deyalsingh': 9738, 'scientic': 28774, 'preval': 25562, 'wiped': 36063, 'abo': 1637, 'stoppanicking': 31287, 'calmdown': 5807, 'thinkofothers': 32829, 'stream': 31378, '4k': 1018, 'hd': 15286, 'alias': 2373, 'irregular': 17402, 'smarter': 30031, 'smartmonkey': 30038, 'tackled': 32122, 'advises': 2011, 'slap': 29936, 'famine': 12290, 'janitorial': 17641, 'housekeeping': 16009, 'streamline': 31382, 'whenever': 35825, '6ft': 1250, 'sticker': 31147, 'germaphobe': 14006, 'researchlive': 27351, 'catastrophe': 6162, 'functioning': 13644, 'addressed': 1886, 'kindergarten': 18391, 'submit': 31524, 'rediscovering': 26911, 'rout': 28043, 'apac': 2883, 'latestnews': 18884, 'tuesdaynews': 33815, 'newspicks': 22379, 'coordinated': 7926, 'lifeline': 19257, 'pathetic': 24235, 'stricken': 31411, 'basis': 4002, 'prayer': 25397, 'drone': 10643, 'guessing': 14809, 'patrol': 24257, 'integral': 17144, 'sander': 28429, 'elected': 11168, 'pittsburgh': 24860, 'gazette': 13872, 'accessibility': 1719, 'discrimination': 10060, 'preach': 25415, 'deed': 9273, 'colour': 7263, 'foodshortages': 13140, 'norway': 22733, 'constantly': 7682, 'dawn': 9090, 'bilbrough': 4532, 'pleaded': 24961, 'forbidding': 13193, 'buyback': 5653, 'dividend': 10256, 'chillin': 6648, 'thenewnormal': 32724, 'governs': 14483, 'nadine': 21933, 'crackdown': 8389, 'consistent': 7668, 'overpricing': 23764, 'tampon': 32211, 'serve': 29178, 'employ': 11338, 'gladly': 14186, 'provid': 25937, 'analyzes': 2675, 'laboratory': 18709, 'regional': 27021, 'usage': 34610, 'pegged': 24388, 'disposed': 10153, 'turkey': 33864, 'boss': 5023, 'overcome': 23728, 'gripping': 14680, 'flowing': 12992, 'mandown': 20187, 'mcnally': 20596, 'egotist': 11112, 'collaborate': 7207, 'cider': 6790, 'denmarkinusa': 9496, 'getanalysis': 14028, 'significantdisruption': 29719, 'accompanying': 1737, 'rioting': 27790, 'foodsupplies': 13144, 'supplychains': 31795, 'economicshock': 11001, 'mondaythoughts': 21388, 'mondayreview': 21387, 'mondaymusings': 21385, 'mondaynight': 21386, 'lifesignals': 19262, 'biosensor': 4591, 'greenville': 14634, 'yeahthatgreenville': 36537, 'giancarlo': 14100, 'easterlunch': 10894, 'cornhall': 7985, 'deli': 9393, 'petunia': 24631, 'hassle': 15203, 'flout': 12986, 'score': 28793, 'fry': 13551, 'beacuse': 4115, 'escape': 11662, 'whatsapp': 35794, '94754284300': 1501, 'oreo': 23530, 'established': 11716, 'congo': 7604, 'lubumbashi': 19783, 'sack': 28246, 'cdf': 6260, 'marked': 20309, 'wic': 35948, 'dependent': 9528, 'lovethyneighbor': 19733, 'grocerystoreworkers': 14716, 'protectlives': 25898, 'savelives': 28602, 'stacking': 30799, 'warrioroflight': 35413, 'warrior': 35412, 'verry': 34949, 'coincidence': 7181, 'catylization': 6197, 'coldwar2020': 7201, 'snap': 30105, 'web': 35574, 'freaked': 13399, 'breitbart': 5237, 'agreement': 2167, 'insidertraitor': 17047, 'fridaythoughts': 13485, 'strange': 31355, 'saviour': 28623, 'dark': 9017, 'gratitudeganstas': 14581, 'hbu': 15279, 'collaborating': 7209, 'host': 15962, 'discussed': 10063, 'stability': 30787, 'fermoy': 12553, 'h2': 14893, 'utilising': 34689, 'label': 18701, 'kinder': 18390, 'continuous': 7817, 'cyclical': 8868, 'wool': 36198, 'mondaymotivation': 21383, 'zone': 36813, 'increasingly': 16750, 'cr': 8384, 'maureen': 20518, 'mahoney': 20028, 'combating': 7278, 'endrobocalls': 11416, 'josh': 17879, 'ross': 28014, 'witness': 36121, 'crowdinsights': 8604, 'hai': 14936, 'sy': 32049, 'jual': 17911, '60ml': 1184, 'shpn': 29604, 'screw': 28838, 'hooded': 15894, 'tyvek': 33970, 'museum': 21780, 'congressional': 7612, 'delegation': 9381, 'equip': 11612, 'outlast': 23663, 'sinister': 29808, 'nitrile': 22538, 'bizarrely': 4643, 'filter': 12680, 'rendering': 27202, 'useless': 34640, 'compulsory': 7499, 'onwards': 23406, 'obligatory': 23049, 'wherever': 35845, 'tantamount': 32229, 'blackmail': 4665, 'stormont': 31334, 'extortion': 12109, 'remunerative': 27194, 'perishable': 24510, 'crop': 8582, 'benefitting': 4319, 'railway': 26476, '109': 156, 'train': 33445, 'speedy': 30552, 'vulture': 35247, 'descending': 9592, 'prediction': 25450, 'hack': 14907, 'nifty': 22483, 'stylus': 31501, 'pen': 24405, 'pin': 24814, 'pad': 23886, 'otherw': 23610, 'catchup': 6168, 'recovered': 26859, 'fibre': 12608, 'degrading': 9360, 'infusing': 16943, 'sausage': 28586, 'jailed': 17599, 'stolen': 31242, 'amazonpantry': 2542, 'oklahoma': 23248, 'exclusive': 11951, 'barn': 3948, 'runoff': 28152, 'spoonie': 30642, 'dbtskills': 9129, 'storefront': 31323, 'shipped': 29446, 'maxi': 20523, 'strippedmaxi': 31429, 'maxilove': 20526, 'maxidress': 20524, 'nola': 22618, 'neworleans': 22358, 'houstonboutique': 16025, 'pension': 24437, 'saver': 28611, 'defraud': 9342, 'calculated': 5762, '6bn': 1247, 'legislation': 19056, 'initiative': 16981, 'expands': 12001, 'mueller': 21685, 'institutional': 17111, 'clock': 7014, 'travelchatsa': 33532, 'jerseyplug': 17730, 'yall': 36503, 'hmu': 15714, 'aide': 2213, 'ups': 34552, 'collector': 7234, 'supplied': 31786, 'jobless': 17808, '282': 671, 'gut': 14870, 'punched': 26067, 'developer': 9710, 'lumber': 19809, 'cement': 6310, 'shareknowledge': 29327, 'dcn': 9135, 'amex': 2590, 'thug': 32937, '7k': 1350, 'skyrocketed': 29922, 'original': 23555, 'protips': 25919, 'evidenced': 11875, 'barren': 3962, 'georgian': 13995, 'speechless': 30545, 'brooklyn': 5366, 'burn': 5557, 'tie': 32970, 'yoursafetyismysafety': 36656, 'forqatarstayhome': 13269, 'moci': 21289, 'livestreaming': 19420, 'taobao': 32234, 'persist': 24544, 'ailbaba': 2218, 'jeffclass': 17696, 'jeffsasiatechclass': 17701, 'hcws': 15285, 'brave': 5182, 'safeguarding': 28280, 'minority': 21135, 'misleading': 21170, 'gurugram': 14867, 'assures': 3325, 'guru': 14866, 'gram': 14529, 'defeat': 9293, 'comfortably': 7304, 'dunnes': 10762, 'leo': 19105, 'varadkars': 34818, 'repeat': 27243, 'dystopia': 10830, '851': 1406, 'pennsylvanian': 24432, 'measured': 20644, 'retaliation': 27566, 'tariff': 32254, 'gfc': 14061, 'fintech': 12765, 'govindmilk': 14485, 'happymakers': 15122, 'dailyessentials': 8916, 'itapema': 17509, 'sc': 28660, 'coro': 7996, 'hook': 15900, 'dirty': 9973, 'valet': 34755, 'unavailability': 34122, 'apr': 3014, '1203': 211, '1182': 197, '840': 1396, '646': 1211, 'atnix': 3386, 'ya': 36495, 'motto': 21570, 'goodbye': 14373, 'fuckyoucorona': 13594, 'doubt': 10498, 'ah': 2185, 'bye': 5693, 'jhoots': 17765, 'repair': 27237, 'haborfreight': 14905, 'carol': 6061, 'burnett': 5562, 'aljazeera': 2391, 'memo': 20788, '2p': 727, '11a': 201, 'pt': 25997, 'mecklenburg': 20660, 'psa': 25970, 'lather': 18887, 'ppeshortage': 25357, 'communist': 7385, 'chinacoronavirus': 6658, 'ccpvirus': 6248, 'proudly': 25925, 'equestrianrelief': 11608, 'voltaire': 35189, 'saddle': 28261, '4times': 1030, 'blamed': 4683, 'ecomomic': 10982, '416': 932, 'stitt': 31190, 'tuesday': 33812, 'meaning': 20631, 'loonatics': 19649, 'cabinfever': 5718, 'swing': 32021, 'unprepared': 34417, 'phlegm': 24698, 'disappears': 9992, 'breath': 5225, 'recovers': 26862, 'smoothly': 30086, 'secret': 28942, 'draft': 10564, 'diligent': 9903, 'prevalent': 25563, 'donaldtrump': 10393, 'dowfutures': 10516, 'nasdaqcomposite': 22031, 'overweight': 23801, 'ocd': 23106, 'borderline': 4987, 'agoraphobic': 2162, 'addicted': 1876, 'floaty': 12959, 'chair': 6406, 'purell': 26099, 'picnicking': 24763, 'ballgame': 3839, 'replicates': 27267, 'squaddies': 30735, 'bogroll': 4880, 'fired': 12776, 'bev': 4421, 'horrid': 15940, 'brampton': 5151, 'layoff': 18954, 'completetly': 7459, 'flattened': 12896, 'theirs': 32705, 'leather': 19014, 'internationa': 17204, 'extend': 12087, 'custodial': 8792, 'mention': 20819, '30moredays': 766, 'obligation': 23048, 'northmart': 22721, 'freezing': 13447, 'path': 24232, 'southcarolina': 30421, 'jokecoughing': 17857, 'imploring': 16611, 'behave': 4238, 'jostled': 17884, 'cajoled': 5753, 'bagger': 3781, 'msnbc': 21649, 'nytimes': 22999, 'wsj': 36369, 'cnbc': 7094, 'politico': 25127, 'huffpost': 16105, 'drudge': 10660, 'npr': 22863, 'dailykos': 8919, 'thehill': 32699, 'wapo': 35376, 'nbc': 22134, 'slate': 29940, 'aarp': 1582, 'sydney': 32057, 'photojournalism': 24722, 'documentary': 10320, 'documentaryphotography': 10321, 'reportage': 27276, 'phot': 24714, 'kidney': 18348, 'kidneybeans': 18349, 'tescos': 32541, 'consumables': 7704, 'trapped': 33513, 'livelihood': 19410, 'washed': 35426, 'influence': 16907, 'sl': 29925, 'unlawful': 34372, 'unsubscribing': 34466, 'durables': 10773, 'dependence': 9526, 'anger': 2735, '880': 1431, 'bullion': 5504, 'midday': 20988, 'port': 25207, 'capture': 5974, 'bioeconomy': 4575, 'mol': 21351, 'windscreen': 36029, 'brent': 5245, 'xbrusd': 36447, 'xbr': 36446, 'divorce': 10262, 'renegotiate': 27204, 'settlement': 29211, 'disadvantaged': 9985, 'rapacious': 26593, 'generalstrike': 13939, 'ladoj': 18732, 'hotline': 15985, '351': 815, '4889': 994, 'dispute': 10156, 'lalege': 18768, 'lagov': 18749, 'diminishing': 9919, 'tim': 33003, 'leunig': 19155, 'succeeded': 31569, 'adviser': 2010, 'coloring': 7260, 'lego': 19064, 'slimming': 29978, 'achievement': 1782, 'cupcake': 8735, 'dough': 10503, 'pot': 25289, 'loving': 19736, 'quiet': 26350, 'atm': 3384, 'warrant': 35408, 'consumerprotection': 7738, 'prevented': 25567, 'racism': 26429, 'hyderabad': 16219, 'facial': 12195, 'tanmay': 32227, 'mehta': 20747, 'indiafightscoronavirus': 16784, 'knock': 18502, 'application': 2972, 'developed': 9709, 'ecommercebusiness': 10977, 'woulf': 36318, 'abouttime': 1647, '14days': 270, 'spare': 30483, 'shirt': 29451, 'lowered': 19742, 'lazzaro': 18960, 'spallanzani': 30473, 'rome': 27979, 'forzaroma': 13306, 'romacares': 27972, 'charter': 6496, 'luggage': 19798, 'accommodate': 1730, 'bullard': 5498, 'regulate': 27041, 'que': 26299, 'float': 12957, 'nahh': 21944, 'optician': 23482, 'wolstanton': 36160, 'stoke': 31235, 'vandalized': 34786, 'annualised': 2794, 'robin': 27901, 'bhar': 4452, 'offset': 23177, 'oshawa': 23585, 'ont': 23391, 'bcpoli': 4100, 'chatting': 6512, 'complimentary': 7473, 'dig': 9851, 'easiest': 10879, 'fastest': 12377, 'efficient': 11089, 'karel': 18098, 'spaniard': 30477, 'rant': 26589, 'gofundme': 14323, 'monetary': 21394, 'subsided': 31543, 'heavy': 15396, '9ja': 1544, 'insulated': 17123, 'insensitive': 17040, 'unconcerned': 34154, 'vodka': 35178, 'pernod': 24527, 'ricard': 27716, 'fort': 13276, 'smith': 30069, 'tweak': 33899, 'ar': 3036, 'conormcgregor': 7632, 'visor': 35130, 'respirator': 27431, 'oxygen': 23833, 'allows': 2437, 'duplicate': 10768, 'mutualaid': 21822, 'monopolise': 21424, 'arrived': 3151, 'debate': 9183, 'naturally': 22088, 'fuss': 13689, 'didnt': 9817, 'ownership': 23823, 'decentralized': 9220, 'generational': 13944, 'reference': 26953, 'bloc': 4747, 'usnews': 34660, 'infromation': 16938, 'candy': 5888, 'glimpse': 14214, 'craze': 8439, 'korean': 18563, 'spicy': 30571, 'shootout': 29491, 'bullying': 5511, 'unsavory': 34448, 'canterbury': 5923, 'shoppingonline': 29544, 'asymptomatic': 3348, 'stocker': 31207, 'ke': 18173, 'bungoma': 5526, 'container': 7769, 'elimination': 11214, 'iq': 17371, 'block': 4749, 'gradually': 14519, 'instant': 17098, 'hy': 16215, 'vee': 34860, 'plasticbagban': 24924, 'twist': 33922, 'presumably': 25546, 'readymeals': 26701, 'hithergreen': 15688, 'lewisham': 19173, 'recipient': 26824, 'bartholow': 3978, 'loathe': 19473, 'mazon': 20552, 'wondered': 36172, 'arrow': 3157, 'race': 26419, 'sicken': 29667, 'dealt': 9164, 'foresee': 13221, 'declining': 9245, 'persistent': 24546, 'stakeholder': 30826, 'soo': 30364, 'stranger': 31359, 'acceptable': 1712, 'lockdowncanada': 19514, 'supermarketdating': 31742, 'day17': 9107, 'marc': 20268, 'schindler': 28733, 'skim': 29883, 'compromise': 7492, 'quart': 26290, 'unflushable': 34275, 'rag': 26456, 'delivers': 9421, 'dispenses': 10135, 'vanloon': 34798, 'counting': 8269, 'lifesaving': 19261, 'ck': 6856, 'ckont': 6861, 'potty': 25302, 'insecure': 17038, 'noticing': 22784, 'intake': 17141, 'bodas': 4855, 'uber': 33986, '8k': 1451, 'felicia': 12531, 'lockdownug': 19552, 'attn': 3423, 'mart': 20381, 'iqaluit': 17372, 'notchronosandcars': 22759, '5l': 1152, 'rr': 28067, 'sva': 31951, '550bhp': 1096, 'suited': 31630, 'offload': 23172, 'bonkers': 4934, 'sporting': 30649, 'matching': 20481, 'yucky': 36690, 'xenophobe': 36452, 'fatten': 12398, 'helpnothurt': 15472, 'lookaftereachother': 19635, 'holdaway': 15765, 'hantavirus': 15098, 'rodent': 27937, 'watchful': 35472, 'protezionecivile': 25916, 'airpods': 2249, 'ons': 23386, '9to5mac': 1551, 'techjunkienews': 32378, 'harper': 15170, 'wood': 36184, 'pier': 24775, 'stayhomesa': 30991, 'wallstreet': 35334, 'helppeoplefirst': 15477, 'momentous': 21368, 'benefiting': 4317, 'philanthropy': 24679, 'fest': 12566, 'jose': 17876, 'contactless': 7762, 'locate': 19497, 'shameonyou': 29301, 'accuse': 1763, 'hiding': 15591, 'tilfurthernotice': 32997, 'painting': 23918, 'africanart': 2080, 'cameroon': 5835, '38': 850, 'mailed': 20041, 'boise': 4889, 'idaho': 16349, 'iot': 17344, 'enterprise': 11524, 'royal': 28056, 'highness': 15610, 'registered': 27026, 'drunkard': 10672, 'comingyi': 7318, 'tremendous': 33569, 'veterinarian': 34967, 'exporting': 12074, 'overseas': 23775, 'suppressing': 31835, 'vunerable': 35248, 'scooter': 28791, 'dick': 9800, 'consumerawareness': 7712, '5t': 1165, '2t': 733, 'wire': 36071, 'anticipate': 2825, 'gcc': 13885, 'structural': 31447, 'vanishing': 34795, 'opposite': 23472, 'tail': 32144, 'hamilton': 15001, 'poshmark': 25232, 'shopforacause': 29502, 'mobilio': 21279, 'specifically': 30528, 'sed': 28961, 'recovering': 26861, 'rakamoto': 26501, 'crypto': 8646, 'bitcoin': 4626, 'coin': 7177, 'portugal': 25227, 'portuguese': 25229, 'sonae': 30353, 'continente': 7805, 'worten': 36306, 'antoniocosta': 2851, 'portugalst': 25228, 'spree': 30693, 'slam': 29928, 'nancy': 21992, 'pelosi': 24398, 'laundry': 18918, 'additive': 1882, 'crisp': 8541, 'linen': 19322, '41oz': 934, 'snatched': 30112, 'title': 33067, 'fantasy': 12302, 'tinkering': 33037, 'hamont': 15010, 'sarawat': 28526, 'ksa': 18620, 'jeddah': 17687, 'madinah': 19959, 'coronaupdate': 8113, 'pity': 24862, 'unforeseen': 34280, 'majeure': 20073, 'psychology': 25991, 'friking': 13505, 'payback': 24291, 'crashing': 8427, 'overhang': 23745, 'influx': 16914, 'refugee': 26995, 'protectyourworkers': 25906, 'diabetic': 9771, 'labour': 18714, '22nd': 581, 'troll': 33635, 'criticised': 8550, 'affordability': 2062, 'remarkably': 27157, 'staysafestayathome': 31033, 'naked': 21964, 'caetgories': 5734, 'sustain': 31932, 'suffered': 31601, 'marketed': 20317, 'circulating': 6819, 'wfh': 35763, 'steepest': 31076, 'deflation': 9337, 'consumerspending': 7744, 'prevailing': 25559, 'uganda': 34017, 'ugandan': 34018, 'enjoys': 11477, 'basingstoke': 4001, 'bidding': 4488, 'dovetail': 10513, 'frantically': 13382, 'teddie': 32399, 'leadership': 18977, 'precedent': 25427, 'reclassified': 26830, 'impose': 16623, 'canceling': 5871, 'securing': 28954, 'ventured': 34920, 'profusely': 25753, 'thanked': 32599, 'subsequent': 31539, 'ethical': 11758, 'beahelper': 4117, 'dietitian': 9835, 'restraint': 27483, 'poorest': 25175, 'cyber': 8850, 'magecart': 19985, 'skimming': 29885, 'cybercrime': 8853, 'cyberthreats': 8862, 'shifted': 29427, 'perception': 24481, 'newest': 22344, 'intelligence': 17150, 'unveils': 34494, 'altering': 2488, 'showmeyourshelves': 29600, 'reserved': 27363, 'dubuque': 10713, 'stayhomechallenge': 30982, 'trumpplague': 33723, 'occurring': 23104, 'arrgghh': 3147, 'instoreexperience': 17114, 'percentage': 24480, 'prople': 25842, 'nairobi': 21955, 'busia': 5586, 'somehing': 30332, 'noo': 22661, 'kot': 18571, 'utawezana': 34681, 'culinary': 8702, 'alright': 2476, 'diagnostic': 9777, 'detection': 9674, 'rock': 27923, 'fingertip': 12746, 'craft': 8396, 'version': 34955, 'graphic': 14563, 'energyco': 11432, 'nessel': 22285, '572': 1112, 'idris': 16389, 'barbershop': 3923, 'secondary': 28935, 'biden': 4490, 'sap': 28509, 'sand': 28425, 'arrives': 3153, 'intentionally': 17166, 'aolonline': 2876, 'shenanigan': 29403, 'awesome': 3629, 'taxpayer': 32302, '2018': 486, 'frightening': 13504, 'louder': 19700, 'oilpatch': 23226, 'debasish': 9182, 'cardmembers': 6006, 'flexibility': 12933, 'opt': 23478, 'rbi': 26655, 'regulatory': 27048, '1800': 342, '419': 933, '2122': 541, 'claimed': 6865, 'stroke': 31435, 'demise': 9456, 'boujee': 5053, 'rainbow': 26479, 'colored': 7259, 'immunesystem': 16563, 'immunesupport': 16562, 'knit': 18496, 'fortnight': 13289, 'favor': 12409, 'romantic': 27978, 'newly': 22352, 'mark': 20308, 'gentleman': 13967, 'quarantinedromance': 26262, 'leveraged': 19164, 'heartbreak': 15368, 'firework': 12786, 'lawn': 18937, 'legend': 19051, 'mapleholistics': 20258, 'guildford': 14821, 'eve': 11828, 'sparking': 30489, '4588221st': 968, 'incredibly': 16752, 'tpchallenge': 33374, 'stabilise': 30785, 'fishery': 12813, 'recession2020': 26819, 'cannabisproducts': 5904, 'wheeze': 35820, 'birmingham': 4608, 'calpol': 5818, 'shutthemup': 29652, 'mega': 20733, 'communism': 7384, 'younger': 36639, 'losing': 19683, 'comp': 7403, 'tec': 32371, 'safetytips': 28295, 'discard': 10013, 'jaffa': 17591, 'shri': 29610, 'gopalaiah': 14418, 'hon': 15869, 'ble': 4706, 'metrology': 20906, 'dd': 9140, 'chandana': 6431, '12pm': 232, '04': 69, '080': 106, '23542599': 592, '699': 1244, 'interact': 17168, 'recommends': 26842, 'nonmedical': 22648, 'doc': 10305, 'iaarchitects': 16284, 'remained': 27149, 'architecture': 3058, 'quarantining': 26277, 'buck': 5442, 'smarten': 30030, 'ribbon': 27713, 'modern': 21303, 'appts': 3012, 'hotmessus': 15988, 'conscious': 7641, 'chairman': 6407, 'fcb': 12439, 'googling': 14412, 'shake': 29273, 'combed': 7280, 'stats': 30928, 'snapshot': 30111, 'effecting': 11082, 'martech': 20383, 'swiss': 32026, 'syngenta': 32086, 'monthey': 21437, 'releasethesnydercut': 27113, 'batmanvsuperman': 4032, 'yamah': 36507, 'kezily': 18301, '52': 1077, 'flee': 12919, 'midnight': 21000, 'produced': 25714, 'minimize': 21111, 'dignity': 9898, 'command': 7322, 'breast': 5223, 'cabbage': 5711, 'tom': 33209, 'coburn': 7124, 'coordinate': 7925, 'spokesman': 30623, 'respectfully': 27424, 'continuation': 7811, 'dontb': 10415, '200ml': 473, 'coronastopkarona': 8098, '210': 537, 'stib': 31145, '37': 838, 'legitimately': 19063, 'bekindtoeachother': 4264, 'trumpviruscoverup': 33741, 'votebluetosaveamerica': 35214, 'voteblue2020': 35212, 'hammerkopf': 15007, 'spiv': 30604, 'reselling': 27356, 'desperately': 9633, 'staycalm': 30956, 'carefulness': 6019, 'carelessness': 6024, 'pollution': 25138, 'rudy': 28111, 'giuliani': 14156, 'disappear': 9989, 'heelcomic': 15412, 'comedian': 7290, 'steady': 31058, 'underway': 34223, 'fitted': 12829, 'sterilize': 31114, 'askgovwhitmer': 3261, 'choosing': 6728, 'masked': 20419, 'costar': 8200, 'newer': 22342, 'plexiglas': 24987, 'escaping': 11665, 'shoe': 29480, 'overwhelming': 23805, 'the6ix': 32656, 'jason': 17659, 'skypes': 29918, 'unnecessarily': 34395, 'stageit': 30814, 'blink': 4735, 'geared': 13897, 'quota': 26375, 'reminds': 27173, 'birdbox': 4604, 'togetherathome': 33127, 'criticized': 8554, 'pile': 24791, 'uncaring': 34139, 'therona': 32764, 'eua': 11775, 'enquiry': 11497, 'relating': 27091, 'postman': 25278, 'rosy': 28017, 'pleading': 24962, 'scrambling': 28816, 'med': 20661, 'trumpmeltdown': 33716, 'perfumery': 24498, 'mullin3': 21708, 'depend': 9522, 'cook': 7897, 'policethesupermarkets': 25110, 'fatal': 12385, 'indication': 16804, 'houring': 16000, 'wakefield': 35298, 'patent': 24228, 'arses': 3168, 'countermeasure': 8265, 'scolded': 28785, 'aa': 1565, 'valuable': 34765, 'new2020': 22330, 'trusted': 33747, 'iconmeals': 16339, 'prep': 25486, 'jessejames10': 17732, 'sponsored': 30633, 'dodge': 10329, 'interhill': 17191, 'adaa': 1854, 'lax': 18945, 'ruby': 28106, 'princess': 25626, 'guardian': 14796, 'dispose': 10152, 'onpoli': 23385, 'anhydrous': 2748, 'ammonia': 2611, 'input': 17023, 'downside': 10536, 'industrial': 16843, 'alarmist': 2303, 'overly': 23757, 'nih': 22502, '1bn': 429, 'nt': 22887, 'fabulous': 12169, 'scrutinised': 28857, 'collusion': 7242, 'nb': 22128, 'arising': 3104, 'secretary': 28943, 'simrandeep': 29768, 'singh': 29796, 'jammu': 17629, 'neat': 22203, 'syrup': 32098, 'biking': 4528, 'derrell': 9586, 'peel': 24376, 'agnews': 2156, 'topstory': 33261, 'cattlemarkets': 6193, 'farmincome': 12335, 'excited': 11941, 'lorain': 19668, 'battling': 4049, 'whomever': 35921, 'canon': 5916, 'temperaturecontrolsolutions': 32467, 'prolong': 25789, 'swine': 32019, 'graduate': 14520, 'ridden': 27740, 'seemingly': 28987, 'manufactured': 20242, 'realistic': 26728, 'conclusion': 7526, 'nationally': 22066, 'regionally': 27022, 'realizing': 26738, 'wind': 36021, 'heat': 15380, 'invest': 17297, 'proof': 25818, 'californian': 5785, 'caneedsyou': 5891, 'query': 26317, 'googletrends': 14411, 'searchresults': 28903, 'gl': 14181, 'chase': 6500, 'designated': 9612, 'buckscounty': 5449, '0469315906': 72, 'atanda': 3351, 'afeez': 2039, 'ademola': 1895, 'gtbank': 14779, 'hustling': 16207, 'dem': 9442, 'fooled': 13164, 'contacting': 7761, 'texting': 32568, 'minimal': 21107, 'parenting': 24120, 'envoy': 11565, 'david': 9080, 'nabarro': 21922, 'ndtv': 22189, 'commit': 7354, 'cookbook': 7899, 'alternatively': 2494, 'isolationtips': 17477, 'wellbeingtips': 35670, 'hartman': 15184, 'spotlight': 30662, 'functionalfoods': 13641, 'functionality': 13642, 'immunity': 16564, 'stigma': 31155, 'booster': 4968, 'queing': 26314, 'carpark': 6074, 'lacking': 18726, 'spiral': 30586, 'represented': 27295, 'liz': 19430, 'hallock': 14984, 'beloved': 4300, 'fossil': 13308, 'finite': 12753, 'divesting': 10253, 'dinosaur': 9937, 'skint': 29896, 'boredom': 4995, 'divorced': 10263, 'numerator': 22911, 'redmeat': 26917, 'hoardersgonnahoard': 15725, 'broad': 5334, '25th': 641, 'pleasant': 24964, 'haul': 15219, 'apologizes': 2924, 'bheki': 4464, 'cele': 6288, 'enca': 11379, 'criminalized': 8523, 'cigarette': 6793, 'threatened': 32897, 'kissing': 18430, 'abdul': 1607, 'oblivious': 23052, 'enforcing': 11450, 'lord': 19670, 'cow': 8348, 'theshoppies': 32769, 'teleworking': 32453, '12p': 231, '8ppl': 1457, 'notgoodenough': 22773, '86y': 1424, '300miles': 746, 'bluffing': 4809, 'arab': 3040, 'length': 19094, 'turner': 33872, 'andler': 2702, 'inittogether': 16982, 'goodnews': 14391, 'ruleyournest': 28132, 'screened': 28833, 'forehead': 13215, 'scanner': 28688, 'commonsense': 7373, 'uspoli': 34665, 'indianrailways': 16795, 'withdrew': 36107, 'concessional': 7518, 'precautionary': 25423, 'ians': 16296, 'colony': 7250, 'trap': 33511, 'confronting': 7595, 'mitchell': 21207, 'gilead': 14129, 'submitted': 31526, 'rescind': 27342, 'orphan': 23571, 'designation': 9614, 'granted': 14552, 'investigational': 17305, 'waiving': 35294, 'accompany': 1736, 'mentalillness': 20814, 'mentalhealthawareness': 20812, 'mentalillnessawareness': 20815, 'bandito': 3869, 'tumbled': 33834, 'booming': 4960, 'pd': 24335, 'daycare': 9118, 'govmnts': 14486, 'commodification': 7363, 'buffooninoffice': 5466, 'factual': 12210, 'laden': 18731, 'rachelmaddow': 26424, 'blathering': 4702, 'appealing': 2942, 'tneans': 33096, 'table': 32112, 'tap': 32235, '99b': 1536, 'southsudan': 30441, 'prior': 25639, 'foodinsecurity': 13115, 'freed': 13415, 'civilization': 6848, 'chinesewuhanvirus': 6682, 'chineseinfluenza': 6676, 'stunning': 31483, 'hype': 16253, 'glaring': 14194, 'brunt': 5400, 'dust': 10784, 'beaten': 4138, 'remeber': 27160, 'reminder': 27171, 'redundancy': 26937, 'recruiting': 26872, 'massow': 20457, 'agricultural': 2174, 'ease': 10876, 'weightloss': 35642, 'diet': 9832, 'quarentinelife': 26289, 'laughitthrough': 18908, 'staypositive': 31021, '492kg': 1002, 'thoughtless': 32889, 'wasteless': 35458, 'pitch': 24855, 'appalling': 2933, 'classic': 6903, '130': 238, 'heritage': 15543, 'favourite': 12417, 'nobel': 22579, 'quatantine': 26295, 'nurtricrops': 22934, 'quinoa': 26358, 'rob': 27890, 'bandana': 3863, 'mexico': 20915, 'argentina': 3080, 'ambitious': 2555, 'coronachainscare': 8017, 'accumulating': 1757, 'undoc': 34235, 'indiscriminate': 16818, 'thus': 32954, 'threatens': 32899, 'featuring': 12478, 'b2b': 3682, 'd2c': 8886, 'watershed': 35484, 'pivoting': 24868, 'linkedin': 19335, 'associated': 3313, 'proceed': 25694, 'clinical': 7004, 'pessimism': 24577, 'shanghai': 29309, 'globaltrade': 14238, 'globaleconomy': 14224, 'polis': 25117, 'copolitics': 7943, 'maskchallenge': 20417, 'yay': 36528, 'leafy': 18983, 'surrey': 31881, 'educated': 11059, 'fck': 12443, 'nhsworkers': 22448, 'starkist': 30875, 'cracker': 8391, 'birx': 4614, 'sacramento': 28249, 'bee': 4193, 'nationalemergency': 22051, 'stir': 31186, 'polluting': 25137, 'climatecrisis': 6996, 'heel': 15411, 'weary': 35567, 'realized': 26736, 'thrust': 32934, 'panick': 24032, 'vegetarian': 34879, 'ghost': 14091, 'shoppingcrazy': 29539, 'washable': 35423, 'copious': 7941, 'handwashing': 15071, 'af': 2035, 'muji': 21695, 'funded': 13648, 'shore': 29553, 'cache': 5725, 'umm': 34100, 'aussie': 3494, 'jacksonville': 17584, 'reaching': 26676, 'doyoufeelluckypunk': 10554, 'mexicanstandoff': 20914, 'ring': 27779, 'researcher': 27349, 'techforgood': 32374, 'smarttech': 30046, 'wearabletech': 35539, 'iced': 16322, 'adopt': 1957, 'summerbod2021': 31658, 'autumm': 3555, 'inconvenienc': 16733, 'nurseproblems': 22925, 'regard': 27011, 'baguio': 3786, 'observing': 23065, 'disiplinamuna': 10102, 'tatakbaguio': 32280, 'philippine': 24684, 'supermarketnews': 31744, 'injection': 16986, 'alt': 2481, 'bearish': 4129, 'equal': 11602, 'probability': 25684, 'confirming': 7581, '2460': 611, 'protectionism': 25894, 'net': 22291, 'tf': 32570, 'consumerconfidence': 7718, 'dipped': 9950, 'showed': 29595, 'anxietyindex': 2859, 'century': 6341, 'balance': 3827, 'therefore': 32754, 'alternativefacts': 2493, 'poisoning': 25088, 'pepperoni': 24473, 'tfl': 32572, 'funeral': 13653, 'storr': 31335, 'coatbridge': 7116, 'cab': 5710, '01236': 23, '421447': 938, 'casonline': 6140, 'gael': 13733, 'fashingbauer': 12361, 'nonno': 22650, 'pappou': 24075, 'southern': 30428, 'summer': 31656, 'achieve': 1780, 'reminding': 27172, 'trashed': 33516, 'introducing': 17266, 'masterclass': 20464, 'playbook': 24940, 'gary': 13823, 'vaynerchuk': 34849, 'a9': 1564, 'bolster': 4904, 'bunny': 5529, 'tooth': 33241, 'fairy': 12242, 'parentinginapandemic': 24122, 'easterbunny': 10891, 'toothfairy': 33242, 'acted': 1818, 'accepting': 1716, 'carside': 6094, 'mid': 20986, 'marianos': 20292, 'played': 24941, 'mariano': 20291, 'demonstrably': 9472, 'bt': 5421, 'logicallysummaries': 19584, 'uh': 34025, 'grimy': 14670, 'requested': 27323, 'rhapsody': 27692, 'vinyl': 35069, 'dominated': 10385, 'fog': 13039, 'horn': 15932, 'upcoming': 34516, 'quiz': 26371, 'quizetimemorningswithamazon': 26372, 'godrej': 14315, 'patanjali': 24221, 'hul': 16117, 'coronahero': 8044, 'campus': 5855, 'alhadulilah': 2368, 'reunion': 27613, 'madam': 19940, 'pmb': 25033, 'palliative': 23948, 'bvn': 5688, 'transferred': 33473, 'untapped': 34478, 'buylists': 5670, 'hunkering': 16173, 'indicating': 16803, 'screeching': 28831, 'historically': 15678, 'enewsletter': 11441, 'forest': 13224, '1per': 446, 'intend': 17152, 'workfromhome': 36230, 'bakkt': 3823, '300m': 745, 'digitalsecurities': 9890, 'seriesa': 29168, 'seriesb': 29169, 'securitytoken': 28959, 'sto': 31199, 'securitytokens': 28960, 'digitalsecurity': 9891, 'serviceindustry': 29186, '36': 827, 'laid': 18755, 'pouring': 25316, 'passion': 24196, 'writing': 36354, 'arak': 3044, 'bali': 3833, 'nationalizing': 22063, 'dolling': 10371, 'def': 9289, 'applying': 2977, 'unveiled': 34492, 'differentiate': 9843, 'closethemalls': 7031, 'token': 33191, 'blighty': 4727, 'mauritius': 20519, 'beautiful': 4152, 'paradisal': 24086, 'paradise': 24087, 'mentality': 20816, 'casually': 6153, 'jolly': 17863, 'inquire': 17026, 'sheltered': 29395, 'interaction': 17171, 'locking': 19564, 'batmeat': 4033, 'oversold': 23782, 'retracement': 27585, '2800': 669, 'dreaded': 10600, 'cbdd': 6220, 'lee': 19029, 'tennessee': 32496, 'robbed': 27891, 'burglarized': 5545, 'fca': 12434, 'specialty': 30524, 'fletcher': 12929, 'george': 13990, 'silber': 29731, 'banner': 3907, 'abundancemindset': 1682, 'unreal': 34429, 'cbob': 6229, '85': 1403, '28': 667, 'psychologist': 25990, 'yarrow': 36522, 'psyche': 25984, 'tender': 32486, 'rfp': 27688, 'disinfector': 10095, 'ethericoil': 11756, 'ether': 11754, 'ethylalcohol': 11764, 'hygienedevice': 16244, 'hygienekit': 16245, 'hygienicbag': 16248, 'rectifiedspirit': 26874, 'sanitization': 28462, 'snyders': 30155, 'centurytowers': 6342, 'shoplocalkcmo': 29518, 'snyderssupermarket': 30156, 'pickupanddelivery': 24759, 'kcmo': 18168, 'stayactive': 30940, 'stayhealthy': 30968, 'golflife': 14358, 'elk': 11222, 'grove': 14743, 'flashing': 12883, 'clarification': 6891, 'seo': 29141, 'sem': 29074, 'smo': 30074, 'smm': 30071, 'websitedesign': 35589, 'websitedevelopment': 35590, 'mobileappdevelopment': 21272, 'tirelessly': 33054, 'uninterrupted': 34319, 'tdsb': 32330, '1200': 209, 'ppv': 25363, 'ifollow': 16406, 'fhd': 12597, '07939252948': 103, 'iptv': 17366, 'firestick': 12783, 'magbox': 19984, 'ipeetv': 17351, 'interacted': 17169, 'cliamtechange': 6979, 'losangeles': 19675, 'gunsales': 14855, 'eligibility': 11209, 'cloud': 7048, 'infant': 16877, 'steelguru': 31070, 'oilpricecrash': 23228, 'brentcrude': 5246, 'squeo': 30750, 'implied': 16606, 'honest': 15873, 'depriving': 9561, 'nike': 22505, 'outfitter': 23655, 'armor': 3119, 'trajectory': 33453, 'sinha': 29807, 'portioning': 25218, 'duffex': 10729, 'losfeliz': 19682, 'ghosttown': 14094, 'loaf': 19471, 'soreen': 30378, 'parade': 24083, 'sixth': 29849, 'avenue': 3576, 'victorious': 34999, 'roman': 27975, 'debit': 9192, 'snide': 30127, 'guaranteed': 14789, 'handsoap': 15063, 'sosamerica': 30391, 'sake': 28338, 'cheering': 6554, 'petrolprice': 24620, 'americafirst': 2579, '131': 240, '882': 1434, 'dried': 10618, 'diversify': 10245, 'localbusiness': 19484, 'mobbing': 21267, 'kohl': 18537, 'excerpt': 11933, 'lasting': 18857, 'consume': 7705, 'dug': 10730, 'channelsight': 6453, 'analyse': 2664, 'cruel': 8621, 'jill': 17774, 'realizes': 26737, 'jcpenney': 17677, 'impressed': 16637, 'bowl': 5079, 'begging': 4230, 'wanker': 35364, 'preference': 25462, 'rewarded': 27678, 'chinamarketing': 6666, 'theskinny': 32772, 'worldhealthday': 36267, 'fetterhealth': 12574, 'rattled': 26631, 'ngisho': 22424, 'wena': 35683, 'depreciation': 9552, 'rand': 26556, 'slowed': 29997, 'lira': 19356, '20mbs': 527, 'notoviptesting': 22801, 'freemasstestingnowph': 13435, 'terrifying': 32526, 'floating': 12958, 'remaining': 27150, 'maintaining': 20062, 'pistachio': 24850, 'retailworkers': 27562, 'weneedrationing': 35686, 'austin': 3497, '46m': 981, 'airborne': 2232, 'itr': 17523, 'alan': 2298, 'beaulieu': 4147, 'edition': 11039, 'biweekly': 4639, 'placed': 24890, 'jennifer': 17712, 'chudy': 6773, 'portage': 25211, 'mineral': 21097, 'irreversible': 17413, 'appealed': 2941, 'revers': 27642, 'unfolding': 34277, 'advertiser': 2001, 'soil': 30279, 'spat': 30495, 'hoped': 15913, 'meltdown': 20773, 'abhishek': 1619, 'muralidharan': 21766, 'whatpackaging': 35790, 'spends': 30562, 'raw': 26643, 'material': 20486, 'angeles': 2729, 'uditraj': 34006, 'harvesting': 15192, 'exempt': 11964, 'insecticide': 17037, 'msp': 21651, 'spurred': 30721, 'strategic': 31368, 'overproduction': 23765, 'detrimental': 9693, 'venezuela': 34902, 'algeria': 2361, 'ecuador': 11020, 'steep': 31073, 'intercity': 17176, 'ganja': 13791, 'sayentrepreneur': 28638, 'nk95': 22554, '3ply': 893, 'syima': 32062, 'icymi': 16346, 'dougmcmillon': 10508, 'counted': 8253, 'essentialworker': 11706, 'cork': 7967, 'pound': 25308, 'uptick': 34566, 'yelp': 36561, 'businesstrategyandprofitability': 5611, 'financialnews': 12716, 'mobilepayments': 21278, 'onlineordering': 23363, 'admission': 1944, 'goto': 14442, 'stayathomesavelives': 30949, 'italystaystrong': 17507, 'rwandan': 28193, 'opting': 23493, 'king': 18401, 'cresskill': 8504, 'enjoyed': 11475, 'tpr': 33386, 'payitforward': 24299, 'supportsmallbusiness': 31822, 'shelteringinplace': 29397, 'discovery': 10051, 'thermal': 32762, 'detecting': 9673, 'camera': 5833, 'robust': 27911, 'stabbing': 30782, 'lg': 19185, 'mathew': 20495, 'mcconaughey': 20578, 'coronaviruses': 8131, 'morbidity': 21478, 'npa': 22859, 'rajan': 26493, 'prof': 25726, 'miguel': 21025, 'gomez': 14361, 'ebt': 10950, 'reimbursing': 27060, 'june': 17959, 'aftermath': 2095, 'chosen': 6739, 'pictured': 24767, 'bcdocs': 4092, 'gaining': 13748, '29': 678, '2017': 485, 'puppet': 26083, 'asleep': 3270, 'waking': 35305, 'censor': 6313, 'upshot': 34558, 'armageddon': 3112, 'coronageddon': 8040, 'deeper': 9282, 'egoism': 11110, 'coexistence': 7157, 'mutual': 21821, 'celebrated': 6292, 'culling': 8705, 'mitigating': 21210, 'guilt': 14822, 'carlsberg': 6046, 'ambition': 2554, 'libyan': 19222, 'improve': 16646, 'unruly': 34439, 'importing': 16622, 'worsens': 36300, 'futurefocus': 13694, 'conversation': 7867, 'switchtostandard': 32032, 'definition': 9332, 'galaxy': 13755, 'winding': 36026, 'defeated': 9294, 'parson': 24156, 'respondent': 27439, 'skill': 29878, 'posed': 25231, 'instability': 17079, 'pancake': 23972, 'sugar': 31612, 'bringmeauntjemima': 5310, 'finalstraw': 12696, 'europeanunion': 11795, 'unitedkingdom': 34340, 'wttc': 36384, 'consumerrefunds': 7741, 'manonfire': 20232, 'cod': 7144, 'modernwarfare': 21310, 'blownup': 4791, 'searchanddestroy': 28899, 'denzelwashington': 9514, 'goodmovies': 14388, 'cleanhands': 6934, 'losmanos': 19685, 'superbowl': 31713, 'playoff': 24948, 'ohio': 23197, 'bobsburgers': 4850, 'bologna': 4902, 'stepford': 31094, 'stepfordwives': 31095, 'shutitdown': 29642, 'hardy': 15150, 'plot': 24994, 'outcome': 23644, 'rajagopalan': 26492, 'yves': 36702, 'breton': 5250, 'venezuelan': 34903, 'ofall': 23145, 'circuit': 6813, 'economical': 10991, 'newz': 22401, 'chelmsford': 6571, 'easton': 10904, 'stating': 30918, 'entity': 11541, 'invalid': 17280, 'arynews': 3209, 'labourer': 18715, 'improvished': 16654, 'poonch': 25163, 'wednesdaywisdom': 35609, 'hm': 15703, 'twitterdogs': 33932, 'alien': 2378, 'fred': 13407, 'meyer': 20916, 'hoglets': 15753, 'hrc': 16062, 'rebar': 26781, 'writerslife': 36352, 'happily': 15109, 'printer': 25636, 'cartridge': 6107, 'lightbulb': 19275, 'stew': 31136, 'pse': 25973, 'intervene': 17233, 'establish': 11715, 'sneak': 30116, 'herses': 15557, 'coronatips': 8108, 'rupaul': 28157, 'rupaulsdragrace': 28158, 'dontbeshady': 10424, 'kenney': 18242, 'extinctionrebellion': 12105, 'fridaysforfuture': 13484, 'fossilfuels': 13310, 'tarsands': 32259, 'capsule': 5967, 'posterity': 25271, 'contributes': 7839, 'conventional': 7864, 'rotation': 28021, 'nitrogen': 22539, 'fixation': 12843, 'pal': 23937, 'simonyan': 29755, 'devastating': 9706, 'biochemicalwarfare': 4570, 'simpleton': 29759, 'pointless': 25084, 'operative': 23450, 'workingsmart': 36242, 'workingsafe': 36241, 'ipsos': 17364, 'mori': 21493, 'emphasis': 11325, 'franceschini': 13363, 'chill': 6644, 'anybody': 2865, 'whereamask': 35833, 'mystar991': 21876, 'proliferate': 25784, 'penn': 24427, 'reliability': 27119, 'shotoniphone': 29577, 'iphonography': 17359, 'tm': 33084, 'oldman': 23265, 'lago': 18742, 'yard': 36518, 'explicit': 12046, 'hidden': 15587, 'co2': 7106, 'sliding': 29972, 'subsidy': 31551, 'carbontax': 5990, 'collaboration': 7210, '3d': 867, 'stated': 30905, 'athanasia': 3358, 'ct': 8676, 'webcast': 35576, 'parksdata': 24141, 'attacked': 3400, 'badge': 3764, 'resolve': 27405, 'wetherspoon': 35746, 'timmartin': 33024, 'haulage': 15220, 'sewerage': 29228, 'crematorium': 8500, 'cemetery': 6312, 'teaching': 32337, 'pun': 26065, 'greatest': 14604, 'wet': 35742, 'repression': 27299, 'distracted': 10204, 'september': 29156, 'longevity': 19623, 'invisible': 17316, 'inhale': 16959, 'bam': 3851, 'disappointing': 9995, 'fortune': 13296, 'thewalkingdead': 32788, 'extending': 12092, 'menoume': 20805, 'spiti': 30600, 'greece': 14609, 'eleven': 11206, 'belief': 4280, 'generated': 13941, 'pointed': 25081, 'clarified': 6892, 'sufficiently': 31608, 'mitigation': 21211, 'jeff': 17694, 'farber': 12313, 'returning': 27605, 'skimping': 29886, 'clued': 7067, 'kke': 18459, 'backed': 3726, 'coeliacs': 7156, 'lactose': 18729, 'intolerant': 17254, 'xmas': 36470, 'troop': 33640, 'brigaid': 5289, 'trustedhelpatyourfingertips': 33750, 'lyon': 19887, '1m': 441, 'roi': 27951, 'capitalmarkets': 5956, 'winner': 36049, 'became': 4166, 'downloaded': 10529, 'overtaking': 23791, 'gaffney': 13735, 'lockdownparis': 19545, 'deserted': 9603, 'dankie': 8997, 'reassuring': 26779, 'sacrificial': 28253, 'lamb': 18774, 'wallet': 35327, 'seasonal': 28909, 'prepper': 25497, 'prepping': 25500, 'srilanka': 30759, 'lka': 19435, 'tamil': 32204, 'tamilnadu': 32205, 'detects': 9676, 'facebookads': 12174, 'ppc': 25352, 'unsettled': 34456, 'triggerchange': 33605, 'repealbillc71': 27242, 'notforsale': 22769, 'habra': 14906, 'exclusively': 11952, 'teaming': 32350, 'needy': 22231, 'charlottenc': 6490, 'makingadifference': 20108, 'sharp': 29338, 'volatility': 35186, 'separation': 29149, 'trainee': 33447, 'geriatric': 14000, 'shattered': 29348, 'interviewed': 17238, 'adapting': 1865, 'woke': 36155, 'crise': 8535, 'leipzig': 19078, 'salesman': 28359, 'vulgar': 35237, 'bil': 4530, 'natnl': 22075, 'assoc': 3311, 'tril': 33608, 'oops': 23415, 'cambridge': 5824, 'fantancy': 12299, 'githurai44': 14154, 'sterdo': 31108, 'sijasema': 29727, 'kitu': 18452, 'dharmesh': 9756, 'imabouttocooksoon': 16507, 'heaving': 15395, 'weren': 35699, 'popping': 25184, 'handler': 15045, 'overlooked': 23755, 'racist': 26431, 'blast': 4697, 'chine': 6671, 'savant': 28594, 'aignos': 2217, 'dvd': 10802, 'publisher': 26035, 'booksale': 4952, 'distrust': 10225, 'wisconsin': 36079, 'voting': 35218, 'polling': 25134, 'donning': 10409, 'november': 22837, 'negotiable': 22245, 'loong': 19650, 'gon': 14362, 'restaurateur': 27467, 'ldn': 18968, 'ours': 23631, 'microtarget': 20983, 'riskmanagement': 27828, 'sherwin': 29412, 'donates': 10397, 'georgia': 13993, 'destroyed': 9658, 'stifled': 31153, 'wreaking': 36335, 'havoc': 15242, 'gapol': 13795, 'croozefmnews': 8581, 'terribly': 32522, 'mbarara': 20557, 'refusal': 27001, 'sh100': 29250, 'hypothesis': 16276, 'mobility': 21282, 'hypocrite': 16273, 'boycotthul': 5100, 'wednesdaythoughts': 35607, 'yallaregettingonmynerves': 36504, 'signatory': 29715, 'spearheaded': 30512, 'anna': 2769, 'vailant': 34739, 'rage': 26458, 'evermore': 11844, 'relevant': 27118, 'aapka': 1577, 'apna': 2906, 'jantacurfew': 17646, 'nook': 22663, 'animalcrossing': 2751, 'acnh': 1801, 'tomnook': 33218, 'drunk': 10671, 'blono': 4767, 'putnam': 26141, 'chamber': 6423, 'partnering': 24176, 'jogger': 17836, 'luckily': 19789, 'dive': 10237, 'musing': 21796, 'traceability': 33399, 'digitalassetlive': 9863, '01': 18, 'tuesdaythoughts': 33816, 'familiesfirst': 12281, 'workmate': 36247, 'symptomatic': 32075, 'prospecting': 25871, 'prophylactic': 25840, 'hydroxychloroquineandazithromycin': 16234, 'medicaladvice': 20682, 'malaria': 20119, 'drank': 10582, 'fairprice': 12236, 'tied': 32971, 'singular': 29806, 'insightintelligence': 17050, '1k': 436, 'admits': 1946, 'calockdown': 5815, 'bold': 4895, 'foothold': 13175, 'yoy': 36675, 'pune': 26070, 'chennai': 6589, 'rtold': 28088, 'dart': 9027, 'fooddelivery': 13096, 'perpetrate': 24530, 'cyberscam': 8858, 'beready': 4341, 'donotfallforit': 10411, 'efficiently': 11090, 'x1m': 36438, 'emotionally': 11318, 'exhausted': 11974, 'empathic': 11321, 'tapped': 32239, 'ty': 33949, 'individualism': 16822, 'bengal': 4322, 'variety': 34828, 'touched': 33320, 'boycottvodafone': 5107, 'freelancer': 13428, 'contractor': 7827, 'loophole': 19653, 'ifs': 16409, 'aiding': 2216, 'shadab': 29255, 'raunheim': 26633, 'hessen': 15568, 'impression': 16638, 'granada': 14532, 'difficulty': 9849, 'infosec': 16931, 'jacket': 17577, 'cabinet': 5716, 'fond': 13067, 'wantonly': 35375, 'liable': 19199, 'breaching': 5201, 'smes': 30058, 'informal': 16922, 'cushioning': 8784, 'oahu': 23014, 'islandlife': 17447, 'hawaii': 15244, 'hog': 15749, 'pig': 24784, 'hawaiianislands': 15246, 'enrollment': 11505, 'aca': 1694, 'cobra': 7123, 'undoubtably': 34237, 'regulator': 27047, 'swarming': 31973, 'lettuce': 19152, 'seal': 28888, 'thinker': 32823, 'pandamonium': 23980, 'norespect': 22687, 'gainesville': 13747, 'landed': 18803, 'stuffccedoes': 31475, 'hofmann': 15748, 'containment': 7774, 'ramp': 26541, 'metropolitan': 20908, 'singalong': 29792, 'rain': 26477, 'defence': 9299, 'cornwall': 7995, 'lockdown2020': 19511, 'jantacurfew2020': 17647, 'hantavir': 15097, 'yesmanservices': 36573, 'narendramodi': 22017, '09': 120, 'ringd': 27780, 'shady': 29260, 'pretendingtocare': 25553, 'needing': 22225, 'vi': 34975, 'ikoyi': 16464, 'marina': 20301, 'unlimited': 34382, 'healthylifestyle': 15355, 'doculandnigeria': 10318, '19de': 412, 'racking': 26436, 'biologicalweapon': 4584, 'terrorism': 32530, 'collap': 7213, 'hayward': 15260, 'cox': 8356, 'agent': 2132, 'uphold': 34533, 'undertaking': 34221, 'valuation': 34766, 'inspection': 17063, 'maintenance': 20065, 'compliance': 7464, 'jerseyans': 17729, 'diversification': 10243, 'legislature': 19059, 'listing': 19370, '16th': 323, 'posit': 25235, 'critically': 8547, 'reputable': 27317, 'hea': 15293, 'hobby': 15735, 'emptier': 11352, 'germophobe': 14009, 'tohoku': 33138, 'influencers': 16910, 'involve': 17326, 'detached': 9664, 'fitbit': 12826, 'ace': 1769, '58': 1117, 'camelcamelcamel': 5829, 'purveyor': 26128, 'truce': 33659, 'luscious': 19835, 'vegetation': 34881, 'locust': 19573, 'grazed': 14595, 'crate': 8428, '5lines': 1154, 'mpy': 21622, 'surplus': 31873, 'roast': 27887, 'mince': 21082, 'bir': 4602, 'ddettir': 9143, 'permarketlerin': 24517, 'lojistik': 19598, 'hizmeti': 15694, 'avusturya': 3606, 'ordusu': 23524, 'deste': 9649, 'iyle': 17564, 'yap': 36517, 'yor': 36616, 'tedavisi': 32397, 'milyon': 21075, 'luk': 19802, 'ara': 3039, 'rma': 27858, 'geli': 13919, 'tirme': 33056, 'esi': 11675, 'klad': 18461, 'ge': 13893, 'hafta': 14922, 'paketi': 23927, 'klanm': 18463, 'viyana': 35154, 'haberler': 14902, 'bu': 5432, 'kadar': 18019, 'isolates': 17463, 'believing': 4285, 'himself': 15638, 'thi': 32799, 'ng': 22417, 'deploys': 9543, 'gafoodindustry': 13736, 'scarf': 28700, 'wrapped': 36331, 'pan': 23963, 'splain': 30605, 'barbie': 3925, 'doll': 10365, 'veteran': 34966, 'resisted': 27398, '46': 976, '385': 852, 'mcx': 20606, '44049': 953, 'gloom': 14242, 'sooner': 30367, 'empathetic': 11320, 'enhancing': 11473, 'holland': 15780, 'sitution': 29841, 'landal': 18801, 'rebook': 26785, 'unacceptable': 34108, 'interruption': 17226, 'nofilter': 22599, 'champagne': 6424, 'penis': 24426, 'sprayable': 30673, 'diameter': 9785, 'nozzle': 22858, 'active': 1830, 'liquidator': 19352, 'busiest': 5588, 'bac': 3713, '3a': 861, 'cannonwater': 5912, 'teamcvs': 32344, 'realheros': 26720, 'surreal': 31878, 'csis': 8667, 'ben': 4305, 'cahill': 5744, 'socialist': 30225, 'arrange': 3138, 'reservist': 27365, 'vat': 34839, 'lick': 19229, 'coronanl': 8074, 'franchise': 13365, 'photohops': 24721, 'deletes': 9385, 'sentence': 29136, 'stacker': 30798, 'humannature': 16134, 'spindini': 30584, 'greatgeneration': 14606, 'upto': 34568, 'accidently': 1727, 'rcb': 26657, 'ipl2020': 17360, 'pipe': 24836, 'plc': 24956, 'preaching': 25417, 'kaki': 18043, 'meja': 20753, 'jangan': 17639, 'tapi': 32238, 'trumpepicfailure': 33694, 'anniversary': 2780, 'temporarywork': 32473, 'temporaryvacancy': 32472, 'musicaltheatre': 21791, 'westend': 35718, 'lockdownlondon': 19534, 'newspaper': 22378, 'chancellor': 6430, 'merkel': 20860, 'berlin': 4354, 'preserving': 25524, 'chapter': 6465, 'verizon': 34940, 'cpd': 8365, 'supervising': 31778, 'fatally': 12388, 'flawed': 12913, 'nielsen': 22476, 'inclined': 16711, 'premise': 25480, 'demographic': 9465, 'cwa': 8845, 'advocacy': 2017, 'lift': 19270, 'streamer': 31380, 'shouted': 29587, 'separate': 29145, 'calgary': 5775, 'involving': 17330, 'westjet': 35726, 'intimidating': 17249, 'connectivity': 7625, 'connect': 7618, 'fortunately': 13295, '60seconds': 1185, 'becreative': 4180, 'bebetter': 4163, 'besafe': 4371, 'extortionately': 12111, 'haji': 14957, 'adulterated': 1979, 'ritual': 27834, 'meaningful': 20632, 'facetime': 12190, 'boerne': 4868, 'eatery': 10916, 'afloat': 2071, 'showcase': 29594, 'mncs': 21248, 'ranchi': 26553, 'nrlm': 22868, 'adoting': 1967, 'ayurved': 3658, 'tpi': 33379, 'timeframe': 33015, 'bang': 3876, 'harassing': 15133, 'pedestrian': 24368, 'bonding': 4921, 'moral': 21472, 'schmutz': 28740, 'performing': 24494, 'random': 26561, 'louisiana': 19705, 'satan': 28551, 'boomplay': 4961, 'rewe': 27680, 'potsdam': 25298, 'odds': 23127, 'thats': 32649, 'pilling': 24803, 'fuckoffcoronavirus': 13587, 'kindnesspandemic': 18399, 'thinkingofothers': 32828, 'hurry': 16190, 'fighttogether': 12648, 'belgavi': 4274, 'tnc': 33095, 'baseline': 3988, 'primarily': 25611, 'paycheck': 24292, 'wreck': 36337, 'fema': 12539, 'competing': 7435, 'medicalequipment': 20685, 'protectivegear': 25896, 'trumpliesamericansdie': 33712, 'eucommission': 11778, 'traveller': 33539, 'regionalsecurity': 27023, 'lcdc': 18965, 'cabby': 5713, 'mercedes': 20835, '01892': 39, '838': 1394, '619': 1192, 'salford': 28363, 'refuse': 27002, 'soybean': 30455, 'scenario': 28716, 'dtc': 10693, 'slated': 29941, 'k12': 18012, 'midtown': 21004, 'newyorklockdown': 22398, 'newyorktough': 22400, 'rang': 26572, 'career': 6013, 'meditate': 20709, 'tuesdaytreat': 33817, 'curse': 8769, 'multinational': 21719, 'whooping': 35925, 'mylan': 21856, 'nv': 22954, 'ijustwanttogobacktomynormallife': 16460, 'saudiaramco': 28578, 'comfortable': 7303, 'aramco': 3046, 'geopolitics': 13989, 'oilandgas': 23210, 'subsea': 31538, 'alxcltd': 2516, 'journalism': 17890, 'neither': 22260, 'brighton': 5295, 'lighten': 19276, 'steve': 31130, 'hendrickson': 15508, 'naturalgas': 22083, 'natgas': 22046, 'dementia': 9451, 'respected': 27422, 'login': 19586, 'essenti': 11693, 'cagnaccio': 5742, 'rubbish': 28100, 'surestwaytolegalresearch': 31855, 'supremecourt': 31839, 'scconline': 28713, 'jane': 17633, 'southworth': 30446, 'diverisfiedindustrials': 10241, 'biocide': 4572, 'lapping': 18832, 'divided': 10255, 'deployed': 9540, 'ftse': 13562, 'ursday': 34596, 'demic': 9454, 'pedro': 24373, 'perez': 24484, 'woollies': 36202, 'firing': 12787, 'copping': 7945, 'keyworker': 18295, 'unpaid': 34406, 'settle': 29209, 'intelligent': 17151, 'em': 11248, 'cnas': 7092, 'stockmarketcrash': 31215, 'signofthetimes': 29724, 'brief': 5283, 'coincides': 7183, 'rainy': 26484, 'unavoidable': 34124, 'disrupt': 10162, 'foreseeable': 13222, 'acute': 1851, 'shopify': 29508, 'slide': 29971, 'deck': 9234, 'attend': 3409, 'consultancy': 7696, 'training': 33450, 'maniac': 20204, 'smarting': 30033, 'ipa': 17347, 'pivot': 24865, 'skull': 29908, 'realitytv': 26733, 'dotheirpart': 10490, 'ironically': 17393, 'traveled': 33533, '80km': 1369, 'gasprices': 13834, 'roadtrip': 27882, 'pork': 25198, 'cordon': 7957, 'gruyere': 14771, 'sauce': 28572, 'exit': 11990, 'unloading': 34385, 'prioritise': 25640, 'sprayer': 30675, 'dental': 9505, 'hygienist': 16250, 'amber': 2552, 'sanchez': 28420, 'shadow': 29258, 'tote': 33310, 'delayed': 9377, 'finalized': 12693, 'scuffle': 28859, 'respectful': 27423, 'justsaying': 17998, 'earnings': 10865, 'ubs': 33992, 'wealth': 35528, 'claudia': 6913, 'panseri': 24051, 'preservation': 25520, 'rectify': 26875, 'brunswick': 5399, 'stat': 30899, 'southkorea': 30436, 'coli': 7204, 'botulism': 5048, 'winning': 36052, 'bruh': 5392, 'schedule': 28725, 'trickiest': 33595, 'terminal': 32513, 'pressing': 25538, 'waving': 35494, 'saleem': 28352, 'safi': 28297, 'imran': 16660, 'khan': 18314, 'ik': 16461, 'resignation': 27387, 'imf': 16531, 'ig': 16412, 'punjab': 26079, 'fazlu': 12424, 'dharna': 9757, 'chore': 6734, 'eyewear': 12144, 'sunglass': 31691, 'newyork': 22396, 'cornell': 7976, 'indie': 16807, 'approaching': 2994, 'faltering': 12275, 'category3': 6172, 'evacuation': 11808, 'devastation': 9707, 'assigned': 3304, 'dichotomy': 9799, 'thankstrump': 32614, 'tjmaxx': 33075, 'burlington': 5555, 'ko': 18523, 'olau': 23256, 'helpingothers': 15461, 'emphatically': 11331, 'nyu': 23000, 'tandon': 32217, 'expressing': 12081, 'harry': 15179, 'brennan': 5244, 'personalfinance': 24553, 'rba': 26653, 'joyce': 17896, 'mccutch': 20583, 'gujarat': 14832, 'surat': 31848, 'resorted': 27412, 'pelted': 24402, 'stone': 31246, 'detained': 9668, 'dcp': 9136, 'rakesh': 26504, 'barot': 3955, 'va': 34718, 'dept': 9563, 'partnership': 24177, 'adjusts': 1922, 'lounge': 19709, 'americanairlines': 2581, 'marketscreener': 20341, 'brawl': 5190, 'root': 27999, 'ipex': 17352, 'silk': 29739, 'scrunchies': 28855, 'wichita': 35949, 'relentlesslyoriginal': 27117, 'terfs': 32509, 'trans': 33460, 'vax': 34846, 'seat': 28913, 'boose': 4965, 'myth': 21885, 'terf': 32508, 'luxurybrand': 19852, 'luxurylifestyle': 19857, 'stockton': 31229, 'defying': 9346, 'lipstick': 19346, 'polish': 25118, 'saint': 28331, 'johnston': 17847, 'ain': 2225, 'noth': 22774, 'abc15': 1600, 'speculator': 30541, 'italylockdown': 17506, 'emi': 11296, 'tht': 32935, 'institution': 17110, 'orpenalties': 23570, 'incase': 16694, '30k': 759, 'auspol2020': 3491, 'loyalty': 19757, 'legalnews': 19049, 'robertson': 27899, 'gd': 13890, 'malaysialockdown': 20126, 'pp': 25351, 'propylene': 25862, 'sluggish': 30005, 'owing': 23818, 'clap8': 6877, 'generosity': 13951, 'thoughtfulness': 32888, 'manic': 20205, 'courteous': 8293, 'acc': 1701, '3400': 801, 'panickbuying': 24034, 'lucky': 19791, '20k': 526, 'spur': 30718, 'verified': 34933, 'gasbuddy': 13825, 'spurbp': 30719, '815': 1376, 'laurel': 18920, 'ky': 18684, '40741': 917, 'riasrd': 27709, 'weekday': 35615, 'weallneedfood': 35527, 'jessie': 17734, 'wright': 36347, 'pat': 24220, 'served': 29179, 'tweaking': 33901, 'mtn': 21667, 'southafrica': 30417, 'meatshop': 20654, 'coimbatorecorporation': 7175, 'lockdowndiary': 19518, 'thecovaipost': 32672, 'cowering': 8351, 'shoved': 29591, 'knocking': 18504, 'yelped': 36563, 'comsumption': 7502, 'premiumization': 25483, 'winetasting': 36042, 'winedrinking': 36034, 'winelover': 36037, 'wineindustry': 36035, 'dispensary': 10132, 'stance': 30842, 'stalker': 30831, 'johnlewis': 17843, 'fitch': 12827, 'sovereign': 30448, 'rmbs': 27863, 'performance': 24491, 'borrower': 5014, 'hardly': 15144, 'nor': 22679, 'disastrous': 10006, 'disrupts': 10167, 'murphy': 21776, 'humidor': 16144, 'pseudomed': 25975, 'uc': 33993, 'irvine': 17420, 'debunked': 9203, 'rejuvi': 27083, 'liver': 19414, 'attributed': 3434, 'herbalife': 15524, 'marketcrash': 20315, 'chinesecoronavirus': 6674, 'chucknorris': 6772, 'breakingnews': 5214, 'illjustorderfromthecharmery': 16483, 'laughed': 18906, 'juha': 17936, 'saarinen': 28225, 'canal': 5862, 'edit': 11036, 'selfquarantine': 29051, 'tearful': 32363, 'wary': 35419, 'skype': 29917, 'centered': 6320, 'intreo': 17259, 'quay': 26298, 'relaxing': 27103, 'quarantinis': 26278, 'dynamic': 10825, 'duo': 10766, 'review': 27650, '21st': 558, 'somalia': 30323, 'pandemic2020': 23987, 'coronapimpin': 8084, 'sexydistancing': 29236, 'sexy': 29235, 'igotyouboo': 16438, 'excitement': 11942, 'rot': 28018, 'sakal': 28335, 'sakalnews': 28337, 'viral': 35083, 'sakalmedia': 28336, 'lockdownnow': 19540, 'staffing': 30807, 'fra': 13347, 'reassured': 26777, 'ram': 26516, 'bajekal': 3810, 'fmf': 13015, 'ltd': 19775, 'oneindiapolls': 23326, 'wuhancoronavius': 36397, 'bahrain': 3792, 'lad': 18730, 'everton': 11845, 'turkish': 33865, 'edinburgh': 11035, 'legislated': 19055, 'homebuying': 15809, 'homebuyer': 15807, 'residential': 27383, 'househunters': 16007, 'cocooned': 7141, 'duration': 10776, 'poke': 25092, 'patty': 24268, 'quarantaine': 26238, 'tpshortage': 33389, 'somebody': 30329, 'cross': 8585, 'sumone': 31663, 'teresa': 32507, 'wickham': 35953, 'tunbridge': 33842, '42': 935, 'regime': 27017, 'unthinkable': 34480, 'ducking': 10718, 'bide': 4489, 'symptons': 32077, 'confusing': 7598, 'proctorgamble': 25706, 'albany': 2309, 'feedingus': 12513, 'bakingstrong': 3821, 'outflow': 23656, 'unmanageable': 34388, 'mindset': 21092, 'digitaltransformation': 9894, 'pwc': 26158, 'designthinking': 9618, 'dataanalytics': 9041, 'rpa': 28062, 'infographics': 16919, 'england': 11463, 'conflict': 7586, 'rue': 28113, 'janev3': 17638, 'bust': 5619, 'amb': 2549, 'hemp': 15501, 'adapts': 1867, 'cannabisnews': 5902, 'cannabisindustry': 5901, 'invasionofthebodysnatchers': 17284, 'pantrystaples': 24056, 'casual': 6152, 'bankrupt': 3901, 'http': 16079, 'viruschino': 35109, 'ism': 17452, 'adp': 1968, 'payroll': 24311, '27k': 664, '150k': 282, 'july': 17948, 'exploration': 12058, 'hedged': 15401, 'tullowoil': 33830, 'oilindustry': 23221, 'focusing': 13035, 'statistic': 30924, 'enthusiastic': 11533, 'wal': 35308, 'semi': 29081, 'dang': 8988, 'collapsed': 7216, 'khamenei': 18312, 'evolves': 11886, 'pilot': 24807, 'colab': 7192, 'transporter': 33507, 'computer': 7500, 'cautionyespanicno': 6208, 'brookshire': 5369, 'eldorado': 11166, 'brookshires': 5370, 'seniordiscount': 29113, 'seniorhours': 29114, 'unioncounty': 34321, 'convoy': 7893, 'randos': 26569, 'unchecked': 34144, 'humanityforward': 16131, 'silenced': 29733, 'orphanage': 23572, 'mainly': 20055, 'neighbouring': 22256, 'drc': 10596, 'unseen': 34455, 'surrounded': 31885, 'ukjay': 34058, 'pb': 24318, '1kg': 437, 'porridge': 25203, '500g': 1040, 'pleasee': 24968, 'nitrate': 22537, 'bib': 4477, 'goggles': 14327, 'smoking': 30081, 'refurbished': 26999, 'itsuperheroes': 17539, 'correctly': 8169, 'aricle': 3099, 'take3': 32156, 'devise': 9725, 'transparent': 33502, 'rcs': 26662, 'mobilemarketing': 21277, 'richcommunications': 27728, 'medcine': 20663, 'shouldn': 29584, 'fraser': 13384, 'hasnt': 15201, 'filming': 12675, 'accelerant': 1703, 'nascent': 22029, 'svod': 31954, 'avod': 3593, 'rev': 27624, 'downstream': 10539, 'heating': 15387, 'fuelled': 13606, 'cma': 7078, '115': 191, 'africanlivesmatter': 2082, 'quadruple': 26211, 'sovereignty': 30449, 'drought': 10653, 'farners': 12347, 'moussafaki': 21584, 'completed': 7456, 'selected': 29012, '630am': 1203, 'wakingdead': 35306, 'bre': 5198, 'verify': 34934, 'skin': 29887, 'arranged': 3139, '5million': 1158, 'essiantial': 11712, 'distancers': 10185, 'bryan': 5411, 'balvaneda': 3850, 'void': 35184, 'volunteering': 35195, 'katie': 18126, 'moving': 21600, 'residentevil': 27379, 'depressing': 9555, 'tribe': 33590, 'servicetechnicians': 29191, 'foodprocessing': 13131, 'niece': 22475, 'hut': 16208, 'caregiver': 6020, 'mat': 20473, 'wmt': 36139, 'amazonbasics': 2536, 'kirkland': 18422, 'roadmaps': 27880, 'prosumer': 25879, 'novak': 22829, '6pm': 1260, 'aedt': 2023, 'wark': 35393, 'middleton': 20995, 'cf': 6368, 'joint': 17852, 'expressly': 12083, 'creditunions': 8488, 'resist': 27395, 'darth': 9028, 'vader': 34732, 'compiled': 7446, 'fdic': 12457, 'tipped': 33044, 'transforming': 33479, 'growbydata': 14747, 'laborer': 18711, 'planting': 24918, 'freight': 13449, 'plane': 24903, 'upending': 34523, 'unilaterally': 34308, 'istanbul': 17495, 'mamolu': 20157, 'aryal': 3207, 'ensuing': 11512, '327': 788, '841': 1397, '482': 993, 'hospitalization': 15957, '574': 1115, '095': 124, '427': 942, 'optimistic': 23488, 'comforting': 7308, 'canibrands': 5892, 'echl': 10957, 'cleanse': 6945, 'upper': 34546, 'greg': 14641, 'courtney': 8297, 'knoll': 18506, 'uia': 34033, 'adler': 1924, 'resturaunts': 27499, 'taped': 32237, 'grey': 14649, 'bruce': 5390, 'mandating': 20179, 'poorly': 25176, 'inefficient': 16856, 'windfall': 36023, 'xenophobic': 36454, 'clickbait': 6983, 'unsanitary': 34444, 'lastinch': 18856, 'madeforcurves': 19948, 'plussizefashion': 25022, 'bodypositive': 4865, 'partweardresses': 24180, 'plussizeoutfit': 25023, 'plussizetops': 25024, 'outfitgoals': 23653, 'coronamemes': 8068, 'steelworker': 31072, '220': 561, 'female': 12540, 'drain': 10573, 'harming': 15163, 'ventolin': 34918, 'cried': 8517, 'vitamin': 35145, 'soldoitofvitamins': 30293, 'selfishpeople': 29035, 'thk': 32864, 'encouraged': 11386, 'sticking': 31148, 'deafandunarmed': 9157, 'internalized': 17202, 'notgoingout': 22772, 'entertainer': 11529, 'athlete': 3363, 'bushey': 5580, 'urine': 34593, 'rupee': 28160, 'consistency': 7667, 'routinely': 28047, 'erect': 11633, 'obstacle': 23073, 'advancement': 1986, 'demo': 9458, 'nepal': 22273, 'pitty': 24861, 'legislator': 19058, 'marble': 20267, 'revaluation': 27625, 'default': 9290, 'usmarket': 34656, 'dowjones': 10517, 'sp500': 30458, 'nasdaq': 22030, 'overpriced': 23763, 'ru0xuahilf': 28093, 'heeded': 15409, 'stockpiled': 31221, 'coonavirus': 7915, 'haunted': 15225, '401k': 910, 'liveliho': 19409, 'slept': 29964, 'powertalk': 25344, 'featured': 12477, 'furniture': 13681, 'elpasostrong': 11241, 'wesupportlocal': 35741, 'pulled': 26050, 'childcare': 6637, 'juggle': 17934, 'shuttered': 29648, 'vtequalpayday': 35234, 'topical': 33250, 'ict': 16343, 'excel': 11920, 'oversee': 23776, 'valid': 34756, 'disgrace': 10073, 'forgive': 13241, 'mikeashley': 21029, 'boycottsportsdirect': 5105, 'mailman': 20045, 'potentially': 25295, 'webcam': 35575, 'bestbuy': 4387, 'videoconferencing': 35007, 'moven': 21594, 'gained': 13745, 'warming': 35397, 'toddler': 33117, 'emarsys': 11254, 'gooddata': 14374, 'demonstrates': 9476, 'sheltering': 29396, 'westminster': 35731, 'amen': 2568, 'latraffic': 18896, 'contacted': 7760, 'sudde': 31590, 'insufficient': 17122, 'carbonmarket': 5989, 'euets': 11779, 'pant': 24053, 'awe': 3626, 'diplomacy': 9948, 'infecting': 16881, 'pappystips': 24077, 'enoughisenough': 11492, 'advanced': 1985, 'soothing': 30372, 'scent': 28719, 'fl': 12859, 'jelly': 17703, 'daffs': 8905, 'replied': 27268, 'undefeated': 34172, 'humour': 16150, 'germanycoronavirus': 14005, 'bremen': 5239, 'liberal': 19208, 'pakistanfightscorona': 23930, 'punch': 26066, 'cremona': 8502, 'andrea': 2705, 'promising': 25799, 'bait': 3805, 'circling': 6811, 'moonbeamwishes': 21454, 'megan': 20736, 'condensed': 7537, 'praying': 25408, 'champion': 6425, 'chorlton': 6736, 'backlog': 3732, 'fam': 12276, 'foodsecurity': 13135, 'morefoodmoreoften2morepeople': 21483, 'iwas': 17555, 'irrational': 17399, 'obsession': 23068, 'density': 9503, 'econsumergov': 11011, 'exceeded': 11918, 'resin': 27394, '280': 668, 'policeman': 25108, 'heavenly': 15392, 'cardiologist': 6004, 'quit': 26366, 'nearest': 22197, 'cleansing': 6948, 'kleenex': 18468, 'packet': 23878, 'utahearthquake': 34675, 'overdrive': 23737, 'flooring': 12968, 'geopolitical': 13987, 'ramification': 26536, 'fearful': 12466, 'entail': 11518, 'procured': 25708, 'skid': 29876, 'angel': 2724, 'contaminate': 7777, 'differentiated': 9844, 'agrees': 2168, 'recorded': 26852, 'elect': 11167, 'pvt': 26154, 'condo': 7544, 'sengkang': 29110, 'draw': 10587, 'hun': 16155, 'socialdistancinguk': 30208, 'racing': 26428, 'supporter': 31806, 'councilors': 8244, 'brunch': 5397, 'extensively': 12096, 'yemen': 36567, 'unaffordable': 34111, 'ja': 17570, 'den': 9484, 'demma': 9457, 'sef': 28994, 'chai': 6402, 'popup': 25192, 'attached': 3396, 'njavwa': 22544, 'simukoko': 29770, '260964905611': 644, 'nw': 22958, 'shaming': 29305, 'upping': 34547, 'bleepin': 4715, 'teenscoughingongrocerystoreproduce': 32408, 'genz': 13974, 'purcellville': 26088, 'alma': 2447, 'mater': 20485, '10th': 173, 'revive': 27659, 'pummeled': 26057, 'vino': 35064, 'wolftrap': 36159, 'thewolftrap': 32794, 'qt': 26204, 'wilkinson': 35995, 'blvd': 4815, 'clt': 7057, 'ewg': 11893, 'pesticide': 24580, 'foodnews': 13125, 'shoppinglist': 29542, '2f': 702, 'anytime': 2871, 'pric': 25582, 'penalise': 24407, 'responsibly': 27452, 'punishing': 26076, 'miscreant': 21158, 'receipt': 26806, 'exists': 11989, 'dollarama': 10367, 'unsettling': 34457, 'artforheroes': 3174, 'wellbeing': 35669, 'fil': 12661, 'bash': 3992, 'reactive': 26683, 'bcg': 4094, 'reacting': 26679, 'weighing': 35638, 'surpassed': 31870, 'crimsonagility': 8527, 'shopfromhome': 29505, 'clientsupport': 6990, 'delhi': 9392, 'bengaluru': 4323, 'unjustifiably': 34360, 'halifax': 14975, 'tactical': 32129, 'lessened': 19119, 'samsung': 28407, 's20': 28218, 'vile': 35045, 'rbc': 26654, 'deadbodies': 9149, 'hug': 16106, 'banana': 3860, 'sudanese': 31589, 'residing': 27384, 'suisse': 31625, '2400': 603, 'crony': 8578, 'palm': 23949, 'diner': 9927, 'maralagovirus': 20265, 'breadline': 5205, 'positioned': 25238, 'teepee': 32410, 'powerball': 25329, 'jackpot': 17582, 'prize': 25678, 'payouts': 24307, 'drawing': 10590, 'wisconsinpandemicvoting': 36080, 'personally': 24558, 'naww': 22122, 'pumping': 26062, 'yummy': 36695, 'dana': 8976, 'trainer': 33448, 'reminded': 27170, 'colloidal': 7239, 'takeyourselfhome': 32174, 'subhanhu': 31517, 'wataalah': 35464, 'calme': 5808, 'downward': 10550, 'ques': 26319, 'schnuck': 28743, 'reopening': 27229, 'butte': 5634, 'mix': 21216, 'liquid': 19349, 'somber': 30325, 'spacing': 30464, 'diminished': 9918, 'fringe': 13507, '2424': 607, '724244': 1292, 'nssf': 22881, 'lebanon': 19024, 'stacked': 30796, 'ceiling': 6287, 'seismic': 29003, 'cultural': 8712, 'etched': 11744, 'marker': 20310, 'investigator': 17307, 'fizzle': 12854, 'berliner': 4355, 'lends': 19092, 'skincare': 29889, 'anki': 2765, 'vector': 34858, 'therapeutic': 32748, 'vicky': 34992, 'ngyuen': 22430, 'qualified': 26221, 'justsayin': 17997, 'airy': 2255, 'ignored': 16433, 'pitying': 24863, 'ourresponsibility': 23630, 'sberesponsible': 28647, 'contemplating': 7789, 'pritzker': 25658, 'illinois': 16477, 'lgus': 19193, 'daraz': 9010, 'adopting': 1961, 'staysafeshoponline': 31031, 'vuitton': 35236, 'commonly': 7370, 'dystopian': 10831, 'fandom': 12295, 'regardless': 27013, 'steven': 31133, 'supermarketworkers': 31756, 'foodworkers': 13159, 'foodshopping': 13138, 'mounting': 21580, 'snp': 30150, 'spokesperson': 30624, 'milling': 21063, 'villainy': 35051, 'geoi': 13983, 'sdbeer': 28870, 'floridashutdown': 12977, 'helpthehelpers': 15481, 'dressed': 10610, 'cord': 7954, 'sweater': 31984, 'boot': 4971, '5986': 1128, '627': 1199, 'brescia': 5249, 'developing': 9711, 'foodstuff': 13143, 'kaduna': 18022, 'ukgoverment': 34051, 'tire': 33050, 'dealership': 9160, 'frontlines': 13532, 'naz': 22125, 'karim': 18101, 'declare': 9238, 'oldie': 23264, 'uno': 34399, 'selute': 29073, 'stayhomeindia': 30987, 'cutter': 8830, 'cigar': 6792, 'motivate': 21554, 'coronav': 8118, 'coronavir': 8125, 'mooch': 21448, 'slashing': 29939, 'gavinnewsom': 13859, 'newsom': 22376, 'calfresh': 5773, 'foreclosing': 13210, 'infectious': 16883, 'htt': 16077, 'demonstrate': 9474, 'shrink': 29613, 'deteriorating': 9682, 'whats': 35791, 'chattanooga': 6509, 'despair': 9630, 'assertive': 3295, 'jail': 17598, 'kuwaiti': 18661, 'thankingkuwaitcorona': 32604, 'howlin': 16044, 'thaler': 32585, 'sticky': 31151, 'deadlock': 9153, 'emergence': 11282, 'grocerygames': 14697, 'homebound': 15805, 'diagnosis': 9776, 'yikes': 36587, 'notpanickingyet': 22803, 'omdia': 23295, 'predicting': 25449, 'virtually': 35097, 'enoughdoing': 11491, 'givi': 14174, 'rosie': 28009, 'riveter': 27843, 'intensive': 17161, 'faced': 12176, 'besmart': 4381, 'strongest': 31442, 'cast': 6144, 'disablity': 9983, 'weakness': 35525, 'smartly': 30037, 'productivity': 25722, 'normalcy': 22691, 'unpleasant': 34410, 'ungrateful': 34291, 'sucharita': 31582, 'kodali': 18530, 'assure': 3322, 'zealander': 36740, 'allegation': 2403, 'norwegian': 22734, 'wembley': 35681, 'closest': 7029, 'icu': 16344, 'hokianga': 15758, 'fi': 12599, 'nejm': 22261, 'caveat': 6214, 'emptor': 11356, 'degrades': 9359, 'gobrowns': 14297, 'wholefoods': 35915, 'ramennoodles': 26533, 'bopis': 4978, 'halted': 14992, 'ecozones': 11016, 'economycrisis': 11009, 'ri': 27706, 'wtop': 36380, '01hr': 41, 'atleast': 3380, '03hrs': 67, 'goodman': 14385, 'bonita': 4932, 'flamingo': 12871, 'sprimg': 30695, 'crew': 8510, 'frontlineheroes': 13529, 'yieldcos': 36585, 'neighbourhood': 22255, 'intersection': 17227, 'newprofilepic': 22360, 'venue': 34922, 'ankle': 2766, 'jumpsuit': 17956, 'internally': 17203, 'sadder': 28259, 'fucked': 13572, 'borrow': 5012, 'scariest': 28703, 'diego': 9823, 'medford': 20667, 'compromised': 7493, 'destinationmedford': 9653, 'medfordnj': 20668, 'staggered': 30816, 'adherence': 1904, 'congregate': 7608, 'inter': 17167, 'shuttle': 29655, 'wncn': 36141, 'nebraskan': 22206, 'elation': 11153, 'townspeople': 33364, 'gi': 14099, 'atop': 3388, 'liberation': 19213, 'joy': 17895, 'pallet': 23947, 'jubilation': 17914, 'disproportionate': 10154, 'jeanne': 17684, 'bohlen': 4882, 'safeway': 28296, 'tragic': 33440, 'rough': 28032, 'auction': 3451, 'laboring': 18712, 'fulfill': 13619, 'intense': 17156, 'w1': 35256, 'schoolclosure': 28751, 'exhaustion': 11976, 'strangely': 31357, 'expansive': 12003, 'metaphor': 20889, 'breaker': 5209, 'lonely': 19616, 'overcrowded': 23730, 'destination': 9652, 'stratospheric': 31374, 'bedsit': 4192, 'bitter': 4633, 'fir': 12771, 'honey': 15876, 'vdacs': 34854, 'stayhometexas': 31003, 'afterthought': 2098, 'alcoholicsoap': 2333, 'beatcovid19': 4137, 'coronaphilippines': 8083, 'touchland': 33323, 'rebound': 26790, 'impoverished': 16634, 'liberia': 19214, 'cassava': 6142, 'priced': 25587, '697': 1243, '1220': 216, 'ht': 16076, 'machinelearning': 19919, 'paignton': 23909, 'teenager': 32407, 'civic': 6841, 'cbot': 6230, 'weaker': 35523, 'xinhua': 36463, 'hmrc': 15712, 'socialsecurity': 30240, 'ssa': 30765, 'garbageman': 13798, 'acknowledgement': 1794, 'dollartree': 10370, 'scream': 28828, 'jen': 17706, 'faq': 12308, 'moderate': 21299, 'breakthrough': 5222, 'timely': 33017, 'chest': 6603, 'clinic': 7003, 'ekg': 11142, 'immunosuppressed': 16569, 'fleeing': 12924, 'tinderbox': 33030, 'exacerbating': 11901, 'tension': 32499, 'cheapest': 6526, 'servo': 29196, 'fifty': 12627, 'tolietpaper': 33201, 'nit': 22535, 'snotty': 30142, 'unwashed': 34499, 'gifting': 14115, 'foodgift': 13103, 'foodgifting': 13104, 'foodandbeverage': 13079, 'democracy': 9459, 'touted': 33348, 'arena': 3074, 'weirdly': 35649, 'wasabi': 35421, 'ish': 17430, 'scooping': 28790, 'messaging': 20876, 'bayside': 4064, 'tightening': 32982, 'financing': 12726, 'disabilitysucks': 9979, 'clearer': 6960, '3p': 891, 'hardware': 15148, 'plumber': 25009, 'electrician': 11177, 'teller': 32457, 'laundromat': 18917, 'gown': 14493, 'liason': 19205, 'coronajokes': 8061, 'issuing': 17492, 'thecustomerwhisperer': 32675, 'foottraffic': 13181, 'remodels': 27180, 'withdraws': 36106, 'hanbury': 15025, 'websiteexpertsinghana': 35591, 'coronainghana': 8052, 'nanaaddo': 21990, 'acct': 1753, 'ssns': 30774, 'phishers': 24695, 'cv': 8837, 'walgreens': 35312, 'rite': 27833, 'radius': 26449, 'nada': 21929, 'backpackingbear': 3737, '3am': 862, 'eminem': 11300, 'youneedgroceries': 36637, 'conte': 7786, 'contemplate': 7787, 'consumerbehaviour': 7714, 'restaurantnews': 27466, 'mongering': 21405, 'invokes': 17324, 'purposely': 26116, 'panews': 24014, 'hanovertownship': 15095, 'luzernecounty': 19858, 'papolice': 24074, 'kelly2': 18225, 'thejake': 32707, 'sp': 30457, 'snd': 30115, 'novartis': 22831, 'dos': 10485, 'nonrefundable': 22655, 'screaming': 28830, 'financially': 12712, 'destitute': 9656, 'wiser': 36086, 'happyhour': 15120, 'toss': 33294, 'witcher': 36099, 'explained': 12042, 'sophisticated': 30376, '30m': 761, 'irresponsibly': 17412, 'dumbest': 10741, 'cleanroom': 6944, 'tiny': 33041, 'confronted': 7594, 'pleads': 24963, 'rhine': 27697, 'hall': 14976, 'pfe': 24637, 'rhinehall': 27698, 'barr': 3956, 'manipulate': 20213, 'whcovidbriefing': 35810, 'advertise': 1998, 'competitor': 7443, 'pared': 24116, 'memory': 20791, 'happiness': 15110, 'readymade': 26700, 'heineken': 15424, 'cdnecon': 6264, 'pocketbook': 25059, 'snakeoil': 30102, 'frustrated': 13548, 'uranium': 34577, 'doomed': 10456, 'embracing': 11272, 'brake': 5146, 'makeourmark': 20097, 'helpourneighbors': 15475, '30seconds': 769, 'stockingup': 31211, 'subsidising': 31547, 'frieght': 13493, 'bulky': 5496, 'n3': 21901, 'comon': 7400, 'vest': 34962, 'oo': 23409, 'jomo': 17864, 'jomotv': 17865, 'kingjomo': 18403, 'remembered': 27165, 'practiced': 25368, 'changer': 6442, 'compatriot': 7425, 'doofancy': 10453, 'enquirer': 11495, 'whatthe': 35803, 'engineered': 11460, 'selfishly': 29031, 'productive': 25720, 'congratulation': 7607, 'malaysian': 20127, 'crave': 8432, 'midwife': 21009, 'carer': 6027, 'nursery': 22926, 'clapfornhs': 6882, 'thankyounhs': 32628, 'hysterical': 16281, 'dysfunctional': 10828, 'freeing': 13424, 'mandela': 20182, 'arr': 3137, 'adi': 1909, 'enable': 11369, 'menards': 20797, 'cited': 6825, 'starmer': 30877, 'brainstorming': 5142, 'language': 18821, '903': 1463, '689': 1239, '1975': 392, 'questioned': 26326, 'mvp': 21827, 'taylor': 32305, 'nears': 22201, 'us': 34602, 'kr': 18588, 'rm16': 27853, '93': 1491, 'rm42': 27856, 'kelik': 18221, 'mekoh': 20755, 'balik': 3834, 'hari': 15153, 'desantis': 9589, 'statewide': 30915, 'grower': 14748, 'rotting': 28026, 'vine': 35060, 'lime': 19302, 'deactivated': 9147, 'canvas': 5933, '18x24cm': 360, 'sickboy': 29666, 'sickonthewall': 29677, 'disposal': 10151, 'bomb': 4910, 'stencil': 31089, 'srencilart': 30757, 'popart': 25180, 'streetart': 31389, 'planner': 24909, 'stabbings': 30783, '19th': 419, 'dial': 9780, 'referral': 26956, 'flexible': 12934, 'reusuable': 27621, 'charlie': 6486, 'baker': 3815, 'adam': 1855, 'jonas': 17867, 'tsla': 33778, 'phrase': 24729, 'competitive': 7440, 'ev': 11803, 'tesla': 32542, 'edge': 11029, 'electrification': 11183, '196': 382, 'reliance': 27121, 'ratnadeep': 26630, 'hyd': 16218, 'unlawfully': 34373, 'q4': 26168, 'delinquency': 9407, 'lagging': 18741, 'cashless': 6132, 'markofthebeast': 20353, 'bout': 5072, 'itis': 17520, 'noposguau': 22677, 'quatantineandchill': 26296, 'lovequotes': 19729, 'pierre': 24780, 'andurand': 2714, 'treated': 33562, 'reverence': 27639, 'amd': 2562, 'deserves': 9606, 'msps': 21654, 'technews': 32381, 'intervening': 17235, 'rerouted': 27334, 'cptpp': 8381, 'packer': 23877, 'profitable': 25738, 'irishman': 17389, 'happystpatricksday': 15124, 'guiness': 14827, 'corned': 7975, 'tradition': 33433, 'postoffice': 25280, 'forth': 13278, 'sealing': 28891, 'envelope': 11553, 'casting': 6147, 'ballot': 3842, 'nhpolitics': 22435, 'healey': 15311, 'debilitating': 9191, 'mome': 21364, 'menace': 20795, 'opportune': 23464, 'belly': 4295, 'quo': 26374, 'vadis': 34733, 'dennis': 9498, 'thompson': 32872, 'katsinawa': 18131, 'daura': 9073, 'unawares': 34126, 'noone': 22665, 'strangetimes': 31361, 'redballs': 26887, 'tyrone': 33966, 'stoking': 31240, 'sugary': 31615, 'route': 28044, 'eager': 10844, 'overuse': 23795, 'callous': 5801, 'taxing': 32300, 'imposing': 16626, 'excise': 11940, 'merry': 20864, 'hatred': 15217, 'emulating': 11366, 'trellis': 33568, 'ghee': 14083, 'clarifying': 6894, 'jerk': 17721, 'disregard': 10158, 'insure': 17134, 'milage': 21032, 'knowthat': 18516, 'finlit': 12756, 'thankyousomuch': 32635, 'firstresponders': 12799, 'disappointment': 9996, 'aest': 2031, '423': 941, '322': 786, '237': 595, '232': 585, 'trumpliedpeopledied': 33709, 'poster': 25269, 'fkthebs': 12858, 'trumppressconference': 33726, 'tendergreen': 32487, 'zipsak': 36794, 'spreadthelovenotthevirus': 30689, 'maskup': 20438, 'russianpresident': 28177, 'gb': 13878, 'cashpoint': 6136, 'escalator': 11661, 'rail': 26475, 'sued': 31598, 'wando': 35360, 'evans': 11823, 'suing': 31624, 'notify': 22789, 'trace': 33398, 'keepitreal': 18203, 'helpyourneighbour': 15491, '12weeks': 234, 'dogood': 10345, 'suspicion': 31928, 'nylockdown': 22987, 'ua': 33978, 'driveway': 10636, 'utilized': 34693, 'friendship': 13496, 'plowing': 24997, 'unimaginable': 34311, 'dofe': 10338, 'courage': 8287, 'blueprint': 4804, 'dwindling': 10812, 'day18oflockdown': 9109, 'scotland': 28798, 'howard': 16035, 'bombarded': 4912, 'onetime': 23333, 'bpd': 5116, 'solve': 30316, '3dprinted': 870, 'drill': 10621, 'attachment': 3398, 'spool': 30640, 'researching': 27350, 'oilprices': 23229, 'mnuchin': 21256, 'treasury': 33560, 'basemetals': 3990, 'highschool': 15612, 'inability': 16671, 'envision': 11563, '925': 1486, '957': 1515, '8608': 1415, 'reportfraud': 27280, 'permitted': 24525, 'venturing': 34921, 'socialquarantine': 30237, 'shaking': 29278, 'stretching': 31410, 'chem': 6574, 'affable': 2041, '96': 1517, 'predisposed': 25453, 'gradschool': 14517, 'graduation': 14522, 'ravaged': 26636, 'prospected': 25870, 'strictly': 31415, 'revolve': 27674, 'oneocean': 23329, 'rts': 28089, 'mickey': 20962, 'mouse': 21582, 'outta': 23700, 'titled': 33068, 'workfromhomelife': 36231, 'sanity': 28473, 'pemex': 24404, 'highway': 15615, 'bissonet': 4622, 'unleaded': 34374, 'apologise': 2921, 'relieving': 27132, 'pda': 24336, 'enters': 11526, 'cashing': 6129, 'missile': 21181, 'waning': 35361, 'saavy': 28229, 'foreignpolicy': 13219, 'fpyc': 13345, 'decimate': 9228, 'caramilk': 5982, 'separating': 29148, '4am': 1006, 'freek': 13425, 'thezi': 32798, 'mabuza': 19906, 'halo': 14989, 'aviation': 3586, '4x': 1033, 'medicalcannabis': 20683, 'feast': 12474, 'restore': 27478, 'hydropower': 16229, 'select': 29011, 'unlock': 34386, 'cooped': 7919, 'unbelievable': 34129, 'dismayed': 10110, 'glance': 14190, 'lowrate': 19750, 'buyersmarket': 5663, 'intrestrate': 17261, 'realatate': 26706, 'cronavirous': 8575, 'firsttimehomebuyer': 12801, 'winz': 36061, 'liveable': 19404, 'eastermonday': 10896, 'radiodust': 26446, 'radio': 26445, 'ballad': 3836, 'written': 36358, 'audition': 3461, 'parchment': 24113, 'houseplant': 16010, 'designate': 9611, 'eradicating': 11625, 'applepay': 2963, 'googlepay': 14409, 'learns': 19005, 'occupational': 23098, 'origin': 23554, 'antonio': 2850, 'somewhat': 30345, 'breathed': 5227, 'frontlineemployees': 13528, 'ug': 34016, 'entebbe': 11519, 'kampala': 18066, 'lyft': 19871, 'reimbursement': 27059, 'micro': 20963, 'mdma': 20610, 'decried': 9262, 'posho': 25233, 'salt': 28377, 'enyangyi': 11568, 'conspicuously': 7677, 'triage': 33586, 'forum': 13299, 'plenary': 24980, 'diarrhea': 9791, 'disrupting': 10164, 'accounted': 1747, 'policymakers': 25115, 'cynthia': 8876, 'fisher': 12811, 'pricetransparency': 25603, 'leavin': 19020, 'faceshield': 12186, 'ziplock': 36792, 'cheshire': 6601, 'punishable': 26073, 'persistence': 24545, 'unknowable': 34366, 'placing': 24892, 'keypad': 18292, 'inly': 16997, 'tobacco': 33104, 'smoker': 30080, 'mainecdc': 20051, 'shark': 29334, 'handsanitiser': 15053, 'nothappyjan': 22775, 'reel': 26945, 'cooperative': 7924, 'puppy': 26084, 'bathe': 4023, 'tourist': 33342, 'membership': 20779, 'rishi': 27812, 'sunak': 31665, 'decency': 9217, 'hibiscus': 15582, 'lone': 19613, 'beneficial': 4313, 'cryptocurrency': 8648, 'sandwell': 28439, '9news': 1546, 'woolworth': 36203, 'whitehorse': 35888, 'depletion': 9536, 'circulareconomy': 6815, 'ruthless': 28184, 'conveniently': 7862, 'nickel': 22467, 'sulphate': 31639, 'q1': 26164, 'tolerated': 33199, 'uob': 34509, 'meantime': 20639, 'stayathomechallenge': 30944, 'footy': 13183, 'disappearing': 9991, 'pending': 24417, 'abates': 1592, 'listener': 19366, 'tova': 33351, 'jessica': 17733, 'mutch': 21814, 'jenna': 17710, 'lynch': 19882, 'ncci': 22154, 'shell': 29390, 'forgot': 13246, 'quyen': 26382, 'truong': 33745, 'weighs': 35639, 'stroock': 31445, 'fold': 13045, 'kes3': 18273, 'kes38': 18274, 'potter': 25300, 'apothecary': 2928, 'homebargains': 15803, 'ukgovernment': 34052, 'dejav': 9367, 'ditto': 10233, 'utensil': 34683, 'eternal': 11747, 'begged': 4229, 'theyre': 32796, 'sue': 31597, 'racial': 26425, 'wewillgetthroughthis': 35754, 'ashtown': 3235, 'phoenix': 24700, 'ate': 3354, '14hrs': 271, 'expressed': 12080, 'arriving': 3154, 'spaghetti': 30467, 'spencer': 30558, 'mombasa': 21363, 'xd': 36448, 'magically': 19993, 'stabilized': 30790, 'randburg': 26559, '116': 193, 'coronoavirus': 8139, 'behavioral': 4243, 'harvey': 15193, 'westbank': 35713, 'goody': 14402, 'pec': 24361, 'pairing': 23921, 'lockdownextension': 19524, 'lyn88': 19881, 'naming': 21987, 'obscene': 23055, 'spglobal': 30567, 'platts': 24933, 'argo': 3083, 'oversupplied': 23788, 'sophie': 30375, 'adobe': 1953, 'clickandcollect': 6982, 'phyigital': 24732, 'outweigh': 23702, 'absurdity': 1673, 'strategist': 31370, 'ellen': 11225, 'zentner': 36757, 'statist': 30922, 'moisturize': 21346, 'irritation': 17418, 'dryness': 10680, 'pvvnl': 26155, 'transition': 33484, 'coloradocovid19': 7256, 'licked': 19230, 'beaut': 4150, 'lotion': 19691, 'retailalert': 27515, 'onward': 23405, 'workingforyou': 36235, 'uktruckdrivers': 34073, 'truckinaround': 33667, 'truckerslife': 33665, 'rdc': 26665, 'avonmouth': 3604, 'tally': 32197, '288': 676, '117': 194, 'hindsight': 15648, 'unintended': 34318, 'ebrahim': 10949, 'patel': 24226, 'stern': 31123, '21daylockdown': 550, 'spoken': 30622, '5am': 1132, 'donut': 10451, 'jockopodcast': 17820, 'jockowillink': 17821, 'futureleaders': 13695, 'dadlife': 8900, 'clash': 6898, 'idiocy': 16373, 'guise': 14829, 'proclaim': 25704, 'benzykalkoniumchloride': 4336, 'hcin': 15282, 'spanning': 30481, 'hospitalisation': 15952, 'irl': 17390, 'breeding': 5234, 'condemn': 7534, 'considerably': 7658, 'stockpilinguk': 31225, 'disbelief': 10009, 'creep': 8492, 'reshoring': 27372, 'recognition': 26834, 'offshoring': 23180, 'makechinapay': 20088, 'reshoringusa': 27373, 'littlecaesers': 19391, 'unethical': 34258, 'douchebags': 10501, 'dickmove': 9803, 'dontbeselfish': 10423, 'lsfo': 19769, 'parallel': 24093, 'angsty': 2744, 'insanity': 17034, 'echoing': 10960, 'mkg': 21225, 'shortfall': 29569, 'translate': 33487, 'deficit': 9323, 'badly': 3767, 'stellar': 31085, 'greatdepression': 14602, 'economicsinthenews': 11002, 'passionforeconomics': 24198, 'polite': 25120, 'amarinder': 2526, 'malout': 20143, 'mukatsar': 21696, 'sahib': 28315, 'bitch': 4624, 'cltnews': 7058, 'ncnews': 22160, 'wccb': 35511, 'egede': 11100, 'productively': 25721, 'audience': 3457, 'catherine': 6181, 'amato': 2529, 'wgbh': 35768, 'wht': 35936, 'navarro': 22108, 'repurposed': 27315, 'honeywell': 15878, 'gaynor': 13869, 'reid': 27052, 'overstate': 23784, 'gin': 14139, 'msnbcanswers': 21650, 'shld': 29471, 'fr': 13346, 'grape': 14560, 'instantaneously': 17099, 'adjust': 1916, 'lookoutforothers': 19644, 'neilson': 22259, '202': 490, '224': 568, '3121': 774, 'visual': 35133, 'estimating': 11731, 'alexis': 2356, 'akira': 2282, 'toda': 33111, 'idle': 16381, 'unaffected': 34110, 'ptnyf': 26005, '059': 80, 'radr': 26450, 'parcelpal': 24110, 'oxvent': 23832, 'stabilization': 30788, 'businesstransformation': 5610, 'mercari': 20833, 'declutter': 9246, 'unpacking': 34404, 'detectable': 9671, 'elder': 11157, 'errand': 11647, 'presidency': 25528, 'fre': 13397, 'drastically': 10585, 'ntv': 22891, 'journal': 17888, 'firstrespondersfirst': 12800, '50k': 1059, 'weakens': 35522, 'rinse': 27785, '0711590279': 89, 'ruto': 28186, 'mutahi': 21810, 'kagwe': 18030, 'kibe': 18333, 'kibaki': 18331, 'museveni': 21782, 'commute': 7393, 'elementary': 11200, 'lemon': 19087, 'remedy': 27163, 'callon': 5800, 'cpe': 8366, '3bln': 865, 'timed': 33011, 'acquisition': 1808, 'explorer': 12061, 'edc': 11024, 'pocketdump': 25060, 'ar15': 3037, 'ar15safespace': 3038, 'pewpewpew': 24634, 'gunsofinstagram': 14858, 'p365': 23852, 'p365sas': 23853, 'azliving': 3671, 'vairus': 34741, 'joes': 17832, 'peppermint': 24472, 'sarah': 28520, 'westall': 35710, 'pregnant': 25468, 'vaccination': 34726, 'clubhousegolfstore': 7061, 'clubhousegolf': 7060, 'kajang': 18040, 'shafwan': 29264, 'zaidon': 36715, 'introduces': 17265, 'profesionales': 25727, 'salud': 28381, 'hasta': 15204, 'empleados': 11337, 'camioneros': 5836, 'traen': 33437, 'suministros': 31648, 'gracias': 14510, 'appdome': 2939, 'tovar': 33352, 'appsec': 3008, 'mobileappsec': 21274, 'boycottrumppressconferences': 5104, 'stockup': 31230, 'remembers': 27168, 'resetyourvalues': 27367, 'torbj': 33264, 'becker': 4171, '9yes': 1554, 'carefree': 6016, 'mam': 20149, 'alzheimer': 2518, 'advise': 2008, 'nbc10responds': 22135, 'viewer': 35026, 'coworker': 8352, 'ridiculously': 27750, 'thesis': 32771, 'underground': 34189, 'land': 18800, 'commonplace': 7371, 'distiller': 10193, 'guild': 14819, 'nigga': 22489, 'takin': 32176, 'strapup': 31365, 'purgin': 26104, 'cannatech': 5906, 'cannatechtoday': 5907, 'cannabisbusiness': 5898, 'cannabisscience': 5905, 'wuhancoronavirus': 36395, 'goverment': 14466, 'unsurprisingly': 34472, 'kolkata': 18544, 'pricesindia': 25601, 'octopus': 23118, 'sandbox': 28427, 'poco': 25063, 'dreamstime': 10607, 'epochtimes': 11596, 'mailbox': 20039, 'shouldbeillegal': 29581, 'rogersripoff': 27944, 'chemistry': 6580, 'swedish': 31987, 'approvall': 2999, 'dubai': 10707, 'progression': 25766, 's7c4de5xnb': 28220, 'laura': 18919, 'pressuring': 25542, 'storeroom': 31328, 'ctv': 8682, 'phony': 24712, 'phil': 24676, 'weiser': 35655, 'alwayswatchingoutforyou': 2515, 'context': 7801, 'unleashed': 34376, 'oval': 23707, 'til': 32993, 'bbcnews': 4076, 'avoidingtheshops': 3599, 'pluckingupcourage': 25004, 'onlyforessentials': 23382, 'eoengland': 11574, 'deny': 9512, 'ffp3': 12590, 'ptocedure': 26007, 'apron': 3023, 'londonlockdown': 19611, 'lvmh': 19862, 'swapping': 31970, 'luxuryfashion': 19855, 'brandcsr': 5156, 'gartnermktg': 13819, 'reserving': 27364, 'swim': 32010, 'drowning': 10655, 'whore': 35927, 'pfgc': 24638, 'ncmi': 22159, 'plnt': 24993, 'macy': 19936, 'herald': 15519, 'solitary': 30309, 'bedlam': 4188, 'hustle': 16204, 'samaritan': 28394, 'gooders': 14376, 'huckster': 16092, 'icliniq100hrs': 16331, 'celebrateyou': 6294, 'onlinedoctor': 23356, 'solihull': 30308, 'breakfast': 5210, 'bureaucracy': 5540, 'doling': 10364, 'arrangement': 3140, 'enormously': 11488, 'repacking': 27235, 'jeffrey': 17699, 'epstein': 11600, 'alleged': 2405, 'pimp': 24811, 'ghislaine': 14087, 'maxwell': 20535, 'dakota': 8935, 'attorneygeneral': 3426, 'qeretail': 26186, 'watford': 35487, 'fridayfeeling': 13481, 'shoppingday': 29540, 'tcbasia': 32318, 'rushing': 28170, 'soniashenoy': 30357, 'batra': 4036, 'anujsinghal': 2854, 'purchasin': 26092, 'foia': 13042, 'waiver': 35293, 'fritz': 13513, 'nix': 22540, 'garmentfactories': 13814, 'wassner': 35450, 'cue': 8698, 'outlandish': 23662, 'helper': 15454, 'nationalphysiciansweek': 22068, 'consumernews': 7735, 'centralbank': 6327, 'insurancecompanies': 17131, 'phishingscams': 24697, 'irishconsumers': 17388, 'katt': 18132, 'chef': 6561, 'shes': 29414, 'lovemykids': 19722, 'treating': 33563, 'tpmelection': 33382, 'safdar': 28273, '78': 1329, 'lysolwipes': 19891, 'voluntarily': 35191, 'supportsmallbusinesses': 31823, 'mcclintock': 20576, 'evaluation': 11817, 'nke': 22555, 'azo': 3672, 'lulu': 19805, 'tgt': 32577, 'tsco': 33773, 'resiliency': 27390, 'arguing': 3090, 'shuttering': 29649, 'interrupt': 17223, 'stared': 30871, 'deteriorated': 9681, 'suburb': 31563, 'stayholmesglen': 30973, 'kew': 18286, 'mooroolbarking': 21461, 'lynn': 19885, 'hagan': 14923, 'uncommon': 34151, 'uncommonsense': 34152, 'attestation': 3417, 'carrefourmarket': 6082, 'fg': 12594, 'nysc': 22994, 'wont': 36182, 'carona': 6067, 'caronavirus': 6068, 'maximize': 20527, 'cco': 6244, 'shea': 29360, 'worstofpeople': 36304, 'mabrouq': 19904, 'maldives': 20128, '200k': 471, 'goon': 14413, 'minded': 21084, 'wea': 35517, 'sore': 30377, 'sanitizing': 28472, 'promised': 25798, 'runningfortheboarder': 28150, 'headlong': 15303, 'curtailment': 8776, 'corrected': 8166, 'dec': 9206, '2016': 483, 'pace': 23862, 'goldman': 14349, 'hampton': 15016, 'hudson': 16097, 'tripling': 33624, 'scrolling': 28847, 'profitingfrompandemics': 25747, 'sanjiv': 28479, 'ghmc': 14089, 'rythu': 28209, 'bazar': 4066, 'sai': 28319, 'baba': 3692, 'sharadanagar': 29316, 'unstable': 34463, 'chaldean': 6412, 'mensah': 20806, 'macewan': 19915, 'traveling': 33536, '10times': 174, 'reflection': 26973, 'vh1': 34974, '2030': 505, 'incl': 16709, 'nietzsche': 22481, 'pathos': 24240, 'der': 9568, 'distanz': 10190, 'menu': 20823, 'assclowns': 3289, 'lafayette': 18736, 'thenextgiantleap': 32725, 'presume': 25547, 'spreader': 30680, 'criticism': 8552, 'baked': 3813, 'throttle': 32920, 'gaseous': 13826, 'emission': 11305, 'grandfather': 14538, 'sneaking': 30119, 'oldpeoplearestubbornashell': 23267, 'offended': 23152, 'sidestepping': 29690, 'elekworld': 11195, 'elekworldjulia': 11196, 'iphonerepair': 17357, 'wk': 36129, 'revives': 27661, 'vodafoneuk': 35174, 'sympatheticcapitalism': 32069, 'custexp': 8791, 'hint': 15657, 'stick': 31146, 'b4': 3688, 'wypipo': 36432, 'santa': 28488, 'someplace': 30335, 'mcag': 20570, 'muletown': 21706, 'latte': 18898, 'latteart': 18899, 'enjoying': 11476, 'buylocal': 5671, 'citi': 6826, 'yougov': 36632, 'occurred': 23102, 'hairworld': 14953, 'paulmitchell': 24271, 'prosus': 25880, 'invested': 17298, 'swiggy': 32007, 'byju': 5695, 'helpdeskforcoronavirus': 15450, 'wutang': 36406, 'grift': 14658, 'underappreciated': 34181, 'underacknowledge': 34179, 'howtokeeppeoplehome': 16051, 'rideshare': 27745, 'cratering': 8431, '14th': 274, 'golden': 14342, 'leisurely': 19080, 'strolling': 31438, 'smartphones': 30043, 'preciousmetals': 25431, 'forbes': 13190, 'trump2020landslide': 33684, 'democratsaredestroyingamerica': 9463, 'violated': 35072, 'disseminating': 10170, 'theshopritegroup': 32770, 'r150': 26391, 'turnover': 33876, 'regenesysbusinesschool': 27014, 'monarchy': 21375, 'ape': 2889, 'ruled': 28129, 'planetoftheapes': 24905, 'judith': 17929, 'schwartz': 28769, 'consumerpr': 7736, 'crisispr': 8540, 'prtips': 25960, '12yrs': 236, 'born': 5005, '2002': 459, 'qe': 26184, 'relaunched': 27097, 'resumption': 27508, 'bernanke': 4357, 'yellen': 36555, 'medicate': 20699, 'cocktail': 7132, 'cashew': 6125, 'dhs': 9765, 'leaked': 18987, 'coloradan': 7252, 'ecological': 10971, 'obesity': 23036, 'harassed': 15132, 'quarantinechronicles': 26252, 'crazypeople': 8445, 'handrail': 15051, 'justified': 17981, 'sillah': 29742, 'detox': 9691, 'phoneaddiction': 24705, 'digitaldetox': 9869, 'bame': 3854, 'krg': 18598, 'reform': 26982, 'longterm': 19628, 'baghdad': 3784, 'adverse': 1994, 'steepen': 31074, 'grocerydelivery': 14696, 'retailstore': 27549, 'astonishing': 3334, 'kalady': 18045, 'coop': 7918, 'yup': 36698, 'marketingconsultant': 20325, 'internetmarketing': 17212, 'mondaywisdom': 21390, 'newweek': 22392, 'civility': 6847, 'limbo': 19301, 'equivalent': 11620, 'slayer': 29950, 'flickr': 12938, 'prosecution': 25868, 'prosecuted': 25866, 'underpaid': 34199, 'thursdaymotivation': 32950, 'thursdaymorning': 32949, 'secondwave': 28940, 'closeness': 7026, 'inaction': 16674, 'wander': 35358, 'nick': 22465, 'carroll': 6088, 'navigator': 22116, 'barrier': 3968, 'certificate': 6358, 'chant': 6454, 'diff': 9836, 'outsourced': 23695, 'insourced': 17060, '10x': 175, 'poo': 25157, 'layman': 18953, 'tact': 32127, 'poll': 25131, 'pers': 24539, 'sorta': 30387, 'fascinating': 12356, 'biscuit': 4618, 'stayhomebutnotsilent': 30980, 'convinced': 7886, 'hunch': 16156, 'rolling': 27966, 'defeating': 9295, 'whipps': 35870, 'unaware': 34125, 'hackney': 14912, 'conservation': 7651, '1609': 304, 'username': 34645, 'nnesico': 22570, 'testified': 32549, 'reframe': 26985, 'obsessing': 23067, 'chaotic': 6458, 'wespeechies': 35708, 'curtesy': 8778, 'affective': 2047, '0113': 22, '3781877': 847, 'atisha': 3373, 'lamrim': 18788, 'je': 17680, 'tsongkhapa': 33782, 'progress': 25763, 'enlightenment': 11481, 'carefully': 6018, 'kerala': 18259, 'pssresources': 25980, 'unsupported': 34469, 'repressive': 27300, 'orillia': 23561, 'cancelling': 5876, 'marketeers': 20318, 'jp': 17901, 'pmi': 25037, 'gloomy': 14243, 'tray': 33550, 'recognised': 26832, 'inexcusable': 16870, 'flurry': 13002, 'yb': 36529, 'agenparl': 2131, 'iorestoacasa': 17343, 'redesign': 26901, 'rat': 26612, 'mgvcl': 20929, 'tensional': 32500, '41171': 930, 'hookup': 15902, 'socialdistancingpickuplines': 30207, 'overreaction': 23769, 'mundogonemado': 21751, 'suitenoticias': 31631, 'marijuananews': 20299, 'marijuanaindustry': 20298, 'carinsurance': 6039, 'newcastle': 22338, 'dawkins': 9089, 'overturn': 23793, 'underrated': 34205, 'asshats': 3301, 'kopn': 18558, 'spawned': 30500, 'vr': 35227, 'jacob': 17585, 'driebergen': 10617, '1436': 261, '1509': 280, '1502': 279, 'motion': 21550, 'naturalhair': 22084, 'camouflaging': 5840, 'wolverine': 36162, 'brow': 5380, 'darnyourona': 9026, 'clinician': 7005, 'hipaa': 15661, 'sacdamediaadvisory': 28243, 'primary': 25613, 'giveblood': 14165, 'depressed': 9553, 'fatalistic': 12386, 'canadacovid19': 5858, 'grapple': 14567, 'bull': 5497, 'transitioned': 33485, 'bear': 4122, 'financialplanning': 12717, 'mustard': 21803, 'shortly': 29571, 'socal': 30186, 'nbcla': 22137, 'littleproudmp': 19397, 'thei': 32701, 'containing': 7773, 'preventative': 25565, '08162453243': 116, 'schael': 28723, 'cornteen': 7993, 'geez': 13907, 'tumble': 33833, '77': 1324, '7038': 1276, '97': 1521, 'stole': 31241, 'measles': 20642, 'pox': 25349, 'apollo': 2919, 'tuber': 33799, 'spice': 30568, 'bush': 5577, 'farmland': 12339, 'softened': 30267, 'fundamentally': 13647, 'evan': 11819, 'coronaout': 8075, 'pointer': 25082, 'edeka': 11026, 'appropriately': 2996, 'inoculated': 17019, 'deepening': 9280, 'medtech': 20716, 'meddevice': 20665, 'vary': 34832, 'gandhi': 13786, 'doggy': 10342, 'schoolteacher': 28762, 'sb': 28644, 'granddaughter': 14536, 'intolerance': 17253, 'transference': 33470, 'msg': 21643, 'lieu': 19240, 'reeling': 26946, 'adamneumann': 1859, 'kibbutz': 18332, 'tucker': 33802, 'carlson': 6047, 'threw': 32905, 'phd': 24672, 'poloz': 25141, 'determining': 9687, 'nab': 21921, 'cockburn': 7130, 'agribusiness': 2171, 'affirmative': 2054, '206': 514, 'teatowel': 32369, 'remark': 27155, 'pillaging': 24800, 'discounting': 10040, 'lure': 19830, 'gmv': 14279, 'cust': 8789, 'aftercare': 2090, 'complicated': 7467, 'nausea': 22102, 'inducing': 16834, 'layout': 18955, 'mgmnt': 20926, '340million': 802, 'attacking': 3401, '006': 6, 'print': 25633, 'handsanitizing': 15058, 'turnip': 33874, 'animalcrossingnewhorizons': 2753, 'closebordersnow': 7023, 'sefton': 28995, 'helpline': 15465, 'crunchy': 8634, 'smh': 30063, 'limitedsupplies': 19308, 'itchy': 17514, 'irritated': 17416, 'fulfillment': 13622, 'autonomously': 3549, 'powered': 25333, 'automated': 3537, 'hyper': 16256, 'localization': 19491, 'algos': 2367, 'int': 17139, 'unreliable': 34435, 'myer': 21846, 'drained': 10574, 'plowed': 24996, 'highstreet': 15613, 'sbinsights': 28649, 'avb': 3569, 'harnessing': 15168, 'knowns': 18515, 'dirt': 9971, 'detected': 9672, 'seoul': 29142, 'elevated': 11203, 'granter': 14553, 'lassie': 18852, 'manifest': 20207, 'reprogramming': 27306, 'disney': 10116, 'yournerdsidepodcast': 36651, 'yournerdside': 36650, 'kblx1029': 18162, 'spreaker': 30691, 'tunein': 33845, 'applepodcast': 2964, 'tmr': 33090, 'eastside': 10905, 'supervised': 31777, 'presence': 25513, 'brazil': 5194, 'globalized': 14233, 'inhumanely': 16973, 'caging': 5741, 'unsanitarily': 34443, 'butchering': 5629, 'blind': 4729, 'westside': 35739, 'itsnottheendoftheworld': 17532, 'fingernail': 12744, 'indianeconomy': 16792, 'unplanned': 34408, 'avant': 3567, 'garde': 13803, 'fabliss': 12162, 'sheila': 29380, 'sendinglove': 29101, 'samantha': 28392, 'zara': 36729, 'leon': 19106, 'fab': 12158, 'closertogetherstayingapart': 7028, 'writenow': 36350, 'grossery': 14729, 'participation': 24167, 'dmart': 10290, 'specify': 30532, 'lagar': 18739, 'extand': 12086, 'spreat': 30692, 'erbil': 11628, 'twitterkurds': 33934, 'kdka': 18171, 'eagle': 10847, 'occupancy': 23095, 'wolf': 36157, 'itwire': 17548, 'datagovernance': 9045, 'cio': 6807, 'cdo': 6267, 'overorunder': 23760, 'subsides': 31544, 'stayingpositive': 31016, 'fairly': 12234, 'pullback': 26049, 'wrought': 36364, 'daddy': 8897, 'realty': 26753, 'mitu': 21214, 'mathur': 20496, 'gpm': 14498, 'architect': 3057, 'lockdownextended': 19523, 'chevron': 6608, 'exxon': 12134, 'mobil': 21269, 'occidental': 23093, 'mb': 20554, 'extent': 12097, 'pantyhose': 24057, 'crossed': 8589, 'zz': 36849, 'iwillstayathome': 17559, 'vanessahudgens': 34789, 'louisville': 19707, 'pod': 25064, 'bathtub': 4029, 'mommy': 21372, 'recessionary': 26820, 'turbulent': 33857, 'marketimpacts': 20321, 'riveting': 27844, 'wam': 35350, 'anticipates': 2827, '03454': 66, '05': 74, '06': 81, 'allocates': 2428, 'fireman': 12779, 'thrilled': 32909, 'aerosolized': 2030, 'jama': 17615, 'fac': 12170, 'sideeffectsofquarantinelife': 29684, 'curbsidetakeout': 8750, 'ampdeliveryoptions': 2627, 's101northeatery': 28216, 'lahore': 18753, 'vault': 34842, 'suspends': 31925, 'seah': 28886, 'kian': 18330, 'peng': 24421, 'lloy': 19449, 'rb': 26652, 'barc': 3927, 'hsba': 16070, 'lloyd': 19450, 'barclays': 3929, 'fundraise': 13650, 'overwhelm': 23803, 'madison': 19962, 'smelling': 30056, 'crimestoppers': 8521, 'ink3gvurqk': 16991, 'day6': 9115, 'librarian': 19217, 'waitress': 35288, 'fortnite': 13291, 'minecraft': 21095, 'lgbtq': 19191, 'lesbian': 19113, 'catholic': 6182, 'transgender': 33480, 'diabetes': 9770, 'quickie': 26343, '3oz': 890, 'frankly': 13379, 'obnormal': 23053, 'smiled': 30066, 'supermarketapocalypse': 31740, 'dine': 9925, 'injected': 16984, 'substance': 31554, 'thc': 32653, 'nicotine': 22473, 'feta': 12568, 'mozzarella': 21607, 'khaki': 18310, 'wardi': 35384, 'guiding': 14818, 'unecessary': 34246, 'tall': 32193, 'nagpurpolice': 21942, 'colombian': 7245, 'colombia': 7244, 'gathered': 13844, 'havent': 15237, 'cardboard': 5994, 'healthcomms': 15329, 'prpros': 25959, '15gb': 295, 'africaautoinsights': 2078, 'deffo': 9319, 'ppeshortages': 25358, 'distancer': 10184, 'sidewalk': 29691, 'coronapersona': 8082, 'sixfeetapart': 29843, 'buyingagent': 5668, 'propertyfinder': 25831, 'propertysearch': 25837, 'wakemed': 35299, 'requesting': 27324, 'correlate': 8171, 'vpn': 35225, 'surprising': 31876, 'inland': 16996, 'empire': 11333, 'stayhomesavelifes': 30994, 'northwales': 22728, 'sccp': 28714, 'implemented': 16600, 'ncovid': 22165, 'servey': 29181, 'mu': 21673, 'carded': 5995, 'chap': 6459, 'knee': 18491, 'rummaging': 28138, 'vibe': 34980, 'wil': 35977, 'ticking': 32964, 'stayprivate': 31022, 'orlando': 23563, 'whengovernorsfail': 35826, 'aweful': 3627, 'weirdest': 35648, 'unpredictable': 34416, 'financialy': 12725, 'cellphone': 6306, 'allan': 2399, 'gr': 14501, 'tent': 32501, 'fifteenth': 12625, 'impressive': 16640, 'yogi': 36605, 'adityanath': 1911, 'khadi': 18308, 'upgovernment': 34526, 'permission': 24523, 'calagione': 5758, 'unilever': 34309, 'rodahidup': 27936, 'benjamin': 4328, 'soh': 30276, 'ofcourse': 23147, 'drvd': 10674, 'waitr': 35287, 'aprn': 3022, 'whtr': 35937, 'cgc': 6386, 'pennystocks': 24435, 'trampoline': 33457, 'schoolclosuresuk': 28753, 'ceased': 6273, 'boat': 4842, 'alot': 2464, 'eerily': 11076, 'bio': 4566, 'videoftheday': 35010, 'picoftheday': 24764, 'pasadena': 24184, 'miserable': 21159, 'clare': 6888, 'connors': 7630, 'levins': 19168, '587': 1121, '4272': 943, 'scan': 28683, 'telier': 32454, 'stopscango': 31293, 'helpneedy': 15469, 'limitbuying': 19306, '2020rationing': 496, 'beki': 4262, 'domestica': 10379, 'malta': 20145, 'homefurnishings': 15825, 'bespokefurniture': 4384, 'bespoke': 4383, 'freedelivery': 13416, 'wrestling': 36346, 'crzy': 8658, 'unproven': 34422, 'ven': 34893, 'unsaleable': 34441, 'admin': 1927, 'secondly': 28939, 'headquarters': 15306, 'obnoxious': 23054, 'severely': 29220, 'unionize': 34322, 'supreme': 31837, 'optical': 23481, 'ableism': 1635, 'visibly': 35120, 'stopablelism': 31260, 'jamaica': 17616, 'rm': 27852, 'rm30': 27855, 'hallelujah': 14980, 'corkscrew': 7969, 'obsolete': 23072, 'meansofproduction': 20637, 'retreat': 27589, 'mode': 21294, 'chow': 6740, 'collated': 7221, 'uptodate': 34569, 'comodities': 7398, 'in2': 16670, 'li': 19197, 'trickle': 33596, 'chin': 6656, 'kallanish': 18051, 'withme': 36114, 'superheroes': 31728, 'hardworking': 15149, 'hailed': 14940, 'bushfires': 5581, 'axed': 3641, 'trolly': 33639, 'succumbing': 31578, 'scalper': 28666, 'justeatuk': 17977, 'establishes': 11717, 'dod': 10327, 'navy': 22119, 'cnnpolitics': 7101, 'grouping': 14742, 'cf97': 6369, 'cffc': 6375, 'yep': 36569, 'mulder': 21704, 'krychek': 18618, 'gunman': 14852, 'scully': 28860, 'clearance': 6957, 'skinner': 29892, 'workshop': 36251, 'kikkerland': 18363, 'jeeturaj': 17692, 'mumbaikiawaz': 21742, '22k': 579, 'maharash': 20013, 'nothelpful': 22776, 'bellcanada': 4291, 'shpock': 29605, 'fewest': 12580, 'seattle': 28919, 'interacting': 17170, 'ueno': 34008, 'asakusa': 3213, 'shinjuku': 29440, 'innocence': 17005, 'hydrogen': 16226, 'peroxide': 24529, 'hacking': 14911, 'wisdomwednesday': 36083, 'watched': 35470, 'perpetrator': 24532, 'ethnicity': 11762, 'embarrassed': 11261, 'secretly': 28944, 'ccsa': 6249, '650': 1215, 'enraged': 11498, 'dipa': 9947, 'aguete': 2183, 'murray': 21777, 'kessler': 18276, 'cramer': 8408, 'perrigo': 24536, 'credittrends': 8487, 'perish': 24509, 'selfdiscipline': 29020, 'nourishment': 22822, 'criterion': 8544, 'sucked': 31585, 'severest': 29221, '1930s': 371, 'kristin': 18608, 'grand': 14533, 'launching': 18914, '25k': 636, 'vandal': 34784, 'vir': 35082, 'eseva': 11673, '14713': 265, '15days': 294, 'brat': 5180, 'mob983682234': 21265, 'empowering': 11348, 'likelihood': 19289, 'feral': 12549, 'peop': 24446, 'focussed': 13036, 'farmasi': 12325, 'luxurious': 19850, 'yamal': 36508, 'astrocyte': 3339, 'wb': 35504, 'smooth': 30084, 'amitav': 2605, 'roy': 28055, 'kungflu': 18645, 'sacked': 28247, 'behaved': 4239, 'accordingly': 1741, 'hubby': 16088, 'tshirt': 33775, 'followme': 13060, 'newtrend': 22390, 'welch': 35659, 'bell': 4289, 'supportdailywagers': 31802, 'thanksitcreckitthuldaburgodrej': 32612, 'scamwarning': 28680, 'asd': 3218, 'acsc': 1816, 'themed': 32717, 'scamwatch': 28682, 'photography': 24718, 'maharashtra': 20015, 'attic': 3419, 'handsanitisers': 15054, 'conscience': 7639, 'springfashion': 30703, 'evahh': 11813, 'congregation': 7610, 'cared': 6012, 'frederick': 13409, 'startagarden': 30879, 'stayhome24in48': 30976, 'switzerland': 32034, 'siew': 29700, 'defy': 9345, 'gravity': 14591, 'bouncing': 5060, 'bombard': 4911, 'impotus': 16632, 'politicizing': 25126, 'relapsing': 27086, 'decides': 9226, 'dtic': 10697, 'dodgy': 10333, 'cooling': 7913, 'zambia': 36723, 'salockdown': 28373, 'barton': 3979, 'savage': 28589, '48h': 996, 'emerged': 11281, 'fiction': 12613, 'lovenowexplorelater': 19726, 'travellater': 33538, 'glaciermt': 14183, 'joker': 17859, 'batman': 4031, 'stopbulkbuying': 31266, 'par': 24079, 'poland': 25100, 'rzeczpospolita': 28213, 'suffers': 31604, 'fibromyalgia': 12610, 'classed': 6901, 'soc': 30184, 'investigating': 17303, 'uploaded': 34540, 'hagens': 14925, 'typo': 33961, 'crazything': 8446, 'butticket': 5640, 'highlighted': 15607, 'makinde': 20106, 'upgrading': 34529, 'medica': 20679, 'alibaba': 2374, 'riseandshine': 27809, 'spanner': 30480, 'chime': 6655, 'surrogate': 31883, 'bodth': 4862, 'stein': 31082, 'gavin': 13858, 'retweeting': 27608, 'congregating': 7609, 'eustice': 11801, 'eliminate': 11211, 'chronic': 6757, 'leasing': 19012, 'arctic': 3063, 'drilling': 10623, 'precipitous': 25434, 'siege': 29695, 'aaron': 1581, 'idahoan': 16350, '208': 515, '334': 798, 'e14': 10834, 'postcruise': 25267, '98': 1528, 'telework': 32452, 'debating': 9185, '14daypostcruisecountdown': 269, 'stopcorona': 31268, 'cruiseship': 8625, 'deodorant': 9515, 'overkill': 23751, 'rundown': 28144, 'consumed': 7706, '2500': 623, 'bedroom': 4191, '1700': 326, 'sympathiser': 32070, '07708913141': 95, 'unfairly': 34265, '007': 7, 'scamming': 28676, 'aft': 2087, 'hve': 16213, 'underpaying': 34200, 'cleaningsupplies': 6940, 'netizens': 22302, 'mockery': 21290, 'melania': 20757, 'temper': 32465, 'priyanka': 25677, 'chopra': 6733, 'julianne': 17944, 'deb': 9178, 'companionship': 7406, 'whatweneed': 35807, 'careathome': 6011, 'safeathome': 28276, 'visitingangels': 35128, 'skynews': 29915, 'newsnight': 22374, 'lbc': 18962, 'fancy': 12294, 'upscale': 34553, 'maskmystery': 20427, 'blowing': 4788, 'withdrawing': 36104, 'utilize': 34692, 'acti': 1819, 'colluding': 7241, 'botched': 5037, 'additionally': 1881, 'realtime': 26751, 'nakuru': 21965, 'oldest': 23261, 'stake': 30825, 'succumb': 31576, 'superstition': 31772, 'quack': 26208, 'letsfightcoronatogether': 19138, 'coronafreeworld': 8038, 'srimspeaks': 30761, 'webpage': 35587, 'phonecall': 24706, 'clarehall': 6890, 'cyclist': 8870, 'glovo': 14253, 'eats': 10926, 'sunny': 31694, 'cycling': 8869, 'sarasota': 28523, 'manatee': 20168, 'lag': 18738, 'quid': 26348, 'supermark': 31738, 'schooling': 28757, 'fianc': 12600, 'cog': 7164, 'nativo': 22073, 'myia': 21854, 'mirror': 21151, 'lhm': 19196, 'unclean': 34147, 'synergy': 32085, 'durin': 10781, 'shoppin': 29536, 'feelin': 12523, 'thehungergames': 32700, 'carryout': 6092, 'sided': 29682, 'togetheralone': 33125, 'rotate': 28019, 'isolationlife': 17474, 'ninety': 22517, 'foodsystem': 13148, 'assuming': 3319, 'globalagenda': 14221, 'reckoned': 26828, 'incoherent': 16719, 'ecommercenews': 10979, 'asi': 3238, 'messenger': 20878, 'dumbass': 10739, 'hometasking': 15860, 'stair': 30823, 'scp': 28811, 'scpmemes': 28812, 'pubgmobile': 26012, 'pubg': 26011, 'furries': 13682, 'besave': 4374, 'dragon': 10571, 'inst': 17074, 'netto': 22305, 'rhubarb': 27704, 'custard': 8790, 'squeaking': 30744, 'freeport': 13436, '5th': 1166, 'newscentermaine': 22370, 'stoner': 31249, 'samreen': 28405, 'akdeniz': 2275, 'hoe': 15745, 'walthamstow': 35347, 'acumen': 1850, 'finest': 12740, 'antiseptic': 2843, 'instock': 17112, 'ordernow': 23516, 'highland': 15603, 'highlandlakes': 15605, 'foodpantries': 13126, 'dailytrib': 8926, 'finder': 12732, 'commandeering': 7324, 'astronomical': 3340, 'ridge': 27746, 'parkinglot': 24136, 'askusanything': 3269, '17th': 339, 'ghaziabad': 14080, 'goi': 14329, 'proportionately': 25849, 'lfk': 19184, 'maskedup': 20420, 'glovedup': 14250, 'abiding': 1625, 'maskupforothers': 20439, 'protectthevulnerable': 25902, 'needtoeat': 22229, 'dominance': 10383, 'rebounded': 26791, 'fiscal': 12805, 'tempusfx': 32477, 'forexnews': 13231, 'barrf': 3964, 'corrupttrump': 8182, 'lyinking': 19876, 'disbarbarr': 10008, 'trumpliespeopledie': 33713, 'overdosing': 23735, 'leadi': 18978, 'bulkbuying': 5494, 'opecplus': 23423, 'flavour': 12909, 'rack': 26433, 'minhas': 21102, 'indebted': 16762, 'beige': 4255, 'perdue': 24482, 'randy': 26571, 'assuage': 3315, 'loud': 19699, 'handsomely': 15065, 'testy': 32555, 'begrateful': 4234, '5pm': 1163, 'prophet': 25839, 'endometriosis': 11412, 'r1bn': 26393, 'ip': 17346, 'angelo': 2732, 'mazza': 20553, 'intellectualproperty': 17148, 'hazzard': 15271, 'harbour': 15138, 'accordance': 1739, 'swabbed': 31960, 'influenza': 16912, 'docked': 10309, 'pegging': 24389, 'ratcheting': 26614, 'facetimeing': 12192, 'mumbling': 21745, 'hahaha': 14930, 'sankey': 28483, 'mizuho': 21220, 'combo': 7286, 'lowdown': 19738, 'judd': 17917, 'legum': 19070, 'banger': 3879, 'randb': 26558, 'weeknd': 35618, 'theweeknd': 32791, 'rudygobert': 28112, 'tomhanks': 33214, 'furloughing': 13675, 'stockpilling': 31226, 'ocr': 23114, 'ce': 6271, 'kn95': 18485, 'moq': 21470, '86159929736': 1418, 'chad': 6396, 'pathanamthitta': 24233, 'asish': 3251, 'mohankumar': 21336, 'longboat': 19618, 'newfoundland': 22345, 'afterwards': 2100, 'seetheday': 28992, 'bouquet': 5066, 'foodie': 13110, 'moon': 21452, 'miracle': 21146, 'nailing': 21952, 'processed': 25699, 'refined': 26966, 'calorically': 5816, 'dense': 9501, 'conditioning': 7543, 'markettrends': 20346, 'picky': 24761, 'ole': 23268, 'escalation': 11660, 'di1tv': 9767, 'morocco': 21501, 'courthouse': 8296, 'glimmer': 14213, 'isps': 17483, 'techcrunch': 32373, 'privacymatters': 25663, 'profiling': 25735, 'recruit': 26869, 'humankind': 16132, 'ongata': 23339, 'rongai': 27986, 'kware': 18677, 'imminent': 16555, 'mercy': 20848, 'fowarding': 13329, 'gikombacorona': 14125, 'saboteur': 28238, 'btc': 5426, 'oio': 23236, 'dta': 10692, 'rcd': 26659, 'costo': 8215, 'mohammad': 21333, 'khani': 18316, 'civilised': 6846, 'nctechmember': 22173, 'membershelpingmembers': 20778, 'yours': 36655, 'getrich': 14043, 'paidfromhome': 23902, 'workfromanywhere': 36229, 'internetrich': 17214, 'jay': 17668, 'prohibited': 25770, 'washingtonian': 35435, 'fro': 13517, 'trollies': 33638, 'hunker': 16171, 'wisconsibly': 36078, 'wiunion': 36124, 'resupply': 27509, 'apocalyptic': 2915, 'arbitrary': 3049, 'punitive': 26078, 'endangers': 11395, 'mywifelife': 21890, 'bunghole': 5525, 'boo': 4938, 'luseelu': 19836, 'proved': 25934, 'cn': 7090, 'ra': 26408, '39': 855, 'sleeper': 29955, 'recalled': 26799, 'driverless': 10632, 'wariness': 35392, 'fleetmanagement': 12928, 'borisjohnsonlies': 5002, 'invaluable': 17281, '55yr': 1104, 'laughter': 18910, 'dutch': 10792, 'fluctuation': 12997, 'wisdom': 36082, 'collectiveness': 7233, 'reciprocate': 26825, 'ccot': 6245, 'teaparty': 32360, 'hannity': 15091, 'kag2020': 18027, 'nra': 22865, 'oann': 23019, 'wnd': 36142, 'gauging': 13852, 'robertson84': 27900, 'publish': 26033, 'longtime': 19629, '750': 1306, 'persists': 24548, 'cantonment': 5927, 'meerut': 20725, 'setup': 29213, 'sanitizes': 28471, 'toe': 33120, 'sirius': 29822, 'xm': 36469, 'proximity': 25957, 'carafoil': 5981, 'fachado': 12194, 'undoubtedly': 34238, 'abundantly': 1684, 'sniper': 30132, 'weapon': 35532, 'annihilate': 2778, 'pistol': 24851, 'ndia': 22184, 'soak': 30164, 'rub': 28095, 'caution': 6204, 'topsmarket': 33259, 'wherearethedeliveries': 35834, 'britney': 5326, 'abilene': 1626, 'messing': 20881, 'hidradenitissuppurativa': 15592, 'discrepancy': 10053, 'oman': 23290, 'muscat': 21778, 'pacp': 23884, 'ren': 27195, 'mnfrg': 21250, 'distrbtn': 10209, 'gutka': 14871, 'earner': 10862, 'precious': 25430, 'savetheday': 28612, 'betterthanpants': 4413, 'funnyshirt': 13663, 'racismisavirus': 26430, 'menstrual': 20807, 'goodwill': 14400, 'fairness': 12235, 'caption': 5971, 'owed': 23814, 'affiliate': 2049, 'yourenergyyourvoice': 36646, '934': 1493, 'rama': 26517, 'frequent': 13458, 'taskmanagement': 32268, 'perlis': 24514, 'kuala': 18630, 'sanglang': 28447, 'grandma': 14542, 'perintahkawalanpergerakan': 24504, 'hurdle': 16181, 'glycerin': 14266, 'perilously': 24502, 'q7': 26172, 'nebraska': 22205, 'breheny': 5236, 'freemarkets': 13434, 'probs': 25692, 'neoliberal': 22270, 'libertarian': 19215, 'invading': 17279, 'phoning': 24711, 'mana': 20159, 'skidded': 29877, 'oversupply': 23789, 'suo': 31705, 'moto': 21562, 'fauci': 12400, 'il': 16465, 'wls': 36134, 'twat': 33897, 'globalism': 14229, 'togetherness': 33130, 'counterbalanced': 8258, 'battleground': 4048, 'blitz': 4742, 'brexiteers': 5263, 'stiff': 31152, 'cahfsweeklyupdate': 5743, 'fantasygrainmarketleague': 12303, 'yield': 36584, 'thisisamess': 32851, 'undergoing': 34188, 'financialhealth': 12707, 'fcac': 12436, 'facilitate': 12197, 'mammal': 20155, '299': 685, 'cua': 8685, 'checkpoint': 6546, 'questioning': 26327, 'noon': 22664, '76': 1317, '969': 1520, 'gbp': 13882, 'aging': 2148, '1919': 366, 'patron': 24261, 'manslaughter': 20236, 'evolution': 11883, 'renewable': 27206, 'wipeyourarse': 36065, 'mate': 20483, 'morale': 21473, 'hamster': 15017, 'nonstop': 22658, 'accent': 1709, 'thomasandfriends': 32870, 'bangalore': 3877, 'antibody': 2823, 'rs2500': 28070, 'aidan': 2212, 'inf': 16875, 'yous': 36662, 'krugman': 18617, 'stonewalling': 31251, 'bielefeld': 4495, 'nrw': 22871, 'stabbed': 30781, 'knife': 18494, 'fled': 12917, 'anthony': 2814, 'fensom': 12546, 'monopoly': 21425, 'gouge': 14449, 'faulty': 12404, 'neverforget': 22325, 'exploited': 12056, 'decouplefromchina': 9257, 'abundance': 1681, 'totinosarelifenow': 33312, 'wastage': 35452, 'derry': 9588, 'londonderry': 19609, 'belfast': 4273, 'mexican': 20913, 'tamale': 32199, 'bugin': 5471, 'dinnerandamovie': 9934, 'flinn': 12946, 'qsrs': 26203, 'drivethru': 10634, 'qsr': 26202, 'pooping': 25167, 'illustrator': 16495, 'illustration': 16494, 'cartoonist': 6105, 'doodle': 10452, 'cartoonofinstagram': 6106, 'sketchbook': 29868, 'iceberg': 16320, 'testimonial': 32552, 'injecting': 16985, 'withdraw': 36102, 'protects': 25900, 'liveblog': 19405, 'reflects': 26976, 'carrot': 6089, 'infra': 16933, 'sniffed': 30129, 'flooded': 12965, 'outdoor': 23647, 'zoek': 36805, 'delirious': 9410, 'browne': 5383, '1840': 344, 'wfp': 35765, 'competiscan': 7436, 'rep': 27232, 'unli': 34379, 'patience': 24242, 'declation': 9242, 'underemployed': 34184, 'credited': 8479, 'gamestop': 13781, 'ghl': 14088, 'paradigm': 24084, 'rm2': 27854, 'extensive': 12095, 'artisan': 3183, 'buttock': 5642, 'sandpaper': 28435, 'woodworking': 36193, 'cabinetry': 5717, 'worshipping': 36302, 'madmax': 19963, 'hoodi': 15895, 'tia': 32959, 'anticipating': 2828, 'watering': 35479, '2023': 501, 'catapulted': 6161, 'ambassador': 2551, 'moncada': 21378, 'appeared': 2945, 'paterson': 24231, 'wirbleibenzuhause': 36069, 'homeoffice': 15842, 'forecasting': 13209, 'eea': 11071, 'airtravel': 2253, 'consumercomplaint': 7717, 'assured': 3323, 'thunder': 32943, 'doris': 10477, 'saino': 28327, '376': 845, 'gearing': 13900, 'jobforone': 17806, 'aretwonecessary': 3077, 'proppa': 25856, 'prebagged': 25418, 'eff': 11078, 'grass': 14570, 'shauntel': 29350, 'uneasy': 34243, 'snowstorm': 30149, 'rv': 28188, 'curtin': 8779, 'petfood': 24599, 'petfoodlidding': 24600, 'petadoption': 24585, 'guardrail': 14799, 'confidentiality': 7568, 'monetizing': 21396, 'cratered': 8430, 'poised': 25086, 'quarterly': 26292, 'financialmarkets': 12715, 'conserve': 7654, 'mlb': 21235, 'wahl': 35275, 'tsunami': 33784, 'beaver': 4159, 'arrogant': 3156, 'beatty': 4144, 'stokenewington': 31236, 'freehold': 13423, 'terroristic': 32532, 'spicier': 30570, 'parched': 24112, 'scratcher': 28825, 'buggy': 5470, 'demolished': 9466, 'alertnotanxious': 2348, 'iri': 17386, 'specializing': 30521, 'nd': 22175, 'nowplaying': 22851, 'reprogram': 27304, 'beep': 4203, 'economicterrorism': 11006, 'consumerism': 7731, 'earthhour2020': 10871, 'climatechange': 6995, 'valchoice': 34747, 'autoinsurance': 3535, 'cochrane': 7127, 'trumpgenocide': 33699, 'pasted': 24210, 'keephopealive': 18194, 'staysafesavelives': 31030, 'staysafestayhealthy': 31034, 'rudeness': 28110, 'aw': 3607, 'mackie': 19925, 'du': 10703, 'activate': 1824, 'dpa': 10558, 'gouged': 14450, 'convince': 7885, 'smallbiz': 30018, 'smallbiztips': 30019, 'extortionist': 12112, 'billionaire': 4543, 'ackman': 1792, 'hoovering': 15909, 'justification': 17980, 'soviet': 30451, 'agony': 2159, 'virtue': 35100, 'signaling': 29712, 'shopworkersunite': 29551, 'rubbing': 28099, 'masterpiece': 20466, 'teenage': 32406, 'readsteadycook': 26697, 'ainsleyharriott': 2226, 'vp': 35224, 'anand': 2678, 'siddiqui': 29680, 'oculus': 23120, 'craving': 8435, 'novelty': 22836, 'jizzed': 17789, 'binge': 4557, 'outsourcing': 23696, 'advancing': 1987, 'bolstering': 4906, 'vladimir': 35156, 'coded': 7147, 'recall': 26798, 'illegally': 16474, 'sentinel': 29140, 'scamdemic': 28672, 'baking': 3819, 'powder': 25323, 'deadliest': 9151, 'vet': 34965, 'elanco': 11151, 'jwn': 18008, 'retailapocalypse2020': 27517, 'mcas': 20571, 'linda': 19316, 'bud': 5452, 'staysa': 31025, 'toiletpaperhoarding': 33161, 'zamahni': 36721, 'boycotted': 5096, 'shitstorm': 29464, 'mortality': 21513, 'onset': 23387, 'ralph': 26514, 'koijen': 18539, 'mothiro': 21548, 'yogo': 36606, 'periodt': 24508, 'stayingathomechallenge': 31011, 'thankshealthheroes': 32611, 'oneself': 23331, 'ffodbanks': 12588, '701': 1272, 'brainless': 5140, 'yoghurt': 36604, 'inhaler': 16961, 'ventilon': 34916, 'motor': 21563, 'eaglenews': 10848, 'proceeded': 25695, 'fascism': 12358, 'grim': 14668, 'grosser': 14727, 'mummy': 21747, 'tread': 33555, '806': 1363, '464': 978, '9197': 1477, 'fightingcoronavirus': 12647, 'criticalpersonnel': 8548, 'llc': 19444, 'aegis': 2024, 'ngf': 22421, 'telecommunication': 32431, 'disbursement': 10012, 'priscillaconsolo': 25653, 'caput': 5978, 'fook': 13162, 'pissed': 24849, 'jammed': 17627, 'reckless': 26826, 'ii': 16450, 'explosive': 12065, 'expansion': 12002, 'suppressed': 31833, 'coordinating': 7927, '43': 946, 'foodbanking': 13083, 'innovative': 17015, 'kazatomprom': 18159, 'nuclear': 22896, 'reactor': 26684, 'petersburg': 24597, 'magazine': 19983, 'theglobe': 32688, 'nationalenquirer': 22052, 'newsoftheworld': 22375, 'boarder': 4836, 'declaration': 9236, 'nosedive': 22738, 'callouts': 5803, 'wto': 36379, 'reissue': 27071, 'elab': 11147, 'alumnus': 2509, 'ithaca': 17517, 'ithacaisstartups': 17518, 'bingo': 4560, 'mx': 21831, 'topstories': 33260, 'cooperate': 7921, 'eradicate': 11623, 'punished': 26074, 'chester': 6604, 'sealand': 28889, 'abpoli': 1649, 'hovers': 16033, 'danwel': 9006, 'sailed': 28323, 'sufficiency': 31606, 'gratefully': 14578, 'aapl': 1579, 'discretionary': 10056, 'monye': 21446, 'morris': 21509, 'remedial': 27161, 'expanding': 12000, 'iwanttospeaktoyourmana': 17554, 'westlake': 35727, 'junior': 17961, 'reversal': 27643, 'castle': 6148, 'tower': 33359, 'switched': 32030, 'sedalia': 28962, 'shorted': 29562, 'restored': 27479, 'grapevine': 14561, 'exceptional': 11928, 'krishnan': 18605, 'sickening': 29669, 'resorting': 27413, 'cardi': 5998, 'ontarians': 23393, 'tou': 33318, 'seasoning': 28912, 'thankthemeveryday': 32616, 'pandemonium': 24004, 'melanoma': 20759, 'subcmte': 31509, 'ing': 16944, 'pirate': 24844, 'shopped': 29530, 'loom': 19645, 'ihs': 16447, 'markit': 20352, 'stockmarketcrash2020': 31216, 'phnom': 24699, 'penh': 24423, 'cambodian': 5822, 'albertans': 2317, 'stubborn': 31457, 'chapati': 6460, 'lightly': 19279, 'saut': 28587, 'bagel': 3778, 'relative': 27094, 'twgrp': 33912, 'leadright': 18980, 'trump2020landslidevictory': 33685, 'explanation': 12045, 'betw': 4418, 'compartmentalized': 7418, 'cursed': 8770, 'cpuc': 8382, 'compile': 7445, 'bangkok': 3881, 'varies': 34827, '4usd': 1032, 'kindle': 18393, 'kolonya': 18546, 'fragrance': 13356, 'bienetre': 4496, 'yumyumsbakery': 36696, 'yqg': 36680, 'squeeze': 30746, 'seamlessly': 28894, 'digitalcapitalism': 9865, 'notmypresident': 22796, 'toiletpaperchallenge': 33152, 'favour': 12414, 'gu': 14783, 'spelling': 30556, '19why': 422, '50ft': 1056, 'blu': 4793, 'kano': 18079, 'shebi': 29362, 'chalet': 6414, 'queenston': 26309, 'dailyneeds': 8922, 'mechanical': 20657, 'literal': 19376, 'fuckery': 13576, 'youllneverwalkalone': 36636, 'ausgangssperrejetzt': 3483, 'ynwa': 36593, 'afterhours': 2093, 'davido': 9081, '1million': 442, 'destructive': 9662, 'ideology': 16370, 'exceptionalism': 11929, 'absurd': 1672, 'quadcities': 26210, 'thriving': 32913, 'traditionl': 33436, 'bankfee': 3893, 'gra': 14502, 'psychosis': 25993, 'foodshortage': 13139, 'identification': 16364, 'beleaguered': 4271, 'nowaste': 22846, 'generate': 13940, 'keyboard': 18288, 'r3m': 26399, 'retract': 27586, 'lockdownsa': 19546, 'slander': 29933, 'checkfacts': 6539, 'vision': 35121, 'ohiosafeohioworking': 23201, 'honeymoon': 15877, 'loaded': 19468, 'qui': 26336, 'sonne': 30359, 'cloche': 7013, '877': 1428, '764': 1322, '2535': 629, 'linus': 19339, 'apologizing': 2925, 'austerity': 3496, 'rancher': 26552, 'refinery': 26968, 'devised': 9726, 'duh': 10731, 'panadol': 23964, 'cotton': 8224, 'dye': 10819, 'predictably': 25447, 'marijuana': 20297, 'jobstobedone': 17816, 'whiplash': 35866, 'halfway': 14972, '996': 1535, '514': 1070, 'beggar': 4228, 'autoimmune': 3534, 'repetitive': 27253, 'cld': 6926, 'demystdata': 9483, 'datasets': 9056, 'geolocation': 13984, 'externaldata': 12101, 'unsafe': 34440, 'fart': 12352, 'thanos': 32640, 'avenger': 3573, 'funnymemes': 13661, 'sarcasm': 28528, 'dank': 8995, 'dankmemes': 8999, 'tuesdathoughts': 33811, 'advisor': 2013, 'geopolitically': 13988, 'distant': 10188, 'unravelled': 34427, 'revisit': 27657, 'paris': 24128, 'koronavirus': 18567, 'thephotohour': 32739, 'whyt': 35943, 'gotdamit': 14441, 'polowczyk': 25140, 'shopresponsibly': 29547, 'juststayhome': 18000, 'naa': 21918, 'occured': 23101, 'mobilityrevolution': 21283, 'carter': 6099, 'deceased': 9211, 'understandably': 34212, 'hung': 16160, 'refer': 26952, 'basmati': 4005, 'flyer': 13009, 'aucklanders': 3450, 'fucken': 13574, 'licensing': 19227, 'merit': 20857, 'ta': 32106, 'dependant': 9524, 'ffinancialadvisors': 12585, 'lithium': 19381, 'looming': 19646, 'electricvehicleindustry': 11182, 'departmental': 9518, 'hereby': 15536, 'obliged': 23050, 'selflessly': 29046, 'anecdote': 2718, 'yeltsin': 36566, 'amazed': 2530, 'thankfully': 32601, 'immense': 16547, 'pham': 24651, 'observed': 23062, 'anthropologist': 2816, 'margaret': 20280, 'mead': 20615, 'azeri': 3666, 'manat': 20167, '588': 1122, 'coronarvirusitalia': 8093, '492': 1001, 'agaisnt': 2112, 'angelus': 2734, 'teetering': 32417, 'tyee': 33951, 'alabanza': 2290, 'fedex': 12492, 'ali': 2371, 'naka': 21962, 'rwandatrade': 28194, 'rampage': 26542, '18bn': 353, '15bn': 293, 'opex': 23452, 'defenseag': 9308, 'alcoholsanitizer': 2335, 'landscaping': 18814, 'montco': 21433, 'magnetic': 20002, 'highlander': 15604, 'loosen': 19657, 'naturalrubber': 22091, 'nr': 22864, 'rig': 27761, 'plin': 24989, 'hrl': 16065, 'safm': 28299, 'lway': 19866, 'tsn': 33780, 'brfs': 5265, 'bsn': 5416, '4th': 1029, 'sindh': 29789, 'alhamdolillah': 2369, 'standstill': 30852, 'restricts': 27491, 'lockthemallup': 19569, 'stillrelevant': 31163, 'oneworld': 23336, 'moronic': 21505, 'numpties': 22914, 'wakeupandsmelltheconsumerism': 35304, 'portco': 25214, 'kangaroohealth': 18076, 'loosing': 19661, 'mayoroflondon': 20547, 'extenders': 12091, 'minneapolis': 21128, 'infuriates': 16940, 'cybercriminals': 8854, 'harris': 15172, 'teeter': 32416, 'peer': 24382, 'playspace': 24949, 'lid': 19232, 'conservative': 7652, 'pande': 23981, 'virus19': 35106, 'buckwheat': 5450, 'zelensky': 36748, 'scummy': 28866, 'moan': 21261, 'carp': 6072, 'hygeinic': 16240, 'sterilizing': 31116, 'washinghands': 35431, 'paknsave': 23935, 'countdown': 8251, 'newworld': 22394, 'nzlockdown': 23006, 'fencepeace': 12544, 'pple': 25360, 'upside': 34559, 'unelected': 34250, 'fisherman': 12812, 'organisation': 23536, 'pyramid': 26163, 'infused': 16942, 'vaycay': 34848, 'goddess': 14310, 'ganjagoddess': 13792, 'goddessorders': 14311, 'adulteration': 1980, 'dal': 8936, 'atta': 3394, 'rava': 26634, 'adulterate': 1978, 'bridging': 5280, 'introvert': 17268, 'lifeadjustment': 19242, 'conquered': 7635, 'tmall': 33085, 'tuebrook': 33809, 'heron': 15554, 'mortuary': 21522, 'usable': 34607, 'sanjana': 28477, '140': 256, 'mississippian': 21190, 'senfeinstein': 29109, 'kamalaharris': 18059, 'speakerpelosi': 30508, 'repadamschiff': 27236, 'ericsawell': 11639, 'californiacoronavirus': 5783, 'maggienyt': 19990, 'washingtonpost': 35436, 'latimes': 18890, 'accurate': 1760, 'lethal': 19129, 'medically': 20687, 'complicating': 7469, 'enfo': 11443, 'rishisunak': 27813, 'warehousing': 35388, 'ecopies': 11013, 'paperback': 24065, 'righteousness': 27766, 'abideth': 1624, 'icicle': 16327, 'moonbeam': 21453, 'romance': 27976, 'suspense': 31926, 'scanning': 28689, 'adqcc': 1970, 'qccabudhabi': 26183, 'abudhabi': 1678, 'inabudhabi': 16672, 'tantrum': 32230, 'cuntmom': 8728, 'seminar': 29086, 'bough': 5051, 'unreasonably': 34432, 'covdhousearrest': 8307, 'housearrestnotquarantine': 16004, 'corinahysteria': 7965, 'coronahoax': 8046, 'truffle': 33677, 'environ': 11557, 'lett': 19146, 'spewing': 30565, 'adderall': 1874, 'uttered': 34702, 'reverential': 27641, 'sympathetic': 32068, 'obama': 23031, 'sulfuric': 31637, 'saas': 28226, 'prescriptive': 25512, 'jd': 17678, 'pdd': 24337, 'tcehy': 32319, 'tcom': 32322, 'wynn': 36430, 'lvs': 19865, 'mlco': 21236, 'bili': 4535, 'yumc': 36693, 'craig': 8403, 'damning': 8967, 'tru': 33658, 'applauds': 2958, 'nyse': 22995, 'studying': 31473, 'idiotic': 16377, 'rumination': 28137, 'tele': 32428, 'hugged': 16109, 'dave': 9075, 'whamond': 35778, 'wandering': 35359, 'dontstockpile': 10444, 'timeforplanb': 33014, 'ricecrypto': 27718, 'o0dsd66xjz': 23008, 'alice': 2375, 'chan': 6427, 'bumped': 5517, 'joel': 17826, 'alicechan': 2376, 'joelchan': 17827, 'destiny': 9655, 'cosmetic': 8194, 'onlineshop': 23371, 'mustread': 21806, 'ro': 27875, 'cranberry': 8412, 'desperatetimescallfordesperatemeasures': 9634, 'technicallynolongerboxwine': 32385, 'ratapiko': 26613, 'ding': 9928, 'tonic': 33227, 'illusion': 16489, '2qfy2020': 731, 'qoq': 26198, 'totnes': 33313, 'lewisville': 19174, '225': 570, 'mound': 21574, 'dummy': 10745, '8105473545': 1374, 'healthdaynews': 15331, 'schneider': 28741, 'duality': 10705, 'jungian': 17960, 'selfie': 29027, 'invade': 17277, 'ioc': 17337, 'trench': 33572, 'brenden': 5242, 'dgp': 9747, 'karnataka': 18107, 'mf': 20919, 'cdn': 6262, 'generic': 13949, 'closetherange': 7032, 'boycottherange': 5098, 'therange': 32747, 'uaz05hc3ev': 33984, 'corovid19': 8147, 'indiaunderlockdown': 16798, 'davanagere': 9074, 'exorbitantly': 11994, 'frying': 13553, 'pricewar': 25604, 'watermelon': 35482, 'harrow': 15177, 'weald': 35526, 'albertsons': 2320, '1u': 453, 'cbsnews': 6233, 'encountering': 11384, 'coronaupdates': 8114, 'leftist': 19041, 'umarakmalquotes': 34095, 'potable': 25290, 'wud': 36387, 'watercrisis': 35478, 'ho': 15717, 'el': 11146, 'ryvita': 28212, '250ml': 627, '105': 151, '0330': 59, '124': 218, '1733': 328, 'amanda': 2523, 'prevents': 25575, 'increasin': 16748, 'shutter': 29647, 'girlfriend': 14149, 'etiquette': 11767, 'idc': 16353, 'hotchick': 15978, 'badasswoman': 3758, 'dirtypeople': 9974, 'filth': 12681, '221': 563, 'faceshields': 12187, 'preventive': 25574, 'feat': 12475, 'bojo': 4890, 'livingdead': 19426, 'otc': 23603, 'reasoned': 26769, 'named': 21979, 'jesuschristonacracker': 17741, 'totalsocial': 33309, 'consumerconversations': 7719, 'scum': 28862, 'farther': 12353, 'refreshingly': 26988, 'bewell': 4429, 'smoother': 30085, 'fm': 13011, 'tomor': 33220, 'hannaford': 15088, '301': 750, '324': 787, '9500': 1505, '681': 1234, '9797': 1527, 'pgcounty': 24647, 'visualeyes': 35135, 'rebreathing': 26793, 'esterson': 11728, 'commented': 7338, 'backlogged': 3733, 'plead': 24960, 'maisano': 20068, 'tavern': 32292, 'samorning': 28401, 'sally': 28369, 'burdett': 5538, 'xoli': 36471, 'mngambi': 21251, 'diplomatic': 9949, 'dictate': 9806, 'condominium': 7547, 'attendee': 3413, 'jesuschrist': 17740, 'religiousfreedom': 27135, 'keepput': 18207, 'starwars': 30895, 'justkidding': 17991, 'lenin': 19098, 'nonetheless': 22642, 'leavenlaw': 19017, 'onassignment': 23313, 'slope': 29991, 'jumping': 17954, 'sane': 28441, 'fairytale': 12243, 'brownie': 5384, '531': 1088, '5209': 1079, 'clientele': 6987, 'utmost': 34696, 'insult': 17125, 'injury': 16988, 'minder': 21086, 'await': 3609, 'fate': 12390, 'postcovid19': 25265, 'staythefuckhome': 31046, 'cult': 8708, 'cinephile': 6801, 'geo': 13975, 'annihilates': 2779, 'saraimrieart': 28521, 'artoftheday': 3192, 'artseries': 3194, 'toiletpaperart': 33148, 'kitchener': 18437, 'loonie': 19651, 'newswatch': 22385, 'indulges': 16838, 'macrobond': 19930, 'appetite': 2950, 'bombing': 4916, 'syria': 32096, 'pentagon': 24441, 'recourse': 26857, 'tracing': 33402, 'spider': 30572, 'roach': 27876, 'prominent': 25796, 'lappet': 18831, 'beak': 4118, 'seetheworld': 28993, 'kilimanjaro': 18369, 'safari': 28272, 'pam': 23959, 'farrare': 12351, 'wilmore': 36012, 'embraceyourcommunity': 11271, 'lecturer': 19027, 'ontpoli': 23401, '4h': 1014, 'agfunder': 2135, 'declares': 9240, 'chelsea': 6572, '80k': 1368, 'beetroot': 4213, 'getagripbritishpeople': 14026, 'masque': 20444, 'arrivent': 3152, 'dessindepresse': 9646, 'pour': 25313, 'sur': 31845, 'histoire': 15674, 'une': 34241, 'nurie': 22921, 'racont': 26437, 'ici': 16326, 'glanced': 14191, 'copy': 7946, 'meaningfully': 20634, 'haha': 14929, 'staycation': 30958, 'vince': 35055, 'troyjohnson': 33657, 'feedingsandiego': 12509, 'sandiegostrong': 28431, 'digitatmarketing': 9896, 'webdevelopment': 35580, 'glasgow': 14195, 'pondering': 25149, 'friction': 13479, 'fraudprevention': 13388, 'procuring': 25710, 'minimizing': 21114, 'goodness': 14389, 'survived': 31901, 'herdmentality': 15532, 'relaxpeople': 27104, 'thisisamerica': 32850, 'whyworry': 35944, 'freakingout': 13402, 'lovenotfear': 19724, 'redtree': 26926, 'gallery': 13762, 'sterilization': 31113, 'crosby': 8584, 'compounding': 7485, 'columbus': 7269, 'mof': 21325, 'hefty': 15415, 'mahn': 20026, 'imagery': 16511, 'baffling': 3775, 'devastate': 9704, 'lfc75': 19183, 'ultralow': 34087, 'lend': 19089, 'condemned': 7535, 'g2': 13725, 'exploding': 12051, 'movementcontrolorder': 21593, 'sustainable': 31936, 'strengthens': 31398, 'forexsignals': 13232, 'forextrader': 13233, 'preying': 25580, 'apparel': 2935, 'hid': 15585, 'spoon': 30641, 'donnie': 10408, 'patchogue': 24224, 'kullen': 18640, 'raid': 26470, 'flea': 12915, 'tick': 32961, 'paperproducts': 24068, 'experiment': 12029, '973': 1525, '504': 1049, '6240': 1198, 'njcoronavirus': 22547, 'spouse': 30665, 'bender': 4310, 'addressing': 1887, 'rutte': 28187, 'rapporteur': 26601, 'spexperts': 30566, 'csr': 8672, 'fantasized': 12300, 'consumergoods': 7726, 'carphone': 6079, 'retailapocalypse': 27516, 'superstar': 31771, 'mankind': 20221, 'prudential': 25963, 'magnanimous': 19999, 'utakaa': 34679, 'kwa': 18670, 'nyumba': 23001, 'ukule': 34074, 'nini': 22518, 'riverfront': 27839, 'cody': 7154, 'pfister': 24639, 'missouri': 21192, 'terrorist': 32531, 'patriotic': 24255, 'merciless': 20845, 'disconnected': 10030, 'commuter': 7394, 'belt': 4302, '599': 1129, 'egypt': 11116, 'senegal': 29107, 'tunisia': 33848, 'burkina': 5553, 'faso': 12373, 'decently': 9219, 'band': 3862, 'lombardia': 19605, 'distantimauniti': 10189, 'europa': 11791, 'resilienza': 27393, 'staystrong': 31042, 'cardholder': 5997, 'understands': 34214, 'aetna': 2033, 'marketing101': 20323, 'customerjourney': 8805, 'capitalize': 5954, 'aired': 2241, 'hospitalized': 15958, 'telecommuting': 32434, 'grandad': 14534, '11pm': 205, 'skillful': 29881, 'imagination': 16514, 'edward': 11069, 'hopper': 15921, 'supportyourlocals': 31828, 'conceptstore': 7512, 'restart': 27458, 'newconcept': 22340, 'conserved': 7655, 'nygobernador': 22984, 'uofchicago': 34510, 'creatives': 8466, 'ang': 2723, 'lu': 19779, 'bora': 4980, 'grooming': 14722, 'barber': 3922, 'waxing': 35497, 'mani': 20202, 'pedi': 24369, 'aesthetic': 2032, 'derma': 9581, 'kbbq': 18161, 'buffet': 5463, 'inom': 17020, 'iba': 16298, 'parasitic': 24108, 'commoning': 7369, 'longest': 19622, 'vegancupboard': 34867, 'kev': 18282, 'describe': 9595, 'pap': 24059, 'caritasuganda': 6041, 'promoted': 25804, 'onlinegrocerybusiness': 23358, 'optimum': 23492, 'utilisation': 34686, 'roti': 28023, 'sabzi': 28240, 'daal': 8889, 'chawal': 6517, 'khaao': 18307, 'biting': 4631, 'underprivileged': 34204, 'imp': 16577, 'petbarn': 24588, 'bestfriends': 4389, 'furmum': 13676, 'furbaby': 13669, 'hanes': 15076, 'problematic': 25691, 'springmarket': 30707, 'striving': 31432, 'alexa': 2351, 'overview': 23798, 'ozon': 23845, 'bronchitis': 5361, 'saturated': 28563, 'coworkers': 8353, 'accident': 1724, 'attract': 3427, 'gigantic': 14117, 'primark': 25612, 'commercialization': 7343, 'caronavirus2020': 6069, 'healthyathome': 15350, 'lung': 19825, 'organ': 23533, 'component': 7476, 'vu': 35235, 'popped': 25183, 'notright': 22806, 'pymnts': 26162, 'coronadebat': 8030, 'masksforall': 20432, 'gobills': 14296, 'buffalonian': 5461, 'resistance': 27396, 'twd': 33898, 'superbug': 31715, 'fundraiser': 13651, 'mm': 21237, 'justsa': 17996, 'flex': 12931, 'bargaining': 3936, 'kyuu': 18692, 'aree': 3072, 'milta': 21071, 'rupaye': 28159, 'aapke': 1578, 'yahan': 36498, 'kyu': 18691, 'sucha': 31581, 'cutie': 8823, 'rashamidesai': 26610, 'payout': 24306, 'vikez': 35039, 'ronn': 27987, 'torossian': 33283, '5wpr': 1167, 'dara': 9009, 'busch': 5575, 'prowl': 25955, 'collateral': 7222, 'irresponsibility': 17410, 'flame': 12869, 'purely': 26100, 'hyperbole': 16257, 'athabasca': 3357, 'oilsands': 23233, 'dire': 9955, 'comprise': 7490, 'controversial': 7852, 'israeli': 17485, 'spyware': 30728, 'nso': 22878, 'edited': 11037, 'approx': 3005, 'mco': 20598, 'bbcyourquestions': 4081, 'wm': 36135, 'petrides': 24607, 'fiji': 12655, 'fijian': 12656, 'saulevu': 28582, 'jiko': 17773, 'kada': 18018, 'ga': 13728, 'kakana': 18041, 'viti': 35149, 'dou': 10493, 'qai': 26173, 'raica': 26469, 'kina': 18387, 'anarchy': 2681, 'crtitcal': 8611, 'ger': 13997, 'nl': 22559, 'vancouvercorona': 34778, 'canadalockdown': 5859, 'leveling': 19159, '018': 38, '233': 586, 'diseasecontrol': 10068, 'outage': 23636, 'writingcommunity': 36356, 'hugging': 16110, 'authorslife': 3529, 'scar': 28691, 'scab': 28661, 'growfearless': 14749, 'dewine': 9734, 'elitist': 11220, 'craic': 8402, 'arguement': 3088, '30mins': 763, 'toast': 33101, 'actively': 1831, 'bible': 4479, 'loon': 19648, 'doin': 10352, 'tongue': 33226, 'slipping': 29985, 'medicating': 20700, '61': 1187, 'columbia': 7267, 'knowingly': 18511, 'cincinnati': 6798, 'duster': 10787, 'suffocation': 31610, 'overwhelmingly': 23806, 'myquarantineinsixwords': 21870, 'survivor40': 31908, 'bleach2020': 4708, 'youdrugstore': 36631, 'onlinepharmacy': 23365, 'canadianpharmacy': 5861, 'authorized': 3527, 'bourbon': 5068, 'frazzled': 13395, 'morrissons': 21512, 'hoc': 15739, 'compiling': 7447, 'proposes': 25853, 'averting': 3582, 'incorporating': 16739, 'antimalarial': 2836, '250mg': 626, '500mg': 1044, 'slagging': 29927, 'keepyourlocalpubalive': 18214, 'pubsclosed': 26040, 'nallan': 21969, 'suresh': 31853, 'resonating': 27410, 'adivasi': 1912, 'saira': 28333, 'hooghly': 15899, 'fightcovid': 12639, 'compounded': 7484, 'phenomenon': 24673, 'brawling': 5192, 'vinegar': 35061, 'shoppingwars': 29545, 'privileged': 25674, 'stayh': 30966, 'shutthemdown': 29651, 'macys': 19937, 'entice': 11535, 'kindleunlimited': 18395, 'kindlebook': 18394, '24hr': 615, '0200hrs': 44, 'vividly': 35152, 'mpls': 21619, 'sleuth': 29965, 'chasing': 6503, 'jeweller': 17751, 'whereabouts': 35832, 'recd': 26803, 'overhears': 23748, 'po': 25054, 'excerise': 11932, 'claw': 6919, 'kmc': 18481, 'equality': 11604, 'rio': 27786, 'byron': 5701, 'devil': 9722, 'cctv': 6254, 'resisting': 27399, 'socialresponsibility': 30238, 'naturaldisaster': 22082, '1980s': 396, 'gurgaon': 14864, 'basil': 3999, 'vacuum': 34731, 'abroad': 1658, 'nzpol': 23007, 'eroding': 11645, 'extinct': 12103, 'brokerage': 5358, 'lepage': 19109, 'experimenting': 12031, 'recording': 26853, 'vlog': 35158, 'upload': 34539, 'takeup': 32173, 'aswell': 3345, 'brace': 5122, 'suddenlyscaredofpeople': 31594, 'ghar': 14078, 'bihiv': 4522, 'te': 32331, 'nyabar': 22968, 'mah': 20010, 'neeriv': 22232, 'mumkinhaiyeh': 21746, 'bjp': 4651, 'risingprices': 27818, 'normality': 22692, 'fox5dc': 13336, 'damascusmd': 8960, 'delicious': 9402, 'norc': 22682, 'madtweets': 19967, 'reviewed': 27651, 'crushed': 8637, 'fnv': 13025, 'sbsw': 28657, 'kgc': 18305, 'btg': 5427, 'auy': 3556, 'drd': 10597, 'depository': 9548, 'chicagoland': 6622, 'ifrs': 16408, 'bothered': 5040, 'originally': 23556, 'grandpa': 14544, 'takecareofeachother': 32161, 'matty': 20511, 'stanton': 30859, 'foodwaste': 13157, 'reducewaste': 26933, 'homequarantine': 15847, 'cleanlife': 6942, 'cleancity': 6929, 'cleanworld': 6952, 'po3': 25055, 'align': 2381, 'releasing': 27114, 'owning': 23824, 'piano': 24744, 'drum': 10667, 'studio': 31468, 'tumultuous': 33838, 'rocketing': 27928, 'essary': 11688, 'farmed': 12327, 'salmon': 28372, 'shrimp': 29612, 'iu49tbeund': 17549, '2months': 722, 'biko': 4529, 'pooh': 25158, 'cornfed': 7982, 'peru': 24572, 'dejected': 9368, 'cornfedinperu': 7983, 'news204': 22365, 'tucson': 33805, 'coveryourface': 8322, 'sewage': 29225, 'hsr': 16075, 'horrific': 15941, 'grandesynthe': 14537, 'vigilante': 35032, 'lincoln': 19314, 'axiety': 3642, 'coronaquarantine': 8091, 'missyoudad': 21196, 'dontrunoutoftoiletpaper': 10441, 'dontneedatherapist': 10435, 'digiscrapthat': 9857, 'judgement': 17922, 'iamdjblaque': 16291, 'iamlegend': 16292, 'mdoc': 20611, 'horhn': 15928, 'ms65': 21638, 'prisoner': 25655, 'inhuman': 16971, 'kw': 18669, 'ality': 2386, 'amplifier': 2630, 'msleg': 21646, 'finalize': 12692, '2123': 542, 'donators': 10400, 'native': 22071, 'chickasaw': 6626, 'hardman': 15145, 'goodfriday': 14377, 'easterweekend': 10899, 'mobie': 21268, 'genie': 13957, 'folding': 13049, '2299': 578, '2699': 654, 'rizk': 27846, 'zouzou': 36830, 'shakib': 29277, '1946': 378, 'dir': 9954, 'hassan': 15202, 'imam': 16520, 'samir': 28398, 'farid': 12320, 'archive': 3059, 'brookside': 5371, '1litre': 440, 'maize': 20071, 'conned': 7627, 'stopwastingtests': 31311, 'testgrocerystoreworkers': 32548, 'fifth': 12626, 'sumer': 31647, 'previous': 25577, 'hemisphere': 15498, 'coastal': 7113, 'holidaymaker': 15775, 'victorian': 34998, 'foodhall': 13106, 'stayingopen': 31015, 'stayingassafeaswecan': 31010, 'shapiro': 29315, 'coalition': 7111, 'angie': 2737, 'kim': 18383, 'volunteered': 35194, 'humiliation': 16145, 'enduring': 11423, '2metres': 720, 'nobogroll': 22583, 'coughonmeandillnutya': 8233, 'mtr': 21670, 'davy': 9086, 'dearcustomer': 9169, 'sightx': 29708, 'automatingcuriosity': 3541, 'shedding': 29365, 'core': 7961, 'takingmore': 32179, 'mobilising': 21280, 'retrain': 27588, 'mentioning': 20821, 'petchemindustry': 24589, 'oilcrash': 23215, 'tenner': 32494, 'apiece': 2897, 'distanced': 10183, 'sneaky': 30120, 'addition': 1879, 'senatecorruption': 29091, 'binning': 4564, 'snatching': 30113, 'gird': 14146, 'coronawuhanvirus': 8135, 'afar': 2036, 'geography': 13982, 'dermatitis': 9582, 'amwalalghaden': 2651, 'octane': 23116, 'und': 34168, 'mimbling': 21077, 'lark': 18844, 'bloke': 4764, 'labeled': 18702, 'deficiency': 9322, 'daw': 9087, 'auang': 3445, 'suu': 31944, 'kyi': 18686, 'smearing': 30054, 'infectiousdisease': 16884, 'installation': 17089, 'trackingworld': 33408, 'navigation': 22115, 'feminine': 12541, 'vaunrable': 34843, 'generalinsurance': 13937, 'spurt': 30722, 'fax': 12419, 'courier': 8289, 'instituting': 17109, 'rajendras': 26497, 'namaka': 21972, 'jam': 17614, 'midway': 21005, 'brjl203': 5331, 'brjl309': 5332, 'dodgemojo': 10331, 'dispelling': 10131, 'drugstore': 10666, 'hydroxide': 16230, 'essentialoils': 11702, 'stayinghealthy': 31012, 'nstworld': 22884, 'successfully': 31573, 'concludes': 7525, 'kungfu': 18647, 'photooftheday': 24724, 'photographyeveryday': 24719, 'massacre': 20448, 'improvise': 16652, 'practically': 25366, 'shunned': 29631, 'digitalpayment': 9885, 'creditcard': 8476, 'debitcard': 9193, 'financialservices': 12720, 'dribble': 10614, 'warmup': 35399, '028': 51, 'dribbleweeklywarmup': 10615, 'luke': 19803, 'tilley': 32999, 'wilmington': 36011, 'ninja': 22520, 'keepyourdistance': 18213, 'slim': 29976, 'amused': 2647, 'dislike': 10103, 'macaroni': 19909, 'hay': 15255, 'comida': 7315, 'casa': 6109, 'tyson': 33968, 'cwt': 8848, '94': 1495, 'grid': 14651, 'acityunited': 1790, 'counterbalance': 8257, 'digitalizes': 9878, 'izberg': 17568, 'tencent': 32483, 'e3': 10836, 'momar': 21362, 'fci': 12442, 'dracula': 10563, 'countdracula': 8252, 'loveatfirstbite': 19716, 'mktgsales': 21231, 'beside': 4378, 'outlining': 23671, 'onlineclasses': 23351, 'quarantinecats': 26250, 'totallockdown': 33306, 'assignment': 3305, 'labreports': 18719, 'annotated': 2782, 'bibliography': 4482, 'venmo': 34907, 'conquer': 7634, 'touring': 33340, 'retailstong': 27548, 'blacked': 4659, 'hemsworth': 15503, 'harlow': 15159, 'homedelivery': 15820, 'bindu': 4556, 'mayi': 20542, 'expertise': 12034, 'takitaki': 32180, 'chronically': 6758, 'honored': 15888, 'sule': 31635, 'chsl': 6763, 'interlocutor': 17196, 'nicole': 22472, 'newborn': 22335, 'describes': 9597, 'mie': 21010, 'hiatus': 15580, 'googletranslate': 14410, 'digestive': 9854, 'grotesque': 14731, 'disgustingly': 10081, 'egregious': 11113, 'representation': 27293, 'inequity': 16865, 'kirkham': 18421, 'bongkhao': 4929, 'duda': 10721, 'lakh': 18765, 'tobu': 33108, 'downloads': 10531, 'surpassing': 31872, 'malawi': 20120, 'mutharika': 21816, 'andhra': 2700, 'reverse': 27644, 'visuals': 35141, 'pict': 24765, 'tinto': 33040, 'kaplan': 18087, 'federalreserve': 12490, 'richest': 27730, 'manpower': 20234, 'hema': 15494, 'theoldman': 32730, 'destined': 9654, 'letsgetafterit': 19140, 'cuomoprimetime': 8732, 'amc': 2561, 'syfy': 32060, 'logo': 19593, 'su': 31504, 'staygreetingstayathome': 30965, 'sdw': 28873, 'stagedancewearuk': 30813, 'stagedancewearonline': 30812, 'keepdancing': 18191, 'gorman': 14430, 'creatively': 8465, 'dailyfx': 8917, 'starch': 30867, 'marchmadness': 20273, 'fridayvibes': 13486, 'torkham': 33270, 'chaman': 6422, 'dawood': 9095, 'vegetarianrecipes': 34880, 'tofurkey': 33122, 'tillys': 33001, 'loyal': 19755, 'mohr': 21337, 'cascade': 6110, 'loorollgate': 19655, 'placard': 24887, 'downloading': 10530, 'teamukcbcdubai': 32357, 'mydubai': 21844, '2020undefeated': 498, 'revivetheeconomy': 27662, 'helptheearth': 15479, 'precarious': 25419, 'quail': 26216, 'newnormalisveryposh': 22357, 'leaking': 18988, 'se': 28874, 'spied': 30573, 'reaffirm': 26704, 'kotler': 18573, 'joemandese': 17829, 'meera': 20724, 'poly': 25142, 'qatarnews': 26180, 'overheard': 23747, 'stubbornaf': 31458, 'safea': 28275, 'cooky': 7907, 'celebs': 6298, 'holed': 15771, 'advert': 1997, 'bow': 5074, 'syaysafe': 32051, 'indialockdown': 16787, 'kandlasagarmala': 18073, 'kandla': 18072, 'tranship': 33481, 'cargostevedores': 6033, 'shorehandling': 29555, 'containerhandling': 7770, 'totallogistics': 33307, 'gandhidham': 13787, 'goko': 14338, 'gust': 14868, 'lastone': 18862, '59pm': 1131, 'borough': 5010, 'greenwich': 14636, 'plumstead': 25015, 'se18': 28876, 'subbed': 31508, 'elastic': 11152, 'sewing': 29229, 'janky': 17642, 'stitching': 31189, 'abating': 1593, 'unclear': 34148, 'erstwhile': 11650, 'reiwa': 27077, 'cdt': 6268, 'meadia': 20616, 'fuckthemedia': 13590, 'fucknews': 13585, 'freakin': 13400, 'coronatimes': 8107, 'spreadjoy': 30684, '16mar20': 319, 'reasor': 26771, 'profitting': 25750, 'angela': 2725, 'vanquish': 34800, 'darkness': 9020, 'unites': 34347, 'candle': 5887, 'diya': 10268, '9minutes': 1545, 'lightacandle': 19274, 'hopemed': 15917, 'hurray': 16186, 'lifebuoy': 19248, 'jai': 17596, 'hind': 15642, 'eurozone': 11798, 'clap': 6876, 'posties': 25273, 'binmen': 4561, 'sweeper': 31989, 'clapforall': 6879, 'bhagwantumhesadhbudhide': 4448, 'coronaindia': 8051, 'coronainindia': 8053, 'hungrier': 16168, 'loosened': 19658, 'toiletpanicpanic': 33143, 'nephron': 22276, 'makoya': 20112, 'mian': 20942, 'chol': 6720, 'recommending': 26841, 'despised': 9638, 'jieng': 17769, 'ssot': 30775, 'ei': 11123, 'pmmodi': 25040, 'pmoindia': 25043, 'amsterdam': 2643, 'txlege': 33944, 'flew': 12930, 'homeschoolbandandtunes': 15851, 'governorandrewcuomo': 14480, 'funniesttweets': 13658, 'funniest': 13657, 'ttxs': 33793, 'modelling': 21298, 'anticipatory': 2830, 'snakepark': 30103, 'doornkop': 10471, 'ensured': 11514, 'gogglebox': 14326, 'gilbey': 14127, 'revamping': 27627, 'mistake': 21197, 'iwaya': 17557, 'slum': 30006, 'chatted': 6510, 'monies': 21411, 'looted': 19663, 'intensifies': 17159, 'scarsdale': 28705, 'largo': 18843, 'lingo': 19330, 'empathizes': 11322, 'periodically': 24507, 'egift': 11108, 'smash': 30048, 'depending': 9529, 'transmitting': 33498, 'crud': 8616, 'endured': 11422, 'persian': 24543, 'protester': 25914, 'reunited': 27615, 'tony': 33231, 'stark': 30874, 'endgame': 11401, 'nhscovidheroes': 22437, 'fortheworld': 13282, 'cyberscout': 8859, 'schoolchildren': 28750, 'datasecurity': 9054, 'anubis': 2853, 'bushcraft': 5578, 'howtospendyourstimulus': 16054, 'extraordinary': 12120, 'backwards': 3746, 'businesstravel': 5612, 'upi': 34535, 'appropriate': 2995, 'postponing': 25286, 'faves': 12408, 'lota': 19689, 'killer': 18373, 'pinto': 24833, 'reckoning': 26829, 'ahmed': 2200, 'mukhaini': 21700, 'shalelaw': 29284, 'hotlink': 15987, 'deepens': 9281, 'widening': 35958, 'purrell': 26119, 'overhyping': 23750, 'manner': 20227, 'priti': 25657, 'roadblock': 27878, 'protectthenhs': 25901, 'trivial': 33629, 'penultimate': 24443, 'whereupon': 35844, 'cordonedbycorona': 7959, 'staring': 30873, 'nocturne': 22594, 'shinmegamitensei': 29441, 'lifting': 19272, 'paidsickleave': 23906, 'escalating': 11659, 'powerless': 25339, 'heed': 15408, 'frame': 13359, 'conveying': 7878, 'oye': 23836, 'ekiti': 11143, 'ibadan': 16299, 'avert': 3580, 'inadan': 16676, '50am': 1053, 'savagexbunni': 28591, 'veganrecipes': 34869, 'cookinginquarantine': 7904, 'garri': 13817, 'effurun': 11094, 'regulating': 27045, 'honge': 15880, 'kamiyab': 18064, 'contestalert': 7799, 'propose': 25851, 'supermarketshuffle': 31748, 'strictlycomeshopping': 31416, 'nauseating': 22103, 'pandemicprofiteering': 24000, 'improved': 16647, 'underwriting': 34229, 'hauled': 15221, 'disadvantage': 9984, 'disparity': 10127, 'avoidance': 3596, 'rendered': 27201, 'aap': 1575, 'scholarly': 28748, '5kg': 1151, '4800': 990, 'giver': 14173, 'beautifully': 4153, 'tribalism': 33589, 'circulate': 6816, 'bastion': 4009, '2good2btrue': 708, 'cyberstronghold': 8861, 'loui': 19702, 'selsey': 29070, 'clapped': 6886, 'cuppa': 8737, 'oatmilk': 23027, 'vineyard': 35062, 'leaning': 18992, 'predatory': 25442, 'heaping': 15359, 'bht': 4470, 'diversity': 10248, '568': 1108, '089': 119, '238': 596, 'smp': 30087, 'balancing': 3829, 'gibbs48': 14106, 'impotus45': 16633, 'deceive': 9212, 'traumatic': 33523, 'techinally': 32375, 'excluded': 11947, 'pkgs': 24880, 'classifie': 6905, 'drew': 10612, 'deleted': 9384, 'optic': 23480, 'audit': 3460, 'unwelcome': 34501, 'selecting': 29013, 'extract': 12114, 'desired': 9624, 'moab': 21260, 'boarded': 4835, 'steadthread': 31057, 'kallang': 18050, 'ntuc': 22890, 'yoday': 36596, 'socialdistancingfailz': 30205, 'harare': 15131, '2ply': 728, 'surgicalmask': 31866, 'consultation': 7698, 'underestimated': 34186, 'invented': 17287, 'blossom': 4783, 'cashappfriday': 6121, 'cashtag': 6137, 'telecommute': 32432, 'remotework': 27186, 'healthinsurance': 15339, 'politicaleconomy': 25123, 'medicareforall': 20698, 'bullshitjobs': 5508, 'farmar': 12324, 'ironic': 17392, 'generationz': 13947, 'thedumbestgeneration': 32679, 'theevilgeneration': 32682, 'esteemed': 11726, 'ethiopianairlines': 11760, 'q3': 26167, 'normalization': 22693, 'allocated': 2427, 'smashing': 30050, 'bowtie': 5083, 'goingout': 14335, 'eradicated': 11624, 'babawiin': 3694, 'nagasto': 21937, 'noong': 22668, 'fapri': 12307, 'univ': 34350, 'pfnews': 24644, 'nginews': 22423, 'withering': 36109, 'weaver': 35573, 'floridian': 12980, 'colonial': 7248, 'opportunist': 23466, 'decor': 9252, 'deadline': 9152, 'sep': 29143, 'supportindies': 31808, 'indiebookstores': 16808, 'pressbriefing': 25533, 'snapchat': 30106, 'installs': 17095, 'snapchatads': 30107, 'socialmediaads': 30234, 'idtheft': 16392, 'fpm2020': 13343, 'hampering': 15013, 'speculation': 30539, 'punted': 26081, 'leant': 18994, 'macabre': 19908, 'specialise': 30515, 'vacant': 34721, 'anetafelix': 2720, 'superlative': 31732, 'compassionate': 7421, 'yourcustomerssaythankyou': 36644, 'fluidity': 13000, 'nylag': 22986, 'undocumented': 34236, 'reveal': 27628, 'puraphy': 26086, 'hempoil': 15502, 'deliverydriver': 9424, 'hatfield': 15215, 'hertfordshire': 15559, 'transnsformed': 33499, 'understood': 34217, 'becki': 4172, 'batter': 4041, 'loading': 19469, 'foodstores': 13142, 'hvac': 16212, 'mcdonalds': 20585, 'r30': 26397, 'ubereats': 33987, 'bigmacza': 4514, 'reigned': 27054, 'leger': 19052, 'lg2': 19186, 'unveiling': 34493, 'bumbling': 5514, 'string': 31423, '16pm': 322, 'bourgeois': 5069, 'inconvenienced': 16735, 'ea': 10837, 'radar': 26439, 'recurring': 26878, 'dontwanttostarve': 10450, 'diligently': 9904, 'afbf': 2037, 'americanfarmbureau': 2583, 'vodaf': 35172, 'aberdeen': 1614, 'pianist': 24743, 'barcelona': 3928, 'balcony': 3831, 'saxophonist': 28635, 'neighboring': 22253, 'powell': 25325, 'mishandling': 21164, 'pamdemic': 23960, 'null': 22904, 'mandms': 20186, 'candybar': 5889, 'iphonepic': 17356, 'sawtelle': 28632, 'contrast': 7833, 'goodbadugly': 14372, 'gsma': 14775, 'deglobalization': 9353, 'falloff': 12266, 'staub': 30936, 'theater': 32661, 'moreso': 21489, 'premiering': 25478, 'cosgrove': 8192, 'uproar': 34551, 'lo': 19466, '24h': 613, 'malamjumat': 20117, 'sondurum': 30354, 'gntm': 14282, 'shopeeth': 29501, 'kiev': 18359, 'everyo': 11854, 'thriller': 32910, 'f2f': 12153, 'assc': 3288, 'marching': 20271, 'mete': 20890, 'shithole': 29457, 'iso': 17458, 'day8oflockdown': 9117, 'tauler': 32289, 'llp': 19451, 'ionic': 17341, 'herbal': 15523, 'eucalyptus': 11776, 'hocked': 15740, 'futuristic': 13704, 'irrelevant': 17403, 'hinge': 15653, 'hazemat': 15267, 'fullmoon': 13629, 'rona': 27982, 'pandemicin5words': 23994, 'strongertogether': 31441, 'oc': 23086, 'bellends': 4294, 'runny': 28151, 'busier': 5587, 'sablaka': 28235, 'vinita': 35063, 'admittedly': 1949, 'tampa': 32207, '635': 1206, 'counterfeiter': 8261, 'ig1': 16413, '265': 650, 'bats99': 4037, 'supp': 31783, 'cndns': 7098, 'cerealismyeverything': 6350, 'privateer': 25667, 'predator': 25441, 'analytica': 2671, 'intimate': 17246, 'heather': 15385, 'mallick': 20139, 'qataren': 26178, 'occupant': 23096, 'kenttonight': 18248, 'kentsays': 18246, 'auspost': 3493, 'shoplocalraleigh': 29519, 'raleigh': 26509, 'peta': 24584, 'stomach': 31243, 'burglary': 5546, 'ukbidscv19': 34042, 'idiom': 16374, 'hamsterk': 15020, 'ufe': 34012, 'blackmonday': 4669, 'hyperpoland': 16264, 'coronvirusireland': 8143, 'neptune': 22277, 'laidlaw': 18756, 'oklahoman': 23251, 'administer': 1929, 'shrtage': 29616, 'fibre2fashion': 12609, 'steeply': 31077, 'furnace': 13678, 'resuming': 27507, 'utilization': 34691, 'dampen': 8969, 'notallheroeswearcapes': 22754, 'dirkvandenbroek': 9970, 'vakkenvuller': 34746, 'naar': 21919, 'huis': 16116, 'gestuurd': 14024, 'om': 23286, 'dragen': 10567, 'mondkapje': 21393, 'jongen': 17870, 'wilde': 35982, 'hij': 15621, 'puur': 26147, 'uit': 34037, 'veiligheid': 34887, 'eigen': 11127, 'gezondheid': 14059, 'niet': 22480, 'spel': 30554, 'zetten': 36766, 'triest': 33602, 'sukuk': 31633, 'curtailed': 8774, 'nephew': 22275, 'proliferation': 25786, 'workingthefrontlines': 36243, 'ornatejewels': 23567, 'jewellery': 17752, 'savoury': 28625, 'notion': 22793, 'hyperbolic': 16258, 'stockist': 31212, 'umkc': 34099, 'kc': 18164, 'essentialgoods': 11699, 'cowboy': 8350, 'youcantseeme': 36629, 'condone': 7548, 'whr': 35934, 'override': 23771, 'twitterchat': 33931, 'publicrelations': 26028, 'greenstimulus': 14632, 'defcon': 9292, 'grew': 14647, 'flushing': 13007, 'septic': 29157, 'biohazardous': 4582, 'receptacle': 26815, 'appalachian': 2931, 'kicked': 18337, 'andrex': 2711, '9pcs': 1547, 'contained': 7768, 'covin18': 8341, 'yest': 36575, '197': 387, '4577': 966, 'evacuee': 11809, 'waf': 35263, 'carting': 6102, 'comfortfood': 7307, 'sketchlife': 29870, 'pencil': 24414, 'sketchwork': 29872, 'sketchart': 29867, 'charcoaldrawing': 6472, 'graphite': 14565, 'sketchaday': 29866, 'sketchoftheday': 29871, 'notifies': 22788, 'dlx': 10287, 'tunaweza': 33841, 'uchumi': 33996, 'hasa': 15195, 'utalii': 34680, 'wnycosh': 36144, 'bridgend': 5276, '1950': 379, 'crock': 8569, 'rohit': 27949, 'pawar': 24284, 'replicate': 27265, 'fixlethalloopholes': 12851, 'banishthebeastusa': 3888, 'womenofthesentry': 36166, 'chick': 6625, 'freiburg': 13448, 'piecemakers': 24774, 'quilting': 26355, 'shutoff': 29644, 'yearly': 36540, 'resonable': 27409, 'bestiptv': 4391, 'iptvdeals': 17368, 'hotmovies': 15989, 'iptvlinks': 17369, '18movies': 358, 'belgian': 4275, 'solicitor': 30303, 'tar': 32243, 'secured': 28950, 'greenlight': 14630, 'laughlin': 18909, 'edmontonians': 11049, 'yegcc': 36548, 'yeg': 36547, 'mirza': 21152, 'schoolfee': 28756, 'hv': 16211, 'fulf': 13617, '12m': 228, 'hostage': 15964, 'antitrust': 2844, 'imposes': 16625, 'nelson': 22265, 'avid': 3587, 'amateur': 2528, 'thisexplanation': 32848, 'flag': 12862, 'rollercoaster': 27965, 'sixflags': 29845, 'beatcorona': 4136, 'austintx': 3499, 'carlos': 6045, 'torelli': 33268, 'psychological': 25989, 'alerted': 2346, 'backwardshat': 3747, 'oakley': 23017, 'woof': 36195, 'alameda': 2296, 'specification': 30529, 'moisturizing': 21348, 'handmade': 15047, 'jeffbezos': 17695, 'payload': 24300, 'anecdotal': 2717, 'meatfree': 20649, 'dairyfree': 8932, 'ripoffbritain': 27796, 'wreaks': 36336, 'argh': 3082, 'brewed': 5257, 'granule': 14557, 'mug': 21690, 'caffeine': 5739, 'unitelive': 34345, 'steward': 31137, 'avg': 3585, 'sq': 30729, '182': 343, '388': 854, '622': 1196, 'lube': 19781, 'jk': 17790, 'stuffed': 31476, 'plush': 25021, 'teddy': 32400, 'pillow': 24806, 'candid': 5884, 'breach': 5200, 'maralago': 20264, 'sabotage': 28236, 'nk': 22553, 'retribution': 27594, 'xijingping': 36461, 'soleimani': 30296, 'cluster': 7070, 'petri': 24606, 'dish': 10082, 'hazardpay': 15264, 'cnbctv18market': 7096, 'delaying': 9378, 'bahn': 3791, 'lansing': 18825, 'msusocialscience': 21656, 'orr': 23576, 'nuisance': 22902, 'loudly': 19701, 'auspoi': 3489, 'crisiscommunications': 8538, 'fekking': 12528, 'creeping': 8494, 'supermarketbands': 31741, 'priceincrease': 25595, 'avery': 3583, 'khushabu': 18326, 'heatmap': 15388, 'jsc': 17906, '13th': 254, 'semantics': 29077, 'kor': 18559, 'nalgonda': 21968, 'ranga': 26573, 'garu': 13821, 'donthikevegetableprices': 10429, 'grubhub': 14766, 'keda': 18176, 'ceramic': 6347, 'sunda': 31673, 'cedi': 6281, 'ghc': 14081, 'lrw': 19766, 'pov': 25319, 'assembled': 3291, 'enraging': 11499, 'panchetta': 23974, 'goosebump': 14416, 'lockdownaustralia': 19513, 'socio': 30248, 'implosion': 16612, 'hastened': 15206, 'shiite': 29431, 'kurdish': 18651, 'sunni': 31693, 'independence': 16770, 'pudding': 26041, 'creepy': 8496, 'embraced': 11270, 'portland': 25219, 'pdx': 24340, 'argentinian': 3081, 'ginning': 14142, 'igd': 16416, 'regoing': 27031, 'foaming': 13029, 'celebrating': 6295, 'fuelprice': 13608, 'gazettement': 13874, 'utah': 34674, 'bottled': 5044, 'closetheschoolsnow': 7034, 'brockless': 5351, 'timberdine': 33005, 'worcester': 36205, 'icky': 16330, 'amiright': 2600, 'idiotinchief': 16378, 'portacabin': 25210, 'mob': 21264, 'contentsquare': 7796, 'tractor': 33412, 'trailer': 33443, 'fortnum': 13292, 'mason': 20442, 'auburn': 3447, 'throat': 32915, 'incarcerated': 16692, 'dade': 8898, 'rigorous': 27772, 'azerbaijani': 3665, 'smuggle': 30093, 'married': 20371, 'azerbaijan': 3664, '48oz': 998, '45uk': 975, 'amok': 2619, 'murder': 21768, 'stayhomestaysafeugadi': 31001, 'eco': 10965, 'molina': 21358, 'partnered': 24175, 'nancychokeswhilepeoplegobroke': 21993, 'obstructing': 23075, 'shielding': 29423, '21kidsandcounting': 557, 'channel4': 6448, 'abnormal': 1636, 'bfp': 4440, 'azure': 3677, 'striker': 31421, 'gunvolt': 14861, 'cullinane': 8704, 'caricature': 6035, 'southeast': 30423, 'fortlauderdale': 13287, 'westpalmbeach': 35735, 'delraybeachcaricatureartist': 9433, 'sterling': 31118, 'giftcaricatures': 14113, '561': 1107, '501': 1046, '8528': 1409, 'foodland': 13119, 'kamaainas': 18057, 'ukweli': 34075, 'mambo': 20152, 'rais': 26486, 'tujipange': 33823, 'ukweliwamambo': 34076, 'pix': 24869, 'd19': 8885, 'chit': 6695, 'gig': 14116, 'tangled': 32221, 'rapunzel': 26605, 'withholding': 36112, 'criminally': 8525, 'supposedly': 31831, 'cnp': 7102, 'kingston': 18406, 'chatham': 6508, 'brantford': 5177, 'teletown': 32448, 'onus': 23404, '5ofusathome': 1162, '402': 912, 'namibia': 21983, 'naomi': 22003, 'broady': 5347, 'tennis': 32497, 'unfit': 34273, 'conducting': 7551, 'disinfection': 10094, 'maid': 20033, '69': 1240, '702': 1274, '2706': 658, 'supersirvientas': 31768, 'anglo': 2739, 'saxon': 28634, 'dawnbilbrough': 9091, 'p7ft9ham7i': 23856, 'minishops': 21120, 'mpesa': 21614, 'whatsup': 35800, 'uhurumustgo': 34031, 'yvonne': 36703, 'alai': 2294, 'mbagathi': 20556, 'hat': 15208, 'knn': 18498, 'shelved': 29400, 'touristy': 33343, 'belongs': 4299, 'surrendered': 31880, 'folsom': 13064, 'cupcakedecorating': 8736, 'wireless': 36072, 'battered': 4042, 'sanctioned': 28423, 'revelation': 27633, 'onu': 23402, 'discriminate': 10058, 'handshake': 15062, 'fwaa': 13709, 'cohabitants': 7167, 'magic': 19991, 'magichour': 19994, 'beatboredom': 4135, 'familiar': 12279, 'bavis': 4052, '144': 262, '1425': 259, 'xijinping': 36462, 'ammex': 2609, 'boff': 4869, 'saddos': 28262, 'distinct': 10197, 'fraudalert': 13387, 'adminstration': 1936, 'reshape': 27368, 'kitted': 18448, 'stampeding': 30838, 'metrouk': 20909, 'indiavscorona': 16799, 'rightfully': 27768, 'presenter': 25517, 'sup': 31707, '5ft10': 1142, 'curly': 8759, 'pride': 25609, 'appearance': 2944, 'truckload': 33669, 'negate': 22235, 'paired': 23920, 'rake': 26502, 'objectionable': 23043, 'barrie': 3966, '3145169861': 776, 'hussle': 16202, 'stephenschork': 31100, 'telegraphed': 32440, 'br': 5120, 'devote': 9730, 'subjective': 31520, 'krone': 18615, 'tabled': 32113, 'edm': 11043, '318': 781, 'iremedy': 17383, 'alum': 2503, 'endowment': 11415, 'reasearch': 26764, 'informationagainstcovid': 16924, 'deglobalisation': 9352, 'coun': 8238, 'argued': 3087, 'unusual': 34489, 'yo': 36594, 'quest': 26322, 'hyperlink': 16261, 'translates': 33489, 'p1': 23849, 'biotech': 4597, 'wago': 35270, 'cycc': 8863, 'myeloid': 21845, 'leukemia': 19154, 'cyclacel': 8864, 'nov': 22824, 'admiration': 1940, 'singlehandedly': 29801, 'piss': 24848, 'djavad': 10276, 'salehi': 28353, 'isfahani': 17429, 'considers': 7663, 'assessed': 3297, 'windsor': 36031, 'essex': 11711, '5fm': 1140, '91': 1470, '9fm': 1542, 'unverified': 34495, 'pa14': 23858, 'notthatguy': 22811, 'demcast': 9450, 'mathaithai': 20493, 'cologne': 7243, 'scented': 28720, 'restroom': 27492, 'salem': 28354, 'socialdistancing2020': 30203, 'fightclub': 12635, 'footballer': 13171, 'gloved': 14249, 'caroffer': 6060, 'outintheworld': 23661, 'ellendegeneres': 11226, 'jimmyfallon': 17779, 'kellyclarksonshow': 18226, 'prospertx': 25877, 'dfw': 9743, 'metroplex': 20907, 'stampede': 30837, 'truedat': 33673, 'woodford': 36186, 'gvt': 14884, 'stophoard': 31275, 'coronatamilnadu': 8101, 'poitin': 25090, 'theindiansun': 32702, 'stopitplease': 31281, 'gmtv': 14278, 'gmb': 14272, 'improperly': 16645, 'logistic': 19587, 'tatter': 32283, 'perfumed': 24496, 'sparkle': 30490, 'sparklesanitizer': 30491, 'negotiating': 22248, 'sask': 28546, 'spirited': 30591, 'wit': 36097, 'kccaatwork': 18165, 'aceng': 1773, 'teampete': 32353, 'teampeteforever': 32354, 'rulesoftheroad': 28131, 'discipline': 10021, 'excellence': 11923, 'fractionalshares': 13351, 'checkitout': 6542, 'optionstrading': 23497, '1am': 425, 'mondaymorning': 21382, 'mondaymotivaton': 21384, 'mondaymood': 21381, 'novacyt': 22828, 'ncyt': 22174, 'profited': 25741, 'disinformation': 10099, 'purse': 26121, 'chiang': 6616, 'mai': 20032, 'threadbare': 32894, 'pint': 24832, 'lai': 18754, 'mohammed': 21334, 'lacasadepapel4': 18722, 'yahoo': 36499, 'diversifying': 10246, 'back2back': 3719, '363': 832, 'gmt': 14277, 'mitrade': 21212, 'pc': 24323, 'bloomberg': 4777, 'feeking': 12521, 'ingested': 16948, 'phosphate': 24713, 'q22': 26166, 'automatic': 3539, 'peeler': 24377, '0715783634': 91, 'homedecor': 15818, 'kitchendecor': 18436, 'glammyhomekenya': 14188, 'zev': 36767, 'trumpedupvirus': 33693, 'minus': 21140, '6randonl': 1261, '219': 549, '9739': 1526, 'pertaining': 24569, 'trumpcrash': 33691, 'trumptheworstpresidentever': 33736, 'cpacpatientzero': 8363, 'template': 32468, 'sharon': 29337, 'graham': 14526, 'outing': 23660, 'poetsandrhymers': 25075, 'bravo': 5189, 'coralsprings': 7950, 'jamm': 17626, 'truthabtchina': 33758, '09032144592': 122, 'osibanjothesaver': 23587, 'asuustrike': 3344, 'coronacake': 8014, 'tpocolypse': 33385, 'milkman': 21050, 'ancestor': 2684, 'stillnooatmilk': 31161, 'romania': 27977, 'consistently': 7669, 'ranked': 26582, 'tighter': 32984, 'harrogate': 15176, 'tiresome': 33055, 'schoolclosures': 28752, 'prek': 25472, 'homeschool': 15850, 'freeresources': 13438, 'biodiesel': 4574, 'snag': 30098, 'vistek': 35132, 'committal': 7357, 'maestro': 19971, 'cherished': 6594, 'ethyl': 11763, 'pleasehelp': 24969, 'quarantinecompanions': 26254, 'dogsarelove': 10346, 'doglovers': 10343, 'helpthedogs': 15478, 'bdrr': 4111, 'dented': 9506, 'accomodate': 1732, 'pc19': 24324, 'washhands': 35429, 'av': 3557, 'stimulated': 31168, 'unexpectedly': 34261, 'krasselt': 18595, 'ramin': 26537, 'toloui': 33206, 'primeminister': 25619, 'getwellboris': 14054, 'prayforboris': 25402, 'doasyouretold': 10302, 'crunch': 8631, 'deploying': 9541, 'bmtc': 4821, 'surya': 31909, 'tub': 33797, 'undelivered': 34174, 'mister': 21198, 'cessation': 6362, 'sesame': 29198, 'paraguayan': 24092, 'fuckn': 13584, 'catp': 6186, 'corona19': 8000, 'adobeexpcloud': 1955, 'ham': 14997, 'stubbornly': 31459, 'wallpaper': 35332, 'paste': 24209, 'taker': 32170, 'faithoverfear': 12247, 'loveistheanswer': 19718, 'prayerforapandemic': 25398, 'whatthefuck': 35804, 'dotard': 10488, 'misguided': 21163, 'pleb': 24975, 'pricechopper': 25585, 'market32': 20312, 'takingcareofmyparents': 32178, 'dro': 10641, 'q4withbq': 26169, 'iloveqatar': 16499, 'dohanews': 10351, 'fourth': 13328, 'housebound': 16005, 'noah': 22576, 'printable': 25634, 'chiswick': 6694, 'stretch': 31408, 'cedar': 6280, 'chrest': 6741, 'allentown': 2410, 'notch': 22758, 'spotless': 30661, 'splash': 30606, 'lehighvalley': 19071, 'mygovindia': 21849, 'freaky': 13405, 'insan': 17030, 'artmeme': 3189, 'supplychainmanagement': 31794, 'manufacturingcapability': 20245, 'scm': 28782, 'wirh': 36074, 'rs500': 28075, 'shd': 29358, 'creditworthiness': 8489, 'dinged': 9929, 'iaconelli': 16286, 'authored': 3518, 'govern': 14468, 'prototype': 25921, 'handful': 15035, 'obv': 23082, 'nowheretogo': 22848, 'pjs': 24877, 'robe': 27896, 'script': 28842, 'slumping': 30009, 'screwing': 28840, 'motorhome': 21566, 'pei': 24392, 'hottest': 15995, 'thorn': 32874, 'lauder': 18902, 'walkin': 35317, 'embargo': 11256, 'fakenewsmedia': 12258, 'tiger': 32978, 'dismisses': 10114, 'bump': 5516, 'authorian': 3519, 'etimeslifestyle': 11766, 'incomplete': 16726, 'notsick': 22808, 'ifucan': 16411, 'giveaway': 14161, 'andchanged': 2694, 'checkin': 6540, 'jefferson': 17697, 'commended': 7334, 'restuarant': 27496, 'blding': 4705, 'sanitiation': 28454, 'inspiration': 17067, 'cycleways': 8867, 'fairer': 12229, 'niniolafantasyvideo': 22519, 'sibling': 29661, '850': 1404, 'eighth': 11130, 'ravenous': 26638, 'cautioning': 6207, 'cairandale': 5748, 'legacy': 19046, 'disruptors': 10166, 'luxuryconnect': 19853, 'luxurycruxx': 19854, 'readily': 26692, 'travelinn': 33537, 'clove': 7053, 'keyfoods': 18289, 'barry': 3971, 'pleasantly': 24965, 'abusive': 1688, 'supportworkers': 31826, 'tuesdaymotivation': 33814, 'swpp2nyu': 32044, 'essence': 11691, 'retrogress': 27599, 'comatose': 7275, 'gawked': 13862, 'rodriguez': 27939, 'kismenti': 18427, 'coz': 8360, 'garcia': 13800, 'katalonski': 18118, 'biha': 4520, 'jak': 17602, 'thegame': 32687, 'openborders': 23428, 'mijatovic': 21026, 'surfacing': 31858, 'droplet': 10647, 'linger': 19326, 'transmittable': 33496, 'socializing': 30227, 'dusting': 10788, 'tranny': 33459, 'readiness': 26693, 'backtobasics': 3740, 'correspondent': 8175, 'edmonton': 11048, 'bookstore': 4955, 'forging': 13240, 'incidental': 16705, 'screenshot': 28836, 'gristle': 14681, 'arwady': 3205, 'clapping': 6887, 'ranking': 26583, 'asexuals': 3220, 'homeschoolers': 15852, 'butterfly': 5636, 'prostitute': 25878, 'pastor': 24214, 'holster': 15793, 'trumperzombieapocalypse': 33696, 'capitalizing': 5955, 'opposed': 23471, 'shipper': 29447, 'bochenek': 4852, 'contributor': 7842, 'cup': 8733, 'stimulate': 31167, 'gaither': 13750, 'subscriber': 31534, 'daera': 8902, 'farmgate': 12333, 'touchless': 33324, 'brewbird': 5255, 'freshly': 13472, 'baylegal': 4061, 'repossession': 27285, 'communicate': 7380, 'latamadvisor': 18870, 'dialogue': 9783, 'lifeguard': 19251, 'nourished': 22820, 'fairweather': 12240, 'brewing': 5260, 'gerbil': 13999, 'wrapping': 36332, 'mtrs': 21671, '2103252168': 539, 'uba': 33985, 'ngwoke': 22429, 'ifeanyi': 16401, 'retrenched': 27592, 'commenting': 7339, 'winsight': 36057, 'automobile': 3543, 'jon': 17866, '9420': 1498, 'sw': 31958, 'tutorial': 33887, 'shopifycrowd': 29509, 'nightingale': 22494, 'tee': 32404, 'mooted': 21462, 'middlehaven': 20992, 'teesside': 32414, 'thisisnotadrill': 32854, 'pearlessence': 24359, 'foto': 13314, 'nella': 22263, 'storia': 31330, 'filum': 12685, 'ordinata': 23521, 'che': 6522, 'ci': 6786, 'reso': 27401, 'cinesi': 6803, 'shitpost': 29463, 'poker': 25097, 'biganimetiddies': 4501, 'ponrhub': 25153, 'wanking': 35365, 'halloween': 14985, 'redistribution': 26915, 'redistribute': 26913, 'tonne': 33230, 'jacobreesmogg': 17586, 'abortion': 1641, 'religious': 27134, 'utilizing': 34694, 'libya': 19221, 'determine': 9685, 'cavalier': 6213, 'stepup': 31106, 'spectacularly': 30535, 'churchill': 6780, 'part1': 24158, 'dalby': 8939, 'labelled': 18705, 'scandal': 28684, 'sweepstakes': 31991, 'day17oflockdown': 9108, 'lockdownmzansi': 19537, 'pterodactyl': 26001, 'coronauk': 8112, 'superficial': 31723, 'reconsider': 26847, 'consumerinsight': 7729, 'cafecreme': 5737, 'chocolatedrink': 6711, 'kuka': 18639, 'navimumbai': 22117, 'woven': 36321, 'mahdi': 20020, '1h30': 434, 'occasional': 23089, 'nap': 22004, 'klang': 18462, 'guessed': 14808, 'theofficenbc': 32729, 'angelamartin': 2726, 'slight': 29973, 'indefensible': 16765, 'worldhappinessday': 36266, 'fajita': 12249, 'peg': 24387, 'jihad': 17771, 'azour': 3673, 'grinding': 14673, 'beautyandthebeast': 4155, 'belle': 4292, 'westwing': 35740, 'disneyclassic': 10117, 'touchpoints': 33326, 'qell': 26185, 'rear': 26760, 'posterior': 25270, 'frail': 13357, 'onl': 23345, 'strensall': 31399, '40p': 926, '90p': 1469, 'unsure': 34470, 'stonely': 31248, 'generationgame': 13946, 'contestant': 7800, 'conveyor': 7879, 'whencoronavirusisover': 35824, 'panicshop': 24041, 'wherestheprizes': 35842, 'lehman': 19072, 'appl': 2953, '08': 105, 'intc': 17142, 'msft': 21641, 'jnj': 17798, 'actionable': 1823, 'healthandsafety': 15317, 'mainin': 20054, 'burland': 5554, 'clever': 6978, 'jamie': 17625, 'keepcookingcarryon': 18190, 'flig': 12939, 'coronaquarantinechronicles': 8092, '80sbaby': 1370, 'considerable': 7657, 'reiterates': 27075, 'combatting': 7279, 'employing': 11345, 'pacific': 23864, 'seegene': 28979, 'tripled': 33623, 'celtrion': 6309, 'chugai': 6774, 'csl': 8668, 'ffm': 12586, 'nopanic': 22672, '3500': 811, 'redeem': 26892, 'polarizers': 25103, 'rod': 27935, 'sims': 29769, 'rational': 26624, 'justifiable': 17979, 'groundbreaking': 14734, 'glastonbury': 14197, 'queus': 26334, 'firends': 12780, 'incense': 16696, 'pokeball': 25093, 'pokemongo': 25095, 'moreballsplease': 21480, 'trendies': 33575, 'megachurch': 20734, 'refiner': 26967, 'osp': 23591, 'castelvolturno': 6146, 'nonconventional': 22637, 'utahns': 34677, 'hyvee': 16282, 'obtaining': 23080, 'imperative': 16591, 'uprising': 34550, 'coordinator': 7929, '866': 1420, '446': 956, '9055': 1465, 'aunt': 3472, 'interviewing': 17240, 'u6ptbqeqdr': 33977, 'blogalert': 4758, 'wildfire': 35986, 'definite': 9330, 'torros': 33286, 'naira': 21953, '145': 263, 'backing': 3729, 'pippa': 24842, 'pleasure': 24974, 'tofu': 33121, 'servsafe': 29197, 'experien': 12024, 'agewell': 2134, 'cspi': 8670, 'cookie': 7901, '570': 1110, 'rool': 27995, 'kenneth': 18241, 'copeland': 7937, 'walmartonline': 35337, 'shoponline': 29524, 'storepickup': 31327, 'outofstock': 23676, 'onlinesafetyathome': 23368, 'enabling': 11374, 'shameonsherwin': 29298, '2015': 482, 'buildingautomation': 5480, 'skillset': 29882, 'niagara4': 22451, 'easyio': 10909, 'pandemiclife': 23996, 'crook': 8579, 'brentoil': 5247, 'tradingstrategy': 33432, 'rideau': 27743, 'cottage': 8223, '10ft': 163, 'atk': 3374, '526': 1082, '3648': 833, 'obsessively': 23070, 'cineworld': 6804, 'ashworth': 3237, 'reinforcing': 27063, 'judging': 17923, 'intends': 17155, 'flatulence': 12904, 'authorises': 3522, 'gosport': 14437, 'fc': 12433, 'localfootball': 19487, 'nonleague': 22647, 'portsmouth': 25226, '10p': 171, 'lockdownzim': 19557, 'boxing': 5086, 'awkward': 3633, 'companion': 7405, 'weep': 35621, 'weighed': 35637, 'relates': 27090, 'stabilizes': 30791, 'santizer': 28498, 'santizers': 28499, 'ambo': 2558, 'journos': 17894, 'skeleton': 29860, 'usfda': 34650, 'californiashutdown': 5787, 'californiaquarantine': 5786, 'amplifying': 2632, 'incurred': 16760, 'encouragement': 11387, '946': 1499, 'astate': 3328, 'littlerock': 19398, 'tuesdayvibes': 33818, 'othe': 23606, 'nutter': 22952, 'camper': 5850, 'foster': 13311, 'edt': 11055, 'liu': 19402, 'guanguan': 14787, 'cnsphoto': 7103, 'andy': 2715, 'kanban': 18071, 'taiwan': 32151, 'anonymous': 2799, 'hood': 15893, 'commissary': 7349, 'forthood': 13283, 'usarmy': 34615, 'iicorpscovid19': 16452, 'texasstrong': 32563, 'collectively': 7230, 'neoliberalism': 22271, 'meritocracy': 20859, 'stereotype': 31109, 'lav': 18925, 'aggarwal': 2137, 'icmr': 16334, 'drawer': 10589, 'squeaky': 30745, 'enroll': 11503, 'qualifying': 26224, 'toughest': 33332, 'authorised': 3521, 'adhere': 1902, 'separately': 29147, 'performed': 24492, '24th': 620, 'beaumont': 4149, 'kfdm': 18303, 'rocio': 27922, 'fe': 12460, 'dcra': 9137, 'permit': 24524, 'oconnor': 23113, 'essentialbusiness': 11696, 'zinccafeandmarket': 36787, 'hospitalityindustry': 15955, 'beasley': 4131, 'italianfood': 17502, 'broadway': 5346, '3kg': 878, 'offprem': 23175, 'cbnnigeria': 6228, 'chickenshortage': 6630, 'sears': 28904, 'kers': 18269, 'taxman': 32301, 'perimeter': 24503, 'nvz': 22957, 'unfeasible': 34270, 'suckler': 31588, 'herd': 15528, 'welsh': 35679, 'auchan': 3448, 'invite': 17319, 'understandable': 34211, 'subsistence': 31552, 'miner': 21096, 'lastroll': 18863, 'shitjustgotreal': 29460, 'scripture': 28845, 'heathen': 15384, 'ruin': 28121, 'parked': 24133, 'redirected': 26909, 'sept': 29155, 'continent': 7803, 'exported': 12072, 'hayfever': 15258, 'versatility': 34953, 'shelie': 29389, 'miller': 21062, 'vulnerablehour': 35243, 'sakshi': 28343, 'upla': 34537, 'seinfeld': 29002, 'concluded': 7524, 'nighttime': 22501, 'donor': 10410, 'groceryretail': 14702, 'prospective': 25872, '63': 1201, 'intenders': 17154, 'desirable': 9622, '1920': 368, 'electro': 11185, 'inauguration': 16687, 'ceremony': 6353, 'healthybody': 15351, 'healthyfood': 15353, 'shorter': 29567, 'nestum': 22290, 'ceralac': 6346, 'peoplehelpingpeople': 24459, 'ageguide': 2125, 'refuted': 27006, 'wicked': 35950, 'coronatuerkiye': 8111, 'n95masks': 21915, 'enabled': 11370, 'rider': 27744, 'platinum': 24931, 'ncov': 22162, 'lolol': 19603, 'charleston': 6485, 'doomsayer': 10459, 'sewer': 29227, 'walter': 35345, 'amz': 2655, 'amazonseller': 2545, 'onlinecommerce': 23352, 'etail': 11739, 'jsbankfightscorona': 17905, 'resumed': 27506, 'seventh': 29216, 'fiascorona': 12602, 'deprive': 9558, 'scammy': 28677, 'ventillation': 34915, 'kddr': 18170, 'burgum': 5548, 'nlp': 22560, 'killerrobot': 18375, 'bot': 5034, 'cobot': 7122, 'humanoid': 16135, 'r118': 26388, '786': 1334, '0147': 30, 'mhc': 20932, 'pretoria': 25555, 'oe': 23138, 'healthtips': 15344, 'acesupermarket': 1774, 'aceeatery': 1770, 'acelounge': 1772, 'acefamily': 1771, 'oyo': 23838, 'ogbomoso': 23185, 'osogbo': 23590, 'ileife': 16468, 'ijebuode': 16456, 'abeokuta': 1612, 'sponge': 30628, 'santiser': 28496, 'retailvscorona': 27557, 'scheduling': 28727, 'derivative': 9579, 'enhance': 11469, 'schmitt': 28739, 'inanimate': 16684, 'micron': 20972, 'smog': 30076, 'aimless': 2222, 'khqa': 18325, 'tri': 33584, 'amtrak': 2644, 'cellophane': 6305, 'preparers': 25492, 'repel': 27246, 'wilko': 35996, 'firstworldproblems': 12804, 'howtoshop': 16053, 'lifesaver': 19260, 'deploy': 9539, 'portable': 25209, 'measurement': 20645, 'nyaope': 22970, 'morena': 21486, 'boloka': 4903, 'haba': 14899, 'powerfulpatientpartner': 25335, 'realised': 26724, 'lockwood': 19571, '27th': 665, 'thanksforthelove': 32609, 'timeforadrink': 33012, 'complains': 7452, 'ou': 23624, 'qualitative': 26225, 'cro': 8562, 'userresearch': 34647, 'disrespectful': 10161, 'stealth': 31063, 'strait': 31351, 'dol': 10360, 'americorps': 2589, 'promoter': 25805, 'bareshelves': 3934, 'jet': 17744, 'spicejet': 30569, 'waterloo': 35481, 'gravenhurst': 14586, 'muskoka': 21798, 'reinvesting': 27070, 'windham': 36025, 'ethan': 11752, 'ostroff': 23597, 'troutmanpepper': 33655, 'supplychainchallenge': 31793, 'sincerely': 29785, 'counselor': 8249, 'surveyed': 31890, 'indecent': 16763, 'regretted': 27035, '990': 1534, 'dmme': 10293, 'nugget': 22901, 'fucknuggets': 13586, 'burnt': 5565, 'hopeful': 15914, 'housingmarket': 16022, 'whenwillpricesfall': 35829, 'homeprices': 15846, 'luxur': 19849, 'sama': 28391, 'tingin': 33034, 'sakin': 28341, 'mga': 20925, 'kanina': 18078, 'coronavirius': 8127, 'coronanews': 8073, 'novelcorona': 22834, 'beresponsible': 4343, 'keepcalm': 18183, 'aardwolfkenya': 1580, 'sanitising': 28460, 'logistical': 19588, 'sole': 30295, 'discretion': 10055, 'verb': 34926, 'sellive': 29065, 'shoplive': 29516, 'liveshopping': 19417, 'salestool': 28361, 'kshs110': 18624, 'cocoon': 7140, 'musicindustry': 21793, 'dismiss': 10111, 'misused': 21202, 'inconclusive': 16727, 'npd': 22860, 'marshall': 20377, 'cohen': 7169, 'athletic': 3365, 'footwear': 13182, 'upswing': 34565, 'interpret': 17219, 'mounted': 21579, 'brushed': 5401, 'adhesive': 1908, 'toiletpapers': 33172, 'toiletpapercheap': 33154, 'botanaway': 5035, 'microbial': 20966, 'promptly': 25814, 'intentional': 17165, 'sunshine': 31702, 'nevada': 22319, 'casino': 6138, 'barmouth': 3946, 'stayaway': 30951, 'notwelcome': 22814, 'curated': 8742, 'nigerdeltaunrest': 22486, 'bokoharam': 4893, 'insurgency': 17137, '2016recession': 484, 'occasioned': 23091, 'unsustainability': 34474, 'gargantuan': 13808, 'toco': 33109, 'tococares': 33110, 'enoughtogoround': 11493, 'northgate': 22716, 'tuesdaymorning': 33813, 'weedlovers': 35612, 'masshole': 20452, 'snoopdogg': 30138, 'mktg': 21229, 'stimulusbill': 31171, 'rookie': 27994, 'beijing': 4256, 'urn': 34595, 'chinesevirus19': 6679, 'persona': 24551, 'lexington': 19177, 'crushcovid': 8636, 'lagossdginvest': 18747, 'pandemicbanter': 23988, 'craigdavid': 8404, '7days': 1349, 'igotthevirusonmonday': 16437, 'thenchilledonsunday': 32723, 'coronavibez': 8122, 'toiletpaperpandemic': 33168, '2020problems': 495, 'prankstarz': 25387, 'lockedinwithmom': 19562, 'plattsmetals': 24935, 'plattscommoditynews': 24934, 'undeniable': 34175, 'contentmarketing': 7794, 'rwdsu': 28195, 'criticizing': 8556, 'walkthrough': 35323, 'c5': 5707, 'daylihht': 9121, '7kg': 1351, 'backpack': 3735, 'teamgp': 32349, 'destabilized': 9648, 'cashback': 6122, 'storing': 31331, 'confidential': 7567, 'august': 3471, 'huntsville': 16179, 'selfdistancing': 29021, 'ment': 20809, 'socaildistancing': 30185, 'onlinebusiness': 23349, 'blaqsbi': 4692, 'ado': 1952, 'mightyoure': 21016, 'benson': 4332, 'cack': 5726, 'inadequately': 16679, 'miniscule': 21119, 'asthmatic': 3331, '230': 583, '1400': 257, 's9': 28221, 'retrospect': 27600, 'illuminating': 16488, 'bettson': 4416, 'bse': 5414, 'nse': 22875, 'nanking': 21997, 'scorn': 28795, 'invasive': 17285, 'boarding': 4838, 'tota': 33299, 'opportunism': 23465, 'stuart': 31456, '1993': 406, 'whispering': 35878, 'ego': 11109, 'spiritual': 30593, 'sputnik': 30723, 'rachel': 26423, 'clarke': 6897, 'chicagolockdown': 6623, '7to': 1357, 'recurrence': 26877, 'convinces': 7887, 'bayarea': 4054, 'vacillation': 34729, 'incompetence': 16723, '285': 674, 'addict': 1875, 'withheld': 36110, 'withdrawal': 36103, 'zap': 36728, 'joule': 17887, 'rebecca': 26783, 'stored': 31319, 'otp': 23614, 'yelpatlanta': 36562, 'yelpotp': 36565, 'yelpelite': 36564, 'nurofen': 22922, 'ibuprofen': 16308, 'bmj': 4819, 'explode': 12048, 'wel': 35658, 'euro2020': 11789, 'transfermarkt': 33472, 'operable': 23440, 'durable': 10772, 'vernon': 34947, 'oglala': 23189, 'sara': 28517, 'omaha': 23289, 'abourezk': 1645, 'ehlers': 11120, 'busi': 5585, 'chris': 6742, 'hayes': 15257, 'bother': 5039, 'throe': 32917, 'farmworkers': 12346, 'broda': 5352, 'dale': 8940, 'steyn': 31140, 'jyoti10': 18011, 'rnr': 27874, 'electron': 11187, 'tw': 33895, 'onlinestore': 23374, 'artnoisestore': 3191, 'ygk': 36581, 'fbcnews': 12428, 'workable': 36214, 'drillers': 10622, 'eia': 11124, 'clapforourcarers': 6883, 'curbed': 8745, 'slovakia': 29994, 'shutdownaustralia': 29635, 'stem': 31087, 'exacting': 11904, 'macro': 19929, 'cheeseplease': 6558, 'koomo': 18555, 'bandkarobazaar': 3870, 'bcos': 4098, 'interfere': 17189, 'nationalise': 22056, 'tumbling': 33835, 'commercialrealestate': 7345, 'fledged': 12918, 'dunzo': 10765, 'sharechat': 29320, 'strangled': 31362, 'hawkins': 15251, '20million': 528, 'sharmin': 29336, 'mossavar': 21532, 'rahmani': 26466, 'sachs': 28245, 'justathought': 17976, 'letsworktogether': 19145, 'deduction': 9272, 'hongkong': 15881, 'ifc': 16399, 'fooling': 13165, 'coronaalert': 8003, 'muchmind': 21676, 'reflexive': 26979, 'propitiousness': 25841, 'braided': 5135, 'inch': 16701, 'joannstores': 17803, 'domex': 10382, 'sacred': 28250, 'themselve': 32720, 'r9': 26406, 'f4f': 12155, 'likeforlikes': 19286, 'followforfollowback': 13058, 'superman': 31736, 'offender': 23153, 'adventuregame': 1992, 'showingmyage': 29599, 'vortex': 35206, 'chunk': 6777, 'disgracefully': 10075, 'deplorable': 9537, 'nots': 22807, 'espionage': 11682, 'exacerbates': 11900, 'csas': 8660, 'farmersmarkets': 12332, 'nakasero': 21963, 'bypassed': 5699, 'greengrocer': 14627, 'preferring': 25465, 'wagner': 35269, 'discouraging': 10045, 'playground': 24944, 'kakenews': 18042, 'risinguptothechallenges': 27820, 'strap': 31363, 'tester': 32547, 'swab': 31959, 'lockdownkarma': 19530, 'supervalu': 31775, 'plng': 24992, 'hurot': 16185, 'formed': 13257, 'acceptance': 1713, 'strip': 31425, 'endeavour': 11398, 'overflowing': 23744, 'uneaten': 34244, 'mouldy': 21573, 'hoarderish': 15724, 'mondayvibes': 21389, 'mondayblogs': 21380, 'towelchallenge': 33358, 'sart': 28543, 'wewillsurvive': 35756, 'illinoisprimary': 16481, 'needfood': 22221, '89': 1440, 'cpg': 8368, 'fastmovingconsumergoods': 12382, 'cpgconnectnews': 8369, 'dh': 9748, '807': 1365, 'weirdo': 35650, 'hackin': 14910, 'peloton': 24401, 'brandindex': 5162, 'stationary': 30921, 'bike': 4525, 'forage': 13185, 'ransacked': 26585, 'kait': 18038, 'turbo': 33855, 'mifi': 21012, 'injured': 16987, 'alamo': 2297, 'instagood': 17085, 'peeweeherman': 24385, 'peeweesbogadventure': 24386, 'overbuying': 23722, '407': 916, 'skewed': 29874, 'extrovert': 12132, 'juggling': 17935, 'townsville': 33365, '3pm': 894, 'restitution': 27470, 'wbab': 35506, 'weathered': 35571, 'positivetrumpspanic': 25247, 'fridaymotivation': 13483, 'positivethoughts': 25246, 'reservation': 27361, 'pityous': 24864, 'celeste': 6299, 'leatherette': 19015, 'moodboost': 21450, 'reshaping': 27371, 'pri': 25581, 'rank': 26581, 'visualization': 35137, 'civilwar': 6853, 'unwillingness': 34504, 'saddownsomewhere': 28263, 'outchea': 23643, '362': 831, 'day4': 9114, 'capitalise': 5947, 'carnage': 6051, 'sunflower': 31690, 'nine': 22516, 'tbilisi': 32313, 'escalated': 11657, 'florist': 12981, 'homo': 15868, 'nosleepgang': 22743, 'zombielife': 36811, 'teatrees': 32370, 'retweetplease': 27610, '2019cov': 488, 'viruscorona': 35110, 'joeledley': 17828, 'cpfc': 8367, 'removal': 27188, 'deepak': 9277, 'parekh': 24117, 'leash': 19011, 'cordantlovespeople': 7955, 'feedbackfriday': 12501, 'profound': 25751, 'uniqlo': 34325, 'eyeing': 12141, 'downtime': 10540, 'warwick': 35417, 'sandown': 28434, 'slack': 29926, 'cringe': 8528, '100b': 132, 'writte': 36357, 'thankyoudoctors': 32622, 'shibley': 29418, 'worthy': 36311, 'unwilling': 34503, 'dispatch': 10128, 'societyandculture': 30245, 'columbusohio': 7270, 'netflixparty': 22299, 'jihadist': 17772, 'suicide': 31623, 'bemoaning': 4304, 'tuition': 33822, 'expatriate': 12006, 'thorough': 32878, 'autonomous': 3548, 'hibinate': 15581, 'homealone': 15801, 'sobored': 30181, 'bigbox': 4504, 'coronaus': 8117, 'funnyshirts': 13664, 'whitechapel': 35885, '512': 1068, 'toiletpapermath': 33165, 'homework': 15862, 'crowdfunding': 8602, 'wiring': 36075, 'unconscionable': 34155, 'everclear': 11840, '190': 362, 'saveournurses': 28610, 'projected': 25777, 'granting': 14555, 'thorny': 32877, 'gh': 14069, 'allw': 2443, 'salina': 28364, 'nob': 22577, 'prognosis': 25756, 'agitate': 2149, 'reversed': 27645, 'redress': 26923, 'sag': 28303, 'eveyone': 11870, 'fiver': 12839, 'betty': 4417, 'pie': 24772, 'saveourgrowers': 28609, 'growyourown': 14762, 'concession': 7517, 'continuity': 7816, 'personality': 24556, 'intensely': 17157, 'used2': 34636, 'prioritised4': 25642, 'due2': 10726, 'sympathize': 32071, 'unsold': 34460, 'stelvio': 31086, 'ftcscambingo': 13560, 'bilateral': 4531, 'assessing': 3298, 'retaliatory': 27567, 'sanauto': 28418, 'spraying': 30676, 'coronafighters': 8036, 'tv9': 33891, 'homeneeds': 15841, 'doug': 10502, 'ford': 13203, 'eb': 10930, 'unneeded': 34397, 'westmidland': 35730, '57': 1109, 'shoplifting': 29515, 'midland': 20998, 'militarized': 21042, 'bitterly': 4634, 'outrageously': 23688, 'cunningham': 8725, 'oldglorydistilling': 23262, 'hesitate': 15564, 'destroys': 9660, 'janeeyre': 17634, '6ftplease': 1252, 'strategia': 31367, 'epa': 11579, 'microsure': 20982, 'horrifying': 15943, 'airfare': 2242, 'roundtrip': 28039, 'vegasshutdown': 34871, 'askforhelp': 3259, 'offersomehelp': 23163, 'edemame': 11027, 'sighting': 29707, 'loch': 19504, 'ness': 22284, 'frenetic': 13453, 'babysitter': 3708, 'geneva': 13956, 'avengersendgame': 3575, 'untransformed': 34486, 'coining': 7186, 'confiscatory': 7585, 'blackfriday': 4661, 'greedybastards': 14617, 'personalized': 24557, 'harriscounty': 15173, 'constable': 7680, 'm8': 19899, 'laser': 18848, 'newburgh': 22336, 'saturdaymotivation': 28566, 'tweaked': 33900, 'confront': 7592, 'sf': 29239, 'skillet': 29880, 'gibb': 14105, 'hitendra': 15686, 'chaturvedi': 6513, 'huffing': 16104, 'haribos': 15154, 'altruism': 2501, 'vanderbilt': 34787, 'goldsmith': 14352, 'topahov': 33246, 'hoardingvirus': 15729, 'exponentialgrowth': 12068, 'flatteningthecurve': 12898, 'toiletpaperwars': 33179, 'mint': 21136, '1oz': 444, 'apmex': 2905, 'sterlingjacksonrealestate': 31120, 'sterjackre': 31117, 'sterlingjackson': 31119, 'realestateisgreat': 26712, 'worldwarc': 36283, 'doyourpart': 10555, 'goodjob': 14382, 'ransom': 26587, 'fellowship': 12536, 'condemning': 7536, 'setlife': 29205, 'filmcrew': 12673, 'intial': 17245, 'iif': 16453, 'cor': 7948, 'needful': 22222, 'overdoses': 23734, 'brutalised': 5405, 'confrontational': 7593, 'cultured': 8715, 'populated': 25189, 'savehowie': 28600, 'empowerment': 11349, 'burial': 5551, 'rocketed': 27927, 'nyers': 22983, 'kixies': 18455, 'preliminary': 25474, 'etauto': 11742, 'communicable': 7379, 'nicd': 22454, '0800': 107, '029': 53, 'transurban': 33510, 'tollroads': 33204, 'trucking': 33668, 'bondi': 4920, 'oag': 23013, '442': 955, '9854': 1531, 'altruistic': 2502, 'emphasise': 11326, 'bankingindustry': 3895, 'spook': 30638, 'bandwidth': 3873, 'horrified': 15942, 'ugt': 34023, 'mercandise': 20832, 'listened': 19365, 'quah': 26215, 'aggregate': 2140, 'jaw': 17666, 'seclusion': 28933, 'roundy': 28041, 'consumes': 7752, 'hpqm77pgsd': 16058, 'indiana': 16790, 'laborecon': 18710, 'tpselfies': 33388, 'scaring': 28704, 'wuarantinememe': 36386, 'irony': 17395, 'bun': 5521, 'litter': 19386, 'amreeka': 2636, 'lifeblood': 19246, 'cashisking': 6131, 'sixoclock': 29847, 'glitch': 14215, 'slows': 30001, 'denis': 9493, 'n95facemask': 21913, 'mature': 20512, 'sikh': 29728, 'cater': 6173, 'proudsikhs': 25929, 'bramley': 5150, 'messichallenge': 20880, 'cringeworthy': 8529, 'fealty': 12463, 'x3': 36440, 'a2': 1560, 'adorable': 1964, 'activitiesforchildren': 1834, 'dfwparents': 9744, 'handmaid': 15049, 'figured': 12653, 'heist': 15429, 'captiva': 5972, 'statebaroftexas': 30904, 'violates': 35073, 'deceptive': 9222, 'epi': 11583, 'demi': 9453, 'lirics': 19358, 'epic': 11584, 'overrated': 23766, 'literature': 19380, 'orderly': 23515, 'perspex': 24564, 'imperial': 16593, 'figgered': 12629, 'december': 9216, 'ripoff': 27795, 'beset': 4376, 'enlink': 11482, 'enlc': 11480, '1929': 369, 'googled': 14408, 'signup': 29726, 'realmafiapparel': 26741, 'cripthevote': 8534, 'phasing': 24671, 'speeding': 30547, 'startof': 30884, 'ehsan': 11121, 'ul': 34078, 'haq': 15127, 'roger': 27942, 'hirst': 15671, 'datanow': 9048, 'trusteddata': 33749, 'thestar': 32779, '306': 753, '664': 1226, '1190': 199, 'pademic': 23892, 'kaffy': 18024, 'idealist': 16357, 'susan': 31911, 'zumbuehl': 36836, 'umbrella': 34097, 'consern': 7650, 'sincere': 29784, 'kprc2': 18586, 'click2houston': 6981, 'nonperforming': 22652, 'npls': 22861, 'withstand': 36119, 'utm': 34695, 'disabilites': 9976, 'mystery': 21878, 'couch': 8227, 'newsest': 22372, 'marcoisland': 20275, 'bettertogether': 4414, 'paducah': 23894, 'geocaching': 13976, 'byop': 5698, 'boycottchina': 5094, 'solicit': 30301, 'centred': 6335, 'wig': 35971, 'thang': 32592, 'unitednations': 34341, 'touchpoint': 33325, 'skip': 29899, 'bleeding': 4713, 'plaster': 24921, 'cuddle': 8696, 'pressured': 25541, 'propublica': 25861, 'lauren': 18921, 'verno': 34946, 'investigative': 17306, 'visualised': 35136, 'consists': 7671, 'shorten': 29563, 'ssm': 30772, 'baraboo': 3916, 'janesville': 17637, 'reedsburg': 26943, 'prairie': 25377, 'sac': 28241, 'overreacting': 23768, 'aircraft': 2237, 'overwing': 23808, 'shutterstock': 29650, 'boon': 4962, 'hurting': 16195, 'regulated': 27042, 'lifeles': 19256, 'ancient': 2689, 'conchshells': 7519, 'ringing': 27782, 'jantacurfewmarch22': 17649, 'modicoronamessage': 21314, 'indiacometogether': 16779, 'theinfiniteage': 32703, 'evaporated': 11825, 'gulval': 14842, 'penzance': 24444, 'wewillfightcorona': 35753, 'lexicon': 19176, 'oat': 23025, 'hp': 16056, 'governer': 14472, 'tennessean': 32495, 'containcovid19': 7767, 'jpak': 17902, 'shippingtoja': 29449, 'takeouttuesday': 32168, 'lse': 19768, 'uknews': 34063, 'kane': 18074, 'pirie': 24845, 'subscribing': 31535, '18c': 354, 'toothpaste': 33243, 'bubblegum': 5436, 'umassmed': 34096, 'reflected': 26971, 'confess': 7560, 'time4change': 33008, 'sickofwinning': 29676, 'cliff': 6992, 'dev': 9700, 'koboko': 18527, 'bloodsucker': 4772, 'shs3': 29620, 'bartholomew': 3977, 'sebastian': 28929, '3onyourside': 889, 'stupidisasstupiddoes': 31489, 'gerrityssupermarket': 14014, 'trumpincompetence': 33701, 'trumpjoke': 33706, 'trumpsucks': 33732, 'rif': 27756, 'foreignexchange': 13218, 'cary': 6108, 'zimmerman': 36784, 'sia': 29658, 'wilding': 35988, 'shook': 29487, 'exp': 11997, 'retaillife': 27539, 'honcho': 15870, 'appreciates': 2984, '19nz': 417, 'sd': 28868, 'interestingly': 17186, 'album': 2321, 'nycshutdown': 22981, 'disinfected': 10092, '508': 1051, '9032': 1464, 'braver': 5186, 'helpthemtohelpusall': 15482, 'myallotment': 21833, 'freefood': 13421, 'calamity': 5759, 'icantwork': 16314, 'icantgetpaid': 16311, 'thee': 32680, 'txu': 33948, 'paused': 24275, 'disconnect': 10029, 'rieux': 27755, 'nutrisciences': 22946, 'adel': 1893, 'karina': 18102, 'isliationhelp': 17450, 'newsong': 22377, 'albuterol': 2323, 'bolivia': 4899, 'vegpower': 34885, 'unsustainable': 34475, 'curbedny': 8746, 'editing': 11038, 'hoppon': 15923, 'veetilirimyre': 34862, 'tailor': 32145, 'implementation': 16599, 'mbbs': 20558, 'rmc': 27864, 'msc': 21639, 'lsh': 19770, 'karachi': 18090, 'llb': 19443, 'burton': 5569, 'restrain': 27481, 'utilise': 34687, 'coincome': 7184, 'affiliated': 2050, 'ftw': 13565, 'vimtotweets': 35053, 'luxembourg': 19847, 'poorcustomerservice': 25173, 'immoral': 16556, 'aryeh': 3208, 'boim': 4888, 'osher': 23586, 'caters': 6176, 'orthodox': 23578, 'jewish': 17755, 'cram': 8407, 'cain': 5746, 'chcnewsflash': 6521, 'mentally': 20817, 'stagflation': 30815, 'mayo': 20543, 'dressing': 10611, 'otipy': 23613, 'ipas': 17349, 'ksh': 18621, 'pharmacie': 24662, 'conceivably': 7506, 'chorus': 6737, 'invited': 17320, 'passle': 24199, '017': 34, 'kwh': 18679, 'solar': 30287, 'comparable': 7409, 'piped': 24837, 'greatgame': 14605, 'renewables': 27208, 'aliceinwonderland': 2377, 'gonearoundthebend': 14364, 'spermarketprofitsforgood': 30564, 'stevencain': 31134, 'shutdownma': 29636, 'refining': 26969, 'handsanitizerleash': 15056, 'victoriabc': 34997, 'sah': 28310, 'policie': 25111, 'proti': 25917, 'spekulant': 30553, 'roukami': 28034, 'popud': 25186, 'hejtman': 15431, 'steck': 31068, 'kraje': 18592, 'spolupr': 30626, 'podle': 25070, 'krizov': 18612, 'kona': 18549, 'zajistil': 36717, 'ti': 32958, 'rouek': 28030, 'od': 23122, 'firmy': 12791, 'kter': 18627, 'dodat': 10328, 'zdravotn': 36738, 'ale': 2341, 'posledn': 25253, 'chv': 6784, 'snaila': 30100, 'navyovat': 22121, 'cenu': 6343, 'spolutozvladneme': 30627, 'forager': 13186, 'maine': 20050, 'feedme': 12516, 'eatlocal': 10923, 'spongebob': 30629, 'spongebobmemes': 30631, 'spongebobmeme': 30630, 'memesdaily': 20785, 'dankmeme': 8998, 'ol': 23253, 'edgymemes': 11033, 'dailymemes': 8921, 'offensivememes': 23157, 'topshop': 33258, 'topman': 33251, 'arcadia': 3052, 'creditor': 8481, 'nora': 22680, 'lamontagne': 18784, 'supervision': 31779, 'creg': 8497, 'concordia': 7528, 'sawchuk': 28631, 'inkling': 16994, 'exploitative': 12055, 'fury': 13686, 'offloaded': 23173, '11m': 204, 'feb2020': 12480, 'frustrating': 13549, 'iv': 17550, 'eep': 11073, 'bifurcated': 4498, 'bt21': 5425, 'wts': 36383, 'sg': 29245, 'sgd': 29247, 'foodbusiness': 13090, 'awaiting': 3611, '4m': 1022, 'brentwood': 5248, 'haveing': 15235, 'saveworkers': 28619, 'stlblues': 31194, 'stlouis': 31196, 'stl': 31193, 'maxing': 20532, 'ovation': 23709, 'paralyzes': 24099, 'outhouse': 23659, 'swoop': 32038, 'finglas': 12747, 'knocked': 18503, 'nincompoop': 22515, 'indefinitely': 16767, '2lbs': 715, 'eastfruit': 10900, 'mez': 20918, 'cornelldyson': 7977, 'officedelivery': 23165, 'channel4news': 6449, 'eurospin': 11796, 'flint': 12947, 'alpinia': 2470, 'galanga': 13754, 'mosquito': 21529, 'repelling': 27248, 'shallot': 29286, 'anise': 2761, 'boil': 4884, 'thirsty': 32840, 'respite': 27433, 'applestore': 2968, 'extendedreturn': 12090, 'underline': 34191, 'internationaldayofhappiness': 17206, 'outtake': 23701, 'phylogenetic': 24733, 'adaptation': 1862, 'transmissible': 33493, 'excedrin': 11916, 'cornavirus': 7971, 'inner': 17002, 'sahloul': 28316, 'primavera': 25614, 'infuriating': 16941, 'allowance': 2434, 'coke': 7189, 'substantially': 31557, 'quits': 26369, 'wi': 35947, 'disabledcovid19': 9981, 'fuck3n': 13569, 'bi': 4475, 'slob': 29987, 'r3tards': 26400, 'heartless': 15376, 'preventionoverpanic': 25572, 'unified': 34304, 'framework': 13360, 'rouble': 28029, 'tailspin': 32148, 'readingrussia': 26695, 'patented': 24229, 'remdesivir': 27159, 'feline': 12532, 'fip': 12769, 'luis': 19800, 'obispo': 23040, '186': 348, 'commerceiq': 7341, 'whyyoucantbuytp': 35946, 'paxton': 24288, 'southwest': 30444, 'magnify': 20004, 'etretail': 11770, 'grumpy': 14769, '2keep': 711, 'unionized': 34323, 'unionstrong': 34324, 'tidy': 32969, 'digitalization': 9877, 'digitalworkplace': 9895, 'jesussaves': 17743, 'repentnownations': 27250, 'godwins': 14318, 'marketcrash2020': 20316, 'todayistheday': 33115, 'weigh': 35636, 'bushel': 5579, 'apnea': 2907, 'converted': 7873, 'pulmonologists': 26053, 'competent': 7433, 'supt': 31844, 'eased': 10877, 'aftershock': 2097, 'technologynews': 32391, 'niki': 22506, 'megalomaniac': 20735, 'everyones': 11858, 'christucker': 6756, '2c': 694, 'aint': 2227, 'urselves': 34598, 'freedom2out': 13418, 'food2eat': 13074, 'place2call': 24889, 'christopher': 6754, 'adequately': 1899, 'mddc': 20609, '1199': 200, 'brandon': 5167, 'montr': 21440, 'coloradoan': 7254, 'takecare': 32160, 'emergencyfood': 11284, 'assassin': 3284, 'citrus': 6833, 'behealthy': 4248, 'texasbeardsman': 32561, 'securely': 28951, 'creditcards': 8477, 'ucriverside': 34001, 'epidemiologist': 11590, 'freemarket': 13433, 'rearranging': 26763, 'opportunistic': 23467, 'socioeconomic': 30249, 'myanmar': 21834, 'nbsupdates': 22146, 'imnext': 16571, 'absorbed': 1669, 'pee': 24374, 'philipkotler': 24682, 'worldeconomy': 36262, 'prevententive': 25568, 'inhumane': 16972, 'longs': 19627, 'litigation': 19384, 'ballard': 3837, 'spahr': 30469, 'synthesize': 32092, 'internalize': 17201, 'adoration': 1966, 'haggling': 14928, 'restrictive': 27489, 'hogue': 15754, 'casper': 6141, 'cspr': 8671, 'huddling': 16096, 'multitude': 21733, 'rooted': 28000, 'cushion': 8783, 'usecof': 34633, 'inflationary': 16903, 'attribute': 3433, 'cutoff': 8827, 'royalmail': 28059, 'thismorning': 32861, 'pilers': 24794, 'ln': 19460, 'ytd': 36685, 'retain': 27563, 'hsd': 16072, 'eps': 11598, 'imb': 16523, 'imco': 16526, 'tacke': 32120, 'gripped': 14679, 'pimprichinchwad': 24813, 'undue': 34240, 'burdene': 5536, 'mash': 20414, 'puertorico': 26044, 'mandated': 20178, 'vistalworks': 35131, 'signlanguage': 29722, 'bsl': 5415, 'nxt': 22965, 'marico': 20293, 'gupta': 14862, 'opines': 23457, 'eas': 10875, 'richa': 27721, 'arora': 3132, 'usacovid19': 34609, 'compelling': 7427, 'wonderous': 36176, 'bowen': 5077, 'iconic': 16338, 'outcry': 23645, 'worldwarii': 36284, 'aluminum': 2507, 'awaaz': 3608, 'theu': 32784, 'teepeeformybunghole': 32411, 'siena': 29696, 'roster': 28016, 'attests': 3418, 'frm': 13515, 'cornershop': 7980, 'restricting': 27487, 'passage': 24191, 'doubling': 10497, 'affordably': 2065, 'farmboy': 12326, 'ibiza': 16303, 'eularia': 11785, 'verity': 34938, 'ibiza2020': 16304, 'telemedicine': 32442, 'muddappa': 21679, 'deresinski': 9576, 'dislocated': 10104, 'impaired': 16584, 'pimco': 24809, 'amundi': 2646, 'ashmore': 3234, 'accusation': 1762, 'scomovirus': 28787, 'outlests': 23666, 'evacuating': 11807, 'guzzles': 14879, 'multicultural': 21714, 'asylum': 3347, 'seeker': 28982, 'aspencard': 3275, 'hostileenvironment': 15970, 'veros': 34948, 'suddenchange': 31592, '3day': 868, 'justintime': 17987, '7day': 1348, 'normalsupply': 22698, 'unfreezing': 34286, 'fox43findsout': 13335, '25am': 634, 'illiterate': 16482, 'kcr': 18169, 'jagan': 17593, 'bombshell': 4917, 'ugly': 34022, 'absence': 1661, 'practises': 25371, 'cultu': 8711, 'ensues': 11511, 'scope': 28792, 'posing': 25234, 'pricehike': 25593, 'mumbaiker': 21740, 'arranges': 3141, 'almaty': 2448, 'askhat': 3262, 'zheksebayev': 36772, 'equipped': 11615, 'relaxation': 27100, 'merger': 20852, 'pretext': 25554, 'oligarch': 23269, 'dt': 10691, 'cused': 8782, 'sumantra': 31644, 'supermarketowners': 31745, 'suspension': 31927, 'napier': 22007, 'pak': 23926, 'nsave': 22873, 'westbaluchistan': 35712, 'innovated': 17010, 'balochistan': 3845, 'pmimrankhan': 25039, 'stillwithher': 31164, 'topeka': 33247, 'derek': 9573, 'schmidt': 28738, 'beneficiary': 4314, 'compound': 7483, 'sho': 29473, 'tuck': 33801, 'crab': 8387, 'lmic': 19459, 'btwn': 5431, 'osha': 23584, 'northam': 22704, 'tuscan': 33878, 'kale': 18047, 'smoked': 30078, 'chorizo': 6735, 'mirepoix': 21149, 'familytime': 12288, 'compelled': 7426, 'sly': 30012, 'infringement': 16937, 'flavonoid': 12906, 'tseng': 33774, 'daria': 9016, 'weissman': 35656, 'beemit': 4201, 'keyword': 18294, 'noworries': 22850, 'brewer': 5258, 'adedayo': 1890, 'ayeni': 3651, 'saharan': 28312, 'discloses': 10025, 'thecable': 32667, 'virsuse': 35093, 'unpredictability': 34415, 'cletus': 6976, 'memes2riches': 20784, 'heybitch': 15573, 'casulty': 6155, 'herculean': 15527, 'keepcalmgodigitalbanking': 18187, 'inukasme': 17273, '12km': 227, '1km': 438, 'expiring': 12039, 'contr': 7819, 'technique': 32387, 'homecooking': 15817, 'healhtycooking': 15312, 'versatile': 34952, 'risked': 27823, 'jackie': 17578, 'interstate': 17229, 'uplifting': 34538, 'babybel': 3698, 'penalize': 24411, 'indicate': 16800, 'drfauci': 10613, 'tying': 33952, 'firstdayofspring': 12794, 'warrenton': 35411, 'pupil': 26082, 'fsm': 13555, 'bzun': 5704, 'cfa': 6370, 'agenda': 2129, 'weakened': 35520, 'corporates': 8158, 'attractive': 3431, 'viet': 35020, 'nam': 21970, 'fork': 13249, 'quittrippin': 26370, 'roar': 27885, 'torontohousingmarket': 33277, 'housesforsale': 16014, 'attracted': 3428, 'hooptie': 15906, 'chinaflu': 6659, 'familiaspnf': 12280, 'salvage': 28388, 'margareta': 20281, 'sneezed': 30124, 'multiplied': 21726, 'deem': 9274, 'veneer': 34898, 'craven': 8434, 'diseased': 10069, 'dormer': 10481, 'quarenteen': 26284, 'ebook': 10947, 'stayhomeandread': 30977, 'olden': 23258, 'breadfail': 5204, 'selfservatism': 29055, 'holocaust': 15790, 'surveillance': 31888, 'innovate': 17009, 'constraint': 7690, 'upheld': 34532, 'andre': 2704, 'voiced': 35182, 'assaulting': 3287, 'margo': 20289, 'barbara': 3919, 'triplebottomline': 33622, 'iam': 16288, 'bachelor': 3716, 'djt': 10282, 'unfill': 34271, 'mosaic': 21523, 'moz': 21606, 'kitco': 18441, 'usdollar': 34630, 'republic': 27309, 'contrary': 7832, 'clearest': 6961, 'barometer': 3952, 'peterborough': 24594, 'kawartha': 18148, 'crushline': 8639, 'athletecrush': 3364, 'dems': 9482, 'admonishes': 1950, 'gouvernance': 14458, 'squad': 30733, 'illicit': 16476, 'uncontrolled': 34158, 'bamako': 3852, 'concentration': 7510, 'gaza': 13871, 'unde': 34170, 'apzweb': 3029, 'ordeal': 23511, 'workstream': 36254, 'hrtech': 16069, 'gigworkers': 14124, 'sage': 28307, 'seventy': 29217, 'moira': 21342, 'welikanna': 35667, 'fulham': 13624, 'bogof': 4876, 'curry': 8768, 'dhamki': 9753, 'sushma': 31918, 'swaraj': 31971, 'shaykh': 29357, 'mohamed': 21332, 'hoblos': 15736, 'zhengzhou': 36773, 'subtly': 31562, 'strenuous': 31400, 'shel': 29381, 'rolex': 27957, 'swatch': 31977, 'cartier': 6101, 'michigancoronavirus': 20956, 'sweetheart': 31998, 'lobbyist': 19477, 'cimas': 6797, 'togetherwemakeadifference': 33134, '03237979660': 58, 'jhagra': 17759, 'geonews': 13986, 'asad': 3212, 'umar': 34094, 'zfrmrza': 36769, 'dawnnews': 9094, 'ndma': 22187, 'hamidmir': 15000, 'downsizing': 10537, 'cancelledflights': 5875, 'cancelledevents': 5874, 'seatravel': 28918, 'packageholidays': 23872, 'drdo': 10598, 'patanjaliyogpeeth': 24222, 'santoor': 28502, 'othr': 23612, 'reducng': 26935, 'whn': 35907, 'inexorably': 16871, 'northward': 22729, 'mimic': 21078, 'perth': 24570, 'reckon': 26827, 'imagining': 16518, 'justanotherdayinwa': 17975, '9r': 1549, 'stopcoronamadness': 31269, 'tatanic': 32281, 'hymn': 16252, 'braved': 5183, 'lasagna': 18847, 'shrugged': 29617, 'nolasagna': 22619, 'sbi': 28648, 'amaravati': 2525, 'guntur': 14860, 'ducey': 10714, 'daretobe': 9014, 'nigel': 22485, 'malnutrition': 20142, 'winelands': 36036, 'msm': 21647, 'optometrist': 23498, 'veterinary': 34968, 'resurgence': 27510, 'draya': 10593, 'firetrump': 12785, 'brenda': 5240, 'sensitizing': 29133, 'fox10phoenix': 13333, 'fullest': 13628, 'pajama': 23925, 'hairy': 14954, 'vege': 34872, 'skyrim': 29919, 'seductivesunday': 28974, 'reconsidering': 26848, 'gosh': 14434, 'awfully': 3631, 'gagged': 13739, 'woeful': 36151, '100x': 143, 'chadha': 6397, '20something': 532, 'fella': 12534, 'lawd': 18931, 'b1g1': 3679, 'aust': 3495, 'lockeddown': 19560, 'jerkin': 17723, 'squirtin': 30754, 'emma': 11307, 'fowle': 13331, 'lymeregis': 19879, 'engulf': 11468, 'golibar': 14359, 'santacruz': 28490, '21dayschallenge': 553, 'reset': 27366, 'nespresso': 22283, 'peets': 24383, 'mountainlife': 21578, 'authenticarkansas': 3513, 'arpreservation': 3136, 'wearemainstreet': 35555, 'naturalresouces': 22090, 'russi': 28174, 'imon': 16576, '4u': 1031, 'like4likes': 19284, 'homemadesanitizer': 15839, 'tahlequahtdp': 32142, 'iodised': 17339, 'washingtondc': 35433, 'marshalled': 20379, '780': 1330, '453': 963, '0101': 19, 'weareopen': 35558, 'blissbakedgoods': 4740, 'spire': 30589, 'theblaze': 32666, 'midia': 20997, 'veliaj': 34890, 'stopthevirus': 31308, 'statistically': 30926, 'petrobras': 24610, 'lockdownnsw': 19541, 'tizer': 33074, 'oregon': 23527, 'cali': 5777, 'ronarants': 27985, 'smug': 30092, 'gem': 13925, 'polk': 25130, 'quarantineselfie': 26271, 'meaningless': 20635, 'busine': 5589, 'traditionally': 33435, 'ravitz': 26642, 'shade': 29256, 'sour': 30406, 'chive': 6698, 'frickin': 13477, 'fwps': 13713, 'amy': 2654, 'davis': 9084, 'brin': 5302, 'sodding': 30257, 'diagnostics': 9778, 'hospitalised': 15953, 'fave': 12407, 'exaggeration': 11907, 'eww': 11895, 'hypochondriac': 16271, 'petty': 24629, 'zitapewa': 36796, 'matajiri': 20475, 'watu': 35491, 'wanajua': 35354, 'ulafi': 34079, 'tyler': 33954, 'perry': 24538, 'nhk': 22433, 'reschedule': 27338, 'centralised': 6331, 'wtrg': 36381, 'kmb': 18480, 'csco': 8662, 'ibm': 16305, 'getthehellawayfromme': 14046, 'exceeds': 11919, 'businessnews': 5605, 'rahul': 26467, 'kansal': 18081, 'sinclair': 29788, 'euclid': 11777, 'shopassistants': 29495, 'shelfstacking': 29388, 'exhausting': 11975, 'punishes': 26075, 'ruthlessly': 28185, 'fasting': 12380, 'supremecourtofindia': 31840, 'mannkibaa': 20229, 'arnews': 3126, 'skellig': 29861, 'kilometer': 18381, 'skelligcoast2kms': 29862, 'southkerry': 30434, 'healer': 15310, 'detain': 9667, 'scored': 28794, 'arielle': 3101, 'trzcinski': 33769, 'optimises': 23486, 'staking': 30827, 'pseudoscience': 25976, 'laughably': 18905, 'evade': 11810, 'malibu': 20133, '593': 1125, '822': 1384, 'undermines': 34196, 'chs': 6762, 'manhandling': 20198, 'introduction': 17267, 'softer': 30269, 'andratuttobene': 2703, 'tuscany': 33879, 'pecker': 24362, 'ami': 2593, 'survives': 31903, 'alcoholism': 2334, 'crafting': 8399, 'customizing': 8813, 'fipi': 12770, 'lele': 19082, 'toiletpaperrolls': 33171, 'toiletpaperseeds': 33173, 'teapot': 32361, 'explodes': 12050, 'keynes': 18290, 'tempted': 32475, 'unjust': 34358, 'inds': 16832, 'outperforming': 23683, 'reit': 27072, 'etf': 11750, 'tasked': 32266, 'inconsistent': 16731, 'audaciously': 3454, 'dispatched': 10129, 'zenith': 36755, '101553042': 145, 'fudgiechunks': 13600, 'fudge': 13598, 'fudgeislife': 13599, 'keepcalmandcarryon': 18184, 'chocolatefudge': 6712, 'chocandmint': 6709, 'humpday': 16153, 'svp': 31955, 'a5': 1563, 'saddening': 28258, 'maddensmethods': 19944, 'mbrx': 20563, '2022': 500, 'mycovidstory': 21843, 'comorbidities': 7401, 'ppum': 25362, 'fukin': 13615, 'magarollercoaster': 19979, 'trumppence2020': 33722, '2ashallnotbeinfringed': 689, 'slaughter': 29943, 'zoonotic': 36827, 'govegan': 14462, 'patronising': 24265, 'sologenic': 30313, 'solo': 30312, 'onslaught': 23390, 'hammer': 15004, 'koronafi': 18566, 'protested': 25913, 'faro': 12350, 'warranty': 35409, 'renewal': 27209, 'calibration': 5780, 'markherringva': 20350, 'vawx': 34845, 'agbarr': 2115, 'prosecuting': 25867, 'wwg1wga': 36419, 'preserved': 25523, '1960': 383, 'centeris': 6322, 'agfundernews': 2136, 'financialwellbeing': 12724, 'pascal': 24186, 'montagne': 21431, 'p40': 23854, 'livestream': 19419, 'cet': 6364, 'sfbayarea': 29241, 'x2': 36439, 'breakthechain': 5221, 'teesta': 32415, 'lahag': 18752, 'hotella': 15983, 'flashback': 12882, 'childhood': 6638, 'tumblr': 33836, 'delving': 9441, 'libtard': 19220, 'blown': 4790, 'popularity': 25188, 'touchitsafe': 33322, 'canttouchthis': 5929, 'shoppingcart': 29538, 'ushered': 34652, 'disciplinary': 10020, 'walkaroundthingsday': 35314, 'wba': 35505, 'gammon': 13785, 'snowdon': 30145, 'cynical': 8875, 'truckloads': 33670, 'decouple': 9256, 'esm': 11677, 'linking': 19337, 'privatization': 25671, 'fitness': 12828, 'contemplated': 7788, 'astounds': 3337, 'fag': 12217, 'gerard': 13998, 'object': 23041, 'furiously': 13672, 'aud': 3453, 'kwiknews': 18680, 'dickwad': 9804, 'audacity': 3455, 'sidestep': 29689, 'newstart': 22383, 'lifework': 19269, '3700': 839, '78704': 1335, 'deferring': 9315, 'universalcredit': 34353, 'goodwin': 14401, 'crestline': 8506, 'danced': 8978, 'bonnie': 4936, 'duvet': 10801, 'liability': 19198, 'lawyerkenneth': 18943, 'protecti': 25891, 'damascus': 8959, 'sodium': 30259, 'chlorite': 6703, 'naclo': 21927, 'acid': 1787, 'activator': 1829, 'mixture': 21219, 'chlorine': 6701, 'dioxide': 9945, 'clo': 7011, 'salux': 28385, 'pasar': 24185, 'jaya': 17669, 'jakpost': 17608, 'weasel': 35569, 'lte': 19776, 'alva': 2510, 'demonstrating': 9477, 'nettle': 22304, 'teamfamily': 32346, 'supportingdreams': 31810, 'liberating': 19212, 'tradesman': 33424, 'heartwarming': 15378, 'ghoul': 14095, 'didntdolist': 9818, 'gallbladder': 13761, 'freedumb': 13419, 'scunthorpe': 28867, 'strapped': 31364, 'sensor': 29134, 'dailydrawing': 8915, 'dailysketches': 8925, 'artwithfriends': 3195, 'artchallenge': 3173, 'wordoftheday': 36208, 'wordofthedaychallenge': 36209, 'aldershot': 2338, 'winged': 36045, 'mph': 21616, 'alphabet': 2467, '952': 1509, '5225': 1081, 'raking': 26505, 'owhealth': 23817, 'culturally': 8713, 'vibrant': 34983, 'equilibrium': 11610, 'dwarf': 10805, 'untouched': 34485, 'yee': 36543, 'fulwood': 13633, 'adhered': 1903, '2metredistance': 719, 'respectit': 27426, 'dailydoseofdonna1979': 8914, 'kiri': 18419, 'hannafin': 15087, 'fadhil': 12214, 'nabi': 21923, '480k': 991, '358m': 820, 'cbcnl': 6217, 'refinance': 26965, '6556': 1218, 'brandimage': 5161, 'eur': 11787, 'unissued': 34333, '1500rs': 278, 'ajeeb': 2264, 'kamal': 18058, 'mazibuk0': 20551, 'cking': 6860, 'thanet': 32591, 'serviced': 29184, 'broadstairs': 5345, '246': 610, '1988': 399, 'quarantinedqueers': 26261, 'hygienicpaper': 16249, 'papertowel': 24070, 'tha': 32579, 'sensitivity': 29129, 'paytech': 24312, 'lendtech': 19093, 'ach': 1776, 'vice': 34988, 'mera': 20830, 'minibus': 21105, 'outskirt': 23694, 'ygn': 36582, 'dha': 9749, 'paygrade': 24297, 'backup': 3744, 'agrisa': 2177, 'yoo': 36614, '200s': 475, 'viruspandemic': 35113, 'internship': 17216, 'differ': 9837, 'thomas': 32869, 'ldnont': 18969, 'selloff': 29066, 'shaken': 29274, 'costlier': 8212, 'pierrecardin': 24781, 'nelly': 22264, 'maintains': 20063, 'spainlockdown': 30472, 'inventorymanagement': 17292, 'thinkwhyitmatters': 32830, 'jobseekerswednesday': 17812, 'hiringnow': 15669, 'jobsearch': 17811, 'jobalert': 17805, 'affordabledrugsnow': 2064, 'grocerystoreemployees': 14712, 'rollout': 27969, 'plaything': 24954, 'scattered': 28709, 'yellow': 36557, 'horribly': 15939, 'ofa': 23144, 'whithin': 35896, 'rydertwts': 28207, 'rarely': 26608, 'ellie': 11227, 'tmt': 33091, 'actuarial': 1849, 'annuity': 2796, 'boycottwetherspoon': 5108, 'boycottvirgin': 5106, 'nowt': 22853, 'aggravate': 2138, 'repent': 27249, 'panicshoppers': 24044, 'mulberry': 21703, 'stare': 30870, 'iffat': 16402, 'ridiculousness': 27752, 'yoga': 36597, 'namastehome': 21975, 'inhibited': 16966, 'dareme': 9013, 'uncivilized': 34145, 'isiolo': 17435, 'nfd': 22410, 'myrrh': 21872, 'khat': 18318, 'profession': 25728, 'gvn': 14883, 'forbidden': 13192, 'kuti': 18658, 'meru': 20867, 'debbiedowner': 9188, 'hellerup': 15443, 'foodmarket': 13123, 'kpi6': 18578, 'recognized': 26836, 'csgpolls': 8666, 'flush': 13004, 'classical': 6904, 'coronacast': 8015, 'passover': 24200, 'bstrong': 5419, 'outpacing': 23681, 'smoff': 30075, 'madhouse': 19955, 'counsel': 8245, 'stayhomemn': 30989, 'oversight': 23781, 'serbia': 29162, '2212168': 564, 'cohort': 7170, 'halla': 14977, 'hallafoodfight': 14978, 'foodismedicine': 13118, 'bulletin': 5501, 'thatshowweroll': 32650, 'epicfail': 11587, 'setback': 29202, 'eswatini': 11737, 'farmlife': 12340, 'hotbed': 15976, 'sigh': 29704, 'limitation': 19305, 'mourn': 21581, 'gravesides': 14587, 'numb': 22906, 'clumsy': 7069, 'ghosted': 14093, 'rocco': 27915, 'roccosudano': 27916, 'gsd': 14774, 'milton': 21073, 'austr': 3500, 'governing': 14473, 'dismissal': 10112, 'ecolog': 10970, 'indigenous': 16811, 'earthling': 10872, 'tingle': 33035, 'tightest': 32985, 'stard': 30868, '1p': 445, 'googlealerts': 14407, 'adengage': 1897, 'panicbuyi': 24024, 'busted': 5620, 'feelinggood': 12525, 'mindfulness': 21088, 'sicko': 29675, 'eng': 11451, 'cityoffrederick': 6837, 'frederickmd': 13410, 'eschother': 11668, 'corrugated': 8178, 'rabobank': 26414, 'xinnan': 36464, 'astoria': 3335, 'illegaldancerave': 16473, 'fulfilling': 13621, 'healthforall': 15335, 'supermakets': 31735, '110': 180, 'syd': 32055, 'dub': 10706, 'sardine': 28532, 'thien': 32804, 'escalates': 11658, 'suicidal': 31622, 'emailed': 11250, 'eliot': 11215, 'hannafords': 15089, 'stayawarestaysafe': 30950, 'frb': 13396, '1980': 395, 'pronounced': 25817, 'covod19': 8344, 'delipac': 9409, 'savetheplanet': 28616, 'consciously': 7642, 'delhaize': 9391, 'privatelabel': 25668, 'fraudulently': 13392, 'pragmatic': 25376, 'mena': 20794, 'goorganicnyc': 14415, 'imperfectfoods': 16592, 'eic': 11125, 'swot': 32043, 'enables': 11373, 'bigdata': 4507, 'cto': 8678, 'roaring': 27886, 'sapiens': 28511, '594': 1126, 'messaged': 20873, 'excursion': 11954, 'aplenty': 2903, 'morrisey': 21510, 'swathe': 31979, 'organizer': 23546, 'deport': 9544, 'alcoholbrands': 2330, 'helpingbrands': 15458, 'zerowaste': 36765, 'isl': 17439, 'coronaeconomics': 8033, 'greene': 14625, '1340': 247, 'wgrv': 35770, 'census': 6315, 'strengthening': 31397, 'coralee': 7949, 'colluded': 7240, 'shadowy': 29259, 'nudge': 22898, 'psyop': 25996, 'profiteered': 25743, 'fist': 12822, 'primed': 25616, 'disinterested': 10100, 'elpaso': 11240, 'supportelpaso': 31805, 'curtailing': 8775, 'kansascity': 18083, 'zillow': 36780, 'recruited': 26870, 'czech': 8883, 'broadcaster': 5337, 'biodegradable': 4573, 'crona': 8574, 'saheb': 28314, 'kaya': 18150, 'chahty': 6401, 'hen': 15504, 'kahan': 18033, 'rahy': 26468, 'sari': 28534, 'dolat': 10361, 'ptigovernment': 26004, 'pto': 26006, 'utd': 34682, 'girasol': 14145, 'shelford': 29387, 'legally': 19048, 'policed': 25107, 'precedence': 25426, 'shelfish': 29384, 'wipfliag': 36067, 'irresponsable': 17408, 'kamloops': 18065, 'orgs': 23549, 'franking': 13377, 'baronship': 3954, 'spacex': 30463, 'flagellation': 12863, 'harsher': 15181, 'undertake': 34218, 'sewed': 29226, '3dxchat': 872, 'imvu': 16668, 'secondlife': 28938, 'winco': 36020, 'definitive': 9333, 'dcwp': 9139, 'digitally': 9880, 'overcharge': 23725, 'jenkins': 17709, 'unbs': 34135, 'genuine': 13971, 'jumia': 17950, 'gcse': 13888, '2052': 513, 'civicscience': 6843, 'constituent': 7685, 'maria': 20290, 'tampico': 32210, 'chefsanantonio': 6567, 'quarantinecuisine': 26257, 'starter': 30881, 'causeway': 6202, 'wizard': 36128, 'deflated': 9336, 'hotspot': 15993, 'lobby': 19475, 'dbvt': 9130, 'wtfutureipsos': 36376, 'dryhands': 10678, 'handicapped': 15039, 'myt': 21881, 'mytbusiness': 21883, 'mytaxation': 21882, 'isoation': 17459, 'hungryathome': 16170, 'coronalockdownuk': 8065, 'darwinawards': 9032, 'moldy': 21354, 'tremorogenic': 33571, 'mycotoxin': 21842, 'needlessly': 22227, 'ushering': 34653, '4ir': 1016, 'classroom': 6910, 'latch': 18871, 'handrils': 15052, 'thepublicwillremember': 32743, 'greedmongers': 14614, 'frightened': 13503, 'rina': 27778, 'yashayeva': 36526, 'buhari': 5474, 'lagosschoolclosure': 18746, 'day23': 9110, 'salvadoran': 28387, 'quesadilla': 26320, 'reprieve': 27301, 'figuratively': 12651, 'wenotoutside': 35690, 'westernbeefisstacked': 35720, 'proportionate': 25848, 'despondency': 9641, 'unjustifiable': 34359, 'knw': 18522, 'craazy': 8386, 'upheavel': 34531, 'defenseproductionact': 9309, 'stressor': 31406, 'lil': 19294, 'kayla': 18152, 'simpson': 29766, 'enoug': 11489, 'upheaval': 34530, 'fogged': 13040, 'prescribed': 25507, 'nc': 22148, 'atty': 3436, 'wisely': 36085, 'avoidscams': 3601, 'financialhelp': 12709, 'gartner': 13818, 'discovers': 10049, 'notok': 22798, 'fueling': 13605, 'bv9twvpqkb': 5686, 'fba': 12426, 'fbaops': 12427, 'stroll': 31436, 'raindrop': 26480, 'ordination': 23523, 'jug': 17933, 'cooler': 7911, 'unopened': 34401, 'refrigerated': 26990, 'memorial': 20790, 'bigcommerce': 4506, 'mackle': 19926, 'drawn': 10592, 'mick': 20961, 'mulvaney': 21736, 'downplayed': 10532, 'phi': 24675, 'aghotline': 2145, 'bogg': 4872, 'publication': 26015, 'photograph': 24716, 'folkestone': 13052, 'streetphotography': 31393, 'nordstrom': 22686, 'forgo': 13244, 'smmc': 30072, 'uisedu': 34036, 'uiuc': 34038, 'uic': 34034, 'realme': 26742, 'realmetv': 26746, 'mitv5': 21215, 'mi10': 20937, 'mi10pro': 20938, 'realmenarzo': 26744, 'realmenarzo10': 26745, 'alarm': 2299, 'sounded': 30402, 'squandered': 30737, 'goldprice': 14350, 'goldfutures': 14348, 'stimulusplan': 31177, 'medlife': 20714, 'extorting': 12108, 'collar': 7220, 'ojek': 23238, 'mehra': 20744, 'relieved': 27131, 'poopourri': 25170, 'founditonamazon': 13325, 'poopchallenge': 25166, 'forgiven': 13242, 'flatbread': 12889, 'preaches': 25416, 'thankyoucheckoutworkers': 32621, 'thankyoushelfstackers': 32633, 'thankyoushopworkers': 32634, 'fastsigns': 12383, 'inglewood': 16952, '310': 772, '2177': 547, '403': 914, 'brea': 5199, 'jurupa': 17969, 'mold': 21352, 'nowican': 22849, 'immunosuppressedwife': 16570, 'itw': 17547, 'hartness': 15186, 'shiver': 29469, 'proving': 25948, 'leavenoonebehind': 19018, 'anastasia': 2682, 'purina': 26106, 'rollison': 27968, 'adelaide': 1894, 'htta': 16078, 'girlguiding': 14150, 'nee': 22218, 'durham': 10780, 'oswald': 23599, 'simultaneous': 29775, 'daniel': 8992, 'egel': 11101, 'ries': 27754, 'talent': 32185, 'drake': 10576, 'malema': 20131, 'koike': 18540, '1995': 407, 'applauded': 2956, 'ppekit': 25354, 'getmeds': 14038, 'presumed': 25548, 'virtuous': 35101, 'makati': 20084, 'bicycle': 4484, 'leel': 19032, 'casher': 6124, 'tokyolockdown': 33194, 'bazaar': 4065, 'boulevard': 5055, 'navigated': 22112, 'tightly': 32986, 'fascinated': 12355, 'pronged': 25816, 'abeg': 1610, 'prog': 25754, 'journorequest': 17893, 'underperformance': 34202, 'bookmaker': 4950, 'sape': 28510, 'nak': 21961, 'buat': 5433, 'duit': 10732, 'secara': 28932, 'boleh': 4897, 'lah': 18751, 'cuba': 8690, 'kitajagakita': 18433, 'rm5': 27857, 'pearled': 24358, 'barley': 3945, 'tostada': 33297, 'ps5': 25968, 'capgemini': 5945, 'ofc': 23146, 'shawsdoesntcare': 29356, 'lockdownsaextended': 19547, 'day16oflockdown': 9106, 'bucketlist': 5445, 'bosqf': 5022, 'submits': 31525, 'dusttricks': 10790, 'thelockdown': 32711, 'magictrick': 19995, 'hillside': 15633, 'ava': 3558, 'lousy': 19713, 'floral': 12972, 'madeinengland': 19952, 'moroccan': 21500, 'stoppanickbuying': 31286, 'lockdownsl': 19549, 'extremist': 12130, 'cvd': 8840, 'sweating': 31985, 'custys': 8820, 'mmt': 21244, 'committing': 7361, 'julia': 17942, 'makeadifference': 20087, 'pegnato': 24390, 'roofing': 27991, 'destin': 9650, 'dietary': 9833, 'foodallergies': 13077, 'subscribe': 31532, 'drawingoftheday': 10591, 'spinach': 30583, 'nac': 21925, 'nacsdaily': 21928, 'cstores': 8675, 'conveniencestores': 7860, 'cstore': 8674, 'averted': 3581, 'helen': 15435, 'wheres': 35840, 'dildo': 9901, 'buttplugs': 5645, 'forgottenheroes': 13248, 'cyclone': 8871, 'remapest': 27154, 'guaranteedservices': 14790, 'ulvcoldfogger': 34091, 'publichealthprotection': 26018, 'fogsprayer': 13041, 'killvirus': 18379, 'bestoffer': 4393, '24hours': 614, 'jakartaquarantine': 17604, 'avacado': 3559, 'bestsupermarket': 4398, 'replenishment': 27264, 'interfered': 17190, 'creek': 8491, 'convid19': 7882, 'nostril': 22749, 'snugly': 30152, 'frontier': 13526, 'aerion': 2027, 'jens': 17714, 'spahn': 30468, 'deutschland': 9699, 'ist': 17493, 'vorbereitet': 35204, 'auf': 3465, 'wochen': 36148, 'ter': 32505, 'bbcbayuno': 4073, 'sirpatrickvallance': 29823, 'spec': 30513, 'spp': 30668, '24p': 619, '163': 307, '39p': 860, 'porkmarketnews': 25199, 'pigprices': 24788, 'togo': 33135, '100daysofcode': 136, 'undefined': 34173, 'admins': 1935, 'sendtp': 29103, '519weddings': 1075, 'nocorporatewelfare': 22591, 'sherwinwilliams': 29413, 'unconscious': 34156, 'subnormal': 31528, 'dountoothers': 10509, 'preplife': 25496, 'eldercare': 11158, 'babyboomers': 3700, 'realestateagent': 26708, 'wana': 35353, 'gettn': 14050, '2d': 698, 'pvc': 26153, 'cgi': 6388, 'sprucing': 30715, 'gremlin': 14644, 'labyrinth': 18720, 'moonrise': 21457, 'rabun': 26416, 'cath': 6178, 'kidston': 18356, 'volunteersagainstcovid19': 35196, 'leonard': 19107, 'eastkilbride': 10901, 'controversy': 7853, 'mainstreamed': 20058, 'hungary': 16163, 'hu': 16080, 'solene': 30300, 'weaken': 35519, 'murderous': 21772, 'celebration': 6296, 'secrecy': 28941, 'tesbih': 32536, 'habbal': 14900, 'tango': 32222, 'apologising': 2922, 'spell': 30555, 'torontoshoeshow': 33281, 'retailtips': 27554, 'retailmanagement': 27540, 'expiration': 12035, 'datamustfall': 9047, 'expire': 12036, 'comporium': 7477, '2667': 652, 'achilles': 1784, 'russher': 28173, 'einstein': 11137, 'futureofwork': 13700, 'cal': 5757, 'faraway': 12311, 'howe': 16039, 'marconi': 20276, 'ski': 29875, 'helm': 15446, 'satara': 28553, 'solapur': 30286, '273': 660, 'maharashta': 20014, 'advisorymandi': 2015, 'clemen': 6966, 'suburbia': 31565, 'iptvnew': 17370, 'iptv2020': 17367, 'labeling': 18704, 'councillor': 8240, 'schooler': 28755, 'goodmania': 14386, 'jumper': 17953, 'protecttheworker': 25903, 'erdington': 11631, 'remembering': 27166, 'marney41': 20365, 'sitrep': 29833, 'rhodeisland': 27701, 'stopthemadness': 31302, 'dubbed': 10709, '1970': 388, 'titlemax': 33069, 'locality': 19490, 'commonwealth': 7374, 'depreciated': 9551, 'draconian': 10562, 'congested': 7601, 'cornoabollocks': 7988, 'calmness': 5813, 'tannoy': 32228, '41': 927, 'programmatic': 25759, 'amazingly': 2533, 'wishshopping': 36096, 'blasting': 4698, 'zayd': 36736, 'embarrased': 11259, 'atlantic': 3378, 'netde': 22294, 'wawa': 35495, 'disembarking': 10071, 'africanhistoryclass': 2081, 'taxidrivershow': 32298, 'taxijam': 32299, 'blackpot': 4672, 'evangelist3': 11822, 'tabata': 32110, 'zumba': 36835, 'mengeratkan': 20801, 'hubungan': 16091, 'silaturahim': 29729, 'inhouse': 16969, 'compromising': 7494, 'stayaway6feet': 30952, 'providence': 25940, 'rhode': 27700, 'isolationessentials': 17470, 'vikramch': 35041, 'qr': 26201, 'shielded': 29422, '22341': 567, 'nationalised': 22057, 'wurst': 36405, 'humous': 16151, 'taramasalata': 32245, 'signalling': 29714, 'attending': 3414, 'sobeys': 30180, '879': 1429, '057': 79, '034': 63, 'chapel': 6461, 'worn': 36289, 'stayinthehoose': 31018, 'tescodelivery': 32538, 'marksandspencer': 20354, 'onlinelearning': 23361, 'droz': 10656, 'amzn': 2656, 'prelim': 25473, 'domain': 10375, 'melb': 20761, 'ausecon': 3481, 'assumption': 3320, 'gleaner': 14206, '3175932400': 780, '52014': 1078, 'oes': 23142, 'hudsonvalley': 16100, 'taxtherich': 32304, 'icmktg': 16333, 'utoledomarketing': 34697, 'uakronmarketing': 33981, 'wvu389': 36412, 'nky205': 22558, 'uabmktg': 33979, 'lwu482strat': 19868, 'illustrate': 16491, 'nager': 21938, 'builtwithmapbox': 5483, 'nycstrong': 22982, 'killeya': 18376, 'receives': 26810, 'healthcanada': 15320, 'potstocks': 25299, 'reimbursed': 27058, 'deductible': 9270, 'usaa': 34605, 'curing': 8755, 'stayathomechllenge': 30945, 'adolescent': 1956, 'whippet': 35867, 'souring': 30411, 'canister': 5894, 'onlineclass': 23350, 'shuffle': 29626, 'wilder': 35983, 'birthdaygirl': 4612, 'sportsdirect': 30652, 'bald': 3832, 'hairbrush': 14942, 'dawie': 9088, 'eldersburg': 11162, 'demonstration': 9478, 'holesinsky': 15772, 'buhl': 5476, 'zionsbanker': 36790, 'idahome': 16352, 'appliance': 2969, 'relaxes': 27102, 'sensex': 29124, 'rbigovernor': 26656, 'lockdowndown': 19519, 'samurthi': 28409, '94754': 1500, 'douglas': 10506, 'channeling': 6451, 'ohgod': 23195, 'prevail': 25558, 'unknowing': 34367, 'detective': 9675, 'brixton': 5330, '428': 944, 'knell': 18492, 'moderna': 21304, 'endoftimes': 11411, 'drap': 10583, 'mocking': 21291, 'runner': 28146, 'amazes': 2531, 'ponytail': 25156, 'bramalea': 5148, 'granville': 14558, 'glucose': 14255, 'isp': 17481, 'thehackersnews': 32697, 'revision': 27656, 'zinc': 36786, 'aluminium': 2506, 'fy21': 13720, 'bore': 4989, 'lion': 19341, 'cornflakes': 7984, 'contentworks': 7797, 'essentialfoodbox': 11698, 'foodessentialbox': 13099, '8m': 1452, '103': 148, 'wastereduction': 35460, 'ecoconscious': 10966, 'ecofriendly': 10967, 'gelii': 13920, 'citigroup': 6828, 'pessimistic': 24578, 'turi': 33860, 'ryder': 28206, 'shesaidwhat': 29415, 'rogan': 27941, 'reacts': 26685, 'firstworld': 12802, 'firstworldpandemicproblems': 12803, 'joeroganpodcast': 17831, 'selftaught': 29057, 'timebomb': 33010, 'swath': 31978, 'afterward': 2099, 'deity': 9365, 'receiver': 26809, '2metresapart': 721, 'factsnotfear': 12209, 'kitili': 18445, 'shag': 29265, 'impossibility': 16628, 'ghetto': 14084, 'kawangware': 18147, 'plug': 25006, 'winwin': 36060, 'therichcantlose': 32761, 'lmaoo': 19454, 'tryna': 33767, 'sturdy': 31494, 'workspace': 36252, 'solidaritywithhospitality': 30307, 'hospitalitystrong': 15956, 'katto': 18135, 'jeopardy': 17719, 'matatu': 20477, 'gok': 14337, 'messed': 20877, 'rescheduled': 27339, 'overbooked': 23719, 'yeh': 36552, 'washhand': 35428, 'bonnbread': 4935, 'dollargeneral': 10368, 'itsupport': 17540, '2bn': 693, 'trim': 33611, 'outlay': 23665, 'theeconomist': 32681, 'g20saudiarabia': 13727, 'oilwar': 23235, 'fighter': 12641, 'peple': 24469, 'monitored': 21415, 'igetit': 16424, 'multiplesclerosis': 21724, 'chronicillness': 6759, 'invercargill': 17294, 'hectic': 15399, 'hqsn': 16060, 'bidder': 4487, 'cheeseheads': 6557, 'downtownomaha': 10544, 'paperless': 24067, 'rothschild': 28022, 'heated': 15381, 'hinder': 15643, 'trendy': 33580, 'sephora': 29153, 'smuggling': 30094, 'growthop': 14759, '700k': 1270, 'aitkin': 2261, 'sheriff': 29409, 'vomming': 35199, 'cosatu': 8190, '014': 28, 'summed': 31655, 'ludicrous': 19796, 'rallying': 26513, 'zorb': 36829, 'sinkie': 29810, 'pwn': 26159, 'ijs': 16457, 'boostyourimmunesystem': 4970, 'nutraburst': 22942, 'recognizing': 26837, 'bitching': 4625, 'agressive': 2169, 'allyouneedislove': 2445, 'sometime': 30343, 'cheep': 6550, 'boi': 4883, 'famillies': 12282, 'standtogether': 30853, 'spiked': 30576, '198': 394, '817': 1377, 'croaking': 8564, 'melting': 20774, 'acrylic': 1814, 'etsyshop': 11773, 'keyworkerheroes': 18296, 'helpnhs': 15470, 'inhabitant': 16958, 'couponers': 8286, 'vibing': 34982, 'cracking': 8393, 'sleaze': 29952, 'upcharging': 34515, 'infested': 16889, 'unl': 34370, 'nuforne': 22900, 'nubiz': 22895, 'thanksgiving': 32610, 'shaped': 29313, 'kplccustomercare': 18582, 'moreover': 21487, 'hydrogeneration': 16227, 'dam': 8954, 'incriminated': 16755, 'scapegoat': 28690, 'escaped': 11663, 'miraculously': 21147, 'emerges': 11288, 'clark': 6896, 'orchestrated': 23509, 'lnk': 19463, 'pummels': 26059, 'saket': 28339, 'fiirreedduh': 12654, 'squirt': 30753, 'humberfloob': 16139, 'catinthehat': 6185, 'mrhumberfloob': 21628, 'sanitizepeople': 28467, 'expiry': 12040, 'trumpy': 33742, 'neglect': 22240, 'lodge': 19574, 'newsupdate': 22384, 'flash': 12881, 'unitedagainstdementia': 34338, 'cont': 7757, 'onsite': 23389, 'cookathome': 7898, 'deceiving': 9214, 'denies': 9491, 'gag': 13738, 'shopsmall': 29550, 'beginnerin': 4232, 'cov2': 8303, 'tract': 33410, 'shiva': 29468, 'checker': 6538, 'stillneedbeer': 31160, 'pharmacynsupermarket': 24667, '2348107219389': 590, 'warren': 35410, 'buffett': 5464, 'directorate': 9965, 'dhofar': 9763, 'governorate': 14481, 'cracked': 8390, 'tailoring': 32147, 'residue': 27385, 'bz': 5703, 'rupture': 28162, 'nunavut': 22916, 'som': 30321, 'rec': 26796, 'conscientious': 7640, 'endanger': 11392, 'authorize': 3526, 'affluent': 2059, 'bleakest': 4712, 'workingfromthefrontlines': 36238, 'wff': 35762, 'distracts': 10207, 'depicted': 9531, 'lauded': 18901, 'savior': 28622, 'lawyer': 18942, 'delive': 9414, 'dancing': 8983, 'greeter': 14639, '435': 948, '7203': 1291, 'diversified': 10244, 'corporategreed': 8155, 'essentialservices': 11703, 'servic': 29182, '1990': 401, 'favoured': 12416, 'lfc': 19182, 'youngster': 36642, 'fuckmillenials': 13583, 'helptheelderly': 15480, 'helpthevulnerable': 15484, 'subscribed': 31533, 'liarinchief': 19202, 'lurch': 19829, 'occurrence': 23103, 'elisabeth': 11217, 'selk': 29058, 'underperform': 34201, 'ratio': 26622, 'normalized': 22695, 'sheffield': 29375, 'meadowhall': 20618, 'indifference': 16810, 'pcc': 24325, 'scottoiletpaper': 28803, 'megaroll': 20739, 'demoting': 9481, 'misinfo': 21167, 'telepathy': 32443, 'sanitizeeverything': 28466, 'stayindoorsclub': 31006, 'medrabbits': 20715, '11am': 202, 'walmartgroceries': 35336, 'martial': 20384, 'defra': 9341, 'georgeeustice': 13991, 'sobering': 30179, 'indigent': 16812, 'ogun': 23191, 'regularize': 27039, 'bekindtogether': 4265, 'grabber': 14505, 'vodafone': 35173, 'retired': 27576, 'seaman': 28892, 'fido': 12617, 'dogsoftwitter': 10348, 'cheek': 6549, 'hyphenated': 16267, 'angst': 2743, 'workathomemomcoletta': 36216, 'wahmc': 35276, 'momlife': 21371, 'operanewshub': 23441, 'stillworking': 31165, 'retailworker': 27561, 'thankyougoselongway': 32625, 'bombaykitchen': 4914, 'allinthistogether': 2421, 'prevails': 25561, 'koebler': 18531, '3mouth': 886, 'northwest': 22730, 'uco': 33998, 'thinning': 32832, 'congressman': 7613, 'rew': 27676, 'allisonsflour': 2423, 'yeast': 36541, 'mercenary': 20836, 'worldnews': 36272, 'spca': 30502, 'uni': 34297, 'milo': 21069, 'newsagent': 22366, 'panickbuyings': 24035, 'mcdonald': 20584, 'mcrib': 20605, 'hubai': 16084, 'melt': 20772, 'amendment': 2572, 'selfiestick': 29029, 'rubberglove': 28098, 'socialslapping': 30241, 'cerb': 6348, 'coronachella': 8020, 'papajohns': 24061, 'vocation': 35168, 'scc': 28712, 'emphasizes': 11329, 'authenticity': 3515, 'anticounterfeit': 2832, 'mantra': 20237, 'cadiflus': 5731, 'influenzavaccine': 16913, 'preventflu': 25569, 'cadila': 5732, 'vlp': 35161, 'fightflunow': 12642, 'pushkargupta': 26135, 'recieved': 26821, 'notley': 22794, 'metlife': 20901, 'sanatiser': 28415, 'becognizant': 4174, 'tottenham': 33315, 'arsenal': 3166, 'tottenhamhotspur': 33316, 'gooners': 14414, 'todd': 33116, 'hubbs': 16087, 'eugene': 11782, 'consumerwarning': 7751, '500m': 1043, '8b': 1446, 'spared': 30485, 'multimedia': 21718, 'adriana': 1973, 'heldiz': 15433, 'documented': 10323, 'lassens': 18851, 'ncbeer': 22152, 'gf': 14060, 'randalls': 26557, 'interim': 17192, 'patonthebackforfeeders': 24248, 'stylist': 31500, 'hollering': 15781, 'warby': 35381, 'parker': 24134, 'biway': 4638, 'eaton': 10924, 'zellers': 36751, 'engaged': 11453, 'rap': 26592, 'championship': 6426, 'rerun': 27335, 'educational': 11063, 'programming': 25762, 'rohatgi': 27946, 'bunnings': 5528, 'seedling': 28978, 'helpfight': 15455, 'fmi': 13017, 'masscrowd': 20450, 'hadenoughofcustomers': 14916, 'securityguard': 28957, '13hourdays': 252, 'bum': 5512, 'denier': 9490, 'electronic': 11188, 'tithe': 33066, 'forebodes': 13205, 'feedstock': 12519, '40kr': 922, '100kr': 139, 'imported': 16620, 'ngn': 22426, '50kg': 1060, '466': 979, 'pmt': 25047, 'twitchmusic': 33927, 'masnou': 20441, 'albert': 2313, 'gea': 13895, 'lovekeyworkers': 19719, 'creditscore': 8484, 'undertaken': 34219, 'brightfield': 5294, 'indicated': 16801, 'yoda': 36595, 'r2': 26394, 'r2d2': 26396, 'intrusive': 17271, 'fabricated2': 12166, 'credential': 8471, 'pii': 24789, 'bjams2am': 4649, 'belindaus': 4286, 'hb415': 15273, 'notoiletpaper': 22797, 'nohandshakes': 22609, 'nohandsanitizer': 22608, 'modus': 21323, 'empower': 11347, 'avalanche': 3566, 'biogas': 4579, 'sohnaasim': 30277, 'gocoronacoronago': 14304, 'dhinchakpooja': 9759, 'indiapaysafe': 16797, 'wames': 35351, 'cymraeg': 8874, 'usability': 34606, 'unsociable': 34459, 'yeehaa': 36544, 'sustainably': 31938, 'wsfcu': 36366, 'financialeducation': 12705, 'composition': 7480, 'dynata': 10826, 'togetherapart': 33126, '677': 1231, 'mbtu': 20565, 'neurotypicals': 22314, 'coroma': 7997, 'imbecile': 16525, 'batflu': 4020, 'diabeetus': 9769, 'wilfordbrimley': 35992, 'econo': 10988, 'confirman': 7578, 'empleado': 11336, 'administrativo': 1933, 'centro': 6340, 'distribuci': 10214, 'entrega': 11544, 'cadena': 5730, 'isla': 17440, 'dio': 9941, 'positivo': 25251, 'llevaba': 19447, 'trabajando': 33397, 'forma': 13251, 'remota': 27182, 'publishing': 26037, 'yogaforcorona': 36599, 'crea': 8450, 'hydroponic': 16228, 'choke': 6717, 'onlyessentials': 23379, 'annually': 2795, 'calmly': 5811, 'dexter': 9736, 'thillien': 32808, 'transformative': 33477, 'netelixir': 22295, 'subsequently': 31540, 'vod': 35171, 'multiroom': 21731, 'sorted': 30388, 'smarttv': 30047, 'jeopardize': 17716, 'willingness': 36007, 'gatto': 13848, 'badboy': 3760, 'impracticaljokers': 16636, 'cocaine': 7126, 'pok': 25091, 'pokemonswordshield': 25096, 'petco': 24591, 'referred': 26957, 'goerge': 14320, 'troy': 33656, 'matthew': 20506, 'overpay': 23761, 'responsiveness': 27454, 'introverted': 17269, 'boring': 4998, 'empath': 11319, 'positivevibes': 25248, 'estrange': 11735, 'soapandestrange': 30167, 'washtocare': 35439, 'socialdistancingworksstaysafe': 30210, 'astronomically': 3341, 'infarm': 16878, 'evita': 11881, 'agtech': 2181, 'agritech': 2178, 'f3tech': 12154, 'parksville': 24142, 'arrowsmith': 3159, 'givinghopetoday': 14178, 'dtrump': 10701, 'sufferer': 31602, 'foodwars': 13156, 'mwananchi': 21829, '3h': 874, 'careless': 6023, 'grump': 14768, 'widowed': 35966, 'jaime': 17600, 'harrison': 15174, 'rearrange': 26762, 'kask': 18114, 'bs3': 5412, 'whiskeybusiness': 35875, 'haram': 15130, 'uneducatedscrotes': 34249, 'farmersareessential': 12330, 'blackandwhite': 4656, 'iphoneography': 17355, 'protectandsurvive': 25886, 'blackandwhitephotography': 4657, 'nbcdconditionzulu': 22136, 'rerack': 27333, '2025': 502, 'jawnz': 17667, 'knob': 18500, 'comeuppance': 7300, 'retirementlife': 27579, 'ageingwell': 2127, 'grumpyoldman': 14770, 'negligence': 22242, 'spurious': 30720, 'stitch': 31188, 'jun': 17957, 'celebrates': 6293, 'departing': 9516, 'antidote': 2833, 'revolutionary': 27672, 'garcetti': 13799, 'fucoronavirus': 13596, 'clogging': 7018, 'exempted': 11965, 'sorrynotsorry': 30385, 'anxietytherapy': 2860, 'mpe': 21613, 'fwp': 13712, 'jillian': 17775, 'macbryde': 19911, 'malvern': 20146, 'peoplearedumb': 24449, 'tadcaster': 32132, 'fivefold': 12838, 'irctc': 17379, 'platformticketprice': 24930, 'travelnews': 33541, 'travelobiz': 33542, 'applicable': 2970, 'idsa': 16390, 'misconception': 21157, 'smbs': 30052, 'marketingtools': 20332, 'admire': 1941, 'decisiveness': 9232, 'wholesaled': 35918, 'tone': 33225, 'poirier': 25085, 'unh': 34292, 'homelessness': 15833, 'chapple': 6464, 'occassions': 23092, 'yipes': 36588, 'innocuous': 17008, 'burying': 5571, 'graf': 14523, 'cremating': 8498, 'marssai': 20380, 'translated': 33488, 'brisk': 5314, 'middleeast': 20990, 'verticalfarming': 34959, 'kung': 18644, 'wala': 35309, 'naman': 21973, 'kayong': 18155, 'bilhin': 4534, 'labas': 18699, 'papa': 24060, 'carrefour': 6081, 'typical': 33957, 'anthrax': 2815, 'bayer': 4058, 'hhs': 15577, 'airplane': 2248, 'adopts': 1963, 'stopairingtrump': 31261, 'ramen': 26532, 'boyardee': 5089, 'thelordprovides': 32713, 'taiwanese': 32152, 'exportation': 12071, 'formation': 13255, 'owcovid19': 23812, 'exclude': 11946, 'flattenthe': 12899, 'fossilfuel': 13309, 'beforehand': 4221, 'stophoardingtoiletpaper': 31278, 'youaretheproblem': 36625, 'shamibrahim': 29303, 'habe': 14901, '2014': 481, 'lifeboat': 19247, 'videoeditor': 35009, 'videoediting': 35008, 'bookboost': 4945, 'iartg': 16297, 'mybookagents': 21838, 'itc': 17510, 'preston': 25545, 'itvnews': 17546, 'relate': 27087, 'washyourself': 35446, 'costner': 8214, 'thepostman': 32740, 'kevincostner': 18284, 'retailmatters': 27542, 'apocaliptic': 2909, 'bob': 4846, 'habitat': 14904, 'wheresthetoiletpaper': 35843, 'countered': 8259, 'carrie': 6085, 'underwood': 34227, 'newworldorder': 22395, 'caseysthoughts': 6118, 'homestead': 15855, 'eastereggs': 10892, 'sparsely': 30494, 'trail': 33442, 'overshoot': 23780, 'delistings': 9412, '148': 266, 'realestatenews': 26717, 'expedition': 12017, 'useyourkokote': 34649, 'undeniably': 34176, 'kpmg': 18583, 'schmeling': 28737, 'kashish': 18109, 'fol': 13044, 'essentias': 11709, 'abrupt': 1659, 'textile': 32567, 'shoemaking': 29481, 'mindless': 21089, 'pursued': 26123, 'shopbarefoot': 29496, 'gonoles': 14367, 'fsu': 13557, 'floridastateuniversity': 12978, 'seminole': 29087, 'fleece': 12920, 'masking': 20425, 'makeshift': 20099, 'mmnewstv': 21242, 'supportnurses': 31820, 'kyliejenner': 18689, 'lucas': 19784, 'fuess': 13612, 'highground': 15601, 'housekeeper': 16008, 'reup': 27616, 'fvcking': 13707, 'excluding': 11949, 'dallasnativeteam': 8947, 'dpmre': 10560, 'dallasrealestate': 8948, 'peoplefirst': 24457, 'elevatingrealestate': 11204, 'lastingrelationships': 18858, 'dallasnativelife': 8946, 'antivaxxers': 2845, 'maharashtrasainik': 20016, 'hallandale': 14979, 'socialdista': 30197, 'uncrustables': 34166, 'coronatime': 8106, 'sova': 30447, 'nsa': 22872, 'cryptologist': 8651, 'mathematician': 20494, 'onlineshoppingapps': 23373, 'lockdownshoppingapps': 19548, 'sip': 29817, 'pulp': 26054, 'barmy': 3947, 'chilloutforfucksake': 6652, 'equation': 11607, 'comeonboris': 7294, 'fml': 13018, 'foodproduction': 13132, 'collaborated': 7208, 'rj': 27848, 'deriving': 9580, 'highered': 15597, 'readjust': 26696, 'ftse100': 13563, 'singleton': 29805, 'wooden': 36185, 'shopnaw': 29520, 'safeshop': 28286, 'mikayla': 21027, 'torwards': 33290, 'replaces': 27258, '360': 828, 'hortons': 15947, 'hybrid': 16217, 'underweighting': 34225, 'overweighting': 23802, 'lombardy': 19606, 'hesitated': 15565, 'czkrapgyfg': 8884, 'alrea': 2473, 'outoftoiletpaper': 23677, 'wellcrap': 35671, 'ohshittheregoestheplanet': 23204, 'suitcase': 31628, 'moco': 21293, 'algorithmic': 2366, 'systemically': 32104, 'streamed': 31379, 'sheep365': 29368, 'farminguk': 12338, 'nationalistic': 22059, 'tearing': 32365, 'jokingly': 17862, 'yelling': 36556, 'frazis': 13394, 'getyourtribble': 14057, 'hatecrime': 15210, 'dwnews': 10813, 'grieving': 14656, 'haulier': 15222, 'quarentined': 26288, 'beautybrands': 4156, 'rethinkretail': 27574, 'fu': 13567, 'flowy': 12993, 'swamp': 31964, 'velocity': 34891, 'mural': 21764, 'chalk': 6415, '2019ncov': 489, 'washingtonheights': 35434, 'nstnation': 22883, 'jalan': 17609, 'tuanku': 33796, 'rahman': 26465, 'masjidindia': 20415, 'underwent': 34226, 'jalantar': 17611, 'disheartening': 10083, 'podesta': 25068, 'smithfield': 30070, 'dieseas': 9827, 'francis': 13370, 'purposewash': 26117, 'bluff': 4808, 'workersoftheworldunite': 36223, 'za': 36710, '304': 752, 'distressed': 10211, 'sttaconsulting': 31455, 'waitlist': 35286, 'sd13': 28869, 'district13': 10223, '10kg': 166, 'tamma': 32206, 'shelterathome': 29394, 'prayforourhealthcareworkers': 25404, 'indianexpress': 16793, 'enzymatic': 11570, 'biosensors': 4592, 'restarted': 27459, 'recycled': 26882, 'squeezing': 30749, 'flatearth': 12890, 'vids': 35016, 'fentanyl': 12547, 'wuhancoronavirusoutbreak': 36396, 'microbiologist': 20967, 'weathering': 35572, 'alosra': 2463, 'sar': 28516, 'najibi': 21960, 'perplexing': 24535, 'feasible': 12473, 'technological': 32389, 'blocker': 4755, 'topper': 33254, 'resolution': 27404, 'circulation': 6820, 'fascination': 12357, 'ingenuity': 16946, 'illusory': 16490, 'wpost': 36328, 'reprinted': 27303, 'retur': 27601, 'geometry': 13985, 'exhaust': 11973, 'esa': 11655, 'pip': 24835, 'justin': 17984, 'wedged': 35604, 'giggle': 14121, 'reimburse': 27057, 'reshaped': 27369, 'reinforced': 27062, 'j3gxbg5kj1': 17569, 'hdhpqoqsiu': 15290, 'cooronavirus': 7930, 'generator': 13948, 'duly': 10736, 'tylenol': 33953, 'horizon': 15929, 'bradco': 5127, 'refrigeration': 26992, 'imee': 16530, 'marcos': 20277, 'hasten': 15205, 'hairstore': 14951, 'togetherky': 33129, 'downtownrochestermn': 10545, 'frequenting': 13460, 'rochester': 27920, 'samoa': 28400, 'frankie': 13376, 'designing': 9617, 'anjalilai': 2763, 'pandemicex': 23992, 'roadshow': 27881, 'instructional': 17119, 'refilling': 26964, 'generously': 13953, 'stoppanicbuyingsouthafrica': 31285, 'yu': 36686, 'wellnesswednesday': 35676, 'quarantinezone': 26275, '24hrs': 616, '500ml': 1045, '02268443322': 48, '9186958': 1475, '86958': 1422, 'doldrums': 10362, 'frisco': 13509, 'markethive': 20320, 'ctsi': 8679, 'appalled': 2932, '08082231133': 114, 'lothians': 19690, 'sociology': 30251, 'inexplicable': 16874, 'reprehen': 27291, 'bglutenfree': 4445, 'simplygf': 29765, 'gfcommunity': 14062, 'gemcityfinefoods': 13926, 'jalanalanakanakakak': 17610, 'newreality': 22362, 'humpdaayy': 16152, 'gervasi': 14018, 'panda': 23975, 'unclerich': 34149, 'sepan': 29144, 'gatewaycityradio': 13842, 'laredoaf': 18838, 'fromthebordertotheworld': 13522, 'washyohands': 35441, 'washyoass': 35440, 'tpforthebunghole': 33378, 'garland': 13811, 'adfarm': 1901, 'nourish': 22819, 'annmcarthur': 2781, 'widji': 35964, 'widji20': 35965, 'itsmycamp': 17528, 'resilientyouth': 27392, 'comprises': 7491, 'cegeps': 6284, 'warfare': 35390, 'carnal': 6052, 'mighty': 21014, 'actsofkindness': 1843, 'unsurprising': 34471, 'seth': 29203, 'mendelson': 20799, 'storebrands': 31315, 'diversion': 10247, 'wager': 35268, 'compact': 7404, 'tater': 32282, 'tot': 33298, 'kafayat': 18023, 'shafau': 29261, 'ameh': 2566, 'edun': 11066, 'lingards': 19325, 'colruyt': 7266, 'marriage': 20369, 'wilm': 36010, 'installers': 17092, 'lulumallfujairah': 19808, 'electricitymarkets': 11179, 'renewableenergy': 27207, 'ttf': 33790, 'vaporisation': 34815, 'craigslist': 8406, 'dean': 9166, 'amler': 2606, 'bon': 4918, 'apetit': 2892, 'reconvene': 26850, 'ubi': 33988, 'optimal': 23483, 'washyourbutt': 35442, 'lynette': 19883, 'holmes': 15789, 'financiallaws': 12710, 'finnish': 12760, 'finn': 12757, 'jealous': 17681, 'whacked': 35773, 'shovel': 29592, 'corpse': 8163, 'oblivion': 23051, 'skinnywine': 29894, 'skinnybooze': 29893, 'economiclaws': 10997, 'chestnut': 6605, 'keepitonthehill': 18202, 'chestnuthillpa': 6606, 'eastlondon': 10902, 'calgaryalberta': 5776, 'famers': 12278, 'diamond': 9786, 'medicaid': 20680, '432': 947, '9257': 1487, 'shine': 29437, 'exhoberent': 11979, 'cargill': 6031, 'hazleton': 15268, 'riodejaneiro': 27787, 'brasil': 5178, 'chinaisasshoe': 6660, 'ripponden': 27805, 'levity': 19170, 'jest': 17736, 'palmer': 23952, 'nailed': 21951, 'rooivleis': 27993, 'quadrupled': 26212, 'yen': 36568, 'straightforward': 31347, 'angle': 2738, 'feedingkindness': 12506, 'understocked': 34216, '275m': 662, 'syndrome': 32084, 'haller': 14981, 'motivation': 21558, 'sunshinecoastbc': 31704, 'knockitoff': 18505, 'ann': 2768, 'hui': 16115, 'kathryn': 18124, 'blaze': 4703, 'baum': 4051, 'symbolic': 32067, 'hove': 16028, 'devoid': 9728, 'twix': 33936, 'livingwage': 19427, 'trumpers': 33695, 'struggleisreal': 31452, 'dsnap': 10685, 'farce': 12314, 'obtuse': 23081, 'quarantineonlineparty': 26268, 'calderaarriba': 5767, 'usps': 34666, 'reconstruction': 26849, 'murdering': 21771, 'trooper': 33641, 'sync': 32078, 'wwd': 36416, 'eyeglass': 12140, 'abyss': 1691, 'refers': 26959, 'probable': 25685, 'mov': 21588, 'simmons': 29751, 'certainty': 6357, 'hmart': 15704, 'stephanie': 31096, 'meier': 20749, 'pacheco': 23863, 'housingcrisis': 16020, 'bersesak': 4367, 'kat': 18117, 'hancur': 15027, 'hajj': 14958, 'umrah': 34102, 'tera': 32506, 'kya': 18685, 'hoga': 15750, 'kaalia': 18015, 'unreasonable': 34431, 'edged': 11030, 'littlehelp': 19395, 'vent': 34909, 'sixfeetaway': 29844, 'wegotthiswa': 35632, 'this2020': 32844, 'lifeinthetimeofcorona': 19254, 'transfering': 33471, 'jessyelevators': 17735, 'tescoklong4': 32539, 'schindlerelevator': 28734, 'bureaucratic': 5541, 'paperwork': 24073, 'propertynews': 25835, 'canteen': 5922, 'scho': 28745, 'vit': 35142, 'enriched': 11501, 'guin': 14824, 'quantify': 26231, 'identifying': 16367, 'gwinnett': 14888, 'replenishes': 27262, 'deliverwho': 9422, 'srvc': 30763, 'saa': 28223, 'gauteng': 13856, 'amharic': 2592, 'vietnamese': 35022, 'notable': 22752, 'newmr': 22354, 'upsers': 34554, 'santizing': 28500, 'mack': 19923, 'cik': 6796, 'anne': 2775, 'akka': 2283, 'stan': 30841, 'delusional': 9438, 'invoking': 17325, 'aimsinternational': 2224, 'globalconsumerpractice': 14222, 'findandgrowleaders': 12731, 'vanished': 34794, 'cnb': 7093, 'bokakhat': 4891, 'quilted': 26354, 'ecb': 10953, 'azhar': 3668, 'markup': 20358, 'deffer': 9317, 'sbp': 28655, 'perssuer': 24565, 'alrighty': 2477, 'richardson': 27727, '6yrs': 1265, 'onevoice': 23335, 'ageconcern': 2120, 'dwpcrimes': 10815, 'magmt': 19998, 'siete': 29699, 'degli': 9350, 'animali': 2754, 'corvid19fr': 8187, 'retweeted': 27607, 'napa': 22005, 'bubl': 5439, 'mek': 20754, 'tek': 32421, 'notsponsored': 22810, 'bx': 5691, 'thisiswhy': 32859, 'noonedoesnothing': 22666, 'constructed': 7692, 'bandanna': 3864, 'convo': 7891, 'stateswoman': 30914, 'bulandshahr': 5486, 'buried': 5552, 'keepmoving': 18205, 'breakcorona': 5207, 'jaunt': 17663, 'deviated': 9719, 'trackie': 33406, 'dacks': 8894, 'fleecy': 12923, 'hoodies': 15897, 'crocheted': 8568, 'rug': 28118, 'investigates': 17302, 'excercise': 11931, 'lautoka': 18924, 'greenford': 14626, 'spreadtheword': 30690, 'parkmead': 24138, 'pmg': 25036, 'uckfield': 33997, 'coronaviru': 8129, 'abyssals': 1692, 'thingsiwontapologizefor': 32817, 'armesdeutschland': 3117, 'thoug': 32883, 'quedateentucasa': 26304, 'escena': 11667, 'repite': 27254, 'alrededor': 2475, 'mundo': 21750, 'estados': 11719, 'unidos': 34302, 'francia': 13369, 'espa': 11679, 'dejado': 9366, 'vac': 34719, 'estantes': 11720, 'destinados': 9651, 'papel': 24063, 'higi': 15619, 'nico': 22470, 'medio': 20708, 'por': 25194, 'nuevo': 22899, 'healthday': 15330, 'galore': 13767, 'fulfil': 13618, 'polythene': 25146, 'reiterating': 27076, 'fjunited': 12856, 'geoff': 13979, 'toiletpapier': 33180, 'odishafightscorona': 23131, 'escapee': 11664, 'stain': 30821, 'coveryourmouth': 8323, 'mouthwash': 21587, 'closeup': 7035, '114': 190, 'manuka': 20247, 'westbury': 35715, 'trym': 33766, 'ilford': 16469, 'doncaster': 10401, 'mccolls': 20577, 'berth': 4368, 'incorrectly': 16741, 'powderedface': 25324, 'stuckathome': 31462, 'artistinresidence': 3187, 'interiordesignideas': 17195, 'interiordesign': 17194, 'tweeps': 33902, 'vestibule': 34964, 'usdot': 34631, 'olderadults': 23260, 'emojis': 11312, 'fringing': 13508, 'carparks': 6075, 'waiter': 35284, 'mettitilamascherinacazzo': 20911, '892': 1442, 'foodhoaders': 13107, 'coronainnyc': 8057, 'coronainny': 8056, 'regulatethe': 27044, '50ml': 1063, 'r100': 26386, 'humanrightsday': 16138, 'savelivesstayhome': 28603, 'realising': 26726, 'ccpa': 6247, 'clarity': 6895, '462001': 977, 'insulin': 17124, 'lilly': 19296, 'killerkyl88': 18374, 'healthylivinginsideandout': 15357, 'ravioli': 26641, 'cancelthat': 5880, 'coa': 7107, 'crim': 8518, 'lawyerly': 18944, 'uncovered': 34163, 'reputationmanagement': 27319, 'reptrak': 27308, 'groovy': 14723, 'whoopi': 35924, 'goldberg': 14340, 'thali': 32586, 'dedicating': 9267, 'debated': 9184, 'shithouses': 29459, 'covidma': 8339, 'scavenge': 28710, 'benfeldman': 4321, 'smartkid': 30035, 'superjewflair': 31731, 'flair': 12867, 'bartender': 3975, 'liqour': 19347, 'rockstar': 27934, 'therainking': 32746, 'necessitate': 22210, 'chickpea': 6632, 'foo': 13072, 'alexandria': 2353, 'microwaveable': 20985, 'um': 34092, 'babe': 3695, 'hotdog': 15979, 'bmovie': 4820, 'disastermovie': 10003, 'moonpies': 21456, 'emptiest': 11353, '30p': 767, 'albanian': 2308, 'albania': 2307, 'tirana': 33049, 'attracting': 3429, 'artnaturals': 3190, '236ml': 594, 'jojoba': 17855, 'alovera': 2465, 'fashionisland': 12369, 'thepromenade': 32742, 'bigc': 4505, 'gourmetmarket': 14456, 'asphalt9': 3276, 'asphalt9legends': 3277, 'rimacctwo': 27777, 'koronawirus': 18568, 'kwaichungmysupport': 18672, 'usconsumers': 34620, 'consumersurvey': 7745, 'voiceofthecustomer': 35183, 'singaporean': 29794, 'photographed': 24717, 'welcomehome': 35662, 'longday': 19620, '519': 1074, '738': 1301, '2241': 569, 'bowlinggreen': 5081, '5x': 1169, 'offense': 23155, 'codice': 7148, 'penale': 24406, '501bis': 1047, 'moderated': 21300, 'alchohol': 2325, 'irs': 17419, 'agsiw': 2180, 'nasser': 22040, 'saidi': 28321, 'mogielnicki': 21330, 'panelist': 24012, 'myopinion': 21864, '149': 268, 'costa': 8198, 'luminosa': 19811, 'marseille': 20374, 'disembark': 10070, 'barred': 3959, 'docking': 10311, 'costaluminosa': 8199, 'instantly': 17100, 'devalued': 9703, 'manure': 20249, 'pit': 24853, 'sucka': 31584, 'wishlist': 36094, 'pregga': 25466, 'gsa': 14773, 'governmentcont': 14476, 'geezus': 13908, 'cocooning': 7142, 'charles': 6484, 'secondhand': 28937, 'pawn': 24286, 'fiberglass': 12606, 'inground': 16957, 'snyder': 30154, '013': 25, 'wors': 36295, 'jo': 17801, 'isolat': 17460, 'grimsby': 14669, 'publicpanic': 26026, 'socialsafety': 30239, 'luckyducker': 19792, 'silenthill2': 29736, 'silenthill': 29735, 'basf': 3991, 'belongatbasf': 4298, 'mousemat': 21583, 'rallied': 26511, 'alongside': 2461, '1650': 311, 'hail': 14939, 'socoialism': 30254, 'ramgarh': 26535, 'kris': 18601, 'hamer': 14999, 'xander': 36442, 'friedl': 13491, 'nder': 22181, 'rodewayinnla': 27938, 'trumpadministration': 33687, 'trumpslump': 33730, 'goc': 14301, 'borro': 5011, 'chch': 6519, 'bomber': 4915, 'sunnyside': 31696, 'greenpoint': 14631, '1104': 182, '718': 1287, '752': 1312, '1931': 372, 'sustenance': 31941, 'incomed': 16721, 'lastmanstanding': 18860, 'enfield': 11442, '143': 260, 'yarra': 36521, 'dinsdale': 9939, 'battlefield': 4047, 'genocide': 13961, 'atrocity': 3391, 'aerial': 2026, 'manna': 20226, 'quant': 26228, 'quake': 26217, 'knowwhentowearamask': 18517, 'wearecput': 35546, 'wearecputmedia': 35547, 'bb20': 4069, 'tbt': 32316, 'hgtv': 15575, 'milaniplumbing': 21034, 'plumbing': 25010, 'airconditioning': 2236, 'tonite': 33229, 'eventful': 11834, 'unicornday': 34300, 'reasi': 26765, 'fcs': 12448, 'whatsapp70067': 35795, '47305': 984, '94192': 1497, '45670': 965, 'adcapdrsi': 1871, 'ww': 36413, 'drafted': 10565, 'kagame': 18028, 'jameson': 17623, 'whitman': 35900, 'plaza': 24955, 'uniquetimes': 34330, 'sol': 30284, 'eccentricgin': 10954, 'welshgin': 35680, 'badbusiness': 3763, 'wale': 35310, 'yielding': 36586, 'exceed': 11917, 'baton': 4035, 'rouge': 28031, 'sayin': 28640, 'youthful': 36666, 'builder': 5478, 'indiafightcorona': 16782, 'graphzoid': 14566, 'courageous': 8288, 'intrepid': 17260, 'stockman': 31213, 'dice': 9797, 'charisma': 6478, 'frontlineworkers': 13533, 'bendthecurve': 4311, 'confessionsofashopaholic': 7563, 'adorables': 1965, '19fr': 413, 'pimentel': 24810, 'gettested': 14044, 'coronapanic': 8080, 'martiallaw': 20385, 'ghs': 14096, 'villieria': 35052, 'r1600': 26392, 'attire': 3420, 'salette': 28362, 'centrelink': 6337, 'scottmorrison': 28802, 'lnp': 19464, 'inaugural': 16686, 'modify': 21316, 'stayhomestayhealthy': 30998, 'visible': 35119, 'acknowledge': 1793, 'beeton': 4212, 'benefitted': 4318, 'rosneft': 28012, 'elliot': 11228, 'abrams': 1654, 'sidelining': 29686, 'guaido': 14785, 'maduro': 19968, 'gentles': 13968, 'fmr': 13019, 'shameonsky': 29299, 'purchaselimits': 26091, 'essentialliving': 11700, 'ripoffmerchant': 27797, 'moisturiser': 21344, 'unbritish': 34134, 'inferred': 16888, 'borisajoke': 5000, 'parttimeprimeminister': 24179, 'backdoorboris': 3724, 'sacrificing': 28254, 'grieve': 14655, '122': 215, 'wegman': 35629, 'proverbs31': 25936, 'riseup': 27811, 'spiritualfamily': 30594, 'fybne4vlyh': 13721, 'desinfections': 9621, 'havefun': 15234, 'uotech': 34511, 'senseofhumor': 29123, 'concentrated': 7508, 'cairn': 5749, 'methanol': 20895, 'aggravates': 2139, 'unprovoked': 34423, 'disfigured': 10072, 'supermarkt': 31757, 'koeln': 18533, 'deployment': 9542, 'coupla': 8282, 'jemima': 17705, 'pedigree': 24371, 'focussing': 13037, 'aglaw': 2151, 'disagree': 9986, 'aspiration': 3279, 'expectmore': 12012, 'nipped': 22525, 'dogma': 10344, 'consumertrends': 7749, 'therein': 32755, 'financialassistance': 12702, 'financialliteracy': 12711, 'ineedppenow': 16852, 'maskshortage': 20436, 'militray': 21046, 'bein': 4257, 'comin': 7316, 'somethin': 30339, 'stink': 31180, 'puttin': 26143, 'xtra': 36478, 'reg': 27007, 'misfit': 21162, 'promo': 25800, 'cookwme': 7906, 'fe8vlt': 12461, 'stayinghome': 31013, '4400': 952, 'liartrump': 19203, 'flatly': 12892, 'soopers': 30371, 'thirdly': 32836, 'bwcdeals': 5689, 'carluccios': 6048, 'ehbot': 11119, 'forbearance': 13189, 'overdraft': 23736, 'diclemente': 9805, 'carp01': 6073, 'thirteen': 32841, 'msgulfcoast': 21644, 'abc730': 1601, 'credibility': 8473, 'wearestillhereforyou': 35560, 'gachibowli': 13730, 'manikonda': 20211, 'alkapur': 2394, 'narsingi': 22025, 'rort': 28002, 'viable': 34978, 'preview': 25576, 'comme': 7328, 'raoult': 26591, 'beaucoup': 4146, 'lui': 19799, 'font': 13069, 'confiance': 7564, 'tends': 32489, 'grainger': 14528, 'capitel': 5958, 'nexus': 22408, 'clearair': 6956, 'morphed': 21507, 'positional': 25237, 'makarna': 20082, 'worldcorona': 36260, '630pm': 1204, 'yegfood': 36549, 'yegvegan': 36551, 'keepingclean': 18199, 'freshbread': 13466, 'muffin': 21688, 'feedingoursouls': 12508, 'feedingthepublic': 12511, 'demerit': 9452, 'bristol': 5316, 'euf': 11780, 'bleeds': 4714, 'elephant': 11201, 'elderlyperson': 11161, 'comorbids': 7402, 'cobbcounty': 7120, 'complexity': 7463, 'aerodynamics': 2028, 'troubled': 33650, '2020is': 493, 'hotlines': 15986, 'apupdates': 3028, 'responsive': 27453, 'scaling': 28665, 'undignified': 34233, 'groepsimmuniteit': 14720, 'fixitnow': 12850, 'telanganafightscorona': 32425, 'thankatruckdriver': 32597, 'authorisation': 3520, 'mkinsights': 21227, 'trilby': 33609, 'lundberg': 19824, 'monium': 21418, 'hastings': 15207, 'eggplant': 11106, 'apricot': 3016, 'harissa': 15157, 'roasted': 27888, 'malay': 20121, 'ncat': 22149, '3dprinting': 871, 'precautionsofcoronavirus': 25424, 'handwashchallenge': 15069, 'keephygine': 18196, 'coronajihad': 8060, 'eiplinfra': 11138, 'lapaloma': 18829, 'apila': 2898, 'luxuryhomes': 19856, 'nasal': 22027, 'gpn': 14499, 'gvc': 14880, 'inquest': 17025, 'inevit': 16866, 'stagnant': 30818, 'staydistance': 30962, 'pakistanarmy': 23929, 'respective': 27427, 'constituency': 7684, 'meandering': 20630, 'hindquarter': 15647, 'englishmuffins': 11466, 'alaga4040': 2293, 'cameltoechallenge': 5830, 'fatihportakalyalnizdegildir': 12397, 'reshapes': 27370, 'delores': 9431, 'ncsolutions': 22171, 'craziest': 8442, 'stunned': 31482, 'dj': 10275, 'djlife': 10280, 'burger': 5543, 'pullman': 26052, 'foodpodcast': 13129, 'easterathome': 10888, 'liner': 19323, 'holidaytrip': 15776, 'ronaldo': 27984, 'leonardodicaprio': 19108, 'worldchange': 36259, 'abelmoreno': 1611, 'heman': 15495, 'mastersoftheuniverse': 20468, 'melonseta': 20770, 'princeadam': 25625, 'berkshire': 4353, 'dinosaurextinction': 9938, 'toiletpaperchaos': 33153, 'dampened': 8970, 'wor': 36204, 'nhl': 22434, 'pealways': 24351, 'stamptheworld': 30840, 'patna': 24246, 'singled': 29800, 'rees': 26949, 'mogg': 21329, 'seating': 28916, 'drugdealers': 10662, 'n8tronic40': 21911, 'dimebags': 9914, 'dimebag': 9913, 'food4thought': 13076, 'prioritizing': 25649, 'meaningfulgrowth': 20633, 'geniouxmg': 13958, 'crushthecurve': 8640, 'geltwo': 13924, '86': 1414, 'streak': 31377, 'lima': 19298, 'polyester': 25143, 'admired': 1942, 'prawn': 25394, 'squid': 30751, 'caterer': 6174, 'kam': 18056, 'directory': 9967, 'confirmation': 7579, 'ucat': 33994, '234': 588, 'southwark': 30442, 'se16': 28875, '3rw': 898, 'homebuyers': 15808, 'homesellers': 15854, 'cheadle': 6523, 'vaisman': 34743, 'guaranteeing': 14791, 'reversing': 27647, 'onlinepayment': 23364, 'pretended': 25551, 'mania': 20203, 'extendedlockdown': 12089, '4ish': 1017, 'idontusetwittermuch': 16387, 'professorcj': 25733, 'internment': 17215, 'gmp': 14275, '19920': 404, 'qty': 26206, 'dissertation': 10172, 'authoritarian': 3523, 'dictatorship': 9810, 'marxist': 20399, 'critique': 8557, 'utahn': 34676, 'farnworth': 12349, 'columbians': 7268, 'bcleg': 4097, '00th': 17, 'overused': 23796, 'disagreement': 9987, 'overload': 23752, 'naples': 22009, 'perceived': 24478, 'hull': 16118, 'invests': 17314, 'njbanks': 22545, 'oregonian': 23528, 'yogalesson': 36600, 'sexlife': 29233, 'talktoeachother': 32192, '12th': 233, 'barcode': 3930, 'customary': 8796, '530': 1087, 'x121': 36437, 'usausausa': 34617, 'every1': 11847, 'sickleave': 29673, 'srpeading': 30762, 'ramaphosa': 26527, 'mysouthafricans': 21874, 'summarize': 31651, 'multifamily': 21715, 'northumberland': 22726, 'viligant': 35046, 'p35gzkdnn7': 23851, 'illogical': 16485, 'lit': 19371, 'curt': 8772, 'larson': 18846, 'productdescriptions': 25718, 'toiletpapermeme': 33166, 'hartzell': 15187, 'cranga': 8414, 'barrett': 3963, 'nutraceuticals': 22943, 'allstate': 2438, 'geico': 13911, 'progressive': 25767, 'agreeing': 2166, 'policyholder': 25114, 'tpci': 33375, 'wecare': 35598, 'zuku': 36833, 'blueberry': 4800, 'caronavirusaus': 6070, 'royalty': 28060, 'palace': 23938, 'cricketer': 8516, 'cam': 5820, 'richardism': 27725, 'believer': 4284, 'endthelockdown': 11418, 'stopthestupid': 31307, 'coronaapocalypse': 8004, 'humorcoronavirus': 16148, 'factcheck': 12203, 'landfall': 18804, '0541296': 78, 'uselessness': 34641, 'staysafestayhom': 31036, 'boc': 4851, 'intensified': 17158, '0214996028': 47, 'nan': 21988, 'facetimed': 12191, 'womenpeacebuilders': 36167, 'ctu': 8681, 'paridaias': 24127, 'obtained': 23079, 'munch': 21748, 'boldly': 4896, 'privately': 25669, 'huawei': 16082, '553': 1098, '790': 1339, 'stemming': 31088, 'redoubled': 26921, 'coronavisurs': 8132, 'mustapha': 21802, 'allamin': 2398, 'opelika': 23426, 'fuller': 13627, 'snappy': 30110, 'slogan': 29988, 'messy': 20882, 'handwashes': 15070, 'hindustanunilever': 15651, 'albuquerque': 2322, 'abq': 1650, 'newmexico': 22353, 'reluctantly': 27145, 'ravage': 26635, 'overcoming': 23729, 'tpmp': 33383, 'tpshortage2020': 33390, 'pietre': 24783, 'holistic': 15777, '1968': 386, 'doomsdayprepper': 10461, 'apologetically': 2920, 'cosumerbehavior': 8218, 'isolationism': 17473, 'advertisingtrends': 2004, 'superbrugsen': 31714, 'ndby': 22178, 'spill': 30578, 'dontpanic': 10437, 'saturdayvibes': 28570, 'akash': 2273, 'smethwick': 30059, 'dusty': 10791, 'gearhard': 13898, 'homeland': 15830, 'richiet': 27731, 'unemploymentinsurance': 34254, 'ohiolockdown': 23198, 'imune': 16667, 'buliders': 5490, 'gojo': 14336, 'jhalakbollywood': 17760, 'jhalakkollywood': 17761, 'jhalaktollywood': 17762, 'shavedonatenominate': 29353, 'marcus': 20278, 'unnoticed': 34398, 'mapoli': 20259, 'wef20': 35623, 'besieged': 4380, 'thetechinfinite': 32782, 'assembles': 3292, 'mzansi': 21893, 'namc': 21976, 'sifiso': 29701, 'ntombela': 22889, 'nu': 22893, 'simon': 29753, 'ttravelandyouwon': 33791, 'tdoit': 32328, 'dundalk': 10754, 'homeschooling': 15853, 'wheeler': 35817, 'callofduty': 5799, 'atv': 3438, 'rtv': 28091, 'recreation': 26867, 'strengthened': 31396, 'vincentian': 35056, '901': 1462, 'braker': 5147, '78758': 1336, 'onlinemarketing': 23362, 'customersatisfaction': 8807, 'electronicsindustry': 11191, 'investmentbanking': 17311, 'settling': 29212, 'infocoronavirus': 16916, 'foodvaluechain': 13154, 'underwear': 34224, 'lingerie': 19327, 'wearyourmask': 35568, 'econmic': 10987, 'fundamental': 13646, 'lifelong': 19258, 'salvador': 28386, 'alternating': 2490, 'no1': 22574, 'bouncer': 5059, 'ebaypricegouging': 10935, 'discovering': 10048, '128': 223, 'tfeu': 32571, 'softest': 30270, 'postpandemic': 25281, 'killit': 18378, 'jasmine': 17658, 'rvaca': 28190, 'starlingbank': 30876, 'paywall': 24314, 'castlevania': 6150, 'dispatcher': 10130, 'resturants': 27498, 'peckham': 24363, 'erdogan': 11632, 'ramesh': 26534, 'ind': 16761, 'verma': 34941, 'cornholio': 7986, 'beavisandbutthead': 4161, 'pineapple': 24819, 'thediamondloupe': 32677, 'tier': 32974, 'petra': 24605, 'fdacs': 12454, 'sny': 30153, '87': 1425, 'ifa': 16398, 'mymoney': 21861, 'reviewing': 27652, 'superblue': 31712, 'sham': 29288, 'charlatan': 6483, 'curtain': 8777, 'buenos': 5459, 'aire': 2240, 'yasky': 36527, 'sappy': 28514, 'proje': 25775, 'simulates': 29771, 'pathogenic': 24238, 'continuously': 7818, 'altercation': 2486, 'globalization': 14232, 'magento': 19988, 'magedia': 19987, 'icmyi': 16335, 'nat': 22044, 'fresno': 13475, 'interpol': 17218, 'unfamiliar': 34266, 'ferocity': 12554, 'witnessing': 36123, 'northsomerset': 22725, 'westonsupermare': 35733, 'exerciseathome': 11969, 'bustling': 5623, 'deborah': 9195, 'callingwood': 5797, 'ridiculed': 27748, 'upmost': 34542, 'downhill': 10524, 'doorknob': 10469, 'moisturizer': 21347, 'virology': 35092, 'interior': 17193, 'didyouknow': 9819, 'moistwipes': 21349, 'disinfectantwipes': 10091, 'wheels24': 35819, 'completes': 7458, 'basement': 3989, 'penguin': 24422, 'whale': 35776, 'installing': 17093, 'wpi': 36326, 'wpidata': 36327, 'digitalbanking': 9864, 'mountaineer': 21577, 'maryannfishing': 20402, 'allnatural': 2425, 'dearbernie': 9168, 'maslow': 20440, 'hierarchy': 15593, 'vigorous': 35034, 'silverlinings': 29746, 'nay': 22123, 'sayers': 28639, 'mjt': 21223, 'vegetableoils': 34876, 'freakonomics': 13403, 'podium': 25069, 'impractical': 16635, 'differs': 9847, 'wildly': 35990, 'improving': 16650, 'buybooks': 5655, 'stockwell': 31233, 'ada': 1853, 'millenials': 21057, 'genx': 13973, 'zoomers': 36822, 'spin': 30582, 'tolerable': 33196, 'idshield': 16391, 'privacymanagement': 25662, 'wecanhelp': 35596, 'namely': 21981, 'shrewd': 29609, 'manoeuvre': 20230, 'optimizing': 23491, 'beautymatter': 4157, 'humbled': 16141, 'appreciative': 2987, 'mechanic': 20656, 'antibiotic': 2822, 'jackinthebox': 17581, 'studiocity': 31469, 'canyon': 5935, 'mistreat': 21199, 'jackbox': 17574, 'substitution': 31560, 'dontbuythesun': 10426, 'mha': 20930, 'lager': 18740, 'mattieu': 20508, 'stouffers': 31340, 'entree': 11543, 'kn95mask': 18486, 'medicalmask': 20690, 'rampaging': 26543, 'akan': 2272, 'dekat': 9369, 'stesen': 31128, 'balai': 3826, 'dasani': 9034, 'arrowhead': 3158, 'receptionist': 26817, 'kindnesscounts': 18398, 'cone': 7552, 'slavery': 29948, 'plaquenil': 24919, 'prohibitive': 25773, 'nottingham': 22812, 'casualty': 6154, 'flapol': 12876, 'shopclub': 29498, 'staywell': 31049, 'kitten': 18449, 'uhh': 34026, 'nv04': 22955, 'brewdog': 5256, 'seaside': 28907, 'accusing': 1767, 'coneyisland': 7553, 'revise': 27653, 'stalling': 30835, 'wept': 35692, 'dundas': 10755, 'hurontario': 16184, 'stayhomesave': 30992, 'dispersion': 10140, 'informing': 16930, 'attempted': 3407, 'subprime': 31530, 'instinct': 17106, '34kfwlbmsd': 807, 'fvck': 13706, 'sidneysmithcre8tiv': 29692, 'quadruplethreatstar': 26213, 'standup': 30854, 'nuke': 22903, 'grau': 14584, 'naphtha': 22006, 'languishing': 18822, 'recondition': 26844, 'eod': 11573, 'retraction': 27587, 'westbiloxi': 35714, 'walmarts': 35339, 'behaviorchange': 4244, 'pisano': 24847, 'liberally': 19211, 'foodstorage': 13141, '320': 784, '330': 794, 'zealot': 36741, 'magnified': 20003, 'fct': 12450, 'gently': 13969, 'directing': 9960, '4p': 1024, 'prioritized': 25647, 'littering': 19388, 'recyclables': 26880, 'eastenders': 10885, 'ohtogobacktonormal': 23206, 'texpirg': 32564, 'absentee': 1663, 'equifax': 11609, 'experian': 12023, 'idly': 16385, 'voluntary': 35192, 'helicopter': 15438, 'uncontrollable': 34157, 'perso': 24549, 'estonian': 11733, 'engrossed': 11467, 'labelling': 18706, 'gail': 13743, 'sahar': 28311, 'kolobi': 18545, 'knackdown': 18487, 'upandan': 34513, 'brandsvscovid19': 5171, 'changingmarkets': 6446, 'changingconsumers': 6445, 'agmarketingiq': 2153, 'pspcl': 25979, 'csa': 8659, 'ndash': 22177, 'housework': 16018, 'summerlin': 31659, 'boulder': 5054, 'ccsd': 6250, 'ccsdnews': 6251, 'vegasnews': 34870, 'scaremongering': 28699, 'magatrain': 19980, 'magats': 19981, 'gianourmous': 14101, 'falsepanic': 12272, 'worldshutdown': 36276, 'cleric': 6974, 'patreon': 24249, 'icon': 16337, 'discord': 10037, 'nsfw': 22876, 'nerd': 22278, 'appalachia': 2930, 'retaining': 27565, 'kpis': 18579, 'sanitzer': 28475, 'someday': 30330, 'valueless': 34770, 'betterment': 4411, 'itsnottheapocalypse': 17531, 'stoptakingeverything': 31297, 'thinkbeforeyoubuy': 32821, 'adversely': 1995, 'chartered': 6497, 'feedly': 12515, 'hawaiian': 15245, 'foodmanufacturers': 13121, 'esselunga': 11690, 'prato': 25391, 'os': 23580, 'buoyed': 5532, '132': 241, 'umhlanga': 34098, 'euficoemcasa': 11781, 'futile': 13691, 'kcet': 18166, 'sanantonio': 28412, 'bookshop': 4954, 'cbse': 6232, 'ahsec': 2207, 'examscancelled': 11915, 'puremichigan': 26101, 'restarting': 27460, 'rebooting': 26788, 'yum': 36691, 'fatigue': 12396, '410': 928, '528': 1084, '8662': 1421, 'heau': 15389, 'working4md': 36234, 'alerta': 2345, 'shitting': 29466, 'mobo': 21287, 'keepcalmandstoppanicbuying': 18186, 'rhe': 27693, 'centennial': 6318, 'motivated': 21555, 'raining': 26483, 'angelenos': 2728, 'pumpkin': 26063, 'bordering': 4986, 'vulnrable': 35246, 'vari': 34822, 'meetingthechallenges': 20729, 'lessens': 19121, 'fhe': 12598, 'tropic': 33645, 'dengue': 9487, 'stalk': 30830, 'hygene': 16241, 'r4today': 26402, 'mufc': 21687, 'cutts': 8834, 'notgalleryinventory': 22771, 'instaart': 17076, 'instaartist': 17077, 'attoftheday': 3424, 'stevecutts': 31131, 'vicki': 34991, 'clc': 6924, 'walgreen': 35311, 'sycophant': 32053, 'oap': 23020, 'bizitalk': 4646, 'initiate': 16978, 'etailers': 11741, 'fuckpanicbuyers': 13588, 'toilettenpapier': 33186, 'mediziner': 20712, 'nennt': 22267, 'symptome': 32076, 'durchfall': 10779, 'sei': 29000, 'selten': 29071, 'gewesen': 14058, 'streeck': 31385, 'squarely': 30741, 'biman': 4549, 'basu': 4010, 'honkhonk': 15884, 'saks': 28342, '6ftapart': 1251, 'siddiqi': 29679, 'socialisolation': 30224, 'comeback': 7289, 'survivalmode': 31896, 'hornsby': 15934, 'illustrates': 16493, 'bl': 4654, 'argusoil': 3094, 'shaft': 29263, 'stopthegreed': 31300, 'classy': 6912, 'groveroes': 14745, 'animalcrossingnewhorizon': 2752, 'mygolfspy': 21848, 'superheros': 31729, 'becauze': 4169, 'surpasses': 31871, 'despot': 9642, 'obsolescent': 23071, 'disproportionately': 10155, 'blackcab': 4658, 'blockade': 4750, 'advising': 2012, 'buoyant': 5531, 'jetty': 17748, 'homebuilder': 15806, 'cattleman': 6192, 'bitdefender': 4628, 'inflammatory': 16896, 'scourge': 28808, 'firmly': 12790, 'scardina': 28696, 'elaborates': 11148, 'rebuild': 26794, 'gracie': 14511, 'heraldsun': 15520, 'petsofinsta': 24625, 'dogsofinstagram': 10347, 'nikonphotography': 22509, 'petphotography': 24604, 'canine': 5893, '9pm': 1548, 'pardeeprofs': 24114, 'latinamerica': 18893, 'straining': 31350, 'nahi': 21945, 'haldi': 14968, 'pani': 24018, 'peenay': 24379, 'nai': 21946, 'marta': 20382, 'neatly': 22204, 'tart': 32260, 'whatthehelldoyouhavetolose': 35805, 'trumptweet': 33738, 'trumptradewar': 33737, 'imi': 16538, 'marketingstrategy': 20331, 'marketingonline': 20328, 'sousa': 30413, 'foolish': 13166, 'accomplished': 1738, 'idontunerstand': 16386, 'turbine': 33854, 'renews': 27213, 'gencorpower': 13929, 'powergen': 25336, 'hinoo': 15655, 'blackmarketing': 4668, 'swil': 32008, 'professionally': 25731, 'retailgraph': 27531, 'supermarketsoftware': 31749, 'swilsoftware': 32009, 'snazzy': 30114, 'hepa': 15516, 'chipped': 6689, 'auckland': 3449, 'prestige': 25543, 'louise': 19704, 'ame': 2564, 'spx500': 30726, '2421': 606, 'nas100': 22026, '7288': 1296, '1485': 267, '165': 310, 'incorrect': 16740, 'ryanair': 28202, 'lewk': 19175, 'makeupnoob': 20103, 'jeffreestarcosmetics': 17698, 'facetattoos': 12189, 'wwll': 36424, 'bbcqt': 4080, 'peston': 24582, 'disgust': 10078, 'obese': 23034, 'fsr': 13556, 'normsl': 22700, 'expires': 12038, 'scriptchat': 28843, 'trumpistheworstpresidentever': 33704, 'trumpliesaboutcoronavirus': 33711, 'kinsa': 18411, 'quickcare': 26340, 'bitte': 4632, 'anschauen': 2805, 'emotionaler': 11316, 'aufruf': 3467, 'gehard': 13909, 'bosselmann': 5026, 'hannover': 15092, 'gehen': 13910, 'sie': 29694, 'zu': 36832, 'ihrem': 16446, 'cker': 6857, 'ecke': 10963, 'schei': 28728, 'egal': 11099, 'wie': 35967, 'hei': 15418, 'hin': 15639, 'mittelstand': 21213, 'handwerk': 15072, 'landb': 18802, 'ckereibosselmann': 6858, 'emsland': 11362, '9629': 1519, 'upbeat': 34514, 'p500': 23855, 'nzd': 23004, 'owor': 23826, 'clickers': 6984, 'overcapacity': 23724, 'vigilance': 35030, 'alr': 2472, 'accurately': 1761, 'provoke': 25952, 'icco': 16318, 'hollow': 15783, '368': 835, '8808': 1432, 'grilled': 14665, 'resturant': 27497, '69th': 1245, 'astounding': 3336, 'thanksvodafone': 32615, 'airlinebailout': 2247, 'baggage': 3779, 'preece': 25455, 'wheelchair': 35815, 'chuck': 6766, 'pricecycle': 25586, 'publictransport': 26032, 'graphical': 14564, 'enlisted': 11483, 'pdmac': 24339, 'prince': 25624, 'wiwt': 36126, 'arcing': 3061, 'plateau': 24927, 'charliebaker': 6487, 'weareallinthistogether': 35544, 'bostonathlete': 5030, 'bostonathletemagazine': 5031, 'icke': 16329, 'day11oflockdown': 9101, 'greenhouse': 14628, 'adrian': 1972, 'agege': 2123, 'lga': 19187, 'oseni': 23583, 'olamide': 23255, '0026691661': 3, 'gayrunner': 13870, 'thisiswhattranslookslike': 32858, 'mastersathlete': 20467, 'transathlete': 33464, 'lgbt': 19189, 'geodoinggeothings': 13978, 'runnerslife': 28147, 'runloverock': 28145, 'stapler': 30862, 'allergen': 2411, 'fashioned': 12365, 'cliffe': 6993, '2007': 466, 'multilateral': 21717, 'novop': 22842, 'abode': 1638, 'segregation': 28998, 'wymondham': 36429, 'normalize': 22694, 'scrapped': 28822, 'undermined': 34195, 'raboresearch': 26415, 'barking': 3944, 'dagenham': 8908, 'springboot': 30698, 'somegoodnews': 30331, 'brandprotection': 5169, 'ohh': 23196, 'charliemackesy': 6488, 'gratefulforournhs': 14577, 'nhsengland': 22438, 'supermarketsuperstars': 31753, 'foam': 13027, 'ola': 23254, 'chloroquineinn': 6705, 'godssake': 14317, 'ogemgo3qw7': 23187, 'stalled': 30834, 'trashmen': 33519, 'sheen': 29366, 'numbing': 22910, 'finewineandgoodspirts': 12741, 'wildaf': 35979, 'oppression': 23474, 'sellout': 29067, 'mdc': 20608, 'distract': 10203, 'dunno': 10763, 'grr': 14763, 'alizeh': 2389, 'shah': 29267, 'noman': 22624, 'sami': 28397, 'trolled': 33636, 'alizehshah': 2390, 'nomansami': 22625, 'extort': 12106, 'youbeneathyourskin': 36626, 'ebooks': 10948, 'si': 29657, 'brisket': 5315, 'whoo': 35922, 'hoo': 15892, 'passoverdinner': 24202, 'craigs': 8405, 'statista': 30923, 'nimmo': 22512, 'diarrhoea': 9792, 'cantwin': 5931, 'countryrisk': 8277, 'ororo': 23569, 'transistor': 33482, 'melaye': 20760, 'gordon': 14425, 'stayhomecanada': 30981, 'apcoinsight': 2888, 'flavoured': 12910, 'sparkling': 30492, 'description': 9599, '30a': 755, '8p': 1455, 'bridgeport': 5277, 'cern': 6354, 'lhc': 19195, 'physic': 24734, 'infectiousdiseases': 16885, 'scoffing': 28784, 'ne': 22192, 'zillion': 36779, 'ncovsupply': 22167, 'ncovsupplies': 22166, 'sensitize': 29130, 'accompanied': 1734, 'pestilence': 24581, 'assurance': 3321, 'bescom': 4375, 'uniterrupted': 34346, 'betwinnervirtual': 4420, 'deputized': 9566, 'gratuitous': 14583, 'petulant': 24630, 'momentarily': 21366, '927': 1489, 'whereisjoebiden': 35839, 'm4a': 19895, 'forgiveness': 13243, 'handout': 15050, 'atp': 3389, 'forgetting': 13239, 'hamsteren': 15018, 'katrina': 18129, 'rita': 27831, 'ike': 16462, 'mres': 21627, 'herded': 15529, 'likeit': 19287, 'gallinago': 13763, 'sturgeon': 31495, 'junky': 17965, 'junkie': 17963, 'yk': 36590, 'incapable': 16691, 'tigerking': 32979, 'carolebaskin': 6063, 'twitterdoyourthing': 33933, 'armyselcaday': 3124, 'arsd': 3162, 'retention': 27571, 'offsetting': 23178, 'heartening': 15372, 'humanitas': 16128, 'reflex': 26978, 'worktogether': 36255, 'ukcoronavirus': 34043, '750bn': 1309, 'bowed': 5075, 'cheered': 6552, 'babyessentials': 3702, 'cleanhandssavelives': 6935, 'thankyoupost': 32629, 'lakelyn': 18761, 'babylake': 3706, 'noviruswanted': 22839, 'cartersbaby': 6100, 'unfollowed': 34279, 'insta': 17075, 'boasting': 4841, 'gunjan': 14850, 'alpha': 2466, 'morl': 21495, 'mrrl': 21636, 'reml': 27176, 'dork': 10478, 'visitation': 35125, 'leaflet': 18982, 'teampnp': 32355, 'weserveandprotect': 35705, 'pnpkakampimo': 25051, 'conmen': 7617, 'bahrami': 3793, 'uniteideas': 34344, 'heaven': 15391, 'hades': 14917, 'foodpantry': 13127, 'aia': 2210, 'trenton': 33581, 'princeton': 25627, 'feedamerica': 12499, 'frogger': 13519, 'europeansagainstcovid19': 11794, 'investing101': 17309, 'forexinvestment': 13229, 'forexmarket': 13230, 'crown': 8607, 'barnet': 3949, 'conway3': 7894, 'mccormick': 20582, 'kbra': 18163, 'securitizations': 28955, 'suffolk': 31611, 'healthinnovations': 15338, 'blacklisting': 4663, 'faithful': 12245, 'noma': 22622, 'sana': 28411, 'kitengela': 18443, 'kobil': 18526, 'ku': 18629, 'mzalendo': 21892, 'chezaclean': 6612, 'changamka': 6438, '708': 1279, 'liking': 19292, 'immuno': 16565, 'ibd': 16301, 'foraging': 13187, 'boxed': 5085, 'mukesh': 21698, 'ambani': 2550, 'vaka98': 34745, 'anakkalege': 2662, 'ilmez': 16496, 'clubtwitter': 7063, 'centrex': 6338, '65s': 1221, 'postcode': 25264, 'b8': 3689, 'b9': 3690, 'b23': 3680, 'b24': 3681, 'b34': 3684, 'b35': 3685, 'b36': 3686, 'b37': 3687, 'seattlecartoonist': 28920, 'seattleillustrator': 28923, 'dailycomic': 8913, 'seattlescene': 28925, 'sensation': 29118, 'forecasted': 13207, '14k': 272, 'quar': 26236, 'wwe': 36417, 'wrestler': 36345, 'merch': 20837, 'slaughterhouse': 29944, 'porc': 25195, 'comb': 7276, 'braiding': 5136, '0800203033': 109, '080010066': 108, '0782909153': 100, '0772460297': 97, '0772469323': 98, 'ian': 16295, 'telecare': 32429, 'tc': 32317, 'raider': 26472, 'uspol': 34664, 'froze': 13536, 'mths': 21665, 'federally': 12489, 'besmartbesafe': 4382, 'saath': 28227, 'bhi': 4465, 'gayi': 13867, 'ki': 18328, 'baniyawaalas': 3889, 'incendiary': 16695, 'biological': 4583, 'peopleareselfish': 24452, 'incubation': 16757, 'ordinated': 23522, 'invaded': 17278, 'foodhoard': 13108, 'antivirus': 2847, 'norton': 22731, 'mcafee': 20569, 'kaspersky': 18115, 'rsr': 28080, 'jukebox': 17941, 'pubclosures': 26010, 'shutdownuk': 29640, 'fuckingidiots': 13581, 'workbook': 36217, 'bullet': 5500, 'hydroxycoroquine': 16239, 'marylander': 20406, 'reduceinternetprices': 26930, 'mynewnormal': 21862, 'michele': 20950, 'satisfying': 28559, 'oliverscampaign': 23274, 'bethesda': 4404, 'julii': 17947, 'supportlocalrestaurants': 31818, 'inept': 16860, 'boyc': 5090, '366': 834, '357': 818, 'nevasa': 22321, 'sedate': 28966, 'santabarbara': 28489, 'forcedsmiles': 13197, 'stayawayfromme': 30953, 'worsen': 36297, 'hurried': 16188, 'gulzar': 14843, 'zafar': 36713, 'unsatisfactory': 34446, 'motu': 21571, 'awaited': 3610, 'gamify': 13782, 'scavenger': 28711, 'pickle': 24754, 'stockyard': 31234, 'divergence': 10240, 'holcomb': 15763, 'hawking': 15250, 'intensively': 17162, 'nurture': 22935, 'trimmed': 33612, '854': 1410, 'undernourished': 34198, 'morally': 21474, 'portrays': 25225, '400k': 907, 'm25': 19894, 'pandamicsays': 23979, 'wipeyourwayout': 36066, 'lunathi': 19818, 'hlakanyane': 15699, 'farmers4change': 12329, 'pandamic': 23978, 'foodbiznews': 13085, 'foodtrends': 13153, 'mandarino': 20176, 'queenvictotia': 26310, '551': 1097, '827': 1388, 'airing': 2245, 'helpourelderly': 15474, 'inconvenient': 16736, 'ashland': 3230, 'instituted': 17108, 'luxemburg': 19848, 'webinarwednesdays': 35585, 'striking': 31422, 'reiterate': 27073, 'overdue': 23739, 'sampling': 28404, 'sprout': 30714, 'gelson': 13923, 'vallarta': 34762, 'ommcomnews': 23303, 'kelowna': 18229, 'gamble': 13773, 'coffeetime': 7162, 'improvisation': 16651, 'wv': 36408, 'jesusfails': 17742, 'dread': 10599, 'historian': 15675, 'sportsdirectshame': 30653, 'arkansan': 3106, 'sanctuary': 28424, 'rainforest': 26482, 'offspring': 23181, 'duct': 10719, 'ducttape': 10720, 'pws': 26160, 'hereforyou': 15538, 'plumbingproblems': 25011, 'pipework': 24841, '102': 147, 'maxmotives': 20533, 'idk': 16380, 'deer': 9286, 'merci': 20843, 'madame': 19941, 'vous': 35221, 'vos': 35208, 'gues': 14806, 'nous': 22823, 'pouvons': 25318, 'tous': 33346, 'lutter': 19845, 'contre': 7836, 'assurer': 3324, 'votre': 35219, 'curit': 8758, 'dans': 9003, 'sans': 28487, 'dent': 9504, 'produire': 25724, 'pandemicquestions': 24002, 'fwitts': 13711, 'spluttering': 30616, '90mins': 1467, 'staticair': 30917, 'movefaster': 21591, 'lenana': 19088, 'rudely': 28109, 'nurses2020': 22927, 'nursesunite': 22930, 'laughteristhebestmedicine': 18911, 'paton': 24247, 'tasmania': 32269, 'meager': 20619, 'menial': 20803, 'dist': 10179, 'maricopa': 20294, '242': 605, '630': 1202, '112': 185, 'collier': 7238, 'dunkin': 10759, 'endhunger': 11402, 'averaged': 3578, 'ffpi': 12591, '4pc': 1025, 'nationwidelockdown': 22070, 'ausp': 3486, 'blazing': 4704, 'uniquely': 34329, 'luna': 19815, 'harness': 15167, 'vender': 34895, 'allege': 2404, 'ingenious': 16945, 'placement': 24891, 'welcoming': 35663, 'scorpion': 28796, 'womeninstem': 36165, 'socialj': 30228, 'brittain': 5328, 'freelancing': 13430, 'digitalnomad': 9884, 'entrepreneurship': 11547, 'onlineretail': 23366, 'sales': 28355, 'brianelderroofing': 5268, 'ebitda': 10941, 'stockstowatch': 31228, 'stockbags': 31202, 'exacerbate': 11898, 'joysms': 17899, 'tease': 32367, 'polio': 25116, 'eradication': 11626, 'linear': 19320, 'unfinished': 34272, 'puzzels': 26148, 'recruitment': 26873, 'bowling': 5080, 'comptroller': 7497, 'glenn': 14212, 'hegar': 15416, 'focal': 13030, 'mpa': 21611, 'presided': 25527, 'ghaffar': 14071, 'soomro': 30365, 'adeel': 1892, 'chandio': 6433, 'examined': 11911, 'noshame': 22741, 'nosense': 22739, 'cancelsky': 5878, 'clamp': 6871, 'sisolak': 29826, 'peo': 24445, 'chucklevision': 6770, 'chucklebrothers': 6768, 'oxfordshire': 23830, 'estrella': 11736, 'dhirajsons': 9760, 'soapandwater': 30168, 'theshinning': 32768, 'comeplaywithus': 7296, 'comeplay': 7295, 'coronaviral': 8126, 'shabby': 29254, 'milliona': 21065, 'misread': 21175, 'regulates': 27043, 'cytokine': 8880, 'modest': 21311, 'tierras': 32976, 'aztecas': 3675, 'sube': 31514, 'consults': 7700, 'radiation': 26441, 'yajuj': 36501, 'majuj': 20078, 'schoolsout': 28760, 'ggp': 14067, 'pours': 25317, 'videotaped': 35014, 'respectable': 27421, 'rosekart': 28005, 'joann': 17802, 'loungewear': 19710, 'couscous': 8298, 'gigantifying': 14118, 'kitkat': 18446, 'disclosed': 10024, '774': 1325, 'kempston': 18233, 'stayhomebesafe': 30979, 'freeshipping': 13441, 'eustace': 11800, 'presser': 25536, '0300': 56, '123': 217, '2040': 510, 'scamwarnings': 28681, 'ihatetheinternet': 16440, 'whodidthis': 35912, 'ptcares': 26000, 'vlogger': 35159, 'blogger': 4759, 'lmbo': 19455, 'ihti': 16449, 'currentevents': 8764, 'wuhanchina': 36393, 'wuhancorona': 36394, 'primer': 25620, 'irrigation20': 17415, 'coulditbeworsethan2019': 8235, 'paraphrase': 24106, 'prosper': 25874, 'farewell': 12317, 'postapocalyptic': 25261, 'llap': 19442, 'regs': 27037, 'offshore': 23179, 'delicate': 9401, 'zakatify': 36719, 'sixteen': 29848, 'rescuing': 27345, 'staten': 30909, 'ramadanstrong': 26520, 'haa': 14896, 'winny': 36055, 'bint': 4565, 'partly': 24173, 'mischief': 21156, 'automation': 3542, 'furnish': 13679, 'obvi': 23083, 'sender': 29097, 'caller': 5794, 'renewannewithane': 27210, 'discarded': 10014, 'vinylgloves': 35070, 'encroaching': 11390, 'shi': 29417, 'ting': 33033, 'corson': 8184, 'holliewoodandfriends': 15782, 'helmet': 15447, 'skateboard': 29858, 'keepactive': 18182, 'newscaster': 22369, 'drumettes': 10668, 'tumeric': 33837, 'cumin': 8719, '15mins': 298, 'saddest': 28260, 'signofthetines': 29725, 'worldgonemad': 36265, 'aisi': 2258, 'taisi': 32149, 'inspects': 17066, 'tobruk': 33107, 'corrupted': 8180, 'eliminated': 11212, '188': 350, '135': 248, 'ipc': 17350, 'shahibaugh': 29272, 'malegaon': 20130, 'chineseviruscorona': 6681, 'ethereum': 11755, 'commoditymarkets': 7367, 'usdbitstamp': 34626, 'ripplexrp': 27803, 'befairtoall': 4216, 'photoshoot': 24725, 'studioshoot': 31470, 'coronaart': 8005, 'halving': 14996, 'businessoutlook': 5606, '6m': 1256, '3days': 869, 'decit': 9233, 'wickedness': 35952, 'wahala': 35274, 'idio': 16372, 'hackathon': 14908, 'titanhacks': 33064, 'submission': 31523, 'arsewipe': 3170, 'implies': 16607, 'herding': 15531, 'coronvirusaus': 8142, 'bandipora': 3867, 'shahbaz': 29268, 'ahmad': 2199, 'constituted': 7686, '99p': 1539, 'fuckingchancers': 13580, 'jr': 17904, 'ankara': 2764, '156': 287, 'viruscoronaupdate': 35111, 'updateviruscorona': 34520, 'vilains': 35044, 'nonessential': 22641, 'hawthorn': 15254, 'reposition': 27283, 'jordanian': 17873, '604': 1175, '9802': 1529, 'bergamo': 4344, 'cremation': 8499, 'morgue': 21492, 'stoptouchingyourface': 31309, 'phillyascleo': 24691, 'thetwiddleofficial': 32783, 'gantz': 13793, 'omwanvu': 23309, 'wakuffa': 35307, 'topped': 33253, 'pickins': 24753, 'ebmt': 10943, 'biopharma': 4588, 'andrewyang': 2710, 'shopowner': 29527, 'asiyah': 3252, 'javed': 17664, 'gaugers': 13851, 'musical': 21790, 'germx': 14011, 'beervirus': 4211, 'damnbeervirus': 8964, 'coronabeervirus': 8009, 'bedford': 4187, 'abide': 1622, 'snitch': 30135, 'hereafter': 15535, 'tangentially': 32220, 'yuma': 36692, 'covied19': 8340, 'financialempowerment': 12706, 'folder': 13048, 'oxygenators': 23834, 'sin': 29777, 'unsungheroes': 34468, 'furry': 13683, 'outlined': 23670, 'alleging': 2407, 'honoring': 15889, 'yourpoorcolon': 36653, 'yourpoortoilet': 36654, 'senitizer': 29116, 'wfhtips': 35764, 'lsuhfno': 19772, 'shiseido': 29452, 'gambling': 13774, 'hamstering': 15019, 'daytime': 9123, 'adbuy': 1870, 'adsense': 1974, 'advertisement': 2000, 'productplacement': 25723, 'backbreaking': 3721, 'heaux': 15390, 'catsofthequarantine': 6189, 'catsofinstagram': 6188, 'scenery': 28718, 'jackig': 17579, 'mth': 21662, 'reopened': 27228, 'maxvalue': 20534, 'safestore': 28289, 'snacking': 30097, 'sensical': 29127, 'rex': 27684, 'dander': 8984, 'everyonematters': 11857, 'correlation': 8173, 'unctad': 34167, 'rylan': 28208, 'annadominic12345': 2772, 'mehtaa3': 20748, 'caresact': 6029, 'fcra': 12447, 'mainzer': 20066, 'peaked': 24349, 'rs4': 28074, 'hussain': 16201, '3hrs': 877, 'notinthistogether': 22792, 'tame': 32202, 'palate': 23940, 'fin': 12686, 'blanket': 4690, '30day': 757, 'crucified': 8615, 'resurrection': 27511, 'goodfriday2020': 14378, 'montana': 21432, 'hitchens': 15684, 'feckin': 12484, 'dunce': 10753, 'nicola': 22471, 'lacetera': 18723, 'hobnobbing': 15737, 'stayinside': 31017, 'trumph': 33700, 'sinceivebeenquarantined': 29783, 'scalping': 28667, 'frescogrocers': 13463, 'trivia': 33628, 'impair': 16583, 'postitive': 25275, 'biobarrier': 4568, 'customersafety': 8806, 'annoys': 2792, 'riversidecounty': 27842, 'marvelous': 20396, 'iodine': 17338, 'arrears': 3144, 'daft': 8906, 'groaning': 14684, 'riice': 27774, 'pastaa': 24208, 'campbell9': 5849, 'rediscovery': 26912, 'notouchy': 22800, 'kuzco': 18664, 'shaggy': 29266, '800ksh': 1361, '00ksh': 14, 'housewear': 16017, 'save0745927128': 28596, '0787370387': 101, 'ecommercebytes': 10978, 'nightclub': 22491, 'reprediction': 27290, 'imho': 16536, 'governmental': 14475, 'moj': 21350, 'constitutes': 7687, 'brainwashed': 5144, 'icantstayhomeiamanure': 16312, 'nursesareheroes': 22928, 'fuckfaces': 13577, 'occupied': 23099, 'incontrovertible': 16732, 'handclap': 15031, 'fitz': 12833, 'lancashire': 18793, 'lancashirehour': 18794, 'lifeatprime': 19244, 'attauthorizedretailer': 3404, 'law360': 18930, 'oped': 23424, 'experimental': 12030, 'omgg': 23300, 'labatt': 18700, 'cautiously': 6210, 'veto': 34969, 'choked': 6718, 'racialization': 26426, 'attach': 3395, 'notalwaysaboutyou': 22755, 'compassioninads': 7423, 'compassionatecommunity': 7422, 'dallascounty': 8944, 'pertinent': 24571, 'infront': 16939, 'nightly': 22495, 'andalucia': 2693, 'sanlucar': 28484, 'desert': 9602, 'biitches': 4523, 'jumanji': 17949, 'tinted': 33039, 'hater': 15214, 'golub': 14360, 'stroller': 31437, 'retailbusiness': 27521, 'omfg': 23298, 'eulogy': 11786, 'tamper': 32208, 'rmo': 27866, 'amrusha': 2639, 'amrushafightscovid19': 2641, 'amrushaeradicatinghunger': 2640, 'nijobs': 22504, 'sweeting': 31999, 'kyoto': 18690, 'macrobusiness': 19931, 'goodlettsville': 14383, 'southeastasian': 30424, 'middleeastern': 20991, 'bloom': 4776, 'precenting': 25429, '226k': 573, '54k': 1093, 'taunt': 32290, 'hoardershaming': 15726, '25thamendmentnow': 642, 'bunga': 5524, 'revoked': 27666, 'jfk': 17758, 'popeyes': 25182, 'coachj': 7109, 'submitting': 31527, 'impatient': 16586, 'descend': 9590, 'ditch': 10230, 'dampf': 8973, 'paramus': 24102, 'niche': 22461, 'precipitate': 25433, 'payworkersfairly': 24317, 'thrus': 32933, 'negligible': 22244, 'covoid19': 8345, 'emptystore': 11360, 'homesteading': 15857, 'homesteader': 15856, 'countryliving': 8275, 'countrylifestyle': 8274, 'countrylife': 8273, 'outdoorliving': 23649, 'outdoorlife': 23648, 'zoonosis': 36826, 'lancet': 18797, 'ecology': 10972, 'unnatural': 34394, 'ifmarkwatneycoulddoit': 16404, 'actualfacts': 1845, 'taliban': 32188, 'afghani': 2069, 'stronghold': 31443, 'valve': 34771, '2089': 516, 'amusement': 2648, 'suv': 31945, 'systematically': 32101, 'suoermarket': 31706, 'outlive': 23672, 'zatural': 36733, 'mgnrega': 20928, 'deceleration': 9215, 'statcan': 30900, 'ded': 9263, 'peut': 24632, 'palisade': 23944, 'nicholas': 22463, 'bertram': 4369, 'suggestive': 31620, 'singlepoint': 29804, 'otcqb': 23605, 'sing': 29791, 'klen': 18471, '505': 1050, 'succumbs': 31579, 'cookinginacrisis': 7903, 'lighter': 19277, 'banter': 3912, 'gaming': 13783, 'aahh': 1567, 'c920s': 5708, 'secureyourinfo': 28953, 'alfred': 2360, 'dupuy': 10769, 'sono': 30362, 'hop': 15910, 'hehe': 15417, 'apt': 3024, 'unapologetic': 34115, 'comedic': 7291, 'downright': 10535, 'laughable': 18904, 'allender': 2409, 'stampitout': 30839, 'uktogether': 34072, 'integrated': 17145, 'dilutes': 9908, 'decreasing': 9260, 'xrp': 36476, 'spear': 30511, 'villager': 35049, 'gatsi': 13847, 'mutasa': 21811, 'searchenginemarketing': 28901, 'arguably': 3084, 'enthusiastically': 11534, 'wt': 36370, 'vessel': 34961, 'landingpage': 18807, 'contentcreator': 7793, 'inmate': 16998, 'zeppelin10': 36761, 'overloaded': 23753, 'roche': 27919, 'couriered': 8290, 'everydayimhustlin': 11851, 'snapped': 30109, 'outweighs': 23705, 'abd': 1605, 'contaminating': 7780, 'specimen': 30533, 'doom': 10455, 'undeserving': 34231, 'bubbly': 5438, 'belgique': 4277, 'ensemblecontrecorona': 11508, 'forextrading': 13234, 'marketnews': 20335, 'toyota': 33369, 'nissan': 22533, 'honda': 15871, 'automaker': 3536, 'fmcy': 13014, 'boksburg': 4894, 'axios': 3643, 'coronavaccine': 8119, 'hateisavirus': 15213, 'aapi': 1576, 'amplify': 2631, 'sasse': 28549, 'amdmt': 2563, 'bipartisan': 4600, 'hadda': 14914, 'heldmybreaththewholetime': 15434, 'lihue': 19282, '09093052802': 123, 'ehub': 11122, 'node': 22596, 'reinforce': 27061, 'cgiar': 6389, 'maximizes': 20528, 'captaintrips': 5970, 'tpformybunghole': 33377, 'emphasised': 11327, 'picturesof': 24769, 'naiwan': 21959, 'ay': 3645, 'nissin': 22534, 'hpcl': 16057, 'cmd': 7081, 'mk': 21224, 'surana': 31846, 'dicuss': 9812, 'homedepot': 15821, 'etailer': 11740, 'mongolia': 21406, 'abruptly': 1660, 'northeastern': 22711, 'chipchirps': 6688, 'vlsiresearch': 35163, 'vlsi': 35162, 'ic': 16310, 'tmas': 33086, 'slid': 29970, 'influenced': 16908, 'cheerful': 6553, 'firebomb': 12774, 'ncb': 22150, 'tina': 33027, 'glnrtoday': 14218, 'inherently': 16964, 'unequal': 34256, 'microprocessing': 20974, 'digitallife': 9879, 'fueledby': 13604, 'damanding': 8958, 'pitiful': 24858, 'ohioprimary': 23200, 'jake': 17605, 'commenced': 7331, 'fbi': 12431, 'possession': 25254, 'cleaningmachine': 6937, 'leap': 18995, 'legco': 19050, 'virtuallybartable': 35098, 'oakland': 23016, 'dovish': 10514, 'datuk': 9069, 'jhawk': 17764, 'willfully': 36002, 'precise': 25436, 'hazmat': 15269, 'duck': 10716, 'revealing': 27630, 'elevate': 11202, 'consciousness': 7643, 'collectivemindpower': 7232, 'tov': 33350, 'vienna': 35019, 'motiongraphics': 21551, 'aftereffect': 2091, 'digitalart': 9862, 'visualeffects': 35134, 'vfx': 34973, 'cannon': 5911, 'realitycheck': 26731, 'telescope': 32446, 'examination': 11909, 'aways': 3625, 'unimpressed': 34314, 'mailorder': 20046, 'unpopular': 34412, 'amenity': 2574, 'rentstrike': 27224, 'rentrelief': 27223, 'greedoverpe': 14615, 'shal': 29282, 'frnds': 13516, 'lymphoma': 19880, 'chemotherapy': 6585, 'servicers': 29190, 'bulgaria': 5489, 'restoring': 27480, 'fav': 12406, 'rescheduling': 27341, 'bursting': 5568, 'sizeable': 29853, 'coronated': 8103, 'eyed': 12139, 'fixture': 12852, 'adulation': 1975, 'payphones': 24309, 'littlefireseverywhere': 19393, 'civet': 6840, 'kilowatt': 18382, 'lifespan': 19264, 'mustardoil': 21804, 'enginemustardoil': 11462, 'enginebrand': 11458, 'stayfit': 30964, 'hedger': 15405, 'feedlot': 12514, 'diverge': 10239, 'buffer': 5462, 'tasmanian': 32270, 'subsidised': 31546, 'ccea': 6237, 'approves': 3003, 'hogan': 15751, 'sagamore': 28305, 'aopportunities': 2878, 'industryanalysisadsmurai': 16848, 'kvoenews': 18667, 'butting': 5641, 'teeth': 32418, 'noonegoeshungry': 22667, 'evangelical': 11820, 'judaism': 17916, 'adopted': 1960, 'delimitation': 9406, 'isolationdiaries': 17469, 'coding': 7149, 'dnd': 10296, 'requiermasksworn': 27325, 'wearamask': 35541, 'zelle': 36749, '1952': 380, 'trauma': 33522, 'thankunext': 32617, 'selfquarantined': 29054, 'guyzz': 14878, 'thepeople': 32737, 'anyhow': 2866, 'coronakrise': 8063, 'decontamination': 9251, 'coronavarkenruhhalim': 8120, 'waterpeacesecurity': 35483, 'debbie': 9187, 'dougherty': 10504, 'defecate': 9296, 'trinitysswellness': 33616, 'donegal': 10404, 'reassess': 26774, 'scarfacediary': 28701, 'worldhealthday2020': 36268, 'subzeroflow': 31567, 'relearn2020': 27107, 'toiletpaper911': 33145, 'desinfection': 9620, 'cineplex': 6802, 'pcl': 24329, 'bt13': 5423, 'bt12': 5422, 'soarin': 30173, 'toiletpaperblues': 33149, 'stenographer': 31090, 'spoof': 30636, 'sendhelp': 29098, 'coronaplus': 8085, 'polypropylene': 25145, 'decon': 9248, 'gorollick': 14431, 'powersports': 25343, 'jlmco': 17792, 'jlmcobrand': 17793, 'overcrowding': 23731, 'spre': 30677, 'cheapgas': 6528, 'precisely': 25437, 'deluge': 9437, 'marketwatch': 20348, 'brough': 5378, '1person': 447, 'entryway': 11550, 'leveraging': 19166, 'methodology': 20899, 'bareshares': 3933, 'measuring': 20646, 'hkt': 15697, 'milkdumping': 21048, 'accentuated': 1710, 'jubilee': 17915, 'orchard': 23508, 'clavey': 6918, 'paddlesports': 23888, '826': 1387, 'contaminatedwithstupid': 7779, 'dontbeadick': 10417, 'monkey': 21420, 'lockedupwithatoddler': 19563, 'elbowing': 11155, 'collapsitarian': 7219, 'lasted': 18855, 'adidas': 1910, 'collab': 7206, 'ggsm': 14068, 'progess': 25755, 'ftxp': 13566, 'ewll': 11894, 'abce': 1603, 'biel': 4494, 'gcgx': 13887, 'tptw': 33392, 'fonu': 13071, 'pctl': 24334, 'fuelpricehike': 13609, 'scot': 28797, 'chihuahua': 6634, 'shortcrust': 29561, 'ukfood': 34048, 'lockdownmalaysia': 19535, 'prejudice': 25470, 'misperceptions': 21174, 'stupidly': 31491, 'nascar': 22028, 'deprivation': 9557, 'bootleg': 4973, 'reorganizing': 27231, 'redecorating': 26891, 'bucket': 5444, 'pibfactcheck': 24745, 'agoraphobia': 2161, 'justly': 17992, 'allocate': 2426, 'unjustly': 34362, 'illustrated': 16492, 'digitalmedia': 9883, 'digitalmarketers': 9881, 'whodat': 35911, 'cer': 6345, 'foremost': 13220, 'thx': 32955, 'givingback': 14177, 'guerlain': 14805, 'parfumschristiandior': 24125, 'diorparfums': 9943, 'dior': 9942, 'givenchybeauty': 14172, 'givenchy': 14171, 'optionalize': 23496, 'pilea': 24792, 'prayerplant': 25400, 'overwhelms': 23807, 'ope': 23421, 'pleasesomeonehelp': 24970, 'arvin': 3203, 'irrigation': 17414, 'hose': 15948, 'wefeedyou': 35625, 'davinci': 9083, 'gelato': 13917, 'operates': 23444, 'yegfoodie': 36550, 'edmontonlocal': 11051, 'stalbert': 30828, 'relearn': 27106, 'trinidad': 33614, 'tobago': 33105, 'qild': 26188, 'australiansbeingaustralians': 3507, 'hurtin': 16194, 'rotunden': 28027, 'dkk': 10284, 'smfh': 30061, 'docente': 10306, 'tiempos': 32972, 'enkil': 11478, 'michelle': 20952, 'louisvuitton': 19708, 'eczema': 11022, 'psoriasis': 25978, 'southbeachsymposium': 30420, 'dermatology': 9584, 'hinshaw': 15656, 'quarantinethoughts': 26273, 'crazytimes': 8447, 'sinc': 29780, 'foodprices': 13130, 'cursing': 8771, 'scrappage': 28821, '72m': 1298, 'heater': 15382, 'hct': 15283, 'oll': 23276, 'spilling': 30580, 'kohat': 18535, 'kp': 18577, 'dampness': 8974, 'kubwa': 18632, 'wan': 35352, 'spoil': 30617, 'aedc': 2022, 'kay': 18149, 'ducing': 10715, 'beautynews': 4158, 'welding': 35665, 'pfizer': 24640, 'lease': 19008, 'atl': 3375, 'nyy': 23002, 'harmed': 15161, 'preclude': 25438, 'relitigating': 27137, 'santamonica': 28492, 'trumprecession': 33729, 'verge': 34929, 'archaeologist': 3055, 'nash': 22032, 'l1jhx4wml': 18695, 'socialdistancehumor': 30201, 'stimuluspackage': 31175, 'dove': 10511, 'coronabullshit': 8012, 'cvirus': 8842, 'bloomin': 4780, 'pannier': 24050, 'flatbattery': 12888, 'itscoronatime': 17526, 'over40andfabulous': 23711, 'kevinhart': 18285, 'boredaf': 4993, 'bitcoins': 4627, 'iwasthinking': 17556, 'comical': 7311, 'interconnected': 17177, 'rampant': 26544, 'fatbergs': 12389, 'moovers': 21463, 'movingday': 21601, '458': 967, 'dumbteens': 10744, 'lite': 19372, 'eau': 10928, 'parfum': 24124, 'restezchezvous': 27468, 'rafaelgonzalezesq': 26453, 'workerscompensation': 36222, 'mosque': 21528, 'kishon': 18425, 'quantum': 26235, 'fiatcurrency': 12604, 'samanthaellenlambert': 28393, 'businessfair': 5598, 'cludger': 7065, 'paradigmatic': 24085, 'netfl': 22296, 'prakash': 25382, 'statistical': 30925, 'importbills': 16619, '6months': 1259, 'courteously': 8294, 'reasoning': 26770, 'ongt': 23342, 'gwa': 14885, 'upfront': 34525, 'taro': 32256, 'aso': 3271, 'taroaso': 32257, 'consumptiontax': 7756, 'financeministry': 12700, 'bandit': 3868, 'midweek': 21006, 'weber': 35581, 'shandwick': 29308, 'bcw': 4105, 'amo': 2617, 'constellation': 7683, 'onlywith': 23383, 'retailwire': 27559, 'braintrust': 5143, 'ken': 18235, 'dialog': 9782, 'idiopathic': 16375, 'aggression': 2142, 'suriname': 31868, 'sao': 28508, 'tome': 33213, 'principe': 25630, 'everlywell': 11843, 'donaldjtrump': 10392, 'trumpdemic': 33692, 'cellular': 6308, 'saar': 28224, 'devon': 9729, 'phillips66': 24688, 'continental': 7804, 'harold': 15169, 'hamm': 15003, 'swachhabit': 31962, 'swasthbharat': 31975, 'cvoid19': 8844, 'coronakodhona': 8062, 'interpreted': 17220, 'vt': 35232, 'seized': 29005, 'spiritedaway': 30592, 'steroplast': 31127, 'tsos': 33783, 'positioning': 25239, 'clipper': 7008, '2b': 690, 'outbid': 23638, 'almost800': 2454, 'eway': 11891, 'stayingintouch': 31014, 'puttingclientsfirst': 26145, 'casemanagement': 6116, 'oriental': 23551, 'tsar': 33770, '345': 805, 'negotiate': 22246, 'abc7ny': 1602, 'abcnews': 1604, 'propertymarket': 25834, 'circulated': 6817, 'zionist': 36789, 'naturalproducts': 22089, 'lavender': 18927, 'naturalhandsanitizer': 22086, 'nushratbharucha': 22936, 'bandra': 3871, 'neologism': 22272, 'troopermarket': 33642, 'guarded': 14794, 'deliverer': 9418, '00hrs': 13, 'inadvertently': 16682, 'contageous': 7763, 'echoshow': 10961, 'echo': 10958, 'smartome': 30040, 'nationalbeerday': 22050, 'hipster': 15665, 'dreamed': 10604, 'frozenfoods': 13539, 'refrigeratedfoods': 26991, 'tt21csatoh': 33788, 'falcone': 12261, 'wanstead': 35369, 'pairwise': 23922, 'choosehope': 6726, 'abortionisessential': 1642, 'wound': 36319, 'teargasing': 32364, 'tfw': 32573, 'happiest': 15108, 'truerfacts': 33675, 'amnotwriting': 2616, 'php5': 24727, 'php8': 24728, 'yoorekka': 36615, 'socialimprovement': 30216, 'clique': 7009, 'deadlier': 9150, 'madeinamerica': 19949, 'weknowplay': 35657, 'alqesieei': 2471, 'mbz': 20567, 'irreparable': 17405, 'steroid': 31126, 'dramatise': 10580, 'nuance': 22894, 'hodl': 15744, 'xrpcommunity': 36477, 'pw': 26156, 'childpoverty': 6640, 'defining': 9328, 'manoj': 20231, 'jinia': 17784, 'sarkar': 28537, 'prativa': 25389, 'adamas': 1856, 'adamasuniversity': 1857, 'educationplus': 11064, 'soonest': 30368, 'demon': 9469, 'phased': 24670, 'peoplearelosingtheirminds': 24451, 'straw': 31375, 'camel': 5828, 'mami': 20153, 'mammoth': 20156, 'here2help': 15534, 'remoteworking': 27187, 'premierleague': 25479, 'homecoming': 15813, '8nn': 1453, 'upmarket': 34541, 'ezinne': 12150, 'aja': 2262, 'yan': 36509, 'supportive': 31813, '2w': 737, 'hooked': 15901, 'maw': 20521, 'bhagat': 4447, 'shaktikanta': 29280, 'realistically': 26729, 'nerve': 22280, 'economicimpact': 10996, 'onlinesales': 23369, 'blyth': 4817, 'queses': 26321, 'activating': 1827, 'trumpet': 33697, 'convincing': 7888, 'delete': 9383, 'peopleoverprofit': 24461, 'precipitously': 25435, 'attrition': 3435, 'thame': 32589, 'haddenham': 14915, 'longcrendon': 19619, 'chinnor': 6685, '250rs': 628, 'villa': 35047, '6km': 1254, 'ghanaian': 14074, 'mechanism': 20658, 'citic': 6827, 'emblematic': 11268, 'instill': 17105, 'promach': 25795, 'labelers': 18703, 'comix': 7320, '480ml': 992, 'l902': 18696, 'riaa': 27707, 'soccer': 30188, 'moines': 21341, 'ia': 16283, 'mahesh': 20022, 'vyas': 35255, 'cmie': 7084, 'buxton': 5649, 'brooke': 5365, 'deloitte': 9428, 'toriesout': 33269, 'depresses': 9554, 'outweighing': 23704, 'randomness': 26567, 'wilderness': 35984, 'vanity': 34796, 'brainier': 5139, 'oddball': 23125, 'gnc': 14280, 'shoppe': 29529, 'cornered': 7979, 'pac': 23861, 'clements': 6967, 'weymouth': 35761, 'gargle': 13809, 'throatinfection': 32916, 'bushy': 5584, 'bearded': 4125, 'abdulaziz': 1608, 'keepingbritainmoving': 18198, 'paperindustry': 24066, 'transformation': 33476, 'infirm': 16895, 'dashing': 9038, 'bvi': 5687, 'raygun': 26648, 'tan': 32215, 'beforethe90days': 4222, '692692': 1241, 'usmc': 34657, 'usmilitary': 34658, 'uptrend': 34571, 'gliumedia': 14216, 'stpete': 31342, 'juststop': 18001, 'stayoutofthestore': 31020, 'askskynews': 3267, 'amvca': 2650, 'err': 11646, 'quarantiners': 26270, 'jib': 17768, 'offending': 23154, 'extremly': 12131, 'cud': 8695, 'freefall': 13420, 'crewe': 8511, 'trainfailure': 33449, 'm6': 19897, 'wobble': 36147, 'douse': 10510, 'pantryrecipes': 24055, 'sidedish': 29683, 'motherly': 21545, 'annabelle': 2771, 'doometernal': 10458, 'gadbookclub': 13731, 'kidkrow': 18346, 'ventilated': 34911, 'kmu': 18484, 'panay': 23971, 'piston': 24852, 'repack': 27233, 'kamudirumahya': 18068, 'csnewsonline': 8669, 'rcmp': 26661, 'shoplifter': 29514, 'toiletpapercastle': 33151, 'toiletpaperfort': 33159, 'parasite': 24107, 'fatherdmw': 12393, 'asuu': 3343, 'mc': 20568, 'olumo': 23281, 'ozzy': 23848, 'efcc': 11077, 'agegeunrest': 2124, 'johnclive': 17841, 'hypothetically': 16277, '700cr': 1269, '100cr': 135, '200cr': 470, 'jln': 17794, '500cr': 1039, 'rajiv': 26498, 'whitehousebriefing': 35890, 'implented': 16603, 'positively': 25243, 'synclarity': 32080, 'flipped': 12951, 'richer': 27729, 'yeswaystores': 36577, 'loyalist': 19756, 'cargo': 6032, 'slippin': 29984, 'lamu': 18789, 'bra': 5121, 'aquaman': 3030, 'ressurected': 27456, '12am': 224, 'existent': 11986, 'gafoors': 13737, 'imcresed': 16528, 'plss': 25000, 'bugging': 5469, 'departmentofhealth': 9519, 'rdp': 26669, 'tidbit': 32966, 'elcome': 11156, 'admiralty': 1939, 'nautical': 22105, 'swift': 32005, 'stmarysco': 31197, 'whig': 35856, '68': 1232, 'gta': 14778, 'lockdownontario': 19543, '8th': 1458, 'grader': 14516, 'publicized': 26021, 'a00': 1555, 'ingot': 16954, 'rmb570': 27861, 'alumina': 2504, 'rmb32': 27860, 'a00aluminium': 1556, 'aluminaprice': 2505, 'alcircle': 2326, 'chilloraspitter': 6651, 'spittingonfruit': 30602, 'spreadingvirus': 30683, 'spittingonproduce': 30603, 'lowtrust': 19753, 'waffle': 35265, 'stomping': 31245, 'untill': 34483, 'incourage': 16742, 'proudest': 25924, 'pacificcolorgraphics': 23866, 'ping': 24823, 'pong': 25152, 'ancillaries': 2691, 'hoardshaming': 15731, 'lockdown2': 19510, 'meatpackers': 20653, 'ff7r': 12583, 'dumper': 10748, 'memestagram': 20787, 'whoslaughingnow': 35931, 'masshysteria': 20454, 'notsofunny': 22809, 'mull': 21707, 'carb': 5984, 'cca': 6236, 'protecteveryone': 25889, 'ranging': 26576, 'microsoftads': 20981, 'cincy': 6799, 'ludacris': 19794, 'postbox': 25262, 'roundup': 28040, 'beconsiderate': 4178, 'wearamaskinpublic': 35542, 'donttouchyourface': 10448, 'dontstandtoclosetome': 10443, 'banegaswasthindia': 3875, 'minimizes': 21113, 'rambling': 26529, 'countryside': 8278, 'drie': 10616, 'bettel': 4409, 'truthout': 33760, 'sherlock': 29410, 'ref': 26951, 'wildalaskapollock': 35980, 'elusive': 11246, 'nautic': 22104, 'saucer': 28573, 'retreated': 27590, 'rabid': 26413, 'faux': 12405, 'neglected': 22241, 'groceryindustry': 14698, 'onlinegrocery': 23357, 'localstores': 19495, 'fooddeliveryapp': 13097, 'thalis': 32588, 'frog': 13518, 'fayville': 12422, 'kinlaw': 18409, 'leavitt': 19022, 'prod': 25711, 'yogurt': 36607, 'maneuvered': 20191, 'vogel': 35179, 'jeopardized': 17717, 'news12': 22364, 'nycs': 22980, 'cumberland': 8718, 'becuase': 4182, 'wyt': 36433, 'consumerpsychology': 7740, 'disasterpreparedness': 10004, 'morton': 21520, 'ultimatum': 34085, 'recreate': 26864, 'clapat8': 6878, 'shoddy': 29479, 'sencorp': 29095, 'calmed': 5809, 'askreuters': 3265, 'selfisolate': 29039, '3months': 885, 'tactile': 32130, 'makazoti': 20085, 'mabcp': 19902, 'enyu': 11569, 'akamira': 2271, '855': 1411, '9507': 1506, 'pete': 24592, 'stayho': 30972, '21days': 552, 'treacherous': 33554, 'thur': 32944, 'shortness': 29572, 'discharged': 10018, 'mahindra': 20024, 'beverly': 4423, '192': 367, 'pct': 24333, 'siouxland': 29816, 'fortinos': 13286, 'ruining': 28124, 'bolted': 4908, 'randpaul': 26570, 'haiti': 14955, 'pandaemonium': 23977, 'nationalexpress': 22053, 'wbz': 35509, 'eo': 11571, 'chittagong': 6696, 'chakaria': 6409, 'coxsbazar': 8357, 'surefire': 31851, 'henk': 15510, 'zwoferink': 36848, 'rgl': 27691, 'workinghard': 36239, 'respecting': 27425, 'dedicatedpeople': 9266, 'millenniumbug': 21061, 'argy': 3095, 'bargy': 3938, 'y2kbug': 36494, 'y2k2dpanic': 36493, 'broendby': 5353, 'pictureeditor': 24768, 'ida': 16348, 'guldbaek': 14837, 'arentsen': 3076, 'murderer': 21770, 'handkerchief': 15042, 'stoppage': 31282, 'nrtnews': 22870, 'workaround': 36215, 'vpns': 35226, 'dataprotection': 9052, 'hallway': 14988, 'insurtech': 17138, 'materialised': 20487, 'digitalisation': 9876, 'howtoloseaguyintendays': 16052, 'howtokeepaguyfortendays': 16050, 'quilton': 26356, 'tinder': 33029, 'netflixandchill': 22298, 'cest': 6363, 'futureconsumernow': 13693, 'branson': 5174, 'artofthewipe': 3193, 'helpushelpyou': 15488, 'bekindtooneanother': 4266, 'babysitting': 3709, 'seaborne': 28879, 'sequentially': 29158, 'incentivizing': 16700, 'wildcard': 35981, 'stopstocking': 31294, 'latenightstudio': 18876, 'edmfam': 11044, 'edmlife': 11045, 'deathmetal': 9177, 'pineda230': 24820, 'druggist': 10663, 'flirting': 12954, 'prolly': 25788, 'hullootrahihai': 16119, 'pausing': 24276, 'accumulation': 1758, 'portrait': 25222, '155': 286, '709': 1280, 'workera': 36220, 'documentation': 10322, 'twitterstorians': 33935, 'endsnow': 11417, 'blindingly': 4732, 'frivolous': 13514, 'garibay': 13810, 'outspoken': 23697, 'geissler': 13912, 'scumbag': 28863, 'painkiller': 23914, 'brandenburg': 5158, 'quicker': 26341, 'meh': 20743, 'webiar': 35582, 'wrawp': 36333, 'healthyandtasty': 15349, 'nomeatnoproblem': 22627, 'plantbased': 24914, 'collaborative': 7211, 'disarray': 10000, 'r80': 26403, 're3': 26671, 'valentine': 34753, 'unplayable': 34409, 'residentevil3remake': 27381, 'mooc': 21447, '140k': 258, 'trifold': 33603, 'keepingup': 18201, 'positivenews': 25244, 'spammer': 30475, 'protectyourfamily': 25904, 'personalprotectionequipments': 24559, 'commando': 7327, 'aacounty': 1566, 'teleprompter': 32445, 'staffer': 30805, 'coconut': 7139, 'gilligansisland': 14135, 'theprofessoe': 32741, 'gilligan': 14134, 'theskipper': 32773, 'themillionaireandhiswife': 32718, 'themoviestar': 32719, 'maryann': 20401, 'castaway': 6145, 'hopped': 15920, 'pear': 24356, 'shameonhul': 29297, 'minnetonka': 21131, 'seahawks': 28887, 'celebfcfamily': 6290, 'impervious': 16597, '510k': 1067, 'yantongtech': 36516, 'funnycomic': 13660, 'phall': 24650, 'intervenes': 17234, 'curbing': 8747, 'sensitive': 29128, 'har': 15128, 'superdrugs': 31721, 'pizzeria': 24873, 'arise': 3102, 'enacting': 11377, 'longlines': 19626, 'videoconferencecallicebreaker': 35006, 'buybandmerch': 5654, 'supportlivemu': 31815, 'seater': 28915, 'prayfornigeria': 25403, 'watiyankha': 35488, 'soy': 30454, 'letsplayagame': 19144, 'mushy': 21787, 'retailheroes': 27533, 'dialing': 9781, 'bruceleroy': 5391, 'thelastdragon': 32709, 'shonuff': 29485, 'shogunofharlem': 29483, 'sundayfunday': 31677, 'liveyourbestlife': 19423, 'locates': 19499, 'erased': 11627, 'munya': 21760, 'unwarranted': 34498, 'bt19': 5424, 'talented': 32187, 'bogart': 4871, 'exert': 11971, 'extracted': 12115, 'carcase': 5992, 'distort': 10201, 'truman': 33680, 'inherent': 16963, 'jbarreralaw': 17672, 'endemic': 11400, 'ratehub': 26617, '23k': 599, 'korang': 18560, 'berpusu': 4365, 'pusu': 26137, 'beratur': 4340, 'tu': 33795, 'chishimba': 6693, 'kopalasmostloved': 18557, 'emptiness': 11354, 'egoistic': 11111, 'weakest': 35524, 'hamstern': 15023, '1945': 377, 'babyboom2020': 3699, 'diced': 9798, 'furn': 13677, 'shebbak': 29361, 'sollom': 30310, 'unfold': 34276, 'whoateallthepies': 35910, 'brocklebank': 5350, 'hers': 15555, 'beerforkeir': 4207, 'keepingtheukconnected': 18200, 'argues': 3089, 'redid': 26907, 'creature': 8469, 'vsp': 35231, 'wigamesnightcaribbean': 35972, 'specified': 30530, 'kotak': 18572, 'nbfcs': 22140, 'comparti': 7416, 'esta': 11714, 'nosotros': 22746, 'donde': 10402, 'trabajaba': 33396, 'fresas': 13462, 'despu': 9643, 'lluvia': 19452, 'semana': 29075, 'frontpage': 13534, 'flourishing': 12985, 'reunite': 27614, 'cfc84': 6373, 'freddy': 13408, 'krueger': 18616, '19950101': 408, 'studentloans': 31465, 'fayettevillear': 12421, 'nwark': 22962, 'precedented': 25428, 'docket': 10310, 'wholeheartedly': 35916, 'tt': 33787, 'inconsideration': 16729, 'myers': 21847, 'michaelmyers': 20946, 'evdekal': 11827, 'careaboutotherpeople': 6009, 'lover': 19730, 'indipendents': 16815, 'lunchtime': 19822, 'teammate': 32352, 'nopee': 22676, 'regretting': 27036, 'bisleri': 4619, 'combine': 7283, 'fincen': 12728, 'chadwick': 6398, 'bps': 5119, 'stayhealthstayathome': 30967, 'milled': 21055, 'avesta': 3584, 'srapionov': 30756, 'uzbekistan': 34716, 'anx': 2857, 'confessing': 7561, 'brainstorm': 5141, 'capitec': 5957, 'kerzner': 18271, 'busines': 5591, 'electrosan': 11192, 'cheshirebusiness': 6602, 'cripple': 8531, '2cchpszvpk': 696, 'lyckszozqf': 19869, 'closeyourdoors': 7036, 'levitation': 19169, 'denton': 9510, 'deflationary': 9338, 'erupted': 11652, 'trav': 33526, 'kidstogether': 18355, 'youngrappers': 36641, 'funnyvideo': 13665, 'doublestandards': 10496, 'stopbeingdicks': 31264, 'teasmith': 32368, '2kill': 713, '2the': 734, 'martini': 20388, 'krisiallen': 18606, 'shieet': 29420, 'naga': 21936, 'imt': 16665, 'adheres': 1906, 'nec': 22207, 'aoc': 2875, 'mushroom': 21785, 'remake': 27152, 'affiliation': 2052, 'forty': 13298, 'pincher': 24817, 'pond': 25148, 'disturbed': 10226, '1t': 452, 'saud': 28574, 'especial': 11680, 'hdmotors': 15291, 'kathmandu': 18123, 'heeley': 15414, 'tilt': 33002, 'cleantech': 6949, 'cleanenergy': 6931, 'ceausescu': 6275, 'tempting': 32476, 'clog': 7016, 'ufifas': 34013, 'aquilo': 3035, 'venho': 34905, 'sofrer': 30263, 'janeiro': 17635, 'snood': 30137, 'externality': 12102, 'pigouviantax': 24787, 'wordcloud': 36207, 'americanconsumers': 2582, 'socialintelligence': 30218, 'socialanalytics': 30193, 'fishbulb': 12810, 'cheddar': 6548, 'rst': 28081, 'zew': 36768, 'rstjokeimdaswelt': 28082, 'solves': 30319, 'hunkerdown': 16172, 'pervasive': 24574, 'semiconductoranalytics': 29083, 'defensive': 9310, 'microchip': 20968, 'infinitesimal': 16893, 'programmed': 25761, 'bioahazard': 4567, 'biohazardband': 4581, 'lopsided': 19667, 'pandemicpreparedness': 23998, 'rollstp': 27971, 'filt': 12679, 'counseling': 8246, '5124': 1069, 'zip': 36791, 'trumpsupporters': 33733, 'existence': 11985, 'sauntered': 28585, 'usain': 34612, 'bolt': 4907, 'galway': 13770, '937': 1494, 'thinkbig': 32822, 'cryptoc': 8647, 'outbidding': 23639, 'tagging': 32138, 'savile': 28620, 'jacuzzi': 17588, 'anheuserbusch': 2747, 'relentlessly': 27116, 'flexed': 12932, 'sticktogether': 31150, 'andreas': 2706, '3yr': 904, 'pl': 24885, 'thosewerethedays': 32882, 'ijustwantedtomakebreakfast': 16458, 'donttouchme': 10447, 'blindspot': 4734, 'truestory': 33676, 'minxy': 21144, 'kearneymea': 18174, 'commissioned': 7351, 'blinking': 4736, 'devoe': 9727, 'owl': 23819, 'brighter': 5292, 'dim': 9909, 'orbit': 23506, 'maddening': 19943, 'renamed': 27197, 'jackass': 17573, 'tosser': 33295, 'bbcbreakfast': 4075, 'selfcaresunday': 29019, 'auntie': 3473, 'pedophile': 24372, 'keenly': 18180, 'knucklehead': 18521, 'collapse2020': 7215, 'brix': 5329, 'ofori': 23183, '5bn': 1136, 'agric': 2172, 'tv3newday': 33890, 'buzzer': 5684, 'defend': 9301, 'blew': 4724, 'cuffing': 8700, 'deleting': 9386, 'takemeback': 32162, 'ayuk': 3657, 'unofficial': 34400, 'bts': 5428, 'bighit': 4511, 'twt': 33942, 'hereos': 15540, 'sau': 28571, 'whpresser': 35933, 'healthcaretech': 15326, 'digitalhealth': 9873, 'directs': 9968, 'homepage': 15845, 'casey': 6117, 'critter': 8559, 'sitter': 29835, '844': 1399, '9554': 1514, 'diluted': 9907, 'lindsayfield': 19317, 'kilbride': 18364, 'manasarovar': 20166, 'ushodyay': 34654, 'knos': 18507, 'convid9': 7884, 'benifit': 4326, 'globalising': 14228, 'phanish': 24652, 'puranam': 26085, 'plano': 24911, 'flushable': 13005, 'wetwipes': 35750, '35bn': 821, '316day': 778, 'servicedog': 29185, 'hardtimes': 15147, 'furbabylove': 13670, 'cbdofri': 6222, 'canamed': 5865, 'boomerconsumer': 4959, 'whatwouldmojodo': 35808, 'istandwiththepresident': 17497, 'cashinginonacrisis': 6130, 'boycot': 5091, 'alhamdulillah': 2370, 'failsworth': 12225, 'oldham': 23263, 'foodparcel': 13128, 'mancity': 20172, 'needhelp': 22223, 'evisceration': 11880, 'ministerial': 21122, 'blunder': 4812, 'dropoff': 10648, 'ngl': 22425, 'theoffice': 32728, 'brevity': 5253, 'dawned': 9092, 'watcher': 35471, 'switzer': 32033, 'stapledon': 30861, 'houseprices': 16012, 'barging': 3937, '2ft': 704, 'dietician': 9834, 'gunna': 14853, 'nonporous': 22653, '18k': 356, 'tamu': 32213, 'jackdaniels': 17575, 'hughes': 16111, '15b': 292, 'impairment': 16585, 'citing': 6829, 'mor': 21471, 'communal': 7377, 'westmemphis': 35729, 'mcclendon': 20575, 'wapuu': 35377, 'americanheroes': 2585, 'trademe': 33416, 'harbinger': 15135, 'fatality': 12387, 'tryplants': 33768, 'goplantbased': 14423, 'vegandiet': 34868, 'headache': 15295, 'lunacy': 19816, 'ebolavirus': 10946, 'snl': 30136, 'follome': 13053, 'retweetme': 27609, '411': 929, 'shoppi': 29535, 'drift': 10619, 'drongo': 10644, 'mogadon': 21328, 'basicincome': 3997, 'counteract': 8255, 'strive': 31431, 'styrene': 31503, 'quezon': 26335, 'profitably': 25739, 'giveanditshallbegiven': 14160, 'heavenseconomy': 15393, 'blessedbeyondmeasure': 4721, 'rationality': 26626, 'objectivity': 23046, 'economicstimulus': 11005, 'defiant': 9321, 'gourav': 14454, 'vishwakarma': 35117, 'berkhera': 4352, 'pathani': 24234, 'bhopal': 4468, 'madhya': 19957, 'expedited': 12015, 'innovating': 17012, 'resentment': 27360, '1986': 397, 'cautiousness': 6211, 'cemented': 6311, '10c': 162, 'acetaminophen': 1775, 'kwality': 18673, 'ludhiana': 19795, 'unbearable': 34127, 'datascience': 9053, 'abi': 1621, 'wooglobe': 36197, 'spiralling': 30588, 'grossed': 14726, 'curiosity': 8756, 'bathrobe': 4027, 'speedo': 30548, 'dreamt': 10608, 'hemorrhage': 15499, 'everyting': 11867, 'bigshop': 4517, 'cyberbullying': 8852, 'concealer': 7504, 'chewing': 6610, 'gum': 14844, 'pringles': 25632, 'manual': 20238, 'loop': 19652, 'pakistnai': 23933, 'gridlock': 14652, 'nea': 22193, 'sidelined': 29685, 'contaminant': 7776, 'saturdayshoutout': 28567, '5amwritersclub': 1133, 'matched': 20480, 'caseload': 6115, 'adviceline': 2006, '0344': 64, '477': 986, '1171': 195, 'hyperdrive': 16259, 'onitsha': 23344, 'sensitized': 29131, 'bbdelivers': 4082, 'justritehomedelivery': 17995, '218': 548, 'germtransfer': 14010, 'healthworkers': 15347, 'curbsidepickup': 8749, 'trumpcountry': 33689, 'grandforksfinest': 14539, 'grandforksstrong': 14540, '371': 840, '159': 291, 'selfquarantineandchill': 29052, 'ucr': 34000, 'hazardous': 15263, 'antiaging': 2819, 'gether': 14035, 'roaming': 27884, 'kilcock': 18366, 'kildare': 18367, 'bleaching': 4710, 'rick': 27734, 'buybritish': 5657, 'sustained': 31939, 'seemslegit': 28989, 'westernjournal': 35722, 'thewesternjournal': 32792, 'nastiness': 22042, 'elnenythings': 11236, 'relied': 27124, 'simplest': 29758, 'formulation': 13267, '1gal': 431, 'comfy': 7309, 'ferret': 12560, 'dontforgetyourpets': 10428, 'whipsawed': 35872, 'psych': 25983, 'hoboken': 15738, '255': 633, 'paidleaveforall': 23904, 'overhear': 23746, 'classless': 6909, 'academictwitter': 1697, 'bagged': 3780, 'derrick': 9587, 'chubbs': 6764, 'waay': 35260, 'pressrelease': 25539, 'ktv': 18628, 'moring': 21494, 'day8': 9116, 'bnm': 4828, 'dimmed': 9922, 'axaltabrightfutures': 3640, 'chemistryfightscovid': 6581, 'medicinal': 20702, 'chn': 6708, 'edutwitter': 11067, 'shakeup': 29276, 'montgomery': 21435, 'angelamerkel': 2727, 'shrinking': 29614, 'nig': 22484, 'oilfield': 23217, 'analystopinion': 2669, 'levy': 19171, 'humbly': 16142, 'dag': 8907, 'rippling': 27804, 'societal': 30243, 'crimp': 8526, 'cherry': 6597, 'goettingen': 14321, 'skyrock': 29920, 'worldpoetryday': 36275, 'juststopit': 18002, 'preexisting': 25456, '438': 950, 'trebilcock': 33565, '60th': 1186, 'thinblueline': 32812, 'whip': 35865, 'durbin': 10778, 'luminate': 19810, 'seattlecovid19': 28922, 'seattlelockdown': 28924, 'truely': 33674, 'acknowledging': 1796, 'gentle': 13966, 'franchisees': 13367, 'leniency': 19097, 'murdered': 21769, 'avenge': 3572, 'losangeleslockdown': 19677, 'thisisnuts': 32856, 'inverness': 17295, 'presenting': 25518, 'roe': 27940, '845': 1401, '651': 1217, '4025': 913, 'orangecounty': 23505, 'warwickny': 35418, 'floridany': 12976, 'goshenny': 14435, 'almond': 2452, '6t': 1262, 'macdill': 19913, 'breakout': 5218, 'gradual': 14518, 'cuarentenaobligatoriaya': 8688, 'withdrawn': 36105, 'thisisww3': 32860, 'koka': 18541, 'happybirthday': 15113, 'sweet16': 31993, 'gene': 13932, 'plauge': 24937, 'gunk': 14851, 'wiggle': 35974, 'ohtobebacktonormal': 23205, 'easter2020': 10887, 'overnights': 23759, 'findthegood': 12736, 'brightside': 5297, 'overdirty': 23732, 'grievance': 14654, 'claire': 6868, 'piper1': 24840, 'norwich': 22735, 'ipswich': 17365, 'burystedmunds': 5572, 'cozy': 8361, 'dyk': 10824, 'depts': 9565, 'budens': 5454, '15k': 296, 'chang': 6437, 'bailed': 3797, 'voteblue': 35211, 'presentation': 25515, 'sessi': 29199, 'khopoli': 18322, 'maharastra': 20017, 'hamsterkauf': 15021, 'kaufen': 18138, 'brazen': 5193, 'kootenay': 18556, 'actresponsible': 1840, 'broz': 5389, '07767164246': 99, 'salmafoodbank': 28370, 'beardedbroz': 4126, 'chek': 6569, 'staywoke': 31050, 'lever': 19162, 'spoonsub': 30647, 'spoonspig': 30644, 'spoonssub': 30646, 'spoonslave': 30643, 'spoonsslave': 30645, 'findom': 12734, 'finsub': 12764, 'paypig': 24310, 'walletrinse': 35328, 'moneyslave': 21401, 'humanotm': 16136, 'cashpig': 6135, 'namin': 21986, 'shamin': 29304, 'callitout': 5798, 'fbpe': 12432, 'endlessly': 11406, 'cpp': 8375, 'scoop': 28789, 'xdna': 36450, '16645': 313, '16973': 315, 'idyllwild': 16394, 'joshua': 17881, 'toughness': 33333, 'itchey': 17512, 'hangnail': 15082, 'buffalo': 5460, 'mutton': 21820, '560': 1106, 'piccard': 24747, 'viruschina': 35107, 'uninfected': 34316, 'meepl': 20722, 'fision': 12820, 'coronanederland': 8072, 'obscure': 23057, 'mesh': 20870, 'synthetic': 32093, 'filtratio': 12683, 'starved': 30892, 'pragati': 25375, 'bhawan': 4463, 'totalitarianism': 33304, 'debashish': 9181, 'mukherjee': 21701, 'mea': 20614, 'determination': 9684, '610': 1188, 'crtuck': 8612, 'apperantly': 2949, 'tightens': 32983, 'grinning': 14674, 'outreach': 23689, 'mole': 21355, 'jock': 17819, 'youcantaskthat': 36627, 'devastated': 9705, '2005': 463, 'studied': 31467, 'rollouts': 27970, 'yahuah': 36500, 'henryk': 15514, 'borawski': 4981, 'wikimedia': 35976, 'cosigned': 8193, 'decisively': 9231, 'derby': 9570, 'lib': 19206, 'ajit': 2266, 'atwal': 3441, 'karl': 18103, 'racine': 26427, 'briefly': 5286, 'devics': 9721, 'finrite': 12762, 'lockdownextention': 19525, 'indian2': 16789, 'seniors2020': 29115, 'buggered': 5468, 'webstore': 35593, 'patriotism': 24256, 'jaihind': 17597, 'twas': 33896, 'southendclt': 30427, 'faggot': 12218, 'abbott': 1596, 'marythuoreality': 20409, 'cooperating': 7922, 'malaysia2020': 20123, 'homeworker': 15863, 'quarantineaintsobad': 26244, 'newsyoucanuse': 22387, 'isitok': 17437, 'maintan': 20064, 'hash': 15197, 'prolongs': 25793, 'judicial': 17927, 'becerra': 4170, 'kiddo': 18345, 'momhack': 21370, 'groceryrun': 14704, 'gratitudeistheattitude': 14582, 'agile': 2146, 'marmite': 20362, 'somkid': 30347, 'vanpoli': 34799, 'evict': 11871, 'lockdownghana': 19526, 'troubling': 33653, 'shitload': 29461, 'maher': 20021, 'azfaal': 3667, 'alter': 2484, 'mongerer': 21404, 'competitively': 7441, 'leaned': 18990, 'emergencyubi': 11287, 'peoplevspelosi': 24465, 'peoplevsschumer': 24466, 'yanggang': 36511, 'homecarers': 15811, 'toryshambles': 33293, 'nmdc': 22564, 'spud': 30717, 'ecogarden': 10968, 'azamax': 3663, 'parryamerica': 24153, 'organicpesticides': 23535, 'outnumber': 23674, 'mcconnell': 20579, 'blasio': 4696, 'angrily': 2741, 'crusty': 8642, 'lens': 19101, 'tweezer': 33908, 'holdchinaaccountable': 15766, 'overflow': 23743, 'amazonprimenow': 2544, 'publixdelivery': 26039, 'readerscommunity': 26691, 'calculation': 5764, 'ididnothoard': 16371, 'ispellzgood': 17482, 'whille': 35858, 'splatoon2': 30609, 'splatoon': 30608, 'wiggers': 35973, 'mcobooktitles': 20599, 'roulette': 28035, 'baffled': 3774, 'shepherd': 29407, 'electrical': 11176, 'unknowingly': 34368, 'explored': 12060, 'unconventional': 34159, 'legging': 19054, 'mazal': 20548, 'uncle': 34146, 'ranch': 26551, 'ishouldntbringthisup': 17433, 'outbreak247': 23641, 'redeploy': 26898, 'missive': 21191, 'ubiquity': 33990, 'thao': 32642, 'gaslighting': 13827, 'anthem': 2813, 'thingstodowithkids': 32818, 'teamboss': 32343, 'jobsite': 17814, 'bosscrane': 5024, 'localfoodtrucks': 19486, 'cranelife': 8413, 'windfarm': 36024, 'ontag': 23392, 'threeseashells': 32903, 'demolitionman': 9468, '10yrs': 178, 'translation': 33491, 'fleer': 12925, 'classwarfare': 6911, 'hawke': 15247, 'innate': 17000, 'laziness': 18957, 'overrules': 23772, 'mingling': 21100, 'sprung': 30716, 'spender': 30560, 'pittis': 24859, 'confuse': 7596, 'nymc': 22988, 'nymcshsp': 22989, 'letsnotbecomeitaly': 19143, 'spoiled': 30618, 'anc': 2683, 'trepidation': 33582, 'gmsd': 14276, 'repurchased': 27313, 'loius': 19596, 'gucci': 14802, 'hugo': 16113, 'blvgari': 4816, 'coronainafrica': 8050, 'drphil': 10657, 'tafara': 32133, 'simms': 29752, 'median': 20672, '193': 370, '271': 659, 'langoliers': 18819, 'newjobs': 22350, 'shenley': 29404, 'superdry': 31722, 'fashionnews': 12371, 'athens': 3362, 'scentiva': 28721, 'foodhoarding': 13109, 'medieval': 20706, 'streamlined': 31383, 'nycidiots': 22975, 'longisland': 19625, 'southampton': 30418, 'blacktwitter': 4675, 'sicker': 29670, 'postpones': 25285, 'engineering': 11461, 'emaswati': 11255, 'bcz': 4108, 'chakkar': 6410, 'raha': 26462, 'dekhke': 9371, 'ayega': 3650, 'mette': 20910, 'frederiksen': 13412, 'lined': 19321, 'shakeout': 29275, 'pcr': 24332, 'classifies': 6907, 'consumerdata': 7720, 'regina': 27019, 'yqr': 36682, 'workload': 36246, 'eastanglia': 10883, 'gronks': 14721, 'pnp': 25049, 'qldpol': 26192, 'costessey': 8209, 'askmeanything': 3264, 'heiliger': 15423, 'strohsack': 31434, 'pehle': 24391, 'thestruggleisreal': 32781, 'aisect': 2256, 'initiated': 16979, 'talaiya': 32183, 'aisectfamily': 2257, 'ifpri': 16407, 'friedman': 13492, 'fightagainstcorona': 12631, 'savlon': 28624, 'protekt': 25911, 'lawstudentsuog': 18940, 'muralart': 21765, 'tdoc': 32327, 'onem': 23327, 'amn': 2613, 'bilton': 4547, '175': 331, 'irgc': 17384, 'worldpandemic': 36274, 'wewillovercome': 35755, 'stepmom': 31101, 'amish': 2602, 'supermarketstaff': 31750, 'uniform': 34306, 'iamchichi': 16290, 'campaignforhappiness': 5844, 'unessential': 34257, 'gillingham': 14136, 'rende': 27199, 'mheshimiwa': 20934, 'wanjiku': 35363, '4g': 1012, 'balloon': 3841, 'uhuruto': 34032, 'educa': 11057, 'wisewednesday': 36088, 'pennycook': 24434, 'wetaskiwin': 35744, 'cory': 8189, 'downplaying': 10533, 'huff': 16103, 'saycuf': 28637, 'dema': 9443, 'thegoat': 32689, 'careersuccess': 6015, 'dumpster': 10751, 'signature': 29716, 'inditex': 16820, 'fash': 12360, 'altrincham': 2500, 'descended': 9591, 'power2cap': 25328, 'refusing2': 27005, 'platte': 24932, 'shevles': 29416, 'seaweed': 28928, 'coldpressoil': 7200, 'standardcoldpressoil': 30847, 'complained': 7450, 'tenfold': 32492, 'docsneedgear': 10312, 'abdulla': 1609, 'logodesign': 19594, 'undateable': 34169, 'disinfecant': 10088, 'askgovnortham': 3260, 'dstv': 10690, 'inky': 16995, 'pinky': 24827, 'blinky': 4737, 'clyde': 7076, 'tertiary': 32535, 'snapchatdown': 30108, 'pinkmoon': 24826, 'bernieisourhope': 4362, 'addtl': 1888, '01392576476': 27, 'ast77': 3327, 'dgf': 9745, 'langar': 18817, 'scholar': 28747, 'locating': 19500, 'rms': 27867, 'replenishing': 27263, 'twentyfivedollarhandsanitizer': 33911, 'subsidization': 31548, '20mins': 529, 'kobe': 18525, 'partition': 24172, 'howell': 16041, 'statesman': 30913, 'pivotal': 24866, 'redicoulous': 26906, 'revolves': 27675, 'weredoomedmrmannering': 35697, 'agai': 2107, 'devious': 9724, 'wbu': 35508, 'transported': 33506, 'blonde': 4766, 'margaretcirko': 20282, 'mccormack': 20580, 'pereira': 24483, 'magnatestrategies': 20000, 'ple': 24958, 'fattyforlife': 12399, 'quarantinecomedy': 26253, 'directbanking': 9957, 'highinterestsavingsproducts': 15602, 'tilapia': 32995, 'rapper': 26599, 'durant': 10775, 'wearehereforyou': 35552, 'mhanj': 20931, 'xtratalk': 36479, 'wetalkajax': 35743, 'ajax': 2263, 'eredivisie': 11637, 'snow': 30143, 'wellplayedcolorado': 35677, 'rwjbarnabas': 28196, 'guinness': 14828, 'foodchain': 13091, 'nuneaton': 22917, 'coeliac': 7155, 'yeaa': 36535, 'haaibo': 14897, 'iyoh': 17566, 'dweller': 10808, 'fmtlifestyle': 13021, 'provoking': 25954, 'foodethics': 13100, 'vinceremo': 35058, 'apostle': 2927, 'devs': 9732, 'crowdsources': 8606, 'densest': 9502, 'covet': 8324, 'awol': 3636, 'gregory': 14643, 'abbey': 1595, 'tukums': 33826, 'southflorida': 30432, 'winndixie': 36048, 'notp': 22802, 'nogas': 22604, 'dotherightthing': 10491, 'krino': 18600, 'hiphop': 15662, 'newera': 22343, 'socialise': 30219, '12news': 230, 'gvmc': 14881, 'vizag': 35155, '204': 509, 'seattletogether': 28926, 'confidentially': 7569, 'armedforces': 3116, 'camping': 5852, 'leeds': 19030, 'eagerly': 10845, 'sexworkersnz': 29234, 'lockdowndrama': 19520, 'outperform': 23682, 'kerosene': 18264, 'rs3': 28071, 'stipend': 31184, 'innocently': 17007, 'huntsman': 16178, 'cpistrong': 8373, 'dillard': 9905, 'sciencewitch': 28773, 'schenectady': 28731, 'coldlinkafrica': 7197, '21daynationallockdown': 551, '0600': 82, '0645': 84, 'firstly': 12798, 'heppenstall': 15517, 'croissant': 8571, 'violinist': 35081, 'reenact': 26947, 'titanic': 33065, 'wanataka': 35355, 'kifonikifo': 18360, 'iwe': 17558, 'njaa': 22543, 'selfishpoliticians': 29036, 'forno': 13268, 'siciliano': 29664, 'elmhursthospital': 11232, 'homie': 15866, 'jellybean': 17704, 'paw': 24283, 'owes': 23816, '775': 1327, '727': 1294, '6223': 1197, 'cushy': 8785, 'reposted': 27287, 'resolving': 27407, 'knitting': 18497, 'reinventing': 27067, 'brandmarketing': 5165, 'tend': 32484, 'trait': 33451, 'paragon': 24089, 'texted': 32566, '45am': 969, 'revera': 27638, 'mckenzie': 20592, 'towne': 33362, 'strafford': 31345, 'albertafireflood': 2315, 'restoration': 27477, 'sanatizing': 28417, 'heretohelp': 15541, 'mayorbowser': 20546, 'bowser': 5082, 'counterpart': 8266, 'govnortham': 14487, 'reinvest': 27069, 'haraam': 15129, 'concurrently': 7533, 'multifold': 21716, 'halaal': 14963, '3507': 813, 'michiganshutdown': 20960, 'michiganlockdown': 20958, 'odaat': 23123, 'nhssafeguarding': 22441, 'karonakuch': 18108, 'marathon': 20266, 'bruna': 5396, 'kadletz': 18021, 'randomactsofkindness': 26562, 'implying': 16613, 'singleparents': 29803, 'haveyoursay': 15239, 'msftads': 21642, 'cleanest': 6933, 'healtheducation': 15332, 'healthpromotion': 15341, 'std': 31053, 'bratter': 5181, 'sharethenews': 29330, 'jadirigamer': 17590, 'dz': 10832, 'sanitiz': 28461, '2resale': 732, 'characterize': 6471, 'erythromycin': 11654, 'thiocynate': 32833, 'azithromycin': 3669, '185': 346, '2010': 477, 'dibs': 9796, 'ulta': 34080, 'discontinues': 10035, 'cambonzola': 5823, 'dontpanicbuyyouselfishgreedyfucks': 10439, 'convey': 7875, 'alim': 2385, 'farmside': 12342, 'sommelier': 30348, 'torontorestaurants': 33280, 'dineinathome': 9926, 'gme': 14273, 'misuse': 21201, 'bleachbag': 4709, 'squirting': 30755, 'swimmingpool': 32013, 'admittance': 1947, 'overbuy': 23721, 'blaser': 4695, 'hating': 15216, '2020sofar': 497, '2020iscancelled': 494, 'webcomic': 35577, 'webcomics': 35578, 'teleconference': 32435, 'esports': 11684, 'conpanies': 7633, 'scat': 28708, 'unitedweride': 34343, 'sadness': 28267, '0707': 88, '151515': 284, 'apocalypsenow': 2913, 'judgedredd': 17921, 'nightofthelivingdead': 22498, 'ausboost': 3480, 'worldwarz': 36285, 'instacar': 17080, 'foodtech': 13150, 'eerie': 11074, '881': 1433, 'fabretto': 12163, 'todayinpooping': 33114, 'mag': 19973, 'peddle': 24364, 'lasttuesday': 18864, '660': 1223, 'goat': 14289, '470': 983, 'lethality': 19130, 'trumplies': 33710, 'callousrepublicans': 5802, 'indusrey': 16841, 'farmtank': 12343, 'ghebreyesus': 14082, 'wayout': 35502, 'intercultural': 17178, 'summit': 31660, 'voi': 35180, 'taivas': 32150, 'varjele': 34830, 'kvasac': 18665, '50g': 1057, 'countertop': 8267, 'rewrote': 27683, 'sprite': 30713, 'wendell': 35685, 'steavenson': 31067, 'motivator': 21560, 'sneakerheads': 30118, 'saratoga': 28524, 'eoc': 11572, 'giveback': 14163, 'saratogany': 28525, 'wwv': 36426, 'centralflorida': 6328, 'transplant': 33503, 'firesale': 12782, 'fyp': 13723, 'under21': 34178, 'fingerlakes': 12743, 'calvin': 5819, 'klein': 18470, 'unexplainable': 34263, 'eric': 11638, 'riverside': 27841, 'facemasks4all': 12182, 'hartmann': 15185, 'pursue': 26122, 'youthtravel': 36667, 'prioritised': 25641, 'modifying': 21317, 'monitorupdates': 21417, 'coronapandemie': 8079, 'luluatvconnected': 19806, 'quartz': 26294, 'nightgown': 22493, 'donttouchface': 10446, 'absorb': 1668, 'transdermally': 33466, 'notwithstanding': 22816, 'wtfentanyl': 36374, 'retweets': 27611, 'knobheads': 18501, 'jerky': 17725, 'primitive': 25621, 'timpsons': 33025, 'blackwells': 4677, 'horizontal': 15930, 'eatfarmnow': 10917, 'hesitant': 15563, 'broader': 5342, 'coiming': 7176, 'wcvb': 35515, 'nypd': 22992, 'topping': 33255, 'huddled': 16095, 'gy': 14889, 'cst': 8673, 'respawn': 27417, 'dipping': 9951, 'northbayinn': 22708, 'eyebrow': 12138, 'retort': 27584, 'ssd': 30768, 'warmed': 35395, 'stashed': 30897, 'emea': 11276, 'unregulated': 34433, 'risingnepal': 27817, 'bhatbhateni': 4459, 'dearmrpresident': 9173, 'educating': 11061, 'sangam': 28446, 'veb': 34857, 'clueless': 7068, 'grifterinchief': 14660, 'coronaidiots': 8049, 'consumerprotections': 7739, 'nclc': 22158, 'medicalsupplies': 20694, '16oz': 320, 'aosafety': 2879, 'selective': 29015, 'lockdownitaly': 19529, 'cutlery': 8825, 'oaf': 23012, 'sunrise': 31699, 'sv': 31950, 'businessadvice': 5593, 'sum1': 31642, 'rippled': 27802, 'mufgs': 21689, 'stinking': 31181, 'cornoravirus': 7990, 'coronafreepakistan': 8037, 'prayersforcoronafreeworld': 25401, 'bpcl': 5115, 'gaya': 13864, 'germanefficiency': 14003, 'uneven': 34259, 'phillips': 24687, 'alehouse': 2343, 'monrovia': 21428, 'buyreal': 5677, 'footballagainstfakes': 13170, 'punerains': 26071, 'swell': 32002, 'nofrills': 22603, 'rcss': 26663, 'saveonfoods': 28606, 'wevision': 35751, 'lat': 18868, 'hutcheson': 16209, 'australianbusiness': 3506, 'activation': 1828, '3bn': 866, 'costed': 8208, 'combustion': 7287, 'proofing': 25819, 'unpacked': 34403, 'ockerman': 23111, 'relocated': 27141, 'totaling': 33302, 'adland': 1923, 'realeyes': 26719, 'storekeeper': 31324, 'changeclosings': 6440, '5262': 1083, 'bilo': 4546, 'jdw': 17679, 'inversely': 17296, 'proportional': 25846, 'asx': 3346, 'sagged': 28308, 'barked': 3942, 'panagis': 23965, 'galiatsatos': 13757, 'tomo': 33219, 'surgeon': 31862, 'appreciating': 2985, 'accelerates': 1706, 'lecture': 19026, 'tranformed': 33458, 'womanspeaking': 36164, 'teachyourboys': 32338, 'hamms': 15009, 'bather': 4024, 'claus': 6914, 'zoombombing': 36820, 'meekmill': 20720, 'governmentofbritishcolumbia': 14477, 'reinstate': 27065, 'unhappy': 34293, 'udit': 34005, 'animalistic': 2755, 'cct320': 6253, 'mossad': 21531, 'couture': 8300, 'sinaloa': 29779, 'sixfold': 29846, 'meth': 20893, 'mow': 21603, 'patrone': 24263, 'borderclosure': 4985, 'caledon': 5769, 'mississauga': 21188, 'peelregion': 24378, 'sauga960am': 28580, 'why1': 35939, 'why2': 35940, 'why3': 35941, 'expendable': 12019, 'agedcare': 2122, 'cse': 8663, 'madacide': 19939, 'fd': 12452, 'loitering': 19595, 'tat': 32278, 'insatiable': 17035, 'thirst': 32839, 'eatertainment': 10915, 'incorporate': 16737, 'lemay': 19084, 'monger': 21403, 'tremendously': 33570, 'stayth': 31043, 'jasonkenney': 17660, 'eyy': 12148, 'pollybites': 25139, 'kosher': 18569, 'automotives': 3546, 'hd5d6zdgs8': 15287, 'asparagus': 3273, 'cisa': 6824, 'ughh': 34020, 'hotstar': 15994, 'anothe': 2801, 'timeshavechanged': 33020, 'majzub': 20080, 'uncoordinated': 34161, 'whitstable': 35903, 'erecting': 11636, 'concierge': 7521, 'churning': 6783, 'crafter': 8398, 'manitoba': 20220, 'farmersmarket': 12331, 'bullsh': 5506, 'retire': 27575, 'caretaker': 6030, 'oncnbctv18': 23318, 'venkatesh': 34906, 'dsouza': 10686, 'fox43': 13334, 'penalities': 24410, 'climbed': 7000, 'outweighed': 23703, 'sweetener': 31995, 'corporatist': 8161, 'ridicule': 27747, 'rated': 26616, 'madrasah': 19965, 'halaqat': 14965, 'ramad': 26518, 'pranayam': 25384, 'cramped': 8411, 'workstation': 36253, 'reef': 26944, 'okey': 23245, 'aand': 1572, 'governement': 14471, 'ookey': 23414, 'stoc': 31200, 'sweetened': 31994, 'whyarepeoplelikethat': 35942, 'revenuegrowth': 27637, 'woodland': 36187, 'shaved': 29352, 'ovr': 23810, 'lanarkshire': 18792, 'snaking': 30104, 'striding': 31419, 'unanimously': 34112, 'balanced': 3828, 'babyganics': 3704, 'babysanitizer': 3707, 'babyhygiene': 3705, 'deviant': 9717, 'civlisation': 6854, 'ord': 23510, 'smishing': 30068, 'reportspam': 27282, 'nnewi': 22571, 'endofthefuckingworld': 11409, 'imgonnastarve': 16535, 'bhai': 4449, 'haufiku': 15218, 'kieran': 18358, 'clancy': 6874, 'giffen': 14110, 'prospering': 25875, 'nowadays': 22845, 'fantasyland': 12304, 'teensy': 32409, 'lotta': 19694, 'incubator': 16758, 'shameonstockpilers': 29300, 'tpe': 33376, 'burned': 5561, '01273': 24, '293117': 682, 'thinkagain': 32820, 'blinder': 4731, 'reconnection': 26846, 'ext': 12085, 'prophecy': 25838, 'waragainstvirus': 35380, 'urbanfresh': 34580, 'fuckwit': 13592, 'mahatma': 20018, 'ghandi': 14077, 'harshest': 15182, 'quarticon': 26293, 'breakingonrt': 5215, 'belated': 4269, 'sabino': 28233, 'siders': 29687, 'unmatched': 34391, 'surround': 31884, 'boeing': 4867, 'newbusinesstrends': 22337, 'masterchef': 20461, 'nodal': 22595, 'thankretailworkers': 32605, 'mylocal': 21858, 'ritchies': 27832, 'onlybuywhatyouneed': 23378, 'noneedtopanic': 22640, 'pediatric': 24370, 'mopng': 21468, 'albertheijn': 2318, 'befo': 4217, 'sunbed': 31669, 'taxscam': 32303, 'luzonlockdown': 19860, 'boschetto': 5020, 'manzil': 20253, 'ccm': 6243, 'bhojpur': 4467, 'banging': 3880, 'stoppanicshopping': 31288, 'stopreselling': 31292, 'wewilldefeatcorona': 35752, 'gobsmacked': 14299, 'kebab': 18175, 'lesser': 19122, 'moneycontrol': 21399, 'roseville': 28007, 'sociopath': 30252, 'coronashopping': 8095, 'plentyfull': 24983, 'icra': 16340, 'icraviews': 16342, 'icrainnews': 16341, 'sugarindustry': 31613, 'sugarprice': 31614, 'medley': 20713, 'rehydrated': 27050, 'pandemicchopped': 23989, 'paidsurvey': 23908, 'enterprising': 11525, 'embed': 11265, 'fairway': 12238, 'gobbled': 14292, 'fintweets': 12766, 'airway': 2254, 'fco': 12446, 'creamery': 8454, 'nearing': 22198, 'elvis': 11247, 'ufo': 34015, 'nonursehungry': 22660, 'stupidcustomers': 31488, 'widget': 35963, 'hyperlocal': 16262, 'ddj': 9145, 'dataviz': 9059, 'opendata': 23429, 'reflecting': 26972, 'nyah': 22969, 'unwell': 34502, 'aeco': 2021, 'differential': 9842, 'fading': 12215, 'erode': 11642, 'sweeter': 31996, 'turkishhandsanitizer': 33866, 'kattk81': 18134, 'cooney': 7917, 'marvel': 20395, 'situatio': 29839, 'familycarehospitals': 12285, 'tending': 32488, 'twelve': 33909, 'flake': 12868, 'bourgie': 5070, 'chia': 6615, 'inflection': 16904, 'marco': 20274, 'lauro': 18923, 'setterfield': 29207, 'lintao': 19338, 'zhang': 36771, 'guatemala': 14801, 'coronainkenya': 8054, 'deviate': 9718, 'darling': 9024, 'satisfied': 28557, 'jcdcmotors': 17676, 'woolerontario': 36199, 'fordmustang': 13204, 'masturbate': 20471, 'criticizes': 8555, 'letsbuildbettertomorrow': 19134, 'quinsam': 26359, 'estore': 11734, 'adapter': 1864, 'headset': 15307, 'wearable': 35537, 'wolfofwallstreet': 36158, 'sellersville': 29062, 'finserv': 12763, 'bias': 4476, 'babyyoda': 3712, 'hasbro': 15196, 'pipping': 24843, 'booger': 4940, 'stockbroker': 31203, 'glives': 14217, 'backseat': 3738, 'minivan': 21127, 'dharma': 9755, 'superstores': 31774, 'parcelshipping': 24111, 'lincsfoodchainjobs': 19315, 'austintexas': 3498, 'accesstocash': 1723, 'bankofengland': 3899, 'fani': 12297, 'kayode': 18154, 'jonathan': 17868, 'reap': 26755, 'socialcare': 30194, 'quetion': 26328, 'fanforever': 12296, 'overeating': 23740, 'abandoning': 1589, 'lifeaftercovid': 19243, 'moderately': 21301, 'hindman': 15646, 'knott': 18508, 'eyvallah': 12147, 'thehandmaidstale': 32698, 'swasthabharat': 31974, 'helpustohelpyou': 15489, 'helptosave': 15486, 'poortiming': 25178, 'maturity': 20513, 'cota': 8221, 'discontinuing': 10036, 'redner': 26920, 'marry': 20373, 'wino': 36056, 'winemaking': 36038, 'jogging': 17837, 'procession': 25702, 'ultimateloveng': 34083, 'cov19game': 8302, 'dancegan': 8979, 'terry': 32534, 'edmund': 11053, 'obilo': 23039, 'tunic': 33846, 'workwear': 36256, 'helpthenhs': 15483, 'menstunics': 20808, 'tabard': 32109, 'onlinediacount': 23355, 'scrubtrousers': 28852, 'scrubtops': 28851, 'proceeding': 25696, 'swimsuit': 32014, 'tripathy': 33619, 'edgy': 11032, '3thingstoknow': 900, 'dung': 10757, 'kilo': 18380, 'coronapakistan': 8077, 'tor': 33262, 'grap': 14559, 'handgel': 15036, 'tasneemnaturel': 32271, 'bbw': 4090, 'cfbath': 6371, 'bugsaway': 5472, 'kleenzy': 18469, 'bacout': 3750, 'calmbath': 5805, 'ibumengandung': 16307, 'nontoxic': 22659, 'sleeptime': 29958, 'calmtime': 5814, 'corovnavirus': 8148, 'qpay': 26199, 'qatari': 26179, 'arch': 3054, 'ker': 18258, 'getbeer': 14031, 'tldr': 33082, 'clause': 6915, 'binding': 4555, 'arbitration': 3050, 'arbitrator': 3051, 'unbiased': 34131, 'resolute': 27403, 'electronically': 11189, 'quell': 26315, 'oversaturation': 23774, 'konga': 18551, 'n10m': 21896, 'solosafe': 30314, 'kidsathome': 18352, 'gooddaydc': 14375, 'hulu': 16120, 'disneyplus': 10120, 'amazo': 2534, 'raffat': 26454, 'altekrete': 2483, 'apel': 2890, 'withrefugees': 36117, 'abdijan': 1606, 'abu': 1677, 'dhabi': 9750, 'identifiable': 16363, 'latino': 18894, 'carnicerias': 6056, 'tienditas': 32973, 'thisisacrisis': 32849, 'oklahomahasnomandatorytestingfoepeoples': 23250, 'infor': 16920, 'cranleigh': 8418, 'indirect': 16816, 'juliab1978': 17943, 'stuffing': 31477, '19gr': 414, '19usa': 421, 'foxnuts': 13340, 'puffed': 26046, 'lotus': 19697, 'onlinegrocerystore': 23359, 'sharethelove': 29329, 'foodgasm': 13102, 'indianstreetfood': 16796, 'localgrocerystore': 19488, 'bridgford': 5279, 'incidence': 16703, 'lockup': 19570, 'rafael': 26452, 'lourenco': 19711, 'clientwin': 6991, 'croak': 8563, 'purple': 26110, 'pink': 24824, 'peach': 24346, 'phew': 24674, 'pickens': 24750, 'storydam': 31337, 'winnie': 36050, 'cantveven': 5930, 'deprives': 9560, 'ilifemedical': 16470, 'testkits': 32554, 'interve': 17232, '17701': 333, 'coronvirusuk': 8144, 'hlor0729': 15700, 'vocabulary': 35167, 'bend': 4308, '205': 511, 'bulkcarriers': 5495, 'cultivated': 8710, 'sweetest': 31997, 'novv': 22843, 'lavv': 18928, 'frieda': 13489, 'faye': 12420, 'befor': 4219, 'trastra': 33520, 'spaincoronavirus': 30471, 'conferencing': 7559, 'peppa': 24470, 'disobedience': 10123, 'ward23': 35383, 'scarbto': 28693, 'fracking': 13348, 'lookforthehelpers': 19637, 'crawler': 8436, 'prowling': 25956, 'newperspective': 22359, 'crackling': 8394, 'creamed': 8452, 'glazed': 14200, 'parsnip': 24155, 'gravy': 14592, 'consummation': 7754, 'coronainmaharashtra': 8055, '8500': 1405, 'hoarde': 15721, 'tasted': 32274, 'expired': 12037, 'dissolve': 10176, 'abattoir': 1594, 'campaigner': 5843, 'exclusion': 11950, 'nsduh': 22874, 'taproom': 32241, 'emmy': 11311, 'shute': 29641, 'remorse': 27181, 'layed': 18949, 'drogheda': 10642, 'undercut': 34182, 'learningathome': 19003, 'learnfromhome': 19001, 'joseph': 17877, 'ghg': 14086, 'nppa': 22862, 'kpmru': 18584, 'crystal': 8654, 'socalstrong': 30187, 'beverlyhills': 4424, 'vons': 35203, 'educateyourself': 11060, 'protectyourself': 25905, 'jotted': 17886, '29th': 686, '2km': 714, 'paralyzed': 24098, 'revising': 27655, 'nofear': 22598, 'area51': 3071, 'survivability': 31891, 'grocersapp': 14693, 'grocerapp': 14690, 'grocerystoreapp': 14709, 'bingeshopping': 4558, 'onlyasuggestion': 23377, 'noneed': 22639, 'peek': 24375, 'dependency': 9527, 'madani': 19942, 'atiku': 3370, 'sprinting': 30712, 'afyarekod': 2104, 'cii': 6795, 'channelised': 6452, 'masterchefau': 20462, 'brooklynpodcast': 5368, 'caribbean': 6034, 'applepodcasts': 2965, 'spotifypodcast': 30660, 'inflates': 16900, 'maula': 20516, 'imamali': 16521, 'happyfriday': 15119, 'noluxury': 22621, 'herdimmunity': 15530, 'yday': 36532, 'morn': 21496, 'cryptocurreny': 8649, 'reliefbill': 27126, 'permaroute': 24518, 'visibility': 35118, 'heskins': 15567, 'floormarking': 12969, 'lustful': 19839, 'tik': 32988, 'tok': 33190, 'cardib': 6000, 'helsinki': 15493, 'muniland': 21756, 'safehands': 28281, 'fintwits': 12767, 'comparing': 7414, 'redefine': 26894, 'thirty': 32842, 'cpif': 8371, 'bicyclesastransport': 4485, 'yhis': 36583, 'mackenzie': 19924, 'windenergy': 36022, 'powerdemand': 25332, 'powerconsumption': 25331, 'energymarket': 11437, 'fairing': 12233, 'germy': 14012, 'bracket': 5125, 'reactivation': 26682, 'crossover': 8593, 'pestering': 24579, 'wonderwall': 36178, 'oasis': 23024, 'reasonably': 26768, 'zoe': 36804, 'curfewinkenya': 8754, 'whatsoever': 35797, 'merging': 20853, 'composer': 7479, 'repertoire': 27251, 'soldiering': 30292, 'rehearse': 27049, 'pep': 24468, 'theatrically': 32664, 'veering': 34861, 'spareasquare': 30484, 'omaginsiders': 23288, 'authenticbecky': 3514, 'warewolf': 35389, 'colouring': 7265, 'understaffed': 34209, '95123': 1508, 'smartnews': 30039, 'staffed': 30804, 'qld': 26191, 'jeannette': 17685, 'minnesotan': 21130, 'sunrisers': 31700, 'bumper': 5518, 'ch1': 6393, '4lt': 1021, 'contrastingly': 7835, 'repeated': 27244, 'clicking': 6985, 'chrysler': 6761, 'unload': 34383, 'ageuk': 2133, 'uptown': 34570, 'protip': 25918, 'survivaltips': 31899, 'effectvemp': 11086, 'envy': 11567, 'chomping': 6723, 'realism': 26727, 'time8news': 33009, 'imgflip': 16534, 'homesale': 15849, 'housesale': 16013, 'idiotsb': 16379, 'facade': 12171, 'specialises': 30517, 'sleeve': 29962, 'subdued': 31513, 'foreseen': 13223, 'yext': 36579, 'publicizing': 26022, 'researched': 27348, 'kwawesome': 18678, 'cheryl': 6600, 'idell': 16361, 'carolburnett': 6062, 'fillet': 12669, 'achieved': 1781, 'gendered': 13931, 'dutchies': 10794, 'fuckedup': 13573, 'codvid19espana': 7151, 'codvid19italia': 7152, 'shiny': 29443, 'exxonmobil': 12135, 'naturo': 22097, 'vaccinated': 34725, 'nii': 22503, 'tak': 32154, 'nspoli': 22879, 'ombudsman': 23294, 'consumertalk': 7746, 'campervan': 5851, 'freshies': 13470, 'handmadehour': 15048, 'letterboxfriendly': 19149, 'uniquegifts': 34328, 'campathome': 5847, 'vw': 35253, 'preceded': 25425, 'gardai': 13802, 'indonesia': 16827, 'businessimpact': 5600, 'jbs': 17674, 'achive': 1785, 'intra': 17255, 'digested': 9853, 'varcoe': 34821, 'mintz': 21139, 'toiletpaperfight': 33158, 'survivalguide': 31893, 'toiletpapersurvivalguide': 33177, 'embrassd': 11273, 'strippedbare': 31428, 'dontbothergoing': 10425, 'mageddon': 19986, 'gloriously': 14245, 'circa': 6809, '1996': 409, 'iwillsurvive': 17560, 'campbell': 5848, 'bpo': 5118, 'dorm': 10479, 'philip': 24681, 'nite': 22536, 'sustliving': 31942, 'shaheenbaghcoronathreat': 29270, 'nomoreloot': 22632, 'whoop': 35923, 'carbonemission': 5988, 'elliottwave': 11229, 'misa': 21153, 'vila': 35043, 'paswan': 24219, 'custodian': 8793, 'paperrecycling': 24069, 'packagingcompany': 23875, 'recyclingindustry': 26884, 'trumpvirus2020': 33740, 'mann': 20225, 'engages': 11455, 'gata': 13838, 'negra17': 22250, 'shareifwoke': 29323, 'mattress': 20510, 'feverish': 12577, 'newtoday': 22388, 'okla': 23247, '2worksforyou': 739, 'consumeralert': 7710, 'blackmarketears': 4667, 'reinstated': 27066, 'welldonesky': 35673, 'faulkner': 12402, 'pottyaboutmyplanet': 25303, 'navajo': 22106, 'chilchinbeto': 6635, 'spr': 30669, 'sprau': 30670, 'charitytuesday': 6482, 'softly': 30271, 'disregarded': 10159, 'imaginary': 16513, 'bef': 4214, 'tpt': 33391, 'educator': 11065, 'communicating': 7382, 'tabletop': 32116, 'pces': 24327, '50billion': 1054, 'whereisbernie': 35838, 'joebuck': 17825, 'medal': 20662, 'joked': 17858, 'opioid': 23459, 'adherent': 1905, 'moonshot': 21459, 'pattaya': 24266, 'makro': 20113, 'lapdog': 18830, '2050': 512, 'tissuepaperchallenge': 33061, 'ineos': 16859, 'firmenich': 12789, 'qmu': 26196, 'costcofinds': 8205, 'costcobuys': 8203, 'costcodeals': 8204, 'ivl9txzrtm': 17553, 'ahram': 2205, 'vacationer': 34723, 'snowbird': 30144, 'lcbo': 18964, 'pmmodioncorona': 25041, 'mbpd': 20562, 'carling': 6044, 'stella': 31084, 'birra': 4609, 'moretti': 21490, '179': 335, '09p': 125, 'strangest': 31360, 'arose': 3133, 'scottyfrommarketing': 28804, 'lathicharge': 18888, 'sbry': 28656, 'countires': 8270, '4apeoplesparty': 1007, 'footed': 13173, 'ploughed': 24995, 'twizzlers': 33937, 'orrin': 23577, 'statio': 30919, 'imlearningfx': 16542, 'farage': 12310, 'mayfair': 20540, 'peddling': 24367, 'briljante': 5298, 'rathod': 26619, 'marylandlockdown': 20407, 'marylandcoronavirus': 20405, 'useyourheadmd': 34648, 'deepest': 9283, 'chocolatiers': 6713, 'awarded': 3617, 'laffer': 18737, 'presidential': 25530, 'keynesian': 18291, 'telegraph': 32439, 'integrity': 17146, 'fasten': 12375, 'seatbelt': 28914, 'tidied': 32968, 'shelled': 29391, 'extraordinarily': 12119, 'inpex': 17022, 'optimise': 23485, 'wod': 36149, 'utilised': 34688, 'stingy': 31179, 'guinea': 14826, 'stockholm': 31209, 'sweden': 31986, 'internationallabourorganisation': 17207, 'oilmarket': 23222, 'antiplastic': 2841, 'conclusive': 7527, 'recycle': 26881, 'insisted': 17053, 'thiers': 32806, '106': 152, 'getoutofmybubble': 14041, 'fucovid19': 13597, 'dew': 9733, 'arun': 3199, 'servicepublic': 29188, 'keenan': 18179, 'frown': 13535, 'supersedes': 31767, 'gifted': 14114, 'coinage': 7178, 'comparison': 7415, 'cornershops': 7981, 'laundrettes': 18916, 'vonhrp': 35202, 'bottoming': 5047, 'gaiss': 13749, 'tought': 33334, 'leach': 18973, 'christine': 6751, 'kintu': 18412, 'wanjara': 35362, 'lutimba': 19844, 'socialdistan': 30198, 'foxboro': 13337, 'fabiana': 12161, 'bisceglia': 4617, 'donata': 10394, 'cordone': 7958, 'shopp': 29528, 'overridden': 23770, 'reusing': 27620, 'bringbackthebag': 5306, '1h': 433, 'alajuela': 2295, 'tcrn': 32325, 'kaufman': 18140, 'finna': 12758, 'ctfu': 8677, '80bn': 1367, 'sparingly': 30486, 'bodied': 4858, 'lamuscle': 18790, 'superfoods': 31726, 'processedfood': 25700, 'muscle': 21779, 'immunehealth': 16561, 'republik': 27311, 'precipice': 25432, 'sixty': 29850, 'rpmalamo': 28065, 'sanantoniopropertymanagement': 28413, 'newlistingsanantonio': 22351, 'bulb': 5488, 'stayhomesaveliv': 30995, 'v12': 34717, 'anders': 2696, 'ekman': 11144, 'charting': 6498, '16m': 318, 'devalue': 9702, 'whenthisisallover': 35827, 'trawl': 33548, 'stockpiler': 31222, 'askadoctor': 3255, 'doctoronline': 10316, 'healthyliving': 15356, 'beelearners': 4200, 'uki': 34056, 'cornoravirusus': 7992, 'trump2020nowmorethanever': 33686, 'redmeatmatters': 26918, 'loneliest': 19614, 'patronise': 24264, 'barilla': 3939, 'maida': 20034, 'dahi': 8910, 'amul': 2645, 'safal': 28271, 'nofoodbank': 22602, 'nocrisispayment': 22592, 'nochanceofsurvival': 22586, 'ucpeoplestarve': 33999, 'icantwaittofuckingdie': 16313, 'leicester': 19075, 'bathon': 4026, 'tasered': 32264, 'xjo': 36465, 'gull': 14840, 'whangarei': 35779, 'willingly': 36006, 'irrationally': 17401, 'relearning': 27108, 'democraticsocialism': 9462, 'adjustable': 1917, 'biocarohk': 4569, 'greendisinfectant': 14624, 'chloridedioxide': 6700, 'miso': 21173, 'powermarket': 25340, 'circulates': 6818, 'mortonwilliams': 21521, 'abridged': 1655, 'haggadah': 14926, 'cluck': 7064, 'motherclucker': 21541, 'manup': 20248, 'omgisitonlyme': 23301, 'hohberger': 15755, 'scientifically': 28776, 'filtration': 12684, '200nm': 474, 'quelling': 26316, 'registry': 27030, 'tpisthenewgold': 33380, 'conclude': 7523, 'scout': 28810, 'lolwut': 19604, 'differe': 9838, '799': 1343, 'cunty': 8729, 'icecream': 16321, 'thankschina': 32607, 'xr': 36475, 'machined': 19918, 'rochesterny': 27921, 'disbelieving': 10010, 'finney': 12759, 'givemeacovidbreak': 14168, 'vending': 34896, 'dirtiest': 9972, 'sickest': 29671, 'thrift': 32907, 'zoolert': 36817, 'logged': 19580, 'solemn': 30298, 'rafter': 26455, 'mememe': 20782, 'foodarmy': 13080, 'feedingthenation': 12510, 'feedingthevulnerable': 12512, 'elko': 11224, 'shordy': 29552, 'gettin': 14047, 'valerie': 34754, 'nannery': 21998, 'slaughtering': 29945, 'lockdown101': 19509, 'dissemination': 10171, 'veneto': 34900, 'husted': 16203, 'intact': 17140, 'aldis': 2340, 'biglots': 4513, 'youdamvp': 36630, 'poopy': 25171, 'sunk': 31692, 'maukepechauka': 20515, 'ripe': 27793, 'theflipguyskitchen': 32685, 'homecook': 15816, 'shahenshah': 29271, 'bollywood': 4901, 'amitabhbachchan': 2604, 'policastro': 25105, 'streatham': 31384, 'halved': 14995, 'fishyfun': 12819, 'keepsmiling': 18212, 'charityshopfind': 6481, 'stafflinegroup': 30808, 'constructive': 7694, 'covid2020': 8335, 'ecoli': 10969, 'mwh': 21830, 'stuffyouneed': 31478, 'wiv': 36125, 'trumpisalyingsackofshit': 33702, 'panicroom': 24040, 'homeswithdiane': 15859, 'servingyourfamily': 29195, 'remax': 27158, 'centralindiana': 6330, 'plagued': 24894, 'completion': 7461, 'kuhn': 18637, 'moore': 21460, 'concentrate': 7507, 'respe': 27418, 'bec': 4165, 'thestorm': 32780, 'drpolcino': 10658, 'jumpstart': 17955, 'thecrew2': 32673, 'ubisoft': 33991, 'bassmasters': 4006, 'walkingdead': 35319, 'cancelrent': 5877, 'cancelation': 5869, 'dortmund': 10483, 'ultras': 34088, 'vfb': 34971, 'stuttgart': 31496, 'env': 11552, 'humanitarianaid': 16127, 'notary': 22757, '8daystogo': 1448, 'megapowerstar': 20738, 'ramcharan': 26530, 'seetharamarajucharan': 28991, 'prompting': 25813, 'raccoon': 26418, 'rogers': 27943, 'duterte': 10795, 'hesitation': 15566, 'ahi': 2195, 'firenze': 12781, 'florence': 12973, 'fotografia': 13315, 'paololodebole': 24058, 'instapic': 17101, 'instafoto': 17084, 'igerstuscany': 16423, 'igersflorence': 16420, 'igersitalia': 16421, 'fic': 12612, 'examining': 11913, 'grammar': 14530, 'yqgstandsstrong': 36681, 'bdo': 4110, '6min': 1257, 'manifested': 20209, 'credentialled': 8472, 'usdaw': 34625, 'tel': 32423, 'querying': 26318, 'goofy': 14404, 'brandingwithutility': 5164, 'postitnotecart': 25276, 'moneysmartweek': 21402, 'reengaging': 26948, 'msw2021': 21658, 'msw2020': 21657, 'cleanyourscreen': 6954, 'expression': 12082, 'meetthefarmersconference': 20730, 'crenov8': 8503, 'freshchoice': 13467, 'supervalue': 31776, 'foodinsecure': 13114, 'groceryshortage': 14707, 'christianity': 6747, 'uneconomic': 34247, 'negates': 22236, 'modulates': 21321, 'ariel': 3100, '201': 476, 'vic': 34986, 'streetnewsau': 31392, 'streetadvocate': 31388, 'realestateau': 26709, 'melbre': 20763, 'obligated': 23047, 'embarrass': 11260, 'glutinous': 14264, 'fa4g': 12156, 'earlyriser': 10857, 'earlybirdgetsthenecessities': 10856, 'dover': 10512, 'fcawa': 12438, 'coronacontrol': 8024, 'whack': 35772, 'supportdg': 31803, 'nsfwtwitter': 22877, 'parlous': 24148, 'concumer': 7530, 'adamie': 1858, 'worthwhile': 36310, 'overdu': 23738, 'shoul': 29579, 'tui': 33821, 'anita': 2762, '113': 187, 'sarscov19': 28541, 'consumerimpact': 7728, 'bernstein': 4363, 'larne': 18845, 'carrick': 6084, 'ballymena': 3843, 'subcommittee': 31510, 'worldhealthorganization': 36270, 'fulfilment': 13623, 'arrogance': 3155, 'kesa': 18275, 'maglalalabas': 19997, 'gamit': 13784, 'utak': 34678, 'hk': 15695, 'minimized': 21112, 'annd': 2774, 'salisbury': 28365, 'councilor': 8243, 'savry': 28626, 'ouk': 23627, 'vlns': 35157, 'irreponsible': 17406, 'sprighlty': 30694, 'inefficiency': 16855, 'imrankhan': 16661, 'pastorosagieizeiyamu': 24215, 'colchester': 7194, 'margarine': 20283, 'springboardfutures': 30697, 'bagp': 3785, 'baristas': 3941, 'conronavirus': 7638, '24in48': 617, 'grasp': 14569, 'selfies': 29028, 'ranching': 26554, 'wotw': 36313, 'livesafety': 19416, 'brant': 5176, 'elmira': 11233, 'gimme': 14137, 'cannedfood': 5909, 'cosplay': 8196, 'lovillea': 19735, '675': 1230, 'tig': 32977, 'welder': 35664, 'liquidating': 19350, 'guitar': 14830, 'hanger': 15078, 'boonie': 4963, 'vulnerablepopulations': 35244, '4all': 1005, 'gutless': 14872, 'kdrama': 18172, 'blossoming': 4784, 'sonng': 30360, 'ost': 23592, 'exolselcaday': 11992, 'flopping': 12971, '1326': 243, 'implore': 16609, 'cornoravirusuk': 7991, 'sail': 28322, 'unscathed': 34450, 'lenscrafters': 19102, 'boggling': 4874, 'standalone': 30844, 'coy': 8358, 'renee': 27203, 'arbitrarily': 3048, 'ploy': 24998, 'milky': 21052, 'treasured': 33559, 'ilovemyhusband': 16498, 'trojan': 33634, 'horse': 15946, 'thecomedypost': 32668, 'thecomedypostsg': 32669, 'tpweightlosschallenge': 33393, 'southgate': 30433, 'swimmer': 32011, 'accessed': 1718, 'manhatten': 20201, 'readysteadycook': 26703, 'redacted': 26886, 'disinfects': 10096, 'migrated': 21021, '60bn': 1180, 'akhira': 2276, 'blooded': 4769, 'germkilling': 14008, 'carnaval': 6053, 'kentuky': 18252, 'tenessee': 32491, 'repurposing': 27316, 'wineoclock': 36039, 'extraction': 12116, 'vix': 35153, 'vxx': 35254, 'coronaproblems': 8090, 'nupes': 22919, 'conjunction': 7616, 'accidentally': 1726, 'linkage': 19333, 'upstreamcosts': 34563, 'wmconsulting': 36137, 'southend': 30426, 'chaplain': 6463, 'therapist': 32749, 'clergy': 6973, 'fge': 12595, 'fesharaki': 12565, 'oncoming': 23319, 'maximizing': 20529, 'fulltimervers': 13631, 'rvlife': 28191, 'vanlife': 34797, 'nomadlife': 22623, 'cbdoil': 6223, 'coma': 7274, 'incisive': 16707, 'mudit': 21683, 'jaju': 17601, 'thalibharona': 32587, 'clang': 6875, 'cpiml': 8372, 'foodsystems': 13149, 'lengthen': 19095, 'runway': 28155, 'matrix': 20501, 'redrawn': 26922, 'chinesephones': 6677, 'kmfmnews': 18482, 'xly': 36468, 'redefined': 26895, 'imprint': 16641, 'paisa': 23923, 'rathore': 26620, 'butchery': 5630, 'olivia': 23275, 'guinaugh': 14825, 'nocommonsense': 22587, 'auctioning': 3452, 'myquarantineinagif': 21869, 'flattenthecuve': 12903, 'toilettissue': 33187, 'notimeforjokes': 22790, 'priciest': 25606, 'skinned': 29891, 'gaw': 13860, 'x1': 36434, 'gaymer': 13868, 'riskiest': 27826, 'quarantin': 26240, 'facilitating': 12198, 'allocation': 2430, 'bahar': 3788, 'khana': 18315, 'ima': 16506, 'makin': 20105, 'lochnessmonster': 19505, 'libs': 19219, 'getgo': 14033, 'may3': 20537, 'tnx': 33099, 'kzn': 18694, 'burna': 5558, 'zlatan': 36798, 'ini': 16975, 'beatz': 4145, 'ibile': 16302, 'hooray': 15907, 'adaptive': 1866, '8336': 1393, 'sounding': 30403, 'deathknell': 9176, 'ssi': 30771, 'clouding': 7050, 'glorious': 14244, 'analyzing': 2676, 'revolutio': 27670, 'sultanate': 31640, 'omanobserver': 23291, 'pandemiccovid19': 23990, 'innovationst': 17014, 'newsroom': 22381, 'josie': 17882, 'bounceback': 5057, 'contingent': 7807, '350k': 814, '500k': 1041, 'savemoney': 28604, 'saynotosingleuse': 28643, 'littleproud': 19396, 'beneath': 4312, 'sainsb': 28328, 'genetics': 13955, 'nefarious': 22234, 'whitepaper': 35892, 'kgp': 18306, 'threeitemsonly': 32902, 'wallace': 35325, 'ebayuk': 10937, '18ct': 355, 'westerner': 35721, 'kashmirlockdown': 18112, 'kashmiri': 18111, 'issuer': 17490, 'icanwaitanotherweek': 16315, 'refresher': 26986, 'noschool': 22736, 'pma': 25032, 'bartuska': 3980, 'rickygervais': 27735, '750ml': 1310, '1l': 439, 'belarus': 4268, 'whatnot': 35789, 'weneedsensitivemedia': 35687, 'redeploying': 26900, 'goodthinking': 14397, 'swagbucks': 31963, 'earnmoney': 10866, 'ary': 3206, 'sahulat': 28318, '021': 46, '00162': 2, '166981': 314, 'buyonline': 5674, 'offensive': 23156, 'immigrantsong': 16552, 'ohiounemployment': 23202, 'openohio': 23438, 'gasolina': 13830, 'redundant': 26938, 'whatsap08115981930': 35793, 'rccg': 26658, 'boko': 4892, 'bodija': 4859, 'seyi': 29238, 'healthathome': 15318, 'positivit': 25249, 'bannon': 3910, 'unlucky': 34387, 'flank': 12875, 'inclusive': 16718, 'stards': 30869, 'snorkel': 30140, '284': 673, '1321': 242, 'heinz': 15427, 'meanz': 20641, 'abit': 1630, 'recreating': 26866, 'madebystudiojq': 19947, 'ahahahaha': 2191, 'chck': 6520, 'tippingpoint': 33047, 'weinstein': 35645, 'publicise': 26020, 'nageswara': 21939, 'rao': 26590, 'pil': 24790, 'zoomuniversity': 36825, 'ukhousing': 34055, 'bronx': 5362, 'inspite': 17073, 'efficacy': 11087, 'workflow': 36226, 'verification': 34932, 'anambra': 2677, 'bubonic': 5440, 'leningrad': 19099, 'calorie': 5817, '575': 1116, 'clasping': 6899, 'bootstrap': 4975, 'socia': 30191, 'pk': 24879, 'makemytrip': 20096, 'cheating': 6535, 'caito': 5751, 'instructor': 17120, 'disabling': 9982, 'pornography': 25201, 'reboot': 26787, 'mareeba': 20279, 'njlockdown': 22550, 'unforgivable': 34281, 'govs': 14488, 'fpa': 13342, 'consult': 7695, 'superannuation': 31709, 'adjacent': 1913, 'skinless': 29890, 'bead': 4116, 'honolulu': 15885, 'savannah': 28593, 'peaking': 24350, 'dontbeapartoftheproblem': 10419, 'prayfortheworld': 25406, 'trustinthelord': 33754, 'danceswithrain': 8981, 'wwg1wgaworldwide': 36420, 'dearly': 9172, 'pavilion': 24280, 'viscelli': 35116, 'noticeably': 22782, 'documetry': 10326, 'urbanphotography': 34581, 'urbex': 34583, '5fold': 1141, 'usernames': 34646, 'faa': 12157, 'undeserved': 34230, 'eternally': 11748, 'donthoard': 10430, 'terrific': 32523, 'garwood': 13822, 'brightens': 5291, 'spreadkindness': 30685, 'cpi': 8370, '200bps': 469, '330ml': 796, 'boycottesco': 5097, 'wounder': 36320, 'synonym': 32088, 'fielding': 12620, 'poundage': 25309, 'dislocation': 10105, 'avishek': 3588, 'curable': 8740, 'nonationforfarmers': 22635, 'wid': 35954, 'yogendrayadav': 36603, 'vulnerbale': 35245, 'trumpisanidiot': 33703, 'trumpneedstoshutup': 33718, 'piersmorgan': 24782, 'techjunkieinvest': 32377, 'lizzie': 19432, 'gif': 14109, 'bushwick': 5583, 'sealed': 28890, 'n16': 21898, 'stokey': 31238, 'stokie': 31239, 'stokenewingtonchurchstreet': 31237, 'aakubosan': 1569, 'protectfrontliners': 25890, '03344859556': 60, '03065659733': 57, 'autosanitizergate': 3552, 'freeschoolmeals': 13440, 'schoolsuk': 28761, 'birla': 4607, 'industrialist': 16844, 'ov': 23706, 'onehealth': 23325, 'anheuser': 2746, 'wrench': 36340, 'notclear': 22760, 'dingle': 9930, 'golfatlanta': 14354, 'atlantagolf': 3377, 'golfgeorgia': 14356, 'georgiagolf': 13994, 'poorshowtesco': 25177, 'bossed': 5025, '3l': 879, 'prosecco': 25864, 'sendwine': 29104, 'amble': 2556, 'worklife': 36245, 'delet': 9382, 'pricerises': 25599, 'inventing': 17288, 'revolutionizing': 27673, 'motif': 21549, 'businessesandcompanies': 5597, 'este': 11722, 'aplausonacional': 2902, 'debe': 9189, 'ir': 17374, 'acompa': 1802, 'conciencia': 7520, 'todos': 33119, 'quedarnos': 26301, 'sirve': 29824, 'homenaje': 15840, 'vamos': 34772, 'poner': 25151, 'peligro': 24393, 'siendo': 29697, 'irresponsables': 17409, 'transcombiexpress': 33465, 'yourlogisticspartner': 36649, 'covoid19greece': 8346, 'kathandkim': 18120, 'kathkim': 18122, 'layered': 18951, 'nlpoli': 22561, '763': 1321, 'enacts': 11378, 'osceola': 23582, 'ucf': 33995, 'semester': 29080, 'passport': 24203, 'skipthedishes': 29902, 'swmnewsletter': 32037, 'swisspost': 32028, 'northland': 22719, 'everett': 11841, 'ihss': 16448, 'frigging': 13500, 'aubergine': 3446, 'fearmongering': 12470, 'endeavor': 11397, 'grabi': 14507, 'nga': 22418, 'gakaon': 13751, 'lami': 18783, 'matooke': 20499, 'jimmy': 17778, 'quiroga': 26365, 'abled': 1633, 'stocknbecayse': 31219, 'commentator': 7337, 'acknowledgment': 1797, 'oilfieldservices': 23218, 'oilgas': 23220, 'epicenter': 11585, 'mcphotography': 20602, 'csbs': 8661, 'novokuznetsk': 22841, 'badass': 3757, 'spiking': 30577, 'wireline': 36073, 'alluarjun': 2440, 'cbid': 6226, 'untested': 34479, 'karenrebels': 18100, 'alm': 2446, 'zit': 36795, 'replicated': 27266, 'resi': 27374, 'subside': 31542, 'futurestarr': 13703, 'workforyourself': 36228, 'pressed': 25535, 'dotr': 10492, 'congestion': 7602, 'sonic': 30358, 'grin': 14671, 'morbid': 21477, 'gonzales': 14368, 'centralnews': 6333, 'cleanupyourmess': 6951, 'ppelitter': 25355, 'affording': 2066, 'pillitteri': 24804, 'tasting': 32276, 'tense': 32498, 'plausible': 24938, 'springnews': 30708, 'taradome22': 32244, 'cloroxwipes': 7021, '5mn': 1160, 'unprofitable': 34419, 'globa': 14219, 'gdc': 13891, 'assumes': 3318, 'vivek': 35151, 'gambhir': 13771, 'breather': 5228, 'mainer': 20053, 'pokemon': 25094, 'domenic': 10377, 'primucci': 25623, 'nova': 22827, 'ctxs': 8683, 'bntx': 4830, 'gazing': 13876, 'prodigal': 25712, 'onefight': 23324, 'earlyserviceleavers': 10858, 'jobsforveterans': 17813, '3hr': 876, '2days': 699, 'banknote': 3896, '4days': 1011, 'stainless': 30822, 'exterior': 12098, 'socialidistancing': 30215, 'penrith': 24436, 'bluemountains': 4803, 'publicmedia': 26025, 'euthanasia': 11802, 'plutocrat': 25026, 'containerstore': 7772, '9honey': 1543, 'headden': 15298, 'hajjar': 14959, 'seasoned': 28911, 'hajjarpetersllp': 14960, 'netskope': 22303, 'sanjay': 28478, 'beri': 4348, 'rdguk': 26668, 'savy': 28628, 'retiree': 27577, 'ottnews': 23618, 'covud19': 8347, 'terminate': 32514, 'ff': 12581, 'pail': 23910, 'zonrox': 36815, 'distraught': 10208, 'aen': 2025, 'jvvnl': 18006, 'nazi': 22127, 'betfred': 4402, 'vandalism': 34785, 'armchair': 3114, 'testifies': 32550, 'deza': 9739, 'perfecting': 24488, 'hre': 16063, 'wwouldn': 36425, 'rubbishing': 28101, '25kg': 637, 'galling': 13764, '0042': 4, 'pinpoint': 24831, 'hadleigh': 14918, 'hillary': 15631, 'clinton': 7006, 'embarrassment': 11263, 'buybuybuy': 5658, 'justquarantings': 17994, 'winer': 36040, 'bcs': 4102, '01756986': 36, 'peterdutton': 24595, 'syndicate': 32082, 'chainsaw': 6404, 'maconsumer': 19928, 'spotascam': 30658, 'natter': 22078, 'belting': 4303, 'checkoutgirl': 6545, 'selfemployedsurvival': 29025, 'regain': 27008, 'chandrashekhar': 6435, 'tufaa': 33819, 'weyayu': 35760, 'whiteclaw': 35886, 'drizly': 10639, 'cheapestholidays': 6527, 'virginatlantic': 35086, 'virginholidays': 35087, 'impt': 16655, 'resourceful': 27415, 'howto': 16047, 'bhutan': 4473, 'bhutanese': 4474, 'thimphu': 32810, 'nightcrawler': 22492, 'thespot': 32777, 'bepositive': 4338, 'blackedout': 4660, 'wipeout': 36064, 'burningrubber': 5564, 'khatamkarona': 18319, 'listentomusic': 19368, 'emerg': 11279, 'disservice': 10173, 'tasawwuq': 32262, 'baitik': 3806, 'crater': 8429, 'trumpreces': 33728, 'hofbrauhaus': 15746, 'suds': 31596, 'clveland': 7074, 'confiscate': 7583, 'funtimes': 13666, 'reven': 27635, 'cbdmd': 6221, 'ycbd': 36530, 'cannabidiol': 5896, 'nireland': 22529, 'gameballymena': 13776, 'psalm': 25971, 'ccu': 6255, 'cardiotwitter': 6005, 'fixingthecountry': 12847, 'helo': 15448, 'certification': 6359, 'usd0': 34622, 'exw': 12133, 'usd1': 34623, 'sabcnews': 28231, 'hydoxychloroquine': 16220, 'triad': 33585, 'parish': 24129, 'donts': 10442, 'hausa': 15228, 'takeresponsibility': 32171, 'franchisenewsaustralia': 13368, 'franchisebusines': 13366, 'ggfc': 14065, 'johnsonmustgo': 17846, 'borisresign': 5004, 'ukstayhome': 34070, 'riced': 27719, 'livonia': 19428, 'jl': 17791, 'prot': 25881, 'inbound': 16688, 'innacurate': 16999, 'motorcycle': 21565, 'fuelprices': 13610, 'moronavirus': 21503, 'jst': 17908, 'aimlessly': 2223, '75ml': 1316, 'orihuelacosta': 23559, 'adminstrators': 1937, 'superarket': 31710, 'flinching': 12945, 'robber': 27892, 'protectothers': 25899, 'shulman': 29629, 'vicious': 34989, 'analogy': 2663, 'dissuade': 10178, 'profoundly': 25752, '1973': 390, 'sedan': 28963, 'hanover': 15094, 'cirko': 6823, 'bhargab': 4457, 'maitra': 20070, 'boycottpepsi': 5103, 'wishlistediting': 36095, 'hrlaw': 16066, 'emplaw': 11335, 'dueregard': 10728, 'whately': 35786, '2discriminatory': 700, 'psed': 25974, 'senatorshehusani': 29094, 'lifecycle': 19250, 'brandverse': 5173, 'katherine': 18121, 'figatner': 12628, 'whippy': 35871, 'dominate': 10384, 'intimes': 17248, 'equiping': 11613, 'hosptals': 15961, 'mahsood': 20031, 'telegram': 32438, 'mpc': 21612, 'hundo': 16158, 'clutching': 7072, 'natively': 22072, 'hospice': 15950, 'blissfully': 4741, 'hoverboard': 16030, 'backtothefuture': 3741, 'martymcfly': 20392, 'hoverboards': 16031, 'zelda': 36747, 'pfoa': 24645, 'insulted': 17126, 'chickenwings': 6631, 'meatonthebone': 20652, 'boundary': 5062, 'squeezethecharmin': 30748, 'diasorin': 9794, 'authorization': 3525, 'simplexa': 29760, 'opp': 23461, 'cricket': 8515, 'mcfuku': 20588, 'disorganized': 10126, 'speech1': 30544, 'framing': 13361, 'kennyrogers': 18244, 'kenny': 18243, 'harig': 15155, 'coddle': 7145, 'whitecoats': 35887, 'screengrabs': 28834, 'harbor': 15136, 'respnders': 27434, 'haley': 14970, 'reviving': 27663, 'attaining': 3403, 'nichemarket': 22462, 'cleo': 6971, 'cherryflowers': 6599, 'hawkes': 15249, 'glendale': 14210, 'locationdata': 19502, 'likewise': 19291, 'mealprep': 20626, 'zimo': 36785, 'toi': 33139, 'mfgs': 20922, 'searched': 28900, 'reappear': 26758, 'inherited': 16965, 'larder': 18837, 'keepsafeeveryone': 18210, 'keepreadingencasa': 18208, 'gunbacker': 14848, 'becouse': 4179, 'fould': 13318, 'meanness': 20636, 'malice': 20134, 'repeating': 27245, 'unashamed': 34119, 'actofkindness': 1836, 'goodsamaritan': 14394, 'thecurve': 32674, 'ecurve': 11021, 'mutiaradamansara': 21817, 'petalingjaya': 24587, 'restrictivemovementorder': 27490, 'melee': 20764, 'parentingfail': 24121, 'monroe': 21427, 'perinton': 24505, 'challah': 6416, 'bakeoff': 3814, 'easterbreadtradition': 10890, 'pflugerville': 24642, 'vapes': 34810, 'equalizer': 11605, 'publicsafety': 26029, 'hydroxychloronquine': 16231, 'supportyorkcounty': 31827, 'matatus': 20478, 'playin': 24945, 'puerto': 26043, 'rico': 27736, 'bangor': 3885, 'thrice': 32906, 'lucknow': 19790, 'liberalismisamentaldisorder': 19210, 'usdcad': 34627, '4200': 937, 'cad': 5727, 'kvbprime': 18666, 'stickley': 31149, 'interviewee': 17239, 'silence': 29732, 'burgeoning': 5542, 'cherryblossoms': 6598, 'birthdayiscancelled': 4613, 'biked': 4526, 'conceivable': 7505, 'seniorcare': 29112, 'rida': 27738, 'yucat': 36689, 'dicte': 9811, 'desrus': 9644, 'avitoonz': 3589, 'propcos': 25826, 'proprietary': 25859, 'jpm': 17903, '49k': 1003, 'chinaproperty': 6667, 'toughen': 33330, 'snowflake': 30146, 'gmaz': 14271, 'mealimeal': 20623, 'boycottmcdonalds': 5102, 'fightfor15': 12644, 'jse': 17907, 'hobart': 15734, 'brisbane': 5313, 'darwin': 9031, 'prolongation': 25790, 'roskill': 28011, 'survivalkit': 31895, 'collide': 7237, 'dorabjees': 10475, 'bangani': 3878, 'ngicela': 22422, 'niyeke': 22541, 'cease': 6272, 'desist': 9625, 'calculates': 5763, 'subramani': 31531, 'populationcontrol': 25191, 'structured': 31449, 'backyard': 3748, 'anlaby': 2767, 'marol': 20367, 'udhavthackeray': 34004, 'div': 10234, 'excludes': 11948, 'lilburn': 19295, 'wearadamnmask': 35540, 'blumhouse': 4811, 'blum': 4810, 'somethings': 30342, 'asianshares': 3242, 'bolstered': 4905, 'crip': 8530, '1017challenge': 146, 'worldstarhiphop': 36279, 'kushupchallenge': 18657, 'newmusic': 22355, 'thursdayvibes': 32952, 'goverened': 14464, 'scoundrel': 28806, 'accountable': 1745, 'stopcoronavirus': 31270, 'mythical': 21888, 'roadie': 27879, 'randomrapha': 26568, 'deducting': 9271, 'upstatement': 34561, 'consultwithtsb': 7701, 'tsb': 33772, 'fathom': 12395, 'bridgecard': 5274, 'bibleverse': 4480, 'elan': 11150, 'deplete': 9533, 'fischerjordan': 12807, 'meetthepress': 20731, 'sharper': 29340, 'acquiring': 1807, 'raredisease': 26607, 'cbdoilbenefitz': 6224, 'homegrow': 15827, 'buyinbulk': 5666, 'beprepared': 4339, '420': 936, 'usalockdown': 34613, 'auspicious': 3487, 'karaknath': 18091, 'kamalnath': 18061, 'mppoliticalcrisis': 21621, 'subsidizing': 31550, 'sanit': 28449, 'adede': 1891, 'derep': 9575, 'ruoth': 28156, 'nemesis': 22266, 'reactivate': 26681, 'brightram': 5296, 'protectconsumers': 25887, 'protectallpeople': 25884, 'cocoa': 7135, 'coffeelover': 7160, 'probe': 25687, 'ent': 11517, 'overwatch': 23799, 'junkrat': 17964, 'postwoman': 25288, 'perished': 24511, 'purport': 26111, 'residentevil4': 27382, 'capcom': 5942, 'gratification': 14579, 'spilled': 30579, 'chiaroscurist': 6617, 'spelt': 30557, 'unmet': 34392, 'francois': 13372, 'candelon': 5883, 'massholes': 20453, 'paidsickdays': 23905, 'ffcra': 12584, 'paidleave': 23903, '1942': 375, 'munich': 21753, 'ncba': 22151, 'marty': 20391, 'netflixth': 22300, 'survivor2020': 31907, 'zandi': 36725, 'mend': 20798, 'hitman': 15690, 'sportswear': 30655, '254': 630, '110922066': 183, 'prioritization': 25645, 'reapply': 26759, 'trumpcovidfails': 33690, 'preferably': 25461, 'latecapitalism': 18873, 'dutton': 10797, 'rhyming': 27705, 'slang': 29935, 'auspolsocorrupt': 3492, 'achat': 1778, 'cois': 7188, 'faire': 12228, 'leur': 19156, 'aider': 2215, 'entreprises': 11548, 'ciblant': 6789, 'produits': 25725, 'chaque': 6467, 'compte': 7495, 'appuyer': 3013, 'locaux': 19503, 'stimulant': 31166, 'notre': 22805, 'conomie': 7631, 'hangry': 15084, 'gee': 13904, 'quackery': 26209, 'gray': 14593, 'doorstop': 10473, 'nami': 21982, 'yuu': 36701, 'asikho': 3248, 'finalising': 12691, 'thrum': 32932, 'ominous': 23302, 'wetmarket': 35748, 'individually': 16824, 'polled': 25132, 'supervisory': 31781, 'lavallee': 18926, 'bhlrkqtp1z': 4466, 'consisted': 7666, 'disturbingly': 10228, 'salsa': 28376, 'weirdstockups': 35651, 'auth': 3510, 'lustre': 19840, 'hitachi': 15682, 'intereste': 17182, 'rhetoric': 27695, 'antisemitism': 2842, 'ayman': 3654, 'mohyeldin': 21338, 'painful': 23912, 'pleasestophoarding': 24973, 'merchantserviceinnovations': 20842, 'roadwarrior': 27883, 'memer': 20783, 'watchout': 35475, 'cttoncorona': 8680, 'wwinsights': 36423, 'thankyouretailworkers': 32632, 'ramvilaspaswan': 26549, 'unsolidarity': 34462, 'costumer': 8217, 'cooed': 7896, 'dtla': 10698, 'sta': 30779, 'prix': 25675, 'petrolhead': 24619, 'otherside': 23609, 'ribeye': 27714, 'carnivore': 6058, 'squirrel': 30752, 'docilians': 10307, 'pampered': 23961, 'testify': 32551, 'absolut': 1665, 'nordic': 22683, 'nordicinnovation': 22684, 'comeswith': 7299, 'responibility': 27443, 'delibirately': 9398, 'expo': 12066, 'soka': 30282, 'kma': 18479, 'yasa': 36524, 'ilde': 16467, 'kuyla': 18663, 'kutlan': 18659, 'betheissue': 4403, 'consumerismreform': 7732, 'rs96': 28076, 'gianteagle': 14103, '126': 221, 'ukeconomy': 34045, 'tcpa': 32324, 'staranded': 30865, 'strandedbrits': 31353, 'bringflightsback': 5307, 'redirect': 26908, 'csforall': 8664, 'convention': 7863, 'eagerness': 10846, 'distanc': 10181, 'youllbeaiight': 36635, 'waityourturn': 35290, 'stayback': 30954, 'atleast6feet': 3381, 'sledgehammer': 29953, 'bonesaw': 4927, 'outlawing': 23664, 'delve': 9440, 'constrained': 7689, 'arundel': 3201, 'marubeni': 20393, 'chera': 6592, 'titan': 33063, 'parlayed': 24144, 'reaped': 26756, 'revew': 27649, 'businesswoman': 5614, 'affiliatemarketing': 2051, 'branston': 5175, 'antiflu': 2835, 'feeble': 12497, 'fittest': 12831, 'att': 3393, 'rhea': 27694, 'whacking': 35774, 'lon': 19607, 'fraction': 13350, 'arnold': 3127, 'convos': 7892, 'insignificant': 17051, 'scmp': 28783, 'costcos': 8207, 'adjourned': 1914, 'nonpayment': 22651, 'dropshipping': 10652, 'vegetableoil': 34875, 'dukem': 10734, 'trumpownseverydeath': 33719, 'toiletpaperapocolypse': 33147, 'schuermann': 28765, 'fixates': 12842, 'oilfinance': 23219, 'forge': 13236, 'pager': 23898, '1974': 391, 'swcycle': 31980, 'tightened': 32981, 'bounced': 5058, 'replay': 27259, 'italytravel': 17508, 'riddance': 27739, 'poison': 25087, 'n2': 21899, 'bettersafethansorry': 4412, 'fertilizer': 12564, 'navigates': 22113, 'marketoutlook': 20336, 'wo': 36145, 'berojgar': 4364, 'achanak': 1777, 'gayee': 13866, 'ane': 2716, 'ziddi': 36776, 'supermarts': 31760, 'lumpur': 19814, 'greediness': 14613, 'etenergyworld': 11746, 'sprint': 30710, 'nounemployment': 22818, 'goodie': 14381, 'cbtt': 6234, 'somerset': 30337, 'helpp': 15476, 'authentik': 3516, 'soulmatez': 30398, 'watchmenhbo': 35474, 'bobblehead': 4847, 'mcm': 20595, 'freegiveaway': 13422, 'mancrushmonday': 20173, 'reared': 26761, 'skymiles': 29914, 'teamams': 32340, 'audiology': 3459, 'togetherwearebetter': 33131, 'louse': 19712, 'phantom': 24653, 'clawing': 6921, 'multiplying': 21729, 'apparatus': 2934, 'peanutbutter': 24353, 'backtrack': 3742, 'letpanic': 19131, 'followtherules': 13062, 'ignorantaustralians': 16430, 'beachgoers': 4114, 'brazilian': 5195, 'styling': 31498, 'backside': 3739, 'pandemicproblems': 23999, 'day15': 9105, 'discgolfcenter': 10016, 'califor': 5781, 'roc': 27914, 'fabricated': 12165, 'whstsapp': 35935, '08121156706': 115, 'cristiano': 8542, 'yoruba': 36622, 'guardiola': 14798, 'torres': 33284, 'day3': 9113, 'grocerypickup': 14701, 'wegotthis': 35631, 'safeguarded': 28279, 'sunoco': 31697, 'diane': 9787, 'drifting': 10620, 'willowy': 36009, 'luxary': 19846, 'afflicted': 2057, 'array': 3143, 'gracious': 14512, 'blandin': 4687, 'shemeantcondoms': 29402, 'impeachedts': 16588, 'regrann': 27032, 'victor': 34995, 'catalog': 6158, 'makeithappen': 20090, 'odyssey': 23137, 'scambritain': 28671, 'raisethebar': 26489, 'workersrights': 36224, 'prosperity': 25876, 'handinhand': 15041, 'soda': 30255, 'coronafunny': 8039, 'presto': 25544, 'akinbamidele': 2280, 'akintola': 2281, 'dink': 9932, 'serviette': 29193, 'socents': 30190, 'underlining': 34192, 'coronacri': 8025, 'furnishing': 13680, 'acikmayasa': 1789, 'salonetwitter': 28375, 'cakeshop': 5756, 'lent': 19103, 'qkjj': 26189, 'doubter': 10499, 'objective': 23044, 'petroleumreserve': 24617, 'aggregator': 2141, 'wallis': 35329, 'slippage': 29981, 'contro': 7844, 'surf': 31856, 'supermarketsuperheroes': 31752, 'servicer': 29189, '609': 1179, '292': 681, '7272': 1295, 'gma': 14269, 'drjashton': 10640, 'michaelkekesara': 20945, 'syncrude': 32081, 'ymm': 36592, 'rwmb': 28197, 'coronaireland': 8059, 'denounce': 9500, 'nbachinalapdogs': 22131, 'iab': 16285, 'mung': 21752, 'mayonnaise': 20544, 'lightning': 19280, 'nabou': 21924, 'takesavillage': 32172, 'friendslikefamily': 13497, 'dffnt': 9741, 'hermanita': 15544, 'mngr': 21253, 'safedistancing': 28277, 'ayatollah': 3647, 'sistani': 29827, 'silently': 29737, 'justifying': 17983, 'ijustwantsomemilk': 16459, 'prioritising': 25644, 'parecetomol': 24115, 'seperates': 29152, 'lowincomes': 19747, 'sfchron': 29242, 'postcard': 25263, 'newssuite': 22382, '80yo': 1372, 'distressing': 10212, 'sharara': 29317, 'ordinarily': 23519, 'onboarding': 23314, 'ilovereading': 16500, 'hca': 15281, 'prolific': 25787, 'ramanan': 26525, 'krishnamoorti': 18604, 'khou': 18324, 'louistv': 19706, 'shatter': 29347, 'shattawale': 29346, 'bayonne': 4063, 'popcorn': 25181, 'glancingly': 14192, 'amusing': 2649, 'broiler': 5354, 'fritos': 13512, 'plaguing': 24895, 'ferrer': 12559, 'antoinette': 2849, 'number2': 22908, 'quarantine2020': 26242, 'verse': 34954, 'hubbard': 16085, 'dunne': 10761, 'ocha': 23109, 'iic': 16451, 'idp': 16388, 'acce': 1702, 'digitalservicesact': 9892, '50th': 1065, 'copayments': 7933, 'proudmuslim': 25927, 'bateman': 4018, 'translating': 33490, 'inv': 17276, 'consum': 7702, 'maan': 19901, 'haitian': 14956, 'satu': 28561, 'satunya': 28562, 'tempat': 32464, 'aku': 2287, 'kena': 18236, 'exodus': 11991, 'passover2020': 24201, 'chagsameach': 6400, '64gb': 1213, '704': 1277, 'stature': 30932, 'unfounded': 34285, 'ktaka': 18626, 'washer': 35427, 'validity': 34760, 'brendan': 5241, 'formorenews': 13262, 'shoo': 29486, 'dom': 10374, 'occupation': 23097, 'perpetrated': 24531, 'guitarsolo': 14831, 'shred': 29606, 'humorous': 16149, 'propertyprices': 25836, 'ukproperty': 34064, 'housingsupply': 16023, 'internetretailing': 17213, 'ukcovidlunacy': 34044, 'avoids': 3600, 'tottering': 33317, 'impedance': 16589, 'harmonicretail': 15165, 'retailevolution': 27527, 'retailchanges': 27523, 'retailexperience': 27528, 'sprawling': 30671, 'multiplication': 21725, 'asic': 3244, 'financialsystem': 12721, 'viciously': 34990, 'wisconsinprimary': 36081, 'oak': 23015, 'thatcherism': 32646, 'vicar': 34987, 'tcm': 32320, 'kathy': 18125, 'bates': 4019, 'splitting': 30614, 'myus': 21889, 'internationalshipping': 17209, 'mcnamme': 20597, 'iain': 16287, 'duncan': 10752, 'uncovers': 34164, 'trump20': 33682, 'priv': 25659, 'padding': 23887, 'homegym': 15828, 'swinnen': 32023, 'surcharge': 31849, 'sindharamsanwarmalmewawala': 29790, 'dryfruits': 10677, 'peril': 24501, 'coronachaos': 8019, 'overhyped': 23749, 'biosurveillance': 4594, 'atlas': 3379, 'debacle': 9180, 'americastrong': 2587, 'tokre': 33192, 'pci': 24328, 'flippant': 12950, 'smarta': 30027, 'quinine': 26357, 'jean': 17682, 'coronacation': 8016, 'transferring': 33474, 'mercado': 20831, '20th': 533, '55pm': 1102, 'deepdale': 9278, 'duopoly': 10767, 'toorak': 33240, 'wellington': 35674, 'wildest': 35985, 'foxbusiness': 13338, 'dc15': 9133, 'sbm': 28654, 'wheatoffal': 35813, 'microdroplets': 20969, 'inhaled': 16960, 'mreade': 21626, 'dermott': 9585, 'jewell': 17750, 'cai': 5745, 'taanz': 32107, 'olsen': 23278, 'swinging': 32022, 'travelagents': 33529, 'kerrydigest': 18268, 'oaps': 23021, 'shuffling': 29627, 'flinch': 12944, 'newsdesk': 22371, 'prioritizes': 25648, 'rebalancing': 26780, 'prayingforall': 25409, 'millenial': 21056, 'ontariotogether': 23398, 'theoretically': 32733, 'protracted': 25922, '8216': 1382, '8217': 1383, 'cathedral': 6180, 'stpatricksday': 31341, 'selfprotect': 29050, 'durban': 10777, 'jio': 17786, 'happier': 15107, 'storeclerks': 31316, 'grocerystoreclerksstaysafe': 14711, 'cambridgeuniversity': 5825, 'openingtimes': 23435, 'rogue': 27945, 'robyn': 27913, '5livebreakfast': 1156, 'ugx': 34024, 'bospoli': 5021, 'dormant': 10480, 'mcdonaldscoffee': 20586, 'oyedepo': 23837, 'bifrons': 4497, 'arsetralia': 3169, 'mislead': 21169, 'nisa': 22532, 'salman': 28371, 'mohammedbinsalman': 21335, 'atim': 3371, 'streetbees': 31390, 'vidisha': 35015, 'gaglani': 13741, 'oju': 23240, 'koba': 18524, 'istandwithpastorchris': 17496, 'toto': 33314, 'oas': 23023, 'bcrea': 4101, 'brendon': 5243, 'ogmundson': 23190, 'universityofmichigan': 34357, 'akp': 2284, 'mhp': 20935, 'downvote': 10549, 'spatial': 30497, 'motorbike': 21564, 'indiabulls': 16778, 'deffecult': 9316, 'virues': 35103, 'nip': 22524, 'bbq': 4086, 'recipeoftheday': 26823, 'marmalade': 20361, 'glaze': 14199, 'marmoreresearch': 20363, 'emilia': 11297, 'romagna': 27973, 'lazio': 18958, 'nun': 22915, 'panicdemic': 24028, 'zimbabwean': 36783, 'looe': 19632, 'discontinue': 10034, 'tplocator': 33381, 'betrayed': 4407, 'disband': 10007, 'crudeexports': 8618, 'arguscrude': 3092, 'groceryretailers': 14703, 'consequent': 7649, 'barron': 3969, 'insists': 17056, 'crafty': 8401, 'absorbent': 1670, 'geek': 13905, 'domestically': 10380, 'enquiring': 11496, 'familybusiness': 12284, 'happytohelp': 15126, 'industry2020': 16847, 'traveltrends': 33544, 'nba2k20': 22130, 'cranky': 8417, 'colaboration': 7193, 'confidently': 7570, 'fixturescloseup': 12853, 'storefixtures': 31322, 'retailfixtures': 27529, 'brandexperience': 5159, 'shoppermarketing': 29534, 'aircon': 2235, 'cured': 8752, 'palestinian': 23943, 'swept': 32003, 'wench': 35684, 'attemped': 3405, 'stockroom': 31227, 'biy': 4640, 'dontcare': 10427, 'grueling': 14767, 'bulkbuy': 5492, 'uppity': 34548, 'offbrands': 23149, 'confession': 7562, 'annie': 2777, 'buttermilk': 5637, 'porn': 25200, 'gatherer': 13845, 'defaulting': 9291, 'erodes': 11644, 'nationallockdown': 22065, 'shelfisolation': 29385, 'kavacik': 18142, 'arthur': 3176, 'smalltownpride': 30024, 'slowthecurve': 30002, 'moreira': 21484, '1991': 403, 'smucker': 30091, 'section144is': 28947, 'nana': 21989, 'horlicks': 15931, 'illegals': 16475, 'marketingstats': 20329, 'potion': 25297, 'lozenge': 19758, 'intraday': 17256, 'gameface': 13778, 'accountant': 1746, 'disapprove': 9998, 'consumerbusiness': 7715, 'resuscitate': 27512, 'dnr': 10297, 'ceemea': 6282, 'maritimes': 20306, 'kungflufighting': 18646, 'qutting': 26381, 'suncontract': 31671, 'custumers': 8819, 'eth': 11751, 'nadu': 21934, 'jacoby': 17587, 'itstime': 17538, 'socialdistancingdiaries': 30204, 'greet': 14637, 'istayhome': 17498, 'breeze': 5235, 'powerofpositivity': 25341, 'burndiya': 5560, 'specialised': 30516, 'koel': 18532, 'aajeevika': 1568, 'palamu': 23939, 'haircut': 14945, 'whm': 35906, 'cocoapost': 7137, 'minworth': 21143, 'tbh': 32312, 'exempts': 11967, 'mccarthy': 20574, 'trault': 33521, 'fining': 12749, 'dishonest': 10084, 'eldery': 11163, 'floridalockdown': 12975, 'dataprivacy': 9051, 'digitalpolicy': 9888, 'fastestgrowing': 12378, 'kozak': 18576, 'eastvan': 10906, 'foodblog': 13086, 'vancouverbc': 34777, 'yvreats': 36705, 'vancity': 34775, 'yvrfoodies': 36706, 'vancouverfood': 34779, 'vancouverfoodie': 34780, 'vancouverfoodies': 34781, 'burnaby': 5559, 'newwest': 22393, 'surreybc': 31882, 'richmondbc': 27733, 'canuck': 5932, 'depended': 9525, 'cundy': 8723, 'joblessclaims': 17809, '0337210852': 61, 'sholanke': 29484, 'goriola': 14429, 'sodiq': 30258, 'sofi': 30261, 'prescient': 25505, 'abetterpharmacy': 1615, 'fastmarkets': 12381, 'risi': 27814, 'viewpoint': 35029, 'qantas': 26176, 'returnees': 27604, 'day1': 9098, 'disconcerting': 10028, 'lastword': 18865, '261': 645, 'phantomflights': 24654, 'playfair': 24943, 'stewart': 31139, 'grandjunction': 14541, 'santafe': 28491, 'nmpol': 22567, 'nmleg': 22566, 'nmsen': 22568, 'farmington': 12337, 'sanjuanbasin': 28481, 'durango': 10774, 'permian': 24520, 'permianbasin': 24521, 'curriculum': 8767, 'zerohedge': 36764, 'favorable': 12410, 'reignite': 27055, 'oilpaintings': 23225, 'cecilia': 6279, 'tacoli': 32126, 'windowless': 36028, 'fad': 12212, 'guesting': 14811, 'birdsall': 4606, 'localnews': 19493, 'sdg2': 28871, 'farmtofork': 12344, 'iamwanda': 16294, 'biden2020': 4491, 'cfi': 6377, 'acrylonitrile': 1815, 'butadiene': 5626, 'nhsvolunteerresponder': 22445, 'nhsvolunteers': 22446, 'cryptos': 8653, 'litecoin': 19373, 'foodcrisis': 13094, 'stillnotolietpaper': 31162, 'w7alvtqwij': 35258, 'familydocs': 12286, '1hr': 435, 'wilful': 35993, 'throwaway': 32926, 'pratt': 25392, 'rachael': 26422, 'indianapolis': 16791, 'customorders': 8814, 'naptown': 22011, 'linkinbio': 19336, 'wakanda': 35296, 'manenoz': 20190, 'tembeakenya': 32462, 'painter': 23917, 'tukwila': 33827, 'youreself': 36647, 'dishonesty': 10085, 'brandstrategy': 5170, 'brandpostitioning': 5168, 'consumervalues': 7750, 'consumerdemands': 7721, 'cdclied': 6259, 'applestock': 2967, '1alvxcdray': 424, 'meticulous': 20900, 'thumb': 32941, 'controled': 7846, 'monumental': 21445, 't1d': 32105, 'cadillac': 5733, 'relieffordiabetics': 27127, 'lillysaveslives': 19297, 'hosp': 15949, 'mediavataarindia': 20675, 'nopurellanywhere': 22678, 'thisadvicewasdumb': 32845, 'latics': 18889, 'clemt': 6968, 'tuskys': 33880, 'sendy': 29105, 'sens': 29117, 'chilltheeffout': 6653, 'strathalbyn': 31373, 'evaporation': 11826, 'vonderleyen': 35201, 'futureofeurope': 13697, 'natl': 22074, 'staged': 30811, 'kisi': 18426, 'milne': 21068, 'jau': 17661, 'mujhe': 21694, 'kaha': 18031, 'milega': 21039, 'tkt': 33079, 'potts': 25301, 'venting': 34917, 'flaring': 12879, 'cutmethane': 8826, 'hinting': 15659, 'indextrading': 16775, 'tradingemas': 33428, 'tradingforliving': 33429, 'tradingsignal': 33430, 'traderlife': 33420, 'tradingblog': 33427, 'dontlooseyourshirt': 10432, 'janta': 17645, 'mundane': 21749, 'wracking': 36329, 'nikkei': 22507, 'carnival': 6057, 'barker': 3943, 'srz': 30764, 'beerstogo': 4210, 'artbarsc': 3172, 'murica': 21774, 'inflight': 16906, 'hirings': 15670, 'kingsoopers': 18405, 'fredmeyer': 13413, 'whenwe': 35828, 'amply': 2633, 'pillaged': 24799, 'bsvirus': 5420, '1899': 352, 'digitalpayments': 9886, 'paymentportal': 24303, 'norbert': 22681, 'highfalutin': 15600, 'gitwitter': 14155, 'mainstreet': 20059, 'emailmarketing': 11252, 'deg': 9347, 'pjvogt': 24878, 'mario': 20304, 'blackops3': 4670, 'bo3zombies': 4833, 'steamworkshop': 31066, '16am': 317, 'woofer': 36196, 'adayinthelifeofselfisolation': 1868, 'yannathan': 36514, 'workerhealth': 36221, 'stepupcarolinas': 31107, 'nomi': 22629, 'mtl': 21666, 'britishcolumbia': 5322, 'justintrudeau': 17989, 'kwikspar': 18681, 'kempton': 18234, 'akin': 2278, 'leftwing': 19043, 'girl45': 14148, 'fleabag': 12916, 'tix': 33073, '948373rd': 1502, 'feck': 12482, 'toucj': 33328, 'superdrug': 31720, 'upwards': 34574, 'bearmarket': 4130, 'lmfao': 19457, 'ochanja': 23110, '4cayurveda': 1010, 'goodlife': 14384, 'goodhealth': 14380, 'cancerayurveda': 5882, 'kidneyrevival': 18350, 'mers': 20865, 'healthnews': 15340, 'hypertension': 16266, 'excusing': 11957, 'confinementdiary': 7574, 'confinementg': 7575, 'ral': 26508, 'comicbook': 7312, 'mafia': 19972, 'dustbunnymafia': 10785, 'bookie': 4948, '573': 1114, '751': 1311, 'prohibiting': 25771, 'rectum': 26876, 'remission': 27174, 'jimmykimmel': 17781, 'forreal': 13270, 'forcein': 13200, 'culpable': 8706, 'doktari': 10359, 'likoni': 19293, 'juja': 17940, 'narok': 22019, 'uhunye': 34029, 'roussin': 28042, 'discourages': 10044, 'unbranded': 34133, 'plugin': 25007, 'maccabi': 19912, 'bnei': 4827, 'brak': 5145, 'bennett': 4329, 'toured': 33337, 'anime': 2760, 'kentuckyfriedchicken': 18251, 'friedchicken': 13490, 'capitulation': 5960, 'starfishclub': 30872, 'bullwhip': 5510, '1x': 454, 'ndis': 22185, 'shopee': 29499, 'zalora': 36720, 'ahmedabad': 2201, 'kk': 18458, 'nirala': 22528, 'unleashes': 34377, 'chmura': 6707, '7bn': 1347, 'afdb': 2038, 'papaya': 24062, 'tang': 32218, 'yuan': 36687, 'helix': 15440, 'opco': 23420, 'myheritage': 21851, 'pathway': 24241, 'microscholarship': 20976, 'nadeem': 21931, 'turabi': 33853, 'oringinally': 23562, 'marrickville': 20370, 'nswpol': 22886, 'healing': 15313, 'logical': 19583, 'korona': 18565, 'movevan': 21597, 'usnscomfort': 34661, 'blight': 4725, 'gcw': 13889, 'permitting': 24526, 'crimesagainsthumanity': 8520, 'inhistogether': 16967, 'argue': 3086, 'rugby': 28119, 'wresting': 36342, 'boro': 5009, 'synced': 32079, 'boding': 4861, 'rapprochement': 26602, 'retreating': 27591, 'summa': 31650, 'biotches': 4596, 'torontostrong': 33282, 'traveltips': 33543, 'healthawareness': 15319, 'travelguide': 33535, 'tourguide': 33338, 'salar': 28349, 'millat': 21054, 'akbaruddin': 2274, 'owaisi': 23811, 'rapping': 26600, 'venom': 34908, 'malevolent': 20132, 'spinning': 30585, 'fabriziocorona': 12167, 'letshavefun': 19142, 'shareit': 29324, 'eine': 11133, 'wahre': 35278, 'coronageschichte': 8041, 'wenn': 35689, 'supermarktkasse': 31758, 'ohne': 23203, 'vorwarnung': 35207, 'taschent': 32263, 'cherpaket': 6596, 'weg': 35628, 'genommen': 13963, 'wird': 36070, 'deine': 9364, 'schokoladen': 28746, 'ostereiert': 23594, 'aber': 1613, 'halbiert': 14967, 'werden': 35694, 'vorgang': 35205, 'coronadi': 8032, 'feelthejr': 12526, 'litigating': 19383, 'faizan': 12248, 'yusuf': 36700, 'danube': 9005, 'salaam': 28345, 'jedhha': 17689, 'famliy': 12291, 'sepreding': 29154, 'steadily': 31056, 'microscopy': 20978, 'zafrul': 36714, 'muhyiddin': 21693, 'judgment': 17924, 'backdoor': 3723, 'nearer': 22196, 'qtr': 26205, 'preppertalk': 25499, 'shtf': 29623, 'lieing': 19239, 'tailored': 32146, 'unfathomable': 34268, 'appt': 3010, 'pt1': 25998, 'grocerers': 14691, 'cunning': 8724, 'degradation': 9356, 'financ': 12697, 'plethora': 24985, 'bucking': 5447, 'santions': 28495, 'hota': 15975, 'halat': 14966, 'baray': 3918, 'letay': 19127, '266': 651, '300each': 744, 'conservativeparty': 7653, 'permeated': 24519, 'lyingnewsom': 19875, 'mna': 21246, 'godown': 14314, 'toiletpaperdoor': 33156, 'mktg131': 21230, 'teksi': 32422, 'intern': 17199, 'dealmakers': 9162, 'restructurings': 27495, 'doctorsarehumans': 10317, 'enhances': 11472, 'kagan': 18029, 'cornish': 7987, '48yr': 999, '47yr': 988, 'carabinieri': 5980, 'custody': 8794, 'prio': 25638, 'seattlecoronavirus': 28921, 'plum': 25008, 'innit': 17003, 'devinjohnson445': 9723, 'optimistically': 23489, 'pocketed': 25061, 'copmpany': 7942, 'ucsf': 34002, 'scripps': 28841, 'translational': 33492, 'mhealth': 20933, 'crowdsource': 8605, 'biostatistics': 4593, 'amplified': 2629, 'bako': 3824, 'lalong': 18773, 'relentless': 27115, 'farhan': 12319, 'yusoff': 36699, 'gala': 13753, 'scrabbling': 28813, 'amending': 2571, 'sizable': 29851, 'repo': 27271, 'cheerio': 6555, 'uneducated': 34248, 'bcus': 4103, 'hughs': 16112, 'nosociallife': 22745, 'careerchange': 6014, 'rosslare': 28015, 'tillman': 33000, 'minimising': 21110, 'thebestrun': 32665, 'o2': 23009, 'sbwl': 28659, 'wyatt': 36428, 'widespreadpanic': 35962, 'vta': 35233, 'mortem': 21515, 'disinflation': 10097, 'sickle': 29672, 'consumeraffairs': 7709, 'registering': 27027, 'skolars': 29904, 'rl': 27851, 'hw': 16214, 'oilments': 23223, 'swanson': 31968, 'hoquiam': 15924, 'lockdownusa': 19555, 'graysharbor': 14594, 'scomo': 28786, 'msia': 21645, 'econom': 10989, 'islamabad': 17442, 'bannu': 3911, '2ndamendment': 725, 'gunstores': 14859, 'praytogether': 25410, 'rakmall': 26506, 'qanda': 26174, 'sleepy': 29960, 'uncomfortable': 34150, 'asteroid': 3329, 'nuys': 22953, 'vibration': 34984, 'vitc': 35148, 'goodvibes': 14399, 'alexas': 2354, 'fotos': 13316, 'pixabay': 24870, 'venerable': 34899, 'hakim': 14961, 'coronazombies': 8137, 'coronazombiesmovie': 8138, 'cashlesspayments': 6134, 'consumertrend': 7748, 'micromarkets': 20971, 'royale': 28057, 'checkstand': 6547, 'wantin': 35372, 'myluck': 21859, 'missiouri': 21187, 'divorcing': 10264, 'youhadonejob1': 36633, 'witch': 36098, 'lame': 18777, 'redeemer': 26893, 'brew': 5254, 'biofuels': 4578, 'unpacks': 34405, '3hours': 875, '220ml': 562, 'unscented': 34451, 'crosshairs': 8591, 'santapola': 28493, 'stopcovid19': 31271, 'activesports': 1832, 'trekking': 33567, 'sfa': 29240, 'consequen': 7647, 'indulge': 16835, 'modernbazaar': 21306, 'inhouseproducts': 16970, 'premiumbrands': 25482, 'bringbackbritishbrains': 5305, 'renaissance': 27196, 'threefold': 32901, 'penalising': 24409, 'readability': 26687, 'leper': 19110, 'policestate': 25109, 'macroeconomics': 19933, 'meny': 20825, 'petstore': 24626, 'petsupplies': 24627, 'tack': 32119, 'fortifying': 13285, 'impersonation': 16596, 'rusia': 28171, 'corornamadness': 8145, 'firsthand': 12797, 'crunched': 8632, 'coincided': 7180, 'billionsatplay': 4544, 'cribdelacurse': 8514, 'besafeeveryone': 4372, 'roland': 27954, 'kape': 18085, 'nian': 22453, 'henryqc': 15515, 'honouring': 15891, 'cuny': 8730, 'multipurpose': 21730, 'discouragement': 10043, 'retailinsider': 27538, 'northerner': 22714, 'southerner': 30429, 'chavs': 6516, 'sweetsandsnacksexpo': 32000, 'bandcamp': 3865, 'anyanswers': 2864, 'heromasks': 15553, 'flaming': 12870, 'torch': 33265, 'spiilttle': 30574, '700m': 1271, 'healthwise': 15346, 'crouching': 8598, 'duckers': 10717, 'dissipate': 10175, 'remittance': 27175, 'businessowner': 5607, 'parknshop': 24139, 'facto': 12204, 'nourishing': 22821, 'consumerattitudes': 7711, 'assumed': 3317, 'aguh': 2184, 'pah': 23900, 'wuhanvirusmadeinchina': 36403, 'wuhanvirusismadeinchina': 36402, 'unsc': 34449, 'doorbuster': 10467, 'suffocate': 31609, 'zakat': 36718, 'invisibleenemy': 17317, 'decal': 9208, 'boiling': 4887, 'ussenators': 34669, 'whine': 35862, 'hijack': 15622, 'rift': 27760, 'hl': 15698, 'whethe': 35848, '1200shs': 210, '4500shs': 962, 'shs': 29619, 'kayiso': 18151, '3500shs': 812, 'nbsamasengejje': 22145, 'clogged': 7017, 'insur': 17128, 'retroactive': 27597, 'muppet': 21762, 'espousing': 11686, 'nothin': 22777, 'idtwitter': 16393, 'fareshare': 12316, '0131': 26, '554': 1099, '3900': 857, 'hostel': 15966, 'exd': 11958, 'postage': 25259, 'lalamove': 18767, '10bottles': 161, 'kkm': 18460, 'malaysiabebascovid19': 20124, 'sanitizerkl': 28469, 'kualalumpur': 18631, 'reynders': 27686, 'dirittideiviaggiatori': 9969, 'stairclimbers': 30824, 'manualhandling': 20239, 'filmmaker': 12676, 'hawley': 15252, 'wallenpaupack': 35326, 'raggedman': 26459, 'n40k': 21902, 'bribe': 5269, 'shamefully': 29294, 'gs1connect19': 14772, 'startuplab19': 30887, 'locai': 19481, 'quarantinecooking': 26256, 'fremont': 13451, 'ong': 23338, 'tribunecovid19watch': 33591, 'gunsandammo': 14856, 'racketeerinent': 26435, '8ish': 1450, 'palladium': 23946, 'lockdownlife': 19533, 'petroleumprice': 24616, 'tussle': 33881, 'gocoronago': 14305, 'mustwearmask': 21809, 'mustweargloves': 21808, 'stayalive': 30941, 'ramdasatwale': 26531, 'supportlockdown': 31819, 'fatehgunj': 12391, 'tenancy': 32480, 'accuser': 1765, 'whatif': 35788, '633': 1205, 'verifiable': 34930, 'tricol': 33600, 'propagating': 25824, 'patchwork': 24225, 'bigthreeconsulting': 4518, 'demoted': 9480, 'speads': 30505, 'finalizing': 12694, 'kaltenboeck': 18053, 'manuscript': 20250, 'coi': 7172, 'klew': 18472, 'eurotrucksimulator': 11797, 'americantrucksimulator': 2586, 'dlc': 10286, 'goldfill': 14345, 'sterlingsilverjewelry': 31122, 'sterlingsilver': 31121, 'britches': 5319, 'chaser': 6502, 'bearing': 4128, 'envisioned': 11564, 'sarge': 28533, 'mimaskchallenge': 21076, 'incumbent': 16759, 'squabble': 30732, 'aha': 2186, 'liked': 19285, 'plymouth': 25028, 'pyjama': 26161, 'ausgangssperre': 3482, 'overarching': 23715, '1585': 290, 'cuss': 8787, 'carney': 6055, 'yallnasty': 36505, 'savethemasksforhealthcareworkers': 28614, 'glovesdontprotectyouiflickyourfingers': 14251, 'apptopia': 3011, 'exabel': 11897, 'eatlikekings': 10922, 'hawtdawgs': 15253, 'bloombergintelligence': 4778, 'goshh': 14436, 'worldd': 36261, 'unnamed': 34393, 'angered': 2736, 'virion': 35089, 'netanyahu': 22292, 'stanfield': 30856, 'slathering': 29942, 'bbalert': 4070, 'trumpsvirus': 33734, 'fortnightly': 13290, '30min': 762, 'admiring': 1943, 'gorgeous': 14427, 'stresseating': 31402, 'kimkardashianisoverparty': 18385, 'thankyoupresidenttrump': 32630, 'kpop': 18585, 'vmin': 35165, 'ateez': 3355, 'nct': 22172, 'bcoz': 4099, 'onlineretailing': 23367, 'dca': 9134, 'prescribers': 25508, 'wrongfully': 36361, 'referenced': 26954, 'thy': 32956, 'jobsnewsuk': 17815, 'quirky': 26364, 'awake': 3613, 'racked': 26434, 'thankyoubakedpotato': 32620, 'feednhs': 12517, 'landon': 18812, 'tropical': 33646, 'meedha': 20719, 'vunna': 35249, 'prajala': 25381, 'pettakandi': 24628, 'reporrts': 27274, 'alters': 2495, 'dhroa': 9764, 'competence': 7432, 'rial': 27708, 'jamaican': 17617, 'survivalofthefittest': 31897, 'facetouch': 12193, 'soiled': 30280, 'moshon': 21527, 'complying': 7475, 'newswire': 22386, 'metalminer': 20887, 'metalprices': 20888, 'holbycity': 15762, 'northshields': 22724, 'impressionz': 16639, 'shii': 29429, 'hbl': 15274, 'moonshine': 21458, 'franklin': 13378, 'ceba': 6276, 'lpm': 19762, 'bff': 4439, 'betrayal': 4406, 'defendourdemocracy': 9304, 'vrheadset': 35229, 'virtualreality': 35099, 'achieving': 1783, 'calendar': 5771, 'experiential': 12028, 'sanny': 28486, 'magpie': 20008, 'pozzie': 25350, 'magpied': 20009, 'oilseed': 23234, 'togetherwecan': 33133, 'togetherwearestronger': 33132, 'maxine': 20531, 'hoffman': 15747, 'scanned': 28687, 'homa': 15799, 'zarghamee': 36730, '86thetp': 1423, 'criminalizes': 8524, 'stayathomesa': 30948, 'africansarenotlabrats': 2083, 'foodboxes': 13089, 'ob': 23030, 'swiped': 32025, 'southport': 30440, 'pabankersproud': 23859, 'elective': 11173, '35yos': 826, 'nocontact': 22588, 'rycroft': 28205, '02': 42, 'paymentbreaks': 24302, 'brc': 5197, 'fruitandvegetabkes': 13542, 'ukfoodsecurity': 34049, 'challenged': 6418, 'centeredness': 6321, 'willful': 36000, 'myopia': 21863, 'eater': 10914, 'mealplan': 20625, '10baje': 159, 'm5qxkiqych': 19896, 'sanctifier': 28421, 'purgatory': 26103, 'nohoarding': 22610, 'pmo': 25042, 'narendermodi': 22015, 'tnluk': 33098, 'april2020': 3018, '290k': 679, '60k': 1181, 'irrelevantmusik': 17404, 'tattooartist': 32285, 'inked': 16992, 'sinner': 29812, 'tattooed': 32286, 'xxl': 36483, 'wshh': 36367, 'worldstar': 36278, 'techn9ne': 32380, 'formulate': 13265, 'tues': 33810, 'nanosecond': 22001, 'polenta': 25104, 'amis': 2601, 'canalys': 5864, 'wearablebands': 35538, 'smartpersonalaudiodevices': 30041, 'smartspeakers': 30045, 'criticising': 8551, 'unkindly': 34364, 'pitching': 24857, 'cham': 6421, 'whippin': 35868, 'booker': 4947, 'lapse': 18834, 'osyth': 23600, 'clacton': 6863, 'sullivan': 31638, 'flocked': 12961, 'dodson': 10334, 's2': 28217, 'damm': 8961, 'dipshits': 9953, 'fixdebt': 12844, '245': 609, '849': 1402, '047': 73, 'kemi': 18232, 'olugbode': 23280, 'soapbox': 30169, 'shrunk': 29618, 'ecommerce2020': 10976, 'autosales': 3551, 'neverlikebefore': 22326, 'symposium': 32073, '580': 1118, 'unincorporated': 34315, 'toiletpapercalculator': 33150, 'partenering': 24161, 'rooftop': 27992, 'gleadless': 14203, 'gleadlessvalley': 14204, 'loosening': 19659, 'esto': 11732, 'ante': 2811, 'abrir': 1657, 'viva': 35150, 'tentative': 32502, 'discernment': 10015, 'trotter': 33647, 'bondurant': 4922, 'forcemajeure': 13201, 'marketslump': 20342, 'socialdistancingworks': 30209, 'zoa': 36803, 'malign': 20136, 'mohyelzdin': 21339, 'naish': 21956, 'backbritishfarming': 3722, 'dissapointment': 10168, 'bruv': 5409, 'fishtanktreatment': 12817, 'hydroxychoronquine': 16237, 'bannerhealth': 3908, 'wordsmatter': 36210, 'satellite': 28554, 'manmade': 20224, 'komonews': 18548, 'diffusion': 9850, 'loneliness': 19615, 'hsbc': 16071, 'ozarks': 23842, 'blethering': 4723, 'cocksprockets': 7131, 'surest': 31854, 'wasnt': 35449, 'musk': 21797, 'r86': 26405, 'reebok': 26941, 'globalist': 14230, 'justtheflu': 18003, 'shilling': 29435, 'poin': 25078, '884': 1436, 'hbrfanzone': 15278, 'feedthepoor': 12520, 'kotloyalsmusic': 18574, 'vanre': 34801, 'canre': 5920, 'col': 7190, 'cacchio': 5724, 'tanker': 32225, 'maritime': 20305, 'sundries': 31688, 'redneck': 26919, 'squared': 30739, 'readynutrition': 26702, 'thecoronaviruspreparednesshandbook': 32670, 'massy': 20459, 'packagedwater': 23871, 'f1': 12151, 'itu': 17541, 'lookingat': 19641, 'koch': 18529, 'foodmaxx': 13124, 'prescott': 25506, 'admitted': 1948, 'reliefremedies': 27128, 'steering': 31080, 'foodallergy': 13078, 'allergictraveler': 2413, 'chefcards': 6563, 'helpyourneighbours': 15492, 'hiv': 15692, 'youcantcatchavirus': 36628, 'cellpoisoning': 6307, 'copays': 7934, 'upgradefm': 34528, 'literary': 19378, 'allusion': 2442, 'almo': 2451, 'glam': 14187, 'hmrpca': 15713, 'eighteen': 11129, 'madeinchina': 19951, 'lidhell': 19233, 'panickbuyers': 24033, 'raped': 26595, 'footpath': 13178, 'idec': 16360, 'cystic': 8879, 'fibrosis': 12611, 'njtransit': 22552, 'projectkavach': 25780, 'fingerprint': 12745, 'seamless': 28893, 'intro': 17262, 'ottoman': 23622, 'synonymous': 32089, 'breeder': 5233, 'antinatalism': 2838, 'overpopulation': 23762, 'deceptively': 9223, 'overestimating': 23741, 'westhoff': 35724, 'hotelaura': 15981, 'drivesafe': 10633, 'toiling': 33188, 'gripe': 14677, 'sew': 29224, 'xxmi': 36485, 'bloggs': 4763, 'disciplined': 10022, '30days': 758, 'sustainabilitystartswithyou': 31934, 'bourban': 5067, 'sheepish': 29369, 'dispense': 10133, 'zhenrobotics': 36774, 'tramp': 33454, 'apocalypsepaper': 2914, 'toiletpapermemes': 33167, 'vbid': 34850, 'highvaluecare': 15614, 'lowvaluecare': 19754, 'fostering': 13312, 'moong': 21455, 'urad': 34576, 'tur': 33852, 'chana': 6428, 'masoor': 20443, 'matar': 20476, 'worm': 36287, 'antioch': 2839, 'isolationselfegodriven': 17476, 'citydia': 6835, 'limbaugh': 19300, 'scarborough': 28692, 'morneau': 21497, 'aec': 2020, '682': 1235, '236': 593, '7601': 1319, 'environmentally': 11561, 'jc': 17675, 'sustainabilitytips': 31935, 'dailyoh': 8924, 'toppled': 33256, 'digging': 9856, 'graveyard': 14588, 'andinavika': 2701, 'ye': 36533, 'neverending': 22324, 'poeple': 25072, 'isolation2020': 17466, 'scrape': 28819, 'windshield': 36030, 'youself': 36663, 'fid': 12615, 'pluto': 25025, 'behold': 4254, 'midwesttogether': 21008, 'felony': 12537, 'evenly': 11832, 'facemaskselfie': 12183, 'reworked': 27681, 'koko': 18542, 'lydia': 19870, 'forson': 13274, 'td': 32326, 'lastmile': 18861, 'wvgov': 36409, 'bentley': 4334, 'mulsanne': 21711, 'georgina': 13996, 'competitionlaw': 7439, 'cuties': 8824, 'kendallkay': 18238, 'camdendavid': 5826, 'hamper': 15011, 'flimsy': 12943, 'grocerystorescene': 14715, 'acquitted': 1810, 'detainee': 9669, 'billy': 4545, 'ftlion': 13561, 'hotcake': 15977, '899': 1444, '1049': 150, '19australia': 411, 'cosmeticvalley': 8195, '120ml': 213, '00francs': 12, 'juru': 17968, 'jesse': 17731, 'mellower': 20768, 'excruciating': 11953, 'stewardship': 31138, 'weedsmokers': 35613, 'stonerfam': 31250, 'fullsend': 13630, 'nelkboys': 22262, 'listentoyourheart': 19369, 'genconf': 13928, 'generalconference': 13935, 'covenant': 8309, 'covid2019': 8334, 'fakepandemic': 12259, 'jinks': 17785, 'milt': 21070, 'adapted': 1863, 'wee': 35610, 'krankie': 18594, 'youthvillageke': 36668, 'epc': 11580, 'oilandgasindustry': 23212, 'oilandgascompanies': 23211, 'northamerica': 22705, 'mnths': 21255, 'ashish': 3229, 'agarwal': 2114, 'onlineassistance': 23348, 'nrf': 22866, 'selfishnessvirus': 29034, 'outpaces': 23680, 'bonifacio': 4931, 'repatriation': 27239, 'navi': 22110, 'vashi': 34835, 'lockdowncomforteatinganddrinking': 19515, 'shamed': 29292, 'flagging': 12864, 'adaptable': 1861, 'restau': 27462, 'deliberation': 9396, 'crochet': 8567, 'rowing': 28053, 'sheesh': 29372, 'crm': 8560, 'milking': 21049, 'disinvestment': 10101, 'neocolonization': 22269, 'toiletpaperhunt': 33163, 'bonkeroverbogroll': 4933, 'selfisotation': 29044, 'washyourhan': 35444, 'mrp': 21634, 'openly': 23436, 'rnibcovid19': 27873, 'abc11': 1599, 'tsnpdcl': 33781, 'formal': 13252, 'formality': 13253, 'conferenceboard': 7558, 'eurusd': 11799, 'curate': 8741, 'tovolo': 33353, 'nutbutter': 22938, 'spatula': 30499, 'kitchengadgets': 18438, 'kitchenware': 18440, 'kitchentools': 18439, 'kremlin': 18597, 'rollback': 27960, 'narrow': 22024, '52rtgs': 1085, 'effat': 11079, 'rope': 28001, 'combining': 7285, 'crumble': 8629, 'shopindependent': 29510, 'aanndd': 1573, 'rebuy': 26795, 'granny': 14550, 'lampen': 18787, 'sandler': 28433, 'pinker': 24825, 'hurst': 16192, 'usb': 34618, 'woul': 36314, 'cnbcpathforward': 7095, 'arum': 3198, 'bbcboxing': 4074, 'stopthehoard': 31301, 'eggprices': 11107, 'goggle': 14325, '18569560148': 347, 'uas': 33983, 'agncy': 2155, 'tkng': 33078, 'advntge': 2016, 'pillock': 24805, 'joyful': 17898, 'britishness': 5324, 'feedonomics': 12518, 'derbyshire': 9571, 'turnaround': 33870, 'nursewriter': 22932, 'freelancewriter': 13429, 'healthcarecontent': 15323, 'coating': 7117, 'trickier': 33594, 'blanching': 4686, 'wilson': 36013, 'shinning': 29442, 'chilly': 6654, 'lizard': 19431, 'covdi19': 8308, 'dieing': 9824, 'consumerprices': 7737, 'douglasporter': 10507, 'bankofcanada': 3898, 'shkreli': 29470, 'kantar': 18084, 'goldersgreen': 14344, 'hampsteadgardensuburb': 15015, 'nw11': 22959, 'trickling': 33597, '40lbs': 923, '4lbs': 1020, 'grit': 14682, '10lbs': 167, 'punching': 26068, 'gossip': 14438, 'dpd': 10559, 'hermes': 15545, 'wakethebride': 35301, 'swooping': 32040, 'spreadingthanks': 30682, 'todayin60': 33113, 'edpark': 11054, 'menwhile': 20824, 'righttorepair': 27771, 'nbnews': 22144, 'jananmeat': 17631, 'mindedly': 21085, 'detriment': 9692, 'replies0': 27269, 'retweets0': 27612, 'newyorktimes': 22399, 'orbitform': 23507, 'arsenalofhealth': 3167, '13m': 253, 'arco': 3062, 'ny14': 22967, 'ditmars': 10231, 'nbcnews': 22138, 'mikeroman': 21030, 'boycott3m': 5093, 'peoplemagazine': 24460, 'march2020': 20270, '1637': 308, 'tulipmania': 33829, 'tulip': 33828, '1797': 336, 'publicis': 26019, 'sapient': 28512, 'differing': 9846, '921': 1481, '1128': 186, 'fishandchips': 12809, 'ahab': 2187, 'yer': 36570, 'panicstations': 24046, 'theothershop': 32736, 'tamworthnsw': 32214, 'supportwhereyoucan': 31825, 'plsstophoarding': 25001, 'newblackmedia': 22334, 'redirecting': 26910, 'fallacy': 12263, 'fusilli': 13687, 'governmentstockpile': 14478, 'centralafricanrepublic': 6326, 'improves': 16649, 'fitter': 12830, 'leaner': 18991, 'bulkbuyers': 5493, 'forsyth': 13275, 'neill': 22258, 'dji': 10277, 'joc': 17818, 'selfisolationhelp': 29043, 'joyfightsfear': 17897, 'presidentialaddress': 25531, 'caprice': 5965, 'bourret': 5071, 'wifi': 35970, '7m': 1352, 'avoidable': 3595, 'thorndon': 32875, 'walmartorange': 35338, 'walmartsamess': 35340, 'orangeca': 23504, 'prohibit': 25769, 'attaching': 3397, 'nationallabs': 22064, 'sciencematters': 28772, 'akpeteshie': 2285, 'takoradi': 32181, 'epdt': 11581, 'consumerelectronics': 7724, 'futuresourceconsulting': 13702, 'dur': 10770, 'ebayseller': 10936, 'rti': 28087, 'victimized': 34994, 'daffodil': 8904, 'blooming': 4781, 'adventurous': 1993, 'fabatphoenix': 12160, 'phoenixperennials': 24702, 'narcissus': 22013, 'springbulbs': 30700, 'flowerbulbs': 12991, 'similac': 29748, 'lindsey': 19318, 'repeal': 27241, 'tutoring': 33888, 'proofreading': 25820, 'tucoopourcommunity': 33804, 'valenciacounty': 34749, 'clampdown': 6872, 'lowstock': 19752, 'goodnessgracious': 14390, 'langone': 18820, 'suman': 31643, 'xenophobia': 36453, 'enormity': 11486, 'dawning': 9093, 'abandon': 1587, 'influencermarketing': 16909, 'bh9vta8xnv': 4446, 'academy': 1698, 'oic': 23207, 'modiji': 21318, 'sensitizer': 29132, 'pf': 24636, 'innumerable': 17017, 'kahahahh': 18032, 'jeffreysprecher': 17700, 'khalili': 18311, 'cairo': 5750, 'trinket': 33617, 'oj': 23237, 'freezable': 13444, 'sneered': 30121, 'heeled': 15413, 'freeman': 13432, 'narrates': 22021, 'thbaks': 32652, 'peterson': 24598, 'leno': 19100, 'hereditarycancer': 15537, 'gcchat': 13886, 'cruiser': 8624, 'scaled': 28663, 'anarchist': 2680, 'lemming': 19086, 'handbook': 15030, 'reallys': 26740, 'coranavirus': 7951, 'fistfight': 12823, 'selena': 29016, 'sowing': 30452, 'melissa': 20765, 'katrincic': 18130, 'u45rweajus': 33976, 'impulsively': 16657, '731': 1300, 'clutter': 7073, 'chibizhub': 6619, 'deliciously': 9403, 'seafoodpasta': 28883, 'loveseafood': 19731, '2go2checkout': 707, 'doesnt': 10337, 'twit': 33924, 'merseyside': 20866, 'saveourcarers': 28607, 'gk': 14180, 'inactivates': 16675, '93002759': 1492, 'mfa': 20920, 'documentinglife': 10325, 'greencore': 14623, 'broadly': 5344, 'tutor': 33886, 'tutee': 33884, 'd2rohkh5o4': 8887, 'browser': 5386, 'scarier': 28702, 'privatizedhealthcare': 25672, 'horray': 15935, 'submerge': 31521, '503': 1048, '378': 846, '8442': 1400, 'virologically': 35090, 'esteelauder': 11724, 'hindering': 15645, 'recos': 26855, 'eventprofs': 11836, 'beyondcoronavirus': 4432, 'countrywide': 8279, 'undetected': 34232, 'kushner': 18656, 'intimated': 17247, 'slew': 29966, 'privateequity': 25666, 'consolidate': 7673, 'transform': 33475, 'ecomm': 10974, 'apprehensive': 2990, 'sourdough': 30410, 'avocado': 3592, 'guwahati': 14875, 'northeastindia': 22712, 'harr': 15171, 'trampled': 33456, 'outdated': 23646, 'constitution': 7688, 'debauchery': 9186, 'vintagetoiletpaper': 35066, '1987': 398, 'selli': 29063, 'repaired': 27238, 'retrieved': 27595, 'realises': 26725, 'itch': 17511, 'beinformed': 4258, 'golfbiz': 14355, 'sportsbiz': 30650, 'communicated': 7381, 'fumigation': 13635, 'sioux': 29815, 'pbchealth': 24319, 'thefed': 32683, 'sportsman': 30654, 'gnocchi': 14281, 'julie': 17945, 'ziah': 36775, 'tinandbones': 33028, 'chanting': 6455, 'superfood': 31725, 'mybooster': 21839, 'antioxidant': 2840, 'alkalinewater': 2393, 'shopkeeprs': 29513, 'byo': 5697, 'responce': 27436, 'nintendoswitch': 22522, 'trimming': 33613, 'ketodiet': 18279, 'thrifty': 32908, 'effing': 11091, 'gazprom': 13877, 'cherish': 6593, 'slc': 29951, 'dismantled': 10108, 'sonia': 30356, 'angell': 2731, 'onlinestores': 23375, 'retailtransformation': 27555, 'socialmedia2020': 30232, 'marketingtrends2020': 20333, 'asiapacific': 3243, '200m': 472, 'stirred': 31187, 'disguise': 10076, 'lnpfail': 19465, 'forcefield': 13198, 'govuk': 14491, 'outsider': 23691, 'commanded': 7323, 'bihar': 4521, 'futureofag': 13696, 'customerengagement': 8800, 'narendrea': 22018, 'indiabattlescoronavirus': 16777, 'emini': 11301, 'flare': 12877, 'bankofamerica': 3897, 'jesuit': 17737, 'subcontracted': 31511, 'stophooarding': 31279, 'holyhumor': 15795, 'ptsdmemes': 26008, 'recoup': 26856, 'squarefunds': 30740, 'brandtrust': 5172, 'otagoharbour': 23602, 'scrubbed': 28849, 'simptoms': 29767, 'entubation': 11551, 'spaffing': 30466, 'divisive': 10261, 'tomahawk': 33210, 'tomahawkribeye': 33211, 'grilledmeat': 14666, 'grilling': 14667, 'sousvide': 30414, 'sousvidecooking': 30415, 'ketofood': 18280, 'electrolyte': 11186, 'bulawayo': 5487, 'amref': 2637, 'psychtwitter': 25995, 'meded': 20666, 'captwitter': 5977, 'election2020': 11170, 'electionfraud': 11171, 'viewfrommywindow': 35027, 'mypandemicsurvivalplan': 21866, 'mcfc': 20587, 'unwrap': 34508, 'peachie': 24347, 'dayofcaring': 9122, 'hol': 15760, 'sbl': 28651, 'sblhomoeopathy': 28653, 'sblglobal': 28652, 'mythbuster': 21886, 'indiafightscovid19': 16785, 'amitabh': 2603, 'bachchan': 3715, 'unicef': 34298, 'stupidass': 31487, 'ignoranthumans': 16431, 'hesahero': 15562, 'rolemodel': 27956, 'dreadful': 10601, 'coventry': 8312, 'rentpayment': 27222, 'sniff': 30128, 'dontmakeasound': 10433, 'uht': 34028, 'supermarketstakeout': 31751, 'stayhomeaustralia': 30978, 'ertf': 11651, 'unveil': 34491, 'busquets': 5617, 'xuwen': 36481, 'unmarketable': 34390, 'jnt': 17800, 'dumbfuckery': 10742, 'humming': 16146, 'lament': 18781, 'thirdworldproblems': 32838, 'esepcially': 11671, 'allocating': 2429, 'cerebral': 6351, 'palsy': 23957, 'preexistingcondition': 25457, 'throttling': 32921, 'bone': 4924, 'memphis': 20792, 'shithouse': 29458, 'tonbridge': 33224, 'tethys': 32557, 'ccedoman': 6238, 'vial': 34979, 'fuelling': 13607, 'plexi': 24986, 'withregram': 36118, 'tvcwebinarseries': 33892, 'mara': 20262, 'suprising': 31843, 'anoh': 2797, 'tab': 32108, 'kurt': 18654, 'jetta': 17747, 'salam': 28348, 'dato': 9068, 'pkp': 24881, 'frugal': 13540, 'quarentine': 26286, 'hoitytoity': 15757, 'boojee': 4942, 'boojie': 4943, 'backordered': 3734, 'unleash': 34375, 'r1': 26385, '127p': 222, '124p': 219, 'happymothersday2020': 15123, 'insomnia': 17059, 'sustaining': 31940, 'survivers': 31902, 'sme': 30053, 'desi': 9608, 'gvmnt': 14882, 'dimension': 9915, 'marketstrategy': 20343, 'aquatic': 3032, 'kai': 18035, 'ramon': 26540, 'lopez': 19666, 'inq': 17024, 'distributer': 10217, 'castoff': 6151, 'cusp': 8786, 'apology': 2926, 'vanguard': 34790, 'vdc': 34855, 'supportsmallbiz': 31821, 'phonesoap': 24709, 'lowerdrugpricesnow': 19741, 'sorrow': 30383, 'wearegonnabeatthisvirus': 35551, 'ocvjc': 23121, 'ihaverightstoo': 16441, 'herat': 15521, 'weareafghanistan': 35543, 'barnstaple': 3950, 'torrington': 33285, 'appledore': 2961, 'instow': 17115, 'northdevon': 22709, 'broadcast': 5336, 'pounce': 25307, 'chanel': 6436, 'photojournalmonday': 24723, 'volvo': 35197, 'paniceating': 24029, 'ncing': 22156, 'chongqing': 6724, 'hotpot': 15992, 'xiaommian': 36460, 'retailresponse': 27547, 'consumercare': 7716, 'lvns': 19863, 'routed': 28045, 'myspark': 21875, 'xylospongium': 36488, 'anus': 2855, 'defecating': 9297, 'latrine': 18897, 'ancientrome': 2690, 'dontbeaasshole': 10416, 'gulfport': 14839, 'gawd': 13861, 'recreational': 26868, 'boyy': 5112, 'rou': 28028, 'kami': 18063, 'ek': 11141, 'sna': 30095, 'ila': 16466, 'ovat': 23708, 'isolators': 17478, 'carte': 6097, 'blanche': 4685, 'exterminate': 12099, 'opponent': 23463, 'marginalized': 20287, 'tommy': 33217, 'financials': 12719, 'retarded': 27569, 'tvmarket': 33894, 'abilty': 1629, 'gopinsidertrading': 14422, 'senatorloeffler': 29093, 'resignnow': 27388, 'gahan': 13742, 'oyster': 23839, 'croatia': 8565, 'utwx': 34706, 'evacuate': 11805, 'disnt': 10122, 'tty': 33794, 'designates': 9613, 'haydn': 15256, 'watters': 35490, 'shephard': 29406, 'catalogue': 6159, 'battled': 4046, 'cleaningtips': 6941, 'amazonpackages': 2541, 'hardcore': 15140, 'fetishizing': 12573, 'merchandiser': 20839, 'galvanizes': 13769, 'bartans': 3974, 'spotting': 30664, 'meumeu': 20912, 'tanked': 32224, 'manchesterunited': 20171, 'manchestercity': 20170, 'grifter': 14659, 'discouraged': 10042, 'thr': 32891, 'pansy': 24052, 'lancs': 18798, 'valueformoney': 34769, 'expatlife': 12005, 'studyhappy': 31472, 'anantapur': 2679, '20061': 465, 'apmepma': 2904, 'apfightscovid19': 2894, 'guarding': 14797, 'thatismytown': 32648, 'dane': 8985, 'kwacha': 18671, 'characterise': 6469, 'materialism': 20489, 'albatross': 2310, 'satisfaction': 28556, 'employeexperience': 11342, 'intermodal': 17198, 'containersales': 7771, 'worldtrade': 36280, 'digitalhub': 9874, 'boxxport': 5087, 'foodchainid': 13092, 'wrongful': 36360, 'nimble': 22511, 'malpractice': 20144, 'reaalamerican': 26673, 'smallyoutubecommunity': 30025, 'coronavirsoutbreak': 8128, 'travelban': 33530, 'globalisation': 14227, 'chooses': 6727, 'toilethumor': 33142, 'etiquettefortheapocalypse': 11768, '1990s': 402, '2030hrs': 506, 'klaviyo': 18466, 'mcgregor': 20590, 'amids': 2595, 'rizwan': 27847, 'saraf': 28518, 'alkhidmat': 2395, 'peshawar': 24576, 'awerness': 3628, 'gulbahar': 14835, 'privaleged': 25664, 'creditreport': 8483, 'ouch': 23625, 'ingesting': 16949, 'boatload': 4845, '409': 920, '313': 775, '6880': 1238, 'setx': 29214, 'portarthur': 25213, 'bridgecity': 5275, 'funkeakindelebello': 13654, 'readabook': 26688, 'frontal': 13524, 'zavaapp': 36735, 'shattaday': 29345, 'gbevu': 13880, 'calibrated': 5779, 'prospectively': 25873, 'gregor': 14642, 'deltabc': 9436, 'beta': 4400, 'leena': 19033, 'matinee': 20497, 'dwelling': 10809, 'amoeba': 2618, 'resells': 27357, 'lurking': 19833, 'earns': 10867, 'urinal': 34592, 'diminishment': 9920, 'traced': 33401, 'contingenyplanning': 7808, 'rumored': 28140, 'asserts': 3296, 'reverselogistics': 27646, 'levan': 19157, 'davitashvili': 9085, 'wmata': 36136, 'onlin': 23346, 'muc': 21674, '0761749713': 93, 'generistouch': 13950, 'sakhile': 28340, 'zengele': 36754, 'bushiri': 5582, 'contangion': 7783, 'ripvinoliamashego': 27806, 'enervis': 11440, 'energytransition': 11438, 'energiewende': 11429, 'eatingdisorders': 10920, 'herein': 15539, 'buchholz': 5441, 'cleanser': 6946, 'clene': 6970, '300ml': 747, 'quickest': 26342, 'stayhomekenya': 30988, 'shredded': 29607, 'woh': 36154, 'naturalist': 22087, 'eaths': 10918, '1843': 345, 'dotardalert': 10489, 'ornot': 23568, 'nogozone': 22607, 'enrich': 11500, 'resp': 27416, '4500': 961, 'eset': 11672, 'suppression': 31836, 'rte': 28085, 'latelateshow': 18874, '342': 803, '3736': 842, 'wiseworks': 36089, 'oddly': 23126, 'assaulted': 3286, 'referring': 26958, 'slur': 30010, 'mattessich': 20505, 'bajans': 3808, 'lap': 18828, 'ot': 23601, 'dissects': 10169, 'wcs': 35514, 'malwarebytes': 20148, 'landmines': 18811, 'noble': 22581, 'stinky': 31182, 'rightful': 27767, 'fecker': 12483, 'badger': 3766, 'meaty': 20655, 'appointed': 2980, 'nickelsburg': 22468, 'geekwire': 13906, 'magnet': 20001, 'freq': 13456, '20sec': 531, 'drs': 10659, 'havin': 15240, 'rey': 27685, 'pursuite': 26127, 'surgicalgown': 31865, '5ml': 1159, 'smal': 30016, 'torbay': 33263, 'wold': 36156, 'peoplebeforeprofits': 24455, 'erm': 11641, 'dimwit': 9924, 'gentrification': 13970, 'lei': 19073, 'wai': 35280, 'nong': 22645, 'mop10': 21465, 'corbyn': 7953, 'ge17': 13894, 'sabotaging': 28237, 'dodged': 10330, 'labourleaks': 18717, 'labourhq': 18716, 'labourwreckersdossier': 18718, 'adrenalin': 1971, '4a': 1004, 'petrochem': 24611, 'ceasefire': 6274, 'evanston': 11824, 'westchester': 35716, 'hbp': 15276, 'kigali': 18361, 'comparative': 7410, 'kertching': 18270, 'domesticterrorism': 10381, 'mello': 20767, 'nfid': 22413, 'schaffner': 28724, 'nopanicbuying': 22673, 'sx3': 32046, 'foodtrace': 13152, 'supplychainsecurity': 31796, 'fooddemand': 13098, 'blockchaininnovation': 4753, 'aglivexsx3': 2152, 'sx3australia': 32047, 'mumbaikers': 21741, 'welcomed': 35661, '1068': 153, 'hyatt': 16216, 'scissors': 28781, 'griffey': 14657, 'day24inselfisolation': 9111, 'bigbasket': 4502, '07493': 92, '586': 1120, 'cwpcathy': 8847, 'cheltenham': 6573, 'loseweight': 19681, 'getmore': 14040, 'majzoub': 20079, 'ahs': 2206, 'begs': 4235, 'r29': 26395, 'r39': 26398, 'r47': 26401, 'shreveport': 29608, 'malaga': 20115, 'truckdriver': 33661, 'longg': 19624, 'scandalous': 28685, 'usastrong': 34616, 'muted': 21815, 'cmeri': 7082, 'countering': 8262, 'menacing': 20796, 'usn': 34659, 'sipes': 29818, 'independants': 16769, 'catatonically': 6164, 'smartest': 30032, 'charlton': 6491, 'behemoth': 4250, 'numerical': 22912, 'dtn': 10699, 'comicstrip': 7314, 'comicsforquarantine': 7313, 'tulsehill': 33832, 'topmarketgainers': 33252, 'tmg': 33087, 'beefcentral': 4197, 'fakemeat': 12255, 'zoo': 36816, 'necided': 22213, 'wishful': 36092, 'wolverhampton': 36161, 'hlt': 15702, 'hilton': 15636, 'fiery': 12624, 'corporal': 8152, 'compulsive': 7498, 'kwminsights': 18682, 'drbirx': 10595, 'coronapocalyse': 8088, 'scratching': 28826, 'bathurst': 4030, 'reson': 27408, 'tucumsa': 33806, 'mep': 20826, 'herbert': 15525, 'dorfmann': 10476, 'resum': 27504, 'banksouth': 3905, 'fios': 12768, 'retirementplanning': 27580, 'pensionadvice': 24438, 'defund': 9343, '10bil': 160, 'nameless': 21980, 'hmh': 15707, 'chilling': 6649, 'meta': 20884, 'iprice': 17363, 'arises': 3103, 'workingtogether': 36244, 'supportingfamiliesirl': 31811, 'eblast': 10942, 'optional': 23495, 'perk': 24512, 'fearfulness': 12467, 'twi': 33913, 'safteyfirst': 28301, 'nutshell': 22951, 'thistogether': 32863, 'supermkt': 31763, 'fleeting': 12927, 'luisa': 19801, 'alessandro': 2349, 'vodaphone': 35176, 'lichfield': 19228, 'stackline': 30800, 'hoa': 15718, 'bellaire': 4290, 'beechnut': 4194, 'delames': 9373, 'mamle': 20154, 'lamented': 18782, 'globalproblems': 14237, 'specifies': 30531, 'spatially': 30498, 'isntitironic': 17457, 'takeonefortheteam': 32165, 'vulnerab': 35239, 'singhdeo': 29797, 'raipur': 26485, 'oceanside': 23108, 'cglm': 6390, 'dictated': 9807, 'subedi': 31515, 'compass': 7419, 'coot': 7931, 'feckinggrandpa': 12485, 'suez': 31599, 'conditioned': 7541, 'dispersed': 10138, 'inconsistency': 16730, 'gobsmacking': 14300, 'inhaling': 16962, 'exhaled': 11972, 'vapour': 34816, 'stopthepeak': 31303, 'philosopher': 24692, 'headlight': 15301, 'ineptitude': 16861, 'mbu': 20566, 'importation': 16618, 'etcio': 11745, 'queenspasta': 26308, 'nov20': 22825, 'consumersentiment': 7743, '1gjyriluxn': 432, 'fanny': 12298, 'odishanews': 23132, 'ambiguous': 2553, 'hubbie': 16086, 'gill': 14133, 'trex': 33583, 'decking': 9235, 'growordie': 14753, 'defends': 9305, 'butchered': 5628, 'nielsenindonesia': 22478, 'uyu': 34715, 'amenikata': 2573, 'lain': 18757, 'dtes': 10694, 'safesupply': 28290, 'gottchalks': 14446, 'mervyns': 20868, 'nocturnal': 22593, 'iterate': 17516, 'q6': 26171, 'cuff': 8699, 'buut': 5648, 'trumplieddeadpeople': 33708, 'sportswriter': 30656, 'raabs': 26410, 'wtaf': 36371, 'ww3': 36415, 'conspiracytheory': 7679, '547': 1092, 'rhonj': 27702, 'summoning': 31661, 'pinduoduo': 24818, 'spoiler': 30619, 'isolationgames': 17471, 'rajat': 26495, 'jee': 17690, 'littlethings': 19399, 'favourable': 12415, 'bgl': 4444, 'kta': 18625, 'ember': 11266, 'blossomwatch': 4785, 'ferlouginggraciously': 12551, 'sniffle': 30130, 'dammit': 8962, 'awon': 3637, 'bod': 4853, 'eyesuphere': 12143, 'dadbod': 8896, 'shopalishamarie': 29494, 'bayelsa': 4057, 'dominic': 10386, 'cummings': 8721, 'reputed': 27321, 'incrsing': 16756, 'wen': 35682, 'bmw': 4822, 'utopia': 34698, 'strack': 31344, 'hammond': 15008, 'enforcer': 11448, 'cleresponds': 6972, 'cle': 6927, 'purevpn': 26102, 'aciudadunida': 1791, 'epicentre': 11586, 'vodafonewatch': 35175, 'disappoint': 9993, 'esque': 11687, 'tyranny': 33964, 'gladice': 14185, 'headbutts': 15296, 'tbc': 32308, 'australialockdown': 3504, 'honing': 15883, 'busdrivers': 5576, 'sincerity': 29787, 'bakhat': 3818, 'mphil': 21617, 'egungunbecareful': 11114, 'carnivorous': 6059, 'anagram': 2660, 'coward': 8349, 'manipulatingamericasgullibleassholes': 20216, 'covfefe45': 8327, 'theartofthesteal': 32660, 'theartofthedeal': 32659, 'shortening': 29566, 'maesglas': 19970, 'pierogi': 24779, 'agoraphobes': 2160, 'claustrophobe': 6917, 'salesperson': 28360, 'diagram': 9779, 'btsarmy': 5429, 'condolence': 7545, 'monstrous': 21430, 'arseholic': 3165, 'handcrafted': 15032, 'cgcsa': 6387, 'patricia': 24251, 'pillay': 24802, 'thinkwithgoogle': 32831, 'marketingagency': 20324, 'creativeagency': 8463, 'marketingideas': 20327, 'marketingstrategies': 20330, 'slammarketing': 29929, 'slamteam': 29932, 'kupiec': 18648, 'lockdownnepal': 19538, 'nepallockdown': 22274, 'texascoronavirus': 32562, 'stupidstore': 31493, 'drywall': 10681, 'worldhealthorganisation': 36269, 'underdog': 34183, 'supplyshock': 31798, 'instigated': 17104, 'pledging': 24978, 'usq': 34667, 'dustcloth': 10786, 'asphyxiation': 3278, 'dismissed': 10113, 'uw': 34711, 'biology': 4586, 'day13oflockdown': 9104, 'liquorshop': 19355, 'moph': 21467, 'drinkable': 10625, 'bended': 4309, 'winningthe20s': 36053, 'bjdavisorg': 4650, 'lv': 19861, 'lovelifeandjoy189': 19720, 'gelantibacterial': 13915, 'gelantibacterien': 13916, 'bernardarnault': 4358, 'fakelvhandsanitzer': 12254, 'rtfkt': 28086, 'steepened': 31075, 'customerintelligence': 8804, 'grassphealth': 14572, 'psvs': 25982, 'notwithoutmask': 22815, 'maskeauf': 20418, 'awash': 3623, 'huel': 16101, 'inexpensive': 16872, 'nutritionally': 22949, 'manipuri': 20219, 'manipur': 20218, 'rubensteins': 28104, 'socialinclusion': 30217, 'zeedigital': 36743, 'sunrice': 31698, 'hostile': 15969, 'lalli': 18769, 'businessman': 5603, 'keells': 18177, 'kurana': 18650, 'katunayake': 18136, 'sword': 32041, 'stopconfinement': 31267, 'macronout': 19935, 'mastubate': 20470, 'gasnursejen': 13828, 'medicalfetish': 20686, 'medicalmistress': 20691, 'medicalroleplay': 20693, 'sexynurse': 29237, 'kinkynurse': 18408, 'sleepyfet': 29961, 'medicalplay': 20692, 'nurseplay': 22924, 'anesthesiafetish': 2719, 'atheist': 3359, 'spirituality': 30595, 'hospo': 15960, 'infinity': 16894, '4bn': 1009, 'monk': 21419, 'hannah': 15090, 'bloch': 4748, 'wehba': 35634, 'approving': 3004, 'vend': 34894, 'kizerandbender': 18456, 'retailblog': 27519, 'indulging': 16839, 'exosomes': 11995, 'creepsinsuits': 8495, 'billgatesofhell': 4540, 'fuckcoronavirus': 13570, 'disperses': 10139, 'globalists': 14231, 'ebayhaslotsoftoiletpaper': 10934, 'heijn': 15422, 'unification': 34303, 'rolla': 27959, 'sharjah': 29333, 'zain': 36716, 'merija': 20856, 'subhaan': 31516, 'reich': 27051, 'dunny': 10764, 'gangster': 13790, 'fitzgirls': 12834, 'sundayfitz': 31676, 'fitzgirlsrule': 12835, 'dontovercharge': 10436, 'stopstockpi': 31295, 'originated': 23558, 'defenitly': 9306, 'scroll': 28846, 'londonrestaurant': 19612, 'guardamar': 14793, 'valenciana': 34750, 'unloaded': 34384, 'audusd': 3464, 'katra': 18128, 'mahore': 20029, 'chassana': 6504, 'thuroo': 32946, 'arnas': 3125, 'pouni': 25311, 'thakrakote': 32584, 'articulating': 3178, 'bluemarlin': 4802, 'vitamind': 35147, 'theresstillhope': 32759, 'shopnormal': 29521, 'hungergames': 16167, 'nevadan': 22320, 'cabbie': 5712, 'chubby': 6765, 'energetic': 11427, 'fetishize': 12572, 'apha': 2895, 'acb': 1700, 'trul': 33678, 'cura': 8739, 'tlry': 33083, 'hexo': 15571, 'wmd': 36138, 'lh': 19194, 'tgod': 32575, 'emh': 11295, 'tbp': 32315, 'kshb': 18622, 'vff': 34972, 'mmen': 21241, 'gtii': 14781, 'harv': 15188, 'cweb': 8846, 'cchwf': 6240, 'zena': 36753, 'ogi': 23188, 'operationmasks': 23449, 'xl': 36466, 'washcloth': 35425, 'bathing': 4025, 'emergencypreparedness': 11286, 'extrasaturation': 12122, 'mythbusters': 21887, 'coronamisconceptions': 8069, 'coronamyths': 8070, 'stayballyhoo': 30955, 'undermine': 34194, 'supportspokane': 31824, 'downtownspokane': 10546, 'zen': 36752, 'councilman': 8241, 'iser': 17428, 'mouhcine': 21572, 'guettabi': 14813, 'tshrit': 33777, 'actuality': 1846, 'informational': 16925, 'hindered': 15644, 'asimo': 3250, 'hgv': 15576, 'transporting': 33508, 'pierce': 24776, 'piercing': 24778, 'pierced': 24777, 'iclwn': 16332, 'burst': 5567, 'inwards': 17331, 'confounding': 7590, 'coronatourism': 8109, 'homer': 15848, 'gfk': 14063, 'donkey': 10406, 'follw': 13063, 'enployment': 11494, 'onepulse': 23330, 'arcese': 3053, 'waisted': 35281, 'jfc': 17757, 'leary': 19007, 'whoa': 35909, 'primeday': 25617, 'extravaganza': 12125, 'nwo': 22963, 'pundit': 26069, 'immorally': 16557, 'romir': 27980, 'themarshacrawfordteam': 32715, 'marsha': 20376, 'candisteam': 5886, 'compassrealestate': 7424, 'annou': 2783, 'amnesty': 2615, 'daca': 8892, 'reside': 27375, 'unsw': 34476, 'mclaws': 20594, 'doope': 10463, 'halp': 14990, 'marshallaw': 20378, 'loser': 19679, 'unimaid': 34312, 'mog': 21327, 'yankistore': 36513, 'logisticsrules': 19591, 'bo': 4832, 'tr': 33395, 'unpreventable': 34418, 'kibra': 18335, 'vigorously': 35035, 'dailyheil': 8918, 'competently': 7434, 'panicky': 24039, 'ruing': 28123, 'mothering': 21544, 'hapless': 15101, 'efra': 11096, 'hii': 15620, 'tanya': 32231, 'fluschmann': 13003, 'instasouthafrica': 17102, 'afrikaans': 2084, 'capetown': 5944, 'vela': 34888, 'hearty': 15379, 'teambeef': 32342, 'teamsheep': 32356, 'edw': 11068, 'dwbi': 10806, 'elm': 11230, 'cdvdm': 6269, 'podclass': 25067, 'remotelearning': 27184, 'datavault': 9057, 'koenigdistillery': 18534, 'caldwell': 5768, 'idahocovid19': 16351, 'redefining': 26896, 'spate': 30496, 'datavis': 9058, 'choctaw': 6714, 'sandton': 28438, 'midrand': 21002, 'day12': 9102, 'day12oflockdown': 9103, 'rugged': 28120, 'ransacking': 26586, 'novelist': 22835, 'keepconnected': 18188, 'strangedaysindeed': 31356, 'varied': 34826, 'tagtek': 32139, 'brandawareness': 5155, 'tradeshows': 33423, 'kelantan': 18220, 'climateemergency': 6997, 'criticize': 8553, 'diverts': 10252, 'diverting': 10251, 'goner': 14365, 'vocational': 35169, 'insulting': 17127, 'philipps': 24685, '244': 608, '887': 1439, '913': 1472, '898': 1443, '343': 804, 'infrequent': 16936, 'putty': 26146, 'trumppressconf': 33725, 'piggly': 24786, 'wiggly': 35975, 'rebate': 26782, 'proposing': 25854, 'godigital': 14313, '4088': 919, 'fiscalstimulus': 12806, 'navs': 22118, 'inadequacy': 16677, 'servicing': 29192, 'aptito': 3025, 'aptitopos': 3026, 'coronabonds': 8011, 'immed': 16544, 'alteration': 2485, 'tampering': 32209, 'prev': 25557, 'pol': 25099, 'ldrships': 18970, 'vested': 34963, 'lacked': 18725, 'vancouverhomes': 34782, 'vancouverrealestate': 34783, 'smartcities': 30028, 'happycities': 15115, 'abysmal': 1690, 'interestingfacts': 17185, 'poured': 25314, 'scotus': 28805, 'homeishere': 15829, 'absinthe': 1664, 'soaking': 30165, 'wormwood': 36288, 'unitedairlines': 34339, 'eggcellent': 11103, 'ozone': 23846, 'erected': 11634, '9177300445': 1474, 'sanitizationtunnel': 28463, 'ozonesmarttunnel': 23847, 'honduran': 15872, 'xzbapjoroz': 36489, 'comer': 7297, 'borde': 4983, 'ruler': 28130, 'hoaders': 15719, 'fock': 13031, 'finkle': 12754, 'realestatelaw': 26713, 'realestatelawyer': 26714, 'socialcommerce': 30195, 'mindlessly': 21090, 'parallel49': 24094, 'parallel49brewing': 24095, 'grotta': 14732, 'handsantiser': 15060, 'sel': 29009, '9today': 1552, 'datacenter': 9043, 'notebook': 22763, 'alc': 2324, 'overboard': 23718, 'atx': 3442, 'favorito': 12413, 'humped': 16154, 'usousd': 34663, 'usoil': 34662, 'sundayselfie': 31685, 'rawr': 26646, 'delfast': 9388, 'goza': 14494, 'minuscule': 21141, 'simplicity': 29761, 'cosumption': 8220, 'mahrukat': 20030, 'watan': 35465, 'reflet': 26977, 'ion': 17340, 'coronacrunch': 8028, 'luluguinness': 19807, 'storeopening': 31326, 'coventgarden': 8311, 'proteinbars': 25909, 'barrons': 3970, 'alarmingly': 2302, 'cautioned': 6206, 'consumerlaw': 7734, 'dataismoreexpensivethanrentnow': 9046, 'reduceinternetpricesnow': 26931, 'hygienically': 16247, 'parkwestvillage': 24143, 'harvard': 15189, 'cainiao': 5747, 'consumerfinance': 7725, 'disunited': 10229, 'truthhurts': 33759, 'wordstoliveby': 36211, 'whistleblower': 35879, 'getthefuckawayfromme': 14045, 'reevaluate': 26950, 'schiff': 28732, 'resemblance': 27358, 'vengeance': 34904, 'furthest': 13685, 'profite': 25740, 'accomadation': 1729, '0103641972': 20, 'atheletic': 3361, 'resting': 27469, 'migratory': 21024, 'guestuest': 14812, 'syndicated': 32083, 'youngest': 36640, 'nearness': 22200, 'bodyguard': 4864, '1918': 365, 'shopforyou': 29504, '0901': 121, '454': 964, '2974': 684, 'yam': 36506, 'generalfood': 13936, 'tiptoeing': 33048, 'lwc': 19867, 'westchestercounty': 35717, 'garment': 13813, '2billion': 692, '985': 1530, '2331': 587, 'partech': 24159, 'phoney': 24710, 'morphing': 21508, 'provocation': 25951, 'bidet2020': 4493, 'mindspark': 21093, '1basketpershopper': 427, 'ventilation': 34912, 'glue': 14256, 'dti': 10696, 'coolant': 7910, 'arrival': 3148, 'sona': 30352, 'yomi': 36612, 'mechuka': 20659, 'monigong': 21412, 'pidi': 24771, 'greenbelt': 14621, 'mcommerce': 20600, 'retailmarketing': 27541, 'reputationmarketing': 27320, 'dravely': 10586, 'kwarans': 18676, 'remuneration': 27193, 'gout': 14457, 'mysuru': 21880, 'timeforchange': 33013, 'luring': 19831, 'limittheflowofcustomers': 19310, 'pelosibill': 24399, 'pelosimustresign': 24400, '489': 995, 'contrarian': 7831, 'vetted': 34970, 'knowyoursocial': 18518, 'stepson': 31105, 'godson': 14316, 'quakertown': 26219, 'poking': 25098, 'butthole': 5639, 'trustedsource': 33751, 'rmb2': 27859, 'rmb790': 27862, 'kir': 18414, 'emeka': 11278, 'offor': 23174, 'monetery': 21395, 'mange': 20193, 'facet': 12188, 'dhaka': 9751, 'bury': 5570, 'tunisian': 33849, 'ardene': 3065, 'shopopening': 29526, 'stumbled': 31480, 'cutout': 8828, 'musial': 21788, 'aliexpress': 2379, 'corinnavirus': 7966, 'notably': 22753, 'distorted': 10202, 'retrenchment': 27593, 'flashlight': 12884, 'survivingcovid19': 31905, 'unileverslashing': 34310, 'kennesaw': 18240, 'annemarie': 2776, 'eastbourne': 10884, 'wwf': 36418, 'stopbeingselfish': 31265, 'laboratoire': 18708, 'ganesh': 13788, 'rs30': 28072, '45days': 970, 'legostreet': 19069, 'ishop': 17432, 'coffeeshop': 7161, 'businesswise': 5613, 'legocityscene': 19065, 'legomodulars': 19068, 'legocreatorexpert': 19066, 'sti': 31144, 'essendonfc': 11692, 'mightybombers': 21015, 'repurpose': 27314, 'millionmaskchallenge': 21067, 'miele': 21011, 'motoring': 21567, 'equaliser': 11603, 'ostracized': 23596, 'askabc2020': 3254, 'hyste': 16278, 'mngov': 21252, 'mnleg': 21254, 'drivewyze': 10637, 'ccj': 6241, 'wclo': 35512, 'agitated': 2150, 'controllable': 7848, 'concurrent': 7532, 'ntm': 22888, 'ebit': 10940, 'austrailia': 3502, 'wefilterfakenews': 35627, 'gesch': 14019, 'ftsf': 13564, 'hrer': 16064, 'vieler': 35018, 'rkte': 27850, 'rrach': 28068, 'mit': 21204, 'einem': 11134, 'alle': 2402, 'sch': 28722, 'ler': 19112, 'studenten': 31464, 'lasst': 18853, 'zusammenhalten': 36842, 'aufeinanderachten': 3466, 'forsaken': 13272, 'ransack': 26584, 'arohanui': 3129, 'thcexchange': 32654, 'zephyrhills': 36760, 'humanly': 16133, 'reload': 27139, 'shoponlineifyouhaveinternet': 29525, 'gwenniffer': 14887, 'botch': 5036, 'standupcomedy': 30855, 'poopoopaper': 25169, 'walt': 35344, 'johor': 17848, 'shopclickdrive': 29497, 'startwithtrust': 30889, 'bko': 4653, 'kampung': 18067, 'assembly': 3293, 'sampai': 28402, 'sundaymotivation': 31680, 'loki': 19600, 'goptaxscam': 14424, 'pandumbic': 24009, 'quiztimemorningswithamazon': 26373, 'hallmark': 14983, 'keepyoursenseofhumor': 18215, 'josephkiragu': 17878, 'wld': 36132, 'shave': 29351, 'dependancy': 9523, 'naturalselection': 22092, 'soju': 30281, 'disguised': 10077, 'wastepaper': 35459, 'recoveredpaper': 26860, 'onlineinteraction': 23360, 'thesofterthebetter': 32776, 'earh': 10851, 'gobiernodeespana': 14295, 'beyondfragrance': 4434, 'inr': 17029, '550': 1095, '1583916': 289, 'ipad': 17348, 'multivitamin': 21734, '21stcentury': 559, 'thisislife': 32853, 'powys': 25348, 'ingles': 16951, 'grantkapp': 14556, 'liquidation': 19351, 'deliveryservices': 9427, 'samedaydelivery': 28396, 'deliveryservice': 9426, 'haultail': 15223, 'thepeoplebuilder': 32738, 'grantherbert': 14554, 'emotionalintelligence': 11317, 'beyondcovid19': 4433, 'colonized': 7249, 'mahalo': 20011, 'hawai': 15243, 'smelly': 30057, 'coronac': 8013, 'ufc': 34009, 'cryptonews': 8652, 'bain': 3803, 'bainalerts': 3804, 'ey': 12136, 'pamybot': 23962, 'fxdailyfx': 13716, 'mbforex': 20560, 'achohol': 1786, 'ncdc': 22155, 'viability': 34977, 'flipping': 12953, 'steadied': 31055, 'sapped': 28513, 'payoff': 24305, 'nobuybacks': 22584, 'yeehaw': 36545, 'shu': 29624, 'flpublicpower': 12994, 'publicpower': 26027, 'amorina': 2623, 'acme': 1800, 'mover': 21595, 'ghostbikes': 14092, 'julienning': 17946, 'goingcrazy': 14333, 'homechef': 15812, 'michigander': 20957, 'whitless': 35899, '545': 1091, '6600': 1224, 'dragrace': 10572, 'affliction': 2058, 'gainer': 13746, 'telecos': 32437, 'halebonoe': 14969, 'lesotho': 19116, 'lesotholockdown': 19117, 'capitalising': 5948, '1007': 130, 'asbury': 3216, '07712': 96, '832': 1392, '776': 1328, '7979': 1342, 'juicy': 17939, 'kellogg': 18223, 'employes': 11344, 'bbcpm': 4079, 'xi': 36457, 'turk': 33862, 'turchia': 33858, 'worldwar3': 36282, 'respons': 27444, 'fuming': 13636, 'gro': 14683, 'usagunnation': 34611, 'detest': 9690, 'dble': 9126, 'downwards': 10551, 'reinventingretail': 27068, 'heap': 15358, 'raelyn': 26451, 'sacco': 28242, 'afghan': 2068, 'applaude': 2955, 'vampire': 34773, 'bf': 4437, 'paranaque': 24103, 'watson': 35489, 'skagit': 29857, 'zehrs': 36744, 'omera': 23297, 'canpara': 5919, 'petrovietnam': 24624, 'klima': 18473, 'wirkt': 36076, 'sich': 29663, 'positiv': 25240, 'zumindest': 36837, 'kurzfristig': 18655, 'langfristigen': 18818, 'folgen': 13050, 'hingegen': 15654, 'rften': 27690, 'alles': 2415, 'andere': 2695, 'umweltfreundlich': 34104, 'sein': 29001, 'klimawandel': 18474, 'energie': 11428, 'deplorables': 9538, 'kci': 18167, 'footballskills': 13172, 'vegetabl': 34873, 'crossword': 8596, 'fzzdj1bx8v': 13724, 'electricty': 11180, '30ml': 765, 'indus': 16840, 'sanitz': 28474, 'beardoil': 4127, 'naturalbeardoil': 22080, 'indusvalley': 16850, 'freesanitizer': 13439, 'robocall': 27904, 'denominated': 9499, 'n100': 21895, '2yrs': 741, 'solidarity4humanity': 30306, '44th': 958, 'supportliclocal': 31814, 'criticise': 8549, 'maori': 20254, 'onyamag': 23408, 'ungodly': 34290, 'oilnews': 23224, 'energyindustry': 11436, 'pandemiccrisis': 23991, 'msrp': 21655, 'despises': 9639, 'intnl': 17251, 'searchable': 28898, 'athlone': 3367, 'flatmate': 12893, 'telmo': 32459, 'requisition': 27331, 'stressrelief': 31407, 'makemeasandwich': 20091, 'progressed': 25764, 'businessgrowth': 5599, 'worldbusiness': 36258, 'bind': 4554, 'clenching': 6969, 'diageo': 9772, 'demonstraion': 9473, 'digitalretailing': 9889, '0169061211': 33, 'samuel': 28408, 'uncovid19brief': 34165, 'viralkindness': 35084, 'cerebralpalsy': 6352, 'nielson': 22479, 'treason': 33557, 'actin': 1820, 'commissioning': 7353, 'unimelbpursuit': 34313, 'mcgee': 20589, 'vaughan': 34841, 'toiletpapershortageof2020': 33175, 'huddle': 16094, 'sanford': 28443, 'unsatisfied': 34447, 'edmond': 11046, 'slippery': 29983, 'letschill': 19135, 'kaiser': 18037, 'clchan': 6925, 'reignited': 27056, 'yomestayhome': 36611, 'shiieet': 29430, 'parliamentary': 24146, 'humanrights': 16137, 'murkowski': 21775, 'capitol': 5959, 'cebu': 6277, 'naay': 21920, 'silay': 29730, 'delata': 9374, 'coronalogic': 8066, 'cottonworld': 8226, 'civilized': 6850, 'strvtin': 31454, 'cheaptravel': 6532, 'sourland': 30412, 'bch': 4095, 'alexkuptsikevich': 2358, 'avatrade': 3568, 'bitwise': 4636, 'cfgi': 6376, 'cryptofeargreedindex': 8650, 'etoro': 11769, 'extremefear': 12128, 'fxpro': 13717, 'marketupdates': 20347, 'marketsandprices': 20340, 'matthougan': 20507, 'naeemaslam': 21935, 'bergneustadt': 4347, 'nordrhein': 22685, 'westfalen': 35723, 'funnymom': 13662, 'rakuten': 26507, 'hom': 15798, 'kith': 18444, 'kin': 18386, 'kwame': 18674, 'onwuachi': 23407, 'sobriety': 30183, 'heals': 15314, 'liberalhypocrisy': 19209, 'bullshitwatch': 5509, 'sherbs': 29408, 'hig': 15594, 'coolactionsuit': 7909, 'chineseflu': 6675, 'lastly': 18859, 'whinge': 35863, 'hurriedly': 16189, 'armful': 3118, 'dailybriefing': 8912, 'cutthroat': 8831, 'wealthiest': 35529, 'deloitteer': 9429, 'rejoice': 27082, 'purportedly': 26112, 'kuwari': 18662, 'inspect': 17061, 'ache': 1779, 'evaluate': 11814, 'crucially': 8614, 'manhattanites': 20200, 'disdain': 10066, 'schull': 28766, 'sebastien': 28930, 'boyer': 5110, 'farmwise': 12345, 'penned': 24429, 'cierretotal': 6791, 'wof': 36153, 'taxcredit': 32295, 'broome': 5372, 'correspond': 8174, 'enrollonline': 11506, 'medicaredirect': 20697, 'medigap': 20707, 'medicareadvantage': 20696, 'mapd': 20256, 'bigbiz': 4503, 'sharelove': 29328, 'accrued': 1751, 'pandemicprofiteers': 24001, 'thanx': 32641, 'brah': 5133, '55gl': 1101, '99gl': 1537, 'tad': 32131, '5560': 1100, 'runtown': 28153, '5dkk': 1139, '135dkk': 250, 'cmcsa': 7080, 'atus': 3437, 'unfunny': 34288, 'coronacomics': 8022, 'discrete': 10054, 'freelancelife': 13427, 'publicservants': 26030, 'proudlyservingcanadians': 25926, 'humanityfirst': 16130, 'saddened': 28257, 'wafflehouseindex': 35266, 'bodegaindex': 4857, 'emgtwitter': 11294, 'italianamerican': 17501, 'microorganism': 20973, '8120': 1375, 'hardeson': 15142, 'spay': 30501, 'neuter': 22315, 'uterus': 34684, 'amazonfail': 2538, 'mediawatch': 20676, 'unmanned': 34389, 'modernization': 21308, 'smartcompany': 30029, 'collegestudent': 7236, 'ollu': 23277, 'uiw': 34039, 'agtg': 2182, 'utsa': 34699, 'txsu23': 33947, 'tsuupc': 33786, 'pvamu20': 26151, 'pvamu21': 26152, 'shsu': 29621, 'txst': 33945, 'retailwork': 27560, 'terrorizing': 32533, 'rocket96': 27926, 'schizo': 28735, 'videogames': 35011, 'twitchstreamer': 33928, 'notmeus': 22795, 'videogaming': 35012, 'dallaslockdown': 8945, 'gourmet': 14455, 'niagara': 22450, 'munro': 21758, 'chopping': 6731, 'pickling': 24756, 'latina': 18892, 'lupehernandez': 19827, 'desj': 9626, 'jesurvivrai': 17738, 'prixdugaz': 25676, 'modernart': 21305, 'shriveled': 29615, 'trumpisuseless': 33705, 'confrim': 7591, 'creat': 8456, 'obeying': 23038, 'ostensibly': 23593, 'plucky': 25005, 'dunkirk': 10760, 'invasion': 17283, 'samkelo': 28399, 'jus': 17970, 'pta': 25999, 'giv': 14157, '19au': 410, 'hazardpaynow': 15265, 'pouch': 25305, 'algernon': 2363, 'agn': 2154, 'carolin': 6064, 'xoxoxo': 36474, 'hanoi': 15093, 'timber': 33004, 'responsiblereporting': 27450, 'unhealthy': 34294, 'stockholder': 31208, 'airforceone': 2243, '7011259210': 1273, '3meds': 882, 'orderonline': 23517, 'buynow': 5673, 'beatingcancer': 4141, 'deprtment': 9562, 'aata': 1583, 'copied': 7938, 'ethnic': 11761, 'troublemaker': 33651, 'murdoch': 21773, 'pandemickindness': 23995, 'stopthespreadofcorona': 31305, 'stayprotected': 31023, 'wallmart': 35330, 'gunshop': 14857, 'quarantena': 26239, 'cad2i129h3': 5728, 'goldfish': 14346, 'molnar': 21359, 'goldfishgod': 14347, 'ari': 3096, 'housewarming': 16016, 'ennismore': 11485, 'quandary': 26227, 'gigworker': 14123, 'boni': 4930, 'mandaluyong': 20175, 'lowie': 19746, 'quijada': 26353, 'kirill': 18420, 'panarin': 23970, 'storeclosures': 31318, 'calgarians': 5774, 'syed': 32059, 'bashed': 3993, 'nhsvscovid19': 22447, 'supermar': 31737, 'mee': 20718, 'mingle': 21099, 'passcode': 24192, '3303': 795, 'letsfightcovid19': 19139, 'stcloud': 31051, 'stcloudmn': 31052, 'cannabisculture': 5900, 'wednesdayvibes': 35608, 'commerece': 7346, 'condictions': 7538, 'existant': 11983, 'schultz': 28767, 'creaming': 8455, 'gardencentres': 13805, 'springhead': 30705, '01474': 31, '361370': 830, 'poins': 25079, 'bottleneck': 5045, 'ntvnews': 22892, 'thankyouheroes': 32627, 'telethon': 32447, 'klaus': 18465, 'ller': 19446, 'url': 34594, 'firestorm': 12784, 'stayindoors': 31005, 'pmsg': 25045, 'benny': 4330, 'liban': 19207, 'pnpkakampimolabansacovid': 25052, 'stopthespreadofcovid': 31306, 'stopfraudco': 31273, 'cudifference': 8697, 'dramatised': 10581, 'mulready': 21710, '405': 915, '521': 1080, '2828': 672, 'wext': 35758, 'chinaliespeopledied': 6665, 'divino': 10259, 'unwittingly': 34505, 'bnecoronavirus': 4825, 'bliss': 4739, 'cornucopia': 7994, 'betta': 4408, 'whatdistrictisthemidwest': 35785, 'stepawayfromthepeanutbutterkaren': 31092, 'refreshing': 26987, 'businesscontinuity': 5596, 'r0': 26384, 'bwg': 5690, 'redemption': 26897, '785': 1333, 'fscw': 13554, 'havertys': 15238, 'wheeloffortune': 35818, 'quarentineandchill': 26287, 'dreamkitchen': 10606, 'mequedoencasa': 20829, 'multibillion': 21713, 'houstoncoronavirus': 16026, '07121288': 90, 'pastime': 24213, 'demandandsupply': 9445, 'empirical': 11334, 'learner': 19000, 'kbblovesdesign': 18160, 'trustedblog1': 33748, 'bonfire': 4928, '17hrs': 337, 'propertybubble': 25830, '35kworth': 824, '227': 574, '187': 349, '673': 1229, '177': 332, '226': 572, 'moistened': 21343, 'endive': 11404, 'movethesales': 21596, 'sosmoderetail': 30392, 'thinkglobalactlocal': 32824, 'gearhart': 13899, 'petfoodshortage': 24601, 'sandstone': 28437, '4yo': 1034, 'troguh': 33633, 'goverm': 14465, 'livecoverage': 19406, 'antifa': 2834, 'iamapharmacist': 16289, 'civilorder': 6852, 'pankaj': 24048, 'kapoor': 18088, 'liases': 19204, 'foras': 13188, 'coffeefilter': 7159, 'apocalipsis': 2908, 'magavirus': 19982, 'darwinswaitingroom': 9033, 'slick': 29969, 'terra': 32516, 'catch22': 6166, 'sentieo': 29138, 'arib': 3098, 'researchdifferent': 27347, 'alternativedata': 2492, 'ecstasy': 11018, 'randomised': 26563, 'bigley': 4512, 'unanswered': 34113, 'subsidary': 31541, 'credaimchi': 8470, 'realestatemarket': 26716, 'economicsofcorona': 11004, 'invariably': 17282, 'soulless': 30397, 'pondlife': 25150, 'pendamic': 24415, 'seashell': 28906, 'demolition': 9467, 'plantbasedfood': 24915, 'veggieburger': 34883, 'beyondmeat': 4435, 'fakefood': 12251, 'realmeat': 26743, 'meatball': 20648, 'sethi': 29204, 'shopperkit': 29533, 'ahadbuilders': 2188, 'yourtrustourlegacy': 36659, 'ahadcare': 2189, 'coronasafetytips': 8094, 'reducegreednow': 26929, 'watchyourgreed': 35476, 'aba': 1585, 'carpet': 6077, 'electrifying': 11184, 'sothini': 30393, 'mcq': 20604, 'marketreport': 20338, 'energyconsultants': 11433, 'acclaimenergy': 1728, 'janowski': 17643, '516': 1072, '9591': 1516, 'cull': 8703, 'ewe': 11892, 'consumerdurable': 7723, 'revival': 27658, 'emedlife': 11277, 'expertadvise': 12033, 'coronashutdown': 8096, 'decatur': 9209, 'rebottling': 26789, 'cult45': 8709, 'foody': 13160, 'hoomans': 15904, 'gran': 14531, 'nightshift': 22500, 'brood': 5363, '287': 675, 'ciao': 6787, 'disobeying': 10124, 'reiterated': 27074, 'natured': 22095, 'michiganross': 20959, 'aradhna': 3043, 'krishna': 18603, 'globalhealthemergency': 14226, 'ooh': 23411, 'cha': 6394, 'ching': 6683, 'digetty': 9855, 'lakeland': 18759, 'rdg': 26667, 'bbtips': 4088, 'thatcher': 32645, 'lndane': 19461, 'takia': 32175, 'azadganj': 3661, 'slave': 29946, 'turd': 33859, 'djjdhdjej': 10279, 'carpetbagging': 6078, 'kalyan': 18054, 'blob': 4746, 'queer': 26312, 'professionalism': 25730, 'wvnews247': 36410, 'gist': 14152, 'saluting': 28384, 'providng': 25944, 'bd3': 4109, 'catsoftwitter': 6190, 'mycatdoesnthalfgoon': 21840, 'thelogicalmauritian': 32712, 'publichealthcare': 26017, 'atar': 3352, 'woefully': 36152, 'projekt': 25782, 'unisex': 34332, 'shitgotreal': 29456, 'expressyourselfbydon': 12084, 'grinspoon': 14675, 'firstfieldsfamily': 12795, 'loveoneanother': 19727, 'commandment': 7326, 'preschool': 25504, 'dataprices': 9050, 'underinsured': 34190, 'likel': 19288, 'sponsoredad': 30634, 'makesnosense': 20100, 'whosagenda': 35929, 'shutdownny': 29637, 'busken': 5615, 'bloodstream': 4771, 'shoshana': 29574, 'shoshanna': 29575, 'lightweight': 19281, 'ripoffs': 27798, 'powhatan': 25345, 'saralee': 28522, 'notificati': 22785, 'thaw': 32651, 'modwyer': 21324, 'litterally': 19387, 'kra': 18591, 'siberia': 29660, 'ved': 34859, 'montrealer': 21442, 'fetish': 12571, 'rapaport': 26594, 'handyman': 15074, 'masbia': 20410, 'steinmart': 31083, 'limb': 19299, 'quicktake': 26347, 'fightcoronatogether': 12637, 'incorporates': 16738, 'interpersonal': 17217, 'iykykpodcast': 17563, 'iykyk': 17562, 'neoclassical': 22268, 'stipulates': 31185, 'mtg': 21660, 'mtgs': 21661, 'daydream': 9119, 'terraform': 32518, 'unsanitized': 34445, 'thankabanker': 32595, 'coverup': 8320, 'cnh': 7099, 'corr': 8164, 'pboc': 24322, 'cny': 7104, 'remanded': 27153, 'awaits': 3612, 'newzeland': 22403, 'goin': 14331, 'maskoff': 20428, 'loosens': 19660, 'coil': 7173, 'yesplease': 36574, 'mmbbl': 21239, 'masculine': 20413, 'pastel': 24211, 'mailpac': 20047, 'pricesmart': 25602, 'hilo': 15635, 'madiness': 19961, 'creditscores': 8485, 'persuaded': 24567, 'amer': 2575, 'buzz': 5683, 'sht': 29622, 'dagsa': 8909, 'dito': 10232, 'ambot': 2559, 'thankyoutesco': 32636, '9bn': 1541, 'swarm': 31972, 'unwavering': 34500, 'tulsa': 33831, 'bred': 5231, 'proponent': 25844, 'dalma': 8950, 'zachary': 36712, 'cefaratti': 6283, 'dalmacapital': 8951, 'haiku': 14938, 'seconded': 28936, 'wecandothis': 35594, '4months': 1023, 'lok': 19599, 'sabha': 28232, 'wlmu': 36133, 'communitymatters': 7390, 'folx': 13065, 'taxation': 32294, 'dowm': 10518, 'frighten': 13502, 'nomeat': 22626, 'nofish': 22600, 'bankcards': 3891, 'hungarian': 16162, 'dailynewshungary': 8923, 'breakingmyheart': 5213, 'ophthalmology': 23455, 'ophth': 23454, 'nrg': 22867, 'energyefficiency': 11435, 'lockdownpakistan': 19544, 'congratulate': 7606, 'copying': 7947, 'proactivity': 25683, 'rotorua': 28024, 'beekeeping': 4199, 'horriple': 15944, 'serger': 29164, 'seamstress': 28895, 'tbcb': 32309, 'digitalcommerce': 9867, 'mobilecommerce': 21275, 'uniquecommerce': 34327, 'customerfocus': 8803, 'tollroadsnews': 33205, 'trn': 33631, 'cascar': 6112, 'alley': 2417, 'mango': 20196, 'marketingdive': 20326, 'ishaan': 17431, 'bbcnewscoronavirus': 4077, 'lovewins': 19734, 'programm': 25758, 'newbedfordma': 22333, 'newbedford': 22332, 'dartmouthma': 9030, 'fairhavenma': 12232, 'fallriverma': 12269, 'henderson': 15507, '3297': 790, 'penalised': 24408, 'mongrel': 21408, 'desperado': 9631, 'leclerc': 19025, 'lust': 19838, 'denting': 9507, 'type2': 33956, 'questionaire': 26325, '15m': 297, 'tomi': 33215, 'abstainfromebgames': 1671, 'coronapanik': 8081, 'indianmarket': 16794, 'capitalismkills': 5951, 'srimspeak': 30760, 'stabilisation': 30784, 'glencore': 14209, 'mopani': 21466, 'motel': 21538, 'crazed': 8440, 'supermarketsemployees': 31747, 'homebody': 15804, 'ramakrishna': 26524, 'tbilisimetro': 32314, 'ringgit': 27781, 'cashflows': 6127, 'volgograd': 35187, 'stalingrad': 30829, 'eboa': 10944, 'advertised': 1999, 'broug': 5377, 'behaviourchange': 4247, 'helpyourneighbors': 15490, '2231133': 566, '65ish': 1220, 'blankly': 4691, 'oy': 23835, 'cramming': 8410, 'nickcohen': 22466, 'gigantizing': 14119, 'kidnapped': 18347, 'ggirl': 14066, 'emetophobia': 11293, 'obsessive': 23069, 'ombud': 23293, 'summarized': 31652, 'skeptic': 29863, 'naturopathy': 22099, 'chiropractic': 6691, 'jimbakker': 17777, 'alexjones': 2357, 'islamicfinance': 17445, 'losingfamilies': 19684, 'withouthealthcare': 36116, 'closingbusonesses': 7039, 'ventilatorshortage': 34914, 'hiddenagenda': 15588, 'shoping': 29511, 'taproot': 32242, 'soulard': 30396, 'saintlouis': 28332, 'protectivegloves': 25897, 'antwholesale': 2852, 'dataset': 9055, 'makoni': 20111, 'chitungwiza': 6697, 'conflicting': 7587, 'leek': 19031, 'bravenewworld': 5185, 'pollen': 25133, 'rva': 28189, 'andromedastrain': 2713, 'obscurescifirferences': 23058, 'emory': 11313, 'brandnew': 5166, 'twotoiletrolls': 33940, 'teabags': 32333, 'sainburys': 28326, '5litre': 1155, 'antenna': 2812, 'rockspringstshirts': 27933, 'customtshirts': 8818, 'customshirts': 8815, 'ops': 23477, 'rissia': 27830, 'speculate': 30538, 'sewn': 29230, 'realitychek': 26732, 'hokum': 15759, 'peddled': 24365, 'zarqa': 36731, 'stafford': 30809, 'disburse': 10011, 'x10': 36435, 'x100': 36436, 'nathan': 22047, 'farnham': 12348, 'carepackages': 6026, 'emergencykits': 11285, 'helpingpeople': 15462, 'impactinvesting': 16582, 'rencarlton': 27198, 'whatamigoingtodow': 35782, 'burberry': 5534, 'autotrader': 3554, 'ghanaians': 14075, 'visualizing': 35139, 'darkphotography': 9022, 'dslrguru': 10684, 'photographyislife': 24720, 'lovenotlooroll': 19725, 'dairyfarmers': 8931, 'ox': 23827, '5dayisolation': 1138, 'lasvegaslockdown': 18867, 'churn': 6782, 'cium': 6839, 'tangan': 32219, 'summore': 31662, 'mnfctring': 21249, 'bodily': 4860, 'lallu': 18770, 'ecnmic': 10964, 'bina': 4552, 'jine': 17782, 'koi': 18538, 'matlab': 20498, 'rahega': 26463, 'inuvik': 17275, 'icewireless': 16325, 'inseam': 17036, 'beatles': 4143, '10years': 177, 'molded': 21353, 'disposablefacemasks': 10150, 'fuking': 13616, 'slough': 29993, 'exploitationatitsfinest': 12054, 'sanitzfree': 28476, 'growout': 14754, 'hairoil': 14949, 'hairproblems': 14950, 'growouthairoil': 14755, 'haircare': 14943, 'haircaretips': 14944, 'naturalhairoil': 22085, 'dealoftheday': 9163, 'desylva': 9663, 'stylis': 31499, 'reused': 27619, 'athx': 3369, 'nnvc': 22572, 'codx': 7153, 'nvax': 22956, 'novn': 22840, 'nby': 22147, 'gril': 14663, 'tast': 32272, 'sxtc': 32048, 'blph': 4792, 'chainstore': 6405, 'foofighters': 13161, 'myhero': 21852, 'endorse': 11413, 'syop': 32094, 'thise': 32847, 'skimmer': 29884, 'lurk': 19832, 'sk': 29856, 'ondoor': 23320, 'dispiriting': 10141, 'bern': 4356, 'steakhouse': 31060, 'jm': 17795, 'cvnts': 8843, 'digitalads': 9860, 'digitalillustration': 9875, 'digitaldesigns': 9868, 'celheinstinodesigns': 6300, 'huang': 16081, 'equitably': 11616, 'coronago': 8042, 'lysozyme': 19892, 'chinesecommunistparty': 6673, 'psyching': 25986, 'agenda2030': 2130, 'supercomputer': 31719, 'gloving': 14252, 'lme': 19456, 'overdose': 23733, 'lockdownnigeria': 19539, 'gorey': 14426, 'madeintoronto': 19953, 'madeincanada': 19950, 'televise': 32450, 'stateattorneysgeneral': 30903, 'avacados': 3560, 'crumb': 8628, 'creedence': 8490, 'clearwater': 6965, 'coincide': 7179, 'sadtimes': 28268, 'upsettingtimes': 34557, 'helpothers': 15473, 'offerhelp': 23161, 'droppi': 10650, 'alltogether': 2439, 'pariah': 24126, 'weaning': 35531, 'goodmorningbritain': 14387, 'vermin': 34943, 'mbti': 20564, 'helena': 15436, 'safetynet': 28293, 'nieuws': 22482, 'elkbosje': 11223, 'clubquarantine': 7062, 'inte': 17143, 'reprimanded': 27302, 'frickindistant': 13478, 'succumbed': 31577, 'tacky': 32124, 'afterwork': 2101, 'keeponmoving': 18206, 'caturday': 6194, 'caturdaymorning': 6196, 'caturdaycuties': 6195, 'bnw': 4831, 'whitecat': 35882, 'whitecatsofinstagram': 35883, 'whitecatsrule': 35884, 'llabres': 19441, 'chavez': 6515, 'mckee': 20591, 'motive': 21561, 'coranovirus': 7952, 'democratshateamerica': 9464, 'wakeupamerica': 35303, 'shooter': 29489, 'despise': 9637, 'deportation': 9545, 'peoplegoing': 24458, 'emptiedin': 11351, 'repackage': 27234, 'bisaustralia': 4616, 'premature': 25475, 'missionaccomplished': 21185, 'thatgoodgood': 32647, 'badbunny': 3762, 'thingsamazonwontdeliver': 32816, 'kernel': 18263, 'pharm': 24657, 'spoofed': 30637, 'umpteenth': 34101, 'vermillion': 34942, 'fvm': 13708, 'confectionary': 7555, 'pla': 24886, 'octt': 23119, 'bicester': 4483, 'unbelievably': 34130, 'deniy': 9494, 'responsable': 27445, 'chairwoman': 6408, 'kingsbj': 18404, 'sbjunpacks': 28650, 'toulet': 33335, 'isitspringyet': 17438, 'nielsencga': 22477, 'imspoed': 16664, '45mins': 972, 'chartoftheweek': 6499, 'customervalue': 8811, 'jb': 17671, 'carpls': 6080, 'so14': 30158, 'so15': 30159, 'so16': 30160, 'so17': 30161, 'so18': 30162, 'so19': 30163, 'interspar': 17228, 'gaugeonfoods': 13850, 'reppin': 27289, 'hustled': 16205, 'trickster': 33598, 'cna': 7091, 'lakers': 18763, 'dnt': 10299, 'disarmament': 9999, 'sworn': 32042, 'customisable': 8812, 'theviewfromeurope': 32787, '24cts': 612, '2033620675': 507, 'ogunrinde': 23192, 'parkinson': 24137, 'ypo': 36679, 'liang': 19200, 'meng': 20800, 'ascendent': 3217, 'flouted': 12987, 'fijitimes': 12660, 'toying': 33368, 'lookie': 19639, 'emphasized': 11328, 'cmos': 7087, 'restrictedmovementorder': 27486, 'stopairingtrumpnow': 31262, '005': 5, 'niosh': 22523, 'scamaware': 28670, 'cussing': 8788, 'acknowledges': 1795, 'bor': 4979, 'pliz': 24990, 'cardflight': 5996, 'bluewave2020': 4807, 'penne': 24428, 'mepolitics': 20827, 'quantitatively': 26233, 'logarithmic': 19578, 'sideshow': 29688, 'gravitate': 14590, 'skipping': 29901, 'foreward': 13227, 'accts': 1754, 'idlib': 16383, 'covad19': 8304, 'craftspirits': 8400, 'whiting': 35897, 'whitingpetroleum': 35898, 'pexels': 24635, 'mortgagelender': 21518, 'animalrights': 2756, 'outsized': 23693, 'somone': 30349, 'chemistryresponds': 6583, 'njthanksyou': 22551, 'chemistrymatters': 6582, 'nha': 22432, '02890391225': 52, 'indigo': 16813, 'rono': 27988, 'dutta': 10796, 'paycut': 24293, 'manor': 20233, '2250': 571, 'layard': 18948, 'ilusion': 16504, 'finra': 12761, 'embassy': 11264, 'elisabetta': 11218, 'abrami': 1652, 'outgoing': 23658, 'whitmer': 35901, 'bloomfield': 4779, 'harmless': 15164, 'exploded': 12049, 'retro': 27596, 'vincenzo': 35057, 'healthandfitness': 15316, '59m': 1130, '36m': 837, 'gobeba': 14294, 'naturaldeodorantthatworks': 22081, 'crueltyfree': 8622, 'veganbeauty': 34866, 'muntharika': 21759, 'junction': 17958, 'westseattle': 35738, 'actresponsibly': 1841, 'fathimahypermarket': 12394, 'sint': 29813, 'annaparochie': 2773, 'friesland': 13498, 'onlyfoolsandhorses': 23381, 'supoort': 31782, 'maskon': 20429, 'thegreattoiletpaperhunt': 32695, 'superspreader': 31769, 'votebluenomatterwho2020': 35213, 'retai': 27513, 'christianportermp': 6750, 'fairwork': 12241, 'jobkeeper': 17807, 'penelope': 24418, 'splendid': 30610, 'ciudadano': 6838, 'brasile': 5179, 'muestra': 21686, 'sorpresa': 30382, 'positiva': 25241, 'observar': 23059, 'medidas': 20704, 'sanitarias': 28450, 'adoptadas': 1958, 'supermercado': 31761, 'contraste': 7834, 'situaci': 29838, 'solemos': 30299, 'discriminar': 10057, 'pero': 24528, 'tenemos': 32490, 'mucho': 21677, 'aprender': 3015, 'paraguay': 24091, 'dijo': 9900, 'safespace': 28287, 'mentoring': 20822, 'shannon': 29311, 'bankrate': 3900, 'dmarts': 10291, 'naturebasket': 22094, 'fruitstalls': 13545, 'powai': 25322, 'nasik': 22036, 'vashimarket': 34836, 'vegetablevendors': 34878, 'indiadoingwell': 16781, 'oneworldunitedworld': 23337, 'usdjpy': 34629, 'gbpusd': 13883, 'usdcnh': 34628, 'unpoppable': 34411, 'meatfreemonday': 20650, 'poisonous': 25089, 'fgnews': 12596, 'ukwheat': 34077, 'mosul': 21536, 'enterances': 11521, 'mosul2020': 21537, 'hairnet': 14948, 'rioter': 27789, 'kritesh': 18610, '8097675586': 1366, 'endcoronavirustogether': 11396, 'kriteshenterprises': 18611, 'chlorinedioxide': 6702, 'chandigarh': 6432, 'rashan': 26611, 'bittertruth': 4635, 'contamos2020': 7782, 'wecount': 35600, 'bankrupting': 3904, 'affluenza': 2060, 'adnan': 1951, 'sleiman': 29963, 'industralists': 16842, 'pkr': 24882, 'pakwheels': 23936, 'chickenbreasts': 6628, 'troubleshoot': 33652, 'responsibili': 27447, 'monatary': 21376, 'pony': 25155, 'odp7': 23135, 'hahahahahaha': 14934, 'persuade': 24566, 'tpapocalypse': 33373, 'upp': 34544, '2162565118': 545, 'fruittree': 13546, 'subscriptionbox': 31537, 'travelagency': 33528, 'delraybeachflorida': 9434, 'costarica': 8201, 'disneycruise': 10118, 'rigging': 27764, 'leveller': 19160, 'lates': 18882, 'algerian': 2362, 'n50': 21904, 'n500': 21905, 'garrett': 13816, 'callaway': 5791, 'midmo': 20999, 'introverting': 17270, 'standby': 30849, 'airasia': 2229, 'letsbesafe': 19132, 'cleanyourhandsregularly': 6953, 'maskindia': 20424, 'majeures': 20074, 'goer': 14319, 'penang': 24413, 'phase2': 24669, 'juststayathome': 17999, 'dudukrumah': 10724, 'textscore': 32569, 'companywatch': 7408, 'howmuchtoiletpaper': 16046, 'bison': 4621, 'disposablefacemask': 10149, 'leaped': 18996, '241': 604, 'sean': 28896, 'outoftouchwithreality': 23678, 'aquavit': 3033, 'oslo': 23588, 'ndverksdestilleri': 22190, 'vm': 35164, 'botswana': 5042, 'preservative': 25521, 'bladder': 4678, 'oprah': 23475, 'releasethebuttholecut': 27112, 'berniebros': 4360, 'reddit': 26890, 'dadjokes': 8899, 'maxie': 20525, 'alphabetical': 2468, 'digitalsignage': 9893, 'bizhour': 4645, 'flock': 12960, 'ferozepur': 12555, 'implementiom': 16602, 'baidu': 3795, '100bn': 133, 'helpingeachother': 15459, 'grief': 14653, 'kristo': 18609, 'cryowulf': 8645, 'fleecing': 12922, 'nm02': 22563, '783': 1332, 'bedridden': 4189, 'ssdi': 30769, 'beshear': 4377, 'cameron': 5834, 'kentuckian': 18249, 'mfers': 20921, 'embezzling': 11267, 'dory': 10484, 'proactively': 25682, 'solace': 30285, 'fy20': 13719, 'dhamaka': 9752, 'seatr': 28917, 'psc': 25972, 'insisting': 17055, 'erc': 11629, 'sleepwalking': 29959, 'nutella': 22941, 'cavabienaller': 6212, 'foodwales': 13155, 'y2k': 36492, 'itsrealthistime': 17535, 'falloutshelter': 12268, 'comercio': 7298, 'a1c': 1559, 'monkeybar': 21421, 'onestopshopping': 23332, 'wilton': 36015, 'tritax': 33627, 'bbox': 4085, 'fright': 13501, 'teva': 32558, 'revel': 27632, 'winstonsalem': 36058, 'kangaroo': 18075, 'chinav': 6669, 'ogden': 23186, '3075': 754, 'airsoft': 2251, 'closin': 7037, 'fortheculture': 13279, 'airsofter': 2252, 'speedqb': 30549, 'speedsoft': 30550, 'irritating': 17417, 'searsroebuckcatalog': 28905, 'businesspeople': 5608, 'viel': 35017, 'videolinkki': 35013, 'mallinnukseen': 20140, 'tilanteesta': 32994, 'jossa': 17883, 'ihminen': 16444, 'ysk': 36684, 'isee': 17426, 'tyypillisess': 33971, 'myym': 21891, 'tilassa': 32996, 'hyllyjen': 16251, 'analysing': 2666, 'piloted': 24808, 'acquaintance': 1804, 'sthelensunited': 31143, 'therewithyou': 32760, 'gauntlet': 13854, 'thanitizer': 32593, 'ets': 11771, 'uncompetitive': 34153, 'osm': 23589, 'keepsafekeepwell': 18211, 'bravery': 5187, 'redesigning': 26903, '408': 918, 'aircanada': 2233, 'pricego': 25589, 'mia': 20939, 'shoppercentric': 29532, 'rayner': 26650, 'eme': 11275, 'boubies': 5050, 'perezhilton': 24485, 'healthvana': 15345, 'handvana': 15067, 'hydroclean': 16225, 'swissforextrading': 32027, 'chiasson': 6618, 'handstoyourself': 15066, 'mccall': 20573, 'impct': 16587, 'civilizd': 6849, 'mjrity': 21222, 'shlvs': 29472, 'sems': 29088, 'lke': 19436, '4l': 1019, 'alliving': 2424, 'healthyhome': 15354, 'albertson': 2319, 'hinakhan': 15641, 'convened': 7857, 'kenan': 18237, 'magistrate': 19996, 'mahon': 20027, 'justinrivera': 17986, 'holla': 15778, 'eldest': 11164, 'anchor': 2686, 'nowwehavefood': 22855, 'dns': 10298, 'giveifyoucan': 14167, 'fountain': 13326, 'indulgent': 16837, 'retailinnovation': 27537, 'retailindustry': 27535, 'futureofretail': 13699, 'minh': 21101, 'phu': 24730, 'santoshhospitals': 28503, 'santoshmedicalcollege': 28504, 'ncr': 22169, 'lifeatsantosh': 19245, 'rohingya': 27947, 'variability': 34823, 'edgewater': 11031, 'aprilfools': 3020, 'beresolute': 4342, '70ml': 1282, 'chinesevirus2020': 6680, 'phillipsvision': 24689, 'goverments': 14467, 'racer': 26421, 'chucked': 6767, 'raptor': 26603, 'oiler': 23216, 'whistler': 35880, 'redvelvet': 26939, 'feminist': 12542, 'lgbta': 19190, 'vietnamleavesnoonebehind': 35023, 'ypbmf': 36677, 'ypbmfchampion': 36678, 'stayhomehealthy': 30986, 'glamorous': 14189, 'diva': 10235, 'duu': 10800, 'sportsbooks': 30651, 'nfldraftnews': 22415, 'clareb': 6889, 'capturing': 5976, 'contemporary': 7790, 'quaranturn': 26279, 'oilrig': 23232, 'oilcompanies': 23214, 'olympia': 23283, 'shied': 29419, 'dwp': 10814, 'ryu': 28210, '19with': 423, 'spillover': 30581, 'gustin': 14869, 'bajaj': 3807, 'italiano': 17503, 'deutsch': 9698, 'lefran': 19038, 'croatian': 8566, 'varazdin': 34820, 'macau': 19910, 'westpac': 35734, '2mrw': 723, '4b': 1008, '900m': 1461, 'austrac': 3501, 'divs': 10265, 'calcs': 5760, 'wbc': 35507, 'beautician': 4151, 'distincing': 10196, 'realization': 26734, 'buti': 5631, 'nalang': 21967, 'talaga': 32182, 'bukas': 5484, 'yun': 36697, 'ito': 17522, 'malapit': 20118, 'bahay': 3790, 'loominh': 19647, 'alwar': 2511, 'rajasthan': 26494, 'varun': 34831, 'movietwit': 21599, 'busineess': 5590, 'khamis': 18313, 'mushait': 21783, 'becase': 4167, 'indilens': 16814, 'anez': 2721, 'econimies': 10985, 'emiratis': 11303, 'considiring': 7664, 'manx': 20251, '194': 374, 'alcohal': 2328, 'doj': 10358, 'kocakes': 18528, 'cakequeen': 5755, 'fightcorona': 12636, 'subpoena': 31529, 'sharplyy': 29343, 'wonderr': 36177, 'whyy': 35945, '828': 1389, 'suspiciously': 31930, 'immensity': 16549, 'zamaqongo': 36722, 'djsbu': 10281, 'verifiably': 34931, 'greenwashing': 14635, 'documenting': 10324, 'bebore': 4164, 'enhancer': 11471, '852': 1407, 'sentenced': 29137, 'baht': 3794, 'jade': 17589, '51st': 1076, 'kalanchoe': 18046, 'sqft': 30730, 'pandemiconomy': 23997, 'rabi': 26412, 'deficity': 9324, 'abound': 1644, 'unborn': 34132, 'begets': 4227, 'ruiru': 28126, 'runda': 28143, 'tutashindacorona': 33883, 'megastore': 20740, 'poveglia': 25320, 'mitchmcconnell': 21208, 'greasy': 14598, 'haired': 14947, 'quieter': 26351, 'tepid': 32503, 'duke': 10733, 'dsouza26': 10687, 'warzone': 35420, 'kshs': 18623, '6500': 1216, 'hostpital': 15972, 'hahahahaha': 14933, 'relay': 27105, 'toiletpaperrelay': 33170, 'medicalmarijuana': 20688, 'scrum': 28854, 'fetching': 12570, 'benifits': 4327, 'pmsir': 25046, 'sandart': 28426, 'puri': 26105, 'dillon': 9906, 'fedexground': 12493, 'lancslive': 18799, 'ambler': 2557, 'vomiting': 35198, 'ddarmers': 9141, 'whew': 35850, '81oz': 1379, 'finalised': 12690, 'brochure': 5349, 'queencreek': 26306, 'wuhanvir': 36400, '469': 980, '544': 1090, '8316': 1391, '972': 1524, '8224': 1385, '214': 544, '607': 1177, '8437': 1398, 'andersonsf': 2699, 'gorilla': 14428, 'delitakeout': 9413, 'affirming': 2056, 'faithfully': 12246, 'ontarioenergy': 23396, 'nbi': 22141, 'emis': 11304, 'vigour': 35036, 'preventcoronavirus': 25566, 'faraz': 12312, 'rak': 26500, 'nwt': 22964, 'whitney': 35902, 'jakob': 17607, 'toiletpeopleart': 33181, 'artistsoninstagram': 3188, 'installationart': 17090, 'horningsea': 15933, 'stank': 30857, 'raunchy': 26632, 'dutty': 10798, 'harassment': 15134, 'sheikh': 29378, 'imra': 16659, 'proliferating': 25785, 'mule': 21705, 'dearer': 9170, 'datapoint': 9049, 'nspx': 22880, 'trbo': 33551, 'decn': 9247, 'nbdr': 22139, 'underwrite': 34228, 'passuello': 24204, 'avengersassemble': 3574, 'devi': 9716, 'missedthat': 21180, 'almena': 2449, 'atvthw': 3440, 'platedemic': 24928, 'abides': 1623, 'tolerance': 33197, 'forecourt': 13212, 'stephe': 31097, 'newsradio': 22380, 'monologue': 21423, 'ausgangssperren': 3484, 'highers': 15598, 'kolata': 18543, 'icc': 16317, 'alyssa': 2517, 'defireathome': 9334, 'wahab': 35273, 'amshow': 2642, '27x': 666, 'parisian': 24130, 'ruben': 28103, 'nazario': 22126, 'quirk': 26363, 'delf': 9387, 'omni': 23304, 'warmly': 35398, 'kryptonite': 18619, 'fillup': 12671, 'conferances': 7556, 'vox': 35223, 'heroine': 15551, 'lettercarriers': 19150, 'covit19': 8343, 'xdd': 36449, 'levelling': 19161, 'categorised': 6170, 'whaddya': 35775, 'northjersey': 22717, 'billdesk': 4538, 'paytm': 24313, 'phonepay': 24708, 'meeseva': 20726, '686': 1236, 'stranding': 31354, '40m': 924, 'jeopardising': 17715, '120m': 212, 'machination': 19916, 'makhura': 20104, 'beavis': 4160, 'igers': 16419, 'throughput': 32924, 'springtime': 30709, 'bbcnewsnight': 4078, 'propagation': 25825, 'nexxo': 22409, '329': 789, 'danyel': 9007, 'surrency': 31879, 'powerhandz': 25337, 'stripe': 31426, 'raiderstrategy': 26473, 'rsecon': 28078, 'plainly': 24898, 'isolationmode': 17475, 'fmradio': 13020, 'waybackwithkmac': 35499, 'memesiveseen': 20786, 'elemental': 11199, 'fiendishly': 12621, 'resistant': 27397, 'complicate': 7466, 'hilfiker': 15629, 'fighthunger': 12645, 'panicbuyingtoiletpaper': 24026, 'dreamies': 10605, 'seder': 28969, 'cashed': 6123, 'lexingtonva': 19178, 'dismantle': 10107, 'momentary': 21367, 'rebooked': 26786, 'douchebag': 10500, 'nidhi': 22474, 'toor': 33239, 'patelshrewsbury': 24227, '2gb': 705, '70days': 1281, 'palmsunday2020': 23954, 'cranny': 8419, 'conversion': 7870, 'duelling': 10727, 'cancelstudentdebt': 5879, 'circumventing': 6822, 'refilled': 26963, '316m': 779, 'arounds': 3135, 'issuesofpandemic': 17491, 'iseestupidpeople': 17427, 'torn': 33272, 'isi': 17434, 'controll': 7847, 'eeriest': 11075, 'unanticipated': 34114, 'violently': 35079, 'overreact': 23767, 'trippled': 33626, 'chrisingham': 6743, 'inghamfamily': 16950, 'pervert': 24575, 'sleepover': 29957, 'cocoonmaldives': 7143, 'trumptariffs': 33735, 'predictable': 25446, 'leanintothegood': 18993, 'indiebrand': 16809, 'lpol': 19763, 'notforeverjustfornow': 22768, 'tahoe': 32143, 'dinning': 9935, '3min': 883, 'interpreting': 17221, 'raced': 26420, 'sandiego': 28430, 'onlinedelivery': 23354, 'webster': 35592, 'gob': 14290, 'exigency': 11980, 'trapping': 33514, 'unemploymentbenefits': 34253, 'getyourmoney': 14056, 'tourhomes': 33339, 'risinggunsales': 27816, 'presently': 25519, 'hashtags': 15199, 'wecansupply': 35597, 'vikanleverera': 35038, 'svenska': 31953, 'leveranser': 19167, 'gigi': 14122, 'intubated': 17272, 'sedative': 28968, 'hitesh': 15687, 'palta': 23958, 'acronym': 1812, 'frontlinersph': 13531, 'variation': 34825, 'basiji': 3998, 'stiglich': 31154, 'canton': 5926, 'vaud': 34840, 'jena': 17707, '110k': 184, 'thuringia': 32945, 'mandatorymasking': 20181, 'maskenpficht': 20421, 'homemademasks': 15837, 'tarek': 32248, 'aliahmad': 2372, 'ferragu': 12557, 'dickinson': 9802, 'meritasusa': 20858, 'independentlawfirms': 16772, 'subsitute': 31553, 'rifle': 27759, 'powpow': 25347, '951': 1507, 'ufcw951': 34011, 'contradictory': 7829, '2metre': 718, 'carriage': 6083, 'eac': 10839, 'christopherwalken': 6755, 'pawquafina': 24287, 'iz': 17567, 'purrified': 26120, 'purr': 26118, 'splint': 30612, 'hooman': 15903, 'pug': 26047, 'dontbeanasshole': 10418, 'ourseniorsdeservebetter': 23633, 'betelnut': 4401, 'moresby': 21488, 'truue': 33761, 'quaratine': 26280, '174': 329, 'delgasprices': 9389, 'naifa': 21947, 'delco': 9379, 'chk': 6699, 'jamestown': 17624, 'koolaid': 18554, 'corsair': 8183, 'comm': 7321, 'tectonic': 32395, 'vryburg': 35230, 'degradable': 9355, 'coreychen': 7963, 'coronathailand': 8104, 'michelman': 20954, 'lisce': 19361, '19italia': 416, 'fistr': 12824, 'counterintuitively': 8264, 'afoot': 2072, 'philanthropic': 24678, '01449': 29, '77400': 1326, 'y11s': 36490, 'y13s': 36491, 'leaver': 19019, 'prom': 25794, 'buymo': 5672, 'svcs': 31952, 'jeopardizing': 17718, 'northridge': 22723, 'tyrant': 33965, 'itsthelittlethings': 17536, 'individualistic': 16823, 'airdrop': 2239, 'nocoronavirus': 22590, 'shorting': 29570, 'weaponized': 35533, 'alluded': 2441, 'reffering': 26960, 'urbansketch': 34582, 'affectiva': 2046, '40mins': 925, 'fairwaymarket': 12239, 'osterholm': 23595, 'cholesterol': 6721, 'hearthealth': 15374, 'phoned': 24707, 'dieforthedow': 9822, 'dying4wallstreet': 10823, 'nonsensically': 22657, 'totaljerks': 33305, 'abhimanyu': 1618, 'yas': 36523, 'lass': 18849, 'prue': 25964, 'coincidental': 7182, 'groat': 14685, 'technode': 32388, 'brigade': 5288, 'cfprobs': 6382, 'missingthings': 21183, 'nervously': 22282, 'clockwise': 7015, 'heroism': 15552, 'tutocovers': 33885, 'everyoneinthistogether': 11856, 'hauskahome': 15230, 'buyahouse': 5652, 'acceptedoffer': 1715, 'wafer': 35264, 'implores': 16610, 'bombardment': 4913, 'gateway': 13841, 'robocallers': 27905, 'nickname': 22469, 'embarked': 11258, 'terrace': 32517, 'privacylaw': 25661, 'informationgovernance': 16926, 'escarpment': 11666, 'ontariospirit': 23397, 'naturelovers': 22096, 'pharmacychecker': 24666, 'oliveoil': 23272, 'evoo': 11888, 'acietedeoliva': 1788, 'aove': 2881, 'deliverydrivers': 9425, 'socialgood': 30214, 'provincewide': 25946, 'borno': 5008, 'constricting': 7691, 'bordertown': 4988, 'pinak': 24815, 'ranjan': 26579, 'chakravarty': 6411, 'joshmchipster': 17880, 'cloutmouse': 7052, 'buster': 5621, 'teamkentucky': 32351, 'rewrite': 27682, 'buyerpersonas': 5662, 'readapt': 26689, 'grounding': 14737, 'objection': 23042, 'tireddaughter': 33052, 'hamsterkaufschlager': 15022, 'chargeback': 6474, 'rumbo': 28136, 'protejete': 25910, 'increment': 16753, 'shy': 29656, 'bestsellingauthor': 4397, 'memoir': 20789, 'wrongplacewrongtime': 36362, 'locale': 19485, 'recee': 26805, 'womenshistorymonth': 36168, 'hernandez': 15547, 'gatashe': 13839, 'cheaply': 6529, 'radiate': 26440, 'blas': 4694, 'fwyd': 13714, 'consolidated': 7674, 'pulpandpaper': 26055, 'ilr': 16503, 'icelandic': 16324, 'pooled': 25161, 'binary': 4553, 'positve': 25252, 'limeade': 19303, 'cigna': 6794, 'humana': 16123, 'insurancenews': 17133, 'pricelessaycalling': 25596, 'baka': 3811, 'nyo': 22990, 'naranasan': 22012, 'isang': 17423, 'kahig': 18034, 'tuka': 33825, 'coronahumor': 8047, 'refo': 26980, 'swabtek': 31961, 'lawenforcement': 18932, 'americaworkstogether': 2588, 'abhorent': 1620, 'somes': 30338, 'typicaltory': 33959, 'kwara': 18675, 'walloped': 35331, 'parksandrec': 24140, 'marin': 20300, 'uvlight': 34710, 'alb': 2306, 'sqm': 30731, 'nev': 22318, 'energize': 11430, 'cfc': 6372, 'idled': 16382, 'yubanet': 36688, 'ncpol': 22168, 'consisting': 7670, 'dailymail': 8920, 'panamasolidario': 23968, 'capitalistic': 5953, 'altar': 2482, 'unquenched': 34426, 'trinity': 33615, 'inhumanity': 16974, 'depravity': 9550, 'financialtimes': 12722, '400ml': 908, 'vvhat': 35252, 'vvant': 35250, 'svvimming': 31957, 'vvell': 35251, 'westlondon': 35728, 'saltandpepper': 28378, 'bootsthechemists': 4974, 'r97': 26407, '21dayslockdownsouthafrica': 556, 'traceable': 33400, 'broadest': 5343, 'leapfrogging': 18997, 'blockaded': 4751, 'sobras': 30182, 'juelztheking': 17931, 'muddy': 21681, 'mp3': 21610, 'wav': 35492, 'trackouts': 33409, '008': 8, '2382': 597, '1339': 245, 'overstuffed': 23787, 'wrestlemania36': 36344, 'yey': 36580, 'mobilized': 21285, 'paula': 24270, 'scouser': 28809, 'tysm': 33967, 'omelet': 23296, 'zed': 36742, 'barra': 3957, 'jointly': 17854, '99k': 1538, 'nationalfragranceweek': 22054, 'scumbagcompanies': 28864, 'judson': 17930, 'kauffman': 18139, 'looby': 19631, 'wsismm': 36368, 'kalie': 18049, 'shorr': 29557, 'arcticmonkeys': 3064, 'thanksmom': 32613, 'youruaualtable': 36660, 'approvedtravel': 3002, 'thankyougrocerystoreworkers': 32626, 'turnkeyadventures': 33875, 'gohoos': 14328, 'uva': 34708, 'wahoowa': 35277, 'procted': 25705, 'fictitious': 12614, 'sars2': 28540, 'fakelimits': 12253, 'springing': 30706, 'holysaturday': 15796, 'hmcts': 15705, 'indonesian': 16828, 'archipelago': 3056, '2pts': 730, 'indpol': 16831, 'serame': 29161, 'taukobong': 32288, 'powerbusiness': 25330, 'justnotfeesable': 17993, 'imoffshopping': 16574, 'decease': 9210, 'kohima': 18536, 'jotsoma': 17885, 'vauxhall': 34844, 'reception': 26816, 'smsf': 30089, 'goddaughter': 14309, 'woodmac': 36188, 'edgardo': 11028, 'gelsomino': 13922, 'taftan': 32135, 'sukkur': 31632, 'porch': 25196, 'fcaa': 12435, '1917': 364, 'amazonvideo': 2548, 'stayhomeeaster': 30983, 'realoverthis': 26748, 'rad': 26438, 'molecular': 21356, 'chastising': 6505, 'organising': 23541, 'gocarona': 14302, 'duma': 10737, 'getheathy': 14034, '748': 1304, 'ukhad': 34053, 'liya': 19429, 'deke': 9370, 'pappu': 24076, '10mbd': 169, 'patenting': 24230, 'valiquette': 34761, 'chuckled': 6769, 'marketbasket': 20313, 'religiousliberty': 27136, 'novice': 22838, 'thronging': 32919, 'discriminating': 10059, 'usemask': 34643, 'tripexperts': 33620, 'alexhospitality': 2355, 'nwanews': 22960, 'parrishable': 24152, 'reconcile': 26843, 'pasteurisation': 24212, 'bacteri': 3752, 'everyrhing': 11860, '40am': 921, 'bossman': 5028, 'blowjob': 4789, 'igotthetolietpaperplug': 16436, 'thisislegalaid': 32852, 'scamprevention': 28678, 'trailing': 33444, 'tpocalypse': 33384, 'borrowed': 5013, 'upright': 34549, '719': 1288, '7554': 1313, 'perceive': 24477, 'babu': 3696, 'tikegi': 32989, 'brazos': 5196, 'subaru': 31507, 'woodstock': 36191, 'lakemfa': 18762, 'extraspecial': 12123, 'ooin': 23412, 'dolly': 10372, 'parton': 24178, 'whitworth': 35905, 'wethe4th': 35745, 'negligent': 22243, 'willfull': 36001, 'itsnotaboutyou': 17529, 'interceptor': 17174, 'tamiko': 32203, 'gastrointestinal': 13837, 'thankafarmer': 32596, 'randomization': 26564, 'dimas': 9911, 'envious': 11555, 'needthebasics': 22228, 'opal': 23419, 'since1832': 29782, 'bloggersrt': 4761, 'bonedrygrocerystores': 4925, 'cantfindshit': 5924, 'deathbeforebeans': 9175, 'fun2020diaries': 13638, 'bostonian': 5032, 'shockingly': 29477, 'speedup': 30551, '729': 1297, 'annabel': 2770, 'insidefgould': 17044, 'insideatkins': 17043, 'proudtobuildwhatmatters': 25931, 'lawful': 18934, 'stabilising': 30786, 'tequila925': 32504, 'divavodka': 10236, 'dalmore62': 8952, 'buckabeer': 5443, 'incidentally': 16706, 'repetition': 27252, 'addressdynamic': 1885, 'matoshree': 20500, 'thackeray': 32581, 'heiny': 15426, '989thebull': 1532, 'fitzhappens': 12836, 'supermarketqueue': 31746, 'como': 7396, 'day29': 9112, 'pepys': 24475, 'disconnection': 10032, 'optus': 23499, 'hbor': 15275, 'harborside': 15137, 'cannabisnewsdd': 5903, '3wk': 902, 'fcked': 12444, 'thinkingaboutothers': 32827, 'eugh': 11784, 'wedge': 35603, 'comprehension': 7488, 'neverbiden': 22323, 'stooge': 31255, 'bernieforpresident': 4361, 'esteem': 11725, 'greedytarget': 14618, 'targetistargetingcoronaviruspandemic': 32252, 'hollylogan': 15785, 'hahaholly': 14935, 'hollyhittinhollywood': 15784, 'hmlthestar': 15709, 'imakepeoplelaughforfree': 16519, 'costcomeme': 8206, 'ificouldturnbacktime': 16403, 'doorbell': 10466, 'tindie': 33031, 'hollaa': 15779, 'walkout': 35322, 'egghunt2020': 11104, 'bilyonaryofeatures': 4548, 'swindon': 32018, 'cognitive': 7165, 'dissonance': 10177, 'soylentgreen': 30456, 'itspeople': 17534, 'endoftheworld': 11410, 'chic': 6620, 'corridor': 8176, 'uhmm': 34027, 'phoenixrealtor': 24703, 'realestatebroker': 26710, 'realestateinvesting': 26711, 'economyslowdown': 11010, 'economicslowdown': 11003, 'phoenixarizona': 24701, 'wickedly': 35951, 'improper': 16644, 'garnishment': 13815, 'escorted': 11670, 'fraservalley': 13385, 'roasting': 27889, 'untimely': 34484, 'defists': 9335, 'vulgories': 35238, 'prejudiced': 25471, 'sharif': 29331, 'shakira': 29279, 'locksouthafricadown': 19567, 'generationalmalpractice': 13945, 'trademarked': 33415, 'markey': 20349, 'blip': 4738, 'derelict': 9574, 'crunching': 8633, 'rebounding': 26792, 'bkk': 4652, '22mar': 580, '12apr': 225, 'crux': 8643, 'virusoutbreak': 35112, 'dw': 10803, 'saputo': 28515, 'anf': 2722, 'thuisisolatie': 32939, 'sanzi': 28507, 'keepdistance': 18192, 'adphc': 1969, 'nothingleft': 22779, 'uglier': 34021, 'southeastern': 30425, 'wyoming': 36431, 'roving': 28050, 'dsg9mujuhn': 10682, 'downplays': 10534, 'selkirk': 29059, 'daredevil': 9012, 'hodgens': 15743, 'archiveday': 3060, 'protesting': 25915, 'circu': 6812, 'lebanese': 19023, 'commence': 7330, 'reign': 27053, 'irrespective': 17407, 'edmotonians': 11052, 'rya': 28200, '023': 49, '8060': 1364, '4223': 940, 'steaming': 31065, 'chili': 6643, 'zim': 36781, '8200': 1381, '11bn': 203, 'blubettysa': 4795, 'corporateevent': 8154, 'browardcounty': 5381, 'palmbeachcounty': 23951, 'fortlauderdalecaricatureartist': 13288, '954': 1511, '695': 1242, '6578': 1219, 'fwd': 13710, 'hockey': 15741, 'ceidy': 6286, 'jx': 18009, 'porro': 25204, 'lucked': 19787, 'inkedorganics': 16993, 'letsgetthisbread': 19141, 'yeetthiswheat': 36546, 'buttwatts': 5646, 'glutenpoweredglutes': 14263, 'wcc': 35510, 'hangingstone': 15081, 'sagd': 28306, 'undrstnd': 34239, 'tking': 33077, 'whch': 35809, 'prdcts': 25413, '1977': 393, 'salty': 28380, 'chew': 6609, 'lockdownkenya': 19531, 'downtownkc': 10543, 'stockvisibility': 31232, 'supportingretail': 31812, 'meghan': 20741, 'salle': 28368, 'kyw': 18693, 'abramovich': 1653, 'millennium': 21060, 'poolsides': 25162, 'visualizes': 35138, 'worthit': 36308, 'ussteel': 34670, 'obscenity': 23056, 'oscar': 23581, 'fairfield': 12231, 'wearefairfield': 35550, 'godbless': 14307, 'misspelling': 21194, 'vague': 34737, 'islamic': 17443, '0540556339': 77, 'ramnavami': 26539, 'shaheenabagh': 29269, 'carding': 6002, 'rohini': 27948, 'pitampura': 24854, 'marktuan': 20357, 'raja': 26491, 'kali': 18048, 'confounded': 7589, 'sonny': 30361, '925m': 1488, 'foy': 13341, 'navycapital': 22120, 'vccirclepremium': 34853, 'incited': 16708, 'polluted': 25136, 'kilburn': 18365, 'kom': 18547, 'meer': 20723, 'bij': 4524, 'tuning': 33847, 'dustmask': 10789, 'dutchie': 10793, 'comedysong': 7293, 'dharavi': 9754, '147': 264, '2kg': 712, 'breakspot': 5220, 'clothed': 7043, 'embark': 11257, 'evolved': 11885, 'letdie': 19128, 'sadday': 28256, 'nomorepeanutbutter': 22633, 'adaywithoutapeanutbutter': 1869, 'theonlythingitrulycareabout': 32731, 'asiegercares': 3247, 'asieger': 3246, 'raina': 26478, 'macintyre': 19922, 'aom': 2877, 'cannt': 5914, 'risj': 27821, 'iin': 16454, 'foodgrains': 13105, 'connectedness': 7620, 'epu': 11601, 'ssrn': 30777, 'shorona': 29556, 'zines': 36788, 'organizing': 23547, 'cra': 8385, 'crammed': 8409, 'ontariodairyboard': 23395, 'quarantineday5': 26259, 'hitchhikersguidetothegalaxy': 15685, 'thesquids': 32778, 'joeyspatafora': 17834, 'tolietpaperemergency': 33202, 'primeday2020': 25618, 'graft': 14525, 'berk': 4350, 'cretin': 8508, 'siren': 29821, 'hahahah': 14931, 'totalchaos': 33301, 'bobo': 4849, 'naive': 21958, 'landfill': 18805, 'gabon': 13729, 'pangolin': 24016, 'falter': 12273, 'ventes': 34910, 'flanchent': 12874, 'avec': 3571, 'theultimatechoice': 32785, 'redcross': 26889, 'theageofcoronavirus': 32657, 'fuckthecoronavirus': 13589, 'igettowipemyass': 16425, 'peopleoverprofits': 24462, 'pharamacy': 24656, 'goair': 14286, 'logistician': 19589, 'pang': 24015, 'nowreading': 22852, 'seneshaw': 29108, 'tamru': 32212, 'bart': 3973, 'minten': 21138, 'igc': 16415, 'haih': 14937, 'mtherfkers': 21663, 'pursuing': 26125, 'marvin': 20397, 'snowing': 30147, 'swkzwespsp': 32035, 'foregone': 13214, 'revoking': 27667, 'perscription': 24540, 'canale': 5863, 'delponti': 9432, 'sergienko': 29165, 'semiconductorsales': 29085, 'semiconductorequipment': 29084, 'analytic': 2670, 'delooroll': 9430, 'shamblesstayathome': 29290, 'packthepantries': 23882, 'syian': 32061, 'cpri': 8376, 'groveries': 14744, 'coronahassle': 8043, 'miltimore': 21072, 'flatline': 12891, 'sashaying': 28545, 'elegantly': 11194, 'scanky': 28686, 'smartkas': 30034, 'involvement': 17328, 'seeding': 28977, 'saskag': 28547, 'apas': 2887, 'urt': 34600, 'extraneous': 12118, 'nanny': 21999, 'massage': 20449, 'ensue': 11509, 'croix': 8572, 'slamming': 29931, 'restraining': 27482, 'blindly': 4733, 'natsec': 22077, 'unga': 34289, 'bae': 3772, 'prayerfully': 25399, 'penney': 24430, '5lb': 1153, 'matzah': 20514, 'ssc': 30767, 'ufm': 34014, 'hydroxychroloquine': 16238, 'n145': 21897, 'priceofoil': 25597, 'whith': 35895, 'silverlining': 29745, 'oper': 23439, 'kuehn': 18636, 'ronald': 27983, 'gorsline': 14433, 'blake': 4680, 'hurshell': 16191, 'statelaw': 30907, 'eft': 11097, 'oliver': 23273, 'alignment': 2383, 'digitalcollaboration': 9866, 'qfc': 26187, 'messager': 20874, 'ssb': 30766, 'epid': 11588, 'simulating': 29772, 'intraocular': 17258, 'wer': 35693, 'denn': 9497, 'werk': 35701, 'gestern': 14020, 'nachmittag': 21926, 'konnten': 18552, 'anwohner': 2856, 'innen': 17001, 'stadtteil': 30802, 'praunheim': 25393, 'frankfurt': 13375, 'diese': 9826, 'aktion': 2286, 'bestaunen': 4386, 'daf': 8903, 'verantwortlich': 34925, 'unklar': 34365, 'danke': 8996, 'theiss': 32706, 'zusendung': 36844, 'bild': 4533, 'mak': 20081, 'lemieux': 19085, 'econlog': 10986, 'quarantinewatchparty': 26274, 'tauranga': 32291, 'hideous': 15590, 'barriefoodbank': 3967, 'ferr': 12556, 'staysafequ': 31028, 'tpsearch': 33387, 'vermonter': 34945, 'svpol': 31956, 'cras': 8424, 'hols': 15792, 'scottcpeterson': 28800, '4hours': 1015, '1of': 443, 'vodk': 35177, 'pew': 24633, 'susceptibility': 31915, 'gall': 13759, 'corporationssuck': 8160, 'alok': 2457, 'anthropology': 2817, 'purity': 26107, 'sneering': 30122, 'bowing': 5078, 'fbdoyzqhci': 12430, 'rememberinnovember': 27167, 'incompetentbuffoon': 16725, 'justwashyourhands': 18004, 'noi': 22612, 'paghiamo': 23899, 'carta': 6096, 'credito': 8480, 'satispay': 28560, 'molti': 21360, 'acquisti': 1809, 'desolation': 9629, 'boredinthehouse': 4994, 'mmo': 21243, 'marine': 20303, 'cftc': 6384, 'walton': 35348, 'defuniak': 9344, 'leilanijordan': 19077, 'coronachallenge': 8018, 'kaizer': 18039, 'cg': 6385, 'profitero': 25745, 'pimping': 24812, 'sarbananda': 28527, 'sonowal': 30363, 'pricerise': 25598, 'monika': 21413, 'wingate': 36044, 'oeb': 23139, 'oversees': 23778, 'elexion': 11207, 'kansan': 18082, 'essentialworkerwage': 11708, 'sofreakinhappy': 30262, '386': 853, 'appendicitis': 2948, 'undertaker': 34220, 'tbd': 32310, 'supersavertravel': 31766, 'coronatravel': 8110, 'reccomend': 26802, 'stimulating': 31169, 'emergingmarkets': 11290, 'kildee': 18368, 'comprehending': 7486, 'empy': 11361, 'zoning': 36814, 'depiction': 9532, 'unifor': 34305, 'ubiquitous': 33989, 'patiently': 24244, 'riaz': 27711, 'quarantinecon': 26255, 'nightmarefuel': 22497, 'aviv': 3590, 'ferguson': 12550, 'quarantinestories': 26272, 'spreadreliefnotcorona': 30687, 'islam': 17441, 'mussel': 21800, 'shellfish': 29392, 'healthcarecentres': 15322, 'wearmask': 35566, 'howtocure': 16048, 'rnib': 27872, 'visually': 35140, 'islington': 17451, 'minim': 21106, 'throwbackthursday': 32928, 'stackedshelves': 30797, 'faffing': 12216, 'tysonfoods': 33969, 'kibosh': 18334, 'format': 13254, 'bewildering': 4430, 'commodaties': 7362, 'respectsupermarketstaff': 27429, 'underestimating': 34187, 'covent': 8310, 'feedinglondon': 12507, 'asfreshasitgets': 3222, 'fresdelivery': 13464, 'freshproduce': 13474, 'neutralizes': 22317, 'thicker': 32801, 'promoitems': 25801, 'chicagomade': 6624, 'fdd': 12455, 'elderlyhour': 11160, 'swanning': 31967, 'awoke': 3635, 'connects': 7626, 'centredness': 6336, 'nationalism': 22058, 'patriot': 24254, 'ayn': 3655, 'objectivism': 23045, 'galt': 13768, 'gulch': 14836, 'publi': 26013, 'ceva': 6367, 'crank': 8415, 'ieuan': 16396, 'weareone': 35557, 'hospitalstaff': 15959, 'mailcarrier': 20040, 'hotpepesoupjokes': 15991, 'hotpepesoup': 15990, 'noxworldng': 22857, 'noxworld': 22856, 'mrnox': 21633, 'soma': 30322, 'tuckercarlsontonight': 33803, 'mabs': 19905, 'dublinsouthmabs': 10711, 'moneyadvice': 21398, 'atf': 3356, '717': 1286, '3476372': 806, 'beatingcorona': 4142, 'medicalequipement': 20684, 'redbeansandrice': 26888, 'quarantineandrelaxation': 26246, 'citygirl': 6836, 'southkitchen': 30435, 'overburdened': 23720, 'amazonfba': 2539, 'mcbroom': 20572, 'explicitly': 12047, 'toil': 33140, '9200': 1479, '2810': 670, 'yumchina': 36694, 'servce': 29177, 'concurrence': 7531, 'gleefully': 14208, 'callin': 5795, 'tmituesday': 33088, 'sprinted': 30711, 'n5bn': 21906, 'augh': 3468, 'enforces': 11449, 'kurnool': 18653, 'quintal': 26360, 'critized': 8558, 'paralysis': 24097, 'hubei': 16089, 'crowbar': 8599, 'stayhuman': 31004, 'manlyquarantinesurvivaltips': 20223, 'seltzer': 29072, 'consortium': 7676, 'blitzspirit': 4743, 'slug': 30004, 'biso': 4620, 'zoopla': 36828, 'paralyse': 24096, 'comparatively': 7411, 'consensus': 7645, 'ampr': 2634, 'mortimer': 21519, 'callaghan': 5789, 'organizational': 23543, 'rmcoeh': 27865, 'velodomestique': 34892, 'overweegt': 23800, 'aantal': 1574, 'pakken': 23934, 'klant': 18464, 'beperken': 4337, 'descent': 9593, 'utica': 34685, 'upstate': 34560, '315': 777, 'boreantine': 4990, 'balognavirus': 3847, 'walkingtour': 35321, 'retard': 27568, 'raping': 26598, 'probl': 25689, 'flashpoint': 12885, 'foschinigroup': 13307, 'unis': 34331, 'tupac': 33851, 'toystore': 33370, 'wereopen': 35700, 'kidstoys': 18357, 'adexchanger': 1900, 'capt': 5968, 'wei': 35635, 'newcomer': 22339, '9057325337': 1466, 'cinnamontea': 6806, 'cinnamonoil': 6805, 'conviva': 7889, 'ardmore': 3066, 'ormeau': 23566, 'moralmoney': 21475, 'evp': 11889, 'paidsocialmedia': 23907, 'serous': 29173, 'acton': 1837, 'burgled': 5547, 'plasticsnews': 24925, 'chemorbis': 6584, 'zhanfu': 36770, 'stevied': 31135, 'musicvideo': 21795, 'panera': 24013, 'nasir': 22037, 'rufai': 28115, 'poblano': 25057, '1080': 155, 'hippy': 15664, 'blimmin': 4728, 'signalled': 29713, 'newquay': 22361, 'pasty': 24218, 'shopforessentials': 29503, 'occasionally': 23090, 'antmiddleton': 2848, 'rawlco': 26645, 'jurisdiction': 17967, 'ministery': 21123, 'bno': 4829, 'shophurstcbd': 29507, 'stayclean': 30959, 'undershoot': 34208, 'imhotep': 16537, 'gent': 13965, 'qm': 26193, 'ayesha': 3653, 'oldmargaretian': 23266, 'qmfamily': 26195, 'quitemarvellous': 26368, 'rampid': 26546, 'reed': 26942, 'monticello': 21439, 'heycoronaviruspleaseleaveus': 15574, 'crn': 8561, 'datafirst': 9044, 'flashy': 12886, 'dalandcuso': 8938, 'crytpo': 8657, 'intercession': 17175, 'stjosephprayforus': 31191, 'mouthing': 21586, 'sob': 30175, 'howdymodi': 16038, 'yogaduringlockdown': 36598, 'yogawithmodi': 36602, 'coronayoga': 8136, 'yogavideo': 36601, 'bloodyjamadi': 4775, 'whatdayisit': 35784, 'motherboard': 21540, 'freshdirect': 13469, 'animator': 2759, 'blaise': 4679, 'aladdin': 2291, 'mulan': 21702, 'mthingz': 21664, 'auditor': 3462, 'onlinecourse': 23353, 'frig': 13499, 'extrapolated': 12121, 'acm': 1799, 'kendra': 18239, 'giveback7175': 14164, 'pepper': 24471, 'touronegro': 33345, 'fujairah': 13613, 'dbn': 9127, 'psycho': 25987, 'psychobunnycomix': 25988, 'michelewitchipoo': 20951, 'witchesbrewpress': 36100, 'ebeano': 10939, 'badnickelbacksongs': 3768, 'phillip': 24686, 'wanda': 35357, 'armour': 3120, 'gazetting': 13875, 'narrating': 22022, 'priceatthepump': 25584, 'hogging': 15752, 'kitwe': 18453, 'ndola': 22188, 'hickory': 15583, 'improvised': 16653, 'wildfood': 35987, 'derail': 9569, 'enel': 11424, 'francesco': 13364, 'starace': 30864, 'brambilla': 5149, 'mandideep': 20184, 'scindiaschool': 28780, 'scindians': 28779, 'soba': 30176, 'scindiaagainstcorona': 28778, 'relatedly': 27089, 'drivethrurpg': 10635, 'miniature': 21104, 'coloringbook': 7261, 'rpg': 28064, 'ttrpg': 33792, 'emily': 11298, 'debunking': 9204, 'sherrod': 29411, 'debtcollections': 9199, 'businesslaw': 5601, 'earmarked': 10859, 'sitcom': 29831, 'nostalgia': 22747, 'kotter': 18575, 'ioannou': 17336, 'ultravioletsterilizer': 34090, 'uneccessary': 34245, 'panna': 24049, 'cotta': 8222, 'bioenergy': 4576, 'sanitisation': 28455, 'thankyouforyourservice': 32624, 'lifejackets': 19255, 'pleease': 24979, 'coveredinjesusblood': 8318, 'ffod': 12587, 'doctorate': 10315, 'incread': 16744, 'forcefully': 13199, 'milion': 21041, 'improbably': 16642, 'doordash': 10468, 'supermarketmadness': 31743, 'ayeartoremember': 3649, 'zomato': 36807, 'shaunofthedead': 29349, 'westinghouse': 35725, 'imaging': 16517, 'clambering': 6870, 'sequoia': 29159, 'useloom': 34642, 'yoyo': 36676, 'handset': 15061, 'nectoday': 22215, 'pandemy': 24005, 'coloradostrong': 7258, 'ruffle': 28116, 'tripping': 33625, 'sarcastically': 28530, 'whisky': 35876, 'martian': 20386, 'dano': 9001, 'accross': 1750, 'lgas': 19188, 'belo': 4296, 'gers': 14015, 'unworthy': 34507, '2100': 538, 'cesarchavezday': 6361, 'ebbw': 10938, 'distinctive': 10198, 'brum': 5394, 'kling': 18475, 'beleive': 4272, 'leftfield': 19040, 'parenthood': 24119, 'parentsinlockdown': 24123, 'suffice': 31605, 'sabko': 28234, 'hina': 15640, 'isip': 17436, 'payagan': 24290, 'kayo': 18153, 'paso': 24188, 'abv': 1689, 'pepsi': 24474, 'camomile': 5839, 'echinacea': 10956, 'hdelacerda': 15288, 'buttpaper': 5644, 'jmfstudios': 17797, 'cottonelle': 8225, 'artislife': 3185, 'mentalhealthmatters': 20813, 'shoppingmalls': 29543, 'essentialshopping': 11704, 'setlimits': 29206, 'latenightthoughts': 18877, 'radish': 26448, 'gujarati': 14834, 'storytelling': 31338, '07pm': 104, 'thurton': 32953, 'winnipeg': 36054, 'landwork': 18815, 'nestle': 22288, 'rollingstones': 27967, 'cranking': 8416, 'wildrye': 35991, '2oz': 726, 'ste': 31054, '1e': 430, 'bozeman': 5113, 'theresa': 32757, 'tam': 32198, 'conf': 7554, 'delicacy': 9400, 'nadia': 21932, 'rocha': 27917, 'ruta': 28179, 'paramount': 24101, 'peruvian': 24573, 'footstep': 13180, 'nodeal': 22597, 'aided': 2214, 'sycophantic': 32054, 'dumbed': 10740, 'electorate': 11174, 'poundland': 25310, 'impersonating': 16595, 'dakakeena': 8934, 'leeway': 19037, 'rubbed': 28096, 'deffeyes': 9318, '2006': 464, 'groundwork': 14738, 'flavouring': 12911, 'kidda': 18343, 'juscome': 17971, 'worryin': 36293, 'viking': 35040, 'shortagez': 29560, 'plundered': 25016, 'healthful': 15336, 'ccfa': 6239, 'bradford': 5128, 'localheroes': 19489, 'greadybusiness': 14597, 'itsallowed': 17524, 'day11': 9099, 'lockdownespa': 19522, 'nrma': 22869, 'drip': 10628, 'shawnee': 29355, 'frederickrealestate': 13411, 'mdrealestate': 20612, 'homeforsale': 15824, 'homeownership': 15844, 'buyahome': 5651, 'implmted': 16608, 'uisce': 34035, 'beatha': 4139, 'render': 27200, 'lifehacks': 19252, 'ukretail': 34067, 'breastfeeding': 5224, 'callcenter': 5792, 'businessasusual': 5594, 'uruguay': 34601, 'butler': 5632, 'darn': 9025, 'somyszirjy': 30350, 'northkorea': 22718, 'tre45on': 33553, 'senseless': 29122, 'awakened': 3614, 'cardvalet': 6007, 'getbeyondmoney': 14032, 'riseagain': 27808, 'besafeoutthere': 4373, '35mm': 825, 'attleboroma': 3422, 'wincanton': 36019, 'calmcovid19': 5806, 'woth': 36312, 'savethesummer': 28617, 'wiserxcard': 36087, 'prescriptiondiscountcard': 25511, 'meadow': 20617, 'justameme': 17974, 'justjokes': 17990, 'deterrent': 9689, 'slandering': 29934, 'meridian': 20855, 'kosovo': 18570, 'tmtv': 33092, 'againstcorona': 2110, 'tickled': 32965, 'stayhealthyeveryone': 30969, 'sheffieid': 29374, 'lancer': 18796, 'twill': 33916, 'coinspeaker': 7187, 'numbersas': 22909, 'franz': 13383, 'sische': 29825, 'supermarktkette': 31759, 'berweist': 4370, 'mitarbeitern': 21205, 'weil': 35644, 'trotz': 33648, 'ihre': 16445, 'pflicht': 24641, 'tun': 33839, 'regierung': 27016, 'befreit': 4223, 'zuschl': 36843, 'steuer': 31129, 'berichtet': 4349, 'schubert': 28764, '911': 1471, 'dampening': 8971, 'distri': 10213, 'tagged': 32137, 'obstruction': 23076, 'fashionnova': 12372, 'casket': 6139, 'exhibit': 11977, 'bpl': 5117, 'diycleaning': 10269, 'springcleaning': 30701, 'thn': 32865, 'comforted': 7306, 'vra': 35228, 'noshortagehere': 22742, 'getawaywithvra': 14030, 'pnw': 25053, 'cda': 6257, 'alwaysprepared': 2513, 'christoph': 6753, 'harrod': 15175, 'wwg2wga': 36421, 'whitehousepressconference': 35891, 'auspo': 3488, 'wpf': 36324, 'sheldon': 29382, 'adobeanalytics': 1954, 'krise': 18602, 'literate': 19379, 'cann': 5895, 'para': 24080, 'aque': 3034, 'buyears': 5660, 'prayforthem': 25405, 'stlcatholic': 31195, 'handsome': 15064, 'dalo': 8953, 'ncc': 22153, 'lizzy': 19433, 'ltc': 19774, 'statstory': 30929, 'tyrannosaurus': 33963, 'councilmember': 8242, 'conundrum': 7854, 'voss': 35209, 'str8': 31343, 'grubby': 14765, 'ineptness': 16862, 'grifting': 14662, 'pressers': 25537, 'commu': 7376, 'watauga': 35467, 'warmer': 35396, 'sakura': 28344, 'pharmac': 24659, 'lifeinquarantine': 19253, 'dartmouth': 9029, 'ukeleles': 34046, 'whispered': 35877, 'esposa': 11685, 'acabou': 1695, 'mascara': 20411, 'vai': 34738, 'precau': 25420, 'precaucao': 25421, 'ceu': 6366, 'agchem': 2118, 'recedes': 26804, 's3': 28219, 'azsanderson': 3674, 'barryfromwatford': 3972, 'bennyhope': 4331, 'chinwag': 6686, 'drunkshopping': 10673, 'seagull': 28885, 'gof': 14322, 'tbe': 32311, 'realuze': 26754, 'richards': 27726, 'mace': 19914, 'utwebinar': 34705, 'customerempathy': 8799, 'rhino': 27699, 'intent': 17163, 'rutgers': 28180, 'princetonu': 25628, 'tcnj': 32321, 'njit': 22549, 'thanksfordelivery': 32608, 'rutgersnewark': 28181, 'pia': 24742, 'urself': 34597, 'ingrate': 16955, 'plastered': 24922, 'infectologists': 16886, 'nwangwu': 22961, 'dailyvoice': 8927, 'ranjangogoi': 26580, 'rajyasabha': 26499, 'nbjp': 22142, 'smooking': 30083, 'tartous': 32261, '60m': 1183, 'saga': 28304, 'pid': 24770, 'rer': 27332, 'projets': 25783, 'selon': 29068, 'interval': 17231, 'salakati': 28347, 'addl': 1883, 'rani': 26578, 'sarmah': 28538, 'haggle': 14927, '392': 858, 'grocerry': 14692, 'reoort': 27226, 'hauser': 15229, 'comprehensible': 7487, 'sandpoint': 28436, 'desktop': 9628, 'dividendstocks': 10257, 'wpg': 36325, 'halliburton': 14982, 'overvalued': 23797, 'happ': 15102, '2012': 479, 'imold': 16575, '32isthenew22': 792, 'homelandcu': 15831, 'batavia': 4015, 'wny': 36143, 'lest': 19124, 'img': 16533, 'displayfixtures': 10145, 'storedesign': 31320, 'retaildesign': 27524, 'bp': 5114, 'prayed': 25396, 'kylie': 18688, 'jenner': 17711, 'gracefully': 14509, 'nationalnutritionmonth': 22067, 'purityintegrativehealth': 26108, 'crust': 8641, 'doughy': 10505, 'freightforwarder': 13450, 'aircargostrong': 2234, 'mypsafortoday': 21868, 'dabble': 8891, 'mailing': 20043, 'reassert': 26772, 'farmina': 12334, 'bashing': 3994, 'thanns': 32639, 'disapproval': 9997, 'bharati': 4454, 'ak': 2269, 'babywipes': 3710, 'precondition': 25439, 'fightfoodinsecurity': 12643, 'feedingamerica': 12505, '2001': 458, 'earle': 10852, 'hbr': 15277, 'nutri': 22944, 'marchingband': 20272, 'vacuous': 34730, 'lestwarog': 19125, 'doh': 10349, 'getwellsoon': 14055, 'inoculate': 17018, 'czar': 8882, 'biblical': 4481, 'disciple': 10019, 'brandgeek': 5160, 'paleo': 23942, 'emmie': 11309, 'towardsthesun': 33356, 'familytravelblog': 12289, 'bigusatrip': 4519, 'groundedbycovid19': 14736, 'nottravellingbecauseofcorona': 22813, 'fundraising': 13652, 'harwood': 15194, 'forwarded': 13302, 'binnie': 4563, 'wagyu': 35272, 'coronahygiene': 8048, 'nedina': 22217, 'broadens': 5341, 'crowntoyalevirus': 8609, 'mycorona': 21841, 'westridge': 35737, 'zenobia': 36756, 'shepard': 29405, 'fabs': 12168, 'primrosehill': 25622, 'supernatural': 31764, 'dimly': 9921, 'maze': 20550, 'dts': 10702, 'dw8': 10804, 'wearenotplaying': 35556, 'ff1': 12582, 'nobigoilbailout': 22580, 'futureofmobility': 13698, 'mixing': 21218, 'bailoutpeoplenotcorporations': 3801, 'biohazard': 4580, 'gwala': 14886, 'kidscare': 18354, '0ffers': 127, 'ahps': 2204, 'mocktails': 21292, 'dived': 10238, 'norriesstories': 22702, 'xboxes': 36445, 'playstations': 24953, 'spanker': 30479, 'hershey': 15558, 'wgal': 35767, 'noidea': 22613, 'filledup': 12668, 'giddy': 14108, 'nbahalloffame': 22132, 'opener': 23431, 'sendhelpandmoney': 29099, 'sloat': 29986, 'sutton': 31943, 'tahini': 32140, 'politik': 25129, 'cmhc': 7083, '515': 1071, '9551': 1513, 'motivates': 21556, 'ukltd': 34062, 'apprehension': 2989, 'w221': 35257, 'kitsap': 18447, 'penetrated': 24419, 'weirdasspeople': 35647, 'inclination': 16710, 'peoplearestrange': 24453, 'adoptdontshop': 1959, 'boreda': 4992, '791': 1340, 'cathy': 6184, 'withstands': 36120, 'tuk': 33824, 'bingham': 4559, 'rosiemayfoundation': 28010, 'malaysiagazette': 20125, '21761': 546, 'gou': 14448, 'specialize': 30519, 'gpclentils': 14496, 'gpcpeas': 14497, 'sanation': 28414, 'oregonproud': 23529, 'vitally': 35144, 'sani': 28448, 'mccormackmp': 20581, 'ifcci': 16400, 'enniskillen': 11484, 'pale': 23941, 'shopafternoon': 29493, 'jockstrap': 17822, 'underappreciate': 34180, 'jeep': 17691, 'rigged': 27763, 'consumable': 7703, 'verily': 34936, 'r120': 26389, 'r83': 26404, 'parting': 24171, 'majeura': 20072, 'zambian': 36724, 'sternly': 31125, 'zwd': 36846, 'misadventure': 21154, 'grata': 14575, 'craved': 8433, 'quarantini': 26276, 'ragu': 26461, 'collage': 7212, 'notability': 22751, 'schoology': 28758, 'agchatoz': 2117, '133': 244, '157': 288, 'zep': 36759, 'brotherhood': 5376, 'preventiontips': 25573, 'homemadesanitier': 15838, 'carifika': 6036, 'crackhead': 8392, 'drugsarebadmkay': 10665, '100cns': 134, 'relavant': 27098, 'tweeter': 33905, 'unproportionally': 34420, 'agra': 2163, 'namaste': 21974, 'southphilly': 30439, 'tiernay': 32975, 'astro': 3338, 'amigouk': 2597, 'glee': 14207, 'nevermind': 22327, 'goodread': 14393, 'brooklynmadison': 5367, 'lalockdown': 18772, 'lockdownmemes': 19536, 'tiktokers': 32991, 'plan2020': 24901, 'eattherich': 10927, 'yorkie': 36620, 'biosecurity': 4590, 'foodservices': 13137, 'cohosted': 7171, 'parlour': 24147, 'lioh': 19340, 'module': 21322, 'lem': 19083, 'subcultured': 31512, 'brutalized': 5407, 'displeasure': 10147, 'personalspace': 24560, 'bubblesoccer': 5437, 'kuppy': 18649, 'swooped': 32039, 'gunfight': 14849, 'maruchan': 20394, 'figurative': 12650, 'embroidery': 11274, 'fuckthis': 13591, 'hangin': 15079, 'brook': 5364, 'succeeds': 31570, 'sb55': 28645, 'brexitdryrun': 5262, 'balaclava': 3825, 'santiago': 28494, 'cristobal': 8543, 'saavedra': 28228, 'bejesus': 4261, 'martinsville': 20390, 'spooking': 30639, 'stockmarkets': 31218, 'sundayreview': 31684, 'sundayintel': 31678, 'sundayreads': 31683, 'sundaymusings': 31681, 'sundaynight': 31682, 'barricade': 3965, 'okboomer': 23243, 'quarantinememes': 26267, 'huf': 16102, 'nocoronaformedagainstmeshallprosper': 22589, '103097596': 149, 'yerwada': 36571, 'wakad': 35295, 'cylinde': 8872, 'outstripping': 23699, 'communistsliepeopledie': 7386, 'flippin': 12952, 'registrar': 27028, 'increas': 16745, 'everydollarcounts': 11852, 'killbills': 18371, 'manuf': 20240, '2be': 691, 'nygovernor': 22985, 'bumpier': 5519, 'amg': 2591, 'tema': 32461, 'konongo': 18553, 'odumasi': 23136, 'ghananews': 14076, 'lawlessness': 18935, 'unauthorized': 34120, 'electionyear': 11172, 'northpark': 22722, 'ameri': 2577, 'rediclinic': 26905, 'foodinstitute': 13116, 'blueapron': 4799, 'mealkit': 20624, 'coronasverige': 8099, 'giveacucumberahome': 14159, 'nalanda': 21966, 'roils': 27953, 'judie': 17928, 'kuddos': 18633, '5mtrs': 1161, 'dstn': 10689, 'obsvd': 23077, 'eavh': 10929, 'wrecking': 36339, 'ecomony': 10983, 'gilet': 14130, 'jaune': 17662, 'kamaljit': 18060, 'kaur': 18141, 'onceaweek': 23316, 'runningerrands': 28149, 'sunnyday': 31695, 'warmweather': 35400, 'misstep': 21195, 'networth': 22308, 'marketcap': 20314, '165millon': 312, 'xlf': 36467, 'alcoholicism': 2332, 'korbut': 18561, 'yoweri': 36673, 'yowerimuseveni': 36674, 'openning': 23437, 'dacing': 8893, 'resistir': 27400, 'businesslife': 5602, 'coronaspread': 8097, '48hrs': 997, 'positivethinking': 25245, 'paragraph': 24090, 'maidstone': 20036, 'hopping': 15922, 'ps5reveal': 25969, 'playstation5': 24952, 'skintdodgers': 29897, 'crest': 8505, 'pasture': 24217, 'inexperienced': 16873, 'innitiative': 17004, 'sid': 29678, 'sidvale': 29693, 'foodbankappeal': 13082, 'progressiveenterprise': 25768, 'forgets': 13238, 'blouse': 4786, 'faltered': 12274, 'identitythiefs': 16369, 'entitlement': 11540, 'recyclable': 26879, 'onumulheres': 23403, 'mj': 21221, 'esplanadadosministerios': 11683, 'virtualgrandnational': 35096, 'itv1': 17544, 'hijacking': 15623, 'egungunbecure': 11115, 'mschf': 21640, 'antic': 2824, 'meetup': 20732, 'puredrive': 26096, 'chacunpourtous': 6395, 'silkwood': 29740, 'meryl': 20869, 'streep': 31386, 'katv7': 18137, 'robopony': 27907, 'bcwi': 4106, 'bcwine': 4107, 'lateral': 18880, 'waterless': 35480, 'fashionblogger': 12363, 'takeoffpost': 32164, 'lifestylechange': 19266, 'justincase': 17985, 'socialisolating': 30223, 'badvirusfaqs': 3771, 'worstpresidentinhistory': 36305, 'genitals': 13959, 'eternity': 11749, 'abuelos': 1679, 'okc': 23244, 'cao': 5937, 'nguyen': 22428, 'classen': 6902, '5gb': 1144, '5hours': 1148, '17mins': 338, '45seconds': 974, 'ableg': 1634, 'abhealth': 1616, 'banded': 3866, 'tradesagainstthevirus': 33421, 'multiplayer': 21722, 'packman': 23880, 'sadec': 28264, 'mangere': 20195, 'budgeting': 5457, 'mybigfatgreekwedding': 21836, 'everythin': 11861, 'putsomewindexonit': 26142, 'irelandvscovid': 17382, 'calcutta': 5766, 'exclaimed': 11945, 'blurting': 4814, 'safetyproducts': 28294, 'novascotia': 22832, 'hrm': 16068, 'letterbox': 19148, 'nirmalasitharaman': 22531, 'pruning': 25966, 'headcount': 15297, 'pommard': 25147, 'cane': 5890, 'madebynature': 19946, 'burgundy': 5549, 'steelmaker': 31071, 'tenaris': 32482, 'unfavorable': 34269, 'shutaustraliadown': 29633, '10mins': 170, 'kafu': 18025, 'brekko': 5238, 'aleaprotects': 2342, 'fdi': 12456, 'fdiinindia': 12459, 'fdiindia': 12458, 'eohed': 11575, '211': 540, 'thenoutbid': 32726, 'm2': 19893, 'bulldozed': 5499, 'scranton': 28817, 'wilkes': 35994, 'barre': 3958, 'gobankingrates': 14291, 'consumertrack': 7747, 'uklockeddown': 34061, 'sahm': 28317, 'xox': 36473, 'newsbite': 22368, 'protectyourworld': 25907, 'cyberprotect': 8857, 'nest': 22286, 'theresistance': 32758, '917': 1473, 'metairie': 20885, 'pandem': 23982, 'preoccupied': 25484, 'lgive': 19192, 'littlegiant': 19394, 'scarymask': 28707, 'indulged': 16836, 'electricvehicle': 11181, 'heightening': 15421, '263chat': 648, 'twimbos': 33917, 'thejamesandkatahshow': 32708, 'omuntu': 23308, 'wawansi': 35496, 'lidluk': 19236, 'shamble': 29289, 'doingthedragsteroncouncilofficecarpet': 10356, 'takeadumpinasdacarpark': 32158, 'cobbler': 7121, 'civics': 6842, 'biproduct': 4601, 'notforever': 22767, 'belgiumlockdown': 4279, 'hungavirus': 16164, 'panicbuyersuk': 24023, '303k': 751, 'carsalesman': 6093, 'protectallworkers': 25885, 'lookafter': 19634, 'fissure': 12821, 'dishrag': 10086, 'wheresdora': 35841, 'mykarenislestory': 21855, 'over70': 23712, 'selfisolat': 29038, 'rudd': 28107, 'milkpowder': 21051, 'cumming': 8720, 'tink': 33036, 'gearsoftheworld': 13901, 'conversational': 7868, 'finhealth': 12748, 'varanasi': 34819, 'notessential': 22765, 'syracuse': 32095, 'toguether': 33136, '50inch': 1058, 'suprise': 31842, '760': 1318, 'pricegouger': 25590, 'howdoyousleepatnight': 16036, 'restockers': 27474, 'imask': 16522, 'knowles': 18513, 'beawareshowyoucare': 4162, 'basyc': 4011, '6feet': 1248, 'communitylove': 7389, 'peacesign': 24345, 'kinderreminder': 18392, 'redstates': 26925, 'bluestates': 4805, 'incrementally': 16754, 'cray': 8438, 'elonmusk': 11237, 'storen': 31325, 'mailer': 20042, 'trumpmadness': 33715, 'unviable': 34496, 'lrt': 19765, 'exceptionally': 11930, '886': 1437, '011': 21, '802': 1362, '066': 85, 'eynon': 12145, 'nir': 22527, 'releaseing': 27111, 'busniesses': 5616, 'englishman': 11465, 'belgie': 4276, 'cher': 6591, 'leslieville': 19115, 'torontoblog': 33275, 'torontolife': 33278, 'overbearing': 23716, 'systemchange': 32102, 'sternberg': 31124, 'somaliland': 30324, 'kaahin': 18014, 'tormund': 33271, 'giantsbane': 14104, 'omo': 23307, 'limo': 19311, 'copingwithcovid': 7940, 'retailbestpractices': 27518, 'tonaton': 33223, 'gobby': 14293, 'robertjenrick': 27898, 'andrewneil': 2709, 'patrolled': 24258, 'penhill': 24424, 'marlborough': 20360, 'lamorbey': 18785, 'danson': 9004, 'suzy': 31949, 'asksuzy': 3268, 'legitimacy': 19061, 'laxman': 18946, 'klaxman': 18467, 'bfr': 4441, 'thiss': 32862, 'anaerobicdigestion': 2659, 'quantam': 26229, 'ani': 2749, 'prnewswire': 25679, 'naspers': 22038, 'nanjing': 21996, '228': 575, 'walz': 35349, 'msme': 21648, 'stab': 30780, 'hypodermic': 16274, 'sederplate': 28970, 'jigsaw': 17770, 'clayton': 6923, 'f10': 12152, 'invoice': 17322, 'emperor': 11324, 'ahlam': 2197, 'madhoun': 19954, 'obstruct': 23074, 'fishy': 12818, 'trusttheplan': 33755, 'beckley': 4173, 'chaloo': 6420, 'ahe': 2192, 'mpp': 21620, 'kineticsquirrel': 18400, 'juss': 17972, 'sayinn': 28642, 'outofwork': 23679, 'takeabasketnotatrolley': 32157, 'provokes': 25953, 'destabilize': 9647, 'acl': 1798, 'offing': 23170, 'raked': 26503, 'parted': 24160, 'sang': 28445, 'bayarealockdown': 4056, 'fearless': 12469, 'nmgc': 22565, 'shoprespectfully': 29546, 'stoop': 31257, 'rivalry': 27837, 'screamed': 28829, 'laurent': 18922, 'lanthier': 18826, 'controller': 7850, 'dudley': 10723, 'contango': 7784, 'forwardation': 13301, 'haphazard': 15100, 'karlstefanovic': 18104, 'whim': 35860, 'aplaudoanuestrosheroes': 2901, 'usaquen': 34614, 'motiva': 21553, 'quedarse': 26302, 'bogotaencasa': 4878, 'bogotasequedaencasa': 4879, '161': 305, 'siapai': 29659, 'disagrees': 9988, 'needtogetoutmore': 22230, 'isolationblues': 17467, 'porsche': 25205, 'panamera': 23969, 'decorated': 9254, 'porschepanamera': 25206, 'holographic': 15791, '85yr': 1413, '602': 1174, '264': 649, '4357': 949, 'evidently': 11878, '25million': 640, 'hopcoms': 15911, 'mangalore': 20192, 'marnamikatte': 20364, 'comoaring': 7397, 'philosophical': 24693, 'insert': 17041, 'thelittlethings': 32710, 'virul': 35104, 'brady': 5131, 'unpayable': 34407, 'debtby': 9198, 'hudsoneven': 16099, 'cornavirusupdate': 7974, 'upturn': 34572, 'foundational': 13321, 'tambo': 32201, 'baloga': 3846, 'pfma': 24643, 'winmoreknows': 36047, 'growyourbusiness': 14761, 'hungerchallenger': 16166, 'superb': 31711, '2fi': 703, 'quarantinechallenge': 26251, 'chung': 6776, 'cheung': 6607, 'jeane': 17683, 'perrin': 24537, 'opined': 23456, 'arty': 3197, 'oar': 23022, 'christianliving': 6748, 'fomc': 13066, 'glued': 14257, 'multipack': 21721, 'stoney': 31252, 'migrating': 21022, 'stayunitedforcorona': 31048, 'customersupport': 8809, 'ottpoli': 23623, 'nosocialdistance': 22744, 'kidsattheplayground': 18353, 'menhangingout': 20802, 'itsapartyoutthere': 17525, 'disputing': 10157, 'baron': 3953, 'fascist': 12359, 'encash': 11380, 'chugging': 6775, 'ssga': 30770, '823': 1386, 'joevs': 17833, 'cpt': 8379, 'marius': 20307, 'paun': 24273, 'cptmarkets': 8380, 'testament': 32545, 'woodwork': 36192, 'shove': 29590, 'qvm': 26383, 'staysixfeetback': 31040, 'adjuster': 1919, 'moccasin': 21288, 'gould': 14453, 'sting': 31178, 'squad20': 30734, 'kidcrafts': 18342, 'edmonds': 11047, 'awarness': 3622, 'purblic': 26087, 'jaganath': 17594, 'ancestry': 2685, '5c': 1137, 'audjpy': 3463, 'fuzzpugz': 13705, 'rapture': 26604, 'depositor': 9547, 'lirafication': 19357, '300mm': 748, 'smallest': 30023, '118': 196, 'prioritises': 25643, 'portability': 25208, 'dissing': 10174, 'waken': 35300, 'bacp': 3751, 'soliciting': 30302, 'suzukitamilnadu': 31948, 'suzukimotorcycle': 31947, 'smt': 30090, 'nirmala': 22530, 'sitaraman': 29830, 'seditious': 28973, 'discriminatory': 10061, 'enclosed': 11381, 'continual': 7809, 'politicising': 25125, 'imodium': 16573, 'holdingit': 15769, 'innovates': 17011, 'fiddle': 12616, 'globalwebindex': 14239, 'islandwide': 17448, 'leveragedloans': 19165, 'slaved': 29947, 'whopping': 35926, 'sas': 28544, 'shopee5878a': 29500, 'guarrantee': 14800, 'mutated': 21812, 'denim': 9492, 'thankyouthursday': 32637, 'pathmaticsexplorer': 24236, '10hr': 164, 'wre': 36334, '212th': 543, 'maitland': 20069, 'clay': 6922, 'bobbleheadcam': 4848, 'distinguished': 10200, 'rura': 28164, '8oz': 1454, 'awardsformillennials': 3619, 'groc': 14686, 'nung': 22918, 'nagpunta': 21941, 'mmc': 21240, 'cguro': 6391, 'maiintindihan': 20037, '20yrs': 535, 'accustomed': 1768, 'happyeaster2020': 15118, 'weareunstoppable': 35562, 'airbnbs': 2231, 'homeaways': 15802, '725': 1293, '8869': 1438, 'northlasvegas': 22720, 'bosa': 5019, 'pranking': 25386, 'hahahaha': 14932, '793': 1341, 'couldnt': 8237, 'wherein': 35837, 'splashfm1055': 30607, 'behindtheback': 4252, 'sniping': 30133, 'lyingdown': 19874, 'glorykills': 14246, 'elroy': 11242, 'joblessness': 17810, 'bce': 4093, 'cosco': 8191, 'accordion': 1742, 'brine': 5303, 'lvr': 19864, 'stayconnectedtogether': 30961, 'kxnt': 18683, 'violent': 35078, 'sucker': 31586, 'cloromax': 7019, 'karmaisreal': 18106, 'jermyn': 17726, 'thes': 32765, 'origami': 23553, 'toiletpaperhumour': 33162, 'hampshire': 15014, 'heeding': 15410, 'gaunt': 13853, 'suzette': 31946, 'dealz': 9165, 'evidencing': 11876, 'amnesia': 2614, 'astonished': 3333, 'blatantly': 4700, 'dictating': 9808, 'jalapeno': 17612, 'inadvertent': 16681, 'fccpc': 12441, 'ndc': 22179, 'execpay': 11960, 'cannibal': 5910, 'cantkeepmyhandsofthecookiejar': 5925, 'census2020': 6316, 'deforestation': 9340, 'drawbridge': 10588, 'everydayheroes': 11850, 'healthtipoftheday': 15343, 'lowkey': 19748, 'ongc': 23340, '00cr': 11, 'tabligijamaat': 32118, 'lockdownlessons': 19532, 'islamiccoronajehad': 17444, 'wade': 35262, '4r': 1027, '4rcommunity': 1028, 'yourworkingpartner': 36661, 'qur': 26378, 'sodastream': 30256, '60l': 1182, '30l': 760, 'kidsactivities': 18351, 'qatarunited': 26181, 'heartlessly': 15377, 'truncation': 33743, 'oems': 23141, 'infects': 16887, 'homies': 15867, 'oregano': 23526, 'thyme': 32957, 'diyskincare': 10274, 'diyrecipes': 10273, 'aromatherapy': 3130, 'dyimasks': 10821, 'koro': 18564, 'venezueala': 34901, 'fn': 13023, 'wpa': 36323, 'comoetitive': 7399, 'eskridgelaw': 11676, '5jobs': 1149, 'buzzing': 5685, 'jubilant': 17913, 'extralarge': 12117, 'quickmaths': 26346, 'grandson': 14546, 'thiscantbelife': 32846, 'compositionbookchronicles': 7481, 'cqcomics': 8383, 'quaker': 26218, 'motherfuck': 21542, '6mo': 1258, 'lyiv': 19877, 'sanding': 28432, 'powersanding': 25342, 'fixingupthehouse': 12848, 'bestnorthamptonrealtors': 4392, 'degan': 9348, 'hygien': 16242, 'blubbery': 4794, 'globule': 14241, 'inequitable': 16864, 'panipuris': 24047, 'pav': 24277, '2099': 517, 'weirdworld': 35654, 'cheappetrolmelbourne': 6530, 'doingmypartco': 10354, 'whiter': 35893, 'blacklivesmatter': 4664, 'weezy': 35622, 'barz': 3983, 'realshit': 26749, 'oystermen': 23840, 'tarrytown': 32258, 'amason': 2527, 'dome': 10376, 'monument': 21444, 'restauranteurs': 27464, 'covfefe19': 8326, 'o3': 23010, 'rs35': 28073, 'fenton': 12548, 'theatrical': 32663, 'retires': 27581, 'pursues': 26124, 'pjm': 24875, 'mopr': 21469, 'stavtion': 30938, 'zava': 36734, 'hemingway': 15497, 'instabeer': 17078, 'craftbeer': 8397, 'marx4congress': 20398, 'eoi': 11576, 'luckier': 19788, 'hud': 16093, 'apts': 3027, 'superglue': 31727, 'lacquer': 18727, 'bodaga': 4854, 'porportions': 25202, 'rejecting': 27080, '2349027271699': 591, 'n5': 21903, 'n6': 21907, 'n7': 21908, 'n8': 21910, 'busting': 5622, 'playstation2': 24951, 'bludgeon': 4797, 'hitherto': 15689, 'twitterblack': 33930, 'elmo': 11234, 'faruki': 12354, 'pll': 24991, 'weareworldvision': 35563, 'wtfisthis': 36375, 'martinlewis': 20389, 'kaw': 18145, 'trumpandemic': 33688, 'trumppresser': 33727, 'nflx': 22416, 'pane': 24010, 'clamber': 6869, 'bellend': 4293, 'inventy': 17293, 'nantes': 22002, 'monoprix': 21426, 'johm': 17839, 'ealing': 10849, 'uxbridge': 34713, 'allcannedout': 2401, 'aluminumcan': 2508, 'donotforgetthecanopener': 10412, 'rea': 26672, 'smartline': 30036, 'weighted': 35641, 'gowanus': 14492, 'baruch': 3981, 'feldheim': 12530, 'yippee': 36589, 'hyping': 16268, 'dontripusoff': 10440, 'befair': 4215, 'snowmaggedon': 30148, 'worldsquare': 36277, 'coonavirusoutbreak': 7916, 'dearest': 9171, 'rican71': 27715, 'guttenberg': 14874, 'backlash': 3731, '3321b': 797, 'thirdpartyrisk': 32837, 'supplychainattacks': 31792, 'formjacking': 13261, 'reflectiz': 26974, 'clientsidesecurity': 6989, 'appsecurity': 3009, 'supermarketsushi': 31754, 'ootd': 23416, 'darksideofthering': 9023, 'nyccoronavirus': 22974, 'stopprofiteering': 31291, 'unityinourcommunity': 34349, 'rsvp': 28083, 'interesed': 17179, 'yarn': 36520, 'britishwool': 5325, 'krisjenner': 18607, 'fondling': 13068, 'donttouch': 10445, 'csg': 8665, 'locus': 19572, 'hare': 15151, 'spreadlove': 30686, 'hydration': 16221, 'sociallistening': 30229, '14m': 273, 'walport': 35342, 'guided': 14816, 'dollarindex': 10369, 'panicshopp': 24042, 'freshco': 13468, 'huron': 16183, 'alsofull': 2480, 'hearsay': 15365, 'mailpersons': 20048, 'norwalk': 22732, 'crchat': 8448, 'jennings': 17713, 'phy': 24731, 'defended': 9302, 'shrimadhopur': 29611, 'suranibazar': 31847, 'nil': 22510, 'pratley': 25390, 'pandemichave': 23993, 'badaun': 3759, 'okhla': 23246, 'initiating': 16980, 'exacted': 11903, 'irradadicate': 17397, 'mateo': 20484, 'apok842': 2918, 'plantain': 24913, 'coronacomedy': 8021, 'cookingwithplantains': 7905, 'tslaq': 33779, 'howtohelp': 16049, 'riskier': 27824, 'sohr': 30278, 'imadethis': 16508, 'autodistancing': 3533, 'stockmarketnews': 31217, 'davelewis': 9076, 'widened': 35957, 'goa': 14284, 'fedprimerate': 12494, 'softdata': 30265, 'economicdata': 10995, 'evacuated': 11806, 'dismissing': 10115, 'substandard': 31555, 'faceguard': 12178, 'landmark': 18809, 'showering': 29597, 'firstfightscovid': 12796, 'berkeley': 4351, 'leibniz': 19074, 'salesforce': 28356, 'stefanie': 31081, '1740': 330, 'crossroad': 8595, 'philipp': 24683, 'kerosine': 18266, 'tallahasseerealtor': 32195, 'goodthingihaveadog': 14396, 'oreobrat': 23531, 'rancho': 26555, 'mirage': 21148, 'felde': 12529, 'capri': 5964, 'cuarentena19m': 8687, 'mw5v16htob': 21828, 'doomers': 10457, 'corrects': 8170, 'uncooked': 34160, 'skeptical': 29864, 'kitten7': 18450, 'bizconnect': 4644, 'burgess': 5544, 'ghatkopar': 14079, 'helimacroft': 15439, 'johnkilduff': 17842, '01952': 40, '952115': 1510, 'cleaningservices': 6939, 'yourhome': 36648, 'odin': 23129, 'intercept': 17173, 'riskies': 27825, 'herwin': 15561, 'zuma': 36834, 'makassar': 20083, 'sulawesi': 31634, 'manning': 20228, 'pummeling': 26058, 'visionaid': 35123, 'dope': 10474, 'thar': 32643, 'newjob': 22349, 'pmik': 25038, 'foodiesofinstagram': 13112, 'mazarr': 20549, 'murcia': 21767, 'medco': 20664, 'goodnewsstory': 14392, 'georgetown': 13992, 'doable': 10301, 'conditioner': 7542, 'pell': 24394, 'pellawaits': 24395, 'esteban': 11723, 'publicservice': 26031, 'cameo': 5832, 'abraham': 1651, 'yonge': 36613, 'finch': 12729, 'dst': 10688, 'manufacturingnews': 20246, 'flattenthecurvewithnewphonesfromsprint': 12902, 'newhours': 22347, 'retailhours': 27534, 'shortenedhours': 29565, 'gingivitis': 14141, 'cobank': 7119, 'zation': 36732, 'borrows': 5016, 'cabrilloinn': 5722, 'whipping': 35869, 'cfp': 6380, 'syllabus': 32065, 'sittin': 29836, 'tryin': 33764, 'oximetera': 23831, 'axis': 3644, 'clivot': 7010, 'gersheim': 14016, 'parisien': 24131, 'samsclub': 28406, 'specialschool': 30523, 'fizzy': 12855, 'funneled': 13656, 'availablity': 3565, 'flammable': 12872, 'retailgazette': 27530, 'elema': 11197, 'synopsis': 32090, 'treadmill': 33556, 'neeva': 22233, 'afya': 2103, 'rekod': 27085, 'waterworks': 35486, 'bostonstrong': 5033, 'zipper': 36793, 'appintments': 2952, 'selflessness': 29047, 'danforth': 8987, '017569': 35, 'perpetually': 24533, 'seafarer': 28881, 'onard': 23312, 'southwarwickshire': 30443, 'epipens': 11593, 'mri': 21629, 'marietta': 20296, 'cherokee': 6595, 'nagging': 21940, 'erectile': 11635, 'dysfunction': 10827, 'darkest': 9019, 'nda': 22176, 'coastalfarm': 7114, 'cfrlife': 6383, '705': 1278, '2621': 646, 'backupdocs': 3745, 'buydocuments': 5659, 'buypassport': 5676, 'buyschooldiplomas': 5678, 'buyvaliddocuments': 5681, 'buybristispassport': 5656, 'buyfloridalicense': 5664, 'fakemoney': 12256, 'epoch': 11595, 'serv': 29175, 'formulary': 13264, 'yeay': 36542, 'housingmarke': 16021, 'laborparty': 18713, 'perseverance': 24541, 'assad': 3281, 'raab': 26409, '0345': 65, 'us5': 34603, 'trop': 33643, 'raysup': 26651, 'progressing': 25765, 'psychopath': 25992, 'meatlover': 20651, 'foodblogger': 13087, 'freshmeat': 13473, 'thereisonlyone': 32756, 'tariqhalal': 32255, 'azz': 3678, 'apocolypse2020': 2917, 'plesse': 24984, 'hawker': 15248, 'dominoeffect': 10389, 'foil': 13043, 'givecovid19thefinger': 14166, 'abili': 1627, 'crosscontamination': 8586, 'remediate': 27162, 'availabe': 3562, 'helpmedicos': 15467, 'onemancanmakeadifference': 23328, 'wuhanflu': 36398, 'exchanged': 11938, 'cdl': 6261, 'fmcsa': 13013, '1938': 373, 'truckdrivers': 33662, 'pandemicresponseteam': 24003, 'truckersofamerica': 33666, 'tob': 33103, 'toboffers': 33106, 'theoffersbaba': 32727, 'offeraisafreejaisa': 23159, 'affinity': 2053, 'physiologist': 24740, 'gaetano': 13734, 'ferrante': 12558, 'shortest': 29568, 'endliveexports': 11408, 'blakewearblake': 4681, 'overfishing': 23742, 'prayut': 25411, 'jakegyllenhaal': 17606, 'bubbleboy': 5435, 'projecting': 25778, 'swinford': 32020, 'childminder': 6639, '263': 647, '585': 1119, 'jeanyuses': 17686, 'dios': 9944, 'mio': 21145, 'melaleuca': 20756, 'snagged': 30099, 'xenakis': 36451, 'loizou': 19597, 'grandview': 14547, 'communityheros': 7388, 'trading212': 33426, 'balm': 3844, 'pavillions': 24281, 'sneezeinyourarm': 30125, 'compartmentalised': 7417, 'agility': 2147, 'foodretail': 13133, 'systematic': 32100, 'sku': 29906, 'rationalisation': 26625, 'daves': 9078, 'davesbread': 9079, 'canoga': 5915, 'stayputstaysafe': 31024, 'orgasmic': 23548, 'lifechanging': 19249, 'sarcasticarepa': 28531, 'theundercoverlatino': 32786, 'bacardi': 3714, 'rum': 28134, 'cata': 6157, 'abiv': 1631, 'displaying': 10146, 'churchillian': 6781, 'disconnectedfromreality': 10031, 'theskyispink': 32774, 'surroundings': 31887, 'countervailing': 8268, '25b': 635, '10b': 158, 'melody': 20769, 'thornton': 32876, 'imposition': 16627, 'hav': 15232, 'wat': 35463, 'savanna': 28592, 'kno': 18499, 'revo': 27664, 'itishappening': 17521, 'stateag': 30902, 'incharge': 16702, 'doggo': 10341, 'affraid': 2067, 'yokel': 36608, 'deducted': 9269, 'commish': 7348, 'coloured': 7264, 'stockbuybacks': 31204, 'toomuchalonetime': 33238, 'enlarged': 11479, 'ruralamerica': 28166, 'eatingin': 10921, 'redshift': 26924, 'uctm': 34003, 'horrendously': 15937, 'redfin': 26904, 'kelman': 18228, 'ismp': 17454, '1b': 426, 'byrum': 5702, 'sustainablefashion': 31937, 'commerialrealestate': 7347, 'retailrealestate': 27546, 'sevierville': 29223, 'techrepublic': 32393, 'banwarilal': 3913, 'bhardwaj': 4456, 'sown': 30453, 'agchat': 2116, 'dookie': 10454, 'magical': 19992, '6ho2yorl3v': 1253, 'budgetary': 5456, 'undead': 34171, 'epedimiologists': 11582, 'coronaculos': 8029, 'storytime': 31339, 'eventhough': 11835, 'peopleresearch': 24463, 'topramen': 33257, 'peopleresearchcoronavirus': 24464, 'whe': 35811, 'refigerator': 26961, 'careact': 6010, 'glanz': 14193, 'baelwellness': 3773, 'farmproducer': 12341, 'arline': 3109, 'ahorro': 2203, 'amounted': 2625, 'ddgs': 9144, 'widespr': 35960, 'homeworking': 15864, 'abhijit': 1617, 'torched': 33266, 'southmead': 30438, 'referendum': 26955, 'bowel': 5076, 'smartpolicy': 30044, 'iamoilandgas': 16293, 'medi': 20669, 'graffiti': 14524, 'fame': 12277, 'dontknowwhy': 10431, 'timetoshine': 33022, 'inadvance': 16680, 'kirsten': 18423, 'spokeswoman': 30625, 'derided': 9577, 'rqcomm201csuf': 28066, 'eyren': 12146, 'industrie': 16845, 'supercharger': 31717, 'aye': 3648, 'lmfaoo': 19458, '7mil': 1353, 'factoring': 12206, 'stumble': 31479, '355': 817, 'demonetisation': 9470, 'wahsing': 35279, 'lakshman': 18766, 'rekha': 27084, 'dimout': 9923, 'skyline': 29913, 'endurance': 11420, 'grocerynews': 14700, 'odered': 23128, 'quintupled': 26362, 'booredd': 4964, 'ashleymoody': 3232, 'llcs': 19445, 'dontmakemeangry': 10434, 'youwontlikemewhenimangry': 36671, 'shehulk': 29376, 'daretoinnovate': 9015, 'futureretail': 13701, 'outform': 23657, 'pirmasens': 24846, 'kadi': 18020, 'claustrofobic': 6916, 'seizure': 29007, 'forfeit': 13235, 'qmatic': 26194, 'cfm': 6378, 'wtf2020': 36373, 'tijuana': 32987, 'enviroment': 11556, 'patreons': 24250, 'thickness': 32802, 'complementary': 7454, 'chapter13': 6466, 'cronovirus': 8577, '3rds': 896, 'ruaka': 28094, 'wontshop': 36183, 'clearbell': 6958, 'ating': 3372, 'kababayang': 18016, 'nangangailangan': 21995, 'mukbangs': 21697, 'lana': 18791, 'whet': 35847, 'repor': 27273, 'robinhood': 27902, 'worldfightscorona': 36263, 'sedation': 28967, 'midazolam': 20987, 'propofol': 25843, 'injectable': 16983, 'emulsion': 11367, 'nursetwitter': 22931, 'foamed': 13028, 'manda': 20174, 'pinnacle': 24828, 'socialdistaning': 30211, 'lepton': 19111, '8bn': 1447, 'whatswrongwitheveryone': 35802, 'homeloans': 15834, 'quarentena': 26285, 'mukeshambani': 21699, 'shortselling': 29573, 'nolongeratravellingpa': 22620, 'timesnews': 33021, '79yo': 1344, 'bhat': 4458, 'bhateni': 4460, 'thimi': 32809, 'dashain': 9036, 'sj': 29855, 'sunset': 31701, 'danecounty': 8986, 'travelwisconsin': 33545, 'discoverwisconsin': 10050, 'bypassing': 5700, 'farm2fork': 12323, 'blurring': 4813, 'choppy': 6732, 'shabbat': 29253, 'shalom': 29287, 'zvikwereti': 36845, 'muviri': 21824, 'wese': 35704, 'hazvina': 15270, 'kumira': 18643, 'mushe': 21784, 'imiwee': 16541, 'bealert': 4119, 'petromaxevents': 24623, 'indy': 16851, 'sh15': 29251, 'tds': 32329, 'beast786': 4133, 'vadoliya': 34734, '08081': 113, '64600': 1212, 'glaswegian': 14198, 'spout': 30666, 'atheistic': 3360, 'cvd1': 8841, 'surfeit': 31859, 'debone': 9194, 'strng': 31433, 'bck': 4096, 'quickl': 26344, 'caplan': 5961, 'mentalwellbeing': 20818, 'fortuitously': 13293, 'seneca': 29106, 'bimco': 4550, 'ingest': 16947, 'nyconstruction': 22977, 'prevailingwage': 25560, 'nyassembly': 22972, 'nysenate': 22996, 'monterey': 21434, 'peninsula': 24425, 'amazondeals': 2537, 'helensdeals': 15437, 'petroldieselprice': 24614, 'believable': 4281, 'springfield': 30704, 'warna': 35402, 'thedividebetweenrichandpoor': 32678, 'taber': 32111, 'masquerade': 20445, 'tower115': 33360, 'gearupatgearup': 13902, 'titusville': 33072, 'mims': 21080, 'rockledge': 27931, 'cocoabeach': 7136, 'merrittisland': 20863, 'palmbay': 23950, 'brevardcounty': 5252, 'uniformly': 34307, '1943': 376, 'diverted': 10250, 'fakejournalismofmedia': 12252, 'myhandscleantho': 21850, 'eatorbeeaten': 10925, 'sexiest': 29232, 'gorsky': 14432, 'lob': 19474, 'kickups': 18340, 'lockdwn': 19558, 'lagoslockdown': 18745, 'vanguardnews': 34791, 'bromley': 5360, 'terrio': 32527, 'hoyes': 16055, 'michalos': 20948, 'universalbasicincome': 34352, 'afry': 2085, 'ruinous': 28125, 'cooleyproductwise': 7912, 'sanatizers': 28416, 'hydrocarbon': 16224, 'traderjoe': 33418, 'sympathy': 32072, 'deception': 9221, '100freegift': 137, 'ginseng': 14144, '9x': 1553, '8g': 1449, 'insanhealing': 17033, 'unkind': 34363, 'judgy': 17926, 'sadistic': 28265, 'supercilious': 31718, 'ffsbekind': 12593, 'recalibrate': 26797, 'hanta': 15096, 'extorted': 12107, 'vcat': 34852, 'sagicorbank': 28309, 'inyourcorner': 17334, 'dox': 10552, 'myteam': 21884, 'freshii': 13471, 'lockdow': 19507, 'benicetous': 4325, 'wearestillworking': 35561, 'retailtherapy': 27553, 'hrly': 16067, 'kudlow': 18634, 'snort': 30141, 'istan': 17494, 'bananarepublic': 3861, 'hedgefund': 15403, 'mutualfunds': 21823, 'itching': 17513, 'corringham': 8177, 'peopleareidiots': 24450, 'beerruntoo': 4209, 'plainclothingstore': 24897, 'brumbabybank': 5395, 'opheusden': 23453, 'gj': 14179, 'hundal': 16157, 'pharmacology': 24664, 'magalogues': 19978, 'promos': 25802, 'goibibo': 14330, 'equitymarkets': 11619, 'merkels': 20861, 'stabilizing': 30792, 'societymarylandcoronavirusfeelgood': 30246, 'tet': 32556, 'markson': 20355, 'missionimpossible': 21186, 'amazonsellers': 2546, 'masksfordocs': 20433, 'masksformedics': 20434, 'doctoral': 10314, 'grubbing': 14764, 'profitmaking': 25748, 'satanic': 28552, 'chafe': 6399, 'troupe': 33654, 'thrashed': 32892, 'selfishmorons': 29032, 'openhouses': 23433, 'ibuyers': 16309, 'lorch': 19669, 'moroninchief': 21506, 'racistinchief': 26432, 'trashman': 33518, 'riverina': 27840, 'unfortuna': 34282, 'local5': 19483, 'incr': 16743, 'timeoff': 33018, 's1': 28214, 'foryou': 13304, 'foryoupage': 13305, 'gameofthrones': 13779, 'masksnow': 20437, 'foodmanufacture': 13120, 'ultabeauty': 34081, 'eejits': 11072, 'cdns': 6266, 'carlaw': 6043, 'imsohappy': 16663, 'theoretical': 32732, 'arkansas': 3107, 'ico': 16336, 'discharge': 10017, 'accumulated': 1756, 'unfunded': 34287, 'asse': 3290, 'homecommerce': 15815, 'lyondellbasell': 19888, 'fawning': 12418, 'itspending': 17533, 'techindustry': 32376, 'predicament': 25443, 'isour': 17480, 'ukschoolclosures': 34068, 'appleinsider': 2962, 'adjourns': 1915, 'telanganastateconsumer': 32426, 'khairthabad': 18309, 'volodymyr': 35188, 'restructure': 27493, 'cuna': 8722, 'hysteriavirus': 16280, 'psms': 25977, 'pacita': 23867, 'patroller': 24259, 'brgy': 5266, 'canyoupopoutandpickupafe': 5936, 'margarita': 20284, 'prerequisite': 25501, 'soften': 30266, 'silky': 29741, '151': 283, 'nashp': 22033, 'judgmental': 17925, 'prefect': 25458, 'earwigscience': 10874, 'bane': 3874, 'quarantineproblems': 26269, 'jerkmerch': 17724, 'thegospelofschultz': 32691, 'tapping': 32240, 'dyson': 10829, 'retailcannabis': 27522, 'fraggang': 13353, 'repository': 27284, 'sanusi': 28505, '2348098043712': 589, 'teary': 32366, 'clothier': 7045, 'huntvalley': 16180, 'fails2understand': 12224, 'vagary': 34735, 'fuckitall': 13582, 'imdone': 16529, 'vil': 35042, 'captive': 5973, 'rumble': 28135, 'avonlady': 3603, 'avonrep': 3605, 'nextgenavon': 22407, 'skinsosoft': 29895, 'iphones': 17358, 'ver2': 34923, 'asbestos': 3215, 'trivialising': 33630, 'grassley': 14571, 'kissel': 18429, 'climbing': 7001, 'interestrates': 17187, 'fertile': 12562, 'mnc': 21247, 'cling': 7002, 'connolly': 7629, 'perfected': 24487, 'mealtrak': 20628, 'foodtogotrends': 13151, 'disneyland': 10119, 'reopens': 27230, 'attraction': 3430, 'disneyworld': 10121, 'nextdoor': 22406, 'submerged': 31522, 'vibhishans': 34981, 'befriend': 4224, 'jorge': 17874, 'hovering': 16032, 'lotlinx': 19693, 'oem': 23140, 'chewy': 6611, 'whereyoureatthecheckoutandyouhearthebeep': 35846, 'dalewinton': 8941, 'fijisports': 12659, 'fbcsports': 12429, 'stasiek': 30898, 'czaplicki': 8881, 'cabezas': 5714, 'fakepresident': 12260, 'latinosfortrump': 18895, 'carmen': 6050, 'aldecoa': 2337, 'crisedupapiertoilette': 8536, 'mich': 20943, 'authentically': 3512, 'gasp': 13833, 'coloradoshutdown': 7257, 'financialmanagement': 12713, 'personalfinances': 24554, 'moneymanagement': 21400, 'impactful': 16580, 'ukemplaw': 34047, 'techlaw': 32379, 'raccon': 26417, 'residentevil3demo': 27380, 'proposition': 25855, 'intranet': 17257, 'flue': 12998, 'ndgs': 22183, 'greatamericantakeout': 14600, 'vloggers': 35160, 'locksley': 19566, 'accrues': 1752, '1person1trolley': 448, 'conjecture': 7615, 'barbing': 3926, 'vaginawarriorcreations': 34736, 'somethingbeautifuleveryday': 30341, '6feetapart': 1249, 'pickuplines': 24760, 'badboys': 3761, 'suave': 31505, 'kameel': 18062, 'pancham': 23973, 'seacroft': 28880, 'broadcastmedia': 5339, 'mediaagency': 20670, 'mediaplanning': 20673, 'mediastrategy': 20674, 'digitaladvertising': 9861, 'rupert': 28161, 'diatancing': 9795, 'isa': 17422, 'bula': 5485, 'kerekere': 18262, 'kere': 18261, 'bou': 5049, 'magaijine': 19977, 'saraga': 28519, 'vinaka': 35054, '2504': 624, '7507': 1308, '1618': 306, 'zweli': 36847, 'mkhize': 21226, 'r1400': 26390, 'flavortown': 12908, 'violator': 35076, '0828628237': 118, '19sa': 418, 'flirtv': 12955, 'odka': 23133, 'sumedh': 31646, 'bivas': 4637, 'prego': 25469, 'counterintuitive': 8263, 'stater': 30912, 'bruhh': 5393, 'rhp': 27703, 'commemorative': 7329, 'saskatoon': 28548, 'dungeon': 10758, 'desinfect': 9619, 'lifematters': 19259, '688': 1237, 'bergen': 4345, 'tedesco': 32401, '336': 799, '6400': 1210, 'ajittyagi': 2267, 'bajao': 3809, 'indo': 16825, 'aga': 2106, 'devouring': 9731, 'zumwalt': 36838, 'whataboutery': 35781, 'thumping': 32942, 'olymel': 23282, '720': 1290, '5721': 1113, 'stayhomestaystrong': 31002, 'excelled': 11922, 'immovingprovider': 16559, 'nex': 22404, 'headquartered': 15305, 'proportionally': 25847, 'lou': 19698, 'dobbs': 10303, 'bewarned': 4428, 'dwbl': 10807, 'helpingyou': 15463, 'storming': 31333, 'lifewithocd': 19268, 'anyportinastorm': 2869, 'frankenstein': 13374, 'tossing': 33296, 'supporthealthcareworkers': 31807, 'ourstreets': 23634, 'allinittogether': 2420, 'bussinesses': 5618, 'animated': 2757, 'lyric': 19889, 'xxlfreshman2020': 36484, 'hiphopmusic': 15663, 'forthelow': 13281, '2035': 508, 'rightmove': 27770, 'crappie': 8421, 'crappiefishing': 8422, 'springdale': 30702, 'panhandler': 24017, 'grouped': 14741, 'adli': 1925, 'mrps': 21635, 'angola': 2740, 'snuffed': 30151, 'lipbalm': 19344, 'biter': 4630, 'whirlwind': 35873, 'currentstatus': 8766, 'fayz': 12423, 'houmous': 15997, 'guacamole': 14784, 'gamechanger': 13777, 'iit': 16455, 'telecommuters': 32433, 'propertyinvestment': 25832, 'mortgagebroker': 21517, 'fristhomebuyer': 13510, 'motorway': 21569, 'degraded': 9358, 'biota': 4595, '600k': 1173, '955': 1512, '0764': 94, 'shutdownsouthafrica': 29639, 'realtalc': 26750, 'givemestrength': 14169, 'heroically': 15550, 'camo': 5838, 'lund': 19823, 'sculpture': 28861, 'strasbourg': 31366, 'savagery': 28590, 'stalking': 30832, 'totalitarian': 33303, 'barbarism': 3920, 'coronaheroes': 8045, '3mmi': 884, 'yyz': 36709, 'zabelindimitri': 36711, 'ahy': 2208, 'helplines': 15466, 'swimwear': 32015, 'barbecue': 3921, 'rib': 27712, 'wetones': 35749, 'diyhazmat': 10270, 'celiacs': 6302, 'monmouth': 21422, 'pcmrfixesit': 24331, 'epsilon': 11599, 'conversant': 7866, 'cj': 6855, 'plante': 24916, 'onlineselling': 23370, 'semanasanta2020': 29076, 'ayers': 3652, 'tweethearts': 33906, 'mobbed': 21266, 'shuttheschoolsnow': 29653, 'andersondylan': 2698, 'kmt': 18483, 'butternut': 5638, 'squash': 30742, 'lara': 18836, 'woolfson': 36200, 'enabler': 11372, 'stks': 31192, 'tgonu': 32576, 'custome': 8797, '76yo': 1323, '12wk': 235, '3weeks': 901, 'warroompandemic': 35414, 'cleanshelf': 6947, '960': 1518, 'weirdtimes': 35653, 'flared': 12878, 'nhpr': 22436, 'grosserie': 14728, '5080': 1052, 'shpk': 29603, 'starvingtime': 30894, 'nojob': 22616, 'ingodwetrust': 16953, 'packnsave': 23881, 'susanne': 31913, 'refurbishing': 27000, 'boohoo': 4941, 'usher': 34651, 'katt81': 18133, 'allaz': 2400, 'aztogether': 3676, 'wefeedaz': 35624, 'revelop': 27634, 'newton': 22389, 'retailproperty': 27545, 'anchored': 2688, 'commercialproperty': 7344, 'sensationalise': 29120, 'backgroun': 3727, 'uxs': 34714, 'interface': 17188, 'hmi': 15708, 'bastamron': 4007, 'argusemissions': 3093, 'transpacific': 33500, 'ocean': 23107, 'sailing': 28324, 'feasable': 12472, 'alzheimers': 2519, 'recreates': 26865, 'nowthis': 22854, 'shophampton': 29506, 'kitchenappliances': 18435, 'gardencity': 13806, 'homegoods': 15826, 'homedesign': 15822, 'loggd': 19579, 'tryd': 33763, 'amritsari': 2638, 'cholle': 6722, 'howevr': 16043, 'crossd': 8588, '762': 1320, 'understnd': 34215, 'lyk': 19878, 'yaer': 36497, 'bandula': 3872, 'gunawardana': 14847, 'genelecsl': 13933, 'lbutchers': 18963, 'conveyan': 7876, 'conveyancing': 7877, 'movinghouse': 21602, 'wassup': 35451, 'staysave': 31039, 'vindicated': 35059, 'coban': 7118, 'burma': 5556, 'expeditious': 12018, 'chinaliespeopledie': 6664, 'unstoppable': 34465, 'fielded': 12619, 'coughingchallenge': 8232, 'grocerystorechallenge': 14710, 'nude': 22897, 'inquires': 17027, 'mnuchinmoney': 21257, 'meitzner': 20752, 'sedgwick': 28971, 'pblc': 24320, 'trnsprt': 33632, 'proritise': 25863, 'yellowvest': 36558, 'gelbenwesten': 13918, 'yellowvestsuk': 36560, 'giletsjaunes': 14132, 'chalecosamarillos': 6413, 'giletjaune': 14131, 'yellowvests': 36559, 'gervais': 14017, 'orpol': 23575, 'orleg': 23565, 'completing': 7460, 'saugus': 28581, 'nipping': 22526, 'dehydrating': 9363, 'petrifying': 24609, 'greattpdepression': 14608, 'meyers': 20917, 'althoug': 2496, 'wcpapier': 35513, 'savetheworld': 28618, 'decontaminate': 9249, 'arezki': 3078, 'dryersheets': 10676, 'wrinkle': 36348, 'dyi': 10820, 'notpnoworries': 22804, 'viruschines': 35108, 'ther': 32745, 'wn': 36140, 'rejigs': 27081, 'aligned': 2382, 'downstairs': 10538, 'spitfire': 30599, 'fusion': 13688, 'thacker': 32580, 'stacia': 30794, 'entertaining': 11530, 'corporateresponsibility': 8157, 'proudtobeakeyworker': 25930, 'nothuman': 22780, 'saulius': 28583, 'skvernelis': 29909, 'envisaged': 11562, 'whey': 35851, 'lky7': 19438, 'lky7sports': 19439, 'appliednutrition': 2974, 'wheyprotein': 35852, 'ashford': 3228, 'niagra': 22452, 'leased': 19009, '115k': 192, 'jupiter': 17966, 'fla': 12861, 'essentia': 11694, 'supremesacrificeday': 31841, 'uvc': 34709, 'lamp': 18786, 'qualification': 26220, 'trumppandemia': 33720, 'cheffed': 6564, 'abolish': 1639, 'profitsoverpeople': 25749, '360wisemedia': 829, 'cosumerbehaviour': 8219, 'aura': 3475, 'crystallize': 8655, '20am': 518, 'sniffling': 30131, 'pnpgooddeed': 25050, 'pinerolo': 24822, 'mercato': 20834, 'rowling': 28054, 'blighted': 4726, 'tusupplychain': 33882, 'privatisation': 25670, 'alphabites': 2469, 'businessbecause': 5595, 'advertisin': 2002, 'persia': 24542, 'downed': 10520, 'flight752': 12941, 'babyformula': 3703, 'ridiculouslyinflated': 27751, 'whining': 35864, 'stayathomerule': 30947, 'correctional': 8168, 'shutdownsa': 29638, 'cyrilramaphosa': 8878, 'gravitas': 14589, 'wither': 36108, 'consumerdevices': 7722, 'osu': 23598, 'marrison': 20372, 'rospotrebnadsor': 28013, 'nationality': 22060, 'looter': 19664, 'atrocious': 3390, 'aalto': 1570, 'rsas': 28077, 'oodee': 23410, 'selondon': 29069, 'foodwasted': 13158, 'ginny': 14143, 'everythings': 11865, 'healtheworld2020': 15334, 'delibrately': 9399, 'borsers': 5017, 'afton': 2102, 'planing': 24906, 'museumcollections': 21781, 'unstaged': 34464, 'datcp': 9060, 'statute': 30934, 'datcphotline': 9061, '422': 939, '7128': 1284, 'ripening': 27794, 'harvested': 15191, 'mandis': 20185, 'apartment415': 2886, 'decoration': 9255, 'cornoanvirus': 7989, 'borememore': 4996, 'standardize': 30848, 'anchorage': 2687, 'tpaas': 33372, 'remodeling': 27179, 'remodel': 27178, 'eva': 11804, 'lookit': 19642, 'weighty': 35643, 'militarylendingact': 21044, 'alcogel': 2327, 'blackrock': 4673, 'bluddy': 4796, 'corvid': 8185, 'pascha': 24187, 'pasoverdinner': 24189, 'lessening': 19120, 'sylhet': 32064, 'resultant': 27501, 'neuropathy': 22312, 'motioning': 21552, 'screenshots': 28837, 'myautosparkle': 21835, 'unremitting': 34436, 'enablement': 11371, 'ashame': 3225, 'blane': 4688, 'tedx': 32402, 'tedxuamonticello': 32403, 'disassociation': 10001, 'badactors': 3756, 'indomie': 16826, 'hypo': 16269, 'hypogowipeo': 16275, 'jamb': 17618, 'yansh': 36515, 'homecomingrewatch': 15814, 'talentcroft': 32186, 'vaxxers': 34847, 'subway': 31566, 'specializes': 30520, 'coreresearch': 7962, 'provding': 25932, 'bylaw': 5696, 'a19': 1558, 'sunderland': 31687, 'escort': 11669, 'gettingresults': 14049, 'quiche': 26338, 'quarantinekitchen': 26264, 'romaine': 27974, 'lettucerejoice': 19153, 'ezekiel': 12149, 'magog': 20007, 'gog': 14324, 'holyspirit': 15797, 'shareasquare': 29319, '12mb': 229, 'thewisebulls': 32793, 'degloabalized': 9351, 'travolta': 33546, 'cnc': 7097, 'routing': 28048, 'tooling': 33235, 'stagnated': 30819, 'microsite': 20979, 'netbase': 22293, 'trendanalysis': 33574, 'inficted': 16890, 'guilde': 14820, 'safty': 28302, 'irosponcible': 17396, 'merge': 20851, 'diminish': 9917, 'kira': 18415, 'radinsky': 26444, 'keepcalmandreadon': 18185, 'moronbrothersky': 21504, 'shamelessly': 29296, 'sanfancisco': 28442, 'goan': 14288, 'ageing': 2126, 'lda': 18967, 'marla': 20359, 'kanal': 18070, 'waqas': 35378, '9233417716': 1484, 'cpsc': 8378, 'restocks': 27476, 'petaling': 24586, 'syaiful': 32050, 'redzuan': 26940, 'zuniga': 36839, 'stockupontoiletpaper': 31231, 'loadup': 19470, 'readyaimfire': 26699, 'hb': 15272, '596': 1127, 'beerhalls': 4208, 'thesamplelandscape': 32766, 'rangpuri': 26577, 'mahipalpur': 20025, '7006787781': 1268, 'lynkem': 19884, 'doxoinsights': 10553, 'eabl': 10838, 'performer': 24493, 'kes': 18272, 'sibresearch': 29662, 'crips': 8533, 'xom': 36472, 'ballet': 3838, 'nutcracker': 22940, 'scratchy': 28827, 'mutation': 21813, 'maryse': 20408, 'zeidler': 36745, 'biometrics': 4587, 'assert': 3294, 'lawenforcementtech': 18933, 'corker': 7968, 'lidls': 19235, 'reseller': 27354, 'coveryourcough': 8321, 'foodinstitutefocus': 13117, 'terminating': 32515, 'apeshit': 2891, 'doyourpartco': 10556, 'oigetit': 23208, 'cps': 8377, 'stubbscleaningservices': 31460, '375': 844, '0274': 50, 'authorizes': 3528, 'contractual': 7828, 'creativeindustries': 8464, 'grocerymarketplace': 14699, 'clusterfuck': 7071, 'mealdelivery': 20621, 'popupstores': 25193, 'thoroughfare': 32879, 'sabah': 28230, 'gasolineprice': 13832, 'pergallon': 24499, 'workingremotely': 36240, 'technologytuesday': 32392, 'financialmarket': 12714, 'getajob': 14027, 'livemorewitholx': 19411, 'stave': 30937, 'taftaan': 32134, 'flan': 12873, 'unheralded': 34296, 'spreadcalmnotpanic': 30679, 'flexipay': 12936, 'endlesspossibilities': 11407, 'willis': 36008, 'thomson': 32873, 'speculative': 30540, 'wuhanhealthorganisation': 36399, 'stayhired': 30971, 'interrupter': 17225, 'kavango': 18143, 'ecommercestore': 10980, 'ecommercetrends': 10981, 'businesstips': 5609, 'skypapers': 29916, 'bs6': 5413, 'thegomechanicblog': 32690, 'bharatstage6': 4455, 'glaa': 14182, 'recruiter': 26871, 'wkers': 36130, 'simonblack': 29754, 'michaelson': 20947, 'stophoardin': 31276, 'retailweek': 27558, 'mands': 20189, 'interesing': 17180, 'inefficent': 16854, 'nestl': 22287, 'simplified': 29762, 'grocerystorehero': 14713, 'paracetamols': 24082, 'food4less': 13075, 'hourding': 15999, 'bedding': 4185, 'eid': 11126, 'fiasco': 12601, 'rile': 27775, 'willenhall': 35999, 'trustworthy': 33756, 'mpklib': 21618, 'whel': 35822, 'europ': 11790, 'eadible': 10843, 'lpd': 19760, 'kri': 18599, 'semarang': 29078, 'changi': 6443, 'naval': 22107, 'batam': 4013, 'riau': 27710, 'lcs': 18966, 'uren': 34584, 'conglomerate': 7603, 'deglobalizing': 9354, 'medibank': 20677, 'delish': 9411, 'targetnews': 32253, 'simcoe': 29747, 'reinon': 27064, 'artificialintelligence': 3180, 'deborahbirx': 9196, 'blathered': 4701, 'morecombe': 21482, 'quidco': 26349, 'crohn': 8570, 'skybroadband': 29912, 'flightradar24': 12942, 'dixieprole': 10266, 'strangeness': 31358, 'creepier': 8493, 'isreal': 17486, 'unapproved': 34118, 'misbranded': 21155, 'albertan': 2316, 'ifmk': 16405, 'wtrh': 36382, 'digitaldollar': 9871, 'alight': 2380, 'fryer': 13552, 'coyote': 8359, 'ensued': 11510, 'bayareacoronavirus': 4055, 'saf': 28270, 'extravagantly': 12124, 'swt': 32045, 'bucs': 5451, 'qb': 26182, 'iheartconcertonfox': 16442, 'poole': 25160, 'advant': 1988, 'reneweconomy': 27211, 'amoral': 2622, 'afsc': 2086, 'geodata': 13977, 'trumpmustwatch': 33717, 'cuckold': 8693, 'jewlsmulan': 17756, 'findomme': 12735, 'whiteslave': 35894, 'savemore': 28605, 'hinted': 15658, 'financebrokerage': 12699, 'bondyields': 4923, '34s': 808, 'shelving': 29401, 'damnidiots': 8966, 'jyot': 18010, 'mallofuaq': 20141, 'aroha': 3128, 'stigmatise': 31156, 'kegged': 18217, 'thereafter': 32752, 'givin': 14175, '636': 1207, 'xfinity': 36455, 'typography': 33962, 'sawant': 28630, 'cybernews': 8856, 'cyberawareness': 8851, 'masterchief': 20463, 'logile': 19585, 'xam': 36441, 'oku': 23252, 'arv': 3202, 'whoworeitbetter': 35932, 'coronafashion': 8034, 'blessedbethefruit': 4720, 'washthatfruit': 35438, 'knox': 18519, 'collates': 7223, 'energycontract': 11434, 'jewelosco': 17753, 'jewel': 17749, 'illinoiscoronavirus': 16479, 'pumpt': 26064, 'adv': 1983, 'nstlifestyle': 22882, 'cyberinsurance': 8855, 'enveloped': 11554, 'propped': 25857, 'mudrock': 21684, '2027': 503, 'omar': 23292, 'inspires': 17071, '92008150': 1480, 'alsafrrat': 2478, 'vision2030': 35122, 'argenio': 3079, 'antao': 2810, 'fuk': 13614, 'misusing': 21203, 'gottafindtoiletpaper': 14445, 'gottafindflour': 14444, 'buywhatyouneed': 5682, 'salivating': 28367, 'howling': 16045, 'safoodbank': 28300, 'littlewins': 19400, 'leasepricesfall': 19010, 'automotiveleasing': 3545, 'ecowrap': 11015, 'analysed': 2665, 'inoperability': 17021, 'gove': 14461, 'turkana': 33863, 'ngamia': 22419, 'kitty': 18451, 'operatingmasks': 23446, 'outb': 23637, 'evokes': 11882, 'brexiters': 5264, 'yorker': 36618, 'nypause': 22991, 'itsnotnormal': 17530, 'tommorow': 33216, 'grouos': 14739, 'dallor': 8949, 'rockmans': 27932, 'crematory': 8501, 'eroded': 11643, 'absynth': 1674, 'idealworld': 16359, 'virusprotection': 35114, 'pricesfall': 25600, 'britian': 5320, 'packagethieves': 23873, 'porchpirates': 25197, 'thankyouworkers': 32638, 'hena': 15505, 'perla': 24513, 'jitin': 17788, 'chi': 6614, 'strategize': 31371, 'seldom': 29010, 'lambis': 18776, 'lambinsurance': 18775, 'chuckling': 6771, 'whenyouknowyouknow': 35830, 'prudence': 25961, 'northamptonshire': 22706, 'northants': 22707, 'pricehiking': 25594, 'breakingthelaw': 5216, 'cei': 6285, 'chao': 6456, 'boycottchineseproducts': 5095, 'fnb': 13024, 'instalment': 17096, 'preferential': 25463, 'mascot': 20412, 'haneda': 15075, 'cpap': 8364, 'outbrske': 23642, 'pushingtargets': 26134, 'mahfworks': 20023, 'coronafever': 8035, 'coronathoughts': 8105, 'alfonso': 2359, 'oneuse': 23334, 'greenie': 14629, 'weenie': 35620, 'breadbasket': 5203, 'fertiliser': 12563, 'pinning': 24830, 'barrelling': 3961, 'urgly': 34591, 'twinkees': 33919, 'keepcookingandcarryon': 18189, 'halfyourplate': 14973, 'rdchat': 26666, 'urbandictionary': 34579, 'coined': 7185, 'springbreakers': 30699, 'beerbusiness': 4206, 'beerblog': 4205, 'groceryshoppingtips': 14706, 'socialdisdancing': 30196, 'dancetee': 8982, '1964': 384, 'shastri': 29344, 'slightest': 29974, 'discomfort': 10027, '297': 683, 'overlord': 23756, 'unthinking': 34481, 'letsbreakthechain': 19133, 'expedite': 12014, 'deterred': 9688, 'reflector': 26975, '254776371271': 632, '254720472374': 631, 'thegreattoiletpaperscareof2020': 32696, 'againt': 2111, 'gtn': 14782, 'namicc': 21984, 'namicontracosta': 21985, 'contracostacounty': 7822, 'ultraviolet': 34089, 'sterilises': 31112, 'reliving': 27138, 'helpmepleaseiamgoingcrazyhahahahahahahahahahahahahaa': 15468, 'worthless': 36309, 'personification': 24561, 'blackstone': 4674, 'repurchase': 27312, 'centrally': 6332, 'golfing': 14357, 'scrunching': 28856, 'losangelescounty': 19676, 'refocus': 26981, 'yousuckkaren': 36664, 'peoplearestupid': 24454, 'imbalance': 16524, 'cornaviruspandemic': 7973, 'excl': 11944, '5b': 1134, 'emsworth': 11363, 'seafront': 28884, 'unrelated': 34434, 'unsalted': 34442, 'salted': 28379, 'eon': 11577, 'smhpeople': 30064, '21dayslockdownindia': 555, 'browsjng': 5388, 'disregarding': 10160, 'celine': 6303, 'cheater': 6534, 'anoth': 2800, 'socialfun': 30213, 'q5': 26170, 'innovatively': 17016, 'cabo': 5720, 'verde': 34928, 'caboverde': 5721, '18months': 357, 'commoditi': 7364, 'wondrously': 36179, 'shinanigans': 29436, 'atcard': 3353, 'houle': 15996, 'covd19': 8306, 'geographical': 13981, 'normalizes': 22696, 'campion': 5854, 'openforbusiness': 23432, 'acp': 1803, 'channelfutures': 6450, 'traumatised': 33524, 'methadone': 20894, 'wecandothistogether': 35595, 'bran': 5152, 'prune': 25965, 'werther': 35703, 'poupon': 25312, 'ekurhuleni': 11145, 'ebates': 10932, 'attain': 3402, 'bigfive2020': 4508, 'enthusiast': 11532, 'turin': 33861, 'durability': 10771, 'separatist': 29150, 'categorically': 6169, 'choicebird': 6716, 'wy': 36427, 'inspectr': 17065, 'bioscience': 4589, 'diagnosing': 9775, 'abta': 1676, 'talley': 32196, 'neuro': 22311, 'gastroenterologist': 13836, 'trample': 33455, 'hankerchief': 15085, 'clearfield': 6962, 'aralen': 3045, 'chloroquinephosphate': 6706, 'hydroxychloroquin': 16232, 'azithromycine': 3670, 'hydroxychloroquineandazythromyacinnow': 16235, 'jozylyn': 17900, '789': 1337, 'handicap': 15038, 'ismail': 17453, 'oppose': 23470, 'telkomconnectssa': 32455, 'scdca': 28715, '3785ml': 848, 'metroatlanta': 20905, 'prepackage': 25487, 'goo': 14370, 'russell': 28172, 'broadening': 5340, 'colonel': 7247, 'wrt': 36365, 'unscruplous': 34452, 'glucometer': 14254, 'technicality': 32383, 'nannystate': 22000, 'commonpurpose': 7372, 'soros': 30381, 'mostexpensiveholiday': 21534, 'yyj': 36708, 'celiac': 6301, 'glutenfreeliving': 14262, 'belchingbeaver': 4270, 'peanutbuttermilkstout': 24354, 'granitecu': 14549, 'alwaysthere': 2514, 'shockwaves': 29478, 'makeinindia': 20089, 'indiafirst': 16786, 'warner': 35404, 'ignores': 16434, 'socialwork': 30242, 'wheeled': 35816, 'dtr': 10700, 'highwycombe': 15618, 'carnews': 6054, 'pontoon': 25154, 'maternity': 20490, '2020inoneword': 492, 'toiletpaperthrone': 33178, 'ontheroad': 23399, 'wonderfulday': 36174, 'reteet': 27570, 'wouldnt': 36317, 'spdr': 30503, 'ccl': 6242, 'rcl': 26660, 'ual': 33982, 'hydroalcoholic': 16223, 'rushhour': 28169, 'twircle': 33921, 'staffie': 30806, '2506998500': 625, 'zdnet': 36737, 'foodmanufacturing': 13122, 'ramune': 26548, 'hostess': 15967, 'hostessgift': 15968, 'debtor': 9202, 'salesians': 28358, 'wearedonbosco': 35548, 'salesian': 28357, 'centr': 6324, 'humanatm': 16124, 'mtnews': 21668, 'highwaypatrol': 15616, 'paving': 24282, 'cashlessociety': 6133, 'rentstrike2020': 27225, 'rentfreezenow': 27219, 'letsdothis': 19136, 'happythoughts': 15125, 'hmmhotmessmama': 15711, 'inaccessible': 16673, 'ottobock': 23620, 'holm': 15788, 'amputee': 2635, 'ottobockcares': 23621, 'sailor': 28325, 'pilgrim': 24795, 'forsale': 13273, 'risingrents': 27819, 'atsocialmediauk': 3392, 'rtukseller': 28090, 'uksmallbiz': 34069, 'ukhashtags': 34054, 'smeuk': 30060, 'versa': 34950, 'wilspow': 36014, 'dainfern': 8928, 'realestatelife': 26715, 'modesto': 21312, 'frito': 13511, 'pendemic': 24416, 'calf': 5772, 'painfully': 23913, 'kerosense': 18265, 'incentivising': 16698, 'retailenvironment': 27525, 'thirdchannel': 32835, 'caringisforlifenotjustforcoronavirus': 6038, 'toomanyonlycarewhenithitsthefan': 33237, 'societyproblem': 30247, 'aircross': 2238, 'nfi': 22412, 'retained': 27564, 'cleaningproducts': 6938, 'godhelpus': 14312, 'nancypelosi': 21994, 'solarpanels': 30289, 'endtimes': 11419, 'boast': 4840, 'spa': 30459, 'dermatologist': 9583, 'flaunt': 12905, 'heirloom': 15428, 'stayhomeoh': 30990, 'washyourgrocerycart': 35443, 'sanmiguel': 28485, 'ncov19': 22163, 'toolkit': 33236, 'toiletpapershortages': 33176, 'unworldly': 34506, 'afterall': 2089, 'propertymanagement': 25833, 'mullins': 21709, 'delinquent': 9408, 'organiser': 23540, 'reschedules': 27340, 'fairerworld': 12230, 'manically': 20206, 'cathrine': 6183, 'jansson': 17644, 'boyd': 5109, 'scour': 28807, 'descipline': 9594, 'shun': 29630, 'cunningness': 8726, 'butwhy': 5647, 'cleanthosetoilets': 6950, 'aewdynamite': 2034, 'jimmyhavoc': 17780, 'distansting': 10187, 'lssc': 19771, 'easyjet': 10910, 'jet2': 17745, 'britisher': 5323, 'invincible': 17315, 'irgchospitals': 17385, 'blackmarket': 4666, '702breakfast': 1275, '3rmb': 897, 'amir': 2599, 'ghodrati': 14090, 'flatt78': 12894, 'akhirah': 2277, 'coronaawareness': 8007, 'greensynenterprises': 14633, 'aphios': 2896, 'croma': 8573, 'vijaysale': 35037, 'closetheretailstore': 7033, 'terrify': 32525, 'hendrik': 15509, 'greymouth': 14650, 'medial': 20671, 'papua': 24078, 'miamistrong': 20941, 'unearned': 34242, 'shutitdownnow': 29643, 'fl6': 12860, 'chiller': 6646, 'prioritorise': 25650, 'preferable': 25460, 'kezelee': 18300, 'hdfc': 15289, 'raga': 26457, 'stonehawk': 31247, 'imscreaming': 16662, 'queueup': 26332, 'onceinside': 23317, 'inandout': 16683, 'landin': 18806, 'crownroyal': 8608, 'extremecheapskates': 12127, 'tlc': 33081, 'cheapskate': 6531, 'survivalplanning': 31898, 'thomasfarquhar': 32871, 'transitioning': 33486, 'admarc': 1926, 'wishers': 36091, 'janeruthacheng': 17636, 'fedsoc': 12495, 'federalism': 12488, 'allison': 2422, 'hurley': 16182, 'expe': 12007, 'xylene': 36487, 'aromatics': 3131, 'wearer': 35559, 'drongos': 10645, 'counselling': 8247, 'staysafesafeothers': 31029, 'juicing': 17938, '5gcoronavirus': 1145, 'sabuwa': 28239, 'balarabe': 3830, 'sheik': 29377, 'gumi': 14845, 'wanton': 35374, 'jmfamilyimpact': 17796, 'suryashri': 31910, 'meningitis': 20804, 'tuberculosis': 33800, 'vacationrentals': 34724, 'melville': 20775, 'corporateresponibility': 8156, 'coveredcalifornia': 8317, '9700': 1523, '429': 945, 'tito': 33070, 'titosvodka': 33071, 'monty': 21443, 'virucide': 35102, 'barbicide': 3924, 'virtualassistant': 35095, 'retailbot': 27520, 'conversationalcommerce': 7869, 'deteriorate': 9680, 'districtmagistrate': 10224, 'lko': 19437, 'pricee': 25588, 'shameshame': 29302, 'sgbudget2020': 29246, 'gbfb': 13881, 'stride': 31417, 'mainecoon': 20052, 'ukgb': 34050, 'padre': 23893, 'fishmonger': 12816, 'itsthesmallthings': 17537, 'jnjkiljhkh': 17799, 'pathological': 24239, 'unaccommodating': 34109, 'civilizing': 6851, 'aplangflashback': 2900, 'lankan': 18824, 'myhineysclean': 21853, 'narcos': 22014, 'pabloescobar': 23860, 'makemegoviral': 20092, 'asa': 3211, 'meloy': 20771, 'register4covid19safeodisha': 27025, 'guyana': 14877, 'goldcoast': 14341, 'easterholiday': 10893, 'foldable': 13046, 'respecively': 27419, 'rigati': 27762, 'marinara': 20302, 'parmigiano': 24150, 'reggiano': 27015, 'parsley': 24154, 'kvqlybdymu': 18668, 'unexpired': 34262, 'paywave': 24316, 'rueful': 28114, 'ameen': 2565, 'teeshirt': 32413, 'desiccated': 9609, 'scraping': 28820, 'weareckpublichealth': 35545, 'arranging': 3142, 'cohabiting': 7168, 'bahawalpur': 3789, 'affidavit': 2048, 'umair': 34093, 'tahir': 32141, '923219537814': 1483, 'isb': 17424, 'cognizant': 7166, 'huntingranch': 16177, 'deerranch': 9287, 'whittaildeer': 35904, 'hutchinsonrackattack': 16210, 'paintball': 23916, 'mirin': 21150, 'picknpaycycad': 24757, 'passionate': 24197, 'unfitforoffice': 34274, 'polit': 25119, 'jerke': 17722, 'conroe': 7637, 'govenment': 14463, 'microscope': 20977, 'prayforworld': 25407, 'midgley': 20996, 'musicnotation': 21794, 'heisting': 15430, 'floridia': 12979, 'savethenhs': 28615, 'donothoard': 10413, 'haan': 14898, 'mop': 21464, 'e2010y': 10835, 'aua0twjrs4': 3444, 'zoomllshop': 36824, 'fowl': 13330, 'nyash': 22971, 'fuqed': 13667, 'inventoried': 17290, 'mnwx': 21258, 'entrepreneurial': 11546, 'greedhoarders': 14611, 'glutardsmatter': 14259, 'stayhomesaving': 30997, 'hotelier': 15982, 'lowry': 19751, 'twiglets': 33915, 'predictiveprogramming': 25451, 'rfid': 27687, 'reptilian': 27307, 'iphone12pro': 17354, 'blacklist': 4662, 'karantina': 18092, 'lockdownworld': 19556, 'distaste': 10191, 'simplify': 29763, 'borax': 4982, 'moxie': 21604, 'sanborn': 28419, 'fonte': 13070, 'bagasse': 3777, 'pregnancy': 25467, 'gouvernement': 14459, 'milestone': 21040, 'socialenterprise': 30212, 'cmpcertified': 7089, 'cmp': 7088, 'crewenterprises': 8512, 'dubmagazine': 10712, 'victorli': 35000, 'outputgrowth': 23685, 'retailstrategy': 27550, 'unseasoned': 34454, 'hlsnmbbyrb': 15701, 'facilitant': 12196, 'mobilitat': 21281, 'thisistherealspain': 32857, 'tessa': 32543, 'kerry': 18267, 'valentia': 34751, 'financialhealth2020': 12708, 'servicens': 29187, 'fenns': 12545, 'breakingtoday': 5217, 'uptime': 34567, 'rhetorical': 27696, 'graciousness': 14514, 'benice': 4324, 'cockup': 7133, 'stopthedancing': 31298, 'quarantineexcuses': 26263, 'ihateithere': 16439, 'imissoutside': 16539, 'masterthecrisis': 20469, 'growthfromknowledge': 14758, 'lotto': 19696, 'tooting': 33244, 'departmentstores': 9520, 'worldfood': 36264, 'demandgeneration': 9448, 'demandgen': 9447, 'immortan': 16558, 'joebiden': 17824, 'joementum': 17830, 'gretchennomtvhits': 14645, 'gretchenwitmer': 14646, 'xxvp': 36486, 'wastelanders': 35457, 'wasteland': 35456, 'complicates': 7468, 'nursescovid19': 22929, 'lithuania': 19382, 'choking': 6719, 'caronavirusupdate': 6071, 'unhealthydeliciousfood': 34295, 'thingamajig': 32814, 'elmvale': 11235, 'tvjallangles': 33893, 'hidalgo': 15586, 'spead': 30504, 'flicking': 12937, 'teachfromhome': 32336, 'puzzleoftheday': 26150, 'validate': 34757, 'cbn': 6227, 'connivence': 7628, 'terre': 32519, 'haute': 15231, 'iger': 16418, 'forgoes': 13245, 'vallourec': 34764, 'fieri': 12623, 'fibonacci': 12607, 'stimuluscheck': 31172, 'ojiwulila': 23239, 'dewitt': 9735, 'gameplay': 13780, 'inspecting': 17062, 'overcharged': 23726, 'tsutomu': 33785, 'watanabe': 35466, '5167er': 1073, 'griftiest': 14661, 'opportunistically': 23468, 'complies': 7471, '50p': 1064, 'foodchat': 13093, 'noonlineshopping': 22669, 'fridaymorning': 13482, 'climatefriday': 6998, 'sobbing': 30177, '020': 43, '3738': 843, 'mairaj': 20067, 'apprised': 2991, 'squashed': 30743, 'nycprep': 22978, 'hadleygamble': 14919, 'ixworth': 17561, 'socialmediaguru365': 30235, 'respo': 27435, 'steeprise': 31078, 'meitei': 20751, 'warsaw': 35415, 'krakow': 18593, 'm65': 19898, 'stayhom': 30974, '1970s': 389, 'puting': 26140, 'cuttlass': 8833, 'lagosunrest': 18748, 'ogununrest': 23193, 'faceface': 12177, 'maskface': 20423, 'basildon': 4000, 'lawson': 18939, 'fcaupdate': 12437, 'flattenthecurvetogether': 12901, 'udsd': 34007, 'warpaints': 35407, 'ladro': 18733, 'savehospo': 28599, 'savehospitality': 28598, 'motherfuckin': 21543, 'yea': 36534, 'familymeals': 12287, 'retooling': 27583, 'togetherfromapart': 33128, 'fijianconsumerrights': 12657, 'malignancy': 20137, 'modernism': 21307, 'vapid': 34812, 'mypandemicplandesurvival': 21865, 'emissionsreductions': 11306, 'holidayfarms': 15774, 'glenhead': 14211, 'secureteam420': 28952, 'veritas': 34937, 'commune': 7378, 'viewed': 35025, 'shittier': 29465, 'jenga': 17708, 'abolishes': 1640, 'feeder': 12502, 'steer': 31079, 'impunity': 16658, '20how': 524, '20is': 525, '20covid': 522, '20changing': 520, '20consumer': 521, '23038': 584, '20ecommerce': 523, '20trends': 534, '3f': 873, 'japaneese': 17652, '1350': 249, 'nonfiction': 22644, 'raving': 26640, 'brainer': 5138, '2wds': 738, 'smmes': 30073, 'lukewarm': 19804, 'bewareofcovid19': 4427, 'logging': 19581, 'fashionista': 12370, 'sketchdaily': 29869, 'fashionillustration': 12366, 'outfitoftheday': 23654, 'fashionillustrationoftheday': 12367, '8733': 1426, 'indiadeservesbetter': 16780, 'homestuck': 15858, '1100': 181, '1600': 303, 'validates': 34759, 'impulse': 16656, 'shoreditch': 29554, 'vasayo': 34834, 'bstards': 5418, 'riffa': 27758, 'gutted': 14873, 'pollock': 25135, 'spectacular': 30534, 'thisisnotok': 32855, 'currencyusers': 8762, 'currencyissuer': 8761, 'learnmmt': 19004, 'thedeficitmyth': 32676, 'joomye': 17871, 'muddled': 21680, 'unrestrained': 34438, 'convene': 7856, 'njgop': 22548, 'tjx': 33076, 'chezamy': 6613, 'stayhealthymyfriends': 30970, 'roiled': 27952, 'crisisnew': 8539, 'throwback': 32927, 'sycamore': 32052, 'hamlet': 15002, 'impromptu': 16643, 'italua': 17504, 'normaly': 22699, 'donttravelanditwont': 10449, 'saute': 28588, 'modeling': 21296, 'geographic': 13980, 'staystay': 31041, 'maya': 20538, 'angelou': 2733, 'malaise': 20116, 'mastered': 20465, 'ausairmasks': 3478, 'adultdiapers': 1977, 'marsh': 20375, 'amerciaworkstogether': 2576, 'handsanitzer': 15059, 'automotivetouchup': 3547, 'lrg': 19764, 'enforceability': 11445, '32c': 791, 'chen': 6587, 'xiaobo': 36458, 'knead': 18490, 'gonzalez': 14369, 'newengland': 22341, 'supportchewy': 31801, 'mustseetfc': 21807, 'fierce': 12622, 'iloveyou': 16502, 'jhootspharmacy': 17766, 'whimn': 35861, '8523': 1408, 'regimen': 27018, 'filmmyhospital': 12677, 'juddleg': 17918, 'andrewholnessjm': 2708, 'sweettalker': 32001, 'tworollsleft': 33939, 'intellicast': 17149, 'mrnews': 21632, 'lockdownsrilanka': 19551, 'lk': 19434, '1130593481': 188, 'polaris': 25102, 'adebis': 1889, 'unido': 34301, 'ptg': 26002, 'rockin': 27929, 'wearin': 35564, 'hoody': 15898, 'thinkin': 32825, 'standin': 30850, 'schnitkey': 28742, 'middlesbrough': 20994, 'jamescookhospital': 17621, 'departure': 9521, 'assalam': 3282, 'alaykum': 2305, 'midpoint': 21001, 'hiace': 15579, 'n24m': 21900, '08175974345': 117, 'sedanos': 28965, 'realnews': 26747, 'globaljournals': 14234, 'sciencefacts': 28771, 'neuclear': 22309, 'gartnersc': 13820, '2cater2': 695, 'kalypso': 18055, 'wondercat': 36171, '20bottles': 519, '03pm': 68, '4got': 1013, 'breakie': 5211, 'fantini': 12305, 'khc': 18320, 'sighing': 29705, 'bloodthirsty': 4773, 'uksupermarkets': 34071, 'grassy': 14574, '617': 1190, 'luciebee': 19785, 'awry': 3639, 'indirectly': 16817, 'sundry': 31689, 'includ': 16712, '2many2selfish': 717, 'quarantaene': 26237, 'datenight': 9065, 'selfisolationgame': 29042, 'coronadeutschland': 8031, 'quiagen': 26337, 'modular': 21320, 'pbms': 24321, 'pocketing': 25062, 'finale': 12688, 'foe': 13038, 'stop5g': 31259, '5gweapon': 1147, 'chinashutdown': 6668, 'economiccollapse': 10993, 'economicreset': 10998, 'medicalmartiallaw': 20689, 'wuhan400': 36392, 'soop': 30369, 'seema': 28985, 'shandil': 29307, 'patio': 24245, 'kissinger': 18431, 'worldmarket': 36271, 'accra': 1749, 'chink': 6684, 'cascading': 6111, 'micros': 20975, 'reaping': 26757, 'haliburton': 14974, 'pku': 24883, 'relook': 27143, 'mindminenxt': 21091, 'pleasestayhome': 24971, 'pleasestop': 24972, 'covidindex': 8337, 'feedgrains': 12503, 'yang': 36510, 'ramai': 26523, 'orang': 23502, 'artis': 3182, 'banyak': 3914, 'bolelah': 4898, 'sumbangkan': 31645, 'sedikit': 28972, 'untuk': 34487, 'pembelian': 24403, 'essentialsonly': 11705, 'slomo': 29990, 'devestating': 9715, 'cockblocked': 7129, 'michelle4il': 20953, 'willcounty': 35998, 'upsurge': 34564, 'bestselling': 4396, 'crostata': 8597, 'abbreviation': 1597, 'oaxacan': 23029, 'jargon': 17657, 'fairtrading': 12237, 'mema': 20776, 'michel': 20949, 'norfolk': 22688, 'nutcase': 22939, 'similarly': 29750, 'shelflife': 29386, 'erie': 11640, 'weapplaud': 35535, 'solarhorss': 30288, 'blenco': 4716, 'hairstyle': 14952, 'dalal': 8937, 'rink': 27784, 'summer2020': 31657, 'skipped': 29900, 'asianamericans': 3241, 'chiraq': 6690, '50cent': 1055, 'queenzflip': 26311, 'zoey': 36806, 'maraist': 20263, 'plaintiff': 24899, 'misrepresented': 21176, 'fmglaw': 13016, 'ofgem': 23182, 'homemadebread': 15836, 'bringhomeecback': 5308, 'lifeskills': 19263, 'bakingbread': 3820, 'lolli': 19602, 'gagging': 13740, 'collectivementalpower': 7231, '5x70ml': 1170, 'washandset': 35424, 'dxxkheads': 10816, 'paddymcguinness': 23891, 'barzani': 3984, 'excellency': 11924, 'contentment': 7795, 'relocalisation': 27140, 'foodsupplychains': 13147, 'brokered': 5359, 'n700': 21909, 'n1': 21894, '5pouches': 1164, 'convergence': 7865, 'googl': 14405, 'atvi': 3439, 'blinded': 4730, 'sooper': 30370, 'shill': 29432, 'lyingbiden': 19873, 'trusting': 33753, 'paywalls': 24315, 'downing': 10525, '591': 1124, 'dieselprice': 9830, 'dieselfuel': 9829, 'preside': 25526, 'comissioner': 7319, 'sajjad': 28334, 'briefed': 5284, 'nonna': 22649, 'winkwink': 36046, 'catharsus': 6179, 'magacreatedcoronaworld': 19976, 'hillyeah': 15634, 'vinvi': 35067, 'vinvicorp': 35068, 'caixin': 5752, 'lunarnewyear': 19817, 'riotinto': 27791, 'bhp': 4469, 'fortescuemetalsgroup': 13277, 'royhill': 28061, 'degenerate': 9349, 'prematurely': 25476, 'whiff': 35855, 'orgy': 23550, 'seattleu': 28927, 'deba60': 9179, 'compliant': 7465, 'ltown': 19777, 'shitbeenreal': 29454, 'tard': 32246, 'durkan': 10783, 'freakouts': 13404, 'wfpb': 35766, 'meijer': 20750, 'postive': 25277, 'wudnews': 36388, 'wudupdates': 36389, 'whatsupdoha': 35801, 'behaves': 4240, 'husbandappreciation': 16198, 'husbandlove': 16199, 'husbandoftheyear': 16200, 'besthusband': 4390, 'nationalize': 22061, 'sfightcorona': 29244, 'traction': 33411, 'sfi': 29243, 'bln': 4745, 'excused': 11956, 'eloquence': 11238, 'eloquent': 11239, 'stilled': 31158, 'hypochlorite': 16270, 'hydroxycholorquine': 16236, 'brutalize': 5406, 'regaining': 27010, 'dma': 10289, 'pall': 23945, 'pplt': 25361, 'slv': 30011, 'ivanka': 17551, 'sharekhanresearch': 29326, 'apl': 2899, 'sharekhanfna': 29325, 'gleaned': 14205, 'highwood': 15617, 'plattsoil': 24936, 'frecklington': 13406, 'fume': 13634, 'imtiaz': 16666, 'gulshan': 14841, 'iqbal': 17373, 'arsalan': 3161, '923402045318': 1485, 'lutfitrends': 19842, 'accomodations': 1733, 'seizing': 29006, 'optimally': 23484, 'emerson': 11292, 'mateus': 20491, 'loveandantennas': 19715, 'japanesebrushpen': 17654, '100armyofwoah': 131, 'emphysema': 11332, 'enrolled': 11504, 'happyathome': 15112, 'fy': 13718, 'publiclibrary': 26023, 'hazelnut': 15266, 'creamer': 8453, 'happylife': 15121, 'mudhole': 21682, 'stomped': 31244, 'grocey': 14719, 'paloma': 23955, 'valentin': 34752, 'deforest': 9339, 'compton': 7496, '55th': 1103, 'retiring': 27582, '1300': 239, 'cetera': 6365, 'ravindra': 26639, 'investmentspecial': 17312, 'brightest': 5293, 'thingi': 32815, 'anticlimax': 2831, 'missedopportunity': 21179, 'forbids': 13194, 'organisational': 23537, '25marzo': 639, 'wannabe': 35368, 'hudsoncounty': 16098, 'rigorously': 27773, 'sling': 29979, 'comex': 7301, 'attendance': 3410, 'maroc': 20366, 'hyperspreading': 16265, 'presid': 25525, 'unqualified': 34425, 'endorsement': 11414, 'jakarta': 17603, 'dinomart': 9936, 'pizzaandeastereggsfordinner': 24872, 'sharpened': 29339, 'deeside': 9288, 'scalefast': 28664, 'abandonment': 1590, 'aov': 2880, 'mvb': 21826, 'drummer': 10670, 'disabilityandcovid19': 9978, 'spreadsheet': 30688, 'coronan': 8071, 'timer': 33019, 'gluttony': 14265, 'garda': 13801, 'grange': 14548, 'rented': 27217, 'groce': 14688, '37qyihjaypbuax9tnmdfro6zkdftyrvfvl': 849, 'macho': 19921, 'staysafesta': 31032, 'tyas': 33950, 'scone': 28788, 'dairypod': 8933, 'soundcloud': 30401, '199200': 405, 'bugy2k': 5473, 'bloor': 4782, 'lamejokethursday': 18780, 'lamejokethurs': 18779, 'lamejoke': 18778, 'jokesfordays': 17860, 'tiktokyansen': 32992, 'mcopinion': 20601, 'realisation': 26722, 'opoku': 23460, 'adum': 1982, 'kumasi': 18642, 'quarantineliving': 26266, 'yangon': 36512, 'manifestation': 20208, 'ddc': 9142, 'pusateri': 26129, 'soriana': 30380, 'fruitcake': 13543, 'notfrombeer': 22770, 'fruitloops': 13544, 'tena': 32479, 'lacto': 18728, 'africaannounces': 2077, 'capitalismistheproblem': 5950, 'responsibleretail': 27451, 'spoilt': 30620, 'omnibus': 23305, 'researchstudy': 27352, 'corona2020': 8001, 'webnair': 35586, 'tort': 33287, 'financialtips': 12723, 'creditsoup': 8486, 'hoardnado': 15730, 'danroulette': 9002, 'loven': 19723, 'downtrend': 10547, 'hemorrhoid': 15500, 'crsponsored': 8610, 'cuarentena': 8686, 'groccery': 14687, 'karcamo13': 18094, 'karcamogaming': 18095, 'callateidiota': 5790, 'karcamo': 18093, 'facepaint': 12184, 'facepainted': 12185, 'enemiesofthepeople': 11425, 'counteracted': 8256, 'vegi': 34884, 'quarantineblues': 26249, 'hoardingtoiletpaper': 15728, 'shoestring': 29482, '3billion': 864, '357million': 819, 'reponse': 27272, 'downloadable': 10528, 'manifesting': 20210, 'conrad': 7636, 'stateofhealth': 30911, 'thankyoupublichralth': 32631, 'mymdfarmers': 21860, 'papertowelrolls': 24071, 'bullied': 5503, 'corox': 8149, 'edchat': 11025, 'memeing': 20781, 'almighty': 2450, 'aamen': 1571, 'webdesign': 35579, '08079024516': 111, 'modelled': 21297, 'gasolime': 13829, '414': 931, 'posture': 25287, 'coldness': 7198, 'fearnot': 12471, 'deseo': 9601, 'mercilessly': 20846, 'coronasweden': 8100, 'everythingfromhome': 11864, 'cautionary': 6205, 'myriam': 21871, 'splurge': 30615, 'masturbatory': 20472, 'hellscape': 15445, 'pilgrimage': 24796, 'insistence': 17054, 'brutalizing': 5408, 'gazetted': 13873, 'susie': 31919, 'ncnu': 22161, 'beehivestate': 4198, 'contempt': 7791, 'bhau': 4461, 'digressed': 9899, 'compliment': 7472, 'bountypapertowels': 5065, 'multistores': 21732, 'sanjivgoenka': 28480, 'excelent': 11921, 'terible': 32510, 'specialy': 30525, 'mrigendu': 21630, 'froms': 13521, 'streetmodest': 31391, 'sociological': 30250, 'eastermassacre': 10895, 'buharitormentor': 5475, 'independant': 16768, 'mobileapps': 21273, 'nationalguard': 22055, 'thefive': 32684, 'southwestern': 30445, 'coo': 7895, 'mushtaque': 21786, 'prolonging': 25792, 'ketua': 18281, 'keluarga': 18230, 'clotted': 7047, 'informedsecurity': 16929, 'differentbydesign': 9841, 'medident': 20705, 'neil': 22257, 'bradley': 5129, 'poppy': 25185, 'forwood': 13303, '2004': 462, 'riled': 27776, 'bummed': 5515, 'colossal': 7262, 'reasses': 26773, 'blackout': 4671, 'fot': 13313, 'seka': 29008, 'gayaza': 13865, 'folded': 13047, 'selfquarantinechallenge': 29053, 'zley': 36799, 'antalya': 2809, 'ayan': 3646, 'frans': 13380, 'rkiye': 27849, 'nin': 22513, 'ald': 2336, 'tedbirleri': 32398, 'burada': 5533, 'dezenfektan': 9740, 'maskeyi': 20422, 'cretsiz': 8509, 'veriyorlar': 34939, 'arad': 3042, 'markette': 20345, 'var': 34817, 'diyor': 10272, 'cumalar': 8716, 'cumartesi': 8717, 'paddock': 23889, 'halloweenmovies': 14987, 'halloweenmovie': 14986, 'hadonfield': 14921, 'serialkiller': 29166, '150b': 281, 'wewillwin': 35757, 'pce': 24326, 'takeoutservice': 32167, 'syngentaproud': 32087, 'nohopeinsite': 22611, 'zmartbit': 36801, 'thoughtfully': 32887, 'votethemout': 35217, 'messi': 20879, 'superspreaders': 31770, 'madhuresorts': 19956, 'beefbiryani': 4196, 'boiled': 4885, 'namaaz': 21971, 'biryani': 4615, 'neurotic': 22313, 'proudnhs': 25928, 'enticing': 11536, 'portraying': 25224, 'nutritional': 22948, 'muma': 21738, 'oneday': 23322, 'iloveu': 16501, 'leak': 18986, 'hoodie': 15896, 'transfats': 33467, 'ruislip': 28127, 'xhb': 36456, 'weneedtoshare': 35688, 'renton': 27221, 'turmeric': 33867, 'renetrevor': 27205, 'cipla': 6808, 'sulfate': 31636, 'reut': 27622, 'combi': 7281, 'borg': 4997, 'batteryfarm': 4044, 'chickenflu': 6629, 'freerange': 13437, 'appetizing': 2951, 'campingbed': 5853, 'selfmed': 29048, 'lekki': 19081, 'resent': 27359, 'polar': 25101, 'brimming': 5301, 'faucihero': 12401, 'tablighijamaat': 32117, 'saharanpur': 28313, 'firozabad': 12792, 'infodemic': 16917, 'illuminated': 16487, 'illuminate': 16486, 'nhsthank': 22443, 'formigration': 13259, 'unpopularopinion': 34413, 'oklahomacity': 23249, 'nashvill': 22034, 'neuk': 22310, 'lln': 19448, 'kia': 18329, 'clothe': 7042, 'zooming': 36823, 'peterhead': 24596, 'fuckyoupayme': 13595, 'homecare': 15810, 'toluna': 33207, 'tolunainfluencers': 33208, 'edmontonions': 11050, 'nfha': 22411, '3215': 785, 'onag': 23311, 'gud': 14803, 'invester': 17299, 'boycotthu': 5099, 'quarantineatvshow': 26247, 'firefauci': 12777, 'stimulusdeposit': 31174, '28brl': 677, 'fixit': 12849, 'fence': 12543, 'cufflink': 8701, 'shifaa': 29425, 'includin': 16716, 'dumbtards': 10743, 'masspanic': 20458, 'stupidpeople': 31492, 'waltermart': 35346, 'maggi': 19989, 'gocorona': 14303, 'behishandsandfeet': 4253, 'everlasting': 11842, 'typing': 33960, 'queersinquarantine': 26313, 'everythingfloats': 11863, 'stephenking': 31099, 'zero027': 36763, 'edits': 11042, 'proofreads': 25821, 'observes': 23064, 'theweek': 32789, '615': 1189, '741': 1303, '4737': 985, 'brahach': 5134, 'usecon': 34634, 'iheartradio': 16443, 'nbaquarantine': 22133, 'exhibition': 11978, 'faba': 12159, 'permissible': 24522, 'stunningly': 31484, 'leaderless': 18976, 'fkn': 12857, '043': 71, 'bloodofjesus': 4770, 'eugenics': 11783, 'crystalpalace': 8656, 'digitaldivide': 9870, 'se19': 28877, 'itunes': 17542, 'uttering': 34703, 'kj': 18457, 'houseprice': 16011, 'frustating': 13547, 'mobileapp': 21271, 'softwaredevelopmentcompany': 30275, 'customsoftwaredevelopment': 8817, 'softwaredevelopment': 30274, 'buyin': 5665, 'skintness': 29898, 'bullheaded': 5502, 'vaishali': 34742, 'shopnormally': 29522, 'resalemarket': 27337, 'ottawahomes': 23616, 'howdy': 16037, 'wardrobe': 35385, 'minimalism': 21108, 'augmentedreality': 3470, 'ardor': 3067, 'ignis': 16426, 'cbg': 6225, 'inthistogetherdubai': 17244, 'fashiondesign': 12364, 'wetin': 35747, 'coronate': 8102, 'kentstreet': 18247, 'manhandle': 20197, 'wefightcovid19': 35626, 'ibc': 16300, 'gadget': 13732, 'helpdonothurt': 15451, 'ecart': 10952, 'burdensome': 5537, 'shug': 29628, 'rnb': 27869, 'rnbmusic': 27870, 'trapmusic': 33512, 'hot97': 15974, 'power105': 25327, 'mismanagement': 21171, 'daylight': 9120, 'underresourced': 34206, 'repellent': 27247, 'quaratinebubble': 26282, 'evryday': 11890, '2dys': 701, '890': 1441, 'hilary': 15628, 'ukac': 34041, 'spouting': 30667, 'xiaomi': 36459, 'oppo': 23462, 'preda': 25440, 'employe': 11339, 'davies2019': 9082, 'legominifigures': 19067, 'ncsc': 22170, 'termed': 32512, 'weeknews': 35619, 'apocalyps': 2910, 'babaji': 3693, 'onshore': 23388, 'hover': 16029, 'personalised': 24555, 'megaphone': 20737, 'nomestleft': 22628, 'soundtrack': 30404, 'bunnyday': 5530, 'truckerlife': 33664, 'ademuyiwa': 1896, 'efiwe': 11095, 'akin1': 2279, 'jag': 17592, 'thegr8': 32692, 'ju': 17910, 'heardd': 15362, 'zombieprep': 36812, 'nmtrue': 22569, 'tao': 32233, 'lordoftherings': 19671, 'wallpaperwednesday': 35333, 'speeading': 30542, 'futako': 13690, 'epileptic': 11592, 'oilpricewars': 23231, 'oilandgastips': 23213, 'getinformed': 14036, 'postie': 25272, 'whattya': 35806, 'ycx': 36531, 'jbeil': 17673, 'seperate': 29151, '0789': 102, '861': 1416, 'trbusiness': 33552, 'shilla': 29433, 'hkia': 15696, 'dubaipolice': 10708, 'mercutio': 20847, 'relocating': 27142, 'bumbed': 5513, 'isolationillustration': 17472, 'isolationday8': 17468, '923': 1482, '2gethertheseries': 706, 'gmmtv': 14274, 'flagstaff': 12866, 'hmgovernment': 15706, 'poac': 25056, 'carehomes': 6022, 'approvable': 2997, 'naught': 22100, 'videocalls': 35005, 'physicalhealth': 24737, 'selfemployedmattertoo': 29024, 'selfemployment': 29026, 'deliberatly': 9397, 'noiwontstop': 22615, 'cloy': 7055, 'cloyfever': 7056, 'pacifica': 23865, 'kpixtogether': 18580, 'applesponsorme': 2966, 'opeiu': 23425, 'teepublic': 32412, 'fermanagh': 12552, 'omagh': 23287, 'northernireland': 22715, 'theorizing': 32734, 'dbdoodle': 9125, '384': 851, 'jamecia': 17619, 'swat': 31976, 'herby': 15526, 'demonisation': 9471, 'stereotyping': 31110, 'backpacker': 3736, 'derisked': 9578, 'gotcha': 14440, 'attracts': 3432, 'regressive': 27033, 'inelastic': 16857, 'baluchestan': 3849, 'moy': 21605, 'avivian': 3591, 'relianceindustries': 27122, 'rarest': 26609, 'unc': 34137, 'icasa': 16316, 'recentlu': 26813, 'heared': 15363, 'day11oflockdow': 9100, 'rfr': 27689, 'instacool': 17082, 'instafam': 17083, 'bham': 4450, 'livepd': 19412, 'livepdnation': 19413, 'livewell': 19422, 'safeshifts4all': 28285, 'gambian': 13772, 'pandemi': 23983, 'dumpling': 10750, 'stillgottawork': 31159, 'penticton': 24442, 'isba': 17425, 'mp02': 21609, '01625': 32, '874220': 1427, 'dar': 9008, 'ciapp': 6788, 'shoppingdeals': 29541, 'flupocalypse': 13001, 'hemel': 15496, 'vandersloot': 34788, 'jetfuel': 17746, 'storagetanks': 31313, 'frackingcrews': 13349, 'landmass': 18810, 'degrade': 9357, '800km': 1360, 'slogging': 29989, '50lbs': 1061, 'nairatwtpays': 21954, 'unbundles': 34136, 'opted': 23479, 'competiton': 7442, 'yase': 36525, 'kasie': 18113, 'quintessential': 26361, 'yaar': 36496, 'dadu': 8901, 'spaceballs': 30461, 'disperse': 10137, 'payed': 24295, 'kpk': 18581, 'awarding': 3618, 'henleaze': 15511, 'justintimecx': 17988, 'freetravelforkeyworkers': 13442, 'coverall': 8315, 'hypebeast': 16254, 'mtv': 21672, 'tmz': 33093, 'prioritycustomers': 25652, 'frenzied': 13454, 'recognises': 26833, 'wvstatejournal': 36411, 'succession': 31574, '1rm': 450, 'technically': 32384, '620': 1194, '663': 1225, '75965': 1314, 'timberlake': 33006, 'sgh': 29248, 'aisola': 2260, 'getkart': 14037, 'alocoholbasedhandsanitizer': 2455, 'usehandsanitizer': 34639, 'getr': 14042, 'nkebranche': 22556, 'sorgt': 30379, 'ums': 34103, 'leergut': 19036, 'ruft': 28117, 'zur': 36840, 'ckgabe': 6859, 'leerer': 19035, 'mehrweg': 20746, 'flaschen': 12880, 'ein': 11131, 'gibt': 14107, 'jeden': 17688, 'leeren': 19034, 'kasten': 18116, 'rolle': 27962, 'keller': 18222, 'puebla': 26042, 'crooked': 8580, 'diming': 9916, 'ncov2019': 22164, 'thecourieruk': 32671, 'kinross': 18410, 'communitysupport': 7392, 'carbondioxide': 5987, 'immunodeficiency': 16567, 'dippstick': 9952, 'conversionia': 7871, 'deliver25': 9416, 'ahlstrom': 2198, 'munksj': 21757, 'kaveh': 18144, 'waddell': 35261, 'johnlewispartnership': 17844, 'photovoltaic': 24726, 'distilled': 10192, 'exile': 11981, 'gynecologist': 14891, 'hopelessness': 15916, '90oz': 1468, 'kenyantraffic': 18255, 'coviod19': 8342, 'agriculturalsector': 2175, 'commoditymarket': 7366, 'retrofitting': 27598, 'kelvin': 18231, 'wifey': 35969, 'goldensehunday': 14343, 'crazier': 8441, 'toasty': 33102, 'cheez': 6560, 'peopleactingcrazy': 24448, 'susans': 31914, 'shingiedailyword': 29438, 'sanitarzers': 28452, 'secretsofyoursupermarketfoods': 28945, 'awkwardly': 3634, 'asgm': 3223, 'occoquan': 23094, 'mandrilltoys': 20188, 'dogfood': 10340, 'catfood': 6177, 'birdfood': 4605, 'fishfood': 12814, 'happycat': 15114, 'happydog': 15116, 'orijen': 23560, 'acana': 1699, 'tasteofthewild': 32275, 'ziwipeak': 36797, 'serum': 29174, 'philiasolutions': 24680, 'trendline': 33578, 'teleconferencing': 32436, 'didier': 9814, 'singlemarket': 29802, 'sax': 28633, 'whatarethosewednesday': 35783, 'prideslides': 25610, 'customslides': 8816, 'stridewithpride': 31418, 'lookgoodfeelgooddogood': 19638, 'neversettle': 22328, 'spiritwear': 30596, 'teamapparel': 32341, 'teamgear': 32348, 'cocobod': 7138, 'lanxess': 18827, 'blacktwittermovement': 4676, 'tissuechallenge': 33060, 'mismatch': 21172, 'jit': 17787, '638': 1208, '2772': 663, 'roshida': 28008, 'khanom': 18317, 'factrade': 12208, 'trendingnews': 33577, 'centralgovernment': 6329, 'sadtire': 28269, 'mragwani': 21624, 'nypost': 22993, 'each1teach1': 10841, 'tornado': 33273, 'maura': 20517, 'peeve': 24384, 'gtfo': 14780, 'tug': 33820, 'goldsbrough': 14351, 'antibac': 2820, 'southcentre': 30422, 'flexin': 12935, 'pristine': 25656, 'southaustralia': 30419, 'brevard': 5251, 'hagemann': 14924, 'capricious': 5966, 'unenforceable': 34255, 'withhold': 36111, 'dgoc': 9746, 'underpin': 34203, 'corg': 7964, 'otcmarket': 23604, 'noccp': 22585, 'zoomable': 36819, 'glossary': 14247, 'helpthosehelpingothers': 15485, 'mpgovtcrisis': 21615, 'actuallyautistic': 1848, 'petrolstations': 24622, 'officemarket': 23166, 'broth': 5374, 'selfportrait': 29049, 'lisbon': 19360, 'igersportugal': 16422, 'instagoodmyphotography': 17086, 'westphalia': 35736, 'ursula': 34599, 'heinen': 15425, 'esser': 11710, 'emeritus': 11291, 'schlesinger': 28736, 'crestview': 8507, '0016': 1, 'parmar17': 24149, 's10': 28215, 'grassroots': 14573, 'pcmag': 24330, 'dho': 9762, 'ozium': 23844, 'odor': 23134, 'chawla': 6518, 'puree': 26097, 'trialrun': 33588, 'supremecou': 31838, 'ware': 35386, 'interrelated': 17222, 'sumitomo': 31649, '919': 1476, 'ahah': 2190, 'helpinghands': 15460, 'staysafestayhelpful': 31035, 'gujaratfightscovid19': 14833, 'baroda': 3951, 'bhavnagar': 4462, 'dontbeashitandgivebackabit': 10420, 'dontbegreedythinkoftheneedy': 10422, 'qkxp0tyusk': 26190, '45l': 971, 'albermarle': 2312, 'pwani': 26157, 'weshallovercome': 35706, 'saludtues': 28382, 'norra': 22701, 'softener': 30268, 'poopoo': 25168, 'peepee': 24381, 'caca': 5723, 'stymy': 31502, 'ionization': 17342, 'chapelhill': 6462, 'graciously': 14513, 'whatstrending': 35799, 'crossfire': 8590, 'cambodia': 5821, 'clan': 6873, 'boggles': 4873, '5wyzwetcqg': 1168, 'illinoisan': 16478, 'stoppani': 31283, 'fea': 12462, 'demostrated': 9479, 'elisa': 11216, 'momofboys': 21373, 'maplegrov': 20257, 'disasterrelief': 10005, 'pmcares': 25034, 'rochdale': 27918, 'castleton': 6149, 'baggies': 3782, 'rollbakcs': 27961, 'wgc': 35769, 'calmlyshopping': 5812, 'sudhar': 31595, 'jaao': 17571}
First tweet [[0 0 0 ... 0 0 0]]
BOW representation of the first tweet [[0 0 0 ... 0 0 0]]

print(x_train_bow_testa.shape)
print(x_test_bow_testa.shape)
(36060, 36850)
(12020, 36850)

It will be created more cases of different number of features to check is there exists any dirt or fuzziness with having all the dictionary words.

count_vect_testb = CountVectorizer(max_features = 25000)
x_train_bow_testb = count_vect_testb.fit_transform(X_train)
x_test_bow_testb = count_vect_testb.transform(X_test)

count_vect_testc = CountVectorizer(max_features = 10000)
x_train_bow_testc = count_vect_testc.fit_transform(X_train)
x_test_bow_testc = count_vect_testc.transform(X_test)

count_vect_testd = CountVectorizer(max_features = 5000)
x_train_bow_testd = count_vect_testd.fit_transform(X_train)
x_test_bow_testd = count_vect_testd.transform(X_test)

36 thousand words exists in the corpus that we are handling

len(count_vect.vocabulary_)
36850
# Bag of N-grams: in this case the modification is in that the n-gram is going to agglutine words to catch the relationship between them
# this feature importance depends on the number of n-grams defined
count_vect_ngram = CountVectorizer(ngram_range=(1,3))

x_train_ngram_testa = count_vect_ngram.fit_transform(X_train)
x_test_ngram_testa = count_vect_ngram.transform(X_test)

#vOCAB OF N-GRAMS
print('vocab',count_vect_ngram.vocabulary_)
vocab {'im': 416499, 'fucking': 339793, 'calling': 156504, 'it': 456163, 'now': 573887, 'covid': 212547, '19': 4697, 'isnt': 454773, 'gonna': 356460, 'kill': 474317, 'since': 770402, 'we': 970262, 're': 698164, 'all': 41886, 'eachother': 264346, 'due': 261634, 'to': 899406, 'food': 313005, 'shortage': 764794, 'the': 847849, 'panic': 637237, 'is': 445137, 'go': 353232, 'from': 334147, 'mere': 529084, 'virus': 957882, 'out': 625515, 'apocalypse': 81505, 'how': 407255, 'shit': 759042, 'going': 354977, 'right': 721729, 'you': 1016738, 'cause': 167487, 'damn': 225304, 'downfall': 257541, 'im fucking': 416532, 'fucking calling': 339820, 'calling it': 156583, 'it now': 459947, 'now covid': 574473, 'covid 19': 212550, '19 isnt': 8099, 'isnt gonna': 454781, 'gonna kill': 356566, 'kill since': 474491, 'since we': 770972, 'we re': 972812, 're all': 698205, 'all gonna': 42966, 'kill eachother': 474387, 'eachother due': 264347, 'due to': 261690, 'to fucking': 906285, 'fucking food': 339866, 'food shortage': 316551, 'shortage the': 765251, 'the panic': 863181, 'panic is': 638213, 'is gonna': 448125, 'gonna go': 356541, 'go from': 353584, 'from mere': 336420, 'mere virus': 529093, 'virus to': 958919, 'fucking all': 339796, 'all out': 43837, 'out apocalypse': 625723, 'apocalypse due': 81524, 'to how': 908015, 'how shit': 408664, 'shit is': 759136, 'is going': 448085, 'going right': 355431, 'right now': 722013, 'now you': 576498, 'you re': 1020553, 'gonna cause': 356493, 'cause damn': 167533, 'damn downfall': 225342, 'im fucking calling': 416533, 'fucking calling it': 339821, 'calling it now': 156590, 'it now covid': 459950, 'now covid 19': 574474, 'covid 19 isnt': 213294, '19 isnt gonna': 8101, 'isnt gonna kill': 454782, 'gonna kill since': 356569, 'kill since we': 474492, 'since we re': 770983, 'we re all': 972818, 're all gonna': 698219, 'all gonna kill': 42970, 'gonna kill eachother': 356567, 'kill eachother due': 474388, 'eachother due to': 264348, 'due to fucking': 261791, 'to fucking food': 906287, 'fucking food shortage': 339868, 'food shortage the': 316610, 'shortage the panic': 765257, 'the panic is': 863210, 'panic is gonna': 638216, 'is gonna go': 448129, 'gonna go from': 356543, 'go from mere': 353586, 'from mere virus': 336421, 'mere virus to': 529094, 'virus to fucking': 958921, 'to fucking all': 906286, 'fucking all out': 339797, 'all out apocalypse': 43838, 'out apocalypse due': 625724, 'apocalypse due to': 81525, 'due to how': 261818, 'to how shit': 908024, 'how shit is': 408665, 'shit is going': 759143, 'is going right': 448099, 'going right now': 355432, 'right now you': 722192, 'now you re': 576516, 'you re all': 1020561, 'all gonna cause': 42967, 'gonna cause damn': 356494, 'cause damn downfall': 167534, 'agreed': 38689, 'can': 157339, 'tell': 836892, 'have': 379065, 'better': 128169, 'chance': 171698, 'of': 579290, 'dying': 263773, 'driving': 259887, 'grocery': 364193, 'store': 806014, 'hoard': 398747, 'tp': 927722, 'than': 840130, 'agreed can': 38700, 'can tell': 159918, 'tell you': 837144, 'you you': 1022476, 'you have': 1019007, 'have better': 379773, 'better chance': 128228, 'chance of': 171747, 'of dying': 582891, 'dying driving': 263808, 'driving to': 260016, 'to the': 916468, 'the grocery': 856799, 'grocery store': 365164, 'store to': 810750, 'to hoard': 907862, 'hoard tp': 398897, 'tp than': 927967, 'than dying': 840530, 'dying from': 263816, 'from the': 337580, 'agreed can tell': 38701, 'can tell you': 159926, 'tell you you': 837160, 'you you have': 1022483, 'you have better': 1019017, 'have better chance': 379774, 'better chance of': 128229, 'chance of dying': 171753, 'of dying driving': 582892, 'dying driving to': 263809, 'driving to the': 260022, 'to the grocery': 916754, 'the grocery store': 856827, 'grocery store to': 365868, 'store to hoard': 810777, 'to hoard tp': 907883, 'hoard tp than': 398898, 'tp than dying': 927968, 'than dying from': 840531, 'dying from the': 263828, 'hosted': 404912, 'webinar': 975006, 'with': 996919, 'three': 893868, 'procurement': 680102, 'thought': 892952, 'leader': 483406, 'across': 29213, 'pharma': 654012, 'consumer': 195977, 'telco': 836647, 'and': 57334, 'automotive': 104032, 'this': 886141, 'week': 975784, 'discus': 244819, 'what': 980951, 'effect': 268962, 'will': 992174, 'on': 598956, 'hosted webinar': 404927, 'webinar with': 975139, 'with three': 1001757, 'three procurement': 894043, 'procurement thought': 680125, 'thought leader': 893110, 'leader across': 483411, 'across pharma': 29427, 'pharma consumer': 654025, 'consumer telco': 199241, 'telco and': 836648, 'and automotive': 58538, 'automotive this': 104052, 'this week': 891177, 'week to': 977065, 'to discus': 904370, 'discus what': 244941, 'what effect': 981400, 'effect covid': 268986, '19 will': 12075, 'will have': 993609, 'have on': 381762, 'on procurement': 602937, 'procurement procurement': 680122, 'hosted webinar with': 404929, 'webinar with three': 975143, 'with three procurement': 1001759, 'three procurement thought': 894044, 'procurement thought leader': 680126, 'thought leader across': 893111, 'leader across pharma': 483412, 'across pharma consumer': 29428, 'pharma consumer telco': 654026, 'consumer telco and': 199242, 'telco and automotive': 836649, 'and automotive this': 58539, 'automotive this week': 104053, 'this week to': 891284, 'week to discus': 977078, 'to discus what': 904384, 'discus what effect': 244942, 'what effect covid': 981401, 'effect covid 19': 268987, 'covid 19 will': 214077, '19 will have': 12094, 'will have on': 993662, 'have on procurement': 381774, 'on procurement procurement': 602938, 'in': 419670, 'wake': 964578, 'are': 84094, 'working': 1008455, 'agency': 37976, 'secure': 744423, 'access': 28096, 'allotment': 45899, 'ensure': 277879, 'get': 346450, 'cattle': 167333, 'sheep': 756533, 'market': 515891, 'plate': 658901, 'additional': 31759, 'detail': 239142, 'be': 113403, 'shared': 755390, 'they': 881080, 'become': 119904, 'available': 104199, 'please': 659627, 'reach': 699867, 'question': 693488, 'or': 614170, 'concern': 192883, 'in the': 428938, 'the wake': 871033, 'wake of': 964585, 'of covid': 582091, '19 we': 11915, 'we are': 970461, 'are working': 91683, 'working with': 1009048, 'with agency': 997119, 'agency to': 38086, 'to secure': 913963, 'secure access': 744424, 'access to': 28210, 'to allotment': 900320, 'allotment and': 45900, 'and ensure': 62161, 'ensure get': 277952, 'get cattle': 346749, 'cattle and': 167336, 'and sheep': 71436, 'sheep get': 756547, 'get to': 348457, 'to market': 909847, 'market and': 515949, 'and to': 74147, 'to consumer': 903259, 'consumer plate': 198371, 'plate additional': 658902, 'additional detail': 31809, 'detail will': 239277, 'will be': 992335, 'be shared': 117122, 'shared they': 755455, 'they become': 881538, 'become available': 119929, 'available please': 104557, 'please reach': 660349, 'reach out': 699964, 'out with': 627860, 'with question': 1000380, 'question or': 693686, 'or concern': 614788, 'in the wake': 429652, 'the wake of': 871035, 'wake of covid': 964595, 'of covid 19': 582092, 'covid 19 we': 214051, '19 we are': 11919, 'we are working': 970767, 'are working with': 91728, 'working with agency': 1009049, 'with agency to': 997120, 'agency to secure': 38091, 'to secure access': 913964, 'secure access to': 744425, 'access to allotment': 28217, 'to allotment and': 900321, 'allotment and ensure': 45901, 'and ensure get': 62165, 'ensure get cattle': 277953, 'get cattle and': 346750, 'cattle and sheep': 167340, 'and sheep get': 71439, 'sheep get to': 756548, 'get to market': 348478, 'to market and': 909848, 'market and to': 516000, 'and to consumer': 74157, 'to consumer plate': 903322, 'consumer plate additional': 198372, 'plate additional detail': 658903, 'additional detail will': 31811, 'detail will be': 239278, 'will be shared': 992676, 'be shared they': 117125, 'shared they become': 755456, 'they become available': 881539, 'become available please': 119931, 'available please reach': 104560, 'please reach out': 660350, 'reach out with': 699971, 'out with question': 627872, 'with question or': 1000382, 'question or concern': 693687, 'hello': 389119, 'complete': 192058, 'moron': 541575, 'then': 876953, 'these': 879561, 'word': 1004438, 'for': 318596, 'hello are': 389128, 'are you': 91757, 'you complete': 1018004, 'complete fucking': 192096, 'fucking moron': 339952, 'moron then': 541639, 'then these': 877646, 'these word': 880985, 'word are': 1004453, 'are for': 86643, 'for you': 328028, 'hello are you': 389129, 'are you complete': 91777, 'you complete fucking': 1018005, 'complete fucking moron': 192097, 'fucking moron then': 339956, 'moron then these': 541640, 'then these word': 877648, 'these word are': 880986, 'word are for': 1004454, 'are for you': 86651, 'man': 511959, 'charged': 173358, 'uk': 938140, 'selling': 749128, 'fake': 296563, 'kit': 475478, 'around': 93089, 'world': 1009247, 'man charged': 512019, 'charged in': 173395, 'the uk': 870185, 'uk for': 938379, 'for selling': 325436, 'selling fake': 749232, 'fake kit': 296646, 'kit around': 475499, 'around the': 93520, 'the world': 871798, 'man charged in': 512022, 'charged in the': 173398, 'in the uk': 429635, 'the uk for': 870218, 'uk for selling': 938382, 'for selling fake': 325440, 'selling fake kit': 749236, 'fake kit around': 296647, 'kit around the': 475500, 'around the world': 93570, 'not': 567984, 'where': 984707, 'were': 979247, 'our': 621974, 'technology': 836252, 'still': 800150, 'fall': 296785, 'short': 764594, 'resource': 714693, 'sufficient': 817373, 'handle': 376156, 'challenge': 171381, 'lack': 478586, 'bank': 109537, 'inventory': 443640, 'stock': 801751, 'feed': 302263, 'people': 646720, 'no': 563553, 'toilet': 921120, 'paper': 639754, 'napkin': 551852, 'towel': 927285, 'are not': 88307, 'not where': 572493, 'where we': 985334, 'we thought': 973540, 'thought we': 893298, 'we were': 973778, 'were our': 979949, 'our technology': 625113, 'technology still': 836374, 'still fall': 800516, 'fall short': 297050, 'short our': 764668, 'our resource': 624612, 'resource are': 714710, 'not sufficient': 571798, 'sufficient to': 817403, 'to handle': 907122, 'handle our': 376247, 'our challenge': 622354, 'challenge we': 171590, 'we lack': 972168, 'lack sufficient': 478674, 'sufficient food': 817378, 'food bank': 313508, 'bank and': 109601, 'and food': 63023, 'food inventory': 315100, 'inventory stock': 443713, 'stock to': 802985, 'to feed': 905714, 'feed our': 302350, 'our people': 624305, 'people still': 649581, 'still no': 800864, 'no toilet': 565755, 'toilet paper': 921171, 'paper no': 640493, 'no napkin': 564843, 'napkin no': 551855, 'no paper': 565057, 'paper towel': 640980, 'we are not': 970638, 'are not where': 88497, 'not where we': 572496, 'where we thought': 985352, 'we thought we': 973542, 'thought we were': 893302, 'we were our': 973801, 'were our technology': 979950, 'our technology still': 625114, 'technology still fall': 836375, 'still fall short': 800517, 'fall short our': 297052, 'short our resource': 764670, 'our resource are': 624613, 'resource are not': 714714, 'are not sufficient': 88477, 'not sufficient to': 571799, 'sufficient to handle': 817404, 'to handle our': 907130, 'handle our challenge': 376248, 'our challenge we': 622355, 'challenge we lack': 171593, 'we lack sufficient': 972169, 'lack sufficient food': 478675, 'sufficient food bank': 817379, 'food bank and': 313517, 'bank and food': 109610, 'and food inventory': 63061, 'food inventory stock': 315102, 'inventory stock to': 443715, 'stock to feed': 802995, 'to feed our': 905729, 'feed our people': 302353, 'our people still': 624313, 'people still no': 649601, 'still no toilet': 800881, 'no toilet paper': 565757, 'toilet paper no': 921367, 'paper no napkin': 640498, 'no napkin no': 564844, 'napkin no paper': 551856, 'no paper towel': 565060, 'following': 312663, 'limpopo': 492899, 'premier': 669885, 'visit': 959166, 'thohoyandou': 891699, 'today': 919117, 'shoprite': 764536, 'forced': 328552, 'close': 182483, 'adhering': 32231, 'lockdown': 499091, 'rule': 727166, 'madina': 508117, 'supermarket': 818720, 'wa': 961339, 'caught': 167405, 'sanitizers': 736176, 'reported': 712444, 'that': 842423, 'thulamela': 895293, 'municipality': 546098, 'had': 372794, 'purchased': 689743, 'following limpopo': 312775, 'limpopo premier': 492902, 'premier visit': 669910, 'visit to': 959408, 'to thohoyandou': 917485, 'thohoyandou today': 891700, 'today shoprite': 920178, 'shoprite store': 764555, 'store were': 811217, 'were forced': 979653, 'forced to': 328614, 'to close': 902853, 'close for': 182639, 'for not': 323920, 'not adhering': 568060, 'adhering to': 32233, 'to covid': 903668, '19 lockdown': 8366, 'lockdown rule': 499868, 'rule madina': 727290, 'madina supermarket': 508118, 'supermarket wa': 823685, 'wa caught': 961792, 'caught selling': 167455, 'fake sanitizers': 296703, 'sanitizers and': 736191, 'and it': 65476, 'it wa': 462051, 'wa reported': 963086, 'reported that': 712536, 'that thulamela': 847029, 'thulamela municipality': 895294, 'municipality had': 546101, 'had purchased': 373435, 'purchased sanitizers': 689806, 'sanitizers from': 736282, 'from madina': 336299, 'following limpopo premier': 312777, 'limpopo premier visit': 492903, 'premier visit to': 669911, 'visit to thohoyandou': 959418, 'to thohoyandou today': 917486, 'thohoyandou today shoprite': 891701, 'today shoprite store': 920179, 'shoprite store were': 764556, 'store were forced': 811220, 'were forced to': 979654, 'forced to close': 328622, 'to close for': 902873, 'close for not': 182643, 'for not adhering': 323921, 'not adhering to': 568062, 'adhering to covid': 32235, 'to covid 19': 903669, 'covid 19 lockdown': 213367, '19 lockdown rule': 8423, 'lockdown rule madina': 499870, 'rule madina supermarket': 727291, 'madina supermarket wa': 508119, 'supermarket wa caught': 823693, 'wa caught selling': 961796, 'caught selling fake': 167456, 'selling fake sanitizers': 749237, 'fake sanitizers and': 296704, 'sanitizers and it': 736200, 'and it wa': 65597, 'it wa reported': 462178, 'wa reported that': 963087, 'reported that thulamela': 712542, 'that thulamela municipality': 847030, 'thulamela municipality had': 895295, 'municipality had purchased': 546102, 'had purchased sanitizers': 373437, 'purchased sanitizers from': 689807, 'sanitizers from madina': 736283, 'rt': 726728, 'aston': 97226, 'nechells': 554299, 'foodbank': 317752, 'currently': 221442, 'experiencing': 291623, 'increased': 433165, 'demand': 234893, 'supply': 824649, 'help': 389279, 'if': 413760, 'continue': 200981, 'donate': 254140, 'throughout': 894930, 'ongoing': 607589, 'social': 779418, 'distancing': 246936, 'measure': 525065, 'please rt': 660424, 'rt aston': 726743, 'aston and': 97227, 'and nechells': 67464, 'nechells foodbank': 554302, 'foodbank are': 317753, 'are currently': 85653, 'currently experiencing': 221525, 'experiencing increased': 291668, 'increased demand': 433258, 'demand and': 234947, 'and are': 58290, 'are short': 90067, 'short of': 764654, 'of supply': 590468, 'supply please': 825713, 'please help': 660060, 'help if': 389883, 'if you': 415384, 'you can': 1017611, 'can and': 157494, 'and continue': 60490, 'continue to': 201160, 'to donate': 904639, 'donate if': 254189, 'can throughout': 159997, 'throughout ongoing': 894952, 'ongoing social': 607692, 'social distancing': 779540, 'distancing measure': 247313, 'please rt aston': 660428, 'rt aston and': 726744, 'aston and nechells': 97228, 'and nechells foodbank': 67466, 'nechells foodbank are': 554303, 'foodbank are currently': 317754, 'are currently experiencing': 85663, 'currently experiencing increased': 221527, 'experiencing increased demand': 291670, 'increased demand and': 433260, 'demand and are': 234951, 'and are short': 58361, 'are short of': 90069, 'short of supply': 764662, 'of supply please': 590493, 'supply please help': 825716, 'please help if': 660071, 'help if you': 389889, 'if you can': 415403, 'you can and': 1017620, 'can and continue': 157495, 'and continue to': 60493, 'continue to donate': 201182, 'to donate if': 904647, 'donate if you': 254190, 'you can throughout': 1017813, 'can throughout ongoing': 159998, 'throughout ongoing social': 894953, 'ongoing social distancing': 607693, 'social distancing measure': 779660, 'converting': 202566, 'distillery': 247720, 'factory': 295916, 'producing': 680731, 'needed': 556278, 'hand': 374715, 'sanitizer': 734273, 'daily': 224478, 'voice': 959971, '19 converting': 6033, 'converting distillery': 202567, 'distillery to': 247819, 'to factory': 905598, 'factory producing': 295981, 'producing needed': 680795, 'needed hand': 556378, 'hand sanitizer': 375277, 'sanitizer daily': 734723, 'daily voice': 224870, 'covid 19 converting': 212859, '19 converting distillery': 6034, 'converting distillery to': 202568, 'distillery to factory': 247820, 'to factory producing': 905600, 'factory producing needed': 295982, 'producing needed hand': 680796, 'needed hand sanitizer': 556379, 'hand sanitizer daily': 375363, 'sanitizer daily voice': 734724, 'one': 605845, 'arrive': 93899, 'your': 1022706, 'inbox': 431251, 'do': 249014, 'click': 181879, 'had one': 373366, 'one of': 606730, 'of these': 591807, 'these arrive': 879651, 'arrive in': 93918, 'in your': 431053, 'your inbox': 1024466, 'inbox do': 431253, 'do not': 249652, 'not click': 568768, 'click 19': 181880, 'had one of': 373370, 'one of these': 606767, 'of these arrive': 591808, 'these arrive in': 879652, 'arrive in your': 93922, 'in your inbox': 431097, 'your inbox do': 1024468, 'inbox do not': 431254, 'do not click': 249696, 'not click 19': 568769, 'txsu': 937470, 'student': 814631, 'ha': 369384, 'work': 1004685, 'doubled': 256097, 'being': 124800, 'online': 607750, 'just': 468093, 'me': 522319, 'like': 489676, 'feel': 302541, 'getting': 348816, 'more': 538472, 'usual': 950874, 'txsu student': 937471, 'student ha': 814694, 'ha all': 369480, 'all work': 45489, 'work doubled': 1005061, 'doubled since': 256140, 'since being': 770528, 'being online': 125493, 'online or': 608647, 'or is': 615825, 'is it': 449005, 'it just': 459213, 'just me': 469237, 'me like': 523078, 'like feel': 490228, 'feel like': 302696, 'like getting': 490306, 'getting more': 349118, 'more work': 541004, 'work than': 1005791, 'than usual': 841387, 'txsu student ha': 937472, 'student ha all': 814695, 'ha all work': 369486, 'all work doubled': 45492, 'work doubled since': 1005062, 'doubled since being': 256141, 'since being online': 770529, 'being online or': 125494, 'online or is': 608658, 'or is it': 615832, 'is it just': 449034, 'it just me': 459233, 'just me like': 469244, 'me like feel': 523080, 'like feel like': 490229, 'feel like getting': 302714, 'like getting more': 490307, 'getting more work': 349128, 'more work than': 541005, 'work than usual': 1005793, '2019': 13914, 'best': 127557, 'friend': 333478, 'hide': 394825, 'body': 133814, '2020': 14076, 'give': 350350, 'while': 986551, 'appreciate': 82701, 'latter': 481672, 'don': 253315, 'think': 885058, 'll': 496536, 'ever': 285179, 'meet': 527401, 'keith': 472698, 'way': 969418, 'oh': 596344, 'toiletpapercrisis': 923001, 'toiletpaperapocalypse': 922895, 'toiletpaper': 921666, '2019 best': 13945, 'best friend': 127698, 'friend help': 333635, 'help you': 390948, 'you hide': 1019215, 'hide the': 394842, 'the body': 849821, 'body 2020': 133815, '2020 best': 14174, 'friend give': 333618, 'give you': 350846, 'you toilet': 1021869, 'paper while': 641090, 'while appreciate': 986613, 'appreciate the': 82754, 'the latter': 859160, 'latter more': 481683, 'more don': 539066, 'don think': 253969, 'think ll': 885375, 'll ever': 496741, 'ever get': 285318, 'to meet': 910013, 'meet keith': 527519, 'keith this': 472699, 'this way': 891124, 'way oh': 969776, 'oh or': 596433, 'or will': 617803, 'will toiletpapercrisis': 995210, 'toiletpapercrisis toiletpaperapocalypse': 923089, 'toiletpaperapocalypse toiletpaper': 922928, '2019 best friend': 13946, 'best friend help': 127701, 'friend help you': 333636, 'help you hide': 390975, 'you hide the': 1019216, 'hide the body': 394843, 'the body 2020': 849822, 'body 2020 best': 133816, '2020 best friend': 14175, 'best friend give': 127699, 'friend give you': 333619, 'give you toilet': 350873, 'you toilet paper': 1021870, 'toilet paper while': 921527, 'paper while appreciate': 641091, 'while appreciate the': 986614, 'appreciate the latter': 82760, 'the latter more': 859165, 'latter more don': 481684, 'more don think': 539067, 'don think ll': 253979, 'think ll ever': 885378, 'll ever get': 496742, 'ever get to': 285321, 'get to meet': 348480, 'to meet keith': 910034, 'meet keith this': 527520, 'keith this way': 472700, 'this way oh': 891133, 'way oh or': 969777, 'oh or will': 596434, 'or will toiletpapercrisis': 617814, 'will toiletpapercrisis toiletpaperapocalypse': 995211, 'toiletpapercrisis toiletpaperapocalypse toiletpaper': 923090, 'shaky': 754480, 'ground': 366474, 'business': 143201, 'grind': 363986, 'down': 256366, 'because': 118903, 'hear': 387867, 'about': 24626, 'confidence': 193801, 'listen': 494656, 'here': 392638, 'at': 97345, '20': 12851, 'consumer are': 196277, 'are on': 88712, 'on shaky': 603387, 'shaky ground': 754483, 'ground business': 366483, 'business grind': 143797, 'grind down': 363987, 'down because': 256551, 'because of': 119302, 'we ll': 972229, 'll hear': 496838, 'hear about': 387868, 'about consumer': 24994, 'consumer confidence': 196879, 'confidence from': 193869, 'from listen': 336233, 'listen here': 494681, 'here at': 392777, 'at 20': 97495, 'consumer are on': 196301, 'are on shaky': 88734, 'on shaky ground': 603388, 'shaky ground business': 754484, 'ground business grind': 366484, 'business grind down': 143798, 'grind down because': 363988, 'down because of': 256553, 'because of covid': 119327, '19 we ll': 11938, 'we ll hear': 972255, 'll hear about': 496839, 'hear about consumer': 387869, 'about consumer confidence': 24998, 'consumer confidence from': 196898, 'confidence from listen': 193870, 'from listen here': 336234, 'listen here at': 494685, 'here at 20': 392778, 'able': 24418, 'procure': 680091, 'pack': 633007, 'puff': 688829, 'bag': 108206, 'flour': 311056, 'bar': 110662, 'soap': 778886, 'so': 776448, 'playing': 659373, 'lottery': 504448, 'tonight': 924348, 'wait': 964059, 'even': 283794, 'thing': 884076, 'happens': 377444, 'socialdistancing': 780180, 'wa able': 961404, 'able to': 24441, 'to procure': 912179, 'procure three': 680094, 'three pack': 894018, 'pack of': 633080, 'of puff': 588598, 'puff bag': 688830, 'bag of': 108343, 'of flour': 583593, 'flour and': 311064, 'and bar': 58692, 'bar soap': 110766, 'soap at': 778943, 'at the': 100864, 'store today': 810829, 'today so': 920188, 'so playing': 778013, 'playing the': 659452, 'the lottery': 859747, 'lottery tonight': 504466, 'tonight wait': 924517, 'wait is': 964145, 'is the': 452714, 'lottery still': 504460, 'still even': 800495, 'even thing': 284682, 'thing that': 884794, 'that happens': 844179, 'happens socialdistancing': 377498, 'wa able to': 961405, 'able to procure': 24523, 'to procure three': 912180, 'procure three pack': 680095, 'three pack of': 894019, 'pack of puff': 633108, 'of puff bag': 588599, 'puff bag of': 688831, 'bag of flour': 108352, 'of flour and': 583595, 'flour and bar': 311065, 'and bar soap': 58703, 'bar soap at': 110767, 'soap at the': 778945, 'at the grocery': 100968, 'grocery store today': 365869, 'store today so': 810866, 'today so playing': 920192, 'so playing the': 778014, 'playing the lottery': 659453, 'the lottery tonight': 859754, 'lottery tonight wait': 504467, 'tonight wait is': 924518, 'wait is the': 964146, 'is the lottery': 452853, 'the lottery still': 859751, 'lottery still even': 504461, 'still even thing': 800498, 'even thing that': 284684, 'thing that happens': 884810, 'that happens socialdistancing': 844181, 'report': 711767, 'created': 215772, 'hub': 409783, 'obtain': 578728, 'reliable': 709190, 'information': 437693, 'covering': 212452, 'health': 386093, 'home': 400531, 'routine': 726489, 'tech': 836023, 'exercise': 290020, 'consumer report': 198694, 'report ha': 711990, 'ha created': 370263, 'created covid': 215813, '19 resource': 10127, 'resource hub': 714811, 'hub where': 409843, 'where people': 985092, 'people can': 647377, 'can obtain': 159077, 'obtain reliable': 578739, 'reliable information': 709208, 'information covering': 437790, 'covering health': 212468, 'health home': 386500, 'home daily': 400984, 'daily routine': 224785, 'routine tech': 726535, 'tech food': 836092, 'food exercise': 314425, 'consumer report ha': 198711, 'report ha created': 711991, 'ha created covid': 370269, 'created covid 19': 215814, 'covid 19 resource': 213699, '19 resource hub': 10132, 'resource hub where': 714815, 'hub where people': 409844, 'where people can': 985096, 'people can obtain': 647401, 'can obtain reliable': 159078, 'obtain reliable information': 578740, 'reliable information covering': 709209, 'information covering health': 437791, 'covering health home': 212469, 'health home daily': 386502, 'home daily routine': 400985, 'daily routine tech': 224791, 'routine tech food': 726537, 'tech food exercise': 836093, 'politics': 663775, 'aside': 95393, 'incredible': 433810, 'response': 715609, 'critical': 218512, 'time': 896177, 'politics aside': 663778, 'aside this': 95442, 'this is': 888160, 'is incredible': 448874, 'incredible and': 433815, 'and the': 73227, 'the right': 865802, 'right response': 722252, 'response in': 715727, 'in this': 429895, 'this critical': 887116, 'critical time': 218695, 'politics aside this': 663779, 'aside this is': 95443, 'this is incredible': 888291, 'is incredible and': 448875, 'incredible and the': 433818, 'and the right': 73556, 'the right response': 865823, 'right response in': 722253, 'response in this': 715733, 'in this critical': 429928, 'this critical time': 887122, 'wow': 1012535, 'everyone': 286666, 'seems': 746748, 'key': 473221, 'worker': 1006177, 'day': 227080, 'delivery': 233609, 'driver': 259381, 'dog': 252025, 'walker': 964989, 'vape': 952450, 'shop': 759788, 'manager': 512655, 'staff': 792068, 'petrol': 653705, 'station': 796317, 'list': 494256, 'endless': 276218, 'keyworkersonly': 473614, 'stayhome': 797927, 'washyourhands': 967852, 'wow everyone': 1012550, 'everyone seems': 287354, 'seems to': 746875, 'to be': 901078, 'be key': 115599, 'key worker': 473461, 'worker these': 1007956, 'these day': 879864, 'day delivery': 227513, 'delivery driver': 233886, 'driver dog': 259515, 'dog walker': 252182, 'walker vape': 965001, 'vape shop': 952454, 'shop manager': 760444, 'manager supermarket': 512791, 'supermarket staff': 822808, 'staff petrol': 792745, 'petrol station': 653788, 'station staff': 796510, 'staff bank': 792247, 'bank manager': 109993, 'manager the': 512805, 'the list': 859464, 'list is': 494372, 'is endless': 447493, 'endless keyworkersonly': 276234, 'keyworkersonly stayhome': 473615, 'stayhome washyourhands': 798226, 'wow everyone seems': 1012551, 'everyone seems to': 287355, 'seems to be': 746877, 'to be key': 901352, 'be key worker': 115601, 'key worker these': 473520, 'worker these day': 1007957, 'these day delivery': 879869, 'day delivery driver': 227515, 'delivery driver dog': 233899, 'driver dog walker': 259516, 'dog walker vape': 252185, 'walker vape shop': 965002, 'vape shop manager': 952455, 'shop manager supermarket': 760445, 'manager supermarket staff': 512793, 'supermarket staff petrol': 822873, 'staff petrol station': 792746, 'petrol station staff': 653800, 'station staff bank': 796511, 'staff bank manager': 792248, 'bank manager the': 109994, 'manager the list': 512806, 'the list is': 859468, 'list is endless': 494374, 'is endless keyworkersonly': 447495, 'endless keyworkersonly stayhome': 276235, 'keyworkersonly stayhome washyourhands': 473616, 'should': 765467, 'car': 162971, 'insurance': 440659, 'cost': 207806, 'le': 482815, 'stay': 796732, 'group': 366589, 'say': 738361, 'yes': 1015362, 'should car': 765820, 'car insurance': 163142, 'insurance cost': 440706, 'cost le': 207995, 'le driver': 482937, 'driver stay': 259752, 'stay home': 796932, 'home because': 400778, 'of consumer': 581700, 'consumer group': 197653, 'group say': 366876, 'say yes': 739506, 'should car insurance': 765821, 'car insurance cost': 163146, 'insurance cost le': 440708, 'cost le driver': 207996, 'le driver stay': 482938, 'driver stay home': 259753, 'stay home because': 796944, 'home because of': 400782, 'because of consumer': 119321, 'of consumer group': 581744, 'consumer group say': 197665, 'group say yes': 366879, 'risk': 723343, 'via': 955769, 'bringing': 140141, 'into': 442347, 'after': 35258, 've': 952801, 'taken': 832929, 'walk': 964723, 'having': 383958, 'local': 497658, 'when': 983102, 'open': 611997, 'otherwise': 621819, 'there': 877935, 'staple': 793889, 'anyone': 80164, 'done': 254749, 'sum': 817864, 'what is': 981674, 'the risk': 865870, 'risk of': 723720, 'of getting': 584118, 'getting covid': 348914, '19 via': 11756, 'via bringing': 955832, 'bringing virus': 140215, 'virus into': 958355, 'into your': 443315, 'your home': 1024335, 'home after': 400563, 'after you': 36605, 'you ve': 1022022, 've taken': 953619, 'taken the': 833068, 'the dog': 853491, 'dog for': 252097, 'for walk': 327609, 'walk the': 964876, 'of having': 584479, 'having to': 384330, 'to go': 906756, 'go to': 354267, 'the local': 859532, 'local supermarket': 498494, 'supermarket when': 823796, 'when it': 983623, 'it open': 460119, 'open because': 612118, 'because otherwise': 119451, 'otherwise there': 621879, 'there no': 878793, 'no staple': 565571, 'staple anyone': 793904, 'anyone done': 80252, 'done the': 255039, 'the sum': 868403, 'what is the': 981731, 'is the risk': 452924, 'the risk of': 865877, 'risk of getting': 723750, 'of getting covid': 584120, 'getting covid 19': 348915, 'covid 19 via': 214026, '19 via bringing': 11757, 'via bringing virus': 955833, 'bringing virus into': 140216, 'virus into your': 958357, 'into your home': 443321, 'your home after': 1024336, 'home after you': 400574, 'after you ve': 36610, 'you ve taken': 1022069, 've taken the': 953622, 'taken the dog': 833074, 'the dog for': 853493, 'dog for walk': 252098, 'for walk the': 327627, 'walk the risk': 964881, 'risk of having': 723752, 'of having to': 584487, 'having to go': 384349, 'to go to': 906872, 'go to the': 354369, 'to the local': 916853, 'the local supermarket': 859574, 'local supermarket when': 498613, 'supermarket when it': 823800, 'when it open': 983643, 'it open because': 460121, 'open because otherwise': 612120, 'because otherwise there': 119452, 'otherwise there no': 621880, 'there no staple': 878842, 'no staple anyone': 565572, 'staple anyone done': 793905, 'anyone done the': 80253, 'done the sum': 255045, 'congress': 194482, 'urge': 948146, 'narendra': 551907, 'modi': 535441, 'government': 359805, 'share': 754901, 'profit': 682638, 'low': 505075, 'crude': 219497, 'oil': 596581, 'price': 672095, 'during': 262395, 'coronavirus': 205432, 'pti': 687636, 'congress urge': 194545, 'urge the': 948225, 'the narendra': 861202, 'narendra modi': 551908, 'modi government': 535453, 'government to': 360697, 'to share': 914333, 'share profit': 755193, 'profit from': 682729, 'from low': 336284, 'low crude': 505220, 'crude oil': 219549, 'oil price': 597025, 'price with': 677601, 'with people': 1000130, 'people during': 647740, 'during the': 263075, 'the coronavirus': 851796, 'coronavirus lockdown': 206237, 'lockdown report': 499855, 'report pti': 712200, 'congress urge the': 194547, 'urge the narendra': 948228, 'the narendra modi': 861203, 'narendra modi government': 551909, 'modi government to': 535454, 'government to share': 360735, 'to share profit': 914361, 'share profit from': 755194, 'profit from low': 682737, 'from low crude': 336285, 'low crude oil': 505221, 'crude oil price': 219567, 'oil price with': 597325, 'price with people': 677621, 'with people during': 1000146, 'people during the': 647744, 'during the coronavirus': 263104, 'the coronavirus lockdown': 851877, 'coronavirus lockdown report': 206250, 'lockdown report pti': 499856, 'brought': 141129, 'up': 944105, 'fact': 295668, 'jacking': 464174, 'everything': 287666, 'ha anyone': 369576, 'anyone brought': 80203, 'brought up': 141209, 'up the': 946152, 'the fact': 854813, 'fact that': 295786, 'that grocery': 844083, 'store are': 806452, 'are jacking': 87597, 'jacking up': 464183, 'the price': 864326, 'price on': 675642, 'on everything': 600643, 'ha anyone brought': 369579, 'anyone brought up': 80204, 'brought up the': 141210, 'up the fact': 946171, 'the fact that': 854832, 'fact that grocery': 295799, 'that grocery store': 844090, 'grocery store are': 365214, 'store are jacking': 806489, 'are jacking up': 87598, 'jacking up the': 464188, 'up the price': 946204, 'the price on': 864392, 'price on everything': 675672, 'rate': 697141, 'remains': 709985, 'unchanged': 939781, 'despite': 238658, 'currency': 221003, 'crash': 214945, 'drop': 260093, 'announced': 76896, 'by': 151499, 'russia': 728411, 'ahk': 39235, 'liveticker': 496296, 'the key': 858751, 'key rate': 473382, 'rate remains': 697356, 'remains unchanged': 710077, 'unchanged at': 939782, 'at despite': 98430, 'despite the': 238871, 'the currency': 852601, 'currency crash': 221020, 'crash and': 214952, 'the drop': 853706, 'drop in': 260223, 'in oil': 426082, 'price this': 676908, 'this wa': 891047, 'wa announced': 961542, 'announced by': 76927, 'by the': 154253, 'the of': 862047, 'of russia': 589185, 'russia today': 728591, 'today ahk': 919165, 'ahk liveticker': 39236, 'the key rate': 858762, 'key rate remains': 473383, 'rate remains unchanged': 697357, 'remains unchanged at': 710078, 'unchanged at despite': 939783, 'at despite the': 98431, 'despite the currency': 238876, 'the currency crash': 852603, 'currency crash and': 221021, 'crash and the': 214953, 'and the drop': 73336, 'the drop in': 853709, 'drop in oil': 260263, 'in oil price': 426087, 'oil price this': 597290, 'price this wa': 676925, 'this wa announced': 891053, 'wa announced by': 961544, 'announced by the': 76929, 'by the of': 154395, 'the of russia': 862055, 'of russia today': 589190, 'russia today ahk': 728592, 'today ahk liveticker': 919166, 'check': 174352, 'important': 418724, 'alert': 41333, 'incoming': 432512, 'economic': 266952, 'relief': 709264, 'payment': 645535, 'educate': 268748, 'yourself': 1026496, 'prey': 672066, 'scammer': 740516, 'trick': 931688, 'check out': 174531, 'out this': 627557, 'this important': 888019, 'important consumer': 418769, 'consumer alert': 196132, 'alert from': 41430, 'from on': 336659, 'on covid': 600143, '19 and': 4976, 'the incoming': 858050, 'incoming economic': 432513, 'economic relief': 267245, 'relief payment': 709429, 'payment educate': 645607, 'educate yourself': 268776, 'yourself so': 1026702, 'so you': 778831, 'you don': 1018304, 'don fall': 253500, 'fall prey': 297031, 'prey to': 672076, 'to scammer': 913872, 'scammer trick': 740633, 'check out this': 174583, 'out this important': 627571, 'this important consumer': 888021, 'important consumer alert': 418770, 'consumer alert from': 196146, 'alert from on': 41434, 'from on covid': 336663, 'on covid 19': 600144, 'covid 19 and': 212630, '19 and the': 5119, 'and the incoming': 73422, 'the incoming economic': 858051, 'incoming economic relief': 432514, 'economic relief payment': 267249, 'relief payment educate': 709430, 'payment educate yourself': 645608, 'educate yourself so': 268779, 'yourself so you': 1026703, 'so you don': 778839, 'you don fall': 1018312, 'don fall prey': 253502, 'fall prey to': 297032, 'prey to scammer': 672079, 'to scammer trick': 913873, 'my': 547124, 'buying': 149831, 'year': 1014326, 'worth': 1011317, 'cleaning': 180886, 'selfish': 747975, 'idiot': 413441, 'ashamed': 95036, 'my friend': 548418, 'friend if': 333643, 'you are': 1017045, 'are panic': 88957, 'panic buying': 637623, 'buying year': 151396, 'year worth': 1015119, 'worth of': 1011405, 'supply of': 825611, 'of cleaning': 581451, 'cleaning supply': 181072, 'supply tp': 826045, 'tp or': 927893, 'or food': 615337, 'food you': 317702, 'are selfish': 89933, 'selfish idiot': 748133, 'idiot and': 413447, 'and you': 76001, 'you should': 1021179, 'should be': 765539, 'be ashamed': 113691, 'ashamed 19': 95037, 'my friend if': 548435, 'friend if you': 333645, 'if you are': 415393, 'you are panic': 1017193, 'are panic buying': 88959, 'panic buying year': 637974, 'buying year worth': 151398, 'year worth of': 1015120, 'worth of supply': 1011417, 'of supply of': 590490, 'supply of cleaning': 825616, 'of cleaning supply': 581453, 'cleaning supply tp': 181088, 'supply tp or': 826046, 'tp or food': 927894, 'or food you': 615354, 'food you are': 317705, 'you are selfish': 1017228, 'are selfish idiot': 89935, 'selfish idiot and': 748134, 'idiot and you': 413451, 'and you should': 76046, 'you should be': 1021184, 'should be ashamed': 765558, 'be ashamed 19': 113692, 'news': 560172, 'nyc': 577952, 'pantry': 639505, 'pandemic': 634760, 'coronavirus news': 206315, 'news demand': 560361, 'demand for': 235370, 'for nyc': 324003, 'nyc food': 577982, 'food pantry': 315763, 'pantry ha': 639598, 'ha doubled': 370428, 'doubled during': 256107, 'during covid': 262542, '19 pandemic': 9245, 'coronavirus news demand': 206318, 'news demand for': 560362, 'demand for nyc': 235463, 'for nyc food': 324004, 'nyc food pantry': 577984, 'food pantry ha': 315782, 'pantry ha doubled': 639599, 'ha doubled during': 370430, 'doubled during covid': 256108, 'during covid 19': 262543, 'covid 19 pandemic': 213550, 'published': 688639, 'outbreak': 627935, 'unprecedented': 943068, 'collapse': 185952, 'service': 752017, 'forex': 329164, 'trading': 928826, 'published covid': 688644, '19 outbreak': 9071, 'outbreak cause': 628088, 'cause unprecedented': 167781, 'unprecedented collapse': 943094, 'collapse in': 186009, 'in consumer': 421678, 'consumer service': 198937, 'service forex': 752400, 'forex trading': 329176, 'published covid 19': 688645, 'covid 19 outbreak': 213533, '19 outbreak cause': 9095, 'outbreak cause unprecedented': 628089, 'cause unprecedented collapse': 167782, 'unprecedented collapse in': 943095, 'collapse in consumer': 186013, 'in consumer service': 421719, 'consumer service forex': 198944, 'service forex trading': 752401, 'melbourne': 527919, 'pick': 655638, 'grandmother': 361922, 'hospital': 404253, 'need': 554327, 'wear': 974281, 'mask': 518249, 'glove': 352525, 'stopthespread': 805905, 'stoppanicbuying': 805543, 'going to': 355516, 'to melbourne': 910072, 'melbourne today': 527944, 'today to': 920346, 'to pick': 911717, 'pick up': 655697, 'up my': 945417, 'my grandmother': 548548, 'grandmother from': 361930, 'from hospital': 335943, 'hospital do': 404371, 'do need': 249635, 'need to': 555846, 'to wear': 918419, 'wear mask': 974373, 'mask and': 518302, 'and glove': 63707, 'glove stopthespread': 352932, 'stopthespread stoppanicbuying': 805921, 'going to melbourne': 355653, 'to melbourne today': 910073, 'melbourne today to': 527945, 'today to pick': 920362, 'to pick up': 911730, 'pick up my': 655737, 'up my grandmother': 945428, 'my grandmother from': 548550, 'grandmother from hospital': 361931, 'from hospital do': 335947, 'hospital do need': 404373, 'do need to': 249640, 'need to wear': 556116, 'to wear mask': 918434, 'wear mask and': 974374, 'mask and glove': 518329, 'and glove stopthespread': 63737, 'glove stopthespread stoppanicbuying': 352933, 'thank': 841528, 'solution': 781981, 'automates': 103968, 'co': 184795, 'branded': 138089, 'invitation': 444262, 'eligible': 271408, 'upgrade': 947528, 'candidate': 161290, 'drive': 258966, 'well': 977986, 'those': 891767, 'dealer': 229592, 'database': 226511, 'thank you': 841681, 'you the': 1021585, 'the consumer': 851487, 'consumer buying': 196699, 'buying solution': 151051, 'solution automates': 781997, 'automates the': 103969, 'the delivery': 853058, 'delivery of': 234219, 'of co': 581489, 'co branded': 184817, 'branded invitation': 138094, 'invitation to': 444265, 'to eligible': 904984, 'eligible upgrade': 271436, 'upgrade candidate': 947531, 'candidate in': 161300, 'in service': 427817, 'service drive': 752308, 'drive well': 259257, 'well those': 978691, 'those in': 892091, 'in dealer': 422039, 'dealer database': 229600, 'thank you the': 841826, 'you the consumer': 1021591, 'the consumer buying': 851504, 'consumer buying solution': 196709, 'buying solution automates': 151052, 'solution automates the': 781998, 'automates the delivery': 103970, 'the delivery of': 853069, 'delivery of co': 234220, 'of co branded': 581490, 'co branded invitation': 184818, 'branded invitation to': 138095, 'invitation to eligible': 444266, 'to eligible upgrade': 904986, 'eligible upgrade candidate': 271437, 'upgrade candidate in': 947532, 'candidate in service': 161301, 'in service drive': 427818, 'service drive well': 752309, 'drive well those': 259258, 'well those in': 978692, 'those in dealer': 892092, 'in dealer database': 422040, 'citizensadvice': 179011, 'responded': 715340, 'financialconductauthority': 306636, 'announcement': 77123, 'series': 751223, 'temporary': 837571, 'credit': 216290, 'card': 163440, 'some': 782234, 'other': 619791, 'term': 838049, 'debt': 230401, 'consumer news': 198210, 'news citizensadvice': 560316, 'citizensadvice ha': 179012, 'ha responded': 371742, 'responded to': 715361, 'the financialconductauthority': 855232, 'financialconductauthority announcement': 306637, 'announcement of': 77174, 'of series': 589516, 'series of': 751264, 'of temporary': 590658, 'temporary measure': 837662, 'measure to': 525380, 'to help': 907437, 'help those': 390741, 'those with': 892710, 'with credit': 997846, 'credit card': 216326, 'card and': 163446, 'and some': 71949, 'some other': 783474, 'other short': 620906, 'short term': 764722, 'term debt': 838113, 'debt during': 230474, 'the outbreak': 862584, 'consumer news citizensadvice': 198211, 'news citizensadvice ha': 560317, 'citizensadvice ha responded': 179013, 'ha responded to': 371744, 'responded to the': 715365, 'to the financialconductauthority': 916712, 'the financialconductauthority announcement': 855233, 'financialconductauthority announcement of': 306638, 'announcement of series': 77177, 'of series of': 589517, 'series of temporary': 751279, 'of temporary measure': 590660, 'temporary measure to': 837667, 'measure to help': 525395, 'to help those': 907652, 'help those with': 390755, 'those with credit': 892715, 'with credit card': 997848, 'credit card and': 216327, 'card and some': 163457, 'and some other': 71974, 'some other short': 783481, 'other short term': 620907, 'short term debt': 764731, 'term debt during': 838114, 'debt during the': 230475, 'during the outbreak': 263166, 'light': 489508, 'novel': 573739, 'transportation': 929984, 'skyrocketing': 773400, 'nigeria': 562705, 'who': 988008, 'offend': 594463, 'in light': 424721, 'light of': 489547, 'of the': 590757, 'the novel': 861904, 'novel covid': 573769, '19 transportation': 11550, 'transportation price': 930023, 'price are': 672624, 'are skyrocketing': 90159, 'skyrocketing in': 773430, 'in nigeria': 425873, 'nigeria who': 562822, 'who we': 989937, 'we offend': 972621, 'in light of': 424722, 'light of the': 489564, 'of the novel': 591279, 'the novel covid': 861910, 'novel covid 19': 573770, 'covid 19 transportation': 213978, '19 transportation price': 11551, 'transportation price are': 930024, 'price are skyrocketing': 672736, 'are skyrocketing in': 90165, 'skyrocketing in nigeria': 773433, 'in nigeria who': 425892, 'nigeria who we': 562823, 'who we offend': 989939, 'curious': 220969, 'real': 701015, 'estate': 282086, 'impacted': 418062, 'learn': 483927, 'insight': 439494, 'team': 835567, 'new': 558308, 'yorkers': 1016696, 'asking': 95925, 'clue': 184524, 'past': 643483, 'recession': 704197, 'nycrealestate': 578089, 'realestate': 701472, 'curious how': 220976, 'how nyc': 408417, 'nyc real': 578033, 'real estate': 701132, 'estate price': 282172, 'price will': 677550, 'be impacted': 115369, 'impacted by': 418074, 'by coronavirus': 152226, 'coronavirus learn': 206217, 'learn insight': 483998, 'insight from': 439544, 'the team': 869199, 'team on': 835747, 'on question': 603052, 'question new': 693660, 'new yorkers': 559962, 'yorkers are': 1016699, 'are asking': 84632, 'asking and': 95940, 'and what': 75446, 'what clue': 981223, 'clue we': 184561, 'we can': 970897, 'can learn': 158847, 'learn from': 483959, 'from past': 336859, 'past recession': 643591, 'recession via': 704390, 'via nycrealestate': 956122, 'nycrealestate realestate': 578090, 'curious how nyc': 220978, 'how nyc real': 408418, 'nyc real estate': 578034, 'real estate price': 701160, 'estate price will': 282186, 'price will be': 677553, 'will be impacted': 992508, 'be impacted by': 115370, 'impacted by coronavirus': 418078, 'by coronavirus learn': 152232, 'coronavirus learn insight': 206218, 'learn insight from': 483999, 'insight from the': 439557, 'from the team': 337896, 'the team on': 869211, 'team on question': 835751, 'on question new': 603053, 'question new yorkers': 693661, 'new yorkers are': 559964, 'yorkers are asking': 1016700, 'are asking and': 84634, 'asking and what': 95942, 'and what clue': 75454, 'what clue we': 981224, 'clue we can': 184562, 'we can learn': 970971, 'can learn from': 158850, 'learn from past': 483969, 'from past recession': 336860, 'past recession via': 643593, 'recession via nycrealestate': 704391, 'via nycrealestate realestate': 956123, 'farmer': 299233, 'warned': 966983, 'livestock': 496256, 'machinery': 507433, 'protected': 685116, 'thief': 884000, 'try': 934431, 'cash': 166143, 'amid': 52368, 'crisis': 216951, 'farmer warned': 299565, 'warned to': 967043, 'to ensure': 905138, 'ensure livestock': 277981, 'livestock and': 496259, 'and machinery': 66501, 'machinery are': 507436, 'are protected': 89292, 'protected thief': 685155, 'thief try': 884015, 'try to': 934598, 'to cash': 902477, 'cash in': 166252, 'in on': 426111, 'on demand': 600271, 'for food': 321543, 'food amid': 313115, 'amid the': 52679, 'the covid': 852228, '19 crisis': 6205, 'farmer warned to': 299566, 'warned to ensure': 967045, 'to ensure livestock': 905171, 'ensure livestock and': 277982, 'livestock and machinery': 496261, 'and machinery are': 66502, 'machinery are protected': 507437, 'are protected thief': 89297, 'protected thief try': 685156, 'thief try to': 884016, 'try to cash': 934610, 'to cash in': 902478, 'cash in on': 166255, 'in on demand': 426115, 'on demand for': 600280, 'demand for food': 235419, 'for food amid': 321547, 'food amid the': 313119, 'amid the covid': 52688, 'the covid 19': 852229, 'covid 19 crisis': 212890, 'fill': 305449, 'take': 831861, 'fuel': 340112, 'likely': 491937, 'effected': 269168, 'explains': 292199, 'mean': 524345, 'filling': 305593, 'how do': 407705, 'do fill': 249297, 'fill up': 305509, 'my car': 547593, 'car during': 163067, 'the pandemic': 862886, 'pandemic from': 635466, 'from what': 338337, 'what to': 982448, 'to take': 916146, 'take with': 832803, 'with you': 1002139, 'you to': 1021745, 'how fuel': 407898, 'fuel price': 340215, 'are likely': 87799, 'likely to': 492124, 'be effected': 114647, 'effected explains': 269176, 'explains what': 292247, 'what the': 982291, 'pandemic mean': 635950, 'mean for': 524430, 'for filling': 321476, 'filling up': 305640, 'up your': 946730, 'your car': 1023123, 'car at': 163011, 'at fuel': 98722, 'fuel station': 340282, 'how do fill': 407713, 'do fill up': 249298, 'fill up my': 305513, 'up my car': 945422, 'my car during': 547599, 'car during the': 163068, 'during the pandemic': 263168, 'the pandemic from': 862970, 'pandemic from what': 635475, 'from what to': 338344, 'what to take': 982466, 'to take with': 916261, 'take with you': 832805, 'with you to': 1002169, 'you to how': 1021789, 'to how fuel': 908021, 'how fuel price': 407899, 'fuel price are': 340220, 'price are likely': 672693, 'are likely to': 87807, 'likely to be': 492130, 'to be effected': 901230, 'be effected explains': 114648, 'effected explains what': 269177, 'explains what the': 292252, 'what the pandemic': 982347, 'the pandemic mean': 863024, 'pandemic mean for': 635951, 'mean for filling': 524437, 'for filling up': 321477, 'filling up your': 305644, 'up your car': 946733, 'your car at': 1023126, 'car at fuel': 163013, 'at fuel station': 98723, 'slowing': 774522, 'inside': 439207, 'increase': 432648, 'transmission': 929723, 'strategy': 812588, 'good': 356671, 'managing': 512846, 'extended': 293143, 'period': 651698, 'contact': 199984, 'queue': 693846, 'footfall': 318535, 'public': 687825, 'space': 787041, 'by slowing': 154042, 'slowing people': 774566, 'people down': 647719, 'down inside': 256879, 'inside supermarket': 439394, 'supermarket by': 819477, 'by socialdistancing': 154062, 'socialdistancing is': 780457, 'to increase': 908265, 'increase the': 433100, 'the transmission': 869907, 'transmission rate': 929761, 'rate of': 697308, 'the strategy': 868201, 'strategy is': 812665, 'is good': 448137, 'good for': 357069, 'for managing': 323185, 'managing transmission': 512915, 'transmission during': 929738, 'during extended': 262637, 'extended period': 293179, 'period of': 651831, 'of social': 589835, 'social contact': 779472, 'contact in': 200102, 'in queue': 427216, 'queue and': 693857, 'and for': 63133, 'managing footfall': 512872, 'footfall inside': 318543, 'inside public': 439366, 'public space': 688324, 'by slowing people': 154043, 'slowing people down': 774567, 'people down inside': 647722, 'down inside supermarket': 256880, 'inside supermarket by': 439395, 'supermarket by socialdistancing': 819482, 'by socialdistancing is': 154063, 'socialdistancing is going': 780465, 'is going to': 448104, 'going to increase': 355627, 'to increase the': 908305, 'increase the transmission': 433116, 'the transmission rate': 869909, 'transmission rate of': 929762, 'rate of the': 697323, 'of the strategy': 591500, 'the strategy is': 868204, 'strategy is good': 812667, 'is good for': 448142, 'good for managing': 357080, 'for managing transmission': 323191, 'managing transmission during': 512916, 'transmission during extended': 929739, 'during extended period': 262638, 'extended period of': 293180, 'period of social': 651852, 'of social contact': 589836, 'social contact in': 779476, 'contact in queue': 200106, 'in queue and': 427218, 'queue and for': 693861, 'and for managing': 63146, 'for managing footfall': 323188, 'managing footfall inside': 512873, 'footfall inside public': 318544, 'inside public space': 439367, 'obamacare': 578339, 'consolidation': 195547, 'raising': 696061, 'patient': 644118, 'obamacare drive': 578344, 'drive hospital': 259072, 'hospital consolidation': 404354, 'consolidation raising': 195555, 'raising price': 696105, 'price for': 673916, 'for patient': 324415, 'obamacare drive hospital': 578345, 'drive hospital consolidation': 259073, 'hospital consolidation raising': 404356, 'consolidation raising price': 195556, 'raising price for': 696112, 'price for patient': 674021, 'australia': 103210, 'prime': 678100, 'minister': 533320, 'stop': 804412, 'hoarding': 399163, 'shopper': 761325, 'country': 210399, 'empty': 274733, 'shelf': 756669, 'growing': 367118, 'over': 629746, 'rapid': 696893, 'spread': 790381, 'which': 985636, 'infected': 436520, 'nearly': 553746, '180': 4611, '00': 0, 'worldwide': 1010302, 'australia prime': 103353, 'prime minister': 678129, 'minister ha': 533375, 'ha warned': 372450, 'warned people': 967021, 'people to': 649870, 'to stop': 915495, 'stop hoarding': 804722, 'hoarding shopper': 399516, 'shopper across': 761337, 'across the': 29478, 'the country': 852038, 'country empty': 210611, 'empty supermarket': 275154, 'supermarket shelf': 822416, 'shelf amid': 756705, 'amid growing': 52491, 'growing concern': 367138, 'concern over': 193045, 'over the': 630689, 'the rapid': 865144, 'rapid spread': 696932, 'spread of': 790646, 'novel coronavirus': 573753, 'coronavirus which': 207070, 'which ha': 985872, 'ha infected': 370965, 'infected nearly': 436604, 'nearly 180': 553764, '180 00': 4612, '00 people': 405, 'people worldwide': 650524, 'australia prime minister': 103354, 'prime minister ha': 678137, 'minister ha warned': 533376, 'ha warned people': 372456, 'warned people to': 967025, 'people to stop': 649948, 'to stop hoarding': 915536, 'stop hoarding shopper': 804737, 'hoarding shopper across': 399517, 'shopper across the': 761338, 'across the country': 29491, 'the country empty': 852070, 'country empty supermarket': 210612, 'empty supermarket shelf': 275164, 'supermarket shelf amid': 822424, 'shelf amid growing': 756706, 'amid growing concern': 52493, 'growing concern over': 367142, 'concern over the': 193053, 'over the rapid': 630757, 'the rapid spread': 865151, 'rapid spread of': 696933, 'spread of the': 790715, 'the novel coronavirus': 861908, 'novel coronavirus which': 573766, 'coronavirus which ha': 207071, 'which ha infected': 985886, 'ha infected nearly': 370968, 'infected nearly 180': 436605, 'nearly 180 00': 553765, '180 00 people': 4613, '00 people worldwide': 424, 'before': 122582, 'helped': 391044, 'distribute': 247953, 'emergency': 272577, 'an': 55015, 'average': 104789, '160': 4202, 'household': 406730, 'month': 537510, 'figure': 305181, 'already': 47172, 'stand': 793479, 'total': 926116, '441': 19037, 'struggling': 814416, 'keep': 471276, 'running': 727886, 'before covid': 122722, '19 helped': 7502, 'helped distribute': 391061, 'distribute emergency': 247968, 'emergency food': 272697, 'food to': 317227, 'to an': 900435, 'an average': 55493, 'average of': 104874, 'of 160': 579372, '160 household': 4210, 'household month': 406879, 'month this': 538065, 'this month': 888895, 'month that': 538033, 'that figure': 843864, 'figure already': 305184, 'already stand': 47674, 'stand at': 793494, 'at total': 101347, 'total of': 926205, 'of 441': 579588, '441 we': 19040, 're struggling': 699624, 'struggling to': 814494, 'to keep': 908746, 'keep up': 472168, 'up with': 946614, 'with the': 1001183, 'the demand': 853082, 'demand we': 236457, 'we need': 972458, 'need your': 556268, 'your help': 1024296, 'help to': 390761, 'keep our': 471722, 'our service': 624725, 'service running': 752780, 'before covid 19': 122723, 'covid 19 helped': 213200, '19 helped distribute': 7503, 'helped distribute emergency': 391062, 'distribute emergency food': 247969, 'emergency food to': 272717, 'food to an': 317231, 'to an average': 900443, 'an average of': 55497, 'average of 160': 104876, 'of 160 household': 579373, '160 household month': 4211, 'household month this': 406880, 'month this month': 538068, 'this month that': 888917, 'month that figure': 538035, 'that figure already': 843865, 'figure already stand': 305185, 'already stand at': 47675, 'stand at total': 793496, 'at total of': 101348, 'total of 441': 926208, 'of 441 we': 579589, '441 we re': 19041, 'we re struggling': 972976, 're struggling to': 699625, 'struggling to keep': 814506, 'to keep up': 908874, 'keep up with': 472182, 'up with the': 946692, 'with the demand': 1001262, 'the demand we': 853118, 'demand we need': 236460, 'we need your': 972570, 'need your help': 556271, 'your help to': 1024310, 'help to keep': 390780, 'to keep our': 908821, 'keep our service': 471747, 'our service running': 624730, 'kind': 474792, 'situation': 772155, 'gun': 368679, 'correct': 207496, 'answer': 77997, 'won': 1003728, 'water': 968840, 'order': 617974, 'toliet': 923818, 'see': 744856, 'any': 78889, 'reason': 702860, 'firearm': 308137, 'but': 145024, 'only': 609958, 've kind': 953318, 'kind of': 474869, 'of created': 582122, 'created situation': 215891, 'situation where': 772576, 'where gun': 984897, 'gun is': 368704, 'the correct': 851964, 'correct answer': 207501, 'answer covid': 78031, '19 won': 12159, 'won effect': 1003793, 'effect the': 269120, 'the water': 871123, 'water supply': 969182, 'supply and': 824698, 'can order': 159166, 'order food': 618211, 'food and': 313164, 'and toliet': 74263, 'toliet paper': 923819, 'paper online': 640539, 'online don': 608126, 'don see': 253889, 'see any': 744914, 'any reason': 79729, 'reason to': 703018, 'to stock': 915424, 'stock up': 803048, 'up on': 945517, 'on firearm': 600804, 'firearm but': 308142, 'but they': 147488, 'they are': 881185, 'are the': 90791, 'the only': 862285, 'only one': 610864, 'you ve kind': 1022048, 've kind of': 953319, 'kind of created': 474884, 'of created situation': 582123, 'created situation where': 215893, 'situation where gun': 772577, 'where gun is': 984898, 'gun is the': 368705, 'is the correct': 452755, 'the correct answer': 851966, 'correct answer covid': 207502, 'answer covid 19': 78032, 'covid 19 won': 214085, '19 won effect': 12162, 'won effect the': 1003794, 'effect the water': 269125, 'the water supply': 871128, 'water supply and': 969184, 'supply and you': 824766, 'and you can': 76006, 'you can order': 1017739, 'can order food': 159170, 'order food and': 618212, 'food and toliet': 313367, 'and toliet paper': 74264, 'toliet paper online': 923820, 'paper online don': 640541, 'online don see': 608128, 'don see any': 253890, 'see any reason': 744922, 'any reason to': 79732, 'reason to stock': 703037, 'to stock up': 915457, 'stock up on': 803103, 'up on firearm': 945563, 'on firearm but': 600805, 'firearm but they': 308143, 'but they are': 147491, 'they are the': 881430, 'are the only': 90874, 'the only one': 862323, 'only one of': 610881, 'one of the': 606764, 'beginning': 123615, 'die': 241290, 'grocery worker': 366158, 'worker are': 1006363, 'are beginning': 84813, 'beginning to': 123662, 'to die': 904268, 'die of': 241410, 'of coronavirus': 581913, 'grocery worker are': 366162, 'worker are beginning': 1006371, 'are beginning to': 84814, 'beginning to die': 123666, 'to die of': 904278, 'die of coronavirus': 241418, 'idea': 412994, 'end': 275752, 'hundred': 410976, 'thousand': 893370, 'son': 785340, 'essential': 280741, 'provider': 686681, 'practice': 668511, 'serious': 751323, 'deep': 231837, 'have no': 381606, 'no idea': 564460, 'idea how': 413071, 'how this': 408942, 'this will': 891400, 'will end': 993302, 'end other': 275928, 'other than': 621057, 'than hundred': 840766, 'hundred of': 410993, 'of thousand': 592135, 'thousand of': 893419, 'of people': 587867, 'people dying': 647747, 'dying we': 263881, 'we do': 971322, 'do what': 250508, 'what we': 982538, 'can because': 157723, 'because my': 119255, 'my son': 550148, 'son work': 785460, 'work in': 1005292, 'in supermarket': 428551, 'supermarket and': 818922, 'and is': 65387, 'is an': 445631, 'an essential': 55816, 'essential service': 281494, 'service provider': 752723, 'provider we': 686815, 'we practice': 972724, 'practice serious': 668651, 'serious socialdistancing': 751476, 'socialdistancing and': 780204, 'and deep': 61042, 'deep cleaning': 231858, 'cleaning is': 180970, 'have no idea': 381634, 'no idea how': 564465, 'idea how this': 413079, 'how this will': 408959, 'this will end': 891414, 'will end other': 993306, 'end other than': 275929, 'other than hundred': 621069, 'than hundred of': 840767, 'hundred of thousand': 411017, 'of thousand of': 592137, 'thousand of people': 893458, 'of people dying': 587900, 'people dying we': 647753, 'dying we do': 263882, 'we do what': 971360, 'do what we': 250518, 'what we can': 982544, 'we can because': 970914, 'can because my': 157725, 'because my son': 119264, 'my son work': 550171, 'son work in': 785463, 'work in supermarket': 1005346, 'in supermarket and': 428558, 'supermarket and is': 819007, 'and is an': 65390, 'is an essential': 445656, 'an essential service': 55834, 'essential service provider': 281521, 'service provider we': 752739, 'provider we practice': 686816, 'we practice serious': 972725, 'practice serious socialdistancing': 668652, 'serious socialdistancing and': 751477, 'socialdistancing and deep': 780207, 'and deep cleaning': 61043, 'deep cleaning is': 231862, 'colorado': 186773, 'ag': 36768, 'vow': 960690, 'investigate': 443790, 'promise': 683662, 'refund': 706860, 'deliver': 233080, 'colorado ag': 186774, 'ag vow': 36852, 'vow to': 960693, 'to investigate': 908487, 'investigate business': 443797, 'business who': 144666, 'who promise': 989459, 'promise refund': 683689, 'refund and': 706863, 'and don': 61623, 'don deliver': 253451, 'colorado ag vow': 186776, 'ag vow to': 36853, 'vow to investigate': 960696, 'to investigate business': 908490, 'investigate business who': 443798, 'business who promise': 144672, 'who promise refund': 989460, 'promise refund and': 683690, 'refund and don': 706865, 'and don deliver': 61628, 'remember': 710152, 'muppets': 546129, 'went': 978946, 'few': 303703, 'back': 106814, 'acting': 29860, 'animal': 76539, 'looking': 502770, 'themselves': 876736, 'probably': 679194, 'remember when': 710407, 'when all': 983125, 'all those': 45156, 'those muppets': 892230, 'muppets went': 546136, 'went panic': 979098, 'buying toilet': 151246, 'paper and': 639800, 'food few': 314459, 'few week': 304128, 'week back': 975973, 'back acting': 106823, 'acting like': 29876, 'like animal': 489800, 'animal they': 76667, 'they will': 883824, 'be looking': 115819, 'looking back': 502833, 'back at': 106883, 'at that': 100852, 'that and': 842649, 'and be': 58743, 'be so': 117247, 'so ashamed': 776548, 'ashamed of': 95056, 'of themselves': 591781, 'themselves or': 876863, 'or probably': 616706, 'probably not': 679331, 'remember when all': 710409, 'when all those': 983136, 'all those muppets': 45171, 'those muppets went': 892232, 'muppets went panic': 546137, 'went panic buying': 979099, 'panic buying toilet': 637940, 'buying toilet paper': 151247, 'toilet paper and': 921185, 'paper and food': 639823, 'and food few': 63047, 'food few week': 314460, 'few week back': 304135, 'week back acting': 975974, 'back acting like': 106824, 'acting like animal': 29878, 'like animal they': 489802, 'animal they will': 76668, 'they will be': 883829, 'will be looking': 992545, 'be looking back': 115822, 'looking back at': 502834, 'back at that': 106893, 'at that and': 100853, 'that and be': 842651, 'and be so': 58767, 'be so ashamed': 117248, 'so ashamed of': 776550, 'ashamed of themselves': 95066, 'of themselves or': 591786, 'themselves or probably': 876864, 'or probably not': 616707, 'avoid': 104991, 'madness': 508149, 'cardiff': 163758, 'central': 169355, 'fresh': 332901, 'fish': 309283, 'poultry': 667303, 'plus': 661552, 'stall': 793354, 'meat': 525463, 'fruit': 339050, 'veg': 953706, 'much': 544663, 'come': 187173, 'tomorrow': 923996, '8am': 23119, '15pm': 4032, '02920': 835, '229202': 15324, 'avoid the': 105316, 'the supermarket': 868438, 'supermarket madness': 821423, 'madness cardiff': 508168, 'cardiff central': 163759, 'central market': 169410, 'market ha': 516480, 'ha our': 371461, 'our fresh': 623172, 'fresh fish': 332949, 'fish and': 309286, 'and poultry': 69272, 'poultry plus': 667334, 'plus stall': 661680, 'stall with': 793384, 'with meat': 999464, 'meat fruit': 525588, 'fruit and': 339057, 'and veg': 74854, 'veg and': 953713, 'and much': 67305, 'much more': 545093, 'more local': 539707, 'local home': 498080, 'home delivery': 401005, 'delivery available': 233733, 'available come': 104297, 'come and': 187211, 'and see': 71128, 'see tomorrow': 745976, 'tomorrow open': 924151, 'open 8am': 612011, '8am to': 23160, 'to 15pm': 899514, '15pm 02920': 4033, '02920 229202': 836, 'avoid the supermarket': 105335, 'the supermarket madness': 868689, 'supermarket madness cardiff': 821428, 'madness cardiff central': 508169, 'cardiff central market': 163760, 'central market ha': 169412, 'market ha our': 516486, 'ha our fresh': 371462, 'our fresh fish': 623173, 'fresh fish and': 332950, 'fish and poultry': 309290, 'and poultry plus': 69273, 'poultry plus stall': 667335, 'plus stall with': 661681, 'stall with meat': 793385, 'with meat fruit': 999466, 'meat fruit and': 525589, 'fruit and veg': 339065, 'and veg and': 74856, 'veg and much': 953714, 'and much more': 67307, 'much more local': 545115, 'more local home': 539710, 'local home delivery': 498081, 'home delivery available': 401011, 'delivery available come': 233734, 'available come and': 104298, 'come and see': 187220, 'and see tomorrow': 71148, 'see tomorrow open': 745977, 'tomorrow open 8am': 924152, 'open 8am to': 612012, '8am to 15pm': 23161, 'to 15pm 02920': 899515, '15pm 02920 229202': 4034, 'behavior': 123849, 'key insight': 473323, 'insight into': 439579, 'into the': 443092, 'the effect': 854063, 'effect of': 269040, '19 on': 8925, 'on consumer': 600022, 'consumer behavior': 196430, 'key insight into': 473327, 'insight into the': 439584, 'into the effect': 443121, 'the effect of': 854067, 'effect of covid': 269045, 'covid 19 on': 213515, '19 on consumer': 8937, 'on consumer behavior': 600028, 'forget': 329217, 'meal': 524081, 'restaurant': 716256, 'them': 875296, 'without': 1002470, 'exposing': 292918, 'community': 189685, 'infection': 436703, 'reduce': 705781, 'disruption': 246431, 'distribution': 248101, 'too': 924555, 'c4news': 154845, 'not forget': 569505, 'forget to': 329315, 'to order': 911058, 'order in': 618308, 'in meal': 425207, 'meal from': 524163, 'from those': 338022, 'those restaurant': 892394, 'restaurant now': 716594, 'now it': 575101, 'it ll': 459415, 'll keep': 496864, 'keep them': 472101, 'them in': 875890, 'in business': 421068, 'business without': 144710, 'without exposing': 1002626, 'exposing the': 292936, 'the community': 851264, 'community to': 190171, 'to risk': 913589, 'of infection': 585157, 'infection and': 436708, 'll reduce': 496968, 'reduce panic': 705889, 'buying disruption': 150190, 'disruption of': 246509, 'of food': 583632, 'food distribution': 314222, 'distribution too': 248243, 'too c4news': 924638, 'do not forget': 249741, 'not forget to': 569518, 'forget to order': 329327, 'to order in': 911073, 'order in meal': 618317, 'in meal from': 425208, 'meal from those': 524167, 'from those restaurant': 338032, 'those restaurant now': 892395, 'restaurant now it': 716595, 'now it ll': 575122, 'it ll keep': 459427, 'll keep them': 496866, 'keep them in': 472111, 'them in business': 875895, 'in business without': 421088, 'business without exposing': 144711, 'without exposing the': 1002627, 'exposing the community': 292937, 'the community to': 851302, 'community to risk': 190178, 'to risk of': 913601, 'risk of infection': 723757, 'of infection and': 585158, 'infection and it': 436711, 'and it ll': 65548, 'it ll reduce': 459430, 'll reduce panic': 496969, 'reduce panic buying': 705891, 'panic buying disruption': 637703, 'buying disruption of': 150191, 'disruption of food': 246513, 'of food distribution': 583679, 'food distribution too': 314239, 'distribution too c4news': 248244, 'am': 49829, 'furious': 341850, 'doctor': 250799, 'spreading': 790911, 'lie': 488323, 'why': 990713, 'enough': 277304, 'tweet': 936305, 'logic': 500642, 'news am': 560216, 'am furious': 50069, 'furious that': 341861, 'that doctor': 843574, 'doctor are': 250835, 'are spreading': 90334, 'spreading lie': 790996, 'lie why': 488395, 'why do': 990927, 'not you': 572604, 'you just': 1019412, 'just tell': 469964, 'tell the': 837080, 'the public': 864782, 'public you': 688503, 'you do': 1018243, 'not have': 569808, 'have enough': 380436, 'enough glove': 277453, 'glove tweet': 352991, 'tweet me': 936382, 'me and': 522402, 'and ll': 66265, 'll give': 496801, 'you logic': 1019690, 'news am furious': 560217, 'am furious that': 50070, 'furious that doctor': 341862, 'that doctor are': 843576, 'doctor are spreading': 250840, 'are spreading lie': 90337, 'spreading lie why': 790997, 'lie why do': 488397, 'why do not': 990934, 'do not you': 249896, 'not you just': 572612, 'you just tell': 1019434, 'just tell the': 469966, 'tell the public': 837090, 'the public you': 864878, 'public you do': 688505, 'you do not': 1018263, 'do not have': 249753, 'not have enough': 569827, 'have enough glove': 380451, 'enough glove tweet': 277455, 'glove tweet me': 352992, 'tweet me and': 936383, 'me and ll': 522415, 'and ll give': 66269, 'll give you': 496804, 'give you logic': 350861, 'prediciton': 669544, 'boost': 134926, 'bored': 135326, 'quarantined': 692813, 'buyer': 149547, 'till': 895967, 'sofa': 781437, '15': 3628, 'shopping': 761861, 'crush': 219766, 'retail': 717793, 'long': 501313, 'passed': 643244, 'prediciton not': 669545, 'not that': 571964, 'that it': 844691, 'it need': 459751, 'need boost': 554557, 'boost but': 134929, 'but after': 145064, 'after bored': 35425, 'bored quarantined': 135368, 'quarantined buyer': 692835, 'buyer shop': 149745, 'shop till': 760936, 'till they': 896109, 'they drop': 882020, 'drop on': 260346, 'on the': 603948, 'the sofa': 867447, 'sofa for': 781442, 'for 15': 318662, '15 day': 3692, 'day online': 228158, 'online shopping': 609006, 'shopping will': 764409, 'will crush': 993078, 'crush retail': 219787, 'retail for': 718126, 'for long': 323073, 'long after': 501317, 'after the': 36280, '19 ha': 7320, 'ha passed': 371473, 'prediciton not that': 669546, 'not that it': 571972, 'that it need': 844727, 'it need boost': 459752, 'need boost but': 554558, 'boost but after': 134930, 'but after bored': 145066, 'after bored quarantined': 35426, 'bored quarantined buyer': 135369, 'quarantined buyer shop': 692836, 'buyer shop till': 149746, 'shop till they': 760937, 'till they drop': 896110, 'they drop on': 882021, 'drop on the': 260349, 'on the sofa': 604372, 'the sofa for': 867448, 'sofa for 15': 781443, 'for 15 day': 318664, '15 day online': 3694, 'day online shopping': 228160, 'online shopping will': 609347, 'shopping will crush': 764413, 'will crush retail': 993079, 'crush retail for': 219788, 'retail for long': 718127, 'for long after': 323074, 'long after the': 501320, 'after the covid': 36302, 'covid 19 ha': 213176, '19 ha passed': 7372, 'resident': 714237, 'sanfrancisco': 733773, 'leave': 484721, 'appointment': 82654, 'run': 727539, 'strictest': 813677, 'policy': 663309, 'enacted': 275501, 'match': 520279, 'current': 221081, 'italy': 462749, '2nd': 16747, 'hardest': 378202, 'hit': 398082, 'new lockdown': 559057, 'lockdown resident': 499857, 'resident of': 714333, 'of sanfrancisco': 589270, 'sanfrancisco can': 733774, 'can only': 159115, 'only leave': 610706, 'leave home': 484818, 'home for': 401214, 'for doctor': 320790, 'doctor appointment': 250828, 'appointment or': 82677, 'or run': 616931, 'run to': 727841, 'store it': 808562, 'it the': 461508, 'the strictest': 868284, 'strictest new': 813678, 'new policy': 559297, 'policy enacted': 663391, 'enacted in': 275504, 'the and': 848677, 'and match': 66785, 'match the': 520305, 'the current': 852607, 'current rule': 221348, 'rule in': 727261, 'in italy': 424285, 'italy the': 462939, 'the 2nd': 848072, '2nd hardest': 16779, 'hardest hit': 378214, 'hit country': 398204, 'country in': 210771, 'new lockdown resident': 559058, 'lockdown resident of': 499858, 'resident of sanfrancisco': 714344, 'of sanfrancisco can': 589271, 'sanfrancisco can only': 733775, 'can only leave': 159130, 'only leave home': 610707, 'leave home for': 484819, 'home for doctor': 401226, 'for doctor appointment': 320792, 'doctor appointment or': 250831, 'appointment or run': 82678, 'or run to': 616935, 'run to the': 727846, 'grocery store it': 365494, 'store it the': 808595, 'it the strictest': 461578, 'the strictest new': 868285, 'strictest new policy': 813679, 'new policy enacted': 559300, 'policy enacted in': 663392, 'enacted in the': 275505, 'in the and': 428979, 'the and match': 848708, 'and match the': 66786, 'match the current': 520306, 'the current rule': 852662, 'current rule in': 221349, 'rule in italy': 727265, 'in italy the': 424319, 'italy the 2nd': 462940, 'the 2nd hardest': 848076, '2nd hardest hit': 16780, 'hardest hit country': 378217, 'hit country in': 398205, 'country in the': 210781, 'in the world': 429692, 'every': 285636, 'shift': 758212, 'lead': 483259, 'living': 496308, 'different': 241884, 'great': 362477, 'depression': 237619, 'defined': 232280, 'habit': 372537, 'decade': 230658, 'hyperinflation': 412306, 'wwii': 1013687, 'haunt': 379024, 'german': 346194, 'every economic': 285882, 'economic shift': 267272, 'shift lead': 758345, 'lead to': 483323, 'to new': 910550, 'new way': 559852, 'way of': 969737, 'of living': 585907, 'living covid': 496338, 'pandemic will': 636998, 'be no': 116089, 'no different': 564013, 'different the': 242090, 'the great': 856713, 'great depression': 362623, 'depression defined': 237637, 'defined consumer': 232283, 'consumer habit': 197679, 'habit for': 372614, 'for decade': 320604, 'decade hyperinflation': 230684, 'hyperinflation after': 412307, 'after wwii': 36591, 'wwii still': 1013698, 'still haunt': 800637, 'haunt german': 379025, 'german policy': 346238, 'every economic shift': 285884, 'economic shift lead': 267273, 'shift lead to': 758346, 'lead to new': 483370, 'to new way': 910581, 'new way of': 559855, 'way of living': 969761, 'of living covid': 585911, 'living covid 19': 496339, '19 pandemic will': 9525, 'pandemic will be': 636999, 'will be no': 992574, 'be no different': 116093, 'no different the': 564016, 'different the great': 242091, 'the great depression': 856718, 'great depression defined': 362625, 'depression defined consumer': 237638, 'defined consumer habit': 232284, 'consumer habit for': 197686, 'habit for decade': 372615, 'for decade hyperinflation': 320606, 'decade hyperinflation after': 230685, 'hyperinflation after wwii': 412308, 'after wwii still': 36593, 'wwii still haunt': 1013699, 'still haunt german': 800638, 'haunt german policy': 379026, 'nofood': 566133, 'toiletpapershortage': 923316, 'love': 504580, 'neighbor': 556969, 'together': 920658, 'our local': 623763, 'local hoarding': 498078, 'hoarding nofood': 399442, 'nofood toiletpapershortage': 566181, 'toiletpapershortage please': 923325, 'please friend': 660013, 'friend love': 333704, 'love your': 504889, 'your neighbor': 1024946, 'neighbor do': 556999, 'do it': 249459, 'it together': 461772, 'together hello': 920822, 'our local hoarding': 623777, 'local hoarding nofood': 498079, 'hoarding nofood toiletpapershortage': 399443, 'nofood toiletpapershortage please': 566182, 'toiletpapershortage please friend': 923326, 'please friend love': 660014, 'friend love your': 333705, 'love your neighbor': 504890, 'your neighbor do': 1024952, 'neighbor do it': 557000, 'do it together': 249520, 'it together hello': 461774, 'couple': 211551, 'opened': 612698, 'free': 331607, 'earlier': 264415, 'support': 826314, 'family': 297543, 'nashville': 552009, 'paisley': 634366, 'mobilize': 535103, 'elderly': 270557, 'area': 91905, 'the couple': 852201, 'couple opened': 211654, 'opened free': 612729, 'free grocery': 331880, 'store earlier': 807418, 'earlier this': 264492, 'this year': 891559, 'year to': 1015033, 'to support': 915898, 'support family': 826486, 'family in': 297914, 'in need': 425720, 'need in': 555040, 'in nashville': 425679, 'nashville now': 552022, 'now paisley': 575503, 'paisley ha': 634383, 'ha announced': 369554, 'announced that': 77058, 'that the': 846653, 'the store': 867970, 'store will': 811325, 'will mobilize': 994120, 'mobilize week': 535106, 'week delivery': 976139, 'of grocery': 584341, 'grocery to': 366047, 'to elderly': 904966, 'elderly resident': 270871, 'resident in': 714312, 'the area': 848875, 'the couple opened': 852205, 'couple opened free': 211655, 'opened free grocery': 612730, 'free grocery store': 331883, 'grocery store earlier': 365354, 'store earlier this': 807423, 'earlier this year': 264496, 'this year to': 891601, 'year to support': 1015049, 'to support family': 915928, 'support family in': 826488, 'family in need': 297923, 'in need in': 425749, 'need in nashville': 555045, 'in nashville now': 425684, 'nashville now paisley': 552023, 'now paisley ha': 575505, 'paisley ha announced': 634384, 'ha announced that': 369568, 'announced that the': 77070, 'that the store': 846842, 'the store will': 868146, 'store will mobilize': 811336, 'will mobilize week': 994122, 'mobilize week delivery': 535107, 'week delivery of': 976141, 'delivery of grocery': 234226, 'of grocery to': 584361, 'grocery to elderly': 366051, 'to elderly resident': 904977, 'elderly resident in': 270872, 'resident in the': 714319, 'in the area': 428984, 'saying': 739541, 'sick': 768349, 'test': 838895, 'ill': 416093, 'until': 943632, 'two': 936762, 'tested': 839254, 'esp': 280379, 'cashier': 166433, 'gas': 343750, 'attendant': 102330, 'do you': 250610, 'you keep': 1019443, 'keep saying': 471902, 'saying if': 739611, 're sick': 699514, 'sick get': 768459, 'get test': 348179, 'test people': 839119, 'people do': 647676, 'not feel': 569382, 'feel ill': 302674, 'ill until': 416182, 'until two': 943912, 'two week': 937315, 'week past': 976731, 'past infection': 643553, 'infection more': 436791, 'more people': 540004, 'people tested': 649739, 'tested the': 839373, 'the better': 849570, 'better esp': 128278, 'esp anyone': 280380, 'anyone going': 80335, 'to work': 918676, 'work with': 1006021, 'with public': 1000355, 'public supermarket': 688342, 'supermarket cashier': 819547, 'cashier gas': 166533, 'gas station': 344099, 'station attendant': 796355, 'why do you': 990945, 'do you keep': 250641, 'you keep saying': 1019449, 'keep saying if': 471904, 'saying if you': 739613, 'if you re': 415498, 'you re sick': 1020746, 're sick get': 699518, 'sick get test': 768460, 'get test people': 348182, 'test people do': 839120, 'people do not': 647679, 'do not feel': 249734, 'not feel ill': 569383, 'feel ill until': 302675, 'ill until two': 416183, 'until two week': 943913, 'two week past': 937351, 'week past infection': 976732, 'past infection more': 643555, 'infection more people': 436792, 'more people tested': 540042, 'people tested the': 649741, 'tested the better': 839374, 'the better esp': 849574, 'better esp anyone': 128279, 'esp anyone going': 280381, 'anyone going to': 80336, 'going to work': 355762, 'to work with': 918806, 'work with public': 1006040, 'with public supermarket': 1000359, 'public supermarket cashier': 688343, 'supermarket cashier gas': 819557, 'cashier gas station': 166534, 'gas station attendant': 344101, 'ship': 758646, 'goabay': 354544, 'goodsfromindia': 358086, 'aurveda': 103027, 'buyonlinefromindia': 151447, 'india': 434266, 'shopping online': 763401, 'online with': 609740, 'with we': 1002039, 'we ship': 973237, 'ship worldwide': 758737, 'worldwide goabay': 1010359, 'goabay goodsfromindia': 354545, 'goodsfromindia aurveda': 358087, 'aurveda buyonlinefromindia': 103028, 'buyonlinefromindia india': 151448, 'shopping online with': 763510, 'online with we': 609755, 'with we ship': 1002043, 'we ship worldwide': 973240, 'ship worldwide goabay': 758738, 'worldwide goabay goodsfromindia': 1010360, 'goabay goodsfromindia aurveda': 354546, 'goodsfromindia aurveda buyonlinefromindia': 358088, 'aurveda buyonlinefromindia india': 103029, 'dock': 250770, 'operator': 613337, 'owner': 632361, 'winnigas': 996055, 'inquiry': 439005, 'post': 665965, 'boater': 133732, 'lakewinnipesaukee': 479089, 'lakelife': 479077, 'nh': 561862, 'boating': 133735, 'gas dock': 343823, 'dock operator': 250783, 'operator owner': 613386, 'owner winnigas': 632609, 'winnigas is': 996056, 'is getting': 448021, 'getting inquiry': 349066, 'inquiry if': 439010, 'if fuel': 414133, 'fuel dock': 340161, 'dock are': 250773, 'are open': 88780, '19 concern': 5914, 'concern please': 193055, 'please post': 660322, 'post your': 666422, 'your current': 1023395, 'current fuel': 221206, 'price to': 676952, 'to this': 917398, 'will alert': 992225, 'alert boater': 41366, 'boater that': 133733, 'that you': 847706, 'open lakewinnipesaukee': 612351, 'lakewinnipesaukee fuel': 479090, 'fuel lakelife': 340193, 'lakelife nh': 479078, 'nh boating': 561902, 'gas dock operator': 343824, 'dock operator owner': 250784, 'operator owner winnigas': 613387, 'owner winnigas is': 632610, 'winnigas is getting': 996057, 'is getting inquiry': 448028, 'getting inquiry if': 349067, 'inquiry if fuel': 439011, 'if fuel dock': 414134, 'fuel dock are': 340162, 'dock are open': 250774, 'are open because': 88786, 'open because of': 612119, 'covid 19 concern': 212836, '19 concern please': 5923, 'concern please post': 193056, 'please post your': 660323, 'post your current': 666423, 'your current fuel': 1023396, 'current fuel price': 221207, 'fuel price to': 340255, 'price to this': 677056, 'to this will': 917482, 'this will alert': 891403, 'will alert boater': 992226, 'alert boater that': 41367, 'boater that you': 133734, 'that you are': 847713, 'you are open': 1017189, 'are open lakewinnipesaukee': 88792, 'open lakewinnipesaukee fuel': 612352, 'lakewinnipesaukee fuel lakelife': 479091, 'fuel lakelife nh': 340194, 'lakelife nh boating': 479079, 'police': 662882, 'advice': 33291, 'someone': 784351, 'lean': 483869, 'shoulder': 766687, 'breathing': 139214, 'face': 294274, 'allowed': 46129, 'gift': 349923, 'him': 396517, 'knuckle': 477277, 'sandwich': 733730, '19 police': 9738, 'police advice': 662888, 'advice needed': 33435, 'needed please': 556462, 'please if': 660097, 'if someone': 414848, 'someone lean': 784552, 'lean over': 483884, 'over my': 630418, 'my shoulder': 550070, 'shoulder in': 766694, 'supermarket breathing': 819421, 'breathing in': 139232, 'in my': 425527, 'my face': 548147, 'face am': 294288, 'am allowed': 49859, 'allowed to': 46224, 'to gift': 906661, 'gift him': 349987, 'him knuckle': 396649, 'knuckle sandwich': 477278, '19 police advice': 9739, 'police advice needed': 662889, 'advice needed please': 33436, 'needed please if': 556463, 'please if someone': 660102, 'if someone lean': 414856, 'someone lean over': 784554, 'lean over my': 483885, 'over my shoulder': 630424, 'my shoulder in': 550071, 'shoulder in the': 766695, 'in the supermarket': 429586, 'the supermarket breathing': 868495, 'supermarket breathing in': 819422, 'breathing in my': 139233, 'in my face': 425572, 'my face am': 548149, 'face am allowed': 294289, 'am allowed to': 49860, 'allowed to gift': 46231, 'to gift him': 906662, 'gift him knuckle': 349988, 'him knuckle sandwich': 396650, 'cuyahoga': 223792, 'county': 211309, 'department': 237180, 'affair': 33983, 'warning': 967062, 'scam': 739952, 'related': 708371, 'stimulus': 801496, 'the cuyahoga': 852752, 'cuyahoga county': 223793, 'county department': 211359, 'department of': 237230, 'consumer affair': 196072, 'affair is': 34057, 'is warning': 453757, 'warning resident': 967187, 'resident about': 714238, 'about scam': 26135, 'scam related': 740327, 'related to': 708590, 'and government': 63871, 'government stimulus': 360636, 'stimulus check': 801519, 'the cuyahoga county': 852753, 'cuyahoga county department': 223794, 'county department of': 211360, 'department of consumer': 237236, 'of consumer affair': 581702, 'consumer affair is': 196094, 'affair is warning': 34059, 'is warning resident': 453763, 'warning resident about': 967188, 'resident about scam': 714240, 'about scam related': 26141, 'scam related to': 740328, 'related to covid': 708600, '19 and government': 5034, 'and government stimulus': 63889, 'government stimulus check': 360637, 'pharmacy': 654195, 'thermometer': 879503, 'also': 47798, 'protection': 685265, 'include': 431500, 'paracetamol': 641213, '16pk': 4275, 'door': 255493, 'coronavirus crisis': 205736, 'crisis our': 217837, 'our pharmacy': 624336, 'pharmacy have': 654333, 'have supply': 382858, 'of thermometer': 591805, 'thermometer we': 879553, 'can also': 157449, 'also supply': 48934, 'supply protection': 825743, 'protection pack': 685549, 'pack which': 633195, 'which include': 985953, 'include mask': 431591, 'mask glove': 518722, 'glove sanitizer': 352899, 'sanitizer paracetamol': 735535, 'paracetamol 16pk': 641214, '16pk delivery': 4276, 'delivery to': 234649, 'to your': 918948, 'your door': 1023568, 'door contact': 255554, 'contact via': 200251, 'coronavirus crisis our': 205763, 'crisis our pharmacy': 217841, 'our pharmacy have': 624338, 'pharmacy have supply': 654338, 'have supply of': 382862, 'supply of thermometer': 825652, 'of thermometer we': 591806, 'thermometer we can': 879554, 'we can also': 970906, 'can also supply': 157470, 'also supply protection': 48935, 'supply protection pack': 825744, 'protection pack which': 685550, 'pack which include': 633196, 'which include mask': 985955, 'include mask glove': 431593, 'mask glove sanitizer': 518745, 'glove sanitizer paracetamol': 352904, 'sanitizer paracetamol 16pk': 735536, 'paracetamol 16pk delivery': 641215, '16pk delivery to': 4277, 'delivery to your': 234677, 'to your door': 918972, 'your door contact': 1023572, 'door contact via': 255555, 'kenyan': 472952, 'startup': 795081, 'launch': 481853, 'ai': 39289, 'data': 226110, 'driven': 259269, 'platform': 658934, 'curb': 220545, 'healthtech': 387475, 'startuos': 795078, 'innovation': 438850, 'africa': 35038, 'blockchain': 132813, 'coronavirus kenyan': 206199, 'kenyan health': 472970, 'health tech': 386894, 'tech startup': 836149, 'startup launch': 795118, 'launch ai': 481858, 'ai consumer': 39308, 'consumer data': 197050, 'data driven': 226194, 'driven platform': 259341, 'platform to': 659037, 'to curb': 903795, 'curb the': 220578, 'pandemic healthtech': 635606, 'healthtech startuos': 387480, 'startuos innovation': 795079, 'innovation technology': 438901, 'technology africa': 836255, 'africa blockchain': 35054, 'coronavirus kenyan health': 206200, 'kenyan health tech': 472973, 'health tech startup': 386895, 'tech startup launch': 836151, 'startup launch ai': 795119, 'launch ai consumer': 481859, 'ai consumer data': 39309, 'consumer data driven': 197052, 'data driven platform': 226197, 'driven platform to': 259342, 'platform to curb': 659040, 'to curb the': 903806, 'curb the pandemic': 220584, 'the pandemic healthtech': 862984, 'pandemic healthtech startuos': 635607, 'healthtech startuos innovation': 387481, 'startuos innovation technology': 795080, 'innovation technology africa': 438902, 'technology africa blockchain': 836256, 'prompt': 683895, 'law': 482194, 'queensland': 693404, 'restock': 716857, 'hour': 405340, 'abc': 24253, 'australian': 103434, 'broadcasting': 140746, 'corporation': 207379, '19 panic': 9537, 'buying prompt': 150932, 'prompt new': 683906, 'new law': 559011, 'law so': 482397, 'so queensland': 778095, 'queensland supermarket': 693410, 'supermarket can': 819495, 'can restock': 159468, 'restock all': 716860, 'all hour': 43151, 'hour abc': 405353, 'abc news': 24262, 'news australian': 560259, 'australian broadcasting': 103450, 'broadcasting corporation': 140747, 'covid 19 panic': 213552, '19 panic buying': 9541, 'panic buying prompt': 637853, 'buying prompt new': 150933, 'prompt new law': 683907, 'new law so': 559015, 'law so queensland': 482399, 'so queensland supermarket': 778096, 'queensland supermarket can': 693411, 'supermarket can restock': 819511, 'can restock all': 159469, 'restock all hour': 716861, 'all hour abc': 43152, 'hour abc news': 405354, 'abc news australian': 24263, 'news australian broadcasting': 560260, 'australian broadcasting corporation': 103451, 'piling': 656566, 'booze': 135152, 'luck': 506435, 'wiping': 996500, 'arse': 94066, 'though': 892766, 'same': 732946, 'folk': 312080, 'bought': 136466, 'mountain': 543413, 'bog': 133942, 'roll': 725150, 'coronacrisis': 204490, 'dontpanicbuy': 255384, 'people piling': 649115, 'piling in': 656601, 'the booze': 849863, 'booze now': 135169, 'now at': 574120, 'supermarket good': 820540, 'good luck': 357351, 'luck wiping': 506482, 'wiping your': 996536, 'your arse': 1022832, 'arse with': 94079, 'with that': 1001166, 'that though': 847017, 'though they': 892919, 'they re': 882983, 're probably': 699307, 'probably the': 679396, 'the same': 866190, 'same folk': 733066, 'folk who': 312296, 'who ve': 989875, 've already': 952819, 'already bought': 47238, 'bought mountain': 136647, 'mountain of': 543423, 'of bog': 580761, 'bog roll': 133945, 'roll coronacrisis': 725253, 'coronacrisis dontpanicbuy': 204589, 'people piling in': 649116, 'piling in on': 656603, 'in on the': 426129, 'on the booze': 603995, 'the booze now': 849864, 'booze now at': 135170, 'now at the': 574139, 'at the supermarket': 101116, 'the supermarket good': 868613, 'supermarket good luck': 820545, 'good luck wiping': 357360, 'luck wiping your': 506483, 'wiping your arse': 996537, 'your arse with': 1022834, 'arse with that': 94080, 'with that though': 1001181, 'that though they': 847019, 'though they re': 892923, 'they re probably': 883100, 're probably the': 699314, 'probably the same': 679403, 'the same folk': 866226, 'same folk who': 733068, 'folk who ve': 312304, 'who ve already': 989876, 've already bought': 952821, 'already bought mountain': 47240, 'bought mountain of': 136648, 'mountain of bog': 543424, 'of bog roll': 580762, 'bog roll coronacrisis': 133949, 'roll coronacrisis dontpanicbuy': 725254, 'r102m': 695055, 'pay': 644694, 'bonus': 134338, 'cashier get': 166535, 'get r102m': 347877, 'r102m pay': 695058, 'pay bonus': 644788, 'bonus for': 134369, 'for covid': 320430, '19 work': 12166, 'supermarket cashier get': 819558, 'cashier get r102m': 166536, 'get r102m pay': 347879, 'r102m pay bonus': 695059, 'pay bonus for': 644790, 'bonus for covid': 134371, 'for covid 19': 320431, 'covid 19 work': 214086, 'imagine': 416687, 'tattoo': 834856, 'art': 94126, 'lysol': 507156, 'rose': 726037, 'imagine this': 416810, 'wa your': 963759, 'your tattoo': 1026109, 'tattoo tattoo': 834871, 'tattoo art': 834857, 'art lysol': 94168, 'lysol toiletpaper': 507202, 'toiletpaper rose': 922423, 'imagine this wa': 416813, 'this wa your': 891099, 'wa your tattoo': 963761, 'your tattoo tattoo': 1026112, 'tattoo tattoo art': 834872, 'tattoo art lysol': 834858, 'art lysol toiletpaper': 94169, 'lysol toiletpaper rose': 507203, '19 coronavirus': 6087, 'coronavirus see': 206739, 'see the': 745806, 'the best': 849483, 'best time': 127932, 'time to': 897936, 'to avoid': 900865, 'avoid queue': 105250, 'queue at': 693880, 'at your': 101669, 'your local': 1024675, 'supermarket via': 823644, 'covid 19 coronavirus': 212867, '19 coronavirus see': 6124, 'coronavirus see the': 206740, 'see the best': 745812, 'the best time': 849559, 'best time to': 127934, 'time to avoid': 897948, 'to avoid queue': 900934, 'avoid queue at': 105251, 'queue at your': 693893, 'at your local': 101683, 'your local supermarket': 1024721, 'local supermarket via': 498607, 'happy': 377570, 'monday': 536217, 'financial': 306311, 'opec': 611833, 'output': 629223, 'cut': 223205, 'fluctuate': 311502, 'decline': 231291, 'dollar': 252943, 'slip': 774003, 'coming': 187976, 'soon': 785609, 'dia': 240149, 'spy': 791395, 'qq': 691588, 'cl': 179672, 'happy monday': 377653, 'monday here': 536298, 'here are': 392729, 'are my': 88173, 'my in': 548831, 'in financial': 422887, 'financial market': 306494, 'market opec': 516803, 'opec output': 611932, 'output cut': 629247, 'cut oil': 223449, 'price fluctuate': 673897, 'fluctuate news': 311508, 'news stock': 560822, 'stock decline': 802037, 'decline dollar': 231323, 'dollar slip': 253075, 'slip coming': 774012, 'coming soon': 188193, 'soon dia': 785689, 'dia spy': 240152, 'spy qq': 791403, 'qq cl': 691589, 'happy monday here': 377655, 'monday here are': 536299, 'here are my': 392746, 'are my in': 88179, 'my in financial': 548833, 'in financial market': 422890, 'financial market opec': 306511, 'market opec output': 516804, 'opec output cut': 611933, 'output cut oil': 629256, 'cut oil price': 223451, 'oil price fluctuate': 597134, 'price fluctuate news': 673898, 'fluctuate news stock': 311509, 'news stock decline': 560823, 'stock decline dollar': 802038, 'decline dollar slip': 231324, 'dollar slip coming': 253076, 'slip coming soon': 774013, 'coming soon dia': 188195, 'soon dia spy': 785690, 'dia spy qq': 240153, 'spy qq cl': 791404, 'overcame': 631081, 'decided': 230858, 'put': 690485, 'their': 872411, 'workforce': 1008336, 'first': 308477, 'evident': 288410, 'move': 543592, 'entrepreneur': 278924, 'people who': 650253, 'who overcame': 989394, 'overcame panic': 631082, 'panic and': 637291, 'and have': 64218, 'have decided': 380194, 'decided to': 230897, 'to put': 912576, 'put their': 690874, 'their workforce': 875225, 'workforce so': 1008385, 'so that': 778359, 'that all': 842536, 'all of': 43675, 'of can': 581066, 'can have': 158571, 'have food': 380646, 'and supply': 72771, 'of first': 583551, 'first need': 308794, 'critical situation': 218661, 'situation it': 772357, 'it is': 458852, 'is evident': 447604, 'evident who': 288423, 'who are': 988092, 'the one': 862185, 'one who': 607431, 'who move': 989298, 'move the': 543736, 'world the': 1010046, 'the entrepreneur': 854390, 'entrepreneur and': 278925, 'the worker': 871746, 'people who overcame': 650326, 'who overcame panic': 989395, 'overcame panic and': 631083, 'panic and have': 637315, 'and have decided': 64231, 'have decided to': 380197, 'decided to put': 230929, 'to put their': 912618, 'put their workforce': 690887, 'their workforce so': 875231, 'workforce so that': 1008386, 'so that all': 778360, 'that all of': 842557, 'all of can': 43681, 'of can have': 581070, 'can have food': 158577, 'have food and': 380649, 'food and supply': 313352, 'and supply of': 72806, 'supply of first': 825625, 'of first need': 583553, 'first need in': 308795, 'need in this': 555052, 'this critical situation': 887121, 'critical situation it': 218663, 'situation it is': 772361, 'it is evident': 458948, 'is evident who': 447606, 'evident who are': 288424, 'who are the': 988239, 'are the one': 90872, 'the one who': 862233, 'one who move': 607455, 'who move the': 989299, 'move the world': 543740, 'the world the': 871984, 'world the entrepreneur': 1010048, 'the entrepreneur and': 854391, 'entrepreneur and the': 278926, 'and the worker': 73661, 'fineos': 307767, 'announces': 77229, 'paid': 633937, 'calculator': 155323, 'answering': 78197, 'amount': 53156, 'might': 530856, 'apply': 82544, 'fineos announces': 307768, 'announces the': 77295, 'the launch': 859171, 'launch of': 481929, '19 paid': 9237, 'paid leave': 634051, 'leave calculator': 484761, 'calculator by': 155324, 'by answering': 151869, 'answering few': 78198, 'few question': 304025, 'question the': 693766, 'consumer can': 196719, 'learn the': 484065, 'the amount': 848649, 'amount of': 53202, 'of paid': 587662, 'leave that': 484956, 'that might': 845153, 'might apply': 530868, 'apply to': 82606, '19 leave': 8302, 'leave reason': 484915, 'fineos announces the': 307769, 'announces the launch': 77297, 'the launch of': 859172, 'launch of covid': 481931, 'covid 19 paid': 213545, '19 paid leave': 9238, 'paid leave calculator': 634053, 'leave calculator by': 484762, 'calculator by answering': 155325, 'by answering few': 151870, 'answering few question': 78199, 'few question the': 304026, 'question the consumer': 693767, 'the consumer can': 851506, 'consumer can learn': 196725, 'can learn the': 158854, 'learn the amount': 484066, 'the amount of': 848653, 'amount of paid': 53243, 'of paid leave': 587664, 'paid leave that': 634065, 'leave that might': 484958, 'that might apply': 845154, 'might apply to': 530869, 'apply to covid': 82613, 'covid 19 leave': 213347, '19 leave reason': 8303, 'cautious': 168206, 'product': 680821, 'claim': 179681, 'prevent': 671573, 'treat': 930793, 'diagnose': 240211, 'cure': 220690, 'suspect': 829460, 'email': 272091, 'fraudstoppers': 331444, 'ok': 597759, 'gov': 359527, 'scam alert': 739973, 'alert be': 41361, 'be cautious': 114031, 'cautious of': 168224, 'of anyone': 580277, 'anyone selling': 80521, 'selling product': 749414, 'product that': 681685, 'that claim': 843236, 'claim to': 179845, 'to prevent': 912042, 'prevent treat': 671752, 'treat diagnose': 930825, 'diagnose or': 240216, 'or cure': 614867, 'cure covid': 220728, '19 if': 7655, 'you suspect': 1021495, 'suspect scam': 829489, 'scam report': 740329, 'report it': 712058, 'it at': 456607, 'at or': 99987, 'or email': 615141, 'email fraudstoppers': 272177, 'fraudstoppers ok': 331445, 'ok gov': 597812, 'scam alert be': 739974, 'alert be cautious': 41363, 'be cautious of': 114034, 'cautious of anyone': 168225, 'of anyone selling': 580283, 'anyone selling product': 80522, 'selling product that': 749419, 'product that claim': 681688, 'that claim to': 843238, 'claim to prevent': 179853, 'to prevent treat': 912096, 'prevent treat diagnose': 671753, 'treat diagnose or': 930826, 'diagnose or cure': 240217, 'or cure covid': 614869, 'cure covid 19': 220729, 'covid 19 if': 213244, '19 if you': 7669, 'if you suspect': 415533, 'you suspect scam': 1021497, 'suspect scam report': 829492, 'scam report it': 740330, 'report it at': 712060, 'it at or': 456622, 'at or email': 99992, 'or email fraudstoppers': 615145, 'email fraudstoppers ok': 272178, 'fraudstoppers ok gov': 331446, 'thread': 893510, 'checking': 174808, 'underscore': 940562, 'weight': 977694, 'start': 794182, 'fighting': 305021, 'emotion': 273255, 'sharing': 755507, 'reading': 700728, 'laterally': 481184, 'amp': 53305, 'verifying': 954804, 'source': 786436, 'important thread': 419039, 'thread by': 893527, 'by critical': 152267, 'critical fact': 218557, 'fact checking': 295695, 'checking service': 174843, 'service that': 752914, 'that underscore': 847166, 'underscore the': 940565, 'the weight': 871352, 'weight of': 977705, 'of remember': 588920, 'remember fact': 710192, 'checking start': 174845, 'start with': 794646, 'consumer give': 197583, 'give fact': 350483, 'fact fighting': 295719, 'fighting chance': 305047, 'chance by': 171707, 'by checking': 152114, 'checking your': 174863, 'your emotion': 1023647, 'emotion before': 273258, 'before sharing': 123067, 'sharing reading': 755579, 'reading laterally': 700782, 'laterally amp': 481185, 'amp verifying': 54781, 'verifying source': 954807, 'important thread by': 419040, 'thread by critical': 893528, 'by critical fact': 152268, 'critical fact checking': 218558, 'fact checking service': 295697, 'checking service that': 174844, 'service that underscore': 752926, 'that underscore the': 847167, 'underscore the weight': 940568, 'the weight of': 871354, 'weight of remember': 977709, 'of remember fact': 588921, 'remember fact checking': 710193, 'fact checking start': 295698, 'checking start with': 174846, 'start with the': 794650, 'with the consumer': 1001244, 'the consumer give': 851540, 'consumer give fact': 197584, 'give fact fighting': 350484, 'fact fighting chance': 295720, 'fighting chance by': 305048, 'chance by checking': 171708, 'by checking your': 152116, 'checking your emotion': 174864, 'your emotion before': 1023648, 'emotion before sharing': 273259, 'before sharing reading': 123068, 'sharing reading laterally': 755580, 'reading laterally amp': 700783, 'laterally amp verifying': 481186, 'amp verifying source': 54782, 'senior': 750172, 'allow': 45905, 'ppl': 668145, 'safely': 730251, 'south': 786643, 'bay': 112901, 'chain': 170430, 'zanotto': 1027225, 'implement': 418370, 'great idea': 362723, 'idea here': 413068, 'here senior': 393544, 'senior only': 750370, 'only grocery': 610545, 'grocery shopping': 364988, 'shopping hour': 762908, 'hour first': 405585, 'first thing': 309073, 'thing in': 884426, 'in am': 420207, 'am to': 50499, 'to allow': 900322, 'allow ppl': 46037, 'ppl to': 668349, 'to shop': 914444, 'shop more': 760467, 'more safely': 540297, 'safely during': 730277, 'during time': 263343, 'time south': 897727, 'south bay': 786696, 'bay grocery': 112939, 'store chain': 806909, 'chain zanotto': 171282, 'zanotto implement': 1027226, 'implement senior': 418426, 'only hour': 610614, 'great idea here': 362729, 'idea here senior': 413070, 'here senior only': 393545, 'senior only grocery': 750372, 'only grocery shopping': 610548, 'grocery shopping hour': 365036, 'shopping hour first': 762917, 'hour first thing': 405586, 'first thing in': 309075, 'thing in am': 884429, 'in am to': 420208, 'am to allow': 50503, 'to allow ppl': 900354, 'allow ppl to': 46038, 'ppl to shop': 668353, 'to shop more': 914474, 'shop more safely': 760470, 'more safely during': 540298, 'safely during time': 730280, 'during time south': 263349, 'time south bay': 897728, 'south bay grocery': 786697, 'bay grocery store': 112941, 'grocery store chain': 365277, 'store chain zanotto': 806942, 'chain zanotto implement': 171283, 'zanotto implement senior': 1027228, 'implement senior only': 418427, 'senior only hour': 750373, 'precaution': 669260, 'manufacturer': 513414, 'portal': 664938, 'been': 120579, 'latest': 481188, 'more covid': 538913, '19 precaution': 9772, 'precaution taken': 669363, 'taken kenyan': 833019, 'kenyan manufacturer': 472976, 'manufacturer launch': 513484, 'launch online': 481936, 'shopping portal': 763652, 'portal ha': 664954, 'ha been': 369701, 'been published': 121736, 'published on': 688671, 'on latest': 601798, 'latest nigeria': 481462, 'nigeria news': 562773, 'more covid 19': 538914, 'covid 19 precaution': 213601, '19 precaution taken': 9775, 'precaution taken kenyan': 669364, 'taken kenyan manufacturer': 833020, 'kenyan manufacturer launch': 472977, 'manufacturer launch online': 513485, 'launch online shopping': 481938, 'online shopping portal': 609228, 'shopping portal ha': 763657, 'portal ha been': 664955, 'ha been published': 369883, 'been published on': 121738, 'published on latest': 688677, 'on latest nigeria': 601799, 'latest nigeria news': 481463, 'else': 271609, 'cool': 202978, 'hangout': 376981, 'always': 49450, 'busy': 144857, 'stayathomeandstaysafe': 797720, 'stayhomefornevada': 798299, 'socialdistance': 780129, 'anyone else': 80254, 'else feel': 271688, 'like the': 491342, 'store is': 808457, 'the new': 861468, 'new cool': 558539, 'cool hangout': 203012, 'hangout it': 376982, 'it always': 456440, 'always so': 49742, 'so busy': 776658, 'busy stayathomeandstaysafe': 144961, 'stayathomeandstaysafe stayhomefornevada': 797726, 'stayhomefornevada socialdistance': 798300, 'socialdistance socialdistancing': 780160, 'anyone else feel': 80261, 'else feel like': 271690, 'feel like the': 302751, 'like the grocery': 491371, 'grocery store is': 365491, 'store is the': 808541, 'is the new': 452872, 'the new cool': 861483, 'new cool hangout': 558540, 'cool hangout it': 203013, 'hangout it always': 376983, 'it always so': 456444, 'always so busy': 49743, 'so busy stayathomeandstaysafe': 776661, 'busy stayathomeandstaysafe stayhomefornevada': 144962, 'stayathomeandstaysafe stayhomefornevada socialdistance': 797727, 'stayhomefornevada socialdistance socialdistancing': 798301, 'very': 954973, 'worried': 1010473, 'wearing': 974578, 'continually': 200963, 'sanitize': 734160, 'sure': 827477, 'protect': 684753, 'contracting': 201752, 'trouble': 932586, 'concentrating': 192837, 'sleeping': 773815, 'getting very': 349429, 'very worried': 955670, 'worried when': 1010602, 'when go': 983472, 'work at': 1004855, 'store wearing': 811192, 'wearing glove': 974626, 'glove continually': 352644, 'continually sanitize': 200972, 'sanitize my': 734197, 'my cashier': 547638, 'cashier area': 166477, 'area but': 91965, 'but not': 146522, 'not sure': 571831, 'sure it': 827592, 'it enough': 457822, 'enough to': 277685, 'to protect': 912288, 'protect me': 684864, 'me the': 523636, 'the other': 862506, 'other cashier': 619930, 'cashier from': 166530, 'from contracting': 334989, 'contracting covid': 201768, '19 having': 7460, 'having trouble': 384384, 'trouble concentrating': 932599, 'concentrating sleeping': 192838, 'getting very worried': 349433, 'very worried when': 955673, 'worried when go': 1010603, 'when go to': 983479, 'go to work': 354385, 'to work at': 918690, 'work at the': 1004905, 'grocery store wearing': 365938, 'store wearing glove': 811194, 'wearing glove continually': 974630, 'glove continually sanitize': 352645, 'continually sanitize my': 200973, 'sanitize my cashier': 734198, 'my cashier area': 547639, 'cashier area but': 166478, 'area but not': 91967, 'but not sure': 146568, 'not sure it': 571841, 'sure it enough': 827599, 'it enough to': 457827, 'enough to protect': 277717, 'to protect me': 912315, 'protect me the': 684866, 'me the other': 523654, 'the other cashier': 862515, 'other cashier from': 619931, 'cashier from contracting': 166532, 'from contracting covid': 334990, 'contracting covid 19': 201769, 'covid 19 having': 213191, '19 having trouble': 7463, 'having trouble concentrating': 384386, 'trouble concentrating sleeping': 932600, 'fraudsters': 331393, 'swindler': 830379, 'making': 510937, 'huge': 409969, 'misery': 534003, 'corona': 203776, 'victim': 956452, 'coronavillains': 205407, 'medical': 526027, 'arbitrage': 84004, 'horde': 403990, 'middleman': 530704, 'profiteer': 682945, 'dramatically': 258317, 'increasing': 433543, 'n95s': 551276, 'zero': 1027397, 'hedge': 388714, 'fraudsters swindler': 331431, 'swindler and': 830380, 'and fraudsters': 63258, 'fraudsters making': 331423, 'making huge': 511117, 'huge profit': 410147, 'the misery': 860680, 'misery of': 534014, 'of sick': 589708, 'sick and': 768359, 'and ill': 64972, 'ill people': 416161, 'dying corona': 263793, 'corona victim': 204274, 'victim coronavillains': 956462, 'coronavillains medical': 205411, 'medical supply': 526424, 'supply arbitrage': 824775, 'arbitrage how': 84005, 'how horde': 408011, 'horde of': 403997, 'of middleman': 586485, 'middleman profiteer': 530711, 'profiteer scammer': 682979, 'scammer are': 740526, 'are dramatically': 85987, 'dramatically increasing': 258356, 'increasing the': 433705, 'price of': 675391, 'of n95s': 586847, 'n95s zero': 551279, 'zero hedge': 1027459, 'fraudsters swindler and': 331432, 'swindler and fraudsters': 830381, 'and fraudsters making': 63259, 'fraudsters making huge': 331424, 'making huge profit': 511118, 'huge profit from': 410150, 'profit from the': 682740, 'from the misery': 337791, 'the misery of': 860681, 'misery of sick': 534015, 'of sick and': 589709, 'sick and ill': 768367, 'and ill people': 64973, 'ill people dying': 416163, 'people dying corona': 647748, 'dying corona victim': 263794, 'corona victim coronavillains': 204275, 'victim coronavillains medical': 956463, 'coronavillains medical supply': 205412, 'medical supply arbitrage': 526427, 'supply arbitrage how': 824776, 'arbitrage how horde': 84006, 'how horde of': 408012, 'horde of middleman': 404001, 'of middleman profiteer': 586486, 'middleman profiteer scammer': 530712, 'profiteer scammer are': 682980, 'scammer are dramatically': 740531, 'are dramatically increasing': 85988, 'dramatically increasing the': 258357, 'increasing the price': 433710, 'the price of': 864391, 'price of n95s': 675515, 'of n95s zero': 586848, 'n95s zero hedge': 551280, 'global': 351725, 'catalyst': 166920, 'radical': 695397, 'gilbert': 350099, 'mercier': 529064, 'speaks': 787784, 'chronicle': 178251, 'global or': 352058, 'or catalyst': 614685, 'catalyst of': 166926, 'of radical': 588715, 'radical gilbert': 695403, 'gilbert mercier': 350104, 'mercier speaks': 529065, 'speaks on': 787797, 'on collapse': 599965, 'collapse chronicle': 185985, 'chronicle 19': 178252, 'global or catalyst': 352059, 'or catalyst of': 614686, 'catalyst of radical': 166927, 'of radical gilbert': 588716, 'radical gilbert mercier': 695404, 'gilbert mercier speaks': 350105, 'mercier speaks on': 529066, 'speaks on collapse': 787798, 'on collapse chronicle': 599966, 'collapse chronicle 19': 185986, 'glad': 351478, 'loblaws': 497620, 'superstore': 824340, 'frill': 334074, 'etc': 282384, 'taking': 833239, 'step': 799484, 'glad to': 351522, 'to see': 913978, 'chain loblaws': 170899, 'loblaws superstore': 497638, 'superstore no': 824350, 'no frill': 564311, 'frill etc': 334075, 'etc taking': 282785, 'taking these': 833608, 'these step': 880722, 'glad to see': 351532, 'to see the': 914081, 'see the grocery': 745839, 'store chain loblaws': 806928, 'chain loblaws superstore': 170900, 'loblaws superstore no': 497639, 'superstore no frill': 824351, 'no frill etc': 564312, 'frill etc taking': 334076, 'etc taking these': 282786, 'taking these step': 833610, 'canada': 160344, 'coup': 211543, 'war': 966332, 'may': 520866, 'aimed': 39564, 'shale': 754491, 'benchmark': 126829, 'fallen': 297122, 'below': 126546, '10': 1185, 'barrel': 111188, 'oott': 611759, 'canada coup': 160407, 'coup the': 211544, 'the oil': 862102, 'price war': 677346, 'war may': 966486, 'may be': 520940, 'be aimed': 113536, 'aimed at': 39565, 'at shale': 100496, 'shale but': 754492, 'but the': 147307, 'the first': 855275, 'first victim': 309159, 'victim is': 956480, 'is canada': 446359, 'canada where': 160609, 'where benchmark': 984757, 'benchmark price': 126847, 'price have': 674408, 'have already': 379183, 'already fallen': 47345, 'fallen below': 297133, 'below 10': 126554, '10 barrel': 1331, 'barrel oott': 111261, 'oott oil': 611768, 'war via': 966584, 'canada coup the': 160408, 'coup the oil': 211545, 'the oil price': 862115, 'oil price war': 597314, 'price war may': 677362, 'war may be': 966487, 'may be aimed': 520943, 'be aimed at': 113537, 'aimed at shale': 39576, 'at shale but': 100497, 'shale but the': 754493, 'but the first': 147339, 'the first victim': 855363, 'first victim is': 309160, 'victim is canada': 956481, 'is canada where': 446361, 'canada where benchmark': 160610, 'where benchmark price': 984758, 'benchmark price have': 126849, 'price have already': 674410, 'have already fallen': 379188, 'already fallen below': 47346, 'fallen below 10': 297134, 'below 10 barrel': 126555, '10 barrel oott': 1332, 'barrel oott oil': 111262, 'oott oil price': 611770, 'price war via': 677382, 'convert': 202526, 'lunch': 506703, 'money': 536564, 'multiply': 545828, 'snack': 775999, 'feeding': 302449, 'child': 175986, 'biggest': 130183, 'refrigerator': 706800, 'tired': 899023, 'juice': 467725, 'danger': 225630, 'worse': 1010849, 'convert lunch': 202533, 'lunch money': 506734, 'money to': 537083, 'to grocery': 907003, 'store money': 808979, 'money and': 536589, 'and multiply': 67318, 'multiply by': 545829, 'by for': 152619, 'for snack': 325685, 'snack only': 776021, 'only feeding': 610431, 'feeding the': 302480, 'the child': 850812, 'child during': 176067, 'the crisis': 852336, 'crisis is': 217557, 'the biggest': 849639, 'biggest challenge': 130192, 'challenge since': 171550, 'since covid': 770551, '19 the': 11165, 'the refrigerator': 865408, 'refrigerator door': 706808, 'door is': 255627, 'is tired': 453169, 'tired juice': 899034, 'juice and': 467728, 'and water': 75228, 'water are': 968898, 'are now': 88514, 'now in': 574990, 'in danger': 421968, 'danger even': 225644, 'even worse': 284819, 'worse there': 1011031, 'there is': 878515, 'is no': 449908, 'convert lunch money': 202534, 'lunch money to': 506735, 'money to grocery': 537102, 'to grocery store': 907010, 'grocery store money': 365574, 'store money and': 808980, 'money and multiply': 536601, 'and multiply by': 67319, 'multiply by for': 545831, 'by for snack': 152625, 'for snack only': 325686, 'snack only feeding': 776022, 'only feeding the': 610432, 'feeding the child': 302482, 'the child during': 850816, 'child during the': 176068, 'during the crisis': 263108, 'the crisis is': 852394, 'crisis is the': 217591, 'is the biggest': 452739, 'the biggest challenge': 849644, 'biggest challenge since': 130194, 'challenge since covid': 171551, 'since covid 19': 770552, 'covid 19 the': 213931, '19 the refrigerator': 11242, 'the refrigerator door': 865409, 'refrigerator door is': 706809, 'door is tired': 255629, 'is tired juice': 453170, 'tired juice and': 899035, 'juice and water': 467729, 'and water are': 75232, 'water are now': 968901, 'are now in': 88560, 'now in danger': 574996, 'in danger even': 421972, 'danger even worse': 225645, 'even worse there': 284834, 'worse there is': 1011032, 'there is no': 878595, 'recap': 703372, 'sentiment': 750885, 'estimate': 282227, 'weekly': 977463, 'update': 946828, 'mg': 530079, 'market recap': 516960, 'recap consumer': 703375, 'consumer sentiment': 198901, 'sentiment supply': 751003, 'and demand': 61136, 'demand estimate': 235299, 'estimate 19': 282228, 'and more': 67136, 'more in': 539505, 'this weekly': 891328, 'weekly livestock': 977511, 'livestock market': 496275, 'market update': 517282, 'update with': 947324, 'with mg': 999489, 'market recap consumer': 516961, 'recap consumer sentiment': 703376, 'consumer sentiment supply': 198928, 'sentiment supply and': 751004, 'supply and demand': 824710, 'and demand estimate': 61152, 'demand estimate 19': 235300, 'estimate 19 and': 282229, '19 and more': 5063, 'and more in': 67181, 'more in this': 539528, 'in this weekly': 430046, 'this weekly livestock': 891329, 'weekly livestock market': 977512, 'livestock market update': 496276, 'market update with': 517288, 'update with mg': 947326, 'gold': 355843, 'safe': 729402, 'haven': 383735, 'investment': 443955, 'outlook': 629127, 'mildly': 531358, 'bullish': 142456, 'high': 394895, '1900': 12303, '2021': 14760, 'higher': 395536, '200': 13436, 'per': 650663, 'oz': 632707, 'gold is': 355912, 'is safe': 451613, 'safe haven': 729736, 'haven investment': 383845, 'investment in': 444009, 'in time': 430073, 'time of': 897306, 'of global': 584147, 'global recession': 352151, 'recession long': 704317, 'long term': 501670, 'term outlook': 838233, 'outlook mildly': 629171, 'mildly bullish': 531359, 'bullish 2020': 142457, '2020 with': 14728, 'with first': 998447, 'first test': 309051, 'test of': 839104, 'of all': 579917, 'all time': 45215, 'time high': 896926, 'high around': 394934, 'around 1900': 93117, '1900 and': 12304, 'more bullish': 538734, 'bullish 2021': 142459, '2021 with': 14805, 'with price': 1000296, 'price higher': 674515, 'higher than': 395747, 'than 200': 840197, '200 per': 13530, 'per oz': 650964, 'gold is safe': 355913, 'is safe haven': 451619, 'safe haven investment': 729739, 'haven investment in': 383847, 'investment in time': 444014, 'in time of': 430087, 'time of global': 897336, 'of global recession': 584157, 'global recession long': 352159, 'recession long term': 704318, 'long term outlook': 501702, 'term outlook mildly': 838234, 'outlook mildly bullish': 629172, 'mildly bullish 2020': 531360, 'bullish 2020 with': 142458, '2020 with first': 14730, 'with first test': 998448, 'first test of': 309052, 'test of all': 839105, 'of all time': 579989, 'all time high': 45220, 'time high around': 896928, 'high around 1900': 394935, 'around 1900 and': 93118, '1900 and more': 12305, 'and more bullish': 67152, 'more bullish 2021': 538735, 'bullish 2021 with': 142460, '2021 with price': 14806, 'with price higher': 1000307, 'price higher than': 674519, 'higher than 200': 395749, 'than 200 per': 840199, '200 per oz': 13531, 'know': 476201, 'cunt': 220353, 'moaned': 534892, 'brexit': 139484, 'stayathome': 797422, 'just know': 469104, 'know the': 476805, 'same cunt': 733010, 'cunt that': 220373, 'that moaned': 845194, 'moaned about': 534893, 'about food': 25249, 'shortage due': 764919, 'to brexit': 902014, 'brexit are': 139488, 'cunt panic': 220370, 'buying everything': 150251, 'everything coronacrisis': 287738, 'coronacrisis stayathome': 204767, 'you just know': 1019427, 'just know the': 469109, 'know the same': 476847, 'the same cunt': 866212, 'same cunt that': 733012, 'cunt that moaned': 220374, 'that moaned about': 845195, 'moaned about food': 534894, 'about food shortage': 25264, 'food shortage due': 316570, 'shortage due to': 764920, 'due to brexit': 261713, 'to brexit are': 902015, 'brexit are the': 139489, 'are the same': 90902, 'same cunt panic': 733011, 'cunt panic buying': 220371, 'panic buying everything': 637722, 'buying everything coronacrisis': 150253, 'everything coronacrisis stayathome': 287741, 'china': 176435, 'role': 725062, 'wildlife': 992131, 'trade': 928394, 'under': 939953, 'greater': 363135, 'scrutiny': 742946, 'whether': 985482, 'pushing': 690393, 'entire': 278643, 'specie': 788176, 'brink': 140292, 'extinction': 293364, 'farm': 299072, 'endangered': 276092, 'prc': 669127, 'principal': 678221, 'thread china': 893531, 'china role': 176918, 'role in': 725087, 'in wildlife': 430914, 'wildlife trade': 992141, 'trade should': 928573, 'should come': 765840, 'come under': 187641, 'under greater': 940098, 'greater scrutiny': 363235, 'scrutiny whether': 742955, 'whether pushing': 985553, 'pushing entire': 690412, 'entire specie': 278739, 'specie to': 788193, 'the brink': 850010, 'brink of': 140293, 'of extinction': 583340, 'extinction or': 293365, 'or running': 616938, 'running animal': 727908, 'animal farm': 76588, 'farm for': 299115, 'for endangered': 321052, 'endangered specie': 276095, 'specie prc': 788189, 'prc is': 669128, 'the principal': 864461, 'principal consumer': 678229, 'consumer in': 197814, 'the wildlife': 871563, 'trade 19': 928395, 'thread china role': 893532, 'china role in': 176919, 'role in wildlife': 725105, 'in wildlife trade': 430916, 'wildlife trade should': 992143, 'trade should come': 928574, 'should come under': 765846, 'come under greater': 187644, 'under greater scrutiny': 940099, 'greater scrutiny whether': 363236, 'scrutiny whether pushing': 742956, 'whether pushing entire': 985554, 'pushing entire specie': 690413, 'entire specie to': 278740, 'specie to the': 788194, 'to the brink': 916529, 'the brink of': 850011, 'brink of extinction': 140297, 'of extinction or': 583341, 'extinction or running': 293366, 'or running animal': 616939, 'running animal farm': 727909, 'animal farm for': 76589, 'farm for endangered': 299116, 'for endangered specie': 321053, 'endangered specie prc': 276096, 'specie prc is': 788190, 'prc is the': 669129, 'is the principal': 452906, 'the principal consumer': 864463, 'principal consumer in': 678230, 'consumer in the': 197835, 'in the wildlife': 429681, 'the wildlife trade': 871564, 'wildlife trade 19': 992142, 'silly': 769743, 'american': 51760, 'anything': 80673, 'hoarder': 398976, 'greenchile': 363725, 'nm': 563517, 'texas': 839734, 'silly american': 769746, 'american if': 52040, 'you were': 1022238, 'were going': 979686, 'hoard anything': 398758, 'anything it': 80801, 'it should': 461030, 'be this': 117699, 'this don': 887277, 'don be': 253351, 'be hoarder': 115272, 'hoarder toiletpaper': 399129, 'toiletpaper greenchile': 922034, 'greenchile nm': 363726, 'nm texas': 563522, 'silly american if': 769747, 'american if you': 52041, 'if you were': 415560, 'you were going': 1022247, 'were going to': 979689, 'going to hoard': 355623, 'to hoard anything': 907865, 'hoard anything it': 398759, 'anything it should': 80804, 'it should be': 461032, 'should be this': 765752, 'be this don': 117701, 'this don be': 887278, 'don be hoarder': 253361, 'be hoarder toiletpaper': 115273, 'hoarder toiletpaper greenchile': 399132, 'toiletpaper greenchile nm': 922035, 'greenchile nm texas': 363727, 'heal': 386068, 'worship': 1011123, 'song': 785475, 'playlist': 659479, 'ghaad': 349541, 'kinda': 475035, 'evaluating': 283724, 'whole': 990133, 'life': 488433, 'hays': 384532, 'while panic': 987142, 'buying at': 149961, 'local grocery': 498046, 'grocery earlier': 364486, 'earlier heal': 264450, 'heal the': 386071, 'world and': 1009275, 'and worship': 75922, 'worship song': 1011126, 'song were': 785523, 'were on': 979933, 'supermarket playlist': 822002, 'playlist and': 659480, 'and ghaad': 63632, 'ghaad wa': 349542, 'wa kinda': 962495, 'kinda re': 475071, 're evaluating': 698624, 'evaluating my': 283725, 'my whole': 550575, 'whole life': 990251, 'life during': 488615, 'during this': 263257, 'this crisis': 887014, 'crisis hays': 217469, 'hays covid': 384533, 'while panic buying': 987143, 'panic buying at': 637648, 'buying at the': 149972, 'at the local': 101008, 'the local grocery': 859551, 'local grocery earlier': 498048, 'grocery earlier heal': 364487, 'earlier heal the': 264451, 'heal the world': 386072, 'the world and': 871811, 'world and worship': 1009294, 'and worship song': 75923, 'worship song were': 1011127, 'song were on': 785524, 'were on the': 979937, 'on the supermarket': 604392, 'the supermarket playlist': 868755, 'supermarket playlist and': 822003, 'playlist and ghaad': 659481, 'and ghaad wa': 63633, 'ghaad wa kinda': 349544, 'wa kinda re': 962497, 'kinda re evaluating': 475072, 're evaluating my': 698625, 'evaluating my whole': 283726, 'my whole life': 550579, 'whole life during': 990253, 'life during this': 488618, 'during this crisis': 263274, 'this crisis hays': 887048, 'crisis hays covid': 217470, 'hays covid 19': 384534, 'corner': 203634, 'advantage': 32954, 'fear': 300997, 'cdc': 168539, 'flu': 311372, 'trend': 931253, 'consumer corner': 196978, 'corner scammer': 203664, 'scammer taking': 740624, 'taking advantage': 833251, 'advantage of': 32982, 'of 19': 579380, '19 fear': 6951, 'fear cdc': 301085, 'cdc flu': 168561, 'flu trend': 311481, 'trend alert': 931257, 'consumer corner scammer': 196980, 'corner scammer taking': 203665, 'scammer taking advantage': 740625, 'taking advantage of': 833255, 'advantage of 19': 32983, 'of 19 fear': 579390, '19 fear cdc': 6954, 'fear cdc flu': 301086, 'cdc flu trend': 168562, 'flu trend alert': 311482, 'attorney': 102611, 'michael': 530216, 'bailey': 108603, 'az': 106368, 'covid019': 214255, 'fraud': 331212, 'task': 834661, 'force': 328320, 'received': 703576, 'almost': 46467, '12k': 3103, 'complaint': 191922, 'loss': 503625, '39m': 18194, 'new attorney': 558363, 'attorney michael': 102676, 'michael bailey': 530217, 'bailey az': 108606, 'az ag': 106371, 'ag launch': 36805, 'launch covid019': 481882, 'covid019 fraud': 214256, 'fraud task': 331353, 'task force': 834677, 'force the': 328509, 'the say': 866391, 'say it': 738829, 'it received': 460661, 'received almost': 703585, 'almost 12k': 46479, '12k consumer': 3104, 'consumer complaint': 196847, 'complaint related': 192021, '19 in': 7728, 'in just': 424411, 'just three': 470072, 'three month': 893990, 'month with': 538130, 'with total': 1001819, 'total loss': 926193, 'loss to': 503795, 'consumer around': 196325, 'around 39m': 93146, '39m how': 18195, 'how to': 408973, 'to report': 913264, 'report related': 712211, 'related scam': 708542, 'new attorney michael': 558364, 'attorney michael bailey': 102677, 'michael bailey az': 530218, 'bailey az ag': 108607, 'az ag launch': 106372, 'ag launch covid019': 36806, 'launch covid019 fraud': 481883, 'covid019 fraud task': 214257, 'fraud task force': 331354, 'task force the': 834700, 'force the say': 328511, 'the say it': 866394, 'say it received': 738859, 'it received almost': 460662, 'received almost 12k': 703586, 'almost 12k consumer': 46480, '12k consumer complaint': 3105, 'consumer complaint related': 196859, 'complaint related to': 192022, 'covid 19 in': 213253, '19 in just': 7758, 'in just three': 424425, 'just three month': 470073, 'three month with': 894004, 'month with total': 538133, 'with total loss': 1001820, 'total loss to': 926194, 'loss to consumer': 503796, 'to consumer around': 903267, 'consumer around 39m': 196326, 'around 39m how': 93147, '39m how to': 18196, 'how to report': 409071, 'to report related': 913282, 'report related scam': 712212, 'kudos': 477874, 'frontline': 338701, 'especially': 280421, 'nurse': 577178, 'wore': 1004639, 'facemask': 295062, 'got': 358360, 'anxiety': 78641, 'pray': 668985, 'huge kudos': 410080, 'kudos to': 477879, 'to all': 900229, 'all frontline': 42882, 'frontline worker': 338856, 'worker especially': 1006855, 'especially nurse': 280567, 'nurse doctor': 577281, 'doctor wore': 251167, 'wore facemask': 1004654, 'facemask at': 295066, 'store and': 806190, 'and got': 63841, 'got anxiety': 358411, 'anxiety just': 78737, 'just from': 468779, 'from wearing': 338311, 'wearing it': 974661, 'it for': 458064, 'for an': 319264, 'an hour': 56072, 'hour please': 405860, 'please be': 659691, 'be kind': 115607, 'kind to': 475002, 'your grocery': 1024116, 'worker please': 1007586, 'please continue': 659846, 'continue socialdistancing': 201135, 'socialdistancing please': 780608, 'please pray': 660324, 'pray for': 668994, 'doctor and': 250812, 'and nurse': 67882, 'nurse 19': 577179, 'huge kudos to': 410081, 'kudos to all': 477880, 'to all frontline': 900251, 'all frontline worker': 42885, 'frontline worker especially': 338863, 'worker especially nurse': 1006856, 'especially nurse doctor': 280568, 'nurse doctor wore': 577311, 'doctor wore facemask': 251168, 'wore facemask at': 1004655, 'facemask at the': 295067, 'grocery store and': 365197, 'store and got': 806250, 'and got anxiety': 63844, 'got anxiety just': 358412, 'anxiety just from': 78739, 'just from wearing': 468782, 'from wearing it': 338313, 'wearing it for': 974662, 'it for an': 458070, 'for an hour': 319297, 'an hour please': 56098, 'hour please be': 405861, 'please be kind': 659705, 'be kind to': 115633, 'kind to your': 475016, 'to your grocery': 918989, 'your grocery worker': 1024140, 'grocery worker please': 366186, 'worker please continue': 1007588, 'please continue socialdistancing': 659848, 'continue socialdistancing please': 201136, 'socialdistancing please pray': 780610, 'please pray for': 660325, 'pray for doctor': 668997, 'for doctor and': 320791, 'doctor and nurse': 250820, 'and nurse 19': 67883, 'founded': 330516, 'star': 794021, 'brad': 137518, 'actress': 30613, 'kimberly': 474771, 'williams': 995440, 'store in': 808259, 'nashville founded': 552014, 'founded by': 330517, 'by country': 152244, 'country star': 211074, 'star brad': 794030, 'brad paisley': 137525, 'paisley and': 634367, 'and actress': 57649, 'actress kimberly': 30614, 'kimberly williams': 474778, 'williams paisley': 995447, 'paisley will': 634393, 'will deliver': 993144, 'deliver grocery': 233141, 'the elderly': 854102, 'elderly in': 270713, 'grocery store in': 365483, 'store in nashville': 808349, 'in nashville founded': 425682, 'nashville founded by': 552015, 'founded by country': 330518, 'by country star': 152247, 'country star brad': 211076, 'star brad paisley': 794031, 'brad paisley and': 137526, 'paisley and actress': 634368, 'and actress kimberly': 57650, 'actress kimberly williams': 30615, 'kimberly williams paisley': 474780, 'williams paisley will': 995450, 'paisley will deliver': 634395, 'will deliver grocery': 993145, 'deliver grocery to': 233143, 'grocery to the': 366061, 'to the elderly': 916668, 'the elderly in': 854127, 'elderly in the': 270716, 'wake of the': 964608, 'of the covid': 590904, 'throng': 894261, 'mulund': 545857, 'flouting': 311217, 'people throng': 649857, 'throng grocery': 894262, 'in mulund': 425508, 'mulund flouting': 545858, 'flouting all': 311218, 'all rule': 44210, 'rule of': 727306, 'of with': 593202, 'with more': 999548, 'horde of people': 404002, 'of people throng': 588004, 'people throng grocery': 649858, 'throng grocery store': 894263, 'store in mulund': 808347, 'in mulund flouting': 425509, 'mulund flouting all': 545859, 'flouting all rule': 311219, 'all rule of': 44212, 'rule of with': 727309, 'of with more': 593207, 'top': 925511, 'echoed': 266633, 'ppe': 667885, 'equipment': 279672, 'skyrocket': 773281, 'fan': 298498, 'bed': 120372, 'trump': 933359, 'mass': 519731, 'production': 681887, 'ago': 38314, 'save': 737458, 'did': 240534, 'the top': 869769, 'top need': 925619, 'need echoed': 554730, 'echoed by': 266636, 'by hospital': 152830, 'hospital across': 404258, 'country ppe': 210970, 'ppe supply': 668064, 'and equipment': 62223, 'equipment covid': 279712, 'covid is': 214180, 'is about': 445264, 'about to': 26705, 'to skyrocket': 914700, 'skyrocket there': 773337, 'there are': 878050, 'not enough': 569178, 'enough mask': 277514, 'glove fan': 352679, 'fan bed': 298507, 'bed etc': 120394, 'etc to': 282830, 'to treat': 917740, 'treat people': 930870, 'people trump': 650023, 'trump needed': 933720, 'needed to': 556526, 'order mass': 618376, 'mass production': 519838, 'production more': 682129, 'more than': 540540, 'than week': 841435, 'week ago': 975831, 'ago to': 38512, 'to save': 913772, 'save life': 737530, 'life it': 488822, 'it did': 457529, 'did not': 240707, 'the top need': 869785, 'top need echoed': 925620, 'need echoed by': 554731, 'echoed by hospital': 266637, 'by hospital across': 152831, 'hospital across the': 404259, 'the country ppe': 852133, 'country ppe supply': 210971, 'ppe supply and': 668065, 'supply and equipment': 824717, 'and equipment covid': 62224, 'equipment covid is': 279713, 'covid is about': 214181, 'is about to': 445280, 'about to skyrocket': 26738, 'to skyrocket there': 914709, 'skyrocket there are': 773338, 'there are not': 878131, 'are not enough': 88357, 'not enough mask': 569186, 'enough mask glove': 277516, 'mask glove fan': 518733, 'glove fan bed': 352680, 'fan bed etc': 298508, 'bed etc to': 120395, 'etc to treat': 282841, 'to treat people': 917755, 'treat people trump': 930872, 'people trump needed': 650024, 'trump needed to': 933721, 'needed to order': 556544, 'to order mass': 911076, 'order mass production': 618377, 'mass production more': 519839, 'production more than': 682130, 'more than week': 540696, 'than week ago': 841437, 'week ago to': 975862, 'ago to save': 38518, 'to save life': 913783, 'save life it': 737546, 'life it did': 488823, 'it did not': 457532, 'gen': 345206, 'igen': 415701, 'affected': 34280, 'never': 557840, 'engage': 276843, 'activity': 30355, 'large': 479584, 'gathering': 344427, 'school': 741667, 'mandate': 512991, 'education': 268798, 'how will': 409216, 'will gen': 993489, 'gen igen': 345217, 'igen be': 415702, 'be affected': 113509, 'affected by': 34300, 'by covid': 152250, 'pandemic they': 636730, 'will never': 994156, 'never walk': 558258, 'walk out': 964854, 'out of': 626664, 'store without': 811417, 'without buying': 1002531, 'paper two': 641034, 'two they': 937259, 'be le': 115667, 'le likely': 483010, 'to engage': 905121, 'engage in': 276855, 'in activity': 420018, 'activity with': 30541, 'with large': 999169, 'large gathering': 479668, 'gathering school': 344505, 'school will': 741984, 'will mandate': 994098, 'mandate education': 512996, 'education on': 268848, 'on how': 601380, 'how virus': 409141, 'virus are': 957957, 'are spread': 90333, 'how will gen': 409227, 'will gen igen': 993490, 'gen igen be': 345218, 'igen be affected': 415703, 'be affected by': 113511, 'affected by covid': 34310, 'by covid 19': 152251, '19 pandemic they': 9497, 'pandemic they will': 636739, 'they will never': 883867, 'will never walk': 994176, 'never walk out': 558260, 'walk out of': 964855, 'out of grocery': 626748, 'of grocery store': 584358, 'grocery store without': 365963, 'store without buying': 811419, 'without buying toilet': 1002533, 'toilet paper two': 921509, 'paper two they': 641035, 'two they will': 937261, 'will be le': 992532, 'be le likely': 115672, 'le likely to': 483011, 'likely to engage': 492148, 'to engage in': 905123, 'engage in activity': 276856, 'in activity with': 420020, 'activity with large': 30542, 'with large gathering': 999171, 'large gathering school': 479673, 'gathering school will': 344507, 'school will mandate': 741987, 'will mandate education': 994099, 'mandate education on': 512997, 'education on how': 268849, 'on how virus': 601430, 'how virus are': 409142, 'virus are spread': 957963, 'case': 165572, 'study': 814855, 'bango': 109516, 'quantifies': 691889, 'read': 700248, 'blog': 132894, 'provides': 686824, 'spend': 788547, 'forecast': 328799, 'based': 111494, 'initially': 438564, 'appdevelopers': 82043, 'appmarketing': 82640, 'mobilegames': 535055, 'case study': 166040, 'study bango': 814867, 'bango quantifies': 109519, 'quantifies increase': 691890, 'increase to': 433133, 'to stay': 915263, 'stay at': 796767, 'at home': 98926, 'home behavior': 400794, 'behavior read': 124162, 'read our': 700494, 'our latest': 623650, 'latest blog': 481231, 'blog where': 133044, 'where bango': 984751, 'bango provides': 109517, 'provides consumer': 686838, 'consumer spend': 199030, 'spend forecast': 788609, 'forecast based': 328808, 'based on': 111664, 'on behavior': 599614, 'behavior from': 124039, 'from market': 336358, 'market initially': 516587, 'initially impacted': 438567, '19 appdevelopers': 5178, 'appdevelopers appmarketing': 82044, 'appmarketing mobilegames': 82641, 'case study bango': 166041, 'study bango quantifies': 814868, 'bango quantifies increase': 109520, 'quantifies increase to': 691891, 'increase to stay': 433138, 'to stay at': 915272, 'stay at home': 796770, 'at home behavior': 98948, 'home behavior read': 400795, 'behavior read our': 124164, 'read our latest': 700513, 'our latest blog': 623654, 'latest blog where': 481241, 'blog where bango': 133045, 'where bango provides': 984752, 'bango provides consumer': 109518, 'provides consumer spend': 686839, 'consumer spend forecast': 199034, 'spend forecast based': 788610, 'forecast based on': 328809, 'based on behavior': 111670, 'on behavior from': 599615, 'behavior from market': 124040, 'from market initially': 336361, 'market initially impacted': 516588, 'initially impacted by': 438568, 'impacted by covid': 418079, 'covid 19 appdevelopers': 212643, '19 appdevelopers appmarketing': 5179, 'appdevelopers appmarketing mobilegames': 82045, 'birth': 131393, 'sh': 754284, 'lf': 487876, 'stable': 791886, 'greedily': 363453, 'person': 652284, 'action': 29918, 'consideration': 195240, 'others': 621230, 'give birth': 350413, 'birth to': 131406, 'new word': 559882, 'word sh': 1004569, 'sh lf': 754295, 'lf shelf': 487881, 'shelf stable': 757542, 'stable greedily': 791919, 'greedily empty': 363454, 'shelf panic': 757396, 'buying thing': 151204, 'thing you': 885028, 'not even': 569234, 'even need': 284403, 'need person': 555430, 'person or': 652560, 'or action': 614252, 'action lack': 30058, 'lack of': 478601, 'of consideration': 581687, 'consideration for': 195247, 'for others': 324181, 'others please': 621586, 'please think': 660669, 'think of': 885432, 'of others': 587380, 'give birth to': 350415, 'birth to new': 131407, 'to new word': 910582, 'new word sh': 559884, 'word sh lf': 1004570, 'sh lf shelf': 754297, 'lf shelf stable': 487882, 'shelf stable greedily': 757546, 'stable greedily empty': 791920, 'greedily empty supermarket': 363455, 'supermarket shelf panic': 822508, 'shelf panic buying': 757397, 'panic buying thing': 637931, 'buying thing you': 151211, 'thing you do': 885032, 'do not even': 249727, 'not even need': 569266, 'even need person': 284404, 'need person or': 555431, 'person or action': 652561, 'or action lack': 614253, 'action lack of': 30059, 'lack of consideration': 478613, 'of consideration for': 581688, 'consideration for others': 195251, 'for others please': 324197, 'others please think': 621591, 'please think of': 660673, 'think of others': 885453, 'chinese': 177181, 'lol': 500860, 'gasoline': 344214, 'yeah': 1014229, 'clown': 184352, 'chinese virus': 177374, 'virus lol': 958467, 'lol you': 500982, 'you mean': 1019821, 'mean well': 524767, 'well trump': 978713, 'trump on': 933736, 'the good': 856425, 'for the': 326278, 'consumer gasoline': 197571, 'gasoline price': 344251, 'price coming': 673192, 'coming down': 188031, 'down yeah': 257516, 'yeah you': 1014319, 'you clown': 1017980, 'chinese virus lol': 177381, 'virus lol you': 958468, 'lol you mean': 500983, 'you mean well': 1019828, 'mean well trump': 524768, 'well trump on': 978714, 'trump on the': 933740, 'on the good': 604144, 'the good for': 856436, 'good for the': 357089, 'for the consumer': 326356, 'the consumer gasoline': 851539, 'consumer gasoline price': 197572, 'gasoline price coming': 344254, 'price coming down': 673193, 'coming down yeah': 188038, 'down yeah you': 257517, 'yeah you clown': 1014320, 'let': 486533, 'applaud': 82246, 'unsung': 943550, 'hero': 393916, 'tough': 926786, 'kirana': 475399, 'must': 546449, 'article': 94223, 'kiranastores': 475411, 'let applaud': 486605, 'applaud the': 82253, 'the unsung': 870467, 'unsung hero': 943552, 'hero during': 393980, 'during these': 263228, 'these tough': 880869, 'tough time': 926844, 'time the': 897841, 'local kirana': 498136, 'kirana store': 475404, 'store owner': 809421, 'owner must': 632501, 'must read': 546829, 'read article': 700291, 'article retail': 94444, 'retail kiranastores': 718261, 'let applaud the': 486606, 'applaud the unsung': 82258, 'the unsung hero': 870468, 'unsung hero during': 943555, 'hero during these': 393983, 'during these tough': 263243, 'these tough time': 880871, 'tough time the': 926865, 'time the local': 897858, 'the local kirana': 859559, 'local kirana store': 498137, 'kirana store owner': 475406, 'store owner must': 809434, 'owner must read': 632503, 'must read article': 546831, 'read article retail': 700295, 'article retail kiranastores': 94446, 'yost': 1016735, 'warns': 967239, 'ag yost': 36860, 'yost warns': 1016736, 'warns of': 967263, 'of an': 580097, 'an outbreak': 56732, 'outbreak of': 628474, 'of scam': 589354, 'ag yost warns': 36861, 'yost warns of': 1016737, 'warns of an': 967264, 'of an outbreak': 580128, 'an outbreak of': 56734, 'outbreak of scam': 628485, 'of scam related': 589364, 'keen': 471261, 'lol just': 500917, 'just making': 469219, 'making sure': 511372, 'sure need': 827626, 'the shop': 866973, 'shop not': 760501, 'not keen': 570270, 'keen but': 471262, 'but must': 146424, 'lol just making': 500918, 'just making sure': 469222, 'making sure need': 511382, 'sure need to': 827627, 'need to go': 555953, 'to the shop': 917059, 'the shop not': 867015, 'shop not keen': 760504, 'not keen but': 570271, 'keen but must': 471263, 'wonder': 1003937, 'many': 513708, 'carried': 164931, 'wonder how': 1003949, 'how many': 408239, 'many supermarket': 514753, 'supermarket shop': 822582, 'shop worker': 761079, 'worker have': 1007081, 'have caught': 379912, 'caught the': 167461, 'the virus': 870790, 'virus since': 958756, 'since they': 770926, 'they have': 882287, 'have carried': 379901, 'carried on': 164936, 'on working': 605373, 'wonder how many': 1003954, 'how many supermarket': 408284, 'many supermarket shop': 514765, 'supermarket shop worker': 822602, 'shop worker have': 761088, 'worker have caught': 1007083, 'have caught the': 379915, 'caught the virus': 167464, 'the virus since': 870890, 'virus since they': 958757, 'since they have': 770929, 'they have carried': 882299, 'have carried on': 379902, 'carried on working': 164937, 'baby': 106556, 'self': 747540, 'isolating': 455048, 'least': 484321, 'another': 77464, 'yet': 1015969, 'slot': 774090, 'collect': 186258, 'april': 83387, '1st': 12704, 'live': 495696, '45': 19055, 'min': 532505, 'neighbour': 557178, 'big': 129608, 'ask': 95470, 'supposed': 827341, 'are couple': 85591, 'couple with': 211719, 'with baby': 997348, 'baby self': 106691, 'self isolating': 747709, 'isolating due': 455084, '19 infection': 7846, 'infection for': 436756, 'for at': 319514, 'at least': 99436, 'least another': 484389, 'another week': 77970, 'week yet': 977292, 'yet there': 1016264, 'are no': 88239, 'no delivery': 563981, 'delivery slot': 234501, 'slot or': 774249, 'or even': 615186, 'even click': 283952, 'click collect': 181893, 'collect until': 186336, 'until april': 943687, 'april 1st': 83439, '1st we': 12828, 'we live': 972210, 'live 45': 495699, '45 min': 19110, 'min from': 532539, 'from supermarket': 337471, 'supermarket so': 822725, 'so asking': 776557, 'asking neighbour': 96029, 'neighbour is': 557223, 'is big': 446167, 'big ask': 129627, 'ask what': 95658, 'what are': 981052, 'are we': 91555, 'we supposed': 973462, 'supposed to': 827348, 'to do': 904472, 'we are couple': 970516, 'are couple with': 85593, 'couple with baby': 211721, 'with baby self': 997350, 'baby self isolating': 106692, 'self isolating due': 747720, 'isolating due to': 455085, 'due to covid': 261745, 'covid 19 infection': 213267, '19 infection for': 7850, 'infection for at': 436757, 'for at least': 319518, 'at least another': 99463, 'least another week': 484391, 'another week yet': 77977, 'week yet there': 977293, 'yet there are': 1016265, 'there are no': 878130, 'are no delivery': 88252, 'no delivery slot': 563992, 'delivery slot or': 234535, 'slot or even': 774251, 'or even click': 615193, 'even click collect': 283954, 'click collect until': 181901, 'collect until april': 186337, 'until april 1st': 943691, 'april 1st we': 83445, '1st we live': 12829, 'we live 45': 972211, 'live 45 min': 495700, '45 min from': 19113, 'min from supermarket': 532540, 'from supermarket so': 337503, 'supermarket so asking': 822726, 'so asking neighbour': 776558, 'asking neighbour is': 96030, 'neighbour is big': 557224, 'is big ask': 446168, 'big ask what': 129628, 'ask what are': 95659, 'what are we': 981071, 'are we supposed': 91595, 'we supposed to': 973463, 'supposed to do': 827355, 'changed': 172423, 'behaviour': 124344, 'ha changed': 370115, 'changed behaviour': 172443, 'behaviour here': 124443, 'here all': 392665, 'all you': 45530, 'you need': 1019958, 'to know': 908969, 'know by': 476320, 'by read': 153727, 'ha changed behaviour': 370119, 'changed behaviour here': 172444, 'behaviour here all': 124444, 'here all you': 392668, 'all you need': 45548, 'you need to': 1020053, 'need to know': 555981, 'to know by': 908976, 'know by read': 476322, 'lagosians': 478957, 'both': 135829, 'robbersvirus': 724658, 'robbery': 724661, 'everywhere': 288164, 'citizen': 178811, 'turning': 935902, 'vigilatees': 957268, 'nomoney': 566284, 'nopeaceofmind': 566919, 'cc': 168387, 'is fighting': 447787, 'fighting while': 305155, 'while lagosians': 986996, 'lagosians are': 478958, 'are fighting': 86539, 'fighting both': 305041, 'both and': 135846, 'and robbersvirus': 70581, 'robbersvirus robbery': 724659, 'robbery everywhere': 724665, 'everywhere citizen': 288186, 'citizen turning': 178990, 'turning to': 935961, 'to vigilatees': 918178, 'vigilatees nofood': 957269, 'nofood nomoney': 566165, 'nomoney nopeaceofmind': 566289, 'nopeaceofmind cc': 566920, 'is fighting while': 447796, 'fighting while lagosians': 305156, 'while lagosians are': 986997, 'lagosians are fighting': 478959, 'are fighting both': 86544, 'fighting both and': 305042, 'both and robbersvirus': 135850, 'and robbersvirus robbery': 70582, 'robbersvirus robbery everywhere': 724660, 'robbery everywhere citizen': 724666, 'everywhere citizen turning': 288188, 'citizen turning to': 178991, 'turning to vigilatees': 935980, 'to vigilatees nofood': 918179, 'vigilatees nofood nomoney': 957270, 'nofood nomoney nopeaceofmind': 566166, 'nomoney nopeaceofmind cc': 566290, 'rise': 722760, 'warn': 966919, 'expert': 291756, 'double': 255968, 'whammy': 980929, 'erratic': 280212, 'rainfall': 695780, 'food price': 315916, 'price in': 674643, 'in india': 424018, 'india are': 434312, 'to rise': 913549, 'rise soon': 723006, 'soon warn': 785889, 'warn expert': 966933, 'expert farmer': 291835, 'farmer in': 299419, 'country face': 210630, 'face the': 294790, 'the double': 853608, 'double whammy': 256087, 'whammy of': 980939, 'of erratic': 583150, 'erratic rainfall': 280217, 'rainfall and': 695781, 'and lockdown': 66318, 'food price in': 315948, 'price in india': 674698, 'in india are': 424023, 'india are likely': 434313, 'likely to rise': 492172, 'to rise soon': 913577, 'rise soon warn': 723007, 'soon warn expert': 785890, 'warn expert farmer': 966935, 'expert farmer in': 291836, 'farmer in the': 299423, 'in the country': 429101, 'the country face': 852075, 'country face the': 210636, 'face the double': 294793, 'the double whammy': 853612, 'double whammy of': 256091, 'whammy of erratic': 980941, 'of erratic rainfall': 583151, 'erratic rainfall and': 280218, 'rainfall and lockdown': 695782, 'hammering': 374584, 'latin': 481640, 'economy': 267596, 'latam': 480820, 'is hammering': 448257, 'hammering latin': 374585, 'latin american': 481643, 'american economy': 51931, 'economy latam': 268033, 'latam 19': 480821, '19 coronacrisis': 6061, 'is hammering latin': 448258, 'hammering latin american': 374586, 'latin american economy': 481644, 'american economy latam': 51934, 'economy latam 19': 268034, 'latam 19 coronacrisis': 480822, 'plan': 658035, 'trip': 932038, 'mostly': 542933, 'talk': 833723, 'myself': 550811, 'doing': 252246, 'really': 701946, 'want': 965685, 'outside': 629356, 'bad': 107739, 'allergy': 45765, 'limited': 492593, 'tissue': 899111, 'hard': 377852, 'so it': 777454, 'it taken': 461435, 'taken me': 833027, 'me two': 523843, 'two day': 936860, 'day to': 228554, 'to plan': 911762, 'plan trip': 658334, 'trip the': 932173, 'store mostly': 808996, 'mostly to': 543025, 'to talk': 916277, 'talk myself': 833821, 'myself into': 550885, 'into doing': 442522, 'doing it': 252478, 'it really': 460623, 'really don': 702138, 'don want': 254034, 'want to': 965980, 'go outside': 354006, 'outside but': 629385, 'but having': 145893, 'having bad': 383984, 'bad allergy': 107753, 'allergy with': 45797, 'with limited': 999229, 'limited tissue': 492763, 'tissue is': 899163, 'getting hard': 349023, 'hard pandemic': 377990, 'so it taken': 777479, 'it taken me': 461437, 'taken me two': 833029, 'me two day': 523844, 'two day to': 936867, 'day to plan': 228575, 'to plan trip': 911770, 'plan trip the': 658336, 'trip the grocery': 932174, 'grocery store mostly': 365578, 'store mostly to': 808997, 'mostly to talk': 543028, 'to talk myself': 916285, 'talk myself into': 833822, 'myself into doing': 550886, 'into doing it': 442523, 'doing it really': 252490, 'it really don': 460635, 'really don want': 702146, 'don want to': 254048, 'want to go': 966042, 'to go outside': 906839, 'go outside but': 354009, 'outside but having': 629387, 'but having bad': 145894, 'having bad allergy': 383985, 'bad allergy with': 107754, 'allergy with limited': 45798, 'with limited tissue': 999235, 'limited tissue is': 492764, 'tissue is getting': 899164, 'is getting hard': 448025, 'getting hard pandemic': 349024, 'cbd': 168289, 'cannot': 161579, 'symptom': 830799, 'relieve': 709525, 'immune': 417302, 'system': 831071, 'act': 29575, 'natural': 552803, 'angelic': 76396, 'reduced': 706016, 'difficult': 242182, 'cbd cannot': 168292, 'cannot cure': 161737, 'cure but': 220712, 'but it': 146093, 'it can': 457005, 'can cure': 158030, 'cure coronavirus': 220723, 'coronavirus symptom': 206862, 'symptom relieve': 830906, 'relieve your': 709544, 'your anxiety': 1022792, 'anxiety boost': 78673, 'boost the': 135020, 'the immune': 857916, 'immune system': 417331, 'system act': 831074, 'act like': 29678, 'like natural': 490837, 'natural angelic': 552808, 'angelic price': 76397, 'have been': 379454, 'been reduced': 121794, 'reduced during': 706066, 'this difficult': 887224, 'difficult time': 242273, 'help everyone': 389659, 'cbd cannot cure': 168293, 'cannot cure but': 161738, 'cure but it': 220714, 'but it can': 146107, 'it can cure': 457012, 'can cure coronavirus': 158031, 'cure coronavirus symptom': 220726, 'coronavirus symptom relieve': 206868, 'symptom relieve your': 830907, 'relieve your anxiety': 709545, 'your anxiety boost': 1022794, 'anxiety boost the': 78675, 'boost the immune': 135022, 'the immune system': 857918, 'immune system act': 417332, 'system act like': 831075, 'act like natural': 29683, 'like natural angelic': 490838, 'natural angelic price': 552809, 'angelic price have': 76398, 'price have been': 674414, 'have been reduced': 379657, 'been reduced during': 121798, 'reduced during this': 706067, 'during this difficult': 263277, 'this difficult time': 887227, 'difficult time to': 242314, 'time to help': 897995, 'to help everyone': 907508, 'twitter': 936626, 'confirm': 194092, 'woolies': 1004364, 'would': 1011488, 'coronaaustralia': 204436, 'can anyone': 157508, 'anyone on': 80442, 'on twitter': 604914, 'twitter confirm': 936646, 'confirm if': 194095, 'if got': 414164, 'got up': 359000, 'up and': 944300, 'and went': 75427, 'went to': 979133, 'to woolies': 918673, 'woolies at': 1004367, 'at 8am': 97779, '8am there': 23154, 'there would': 879375, 'would be': 1011540, 'be any': 113643, 'any toilet': 79982, 'paper or': 640544, 'or ha': 615539, 'ha it': 371010, 'it all': 456332, 'all run': 44213, 'run out': 727750, 'out toiletpaper': 627711, 'toiletpaper coronaaustralia': 921878, 'can anyone on': 157512, 'anyone on twitter': 80446, 'on twitter confirm': 604917, 'twitter confirm if': 936647, 'confirm if got': 194096, 'if got up': 414166, 'got up and': 359001, 'up and went': 944388, 'and went to': 75430, 'went to woolies': 979204, 'to woolies at': 918674, 'woolies at 8am': 1004368, 'at 8am there': 97787, '8am there would': 23155, 'there would be': 879376, 'would be any': 1011552, 'be any toilet': 113655, 'any toilet paper': 79983, 'toilet paper or': 921379, 'paper or ha': 640551, 'or ha it': 615542, 'ha it all': 371011, 'it all run': 456370, 'all run out': 44214, 'run out toiletpaper': 727770, 'out toiletpaper coronaaustralia': 627714, 'caused': 167817, 'robotics': 724812, 'accelerate': 27824, 'according': 28511, 'lesley': 486425, 'rohrbaugh': 725049, 'director': 243599, 'research': 713644, 'association': 96939, 'pandemic ha': 635529, 'ha caused': 370074, 'caused robotics': 167946, 'robotics innovation': 724815, 'innovation to': 438906, 'to accelerate': 899926, 'accelerate according': 27825, 'according to': 28514, 'to lesley': 909186, 'lesley rohrbaugh': 486426, 'rohrbaugh the': 725050, 'the director': 853317, 'director of': 243645, 'of research': 588961, 'research for': 713719, 'consumer technology': 199234, 'technology association': 836261, '19 pandemic ha': 9342, 'pandemic ha caused': 635534, 'ha caused robotics': 370097, 'caused robotics innovation': 167947, 'robotics innovation to': 724816, 'innovation to accelerate': 438907, 'to accelerate according': 899927, 'accelerate according to': 27826, 'according to lesley': 28560, 'to lesley rohrbaugh': 909187, 'lesley rohrbaugh the': 486427, 'rohrbaugh the director': 725051, 'the director of': 853319, 'director of research': 243654, 'of research for': 588964, 'research for the': 713723, 'the consumer technology': 851606, 'consumer technology association': 199235, 'truly': 933256, 'heartbreaking': 388370, 'video': 956593, 'upset': 947794, 'everytime': 288150, 'such': 816303, 'hope': 403405, 'she': 755839, 'shown': 767570, 'lot': 503963, 'compassion': 191480, 'finally': 305928, 'found': 330136, 'provision': 687244, 'doitfordawn': 252901, 'truly heartbreaking': 933309, 'heartbreaking video': 388426, 'video it': 956792, 'it upset': 461978, 'upset me': 947809, 'me everytime': 522705, 'everytime see': 288157, 'see it': 745323, 'it but': 456944, 'but such': 147209, 'such good': 816522, 'good response': 357659, 'response from': 715691, 'from twitter': 338161, 'twitter hope': 936671, 'hope she': 403618, 'she ha': 756067, 'been shown': 121955, 'shown lot': 767605, 'lot of': 504131, 'of love': 586030, 'love and': 504594, 'and compassion': 60205, 'compassion in': 191490, 'the real': 865205, 'real world': 701462, 'and finally': 62858, 'finally found': 305995, 'found some': 330375, 'some provision': 783668, 'provision doitfordawn': 687256, 'truly heartbreaking video': 933310, 'heartbreaking video it': 388427, 'video it upset': 956796, 'it upset me': 461979, 'upset me everytime': 947811, 'me everytime see': 522707, 'everytime see it': 288158, 'see it but': 745325, 'it but such': 456955, 'but such good': 147210, 'such good response': 816525, 'good response from': 357660, 'response from twitter': 715699, 'from twitter hope': 338162, 'twitter hope she': 936672, 'hope she ha': 403619, 'she ha been': 756069, 'ha been shown': 369920, 'been shown lot': 121956, 'shown lot of': 767606, 'lot of love': 504221, 'of love and': 586031, 'love and compassion': 504597, 'and compassion in': 60208, 'compassion in the': 191491, 'in the real': 429500, 'the real world': 865249, 'real world and': 701463, 'world and finally': 1009277, 'and finally found': 62859, 'finally found some': 306001, 'found some provision': 330381, 'some provision doitfordawn': 783670, 'allah': 45591, 'bring': 139912, 'blessing': 132640, 'effortlessly': 269675, 'recover': 705157, 'slow': 774317, 'cleaner': 180734, 'armed': 92934, 'whoever': 990089, 'he': 384701, 'saved': 737722, 'humanity': 410697, 'may allah': 520900, 'allah bring': 45594, 'bring blessing': 139937, 'blessing to': 132652, 'to those': 917491, 'those who': 892611, 'who work': 990027, 'work effortlessly': 1005085, 'effortlessly to': 269678, 'help others': 390206, 'others recover': 621607, 'recover and': 705162, 'and slow': 71747, 'slow the': 774396, 'the spread': 867612, 'the medical': 860392, 'medical staff': 526381, 'staff cleaner': 792320, 'cleaner delivery': 180769, 'driver supermarket': 259761, 'supermarket worker': 823976, 'worker armed': 1006442, 'armed force': 92935, 'force and': 328325, 'and many': 66664, 'many more': 514294, 'more whoever': 540977, 'whoever save': 990110, 'it would': 462578, 'be if': 115347, 'if he': 414207, 'he saved': 385385, 'saved all': 737725, 'all humanity': 43167, 'may allah bring': 520901, 'allah bring blessing': 45595, 'bring blessing to': 139938, 'blessing to those': 132654, 'to those who': 917532, 'those who work': 892698, 'who work effortlessly': 990033, 'work effortlessly to': 1005086, 'effortlessly to help': 269679, 'to help others': 907578, 'help others recover': 390214, 'others recover and': 621608, 'recover and slow': 705163, 'and slow the': 71753, 'slow the spread': 774401, 'the spread of': 867635, 'of the medical': 591232, 'the medical staff': 860404, 'medical staff cleaner': 526388, 'staff cleaner delivery': 792321, 'cleaner delivery driver': 180770, 'delivery driver supermarket': 233940, 'driver supermarket worker': 259768, 'supermarket worker armed': 823991, 'worker armed force': 1006443, 'armed force and': 92936, 'force and many': 328327, 'and many more': 66676, 'many more whoever': 514325, 'more whoever save': 540978, 'whoever save life': 990111, 'life it would': 488827, 'it would be': 462583, 'would be if': 1011604, 'be if he': 115349, 'if he saved': 414219, 'he saved all': 385386, 'saved all humanity': 737727, 'plenty': 660904, 'alarmed': 40687, 'supplier': 824481, 'retailer': 718938, 'surging': 828399, 'insist': 439690, 'strong': 813958, 'panicbuying': 638890, 'is plenty': 450903, 'plenty of': 660937, 'food in': 314920, 'country american': 210424, 'american have': 52017, 'been alarmed': 120634, 'alarmed by': 40690, 'by empty': 152478, 'empty grocery': 274894, 'grocery shelf': 364953, 'shelf but': 756898, 'but while': 147845, 'while food': 986845, 'food supplier': 316914, 'supplier retailer': 824605, 'retailer say': 719303, 'say they': 739332, 'are struggling': 90580, 'struggling with': 814530, 'with surging': 1001093, 'surging demand': 828416, 'demand they': 236371, 'they insist': 882463, 'insist the': 439701, 'the supply': 868938, 'supply chain': 824898, 'chain remains': 171042, 'remains strong': 710063, 'strong panicbuying': 814082, 'there is plenty': 878606, 'is plenty of': 450905, 'plenty of food': 660949, 'of food in': 583717, 'food in the': 314975, 'the country american': 852044, 'country american have': 210425, 'american have been': 52018, 'have been alarmed': 379463, 'been alarmed by': 120635, 'alarmed by empty': 40691, 'by empty grocery': 152479, 'empty grocery shelf': 274896, 'grocery shelf but': 364955, 'shelf but while': 756910, 'but while food': 147846, 'while food supplier': 986850, 'food supplier retailer': 316921, 'supplier retailer say': 824606, 'retailer say they': 719305, 'say they are': 739333, 'they are struggling': 881421, 'are struggling with': 90595, 'struggling with surging': 814546, 'with surging demand': 1001094, 'surging demand they': 828421, 'demand they insist': 236374, 'they insist the': 882465, 'insist the supply': 439702, 'the supply chain': 868942, 'supply chain remains': 825021, 'chain remains strong': 171043, 'remains strong panicbuying': 710064, 'kaikohe': 470660, 'testing': 839413, 'positive': 665239, 'kaikohe local': 470663, 'local queue': 498322, 'queue for': 693922, '19 testing': 11092, 'testing after': 839424, 'after supermarket': 36260, 'worker positive': 1007608, 'positive case': 665274, 'kaikohe local queue': 470666, 'local queue for': 498323, 'queue for covid': 693926, 'covid 19 testing': 213922, '19 testing after': 11095, 'testing after supermarket': 839425, 'after supermarket worker': 36263, 'supermarket worker positive': 824072, 'worker positive case': 1007609, 'keine': 472695, 'wertgegenst': 980431, 'nde': 553402, 'fahrzeug': 296081, 'lassen': 480072, 'diesen': 241706, 'tipp': 898969, 'sollte': 781967, 'besten': 128023, 'immer': 417204, 'nicht': 562568, 'nur': 577169, 'zeiten': 1027347, 'von': 960414, 'befolgen': 122578, 'rselen': 726714, 'wurde': 1013603, 'scheibe': 741541, 'eines': 270234, 'pkw': 657269, 'eingeschlagen': 270237, 'mehrere': 527861, 'rollen': 725650, 'klopapier': 475931, 'gestohlen': 346425, 'keine wertgegenst': 472696, 'wertgegenst nde': 980432, 'nde im': 553403, 'im fahrzeug': 416529, 'fahrzeug lassen': 296082, 'lassen diesen': 480073, 'diesen tipp': 241707, 'tipp sollte': 898970, 'sollte man': 781968, 'man am': 511985, 'am besten': 49941, 'besten immer': 128024, 'immer nicht': 417205, 'nicht nur': 562571, 'nur in': 577170, 'in zeiten': 431151, 'zeiten von': 1027348, 'von corona': 960415, 'corona befolgen': 203826, 'befolgen in': 122579, 'in rselen': 427565, 'rselen wurde': 726715, 'wurde die': 1013604, 'die scheibe': 241448, 'scheibe eines': 741542, 'eines pkw': 270235, 'pkw eingeschlagen': 657270, 'eingeschlagen mehrere': 270238, 'mehrere rollen': 527862, 'rollen klopapier': 725651, 'klopapier gestohlen': 475932, 'keine wertgegenst nde': 472697, 'wertgegenst nde im': 980433, 'nde im fahrzeug': 553404, 'im fahrzeug lassen': 416530, 'fahrzeug lassen diesen': 296083, 'lassen diesen tipp': 480074, 'diesen tipp sollte': 241708, 'tipp sollte man': 898971, 'sollte man am': 781969, 'man am besten': 511986, 'am besten immer': 49942, 'besten immer nicht': 128025, 'immer nicht nur': 417206, 'nicht nur in': 562572, 'nur in zeiten': 577171, 'in zeiten von': 431152, 'zeiten von corona': 1027349, 'von corona befolgen': 960416, 'corona befolgen in': 203827, 'befolgen in rselen': 122580, 'in rselen wurde': 427566, 'rselen wurde die': 726716, 'wurde die scheibe': 1013605, 'die scheibe eines': 241449, 'scheibe eines pkw': 741543, 'eines pkw eingeschlagen': 270236, 'pkw eingeschlagen mehrere': 657271, 'eingeschlagen mehrere rollen': 270239, 'mehrere rollen klopapier': 527863, 'rollen klopapier gestohlen': 725652, 'happyeaster': 377753, 'chocolate': 177654, 'flower': 311271, 'instead': 440144, 'homeessentials': 402692, 'appreciated': 82808, 'clorox': 182451, 'bleach': 132466, 'evelynperezlarin': 283791, 'realtor': 702775, 'miami': 530159, 'fortuneinternationalrealty': 329932, 'canvasmiami': 162394, 'weareinthistogether': 974544, 'happyeaster no': 377756, 'no chocolate': 563803, 'chocolate or': 177696, 'or flower': 615331, 'flower instead': 311299, 'instead homeessentials': 440204, 'homeessentials appreciated': 402693, 'appreciated clorox': 82812, 'clorox bleach': 182454, 'bleach toiletpaper': 132524, 'toiletpaper stayhome': 922521, 'stayhome socialdistancing': 798113, 'socialdistancing evelynperezlarin': 780350, 'evelynperezlarin realtor': 283792, 'realtor miami': 702792, 'miami fortuneinternationalrealty': 530180, 'fortuneinternationalrealty canvasmiami': 329933, 'canvasmiami weareinthistogether': 162395, 'happyeaster no chocolate': 377757, 'no chocolate or': 563804, 'chocolate or flower': 177697, 'or flower instead': 615332, 'flower instead homeessentials': 311300, 'instead homeessentials appreciated': 440205, 'homeessentials appreciated clorox': 402694, 'appreciated clorox bleach': 82813, 'clorox bleach toiletpaper': 182455, 'bleach toiletpaper stayhome': 132525, 'toiletpaper stayhome socialdistancing': 922525, 'stayhome socialdistancing evelynperezlarin': 798114, 'socialdistancing evelynperezlarin realtor': 780351, 'evelynperezlarin realtor miami': 283793, 'realtor miami fortuneinternationalrealty': 702793, 'miami fortuneinternationalrealty canvasmiami': 530181, 'fortuneinternationalrealty canvasmiami weareinthistogether': 329934, 'recent': 703814, 'focus': 311829, 'mintel': 533668, 'discovered': 244676, 'canadian': 160628, '54': 20308, 'percent': 651105, 'wash': 967420, 'frequently': 332838, 'in recent': 427313, 'recent focus': 703900, 'focus study': 311925, 'study on': 814936, 'on canada': 599790, 'canada by': 160382, 'by mintel': 153229, 'mintel they': 533675, 'they discovered': 881945, 'discovered that': 244695, 'that of': 845440, 'of 00': 579291, '00 canadian': 102, 'canadian 54': 160629, '54 percent': 20330, 'percent say': 651179, 'they wash': 883725, 'wash their': 967547, 'their hand': 873467, 'hand more': 375089, 'more frequently': 539291, 'in recent focus': 427316, 'recent focus study': 703901, 'focus study on': 311926, 'study on canada': 814937, 'on canada by': 599792, 'canada by mintel': 160383, 'by mintel they': 153230, 'mintel they discovered': 533676, 'they discovered that': 881946, 'discovered that of': 244699, 'that of 00': 845441, 'of 00 canadian': 579293, '00 canadian 54': 103, 'canadian 54 percent': 160630, '54 percent say': 20331, 'percent say they': 651180, 'say they wash': 739353, 'they wash their': 883726, 'wash their hand': 967549, 'their hand more': 873480, 'hand more frequently': 375090, 'heb': 388668, 'managed': 512475, 'prepared': 670159, 'turn': 935631, 'started': 794667, 'talking': 833953, 'january': 464614, 'began': 123371, 'wargaming': 966861, 'simulation': 770353, 'feb': 301612, 'were curious': 979501, 'how heb': 407990, 'heb managed': 388681, 'managed to': 512489, 'so prepared': 778065, 'prepared for': 670189, 'coronavirus so': 206778, 'so and': 776504, 'and found': 63224, 'found out': 330318, 'out it': 626441, 'it turn': 461879, 'turn out': 935733, 'out they': 627541, 'they started': 883443, 'started talking': 794846, 'talking with': 834059, 'with chinese': 997636, 'chinese retailer': 177341, 'retailer in': 719197, 'in january': 424351, 'january to': 464688, 'to learn': 909125, 'from them': 337954, 'them and': 875371, 'and began': 58824, 'began wargaming': 123460, 'wargaming pandemic': 966862, 'pandemic simulation': 636472, 'simulation on': 770354, 'on feb': 600765, 'we were curious': 973787, 'were curious how': 979502, 'curious how heb': 220977, 'how heb managed': 407991, 'heb managed to': 388682, 'managed to be': 512492, 'to be so': 901549, 'be so prepared': 117263, 'so prepared for': 778066, 'prepared for the': 670203, 'for the coronavirus': 326363, 'the coronavirus so': 851916, 'coronavirus so and': 206779, 'so and found': 776506, 'and found out': 63230, 'found out it': 330324, 'out it turn': 626453, 'it turn out': 461880, 'turn out they': 935743, 'out they started': 627551, 'they started talking': 883445, 'started talking with': 794848, 'talking with chinese': 834060, 'with chinese retailer': 997637, 'chinese retailer in': 177343, 'retailer in january': 719201, 'in january to': 424364, 'january to learn': 464689, 'to learn from': 909129, 'learn from them': 483973, 'from them and': 337956, 'them and began': 875373, 'and began wargaming': 58827, 'began wargaming pandemic': 123461, 'wargaming pandemic simulation': 966863, 'pandemic simulation on': 636473, 'simulation on feb': 770355, 'closed': 182950, 'domestic': 253162, 'international': 441747, 'travel': 930228, 'banned': 110556, 'rocket': 724947, 'science': 742076, 'chinaliedpeopledie': 177107, 'but you': 147974, 'you haven': 1019144, 'haven closed': 383772, 'closed everything': 183103, 'everything down': 287754, 'down domestic': 256687, 'domestic and': 253166, 'and international': 65325, 'international travel': 441863, 'travel should': 930506, 'be banned': 113808, 'banned or': 110588, 'or we': 617736, 'we will': 973828, 'will become': 992787, 'become italy': 120042, 'italy it': 462864, 'it not': 459853, 'not rocket': 571398, 'rocket science': 724951, 'science week': 742149, 'week of': 976600, 'of only': 587273, 'shopping and': 761960, 'and we': 75275, 'we be': 970814, 'be out': 116281, 'of it': 585356, 'it chinaliedpeopledie': 457130, 'but you haven': 147987, 'you haven closed': 1019146, 'haven closed everything': 383773, 'closed everything down': 183104, 'everything down domestic': 287758, 'down domestic and': 256688, 'domestic and international': 253168, 'and international travel': 65326, 'international travel should': 441866, 'travel should be': 930507, 'should be banned': 765567, 'be banned or': 113811, 'banned or we': 110589, 'or we will': 617743, 'we will become': 973837, 'will become italy': 992797, 'become italy it': 120043, 'italy it not': 462865, 'it not rocket': 459915, 'not rocket science': 571399, 'rocket science week': 724952, 'science week of': 742150, 'week of only': 976632, 'of only grocery': 587275, 'grocery shopping and': 364996, 'shopping and we': 762041, 'and we be': 75282, 'we be out': 970820, 'be out of': 116287, 'out of it': 626766, 'of it chinaliedpeopledie': 585378, 'mahavir': 508496, 'temple': 837421, 'trust': 934231, 'crore': 218952, 'mahamaya': 508470, 'lac': 478565, 'tibetan': 895570, 'baudhist': 112892, 'donating': 254407, 'giving': 351223, 'christianmissionaries': 178139, 'muslim': 546410, 'nothing': 572917, 'hindu': 396859, 'hindutva': 396885, 'mahavir temple': 508497, 'temple trust': 837428, 'trust crore': 934256, 'crore mahamaya': 218962, 'mahamaya temple': 508471, 'trust lac': 934283, 'lac tibetan': 478578, 'tibetan baudhist': 895571, 'baudhist temple': 112893, 'temple donating': 837424, 'donating giving': 254460, 'giving food': 351286, 'food stock': 316773, 'stock door': 802053, 'door to': 255747, 'to door': 904663, 'door what': 255779, 'what christianmissionaries': 981214, 'christianmissionaries muslim': 178140, 'muslim group': 546423, 'group doing': 366672, 'doing nothing': 252556, 'nothing but': 572954, 'but only': 146681, 'only spreading': 611183, 'spreading panic': 791022, 'panic to': 638715, 'to convert': 903466, 'convert hindu': 202529, 'hindu hindutva': 396862, 'hindutva india': 396886, 'mahavir temple trust': 508498, 'temple trust crore': 837429, 'trust crore mahamaya': 934257, 'crore mahamaya temple': 218963, 'mahamaya temple trust': 508472, 'temple trust lac': 837430, 'trust lac tibetan': 934284, 'lac tibetan baudhist': 478579, 'tibetan baudhist temple': 895572, 'baudhist temple donating': 112894, 'temple donating giving': 837425, 'donating giving food': 254461, 'giving food stock': 351288, 'food stock door': 316785, 'stock door to': 802054, 'door to door': 255751, 'to door what': 904677, 'door what christianmissionaries': 255780, 'what christianmissionaries muslim': 981215, 'christianmissionaries muslim group': 178141, 'muslim group doing': 546424, 'group doing nothing': 366673, 'doing nothing but': 252559, 'nothing but only': 572960, 'but only spreading': 146694, 'only spreading panic': 611184, 'spreading panic to': 791028, 'panic to convert': 638718, 'to convert hindu': 903467, 'convert hindu hindutva': 202530, 'hindu hindutva india': 396863, 'disaster': 244181, 'disease': 245068, 'capitalism': 162712, 'produce': 680150, 'future': 342247, 'is cure': 446978, 'cure for': 220734, '19 virus': 11783, 'virus for': 958197, 'for all': 319106, 'all the': 44654, 'other disaster': 620111, 'disaster that': 244252, 'the disease': 853356, 'disease of': 245190, 'of capitalism': 581119, 'capitalism ha': 162757, 'ha brought': 370033, 'brought into': 141168, 'into this': 443208, 'this world': 891502, 'and which': 75552, 'which it': 986073, 'is still': 452258, 'still producing': 801071, 'producing but': 680745, 'but even': 145664, 'worse that': 1011023, 'it will': 462366, 'will produce': 994472, 'produce in': 680311, 'the future': 856064, 'there is cure': 878542, 'is cure for': 446979, 'cure for the': 220747, 'for the covid': 326366, 'covid 19 virus': 214033, '19 virus for': 11800, 'virus for all': 958199, 'for all the': 319175, 'all the other': 44852, 'the other disaster': 862522, 'other disaster that': 620112, 'disaster that the': 244254, 'that the disease': 846705, 'the disease of': 853369, 'disease of capitalism': 245192, 'of capitalism ha': 581121, 'capitalism ha brought': 162758, 'ha brought into': 370036, 'brought into this': 141169, 'into this world': 443228, 'this world and': 891503, 'world and which': 1009293, 'and which it': 75560, 'which it is': 986076, 'it is still': 459091, 'is still producing': 452306, 'still producing but': 801072, 'producing but even': 680746, 'but even worse': 145673, 'even worse that': 284832, 'worse that it': 1011025, 'that it will': 844758, 'it will produce': 462423, 'will produce in': 994475, 'produce in the': 680319, 'in the future': 429225, 'thru': 895160, 'job': 465587, 'hold': 399880, 'cbc': 168267, 'bank drive': 109790, 'drive thru': 259188, 'thru in': 895197, 'in demand': 422097, 'demand job': 235769, 'job on': 466047, 'on hold': 601337, 'hold amid': 399889, 'amid covid': 52431, 'pandemic cbc': 635116, 'cbc news': 168278, 'food bank drive': 313558, 'bank drive thru': 109791, 'drive thru in': 259200, 'thru in demand': 895198, 'in demand job': 422133, 'demand job on': 235770, 'job on hold': 466049, 'on hold amid': 601338, 'hold amid covid': 399890, 'amid covid 19': 52432, '19 pandemic cbc': 9289, 'pandemic cbc news': 635117, 'early': 264521, 'morning': 541125, 'limit': 492271, 'took': 925189, 'bc': 113218, 'hopefully': 403838, 'some1': 784244, 'finally got': 306026, 'got some': 358843, 'some toiletpaper': 784087, 'toiletpaper got': 922032, 'got there': 358926, 'there early': 878348, 'early in': 264619, 'the morning': 860907, 'morning already': 541141, 'already the': 47714, 'the shelf': 866818, 'shelf were': 757761, 'were almost': 979293, 'almost empty': 46602, 'empty limit': 274937, 'limit wa': 492551, 'wa per': 962921, 'per household': 650885, 'household but': 406746, 'but just': 146193, 'just took': 470129, 'took bc': 925214, 'bc that': 113288, 'that enough': 843712, 'enough hopefully': 277470, 'hopefully some1': 403879, 'some1 else': 784245, 'else will': 271991, 'be able': 113440, 'able get': 24434, 'get some': 348039, 'some now': 783369, 'finally got some': 306029, 'got some toiletpaper': 358858, 'some toiletpaper got': 784090, 'toiletpaper got there': 922033, 'got there early': 358927, 'there early in': 878349, 'early in the': 264624, 'in the morning': 429372, 'the morning already': 860908, 'morning already the': 541142, 'already the shelf': 47717, 'the shelf were': 866897, 'shelf were almost': 757763, 'were almost empty': 979295, 'almost empty limit': 46609, 'empty limit wa': 274939, 'limit wa per': 492552, 'wa per household': 962923, 'per household but': 650887, 'household but just': 406748, 'but just took': 146204, 'just took bc': 470130, 'took bc that': 925215, 'bc that enough': 113290, 'that enough hopefully': 843713, 'enough hopefully some1': 277471, 'hopefully some1 else': 403880, 'some1 else will': 784246, 'else will be': 271992, 'will be able': 992339, 'be able get': 113442, 'able get some': 24436, 'get some now': 348067, 'approve': 83102, 'wise': 996666, 'decision': 230994, 'counter': 210185, 'depleting': 237420, 'opec russia': 611956, 'russia approve': 728437, 'approve biggest': 83103, 'biggest ever': 130225, 'ever oil': 285439, 'oil cut': 596724, 'cut to': 223594, 'support price': 826765, 'price amid': 672307, 'amid pandemic': 52566, 'pandemic wise': 637018, 'wise decision': 996675, 'decision to': 231098, 'to counter': 903622, 'counter depleting': 210207, 'depleting oil': 237425, 'opec russia approve': 611960, 'russia approve biggest': 728438, 'approve biggest ever': 83104, 'biggest ever oil': 130228, 'ever oil cut': 285440, 'oil cut to': 596726, 'cut to support': 223610, 'to support price': 915962, 'support price amid': 826766, 'price amid pandemic': 672315, 'amid pandemic wise': 52580, 'pandemic wise decision': 637019, 'wise decision to': 996676, 'decision to counter': 231103, 'to counter depleting': 903624, 'counter depleting oil': 210208, 'depleting oil price': 237426, 'city': 179029, 'tehachapi': 836611, 'page': 633824, 'including': 431837, 'offering': 594993, 'takeout': 833136, 'the city': 850913, 'city of': 179277, 'of tehachapi': 590639, 'tehachapi ha': 836612, 'created great': 215830, 'great covid': 362597, 'covid resource': 214217, 'resource page': 714850, 'page including': 633860, 'including restaurant': 432131, 'restaurant offering': 716600, 'offering takeout': 595270, 'takeout delivery': 833147, 'delivery grocery': 234069, 'store hour': 808185, 'hour and': 405387, 'and senior': 71252, 'senior hour': 750320, 'hour business': 405467, 'business resource': 144316, 'resource health': 714806, 'health resource': 386793, 'resource and': 714698, 'the city of': 850949, 'city of tehachapi': 179294, 'of tehachapi ha': 590640, 'tehachapi ha created': 836613, 'ha created great': 370271, 'created great covid': 215831, 'great covid resource': 362598, 'covid resource page': 214218, 'resource page including': 714854, 'page including restaurant': 633862, 'including restaurant offering': 432133, 'restaurant offering takeout': 716601, 'offering takeout delivery': 595272, 'takeout delivery grocery': 833151, 'delivery grocery store': 234072, 'grocery store hour': 365473, 'store hour and': 808187, 'hour and senior': 405417, 'and senior hour': 71255, 'senior hour business': 750323, 'hour business resource': 405468, 'business resource health': 144319, 'resource health resource': 714807, 'health resource and': 386794, 'resource and more': 714704, 'medium': 526963, 'advisory': 33751, 'bureau': 142771, 'medium advisory': 526975, 'advisory consumer': 33756, 'consumer financial': 197487, 'financial protection': 306544, 'protection bureau': 685358, 'bureau resource': 142809, 'resource for': 714775, 'for consumer': 320236, 'consumer during': 197268, 'pandemic via': 636893, 'medium advisory consumer': 526976, 'advisory consumer financial': 33757, 'consumer financial protection': 197489, 'financial protection bureau': 306545, 'protection bureau resource': 685369, 'bureau resource for': 142810, 'resource for consumer': 714778, 'for consumer during': 320253, 'consumer during covid': 197269, '19 pandemic via': 9517, 'xauusd': 1013768, 'gc': 344807, 'glds': 351664, 'investor': 444092, 'refuge': 706824, 'safer': 730336, 'asset': 96409, 'fueled': 340319, 'sell': 748604, 'off': 593588, 'analyst': 57095, 'level': 487481, 'could': 208784, 'push': 690238, 'above': 27028, 'xauusd gc': 1013773, 'gc glds': 344810, 'glds gold': 351665, 'gold price': 355949, 'price hit': 674554, 'hit year': 398517, 'year high': 1014619, 'high investor': 395140, 'investor take': 444214, 'take refuge': 832538, 'refuge in': 706831, 'in safer': 427621, 'safer asset': 730341, 'asset amid': 96410, 'amid fueled': 52485, 'fueled sell': 340336, 'sell off': 748812, 'off some': 594174, 'some analyst': 782291, 'analyst say': 57173, 'say the': 739262, 'the level': 859310, 'level of': 487624, 'of fear': 583451, 'fear in': 301165, 'the market': 860082, 'market could': 516233, 'could push': 209543, 'push gold': 690275, 'to above': 899920, 'above 00': 27029, 'xauusd gc glds': 1013774, 'gc glds gold': 344811, 'glds gold price': 351666, 'gold price hit': 355959, 'price hit year': 674566, 'hit year high': 398518, 'year high investor': 1014622, 'high investor take': 395141, 'investor take refuge': 444215, 'take refuge in': 832539, 'refuge in safer': 706832, 'in safer asset': 427622, 'safer asset amid': 730342, 'asset amid fueled': 96411, 'amid fueled sell': 52486, 'fueled sell off': 340337, 'sell off some': 748818, 'off some analyst': 594175, 'some analyst say': 782292, 'analyst say the': 57179, 'say the level': 739286, 'the level of': 859312, 'level of fear': 487635, 'of fear in': 583456, 'fear in the': 301168, 'in the market': 429341, 'the market could': 860099, 'market could push': 516237, 'could push gold': 209544, 'push gold price': 690276, 'gold price to': 355976, 'price to above': 676962, 'to above 00': 899921, 'unnecessary': 942885, 'movement': 543846, 'enjoy': 277117, 'convenience': 202313, 'regularly': 707901, 'touching': 926654, 'nose': 567864, 'mouth': 543478, 'eye': 293993, 'coronavid19': 205370, 'kenya': 472873, 'please avoid': 659685, 'avoid unnecessary': 105372, 'unnecessary movement': 942914, 'movement and': 543851, 'and enjoy': 62145, 'enjoy the': 277184, 'the convenience': 851699, 'convenience of': 202330, 'of online': 587249, 'shopping wash': 764341, 'wash your': 967580, 'your hand': 1024156, 'hand regularly': 375195, 'regularly and': 707904, 'and avoid': 58558, 'avoid touching': 105353, 'touching your': 926752, 'your nose': 1025032, 'nose mouth': 567900, 'mouth and': 543481, 'and eye': 62570, 'eye coronavid19': 294032, 'coronavid19 kenya': 205384, 'kenya washyourhands': 472949, 'please avoid unnecessary': 659688, 'avoid unnecessary movement': 105375, 'unnecessary movement and': 942915, 'movement and enjoy': 543854, 'and enjoy the': 62151, 'enjoy the convenience': 277186, 'the convenience of': 851701, 'convenience of online': 202331, 'of online shopping': 587263, 'online shopping wash': 609336, 'shopping wash your': 764342, 'wash your hand': 967589, 'your hand regularly': 1024215, 'hand regularly and': 375196, 'regularly and avoid': 707905, 'and avoid touching': 58578, 'avoid touching your': 105359, 'touching your nose': 926755, 'your nose mouth': 1025036, 'nose mouth and': 567901, 'mouth and eye': 543484, 'and eye coronavid19': 62572, 'eye coronavid19 kenya': 294033, 'coronavid19 kenya washyourhands': 205385, 'index': 434165, 'fell': 303146, 'worsened': 1011078, 'stock index': 802290, 'index future': 434198, 'future global': 342338, 'global stock': 352217, 'stock and': 801796, 'and oil': 68021, 'price fell': 673841, 'fell at': 303169, 'the start': 867733, 'start of': 794405, 'the week': 871291, 'week trading': 977118, 'trading the': 928941, 'pandemic worsened': 637056, 'stock index future': 802291, 'index future global': 434199, 'future global stock': 342339, 'global stock and': 352218, 'stock and oil': 801822, 'and oil price': 68024, 'oil price fell': 597129, 'price fell at': 673844, 'fell at the': 303170, 'at the start': 101106, 'the start of': 867735, 'start of the': 794415, 'of the week': 591611, 'the week trading': 871319, 'week trading the': 977119, 'trading the pandemic': 928942, 'the pandemic worsened': 863162, 'trying': 934702, 'spent': 789079, '30minutes': 17486, 'website': 975175, 'site': 771856, 'seize': 747425, 'removed': 710855, 'cart': 165238, 'suppose': 827301, 'fail': 296084, 'quarantine': 691982, 'trying to': 934759, 'do the': 250232, 'right thing': 722305, 'thing stay': 884761, 'stay out': 797169, 'store but': 806780, 'but spent': 147134, 'spent 30minutes': 789088, '30minutes shopping': 17487, 'shopping at': 762078, 'the website': 871272, 'website only': 975376, 'only to': 611353, 'the site': 867228, 'site seize': 772007, 'seize up': 747432, 'and everything': 62416, 'everything removed': 287977, 'removed from': 710860, 'from my': 336496, 'my cart': 547623, 'cart off': 165342, 'off to': 594315, 'to try': 917810, 'try suppose': 934575, 'suppose delivery': 827306, 'delivery fail': 233988, 'fail quarantine': 296098, 'quarantine socialdistancing': 692549, 'trying to do': 934797, 'to do the': 904568, 'do the right': 250258, 'the right thing': 865830, 'right thing stay': 722315, 'thing stay out': 884762, 'stay out of': 797171, 'out of the': 626850, 'of the grocery': 591081, 'grocery store but': 365260, 'store but spent': 806810, 'but spent 30minutes': 147135, 'spent 30minutes shopping': 789089, '30minutes shopping at': 17488, 'shopping at the': 762114, 'at the website': 101147, 'the website only': 871281, 'website only to': 975377, 'only to see': 611368, 'see the site': 745885, 'the site seize': 867234, 'site seize up': 772008, 'seize up and': 747433, 'up and everything': 944321, 'and everything removed': 62425, 'everything removed from': 287978, 'removed from my': 710863, 'from my cart': 336500, 'my cart off': 547626, 'cart off to': 165343, 'off to try': 594332, 'to try suppose': 917821, 'try suppose delivery': 934576, 'suppose delivery fail': 827307, 'delivery fail quarantine': 233989, 'fail quarantine socialdistancing': 296099, 'opening': 612791, 'commissioner': 188930, 'choice': 177721, 'sketchy': 772916, 'clean': 180443, 'line': 492924, 'difference': 241804, 'between': 128662, 'accept': 27935, 'paypal': 645804, 'usd': 948896, 'sketch': 772872, 'flat': 310056, 'color': 186721, 'shaded': 754330, '40': 18508, 'mini': 532994, 'bg': 129311, '65': 21331, 'my work': 550636, 'work is': 1005364, 'is closed': 446569, 'closed due': 183086, '19 so': 10632, 'so am': 776484, 'am opening': 50290, 'opening commissioner': 612817, 'commissioner get': 188947, 'get choice': 346772, 'choice of': 177796, 'of sketchy': 589754, 'sketchy or': 772919, 'or clean': 614730, 'clean line': 180578, 'line no': 493281, 'no price': 565180, 'price difference': 673440, 'difference between': 241811, 'between the': 128919, 'the two': 870141, 'two accept': 936767, 'accept paypal': 27989, 'paypal and': 645805, 'and price': 69434, 'are in': 87350, 'in usd': 430499, 'usd sketch': 948935, 'sketch flat': 772883, 'flat color': 310069, 'color 15': 186722, '15 shaded': 3834, 'shaded 40': 754332, '40 shaded': 18656, 'shaded with': 754334, 'with mini': 999513, 'mini bg': 532995, 'bg 65': 129312, 'my work is': 550642, 'work is closed': 1005368, 'is closed due': 446575, 'closed due to': 183087, 'covid 19 so': 213825, '19 so am': 10633, 'so am opening': 776493, 'am opening commissioner': 50292, 'opening commissioner get': 612818, 'commissioner get choice': 188948, 'get choice of': 346773, 'choice of sketchy': 177797, 'of sketchy or': 589755, 'sketchy or clean': 772920, 'or clean line': 614732, 'clean line no': 180579, 'line no price': 493282, 'no price difference': 565181, 'price difference between': 673441, 'difference between the': 241817, 'between the two': 128937, 'the two accept': 870142, 'two accept paypal': 936768, 'accept paypal and': 27990, 'paypal and price': 645806, 'and price are': 69438, 'price are in': 672681, 'are in usd': 87459, 'in usd sketch': 430501, 'usd sketch flat': 948936, 'sketch flat color': 772884, 'flat color 15': 310070, 'color 15 shaded': 186723, '15 shaded 40': 3835, 'shaded 40 shaded': 754333, '40 shaded with': 18657, 'shaded with mini': 754335, 'with mini bg': 999514, 'mini bg 65': 532996, 'struggle': 814322, 'survive': 829114, 'add': 31379, 'burden': 142729, 'point': 662399, 'is complete': 446691, 'complete madness': 192120, 'madness so': 508209, 'so many': 777634, 'many business': 513839, 'business will': 144676, 'will struggle': 995012, 'struggle to': 814380, 'to survive': 916013, 'survive due': 829153, 'and they': 73887, 'they want': 883704, 'to continue': 903377, 'to add': 900047, 'add additional': 31388, 'additional burden': 31778, 'burden to': 142762, 'to business': 902126, 'business and': 143284, 'and cause': 59635, 'cause more': 167655, 'more supply': 540506, 'supply shortage': 825828, 'shortage at': 764842, 'at some': 100573, 'some point': 783580, 'point where': 662698, 'where supermarket': 985192, 'shelf are': 756784, 'are empty': 86133, 'this is complete': 888212, 'is complete madness': 446695, 'complete madness so': 192122, 'madness so many': 508210, 'so many business': 777639, 'many business will': 513852, 'business will struggle': 144689, 'will struggle to': 995014, 'struggle to survive': 814395, 'to survive due': 916025, 'survive due to': 829154, '19 and they': 5123, 'and they want': 73948, 'they want to': 883717, 'want to continue': 966018, 'to continue to': 903410, 'continue to add': 201162, 'to add additional': 900050, 'add additional burden': 31389, 'additional burden to': 31779, 'burden to business': 142763, 'to business and': 902129, 'business and cause': 143291, 'and cause more': 59639, 'cause more supply': 167665, 'more supply shortage': 540507, 'supply shortage at': 825829, 'shortage at some': 764845, 'at some point': 100578, 'some point where': 783593, 'point where supermarket': 662702, 'where supermarket shelf': 985195, 'supermarket shelf are': 822428, 'shelf are empty': 756797, 'domino': 253294, 'healthemergency': 387445, 'supplychain': 826156, 'shut': 767778, 'crack': 214690, 'liquidity': 494119, 'shock': 759409, 'unemployment': 941148, '2x': 16882, 'spx': 791370, 'bond': 134221, 'sbc': 739796, '3x': 18481, 'the domino': 853536, 'domino fall': 253305, 'fall world': 297113, 'world healthemergency': 1009635, 'healthemergency consumer': 387446, 'consumer and': 196196, 'and supplychain': 72826, 'supplychain resource': 826217, 'resource shut': 714879, 'shut down': 767795, 'down economy': 256713, 'economy stall': 268226, 'stall credit': 793358, 'credit crack': 216367, 'crack cc': 214694, 'cc liquidity': 168395, 'liquidity shock': 494152, 'shock unemployment': 759533, 'unemployment 2x': 941149, '2x cc': 16887, 'cc spx': 168409, 'spx and': 791371, 'and bond': 59056, 'bond crash': 134235, 'crash sbc': 215029, 'sbc 3x': 739799, '3x sbc': 18494, 'sbc 2x': 739797, 'cc domino': 168391, 'the domino fall': 853537, 'domino fall world': 253307, 'fall world healthemergency': 297114, 'world healthemergency consumer': 1009636, 'healthemergency consumer and': 387447, 'consumer and supplychain': 196248, 'and supplychain resource': 72829, 'supplychain resource shut': 826219, 'resource shut down': 714880, 'shut down economy': 767820, 'down economy stall': 256716, 'economy stall credit': 268227, 'stall credit crack': 793359, 'credit crack cc': 216368, 'crack cc liquidity': 214695, 'cc liquidity shock': 168396, 'liquidity shock unemployment': 494154, 'shock unemployment 2x': 759534, 'unemployment 2x cc': 941150, '2x cc spx': 16889, 'cc spx and': 168410, 'spx and bond': 791372, 'and bond crash': 59057, 'bond crash sbc': 134236, 'crash sbc 3x': 215030, 'sbc 3x sbc': 739800, '3x sbc 2x': 18495, 'sbc 2x cc': 739798, '2x cc domino': 16888, 'fight': 304593, 'against': 37297, 'noval': 573722, 'safeguard': 730185, 'protective': 685706, '50': 19568, 'dhgate': 240107, 'onlineshopping': 609880, 'fight against': 304602, 'against noval': 37557, 'noval safeguard': 573723, 'safeguard your': 730221, 'your family': 1023771, 'family with': 298383, 'with protective': 1000345, 'protective product': 685801, 'product up': 681792, 'up to': 946314, 'to 50': 899734, '50 off': 19777, 'off at': 593665, 'at dhgate': 98432, 'dhgate online': 240108, 'portal corona': 664944, 'corona stayathome': 204191, 'stayathome dhgate': 797471, 'dhgate onlineshopping': 240110, 'fight against noval': 304632, 'against noval safeguard': 37558, 'noval safeguard your': 573724, 'safeguard your family': 730222, 'your family with': 1023806, 'family with protective': 298389, 'with protective product': 1000349, 'protective product up': 685802, 'product up to': 681794, 'up to 50': 946340, 'to 50 off': 899742, '50 off at': 19779, 'off at dhgate': 593668, 'at dhgate online': 98433, 'dhgate online shopping': 240109, 'shopping portal corona': 763654, 'portal corona stayathome': 664945, 'corona stayathome dhgate': 204192, 'stayathome dhgate onlineshopping': 797472, 'jueves': 467702, 'de': 229034, 'abril': 27140, 'buenas': 141844, 'tardes': 834420, 'mi': 530125, '041': 928, 'seguidores': 747406, 'en': 275366, 'desde': 237986, 'panam': 634678, 'thursday': 895324, 'april2nd': 83728, 'afternoon': 36669, 'follower': 312627, 'panama': 634681, 'everybody': 286397, 'cascara': 165569, 'instagram': 439950, 'jueves de': 467703, 'de abril': 229037, 'abril de': 27141, 'de 2020': 229035, '2020 buenas': 14199, 'buenas tardes': 141845, 'tardes mi': 834421, 'mi 041': 530126, '041 seguidores': 931, 'seguidores en': 747407, 'en twitter': 275411, 'twitter desde': 936648, 'desde panam': 237991, 'panam thursday': 634679, 'thursday april2nd': 895355, 'april2nd 2020': 83729, '2020 good': 14341, 'good afternoon': 356697, 'afternoon for': 36687, 'for my': 323664, 'my 041': 547125, '041 follower': 929, 'follower on': 312646, 'on from': 601023, 'from panama': 336837, 'panama how': 634686, 'how see': 408631, 'see everybody': 745087, 'everybody when': 286503, 'to supermarket': 915766, 'supermarket cascara': 819543, 'cascara instagram': 165570, 'instagram 19': 439951, 'jueves de abril': 467704, 'de abril de': 229038, 'abril de 2020': 27142, 'de 2020 buenas': 229036, '2020 buenas tardes': 14200, 'buenas tardes mi': 141846, 'tardes mi 041': 834422, 'mi 041 seguidores': 530127, '041 seguidores en': 932, 'seguidores en twitter': 747408, 'en twitter desde': 275412, 'twitter desde panam': 936649, 'desde panam thursday': 237992, 'panam thursday april2nd': 634680, 'thursday april2nd 2020': 895356, 'april2nd 2020 good': 83730, '2020 good afternoon': 14342, 'good afternoon for': 356698, 'afternoon for my': 36689, 'for my 041': 323665, 'my 041 follower': 547126, '041 follower on': 930, 'follower on from': 312647, 'on from panama': 601029, 'from panama how': 336838, 'panama how see': 634687, 'how see everybody': 408632, 'see everybody when': 745088, 'everybody when go': 286504, 'go to supermarket': 354366, 'to supermarket cascara': 915780, 'supermarket cascara instagram': 819544, 'cascara instagram 19': 165571, 'qom': 691575, 'reportedly': 712566, 'diagnosed': 240222, 'said': 730941, 'blaming': 132325, 'iranian': 444723, 'official': 595739, 'responsibility': 715929, 'some 20': 782239, '20 staff': 13359, 'staff of': 792701, 'of supermarket': 590406, 'supermarket in': 820854, 'of qom': 588636, 'qom where': 691578, 'where the': 985212, 'the 19': 847907, 'outbreak started': 628652, 'started are': 794686, 'are reportedly': 89594, 'reportedly diagnosed': 712571, 'diagnosed with': 240235, 'virus said': 958711, 'said the': 731422, 'the manager': 859992, 'manager of': 512755, 'market blaming': 516111, 'blaming iranian': 132338, 'iranian official': 444730, 'official for': 595812, 'for their': 326795, 'their luck': 873899, 'luck of': 506468, 'of responsibility': 589006, 'responsibility during': 715940, 'some 20 staff': 782241, '20 staff of': 13360, 'staff of supermarket': 792704, 'of supermarket in': 590429, 'supermarket in the': 820990, 'in the city': 429070, 'city of qom': 179290, 'of qom where': 588637, 'qom where the': 691579, 'where the 19': 985213, 'the 19 outbreak': 847922, '19 outbreak started': 9191, 'outbreak started are': 628653, 'started are reportedly': 794687, 'are reportedly diagnosed': 89595, 'reportedly diagnosed with': 712572, 'diagnosed with the': 240242, 'with the virus': 1001537, 'the virus said': 870886, 'virus said the': 958712, 'said the manager': 731437, 'the manager of': 860000, 'manager of the': 512766, 'of the market': 591222, 'the market blaming': 860093, 'market blaming iranian': 516112, 'blaming iranian official': 132339, 'iranian official for': 444731, 'official for their': 595814, 'for their luck': 326847, 'their luck of': 873900, 'luck of responsibility': 506469, 'of responsibility during': 589008, 'responsibility during the': 715941, 'unfortunately': 941572, 'commission': 188782, 'digital': 242492, 'artwork': 94658, 'interested': 441439, 'amandahester': 50598, 'unt': 943612, 'edu': 268742, 'hello everyone': 389150, 'everyone due': 286832, '19 am': 4939, 'am unfortunately': 50521, 'unfortunately out': 941633, 'of job': 585524, 'job because': 465690, 'of this': 591931, 'this ve': 890954, 've decided': 953027, 'to open': 910983, 'open up': 612630, 'up commission': 944617, 'commission for': 188822, 'for digital': 320705, 'digital artwork': 242508, 'artwork if': 94663, 're interested': 698906, 'interested in': 441451, 'work please': 1005613, 'please contact': 659827, 'contact me': 200133, 'me at': 522462, 'at amandahester': 97941, 'amandahester unt': 50599, 'unt edu': 943613, 'edu if': 268745, 're not': 699071, 'not interested': 570159, 'interested appreciate': 441440, 'appreciate rt': 82747, 'rt price': 726803, 'hello everyone due': 389151, 'everyone due to': 286833, 'covid 19 am': 212619, '19 am unfortunately': 4945, 'am unfortunately out': 50522, 'unfortunately out of': 941634, 'out of job': 626769, 'of job because': 585529, 'job because of': 465691, 'because of this': 119417, 'of this ve': 592062, 'this ve decided': 890955, 've decided to': 953031, 'decided to open': 230925, 'to open up': 911013, 'open up commission': 612632, 'up commission for': 944618, 'commission for digital': 188824, 'for digital artwork': 320706, 'digital artwork if': 242509, 'artwork if you': 94664, 'you re interested': 1020656, 're interested in': 698910, 'interested in my': 441463, 'in my work': 425648, 'my work please': 550644, 'work please contact': 1005614, 'please contact me': 659838, 'contact me at': 200135, 'me at amandahester': 522467, 'at amandahester unt': 97942, 'amandahester unt edu': 50600, 'unt edu if': 943614, 'edu if you': 268746, 'you re not': 1020683, 're not interested': 699100, 'not interested appreciate': 570160, 'interested appreciate rt': 441441, 'appreciate rt price': 82748, 'continues': 201374, 'fightcoronavirus': 304976, 'fightwithcoronavirus': 305172, 'vapesafe': 952484, 'vapeon': 952472, 'vapehealthy': 952464, 'vapelyfe': 952469, 'vapefam': 952461, 'vaping': 952490, 'vapor': 952498, 'vapedaily': 952458, 'vapelove': 952467, 'everzon': 288294, 'what will': 982590, 'will you': 995378, 'you stock': 1021419, 'up if': 945133, 'if the': 414949, 'virus continues': 958077, 'continues to': 201457, 'to spread': 915049, 'spread mask': 790620, 'mask food': 518660, 'food toilet': 317315, 'paper juice': 640387, 'juice stayhome': 467761, 'stayhome fightcoronavirus': 798000, 'fightcoronavirus fightwithcoronavirus': 304977, 'fightwithcoronavirus vapesafe': 305173, 'vapesafe vape': 952485, 'vape vapeon': 952456, 'vapeon vapehealthy': 952473, 'vapehealthy vapelyfe': 952465, 'vapelyfe vapefam': 952470, 'vapefam vaping': 952462, 'vaping vapor': 952496, 'vapor vapedaily': 952501, 'vapedaily vapelove': 952459, 'vapelove everzon': 952468, 'what will you': 982613, 'will you stock': 995400, 'you stock up': 1021421, 'stock up if': 803088, 'up if the': 945136, 'if the virus': 415044, 'the virus continues': 870816, 'virus continues to': 958080, 'continues to spread': 201498, 'to spread mask': 915069, 'spread mask food': 790621, 'mask food toilet': 518662, 'food toilet paper': 317316, 'toilet paper juice': 921328, 'paper juice stayhome': 640388, 'juice stayhome fightcoronavirus': 467762, 'stayhome fightcoronavirus fightwithcoronavirus': 798001, 'fightcoronavirus fightwithcoronavirus vapesafe': 304978, 'fightwithcoronavirus vapesafe vape': 305174, 'vapesafe vape vapeon': 952486, 'vape vapeon vapehealthy': 952457, 'vapeon vapehealthy vapelyfe': 952474, 'vapehealthy vapelyfe vapefam': 952466, 'vapelyfe vapefam vaping': 952471, 'vapefam vaping vapor': 952463, 'vaping vapor vapedaily': 952497, 'vapor vapedaily vapelove': 952502, 'vapedaily vapelove everzon': 952460, 'chased': 173892, 'away': 105756, 'rental': 711209, 'house': 406151, 'denying': 237146, 'inthe': 442304, 'african': 35166, 'you even': 1018445, 'even know': 284275, 'know what': 476937, 'what you': 982657, 'are talking': 90741, 'talking about': 833954, 'about how': 25420, 'you quarantine': 1020520, 'quarantine if': 692274, 'are being': 84825, 'being chased': 124941, 'chased away': 173893, 'away from': 105855, 'from your': 338470, 'your rental': 1025566, 'rental house': 711231, 'house denying': 406265, 'denying you': 237163, 'you access': 1016788, 'shop supermarket': 760859, 'many other': 514424, 'other thing': 621099, 'thing inthe': 884454, 'inthe same': 442305, 'same time': 733344, 'time you': 898398, 'are saying': 89819, 'saying it': 739621, 'it african': 456294, 'african that': 35230, 'do you even': 250626, 'you even know': 1018450, 'even know what': 284282, 'know what you': 476991, 'what you are': 982662, 'you are talking': 1017252, 'are talking about': 90742, 'talking about how': 833973, 'about how will': 25484, 'how will you': 409248, 'will you quarantine': 995395, 'you quarantine if': 1020521, 'quarantine if you': 692278, 'you are being': 1017073, 'are being chased': 84836, 'being chased away': 124942, 'chased away from': 173894, 'away from your': 105926, 'from your rental': 338492, 'your rental house': 1025567, 'rental house denying': 711232, 'house denying you': 406266, 'denying you access': 237164, 'you access to': 1016789, 'access to shop': 28277, 'to shop supermarket': 914489, 'shop supermarket and': 760860, 'supermarket and many': 819014, 'and many other': 66678, 'many other thing': 514444, 'other thing inthe': 621108, 'thing inthe same': 884455, 'inthe same time': 442306, 'same time you': 733380, 'time you are': 898400, 'you are saying': 1017223, 'are saying it': 89822, 'saying it african': 739622, 'it african that': 456295, 'young': 1022556, 'feeling': 302957, 'affecting': 34474, 'mentalhealth': 528673, 'watch': 968351, 'look': 502217, '90': 23262, 'selfcare': 747931, 'told': 923513, 'anxious': 78825, 'many child': 513895, 'child young': 176283, 'young people': 1022636, 'people could': 647553, 'could be': 208834, 'be feeling': 114818, 'feeling worried': 303116, 'worried about': 1010474, 'about this': 26627, 'this could': 886916, 'be affecting': 113521, 'affecting their': 34577, 'their mentalhealth': 873947, 'mentalhealth watch': 528692, 'watch our': 968496, 'our video': 625267, 'video have': 956772, 'have look': 381373, 'look at': 502250, 'at over': 100048, 'over 90': 629938, '90 selfcare': 23337, 'selfcare strategy': 747936, 'strategy that': 812722, 'that young': 847758, 'people have': 648156, 'have told': 383360, 'told help': 923562, 'help them': 390696, 'them when': 876606, 'when they': 984240, 're feeling': 698678, 'feeling anxious': 302964, 'many child young': 513897, 'child young people': 176284, 'young people could': 1022640, 'people could be': 647554, 'could be feeling': 208869, 'be feeling worried': 114821, 'feeling worried about': 303117, 'worried about this': 1010524, 'about this could': 26633, 'this could be': 886919, 'could be affecting': 208839, 'be affecting their': 113522, 'affecting their mentalhealth': 34579, 'their mentalhealth watch': 873948, 'mentalhealth watch our': 528693, 'watch our video': 968499, 'our video have': 625269, 'video have look': 956773, 'have look at': 381375, 'look at over': 502282, 'at over 90': 100049, 'over 90 selfcare': 629940, '90 selfcare strategy': 23338, 'selfcare strategy that': 747937, 'strategy that young': 812725, 'that young people': 847760, 'young people have': 1022644, 'people have told': 648208, 'have told help': 383362, 'told help them': 923563, 'help them when': 390719, 'them when they': 876607, 'when they re': 984275, 'they re feeling': 883035, 're feeling anxious': 698679, 'region': 707383, 'swiftly': 830324, 'contain': 200458, 'minimise': 533075, 'mitigate': 534522, 'build': 141942, 'capability': 162461, 'the region': 865423, 'region must': 707438, 'must act': 546450, 'act swiftly': 29780, 'swiftly to': 830333, 'to contain': 903361, 'contain and': 200463, 'and minimise': 67046, 'minimise the': 533087, 'the disruption': 853401, 'disruption mitigate': 246505, 'mitigate risk': 534533, 'risk and': 723364, 'and build': 59238, 'build capability': 141955, 'capability for': 162464, 'the region must': 865433, 'region must act': 707439, 'must act swiftly': 546456, 'act swiftly to': 29781, 'swiftly to contain': 830334, 'to contain and': 903362, 'contain and minimise': 200464, 'and minimise the': 67047, 'minimise the disruption': 533088, 'the disruption mitigate': 853406, 'disruption mitigate risk': 246506, 'mitigate risk and': 534534, 'risk and build': 723365, 'and build capability': 59239, 'build capability for': 141956, 'capability for the': 162465, 'for the future': 326456, 'roughly': 726269, '600': 21054, 'leisure': 486133, 'spending': 788706, 'priority': 678497, 'roughly 600': 726283, '600 consumer': 21075, 'consumer tell': 199249, 'tell how': 836976, 'how ha': 407941, 'ha affected': 369459, 'affected their': 34447, 'their work': 875198, 'work leisure': 1005425, 'leisure activity': 486134, 'activity and': 30372, 'and spending': 72091, 'spending priority': 788958, 'roughly 600 consumer': 726284, '600 consumer tell': 21076, 'consumer tell how': 199250, 'tell how ha': 836980, 'how ha affected': 407942, 'ha affected their': 369468, 'affected their work': 34448, 'their work leisure': 875204, 'work leisure activity': 1005426, 'leisure activity and': 486135, 'activity and spending': 30377, 'and spending priority': 72095, 'noticed': 573419, 'music': 546289, 'blaring': 132394, 'several': 753787, 'window': 995656, 'selfisolating': 748407, 'taste': 834770, 'maybe': 521633, 'headphone': 386019, 'govt': 361058, 'niceneighbour': 562541, 'niceneighbor': 562540, 'on trip': 604855, 'trip to': 932184, 'supermarket noticed': 821658, 'noticed music': 573458, 'music blaring': 546293, 'blaring from': 132395, 'from several': 337221, 'several window': 753966, 'window just': 995684, 'just in': 469025, 'in case': 421252, 'case selfisolating': 166005, 'selfisolating neighbour': 748419, 'neighbour do': 557196, 'have the': 382955, 'same taste': 733320, 'taste in': 834777, 'in music': 425519, 'music maybe': 546316, 'maybe wear': 521875, 'wear headphone': 974360, 'headphone do': 386020, 'not need': 570648, 'to wait': 918253, 'wait for': 964105, 'the govt': 856650, 'govt to': 361304, 'to tell': 916332, 'it niceneighbour': 459809, 'niceneighbour niceneighbor': 562542, 'on trip to': 604856, 'trip to the': 932204, 'to the supermarket': 917109, 'the supermarket noticed': 868718, 'supermarket noticed music': 821659, 'noticed music blaring': 573459, 'music blaring from': 546294, 'blaring from several': 132397, 'from several window': 337222, 'several window just': 753967, 'window just in': 995685, 'just in case': 469029, 'in case selfisolating': 421272, 'case selfisolating neighbour': 166006, 'selfisolating neighbour do': 748420, 'neighbour do not': 557197, 'not have the': 569881, 'have the same': 383023, 'the same taste': 866305, 'same taste in': 733321, 'taste in music': 834778, 'in music maybe': 425520, 'music maybe wear': 546317, 'maybe wear headphone': 521877, 'wear headphone do': 974361, 'headphone do not': 386021, 'do not need': 249787, 'not need to': 570675, 'need to wait': 556112, 'to wait for': 918262, 'wait for the': 964123, 'for the govt': 326464, 'the govt to': 856677, 'govt to tell': 361319, 'to tell you': 916352, 'tell you to': 837156, 'you to do': 1021769, 'to do it': 904525, 'do it niceneighbour': 249493, 'it niceneighbour niceneighbor': 459810, 'listening': 494787, 'heartbroken': 388428, 'parent': 641558, 'leilani': 486112, 'jordan': 467271, 'given': 350933, 'hydroxychloroquine': 411993, 'avail': 104102, 'disabled': 243868, 'front': 338513, 'giant': 349728, 'walmart': 965263, 'wegmans': 977634, 'failed': 296121, 'provide': 686193, 'listening to': 494804, 'to heartbroken': 907426, 'heartbroken parent': 388431, 'parent of': 641687, 'of leilani': 585772, 'leilani jordan': 486115, 'jordan given': 467282, 'given hydroxychloroquine': 351022, 'hydroxychloroquine several': 412012, 'several time': 753944, 'to no': 910614, 'no avail': 563642, 'avail leilani': 104110, 'leilani wa': 486126, 'wa disabled': 961977, 'disabled front': 243911, 'front line': 338555, 'line worker': 493594, 'worker at': 1006455, 'at giant': 98754, 'giant food': 349773, 'food which': 317583, 'which like': 986110, 'like walmart': 491756, 'walmart wegmans': 965466, 'wegmans others': 977639, 'others failed': 621391, 'failed to': 296170, 'to provide': 912372, 'provide worker': 686548, 'worker mask': 1007356, 'glove or': 352836, 'or sanitizer': 616946, 'listening to heartbroken': 494806, 'to heartbroken parent': 907427, 'heartbroken parent of': 388432, 'parent of leilani': 641689, 'of leilani jordan': 585773, 'leilani jordan given': 486118, 'jordan given hydroxychloroquine': 467283, 'given hydroxychloroquine several': 351024, 'hydroxychloroquine several time': 412013, 'several time to': 753946, 'time to no': 898020, 'to no avail': 910615, 'no avail leilani': 563643, 'avail leilani wa': 104111, 'leilani wa disabled': 486127, 'wa disabled front': 961978, 'disabled front line': 243912, 'front line worker': 338624, 'line worker at': 493598, 'worker at giant': 1006462, 'at giant food': 98755, 'giant food which': 349777, 'food which like': 317587, 'which like walmart': 986111, 'like walmart wegmans': 491759, 'walmart wegmans others': 965467, 'wegmans others failed': 977640, 'others failed to': 621392, 'failed to provide': 296185, 'to provide worker': 912452, 'provide worker mask': 686549, 'worker mask glove': 1007357, 'mask glove or': 518741, 'glove or sanitizer': 352845, 'enforce': 276655, 'strict': 813609, 'sale': 732008, 'identify': 413353, 'excess': 289325, 'stockpile': 803713, 'confiscated': 194250, 'compensation': 191544, 'largely': 479834, 'relies': 709514, 'proactive': 679143, 'boris': 135436, 'johnson': 466577, 'stophoarding': 805343, 'store should': 810155, 'should enforce': 765959, 'enforce strict': 276685, 'strict limit': 813630, 'limit on': 492406, 'on sale': 603260, 'sale they': 732574, 'they should': 883350, 'should also': 765498, 'also help': 48345, 'help identify': 389880, 'identify hoarder': 413360, 'hoarder and': 398977, 'and those': 74017, 'those hoarder': 892062, 'hoarder should': 399104, 'should have': 766059, 'have excess': 380511, 'excess stockpile': 289369, 'stockpile confiscated': 803729, 'confiscated without': 194256, 'without compensation': 1002552, 'compensation but': 191551, 'but that': 147279, 'that largely': 844839, 'largely relies': 479862, 'relies on': 709517, 'on proactive': 602930, 'proactive govt': 679160, 'govt not': 361219, 'not boris': 568593, 'boris johnson': 135464, 'johnson stophoarding': 466626, 'store should enforce': 810161, 'should enforce strict': 765961, 'enforce strict limit': 276686, 'strict limit on': 813631, 'limit on sale': 492427, 'on sale they': 603275, 'sale they should': 732575, 'they should also': 883353, 'should also help': 765506, 'also help identify': 48346, 'help identify hoarder': 389881, 'identify hoarder and': 413361, 'hoarder and those': 398981, 'and those hoarder': 74026, 'those hoarder should': 892064, 'hoarder should have': 399105, 'should have excess': 766075, 'have excess stockpile': 380512, 'excess stockpile confiscated': 289370, 'stockpile confiscated without': 803730, 'confiscated without compensation': 194257, 'without compensation but': 1002553, 'compensation but that': 191552, 'but that largely': 147292, 'that largely relies': 844841, 'largely relies on': 479863, 'relies on proactive': 709520, 'on proactive govt': 602932, 'proactive govt not': 679161, 'govt not boris': 361220, 'not boris johnson': 568594, 'boris johnson stophoarding': 135475, 'closure': 183819, 'mount': 543394, 'age': 37783, 'cre': 215501, '19 store': 10881, 'store update': 811016, 'update temporary': 947236, 'temporary store': 837701, 'store closure': 807081, 'closure mount': 183942, 'mount chain': 543399, 'chain store': 171129, 'store age': 806094, 'age retail': 37893, 'retail cre': 718015, 'covid 19 store': 213872, '19 store update': 10886, 'store update temporary': 811019, 'update temporary store': 947238, 'temporary store closure': 837703, 'store closure mount': 807099, 'closure mount chain': 183944, 'mount chain store': 543400, 'chain store age': 171130, 'store age retail': 806099, 'age retail cre': 37894, 'continuing': 201519, 'closely': 183459, 'monitor': 537273, 'seeing': 746193, 'gropods': 366429, 'safety': 730442, 'desire': 238414, 'reliant': 709249, 'march': 515048, 'monthly': 538157, 'newsletter': 561018, 'are continuing': 85545, 'continuing to': 201554, 'to closely': 902910, 'closely monitor': 183464, 'monitor covid': 537281, 'are seeing': 89881, 'seeing an': 746215, 'an increase': 56236, 'increase in': 432814, 'for gropods': 322066, 'gropods from': 366430, 'from consumer': 334949, 'consumer over': 198310, 'over food': 630217, 'food safety': 316263, 'safety concern': 730502, 'concern and': 192914, 'and desire': 61251, 'desire to': 238424, 'be self': 117048, 'self reliant': 747887, 'reliant check': 709250, 'out our': 626964, 'our march': 623860, 'march monthly': 515413, 'monthly newsletter': 538184, 'we are continuing': 970513, 'are continuing to': 85549, 'continuing to closely': 201557, 'to closely monitor': 902911, 'closely monitor covid': 183465, 'monitor covid 19': 537282, '19 and are': 4987, 'and are seeing': 58356, 'are seeing an': 89887, 'seeing an increase': 746218, 'an increase in': 56238, 'increase in demand': 432829, 'in demand for': 422125, 'demand for gropods': 235435, 'for gropods from': 322067, 'gropods from consumer': 366431, 'from consumer over': 334966, 'consumer over food': 198312, 'over food safety': 630224, 'food safety concern': 316266, 'safety concern and': 730503, 'concern and desire': 192916, 'and desire to': 61253, 'desire to be': 238426, 'to be self': 901525, 'be self reliant': 117052, 'self reliant check': 747888, 'reliant check out': 709251, 'check out our': 174566, 'out our march': 626981, 'our march monthly': 623861, 'march monthly newsletter': 515414, 'scary': 741124, 'next': 561254, 'blatant': 132429, 'medicare': 526566, 'shitty': 759365, 'your product': 1025435, 'product really': 681567, 'really everything': 702168, 'everything is': 287861, 'is fucking': 447957, 'fucking scary': 339989, 'scary but': 741139, 'real danger': 701101, 'danger is': 225658, 'the people': 863448, 'people you': 650566, 'you stand': 1021345, 'stand next': 793553, 'next to': 561613, 'to in': 908216, 'the blatant': 849755, 'blatant lack': 132434, 'of medicare': 586405, 'medicare for': 526575, 'all in': 43192, 'this shitty': 890097, 'shitty country': 759370, 'country 19': 210400, 'wash your product': 967591, 'your product really': 1025445, 'product really everything': 681568, 'really everything is': 702169, 'everything is fucking': 287872, 'is fucking scary': 447963, 'fucking scary but': 339990, 'scary but the': 741140, 'but the real': 147393, 'the real danger': 865214, 'real danger is': 701103, 'danger is the': 225659, 'is the people': 452889, 'the people you': 863524, 'people you stand': 650579, 'you stand next': 1021348, 'stand next to': 793554, 'next to in': 561623, 'to in the': 908234, 'in the grocery': 429245, 'store and the': 806371, 'and the blatant': 73262, 'the blatant lack': 849756, 'blatant lack of': 132435, 'lack of medicare': 478636, 'of medicare for': 586406, 'medicare for all': 526576, 'for all in': 319138, 'all in this': 43208, 'in this shitty': 430011, 'this shitty country': 890098, 'shitty country 19': 759371, 'earth': 264964, 'planet': 658392, 'earth toiletpaper': 265007, 'toiletpaper lol': 922200, 'lol planet': 500941, 'planet earth': 658399, 'earth toiletpaper lol': 265008, 'toiletpaper lol planet': 922201, 'lol planet earth': 500942, 'manger': 513113, 'kept': 473013, 'sister': 771713, 'the owner': 862803, 'owner and': 632370, 'and manager': 66627, 'of my': 586726, 'my local': 549093, 'supermarket have': 820676, 'have tested': 382942, 'tested positive': 839343, 'positive for': 665314, 'the manger': 860014, 'manger kept': 513114, 'kept working': 473098, 'working for': 1008631, 'the past': 863341, 'past week': 643639, 'week or': 976697, 'or so': 617122, 'so even': 776964, 'even though': 284699, 'though she': 892882, 'she had': 756088, 'had symptom': 373590, 'symptom of': 830878, 'virus my': 958514, 'my sister': 550102, 'sister work': 771801, 'work there': 1005824, 'there too': 879196, 'the owner and': 862804, 'owner and manager': 632377, 'and manager of': 66628, 'manager of my': 512763, 'of my local': 586787, 'my local supermarket': 549144, 'local supermarket have': 498533, 'supermarket have tested': 820709, 'have tested positive': 382943, 'tested positive for': 839349, 'positive for covid': 665319, '19 the manger': 11217, 'the manger kept': 860015, 'manger kept working': 513115, 'kept working for': 473101, 'working for the': 1008648, 'for the past': 326614, 'the past week': 863369, 'past week or': 643649, 'week or so': 976702, 'or so even': 617126, 'so even though': 776965, 'even though she': 284715, 'though she had': 892883, 'she had symptom': 756103, 'had symptom of': 373591, 'symptom of the': 830888, 'of the virus': 591592, 'the virus my': 870862, 'virus my sister': 958516, 'my sister work': 550120, 'sister work there': 771806, 'work there too': 1005835, '34': 17794, 'although': 49300, 'number': 576798, 'slightly': 773936, 'indicative': 435036, 'unusually': 944001, 'transaction': 929433, 'size': 772751, 'stockpiling': 803897, 'store spending': 810274, 'spending in': 788853, 'the ha': 856978, 'ha increased': 370939, 'increased by': 433222, 'by about': 151725, 'about 34': 24700, '34 although': 17802, 'although the': 49357, 'the number': 861950, 'number of': 576918, 'grocery visit': 366104, 'visit is': 959282, 'is up': 453565, 'up only': 945660, 'only slightly': 611152, 'slightly indicative': 773963, 'indicative of': 435037, 'of unusually': 592674, 'unusually high': 944002, 'high transaction': 395487, 'transaction size': 929467, 'size stockpiling': 772801, 'stockpiling activity': 803898, 'grocery store spending': 365788, 'store spending in': 810276, 'spending in the': 788865, 'in the ha': 429250, 'the ha increased': 856996, 'ha increased by': 370945, 'increased by about': 433229, 'by about 34': 151730, 'about 34 although': 24701, '34 although the': 17803, 'although the number': 49364, 'the number of': 861957, 'number of grocery': 576945, 'of grocery visit': 584362, 'grocery visit is': 366105, 'visit is up': 959284, 'is up only': 453579, 'up only slightly': 945665, 'only slightly indicative': 611153, 'slightly indicative of': 773964, 'indicative of unusually': 435040, 'of unusually high': 592675, 'unusually high transaction': 944004, 'high transaction size': 395488, 'transaction size stockpiling': 929468, 'size stockpiling activity': 772802, 'ready': 700836, 'chicken': 175728, 'all ready': 44122, 'ready to': 700936, 'store for': 807780, 'for some': 325726, 'some tp': 784100, 'tp and': 927738, 'and chicken': 59815, 'all ready to': 44124, 'ready to go': 700959, 'grocery store for': 365409, 'store for some': 807838, 'for some tp': 325774, 'some tp and': 784101, 'tp and chicken': 927740, 'caregiving': 164519, 'mom': 535671, 'staying': 798562, 'keeping': 472357, 'wide': 991700, 'waiting': 964283, 'hoping': 403916, 'u2release': 937720, 'u2community': 937717, 'u2foru': 937719, 'another day': 77563, 'day of': 228046, 'of caregiving': 581151, 'caregiving for': 164523, 'my mom': 549251, 'mom sanitizer': 535798, 'sanitizer and': 734375, 'glove and': 352551, 'and hope': 64712, 'hope of': 403562, 'of not': 587079, 'not getting': 569621, 'getting the': 349338, 'the just': 858716, 'just staying': 469892, 'staying safe': 798687, 'safe and': 729432, 'and keeping': 65792, 'keeping very': 472615, 'very wide': 955668, 'wide socialdistance': 991759, 'socialdistance waiting': 780176, 'waiting and': 964288, 'and hoping': 64731, 'hoping for': 403921, 'for that': 326246, 'that next': 845336, 'next u2release': 561650, 'u2release u2community': 937721, 'u2community u2foru': 937718, 'another day of': 77569, 'day of caregiving': 228057, 'of caregiving for': 581152, 'caregiving for my': 164524, 'for my mom': 323723, 'my mom sanitizer': 549279, 'mom sanitizer and': 535799, 'sanitizer and glove': 734406, 'and glove and': 63710, 'glove and hope': 352565, 'and hope of': 64717, 'hope of not': 403572, 'of not getting': 587082, 'not getting the': 569631, 'getting the just': 349350, 'the just staying': 858720, 'just staying safe': 469895, 'staying safe and': 798688, 'safe and keeping': 729457, 'and keeping very': 65801, 'keeping very wide': 472616, 'very wide socialdistance': 955669, 'wide socialdistance waiting': 991760, 'socialdistance waiting and': 780177, 'waiting and hoping': 964290, 'and hoping for': 64732, 'hoping for that': 403927, 'for that next': 326263, 'that next u2release': 845339, 'next u2release u2community': 561651, 'u2release u2community u2foru': 937722, 'whose': 990614, 'garage': 343476, 'full': 340464, 'anticipation': 78486, 'use': 949000, 'includes': 431711, 'wipe': 996158, 'sheet': 756591, 'please please': 660294, 'please share': 660477, 'share this': 755278, 'this all': 886261, 'those whose': 892701, 'whose garage': 990635, 'garage is': 343490, 'is full': 447971, 'full of': 340698, 'of in': 585016, 'in anticipation': 420414, 'anticipation of': 78489, 'the use': 870566, 'use this': 949718, 'this calculator': 886665, 'calculator includes': 155338, 'includes wipe': 431830, 'wipe trip': 996406, 'trip sheet': 932151, 'sheet wipe': 756633, 'wipe how': 996292, 'many day': 513981, 'day do': 227527, 'please please please': 660308, 'please please share': 660312, 'please share this': 660495, 'share this all': 755279, 'this all those': 886274, 'all those whose': 45194, 'those whose garage': 892702, 'whose garage is': 990636, 'garage is full': 343491, 'is full of': 447976, 'full of in': 340731, 'of in anticipation': 585020, 'in anticipation of': 420415, 'anticipation of the': 78497, 'of the use': 591578, 'the use this': 870569, 'use this calculator': 949721, 'this calculator includes': 886666, 'calculator includes wipe': 155339, 'includes wipe trip': 431831, 'wipe trip sheet': 996407, 'trip sheet wipe': 932153, 'sheet wipe how': 756634, 'wipe how many': 996293, 'how many day': 408255, 'many day do': 513984, 'day do you': 227529, 'do you have': 250637, 'killed': 474560, 'eat': 265833, 'little': 495218, 'cant': 162260, 'just found': 468767, 'found the': 330404, 'the cure': 852585, 'virus is': 958358, 'is killed': 449197, 'killed by': 474565, 'by soap': 154056, 'soap sanitizer': 779103, 'sanitizer right': 735659, 'right so': 722273, 'so if': 777349, 'if we': 415261, 'we eat': 971430, 'eat little': 265969, 'little soap': 495573, 'soap and': 778905, 'and sanitizer': 70855, 'sanitizer after': 734322, 'after long': 35886, 'long day': 501387, 'day cant': 227428, 'cant that': 162342, 'that kill': 844819, 'kill the': 474508, 'just found the': 468774, 'found the cure': 330406, 'the cure for': 852588, 'for the virus': 326765, 'the virus is': 870851, 'virus is killed': 958385, 'is killed by': 449198, 'killed by soap': 474574, 'by soap sanitizer': 154059, 'soap sanitizer right': 779112, 'sanitizer right so': 735660, 'right so if': 722275, 'so if we': 777357, 'if we eat': 415279, 'we eat little': 971433, 'eat little soap': 265970, 'little soap and': 495574, 'soap and sanitizer': 778925, 'and sanitizer after': 70857, 'sanitizer after long': 734326, 'after long day': 35887, 'long day cant': 501389, 'day cant that': 227429, 'cant that kill': 162343, 'that kill the': 844825, 'kill the virus': 474525, 'freak': 331505, 'extra': 293419, 'mine': 532865, 'walking': 965006, 'mile': 531365, 'carrying': 165166, 'old': 598115, 'git': 350331, 'knackered': 475989, 'torybritain': 926077, 'any exercise': 79200, 'exercise freak': 290057, 'freak need': 331510, 'need an': 554400, 'an extra': 55998, 'extra period': 293604, 'period you': 651937, 'can use': 160084, 'use mine': 949371, 'mine walking': 532937, 'walking mile': 965069, 'mile and': 531368, 'and back': 58613, 'back to': 107345, 'and carrying': 59585, 'carrying the': 165215, 'the bag': 849172, 'bag back': 108236, 'back is': 107118, 'is more': 449694, 'than enough': 840551, 'enough for': 277426, 'an old': 56584, 'old git': 598269, 'git like': 350332, 'like me': 490736, 'me knackered': 523036, 'knackered if': 475990, 'if they': 415088, 'they can': 881603, 'can kill': 158820, 'kill me': 474436, 'me one': 523267, 'one way': 607363, 'way they': 969950, 'they ll': 882583, 'll kill': 496869, 'me another': 522439, 'another torybritain': 77917, 'torybritain 19': 926078, 'any exercise freak': 79201, 'exercise freak need': 290058, 'freak need an': 331511, 'need an extra': 554406, 'an extra period': 56016, 'extra period you': 293605, 'period you can': 651938, 'you can use': 1017821, 'can use mine': 160099, 'use mine walking': 949372, 'mine walking mile': 532938, 'walking mile and': 965070, 'mile and back': 531369, 'and back to': 58621, 'back to the': 107399, 'the supermarket and': 868460, 'supermarket and carrying': 818955, 'and carrying the': 59589, 'carrying the bag': 165216, 'the bag back': 849175, 'bag back is': 108237, 'back is more': 107121, 'is more than': 449728, 'more than enough': 540614, 'than enough for': 840553, 'enough for an': 277430, 'for an old': 319304, 'an old git': 56588, 'old git like': 598270, 'git like me': 350333, 'like me knackered': 490747, 'me knackered if': 523037, 'knackered if they': 475991, 'if they can': 415097, 'they can kill': 881647, 'can kill me': 158823, 'kill me one': 474441, 'me one way': 523270, 'one way they': 607382, 'way they ll': 969959, 'they ll kill': 882602, 'll kill me': 496870, 'kill me another': 474437, 'me another torybritain': 522441, 'another torybritain 19': 77918, 'drove': 260779, 'absolutely': 27310, 'disgusted': 245356, 'golf': 356109, 'link': 493773, 'rd': 698128, 'lidl': 488273, 'agreed drove': 38706, 'drove passed': 260806, 'passed going': 643267, 'going coming': 355083, 'coming from': 188053, 'and wa': 75071, 'wa absolutely': 961418, 'absolutely disgusted': 27335, 'disgusted were': 245379, 'were at': 979350, 'at golf': 98777, 'golf link': 356137, 'link rd': 493891, 'rd when': 698147, 'when went': 984484, 'went into': 979043, 'into lidl': 442696, 'lidl which': 488316, 'which is': 985973, 'is great': 448185, 'agreed drove passed': 38707, 'drove passed going': 260807, 'passed going coming': 643268, 'going coming from': 355085, 'coming from the': 188063, 'from the supermarket': 337893, 'supermarket and wa': 819098, 'and wa absolutely': 75074, 'wa absolutely disgusted': 961420, 'absolutely disgusted were': 27339, 'disgusted were at': 245380, 'were at golf': 979353, 'at golf link': 98779, 'golf link rd': 356138, 'link rd when': 493892, 'rd when went': 698148, 'when went into': 984487, 'went into lidl': 979047, 'into lidl which': 442697, 'lidl which is': 488317, 'which is great': 986012, 'wednesday': 975594, 'charted': 173858, '80': 22535, 'her': 391806, 'bubble': 141579, 'ample': 54875, 'merlot': 529187, 'camembert': 157099, 'delight': 233035, 'it took': 461799, 'took while': 925379, 'while to': 987465, 'to get': 906398, 'get them': 348350, 'them all': 875334, 'all but': 42243, 'but here': 145919, 'are all': 84285, 'of wednesday': 592987, 'wednesday number': 975671, 'number charted': 576846, 'charted time': 173859, 'supermarket now': 821660, 'now so': 575845, 'so can': 776699, 'can keep': 158802, 'keep an': 471312, 'an 80': 55022, '80 year': 22647, 'year old': 1014806, 'old safe': 598454, 'safe in': 729765, 'in her': 423646, 'her bubble': 391898, 'bubble with': 141623, 'with ample': 997196, 'ample merlot': 54886, 'merlot amp': 529188, 'amp camembert': 53489, 'camembert her': 157100, 'her shopping': 392369, 'shopping list': 763178, 'list are': 494278, 'are delight': 85756, 'it took while': 461808, 'took while to': 925380, 'while to get': 987467, 'to get them': 906614, 'get them all': 348352, 'them all but': 875338, 'all but here': 42249, 'but here are': 145921, 'here are all': 392732, 'are all of': 84329, 'all of wednesday': 43724, 'of wednesday number': 592990, 'wednesday number charted': 975672, 'number charted time': 576847, 'charted time to': 173860, 'time to go': 897993, 'the supermarket now': 868719, 'supermarket now so': 821674, 'now so can': 575846, 'so can keep': 776712, 'can keep an': 158804, 'keep an 80': 471313, 'an 80 year': 55023, '80 year old': 22648, 'year old safe': 1014864, 'old safe in': 598455, 'safe in her': 729766, 'in her bubble': 423651, 'her bubble with': 391899, 'bubble with ample': 141624, 'with ample merlot': 997197, 'ample merlot amp': 54887, 'merlot amp camembert': 529189, 'amp camembert her': 53490, 'camembert her shopping': 157101, 'her shopping list': 392377, 'shopping list are': 763181, 'list are delight': 494279, 'ignorance': 415741, 'believe': 126235, 'dairy': 224943, 'milk': 531534, 'falling': 297190, 'exponentially': 292589, 'dump': 262151, 'break': 138665, 'heart': 388256, 'hurt': 411538, 'oh the': 596455, 'the ignorance': 857860, 'ignorance do': 415750, 'not believe': 568553, 'believe everything': 126265, 'everything you': 288127, 'you see': 1021020, 'see folk': 745117, 'folk covid': 312134, 'ha closed': 370167, 'closed school': 183319, 'school and': 741682, 'and limited': 66186, 'limited food': 492630, 'food supply': 316926, 'supply demand': 825148, 'for dairy': 320534, 'dairy and': 224950, 'and milk': 67010, 'milk future': 531688, 'future are': 342260, 'are falling': 86457, 'falling exponentially': 297252, 'exponentially dairy': 292594, 'dairy farmer': 224973, 'farmer are': 299267, 'are forced': 86652, 'to dump': 904796, 'dump it': 262164, 'it break': 456912, 'break the': 138801, 'the heart': 857206, 'heart of': 388313, 'of dairy': 582322, 'farmer to': 299533, 'do this': 250334, 'this more': 888925, 'than it': 840795, 'it hurt': 458663, 'oh the ignorance': 596456, 'the ignorance do': 857862, 'ignorance do not': 415751, 'do not believe': 249679, 'not believe everything': 568554, 'believe everything you': 126266, 'everything you see': 288139, 'you see folk': 1021037, 'see folk covid': 745118, 'folk covid 19': 312135, '19 ha closed': 7334, 'ha closed school': 370175, 'closed school and': 183320, 'school and limited': 741686, 'and limited food': 66187, 'limited food supply': 492633, 'food supply demand': 316946, 'supply demand for': 825152, 'demand for dairy': 235400, 'for dairy and': 320535, 'dairy and milk': 224955, 'and milk future': 67014, 'milk future are': 531689, 'future are falling': 342262, 'are falling exponentially': 86463, 'falling exponentially dairy': 297253, 'exponentially dairy farmer': 292595, 'dairy farmer are': 224975, 'farmer are forced': 299277, 'are forced to': 86653, 'forced to dump': 328631, 'to dump it': 904798, 'dump it break': 262165, 'it break the': 456913, 'break the heart': 138807, 'the heart of': 857207, 'heart of dairy': 388316, 'of dairy farmer': 582323, 'dairy farmer to': 224986, 'farmer to do': 299535, 'to do this': 904572, 'do this more': 250358, 'this more than': 888927, 'more than it': 540636, 'than it hurt': 840798, 'wondering': 1004146, 'affect': 34102, 'find': 306752, 'info': 437395, 'preparedness': 670272, 'shipping': 758819, 'often': 596150, 'are business': 85090, 'business owner': 144174, 'owner you': 632615, 'are probably': 89236, 'probably wondering': 679424, 'wondering how': 1004153, 'how covid': 407636, '19 might': 8649, 'might affect': 530861, 'affect your': 34273, 'your business': 1023044, 'business find': 143738, 'find info': 306976, 'info related': 437572, 'to preparedness': 912012, 'preparedness workforce': 670299, 'workforce shipping': 1008383, 'shipping disruption': 758842, 'disruption consumer': 246453, 'consumer demand': 197106, 'demand forecast': 235523, 'forecast more': 328844, 'more check': 538805, 'check the': 174641, 'the resource': 865591, 'resource often': 714839, 'often for': 596194, 'the latest': 859071, 'latest update': 481585, 'you are business': 1017078, 'are business owner': 85092, 'business owner you': 144196, 'owner you are': 632616, 'you are probably': 1017203, 'are probably wondering': 89244, 'probably wondering how': 679425, 'wondering how covid': 1004156, 'how covid 19': 407637, 'covid 19 might': 213434, '19 might affect': 8650, 'might affect your': 530865, 'affect your business': 34274, 'your business find': 1023055, 'business find info': 143739, 'find info related': 306978, 'info related to': 437573, 'related to preparedness': 708615, 'to preparedness workforce': 912013, 'preparedness workforce shipping': 670300, 'workforce shipping disruption': 1008384, 'shipping disruption consumer': 758843, 'disruption consumer demand': 246454, 'consumer demand forecast': 197135, 'demand forecast more': 235524, 'forecast more check': 328845, 'more check the': 538807, 'check the resource': 174652, 'the resource often': 865594, 'resource often for': 714840, 'often for the': 596196, 'for the latest': 326525, 'the latest update': 859154, 'security': 744518, 'tip': 898684, 'online security': 608951, 'security tip': 744776, 'tip for': 898758, 'for working': 327945, 'working from': 1008653, 'from home': 335834, 'online security tip': 608954, 'security tip for': 744778, 'tip for working': 898790, 'for working from': 327950, 'working from home': 1008655, 'apple': 82298, 'lineup': 493655, 'iphone': 444554, 'left': 485370, 'buy': 148239, 'canned': 161492, 'tuna': 935369, 'right apple': 721771, 'apple store': 82365, 'store lineup': 808763, 'lineup to': 493679, 'get the': 348219, 'latest iphone': 481415, 'iphone left': 444575, 'left grocery': 485482, 'to buy': 902162, 'buy canned': 148467, 'canned tuna': 161562, 'tuna mask': 935383, 'mask difference': 518573, 'difference only': 241865, 'only few': 610433, 'few month': 303921, 'month 19': 537511, 'right apple store': 721772, 'apple store lineup': 82369, 'store lineup to': 808766, 'lineup to get': 493681, 'to get the': 906612, 'get the latest': 348260, 'the latest iphone': 859123, 'latest iphone left': 481416, 'iphone left grocery': 444576, 'left grocery store': 485483, 'grocery store lineup': 365528, 'lineup to buy': 493680, 'to buy canned': 902200, 'buy canned tuna': 148468, 'canned tuna mask': 161563, 'tuna mask difference': 935384, 'mask difference only': 518574, 'difference only few': 241866, 'only few month': 610438, 'few month 19': 303922, 'coldpressedoil': 185819, 'chekkuoil': 175300, 'standardcoldpressedoil': 793723, 'did sanitizer': 240788, 'sanitizer kill': 735254, 'kill virus': 474545, 'virus the': 958878, 'the answer': 848764, 'answer is': 78060, 'no read': 565273, 'read out': 700524, 'out why': 627844, 'why coldpressedoil': 990885, 'coldpressedoil chekkuoil': 185820, 'chekkuoil standardcoldpressedoil': 175301, 'did sanitizer kill': 240789, 'sanitizer kill virus': 735261, 'kill virus the': 474547, 'virus the answer': 958879, 'the answer is': 848769, 'answer is no': 78063, 'is no read': 449963, 'no read out': 565274, 'read out why': 700525, 'out why coldpressedoil': 627845, 'why coldpressedoil chekkuoil': 990886, 'coldpressedoil chekkuoil standardcoldpressedoil': 185821, 'fed': 301771, 'finishing': 307929, 'parcel': 641473, 'older': 598560, 'cancer': 161241, 'make': 509625, 'cry': 219836, 'am fed': 50043, 'fed up': 301921, 'up of': 945494, 'of finishing': 583547, 'finishing work': 307942, 'work and': 1004756, 'and there': 73826, 'is nothing': 450229, 'nothing left': 573080, 'left on': 485584, 'shelf all': 756693, 'all want': 45388, 'do is': 249439, 'is get': 448018, 'get together': 348507, 'together food': 920786, 'food parcel': 315808, 'parcel of': 641513, 'of essential': 583159, 'essential for': 281053, 'for older': 324049, 'older neighbour': 598628, 'neighbour who': 557254, 'who ha': 988828, 'ha cancer': 370053, 'cancer make': 161261, 'make me': 510125, 'me want': 523906, 'to cry': 903780, 'am fed up': 50044, 'fed up of': 301923, 'up of finishing': 945497, 'of finishing work': 583548, 'finishing work and': 307943, 'work and there': 1004817, 'and there is': 73840, 'there is nothing': 878600, 'is nothing left': 450238, 'nothing left on': 573086, 'left on the': 485591, 'the supermarket shelf': 868793, 'supermarket shelf all': 822422, 'shelf all want': 756697, 'all want to': 45391, 'want to do': 966025, 'to do is': 904524, 'do is get': 249444, 'is get together': 448020, 'get together food': 348510, 'together food parcel': 920788, 'food parcel of': 315819, 'parcel of essential': 641514, 'of essential for': 583168, 'essential for older': 281060, 'for older neighbour': 324054, 'older neighbour who': 598629, 'neighbour who ha': 557257, 'who ha cancer': 988834, 'ha cancer make': 370056, 'cancer make me': 161262, 'make me want': 510152, 'me want to': 523907, 'want to cry': 966020, 'mma': 534765, 'imma': 416942, 'straight': 812199, 'those supermarket': 892505, 'supermarket delivery': 819913, 'driver best': 259460, 'best know': 127752, 'know mma': 476598, 'mma because': 534766, 'because imma': 119154, 'imma coming': 416943, 'coming for': 188047, 'for them': 326888, 'them straight': 876339, 'straight up': 812249, 'those supermarket delivery': 892507, 'supermarket delivery driver': 819920, 'delivery driver best': 233892, 'driver best know': 259461, 'best know mma': 127753, 'know mma because': 476599, 'mma because imma': 534767, 'because imma coming': 119155, 'imma coming for': 416944, 'coming for them': 188051, 'for them straight': 326921, 'them straight up': 876341, 'eastern': 265570, 'north': 567597, 'carolina': 164829, 'the food': 855527, 'bank of': 110044, 'of central': 581238, 'central and': 169359, 'and eastern': 61864, 'eastern north': 265593, 'north carolina': 567626, 'carolina continues': 164834, 'to distribute': 904438, 'distribute food': 247972, 'food for': 314512, 'for those': 327096, 'those that': 892525, 'that are': 842710, 'need during': 554716, 'the food bank': 855534, 'food bank of': 313607, 'bank of central': 110049, 'of central and': 581239, 'central and eastern': 169360, 'and eastern north': 61865, 'eastern north carolina': 265594, 'north carolina continues': 567629, 'carolina continues to': 164835, 'continues to distribute': 201468, 'to distribute food': 904440, 'distribute food for': 247974, 'food for those': 314581, 'for those that': 327144, 'those that are': 892527, 'that are in': 842763, 'are in need': 87413, 'in need during': 425739, 'need during covid': 554718, 'sparked': 787568, 'org': 619174, 'foodsafety': 318050, 'stressing': 813530, 'foodborne': 317867, 'illness': 416333, 'foodindustry': 317966, 'while coronavirus': 986717, 'coronavirus covid': 205720, 'ha sparked': 372009, 'sparked some': 787588, 'some consumer': 782587, 'consumer concern': 196864, 'over fresh': 630235, 'fresh food': 332955, 'food org': 315687, 'org foodsafety': 619181, 'foodsafety is': 318060, 'is stressing': 452374, 'stressing that': 813542, 'that covid': 843383, '19 is': 7927, 'is not': 450020, 'not foodborne': 569476, 'foodborne illness': 317872, 'illness foodsafety': 416361, 'foodsafety foodindustry': 318058, 'while coronavirus covid': 986718, 'coronavirus covid 19': 205721, '19 ha sparked': 7390, 'ha sparked some': 372012, 'sparked some consumer': 787589, 'some consumer concern': 782592, 'consumer concern over': 196869, 'concern over fresh': 193049, 'over fresh food': 630236, 'fresh food org': 332974, 'food org foodsafety': 315688, 'org foodsafety is': 619182, 'foodsafety is stressing': 318061, 'is stressing that': 452376, 'stressing that covid': 813543, 'that covid 19': 843384, 'covid 19 is': 213292, '19 is not': 8012, 'is not foodborne': 450087, 'not foodborne illness': 569479, 'foodborne illness foodsafety': 317873, 'illness foodsafety foodindustry': 416362, 'panicked': 639242, 'emptied': 274669, 'accumulate': 28846, 'selfish panicked': 748197, 'panicked shopper': 639278, 'shopper have': 761538, 'have emptied': 380423, 'emptied the': 274699, 'shelf of': 757354, 'of uk': 592563, 'uk supermarket': 938754, 'supermarket do': 819978, 'you think': 1021639, 'think people': 885484, 'right to': 722332, 'to accumulate': 899981, 'accumulate stophoarding': 28856, 'stophoarding coronacrisis': 805376, 'selfish panicked shopper': 748198, 'panicked shopper have': 639283, 'shopper have emptied': 761541, 'have emptied the': 380424, 'emptied the shelf': 274702, 'the shelf of': 866862, 'shelf of uk': 757373, 'of uk supermarket': 592579, 'uk supermarket do': 938762, 'supermarket do you': 819984, 'do you think': 250689, 'you think people': 1021672, 'think people have': 885488, 'people have the': 648205, 'have the right': 383020, 'the right to': 865832, 'right to accumulate': 722333, 'to accumulate stophoarding': 899982, 'accumulate stophoarding coronacrisis': 28857, 'saw': 738041, 'guy': 368879, 'paella': 633817, 'pi': 655547, 'ata': 101702, 'sombrero': 782231, 'hispanic': 397930, 'just been': 468297, 'been to': 122208, 'supermarket saw': 822319, 'saw guy': 738123, 'guy buy': 368942, 'buy paella': 149077, 'paella pi': 633822, 'pi ata': 655548, 'ata and': 101703, 'and sombrero': 71947, 'sombrero thought': 782232, 'thought to': 893273, 'to myself': 910455, 'myself hispanic': 550873, 'hispanic buying': 397931, 'just been to': 468309, 'been to the': 122231, 'the supermarket saw': 868783, 'supermarket saw guy': 822320, 'saw guy buy': 738125, 'guy buy paella': 368943, 'buy paella pi': 149078, 'paella pi ata': 633823, 'pi ata and': 655549, 'ata and sombrero': 101704, 'and sombrero thought': 71948, 'sombrero thought to': 782233, 'thought to myself': 893278, 'to myself hispanic': 910457, 'myself hispanic buying': 550874, 'costing': 208321, 'million': 532044, 'alone': 46798, 'ha received': 371660, 'received more': 703649, 'than 15': 840176, '15 00': 3629, '00 related': 461, 'related consumer': 708395, 'complaint of': 191998, 'of and': 580137, 'and in': 65039, 'in 2020': 419814, '2020 costing': 14253, 'costing more': 208332, 'than million': 840892, 'million in': 532183, 'in april': 420462, 'april alone': 83537, 'the ha received': 857013, 'ha received more': 371665, 'received more than': 703650, 'more than 15': 540547, 'than 15 00': 840177, '15 00 related': 3634, '00 related consumer': 462, 'related consumer complaint': 708397, 'consumer complaint of': 196855, 'complaint of and': 191999, 'of and in': 580162, 'and in 2020': 65040, 'in 2020 costing': 419829, '2020 costing more': 14254, 'costing more than': 208333, 'more than million': 540647, 'than million in': 840894, 'million in april': 532184, 'in april alone': 420465, 'impact': 417529, 'easy': 265640, 'overlook': 631280, 'dismal': 245973, 'reality': 701683, 'producer': 680542, 'lockdown21': 500199, 'oil crash': 596712, 'crash due': 214968, 'the impact': 857927, 'impact of': 417749, 'it easy': 457739, 'easy to': 265775, 'to overlook': 911306, 'overlook an': 631281, 'an even': 55865, 'even more': 284338, 'more dismal': 539049, 'dismal reality': 245978, 'reality for': 701732, 'for producer': 324768, 'producer the': 680699, 'real price': 701312, 'price they': 676890, 're getting': 698725, 'getting for': 348991, 'their barrel': 872556, 'barrel are': 111202, 'are worse': 91742, 'worse still': 1010999, 'still lockdown21': 800804, 'oil crash due': 596713, 'crash due to': 214969, 'due to the': 261992, 'to the impact': 916796, 'the impact of': 857942, 'impact of it': 417783, 'of it easy': 585387, 'it easy to': 457745, 'easy to overlook': 265787, 'to overlook an': 911307, 'overlook an even': 631282, 'an even more': 55868, 'even more dismal': 284352, 'more dismal reality': 539050, 'dismal reality for': 245979, 'reality for producer': 701733, 'for producer the': 324769, 'producer the real': 680700, 'the real price': 865232, 'real price they': 701316, 'price they re': 676898, 'they re getting': 883042, 're getting for': 698729, 'getting for their': 348993, 'for their barrel': 326800, 'their barrel are': 872557, 'barrel are worse': 111203, 'are worse still': 91743, 'worse still lockdown21': 1011001, 'wtf': 1013266, 'clothes': 184129, 'noni': 566645, 'katies': 471055, 'river': 724175, 'ect': 268413, 'preorders': 669990, 'seen': 746902, 'stuff': 814998, 'nail': 551440, 'gross': 366432, 'wtf clothes': 1013275, 'clothes store': 184210, 'store noni': 809092, 'noni katies': 566646, 'katies river': 471058, 'river ect': 724183, 'ect are': 268418, 'are doing': 85880, 'doing preorders': 252607, 'preorders on': 669991, 'on hand': 601225, 'and mask': 66737, 'mask for': 518663, 'for high': 322254, 'high price': 395226, 'price ve': 677296, 've never': 953380, 'never seen': 558171, 'seen them': 747303, 'them sell': 876263, 'sell this': 748913, 'this stuff': 890388, 'stuff before': 815024, 'before look': 122924, 'look like': 502456, 'like they': 491445, 're trying': 699737, 'on while': 605283, 'while nail': 987078, 'nail tech': 551465, 'tech are': 836039, 'being told': 125963, 'told to': 923743, 'save their': 737672, 'their mask': 873924, 'doctor gross': 250938, 'wtf clothes store': 1013276, 'clothes store noni': 184211, 'store noni katies': 809093, 'noni katies river': 566647, 'katies river ect': 471059, 'river ect are': 724184, 'ect are doing': 268419, 'are doing preorders': 85919, 'doing preorders on': 252608, 'preorders on hand': 669992, 'on hand sanitizer': 601234, 'hand sanitizer and': 375301, 'sanitizer and mask': 734417, 'and mask for': 66749, 'mask for high': 518680, 'for high price': 322258, 'high price ve': 395289, 'price ve never': 677297, 've never seen': 953389, 'never seen them': 558182, 'seen them sell': 747308, 'them sell this': 876264, 'sell this stuff': 748917, 'this stuff before': 890389, 'stuff before look': 815025, 'before look like': 122925, 'look like they': 502517, 'like they re': 491455, 'they re trying': 883146, 're trying to': 699739, 'trying to cash': 934776, 'in on while': 426132, 'on while nail': 605288, 'while nail tech': 987079, 'nail tech are': 551466, 'tech are being': 836040, 'are being told': 84937, 'being told to': 125970, 'told to save': 923760, 'to save their': 913796, 'save their mask': 737676, 'their mask for': 873926, 'mask for doctor': 518672, 'for doctor gross': 320794, 'bossert': 135771, 'publishes': 688730, 'op': 611789, 'ed': 268440, 'advocate': 33813, 'contagion': 200395, 'development': 239802, 'compare': 191386, 'favorably': 300477, 'common': 189354, '2020 bossert': 14182, 'bossert publishes': 135772, 'publishes an': 688731, 'an op': 56645, 'op ed': 611795, 'ed saying': 268460, 'is now': 450248, 'now or': 575466, 'or never': 616235, 'never to': 558238, 'to act': 900006, 'act he': 29649, 'he advocate': 384715, 'advocate for': 33834, 'for social': 325700, 'distancing and': 246961, 'and school': 71071, 'school closure': 741744, 'closure to': 184046, 'to slow': 914737, 'the contagion': 851644, 'contagion trump': 200426, 'trump say': 933818, 'say that': 739225, 'that development': 843517, 'development are': 239804, 'are good': 86922, 'and compare': 60201, 'compare covid': 191393, '19 favorably': 6947, 'favorably to': 300478, 'the common': 851247, 'common flu': 189382, '2020 bossert publishes': 14183, 'bossert publishes an': 135773, 'publishes an op': 688732, 'an op ed': 56646, 'op ed saying': 611798, 'ed saying it': 268461, 'saying it is': 739624, 'it is now': 459025, 'is now or': 450311, 'now or never': 575474, 'or never to': 616236, 'never to act': 558239, 'to act he': 900013, 'act he advocate': 29650, 'he advocate for': 384716, 'advocate for social': 33836, 'for social distancing': 325703, 'social distancing and': 779553, 'distancing and school': 246994, 'and school closure': 71074, 'school closure to': 741755, 'closure to slow': 184052, 'to slow the': 914742, 'of the contagion': 590887, 'the contagion trump': 851646, 'contagion trump say': 200427, 'trump say that': 933825, 'say that development': 739232, 'that development are': 843518, 'development are good': 239805, 'are good for': 86924, 'the consumer and': 851492, 'consumer and compare': 196203, 'and compare covid': 60202, 'compare covid 19': 191394, 'covid 19 favorably': 213078, '19 favorably to': 6948, 'favorably to the': 300479, 'to the common': 916574, 'the common flu': 851250, 'pretty': 671351, 'anyway': 80978, 'if other': 414570, 'other country': 620011, 'country are': 210455, 'are anything': 84584, 'anything to': 80910, 'go by': 353396, 'by you': 154781, 'you ll': 1019638, 'll still': 497037, 'still be': 800241, 'be allowed': 113559, 'allowed out': 46199, 'out to': 627617, 'work help': 1005247, 'others or': 621569, 'or shop': 617052, 'shop for': 760179, 'food or': 315644, 'or medical': 616103, 'supply pretty': 825726, 'pretty much': 671442, 'much all': 544702, 'need anyway': 554466, 'anyway right': 81029, 'right not': 722007, 'not like': 570391, 'like you': 491865, 'up year': 946714, 'year food': 1014557, 'food at': 313437, 'home idiot': 401393, 'if other country': 414571, 'other country are': 620012, 'country are anything': 210457, 'are anything to': 84585, 'anything to go': 80914, 'to go by': 906781, 'go by you': 353402, 'by you ll': 154783, 'you ll still': 1019672, 'll still be': 497038, 'still be allowed': 800244, 'be allowed out': 113564, 'allowed out to': 46205, 'out to work': 627698, 'to work help': 918732, 'work help others': 1005248, 'help others or': 390213, 'others or shop': 621570, 'or shop for': 617054, 'shop for food': 760187, 'for food or': 321609, 'food or medical': 315660, 'or medical supply': 616105, 'medical supply pretty': 526456, 'supply pretty much': 825727, 'pretty much all': 671443, 'much all you': 544704, 'you need anyway': 1019965, 'need anyway right': 554467, 'anyway right not': 81030, 'right not like': 722010, 'not like you': 570407, 'like you need': 491875, 'need to stock': 556088, 'stock up year': 803136, 'up year food': 946715, 'year food at': 1014558, 'food at home': 313446, 'at home idiot': 99010, 'finish': 307844, 'ffs': 304290, 'tsavemyhandsfromthecookie': 934918, 'jar': 464807, 'still buy': 800312, 'buy food': 148629, 'the house': 857587, 'house but': 406221, 'but still': 147154, 'still finish': 800534, 'finish it': 307857, 'all ffs': 42778, 'ffs can': 304293, 'can tsavemyhandsfromthecookie': 160062, 'tsavemyhandsfromthecookie jar': 934919, 'jar food': 464810, 'still buy food': 800314, 'buy food for': 148647, 'food for the': 314576, 'for the house': 326484, 'the house but': 857598, 'house but still': 406224, 'but still finish': 147163, 'still finish it': 800535, 'finish it all': 307858, 'it all ffs': 456345, 'all ffs can': 42779, 'ffs can tsavemyhandsfromthecookie': 304294, 'can tsavemyhandsfromthecookie jar': 160063, 'tsavemyhandsfromthecookie jar food': 934920, 'waterstones': 969306, 'chief': 175904, 'exec': 289809, 'james': 464389, 'daunt': 226932, 'described': 237935, 'raised': 695982, 'member': 527997, 'utter': 951406, 'needle': 556642, 'gone': 356181, 'his': 397160, 'employee': 273504, 'dm': 248864, 'angry': 76449, 'bookseller': 134774, 'waterstones chief': 969310, 'chief exec': 175922, 'exec james': 289820, 'james daunt': 464390, 'daunt ha': 226937, 'ha described': 370360, 'described concern': 237940, 'concern raised': 193062, 'raised by': 695993, 'by member': 153198, 'member of': 528136, 'of staff': 590014, 'staff utter': 793035, 'utter shit': 951429, 'shit needle': 759174, 'needle to': 556649, 'to say': 913802, 'not gone': 569708, 'gone down': 356260, 'down well': 257454, 'well with': 978756, 'with his': 998827, 'his employee': 397387, 'employee who': 274419, 'my dm': 548008, 'dm and': 248867, 'and email': 62024, 'email angry': 272116, 'angry and': 76457, 'and disgusted': 61430, 'disgusted say': 245373, 'say one': 739023, 'one senior': 607003, 'senior bookseller': 750231, 'waterstones chief exec': 969311, 'chief exec james': 175924, 'exec james daunt': 289821, 'james daunt ha': 464393, 'daunt ha described': 226938, 'ha described concern': 370361, 'described concern raised': 237941, 'concern raised by': 193063, 'raised by member': 695995, 'by member of': 153199, 'member of staff': 528150, 'of staff utter': 590028, 'staff utter shit': 793036, 'utter shit needle': 951431, 'shit needle to': 759175, 'needle to say': 556650, 'to say it': 913826, 'say it not': 738852, 'it not gone': 459881, 'not gone down': 569709, 'gone down well': 356265, 'down well with': 257455, 'well with his': 978758, 'with his employee': 998833, 'his employee who': 397390, 'employee who are': 274421, 'who are in': 988161, 'are in my': 87412, 'in my dm': 425565, 'my dm and': 548009, 'dm and email': 248868, 'and email angry': 62025, 'email angry and': 272117, 'angry and disgusted': 76458, 'and disgusted say': 61433, 'disgusted say one': 245374, 'say one senior': 739028, 'one senior bookseller': 607004, 'customer': 222007, 'sanitiser': 733904, 'quantity': 691905, 'lorri': 503327, 'conveniencestore': 202374, 'petrolforecourt': 653847, 'petrolstation': 653865, 'antibacterial': 78346, 'keep staff': 471961, 'staff customer': 792346, 'customer safe': 222782, 'and happy': 64172, 'happy mask': 377649, 'and sanitiser': 70828, 'sanitiser available': 733928, 'available in': 104428, 'in quantity': 427170, 'quantity please': 691948, 'contact lorri': 200129, 'lorri co': 503328, 'co uk': 184992, 'uk 19': 938143, '19 supermarket': 10946, 'supermarket conveniencestore': 819773, 'conveniencestore petrolforecourt': 202375, 'petrolforecourt petrolstation': 653848, 'petrolstation shop': 653866, 'shop sanitiser': 760736, 'sanitiser facemask': 733953, 'facemask antibacterial': 295065, 'keep staff customer': 471963, 'staff customer safe': 792348, 'customer safe and': 222783, 'safe and happy': 729451, 'and happy mask': 64178, 'happy mask and': 377650, 'mask and sanitiser': 518366, 'and sanitiser available': 70830, 'sanitiser available in': 733930, 'available in quantity': 104451, 'in quantity please': 427171, 'quantity please contact': 691949, 'please contact lorri': 659837, 'contact lorri co': 200130, 'lorri co uk': 503329, 'co uk 19': 184993, 'uk 19 supermarket': 938145, '19 supermarket conveniencestore': 10951, 'supermarket conveniencestore petrolforecourt': 819774, 'conveniencestore petrolforecourt petrolstation': 202376, 'petrolforecourt petrolstation shop': 653849, 'petrolstation shop sanitiser': 653867, 'shop sanitiser facemask': 760737, 'sanitiser facemask antibacterial': 733954, 'standard': 793621, 'voucher': 960625, 'designed': 238332, 'targeting': 834555, 'desperation': 238589, 'cloak': 182389, 'branding': 138121, 'popular': 664531, 'offer': 594493, 'trading standard': 928923, 'standard ha': 793667, 'received an': 703587, 'an online': 56608, 'online voucher': 609685, 'voucher scam': 960666, 'scam designed': 740126, 'designed to': 238348, 'to targeting': 916305, 'targeting people': 834570, 'people desperation': 647634, 'desperation during': 238590, 'pandemic quarantine': 636265, 'quarantine scammer': 692505, 'scammer cloak': 740553, 'cloak the': 182390, 'the email': 854206, 'email in': 272208, 'the branding': 849947, 'branding of': 138132, 'of popular': 588230, 'popular supermarket': 664605, 'and offer': 67968, 'offer money': 594699, 'money off': 536919, 'off voucher': 594368, 'trading standard ha': 928928, 'standard ha received': 793668, 'ha received an': 371661, 'received an online': 703591, 'an online voucher': 56641, 'online voucher scam': 609687, 'voucher scam designed': 960667, 'scam designed to': 740127, 'designed to targeting': 238367, 'to targeting people': 916306, 'targeting people desperation': 834571, 'people desperation during': 647635, 'desperation during the': 238591, 'the pandemic quarantine': 863069, 'pandemic quarantine scammer': 636270, 'quarantine scammer cloak': 692506, 'scammer cloak the': 740554, 'cloak the email': 182391, 'the email in': 854210, 'email in the': 272210, 'in the branding': 429036, 'the branding of': 849948, 'branding of popular': 138133, 'of popular supermarket': 588234, 'popular supermarket and': 664606, 'supermarket and offer': 819028, 'and offer money': 67970, 'offer money off': 594700, 'money off voucher': 536923, 'second': 743650, 'carry': 165063, 'protecting': 685175, 'layer': 482620, 'travelling': 930681, 'rumor': 727473, 'require': 713292, 'hand with': 376001, 'with soap': 1000788, 'soap for': 779006, 'for 20': 318725, '20 second': 13322, 'second carry': 743676, 'carry tissue': 165160, 'tissue paper': 899193, 'and use': 74766, 'use it': 949296, 'it protecting': 460536, 'protecting layer': 685204, 'layer while': 482643, 'while travelling': 987479, 'travelling don': 930684, 'don panic': 253791, 'panic don': 638041, 'don spread': 253923, 'spread rumor': 790775, 'rumor stock': 727498, 'stock food': 802120, 'and essential': 62240, 'for week': 327688, 'week if': 976351, 'you require': 1020913, 'require to': 713337, 'to self': 914120, 'self quarantine': 747844, 'your hand with': 1024246, 'hand with soap': 376016, 'with soap for': 1000797, 'soap for 20': 779007, 'for 20 second': 318731, '20 second carry': 13326, 'second carry tissue': 743677, 'carry tissue paper': 165161, 'tissue paper and': 899194, 'paper and use': 639862, 'and use it': 74776, 'use it protecting': 949309, 'it protecting layer': 460537, 'protecting layer while': 685205, 'layer while travelling': 482644, 'while travelling don': 987480, 'travelling don panic': 930685, 'don panic don': 253799, 'panic don spread': 638043, 'don spread rumor': 253926, 'spread rumor stock': 790777, 'rumor stock food': 727499, 'stock food and': 802123, 'food and essential': 313222, 'and essential for': 62252, 'essential for week': 281066, 'for week if': 327718, 'week if you': 976359, 'if you require': 415510, 'you require to': 1020914, 'require to self': 713338, 'to self quarantine': 914124, 'scumbags': 742998, 'quite': 694821, 'simply': 770171, 'piece': 656255, 'thick': 883980, 'brain': 137581, 'cell': 168937, 'causing': 167984, 'literally': 494948, 'fuck': 339506, 'forever': 329092, 'toiletroll': 923361, 'notfakenews': 572887, 'you scumbags': 1021018, 'scumbags panic': 743005, 'toilet roll': 921546, 'roll because': 725212, 'because you': 119858, 're quite': 699346, 'quite simply': 694918, 'simply old': 770249, 'old piece': 598427, 'piece of': 656325, 'of thick': 591885, 'thick shit': 883989, 'shit without': 759300, 'without brain': 1002523, 'brain cell': 137587, 'cell between': 168944, 'between you': 128962, 'you all': 1016862, 'all causing': 42322, 'causing this': 168128, 'this literally': 888669, 'literally no': 495044, 'no point': 565132, 'point in': 662512, 'in you': 431045, 'you being': 1017436, 'being on': 125485, 'on this': 604600, 'this planet': 889605, 'planet fuck': 658402, 'fuck off': 339612, 'off forever': 593839, 'forever toiletpaper': 329151, 'toiletpaper toiletroll': 922729, 'toiletroll notfakenews': 923372, 'all you scumbags': 45552, 'you scumbags panic': 1021019, 'scumbags panic buying': 743006, 'buying toilet roll': 151248, 'toilet roll because': 921553, 'roll because you': 725214, 'because you re': 119876, 'you re quite': 1020718, 're quite simply': 699347, 'quite simply old': 694919, 'simply old piece': 770250, 'old piece of': 598428, 'piece of thick': 656349, 'of thick shit': 591886, 'thick shit without': 883991, 'shit without brain': 759301, 'without brain cell': 1002524, 'brain cell between': 137588, 'cell between you': 168945, 'between you all': 128963, 'you all causing': 1016868, 'all causing this': 42323, 'causing this literally': 168132, 'this literally no': 888670, 'literally no point': 495047, 'no point in': 565136, 'point in you': 662529, 'in you being': 431047, 'you being on': 1017438, 'being on this': 125490, 'on this planet': 604628, 'this planet fuck': 889606, 'planet fuck off': 658403, 'fuck off forever': 339614, 'off forever toiletpaper': 593840, 'forever toiletpaper toiletroll': 329152, 'toiletpaper toiletroll notfakenews': 922731, 'rethink': 719641, 'adapt': 31243, 'socialize': 781026, 'change': 171876, 'for thought': 327155, 'thought when': 893311, 'when china': 983249, 'china wa': 177042, 'wa under': 963600, 'under lockdown': 940146, 'lockdown for': 499389, 'for over': 324321, 'over month': 630405, 'month people': 537953, 'people had': 648137, 'had to': 373656, 'to rethink': 913463, 'rethink and': 719642, 'and adapt': 57660, 'adapt the': 31272, 'the way': 871138, 'they live': 882576, 'live work': 496128, 'and socialize': 71912, 'socialize which': 781029, 'which change': 985746, 'change will': 172396, 'will likely': 993990, 'likely stay': 492104, 'stay which': 797399, 'which won': 986510, 'won via': 1003930, 'food for thought': 314582, 'for thought when': 327165, 'thought when china': 893313, 'when china wa': 983250, 'china wa under': 177047, 'wa under lockdown': 963602, 'under lockdown for': 940149, 'lockdown for over': 499398, 'for over month': 324330, 'over month people': 630409, 'month people had': 537955, 'people had to': 648143, 'had to rethink': 373720, 'to rethink and': 913464, 'rethink and adapt': 719643, 'and adapt the': 57662, 'adapt the way': 31273, 'the way they': 871196, 'way they live': 969958, 'they live work': 882582, 'live work and': 496129, 'work and socialize': 1004807, 'and socialize which': 71914, 'socialize which change': 781030, 'which change will': 985747, 'change will likely': 172398, 'will likely stay': 994013, 'likely stay which': 492105, 'stay which won': 797400, 'which won via': 986511, 'vigilant': 957223, 'dc': 228935, 'abuse': 27611, 'exploitation': 292375, 'rely': 709625, 'mgmt': 530094, 'healthcare': 387010, 'loved': 504895, 'english': 277046, 'spanish': 787404, 'now is': 575058, 'the time': 869571, 'be vigilant': 117996, 'vigilant cautious': 957239, 'cautious dc': 168216, 'dc senior': 228972, 'senior are': 750214, 'are especially': 86239, 'especially at': 280442, 'at risk': 100331, 'of abuse': 579721, 'abuse and': 27616, 'and exploitation': 62518, 'exploitation many': 292385, 'many rely': 514629, 'rely on': 709632, 'on others': 602563, 'others for': 621405, 'for help': 322171, 'help money': 390107, 'money mgmt': 536889, 'mgmt healthcare': 530095, 'healthcare daily': 387082, 'daily task': 224824, 'task protect': 834727, 'protect yourself': 685075, 'yourself loved': 1026662, 'loved one': 504900, 'one during': 606219, 'during tip': 263351, 'tip in': 898822, 'in english': 422582, 'english spanish': 277062, 'now is the': 575085, 'is the time': 452961, 'the time to': 869625, 'time to be': 897951, 'to be vigilant': 901622, 'be vigilant cautious': 118000, 'vigilant cautious dc': 957240, 'cautious dc senior': 168217, 'dc senior are': 228973, 'senior are especially': 750216, 'are especially at': 86240, 'especially at risk': 280445, 'at risk of': 100381, 'risk of abuse': 723723, 'of abuse and': 579722, 'abuse and exploitation': 27617, 'and exploitation many': 62519, 'exploitation many rely': 292386, 'many rely on': 514630, 'rely on others': 709646, 'on others for': 602565, 'others for help': 621408, 'for help money': 322183, 'help money mgmt': 390108, 'money mgmt healthcare': 536890, 'mgmt healthcare daily': 530096, 'healthcare daily task': 387083, 'daily task protect': 224826, 'task protect yourself': 834728, 'protect yourself loved': 685098, 'yourself loved one': 1026663, 'loved one during': 504909, 'one during tip': 606221, 'during tip in': 263352, 'tip in english': 898823, 'in english spanish': 422583, 'white': 987809, 'briefing': 139690, 'watch live': 968463, 'live daily': 495781, 'daily white': 224892, 'white house': 987843, 'house task': 406591, 'force briefing': 328344, 'watch live daily': 968464, 'live daily white': 495783, 'daily white house': 224893, 'white house task': 987862, 'house task force': 406592, 'task force briefing': 834681, '25': 15784, 'miss': 534129, 'opportunity': 613580, 'win': 995528, 'remarkable': 710112, 'participating': 642563, 'essay': 280700, 'competition': 191652, 'psychosocial': 687591, 'perspective': 653178, 'register': 707537, 'you between': 1017472, 'the age': 848433, 'age of': 37853, 'of 15': 579358, '15 25': 3650, '25 year': 15995, 'year then': 1015004, 'then do': 877126, 'not miss': 570585, 'miss out': 534174, 'out the': 627344, 'the opportunity': 862397, 'opportunity to': 613693, 'to win': 918607, 'win remarkable': 995571, 'remarkable price': 710115, 'price by': 673000, 'by participating': 153530, 'participating in': 642568, 'the essay': 854489, 'essay competition': 280701, 'competition on': 191716, 'on 19': 599026, '19 mentalhealth': 8631, 'mentalhealth and': 528674, 'and psychosocial': 69731, 'psychosocial perspective': 687592, 'perspective to': 653238, 'to register': 913097, 'register visit': 707624, 'are you between': 91768, 'you between the': 1017474, 'between the age': 128920, 'the age of': 848434, 'age of 15': 37854, 'of 15 25': 579360, '15 25 year': 3651, '25 year then': 15998, 'year then do': 1015006, 'then do not': 877128, 'do not miss': 249786, 'not miss out': 570588, 'miss out the': 534177, 'out the opportunity': 627401, 'the opportunity to': 862405, 'opportunity to win': 613736, 'to win remarkable': 918615, 'win remarkable price': 995572, 'remarkable price by': 710116, 'price by participating': 673030, 'by participating in': 153532, 'participating in the': 642575, 'in the essay': 429175, 'the essay competition': 854490, 'essay competition on': 280702, 'competition on 19': 191717, 'on 19 mentalhealth': 599031, '19 mentalhealth and': 8632, 'mentalhealth and psychosocial': 528675, 'and psychosocial perspective': 69732, 'psychosocial perspective to': 687593, 'perspective to register': 653239, 'to register visit': 913107, 'cutting': 223709, 'collapsing': 186123, 'plummeting': 661362, 'threaten': 893752, 'field': 304445, 'the is': 858471, 'is cutting': 447010, 'cutting it': 223737, 'it 2020': 456194, '2020 oil': 14473, 'oil production': 597358, 'production forecast': 682048, 'forecast by': 328810, 'by more': 153243, 'million barrel': 532081, 'barrel per': 111268, 'per day': 650791, 'day collapsing': 227459, 'collapsing price': 186145, 'price and': 672352, 'and plummeting': 69125, 'plummeting demand': 661372, 'demand due': 235267, 'pandemic threaten': 636756, 'threaten the': 893760, 'country biggest': 210518, 'biggest oil': 130280, 'oil field': 596792, 'field oott': 304497, 'the is cutting': 858487, 'is cutting it': 447013, 'cutting it 2020': 223738, 'it 2020 oil': 456198, '2020 oil production': 14474, 'oil production forecast': 597368, 'production forecast by': 682049, 'forecast by more': 328811, 'by more than': 153247, 'than million barrel': 840893, 'million barrel per': 532087, 'barrel per day': 111269, 'per day collapsing': 650798, 'day collapsing price': 227460, 'collapsing price and': 186146, 'price and plummeting': 672498, 'and plummeting demand': 69127, 'plummeting demand due': 661373, 'demand due to': 235268, 'to the pandemic': 916939, 'the pandemic threaten': 863126, 'pandemic threaten the': 636757, 'threaten the country': 893761, 'the country biggest': 852052, 'country biggest oil': 210520, 'biggest oil field': 130281, 'oil field oott': 596793, 'amazing': 50633, 'mind': 532609, 'discrediting': 244741, 'call': 155668, 'centre': 169473, 'telecom': 836670, 'engineer': 276953, 'infrastructure': 438183, 'there some': 879067, 'some amazing': 782281, 'amazing work': 50816, 'work going': 1005214, 'going on': 355292, 'on in': 601521, 'world of': 1009848, 'of that': 590705, 'that people': 845682, 'not always': 568175, 'always have': 49607, 'have front': 380726, 'front of': 338634, 'of mind': 586541, 'mind not': 532695, 'not discrediting': 569044, 'discrediting doctor': 244742, 'doctor nurse': 250994, 'nurse supermarket': 577488, 'worker or': 1007499, 'or delivery': 614930, 'driver but': 259471, 'but think': 147526, 'think call': 885175, 'call centre': 155819, 'centre worker': 169568, 'worker the': 1007919, 'the telecom': 869254, 'telecom engineer': 836677, 'engineer people': 276971, 'people keeping': 648585, 'keeping our': 472498, 'our infrastructure': 623547, 'infrastructure going': 438199, 'there some amazing': 879068, 'some amazing work': 782282, 'amazing work going': 50817, 'work going on': 1005217, 'going on in': 355322, 'on in the': 601538, 'the world of': 871927, 'world of that': 1009855, 'of that people': 590735, 'that people do': 845692, 'do not always': 249664, 'not always have': 568180, 'always have front': 49610, 'have front of': 380727, 'front of mind': 338644, 'of mind not': 586545, 'mind not discrediting': 532696, 'not discrediting doctor': 569045, 'discrediting doctor nurse': 244743, 'doctor nurse supermarket': 251034, 'nurse supermarket worker': 577491, 'supermarket worker or': 824060, 'worker or delivery': 1007503, 'or delivery driver': 614934, 'delivery driver but': 233894, 'driver but think': 259473, 'but think call': 147528, 'think call centre': 885176, 'call centre worker': 155822, 'centre worker the': 169569, 'worker the telecom': 1007941, 'the telecom engineer': 869255, 'telecom engineer people': 836678, 'engineer people keeping': 276972, 'people keeping our': 648586, 'keeping our infrastructure': 472505, 'our infrastructure going': 623548, 'examine': 288813, 'observation': 578528, 'leading': 483673, 'commerce': 188504, 'hong': 403196, 'kong': 477379, 'japan': 464700, 'korea': 477450, 'mrx': 544468, 'ecommerce': 266698, 'examine nearly': 288818, 'nearly million': 553841, 'million daily': 532123, 'daily data': 224572, 'data observation': 226314, 'observation across': 578529, 'across leading': 29373, 'leading commerce': 483692, 'commerce retailer': 188621, 'in china': 421383, 'china hong': 176716, 'hong kong': 403197, 'kong japan': 477394, 'japan south': 464756, 'south korea': 786734, 'korea and': 477455, 'and italy': 65612, 'italy consumer': 462794, 'consumer mrx': 198167, 'mrx ecommerce': 544477, 'examine nearly million': 288819, 'nearly million daily': 553843, 'million daily data': 532124, 'daily data observation': 224573, 'data observation across': 226315, 'observation across leading': 578530, 'across leading commerce': 29374, 'leading commerce retailer': 483693, 'commerce retailer in': 188622, 'retailer in china': 719200, 'in china hong': 421405, 'china hong kong': 176717, 'hong kong japan': 403202, 'kong japan south': 477395, 'japan south korea': 464757, 'south korea and': 786736, 'korea and italy': 477456, 'and italy consumer': 65615, 'italy consumer mrx': 462795, 'consumer mrx ecommerce': 198168, 'made': 507604, 'donation': 254528, 'through': 894283, 'panickbuyinguk': 639230, 'something': 784825, 'box': 136994, 'this morning': 888930, 'morning we': 541533, 'we made': 972315, 'made donation': 507718, 'donation to': 254704, 'to through': 917556, 'through their': 894781, 'their website': 875167, 'website while': 975481, 'while you': 987584, 're out': 699219, 'out panickbuyinguk': 627013, 'panickbuyinguk remember': 639236, 'remember to': 710363, 'put something': 690829, 'something in': 784943, 'the foodbank': 855628, 'foodbank box': 317758, 'box you': 137206, 'you leave': 1019573, 'leave the': 484959, 'supermarket you': 824185, 'you might': 1019848, 'might help': 531026, 'help someone': 390544, 'someone worse': 784800, 'worse off': 1010980, 'off than': 594218, 'than you': 841485, 'you like': 1019604, 'like health': 490406, 'health worker': 386962, 'this morning we': 889036, 'morning we made': 541536, 'we made donation': 972319, 'made donation to': 507719, 'donation to through': 254718, 'to through their': 917557, 'through their website': 894788, 'their website while': 875172, 'website while you': 975483, 'while you re': 987591, 'you re out': 1020695, 're out panickbuyinguk': 699225, 'out panickbuyinguk remember': 627014, 'panickbuyinguk remember to': 639237, 'remember to put': 710381, 'to put something': 912613, 'put something in': 690830, 'something in the': 784946, 'in the foodbank': 429208, 'the foodbank box': 855630, 'foodbank box you': 317759, 'box you leave': 137207, 'you leave the': 1019578, 'leave the supermarket': 484979, 'the supermarket you': 868924, 'supermarket you might': 824199, 'you might help': 1019853, 'might help someone': 531035, 'help someone worse': 390549, 'someone worse off': 784801, 'worse off than': 1010981, 'off than you': 594220, 'than you like': 841493, 'you like health': 1019608, 'like health worker': 490409, 'steal': 799169, 'perpetuate': 652227, 'clear': 181206, 'personal': 652773, 'send': 749807, 'county consumer': 211344, 'consumer protection': 198497, 'protection warning': 685675, 'about scammer': 26147, 'scammer who': 740652, 'who may': 989267, 'may try': 521585, 'to steal': 915358, 'steal stimulus': 799200, 'check or': 174519, 'or perpetuate': 616554, 'perpetuate other': 652228, 'other related': 620826, 'related fraud': 708446, 'fraud county': 331252, 'county ha': 211397, 'ha clear': 370159, 'clear warning': 181382, 'warning for': 967124, 'consumer don': 197238, 'don give': 253551, 'give out': 350633, 'out personal': 627036, 'personal or': 652930, 'or financial': 615308, 'financial information': 306462, 'information don': 437800, 'don send': 253903, 'send money': 749907, 'county consumer protection': 211345, 'consumer protection warning': 198576, 'protection warning resident': 685676, 'resident about scammer': 714241, 'about scammer who': 26149, 'scammer who may': 740655, 'who may try': 989281, 'may try to': 521586, 'try to steal': 934670, 'to steal stimulus': 915366, 'steal stimulus check': 799201, 'stimulus check or': 801524, 'check or perpetuate': 174522, 'or perpetuate other': 616555, 'perpetuate other related': 652229, 'other related fraud': 620828, 'related fraud county': 708450, 'fraud county ha': 331253, 'county ha clear': 211398, 'ha clear warning': 370160, 'clear warning for': 181383, 'warning for consumer': 967126, 'for consumer don': 320252, 'consumer don give': 197239, 'don give out': 253555, 'give out personal': 350635, 'out personal or': 627037, 'personal or financial': 652931, 'or financial information': 615312, 'financial information don': 306463, 'information don send': 437802, 'don send money': 253904, 'mongolian': 537240, 'minfin': 532976, 'mn': 534788, 'loan': 497383, 'interest': 441322, 'postponed': 666791, 'rating': 697581, 'decreased': 231617, 'mongolian gov': 537241, 'gov economic': 359579, 'economic counter': 267026, 'counter measure': 210233, 'measure during': 525187, '19 action': 4801, 'action minfin': 30070, 'minfin and': 532977, 'and mn': 67090, 'mn consumer': 534791, 'consumer loan': 198054, 'loan and': 497386, 'it interest': 458810, 'interest re': 441407, 're payment': 699254, 'payment is': 645660, 'is postponed': 450963, 'postponed for': 666810, 'for 90': 318945, '90 day': 23283, 'day and': 227251, 'and credit': 60728, 'credit rating': 216473, 'rating will': 697606, 'will not': 994183, 'not be': 568345, 'be decreased': 114364, 'decreased during': 231631, 'this period': 889512, 'mongolian gov economic': 537242, 'gov economic counter': 359580, 'economic counter measure': 267027, 'counter measure during': 210234, 'measure during the': 525188, 'during the covid': 263106, 'covid 19 action': 212578, '19 action minfin': 4803, 'action minfin and': 30071, 'minfin and mn': 532978, 'and mn consumer': 67091, 'mn consumer loan': 534792, 'consumer loan and': 198055, 'loan and it': 497389, 'and it interest': 65541, 'it interest re': 458812, 'interest re payment': 441408, 're payment is': 699255, 'payment is postponed': 645662, 'is postponed for': 450964, 'postponed for 90': 666811, 'for 90 day': 318947, '90 day and': 23284, 'day and credit': 227258, 'and credit rating': 60733, 'credit rating will': 216476, 'rating will not': 697607, 'will not be': 994188, 'not be decreased': 568368, 'be decreased during': 114365, 'decreased during this': 231632, 'during this period': 263308, '12': 2755, 'bn': 133564, 'splice': 789645, 'san': 733513, 'francisco': 331093, 'regarding': 707166, 'slowdown': 774415, '12 bn': 2827, 'bn usd': 133573, 'usd to': 948941, 'market splice': 517093, 'splice bn': 789646, 'business in': 143873, 'in san': 427680, 'san francisco': 733532, 'francisco and': 331094, 'and bn': 59033, 'to san': 913743, 'francisco consumer': 331105, 'consumer for': 197517, 'for day': 320563, 'of loss': 586024, 'loss regarding': 503774, 'regarding covid': 707199, '19 slowdown': 10610, 'slowdown to': 774475, 'do panic': 249959, '12 bn usd': 2828, 'bn usd to': 133574, 'usd to market': 948944, 'to market splice': 909859, 'market splice bn': 517094, 'splice bn usd': 789647, 'usd to business': 948942, 'to business in': 902132, 'business in san': 143901, 'in san francisco': 427683, 'san francisco and': 733533, 'francisco and bn': 331095, 'and bn usd': 59034, 'usd to san': 948945, 'to san francisco': 913744, 'san francisco consumer': 733538, 'francisco consumer for': 331106, 'consumer for day': 197519, 'for day of': 320580, 'day of loss': 228081, 'of loss regarding': 586025, 'loss regarding covid': 503775, 'regarding covid 19': 707200, 'covid 19 slowdown': 213815, '19 slowdown to': 10612, 'slowdown to do': 774476, 'to do panic': 904542, 'cpl': 214638, 'philadelphia': 654687, 'btw': 141527, 'trumppandemic': 934107, 'gopbetrayedamerica': 358304, 'trumpfailedamerica': 934045, 'from local': 336245, 'supermarket we': 823740, 're cpl': 698480, 'cpl mile': 214639, 'mile outside': 531406, 'outside of': 629498, 'of philadelphia': 588093, 'philadelphia btw': 654688, 'btw trumppandemic': 141554, 'trumppandemic gopbetrayedamerica': 934110, 'gopbetrayedamerica trumpfailedamerica': 358305, 'from local supermarket': 336259, 'local supermarket we': 498609, 'supermarket we re': 823751, 'we re cpl': 972849, 're cpl mile': 698481, 'cpl mile outside': 214640, 'mile outside of': 531407, 'outside of philadelphia': 629512, 'of philadelphia btw': 588094, 'philadelphia btw trumppandemic': 654689, 'btw trumppandemic gopbetrayedamerica': 141555, 'trumppandemic gopbetrayedamerica trumpfailedamerica': 934111, 'bloody': 133166, 'crazy': 215235, 'stuck': 814576, 'confirmed': 194125, 'book': 134452, 'anywhere': 81081, 'starvation': 795148, 'bloody crazy': 133189, 'crazy currently': 215275, 'currently stuck': 221682, 'stuck at': 814579, 'home with': 402516, 'with confirmed': 997727, 'confirmed trying': 194211, 'to book': 901887, 'book food': 134523, 'food delivery': 314102, 'delivery from': 234041, 'from any': 334543, 'any supermarket': 79887, 'supermarket for': 820378, 'for contact': 320309, 'contact free': 200083, 'free delivery': 331750, 'delivery and': 233654, 'nothing anywhere': 572930, 'anywhere right': 81147, 'right into': 721964, 'into april': 442411, 'april starvation': 83689, 'starvation choice': 795160, 'bloody crazy currently': 133190, 'crazy currently stuck': 215276, 'currently stuck at': 221683, 'stuck at home': 814580, 'at home with': 99174, 'home with confirmed': 402519, 'with confirmed trying': 997730, 'confirmed trying to': 194212, 'trying to book': 934772, 'to book food': 901893, 'book food delivery': 134524, 'food delivery from': 314126, 'delivery from any': 234045, 'from any supermarket': 334555, 'any supermarket for': 79896, 'supermarket for contact': 820385, 'for contact free': 320310, 'contact free delivery': 200085, 'free delivery and': 331751, 'delivery and there': 233683, 'is nothing anywhere': 450230, 'nothing anywhere right': 572931, 'anywhere right into': 81148, 'right into april': 721965, 'into april starvation': 442414, 'april starvation choice': 83690, 'lowest': 506147, 'display': 246182, 'building': 142036, 'outdoors': 628914, 'indoor': 435343, 'spaced': 787205, 'certainly': 170132, 'pose': 665084, 'opinion': 613440, 'update we': 947305, 'we believe': 970847, 'believe we': 126406, 'are one': 88745, 'the lowest': 859804, 'lowest risk': 506221, 'risk site': 723881, 'site all': 771864, 'all our': 43795, 'our display': 622768, 'display building': 246183, 'building are': 142049, 'are outdoors': 88893, 'outdoors and': 628915, 'and our': 68473, 'our indoor': 623530, 'indoor shop': 435359, 'shop is': 760353, 'is large': 449230, 'large and': 479591, 'and well': 75398, 'well spaced': 978573, 'spaced it': 787210, 'would certainly': 1011709, 'certainly pose': 170176, 'pose more': 665103, 'more of': 539865, 'of risk': 589124, 'risk shopping': 723871, 'shopping in': 762950, 'in our': 426257, 'our opinion': 624169, 'update we believe': 947307, 'we believe we': 970851, 'believe we are': 126407, 'we are one': 970645, 'are one of': 88748, 'of the lowest': 591205, 'the lowest risk': 859821, 'lowest risk site': 506222, 'risk site all': 723882, 'site all our': 771865, 'all our display': 43804, 'our display building': 622769, 'display building are': 246184, 'building are outdoors': 142050, 'are outdoors and': 88894, 'outdoors and our': 628916, 'and our indoor': 68496, 'our indoor shop': 623531, 'indoor shop is': 435360, 'shop is large': 760360, 'is large and': 449231, 'large and well': 479593, 'and well spaced': 75409, 'well spaced it': 978574, 'spaced it would': 787211, 'it would certainly': 462586, 'would certainly pose': 1011712, 'certainly pose more': 170177, 'pose more of': 665104, 'more of risk': 539879, 'of risk shopping': 589126, 'risk shopping in': 723872, 'shopping in supermarket': 762989, 'in supermarket in': 428617, 'supermarket in our': 820954, 'in our opinion': 426322, 'europe': 283387, 'rest': 716141, 'doe': 251315, 'spread across': 790387, 'across europe': 29322, 'europe and': 283394, 'the rest': 865630, 'rest of': 716179, 'world so': 1009981, 'so do': 776879, 'do change': 249187, 'change in': 172104, 'behavior but': 123944, 'but what': 147779, 'what doe': 981357, 'doe this': 251629, 'this mean': 888800, 'for our': 324209, 'our economy': 622836, 'economy and': 267635, 'and ecommerce': 61893, 'ecommerce whole': 266895, 'spread across europe': 790389, 'across europe and': 29323, 'europe and the': 283401, 'and the rest': 73549, 'the rest of': 865636, 'rest of the': 716205, 'of the world': 591630, 'the world so': 871967, 'world so do': 1009982, 'so do change': 776880, 'do change in': 249188, 'change in consumer': 172111, 'in consumer behavior': 421684, 'consumer behavior but': 196452, 'behavior but what': 123947, 'but what doe': 147785, 'what doe this': 981372, 'doe this mean': 251639, 'this mean for': 888807, 'mean for our': 524447, 'for our economy': 324231, 'our economy and': 622839, 'economy and ecommerce': 267641, 'and ecommerce whole': 61896, 'alive': 41795, 'issue': 455634, 'gt': 367566, 'say system': 739201, 'system is': 831215, 'is alive': 445446, 'alive and': 41796, 'well call': 978088, 'call worker': 156240, 'worker hero': 1007122, 'hero if': 394009, 'see empty': 745074, 'empty shelf': 275041, 'shelf that': 757636, 'that demand': 843490, 'demand issue': 235750, 'issue not': 455847, 'not supply': 571812, 'supply issue': 825462, 'issue gt': 455772, 'gt gt': 367599, 'say system is': 739202, 'system is alive': 831217, 'is alive and': 445447, 'alive and well': 41801, 'and well call': 75404, 'well call worker': 978089, 'call worker hero': 156241, 'worker hero if': 1007124, 'hero if you': 394010, 'if you see': 415516, 'you see empty': 1021033, 'see empty shelf': 745075, 'empty shelf that': 275095, 'shelf that demand': 757638, 'that demand issue': 843494, 'demand issue not': 235752, 'issue not supply': 455848, 'not supply issue': 571817, 'supply issue gt': 825464, 'issue gt gt': 455773, 'gt gt gt': 367601, 'denmark': 237001, 'in denmark': 422181, 'denmark come': 237008, 'come with': 187673, 'with novel': 999830, 'novel idea': 573785, 'idea to': 413200, 'stop people': 804903, 'people from': 647979, 'from hoarding': 335826, 'hoarding hand': 399350, 'hand sanitizers': 375678, 'supermarket in denmark': 820888, 'in denmark come': 422185, 'denmark come with': 237010, 'come with novel': 187686, 'with novel idea': 999832, 'novel idea to': 573787, 'idea to stop': 413209, 'to stop people': 915554, 'stop people from': 804904, 'people from hoarding': 647994, 'from hoarding hand': 335830, 'hoarding hand sanitizers': 399353, 'waited': 964261, 'yesterday': 1015637, 'curbside': 220612, 'booked': 134652, 'kid': 473841, 'waited almost': 964266, 'almost an': 46545, 'hour yesterday': 406114, 'yesterday in': 1015770, 'in line': 424741, 'line to': 493477, 'get inside': 347341, 'inside the': 439408, 'store socialdistancing': 810248, 'socialdistancing curbside': 780303, 'curbside grocery': 220625, 'grocery service': 364946, 'service are': 752130, 'are booked': 85013, 'booked week': 134689, 'week out': 976710, 'out worried': 627889, 'how front': 407888, 'worker people': 1007555, 'people with': 650429, 'with kid': 999142, 'kid etc': 473938, 'etc are': 282415, 'are supposed': 90666, 'get grocery': 347161, 'grocery these': 366037, 'waited almost an': 964267, 'almost an hour': 46547, 'an hour yesterday': 56110, 'hour yesterday in': 406115, 'yesterday in line': 1015777, 'in line to': 424778, 'line to get': 493485, 'to get inside': 906510, 'get inside the': 347350, 'inside the grocery': 439414, 'grocery store socialdistancing': 365782, 'store socialdistancing curbside': 810250, 'socialdistancing curbside grocery': 780304, 'curbside grocery service': 220627, 'grocery service are': 364948, 'service are booked': 752133, 'are booked week': 85015, 'booked week out': 134691, 'week out worried': 976713, 'out worried about': 627890, 'worried about how': 1010497, 'about how front': 25436, 'how front line': 407889, 'line worker people': 493605, 'worker people with': 1007560, 'people with kid': 650454, 'with kid etc': 999144, 'kid etc are': 473939, 'etc are supposed': 282425, 'are supposed to': 90667, 'supposed to get': 827358, 'to get grocery': 906495, 'get grocery these': 347171, 'grocery these day': 366038, 'joke': 467042, 'lorry': 503330, 'hr': 409590, 'search': 743218, 'trolley': 932352, 'people are': 646913, 'are joke': 87602, 'joke lorry': 467106, 'lorry supermarket': 503354, 'supermarket driver': 820029, 'driver we': 259839, 'are filling': 86555, 'filling the': 305625, 'shelf some': 757532, 'some of': 783387, 'of working': 593293, 'working 15': 1008460, '15 hr': 3732, 'hr day': 409605, 'no time': 565723, 'to search': 913950, 'search supermarket': 743288, 'supermarket stop': 822988, 'stop filling': 804649, 'filling your': 305647, 'your trolley': 1026216, 'trolley it': 932438, 'not needed': 570682, 'needed we': 556575, 'will carry': 992880, 'carry on': 165115, 'hr shift': 409661, 'shift but': 758258, 'but if': 145984, 'if there': 415060, 'left for': 485461, 'for then': 326950, 'people are joke': 647005, 'are joke lorry': 87603, 'joke lorry supermarket': 467107, 'lorry supermarket driver': 503355, 'supermarket driver we': 820031, 'driver we are': 259840, 'we are filling': 970563, 'are filling the': 86558, 'filling the shelf': 305627, 'the shelf some': 866878, 'shelf some of': 757533, 'some of working': 783418, 'of working 15': 593294, 'working 15 hr': 1008462, '15 hr day': 3734, 'hr day and': 409606, 'day and have': 227264, 'and have no': 64260, 'have no time': 381659, 'no time to': 565728, 'time to search': 898059, 'to search supermarket': 913953, 'search supermarket stop': 743289, 'supermarket stop filling': 822990, 'stop filling your': 804652, 'filling your trolley': 305649, 'your trolley it': 1026219, 'trolley it not': 932439, 'it not needed': 459900, 'not needed we': 570684, 'needed we will': 556576, 'we will carry': 973841, 'will carry on': 992882, 'carry on working': 165132, 'on working 15': 605374, '15 hr shift': 3737, 'hr shift but': 409662, 'shift but if': 758260, 'but if there': 145999, 'if there is': 415070, 'nothing left for': 573084, 'left for then': 485470, 'damage': 225172, 'unemployed': 941098, '100': 1777, 'innocent': 438821, 'lost': 503806, 'negative': 556730, 'column': 186899, 'didn': 240968, 'immediate': 416956, 'markt': 517939, 'dow': 256313, 'jones': 467236, '6179': 21209, '21': 14944, '23': 15350, '390': 18183, 'trump damage': 933503, 'damage the': 225226, 'country continues': 210556, 'continues million': 201419, 'million unemployed': 532402, 'unemployed 100': 941099, '100 of': 1977, 'of innocent': 585210, 'innocent life': 438822, 'life lost': 488858, 'lost consumer': 503835, 'consumer spending': 199040, 'the negative': 861416, 'negative column': 556739, 'column he': 186903, 'he didn': 384878, 'didn take': 241224, 'take immediate': 832212, 'immediate action': 416960, 'action on': 30092, '19 protect': 9851, 'protect the': 684962, 'the markt': 860198, 'markt but': 517940, 'but dow': 145608, 'dow jones': 256326, 'jones is': 467251, 'still down': 800459, 'down 6179': 256431, '6179 point': 21210, 'point since': 662622, 'since feb': 770583, 'feb or': 301656, 'is 21': 445187, '21 down': 14998, 'down at': 256533, 'at 23': 97535, '23 390': 15371, 'trump damage the': 933504, 'damage the country': 225227, 'the country continues': 852059, 'country continues million': 210557, 'continues million unemployed': 201420, 'million unemployed 100': 532403, 'unemployed 100 of': 941100, '100 of innocent': 1984, 'of innocent life': 585211, 'innocent life lost': 438823, 'life lost consumer': 488859, 'lost consumer spending': 503836, 'consumer spending in': 199070, 'in the negative': 429386, 'the negative column': 861417, 'negative column he': 556740, 'column he didn': 186904, 'he didn take': 384885, 'didn take immediate': 241225, 'take immediate action': 832213, 'immediate action on': 416962, 'action on the': 30096, 'on the covid': 604048, 'covid 19 protect': 213622, '19 protect the': 9852, 'protect the markt': 684975, 'the markt but': 860199, 'markt but dow': 517941, 'but dow jones': 145609, 'dow jones is': 256329, 'jones is still': 467252, 'is still down': 452273, 'still down 6179': 800460, 'down 6179 point': 256432, '6179 point since': 21211, 'point since feb': 662625, 'since feb or': 770586, 'feb or is': 301657, 'or is 21': 615826, 'is 21 down': 445188, '21 down at': 14999, 'down at 23': 256534, 'at 23 390': 97537, 'near': 553448, 'mumbai': 545988, 'mumbailockdown': 546042, 'shelf in': 757183, 'in every': 422671, 'every grocery': 285919, 'store near': 809034, 'near me': 553535, 'me next': 523214, 'to empty': 905027, 'empty after': 274741, 'the announcement': 848755, 'announcement that': 77205, 'that mumbai': 845254, 'mumbai is': 546008, 'on lockdown': 601902, 'lockdown mumbailockdown': 499677, 'shelf in every': 757193, 'in every grocery': 422679, 'every grocery store': 285920, 'grocery store near': 365585, 'store near me': 809037, 'near me next': 553541, 'me next to': 523215, 'next to empty': 561618, 'to empty after': 905028, 'empty after the': 274742, 'after the announcement': 36283, 'the announcement that': 848761, 'announcement that mumbai': 77208, 'that mumbai is': 845255, 'mumbai is going': 546009, 'is going on': 448096, 'going on lockdown': 355327, 'on lockdown mumbailockdown': 601917, '11': 2428, 'asimanshidebut': 95454, 'coronainpakistan': 205003, 'blogging': 133068, 'bloggersrequired': 133062, 'filmtwitter': 305745, '11 safe': 2590, 'safe online': 729852, 'shopping tip': 764152, 'tip onlineshopping': 898866, 'onlineshopping asimanshidebut': 609883, 'asimanshidebut coronainpakistan': 95455, 'coronainpakistan blogging': 205004, 'blogging bloggersrequired': 133073, 'bloggersrequired filmtwitter': 133063, 'filmtwitter corona': 305746, '11 safe online': 2591, 'safe online shopping': 729854, 'online shopping tip': 609311, 'shopping tip onlineshopping': 764159, 'tip onlineshopping asimanshidebut': 898867, 'onlineshopping asimanshidebut coronainpakistan': 609884, 'asimanshidebut coronainpakistan blogging': 95456, 'coronainpakistan blogging bloggersrequired': 205005, 'blogging bloggersrequired filmtwitter': 133074, 'bloggersrequired filmtwitter corona': 133064, 'shopkeeper': 761167, 'immigrant': 417207, 'actor': 30556, 'teacher': 835417, 'celebrity': 168870, 'journalist': 467418, 'lefty': 485795, 'politician': 663697, 'moaning': 534896, 'sport': 789893, 'utility': 951255, 'who bad': 988292, 'bad and': 107758, 'and who': 75581, 'who good': 988803, 'good bad': 356809, 'bad muslim': 107944, 'muslim muslim': 546433, 'muslim shopkeeper': 546440, 'shopkeeper immigrant': 761180, 'immigrant medium': 417229, 'medium actor': 526973, 'actor teacher': 30599, 'teacher celebrity': 835442, 'celebrity journalist': 168890, 'journalist lefty': 467443, 'lefty politician': 485796, 'politician some': 663741, 'some moaning': 783301, 'moaning sport': 534907, 'sport people': 789962, 'people good': 648110, 'good supermarket': 357798, 'worker nh': 1007435, 'nh staff': 562073, 'staff engineer': 792408, 'engineer distribution': 276960, 'distribution staff': 248226, 'staff lorry': 792630, 'lorry driver': 503338, 'driver utility': 259825, 'utility etc': 951283, 'who bad and': 988293, 'bad and who': 107763, 'and who good': 75587, 'who good bad': 988804, 'good bad muslim': 356810, 'bad muslim muslim': 107945, 'muslim muslim shopkeeper': 546434, 'muslim shopkeeper immigrant': 546441, 'shopkeeper immigrant medium': 761181, 'immigrant medium actor': 417230, 'medium actor teacher': 526974, 'actor teacher celebrity': 30600, 'teacher celebrity journalist': 835443, 'celebrity journalist lefty': 168891, 'journalist lefty politician': 467444, 'lefty politician some': 485797, 'politician some moaning': 663742, 'some moaning sport': 783302, 'moaning sport people': 534908, 'sport people good': 789963, 'people good supermarket': 648112, 'good supermarket worker': 357800, 'supermarket worker nh': 824054, 'worker nh staff': 1007440, 'nh staff engineer': 562088, 'staff engineer distribution': 792409, 'engineer distribution staff': 276961, 'distribution staff lorry': 248227, 'staff lorry driver': 792631, 'lorry driver utility': 503345, 'driver utility etc': 259826, 'preparing': 670319, 'rationing': 697785, 'clearly': 181481, 'aren': 92301, 'restocking': 716979, 'ocado': 578877, 'reconfiguring': 704870, 'govt preparing': 361241, 'preparing for': 670325, 'for rationing': 324967, 'rationing supermarket': 697874, 'supermarket clearly': 819708, 'clearly aren': 181486, 'aren restocking': 92507, 'restocking ocado': 717012, 'ocado is': 578901, 'is reconfiguring': 451357, 'reconfiguring their': 704871, 'their system': 874937, 'system rationing': 831297, 'is the govt': 452811, 'the govt preparing': 856670, 'govt preparing for': 361242, 'preparing for rationing': 670334, 'for rationing supermarket': 324968, 'rationing supermarket clearly': 697875, 'supermarket clearly aren': 819709, 'clearly aren restocking': 181487, 'aren restocking ocado': 92508, 'restocking ocado is': 717013, 'ocado is reconfiguring': 578902, 'is reconfiguring their': 451358, 'reconfiguring their system': 704872, 'their system rationing': 874938, 'nice': 562330, 'calm': 156674, 'chat': 173922, 'nice calm': 562361, 'calm chat': 156709, 'chat toiletpaper': 173968, 'nice calm chat': 562362, 'calm chat toiletpaper': 156710, 'delighted': 233044, 'garden': 343571, 'entry': 278980, 'hse': 409723, 'gps': 361431, 'pharmacist': 654104, 'are delighted': 85757, 'delighted to': 233047, 'to offer': 910821, 'offer free': 594623, 'free garden': 331868, 'garden entry': 343587, 'entry for': 278994, 'for hse': 322429, 'hse staff': 409730, 'staff and': 792121, 'and covid': 60662, '19 frontline': 7145, 'worker including': 1007219, 'including but': 431895, 'not limited': 570412, 'limited to': 492765, 'to gps': 906952, 'gps pharmacist': 361441, 'pharmacist and': 654109, 'and supermarket': 72700, 'supermarket employee': 820106, 'employee while': 274416, 'while the': 987370, 'crisis continues': 217246, 'continues more': 201421, 'more info': 539543, 'we are delighted': 970523, 'are delighted to': 85758, 'delighted to offer': 233050, 'to offer free': 910834, 'offer free garden': 594625, 'free garden entry': 331869, 'garden entry for': 343588, 'entry for hse': 278995, 'for hse staff': 322430, 'hse staff and': 409732, 'staff and covid': 792134, 'and covid 19': 60663, 'covid 19 frontline': 213127, '19 frontline worker': 7148, 'frontline worker including': 338867, 'worker including but': 1007221, 'including but not': 431896, 'but not limited': 146544, 'not limited to': 570415, 'limited to gps': 492772, 'to gps pharmacist': 906954, 'gps pharmacist and': 361442, 'pharmacist and supermarket': 654115, 'and supermarket employee': 72717, 'supermarket employee while': 820150, 'employee while the': 274418, 'while the crisis': 987380, 'the crisis continues': 852360, 'crisis continues more': 217249, 'continues more info': 201422, 'tesco': 838648, '00pm': 688, '17': 4294, '13': 3150, 'image': 416616, 'pasta': 643665, 'noodle': 566778, 'cereal': 169913, 'tea': 835328, 'unpublished': 943272, 'beer': 122421, 'trash': 930123, 'batch': 112574, 'cat': 166824, 'blond': 133089, 'potato': 666898, 'panicshopping': 639413, 'panicbuyinguk': 639127, 'local tesco': 498638, 'tesco at': 838674, 'at 00pm': 97361, '00pm on': 695, 'on 17': 599021, '17 march': 4354, 'march 2020': 515142, '2020 took': 14672, 'took 13': 925192, '13 image': 3218, 'image of': 416643, 'of empty': 583087, 'of toilet': 592248, 'paper paper': 640576, 'towel pasta': 927366, 'pasta noodle': 643762, 'noodle cereal': 566790, 'cereal tea': 169944, 'tea unpublished': 835381, 'unpublished beer': 943273, 'beer trash': 122524, 'trash bag': 930131, 'bag two': 108438, 'two batch': 936797, 'batch of': 112577, 'of canned': 581105, 'canned cat': 161500, 'cat food': 166858, 'food blond': 313758, 'blond beer': 133090, 'beer and': 122424, 'and potato': 69248, 'potato panicshopping': 666961, 'panicshopping panicbuyinguk': 639445, 'panicbuyinguk panic': 639141, 'panic toiletpaper': 638726, 'my local tesco': 549147, 'local tesco at': 498639, 'tesco at 00pm': 838675, 'at 00pm on': 97364, '00pm on 17': 696, 'on 17 march': 599023, '17 march 2020': 4355, 'march 2020 took': 515167, '2020 took 13': 14673, 'took 13 image': 925193, '13 image of': 3219, 'image of empty': 416644, 'of empty shelf': 583093, 'empty shelf of': 275081, 'shelf of toilet': 757372, 'of toilet paper': 592252, 'toilet paper paper': 921386, 'paper paper towel': 640577, 'paper towel pasta': 641007, 'towel pasta noodle': 927368, 'pasta noodle cereal': 643763, 'noodle cereal tea': 566791, 'cereal tea unpublished': 169946, 'tea unpublished beer': 835382, 'unpublished beer trash': 943274, 'beer trash bag': 122525, 'trash bag two': 930135, 'bag two batch': 108439, 'two batch of': 936798, 'batch of canned': 112578, 'of canned cat': 581106, 'canned cat food': 161501, 'cat food blond': 166861, 'food blond beer': 313759, 'blond beer and': 133091, 'beer and potato': 122430, 'and potato panicshopping': 69251, 'potato panicshopping panicbuyinguk': 666962, 'panicshopping panicbuyinguk panic': 639447, 'panicbuyinguk panic toiletpaper': 639142, 'bread': 138377, 'staysafestayhome': 798988, 'irelandlockdown': 444856, 'me going': 522821, 'going down': 355112, 'down the': 257261, 'supermarket earlier': 820070, 'earlier for': 264444, 'some bread': 782429, 'bread milk': 138526, 'milk selfisolating': 531809, 'selfisolating coronacrisis': 748412, 'coronacrisis staysafestayhome': 204779, 'staysafestayhome irelandlockdown': 798999, 'me going down': 522823, 'going down the': 355123, 'down the local': 257287, 'local supermarket earlier': 498520, 'supermarket earlier for': 820071, 'earlier for some': 264445, 'for some bread': 325732, 'some bread milk': 782430, 'bread milk selfisolating': 138535, 'milk selfisolating coronacrisis': 531810, 'selfisolating coronacrisis staysafestayhome': 748413, 'coronacrisis staysafestayhome irelandlockdown': 204780, 'insane': 439023, 'normally': 567475, '270': 16324, 'ridiculous': 721507, 'guelph': 367940, 'sundaythoughts': 818335, 'pricegouging': 677781, 'grocery price': 364869, 'are insane': 87544, 'insane normally': 439052, 'normally spend': 567540, 'spend 180': 788554, '180 200': 4614, '200 week': 13556, 'week for': 976220, 'my family': 548182, 'family of': 298091, 'of just': 585566, 'just spent': 469845, 'spent 270': 789084, '270 this': 16329, 'is without': 454018, 'buying meat': 150709, 'meat fucking': 525591, 'fucking ridiculous': 339984, 'ridiculous guelph': 721546, 'guelph grocery': 367941, 'grocery sundaythoughts': 365989, 'sundaythoughts pricegouging': 818344, 'grocery price are': 364870, 'price are insane': 672686, 'are insane normally': 87545, 'insane normally spend': 439053, 'normally spend 180': 567541, 'spend 180 200': 788555, '180 200 week': 4615, '200 week for': 13557, 'week for my': 976231, 'for my family': 323705, 'my family of': 548216, 'family of just': 298100, 'of just spent': 585576, 'just spent 270': 469846, 'spent 270 this': 789085, '270 this is': 16330, 'this is without': 888470, 'is without buying': 454019, 'without buying meat': 1002532, 'buying meat fucking': 150711, 'meat fucking ridiculous': 525592, 'fucking ridiculous guelph': 339985, 'ridiculous guelph grocery': 721547, 'guelph grocery sundaythoughts': 367942, 'grocery sundaythoughts pricegouging': 365990, 'caroline': 164854, 'experience': 291301, 'caroline share': 164857, 'share her': 755020, 'her first': 392045, 'first online': 308833, 'online grocery': 608310, 'shopping experience': 762604, 'experience with': 291540, 'caroline share her': 164858, 'share her first': 755023, 'her first online': 392047, 'first online grocery': 308834, 'online grocery shopping': 608331, 'grocery shopping experience': 365020, 'shopping experience with': 762622, 'reduction': 706345, 'rs15': 726682, 'liter': 494916, 'petroleum': 653807, 'approved': 83123, 'reduction of': 706384, 'of rs15': 589169, 'rs15 per': 726685, 'per liter': 650915, 'liter in': 494925, 'in price': 426943, 'of petroleum': 588081, 'petroleum product': 653833, 'product also': 680846, 'also approved': 47876, 'approved 19': 83124, 'reduction of rs15': 706392, 'of rs15 per': 589170, 'rs15 per liter': 726686, 'per liter in': 650918, 'liter in price': 494927, 'in price of': 426976, 'price of petroleum': 675534, 'of petroleum product': 588083, 'petroleum product also': 653834, 'product also approved': 680847, 'also approved 19': 47877, 'show': 766834, 'network': 557690, 'explosion': 292556, 'rocked': 724935, 'ferry': 303570, 'wirral': 996593, 'council': 209953, 'nosey': 567953, 'liverpool': 496236, 'littlewood': 495690, 'hollywood': 400446, '30pm': 17500, 'bbc1': 113113, 'monday show': 536381, 'show covid': 766912, 'of panic': 587715, 'buying on': 150806, 'on our': 602568, 'our food': 623097, 'distribution network': 248167, 'network year': 557784, 'year after': 1014342, 'after gas': 35697, 'gas explosion': 343843, 'explosion rocked': 292564, 'rocked new': 724943, 'new ferry': 558731, 'ferry local': 303573, 'local say': 498368, 'they ve': 883634, 've been': 952858, 'been let': 121451, 'let down': 486688, 'down by': 256588, 'by wirral': 154754, 'wirral council': 996594, 'council and': 209958, 'and nosey': 67708, 'nosey around': 567954, 'around liverpool': 93382, 'liverpool littlewood': 496248, 'littlewood building': 495691, 'building future': 142082, 'future hollywood': 342356, 'hollywood of': 400464, 'the north': 861869, 'north 30pm': 567598, '30pm bbc1': 17505, 'monday show covid': 536382, 'show covid 19': 766913, '19 the impact': 11208, 'impact of panic': 417792, 'of panic buying': 587723, 'panic buying on': 637828, 'buying on our': 150809, 'on our food': 602600, 'our food distribution': 623106, 'food distribution network': 314231, 'distribution network year': 248168, 'network year after': 557785, 'year after gas': 1014344, 'after gas explosion': 35698, 'gas explosion rocked': 343844, 'explosion rocked new': 292565, 'rocked new ferry': 724944, 'new ferry local': 558732, 'ferry local say': 303574, 'local say they': 498369, 'say they ve': 739351, 'they ve been': 883638, 've been let': 952902, 'been let down': 121452, 'let down by': 486689, 'down by wirral': 256607, 'by wirral council': 154755, 'wirral council and': 996595, 'council and nosey': 209959, 'and nosey around': 67709, 'nosey around liverpool': 567955, 'around liverpool littlewood': 93383, 'liverpool littlewood building': 496249, 'littlewood building future': 495692, 'building future hollywood': 142083, 'future hollywood of': 342357, 'hollywood of the': 400465, 'of the north': 591278, 'the north 30pm': 861870, 'north 30pm bbc1': 567599, 'play': 659110, 'main': 508723, 'iran': 444663, 'hey': 394307, 'wrong': 1012982, 'heard': 388042, 'yes covid': 1015412, '19 doe': 6603, 'doe play': 251555, 'play into': 659177, 'the the': 869370, 'the gas': 856166, 'gas price': 343922, 'price little': 675073, 'little but': 495276, 'the main': 859897, 'main reason': 508807, 'reason is': 702941, 'is because': 446016, 'of oil': 587174, 'oil war': 597500, 'war between': 966374, 'between iran': 128807, 'iran and': 444668, 'and russia': 70658, 'russia hey': 728495, 'hey could': 394354, 'be wrong': 118167, 'wrong but': 1013004, 'that what': 847454, 'what heard': 981593, 'yes covid 19': 1015413, 'covid 19 doe': 212971, '19 doe play': 6606, 'doe play into': 251556, 'play into the': 659178, 'into the the': 443180, 'the the gas': 869382, 'the gas price': 856171, 'gas price little': 343989, 'price little but': 675074, 'little but the': 495278, 'but the main': 147356, 'the main reason': 859911, 'main reason is': 508810, 'reason is because': 702942, 'is because of': 446019, 'because of oil': 119382, 'of oil war': 587196, 'oil war between': 597502, 'war between iran': 966377, 'between iran and': 128808, 'iran and russia': 444671, 'and russia hey': 70671, 'russia hey could': 728496, 'hey could be': 394355, 'could be wrong': 208945, 'be wrong but': 118168, 'wrong but that': 1013008, 'but that what': 147304, 'that what heard': 847462, 'hi': 394583, 'fargo': 299049, 'committed': 189028, 'helping': 391256, 'hardship': 378268, 'trained': 929294, 'specialist': 788112, 'lending': 486267, 'small': 774770, 'deposit': 237490, 'hi there': 394748, 'there well': 879301, 'well fargo': 978236, 'fargo is': 299054, 'is committed': 446672, 'committed to': 189035, 'to helping': 907673, 'helping customer': 391299, 'customer experiencing': 222358, 'experiencing hardship': 291653, 'hardship from': 378292, 'from covid': 335048, 'you or': 1020220, 'or someone': 617154, 'someone you': 784806, 'you know': 1019476, 'know need': 476618, 'need support': 555684, 'support trained': 826964, 'trained specialist': 929301, 'specialist are': 788116, 'are available': 84703, 'available to': 104637, 'discus consumer': 244835, 'consumer lending': 198029, 'lending small': 486292, 'small business': 774832, 'and deposit': 61225, 'deposit product': 237510, 'product at': 680960, 'hi there well': 394757, 'there well fargo': 879302, 'well fargo is': 978239, 'fargo is committed': 299055, 'is committed to': 446673, 'committed to helping': 189040, 'to helping customer': 907674, 'helping customer experiencing': 391300, 'customer experiencing hardship': 222359, 'experiencing hardship from': 291655, 'hardship from covid': 378293, 'from covid 19': 335049, 'if you or': 415487, 'you or someone': 1020226, 'or someone you': 617158, 'someone you know': 784807, 'you know need': 1019512, 'know need support': 476622, 'need support trained': 555692, 'support trained specialist': 826965, 'trained specialist are': 929303, 'specialist are available': 788117, 'are available to': 84721, 'available to discus': 104642, 'to discus consumer': 904372, 'discus consumer lending': 244839, 'consumer lending small': 198033, 'lending small business': 486296, 'small business and': 774837, 'business and deposit': 143296, 'and deposit product': 61227, 'deposit product at': 237511, 'pet': 653346, 'canceled': 160911, 'autoship': 104079, 'ignorant': 415767, 'sometimes': 785183, 'suck': 816885, 'petfoodshortages': 653582, 'do people': 249966, 'have to': 383146, 'be idiot': 115345, 'and hoard': 64630, 'hoard pet': 398850, 'pet supply': 653462, 'supply canceled': 824882, 'canceled my': 160941, 'my monthly': 549303, 'monthly autoship': 538160, 'autoship order': 104080, 'order because': 618073, 'because ignorant': 119148, 'ignorant people': 415791, 'people bought': 647293, 'bought all': 136486, 'all my': 43536, 'my cat': 547642, 'wa out': 962875, 'of stock': 590133, 'stock for': 802161, 'least week': 484693, 'week sometimes': 976899, 'sometimes people': 785225, 'can really': 159386, 'really suck': 702630, 'suck petfoodshortages': 816917, 'why do people': 990935, 'do people have': 249972, 'people have to': 648207, 'have to be': 383161, 'to be idiot': 901321, 'be idiot and': 115346, 'idiot and hoard': 413450, 'and hoard pet': 64635, 'hoard pet supply': 398851, 'pet supply canceled': 653463, 'supply canceled my': 824883, 'canceled my monthly': 160943, 'my monthly autoship': 549304, 'monthly autoship order': 538161, 'autoship order because': 104081, 'order because ignorant': 618074, 'because ignorant people': 119149, 'ignorant people bought': 415792, 'people bought all': 647294, 'bought all my': 136487, 'all my cat': 43545, 'my cat food': 547645, 'cat food and': 166860, 'food and it': 313262, 'it wa out': 462167, 'wa out of': 962879, 'out of stock': 626840, 'of stock for': 590164, 'stock for at': 802164, 'at least week': 99566, 'least week sometimes': 484699, 'week sometimes people': 976900, 'sometimes people can': 785226, 'people can really': 647406, 'can really suck': 159390, 'really suck petfoodshortages': 702632, 'silver': 769782, 'lining': 493726, 'kidding': 474199, 'brutal': 141398, 'ha silver': 371944, 'silver lining': 769818, 'lining petrol': 493752, 'petrol price': 653756, 'are low': 87916, 'low are': 505142, 'you kidding': 1019461, 'kidding me': 474204, 'me brutal': 522530, '19 ha silver': 7388, 'ha silver lining': 371945, 'silver lining petrol': 769827, 'lining petrol price': 493753, 'petrol price are': 653758, 'price are low': 672695, 'are low are': 87921, 'low are you': 505144, 'are you kidding': 91816, 'you kidding me': 1019462, 'kidding me brutal': 474205, 'swear': 830022, 'dumb': 262090, 'condom': 193597, 'breed': 139263, 'chloroquine': 177582, 'earthquake': 265033, 'plus will': 661723, 'will there': 995170, 'there be': 878208, 'be anywhere': 113656, 'anywhere open': 81137, 'open to': 612588, 'cash them': 166344, 'them swear': 876358, 'swear people': 830037, 'are dumb': 86020, 'dumb next': 262103, 'next time': 561601, 'are at': 84659, 'store please': 809580, 'please panic': 660272, 'panic buy': 637457, 'buy some': 149193, 'some condom': 782584, 'condom so': 193611, 'not breed': 568617, 'breed stayathome': 139274, 'stayathome toiletpapercrisis': 797688, 'toiletpapercrisis toiletpaper': 923078, 'toiletpaper 19': 921667, '19 chloroquine': 5806, 'chloroquine stayhome': 177628, 'stayhome earthquake': 797992, 'earthquake iran': 265039, 'plus will there': 661724, 'will there be': 995171, 'there be anywhere': 878211, 'be anywhere open': 113657, 'anywhere open to': 81138, 'open to cash': 612590, 'to cash them': 902481, 'cash them swear': 166345, 'them swear people': 876359, 'swear people are': 830038, 'people are dumb': 646959, 'are dumb next': 86023, 'dumb next time': 262104, 'next time you': 561611, 'you are at': 1017066, 'are at the': 84685, 'at the store': 101112, 'the store please': 868082, 'store please panic': 809590, 'please panic buy': 660273, 'panic buy some': 637529, 'buy some condom': 149200, 'some condom so': 782586, 'condom so you': 193612, 'so you do': 778838, 'do not breed': 249684, 'not breed stayathome': 568618, 'breed stayathome toiletpapercrisis': 139275, 'stayathome toiletpapercrisis toiletpaper': 797689, 'toiletpapercrisis toiletpaper 19': 923079, 'toiletpaper 19 chloroquine': 921670, '19 chloroquine stayhome': 5807, 'chloroquine stayhome earthquake': 177629, 'stayhome earthquake iran': 797993, 'dodging': 251292, 'dodging at': 251295, 'supermarket today': 823427, 'dodging at the': 251296, 'the supermarket today': 868863, 'outlet': 629018, 'upkaar': 947580, 'stn': 801741, 'assam': 96292, 'alongwith': 47114, 'download': 257574, 'bluetooth': 133508, 'tracker': 928257, 'app': 81664, 'join': 466655, 'android': 76223, 'io': 444421, 'our retail': 624629, 'retail outlet': 718367, 'outlet upkaar': 629070, 'upkaar filling': 947581, 'filling stn': 305623, 'stn in': 801742, 'in assam': 420535, 'assam alongwith': 96293, 'alongwith many': 47115, 'more others': 539969, 'others across': 621240, 'are helping': 87089, 'customer to': 222953, 'to download': 904690, 'download bluetooth': 257584, 'bluetooth based': 133509, 'based covid': 111548, '19 tracker': 11534, 'tracker app': 928262, 'app download': 81697, 'download amp': 257577, 'amp join': 54034, 'join against': 466665, 'against 19': 37298, '19 android': 5145, 'android io': 76230, 'our retail outlet': 624636, 'retail outlet upkaar': 718371, 'outlet upkaar filling': 629071, 'upkaar filling stn': 947582, 'filling stn in': 305624, 'stn in assam': 801743, 'in assam alongwith': 420536, 'assam alongwith many': 96294, 'alongwith many more': 47116, 'many more others': 514312, 'more others across': 539970, 'others across the': 621241, 'the country are': 852049, 'country are helping': 210467, 'are helping customer': 87092, 'helping customer to': 391302, 'customer to download': 222960, 'to download bluetooth': 904691, 'download bluetooth based': 257585, 'bluetooth based covid': 133510, 'based covid 19': 111549, 'covid 19 tracker': 213973, '19 tracker app': 11535, 'tracker app download': 928263, 'app download amp': 81698, 'download amp join': 257578, 'amp join against': 54035, 'join against 19': 466666, 'against 19 android': 37300, '19 android io': 5146, 'exposed': 292824, 'capitalist': 162794, 'hypocrisy': 412396, 'toward': 927101, 'shutting': 768241, 'west': 980447, 'inundated': 443540, 'worry': 1010621, 'narrative': 551935, 'growth': 367332, 'mattered': 520675, 'stopping': 805791, 'the exposed': 854746, 'exposed the': 292874, 'the capitalist': 850364, 'capitalist system': 162819, 'system and': 831091, 'our hypocrisy': 623499, 'hypocrisy toward': 412403, 'toward instead': 927133, 'instead of': 440226, 'of business': 580941, 'business shutting': 144380, 'shutting down': 768250, 'down we': 257441, 'we in': 972066, 'capitalist west': 162827, 'west were': 980548, 'were inundated': 979804, 'inundated with': 443545, 'with worry': 1002128, 'worry about': 1010623, 'about the': 26327, 'the narrative': 861204, 'narrative growth': 551943, 'growth and': 367339, 'and consumer': 60341, 'sentiment if': 750941, 'if those': 415175, 'those mattered': 892196, 'mattered more': 520676, 'than stopping': 841172, 'stopping pandemic': 805819, 'the exposed the': 854747, 'exposed the capitalist': 292875, 'the capitalist system': 850366, 'capitalist system and': 162820, 'system and our': 831101, 'and our hypocrisy': 68494, 'our hypocrisy toward': 623500, 'hypocrisy toward instead': 412404, 'toward instead of': 927134, 'instead of business': 440240, 'of business shutting': 580968, 'business shutting down': 144381, 'shutting down we': 768280, 'down we in': 257446, 'we in the': 972069, 'in the capitalist': 429055, 'the capitalist west': 850367, 'capitalist west were': 162828, 'west were inundated': 980549, 'were inundated with': 979805, 'inundated with worry': 443549, 'with worry about': 1002129, 'worry about the': 1010656, 'about the narrative': 26457, 'the narrative growth': 861205, 'narrative growth and': 551944, 'growth and consumer': 367342, 'and consumer sentiment': 60428, 'consumer sentiment if': 198914, 'sentiment if those': 750942, 'if those mattered': 415177, 'those mattered more': 892197, 'mattered more than': 520677, 'more than stopping': 540677, 'than stopping pandemic': 841173, 'behavioural': 124570, 'portlaoise': 665044, 'latex': 481611, 'mad': 507514, 'brilliant': 139834, 'general': 345270, 'rowed': 726593, 'behind': 124588, 'effort': 269458, 'tackle': 831555, 'there behavioural': 878241, 'behavioural change': 124571, 'change and': 171911, 'and then': 73736, 'then there': 877633, 'there 80': 877947, '80 of': 22601, 'of customer': 582263, 'customer in': 222487, 'in portlaoise': 426845, 'portlaoise supermarket': 665045, 'supermarket wearing': 823762, 'wearing latex': 974671, 'latex glove': 481614, 'glove doing': 352656, 'doing their': 252732, 'their shopping': 874709, 'shopping according': 761880, 'to one': 910909, 'friend anyway': 333518, 'anyway mad': 81025, 'mad but': 507532, 'but brilliant': 145316, 'brilliant how': 139853, 'how the': 408798, 'the general': 856202, 'general public': 345443, 'public have': 688051, 'have rowed': 382361, 'rowed in': 726594, 'in behind': 420762, 'behind the': 124706, 'the government': 856501, 'government effort': 360053, 'effort to': 269608, 'to tackle': 916122, 'there behavioural change': 878242, 'behavioural change and': 124572, 'change and then': 171926, 'and then there': 73816, 'then there 80': 877634, 'there 80 of': 877948, '80 of customer': 22603, 'of customer in': 582274, 'customer in portlaoise': 222502, 'in portlaoise supermarket': 426846, 'portlaoise supermarket wearing': 665046, 'supermarket wearing latex': 823764, 'wearing latex glove': 974672, 'latex glove doing': 481618, 'glove doing their': 352657, 'doing their shopping': 252740, 'their shopping according': 874710, 'shopping according to': 761881, 'according to one': 28572, 'to one of': 910916, 'one of my': 606755, 'of my friend': 586772, 'my friend anyway': 548421, 'friend anyway mad': 333519, 'anyway mad but': 81026, 'mad but brilliant': 507533, 'but brilliant how': 145317, 'brilliant how the': 139854, 'how the general': 408827, 'the general public': 856206, 'general public have': 345451, 'public have rowed': 688056, 'have rowed in': 382362, 'rowed in behind': 726595, 'in behind the': 420763, 'behind the government': 124714, 'the government effort': 856531, 'government effort to': 360055, 'effort to tackle': 269652, 'ncis': 553323, 'civilian': 179569, 'enforcement': 276731, 'external': 293346, 'noted': 572866, 'multiple': 545725, 'attempt': 102213, 'ncis civilian': 553324, 'civilian law': 179572, 'law enforcement': 482262, 'enforcement well': 276796, 'well external': 978232, 'external government': 293347, 'government agency': 359842, 'agency have': 38019, 'have noted': 381702, 'noted multiple': 572869, 'multiple attempt': 545728, 'attempt to': 102234, 'to scam': 913861, 'scam the': 740402, 'public regarding': 688265, '19 learn': 8295, 'learn more': 484010, 'more about': 538493, 'avoid covid': 105063, '19 related': 10040, 'scam at': 740062, 'ncis civilian law': 553325, 'civilian law enforcement': 179573, 'law enforcement well': 482280, 'enforcement well external': 276797, 'well external government': 978233, 'external government agency': 293348, 'government agency have': 359844, 'agency have noted': 38020, 'have noted multiple': 381703, 'noted multiple attempt': 572870, 'multiple attempt to': 545729, 'attempt to scam': 102258, 'to scam the': 913869, 'scam the public': 740406, 'the public regarding': 864851, 'public regarding covid': 688266, 'covid 19 learn': 213344, '19 learn more': 8297, 'learn more about': 484013, 'more about how': 538510, 'about how to': 25482, 'how to avoid': 408979, 'to avoid covid': 900883, 'avoid covid 19': 105064, 'covid 19 related': 213681, '19 related scam': 10067, 'related scam at': 708547, 'convenient': 202386, 'sit': 771807, 'arm': 92874, 'adoption': 32711, 'amazonsmile': 51258, 'choose': 177874, 'charity': 173556, 'portion': 665017, 'proceeds': 679848, 'online is': 608429, 'is so': 451993, 'so convenient': 776791, 'convenient especially': 202398, 'especially we': 280654, 'we sit': 973327, 'sit out': 771836, 'the you': 872197, 'can help': 158601, 'help open': 390194, 'open arm': 612091, 'arm adoption': 92878, 'adoption every': 32714, 'every time': 286299, 'you shop': 1021156, 'shop through': 760931, 'through amazonsmile': 894315, 'amazonsmile and': 51261, 'and choose': 59874, 'choose your': 177925, 'your charity': 1023184, 'charity will': 173719, 'will donate': 993237, 'donate portion': 254220, 'portion of': 665020, 'the proceeds': 864541, 'proceeds to': 679860, 'shopping online is': 763449, 'online is so': 608434, 'is so convenient': 451999, 'so convenient especially': 776792, 'convenient especially we': 202399, 'especially we sit': 280655, 'we sit out': 973329, 'sit out the': 771837, 'out the you': 627444, 'the you can': 872198, 'you can help': 1017692, 'can help open': 158641, 'help open arm': 390195, 'open arm adoption': 612092, 'arm adoption every': 92879, 'adoption every time': 32715, 'every time you': 286328, 'time you shop': 898418, 'you shop through': 1021168, 'shop through amazonsmile': 760933, 'through amazonsmile and': 894316, 'amazonsmile and choose': 51262, 'and choose your': 59876, 'choose your charity': 177926, 'your charity will': 1023186, 'charity will donate': 173720, 'will donate portion': 993243, 'donate portion of': 254221, 'portion of the': 665024, 'of the proceeds': 591368, 'the proceeds to': 864544, 'smell': 775599, 'hoax': 399692, 'propaganda': 684055, 'throw': 895004, 'cage': 155158, 'smollett': 775919, 'smell like': 775604, 'like hoax': 490445, 'hoax to': 399744, 'to me': 909912, 'me would': 524025, 'be nice': 116077, 'nice if': 562417, 'someone would': 784802, 'would investigate': 1011960, 'investigate this': 443808, 'this if': 887995, 'if it': 414283, 'it propaganda': 460528, 'propaganda throw': 684071, 'throw her': 895026, 'her in': 392138, 'in cage': 421129, 'cage with': 155176, 'with smollett': 1000778, 'smell like hoax': 775605, 'like hoax to': 490446, 'hoax to me': 399745, 'to me would': 909973, 'me would be': 524026, 'would be nice': 1011623, 'be nice if': 116083, 'nice if someone': 562421, 'if someone would': 414862, 'someone would investigate': 784803, 'would investigate this': 1011961, 'investigate this if': 443809, 'this if it': 887997, 'if it propaganda': 414332, 'it propaganda throw': 460529, 'propaganda throw her': 684072, 'throw her in': 895027, 'her in cage': 392139, 'in cage with': 421131, 'cage with smollett': 155177, 'dangerous': 225717, 'riding': 721664, 'tube': 935028, 'gp': 361395, 'surgery': 828327, 'expect': 290595, 'criminal': 216819, 'sunbather': 818109, 'cv19': 223861, 'yes supermarket': 1015540, 'supermarket shopping': 822626, 'shopping is': 763029, 'is almost': 445493, 'almost dangerous': 46588, 'dangerous riding': 225767, 'riding the': 721673, 'the tube': 870101, 'tube or': 935041, 'or going': 615492, 'going into': 355228, 'into hospital': 442641, 'hospital or': 404534, 'or gp': 615512, 'gp surgery': 361416, 'surgery you': 828339, 'you cannot': 1017843, 'cannot expect': 161812, 'expect the': 290744, 'the police': 863911, 'police to': 663249, 'do anything': 249086, 'anything about': 80674, 'about it': 25565, 'it they': 461624, 'have their': 383044, 'hand full': 374966, 'full with': 340982, 'with criminal': 997853, 'criminal walker': 216889, 'walker and': 964990, 'and sunbather': 72682, 'sunbather cv19': 818112, 'yes supermarket shopping': 1015541, 'supermarket shopping is': 822639, 'shopping is almost': 763031, 'is almost dangerous': 445498, 'almost dangerous riding': 46589, 'dangerous riding the': 225768, 'riding the tube': 721675, 'the tube or': 870103, 'tube or going': 935042, 'or going into': 615495, 'going into hospital': 355237, 'into hospital or': 442643, 'hospital or gp': 404539, 'or gp surgery': 615513, 'gp surgery you': 361418, 'surgery you cannot': 828340, 'you cannot expect': 1017859, 'cannot expect the': 161814, 'expect the police': 290753, 'the police to': 863934, 'police to do': 663250, 'to do anything': 904481, 'do anything about': 249087, 'anything about it': 80676, 'about it they': 25599, 'it they have': 461629, 'they have their': 882389, 'have their hand': 383052, 'their hand full': 873475, 'hand full with': 374968, 'full with criminal': 340983, 'with criminal walker': 997854, 'criminal walker and': 216890, 'walker and sunbather': 964991, 'and sunbather cv19': 72683, 'probably buying': 679224, 'buying too': 151254, 'too much': 924910, 'much toilet': 545395, 'paper stoppanicbuying': 640843, 'probably buying too': 679225, 'buying too much': 151256, 'too much toilet': 924950, 'much toilet paper': 545396, 'toilet paper stoppanicbuying': 921474, 'special': 787835, 'pensioner': 646673, 'suggestion': 817622, 'quickly': 694448, 'worked': 1006087, 'special shopping': 788055, 'hour for': 405595, 'for pensioner': 324435, 'pensioner wa': 646695, 'wa great': 962249, 'great suggestion': 363017, 'suggestion by': 817631, 'by our': 153475, 'our online': 624141, 'online community': 608027, 'community and': 189713, 'we very': 973723, 'very quickly': 955443, 'quickly worked': 694645, 'worked with': 1006169, 'with our': 999974, 'our store': 624938, 'to make': 909613, 'make this': 510630, 'this reality': 889816, 'special shopping hour': 788056, 'shopping hour for': 762920, 'hour for pensioner': 405613, 'for pensioner wa': 324438, 'pensioner wa great': 646696, 'wa great suggestion': 962253, 'great suggestion by': 363018, 'suggestion by our': 817632, 'by our online': 153485, 'our online community': 624142, 'online community and': 608028, 'community and we': 189731, 'and we very': 75330, 'we very quickly': 973724, 'very quickly worked': 955446, 'quickly worked with': 694646, 'worked with our': 1006172, 'with our store': 1000020, 'our store to': 624956, 'store to make': 810786, 'to make this': 909755, 'make this reality': 510648, 'mother': 543045, 'rn': 724304, 'tb': 835228, 'unit': 942030, 'smart': 775325, 'stocking': 803538, 'set': 753334, 'blame': 132239, 'poor': 664100, 'agree': 38590, 'my mother': 549320, 'mother is': 543125, 'an rn': 56785, 'rn she': 724337, 'she worked': 756478, 'worked many': 1006128, 'many year': 514903, 'year in': 1014647, 'in tb': 428828, 'tb unit': 835235, 'unit she': 942089, 'she wa': 756405, 'wa smart': 963244, 'smart enough': 775375, 'to start': 915185, 'start stocking': 794520, 'stocking food': 803557, 'supply week': 826081, 'ago long': 38421, 'long before': 501345, 'before panic': 123000, 'panic set': 638532, 'set in': 753396, 'in she': 427872, 'she blame': 755891, 'blame our': 132282, 'our current': 622640, 'current poor': 221304, 'poor response': 664274, 'response to': 715823, 'on trump': 604861, 'trump agree': 933388, 'agree we': 38669, 'my mother is': 549334, 'mother is an': 543126, 'is an rn': 445690, 'an rn she': 56786, 'rn she worked': 724338, 'she worked many': 756481, 'worked many year': 1006129, 'many year in': 514904, 'year in tb': 1014655, 'in tb unit': 428829, 'tb unit she': 835236, 'unit she wa': 942090, 'she wa smart': 756427, 'wa smart enough': 963245, 'smart enough to': 775376, 'enough to start': 277724, 'to start stocking': 915227, 'start stocking food': 794521, 'stocking food and': 803558, 'and supply week': 72823, 'supply week ago': 826082, 'week ago long': 975852, 'ago long before': 38422, 'long before panic': 501352, 'before panic set': 123002, 'panic set in': 638533, 'set in she': 753404, 'in she blame': 427873, 'she blame our': 755892, 'blame our current': 132283, 'our current poor': 622644, 'current poor response': 221306, 'poor response to': 664275, 'response to covid': 715840, '19 on trump': 8970, 'on trump agree': 604862, 'trump agree we': 933389, 'agree we are': 38670, 'correction': 207550, 'torontorealestate': 926019, 'tore': 925886, 'torontohomes': 926010, 'toronto': 925912, 'ontario': 611578, 'if covid': 414012, '19 lead': 8286, 'to home': 907923, 'home price': 401888, 'price correction': 673266, 'correction then': 207574, 'then it': 877278, 'it may': 459545, 'may take': 521554, 'take decade': 832054, 'decade for': 230677, 'for price': 324710, 'to recover': 912984, 'recover torontorealestate': 705213, 'torontorealestate tore': 926020, 'tore torontohomes': 925889, 'torontohomes toronto': 926011, 'toronto ontario': 925972, 'if covid 19': 414013, 'covid 19 lead': 213340, '19 lead to': 8287, 'lead to home': 483351, 'to home price': 907936, 'home price correction': 401897, 'price correction then': 673270, 'correction then it': 207575, 'then it may': 877283, 'it may take': 459555, 'may take decade': 521556, 'take decade for': 832055, 'decade for price': 230678, 'for price to': 324732, 'price to recover': 677030, 'to recover torontorealestate': 912991, 'recover torontorealestate tore': 705214, 'torontorealestate tore torontohomes': 926021, 'tore torontohomes toronto': 925890, 'torontohomes toronto ontario': 926012, 'sector': 744067, 'uncertainty': 939637, 'death': 229941, 'toll': 923828, 'zimbabwe': 1027572, 'ignoring': 415895, 'packing': 633725, 'truck': 932715, 'they said': 883237, 'said this': 731493, 'this would': 891530, 'would cause': 1011707, 'cause panic': 167689, 'panic in': 638194, 'the security': 866623, 'security sector': 744741, 'sector and': 744077, 'and add': 57669, 'add to': 31514, 'current uncertainty': 221420, 'uncertainty regarding': 939749, 'regarding food': 707211, 'food security': 316334, 'security and': 744532, 'coronavirus death': 205794, 'death toll': 230245, 'toll in': 923845, 'in zimbabwe': 431157, 'zimbabwe many': 1027588, 'many are': 513749, 'are ignoring': 87299, 'ignoring social': 415918, 'and packing': 68621, 'packing people': 633732, 'people into': 648496, 'into police': 442877, 'police truck': 663254, 'they said this': 883249, 'said this would': 731500, 'this would cause': 891535, 'would cause panic': 1011708, 'cause panic in': 167694, 'panic in the': 638206, 'in the security': 429534, 'the security sector': 866627, 'security sector and': 744742, 'sector and add': 744078, 'and add to': 57673, 'add to the': 31523, 'to the current': 916618, 'the current uncertainty': 852676, 'current uncertainty regarding': 221421, 'uncertainty regarding food': 939752, 'regarding food security': 707212, 'food security and': 316338, 'security and the': 744543, 'and the coronavirus': 73299, 'the coronavirus death': 851829, 'coronavirus death toll': 205801, 'death toll in': 230249, 'toll in zimbabwe': 923846, 'in zimbabwe many': 431160, 'zimbabwe many are': 1027589, 'many are ignoring': 513763, 'are ignoring social': 87300, 'ignoring social distancing': 415919, 'distancing and packing': 246987, 'and packing people': 68622, 'packing people into': 633733, 'people into police': 648506, 'into police truck': 442878, 'vegetable': 953911, 'virologist': 957693, 'confirms': 194229, 'surface': 827979, 'why you': 991584, 'to wash': 918343, 'your fruit': 1023989, 'and vegetable': 74874, 'vegetable with': 954127, 'soap virologist': 779150, 'virologist confirms': 957696, 'confirms that': 194238, '19 can': 5602, 'can survive': 159869, 'survive on': 829207, 'on fresh': 600991, 'fresh supermarket': 333080, 'supermarket produce': 822067, 'produce just': 680335, 'just like': 469138, 'like any': 489808, 'any other': 79581, 'other surface': 621046, 'why you need': 991594, 'need to wash': 556115, 'to wash your': 918353, 'wash your fruit': 967587, 'your fruit and': 1023990, 'fruit and vegetable': 339066, 'and vegetable with': 74900, 'vegetable with soap': 954128, 'with soap virologist': 1000808, 'soap virologist confirms': 779151, 'virologist confirms that': 957697, 'confirms that covid': 194239, 'covid 19 can': 212753, '19 can survive': 5616, 'can survive on': 159876, 'survive on fresh': 829212, 'on fresh supermarket': 600994, 'fresh supermarket produce': 333081, 'supermarket produce just': 822069, 'produce just like': 680336, 'just like any': 469139, 'like any other': 489812, 'any other surface': 79609, '32': 17654, 'moment': 535866, 'define': 232268, 'hello have': 389173, 'have you': 383651, 'you got': 1018892, 'got any': 358413, 'any paracetamol': 79626, 'paracetamol in': 641246, 'in still': 428273, 'still which': 801408, 'which one': 986192, 'one just': 606546, 'just standard': 469864, 'standard paracetamol': 793690, 'paracetamol do': 641236, 'do have': 249365, 'have pack': 381862, 'of 32': 579571, '32 how': 17674, 'how much': 408336, 'much are': 544728, 'are they': 90984, 'they at': 881503, 'the moment': 860739, 'moment the': 536059, 'have gone': 380784, 'gone up': 356408, 'up slightly': 946007, 'slightly define': 773950, 'define slightly': 232271, 'slightly they': 773978, 've gone': 953156, 'to wow': 918857, 'hello have you': 389174, 'have you got': 383669, 'you got any': 1018894, 'got any paracetamol': 358416, 'any paracetamol in': 79627, 'paracetamol in still': 641249, 'in still which': 428274, 'still which one': 801409, 'which one just': 986199, 'one just standard': 606549, 'just standard paracetamol': 469865, 'standard paracetamol do': 793691, 'paracetamol do have': 641237, 'do have pack': 249374, 'have pack of': 381864, 'pack of 32': 633084, 'of 32 how': 579572, '32 how much': 17675, 'how much are': 408339, 'much are they': 544729, 'are they at': 90990, 'they at the': 881505, 'at the moment': 101026, 'the moment the': 860781, 'moment the price': 536061, 'the price have': 864360, 'price have gone': 674429, 'have gone up': 380799, 'gone up slightly': 356430, 'up slightly define': 946008, 'slightly define slightly': 773951, 'define slightly they': 232272, 'slightly they ve': 773979, 'they ve gone': 883653, 've gone up': 953161, 'gone up to': 356434, 'up to wow': 946450, 'lying': 507057, 'television': 836850, 'screen': 742671, 'buying because': 149995, 'because they': 119683, 'they do': 881952, 'not trust': 572283, 'trust the': 934317, 'government they': 360689, 'they see': 883290, 'see politician': 745588, 'politician lying': 663719, 'lying every': 507073, 'every day': 285786, 'day on': 228141, 'on their': 604466, 'their television': 874961, 'television screen': 836865, 'screen politician': 742717, 'politician say': 663737, 'say there': 739317, 'is lot': 449464, 'food but': 313807, 'they also': 881138, 'also say': 48827, 'are increasing': 87476, 'increasing testing': 433701, 'testing something': 839643, 'something that': 785070, 'that everyone': 843760, 'everyone who': 287580, 'ha covid': 370255, '19 symptom': 11011, 'symptom know': 830863, 'know is': 476504, 'is lie': 449291, 'lie stophoarding': 488376, 'people are panic': 647042, 'panic buying because': 637652, 'buying because they': 150002, 'because they do': 119698, 'they do not': 881969, 'do not trust': 249875, 'not trust the': 572287, 'trust the government': 934318, 'the government they': 856612, 'government they see': 360690, 'they see politician': 883294, 'see politician lying': 745589, 'politician lying every': 663721, 'lying every day': 507074, 'every day on': 285834, 'day on their': 228149, 'on their television': 604515, 'their television screen': 874962, 'television screen politician': 836866, 'screen politician say': 742718, 'politician say there': 663738, 'say there is': 739320, 'there is lot': 878587, 'is lot of': 449467, 'lot of food': 504192, 'of food but': 583662, 'food but they': 313836, 'but they also': 147489, 'they also say': 881156, 'also say they': 48832, 'they are increasing': 881306, 'are increasing testing': 87491, 'increasing testing something': 433702, 'testing something that': 839644, 'something that everyone': 785075, 'that everyone who': 843775, 'everyone who ha': 287591, 'who ha covid': 988837, 'ha covid 19': 370256, 'covid 19 symptom': 213905, '19 symptom know': 11018, 'symptom know is': 830864, 'know is lie': 476509, 'is lie stophoarding': 449292, 'half': 374133, 'beef': 120474, 'consumption': 199816, 'happening': 377308, 'restaurantmanagement': 716834, 'usda': 948956, 'what restaurant': 982098, 'restaurant need': 716586, 'survive the': 829238, 'crisis with': 218422, 'with about': 997078, 'about half': 25337, 'half of': 374215, 'of total': 592327, 'total beef': 926133, 'beef consumption': 120498, 'consumption happening': 199884, 'happening outside': 377394, 'outside the': 629585, 'the home': 857442, 'home how': 401378, '19 affect': 4828, 'affect restaurant': 34216, 'restaurant can': 716352, 'can affect': 157388, 'affect the': 34236, 'for beef': 319613, 'beef restaurant': 120550, 'restaurant restaurantmanagement': 716665, 'restaurantmanagement meat': 716837, 'meat meat': 525651, 'meat food': 525575, 'food usda': 317410, 'usda livestock': 948963, 'what restaurant need': 982099, 'restaurant need to': 716587, 'need to survive': 556096, 'to survive the': 916048, 'survive the covid': 829245, '19 crisis with': 6355, 'crisis with about': 218423, 'with about half': 997083, 'about half of': 25339, 'half of total': 374238, 'of total beef': 592328, 'total beef consumption': 926134, 'beef consumption happening': 120499, 'consumption happening outside': 199885, 'happening outside the': 377395, 'outside the home': 629594, 'the home how': 857446, 'home how covid': 401380, 'covid 19 affect': 212589, '19 affect restaurant': 4836, 'affect restaurant can': 34217, 'restaurant can affect': 716353, 'can affect the': 157392, 'affect the demand': 34242, 'the demand for': 853094, 'demand for beef': 235384, 'for beef restaurant': 319615, 'beef restaurant restaurantmanagement': 120551, 'restaurant restaurantmanagement meat': 716667, 'restaurantmanagement meat meat': 716838, 'meat meat food': 525652, 'meat food usda': 525578, 'food usda livestock': 317411, '10m': 2346, 'fund': 341344, 'administered': 32438, '75k': 22213, 'ma': 507247, 'nonprofit': 566672, 'part': 642220, 'mabiz': 507295, 'release': 708915, 'announces 10m': 77232, '10m loan': 2351, 'loan fund': 497442, 'fund administered': 341347, 'administered by': 32439, 'by to': 154552, 'provide financial': 686290, 'financial relief': 306552, 'relief up': 709491, 'to 75k': 899831, '75k to': 22218, 'to ma': 909535, 'ma based': 507254, 'based business': 111522, 'business including': 143914, 'including nonprofit': 432076, 'nonprofit with': 566714, 'with 50': 997028, '50 full': 19700, 'full part': 340796, 'part time': 642441, 'time employee': 896610, 'employee impacted': 273951, 'by mabiz': 153116, 'mabiz release': 507296, 'release apply': 708922, 'announces 10m loan': 77233, '10m loan fund': 2352, 'loan fund administered': 497443, 'fund administered by': 341348, 'administered by to': 32441, 'by to provide': 154557, 'to provide financial': 912393, 'provide financial relief': 686293, 'financial relief up': 306555, 'relief up to': 709492, 'up to 75k': 946349, 'to 75k to': 899832, '75k to ma': 22219, 'to ma based': 909536, 'ma based business': 507255, 'based business including': 111524, 'business including nonprofit': 143917, 'including nonprofit with': 432077, 'nonprofit with 50': 566715, 'with 50 full': 997031, '50 full part': 19701, 'full part time': 340797, 'part time employee': 642446, 'time employee impacted': 896614, 'employee impacted by': 273952, 'impacted by mabiz': 418083, 'by mabiz release': 153117, 'mabiz release apply': 507297, 'completely': 192206, 'sold': 781611, 'skorea': 773164, 'netherlands': 557654, 'weed': 975753, 'singapore': 771094, 'germany': 346263, 'basically': 112105, 'cuz': 223795, 'sitting': 772093, 'park': 641851, 'bbqs': 113202, 'party': 642965, 'thing being': 884188, 'being completely': 124974, 'completely sold': 192357, 'sold out': 781723, 'out due': 625982, 'to skorea': 914697, 'skorea face': 773165, 'face mask': 294508, 'mask netherlands': 518998, 'netherlands weed': 557676, 'weed singapore': 975766, 'singapore condom': 771112, 'condom germany': 193604, 'germany toilet': 346351, 'paper basically': 639929, 'basically everything': 112126, 'everything the': 288037, 'supermarket ha': 820612, 'ha to': 372287, 'to over': 911283, 'over cuz': 630135, 'cuz people': 223815, 'people think': 649827, 'think they': 885676, 'they need': 882712, 'save while': 737700, 'while sitting': 987278, 'sitting in': 772118, 'in park': 426506, 'park having': 641924, 'having bbqs': 383990, 'bbqs and': 113205, 'and party': 68735, 'thing being completely': 884189, 'being completely sold': 124976, 'completely sold out': 192358, 'sold out due': 781731, 'out due to': 625984, 'due to skorea': 261955, 'to skorea face': 914698, 'skorea face mask': 773166, 'face mask netherlands': 294567, 'mask netherlands weed': 518999, 'netherlands weed singapore': 557677, 'weed singapore condom': 975767, 'singapore condom germany': 771113, 'condom germany toilet': 193605, 'germany toilet paper': 346352, 'toilet paper basically': 921200, 'paper basically everything': 639930, 'basically everything the': 112128, 'everything the supermarket': 288041, 'the supermarket ha': 868618, 'supermarket ha to': 820653, 'ha to over': 372311, 'to over cuz': 911291, 'over cuz people': 630136, 'cuz people think': 223816, 'people think they': 649837, 'think they need': 885684, 'they need to': 882765, 'need to save': 556057, 'to save while': 913797, 'save while sitting': 737701, 'while sitting in': 987280, 'sitting in park': 772120, 'in park having': 426510, 'park having bbqs': 641925, 'having bbqs and': 383992, 'bbqs and party': 113206, 'encountered': 275547, 'iga': 415679, 'montreal': 538228, 'quebec': 693334, 'just encountered': 468670, 'encountered this': 275562, 'this on': 889208, 'on my': 602257, 'supermarket iga': 820842, 'iga website': 415695, 'website montreal': 975355, 'montreal quebec': 538232, 'quebec canada': 693339, 'just encountered this': 468671, 'encountered this on': 275563, 'this on my': 889216, 'on my local': 602294, 'local supermarket iga': 498541, 'supermarket iga website': 820843, 'iga website montreal': 415696, 'website montreal quebec': 975356, 'montreal quebec canada': 538233, 'clerk': 181622, 'store clerk': 806990, 'clerk are': 181652, 'the front': 855840, 'line of': 493287, '19 they': 11299, 'are essential': 86242, 'essential and': 280773, 'and need': 67467, 'need protection': 555486, 'grocery store clerk': 365285, 'store clerk are': 806996, 'clerk are on': 181656, 'are on the': 88737, 'on the front': 604134, 'the front line': 855848, 'front line of': 338594, 'line of covid': 493295, 'covid 19 they': 213937, '19 they are': 11301, 'they are essential': 881263, 'are essential and': 86243, 'essential and need': 280784, 'and need protection': 67478, 'whilst': 987606, 'own': 631859, 'leyton': 487868, 'leytonstone': 487871, 'dealing': 229636, 'restricted': 717127, 'vulnerable': 960832, 'circumstance': 178699, 'indeed': 433977, 'especially whilst': 280665, 'whilst tesco': 987691, 'tesco own': 838775, 'own worker': 632313, 'worker in': 1007161, 'in store': 428377, 'store such': 810434, 'such leyton': 816595, 'leyton and': 487869, 'and leytonstone': 66121, 'leytonstone are': 487874, 'the frontline': 855857, 'frontline dealing': 338721, 'dealing with': 229652, 'with covid': 997836, '19 restricted': 10170, 'restricted stock': 717163, 'and getting': 63617, 'getting food': 348976, 'food out': 315708, 'to vulnerable': 918243, 'vulnerable people': 961078, 'people in': 648341, 'in very': 430562, 'very difficult': 955118, 'difficult circumstance': 242199, 'circumstance every': 178722, 'every little': 285979, 'little help': 495382, 'help indeed': 389920, 'especially whilst tesco': 280666, 'whilst tesco own': 987692, 'tesco own worker': 838777, 'own worker in': 632314, 'worker in store': 1007201, 'in store such': 428461, 'store such leyton': 810437, 'such leyton and': 816596, 'leyton and leytonstone': 487870, 'and leytonstone are': 66122, 'leytonstone are on': 487875, 'on the frontline': 604135, 'the frontline dealing': 855864, 'frontline dealing with': 338722, 'dealing with covid': 229658, 'with covid 19': 997837, 'covid 19 restricted': 213703, '19 restricted stock': 10171, 'restricted stock and': 717164, 'stock and getting': 801813, 'and getting food': 63620, 'getting food out': 348986, 'food out to': 315711, 'out to vulnerable': 627696, 'to vulnerable people': 918248, 'vulnerable people in': 961095, 'people in very': 648448, 'in very difficult': 430568, 'very difficult circumstance': 955119, 'difficult circumstance every': 242201, 'circumstance every little': 178723, 'every little help': 285981, 'little help indeed': 495385, 'bamboo': 109143, 'fiber': 304384, 'ordered': 618811, 'like this': 491461, 'this but': 886637, 'it that': 461483, 'that case': 843167, 'case of': 165882, 'of bamboo': 580529, 'bamboo fiber': 109144, 'fiber ordered': 304387, 'ordered 10': 618812, '10 day': 1378, 'day ago': 227194, 'like this but': 491475, 'this but it': 886643, 'but it that': 146170, 'it that case': 461486, 'that case of': 843170, 'case of bamboo': 165891, 'of bamboo fiber': 580530, 'bamboo fiber ordered': 109145, 'fiber ordered 10': 304388, 'ordered 10 day': 618813, '10 day ago': 1380, 'borne': 135569, 'drug': 260841, 'administration': 32444, 'fda': 300820, 'evidence': 288344, 'transmitted': 929795, 'consumeraff': 199591, 'not food': 569468, 'food borne': 313766, 'borne illness': 135570, 'illness according': 416334, 'food drug': 314300, 'drug administration': 260849, 'administration fda': 32465, 'fda there': 300932, 'no evidence': 564142, 'evidence covid': 288354, 'is transmitted': 453338, 'transmitted by': 929798, 'by food': 152612, 'for question': 324908, 'question concern': 693563, 'concern about': 192885, 'about your': 26984, 'product please': 681525, 'contact consumer': 200051, 'affair at': 34002, 'at consumeraff': 98325, 'is not food': 450086, 'not food borne': 569469, 'food borne illness': 313767, 'borne illness according': 135571, 'illness according to': 416335, 'according to the': 28595, 'to the food': 916719, 'the food drug': 855546, 'food drug administration': 314302, 'drug administration fda': 260851, 'administration fda there': 32467, 'fda there no': 300933, 'there no evidence': 878807, 'no evidence covid': 564143, 'evidence covid 19': 288355, '19 is transmitted': 8071, 'is transmitted by': 453340, 'transmitted by food': 929799, 'by food for': 152614, 'food for question': 314568, 'for question concern': 324909, 'question concern about': 693564, 'concern about your': 192904, 'about your product': 27008, 'your product please': 1025444, 'product please contact': 681526, 'please contact consumer': 659833, 'contact consumer affair': 200053, 'consumer affair at': 196078, 'affair at consumeraff': 34005, 'bollock': 134113, 'bulk': 142235, 'masse': 519948, 'accidental': 28403, 'sent': 750735, 'bollock no': 134114, 'no there': 565701, 'are number': 88619, 'people going': 648091, 'into shop': 442978, 'shop daily': 760083, 'daily bulk': 224530, 'bulk buying': 142268, 'everything it': 287892, 'not person': 571013, 'person per': 652575, 'household it': 406857, 'it several': 460992, 'several en': 753838, 'en masse': 275388, 'masse which': 519949, 'which then': 986384, 'then cause': 877065, 'cause the': 167756, 'rest to': 716234, 'daily accidental': 224485, 'accidental hoarder': 28406, 'hoarder causing': 399001, 'causing supermarket': 168104, 'supermarket shortage': 822663, 'shortage sent': 765207, 'sent via': 750851, 'bollock no there': 134115, 'no there are': 565702, 'there are number': 878133, 'are number of': 88620, 'number of people': 576972, 'of people going': 587919, 'people going into': 648097, 'going into shop': 355243, 'into shop daily': 442980, 'shop daily bulk': 760085, 'daily bulk buying': 224531, 'bulk buying everything': 142273, 'buying everything it': 150256, 'everything it not': 287894, 'it not person': 459910, 'not person per': 571014, 'person per household': 652578, 'per household it': 650888, 'household it several': 406858, 'it several en': 460993, 'several en masse': 753839, 'en masse which': 275389, 'masse which then': 519950, 'which then cause': 986385, 'then cause the': 877066, 'cause the rest': 167765, 'the rest to': 865639, 'rest to shop': 716235, 'to shop daily': 914453, 'shop daily accidental': 760084, 'daily accidental hoarder': 224486, 'accidental hoarder causing': 28407, 'hoarder causing supermarket': 399002, 'causing supermarket shortage': 168106, 'supermarket shortage sent': 822671, 'shortage sent via': 765208, 'n95': 551156, 'reasonable': 703077, 'welfare': 977939, 'ngo': 561840, 'facemasks': 295118, 'stayhomestaysafe': 798500, 'n95 mask': 551184, 'mask hand': 518774, 'and face': 62580, 'mask are': 518394, 'available at': 104240, 'at very': 101443, 'very reasonable': 955458, 'reasonable price': 703112, 'price welfare': 677419, 'welfare trust': 977975, 'trust and': 934234, 'and ngo': 67578, 'ngo can': 561843, 'can contact': 157966, 'contact for': 200077, 'for bulk': 319812, 'bulk order': 142333, 'order facemasks': 618201, 'facemasks mask': 295150, 'mask sanitizer': 519216, 'sanitizer stayhome': 735800, 'stayhome stayhomestaysafe': 798158, 'stayhomestaysafe corona': 798503, 'corona 19': 203779, 'n95 mask hand': 551196, 'mask hand sanitizers': 518779, 'hand sanitizers and': 375681, 'sanitizers and face': 736195, 'and face mask': 62584, 'face mask are': 294516, 'mask are available': 518395, 'are available at': 84705, 'available at very': 104264, 'at very reasonable': 101449, 'very reasonable price': 955459, 'reasonable price welfare': 703130, 'price welfare trust': 677421, 'welfare trust and': 977976, 'trust and ngo': 934236, 'and ngo can': 67579, 'ngo can contact': 561844, 'can contact for': 157968, 'contact for bulk': 200079, 'for bulk order': 319814, 'bulk order facemasks': 142334, 'order facemasks mask': 618202, 'facemasks mask sanitizer': 295151, 'mask sanitizer stayhome': 519228, 'sanitizer stayhome stayhomestaysafe': 735801, 'stayhome stayhomestaysafe corona': 798159, 'stayhomestaysafe corona 19': 798504, 'meant': 524878, 'abundant': 27596, 'never run': 558158, 'of good': 584208, 'good thing': 357839, 'thing because': 884184, 'because there': 119665, 'there more': 878764, 'go around': 353304, 'around for': 93290, 'for everyone': 321193, 'everyone life': 287159, 'life is': 488798, 'is meant': 449610, 'meant to': 524905, 'be abundant': 113455, 'we will never': 973883, 'will never run': 994169, 'never run out': 558159, 'run out of': 727763, 'out of good': 626745, 'of good thing': 584240, 'good thing because': 357842, 'thing because there': 884187, 'because there more': 119674, 'there more than': 878767, 'than enough to': 840555, 'enough to go': 277705, 'to go around': 906771, 'go around for': 353312, 'around for everyone': 93291, 'for everyone life': 321221, 'everyone life is': 287160, 'life is meant': 488812, 'is meant to': 449612, 'meant to be': 524906, 'to be abundant': 901087, 'either': 270246, 'starve': 795186, 'either will': 270415, 'will kill': 993910, 'kill or': 474465, 'will starve': 994951, 'starve online': 795209, 'is also': 445544, 'also in': 48398, 'in crisis': 421871, 'either will kill': 270416, 'will kill or': 993920, 'kill or we': 474467, 'we will starve': 973909, 'will starve online': 994953, 'starve online shopping': 795210, 'online shopping is': 609160, 'shopping is also': 763032, 'is also in': 445561, 'also in crisis': 48399, 'temp': 837314, 'vacancy': 951554, 'night': 562916, '2am': 16546, 'sainsburys': 731747, 'sydenham': 830677, 'hey guy': 394401, 'guy ve': 369187, 've got': 953163, 'got more': 358710, 'more temp': 540530, 'temp vacancy': 837339, 'vacancy for': 951560, 'for night': 323878, 'night shift': 563067, 'shift 2am': 758215, '2am 8am': 16547, '8am online': 23142, 'shopping amp': 761950, 'amp online': 54221, 'online driver': 608131, 'driver sainsburys': 259731, 'sainsburys sydenham': 731791, 'sydenham hit': 830678, 'hit me': 398318, 'me up': 523855, 'up amp': 944287, 'amp rt': 54414, 'hey guy ve': 394406, 'guy ve got': 369188, 've got more': 953188, 'got more temp': 358713, 'more temp vacancy': 540532, 'temp vacancy for': 837340, 'vacancy for night': 951562, 'for night shift': 323879, 'night shift 2am': 563068, 'shift 2am 8am': 758216, '2am 8am online': 16548, '8am online shopping': 23143, 'online shopping amp': 609027, 'shopping amp online': 761953, 'amp online driver': 54222, 'online driver sainsburys': 608132, 'driver sainsburys sydenham': 259732, 'sainsburys sydenham hit': 731792, 'sydenham hit me': 830679, 'hit me up': 398322, 'me up amp': 523856, 'up amp rt': 944290, 'panicking': 639306, 'meanwhile': 524942, 'thailand': 840085, 'normal': 567067, 'it crazy': 457388, 'crazy how': 215318, 'much everyone': 544864, 'everyone in': 287032, 'world is': 1009682, 'is panicking': 450791, 'panicking about': 639307, 'this covid': 886992, '19 but': 5487, 'but meanwhile': 146382, 'meanwhile here': 524982, 'here in': 393127, 'in thailand': 428898, 'thailand it': 840098, 'it calm': 456997, 'calm like': 156764, 'any normal': 79522, 'normal day': 567127, 'day they': 228515, 'they still': 883456, 'still have': 800641, 'have toilet': 383348, 'paper hand': 640246, 'sanitizer food': 734884, 'everything in': 287845, 'in stock': 428275, 'stock but': 801941, 'but yet': 147963, 'yet the': 1016251, 'store shelf': 810054, 'it crazy how': 457390, 'crazy how much': 215322, 'how much everyone': 408346, 'much everyone in': 544865, 'everyone in the': 287050, 'the world is': 871899, 'world is panicking': 1009712, 'is panicking about': 450792, 'panicking about this': 639312, 'about this covid': 26634, 'this covid 19': 886993, 'covid 19 but': 212744, '19 but meanwhile': 5512, 'but meanwhile here': 146383, 'meanwhile here in': 524983, 'here in thailand': 393187, 'in thailand it': 428901, 'thailand it calm': 840099, 'it calm like': 456998, 'calm like any': 156765, 'like any normal': 489810, 'any normal day': 79523, 'normal day they': 567133, 'day they still': 228523, 'they still have': 883464, 'still have toilet': 800667, 'have toilet paper': 383350, 'toilet paper hand': 921298, 'paper hand sanitizer': 640248, 'hand sanitizer food': 375409, 'sanitizer food and': 734885, 'food and everything': 313226, 'and everything in': 62422, 'everything in stock': 287855, 'in stock but': 428289, 'stock but yet': 801952, 'but yet the': 147968, 'yet the store': 1016260, 'the store shelf': 868101, 'store shelf are': 810058, 'silent': 769706, 'lazy': 482740, 'horror': 404188, 'costco': 208192, '16': 4050, 'panicshopped': 639407, 'item': 463015, 'ok ve': 597932, 'been too': 122248, 'too silent': 925064, 'silent and': 769707, 'and too': 74269, 'too lazy': 924845, 'lazy for': 482747, 'for too': 327280, 'too long': 924861, 'long so': 501638, 'so to': 778531, 'to my': 910368, 'my horror': 548712, 'horror on': 404208, 'on 11': 599002, '11 costco': 2508, 'costco wa': 208286, 'paper on': 640528, 'on 16': 599015, '16 we': 4187, 'we panicshopped': 972691, 'panicshopped for': 639408, 'for toiletpaper': 327251, 'toiletpaper other': 922292, 'other item': 620442, 'item part': 463546, 'part of': 642325, 'of many': 586167, 'ok ve been': 597933, 've been too': 952948, 'been too silent': 122249, 'too silent and': 925065, 'silent and too': 769708, 'and too lazy': 74273, 'too lazy for': 924846, 'lazy for too': 482748, 'for too long': 327282, 'too long so': 924866, 'long so to': 501640, 'so to my': 778537, 'to my horror': 910407, 'my horror on': 548713, 'horror on 11': 404209, 'on 11 costco': 599003, '11 costco wa': 2509, 'costco wa out': 208288, 'out of toilet': 626860, 'toilet paper on': 921376, 'paper on 16': 640529, 'on 16 we': 599018, '16 we panicshopped': 4188, 'we panicshopped for': 972692, 'panicshopped for toiletpaper': 639409, 'for toiletpaper other': 327260, 'toiletpaper other item': 922293, 'other item part': 620449, 'item part of': 463547, 'part of many': 642358, 'ghettoheatmovement': 349642, 'okay': 597954, 'hickson': 394796, 'care': 163777, 'mamaghettoheat': 511932, 'scene': 741299, 'hunger': 411067, 'game': 343107, 'pm0miixwtp': 662029, 'ghettoheatmovement worldwide': 349645, 'worldwide is': 1010381, 'is everyone': 447581, 'everyone okay': 287226, 'okay out': 597994, 'the hickson': 857311, 'hickson is': 394797, 'is inside': 448935, 'inside taking': 439402, 'taking care': 833297, 'care of': 164090, 'the mamaghettoheat': 859969, 'mamaghettoheat behind': 511933, 'the scene': 866458, 'scene during': 741318, 'this outbreak': 889317, 'outbreak shopping': 628623, 'the daily': 852770, 'daily supermarket': 224815, 'supermarket feeling': 820294, 'feeling like': 303008, 'the hunger': 857744, 'hunger game': 411113, 'game here': 343181, 'here bought': 392826, 'bought 20': 136473, '20 pm0miixwtp': 13268, 'ghettoheatmovement worldwide is': 349647, 'worldwide is everyone': 1010383, 'is everyone okay': 447587, 'everyone okay out': 287227, 'okay out the': 597995, 'out the hickson': 627377, 'the hickson is': 857312, 'hickson is inside': 394799, 'is inside taking': 448936, 'inside taking care': 439403, 'taking care of': 833298, 'care of the': 164117, 'of the mamaghettoheat': 591216, 'the mamaghettoheat behind': 859970, 'mamaghettoheat behind the': 511934, 'behind the scene': 124725, 'the scene during': 866465, 'scene during this': 741319, 'during this outbreak': 263305, 'this outbreak shopping': 889327, 'outbreak shopping at': 628624, 'at the daily': 100921, 'the daily supermarket': 852785, 'daily supermarket feeling': 224816, 'supermarket feeling like': 820295, 'feeling like the': 303014, 'like the hunger': 491373, 'the hunger game': 857746, 'hunger game here': 411116, 'game here bought': 343182, 'here bought 20': 392827, 'bought 20 pm0miixwtp': 136475, 'assume': 96998, 'carrier': 164944, 'cough': 208440, 'sneeze': 776224, 'elbow': 270502, 'not hoarding': 569993, 'hoarding mask': 399419, 'mask only': 519064, 'only have': 610571, 'have one': 381782, 'one and': 605893, 'and wear': 75350, 'wear it': 974366, 'it when': 462333, 'supermarket don': 819998, 'don have': 253586, 'have symptom': 382891, 'symptom but': 830824, 'but some': 147089, 'some people': 783500, 'have covid': 380135, 'symptom we': 830944, 'we should': 973251, 'should assume': 765526, 'assume we': 97034, 'we may': 972348, 'be carrier': 114010, 'carrier and': 164945, 'use hand': 949252, 'sanitizer wear': 736056, 'mask cough': 518543, 'cough sneeze': 208551, 'sneeze into': 776248, 'into our': 442814, 'our elbow': 622859, 'elbow when': 270517, 'when we': 984427, 'we go': 971645, 'supermarket or': 821792, 'or for': 615360, 'not hoarding mask': 569996, 'hoarding mask only': 399420, 'mask only have': 519065, 'only have one': 610584, 'have one and': 381783, 'one and wear': 605910, 'and wear it': 75353, 'wear it when': 974372, 'it when go': 462336, 'to supermarket don': 915789, 'supermarket don have': 819999, 'don have symptom': 253618, 'have symptom but': 382892, 'symptom but some': 830827, 'but some people': 147102, 'some people have': 783516, 'people have covid': 648172, 'have covid 19': 380136, '19 symptom we': 11023, 'symptom we should': 830946, 'we should assume': 973258, 'should assume we': 765527, 'assume we may': 97035, 'we may be': 972350, 'may be carrier': 520956, 'be carrier and': 114011, 'carrier and use': 164949, 'and use hand': 74775, 'use hand sanitizer': 949255, 'hand sanitizer wear': 375654, 'sanitizer wear mask': 736057, 'wear mask cough': 974380, 'mask cough sneeze': 518544, 'cough sneeze into': 208553, 'sneeze into our': 776251, 'into our elbow': 442817, 'our elbow when': 622860, 'elbow when we': 270518, 'when we go': 984445, 'we go to': 971655, 'to supermarket or': 915823, 'supermarket or for': 821806, 'or for walk': 615371, 'watching': 968692, 'press': 671001, 'conference': 193715, 'load': 497238, 'heading': 385924, 'ny': 577826, 'each': 263981, 'coast': 185090, 'problem': 679440, 'solved': 782173, 'guess': 367961, 'watching daily': 968723, 'daily press': 224747, 'press conference': 671025, 'conference so': 193754, 'to recap': 912905, 'recap trump': 703383, 'trump main': 933693, 'main talking': 508837, 'talking point': 834032, 'point there': 662653, 'there truck': 879204, 'truck load': 932828, 'load of': 497257, 'of hand': 584422, 'sanitizer heading': 735064, 'heading to': 385956, 'to ny': 910770, 'ny and': 577834, 'and hospital': 64741, 'hospital ship': 404607, 'ship on': 758697, 'on each': 600450, 'each coast': 264010, 'coast so': 185117, 'so problem': 778079, 'problem solved': 679675, 'solved guess': 782177, 'watching daily press': 968724, 'daily press conference': 224748, 'press conference so': 671034, 'conference so to': 193755, 'so to recap': 778541, 'to recap trump': 912906, 'recap trump main': 703384, 'trump main talking': 933694, 'main talking point': 508838, 'talking point there': 834034, 'point there truck': 662654, 'there truck load': 879205, 'truck load of': 932829, 'load of hand': 497269, 'of hand sanitizer': 584433, 'hand sanitizer heading': 375437, 'sanitizer heading to': 735065, 'heading to ny': 385962, 'to ny and': 910771, 'ny and hospital': 577836, 'and hospital ship': 64749, 'hospital ship on': 404610, 'ship on each': 758699, 'on each coast': 600452, 'each coast so': 264011, 'coast so problem': 185118, 'so problem solved': 778080, 'problem solved guess': 679676, 'industry': 435587, 'retailing': 719471, 'marketing': 517508, 'will change': 992903, 'change the': 172286, 'the face': 854798, 'face of': 294644, 'shopping coronavirus': 762402, 'coronavirus will': 207080, 'grocery industry': 364624, 'industry forever': 435835, 'forever retailing': 329142, 'retailing marketing': 719478, 'how will change': 409221, 'will change the': 992920, 'change the face': 172293, 'the face of': 854806, 'face of grocery': 294657, 'of grocery shopping': 584356, 'grocery shopping coronavirus': 365010, 'shopping coronavirus will': 762403, 'coronavirus will change': 207084, 'change the grocery': 172299, 'the grocery industry': 856813, 'grocery industry forever': 364626, 'industry forever retailing': 435836, 'forever retailing marketing': 329143, 'weakening': 974078, 'major': 509230, 'commodity': 189106, 'weakening demand': 974081, 'and falling': 62637, 'falling oil': 297304, 'price due': 673611, 'the global': 856285, 'global covid': 351833, 'ha driven': 370449, 'driven down': 259308, 'down international': 256881, 'international price': 441842, 'for major': 323163, 'major commodity': 509270, 'commodity ha': 189182, 'weakening demand and': 974082, 'demand and falling': 234964, 'and falling oil': 62643, 'falling oil price': 297305, 'oil price due': 597113, 'price due to': 673614, 'to the global': 916744, 'the global covid': 856295, 'global covid 19': 351834, 'pandemic ha driven': 635541, 'ha driven down': 370450, 'driven down international': 259309, 'down international price': 256882, 'international price for': 441843, 'price for major': 673995, 'for major commodity': 323164, 'major commodity ha': 509271, 'commodity ha announced': 189183, 'masksforthepeople': 519689, 'most': 542053, 'population': 664635, 'targeted': 834531, 'atlanta': 101820, 'detroit': 239495, 'orleans': 619638, 'milwaukee': 532481, 'masksforthepeople will': 519690, 'will distribute': 993214, 'distribute mask': 247994, 'sanitizer to': 735904, 'to our': 911145, 'our elderly': 622863, 'elderly and': 270567, 'and most': 67260, 'most vulnerable': 542863, 'vulnerable population': 961123, 'population in': 664688, 'in targeted': 428820, 'targeted city': 834542, 'city that': 179395, 'that include': 844466, 'include atlanta': 431522, 'atlanta detroit': 101835, 'detroit new': 239507, 'new orleans': 559234, 'orleans miami': 619643, 'miami and': 530162, 'and milwaukee': 67032, 'milwaukee donate': 532486, 'donate here': 254188, 'masksforthepeople will distribute': 519691, 'will distribute mask': 993216, 'distribute mask and': 247995, 'mask and sanitizer': 518368, 'and sanitizer to': 70889, 'sanitizer to our': 735940, 'to our elderly': 911173, 'our elderly and': 622864, 'elderly and most': 270580, 'and most vulnerable': 67278, 'most vulnerable population': 542891, 'vulnerable population in': 961127, 'population in targeted': 664696, 'in targeted city': 428821, 'targeted city that': 834543, 'city that include': 179399, 'that include atlanta': 844467, 'include atlanta detroit': 431523, 'atlanta detroit new': 101836, 'detroit new orleans': 239508, 'new orleans miami': 559237, 'orleans miami and': 619644, 'miami and milwaukee': 530163, 'and milwaukee donate': 67033, 'milwaukee donate here': 532487, 'nadad': 551374, '100m': 2186, 'c19': 154840, 'suggest': 817504, 'paying': 645364, 'pharmaceutical': 654053, 'company': 190338, 'outrageous': 629313, 'nadad 100m': 551375, '100m for': 2189, 'for c19': 319868, 'c19 great': 154841, 'idea but': 413019, 'but suggest': 147211, 'suggest you': 817555, 'you look': 1019693, 'at paying': 100081, 'paying local': 645437, 'local pharmaceutical': 498270, 'pharmaceutical company': 654062, 'company to': 191218, 'to produce': 912181, 'produce more': 680363, 'more sanitizers': 540311, 'sanitizers to': 736420, 'to supply': 915873, 'supply for': 825258, 'for free': 321701, 'free the': 332215, 'the sanitizers': 866359, 'sanitizers price': 736370, 'price is': 674853, 'is outrageous': 450672, 'nadad 100m for': 551376, '100m for c19': 2190, 'for c19 great': 319869, 'c19 great idea': 154842, 'great idea but': 362726, 'idea but suggest': 413022, 'but suggest you': 147212, 'suggest you look': 817557, 'you look at': 1019694, 'look at paying': 502283, 'at paying local': 100082, 'paying local pharmaceutical': 645438, 'local pharmaceutical company': 498271, 'pharmaceutical company to': 654070, 'company to produce': 191236, 'to produce more': 912201, 'produce more sanitizers': 680367, 'more sanitizers to': 540312, 'sanitizers to supply': 736428, 'to supply for': 915881, 'supply for free': 825265, 'for free the': 321731, 'free the sanitizers': 332218, 'the sanitizers price': 866362, 'sanitizers price is': 736372, 'price is outrageous': 674881, 'supermarket right': 822246, 'supermarket right now': 822247, 'winery': 995948, 'gallo': 342957, 'responder': 715395, 'officer': 595613, 'firefighter': 308191, 'the winery': 871606, 'winery company': 995949, 'company work': 191354, 'work for': 1005135, 'for gallo': 321837, 'gallo is': 342958, 'is making': 449533, 'making hand': 511100, 'and donating': 61658, 'donating them': 254514, 'them to': 876450, 'to first': 905977, 'first responder': 308923, 'responder such': 715524, 'such police': 816680, 'police officer': 663110, 'officer firefighter': 595655, 'firefighter and': 308194, 'and health': 64344, 'health care': 386217, 'care worker': 164274, 'worker love': 1007336, 'love this': 504825, 'this company': 886818, 'the winery company': 871607, 'winery company work': 995950, 'company work for': 191355, 'work for gallo': 1005150, 'for gallo is': 321838, 'gallo is making': 342959, 'is making hand': 449544, 'making hand sanitizer': 511103, 'sanitizer and donating': 734403, 'and donating them': 61663, 'donating them to': 254515, 'them to first': 876472, 'to first responder': 905979, 'first responder such': 308964, 'responder such police': 715525, 'such police officer': 816681, 'police officer firefighter': 663118, 'officer firefighter and': 595656, 'firefighter and health': 308195, 'and health care': 64349, 'health care worker': 386255, 'care worker love': 164295, 'worker love this': 1007338, 'love this company': 504827, 'gal': 342898, 'cassidyrae': 166753, 'gal cassidyrae': 342902, 'medication': 526615, 'cancel': 160830, 'prepare': 670052, 'outbreak ha': 628262, 'ha got': 370743, 'got you': 359026, 'you checking': 1017940, 'checking the': 174851, 'the news': 861599, 'news little': 560583, 'little more': 495458, 'more often': 539896, 'often or': 596247, 'or asking': 614437, 'asking yourself': 96118, 'yourself whether': 1026751, 'whether it': 985518, 'it time': 461690, 'on food': 600834, 'or medication': 616110, 'medication cancel': 526636, 'cancel travel': 160901, 'travel or': 930453, 'or prepare': 616675, 'prepare to': 670135, 'work from': 1005192, 'home you': 402579, 'not alone': 568156, 'if the covid': 414964, '19 outbreak ha': 9130, 'outbreak ha got': 628268, 'ha got you': 370746, 'got you checking': 359028, 'you checking the': 1017941, 'checking the news': 174853, 'the news little': 861617, 'news little more': 560584, 'little more often': 495468, 'more often or': 539905, 'often or asking': 596248, 'or asking yourself': 614438, 'asking yourself whether': 96119, 'yourself whether it': 1026752, 'whether it time': 985534, 'it time to': 461700, 'time to stock': 898077, 'up on food': 945565, 'on food or': 600892, 'food or medication': 315661, 'or medication cancel': 616112, 'medication cancel travel': 526637, 'cancel travel or': 160903, 'travel or prepare': 930455, 'or prepare to': 616676, 'prepare to work': 670144, 'to work from': 918724, 'work from home': 1005193, 'from home you': 335935, 'home you re': 402587, 're not alone': 699075, 'target': 834426, 'housewares': 407028, 'homeworld': 403017, 'boost safety': 135004, 'safety measure': 730616, 'measure retail': 525322, 'retail target': 718760, 'target consumer': 834453, 'consumer housewares': 197780, 'housewares homeworld': 407029, 'boost safety measure': 135005, 'safety measure retail': 730628, 'measure retail target': 525323, 'retail target consumer': 718761, 'target consumer housewares': 834455, 'consumer housewares homeworld': 197781, 'predicted': 669599, 'somehow': 784305, 'film': 305654, 'except': 289122, 'they predicted': 882900, 'predicted somehow': 669616, 'somehow everything': 784317, 'everything about': 287668, 'about in': 25509, 'in film': 422885, 'film contagion': 305670, 'contagion except': 200405, 'except the': 289230, 'the high': 857314, 'of toiletpaper': 592255, 'toiletpaper mask': 922223, 'sanitizer stayathome': 735797, 'stayathome staysafestayhome': 797667, 'they predicted somehow': 882901, 'predicted somehow everything': 669617, 'somehow everything about': 784318, 'everything about in': 287669, 'about in film': 25510, 'in film contagion': 422886, 'film contagion except': 305671, 'contagion except the': 200406, 'except the high': 289232, 'the high price': 857320, 'high price of': 395262, 'price of toiletpaper': 675595, 'of toiletpaper mask': 592272, 'toiletpaper mask and': 922224, 'and sanitizer stayathome': 70886, 'sanitizer stayathome staysafestayhome': 735799, 'bid': 129457, 'overcharging': 631096, 'capped': 162866, 'ply': 661754, 'surgical': 828341, 'respectively': 715162, 'jantacurfewchallenge': 464608, 'in bid': 420819, 'bid to': 129483, 'the overcharging': 862777, 'overcharging amid': 631097, 'amid panic': 52581, 'buying due': 150210, 'novel the': 573819, 'government of': 360392, 'of india': 585094, 'india ha': 434437, 'ha capped': 370057, 'capped the': 162882, 'of ply': 588181, 'ply and': 661759, 'and ply': 69137, 'ply surgical': 661782, 'surgical mask': 828347, 'mask at': 518408, 'at and': 97994, 'and 10': 57341, '10 respectively': 1654, 'respectively jantacurfewchallenge': 715172, 'in bid to': 420820, 'bid to curb': 129488, 'curb the overcharging': 220583, 'the overcharging amid': 862778, 'overcharging amid panic': 631098, 'amid panic buying': 52582, 'panic buying due': 637712, 'buying due to': 150211, 'to the novel': 916907, 'the novel the': 861925, 'novel the government': 573820, 'the government of': 856571, 'government of india': 360395, 'of india ha': 585104, 'india ha capped': 434439, 'ha capped the': 370058, 'capped the price': 162883, 'price of ply': 675536, 'of ply and': 588183, 'ply and ply': 661760, 'and ply surgical': 69139, 'ply surgical mask': 661783, 'surgical mask at': 828351, 'mask at and': 518413, 'at and 10': 97995, 'and 10 respectively': 57348, '10 respectively jantacurfewchallenge': 1656, 'ban': 109160, 'sunbathing': 818113, 'socialising': 780945, 'bench': 126820, 'matt': 520512, 'hancock': 374701, 'marr': 517984, 'follow': 312332, 'new the': 559742, 'government will': 360806, 'will ban': 992327, 'ban exercise': 109196, 'exercise under': 290109, 'under the': 940288, 'the lockdown': 859587, 'lockdown if': 499487, 'if people': 414605, 'people keep': 648569, 'keep flouting': 471510, 'flouting the': 311220, 'the rule': 866037, 'rule by': 727219, 'by sunbathing': 154162, 'sunbathing socialising': 818124, 'socialising sitting': 780946, 'sitting on': 772131, 'on bench': 599618, 'bench matt': 126821, 'matt hancock': 520520, 'hancock say': 374706, 'say he': 738725, 'he tell': 385502, 'tell marr': 837002, 'marr that': 517986, 'that if': 844413, 'not want': 572433, 'to ban': 901016, 'exercise then': 290104, 'then you': 877777, 'have got': 380811, 'got to': 358948, 'to follow': 906042, 'follow the': 312520, 'new the government': 559744, 'the government will': 856629, 'government will ban': 360808, 'will ban exercise': 992329, 'ban exercise under': 109199, 'exercise under the': 290110, 'under the lockdown': 940318, 'the lockdown if': 859604, 'lockdown if people': 499488, 'if people keep': 414622, 'people keep flouting': 648571, 'keep flouting the': 471511, 'flouting the rule': 311222, 'the rule by': 866043, 'rule by sunbathing': 727220, 'by sunbathing socialising': 154163, 'sunbathing socialising sitting': 818125, 'socialising sitting on': 780947, 'sitting on bench': 772132, 'on bench matt': 599619, 'bench matt hancock': 126822, 'matt hancock say': 520522, 'hancock say he': 374707, 'say he tell': 738738, 'he tell marr': 385503, 'tell marr that': 837003, 'marr that if': 517987, 'that if you': 844427, 'if you do': 415423, 'do not want': 249887, 'not want to': 572447, 'want to ban': 965993, 'to ban exercise': 901020, 'ban exercise then': 109198, 'exercise then you': 290105, 'then you have': 877786, 'you have got': 1019052, 'have got to': 380816, 'got to follow': 358955, 'to follow the': 906065, 'follow the rule': 312544, 'pastry': 643893, 'pizza': 657145, 'base': 111430, 'four': 330576, 'fast': 299900, 'fun': 341122, 'and at': 58470, 'at first': 98652, 'first wa': 309166, 'wa all': 961464, 'all other': 43777, 'other stuff': 621002, 'stuff like': 815117, 'like toilet': 491641, 'toilet and': 921125, 'and long': 66347, 'long life': 501486, 'life milk': 488874, 'milk but': 531611, 'but now': 146596, 'now all': 573958, 'all puff': 44092, 'puff pastry': 688836, 'pastry pizza': 643898, 'pizza base': 657151, 'base and': 111432, 'and four': 63237, 'four think': 330679, 'are bored': 85025, 'bored and': 135331, 'and no': 67599, 'no fast': 564194, 'fast food': 299953, 'food open': 315635, 'open so': 612501, 'it fun': 458184, 'fun thing': 341224, 'thing to': 884875, 'do with': 250541, 'supermarket and at': 818934, 'and at first': 58473, 'at first wa': 98660, 'first wa all': 309167, 'wa all other': 961467, 'all other stuff': 43789, 'other stuff like': 621004, 'stuff like toilet': 815123, 'like toilet and': 491642, 'toilet and long': 921126, 'and long life': 66349, 'long life milk': 501488, 'life milk but': 488875, 'milk but now': 531614, 'but now all': 146597, 'now all puff': 573964, 'all puff pastry': 44093, 'puff pastry pizza': 688837, 'pastry pizza base': 643899, 'pizza base and': 657152, 'base and four': 111434, 'and four think': 63239, 'four think people': 330680, 'think people are': 885485, 'people are bored': 646939, 'are bored and': 85026, 'bored and no': 135332, 'and no fast': 67614, 'no fast food': 564195, 'fast food open': 299970, 'food open so': 315636, 'open so it': 612503, 'so it fun': 777461, 'it fun thing': 458186, 'fun thing to': 341227, 'thing to do': 884883, 'to do with': 904592, 'do with kid': 250556, 'drinklocal': 258955, 'wa happy': 962276, 'happy to': 377704, 'see these': 745928, 'these show': 880690, 'show up': 767251, 'up in': 945142, 'store quarantine': 809714, 'quarantine drinklocal': 692162, 'wa happy to': 962277, 'happy to see': 377720, 'to see these': 914085, 'see these show': 745930, 'these show up': 880691, 'show up in': 767258, 'up in the': 945184, 'grocery store quarantine': 365693, 'store quarantine drinklocal': 809715, 'consumerhabits': 199688, 'buyinghabits': 151425, 'mainoptmarketing': 508902, 'will the': 995126, 'consumer change': 196774, 'change after': 171885, 'passed consumerhabits': 643258, 'consumerhabits marketing': 199689, 'marketing buyinghabits': 517540, 'buyinghabits mainoptmarketing': 151426, 'how will the': 409242, 'will the consumer': 995130, 'the consumer change': 851508, 'consumer change after': 196775, 'change after the': 171889, 'after the pandemic': 36340, 'the pandemic ha': 862978, 'pandemic ha passed': 635559, 'ha passed consumerhabits': 371475, 'passed consumerhabits marketing': 643259, 'consumerhabits marketing buyinghabits': 199690, 'marketing buyinghabits mainoptmarketing': 517541, 'activist': 30336, 'filed': 305387, 'emotional': 273271, 'distress': 247925, 'lawsuit': 482518, 'fox': 330739, 'coverage': 212328, 'sought': 786203, 'replace': 711578, 'judge': 467614, 'overseeing': 631500, 'filing': 305416, 'crosspost': 219094, 'an activist': 55085, 'activist group': 30343, 'group which': 366967, 'which filed': 985854, 'filed consumer': 305398, 'protection and': 685313, 'and emotional': 62046, 'emotional distress': 273280, 'distress lawsuit': 247930, 'lawsuit against': 482519, 'against fox': 37452, 'fox news': 330760, 'news for': 560422, 'for it': 322688, 'it coverage': 457381, 'coverage of': 212364, 'ha sought': 372007, 'sought to': 786215, 'to replace': 913250, 'replace the': 711585, 'the judge': 858698, 'judge overseeing': 467626, 'overseeing it': 631501, 'it claim': 457143, 'claim one': 179778, 'one week': 607404, 'week after': 975821, 'after filing': 35661, 'filing it': 305426, 'it crosspost': 457420, 'an activist group': 55086, 'activist group which': 30344, 'group which filed': 366969, 'which filed consumer': 985855, 'filed consumer protection': 305399, 'consumer protection and': 198505, 'protection and emotional': 685317, 'and emotional distress': 62048, 'emotional distress lawsuit': 273281, 'distress lawsuit against': 247931, 'lawsuit against fox': 482520, 'against fox news': 37453, 'fox news for': 330763, 'news for it': 560436, 'for it coverage': 322700, 'it coverage of': 457382, 'coverage of the': 212369, 'pandemic ha sought': 635572, 'ha sought to': 372008, 'sought to replace': 786218, 'to replace the': 913251, 'replace the judge': 711588, 'the judge overseeing': 858699, 'judge overseeing it': 467627, 'overseeing it claim': 631502, 'it claim one': 457144, 'claim one week': 179779, 'one week after': 607407, 'week after filing': 975825, 'after filing it': 35662, 'filing it crosspost': 305427, 'weirdstreamathon': 977843, 'raise': 695805, 'artist': 94582, 'deserved': 238147, 'conviviality': 202688, 'alonetogether': 46959, 'the weirdstreamathon': 871366, 'weirdstreamathon is': 977844, 'is on': 450456, 'on join': 601735, 'join to': 466883, 'help raise': 390399, 'raise fund': 695853, 'fund for': 341402, 'for artist': 319493, 'artist affected': 94583, 'by and': 151830, 'enjoy well': 277207, 'well deserved': 978148, 'deserved moment': 238156, 'moment of': 536010, 'online conviviality': 608052, 'conviviality alonetogether': 202689, 'the weirdstreamathon is': 871367, 'weirdstreamathon is on': 977845, 'is on join': 450471, 'on join to': 601736, 'join to help': 466887, 'to help raise': 907599, 'help raise fund': 390401, 'raise fund for': 695854, 'fund for artist': 341403, 'for artist affected': 319494, 'artist affected by': 94584, 'affected by and': 34303, 'by and enjoy': 151837, 'and enjoy well': 62152, 'enjoy well deserved': 277208, 'well deserved moment': 978152, 'deserved moment of': 238157, 'moment of online': 536016, 'of online conviviality': 587252, 'online conviviality alonetogether': 608053, 'hollywoodjustfoundout': 400472, 'count': 210092, 'doesn': 251684, 'cape': 162611, 'hollywoodjustfoundout the': 400473, 'the hero': 857291, 'hero that': 394109, 'that count': 843373, 'count doesn': 210113, 'doesn wear': 251993, 'wear cape': 974299, 'hollywoodjustfoundout the hero': 400474, 'the hero that': 857299, 'hero that count': 394110, 'that count doesn': 843375, 'count doesn wear': 210114, 'doesn wear cape': 251994, 'worst': 1011137, 'type': 937507, 'paedos': 633816, 'worst type': 1011295, 'type of': 937543, 'world in': 1009654, 'in order': 426209, 'order selfish': 618564, 'selfish supermarket': 748280, 'supermarket shopper': 822607, 'shopper people': 761643, 'who take': 989727, 'take the': 832634, 'the low': 859772, 'low offer': 505441, 'offer on': 594717, 'on paedos': 602675, 'worst type of': 1011296, 'type of people': 937573, 'of people in': 587927, 'people in the': 648436, 'the world in': 871893, 'world in order': 1009662, 'in order selfish': 426218, 'order selfish supermarket': 618565, 'selfish supermarket shopper': 748281, 'supermarket shopper people': 822619, 'shopper people who': 761644, 'people who take': 650346, 'who take the': 989732, 'take the low': 832660, 'the low offer': 859780, 'low offer on': 505442, 'offer on paedos': 594719, 'advent': 33076, 'reveals': 720300, 'flaw': 310257, 'frailty': 330934, 'cheap': 174070, 'transport': 929864, 'the advent': 848372, 'advent of': 33079, '19 reveals': 10217, 'reveals flaw': 720318, 'flaw in': 310259, 'food system': 317039, 'system frailty': 831177, 'frailty that': 330935, 'that for': 843932, 'the most': 860938, 'most part': 542601, 'part cheap': 642257, 'cheap transport': 174221, 'transport and': 929865, 'and global': 63690, 'global supply': 352229, 'supply network': 825584, 'network have': 557722, 'been able': 120588, 'to mask': 909874, 'the advent of': 848373, 'advent of covid': 33081, 'covid 19 reveals': 213712, '19 reveals flaw': 10218, 'reveals flaw in': 720319, 'flaw in our': 310261, 'in our food': 426292, 'our food system': 623135, 'food system frailty': 317045, 'system frailty that': 831178, 'frailty that for': 330936, 'that for the': 843938, 'for the most': 326569, 'the most part': 861014, 'most part cheap': 542602, 'part cheap transport': 642258, 'cheap transport and': 174222, 'transport and global': 929866, 'and global supply': 63701, 'global supply network': 352237, 'supply network have': 825585, 'network have been': 557723, 'have been able': 379456, 'been able to': 120589, 'able to mask': 24504, 'stopstockpiling': 805860, 'borisout': 135542, 'socialdistanacing': 780039, 'panicbuyers': 638846, 'harder': 378154, 'panicshopping coronacrisis': 639423, 'coronacrisis stopstockpiling': 204794, 'stopstockpiling borisout': 805861, 'borisout stoppanicbuying': 135545, 'stoppanicbuying panicshopping': 805595, 'panicbuyinguk socialdistanacing': 639159, 'socialdistanacing have': 780063, 'have panicbuyers': 381881, 'panicbuyers made': 638864, 'made your': 508080, 'your life': 1024625, 'life harder': 488716, 'harder than': 378181, 'it needed': 459756, 'panicshopping coronacrisis stopstockpiling': 639424, 'coronacrisis stopstockpiling borisout': 204795, 'stopstockpiling borisout stoppanicbuying': 805862, 'borisout stoppanicbuying panicshopping': 135546, 'stoppanicbuying panicshopping panicbuyinguk': 805596, 'panicshopping panicbuyinguk socialdistanacing': 639448, 'panicbuyinguk socialdistanacing have': 639165, 'socialdistanacing have panicbuyers': 780064, 'have panicbuyers made': 381882, 'panicbuyers made your': 638866, 'made your life': 508081, 'your life harder': 1024635, 'life harder than': 488717, 'harder than it': 378184, 'than it needed': 840801, 'it needed to': 459761, 'needed to be': 556528, 'crowded': 219286, 'mentioned': 528814, 'lowly': 506251, 'ten': 837761, 'penny': 646602, 'shocked': 759551, 'been ill': 121320, 'ill for': 416120, 'day with': 228774, 'with what': 1002066, 'what can': 981165, 'only assume': 610123, 'assume wa': 97032, 'wa covid': 961887, 'in crowded': 421912, 'crowded supermarket': 219354, 'supermarket with': 823906, 'with no': 999732, 'no protection': 565226, 'protection from': 685453, 'from this': 337984, 'this disease': 887249, 'disease nothing': 245188, 'nothing is': 573055, 'is ever': 447569, 'ever mentioned': 285409, 'mentioned about': 528817, 'the lowly': 859825, 'lowly paid': 506252, 'paid staff': 634135, 'staff co': 792329, 'co we': 185001, 'are ten': 90771, 'ten penny': 837799, 'penny am': 646603, 'am shocked': 50388, 'shocked at': 759554, 'have been ill': 379574, 'been ill for': 121321, 'ill for day': 416121, 'for day with': 320594, 'day with what': 228788, 'with what can': 1002067, 'what can only': 981176, 'can only assume': 159116, 'only assume wa': 610125, 'assume wa covid': 97033, 'wa covid 19': 961888, '19 work in': 12170, 'work in crowded': 1005302, 'in crowded supermarket': 421920, 'crowded supermarket with': 219364, 'supermarket with no': 823932, 'with no protection': 999781, 'no protection from': 565230, 'protection from this': 685461, 'from this disease': 337994, 'this disease nothing': 887253, 'disease nothing is': 245189, 'nothing is ever': 573059, 'is ever mentioned': 447571, 'ever mentioned about': 285410, 'mentioned about the': 528818, 'about the lowly': 26442, 'the lowly paid': 859826, 'lowly paid staff': 506253, 'paid staff co': 634136, 'staff co we': 792331, 'co we are': 185003, 'we are ten': 970734, 'are ten penny': 90773, 'ten penny am': 837800, 'penny am shocked': 646604, 'am shocked at': 50389, 'shocked at the': 759557, 'true': 933027, 'are grocery': 86965, 'store spreading': 810289, 'spreading covid': 790956, 'if true': 415193, 'true we': 933209, 'we got': 971667, 'got problem': 358800, 'are grocery store': 86968, 'grocery store spreading': 365793, 'store spreading covid': 810290, 'spreading covid 19': 790957, '19 if true': 7666, 'if true we': 415196, 'true we got': 933213, 'we got problem': 971675, 'battle': 112771, 'deaf': 229318, 'startling': 795072, 'abuja': 27567, 'deadly': 229243, 'the huge': 857695, 'huge battle': 409981, 'battle with': 112842, 'the deaf': 852953, 'deaf dumb': 229319, 'dumb noticed': 262105, 'noticed something': 573471, 'something startling': 785064, 'startling at': 795073, 'at popular': 100160, 'popular abuja': 664532, 'abuja supermarket': 27583, 'supermarket old': 821714, 'old habit': 598285, 'habit die': 372598, 'die hard': 241366, 'hard they': 378020, 'they say': 883259, 'say but': 738471, 'but when': 147811, 'when such': 984089, 'such habit': 816534, 'habit is': 372642, 'is dangerous': 447025, 'dangerous and': 225718, 'and deadly': 60971, 'deadly to': 229297, 'public then': 688362, 'it could': 457350, 'and the huge': 73411, 'the huge battle': 857696, 'huge battle with': 409982, 'battle with the': 112845, 'with the deaf': 1001261, 'the deaf dumb': 852954, 'deaf dumb noticed': 229320, 'dumb noticed something': 262106, 'noticed something startling': 573472, 'something startling at': 785065, 'startling at popular': 795074, 'at popular abuja': 100161, 'popular abuja supermarket': 664533, 'abuja supermarket old': 27584, 'supermarket old habit': 821715, 'old habit die': 598286, 'habit die hard': 372599, 'die hard they': 241367, 'hard they say': 378021, 'they say but': 883261, 'say but when': 738474, 'but when such': 147823, 'when such habit': 984091, 'such habit is': 816535, 'habit is dangerous': 372643, 'is dangerous and': 447026, 'dangerous and deadly': 225719, 'and deadly to': 60972, 'deadly to the': 229298, 'to the public': 916992, 'the public then': 864859, 'public then it': 688364, 'then it could': 877280, 'boy': 137237, 'superchargechallenge': 818633, 'will use': 995277, 'it to': 461703, 'get food': 347027, 'up for': 944911, 'for this': 327006, '19 period': 9640, 'period help': 651781, 'help your': 391012, 'your boy': 1023008, 'boy to': 137292, 'survive this': 829258, 'period please': 651865, 'please superchargechallenge': 660607, 'will use it': 995286, 'use it to': 949317, 'it to get': 461717, 'to get food': 906484, 'get food stock': 347066, 'food stock up': 316815, 'stock up for': 803085, 'up for this': 944968, 'for this covid': 327018, 'covid 19 period': 213569, '19 period help': 9643, 'period help your': 651783, 'help your boy': 391013, 'your boy to': 1023009, 'boy to survive': 137293, 'to survive this': 916051, 'survive this period': 829267, 'this period please': 889529, 'period please superchargechallenge': 651866, 'tale': 833689, 'rare': 697072, 'contains': 200616, '80vol': 22766, 'alcohol': 40889, '500': 19925, 'decrease': 231545, 'minor': 533629, 'ingredient': 438341, 'glycerine': 353162, 'h2o2': 369381, 'expense': 291172, 'the tale': 869133, 'tale of': 833698, 'of rare': 588746, 'rare good': 697085, 'good contains': 356913, 'contains 80vol': 200621, '80vol alcohol': 22767, 'alcohol where': 41177, 'where doe': 984836, 'doe the': 251602, 'the increase': 858063, 'price come': 673187, 'come from': 187299, 'from in': 336018, 'in up': 430457, 'to 500': 899751, '500 global': 19995, 'global price': 352134, 'price decrease': 673408, 'decrease since': 231599, 'since month': 770743, 'month minor': 537863, 'minor ingredient': 533636, 'ingredient glycerine': 438372, 'glycerine h2o2': 353163, 'h2o2 are': 369382, 'the expense': 854715, 'expense of': 291202, 'of life': 585813, 'the tale of': 869135, 'tale of rare': 833702, 'of rare good': 588747, 'rare good contains': 697086, 'good contains 80vol': 356914, 'contains 80vol alcohol': 200622, '80vol alcohol where': 22768, 'alcohol where doe': 41178, 'where doe the': 984840, 'doe the increase': 251612, 'the increase in': 858065, 'increase in price': 432859, 'in price come': 426956, 'price come from': 673189, 'come from in': 187305, 'from in up': 336029, 'in up to': 430461, 'up to 500': 946341, 'to 500 global': 899756, '500 global price': 19996, 'global price decrease': 352135, 'price decrease since': 673411, 'decrease since month': 231600, 'since month minor': 770744, 'month minor ingredient': 537864, 'minor ingredient glycerine': 533637, 'ingredient glycerine h2o2': 438373, 'glycerine h2o2 are': 353164, 'h2o2 are available': 369383, 'available at the': 104261, 'at the expense': 100940, 'the expense of': 854717, 'expense of life': 291204, 'asked': 95708, 'place': 657285, 'twitch': 936610, 'streaming': 812804, 'awhile': 106259, 'saving': 737840, 'staysafe': 798776, 'cornavirusoutbreak': 203613, 'twitchaffiliate': 936621, 'we have': 971737, 'have now': 381724, 'now been': 574222, 'been asked': 120693, 'asked to': 95856, 'mask in': 518826, 'in public': 427068, 'public place': 688224, 'place to': 657743, 'store etc': 807627, 'etc no': 282671, 'no twitch': 565813, 'twitch streaming': 936613, 'streaming for': 812819, 'for me': 323303, 'me for': 522744, 'for awhile': 319549, 'awhile while': 106268, 'while saving': 987235, 'saving the': 737965, 'world staysafe': 1010002, 'staysafe out': 798859, 'out there': 627464, 'there stayhome': 879093, 'stayhome cornavirusoutbreak': 797968, 'cornavirusoutbreak twitchaffiliate': 203619, 'we have now': 971880, 'have now been': 381726, 'now been asked': 574223, 'been asked to': 120696, 'asked to wear': 95881, 'wear mask in': 974390, 'mask in public': 518834, 'in public place': 427095, 'public place to': 688237, 'place to the': 657777, 'grocery store etc': 365376, 'store etc no': 807630, 'etc no twitch': 282672, 'no twitch streaming': 565814, 'twitch streaming for': 936614, 'streaming for me': 812820, 'for me for': 323314, 'me for awhile': 522746, 'for awhile while': 319553, 'awhile while saving': 106269, 'while saving the': 987236, 'saving the world': 737967, 'the world staysafe': 871972, 'world staysafe out': 1010003, 'staysafe out there': 798860, 'out there stayhome': 627512, 'there stayhome cornavirusoutbreak': 879094, 'stayhome cornavirusoutbreak twitchaffiliate': 797969, 'genuinely': 345873, 'british': 140486, 'prick': 678002, 'am genuinely': 50071, 'genuinely worried': 345913, 'worried that': 1010581, 'the british': 850019, 'british public': 140574, 'public will': 688483, 'kill more': 474448, 'people than': 649742, 'than covid': 840471, '19 after': 4852, 'after seeing': 36156, 'seeing the': 746486, 'shelf today': 757707, 'today stop': 920225, 'hoarding you': 399669, 'you prick': 1020429, 'am genuinely worried': 50072, 'genuinely worried that': 345914, 'worried that the': 1010587, 'that the british': 846672, 'the british public': 850031, 'british public will': 140580, 'public will kill': 688484, 'will kill more': 993918, 'kill more people': 474451, 'more people than': 540043, 'people than covid': 649743, 'than covid 19': 840472, 'covid 19 after': 212593, '19 after seeing': 4856, 'after seeing the': 36160, 'seeing the supermarket': 746506, 'supermarket shelf today': 822549, 'shelf today stop': 757708, 'today stop hoarding': 920226, 'stop hoarding you': 804754, 'hoarding you prick': 399677, 'wellness': 978823, 'disinfectant': 245592, 'spray': 790251, 'cream': 215520, 'partner': 642752, 'code': 185324, 'discount': 244438, 'saturdayt': 737109, 'ha wellness': 372468, 'wellness set': 978854, 'set available': 753352, 'available that': 104616, 'that includes': 844472, 'includes hand': 431754, 'sanitizer wipe': 736113, 'wipe disinfectant': 996224, 'disinfectant spray': 245755, 'spray and': 790260, 'and hand': 64136, 'hand cream': 374886, 'cream available': 215530, 'available on': 104524, 'their site': 874735, 'site do': 771904, 'have partner': 381895, 'partner code': 642801, 'code april': 185333, 'april that': 83693, 'that give': 844009, 'you an': 1016964, 'extra 20': 293430, '20 discount': 13034, 'discount saturdayt': 244530, 'ha wellness set': 372469, 'wellness set available': 978855, 'set available that': 753353, 'available that includes': 104617, 'that includes hand': 844477, 'includes hand sanitizer': 431755, 'hand sanitizer wipe': 375670, 'sanitizer wipe disinfectant': 736116, 'wipe disinfectant spray': 996227, 'disinfectant spray and': 245756, 'spray and hand': 790261, 'and hand cream': 64138, 'hand cream available': 374887, 'cream available on': 215531, 'available on their': 104536, 'on their site': 604508, 'their site do': 874737, 'site do have': 771905, 'do have partner': 249376, 'have partner code': 381896, 'partner code april': 642802, 'code april that': 185334, 'april that give': 83694, 'that give you': 844013, 'give you an': 350849, 'you an extra': 1016966, 'an extra 20': 56003, 'extra 20 discount': 293431, '20 discount saturdayt': 13037, 'breaking': 138908, 'professor': 682535, 'stephen': 799729, 'powis': 667848, 'overnight': 631321, '170': 4413, 'signed': 769350, 'volunteer': 960202, '189': 4664, 'minute': 533702, 'yournhsneedsyou': 1026443, 'breaking professor': 139034, 'professor stephen': 682592, 'stephen powis': 799739, 'powis announces': 667849, 'announces on': 77272, 'on that': 603927, 'that overnight': 845622, 'overnight 170': 631322, '170 00': 4414, '00 of': 379, 'of you': 593367, 'already signed': 47664, 'signed up': 769387, 'to volunteer': 918229, 'volunteer to': 960348, 'your nh': 1025011, 'nh that': 562133, 'that 189': 842439, '189 people': 4665, 'people every': 647826, 'every minute': 286010, 'minute yournhsneedsyou': 533908, 'breaking professor stephen': 139035, 'professor stephen powis': 682593, 'stephen powis announces': 799740, 'powis announces on': 667850, 'announces on that': 77274, 'on that overnight': 603944, 'that overnight 170': 845623, 'overnight 170 00': 631323, '170 00 of': 4415, '00 of you': 388, 'of you have': 593389, 'you have already': 1019012, 'have already signed': 379203, 'already signed up': 47665, 'signed up to': 769390, 'up to volunteer': 946445, 'to volunteer to': 918235, 'volunteer to help': 960353, 'to help your': 907671, 'help your nh': 391025, 'your nh that': 1025012, 'nh that 189': 562134, 'that 189 people': 842440, '189 people every': 4666, 'people every minute': 647828, 'every minute yournhsneedsyou': 286014, 'street': 812880, 'riot': 722594, 'migrant': 531194, 'neutral': 557814, 'territory': 838553, 'spade': 787233, 'avoided': 105410, 'child are': 176006, 'are dying': 86037, 'dying of': 263847, 'of hunger': 584904, 'hunger patient': 411166, 'patient are': 644140, 'the street': 868215, 'street instead': 813003, 'the hospital': 857514, 'hospital and': 404275, 'are food': 86632, 'food riot': 316240, 'riot the': 722624, 'the migrant': 860586, 'migrant are': 531201, 'on neutral': 602370, 'neutral territory': 557817, 'territory let': 838568, 'let call': 486638, 'call spade': 156110, 'spade spade': 787234, 'spade this': 787239, 'this government': 887734, 'government ha': 360137, 'ha failed': 370578, 'failed because': 296132, 'because all': 118914, 'all this': 45089, 'could have': 209238, 'been avoided': 120715, 'child are dying': 176008, 'are dying of': 86050, 'dying of hunger': 263849, 'of hunger patient': 584917, 'hunger patient are': 411167, 'patient are on': 644144, 'on the street': 604388, 'the street instead': 868233, 'street instead of': 813004, 'instead of in': 440279, 'of in the': 585048, 'in the hospital': 429272, 'the hospital and': 857515, 'hospital and there': 404288, 'and there are': 73829, 'there are food': 878108, 'are food riot': 86636, 'food riot the': 316243, 'riot the migrant': 722625, 'the migrant are': 860587, 'migrant are on': 531203, 'are on neutral': 88726, 'on neutral territory': 602371, 'neutral territory let': 557818, 'territory let call': 838569, 'let call spade': 486640, 'call spade spade': 156111, 'spade spade this': 787236, 'spade this government': 787240, 'this government ha': 887737, 'government ha failed': 360151, 'ha failed because': 370579, 'failed because all': 296133, 'because all this': 118920, 'all this could': 45096, 'this could have': 886925, 'could have been': 209241, 'have been avoided': 379472, 'welp': 978865, 'besides': 127487, 'lab': 478244, 'using': 950364, 'proper': 684082, 'detect': 239325, 'super': 818463, 'conduct': 193632, 'shipment': 758739, 'strike': 813719, 'oatmeal': 578307, 'welp besides': 978866, 'besides the': 127523, 'panic that': 638672, 'that our': 845568, 'our region': 624570, 'region lab': 707430, 'lab are': 478248, 'not using': 572374, 'using the': 950685, 'the proper': 864671, 'proper kit': 684117, 'kit to': 475650, 'to detect': 904225, 'detect covid': 239326, 'the stock': 867902, 'stock on': 802555, 'supermarket are': 819142, 'are running': 89758, 'running super': 728083, 'super low': 818534, 'low bc': 505154, 'bc the': 113291, 'the ppl': 864172, 'ppl how': 668251, 'how conduct': 407577, 'conduct the': 193650, 'the shipment': 866944, 'shipment are': 758740, 'on strike': 603723, 'strike ppl': 813761, 'ppl send': 668321, 'send food': 749856, 'food oatmeal': 315575, 'oatmeal would': 578310, 'welp besides the': 978867, 'besides the panic': 127527, 'the panic that': 863225, 'panic that our': 638677, 'that our region': 845591, 'our region lab': 624571, 'region lab are': 707431, 'lab are not': 478249, 'are not using': 88493, 'not using the': 572379, 'using the proper': 950710, 'the proper kit': 864676, 'proper kit to': 684118, 'kit to detect': 475652, 'to detect covid': 904226, 'detect covid 19': 239327, '19 the stock': 11250, 'the stock on': 867919, 'stock on the': 802566, 'the supermarket are': 868467, 'supermarket are running': 819183, 'are running super': 89773, 'running super low': 728084, 'super low bc': 818535, 'low bc the': 505155, 'bc the ppl': 113292, 'the ppl how': 864174, 'ppl how conduct': 668252, 'how conduct the': 407578, 'conduct the shipment': 193651, 'the shipment are': 866945, 'shipment are on': 758741, 'are on strike': 88735, 'on strike ppl': 603726, 'strike ppl send': 813762, 'ppl send food': 668322, 'send food oatmeal': 749858, 'food oatmeal would': 315576, 'oatmeal would be': 578311, 'defense': 232126, 'trump must': 933714, 'must use': 546972, 'use the': 949649, 'the defense': 853032, 'defense production': 232141, 'production act': 681892, 'act to': 29794, 'produce hundred': 680304, 'of million': 586531, 'million of': 532257, 'the protective': 864710, 'protective equipment': 685722, 'equipment we': 279867, 'need our': 555395, 'our health': 623365, 'protected we': 685163, 'we must': 972398, 'must also': 546471, 'also focus': 48218, 'focus on': 311860, 'on all': 599217, 'all worker': 45498, 'risk including': 723630, 'including member': 432056, 'member exposed': 528075, 'exposed every': 292848, 'trump must use': 933716, 'must use the': 546976, 'use the defense': 949660, 'the defense production': 853033, 'defense production act': 232142, 'production act to': 681900, 'act to produce': 29800, 'to produce hundred': 912197, 'produce hundred of': 680305, 'hundred of million': 411002, 'of million of': 586535, 'million of the': 532289, 'of the protective': 591375, 'the protective equipment': 864711, 'protective equipment we': 685741, 'equipment we need': 279868, 'we need our': 972524, 'need our health': 555397, 'our health care': 623370, 'care worker are': 164277, 'worker are protected': 1006416, 'are protected we': 89298, 'protected we must': 685164, 'we must also': 972401, 'must also focus': 546473, 'also focus on': 48219, 'focus on all': 311862, 'on all worker': 599257, 'all worker at': 45500, 'worker at risk': 1006473, 'at risk including': 100371, 'risk including member': 723631, 'including member exposed': 432057, 'member exposed every': 528076, 'exposed every day': 292849, 'everybody keep': 286455, 'keep strong': 471983, 'strong we': 814154, 'have toiletpaper': 383352, 'everybody keep strong': 286456, 'keep strong we': 471984, 'strong we have': 814156, 'we have toiletpaper': 971970, 'bus': 142988, 'operate': 612971, 'remote': 710690, 'will bus': 992864, 'bus service': 143078, 'service still': 752869, 'still operate': 800988, 'operate over': 613010, 'the next': 861642, 'next few': 561360, 'those of': 892259, 'of who': 593124, 'who live': 989212, 'live in': 495843, 'in remote': 427378, 'remote area': 710693, 'area and': 91928, 'and rely': 70207, 'on your': 605450, 'your bus': 1023040, 'bus to': 143096, 'get thing': 348397, 'thing from': 884343, '19 will bus': 12080, 'will bus service': 992865, 'bus service still': 143081, 'service still operate': 752870, 'still operate over': 800990, 'operate over the': 613011, 'over the next': 630743, 'the next few': 861665, 'next few week': 561364, 'few week for': 304146, 'week for those': 976240, 'for those of': 327126, 'those of who': 892271, 'of who live': 593132, 'who live in': 989215, 'live in remote': 495883, 'in remote area': 427379, 'remote area and': 710694, 'area and rely': 91942, 'and rely on': 70208, 'rely on your': 709659, 'on your bus': 605451, 'your bus to': 1023041, 'bus to get': 143099, 'to get thing': 906617, 'get thing from': 348398, 'thing from the': 884349, 'fluid': 311528, 'lady': 478730, 'asks': 96127, 'scared': 740932, 'wa in': 962357, 'line yesterday': 493616, 'yesterday watching': 1015929, 'watching worker': 968825, 'in ppe': 426891, 'ppe spray': 668054, 'spray fluid': 790292, 'fluid on': 311534, 'on shelf': 603398, 'shelf cart': 756929, 'cart food': 165298, 'food case': 313882, 'case lady': 165847, 'lady asks': 478738, 'asks can': 96130, 'can you': 160270, 'you spray': 1021335, 'spray some': 790331, 'some in': 783091, 'my hand': 548600, 'hand this': 375844, 'this isnt': 888498, 'isnt sanitizer': 454785, 'sanitizer it': 735224, 'it bleach': 456887, 'bleach please': 132511, 'please little': 660198, 'little others': 495508, 'others asked': 621287, 'asked him': 95761, 'him the': 396730, 'same that': 733324, 'that how': 844378, 'how scared': 408627, 'scared people': 741005, 'wa in line': 962372, 'in line yesterday': 424787, 'line yesterday watching': 493617, 'yesterday watching worker': 1015930, 'watching worker in': 968826, 'worker in ppe': 1007194, 'in ppe spray': 426893, 'ppe spray fluid': 668055, 'spray fluid on': 790293, 'fluid on shelf': 311535, 'on shelf cart': 603402, 'shelf cart food': 756930, 'cart food case': 165299, 'food case lady': 313883, 'case lady asks': 165848, 'lady asks can': 478739, 'asks can you': 96131, 'can you spray': 160335, 'you spray some': 1021336, 'spray some in': 790332, 'some in my': 783093, 'in my hand': 425582, 'my hand this': 548616, 'hand this isnt': 375848, 'this isnt sanitizer': 888500, 'isnt sanitizer it': 454786, 'sanitizer it bleach': 735225, 'it bleach please': 456888, 'bleach please little': 132512, 'please little others': 660199, 'little others asked': 495509, 'others asked him': 621288, 'asked him the': 95763, 'him the same': 396733, 'the same that': 866306, 'same that how': 733325, 'that how scared': 844384, 'how scared people': 408628, 'scared people are': 741006, 'people are now': 647028, 'repost': 712804, 'sea': 743075, 'spotted': 790173, 'noosaville': 566884, 'thanks': 842002, 'laugh': 481699, 'lisa': 494237, 'funny': 341695, 'noosa': 566882, 'sunshinecoast': 818448, 'repost don': 712810, 'don mind': 253739, 'mind me': 532692, 'me just': 523028, 'just deep': 468564, 'deep sea': 231924, 'sea shopping': 743102, 'shopping spotted': 763947, 'spotted at': 790181, 'at supermarket': 100693, 'in noosaville': 425928, 'noosaville whoever': 566885, 'whoever you': 990128, 'are thanks': 90786, 'thanks for': 842046, 'the laugh': 859168, 'laugh lisa': 481743, 'lisa wise': 494248, 'wise funny': 996681, 'funny noosa': 341772, 'noosa sunshinecoast': 566883, 'repost don mind': 712811, 'don mind me': 253741, 'mind me just': 532693, 'me just deep': 523031, 'just deep sea': 468565, 'deep sea shopping': 231925, 'sea shopping spotted': 743103, 'shopping spotted at': 763948, 'spotted at supermarket': 790184, 'at supermarket in': 100735, 'supermarket in noosaville': 820946, 'in noosaville whoever': 425929, 'noosaville whoever you': 566886, 'whoever you are': 990129, 'you are thanks': 1017258, 'are thanks for': 90787, 'thanks for the': 842080, 'for the laugh': 326526, 'the laugh lisa': 859169, 'laugh lisa wise': 481744, 'lisa wise funny': 494249, 'wise funny noosa': 996682, 'funny noosa sunshinecoast': 341773, 'prepayment': 670370, 'energy': 276379, 'meter': 529679, 'guidance': 368192, 'you struggling': 1021455, 'to top': 917633, 'top up': 925746, 'your prepayment': 1025379, 'prepayment energy': 670371, 'energy meter': 276502, 'meter due': 529711, 'outbreak follow': 628220, 'the link': 859433, 'link below': 493796, 'below for': 126641, 'for advice': 319042, 'advice guidance': 33397, 'are you struggling': 91863, 'you struggling to': 1021456, 'struggling to top': 814522, 'to top up': 917638, 'top up your': 925753, 'up your prepayment': 946749, 'your prepayment energy': 1025380, 'prepayment energy meter': 670372, 'energy meter due': 276503, 'meter due to': 529712, 'to the covid': 916606, '19 outbreak follow': 9123, 'outbreak follow the': 628221, 'follow the link': 312535, 'the link below': 859435, 'link below for': 493800, 'below for advice': 126642, 'for advice guidance': 319045, 'bailing': 108612, 'corruption': 207679, '101': 2216, 'rewarding': 720813, 'ceo': 169627, 'airline': 39907, 'cruise': 219687, 'hotel': 405098, 'fly': 311596, 'vacation': 951577, 'gopfascists': 358306, 'bailing out': 108615, 'out corporation': 625902, 'corporation is': 207433, 'is just': 449115, 'just corruption': 468527, 'corruption 101': 207680, '101 congress': 2221, 'congress rewarding': 194523, 'rewarding ceo': 720814, 'ceo with': 169890, 'public fund': 688023, 'fund to': 341519, 'save the': 737651, 'the airline': 848494, 'airline cruise': 39939, 'cruise line': 219697, 'line hotel': 493181, 'hotel or': 405175, 'or any': 614336, 'any consumer': 79052, 'consumer business': 196666, 'business give': 143782, 'give the': 350730, 'people the': 649788, 'the fucking': 855986, 'fucking money': 339947, 'll spend': 497020, 'spend it': 788623, 'to fly': 906030, 'fly cruise': 311602, 'cruise vacation': 219716, 'vacation trump': 951605, 'trump gopfascists': 933584, 'bailing out corporation': 108616, 'out corporation is': 625903, 'corporation is just': 207434, 'is just corruption': 449125, 'just corruption 101': 468528, 'corruption 101 congress': 207681, '101 congress rewarding': 2223, 'congress rewarding ceo': 194524, 'rewarding ceo with': 720815, 'ceo with public': 169891, 'with public fund': 1000356, 'public fund to': 688024, 'fund to save': 341528, 'to save the': 913795, 'save the airline': 737652, 'the airline cruise': 848497, 'airline cruise line': 39941, 'cruise line hotel': 219698, 'line hotel or': 493182, 'hotel or any': 405176, 'or any consumer': 614339, 'any consumer business': 79053, 'consumer business give': 196672, 'business give the': 143783, 'give the people': 350746, 'the people the': 863509, 'people the fucking': 649790, 'the fucking money': 855991, 'fucking money and': 339948, 'money and they': 536606, 'and they ll': 73916, 'they ll spend': 882611, 'll spend it': 497022, 'spend it to': 788625, 'it to fly': 461714, 'to fly cruise': 906031, 'fly cruise vacation': 311604, 'cruise vacation trump': 219717, 'vacation trump gopfascists': 951606, 'campaigning': 157281, 'keyworkers': 473594, 'decree': 231667, 'state': 795326, 'start campaigning': 794247, 'campaigning for': 157282, 'for supermarket': 325996, 'worker to': 1007993, 'get paid': 347759, 'paid more': 634085, 'more keyworkers': 539649, 'keyworkers coronacrisis': 473595, 'coronacrisis the': 204810, 'government decree': 360014, 'decree state': 231671, 'state so': 795940, 'time to start': 898073, 'to start campaigning': 915190, 'start campaigning for': 794248, 'campaigning for supermarket': 157283, 'for supermarket worker': 326037, 'supermarket worker to': 824100, 'worker to get': 1008006, 'to get paid': 906554, 'get paid more': 347774, 'paid more keyworkers': 634088, 'more keyworkers coronacrisis': 539650, 'keyworkers coronacrisis the': 473596, 'coronacrisis the government': 204812, 'the government decree': 856524, 'government decree state': 360015, 'decree state so': 231672, 'retailstrong': 719551, 'signing': 769628, 'pledge': 660835, 'retailstrong join': 719552, 'join by': 466687, 'by signing': 154016, 'signing this': 769649, 'this pledge': 889620, 'pledge to': 660854, 'support our': 826723, 'local retailer': 498350, 'retailer during': 719124, 'closure we': 184060, 'we love': 972305, 'love local': 504719, 'local retail': 498345, 'retail via': 718837, 'retailstrong join by': 719553, 'join by signing': 466689, 'by signing this': 154019, 'signing this pledge': 769652, 'this pledge to': 889621, 'pledge to support': 660860, 'to support our': 915956, 'support our local': 826735, 'our local retailer': 623785, 'local retailer during': 498352, 'retailer during covid': 719125, '19 store closure': 10883, 'store closure we': 807113, 'closure we love': 184062, 'we love local': 972308, 'love local retail': 504720, 'local retail via': 498349, 'foreigner': 329018, 'immediately': 417046, 'inform': 437655, 'guardia': 367880, 'di': 240135, 'finanza': 306743, 'notice': 573242, 'excessively': 289426, 'call all': 155750, 'all foreigner': 42857, 'foreigner who': 329029, 'currently in': 221563, 'italy to': 462951, 'to immediately': 908136, 'immediately inform': 417110, 'inform the': 437666, 'the guardia': 856903, 'guardia di': 367881, 'di finanza': 240138, 'finanza if': 306744, 'they notice': 882793, 'notice that': 573361, 'that mask': 845052, 'or hand': 615553, 'sanitizers are': 736210, 'are sold': 90245, 'sold at': 781624, 'at excessively': 98583, 'excessively high': 289429, 'price thanks': 676786, 'thanks italy': 842122, 'call all foreigner': 155751, 'all foreigner who': 42858, 'foreigner who are': 329030, 'who are currently': 988128, 'are currently in': 85665, 'currently in italy': 221567, 'in italy to': 424321, 'italy to immediately': 462952, 'to immediately inform': 908141, 'immediately inform the': 417111, 'inform the guardia': 437667, 'the guardia di': 856904, 'guardia di finanza': 367882, 'di finanza if': 240139, 'finanza if they': 306745, 'if they notice': 415120, 'they notice that': 882794, 'notice that mask': 573362, 'that mask glove': 845056, 'glove or hand': 352839, 'or hand sanitizers': 615558, 'hand sanitizers are': 375682, 'sanitizers are sold': 736219, 'are sold at': 90246, 'sold at excessively': 781630, 'at excessively high': 98584, 'excessively high price': 289430, 'high price thanks': 395278, 'price thanks italy': 676788, 'apparently': 81902, 'six': 772620, 'foot': 318338, 'hell': 388974, 'hanging': 376959, 'laughing': 481802, 'quarantinelife': 692926, 'get few': 347002, 'few thing': 304091, 'thing right': 884719, 'right apparently': 721769, 'apparently the': 82011, 'the keep': 858739, 'keep six': 471934, 'six foot': 772634, 'foot away': 318355, 'from someone': 337348, 'someone and': 784362, 'and staying': 72315, 'staying at': 798571, 'home still': 402144, 'still doesn': 800439, 'doesn apply': 251705, 'to people': 911609, 'people why': 650371, 'why the': 991407, 'the hell': 857235, 'hell are': 388980, 'you hanging': 1018995, 'hanging out': 376971, 'out at': 625735, 'at grocery': 98811, 'store just': 808614, 'just laughing': 469114, 'laughing and': 481804, 'and talking': 73011, 'talking quarantinelife': 834036, 'went to the': 979196, 'store to get': 810771, 'to get few': 906478, 'get few thing': 347008, 'few thing right': 304102, 'thing right apparently': 884720, 'right apparently the': 721770, 'apparently the keep': 82017, 'the keep six': 858741, 'keep six foot': 471935, 'six foot away': 772636, 'foot away from': 318356, 'away from someone': 105910, 'from someone and': 337349, 'someone and staying': 784363, 'and staying at': 72317, 'staying at home': 798572, 'at home still': 99122, 'home still doesn': 402145, 'still doesn apply': 800440, 'doesn apply to': 251707, 'apply to people': 82618, 'to people why': 911647, 'people why the': 650376, 'why the hell': 991421, 'the hell are': 857236, 'hell are you': 388983, 'are you hanging': 91802, 'you hanging out': 1018996, 'hanging out at': 376972, 'out at grocery': 625743, 'at grocery store': 98815, 'grocery store just': 365498, 'store just laughing': 808618, 'just laughing and': 469115, 'laughing and talking': 481807, 'and talking quarantinelife': 73013, 'stimuluspackage2020': 801649, '50m': 20176, 'civil': 179508, 'legal': 485832, 'aid': 39350, 'afford': 34665, 'funding': 341581, 'lsc': 506347, 'client': 181984, 'facing': 295393, 'eviction': 288305, 'violence': 957534, 'stimuluspackage2020 give': 801652, 'give an': 350379, 'extra 50m': 293444, '50m to': 20179, 'to for': 906126, 'for civil': 320094, 'civil legal': 179524, 'legal aid': 485840, 'aid for': 39385, 'for million': 323434, 'of american': 580049, 'american who': 52301, 'who can': 988368, 'can afford': 157393, 'afford legal': 34723, 'legal help': 485868, 'help funding': 389788, 'funding can': 341586, 'help lsc': 390024, 'lsc client': 506348, 'client facing': 182033, 'facing job': 295514, 'job loss': 465963, 'loss eviction': 503669, 'eviction domestic': 288312, 'domestic violence': 253244, 'violence consumer': 957543, 'consumer scam': 198865, 'scam from': 740172, 'from crisis': 335055, 'stimuluspackage2020 give an': 801653, 'give an extra': 350381, 'an extra 50m': 56007, 'extra 50m to': 293445, '50m to for': 20180, 'to for civil': 906133, 'for civil legal': 320095, 'civil legal aid': 179525, 'legal aid for': 485841, 'aid for million': 39386, 'for million of': 323437, 'million of american': 532258, 'of american who': 580081, 'american who can': 52303, 'who can afford': 988369, 'can afford legal': 157402, 'afford legal help': 34724, 'legal help funding': 485869, 'help funding can': 389789, 'funding can help': 341587, 'can help lsc': 158634, 'help lsc client': 390025, 'lsc client facing': 506349, 'client facing job': 182034, 'facing job loss': 295515, 'job loss eviction': 465973, 'loss eviction domestic': 503670, 'eviction domestic violence': 288313, 'domestic violence consumer': 253246, 'violence consumer scam': 957544, 'consumer scam from': 198869, 'scam from crisis': 740174, 'touch': 926440, 'transmit': 929782, 'you touch': 1021893, 'touch at': 926460, 'store that': 810542, 'that could': 843338, 'could transmit': 209784, 'transmit coronavirus': 929783, 'thing you touch': 885042, 'you touch at': 1021895, 'touch at the': 926461, 'grocery store that': 365848, 'store that could': 810546, 'that could transmit': 843367, 'could transmit coronavirus': 209785, 'inspiring': 439858, 'biologist': 131233, 'statistician': 796606, 'servant': 751830, 'medic': 525988, 'logistics': 500717, 'countless': 210370, 'it ha': 458372, 'been inspiring': 121391, 'inspiring to': 439866, 'world come': 1009434, 'come together': 187619, 'together to': 920982, 'help fight': 389703, 'fight this': 304913, 'this pandemic': 889363, 'pandemic whether': 636982, 'whether they': 985590, 'are biologist': 84979, 'biologist statistician': 131234, 'statistician engineer': 796607, 'engineer civil': 276958, 'civil servant': 179540, 'servant medic': 751841, 'medic supermarket': 526005, 'staff logistics': 792627, 'logistics manager': 500771, 'manager manufacturer': 512743, 'manufacturer or': 513500, 'or one': 616380, 'of countless': 582025, 'countless other': 210384, 'other role': 620858, 'it ha been': 458380, 'ha been inspiring': 369835, 'been inspiring to': 121392, 'inspiring to see': 439867, 'see the world': 745897, 'the world come': 871842, 'world come together': 1009436, 'come together to': 187633, 'together to help': 920992, 'to help fight': 907514, 'help fight this': 389718, 'fight this pandemic': 304919, 'this pandemic whether': 889446, 'pandemic whether they': 636983, 'whether they are': 985591, 'they are biologist': 881213, 'are biologist statistician': 84980, 'biologist statistician engineer': 131235, 'statistician engineer civil': 796608, 'engineer civil servant': 276959, 'civil servant medic': 179544, 'servant medic supermarket': 751842, 'medic supermarket staff': 526006, 'supermarket staff logistics': 822865, 'staff logistics manager': 792629, 'logistics manager manufacturer': 500772, 'manager manufacturer or': 512744, 'manufacturer or one': 513501, 'or one of': 616381, 'one of countless': 606737, 'of countless other': 582026, 'countless other role': 210385, 'success': 816177, 'planted': 658746, 'seed': 746129, 'omg': 598893, 'toiletrolls': 923398, 'toiletpapergate': 923154, 'selfisolation': 748430, 'selfsufficient': 748593, 'gardening': 343640, 'growingmyown': 367265, 'success planted': 816214, 'planted toilet': 658747, 'paper seed': 640737, 'seed roll': 746164, 'roll and': 725170, 'and omg': 68048, 'omg they': 598914, 're growing': 698775, 'growing and': 367121, 'some even': 782767, 'even have': 284162, 'have little': 381346, 'little flower': 495341, 'flower soon': 311330, 'soon we': 785891, 'll have': 496824, 'have more': 381496, 'more tp': 540818, 'tp stock': 927955, 'stock toiletrolls': 803011, 'toiletrolls toiletpapergate': 923401, 'toiletpapergate toiletpaper': 923162, 'toiletpaper selfisolation': 922442, 'selfisolation selfsufficient': 748478, 'selfsufficient gardening': 748595, 'gardening growingmyown': 343645, 'success planted toilet': 816215, 'planted toilet paper': 658748, 'toilet paper seed': 921439, 'paper seed roll': 640738, 'seed roll and': 746165, 'roll and omg': 725179, 'and omg they': 68049, 'omg they re': 598916, 'they re growing': 883049, 're growing and': 698776, 'growing and some': 367123, 'and some even': 71959, 'some even have': 782770, 'even have little': 284168, 'have little flower': 381348, 'little flower soon': 495342, 'flower soon we': 311331, 'soon we ll': 785895, 'we ll have': 972254, 'll have more': 496830, 'have more tp': 381509, 'more tp stock': 540819, 'tp stock toiletrolls': 927957, 'stock toiletrolls toiletpapergate': 803012, 'toiletrolls toiletpapergate toiletpaper': 923402, 'toiletpapergate toiletpaper selfisolation': 923165, 'toiletpaper selfisolation selfsufficient': 922443, 'selfisolation selfsufficient gardening': 748479, 'selfsufficient gardening growingmyown': 748596, 'hiking': 396364, 'judged': 467643, 'harshly': 378575, 'are report': 89589, 'report of': 712103, 'business making': 144025, 'making serious': 511328, 'serious profit': 751456, 'profit off': 682819, 'off the': 594226, 'the back': 849139, 'back of': 107164, 'of by': 581020, 'by either': 152462, 'either hiking': 270320, 'hiking price': 396388, 'price or': 675764, 'or in': 615747, 'they treat': 883584, 'treat their': 930893, 'their staff': 874786, 'staff this': 792970, 'crisis will': 218401, 'end when': 276069, 'it doe': 457609, 'doe those': 251647, 'those business': 891848, 'be judged': 115581, 'judged harshly': 467644, 'harshly do': 378578, 'thing today': 884907, 'today for': 919533, 'for better': 319654, 'better tomorrow': 128577, 'there are report': 878154, 'are report of': 89590, 'report of business': 712106, 'of business making': 580961, 'business making serious': 144028, 'making serious profit': 511329, 'serious profit off': 751457, 'profit off the': 682822, 'off the back': 594231, 'the back of': 849148, 'back of by': 107165, 'of by either': 581023, 'by either hiking': 152463, 'either hiking price': 270321, 'hiking price or': 396404, 'price or in': 675780, 'or in the': 615763, 'in the way': 429664, 'way they treat': 969964, 'they treat their': 883585, 'treat their staff': 930894, 'their staff this': 874802, 'staff this crisis': 792971, 'this crisis will': 887111, 'crisis will end': 218410, 'will end when': 993309, 'end when it': 276070, 'when it doe': 983628, 'it doe those': 457619, 'doe those business': 251648, 'those business will': 891849, 'business will be': 144677, 'will be judged': 992524, 'be judged harshly': 115582, 'judged harshly do': 467645, 'harshly do the': 378579, 'right thing today': 722318, 'thing today for': 884908, 'today for better': 919534, 'for better tomorrow': 319662, 'isolation': 455176, 'seriously': 751520, 'consider': 194938, 'nutrient': 577698, 'protein': 685877, 'delivered': 233282, 'anyone worried': 80659, 'supply during': 825192, 'during self': 262995, 'self isolation': 747750, 'isolation should': 455429, 'should seriously': 766458, 'seriously consider': 751563, 'consider all': 194947, 'the nutrient': 861991, 'nutrient you': 577703, 'survive full': 829175, 'of protein': 588562, 'protein to': 685894, 'help heal': 389848, 'heal you': 386073, 'you easy': 1018387, 'on and': 599344, 'and store': 72499, 'and delivered': 61093, 'delivered to': 233421, 'to minimise': 910151, 'anyone worried about': 80660, 'worried about food': 1010489, 'about food supply': 25265, 'food supply during': 316950, 'supply during self': 825195, 'during self isolation': 262996, 'self isolation should': 747798, 'isolation should seriously': 455430, 'should seriously consider': 766459, 'seriously consider all': 751564, 'consider all the': 194949, 'all the nutrient': 44846, 'the nutrient you': 861992, 'nutrient you need': 577704, 'to survive full': 916030, 'survive full of': 829176, 'full of protein': 340752, 'of protein to': 588564, 'protein to help': 685895, 'to help heal': 907536, 'help heal you': 389849, 'heal you easy': 386074, 'you easy to': 1018388, 'easy to stock': 265792, 'up on and': 945524, 'on and store': 599373, 'and store and': 72500, 'store and delivered': 806226, 'and delivered to': 61098, 'delivered to your': 233428, 'your door to': 1023580, 'door to minimise': 255753, 'to minimise the': 910155, 'minimise the spread': 533090, 'spread of covid': 790662, 'wish': 996740, 'included': 431667, 'bailout': 108620, 'sanitation': 733828, 'backbone': 107500, 'gopbailoutscam': 358303, 'wish included': 996771, 'included in': 431686, 'the bailout': 849190, 'bailout wa': 108670, 'wa huge': 962342, 'huge cash': 409995, 'cash bonus': 166184, 'all medical': 43486, 'medical worker': 526498, 'worker grocery': 1007060, 'store employee': 807449, 'employee first': 273848, 'responder sanitation': 715517, 'sanitation worker': 733869, 'worker everyone': 1006879, 'who is': 989054, 'the backbone': 849154, 'backbone of': 107503, 'of keeping': 585587, 'our country': 622579, 'country running': 211024, 'running and': 727903, 'and safe': 70704, 'safe right': 729911, 'now gopbailoutscam': 574809, 'wish included in': 996772, 'included in the': 431690, 'in the bailout': 429005, 'the bailout wa': 849192, 'bailout wa huge': 108671, 'wa huge cash': 962343, 'huge cash bonus': 409996, 'cash bonus for': 166185, 'bonus for all': 134370, 'for all medical': 319149, 'all medical worker': 43496, 'medical worker grocery': 526504, 'worker grocery store': 1007063, 'grocery store employee': 365362, 'store employee first': 807489, 'employee first responder': 273849, 'first responder sanitation': 308961, 'responder sanitation worker': 715518, 'sanitation worker everyone': 733874, 'worker everyone who': 1006880, 'everyone who is': 287595, 'who is the': 989121, 'is the backbone': 452733, 'the backbone of': 849155, 'backbone of keeping': 107504, 'of keeping our': 585592, 'keeping our country': 472500, 'our country running': 622602, 'country running and': 211026, 'running and safe': 727905, 'and safe right': 70720, 'safe right now': 729912, 'right now gopbailoutscam': 722071, 'epidemic': 279322, 'taught': 834885, 'non': 566296, 'banker': 110338, 'executive': 289850, 'warehouse': 966669, 'professional': 682392, '19 epidemic': 6801, 'epidemic ha': 279371, 'ha taught': 372161, 'taught anything': 834888, 'is that': 452627, 'the non': 861838, 'non essential': 566328, 'essential people': 281377, 'are banker': 84754, 'banker hedge': 110367, 'hedge fund': 388719, 'fund manager': 341451, 'manager and': 512667, 'oil executive': 596774, 'executive while': 289950, 'the essential': 854493, 'clerk warehouse': 181811, 'warehouse worker': 966814, 'worker delivery': 1006740, 'delivery truck': 234689, 'truck driver': 932760, 'driver and': 259406, 'and medical': 66869, 'medical professional': 526326, 'covid 19 epidemic': 213031, '19 epidemic ha': 6805, 'epidemic ha taught': 279374, 'ha taught anything': 372162, 'taught anything it': 834889, 'anything it is': 80803, 'it is that': 459097, 'is that the': 452695, 'that the non': 846782, 'the non essential': 861839, 'non essential people': 566349, 'essential people are': 281378, 'people are banker': 646933, 'are banker hedge': 84755, 'banker hedge fund': 110368, 'hedge fund manager': 388722, 'fund manager and': 341453, 'manager and oil': 512671, 'and oil executive': 68022, 'oil executive while': 596777, 'executive while the': 289951, 'while the essential': 987384, 'the essential people': 854517, 'people are grocery': 646992, 'store clerk warehouse': 807037, 'clerk warehouse worker': 181812, 'warehouse worker delivery': 966817, 'worker delivery truck': 1006749, 'delivery truck driver': 234695, 'truck driver and': 932764, 'driver and medical': 259419, 'and medical professional': 66881, 'jog': 466490, 'neighborhood': 557100, 'not working': 572545, 'for one': 324074, 'these essential': 879971, 'essential business': 280837, 'business if': 143865, 'not out': 570861, 'out taking': 627292, 'taking walk': 833663, 'walk or': 964843, 'or jog': 615863, 'jog in': 466491, 'the neighborhood': 861429, 'neighborhood foot': 557114, 'from everybody': 335330, 'everybody else': 286429, 'else or': 271823, 'store or': 809310, 'or the': 617365, 'the doctor': 853455, 'doctor you': 251173, 'should not': 766231, 're not working': 699130, 'not working for': 572548, 'working for one': 1008643, 'for one of': 324088, 'of these essential': 591823, 'these essential business': 879972, 'essential business if': 280849, 'business if you': 143866, 're not out': 699109, 'not out taking': 570865, 'out taking walk': 627294, 'taking walk or': 833664, 'walk or jog': 964849, 'or jog in': 615864, 'jog in the': 466492, 'in the neighborhood': 429387, 'the neighborhood foot': 861430, 'neighborhood foot away': 557115, 'away from everybody': 105879, 'from everybody else': 335331, 'everybody else or': 286431, 'else or going': 271825, 'or going to': 615499, 'going to the': 355741, 'grocery store or': 365623, 'store or the': 809376, 'or the doctor': 617371, 'the doctor you': 853477, 'doctor you should': 251174, 'you should not': 1021208, 'should not be': 766234, 'not be out': 568427, 'wuhan': 1013458, 'inviting': 444286, 'mishra19': 534050, 'sanitizer italy': 735234, 'italy wuhan': 462965, 'wuhan grocery': 1013484, 'grocery inviting': 364634, 'inviting mishra19': 444289, 'sanitizer italy wuhan': 735236, 'italy wuhan grocery': 462967, 'wuhan grocery inviting': 1013489, 'grocery inviting mishra19': 364635, 'mum': 545863, 'tin': 898532, 'rice': 720982, 'kitchen': 475685, 'handwash': 376746, 'greed': 363354, 'went shopping': 979104, 'shopping for': 762653, 'my mum': 549365, 'mum and': 545871, 'and today': 74220, 'today shelf': 920169, 'shelf with': 757815, 'with long': 999303, 'term food': 838145, 'food tin': 317220, 'tin rice': 898557, 'rice etc': 721037, 'etc empty': 282510, 'empty also': 274751, 'also bread': 47976, 'milk meat': 531724, 'meat toilet': 525781, 'roll kitchen': 725366, 'kitchen roll': 475743, 'roll handwash': 725332, 'handwash soap': 376795, 'soap wipe': 779183, 'wipe and': 996183, 'and antibacterial': 58177, 'antibacterial wash': 78385, 'wash product': 967531, 'product empty': 681158, 'empty stoppanicbuying': 275144, 'stoppanicbuying greed': 805565, 'went shopping for': 979107, 'shopping for my': 762694, 'for my mum': 323726, 'my mum and': 549367, 'mum and today': 545873, 'and today shelf': 74226, 'today shelf with': 920170, 'shelf with long': 757819, 'with long term': 999306, 'long term food': 501685, 'term food tin': 838146, 'food tin rice': 317221, 'tin rice etc': 898558, 'rice etc empty': 721039, 'etc empty also': 282511, 'empty also bread': 274752, 'also bread milk': 47977, 'bread milk meat': 138530, 'milk meat toilet': 531726, 'meat toilet roll': 525783, 'toilet roll kitchen': 921579, 'roll kitchen roll': 725367, 'kitchen roll handwash': 475745, 'roll handwash soap': 725333, 'handwash soap wipe': 376796, 'soap wipe and': 779184, 'wipe and antibacterial': 996184, 'and antibacterial wash': 58180, 'antibacterial wash product': 78387, 'wash product empty': 967532, 'product empty stoppanicbuying': 681159, 'empty stoppanicbuying greed': 275145, 'praising': 668897, 'convid19uk': 202612, 'the point': 863899, 'in praising': 426904, 'praising nh': 668900, 'staff when': 793077, 'when you': 984532, 'leave no': 484875, 'no food': 564247, 'buy at': 148376, 'supermarket at': 819222, 'the end': 854296, 'end of': 275885, 'of shift': 589591, 'shift convid19uk': 758268, 'convid19uk nh': 202621, 'is the point': 452897, 'the point in': 863900, 'point in praising': 662524, 'in praising nh': 426905, 'praising nh staff': 668901, 'nh staff when': 562111, 'staff when you': 793078, 'when you leave': 984575, 'you leave no': 1019575, 'leave no food': 484876, 'no food to': 564279, 'food to buy': 317237, 'to buy at': 902183, 'buy at the': 148387, 'the supermarket at': 868474, 'supermarket at the': 819253, 'at the end': 100935, 'the end of': 854304, 'end of shift': 275914, 'of shift convid19uk': 589592, 'shift convid19uk nh': 758269, 'vintage': 957456, 'range': 696684, 'unique': 941967, 'single': 771236, 'income': 432269, 'smallbusiness': 775208, 'weareintrouble': 974555, 'etsy': 283184, 'are small': 90183, 'small family': 774943, 'family business': 297668, 'in nyc': 426014, 'nyc and': 577958, 'we sell': 973191, 'sell vintage': 748938, 'vintage item': 957457, 'item of': 463486, 'many kind': 514222, 'kind and': 474799, 'and wide': 75641, 'wide range': 991748, 'range of': 696711, 'of price': 588393, 'is our': 450610, 'our unique': 625227, 'unique single': 941998, 'single source': 771399, 'source of': 786516, 'of income': 585064, 'income we': 432492, 'in trouble': 430294, 'trouble visit': 932655, 'visit at': 959187, 'at nyc': 99930, 'nyc smallbusiness': 578049, 'smallbusiness weareintrouble': 775234, 'weareintrouble etsy': 974556, 'we are small': 970714, 'are small family': 90185, 'small family business': 774944, 'family business in': 297670, 'business in nyc': 143890, 'in nyc and': 426016, 'nyc and we': 577960, 'and we sell': 75319, 'we sell vintage': 973199, 'sell vintage item': 748939, 'vintage item of': 957458, 'item of many': 463492, 'of many kind': 586180, 'many kind and': 514223, 'kind and wide': 474816, 'and wide range': 75642, 'wide range of': 991749, 'range of price': 696718, 'of price this': 588417, 'price this is': 676912, 'this is our': 888348, 'is our unique': 450650, 'our unique single': 625228, 'unique single source': 941999, 'single source of': 771400, 'source of income': 786525, 'of income we': 585074, 'income we are': 432493, 'we are in': 970596, 'are in trouble': 87455, 'in trouble visit': 430298, 'trouble visit at': 932656, 'visit at nyc': 959191, 'at nyc smallbusiness': 99931, 'nyc smallbusiness weareintrouble': 578050, 'smallbusiness weareintrouble etsy': 775235, 'came': 156956, 'patrolling': 644401, 'abused': 27680, 'bekind': 126088, 'just came': 468421, 'came back': 156972, 'back from': 107002, 'from had': 335717, 'go and': 353277, 'and get': 63557, 'some food': 782852, 'food my': 315492, 'ha nothing': 371380, 'left when': 485727, 'when finish': 983422, 'finish my': 307859, 'my shift': 550034, 'shift working': 758469, 'for nh': 323861, 'nh two': 562152, 'two lot': 937018, 'of police': 588196, 'officer patrolling': 595695, 'patrolling the': 644404, 'store making': 808856, 'sure staff': 827680, 'staff were': 793067, 'were not': 979911, 'getting abused': 348824, 'abused please': 27698, 'please people': 660280, 'people be': 647220, 'kind bekind': 474819, 'just came back': 468422, 'came back from': 156976, 'back from had': 107009, 'from had to': 335718, 'had to go': 373694, 'to go and': 906769, 'go and get': 353280, 'and get some': 63601, 'get some food': 348053, 'some food my': 782864, 'food my local': 315495, 'local supermarket ha': 498531, 'supermarket ha nothing': 820639, 'ha nothing left': 371384, 'nothing left when': 573093, 'left when finish': 485728, 'when finish my': 983423, 'finish my shift': 307860, 'my shift working': 550037, 'shift working for': 758470, 'working for nh': 1008642, 'for nh two': 323865, 'nh two lot': 562153, 'two lot of': 937019, 'lot of police': 504251, 'of police officer': 588199, 'police officer patrolling': 663127, 'officer patrolling the': 595696, 'patrolling the store': 644406, 'the store making': 868055, 'store making sure': 808859, 'making sure staff': 511388, 'sure staff were': 827681, 'staff were not': 793072, 'were not getting': 979918, 'not getting abused': 569622, 'getting abused please': 348825, 'abused please people': 27699, 'please people be': 660282, 'people be kind': 647228, 'be kind bekind': 115613, 'milan': 531307, 'temperature': 837357, 'mandatory': 513030, 'speaker': 787734, 'remind': 710477, 'distance': 246616, 'shall': 754514, 'in milan': 425311, 'milan customer': 531310, 'customer have': 222435, 'been taken': 122125, 'the temperature': 869276, 'temperature and': 837358, 'and given': 63673, 'given glove': 351004, 'glove mask': 352769, 'mask covering': 518549, 'covering are': 212457, 'are mandatory': 88020, 'mandatory in': 513039, 'city in': 179196, 'store speaker': 810270, 'speaker remind': 787744, 'remind customer': 710482, 'customer of': 222635, 'keeping the': 472572, 'the safety': 866145, 'safety distance': 730510, 'distance shall': 246821, 'shall we': 754558, 'same in': 733120, 'supermarket in milan': 820936, 'in milan customer': 425313, 'milan customer have': 531311, 'customer have been': 222438, 'have been taken': 379709, 'been taken the': 122130, 'taken the temperature': 833075, 'the temperature and': 869277, 'temperature and given': 837360, 'and given glove': 63674, 'given glove mask': 351005, 'glove mask covering': 352772, 'mask covering are': 518550, 'covering are mandatory': 212458, 'are mandatory in': 88021, 'mandatory in the': 513040, 'the city in': 850940, 'city in store': 179203, 'in store speaker': 428458, 'store speaker remind': 810271, 'speaker remind customer': 787745, 'remind customer of': 710483, 'customer of keeping': 222637, 'of keeping the': 585593, 'keeping the safety': 472584, 'the safety distance': 866147, 'safety distance shall': 730511, 'distance shall we': 246822, 'shall we do': 754559, 'we do the': 971354, 'do the same': 250260, 'the same in': 866245, 'same in the': 733124, 'kiryu': 475432, 'sorry': 786003, 'fps': 330831, 'yakuzakiwami2': 1014059, 'ryugagotoku': 728837, 'when kiryu': 983665, 'kiryu saw': 475433, 'saw selfish': 738232, 'selfish people': 748203, 'supermarket sorry': 822784, 'sorry for': 786039, 'the fps': 855748, 'fps drop': 330832, 'drop yakuzakiwami2': 260455, 'yakuzakiwami2 ryugagotoku': 1014060, 'when kiryu saw': 983666, 'kiryu saw selfish': 475434, 'saw selfish people': 738233, 'selfish people in': 748214, 'the supermarket sorry': 868815, 'supermarket sorry for': 822786, 'sorry for the': 786046, 'for the fps': 326450, 'the fps drop': 855749, 'fps drop yakuzakiwami2': 330833, 'drop yakuzakiwami2 ryugagotoku': 260456, 'reusable': 720142, 'we continue': 971184, 'to battle': 901070, 'battle the': 112823, 'of is': 585313, 'it still': 461245, 'still safe': 801132, 'safe to': 730041, 'to bring': 902027, 'bring your': 140127, 'your reusable': 1025614, 'reusable shopping': 720171, 'shopping bag': 762137, 'bag to': 108421, 'we continue to': 971186, 'continue to battle': 201164, 'to battle the': 901075, 'battle the spread': 112830, 'spread of is': 790681, 'of is it': 585320, 'is it still': 449062, 'it still safe': 461258, 'still safe to': 801133, 'safe to bring': 730046, 'to bring your': 902059, 'bring your reusable': 140131, 'your reusable shopping': 1025617, 'reusable shopping bag': 720172, 'shopping bag to': 762148, 'bag to the': 108432, 'mealie': 524323, '18th': 4687, 'unity': 942314, 'society': 781139, 'lusaka': 506846, 'dctalkradio': 229002, 'cut discus': 223304, 'discus world': 244954, 'world consumer': 1009441, 'consumer right': 198804, 'right day': 721861, 'day corona': 227479, 'corona mealie': 204062, 'mealie meal': 524324, 'meal price': 524258, 'price today': 677066, 'today 18th': 919124, '18th march': 4692, '2020 the': 14631, 'consumer unity': 199420, 'unity trust': 942327, 'trust society': 934307, 'society lusaka': 781263, 'lusaka will': 506851, 'be on': 116185, 'on dctalkradio': 600231, 'dctalkradio 90': 229003, '90 to': 23350, 'day covid': 227499, '19 mealie': 8596, 'cut discus world': 223305, 'discus world consumer': 244955, 'world consumer right': 1009444, 'consumer right day': 198809, 'right day corona': 721862, 'day corona mealie': 227481, 'corona mealie meal': 204063, 'mealie meal price': 524325, 'meal price today': 524259, 'price today 18th': 677067, 'today 18th march': 919125, '18th march 2020': 4693, 'march 2020 the': 515164, '2020 the consumer': 14634, 'the consumer unity': 851617, 'consumer unity trust': 199421, 'unity trust society': 942328, 'trust society lusaka': 934308, 'society lusaka will': 781264, 'lusaka will be': 506852, 'will be on': 992587, 'be on dctalkradio': 116191, 'on dctalkradio 90': 600232, 'dctalkradio 90 to': 229004, '90 to discus': 23351, 'to discus world': 904386, 'right day covid': 721863, 'day covid 19': 227500, 'covid 19 mealie': 213416, '19 mealie meal': 8597, 'worker tip': 1007989, 'for shopping': 325575, 'shopping during': 762529, 'during crisis': 262548, 'grocery worker tip': 366192, 'worker tip for': 1007990, 'tip for shopping': 898783, 'for shopping during': 325579, 'shopping during crisis': 762534, 'visiting': 959511, 'schnucks': 741648, 'elaine': 270477, 'benes': 127186, 'cantspareasquare': 162378, 'after visiting': 36494, 'visiting my': 959534, 'local schnucks': 498370, 'schnucks store': 741651, 'store can': 806848, 'can clearly': 157915, 'clearly see': 181561, 'see that': 745782, 'that will': 847552, 'to become': 901668, 'become elaine': 119976, 'elaine benes': 270478, 'benes very': 127187, 'very soon': 955562, 'soon cantspareasquare': 785672, 'after visiting my': 36496, 'visiting my local': 959535, 'my local schnucks': 549139, 'local schnucks store': 498371, 'schnucks store can': 741652, 'store can clearly': 806851, 'can clearly see': 157917, 'clearly see that': 181563, 'see that will': 745804, 'that will have': 847582, 'will have to': 993679, 'have to become': 383162, 'to become elaine': 901672, 'become elaine benes': 119977, 'elaine benes very': 270479, 'benes very soon': 127188, 'very soon cantspareasquare': 955564, 'asian': 95244, 'covered': 212397, 'wa just': 962447, 'just at': 468245, 'supermarket target': 823139, 'target and': 834433, 'and walmart': 75155, 'walmart all': 965270, 'all cashier': 42317, 'cashier are': 166468, 'not protected': 571128, 'protected think': 685157, 'they all': 881108, 'all need': 43594, 'glove it': 352745, 'is to': 453174, 'protect themselves': 685015, 'themselves look': 876849, 'the asian': 848961, 'asian supermarket': 95354, 'cashier who': 166662, 'are covered': 85594, 'covered we': 212446, 'store open': 809249, 'so please': 778015, 'please protect': 660332, 'protect them': 685002, 'wa just at': 962453, 'just at supermarket': 468248, 'at supermarket target': 100777, 'supermarket target and': 823140, 'target and walmart': 834436, 'and walmart all': 75156, 'walmart all cashier': 965271, 'all cashier are': 42318, 'cashier are not': 166475, 'are not protected': 88445, 'not protected think': 571130, 'protected think they': 685158, 'think they all': 885677, 'they all need': 881118, 'all need to': 43610, 'and glove it': 63727, 'glove it is': 352746, 'it is to': 459106, 'is to protect': 453234, 'to protect themselves': 912340, 'protect themselves look': 685020, 'themselves look at': 876850, 'look at the': 502298, 'at the asian': 100878, 'the asian supermarket': 848967, 'asian supermarket cashier': 95358, 'supermarket cashier who': 819576, 'cashier who are': 166663, 'who are covered': 988125, 'are covered we': 85596, 'covered we need': 212447, 'we need to': 972562, 'need to keep': 555980, 'keep our store': 471754, 'our store open': 624949, 'store open so': 809264, 'open so please': 612505, 'so please protect': 778025, 'please protect them': 660334, 'socialismorbarbarism': 780995, 'capitalism is': 162766, 'is death': 447052, 'death socialismorbarbarism': 230199, 'capitalism is death': 162768, 'is death socialismorbarbarism': 447054, 'cadchf': 155058, 'audchf': 102899, 'nzdchf': 578222, 'exist': 290221, 'dating': 226794, '1953': 12393, '66': 21412, 'trump2020': 934000, 'maga2020': 508303, 'kag': 470611, 'ausbiz': 103035, 'cadchf and': 155059, 'and audchf': 58517, 'audchf and': 102900, 'and nzdchf': 67917, 'nzdchf current': 578223, 'current price': 221308, 'price do': 673470, 'not exist': 569322, 'exist dating': 290228, 'dating back': 226797, 'to 1953': 899559, '1953 or': 12394, 'or 66': 614218, '66 year': 21433, 'year trump2020': 1015052, 'trump2020 maga2020': 934006, 'maga2020 kag': 508305, 'kag usd': 470617, 'usd china': 948910, 'china ausbiz': 176511, 'cadchf and audchf': 155060, 'and audchf and': 58518, 'audchf and nzdchf': 102901, 'and nzdchf current': 67918, 'nzdchf current price': 578224, 'current price do': 221311, 'price do not': 673472, 'do not exist': 249729, 'not exist dating': 569323, 'exist dating back': 290229, 'dating back to': 226798, 'back to 1953': 107346, 'to 1953 or': 899560, '1953 or 66': 12395, 'or 66 year': 614219, '66 year trump2020': 21434, 'year trump2020 maga2020': 1015053, 'trump2020 maga2020 kag': 934007, 'maga2020 kag usd': 508307, 'kag usd china': 470618, 'usd china ausbiz': 948911, 'device': 239888, 'notified': 573550, 'vide': 956590, 'notification': 573521, 'dated': 226767, '11th': 2744, 'february': 301667, 'issued': 456034, 'ministry': 533521, 'governed': 359788, 'control': 201956, '2013': 13782, 'medical device': 526128, 'device notified': 239924, 'notified drug': 573551, 'drug 1st': 260842, '1st april': 12714, 'april 2020': 83453, '2020 vide': 14693, 'vide notification': 956591, 'notification dated': 573522, 'dated 11th': 226768, '11th february': 2751, 'february 2020': 301674, '2020 issued': 14409, 'issued by': 456041, 'by ministry': 153227, 'ministry of': 533538, 'of health': 584501, 'health amp': 386117, 'amp family': 53774, 'family welfare': 298364, 'welfare to': 977973, 'be governed': 115080, 'governed under': 359792, 'the provision': 864740, 'provision of': 687274, 'of drug': 582842, 'drug price': 261034, 'price control': 673234, 'control order': 202085, 'order 2013': 617985, 'medical device notified': 526129, 'device notified drug': 239925, 'notified drug 1st': 573552, 'drug 1st april': 260843, '1st april 2020': 12715, 'april 2020 vide': 83480, '2020 vide notification': 14694, 'vide notification dated': 956592, 'notification dated 11th': 573523, 'dated 11th february': 226769, '11th february 2020': 2752, 'february 2020 issued': 301678, '2020 issued by': 14410, 'issued by ministry': 456042, 'by ministry of': 153228, 'ministry of health': 533548, 'of health amp': 584502, 'health amp family': 386119, 'amp family welfare': 53776, 'family welfare to': 298366, 'welfare to be': 977974, 'to be governed': 901280, 'be governed under': 115081, 'governed under the': 359793, 'under the provision': 940325, 'the provision of': 864742, 'provision of drug': 687277, 'of drug price': 582850, 'drug price control': 261038, 'price control order': 673239, 'control order 2013': 202086, 'jump': 467829, 'shock set': 759506, 'set to': 753500, 'to drive': 904727, 'drive jump': 259088, 'jump in': 467860, 'consumer credit': 197012, 'credit loss': 216427, 'shock set to': 759507, 'set to drive': 753511, 'to drive jump': 904739, 'drive jump in': 259089, 'jump in consumer': 467862, 'in consumer credit': 421690, 'consumer credit loss': 197021, 'nz': 578172, 'newzealand': 561235, 'people panic': 649052, 'panic shopping': 638560, 'shopping yesterday': 764479, 'yesterday bought': 1015694, 'bought enough': 136543, 'enough food': 277379, 'for 10': 318608, '10 million': 1523, 'million people': 532303, 'people ffs': 647899, 'ffs nz': 304314, 'nz for': 578186, 'for population': 324619, 'population of': 664722, 'million newzealand': 532252, 'people panic shopping': 649062, 'panic shopping yesterday': 638596, 'shopping yesterday bought': 764480, 'yesterday bought enough': 1015695, 'bought enough food': 136545, 'enough food for': 277397, 'food for 10': 314513, 'for 10 million': 318617, '10 million people': 1529, 'million people ffs': 532306, 'people ffs nz': 647900, 'ffs nz for': 304315, 'nz for population': 578188, 'for population of': 324620, 'population of million': 664724, 'of million newzealand': 586534, 'synthesis': 831014, 'finding': 307428, 'recommendation': 704730, 'synthesis of': 831015, 'income related': 432444, 'related finding': 708440, 'finding and': 307437, 'and recommendation': 70053, 'recommendation for': 704744, 'for mrx': 323638, 'mrx related': 544494, 'synthesis of income': 831016, 'of income related': 585069, 'income related finding': 432445, 'related finding and': 708441, 'finding and recommendation': 307438, 'and recommendation for': 70055, 'recommendation for mrx': 704748, 'for mrx related': 323639, 'mrx related to': 544495, 'retweet': 720035, 'message': 529248, 'physician': 655531, 'solidarity': 781924, 'tireless': 899060, 'risking': 724055, 'overworked': 631783, 'unappreciated': 939414, 'helpless': 391574, 'essentialworkers': 281948, 'celebrity should': 168899, 'should retweet': 766420, 'retweet message': 720063, 'message from': 529311, 'local doctor': 497903, 'and physician': 69005, 'physician first': 655537, 'responder in': 715482, 'in solidarity': 428070, 'solidarity with': 781947, 'with their': 1001556, 'their tireless': 874998, 'tireless effort': 899061, 'effort risking': 269577, 'risking themselves': 724098, 'themselves for': 876803, 'health protection': 386771, 'protection it': 685498, 'can mean': 158979, 'mean lot': 524537, 'lot to': 504386, 'an overworked': 56771, 'overworked nurse': 631792, 'worker who': 1008192, 'who feel': 988730, 'feel unappreciated': 302905, 'unappreciated helpless': 939421, 'helpless essentialworkers': 391583, 'celebrity should retweet': 168900, 'should retweet message': 766421, 'retweet message from': 720064, 'message from local': 529319, 'from local doctor': 336248, 'local doctor and': 497904, 'doctor and physician': 250823, 'and physician first': 69006, 'physician first responder': 655538, 'first responder in': 308950, 'responder in solidarity': 715483, 'in solidarity with': 428074, 'solidarity with their': 781950, 'with their tireless': 1001604, 'their tireless effort': 874999, 'tireless effort risking': 899062, 'effort risking themselves': 269578, 'risking themselves for': 724100, 'themselves for our': 876804, 'for our health': 324255, 'our health protection': 623378, 'health protection it': 386774, 'protection it can': 685499, 'it can mean': 457025, 'can mean lot': 158982, 'mean lot to': 524541, 'lot to an': 504387, 'to an overworked': 900471, 'an overworked nurse': 56772, 'overworked nurse supermarket': 631794, 'supermarket worker who': 824123, 'worker who feel': 1008210, 'who feel unappreciated': 988737, 'feel unappreciated helpless': 302906, 'unappreciated helpless essentialworkers': 939422, 'owe': 631808, 'gratitude': 362351, 'watching on': 968771, 'on talking': 603879, 'about grocery': 25328, 'store worker': 811442, 'worker may': 1007360, 'may we': 521603, 'we all': 970308, 'all take': 44589, 'take moment': 832328, 'moment to': 536077, 'to pray': 911974, 'them their': 876397, 'their family': 873242, 'family they': 298306, 'are part': 88983, 'line we': 493551, 'we owe': 972675, 'owe all': 631809, 'you debt': 1018157, 'debt of': 230526, 'of gratitude': 584308, 'watching on talking': 968772, 'on talking about': 603880, 'talking about grocery': 833969, 'about grocery store': 25331, 'grocery store worker': 365970, 'store worker may': 811543, 'worker may we': 1007363, 'may we all': 521604, 'we all take': 970369, 'all take moment': 44593, 'take moment to': 832331, 'moment to pray': 536086, 'to pray for': 911976, 'pray for them': 669007, 'for them their': 326923, 'them their family': 876398, 'their family they': 873272, 'family they are': 298307, 'they are part': 881356, 'are part of': 88985, 'part of the': 642388, 'of the front': 591045, 'front line we': 338620, 'line we owe': 493553, 'we owe all': 972676, 'owe all of': 631810, 'all of you': 43727, 'of you debt': 593380, 'you debt of': 1018158, 'debt of gratitude': 230528, 'stocked': 803244, 'replenished': 711660, 'importantly': 419118, 'certain': 169966, 'associate': 96837, 'deserve': 238017, 'ton': 924255, 'well done': 978174, 'local whole': 498702, 'whole food': 990208, 'food wa': 317442, 'wa well': 963688, 'well stocked': 978589, 'stocked replenished': 803378, 'replenished and': 711661, 'most importantly': 542417, 'importantly the': 419149, 'store set': 810044, 'set limit': 753418, 'on certain': 599855, 'certain key': 170044, 'key item': 473332, 'item that': 463687, 'that help': 844294, 'help folk': 389736, 'folk get': 312159, 'get what': 348619, 'what they': 982390, 'need kudos': 555139, 'the hard': 857101, 'hard working': 378136, 'working store': 1008923, 'store associate': 806558, 'associate who': 96907, 'who deserve': 988567, 'deserve ton': 238140, 'ton of': 924264, 'of credit': 582129, 'credit grocery': 216399, 'well done the': 978203, 'done the local': 255041, 'the local whole': 859580, 'local whole food': 498703, 'whole food wa': 990217, 'food wa well': 317447, 'wa well stocked': 963690, 'well stocked replenished': 978603, 'stocked replenished and': 803379, 'replenished and most': 711662, 'and most importantly': 67269, 'most importantly the': 542428, 'importantly the store': 419150, 'the store set': 868100, 'store set limit': 810045, 'set limit on': 753421, 'limit on certain': 492409, 'on certain key': 599859, 'certain key item': 170045, 'key item that': 473335, 'item that help': 463694, 'that help folk': 844298, 'help folk get': 389737, 'folk get what': 312164, 'get what they': 348623, 'what they need': 982411, 'they need kudos': 882747, 'need kudos to': 555140, 'kudos to the': 477886, 'to the hard': 916765, 'the hard working': 857107, 'hard working store': 378147, 'working store associate': 1008924, 'store associate who': 806567, 'associate who deserve': 96908, 'who deserve ton': 988570, 'deserve ton of': 238141, 'ton of credit': 924268, 'of credit grocery': 582133, 'oadby': 578239, 'asda': 94899, 'suspending': 829644, '24': 15525, 'closing': 183567, '10pm': 2369, 'although there': 49368, 'no problem': 565188, 'problem with': 679750, 'with supply': 1001075, 'chain demand': 170642, 'demand mean': 235849, 'mean that': 524672, 'that local': 844923, 'are taking': 90709, 'taking step': 833576, 'step to': 799638, 'prevent hoarding': 671644, 'hoarding of': 399448, 'food during': 314315, 'outbreak oadby': 628472, 'oadby asda': 578240, 'asda is': 94935, 'is one': 450499, 'store suspending': 810488, 'suspending 24': 829645, '24 hr': 15630, 'hr opening': 409651, 'opening closing': 612813, 'closing at': 183592, 'at 10pm': 97430, '10pm to': 2382, 'allow re': 46041, 're stocking': 699613, 'although there are': 49369, 'are no problem': 88276, 'no problem with': 565203, 'problem with supply': 679763, 'with supply chain': 1001079, 'supply chain demand': 824945, 'chain demand mean': 170645, 'demand mean that': 235851, 'mean that local': 524683, 'that local supermarket': 844927, 'local supermarket are': 498500, 'supermarket are taking': 819187, 'are taking step': 90734, 'taking step to': 833577, 'step to prevent': 799659, 'to prevent hoarding': 912067, 'prevent hoarding of': 671646, 'hoarding of food': 399451, 'of food during': 583683, 'food during the': 314327, '19 outbreak oadby': 9159, 'outbreak oadby asda': 628473, 'oadby asda is': 578241, 'asda is one': 94937, 'is one of': 450506, 'of the store': 591496, 'the store suspending': 868115, 'store suspending 24': 810489, 'suspending 24 hr': 829646, '24 hr opening': 15633, 'hr opening closing': 409652, 'opening closing at': 612814, 'closing at 10pm': 183593, 'at 10pm to': 97433, '10pm to allow': 2384, 'to allow re': 900356, 'allow re stocking': 46042, 'meps': 528917, 'cap': 162404, 'contingency': 200943, 'eu': 283191, 'meps demand': 528918, 'demand cap': 235109, 'cap contingency': 162415, 'contingency plan': 200950, 'plan part': 658199, 'of eu': 583202, 'eu response': 283262, 'meps demand cap': 528919, 'demand cap contingency': 235110, 'cap contingency plan': 162416, 'contingency plan part': 200952, 'plan part of': 658200, 'part of eu': 642347, 'of eu response': 583206, 'eu response to': 283263, 'arrivalist': 93896, 'pattern': 644442, 'kpvi': 477609, 'stayhomesavelives': 798330, 'travel news': 930435, 'news arrivalist': 560246, 'arrivalist announces': 93897, 'announces travel': 77298, 'travel industry': 930397, 'industry first': 435830, 'first and': 308497, 'and only': 68129, 'only daily': 610309, 'daily measure': 224693, 'measure of': 525266, 'consumer travel': 199359, 'travel pattern': 930461, 'pattern kpvi': 644482, 'kpvi news': 477610, 'news news': 560633, 'news stayhomesavelives': 560820, 'travel news arrivalist': 930436, 'news arrivalist announces': 560247, 'arrivalist announces travel': 93898, 'announces travel industry': 77299, 'travel industry first': 930399, 'industry first and': 435831, 'first and only': 308504, 'and only daily': 68134, 'only daily measure': 610310, 'daily measure of': 224694, 'measure of consumer': 525267, 'of consumer travel': 581781, 'consumer travel pattern': 199360, 'travel pattern kpvi': 930462, 'pattern kpvi news': 644483, 'kpvi news news': 477611, 'news news stayhomesavelives': 560634, 'marketplace': 517797, '14': 3372, 'volume': 960113, '23rd': 15509, 'consumer after': 196111, 'after ecommerce': 35609, 'ecommerce marketplace': 266804, 'marketplace saw': 517833, 'saw 14': 738042, '14 increase': 3488, 'in volume': 430617, 'volume from': 960137, 'the 23rd': 848043, '23rd march': 15517, 'the consumer after': 851490, 'consumer after ecommerce': 196113, 'after ecommerce marketplace': 35610, 'ecommerce marketplace saw': 266805, 'marketplace saw 14': 517834, 'saw 14 increase': 738043, '14 increase in': 3489, 'increase in volume': 432880, 'in volume from': 430618, 'volume from the': 960138, 'from the 23rd': 337586, 'the 23rd march': 848044, 'middle': 530615, 'aisle': 40180, 'actually': 30720, 'here an': 392689, 'an idea': 56124, 'idea why': 413244, 'you clear': 1017969, 'clear the': 181357, 'the middle': 860565, 'middle aisle': 530621, 'aisle out': 40339, 'out and': 625640, 'area for': 92011, 'for more': 323551, 'more food': 539235, 'stock that': 802919, 'people actually': 646766, 'actually need': 30896, 'need sure': 555696, 'sure you': 827845, 'you could': 1018073, 'could sell': 209646, 'sell all': 748621, 'aisle stuff': 40381, 'stuff when': 815250, 'when the': 984123, 'lockdown is': 499537, 'is over': 450678, 'here an idea': 392692, 'an idea why': 56137, 'idea why do': 413245, 'not you clear': 572607, 'you clear the': 1017970, 'clear the middle': 181361, 'the middle aisle': 860566, 'middle aisle out': 530622, 'aisle out and': 40340, 'out and use': 625706, 'and use the': 74786, 'use the area': 949652, 'the area for': 848881, 'area for more': 92015, 'for more food': 323573, 'more food stock': 539253, 'food stock that': 316810, 'stock that people': 802924, 'that people actually': 845683, 'people actually need': 646769, 'actually need sure': 30904, 'need sure you': 555697, 'sure you could': 827854, 'you could sell': 1018100, 'could sell all': 209647, 'sell all the': 748623, 'all the middle': 44829, 'middle aisle stuff': 530623, 'aisle stuff when': 40382, 'stuff when the': 815252, 'when the lockdown': 984172, 'the lockdown is': 859610, 'lockdown is over': 499552, 'putting': 691078, 'divide': 248583, 'company pharmaceutical': 190956, 'pharmaceutical putting': 654088, 'putting price': 691205, 'price up': 677216, 'up by': 944537, 'by over': 153493, 'over 500': 629863, '500 covid': 19969, '19 should': 10497, 'should of': 766281, 'of brought': 580912, 'brought the': 141191, 'world together': 1010095, 'together in': 920831, 'in trying': 430309, 'get through': 348428, 'through the': 894714, 'pandemic instead': 635738, 'instead it': 440212, 'it created': 457397, 'created more': 215852, 'of divide': 582734, 'divide then': 248591, 'then before': 877023, 'company pharmaceutical putting': 190957, 'pharmaceutical putting price': 654089, 'putting price up': 691206, 'price up by': 677227, 'up by over': 944558, 'by over 500': 153498, 'over 500 covid': 629866, '500 covid 19': 19970, 'covid 19 should': 213792, '19 should of': 10502, 'should of brought': 766282, 'of brought the': 580913, 'brought the world': 141197, 'the world together': 871993, 'world together in': 1010096, 'together in trying': 920839, 'in trying to': 430310, 'trying to get': 934813, 'to get through': 906619, 'get through the': 348439, 'through the pandemic': 894762, 'the pandemic instead': 863000, 'pandemic instead it': 635739, 'instead it created': 440213, 'it created more': 457398, 'created more of': 215853, 'more of divide': 539872, 'of divide then': 582735, 'divide then before': 248592, 'combined': 187117, 'sharply': 755727, 'quarter': 693228, 'investing': 443913, 'market have': 516496, 'have not': 381677, 'not been': 568501, 'been immune': 121324, 'immune to': 417361, 'panic driven': 638046, 'driven selling': 259351, 'selling and': 749151, 'the uncertainty': 870337, 'uncertainty of': 939725, 'of our': 587417, 'our new': 624023, 'new economic': 558663, 'economic reality': 267220, 'reality combined': 701719, 'combined to': 187132, 'drive asset': 258990, 'asset price': 96451, 'price down': 673510, 'down sharply': 257179, 'sharply in': 755743, 'first quarter': 308891, 'quarter market': 693251, 'market investing': 516607, 'financial market have': 306506, 'market have not': 516505, 'have not been': 381678, 'not been immune': 568512, 'been immune to': 121325, 'immune to the': 417370, 'to the effect': 916666, 'effect of the': 269065, 'of the panic': 591317, 'the panic driven': 863200, 'panic driven selling': 638047, 'driven selling and': 259353, 'selling and the': 749155, 'and the uncertainty': 73631, 'the uncertainty of': 870341, 'uncertainty of our': 939729, 'of our new': 587521, 'our new economic': 624028, 'new economic reality': 558664, 'economic reality combined': 267221, 'reality combined to': 701720, 'combined to drive': 187133, 'to drive asset': 904729, 'drive asset price': 258991, 'asset price down': 96456, 'price down sharply': 673530, 'down sharply in': 257181, 'sharply in the': 755748, 'in the first': 429204, 'the first quarter': 855337, 'first quarter market': 308894, 'quarter market investing': 693252, 'fair': 296305, 'thankfulthursday': 841971, 'turtle': 936021, 'have personal': 381919, 'personal reusable': 652948, 'reusable protective': 720167, 'protective face': 685745, 'mask if': 518817, 'or anyone': 614368, 'anyone you': 80666, 'need fair': 554764, 'fair price': 296366, 'price color': 673183, 'color available': 186726, 'available go': 104407, 'go here': 353643, 'here protective': 393483, 'mask protective': 519161, 'protective reusable': 685805, 'reusable facemask': 720160, 'facemask 19': 295063, '19 personal': 9662, 'personal facemasks': 652839, 'facemasks thankfulthursday': 295168, 'thankfulthursday turtle': 841973, 'we have personal': 971896, 'have personal reusable': 381920, 'personal reusable protective': 652949, 'reusable protective face': 720168, 'protective face mask': 685746, 'face mask if': 294549, 'mask if you': 518820, 'you or anyone': 1020222, 'or anyone you': 614372, 'anyone you know': 80668, 'know need fair': 476620, 'need fair price': 554765, 'fair price color': 296370, 'price color available': 673184, 'color available go': 186727, 'available go here': 104408, 'go here protective': 353645, 'here protective face': 393484, 'face mask protective': 294578, 'mask protective reusable': 519164, 'protective reusable facemask': 685806, 'reusable facemask 19': 720161, 'facemask 19 personal': 295064, '19 personal facemasks': 9663, 'personal facemasks thankfulthursday': 652840, 'facemasks thankfulthursday turtle': 295169, 'woe': 1003328, 'spiraling': 789434, 'rubber': 726928, 'chemical': 175329, 'crudeoil': 219627, 'crudeoilprice': 219658, 'lpg': 506314, 'ethylene': 283140, 'polymer': 663940, 'chemanalyst': 175326, 'chemicaprice': 175395, 'chemicaldatabase': 175394, 'woe spiraling': 1003338, 'spiraling crude': 789435, 'crude and': 219503, 'and rubber': 70616, 'rubber chemical': 726932, 'chemical impact': 175356, 'impact the': 417991, 'the chemical': 850791, 'chemical industry': 175363, 'industry oil': 436022, 'price crudeoil': 673359, 'crudeoil crudeoilprice': 219633, 'crudeoilprice lpg': 219659, 'lpg price': 506322, 'price rubber': 676277, 'rubber ethylene': 726934, 'ethylene polymer': 283143, 'polymer gas': 663945, 'price chemanalyst': 673123, 'chemanalyst chemicaprice': 175327, 'chemicaprice database': 175396, 'database chemicaldatabase': 226515, 'woe spiraling crude': 1003339, 'spiraling crude and': 789436, 'crude and rubber': 219506, 'and rubber chemical': 70617, 'rubber chemical impact': 726933, 'chemical impact the': 175357, 'impact the chemical': 417993, 'the chemical industry': 850793, 'chemical industry oil': 175364, 'industry oil price': 436024, 'oil price crudeoil': 597098, 'price crudeoil crudeoilprice': 673360, 'crudeoil crudeoilprice lpg': 219634, 'crudeoilprice lpg price': 219660, 'lpg price rubber': 506325, 'price rubber ethylene': 676278, 'rubber ethylene polymer': 726935, 'ethylene polymer gas': 283144, 'polymer gas price': 663946, 'gas price chemanalyst': 343943, 'price chemanalyst chemicaprice': 673124, 'chemanalyst chemicaprice database': 175328, 'chemicaprice database chemicaldatabase': 175397, 'surely': 827890, 'office': 595338, 'unused': 943966, 'redistributed': 705739, 'surely co': 827899, 'co working': 185018, 'working space': 1008918, 'space and': 787046, 'and office': 67994, 'office building': 595380, 'building must': 142116, 'must have': 546691, 'have plenty': 381962, 'paper currently': 640074, 'currently going': 221548, 'going unused': 355774, 'unused maybe': 943973, 'maybe it': 521719, 'be redistributed': 116733, 'redistributed to': 705740, 'to healthcare': 907377, 'healthcare support': 387300, 'support emergency': 826474, 'emergency worker': 273055, 'who don': 988645, 'have time': 383134, 'to queue': 912666, 'queue hour': 693946, 'hour to': 406009, 'get into': 347359, 'into supermarket': 443032, 'supermarket just': 821218, 'just to': 470080, 'to find': 905873, 'find it': 306981, 'it empty': 457812, 'empty coronacrisis': 274846, 'surely co working': 827900, 'co working space': 185020, 'working space and': 1008919, 'space and office': 787049, 'and office building': 67995, 'office building must': 595381, 'building must have': 142117, 'must have plenty': 546704, 'have plenty of': 381967, 'plenty of toilet': 660986, 'toilet paper currently': 921248, 'paper currently going': 640075, 'currently going unused': 221549, 'going unused maybe': 355775, 'unused maybe it': 943974, 'maybe it could': 521722, 'it could be': 457352, 'could be redistributed': 208914, 'be redistributed to': 116734, 'redistributed to healthcare': 705741, 'to healthcare support': 907384, 'healthcare support emergency': 387301, 'support emergency worker': 826476, 'emergency worker who': 273069, 'worker who don': 1008207, 'who don have': 988648, 'don have time': 253621, 'have time to': 383138, 'time to queue': 898037, 'to queue hour': 912670, 'queue hour to': 693947, 'hour to get': 406023, 'to get into': 906514, 'get into supermarket': 347374, 'into supermarket just': 443049, 'supermarket just to': 821233, 'just to find': 470091, 'to find it': 905912, 'find it empty': 306991, 'it empty coronacrisis': 457813, 'reopen': 711345, 'jingle': 465523, 'podcast': 662248, 'youtube': 1026885, 'channel': 172851, 'ringtone': 722562, 'understand': 940581, 'scarce': 740774, 'cheaper': 174241, 'because going': 119079, 'of work': 593236, 'for couple': 320419, 'couple of': 211632, 'of week': 592993, 'week ve': 977158, 'to reopen': 913236, 'reopen commission': 711350, 'commission if': 188840, 'you want': 1022126, 'want jingle': 965838, 'jingle for': 465524, 'for podcast': 324597, 'podcast youtube': 662330, 'youtube channel': 1026890, 'channel or': 172913, 'even just': 284263, 'just ringtone': 469647, 'ringtone my': 722563, 'my door': 548028, 'door are': 255516, 'open understand': 612619, 'understand money': 940680, 'money is': 536842, 'be scarce': 117014, 'scarce due': 740779, 'so my': 777831, 'my price': 549842, 'be cheaper': 114073, 'because going to': 119080, 'going to be': 355533, 'to be out': 901427, 'out of work': 626879, 'of work for': 593249, 'work for couple': 1005144, 'for couple of': 320421, 'couple of week': 211651, 'of week ve': 593009, 'week ve decided': 977160, 'decided to reopen': 230930, 'to reopen commission': 913239, 'reopen commission if': 711352, 'commission if you': 188841, 'if you want': 415555, 'you want jingle': 1022144, 'want jingle for': 965839, 'jingle for podcast': 465525, 'for podcast youtube': 324598, 'podcast youtube channel': 662331, 'youtube channel or': 1026892, 'channel or even': 172914, 'or even just': 615204, 'even just ringtone': 284269, 'just ringtone my': 469648, 'ringtone my door': 722564, 'my door are': 548029, 'door are open': 255517, 'are open understand': 88808, 'open understand money': 612620, 'understand money is': 940681, 'money is going': 536844, 'to be scarce': 901522, 'be scarce due': 117015, 'scarce due to': 740780, '19 so my': 10646, 'so my price': 777845, 'my price will': 549846, 'will be cheaper': 992395, 'luxury': 506908, 'physical': 655366, 'luxury department': 506928, 'department store': 237264, 'store announced': 806409, 'announced the': 77074, 'the temporary': 869281, 'temporary closure': 837592, 'closure of': 183954, 'all it': 43262, 'it physical': 460322, 'physical retail': 655447, 'retail store': 718600, 'store amid': 806162, 'luxury department store': 506929, 'department store announced': 237266, 'store announced the': 806412, 'announced the temporary': 77084, 'the temporary closure': 869282, 'temporary closure of': 837595, 'closure of all': 183955, 'of all it': 579950, 'all it physical': 43273, 'it physical retail': 460324, 'physical retail store': 655448, 'retail store amid': 718605, 'store amid the': 806167, 'amid the 19': 52680, 'greedy': 363463, 'everyone we': 287558, 'stay calm': 796803, 'calm this': 156817, 'is difficult': 447170, 'time for': 896686, 'the worst': 872037, 'worst thing': 1011280, 'thing we': 884956, 'can do': 158089, 'is panic': 450784, 'get greedy': 347147, 'greedy hoarding': 363527, 'hoarding food': 399298, 'and other': 68277, 'other important': 620399, 'important item': 418854, 'item do': 463209, 'do your': 250699, 'your part': 1025208, 'part and': 642227, 'and stay': 72286, 'stay safe': 797205, 'safe we': 730112, 'will get': 993493, 'through this': 894802, 'this together': 890755, 'everyone we all': 287559, 'we all need': 970345, 'need to stay': 556082, 'to stay calm': 915277, 'stay calm this': 796819, 'calm this is': 156818, 'this is difficult': 888234, 'is difficult time': 447174, 'difficult time for': 242287, 'time for all': 896688, 'for all of': 319154, 'all of the': 43715, 'of the worst': 591631, 'the worst thing': 872077, 'worst thing we': 1011287, 'thing we can': 884959, 'we can do': 970934, 'can do is': 158107, 'do is panic': 249452, 'is panic and': 450785, 'panic and get': 637311, 'and get greedy': 63576, 'get greedy hoarding': 347149, 'greedy hoarding food': 363528, 'hoarding food and': 399299, 'food and other': 313298, 'and other important': 68345, 'other important item': 620402, 'important item do': 418855, 'item do your': 463212, 'do your part': 250710, 'your part and': 1025209, 'part and stay': 642231, 'and stay safe': 72301, 'stay safe we': 797294, 'safe we will': 730120, 'we will get': 973865, 'will get through': 993522, 'get through this': 348441, 'through this together': 894850, 'nbn': 553266, 'cope': 203302, 'from with': 338390, 'with latest': 999179, 'latest coronavirus': 481270, 'coronavirus three': 206938, 'three health': 893948, 'in wa': 430636, 'wa consumer': 961868, 'protection take': 685633, 'take your': 832813, 'your call': 1023104, 'call will': 156225, 'the nbn': 861335, 'nbn cope': 553267, 'cope with': 203339, 'more australian': 538687, 'australian working': 103582, 'from with latest': 338391, 'with latest coronavirus': 999180, 'latest coronavirus three': 481275, 'coronavirus three health': 206939, 'three health worker': 893950, 'health worker have': 386980, 'worker have tested': 1007092, '19 in wa': 7796, 'in wa consumer': 430637, 'wa consumer protection': 961870, 'consumer protection take': 198566, 'protection take your': 685634, 'take your call': 832814, 'your call will': 1023111, 'call will the': 156227, 'will the nbn': 995146, 'the nbn cope': 861336, 'nbn cope with': 553268, 'cope with more': 203350, 'with more australian': 999551, 'more australian working': 538690, 'australian working from': 103583, 'think this': 885695, 'is really': 451286, 'really great': 702243, 'great panicbuying': 362871, 'panicbuying responsibility': 639039, 'think this is': 885700, 'this is really': 888373, 'is really great': 451300, 'really great panicbuying': 702246, 'great panicbuying responsibility': 362872, '31st': 17643, 'earliest': 264514, 'in quarantine': 427172, 'quarantine until': 692666, 'until 31st': 943659, '31st march': 17644, 'march and': 515268, 'and earliest': 61838, 'earliest available': 264517, 'available online': 104541, 'shopping delivery': 762454, 'slot is': 774220, 'is 2nd': 445197, '2nd april': 16750, 'april coronacrisis': 83562, 'coronacrisis any': 204512, 'any idea': 79336, 'in quarantine until': 427194, 'quarantine until 31st': 692667, 'until 31st march': 943660, '31st march and': 17645, 'march and earliest': 515270, 'and earliest available': 61839, 'earliest available online': 264518, 'available online shopping': 104545, 'online shopping delivery': 609088, 'shopping delivery slot': 762464, 'delivery slot is': 234530, 'slot is 2nd': 774221, 'is 2nd april': 445198, '2nd april coronacrisis': 16752, 'april coronacrisis any': 83563, 'coronacrisis any idea': 204513, 'delivering': 233462, 'paisley free': 634380, 'nashville is': 552020, 'is delivering': 447099, 'delivering to': 233555, 'elderly amid': 270560, 'brad paisley free': 137528, 'paisley free grocery': 634381, 'in nashville is': 425683, 'nashville is delivering': 552021, 'is delivering to': 447105, 'delivering to the': 233559, 'the elderly amid': 854104, 'elderly amid the': 270564, 'phone': 654874, 'elevator': 271374, 'button': 148199, 'pump': 689016, 'bottle': 136156, 'bottom': 136386, 'handbag': 376035, 'wrestlemania': 1012733, '40 thing': 18672, 'you never': 1020075, 'never touch': 558240, 'touch due': 926466, 'store cart': 806876, 'cart handle': 165315, 'handle your': 376290, 'your cell': 1023169, 'cell phone': 168955, 'phone elevator': 654947, 'elevator button': 271375, 'button the': 148213, 'the pump': 864894, 'pump on': 689075, 'sanitizer bottle': 734581, 'bottle the': 136330, 'the bottom': 849901, 'bottom of': 136416, 'of your': 593440, 'your handbag': 1024248, 'handbag staysafe': 376047, 'staysafe wrestlemania': 798962, 'wrestlemania quarantinelife': 1012736, '40 thing you': 18673, 'thing you never': 885038, 'you never touch': 1020083, 'never touch due': 558241, 'touch due to': 926467, 'due to grocery': 261795, 'grocery store cart': 365270, 'store cart handle': 806878, 'cart handle your': 165317, 'handle your cell': 376291, 'your cell phone': 1023170, 'cell phone elevator': 168960, 'phone elevator button': 654948, 'elevator button the': 271378, 'button the pump': 148214, 'the pump on': 864904, 'pump on hand': 689076, 'hand sanitizer bottle': 375327, 'sanitizer bottle the': 734588, 'bottle the bottom': 136331, 'the bottom of': 849910, 'bottom of your': 136422, 'of your handbag': 593480, 'your handbag staysafe': 1024249, 'handbag staysafe wrestlemania': 376048, 'staysafe wrestlemania quarantinelife': 798963, 'sarika': 736772, 'contest': 200871, 'giveawayalert': 350918, 'puzzle': 691311, 'sarika sanitizer': 736775, 'grocery contest': 364398, 'contest alert': 200872, 'alert giveawayalert': 41439, 'giveawayalert competition': 350919, 'competition puzzle': 191729, 'puzzle join': 691322, 'sarika sanitizer italy': 736776, 'wuhan grocery contest': 1013487, 'grocery contest alert': 364399, 'contest alert giveawayalert': 200873, 'alert giveawayalert competition': 41440, 'giveawayalert competition puzzle': 350920, 'competition puzzle join': 191732, 'knew': 476022, 'genius': 345764, 'record': 704896, 'euro': 283345, '134': 3326, 'dare': 225927, 'already knew': 47493, 'knew about': 476023, 'about some': 26224, 'some genius': 782945, 'genius in': 345786, 'denmark but': 237004, 'but this': 147540, 'this supermarket': 890424, 'supermarket set': 822390, 'set the': 753485, 'the record': 865358, 'record first': 704963, 'first hand': 308700, 'sanitizer you': 736162, 'you buy': 1017560, 'buy is': 148833, 'about 50': 24717, '50 euro': 19683, 'euro second': 283370, 'second is': 743744, 'about 134': 24644, '134 that': 3331, 'that way': 847338, 'way to': 969981, 'stop the': 805119, 'the hoarding': 857413, 'hoarding well': 399651, 'done who': 255112, 'who dare': 988539, 'dare to': 225932, 'be next': 116074, 'already knew about': 47494, 'knew about some': 476025, 'about some genius': 26227, 'some genius in': 782946, 'genius in denmark': 345787, 'in denmark but': 422183, 'denmark but this': 237005, 'but this supermarket': 147560, 'this supermarket set': 890435, 'supermarket set the': 822391, 'set the record': 753491, 'the record first': 865362, 'record first hand': 704964, 'first hand sanitizer': 308702, 'hand sanitizer you': 375677, 'sanitizer you buy': 736163, 'you buy is': 1017574, 'buy is about': 148834, 'is about 50': 445267, 'about 50 euro': 24720, '50 euro second': 19684, 'euro second is': 283371, 'second is about': 743745, 'is about 134': 445265, 'about 134 that': 24645, '134 that way': 3332, 'that way to': 847351, 'way to stop': 970105, 'to stop the': 915585, 'stop the hoarding': 805135, 'the hoarding well': 857419, 'hoarding well done': 399652, 'well done who': 978208, 'done who dare': 255113, 'who dare to': 988540, 'dare to be': 225933, 'to be next': 901406, 'apocolypse': 81606, 'crone': 218857, 'caledonia': 155383, 'long there': 501735, 'are bubble': 85072, 'bubble in': 141600, 'sanitizer will': 736101, 'never be': 557873, 'be bored': 113886, 'bored in': 135352, 'the apocalypse': 848802, 'apocalypse coronavid19': 81521, 'coronavid19 corona': 205374, 'corona apocolypse': 203810, 'apocolypse crone': 81607, 'crone caledonia': 218858, 'caledonia ontario': 155384, 'long there are': 501736, 'there are bubble': 878072, 'are bubble in': 85073, 'bubble in my': 141601, 'my hand sanitizer': 548614, 'hand sanitizer will': 375668, 'sanitizer will never': 736106, 'will never be': 994159, 'never be bored': 557874, 'be bored in': 113888, 'bored in the': 135354, 'in the apocalypse': 428980, 'the apocalypse coronavid19': 848806, 'apocalypse coronavid19 corona': 81522, 'coronavid19 corona apocolypse': 205375, 'corona apocolypse crone': 203811, 'apocolypse crone caledonia': 81608, 'crone caledonia ontario': 218859, 'concerned': 193146, 'scammed': 740505, 'scamsaction': 740682, 'people out': 649013, 'there may': 878753, 'take advantage': 831913, 'people concerned': 647519, 'concerned about': 193147, 'about if': 25497, 'think you': 885807, 'been scammed': 121884, 'scammed online': 740514, 'online our': 608719, 'our scamsaction': 624680, 'scamsaction service': 740683, 'service can': 752203, 'help and': 389346, 'and provide': 69687, 'provide support': 686501, 'support on': 826702, 'the issue': 858570, 'issue you': 456030, 'might be': 530876, 'be facing': 114776, 'some people out': 783528, 'people out there': 649027, 'out there may': 627501, 'there may try': 878755, 'try to take': 934672, 'to take advantage': 916155, 'take advantage of': 831917, 'advantage of people': 33025, 'of people concerned': 587889, 'people concerned about': 647520, 'concerned about if': 193159, 'about if you': 25500, 'if you think': 415540, 'you think you': 1021694, 'think you ve': 885819, 'you ve been': 1022027, 've been scammed': 952924, 'been scammed online': 121885, 'scammed online our': 740515, 'online our scamsaction': 608720, 'our scamsaction service': 624681, 'scamsaction service can': 740684, 'service can help': 752205, 'can help and': 158604, 'help and provide': 389356, 'and provide support': 69699, 'provide support on': 686502, 'support on the': 826705, 'on the issue': 604190, 'the issue you': 858580, 'issue you might': 456032, 'you might be': 1019849, 'might be facing': 530895, 'temporarily': 837431, 'salon': 732773, 'shampoo': 754766, 'time ha': 896878, 'ha come': 370199, 'come we': 187658, 'must temporarily': 546949, 'temporarily close': 837445, 'close the': 182832, 'the salon': 866184, 'salon to': 732787, 'to fight': 905771, 'fight but': 304685, 'but we': 147735, 'are still': 90387, 'still selling': 801159, 'product amp': 680859, 'amp you': 54867, 'order online': 618463, 'online we': 609696, 'we hope': 972030, 'hope you': 403786, 'you will': 1022322, 'will continue': 993007, 'support amp': 826346, 'amp not': 54188, 'not buy': 568643, 'buy cheap': 148483, 'cheap supermarket': 174207, 'supermarket shampoo': 822399, 'shampoo read': 754782, 'read more': 700414, 'more here': 539411, 'the time ha': 869591, 'time ha come': 896881, 'ha come we': 370207, 'come we must': 187659, 'we must temporarily': 972446, 'must temporarily close': 546950, 'temporarily close the': 837454, 'close the salon': 182845, 'the salon to': 866185, 'salon to help': 732788, 'to help to': 907654, 'help to fight': 390773, 'to fight but': 905781, 'fight but we': 304687, 'but we are': 147738, 'we are still': 970723, 'are still selling': 90477, 'still selling product': 801160, 'selling product amp': 749415, 'product amp you': 680864, 'amp you can': 54868, 'can order online': 159178, 'order online we': 618482, 'online we hope': 609698, 'we hope you': 972040, 'hope you will': 403814, 'you will continue': 1022327, 'will continue to': 993020, 'continue to support': 201270, 'to support amp': 915903, 'support amp not': 826347, 'amp not buy': 54191, 'not buy cheap': 568647, 'buy cheap supermarket': 148485, 'cheap supermarket shampoo': 174208, 'supermarket shampoo read': 822400, 'shampoo read more': 754783, 'read more here': 700437, 'dragged': 258173, 'refusing': 707078, 'fightcovid19': 304984, 'ghana': 349548, 'ajrnews': 40465, 'foreigner dragged': 329019, 'dragged out': 258182, 'supermarket after': 818796, 'after refusing': 36115, 'refusing to': 707087, 'to use': 918003, 'sanitizer yet': 736158, 'yet touching': 1016300, 'touching item': 926686, 'item on': 463499, 'shelf watch': 757746, 'watch fightcovid19': 968403, 'fightcovid19 ghana': 304991, 'ghana ajrnews': 349552, 'ajrnews stopthespread': 40466, 'foreigner dragged out': 329020, 'dragged out of': 258183, 'out of supermarket': 626846, 'of supermarket after': 590408, 'supermarket after refusing': 818807, 'after refusing to': 36116, 'refusing to use': 707101, 'to use hand': 918033, 'hand sanitizer yet': 375676, 'sanitizer yet touching': 736159, 'yet touching item': 1016301, 'touching item on': 926689, 'item on shelf': 463509, 'on shelf watch': 603413, 'shelf watch fightcovid19': 757747, 'watch fightcovid19 ghana': 968404, 'fightcovid19 ghana ajrnews': 304992, 'ghana ajrnews stopthespread': 349553, 'once': 605549, 'northvancouver': 567821, 'management': 512519, 'availability': 104125, 'once week': 605787, 'week go': 976274, 'go grocery': 353625, 'at our': 100005, 'local store': 498451, 'in northvancouver': 425959, 'northvancouver have': 567822, 'the staff': 867679, 'and management': 66621, 'management have': 512575, 'been great': 121230, 'great there': 363042, 'there have': 878465, 'been lot': 121491, 'of socialdistancing': 589844, 'socialdistancing measure': 780527, 'measure in': 525225, 'in place': 426718, 'place and': 657308, 'importantly lot': 419131, 'food some': 316688, 'some product': 783644, 'product have': 681249, 'have limited': 381318, 'limited availability': 492604, 'availability but': 104131, 'but do': 145556, 'not panic': 570890, 'panic here': 638169, 'once week go': 605791, 'week go grocery': 976275, 'go grocery shopping': 353626, 'grocery shopping at': 364997, 'shopping at our': 762108, 'at our local': 100019, 'our local store': 623789, 'local store in': 498465, 'store in northvancouver': 808356, 'in northvancouver have': 425960, 'northvancouver have to': 567823, 'have to say': 383290, 'to say the': 913844, 'say the staff': 739305, 'the staff and': 867681, 'staff and management': 792147, 'and management have': 66625, 'management have been': 512576, 'have been great': 379561, 'been great there': 121231, 'great there have': 363043, 'there have been': 878466, 'have been lot': 379602, 'been lot of': 121493, 'lot of socialdistancing': 504284, 'of socialdistancing measure': 589854, 'socialdistancing measure in': 780529, 'measure in place': 525230, 'in place and': 426720, 'place and most': 657316, 'most importantly lot': 542420, 'importantly lot of': 419132, 'of food some': 583781, 'food some product': 316690, 'some product have': 783647, 'product have limited': 681253, 'have limited availability': 381320, 'limited availability but': 492605, 'availability but do': 104132, 'but do not': 145560, 'do not panic': 249794, 'not panic here': 570914, 'weather': 974842, 'storm': 811783, 'amway': 54975, 'spectrum': 788329, 'basket': 112289, 'thanks to': 842201, 'local business': 497745, 'helping our': 391413, 'our community': 622446, 'community we': 190204, 'we weather': 973768, 'weather this': 974905, 'this storm': 890354, 'storm together': 811853, 'together amway': 920678, 'amway make': 54976, 'make free': 509920, 'free hand': 331887, 'sanitizer for': 734889, 'for spectrum': 325819, 'spectrum health': 788332, 'health kid': 386591, 'kid food': 473955, 'food basket': 313686, 'thanks to our': 842249, 'to our local': 911205, 'our local business': 623766, 'local business who': 497783, 'business who are': 144667, 'who are helping': 988152, 'are helping our': 87103, 'helping our community': 391415, 'our community we': 622488, 'community we weather': 190211, 'we weather this': 973769, 'weather this storm': 974909, 'this storm together': 890356, 'storm together amway': 811854, 'together amway make': 920679, 'amway make free': 54977, 'make free hand': 509922, 'free hand sanitizer': 331888, 'hand sanitizer for': 375410, 'sanitizer for spectrum': 734922, 'for spectrum health': 325820, 'spectrum health kid': 788333, 'health kid food': 386592, 'kid food basket': 473956, 'benefit': 126906, 'starting': 794929, 'veggie': 954158, 'propping': 684581, 'nutrition': 577708, 'foodsupply': 318198, 'wheat': 982964, 'egg': 269742, 'grocerybills': 366203, '3naturaln': 18364, 'there clear': 878277, 'clear benefit': 181229, 'benefit to': 127110, 'to not': 910680, 'not only': 570773, 'only starting': 611189, 'starting garden': 794961, 'garden growing': 343595, 'growing your': 367262, 'your own': 1025121, 'own veggie': 632286, 'veggie fruit': 954184, 'fruit but': 339082, 'but also': 145095, 'also propping': 48700, 'propping up': 684582, 'the dollar': 853512, 'dollar and': 252948, 'and stock': 72400, 'stock market': 802375, 'market nutrition': 516771, 'nutrition foodsupply': 577720, 'foodsupply wheat': 318212, 'wheat egg': 982982, 'egg beef': 269794, 'beef grocery': 120510, 'grocery grocerybills': 364567, 'grocerybills supplychain': 366204, 'supplychain lockdown': 826200, 'lockdown 3naturaln': 499099, 'there clear benefit': 878278, 'clear benefit to': 181230, 'benefit to not': 127119, 'to not only': 910701, 'not only starting': 570827, 'only starting garden': 611190, 'starting garden growing': 794962, 'garden growing your': 343596, 'growing your own': 367264, 'your own veggie': 1025168, 'own veggie fruit': 632287, 'veggie fruit but': 954185, 'fruit but also': 339083, 'but also propping': 145134, 'also propping up': 48701, 'propping up the': 684586, 'up the dollar': 946165, 'the dollar and': 853513, 'dollar and stock': 252951, 'and stock market': 72408, 'stock market nutrition': 802416, 'market nutrition foodsupply': 516772, 'nutrition foodsupply wheat': 577721, 'foodsupply wheat egg': 318213, 'wheat egg beef': 982983, 'egg beef grocery': 269795, 'beef grocery grocerybills': 120511, 'grocery grocerybills supplychain': 364568, 'grocerybills supplychain lockdown': 366205, 'supplychain lockdown 3naturaln': 826201, 'quietly': 694718, 'raging': 695555, 'head': 385713, 'lender': 486209, 'traditional': 928988, 'nonbank': 566535, 'player': 659295, 'sinking': 771498, 'further': 341984, 'the will': 871565, 'will bring': 992852, 'bring quietly': 140056, 'quietly raging': 694723, 'raging consumer': 695556, 'consumer debt': 197073, 'debt crisis': 230461, 'crisis to': 218242, 'to head': 907357, 'head online': 385800, 'online lender': 608476, 'lender and': 486212, 'other more': 620548, 'more traditional': 540820, 'traditional nonbank': 929005, 'nonbank player': 566536, 'player are': 659300, 'are sinking': 90143, 'sinking further': 771499, 'further into': 342074, 'into trouble': 443259, 'trouble weakening': 932659, 'weakening economy': 974084, 'economy take': 268248, 'take it': 832239, 'it toll': 461784, 'and the will': 73656, 'the will bring': 871567, 'will bring quietly': 992859, 'bring quietly raging': 140057, 'quietly raging consumer': 694724, 'raging consumer debt': 695557, 'consumer debt crisis': 197077, 'debt crisis to': 230463, 'crisis to head': 218246, 'to head online': 907360, 'head online lender': 385801, 'online lender and': 608477, 'lender and other': 486214, 'and other more': 68366, 'other more traditional': 620550, 'more traditional nonbank': 540821, 'traditional nonbank player': 929006, 'nonbank player are': 566537, 'player are sinking': 659303, 'are sinking further': 90144, 'sinking further into': 771500, 'further into trouble': 342079, 'into trouble weakening': 443260, 'trouble weakening economy': 932660, 'weakening economy take': 974086, 'economy take it': 268251, 'take it toll': 832256, 'beware': 129063, 'fraudulent': 331447, 'vaccine': 951641, 'treatment': 931026, 'evaluated': 283719, 'effectiveness': 269381, 'via fda': 955969, 'fda beware': 300841, 'beware of': 129072, 'of fraudulent': 583901, 'fraudulent test': 331475, 'test vaccine': 839222, 'vaccine treatment': 951782, 'treatment these': 931154, 'these fraudulent': 880026, 'fraudulent product': 331466, 'to cure': 903815, 'cure treat': 220838, 'treat or': 930856, 'or prevent': 616683, 'prevent haven': 671638, 'haven been': 383744, 'been evaluated': 121094, 'evaluated by': 283722, 'the fda': 855012, 'fda for': 300856, 'for safety': 325301, 'safety and': 730447, 'and effectiveness': 61957, 'effectiveness might': 269388, 'be dangerous': 114329, 'dangerous to': 225794, 'to you': 918886, 'you your': 1022493, 'via fda beware': 955970, 'fda beware of': 300842, 'beware of fraudulent': 129081, 'of fraudulent test': 583904, 'fraudulent test vaccine': 331476, 'test vaccine treatment': 839225, 'vaccine treatment these': 951785, 'treatment these fraudulent': 931155, 'these fraudulent product': 880027, 'fraudulent product that': 331470, 'claim to cure': 179847, 'to cure treat': 903819, 'cure treat or': 220839, 'treat or prevent': 930859, 'or prevent haven': 616685, 'prevent haven been': 671639, 'haven been evaluated': 383750, 'been evaluated by': 121095, 'evaluated by the': 283723, 'by the fda': 154326, 'the fda for': 855016, 'fda for safety': 300857, 'for safety and': 325302, 'safety and effectiveness': 730451, 'and effectiveness might': 61958, 'effectiveness might be': 269389, 'might be dangerous': 530887, 'be dangerous to': 114333, 'dangerous to you': 225796, 'to you your': 918944, 'you your family': 1022495, 'of corona': 581884, 'corona will': 204396, 'be your': 118172, 'your sanitizer': 1025675, 'world of corona': 1009851, 'of corona will': 581903, 'corona will be': 204397, 'will be your': 992778, 'be your sanitizer': 118179, 'your sanitizer stayhome': 1025678, 'allowing': 46263, 'necessity': 554155, 'rip': 722645, 'disgraceful': 245321, 'vulnerability': 960805, 'outoforder': 629198, 'ebay': 266416, 'why are': 990758, 'are allowing': 84384, 'allowing people': 46317, 'to sell': 914137, 'sell necessity': 748803, 'necessity at': 554174, 'at ridiculous': 100315, 'ridiculous price': 721586, 'price during': 673615, 'during difficult': 262599, 'time allowing': 896232, 'allowing them': 46353, 'to rip': 913543, 'rip people': 722673, 'people off': 648933, 'off disgraceful': 593769, 'disgraceful vulnerability': 245336, 'vulnerability outoforder': 960823, 'outoforder ebay': 629199, 'why are allowing': 990761, 'are allowing people': 84386, 'allowing people to': 46318, 'people to sell': 649939, 'to sell necessity': 914162, 'sell necessity at': 748804, 'necessity at ridiculous': 554175, 'at ridiculous price': 100316, 'ridiculous price during': 721588, 'price during difficult': 673619, 'during difficult time': 262600, 'difficult time allowing': 242276, 'time allowing them': 896233, 'allowing them to': 46356, 'them to rip': 876502, 'to rip people': 913546, 'rip people off': 722674, 'people off disgraceful': 648935, 'off disgraceful vulnerability': 593770, 'disgraceful vulnerability outoforder': 245337, 'vulnerability outoforder ebay': 960824, 'awful': 106217, 'road': 724386, 'rammed': 696416, 'seem': 746666, 'also there': 48992, 'there seems': 879026, 'seems an': 746755, 'an awful': 55514, 'awful lot': 106233, 'of car': 581128, 'car still': 163297, 'still on': 800931, 'the road': 865913, 'road many': 724479, 'many with': 514887, 'with family': 998374, 'family full': 297835, 'people supermarket': 649695, 'supermarket car': 819525, 'car park': 163210, 'park rammed': 641970, 'rammed it': 696419, 'it doesn': 457621, 'doesn seem': 251936, 'seem like': 746669, 'this advice': 886215, 'advice is': 33413, 'is working': 454030, 'working madness': 1008769, 'madness lockdown': 508187, 'also there seems': 48993, 'there seems an': 879027, 'seems an awful': 746756, 'an awful lot': 55515, 'awful lot of': 106234, 'lot of car': 504150, 'of car still': 581133, 'car still on': 163298, 'still on the': 800935, 'on the road': 604338, 'the road many': 865933, 'road many with': 724480, 'many with family': 514888, 'with family full': 998377, 'family full of': 297836, 'full of people': 340746, 'of people supermarket': 587995, 'people supermarket car': 649696, 'supermarket car park': 819526, 'car park rammed': 163232, 'park rammed it': 641971, 'rammed it doesn': 696420, 'it doesn seem': 457640, 'doesn seem like': 251937, 'seem like this': 746673, 'like this advice': 491464, 'this advice is': 886218, 'advice is working': 33421, 'is working madness': 454042, 'working madness lockdown': 1008770, 'partying': 643067, 'room': 725869, 'jared': 464821, 'dad': 224275, 'kiss': 475445, 'royally': 726642, 'hey while': 394544, 're partying': 699246, 'partying with': 643071, 'the kid': 858776, 'kid in': 474011, 'your living': 1024669, 'living room': 496443, 'room the': 725974, 'of are': 580337, 'are waiting': 91516, 'waiting in': 964350, 'store give': 807933, 'give jared': 350554, 'jared and': 464822, 'and dad': 60898, 'dad kiss': 224364, 'kiss from': 475453, 'from for': 335524, 'for fucking': 321793, 'fucking this': 340034, 'this up': 890927, 'up so': 946012, 'so royally': 778136, 'hey while you': 394545, 'you re partying': 1020700, 're partying with': 699247, 'partying with the': 643073, 'with the kid': 1001357, 'the kid in': 858789, 'kid in your': 474020, 'in your living': 431102, 'your living room': 1024670, 'living room the': 496445, 'room the rest': 725975, 'rest of are': 716184, 'of are waiting': 580358, 'are waiting in': 91520, 'waiting in line': 964352, 'get into the': 347376, 'into the grocery': 443133, 'grocery store give': 365429, 'store give jared': 807934, 'give jared and': 350555, 'jared and dad': 464823, 'and dad kiss': 60902, 'dad kiss from': 224366, 'kiss from for': 475454, 'from for fucking': 335528, 'for fucking this': 321795, 'fucking this up': 340035, 'this up so': 890935, 'up so royally': 946017, 'freaking': 331534, 'quaratinelife': 693116, 'reason south': 702989, 'south asian': 786685, 'asian aren': 95251, 'aren freaking': 92411, 'freaking out': 331541, 'out about': 625546, 'about toilet': 26745, 'paper toiletpaper': 640943, 'toiletpaper quaratinelife': 922385, 'main reason south': 508811, 'reason south asian': 702990, 'south asian aren': 786686, 'asian aren freaking': 95252, 'aren freaking out': 92412, 'freaking out about': 331542, 'out about toilet': 625564, 'about toilet paper': 26746, 'toilet paper toiletpaper': 921497, 'paper toiletpaper quaratinelife': 640953, 'destroy': 239004, 'useful': 950137, 'household product': 406910, 'that destroy': 843511, 'destroy novel': 239021, 'novel consumer': 573746, 'report useful': 712409, 'useful info': 950164, 'info on': 437522, 'on which': 605276, 'one will': 607471, 'will work': 995362, 'one won': 607498, 'household product that': 406916, 'product that destroy': 681689, 'that destroy novel': 843512, 'destroy novel consumer': 239022, 'novel consumer report': 573747, 'consumer report useful': 198736, 'report useful info': 712410, 'useful info on': 950166, 'info on which': 437542, 'on which one': 605281, 'which one will': 986203, 'one will work': 607477, 'will work and': 995363, 'work and which': 1004824, 'and which one': 75562, 'which one won': 986204, 'clearing': 181453, 'formaula': 329596, 'wuflu': 1013453, 'and that': 73174, 'that is': 844546, 'say nothing': 738997, 'nothing of': 573122, 'of clearing': 581454, 'clearing baby': 181456, 'baby formaula': 106613, 'formaula off': 329597, 'off our': 594037, 'our supermarket': 625005, 'shelf every': 757055, 'every other': 286062, 'other time': 621127, 'time wuflu': 898390, 'and that is': 73196, 'that is to': 844668, 'is to say': 453237, 'to say nothing': 913832, 'say nothing of': 738999, 'nothing of clearing': 573123, 'of clearing baby': 581455, 'clearing baby formaula': 181457, 'baby formaula off': 106614, 'formaula off our': 329598, 'off our supermarket': 594044, 'our supermarket shelf': 625027, 'supermarket shelf every': 822464, 'shelf every other': 757056, 'every other time': 286075, 'other time wuflu': 621129, 'hold on': 399976, 'on to': 604723, 'your roll': 1025646, 'roll boy': 725222, 'hold on to': 399981, 'on to your': 604770, 'to your roll': 919024, 'your roll boy': 1025647, '300th': 17373, 'for 300th': 318809, '300th time': 17376, 'time cause': 896455, 'cause that': 167753, 'only fucking': 610492, 'fucking place': 339970, 'place we': 657810, 'can go': 158487, 'go now': 353858, 'me going to': 522824, 'store for 300th': 807784, 'for 300th time': 318810, '300th time cause': 17377, 'time cause that': 896456, 'cause that the': 167755, 'that the only': 846789, 'the only fucking': 862307, 'only fucking place': 610493, 'fucking place we': 339971, 'place we can': 657813, 'we can go': 970956, 'can go now': 158505, 'minnesota': 533591, 'vermont': 954843, 'classified': 180343, 'personnel': 653071, 'minnesota and': 533592, 'and vermont': 74929, 'vermont have': 954852, 'have classified': 379974, 'classified grocery': 180355, 'worker emergency': 1006838, 'emergency personnel': 272859, 'personnel during': 653101, 'the period': 863562, 'period to': 651908, 'provide them': 686514, 'them with': 876642, 'with essential': 998253, 'essential benefit': 280829, 'benefit like': 127022, 'like free': 490281, 'free child': 331705, 'child care': 176033, 'minnesota and vermont': 533593, 'and vermont have': 74931, 'vermont have classified': 954853, 'have classified grocery': 379975, 'classified grocery store': 180356, 'store worker emergency': 811489, 'worker emergency personnel': 1006840, 'emergency personnel during': 272862, 'personnel during the': 653104, 'during the period': 263173, 'the period to': 863568, 'period to provide': 651911, 'to provide them': 912441, 'provide them with': 686517, 'them with essential': 876647, 'with essential benefit': 998254, 'essential benefit like': 280830, 'benefit like free': 127024, 'like free child': 490282, 'free child care': 331706, 'brussels': 141376, 'belgium': 126174, '18': 4477, 'bruxelles': 141425, 'coronaoutbreak': 205100, 'togetheragainstcorona': 921057, 'man wear': 512308, 'wear protective': 974449, 'protective mask': 685777, 'mask he': 518792, 'he carry': 384826, 'carry toilet': 165162, 'paper outside': 640563, 'outside supermarket': 629563, 'in brussels': 421008, 'brussels belgium': 141381, 'belgium march': 126175, 'march 18': 515106, '18 2020': 4491, '2020 bruxelles': 14190, 'bruxelles brussels': 141426, 'belgium stayhome': 126188, 'stayhome coronaoutbreak': 797974, 'coronaoutbreak 19': 205101, '19 togetheragainstcorona': 11479, 'man wear protective': 512309, 'wear protective mask': 974451, 'protective mask he': 685781, 'mask he carry': 518793, 'he carry toilet': 384828, 'carry toilet paper': 165163, 'toilet paper outside': 921381, 'paper outside supermarket': 640565, 'outside supermarket in': 629572, 'supermarket in brussels': 820871, 'in brussels belgium': 421009, 'brussels belgium march': 141382, 'belgium march 18': 126176, 'march 18 2020': 515107, '18 2020 bruxelles': 4494, '2020 bruxelles brussels': 14191, 'bruxelles brussels belgium': 141428, 'brussels belgium stayhome': 141384, 'belgium stayhome coronaoutbreak': 126189, 'stayhome coronaoutbreak 19': 797975, 'coronaoutbreak 19 togetheragainstcorona': 205105, 'preventing': 671797, 'absolute': 27220, 'selfishness': 748325, 'please just': 660140, 'just buy': 468381, 'buy what': 149452, 'need he': 554962, 'he will': 385661, 'not die': 569016, 'hunger this': 411200, 'this panic': 889455, 'buying is': 150560, 'is preventing': 451013, 'preventing key': 671816, 'the sick': 867146, 'sick from': 768450, 'from getting': 335623, 'wa cry': 961906, 'cry in': 219877, 'the absolute': 848252, 'absolute selfishness': 27282, 'selfishness of': 748366, 'please just buy': 660141, 'just buy what': 468389, 'buy what you': 149458, 'what you need': 982684, 'you need he': 1019998, 'need he will': 554963, 'he will not': 385672, 'will not die': 994207, 'not die of': 569023, 'die of hunger': 241424, 'of hunger this': 584921, 'hunger this panic': 411202, 'this panic buying': 889459, 'panic buying is': 637778, 'buying is preventing': 150575, 'is preventing key': 451015, 'preventing key worker': 671817, 'key worker the': 473519, 'worker the elderly': 1007925, 'the elderly and': 854106, 'elderly and the': 270588, 'and the sick': 73583, 'the sick from': 867150, 'sick from getting': 768452, 'from getting food': 335628, 'getting food wa': 348989, 'food wa cry': 317443, 'wa cry in': 961908, 'cry in my': 219879, 'in my local': 425596, 'local supermarket at': 498501, 'at the absolute': 100869, 'the absolute selfishness': 848255, 'absolute selfishness of': 27283, 'selfishness of people': 748369, 'attack': 102075, 'president': 670746, 'country is': 210794, 'is under': 453456, 'under attack': 940014, 'attack and': 102080, 'no president': 565179, 'our country is': 622596, 'country is under': 210825, 'is under attack': 453457, 'under attack and': 940015, 'attack and we': 102083, 'and we have': 75296, 'we have no': 971876, 'have no president': 381646, 'packaged': 633464, 'monica': 537249, 'gellar': 345188, 'goingmental': 355830, 'doe anyone': 251335, 'else clean': 271662, 'clean packaged': 180612, 'packaged food': 633476, 'food after': 313036, 'after bringing': 35435, 'bringing it': 140174, 'it home': 458610, 'home from': 401256, 'supermarket turning': 823592, 'turning into': 935925, 'into monica': 442767, 'monica gellar': 537254, 'gellar my': 345189, 'sanitizer ha': 735009, 'ha hand': 370810, 'sanitizer in': 735123, 'in it': 424223, 'it goingmental': 458285, 'doe anyone else': 251337, 'anyone else clean': 80259, 'else clean packaged': 271663, 'clean packaged food': 180613, 'packaged food after': 633477, 'food after bringing': 313040, 'after bringing it': 35436, 'bringing it home': 140175, 'it home from': 458614, 'home from the': 401273, 'the supermarket turning': 868878, 'supermarket turning into': 823593, 'turning into monica': 935928, 'into monica gellar': 442768, 'monica gellar my': 537255, 'gellar my hand': 345190, 'hand sanitizer ha': 375425, 'sanitizer ha hand': 735014, 'ha hand sanitizer': 370812, 'hand sanitizer in': 375451, 'sanitizer in it': 735141, 'in it goingmental': 424248, 'usually': 951075, 'bit': 131524, 'sarcastic': 736746, 'prone': 683971, 'earnest': 264851, 'statement': 796152, 'immensely': 417194, 'proud': 686018, 'colleague': 186175, 'stepping': 799791, 'am usually': 50528, 'usually bit': 951095, 'bit sarcastic': 131691, 'sarcastic and': 736747, 'and not': 67710, 'not prone': 571117, 'prone to': 683972, 'to earnest': 904841, 'earnest statement': 264858, 'statement but': 796165, 'but am': 145156, 'am so': 50401, 'so immensely': 777369, 'immensely proud': 417197, 'proud of': 686023, 'my colleague': 547729, 'colleague in': 186215, 'the also': 848601, 'also and': 47849, 'and all': 57853, 'the especially': 854487, 'especially supermarket': 280614, 'are stepping': 90384, 'stepping up': 799811, 'getting thing': 349377, 'thing done': 884283, 'done 19': 254750, 'am usually bit': 50529, 'usually bit sarcastic': 951096, 'bit sarcastic and': 131692, 'sarcastic and not': 736748, 'and not prone': 67765, 'not prone to': 571118, 'prone to earnest': 683975, 'to earnest statement': 904842, 'earnest statement but': 264859, 'statement but am': 796166, 'but am so': 145165, 'am so immensely': 50407, 'so immensely proud': 777370, 'immensely proud of': 417198, 'proud of my': 686035, 'of my colleague': 586746, 'my colleague in': 547733, 'colleague in the': 186216, 'in the also': 428976, 'the also and': 848602, 'also and all': 47850, 'and all the': 57896, 'all the especially': 44737, 'the especially supermarket': 854488, 'especially supermarket employee': 280615, 'supermarket employee who': 820151, 'who are stepping': 988224, 'are stepping up': 90386, 'stepping up and': 799812, 'up and getting': 944326, 'and getting thing': 63628, 'getting thing done': 349378, 'thing done 19': 884284, 'stayed': 797854, 'germaphobia': 346378, 'craziness': 215216, 'definitely': 232304, 'died': 241499, 'connecticut': 194676, 'florida': 310886, 'saturdaymorning': 737087, 'stayingalive': 798729, 'nogerms': 566197, 'store well': 811204, 'well my': 978410, 'mom is': 535754, 'is stayed': 452243, 'stayed in': 797864, 'the car': 850371, 'car have': 163118, 'have germaphobia': 380759, 'germaphobia the': 346379, 'the craziness': 852287, 'craziness ha': 215221, 'ha definitely': 370341, 'definitely died': 232325, 'died down': 241530, 'down wondering': 257507, 'how connecticut': 407584, 'connecticut and': 194677, 'and florida': 62980, 'florida are': 310902, 'are connecticut': 85498, 'connecticut florida': 194679, 'florida saturdaymorning': 310980, 'saturdaymorning stayingalive': 737096, 'stayingalive nogerms': 798730, 'grocery store well': 365941, 'store well my': 811207, 'well my mom': 978413, 'my mom is': 549275, 'mom is stayed': 535760, 'is stayed in': 452244, 'stayed in the': 797865, 'in the car': 429056, 'the car have': 850377, 'car have germaphobia': 163119, 'have germaphobia the': 380760, 'germaphobia the craziness': 346380, 'the craziness ha': 852289, 'craziness ha definitely': 215222, 'ha definitely died': 370342, 'definitely died down': 232326, 'died down wondering': 241532, 'down wondering how': 257508, 'wondering how connecticut': 1004155, 'how connecticut and': 407585, 'connecticut and florida': 194678, 'and florida are': 62982, 'florida are connecticut': 310903, 'are connecticut florida': 85499, 'connecticut florida saturdaymorning': 194680, 'florida saturdaymorning stayingalive': 310981, 'saturdaymorning stayingalive nogerms': 737097, 'supporting': 827103, 'chain restaurant': 171048, 'restaurant large': 716545, 'large retailer': 479776, 'retailer if': 719194, 'not supporting': 571826, 'supporting your': 827238, 'your employee': 1023649, 'employee right': 274159, 'the problem': 864506, 'chain restaurant large': 171050, 'restaurant large retailer': 716546, 'large retailer if': 479778, 'retailer if you': 719196, 're not supporting': 699121, 'not supporting your': 571828, 'supporting your employee': 827240, 'your employee right': 1023662, 'employee right now': 274160, 'now you are': 576500, 'you are part': 1017195, 'of the problem': 591366, 'recently': 704038, 'roundtable': 726394, 'scott': 742437, 'knaul': 475992, 'brings': 140225, 'discussion': 245012, 'tune': 935397, 'ccseries': 168509, 'workforce insight': 1008369, 'insight recently': 439625, 'recently had': 704105, 'had roundtable': 373464, 'roundtable with': 726408, 'with retailer': 1000505, 'retailer of': 719256, 'of different': 582595, 'different size': 242060, 'size across': 772752, 'across industry': 29353, 'industry scott': 436089, 'scott knaul': 742451, 'knaul brings': 475993, 'brings those': 140278, 'those insight': 892124, 'insight to': 439646, 'to today': 917603, 'today discussion': 919451, 'discussion and': 245015, 'and talk': 73005, 'talk about': 833726, 'about what': 26876, 'what retailer': 982105, 'retailer did': 719105, 'did are': 240553, 'doing and': 252286, 'and will': 75654, 'will do': 993220, 'do in': 249422, '19 tune': 11597, 'tune in': 935400, 'in now': 425983, 'now ccseries': 574367, 'workforce insight recently': 1008370, 'insight recently had': 439626, 'recently had roundtable': 704106, 'had roundtable with': 373465, 'roundtable with retailer': 726409, 'with retailer of': 1000507, 'retailer of different': 719257, 'of different size': 582599, 'different size across': 242061, 'size across industry': 772753, 'across industry scott': 29356, 'industry scott knaul': 436090, 'scott knaul brings': 742452, 'knaul brings those': 475994, 'brings those insight': 140279, 'those insight to': 892125, 'insight to today': 439649, 'to today discussion': 917608, 'today discussion and': 919452, 'discussion and talk': 245017, 'and talk about': 73006, 'talk about what': 833767, 'about what retailer': 26895, 'what retailer did': 982106, 'retailer did are': 719106, 'did are doing': 240554, 'are doing and': 85886, 'doing and will': 252292, 'and will do': 75664, 'will do in': 993223, 'do in light': 249427, 'light of covid': 489551, 'covid 19 tune': 213988, '19 tune in': 11598, 'tune in now': 935406, 'in now ccseries': 425985, 'canary': 160803, 'coal': 185050, 'severe': 753979, 'sink': 771462, 'canary in': 160804, 'the coal': 851110, 'coal mine': 185059, 'mine said': 532919, 'said to': 731511, 'be having': 115154, 'having severe': 384263, 'severe impact': 754024, 'impact on': 417814, 'credit market': 216428, 'market online': 516798, 'online lending': 608479, 'lending sink': 486290, 'canary in the': 160805, 'in the coal': 429076, 'the coal mine': 851111, 'coal mine said': 185062, 'mine said to': 532921, 'said to be': 731512, 'to be having': 901294, 'be having severe': 115158, 'having severe impact': 384265, 'severe impact on': 754025, 'impact on consumer': 417833, 'on consumer credit': 600037, 'consumer credit market': 197022, 'credit market online': 216431, 'market online lending': 516799, 'online lending sink': 608480, 'remain': 709689, 'turbulence': 935501, 'boe': 133923, 'governor': 360852, 'andrew': 76176, 'long we': 501830, 'we don': 971373, 'see market': 745395, 'market spiraling': 517090, 'spiraling out': 789439, 'of control': 581840, 'control it': 202039, 'it important': 458706, 'important to': 419047, 'them open': 876107, 'open financial': 612225, 'market must': 516739, 'must remain': 546849, 'remain open': 709797, 'open despite': 612181, 'despite further': 238745, 'further related': 342146, 'related turbulence': 708628, 'turbulence for': 935506, 'for currency': 320490, 'currency and': 221008, 'and share': 71382, 'share price': 755157, 'price new': 675325, 'new boe': 558411, 'boe governor': 133924, 'governor andrew': 360860, 'andrew bailey': 76179, 'bailey ha': 108610, 'ha said': 371790, 'long we don': 501833, 'we don see': 971393, 'don see market': 253893, 'see market spiraling': 745396, 'market spiraling out': 517091, 'spiraling out of': 789440, 'out of control': 626706, 'of control it': 581843, 'control it important': 202041, 'it important to': 458712, 'important to keep': 419055, 'to keep them': 908865, 'keep them open': 472112, 'them open financial': 876108, 'open financial market': 612226, 'financial market must': 306509, 'market must remain': 516741, 'must remain open': 546852, 'remain open despite': 709806, 'open despite further': 612182, 'despite further related': 238746, 'further related turbulence': 342147, 'related turbulence for': 708629, 'turbulence for currency': 935507, 'for currency and': 320491, 'currency and share': 221010, 'and share price': 71393, 'share price new': 755177, 'price new boe': 675326, 'new boe governor': 558412, 'boe governor andrew': 133925, 'governor andrew bailey': 360861, 'andrew bailey ha': 76180, 'bailey ha said': 108611, 'holbrook': 399871, 'rationing chicken': 697801, 'chicken holbrook': 175795, 'holbrook april': 399872, 'april 10': 83390, '10 2020': 1253, '2020 panic': 14501, 'buying continues': 150137, 'continues rationing': 201427, 'chicken supermarket': 175864, 'rationing chicken holbrook': 697802, 'chicken holbrook april': 175796, 'holbrook april 10': 399873, 'april 10 2020': 83391, '10 2020 panic': 1256, '2020 panic buying': 14502, 'panic buying continues': 637685, 'buying continues rationing': 150138, 'continues rationing chicken': 201428, 'rationing chicken supermarket': 697803, 'manchester': 512932, 'united': 942135, 'donated': 254294, 'result': 717469, 'mfm': 530076, 'heartland': 388457, 'manchester city': 512938, 'city and': 179044, 'and manchester': 66634, 'manchester united': 512960, 'united have': 942168, 'have donated': 380316, 'donated combined': 254327, 'combined 100': 187118, '100 00': 1778, '00 to': 533, 'help food': 389740, 'bank in': 109913, 'in greater': 423415, 'greater manchester': 363202, 'manchester meet': 512950, 'meet increased': 527509, 'demand from': 235529, 'from vulnerable': 338271, 'people result': 649296, 'result of': 717579, 'pandemic what': 636968, 'is mfm': 449646, 'mfm and': 530077, 'and heartland': 64419, 'heartland doing': 388458, 'doing for': 252409, 'manchester city and': 512939, 'city and manchester': 179048, 'and manchester united': 66636, 'manchester united have': 512965, 'united have donated': 942169, 'have donated combined': 380317, 'donated combined 100': 254328, 'combined 100 00': 187119, '100 00 to': 1799, '00 to help': 543, 'to help food': 907520, 'help food bank': 389741, 'food bank in': 313588, 'bank in greater': 109919, 'in greater manchester': 423417, 'greater manchester meet': 363203, 'manchester meet increased': 512951, 'meet increased demand': 527511, 'increased demand from': 433274, 'demand from vulnerable': 235550, 'from vulnerable people': 338273, 'vulnerable people result': 961106, 'people result of': 649297, 'result of the': 717617, 'of the coronavirus': 590897, 'the coronavirus covid': 851824, '19 pandemic what': 9521, 'pandemic what is': 636971, 'what is mfm': 981708, 'is mfm and': 449647, 'mfm and heartland': 530078, 'and heartland doing': 64420, 'heartland doing for': 388459, 'usa': 948563, 'officially': 595981, 'the usa': 870533, 'usa ha': 948655, 'be they': 117690, 'have officially': 381759, 'officially passed': 596017, 'passed italy': 643277, 'italy and': 462761, 'and china': 59842, 'china with': 177077, 'the total': 869810, 'total number': 926202, 'of case': 581164, 'the usa ha': 870543, 'usa ha to': 948658, 'ha to be': 372289, 'to be they': 901590, 'be they have': 117691, 'they have officially': 882354, 'have officially passed': 381761, 'officially passed italy': 596018, 'passed italy and': 643278, 'italy and china': 462762, 'and china with': 59858, 'china with the': 177078, 'with the total': 1001522, 'the total number': 869819, 'total number of': 926203, 'number of case': 576925, 'pandey': 637148, 'controlling': 202270, 'costly': 208343, 'compared': 191416, 'town': 927425, 'village': 957326, 'pandey will': 637149, 'will controlling': 993030, 'controlling vegetable': 202286, 'vegetable price': 954068, 'price at': 672781, 'at this': 101219, 'this point': 889628, 'point help': 662504, 'help such': 390601, 'such people': 816672, 'people situation': 649477, 'situation would': 772607, 'be worse': 118152, 'worse in': 1010951, 'in city': 421475, 'city thing': 179412, 'thing are': 884146, 'are costly': 85583, 'costly compared': 208344, 'compared to': 191419, 'to town': 917660, 'town village': 927574, 'village wish': 957387, 'wish people': 996805, 'die due': 241319, 'to starvation': 915240, 'starvation lockdown': 795174, 'pandey will controlling': 637150, 'will controlling vegetable': 993031, 'controlling vegetable price': 202287, 'vegetable price at': 954070, 'price at this': 672816, 'at this point': 101249, 'this point help': 889635, 'point help such': 662505, 'help such people': 390602, 'such people situation': 816675, 'people situation would': 649478, 'situation would be': 772608, 'would be worse': 1011672, 'be worse in': 118154, 'worse in city': 1010952, 'in city thing': 421485, 'city thing are': 179413, 'thing are costly': 884150, 'are costly compared': 85584, 'costly compared to': 208345, 'compared to town': 191442, 'to town village': 917663, 'town village wish': 927575, 'village wish people': 957388, 'wish people do': 996806, 'do not die': 249715, 'not die due': 569019, 'die due to': 241320, 'due to starvation': 261971, 'to starvation lockdown': 915241, 'far': 298686, 'induced': 435446, 'ha had': 370786, 'had little': 373249, 'little impact': 495401, 'global food': 351944, 'chain so': 171116, 'so far': 777005, 'far but': 298730, 'but fear': 145702, 'fear induced': 301169, 'induced panic': 435481, 'panic could': 638018, 'could change': 209006, 'change that': 172277, 'pandemic ha had': 635546, 'ha had little': 370791, 'had little impact': 373251, 'little impact on': 495402, 'impact on the': 417894, 'on the global': 604141, 'the global food': 856304, 'global food supply': 351951, 'food supply chain': 316941, 'supply chain so': 825038, 'chain so far': 171119, 'so far but': 777015, 'far but fear': 298731, 'but fear induced': 145703, 'fear induced panic': 301170, 'induced panic could': 435484, 'panic could change': 638019, 'could change that': 209013, 'wife': 991885, 'inevitably': 436417, 'caring': 164693, 'herself': 394229, 'daughter': 226818, 'varying': 952675, 'degree': 232562, 'find food': 306900, 'for due': 320879, 'to panic': 911377, 'buying and': 149898, 'and hoarding': 64646, 'hoarding my': 399432, 'my wife': 550580, 'wife will': 992008, 'will inevitably': 993840, 'inevitably end': 436422, 'end up': 276021, 'up caring': 944582, 'caring for': 164711, 'for people': 324441, 'people struggling': 649675, '19 which': 12036, 'which will': 986480, 'will mean': 994108, 'mean isolating': 524504, 'isolating herself': 455108, 'herself in': 394232, 'our home': 623441, 'from me': 336390, 'me our': 523292, 'our daughter': 622699, 'daughter and': 226821, 'our dog': 622793, 'dog this': 252175, 'will affect': 992209, 'affect all': 34109, 'in varying': 430540, 'varying degree': 952682, 'degree but': 232565, 'to find food': 905897, 'find food for': 306905, 'food for due': 314528, 'for due to': 320880, 'due to panic': 261897, 'to panic buying': 911390, 'panic buying and': 637643, 'buying and hoarding': 149912, 'and hoarding my': 64660, 'hoarding my wife': 399433, 'my wife will': 550609, 'wife will inevitably': 992009, 'will inevitably end': 993841, 'inevitably end up': 436423, 'end up caring': 276025, 'up caring for': 944583, 'caring for people': 164717, 'for people struggling': 324464, 'people struggling with': 649677, 'struggling with covid': 814532, 'covid 19 which': 214069, '19 which will': 12042, 'which will mean': 986498, 'will mean isolating': 994110, 'mean isolating herself': 524505, 'isolating herself in': 455109, 'herself in our': 394233, 'in our home': 426302, 'our home from': 623449, 'home from me': 401268, 'from me our': 336399, 'me our daughter': 523293, 'our daughter and': 622700, 'daughter and our': 226823, 'and our dog': 68484, 'our dog this': 622794, 'dog this will': 252176, 'this will affect': 891401, 'will affect all': 992211, 'affect all in': 34111, 'all in varying': 43209, 'in varying degree': 430541, 'varying degree but': 952683, 'degree but it': 232566, 'but it is': 146133, 'it is going': 458963, 'pub': 687656, 'heath': 388507, 'haywards': 384538, 'round': 726310, 'drink': 258788, 'supportlocalbusiness': 827273, 'is my': 449776, 'local pub': 498307, 'pub the': 687777, 'the heath': 857216, 'heath in': 388512, 'in haywards': 423581, 'haywards heath': 384539, 'heath so': 388514, 're in': 698862, 'area fed': 92004, 'with fighting': 998432, 'fighting your': 305164, 'your way': 1026312, 'way round': 969848, 'round the': 726359, 'supermarket collect': 819733, 'collect your': 186342, 'your drink': 1023600, 'drink from': 258827, 'from here': 335773, 'here supportlocalbusiness': 393626, 'this is my': 888325, 'is my local': 449801, 'my local pub': 549134, 'local pub the': 498310, 'pub the heath': 687779, 'the heath in': 857217, 'heath in haywards': 388513, 'in haywards heath': 423582, 'haywards heath so': 384540, 'heath so if': 388515, 'so if you': 777359, 'you re in': 1020652, 're in the': 698889, 'the area fed': 848880, 'area fed up': 92005, 'fed up with': 301926, 'up with fighting': 946637, 'with fighting your': 998433, 'fighting your way': 305165, 'your way round': 1026318, 'way round the': 969850, 'round the supermarket': 726364, 'the supermarket collect': 868522, 'supermarket collect your': 819734, 'collect your drink': 186344, 'your drink from': 1023601, 'drink from here': 258828, 'from here supportlocalbusiness': 335784, 'robbing': 724681, 'york': 1016567, 'manhattan': 513128, 'element': 271339, 'some criminal': 782639, 'criminal are': 216820, 'are robbing': 89733, 'robbing grocery': 724686, 'in new': 425816, 'new york': 559915, 'york in': 1016623, 'in manhattan': 425031, 'manhattan mask': 513137, 'are useful': 91400, 'useful for': 950155, 'for such': 325970, 'such element': 816466, 'element to': 271346, 'to hide': 907726, 'face at': 294319, 'at time': 101280, 'some criminal are': 782640, 'criminal are robbing': 216822, 'are robbing grocery': 89734, 'robbing grocery store': 724687, 'store in new': 808351, 'in new york': 425835, 'new york in': 559934, 'york in manhattan': 1016625, 'in manhattan mask': 425033, 'manhattan mask are': 513138, 'mask are useful': 518403, 'are useful for': 91401, 'useful for such': 950156, 'for such element': 325971, 'such element to': 816467, 'element to hide': 271347, 'to hide the': 907730, 'hide the face': 394844, 'the face at': 854801, 'face at time': 294325, 'nearby': 553651, 'tried': 931754, 'gap': 343427, 'borisjohnson': 135508, 'live alone': 495708, 'alone do': 46841, 'have family': 380578, 'family nearby': 298065, 'nearby not': 553670, 'not old': 570743, 'old need': 598385, 'need fresh': 554886, 'fresh fruit': 332994, 'vegetable tried': 954116, 'tried my': 931795, 'for online': 324100, 'online order': 608673, 'order no': 618412, 'no gap': 564334, 'gap for': 343442, 'week tried': 977122, 'tried click': 931766, 'click and': 181883, 'and collect': 60078, 'collect no': 186303, 'week government': 976284, 'government borisjohnson': 359942, 'live alone do': 495711, 'alone do not': 46842, 'not have family': 569833, 'have family nearby': 380581, 'family nearby not': 298066, 'nearby not old': 553671, 'not old need': 570744, 'old need fresh': 598386, 'need fresh fruit': 554888, 'fresh fruit and': 332996, 'and vegetable tried': 74898, 'vegetable tried my': 954117, 'tried my local': 931796, 'local supermarket for': 498527, 'supermarket for online': 820410, 'for online order': 324109, 'online order no': 608695, 'order no gap': 618413, 'no gap for': 564335, 'gap for week': 343444, 'for week tried': 327757, 'week tried click': 977123, 'tried click and': 931767, 'click and collect': 181884, 'and collect no': 60086, 'collect no gap': 186304, 'for week government': 327711, 'week government borisjohnson': 976286, 'nhsthankyou': 562265, 'nhsheroes': 562227, 'corvid19uk': 207742, 'the nh': 861720, 'nh and': 561874, 'nh nhsthankyou': 562016, 'nhsthankyou nhsheroes': 562268, 'nhsheroes corvid19uk': 562231, 'to all the': 900292, 'all the nh': 44842, 'the nh and': 861724, 'nh and supermarket': 561883, 'and supermarket worker': 72753, 'worker nh nhsthankyou': 1007438, 'nh nhsthankyou nhsheroes': 562017, 'nhsthankyou nhsheroes corvid19uk': 562269, 'joe': 466395, 'allen': 45736, 'bayhdole': 112999, 'bayh': 112996, 'dole': 252922, 'intended': 441047, 'dwindle': 263661, 'executive director': 289880, 'of joe': 585545, 'joe allen': 466398, 'allen talk': 45745, 'talk to': 833866, 'to about': 899908, 'about bayhdole': 24852, 'bayhdole and': 113000, 'and treatment': 74432, 'treatment research': 931134, 'research he': 713752, 'he explains': 384944, 'explains that': 292222, 'that bayh': 842938, 'bayh dole': 112997, 'dole march': 252923, 'march in': 515390, 'in provision': 427058, 'provision wa': 687289, 'wa never': 962698, 'never intended': 558079, 'intended to': 441054, 'to control': 903440, 'control price': 202110, 'price funding': 674137, 'funding would': 341638, 'would dwindle': 1011780, 'dwindle if': 263664, 'if that': 414930, 'that were': 847435, 'were the': 980234, 'the case': 850455, 'executive director of': 289885, 'director of joe': 243651, 'of joe allen': 585546, 'joe allen talk': 466399, 'allen talk to': 45746, 'talk to about': 833867, 'to about bayhdole': 899909, 'about bayhdole and': 24853, 'bayhdole and treatment': 113001, 'and treatment research': 74442, 'treatment research he': 931135, 'research he explains': 713753, 'he explains that': 384945, 'explains that bayh': 292223, 'that bayh dole': 842939, 'bayh dole march': 112998, 'dole march in': 252924, 'march in provision': 515394, 'in provision wa': 427060, 'provision wa never': 687290, 'wa never intended': 962702, 'never intended to': 558080, 'intended to control': 441057, 'to control price': 903451, 'control price funding': 202114, 'price funding would': 674139, 'funding would dwindle': 341639, 'would dwindle if': 1011781, 'dwindle if that': 263665, 'if that were': 414947, 'that were the': 847448, 'were the case': 980236, 'h1n1': 369368, 'sars': 736790, 'bird': 131321, 'hateful': 378955, 'telling': 837173, 'truth': 934375, 'irresponsible': 445032, 'lied': 488401, 'h1n1 sars': 369374, 'sars bird': 736795, 'bird flu': 131334, 'flu asian': 311379, 'asian flu': 95281, 'flu all': 311373, 'all came': 42276, 'came from': 156993, 'from china': 334846, 'china covid': 176593, '19 chinese': 5797, 'chinese flu': 177259, 'flu came': 311391, 'china the': 176980, 'the whole': 871476, 'whole world': 990380, 'world need': 1009822, 'need surgical': 555698, 'mask to': 519389, 'supermarket because': 819330, 'of china': 581355, 'china calling': 176535, 'calling people': 156624, 'people ignorant': 648323, 'ignorant and': 415770, 'and hateful': 64214, 'hateful for': 378956, 'for telling': 326187, 'telling the': 837263, 'the truth': 870086, 'truth is': 934393, 'is irresponsible': 448985, 'irresponsible china': 445047, 'china lied': 176793, 'lied people': 488416, 'people died': 647655, 'h1n1 sars bird': 369375, 'sars bird flu': 736796, 'bird flu asian': 131335, 'flu asian flu': 311380, 'asian flu all': 95282, 'flu all came': 311374, 'all came from': 42277, 'came from china': 156994, 'from china covid': 334855, 'china covid 19': 176594, 'covid 19 chinese': 212796, '19 chinese flu': 5799, 'chinese flu came': 177260, 'flu came from': 311392, 'from china the': 334870, 'china the whole': 176989, 'the whole world': 871516, 'whole world need': 990385, 'world need surgical': 1009827, 'need surgical mask': 555699, 'surgical mask to': 828370, 'mask to go': 519404, 'the supermarket because': 868482, 'supermarket because of': 819335, 'because of china': 119316, 'of china calling': 581359, 'china calling people': 176536, 'calling people ignorant': 156625, 'people ignorant and': 648325, 'ignorant and hateful': 415772, 'and hateful for': 64215, 'hateful for telling': 378957, 'for telling the': 326191, 'telling the truth': 837269, 'the truth is': 870090, 'truth is irresponsible': 934395, 'is irresponsible china': 448988, 'irresponsible china lied': 445048, 'china lied people': 176795, 'lied people died': 488417, 'homeless': 402721, 'moved': 543792, 'onto': 611651, 'interview': 442201, 'the big': 849593, 'big issue': 129834, 'issue british': 455694, 'british paper': 140556, 'paper sold': 640799, 'sold by': 781649, 'by homeless': 152825, 'homeless and': 402722, 'and vulnerable': 75046, 'people ha': 648130, 'ha moved': 371300, 'moved off': 543818, 'street and': 812890, 'and onto': 68158, 'onto supermarket': 611676, 'shelf for': 757092, 'first time': 309090, 'time interview': 897041, 'the big issue': 849610, 'big issue british': 129835, 'issue british paper': 455695, 'british paper sold': 140557, 'paper sold by': 640800, 'sold by homeless': 781652, 'by homeless and': 152826, 'homeless and vulnerable': 402730, 'and vulnerable people': 75058, 'vulnerable people ha': 961093, 'people ha moved': 648134, 'ha moved off': 371301, 'moved off the': 543819, 'off the street': 594272, 'the street and': 868216, 'street and onto': 812898, 'and onto supermarket': 68159, 'onto supermarket shelf': 611678, 'supermarket shelf for': 822472, 'shelf for the': 757096, 'for the first': 326436, 'the first time': 855358, 'first time interview': 309102, 'gouging': 359227, 'harlem': 378374, 'olive': 598731, 'listed': 494607, 'chip': 177496, 'first trip': 309134, 'in two': 430354, 'week and': 975898, 'disgusted by': 245363, 'price gouging': 674249, 'gouging in': 359344, 'in harlem': 423552, 'harlem new': 378376, 'new and': 558339, 'and old': 68032, 'old olive': 598399, 'olive oil': 598739, 'price listed': 675065, 'listed and': 494610, 'and on': 68050, 'on what': 605208, 'what planet': 982033, 'planet have': 658409, 'have chocolate': 379962, 'chocolate chip': 177662, 'chip ever': 177510, 'ever been': 285213, 'been bag': 120721, 'bag complaint': 108254, 'complaint to': 192040, 'to ha': 907082, 'been made': 121506, 'first trip to': 309136, 'store in two': 808409, 'in two week': 430359, 'two week and': 937318, 'week and disgusted': 975908, 'and disgusted by': 61432, 'disgusted by the': 245365, 'by the price': 154414, 'the price gouging': 864357, 'price gouging in': 674288, 'gouging in harlem': 359345, 'in harlem new': 423553, 'harlem new and': 378377, 'new and old': 558343, 'and old olive': 68034, 'old olive oil': 598400, 'olive oil price': 598741, 'oil price listed': 597181, 'price listed and': 675066, 'listed and on': 494611, 'and on what': 68074, 'on what planet': 605236, 'what planet have': 982034, 'planet have chocolate': 658410, 'have chocolate chip': 379963, 'chocolate chip ever': 177663, 'chip ever been': 177511, 'ever been bag': 285214, 'been bag complaint': 120722, 'bag complaint to': 108255, 'complaint to ha': 192041, 'to ha been': 907083, 'ha been made': 369851, 'address': 31939, 'nation': 552088, 'committee': 189055, 'national': 552401, 'coordination': 203211, 'artificially': 94540, 'strongly': 814211, 'repress': 712969, 'address the': 32031, 'the nation': 861212, 'nation two': 552357, 'two committee': 936842, 'committee have': 189067, 'been created': 120899, 'created national': 215855, 'national coordination': 552459, 'coordination committee': 203216, 'committee economic': 189063, 'economic committee': 267015, 'committee say': 189087, 'that we': 847357, 'will ensure': 993321, 'ensure that': 278050, 'that hoarder': 844356, 'hoarder do': 399014, 'not artificially': 568249, 'artificially increase': 94547, 'increase price': 432994, 'price we': 677394, 'will strongly': 995010, 'strongly repress': 814239, 'repress hoarder': 712970, 'address the nation': 32042, 'the nation two': 861271, 'nation two committee': 552358, 'two committee have': 936843, 'committee have been': 189068, 'have been created': 379498, 'been created national': 120900, 'created national coordination': 215856, 'national coordination committee': 552460, 'coordination committee economic': 203217, 'committee economic committee': 189064, 'economic committee say': 267017, 'committee say that': 189088, 'say that we': 739257, 'that we will': 847406, 'we will ensure': 973859, 'will ensure that': 993325, 'ensure that hoarder': 278061, 'that hoarder do': 844357, 'hoarder do not': 399015, 'do not artificially': 249670, 'not artificially increase': 568250, 'artificially increase price': 94549, 'increase price we': 433014, 'price we will': 677413, 'we will strongly': 973911, 'will strongly repress': 995011, 'strongly repress hoarder': 814240, 'prospect': 684662, 'volatile': 960030, 'the long': 859674, 'term prospect': 838249, 'prospect for': 684675, 'for gold': 321919, 'gold remain': 355986, 'remain strong': 709868, 'strong price': 814092, 'price could': 673274, 'be volatile': 118023, 'volatile over': 960052, 'next month': 561448, 'while the long': 987401, 'the long term': 859684, 'long term prospect': 501706, 'term prospect for': 838250, 'prospect for gold': 684677, 'for gold remain': 321922, 'gold remain strong': 355987, 'remain strong price': 709871, 'strong price could': 814093, 'price could be': 673275, 'could be volatile': 208937, 'be volatile over': 118024, 'volatile over the': 960053, 'the next month': 861679, 'mypov': 550784, 'chatter': 173995, 'background': 107545, 'lock': 499015, 'preppers': 670394, 'last': 480082, 'wks': 1003232, 'peak': 646045, 'sarscov2': 736831, 'mypov chatter': 550787, 'chatter in': 173999, 'the background': 849158, 'background is': 107548, 'full lock': 340668, 'lock down': 499020, 'down in': 256852, 'in week': 430743, 'if this': 415147, 'is true': 453363, 'true folk': 933081, 'folk will': 312306, 'will want': 995314, 'make plan': 510331, 'plan and': 658056, 'food water': 317505, 'water thing': 969205, 'do cash': 249183, 'cash etc': 166221, 'etc preppers': 282720, 'preppers are': 670395, 'are already': 84397, 'already there': 47718, 'there but': 878261, 'could last': 209370, 'last wks': 480710, 'wks during': 1003244, 'during peak': 262916, 'peak transmission': 646107, 'transmission sarscov2': 929768, 'mypov chatter in': 550788, 'chatter in the': 174000, 'in the background': 429002, 'the background is': 849159, 'background is full': 107549, 'is full lock': 447975, 'full lock down': 340670, 'lock down in': 499036, 'down in week': 256874, 'in week if': 430753, 'week if this': 976358, 'if this is': 415158, 'this is true': 888437, 'is true folk': 453365, 'true folk will': 933082, 'folk will want': 312308, 'will want to': 995315, 'want to make': 966067, 'to make plan': 909719, 'make plan and': 510332, 'plan and stock': 658065, 'and stock up': 72419, 'on food water': 600927, 'food water thing': 317515, 'water thing to': 969206, 'to do cash': 904495, 'do cash etc': 249184, 'cash etc preppers': 166223, 'etc preppers are': 282721, 'preppers are already': 670396, 'are already there': 84428, 'already there but': 47720, 'there but this': 878262, 'but this could': 147545, 'this could last': 886927, 'could last wks': 209374, 'last wks during': 480711, 'wks during peak': 1003245, 'during peak transmission': 262917, 'peak transmission sarscov2': 646108, 'declaratory': 231176, 'ruling': 727445, 'qualifies': 691712, 'telephone': 836797, 'purpose': 690093, 'exception': 289256, 'stringent': 813801, 'consent': 194827, 'requirement': 713422, 'the recently': 865325, 'recently published': 704138, 'published declaratory': 688646, 'declaratory ruling': 231177, 'ruling that': 727454, 'that confirms': 843284, 'confirms the': 194241, 'pandemic is': 635748, 'an emergency': 55667, 'emergency that': 273014, 'that qualifies': 845920, 'qualifies for': 691713, 'the telephone': 869264, 'telephone consumer': 836808, 'protection act': 685269, 'act emergency': 29635, 'emergency purpose': 272906, 'purpose exception': 690119, 'exception to': 289286, 'to it': 908561, 'it stringent': 461318, 'stringent consent': 813802, 'consent requirement': 194831, 'the recently published': 865331, 'recently published declaratory': 704139, 'published declaratory ruling': 688647, 'declaratory ruling that': 231178, 'ruling that confirms': 727455, 'that confirms the': 843285, 'confirms the pandemic': 194242, 'the pandemic is': 863003, 'pandemic is an': 635758, 'is an emergency': 445652, 'an emergency that': 55691, 'emergency that qualifies': 273015, 'that qualifies for': 845921, 'qualifies for the': 691714, 'for the telephone': 326721, 'the telephone consumer': 869265, 'telephone consumer protection': 836809, 'consumer protection act': 198498, 'protection act emergency': 685276, 'act emergency purpose': 29636, 'emergency purpose exception': 272908, 'purpose exception to': 690120, 'exception to it': 289288, 'to it stringent': 908619, 'it stringent consent': 461319, 'stringent consent requirement': 813803, 'fixed': 309775, 'black': 132019, 'excessive': 289377, 'charge': 173178, 'incident': 431408, 'kindly': 475103, 'much needed': 545145, 'needed step': 556498, 'step the': 799632, 'ha fixed': 370629, 'fixed price': 309821, 'essential product': 281412, 'product like': 681357, 'like mask': 490719, 'prevent black': 671586, 'black marketing': 132098, 'marketing and': 517519, 'and excessive': 62455, 'excessive charge': 289384, 'charge any': 173201, 'any incident': 79348, 'incident of': 431422, 'this type': 890890, 'of overcharging': 587624, 'overcharging can': 631103, 'can be': 157571, 'be kindly': 115640, 'kindly reported': 475157, 'reported to': 712555, 'the management': 859989, 'management 19': 512522, 'much needed step': 545168, 'needed step the': 556499, 'step the government': 799634, 'the government ha': 856543, 'government ha fixed': 360153, 'ha fixed price': 370632, 'fixed price of': 309826, 'price of essential': 675445, 'of essential product': 583183, 'essential product like': 281422, 'product like mask': 681364, 'like mask sanitizer': 490724, 'mask sanitizer to': 519229, 'sanitizer to prevent': 735942, 'to prevent black': 912047, 'prevent black marketing': 671587, 'black marketing and': 132099, 'marketing and excessive': 517520, 'and excessive charge': 62456, 'excessive charge any': 289385, 'charge any incident': 173202, 'any incident of': 79349, 'incident of this': 431427, 'of this type': 592060, 'this type of': 890891, 'type of overcharging': 937571, 'of overcharging can': 587625, 'overcharging can be': 631104, 'can be kindly': 157638, 'be kindly reported': 115641, 'kindly reported to': 475158, 'reported to the': 712558, 'to the management': 916863, 'the management 19': 859990, 'ep': 279264, 'honesty': 403161, 'positivity': 665507, 'soldout': 781836, 'new podcast': 559287, 'podcast where': 662326, 'where did': 984817, 'did all': 240541, 'the toilet': 869706, 'paper go': 640211, 'go ep': 353516, 'ep the': 279277, 'better action': 128180, 'action network': 30080, 'network on': 557751, 'on distancing': 600349, 'distancing honesty': 247204, 'honesty pandemic': 403164, 'pandemic positivity': 636216, 'positivity social': 665514, 'social soldout': 779966, 'soldout toiletpaper': 781846, 'toiletpaper tp': 922744, 'new podcast where': 559294, 'podcast where did': 662327, 'where did all': 984818, 'did all the': 240542, 'all the toilet': 44945, 'the toilet paper': 869710, 'toilet paper go': 921286, 'paper go ep': 640212, 'go ep the': 353517, 'ep the better': 279278, 'the better action': 849571, 'better action network': 128181, 'action network on': 30081, 'network on distancing': 557752, 'on distancing honesty': 600351, 'distancing honesty pandemic': 247205, 'honesty pandemic positivity': 403165, 'pandemic positivity social': 636217, 'positivity social soldout': 665515, 'social soldout toiletpaper': 779967, 'soldout toiletpaper tp': 781847, 'aspect': 96208, 'spot': 790028, 'inthistogether': 442309, 'during public': 262928, 'public health': 688057, 'health crisis': 386320, 'crisis like': 217657, 'this one': 889227, 'one it': 606537, 'to look': 909430, 'look after': 502219, 'after all': 35320, 'all aspect': 42072, 'aspect of': 96214, 'your health': 1024270, 'health and': 386125, 'and safety': 70735, 'safety learn': 730608, 'learn how': 483976, 'to spot': 915036, 'spot scammer': 790107, 'scammer using': 740644, 'using to': 950761, 'get your': 348687, 'your personal': 1025259, 'personal info': 652880, 'info inthistogether': 437503, 'during public health': 262929, 'public health crisis': 688063, 'health crisis like': 386342, 'crisis like this': 217667, 'like this one': 491512, 'this one it': 889242, 'one it important': 606538, 'important to look': 419059, 'to look after': 909431, 'look after all': 502220, 'after all aspect': 35322, 'all aspect of': 42073, 'aspect of your': 96220, 'of your health': 593483, 'your health and': 1024271, 'health and safety': 386153, 'and safety learn': 70749, 'safety learn how': 730609, 'learn how to': 483993, 'how to spot': 409088, 'to spot scammer': 915041, 'spot scammer using': 790108, 'scammer using to': 740647, 'using to get': 950762, 'to get your': 906649, 'get your personal': 348723, 'your personal info': 1025263, 'personal info inthistogether': 652882, 'predict': 669547, 'church': 178329, 'suffer': 817189, 'unless': 942594, 'decide': 230831, 'virtual': 957713, 'psychiatrist': 687503, 'wanting': 966292, 'entertainment': 278546, 'predict this': 669585, 'to turn': 917840, 'turn into': 935685, 'into church': 442459, 'church will': 178414, 'will suffer': 995019, 'suffer unless': 817244, 'unless they': 942646, 'they decide': 881870, 'decide to': 230841, 'go virtual': 354461, 'virtual well': 957819, 'well we': 978734, 'do everything': 249263, 'everything online': 287950, 'online school': 608943, 'school shopping': 741917, 'shopping going': 762794, 'the psychiatrist': 864751, 'psychiatrist amp': 687504, 'amp work': 54859, 'work only': 1005553, 'only reason': 611054, 'go out': 353929, 'out is': 626433, 'working in': 1008706, 'in or': 426196, 'or wanting': 617725, 'wanting entertainment': 966293, 'entertainment or': 278593, 'or gt': 615535, 'predict this is': 669586, 'this is going': 888269, 'going to turn': 355750, 'to turn into': 917844, 'turn into church': 935687, 'into church will': 442460, 'church will suffer': 178415, 'will suffer unless': 995026, 'suffer unless they': 817245, 'unless they decide': 942648, 'they decide to': 881872, 'decide to go': 230845, 'to go virtual': 906878, 'go virtual well': 354462, 'virtual well we': 957820, 'well we can': 978735, 'can do everything': 158102, 'do everything online': 249267, 'everything online school': 287953, 'online school shopping': 608944, 'school shopping going': 741918, 'shopping going to': 762795, 'to the psychiatrist': 916990, 'the psychiatrist amp': 864752, 'psychiatrist amp work': 687505, 'amp work only': 54860, 'work only reason': 1005554, 'only reason to': 611059, 'reason to go': 703028, 'to go out': 906837, 'go out is': 353961, 'out is working': 626438, 'is working in': 454041, 'working in or': 1008725, 'in or wanting': 426205, 'or wanting entertainment': 617726, 'wanting entertainment or': 966294, 'entertainment or gt': 278594, 'or gt gt': 615536, 'dropping': 260658, 'story': 811878, 'adventure': 33084, 'writingcommnunity': 1012933, 'dropping story': 260730, 'story of': 812056, 'our covid': 622618, '19 adventure': 4815, 'adventure writingcommnunity': 33114, 'writingcommnunity pandemic': 1012938, 'dropping story of': 260731, 'story of our': 812069, 'of our covid': 587444, 'our covid 19': 622619, 'covid 19 adventure': 212584, '19 adventure writingcommnunity': 4816, 'adventure writingcommnunity pandemic': 33115, 'forward': 329962, '10am': 2277, '2pm': 16836, 'bacon': 107628, 'butter': 148121, 're now': 699134, 'now open': 575457, 'open we': 612649, 'we look': 972291, 'look forward': 502376, 'forward to': 330020, 'to seeing': 914104, 'seeing you': 746557, 'between 10am': 128665, '10am and': 2285, 'and 2pm': 57434, '2pm egg': 16839, 'egg bacon': 269790, 'bacon butter': 107629, 'butter pasta': 148158, 'pasta and': 643674, 'and meat': 66853, 'meat we': 525797, 'have it': 381137, 'all thank': 44621, 'all for': 42830, 'for your': 328112, 'your support': 1026076, 'support 19': 826317, 'we re now': 972925, 're now open': 699144, 'now open we': 575465, 'open we look': 612652, 'we look forward': 972294, 'look forward to': 502377, 'forward to seeing': 330035, 'to seeing you': 914105, 'seeing you between': 746558, 'you between 10am': 1017473, 'between 10am and': 128666, '10am and 2pm': 2286, 'and 2pm egg': 57435, '2pm egg bacon': 16840, 'egg bacon butter': 269791, 'bacon butter pasta': 107630, 'butter pasta and': 148159, 'pasta and meat': 643684, 'and meat we': 66862, 'meat we have': 525798, 'we have it': 971847, 'have it all': 381138, 'it all thank': 456376, 'all thank you': 44622, 'thank you all': 841686, 'you all for': 1016877, 'all for your': 42853, 'for your support': 328217, 'your support 19': 1026077, 'again': 36864, 'coronapandemic': 205143, 'and again': 57768, 'again have': 37014, 'why store': 991379, 'store aren': 806537, 'aren delivery': 92376, 'delivery only': 234263, 'only right': 611077, 'now we': 576332, 'we could': 971195, 'be doing': 114508, 'doing so': 252651, 'so much': 777753, 'much better': 544752, 'better than': 128513, 'than this': 841310, 'this coronapandemic': 886887, 'coronapandemic via': 205153, 'and again have': 57769, 'again have no': 37015, 'no idea why': 564474, 'idea why store': 413247, 'why store aren': 991380, 'store aren delivery': 806538, 'aren delivery only': 92377, 'delivery only right': 234265, 'only right now': 611078, 'right now we': 722175, 'now we could': 576338, 'we could be': 971198, 'could be doing': 208861, 'be doing so': 114529, 'doing so much': 252656, 'so much better': 777762, 'much better than': 544762, 'better than this': 128539, 'than this coronapandemic': 841314, 'this coronapandemic via': 886888, 'planning': 658506, 'stayinformed': 798557, 'stayconnected': 797844, 'nailba2020': 551469, 'for planning': 324571, 'planning doesn': 658537, 'doesn end': 251766, 'end with': 276078, 'with food': 998473, 'water and': 968852, 'and toilet': 74236, 'paper some': 640804, 'are also': 84434, 'also panic': 48640, 'for life': 322964, 'life insurance': 488780, 'insurance stayinformed': 440816, 'stayinformed stayconnected': 798558, 'stayconnected nailba2020': 797845, 'the panic shopping': 863219, 'panic shopping for': 638570, 'shopping for planning': 762707, 'for planning doesn': 324573, 'planning doesn end': 658538, 'doesn end with': 251769, 'end with food': 276082, 'with food water': 998516, 'food water and': 317506, 'water and toilet': 968886, 'and toilet paper': 74237, 'toilet paper some': 921460, 'paper some consumer': 640805, 'some consumer are': 782589, 'consumer are also': 196280, 'are also panic': 84471, 'also panic shopping': 48641, 'shopping for life': 762688, 'for life insurance': 322969, 'life insurance stayinformed': 488789, 'insurance stayinformed stayconnected': 440817, 'stayinformed stayconnected nailba2020': 798559, 'stopped': 805673, 'sliced': 773875, 'lunchmeat': 506760, '49': 19377, 'lb': 482761, 'bge': 129313, 'smokedturkey': 775882, 'ohiopreparedmeforthis': 596564, 'our grocery': 623302, 'store stopped': 810412, 'stopped selling': 805751, 'selling sliced': 749441, 'sliced lunchmeat': 773876, 'lunchmeat 49': 506761, '49 lb': 19393, 'lb with': 482777, 'our bge': 622201, 'bge we': 129314, 'made our': 507895, 'our own': 624195, 'own smokedturkey': 632214, 'smokedturkey ohiopreparedmeforthis': 775883, 'our grocery store': 623309, 'grocery store stopped': 365814, 'store stopped selling': 810413, 'stopped selling sliced': 805753, 'selling sliced lunchmeat': 749442, 'sliced lunchmeat 49': 773877, 'lunchmeat 49 lb': 506762, '49 lb with': 19394, 'lb with our': 482778, 'with our bge': 999976, 'our bge we': 622202, 'bge we made': 129315, 'we made our': 972322, 'made our own': 507898, 'our own smokedturkey': 624216, 'own smokedturkey ohiopreparedmeforthis': 632215, 'fridge': 333373, 'your fridge': 1023960, 'in your fridge': 431081, 'torture': 926055, 'survivor': 829383, 'fuligdi': 340461, 'terrified': 838482, 'medicine': 526706, 'living on': 496427, 'on day': 600219, 'day mother': 227990, 'mother living': 543137, 'day price': 228244, 'price rise': 676227, 'rise due': 722832, 'to aid': 900190, 'aid call': 39359, 'call torture': 156201, 'torture survivor': 926059, 'survivor fuligdi': 829392, 'fuligdi life': 340462, 'life in': 488749, 'in room': 427545, 'room in': 725920, 'in liverpool': 424805, 'liverpool house': 496246, 'house with': 406682, 'with her': 998769, 'her terrified': 392426, 'terrified two': 838511, 'two year': 937401, 'old daughter': 598208, 'daughter forced': 226842, 'to choose': 902742, 'choose between': 177877, 'between food': 128780, 'or medicine': 616114, 'living on day': 496429, 'on day mother': 600222, 'day mother living': 227991, 'mother living on': 543138, 'on day price': 600226, 'day price rise': 228246, 'price rise due': 676233, 'rise due to': 722833, 'due to aid': 261697, 'to aid call': 900191, 'aid call torture': 39360, 'call torture survivor': 156202, 'torture survivor fuligdi': 926060, 'survivor fuligdi life': 829393, 'fuligdi life in': 340463, 'life in room': 488765, 'in room in': 427546, 'room in liverpool': 725921, 'in liverpool house': 424806, 'liverpool house with': 496247, 'house with her': 406688, 'with her terrified': 998780, 'her terrified two': 392427, 'terrified two year': 838512, 'two year old': 937407, 'year old daughter': 1014822, 'old daughter forced': 598212, 'daughter forced to': 226843, 'forced to choose': 328621, 'to choose between': 902743, 'choose between food': 177878, 'between food or': 128781, 'food or medicine': 315662, 'hard to': 378047, 'to read': 912819, 'read american': 700268, 'american line': 52077, 'line up': 493518, 'up at': 944419, 'at food': 98671, 'bank farmer': 109822, 'farmer dump': 299342, 'dump milk': 262167, 'milk break': 531605, 'break egg': 138714, 'egg restaurant': 269969, 'restaurant closure': 716384, 'closure destroy': 183874, 'destroy demand': 239005, 'hard to read': 378083, 'to read american': 912822, 'read american line': 700269, 'american line up': 52078, 'line up at': 493522, 'up at food': 944429, 'at food bank': 98672, 'food bank farmer': 313566, 'bank farmer dump': 109823, 'farmer dump milk': 299343, 'dump milk break': 262170, 'milk break egg': 531606, 'break egg restaurant': 138717, 'egg restaurant closure': 269971, 'restaurant closure destroy': 716386, 'closure destroy demand': 183875, 'djia': 248821, 'mild': 531324, 'negativity': 556865, 'trader': 928640, 'process': 679869, 'crosscurrent': 219049, 'initial': 438506, 'upward': 947950, 'spike': 789256, 'surge': 828108, 'slowly': 774575, 'grappling': 362199, 'bill': 130483, 'djia slip': 248834, 'slip into': 774022, 'into mild': 442753, 'mild negativity': 531336, 'negativity again': 556866, 'again trader': 37247, 'trader process': 928751, 'process all': 679872, 'the crosscurrent': 852510, 'crosscurrent no': 219050, 'no new': 564863, 'new virus': 559835, 'virus case': 958039, 'case in': 165779, 'china initial': 176738, 'initial claim': 438518, 'claim beginning': 179704, 'beginning upward': 123686, 'upward spike': 947959, 'spike oil': 789317, 'price surge': 676717, 'surge upward': 828273, 'upward congress': 947951, 'congress slowly': 194528, 'slowly grappling': 774601, 'grappling with': 362200, 'with biggest': 997403, 'biggest response': 130309, 'response bill': 715634, 'bill etc': 130564, 'etc market': 282652, 'djia slip into': 248835, 'slip into mild': 774023, 'into mild negativity': 442754, 'mild negativity again': 531337, 'negativity again trader': 556867, 'again trader process': 37248, 'trader process all': 928752, 'process all the': 679873, 'all the crosscurrent': 44707, 'the crosscurrent no': 852511, 'crosscurrent no new': 219051, 'no new virus': 564869, 'new virus case': 559837, 'virus case in': 958040, 'case in china': 165790, 'in china initial': 421409, 'china initial claim': 176739, 'initial claim beginning': 438519, 'claim beginning upward': 179705, 'beginning upward spike': 123687, 'upward spike oil': 947960, 'spike oil price': 789318, 'oil price surge': 597281, 'price surge upward': 676728, 'surge upward congress': 828274, 'upward congress slowly': 947952, 'congress slowly grappling': 194530, 'slowly grappling with': 774602, 'grappling with biggest': 362201, 'with biggest response': 997404, 'biggest response bill': 130310, 'response bill etc': 715635, 'bill etc market': 130565, 'dont': 255184, 'panicing': 639183, 'dont know': 255239, 'know why': 477045, 'why people': 991279, 'are panicing': 88965, 'panicing buying': 639184, 'buying out': 150848, 'out everything': 626036, 'everything at': 287697, 'store restaurant': 809840, 'restaurant are': 716305, 'still going': 800584, 'be open': 116238, 'open for': 612235, 'for delivery': 320625, 'delivery they': 234624, 'they even': 882054, 'even include': 284253, 'include toilet': 431655, 'paper with': 641100, 'with your': 1002176, 'your order': 1025096, 'dont know why': 255248, 'know why people': 477054, 'why people are': 991280, 'people are panicing': 647043, 'are panicing buying': 88966, 'panicing buying out': 639185, 'buying out everything': 150851, 'out everything at': 626037, 'everything at the': 287701, 'grocery store restaurant': 365718, 'store restaurant are': 809841, 'restaurant are still': 716315, 'are still going': 90428, 'still going to': 800592, 'to be open': 901423, 'be open for': 116243, 'open for delivery': 612244, 'for delivery they': 320650, 'delivery they even': 234626, 'they even include': 882055, 'even include toilet': 284254, 'include toilet paper': 431656, 'toilet paper with': 921530, 'paper with your': 641104, 'with your order': 1002216, 'welcome': 977864, 'melanie': 527903, 'rotating': 726179, 'selection': 747512, 're most': 699044, 'most welcome': 542904, 'welcome melanie': 977883, 'melanie keep': 527906, 'an eye': 56035, 'eye out': 294091, 'out on': 626895, 'on we': 605129, 'be rotating': 116909, 'rotating the': 726180, 'the available': 849087, 'available selection': 104585, 'selection you': 747530, 'also check': 48018, 'out for': 626094, 'for update': 327463, 'update on': 947104, 'how we': 409162, 'are supporting': 90661, 'supporting our': 827164, 'our customer': 622648, 'customer during': 222315, 'you re most': 1020678, 're most welcome': 699047, 'most welcome melanie': 542905, 'welcome melanie keep': 977884, 'melanie keep an': 527907, 'keep an eye': 471316, 'an eye out': 56038, 'eye out on': 294093, 'out on we': 626925, 'on we will': 605141, 'we will be': 973835, 'will be rotating': 992658, 'be rotating the': 116910, 'rotating the available': 726181, 'the available selection': 849089, 'available selection you': 104586, 'selection you can': 747531, 'you can also': 1017618, 'can also check': 157452, 'also check out': 48019, 'check out for': 174549, 'out for update': 626168, 'for update on': 327469, 'update on how': 947118, 'on how we': 601432, 'how we are': 409165, 'we are supporting': 970729, 'are supporting our': 90665, 'supporting our customer': 827169, 'our customer during': 622657, 'customer during this': 222321, 'caf': 155080, 'operation': 613120, 'however': 409336, 'pre': 669132, 'cooked': 202807, 'considered': 195272, 'similar': 769884, 'all restaurant': 44175, 'restaurant caf': 716343, 'caf and': 155081, 'bar must': 110731, 'must close': 546585, 'close all': 182497, 'of their': 591637, 'their operation': 874114, 'operation including': 613212, 'including delivery': 431935, 'delivery however': 234101, 'however the': 409467, 'food that': 317085, 'not pre': 571075, 'pre cooked': 669150, 'cooked will': 202828, 'allowed because': 46137, 'because it': 119172, 'is considered': 446746, 'considered similar': 195323, 'similar to': 769935, 'all restaurant caf': 44176, 'restaurant caf and': 716344, 'caf and bar': 155082, 'and bar must': 58698, 'bar must close': 110732, 'must close all': 546586, 'close all aspect': 182498, 'aspect of their': 96219, 'of their operation': 591684, 'their operation including': 874119, 'operation including delivery': 613213, 'including delivery however': 431936, 'delivery however the': 234102, 'however the delivery': 409473, 'delivery of food': 234224, 'of food that': 583794, 'food that is': 317090, 'that is not': 844625, 'is not pre': 450156, 'not pre cooked': 571076, 'pre cooked will': 669151, 'cooked will be': 202829, 'will be allowed': 992352, 'be allowed because': 113561, 'allowed because it': 46138, 'because it is': 119191, 'it is considered': 458913, 'is considered similar': 446751, 'considered similar to': 195324, 'similar to supermarket': 769939, 'to supermarket delivery': 915787, 'supermarket delivery of': 819928, 'interesting': 441495, 'con': 192787, 'interesting take': 441621, 'take con': 832033, 'con consumer': 192796, 'spending the': 789000, 'pandemic economy': 635359, 'economy what': 268341, 'are shopper': 90054, 'shopper buying': 761443, 'buying online': 150818, 'online during': 608139, 'interesting take con': 441622, 'take con consumer': 832034, 'con consumer spending': 192797, 'consumer spending the': 199096, 'spending the pandemic': 789002, 'the pandemic economy': 862956, 'pandemic economy what': 635361, 'economy what are': 268342, 'what are shopper': 981065, 'are shopper buying': 90055, 'shopper buying online': 761446, 'buying online during': 150820, 'online during covid': 608141, 'shoukd': 765461, 'housearrest': 406713, 'we getting': 971639, 'getting quarantined': 349209, 'quarantined an': 692814, 'an shoukd': 56797, 'shoukd stock': 765464, 'food housearrest': 314857, 'are we getting': 91569, 'we getting quarantined': 971641, 'getting quarantined an': 349210, 'quarantined an shoukd': 692815, 'an shoukd stock': 56798, 'shoukd stock up': 765465, 'on food housearrest': 600870, 'freezer': 332574, 'cauliflower': 167480, 'walnut': 965501, 'taco': 831663, 'stock the': 802926, 'the freezer': 855780, 'freezer with': 332652, 'with easy': 998169, 'easy meal': 265734, 'meal ha': 524177, 'ha some': 371989, 'some great': 782981, 'idea including': 413090, 'including our': 432090, 'our cauliflower': 622329, 'cauliflower walnut': 167485, 'walnut taco': 965502, 'to stock the': 915454, 'stock the freezer': 802931, 'the freezer with': 855787, 'freezer with easy': 332653, 'with easy meal': 998170, 'easy meal ha': 265735, 'meal ha some': 524178, 'ha some great': 371993, 'some great idea': 782989, 'great idea including': 362730, 'idea including our': 413091, 'including our cauliflower': 432091, 'our cauliflower walnut': 622330, 'cauliflower walnut taco': 167486, 'amidst': 52770, 'accelerating': 27902, 'surrounding': 828725, 'federal': 301940, 'ftc': 339367, 'refunding': 706993, 'invention': 443626, 'promotion': 683860, 'breaking trump': 139067, 'trump ag': 933386, 'ag corruption': 36782, 'corruption amidst': 207685, 'amidst the': 52819, 'the accelerating': 848285, 'accelerating news': 27912, 'news surrounding': 560846, 'surrounding the': 828766, 'pandemic in': 635691, 'in march': 425070, 'march the': 515481, 'the federal': 855069, 'federal trade': 302076, 'trade commission': 928439, 'commission ftc': 188831, 'ftc announced': 339378, 'be refunding': 116750, 'refunding more': 706994, 'million to': 532379, 'to victim': 918162, 'victim of': 956489, 'an invention': 56441, 'invention promotion': 443631, 'promotion business': 683865, 'breaking trump ag': 139068, 'trump ag corruption': 933387, 'ag corruption amidst': 36783, 'corruption amidst the': 207686, 'amidst the accelerating': 52820, 'the accelerating news': 848286, 'accelerating news surrounding': 27913, 'news surrounding the': 560847, 'surrounding the covid': 828768, '19 pandemic in': 9360, 'pandemic in march': 635700, 'in march the': 425122, 'march the federal': 515484, 'the federal trade': 855083, 'federal trade commission': 302077, 'trade commission ftc': 928446, 'commission ftc announced': 188833, 'ftc announced that': 339379, 'announced that it': 77063, 'that it would': 844760, 'would be refunding': 1011638, 'be refunding more': 116751, 'refunding more than': 706995, 'than million to': 840895, 'million to victim': 532393, 'to victim of': 918164, 'victim of an': 956491, 'of an invention': 580122, 'an invention promotion': 56442, 'invention promotion business': 443632, 'holiday': 400256, 'friday': 333174, 'sleep': 773744, 'bath': 112593, 'supermarket work': 823969, 'work are': 1004829, 'are looking': 87880, 'looking forward': 502920, 'to holiday': 907921, 'holiday and': 400257, 'will she': 994833, 'she do': 755996, 'with having': 998741, 'having good': 384091, 'good friday': 357099, 'friday off': 333267, 'off going': 593867, 'to sleep': 914727, 'sleep going': 773772, 'sleep and': 773749, 'have long': 381363, 'long bath': 501338, 'supermarket work are': 823970, 'work are looking': 1004832, 'are looking forward': 87884, 'looking forward to': 502921, 'forward to holiday': 330028, 'to holiday and': 907922, 'holiday and what': 400261, 'and what will': 75496, 'what will she': 982607, 'will she do': 994834, 'she do with': 755998, 'do with having': 250552, 'with having good': 998743, 'having good friday': 384092, 'good friday off': 357103, 'friday off going': 333268, 'off going to': 593869, 'going to sleep': 355709, 'to sleep going': 914729, 'sleep going to': 773773, 'to sleep and': 914728, 'sleep and have': 773750, 'and have long': 64254, 'have long bath': 381364, 'estimated': 282275, 'engagement': 276885, 'longer': 501897, 'china and': 176476, 'italy week': 462962, 'after covid': 35517, '19 began': 5347, 'began to': 123442, 'spread the': 790814, 'the estimated': 854538, 'estimated increase': 282296, 'in customer': 421944, 'customer digital': 222305, 'digital engagement': 242562, 'engagement is': 276896, 'is 10': 445144, '10 20': 1244, '20 if': 13099, 'if these': 415081, 'these customer': 879844, 'have positive': 381999, 'positive experience': 665310, 'experience it': 291406, 'could shift': 209668, 'shift behavior': 758254, 'behavior for': 124037, 'the longer': 859690, 'longer term': 502064, 'in china and': 421388, 'china and italy': 176485, 'and italy week': 65625, 'italy week after': 462963, 'week after covid': 975824, 'after covid 19': 35518, 'covid 19 began': 212689, '19 began to': 5348, 'began to spread': 123447, 'to spread the': 915079, 'spread the estimated': 790823, 'the estimated increase': 854540, 'estimated increase in': 282297, 'increase in customer': 432827, 'in customer digital': 421945, 'customer digital engagement': 222306, 'digital engagement is': 242563, 'engagement is 10': 276897, 'is 10 20': 445145, '10 20 if': 1248, '20 if these': 13100, 'if these customer': 415084, 'these customer have': 879845, 'customer have positive': 222442, 'have positive experience': 382000, 'positive experience it': 665311, 'experience it could': 291407, 'it could shift': 457369, 'could shift behavior': 209669, 'shift behavior for': 758255, 'behavior for the': 124038, 'for the longer': 326539, 'the longer term': 859693, 'benzene': 127262, 'asia': 95152, 'supported': 827034, 'solid': 781901, 'clouded': 184328, 'weak': 973991, 'icis': 412741, 'intermediate': 441703, 'solvent': 782193, 'detergent': 239386, 'benzene from': 127267, 'from asia': 334595, 'asia supported': 95229, 'supported by': 827041, 'by solid': 154070, 'solid crude': 781910, 'crude prospect': 219611, 'prospect clouded': 684668, 'clouded by': 184329, 'by weak': 154704, 'weak demand': 974005, 'demand icis': 235656, 'icis asia': 412744, 'asia benzene': 95161, 'benzene crude': 127265, 'price demand': 673420, 'demand chemical': 235132, 'chemical production': 175379, 'production intermediate': 682081, 'intermediate polymer': 441706, 'polymer solvent': 663949, 'solvent detergent': 782194, 'detergent supply': 239394, 'benzene from asia': 127268, 'from asia supported': 334596, 'asia supported by': 95230, 'supported by solid': 827048, 'by solid crude': 154071, 'solid crude prospect': 781911, 'crude prospect clouded': 219612, 'prospect clouded by': 684669, 'clouded by weak': 184331, 'by weak demand': 154705, 'weak demand icis': 974008, 'demand icis asia': 235657, 'icis asia benzene': 412745, 'asia benzene crude': 95163, 'benzene crude oil': 127266, 'oil price demand': 597103, 'price demand chemical': 673422, 'demand chemical production': 235133, 'chemical production intermediate': 175380, 'production intermediate polymer': 682082, 'intermediate polymer solvent': 441707, 'polymer solvent detergent': 663950, 'solvent detergent supply': 782195, 'detergent supply chain': 239395, 'lockdowneffect': 500245, 'lockdowndiaries': 500235, 'lockdownindia': 500298, 'lockdowndelhi': 500233, 'lockedindelhi': 500513, 'been window': 122375, 'window shopping': 995711, 'shopping on': 763384, 'on online': 602515, 'grocery delivery': 364432, 'delivery site': 234499, 'site am': 771866, 'am alone': 49864, 'alone in': 46869, 'my madness': 549180, 'madness what': 508217, 'you guy': 1018948, 'guy doing': 368985, 'doing lockdown': 252516, 'lockdown lockdowneffect': 499614, 'lockdowneffect lockdown21': 500256, 'lockdown21 lockdowndiaries': 500213, 'lockdowndiaries lockdownindia': 500236, 'lockdownindia lockdowndelhi': 500299, 'lockdowndelhi lockedindelhi': 500234, 've been window': 952962, 'been window shopping': 122376, 'window shopping on': 995715, 'shopping on online': 763388, 'on online grocery': 602521, 'online grocery delivery': 608316, 'grocery delivery site': 364452, 'delivery site am': 234500, 'site am alone': 771867, 'am alone in': 49866, 'alone in my': 46871, 'in my madness': 425597, 'my madness what': 549181, 'madness what are': 508218, 'what are you': 981072, 'are you guy': 91801, 'you guy doing': 1018958, 'guy doing lockdown': 368987, 'doing lockdown lockdowneffect': 252517, 'lockdown lockdowneffect lockdown21': 499615, 'lockdowneffect lockdown21 lockdowndiaries': 500257, 'lockdown21 lockdowndiaries lockdownindia': 500214, 'lockdowndiaries lockdownindia lockdowndelhi': 500237, 'lockdownindia lockdowndelhi lockedindelhi': 500300, 'everyday': 286513, 'daunting': 226943, 'considerate': 195205, 'picking': 655846, 'stock piling': 802650, 'piling panic': 656620, 'buying are': 149953, 'are challenge': 85220, 'challenge waiting': 171588, 'waiting to': 964396, 'to show': 914549, 'up running': 945937, 'running out': 728021, 'food everyday': 314420, 'everyday necessity': 286600, 'necessity can': 554193, 'be daunting': 114337, 'daunting thought': 226944, 'thought however': 893083, 'however please': 409440, 'be considerate': 114193, 'considerate when': 195237, 'when picking': 983881, 'picking up': 655872, 'up stuff': 946088, 'stuff at': 815017, 'store try': 810961, 'try not': 934519, 'not to': 572127, 'buy 50': 148263, '50 tissue': 19886, 'tissue roll': 899205, 'roll at': 725195, 'at once': 99952, 'once unless': 605771, 'unless you': 942662, 'the run': 866073, 'stock piling panic': 802671, 'piling panic buying': 656621, 'panic buying are': 637645, 'buying are challenge': 149954, 'are challenge waiting': 85222, 'challenge waiting to': 171589, 'waiting to show': 964414, 'to show up': 914580, 'show up running': 767261, 'up running out': 945939, 'running out of': 728028, 'out of food': 626736, 'of food everyday': 583690, 'food everyday necessity': 314421, 'everyday necessity can': 286602, 'necessity can be': 554194, 'can be daunting': 157608, 'be daunting thought': 114338, 'daunting thought however': 226945, 'thought however please': 893084, 'however please be': 409441, 'please be considerate': 659698, 'be considerate when': 114199, 'considerate when picking': 195238, 'when picking up': 983882, 'picking up stuff': 655887, 'up stuff at': 946089, 'stuff at the': 815019, 'the store try': 868130, 'store try not': 810962, 'try not to': 934521, 'not to buy': 572140, 'to buy 50': 902170, 'buy 50 tissue': 148264, '50 tissue roll': 19887, 'tissue roll at': 899206, 'roll at once': 725200, 'at once unless': 99964, 'once unless you': 605772, 'unless you have': 942668, 'you have the': 1019128, 'have the run': 383022, 'sight': 769027, 'sign': 769078, 'petition': 653583, 'call for': 155847, 'better access': 128176, 'with sight': 1000729, 'sight loss': 769043, 'loss tell': 503784, 'tell your': 837161, 'your experience': 1023715, 'experience and': 291309, 'and sign': 71653, 'sign the': 769228, 'the petition': 863612, 'petition uk': 653642, 'call for better': 155854, 'for better access': 319655, 'better access to': 128177, 'access to supermarket': 28283, 'to supermarket for': 915797, 'supermarket for people': 820413, 'for people with': 324470, 'people with sight': 650472, 'with sight loss': 1000730, 'sight loss tell': 769046, 'loss tell your': 503785, 'tell your experience': 837162, 'your experience and': 1023716, 'experience and sign': 291313, 'and sign the': 71659, 'sign the petition': 769230, 'the petition uk': 863618, 'peoria': 650625, 'switching': 830557, 'example': 288859, 'ramped': 696471, 'reprogrammed': 712991, 'the help': 857258, 'help of': 390158, 'of new': 586950, 'new peoria': 559264, 'peoria distillery': 650628, 'distillery it': 247776, 'it switching': 461413, 'switching to': 830574, 'to sanitizer': 913757, 'sanitizer production': 735595, 'production it': 682093, 'just one': 469370, 'many example': 514045, 'example of': 288923, 'of company': 581602, 'company that': 191159, 'that have': 844193, 'have ramped': 382155, 'ramped up': 696472, 'up or': 945675, 'or completely': 614785, 'completely reprogrammed': 192341, 'reprogrammed production': 712996, 'production during': 682024, 'with the help': 1001330, 'the help of': 857260, 'help of new': 390161, 'of new peoria': 586979, 'new peoria distillery': 559265, 'peoria distillery it': 650630, 'distillery it switching': 247777, 'it switching to': 461415, 'switching to sanitizer': 830584, 'to sanitizer production': 913758, 'sanitizer production it': 735601, 'production it just': 682095, 'it just one': 459236, 'just one of': 469380, 'one of many': 606753, 'of many example': 586178, 'many example of': 514046, 'example of company': 288930, 'of company that': 581612, 'company that have': 191172, 'that have ramped': 844228, 'have ramped up': 382156, 'ramped up or': 696473, 'up or completely': 945677, 'or completely reprogrammed': 614786, 'completely reprogrammed production': 192342, 'reprogrammed production during': 712997, 'production during the': 682025, 'profiting': 683113, 'is online': 450519, 'online retail': 608868, 'retail profiting': 718425, 'profiting from': 683116, 'from store': 337436, 'is online retail': 450522, 'online retail profiting': 608872, 'retail profiting from': 718426, 'profiting from store': 683126, 'from store closure': 337440, 'deputy': 237782, 'potential': 667013, 'oconee': 579123, 'deputy warn': 237808, 'warn of': 966940, 'of potential': 588278, 'potential covid': 667049, '19 scam': 10331, 'scam in': 740200, 'in oconee': 426049, 'oconee co': 579124, 'deputy warn of': 237809, 'warn of potential': 966946, 'of potential covid': 588281, 'potential covid 19': 667050, 'covid 19 scam': 213747, '19 scam in': 10344, 'scam in oconee': 740203, 'in oconee co': 426050, 'licking': 488229, 'finger': 307782, 'section': 743987, 'become infected': 120037, 'infected and': 436527, 'and die': 61329, 'die by': 241307, 'by licking': 153050, 'licking finger': 488238, 'finger so': 307819, 'can open': 159142, 'open bag': 612106, 'bag in': 108318, 'the produce': 864565, 'produce section': 680428, 'section of': 744021, 'will become infected': 992796, 'become infected and': 120038, 'infected and die': 436528, 'and die by': 61330, 'die by licking': 241309, 'by licking finger': 153051, 'licking finger so': 488239, 'finger so can': 307820, 'so can open': 776720, 'can open bag': 159145, 'open bag in': 612107, 'bag in the': 108321, 'in the produce': 429480, 'the produce section': 864574, 'produce section of': 680430, 'section of the': 744029, 'decent': 230767, 'brand': 137709, 'john': 466510, 'lewis': 487831, 'debenhams': 230350, 'hmv': 398724, 'if wa': 415236, 'wa decent': 961923, 'decent brand': 230770, 'brand on': 137949, 'high street': 395427, 'street like': 813024, 'like john': 490582, 'john lewis': 466536, 'lewis debenhams': 487832, 'debenhams or': 230361, 'or hmv': 615650, 'hmv would': 398725, 'would channel': 1011713, 'channel all': 172856, 'all effort': 42659, 'effort into': 269537, 'into online': 442809, 'pandemic it': 635816, 'll pay': 496944, 'pay for': 644864, 'street shop': 813101, 'shop to': 760939, 'stay alive': 796758, 'alive focus': 41815, 'what people': 982003, 'doing right': 252632, 'if wa decent': 415237, 'wa decent brand': 961924, 'decent brand on': 230771, 'brand on the': 137952, 'on the high': 604159, 'the high street': 857324, 'high street like': 395432, 'street like john': 813025, 'like john lewis': 490584, 'john lewis debenhams': 466537, 'lewis debenhams or': 487833, 'debenhams or hmv': 230362, 'or hmv would': 615651, 'hmv would channel': 398726, 'would channel all': 1011714, 'channel all effort': 172857, 'all effort into': 42661, 'effort into online': 269538, 'into online shopping': 442811, 'online shopping during': 609105, 'shopping during this': 762544, 'during this pandemic': 263307, 'this pandemic it': 889397, 'pandemic it ll': 635829, 'it ll pay': 459429, 'll pay for': 496946, 'pay for the': 644907, 'for the high': 326475, 'high street shop': 395436, 'street shop to': 813103, 'shop to stay': 760957, 'to stay alive': 915271, 'stay alive focus': 796760, 'alive focus on': 41816, 'focus on what': 311905, 'on what people': 605235, 'what people are': 982004, 'people are doing': 646956, 'are doing right': 85923, 'doing right now': 252633, 'chandler': 171865, 'arizona': 92819, 'chandler restaurant': 171868, 'restaurant turn': 716776, 'into grocery': 442604, 'help community': 389500, 'community those': 190165, 'those at': 891819, '19 arizona': 5214, 'chandler restaurant turn': 171869, 'restaurant turn into': 716777, 'turn into grocery': 935689, 'into grocery store': 442605, 'store to help': 810776, 'to help community': 907477, 'help community those': 389501, 'community those at': 190166, 'those at risk': 891822, 'risk of covid': 723741, 'covid 19 arizona': 212650, 'helpful': 391149, 'detailed': 239281, 'pickup': 655919, 'option': 613972, 'nation grocery': 552198, 'store have': 808063, 'have created': 380154, 'created shopping': 215887, 'for senior': 325451, 'senior and': 750194, 'population check': 664666, 'the helpful': 857271, 'helpful information': 391194, 'information section': 437973, 'section on': 744031, 'our website': 625328, 'website to': 975437, 'see detailed': 745042, 'detailed list': 239296, 'list remember': 494524, 'remember online': 710240, 'and curbside': 60803, 'curbside pickup': 220643, 'pickup may': 655982, 'may also': 520914, 'also be': 47911, 'be an': 113586, 'an option': 56678, 'across the nation': 29506, 'the nation grocery': 861236, 'nation grocery store': 552199, 'grocery store have': 365454, 'store have created': 808075, 'have created shopping': 380161, 'created shopping hour': 215888, 'hour for senior': 405618, 'for senior and': 325455, 'senior and vulnerable': 750213, 'and vulnerable population': 75059, 'vulnerable population check': 961124, 'population check out': 664667, 'check out the': 174580, 'out the helpful': 627375, 'the helpful information': 857272, 'helpful information section': 391198, 'information section on': 437974, 'section on our': 744034, 'on our website': 602643, 'our website to': 625354, 'website to see': 975450, 'to see detailed': 913999, 'see detailed list': 745043, 'detailed list remember': 239297, 'list remember online': 494525, 'remember online shopping': 710241, 'online shopping and': 609029, 'shopping and curbside': 761974, 'and curbside pickup': 60805, 'curbside pickup may': 220655, 'pickup may also': 655983, 'may also be': 520915, 'also be an': 47915, 'be an option': 113616, 'equinor': 279657, 'cfo': 170324, 'equinor cfo': 279658, 'cfo on': 170337, 'on oil': 602486, 'equinor cfo on': 279659, 'cfo on oil': 170338, 'on oil price': 602494, 'jesus': 465281, 'christ': 178073, 'bat': 112535, 'god': 354641, 'batsoup': 112726, 'batburger': 112571, 'batstew': 112729, 'batmeatloaf': 112710, 'batsandwich': 112723, 'batandchips': 112566, 'deepfriedbat': 231981, 'jesus christ': 465288, 'christ my': 178078, 'is sold': 452066, 'all meat': 43482, 'meat except': 525561, 'except bat': 289131, 'bat thanks': 112557, 'thanks god': 842091, 'god got': 354721, 'got toiletpaper': 358975, 'toiletpaper canada': 921848, 'canada batsoup': 160374, 'batsoup batburger': 112727, 'batburger batstew': 112572, 'batstew batmeatloaf': 112730, 'batmeatloaf batsandwich': 112711, 'batsandwich batandchips': 112724, 'batandchips deepfriedbat': 112567, 'jesus christ my': 465290, 'christ my local': 178079, 'my local grocery': 549117, 'local grocery store': 498053, 'store is sold': 808528, 'is sold out': 452071, 'sold out of': 781742, 'out of all': 626676, 'of all meat': 579960, 'all meat except': 43484, 'meat except bat': 525562, 'except bat thanks': 289133, 'bat thanks god': 112558, 'thanks god got': 842092, 'god got toiletpaper': 354722, 'got toiletpaper canada': 358976, 'toiletpaper canada batsoup': 921849, 'canada batsoup batburger': 160375, 'batsoup batburger batstew': 112728, 'batburger batstew batmeatloaf': 112573, 'batstew batmeatloaf batsandwich': 112731, 'batmeatloaf batsandwich batandchips': 112712, 'batsandwich batandchips deepfriedbat': 112725, 'purchase': 689326, 'about panic': 25919, 'buying grocery': 150409, 'grocery week': 366120, 'week supply': 976951, 'supply should': 825842, 'be enough': 114683, 'enough there': 277676, 'no need': 564847, 'to purchase': 912514, 'purchase large': 689522, 'large quantity': 479762, 'quantity of': 691931, 'grocery the': 366028, 'chain is': 170828, 'not affected': 568073, 'by epidemic': 152500, 'about panic buying': 25921, 'panic buying grocery': 637751, 'buying grocery week': 150419, 'grocery week supply': 366122, 'week supply should': 976954, 'supply should be': 825843, 'should be enough': 765616, 'be enough there': 114689, 'enough there is': 277677, 'is no need': 449954, 'no need to': 564856, 'need to purchase': 556022, 'to purchase large': 912540, 'purchase large quantity': 689523, 'large quantity of': 479763, 'quantity of grocery': 691935, 'of grocery the': 584360, 'grocery the food': 366029, 'the food supply': 855610, 'supply chain is': 824979, 'chain is not': 170841, 'is not affected': 450029, 'not affected by': 568074, 'affected by epidemic': 34313, '3rd': 18416, 'largest': 479913, 'position': 665148, 'hammered': 374576, 'saudia': 737319, 'arabia': 83844, 'plu': 661207, 'the 3rd': 848109, '3rd largest': 18431, 'largest industry': 479969, 'industry in': 435899, 'country it': 210828, 'is in': 448748, 'in unique': 430435, 'unique position': 941994, 'position because': 665160, 'because not': 119282, 'only is': 610655, 'it getting': 458226, 'getting hammered': 349017, 'hammered by': 374577, '19 there': 11283, 'the russia': 866089, 'russia saudia': 728561, 'saudia arabia': 737320, 'arabia issue': 83899, 'issue which': 456003, 'caused oil': 167923, 'to plu': 911825, 'it the heart': 461544, 'heart of the': 388320, 'of the 3rd': 590770, 'the 3rd largest': 848111, '3rd largest industry': 18432, 'largest industry in': 479970, 'industry in the': 435905, 'the country it': 852104, 'country it is': 210832, 'it is in': 458984, 'is in unique': 448826, 'in unique position': 430437, 'unique position because': 941995, 'position because not': 665161, 'because not only': 119285, 'not only is': 570806, 'only is it': 610658, 'is it getting': 449024, 'it getting hammered': 458228, 'getting hammered by': 349018, 'hammered by covid': 374578, 'covid 19 there': 213935, '19 there is': 11286, 'there is the': 878640, 'is the russia': 452929, 'the russia saudia': 866091, 'russia saudia arabia': 728562, 'saudia arabia issue': 737321, 'arabia issue which': 83900, 'issue which ha': 456004, 'which ha caused': 985878, 'ha caused oil': 370091, 'caused oil price': 167924, 'oil price to': 597293, 'price to plu': 677023, 'christmas': 178148, 'turned': 935825, 'lay': 482588, 'definately': 232265, 'imo': 417498, 'day day': 227502, 'day no': 228018, 'paper in': 640312, 'shop or': 760609, 'or flour': 615329, 'flour or': 311143, 'or egg': 615117, 'egg again': 269749, 'again supermarket': 37190, 'supermarket like': 821309, 'like christmas': 490000, 'christmas turned': 178209, 'turned round': 935876, 'round and': 726313, 'and came': 59439, 'back home': 107052, 'home far': 401185, 'far too': 298952, 'too crowded': 924679, 'crowded and': 219291, 'and why': 75619, 'why have': 991051, 'have people': 381905, 'people all': 646800, 'all got': 42985, 'got the': 358894, 'biggest cart': 130190, 'cart they': 165391, 'can lay': 158840, 'lay their': 482609, 'hand on': 375130, 'on people': 602730, 'are definately': 85727, 'definately still': 232266, 'still hoarding': 800710, 'hoarding imo': 399380, 'another day day': 77565, 'day day no': 227503, 'day no toilet': 228023, 'toilet paper in': 921317, 'paper in the': 640332, 'in the shop': 429545, 'the shop or': 867019, 'shop or flour': 760614, 'or flour or': 615330, 'flour or egg': 311144, 'or egg again': 615118, 'egg again supermarket': 269750, 'again supermarket like': 37191, 'supermarket like christmas': 821313, 'like christmas turned': 490006, 'christmas turned round': 178210, 'turned round and': 935877, 'round and came': 726314, 'and came back': 59440, 'came back home': 156979, 'back home far': 107057, 'home far too': 401186, 'far too crowded': 298954, 'too crowded and': 924680, 'crowded and why': 219293, 'and why have': 75625, 'why have people': 991053, 'have people all': 381907, 'people all got': 646802, 'all got the': 42989, 'got the biggest': 358896, 'the biggest cart': 849643, 'biggest cart they': 130191, 'cart they can': 165392, 'they can lay': 881649, 'can lay their': 158841, 'lay their hand': 482610, 'their hand on': 873482, 'hand on people': 375141, 'on people are': 602735, 'people are definately': 646953, 'are definately still': 85728, 'definately still hoarding': 232267, 'still hoarding imo': 800713, 'argument': 92744, 'contaminated': 200647, 'remove': 710803, 'smoke': 775856, 'eith': 270245, 'mask most': 518982, 'most of': 542537, 'the argument': 848889, 'argument against': 92748, 'against mask': 37545, 'mask do': 518581, 'not stand': 571687, 'stand up': 793601, 'up yes': 946717, 'yes the': 1015548, 'the outside': 862748, 'outside might': 629486, 'be contaminated': 114218, 'contaminated but': 200652, 'but without': 147905, 'without mask': 1002768, 'mask it': 518876, 'it your': 462655, 'your face': 1023739, 'face that': 294788, 'contaminated yes': 200680, 'yes you': 1015621, 'not remove': 571303, 'remove the': 710838, 'the mask': 860209, 'to smoke': 914775, 'smoke or': 775868, 'or eat': 615107, 'eat why': 266112, 'you doing': 1018291, 'doing eith': 252369, 'mask most of': 518983, 'most of the': 542561, 'of the argument': 590799, 'the argument against': 848890, 'argument against mask': 92749, 'against mask do': 37546, 'mask do not': 518583, 'do not stand': 249852, 'not stand up': 571688, 'stand up yes': 793606, 'up yes the': 946718, 'yes the outside': 1015554, 'the outside might': 862749, 'outside might be': 629487, 'might be contaminated': 530884, 'be contaminated but': 114219, 'contaminated but without': 200653, 'but without mask': 147909, 'without mask it': 1002773, 'mask it your': 518883, 'it your face': 462657, 'your face that': 1023759, 'face that will': 294789, 'that will be': 847557, 'will be contaminated': 992407, 'be contaminated yes': 114222, 'contaminated yes you': 200681, 'yes you should': 1015624, 'should not remove': 766260, 'not remove the': 571304, 'remove the mask': 710841, 'the mask to': 860229, 'mask to smoke': 519425, 'to smoke or': 914778, 'smoke or eat': 775869, 'or eat why': 615108, 'eat why are': 266113, 'why are you': 990798, 'are you doing': 91782, 'you doing eith': 1018296, 'individual': 435124, 'organization': 619330, 'denver': 237113, 'rescue': 713604, 'consider helping': 195017, 'helping the': 391484, 'the growing': 856875, 'growing number': 367220, 'of family': 583400, 'family and': 297579, 'and individual': 65156, 'individual seriously': 435250, 'seriously impacted': 751643, '19 by': 5551, 'by donating': 152398, 'donating to': 254516, 'to organization': 911098, 'organization working': 619450, 'working to': 1008978, 'meet this': 527627, 'this increased': 888082, 'for support': 326064, 'support like': 826611, 'like denver': 490108, 'denver food': 237116, 'food rescue': 316176, 'consider helping the': 195019, 'helping the growing': 391493, 'the growing number': 856883, 'growing number of': 367221, 'number of family': 576941, 'of family and': 583401, 'family and individual': 297591, 'and individual seriously': 65165, 'individual seriously impacted': 435251, 'seriously impacted by': 751644, 'covid 19 by': 212747, '19 by donating': 5556, 'by donating to': 152408, 'donating to organization': 254524, 'to organization working': 911100, 'organization working to': 619451, 'working to meet': 1008994, 'to meet this': 910059, 'meet this increased': 527629, 'this increased demand': 888083, 'increased demand for': 433272, 'demand for support': 235501, 'for support like': 326066, 'support like denver': 826612, 'like denver food': 490109, 'denver food rescue': 237117, 'rosengren': 726111, 'impacting': 418174, 'rosengren see': 726112, 'see impacting': 745290, 'impacting cre': 418205, 'cre office': 215508, 'office price': 595518, 'rosengren see impacting': 726114, 'see impacting cre': 745291, 'impacting cre office': 418206, 'cre office price': 215509, 'office price and': 595519, 'price and demand': 672392, 'lane': 479432, 'notanymore': 572661, 'kroger': 477714, 'hire': 396969, 'so grocery': 777212, 'employee were': 274401, 'were about': 979268, 'job due': 465804, 'the self': 866648, 'self check': 747570, 'out lane': 626481, 'lane notanymore': 479462, 'notanymore kroger': 572662, 'kroger want': 477780, 'to hire': 907784, 'hire 10': 396972, '10 00': 1186, '00 more': 340, 'more employee': 539123, 'so grocery store': 777213, 'store employee were': 807571, 'employee were about': 274402, 'were about to': 979271, 'about to be': 26706, 'of job due': 585531, 'job due to': 465805, 'due to all': 261698, 'all the self': 44902, 'the self check': 866650, 'self check out': 747572, 'check out lane': 174556, 'out lane notanymore': 626482, 'lane notanymore kroger': 479463, 'notanymore kroger want': 572663, 'kroger want to': 477781, 'want to hire': 966049, 'to hire 10': 907786, 'hire 10 00': 396973, '10 00 more': 1204, '00 more employee': 341, 'toiletpaperpanic': 923195, 'econtwitter': 268389, 'economics': 267429, 'economicresponse': 267428, 'keep talking': 472009, 'about pricegouging': 25999, 'pricegouging like': 677822, 'like it': 490519, 'it bad': 456684, 'bad thing': 108039, 'thing but': 884204, 'if store': 414877, 'store had': 808035, 'had doubled': 373047, 'doubled the': 256143, 'toiletpaper early': 921936, 'early on': 264663, 'on no': 602415, 'no one': 564912, 'one would': 607509, 'be hoarding': 115274, 'hoarding it': 399398, 'it toiletpaperpanic': 461782, 'toiletpaperpanic sundaythoughts': 923252, 'sundaythoughts econtwitter': 818336, 'econtwitter economy': 268390, 'economy economics': 267827, 'economics economicresponse': 267446, 'people keep talking': 648579, 'keep talking about': 472010, 'talking about pricegouging': 833982, 'about pricegouging like': 26000, 'pricegouging like it': 677823, 'like it bad': 490523, 'it bad thing': 456691, 'bad thing but': 108040, 'thing but if': 884207, 'but if store': 145996, 'if store had': 414883, 'store had doubled': 808040, 'had doubled the': 373048, 'doubled the price': 256145, 'of toiletpaper early': 592261, 'toiletpaper early on': 921937, 'early on no': 264666, 'on no one': 602418, 'no one would': 564987, 'one would be': 607510, 'would be hoarding': 1011601, 'be hoarding it': 115276, 'hoarding it toiletpaperpanic': 399401, 'it toiletpaperpanic sundaythoughts': 461783, 'toiletpaperpanic sundaythoughts econtwitter': 923253, 'sundaythoughts econtwitter economy': 818337, 'econtwitter economy economics': 268391, 'economy economics economicresponse': 267828, 'televangelist': 836840, 'jim': 465489, 'bakker': 108943, 'effective': 269201, 'demanding': 236566, 'prove': 686097, 'another coronavirus': 77549, 'coronavirus consumer': 205674, 'alert silver': 41501, 'silver solution': 769862, 'solution which': 782130, 'which televangelist': 986369, 'televangelist jim': 836843, 'jim bakker': 465490, 'bakker claim': 108944, 'claim is': 179750, 'an effective': 55612, 'effective treatment': 269318, 'treatment for': 931071, 'for coronavirus': 320373, 'coronavirus we': 207048, 're demanding': 698514, 'demanding he': 236591, 'he prove': 385314, 'prove it': 686107, 'another coronavirus consumer': 77550, 'coronavirus consumer alert': 205676, 'consumer alert silver': 196155, 'alert silver solution': 41502, 'silver solution which': 769863, 'solution which televangelist': 782131, 'which televangelist jim': 986370, 'televangelist jim bakker': 836844, 'jim bakker claim': 465491, 'bakker claim is': 108945, 'claim is an': 179751, 'is an effective': 445649, 'an effective treatment': 55616, 'effective treatment for': 269319, 'treatment for coronavirus': 931073, 'for coronavirus we': 320399, 'coronavirus we re': 207053, 'we re demanding': 972854, 're demanding he': 698515, 'demanding he prove': 236592, 'he prove it': 385315, 'posted': 666508, 'locally': 498748, 'home coronavirus': 400948, 'testing kit': 839528, 'kit are': 475493, 'for sale': 325310, 'sale and': 732033, 'and being': 58857, 'being posted': 125560, 'posted online': 666561, 'online locally': 608501, 'locally but': 498751, 'but there': 147459, 'are some': 90254, 'some thing': 784037, 'home coronavirus covid': 400950, '19 testing kit': 11103, 'testing kit are': 839530, 'kit are for': 475496, 'are for sale': 86647, 'for sale and': 325311, 'sale and being': 732035, 'and being posted': 58867, 'being posted online': 125562, 'posted online locally': 666563, 'online locally but': 608503, 'locally but there': 498752, 'but there are': 147462, 'there are some': 878164, 'are some thing': 90291, 'some thing you': 784046, 'thing you need': 885037, 'afraid': 34966, 'afraidinslee': 35035, 'promotes': 683821, 'calming': 156846, 'hysteria': 412426, 'fakenews': 296756, 'inslee': 439726, 'multiplies': 545823, 'encourages': 275686, 'awakening': 105566, 'qanon': 691462, 'be afraid': 113523, 'afraid be': 34972, 'be very': 117964, 'very afraidinslee': 954984, 'afraidinslee promotes': 35036, 'promotes apocalypse': 683822, 'apocalypse instead': 81542, 'of calming': 581060, 'calming hysteria': 156849, 'hysteria fakenews': 412444, 'fakenews inslee': 296762, 'inslee multiplies': 439731, 'multiplies panic': 545826, 'panic encourages': 638064, 'encourages staying': 275701, 'staying home': 798598, 'home or': 401732, 'or criminal': 614856, 'criminal charge': 216825, 'charge come': 173212, 'come next': 187418, 'next the': 561579, 'only place': 610976, 'place you': 657853, 'can get': 158396, 'get now': 347677, 'is at': 445842, 'store awakening': 806620, 'awakening qanon': 105569, 'be afraid be': 113524, 'afraid be very': 34973, 'be very afraidinslee': 117967, 'very afraidinslee promotes': 954985, 'afraidinslee promotes apocalypse': 35037, 'promotes apocalypse instead': 683823, 'apocalypse instead of': 81543, 'instead of calming': 440243, 'of calming hysteria': 581061, 'calming hysteria fakenews': 156850, 'hysteria fakenews inslee': 412445, 'fakenews inslee multiplies': 296764, 'inslee multiplies panic': 439732, 'multiplies panic encourages': 545827, 'panic encourages staying': 638065, 'encourages staying home': 275702, 'staying home or': 798618, 'home or criminal': 401737, 'or criminal charge': 614857, 'criminal charge come': 216827, 'charge come next': 173213, 'come next the': 187420, 'next the only': 561580, 'the only place': 862331, 'only place you': 610990, 'place you can': 657855, 'you can get': 1017682, 'can get now': 158434, 'get now is': 347678, 'now is at': 575062, 'is at the': 445876, 'grocery store awakening': 365228, 'store awakening qanon': 806621, 'mall': 511728, 'grab': 361455, 'refused': 707050, 'to visit': 918204, 'visit supermarket': 959368, 'or mall': 616049, 'mall to': 511845, 'to grab': 906955, 'grab essential': 361477, 'essential in': 281149, 'in singapore': 427969, 'singapore from': 771124, 'from tomorrow': 338091, 'tomorrow you': 924253, 'll need': 496906, 'mask or': 519067, 'or you': 617855, 'll be': 496563, 'be refused': 116752, 'refused entry': 707055, 'need to visit': 556111, 'to visit supermarket': 918213, 'visit supermarket or': 959372, 'supermarket or mall': 821819, 'or mall to': 616052, 'mall to grab': 511846, 'to grab essential': 906960, 'grab essential in': 361479, 'essential in singapore': 281156, 'in singapore from': 427970, 'singapore from tomorrow': 771125, 'from tomorrow you': 338101, 'tomorrow you ll': 924254, 'you ll need': 1019663, 'll need to': 496912, 'wear mask or': 974398, 'mask or you': 519081, 'or you ll': 617862, 'you ll be': 1019642, 'll be refused': 496617, 'be refused entry': 116753, 'shower': 767358, 'saferathome': 730401, 'bidet': 129545, 'ever have': 285342, 'day in': 227786, 'quarantine jump': 692321, 'the shower': 867115, 'shower saferathome': 767385, 'saferathome quarantine': 730410, 'quarantine pandemic': 692421, 'pandemic hoarding': 635648, 'hoarding costco': 399258, 'costco toiletpaper': 208276, 'toiletpaper toiletpapercrisis': 922648, 'toiletpapercrisis bidet': 923010, 'ever have one': 285343, 'have one of': 381794, 'of these day': 591822, 'these day in': 879878, 'day in quarantine': 227807, 'in quarantine jump': 427184, 'quarantine jump in': 692322, 'jump in the': 467869, 'in the shower': 429548, 'the shower saferathome': 867117, 'shower saferathome quarantine': 767386, 'saferathome quarantine pandemic': 730411, 'quarantine pandemic hoarding': 692422, 'pandemic hoarding costco': 635649, 'hoarding costco toiletpaper': 399259, 'costco toiletpaper toiletpapercrisis': 208279, 'toiletpaper toiletpapercrisis bidet': 922651, 'coping': 203367, 'gym': 369294, 'meditation': 526952, 'class': 180130, 'accounting': 28820, 'paulraftery': 644571, 'projectsrh': 683588, 'multinationalinvestment': 545716, 'soveringrisk': 786952, 'insurablerisk': 440656, 'financialreporting': 306712, 'creditrating': 216584, 'are coping': 85564, 'coping work': 203407, 'work gym': 1005224, 'gym meditation': 369329, 'meditation class': 526955, 'class church': 180166, 'church gp': 178368, 'gp accounting': 361396, 'accounting and': 28823, 'and shopping': 71534, 'shopping all': 761918, 'all online': 43746, 'online covid': 608068, 'won win': 1003933, 'win paulraftery': 995569, 'paulraftery projectsrh': 644572, 'projectsrh multinationalinvestment': 683589, 'multinationalinvestment soveringrisk': 545717, 'soveringrisk insurablerisk': 786953, 'insurablerisk financialreporting': 440657, 'financialreporting creditrating': 306713, 'creditrating economics': 216585, 'economics law': 267459, 'we are coping': 970515, 'are coping work': 85569, 'coping work gym': 203408, 'work gym meditation': 1005225, 'gym meditation class': 369330, 'meditation class church': 526956, 'class church gp': 180167, 'church gp accounting': 178369, 'gp accounting and': 361397, 'accounting and shopping': 28824, 'and shopping all': 71535, 'shopping all online': 761920, 'all online covid': 43747, 'online covid 19': 608069, '19 won win': 12165, 'won win paulraftery': 1003934, 'win paulraftery projectsrh': 995570, 'paulraftery projectsrh multinationalinvestment': 644573, 'projectsrh multinationalinvestment soveringrisk': 683590, 'multinationalinvestment soveringrisk insurablerisk': 545718, 'soveringrisk insurablerisk financialreporting': 786954, 'insurablerisk financialreporting creditrating': 440658, 'financialreporting creditrating economics': 306714, 'creditrating economics law': 216586, 'seek': 746562, 'assistant': 96769, 'say you': 739512, 'should seek': 766442, 'seek help': 746585, 'help in': 389890, 'time like': 897135, 'like these': 491426, 'these and': 879597, 'the assistant': 848984, 'they say you': 883283, 'say you should': 739520, 'you should seek': 1021219, 'should seek help': 766443, 'seek help in': 746586, 'help in time': 389913, 'in time like': 430084, 'time like these': 897137, 'like these and': 491427, 'these and are': 879598, 'and are the': 58368, 'are the assistant': 90797, 'outrage': 629306, 'describing': 237970, 'boomer': 134837, 'remover': 710885, 'unjustified': 942488, 'ordinary': 619082, 'the outrage': 862745, 'outrage over': 629309, 'over describing': 630147, 'describing covid': 237975, 'coronavirus boomer': 205564, 'boomer remover': 134855, 'remover is': 710890, 'is unjustified': 453514, 'unjustified when': 942495, 'you hear': 1019177, 'about store': 26269, 'store assistant': 806555, 'assistant in': 96785, 'in local': 424815, 'supermarket having': 820718, 'tell an': 836907, 'old couple': 598196, 'couple to': 211691, 'put back': 690523, 'back the': 107301, 'the baby': 849130, 'baby milk': 106658, 'milk they': 531855, 'they were': 883746, 'were buying': 979408, 'buying for': 150349, 'for themselves': 326936, 'themselves because': 876776, 'they could': 881814, 'could not': 209429, 'not find': 569416, 'find any': 306783, 'any ordinary': 79579, 'ordinary milk': 619090, 'the outrage over': 862746, 'outrage over describing': 629310, 'over describing covid': 630148, 'describing covid 19': 237976, '19 coronavirus boomer': 6093, 'coronavirus boomer remover': 205565, 'boomer remover is': 134856, 'remover is unjustified': 710892, 'is unjustified when': 453516, 'unjustified when you': 942496, 'when you hear': 984569, 'you hear about': 1019178, 'hear about store': 387872, 'about store assistant': 26270, 'store assistant in': 806556, 'assistant in local': 96786, 'in local supermarket': 424827, 'local supermarket having': 498534, 'supermarket having to': 820719, 'having to tell': 384369, 'to tell an': 916334, 'tell an old': 836908, 'an old couple': 56585, 'old couple to': 598198, 'couple to put': 211692, 'to put back': 912581, 'put back the': 690528, 'back the baby': 107303, 'the baby milk': 849136, 'baby milk they': 106668, 'milk they were': 531857, 'they were buying': 883757, 'were buying for': 979410, 'buying for themselves': 150361, 'for themselves because': 326939, 'themselves because they': 876777, 'because they could': 119695, 'they could not': 881833, 'could not find': 209442, 'not find any': 569417, 'find any ordinary': 306800, 'any ordinary milk': 79580, 'passenger': 643314, 'immigration': 417252, 'custom': 221971, 'traveler': 930613, 'screening': 742753, 'protocol': 685970, 'passenger stuck': 643349, 'stuck in': 814590, 'in long': 424909, 'long line': 501490, 'line for': 493094, 'for immigration': 322480, 'immigration at': 417253, 'at tell': 100835, 'tell there': 837110, 'no offer': 564902, 'offer of': 594712, 'sanitizer glove': 734985, 'or mask': 616068, 'mask from': 518698, 'from custom': 335074, 'custom immigration': 221985, 'immigration traveler': 417264, 'traveler say': 930623, 've had': 953214, 'had no': 373326, 'no screening': 565439, 'screening of': 742768, 'of temp': 590654, 'temp yet': 837343, 'yet and': 1015983, 'one following': 606298, 'following protocol': 312826, 'passenger stuck in': 643350, 'stuck in long': 814596, 'in long line': 424911, 'long line for': 501496, 'line for immigration': 493107, 'for immigration at': 322481, 'immigration at tell': 417254, 'at tell there': 100836, 'tell there are': 837111, 'are no offer': 88271, 'no offer of': 564903, 'offer of hand': 594714, 'hand sanitizer glove': 375420, 'sanitizer glove or': 734992, 'glove or mask': 352840, 'or mask from': 616069, 'mask from custom': 518701, 'from custom immigration': 335075, 'custom immigration traveler': 221986, 'immigration traveler say': 417265, 'traveler say they': 930624, 'they ve had': 883656, 've had no': 953230, 'had no screening': 373337, 'no screening of': 565440, 'screening of temp': 742769, 'of temp yet': 590655, 'temp yet and': 837344, 'yet and no': 1015986, 'and no one': 67628, 'no one following': 564932, 'one following protocol': 606299, 'literacy': 494937, '2u': 16871, 'iplayer': 444598, 'tool': 925385, 'teach': 835386, 'is digital': 447176, 'digital literacy': 242592, 'literacy movement': 494940, 'movement going': 543875, 'on right': 603193, 'now and': 574023, 'all student': 44516, 'student we': 814800, 'we support': 973450, 'support the': 826859, 'the vulnerable': 870973, 'vulnerable in': 961011, 'in using': 430507, 'using pharmacy': 950600, 'pharmacy 2u': 654196, '2u online': 16872, 'shopping video': 764319, 'video calling': 956660, 'calling iplayer': 156579, 'iplayer and': 444601, 'other online': 620609, 'online tool': 609615, 'tool it': 925424, 'be challenge': 114044, 'challenge to': 171574, 'to teach': 916309, 'teach but': 835387, 'but could': 145464, 'could save': 209619, 'save some': 737638, 'some life': 783192, 'life 19': 488434, 'there is digital': 878547, 'is digital literacy': 447177, 'digital literacy movement': 242593, 'literacy movement going': 494941, 'movement going on': 543876, 'going on right': 355333, 'on right now': 603195, 'right now and': 722022, 'now and we': 574067, 'and we are': 75280, 'we are all': 970471, 'are all student': 84356, 'all student we': 44522, 'student we support': 814802, 'we support the': 973456, 'support the vulnerable': 826890, 'the vulnerable in': 870985, 'vulnerable in using': 961019, 'in using pharmacy': 430508, 'using pharmacy 2u': 950601, 'pharmacy 2u online': 654197, '2u online shopping': 16873, 'online shopping video': 609331, 'shopping video calling': 764321, 'video calling iplayer': 956661, 'calling iplayer and': 156580, 'iplayer and other': 444602, 'and other online': 68373, 'other online tool': 620612, 'online tool it': 609616, 'tool it will': 925425, 'it will be': 462374, 'will be challenge': 992392, 'be challenge to': 114046, 'challenge to teach': 171580, 'to teach but': 916310, 'teach but could': 835388, 'but could save': 145470, 'could save some': 209620, 'save some life': 737640, 'some life 19': 783193, 'wonderful': 1004063, 'friendly': 333935, 'shelve': 758035, 'praised': 668878, 'note': 572687, 'just what': 470282, 'say what': 739466, 'what wonderful': 982620, 'wonderful job': 1004090, 'job is': 465896, 'is doing': 447260, 'doing in': 252467, 'staff are': 792174, 'are so': 90189, 'so helpful': 777289, 'helpful and': 391155, 'and friendly': 63337, 'friendly they': 334013, 'are busy': 85094, 'busy filling': 144902, 'filling shelf': 305612, 'shelf checking': 756934, 'checking out': 174836, 'back for': 106987, 'for thing': 326991, 'thing if': 884420, 'if not': 414483, 'not the': 571979, 'the shelve': 866918, 'shelve hope': 758036, 'hope your': 403817, 'your staff': 1025900, 'are get': 86788, 'get praised': 347832, 'praised for': 668883, 'their affect': 872479, 'affect other': 34200, 'other supermarket': 621012, 'supermarket take': 823123, 'take note': 832368, 'just what to': 470288, 'what to say': 982462, 'to say what': 913852, 'say what wonderful': 739474, 'what wonderful job': 982621, 'wonderful job is': 1004091, 'job is doing': 465901, 'is doing in': 447279, 'doing in the': 252469, 'in the the': 429600, 'the the staff': 869400, 'the staff are': 867682, 'staff are so': 792206, 'are so helpful': 90203, 'so helpful and': 777290, 'helpful and friendly': 391156, 'and friendly they': 63341, 'friendly they are': 334014, 'they are busy': 881218, 'are busy filling': 85098, 'busy filling shelf': 144903, 'filling shelf checking': 305614, 'shelf checking out': 756935, 'checking out the': 174842, 'out the back': 627350, 'the back for': 849147, 'back for thing': 106996, 'for thing if': 326994, 'thing if not': 884421, 'if not the': 414511, 'not the shelve': 572029, 'the shelve hope': 866919, 'shelve hope your': 758037, 'hope your staff': 403822, 'your staff are': 1025903, 'staff are get': 792189, 'are get praised': 86789, 'get praised for': 347833, 'praised for their': 668886, 'for their affect': 326798, 'their affect other': 872480, 'affect other supermarket': 34201, 'other supermarket take': 621025, 'supermarket take note': 823126, 'newark': 560010, 'nj': 563404, 'necessary': 553939, 'newjersey': 560079, 'coronacommunity': 204486, 'elderly shopper': 270876, 'shopper in': 761554, 'the newark': 861589, 'newark nj': 560011, 'nj area': 563409, 'area are': 91947, 'are getting': 86790, 'getting senior': 349256, 'only shopping': 611122, 'on necessary': 602352, 'necessary food': 553984, 'supply newjersey': 825587, 'newjersey coronacommunity': 560082, 'elderly shopper in': 270878, 'shopper in the': 761567, 'in the newark': 429393, 'the newark nj': 861590, 'newark nj area': 560012, 'nj area are': 563410, 'area are getting': 91950, 'are getting senior': 86819, 'getting senior only': 349257, 'senior only shopping': 750375, 'only shopping hour': 611125, 'shopping hour to': 762930, 'hour to stock': 406037, 'up on necessary': 945595, 'on necessary food': 602354, 'necessary food and': 553985, 'and supply newjersey': 72803, 'supply newjersey coronacommunity': 825588, 'hustler': 411837, 'scames': 740502, 'encourage': 275567, 'snake': 776056, 'falsely': 297465, 'touting': 927080, 'file': 305326, 'warning against': 967076, 'against hustler': 37502, 'hustler scames': 411840, 'scames during': 740503, 'pandemic encourage': 635376, 'encourage anyone': 275572, 'anyone who': 80610, 'been the': 122158, 'the victim': 870729, 'of snake': 589793, 'snake oil': 776059, 'oil scam': 597416, 'scam or': 740277, 'or those': 617435, 'those falsely': 891989, 'falsely touting': 297480, 'touting treatment': 927083, 'treatment test': 931147, 'test or': 839115, 'cure to': 220830, 'immediately file': 417091, 'file complaint': 305329, 'complaint through': 192038, 'through my': 894578, 'my office': 549545, 'office website': 595584, 'website at': 975213, 'warning against hustler': 967078, 'against hustler scames': 37503, 'hustler scames during': 411841, 'scames during covid': 740504, '19 pandemic encourage': 9317, 'pandemic encourage anyone': 635377, 'encourage anyone who': 275573, 'anyone who ha': 80619, 'who ha been': 988832, 'ha been the': 369952, 'been the victim': 122173, 'the victim of': 870731, 'victim of snake': 956501, 'of snake oil': 589794, 'snake oil scam': 776060, 'oil scam or': 597418, 'scam or those': 740282, 'or those falsely': 617437, 'those falsely touting': 891990, 'falsely touting treatment': 297481, 'touting treatment test': 927084, 'treatment test or': 931149, 'test or cure': 839116, 'or cure to': 614873, 'cure to immediately': 220834, 'to immediately file': 908138, 'immediately file complaint': 417092, 'file complaint through': 305336, 'complaint through my': 192039, 'through my office': 894582, 'my office website': 549550, 'office website at': 595585, 'saudiarabia': 737322, 'hike': 396187, 'sha': 754312, 'riyadh': 724213, 'pandaapp': 634721, 'pakistanunitedagainstcorona': 634536, 'fighting over': 305103, 'over toilet': 630848, 'supply saudiarabia': 825804, 'saudiarabia ha': 737338, 'increased their': 433497, 'their stock': 874829, 'stock at': 801869, 'market without': 517385, 'without any': 1002492, 'any price': 79679, 'price hike': 674523, 'hike there': 396284, 'there will': 879359, 'no panic': 565037, 'no shortage': 565488, 'shortage of': 765094, 'of anything': 580287, 'anything in': 80789, 'in sha': 427847, 'sha allah': 754313, 'allah riyadh': 45605, 'riyadh pandaapp': 724224, 'pandaapp pakistanunitedagainstcorona': 634722, 'while the world': 987424, 'world is fighting': 1009697, 'is fighting over': 447793, 'fighting over toilet': 305111, 'over toilet paper': 630849, 'and food supply': 63097, 'food supply saudiarabia': 316989, 'supply saudiarabia ha': 825805, 'saudiarabia ha increased': 737339, 'ha increased their': 370958, 'increased their stock': 433504, 'their stock at': 874830, 'stock at the': 801888, 'at the market': 101016, 'the market without': 860180, 'market without any': 517386, 'without any price': 1002497, 'any price hike': 79682, 'price hike there': 674537, 'hike there will': 396285, 'there will be': 879361, 'be no panic': 116105, 'no panic and': 565038, 'panic and no': 637324, 'and no shortage': 67640, 'no shortage of': 565497, 'shortage of anything': 765099, 'of anything in': 580289, 'anything in sha': 80792, 'in sha allah': 427848, 'sha allah riyadh': 754314, 'allah riyadh pandaapp': 45606, 'riyadh pandaapp pakistanunitedagainstcorona': 724225, 'attitude': 102537, 'towards': 927164, 'thinking': 885837, 'optimism': 613898, 'overall': 630988, '48': 19291, 'our weekly': 625362, 'weekly covid': 977485, '19 consumer': 5948, 'consumer tracker': 199350, 'tracker study': 928299, 'study reveals': 814950, 'reveals american': 720301, 'american attitude': 51826, 'attitude and': 102541, 'and behavior': 58833, 'behavior towards': 124265, 'towards the': 927255, 'pandemic when': 636978, 'when thinking': 984297, 'thinking about': 885841, 'month american': 537559, 'american increased': 52049, 'their optimism': 874131, 'optimism on': 613911, 'on life': 601832, 'life overall': 488958, 'overall from': 631012, 'from 48': 334297, '48 to': 19335, '50 from': 19697, 'from week': 338321, 'to week': 918466, 'for full': 321806, 'full report': 340848, 'our weekly covid': 625365, 'weekly covid 19': 977486, 'covid 19 consumer': 212843, '19 consumer tracker': 5992, 'consumer tracker study': 199351, 'tracker study reveals': 928300, 'study reveals american': 814951, 'reveals american attitude': 720302, 'american attitude and': 51827, 'attitude and behavior': 102542, 'and behavior towards': 58845, 'behavior towards the': 124267, 'towards the pandemic': 927263, 'the pandemic when': 863154, 'pandemic when thinking': 636981, 'when thinking about': 984298, 'thinking about the': 885859, 'about the next': 26461, 'next month american': 561450, 'month american increased': 537561, 'american increased their': 52050, 'increased their optimism': 433500, 'their optimism on': 874132, 'optimism on life': 613912, 'on life overall': 601834, 'life overall from': 488959, 'overall from 48': 631013, 'from 48 to': 334299, '48 to 50': 19336, 'to 50 from': 899739, '50 from week': 19699, 'from week to': 338324, 'week to week': 977102, 'to week for': 918469, 'week for full': 976227, 'for full report': 321813, 'staggering': 793250, 'evading': 283705, 'staggering that': 793264, 'that online': 845508, 'online supermarket': 609494, 'supermarket ocado': 821691, 'ocado can': 578884, 'can purchase': 159339, 'purchase 100': 689327, '00 19': 26, '19 test': 11066, 'test while': 839236, 'british government': 140529, 'government is': 360242, 'is testing': 452617, 'testing le': 839553, 'le than': 483152, 'than 10': 840139, 'people per': 649094, 'day after': 227175, 'after week': 36522, 'of evading': 583224, 'evading the': 283706, 'the question': 865011, 'question government': 693599, 'government must': 360364, 'must be': 546487, 'be straight': 117388, 'straight with': 812255, 'country we': 211209, 'need solution': 555584, 'staggering that online': 793265, 'that online supermarket': 845516, 'online supermarket ocado': 609501, 'supermarket ocado can': 821692, 'ocado can purchase': 578885, 'can purchase 100': 159340, 'purchase 100 00': 689328, '100 00 19': 1779, '00 19 test': 27, '19 test while': 11089, 'test while the': 839238, 'while the british': 987372, 'the british government': 850022, 'british government is': 140530, 'government is testing': 360280, 'is testing le': 452618, 'testing le than': 839554, 'le than 10': 483153, 'than 10 00': 840140, '10 00 people': 1207, '00 people per': 416, 'people per day': 649096, 'per day after': 650792, 'day after week': 227190, 'after week of': 36526, 'week of evading': 976611, 'of evading the': 583225, 'evading the question': 283707, 'the question government': 865015, 'question government must': 693600, 'government must be': 360365, 'must be straight': 546549, 'be straight with': 117389, 'straight with the': 812256, 'with the country': 1001250, 'the country we': 852178, 'country we need': 211211, 'we need solution': 972543, 'harm': 378384, 'stayhomesaveli': 798321, 'not think': 572073, 'think there': 885665, 'there any': 878015, 'any harm': 79302, 'harm in': 378399, 'in buying': 421103, 'buying something': 151060, 'something extra': 784904, 'extra while': 293699, 're at': 698319, 'supermarket buying': 819470, 'buying essential': 150234, 'essential if': 281144, 'you limit': 1019616, 'limit shopping': 492491, 'shopping people': 763618, 'people will': 650377, 'out more': 626561, 'often which': 596301, 'is worse': 454067, 'worse than': 1011005, 'than visiting': 841412, 'visiting full': 959526, 'full store': 340896, 'store once': 809212, 'or two': 617553, 'week stayhomesaveli': 976920, 'do not think': 249869, 'not think there': 572089, 'think there any': 885666, 'there any harm': 878020, 'any harm in': 79304, 'harm in buying': 378400, 'in buying something': 421107, 'buying something extra': 151062, 'something extra while': 784905, 'extra while you': 293700, 'you re at': 1020572, 're at the': 698329, 'the supermarket buying': 868500, 'supermarket buying essential': 819471, 'buying essential if': 150238, 'essential if you': 281146, 'if you limit': 415466, 'you limit shopping': 1019618, 'limit shopping people': 492492, 'shopping people will': 763622, 'people will have': 650392, 'have to go': 383220, 'go out more': 353966, 'out more often': 626575, 'more often which': 539907, 'often which is': 596302, 'which is worse': 986067, 'is worse than': 454069, 'worse than visiting': 1011020, 'than visiting full': 841413, 'visiting full store': 959527, 'full store once': 340897, 'store once week': 809216, 'once week or': 605799, 'week or two': 976703, 'or two week': 617578, 'two week stayhomesaveli': 937364, 'curve': 221823, 'roof': 725821, 'mental': 528628, 'we ve': 973632, 'been listening': 121466, 'our healthcare': 623384, 'healthcare community': 387062, 'community funding': 189862, 'funding partner': 341611, 'partner and': 642762, 'it clear': 457155, 'clear that': 181338, 'that second': 846161, 'second demand': 743695, 'demand curve': 235199, 'curve is': 221864, 'is surging': 452487, 'for essential': 321090, 'essential resource': 281455, 'resource food': 714772, 'food roof': 316246, 'roof over': 725835, 'over your': 630967, 'your head': 1024259, 'head health': 385744, 'and mental': 66947, 'mental health': 528634, 'we ve been': 973641, 've been listening': 952903, 'been listening to': 121467, 'listening to our': 494810, 'to our healthcare': 911186, 'our healthcare community': 623385, 'healthcare community funding': 387063, 'community funding partner': 189863, 'funding partner and': 341612, 'partner and it': 642766, 'and it clear': 65497, 'it clear that': 457161, 'clear that second': 181349, 'that second demand': 846162, 'second demand curve': 743696, 'demand curve is': 235200, 'curve is surging': 221866, 'is surging demand': 452489, 'surging demand for': 828418, 'demand for essential': 235412, 'for essential resource': 321118, 'essential resource food': 281456, 'resource food roof': 714773, 'food roof over': 316247, 'roof over your': 725837, 'over your head': 630970, 'your head health': 1024261, 'head health and': 385745, 'health and mental': 386148, 'and mental health': 66949, 'mental health care': 528637, 'online purchase': 608815, 'purchase made': 689543, 'made and': 507634, 'and paid': 68625, 'paid for': 634013, 'online purchase made': 608826, 'purchase made and': 689544, 'made and paid': 507635, 'and paid for': 68629, 'paid for toiletpaper': 634023, 'handsanitizer': 376463, 'pivoted': 657112, 'spirit': 789446, 'ttb': 934990, 'guideline': 368389, 'coldchain': 185812, 'need handsanitizer': 554951, 'handsanitizer thank': 376657, 'to where': 918535, 'where many': 985008, 'many member': 514275, 'member have': 528102, 'have pivoted': 381937, 'pivoted from': 657115, 'from producing': 336984, 'producing spirit': 680804, 'spirit to': 789510, 'to making': 909772, 'sanitizer following': 734880, 'following ttb': 312932, 'ttb fda': 934991, 'fda and': 300823, 'who guideline': 988824, 'guideline database': 368410, 'database coldchain': 226516, 'coldchain supplychain': 185813, 'supplychain 19': 826157, 'need handsanitizer thank': 554953, 'handsanitizer thank you': 376658, 'thank you to': 841831, 'you to where': 1021857, 'to where many': 918539, 'where many member': 985011, 'many member have': 514276, 'member have pivoted': 528104, 'have pivoted from': 381938, 'pivoted from producing': 657117, 'from producing spirit': 336986, 'producing spirit to': 680805, 'spirit to making': 789513, 'to making hand': 909775, 'hand sanitizer following': 375407, 'sanitizer following ttb': 734881, 'following ttb fda': 312933, 'ttb fda and': 934992, 'fda and who': 300825, 'and who guideline': 75588, 'who guideline database': 988825, 'guideline database coldchain': 368411, 'database coldchain supplychain': 226517, 'coldchain supplychain 19': 185814, 'magnitude': 508439, 'shining': 758619, 'bright': 139783, 'danielle': 225831, 'dimartino': 242905, 'booth': 135121, 'ex': 288618, 'reserve': 714027, 'dallas': 225112, 'author': 103637, 'sits': 772078, 'magnitude of': 508448, 'is shining': 451855, 'shining very': 758630, 'very bright': 955024, 'bright light': 139788, 'light on': 489569, 'the debt': 852984, 'debt consumer': 230452, 'and service': 71293, 'service economy': 752322, 'economy danielle': 267793, 'danielle dimartino': 225832, 'dimartino booth': 242906, 'booth an': 135122, 'an ex': 55896, 'ex federal': 288631, 'federal reserve': 302038, 'reserve employee': 714054, 'employee of': 274060, 'of dallas': 582327, 'dallas and': 225113, 'the author': 849068, 'author of': 103644, 'the book': 849837, 'book fed': 134515, 'up sits': 946005, 'sits down': 772081, 'down with': 257488, 'with of': 999846, 'magnitude of covid': 508449, '19 is shining': 8047, 'is shining very': 451860, 'shining very bright': 758631, 'very bright light': 955025, 'bright light on': 139789, 'light on the': 489576, 'on the debt': 604059, 'the debt consumer': 852986, 'debt consumer and': 230453, 'consumer and service': 196242, 'and service economy': 71302, 'service economy danielle': 752323, 'economy danielle dimartino': 267794, 'danielle dimartino booth': 225833, 'dimartino booth an': 242907, 'booth an ex': 135123, 'an ex federal': 55898, 'ex federal reserve': 288632, 'federal reserve employee': 302043, 'reserve employee of': 714055, 'employee of dallas': 274063, 'of dallas and': 582328, 'dallas and the': 225115, 'and the author': 73250, 'the author of': 849070, 'author of the': 103646, 'of the book': 590824, 'the book fed': 849839, 'book fed up': 134516, 'fed up sits': 301924, 'up sits down': 946006, 'sits down with': 772082, 'down with of': 257499, 'pipeline': 656892, 'shutdown': 767975, '26': 16120, '51': 20195, 'anti': 78259, 'protest': 685908, 'trudeau': 933008, 'tide': 895702, 'employed': 273458, 'nov2019': 573705, 'oil pipeline': 597009, 'pipeline shutdown': 656908, 'shutdown and': 767987, 'at 13': 97462, '13 barrel': 3186, 'barrel cost': 111204, 'cost to': 208132, 'produce 26': 680156, '26 the': 16192, 'the west': 871392, 'west texas': 980539, 'texas crude': 839753, 'crude 51': 219498, '51 per': 20205, 'per barrel': 650690, 'barrel anti': 111200, 'anti canadian': 78282, 'canadian oil': 160719, 'oil protest': 597380, 'protest supported': 685926, 'by trudeau': 154601, 'trudeau exec': 933015, 'exec tide': 289840, 'tide employed': 895705, 'employed by': 273469, 'trudeau nov2019': 933017, 'nov2019 outbreak': 573706, 'china he': 176708, 'he said': 385357, 'said we': 731561, 'are prepared': 89193, 'prepared sars': 670231, 'oil pipeline shutdown': 597010, 'pipeline shutdown and': 656909, 'shutdown and oil': 767990, 'oil price at': 597054, 'price at 13': 672784, 'at 13 barrel': 97464, '13 barrel cost': 3187, 'barrel cost to': 111205, 'cost to produce': 208142, 'to produce 26': 912183, 'produce 26 the': 680157, '26 the west': 16195, 'the west texas': 871398, 'west texas crude': 980540, 'texas crude 51': 839754, 'crude 51 per': 219499, '51 per barrel': 20206, 'per barrel anti': 650693, 'barrel anti canadian': 111201, 'anti canadian oil': 78283, 'canadian oil protest': 160721, 'oil protest supported': 597381, 'protest supported by': 685927, 'supported by trudeau': 827050, 'by trudeau exec': 154602, 'trudeau exec tide': 933016, 'exec tide employed': 289841, 'tide employed by': 895706, 'employed by trudeau': 273472, 'by trudeau nov2019': 154603, 'trudeau nov2019 outbreak': 933018, 'nov2019 outbreak of': 573707, 'outbreak of covid': 628479, '19 in china': 7736, 'in china he': 421404, 'china he said': 176709, 'he said we': 385381, 'said we are': 731562, 'we are prepared': 970667, 'are prepared sars': 89195, 'easter': 265370, 'weekend': 977307, 'dedication': 231769, 'handy': 376873, 'easter weekend': 265522, 'weekend thank': 977423, 'you for': 1018620, 'all your': 45558, 'your hard': 1024252, 'hard work': 378118, 'work amp': 1004749, 'amp dedication': 53613, 'dedication to': 231777, 'crisis keep': 217631, 'keep sanitizer': 471897, 'sanitizer handy': 735047, 'handy and': 376878, 'wear your': 974497, 'your mask': 1024782, 'keep you': 472227, 'you amp': 1016960, 'amp those': 54699, 'those around': 891805, 'around you': 93655, 'you safe': 1020969, 'easter weekend thank': 265524, 'weekend thank you': 977424, 'thank you for': 841728, 'you for all': 1018623, 'for all your': 319193, 'all your hard': 45568, 'your hard work': 1024254, 'hard work amp': 378122, 'work amp dedication': 1004751, 'amp dedication to': 53614, 'dedication to our': 231778, 'to our customer': 911167, 'this crisis keep': 887059, 'crisis keep sanitizer': 217633, 'keep sanitizer handy': 471898, 'sanitizer handy and': 735048, 'handy and wear': 376879, 'and wear your': 75356, 'wear your mask': 974502, 'your mask to': 1024790, 'mask to keep': 519411, 'to keep you': 908881, 'keep you amp': 472230, 'you amp those': 1016963, 'amp those around': 54700, 'those around you': 891808, 'around you safe': 93664, 'expediting': 291137, 'reducing': 706261, 'eliminating': 271483, 'providing': 686918, 'residency': 714234, 'successful': 816225, 'applicant': 82430, 'please sign': 660515, 'sign this': 769234, 'this petition': 889539, 'petition sign': 653626, 'sign for': 769119, 'for expediting': 321324, 'expediting testing': 291142, 'testing reducing': 839626, 'reducing or': 706305, 'or eliminating': 615127, 'eliminating the': 271490, 'the testing': 869330, 'testing price': 839616, 'and providing': 69706, 'providing hospital': 687026, 'hospital residency': 404584, 'residency to': 714235, 'to every': 905298, 'every successful': 286233, 'successful applicant': 816228, 'applicant so': 82433, 'that they': 846922, 'can join': 158784, 'join the': 466849, 'the fight': 855160, 'against this': 37695, 'please sign this': 660520, 'sign this petition': 769238, 'this petition sign': 889545, 'petition sign for': 653627, 'sign for expediting': 769122, 'for expediting testing': 321326, 'expediting testing reducing': 291143, 'testing reducing or': 839627, 'reducing or eliminating': 706306, 'or eliminating the': 615128, 'eliminating the testing': 271491, 'the testing price': 869334, 'testing price and': 839617, 'price and providing': 672511, 'and providing hospital': 69711, 'providing hospital residency': 687027, 'hospital residency to': 404585, 'residency to every': 714236, 'to every successful': 905314, 'every successful applicant': 286234, 'successful applicant so': 816229, 'applicant so that': 82434, 'so that they': 778399, 'that they can': 846926, 'they can join': 881643, 'can join the': 158785, 'join the fight': 466858, 'the fight against': 855162, 'fight against this': 304641, 'against this covid': 37697, 'worrying': 1010810, 'boyfriend': 137414, 'lalo': 479140, 'na': 551281, 'ngayon': 561815, 'sa': 728862, 'taytay': 835226, 'cannot stop': 162133, 'stop worrying': 805287, 'worrying for': 1010820, 'and boyfriend': 59138, 'boyfriend he': 137417, 'he is': 385109, 'working at': 1008516, 'supermarket exposed': 820253, 'exposed to': 292887, 'to virus': 918194, 'virus and': 957915, 'and different': 61345, 'different people': 242019, 'people lalo': 648605, 'lalo na': 479141, 'na ngayon': 551303, 'ngayon confirmed': 561816, 'confirmed case': 194134, '19 sa': 10278, 'sa taytay': 728949, 'taytay hays': 835227, 'cannot stop worrying': 162139, 'stop worrying for': 805288, 'worrying for my': 1010821, 'my family and': 548184, 'family and boyfriend': 297581, 'and boyfriend he': 59139, 'boyfriend he is': 137418, 'he is working': 385156, 'is working at': 454033, 'working at supermarket': 1008529, 'at supermarket exposed': 100723, 'supermarket exposed to': 820254, 'exposed to virus': 292912, 'to virus and': 918195, 'virus and different': 957920, 'and different people': 61346, 'different people lalo': 242023, 'people lalo na': 648606, 'lalo na ngayon': 479142, 'na ngayon confirmed': 551304, 'ngayon confirmed case': 561817, 'confirmed case of': 194143, 'case of covid': 165898, 'covid 19 sa': 213733, '19 sa taytay': 10279, 'sa taytay hays': 728950, 'n95mask': 551246, 'healthcareworkers': 387429, 'procedure': 679799, 'getmeppe': 348791, 'getusppe': 349478, 'got mad': 358684, 'mad today': 507576, 'today in': 919677, 'my grocery': 548567, 'store due': 807392, 'people wearing': 650172, 'wearing n95mask': 974741, 'n95mask you': 551257, 'one only': 606791, 'only needed': 610815, 'needed by': 556322, 'by healthcareworkers': 152782, 'healthcareworkers doing': 387430, 'doing procedure': 252613, 'procedure on': 679817, 'on patient': 602711, 'patient half': 644177, 'half were': 374298, 'were even': 979588, 'even wearing': 284771, 'it wrong': 462615, 'wrong this': 1013126, 'the reason': 865266, 'reason we': 703049, 'can enough': 158227, 'enough in': 277483, 'hospital getmeppe': 404425, 'getmeppe getusppe': 348794, 'got mad today': 358686, 'mad today in': 507577, 'today in my': 919685, 'in my grocery': 425581, 'my grocery store': 548583, 'grocery store due': 365349, 'store due to': 807393, 'due to people': 261901, 'to people wearing': 911645, 'people wearing n95mask': 650178, 'wearing n95mask you': 974742, 'n95mask you know': 551258, 'you know the': 1019528, 'know the one': 476839, 'the one only': 862210, 'one only needed': 606792, 'only needed by': 610816, 'needed by healthcareworkers': 556324, 'by healthcareworkers doing': 152783, 'healthcareworkers doing procedure': 387431, 'doing procedure on': 252614, 'procedure on patient': 679818, 'on patient half': 602712, 'patient half were': 644178, 'half were even': 374299, 'were even wearing': 979591, 'even wearing it': 284773, 'wearing it wrong': 974668, 'it wrong this': 462619, 'wrong this is': 1013127, 'this is the': 888424, 'is the reason': 452917, 'the reason we': 865280, 'reason we can': 703050, 'we can enough': 970939, 'can enough in': 158228, 'enough in the': 277485, 'the hospital getmeppe': 857522, 'hospital getmeppe getusppe': 404426, 'deal': 229327, 'followed': 312592, 'later': 481010, '30': 16914, 'sheeple': 756558, 'trade deal': 928476, 'deal with': 229530, 'with china': 997627, 'china announced': 176496, 'announced followed': 76943, 'followed few': 312601, 'week later': 976465, 'later with': 481173, 'with stock': 1000973, 'market near': 516745, 'near 30': 553455, '30 00': 16915, '00 now': 375, 'now down': 574559, 'down 500': 256424, '500 point': 20043, 'point is': 662530, 'is china': 446516, 'china buying': 176530, 'buying american': 149885, 'american stock': 52217, 'at these': 101195, 'these low': 880258, 'low price': 505497, 'price beware': 672918, 'beware sheeple': 129106, 'trade deal with': 928479, 'deal with china': 229543, 'with china announced': 997629, 'china announced followed': 176497, 'announced followed few': 76944, 'followed few week': 312602, 'few week later': 304152, 'week later with': 976470, 'later with stock': 481174, 'with stock market': 1000974, 'stock market near': 802413, 'market near 30': 516746, 'near 30 00': 553456, '30 00 now': 16921, '00 now down': 377, 'now down 500': 574562, 'down 500 point': 256425, '500 point is': 20044, 'point is china': 662532, 'is china buying': 446517, 'china buying american': 176531, 'buying american stock': 149886, 'american stock at': 52218, 'stock at these': 801889, 'at these low': 101204, 'these low price': 880260, 'low price beware': 505502, 'price beware sheeple': 672919, 'metre': 529819, 'and stand': 72216, 'stand metre': 793547, 'metre from': 529848, 'from people': 336873, 'don know': 253659, 'know but': 476316, 'go for': 353550, 'walk in': 964800, 'country and': 210431, 'do know': 249549, 'know family': 476375, 'so you can': 778834, 'you can go': 1017685, 'can go to': 158517, 'to supermarket and': 915771, 'supermarket and stand': 819070, 'and stand metre': 72219, 'stand metre from': 793548, 'metre from people': 529850, 'from people you': 336899, 'people you don': 650572, 'you don know': 1018321, 'don know but': 253662, 'know but you': 476319, 'but you can': 147978, 'can go for': 158495, 'go for walk': 353578, 'for walk in': 327622, 'walk in the': 964811, 'the country and': 852046, 'country and stand': 210447, 'people you do': 650571, 'you do know': 1018258, 'do know family': 249550, 'pandemia': 634739, 'quedateencasa': 693357, 'qu': 691624, 'dateencasa': 226782, 'yomequedoencasa': 1016538, 'pandemiacoronavirus': 634757, 'santodomingo': 736646, 'dominicanrepublic': 253291, 'supermarket pandemia': 821893, 'pandemia quedateencasa': 634749, 'quedateencasa qu': 693358, 'qu dateencasa': 691630, 'dateencasa yomequedoencasa': 226788, 'yomequedoencasa pandemiacoronavirus': 1016542, 'pandemiacoronavirus santodomingo': 634758, 'santodomingo dominicanrepublic': 736647, 'the supermarket pandemia': 868740, 'supermarket pandemia quedateencasa': 821894, 'pandemia quedateencasa qu': 634750, 'quedateencasa qu dateencasa': 693359, 'qu dateencasa yomequedoencasa': 691632, 'dateencasa yomequedoencasa pandemiacoronavirus': 226789, 'yomequedoencasa pandemiacoronavirus santodomingo': 1016543, 'pandemiacoronavirus santodomingo dominicanrepublic': 634759, 'riddle': 721419, 'creates': 215930, 'suspend': 829539, 'thereby': 879401, 'forcing': 328688, 'healthy': 387505, 'planned': 658435, 'riddle me': 721420, 'me this': 523706, 'store creates': 807226, 'creates opportunity': 215955, 'opportunity for': 613602, 'for transmission': 327314, 'transmission why': 929778, 'why suspend': 991396, 'suspend grocery': 829565, 'grocery pick': 364852, 'up thereby': 946263, 'thereby forcing': 879404, 'forcing people': 328722, 'people healthy': 648226, 'healthy or': 387715, 'or sick': 617075, 'sick to': 768642, 'shop in': 760302, 'store could': 807196, 'could it': 209350, 'it be': 456719, 'be because': 113819, 'because we': 119788, 'we spend': 973347, 'spend more': 788636, 'than planned': 841035, 'planned in': 658456, 'in person': 426620, 'riddle me this': 721421, 'me this if': 523713, 'this if store': 888001, 'if store creates': 414880, 'store creates opportunity': 807227, 'creates opportunity for': 215956, 'opportunity for transmission': 613632, 'for transmission why': 327316, 'transmission why suspend': 929779, 'why suspend grocery': 991397, 'suspend grocery pick': 829566, 'grocery pick up': 364853, 'pick up thereby': 655767, 'up thereby forcing': 946264, 'thereby forcing people': 879405, 'forcing people healthy': 328723, 'people healthy or': 648227, 'healthy or sick': 387717, 'or sick to': 617077, 'sick to shop': 768645, 'to shop in': 914465, 'shop in store': 760324, 'in store could': 428396, 'store could it': 807198, 'could it be': 209351, 'it be because': 456722, 'be because we': 113820, 'because we spend': 119816, 'we spend more': 973350, 'spend more than': 788642, 'more than planned': 540662, 'than planned in': 841036, 'planned in person': 658458, 'surpass': 828451, '19 fraud': 7100, 'fraud surpass': 331351, 'surpass 15': 828452, 'complaint of covid': 192000, 'covid 19 fraud': 213122, '19 fraud surpass': 7103, 'fraud surpass 15': 331352, 'surpass 15 00': 828453, 'mugged': 545579, 'grabbed': 361560, 'ran': 696495, 'lockdownuk': 500395, 'just heard': 468952, 'heard that': 388137, 'that an': 842638, 'an elderly': 55633, 'elderly person': 270843, 'person wa': 652685, 'wa mugged': 962664, 'mugged whilst': 545582, 'whilst walking': 987702, 'walking out': 965080, 'the in': 857996, 'my area': 547289, 'area grabbed': 92028, 'grabbed food': 361563, 'food straight': 316868, 'straight out': 812223, 'their trolley': 875031, 'trolley and': 932359, 'and ran': 69920, 'ran hope': 696498, 'hope the': 403665, 'the idiot': 857835, 'idiot are': 413452, 'are proud': 89303, 'themselves stophoarding': 876895, 'coronacrisis lockdown': 204653, 'lockdown lockdownuk': 499620, 'lockdownuk stopstockpiling': 500438, 'just heard that': 468960, 'heard that an': 388138, 'that an elderly': 842643, 'an elderly person': 55641, 'elderly person wa': 270848, 'person wa mugged': 652689, 'wa mugged whilst': 962666, 'mugged whilst walking': 545583, 'whilst walking out': 987703, 'walking out of': 965082, 'of the in': 591134, 'the in my': 858009, 'in my area': 425535, 'my area grabbed': 547295, 'area grabbed food': 92029, 'grabbed food straight': 361565, 'food straight out': 316869, 'straight out of': 812225, 'out of their': 626851, 'of their trolley': 591711, 'their trolley and': 875032, 'trolley and ran': 932366, 'and ran hope': 69921, 'ran hope the': 696499, 'hope the idiot': 403679, 'the idiot are': 857836, 'idiot are proud': 413456, 'are proud of': 89305, 'proud of themselves': 686038, 'of themselves stophoarding': 591789, 'themselves stophoarding coronacrisis': 876896, 'stophoarding coronacrisis lockdown': 805378, 'coronacrisis lockdown lockdownuk': 204656, 'lockdown lockdownuk stopstockpiling': 499624, 'value': 952069, 'belittle': 126470, 'bin': 130992, 'took the': 925337, 'the to': 869668, 'to understand': 917897, 'understand the': 940742, 'the value': 870632, 'value of': 952155, 'job of': 466030, 'of nurse': 587111, 'doctor police': 251080, 'officer supermarket': 595722, 'other job': 620453, 'job people': 466085, 'people belittle': 647275, 'belittle of': 126471, 'of like': 585852, 'the bin': 849710, 'bin people': 131035, 'who collect': 988467, 'collect people': 186313, 'people bin': 647283, 'bin etc': 131002, 'etc they': 282811, 'essential to': 281687, 'our society': 624817, 'society without': 781366, 'without them': 1002989, 'them society': 876300, 'society is': 781250, 'so it took': 777481, 'it took the': 461805, 'took the to': 925344, 'the to understand': 869696, 'to understand the': 917912, 'understand the value': 940777, 'the value of': 870636, 'value of job': 952166, 'of job of': 585536, 'job of nurse': 466035, 'of nurse doctor': 587113, 'nurse doctor police': 577307, 'doctor police officer': 251082, 'police officer supermarket': 663130, 'officer supermarket staff': 595724, 'supermarket staff and': 822811, 'staff and other': 792150, 'and other job': 68353, 'other job people': 620454, 'job people belittle': 466087, 'people belittle of': 647276, 'belittle of like': 126472, 'of like the': 585856, 'like the bin': 491353, 'the bin people': 849714, 'bin people who': 131036, 'people who collect': 650274, 'who collect people': 988469, 'collect people bin': 186314, 'people bin etc': 647284, 'bin etc they': 131003, 'etc they are': 282812, 'are essential to': 86258, 'essential to our': 281705, 'to our society': 911242, 'our society without': 624838, 'society without them': 781368, 'without them society': 1002993, 'them society is': 876301, 'society is nothing': 781254, 'bumping': 142596, 'generally': 345516, 'damned': 225473, 'make you': 510730, 'you wonder': 1022407, 'wonder when': 1004021, 'see people': 745551, 'people bumping': 647310, 'bumping up': 142600, 'up price': 945803, 'price fighting': 673862, 'fighting to': 305146, 'hoard product': 398854, 'product and': 680869, 'and generally': 63514, 'generally just': 345535, 'just being': 468325, 'being damned': 125019, 'damned selfish': 225476, 'selfish selfisolation': 748252, 'selfisolation hoarding': 748459, 'hoarding bekind': 399222, 'make you wonder': 510752, 'you wonder when': 1022411, 'wonder when you': 1004025, 'when you see': 984600, 'you see people': 1021058, 'see people bumping': 745555, 'people bumping up': 647312, 'bumping up price': 142601, 'up price fighting': 945813, 'price fighting to': 673863, 'fighting to hoard': 305148, 'to hoard product': 907876, 'hoard product and': 398855, 'product and generally': 680887, 'and generally just': 63517, 'generally just being': 345536, 'just being damned': 468328, 'being damned selfish': 125020, 'damned selfish selfisolation': 225477, 'selfish selfisolation hoarding': 748253, 'selfisolation hoarding bekind': 748460, 'bare': 110853, 'afghanistan': 34927, 'distributing': 248071, 'woman': 1003390, 'displaced': 246177, 'camp': 157164, 'kabul': 470576, 'keeping hand': 472439, 'hand clean': 374862, 'clean is': 180570, 'is key': 449184, 'key to': 473429, 'to preventing': 912103, 'preventing the': 671828, 'of but': 580979, 'what about': 980958, 'about those': 26677, 'have access': 379111, 'the bare': 849277, 'bare essential': 110895, 'essential needed': 281325, 'needed in': 556401, 'in afghanistan': 420077, 'afghanistan our': 34936, 'local partner': 498257, 'partner ha': 642824, 'been distributing': 121010, 'distributing hand': 248081, 'to 600': 899793, '600 woman': 21122, 'woman displaced': 1003467, 'displaced by': 246178, 'by violence': 154672, 'violence living': 957551, 'living in': 496362, 'in camp': 421172, 'camp across': 157165, 'across kabul': 29364, 'keeping hand clean': 472440, 'hand clean is': 374865, 'clean is key': 180571, 'is key to': 449191, 'key to preventing': 473441, 'to preventing the': 912104, 'preventing the spread': 671829, 'spread of but': 790654, 'of but what': 580994, 'but what about': 147780, 'what about those': 980993, 'about those who': 26685, 'those who don': 892631, 'don have access': 253587, 'have access to': 379112, 'access to the': 28289, 'to the bare': 916509, 'the bare essential': 849278, 'bare essential needed': 110897, 'essential needed in': 281326, 'needed in afghanistan': 556402, 'in afghanistan our': 420078, 'afghanistan our local': 34937, 'our local partner': 623781, 'local partner ha': 498258, 'partner ha been': 642825, 'ha been distributing': 369788, 'been distributing hand': 121011, 'distributing hand sanitizer': 248082, 'hand sanitizer to': 375628, 'sanitizer to 600': 735905, 'to 600 woman': 899798, '600 woman displaced': 21123, 'woman displaced by': 1003468, 'displaced by violence': 246181, 'by violence living': 154673, 'violence living in': 957552, 'living in camp': 496366, 'in camp across': 421173, 'camp across kabul': 157166, 'speed': 788423, 'segment': 747378, 'will covid': 993060, '19 speed': 10730, 'speed up': 788471, 'or slow': 617105, 'slow down': 774339, 'consumer segment': 198891, 'segment growth': 747385, 'growth lunch': 367417, 'lunch learn': 506729, 'will covid 19': 993061, 'covid 19 speed': 213843, '19 speed up': 10731, 'speed up or': 788474, 'up or slow': 945687, 'or slow down': 617106, 'slow down the': 774352, 'down the consumer': 257270, 'the consumer segment': 851591, 'consumer segment growth': 198892, 'segment growth lunch': 747386, 'growth lunch learn': 367418, 'know before': 476294, 'before using': 123260, 'using at': 950399, 'to know before': 908974, 'know before using': 476297, 'before using at': 123261, 'using at home': 950400, 'at home coronavirus': 98962, 'chilliwack': 176415, 'young street': 1022660, 'street supermarket': 813130, 'in chilliwack': 421381, 'chilliwack which': 176416, 'on young': 605447, 'young road': 1022654, 'road is': 724464, 'is selling': 451748, 'selling individual': 749302, 'individual roll': 435248, 'roll of': 725410, 'paper for': 640169, 'for 49': 318854, 'young street supermarket': 1022661, 'street supermarket in': 813131, 'supermarket in chilliwack': 820877, 'in chilliwack which': 421382, 'chilliwack which is': 176417, 'which is on': 986036, 'is on young': 450494, 'on young road': 605449, 'young road is': 1022655, 'road is selling': 724466, 'is selling individual': 451758, 'selling individual roll': 749303, 'individual roll of': 435249, 'roll of toilet': 725421, 'toilet paper for': 921278, 'paper for 49': 640172, 'daventry': 226969, 'bread is': 138503, 'is gone': 448110, 'gone in': 356305, 'in uk': 430378, 'uk grocery': 938424, 'store tesco': 810528, 'tesco in': 838720, 'in daventry': 422000, 'bread is gone': 138507, 'is gone in': 448118, 'gone in uk': 356313, 'in uk grocery': 430389, 'uk grocery store': 938426, 'grocery store tesco': 365842, 'store tesco in': 810529, 'tesco in daventry': 838722, 'redeployed': 705684, 'overwhelmed': 631710, 'of executive': 583295, 'executive from': 289894, 'from canadian': 334797, 'canadian grocery': 160688, 'grocery chain': 364352, 'chain have': 170756, 'been redeployed': 121792, 'redeployed to': 705685, 'at overwhelmed': 100051, 'overwhelmed store': 631725, 'store stocking': 810399, 'stocking shelf': 803588, 'shelf and': 756717, 'and wiping': 75747, 'wiping down': 996507, 'down cart': 256619, 'hundred of executive': 411000, 'of executive from': 583296, 'executive from canadian': 289895, 'from canadian grocery': 334798, 'canadian grocery chain': 160689, 'grocery chain have': 364363, 'chain have been': 170758, 'have been redeployed': 379656, 'been redeployed to': 121793, 'redeployed to work': 705686, 'work at overwhelmed': 1004889, 'at overwhelmed store': 100052, 'overwhelmed store stocking': 631727, 'store stocking shelf': 810400, 'stocking shelf and': 803589, 'shelf and wiping': 756777, 'and wiping down': 75748, 'wiping down cart': 996510, 'shitpocalypse': 759339, 'log': 500604, 'visited': 959449, 'regular': 707727, 'scheduled': 741479, 'frequency': 332802, 'mofos': 535538, 'twinkie': 936586, 'survival': 829016, 'woody': 1004335, 'harelson': 378357, 'character': 173147, 'tallahassee': 834073, 'movie': 543973, 'zombieland': 1027738, 'emptyshelves': 275299, 'shitpocalypse day': 759340, 'day log': 227928, 'log visited': 500624, 'visited my': 959487, 'store per': 809499, 'per my': 650952, 'my regular': 549909, 'regular scheduled': 707860, 'scheduled frequency': 741495, 'frequency some': 332809, 'some mofos': 783307, 'mofos out': 535539, 'are thinking': 91042, 'thinking twinkie': 886022, 'twinkie are': 936587, 'are necessary': 88191, 'necessary survival': 554101, 'survival food': 829032, 'food just': 315258, 'like woody': 491834, 'woody harelson': 1004336, 'harelson character': 378358, 'character tallahassee': 173162, 'tallahassee from': 834074, 'the movie': 861100, 'movie zombieland': 544106, 'zombieland emptyshelves': 1027739, 'shitpocalypse day log': 759341, 'day log visited': 227929, 'log visited my': 500625, 'visited my local': 959488, 'grocery store per': 365648, 'store per my': 809501, 'per my regular': 650954, 'my regular scheduled': 549913, 'regular scheduled frequency': 707861, 'scheduled frequency some': 741496, 'frequency some mofos': 332810, 'some mofos out': 783308, 'mofos out there': 535540, 'out there are': 627468, 'there are thinking': 878175, 'are thinking twinkie': 91047, 'thinking twinkie are': 886023, 'twinkie are necessary': 936588, 'are necessary survival': 88192, 'necessary survival food': 554102, 'survival food just': 829033, 'food just like': 315262, 'just like woody': 469162, 'like woody harelson': 491835, 'woody harelson character': 1004337, 'harelson character tallahassee': 378359, 'character tallahassee from': 173163, 'tallahassee from the': 834075, 'from the movie': 337795, 'the movie zombieland': 861110, 'movie zombieland emptyshelves': 544107, 'biocidal': 131186, 'regulation': 708037, 'suitable': 817807, 'hygiene': 412039, 'processing': 680005, 'environment': 279072, 'catering': 167253, 'meet the': 527590, 'the requirement': 865558, 'requirement of': 713437, 'the biocidal': 849718, 'biocidal product': 131187, 'product regulation': 681571, 'regulation suitable': 708114, 'suitable for': 817810, 'for use': 327493, 'use in': 949270, 'in hygiene': 423944, 'hygiene critical': 412077, 'critical area': 218517, 'area such': 92208, 'such healthcare': 816543, 'healthcare food': 387115, 'food processing': 315990, 'processing environment': 680018, 'environment sanitize': 279145, 'sanitize washyourhands': 734231, 'washyourhands sanitation': 967903, 'sanitation clean': 733833, 'clean catering': 180494, 'catering stayathome': 167269, 'stayathome wow': 797715, 'meet the requirement': 527608, 'the requirement of': 865559, 'requirement of the': 713439, 'of the biocidal': 590822, 'the biocidal product': 849719, 'biocidal product regulation': 131188, 'product regulation suitable': 681572, 'regulation suitable for': 708115, 'suitable for use': 817814, 'for use in': 327495, 'use in hygiene': 949277, 'in hygiene critical': 423945, 'hygiene critical area': 412078, 'critical area such': 218518, 'area such healthcare': 92209, 'such healthcare food': 816544, 'healthcare food processing': 387119, 'food processing environment': 315992, 'processing environment sanitize': 680019, 'environment sanitize washyourhands': 279146, 'sanitize washyourhands sanitation': 734232, 'washyourhands sanitation clean': 967904, 'sanitation clean catering': 733834, 'clean catering stayathome': 180495, 'catering stayathome wow': 167270, 'receive': 703427, 'communication': 189568, 'grant': 362011, 'exchange': 289437, 'fee': 302131, 'respond': 715283, 'alert if': 41450, 'you receive': 1020848, 'receive call': 703450, 'call email': 155840, 'email or': 272254, 'or other': 616424, 'other communication': 619970, 'communication offering': 189623, 'offering covid': 595047, 'related grant': 708455, 'grant or': 362039, 'or stimulus': 617227, 'stimulus payment': 801599, 'payment in': 645655, 'in exchange': 422712, 'exchange for': 289444, 'for personal': 324496, 'personal financial': 652847, 'information or': 437933, 'or fee': 615284, 'fee of': 302204, 'of any': 580245, 'any kind': 79387, 'kind do': 474833, 'not respond': 571345, 'respond these': 715310, 'these are': 879605, 'are scam': 89830, 'scam alert if': 739979, 'alert if you': 41451, 'if you receive': 415504, 'you receive call': 1020850, 'receive call email': 703451, 'call email or': 155842, 'email or other': 272258, 'or other communication': 616428, 'other communication offering': 619971, 'communication offering covid': 189624, 'offering covid 19': 595048, '19 related grant': 10053, 'related grant or': 708456, 'grant or stimulus': 362040, 'or stimulus payment': 617228, 'stimulus payment in': 801603, 'payment in exchange': 645657, 'in exchange for': 422713, 'exchange for personal': 289448, 'for personal financial': 324499, 'personal financial information': 652848, 'financial information or': 306465, 'information or fee': 437935, 'or fee of': 615285, 'fee of any': 302205, 'of any kind': 580262, 'any kind do': 79388, 'kind do not': 474834, 'do not respond': 249826, 'not respond these': 571348, 'respond these are': 715311, 'these are scam': 879633, 'carbon': 163390, 'flagship': 309961, 'slump': 774671, 'european': 283533, 'challenging': 171614, 'europe carbon': 283415, 'carbon market': 163403, 'market flagship': 516389, 'flagship tool': 309969, 'tool to': 925444, 'fight saw': 304863, 'saw price': 738219, 'price slump': 676489, 'slump more': 774699, 'than 30': 840222, '30 in': 17080, 'in one': 426134, 'week because': 975985, 'of concern': 581637, 'concern european': 192965, 'european commission': 283542, 'commission say': 188894, 'it following': 458050, 'following the': 312869, 'the situation': 867238, 'situation closely': 772216, 'closely in': 183462, 'in challenging': 421320, 'challenging time': 171627, 'europe carbon market': 283416, 'carbon market flagship': 163404, 'market flagship tool': 516390, 'flagship tool to': 309970, 'tool to fight': 925448, 'to fight saw': 905810, 'fight saw price': 304864, 'saw price slump': 738222, 'price slump more': 676492, 'slump more than': 774700, 'more than 30': 540560, 'than 30 in': 840224, '30 in one': 17081, 'in one week': 426157, 'one week because': 607410, 'week because of': 975987, 'because of concern': 119319, 'of concern european': 581641, 'concern european commission': 192966, 'european commission say': 283543, 'commission say it': 188895, 'say it following': 738842, 'it following the': 458051, 'following the situation': 312908, 'the situation closely': 867246, 'situation closely in': 772217, 'closely in challenging': 183463, 'in challenging time': 421321, 'massive': 519959, 'ordering': 618935, 'lp': 506306, 'cd': 168523, 'independently': 434154, 'owned': 632322, 'all know': 43327, 'had massive': 373287, 'massive impact': 520040, 'on small': 603507, 'business around': 143401, 're thinking': 699705, 'about ordering': 25867, 'ordering some': 619018, 'some new': 783348, 'new lp': 559073, 'lp or': 506309, 'or cd': 614692, 'cd we': 168532, 'we like': 972192, 'like to': 491570, 'to encourage': 905055, 'encourage you': 275643, 'buy it': 148844, 'it from': 458147, 'from an': 334476, 'an independently': 56267, 'independently owned': 434159, 'owned record': 632350, 'record shop': 705063, 'you all know': 1016889, 'all know the': 43334, 'know the covid': 476814, 'ha had massive': 370792, 'had massive impact': 373288, 'massive impact on': 520041, 'impact on small': 417891, 'on small business': 603508, 'small business around': 774839, 'business around the': 143403, 'world so if': 1009986, 'you re thinking': 1020776, 're thinking about': 699706, 'thinking about ordering': 885851, 'about ordering some': 25868, 'ordering some new': 619019, 'some new lp': 783350, 'new lp or': 559074, 'lp or cd': 506310, 'or cd we': 614693, 'cd we like': 168533, 'we like to': 972197, 'like to encourage': 491586, 'to encourage you': 905069, 'encourage you to': 275645, 'you to buy': 1021757, 'to buy it': 902253, 'buy it from': 148853, 'it from an': 458148, 'from an independently': 334486, 'an independently owned': 56268, 'independently owned record': 434162, 'owned record shop': 632351, 'covidiot': 214420, 'noun': 573661, 'vid': 956579, 'ee': 268923, 'ut': 951173, 'as': 94707, 'tipper': 898978, 'gigeconomy': 350082, 'quaratineandchill': 693105, 'postmates': 666746, 'covidiot noun': 214423, 'noun co': 573662, 'co vid': 184997, 'vid ee': 956582, 'ee ut': 268924, 'ut hoarder': 951178, 'hoarder of': 399080, 'paper sanitizer': 640716, 'and cheap': 59774, 'cheap as': 174080, 'as tipper': 94815, 'tipper gigeconomy': 898979, 'gigeconomy quaratineandchill': 350083, 'quaratineandchill quarantine': 693110, 'quarantine postmates': 692441, 'covidiot noun co': 214424, 'noun co vid': 573663, 'co vid ee': 184998, 'vid ee ut': 956583, 'ee ut hoarder': 268925, 'ut hoarder of': 951179, 'hoarder of toilet': 399081, 'toilet paper sanitizer': 921430, 'paper sanitizer and': 640717, 'sanitizer and cheap': 734393, 'and cheap as': 59775, 'cheap as tipper': 174081, 'as tipper gigeconomy': 94816, 'tipper gigeconomy quaratineandchill': 898980, 'gigeconomy quaratineandchill quarantine': 350084, 'quaratineandchill quarantine postmates': 693111, 'wouldn': 1012431, 'functional': 341286, 'supervisor': 824390, 'wh': 980893, 'required': 713341, 'irradiate': 444978, 'killing': 474651, 'they wouldn': 883957, 'wouldn have': 1012472, 'have social': 382607, 'distancing if': 247212, 'we had': 971696, 'had functional': 373132, 'functional supervisor': 341306, 'supervisor in': 824393, 'the wh': 871410, 'wh unless': 980911, 'unless and': 942598, 'and until': 74716, 'until the': 943844, 'the entire': 854346, 'entire united': 278766, 'united state': 942201, 'state government': 795609, 'is required': 451445, 'required to': 713393, 'to irradiate': 908516, 'irradiate covid': 444979, '19 his': 7537, 'his economic': 397375, 'economic effort': 267088, 'effort will': 269669, 'will fail': 993398, 'fail sick': 296100, 'sick dying': 768423, 'dying ha': 263835, 'nothing to': 573185, 'with killing': 999149, 'killing the': 474713, 'the target': 869151, 'they wouldn have': 883960, 'wouldn have social': 1012478, 'have social distancing': 382610, 'social distancing if': 779636, 'distancing if we': 247214, 'if we had': 415286, 'we had functional': 971707, 'had functional supervisor': 373134, 'functional supervisor in': 341307, 'supervisor in the': 824394, 'in the wh': 429675, 'the wh unless': 871414, 'wh unless and': 980912, 'unless and until': 942599, 'and until the': 74718, 'until the entire': 943854, 'the entire united': 854372, 'entire united state': 278767, 'united state government': 942218, 'state government is': 795613, 'government is required': 360272, 'is required to': 451453, 'required to irradiate': 713400, 'to irradiate covid': 908517, 'irradiate covid 19': 444980, 'covid 19 his': 213209, '19 his economic': 7540, 'his economic effort': 397376, 'economic effort will': 267089, 'effort will fail': 269670, 'will fail sick': 993399, 'fail sick dying': 296101, 'sick dying ha': 768424, 'dying ha nothing': 263837, 'ha nothing to': 371386, 'nothing to do': 573189, 'do with killing': 250557, 'with killing the': 999150, 'killing the target': 474720, 'ahead': 39129, 'view': 957057, 'slipped': 774039, 'side': 768779, 'though the': 892907, 'the producer': 864575, 'producer of': 680668, 'of opec': 587282, 'opec have': 611899, 'gone ahead': 356190, 'ahead in': 39163, 'in reduction': 427337, 'reduction with': 706402, 'with all': 997143, 'all output': 43844, 'output but': 629236, 'it question': 460580, 'question of': 693662, 'of demand': 582495, 'in view': 430586, 'view of': 957121, 'of impact': 584991, 'price which': 677504, 'ha slipped': 371971, 'slipped may': 774045, 'may slip': 521507, 'slip further': 774018, 'further the': 342185, 'demand side': 236208, 'even though the': 284718, 'though the producer': 892912, 'the producer of': 864576, 'producer of opec': 680671, 'of opec have': 587287, 'opec have gone': 611900, 'have gone ahead': 380787, 'gone ahead in': 356191, 'ahead in reduction': 39164, 'in reduction with': 427338, 'reduction with all': 706403, 'with all output': 997158, 'all output but': 43845, 'output but it': 629237, 'but it question': 146156, 'it question of': 460581, 'question of demand': 693663, 'of demand and': 582497, 'demand and supply': 235003, 'and supply and': 72775, 'supply and in': 824729, 'and in view': 65079, 'in view of': 430587, 'view of impact': 957127, 'of impact the': 584994, 'impact the oil': 418000, 'oil price which': 597321, 'price which ha': 677510, 'which ha slipped': 985899, 'ha slipped may': 371972, 'slipped may slip': 774046, 'may slip further': 521508, 'slip further the': 774019, 'further the demand': 342186, 'the demand side': 853110, 'crowd': 219112, 'create': 215597, 'buying not': 150770, 'only make': 610753, 'make it': 510014, 'it difficult': 457548, 'difficult to': 242325, 'but crowd': 145487, 'crowd in': 219172, 'store create': 807224, 'create huge': 215663, 'huge risk': 410178, 'of contagion': 581808, 'contagion it': 200409, 'it worse': 462544, 'than pub': 841053, 'pub and': 687659, 'panic buying not': 637822, 'buying not only': 150772, 'not only make': 570808, 'only make it': 610755, 'make it difficult': 510028, 'it difficult to': 457556, 'difficult to buy': 242330, 'to buy food': 902230, 'buy food but': 148635, 'food but crowd': 313812, 'but crowd in': 145489, 'crowd in store': 219174, 'in store create': 428397, 'store create huge': 807225, 'create huge risk': 215665, 'huge risk of': 410180, 'risk of contagion': 723737, 'of contagion it': 581811, 'contagion it worse': 200411, 'it worse than': 462551, 'worse than pub': 1011016, 'than pub and': 841054, 'pub and bar': 687660, 'internet': 441892, 'fulfilled': 340426, 'fcc': 300750, 'connected': 194640, 'many phone': 514560, 'phone and': 654879, 'and internet': 65329, 'internet provider': 441994, 'provider across': 686682, 'country have': 210733, 'have fulfilled': 380734, 'fulfilled the': 340429, 'the fcc': 854998, 'fcc promise': 300769, 'promise to': 683697, 'help consumer': 389514, 'consumer stay': 199133, 'stay connected': 796846, 'connected during': 194649, '19 check': 5782, 'this list': 888652, 'list to': 494567, 'see what': 746018, 'what certain': 981199, 'certain company': 169979, 'company are': 190406, 'doing to': 252782, 'many phone and': 514561, 'phone and internet': 654882, 'and internet provider': 65332, 'internet provider across': 441995, 'provider across the': 686683, 'the country have': 852091, 'country have fulfilled': 210737, 'have fulfilled the': 380735, 'fulfilled the fcc': 340430, 'the fcc promise': 855003, 'fcc promise to': 300770, 'promise to help': 683700, 'to help consumer': 907480, 'help consumer stay': 389524, 'consumer stay connected': 199134, 'stay connected during': 796848, 'connected during covid': 194650, 'covid 19 check': 212791, '19 check out': 5784, 'out this list': 627576, 'this list to': 888663, 'list to see': 494569, 'to see what': 914095, 'see what certain': 746022, 'what certain company': 981200, 'certain company are': 169980, 'company are doing': 190420, 'are doing to': 85933, 'doing to help': 252792, 'america': 51431, 'drag': 258150, 'modernize': 535419, 'concept': 192848, 'introduced': 443411, 'urgency': 948298, 'possibly': 665888, 'goal': 354550, 'every department': 285868, 'in america': 420214, 'america ha': 51540, 'ha tried': 372361, 'tried some': 931818, 'some way': 784185, 'to drag': 904700, 'drag modernize': 258157, 'modernize the': 535420, 'the retail': 865708, 'retail concept': 717980, 'concept now': 192863, 'ha introduced': 370989, 'introduced new': 443438, 'new urgency': 559812, 'urgency and': 948300, 'and possibly': 69216, 'possibly new': 665943, 'new goal': 558809, 'goal what': 354587, 'what do': 981341, 'do department': 249223, 'store do': 807328, 'do now': 249906, 'every department store': 285869, 'department store in': 237276, 'store in america': 808266, 'in america ha': 420221, 'america ha tried': 51545, 'ha tried some': 372362, 'tried some way': 931819, 'some way to': 784190, 'way to drag': 970018, 'to drag modernize': 904702, 'drag modernize the': 258158, 'modernize the retail': 535421, 'the retail concept': 865713, 'retail concept now': 717981, 'concept now covid': 192864, '19 ha introduced': 7355, 'ha introduced new': 370991, 'introduced new urgency': 443442, 'new urgency and': 559813, 'urgency and possibly': 948301, 'and possibly new': 69222, 'possibly new goal': 665944, 'new goal what': 558810, 'goal what do': 354588, 'what do department': 981342, 'do department store': 249224, 'department store do': 237271, 'store do now': 807331, 'hate': 378859, 'hate the': 378916, 'fact everyone': 295715, 'everyone think': 287475, 'think everyone': 885231, 'everyone else': 286842, 'else is': 271747, 'is hoarding': 448507, 'hoarding if': 399375, 'not know': 570287, 'know anyone': 476267, 'anyone hoarding': 80367, 'hoarding then': 399594, 'it probably': 460485, 'probably you': 679428, 'it stop': 461270, 'stop just': 804800, 'just buying': 468390, 'buying few': 150283, 'few more': 303943, 'more item': 539632, 'item stophoarding': 463665, 'hate the fact': 378917, 'the fact everyone': 854821, 'fact everyone think': 295716, 'everyone think everyone': 287476, 'think everyone else': 885232, 'everyone else is': 286863, 'else is hoarding': 271755, 'is hoarding if': 448510, 'hoarding if you': 399377, 'do not know': 249772, 'not know anyone': 570290, 'know anyone hoarding': 476268, 'anyone hoarding then': 80368, 'hoarding then it': 399595, 'then it probably': 877286, 'it probably you': 460491, 'probably you doing': 679429, 'you doing it': 1018298, 'doing it stop': 252494, 'it stop just': 461273, 'stop just buying': 804801, 'just buying few': 468392, 'buying few more': 150285, 'few more item': 303948, 'more item stophoarding': 539636, 'whatsale': 982858, 'the deal': 852955, 'with these': 1001633, 'these sale': 880620, 'sale price': 732455, 'price whatsale': 677475, 'what the deal': 982305, 'the deal with': 852960, 'deal with these': 229584, 'with these sale': 1001655, 'these sale price': 880622, 'sale price whatsale': 732469, 'viewing': 957202, 'bst': 141449, 'essential viewing': 281745, 'viewing how': 957203, 'how did': 407680, 'did retailer': 240781, 'china respond': 176907, 'respond to': 715312, 'pandemic and': 634859, 'and retail': 70424, 'retail industry': 718208, 'industry expert': 435813, 'expert will': 292028, 'will discus': 993204, 'discus innovation': 244875, 'innovation trend': 438908, 'trend and': 931265, 'term consumer': 838094, 'consumer impact': 197801, 'on april': 599426, 'april 23rd': 83487, '23rd 12': 15510, '12 30': 2793, '30 bst': 16987, 'bst register': 141452, 'register here': 707575, 'essential viewing how': 281746, 'viewing how did': 957204, 'how did retailer': 407688, 'did retailer in': 240782, 'in china respond': 421428, 'china respond to': 176908, 'respond to the': 715329, '19 pandemic and': 9265, 'pandemic and retail': 634896, 'and retail industry': 70433, 'retail industry expert': 718214, 'industry expert will': 435817, 'expert will discus': 292029, 'will discus innovation': 993206, 'discus innovation trend': 244876, 'innovation trend and': 438909, 'trend and the': 931274, 'and the long': 73459, 'long term consumer': 501677, 'term consumer impact': 838098, 'consumer impact on': 197806, 'impact on april': 417819, 'on april 23rd': 599440, 'april 23rd 12': 83488, '23rd 12 30': 15511, '12 30 bst': 2794, '30 bst register': 16988, 'bst register here': 141453, 'fuckwits': 340088, 'complaining': 191881, 'lawsofeconomics': 482510, 'supplyanddemand': 826152, 'so seeing': 778165, 'seeing post': 746423, 'post from': 666139, 'the utter': 870604, 'utter fuckwits': 951418, 'fuckwits that': 340089, 'been panic': 121649, 'buying complaining': 150129, 'complaining about': 191882, 'about price': 25991, 'price going': 674209, 'going up': 355776, 'up lawsofeconomics': 945293, 'lawsofeconomics supplyanddemand': 482511, 'so seeing post': 778167, 'seeing post from': 746425, 'post from the': 666143, 'from the utter': 337913, 'the utter fuckwits': 870605, 'utter fuckwits that': 951419, 'fuckwits that have': 340090, 'that have been': 844197, 'have been panic': 379628, 'been panic buying': 121650, 'panic buying complaining': 637682, 'buying complaining about': 150130, 'complaining about price': 191891, 'about price going': 25994, 'price going up': 674216, 'going up lawsofeconomics': 355788, 'up lawsofeconomics supplyanddemand': 945294, 'shortened': 765339, 'course': 211833, 'hole': 400199, 'hitting': 398551, 'observe': 578570, 'simulator': 770363, '19 update': 11650, 'update retail': 947197, 'is open': 450555, 'open shortened': 612499, 'shortened hour': 765340, 'hour golf': 405647, 'golf course': 356119, 'course open': 211919, 'open hole': 612305, 'hole 12': 400200, '12 50': 2806, '50 walking': 19902, 'walking only': 965076, 'only driving': 610366, 'driving range': 259996, 'range open': 696730, 'open increased': 612328, 'increased distance': 433298, 'distance between': 246662, 'between hitting': 128799, 'hitting station': 398589, 'station to': 796534, 'to observe': 910789, 'observe social': 578593, 'distancing simulator': 247482, 'simulator are': 770364, 'are closed': 85327, 'closed more': 183228, 'covid 19 update': 214005, '19 update retail': 11682, 'update retail store': 947199, 'retail store is': 718650, 'store is open': 808510, 'is open shortened': 450578, 'open shortened hour': 612500, 'shortened hour golf': 765341, 'hour golf course': 405648, 'golf course open': 356122, 'course open hole': 211920, 'open hole 12': 612306, 'hole 12 50': 400201, '12 50 walking': 2807, '50 walking only': 19903, 'walking only driving': 965077, 'only driving range': 610367, 'driving range open': 259997, 'range open increased': 696731, 'open increased distance': 612329, 'increased distance between': 433299, 'distance between hitting': 246665, 'between hitting station': 128800, 'hitting station to': 398590, 'station to observe': 796537, 'to observe social': 910794, 'observe social distancing': 578594, 'social distancing simulator': 779719, 'distancing simulator are': 247483, 'simulator are closed': 770365, 'are closed more': 85353, 'closed more info': 183229, '83': 22848, 'healthyeating': 387833, 'comforteating': 187892, 'globaldata': 352304, 'with 83': 997067, '83 of': 22853, 'global consumer': 351797, 'consumer concerned': 196874, 'about healthyeating': 25364, 'healthyeating is': 387834, 'is out': 450654, 'and comforteating': 60117, 'comforteating is': 187893, 'is back': 445946, 'back say': 107257, 'say globaldata': 738684, 'with 83 of': 997068, '83 of global': 22855, 'of global consumer': 584149, 'global consumer concerned': 351799, 'consumer concerned about': 196875, 'concerned about healthyeating': 193156, 'about healthyeating is': 25365, 'healthyeating is out': 387835, 'is out and': 450655, 'out and comforteating': 625652, 'and comforteating is': 60118, 'comforteating is back': 187894, 'is back say': 445950, 'back say globaldata': 107258, 'debut': 230639, 'restocker': 716973, 'appearing': 82158, 'keephustling': 472352, 'keeplaughing': 472658, '19 shall': 10432, 'shall be': 754515, 'be making': 115886, 'making my': 511237, 'my supermarket': 550264, 'supermarket debut': 819901, 'debut taking': 230648, 'taking over': 833491, 'the role': 865953, 'role of': 725121, 'of shelf': 589576, 'shelf restocker': 757468, 'restocker appearing': 716974, 'appearing on': 82173, 'on night': 602408, 'shift only': 758371, 'only keephustling': 610674, 'keephustling keeplaughing': 472353, 'covid 19 shall': 213775, '19 shall be': 10433, 'shall be making': 754520, 'be making my': 115890, 'making my supermarket': 511239, 'my supermarket debut': 550267, 'supermarket debut taking': 819902, 'debut taking over': 230649, 'taking over the': 833497, 'over the role': 630760, 'the role of': 865955, 'role of shelf': 725124, 'of shelf restocker': 589580, 'shelf restocker appearing': 757469, 'restocker appearing on': 716975, 'appearing on night': 82174, 'on night shift': 602412, 'night shift only': 563072, 'shift only keephustling': 758372, 'only keephustling keeplaughing': 610675, 'inflation': 437133, 'detention': 239365, 'dead': 229122, 'pakistan': 634415, 'kar': 470855, 'price went': 677432, 'went up': 979211, 'for everything': 321254, 'everything which': 288104, 'which didn': 985814, 'didn help': 241105, 'help inflation': 389926, 'inflation it': 437203, 'crazy now': 215360, 'now police': 575566, 'police device': 662978, 'device regulation': 239928, 'regulation and': 708048, 'and detention': 61288, 'detention of': 239379, 'of order': 587328, 'order and': 618022, 'situation is': 772339, 'is humanity': 448627, 'humanity dead': 410717, 'dead in': 229147, 'in pakistan': 426433, 'pakistan pakistan': 634482, 'pakistan kar': 634467, 'price went up': 677437, 'went up for': 979216, 'up for everything': 944931, 'for everything which': 321262, 'everything which didn': 288105, 'which didn help': 985815, 'didn help inflation': 241106, 'help inflation it': 389927, 'inflation it crazy': 437204, 'it crazy now': 457391, 'crazy now police': 215362, 'now police device': 575567, 'police device regulation': 662979, 'device regulation and': 239929, 'regulation and detention': 708051, 'and detention of': 61290, 'detention of order': 239380, 'of order and': 587329, 'order and those': 618038, 'and those who': 74042, 'those who take': 892683, 'who take advantage': 989728, 'advantage of the': 33034, 'of the situation': 591467, 'the situation is': 867262, 'situation is humanity': 772349, 'is humanity dead': 448628, 'humanity dead in': 410718, 'dead in pakistan': 229152, 'in pakistan pakistan': 426443, 'pakistan pakistan kar': 634483, 'poop': 664045, 'danny': 225888, 'forevah': 329089, 'evah': 283708, 'twin': 936566, 'come poop': 187486, 'poop with': 664075, 'with danny': 997922, 'danny but': 225889, 'but be': 145265, 'be warned': 118041, 'warned there': 967037, 'paper forevah': 640192, 'forevah and': 329090, 'and evah': 62319, 'evah and': 283709, 'evah toiletpaper': 283711, 'toiletpaper twin': 922784, 'come poop with': 187487, 'poop with danny': 664076, 'with danny but': 997923, 'danny but be': 225890, 'but be warned': 145267, 'be warned there': 118043, 'warned there will': 967038, 'be no toilet': 116112, 'toilet paper forevah': 921279, 'paper forevah and': 640193, 'forevah and evah': 329091, 'and evah and': 62320, 'evah and evah': 283710, 'and evah toiletpaper': 62321, 'evah toiletpaper twin': 283712, 'follow and': 312349, 'and turn': 74523, 'turn on': 935723, 'on notification': 602449, 'notification for': 573531, 'more update': 540856, 'follow and turn': 312352, 'and turn on': 74525, 'turn on notification': 935724, 'on notification for': 602450, 'notification for more': 573532, 'for more update': 323605, 'gave': 344586, 'forbid': 328300, 'gear': 344935, 'stopandshopdobetter': 805309, 'thankyo': 842316, 'gave associate': 344598, 'associate 10': 96838, '10 raise': 1648, 'raise for': 695845, 'for risking': 325243, 'risking their': 724093, 'their life': 873818, 'life working': 489231, 'working through': 1008964, 'through global': 894482, 'global pandemic': 352068, 'pandemic not': 636051, 'only did': 610329, 'did they': 240864, 'they forbid': 882129, 'forbid associate': 328301, 'associate from': 96873, 'wearing any': 974587, 'any protective': 79702, 'protective gear': 685749, 'gear they': 344992, 'also did': 48101, 'supply any': 824769, 'any stopandshopdobetter': 79855, 'stopandshopdobetter thankyo': 805310, 'gave associate 10': 344599, 'associate 10 raise': 96839, '10 raise for': 1649, 'raise for risking': 695847, 'for risking their': 325244, 'risking their life': 724096, 'their life working': 873851, 'life working through': 489235, 'working through global': 1008966, 'through global pandemic': 894483, 'global pandemic not': 352100, 'pandemic not only': 636055, 'not only did': 570787, 'only did they': 610333, 'did they forbid': 240869, 'they forbid associate': 882130, 'forbid associate from': 328302, 'associate from wearing': 96874, 'from wearing any': 338312, 'wearing any protective': 974588, 'any protective gear': 79703, 'protective gear they': 685765, 'gear they also': 344993, 'they also did': 881145, 'also did not': 48102, 'did not supply': 240736, 'not supply any': 571813, 'supply any stopandshopdobetter': 824770, 'any stopandshopdobetter thankyo': 79856, 'sun': 818049, 'this time': 890611, 'of crisis': 582144, 'crisis have': 217456, 'the sun': 868407, 'sun delivered': 818062, 'home free': 401252, 'free for': 331838, 'for 12': 318637, '12 week': 2978, 'during this time': 263327, 'this time of': 890671, 'time of crisis': 897324, 'of crisis have': 582161, 'crisis have the': 217464, 'have the sun': 383030, 'the sun delivered': 868409, 'sun delivered to': 818064, 'to your home': 918992, 'your home free': 1024354, 'home free for': 401253, 'free for 12': 331839, 'for 12 week': 318644, 'penetration': 646494, 'panel': 637160, 'brick': 139574, 'mortar': 541810, 'interesting before': 441516, '19 online': 8988, 'shopping penetration': 763616, 'penetration wa': 646497, 'wa at': 961598, 'at are': 98038, 'now saying': 575729, 'at around': 98048, 'around 20': 93123, '20 think': 13376, 'think the': 885620, 'the panel': 863173, 'panel are': 637163, 'are possibly': 89154, 'possibly under': 665961, 'under calling': 940026, 'it this': 461648, 'term impact': 838173, 'on brick': 599700, 'brick mortar': 139587, 'mortar shopper': 541836, 'shopper change': 761455, 'change shopping': 172255, 'shopping pattern': 763602, 'pattern grocery': 644470, 'interesting before covid': 441517, 'covid 19 online': 213519, '19 online grocery': 8991, 'grocery shopping penetration': 365066, 'shopping penetration wa': 763617, 'penetration wa at': 646498, 'wa at are': 961600, 'at are now': 98040, 'are now saying': 88592, 'now saying it': 575730, 'it is at': 458878, 'is at around': 445855, 'at around 20': 98049, 'around 20 think': 93127, '20 think the': 13377, 'think the panel': 885646, 'the panel are': 863174, 'panel are possibly': 637165, 'are possibly under': 89155, 'possibly under calling': 665962, 'under calling it': 940027, 'calling it this': 156594, 'it this will': 461656, 'this will have': 891417, 'will have long': 993645, 'have long term': 381371, 'long term impact': 501692, 'term impact on': 838176, 'impact on brick': 417827, 'on brick mortar': 599701, 'brick mortar shopper': 139591, 'mortar shopper change': 541837, 'shopper change shopping': 761456, 'change shopping pattern': 172257, 'shopping pattern grocery': 763605, 'switch': 830466, 'local distillery': 497893, 'distillery switch': 247814, 'switch to': 830512, 'making and': 510958, 'and distributing': 61519, 'sanitizer during': 734797, 'during shortage': 263006, 'shortage cbc': 764882, 'local distillery switch': 497897, 'distillery switch to': 247815, 'switch to making': 830520, 'to making and': 909773, 'making and distributing': 510960, 'and distributing hand': 61521, 'hand sanitizer during': 375382, 'sanitizer during shortage': 734801, 'during shortage cbc': 263007, 'shortage cbc news': 764883, 'fucker': 339744, 'are elderly': 86102, 'elderly people': 270814, 'people amp': 646831, 'family not': 298084, 'not able': 568010, 'buy their': 149313, 'their grocery': 873443, 'grocery because': 364312, 'because people': 119466, 'are buying': 85111, 'buying every': 150246, 'every damn': 285783, 'damn thing': 225441, 'thing going': 884367, 'going some': 355465, 'some are': 782310, 'being greedy': 125193, 'greedy mother': 363550, 'mother fucker': 543099, 'fucker there': 339756, 'there not': 878855, 'shortage do': 764910, 'your normal': 1025026, 'normal shop': 567311, 'shop amp': 759833, 'amp think': 54690, 'there are elderly': 878099, 'are elderly people': 86106, 'elderly people amp': 270815, 'people amp family': 646833, 'amp family not': 53775, 'family not able': 298085, 'not able to': 568011, 'able to buy': 24457, 'to buy their': 902317, 'buy their grocery': 149316, 'their grocery because': 873445, 'grocery because people': 364315, 'because people are': 119468, 'people are buying': 646943, 'are buying every': 85116, 'buying every damn': 150247, 'every damn thing': 285785, 'damn thing going': 225443, 'thing going some': 884369, 'going some are': 355466, 'some are being': 782312, 'are being greedy': 84866, 'being greedy mother': 125199, 'greedy mother fucker': 363551, 'mother fucker there': 543102, 'fucker there not': 339757, 'there not food': 878860, 'not food shortage': 569474, 'food shortage do': 316567, 'shortage do your': 764912, 'do your normal': 250707, 'your normal shop': 1025031, 'normal shop amp': 567312, 'shop amp think': 759835, 'amp think of': 54691, 'embarrassing': 272445, 'charitable': 173539, 'thoughtful': 893340, 'generous': 345714, 'suppliesfor': 824646, 'it embarrassing': 457791, 'embarrassing to': 272454, 'the once': 862180, 'once charitable': 605606, 'charitable thoughtful': 173554, 'thoughtful and': 893345, 'and generous': 63524, 'generous people': 345727, 'this country': 886941, 'country take': 211098, 'take all': 831924, 'themselves there': 876901, 'there enough': 878354, 'food suppliesfor': 316924, 'suppliesfor everyone': 824647, 'to think': 917369, 'think more': 885401, 'others so': 621645, 'and stophoarding': 72494, 'it embarrassing to': 457793, 'embarrassing to see': 272455, 'see the once': 745867, 'the once charitable': 862181, 'once charitable thoughtful': 605607, 'charitable thoughtful and': 173555, 'thoughtful and generous': 893346, 'and generous people': 63525, 'generous people in': 345728, 'people in this': 648440, 'in this country': 429923, 'this country take': 886973, 'country take all': 211099, 'take all for': 831925, 'all for themselves': 42850, 'for themselves there': 326947, 'themselves there enough': 876902, 'there enough food': 878355, 'enough food suppliesfor': 277414, 'food suppliesfor everyone': 316925, 'suppliesfor everyone we': 824648, 'need to think': 556105, 'to think more': 917377, 'think more of': 885403, 'more of others': 539877, 'of others so': 587400, 'others so please': 621646, 'so please be': 778017, 'be kind and': 115611, 'kind and stophoarding': 474814, 'corporate': 207229, 'generation': 345597, 'mba': 522041, 'badged': 108132, 'consultant': 195856, 'private': 678857, 'equiteers': 279905, 'undermining': 940514, 'resilience': 714477, 'grabbing': 361578, 'ramping': 696479, 'corporate oz': 207319, 'oz is': 632743, 'in serious': 427814, 'serious trouble': 751501, 'trouble thanks': 932644, 'it trouble': 461858, 'trouble that': 932646, 'that ha': 844103, 'made worse': 508072, 'worse by': 1010893, 'by generation': 152667, 'generation of': 345630, 'of ceo': 581243, 'ceo director': 169686, 'director mba': 243639, 'mba badged': 522046, 'badged management': 108133, 'management consultant': 512554, 'consultant and': 195859, 'and private': 69521, 'private equiteers': 678898, 'equiteers undermining': 279906, 'undermining our': 940517, 'our resilience': 624609, 'resilience grabbing': 714483, 'grabbing short': 361588, 'term profit': 838245, 'profit and': 682651, 'and ramping': 69918, 'ramping up': 696480, 'up share': 945969, 'corporate oz is': 207320, 'oz is in': 632744, 'is in serious': 448812, 'in serious trouble': 427816, 'serious trouble thanks': 751502, 'trouble thanks to': 932645, 'thanks to covid': 842215, '19 but it': 5508, 'but it trouble': 146174, 'it trouble that': 461859, 'trouble that ha': 932647, 'that ha been': 844109, 'been made worse': 121514, 'made worse by': 508073, 'worse by generation': 1010897, 'by generation of': 152669, 'generation of ceo': 345631, 'of ceo director': 581244, 'ceo director mba': 169687, 'director mba badged': 243640, 'mba badged management': 522047, 'badged management consultant': 108134, 'management consultant and': 512555, 'consultant and private': 195861, 'and private equiteers': 69523, 'private equiteers undermining': 678899, 'equiteers undermining our': 279907, 'undermining our resilience': 940518, 'our resilience grabbing': 624610, 'resilience grabbing short': 714484, 'grabbing short term': 361589, 'short term profit': 764745, 'term profit and': 838246, 'profit and ramping': 682658, 'and ramping up': 69919, 'ramping up share': 696486, 'up share price': 945971, 'dobetter': 250729, 'yvr': 1027140, 'disgusting': 245384, 'yyc': 1027152, 'dobetter yvr': 250730, 'yvr these': 1027141, 'these ppl': 880509, 'ppl are': 668162, 'are disgusting': 85857, 'disgusting yyc': 245486, 'yyc do': 1027153, 'be like': 115725, 'like bc': 489878, 'dobetter yvr these': 250731, 'yvr these ppl': 1027142, 'these ppl are': 880510, 'ppl are disgusting': 668164, 'are disgusting yyc': 85859, 'disgusting yyc do': 245487, 'yyc do not': 1027154, 'do not be': 249676, 'not be like': 568414, 'be like bc': 115729, 'canonforcommunity': 162252, 'india am': 434287, 'am very': 50530, 'very happy': 955206, 'happy great': 377625, 'great job': 362779, 'job by': 465714, 'by india': 152906, 'india canonforcommunity': 434337, 'india am very': 434288, 'am very happy': 50534, 'very happy great': 955207, 'happy great job': 377626, 'great job by': 362783, 'job by india': 465716, 'by india canonforcommunity': 152907, 'creator': 216231, 'humanity is': 410742, 'about being': 24860, 'being creator': 125009, 'creator not': 216245, 'not fucking': 569543, 'fucking consumer': 339838, 'humanity is about': 410743, 'is about being': 445269, 'about being creator': 24864, 'being creator not': 125010, 'creator not fucking': 216246, 'not fucking consumer': 569544, 'sheikhhasina': 756659, 'bangladesh': 109499, 'urged': 948252, 'sheikhhasina prime': 756660, 'minister of': 533420, 'of bangladesh': 580535, 'bangladesh urged': 109508, 'urged everyone': 948255, 'everyone to': 287494, 'not hoard': 569976, 'hoard food': 398783, 'other essential': 620149, 'essential item': 281185, 'item out': 463542, 'panic the': 638679, 'country ha': 210705, 'ha enough': 370494, 'enough stock': 277631, 'stock of': 802513, 'of everything': 583264, 'everything detail': 287750, 'detail coronacrisis': 239183, 'stayathome stayhome': 797635, 'sheikhhasina prime minister': 756661, 'prime minister of': 678153, 'minister of bangladesh': 533422, 'of bangladesh urged': 580536, 'bangladesh urged everyone': 109509, 'urged everyone to': 948256, 'everyone to not': 287497, 'to not hoard': 910697, 'not hoard food': 569979, 'hoard food and': 398785, 'and other essential': 68317, 'other essential item': 620167, 'essential item out': 281222, 'item out of': 463543, 'out of panic': 626799, 'of panic the': 587736, 'panic the country': 638681, 'the country ha': 852089, 'country ha enough': 210712, 'ha enough stock': 370501, 'enough stock of': 277634, 'stock of everything': 802521, 'of everything detail': 583268, 'everything detail coronacrisis': 287751, 'detail coronacrisis stayathome': 239184, 'coronacrisis stayathome stayhome': 204771, 'prison': 678702, 'cuomo': 220393, 'pledged': 660862, 'prison worker': 678747, 'worker say': 1007737, 'not producing': 571102, 'producing hand': 680772, 'sanitizer like': 735286, 'like cuomo': 490085, 'cuomo pledged': 220416, 'pledged they': 660865, 'they would': 883933, 'prison worker say': 678748, 'worker say they': 1007742, 'say they re': 739346, 'they re not': 883080, 're not producing': 699114, 'not producing hand': 571103, 'producing hand sanitizer': 680773, 'hand sanitizer like': 375471, 'sanitizer like cuomo': 735288, 'like cuomo pledged': 490086, 'cuomo pledged they': 220417, 'pledged they would': 660866, '35k': 17975, 'coughed': 208592, 'twisted': 936599, 'prank': 668925, 'store throw': 810728, 'throw out': 895036, 'out 35k': 625539, '35k worth': 17980, 'that woman': 847637, 'woman coughed': 1003453, 'coughed on': 208617, 'in twisted': 430348, 'twisted prank': 936602, 'prank via': 668954, 'grocery store throw': 365864, 'store throw out': 810730, 'throw out 35k': 895039, 'out 35k worth': 625540, '35k worth of': 17981, 'worth of food': 1011408, 'food that woman': 317108, 'that woman coughed': 847638, 'woman coughed on': 1003454, 'coughed on in': 208628, 'on in twisted': 601540, 'in twisted prank': 430350, 'twisted prank via': 936605, 'analytics': 57205, 'damaging': 225268, 'electronics': 271275, 'semiconductor': 749631, 'globally': 352363, 'strategy analytics': 812598, 'analytics covid': 57220, '19 drive': 6653, 'drive recession': 259136, 'recession damaging': 704251, 'damaging automotive': 225269, 'automotive consumer': 104039, 'consumer electronics': 197329, 'electronics and': 271276, 'and semiconductor': 71244, 'semiconductor globally': 749634, 'globally automotive': 352374, 'automotive car': 104037, 'strategy analytics covid': 812601, 'analytics covid 19': 57221, 'covid 19 drive': 212986, '19 drive recession': 6657, 'drive recession damaging': 259137, 'recession damaging automotive': 704252, 'damaging automotive consumer': 225270, 'automotive consumer electronics': 104042, 'consumer electronics and': 197330, 'electronics and semiconductor': 271277, 'and semiconductor globally': 71245, 'semiconductor globally automotive': 749635, 'globally automotive car': 352375, 'wholesaler': 990502, 'diy': 248725, 'diymask': 248791, 'staysafeathome': 798967, 'facecover': 295009, 'organized': 619472, 'stayorganized': 798757, 'masks4all': 519661, 'laprotects': 479539, 'maskmabuti': 519652, 'yourself hand': 1026632, 'sanitizer wholesaler': 736095, 'wholesaler should': 990529, 'should contact': 765869, 'contact diy': 200067, 'diy mask': 248751, 'mask diymask': 518579, 'diymask staysafe': 248792, 'staysafe staysafeathome': 798915, 'staysafeathome stayhome': 798968, 'stayhome facecover': 797998, 'facecover organized': 295010, 'organized stayorganized': 619477, 'stayorganized quarantine': 798758, 'quarantine quarantinelife': 692470, 'quarantinelife masks4all': 692973, 'masks4all laprotects': 519662, 'laprotects maskmabuti': 479540, 'maskmabuti handsanitizer': 519653, 'protect yourself hand': 685095, 'yourself hand sanitizer': 1026633, 'hand sanitizer wholesaler': 375666, 'sanitizer wholesaler should': 736096, 'wholesaler should contact': 990530, 'should contact diy': 765870, 'contact diy mask': 200068, 'diy mask diymask': 248754, 'mask diymask staysafe': 518580, 'diymask staysafe staysafeathome': 248793, 'staysafe staysafeathome stayhome': 798916, 'staysafeathome stayhome facecover': 798969, 'stayhome facecover organized': 797999, 'facecover organized stayorganized': 295011, 'organized stayorganized quarantine': 619478, 'stayorganized quarantine quarantinelife': 798759, 'quarantine quarantinelife masks4all': 692473, 'quarantinelife masks4all laprotects': 692974, 'masks4all laprotects maskmabuti': 519663, 'laprotects maskmabuti handsanitizer': 479541, 'user': 950258, 'or he': 615600, 'he just': 385162, 'just gave': 468790, 'gave all': 344593, 'all future': 42899, 'future user': 342502, 'user of': 950304, 'that sanitizer': 846111, 'sanitizer the': 735868, 'or he just': 615601, 'he just gave': 385165, 'just gave all': 468791, 'gave all future': 344594, 'all future user': 42900, 'future user of': 342503, 'user of that': 950306, 'of that sanitizer': 590741, 'that sanitizer the': 846112, 'fit': 309456, 'supermarketsweep': 824250, 'mothersday2020': 543240, 'did another': 240549, 'another food': 77620, 'food drop': 314297, 'drop today': 260432, 'today supermarket': 920231, 'wa full': 962178, 'food guess': 314734, 'guess people': 368024, 'people just': 648553, 'just can': 468426, 'can fit': 158350, 'fit one': 309490, 'one more': 606685, 'item into': 463380, 'into their': 443190, 'their already': 872490, 'already rammed': 47604, 'rammed fridge': 696417, 'fridge panicbuying': 333418, 'panicbuying supermarketsweep': 639069, 'supermarketsweep mothersday2020': 824261, 'did another food': 240550, 'another food drop': 77621, 'food drop today': 314299, 'drop today supermarket': 260433, 'today supermarket wa': 920236, 'supermarket wa full': 823698, 'wa full of': 962179, 'full of food': 340723, 'of food guess': 583701, 'food guess people': 314736, 'guess people just': 368025, 'people just can': 648556, 'just can fit': 468428, 'can fit one': 158351, 'fit one more': 309491, 'one more item': 606690, 'more item into': 539633, 'item into their': 463381, 'into their already': 443191, 'their already rammed': 872491, 'already rammed fridge': 47605, 'rammed fridge panicbuying': 696418, 'fridge panicbuying supermarketsweep': 333419, 'panicbuying supermarketsweep mothersday2020': 639070, 'account': 28620, 'emptying': 275254, 'paint': 634274, 'bleak': 132543, 'beyond': 129121, 'sensational': 750475, 'pull': 688846, 'becomes': 120193, 'norm': 567027, 'account of': 28726, 'people emptying': 647781, 'emptying supermarket': 275288, 'shelf paint': 757394, 'paint bleak': 634277, 'bleak image': 132548, 'of humanity': 584880, 'humanity during': 410719, 'outbreak but': 628057, 'but beyond': 145298, 'beyond the': 129242, 'the sensational': 866713, 'sensational story': 750476, 'story most': 812044, 'most people': 542609, 'people want': 650139, 'to pull': 912491, 'pull together': 688888, 'together social': 920939, 'distancing becomes': 247036, 'becomes the': 120256, 'the norm': 861852, 'norm here': 567037, 'are 10': 84095, '10 tip': 1723, 'tip to': 898922, 'to boost': 901912, 'boost solidarity': 135015, 'account of people': 28730, 'of people emptying': 587905, 'people emptying supermarket': 647782, 'emptying supermarket shelf': 275289, 'supermarket shelf paint': 822507, 'shelf paint bleak': 757395, 'paint bleak image': 634278, 'bleak image of': 132549, 'image of humanity': 416649, 'of humanity during': 584885, 'humanity during the': 410720, '19 outbreak but': 9090, 'outbreak but beyond': 628060, 'but beyond the': 145300, 'beyond the sensational': 129249, 'the sensational story': 866714, 'sensational story most': 750477, 'story most people': 812045, 'most people want': 542631, 'people want to': 650140, 'want to pull': 966094, 'to pull together': 912499, 'pull together social': 688890, 'together social distancing': 920940, 'social distancing becomes': 779567, 'distancing becomes the': 247038, 'becomes the norm': 120260, 'the norm here': 861854, 'norm here are': 567038, 'here are 10': 392730, 'are 10 tip': 84098, '10 tip to': 1724, 'tip to boost': 898924, 'to boost solidarity': 901931, 'newhampshire': 560073, 'in newhampshire': 425841, 'newhampshire will': 560074, 'will no': 994180, 'no longer': 564623, 'longer be': 501933, 'take their': 832687, 'their reusable': 874587, 'reusable bag': 720143, 'other store': 620977, 'good idea': 357205, 'shopper in newhampshire': 761563, 'in newhampshire will': 425842, 'newhampshire will no': 560075, 'will no longer': 994181, 'no longer be': 564638, 'longer be able': 501934, 'be able to': 113444, 'able to take': 24557, 'to take their': 916245, 'take their reusable': 832692, 'their reusable bag': 874588, 'reusable bag to': 720150, 'the supermarket or': 868731, 'supermarket or other': 821826, 'or other store': 616451, 'other store do': 620983, 'store do you': 807336, 'you think this': 1021681, 'this is good': 888271, 'is good idea': 448144, 'shoutout': 766804, 'shoutout to': 766807, '19 gas': 7182, 'the all': 848580, 'time low': 897160, 'low stay': 505639, 'shoutout to covid': 766809, 'covid 19 gas': 213138, '19 gas price': 7183, 'gas price are': 343931, 'price are at': 672635, 'at the all': 100876, 'the all time': 848586, 'all time low': 45222, 'time low stay': 897167, 'low stay safe': 505640, 'variable': 952526, 'covid19': 214258, 'greatly': 363304, 'banish': 109526, 'wave': 969341, 'banishthebeast': 109529, 'science remember': 742126, 'remember the': 710299, 'the variable': 870640, 'variable hand': 952529, 'sanitizer wa': 736018, 'in play': 426789, 'play when': 659248, 'fight began': 304675, 'began against': 123372, 'against covid19': 37404, 'covid19 hand': 214309, 'sanitizer is': 735179, 'is greatly': 448217, 'greatly needed': 363325, 'needed the': 556517, 'the curve': 852681, 'curve start': 221892, 'start it': 794352, 'it decline': 457493, 'decline banish': 231307, 'banish the': 109527, '2nd wave': 16809, 'wave banishthebeast': 969342, 'science remember the': 742127, 'remember the variable': 710324, 'the variable hand': 870641, 'variable hand sanitizer': 952530, 'hand sanitizer wa': 375646, 'sanitizer wa in': 736021, 'wa in play': 962380, 'in play when': 426793, 'play when the': 659249, 'when the fight': 984152, 'the fight began': 855164, 'fight began against': 304676, 'began against covid19': 123373, 'against covid19 hand': 37407, 'covid19 hand sanitizer': 214310, 'hand sanitizer is': 375458, 'sanitizer is greatly': 735192, 'is greatly needed': 448218, 'greatly needed the': 363326, 'needed the curve': 556519, 'the curve start': 852704, 'curve start it': 221893, 'start it decline': 794353, 'it decline banish': 457494, 'decline banish the': 231308, 'banish the 2nd': 109528, 'the 2nd wave': 848078, '2nd wave banishthebeast': 16810, 'coupon': 211742, 'added': 31541, 'emptive': 274726, 'eh': 270130, 'dollywood': 253142, 'thesmokies': 881032, 'new coupon': 558559, 'coupon and': 211745, 'and discount': 61408, 'discount just': 244486, 'just added': 468150, 'added might': 31580, 'might well': 531167, 'well do': 978168, 'do little': 249566, 'little pre': 495531, 'pre emptive': 669165, 'emptive online': 274727, 'shopping while': 764394, 'while everyone': 986805, 'everyone stuck': 287431, 'home eh': 401129, 'eh discount': 270131, 'discount coupon': 244462, 'coupon dollywood': 211759, 'dollywood thesmokies': 253143, 'new coupon and': 558560, 'coupon and discount': 211746, 'and discount just': 61409, 'discount just added': 244487, 'just added might': 468153, 'added might well': 31581, 'might well do': 531168, 'well do little': 978169, 'do little pre': 249567, 'little pre emptive': 495532, 'pre emptive online': 669166, 'emptive online shopping': 274728, 'online shopping while': 609343, 'shopping while everyone': 764395, 'while everyone stuck': 986809, 'everyone stuck at': 287432, 'at home eh': 98984, 'home eh discount': 401130, 'eh discount coupon': 270132, 'discount coupon dollywood': 244463, 'coupon dollywood thesmokies': 211760, 'timeline': 898456, 'eventual': 285128, 'indicator': 435043, 'improvement': 419574, 'tuned': 935427, 'sentiment update': 751021, 'update the': 947244, 'the timeline': 869637, 'timeline for': 898461, 'for going': 321914, 'going back': 355044, 'to normal': 910637, 'normal ha': 567168, 'ha extended': 370572, 'extended the': 293194, 'the eventual': 854608, 'eventual shift': 285135, 'shift toward': 758452, 'toward greater': 927122, 'greater consumer': 363162, 'consumer optimism': 198275, 'optimism will': 613923, 'be leading': 115681, 'leading indicator': 483717, 'indicator of': 435046, 'the economy': 853929, 'economy improvement': 267957, 'improvement stay': 419585, 'stay tuned': 797360, 'tuned for': 935432, 'more this': 540736, '19 consumer sentiment': 5985, 'consumer sentiment update': 198934, 'sentiment update the': 751022, 'update the timeline': 947259, 'the timeline for': 869638, 'timeline for going': 898463, 'for going back': 321915, 'going back to': 355047, 'back to normal': 107381, 'to normal ha': 910647, 'normal ha extended': 567169, 'ha extended the': 370573, 'extended the eventual': 293195, 'the eventual shift': 854612, 'eventual shift toward': 285136, 'shift toward greater': 758454, 'toward greater consumer': 927123, 'greater consumer optimism': 363163, 'consumer optimism will': 198277, 'optimism will be': 613924, 'will be leading': 992533, 'be leading indicator': 115682, 'leading indicator of': 483718, 'indicator of the': 435049, 'of the economy': 590973, 'the economy improvement': 853981, 'economy improvement stay': 267958, 'improvement stay tuned': 419586, 'stay tuned for': 797363, 'tuned for more': 935438, 'for more this': 323602, 'more this week': 540740, 'shankar': 754812, 'stranded': 812344, 'evicted': 288301, 'accommodation': 28442, 'rescued': 713639, 'shankar stranded': 754813, 'stranded in': 812353, 'in evicted': 422705, 'evicted from': 288302, 'from accommodation': 334378, 'accommodation no': 28460, 'no no': 564872, 'no due': 564067, 'to when': 918532, 'when will': 984496, 'be rescued': 116820, 'rescued from': 713640, 'shankar stranded in': 754814, 'stranded in evicted': 812355, 'in evicted from': 422706, 'evicted from accommodation': 288303, 'from accommodation no': 334379, 'accommodation no no': 28461, 'no no due': 564874, 'no due to': 564068, 'due to when': 262024, 'to when will': 918534, 'when will be': 984498, 'will be rescued': 992647, 'be rescued from': 116821, 'obvious': 578780, 'the obvious': 862017, 'obvious toilet': 578811, 'paper what': 641074, 'what have': 981574, 'you had': 1018981, 'had trouble': 373762, 'trouble find': 932605, 'find at': 306816, 'besides the obvious': 127526, 'the obvious toilet': 862022, 'obvious toilet paper': 578812, 'toilet paper what': 921523, 'paper what have': 641076, 'what have you': 981582, 'have you had': 383672, 'you had trouble': 1018987, 'had trouble find': 373763, 'trouble find at': 932606, 'find at the': 306817, 'eldon': 270980, 'kinkora': 475372, 'morell': 541050, 'beat': 118504, 'queuing': 694189, 'it nice': 459799, 'nice day': 562385, 'day for': 227615, 'drive to': 259215, 'an agency': 55186, 'agency store': 38075, 'place like': 657548, 'like eldon': 490161, 'eldon kinkora': 270981, 'kinkora or': 475373, 'or morell': 616190, 'morell beat': 541051, 'beat queuing': 118547, 'it nice day': 459802, 'nice day for': 562386, 'day for people': 227628, 'for people to': 324466, 'people to drive': 649895, 'to drive to': 904749, 'drive to an': 259217, 'to an agency': 900437, 'an agency store': 55188, 'agency store in': 38076, 'store in place': 808373, 'in place like': 426744, 'place like eldon': 657552, 'like eldon kinkora': 490162, 'eldon kinkora or': 270982, 'kinkora or morell': 475374, 'or morell beat': 616191, 'morell beat queuing': 541052, 'coronavtj': 207126, 'opinion coronavirus': 613457, 'coronavirus advice': 205454, 'advice from': 33379, 'from grocery': 335699, 'worker coronavtj': 1006701, 'opinion coronavirus advice': 613458, 'coronavirus advice from': 205456, 'advice from grocery': 33386, 'from grocery store': 335701, 'store worker coronavtj': 811473, 'the shortage': 867087, 'of key': 585609, 'key medical': 473344, 'medical equipment': 526145, 'equipment is': 279761, 'is driving': 447379, 'driving up': 260032, 'price pricegouging': 675995, 'pricegouging via': 677872, 'the shortage of': 867096, 'shortage of key': 765119, 'of key medical': 585614, 'key medical equipment': 473345, 'medical equipment is': 526153, 'equipment is driving': 279764, 'is driving up': 447393, 'driving up price': 260034, 'up price pricegouging': 945831, 'price pricegouging via': 675997, 'regained': 707118, 'strength': 813212, 'been wanting': 122343, 'wanting to': 966297, 'this for': 887582, 'for few': 321447, 'few day': 303762, 'day now': 228032, 'today my': 919898, 'my arm': 547308, 'arm finally': 92892, 'finally regained': 306082, 'regained the': 707121, 'the strength': 868263, 'strength the': 813232, 'the do': 853447, 'it toiletpaper': 461779, 'been wanting to': 122344, 'wanting to make': 966309, 'make this for': 510640, 'this for few': 887591, 'for few day': 321450, 'few day now': 303785, 'day now and': 228034, 'now and today': 574064, 'and today my': 74225, 'today my arm': 919900, 'my arm finally': 547309, 'arm finally regained': 92893, 'finally regained the': 306083, 'regained the strength': 707122, 'the strength the': 868265, 'strength the do': 813233, 'the do it': 853449, 'do it toiletpaper': 249521, 'lummi': 506676, '19 response': 10138, 'response lummi': 715751, 'lummi market': 506677, 'market offer': 516782, 'offer online': 594721, 'shopping new': 763320, 'new stock': 559656, 'stock store': 802890, 'store change': 806943, 'change stock': 172265, 'in response': 427417, 'covid 19 response': 213702, '19 response lummi': 10154, 'response lummi market': 715752, 'lummi market offer': 506678, 'market offer online': 516783, 'offer online shopping': 594726, 'online shopping new': 609194, 'shopping new stock': 763322, 'new stock store': 559662, 'stock store change': 802891, 'store change stock': 806946, 'change stock and': 172266, 'stock and offer': 801821, 'and offer online': 67971, 'online shopping in': 609152, 'shopping in response': 762985, 'in response to': 427421, 'mothersday': 543231, 'unable': 939317, 'pushed': 690351, 'happy mothersday': 377660, 'mothersday but': 543232, 'but my': 146426, 'mum who': 545975, 'work nurse': 1005511, 'nurse in': 577380, 'nh ha': 561967, 'been unable': 122281, 'unable to': 939318, 'get our': 347721, 'our regular': 624572, 'regular shopping': 707864, 'shopping because': 762173, 'because nh': 119274, 'nh worker': 562168, 'being pushed': 125610, 'pushed out': 690378, 'of early': 582910, 'early queue': 264672, 'queue in': 693955, 'and online': 68099, 'online there': 609544, 'are delivery': 85769, 'slot at': 774122, 'at all': 97865, 'all not': 43657, 'even for': 284076, 'the april': 848838, 'happy mothersday but': 377661, 'mothersday but my': 543233, 'but my mum': 146437, 'my mum who': 549391, 'mum who work': 545980, 'who work nurse': 990040, 'work nurse in': 1005512, 'nurse in the': 577385, 'in the nh': 429396, 'the nh ha': 861742, 'nh ha been': 561968, 'ha been unable': 369967, 'been unable to': 122282, 'unable to get': 939331, 'to get our': 906551, 'get our regular': 347730, 'our regular shopping': 624574, 'regular shopping because': 707865, 'shopping because nh': 762176, 'because nh worker': 119275, 'nh worker are': 562174, 'worker are being': 1006372, 'are being pushed': 84900, 'being pushed out': 125614, 'pushed out of': 690379, 'out of early': 626724, 'of early queue': 582912, 'early queue in': 264673, 'queue in supermarket': 693961, 'supermarket and online': 819030, 'and online there': 68126, 'online there are': 609545, 'there are delivery': 878091, 'are delivery slot': 85770, 'delivery slot at': 234507, 'slot at all': 774123, 'at all not': 97898, 'all not even': 43658, 'not even for': 569245, 'even for the': 284082, 'for the end': 326410, 'end of the': 275918, 'of the april': 590796, 'east': 265277, 'exporter': 292741, 'plunging': 661512, 'glut': 353093, 'imfblog': 416914, 'middle east': 530641, 'east and': 265289, 'and central': 59673, 'central asia': 169365, 'asia oil': 95207, 'oil exporter': 596778, 'exporter face': 292749, 'of plunging': 588177, 'plunging oil': 661541, 'and glut': 63759, 'glut in': 353103, 'in supply': 428725, 'supply on': 825660, 'on top': 604805, 'top of': 925630, 'of more': 586640, 'more on': 539910, 'on imfblog': 601490, 'middle east and': 530645, 'east and central': 265291, 'and central asia': 59674, 'central asia oil': 169366, 'asia oil exporter': 95208, 'oil exporter face': 596779, 'exporter face the': 292750, 'whammy of plunging': 980942, 'of plunging oil': 588180, 'plunging oil price': 661543, 'oil price and': 597047, 'price and glut': 672427, 'and glut in': 63760, 'glut in supply': 353105, 'in supply on': 428733, 'supply on top': 825664, 'on top of': 604808, 'top of more': 925638, 'of more on': 586647, 'more on imfblog': 539922, 'significantly': 769541, 'auto': 103862, 'premium': 669939, 'reflect': 706597, 'help canadian': 389478, 'canadian cope': 160660, 'the financial': 855208, 'financial impact': 306446, '19 insurance': 7896, 'insurance company': 440695, 'helping consumer': 391294, 'consumer whose': 199533, 'whose driving': 990631, 'driving habit': 259944, 'habit have': 372626, 'have changed': 379930, 'changed significantly': 172540, 'significantly by': 769552, 'by offering': 153396, 'offering reduction': 595227, 'reduction in': 706354, 'in auto': 420632, 'auto premium': 103911, 'premium to': 669977, 'to reflect': 913063, 'reflect this': 706633, 'this reduced': 889843, 'reduced risk': 706164, 'to help canadian': 907473, 'help canadian cope': 389479, 'canadian cope with': 160661, 'cope with the': 203360, 'with the financial': 1001305, 'the financial impact': 855217, 'financial impact of': 306450, 'impact of covid': 417765, 'covid 19 insurance': 213279, '19 insurance company': 7899, 'insurance company are': 440696, 'company are helping': 190428, 'are helping consumer': 87091, 'helping consumer whose': 391296, 'consumer whose driving': 199535, 'whose driving habit': 990632, 'driving habit have': 259945, 'habit have changed': 372627, 'have changed significantly': 379942, 'changed significantly by': 172541, 'significantly by offering': 769553, 'by offering reduction': 153401, 'offering reduction in': 595228, 'reduction in auto': 706355, 'in auto premium': 420634, 'auto premium to': 103912, 'premium to reflect': 669979, 'to reflect this': 913071, 'reflect this reduced': 706634, 'this reduced risk': 889844, 'spark': 787530, 'zealand': 1027267, 'mon': 536184, '60': 20857, 'removing': 710893, 'overage': 630982, 'broadband': 140712, 'applies': 82515, 'support spark': 826830, 'spark business': 787531, 'business customer': 143606, 'customer and': 222065, 'and new': 67545, 'new zealand': 559976, 'zealand during': 1027276, '19 from': 7113, 'from mon': 336460, 'mon 23': 536185, '23 march': 15405, 'march for': 515365, 'an initial': 56339, 'initial 60': 438511, '60 day': 20923, 'day period': 228210, 'period we': 651917, 're removing': 699377, 'removing overage': 710909, 'overage charge': 630983, 'charge for': 173231, 'for customer': 320502, 'customer who': 223071, 'on data': 600213, 'data capped': 226163, 'capped broadband': 162870, 'broadband plan': 140726, 'plan this': 658259, 'this applies': 886392, 'applies to': 82531, 'to both': 901951, 'both small': 136051, 'small and': 774787, 'and medium': 66918, 'medium business': 527028, 'consumer customer': 197039, 'to support spark': 915969, 'support spark business': 826831, 'spark business customer': 787532, 'business customer and': 143608, 'customer and new': 222090, 'and new zealand': 67565, 'new zealand during': 559981, 'zealand during covid': 1027277, 'covid 19 from': 213125, '19 from mon': 7128, 'from mon 23': 336461, 'mon 23 march': 536186, '23 march for': 15406, 'march for an': 515366, 'for an initial': 319301, 'an initial 60': 56342, 'initial 60 day': 438512, '60 day period': 20931, 'day period we': 228214, 'period we re': 651919, 'we re removing': 972950, 're removing overage': 699378, 'removing overage charge': 710910, 'overage charge for': 630985, 'charge for customer': 173235, 'for customer who': 320515, 'customer who are': 223073, 'who are on': 988183, 'are on data': 88719, 'on data capped': 600214, 'data capped broadband': 226164, 'capped broadband plan': 162871, 'broadband plan this': 140727, 'plan this applies': 658260, 'this applies to': 886393, 'applies to both': 82534, 'to both small': 901953, 'both small and': 136052, 'small and medium': 774788, 'and medium business': 66920, 'medium business and': 527029, 'business and consumer': 143293, 'and consumer customer': 60368, 'hated': 378946, 'clarify': 180073, 'soul': 786219, 'always hated': 49605, 'hated working': 378953, 'in grocery': 423437, 'but today': 147597, 'today would': 920576, 'would like': 1011990, 'to clarify': 902795, 'clarify something': 180081, 'something really': 785029, 'really freaking': 702210, 'freaking hate': 331535, 'hate working': 378939, 'store help': 808133, 'help my': 390118, 'my poor': 549806, 'poor soul': 664290, 'soul trying': 786237, 'survive through': 829275, 'through all': 894306, 'all that': 44628, 'that toilet': 847075, 'always hated working': 49606, 'hated working in': 378954, 'working in grocery': 1008714, 'in grocery store': 423443, 'store but today': 806814, 'but today would': 147610, 'today would like': 920578, 'would like to': 1011998, 'like to clarify': 491581, 'to clarify something': 902798, 'clarify something really': 180082, 'something really freaking': 785030, 'really freaking hate': 702211, 'freaking hate working': 331536, 'hate working in': 378940, 'grocery store help': 365460, 'store help my': 808136, 'help my poor': 390128, 'my poor soul': 549810, 'poor soul trying': 664291, 'soul trying to': 786238, 'trying to survive': 934884, 'to survive through': 916052, 'survive through all': 829276, 'through all that': 894307, 'all that toilet': 44647, 'that toilet paper': 847076, 'editor': 268652, 'recycling': 705540, 'tudball': 935078, 'virgin': 957643, 'rpet': 726662, 'video senior': 956886, 'senior editor': 750290, 'editor for': 268653, 'for recycling': 325039, 'recycling matt': 705547, 'matt tudball': 520532, 'tudball discus': 935079, 'discus the': 244907, 'the challenge': 850636, 'challenge the': 171568, 'the pet': 863607, 'pet market': 653416, 'market is': 516611, 'is facing': 447688, 'facing in': 295497, 'in europe': 422628, 'europe in': 283456, 'coronavirus problem': 206592, 'problem include': 679563, 'include supply': 431632, 'supply logistics': 825519, 'logistics issue': 500765, 'issue and': 455663, 'and low': 66436, 'low virgin': 505719, 'virgin pet': 957646, 'pet price': 653436, 'price icis': 674609, 'icis outlook': 412767, 'outlook rpet': 629182, 'rpet pet': 726663, 'video senior editor': 956887, 'senior editor for': 750291, 'editor for recycling': 268654, 'for recycling matt': 325040, 'recycling matt tudball': 705548, 'matt tudball discus': 520533, 'tudball discus the': 935080, 'discus the challenge': 244909, 'the challenge the': 850652, 'challenge the pet': 171573, 'the pet market': 863609, 'pet market is': 653417, 'market is facing': 516626, 'is facing in': 447696, 'facing in europe': 295498, 'in europe in': 422640, 'europe in light': 283458, 'the coronavirus problem': 851892, 'coronavirus problem include': 206593, 'problem include supply': 679564, 'include supply logistics': 431633, 'supply logistics issue': 825520, 'logistics issue and': 500766, 'issue and low': 455667, 'and low virgin': 66448, 'low virgin pet': 505720, 'virgin pet price': 957647, 'pet price icis': 653437, 'price icis outlook': 674610, 'icis outlook rpet': 412768, 'outlook rpet pet': 629183, 'arent': 92613, 'sex': 754193, 'toy': 927658, 'adulttoymegastore': 32879, 'lubricant': 506421, 'vibrator': 956413, 'battery': 112753, 'ppl arent': 668180, 'arent just': 92622, 'just stocking': 469904, 'stocking up': 803613, 'food etc': 314394, 'no wonder': 565909, 'wonder toilet': 1004001, 'paper is': 640347, 'on high': 601294, 'high demand': 394987, 'demand last': 235790, 'last week': 480624, 'week sex': 976857, 'sex toy': 754202, 'toy business': 927670, 'business adulttoymegastore': 143237, 'adulttoymegastore also': 32880, 'also reported': 48788, 'reported surge': 712532, 'surge in': 828177, 'in lubricant': 424956, 'lubricant vibrator': 506422, 'vibrator and': 956414, 'and battery': 58739, 'battery purchase': 112758, 'purchase covid': 689412, '19 spread': 10738, 'spread around': 790430, 'ppl arent just': 668181, 'arent just stocking': 92623, 'just stocking up': 469905, 'stocking up on': 803623, 'on food etc': 600863, 'food etc no': 314402, 'etc no wonder': 282673, 'no wonder toilet': 565917, 'wonder toilet paper': 1004002, 'toilet paper is': 921323, 'paper is on': 640359, 'is on high': 450468, 'on high demand': 601296, 'high demand last': 395016, 'demand last week': 235793, 'last week sex': 480676, 'week sex toy': 976858, 'sex toy business': 754203, 'toy business adulttoymegastore': 927671, 'business adulttoymegastore also': 143238, 'adulttoymegastore also reported': 32881, 'also reported surge': 48789, 'reported surge in': 712533, 'surge in lubricant': 828196, 'in lubricant vibrator': 424957, 'lubricant vibrator and': 506423, 'vibrator and battery': 956415, 'and battery purchase': 58740, 'battery purchase covid': 112759, 'purchase covid 19': 689413, 'covid 19 spread': 213847, '19 spread around': 10741, 'spread around the': 790433, 'requires': 713450, 'location': 498833, 'poi': 662393, 'mapping': 514960, 'quickly find': 694526, 'find other': 307121, 'supermarket if': 820827, 'if your': 415567, 'supply or': 825680, 'or search': 616984, 'search for': 743240, 'for hospital': 322362, 'and pharmacy': 68961, 'pharmacy if': 654350, 'coronavirus requires': 206649, 'requires medical': 713480, 'medical service': 526374, 'service type': 753015, 'type in': 937538, 'your location': 1024730, 'location grocery': 498908, 'grocery medicine': 364721, 'medicine data': 526758, 'data poi': 226341, 'poi mapping': 662394, 'quickly find other': 694527, 'find other supermarket': 307122, 'other supermarket if': 621017, 'supermarket if your': 820841, 'if your local': 415591, 'your local store': 1024720, 'local store is': 498466, 'store is out': 808512, 'is out of': 450665, 'out of supply': 626847, 'of supply or': 590492, 'supply or search': 825689, 'or search for': 616985, 'search for hospital': 743250, 'for hospital and': 322364, 'hospital and pharmacy': 404285, 'and pharmacy if': 68972, 'pharmacy if the': 654352, 'if the coronavirus': 414963, 'the coronavirus requires': 851899, 'coronavirus requires medical': 206650, 'requires medical service': 713481, 'medical service type': 526378, 'service type in': 753016, 'type in your': 937540, 'in your location': 431104, 'your location grocery': 1024732, 'location grocery medicine': 498909, 'grocery medicine data': 364722, 'medicine data poi': 526759, 'data poi mapping': 226342, 'rover': 726556, 'velar': 954309, 'replacement': 711608, 'engine': 276930, 'unbeatable': 939494, 'rangerover': 696753, 'uklockdownnow': 939019, 'we carry': 971106, 'carry the': 165153, 'the largest': 858955, 'largest stock': 480025, 'of range': 588736, 'range rover': 696734, 'rover velar': 726559, 'velar replacement': 954310, 'replacement engine': 711612, 'engine on': 276940, 'on unbeatable': 604952, 'unbeatable price': 939495, 'price contact': 673219, 'contact today': 200244, 'today at': 919262, 'at rangerover': 100248, 'rangerover velar': 696754, 'velar uklockdownnow': 954312, 'we carry the': 971108, 'carry the largest': 165155, 'the largest stock': 858980, 'largest stock of': 480026, 'stock of range': 802539, 'of range rover': 588738, 'range rover velar': 696736, 'rover velar replacement': 726560, 'velar replacement engine': 954311, 'replacement engine on': 711613, 'engine on unbeatable': 276941, 'on unbeatable price': 604953, 'unbeatable price contact': 939496, 'price contact today': 673221, 'contact today at': 200245, 'today at rangerover': 919281, 'at rangerover velar': 100249, 'rangerover velar uklockdownnow': 696755, 'downturn': 257783, 'nature': 552937, 'unlikely': 942740, 'negotiation': 556948, 'contract': 201626, 'the downturn': 853637, 'downturn in': 257802, 'is short': 451876, 'term in': 838181, 'in nature': 425692, 'nature that': 552993, 'that may': 845071, 'may last': 521314, 'last for': 480226, 'for month': 323504, 'month not': 537884, 'not year': 572587, 'year such': 1014978, 'such it': 816583, 'is unlikely': 453525, 'unlikely to': 942761, 'to affect': 900142, 'affect negotiation': 34190, 'negotiation for': 556951, 'term contract': 838099, 'contract which': 201718, 'which average': 985705, 'average around': 104809, 'around 10': 93093, '10 year': 1764, 'the downturn in': 853638, 'downturn in price': 257803, 'in price is': 426972, 'price is short': 674888, 'is short term': 451880, 'short term in': 764741, 'term in nature': 838184, 'in nature that': 425696, 'nature that may': 552994, 'that may last': 845082, 'may last for': 521315, 'last for month': 480229, 'for month not': 323532, 'month not year': 537885, 'not year such': 572589, 'year such it': 1014979, 'such it is': 816584, 'it is unlikely': 459116, 'is unlikely to': 453527, 'unlikely to affect': 942762, 'to affect negotiation': 900148, 'affect negotiation for': 34191, 'negotiation for long': 556952, 'for long term': 323087, 'long term contract': 501678, 'term contract which': 838103, 'contract which average': 201719, 'which average around': 985706, 'average around 10': 104810, 'around 10 year': 93098, '200330': 13611, 'flight': 310415, 'club': 184396, 'wechat': 975537, 'talked': 833928, 'sneaker': 776197, 'resell': 713959, 'dropped': 260498, 'rapidly': 696947, 'jumped': 467914, '200330 flight': 13612, 'flight club': 310455, 'club china': 184421, 'china wechat': 177054, 'wechat article': 975538, 'article talked': 94475, 'talked about': 833929, 'current situation': 221356, 'situation of': 772409, 'of sneaker': 589797, 'sneaker resell': 776202, 'resell market': 713966, 'market because': 516092, '19 effect': 6722, 'effect most': 269034, 'the sneaker': 867386, 'sneaker price': 776200, 'price dropped': 673586, 'dropped down': 260557, 'down rapidly': 257136, 'rapidly but': 696960, 'but lay': 146248, 'lay co': 482589, 'branded one': 138096, 'one jumped': 606545, '200330 flight club': 13613, 'flight club china': 310456, 'club china wechat': 184422, 'china wechat article': 177055, 'wechat article talked': 975539, 'article talked about': 94476, 'talked about the': 833934, 'about the current': 26368, 'the current situation': 852665, 'current situation of': 221369, 'situation of sneaker': 772418, 'of sneaker resell': 589798, 'sneaker resell market': 776203, 'resell market because': 713967, 'market because of': 516094, 'covid 19 effect': 213008, '19 effect most': 6724, 'effect most of': 269035, 'of the sneaker': 591472, 'the sneaker price': 867387, 'sneaker price dropped': 776201, 'price dropped down': 673589, 'dropped down rapidly': 260558, 'down rapidly but': 257137, 'rapidly but lay': 696961, 'but lay co': 146249, 'lay co branded': 482590, 'co branded one': 184819, 'branded one jumped': 138097, 'settled': 753700, 'dinner': 243044, 'hungry': 411220, 'nothing in': 573046, 'the fridge': 855807, 'fridge nothing': 333413, 'so we': 778653, 'we settled': 973213, 'settled for': 753706, 'for meal': 323351, 'meal deal': 524123, 'deal for': 229397, 'for dinner': 320715, 'dinner and': 243047, 'and now': 67819, 'now hungry': 574959, 'hungry coronacrisis': 411235, 'nothing in the': 573051, 'in the fridge': 429219, 'the fridge nothing': 855816, 'fridge nothing in': 333414, 'the supermarket so': 868810, 'supermarket so we': 822746, 'so we settled': 778683, 'we settled for': 973214, 'settled for meal': 753707, 'for meal deal': 323353, 'meal deal for': 524125, 'deal for dinner': 229399, 'for dinner and': 320716, 'dinner and now': 243049, 'and now hungry': 67843, 'now hungry coronacrisis': 574960, 'humane': 410671, 'hsec': 409735, 'mission': 534337, 'the humane': 857727, 'humane society': 410674, 'society of': 781279, 'of eastern': 582930, 'eastern carolina': 265579, 'carolina hsec': 164842, 'hsec is': 409736, 'is taking': 452529, 'help prevent': 390340, 'prevent the': 671725, '19 while': 12043, 'while continuing': 986708, 'continuing it': 201530, 'it mission': 459642, 'mission to': 534377, 'find forever': 306914, 'forever home': 329123, 'the animal': 848744, 'animal in': 76610, 'it care': 457063, 'the humane society': 857729, 'humane society of': 410676, 'society of eastern': 781280, 'of eastern carolina': 582932, 'eastern carolina hsec': 265580, 'carolina hsec is': 164843, 'hsec is taking': 409737, 'is taking step': 452564, 'step to help': 799651, 'to help prevent': 907591, 'help prevent the': 390349, 'prevent the spread': 671735, 'covid 19 while': 214070, '19 while continuing': 12045, 'while continuing it': 986709, 'continuing it mission': 201531, 'it mission to': 459644, 'mission to find': 534380, 'to find forever': 905899, 'find forever home': 306915, 'forever home for': 329124, 'home for the': 401244, 'for the animal': 326302, 'the animal in': 848745, 'animal in it': 76611, 'in it care': 424231, 'freeze': 332508, 'rent': 711030, 'offs': 596078, 'qualify': 691719, 'un': 939267, 'employment': 274575, 'direct': 243273, 'my dc': 547955, 'dc folk': 228947, 'folk new': 312223, 'new covid': 558563, '19 relief': 10075, 'relief bill': 709285, 'bill wa': 130716, 'just passed': 469436, 'passed that': 643300, 'includes freeze': 431752, 'freeze on': 332543, 'on rent': 603144, 'rent utility': 711203, 'utility cut': 951278, 'cut offs': 223447, 'offs who': 596085, 'can qualify': 159355, 'qualify for': 691722, 'for un': 327410, 'un employment': 939281, 'employment direct': 274590, 'direct link': 243349, 'for my dc': 323697, 'my dc folk': 547956, 'dc folk new': 228948, 'folk new covid': 312224, 'new covid 19': 558564, 'covid 19 relief': 213684, '19 relief bill': 10077, 'relief bill wa': 709293, 'bill wa just': 130718, 'wa just passed': 962467, 'just passed that': 469440, 'passed that includes': 643302, 'that includes freeze': 844476, 'includes freeze on': 431753, 'freeze on rent': 332546, 'on rent utility': 603147, 'rent utility cut': 711204, 'utility cut offs': 951280, 'cut offs who': 223448, 'offs who can': 596086, 'who can qualify': 988402, 'can qualify for': 159356, 'qualify for un': 691728, 'for un employment': 327411, 'un employment direct': 939282, 'employment direct link': 274591, 'japanese': 464781, 'robson': 724825, 'downtown': 257734, 'vancouver': 952325, 'green': 363649, 'tape': 834346, 'marking': 517894, 'reaction': 700185, 'inside small': 439376, 'small japanese': 775008, 'japanese grocery': 464794, 'store on': 809181, 'on robson': 603215, 'robson street': 724828, 'street in': 812991, 'in downtown': 422376, 'downtown vancouver': 257762, 'vancouver green': 952337, 'green tape': 363703, 'tape on': 834365, 'the ground': 856841, 'ground marking': 366521, 'marking meter': 517905, 'meter distance': 529703, 'distance for': 246705, 'those trying': 892566, 'to distance': 904430, 'distance themselves': 246849, 'themselves from': 876806, 'from others': 336735, 'others reaction': 621605, 'reaction to': 700213, 'inside small japanese': 439377, 'small japanese grocery': 775009, 'japanese grocery store': 464795, 'grocery store on': 365610, 'store on robson': 809204, 'on robson street': 603216, 'robson street in': 724829, 'street in downtown': 812992, 'in downtown vancouver': 422382, 'downtown vancouver green': 257763, 'vancouver green tape': 952338, 'green tape on': 363704, 'tape on the': 834367, 'on the ground': 604151, 'the ground marking': 856852, 'ground marking meter': 366522, 'marking meter distance': 517906, 'meter distance for': 529707, 'distance for those': 246707, 'for those trying': 327145, 'those trying to': 892567, 'trying to distance': 934796, 'to distance themselves': 904432, 'distance themselves from': 246850, 'themselves from others': 876815, 'from others reaction': 336746, 'others reaction to': 621606, 'survivalist': 829097, 'bent': 127251, 'pharmacy while': 654555, 'food fly': 314475, 'fly off': 311623, 'off shelf': 594146, 'shelf others': 757385, 'others with': 621803, 'with survivalist': 1001100, 'survivalist bent': 829098, 'bent are': 127252, 'on mission': 602137, 'purchase firearm': 689442, 'firearm why': 308154, 'buying is not': 150571, 'is not limited': 450124, 'limited to supermarket': 492779, 'supermarket and pharmacy': 819038, 'and pharmacy while': 68986, 'pharmacy while food': 654556, 'while food fly': 986848, 'food fly off': 314476, 'fly off shelf': 311624, 'off shelf others': 594148, 'shelf others with': 757386, 'others with survivalist': 621805, 'with survivalist bent': 1001101, 'survivalist bent are': 829099, 'bent are on': 127253, 'are on mission': 88725, 'on mission to': 602138, 'mission to purchase': 534382, 'to purchase firearm': 912527, 'purchase firearm why': 689445, 'asshole': 96503, 'ha shown': 371915, 'shown anything': 767571, 'it how': 458647, 'how selfish': 408635, 'selfish asshole': 748005, 'asshole people': 96544, 'be in': 115388, 'crisis there': 218202, 'or toilet': 617487, 'paper here': 640265, 'uk so': 938722, 'so stop': 778272, 'hoarding them': 399591, 'and making': 66586, 'making it': 511134, 'it harder': 458493, 'harder for': 378165, 'who actually': 988024, 'need them': 555768, 'buy them': 149322, 'them stoppanicbuying': 876337, 'stoppanicbuying stopstockpiling': 805641, 'if the ha': 414984, 'the ha shown': 857019, 'ha shown anything': 371916, 'shown anything it': 767572, 'anything it how': 80802, 'it how selfish': 458652, 'how selfish asshole': 408636, 'selfish asshole people': 748009, 'asshole people can': 96545, 'people can be': 647381, 'can be in': 157631, 'be in crisis': 115397, 'in crisis there': 421898, 'crisis there is': 218204, 'is no shortage': 449973, 'shortage of food': 765111, 'of food or': 583742, 'food or toilet': 315672, 'or toilet paper': 617488, 'toilet paper here': 921304, 'paper here in': 640266, 'here in the': 393188, 'the uk so': 870281, 'uk so stop': 938724, 'so stop hoarding': 778273, 'stop hoarding them': 804745, 'hoarding them and': 399592, 'them and making': 875387, 'and making it': 66591, 'making it harder': 511143, 'it harder for': 458495, 'harder for people': 378167, 'for people who': 324468, 'people who actually': 650256, 'who actually need': 988026, 'actually need them': 30906, 'need them to': 555787, 'them to buy': 876458, 'to buy them': 902318, 'buy them stoppanicbuying': 149331, 'them stoppanicbuying stopstockpiling': 876338, 'guide': 368303, 'examines': 288836, 'handling': 376324, 'disclose': 244372, 'nationwide': 552704, 'new consumer': 558513, 'consumer guide': 197670, 'guide examines': 368317, 'examines how': 288839, 'how 20': 407261, '20 largest': 13121, 'largest restaurant': 480010, 'restaurant chain': 716357, 'chain by': 170569, 'by sale': 153858, 'sale are': 732056, 'are handling': 86993, 'handling paid': 376381, 'paid sick': 634122, 'sick leave': 768479, 'leave during': 484773, 'pandemic result': 636350, 'result not': 717577, 'not good': 569716, 'good 60': 356676, '60 didn': 20937, 'didn disclose': 241033, 'disclose any': 244373, 'any paid': 79617, 'leave policy': 484901, 'policy and': 663327, 'only chain': 610236, 'chain offer': 170963, 'offer sick': 594790, 'leave at': 484743, 'all location': 43409, 'location nationwide': 498939, 'new consumer guide': 558523, 'consumer guide examines': 197671, 'guide examines how': 368318, 'examines how 20': 288840, 'how 20 largest': 407262, '20 largest restaurant': 13122, 'largest restaurant chain': 480011, 'restaurant chain by': 716360, 'chain by sale': 170571, 'by sale are': 153859, 'sale are handling': 732063, 'are handling paid': 87000, 'handling paid sick': 376382, 'paid sick leave': 634125, 'sick leave during': 768488, 'leave during covid': 484774, '19 pandemic result': 9450, 'pandemic result not': 636353, 'result not good': 717578, 'not good 60': 569717, 'good 60 didn': 356677, '60 didn disclose': 20938, 'didn disclose any': 241034, 'disclose any paid': 244374, 'any paid leave': 79618, 'paid leave policy': 634061, 'leave policy and': 484903, 'policy and only': 663336, 'and only chain': 68132, 'only chain offer': 610237, 'chain offer sick': 170965, 'offer sick leave': 594791, 'sick leave at': 768485, 'leave at all': 484744, 'at all location': 97893, 'all location nationwide': 43410, 'surprised': 828569, 'when could': 983299, 'find paracetamol': 307170, 'paracetamol at': 641224, 'the pharmacy': 863646, 'pharmacy at': 654239, 'at my': 99803, 'supermarket few': 820299, 'ago my': 38427, 'my two': 550448, 'two young': 937416, 'young child': 1022574, 'child had': 176096, 'had high': 373181, 'high temperature': 395455, 'temperature wa': 837407, 'wa surprised': 963369, 'surprised never': 828594, 'never thought': 558221, 'thought paracetamol': 893171, 'paracetamol would': 641284, 'would run': 1012202, 'stock nice': 802493, 'nice there': 562478, 'now more': 575309, 'shelf at': 756841, 'when could not': 983301, 'not find paracetamol': 569426, 'find paracetamol at': 307171, 'paracetamol at the': 641228, 'at the pharmacy': 101050, 'the pharmacy at': 863650, 'pharmacy at my': 654240, 'at my local': 99821, 'local supermarket few': 498524, 'supermarket few week': 820304, 'few week ago': 304129, 'week ago my': 975853, 'ago my two': 38429, 'my two young': 550454, 'two young child': 937417, 'young child had': 1022577, 'child had high': 176097, 'had high temperature': 373184, 'high temperature wa': 395458, 'temperature wa surprised': 837408, 'wa surprised never': 963371, 'surprised never thought': 828595, 'never thought paracetamol': 558230, 'thought paracetamol would': 893172, 'paracetamol would run': 641285, 'would run out': 1012203, 'of stock nice': 590174, 'stock nice there': 802494, 'nice there are': 562479, 'there are now': 878132, 'are now more': 88572, 'now more item': 575311, 'more item on': 539634, 'on shelf at': 603400, 'shelf at my': 756850, 'at my supermarket': 99832, 'yelled': 1015218, 'shouting': 766787, 'yell': 1015202, 'and were': 75431, 'were just': 979813, 'just yelled': 470365, 'yelled at': 1015221, 'at to': 101323, 'to stand': 915151, 'stand behind': 793499, 'the line': 859397, 'line at': 492975, 'supermarket not': 821637, 'not calm': 568676, 'calm hey': 156747, 'hey can': 394339, 'you please': 1020351, 'please stand': 660535, 'line it': 493211, 'protect people': 684919, '19 it': 8122, 'full on': 340771, 'on shouting': 603451, 'shouting we': 766802, 'we understand': 973585, 'the need': 861388, 'need for': 554822, 'the distancing': 853422, 'distancing but': 247053, 'not yell': 572591, 'yell at': 1015203, 'at just': 99347, 'just tip': 470079, 'mum and were': 545874, 'and were just': 75435, 'were just yelled': 979824, 'just yelled at': 470366, 'yelled at to': 1015230, 'at to stand': 101333, 'to stand behind': 915156, 'stand behind the': 793500, 'behind the line': 124717, 'the line at': 859403, 'line at our': 492988, 'our local supermarket': 623790, 'local supermarket not': 498562, 'supermarket not calm': 821641, 'not calm hey': 568677, 'calm hey can': 156748, 'hey can you': 394343, 'can you please': 160321, 'you please stand': 1020366, 'please stand behind': 660536, 'the line it': 859411, 'line it to': 493215, 'it to protect': 461744, 'to protect people': 912322, 'protect people from': 684922, 'people from covid': 647985, 'covid 19 it': 213298, '19 it wa': 8161, 'it wa full': 462114, 'wa full on': 962180, 'full on shouting': 340778, 'on shouting we': 603452, 'shouting we understand': 766803, 'we understand the': 973591, 'understand the need': 940767, 'the need for': 861394, 'need for the': 554875, 'for the distancing': 326390, 'the distancing but': 853423, 'distancing but do': 247056, 'do not yell': 249895, 'not yell at': 572592, 'yell at just': 1015205, 'at just tip': 99351, 'hcw': 384663, 'dy': 263720, 'orphaned': 619668, 'do for': 249312, 'for profit': 324787, 'profit idea': 682767, 'idea consumer': 413032, 'consumer buy': 196690, 'buy donate': 148543, 'donate to': 254248, 'to hcw': 907350, 'hcw consumer': 384664, 'buy save': 149147, 'save to': 737688, 'hcw fund': 384666, 'fund say': 341493, 'say nurse': 739003, 'nurse dy': 577312, 'dy from': 263729, '19 or': 9014, 'or on': 616369, 'the job': 858649, 'job illness': 465869, 'illness you': 416413, 'you donate': 1018335, 'donate the': 254233, 'the saved': 866386, 'saved to': 737762, 'the family': 854886, 'family or': 298128, 'or orphaned': 616422, 'orphaned child': 619669, 'you do for': 1018251, 'do for profit': 249317, 'for profit idea': 324792, 'profit idea consumer': 682768, 'idea consumer buy': 413033, 'consumer buy donate': 196692, 'buy donate to': 148544, 'donate to hcw': 254257, 'to hcw consumer': 907351, 'hcw consumer buy': 384665, 'consumer buy save': 196695, 'buy save to': 149149, 'save to hcw': 737689, 'to hcw fund': 907352, 'hcw fund say': 384667, 'fund say nurse': 341495, 'say nurse dy': 739004, 'nurse dy from': 577313, 'dy from covid': 263730, 'covid 19 or': 213525, '19 or on': 9023, 'or on the': 616374, 'on the job': 604193, 'the job illness': 858661, 'job illness you': 465870, 'illness you donate': 416415, 'you donate the': 1018337, 'donate the saved': 254238, 'the saved to': 866387, 'saved to the': 737763, 'to the family': 916694, 'the family or': 854901, 'family or orphaned': 298133, 'or orphaned child': 616423, 'prefer': 669725, 'nobody': 565974, 'rather': 697434, 'contamination': 200696, 'lol my': 500928, 'my as': 547324, 'as about': 94708, 'about not': 25811, 'in retail': 427445, 'retail rn': 718498, 'rn but': 724319, 'but in': 146018, 'my head': 548629, 'head like': 385760, 'like prefer': 491024, 'prefer to': 669753, 'stay where': 797397, 'where at': 984749, 'at where': 101539, 'where nobody': 985055, 'nobody come': 565992, 'come in': 187354, 'in rather': 427258, 'rather than': 697502, 'than work': 841472, 'at an': 97970, 'essential store': 281589, 'store where': 811254, 'where there': 985261, 'is higher': 448452, 'higher risk': 395723, 'of contamination': 581816, 'contamination of': 200724, '19 thank': 11134, 'you mother': 1019895, 'mother for': 543095, 'the concern': 851421, 'concern of': 193019, 'my safety': 549981, 'lol my mom': 500929, 'mom is on': 535756, 'is on my': 450474, 'on my as': 602261, 'my as about': 547325, 'as about not': 94709, 'about not working': 25820, 'not working in': 572549, 'working in retail': 1008731, 'in retail rn': 427467, 'retail rn but': 718499, 'rn but in': 724320, 'but in my': 146029, 'in my head': 425583, 'my head like': 548634, 'head like prefer': 385761, 'like prefer to': 491025, 'prefer to stay': 669758, 'to stay where': 915330, 'stay where at': 797398, 'where at where': 984750, 'at where nobody': 101540, 'where nobody come': 985056, 'nobody come in': 565994, 'come in rather': 187372, 'in rather than': 427259, 'rather than work': 697562, 'than work at': 841473, 'work at an': 1004859, 'at an essential': 97985, 'an essential store': 55835, 'essential store where': 281598, 'store where there': 811264, 'where there is': 985264, 'there is higher': 878573, 'is higher risk': 448455, 'higher risk of': 395730, 'risk of contamination': 723738, 'of contamination of': 581817, 'contamination of covid': 200725, 'covid 19 thank': 213927, '19 thank you': 11136, 'thank you mother': 841780, 'you mother for': 1019896, 'mother for the': 543098, 'for the concern': 326355, 'the concern of': 851423, 'concern of my': 193027, 'of my safety': 586813, 'advised': 33614, '7th': 22516, 'muzak': 547100, 'confirmed symptom': 194189, 'symptom advised': 830800, 'advised by': 33622, 'by doctor': 152390, 'doctor to': 251138, 'to quarantine': 912634, 'quarantine myself': 692378, 'myself signed': 550929, 'to sainsburys': 913733, 'sainsburys online': 731781, 'shopping no': 763326, 'slot available': 774129, 'available until': 104675, 'until at': 943700, 'least 7th': 484379, '7th april': 22517, 'april customer': 83570, 'customer service': 222814, 'service number': 752629, 'number playing': 577034, 'playing muzak': 659424, 'muzak is': 547101, 'is this': 453068, 'this the': 890512, 'new reality': 559392, 'confirmed symptom advised': 194190, 'symptom advised by': 830801, 'advised by doctor': 33623, 'by doctor to': 152391, 'doctor to quarantine': 251140, 'to quarantine myself': 912644, 'quarantine myself signed': 692379, 'myself signed up': 550930, 'up to sainsburys': 946423, 'to sainsburys online': 913734, 'sainsburys online shopping': 731782, 'online shopping no': 609196, 'shopping no delivery': 763327, 'delivery slot available': 234509, 'slot available until': 774141, 'available until at': 104676, 'until at least': 943701, 'at least 7th': 99459, 'least 7th april': 484380, '7th april customer': 22518, 'april customer service': 83571, 'customer service number': 222829, 'service number playing': 752630, 'number playing muzak': 577035, 'playing muzak is': 659425, 'muzak is this': 547102, 'is this the': 453126, 'this the new': 890530, 'the new reality': 861545, 'awareness': 105673, 'amma': 52876, 'unavagam': 939432, 'ramanathapuram': 696356, 'coimbatore': 185611, 'ammaunavagam': 52883, 'fightagainstcoronavirus': 304965, 'police provides': 663173, 'provides mask': 686876, 'and corona': 60560, 'corona related': 204138, 'related awareness': 708379, 'awareness to': 105737, 'who came': 988361, 'came to': 157064, 'to eat': 904864, 'eat at': 265852, 'at amma': 97959, 'amma unavagam': 52881, 'unavagam in': 939433, 'in ramanathapuram': 427243, 'ramanathapuram coimbatore': 696357, 'coimbatore mask': 185616, 'sanitizer police': 735562, 'police awareness': 662940, 'awareness ammaunavagam': 105680, 'ammaunavagam ramanathapuram': 52884, 'ramanathapuram corona': 696359, 'stayathome lockdown': 797520, 'lockdown fightagainstcoronavirus': 499378, 'fightagainstcoronavirus coimbatore': 304966, 'police provides mask': 663174, 'provides mask and': 686877, 'mask and corona': 518314, 'and corona related': 60563, 'corona related awareness': 204139, 'related awareness to': 708380, 'awareness to those': 105741, 'those who came': 892616, 'who came to': 988367, 'came to eat': 157067, 'to eat at': 904868, 'eat at amma': 265853, 'at amma unavagam': 97960, 'amma unavagam in': 52882, 'unavagam in ramanathapuram': 939434, 'in ramanathapuram coimbatore': 427244, 'ramanathapuram coimbatore mask': 696358, 'coimbatore mask sanitizer': 185617, 'mask sanitizer police': 519227, 'sanitizer police awareness': 735563, 'police awareness ammaunavagam': 662941, 'awareness ammaunavagam ramanathapuram': 105681, 'ammaunavagam ramanathapuram corona': 52885, 'ramanathapuram corona stayathome': 696360, 'corona stayathome lockdown': 204193, 'stayathome lockdown fightagainstcoronavirus': 797521, 'lockdown fightagainstcoronavirus coimbatore': 499379, 'supermarket plan': 821996, 'plan to': 658264, 'to cut': 903864, 'cut service': 223527, 'service to': 752963, 'stay open': 797149, 'open during': 612194, 'during outbreak': 262848, 'supermarket plan to': 821998, 'plan to cut': 658280, 'to cut service': 903886, 'cut service to': 223529, 'service to stay': 752990, 'to stay open': 915305, 'stay open during': 797156, 'open during outbreak': 612198, 'anaheim': 56986, 'california': 155451, 'boycott': 137314, '1216': 3046, 'magnolia': 508452, 'ave': 104733, 'ca': 154856, '92804': 23516, '714': 21985, '229': 15321, '0618': 1000, 'pricegougers': 677767, 'disgusting price': 245445, 'by abc': 151723, 'abc supermarket': 24268, 'in anaheim': 420337, 'anaheim california': 56990, 'california boycott': 155468, 'boycott these': 137348, 'these clown': 879767, 'clown abc': 184353, 'supermarket 1216': 818727, '1216 magnolia': 3047, 'magnolia ave': 508453, 'ave anaheim': 104736, 'anaheim ca': 56987, 'ca 92804': 154860, '92804 714': 23517, '714 229': 21986, '229 0618': 15322, '0618 pricegougers': 1001, 'pricegougers pricegouging': 677775, 'disgusting price by': 245446, 'price by abc': 673012, 'by abc supermarket': 151724, 'abc supermarket in': 24270, 'supermarket in anaheim': 820861, 'in anaheim california': 420339, 'anaheim california boycott': 56991, 'california boycott these': 155469, 'boycott these clown': 137349, 'these clown abc': 879768, 'clown abc supermarket': 184354, 'abc supermarket 1216': 24269, 'supermarket 1216 magnolia': 818728, '1216 magnolia ave': 3048, 'magnolia ave anaheim': 508454, 'ave anaheim ca': 104737, 'anaheim ca 92804': 56988, 'ca 92804 714': 154861, '92804 714 229': 23518, '714 229 0618': 21987, '229 0618 pricegougers': 15323, '0618 pricegougers pricegouging': 1002, 'totally': 926297, 'depends': 237384, 'junk': 468031, 'ha no': 371326, 'no cure': 563944, 'cure it': 220762, 'it totally': 461816, 'totally depends': 926324, 'depends on': 237385, 'your immune': 1024453, 'system so': 831317, 'so what': 778709, 'is wash': 453767, 'hand well': 375972, 'well for': 978244, 'second eat': 743703, 'eat good': 265928, 'good food': 357049, 'food not': 315557, 'not junk': 570206, 'junk food': 468034, 'food get': 314647, 'get enough': 346938, 'enough sleep': 277617, 'sleep stay': 773792, 'stay positive': 797172, 'positive only': 665390, 'only go': 610515, 'out if': 626356, 'you feel': 1018532, 'feel sick': 302840, 'sick if': 768475, 'your food': 1023907, 'supply run': 825780, 'out we': 627790, 'll get': 496781, 'this this': 890575, '19 ha no': 7369, 'ha no cure': 371336, 'no cure it': 563947, 'cure it totally': 220765, 'it totally depends': 461818, 'totally depends on': 926325, 'depends on your': 237395, 'on your immune': 605473, 'your immune system': 1024454, 'immune system so': 417351, 'system so what': 831318, 'so what you': 778728, 'what you can': 982667, 'you can do': 1017661, 'can do now': 158111, 'do now is': 249911, 'now is wash': 575091, 'is wash your': 453770, 'your hand well': 1024241, 'hand well for': 375973, 'well for 20': 978246, '20 second eat': 13328, 'second eat good': 743704, 'eat good food': 265929, 'good food not': 357063, 'food not junk': 315563, 'not junk food': 570207, 'junk food get': 468036, 'food get enough': 314649, 'get enough sleep': 346942, 'enough sleep stay': 277618, 'sleep stay positive': 773793, 'stay positive only': 797174, 'positive only go': 665391, 'only go out': 610520, 'go out if': 353959, 'out if you': 626366, 'if you feel': 415438, 'you feel sick': 1018543, 'feel sick if': 302844, 'sick if your': 768476, 'if your food': 415579, 'your food supply': 1023931, 'food supply run': 316987, 'supply run out': 825787, 'run out we': 727772, 'out we ll': 627797, 'we ll get': 972252, 'll get through': 496796, 'through this this': 894848, 'prevention': 671832, 'method': 529758, 'govindia': 361042, 'indiafightscorona': 434722, 'for corona': 320365, 'corona prevention': 204115, 'prevention we': 671901, 'should stop': 766511, 'stop to': 805210, 'buy thing': 149351, 'thing with': 885000, 'the cash': 850471, 'cash and': 166154, 'and should': 71587, 'should use': 766614, 'use online': 949443, 'online payment': 608736, 'payment method': 645671, 'method because': 529761, 'because corona': 119006, 'corona can': 203843, 'can spread': 159699, 'spread through': 790841, 'the note': 861895, 'note also': 572694, 'also we': 49085, 'should prefer': 766326, 'prefer online': 669741, 'shopping from': 762749, 'from our': 336755, 'home it': 401468, 'against covid': 37401, '19 govindia': 7268, 'govindia indiafightscorona': 361043, 'for corona prevention': 320368, 'corona prevention we': 204116, 'prevention we should': 671903, 'we should stop': 973297, 'should stop to': 766526, 'stop to buy': 805212, 'to buy thing': 902319, 'buy thing with': 149356, 'thing with the': 885003, 'with the cash': 1001223, 'the cash and': 850472, 'cash and should': 166161, 'and should use': 71599, 'should use online': 766616, 'use online payment': 949446, 'online payment method': 608739, 'payment method because': 645672, 'method because corona': 529762, 'because corona can': 119007, 'corona can spread': 203844, 'can spread through': 159712, 'spread through the': 790849, 'through the note': 894756, 'the note also': 861897, 'note also we': 572695, 'also we should': 49088, 'we should prefer': 973286, 'should prefer online': 766327, 'prefer online shopping': 669742, 'online shopping from': 609126, 'shopping from our': 762758, 'from our home': 336779, 'our home it': 623452, 'home it time': 401474, 'time to fight': 897985, 'to fight against': 905773, 'fight against covid': 304615, 'against covid 19': 37402, 'covid 19 govindia': 213160, '19 govindia indiafightscorona': 7269, 'frantic': 331181, 'scramble': 742530, 'ventilator': 954515, 'soldier': 781807, 'perfumer': 651551, 'called': 156279, 'retirement': 719701, 'moscowmitch': 542011, 'bailouts': 108675, 'fat': 300191, 'europe frantic': 283442, 'frantic scramble': 331188, 'scramble for': 742533, 'hospital bed': 404323, 'bed ventilator': 120425, 'ventilator and': 954522, 'supply soldier': 825873, 'soldier are': 781809, 'are building': 85074, 'building hospital': 142086, 'hospital perfumer': 404555, 'perfumer are': 651552, 'are making': 87974, 'and doctor': 61572, 'being called': 124911, 'called back': 156282, 'from retirement': 337111, 'retirement in': 719712, 'america moscowmitch': 51616, 'moscowmitch want': 542012, 'to give': 906667, 'give bailouts': 350404, 'bailouts to': 108704, 'to fat': 905686, 'fat cat': 300200, 'in europe frantic': 422637, 'europe frantic scramble': 283443, 'frantic scramble for': 331189, 'scramble for hospital': 742535, 'for hospital bed': 322365, 'hospital bed ventilator': 404328, 'bed ventilator and': 120426, 'ventilator and supply': 954530, 'and supply soldier': 72813, 'supply soldier are': 825874, 'soldier are building': 781810, 'are building hospital': 85076, 'building hospital perfumer': 142087, 'hospital perfumer are': 404556, 'perfumer are making': 651553, 'are making hand': 87983, 'sanitizer and doctor': 734402, 'and doctor are': 61575, 'doctor are being': 250837, 'are being called': 84833, 'being called back': 124912, 'called back from': 156283, 'back from retirement': 107013, 'from retirement in': 337112, 'retirement in america': 719713, 'in america moscowmitch': 420231, 'america moscowmitch want': 51617, 'moscowmitch want to': 542013, 'want to give': 966041, 'to give bailouts': 906676, 'give bailouts to': 350405, 'bailouts to fat': 108705, 'to fat cat': 905687, 'tz': 937714, 'tanzania': 834293, 'lower': 505783, 'bundle': 142642, 'bearable': 118429, 'isolated': 454966, 'tz tanzania': 937715, 'tanzania this': 834296, 'to lower': 909492, 'lower the': 506021, 'of internet': 585261, 'internet bundle': 441916, 'bundle at': 142643, 'least temporarily': 484641, 'temporarily making': 837512, 'making staying': 511364, 'home little': 401537, 'more bearable': 538705, 'bearable streaming': 118430, 'streaming can': 812807, 'can make': 158920, 'make people': 510311, 'people feel': 647890, 'feel le': 302693, 'le isolated': 483001, 'isolated your': 455041, 'your customer': 1023403, 'customer tanzania': 222898, 'tanzania will': 834298, 'will thank': 995115, 'tz tanzania this': 937716, 'tanzania this is': 834297, 'time to lower': 898015, 'to lower the': 909512, 'lower the price': 506026, 'price of internet': 675477, 'of internet bundle': 585263, 'internet bundle at': 441917, 'bundle at least': 142644, 'at least temporarily': 99550, 'least temporarily making': 484642, 'temporarily making staying': 837513, 'making staying at': 511365, 'at home little': 99033, 'home little more': 401538, 'little more bearable': 495460, 'more bearable streaming': 538706, 'bearable streaming can': 118431, 'streaming can make': 812808, 'can make people': 158944, 'make people feel': 510316, 'people feel le': 647893, 'feel le isolated': 302694, 'le isolated your': 483002, 'isolated your customer': 455042, 'your customer tanzania': 1023426, 'customer tanzania will': 222899, 'tanzania will thank': 834299, 'will thank you': 995117, 'hacker': 372757, 'impersonate': 418356, 'insurancefraud': 440844, 'healthcarefraud': 387410, 'scam and': 739990, 'alert hacker': 41443, 'hacker impersonate': 372768, 'impersonate send': 418357, 'send consumer': 749831, 'consumer fake': 197443, 'fake email': 296614, 'email to': 272338, 'steal their': 799204, 'their personal': 874276, 'personal and': 652780, 'and personal': 68920, 'personal data': 652816, 'data health': 226263, 'health information': 386531, 'information below': 437765, 'below is': 126676, 'is clue': 446620, 'clue by': 184529, 'by clue': 152141, 'clue image': 184544, 'of how': 584806, 'spot those': 790127, 'those fake': 891987, 'email insurance': 272215, 'insurance fraud': 440734, 'fraud insurancefraud': 331292, 'insurancefraud healthcarefraud': 440847, 'scam and consumer': 739994, 'and consumer alert': 60348, 'consumer alert hacker': 196147, 'alert hacker impersonate': 41445, 'hacker impersonate send': 372769, 'impersonate send consumer': 418358, 'send consumer fake': 749832, 'consumer fake email': 197444, 'fake email to': 296619, 'email to steal': 272341, 'to steal their': 915368, 'steal their personal': 799205, 'their personal and': 874277, 'personal and personal': 652785, 'and personal data': 68922, 'personal data health': 652817, 'data health information': 226264, 'health information below': 386533, 'information below is': 437766, 'below is clue': 126677, 'is clue by': 446621, 'clue by clue': 184530, 'by clue image': 152142, 'clue image of': 184545, 'image of how': 416648, 'of how to': 584844, 'to spot those': 915042, 'spot those fake': 790129, 'those fake email': 891988, 'fake email insurance': 296616, 'email insurance fraud': 272216, 'insurance fraud insurancefraud': 440735, 'fraud insurancefraud healthcarefraud': 331293, 'threshold': 894136, 'identified': 413320, 'evolve': 288498, 'key consumer': 473258, 'behavior threshold': 124247, 'threshold identified': 894143, 'identified the': 413346, 'coronavirus outbreak': 206366, 'outbreak evolve': 628203, 'key consumer behavior': 473260, 'consumer behavior threshold': 196527, 'behavior threshold identified': 124248, 'threshold identified the': 894145, 'identified the coronavirus': 413347, 'the coronavirus outbreak': 851886, 'coronavirus outbreak evolve': 206384, 'video show': 956888, 'show how': 766971, 'how single': 408688, 'single cough': 771264, 'cough spread': 208561, 'across supermarket': 29463, 'supermarket socialdistancing': 822752, 'video show how': 956891, 'show how single': 766992, 'how single cough': 408689, 'single cough spread': 771269, 'cough spread across': 208562, 'spread across supermarket': 790392, 'across supermarket socialdistancing': 29470, 'alarming': 40692, 'informative': 438060, 'particle': 642581, 'air': 39675, 'alarming yet': 40708, 'yet informative': 1016109, 'informative video': 438069, 'video that': 956914, 'everyone should': 287369, 'should watch': 766634, 'watch how': 968442, 'how particle': 408484, 'particle from': 642584, 'from single': 337300, 'cough stay': 208568, 'stay in': 797036, 'the air': 848478, 'air and': 39681, 'then spread': 877554, 'across indoor': 29351, 'indoor environment': 435352, 'environment like': 279125, 'like or': 490933, 'or please': 616628, 'please retweet': 660409, 'retweet to': 720090, 'help stop': 390586, 'spread and': 790402, 'and save': 70946, 'alarming yet informative': 40709, 'yet informative video': 1016110, 'informative video that': 438071, 'video that everyone': 956915, 'that everyone should': 843771, 'everyone should watch': 287383, 'should watch how': 766635, 'watch how particle': 968444, 'how particle from': 408485, 'particle from single': 642586, 'from single cough': 337301, 'single cough stay': 771271, 'cough stay in': 208570, 'stay in the': 797065, 'in the air': 428974, 'the air and': 848480, 'air and then': 39686, 'and then spread': 73811, 'then spread across': 877555, 'spread across indoor': 790391, 'across indoor environment': 29352, 'indoor environment like': 435354, 'environment like or': 279126, 'like or please': 490935, 'or please retweet': 616629, 'please retweet to': 660416, 'retweet to help': 720092, 'to help stop': 907637, 'help stop the': 390590, 'stop the spread': 805154, 'the spread and': 867615, 'spread and save': 790421, 'and save life': 70951, 'greeted': 363791, 'locked': 500462, 'reached': 700022, 'capacity': 162489, 'bank ha': 109881, 'been asking': 120697, 'asking for': 95979, 'more volunteer': 540925, 'demand that': 236328, 'that been': 842956, 'been caused': 120809, 'caused by': 167824, 'by this': 154522, 'crisis went': 218371, 'to their': 917206, 'their head': 873497, 'head office': 385782, 'office today': 595573, 'today only': 919988, 'be greeted': 115102, 'greeted by': 363792, 'by locked': 153086, 'locked door': 500467, 'door and': 255502, 'sign saying': 769203, 'saying that': 739696, 'that volunteer': 847260, 'volunteer have': 960276, 'have reached': 382165, 'reached their': 700063, 'their social': 874741, 'distancing capacity': 247071, 'food bank ha': 313581, 'bank ha been': 109883, 'ha been asking': 369725, 'been asking for': 120698, 'asking for more': 95992, 'for more volunteer': 323609, 'more volunteer to': 540927, 'volunteer to keep': 960355, 'the demand that': 853113, 'demand that been': 236331, 'that been caused': 842959, 'been caused by': 120810, 'caused by this': 167873, 'by this covid': 154525, '19 crisis went': 6349, 'crisis went to': 218372, 'went to their': 979197, 'to their head': 917236, 'their head office': 873503, 'head office today': 385792, 'office today only': 595574, 'today only to': 919991, 'only to be': 611355, 'to be greeted': 901284, 'be greeted by': 115103, 'greeted by locked': 363793, 'by locked door': 153087, 'locked door and': 500468, 'door and sign': 255512, 'and sign saying': 71657, 'sign saying that': 769204, 'saying that volunteer': 739707, 'that volunteer have': 847261, 'volunteer have reached': 960279, 'have reached their': 382168, 'reached their social': 700065, 'their social distancing': 874743, 'social distancing capacity': 779577, 'bradpaisley': 137544, 'bradpaisley free': 137545, 'delivering essential': 233487, 'bradpaisley free grocery': 137546, 'store is delivering': 808484, 'is delivering essential': 447102, 'delivering essential to': 233488, 'essential to the': 281711, 'amid the crisis': 52689, 'st': 791678, 'louis': 504514, 'spite': 789572, 'albeit': 40756, 'st louis': 791720, 'louis home': 504522, 'home sale': 402003, 'sale continue': 732138, 'continue in': 201048, 'in spite': 428204, 'spite of': 789573, '19 albeit': 4880, 'albeit at': 40757, 'at lower': 99638, 'lower level': 505904, 'st louis home': 791724, 'louis home sale': 504523, 'home sale continue': 402005, 'sale continue in': 732140, 'continue in spite': 201049, 'in spite of': 428205, 'spite of covid': 789574, 'covid 19 albeit': 212604, '19 albeit at': 4881, 'albeit at lower': 40758, 'at lower level': 99639, 'unabated': 939312, 'agriculture': 38930, 'thoko': 891702, 'didiza': 240957, 'reassurance': 703178, 'continues unabated': 201512, 'unabated despite': 939315, 'despite agriculture': 238663, 'agriculture minister': 38999, 'minister thoko': 533472, 'thoko didiza': 891703, 'didiza reassurance': 240962, 'reassurance that': 703181, 'that south': 846420, 'south africa': 786644, 'africa ha': 35080, 'ha reliable': 371712, 'reliable supply': 709215, 'buying continues unabated': 150140, 'continues unabated despite': 201513, 'unabated despite agriculture': 939316, 'despite agriculture minister': 238664, 'agriculture minister thoko': 39001, 'minister thoko didiza': 533473, 'thoko didiza reassurance': 891704, 'didiza reassurance that': 240963, 'reassurance that south': 703182, 'that south africa': 846421, 'south africa ha': 786652, 'africa ha reliable': 35082, 'ha reliable supply': 371713, 'reliable supply of': 709216, 'supply of food': 825627, 'of food amid': 583642, 'democrat': 236691, 'blocking': 132877, 'assistance': 96658, 'crime': 216765, 'unrest': 943332, 'democrat are': 236698, 'are blocking': 84997, 'blocking covid': 132880, 'consumer assistance': 196327, 'assistance check': 96675, 'check crime': 174407, 'crime and': 216770, 'and unrest': 74704, 'unrest could': 943343, 'could follow': 209184, 'follow at': 312355, 'democrat are blocking': 236699, 'are blocking covid': 84998, 'blocking covid 19': 132881, '19 consumer assistance': 5955, 'consumer assistance check': 196328, 'assistance check crime': 96676, 'check crime and': 174408, 'crime and unrest': 216773, 'and unrest could': 74705, 'unrest could follow': 943344, 'could follow at': 209186, 'fyi': 342618, 'macon': 507458, 'bibb': 129426, 'cheney': 175492, 'brother': 141030, '478': 19285, '250': 16007, '3699': 18056, '352': 17954, '291': 16510, '7800': 22343, 'fyi covid': 342627, 'update if': 947026, 'or business': 614604, 'owner manager': 632496, 'manager or': 512773, 'or employee': 615156, 'any local': 79418, 'local macon': 498163, 'macon bibb': 507459, 'bibb market': 129427, 'market that': 517174, 'that need': 845296, 'need supply': 555674, 'supply like': 825499, 'like food': 490256, 'paper glove': 640209, 'glove etc': 352667, 'etc please': 282701, 'contact cheney': 200045, 'cheney brother': 175493, 'brother at': 141035, 'at 478': 97666, '478 250': 19286, '250 3699': 16012, '3699 office': 18057, 'office 352': 595343, '352 291': 17955, '291 7800': 16511, 'fyi covid 19': 342628, '19 update if': 11666, 'update if you': 947028, 'you are grocery': 1017133, 'store or business': 809316, 'or business owner': 614607, 'business owner manager': 144189, 'owner manager or': 632498, 'manager or employee': 512774, 'or employee of': 615159, 'employee of any': 274061, 'of any local': 580263, 'any local macon': 79422, 'local macon bibb': 498164, 'macon bibb market': 507460, 'bibb market that': 129429, 'market that need': 517177, 'that need supply': 845309, 'need supply like': 555679, 'supply like food': 825500, 'like food toilet': 490264, 'toilet paper glove': 921285, 'paper glove etc': 640210, 'glove etc please': 352668, 'etc please contact': 282702, 'please contact cheney': 659832, 'contact cheney brother': 200046, 'cheney brother at': 175494, 'brother at 478': 141036, 'at 478 250': 97667, '478 250 3699': 19287, '250 3699 office': 16013, '3699 office 352': 18058, 'office 352 291': 595344, '352 291 7800': 17956, 'prescription': 670494, 'rx': 728777, 'sunday': 818146, 'ireland': 444806, 'prohibits': 683448, 'today prescription': 920063, 'prescription rx': 670534, 'rx get': 728779, 'your weekly': 1026337, 'weekly shop': 977542, 'shop done': 760107, 'done before': 254791, 'before 12': 122585, '30 on': 17157, 'on sunday': 603747, 'sunday ireland': 818218, 'ireland prohibits': 444841, 'prohibits booze': 683451, 'booze sale': 135173, 'sale until': 732615, 'until then': 943880, 'then so': 877539, 'so supermarket': 778304, 'supermarket queue': 822111, 'queue are': 693872, 'today prescription rx': 920064, 'prescription rx get': 670535, 'rx get your': 728780, 'get your weekly': 348745, 'your weekly shop': 1026339, 'weekly shop done': 977546, 'shop done before': 760108, 'done before 12': 254792, 'before 12 30': 122586, '12 30 on': 2796, '30 on sunday': 17159, 'on sunday ireland': 603762, 'sunday ireland prohibits': 818219, 'ireland prohibits booze': 444842, 'prohibits booze sale': 683452, 'booze sale until': 135174, 'sale until then': 732616, 'until then so': 943883, 'then so supermarket': 877541, 'so supermarket queue': 778313, 'supermarket queue are': 822116, 'queue are small': 693876, 'establishment': 282045, 'with school': 1000596, 'school restaurant': 741904, 'restaurant and': 716269, 'retail establishment': 718094, 'establishment all': 282046, 'all closed': 42372, 'closed people': 183285, 'are staying': 90370, 'home but': 400827, 'still need': 800854, 'need grocery': 554929, 'with school restaurant': 1000600, 'school restaurant and': 741905, 'restaurant and retail': 716296, 'and retail establishment': 70430, 'retail establishment all': 718095, 'establishment all closed': 282047, 'all closed people': 42374, 'closed people are': 183286, 'people are staying': 647088, 'are staying home': 90373, 'staying home but': 798601, 'home but they': 400851, 'but they still': 147519, 'they still need': 883468, 'still need grocery': 800856, 'dispenser': 246133, 'sanitizer dispenser': 734762, 'dispenser and': 246134, 'glove were': 353021, 'were also': 979314, 'also common': 48044, 'common site': 189472, 'site for': 771915, 'hand sanitizer dispenser': 375373, 'sanitizer dispenser and': 734763, 'dispenser and glove': 246135, 'and glove were': 63747, 'glove were also': 353022, 'were also common': 979317, 'also common site': 48045, 'common site for': 189473, 'politely': 663610, 'picnic': 656071, 'ignore': 415809, 'are politely': 89134, 'politely asking': 663615, 'asking online': 96033, 'online anyone': 607864, 'anyone in': 80372, 'in please': 426798, 'please pack': 660270, 'pack up': 633183, 'your picnic': 1025311, 'picnic not': 656076, 'not exercise': 569320, 'exercise necessary': 290078, 'necessary shopping': 554073, 'shopping the': 764080, 'latter before': 481675, 'before you': 123310, 'need it': 555077, 'it if': 458669, 'you choose': 1017952, 'choose to': 177907, 'to ignore': 908109, 'ignore this': 415850, 'this message': 888836, 'message we': 529474, 'll politely': 496952, 'politely ask': 663613, 'ask you': 95672, 'to move': 910300, 'move in': 543664, 'we are politely': 970662, 'are politely asking': 89135, 'politely asking online': 663616, 'asking online anyone': 96034, 'online anyone in': 607865, 'anyone in please': 80378, 'in please pack': 426801, 'please pack up': 660271, 'pack up your': 633184, 'up your picnic': 946747, 'your picnic not': 1025312, 'picnic not exercise': 656077, 'not exercise necessary': 569321, 'exercise necessary shopping': 290079, 'necessary shopping the': 554074, 'shopping the latter': 764087, 'the latter before': 859162, 'latter before you': 481676, 'before you need': 123326, 'you need it': 1020007, 'need it if': 555089, 'it if you': 458681, 'if you choose': 415408, 'you choose to': 1017954, 'choose to ignore': 177911, 'to ignore this': 908116, 'ignore this message': 415851, 'this message we': 888844, 'message we ll': 529475, 'we ll politely': 972271, 'll politely ask': 496953, 'politely ask you': 663614, 'ask you to': 95679, 'you to move': 1021810, 'to move in': 910309, 'move in person': 543667, 'reverend': 720503, 'hosting': 404943, 'dance': 225558, 'rave': 697926, 'farming': 299603, 'wedding': 975555, 'dress': 258655, 'drinking': 258912, 'wine': 995756, 'inflatable': 436972, 'unicorn': 941725, 'costume': 208364, 'kiwi': 475839, 'smiling': 775762, 'reverend hosting': 720504, 'hosting an': 404944, 'online dance': 608075, 'dance rave': 225573, 'rave farming': 697929, 'farming mum': 299635, 'mum in': 545912, 'in wedding': 430739, 'wedding dress': 975560, 'dress drinking': 258662, 'drinking wine': 258953, 'wine and': 995761, 'and woman': 75799, 'woman shopping': 1003605, 'in an': 420268, 'an inflatable': 56308, 'inflatable unicorn': 436979, 'unicorn costume': 941728, 'costume here': 208371, 'the thing': 869447, 'thing kiwi': 884517, 'kiwi are': 475840, 'keep each': 471463, 'each other': 264152, 'other smiling': 620930, 'smiling during': 775770, 'during lockdown': 262755, 'reverend hosting an': 720505, 'hosting an online': 404945, 'an online dance': 56614, 'online dance rave': 608076, 'dance rave farming': 225574, 'rave farming mum': 697930, 'farming mum in': 299636, 'mum in wedding': 545914, 'in wedding dress': 430740, 'wedding dress drinking': 975561, 'dress drinking wine': 258663, 'drinking wine and': 258954, 'wine and woman': 995771, 'and woman shopping': 75808, 'woman shopping in': 1003606, 'shopping in an': 762953, 'in an inflatable': 420312, 'an inflatable unicorn': 56310, 'inflatable unicorn costume': 436980, 'unicorn costume here': 941729, 'costume here are': 208372, 'here are some': 392756, 'are some of': 90274, 'some of the': 783408, 'of the thing': 591536, 'the thing kiwi': 869458, 'thing kiwi are': 884518, 'kiwi are doing': 475841, 'doing to keep': 252793, 'to keep each': 908781, 'keep each other': 471464, 'each other smiling': 264218, 'other smiling during': 620931, 'smiling during lockdown': 775771, 'defer': 232165, 'opinion bank': 613453, 'bank should': 110189, 'should defer': 765903, 'defer household': 232166, 'household debt': 406777, 'debt to': 230581, 'opinion bank should': 613454, 'bank should defer': 110190, 'should defer household': 765904, 'defer household debt': 232167, 'household debt to': 406779, 'debt to protect': 230586, 'to protect the': 912336, 'protect the economy': 684968, 'wall': 965147, '164': 4235, 'strain': 812262, 'profitability': 682903, 'nassau': 552041, 'wall st': 965174, 'st bonus': 791685, 'bonus to': 134408, 'take hit': 832182, 'hit this': 398460, 'year due': 1014531, 'the 2019': 848011, '2019 bonus': 13947, 'bonus up': 134419, 'to 164': 899521, '164 100': 4236, '100 but': 1850, 'but will': 147869, 'likely fall': 491997, 'fall sharply': 297045, 'crisis strain': 218100, 'strain industry': 812280, 'industry profitability': 436057, 'profitability bonus': 682904, 'bonus key': 134384, 'in nassau': 425686, 'nassau east': 552044, 'east end': 265308, 'wall st bonus': 965175, 'st bonus to': 791686, 'bonus to take': 134412, 'to take hit': 916186, 'take hit this': 832187, 'hit this year': 398463, 'this year due': 891569, 'year due to': 1014532, 'to the 2019': 916476, 'the 2019 bonus': 848013, '2019 bonus up': 13948, 'bonus up to': 134420, 'up to 164': 946324, 'to 164 100': 899522, '164 100 but': 4237, '100 but will': 1852, 'but will likely': 147883, 'will likely fall': 994000, 'likely fall sharply': 491998, 'fall sharply in': 297047, 'sharply in 2020': 755744, 'in 2020 the': 419859, '2020 the coronavirus': 14636, 'the coronavirus crisis': 851827, 'coronavirus crisis strain': 205770, 'crisis strain industry': 218101, 'strain industry profitability': 812281, 'industry profitability bonus': 436058, 'profitability bonus key': 682905, 'bonus key to': 134385, 'key to consumer': 473432, 'to consumer spending': 903337, 'spending in nassau': 788861, 'in nassau east': 425688, 'nassau east end': 552045, 'reassure': 703183, 'countryman': 211292, 'manufacturing': 513551, 'respreators': 716135, 'clothing': 184245, 'shield': 758130, 'glass': 351595, 'auspol': 103071, 'ausgov': 103057, 'hey if': 394424, 'to reassure': 912886, 'reassure your': 703201, 'your countryman': 1023361, 'countryman build': 211296, 'build factory': 141970, 'factory put': 295987, 'put people': 690767, 'work manufacturing': 1005460, 'manufacturing mask': 513627, 'glove respreators': 352887, 'respreators hand': 716136, 'sanitizer disinfectant': 734747, 'disinfectant protective': 245729, 'protective clothing': 685716, 'clothing face': 184256, 'face shield': 294733, 'shield medicine': 758166, 'medicine safety': 526879, 'safety glass': 730551, 'glass etc': 351612, 'etc auspol': 282436, 'auspol ausgov': 103074, 'hey if you': 394427, 'you want to': 1022162, 'want to reassure': 966098, 'to reassure your': 912894, 'reassure your countryman': 703202, 'your countryman build': 1023362, 'countryman build factory': 211297, 'build factory put': 141971, 'factory put people': 295988, 'put people to': 690773, 'people to work': 649966, 'to work manufacturing': 918753, 'work manufacturing mask': 1005461, 'manufacturing mask glove': 513628, 'mask glove respreators': 518744, 'glove respreators hand': 352888, 'respreators hand sanitizer': 716137, 'hand sanitizer disinfectant': 375370, 'sanitizer disinfectant protective': 734752, 'disinfectant protective clothing': 245730, 'protective clothing face': 685717, 'clothing face shield': 184257, 'face shield medicine': 294742, 'shield medicine safety': 758167, 'medicine safety glass': 526880, 'safety glass etc': 730553, 'glass etc auspol': 351613, 'etc auspol ausgov': 282437, 'grows': 367307, 'hazard': 384541, 'are saving': 89814, 'saving our': 737941, 'our life': 623715, 'life demand': 488582, 'demand grows': 235591, 'grows for': 367310, 'for grocery': 322020, 'employee other': 274091, 'other frontline': 620280, 'to receive': 912907, 'receive hazard': 703494, 'hazard pay': 384556, 'pay amid': 644719, 'amid outbreak': 52556, 'they are saving': 881395, 'are saving our': 89818, 'saving our life': 737942, 'our life demand': 623720, 'life demand grows': 488583, 'demand grows for': 235593, 'grows for grocery': 367311, 'for grocery store': 322052, 'store employee other': 807517, 'employee other frontline': 274092, 'other frontline worker': 620281, 'frontline worker to': 338873, 'worker to receive': 1008019, 'to receive hazard': 912921, 'receive hazard pay': 703495, 'hazard pay amid': 384557, 'pay amid outbreak': 644722, 'tiktok': 895892, 'buy the': 149281, 'the last': 858985, 'last pack': 480430, 'toiletpapercrisis toiletpaperpanic': 923111, 'toiletpaperpanic tiktok': 923257, 'when you buy': 984543, 'you buy the': 1017584, 'buy the last': 149302, 'the last pack': 859028, 'last pack of': 480431, 'pack of toilet': 633113, 'paper toiletpaper toiletpapercrisis': 640959, 'toiletpaper toiletpapercrisis toiletpaperpanic': 922671, 'toiletpapercrisis toiletpaperpanic tiktok': 923115, 'prompted': 683923, 'cooking': 202837, 'eating': 266170, 'accessing': 28353, 'nutritious': 577753, 'promote': 683769, 'ha kept': 371068, 'kept people': 473067, 'of restaurant': 589012, 'restaurant limited': 716549, 'limited supermarket': 492729, 'supermarket run': 822265, 'run amp': 727554, 'amp prompted': 54344, 'prompted more': 683935, 'more home': 539443, 'home cooking': 400928, 'cooking that': 202916, 'may result': 521459, 'result in': 717524, 'in better': 420800, 'better eating': 128270, 'eating habit': 266216, 'habit however': 372630, 'however american': 409342, 'long way': 501817, 'go in': 353698, 'in term': 428868, 'term of': 838211, 'of accessing': 579734, 'accessing nutritious': 28365, 'nutritious food': 577760, 'prevent illness': 671649, 'illness amp': 416338, 'amp promote': 54338, 'promote health': 683774, '19 ha kept': 7357, 'ha kept people': 371070, 'kept people out': 473068, 'people out of': 649025, 'out of restaurant': 626819, 'of restaurant limited': 589019, 'restaurant limited supermarket': 716550, 'limited supermarket run': 492730, 'supermarket run amp': 822267, 'run amp prompted': 727555, 'amp prompted more': 54345, 'prompted more home': 683936, 'more home cooking': 539444, 'home cooking that': 400932, 'cooking that may': 202917, 'that may result': 845088, 'may result in': 521460, 'result in better': 717525, 'in better eating': 420801, 'better eating habit': 128271, 'eating habit however': 266220, 'habit however american': 372631, 'however american have': 409343, 'american have long': 52022, 'have long way': 381372, 'long way to': 501827, 'way to go': 970032, 'to go in': 906811, 'go in term': 353717, 'in term of': 428869, 'term of accessing': 838212, 'of accessing nutritious': 579735, 'accessing nutritious food': 28366, 'nutritious food to': 577766, 'food to prevent': 317283, 'to prevent illness': 912069, 'prevent illness amp': 671650, 'illness amp promote': 416340, 'amp promote health': 54339, 'property': 684226, 'london': 501008, 'the average': 849093, 'average price': 104888, 'of property': 588539, 'property on': 684313, 'sale across': 732017, 'across london': 29375, 'london is': 501098, 'year on': 1014882, 'on year': 605396, 'march despite': 515340, 'despite fear': 238737, 'fear that': 301358, 'will soon': 994888, 'soon hit': 785740, 'hit the': 398423, 'the average price': 849106, 'average price of': 104890, 'price of property': 675546, 'of property on': 588540, 'property on sale': 684314, 'on sale across': 603261, 'sale across london': 732018, 'across london is': 29376, 'london is up': 501102, 'is up year': 453585, 'up year on': 946716, 'year on year': 1014886, 'on year in': 605399, 'year in march': 1014651, 'in march despite': 425095, 'march despite fear': 515343, 'despite fear that': 238739, 'fear that will': 301372, 'that will soon': 847611, 'will soon hit': 994896, 'soon hit the': 785741, 'hit the market': 398435, 'kentucky': 472841, '99': 23745, 'gallon': 342960, 'oil barrel': 596639, 'barrel is': 111240, 'is around': 445806, 'around 25': 93132, '25 and': 15837, 'it continues': 457307, 'to drop': 904759, 'drop gas': 260209, 'also dropping': 48139, 'dropping with': 260751, 'with kentucky': 999133, 'kentucky who': 472863, 'ha now': 371389, 'now for': 574713, 'for 99': 318959, '99 gallon': 23831, 'price of oil': 675521, 'of oil barrel': 587177, 'oil barrel is': 596640, 'barrel is around': 111241, 'is around 25': 445808, 'around 25 and': 93135, '25 and it': 15839, 'and it continues': 65504, 'it continues to': 457310, 'continues to drop': 201471, 'to drop gas': 904771, 'drop gas price': 260210, 'price are also': 672632, 'are also dropping': 84448, 'also dropping with': 48141, 'dropping with kentucky': 260752, 'with kentucky who': 999134, 'kentucky who ha': 472864, 'who ha now': 988860, 'ha now for': 371396, 'now for 99': 574714, 'for 99 gallon': 318963, 'western': 980584, 'phase': 654597, 'empathy': 273342, 'emphasizing': 273395, 'recovery': 705284, 'bounce': 136798, 'festival': 303592, 'western company': 980605, 'company can': 190519, 'learn experience': 483957, 'experience from': 291367, 'china during': 176624, '19 phase': 9672, 'phase peak': 654638, 'peak try': 646109, 'show empathy': 766931, 'empathy and': 273345, 'and support': 72830, 'support rather': 826779, 'than emphasizing': 840547, 'emphasizing profit': 273396, 'profit phase': 682842, 'phase recovery': 654640, 'recovery look': 705354, 'look for': 502347, 'online solution': 609398, 'solution phase': 782066, 'phase bounce': 654598, 'bounce back': 136801, 'back prepare': 107231, 'prepare for': 670066, 'shopping festival': 762634, 'western company can': 980606, 'company can learn': 190525, 'can learn experience': 158849, 'learn experience from': 483958, 'experience from china': 291368, 'from china during': 334858, 'china during covid': 176625, 'covid 19 phase': 213576, '19 phase peak': 9673, 'phase peak try': 654639, 'peak try to': 646110, 'try to show': 934665, 'to show empathy': 914556, 'show empathy and': 766932, 'empathy and support': 273348, 'and support rather': 72850, 'support rather than': 826780, 'rather than emphasizing': 697516, 'than emphasizing profit': 840548, 'emphasizing profit phase': 273397, 'profit phase recovery': 682843, 'phase recovery look': 654641, 'recovery look for': 705355, 'look for online': 502366, 'for online solution': 324116, 'online solution phase': 609399, 'solution phase bounce': 782067, 'phase bounce back': 654599, 'bounce back prepare': 136806, 'back prepare for': 107232, 'prepare for shopping': 670085, 'for shopping festival': 325580, 'dbrs': 228926, 'morningstar': 541560, 'downgraded': 257560, 'province': 687155, 'alberta': 40774, 'rating agency': 697582, 'agency dbrs': 38002, 'dbrs morningstar': 228927, 'morningstar ha': 541561, 'ha downgraded': 370435, 'downgraded the': 257565, 'the province': 864724, 'province of': 687183, 'of alberta': 579881, 'alberta due': 40787, 'to plunging': 911841, 'credit rating agency': 216474, 'rating agency dbrs': 697583, 'agency dbrs morningstar': 38003, 'dbrs morningstar ha': 228928, 'morningstar ha downgraded': 541562, 'ha downgraded the': 370437, 'downgraded the province': 257566, 'the province of': 864732, 'province of alberta': 687184, 'of alberta due': 579882, 'alberta due to': 40788, 'due to plunging': 261906, 'to plunging oil': 911842, 'price and the': 672559, 'and the 19': 73228, 'sam': 732904, 'sends': 750121, 'knowing': 477102, 'cu': 220130, 'of ppl': 588328, 'ppl going': 668241, 'store sam': 809979, 'sam club': 732912, 'club etc': 184433, 'etc who': 282878, 'who allow': 988048, 'allow people': 46032, 'to just': 908717, 'just come': 468493, 'in cough': 421816, 'sneeze all': 776227, 'all over': 43848, 'the product': 864579, 'product then': 681712, 'then the': 877609, 'just sends': 469762, 'sends the': 750139, 'product out': 681506, 'out these': 627532, 'these store': 880731, 'no way': 565859, 'of knowing': 585668, 'knowing if': 477120, 'if their': 415052, 'their in': 873634, 'store cu': 807234, 'lot of ppl': 504257, 'of ppl going': 588331, 'ppl going to': 668242, 'going to grocery': 355612, 'grocery store sam': 365742, 'store sam club': 809980, 'sam club etc': 732914, 'club etc who': 184434, 'etc who allow': 282879, 'who allow people': 988049, 'allow people to': 46034, 'people to just': 649915, 'to just come': 908721, 'just come in': 468494, 'come in cough': 187362, 'in cough sneeze': 421818, 'cough sneeze all': 208552, 'sneeze all over': 776228, 'all over the': 43882, 'over the product': 630755, 'the product then': 864596, 'product then the': 681715, 'then the store': 877625, 'the store just': 868045, 'store just sends': 808626, 'just sends the': 469763, 'sends the product': 750140, 'the product out': 864592, 'product out these': 681508, 'out these store': 627536, 'these store have': 880737, 'store have no': 808091, 'have no way': 381664, 'no way of': 565866, 'way of knowing': 969759, 'of knowing if': 585669, 'knowing if their': 477122, 'if their in': 415055, 'their in store': 873635, 'in store cu': 428398, 'delivery service': 234420, 'are bringing': 85057, 'bringing in': 140165, 'in zero': 431153, 'zero contact': 1027421, 'contact delivery': 200061, 'to reduce': 913011, 'reduce contact': 705804, 'contact with': 200265, 'with customer': 997895, 'customer amidst': 222059, 'amidst covid': 52785, 'food delivery service': 314144, 'delivery service are': 234426, 'service are bringing': 752134, 'are bringing in': 85060, 'bringing in zero': 140171, 'in zero contact': 431154, 'zero contact delivery': 1027422, 'contact delivery to': 200064, 'delivery to reduce': 234667, 'to reduce contact': 913015, 'reduce contact with': 705806, 'contact with customer': 200271, 'with customer amidst': 997896, 'customer amidst covid': 222060, 'amidst covid 19': 52786, 'covid 19 fear': 213080, 'youtuber': 1026931, 'kaplamino': 470844, 'known': 477197, 'heathrobinson': 388524, 'rubegoldberg': 727002, 'contraption': 201825, 'dispensing': 246157, 'machine': 507347, 'burning': 142922, 'youtuber kaplamino': 1026932, 'kaplamino known': 470845, 'known for': 477212, 'for heathrobinson': 322169, 'heathrobinson rubegoldberg': 388525, 'rubegoldberg contraption': 727003, 'contraption ha': 201826, 'created quarantine': 215877, 'quarantine hand': 692239, 'hand sanitiser': 375218, 'sanitiser dispensing': 733941, 'dispensing machine': 246158, 'machine that': 507407, 'to answer': 900578, 'answer burning': 78019, 'burning question': 142925, 'our time': 625144, 'time where': 898313, 'where ha': 984899, 'the toiletpaper': 869719, 'toiletpaper gone': 922031, 'youtuber kaplamino known': 1026933, 'kaplamino known for': 470846, 'known for heathrobinson': 477214, 'for heathrobinson rubegoldberg': 322170, 'heathrobinson rubegoldberg contraption': 388526, 'rubegoldberg contraption ha': 727004, 'contraption ha created': 201827, 'ha created quarantine': 370279, 'created quarantine hand': 215878, 'quarantine hand sanitiser': 692240, 'hand sanitiser dispensing': 375226, 'sanitiser dispensing machine': 733942, 'dispensing machine that': 246159, 'machine that help': 507408, 'that help to': 844304, 'help to answer': 390766, 'to answer burning': 900580, 'answer burning question': 78020, 'burning question of': 142927, 'question of our': 693667, 'of our time': 587578, 'our time where': 625148, 'time where ha': 898317, 'where ha all': 984900, 'ha all the': 369483, 'all the toiletpaper': 44946, 'the toiletpaper gone': 869726, 'spring': 791154, 'housing': 407043, 'slower': 774503, 'pause': 644577, 'the spring': 867654, 'spring housing': 791216, 'housing market': 407095, 'market will': 517350, 'be much': 116019, 'much slower': 545303, 'slower than': 774512, 'than normal': 840942, 'normal but': 567103, 'but home': 145952, 'price remain': 676164, 'remain stable': 709855, 'stable even': 791903, 'even some': 284596, 'some market': 783257, 'market hit': 516522, 'hit pause': 398367, 'pause during': 644589, 'the spring housing': 867658, 'spring housing market': 791217, 'housing market will': 407116, 'market will be': 517351, 'will be much': 992566, 'be much slower': 116027, 'much slower than': 545304, 'slower than normal': 774516, 'than normal but': 840943, 'normal but home': 567106, 'but home price': 145955, 'home price remain': 401914, 'price remain stable': 676168, 'remain stable even': 709857, 'stable even some': 791904, 'even some market': 284598, 'some market hit': 783258, 'market hit pause': 516525, 'hit pause during': 398368, 'pause during the': 644590, 'rabbit': 695137, 'distilling': 247838, 'led': 485214, 'rabbit hole': 695142, 'hole distilling': 400209, 'distilling led': 247851, 'led by': 485215, 'by global': 152692, 'global entrepreneur': 351918, 'entrepreneur join': 278942, 'the national': 861281, 'national fight': 552506, 'against the': 37638, 'pandemic with': 637021, 'with hand': 998721, 'production read': 682195, 'rabbit hole distilling': 695143, 'hole distilling led': 400210, 'distilling led by': 247852, 'led by global': 485218, 'by global entrepreneur': 152694, 'global entrepreneur join': 351919, 'entrepreneur join the': 278943, 'join the national': 466861, 'the national fight': 861294, 'national fight against': 552507, 'fight against the': 304640, 'against the pandemic': 37673, 'the pandemic with': 863159, 'pandemic with hand': 637028, 'with hand sanitizer': 998724, 'hand sanitizer production': 375548, 'sanitizer production read': 735606, 'production read more': 682196, 'paradox': 641314, 'upended': 947495, 'hum': 410381, 'along': 46974, 'dose': 255925, 'denial': 236932, 'consequence': 194835, 'sickness': 768742, 'paradox of': 641320, 'amid coronavirus': 52414, 'consumer end': 197358, 'is upended': 453588, 'upended producer': 947500, 'producer end': 680606, 'end hum': 275843, 'hum along': 410382, 'along with': 47040, 'with dose': 998124, 'dose of': 255926, 'of denial': 582526, 'denial about': 236933, 'about consequence': 24992, 'consequence of': 194871, 'of worker': 593273, 'worker sickness': 1007786, 'paradox of food': 641321, 'food amid coronavirus': 313116, 'amid coronavirus consumer': 52418, 'coronavirus consumer end': 205681, 'consumer end of': 197359, 'end of supply': 275917, 'of supply chain': 590473, 'chain is upended': 170853, 'is upended producer': 453589, 'upended producer end': 947501, 'producer end hum': 680607, 'end hum along': 275844, 'hum along with': 410383, 'along with dose': 47051, 'with dose of': 998125, 'dose of denial': 255928, 'of denial about': 582527, 'denial about consequence': 236934, 'about consequence of': 24993, 'consequence of worker': 194880, 'of worker sickness': 593282, 'stood': 804370, 'humor': 410852, 'stoodupjohn': 804398, 'smile': 775692, 'comedy': 187735, 'coffee': 185446, 'comic': 187917, 'stood up': 804395, 'up john': 945260, 'john buy': 466518, 'buy toilet': 149378, 'paper just': 640389, 'just little': 469169, 'little humor': 495394, 'humor to': 410925, 'help get': 389798, 'through these': 894792, 'these difficult': 879922, 'time stay': 897750, 'safe stoodupjohn': 729996, 'stoodupjohn toiletpaper': 804399, 'toiletpaper humor': 922091, 'humor laugh': 410890, 'laugh smile': 481761, 'smile comedy': 775705, 'comedy joke': 187757, 'joke coffee': 467071, 'coffee comic': 185473, 'comic quarantine': 187946, 'quarantine virus': 692676, 'virus pandemic': 958597, 'pandemic toiletpaper': 636809, 'toiletpaper toiletpaperpanic': 922691, 'stood up john': 804397, 'up john buy': 945262, 'john buy toilet': 466519, 'buy toilet paper': 149379, 'toilet paper just': 921329, 'paper just little': 640393, 'just little humor': 469172, 'little humor to': 495398, 'humor to help': 410926, 'to help get': 907529, 'help get through': 389804, 'get through these': 348440, 'through these difficult': 894793, 'these difficult time': 879925, 'difficult time stay': 242309, 'time stay safe': 897753, 'stay safe stoodupjohn': 797284, 'safe stoodupjohn toiletpaper': 729997, 'stoodupjohn toiletpaper humor': 804400, 'toiletpaper humor laugh': 922094, 'humor laugh smile': 410892, 'laugh smile comedy': 481762, 'smile comedy joke': 775706, 'comedy joke coffee': 187758, 'joke coffee comic': 467072, 'coffee comic quarantine': 185474, 'comic quarantine virus': 187947, 'quarantine virus pandemic': 692678, 'virus pandemic toiletpaper': 958609, 'pandemic toiletpaper toiletpaperpanic': 636820, 'merchandising': 528990, 'of disease': 582670, 'disease 19': 245071, 'consumer product': 198447, 'and merchandising': 66957, 'merchandising sector': 528991, 'impact of disease': 417769, 'of disease 19': 582671, 'disease 19 on': 245073, 'on consumer product': 600068, 'consumer product and': 198448, 'product and merchandising': 680893, 'and merchandising sector': 66958, 'holding': 400087, 'shouldering': 766716, 'citizenship': 179016, '1500': 3929, 'ethiopia': 283098, 'condition': 193387, 'threat': 893625, 'east african': 265278, 'african holding': 35202, 'holding is': 400123, 'is shouldering': 451890, 'shouldering real': 766717, 'real citizenship': 701068, 'citizenship responsibility': 179017, 'responsibility not': 715967, 'only providing': 611032, 'providing item': 687040, 'item with': 463836, 'with usual': 1001943, 'usual price': 951000, 'supermarket but': 819437, 'also feeding': 48196, 'feeding time': 302491, 'time in': 896973, 'in day': 422001, 'for 1500': 318675, '1500 citizen': 3936, 'citizen in': 178913, 'in ethiopia': 422613, 'ethiopia for': 283103, 'free at': 331663, 'this bad': 886480, 'bad condition': 107815, 'condition with': 193561, '19 threat': 11373, 'east african holding': 265279, 'african holding is': 35204, 'holding is shouldering': 400124, 'is shouldering real': 451891, 'shouldering real citizenship': 766718, 'real citizenship responsibility': 701069, 'citizenship responsibility not': 179018, 'responsibility not only': 715968, 'not only providing': 570821, 'only providing item': 611033, 'providing item with': 687041, 'item with usual': 463841, 'with usual price': 1001944, 'usual price in': 951003, 'price in supermarket': 674739, 'in supermarket but': 428566, 'supermarket but also': 819439, 'but also feeding': 145112, 'also feeding time': 48197, 'feeding time in': 302492, 'time in day': 896985, 'in day for': 422009, 'day for 1500': 227616, 'for 1500 citizen': 318676, '1500 citizen in': 3937, 'citizen in ethiopia': 178914, 'in ethiopia for': 422616, 'ethiopia for free': 283104, 'for free at': 321705, 'free at this': 331667, 'at this bad': 101224, 'this bad condition': 886483, 'bad condition with': 107816, 'condition with covid': 193562, 'covid 19 threat': 213947, 'southernil': 786873, 'carbondale': 163421, 'littleegypt': 495663, 'southernillinois': 786876, 'illinoislockdown': 416324, 'cnn': 184744, 'doe humanity': 251414, 'humanity really': 410769, 'really end': 702160, 'when toiletpaper': 984330, 'toiletpaper run': 922426, 'out via': 627770, 'via southernil': 956252, 'southernil carbondale': 786874, 'carbondale pandemic': 163422, 'hoarding littleegypt': 399415, 'littleegypt southernillinois': 495664, 'southernillinois illinoislockdown': 786877, 'illinoislockdown cnn': 416325, 'doe humanity really': 251415, 'humanity really end': 410770, 'really end when': 702161, 'end when toiletpaper': 276072, 'when toiletpaper run': 984332, 'toiletpaper run out': 922427, 'run out via': 727771, 'out via southernil': 627771, 'via southernil carbondale': 956253, 'southernil carbondale pandemic': 786875, 'carbondale pandemic hoarding': 163423, 'pandemic hoarding littleegypt': 635650, 'hoarding littleegypt southernillinois': 399416, 'littleegypt southernillinois illinoislockdown': 495665, 'southernillinois illinoislockdown cnn': 786878, 'legit': 486025, 'package': 633203, 'transit': 929619, 'dreading': 258581, 'this legit': 888606, 'legit cause': 486028, 'cause have': 167584, 'have lot': 381389, 'of package': 587647, 'package online': 633356, 'in transit': 430266, 'transit some': 929649, 'even from': 284089, 'from region': 337060, 'region in': 707424, 'china that': 176978, 'that confirmed': 843282, 'confirmed to': 194206, 'to have': 907191, '19 case': 5660, 'case and': 165618, 'and ve': 74847, 'been dreading': 121039, 'dreading about': 258582, 'this issue': 888506, 'issue for': 455753, 'for while': 327835, 'while ve': 987508, 've asked': 952849, 'asked some': 95824, 'is this legit': 453103, 'this legit cause': 888607, 'legit cause have': 486029, 'cause have lot': 167586, 'have lot of': 381391, 'lot of package': 504244, 'of package online': 587649, 'package online shopping': 633357, 'shopping in transit': 762993, 'in transit some': 430267, 'transit some even': 929650, 'some even from': 782769, 'even from region': 284091, 'from region in': 337061, 'region in china': 707425, 'in china that': 421438, 'china that confirmed': 176979, 'that confirmed to': 843283, 'confirmed to have': 194207, 'to have lot': 907270, 'lot of covid': 504166, 'covid 19 case': 212764, '19 case and': 5665, 'case and ve': 165631, 'and ve been': 74848, 've been dreading': 952880, 'been dreading about': 121040, 'dreading about this': 258583, 'about this issue': 26642, 'this issue for': 888507, 'issue for while': 455757, 'for while ve': 327853, 'while ve asked': 987509, 've asked some': 952850, 'shelterinplace': 757984, 'paper line': 640418, 'line during': 493063, 'during coronavirus': 262532, 'coronavirus pandemic': 206431, 'quarantine it': 692318, 'it out': 460170, 'control toiletpaper': 202198, 'toiletpaper pandemic': 922301, 'quarantine stayathome': 692562, 'stayathome saferathome': 797599, 'saferathome shelterinplace': 730412, 'toilet paper line': 921338, 'paper line during': 640419, 'line during coronavirus': 493064, 'during coronavirus pandemic': 262540, 'coronavirus pandemic quarantine': 206484, 'pandemic quarantine it': 636268, 'quarantine it out': 692319, 'it out of': 460188, 'of control toiletpaper': 581851, 'control toiletpaper pandemic': 202199, 'toiletpaper pandemic quarantine': 922303, 'pandemic quarantine stayathome': 636271, 'quarantine stayathome saferathome': 692563, 'stayathome saferathome shelterinplace': 797601, 'considering': 195349, 'revised': 720633, 'suite': 817825, 'advertising': 33190, 'interrupted': 442106, 'considering the': 195422, 'pandemic we': 636928, 'have revised': 382319, 'revised our': 720638, 'our price': 624436, 'to best': 901772, 'best suite': 127918, 'suite the': 817828, 'the client': 851013, 'client need': 182072, 'need so': 555577, 'can promote': 159317, 'promote your': 683806, 'product or': 681492, 'or service': 617013, 'service and': 752067, 'and keep': 65748, 'keep your': 472252, 'your marketing': 1024776, 'marketing or': 517670, 'or advertising': 614265, 'advertising activity': 33195, 'activity un': 30521, 'un interrupted': 939291, 'interrupted so': 442113, 'considering the covid': 195424, '19 pandemic we': 9520, 'pandemic we have': 636941, 'we have revised': 971926, 'have revised our': 382320, 'revised our price': 720639, 'our price to': 624450, 'price to best': 676970, 'to best suite': 901778, 'best suite the': 127919, 'suite the client': 817829, 'the client need': 851016, 'client need so': 182073, 'need so you': 555581, 'you can promote': 1017753, 'can promote your': 159318, 'promote your product': 683808, 'your product or': 1025443, 'product or service': 681496, 'or service and': 617014, 'service and keep': 752094, 'and keep your': 65789, 'keep your marketing': 472277, 'your marketing or': 1024779, 'marketing or advertising': 517671, 'or advertising activity': 614266, 'advertising activity un': 33196, 'activity un interrupted': 30522, 'un interrupted so': 939292, 'interrupted so to': 442114, 'cent': 169030, 'lower gas': 505866, 'price expert': 673734, 'expert say': 291941, 'say gas': 738666, 'gas could': 343803, 'could hit': 209301, 'hit 99': 398119, '99 cent': 23789, 'cent in': 169073, 'in some': 428079, 'some state': 783937, 'state due': 795539, 'to and': 900483, 'lower gas price': 505867, 'gas price expert': 343959, 'price expert say': 673735, 'expert say gas': 291949, 'say gas could': 738667, 'gas could hit': 343805, 'could hit 99': 209302, 'hit 99 cent': 398120, '99 cent in': 23794, 'cent in some': 169077, 'in some state': 428104, 'some state due': 783939, 'state due to': 795540, 'due to and': 261703, 'to and supply': 900525, 'complain': 191841, 'yourselves': 1026774, 'inflicted': 437274, 'if any': 413825, 'any panic': 79619, 'panic buyer': 637550, 'buyer now': 149697, 'now complain': 574423, 'complain about': 191842, 'up you': 946721, 'can literally': 158889, 'literally fuck': 495002, 'fuck yourselves': 339712, 'yourselves you': 1026822, 'have done': 380320, 'done this': 255051, 'this and': 886322, 'have inflicted': 381080, 'inflicted this': 437287, 'on everyone': 600632, 'else supermarket': 271900, 'supermarket agree': 818824, 'agree price': 38634, 'with supplier': 1001069, 'supplier for': 824533, 'for fixed': 321514, 'fixed buy': 309782, 'buy after': 148275, 'after that': 36273, 'it back': 456661, 'normal until': 567385, 'until next': 943792, 'next deal': 561336, 'if any panic': 413832, 'any panic buyer': 79620, 'panic buyer now': 637592, 'buyer now complain': 149698, 'now complain about': 574424, 'complain about price': 191847, 'going up you': 355800, 'up you can': 946723, 'you can literally': 1017717, 'can literally fuck': 158891, 'literally fuck yourselves': 495004, 'fuck yourselves you': 339713, 'yourselves you have': 1026824, 'you have done': 1019039, 'have done this': 380339, 'done this and': 255052, 'this and you': 886361, 'and you have': 76024, 'you have inflicted': 1019062, 'have inflicted this': 381082, 'inflicted this on': 437288, 'this on everyone': 889212, 'on everyone else': 600635, 'everyone else supermarket': 286879, 'else supermarket agree': 271901, 'supermarket agree price': 818825, 'agree price with': 38636, 'price with supplier': 677623, 'with supplier for': 1001071, 'supplier for fixed': 824534, 'for fixed buy': 321515, 'fixed buy after': 309783, 'buy after that': 148276, 'after that it': 36276, 'that it back': 844693, 'it back to': 456674, 'to normal until': 910666, 'normal until next': 567386, 'until next deal': 943793, 'tweeting': 936465, 'ruined': 727122, 'abusing': 27704, 'hadn': 373837, 'stupid': 815330, 'than month': 840902, 'month ago': 537530, 'ago people': 38441, 'people were': 650192, 'were tweeting': 980298, 'tweeting christmas': 936476, 'christmas ruined': 178196, 'ruined abusing': 727125, 'abusing supermarket': 27721, 'co they': 184980, 'they hadn': 882270, 'hadn received': 373856, 'received certain': 703609, 'certain item': 170035, 'item in': 463339, 'in their': 429706, 'delivery hope': 234094, 'hope those': 403732, 'those same': 892416, 'same people': 733211, 'feel bloody': 302587, 'bloody stupid': 133241, 'stupid now': 815427, 'le than month': 483181, 'than month ago': 840903, 'month ago people': 537538, 'ago people were': 38443, 'people were tweeting': 650228, 'were tweeting christmas': 980299, 'tweeting christmas ruined': 936477, 'christmas ruined abusing': 178198, 'ruined abusing supermarket': 727126, 'abusing supermarket staff': 27722, 'supermarket staff co': 822827, 'staff co they': 792330, 'co they hadn': 184983, 'they hadn received': 882273, 'hadn received certain': 373857, 'received certain item': 703610, 'certain item in': 170039, 'item in their': 463357, 'in their shopping': 429777, 'their shopping delivery': 874717, 'shopping delivery hope': 762461, 'delivery hope those': 234095, 'hope those same': 403734, 'those same people': 892417, 'same people feel': 733213, 'people feel bloody': 647891, 'feel bloody stupid': 302588, 'bloody stupid now': 133242, 'washing': 967641, 'spread by': 790459, 'by washing': 154693, 'washing your': 967756, 'hand often': 375118, 'often with': 596305, 'water you': 969274, 'should wash': 766630, 'wash for': 967462, 'least 20': 484337, 'second each': 743701, 'each time': 264295, 'time or': 897423, 'or use': 617611, 'use an': 949033, 'an alcohol': 55224, 'alcohol based': 40924, 'based hand': 111602, 'sanitizer more': 735376, 'more way': 540947, 'can help prevent': 158648, 'the spread by': 867619, 'spread by washing': 790465, 'by washing your': 154696, 'washing your hand': 967758, 'your hand often': 1024207, 'hand often with': 375127, 'often with soap': 596306, 'with soap and': 1000791, 'soap and water': 778934, 'and water you': 75268, 'water you should': 969278, 'you should wash': 1021230, 'should wash for': 766631, 'wash for at': 967464, 'at least 20': 99444, 'least 20 second': 484344, '20 second each': 13327, 'second each time': 743702, 'each time or': 264297, 'time or use': 897427, 'or use an': 617613, 'use an alcohol': 949034, 'an alcohol based': 55225, 'alcohol based hand': 40930, 'based hand sanitizer': 111603, 'hand sanitizer more': 375493, 'sanitizer more way': 735381, 'more way to': 540948, 'way to stay': 970102, 'to stay safe': 915313, 'rajender': 696181, 'coronalockdown': 205030, 'shud': 767749, 'augment': 102972, 'ambulance': 51317, 'telangana': 836634, '108': 2264, 'unreachable': 943284, 'hitch': 398528, 'ride': 721422, 'downlo': 257573, 'rajender coronalockdown': 696182, 'coronalockdown govt': 205034, 'govt shud': 361287, 'shud augment': 767750, 'augment the': 102973, 'the ambulance': 848619, 'ambulance service': 51342, 'and control': 60513, 'price telangana': 676761, 'telangana 108': 836635, '108 unreachable': 2267, 'unreachable sick': 943285, 'sick spend': 768613, 'spend hour': 788613, 'hour on': 405815, 'on road': 603207, 'road to': 724523, 'to hitch': 907858, 'hitch ride': 398529, 'ride downlo': 721427, 'rajender coronalockdown govt': 696183, 'coronalockdown govt shud': 205035, 'govt shud augment': 361288, 'shud augment the': 767751, 'augment the ambulance': 102974, 'the ambulance service': 848621, 'ambulance service and': 51343, 'service and control': 752079, 'and control price': 60516, 'control price telangana': 202117, 'price telangana 108': 676762, 'telangana 108 unreachable': 836636, '108 unreachable sick': 2268, 'unreachable sick spend': 943286, 'sick spend hour': 768614, 'spend hour on': 788615, 'hour on road': 405819, 'on road to': 603210, 'road to hitch': 724524, 'to hitch ride': 907859, 'hitch ride downlo': 398530, 'facebook': 294876, 'letting': 487395, 'credit go': 216397, 'to whoever': 918574, 'whoever posted': 990107, 'posted it': 666544, 'it on': 460025, 'on facebook': 600697, 'facebook someone': 294994, 'someone who': 784747, 'store appreciate': 806448, 'appreciate you': 82779, 'for letting': 322949, 'letting others': 487430, 'others know': 621510, 'credit go to': 216398, 'go to whoever': 354384, 'to whoever posted': 918576, 'whoever posted it': 990108, 'posted it on': 666545, 'it on facebook': 460042, 'on facebook someone': 600715, 'facebook someone who': 294995, 'someone who work': 784773, 'who work in': 990039, 'work in grocery': 1005310, 'grocery store appreciate': 365212, 'store appreciate you': 806449, 'appreciate you for': 82784, 'you for letting': 1018653, 'for letting others': 322951, 'letting others know': 487431, 'washington': 967762, 'league': 483841, 'transparency': 929817, 'ethic': 283036, 'accuses': 28969, 'washlite': 967833, 'violating': 957499, 'privacy': 678786, 'the lawsuit': 859200, 'lawsuit brought': 482524, 'brought by': 141137, 'the nonprofit': 861843, 'nonprofit group': 566683, 'group washington': 366961, 'washington league': 967778, 'league for': 483851, 'for increased': 322529, 'increased transparency': 433522, 'transparency and': 929820, 'and ethic': 62291, 'ethic accuses': 283037, 'accuses washlite': 28970, 'washlite fox': 967834, 'news of': 560648, 'of violating': 592805, 'violating the': 957504, 'the washington': 871107, 'washington state': 967803, 'state consumer': 795477, 'consumer privacy': 198431, 'privacy act': 678787, 'the lawsuit brought': 859201, 'lawsuit brought by': 482525, 'brought by the': 141139, 'by the nonprofit': 154389, 'the nonprofit group': 861846, 'nonprofit group washington': 566684, 'group washington league': 366962, 'washington league for': 967779, 'league for increased': 483852, 'for increased transparency': 322531, 'increased transparency and': 433523, 'transparency and ethic': 929822, 'and ethic accuses': 62292, 'ethic accuses washlite': 283038, 'accuses washlite fox': 28971, 'washlite fox news': 967835, 'fox news of': 330766, 'news of violating': 560653, 'of violating the': 592806, 'violating the washington': 957506, 'the washington state': 871111, 'washington state consumer': 967805, 'state consumer privacy': 795479, 'consumer privacy act': 198432, 'margin': 515601, 'sterile': 799838, 'maximum': 520810, 'emirate': 273191, 'price increase': 674764, 'government ordered': 360436, 'ordered the': 618910, 'pharmacy to': 654513, 'make the': 510555, 'the profit': 864617, 'profit margin': 682804, 'margin for': 515630, 'for sterile': 325901, 'sterile maximum': 799845, 'maximum this': 520846, 'is what': 453860, 'what all': 981005, 'government should': 360596, 'should do': 765919, 'do 19': 249017, '19 emirate': 6769, 'to avoid the': 900947, 'avoid the price': 105330, 'the price increase': 864369, 'price increase the': 674791, 'increase the government': 433105, 'the government ordered': 856577, 'government ordered the': 360437, 'ordered the pharmacy': 618913, 'the pharmacy to': 863666, 'pharmacy to make': 654520, 'to make the': 909750, 'make the profit': 510580, 'the profit margin': 864620, 'profit margin for': 682808, 'margin for sterile': 515631, 'for sterile maximum': 325902, 'sterile maximum this': 799846, 'maximum this is': 520847, 'this is what': 888464, 'is what all': 453862, 'what all the': 981009, 'all the government': 44767, 'the government should': 856601, 'government should do': 360601, 'should do 19': 765920, 'do 19 emirate': 249019, 'decontaminates': 231514, 'bruno': 141352, 'lina': 492904, 'answered': 78157, 'transfered': 929536, 'respiration': 715182, 'should we': 766637, 'we decontaminates': 971248, 'decontaminates our': 231515, 'food from': 314597, 'supermarket no': 821604, 'no the': 565694, 'the virologist': 870781, 'virologist bruno': 957694, 'bruno lina': 141353, 'lina answered': 492905, 'answered when': 78191, 'question wa': 693785, 'wa asked': 961589, 'asked he': 95754, 'he added': 384710, 'added it': 31573, 'it cannot': 457046, 'cannot be': 161632, 'be transfered': 117787, 'transfered from': 929537, 'from food': 335502, 'food it': 315175, 'be done': 114547, 'done only': 254969, 'only by': 610210, 'by respiration': 153785, 'respiration there': 715183, 'also the': 48968, 'the infection': 858221, 'infection dose': 436748, 'dose that': 255932, 'that should': 846280, 'be known': 115642, 'should we decontaminates': 766643, 'we decontaminates our': 971249, 'decontaminates our food': 231516, 'our food from': 623110, 'food from the': 314616, 'the supermarket no': 868713, 'supermarket no the': 821620, 'no the virologist': 565700, 'the virologist bruno': 870782, 'virologist bruno lina': 957695, 'bruno lina answered': 141354, 'lina answered when': 492906, 'answered when the': 78192, 'when the question': 984191, 'the question wa': 865027, 'question wa asked': 693786, 'wa asked he': 961590, 'asked he added': 95755, 'he added it': 384711, 'added it cannot': 31574, 'it cannot be': 457048, 'cannot be transfered': 161652, 'be transfered from': 117788, 'transfered from food': 929538, 'from food it': 335509, 'food it can': 315178, 'it can be': 457008, 'can be done': 157615, 'be done only': 114564, 'done only by': 254970, 'only by respiration': 610213, 'by respiration there': 153786, 'respiration there is': 715184, 'there is also': 878521, 'is also the': 445580, 'also the infection': 48973, 'the infection dose': 858223, 'infection dose that': 436749, 'dose that should': 255933, 'that should be': 846283, 'should be known': 765654, 'dear': 229736, 'sir': 771532, 'direction': 243439, 'voted': 960545, 'dear sir': 229865, 'sir we': 771669, 'all really': 44127, 'really appreciate': 701978, 'appreciate your': 82792, 'your direction': 1023514, 'direction towards': 243487, 'towards covid': 927176, 'have voted': 383526, 'voted you': 960568, 'be our': 116275, 'our prime': 624457, 'minister to': 533474, 'nation we': 552367, 'all had': 43022, 'had question': 373438, 'question what': 693792, 'and grocery': 63974, 'grocery for': 364525, 'common people': 189426, 'dear sir we': 229874, 'sir we all': 771670, 'we all really': 970355, 'all really appreciate': 44128, 'really appreciate your': 701981, 'appreciate your direction': 82795, 'your direction towards': 1023515, 'direction towards covid': 243488, 'towards covid 19': 927177, '19 we have': 11932, 'we have voted': 971985, 'have voted you': 383527, 'voted you to': 960569, 'you to be': 1021753, 'to be our': 901426, 'be our prime': 116279, 'our prime minister': 624458, 'prime minister to': 678161, 'minister to help': 533475, 'to help and': 907450, 'help and the': 389360, 'and the nation': 73486, 'the nation we': 861274, 'nation we all': 552368, 'we all had': 970331, 'all had question': 43023, 'had question what': 373439, 'question what about': 693793, 'what about food': 980971, 'about food water': 25267, 'water and grocery': 968866, 'and grocery for': 63986, 'grocery for the': 364530, 'for the common': 326352, 'the common people': 851255, 'common people who': 189432, 'exploiting': 292415, 'official cannot': 595772, 'cannot lower': 162003, 'lower price': 505951, 'price because': 672861, 'stop going': 804687, 'going out': 355355, 'out cannot': 625827, 'stop exploiting': 804638, 'exploiting this': 292464, 'this situation': 890170, 'situation to': 772528, 'increase profit': 433025, 'profit australia': 682671, 'official cannot lower': 595773, 'cannot lower price': 162004, 'lower price because': 505954, 'price because people': 672866, 'because people do': 119471, 'want to stop': 966132, 'to stop going': 915528, 'stop going out': 804689, 'going out cannot': 355364, 'out cannot stop': 625832, 'cannot stop exploiting': 162134, 'stop exploiting this': 804640, 'exploiting this situation': 292465, 'this situation to': 890193, 'situation to increase': 772538, 'to increase profit': 908296, 'increase profit australia': 433026, 'celebrate': 168779, 'relaunch': 708792, 'sweet': 830216, 'bakery': 108833, 'damper': 225508, 'new website': 559866, 'website with': 975487, 'with new': 999697, 'new online': 559208, 'online store': 609440, 'store this': 810692, 'this coming': 886809, 'coming weekend': 188290, 'weekend we': 977441, 'were to': 980262, 'to celebrate': 902550, 'celebrate the': 168799, 'the relaunch': 865471, 'relaunch of': 708793, 'of sweet': 590555, 'sweet bakery': 830223, 'bakery retail': 108879, 'retail however': 718193, 'however covid': 409354, 'ha put': 371586, 'put bit': 690537, 'bit of': 131629, 'of damper': 582341, 'damper on': 225509, 'that so': 846356, 'so instead': 777414, 'instead we': 440382, 'doing curbside': 252344, 'new website with': 559871, 'website with new': 975492, 'with new online': 999708, 'new online store': 559214, 'online store this': 609476, 'store this coming': 810696, 'this coming weekend': 886811, 'coming weekend we': 188291, 'weekend we were': 977446, 'we were to': 973815, 'were to celebrate': 980263, 'to celebrate the': 902556, 'celebrate the relaunch': 168803, 'the relaunch of': 865472, 'relaunch of sweet': 708794, 'of sweet bakery': 590557, 'sweet bakery retail': 830224, 'bakery retail however': 108880, 'retail however covid': 718194, 'however covid 19': 409355, '19 ha put': 7375, 'ha put bit': 371590, 'put bit of': 690538, 'bit of damper': 131638, 'of damper on': 582342, 'damper on that': 225510, 'on that so': 603947, 'that so instead': 846359, 'so instead we': 777417, 'instead we will': 440384, 'will be doing': 992435, 'be doing curbside': 114512, 'commend': 188365, 'outstanding': 629686, 'commend medical': 188366, 'medical personnel': 526292, 'personnel and': 653076, 'hospital for': 404406, 'their outstanding': 874150, 'outstanding service': 629699, 'service even': 752343, 'though there': 892915, 'is shortage': 451881, 'of critical': 582201, 'critical supply': 218675, 'no support': 565635, 'support from': 826533, 'government consumer': 359993, 'consumer people': 198348, 'commend medical personnel': 188367, 'medical personnel and': 526294, 'personnel and hospital': 653080, 'and hospital for': 64747, 'hospital for their': 404415, 'for their outstanding': 326856, 'their outstanding service': 874152, 'outstanding service even': 629700, 'service even though': 752344, 'even though there': 284719, 'though there is': 892917, 'there is shortage': 878623, 'is shortage of': 451883, 'shortage of critical': 765106, 'of critical supply': 582210, 'critical supply and': 218676, 'supply and no': 824740, 'and no support': 67645, 'no support from': 565637, 'support from the': 826536, 'from the government': 337726, 'the government consumer': 856518, 'government consumer people': 359994, 'dr': 257941, 'hubert': 409883, 'minnis': 533624, 'bahamian': 108543, 'minister dr': 533358, 'dr hubert': 258030, 'hubert minnis': 409884, 'minnis ha': 533627, 'ha called': 370042, 'called on': 156393, 'on bahamian': 599538, 'bahamian and': 108544, 'and resident': 70308, 'resident to': 714378, 'stop panic': 804879, 'buying food': 150298, 'hoarding supply': 399563, 'supply in': 825394, 'to news': 910585, 'prime minister dr': 678135, 'minister dr hubert': 533359, 'dr hubert minnis': 258031, 'hubert minnis ha': 409886, 'minnis ha called': 533628, 'ha called on': 370044, 'called on bahamian': 156394, 'on bahamian and': 599539, 'bahamian and resident': 108545, 'and resident to': 70309, 'resident to stop': 714388, 'to stop panic': 915550, 'stop panic buying': 804883, 'panic buying food': 637734, 'buying food and': 150300, 'food and hoarding': 313252, 'and hoarding supply': 64664, 'hoarding supply in': 399569, 'supply in response': 825410, 'response to news': 715870, 'to news of': 910586, 'news of the': 560652, 'sucking': 816962, 'cock': 185215, 'far the': 298926, 'only cure': 610296, 'is sucking': 452429, 'sucking my': 816967, 'my cock': 547717, 'cock so': 185220, 'so everyone': 776970, 'stop buying': 804526, 'buying the': 151161, 'toiletpaper and': 921717, 'and starting': 72262, 'starting sucking': 794996, 'sucking check': 816963, 'this video': 890974, 'video where': 956958, 'where you': 985382, 'can see': 159529, 'see staying': 745741, 'safe with': 730148, 'with my': 999605, 'cock in': 185216, 'her mouth': 392209, 'so far the': 777059, 'far the only': 298933, 'the only cure': 862297, 'only cure for': 610298, 'for the is': 326511, 'the is sucking': 858536, 'is sucking my': 452430, 'sucking my cock': 816968, 'my cock so': 547719, 'cock so everyone': 185221, 'so everyone should': 776980, 'everyone should stop': 287381, 'should stop buying': 766515, 'stop buying the': 804548, 'buying the toiletpaper': 151176, 'the toiletpaper and': 869721, 'toiletpaper and starting': 921731, 'and starting sucking': 72263, 'starting sucking check': 794997, 'sucking check out': 816964, 'out this video': 627591, 'this video where': 890990, 'video where you': 956960, 'where you can': 985385, 'you can see': 1017775, 'can see staying': 159546, 'see staying safe': 745742, 'staying safe with': 798703, 'safe with my': 730152, 'with my cock': 999613, 'my cock in': 547718, 'cock in her': 185217, 'in her mouth': 423659, 'ercot': 280121, 'manages': 512838, 'flow': 311223, 'electric': 271096, 'power': 667550, 'represents': 712956, 'ercot manages': 280122, 'manages the': 512839, 'the flow': 855447, 'flow of': 311247, 'of electric': 583013, 'electric power': 271120, 'power to': 667701, 'to more': 910250, 'than 26': 840213, '26 million': 16176, 'million texas': 532365, 'texas customer': 839757, 'customer which': 223066, 'which represents': 986265, 'represents about': 712959, 'about 90': 24751, '90 of': 23315, 'the state': 867743, 'state electric': 795555, 'electric load': 271115, 'ercot manages the': 280123, 'manages the flow': 512840, 'the flow of': 855448, 'flow of electric': 311249, 'of electric power': 583014, 'electric power to': 271121, 'power to more': 667713, 'to more than': 910268, 'more than 26': 540558, 'than 26 million': 840214, '26 million texas': 16177, 'million texas customer': 532366, 'texas customer which': 839758, 'customer which represents': 223068, 'which represents about': 986266, 'represents about 90': 712960, 'about 90 of': 24752, '90 of the': 23320, 'of the state': 591489, 'the state electric': 867771, 'state electric load': 795556, 'your daily': 1023438, 'daily star': 224809, 'star war': 794073, 'war actor': 966336, 'actor dy': 30577, '19 people': 9616, 'buying pet': 150900, 'pet food': 653378, 'food rent': 316169, 'rent due': 711070, 'due so': 261683, 'so now': 777903, 'now what': 576375, 'your daily star': 1023448, 'daily star war': 224810, 'star war actor': 794074, 'war actor dy': 966337, 'actor dy from': 30578, 'covid 19 people': 213566, '19 people panic': 9630, 'people panic buying': 649055, 'panic buying pet': 637846, 'buying pet food': 150901, 'pet food rent': 653396, 'food rent due': 316170, 'rent due so': 711072, 'due so now': 261684, 'so now what': 777911, 'announcement to': 77214, 'our staff': 624873, 'and customer': 60831, 'announcement to all': 77215, 'to all our': 900277, 'all our staff': 43831, 'our staff and': 624874, 'staff and customer': 792135, 'plastic': 658789, 'reuse': 720173, 'ariadni': 92772, 'workplace': 1009187, 'she doe': 755999, 'doe not': 251469, 'have face': 380545, 'wear amp': 974282, 'amp ha': 53896, 'wash her': 967501, 'her plastic': 392304, 'plastic glove': 658846, 'glove at': 352601, 'of each': 582896, 'each shift': 264270, 'shift so': 758406, 'so she': 778186, 'she can': 755916, 'can reuse': 159480, 'reuse them': 720178, 'them from': 875745, 'from toronto': 338109, 'toronto to': 926003, 'to like': 909273, 'like grocery': 490344, 'store cleaner': 806986, 'cleaner ariadni': 180750, 'ariadni deserve': 92773, 'deserve safe': 238115, 'safe workplace': 730160, 'workplace now': 1009204, 'than ever': 840567, 'she doe not': 756000, 'doe not have': 251498, 'not have face': 569832, 'have face mask': 380546, 'face mask to': 294600, 'mask to wear': 519430, 'to wear amp': 918420, 'wear amp ha': 974283, 'amp ha to': 53898, 'ha to wash': 372322, 'to wash her': 918346, 'wash her plastic': 967503, 'her plastic glove': 392305, 'plastic glove at': 658847, 'glove at the': 352605, 'end of each': 275897, 'of each shift': 582906, 'each shift so': 264271, 'shift so she': 758407, 'so she can': 778188, 'she can reuse': 755926, 'can reuse them': 159481, 'reuse them from': 720179, 'them from toronto': 875759, 'from toronto to': 338111, 'toronto to like': 926004, 'to like grocery': 909277, 'like grocery store': 490347, 'grocery store cleaner': 365284, 'store cleaner ariadni': 806987, 'cleaner ariadni deserve': 180751, 'ariadni deserve safe': 92774, 'deserve safe workplace': 238116, 'safe workplace now': 730161, 'workplace now more': 1009205, 'now more than': 575315, 'more than ever': 540615, 'soared': 779288, 'predominantly': 669702, 'for rice': 325222, 'rice flour': 721050, 'and cooking': 60540, 'cooking oil': 202885, 'oil ha': 596850, 'ha soared': 371979, 'soared over': 779299, 'week in': 976360, 'in predominantly': 426921, 'predominantly asian': 669703, 'asian muslim': 95311, 'muslim area': 546416, 'area in': 92064, 'uk due': 938314, 'consumer demand for': 197134, 'demand for rice': 235488, 'for rice flour': 325224, 'rice flour and': 721051, 'flour and cooking': 311067, 'and cooking oil': 60543, 'cooking oil ha': 202890, 'oil ha soared': 596856, 'ha soared over': 371983, 'soared over the': 779300, 'over the last': 630737, 'the last week': 859055, 'last week in': 480655, 'week in predominantly': 976381, 'in predominantly asian': 426922, 'predominantly asian muslim': 669704, 'asian muslim area': 95312, 'muslim area in': 546417, 'area in the': 92074, 'the uk due': 870210, 'uk due to': 938315, 'to the outbreak': 916931, 'the outbreak of': 862670, 'outbreak of the': 628488, 'pair': 634321, 'isn': 454413, 'sanitary': 733795, 'tear': 835917, 'my daughter': 547921, 'daughter may': 226888, 'may not': 521368, 'be healthcare': 115169, 'healthcare worker': 387338, 'worker but': 1006553, 'but she': 147023, 'she cashier': 755935, 'cashier at': 166483, 'store she': 810049, 'she been': 755881, 'been limited': 121461, 'one pair': 606829, 'pair of': 634332, 'of glove': 584161, 'glove per': 352858, 'per shift': 651015, 'shift she': 758402, 'wa told': 963535, 'just wash': 470234, 'wash them': 967550, 'them before': 875468, 'before break': 122672, 'break know': 138759, 'know this': 476885, 'this isn': 888481, 'isn sanitary': 454657, 'sanitary it': 733802, 'doesn work': 251997, 'work when': 1005996, 'have tear': 382931, 'tear in': 835949, 'in them': 429794, 'my daughter may': 547933, 'daughter may not': 226889, 'may not be': 521370, 'not be healthcare': 568395, 'be healthcare worker': 115170, 'healthcare worker but': 387349, 'worker but she': 1006560, 'but she cashier': 147024, 'she cashier at': 755936, 'cashier at grocery': 166485, 'grocery store she': 365763, 'store she been': 810050, 'she been limited': 755883, 'been limited to': 121463, 'limited to one': 492775, 'to one pair': 910918, 'one pair of': 606830, 'pair of glove': 634335, 'of glove per': 584165, 'glove per shift': 352859, 'per shift she': 651016, 'shift she wa': 758403, 'she wa told': 756431, 'wa told to': 963546, 'told to just': 923752, 'to just wash': 908733, 'just wash them': 470237, 'wash them before': 967551, 'them before break': 875469, 'before break know': 122673, 'break know this': 138760, 'know this isn': 476894, 'this isn sanitary': 888492, 'isn sanitary it': 454658, 'sanitary it doesn': 733803, 'it doesn work': 457646, 'doesn work when': 252002, 'work when they': 1005999, 'when they have': 984263, 'they have tear': 882386, 'have tear in': 382932, 'tear in them': 835951, 'project': 683464, 'delay': 232663, 'cancellation': 160998, 'firm': 308299, 'commercial': 188664, 'dwindles': 263671, 'some project': 783655, 'project may': 683513, 'may face': 521165, 'face delay': 294391, 'delay or': 232733, 'or cancellation': 614655, 'cancellation the': 161075, 'outbreak force': 628230, 'force firm': 328382, 'firm to': 308438, 'reduce staff': 705937, 'and commercial': 60136, 'commercial support': 188739, 'support dwindles': 826463, 'dwindles result': 263674, 'of lower': 586049, 'lower oil': 505922, 'oil and': 596610, 'and gas': 63470, 'and related': 70182, 'related news': 708490, 'news visit': 560948, 'some project may': 783656, 'project may face': 683514, 'may face delay': 521166, 'face delay or': 294392, 'delay or cancellation': 232734, 'or cancellation the': 614656, 'cancellation the outbreak': 161076, 'the outbreak force': 862627, 'outbreak force firm': 628232, 'force firm to': 328383, 'firm to reduce': 308445, 'to reduce staff': 913040, 'reduce staff and': 705938, 'staff and commercial': 792130, 'and commercial support': 60140, 'commercial support dwindles': 188740, 'support dwindles result': 826464, 'dwindles result of': 263675, 'result of lower': 717601, 'of lower oil': 586053, 'lower oil and': 505923, 'oil and gas': 596616, 'and gas price': 63483, 'gas price for': 343966, 'price for this': 674066, 'for this and': 327008, 'this and related': 886345, 'and related news': 70184, 'related news visit': 708494, 'searching': 743318, 'differently': 242151, 'connection': 194690, 'adjusting': 32344, 'so insight': 777408, 'from search': 337193, 'search data': 743230, 'data people': 226336, 'are searching': 89878, 'searching differently': 743321, 'differently critical': 242156, 'critical information': 218587, 'information making': 437886, 'making connection': 510997, 'connection adjusting': 194691, 'adjusting routine': 32353, 'routine praising': 726523, 'praising everyday': 668898, 'everyday hero': 286571, 'hero taking': 394102, 'themselves and': 876748, 'and others': 68433, 'so insight from': 777409, 'insight from search': 439556, 'from search data': 337194, 'search data people': 743232, 'data people are': 226337, 'people are searching': 647066, 'are searching differently': 89879, 'searching differently critical': 743322, 'differently critical information': 242157, 'critical information making': 218588, 'information making connection': 437887, 'making connection adjusting': 510998, 'connection adjusting routine': 194692, 'adjusting routine praising': 32354, 'routine praising everyday': 726524, 'praising everyday hero': 668899, 'everyday hero taking': 286572, 'hero taking care': 394103, 'care of themselves': 164120, 'of themselves and': 591783, 'themselves and others': 876759, 'adult': 32778, 'fault': 300392, 'aged': 37930, 'daughter is': 226864, 'is 16': 445164, '16 and': 4091, 'and ha': 64060, 'ha story': 372077, 'story like': 812030, 'like that': 491310, 'that from': 843957, 'from her': 335766, 'her friend': 392059, 'friend with': 333915, 'with supermarket': 1001047, 'supermarket job': 821203, 'job one': 466053, 'of them': 591719, 'them said': 876240, 'said why': 731587, 'do adult': 249032, 'adult act': 32784, 'like covid': 490058, 'my fault': 548255, 'fault or': 300412, 'or having': 615594, 'to middle': 910115, 'middle aged': 530616, 'aged woman': 37958, 'woman who': 1003671, 'who refused': 989516, 'refused to': 707067, 'back box': 106909, 'box of': 137106, 'my daughter is': 547929, 'daughter is 16': 226865, 'is 16 and': 445166, '16 and ha': 4094, 'and ha story': 64086, 'ha story like': 372078, 'story like that': 812032, 'like that from': 491317, 'that from her': 843959, 'from her friend': 335767, 'her friend with': 392063, 'friend with supermarket': 333918, 'with supermarket job': 1001056, 'supermarket job one': 821207, 'job one of': 466054, 'one of them': 606766, 'of them said': 591760, 'them said why': 876241, 'said why do': 731589, 'why do adult': 990928, 'do adult act': 249033, 'adult act like': 32785, 'act like covid': 29679, 'like covid 19': 490059, '19 is my': 8009, 'is my fault': 449791, 'my fault or': 548257, 'fault or having': 300413, 'or having to': 615599, 'having to stand': 384366, 'to stand up': 915166, 'stand up to': 793605, 'up to middle': 946400, 'to middle aged': 910116, 'middle aged woman': 530620, 'aged woman who': 37959, 'woman who refused': 1003683, 'who refused to': 989517, 'refused to put': 707075, 'put back box': 690525, 'back box of': 106910, 'uv': 951466, 'wand': 965549, 'handheld': 376115, 'ultra': 939169, 'violet': 957571, 'bacteria': 107656, 'germ': 346079, 'sterilizer': 799868, 'mini uv': 533035, 'uv sanitizer': 951486, 'sanitizer wand': 736025, 'wand handheld': 965550, 'handheld ultra': 376116, 'ultra violet': 939178, 'violet light': 957572, 'light kill': 489541, 'kill bacteria': 474348, 'bacteria germ': 107674, 'germ sterilizer': 346155, 'mini uv sanitizer': 533036, 'uv sanitizer wand': 951490, 'sanitizer wand handheld': 736026, 'wand handheld ultra': 965551, 'handheld ultra violet': 376117, 'ultra violet light': 939179, 'violet light kill': 957573, 'light kill bacteria': 489542, 'kill bacteria germ': 474350, 'bacteria germ sterilizer': 107675, 'asos': 96196, 'plt': 661204, 'how am': 407341, 'am suppose': 50454, 'suppose to': 827322, 'hide all': 394826, 'my asos': 547336, 'asos plt': 96199, 'plt delivery': 661205, 'my parent': 549683, 'parent during': 641619, 'lockdown asking': 499176, 'for myself': 323762, 'how am suppose': 407347, 'am suppose to': 50455, 'suppose to hide': 827327, 'to hide all': 907727, 'hide all my': 394827, 'all my asos': 43539, 'my asos plt': 547337, 'asos plt delivery': 96200, 'plt delivery from': 661206, 'delivery from my': 234047, 'from my parent': 336521, 'my parent during': 549690, 'parent during lockdown': 641620, 'during lockdown asking': 262759, 'lockdown asking for': 499177, 'asking for myself': 95993, 'excuse': 289736, 'crappy': 214929, 'lunchboxes': 506759, 'hoarding empty': 399276, 'shelf supermarket': 757624, 'supermarket fight': 820306, 'fight strict': 304879, 'on packaged': 602668, 'packaged good': 633485, 'good finally': 357036, 'finally some': 306101, 'some good': 782957, 'good excuse': 357023, 'excuse for': 289742, 'my crappy': 547850, 'crappy lunchboxes': 214937, 'hoarding empty shelf': 399277, 'empty shelf supermarket': 275093, 'shelf supermarket fight': 757626, 'supermarket fight strict': 820308, 'fight strict limit': 304880, 'limit on packaged': 492418, 'on packaged good': 602669, 'packaged good finally': 633490, 'good finally some': 357037, 'finally some good': 306102, 'some good excuse': 782963, 'good excuse for': 357024, 'excuse for my': 289744, 'for my crappy': 323691, 'my crappy lunchboxes': 547852, 'deferral': 232180, 'collection': 186397, 'program': 683191, 'blend': 132572, 'human': 410394, 'when covid': 983311, '19 deferral': 6466, 'deferral end': 232181, 'end better': 275792, 'better collection': 128239, 'collection program': 186460, 'program will': 683320, 'be critical': 114293, 'critical coronavirus': 218536, 'coronavirus impact': 206104, 'on job': 601732, 'job will': 466292, 'will drive': 993255, 'drive collection': 259013, 'collection issue': 186440, 'issue lender': 455833, 'lender must': 486238, 'must blend': 546564, 'blend human': 132577, 'human and': 410403, 'and tech': 73064, 'tech effort': 836079, 'people well': 650182, 'well but': 978077, 'but ensure': 145655, 'ensure recovery': 278020, 'recovery the': 705403, 'the post': 864078, 'post when': 666405, 'when covid 19': 983312, 'covid 19 deferral': 212923, '19 deferral end': 6467, 'deferral end better': 232182, 'end better collection': 275793, 'better collection program': 128240, 'collection program will': 186461, 'program will be': 683321, 'will be critical': 992413, 'be critical coronavirus': 114294, 'critical coronavirus impact': 218537, 'coronavirus impact on': 206111, 'impact on job': 417864, 'on job will': 601734, 'job will drive': 466293, 'will drive collection': 993256, 'drive collection issue': 259014, 'collection issue lender': 186441, 'issue lender must': 455834, 'lender must blend': 486239, 'must blend human': 546565, 'blend human and': 132578, 'human and tech': 410410, 'and tech effort': 73065, 'tech effort to': 836080, 'effort to treat': 269653, 'treat people well': 930873, 'people well but': 650183, 'well but ensure': 978078, 'but ensure recovery': 145656, 'ensure recovery the': 278021, 'recovery the post': 705404, 'the post when': 864098, 'post when covid': 666406, '900': 23357, 'imconfusedasf': 416884, 'wherecanigo': 985433, 'californialockdown': 155623, 'so let': 777536, 'let me': 486892, 'me get': 522802, 'get this': 348401, 'this straight': 890372, 'straight crowd': 812209, 'crowd of': 219213, 'more then': 540718, 'then 250': 876955, '250 is': 16022, 'is restricted': 451480, 'restricted but': 717130, 'store ha': 807993, 'ha 900': 369422, '900 people': 23387, 'it and': 456480, 'that just': 844785, 'just the': 469987, 'line alone': 492942, 'alone imconfusedasf': 46867, 'imconfusedasf wherecanigo': 416885, 'wherecanigo californialockdown': 985434, 'so let me': 777545, 'let me get': 486899, 'me get this': 522808, 'get this straight': 348414, 'this straight crowd': 890373, 'straight crowd of': 812210, 'crowd of more': 219218, 'of more then': 586652, 'more then 250': 540719, 'then 250 is': 876956, '250 is restricted': 16023, 'is restricted but': 451481, 'restricted but the': 717131, 'but the grocery': 147341, 'grocery store ha': 365448, 'store ha 900': 807994, 'ha 900 people': 369423, '900 people in': 23389, 'people in it': 648388, 'in it and': 424226, 'it and that': 456516, 'and that just': 73198, 'that just the': 844797, 'just the line': 470005, 'the line alone': 859400, 'line alone imconfusedasf': 492943, 'alone imconfusedasf wherecanigo': 46868, 'imconfusedasf wherecanigo californialockdown': 416886, 'assisting': 96817, 'govts': 361342, 'sourced': 786592, 'mil': 531294, 'worker worldwide': 1008293, 'worldwide are': 1010321, 'are facing': 86404, 'facing shortage': 295593, 'of mask': 586254, 'sanitizer amp': 734362, 'amp thing': 54688, 'thing they': 884845, 'fight we': 304940, 're assisting': 698317, 'assisting govts': 96820, 'govts to': 361349, 'to source': 914935, 'source supply': 786548, 'week we': 977185, 've sourced': 953584, 'sourced mil': 786600, 'mil mask': 531297, 'mask equipment': 518604, 'equipment food': 279722, 'food glove': 314671, 'glove amp': 352546, 'amp sanitizer': 54438, 'frontline worker worldwide': 338875, 'worker worldwide are': 1008295, 'worldwide are facing': 1010323, 'are facing shortage': 86432, 'facing shortage of': 295595, 'shortage of mask': 765120, 'of mask hand': 586268, 'mask hand sanitizer': 518778, 'hand sanitizer amp': 375299, 'sanitizer amp thing': 734368, 'amp thing they': 54689, 'thing they need': 884851, 'need to fight': 555934, 'to fight we': 905817, 'fight we re': 304943, 'we re assisting': 972828, 're assisting govts': 698318, 'assisting govts to': 96821, 'govts to source': 361351, 'to source supply': 914939, 'source supply of': 786549, 'supply of this': 825653, 'of this week': 592068, 'this week we': 891294, 'week we ve': 977203, 'we ve sourced': 973715, 've sourced mil': 953585, 'sourced mil mask': 786601, 'mil mask equipment': 531298, 'mask equipment food': 518605, 'equipment food glove': 279723, 'food glove amp': 314672, 'glove amp sanitizer': 352549, 'microsoft': 530499, 'onmsft': 611529, 'breaking news': 138997, 'news microsoft': 560616, 'microsoft is': 530510, 'is closing': 446601, 'closing down': 183620, 'down it': 256890, 'it retail': 460743, 'store until': 811007, 'until further': 943728, 'further notice': 342095, 'notice due': 573260, 'to check': 902678, 'check it': 174477, 'out here': 626269, 'at onmsft': 99982, 'breaking news microsoft': 139007, 'news microsoft is': 560617, 'microsoft is closing': 530511, 'is closing down': 446606, 'closing down it': 183621, 'down it retail': 256895, 'it retail store': 460749, 'retail store until': 718720, 'store until further': 811010, 'until further notice': 943729, 'further notice due': 342097, 'notice due to': 573261, 'due to check': 261726, 'to check it': 902686, 'check it out': 174478, 'it out here': 460184, 'out here at': 626272, 'here at onmsft': 392788, 'hervey': 394257, 'replaced': 711597, 'toiletry': 923403, 'isle': 454338, 'filled': 305523, 'brim': 139902, '7news': 22493, 'hervey bay': 394258, 'bay ha': 112942, 'ha replaced': 371724, 'replaced their': 711604, 'their toiletry': 875010, 'toiletry isle': 923431, 'isle with': 454395, 'with trolley': 1001848, 'trolley filled': 932407, 'filled to': 305563, 'the brim': 850006, 'brim with': 139903, 'with toilet': 1001800, 'roll in': 725340, 'in bag': 420660, 'of two': 592533, 'two the': 937257, 'ha started': 372039, 'started selling': 794828, 'selling the': 749473, 'the bundle': 850116, 'bundle for': 142648, 'for each': 320897, 'each panic': 264242, 'buying hit': 150483, 'hit shelf': 398399, 'shelf across': 756679, 'world 7news': 1009256, 'hervey bay ha': 394259, 'bay ha replaced': 112943, 'ha replaced their': 371725, 'replaced their toiletry': 711605, 'their toiletry isle': 875011, 'toiletry isle with': 923432, 'isle with trolley': 454397, 'with trolley filled': 1001850, 'trolley filled to': 932408, 'filled to the': 305564, 'to the brim': 916528, 'the brim with': 850007, 'brim with toilet': 139904, 'with toilet roll': 1001802, 'toilet roll in': 921575, 'roll in bag': 725341, 'in bag of': 420663, 'bag of two': 108371, 'of two the': 592548, 'two the supermarket': 937258, 'supermarket ha started': 820650, 'ha started selling': 372049, 'started selling the': 794831, 'selling the bundle': 749474, 'the bundle for': 850117, 'bundle for each': 142649, 'for each panic': 320907, 'each panic buying': 264243, 'panic buying hit': 637761, 'buying hit shelf': 150484, 'hit shelf across': 398400, 'shelf across the': 756681, 'across the world': 29534, 'the world 7news': 871803, 'abou': 24617, 'me should': 523456, 'do some': 250118, 'some online': 783438, 'shopping my': 763306, 'my bank': 547397, 'bank account': 109544, 'account do': 28654, 'even think': 284685, 'think abou': 885074, 'abou covid': 24618, 'go anywhere': 353297, 'anywhere to': 81158, 'to spend': 914982, 'spend your': 788700, 'your money': 1024851, 'money also': 536579, 'also my': 48542, 'account but': 28641, 'but covid': 145478, '19 spend': 10732, 'me should do': 523457, 'should do some': 765931, 'do some online': 250127, 'some online shopping': 783447, 'online shopping my': 609192, 'shopping my bank': 763307, 'my bank account': 547398, 'bank account do': 109549, 'account do not': 28655, 'not even think': 569283, 'even think abou': 284686, 'think abou covid': 885075, 'abou covid 19': 24619, '19 it not': 8144, 'it not like': 459892, 'like you can': 491869, 'can go anywhere': 158491, 'go anywhere to': 353302, 'anywhere to spend': 81161, 'to spend your': 915002, 'spend your money': 788702, 'your money also': 1024852, 'money also my': 536580, 'also my bank': 48543, 'bank account but': 109546, 'account but covid': 28642, 'but covid 19': 145479, 'covid 19 spend': 213844, '19 spend your': 10733, 'tq': 928113, 'dmk': 248955, 'tq for': 928114, 'for making': 323176, 'making the': 511407, 'the precaution': 864204, 'precaution better': 669292, 'better at': 128201, 'the dmk': 853438, 'dmk leader': 248956, 'leader giving': 483461, 'giving free': 351291, 'free face': 331799, 'in outside': 426370, 'mask price': 519137, 'are high': 87146, 'high there': 395467, 'are shortage': 90072, 'shortage not': 765088, 'not govt': 569737, 'govt is': 361160, 'is of': 450397, 'tq for making': 928115, 'for making the': 323182, 'making the precaution': 511424, 'the precaution better': 864206, 'precaution better at': 669293, 'better at the': 128204, 'at the same': 101088, 'the same time': 866311, 'same time the': 733367, 'time the dmk': 897850, 'the dmk leader': 853439, 'dmk leader giving': 248957, 'leader giving free': 483462, 'giving free face': 351293, 'free face mask': 331800, 'face mask hand': 294546, 'sanitizer to the': 735949, 'to the people': 916948, 'the people in': 863480, 'people in outside': 648411, 'in outside the': 426371, 'outside the face': 629590, 'the face mask': 854805, 'face mask price': 294576, 'mask price are': 519140, 'price are high': 672675, 'are high there': 87153, 'high there are': 395468, 'there are shortage': 878160, 'are shortage not': 90074, 'shortage not govt': 765089, 'not govt is': 569738, 'govt is of': 361167, 'president of': 670863, 'of shoprite': 589676, 'shoprite grocery': 764546, 'chain in': 170795, 'in nj': 425897, 'nj dy': 563430, 'from family': 335400, 'family say': 298206, 'president of shoprite': 670873, 'of shoprite grocery': 589677, 'shoprite grocery store': 764547, 'store chain in': 806923, 'chain in nj': 170811, 'in nj dy': 425901, 'nj dy from': 563431, 'dy from family': 263731, 'from family say': 335405, 'lockdownnz': 500350, 'kiwi supermarket': 475849, 'supermarket attempt': 819260, 'quarantine the': 692607, 'british lockdownnz': 140538, 'kiwi supermarket attempt': 475850, 'supermarket attempt to': 819261, 'attempt to quarantine': 102257, 'to quarantine the': 912650, 'quarantine the british': 692608, 'the british lockdownnz': 850024, 'analysis': 57012, 'best analysis': 127572, 'analysis ve': 57091, 've seen': 953521, 'seen of': 747160, '19 impact': 7688, 'best analysis ve': 127574, 'analysis ve seen': 57092, 've seen of': 953539, 'seen of covid': 747161, 'covid 19 impact': 213249, '19 impact on': 7704, 'on consumer spending': 600080, 'steel': 799312, 'mill': 531949, 'purchasing': 689823, 'grade': 361632, 'fine': 307589, 'sintering': 771511, 'pelletizing': 646356, 'shifting': 758511, 'lump': 506679, 'pellet': 646351, 'ironore': 444951, 'chinese steel': 177354, 'steel mill': 799347, 'mill have': 531963, 'been purchasing': 121743, 'purchasing lower': 689885, 'lower grade': 505871, 'grade fine': 361649, 'fine for': 307634, 'for sintering': 325636, 'sintering or': 771512, 'or pelletizing': 616530, 'pelletizing process': 646357, 'process due': 679898, 'it cost': 457343, 'cost effectiveness': 207921, 'effectiveness how': 269386, 'how is': 408079, 'this shifting': 890065, 'shifting demand': 758527, 'demand affecting': 234910, 'affecting the': 34556, 'of lump': 586072, 'lump and': 506682, 'and pellet': 68829, 'pellet china': 646352, 'china ironore': 176740, 'ironore steel': 444956, 'steel economy': 799326, 'economy market': 268060, 'chinese steel mill': 177355, 'steel mill have': 799348, 'mill have been': 531964, 'have been purchasing': 379647, 'been purchasing lower': 121744, 'purchasing lower grade': 689886, 'lower grade fine': 505872, 'grade fine for': 361650, 'fine for sintering': 307637, 'for sintering or': 325637, 'sintering or pelletizing': 771513, 'or pelletizing process': 616531, 'pelletizing process due': 646358, 'process due to': 679899, 'due to it': 261835, 'to it cost': 908575, 'it cost effectiveness': 457346, 'cost effectiveness how': 207922, 'effectiveness how is': 269387, 'how is this': 408114, 'is this shifting': 453121, 'this shifting demand': 890066, 'shifting demand affecting': 758528, 'demand affecting the': 234911, 'affecting the price': 34566, 'price of lump': 675494, 'of lump and': 586074, 'lump and pellet': 506683, 'and pellet china': 68830, 'pellet china ironore': 646353, 'china ironore steel': 176741, 'ironore steel economy': 444957, 'steel economy market': 799327, 'follows': 312949, 'important advice': 418725, 'advice remember': 33476, 'remember if': 710211, 'if anyone': 413837, 'your household': 1024426, 'household show': 406938, 'show symptom': 767166, 'symptom that': 830934, 'be coronavirus': 114249, 'coronavirus then': 206920, 'you must': 1019908, 'must all': 546466, 'all stay': 44440, 'home that': 402213, 'that mean': 845102, 'mean no': 524565, 'one go': 606348, 'walk outside': 964856, 'outside everyone': 629415, 'everyone stay': 287400, 'in and': 420345, 'and follows': 63021, 'follows these': 312964, 'these rule': 880617, 'important advice remember': 418726, 'advice remember if': 33477, 'remember if anyone': 710212, 'if anyone in': 413846, 'anyone in your': 80383, 'in your household': 431096, 'your household show': 1024434, 'household show symptom': 406939, 'show symptom that': 767168, 'symptom that may': 830935, 'that may be': 845073, 'may be coronavirus': 520966, 'be coronavirus then': 114250, 'coronavirus then you': 206921, 'then you must': 877789, 'you must all': 1019909, 'must all stay': 546468, 'all stay at': 44442, 'at home that': 99137, 'home that mean': 402217, 'that mean no': 845115, 'mean no one': 524568, 'no one go': 564935, 'one go to': 606353, 'for walk outside': 327625, 'walk outside everyone': 964857, 'outside everyone stay': 629417, 'everyone stay in': 287404, 'stay in and': 797037, 'in and follows': 420363, 'and follows these': 63022, 'follows these rule': 312965, 'wrecked': 1012710, 'coronavirus ha': 206016, 'ha the': 372184, 'the potential': 864115, 'potential to': 667150, 'continue it': 201052, 'it affect': 456281, 'affect on': 34195, 'on manufacturer': 601989, 'manufacturer in': 513469, 'in major': 424986, 'major way': 509525, 'way it': 969671, 'ha wrecked': 372496, 'wrecked the': 1012715, 'economy of': 268108, 'many country': 513943, 'country already': 210418, 'already but': 47242, 'will it': 993858, 'it do': 457599, 'same to': 733381, 'the steel': 867863, 'steel price': 799353, 'stable manufacturer': 791935, 'manufacturer wait': 513539, 'wait see': 964188, 'coronavirus ha the': 206038, 'ha the potential': 372220, 'the potential to': 864130, 'potential to continue': 667152, 'to continue it': 903388, 'continue it affect': 201053, 'it affect on': 456287, 'affect on manufacturer': 34196, 'on manufacturer in': 601990, 'manufacturer in major': 513471, 'in major way': 424992, 'major way it': 509526, 'way it ha': 969674, 'it ha wrecked': 458422, 'ha wrecked the': 372497, 'wrecked the economy': 1012716, 'the economy of': 854001, 'economy of many': 268112, 'of many country': 586175, 'many country already': 513945, 'country already but': 210419, 'already but will': 47245, 'but will it': 147881, 'will it do': 993866, 'it do the': 457604, 'the same to': 866312, 'same to the': 733387, 'to the steel': 917095, 'the steel price': 867866, 'steel price remain': 799355, 'remain stable manufacturer': 709859, 'stable manufacturer wait': 791936, 'manufacturer wait see': 513540, 'peace': 645987, 'frenzy': 332772, 'in australia': 420592, 'australia opened': 103339, 'opened it': 612739, 'it door': 457675, 'door an': 255500, 'hour early': 405562, 'early so': 264695, 'and disabled': 61386, 'disabled can': 243888, 'can shop': 159597, 'in peace': 426563, 'peace without': 646022, 'without the': 1002959, 'buying frenzy': 150375, 'this supermarket in': 890430, 'supermarket in australia': 820863, 'in australia opened': 420612, 'australia opened it': 103341, 'opened it door': 612740, 'it door an': 457676, 'door an hour': 255501, 'an hour early': 56081, 'hour early so': 405567, 'early so that': 264696, 'so that the': 778396, 'that the elderly': 846715, 'elderly and disabled': 270569, 'and disabled can': 61389, 'disabled can shop': 243890, 'can shop in': 159605, 'shop in peace': 760315, 'in peace without': 426570, 'peace without the': 646023, 'without the panic': 1002973, 'the panic buying': 863191, 'panic buying frenzy': 637740, 'paramedic': 641365, '19uk': 12548, 'paramedic struggling': 641403, 'food uk': 317383, 'uk panic': 938606, 'buy over': 149068, 'over lockdown': 630364, 'lockdown fear': 499374, 'fear 19uk': 301000, 'paramedic struggling to': 641404, 'struggling to get': 814504, 'get food uk': 347072, 'food uk panic': 317384, 'uk panic buy': 938607, 'panic buy over': 637517, 'buy over lockdown': 149070, 'over lockdown fear': 630365, 'lockdown fear 19uk': 499375, 'hc': 384650, 'keralahighcourt': 473114, 'chinavirus': 177134, '19 hc': 7466, 'hc asks': 384651, 'asks govt': 96140, 'to file': 905825, 'file statement': 305369, 'statement on': 796196, 'on action': 599157, 'action taken': 30142, 'taken to': 833092, 'contain price': 200483, 'sanitizer mask': 735347, 'mask keralahighcourt': 518896, 'keralahighcourt handsanitizer': 473115, 'handsanitizer mask': 376580, 'mask 19': 518253, '19 chinavirus': 5796, 'covid 19 hc': 213193, '19 hc asks': 7467, 'hc asks govt': 384652, 'asks govt to': 96141, 'govt to file': 361312, 'to file statement': 905832, 'file statement on': 305370, 'statement on action': 796197, 'on action taken': 599158, 'action taken to': 30144, 'taken to contain': 833094, 'to contain price': 903366, 'contain price of': 200484, 'price of hand': 675466, 'hand sanitizer mask': 375486, 'sanitizer mask keralahighcourt': 735356, 'mask keralahighcourt handsanitizer': 518897, 'keralahighcourt handsanitizer mask': 473116, 'handsanitizer mask 19': 376581, 'mask 19 chinavirus': 518254, 'segovia': 747402, 'their home': 873554, 'home stock': 402149, 'and additional': 57679, 'additional supply': 31881, 'supply covid': 825117, '19 continues': 6029, 'to strike': 915671, 'strike fear': 813737, 'nation segovia': 552307, 'family in their': 297927, 'in their home': 429748, 'their home stock': 873573, 'home stock up': 402150, 'up for food': 944935, 'for food and': 321550, 'food and additional': 313168, 'and additional supply': 57682, 'additional supply covid': 31882, 'supply covid 19': 825118, 'covid 19 continues': 212857, '19 continues to': 6031, 'continues to strike': 201500, 'to strike fear': 915672, 'strike fear in': 813738, 'in the heart': 429263, 'of the nation': 591262, 'the nation segovia': 861262, 'tokyo': 923483, 'reuters': 720191, 'third': 886064, 'session': 753261, 'darkened': 225993, 'triggered': 931903, 'ec': 266589, 'tokyo reuters': 923500, 'reuters oil': 720202, 'fell for': 303192, 'for third': 327003, 'third session': 886101, 'session on': 753296, 'on wednesday': 605163, 'wednesday to': 975697, 'be down': 114584, 'down about': 256437, 'about 17': 24651, '17 so': 4385, 'far this': 298940, 'week the': 976983, 'the outlook': 862740, 'outlook for': 629147, 'for fuel': 321796, 'fuel demand': 340153, 'demand darkened': 235206, 'darkened amid': 225994, 'amid travel': 52731, 'travel and': 930247, 'and social': 71876, 'social lockdown': 779829, 'lockdown triggered': 500078, 'triggered by': 931906, 'coronavirus epidemic': 205877, 'epidemic crude': 279360, 'oil ec': 596763, 'tokyo reuters oil': 923501, 'reuters oil price': 720203, 'price fell for': 673849, 'fell for third': 303195, 'for third session': 327004, 'third session on': 886102, 'session on wednesday': 753301, 'on wednesday to': 605184, 'wednesday to be': 975699, 'to be down': 901218, 'be down about': 114586, 'down about 17': 256440, 'about 17 so': 24652, '17 so far': 4386, 'so far this': 777061, 'far this week': 298944, 'this week the': 891279, 'week the outlook': 977001, 'the outlook for': 862742, 'outlook for fuel': 629153, 'for fuel demand': 321799, 'fuel demand darkened': 340155, 'demand darkened amid': 235207, 'darkened amid travel': 225995, 'amid travel and': 52732, 'travel and social': 930260, 'and social lockdown': 71890, 'social lockdown triggered': 779831, 'lockdown triggered by': 500079, 'triggered by the': 931909, 'by the coronavirus': 154297, 'the coronavirus epidemic': 851842, 'coronavirus epidemic crude': 205880, 'epidemic crude oil': 279361, 'crude oil ec': 219557, 'signal': 769291, 'sachet': 729032, 'ministryofwatergh': 533583, 'ministryofinfomation': 533581, 'ghanahealthservice': 349596, 'suggest ghana': 817511, 'ghana also': 349554, 'also send': 48853, 'send signal': 749945, 'signal to': 769320, 'reduce price': 705894, 'of sachet': 589204, 'sachet water': 729035, 'and bottle': 59091, 'bottle water': 136346, 'water in': 969028, 'month free': 537735, 'free water': 332305, 'supply ministryofwatergh': 825567, 'ministryofwatergh ministryofinfomation': 533584, 'ministryofinfomation ghanahealthservice': 533582, 'suggest ghana also': 817512, 'ghana also send': 349555, 'also send signal': 48855, 'send signal to': 749946, 'signal to reduce': 769323, 'to reduce price': 913031, 'reduce price of': 705901, 'price of sachet': 675558, 'of sachet water': 589205, 'sachet water and': 729036, 'water and bottle': 968856, 'and bottle water': 59095, 'bottle water in': 136348, 'water in this': 969032, 'in this month': 429979, 'this month free': 888908, 'month free water': 537740, 'free water supply': 332306, 'water supply ministryofwatergh': 969188, 'supply ministryofwatergh ministryofinfomation': 825568, 'ministryofwatergh ministryofinfomation ghanahealthservice': 533585, 'basic': 111822, 'nappy': 551873, 'materialising': 520447, 'disorder': 246074, 'the sign': 867175, 'sign of': 769153, 'of shortage': 589680, 'and basic': 58713, 'basic essential': 111868, 'essential like': 281282, 'like milk': 490776, 'milk baby': 531582, 'baby food': 106602, 'food nappy': 315503, 'nappy etc': 551885, 'already materialising': 47525, 'materialising in': 520448, 'in london': 424873, 'london now': 501141, 'now public': 575617, 'public disorder': 687945, 'disorder breaking': 246075, 'breaking out': 139020, 'out in': 626370, 'supermarket panic': 821898, 'panic uk': 638738, 'uk shortage': 938712, 'shortage panickbuyinguk': 765166, 'panickbuyinguk disorder': 639234, 'the sign of': 867179, 'sign of shortage': 769172, 'of shortage of': 589683, 'of food and': 583646, 'food and basic': 313182, 'and basic essential': 58716, 'basic essential like': 111871, 'essential like milk': 281286, 'like milk baby': 490777, 'milk baby food': 531583, 'baby food nappy': 106608, 'food nappy etc': 315504, 'nappy etc are': 551886, 'etc are already': 282417, 'are already materialising': 84418, 'already materialising in': 47526, 'materialising in london': 520449, 'in london now': 424891, 'london now public': 501143, 'now public disorder': 575618, 'public disorder breaking': 687946, 'disorder breaking out': 246076, 'breaking out in': 139021, 'out in supermarket': 626399, 'in supermarket panic': 428645, 'supermarket panic uk': 821906, 'panic uk shortage': 638739, 'uk shortage panickbuyinguk': 938713, 'shortage panickbuyinguk disorder': 765167, 'configure': 194033, 'for changed': 320013, 'changed world': 172605, 'world will': 1010184, 'change business': 171958, 'and society': 71919, 'society in': 781244, 'in important': 423987, 'important way': 419099, 'is likely': 449341, 'to fuel': 906289, 'fuel area': 340122, 'area like': 92094, 'like online': 490926, 'online education': 608156, 'education and': 268804, 'and public': 69736, 'health investment': 386560, 'investment for': 443995, 'for example': 321269, 'example it': 288910, 'change how': 172089, 'how company': 407571, 'company configure': 190560, 'configure their': 194034, 'their supply': 874915, 'prepare for changed': 670070, 'for changed world': 320014, 'changed world will': 172608, 'world will change': 1010187, 'will change business': 992906, 'change business and': 171959, 'business and society': 143333, 'and society in': 71921, 'society in important': 781246, 'in important way': 423989, 'important way it': 419100, 'way it is': 969675, 'it is likely': 458999, 'is likely to': 449354, 'likely to fuel': 492155, 'to fuel area': 906290, 'fuel area like': 340123, 'area like online': 92097, 'like online shopping': 490928, 'online shopping online': 609207, 'shopping online education': 763428, 'online education and': 608157, 'education and public': 268808, 'and public health': 69741, 'public health investment': 688070, 'health investment for': 386562, 'investment for example': 443996, 'for example it': 321284, 'example it will': 288913, 'it will change': 462381, 'will change how': 992913, 'change how company': 172090, 'how company configure': 407574, 'company configure their': 190561, 'configure their supply': 194035, 'their supply chain': 874917, 'galen': 342924, 'weston': 980695, 'loblaw': 497611, 'sdm': 743035, 'forthecustomer': 329804, 'here what': 393797, 'what galen': 981490, 'galen weston': 342925, 'weston want': 980704, 'want you': 966178, 'know about': 476206, 'local loblaw': 498156, 'loblaw grocery': 497616, 'and sdm': 71096, 'sdm pharmacy': 743038, 'pharmacy response': 654431, '19 employee': 6770, 'employee 19': 273505, '19 forthecustomer': 7097, 'here what galen': 393807, 'what galen weston': 981491, 'galen weston want': 342927, 'weston want you': 980705, 'want you to': 966183, 'you to know': 1021796, 'to know about': 908970, 'know about your': 476230, 'about your local': 27004, 'your local loblaw': 1024704, 'local loblaw grocery': 498157, 'loblaw grocery store': 497617, 'store and sdm': 806339, 'and sdm pharmacy': 71097, 'sdm pharmacy response': 743039, 'pharmacy response to': 654432, 'covid 19 employee': 213018, '19 employee 19': 6771, 'employee 19 forthecustomer': 273506, 'la': 478124, 'vega': 953806, 'lingering': 493704, 'lasvegas': 480806, 'recordnews': 705143, 'house price': 406468, 'in la': 424559, 'la vega': 478227, 'vega hit': 953816, 'hit record': 398384, 'record high': 704973, 'high in': 395119, 'despite coronavirus': 238707, 'coronavirus lingering': 206230, 'lingering lasvegas': 493711, 'lasvegas recordnews': 480815, 'house price in': 406492, 'price in la': 674703, 'in la vega': 424567, 'la vega hit': 478232, 'vega hit record': 953817, 'hit record high': 398385, 'record high in': 704978, 'high in march': 395128, 'march despite coronavirus': 515341, 'despite coronavirus lingering': 238708, 'coronavirus lingering lasvegas': 206231, 'lingering lasvegas recordnews': 493712, 'college': 186595, 'mail': 508565, 'shopoholic': 761263, 'intervention': 442175, 'entered': 278345, 'destruction': 239102, 'now that': 575994, 'that back': 842914, 'home instead': 401430, 'of college': 581533, 'college my': 186631, 'is seeing': 451706, 'seeing all': 746208, 'my online': 549576, 'shopping package': 763581, 'package come': 633237, 'the mail': 859890, 'mail she': 508652, 'she just': 756171, 'just asked': 468226, 'asked if': 95769, 'wa shopoholic': 963199, 'shopoholic and': 761264, 'and if': 64931, 'if needed': 414455, 'needed an': 556287, 'an intervention': 56424, 'intervention covid': 442181, 'ha entered': 370508, 'entered whole': 278381, 'whole new': 990268, 'new level': 559020, 'of destruction': 582563, 'now that back': 575996, 'that back at': 842915, 'back at home': 106889, 'at home instead': 99014, 'home instead of': 401431, 'instead of college': 440245, 'of college my': 581535, 'college my mom': 186632, 'mom is seeing': 535758, 'is seeing all': 451707, 'seeing all of': 746209, 'all of my': 43704, 'of my online': 586799, 'my online shopping': 549583, 'online shopping package': 609216, 'shopping package come': 763582, 'package come in': 633238, 'come in the': 187377, 'in the mail': 429336, 'the mail she': 859894, 'mail she just': 508653, 'she just asked': 756172, 'just asked if': 468228, 'asked if wa': 95777, 'if wa shopoholic': 415239, 'wa shopoholic and': 963200, 'shopoholic and if': 761265, 'and if needed': 64939, 'if needed an': 414457, 'needed an intervention': 556289, 'an intervention covid': 56425, 'intervention covid 19': 442182, '19 ha entered': 7343, 'ha entered whole': 370510, 'entered whole new': 278382, 'whole new level': 990270, 'new level of': 559024, 'level of destruction': 487631, 'retailnews': 719509, 'brickandmortar': 139596, 'closure increase': 183915, 'increase retail': 433043, 'retail retailnews': 718480, 'retailnews brickandmortar': 719510, 'store closure increase': 807095, 'closure increase retail': 183918, 'increase retail retailnews': 433044, 'retail retailnews brickandmortar': 718481, 'nestlequick': 557528, 'coca': 185180, 'cola': 185717, 'acquired': 29167, 'you stocking': 1021425, 'on nestlequick': 602365, 'nestlequick chocolate': 557529, 'chocolate milk': 177688, 'milk paper': 531766, 'towel coca': 927314, 'coca cola': 185181, 'cola that': 185718, 'for now': 323955, 'now haven': 574890, 'haven even': 383798, 'even acquired': 283805, 'acquired those': 29180, 'those item': 892135, 'item yet': 463857, 'yet lol': 1016139, 'are you stocking': 91862, 'you stocking up': 1021426, 'up on nestlequick': 945597, 'on nestlequick chocolate': 602366, 'nestlequick chocolate milk': 557530, 'chocolate milk paper': 177689, 'milk paper towel': 531767, 'paper towel coca': 640988, 'towel coca cola': 927315, 'coca cola that': 185182, 'cola that all': 185719, 'that all for': 842547, 'all for now': 42842, 'for now haven': 323971, 'now haven even': 574891, 'haven even acquired': 383799, 'even acquired those': 283806, 'acquired those item': 29181, 'those item yet': 892141, 'item yet lol': 463858, 'fewer': 304195, 'alerting': 41562, 'document': 251188, 'existed': 290260, 'washington food': 967773, 'bank are': 109635, 'seeing higher': 746316, 'higher demand': 395567, 'demand fewer': 235342, 'fewer volunteer': 304243, 'volunteer and': 960211, 'and with': 75757, 'with thousand': 1001754, 'thousand more': 893415, 'more unemployed': 540852, 'unemployed every': 941115, 'every week': 286358, 'week it': 976432, 'it going': 458277, 'get worse': 348643, 'worse to': 1011041, 'for alerting': 319102, 'alerting to': 41563, 'to document': 904607, 'document we': 251218, 'we didn': 971298, 'didn know': 241120, 'know existed': 476374, 'washington food bank': 967774, 'food bank are': 313521, 'bank are seeing': 109658, 'are seeing higher': 89900, 'seeing higher demand': 746317, 'higher demand fewer': 395574, 'demand fewer volunteer': 235343, 'fewer volunteer and': 304244, 'volunteer and with': 960218, 'and with thousand': 75781, 'with thousand more': 1001755, 'thousand more unemployed': 893418, 'more unemployed every': 540853, 'unemployed every week': 941116, 'every week it': 286364, 'week it going': 976434, 'it going to': 458284, 'going to get': 355608, 'to get worse': 906647, 'get worse to': 348658, 'worse to for': 1011042, 'to for alerting': 906129, 'for alerting to': 319103, 'alerting to document': 41564, 'to document we': 904611, 'document we didn': 251219, 'we didn know': 971302, 'didn know existed': 241122, 'uncharted': 939794, 'all nurse': 43668, 'doctor health': 250945, 'worker truck': 1008051, 'driver grocery': 259587, 'employee thank': 274282, 'you many': 1019783, 'many of': 514364, 'in uncharted': 430410, 'uncharted water': 939800, 'water right': 969140, 'now but': 574279, 'without all': 1002477, 'you we': 1022194, 'we would': 973962, 'would truly': 1012343, 'truly be': 933266, 'brink so': 140301, 'so thank': 778351, 'do thank': 250211, 'to all nurse': 900269, 'all nurse doctor': 43669, 'nurse doctor health': 577296, 'doctor health worker': 250947, 'health worker truck': 386994, 'worker truck driver': 1008052, 'truck driver grocery': 932781, 'driver grocery store': 259590, 'store employee thank': 807549, 'employee thank you': 274283, 'thank you many': 841774, 'you many of': 1019784, 'many of are': 514366, 'of are in': 580348, 'are in uncharted': 87456, 'in uncharted water': 430412, 'uncharted water right': 939803, 'water right now': 969141, 'right now but': 722037, 'now but without': 574297, 'but without all': 147906, 'without all of': 1002478, 'of you we': 593431, 'you we would': 1022209, 'we would truly': 973979, 'would truly be': 1012344, 'truly be on': 933268, 'be on the': 116211, 'on the brink': 604001, 'the brink so': 850013, 'brink so thank': 140302, 'so thank you': 778352, 'you for everything': 1018634, 'for everything you': 321263, 'everything you do': 288134, 'you do thank': 1018274, 'do thank you': 250212, 'of neighbor': 586933, 'neighbor in': 557041, 'need please': 555436, 'help stock': 390574, 'up our': 945698, 'local food': 497959, 'bank foodbank': 109838, 'lot of neighbor': 504236, 'of neighbor in': 586934, 'neighbor in need': 557043, 'in need please': 425762, 'need please help': 555440, 'please help stock': 660081, 'help stock up': 390583, 'stock up our': 803107, 'up our local': 945703, 'our local food': 623770, 'local food bank': 497962, 'food bank foodbank': 313573, 'imposter': 419412, 'of government': 584266, 'government imposter': 360211, 'imposter scam': 419415, 'ha more': 371287, 'more information': 539571, 'information on': 437906, 'yourself here': 1026640, 'beware of government': 129082, 'of government imposter': 584275, 'government imposter scam': 360212, 'imposter scam related': 419417, '19 ha more': 7367, 'ha more information': 371293, 'more information on': 539589, 'information on how': 437915, 'on how to': 601427, 'how to protect': 409061, 'to protect yourself': 912349, 'protect yourself here': 685096, 'captain': 162915, '2m': 16657, 'hockeyfamily': 399803, 'picture': 656097, '4yrs': 19566, 'remember everyone': 710187, 'everyone keep': 287134, 'your social': 1025849, 'social distance': 779492, 'distance at': 246653, 'time be': 896363, 'like your': 491891, 'your captain': 1023121, 'captain keep': 162918, 'keep more': 471675, 'than 2m': 840216, '2m away': 16669, 'others wash': 621758, 'regularly use': 707966, 'sanitizer be': 734548, 'vigilant keep': 957248, 'your distance': 1023527, 'distance hockeyfamily': 246729, 'hockeyfamily this': 399804, 'this picture': 889576, 'picture wa': 656209, 'wa taken': 963392, 'taken 4yrs': 832930, '4yrs ago': 19567, 'remember everyone keep': 710188, 'everyone keep your': 287138, 'keep your social': 472285, 'your social distance': 1025852, 'social distance at': 779497, 'distance at all': 246654, 'at all time': 97914, 'all time be': 45217, 'time be like': 896364, 'be like your': 115754, 'like your captain': 491893, 'your captain keep': 1023122, 'captain keep more': 162919, 'keep more than': 471677, 'more than 2m': 540559, 'than 2m away': 840217, '2m away from': 16670, 'away from others': 105900, 'from others wash': 336750, 'others wash your': 621759, 'hand regularly use': 375204, 'regularly use hand': 707967, 'hand sanitizer be': 375320, 'sanitizer be vigilant': 734550, 'be vigilant keep': 118002, 'vigilant keep your': 957249, 'keep your distance': 472261, 'your distance hockeyfamily': 1023534, 'distance hockeyfamily this': 246730, 'hockeyfamily this picture': 399805, 'this picture wa': 889582, 'picture wa taken': 656210, 'wa taken 4yrs': 963393, 'taken 4yrs ago': 832931, 'jamming': 464437, 'checkout': 174879, 'surely allowing': 827891, 'allowing online': 46311, 'shopping pick': 763627, 'up is': 945221, 'is better': 446148, 'than the': 841213, 'the crowd': 852516, 'crowd currently': 219151, 'currently jamming': 221574, 'jamming the': 464440, 'the checkout': 850754, 'checkout selfisolating': 175000, 'surely allowing online': 827892, 'allowing online shopping': 46312, 'online shopping pick': 609223, 'shopping pick up': 763628, 'pick up is': 655732, 'up is better': 945223, 'is better than': 446154, 'better than the': 128538, 'than the crowd': 841227, 'the crowd currently': 852523, 'crowd currently jamming': 219152, 'currently jamming the': 221575, 'jamming the checkout': 464441, 'the checkout selfisolating': 850774, 'matter': 520538, 'rotten': 726203, 'tomato': 923943, 'soup': 786364, 'screwed': 742814, 'just said': 469664, 'said it': 731144, 'doesn matter': 251880, 'matter if': 520575, 'market go': 516460, 'go down': 353482, 'down you': 257520, 'can always': 157476, 'always use': 49778, 'use rotten': 949525, 'rotten tomato': 726210, 'tomato to': 923974, 'make soup': 510482, 'soup it': 786386, 'ha also': 369517, 'also been': 47937, 'been said': 121878, 'said that': 731392, 'economy are': 267662, 'are consumer': 85524, 'consumer we': 199488, 're screwed': 699442, 'just said it': 469668, 'said it doesn': 731151, 'it doesn matter': 457635, 'doesn matter if': 251882, 'matter if the': 520580, 'if the market': 414999, 'the market go': 860113, 'market go down': 516461, 'go down you': 353504, 'down you can': 257522, 'you can always': 1017619, 'can always use': 157484, 'always use rotten': 49781, 'use rotten tomato': 949526, 'rotten tomato to': 726211, 'tomato to make': 923975, 'to make soup': 909742, 'make soup it': 510484, 'soup it ha': 786387, 'it ha also': 458378, 'ha also been': 369520, 'also been said': 47942, 'been said that': 121880, 'said that of': 731411, 'that of the': 845455, 'the economy are': 853936, 'economy are consumer': 267666, 'are consumer we': 85533, 'consumer we re': 199490, 'we re screwed': 972957, 'pursuit': 690222, 'university': 942400, 'war petrol': 966511, '19 pursuit': 9880, 'pursuit by': 690223, 'the university': 870431, 'university of': 942445, 'of melbourne': 586424, 'oil war petrol': 597503, 'war petrol price': 966512, 'petrol price and': 653757, 'price and covid': 672385, 'covid 19 pursuit': 213633, '19 pursuit by': 9881, 'pursuit by the': 690224, 'by the university': 154468, 'the university of': 870434, 'university of melbourne': 942449, 'quarantinediaries': 692898, 'perfect': 651271, 'journaling': 467398, 'quarantineactivities': 692733, 'quarantinebirthday': 692783, 'masks4allchallenge': 519678, 'amwriting': 54980, 'eastersunday': 265603, 'via my': 956088, 'my life': 549010, '2020 quarantinediaries': 14548, 'quarantinediaries perfect': 692901, 'perfect gift': 651298, 'gift quarantinelife': 350009, 'quarantinelife journaling': 692964, 'journaling quarantine': 467403, 'quarantine quarantineactivities': 692458, 'quarantineactivities quarantinebirthday': 692741, 'quarantinebirthday toiletpaper': 692784, 'toiletpaper unicorn': 922787, 'unicorn writingcommnunity': 941738, 'writingcommnunity masks4allchallenge': 1012936, 'masks4allchallenge amwriting': 519679, 'amwriting easter': 54981, 'easter eastersunday': 265414, 'via my life': 956089, 'my life in': 549023, 'life in 2020': 488750, 'in 2020 quarantinediaries': 419853, '2020 quarantinediaries perfect': 14549, 'quarantinediaries perfect gift': 692902, 'perfect gift quarantinelife': 651299, 'gift quarantinelife journaling': 350010, 'quarantinelife journaling quarantine': 692966, 'journaling quarantine quarantineactivities': 467404, 'quarantine quarantineactivities quarantinebirthday': 692461, 'quarantineactivities quarantinebirthday toiletpaper': 692742, 'quarantinebirthday toiletpaper unicorn': 692785, 'toiletpaper unicorn writingcommnunity': 922788, 'unicorn writingcommnunity masks4allchallenge': 941739, 'writingcommnunity masks4allchallenge amwriting': 1012937, 'masks4allchallenge amwriting easter': 519680, 'amwriting easter eastersunday': 54982, 'do vulnerable': 250445, 'people get': 648043, 'food when': 317567, 'not available': 568296, 'available is': 104466, 'is there': 452995, 'there help': 878470, 'help for': 389745, 'how do vulnerable': 407729, 'do vulnerable people': 250446, 'vulnerable people get': 961092, 'people get food': 648049, 'get food when': 347076, 'food when all': 317568, 'when all the': 983134, 'all the supermarket': 44934, 'the supermarket delivery': 868550, 'supermarket delivery service': 819931, 'service are not': 752138, 'are not available': 88329, 'not available is': 568304, 'available is there': 104467, 'is there help': 453012, 'there help for': 878471, 'help for them': 389756, 'britain': 140363, 'arrested': 93798, 'convicted': 202593, 'fined': 307735, 'failing': 296191, 'identity': 413396, 'comply': 192517, 'first person': 308857, 'person in': 652471, 'in britain': 420990, 'britain to': 140458, 'be arrested': 113686, 'arrested and': 93814, 'and convicted': 60534, 'convicted under': 202594, 'coronavirus act': 205449, 'act is': 29665, 'is black': 446199, 'black woman': 132153, 'woman arrested': 1003411, 'and fined': 62907, 'fined for': 307740, 'for failing': 321367, 'failing to': 296227, 'provide identity': 686356, 'identity or': 413407, 'or reason': 616796, 'reason for': 702901, 'for travel': 327324, 'travel to': 930531, 'to police': 911864, 'police and': 662896, 'and failing': 62612, 'to comply': 903151, 'comply with': 192530, 'with requirement': 1000470, 'requirement britain': 713423, 'britain 2020': 140364, 'the first person': 855334, 'first person in': 308861, 'person in britain': 652476, 'in britain to': 420992, 'britain to be': 140459, 'to be arrested': 901116, 'be arrested and': 113687, 'arrested and convicted': 93816, 'and convicted under': 60535, 'convicted under the': 202595, 'under the coronavirus': 940295, 'the coronavirus act': 851799, 'coronavirus act is': 205450, 'act is black': 29667, 'is black woman': 446200, 'black woman arrested': 132154, 'woman arrested and': 1003412, 'arrested and fined': 93817, 'and fined for': 62908, 'fined for failing': 307743, 'for failing to': 321368, 'failing to provide': 296236, 'to provide identity': 912405, 'provide identity or': 686357, 'identity or reason': 413408, 'or reason for': 616797, 'reason for travel': 702914, 'for travel to': 327329, 'travel to police': 930539, 'to police and': 911865, 'police and failing': 662900, 'and failing to': 62613, 'failing to comply': 296228, 'to comply with': 903154, 'comply with requirement': 192535, 'with requirement britain': 1000471, 'requirement britain 2020': 713424, 'surprisingly': 828644, 'standing': 793734, 'not surprisingly': 571869, 'surprisingly prefer': 828655, 'prefer standing': 669751, 'standing in': 793771, 'then having': 877236, 'having everyone': 384053, 'stay six': 797316, 'foot from': 318381, 'me socialdistancing': 523501, 'not surprisingly prefer': 571871, 'surprisingly prefer standing': 828656, 'prefer standing in': 669752, 'standing in line': 793776, 'in line for': 424752, 'line for the': 493114, 'for the grocery': 326468, 'store and then': 806373, 'and then having': 73769, 'then having everyone': 877237, 'having everyone stay': 384054, 'everyone stay six': 287406, 'stay six foot': 797317, 'six foot from': 772639, 'foot from me': 318382, 'from me socialdistancing': 336400, 'announcing': 77302, 'specific': 788200, 'where email': 984858, 'email update': 272356, 'update from': 946973, 'store announcing': 806416, 'announcing specific': 77328, 'specific shopping': 788253, 'other vulnerable': 621178, 'people make': 648724, 'me cry': 522628, 'at the point': 101052, 'the point where': 863910, 'point where email': 662699, 'where email update': 984859, 'email update from': 272358, 'update from grocery': 946978, 'grocery store announcing': 365200, 'store announcing specific': 806417, 'announcing specific shopping': 77329, 'specific shopping hour': 788254, 'senior and other': 750205, 'and other vulnerable': 68431, 'other vulnerable people': 621179, 'vulnerable people make': 961098, 'people make me': 648726, 'make me cry': 510129, 'denied': 236947, 'bunch': 142611, 'arsehole': 94081, 'shout': 766763, 'any people': 79640, 'who complain': 988478, 'about having': 25347, 'having their': 384321, 'their purchase': 874510, 'purchase limited': 689535, 'limited should': 492715, 'be denied': 114411, 'denied any': 236948, 'any on': 79551, 'the spot': 867596, 'spot bunch': 790039, 'bunch of': 142614, 'of arsehole': 580374, 'arsehole giving': 94087, 'giving people': 351368, 'people shit': 649420, 'shit for': 759095, 'for doing': 320800, 'their job': 873692, 'job shout': 466156, 'shout out': 766768, 'the wonderful': 871676, 'wonderful retail': 1004112, 'retail worker': 718868, 'any people who': 79643, 'people who complain': 650277, 'who complain about': 988479, 'complain about having': 191845, 'about having their': 25352, 'having their purchase': 384324, 'their purchase limited': 874513, 'purchase limited should': 689536, 'limited should be': 492716, 'should be denied': 765599, 'be denied any': 114412, 'denied any on': 236949, 'any on the': 79552, 'on the spot': 604377, 'the spot bunch': 867597, 'spot bunch of': 790040, 'bunch of arsehole': 142615, 'of arsehole giving': 580375, 'arsehole giving people': 94088, 'giving people shit': 351372, 'people shit for': 649421, 'shit for doing': 759098, 'for doing their': 320805, 'doing their job': 252737, 'their job shout': 873736, 'job shout out': 466157, 'shout out to': 766776, 'out to all': 627618, 'all the wonderful': 44986, 'the wonderful retail': 871678, 'wonderful retail worker': 1004113, 'halting': 374499, 'biofuel': 131205, 'plant': 658602, 'cheap and': 174073, 'and empty': 62079, 'empty road': 275027, 'road are': 724407, 'are halting': 86987, 'halting biofuel': 374500, 'biofuel plant': 131206, 'plant demand': 658646, 'demand is': 235712, 'dropping keep': 260701, 'keep driver': 471460, 'driver at': 259449, 'home end': 401137, 'end result': 275952, 'result may': 717571, 'be cutting': 114323, 'cutting back': 223710, 'back production': 107238, 'production or': 682171, 'or closing': 614754, 'closing plant': 183724, 'cheap and empty': 174075, 'and empty road': 62083, 'empty road are': 275029, 'road are halting': 724412, 'are halting biofuel': 86988, 'halting biofuel plant': 374501, 'biofuel plant demand': 131208, 'plant demand is': 658647, 'demand is also': 235713, 'is also dropping': 445555, 'also dropping keep': 48140, 'dropping keep driver': 260702, 'keep driver at': 471461, 'driver at home': 259450, 'at home end': 98985, 'home end result': 401138, 'end result may': 275953, 'result may be': 717572, 'may be cutting': 520969, 'be cutting back': 114324, 'cutting back production': 223714, 'back production or': 107239, 'production or closing': 682172, 'or closing plant': 614755, 'carers': 164562, 'keeper': 472336, 'fire': 308051, 'greatbritain': 363128, 'wow that': 1012599, 'that wa': 847268, 'wa emotional': 962065, 'emotional thank': 273309, 'you thank': 1021553, 'you also': 1016943, 'also carers': 48008, 'carers council': 164571, 'council worker': 210038, 'worker shop': 1007765, 'shop keeper': 760387, 'keeper supermarket': 472341, 'staff pharmacy': 792751, 'pharmacy transport': 654528, 'transport worker': 929977, 'worker police': 1007596, 'police fire': 662997, 'fire station': 308119, 'station thank': 796522, 'you greatbritain': 1018934, 'wow that wa': 1012601, 'that wa emotional': 847281, 'wa emotional thank': 962066, 'emotional thank you': 273310, 'thank you thank': 841823, 'you thank you': 1021557, 'thank you also': 841687, 'you also carers': 1016945, 'also carers council': 48009, 'carers council worker': 164572, 'council worker shop': 210039, 'worker shop keeper': 1007766, 'shop keeper supermarket': 760390, 'keeper supermarket staff': 472342, 'supermarket staff pharmacy': 822875, 'staff pharmacy transport': 792753, 'pharmacy transport worker': 654529, 'transport worker police': 929982, 'worker police fire': 1007600, 'police fire station': 663003, 'fire station thank': 308120, 'station thank you': 796523, 'thank you greatbritain': 841736, 'wanted': 966189, 'existing': 290288, 'matchstick': 520331, 'madworld': 508246, 'only wanted': 611429, 'wanted to': 966240, 'add box': 31409, 'of egg': 582992, 'egg to': 270007, 'my existing': 548124, 'existing order': 290335, 'order think': 618643, 'think need': 885417, 'find some': 307224, 'some matchstick': 783266, 'matchstick to': 520332, 'keep my': 471685, 'my eye': 548135, 'eye open': 294081, 'open the': 612546, 'world ha': 1009603, 'ha gone': 370718, 'gone mad': 356329, 'mad nofood': 507558, 'nofood madworld': 566158, 'only wanted to': 611432, 'wanted to add': 966241, 'to add box': 900053, 'add box of': 31410, 'box of egg': 137117, 'of egg to': 583001, 'egg to my': 270012, 'to my existing': 910394, 'my existing order': 548125, 'existing order think': 290336, 'order think need': 618644, 'think need to': 885419, 'need to find': 555937, 'to find some': 905936, 'find some matchstick': 307228, 'some matchstick to': 783267, 'matchstick to keep': 520333, 'to keep my': 908814, 'keep my eye': 471686, 'my eye open': 548140, 'eye open the': 294084, 'open the world': 612557, 'the world ha': 871884, 'world ha gone': 1009611, 'ha gone mad': 370728, 'gone mad nofood': 356331, 'mad nofood madworld': 507559, 'dip': 243168, 'earned': 264821, 'the major': 859926, 'major grocery': 509349, 'quarantine and': 692006, 'it you': 462634, 'to dip': 904314, 'dip in': 243186, 'in to': 430100, 'own earned': 631951, 'earned vacation': 264837, 'vacation time': 951598, 'only way': 611437, 'leave is': 484838, 'is if': 448656, 'are diagnosed': 85810, 'diagnosed for': 240227, 'at the major': 101011, 'the major grocery': 859930, 'major grocery store': 509351, 'store and if': 806265, 'and if you': 64957, 'want to self': 966111, 'self quarantine and': 747845, 'quarantine and get': 692012, 'and get paid': 63594, 'get paid for': 347766, 'paid for it': 634018, 'for it you': 322748, 'it you have': 462643, 'you have to': 1019131, 'have to dip': 383193, 'to dip in': 904318, 'dip in to': 243197, 'in to your': 430147, 'to your own': 919012, 'your own earned': 1025132, 'own earned vacation': 631952, 'earned vacation time': 264838, 'vacation time the': 951599, 'time the only': 897864, 'the only way': 862356, 'only way to': 611445, 'way to get': 970031, 'get paid leave': 347769, 'paid leave is': 634059, 'leave is if': 484841, 'is if you': 448660, 'you are diagnosed': 1017107, 'are diagnosed for': 85811, 'diagnosed for covid': 240229, 'ripple': 722729, 'foodcupboards': 317887, 'staff at': 792228, 'at social': 100565, 'social service': 779954, 'service agency': 752039, 'agency are': 37983, 'seeing 100': 746194, '100 increase': 1927, 'demand ripple': 236152, 'ripple effect': 722734, 'of need': 586899, 'need due': 554713, 'see list': 745367, 'list of': 494404, 'of 23': 579524, '23 foodcupboards': 15388, 'foodcupboards in': 317888, 'in region': 427352, 'region their': 707469, 'their hour': 873591, 'hour of': 405791, 'of operation': 587298, 'operation read': 613240, 'more via': 540898, 'via of': 956126, 'staff at social': 792239, 'at social service': 100567, 'social service agency': 779956, 'service agency are': 752040, 'agency are seeing': 37987, 'are seeing 100': 89882, 'seeing 100 increase': 746195, '100 increase in': 1928, 'in demand ripple': 422152, 'demand ripple effect': 236153, 'ripple effect of': 722736, 'effect of need': 269053, 'of need due': 586905, 'need due to': 554715, 'due to see': 261939, 'to see list': 914035, 'see list of': 745368, 'list of 23': 494408, 'of 23 foodcupboards': 579528, '23 foodcupboards in': 15389, 'foodcupboards in region': 317889, 'in region their': 427354, 'region their hour': 707470, 'their hour of': 873596, 'hour of operation': 405801, 'of operation read': 587302, 'operation read more': 613242, 'read more via': 700455, 'more via of': 540902, 'swan': 829948, 'inevitable': 436361, 'rethinking': 719666, 'opinion what': 613517, 'doe black': 251353, 'black swan': 132131, 'swan mean': 829962, 'for market': 323250, 'market the': 517180, 'the inevitable': 858204, 'inevitable collapse': 436368, 'in international': 424122, 'international trade': 441859, 'trade and': 928405, 'term rethinking': 838276, 'rethinking of': 719667, 'role the': 725131, 'only major': 610749, 'major hub': 509356, 'hub for': 409795, 'the production': 864604, 'production of': 682138, 'consumer good': 197594, 'good electronics': 356996, 'electronics are': 271278, 'are inevitable': 87530, 'opinion what doe': 613518, 'what doe black': 981358, 'doe black swan': 251354, 'black swan mean': 132137, 'swan mean for': 829963, 'mean for market': 524444, 'for market the': 323255, 'market the inevitable': 517188, 'the inevitable collapse': 858206, 'inevitable collapse in': 436369, 'collapse in international': 186017, 'in international trade': 424127, 'international trade and': 441860, 'trade and the': 928411, 'long term rethinking': 501713, 'term rethinking of': 838277, 'rethinking of china': 719668, 'of china role': 581367, 'china role the': 176920, 'role the only': 725133, 'the only major': 862319, 'only major hub': 610750, 'major hub for': 509357, 'hub for the': 409797, 'for the production': 326636, 'the production of': 864607, 'production of consumer': 682140, 'of consumer good': 581743, 'consumer good electronics': 197612, 'good electronics are': 356997, 'electronics are inevitable': 271279, 'ive': 464050, 'your struggling': 1026013, 'get hold': 347234, 'hold of': 399963, 'supermarket ive': 821196, 'ive found': 464051, 'found there': 330423, 'there load': 878723, 'load in': 497255, 'the customer': 852711, 'customer toilet': 222990, 'if your struggling': 415611, 'your struggling to': 1026014, 'to get hold': 906502, 'get hold of': 347235, 'hold of toilet': 399975, 'of toilet roll': 592253, 'toilet roll at': 921552, 'roll at the': 725204, 'the supermarket ive': 868655, 'supermarket ive found': 821197, 'ive found there': 464052, 'found there load': 330424, 'there load in': 878724, 'load in the': 497256, 'in the customer': 429118, 'the customer toilet': 852737, 'kansa': 470802, 'dan': 225517, 'brien': 139767, 'updated': 947339, 'kansa wheat': 470822, 'wheat price': 983004, 'price cost': 673271, 'cost during': 207914, '19 video': 11772, 'video dan': 956701, 'dan brien': 225522, 'brien ha': 139770, 'ha updated': 372407, 'updated his': 947378, 'his discussion': 397362, 'discussion of': 245030, 'of wheat': 593079, 'price following': 673907, 'following jump': 312773, 'recent day': 703854, 'day more': 227984, 'more to': 540784, 'to come': 903016, 'kansa wheat price': 470823, 'wheat price cost': 983007, 'price cost during': 673273, 'cost during covid': 207915, 'covid 19 video': 214029, '19 video dan': 11773, 'video dan brien': 956702, 'dan brien ha': 225524, 'brien ha updated': 139771, 'ha updated his': 372408, 'updated his discussion': 947379, 'his discussion of': 397363, 'discussion of wheat': 245033, 'of wheat price': 593083, 'wheat price following': 983008, 'price following jump': 673909, 'following jump in': 312774, 'jump in recent': 467868, 'in recent day': 427315, 'recent day more': 703863, 'day more to': 227987, 'more to come': 540787, 'disclosure': 244393, 'senator': 749731, 'richard': 721279, 'burr': 142936, 'kelly': 472713, 'loefner': 500601, 'dianne': 240347, 'feinstein': 303124, 'ron': 725765, 'inhofe': 438465, 'stock sale': 802804, 'sale disclosure': 732160, 'disclosure by': 244394, 'by senator': 153938, 'senator after': 749732, 'after closed': 35469, 'closed door': 183073, 'door briefing': 255535, 'briefing on': 139727, 'on january': 601720, 'january 24': 464637, '24 about': 15555, 'coronavirus threat': 206932, 'threat the': 893723, 'the following': 855492, 'following senator': 312841, 'senator sold': 749790, 'sold stock': 781772, 'stock senator': 802818, 'senator richard': 749780, 'richard burr': 721286, 'burr senator': 142950, 'senator kelly': 749763, 'kelly loefner': 472721, 'loefner senator': 500602, 'senator dianne': 749741, 'dianne feinstein': 240348, 'feinstein senator': 303127, 'senator ron': 749784, 'ron johnson': 725773, 'johnson senator': 466620, 'senator jim': 749759, 'jim inhofe': 465499, 'according to stock': 28591, 'to stock sale': 915449, 'stock sale disclosure': 802805, 'sale disclosure by': 732161, 'disclosure by senator': 244395, 'by senator after': 153939, 'senator after closed': 749733, 'after closed door': 35470, 'closed door briefing': 183074, 'door briefing on': 255537, 'briefing on january': 139729, 'on january 24': 601722, 'january 24 about': 464638, '24 about the': 15556, 'about the coronavirus': 26362, 'the coronavirus threat': 851928, 'coronavirus threat the': 206935, 'threat the following': 893724, 'the following senator': 855521, 'following senator sold': 312842, 'senator sold stock': 749791, 'sold stock senator': 781773, 'stock senator richard': 802819, 'senator richard burr': 749781, 'richard burr senator': 721290, 'burr senator kelly': 142951, 'senator kelly loefner': 749764, 'kelly loefner senator': 472722, 'loefner senator dianne': 500603, 'senator dianne feinstein': 749742, 'dianne feinstein senator': 240350, 'feinstein senator ron': 303128, 'senator ron johnson': 749785, 'ron johnson senator': 725774, 'johnson senator jim': 466621, 'senator jim inhofe': 749760, 'tracking': 928314, 'marketer': 517445, 'this regularly': 889855, 'regularly updated': 707960, 'updated list': 947396, 'list from': 494333, 'from tracking': 338116, 'tracking the': 928366, 'latest move': 481439, 'move marketer': 543693, 'marketer of': 517475, 'consumer brand': 196648, 'brand are': 137737, 'making in': 511125, 'out this regularly': 627583, 'this regularly updated': 889857, 'regularly updated list': 707962, 'updated list from': 947397, 'list from tracking': 494338, 'from tracking the': 338117, 'tracking the latest': 928371, 'the latest move': 859129, 'latest move marketer': 481440, 'move marketer of': 543694, 'marketer of consumer': 517477, 'of consumer brand': 581715, 'consumer brand are': 196650, 'brand are making': 137748, 'are making in': 87985, 'making in response': 511126, 'commentary': 188472, 'nate': 552074, 'donnay': 255145, 'intl': 442339, 'fcstone': 300808, 'inc': 431265, 'fcm': 300793, 'division': 248658, 'quoted': 695012, 'oatt': 578315, 'expert market': 291883, 'market commentary': 516191, 'commentary by': 188475, 'by nate': 153298, 'nate donnay': 552075, 'donnay director': 255146, 'dairy market': 225006, 'market insight': 516593, 'insight for': 439535, 'for intl': 322630, 'intl fcstone': 442340, 'fcstone financial': 300809, 'financial inc': 306452, 'inc fcm': 431278, 'fcm division': 300794, 'division is': 248675, 'is quoted': 451197, 'quoted by': 695013, 'by dairy': 152287, 'dairy oatt': 225015, 'expert market commentary': 291884, 'market commentary by': 516192, 'commentary by nate': 188477, 'by nate donnay': 153299, 'nate donnay director': 552076, 'donnay director of': 255147, 'director of dairy': 243647, 'of dairy market': 582325, 'dairy market insight': 225008, 'market insight for': 516595, 'insight for intl': 439538, 'for intl fcstone': 322631, 'intl fcstone financial': 442341, 'fcstone financial inc': 300810, 'financial inc fcm': 306453, 'inc fcm division': 431279, 'fcm division is': 300795, 'division is quoted': 248676, 'is quoted by': 451198, 'quoted by dairy': 695014, 'by dairy oatt': 152288, 'center': 169141, 'provided': 686560, 'practical': 668449, 'expert from': 291841, 'report the': 712334, 'the center': 850593, 'center for': 169199, 'for disease': 320748, 'disease control': 245116, 'control and': 201961, 'and prevention': 69425, 'prevention and': 671839, 'other organization': 620623, 'organization have': 619377, 'have provided': 382095, 'provided advice': 686564, 'advice on': 33450, 'on product': 602949, 'that can': 843090, 'help protect': 390365, 'protect and': 684777, 'from lot': 336279, 'of practical': 588340, 'practical advice': 668450, 'advice right': 33482, 'right here': 721930, 'expert from consumer': 291846, 'from consumer report': 334970, 'consumer report the': 198733, 'report the center': 712337, 'the center for': 850596, 'center for disease': 169203, 'for disease control': 320749, 'disease control and': 245117, 'control and prevention': 201966, 'and prevention and': 69426, 'prevention and other': 671842, 'and other organization': 68374, 'other organization have': 620625, 'organization have provided': 619379, 'have provided advice': 382096, 'provided advice on': 686565, 'advice on product': 33457, 'on product that': 602956, 'product that can': 681687, 'that can help': 843107, 'can help protect': 158649, 'help protect and': 390367, 'protect and our': 684781, 'and our home': 68493, 'home from lot': 401267, 'from lot of': 336280, 'lot of practical': 504258, 'of practical advice': 588341, 'practical advice right': 668451, 'advice right here': 33483, 'meenal': 527384, 'sharma': 755648, 'jagtap': 464248, 'pramod': 668917, 'kumar': 477907, 'nayak': 553174, 'attended': 102389, 'webinars': 975144, 'organised': 619308, 'consulting': 195893, 'topic': 925771, 'fashion': 299788, 'dr meenal': 258061, 'meenal sharma': 527385, 'sharma jagtap': 755653, 'jagtap and': 464249, 'and dr': 61708, 'dr pramod': 258079, 'pramod kumar': 668918, 'kumar nayak': 477912, 'nayak from': 553175, 'the department': 853139, 'of management': 586140, 'management and': 512529, 'and commerce': 60129, 'commerce attended': 188518, 'attended the': 102396, 'first webinar': 309173, 'webinar in': 975043, 'in series': 427811, 'of webinars': 592980, 'webinars organised': 975156, 'organised by': 619313, 'by one': 153426, 'one consulting': 606095, 'consulting firm': 195900, 'firm on': 308398, 'the topic': 869799, 'topic covid': 925781, 'good retail': 357663, 'retail and': 717812, 'and fashion': 62705, 'dr meenal sharma': 258062, 'meenal sharma jagtap': 527386, 'sharma jagtap and': 755654, 'jagtap and dr': 464250, 'and dr pramod': 61709, 'dr pramod kumar': 258080, 'pramod kumar nayak': 668919, 'kumar nayak from': 477913, 'nayak from the': 553176, 'from the department': 337669, 'the department of': 853144, 'department of management': 237245, 'of management and': 586141, 'management and commerce': 512530, 'and commerce attended': 60130, 'commerce attended the': 188519, 'attended the first': 102397, 'the first webinar': 855366, 'first webinar in': 309174, 'webinar in series': 975044, 'in series of': 427813, 'series of webinars': 751282, 'of webinars organised': 592981, 'webinars organised by': 975157, 'organised by one': 619314, 'by one consulting': 153428, 'one consulting firm': 606096, 'consulting firm on': 195901, 'firm on the': 308399, 'on the topic': 604410, 'the topic covid': 869800, 'topic covid 19': 925782, 'on consumer good': 600053, 'consumer good retail': 197635, 'good retail and': 357664, 'retail and fashion': 717818, 'mckinsey': 522187, 'gauge': 344537, 'expectation': 290791, 'survey': 828800, 'collected': 186347, 'mckinsey is': 522201, 'is tracking': 453318, 'tracking consumer': 928323, 'sentiment to': 751012, 'to gauge': 906382, 'gauge how': 344540, 'how people': 408492, 'people expectation': 647843, 'expectation income': 290828, 'income spending': 432459, 'spending and': 788729, 'behavior change': 123956, 'change throughout': 172334, 'throughout covid': 894933, '19 survey': 10991, 'survey data': 828850, 'data wa': 226484, 'wa collected': 961836, 'collected last': 186363, 'be updated': 117887, 'updated on': 947405, 'this link': 888638, 'link regularly': 493895, 'mckinsey is tracking': 522202, 'is tracking consumer': 453319, 'tracking consumer sentiment': 928326, 'consumer sentiment to': 198932, 'sentiment to gauge': 751013, 'to gauge how': 906384, 'gauge how people': 344541, 'how people expectation': 408500, 'people expectation income': 647844, 'expectation income spending': 290829, 'income spending and': 432460, 'spending and behavior': 788730, 'and behavior change': 58837, 'behavior change throughout': 123966, 'change throughout covid': 172335, 'throughout covid 19': 894934, 'covid 19 survey': 213898, '19 survey data': 10992, 'survey data wa': 828852, 'data wa collected': 226485, 'wa collected last': 961837, 'collected last week': 186364, 'last week and': 480632, 'week and will': 975948, 'and will be': 75658, 'will be updated': 992750, 'be updated on': 117891, 'updated on this': 947410, 'on this link': 604615, 'this link regularly': 888648, 'easterbasket': 265541, 'microban': 530432, 'sprayed': 790355, 'easterbasket 2020': 265542, '2020 ve': 14690, 'toiletpaper microban': 922242, 'microban sprayed': 530437, 'sprayed the': 790360, 'the shit': 866951, 'shit out': 759179, 'everything before': 287707, 'before brought': 122678, 'brought it': 141170, 'it into': 458819, 'into my': 442775, 'my unit': 550461, 'easterbasket 2020 ve': 265543, '2020 ve got': 14691, 've got toiletpaper': 953202, 'got toiletpaper microban': 358978, 'toiletpaper microban sprayed': 922243, 'microban sprayed the': 530438, 'sprayed the shit': 790361, 'the shit out': 866955, 'shit out of': 759180, 'out of everything': 626731, 'of everything before': 583266, 'everything before brought': 287708, 'before brought it': 122679, 'brought it into': 141173, 'it into my': 458825, 'into my unit': 442792, 'constant': 195598, 'postcovidworld': 666502, 'newnormal': 560134, 'no back': 563651, 'normal we': 567394, 'will forever': 993475, 'forever live': 329129, 'in post': 426856, 'post covid': 666074, 'covid world': 214252, 'world like': 1009761, 'like after': 489726, 'after 11': 35261, '11 that': 2597, 'that ok': 845474, 'ok because': 597768, 'because change': 118994, 'change is': 172148, 'is constant': 446772, 'constant and': 195601, 'and sometimes': 71994, 'sometimes good': 785208, 'good postcovidworld': 357572, 'postcovidworld newnormal': 666503, 'newnormal the': 560151, 'is no back': 449911, 'no back to': 563652, 'to normal we': 910667, 'normal we will': 567400, 'we will forever': 973864, 'will forever live': 993477, 'forever live in': 329130, 'live in post': 495881, 'in post covid': 426860, 'post covid world': 666078, 'covid world like': 214253, 'world like after': 1009762, 'like after 11': 489727, 'after 11 that': 35264, '11 that ok': 2598, 'that ok because': 845475, 'ok because change': 597769, 'because change is': 118995, 'change is constant': 172151, 'is constant and': 446773, 'constant and sometimes': 195602, 'and sometimes good': 71996, 'sometimes good postcovidworld': 785209, 'good postcovidworld newnormal': 357573, 'postcovidworld newnormal the': 666504, 'newnormal the consumer': 560152, 'consumer after covid': 196112, 'campaignspot': 157284, 'directly': 243519, 'paranoia': 641421, 'rumour': 727509, 'generating': 345584, 'faith': 296491, 'among': 52978, 'campaignspot the': 157285, 'ha directly': 370388, 'directly impacted': 243555, 'impacted brand': 418070, 'brand due': 137823, 'consumer paranoia': 198334, 'paranoia and': 641422, 'and rumour': 70630, 'rumour we': 727534, 'we take': 973476, 'take look': 832290, 'at how': 99204, 'how brand': 407465, 'are generating': 86778, 'generating faith': 345589, 'faith among': 296492, 'among consumer': 52992, 'consumer by': 196713, 'by sharing': 153965, 'sharing on': 755562, 'on social': 603531, 'social medium': 779834, 'campaignspot the covid': 157286, 'pandemic ha directly': 635540, 'ha directly impacted': 370389, 'directly impacted brand': 243556, 'impacted brand due': 418071, 'brand due to': 137824, 'due to consumer': 261739, 'to consumer paranoia': 903321, 'consumer paranoia and': 198335, 'paranoia and rumour': 641424, 'and rumour we': 70631, 'rumour we take': 727535, 'we take look': 973484, 'take look at': 832292, 'look at how': 502268, 'at how brand': 99206, 'how brand are': 407466, 'brand are generating': 137744, 'are generating faith': 86779, 'generating faith among': 345590, 'faith among consumer': 296493, 'among consumer by': 52993, 'consumer by sharing': 196718, 'by sharing on': 153969, 'sharing on social': 755564, 'on social medium': 603536, 'baseball': 111483, 'struck': 814251, 'row': 726564, 'chinesevirus': 177423, 'in in': 423996, 'in baseball': 420711, 'baseball ve': 111492, 've struck': 953610, 'struck out': 814272, 'store time': 810739, 'in row': 427556, 'row chinesevirus': 726575, 're out in': 699222, 'out in in': 626380, 'in in baseball': 423997, 'in baseball ve': 420712, 'baseball ve struck': 111493, 've struck out': 953612, 'struck out the': 814273, 'out the grocery': 627373, 'grocery store time': 365866, 'store time in': 810743, 'time in row': 897011, 'in row chinesevirus': 427559, 'privilege': 679020, 'big thank': 130057, 'to everyone': 905327, 'who doesn': 988635, 'doesn have': 251816, 'the privilege': 864493, 'privilege of': 679035, 'home doctor': 401087, 'nurse healthcare': 577360, 'employee and': 273552, 'more we': 540949, 'we appreciate': 970449, 'you now': 1020153, 'ever and': 285195, 'are important': 87336, 'big thank you': 130058, 'you to everyone': 1021773, 'to everyone who': 905359, 'everyone who doesn': 287587, 'who doesn have': 988638, 'doesn have the': 251827, 'have the privilege': 383013, 'the privilege of': 864494, 'privilege of working': 679036, 'of working from': 593298, 'from home doctor': 335855, 'home doctor nurse': 401088, 'doctor nurse healthcare': 251020, 'nurse healthcare worker': 577363, 'healthcare worker grocery': 387362, 'store employee and': 807456, 'employee and more': 273572, 'and more we': 67230, 'more we appreciate': 540950, 'we appreciate you': 970458, 'appreciate you now': 82787, 'you now more': 1020159, 'than ever and': 840569, 'ever and you': 285197, 'and you are': 76002, 'you are important': 1017150, 'evening': 284844, 'encounter': 275526, 'dilemma': 242847, 'sunday evening': 818196, 'evening and': 284845, 'you encounter': 1018401, 'encounter this': 275541, 'this dilemma': 887233, 'dilemma do': 242848, 'panic you': 638814, 'you bought': 1017500, 'enough toilet': 277733, 'paper to': 640917, 'to tip': 917582, 'tip the': 898916, 'the white': 871457, 'house toiletpaper': 406638, 'it on sunday': 460059, 'on sunday evening': 603757, 'sunday evening and': 818197, 'evening and you': 284851, 'and you encounter': 76014, 'you encounter this': 1018402, 'encounter this dilemma': 275542, 'this dilemma do': 887234, 'dilemma do not': 242849, 'not panic you': 570948, 'panic you bought': 638815, 'you bought enough': 1017502, 'bought enough toilet': 136546, 'enough toilet paper': 277734, 'toilet paper to': 921494, 'paper to tip': 640928, 'to tip the': 917583, 'tip the white': 898920, 'the white house': 871458, 'white house toiletpaper': 987864, 'felt': 303353, 'breathe': 139193, 'freeverse': 332504, 'poem': 662353, 'panicattack': 638823, 'had panic': 373382, 'panic attack': 637368, 'attack while': 102175, 'while out': 987135, 'out doing': 625971, 'doing grocery': 252433, 'grocery run': 364912, 'run cannot': 727597, 'cannot remember': 162057, 'last time': 480559, 'time ve': 898177, 've felt': 953112, 'felt so': 303450, 'so anxious': 776524, 'anxious that': 78866, 'not breathe': 568615, 'breathe grocery': 139200, 'store anxiety': 806422, 'anxiety freeverse': 78702, 'freeverse poem': 332505, 'poem panicattack': 662354, 'panicattack mentalhealth': 638824, 'mentalhealth anxiety': 528676, 'had panic attack': 373383, 'panic attack while': 637386, 'attack while out': 102177, 'while out doing': 987136, 'out doing grocery': 625974, 'doing grocery run': 252435, 'grocery run cannot': 364915, 'run cannot remember': 727598, 'cannot remember the': 162059, 'remember the last': 710309, 'the last time': 859049, 'last time ve': 480575, 'time ve felt': 898179, 've felt so': 953114, 'felt so anxious': 303452, 'so anxious that': 776525, 'anxious that could': 78867, 'that could not': 843356, 'could not breathe': 209434, 'not breathe grocery': 568616, 'breathe grocery store': 139201, 'grocery store anxiety': 365203, 'store anxiety freeverse': 806423, 'anxiety freeverse poem': 78703, 'freeverse poem panicattack': 332506, 'poem panicattack mentalhealth': 662355, 'panicattack mentalhealth anxiety': 638825, 'poongothai': 664042, 'aladi': 40634, 'aruna': 94678, 'grain': 361757, 'enormous': 277277, 'released': 709009, 'kg': 473633, 'cov': 212106, 'dr poongothai': 258077, 'poongothai aladi': 664043, 'aladi aruna': 40635, 'aruna the': 94682, 'of grain': 584294, 'grain being': 361766, 'being kept': 125352, 'kept is': 473051, 'is enormous': 447504, 'enormous it': 277287, 'it must': 459708, 'be released': 116762, 'released to': 709089, 'people now': 648884, 'crisis kg': 217635, 'kg of': 473661, 'of rice': 589089, 'rice is': 721070, 'is rice': 451512, 'rice stock': 721147, 'of 48': 579596, '48 00': 19292, '00 ton': 557, 'ton more': 924262, 'people may': 648750, 'may die': 521123, 'die from': 241339, 'shortage than': 765244, 'than from': 840678, 'coronavirus sars': 206705, 'sars cov': 736797, 'cov india': 212124, 'dr poongothai aladi': 258078, 'poongothai aladi aruna': 664044, 'aladi aruna the': 40637, 'aruna the stock': 94683, 'the stock of': 867918, 'stock of grain': 802525, 'of grain being': 584295, 'grain being kept': 361767, 'being kept is': 125354, 'kept is enormous': 473052, 'is enormous it': 447505, 'enormous it must': 277288, 'it must be': 459709, 'must be released': 546539, 'be released to': 116765, 'released to the': 709091, 'the people now': 863493, 'people now in': 648891, 'now in time': 575019, 'of crisis kg': 582169, 'crisis kg of': 217636, 'kg of rice': 473662, 'of rice is': 589098, 'rice is not': 721072, 'is not enough': 450071, 'not enough there': 569195, 'there is rice': 878614, 'is rice stock': 451513, 'rice stock of': 721149, 'stock of 48': 802514, 'of 48 00': 579597, '48 00 ton': 19293, '00 ton more': 558, 'ton more people': 924263, 'more people may': 540031, 'people may die': 648752, 'may die from': 521124, 'die from food': 241348, 'from food shortage': 335514, 'food shortage than': 316609, 'shortage than from': 765246, 'than from the': 840682, 'from the coronavirus': 337656, 'the coronavirus sars': 851904, 'coronavirus sars cov': 206706, 'sars cov india': 736801, 'begin': 123497, 'bridge': 139614, 'wasted': 968222, 'billion': 130765, 'poverty': 667473, 'oxfam': 632651, 'waste': 968060, 'how can': 407491, 'can we': 160154, 'we begin': 970838, 'begin to': 123575, 'to bridge': 902021, 'bridge the': 139619, 'the gap': 856136, 'gap between': 343432, 'between wasted': 128955, 'wasted food': 968234, 'and growing': 64010, 'growing need': 367217, 'bank worldwide': 110329, 'worldwide half': 1010367, 'half billion': 374146, 'billion people': 130886, 'be driven': 114606, 'driven into': 259326, 'into poverty': 442881, 'poverty by': 667488, 'by oxfam': 153506, 'oxfam warning': 632652, 'warning food': 967122, 'food waste': 317466, 'waste to': 968208, 'protect price': 684927, 'how can we': 407528, 'can we begin': 160163, 'we begin to': 970839, 'begin to bridge': 123578, 'to bridge the': 902022, 'bridge the gap': 139621, 'the gap between': 856137, 'gap between wasted': 343437, 'between wasted food': 128956, 'wasted food and': 968235, 'food and growing': 313247, 'and growing need': 64014, 'growing need for': 367218, 'need for food': 554843, 'for food bank': 321555, 'food bank worldwide': 313675, 'bank worldwide half': 110330, 'worldwide half billion': 1010368, 'half billion people': 374147, 'billion people could': 130887, 'could be driven': 208863, 'be driven into': 114608, 'driven into poverty': 259327, 'into poverty by': 442884, 'poverty by oxfam': 667489, 'by oxfam warning': 153507, 'oxfam warning food': 632653, 'warning food waste': 967123, 'food waste to': 317495, 'waste to protect': 968211, 'to protect price': 912323, 'grocer': 364085, 'sheer': 756567, 'traffic': 929040, 'ocado pull': 578911, 'pull website': 688898, 'website amid': 975186, 'amid shopping': 52650, 'shopping frenzy': 762744, 'frenzy online': 332789, 'online grocer': 608308, 'grocer ha': 364132, 'closed it': 183194, 'it website': 462287, 'website and': 975192, 'and app': 58242, 'app and': 81671, 'not take': 571896, 'take any': 831940, 'any new': 79506, 'new order': 559227, 'order for': 618218, 'for several': 325512, 'several day': 753821, 'day thanks': 228464, 'to sheer': 914394, 'sheer volume': 756588, 'volume of': 960150, 'of traffic': 592408, 'ocado pull website': 578912, 'pull website amid': 688899, 'website amid shopping': 975189, 'amid shopping frenzy': 52651, 'shopping frenzy online': 762747, 'frenzy online grocer': 332790, 'online grocer ha': 608309, 'grocer ha closed': 364133, 'ha closed it': 370172, 'closed it website': 183201, 'it website and': 462289, 'website and app': 975193, 'and app and': 58243, 'app and will': 81677, 'and will not': 75679, 'will not take': 994277, 'not take any': 571898, 'take any new': 831946, 'any new order': 79511, 'new order for': 559228, 'order for several': 618242, 'for several day': 325513, 'several day thanks': 753825, 'day thanks to': 228465, 'thanks to sheer': 842260, 'to sheer volume': 914395, 'sheer volume of': 756589, 'volume of traffic': 960161, 'rural': 728208, 'northern': 567737, 'hunting': 411403, 'fishing': 309392, 'ab': 24163, 'cdnpoli': 168656, 'gurney': 368824, 'for many': 323205, 'many in': 514163, 'in rural': 427572, 'rural and': 728220, 'and northern': 67697, 'northern canada': 567750, 'canada hunting': 160465, 'hunting fishing': 411409, 'fishing are': 309395, 'food chain': 313906, 'chain on': 170970, 'and ab': 57530, 'ab both': 24172, 'both list': 135957, 'list hunting': 494356, 'fishing under': 309420, 'under agriculture': 939994, 'agriculture food': 38973, 'food essential': 314374, 'business cdnpoli': 143507, 'cdnpoli matt': 168659, 'matt gurney': 520517, 'gurney do': 368825, 'panic at': 637359, 'the surge': 869000, 'in canadian': 421208, 'canadian gun': 160690, 'gun sale': 368717, 'sale via': 732630, 'for many in': 323220, 'many in rural': 514169, 'in rural and': 427574, 'rural and northern': 728221, 'and northern canada': 67698, 'northern canada hunting': 567751, 'canada hunting fishing': 160466, 'hunting fishing are': 411411, 'fishing are part': 309396, 'of the food': 591038, 'the food chain': 855538, 'food chain on': 313913, 'chain on and': 170971, 'on and ab': 599345, 'and ab both': 57531, 'ab both list': 24173, 'both list hunting': 135958, 'list hunting fishing': 494357, 'hunting fishing under': 411413, 'fishing under agriculture': 309421, 'under agriculture food': 939995, 'agriculture food essential': 38974, 'food essential business': 314375, 'essential business cdnpoli': 280843, 'business cdnpoli matt': 143508, 'cdnpoli matt gurney': 168660, 'matt gurney do': 520518, 'gurney do not': 368826, 'not panic at': 570894, 'panic at the': 637364, 'at the surge': 101117, 'the surge in': 869002, 'surge in canadian': 828180, 'in canadian gun': 421209, 'canadian gun sale': 160691, 'gun sale via': 368725, 'girlscoutcookies': 350325, 'give me': 350562, 'me girlscoutcookies': 522815, 'girlscoutcookies not': 350326, 'not toiletpaper': 572214, 'toiletpaper will': 922852, 'will survive': 995045, 'give me girlscoutcookies': 350573, 'me girlscoutcookies not': 522816, 'girlscoutcookies not toiletpaper': 350327, 'not toiletpaper will': 572216, 'toiletpaper will survive': 922853, 'will survive the': 995049, 'woah': 1003308, 'ending': 276157, 'collective': 186481, 'woah wait': 1003313, 'wait cnn': 964090, 'cnn say': 184774, 'is ending': 447487, 'ending buy': 276168, 'food buy': 313841, 'paper we': 641064, 'all going': 42952, 'die they': 241463, 'they spread': 883429, 'spread collective': 790476, 'collective hysteria': 186507, 'hysteria this': 412479, 'year we': 1015081, 'who have': 988903, 'have died': 380260, 'died from': 241545, 'the flu': 855456, 'flu than': 311470, '19 spreading': 10757, 'panic cause': 637998, 'cause even': 167549, 'more problem': 540143, 'woah wait cnn': 1003314, 'wait cnn say': 964092, 'cnn say the': 184776, 'say the world': 739311, 'world is ending': 1009694, 'is ending buy': 447488, 'ending buy food': 276169, 'buy food buy': 148636, 'food buy toilet': 313844, 'toilet paper we': 921520, 'paper we re': 641068, 're all going': 698217, 'all going to': 42956, 'going to die': 355569, 'to die they': 904279, 'die they spread': 241464, 'they spread collective': 883430, 'spread collective hysteria': 790477, 'collective hysteria this': 186508, 'hysteria this year': 412480, 'this year we': 891602, 'year we have': 1015085, 'we have more': 971870, 'have more people': 381504, 'more people who': 540051, 'people who have': 650306, 'who have died': 988919, 'have died from': 380267, 'died from the': 241559, 'from the flu': 337704, 'the flu than': 855465, 'flu than from': 311471, 'than from covid': 840679, 'covid 19 spreading': 213848, '19 spreading panic': 10762, 'spreading panic cause': 791024, 'panic cause even': 637999, 'cause even more': 167550, 'even more problem': 284372, 'finland': 307952, 'certified': 170227, 'ffp2': 304274, 'expecting': 291025, 'deceived': 230728, 'just did': 468581, 'did small': 240803, 'small research': 775090, 'research there': 713859, 'is absolutely': 445289, 'absolutely no': 27397, 'of buying': 581010, 'buying mask': 150700, 'mask online': 519061, 'online in': 608392, 'in finland': 422897, 'finland which': 307977, 'which are': 985667, 'are certified': 85218, 'certified ffp2': 170232, 'ffp2 or': 304280, 'or n95': 616218, 'n95 only': 551217, 'only option': 610913, 'option is': 614060, 'to shopping': 914515, 'shopping center': 762338, 'center in': 169228, 'person to': 652651, 'check if': 174464, 'have those': 383113, 'those mask': 892194, 'mask what': 519529, 'what wa': 982511, 'wa expecting': 962094, 'expecting even': 291034, 'even the': 284645, 'government wa': 360773, 'wa deceived': 961922, 'just did small': 468585, 'did small research': 240804, 'small research there': 775091, 'research there is': 713860, 'there is absolutely': 878516, 'is absolutely no': 445297, 'absolutely no way': 27406, 'way of buying': 969741, 'of buying mask': 581014, 'buying mask online': 150702, 'mask online in': 519062, 'online in finland': 608395, 'in finland which': 422903, 'finland which are': 307978, 'which are certified': 985675, 'are certified ffp2': 85219, 'certified ffp2 or': 170233, 'ffp2 or n95': 304281, 'or n95 only': 616219, 'n95 only option': 551218, 'only option is': 610915, 'option is to': 614063, 'is to go': 453207, 'go to shopping': 354357, 'to shopping center': 914516, 'shopping center in': 762341, 'center in person': 169235, 'in person to': 426642, 'person to check': 652654, 'to check if': 902684, 'check if they': 174468, 'if they have': 415115, 'they have those': 882393, 'have those mask': 383115, 'those mask what': 892195, 'mask what wa': 519532, 'what wa expecting': 982512, 'wa expecting even': 962096, 'expecting even the': 291035, 'even the government': 284656, 'the government wa': 856621, 'government wa deceived': 360774, 'era': 280026, 'hankering': 376988, 'sm': 774740, 'hypermarket': 412321, 'cubao': 220174, 'making supply': 511368, 'run in': 727673, 'the era': 854470, 'era of': 280067, '19 death': 6440, 'death disease': 230020, 'disease and': 245083, 'and disruption': 61491, 'disruption all': 246433, 'all because': 42148, 'because an': 118931, 'an idiot': 56143, 'idiot had': 413517, 'had hankering': 373161, 'hankering for': 376989, 'for bat': 319596, 'bat meat': 112549, 'meat sm': 525748, 'sm hypermarket': 774747, 'hypermarket cubao': 412330, 'making supply run': 511370, 'supply run in': 825785, 'run in the': 727675, 'in the era': 429173, 'the era of': 854474, 'era of covid': 280070, 'covid 19 death': 212918, '19 death disease': 6443, 'death disease and': 230021, 'disease and disruption': 245086, 'and disruption all': 61492, 'disruption all because': 246434, 'all because an': 42149, 'because an idiot': 118933, 'an idiot had': 56148, 'idiot had hankering': 413519, 'had hankering for': 373162, 'hankering for bat': 376990, 'for bat meat': 319597, 'bat meat sm': 112551, 'meat sm hypermarket': 525749, 'sm hypermarket cubao': 774748, 'headed': 385890, 'me headed': 522875, 'headed to': 385916, 'store 2020': 806027, '2020 19': 14098, 'me headed to': 522877, 'headed to the': 385919, 'grocery store 2020': 365167, 'store 2020 19': 806028, 'localshops': 498792, 'exploit': 292329, 'illegal': 416192, '0203738600': 809, 'your localshops': 1024728, 'localshops or': 498793, 'or retailer': 616889, 'retailer are': 718982, 'are hiking': 87170, 'hiking their': 396418, 'their price': 874369, 'price please': 675879, 'please report': 660385, 'report them': 712353, 'them food': 875697, 'increase by': 432702, 'by shop': 153980, 'to exploit': 905489, 'exploit the': 292360, 'is illegal': 448661, 'illegal there': 416246, 'can report': 159445, 'store by': 806827, 'by calling': 152052, 'calling 0203738600': 156505, '0203738600 coronacrisis': 810, 'if your localshops': 415592, 'your localshops or': 1024729, 'localshops or retailer': 498794, 'or retailer are': 616891, 'retailer are hiking': 719003, 'are hiking their': 87173, 'hiking their price': 396419, 'their price please': 874412, 'price please report': 675886, 'please report them': 660390, 'report them food': 712357, 'them food price': 875699, 'food price increase': 315949, 'price increase by': 674767, 'increase by shop': 432710, 'by shop to': 153982, 'shop to exploit': 760943, 'to exploit the': 905498, 'exploit the current': 292364, 'current situation is': 221364, 'situation is illegal': 772350, 'is illegal there': 448670, 'illegal there is': 416247, 'of food you': 583827, 'food you can': 317707, 'you can report': 1017770, 'can report the': 159452, 'report the store': 712347, 'the store by': 867989, 'store by calling': 806831, 'by calling 0203738600': 152053, 'calling 0203738600 coronacrisis': 156506, 'danish': 225838, 'incompetent': 432524, 'dk': 248845, 'socdem': 779412, 'danish physician': 225847, 'physician nurse': 655541, 'nurse other': 577444, 'other healthcare': 620349, 'healthcare provider': 387245, 'provider denied': 686711, 'denied test': 236965, 'test because': 838939, 'no fucking': 564322, 'fucking test': 340030, 'test kit': 839045, 'kit left': 475588, 'left and': 485377, 'what next': 981926, 'next oh': 561475, 'oh running': 596438, 'sanitizer other': 735502, 'other protective': 620785, 'equipment fuck': 279736, 'fuck incompetent': 339581, 'incompetent dk': 432531, 'dk socdem': 248846, 'socdem govt': 779413, 'danish physician nurse': 225848, 'physician nurse other': 655542, 'nurse other healthcare': 577446, 'other healthcare provider': 620350, 'healthcare provider denied': 387248, 'provider denied test': 686712, 'denied test because': 236966, 'test because there': 838941, 'because there is': 119669, 'is no fucking': 449933, 'no fucking test': 564324, 'fucking test kit': 340031, 'test kit left': 839062, 'kit left and': 475589, 'left and what': 485384, 'and what next': 75477, 'what next oh': 981930, 'next oh running': 561476, 'oh running out': 596439, 'out of mask': 626783, 'hand sanitizer other': 375519, 'sanitizer other protective': 735503, 'other protective equipment': 620786, 'protective equipment fuck': 685727, 'equipment fuck incompetent': 279737, 'fuck incompetent dk': 339582, 'incompetent dk socdem': 432532, 'dk socdem govt': 248847, 'kyiv': 478085, 'ukraine': 939036, 'disinfect': 245537, 'billa': 130742, 'welldone': 978809, 'seen while': 747354, 'while shopping': 987259, 'in kyiv': 424557, 'kyiv ukraine': 478088, 'ukraine disinfect': 939039, 'disinfect your': 245586, 'hand because': 374824, 'because billa': 118954, 'billa grocery': 130743, 'store care': 806872, 'care about': 163780, 'health handsanitizer': 386475, 'handsanitizer welldone': 376677, 'seen while shopping': 747355, 'while shopping in': 987266, 'shopping in kyiv': 762975, 'in kyiv ukraine': 424558, 'kyiv ukraine disinfect': 478089, 'ukraine disinfect your': 939040, 'disinfect your hand': 245588, 'your hand because': 1024170, 'hand because billa': 374825, 'because billa grocery': 118955, 'billa grocery store': 130744, 'grocery store care': 365268, 'store care about': 806873, 'care about your': 163811, 'about your health': 27001, 'your health handsanitizer': 1024275, 'health handsanitizer welldone': 386476, 'perhaps': 651560, 'immigrant have': 417222, 'long been': 501339, 'been critical': 120901, 'critical part': 218624, 'economy perhaps': 268140, 'perhaps now': 651621, 'ever did': 285270, 'did you': 240920, 'know 16': 476202, '16 of': 4144, 'all healthcare': 43076, 'are immigrant': 87310, 'immigrant 16': 417208, 'grocery and': 364223, 'worker 18': 1006182, '18 of': 4564, 'delivery worker': 234763, 'worker 19': 1006185, 'immigrant have long': 417223, 'have long been': 381365, 'long been critical': 501341, 'been critical part': 120903, 'critical part of': 218625, 'part of our': 642370, 'of our economy': 587455, 'our economy perhaps': 622850, 'economy perhaps now': 268141, 'perhaps now more': 651622, 'than ever did': 840578, 'ever did you': 285271, 'did you know': 240936, 'you know 16': 1019477, 'know 16 of': 476203, '16 of all': 4145, 'of all healthcare': 579947, 'all healthcare worker': 43081, 'healthcare worker are': 387343, 'worker are immigrant': 1006397, 'are immigrant 16': 87311, 'immigrant 16 of': 417209, '16 of grocery': 4146, 'of grocery and': 584343, 'grocery and supermarket': 364262, 'supermarket worker 18': 823978, 'worker 18 of': 1006184, '18 of food': 4565, 'of food delivery': 583675, 'food delivery worker': 314163, 'delivery worker 19': 234765, 'valley': 951946, 'arroyo': 94057, 'crossing': 219073, 'good morning': 357399, 'morning valley': 541523, 'valley amp': 951949, 'amp beyond': 53454, 'beyond found': 129176, 'found arroyo': 330164, 'arroyo crossing': 94058, 'crossing 1st': 219074, '1st time': 12813, 'time have': 896890, 'have seen': 382415, 'seen hand': 747052, 'sanitizer since': 735743, 'since in': 770657, 'stock here': 802233, 'good morning valley': 357414, 'morning valley amp': 541524, 'valley amp beyond': 951950, 'amp beyond found': 53455, 'beyond found arroyo': 129177, 'found arroyo crossing': 330165, 'arroyo crossing 1st': 94059, 'crossing 1st time': 219075, '1st time have': 12814, 'time have seen': 896897, 'have seen hand': 382427, 'seen hand sanitizer': 747053, 'hand sanitizer since': 375590, 'sanitizer since in': 735744, 'since in stock': 770658, 'in stock here': 428307, 'stock here in': 802234, 'receiving': 703741, 'visitor': 959575, 'important notice': 418900, 'notice not': 573318, 'not receiving': 571255, 'receiving any': 703745, 'any visitor': 80024, 'visitor from': 959591, 'from now': 336604, 'now till': 576155, 'till end': 896011, 'of april': 580320, 'april contact': 83558, 'me via': 523881, 'via social': 956245, 'medium stock': 527295, 'stock your': 803222, 'your house': 1024407, 'other necessary': 620560, 'necessary thing': 554105, 'thing many': 884578, 'many people': 514484, 'still believe': 800282, 'believe this': 126381, 'is joke': 449105, 'important notice not': 418903, 'notice not receiving': 573321, 'not receiving any': 571256, 'receiving any visitor': 703746, 'any visitor from': 80025, 'visitor from now': 959592, 'from now till': 336615, 'now till end': 576156, 'till end of': 896013, 'end of april': 275890, 'of april contact': 580327, 'april contact me': 83559, 'contact me via': 200145, 'me via social': 523882, 'via social medium': 956246, 'social medium stock': 779885, 'medium stock your': 527296, 'stock your house': 803229, 'your house with': 1024423, 'house with food': 406686, 'with food and': 998476, 'and other necessary': 68368, 'other necessary thing': 620565, 'necessary thing many': 554106, 'thing many people': 884579, 'many people still': 514534, 'people still believe': 649583, 'still believe this': 800285, 'believe this covid': 126382, '19 is joke': 7997, 'sadly': 729325, 'love asian': 504607, 'asian market': 95303, 'market sadly': 517026, 'sadly the': 729361, 'one that': 607171, 'we purchased': 972786, 'purchased most': 689789, 'our item': 623590, 'item ha': 463304, 'ha already': 369499, 'already closed': 47262, 'closed not': 183244, 'not related': 571293, 'could buy': 208977, 'buy so': 149189, 'much in': 545006, 'and produce': 69549, 'produce at': 680193, 'very low': 955335, 'price if': 674613, 'there wa': 879218, 'wa another': 961550, 'another such': 77881, 'such market': 816625, 'market in': 516545, 'we love asian': 972306, 'love asian market': 504609, 'asian market sadly': 95306, 'market sadly the': 517027, 'sadly the one': 729363, 'the one that': 862227, 'one that we': 607191, 'that we purchased': 847388, 'we purchased most': 972787, 'purchased most of': 689790, 'most of our': 542554, 'of our item': 587494, 'our item ha': 623592, 'item ha already': 463305, 'ha already closed': 369502, 'already closed not': 47263, 'closed not related': 183245, 'not related to': 571294, '19 we could': 11923, 'we could buy': 971199, 'could buy so': 208982, 'buy so much': 149191, 'so much in': 777787, 'much in term': 545011, 'term of food': 838219, 'food and produce': 313315, 'and produce at': 69551, 'produce at very': 680200, 'at very low': 101448, 'very low price': 955343, 'low price if': 505518, 'price if there': 674620, 'if there wa': 415078, 'there wa another': 879227, 'wa another such': 961552, 'another such market': 77882, 'such market in': 816626, 'ketchup': 473171, 'slowthespread': 774649, 'social isolation': 779819, 'isolation mean': 455345, 'mean self': 524633, 'quarantine included': 692291, 'included buying': 431676, 'last bottle': 480119, 'bottle of': 136272, 'of ketchup': 585607, 'ketchup at': 473172, 'morning and': 541151, 'and working': 75889, 'for 11': 318634, '11 hour': 2532, 'hour socialdistancing': 405942, 'socialdistancing slowthespread': 780691, 'slowthespread quaratinelife': 774650, 'quaratinelife panicbuying': 693137, 'day of social': 228102, 'of social isolation': 589839, 'social isolation mean': 779822, 'isolation mean self': 455346, 'mean self quarantine': 524634, 'self quarantine included': 747860, 'quarantine included buying': 692292, 'included buying the': 431677, 'buying the last': 151169, 'the last bottle': 858993, 'last bottle of': 480120, 'bottle of ketchup': 136289, 'of ketchup at': 585608, 'ketchup at the': 473173, 'grocery store this': 365858, 'store this morning': 810700, 'this morning and': 888938, 'morning and working': 541171, 'and working from': 75894, 'from home for': 335862, 'home for 11': 401215, 'for 11 hour': 318636, '11 hour socialdistancing': 2536, 'hour socialdistancing slowthespread': 405943, 'socialdistancing slowthespread quaratinelife': 780692, 'slowthespread quaratinelife panicbuying': 774651, 'robocalls': 724760, 'scheme': 741544, 'annoying': 77359, 'unwanted': 944044, 'hang': 376924, 'are using': 91406, 'using illegal': 950516, 'illegal robocalls': 416236, 'robocalls to': 724773, 'sell everything': 748700, 'everything from': 287796, 'from fraudulent': 335558, 'fraudulent treatment': 331477, 'treatment to': 931156, 'home scheme': 402016, 'scheme annoying': 741549, 'annoying these': 77371, 'these unwanted': 880923, 'unwanted call': 944047, 'call may': 155983, 'be do': 114505, 'not press': 571081, 'press any': 671006, 'any number': 79526, 'number just': 576903, 'just hang': 468920, 'hang up': 376946, 'up learn': 945299, 'about coronavirus': 25026, 'coronavirus scam': 206709, 'scammer are using': 740549, 'are using illegal': 91424, 'using illegal robocalls': 950517, 'illegal robocalls to': 416237, 'robocalls to sell': 724777, 'to sell everything': 914149, 'sell everything from': 748702, 'everything from fraudulent': 287801, 'from fraudulent treatment': 335559, 'fraudulent treatment to': 331478, 'treatment to work': 931158, 'from home scheme': 335900, 'home scheme annoying': 402017, 'scheme annoying these': 741550, 'annoying these unwanted': 77372, 'these unwanted call': 880924, 'unwanted call may': 944048, 'call may be': 155984, 'may be do': 520974, 'be do not': 114506, 'do not press': 249805, 'not press any': 571082, 'press any number': 671007, 'any number just': 79527, 'number just hang': 576904, 'just hang up': 468921, 'hang up learn': 376947, 'up learn more': 945300, 'more about coronavirus': 538501, 'about coronavirus scam': 25031, 'lupe': 506802, 'supplemental': 824436, 'alternative': 49201, 'you lupe': 1019739, 'lupe hand': 506803, 'are supplemental': 90657, 'supplemental health': 824437, 'health habit': 386473, 'habit but': 372578, 'not an': 568188, 'an alternative': 55256, 'alternative to': 49266, 'to washing': 918354, 'washing hand': 967664, 'thank you lupe': 841768, 'you lupe hand': 1019740, 'lupe hand sanitizers': 506804, 'sanitizers are supplemental': 736220, 'are supplemental health': 90658, 'supplemental health habit': 824438, 'health habit but': 386474, 'habit but not': 372579, 'but not an': 146525, 'not an alternative': 568191, 'an alternative to': 55260, 'alternative to washing': 49277, 'to washing hand': 918355, 'there nothing': 878867, 'nothing wrong': 573231, 'wrong with': 1013148, 'with it': 999056, 'it consumer': 457279, 'consumer want': 199464, 'to implement': 908166, 'implement reasonable': 418414, 'price change': 673104, 'change to': 172337, 'to respond': 913377, 'to demand': 904132, 'demand so': 236239, 'that when': 847477, 'when need': 983761, 'need high': 555008, 'demand item': 235761, 'item they': 463721, 'available donate': 104325, 'to charity': 902649, 'charity if': 173641, 'only is there': 610661, 'is there nothing': 453021, 'there nothing wrong': 878877, 'nothing wrong with': 573236, 'wrong with it': 1013155, 'with it consumer': 999065, 'it consumer want': 457295, 'consumer want to': 199467, 'want to implement': 966053, 'to implement reasonable': 908176, 'implement reasonable price': 418415, 'reasonable price change': 703114, 'price change to': 673110, 'change to respond': 172359, 'to respond to': 913382, 'respond to demand': 715318, 'to demand so': 904157, 'demand so that': 236244, 'so that when': 778405, 'that when need': 847489, 'when need high': 983762, 'need high demand': 555009, 'high demand item': 395015, 'demand item they': 235764, 'item they are': 463722, 'they are available': 881207, 'are available donate': 84707, 'available donate the': 104326, 'donate the proceeds': 254237, 'proceeds to charity': 679861, 'to charity if': 902658, 'charity if you': 173643, 'if you like': 415465, 'overturning': 631663, 'prescribing': 670483, 'gluten': 353117, 'buying would': 151387, 'would the': 1012317, 'government consider': 359988, 'consider overturning': 195064, 'overturning the': 631664, 'medical council': 526119, 'council decision': 209975, 'decision on': 231067, 'on prescribing': 602890, 'prescribing gluten': 670490, 'gluten free': 353120, 'free food': 331824, 'and re': 69960, 're prescribing': 699296, 'prescribing all': 670484, 'all gluten': 42935, 'food people': 315829, 'people need': 648814, 'need gluten': 554910, 'for medical': 323375, 'medical condition': 526107, 'condition coronacrisis': 193435, 'panic buying would': 637971, 'buying would the': 151389, 'would the government': 1012320, 'the government consider': 856517, 'government consider overturning': 359989, 'consider overturning the': 195065, 'overturning the medical': 631665, 'the medical council': 860395, 'medical council decision': 526120, 'council decision on': 209976, 'decision on prescribing': 231071, 'on prescribing gluten': 602891, 'prescribing gluten free': 670491, 'gluten free food': 353124, 'free food and': 331825, 'food and re': 313323, 'and re prescribing': 69963, 're prescribing all': 699297, 'prescribing all gluten': 670485, 'all gluten free': 42936, 'free food people': 331833, 'food people need': 315836, 'people need gluten': 648824, 'need gluten free': 554911, 'free food for': 331829, 'food for medical': 314550, 'for medical condition': 323377, 'medical condition coronacrisis': 526110, 'karma': 470936, 'dear world': 229920, 'world did': 1009480, 'on enough': 600566, 'food africa': 313034, 'africa this': 35145, 'is call': 446343, 'call karma': 155967, 'karma corona': 470943, 'dear world did': 229921, 'world did you': 1009482, 'did you stock': 240949, 'up on enough': 945553, 'on enough food': 600567, 'enough food africa': 277381, 'food africa this': 313035, 'africa this is': 35146, 'this is call': 888200, 'is call karma': 446344, 'call karma corona': 155968, 'none': 566541, 'posting': 666636, '70': 21705, 'are told': 91122, 'told that': 923693, 'that paracetamol': 845650, 'paracetamol should': 641268, 'be taken': 117497, 'taken if': 833006, 'we show': 973310, '19 all': 4892, 'all supermarket': 44539, 'empty my': 274957, 'local large': 498138, 'large pharmacy': 479742, 'have none': 381672, 'none in': 566574, 'the on': 862162, 'on line': 601851, 'line store': 493429, 'also posting': 48676, 'posting out': 666677, 'stock notice': 802503, 'notice what': 573402, 'we over': 972671, 'over 70': 629900, '70 do': 21757, 'we are told': 970741, 'are told that': 91128, 'told that paracetamol': 923696, 'that paracetamol should': 845651, 'paracetamol should be': 641269, 'should be taken': 765742, 'be taken if': 117501, 'taken if we': 833007, 'if we show': 415309, 'we show symptom': 973311, 'show symptom of': 767167, 'symptom of covid': 830882, 'covid 19 all': 212609, '19 all supermarket': 4904, 'all supermarket shelf': 44551, 'are empty my': 86158, 'empty my local': 274958, 'my local large': 549125, 'local large pharmacy': 498139, 'large pharmacy have': 479743, 'pharmacy have none': 654336, 'have none in': 381674, 'none in stock': 566578, 'in stock the': 428335, 'stock the on': 802936, 'the on line': 862172, 'on line store': 601861, 'line store are': 493430, 'store are also': 806456, 'are also posting': 84473, 'also posting out': 48677, 'posting out of': 666678, 'of stock notice': 590177, 'stock notice what': 802504, 'notice what can': 573403, 'what can we': 981183, 'can we over': 160185, 'we over 70': 972672, 'over 70 do': 629905, 'curfew': 220854, 'rooah': 725820, 'top item': 925594, 'item to': 463737, 'buy ahead': 148281, 'ahead of': 39171, 'lockdown most': 499671, 'most city': 542175, 'city prepare': 179329, 'quarantine curfew': 692120, 'curfew you': 220954, 'to stockpile': 915465, 'stockpile everything': 803741, 'in panic': 426471, 'major shelf': 509457, 'shelf to': 757693, 'check would': 174723, 'be food': 114893, 'food medicine': 315438, 'medicine toiletry': 526915, 'toiletry and': 923406, 'and cleaning': 59944, 'supply socialdistancing': 825871, 'socialdistancing rooah': 780649, 'top item to': 925595, 'item to buy': 463741, 'to buy ahead': 902174, 'buy ahead of': 148282, 'ahead of covid': 39177, '19 lockdown most': 8406, 'lockdown most city': 499672, 'most city prepare': 542176, 'city prepare for': 179330, 'prepare for the': 670086, 'for the self': 326675, 'the self quarantine': 866655, 'self quarantine curfew': 747851, 'quarantine curfew you': 692121, 'curfew you do': 220955, 'need to stockpile': 556089, 'to stockpile everything': 915469, 'stockpile everything in': 803742, 'everything in panic': 287853, 'in panic the': 426493, 'panic the major': 638684, 'the major shelf': 859934, 'major shelf to': 509458, 'shelf to check': 757697, 'to check would': 902699, 'check would be': 174724, 'would be food': 1011584, 'be food medicine': 114896, 'food medicine toiletry': 315448, 'medicine toiletry and': 526916, 'toiletry and cleaning': 923407, 'and cleaning supply': 59949, 'cleaning supply socialdistancing': 181084, 'supply socialdistancing rooah': 825872, 'sopakco': 785960, 'mre': 544415, 'ration': 697621, 'letsfightcorona': 487257, 'sopakco case': 785961, 'of 12': 579336, '12 mre': 2908, 'mre meal': 544421, 'meal ready': 524265, 'eat emergency': 265901, 'food ration': 316113, 'ration in': 697697, 'stock texas': 802911, 'texas letsfightcorona': 839799, 'sopakco case of': 785962, 'case of 12': 165883, 'of 12 mre': 579341, '12 mre meal': 2909, 'mre meal ready': 544422, 'meal ready to': 524266, 'ready to eat': 700955, 'to eat emergency': 904880, 'eat emergency food': 265902, 'emergency food ration': 272709, 'food ration in': 316118, 'ration in stock': 697700, 'in stock texas': 428332, 'stock texas letsfightcorona': 802912, 'ignite': 415730, 'artificial': 94514, 'scarcity': 740817, 'ultimately': 939138, 'though food': 892811, 'in plenty': 426807, 'plenty lockdown': 660933, 'for non': 323897, 'non specific': 566498, 'specific period': 788236, 'period could': 651739, 'could ignite': 209313, 'ignite panic': 415735, 'buying hoarding': 150486, 'hoarding artificial': 399198, 'artificial scarcity': 94529, 'scarcity and': 740819, 'and ultimately': 74580, 'ultimately to': 939160, 'to food': 906073, 'food inflation': 315035, 'inflation at': 437142, 'at large': 99405, 'even though food': 284706, 'though food supply': 892813, 'food supply in': 316961, 'supply in plenty': 825406, 'in plenty lockdown': 426808, 'plenty lockdown for': 660934, 'lockdown for non': 499397, 'for non specific': 323905, 'non specific period': 566499, 'specific period could': 788237, 'period could ignite': 651741, 'could ignite panic': 209314, 'ignite panic buying': 415736, 'panic buying hoarding': 637762, 'buying hoarding artificial': 150487, 'hoarding artificial scarcity': 399199, 'artificial scarcity and': 94530, 'scarcity and ultimately': 740822, 'and ultimately to': 74584, 'ultimately to food': 939161, 'to food inflation': 906083, 'food inflation at': 315037, 'inflation at large': 437145, 'insurer': 440866, 'substantial': 816044, 'recognize': 704630, '19 canada': 5619, 'canada insurer': 160474, 'insurer are': 440869, 'are reducing': 89528, 'reducing insurance': 706294, 'cost and': 207851, 'providing substantial': 687101, 'substantial relief': 816057, 'relief to': 709472, 'to driver': 904754, 'driver across': 259387, 'country they': 211141, 'they recognize': 883170, 'recognize that': 704648, 'that driver': 843628, 'driver are': 259429, 'using their': 950721, 'their car': 872720, 'car le': 163161, 'le and': 482842, 'and their': 73668, 'their insurance': 873671, 'insurance premium': 440793, 'premium should': 669972, 'should reflect': 766390, 'covid 19 canada': 212754, '19 canada insurer': 5622, 'canada insurer are': 160475, 'insurer are reducing': 440871, 'are reducing insurance': 89530, 'reducing insurance cost': 706295, 'insurance cost and': 440707, 'cost and providing': 207864, 'and providing substantial': 69714, 'providing substantial relief': 687102, 'substantial relief to': 816058, 'relief to driver': 709477, 'to driver across': 904755, 'driver across the': 259389, 'the country they': 852164, 'country they recognize': 211144, 'they recognize that': 883171, 'recognize that driver': 704649, 'that driver are': 843629, 'driver are using': 259445, 'are using their': 91434, 'using their car': 950722, 'their car le': 872726, 'car le and': 163162, 'le and their': 482847, 'and their insurance': 73695, 'their insurance premium': 873673, 'insurance premium should': 440795, 'premium should reflect': 669973, 'should reflect this': 766392, 'scriptco': 742861, 'wholesale': 990412, 'scriptco member': 742862, 'member get': 528092, 'get their': 348319, 'their medication': 873936, 'medication delivered': 526638, 'delivered right': 233385, 'their door': 873063, 'at wholesale': 101557, 'wholesale price': 990466, 'price there': 676881, 'is simply': 451926, 'simply no': 770244, 'no better': 563693, 'better solution': 128472, 'solution while': 782132, 'you get': 1018755, 'pandemic please': 636194, 'share any': 754926, 'any of': 79530, 'our post': 624401, 'post thank': 666341, 'scriptco member get': 742863, 'member get their': 528094, 'get their medication': 348338, 'their medication delivered': 873937, 'medication delivered right': 526639, 'delivered right to': 233387, 'right to their': 722357, 'to their door': 917225, 'their door and': 873065, 'door and at': 255504, 'and at wholesale': 58490, 'at wholesale price': 101558, 'wholesale price there': 990480, 'price there is': 676882, 'there is simply': 878624, 'is simply no': 451930, 'simply no better': 770245, 'no better solution': 563694, 'better solution while': 128474, 'solution while you': 782133, 'while you get': 987589, 'you get through': 1018800, 'through this pandemic': 894836, 'this pandemic please': 889416, 'pandemic please share': 636198, 'please share any': 660480, 'share any of': 754927, 'any of our': 79535, 'of our post': 587542, 'our post thank': 624404, 'post thank you': 666342, '10k': 2326, 'taxi': 835140, 'del': 232618, 'uk where': 938883, 'where covid': 984800, 'ha killed': 371078, 'killed over': 474612, 'over 10k': 629772, '10k people': 2334, 'people people': 649090, 'people classified': 647473, 'classified key': 180357, 'still allowed': 800181, 'work they': 1005839, 'they include': 882451, 'include supermarket': 431630, 'staff taxi': 792915, 'taxi driver': 835150, 'driver del': 259498, 'del driver': 232623, 'driver teacher': 259775, 'teacher social': 835503, 'social worker': 780017, 'in uk where': 430400, 'uk where covid': 938884, 'where covid 19': 984802, '19 ha killed': 7358, 'ha killed over': 371084, 'killed over 10k': 474613, 'over 10k people': 629773, '10k people people': 2335, 'people people classified': 649091, 'people classified key': 647474, 'classified key worker': 180358, 'key worker are': 473467, 'worker are still': 1006428, 'are still allowed': 90390, 'still allowed to': 800183, 'allowed to go': 46232, 'to work they': 918791, 'work they include': 1005843, 'they include supermarket': 882453, 'include supermarket staff': 431631, 'supermarket staff taxi': 822894, 'staff taxi driver': 792916, 'taxi driver del': 835156, 'driver del driver': 259499, 'del driver teacher': 232624, 'driver teacher social': 259779, 'teacher social worker': 835504, 'gather': 344365, 'employee all': 273532, 'market who': 517346, 'who swear': 989724, 'swear that': 830040, 'they cannot': 881696, 'cannot get': 161866, 'get covid': 346825, 'place when': 657828, 'when hundred': 983581, 'people gather': 648026, 'gather together': 344404, 'together everyday': 920776, 'everyday well': 286653, 'well think': 978685, 'be test': 117552, 'supermarket employee all': 820107, 'employee all the': 273536, 'all the customer': 44708, 'the customer who': 852739, 'who are at': 988102, 'the market who': 860177, 'market who swear': 517347, 'who swear that': 989725, 'swear that they': 830041, 'that they cannot': 846927, 'they cannot get': 881708, 'cannot get covid': 161881, 'get covid 19': 346826, '19 in place': 7776, 'in place when': 426775, 'place when hundred': 657829, 'when hundred of': 983582, 'hundred of people': 411006, 'of people gather': 587916, 'people gather together': 648030, 'gather together everyday': 344405, 'together everyday well': 920777, 'everyday well think': 286654, 'well think everyone': 978686, 'think everyone should': 885234, 'everyone should be': 287371, 'should be test': 765746, 'justify': 470462, 'armas': 92928, 'amazon': 50824, 'pricing': 677913, 'if company': 413969, 'company choose': 190548, 'to raise': 912715, 'raise price': 695904, 'they must': 882698, 'to justify': 908735, 'justify the': 470465, 'price price': 675989, 'gouging during': 359307, 'pandemic the': 636661, 'of armas': 580367, 'armas amazon': 92929, 'amazon inc': 50988, 'inc by': 431270, 'by via': 154663, 'via legal': 956055, 'legal pricing': 485885, 'if company choose': 413972, 'company choose to': 190549, 'choose to raise': 177913, 'to raise price': 912731, 'raise price during': 695914, 'price during the': 673633, 'the pandemic they': 863124, 'pandemic they must': 636736, 'they must be': 882700, 'must be able': 546490, 'able to justify': 24495, 'to justify the': 908736, 'justify the current': 470466, 'the current price': 852652, 'current price price': 221317, 'price price gouging': 675991, 'price gouging during': 674276, 'gouging during the': 359313, '19 pandemic the': 9495, 'pandemic the case': 636666, 'the case of': 850463, 'case of armas': 165889, 'of armas amazon': 580368, 'armas amazon inc': 92930, 'amazon inc by': 50989, 'inc by via': 431271, 'by via legal': 154664, 'via legal pricing': 956056, 'stress': 813287, 'triggering': 931932, 'heck': 388692, 'please check': 659769, 'check in': 174470, 'in with': 430936, 'your eating': 1023612, 'eating disorder': 266193, 'disorder friend': 246077, 'can all': 157419, 'food stress': 316872, 'stress is': 813346, 'is triggering': 453356, 'triggering heck': 931939, 'heck we': 388706, 'we already': 970388, 'already have': 47414, 'have stress': 382806, 'stress around': 813306, 'around food': 93285, 'food we': 317518, 'to feel': 905744, 'feel more': 302777, 'please check in': 659773, 'check in with': 174475, 'in with your': 430950, 'with your eating': 1002195, 'your eating disorder': 1023613, 'eating disorder friend': 266194, 'disorder friend if': 246078, 'you can all': 1017617, 'can all this': 157443, 'all this panic': 45123, 'buying food stress': 150335, 'food stress is': 316873, 'stress is triggering': 813349, 'is triggering heck': 453357, 'triggering heck we': 931940, 'heck we already': 388707, 'we already have': 970391, 'already have stress': 47433, 'have stress around': 382807, 'stress around food': 813307, 'around food we': 93287, 'food we do': 317525, 'we do not': 971340, 'need to feel': 555933, 'to feel more': 905751, 'hearing': 388182, 'apart': 81221, 'elsewhere': 272007, 'still seeing': 801153, 'seeing and': 746223, 'and hearing': 64412, 'hearing about': 388183, 'about way': 26847, 'way way': 970160, 'way too': 970124, 'too many': 924880, 'people not': 648861, 'not social': 571632, 'distancing it': 247262, 'together it': 920842, 'foot apart': 318339, 'apart whether': 81377, 'whether at': 985489, 'or outside': 616474, 'outside or': 629522, 'or elsewhere': 615138, 'elsewhere please': 272023, 'fight covid': 304704, 'still seeing and': 801154, 'seeing and hearing': 746224, 'and hearing about': 64413, 'hearing about way': 388188, 'about way way': 26850, 'way way too': 970163, 'way too many': 970129, 'too many people': 924892, 'many people not': 514521, 'people not social': 648874, 'not social distancing': 571634, 'social distancing it': 779641, 'distancing it not': 247265, 'it not the': 459927, 'not the time': 572036, 'time to get': 897991, 'to get together': 906625, 'get together it': 348511, 'together it the': 920845, 'it the time': 461582, 'time to stay': 898075, 'to stay six': 915316, 'six foot apart': 772635, 'foot apart whether': 318350, 'apart whether at': 81378, 'whether at the': 985491, 'store or outside': 809357, 'or outside or': 616476, 'outside or elsewhere': 629523, 'or elsewhere please': 615139, 'elsewhere please help': 272024, 'please help fight': 660065, 'help fight covid': 389706, 'fight covid 19': 304705, 'thro': 894227, 'escalate': 280255, 'trust any': 934238, 'these company': 879781, 'company saying': 191051, 'saying they': 739721, 'get thro': 348426, 'thro this': 894228, 'this we': 891141, 'be seeing': 117030, 'seeing price': 746427, 'price escalate': 673695, 'escalate on': 280258, 'everything once': 287948, 'once this': 605748, 'over whose': 630932, 'whose going': 990641, 'protect from': 684839, 'from that': 337574, 'not trust any': 572284, 'trust any of': 934239, 'any of these': 79540, 'of these company': 591819, 'these company saying': 879792, 'company saying they': 191052, 'saying they want': 739730, 'want to help': 966047, 'help get thro': 389803, 'get thro this': 348427, 'thro this we': 894229, 'this we ll': 891150, 'we ll be': 972234, 'll be seeing': 496623, 'be seeing price': 117032, 'seeing price escalate': 746428, 'price escalate on': 673696, 'escalate on everything': 280259, 'on everything once': 600650, 'everything once this': 287949, 'once this is': 605751, 'this is over': 888352, 'is over whose': 450746, 'over whose going': 630933, 'whose going to': 990642, 'going to protect': 355676, 'to protect from': 912308, 'protect from that': 684846, 'digest': 242444, '22': 15148, 'bogus': 134013, 'snopes': 776382, 'lupus': 506811, 'arthritis': 94211, 'hyped': 412282, 'chiropractor': 177548, 'naturopath': 553010, 'consumer health': 197717, 'health digest': 386379, 'digest 22': 242449, '22 20': 15161, '20 ftc': 13071, 'ftc coronavirus': 339393, 'scam warning': 740462, 'warning bogus': 967099, 'bogus covid': 134016, '19 vaccine': 11715, 'vaccine kit': 951730, 'kit offer': 475604, 'offer stopped': 594810, 'stopped snopes': 805757, 'snopes covid': 776383, '19 fact': 6925, 'checking hub': 174823, 'hub lupus': 409814, 'lupus arthritis': 506814, 'arthritis patient': 94216, 'patient face': 644169, 'face shortage': 294749, 'drug hyped': 260978, 'hyped for': 412283, '19 chiropractor': 5804, 'chiropractor naturopath': 177549, 'naturopath covid': 553011, '19 claim': 5825, 'consumer health digest': 197725, 'health digest 22': 386382, 'digest 22 20': 242450, '22 20 ftc': 15163, '20 ftc coronavirus': 13072, 'ftc coronavirus scam': 339394, 'coronavirus scam warning': 206724, 'scam warning bogus': 740463, 'warning bogus covid': 967100, 'bogus covid 19': 134017, 'covid 19 vaccine': 214015, '19 vaccine kit': 11722, 'vaccine kit offer': 951731, 'kit offer stopped': 475605, 'offer stopped snopes': 594811, 'stopped snopes covid': 805758, 'snopes covid 19': 776384, 'covid 19 fact': 213068, '19 fact checking': 6926, 'fact checking hub': 295696, 'checking hub lupus': 174824, 'hub lupus arthritis': 409815, 'lupus arthritis patient': 506815, 'arthritis patient face': 94217, 'patient face shortage': 644170, 'face shortage of': 294751, 'shortage of drug': 765108, 'of drug hyped': 582849, 'drug hyped for': 260979, 'hyped for covid': 412284, 'covid 19 chiropractor': 212797, '19 chiropractor naturopath': 5805, 'chiropractor naturopath covid': 177550, 'naturopath covid 19': 553012, 'covid 19 claim': 212805, 'plz': 661799, 'decimated': 230975, 'inflated': 437007, 'tax': 834922, 'blow': 133300, 'keg': 472689, 'packed': 633584, 'gunpowder': 368793, 'plz understand': 661845, 'understand that': 940723, '19 only': 8995, 'only decimated': 610323, 'decimated the': 230991, 'wa falsely': 962108, 'falsely inflated': 297470, 'inflated to': 437093, 'to begin': 901707, 'begin with': 123602, 'with tax': 1001125, 'tax cut': 834952, 'cut buy': 223257, 'buy back': 148392, 'back artificial': 106879, 'artificial inflation': 94519, 'inflation of': 437209, 'stock price': 802700, 'price you': 677687, 'use spark': 949609, 'spark to': 787562, 'to blow': 901867, 'blow up': 133363, 'up keg': 945275, 'keg that': 472690, 'that isn': 844680, 'isn already': 454427, 'already packed': 47555, 'packed with': 633663, 'with gunpowder': 998712, 'plz understand that': 661846, 'understand that covid': 940726, 'covid 19 only': 213520, '19 only decimated': 8996, 'only decimated the': 610324, 'decimated the market': 230993, 'the market because': 860092, 'market because it': 516093, 'because it wa': 119212, 'it wa falsely': 462110, 'wa falsely inflated': 962109, 'falsely inflated to': 297471, 'inflated to begin': 437094, 'to begin with': 901719, 'begin with tax': 123604, 'with tax cut': 1001126, 'tax cut buy': 834954, 'cut buy back': 223258, 'buy back artificial': 148393, 'back artificial inflation': 106880, 'artificial inflation of': 94520, 'inflation of stock': 437211, 'of stock price': 590187, 'stock price you': 802763, 'price you can': 677691, 'can use spark': 160102, 'use spark to': 949610, 'spark to blow': 787563, 'to blow up': 901870, 'blow up keg': 133364, 'up keg that': 945276, 'keg that isn': 472691, 'that isn already': 844681, 'isn already packed': 454428, 'already packed with': 47556, 'packed with gunpowder': 633666, 'mainstream': 508903, 'republican': 713014, 'suggesting': 817595, 'sacrificed': 729121, 'gop': 358237, 'notdying4wallstreet': 572684, 'that mainstream': 844985, 'mainstream republican': 508917, 'republican including': 713039, 'including the': 432176, 'the president': 864251, 'the united': 870416, 'state are': 795381, 'are seriously': 89991, 'seriously suggesting': 751739, 'suggesting that': 817610, 'people life': 648630, 'life should': 489040, 'be sacrificed': 116933, 'sacrificed for': 729124, 'the greater': 856742, 'greater good': 363184, 'good of': 357482, 'economy tell': 268255, 'you everything': 1018470, 'the priority': 864472, 'priority of': 678612, 'the gop': 856460, 'gop notdying4wallstreet': 358261, 'fact that mainstream': 295802, 'that mainstream republican': 844986, 'mainstream republican including': 508918, 'republican including the': 713040, 'including the president': 432187, 'the president of': 864266, 'president of the': 670874, 'of the united': 591573, 'the united state': 870420, 'united state are': 942204, 'state are seriously': 795390, 'are seriously suggesting': 89993, 'seriously suggesting that': 751740, 'suggesting that people': 817611, 'that people life': 845699, 'people life should': 648638, 'life should be': 489041, 'should be sacrificed': 765720, 'be sacrificed for': 116934, 'sacrificed for the': 729125, 'for the greater': 326466, 'the greater good': 856745, 'greater good of': 363185, 'good of the': 357484, 'the economy tell': 854024, 'economy tell you': 268256, 'tell you everything': 837146, 'you everything you': 1018473, 'everything you need': 288137, 'know about the': 476225, 'about the priority': 26489, 'the priority of': 864474, 'priority of the': 678613, 'of the gop': 591070, 'the gop notdying4wallstreet': 856467, 'globe': 352435, 'checklist': 174868, 'cover': 212177, 'retailer across': 718943, 'the globe': 856343, 'globe have': 352466, 'been affected': 120619, 'you read': 1020808, 'read this': 700605, 'this your': 891619, 'your store': 1025958, 'store may': 808918, 'may already': 520911, 'already be': 47210, 'be closed': 114117, 'closed to': 183392, 'public here': 688089, 'here is': 393210, 'is checklist': 446506, 'checklist to': 174875, 'you cover': 1018110, 'cover all': 212186, 'the base': 849293, 'base you': 111481, 'you close': 1017975, 'retailer across the': 718944, 'across the globe': 29499, 'the globe have': 856357, 'globe have been': 352467, 'have been affected': 379462, 'been affected by': 120621, 'affected by the': 34325, 'by the covid': 154298, '19 virus and': 11784, 'virus and you': 957950, 'and you read': 76042, 'you read this': 1020812, 'read this your': 700630, 'this your store': 891624, 'your store may': 1025975, 'store may already': 808919, 'may already be': 520912, 'already be closed': 47211, 'be closed to': 114135, 'closed to the': 183401, 'the public here': 864819, 'public here is': 688090, 'here is checklist': 393218, 'is checklist to': 446507, 'checklist to help': 174876, 'to help you': 907670, 'help you cover': 390961, 'you cover all': 1018111, 'cover all the': 212188, 'all the base': 44668, 'the base you': 849296, 'base you close': 111482, 'powerful': 667768, 'harmful': 378439, 'looking for': 502847, 'better way': 128596, 'clean california': 180489, 'california baby': 155466, 'baby make': 106656, 'make powerful': 510342, 'powerful plant': 667797, 'plant based': 658617, 'sanitizer that': 735855, 'kill 99': 474328, '99 of': 23863, 'of germ': 584092, 'germ without': 346187, 'without harmful': 1002705, 'harmful chemical': 378440, 'chemical sanitizer': 175383, 'looking for better': 502852, 'for better way': 319664, 'better way to': 128601, 'way to keep': 970043, 'to keep your': 908882, 'keep your hand': 472268, 'your hand clean': 1024177, 'hand clean california': 374864, 'clean california baby': 180490, 'california baby make': 155467, 'baby make powerful': 106657, 'make powerful plant': 510343, 'powerful plant based': 667798, 'plant based hand': 658622, 'hand sanitizer that': 375617, 'sanitizer that kill': 735862, 'that kill 99': 844820, 'kill 99 of': 474331, '99 of germ': 23866, 'of germ without': 584104, 'germ without harmful': 346188, 'without harmful chemical': 1002706, 'harmful chemical sanitizer': 378441, 'nsw': 576704, 'stepped': 799764, 'the nsw': 861945, 'nsw government': 576707, 'ha stepped': 372060, 'stepped in': 799772, 'help restock': 390449, 'restock supermarket': 716913, 'and end': 62110, 'end the': 275971, 'frenzy 7news': 332773, 'the nsw government': 861946, 'nsw government ha': 576708, 'government ha stepped': 360168, 'ha stepped in': 372061, 'stepped in to': 799776, 'in to help': 430115, 'to help restock': 907611, 'help restock supermarket': 390450, 'restock supermarket shelf': 716914, 'supermarket shelf and': 822426, 'shelf and end': 756729, 'and end the': 62113, 'end the panic': 275977, 'buying frenzy 7news': 150376, 'ltr': 506399, 'dettol': 239516, 'kanikakapoor': 470791, 'need mass': 555215, 'of sanitizer': 589285, 'sanitizer now': 735429, 'now 25': 573904, '25 ltr': 15902, 'ltr dettol': 506400, 'dettol water': 239534, 'water best': 968914, 'best hand': 127714, 'sanitizer kanikakapoor': 735245, 'we need mass': 972513, 'need mass production': 555217, 'mass production of': 519840, 'production of sanitizer': 682155, 'of sanitizer now': 589296, 'sanitizer now 25': 735431, 'now 25 ltr': 573905, '25 ltr dettol': 15903, 'ltr dettol water': 506401, 'dettol water best': 239535, 'water best hand': 968915, 'best hand sanitizer': 127715, 'hand sanitizer kanikakapoor': 375464, 'whatever': 982740, 'joe kitchen': 466425, 'kitchen covid': 475705, '19 meal': 8594, 'meal message': 524213, 'message this': 529439, 'is today': 453258, 'today lunch': 919844, 'lunch that': 506744, 'that put': 845911, 'put together': 690930, 'together with': 921039, 'with whatever': 1002078, 'whatever we': 982813, 'could find': 209176, 'joe kitchen covid': 466426, 'kitchen covid 19': 475706, 'covid 19 meal': 213415, '19 meal message': 8595, 'meal message this': 524214, 'message this is': 529440, 'this is today': 888431, 'is today lunch': 453261, 'today lunch that': 919845, 'lunch that put': 506745, 'that put together': 845915, 'put together with': 690950, 'together with whatever': 921046, 'with whatever we': 1002080, 'whatever we could': 982814, 'we could find': 971205, 'could find at': 209177, 'banning': 110617, 'event': 284935, 'handedly': 376094, 'undo': 941014, 'sneezing': 776304, 'centipede': 169353, 'all can': 42280, 'can say': 159510, 'say is': 738814, 'is we': 453799, 'are banning': 84758, 'banning event': 110624, 'event pub': 285057, 'pub etc': 687703, 'etc for': 282540, 'for contamination': 320316, 'contamination risk': 200731, 'risk but': 723426, 'but went': 147774, 'today and': 919191, 'will single': 994866, 'single handedly': 771307, 'handedly undo': 376099, 'undo everything': 941015, 'wa horror': 962336, 'horror story': 404211, 'story people': 812102, 'people sneezing': 649487, 'sneezing in': 776317, 'in all': 420162, 'all aisle': 41977, 'aisle queue': 40351, 'for till': 327186, 'till wa': 896125, 'wa like': 962539, 'like human': 490466, 'human centipede': 410455, 'all can say': 42285, 'can say is': 159516, 'say is we': 738826, 'is we are': 453800, 'we are banning': 970488, 'are banning event': 84759, 'banning event pub': 110625, 'event pub etc': 285058, 'pub etc for': 687705, 'etc for contamination': 282542, 'for contamination risk': 320318, 'contamination risk but': 200732, 'risk but went': 723433, 'but went to': 147776, 'went to supermarket': 979193, 'to supermarket today': 915852, 'supermarket today and': 823433, 'today and that': 919227, 'and that will': 73222, 'that will single': 847609, 'will single handedly': 994867, 'single handedly undo': 771310, 'handedly undo everything': 376100, 'undo everything it': 941016, 'everything it wa': 287895, 'it wa horror': 462127, 'wa horror story': 962337, 'horror story people': 404213, 'story people sneezing': 812103, 'people sneezing in': 649488, 'sneezing in all': 776318, 'in all aisle': 420163, 'all aisle queue': 41978, 'aisle queue for': 40352, 'queue for till': 693934, 'for till wa': 327187, 'till wa like': 896126, 'wa like human': 962545, 'like human centipede': 490467, 'install': 439982, 'divine': 248648, 'paper really': 640663, 'really seriously': 702568, 'seriously don': 751586, 'don understand': 254002, 'understand why': 940812, 'why this': 991467, 'isn thing': 454726, 'europe or': 283487, 'the when': 871432, 'when get': 983457, 'get place': 347819, 'place of': 657598, 'my own': 549631, 'own this': 632265, 'thing ll': 884557, 'll install': 496853, 'install divine': 439990, 'divine 19': 248649, '19 coronavid19': 6082, 'coronavid19 toiletpaper': 205396, 'toilet paper really': 921415, 'paper really seriously': 640665, 'really seriously don': 702569, 'seriously don understand': 751588, 'don understand why': 254011, 'understand why this': 940825, 'why this isn': 991472, 'this isn thing': 888494, 'isn thing in': 454727, 'thing in europe': 884431, 'in europe or': 422647, 'europe or the': 283488, 'or the when': 617408, 'the when get': 871435, 'when get place': 983460, 'get place of': 347821, 'place of my': 657602, 'of my own': 586802, 'my own this': 549660, 'own this is': 632266, 'is the first': 452802, 'the first thing': 855356, 'first thing ll': 309076, 'thing ll install': 884559, 'll install divine': 496854, 'install divine 19': 439991, 'divine 19 coronavid19': 248650, '19 coronavid19 toiletpaper': 6085, 'coronavid19 toiletpaper toiletpaperpanic': 205398, 'trumppressbriefing': 934127, 'pressconference': 671096, 'dude': 261574, 'people is': 648513, 'is happy': 448294, 'happy for': 377617, 'this gas': 887674, 'price trumppressbriefing': 677136, 'trumppressbriefing pressconference': 934131, 'pressconference dude': 671097, 'dude there': 261612, 'no where': 565882, 'where to': 985300, 'drive everything': 259051, 'closed wtf': 183449, 'people is happy': 648517, 'is happy for': 448295, 'happy for this': 377620, 'for this gas': 327029, 'this gas price': 887675, 'gas price trumppressbriefing': 344044, 'price trumppressbriefing pressconference': 677137, 'trumppressbriefing pressconference dude': 934132, 'pressconference dude there': 671098, 'dude there no': 261613, 'there no where': 878849, 'no where to': 565888, 'where to drive': 985303, 'to drive everything': 904735, 'drive everything is': 259052, 'everything is closed': 287867, 'is closed wtf': 446596, 'shopper are': 761380, 'being warned': 126045, 'warned not': 967011, 'wear glove': 974332, 'shopper are being': 761383, 'are being warned': 84941, 'being warned not': 126047, 'warned not to': 967012, 'not to wear': 572208, 'to wear glove': 918431, 'wear glove at': 974334, 'environmental': 279180, 'sustainability': 829754, 'oilprice': 597602, 'finance': 306144, 'good news': 357439, 'for environmental': 321077, 'environmental sustainability': 279200, 'sustainability oil': 829775, 'oil company': 596683, 'company cut': 190581, 'cut spending': 223545, 'spending plan': 788954, 'plan by': 658083, 'over due': 630165, 'to impacting': 908161, 'impacting price': 418250, 'price oilprice': 675634, 'oilprice oil': 597621, 'oil finance': 596794, 'good news for': 357444, 'news for environmental': 560432, 'for environmental sustainability': 321079, 'environmental sustainability oil': 279201, 'sustainability oil company': 829776, 'oil company cut': 596688, 'company cut spending': 190582, 'cut spending plan': 223550, 'spending plan by': 788955, 'plan by over': 658087, 'by over due': 153499, 'over due to': 630166, 'due to impacting': 261824, 'to impacting price': 908162, 'impacting price oilprice': 418251, 'price oilprice oil': 675635, 'oilprice oil finance': 597622, 'salute': 732846, 'today we': 920467, 'we salute': 973122, 'salute the': 732858, 'hero on': 394051, 'at you': 101652, 'you put': 1020502, 'put the': 690851, 'the word': 871696, 'word super': 1004581, 'super in': 818525, 'socialdistancing staysafe': 780748, 'today we salute': 920482, 'we salute the': 973123, 'salute the hero': 732859, 'the hero on': 857296, 'hero on the': 394052, 'front line at': 338560, 'line at you': 492996, 'at you put': 101659, 'you put the': 1020510, 'put the word': 690872, 'the word super': 871719, 'word super in': 1004582, 'super in supermarket': 818526, 'in supermarket socialdistancing': 428672, 'supermarket socialdistancing staysafe': 822760, 'aldi': 41246, 'sensibly': 750675, 'reluctant': 709618, 'expose': 292780, 'possible': 665559, 'preferred': 669804, 'swi': 830311, 'think aldi': 885126, 'aldi will': 41315, 'soon have': 785736, 'to consider': 903218, 'consider bringing': 194960, 'in online': 426158, 'and home': 64675, 'delivery shopper': 234491, 'shopper sensibly': 761678, 'sensibly are': 750681, 'are reluctant': 89566, 'reluctant to': 709619, 'to expose': 905510, 'expose themselves': 292812, 'themselves to': 876906, 'to possible': 911900, 'possible covid': 665614, '19 aldi': 4884, 'aldi is': 41275, 'my preferred': 549833, 'preferred grocery': 669807, 'grocery retailer': 364899, 'retailer but': 719052, 'but have': 145866, 'have swi': 382882, 'think aldi will': 885127, 'aldi will soon': 41316, 'will soon have': 994895, 'soon have to': 785738, 'have to consider': 383185, 'to consider bringing': 903221, 'consider bringing in': 194961, 'bringing in online': 140167, 'in online shopping': 426174, 'shopping and home': 761992, 'and home delivery': 64679, 'home delivery shopper': 401046, 'delivery shopper sensibly': 234492, 'shopper sensibly are': 761679, 'sensibly are reluctant': 750682, 'are reluctant to': 89567, 'reluctant to expose': 709621, 'to expose themselves': 905516, 'expose themselves to': 292814, 'themselves to possible': 876914, 'to possible covid': 911901, 'possible covid 19': 665615, 'covid 19 aldi': 212606, '19 aldi is': 4885, 'aldi is my': 41277, 'is my preferred': 449807, 'my preferred grocery': 549834, 'preferred grocery retailer': 669808, 'grocery retailer but': 364901, 'retailer but have': 719053, 'but have swi': 145884, 'manipulation': 513229, 'uncalled': 939549, 'smack': 774766, 'bastard': 112457, 'manipulation of': 513230, 'of fuel': 583992, 'current covid': 221146, 'is uncalled': 453439, 'uncalled for': 939550, 'for and': 319313, 'and smack': 71770, 'smack of': 774767, 'of greed': 584323, 'greed by': 363368, 'oil producing': 597351, 'producing nation': 680789, 'nation greedy': 552196, 'greedy bastard': 363484, 'manipulation of fuel': 513231, 'of fuel price': 583995, 'fuel price in': 340239, 'price in the': 674741, 'in the current': 429117, 'the current covid': 852622, 'current covid 19': 221147, '19 crisis is': 6267, 'crisis is uncalled': 217596, 'is uncalled for': 453440, 'uncalled for and': 939551, 'for and smack': 319341, 'and smack of': 71771, 'smack of greed': 774768, 'of greed by': 584324, 'greed by the': 363370, 'by the oil': 154396, 'the oil producing': 862117, 'oil producing nation': 597353, 'producing nation greedy': 680792, 'nation greedy bastard': 552197, 'frontliners': 338881, 'minorites': 533638, 'highly': 396030, 'lt': 506361, 'hello we': 389245, 're currently': 698488, 'currently doing': 221516, 'doing charity': 252328, 'charity art': 173572, 'art for': 94156, 'our frontliners': 623204, 'frontliners and': 338882, 'and minorites': 67056, 'minorites because': 533639, 'guy want': 369207, 'have commission': 380037, 'commission from': 188828, 'me or': 523278, 'friend just': 333687, 'just check': 468467, 'below rt': 126723, 'rt is': 726777, 'is highly': 448462, 'highly appreciated': 396037, 'appreciated please': 82832, 'please support': 660610, 'support lt': 826637, 'lt lt': 506378, 'hello we re': 389248, 'we re currently': 972851, 're currently doing': 698490, 'currently doing charity': 221518, 'doing charity art': 252329, 'charity art for': 173573, 'art for our': 94157, 'for our frontliners': 324246, 'our frontliners and': 623205, 'frontliners and minorites': 338883, 'and minorites because': 67057, 'minorites because of': 533640, 'because of the': 119413, 'if you guy': 415448, 'you guy want': 1018978, 'guy want to': 369208, 'want to have': 966045, 'to have commission': 907218, 'have commission from': 380038, 'commission from me': 188829, 'from me or': 336398, 'me or any': 523280, 'or any of': 614351, 'any of my': 79534, 'my friend just': 548441, 'friend just check': 333688, 'just check out': 468470, 'out our price': 626987, 'our price and': 624437, 'and the link': 73452, 'link below rt': 493804, 'below rt is': 126724, 'rt is highly': 726778, 'is highly appreciated': 448463, 'highly appreciated please': 396038, 'appreciated please support': 82833, 'please support lt': 660615, 'support lt lt': 826638, 'plentiful': 660886, 'spam': 787375, 'jan': 464453, 'storey': 811754, 'beaumaris': 118649, 'letter': 487281, 'news hoarder': 560515, 'hoarder there': 399122, 'are plentiful': 89111, 'plentiful supply': 660899, 'of spam': 589959, 'spam and': 787377, 'and easter': 61861, 'easter egg': 265415, 'egg on': 269938, 'on supermarket': 603779, 'shelf jan': 757260, 'jan storey': 464470, 'storey beaumaris': 811755, 'beaumaris letter': 118650, 'letter 19': 487282, 'good news hoarder': 357448, 'news hoarder there': 560516, 'hoarder there are': 399123, 'there are plentiful': 878147, 'are plentiful supply': 89113, 'plentiful supply of': 660901, 'supply of spam': 825648, 'of spam and': 589960, 'spam and easter': 787378, 'and easter egg': 61862, 'easter egg on': 265424, 'egg on supermarket': 269939, 'on supermarket shelf': 603806, 'supermarket shelf jan': 822486, 'shelf jan storey': 757261, 'jan storey beaumaris': 464471, 'storey beaumaris letter': 811756, 'beaumaris letter 19': 118651, 'these bastard': 879675, 'bastard were': 112514, 'were finally': 979627, 'finally charged': 305956, 'these bastard were': 879679, 'bastard were finally': 112515, 'were finally charged': 979628, 'william': 995422, 'hillis': 396503, 'shiller': 758594, 'responding': 715555, 'marketinsights': 517787, 'realestatetrends': 701570, 'market expert': 516360, 'expert william': 292031, 'william hillis': 995430, 'hillis share': 396504, 'share insight': 755062, 'into recent': 442930, 'recent real': 703966, 'estate trend': 282196, 'trend including': 931371, 'including analysis': 431876, 'analysis of': 57059, 'case shiller': 166009, 'shiller home': 758595, 'price index': 674807, 'index data': 434178, 'data from': 226223, 'from january': 336141, 'january and': 464645, 'and how': 64798, 'is responding': 451471, 'responding to': 715575, '19 marketinsights': 8566, 'marketinsights realestatetrends': 517788, 'market expert william': 516362, 'expert william hillis': 292032, 'william hillis share': 995431, 'hillis share insight': 396505, 'share insight into': 755063, 'insight into recent': 439583, 'into recent real': 442931, 'recent real estate': 703967, 'real estate trend': 701165, 'estate trend including': 282197, 'trend including analysis': 931372, 'including analysis of': 431877, 'analysis of case': 57060, 'of case shiller': 581175, 'case shiller home': 166010, 'shiller home price': 758596, 'home price index': 401909, 'price index data': 674809, 'index data from': 434180, 'data from january': 226233, 'from january and': 336143, 'january and how': 464648, 'and how the': 64838, 'how the market': 408845, 'the market is': 860125, 'market is responding': 516639, 'is responding to': 451472, 'responding to covid': 715583, 'covid 19 marketinsights': 213405, '19 marketinsights realestatetrends': 8567, 'mobile': 534933, 'van': 952283, 'jalna': 464345, '19india': 12525, 'mobile van': 535034, 'van making': 952302, 'making round': 511312, 'round in': 726329, 'in jalna': 424344, 'jalna helping': 464346, 'helping staff': 391474, 'staff protect': 792780, 'from infection': 336053, 'infection 19india': 436704, '19india 19': 12526, 'mobile van making': 535036, 'van making round': 952303, 'making round in': 511313, 'round in jalna': 726330, 'in jalna helping': 424345, 'jalna helping staff': 464348, 'helping staff protect': 391475, 'staff protect themselves': 792781, 'protect themselves from': 685018, 'themselves from infection': 876812, 'from infection 19india': 336054, 'infection 19india 19': 436705, 'austrian': 103603, 'limiting': 492799, 'deemed': 231813, 'austrian supermarket': 103604, 'running short': 728061, 'mask customer': 518556, 'customer complain': 222263, 'complain that': 191866, 'that staff': 846449, 'are even': 86273, 'even limiting': 284300, 'limiting the': 492874, 'supply to': 825995, 'to older': 910890, 'older people': 598639, 'are deemed': 85717, 'deemed to': 231835, 'be more': 115961, 'more at': 538658, 'risk from': 723568, 'austrian supermarket are': 103605, 'are running short': 89771, 'running short of': 728063, 'short of mask': 764660, 'of mask customer': 586263, 'mask customer complain': 518557, 'customer complain that': 222264, 'complain that staff': 191867, 'that staff are': 846450, 'staff are even': 792187, 'are even limiting': 86276, 'even limiting the': 284301, 'limiting the supply': 492881, 'the supply to': 868964, 'supply to older': 826020, 'to older people': 910891, 'older people who': 598667, 'people who are': 650263, 'who are deemed': 988129, 'are deemed to': 85720, 'deemed to be': 231836, 'to be more': 901390, 'be more at': 115964, 'more at risk': 538670, 'at risk from': 100361, 'risk from covid': 723571, 'covid 19 supermarket': 213889, 'true then': 933188, 'then surely': 877589, 'surely protective': 827925, 'for household': 322409, 'household would': 406998, 'would of': 1012087, 'of been': 580615, 'been better': 120737, 'than government': 840706, 'government letter': 360311, 'letter sent': 487345, 'sent in': 750761, 'post stayhomesavelives': 666322, 'is true then': 453370, 'true then surely': 933191, 'then surely protective': 877590, 'surely protective face': 827926, 'face mask for': 294540, 'mask for household': 518681, 'for household would': 322413, 'household would of': 407000, 'would of been': 1012088, 'of been better': 580616, 'been better than': 120740, 'better than government': 128523, 'than government letter': 840707, 'government letter sent': 360314, 'letter sent in': 487346, 'sent in the': 750763, 'in the post': 429463, 'the post stayhomesavelives': 864097, 'overstretched': 631560, 'with america': 997184, 'america grocery': 51537, 'worker on': 1007482, 'pandemic some': 636508, 'some local': 783208, 'local government': 498020, 'government are': 359894, 'protect overstretched': 684912, 'overstretched employee': 631561, 'with america grocery': 997186, 'america grocery worker': 51539, 'grocery worker on': 366184, 'worker on the': 1007491, 'line of the': 493315, 'of the pandemic': 591316, 'the pandemic some': 863102, 'pandemic some local': 636511, 'some local government': 783211, 'local government are': 498021, 'government are working': 359908, 'are working to': 91724, 'working to help': 1008990, 'to help protect': 907595, 'help protect overstretched': 390375, 'protect overstretched employee': 684913, 'charlotte': 173761, 'covid19uk': 214407, 'what it': 981743, 'it like': 459347, 'like working': 491840, 'supermarket during': 820045, 'pandemic here': 635618, 'here charlotte': 392859, 'charlotte experience': 173768, 'experience via': 291523, 'via covid19uk': 955896, 'what it like': 981753, 'it like working': 459389, 'like working in': 491841, 'working in supermarket': 1008733, 'in supermarket during': 428588, 'supermarket during the': 820059, 'the pandemic here': 862987, 'pandemic here charlotte': 635621, 'here charlotte experience': 392860, 'charlotte experience via': 173769, 'experience via covid19uk': 291524, 'practising': 668782, 'simple': 769978, 'easyfundraising': 265811, 'all practising': 44013, 'practising socialdistancing': 668787, 'socialdistancing more': 780533, 'our shopping': 624758, 'done online': 254960, 'online really': 608854, 'really simple': 702595, 'simple and': 769985, 'and free': 63269, 'free way': 332307, 'support during': 826460, 'time is': 897050, 'to sign': 914632, 'sign up': 769245, 'to easyfundraising': 904859, 'easyfundraising thank': 265820, 'are all practising': 84336, 'all practising socialdistancing': 44015, 'practising socialdistancing more': 668789, 'socialdistancing more of': 780534, 'more of our': 539878, 'of our shopping': 587562, 'our shopping will': 624769, 'shopping will be': 764410, 'will be done': 992438, 'be done online': 114563, 'done online really': 254966, 'online really simple': 608855, 'really simple and': 702596, 'simple and free': 769987, 'and free way': 63279, 'free way to': 332308, 'way to support': 970109, 'to support during': 915922, 'support during this': 826462, 'difficult time is': 242294, 'time is to': 897069, 'is to sign': 453241, 'to sign up': 914640, 'sign up to': 769257, 'up to easyfundraising': 946371, 'to easyfundraising thank': 904862, 'easyfundraising thank you': 265821, 'taj': 831853, 'mlas': 534746, 'negotiated': 556919, 'mp': 544236, 'been planned': 121664, 'planned when': 658478, 'when trump': 984349, 'trump wa': 933955, 'wa shown': 963221, 'shown taj': 767613, 'taj and': 831854, 'and mlas': 67088, 'mlas price': 534747, 'price being': 672890, 'being negotiated': 125450, 'negotiated in': 556927, 'in mp': 425483, 'mp went': 544283, 'went beyond': 978969, 'beyond china': 129145, 'china more': 176831, 'should have been': 766062, 'have been planned': 379631, 'been planned when': 121665, 'planned when trump': 658479, 'when trump wa': 984351, 'trump wa shown': 933959, 'wa shown taj': 963222, 'shown taj and': 767614, 'taj and mlas': 831855, 'and mlas price': 67089, 'mlas price being': 534748, 'price being negotiated': 672897, 'being negotiated in': 125451, 'negotiated in mp': 556928, 'in mp went': 425484, 'mp went beyond': 544284, 'went beyond china': 978970, 'beyond china more': 129146, 'china more than': 176832, 'more than month': 540650, 'opposition': 613819, 'profiteering': 682994, 'india opposition': 434557, 'opposition urge': 613837, 'urge gov': 948187, 'gov to': 359713, 'stop profiteering': 804941, 'profiteering on': 683073, 'price provide': 676020, 'provide relief': 686448, 'relief amid': 709269, 'india opposition urge': 434558, 'opposition urge gov': 613838, 'urge gov to': 948188, 'gov to stop': 359717, 'to stop profiteering': 915560, 'stop profiteering on': 804944, 'profiteering on oil': 683078, 'oil price provide': 597223, 'price provide relief': 676023, 'provide relief amid': 686449, 'relief amid covid': 709270, 'feature': 301528, 'poetry': 662365, 'dalitso': 225109, 'ndlovu': 553424, 'bride': 139605, 'vain': 951851, 'sacrifice': 729079, 'elia': 271402, 'muonde': 546123, 'ink': 438735, 'oracle': 617897, 'poet': 662362, 'and feature': 62745, 'feature poetry': 301558, 'poetry by': 662368, 'by dalitso': 152289, 'dalitso ndlovu': 225110, 'ndlovu bride': 553425, 'bride price': 139608, 'and vain': 74836, 'vain sacrifice': 951852, 'sacrifice elia': 729083, 'elia muonde': 271403, 'muonde no': 546124, 'no poetry': 565128, 'poetry for': 662372, '19 ink': 7887, 'ink oracle': 438749, 'oracle by': 617898, 'by poet': 153605, 'this week and': 891186, 'week and feature': 975910, 'and feature poetry': 62746, 'feature poetry by': 301559, 'poetry by dalitso': 662369, 'by dalitso ndlovu': 152290, 'dalitso ndlovu bride': 225111, 'ndlovu bride price': 553426, 'bride price and': 139609, 'price and vain': 672575, 'and vain sacrifice': 74837, 'vain sacrifice elia': 951853, 'sacrifice elia muonde': 729084, 'elia muonde no': 271404, 'muonde no poetry': 546125, 'no poetry for': 565129, 'poetry for covid': 662373, 'covid 19 ink': 213274, '19 ink oracle': 7888, 'ink oracle by': 438750, 'oracle by poet': 617899, 'founder': 330519, 'joining': 466962, 'startupsvscovid19': 795144, 'ama': 50587, 'moderating': 535365, 'post world': 666416, 'world what': 1010158, 'what would': 982640, 'be the': 117590, 'future of': 342386, 'consumer startup': 199126, 'startup to': 795135, 'to address': 900081, 'the above': 848243, 'above founder': 27068, 'founder would': 330566, 'be joining': 115573, 'joining live': 466975, 'live for': 495816, 'our next': 624057, 'next startupsvscovid19': 561560, 'startupsvscovid19 ama': 795145, 'ama with': 50588, 'with moderating': 999531, 'moderating the': 535368, 'the session': 866742, 'session register': 753302, 'register now': 707586, 'in post world': 426865, 'post world what': 666420, 'world what would': 1010160, 'what would be': 982641, 'would be the': 1011659, 'be the future': 117615, 'the future of': 856084, 'future of consumer': 342392, 'of consumer startup': 581774, 'consumer startup to': 199130, 'startup to address': 795136, 'to address the': 900093, 'address the above': 32032, 'the above founder': 848246, 'above founder would': 27069, 'founder would be': 330567, 'would be joining': 1011611, 'be joining live': 115574, 'joining live for': 466976, 'live for our': 495818, 'for our next': 324277, 'our next startupsvscovid19': 624062, 'next startupsvscovid19 ama': 561561, 'startupsvscovid19 ama with': 795146, 'ama with moderating': 50589, 'with moderating the': 999532, 'moderating the session': 535369, 'the session register': 866744, 'session register now': 753303, 'waynerogers': 970220, 'hilarious': 396433, 'diaper': 240351, 'wereallinthistogether': 980369, 'toiletpaperpanic toiletpaperapocalypse': 923269, 'toiletpaperapocalypse toiletpapercrisis': 922937, 'toiletpapercrisis and': 923006, 'and waynerogers': 75273, 'waynerogers were': 970221, 'were hilarious': 979748, 'hilarious together': 396446, 'together seriously': 920932, 'seriously stoppanicbuying': 751735, 'stoppanicbuying there': 805651, 'are other': 88843, 'other people': 620653, 'people that': 649748, 'feed their': 302386, 'and diaper': 61310, 'diaper their': 240369, 'their baby': 872539, 'baby wereallinthistogether': 106728, 'toiletpaperpanic toiletpaperapocalypse toiletpapercrisis': 923276, 'toiletpaperapocalypse toiletpapercrisis and': 922939, 'toiletpapercrisis and waynerogers': 923007, 'and waynerogers were': 75274, 'waynerogers were hilarious': 970222, 'were hilarious together': 979749, 'hilarious together seriously': 396447, 'together seriously stoppanicbuying': 920933, 'seriously stoppanicbuying there': 751736, 'stoppanicbuying there are': 805652, 'there are other': 878139, 'are other people': 88846, 'other people that': 620688, 'people that need': 649772, 'that need to': 845315, 'need to feed': 555932, 'to feed their': 905733, 'feed their family': 302389, 'their family and': 873245, 'family and diaper': 297585, 'and diaper their': 61313, 'diaper their baby': 240370, 'their baby wereallinthistogether': 872542, '10 for': 1429, 'for large': 322885, 'large roll': 479780, 'roll expose': 725292, 'expose these': 292815, 'these greedy': 880071, 'greedy asshole': 363478, 'asshole rt': 96552, '10 for large': 1432, 'for large roll': 322889, 'large roll expose': 479781, 'roll expose these': 725293, 'expose these greedy': 292816, 'these greedy asshole': 880072, 'greedy asshole rt': 363480, 'substitute': 816080, 'sorting': 786181, 'no10': 565953, 'armyforfooddistribution': 93060, 'shopping not': 763348, 'working vulnerable': 1009032, 'vulnerable group': 960980, 'group but': 366625, 'but most': 146414, 'of shopping': 589657, 'shopping didn': 762476, 'didn arrive': 240986, 'arrive no': 93923, 'no substitute': 565601, 'substitute need': 816094, 'need sorting': 555621, 'sorting trying': 786192, 'keep away': 471331, 'from shop': 337261, 'shop sainsburys': 760734, 'sainsburys no10': 731776, 'no10 armyforfooddistribution': 565954, 'online shopping not': 609199, 'shopping not working': 763356, 'not working vulnerable': 572555, 'working vulnerable group': 1009033, 'vulnerable group but': 960982, 'group but most': 366626, 'but most of': 146417, 'most of shopping': 542558, 'of shopping didn': 589662, 'shopping didn arrive': 762477, 'didn arrive no': 240987, 'arrive no substitute': 93924, 'no substitute need': 565602, 'substitute need sorting': 816095, 'need sorting trying': 555623, 'sorting trying to': 786193, 'trying to keep': 934822, 'to keep away': 908757, 'keep away from': 471332, 'away from shop': 105908, 'from shop sainsburys': 337265, 'shop sainsburys no10': 760735, 'sainsburys no10 armyforfooddistribution': 731777, 'seriousness': 751808, 'arduous': 84091, 'that where': 847503, 'where all': 984718, 'the went': 871383, 'went in': 979037, 'all seriousness': 44278, 'seriousness hope': 751811, 'stay healthy': 796890, 'healthy and': 387515, 'in these': 429827, 'these arduous': 879603, 'arduous time': 84092, 'time stock': 897763, 'up but': 944515, 'but don': 145586, 'don go': 253560, 'go crazy': 353430, 'crazy like': 215346, 'like here': 490425, 'here leave': 393292, 'leave some': 484930, 'some for': 782885, 'so that where': 778406, 'that where all': 847504, 'where all the': 984719, 'all the went': 44981, 'the went in': 871384, 'went in all': 979038, 'in all seriousness': 420180, 'all seriousness hope': 44280, 'seriousness hope you': 751812, 'hope you all': 403788, 'you all stay': 1016908, 'all stay healthy': 44443, 'stay healthy and': 796891, 'healthy and safe': 387529, 'and safe in': 70716, 'safe in these': 729771, 'in these arduous': 429828, 'these arduous time': 879604, 'arduous time stock': 84093, 'time stock up': 897765, 'stock up but': 803064, 'up but don': 944519, 'but don go': 145590, 'don go crazy': 253565, 'go crazy like': 353433, 'crazy like here': 215347, 'like here leave': 490428, 'here leave some': 393293, 'leave some for': 484933, 'some for your': 782894, 'for your neighbor': 328178, 'thier': 884022, 'stopit': 805527, 'houston': 407183, 'this shit': 890073, 'is never': 449877, 'never going': 558026, 'to end': 905070, 'end just': 275856, 'just went': 470272, 'week there': 977023, 'there were': 879303, 'were child': 979440, 'child everywhere': 176080, 'everywhere elderly': 288193, 'were standing': 980162, 'in group': 423451, 'group talking': 366902, 'talking people': 834030, 'were touching': 980286, 'touching thier': 926739, 'thier face': 884025, 'face stopit': 294780, 'stopit houston': 805529, 'houston ffs': 407197, 'this shit is': 890082, 'shit is never': 759145, 'is never going': 449880, 'never going to': 558027, 'going to end': 355585, 'to end just': 905081, 'end just went': 275859, 'just went to': 470280, 'store for the': 807843, 'first time in': 309101, 'time in week': 897018, 'in week there': 430772, 'week there were': 977028, 'there were child': 879313, 'were child everywhere': 979441, 'child everywhere elderly': 176081, 'everywhere elderly people': 288194, 'elderly people were': 270841, 'people were standing': 650222, 'were standing in': 980163, 'standing in group': 793775, 'in group talking': 423458, 'group talking people': 366903, 'talking people were': 834031, 'people were touching': 650227, 'were touching thier': 980288, 'touching thier face': 926740, 'thier face stopit': 884026, 'face stopit houston': 294781, 'stopit houston ffs': 805530, '30am': 17403, 'sky': 773180, 'forecaster': 328891, 'morning my': 541362, 'my business': 547580, 'business update': 144588, 'update for': 946956, 'for live': 323018, 'live at': 495729, 'at 30am': 97603, '30am on': 17421, 'on smart': 603509, 'smart speaker': 775426, 'speaker app': 787740, 'app sky': 81758, 'sky box': 773185, 'box or': 137138, 'or digital': 614970, 'digital and': 242505, 'and welcome': 75390, 'welcome back': 977872, 'back lockdown': 107141, 'lockdown to': 500044, 'to cost': 903592, 'cost billion': 207882, 'billion day': 130796, 'day say': 228307, 'say forecaster': 738649, 'forecaster uk': 328894, 'uk consumer': 938259, 'confidence slump': 193950, 'slump say': 774705, 'good morning my': 357410, 'morning my business': 541363, 'my business update': 547583, 'business update for': 144591, 'update for live': 946958, 'for live at': 323019, 'live at 30am': 495731, 'at 30am on': 97606, '30am on smart': 17422, 'on smart speaker': 603511, 'smart speaker app': 775427, 'speaker app sky': 787741, 'app sky box': 81759, 'sky box or': 773186, 'box or digital': 137139, 'or digital and': 614971, 'digital and welcome': 242507, 'and welcome back': 75391, 'welcome back lockdown': 977873, 'back lockdown to': 107142, 'lockdown to cost': 500052, 'to cost billion': 903594, 'cost billion day': 207883, 'billion day say': 130797, 'day say forecaster': 228309, 'say forecaster uk': 738650, 'forecaster uk consumer': 328895, 'uk consumer confidence': 938262, 'consumer confidence slump': 196920, 'confidence slump say': 193951, 'doomsday': 255467, 'hnvx2ysb6b': 398727, 'today also': 919173, 'also bought': 47970, 'bought pasta': 136680, 'and egg': 61971, 'egg with': 270039, 'problem feel': 679518, 'feel for': 302621, 'you living': 1019636, 'uk with': 938906, 'the doomsday': 853553, 'doomsday preppers': 255474, 'preppers hnvx2ysb6b': 670403, 'ton of toilet': 924289, 'paper in my': 640327, 'local supermarket today': 498602, 'supermarket today also': 823431, 'today also bought': 919174, 'also bought pasta': 47971, 'bought pasta and': 136681, 'pasta and egg': 643679, 'and egg with': 61983, 'egg with no': 270042, 'with no problem': 999779, 'no problem feel': 565192, 'problem feel for': 679519, 'feel for you': 302627, 'for you living': 328073, 'you living in': 1019637, 'living in the': 496393, 'the uk with': 870304, 'uk with all': 938907, 'with all the': 997164, 'all the doomsday': 44723, 'the doomsday preppers': 853555, 'doomsday preppers hnvx2ysb6b': 255476, 'sainsbury': 731641, 'halt': 374418, 'sainsbury becomes': 731650, 'becomes first': 120220, 'first major': 308777, 'major retailer': 509439, 'retailer to': 719374, 'sell big': 748645, 'issue halt': 455778, 'halt street': 374458, 'street sale': 813091, 'sale find': 732218, 'find out': 307131, 'sainsbury becomes first': 731651, 'becomes first major': 120221, 'first major retailer': 308778, 'major retailer to': 509443, 'retailer to sell': 719384, 'to sell big': 914142, 'sell big issue': 748646, 'big issue halt': 129836, 'issue halt street': 455779, 'halt street sale': 374459, 'street sale find': 813092, 'sale find out': 732219, 'find out more': 307145, 'out more here': 626569, 'accuracy': 28876, 'flattening': 310141, 'flattenthecurve': 310154, 'artist to': 94622, 'to create': 903696, 'create product': 215722, 'product of': 681449, 'of entertainment': 583131, 'entertainment for': 278561, 'our consumer': 622515, 'consumer based': 196406, 'based society': 111744, 'society watch': 781356, 'watch there': 968562, 'be major': 115878, 'major bounce': 509243, 'back in': 107074, 'economy after': 267612, 'after we': 36513, 'better control': 128243, 'and accuracy': 57603, 'accuracy in': 28879, 'in tracking': 430258, 'and flattening': 62961, 'flattening the': 310146, 'curve flattenthecurve': 221858, 'the time for': 869588, 'time for artist': 896691, 'for artist to': 319496, 'artist to create': 94623, 'to create product': 903721, 'create product of': 215723, 'product of entertainment': 681452, 'of entertainment for': 583133, 'entertainment for our': 278562, 'for our consumer': 324220, 'our consumer based': 622522, 'consumer based society': 196409, 'based society watch': 111745, 'society watch there': 781357, 'watch there be': 968563, 'there be major': 878214, 'be major bounce': 115879, 'major bounce back': 509244, 'bounce back in': 136805, 'back in our': 107093, 'in our economy': 426284, 'our economy after': 622838, 'economy after we': 267613, 'after we have': 36517, 'we have better': 971766, 'have better control': 379775, 'better control and': 128244, 'control and accuracy': 201962, 'and accuracy in': 57604, 'accuracy in tracking': 28880, 'in tracking the': 430259, 'tracking the virus': 928374, 'the virus and': 870796, 'virus and flattening': 957924, 'and flattening the': 62962, 'flattening the curve': 310147, 'the curve flattenthecurve': 852692, 'skilled': 772992, 'upon': 947614, 'funny how': 341738, 'how all': 407331, 'low skilled': 505615, 'skilled job': 772995, 'job cleaner': 465741, 'driver retail': 259725, 'retail assistant': 717851, 'assistant that': 96806, 'many look': 514248, 'look down': 502336, 'down upon': 257421, 'upon are': 947615, 'now on': 575414, 'frontline holding': 338760, 'holding society': 400155, 'society together': 781337, 'together whilst': 921033, 'whilst we': 987704, 'we work': 973939, 'home those': 402293, 'those job': 892144, 'job aren': 465666, 'aren low': 92454, 'skilled they': 773005, 're essential': 698618, 'be paid': 116330, 'paid such': 634137, 'funny how all': 341739, 'how all of': 407333, 'all of these': 43718, 'of these low': 591838, 'these low skilled': 880261, 'low skilled job': 505616, 'skilled job cleaner': 772996, 'job cleaner delivery': 465742, 'delivery driver retail': 233936, 'driver retail assistant': 259726, 'retail assistant that': 717852, 'assistant that so': 96807, 'that so many': 846360, 'so many look': 777672, 'many look down': 514249, 'look down upon': 502338, 'down upon are': 257422, 'upon are now': 947616, 'are now on': 88578, 'now on the': 575436, 'the frontline holding': 855872, 'frontline holding society': 338761, 'holding society together': 400156, 'society together whilst': 781343, 'together whilst we': 921034, 'whilst we work': 987706, 'we work from': 973942, 'from home those': 335915, 'home those job': 402294, 'those job aren': 892145, 'job aren low': 465667, 'aren low skilled': 92456, 'low skilled they': 505620, 'skilled they re': 773006, 'they re essential': 883025, 're essential and': 698619, 'essential and they': 280791, 'and they should': 73938, 'they should be': 883354, 'should be paid': 765686, 'be paid such': 116340, 'digitalpolice': 242798, 'india must': 434527, 'act fast': 29639, 'fast and': 299909, 'talk le': 833810, 'le on': 483047, 'on india': 601547, 'india only': 434553, 'only rapid': 611045, 'rapid action': 696894, 'action wa': 30186, 'wa to': 963514, 'raise domestic': 695832, 'domestic fuel': 253192, 'time when': 898276, 'when international': 983604, 'international oil': 441834, 'have slipped': 382586, 'slipped to': 774051, 'to decade': 903991, 'decade low': 230688, 'low but': 505160, 'beyond that': 129240, 'it been': 456785, 'been all': 120638, 'all talk': 44604, 'talk and': 833776, 'and committee': 60149, 'committee digitalpolice': 189060, 'india must act': 434528, 'must act fast': 546452, 'act fast and': 29640, 'fast and talk': 299916, 'and talk le': 73007, 'talk le on': 833811, 'le on india': 483048, 'on india only': 601551, 'india only rapid': 434554, 'only rapid action': 611046, 'rapid action wa': 696895, 'action wa to': 30187, 'wa to raise': 963524, 'to raise domestic': 912719, 'raise domestic fuel': 695833, 'domestic fuel price': 253193, 'fuel price at': 340221, 'price at time': 672817, 'at time when': 101317, 'time when international': 898289, 'when international oil': 983606, 'international oil price': 441835, 'oil price have': 597156, 'price have slipped': 674461, 'have slipped to': 382587, 'slipped to decade': 774052, 'to decade low': 903992, 'decade low but': 230689, 'low but beyond': 505161, 'but beyond that': 145299, 'beyond that it': 129241, 'that it been': 844696, 'it been all': 456788, 'been all talk': 120641, 'all talk and': 44605, 'talk and committee': 833777, 'and committee digitalpolice': 60150, 'soar': 779213, 'kick': 473780, 'azadpur': 106391, 'mandi': 513085, 'disrupted': 246384, 'price soar': 676521, 'soar period': 779265, 'period kick': 651809, 'kick in': 473784, 'in azadpur': 420650, 'azadpur mandi': 106392, 'mandi trader': 513086, 'trader say': 928760, 'say supply': 739195, 'supply have': 825346, 'been disrupted': 120999, 'disrupted due': 246398, 'to transportation': 917715, 'transportation problem': 930025, 'problem report': 679664, 'vegetable price soar': 954074, 'price soar period': 676530, 'soar period kick': 779266, 'period kick in': 651810, 'kick in azadpur': 473786, 'in azadpur mandi': 420651, 'azadpur mandi trader': 106393, 'mandi trader say': 513087, 'trader say supply': 928761, 'say supply have': 739198, 'supply have been': 825347, 'have been disrupted': 379515, 'been disrupted due': 121002, 'disrupted due to': 246399, 'due to transportation': 262003, 'to transportation problem': 917716, 'transportation problem report': 930026, 'strained': 812308, 'shed': 756502, 'fragile': 330885, 'recommend': 704680, 'buying strained': 151100, 'strained supply': 812325, 'chain struggling': 171139, 'struggling food': 814443, 'bank covid': 109745, 'ha shed': 371892, 'shed more': 756514, 'more light': 539683, 'the fragile': 855752, 'fragile food': 330892, 'system to': 831348, 'state of': 795793, 'system today': 831360, 'it future': 458196, 'future we': 342513, 'we recommend': 973044, 'recommend feeding': 704693, 'feeding britain': 302457, 'britain new': 140427, 'new book': 558413, 'book by': 134489, 'panic buying strained': 637908, 'buying strained supply': 151101, 'strained supply chain': 812326, 'supply chain struggling': 825043, 'chain struggling food': 171140, 'struggling food bank': 814444, 'food bank covid': 313545, 'bank covid 19': 109746, '19 ha shed': 7385, 'ha shed more': 371893, 'shed more light': 756515, 'more light on': 539684, 'on the fragile': 604129, 'the fragile food': 855754, 'fragile food system': 330893, 'food system to': 317055, 'system to learn': 831354, 'to learn more': 909133, 'more about the': 538524, 'about the state': 26526, 'the state of': 867798, 'state of our': 795816, 'of our food': 587475, 'food system today': 317056, 'system today and': 831361, 'today and it': 919215, 'and it future': 65530, 'it future we': 458199, 'future we recommend': 342516, 'we recommend feeding': 973045, 'recommend feeding britain': 704694, 'feeding britain new': 302458, 'britain new book': 140428, 'new book by': 558414, 'gang': 343388, 'rando': 696594, 'involved': 444337, 'iowa': 444482, 'gang hate': 343394, 'hate to': 378929, 'this because': 886515, 'because just': 119215, 'just rando': 469553, 'rando on': 696595, 'twitter but': 936642, 'have friend': 380722, 'friend who': 333890, 'is involved': 448979, 'involved in': 444348, 'in food': 422962, 'safety in': 730576, 'in iowa': 424138, 'iowa and': 444483, 'and she': 71411, 'she warning': 756450, 'warning me': 967149, 'me that': 523602, 'is hitting': 448501, 'hitting food': 398563, 'food packing': 315744, 'packing plant': 633734, 'plant and': 658612, 'she tell': 756374, 'tell me': 837006, 'gang hate to': 343395, 'hate to do': 378931, 'do this because': 250344, 'this because just': 886516, 'because just rando': 119216, 'just rando on': 469554, 'rando on twitter': 696596, 'on twitter but': 604916, 'twitter but have': 936643, 'but have friend': 145872, 'have friend who': 380723, 'friend who is': 333900, 'who is involved': 989085, 'is involved in': 448980, 'involved in food': 444350, 'in food safety': 422983, 'food safety in': 316271, 'safety in iowa': 730579, 'in iowa and': 424139, 'iowa and she': 444484, 'and she warning': 71432, 'she warning me': 756451, 'warning me that': 967150, 'me that covid': 523608, '19 is hitting': 7988, 'is hitting food': 448502, 'hitting food packing': 398564, 'food packing plant': 315745, 'packing plant and': 633735, 'plant and she': 658614, 'and she tell': 71428, 'she tell me': 756376, 'avoiding': 105430, 'mspaamericas': 544582, 'mspa': 544579, 'mysteryshopping': 551021, 'evaluator': 283737, 'scam scam': 740348, 'more scam': 540317, 'scam do': 740131, 'not fall': 569359, 'fall for': 296909, 'it here': 458563, 'are tip': 91092, 'tip on': 898848, 'on avoiding': 599521, 'avoiding scam': 105489, 'commission mspaamericas': 188860, 'mspaamericas mspa': 544583, 'mspa mysteryshopping': 544580, 'mysteryshopping evaluator': 551022, 'scam scam and': 740349, 'scam and more': 740008, 'and more scam': 67212, 'more scam do': 540318, 'scam do not': 740132, 'do not fall': 249733, 'not fall for': 569360, 'fall for it': 296912, 'for it here': 322713, 'it here are': 458564, 'here are tip': 392766, 'are tip on': 91095, 'tip on avoiding': 898849, 'on avoiding scam': 599523, 'avoiding scam from': 105492, 'scam from the': 740176, 'from the federal': 337695, 'trade commission mspaamericas': 928451, 'commission mspaamericas mspa': 188861, 'mspaamericas mspa mysteryshopping': 544584, 'mspa mysteryshopping evaluator': 544581, 'lifted': 489477, 'eight': 270177, 'colombo': 186699, 'sri': 791592, 'lanka': 479507, '6am': 21547, 'police curfew': 662965, 'curfew wa': 220948, 'wa lifted': 962536, 'lifted for': 489484, 'for eight': 320980, 'eight hour': 270184, 'hour here': 405673, 'in colombo': 421558, 'colombo sri': 186702, 'sri lanka': 791595, 'lanka ran': 479508, 'ran to': 696516, 'at 6am': 97719, '6am to': 21577, 'police curfew wa': 662966, 'curfew wa lifted': 220950, 'wa lifted for': 962538, 'lifted for eight': 489485, 'for eight hour': 320981, 'eight hour here': 270185, 'hour here in': 405674, 'here in colombo': 393144, 'in colombo sri': 421559, 'colombo sri lanka': 186703, 'sri lanka ran': 791596, 'lanka ran to': 479509, 'ran to the': 696518, 'supermarket at 6am': 819230, 'at 6am to': 97729, '6am to get': 21578, 'vendor': 954334, 'justice': 470399, 'versova': 954931, 'natraj': 552796, 'shifa': 758206, 'yariroad': 1014168, 'mumbaipolice': 546044, 'mybmc': 550688, 'cmomaharashtra': 184693, 'police forcing': 663020, 'forcing vegetable': 328748, 'vegetable and': 953920, 'and fish': 62937, 'fish vendor': 309349, 'vendor to': 954412, 'close is': 182684, 'this justice': 888557, 'justice people': 470426, 'not or': 570847, 'or cannot': 614660, 'cannot afford': 161595, 'afford to': 34787, 'up hoard': 945091, 'hoard where': 398914, 'where will': 985356, 'will they': 995174, 'they get': 882156, 'from versova': 338228, 'versova near': 954932, 'near natraj': 553559, 'natraj building': 552797, 'building shifa': 142139, 'shifa medical': 758207, 'medical versova': 526494, 'versova yariroad': 954936, 'yariroad mumbai': 1014169, 'mumbai mumbaipolice': 546017, 'mumbaipolice mybmc': 546045, 'mybmc cmomaharashtra': 550689, 'police forcing vegetable': 663021, 'forcing vegetable and': 328749, 'vegetable and fish': 953923, 'and fish vendor': 62938, 'fish vendor to': 309350, 'vendor to close': 954413, 'to close is': 902881, 'close is this': 182685, 'is this justice': 453102, 'this justice people': 888558, 'justice people who': 470427, 'who have not': 988941, 'have not or': 381690, 'not or cannot': 570848, 'or cannot afford': 614661, 'cannot afford to': 161618, 'afford to stock': 34808, 'stock up hoard': 803086, 'up hoard where': 945093, 'hoard where will': 398915, 'where will they': 985359, 'will they get': 995181, 'they get food': 882163, 'get food from': 347040, 'food from versova': 314620, 'from versova near': 338229, 'versova near natraj': 954933, 'near natraj building': 553560, 'natraj building shifa': 552798, 'building shifa medical': 142140, 'shifa medical versova': 758208, 'medical versova yariroad': 526495, 'versova yariroad mumbai': 954937, 'yariroad mumbai mumbaipolice': 1014170, 'mumbai mumbaipolice mybmc': 546018, 'mumbaipolice mybmc cmomaharashtra': 546046, 'combat': 186977, 'from doctor': 335170, 'cashier bus': 166495, 'bus driver': 143012, 'driver to': 259800, 'to cleaner': 902818, 'cleaner these': 180849, 'these people': 880420, 'make sure': 510502, 'sure the': 827706, 'continues running': 201433, 'running amid': 727901, 'the movement': 861096, 'movement control': 543864, 'order to': 618657, 'to combat': 902984, 'combat the': 187045, 'from doctor to': 335174, 'doctor to supermarket': 251141, 'to supermarket cashier': 915781, 'supermarket cashier bus': 819552, 'cashier bus driver': 166496, 'bus driver to': 143032, 'driver to cleaner': 259801, 'to cleaner these': 902821, 'cleaner these people': 180850, 'these people make': 880450, 'people make sure': 648727, 'make sure the': 510530, 'sure the country': 827708, 'country continues running': 210558, 'continues running amid': 201434, 'running amid the': 727902, 'amid the movement': 52702, 'the movement control': 861097, 'movement control order': 543865, 'control order to': 202089, 'order to combat': 618671, 'to combat the': 903009, 'combat the spread': 187052, 'richardburr': 721312, 'kellyloeffler': 472733, 'accused': 28935, 'insider': 439460, 'dumped': 262198, 'loeffler': 500591, 'suit': 817749, 'republican senator': 713063, 'senator richardburr': 749782, 'richardburr and': 721313, 'and kellyloeffler': 65806, 'kellyloeffler accused': 472734, 'accused of': 28942, 'of using': 592715, 'using insider': 950523, 'insider trading': 439483, 'trading to': 928945, 'sell stock': 748886, 'stock before': 801910, 'before price': 123021, 'fell due': 303186, 'to fear': 905692, 'fear burr': 301067, 'burr dumped': 142939, 'dumped up': 262216, 'to million': 910130, 'and loeffler': 66328, 'loeffler sold': 500597, 'sold million': 781699, 'in holding': 423770, 'holding sometimes': 400157, 'sometimes virus': 785247, 'virus wear': 959014, 'wear suit': 974463, 'suit and': 817753, 'and take': 72955, 'take roll': 832550, 'roll call': 725241, 'republican senator richardburr': 713067, 'senator richardburr and': 749783, 'richardburr and kellyloeffler': 721314, 'and kellyloeffler accused': 65807, 'kellyloeffler accused of': 472735, 'accused of using': 28957, 'of using insider': 592721, 'using insider trading': 950524, 'insider trading to': 439485, 'trading to sell': 928947, 'to sell stock': 914176, 'sell stock before': 748887, 'stock before price': 801912, 'before price fell': 123023, 'price fell due': 673848, 'fell due to': 303187, 'due to fear': 261786, 'to fear burr': 905694, 'fear burr dumped': 301068, 'burr dumped up': 142940, 'dumped up to': 262217, 'up to million': 946401, 'to million in': 910135, 'million in stock': 532196, 'in stock and': 428281, 'stock and loeffler': 801817, 'and loeffler sold': 66329, 'loeffler sold million': 500599, 'sold million in': 781701, 'million in holding': 532192, 'in holding sometimes': 423771, 'holding sometimes virus': 400158, 'sometimes virus wear': 785248, 'virus wear suit': 959016, 'wear suit and': 974464, 'suit and take': 817754, 'and take roll': 72974, 'take roll call': 832551, 'atomic': 101988, 'robot': 724783, 'lowering': 506092, 'backissueking': 107557, 'we at': 970796, 'at atomic': 98067, 'atomic robot': 101989, 'robot comic': 724791, 'comic toy': 187950, 'toy are': 927662, 'are lowering': 87944, 'lowering our': 506121, 'by 25': 151603, '25 until': 15988, 'notice in': 573293, 'still shipping': 801176, 'shipping world': 758948, 'world wide': 1010179, 'wide next': 991728, 'next day': 561324, 'day usual': 228641, 'usual backissueking': 950892, 'we at atomic': 970797, 'at atomic robot': 98068, 'atomic robot comic': 101990, 'robot comic toy': 724792, 'comic toy are': 187951, 'toy are lowering': 927663, 'are lowering our': 87945, 'lowering our price': 506122, 'our price by': 624440, 'price by 25': 673005, 'by 25 until': 151612, '25 until further': 15989, 'further notice in': 342104, 'notice in response': 573295, 'response to the': 715887, 'pandemic we are': 636932, 'are still shipping': 90479, 'still shipping world': 801180, 'shipping world wide': 758949, 'world wide next': 1010182, 'wide next day': 991729, 'next day usual': 561334, 'day usual backissueking': 228642, 'informed': 438074, 'all do': 42586, 'worker first': 1006947, 'responder grocery': 715469, 'employee governor': 273893, 'governor and': 360855, 'that keep': 844802, 'keep safe': 471869, 'and informed': 65224, 'informed and': 438076, 'and healthy': 64382, 'well prepared': 978502, 'prepared thank': 670237, 'to all do': 900241, 'all do the': 42597, 'do the medical': 250250, 'the medical worker': 860407, 'medical worker first': 526503, 'worker first responder': 1006949, 'first responder grocery': 308945, 'responder grocery store': 715472, 'store employee governor': 807495, 'employee governor and': 273894, 'governor and all': 360856, 'and all those': 57901, 'all those that': 45189, 'those that keep': 892537, 'that keep safe': 844806, 'keep safe and': 471872, 'safe and informed': 729455, 'and informed and': 65225, 'informed and healthy': 438078, 'and healthy and': 64383, 'healthy and well': 387534, 'and well prepared': 75408, 'well prepared thank': 978505, 'prepared thank you': 670238, 'recommended': 704770, 'postpone': 666755, 'aggressive': 38234, 'breaking the': 139057, 'control recommended': 202122, 'recommended that': 704797, 'that american': 842628, 'american cancel': 51854, 'cancel or': 160871, 'or postpone': 616652, 'postpone gathering': 666761, 'gathering of': 344487, 'of 50': 579605, '50 or': 19789, 'or more': 616163, 'people for': 647943, 'next eight': 561352, 'eight week': 270203, 'most aggressive': 542080, 'aggressive federal': 38245, 'federal guidance': 302011, 'guidance issued': 368251, 'issued yet': 456114, 'yet in': 1016102, 'breaking the center': 139058, 'disease control recommended': 245119, 'control recommended that': 202123, 'recommended that american': 704798, 'that american cancel': 842630, 'american cancel or': 51855, 'cancel or postpone': 160872, 'or postpone gathering': 616653, 'postpone gathering of': 666762, 'gathering of 50': 344488, 'of 50 or': 579612, '50 or more': 19791, 'or more people': 616185, 'more people for': 540019, 'people for the': 647959, 'for the next': 326581, 'the next eight': 861664, 'next eight week': 561353, 'eight week it': 270206, 'week it the': 976439, 'it the most': 461560, 'the most aggressive': 860944, 'most aggressive federal': 542081, 'aggressive federal guidance': 38246, 'federal guidance issued': 302012, 'guidance issued yet': 368253, 'issued yet in': 456115, 'yet in response': 1016106, 'to the coronavirus': 916595, 'scrub': 742885, 'coat': 185132, 'plague': 657953, 'wife went': 991997, 'some fresh': 782905, 'fresh vegetable': 333095, 'vegetable after': 953914, 'after work': 36563, 'work today': 1005909, 'today because': 919308, 'we always': 970414, 'thing people': 884675, 'are hoarding': 87198, 'hoarding so': 399524, 'that non': 845371, 'non issue': 566416, 'issue she': 455920, 'she wore': 756471, 'wore her': 1004659, 'her scrub': 392347, 'scrub and': 742889, 'and lab': 65914, 'lab coat': 478253, 'coat she': 185137, 'she said': 756302, 'said people': 731307, 'people avoided': 647200, 'avoided her': 105413, 'her like': 392164, 'like she': 491166, 'had the': 373604, 'the plague': 863781, 'plague oh': 657976, 'oh wait': 596466, 'wait mean': 964155, 'my wife went': 550605, 'wife went to': 991999, 'to get some': 906595, 'get some fresh': 348055, 'some fresh vegetable': 782908, 'fresh vegetable after': 333097, 'vegetable after work': 953915, 'after work today': 36573, 'work today because': 1005911, 'today because we': 919313, 'because we always': 119790, 'we always have': 970416, 'always have the': 49617, 'have the thing': 383035, 'the thing people': 869463, 'thing people are': 884676, 'people are hoarding': 646995, 'are hoarding so': 87206, 'hoarding so that': 399525, 'so that non': 778385, 'that non issue': 845372, 'non issue she': 566418, 'issue she wore': 455921, 'she wore her': 756472, 'wore her scrub': 1004661, 'her scrub and': 392348, 'scrub and lab': 742891, 'and lab coat': 65915, 'lab coat she': 478255, 'coat she said': 185138, 'she said people': 756310, 'said people avoided': 731309, 'people avoided her': 647201, 'avoided her like': 105414, 'her like she': 392166, 'like she had': 491168, 'she had the': 756106, 'had the plague': 373623, 'the plague oh': 863783, 'plague oh wait': 657977, 'oh wait mean': 596469, 'peatfree': 646174, 'compost': 192585, 'entertained': 278521, 'to selling': 914195, 'selling peatfree': 749396, 'peatfree compost': 646175, 'compost we': 192586, 'were able': 979266, 'our last': 623642, 'last food': 480224, 'food shop': 316470, 'shop before': 759979, 'before lockdownuk': 122919, 'lockdownuk so': 500431, 'our house': 623476, 'house isolated': 406381, 'isolated and': 454967, 'and entertained': 62188, 'entertained making': 278532, 'making garden': 511085, 'garden until': 343628, 'until we': 943919, 'get back': 346628, 'back into': 107108, 'into lab': 442689, 'lab and': 478245, 'to research': 913329, 'research coronacrisis': 713702, 'thanks to selling': 842258, 'to selling peatfree': 914198, 'selling peatfree compost': 749397, 'peatfree compost we': 646176, 'compost we were': 192587, 'we were able': 973779, 'were able to': 979267, 'able to stock': 24552, 'up on our': 945601, 'on our last': 602611, 'our last food': 623645, 'last food shop': 480225, 'food shop before': 316476, 'shop before lockdownuk': 759980, 'before lockdownuk so': 122920, 'lockdownuk so we': 500432, 'so we will': 778691, 'able to keep': 24496, 'keep our house': 471733, 'our house isolated': 623478, 'house isolated and': 406382, 'isolated and entertained': 454968, 'and entertained making': 62190, 'entertained making garden': 278533, 'making garden until': 511086, 'garden until we': 343629, 'until we can': 943921, 'we can get': 970954, 'can get back': 158407, 'get back into': 346632, 'back into lab': 107113, 'into lab and': 442690, 'lab and back': 478246, 'back to research': 107393, 'to research coronacrisis': 913330, 'starbucks': 794085, 'programme': 683330, 'operated': 613034, 'licensed': 488168, 'starbucks launch': 794097, 'launch first': 481902, 'first of': 308812, 'it kind': 459272, 'kind global': 474845, 'global partner': 352119, 'partner emergency': 642813, 'emergency relief': 272913, 'relief programme': 709447, 'programme to': 683349, 'support partner': 826753, 'partner in': 642833, 'in company': 421620, 'company operated': 190940, 'operated and': 613037, 'and licensed': 66131, 'licensed retail': 488178, 'store market': 808906, 'market around': 516037, 'starbucks launch first': 794098, 'launch first of': 481903, 'first of it': 308814, 'of it kind': 585411, 'it kind global': 459274, 'kind global partner': 474846, 'global partner emergency': 352120, 'partner emergency relief': 642814, 'emergency relief programme': 272918, 'relief programme to': 709448, 'programme to support': 683350, 'to support partner': 915959, 'support partner in': 826754, 'partner in company': 642836, 'in company operated': 421624, 'company operated and': 190941, 'operated and licensed': 613038, 'and licensed retail': 66132, 'licensed retail store': 488179, 'retail store market': 718661, 'store market around': 808907, 'market around the': 516039, 'accompaniment': 28486, 'numerous': 577119, 'genre': 345823, 'singing': 771208, 'lesson': 486462, 'this wonderful': 891487, 'wonderful service': 1004114, 'service ha': 752432, 'ha thousand': 372273, 'of accompaniment': 579736, 'accompaniment in': 28489, 'in numerous': 425996, 'numerous genre': 577138, 'genre they': 345828, 'will even': 993334, 'even create': 283984, 'create custom': 215630, 'custom accompaniment': 221972, 'accompaniment for': 28487, 'you at': 1017331, 'at reasonable': 100258, 'price so': 676498, 'so important': 777371, 'important for': 418799, 'your online': 1025068, 'online singing': 609370, 'singing lesson': 771216, 'lesson link': 486495, 'this wonderful service': 891490, 'wonderful service ha': 1004115, 'service ha thousand': 752440, 'ha thousand of': 372274, 'thousand of accompaniment': 893421, 'of accompaniment in': 579737, 'accompaniment in numerous': 28490, 'in numerous genre': 425997, 'numerous genre they': 577139, 'genre they will': 345829, 'they will even': 883848, 'will even create': 993335, 'even create custom': 283985, 'create custom accompaniment': 215631, 'custom accompaniment for': 221973, 'accompaniment for you': 28488, 'for you at': 328037, 'you at reasonable': 1017337, 'at reasonable price': 100260, 'reasonable price so': 703127, 'price so important': 676506, 'so important for': 777375, 'important for your': 418807, 'for your online': 328182, 'your online singing': 1025079, 'online singing lesson': 609371, 'singing lesson link': 771217, 'lesson link below': 486496, 'swmbletin': 830613, 'discover': 244645, 'circular': 178644, 'footprint': 318569, 'cycle': 224024, 'juan': 467594, 'jos': 467309, 'argudo': 92680, 'swmbletin discover': 830614, 'discover all': 244648, 'news about': 560181, 'about and': 24793, 'water thanks': 969194, 'our live': 623756, 'live coverage': 495777, 'coverage western': 212386, 'western australia': 980587, 'australia to': 103407, 'to freeze': 906243, 'freeze water': 332570, 'water price': 969121, 'price circular': 673133, 'circular economy': 178647, 'water footprint': 968995, 'footprint tool': 318576, 'tool for': 925408, 'for effective': 320961, 'effective management': 269280, 'management of': 512599, 'water cycle': 968958, 'cycle by': 224042, 'by juan': 152962, 'juan jos': 467595, 'jos argudo': 467310, 'swmbletin discover all': 830615, 'discover all the': 244650, 'all the news': 44841, 'the news about': 861600, 'news about and': 560182, 'about and water': 24808, 'and water thanks': 75259, 'water thanks to': 969195, 'to our live': 911204, 'our live coverage': 623758, 'live coverage western': 495778, 'coverage western australia': 212387, 'western australia to': 980588, 'australia to freeze': 103410, 'to freeze water': 906248, 'freeze water price': 332571, 'water price circular': 969122, 'price circular economy': 673134, 'circular economy and': 178648, 'economy and water': 267659, 'and water footprint': 75237, 'water footprint tool': 968996, 'footprint tool for': 318577, 'tool for effective': 925411, 'for effective management': 320963, 'effective management of': 269281, 'management of the': 512604, 'of the water': 591605, 'the water cycle': 871125, 'water cycle by': 968959, 'cycle by juan': 224043, 'by juan jos': 152963, 'juan jos argudo': 467596, 'airbnb': 39813, 'smashed': 775561, 'board': 133612, 'airbnb illegal': 39818, 'illegal in': 416219, 'in nsw': 425989, 'nsw other': 576711, 'other state': 620959, 'state could': 795491, 'follow 100': 312333, 'of 100': 579314, 'of migrant': 586494, 'migrant amp': 531199, 'amp temp': 54625, 'temp worker': 837341, 'worker forced': 1006980, 'to leave': 909146, 'leave oz': 484894, 'oz rental': 632758, 'rental market': 711239, 'to smashed': 914766, 'smashed this': 775570, 'will lead': 993963, 'increase sale': 433049, 'sale amp': 732030, 'amp should': 54499, 'should see': 766438, 'see house': 745213, 'price drop': 673553, 'drop across': 260105, 'the board': 849804, 'board in': 133644, 'all major': 43431, 'major city': 509261, 'airbnb illegal in': 39819, 'illegal in nsw': 416221, 'in nsw other': 425990, 'nsw other state': 576712, 'other state could': 620962, 'state could follow': 795494, 'could follow 100': 209185, 'follow 100 of': 312334, '100 of 100': 1978, 'of 100 of': 579321, '100 of migrant': 1987, 'of migrant amp': 586496, 'migrant amp temp': 531200, 'amp temp worker': 54626, 'temp worker forced': 837342, 'worker forced to': 1006981, 'forced to leave': 328641, 'to leave oz': 909157, 'leave oz rental': 484895, 'oz rental market': 632759, 'rental market is': 711243, 'market is about': 516612, 'about to smashed': 26739, 'to smashed this': 914767, 'smashed this will': 775571, 'this will lead': 891425, 'will lead to': 993966, 'lead to increase': 483353, 'to increase sale': 908300, 'increase sale amp': 433050, 'sale amp should': 732032, 'amp should see': 54501, 'should see house': 766439, 'see house price': 745214, 'house price drop': 406478, 'price drop across': 673555, 'drop across the': 260106, 'across the board': 29484, 'the board in': 849810, 'board in all': 133645, 'in all major': 420173, 'all major city': 43433, 'coughing': 208654, 'looked': 502698, 'walkingdisease': 965134, 'day number': 228042, 'of quarantine': 588650, 'quarantine still': 692580, 'still coughing': 800401, 'coughing and': 208657, 'way am': 969452, 'am going': 50084, 'be looked': 115817, 'looked at': 502703, 'at like': 99587, 'like walkingdisease': 491754, 'walkingdisease coronacrisis': 965135, 'day number of': 228043, 'number of quarantine': 576982, 'of quarantine still': 588667, 'quarantine still coughing': 692581, 'still coughing and': 800402, 'coughing and no': 208663, 'and no way': 67649, 'no way am': 565861, 'way am going': 969453, 'am going to': 50089, 'going to supermarket': 355731, 'to supermarket do': 915788, 'supermarket do not': 819980, 'want to be': 965994, 'to be looked': 901374, 'be looked at': 115818, 'looked at like': 502708, 'at like walkingdisease': 99589, 'like walkingdisease coronacrisis': 491755, 'acquire': 29154, '100ml': 2195, 'form': 329479, 'looking to': 503017, 'to acquire': 899999, 'acquire ply': 29157, 'ply mask': 661772, 'mask surgical': 519325, 'surgical glove': 828344, 'glove 100ml': 352528, '100ml sanitizer': 2204, 'sanitizer empty': 734818, 'empty plastic': 275005, 'plastic bottle': 658820, 'bottle then': 136332, 'then fill': 877169, 'fill out': 305475, 'the form': 855705, 'form below': 329492, 'below and': 126589, 'and team': 73060, 'team member': 835726, 'member will': 528248, 'will reach': 994568, 'you corona': 1018051, 'you are looking': 1017165, 'are looking to': 87888, 'looking to acquire': 503018, 'to acquire ply': 900000, 'acquire ply mask': 29158, 'ply mask surgical': 661776, 'mask surgical glove': 519326, 'surgical glove 100ml': 828345, 'glove 100ml sanitizer': 352529, '100ml sanitizer empty': 2205, 'sanitizer empty plastic': 734819, 'empty plastic bottle': 275006, 'plastic bottle then': 658823, 'bottle then fill': 136333, 'then fill out': 877170, 'fill out the': 305482, 'out the form': 627368, 'the form below': 855706, 'form below and': 329493, 'below and team': 126594, 'and team member': 73062, 'team member will': 835730, 'member will reach': 528249, 'will reach out': 994570, 'reach out to': 699969, 'out to you': 627699, 'to you corona': 918896, 'honestly': 403091, 'store honestly': 808173, 'honestly what': 403152, 'you people': 1020315, 'people doing': 647689, 'doing with': 252864, 'finally got to': 306031, 'got to the': 358972, 'grocery store honestly': 365469, 'store honestly what': 808174, 'honestly what are': 403153, 'are you people': 91832, 'you people doing': 1020318, 'people doing with': 647695, 'doing with all': 252865, 'tricky': 931743, 'see store': 745751, 'store taking': 810503, 'public by': 687906, 'by hiking': 152807, 'hiking up': 396424, 'up their': 946231, 'pandemic you': 637088, 'them here': 875846, 'here let': 393294, 'let protect': 486991, 'vulnerable at': 960877, 'this tricky': 890852, 'tricky time': 931749, 'you see store': 1021069, 'see store taking': 745753, 'store taking advantage': 810504, 'of the public': 591379, 'the public by': 864794, 'public by hiking': 687907, 'by hiking up': 152812, 'hiking up their': 396430, 'up their price': 946247, 'their price during': 874393, 'the pandemic you': 863169, 'pandemic you can': 637090, 'can report them': 159453, 'report them here': 712358, 'them here let': 875848, 'here let protect': 393295, 'let protect the': 486994, 'protect the vulnerable': 684985, 'the vulnerable at': 870976, 'vulnerable at this': 960878, 'at this tricky': 101263, 'this tricky time': 890853, 'haringey': 378368, 'haringey if': 378369, 'any store': 79857, 'store hiking': 808155, 'on good': 601140, 'good taking': 357811, '19 then': 11271, 'then please': 877427, 'haringey if you': 378370, 'you see any': 1021022, 'see any store': 744927, 'any store hiking': 79864, 'store hiking up': 808157, 'hiking up price': 396428, 'up price on': 945827, 'price on good': 675679, 'on good taking': 601150, 'good taking advantage': 357812, 'of 19 then': 579417, '19 then please': 11277, 'then please report': 877432, 'stepdad': 799715, 'permanent': 652033, 'er': 279998, 'pls': 661112, 'my stepdad': 550198, 'stepdad is': 799716, 'really doing': 702135, 'doing permanent': 252599, 'permanent damage': 652042, 'damage to': 225231, 'to his': 907804, 'his back': 397220, 'back while': 107465, 'while working': 987574, 'supermarket rn': 822252, 'rn and': 724309, 'and my': 67348, 'in large': 424583, 'large hospital': 479697, 'hospital the': 404677, 'biggest er': 130223, 'er in': 280012, 'the county': 852192, 'county so': 211491, 'so potential': 778055, 'case are': 165637, 'being sent': 125756, 'sent there': 750830, 'there pls': 878944, 'pls let': 661151, 'let my': 486925, 'family stay': 298249, 'my stepdad is': 550199, 'stepdad is really': 799717, 'is really doing': 451296, 'really doing permanent': 702136, 'doing permanent damage': 252600, 'permanent damage to': 652043, 'damage to his': 225237, 'to his back': 907806, 'his back while': 397222, 'back while working': 107467, 'while working in': 987578, 'in supermarket rn': 428658, 'supermarket rn and': 822253, 'rn and my': 724311, 'and my mom': 67378, 'mom is working': 535761, 'working in large': 1008720, 'in large hospital': 424587, 'large hospital the': 479698, 'hospital the biggest': 404678, 'the biggest er': 849652, 'biggest er in': 130224, 'er in the': 280013, 'in the county': 429103, 'the county so': 852197, 'county so potential': 211492, 'so potential covid': 778056, '19 case are': 5666, 'case are being': 165638, 'are being sent': 84919, 'being sent there': 125759, 'sent there pls': 750831, 'there pls let': 878945, 'pls let my': 661152, 'let my family': 486928, 'my family stay': 548224, 'family stay healthy': 298251, 'potd366': 667010, '84': 22870, 'cheer': 175094, 'potd': 667007, 'yearinphotos': 1015132, 'mylifeinpictures': 550756, 'southlondon': 786899, 'potd366 day': 667011, 'day 84': 227168, '84 lockdown': 22876, 'lockdown day': 499296, 'day taking': 228452, 'taking government': 833374, 'government advice': 359826, 'advice and': 33301, 'and using': 74796, 'using food': 950490, 'service cheer': 752233, 'cheer boris': 175097, 'boris potd': 135486, 'potd yearinphotos': 667008, 'yearinphotos mylifeinpictures': 1015133, 'mylifeinpictures london': 550757, 'london southlondon': 501182, 'southlondon shopping': 786900, 'shopping panic': 763589, 'potd366 day 84': 667012, 'day 84 lockdown': 227169, '84 lockdown day': 22877, 'lockdown day taking': 499302, 'day taking government': 228453, 'taking government advice': 833375, 'government advice and': 359827, 'advice and using': 33321, 'and using food': 74799, 'using food delivery': 950492, 'delivery service cheer': 234430, 'service cheer boris': 752234, 'cheer boris potd': 175098, 'boris potd yearinphotos': 135487, 'potd yearinphotos mylifeinpictures': 667009, 'yearinphotos mylifeinpictures london': 1015134, 'mylifeinpictures london southlondon': 550758, 'london southlondon shopping': 501183, 'southlondon shopping panic': 786901, 'northeast': 567719, 'coronavirus induced': 206131, 'buying ha': 150429, 'ha emptied': 370485, 'egg what': 270029, 'future for': 342326, 'for egg': 320967, 'egg market': 269911, 'market over': 516824, 'past three': 643626, 'three week': 894095, 'the northeast': 861878, 'northeast ha': 567721, 'ha seen': 371816, 'seen unprecedented': 747341, 'unprecedented demand': 943106, 'egg due': 269848, 'to coronavirus': 903536, 'coronavirus induced panic': 206133, 'induced panic buying': 435483, 'panic buying ha': 637754, 'buying ha emptied': 150435, 'ha emptied the': 370486, 'shelf of egg': 757358, 'of egg what': 583002, 'egg what is': 270030, 'is the future': 452805, 'the future for': 856076, 'future for egg': 342327, 'for egg market': 320973, 'egg market over': 269912, 'market over the': 516826, 'over the past': 630750, 'the past three': 863366, 'past three week': 643628, 'three week the': 894117, 'week the northeast': 976996, 'the northeast ha': 861879, 'northeast ha seen': 567722, 'ha seen unprecedented': 371849, 'seen unprecedented demand': 747342, 'unprecedented demand for': 943115, 'demand for egg': 235407, 'for egg due': 320970, 'egg due to': 269849, 'due to coronavirus': 261743, 'to coronavirus induced': 903554, 'particularly': 642653, 'mindful': 532804, 'loose': 503184, 'virologist ha': 957698, 'ha confirmed': 370225, 'confirmed that': 194192, 'that every': 843750, 'every surface': 286273, 'surface is': 828034, 'is hazard': 448342, 'hazard when': 384585, 'it come': 457206, 'come to': 187551, 'supermarket customer': 819876, 'customer should': 222852, 'be particularly': 116360, 'particularly mindful': 642708, 'mindful of': 532814, 'the loose': 859720, 'loose fruit': 503191, 'vegetable in': 954009, 'store via': 811059, 'virologist ha confirmed': 957699, 'ha confirmed that': 370228, 'confirmed that every': 194196, 'that every surface': 843758, 'every surface is': 286275, 'surface is hazard': 828035, 'is hazard when': 448344, 'hazard when it': 384586, 'when it come': 983627, 'it come to': 457214, 'come to covid': 187564, '19 and supermarket': 5117, 'and supermarket customer': 72713, 'supermarket customer should': 819879, 'customer should be': 222853, 'should be particularly': 765688, 'be particularly mindful': 116362, 'particularly mindful of': 642709, 'mindful of the': 532822, 'of the loose': 591200, 'the loose fruit': 859721, 'loose fruit and': 503192, 'and vegetable in': 74886, 'vegetable in the': 954013, 'in the store': 429575, 'the store via': 868136, 'proposed': 684515, 'renewed': 711009, 'moratorium': 538434, 'proposal': 684450, 'classify': 180370, 'ineligible': 436316, 'leverage': 487777, 'biz': 131931, 'renter': 711290, 'homeowner': 402875, 'we proposed': 972765, 'proposed several': 684541, 'several measure': 753890, 'measure including': 525236, 'including renewed': 432127, 'renewed push': 711016, 'push for': 690264, 'for eviction': 321264, 'eviction moratorium': 288328, 'moratorium proposal': 538454, 'proposal to': 684477, 'to classify': 902802, 'classify covid': 180371, '19 rental': 10102, 'rental debt': 711223, 'debt ineligible': 230504, 'ineligible cause': 436317, 'cause of': 167675, 'of eviction': 583280, 'eviction freeze': 288322, 'freeze rent': 332554, 'rent and': 711031, 'use our': 949455, 'our leverage': 623711, 'leverage bank': 487780, 'bank doing': 109778, 'doing biz': 252310, 'biz with': 131960, 'with city': 997644, 'city to': 179420, 'do more': 249593, 'protect renter': 684931, 'renter homeowner': 711301, 'we proposed several': 972766, 'proposed several measure': 684542, 'several measure including': 753892, 'measure including renewed': 525237, 'including renewed push': 432128, 'renewed push for': 711017, 'push for eviction': 690267, 'for eviction moratorium': 321266, 'eviction moratorium proposal': 288331, 'moratorium proposal to': 538455, 'proposal to classify': 684479, 'to classify covid': 902803, 'classify covid 19': 180372, 'covid 19 rental': 213689, '19 rental debt': 10103, 'rental debt consumer': 711224, 'debt consumer debt': 230454, 'consumer debt ineligible': 197082, 'debt ineligible cause': 230505, 'ineligible cause of': 436318, 'cause of eviction': 167683, 'of eviction freeze': 583282, 'eviction freeze rent': 288323, 'freeze rent and': 332555, 'rent and use': 711044, 'and use our': 74780, 'use our leverage': 949465, 'our leverage bank': 623712, 'leverage bank doing': 487781, 'bank doing biz': 109779, 'doing biz with': 252311, 'biz with city': 131961, 'with city to': 997645, 'city to do': 179422, 'to do more': 904529, 'do more to': 249606, 'more to protect': 540799, 'to protect renter': 912325, 'protect renter homeowner': 684932, 'ph': 653964, 'grace': 361601, 'lockdown ph': 499796, 'ph bank': 653969, 'bank offer': 110059, 'offer grace': 594641, 'grace period': 361608, 'period for': 651759, 'loan via': 497552, '19 lockdown ph': 8418, 'lockdown ph bank': 499797, 'ph bank offer': 653970, 'bank offer grace': 110060, 'offer grace period': 594642, 'grace period for': 361610, 'period for consumer': 651760, 'for consumer loan': 320271, 'consumer loan via': 198068, 'tipping': 898981, 'coronavirus tipping': 206944, 'tipping point': 898988, 'store are the': 806529, 'are the coronavirus': 90812, 'the coronavirus tipping': 851931, 'coronavirus tipping point': 206945, 'alaska': 40718, 'wage': 963797, '75': 22099, 'of alaska': 579876, 'alaska estimate': 40725, 'estimate the': 282269, 'the loss': 859737, 'loss of': 503735, 'job and': 465614, 'and wage': 75109, 'wage ha': 963885, 'ha prompted': 371552, 'prompted 75': 683924, '75 increase': 22136, 'food assistance': 313422, 'assistance in': 96704, 'in alaska': 420139, 'bank of alaska': 110045, 'of alaska estimate': 579878, 'alaska estimate the': 40726, 'estimate the loss': 282271, 'the loss of': 859738, 'loss of job': 503749, 'of job and': 585526, 'job and wage': 465646, 'and wage ha': 75110, 'wage ha prompted': 963886, 'ha prompted 75': 371553, 'prompted 75 increase': 683925, '75 increase in': 22137, 'for food assistance': 321552, 'food assistance in': 313427, 'assistance in alaska': 96705, 'deserving': 238189, 'when this': 984299, 'is all': 445449, 'over don': 630153, 'don ever': 253491, 'ever want': 285585, 'to hear': 907395, 'hear anything': 387885, 'about retail': 26094, 'retail amp': 717806, 'amp food': 53817, 'food service': 316400, 'service worker': 753085, 'worker not': 1007449, 'not deserving': 569006, 'deserving living': 238194, 'living wage': 496473, 'wage from': 963873, 'from one': 336678, 'one single': 607047, 'single person': 771372, 'person who': 652716, 'who went': 989944, 'to store': 915602, 'or needed': 616230, 'needed food': 556351, 'outbreak they': 628737, 'are keeping': 87647, 'our world': 625403, 'world turning': 1010117, 'turning in': 935923, 'of national': 586859, 'national disaster': 552479, 'when this is': 984305, 'this is all': 888169, 'is all over': 445462, 'all over don': 43858, 'over don ever': 630155, 'don ever want': 253492, 'ever want to': 285586, 'want to hear': 966046, 'to hear anything': 907398, 'hear anything about': 387886, 'anything about retail': 80677, 'about retail amp': 26095, 'retail amp food': 717807, 'amp food service': 53826, 'food service worker': 316438, 'service worker not': 753105, 'worker not deserving': 1007450, 'not deserving living': 569007, 'deserving living wage': 238195, 'living wage from': 496477, 'wage from one': 963874, 'from one single': 336688, 'one single person': 607048, 'single person who': 771379, 'person who went': 652740, 'who went to': 989948, 'went to store': 979192, 'to store or': 915634, 'store or needed': 809350, 'or needed food': 616231, 'needed food during': 556354, '19 outbreak they': 9200, 'outbreak they are': 628738, 'they are keeping': 881319, 'are keeping our': 87660, 'keeping our world': 472512, 'our world turning': 625412, 'world turning in': 1010118, 'turning in the': 935924, 'in the face': 429188, 'face of national': 294662, 'of national disaster': 586862, 'chunky': 178320, 'peanut': 646139, 'coronapocalypse': 205179, 'store wow': 811650, 'wow all': 1012538, 'the empty': 854281, 'it pretty': 460437, 'pretty clear': 671375, 'clear from': 181252, 'what left': 981807, 'left that': 485661, 'that nobody': 845365, 'nobody like': 566031, 'like chunky': 490007, 'chunky peanut': 178325, 'peanut butter': 646140, 'butter coronaoutbreak': 148141, 'coronaoutbreak coronapocalypse': 205119, 'grocery store wow': 365975, 'store wow all': 811651, 'wow all the': 1012539, 'all the empty': 44734, 'the empty shelf': 854288, 'empty shelf but': 275052, 'shelf but it': 756902, 'but it pretty': 146153, 'it pretty clear': 460438, 'pretty clear from': 671376, 'clear from what': 181253, 'from what left': 338342, 'what left that': 981811, 'left that nobody': 485663, 'that nobody like': 845369, 'nobody like chunky': 566032, 'like chunky peanut': 490008, 'chunky peanut butter': 178326, 'peanut butter coronaoutbreak': 646143, 'butter coronaoutbreak coronapocalypse': 148142, 'yknow': 1016409, 'ryan': 728803, 'deadpool': 229315, 'nah': 551408, 'horders': 404009, 'pe': 645959, 'yknow what': 1016410, 'what ryan': 982108, 'ryan blame': 728804, 'blame deadpool': 132253, 'deadpool yeah': 229316, 'yeah him': 1014261, 'him that': 396724, 'that guy': 844098, 'guy nah': 369092, 'nah joke': 551414, 'joke aside': 467055, 'aside stay': 95433, 'positive stay': 665437, 'stay strong': 797329, 'strong and': 813971, 'food horders': 314845, 'horders listen': 404012, 'listen there': 494722, 'shortage dont': 764913, 'dont panic': 255262, 'panic pe': 638407, 'yknow what ryan': 1016411, 'what ryan blame': 982109, 'ryan blame deadpool': 728805, 'blame deadpool yeah': 132254, 'deadpool yeah him': 229317, 'yeah him that': 1014262, 'him that guy': 396726, 'that guy nah': 844100, 'guy nah joke': 369093, 'nah joke aside': 551415, 'joke aside stay': 467058, 'aside stay positive': 95434, 'stay positive stay': 797176, 'positive stay strong': 665438, 'stay strong and': 797332, 'strong and stay': 813979, 'stay safe to': 797290, 'safe to all': 730042, 'all the food': 44752, 'the food horders': 855559, 'food horders listen': 314846, 'horders listen there': 404013, 'listen there not': 494723, 'food shortage dont': 316568, 'shortage dont panic': 764914, 'dont panic pe': 255267, 'manufacture': 513361, 'gel': 345077, 'controlled': 202227, 'be using': 117938, 'using it': 950528, 'it resource': 460731, 'and power': 69275, 'to manufacture': 909814, 'manufacture not': 513379, 'not just': 570209, 'just medical': 469256, 'equipment but': 279698, 'but distributing': 145550, 'distributing sanitizer': 248091, 'sanitizer gel': 734959, 'gel soap': 345149, 'and wipe': 75728, 'wipe to': 996393, 'every household': 285938, 'household food': 406806, 'distribution should': 248214, 'be left': 115692, 'left to': 485682, 'market but': 516122, 'but controlled': 145458, 'controlled by': 202231, 'government should be': 360598, 'should be using': 765761, 'be using it': 117941, 'using it resource': 950536, 'it resource and': 460732, 'resource and power': 714705, 'and power to': 69280, 'power to manufacture': 667712, 'to manufacture not': 909818, 'manufacture not just': 513380, 'not just medical': 570232, 'just medical equipment': 469257, 'medical equipment but': 526148, 'equipment but distributing': 279699, 'but distributing sanitizer': 145551, 'distributing sanitizer gel': 248092, 'sanitizer gel soap': 734968, 'gel soap and': 345150, 'soap and wipe': 778935, 'and wipe to': 75743, 'wipe to every': 996395, 'to every household': 905305, 'every household food': 285940, 'household food distribution': 406807, 'food distribution should': 314236, 'distribution should not': 248216, 'not be left': 568413, 'be left to': 115697, 'left to the': 485694, 'to the market': 916865, 'the market but': 860094, 'market but controlled': 516123, 'but controlled by': 145459, 'controlled by the': 202235, 'by the government': 154339, 'ch': 170391, 'mutiny': 547074, 'bounty': 136878, 'papertowels': 641164, 'tale from': 833692, 'store ch': 806907, 'ch would': 170396, 'would one': 1012092, 'one call': 606040, 'call this': 156154, 'the mutiny': 861164, 'mutiny on': 547075, 'the bounty': 849911, 'bounty papertowels': 136881, 'tale from the': 833693, 'from the grocery': 337732, 'grocery store ch': 365276, 'store ch would': 806908, 'ch would one': 170397, 'would one call': 1012093, 'one call this': 606042, 'call this the': 156157, 'this the mutiny': 890529, 'the mutiny on': 861165, 'mutiny on the': 547076, 'on the bounty': 603996, 'the bounty papertowels': 849913, 'struggled': 814403, 'revenue': 720370, 'stressed': 813431, 'vastly': 952716, 'think sars': 885520, 'sars struggled': 736821, 'struggled to': 814406, 'get even': 346958, 'even close': 283955, 'close to': 182878, '2020 revenue': 14578, 'revenue target': 720479, 'wa before': 961664, 'before the': 123137, 'and stressed': 72559, 'stressed worker': 813470, 'worker will': 1008245, 'will vastly': 995298, 'vastly reduce': 952721, 'reduce collection': 705796, 'collection for': 186429, 'for 2021': 318755, '2021 amp': 14763, 'amp some': 54530, 'some time': 784053, 'time beyond': 896396, 'when you think': 984606, 'you think sars': 1021673, 'think sars struggled': 885521, 'sars struggled to': 736822, 'struggled to get': 814411, 'to get even': 906471, 'get even close': 346959, 'even close to': 283958, 'close to it': 182904, 'to it 2020': 908563, 'it 2020 revenue': 456199, '2020 revenue target': 14580, 'revenue target and': 720480, 'target and that': 834435, 'and that wa': 73217, 'that wa before': 847275, 'wa before the': 961669, 'before the effect': 123156, 'effect of this': 269067, 'of this year': 592076, 'this year on': 891585, 'year on the': 1014885, 'on the consumer': 604034, 'consumer and stressed': 196247, 'and stressed worker': 72563, 'stressed worker will': 813471, 'worker will vastly': 1008255, 'will vastly reduce': 995299, 'vastly reduce collection': 952722, 'reduce collection for': 705797, 'collection for 2021': 186430, 'for 2021 amp': 318756, '2021 amp some': 14764, 'amp some time': 54532, 'some time beyond': 784055, 'trigger': 931864, 'tourism': 926957, 'budget': 141748, 'pandemic trigger': 636837, 'trigger radical': 931883, 'radical change': 695398, 'in global': 423327, 'consumer behaviour': 196548, 'behaviour via': 124550, 'via business': 955834, 'business economy': 143683, 'economy finance': 267871, 'finance politics': 306251, 'politics tourism': 663805, 'tourism montreal': 926997, 'montreal tech': 538234, 'tech news': 836122, 'news health': 560503, 'health consumer': 386300, 'behaviour china': 124387, 'china pandemic': 176868, 'pandemic work': 637041, 'work protection': 1005630, 'protection market': 685523, 'market recession': 516962, 'recession budget': 704227, 'pandemic trigger radical': 636839, 'trigger radical change': 931884, 'radical change in': 695400, 'change in global': 172120, 'in global consumer': 423328, 'global consumer behaviour': 351798, 'consumer behaviour via': 196607, 'behaviour via business': 124551, 'via business economy': 955835, 'business economy finance': 143685, 'economy finance politics': 267872, 'finance politics tourism': 306252, 'politics tourism montreal': 663806, 'tourism montreal tech': 926998, 'montreal tech news': 538235, 'tech news health': 836123, 'news health consumer': 560504, 'health consumer behaviour': 386301, 'consumer behaviour china': 196559, 'behaviour china pandemic': 124388, 'china pandemic work': 176869, 'pandemic work protection': 637042, 'work protection market': 1005631, 'protection market recession': 685524, 'market recession budget': 516963, 'exorbitant': 290387, 'seller': 748957, 'shameful': 754675, 'uk why': 938893, 'you support': 1021482, 'support and': 826352, 'and do': 61547, 'do nothing': 249898, 'nothing about': 572918, 'about inflated': 25533, 'inflated and': 437010, 'and exorbitant': 62473, 'exorbitant price': 290399, 'price their': 676868, 'their seller': 874650, 'seller stockpile': 749078, 'stockpile essential': 803737, 'and sell': 71210, 'sell them': 748903, 'them for': 875707, 'for huge': 322431, 'profit normal': 682817, 'normal people': 567253, 'are left': 87755, 'left with': 485741, 'with nothing': 999820, 'these trying': 880888, 'trying time': 934740, 'time shameful': 897645, 'shameful coronacrisis': 754684, 'uk why do': 938895, 'do you support': 250685, 'you support and': 1021483, 'support and do': 826356, 'and do nothing': 61558, 'do nothing about': 249899, 'nothing about inflated': 572921, 'about inflated and': 25534, 'inflated and exorbitant': 437011, 'and exorbitant price': 62474, 'exorbitant price their': 290422, 'price their seller': 676869, 'their seller stockpile': 874651, 'seller stockpile essential': 749079, 'stockpile essential product': 803740, 'essential product and': 281414, 'product and sell': 680906, 'and sell them': 71219, 'sell them for': 748908, 'them for huge': 875719, 'for huge profit': 322433, 'huge profit normal': 410152, 'profit normal people': 682818, 'normal people are': 567254, 'people are left': 647012, 'are left with': 87760, 'left with nothing': 485746, 'with nothing in': 999822, 'nothing in these': 573053, 'in these trying': 429871, 'these trying time': 880890, 'trying time shameful': 934755, 'time shameful coronacrisis': 897646, 'you live': 1019631, 'in area': 420487, 'area work': 92288, 'and can': 59446, 'supermarket then': 823263, 'then dm': 877124, 'dm me': 248903, 'and let': 66101, 'me know': 523038, 'need and': 554414, 'll deliver': 496696, 'deliver it': 233152, 're home': 698822, 'your shift': 1025748, 'shift fighting': 758288, 'if you live': 415467, 'you live in': 1019632, 'live in area': 495847, 'in area work': 420491, 'area work in': 92289, 'work in the': 1005348, 'the and can': 848686, 'and can get': 59454, 'can get to': 158466, 'get to the': 348499, 'the supermarket then': 868848, 'supermarket then dm': 823265, 'then dm me': 877125, 'dm me and': 248904, 'me and let': 522414, 'and let me': 66109, 'let me know': 486902, 'me know what': 523047, 'you need and': 1019963, 'need and we': 554444, 'and we ll': 75302, 'we ll deliver': 972242, 'll deliver it': 496698, 'deliver it when': 233155, 'it when you': 462341, 'when you re': 984593, 'you re home': 1020647, 're home from': 698825, 'home from your': 401278, 'from your shift': 338494, 'your shift fighting': 1025749, 'touro': 927051, 'touro professor': 927052, 'professor share': 682586, 'share what': 755343, 'know you': 477078, 'shop online': 760558, 'touro professor share': 927054, 'professor share what': 682587, 'share what you': 755348, 'to know you': 909007, 'know you shop': 477089, 'you shop online': 1021164, 'shop online during': 760568, 'it so': 461099, 'so hard': 777249, 'hard for': 377914, 'me not': 523223, 'encourage my': 275604, 'shopping habit': 762835, 'habit during': 372604, 'it so hard': 461115, 'so hard for': 777252, 'hard for me': 377917, 'for me not': 323328, 'me not to': 523231, 'not to encourage': 572146, 'to encourage my': 905062, 'encourage my online': 275605, 'online shopping habit': 609139, 'shopping habit during': 762842, 'habit during this': 372607, 'scruffy': 742931, 'scruffy bastard': 742932, 'bastard try': 112512, 'try his': 934491, 'his best': 397241, 'best spread': 127908, 'spread covid': 790493, 'scruffy bastard try': 742933, 'bastard try his': 112513, 'try his best': 934492, 'his best spread': 397242, 'best spread covid': 127909, 'spread covid 19': 790494, 'lic': 488093, 'woodside': 1004316, 'elmhurst': 271571, 'jackson': 464202, 'height': 388800, 'hamburger': 374539, 'twice': 936507, 'nystrong': 578145, 'in lic': 424695, 'lic woodside': 488096, 'woodside elmhurst': 1004321, 'elmhurst jackson': 271576, 'jackson height': 464205, 'height limiting': 388803, 'limiting food': 492817, 'food package': 315730, 'package of': 633337, 'of hamburger': 584416, 'hamburger per': 374548, 'per family': 650829, 'family people': 298153, 'go the': 354201, 'store twice': 810973, 'twice much': 936532, 'much how': 544997, 'that smart': 846347, 'smart nystrong': 775402, 'store in lic': 808333, 'in lic woodside': 424696, 'lic woodside elmhurst': 488097, 'woodside elmhurst jackson': 1004322, 'elmhurst jackson height': 271577, 'jackson height limiting': 464206, 'height limiting food': 388804, 'limiting food package': 492820, 'food package of': 315733, 'package of hamburger': 633342, 'of hamburger per': 584418, 'hamburger per family': 374549, 'per family people': 650832, 'family people have': 298154, 'to go the': 906864, 'go the store': 354210, 'the store twice': 868131, 'store twice much': 810976, 'twice much how': 936533, 'much how is': 544998, 'how is that': 408112, 'is that smart': 452689, 'that smart nystrong': 846348, 'joburg': 466373, 'luthuli': 506875, '6th': 21676, 'floor': 310764, 'sauer': 737378, 'johannesburg': 466505, 'are worried': 91731, 'the then': 869421, 'please make': 660216, 'you contact': 1018029, 'contact medical': 200146, 'medical expert': 526167, 'expert who': 292025, 'who know': 989176, 'know best': 476304, 'best if': 127724, 'in joburg': 424397, 'joburg then': 466376, 'can visit': 160123, 'visit luthuli': 959295, 'luthuli house': 506876, 'house 6th': 406156, '6th floor': 21688, 'floor 54': 310765, '54 sauer': 20334, 'sauer street': 737380, 'street johannesburg': 813017, 'you are worried': 1017293, 'are worried about': 91732, 'worried about the': 1010521, 'about the then': 26537, 'the then please': 869422, 'then please make': 877431, 'please make sure': 660223, 'make sure you': 510540, 'sure you contact': 827853, 'you contact medical': 1018031, 'contact medical expert': 200147, 'medical expert who': 526169, 'expert who know': 292026, 'who know best': 989179, 'know best if': 476305, 'best if you': 127728, 're in joburg': 698871, 'in joburg then': 424398, 'joburg then you': 466377, 'then you can': 877780, 'you can visit': 1017825, 'can visit luthuli': 160126, 'visit luthuli house': 959296, 'luthuli house 6th': 506877, 'house 6th floor': 406157, '6th floor 54': 21689, 'floor 54 sauer': 310767, '54 sauer street': 20335, 'sauer street johannesburg': 737381, 'refunded': 706988, 'develops': 239858, 'schoolclosureuk': 742019, 'will school': 994755, 'school fee': 741786, 'fee be': 302148, 'be refunded': 116748, 'refunded if': 706989, 'the cause': 850539, 'cause closure': 167517, 'closure this': 184042, 'this article': 886409, 'article will': 94503, 'updated the': 947439, 'situation develops': 772238, 'develops schoolclosureuk': 239866, 'will school fee': 994756, 'school fee be': 741787, 'fee be refunded': 302149, 'be refunded if': 116749, 'refunded if the': 706990, 'if the cause': 414954, 'the cause closure': 850541, 'cause closure this': 167518, 'closure this article': 184043, 'this article will': 886435, 'article will be': 94504, 'be updated the': 117893, 'updated the situation': 947441, 'the situation develops': 867252, 'situation develops schoolclosureuk': 772241, 'inxink': 444417, 'inxnews': 444419, 're continuing': 698462, 'continuing operation': 201536, 'operation at': 613146, 'our plant': 624361, 'plant to': 658713, 'increased consumer': 433247, 'demand amid': 234927, 'crisis read': 217940, 'read latest': 700395, 'latest press': 481505, 'press release': 671070, 'release inxink': 708959, 'inxink inxnews': 444418, 'we re continuing': 972846, 're continuing operation': 698463, 'continuing operation at': 201537, 'operation at our': 613148, 'at our plant': 100028, 'our plant to': 624362, 'plant to support': 658721, 'support our customer': 826727, 'our customer experiencing': 622660, 'customer experiencing increased': 222360, 'experiencing increased consumer': 291669, 'increased consumer demand': 433249, 'consumer demand amid': 197112, 'demand amid covid': 234930, '19 crisis read': 6308, 'crisis read latest': 217943, 'read latest press': 700396, 'latest press release': 481506, 'press release inxink': 671076, 'release inxink inxnews': 708960, 'determined': 239449, 'dickhead': 240478, 'raiding': 695653, 'determined not': 239454, 'to waste': 918360, 'waste any': 968080, 'any food': 79230, 'all whilst': 45454, 'whilst dickhead': 987627, 'dickhead are': 240479, 'are out': 88876, 'out panic': 627009, 'buying raiding': 150948, 'raiding the': 695664, 'fridge before': 333382, 'before even': 122778, 'think about': 885076, 'about buying': 24911, 'buying more': 150727, 'more stuff': 540486, 'stuff in': 815094, 'in do': 422333, 'not let': 570364, 'let anything': 486603, 'anything go': 80774, 'determined not to': 239455, 'not to waste': 572207, 'to waste any': 918364, 'waste any food': 968081, 'any food at': 79232, 'food at all': 313439, 'at all whilst': 97920, 'all whilst dickhead': 45455, 'whilst dickhead are': 987628, 'dickhead are out': 240480, 'are out panic': 88888, 'out panic buying': 627010, 'panic buying raiding': 637859, 'buying raiding the': 150949, 'raiding the fridge': 695665, 'the fridge before': 855810, 'fridge before even': 333383, 'before even think': 122779, 'even think about': 284687, 'think about buying': 885079, 'about buying more': 24916, 'buying more stuff': 150733, 'more stuff in': 540487, 'stuff in do': 815095, 'in do not': 422335, 'do not let': 249775, 'not let anything': 570365, 'let anything go': 486604, 'anything go to': 80776, 'go to waste': 354381, 'byham': 154810, 'ballingdon': 109093, 'operating': 613053, 'byham dairy': 154811, 'dairy in': 224996, 'in ballingdon': 420678, 'ballingdon is': 109094, 'is operating': 450589, 'operating at': 613057, 'at full': 98724, 'full capacity': 340515, 'capacity demand': 162512, 'service soar': 752844, 'soar due': 779238, 'byham dairy in': 154812, 'dairy in ballingdon': 224997, 'in ballingdon is': 420679, 'ballingdon is operating': 109095, 'is operating at': 450590, 'operating at full': 613059, 'at full capacity': 98725, 'full capacity demand': 340516, 'capacity demand for': 162513, 'for food delivery': 321574, 'delivery service soar': 234462, 'service soar due': 752845, 'soar due to': 779239, 'to the crisis': 916614, 'lot more': 504099, 'are shopping': 90056, 'grocery online': 364771, 'online they': 609549, 'they try': 883593, 'but sometimes': 147123, 'sometimes they': 785241, 'lot more people': 504112, 'more people are': 540006, 'people are shopping': 647077, 'are shopping for': 90059, 'shopping for grocery': 762679, 'for grocery online': 322044, 'grocery online they': 364786, 'online they try': 609552, 'they try to': 883594, 'try to avoid': 934603, '19 but sometimes': 5529, 'but sometimes they': 147125, 'sometimes they cannot': 785242, 'cannot get what': 161916, 'han': 374686, 'don forget': 253522, 'your han': 1024155, 'don forget to': 253531, 'forget to wash': 329338, 'wash your han': 967588, 'knight': 476113, 'frank': 331139, 'predicts': 669680, 'expected': 290870, 'asian stock': 95342, 'stock rose': 802800, 'rose for': 726064, 'the second': 866573, 'second day': 743690, 'row and': 726565, 'and knight': 65879, 'knight frank': 476118, 'frank predicts': 331146, 'predicts that': 669695, 'that house': 844375, 'price might': 675236, 'might not': 531090, 'fall much': 296991, 'much expected': 544873, 'expected read': 290924, 'our briefing': 622271, 'briefing for': 139712, 'your and': 1022781, 'and update': 74733, 'update and': 946859, 'by email': 152464, 'email here': 272200, 'asian stock rose': 95346, 'stock rose for': 802801, 'rose for the': 726065, 'for the second': 326674, 'the second day': 866577, 'second day in': 743691, 'day in row': 227809, 'in row and': 427557, 'row and knight': 726568, 'and knight frank': 65880, 'knight frank predicts': 476119, 'frank predicts that': 331147, 'predicts that house': 669697, 'that house price': 844376, 'house price might': 406498, 'price might not': 675243, 'might not fall': 531093, 'not fall much': 569361, 'fall much expected': 296993, 'much expected read': 544874, 'expected read our': 290925, 'read our briefing': 700500, 'our briefing for': 622272, 'briefing for all': 139713, 'all your and': 45560, 'your and update': 1022782, 'and update and': 74734, 'update and sign': 946864, 'and sign up': 71660, 'sign up by': 769249, 'up by email': 944551, 'by email here': 152465, 'itself': 463910, 'overblown': 631052, 'majorly': 509594, '7500': 22188, '009375': 657, 'not due': 569120, 'to itself': 908635, 'itself but': 463921, 'but because': 145268, 'of emotional': 583069, 'emotional overblown': 273288, 'overblown panic': 631057, 'panic shipping': 638538, 'shipping may': 758869, 'be majorly': 115881, 'majorly effected': 509597, 'effected if': 269180, 'if grocery': 414182, 'store start': 810342, 'start to': 794573, 'shortage there': 765260, 'there could': 878291, 'be real': 116701, 'real problem': 701318, 'problem all': 679444, 'all due': 42638, 'virus that': 958870, 'killed only': 474610, 'only 7500': 610016, '7500 people': 22189, 'people billion': 647281, 'billion on': 130877, 'on earth': 600462, 'earth 009375': 264965, 'not due to': 569121, 'due to itself': 261836, 'to itself but': 908636, 'itself but because': 463922, 'but because of': 145271, 'because of emotional': 119337, 'of emotional overblown': 583070, 'emotional overblown panic': 273289, 'overblown panic shipping': 631058, 'panic shipping may': 638539, 'shipping may be': 758870, 'may be majorly': 521007, 'be majorly effected': 115882, 'majorly effected if': 509598, 'effected if grocery': 269181, 'if grocery store': 414184, 'grocery store start': 365797, 'store start to': 810343, 'start to have': 794586, 'to have food': 907238, 'have food shortage': 380665, 'food shortage there': 316611, 'shortage there could': 765261, 'there could be': 878292, 'could be real': 208912, 'be real problem': 116703, 'real problem all': 701320, 'problem all due': 679445, 'all due to': 42640, 'due to virus': 262018, 'to virus that': 918201, 'virus that ha': 958873, 'that ha killed': 844121, 'ha killed only': 371083, 'killed only 7500': 474611, 'only 7500 people': 610017, '7500 people billion': 22190, 'people billion on': 647282, 'billion on earth': 130879, 'on earth 009375': 600463, 'bodega': 133780, 'they reduced': 883179, 'reduced the': 706180, 'people allowed': 646808, 'allowed in': 46161, 'supermarket made': 821419, 'made the': 507983, 'the aisle': 848511, 'aisle one': 40334, 'way put': 969828, 'put tape': 690840, 'the floor': 855415, 'floor to': 310847, 'sure we': 827802, 'we stand': 973361, 'stand foot': 793517, 'apart still': 81344, 'still people': 801034, 'just won': 470322, 'won do': 1003787, 'it it': 459163, 'it absolutely': 456246, 'absolutely incredible': 27375, 'incredible better': 433820, 'better off': 128385, 'the bodega': 849818, 'bodega socialdistancing': 133791, 'socialdistancing supermarket': 780770, 'supermarket fail': 820266, 'fail human': 296091, 'they reduced the': 883181, 'reduced the number': 706183, 'of people allowed': 587871, 'people allowed in': 646809, 'allowed in the': 46170, 'the supermarket made': 868687, 'supermarket made the': 821421, 'made the aisle': 507985, 'the aisle one': 848530, 'aisle one way': 40335, 'one way put': 607377, 'way put tape': 969829, 'put tape on': 690841, 'on the floor': 604123, 'the floor to': 855428, 'floor to make': 310852, 'to make sure': 909748, 'make sure we': 510539, 'sure we stand': 827810, 'we stand foot': 973363, 'stand foot apart': 793518, 'foot apart still': 318348, 'apart still people': 81345, 'still people just': 801036, 'people just won': 648567, 'just won do': 470323, 'won do it': 1003788, 'do it it': 249485, 'it it absolutely': 459164, 'it absolutely incredible': 456248, 'absolutely incredible better': 27376, 'incredible better off': 433821, 'better off at': 128386, 'off at the': 593671, 'at the bodega': 100893, 'the bodega socialdistancing': 849820, 'bodega socialdistancing supermarket': 133792, 'socialdistancing supermarket fail': 780773, 'supermarket fail human': 820267, 'sense': 750481, 'printed': 678309, 'trillion': 931950, 'partially': 642527, 'terrible': 838391, 'whereas': 985416, 'autonomy': 104070, 'printing': 678333, '3t': 18469, '7b': 22450, 'upsetting': 947834, 'in what': 430830, 'what world': 982632, 'world doe': 1009493, 'this make': 888742, 'make any': 509701, 'any sense': 79784, 'sense just': 750539, 'just printed': 469494, 'printed three': 678320, 'three trillion': 894091, 'trillion dollar': 931980, 'dollar to': 253092, 'to partially': 911470, 'partially mitigate': 642528, 'mitigate their': 534545, 'their terrible': 874969, 'terrible response': 838426, 'to whereas': 918545, 'whereas ha': 985421, 'no autonomy': 563640, 'autonomy and': 104071, 'and cannot': 59504, 'cannot set': 162086, 'set their': 753493, 'their own': 874157, 'own price': 632145, 'or budget': 614592, 'budget set': 141813, 'set by': 753360, 'by same': 153861, 'are printing': 89225, 'printing 3t': 678334, '3t but': 18470, 'but 7b': 145039, '7b is': 22453, 'is upsetting': 453594, 'in what world': 430835, 'what world doe': 982634, 'world doe this': 1009495, 'doe this make': 251637, 'this make any': 888744, 'make any sense': 509708, 'any sense just': 79785, 'sense just printed': 750541, 'just printed three': 469495, 'printed three trillion': 678321, 'three trillion dollar': 894092, 'trillion dollar to': 931982, 'dollar to partially': 253097, 'to partially mitigate': 911471, 'partially mitigate their': 642529, 'mitigate their terrible': 534546, 'their terrible response': 874970, 'terrible response to': 838427, 'response to whereas': 715898, 'to whereas ha': 918546, 'whereas ha no': 985422, 'ha no autonomy': 371327, 'no autonomy and': 563641, 'autonomy and cannot': 104072, 'and cannot set': 59518, 'cannot set their': 162088, 'set their own': 753494, 'their own price': 874194, 'own price or': 632148, 'price or budget': 675768, 'or budget set': 614593, 'budget set by': 141814, 'set by same': 753362, 'by same folk': 153862, 'folk who are': 312297, 'who are printing': 988195, 'are printing 3t': 89226, 'printing 3t but': 678335, '3t but 7b': 18471, 'but 7b is': 145040, '7b is upsetting': 22455, 'in which': 430855, 'which say': 986288, 'say thing': 739357, 'thing about': 884082, 'about supermarket': 26279, 'supermarket supply': 823044, 'chain and': 170452, 'in which say': 430865, 'which say thing': 986289, 'say thing about': 739358, 'thing about supermarket': 884093, 'about supermarket supply': 26288, 'supermarket supply chain': 823045, 'supply chain and': 824903, 'chain and the': 170477, 'and the impact': 73417, 'mailinvoting': 508700, 'vote': 960457, 'cheat': 174331, 'democrat want': 236750, 'want mailinvoting': 965846, 'mailinvoting but': 508701, 'it fine': 458007, 'fine to': 307708, 'stand apart': 793490, 'apart at': 81229, 'at walmart': 101471, 'walmart or': 965381, 'just cannot': 468434, 'cannot do': 161755, 'do that': 250217, 'that to': 847055, 'to vote': 918236, 'vote why': 960526, 'why is': 991095, 'that saturdaymorning': 846121, 'saturdaymorning to': 737100, 'to cheat': 902675, 'democrat want mailinvoting': 236751, 'want mailinvoting but': 965847, 'mailinvoting but it': 508702, 'but it fine': 146122, 'it fine to': 458010, 'fine to stand': 307714, 'to stand apart': 915153, 'stand apart at': 793491, 'apart at walmart': 81231, 'at walmart or': 101476, 'walmart or the': 965385, 'or the supermarket': 617402, 'the supermarket just': 868661, 'supermarket just cannot': 821222, 'just cannot do': 468436, 'cannot do that': 161762, 'do that to': 250231, 'that to vote': 847066, 'to vote why': 918242, 'vote why is': 960527, 'why is that': 991121, 'is that saturdaymorning': 452686, 'that saturdaymorning to': 846122, 'saturdaymorning to cheat': 737101, 'dublin': 261511, 'nursing': 577595, 'icw': 412859, 'ward': 966623, 'banal': 109299, 'reporting': 712653, 'the life': 859335, 'life of': 488916, 'of dublin': 582862, 'dublin supermarket': 261518, 'supermarket go': 820528, 'to nursing': 910761, 'nursing home': 577610, 'or icw': 615705, 'icw ward': 412860, 'ward thank': 966652, 'thank to': 841675, 'to staff': 915132, 'is banal': 445989, 'banal reporting': 109300, 'day in the': 227811, 'in the life': 429318, 'the life of': 859341, 'life of dublin': 488919, 'of dublin supermarket': 582863, 'dublin supermarket go': 261520, 'supermarket go to': 820533, 'go to nursing': 354332, 'to nursing home': 910762, 'nursing home or': 577618, 'home or icw': 401746, 'or icw ward': 615706, 'icw ward thank': 412861, 'ward thank to': 966653, 'thank to staff': 841676, 'to staff this': 915141, 'staff this is': 792972, 'this is banal': 888187, 'is banal reporting': 445990, 'great insight': 362765, 'hospital covid': 404362, '19 communication': 5902, 'communication today': 189653, 'today will': 920539, 'will impact': 993776, 'impact future': 417671, 'future consumer': 342289, 'consumer decision': 197098, 'decision healthcare': 231033, 'healthcare marketing': 387174, 'great insight from': 362766, 'insight from hospital': 439550, 'from hospital covid': 335946, 'hospital covid 19': 404363, 'covid 19 communication': 212830, '19 communication today': 5903, 'communication today will': 189654, 'today will impact': 920542, 'will impact future': 993781, 'impact future consumer': 417672, 'future consumer decision': 342290, 'consumer decision healthcare': 197099, 'decision healthcare marketing': 231034, 'fraudwatch': 331490, 'check from': 174449, 'government watch': 360787, 'watch out': 968500, 'for fraud': 321694, 'fraud fraudwatch': 331270, 'check from the': 174450, 'the government watch': 856623, 'government watch out': 360788, 'watch out for': 968501, 'out for fraud': 626120, 'for fraud fraudwatch': 321695, 'hydro': 411948, 'powering': 667824, 'we recognize': 973041, 'recognize the': 704652, 'the critical': 852491, 'critical role': 218645, 'role hydro': 725085, 'hydro one': 411951, 'one play': 606884, 'play in': 659169, 'in powering': 426887, 'powering community': 667825, 'community across': 189695, 'province since': 687194, 'since the': 770852, 'outbreak began': 628041, 'began the': 123437, 'of ontario': 587277, 'ontario have': 611605, 'been ordered': 121609, 'ordered to': 618919, 'home we': 402449, 'we call': 970882, 'call hydro': 155931, 'one to': 607268, 'to free': 906233, 'we recognize the': 973042, 'recognize the critical': 704653, 'the critical role': 852496, 'critical role hydro': 218646, 'role hydro one': 725086, 'hydro one play': 411952, 'one play in': 606885, 'play in powering': 659172, 'in powering community': 426888, 'powering community across': 667826, 'community across the': 189698, 'across the province': 29515, 'the province since': 864734, 'province since the': 687195, 'since the novel': 770895, 'novel coronavirus covid': 573756, '19 outbreak began': 9087, 'outbreak began the': 628043, 'began the people': 123441, 'in the province': 429486, 'province of ontario': 687186, 'of ontario have': 587279, 'ontario have been': 611606, 'have been ordered': 379626, 'been ordered to': 121610, 'ordered to stay': 618925, 'to stay home': 915293, 'stay home we': 797023, 'home we call': 402452, 'we call hydro': 970884, 'call hydro one': 155932, 'hydro one to': 411953, 'one to free': 607274, 'told the': 923700, 'store supply': 810469, 'is solid': 452077, 'solid and': 781904, 'that there': 846891, 'for mass': 323284, 'mass shopping': 519856, 'shopping amid': 761941, 'outbreak read': 628570, 'told the grocery': 923706, 'grocery store supply': 365826, 'store supply chain': 810471, 'chain is solid': 170844, 'is solid and': 452078, 'solid and that': 781907, 'and that there': 73212, 'that there is': 846899, 'no need for': 564849, 'need for mass': 554852, 'for mass shopping': 323285, 'mass shopping amid': 519857, 'shopping amid the': 761943, '19 outbreak read': 9175, 'outbreak read more': 628572, 'thanking': 841974, 'midst': 530776, 'wednesdaymotivation': 975706, 'join me': 466770, 'me in': 522951, 'in thanking': 428907, 'thanking grocery': 841979, 'worker across': 1006197, 'across america': 29238, 'america these': 51704, 'these american': 879593, 'american hero': 52030, 'hero are': 393938, 'working hard': 1008677, 'hard in': 377945, 'the midst': 860578, 'midst of': 530777, 'outbreak to': 628756, 'ensure we': 278117, 'all have': 43041, 'supply we': 826074, 'grocery wednesdaymotivation': 366119, 'join me in': 466776, 'me in thanking': 522977, 'in thanking grocery': 428908, 'thanking grocery store': 841980, 'store worker across': 811445, 'worker across america': 1006199, 'across america these': 29253, 'america these american': 51705, 'these american hero': 879594, 'american hero are': 52031, 'hero are working': 393942, 'are working hard': 91698, 'working hard in': 1008683, 'hard in the': 377946, 'in the midst': 429359, 'the midst of': 860579, 'midst of the': 530795, 'coronavirus outbreak to': 206418, 'outbreak to ensure': 628758, 'to ensure we': 905202, 'ensure we all': 278118, 'we all have': 970332, 'all have access': 43042, 'the food and': 855531, 'and supply we': 72822, 'supply we need': 826079, 'we need grocery': 972490, 'need grocery wednesdaymotivation': 554933, 'negatively': 556845, 'the gov': 856482, 'gov of': 359645, 'is calling': 446350, 'calling on': 156605, 'on it': 601645, 'it people': 460290, 'of because': 580601, 'is negatively': 449873, 'negatively affecting': 556850, 'security of': 744685, 'the gov of': 856486, 'gov of is': 359646, 'of is calling': 585314, 'is calling on': 446353, 'calling on it': 156612, 'on it people': 601682, 'it people not': 460296, 'people not to': 648876, 'not to stock': 572192, 'to stock food': 915433, 'stock food amid': 802121, 'amid the spread': 52715, 'spread of because': 790653, 'of because it': 580602, 'it is negatively': 459018, 'is negatively affecting': 449874, 'negatively affecting the': 556851, 'affecting the food': 34562, 'the food security': 855599, 'food security of': 316359, 'security of the': 744687, 'of the country': 590901, 'the country 19': 852039, 'refill': 706548, 'stash': 795289, 'we going': 971658, 'with this': 1001673, 'this poverty': 889680, 'poverty in': 667498, 'crisis the': 218160, 'you visit': 1022085, 'visit the': 959376, 'supermarket to': 823350, 'to refill': 913060, 'refill your': 706557, 'your stash': 1025924, 'stash of': 795290, 'paper think': 640901, 'about these': 26609, 'people how': 648301, 'they face': 882080, 'face covid': 294379, '19 not': 8824, 'home think': 402280, 'but what are': 147781, 'are we going': 91570, 'we going to': 971659, 'going to do': 355573, 'do with this': 250573, 'with this poverty': 1001719, 'this poverty in': 889681, 'poverty in time': 667499, 'of crisis the': 582190, 'crisis the next': 218183, 'the next time': 861705, 'time you visit': 898421, 'you visit the': 1022088, 'visit the supermarket': 959399, 'the supermarket to': 868862, 'supermarket to refill': 823405, 'to refill your': 913062, 'refill your stash': 706558, 'your stash of': 1025925, 'stash of hand': 795292, 'of hand sanitizers': 584434, 'sanitizers and toilet': 736209, 'toilet paper think': 921490, 'paper think about': 640902, 'think about these': 885106, 'about these people': 26613, 'these people how': 880443, 'people how will': 648305, 'how will they': 409243, 'will they face': 995179, 'they face covid': 882081, 'face covid 19': 294380, 'covid 19 not': 213485, '19 not working': 8834, 'not working at': 572547, 'working at home': 1008524, 'at home think': 99145, 'mondelez': 536526, 'expects': 291066, 'mondelez expects': 536527, 'expects higher': 291079, 'higher sale': 395734, 'sale in': 732290, 'europe food': 283437, 'food purchase': 316079, 'purchase increase': 689508, 'increase amid': 432670, 'mondelez expects higher': 536528, 'expects higher sale': 291080, 'higher sale in': 395735, 'sale in europe': 732295, 'in europe food': 422636, 'europe food purchase': 283438, 'food purchase increase': 316082, 'purchase increase amid': 689509, 'increase amid covid': 432671, '2008': 13633, 'happened': 377215, 'theft': 872340, 'deregulation': 237841, 'breakdown': 138830, 'held': 388876, 'relatively': 708761, 'two situation': 937219, 'situation are': 772196, 'are completely': 85466, 'completely different': 192254, 'different in': 241966, 'in 2008': 419753, '2008 what': 13701, 'what happened': 981541, 'happened wa': 377296, 'wa clearly': 961823, 'clearly theft': 181583, 'theft due': 872346, 'to deregulation': 904192, 'deregulation now': 237844, 'now there': 576087, 'is breakdown': 446258, 'breakdown because': 138833, 'because many': 119231, 'stock are': 801849, 'are held': 87079, 'held at': 388882, 'at relatively': 100288, 'relatively high': 708766, 'price unfortunately': 677193, 'unfortunately complete': 941585, 'complete collapse': 192077, 'the two situation': 870158, 'two situation are': 937220, 'situation are completely': 772197, 'are completely different': 85467, 'completely different in': 192257, 'different in 2008': 241967, 'in 2008 what': 419759, '2008 what happened': 13702, 'what happened wa': 981548, 'happened wa clearly': 377297, 'wa clearly theft': 961825, 'clearly theft due': 181584, 'theft due to': 872347, 'due to deregulation': 261760, 'to deregulation now': 904193, 'deregulation now there': 237845, 'now there is': 576092, 'there is breakdown': 878534, 'is breakdown because': 446259, 'breakdown because many': 138834, 'because many of': 119232, 'many of the': 514390, 'of the stock': 591492, 'the stock are': 867904, 'stock are held': 801854, 'are held at': 87080, 'held at relatively': 388885, 'at relatively high': 100289, 'relatively high price': 708767, 'high price unfortunately': 395288, 'price unfortunately complete': 677194, 'unfortunately complete collapse': 941586, 'surviving': 829346, 'apparently there': 82023, 'to surviving': 916058, 'surviving than': 829369, 'than just': 840810, 'just and': 468185, 'apparently there more': 82025, 'there more to': 878769, 'more to surviving': 540802, 'to surviving than': 916061, 'surviving than just': 829370, 'than just and': 840812, 'darknet': 226013, 'checked': 174737, 'flogging': 310691, 'seeing report': 746442, 'report around': 711813, 'the darknet': 852841, 'darknet and': 226014, 'and checked': 59786, 'checked out': 174765, 'the marketplace': 860192, 'marketplace for': 517810, 'myself more': 550908, 'more interesting': 539611, 'interesting than': 441624, 'mask they': 519368, 're flogging': 698691, 'flogging dealer': 310692, 'dealer are': 229598, 'also selling': 48851, 'fake coronavirus': 296589, 'coronavirus cure': 205785, 'cure at': 220706, 'at sometimes': 100591, 'sometimes demanding': 785193, 'demanding price': 236606, 'price wonder': 677641, 'will turn': 995251, 'after seeing report': 36158, 'seeing report around': 746443, 'report around the': 711814, 'around the darknet': 93535, 'the darknet and': 852842, 'darknet and checked': 226015, 'and checked out': 59787, 'checked out the': 174768, 'out the marketplace': 627390, 'the marketplace for': 860193, 'marketplace for myself': 517812, 'for myself more': 323766, 'myself more interesting': 550909, 'more interesting than': 539613, 'interesting than the': 441625, 'than the face': 841234, 'face mask they': 294598, 'mask they re': 519374, 'they re flogging': 883037, 're flogging dealer': 698692, 'flogging dealer are': 310693, 'dealer are also': 229599, 'are also selling': 84476, 'also selling fake': 48852, 'selling fake coronavirus': 749233, 'fake coronavirus cure': 296590, 'coronavirus cure at': 205786, 'cure at sometimes': 220707, 'at sometimes demanding': 100592, 'sometimes demanding price': 785194, 'demanding price wonder': 236607, 'price wonder how': 677642, 'wonder how this': 1003960, 'this will turn': 891449, 'will turn out': 995255, 'whom': 990539, 'villain': 957399, 'sykescottages': 830752, 'hugely': 410266, 'moment there': 536065, 'are hero': 87127, 'hero many': 394037, 'of whom': 593145, 'whom are': 990542, 'in caring': 421247, 'caring and': 164699, 'service industry': 752492, 'industry and': 435627, 'and villain': 74965, 'villain company': 957400, 'company taking': 191146, 'advantage shout': 33059, 'to sykescottages': 916109, 'sykescottages who': 830753, 'who will': 989979, 'not refund': 571279, 'refund but': 706872, 'will book': 992839, 'book you': 134639, 'you in': 1019297, 'in for': 423004, 'for hugely': 322435, 'hugely inflated': 410273, 'inflated price': 437022, 'price over': 675812, 'over 200': 629801, '200 next': 13515, 'next year': 561723, 'year coronavillains': 1014492, 'the moment there': 860782, 'moment there are': 536067, 'there are hero': 878112, 'are hero many': 87132, 'hero many of': 394038, 'many of whom': 514402, 'of whom are': 593147, 'whom are in': 990543, 'are in caring': 87359, 'in caring and': 421248, 'caring and service': 164701, 'and service industry': 71305, 'service industry and': 752493, 'industry and villain': 435652, 'and villain company': 74966, 'villain company taking': 957401, 'company taking advantage': 191147, 'taking advantage shout': 833256, 'advantage shout out': 33060, 'out to sykescottages': 627686, 'to sykescottages who': 916110, 'sykescottages who will': 830754, 'who will not': 989993, 'will not refund': 994260, 'not refund but': 571281, 'refund but will': 706873, 'but will book': 147872, 'will book you': 992840, 'book you in': 134640, 'you in for': 1019304, 'in for hugely': 423016, 'for hugely inflated': 322436, 'hugely inflated price': 410274, 'inflated price over': 437061, 'price over 200': 675813, 'over 200 next': 629805, '200 next year': 13516, 'next year coronavillains': 561726, 'world panic': 1009880, 'and toiletry': 74248, 'toiletry america': 923404, 'america panic': 51642, 'food toiletry': 317320, 'toiletry oh': 923435, 'oh and': 596347, 'and gun': 64050, 'the world panic': 871933, 'world panic buy': 1009881, 'panic buy food': 637482, 'buy food and': 148631, 'food and toiletry': 313366, 'and toiletry america': 74249, 'toiletry america panic': 923405, 'america panic buy': 51643, 'buy food toiletry': 148685, 'food toiletry oh': 317325, 'toiletry oh and': 923436, 'oh and gun': 596353, 'centric': 169584, 'sussex': 829731, 'swamped': 829937, 'great list': 362802, 'list by': 494291, 'by of': 153391, 'of place': 588137, 'order ingredient': 618326, 'ingredient online': 438386, 'online london': 608506, 'london centric': 501048, 'centric but': 169589, 'but with': 147892, 'with uk': 1001883, 'uk wide': 938897, 'wide option': 991741, 'option ve': 614135, 've even': 953085, 'even managed': 284322, 'for weekly': 327773, 'weekly sussex': 977581, 'sussex veg': 829734, 'veg box': 953727, 'box from': 137066, 'from since': 337296, 'since and': 770504, 'others are': 621266, 'are swamped': 90688, 'swamped right': 829938, 'this is great': 888272, 'is great list': 448198, 'great list by': 362804, 'list by of': 494292, 'by of place': 153394, 'of place to': 588141, 'place to order': 657761, 'to order ingredient': 911074, 'order ingredient online': 618327, 'ingredient online london': 438387, 'online london centric': 608507, 'london centric but': 501049, 'centric but with': 169590, 'but with uk': 147903, 'with uk wide': 1001887, 'uk wide option': 938899, 'wide option ve': 991742, 'option ve even': 614136, 've even managed': 953088, 'even managed to': 284323, 'managed to sign': 512510, 'sign up for': 769251, 'up for weekly': 944973, 'for weekly sussex': 327775, 'weekly sussex veg': 977582, 'sussex veg box': 829735, 'veg box from': 953728, 'box from since': 137067, 'from since and': 337297, 'since and others': 770505, 'and others are': 68435, 'others are swamped': 621279, 'are swamped right': 90689, 'swamped right now': 829939, 'braving': 138279, '55': 20352, 'easily': 265183, 'manipulated': 513205, 'react': 700120, 'after braving': 35429, 'braving the': 138285, 'in town': 430246, 'town of': 927519, 'of 55': 579625, '55 00': 20353, '00 am': 51, 'am officially': 50272, 'officially scared': 596021, 'scared not': 740987, 'not of': 570717, 'but of': 146634, 'how easily': 407773, 'easily manipulated': 265226, 'manipulated people': 513208, 'are how': 87251, 'selfish they': 748291, 'are and': 84541, 'we react': 973009, 'react in': 700134, 'crisis this': 218220, 'crisis isn': 217600, 'isn even': 454495, 'even big': 283887, 'big one': 129892, 'after braving the': 35430, 'braving the local': 138289, 'store in town': 808407, 'in town of': 430250, 'town of 55': 927520, 'of 55 00': 579626, '55 00 am': 20354, '00 am officially': 56, 'am officially scared': 50274, 'officially scared not': 596022, 'scared not of': 740990, 'not of but': 570718, 'of but of': 580989, 'but of people': 146638, 'of people how': 587924, 'people how easily': 648302, 'how easily manipulated': 407774, 'easily manipulated people': 265227, 'manipulated people are': 513209, 'people are how': 646996, 'are how selfish': 87253, 'how selfish they': 408640, 'selfish they are': 748292, 'they are and': 881202, 'are and how': 84546, 'and how we': 64842, 'how we react': 409187, 'we react in': 973010, 'react in time': 700135, 'of crisis this': 582193, 'crisis this crisis': 218222, 'this crisis isn': 887057, 'crisis isn even': 217602, 'isn even big': 454496, 'even big one': 283890, 'leaf': 483789, 'york region': 1016655, 'region face': 707413, 'face uncertainty': 294824, 'uncertainty panic': 939738, 'buying leaf': 150635, 'leaf store': 483818, 'shelf empty': 757011, 'york region face': 1016657, 'region face uncertainty': 707415, 'face uncertainty panic': 294825, 'uncertainty panic buying': 939739, 'panic buying leaf': 637789, 'buying leaf store': 150637, 'leaf store shelf': 483819, 'store shelf empty': 810073, 'tue': 935081, 'wed': 975541, 'butcher': 148021, 'epilepsy': 279493, 'thu': 895271, 'fri': 333154, 'sat': 736887, 'plan for': 658113, 'week mon': 976535, 'mon work': 536203, 'work tue': 1005943, 'tue wed': 935082, 'wed for': 975548, 'for mum': 323656, 'mum from': 545897, 'from butcher': 334770, 'butcher pick': 148062, 'up epilepsy': 944797, 'epilepsy then': 279494, 'then thu': 877674, 'thu work': 895278, 'work fri': 1005190, 'fri work': 333161, 'work sat': 1005689, 'sat work': 736918, 'work sun': 1005777, 'sun work': 818092, 'work to': 1005878, 'to stayhomesavelives': 915344, 'stayhomesavelives all': 798335, 'all week': 45418, 'week but': 976029, 'work supermarket': 1005779, 'supermarket please': 822007, 'please don': 659905, 'don abuse': 253322, 'abuse the': 27664, 'rule we': 727398, 'can beat': 157717, 'beat this': 118569, 'plan for week': 658130, 'for week mon': 327730, 'week mon work': 976537, 'mon work tue': 536204, 'work tue wed': 1005944, 'tue wed for': 935083, 'wed for mum': 975549, 'for mum from': 323657, 'mum from butcher': 545898, 'from butcher pick': 334772, 'butcher pick up': 148063, 'pick up epilepsy': 655719, 'up epilepsy then': 944798, 'epilepsy then thu': 279495, 'then thu work': 877675, 'thu work fri': 895279, 'work fri work': 1005191, 'fri work sat': 333162, 'work sat work': 1005690, 'sat work sun': 736919, 'work sun work': 1005778, 'sun work to': 818093, 'work to stayhomesavelives': 1005903, 'to stayhomesavelives all': 915346, 'stayhomesavelives all week': 798336, 'all week but': 45421, 'week but have': 976035, 'but have to': 145885, 'have to work': 383341, 'to work supermarket': 918786, 'work supermarket please': 1005782, 'supermarket please don': 822014, 'please don abuse': 659906, 'don abuse the': 253323, 'abuse the rule': 27666, 'the rule we': 866058, 'rule we can': 727399, 'we can beat': 970913, 'can beat this': 157722, 'beat this together': 118572, 'grounded': 366567, 'wild': 992042, 'portfolio': 664989, '401ks': 18799, 'shelter': 757893, 'tactic': 831682, 'love how': 504690, 'how animal': 407369, 'animal keep': 76616, 'keep grounded': 471561, 'grounded in': 366572, 'in wild': 430912, 'wild survive': 992083, 'survive so': 829230, 'so effortlessly': 776936, 'effortlessly they': 269676, 'they don': 881981, 'have large': 381242, 'large stock': 479800, 'stock portfolio': 802693, 'portfolio to': 665013, 'to rely': 913152, 'on or': 602535, 'or 401ks': 614203, '401ks they': 18800, 'they just': 882485, 'just need': 469300, 'need food': 554784, 'food amp': 313128, 'amp shelter': 54482, 'shelter amp': 757894, 'amp few': 53789, 'few protection': 304021, 'protection tactic': 685631, 'tactic we': 831717, 'learn so': 484055, 'much from': 544936, 'from animal': 334536, 'love how animal': 504692, 'how animal keep': 407371, 'animal keep grounded': 76617, 'keep grounded in': 471562, 'grounded in wild': 366573, 'in wild survive': 430913, 'wild survive so': 992084, 'survive so effortlessly': 829231, 'so effortlessly they': 776937, 'effortlessly they don': 269677, 'they don have': 881992, 'don have large': 253606, 'have large stock': 381243, 'large stock portfolio': 479802, 'stock portfolio to': 802695, 'portfolio to rely': 665015, 'to rely on': 913153, 'rely on or': 709645, 'on or 401ks': 602536, 'or 401ks they': 614204, '401ks they just': 18801, 'they just need': 882501, 'just need food': 469303, 'need food amp': 554786, 'food amp shelter': 313147, 'amp shelter amp': 54483, 'shelter amp few': 757895, 'amp few protection': 53790, 'few protection tactic': 304022, 'protection tactic we': 685632, 'tactic we can': 831718, 'can learn so': 158853, 'learn so much': 484056, 'so much from': 777777, 'much from animal': 544937, 'protection warns': 685677, 'warns on': 967274, 'consumer protection warns': 198577, 'protection warns on': 685679, 'warns on covid': 967275, 'publix': 688740, 'at publix': 100221, 'publix grocery': 688760, 'today at publix': 919279, 'at publix grocery': 100224, 'publix grocery store': 688761, 'mysterious': 550994, 'patch': 643929, 'forming': 329673, 'imadethisup': 416614, 'breaking story': 139050, 'story online': 812093, 'online clothes': 608019, 'clothes shopping': 184204, 'shopping rise': 763774, 'rise people': 722974, 'people find': 647919, 'find mysterious': 307088, 'mysterious white': 550997, 'white patch': 987887, 'patch forming': 643938, 'forming on': 329680, 'on clothes': 599946, 'clothes quarantinelife': 184196, 'quarantinelife imadethisup': 692960, 'imadethisup fakenews': 416615, 'breaking story online': 139051, 'story online clothes': 812094, 'online clothes shopping': 608020, 'clothes shopping rise': 184207, 'shopping rise people': 763775, 'rise people find': 722976, 'people find mysterious': 647920, 'find mysterious white': 307089, 'mysterious white patch': 550998, 'white patch forming': 987888, 'patch forming on': 643939, 'forming on clothes': 329681, 'on clothes quarantinelife': 599948, 'clothes quarantinelife imadethisup': 184197, 'quarantinelife imadethisup fakenews': 692961, 'alliance': 45833, 'xu': 1013911, 'ipo': 444603, 'simultaneously': 770373, 'driver united': 259823, 'united alliance': 942142, 'alliance ceo': 45834, 'ceo xu': 169894, 'xu quietly': 1013912, 'quietly filed': 694721, 'filed for': 305400, 'for ipo': 322651, 'ipo during': 444606, 'during simultaneously': 263017, 'simultaneously dropped': 770376, 'dropped lowest': 260587, 'lowest pay': 506197, 'pay to': 645177, 'to delivery': 904124, 'delivery making': 234167, 'making worker': 511497, 'worker buy': 1006565, 'buy ma': 148930, 'driver united alliance': 259824, 'united alliance ceo': 942143, 'alliance ceo xu': 45835, 'ceo xu quietly': 169895, 'xu quietly filed': 1013913, 'quietly filed for': 694722, 'filed for ipo': 305402, 'for ipo during': 322652, 'ipo during simultaneously': 444607, 'during simultaneously dropped': 263018, 'simultaneously dropped lowest': 770377, 'dropped lowest pay': 260588, 'lowest pay to': 506198, 'pay to delivery': 645181, 'to delivery making': 904128, 'delivery making worker': 234168, 'making worker buy': 511498, 'worker buy ma': 1006567, 'cut amid': 223225, 'oil cut amid': 596725, 'cut amid coronavirus': 223226, 'amid coronavirus pandemic': 52426, 'cardiac': 163750, 'woodman': 1004309, 'doings': 252895, 'continue my': 201071, 'wife is': 991935, 'is cardiac': 446381, 'cardiac nurse': 163751, 'nurse and': 577193, 'and after': 57751, 'after 12': 35267, '12 hour': 2864, 'hour shift': 405909, 'shift we': 758463, 'we went': 973773, 'to lunch': 909523, 'lunch at': 506709, 'the woodman': 871688, 'woodman and': 1004310, 'were people': 979970, 'people but': 647316, 'but wonderful': 147920, 'wonderful food': 1004079, 'and le': 66007, 'le chance': 482871, '19 than': 11124, 'supermarket what': 823788, 'the doings': 853506, 'doings government': 252896, 'continue my wife': 201072, 'my wife is': 550593, 'wife is cardiac': 991937, 'is cardiac nurse': 446382, 'cardiac nurse and': 163752, 'nurse and after': 577194, 'and after 12': 57752, 'after 12 hour': 35269, '12 hour shift': 2866, 'hour shift we': 405926, 'shift we went': 758464, 'we went to': 973777, 'went to lunch': 979171, 'to lunch at': 909524, 'lunch at the': 506711, 'at the woodman': 101155, 'the woodman and': 871689, 'woodman and there': 1004311, 'and there were': 73855, 'there were people': 879328, 'were people but': 979971, 'people but wonderful': 647327, 'but wonderful food': 147921, 'wonderful food and': 1004080, 'food and le': 313268, 'and le chance': 66011, 'le chance of': 482872, 'chance of getting': 171754, 'covid 19 than': 213926, '19 than the': 11132, 'than the supermarket': 841274, 'the supermarket what': 868899, 'supermarket what are': 823791, 'what are the': 981068, 'are the doings': 90819, 'the doings government': 853507, 'doings government to': 252897, 'government to address': 360700, 'bluecollarsolid': 133497, 'applause': 82288, 'staff bluecollarsolid': 792269, 'bluecollarsolid worker': 133498, 'worker deserve': 1006756, 'deserve our': 238089, 'our applause': 622092, 'applause and': 82289, 'and big': 58955, 'big thanks': 130059, 'thanks who': 842279, 'work during': 1005065, '19 usa': 11700, 'usa canada': 948603, 'canada europe': 160425, 'and thanks': 73171, 'for limiting': 322987, 'limiting purchase': 492853, 'purchase for': 689453, 'others well': 621769, 'thanks to all': 842203, 'the supermarket staff': 868819, 'supermarket staff bluecollarsolid': 822820, 'staff bluecollarsolid worker': 792270, 'bluecollarsolid worker deserve': 133499, 'worker deserve our': 1006762, 'deserve our applause': 238090, 'our applause and': 622093, 'applause and big': 82290, 'and big thanks': 58967, 'big thanks who': 130062, 'thanks who have': 842280, 'who have to': 988965, 'to work during': 918712, 'work during covid': 1005067, 'covid 19 usa': 214009, '19 usa canada': 11701, 'usa canada europe': 948604, 'canada europe and': 160426, 'europe and thanks': 283400, 'and thanks for': 73172, 'thanks for limiting': 842066, 'for limiting purchase': 322990, 'limiting purchase for': 492855, 'purchase for others': 689457, 'for others well': 324206, 'serf': 751185, 'prankster': 668963, 'terror': 838583, 'convid': 202596, 'this serf': 890029, 'serf him': 751195, 'him right': 396697, 'right tiktok': 722324, 'tiktok coronavirus': 895895, 'coronavirus prankster': 206576, 'prankster arrested': 668964, 'arrested on': 93863, 'on terror': 603906, 'terror attack': 838584, 'attack convid': 102096, 'convid 19': 202597, 'this serf him': 890030, 'serf him right': 751196, 'him right tiktok': 396700, 'right tiktok coronavirus': 722325, 'tiktok coronavirus prankster': 895896, 'coronavirus prankster arrested': 206577, 'prankster arrested on': 668966, 'arrested on terror': 93865, 'on terror attack': 603907, 'terror attack convid': 838585, 'attack convid 19': 102097, 'make sanitizer': 510419, 'sanitizer at': 734500, 'how to make': 409042, 'to make sanitizer': 909733, 'make sanitizer at': 510420, 'sanitizer at home': 734509, 'at 22': 97529, '22 90': 15176, '90 oil': 23325, 'price at 22': 672786, 'at 22 90': 97530, '22 90 oil': 15177, '90 oil price': 23326, 'status': 796654, 'gdp': 344858, 'tn': 899379, 'borrowing': 135628, 'contraction': 201795, '2tn': 16868, '136': 3355, 'usa about': 948573, 'it debt': 457487, 'debt status': 230567, 'status downgraded': 796673, 'downgraded let': 257563, 'let go': 486747, 'go through': 354243, 'through some': 894683, 'some number': 783371, 'number current': 576863, 'current national': 221268, 'national debt': 552473, 'debt 22': 230402, '22 trillion': 15251, 'trillion 2019': 931951, '2019 gdp': 13969, 'gdp 20': 344859, '20 tn': 13387, 'tn proposed': 899391, 'proposed covid': 684526, 'related extra': 708434, 'extra borrowing': 293461, 'borrowing tn': 135638, 'tn expected': 899384, 'expected gdp': 290893, 'gdp 65': 344863, '65 consumer': 21345, 'consumer contraction': 196971, 'contraction 2020': 201796, '2020 2tn': 14109, '2tn debt': 16869, 'debt gdp': 230488, 'gdp 2020': 344861, '2020 136': 14092, '136 growing': 3356, 'is the usa': 452970, 'the usa about': 870534, 'usa about to': 948574, 'about to have': 26722, 'to have it': 907260, 'have it debt': 381145, 'it debt status': 457488, 'debt status downgraded': 230568, 'status downgraded let': 796674, 'downgraded let go': 257564, 'let go through': 486753, 'go through some': 354253, 'through some number': 894685, 'some number current': 783372, 'number current national': 576864, 'current national debt': 221269, 'national debt 22': 552474, 'debt 22 trillion': 230403, '22 trillion 2019': 15252, 'trillion 2019 gdp': 931952, '2019 gdp 20': 13970, 'gdp 20 tn': 344860, '20 tn proposed': 13388, 'tn proposed covid': 899392, 'proposed covid 19': 684527, '19 related extra': 10051, 'related extra borrowing': 708435, 'extra borrowing tn': 293462, 'borrowing tn expected': 135639, 'tn expected gdp': 899385, 'expected gdp 65': 290894, 'gdp 65 consumer': 344864, '65 consumer contraction': 21346, 'consumer contraction 2020': 196972, 'contraction 2020 2tn': 201797, '2020 2tn debt': 14110, '2tn debt gdp': 16870, 'debt gdp 2020': 230489, 'gdp 2020 136': 344862, '2020 136 growing': 14093, 'edible': 268536, 'dab': 224256, 'whiskey': 987758, 'ammo': 52889, 'dash': 226064, 'repost edible': 712814, 'edible dab': 268545, 'dab whiskey': 224257, 'whiskey ammo': 987759, 'ammo people': 52908, 'making mad': 511184, 'mad dash': 507538, 'dash to': 226073, 'for potential': 324651, 'potential 14': 667014, '14 day': 3437, 'day quarantine': 228262, 'quarantine covid': 692112, 'spread in': 790569, 'community sure': 190139, 'need enough': 554736, 'but for': 145741, 'repost edible dab': 712815, 'edible dab whiskey': 268546, 'dab whiskey ammo': 224258, 'whiskey ammo people': 987760, 'ammo people are': 52909, 'people are making': 647018, 'are making mad': 87990, 'making mad dash': 511185, 'mad dash to': 507540, 'dash to stock': 226075, 'up for potential': 944955, 'for potential 14': 324652, 'potential 14 day': 667015, '14 day quarantine': 3455, 'day quarantine covid': 228263, 'quarantine covid 19': 692113, '19 spread in': 10745, 'spread in our': 790579, 'in our community': 426271, 'our community sure': 622483, 'community sure you': 190140, 'sure you need': 827869, 'you need enough': 1019986, 'need enough food': 554737, 'enough food but': 277387, 'food but for': 313814, 'but for many': 145747, 'maker': 510805, 'coronapocalypse2020': 205210, 'paper maker': 640441, 'maker say': 510863, 've ramped': 953470, 'up production': 945850, 'production to': 682236, 'handle the': 376265, 'the increased': 858071, 'pandemic coronapocalypse2020': 635229, 'coronapocalypse2020 toiletpaper': 205211, 'toiletpaper toiletpapergate': 922682, 'toilet paper maker': 921348, 'paper maker say': 640443, 'maker say they': 510865, 'they ve ramped': 883676, 've ramped up': 953471, 'ramped up production': 696474, 'up production to': 945856, 'production to handle': 682244, 'to handle the': 907134, 'handle the increased': 376271, 'the increased demand': 858074, 'increased demand amid': 433259, 'demand amid the': 234933, 'amid the pandemic': 52706, 'the pandemic coronapocalypse2020': 862937, 'pandemic coronapocalypse2020 toiletpaper': 635230, 'coronapocalypse2020 toiletpaper toiletpapergate': 205212, 'wuhanvirus': 1013561, 'ccp': 168445, 'price fall': 673767, 'fall again': 296809, 'again despite': 36973, 'despite opec': 238808, 'opec deal': 611867, 'deal to': 229505, 'cut production': 223498, 'production oil': 682160, 'oil wuhanvirus': 597529, 'wuhanvirus ccp': 1013569, 'oil price fall': 597126, 'price fall again': 673772, 'fall again despite': 296810, 'again despite opec': 36974, 'despite opec deal': 238809, 'opec deal to': 611871, 'deal to cut': 229507, 'to cut production': 903884, 'cut production oil': 223507, 'production oil wuhanvirus': 682161, 'oil wuhanvirus ccp': 597530, 'father': 300273, 'separated': 751090, 'daughter father': 226838, 'father and': 300274, 'are separated': 89987, 'separated and': 751091, 'and co': 60034, 'co parent': 184940, 'parent do': 641616, 'know how': 476428, 'single parent': 771364, 'parent who': 641776, 'who do': 988615, 'have support': 382863, 'support cope': 826442, 'cope can': 203309, 'can just': 158788, 'just about': 468126, 'about cope': 25017, 'cope brought': 203307, 'brought home': 141156, 'home to': 402303, 'week by': 976050, 'by friend': 152643, 'who cannot': 988415, 'cannot bring': 161684, 'bring he': 139981, 'my daughter father': 547923, 'daughter father and': 226839, 'father and are': 300275, 'and are separated': 58360, 'are separated and': 89988, 'separated and co': 751092, 'and co parent': 60040, 'co parent do': 184941, 'parent do not': 641617, 'not know how': 570295, 'know how single': 476455, 'how single parent': 408690, 'single parent who': 771369, 'parent who do': 641778, 'who do not': 988617, 'not have support': 569874, 'have support cope': 382864, 'support cope can': 826443, 'cope can just': 203310, 'can just about': 158789, 'just about cope': 468129, 'about cope brought': 25018, 'cope brought home': 203308, 'brought home to': 141158, 'home to me': 402330, 'to me this': 909962, 'me this week': 523724, 'this week by': 891196, 'week by friend': 976053, 'by friend who': 152647, 'friend who cannot': 333893, 'who cannot bring': 988419, 'cannot bring he': 161685, 'supportlocal': 827253, 'delaware': 232642, 'boutique': 136930, 'brewery': 139428, 'easier': 265128, 'supportlocal shopping': 827265, 'shopping delaware': 762444, 'delaware local': 232657, 'retailer from': 719155, 'from boutique': 334719, 'boutique to': 136941, 'to restaurant': 913387, 'restaurant to': 716758, 'to brewery': 902011, 'brewery is': 139442, 'is easier': 447425, 'easier with': 265172, 'with online': 999892, 'online ordering': 608705, 'ordering direct': 618956, 'direct shopping': 243386, 'pickup view': 656043, 'view the': 957163, 'state top': 796037, 'top product': 925696, 'product on': 681462, 'update page': 947154, 'page at': 633831, 'supportlocal shopping delaware': 827266, 'shopping delaware local': 762445, 'delaware local retailer': 232658, 'local retailer from': 498353, 'retailer from boutique': 719156, 'from boutique to': 334720, 'boutique to restaurant': 136942, 'to restaurant to': 913395, 'restaurant to brewery': 716759, 'to brewery is': 902012, 'brewery is easier': 139444, 'is easier with': 447426, 'easier with online': 265173, 'with online ordering': 999899, 'online ordering direct': 608709, 'ordering direct shopping': 618957, 'direct shopping and': 243387, 'curbside pickup view': 220664, 'pickup view the': 656044, 'view the state': 957171, 'the state top': 867818, 'state top product': 796038, 'top product on': 925697, 'product on our': 681469, 'on our covid': 602587, '19 update page': 11675, 'update page at': 947155, 'drive through': 259174, 'through supermarket': 894695, 'supermarket concept': 819754, 'concept video': 192876, 'video could': 956692, 'could this': 209768, 'this work': 891492, 'work 19': 1004691, 'pandemic concept': 635179, 'concept stayhome': 192871, 'drive through supermarket': 259186, 'through supermarket concept': 894699, 'supermarket concept video': 819755, 'concept video could': 192877, 'video could this': 956693, 'could this work': 209773, 'this work 19': 891493, 'work 19 virus': 1004693, '19 virus pandemic': 11827, 'virus pandemic concept': 958598, 'pandemic concept stayhome': 635180, 'totino': 926419, 'upped': 947675, '119': 2694, 'patrona': 644428, 'dear consumer': 229763, 'consumer totino': 199343, 'totino would': 926420, 'like all': 489743, 'know that': 476748, 'that since': 846323, 'since half': 770635, 'of america': 580032, 'america will': 51745, 'not leave': 570345, 'house for': 406300, 'week during': 976176, 'crisis we': 218338, 'have upped': 383477, 'upped production': 947678, 'of pizza': 588130, 'pizza roll': 657201, 'roll to': 725550, 'to 119': 899456, '119 trillion': 2699, 'trillion week': 932011, 'week thank': 976971, 'your patrona': 1025236, 'dear consumer totino': 229768, 'consumer totino would': 199344, 'totino would like': 926421, 'would like all': 1011991, 'like all of': 489746, 'all of our': 43706, 'of our customer': 587447, 'our customer to': 622677, 'customer to know': 222967, 'to know that': 908995, 'know that since': 476787, 'that since half': 846325, 'since half of': 770636, 'half of america': 374218, 'of america will': 580048, 'america will not': 51747, 'will not leave': 994242, 'not leave the': 570351, 'leave the house': 484970, 'the house for': 857608, 'house for week': 406312, 'for week during': 327702, 'week during this': 976178, 'during this covid': 263272, '19 crisis we': 6347, 'crisis we have': 218347, 'we have upped': 971979, 'have upped production': 383478, 'upped production of': 947679, 'production of pizza': 682150, 'of pizza roll': 588132, 'pizza roll to': 657202, 'roll to 119': 725551, 'to 119 trillion': 899457, '119 trillion week': 2700, 'trillion week thank': 932012, 'week thank you': 976972, 'you for your': 1018688, 'for your patrona': 328189, 'continued': 201301, 'purdue': 689945, 'athletics': 101783, 'boilerup': 134056, 'these local': 880243, 'and chain': 59701, 'chain are': 170489, 'open and': 612046, 'providing carry': 686955, 'carry out': 165135, 'out delivery': 625941, 'delivery option': 234271, 'option we': 614141, 'we thank': 973511, 'thank everyone': 841557, 'everyone for': 286918, 'their continued': 872872, 'continued support': 201345, 'support of': 826684, 'of purdue': 588610, 'purdue athletics': 689946, 'athletics boilerup': 101784, 'these local business': 880244, 'local business and': 497749, 'business and chain': 143292, 'and chain are': 59702, 'chain are open': 170508, 'are open and': 88785, 'open and providing': 612072, 'and providing carry': 69708, 'providing carry out': 686956, 'carry out delivery': 165137, 'out delivery option': 625947, 'delivery option we': 234274, 'option we thank': 614144, 'we thank everyone': 973512, 'thank everyone for': 841559, 'everyone for their': 286921, 'for their continued': 326814, 'their continued support': 872874, 'continued support of': 201347, 'support of purdue': 826693, 'of purdue athletics': 588611, 'purdue athletics boilerup': 689947, '311': 17616, 'daily count': 224566, 'count of': 210139, 'of nyc': 587122, 'nyc 311': 577953, '311 consumer': 17617, 'complaint since': 192029, 'daily count of': 224567, 'count of nyc': 210140, 'of nyc 311': 587123, 'nyc 311 consumer': 577954, '311 consumer complaint': 17618, 'consumer complaint since': 196860, 'complaint since covid': 192030, 'wayne': 970217, 'pa': 632827, 'seafood': 743117, 'palmsunday': 634620, 'zeoliarmy': 1027387, 'the wayne': 871211, 'wayne pa': 970218, 'pa area': 632834, 'area go': 92026, 'to seafood': 913946, 'seafood usa': 743153, 'usa today': 948770, 'today their': 920308, 'their selection': 874641, 'selection and': 747513, 'price were': 677438, 'were amazing': 979323, 'amazing today': 50808, 'today palmsunday': 920015, 'palmsunday zeoliarmy': 634625, 'you are in': 1017151, 'are in the': 87448, 'in the wayne': 429665, 'the wayne pa': 871212, 'wayne pa area': 970219, 'pa area go': 632835, 'area go to': 92027, 'go to seafood': 354354, 'to seafood usa': 913947, 'seafood usa today': 743154, 'usa today their': 948772, 'today their selection': 920309, 'their selection and': 874642, 'selection and price': 747514, 'and price were': 69487, 'price were amazing': 677442, 'were amazing today': 979325, 'amazing today palmsunday': 50809, 'today palmsunday zeoliarmy': 920016, 'chemist': 175398, 'indispensable': 435108, 'are supermarket': 90647, 'supermarket grocery': 820572, 'grocery shop': 364963, 'shop convenience': 760072, 'convenience store': 202339, 'store chemist': 806961, 'chemist or': 175441, 'other indispensable': 620418, 'indispensable service': 435111, 'service you': 753124, 'you may': 1019789, 'may find': 521187, 'find the': 307278, 'continue trading': 201281, 'trading at': 928837, 'moment is': 535969, 'll help': 496842, 'you find': 1018569, 'best way': 127982, 'way ceo': 969521, 'unless you are': 942664, 'you are supermarket': 1017248, 'are supermarket grocery': 90650, 'supermarket grocery shop': 820583, 'grocery shop convenience': 364969, 'shop convenience store': 760073, 'convenience store chemist': 202343, 'store chemist or': 806963, 'chemist or other': 175443, 'or other indispensable': 616437, 'other indispensable service': 620419, 'indispensable service you': 435112, 'service you may': 753125, 'you may find': 1019799, 'may find the': 521192, 'find the only': 307296, 'way to continue': 970004, 'to continue trading': 903411, 'continue trading at': 201282, 'trading at the': 928841, 'the moment is': 860762, 'moment is online': 535971, 'is online we': 450525, 'online we ll': 609700, 'we ll help': 972256, 'll help you': 496844, 'help you find': 390971, 'you find the': 1018580, 'find the best': 307283, 'the best way': 849563, 'best way ceo': 127983, 'dining': 243005, 'the four': 855735, 'four largest': 330622, 'largest city': 479929, 'city have': 179175, 'now closed': 574394, 'closed restaurant': 183308, 'restaurant dining': 716421, 'dining area': 243008, 'the four largest': 855739, 'four largest city': 330623, 'largest city have': 479930, 'city have now': 179179, 'have now closed': 381727, 'now closed restaurant': 574404, 'closed restaurant dining': 183309, 'restaurant dining area': 716422, 'beach': 118184, 'adding': 31657, 'more from': 539296, 'family to': 298319, 'the beach': 849374, 'beach adding': 118185, 'adding that': 31697, 'that whole': 847523, 'whole family': 990191, 'family should': 298223, 'not go': 569669, 'more from this': 539311, 'from this is': 337998, 'this is not': 888334, 'is not the': 450202, 'time to take': 898082, 'to take the': 916244, 'take the family': 832645, 'the family to': 854906, 'family to the': 298331, 'to the beach': 916513, 'the beach adding': 849375, 'beach adding that': 118186, 'adding that whole': 31700, 'that whole family': 847525, 'whole family should': 990202, 'family should not': 298225, 'should not go': 766247, 'not go to': 569690, 'wastewater': 968296, 'reduces': 706226, 'wastewater transport': 968298, 'transport service': 929937, 'service temporarily': 752903, 'temporarily reduces': 837529, 'reduces price': 706243, 'help texas': 390633, 'texas restaurant': 839818, 'restaurant comply': 716395, 'with local': 999276, 'local health': 498069, 'health regulation': 386784, 'regulation amidst': 708045, 'amidst pandemic': 52811, 'wastewater transport service': 968299, 'transport service temporarily': 929938, 'service temporarily reduces': 752904, 'temporarily reduces price': 837530, 'reduces price to': 706245, 'price to help': 676999, 'to help texas': 907645, 'help texas restaurant': 390634, 'texas restaurant comply': 839820, 'restaurant comply with': 716396, 'comply with local': 192534, 'with local health': 999281, 'local health regulation': 498071, 'health regulation amidst': 386785, 'regulation amidst pandemic': 708046, 'dfs': 240058, 'bargain': 111046, 'news in': 560526, 'the light': 859354, 'pandemic that': 636648, 'is covid': 446867, 'the dfs': 853236, 'dfs sale': 240061, 'sale may': 732354, 'may finally': 521184, 'finally end': 305979, 'end grab': 275833, 'grab bargain': 361465, 'bargain before': 111047, 'price go': 674199, 'go up': 354416, 'up dfs': 944710, 'breaking news in': 139004, 'news in the': 560534, 'in the light': 429320, 'the light of': 859356, 'the pandemic that': 863120, 'pandemic that is': 636652, 'that is covid': 844571, 'is covid 19': 446868, '19 the dfs': 11184, 'the dfs sale': 853237, 'dfs sale may': 240063, 'sale may finally': 732355, 'may finally end': 521185, 'finally end grab': 305980, 'end grab bargain': 275834, 'grab bargain before': 361466, 'bargain before the': 111048, 'before the price': 123184, 'the price go': 864356, 'price go up': 674208, 'go up dfs': 354427, 'michigan': 530309, 'sen': 749664, 'ruth': 728694, 'jeremy': 465137, 'moss': 542042, 'michigan wa': 530388, 'wa among': 961519, 'among the': 53057, 'first state': 309019, 'state to': 796007, 'take action': 831887, 'action against': 29925, 'against price': 37587, 'pandemic sen': 636424, 'sen ruth': 749679, 'ruth johnson': 728695, 'johnson who': 466640, 'who introduced': 989050, 'introduced the': 443455, 'the bill': 849689, 'bill with': 130731, 'with sen': 1000630, 'sen jeremy': 749671, 'jeremy moss': 465138, 'moss said': 542043, 'said in': 731134, 'in statement': 428249, 'statement that': 796216, 'that profiteering': 845871, 'profiteering off': 683070, 'is wrong': 454096, 'michigan wa among': 530389, 'wa among the': 961520, 'among the first': 53061, 'the first state': 855350, 'first state to': 309020, 'state to take': 796027, 'to take action': 916152, 'take action against': 831891, 'action against price': 29934, 'against price gouging': 37588, 'the pandemic sen': 863090, 'pandemic sen ruth': 636425, 'sen ruth johnson': 749680, 'ruth johnson who': 728696, 'johnson who introduced': 466641, 'who introduced the': 989051, 'introduced the bill': 443456, 'the bill with': 849699, 'bill with sen': 130733, 'with sen jeremy': 1000631, 'sen jeremy moss': 749672, 'jeremy moss said': 465139, 'moss said in': 542044, 'said in statement': 731140, 'in statement that': 428252, 'statement that profiteering': 796219, 'that profiteering off': 845872, 'profiteering off the': 683071, 'off the crisis': 594240, 'crisis is wrong': 217599, 'unsuspecting': 943598, 'phishing': 654793, 'using fear': 950479, 'fear around': 301049, 'of unsuspecting': 592668, 'unsuspecting victim': 943599, 'victim from': 956474, 'from fake': 335390, 'fake online': 296682, 'shopping website': 764356, 'to phishing': 911703, 'phishing scam': 654829, 'scam beware': 740081, 'sign find': 769117, 'are using fear': 91418, 'using fear around': 950481, 'fear around the': 301050, 'around the virus': 93567, 'the virus to': 870909, 'virus to take': 958929, 'advantage of unsuspecting': 33041, 'of unsuspecting victim': 592669, 'unsuspecting victim from': 943600, 'victim from fake': 956475, 'from fake online': 335392, 'fake online shopping': 296684, 'online shopping website': 609338, 'shopping website to': 764363, 'website to phishing': 975448, 'to phishing scam': 911704, 'phishing scam beware': 654832, 'scam beware of': 740082, 'beware of the': 129096, 'of the sign': 591466, 'the sign find': 867177, 'sign find out': 769118, 'downtownithaca': 257767, 'ithacany': 463888, 'your continued': 1023332, 'the downtown': 853633, 'downtown community': 257739, 'community during': 189823, '19 situation': 10564, 'situation list': 772374, 'of store': 590238, 'store business': 806775, 'business that': 144471, 'open or': 612423, 'or offering': 616354, 'offering online': 595199, 'shopping or': 763535, 'takeout and': 833137, 'and takeout': 72990, 'delivery is': 234131, 'is available': 445903, 'website downtownithaca': 975247, 'downtownithaca ithacany': 257768, 'for your continued': 328133, 'your continued support': 1023333, 'support of the': 826695, 'of the downtown': 590962, 'the downtown community': 853634, 'downtown community during': 257740, 'community during the': 189826, 'covid 19 situation': 213810, '19 situation list': 10580, 'situation list of': 772375, 'list of store': 494477, 'of store business': 590244, 'store business that': 806777, 'business that are': 144472, 'that are open': 842791, 'are open or': 88797, 'open or offering': 612426, 'or offering online': 616357, 'offering online shopping': 595203, 'online shopping or': 609211, 'shopping or offering': 763549, 'or offering takeout': 616358, 'offering takeout and': 595271, 'takeout and takeout': 833139, 'and takeout delivery': 72991, 'takeout delivery is': 833152, 'delivery is available': 234134, 'is available on': 445927, 'available on our': 104532, 'our website downtownithaca': 625336, 'website downtownithaca ithacany': 975248, 'investigation': 443858, 'business class': 143522, 'class action': 180137, 'action lawsuit': 30064, 'lawsuit investigation': 482538, 'coronavirus consumer business': 205678, 'consumer business class': 196671, 'business class action': 143523, 'class action lawsuit': 180141, 'action lawsuit investigation': 30065, 'fully': 341015, 'idling': 413696, 'feud': 303633, 'over 100': 629762, '100 biofuel': 1845, 'plant across': 658609, 'are fully': 86742, 'fully idling': 341057, 'idling or': 413699, 'or cutting': 614876, 'cutting production': 223769, 'production rate': 682193, 'rate gas': 697232, 'fall because': 296854, 'home due': 401103, 'outbreak and': 627981, 'and major': 66540, 'major oil': 509401, 'oil producer': 597331, 'producer feud': 680618, 'feud over': 303640, 'over output': 630472, 'over 100 biofuel': 629765, '100 biofuel plant': 1846, 'biofuel plant across': 131207, 'plant across the': 658611, 'country are fully': 210465, 'are fully idling': 86747, 'fully idling or': 341058, 'idling or cutting': 413700, 'or cutting production': 614877, 'cutting production rate': 223771, 'production rate gas': 682194, 'rate gas price': 697233, 'gas price fall': 343962, 'price fall because': 673777, 'fall because people': 296855, 'are staying at': 90371, 'at home due': 98979, 'home due to': 401104, '19 outbreak and': 9082, 'outbreak and major': 628001, 'and major oil': 66542, 'major oil producer': 509402, 'oil producer feud': 597338, 'producer feud over': 680619, 'feud over output': 303641, 'competitionalert': 191755, 'participate': 642551, 'stayhomestaysa': 798499, 'is hand': 448261, 'sanitizer face': 734846, 'glove these': 352951, 'these product': 880553, 'product will': 681855, 'will help': 993697, 'the competitionalert': 851380, 'competitionalert competition': 191756, 'competition participate': 191720, 'participate stayhomestaysa': 642562, 'answer is hand': 78061, 'is hand sanitizer': 448263, 'hand sanitizer face': 375393, 'sanitizer face mask': 734847, 'face mask glove': 294543, 'mask glove these': 518749, 'glove these product': 352952, 'these product will': 880564, 'product will help': 681859, 'will help in': 993718, 'help in the': 389909, 'in the fight': 429198, 'against the competitionalert': 37646, 'the competitionalert competition': 851381, 'competitionalert competition participate': 191757, 'competition participate stayhomestaysa': 191722, 'ny wild': 577927, 'wild rn': 992078, 'rn nofood': 724334, 'ny wild rn': 577928, 'wild rn nofood': 992079, '19 our': 9047, 'our hour': 623472, 'operation beginning': 613155, 'beginning wednesday': 123688, 'wednesday march': 975660, '18 will': 4601, 'be 10': 113404, '10 to': 1725, 'our 18': 621975, '18 point': 4577, 'point of': 662552, 'of sale': 589239, 'covid 19 our': 213531, '19 our hour': 9053, 'our hour of': 623474, 'of operation beginning': 587299, 'operation beginning wednesday': 613156, 'beginning wednesday march': 123689, 'wednesday march 18': 975661, 'march 18 will': 515111, '18 will be': 4602, 'will be 10': 992336, 'be 10 to': 113408, '10 to this': 1733, 'to this applies': 917405, 'applies to all': 82532, 'to all of': 900271, 'of our 18': 587418, 'our 18 point': 621976, '18 point of': 4578, 'point of sale': 662566, 'lose': 503416, 'mortgage': 541853, 'savetheeconomy': 737823, 'the madness': 859865, 'madness will': 508219, 'do to': 250378, 'the housing': 857660, 'housing price': 407126, 'price predict': 675973, 'predict price': 669574, 'drop of': 260317, 'of 20': 579445, '20 30': 12896, '30 and': 16959, 'you lose': 1019712, 'lose your': 503500, 'your job': 1024522, 'cannot pay': 162029, 'pay your': 645252, 'your mortgage': 1024881, 'mortgage and': 541858, 'sell you': 748952, 're done': 698559, 'done savetheeconomy': 254997, 'what do you': 981356, 'you think the': 1021677, 'think the madness': 885639, 'the madness will': 859870, 'madness will do': 508220, 'will do to': 993232, 'do to the': 250407, 'to the housing': 916785, 'the housing price': 857663, 'housing price predict': 407138, 'price predict price': 675975, 'predict price drop': 669575, 'price drop of': 673576, 'drop of 20': 260319, 'of 20 30': 579448, '20 30 and': 12897, '30 and if': 16963, 'if you lose': 415472, 'you lose your': 1019716, 'lose your job': 503501, 'your job and': 1024523, 'job and cannot': 465619, 'and cannot pay': 59516, 'cannot pay your': 162036, 'pay your mortgage': 645255, 'your mortgage and': 1024883, 'mortgage and have': 541861, 'and have to': 64289, 'have to sell': 383296, 'to sell you': 914190, 'sell you re': 748956, 'you re done': 1020603, 're done savetheeconomy': 698563, 'mess': 529217, 'obe': 578348, 'mbe': 522057, 'after this': 36398, '19 mess': 8635, 'mess is': 529228, 'over with': 630943, 'all member': 43499, 'nh post': 562046, 'post office': 666230, 'office and': 595351, 'other delivery': 620091, 'delivery company': 233811, 'company and': 190371, 'supermarket chain': 819588, 'chain really': 171030, 'really deserve': 702105, 'deserve like': 238069, 'like an': 489758, 'an obe': 56532, 'obe mbe': 578349, 'mbe or': 522058, 'or something': 617159, 'something because': 784865, 'is amazing': 445607, 'amazing how': 50705, 'how they': 408909, 're providing': 699325, 'providing for': 686998, 'our nation': 623973, 'nation during': 552157, 'after this covid': 36402, 'covid 19 mess': 213428, '19 mess is': 8636, 'mess is over': 529229, 'is over with': 450748, 'over with all': 630944, 'with all member': 997154, 'all member of': 43500, 'member of the': 528152, 'of the nh': 591273, 'the nh post': 861757, 'nh post office': 562047, 'post office and': 666233, 'office and other': 595357, 'and other delivery': 68308, 'other delivery company': 620092, 'delivery company and': 233812, 'company and supermarket': 190394, 'and supermarket chain': 72708, 'supermarket chain really': 819630, 'chain really deserve': 171032, 'really deserve like': 702106, 'deserve like an': 238070, 'like an obe': 489775, 'an obe mbe': 56533, 'obe mbe or': 578350, 'mbe or something': 522059, 'or something because': 617161, 'something because it': 784866, 'it is amazing': 458873, 'is amazing how': 445609, 'amazing how they': 50711, 'how they re': 408925, 'they re providing': 883103, 're providing for': 699326, 'providing for our': 687001, 'for our nation': 324273, 'our nation during': 623976, 'nation during this': 552158, 'bezos': 129270, 'boom': 134790, 'bezos delivery': 129275, 'delivery hire': 234090, 'hire 100': 396974, '00 new': 356, 'new retail': 559488, 'with driven': 998139, 'driven online': 259333, 'shopping boom': 762236, 'bezos delivery hire': 129276, 'delivery hire 100': 234091, 'hire 100 00': 396975, '100 00 new': 1794, '00 new retail': 360, 'new retail worker': 559490, 'retail worker to': 718905, 'worker to keep': 1008012, 'up with driven': 946632, 'with driven online': 998141, 'driven online shopping': 259334, 'online shopping boom': 609056, 'maga': 508269, 'belive': 126473, 'shoot': 759726, 'question is': 693628, 'is how': 448568, 'many maga': 514254, 'maga who': 508301, 'who belive': 988314, 'belive this': 126474, 'is hoax': 448512, 'hoax will': 399749, 'be alive': 113546, 'alive to': 41842, 'vote instead': 960490, 'of stocking': 590217, 'food they': 317160, 'they stock': 883471, 'on gun': 601206, 'gun ammo': 368680, 'ammo to': 52917, 'to shoot': 914438, 'shoot down': 759733, 'down virus': 257431, 'question is how': 693631, 'is how many': 448587, 'how many maga': 408271, 'many maga who': 514255, 'maga who belive': 508302, 'who belive this': 988315, 'belive this is': 126475, 'this is hoax': 888280, 'is hoax will': 448517, 'hoax will be': 399750, 'will be alive': 992350, 'be alive to': 113549, 'alive to vote': 41843, 'to vote instead': 918241, 'vote instead of': 960491, 'instead of stocking': 440324, 'of stocking up': 590219, 'on food they': 600921, 'food they stock': 317178, 'they stock up': 883474, 'up on gun': 945573, 'on gun ammo': 601207, 'gun ammo to': 368683, 'ammo to shoot': 52921, 'to shoot down': 914440, 'shoot down virus': 759734, 'potentialy': 667252, 'that most': 845223, 'most business': 542146, 'business are': 143352, 'being closed': 124956, 'closed can': 183036, 'can the': 159947, 'worker be': 1006498, 'time seeing': 897632, 'seeing they': 746511, 're dealing': 698504, 'with shitty': 1000677, 'shitty customer': 759372, 'and continuing': 60498, 'who potentialy': 989436, 'potentialy have': 667253, 'have coronavirus': 380116, 'now that most': 576009, 'that most business': 845224, 'most business are': 542148, 'business are being': 143358, 'are being closed': 84839, 'being closed can': 124958, 'closed can the': 183037, 'can the supermarket': 159963, 'the supermarket worker': 868915, 'supermarket worker be': 823994, 'worker be paid': 1006502, 'be paid more': 116336, 'paid more at': 634086, 'more at this': 538675, 'at this time': 101261, 'this time seeing': 890686, 'time seeing they': 897633, 'seeing they re': 746512, 'they re dealing': 883017, 're dealing with': 698505, 'dealing with shitty': 229689, 'with shitty customer': 1000678, 'shitty customer and': 759373, 'customer and continuing': 222071, 'and continuing to': 60499, 'continuing to work': 201575, 'work with customer': 1006027, 'with customer who': 997905, 'customer who potentialy': 223083, 'who potentialy have': 989437, 'potentialy have coronavirus': 667254, 'dime': 242911, 'algo': 41646, 'advocating': 33863, 'happen': 377049, 'dime algo': 242914, 'algo after': 41647, 'after advocating': 35314, 'advocating for': 33864, 'senior supermarket': 750415, 'supermarket special': 822793, 'special hour': 787957, 'hour shopping': 405928, 'shopping it': 763093, 'to happen': 907145, 'happen thank': 377158, 'you publix': 1020491, 'publix miami': 688767, 'miami publix': 530196, 'dime algo after': 242915, 'algo after advocating': 41648, 'after advocating for': 35315, 'advocating for senior': 33866, 'for senior supermarket': 325479, 'senior supermarket special': 750416, 'supermarket special hour': 822794, 'special hour shopping': 787963, 'hour shopping it': 405929, 'shopping it going': 763099, 'going to happen': 355616, 'to happen thank': 907160, 'happen thank you': 377159, 'thank you publix': 841804, 'you publix miami': 1020492, 'publix miami publix': 688768, 'diary': 240402, 'orpington': 619670, '4pm': 19502, 'enforced': 276702, 'diary from': 240412, 'in orpington': 426232, 'orpington by': 619671, 'by 4pm': 151657, '4pm today': 19507, 'today not': 919943, 'not all': 568095, 'all shelf': 44305, 'empty but': 274821, 'not everything': 569304, 'available amp': 104214, 'amp no': 54180, 'no queue': 565260, 'queue many': 693988, 'have enforced': 380432, 'enforced maximum': 276717, 'maximum item': 520823, 'item policy': 463578, 'diary from supermarket': 240413, 'from supermarket in': 337488, 'supermarket in orpington': 820953, 'in orpington by': 426233, 'orpington by 4pm': 619672, 'by 4pm today': 151658, '4pm today not': 19510, 'today not all': 919944, 'not all shelf': 568124, 'all shelf are': 44306, 'are empty but': 86143, 'empty but not': 274825, 'but not everything': 146538, 'not everything is': 569307, 'everything is available': 287863, 'is available amp': 445906, 'available amp no': 104216, 'amp no queue': 54185, 'no queue many': 565263, 'queue many supermarket': 693989, 'many supermarket have': 514762, 'supermarket have enforced': 820683, 'have enforced maximum': 380433, 'enforced maximum item': 276718, 'maximum item policy': 520824, 'leg': 485800, 'legged': 485950, 'stool': 804404, 'disappeared': 244054, 'fiat': 304375, 'prop': 684037, 'zombie': 1027685, 'bamksters': 109151, 'ha cut': 370300, 'cut the': 223569, 'last two': 480600, 'two leg': 937005, 'leg off': 485817, 'the three': 869513, 'three legged': 893975, 'legged stool': 485953, 'stool the': 804407, 'industry ha': 435860, 'ha disappeared': 370391, 'disappeared printing': 244068, 'printing more': 678348, 'more fiat': 539208, 'fiat money': 304378, 'money will': 537177, 'will only': 994323, 'only prop': 611022, 'prop up': 684045, 'up zombie': 946768, 'zombie bamksters': 1027702, 'bamksters and': 109152, 'and corporation': 60582, '19 ha cut': 7338, 'ha cut the': 370307, 'cut the last': 223576, 'the last two': 859054, 'last two leg': 480602, 'two leg off': 937006, 'leg off the': 485818, 'off the three': 594277, 'the three legged': 869517, 'three legged stool': 893976, 'legged stool the': 485954, 'stool the consumer': 804408, 'service industry ha': 752495, 'industry ha disappeared': 435862, 'ha disappeared printing': 370394, 'disappeared printing more': 244069, 'printing more fiat': 678349, 'more fiat money': 539209, 'fiat money will': 304379, 'money will only': 537179, 'will only prop': 994334, 'only prop up': 611023, 'prop up zombie': 684052, 'up zombie bamksters': 946769, 'zombie bamksters and': 1027703, 'bamksters and corporation': 109153, 'declared': 231214, 'urging': 948410, 'ha declared': 370324, 'declared it': 231235, 'is business': 446311, 'business usual': 144596, 'usual despite': 950920, 'global coronavirus': 351819, 'crisis urging': 218303, 'urging australian': 948411, 'australian to': 103568, 'to let': 909195, 'go of': 353862, 'their fear': 873298, 'fear amid': 301014, 'amid scene': 52642, 'scene of': 741344, 'the ha declared': 856987, 'ha declared it': 370328, 'declared it is': 231236, 'it is business': 458893, 'is business usual': 446314, 'business usual despite': 144600, 'usual despite the': 950921, 'despite the global': 238885, 'the global coronavirus': 856293, 'global coronavirus crisis': 351820, 'coronavirus crisis urging': 205776, 'crisis urging australian': 218304, 'urging australian to': 948412, 'australian to let': 103569, 'to let go': 909203, 'let go of': 486749, 'go of their': 353865, 'of their fear': 591661, 'their fear amid': 873299, 'fear amid scene': 301015, 'amid scene of': 52643, 'scene of panic': 741348, 'buying and empty': 149901, 'and empty supermarket': 62085, 'failure': 296260, 'resulted': 717670, 'sharpest': 755720, 'gulf': 368629, 'coupled': 211724, 'oilpricewar': 597700, 'opec failure': 611885, 'failure to': 296296, 'to agree': 900180, 'agree on': 38626, 'on deal': 600235, 'deal resulted': 229473, 'resulted in': 717673, 'the sharpest': 866803, 'sharpest oil': 755725, 'price decline': 673397, 'decline since': 231395, 'the gulf': 856937, 'gulf war': 368652, 'war coupled': 966403, 'coupled with': 211725, 'with saudiarabia': 1000584, 'saudiarabia oil': 737346, 'oil flow': 596801, 'flow increase': 311237, 'increase next': 432921, 'month global': 537753, 'global market': 352018, 'market now': 516765, 'now face': 574651, 'face an': 294292, 'an oilpricewar': 56582, 'oilpricewar between': 597703, 'between key': 128813, 'key producer': 473370, 'producer examines': 680610, 'examines the': 288845, 'opec failure to': 611886, 'failure to agree': 296298, 'to agree on': 900182, 'agree on deal': 38627, 'on deal resulted': 600236, 'deal resulted in': 229474, 'resulted in the': 717687, 'in the sharpest': 429543, 'the sharpest oil': 866805, 'sharpest oil price': 755726, 'oil price decline': 597101, 'price decline since': 673403, 'decline since the': 231397, 'since the gulf': 770886, 'the gulf war': 856943, 'gulf war coupled': 368653, 'war coupled with': 966404, 'coupled with saudiarabia': 211739, 'with saudiarabia oil': 1000586, 'saudiarabia oil flow': 737347, 'oil flow increase': 596802, 'flow increase next': 311238, 'increase next month': 432922, 'next month global': 561454, 'month global market': 537754, 'global market now': 352028, 'market now face': 516768, 'now face an': 574653, 'face an oilpricewar': 294293, 'an oilpricewar between': 56583, 'oilpricewar between key': 597704, 'between key producer': 128814, 'key producer examines': 473371, 'producer examines the': 680611, 'examines the impact': 288847, 'dentistry': 237106, 'confusion': 194371, 'furlough': 341875, 'dentistry staff': 237107, 'staff saved': 792824, 'saved after': 737723, 'after confusion': 35488, 'confusion over': 194392, 'over furlough': 630244, 'furlough scheme': 341898, 'scheme left': 741572, 'left surgery': 485655, 'surgery on': 828330, 'dentistry staff saved': 237108, 'staff saved after': 792825, 'saved after confusion': 737724, 'after confusion over': 35489, 'confusion over furlough': 194393, 'over furlough scheme': 630245, 'furlough scheme left': 341899, 'scheme left surgery': 741573, 'left surgery on': 485656, 'surgery on the': 828331, 'bathandbodyworks': 112602, 'are definitely': 85733, 'definitely in': 232354, 'end time': 275997, 'sold completely': 781654, 'completely out': 192331, 'sanitizer handsanitizer': 735029, 'handsanitizer bathandbodyworks': 376488, 'we are definitely': 970522, 'are definitely in': 85736, 'definitely in the': 232355, 'in the end': 429168, 'the end time': 854307, 'end time is': 276001, 'time is sold': 897064, 'is sold completely': 452069, 'sold completely out': 781655, 'completely out of': 192332, 'out of hand': 626750, 'hand sanitizer handsanitizer': 375430, 'sanitizer handsanitizer bathandbodyworks': 735030, 'leaving': 485070, 'praise': 668831, 'ufcw': 937923, 'not leaving': 570355, 'leaving home': 485085, 'home except': 401171, 'except for': 289150, 'walk but': 964757, 'do go': 249338, 'market please': 516856, 'kind praise': 474961, 'praise our': 668856, 'worker they': 1007958, 'they too': 883573, 'too are': 924586, 'are our': 88852, 'our hero': 623419, 'hero ufcw': 394142, 'not leaving home': 570356, 'leaving home except': 485087, 'home except for': 401173, 'except for walk': 289176, 'for walk but': 327613, 'walk but if': 964758, 'but if you': 146001, 'you do go': 1018252, 'do go to': 249345, 'go to market': 354327, 'to market please': 909856, 'market please be': 516857, 'be kind praise': 115620, 'kind praise our': 474962, 'praise our grocery': 668857, 'store worker they': 811605, 'worker they too': 1007972, 'they too are': 883574, 'too are our': 924590, 'are our hero': 88862, 'our hero ufcw': 623428, 'restriction': 717196, 'essential covered': 280948, 'covered watch': 212444, 'watch this': 968568, 'this space': 890270, 'space for': 787095, 'more deal': 538969, 'deal no': 229442, 'no restriction': 565352, 'restriction contact': 717244, 'contact le': 200116, 'le delivery': 482921, 'delivery cheaper': 233797, 'cheaper wholesale': 174294, 'wholesale no': 990459, 'buy 19': 148249, 'we ve got': 973670, 've got the': 953199, 'got the essential': 358899, 'the essential covered': 854501, 'essential covered watch': 280949, 'covered watch this': 212445, 'watch this space': 968578, 'this space for': 890271, 'space for more': 787099, 'for more deal': 323565, 'more deal no': 538970, 'deal no restriction': 229443, 'no restriction contact': 565353, 'restriction contact le': 717245, 'contact le delivery': 200117, 'le delivery cheaper': 482922, 'delivery cheaper wholesale': 233798, 'cheaper wholesale no': 174295, 'wholesale no need': 990460, 'need to panic': 556004, 'to panic buy': 911388, 'panic buy 19': 637458, 'specter': 788326, 'mistrust': 534486, 'devaluation': 239552, 'you not': 1020118, 'not noticed': 570703, 'noticed the': 573487, 'the specter': 867552, 'specter of': 788327, 'of mistrust': 586584, 'mistrust in': 534489, 'country during': 210593, 'fda say': 300918, 'that by': 843073, 'by buying': 152034, 'week people': 976733, 'month do': 537678, 'panic gun': 638154, 'increasing do': 433590, 'not worry': 572563, 'worry we': 1010797, 'be back': 113782, 'back on': 107184, 'our foot': 623147, 'foot which': 318465, 'ha fueled': 370686, 'fueled fear': 340328, 'fear of': 301219, 'of dollar': 582775, 'dollar devaluation': 252977, 'have you not': 383679, 'you not noticed': 1020125, 'not noticed the': 570704, 'noticed the specter': 573488, 'the specter of': 867553, 'specter of mistrust': 788328, 'of mistrust in': 586585, 'mistrust in this': 534490, 'this country during': 886950, 'country during this': 210595, 'this period of': 889528, 'period of the': 651855, 'pandemic the fda': 636676, 'the fda say': 855024, 'fda say that': 300923, 'say that by': 739228, 'that by buying': 843074, 'by buying food': 152038, 'buying food for': 150313, 'for the week': 326775, 'the week people': 871309, 'week people are': 976734, 'are buying food': 85118, 'food for month': 314553, 'for month do': 323514, 'month do not': 537679, 'not panic gun': 570913, 'panic gun sale': 638155, 'gun sale are': 368718, 'sale are increasing': 732064, 'are increasing do': 87480, 'increasing do not': 433591, 'do not worry': 249894, 'not worry we': 572574, 'worry we ll': 1010798, 'll be back': 496572, 'be back on': 113786, 'back on our': 107196, 'on our foot': 602601, 'our foot which': 623150, 'foot which ha': 318466, 'which ha fueled': 985882, 'ha fueled fear': 370688, 'fueled fear of': 340329, 'fear of dollar': 301228, 'of dollar devaluation': 582777, '27': 16248, 'wrenching': 1012725, 'marie': 515701, 'll watch': 497097, 'our report': 624590, 'report on': 712137, 'on grocery': 601177, 'worker dying': 1006825, 'our interview': 623580, 'interview with': 442260, 'the mother': 861071, 'mother of': 543142, 'of 27': 579544, '27 year': 16317, 'old leilani': 598330, 'jordan wa': 467298, 'wa heart': 962295, 'heart wrenching': 388360, 'wrenching wa': 1012728, 'wa hearing': 962293, 'hearing from': 388200, 'from worker': 338421, 'worker like': 1007310, 'like marie': 490715, 'marie long': 515706, 'long who': 501847, 'who tell': 989736, 'me she': 523441, 'she putting': 756278, 'putting her': 691127, 'her life': 392161, 'life on': 488932, '10 hr': 1472, 'hope you ll': 403801, 'you ll watch': 1019677, 'll watch our': 497098, 'watch our report': 968498, 'our report on': 624595, 'report on grocery': 712146, 'on grocery store': 601188, 'store worker dying': 811488, 'worker dying of': 1006827, 'dying of our': 263850, 'of our interview': 587493, 'our interview with': 623581, 'interview with the': 442267, 'with the mother': 1001395, 'the mother of': 861073, 'mother of 27': 543143, 'of 27 year': 579546, '27 year old': 16319, 'year old leilani': 1014843, 'old leilani jordan': 598331, 'leilani jordan wa': 486122, 'jordan wa heart': 467299, 'wa heart wrenching': 962296, 'heart wrenching wa': 388361, 'wrenching wa hearing': 1012729, 'wa hearing from': 962294, 'hearing from worker': 388203, 'from worker like': 338422, 'worker like marie': 1007321, 'like marie long': 490716, 'marie long who': 515707, 'long who tell': 501848, 'who tell me': 989737, 'tell me she': 837019, 'me she putting': 523445, 'she putting her': 756279, 'putting her life': 691128, 'her life on': 392163, 'life on the': 488939, 'on the line': 604212, 'the line for': 859408, 'line for 10': 493095, 'for 10 hr': 318615, 'martin': 518089, 'annoy': 77339, 'and martin': 66731, 'martin upset': 518107, 'upset some': 947821, 'of his': 584643, 'his worker': 397924, 'worker by': 1006568, 'by telling': 154229, 'telling them': 837272, 'them they': 876409, 'should consider': 765855, 'consider getting': 195001, 'getting job': 349080, 'job with': 466302, 'supermarket instead': 821054, 'instead yes': 440385, 'yes that': 1015542, 'that would': 847676, 'would annoy': 1011520, 'annoy me': 77341, 'me too': 523821, 'and martin upset': 66732, 'martin upset some': 518108, 'upset some of': 947822, 'some of his': 783397, 'of his worker': 584671, 'his worker by': 397925, 'worker by telling': 1006574, 'by telling them': 154232, 'telling them they': 837276, 'them they should': 876424, 'they should consider': 883357, 'should consider getting': 765857, 'consider getting job': 195002, 'getting job with': 349082, 'job with supermarket': 466306, 'with supermarket instead': 1001055, 'supermarket instead yes': 821055, 'instead yes that': 440386, 'yes that would': 1015547, 'that would annoy': 847678, 'would annoy me': 1011521, 'annoy me too': 77343, 'highest': 395810, 'appeal': 82049, 'forrester': 329755, 'many grocer': 514106, 'grocer are': 364096, 'are offering': 88653, 'offering curbside': 595053, 'pickup but': 655945, 'issue is': 455811, 'that website': 847420, 'website can': 975233, 'can put': 159348, 'the highest': 857336, 'highest volume': 395874, 'volume item': 960146, 'item online': 463515, 'online because': 607916, 'they sell': 883308, 'sell out': 748836, 'out so': 627201, 'so quickly': 778102, 'quickly so': 694599, 'that limit': 844889, 'limit the': 492505, 'the appeal': 848824, 'appeal of': 82069, 'shopping forrester': 762736, 'forrester analyst': 329756, 'many grocer are': 514107, 'grocer are offering': 364099, 'are offering curbside': 88659, 'offering curbside pickup': 595056, 'curbside pickup but': 220647, 'pickup but the': 655946, 'but the issue': 147351, 'the issue is': 858572, 'issue is that': 455821, 'is that website': 452706, 'that website can': 847422, 'website can put': 975234, 'can put the': 159353, 'put the highest': 690858, 'the highest volume': 857353, 'highest volume item': 395875, 'volume item online': 960147, 'item online because': 463517, 'online because they': 607920, 'because they sell': 119718, 'they sell out': 883314, 'sell out so': 748842, 'out so quickly': 627205, 'so quickly so': 778106, 'quickly so that': 694600, 'so that limit': 778379, 'that limit the': 844890, 'limit the appeal': 492507, 'the appeal of': 848825, 'appeal of online': 82071, 'of online grocery': 587255, 'grocery shopping forrester': 365023, 'shopping forrester analyst': 762737, 'uae': 937730, 'sample': 733455, 'businessmen': 144765, 'contribution': 201930, 'uae some': 937776, 'some sample': 783794, 'sample of': 733473, 'of uae': 592552, 'uae businessmen': 937738, 'businessmen contribution': 144766, 'contribution to': 201940, 'help against': 389308, 'against corona': 37376, 'corona some': 204183, 'some donated': 782708, 'donated unit': 254372, 'unit for': 942057, 'for quarantine': 324894, 'quarantine others': 692414, 'others reduced': 621611, 'reduced price': 706141, 'and rent': 70240, 'rent bought': 711058, 'bought ambulance': 136494, 'ambulance car': 51322, 'car etc': 163076, 'uae some sample': 937777, 'some sample of': 783795, 'sample of uae': 733476, 'of uae businessmen': 592553, 'uae businessmen contribution': 937739, 'businessmen contribution to': 144767, 'contribution to help': 201943, 'to help against': 907443, 'help against corona': 389309, 'against corona some': 37379, 'corona some donated': 204184, 'some donated unit': 782709, 'donated unit for': 254373, 'unit for quarantine': 942059, 'for quarantine others': 324899, 'quarantine others reduced': 692415, 'others reduced price': 621612, 'reduced price and': 706143, 'price and rent': 672522, 'and rent bought': 70241, 'rent bought ambulance': 711059, 'bought ambulance car': 136495, 'ambulance car etc': 51323, 'cordray': 203513, 'slammed': 773494, 'cfpb': 170344, 'richard cordray': 721295, 'cordray is': 203514, 'warning consumer': 967109, 'consumer will': 199541, 'be slammed': 117208, 'slammed by': 773497, 'coronavirus economic': 205860, 'economic crisis': 267030, 'crisis if': 217512, 'the cfpb': 850624, 'cfpb doesn': 170349, 'doesn do': 251754, 'richard cordray is': 721296, 'cordray is warning': 203515, 'is warning consumer': 453760, 'warning consumer will': 967111, 'consumer will be': 199542, 'will be slammed': 992684, 'be slammed by': 117209, 'slammed by the': 773500, 'the coronavirus economic': 851839, 'coronavirus economic crisis': 205861, 'economic crisis if': 267034, 'crisis if the': 217515, 'if the cfpb': 414955, 'the cfpb doesn': 850625, 'cfpb doesn do': 170350, 'doesn do more': 251755, 'more to help': 540793, 'cammers': 157152, 'malware': 511889, 'discounted': 244570, 'shafe': 754359, 'malicious': 511710, 'software': 781522, 'ransomware': 696835, 'way hacker': 969610, 'hacker amp': 372758, 'amp cammers': 53491, 'cammers exploiting': 157153, 'exploiting corona': 292416, 'corona virus': 204278, 'pandemic mobile': 635966, 'mobile malware': 534987, 'malware email': 511894, 'email phishing': 272268, 'phishing discounted': 654809, 'discounted off': 244588, 'the shafe': 866767, 'shafe malware': 754360, 'malware sm': 511904, 'sm phishing': 774755, 'phishing face': 654819, 'mask amp': 518294, 'amp hand': 53902, 'sanitizer scam': 735704, 'scam malicious': 740238, 'malicious software': 511718, 'software ransomware': 781544, 'ransomware attack': 696836, 'way hacker amp': 969611, 'hacker amp cammers': 372759, 'amp cammers exploiting': 53492, 'cammers exploiting corona': 157154, 'exploiting corona virus': 292417, 'corona virus pandemic': 204338, 'virus pandemic mobile': 958605, 'pandemic mobile malware': 635967, 'mobile malware email': 534988, 'malware email phishing': 511895, 'email phishing discounted': 272270, 'phishing discounted off': 654810, 'discounted off the': 244589, 'off the shafe': 594267, 'the shafe malware': 866768, 'shafe malware sm': 754361, 'malware sm phishing': 511905, 'sm phishing face': 774756, 'phishing face mask': 654820, 'face mask amp': 294514, 'mask amp hand': 518297, 'amp hand sanitizer': 53903, 'hand sanitizer scam': 375579, 'sanitizer scam malicious': 735707, 'scam malicious software': 740239, 'malicious software ransomware': 511719, 'software ransomware attack': 781545, 'lazada': 482725, 'filipino': 305434, 'worldvisionph': 1010291, 'lazada online': 482728, 'for cause': 319969, 'cause thank': 167751, 'you lazada': 1019563, 'lazada for': 482726, 'for helping': 322195, 'helping filipino': 391332, 'filipino especially': 305437, 'especially the': 280617, 'vulnerable child': 960907, 'child fight': 176086, '19 through': 11385, 'through worldvisionph': 894914, 'lazada online shopping': 482729, 'online shopping for': 609124, 'shopping for cause': 762661, 'for cause thank': 319971, 'cause thank you': 167752, 'thank you lazada': 841762, 'you lazada for': 1019564, 'lazada for helping': 482727, 'for helping filipino': 322198, 'helping filipino especially': 391333, 'filipino especially the': 305438, 'especially the most': 280625, 'the most vulnerable': 861062, 'most vulnerable child': 542870, 'vulnerable child fight': 960908, 'child fight covid': 176087, 'covid 19 through': 213951, '19 through worldvisionph': 11388, 'extends': 293240, 'bedbathbeyond': 120429, 'extends store': 293263, 'closure until': 184055, 'until may': 943767, 'may retail': 521463, 'retail bedbathbeyond': 717876, 'bedbathbeyond housewares': 120430, 'extends store closure': 293264, 'store closure until': 807111, 'closure until may': 184056, 'until may retail': 943773, 'may retail bedbathbeyond': 521464, 'retail bedbathbeyond housewares': 717877, 'bedbathbeyond housewares homeworld': 120431, '33': 17737, 'divert': 248565, 'superfluos': 818657, 'astroturf': 97271, 'salary': 731937, '100k': 2163, 'max': 520733, 'superm': 818709, '33 covid': 17754, 'is priority': 451032, 'priority divert': 678551, 'divert the': 248566, 'following to': 312926, 'to that': 916444, 'that effort': 843682, 'effort immediately': 269528, 'immediately cut': 417079, 'cut superfluos': 223557, 'superfluos expense': 818658, 'expense such': 291206, 'such astroturf': 816340, 'astroturf million': 97272, 'million cut': 532121, 'cut excessive': 223321, 'excessive salary': 289415, 'salary cap': 731959, 'cap at': 162408, 'at 100k': 97420, '100k max': 2170, 'max classify': 520747, 'classify superm': 180375, '33 covid 19': 17755, '19 is priority': 8025, 'is priority divert': 451033, 'priority divert the': 678552, 'divert the following': 248567, 'the following to': 855525, 'following to that': 312928, 'to that effort': 916451, 'that effort immediately': 843683, 'effort immediately cut': 269529, 'immediately cut superfluos': 417080, 'cut superfluos expense': 223558, 'superfluos expense such': 818659, 'expense such astroturf': 291207, 'such astroturf million': 816341, 'astroturf million cut': 97273, 'million cut excessive': 532122, 'cut excessive salary': 223322, 'excessive salary cap': 289416, 'salary cap at': 731960, 'cap at 100k': 162409, 'at 100k max': 97421, '100k max classify': 2171, 'max classify superm': 520748, 'modrnhealthcr': 535518, 'grow': 367001, 'annual': 77382, '2028': 14827, 'projection': 683578, 'modrnhealthcr healthcare': 535519, 'healthcare spending': 387283, 'spending is': 788867, 'is expected': 447642, 'expected to': 290959, 'to grow': 907022, 'grow at': 367009, 'average annual': 104807, 'annual rate': 77419, 'of from': 583964, 'from 2019': 334235, '2019 to': 14034, 'to 2028': 899606, '2028 fueled': 14828, 'fueled by': 340320, 'by higher': 152804, 'higher price': 395658, 'price according': 672206, 'new report': 559443, 'the projection': 864651, 'projection do': 683581, 'not account': 568036, 'account for': 28660, 'modrnhealthcr healthcare spending': 535520, 'healthcare spending is': 387284, 'spending is expected': 788875, 'is expected to': 447644, 'expected to grow': 290980, 'to grow at': 907023, 'grow at an': 367011, 'at an average': 97979, 'an average annual': 55494, 'average annual rate': 104808, 'annual rate of': 77420, 'rate of from': 697315, 'of from 2019': 583965, 'from 2019 to': 334236, '2019 to 2028': 14035, 'to 2028 fueled': 899607, '2028 fueled by': 14829, 'fueled by higher': 340322, 'by higher price': 152806, 'higher price according': 395661, 'price according to': 672207, 'according to new': 28570, 'to new report': 910574, 'new report the': 559453, 'report the projection': 712344, 'the projection do': 864652, 'projection do not': 683582, 'do not account': 249654, 'not account for': 568038, 'account for the': 28670, 'for the 19': 326281, 'the 19 pandemic': 847923, 'heartfelt': 388446, 'mla': 534734, 'baramati': 110788, 'agro': 39058, '500ltrs': 20091, 'bhandara': 129336, 'zp': 1027879, 'heartfelt thank': 388451, 'to mla': 910199, 'mla and': 534735, 'and baramati': 58705, 'baramati agro': 110789, 'agro for': 39061, 'for lending': 322946, 'lending hand': 486278, 'hand in': 375035, 'these time': 880834, 'crisis and': 217009, 'providing 500ltrs': 686923, '500ltrs of': 20092, 'to bhandara': 901799, 'bhandara zp': 129337, 'heartfelt thank you': 388452, 'you to mla': 1021808, 'to mla and': 910200, 'mla and baramati': 534736, 'and baramati agro': 58706, 'baramati agro for': 110790, 'agro for lending': 39062, 'for lending hand': 322947, 'lending hand in': 486279, 'hand in these': 375042, 'in these time': 429866, 'these time of': 880844, 'of crisis and': 582149, 'crisis and providing': 217042, 'and providing 500ltrs': 69707, 'providing 500ltrs of': 686924, '500ltrs of sanitizer': 20093, 'of sanitizer to': 589300, 'sanitizer to bhandara': 735907, 'to bhandara zp': 901800, 'pigeon': 656466, 'kawaii': 471125, 'safetyfirst': 730795, 'be wise': 118111, 'wise and': 996669, 'and sanitize': 70846, 'sanitize art': 734169, 'art by': 94144, 'by pigeon': 153582, 'pigeon handsanitizer': 656467, 'handsanitizer kawaii': 376564, 'kawaii staysafe': 471126, 'staysafe safetyfirst': 798871, 'safetyfirst health': 730799, 'health washyourhands': 386936, 'be wise and': 118112, 'wise and sanitize': 996670, 'and sanitize art': 70848, 'sanitize art by': 734170, 'art by pigeon': 94147, 'by pigeon handsanitizer': 153583, 'pigeon handsanitizer kawaii': 656468, 'handsanitizer kawaii staysafe': 376565, 'kawaii staysafe safetyfirst': 471127, 'staysafe safetyfirst health': 798873, 'safetyfirst health washyourhands': 730800, 'traxxfm': 930724, 'borneo': 135574, 'traxxfm borneo': 930725, 'borneo food': 135575, 'food this': 317190, 'morning shopping': 541435, 'market this': 517213, 'how it': 408124, 'is supposed': 452480, 'done no': 254949, 'buying please': 150908, 'traxxfm borneo food': 930726, 'borneo food this': 135576, 'food this morning': 317193, 'this morning shopping': 889011, 'morning shopping at': 541436, 'the market this': 860170, 'market this is': 517214, 'this is how': 888284, 'is how it': 448583, 'how it is': 408134, 'it is supposed': 459093, 'is supposed to': 452482, 'supposed to be': 827352, 'to be done': 901216, 'be done no': 114560, 'done no panic': 254950, 'no panic buying': 565042, 'panic buying please': 637848, 'rutherford': 728697, 'confirms an': 194230, 'an employee': 55702, 'employee ha': 273900, 'ha tested': 372177, 'for 19': 318694, '19 at': 5237, 'at weston': 101514, 'weston amp': 980696, 'amp rutherford': 54423, 'rutherford location': 728698, 'confirms an employee': 194231, 'an employee ha': 55708, 'employee ha tested': 273903, 'ha tested positive': 372179, 'positive for 19': 665315, 'for 19 at': 318699, '19 at weston': 5255, 'at weston amp': 101515, 'weston amp rutherford': 980697, 'amp rutherford location': 54424, 'jayson': 464901, 'lusk': 506859, 'meat and': 525470, 'egg price': 269955, 'outbreak jayson': 628396, 'jayson lusk': 464902, 'meat and egg': 525474, 'and egg price': 61979, 'egg price following': 269959, 'price following the': 673911, 'following the covid': 312879, '19 outbreak jayson': 9144, 'outbreak jayson lusk': 628397, 'understanding': 940855, 'necessarily': 553915, 'intention': 441147, 'assessment': 96381, 'delegate': 232835, 'authority': 103677, 'covi': 212534, 'your best': 1022945, 'best understanding': 127969, 'understanding isn': 940878, 'isn necessarily': 454594, 'necessarily my': 553926, 'my intention': 548872, 'intention whatever': 441154, 'whatever the': 982801, 'case personal': 165961, 'personal risk': 652952, 'risk assessment': 723393, 'assessment is': 96390, 'is something': 452103, 'something everyone': 784901, 'everyone must': 287193, 'must do': 546624, 'do and': 249062, 'not delegate': 568980, 'delegate to': 232836, 'to authority': 900844, 'authority supermarket': 103786, 'worker doctor': 1006795, 'doctor everyone': 250906, 'everyone and': 286693, 'doesn start': 251949, 'start and': 794194, 'with covi': 997835, 'your best understanding': 1022953, 'best understanding isn': 127970, 'understanding isn necessarily': 940879, 'isn necessarily my': 454595, 'necessarily my intention': 553927, 'my intention whatever': 548873, 'intention whatever the': 441155, 'whatever the case': 982802, 'the case personal': 850465, 'case personal risk': 165962, 'personal risk assessment': 652953, 'risk assessment is': 723394, 'assessment is something': 96391, 'is something everyone': 452107, 'something everyone must': 784903, 'everyone must do': 287194, 'must do and': 546625, 'do and not': 249071, 'and not delegate': 67727, 'not delegate to': 568981, 'delegate to authority': 232837, 'to authority supermarket': 900845, 'authority supermarket worker': 103787, 'supermarket worker doctor': 824012, 'worker doctor everyone': 1006796, 'doctor everyone and': 250907, 'everyone and it': 286698, 'and it doesn': 65515, 'it doesn start': 457642, 'doesn start and': 251950, 'start and end': 794196, 'and end with': 62116, 'end with covi': 276081, 'sanitise': 733887, 'cheflife': 175284, 'chefoninstagram': 175289, 'chefanand': 175276, 'should sanitise': 766431, 'sanitise their': 733897, 'hand frequently': 374953, 'frequently now': 332863, 'and always': 57993, 'always cheflife': 49515, 'cheflife chefoninstagram': 175285, 'chefoninstagram chefanand': 175290, 'chefanand sanitizer': 175277, 'sanitizer cleaning': 734660, 'cleaning chinesevirus': 180912, 'chinesevirus lockdown': 177444, 'everyone should sanitise': 287379, 'should sanitise their': 766432, 'sanitise their hand': 733898, 'their hand frequently': 873474, 'hand frequently now': 374955, 'frequently now and': 332864, 'now and always': 574025, 'and always cheflife': 57995, 'always cheflife chefoninstagram': 49516, 'cheflife chefoninstagram chefanand': 175286, 'chefoninstagram chefanand sanitizer': 175291, 'chefanand sanitizer cleaning': 175278, 'sanitizer cleaning chinesevirus': 734662, 'cleaning chinesevirus lockdown': 180913, 'dialysis': 240312, 'immunosuppressant': 417487, 'coll': 185899, 'doing the': 252712, 'the hour': 857577, 'sunday which': 818293, 'great really': 362941, 'really stuck': 702625, 'highest risk': 395854, 'risk group': 723585, 'group on': 366815, 'on dialysis': 600308, 'dialysis immunosuppressant': 240315, 'immunosuppressant can': 417488, 'get delivery': 346859, 'delivery or': 234275, 'click coll': 181892, 'are doing the': 85929, 'doing the hour': 252721, 'the hour on': 857583, 'hour on sunday': 405821, 'on sunday which': 603776, 'sunday which is': 818294, 'is great really': 448202, 'great really stuck': 362942, 'really stuck in': 702626, 'stuck in the': 814600, 'in the highest': 429267, 'the highest risk': 857350, 'highest risk group': 395857, 'risk group on': 723594, 'group on dialysis': 366816, 'on dialysis immunosuppressant': 600309, 'dialysis immunosuppressant can': 240316, 'immunosuppressant can get': 417489, 'can get delivery': 158413, 'get delivery or': 346866, 'delivery or even': 234283, 'even click coll': 283953, 'humble': 410809, 'request': 713136, 'waive': 964496, 'airindia': 39901, 'impossible': 419349, 'it humble': 458661, 'humble request': 410824, 'request to': 713207, 'to please': 911812, 'please direct': 659876, 'direct airline': 243281, 'airline to': 40047, 'to waive': 918279, 'waive cancellation': 964499, 'cancellation charge': 161009, 'charge amid': 173195, '19 my': 8716, 'my travel': 550425, 'travel is': 930411, 'is booked': 446217, 'booked through': 134672, 'through airindia': 894302, 'airindia it': 39902, 'it impossible': 458715, 'impossible to': 419394, 'to reach': 912786, 'reach on': 699956, 'on customer': 600192, 'even responding': 284528, 'to email': 905001, 'email the': 272333, 'consumer should': 198980, 'it humble request': 458662, 'humble request to': 410827, 'request to please': 713217, 'to please direct': 911814, 'please direct airline': 659877, 'direct airline to': 243282, 'airline to waive': 40051, 'to waive cancellation': 918280, 'waive cancellation charge': 964500, 'cancellation charge amid': 161010, 'charge amid covid': 173196, 'covid 19 my': 213459, '19 my travel': 8737, 'my travel is': 550427, 'travel is booked': 930412, 'is booked through': 446218, 'booked through airindia': 134673, 'through airindia it': 894303, 'airindia it impossible': 39903, 'it impossible to': 458717, 'impossible to reach': 419406, 'to reach on': 912803, 'reach on customer': 699957, 'on customer service': 600196, 'customer service and': 222816, 'service and they': 752112, 'and they are': 73889, 'they are not': 881342, 'are not even': 88363, 'not even responding': 569275, 'even responding to': 284529, 'responding to email': 715584, 'to email the': 905004, 'email the consumer': 272334, 'the consumer should': 851594, 'consumer should not': 198983, 'sanwo': 736660, 'olu': 598770, 'lagos': 478915, 'coronavirus sanwo': 206703, 'sanwo olu': 736661, 'olu order': 598771, 'order closure': 618138, 'all market': 43458, 'market store': 517127, 'in lagos': 424574, 'coronavirus sanwo olu': 206704, 'sanwo olu order': 736662, 'olu order closure': 598772, 'order closure of': 618139, 'of all market': 579959, 'all market store': 43461, 'market store in': 517129, 'store in lagos': 808330, 'sock': 781402, 'nyclockdown': 578080, 'weshouldhavebeenbetterprepared': 980444, 'hand up': 375895, 'you still': 1021397, 'still cannot': 800336, 'get toiletpaper': 348514, 'of sock': 589880, 'sock nyclockdown': 781407, 'nyclockdown weshouldhavebeenbetterprepared': 578083, 'weshouldhavebeenbetterprepared stayathome': 980445, 'hand up if': 375897, 'up if you': 945138, 'if you still': 415528, 'you still cannot': 1021400, 'still cannot get': 800339, 'cannot get toiletpaper': 161914, 'get toiletpaper and': 348515, 'toiletpaper and you': 921735, 'you are running': 1017219, 'are running out': 89768, 'out of sock': 626832, 'of sock nyclockdown': 589882, 'sock nyclockdown weshouldhavebeenbetterprepared': 781408, 'nyclockdown weshouldhavebeenbetterprepared stayathome': 578084, 'the logic': 859656, 'logic of': 500657, 'of suspending': 590545, 'suspending online': 829656, 'online delivery': 608078, 'delivery in': 234111, 'australia doesn': 103265, 'doesn that': 251966, 'mean more': 524551, 'people shopping': 649430, 'their supermarket': 874899, 'and spreading': 72151, 'spreading around': 790929, 'around and': 93193, 'are people': 89020, 'supermarket supposed': 823067, 'getting the logic': 349352, 'the logic of': 859658, 'logic of suspending': 500658, 'of suspending online': 590546, 'suspending online delivery': 829657, 'online delivery in': 608083, 'delivery in australia': 234114, 'in australia doesn': 420603, 'australia doesn that': 103266, 'doesn that mean': 251967, 'that mean more': 845114, 'mean more people': 524554, 'more people shopping': 540036, 'people shopping in': 649435, 'shopping in their': 762991, 'in their supermarket': 429781, 'their supermarket and': 874900, 'supermarket and spreading': 819069, 'and spreading around': 72154, 'spreading around and': 790930, 'around and what': 93203, 'and what are': 75449, 'what are people': 981063, 'are people who': 89057, 'people who cannot': 650271, 'who cannot get': 988422, 'cannot get to': 161913, 'get to supermarket': 348495, 'to supermarket supposed': 915843, 'supermarket supposed to': 823068, 'ebanks': 266410, 'exacerbated': 288661, 'injustice': 438724, 'experienced': 291551, 'suggests': 817676, 'ebanks point': 266411, 'point out': 662579, 'out that': 627317, 'ha exacerbated': 370538, 'exacerbated the': 288675, 'food injustice': 315048, 'injustice experienced': 438727, 'experienced by': 291564, 'by low': 153104, 'low income': 505342, 'income black': 432302, 'black community': 132036, 'community she': 190088, 'she suggests': 756368, 'suggests government': 817691, 'government follow': 360091, 'follow health': 312404, 'health department': 386371, 'department lead': 237222, 'lead by': 483266, 'by operating': 153447, 'operating virtual': 613111, 'virtual supermarket': 957801, 'ebanks point out': 266412, 'point out that': 662583, 'out that covid': 627320, '19 ha exacerbated': 7344, 'ha exacerbated the': 370539, 'exacerbated the food': 288676, 'the food injustice': 855562, 'food injustice experienced': 315049, 'injustice experienced by': 438728, 'experienced by low': 291566, 'by low income': 153105, 'low income black': 505344, 'income black community': 432303, 'black community she': 132037, 'community she suggests': 190089, 'she suggests government': 756369, 'suggests government follow': 817692, 'government follow health': 360092, 'follow health department': 312405, 'health department lead': 386373, 'department lead by': 237223, 'lead by operating': 483267, 'by operating virtual': 153448, 'operating virtual supermarket': 613112, 'mayor': 521932, 'jerry': 465179, 'demings': 236646, 'flatten': 310124, 'mayor jerry': 521968, 'jerry demings': 465180, 'demings announces': 236647, 'announces stay': 77293, 'home order': 401760, 'for resident': 325145, 'help flatten': 389729, 'flatten the': 310127, 'curve amid': 221826, 'outbreak exception': 628207, 'exception travel': 289289, 'work grocery': 1005218, 'store pharmacy': 809531, 'pharmacy order': 654406, 'order go': 618268, 'go into': 353732, 'into effect': 442535, 'effect thursday': 269138, 'thursday march': 895397, 'march 26': 515210, '26 at': 16150, 'at 11': 97434, 'mayor jerry demings': 521969, 'jerry demings announces': 465181, 'demings announces stay': 236648, 'announces stay at': 77294, 'at home order': 99070, 'home order for': 401772, 'order for resident': 618241, 'for resident to': 325148, 'resident to help': 714381, 'to help flatten': 907518, 'help flatten the': 389730, 'flatten the curve': 310129, 'the curve amid': 852683, 'curve amid outbreak': 221827, 'amid outbreak exception': 52558, 'outbreak exception travel': 628208, 'exception travel to': 289290, 'travel to work': 930544, 'to work grocery': 918729, 'work grocery store': 1005220, 'grocery store pharmacy': 365656, 'store pharmacy order': 809545, 'pharmacy order go': 654407, 'order go into': 618269, 'go into effect': 353744, 'into effect thursday': 442536, 'effect thursday march': 269140, 'thursday march 26': 895399, 'march 26 at': 515212, '26 at 11': 16151, 'be vulnerable': 118029, 'vulnerable to': 961210, 'scammer while': 740650, 'while online': 987106, 'shopping here': 762882, 'look out': 502562, 'might be vulnerable': 530936, 'be vulnerable to': 118031, 'vulnerable to scammer': 961228, 'to scammer while': 913874, 'scammer while online': 740651, 'while online shopping': 987107, 'online shopping here': 609144, 'shopping here what': 762887, 'here what to': 393823, 'what to look': 982460, 'to look out': 909440, 'look out for': 502563, 'everyone please': 287280, 'please only': 660257, 'only buy': 610200, 'need stophoarding': 555653, 'everyone please only': 287285, 'please only buy': 660258, 'only buy what': 610206, 'you need stophoarding': 1020044, 'need stophoarding coronacrisis': 555655, 'teen': 836466, 'filmed': 305719, 'virginia': 957653, 'stunt': 815321, 'disturbing': 248406, 'cop': 203252, 'explain': 292096, 'group of': 366781, 'of teen': 590634, 'teen filmed': 836494, 'filmed themselves': 305729, 'themselves coughing': 876794, 'coughing on': 208712, 'on produce': 602939, 'at virginia': 101454, 'virginia grocery': 957669, 'then posted': 877435, 'posted the': 666577, 'the stunt': 868341, 'stunt to': 815326, 'to social': 914821, 'medium disturbing': 527077, 'disturbing trend': 248425, 'trend amid': 931258, 'the cop': 851723, 'cop urge': 203283, 'urge parent': 948205, 'parent to': 641747, 'talk with': 833919, 'your child': 1023194, 'child and': 175993, 'and explain': 62510, 'explain to': 292123, 'to them': 917284, 'them why': 876629, 'why such': 991385, 'such behavior': 816361, 'behavior is': 124093, 'group of teen': 366804, 'of teen filmed': 590635, 'teen filmed themselves': 836495, 'filmed themselves coughing': 305730, 'themselves coughing on': 876795, 'coughing on produce': 208722, 'on produce at': 602941, 'produce at virginia': 680201, 'at virginia grocery': 101455, 'virginia grocery store': 957670, 'and then posted': 73792, 'then posted the': 877436, 'posted the stunt': 666579, 'the stunt to': 868342, 'stunt to social': 815327, 'to social medium': 914826, 'social medium disturbing': 779845, 'medium disturbing trend': 527078, 'disturbing trend amid': 248427, 'trend amid the': 931259, 'the pandemic the': 863121, 'pandemic the cop': 636672, 'the cop urge': 851725, 'cop urge parent': 203284, 'urge parent to': 948206, 'parent to talk': 641753, 'to talk with': 916291, 'talk with your': 833927, 'with your child': 1002182, 'your child and': 1023195, 'child and explain': 175996, 'and explain to': 62511, 'explain to them': 292127, 'to them why': 917320, 'them why such': 876632, 'why such behavior': 991386, 'such behavior is': 816362, 'behavior is wrong': 124105, 'new normal': 559145, 'normal for': 567150, 'new normal for': 559152, 'normal for consumer': 567151, 'for consumer confidence': 320245, 'identical': 413306, 'trophy': 932564, 'cleveland': 181838, 'brown': 141223, 'these grocery': 880078, 'looking identical': 502932, 'identical to': 413313, 'the trophy': 870019, 'trophy case': 932568, 'the cleveland': 851008, 'cleveland brown': 181843, 'brown empty': 141236, 'these grocery store': 880079, 'grocery store shelf': 365764, 'shelf are looking': 756812, 'are looking identical': 87885, 'looking identical to': 502933, 'identical to the': 413314, 'to the trophy': 917142, 'the trophy case': 870020, 'trophy case of': 932569, 'case of the': 165929, 'of the cleveland': 590866, 'the cleveland brown': 851009, 'cleveland brown empty': 181844, 'so long': 777578, 'long that': 501722, 'that shutting': 846309, 'down other': 257062, 'other business': 619908, 'business not': 144103, 'not on': 570745, 'is madness': 449512, 'madness you': 508221, 'are more': 88105, 'more likely': 539695, 'supermarket selling': 822380, 'selling fresh': 749261, 'fresh produce': 333042, 'produce than': 680448, 'than anywhere': 840363, 'anywhere else': 81100, 'else the': 271907, 'ha lost': 371184, 'lost it': 503873, 'it mind': 459627, 'this list is': 888659, 'list is so': 494381, 'is so long': 452022, 'so long that': 777586, 'long that shutting': 501723, 'that shutting down': 846310, 'shutting down other': 768272, 'down other business': 257063, 'other business not': 619915, 'business not on': 144107, 'not on this': 570754, 'on this list': 604616, 'list is madness': 494380, 'is madness you': 449514, 'madness you are': 508222, 'you are more': 1017172, 'are more likely': 88117, 'more likely to': 539697, 'likely to get': 492156, 'to get covid': 906451, '19 in supermarket': 7786, 'in supermarket selling': 428665, 'supermarket selling fresh': 822381, 'selling fresh produce': 749263, 'fresh produce than': 333064, 'produce than anywhere': 680449, 'than anywhere else': 840364, 'anywhere else the': 81105, 'else the world': 271912, 'world ha lost': 1009613, 'ha lost it': 371187, 'lost it mind': 503877, 'used': 949855, 'knowledge': 477165, 'impending': 418308, 'plummeted': 661317, 'stockmarket': 803641, 'ussenate': 950865, 'senator are': 749734, 'are under': 91274, 'under scrutiny': 940238, 'scrutiny over': 742951, 'over claim': 630085, 'claim they': 179840, 'they used': 883621, 'used insider': 949948, 'insider knowledge': 439471, 'knowledge about': 477166, 'the impending': 857952, 'impending coronavirus': 418312, 'sell share': 748876, 'share before': 754947, 'price plummeted': 675910, 'plummeted usa': 661358, 'usa politics': 948718, 'politics stockmarket': 663801, 'stockmarket ussenate': 803677, 'senator are under': 749736, 'are under scrutiny': 91283, 'under scrutiny over': 940240, 'scrutiny over claim': 742952, 'over claim they': 630087, 'claim they used': 179841, 'they used insider': 883623, 'used insider knowledge': 949949, 'insider knowledge about': 439472, 'knowledge about the': 477168, 'about the impending': 26419, 'the impending coronavirus': 857954, 'impending coronavirus crisis': 418313, 'coronavirus crisis to': 205774, 'crisis to sell': 218255, 'to sell share': 914173, 'sell share before': 748877, 'share before price': 754948, 'before price plummeted': 123024, 'price plummeted usa': 675915, 'plummeted usa politics': 661359, 'usa politics stockmarket': 948719, 'politics stockmarket ussenate': 663802, 'bizstrongarlva': 131984, 'business security': 144352, 'tip beware': 898725, '19 phishing': 9674, 'scam for': 740164, 'information visit': 438027, 'visit bizstrongarlva': 959197, 'business security tip': 144353, 'security tip beware': 744777, 'tip beware of': 898726, 'beware of covid': 129076, 'covid 19 phishing': 213577, '19 phishing scam': 9675, 'phishing scam for': 654834, 'scam for more': 740165, 'for more information': 323582, 'more information visit': 539596, 'information visit bizstrongarlva': 438028, 'is well': 453839, 'deserved thank': 238162, 'employee working': 274464, 'this is well': 888462, 'is well deserved': 453842, 'well deserved thank': 978155, 'deserved thank you': 238163, 'you to all': 1021746, 'all the grocery': 44772, 'store employee working': 807578, 'employee working hard': 274466, 'working hard to': 1008688, 'hard to keep': 378070, 'copper': 203422, 'import': 418608, '19 copper': 6039, 'copper import': 203427, 'import to': 418680, 'shoot up': 759750, 'on falling': 600724, 'falling global': 297277, 'price via': 677303, 'covid 19 copper': 212862, '19 copper import': 6040, 'copper import to': 203428, 'import to shoot': 418682, 'to shoot up': 914443, 'shoot up on': 759753, 'up on falling': 945559, 'on falling global': 600725, 'falling global price': 297279, 'global price via': 352142, 'that this': 846979, 'this may': 888786, 'be challenging': 114047, 'for individual': 322547, 'individual and': 435127, 'family so': 298233, 've put': 953458, 'together specific': 920943, 'specific loan': 788228, 'loan program': 497512, 'program to': 683304, 'provide some': 686482, 'some relief': 783722, 'relief consumer': 709312, 'loan payment': 497493, 'payment deferral': 645590, 'deferral program': 232183, 'program real': 683288, 'estate payment': 282168, 'program more': 683271, 'info here': 437489, 'we understand that': 973590, 'understand that this': 940737, 'that this may': 846998, 'this may be': 888787, 'may be challenging': 520958, 'be challenging time': 114048, 'challenging time for': 171637, 'time for individual': 896716, 'for individual and': 322548, 'individual and their': 435135, 'and their family': 73687, 'their family so': 873268, 'family so we': 298234, 'so we ve': 778688, 'we ve put': 973699, 've put together': 953462, 'put together specific': 690948, 'together specific loan': 920944, 'specific loan program': 788229, 'loan program to': 497513, 'program to provide': 683308, 'to provide some': 912435, 'provide some relief': 686485, 'some relief consumer': 783724, 'relief consumer loan': 709313, 'consumer loan payment': 198064, 'loan payment deferral': 497494, 'payment deferral program': 645591, 'deferral program real': 232185, 'program real estate': 683289, 'real estate payment': 701159, 'estate payment deferral': 282169, 'deferral program more': 232184, 'program more info': 683272, 'more info here': 539555, 'tweeted': 936432, 'sanction': 733610, 'contributed': 201892, 'creation': 216107, 'takeover': 833204, 'deliberate': 232940, 'systemic': 831411, 'january tweeted': 464690, 'tweeted that': 936450, 'that trump': 847134, 'trump trade': 933937, 'trade war': 928602, 'war and': 966352, 'and economic': 61897, 'economic sanction': 267262, 'sanction caused': 733620, 'caused food': 167885, 'shortage panic': 765158, 'and desperation': 61262, 'desperation which': 238620, 'which directly': 985819, 'directly contributed': 243531, 'contributed to': 201893, 'the creation': 852308, 'creation of': 216114, 'it eventual': 457862, 'eventual takeover': 285137, 'takeover of': 833211, 'chain this': 171185, 'wa deliberate': 961937, 'deliberate systemic': 232945, 'systemic and': 831412, 'and had': 64094, 'had deadly': 373009, 'deadly consequence': 229256, 'in january tweeted': 424365, 'january tweeted that': 464691, 'tweeted that trump': 936454, 'that trump trade': 847140, 'trump trade war': 933938, 'trade war and': 928603, 'war and economic': 966357, 'and economic sanction': 61908, 'economic sanction caused': 267263, 'sanction caused food': 733621, 'caused food shortage': 167887, 'food shortage panic': 316595, 'shortage panic and': 765159, 'panic and desperation': 637308, 'and desperation which': 61263, 'desperation which directly': 238621, 'which directly contributed': 985820, 'directly contributed to': 243532, 'contributed to the': 201895, 'to the creation': 916611, 'the creation of': 852309, 'creation of and': 216115, 'of and it': 580165, 'and it eventual': 65523, 'it eventual takeover': 457863, 'eventual takeover of': 285138, 'takeover of the': 833212, 'of the supply': 591512, 'supply chain this': 825052, 'chain this wa': 171186, 'this wa deliberate': 891058, 'wa deliberate systemic': 961938, 'deliberate systemic and': 232946, 'systemic and had': 831413, 'and had deadly': 64097, 'had deadly consequence': 373010, 'bbc': 113064, 'bbc news': 113087, 'news uk': 560917, 'uk pub': 938652, 'and restaurant': 70364, 'restaurant must': 716584, 'fight virus': 304934, 'virus more': 958507, 'people go': 648077, 'supermarket ffs': 820305, 'bbc news uk': 113099, 'news uk pub': 560920, 'uk pub and': 938653, 'pub and restaurant': 687662, 'and restaurant must': 70387, 'restaurant must close': 716585, 'must close to': 546589, 'close to fight': 182894, 'to fight virus': 905815, 'fight virus more': 304937, 'virus more people': 958509, 'more people go': 540022, 'people go to': 648089, 'the supermarket ffs': 868591, 'formula': 329688, 'now told': 576200, 'that adult': 842503, 'adult are': 32799, 'buying baby': 149979, 'baby formula': 106615, 'formula wipe': 329731, 'themselves wtf': 876948, 'wtf you': 1013345, 'taking food': 833364, 'food item': 315186, 'item from': 463280, 'from baby': 334618, 'baby panicbuying': 106680, 'so now told': 777909, 'now told that': 576202, 'told that adult': 923694, 'that adult are': 842504, 'adult are buying': 32800, 'are buying baby': 85115, 'buying baby formula': 149981, 'baby formula wipe': 106623, 'formula wipe to': 329732, 'wipe to stock': 996397, 'to stock for': 915435, 'stock for themselves': 802177, 'for themselves wtf': 326949, 'themselves wtf you': 876950, 'wtf you are': 1013346, 'you are taking': 1017251, 'are taking food': 90720, 'taking food item': 833366, 'food item from': 315208, 'item from baby': 463281, 'from baby panicbuying': 334619, 'concerning': 193237, 'severity': 754122, 'deter': 239381, 'is concerning': 446727, 'concerning that': 193247, 'that retail': 846033, 'retail employee': 718066, 'employee are': 273600, 'work amidst': 1004745, 'the severity': 866753, 'severity of': 754126, '19 reduced': 10017, 'reduced hour': 706092, 'hour will': 406098, 'not deter': 569008, 'deter from': 239382, 'from virus': 338248, 'virus spreading': 958795, 'spreading only': 791018, 'one person': 606854, 'person coming': 652363, 'coming in': 188083, 'covid can': 214131, 'all employee': 42677, 'working well': 1009038, 'well customer': 978130, 'it is concerning': 458911, 'is concerning that': 446728, 'concerning that retail': 193248, 'that retail employee': 846035, 'retail employee are': 718068, 'employee are forced': 273615, 'forced to work': 328669, 'to work amidst': 918682, 'work amidst the': 1004746, 'amidst the severity': 52834, 'the severity of': 866755, 'severity of covid': 754129, 'covid 19 reduced': 213671, '19 reduced hour': 10019, 'reduced hour will': 706098, 'hour will not': 406101, 'will not deter': 994206, 'not deter from': 569009, 'deter from virus': 239383, 'from virus spreading': 338251, 'virus spreading only': 958797, 'spreading only one': 791019, 'only one person': 610884, 'one person coming': 606857, 'person coming in': 652365, 'coming in with': 188103, 'in with covid': 430938, 'with covid can': 997838, 'covid can affect': 214132, 'can affect all': 157389, 'affect all employee': 34110, 'all employee working': 42684, 'employee working well': 274469, 'working well customer': 1009040, 'embrace': 272482, 'bean': 118280, 'schoolsclosure': 742044, 'wereinthistogether': 980380, 'stopfakenews': 805332, 'embrace this': 272493, 'this bonus': 886591, 'bonus time': 134406, 'time with': 898350, 'child say': 176196, 'say give': 738675, 'give it': 350544, 'it some': 461164, 'some bean': 782392, 'bean if': 118330, 'the panicbuyers': 863232, 'panicbuyers have': 638859, 'have left': 381289, 'left any': 485385, 'any schoolsclosure': 79776, 'schoolsclosure lockdownuk': 742045, 'lockdownuk schoolclosureuk': 500427, 'schoolclosureuk wereinthistogether': 742024, 'wereinthistogether stoppanicbuying': 980389, 'stoppanicbuying stopfakenews': 805629, 'embrace this bonus': 272494, 'this bonus time': 886592, 'bonus time with': 134407, 'time with the': 898359, 'with the child': 1001231, 'the child say': 850825, 'child say give': 176197, 'say give it': 738677, 'give it some': 350550, 'it some bean': 461165, 'some bean if': 782393, 'bean if the': 118331, 'if the panicbuyers': 415012, 'the panicbuyers have': 863234, 'panicbuyers have left': 638860, 'have left any': 381290, 'left any schoolsclosure': 485386, 'any schoolsclosure lockdownuk': 79777, 'schoolsclosure lockdownuk schoolclosureuk': 742046, 'lockdownuk schoolclosureuk wereinthistogether': 500428, 'schoolclosureuk wereinthistogether stoppanicbuying': 742025, 'wereinthistogether stoppanicbuying stopfakenews': 980390, 'silicon': 769723, 'tanking': 834249, 'stevejobs': 799966, 'since when': 770992, 'when did': 983336, 'did facebook': 240602, 'facebook other': 294981, 'other social': 620937, 'medium platform': 527223, 'platform finally': 658959, 'finally learn': 306049, 'learn about': 483928, 'about covid': 25040, '19 like': 8324, 'like 10': 489677, '10 second': 1671, 'second ago': 743654, 'ago these': 38499, 'these guy': 880086, 'guy only': 369102, 'only care': 610221, 'care what': 164259, 'what go': 981502, 'go on': 353874, 'in silicon': 427956, 'silicon valley': 769726, 'valley their': 951990, 'are tanking': 90746, 'tanking stevejobs': 834263, 'stevejobs co': 799967, 'since when did': 770993, 'when did facebook': 983337, 'did facebook other': 240603, 'facebook other social': 294982, 'other social medium': 620939, 'social medium platform': 779874, 'medium platform finally': 527225, 'platform finally learn': 658960, 'finally learn about': 306050, 'learn about covid': 483931, 'about covid 19': 25041, 'covid 19 like': 213354, '19 like 10': 8325, 'like 10 second': 489680, '10 second ago': 1673, 'second ago these': 743655, 'ago these guy': 38500, 'these guy only': 880092, 'guy only care': 369103, 'only care what': 610223, 'care what go': 164260, 'what go on': 981505, 'go on in': 353884, 'on in silicon': 601534, 'in silicon valley': 427957, 'silicon valley their': 769727, 'valley their stock': 951991, 'their stock price': 874834, 'stock price which': 802760, 'price which are': 677505, 'which are tanking': 985697, 'are tanking stevejobs': 90748, 'tanking stevejobs co': 834264, 'sort': 786108, 'thuggish': 895289, 'endure': 276291, 'drayton': 258548, 'diverse': 248519, 'the sort': 867489, 'sort of': 786115, 'of thuggish': 592153, 'thuggish behaviour': 895290, 'behaviour supermarket': 124528, 'are having': 87026, 'to endure': 905098, 'endure this': 276314, 'wa west': 963691, 'west drayton': 980491, 'drayton london': 258549, 'london london': 501123, 'is diverse': 447253, 'is the sort': 452944, 'the sort of': 867490, 'sort of thuggish': 786143, 'of thuggish behaviour': 592154, 'thuggish behaviour supermarket': 895291, 'behaviour supermarket staff': 124529, 'supermarket staff are': 822812, 'staff are having': 792191, 'are having to': 87043, 'having to endure': 384346, 'to endure this': 905106, 'endure this wa': 276315, 'this wa west': 891097, 'wa west drayton': 963692, 'west drayton london': 980492, 'drayton london london': 258550, 'london london is': 501124, 'london is diverse': 501100, 'plcb': 659525, 'liquor': 494163, 'randomly': 696634, 'the plcb': 863834, 'plcb is': 659528, 'is allowing': 445486, 'allowing some': 46336, 'online sale': 608910, 'sale of': 732380, 'of wine': 593175, 'and liquor': 66213, 'liquor from': 494170, 'from it': 336104, 'website but': 975227, 'be limited': 115757, 'limited the': 492744, 'website will': 975484, 'only be': 610145, 'be available': 113749, 'available randomly': 104566, 'randomly and': 696635, 'the quantity': 864955, 'quantity and': 691908, 'and number': 67878, 'of purchase': 588603, 'purchase will': 689727, 'the plcb is': 863835, 'plcb is allowing': 659529, 'is allowing some': 445489, 'allowing some online': 46337, 'some online sale': 783444, 'online sale of': 608920, 'sale of wine': 732413, 'of wine and': 593177, 'wine and liquor': 995767, 'and liquor from': 66215, 'liquor from it': 494171, 'from it website': 336132, 'it website but': 462290, 'website but it': 975228, 'but it will': 146180, 'will be limited': 992538, 'be limited the': 115759, 'limited the website': 492749, 'the website will': 871285, 'website will only': 975485, 'will only be': 994327, 'only be available': 610148, 'be available randomly': 113762, 'available randomly and': 104567, 'randomly and the': 696636, 'and the quantity': 73535, 'the quantity and': 864956, 'quantity and number': 691909, 'and number of': 67881, 'number of purchase': 576981, 'of purchase will': 588604, 'purchase will be': 689728, 'ajimal': 40456, 'kal': 470690, 'booking': 134702, 'ajimal hi': 40457, 'hi kal': 394688, 'kal if': 470691, 'have booking': 379819, 'booking and': 134709, 'and would': 75925, 'look into': 502429, 'into why': 443294, 're seeing': 699447, 'increase we': 433146, 'are happy': 87008, 'this please': 889613, 'please let': 660175, 'let know': 486853, 'also see': 48836, 'see more': 745423, 'price here': 674504, 'ajimal hi kal': 40458, 'hi kal if': 394689, 'kal if you': 470692, 'if you have': 415451, 'you have booking': 1019019, 'have booking and': 379820, 'booking and would': 134712, 'and would like': 75930, 'like to look': 491606, 'to look into': 909438, 'look into why': 502440, 'into why you': 443295, 'why you re': 991597, 'you re seeing': 1020736, 're seeing price': 699462, 'seeing price increase': 746429, 'price increase we': 674793, 'increase we are': 433147, 'we are happy': 970584, 'are happy to': 87010, 'happy to do': 377710, 'do this please': 250363, 'this please let': 889617, 'please let know': 660182, 'let know you': 486864, 'know you can': 477082, 'can also see': 157468, 'also see more': 48840, 'see more information': 745429, 'information on our': 437920, 'on our price': 602621, 'our price here': 624446, 'inconsiderate': 432555, 'dozen': 257863, 'inconvenience': 432585, 'missing': 534277, 'customer will': 223092, 'be mean': 115919, 'mean or': 524596, 'or inconsiderate': 615774, 'inconsiderate dozen': 432562, 'dozen of': 257888, 'of time': 592164, 'time day': 896533, 'day upset': 228639, 'upset about': 947795, 'the inconvenience': 858057, 'inconvenience of': 432590, 'new rule': 559517, 'rule or': 727313, 'or angry': 614321, 'angry about': 76450, 'about missing': 25737, 'missing product': 534320, 'or long': 615998, 'long wait': 501809, 'wait to': 964222, 'get in': 347287, 'in loblaws': 424814, 'customer will be': 223093, 'will be mean': 992553, 'be mean or': 115921, 'mean or inconsiderate': 524597, 'or inconsiderate dozen': 615775, 'inconsiderate dozen of': 432563, 'dozen of time': 257899, 'of time day': 592170, 'time day upset': 896542, 'day upset about': 228640, 'upset about the': 947798, 'about the inconvenience': 26421, 'the inconvenience of': 858058, 'inconvenience of the': 432591, 'of the new': 591270, 'the new rule': 861552, 'new rule or': 559525, 'rule or angry': 727314, 'or angry about': 614322, 'angry about missing': 76451, 'about missing product': 25738, 'missing product or': 534321, 'product or long': 681494, 'or long wait': 616000, 'long wait to': 501812, 'wait to get': 964227, 'to get in': 906505, 'get in loblaws': 347300, '120': 3002, 'australia australia': 103234, 'australia ha': 103290, 'ha 14': 369399, '14 gun': 3478, 'gun per': 368713, 'per 100': 650669, '100 person': 2029, 'person usa': 652677, 'ha 120': 369396, '120 gun': 3011, 'person thanks': 652630, 'the american': 848622, 'american are': 51792, 'just hoarding': 468975, 'and toiletpaper': 74239, 'toiletpaper they': 922606, 're also': 698260, 'also stockpiling': 48910, 'stockpiling gun': 803980, 'ammo think': 52915, 'this is in': 888290, 'is in australia': 448752, 'in australia australia': 420599, 'australia australia ha': 103235, 'australia ha 14': 103291, 'ha 14 gun': 369400, '14 gun per': 3479, 'gun per 100': 368714, 'per 100 person': 650670, '100 person usa': 2033, 'person usa ha': 652678, 'usa ha 120': 948656, 'ha 120 gun': 369397, '120 gun per': 3012, '100 person thanks': 2032, 'person thanks to': 652631, 'thanks to the': 842266, 'to the american': 916488, 'the american are': 848625, 'american are not': 51809, 'are not just': 88405, 'not just hoarding': 570227, 'just hoarding food': 468976, 'food and toiletpaper': 313365, 'and toiletpaper they': 74246, 'toiletpaper they re': 922610, 'they re also': 882994, 're also stockpiling': 698271, 'also stockpiling gun': 48911, 'stockpiling gun ammo': 803981, 'gun ammo think': 368682, 'ammo think people': 52916, 'sydneyproperty': 830735, 'property price': 684321, '19 sydneyproperty': 11009, 'sydneyproperty via': 830736, 'property price during': 684327, 'price during covid': 673617, 'covid 19 sydneyproperty': 213904, '19 sydneyproperty via': 11010, 'beauty': 118737, 'sometimes standing': 785233, 'queue is': 693970, 'an opportunity': 56667, 'observe beauty': 578575, 'beauty socialdistancing': 118791, 'sometimes standing in': 785234, 'standing in supermarket': 793780, 'in supermarket queue': 428653, 'supermarket queue is': 822124, 'queue is an': 693971, 'is an opportunity': 445687, 'an opportunity to': 56676, 'opportunity to observe': 613714, 'to observe beauty': 910791, 'observe beauty socialdistancing': 578576, 'russian': 728608, 'ruble': 727013, 'putin': 691001, 'speech': 788381, 'the russian': 866092, 'russian ruble': 728668, 'ruble which': 727015, 'which had': 985903, 'had hard': 373165, 'hard time': 378026, 'time due': 896587, 'the epidemic': 854425, 'epidemic fell': 279369, 'fell after': 303159, 'after putin': 36097, 'putin speech': 691054, 'speech that': 788400, 'that he': 844250, 'he announced': 384746, 'the measure': 860366, 'the russian ruble': 866103, 'russian ruble which': 728669, 'ruble which had': 727016, 'which had hard': 985905, 'had hard time': 373166, 'hard time due': 378032, 'time due to': 896588, 'to the drop': 916655, 'and the epidemic': 73349, 'the epidemic fell': 854436, 'epidemic fell after': 279370, 'fell after putin': 303162, 'after putin speech': 36098, 'putin speech that': 691055, 'speech that he': 788401, 'that he announced': 844252, 'he announced the': 384748, 'announced the measure': 77082, 'matabichos': 520259, 'exposure': 292951, 'vocs': 959915, 'matabichos we': 520260, 'store at': 806570, 'stand in': 793526, 'large crowd': 479631, 'crowd for': 219158, 'for hour': 322384, 'hour right': 405893, 'now because': 574210, 'because that': 119598, 'would put': 1012139, 'put vulnerable': 690975, 'people at': 647167, 'risk silly': 723879, 'silly fucking': 769754, 'fucking idiot': 339910, 'idiot every': 413501, 'every person': 286095, 'person is': 652499, 'of exposure': 583334, 'exposure to': 293002, 'to vocs': 918225, 'matabichos we re': 520261, 'we re not': 972924, 're not all': 699073, 'not all going': 568108, 'grocery store at': 365222, 'store at the': 806594, 'same time to': 733372, 'time to stand': 898072, 'to stand in': 915159, 'stand in large': 793530, 'in large crowd': 424584, 'large crowd for': 479633, 'crowd for hour': 219159, 'for hour right': 322401, 'hour right now': 405894, 'right now because': 722032, 'now because that': 574214, 'because that would': 119608, 'that would put': 847687, 'would put vulnerable': 1012143, 'put vulnerable people': 690977, 'vulnerable people at': 961081, 'people at risk': 647180, 'at risk silly': 100397, 'risk silly fucking': 723880, 'silly fucking idiot': 769755, 'fucking idiot every': 339912, 'idiot every person': 413502, 'every person is': 286099, 'person is at': 652500, 'is at risk': 445873, 'risk of exposure': 723746, 'of exposure to': 583337, 'exposure to vocs': 293017, 'scammer have': 740583, 'been taking': 122131, 'fear surrounding': 301346, 'the here': 857285, 'are few': 86527, 'few tip': 304111, 'them scammer': 876246, 'scammer at': 740551, 'at bay': 98095, 'scammer have been': 740584, 'have been taking': 379710, 'been taking advantage': 122132, 'advantage of fear': 33004, 'of fear surrounding': 583462, 'fear surrounding the': 301353, 'surrounding the here': 828770, 'the here are': 857287, 'here are few': 392739, 'are few tip': 86538, 'few tip to': 304113, 'tip to keep': 898931, 'keep them scammer': 472116, 'them scammer at': 876247, 'scammer at bay': 740552, 'puregold': 689997, 'disinfecting': 245834, 'two hour': 936958, 'hour at': 405437, 'grocery have': 364582, 'not seen': 571503, 'seen any': 746939, 'any puregold': 79713, 'puregold supermarket': 689998, 'staff disinfecting': 792373, 'disinfecting the': 245885, 'the shopping': 867056, 'shopping cart': 762292, 'cart and': 165243, 'and basket': 58730, 'basket how': 112346, 'we battle': 970811, 'battle covid': 112790, 'the place': 863765, 'place necessary': 657587, 'necessary for': 553987, 'for to': 327211, 'to live': 909334, 'live do': 495788, 'not follow': 569459, 'follow disinfecting': 312371, 'disinfecting practice': 245870, 'in my two': 425640, 'my two hour': 550451, 'two hour at': 936959, 'hour at the': 405444, 'the grocery have': 856810, 'grocery have not': 364585, 'have not seen': 381695, 'not seen any': 571504, 'seen any puregold': 746944, 'any puregold supermarket': 79714, 'puregold supermarket staff': 689999, 'supermarket staff disinfecting': 822835, 'staff disinfecting the': 792374, 'disinfecting the shopping': 245886, 'the shopping cart': 867057, 'shopping cart and': 762293, 'cart and basket': 165244, 'and basket how': 58733, 'basket how can': 112347, 'can we battle': 160161, 'we battle covid': 970812, 'battle covid 19': 112791, '19 if the': 7663, 'if the place': 415018, 'the place necessary': 863770, 'place necessary for': 657588, 'necessary for to': 553995, 'for to live': 327225, 'to live do': 909338, 'live do not': 495789, 'do not follow': 249738, 'not follow disinfecting': 569460, 'follow disinfecting practice': 312372, 'somewhere': 785287, 'california governor': 155506, 'governor just': 360932, 'just announced': 468188, 'announced stay': 77044, 'order please': 618519, 'please stay': 660542, 'home unless': 402394, 'have somewhere': 382657, 'somewhere essential': 785295, 'go like': 353800, 'like going': 490318, 'see doctor': 745052, 'or to': 617464, 'the bank': 849231, 'bank lockdown': 109987, 'lockdown california': 499223, 'california governor just': 155510, 'governor just announced': 360933, 'just announced stay': 468194, 'announced stay at': 77045, 'home order please': 401783, 'order please stay': 618521, 'please stay home': 660548, 'stay home unless': 797018, 'home unless you': 402399, 'you have somewhere': 1019115, 'have somewhere essential': 382658, 'somewhere essential to': 785296, 'essential to go': 281699, 'to go like': 906818, 'go like going': 353801, 'like going to': 490322, 'going to see': 355699, 'to see doctor': 914000, 'see doctor to': 745056, 'doctor to work': 251142, 'to work to': 918796, 'work to the': 1005907, 'store or to': 809377, 'or to the': 617482, 'to the bank': 916507, 'the bank lockdown': 849248, 'bank lockdown california': 109988, 'admit': 32587, 'closet': 183545, 'cleaned': 180703, 'keto': 473180, 'sad': 729145, 'admit it': 32600, 'did some': 240810, 'some panic': 783494, 'buying tonight': 151252, 'tonight but': 924385, 'only because': 610157, 'my closet': 547708, 'closet are': 183548, 'are bare': 84762, 'bare cleaned': 110884, 'cleaned out': 180718, 'out all': 625598, 'my food': 548377, 'went keto': 979054, 'keto they': 473187, 'they only': 882819, 'only gave': 610498, 'gave me': 344638, 'me few': 522725, 'there only': 878898, 'only me': 610773, 'house and': 406171, 'll see': 496988, 'see where': 746057, 'where thing': 985290, 'thing go': 884362, 'go these': 354227, 'are very': 91454, 'very sad': 955483, 'sad time': 729267, 'admit it did': 32602, 'it did some': 457533, 'did some panic': 240815, 'some panic buying': 783495, 'panic buying tonight': 637941, 'buying tonight but': 151253, 'tonight but only': 924387, 'but only because': 146684, 'only because my': 610158, 'because my closet': 119257, 'my closet are': 547709, 'closet are bare': 183549, 'are bare cleaned': 84768, 'bare cleaned out': 110885, 'cleaned out all': 180721, 'out all my': 625602, 'all my food': 43556, 'my food when': 548392, 'food when went': 317574, 'when went keto': 984488, 'went keto they': 979056, 'keto they only': 473188, 'they only gave': 882821, 'only gave me': 610501, 'gave me few': 344640, 'me few week': 522727, 'few week there': 304169, 'week there only': 977027, 'there only me': 878899, 'only me in': 610774, 'me in the': 522978, 'in the house': 429274, 'the house and': 857592, 'house and we': 406187, 'we ll see': 972277, 'll see where': 497000, 'see where thing': 746058, 'where thing go': 985291, 'thing go these': 884366, 'go these are': 354228, 'these are very': 879644, 'are very sad': 91477, 'very sad time': 955493, 'superpower': 824305, 'drying': 261335, 'hip': 396937, 'usacoronavirus': 948809, 'wonhoisback': 1004229, 'onedirectionsave2020': 607545, 'state is': 795691, 'world superpower': 1010025, 'superpower but': 824306, 'afford toiletpaper': 34813, 'toiletpaper american': 921713, 'american answer': 51787, 'answer do': 78040, 'you stay': 1021367, 'alive without': 41853, 'without drying': 1002603, 'drying your': 261343, 'your hip': 1024322, 'hip usacoronavirus': 396940, 'usacoronavirus 19': 948810, '19 chinesevirus': 5801, 'chinesevirus wonhoisback': 177455, 'wonhoisback onedirectionsave2020': 1004230, 'united state is': 942225, 'state is the': 795708, 'is the world': 452979, 'the world superpower': 871977, 'world superpower but': 1010026, 'superpower but it': 824307, 'but it cannot': 146108, 'it cannot afford': 457047, 'cannot afford toiletpaper': 161619, 'afford toiletpaper american': 34814, 'toiletpaper american answer': 921714, 'american answer do': 51789, 'answer do you': 78041, 'do you stay': 250681, 'you stay alive': 1021368, 'stay alive without': 796764, 'alive without drying': 41855, 'without drying your': 1002604, 'drying your hip': 261344, 'your hip usacoronavirus': 1024323, 'hip usacoronavirus 19': 396941, 'usacoronavirus 19 chinesevirus': 948811, '19 chinesevirus wonhoisback': 5803, 'chinesevirus wonhoisback onedirectionsave2020': 177456, 'dramatic': 258264, 'ensuring': 278165, 'lea': 483254, 'luger': 506611, 'currently working': 221720, 'working on': 1008796, 'on story': 603702, 'story for': 811972, 'for tell': 326185, 'me they': 523684, 're stock': 699606, 'piling food': 656586, 'the event': 854601, 'event the': 285084, 'case increase': 165814, 'increase is': 432886, 'is dramatic': 447365, 'dramatic we': 258315, 'are committed': 85447, 'to ensuring': 905206, 'ensuring we': 278208, 'give to': 350785, 'to any': 900600, 'any family': 79213, 'need executive': 554746, 'director lea': 243633, 'lea luger': 483255, 'currently working on': 221723, 'working on story': 1008823, 'on story for': 603704, 'story for tell': 811977, 'for tell me': 326186, 'tell me they': 837026, 'me they re': 523690, 'they re stock': 883133, 're stock piling': 699609, 'stock piling food': 802660, 'piling food in': 656588, 'in the event': 429182, 'the event the': 854605, 'event the case': 285085, 'the case increase': 850461, 'case increase is': 165819, 'increase is dramatic': 432887, 'is dramatic we': 447366, 'dramatic we are': 258316, 'we are committed': 970507, 'are committed to': 85448, 'committed to ensuring': 189037, 'to ensuring we': 905208, 'ensuring we have': 278209, 'we have food': 971818, 'have food to': 380670, 'food to give': 317257, 'to give to': 906722, 'give to any': 350787, 'to any family': 900605, 'any family in': 79214, 'in need executive': 425740, 'need executive director': 554747, 'executive director lea': 289884, 'director lea luger': 243634, 'occurs': 579074, 'gouging occurs': 359399, 'occurs when': 579084, 'when seller': 983986, 'seller increase': 749034, 'good service': 357707, 'service or': 752664, 'or commodity': 614773, 'commodity to': 189320, 'to level': 909226, 'level higher': 487580, 'than is': 840790, 'is reasonable': 451328, 'reasonable or': 703110, 'or fair': 615258, 'fair usually': 296394, 'usually this': 951165, 'this event': 887451, 'event occurs': 285029, 'occurs after': 579075, 'after demand': 35555, 'demand or': 235985, 'or supply': 617295, 'supply shock': 825817, 'shock such': 759514, 'such now': 816655, 'now with': 576439, '19 you': 12262, 'to pricegouging': 912130, 'pricegouging general': 677814, 'general gov': 345341, 'price gouging occurs': 674304, 'gouging occurs when': 359400, 'occurs when seller': 579085, 'when seller increase': 983987, 'seller increase the': 749035, 'increase the price': 433112, 'price of good': 675463, 'of good service': 584236, 'good service or': 357716, 'service or commodity': 752665, 'or commodity to': 614774, 'commodity to level': 189322, 'to level higher': 909228, 'level higher than': 487581, 'higher than is': 395756, 'than is reasonable': 840792, 'is reasonable or': 451331, 'reasonable or fair': 703111, 'or fair usually': 615259, 'fair usually this': 296395, 'usually this event': 951166, 'this event occurs': 887453, 'event occurs after': 285030, 'occurs after demand': 579076, 'after demand or': 35556, 'demand or supply': 235987, 'or supply shock': 617300, 'supply shock such': 825821, 'shock such now': 759515, 'such now with': 816656, 'now with covid': 576443, 'covid 19 you': 214109, '19 you can': 12264, 'can report it': 159450, 'report it to': 712068, 'it to pricegouging': 461742, 'to pricegouging general': 912131, 'pricegouging general gov': 677815, 'bm': 133550, 'aprilfoolsday': 83734, 'corporate to': 207349, 'give free': 350501, 'free health': 331896, 'health insurance': 386539, 'insurance to': 440825, 'to bm': 901871, 'bm store': 133551, 'store grocery': 807970, 'online ecommerce': 608150, 'ecommerce and': 266704, 'and warehouse': 75177, 'warehouse employee': 966716, 'working operation': 1008834, 'operation during': 613175, 'during consumer': 262520, 'consumer supply': 199178, 'demand aprilfoolsday': 235018, 'corporate to give': 207350, 'to give free': 906686, 'give free health': 350502, 'free health insurance': 331898, 'health insurance to': 386553, 'insurance to bm': 440826, 'to bm store': 901872, 'bm store grocery': 133552, 'store grocery online': 807974, 'grocery online ecommerce': 364778, 'online ecommerce and': 608151, 'ecommerce and warehouse': 266715, 'and warehouse employee': 75180, 'warehouse employee who': 966719, 'who are working': 988260, 'are working operation': 91707, 'working operation during': 1008835, 'operation during consumer': 613176, 'during consumer supply': 262521, 'consumer supply and': 199179, 'and demand aprilfoolsday': 61139, 'columnist': 186908, 'administrator': 32529, 'owen': 631837, 'robert': 724695, 'pent': 646699, 'he journalist': 385160, 'journalist columnist': 467429, 'columnist and': 186909, 'and research': 70294, 'research administrator': 713651, 'administrator at': 32530, 'at university': 101403, 'of guelph': 584376, 'guelph with': 367953, 'than three': 841325, 'three decade': 893922, 'decade of': 230692, 'of experience': 583316, 'experience read': 291460, 'read owen': 700526, 'owen robert': 631841, 'robert column': 724703, 'column food': 186900, 'thought pent': 893173, 'pent up': 646700, 'up demand': 944701, 'for post': 324633, '19 travel': 11552, 'travel will': 930573, 'be huge': 115314, 'he journalist columnist': 385161, 'journalist columnist and': 467430, 'columnist and research': 186910, 'and research administrator': 70295, 'research administrator at': 713652, 'administrator at university': 32531, 'at university of': 101404, 'university of guelph': 942447, 'of guelph with': 584379, 'guelph with more': 367954, 'with more than': 999565, 'more than three': 540687, 'than three decade': 841327, 'three decade of': 893923, 'decade of experience': 230695, 'of experience read': 583318, 'experience read owen': 291461, 'read owen robert': 700527, 'owen robert column': 631842, 'robert column food': 724704, 'column food for': 186902, 'for thought pent': 327163, 'thought pent up': 893174, 'pent up demand': 646703, 'up demand for': 944702, 'demand for post': 235477, 'for post covid': 324636, 'post covid 19': 666075, 'covid 19 travel': 213979, '19 travel will': 11557, 'travel will be': 930574, 'will be huge': 992505, 'tv': 936070, 'lying daily': 507071, 'daily on': 224731, 'their tv': 875055, 'tv screen': 936183, 'screen the': 742733, 'the politician': 863950, 'there plenty': 878940, 're ramping': 699348, 'up testing': 946136, 'testing which': 839689, 'which everybody': 985852, 'everybody who': 286505, 'politician lying daily': 663720, 'lying daily on': 507072, 'daily on their': 224733, 'on their tv': 604518, 'their tv screen': 875056, 'tv screen the': 936184, 'screen the politician': 742734, 'the politician say': 863951, 'say there plenty': 739324, 'there plenty of': 878942, 'they re ramping': 883106, 're ramping up': 699349, 'ramping up testing': 696488, 'up testing which': 946137, 'testing which everybody': 839690, 'which everybody who': 985853, 'everybody who ha': 286506, 'price expected': 673732, 'to fall': 905616, 'fall due': 296895, 'to property': 912271, 'house price expected': 406480, 'price expected to': 673733, 'expected to fall': 290976, 'to fall due': 905628, 'fall due to': 296896, 'due to property': 261915, 'enter': 278225, 'urgent': 948309, 'in california': 421136, 'california line': 155532, 'to enter': 905209, 'enter the': 278310, 'supermarket stay': 822929, 'unless it': 942617, 'it urgent': 461983, 'people in california': 648353, 'in california line': 421142, 'california line up': 155533, 'line up to': 493531, 'up to enter': 946373, 'to enter the': 905227, 'enter the supermarket': 278319, 'the supermarket stay': 868823, 'supermarket stay home': 822931, 'home unless it': 402398, 'unless it urgent': 942625, 'allegedly': 45671, 'saliva': 732728, 'dorset': 255905, 'bridport': 139653, 'coronacrisisuk': 204874, '20 year': 13415, 'old man': 598340, 'man ha': 512077, 'been arrested': 120683, 'arrested for': 93840, 'for allegedly': 319194, 'allegedly wiping': 45725, 'wiping his': 996518, 'his saliva': 397776, 'saliva on': 732733, 'product in': 681276, 'in dorset': 422370, 'dorset supermarket': 255909, 'supermarket the': 823206, 'the man': 859971, 'man entered': 512053, 'entered the': 278372, 'the lidl': 859328, 'lidl store': 488304, 'on st': 603622, 'st andrew': 791681, 'andrew road': 76192, 'road in': 724456, 'in bridport': 420976, 'bridport wearing': 139659, 'wearing face': 974616, 'at about': 97829, 'about 2pm': 24689, '2pm on': 16845, 'on friday': 600995, 'friday coronacrisisuk': 333211, 'coronacrisisuk coronacrisis': 204879, '20 year old': 13424, 'year old man': 1014847, 'old man ha': 598344, 'man ha been': 512078, 'ha been arrested': 369722, 'been arrested for': 120686, 'arrested for allegedly': 93841, 'for allegedly wiping': 319201, 'allegedly wiping his': 45726, 'wiping his saliva': 996520, 'his saliva on': 397777, 'saliva on product': 732735, 'on product in': 602953, 'product in dorset': 681282, 'in dorset supermarket': 422371, 'dorset supermarket the': 255911, 'supermarket the man': 823228, 'the man entered': 859975, 'man entered the': 512054, 'entered the lidl': 278373, 'the lidl store': 859329, 'lidl store on': 488305, 'store on st': 809205, 'on st andrew': 603623, 'st andrew road': 791682, 'andrew road in': 76193, 'road in bridport': 724457, 'in bridport wearing': 420978, 'bridport wearing face': 139660, 'wearing face mask': 974618, 'face mask and': 294515, 'and glove at': 63711, 'glove at about': 352602, 'at about 2pm': 97832, 'about 2pm on': 24690, '2pm on friday': 16846, 'on friday coronacrisisuk': 600999, 'friday coronacrisisuk coronacrisis': 333212, 'morgan': 541082, 'stanley': 793874, 'quality': 691753, 'of morgan': 586656, 'morgan stanley': 541091, 'stanley analyst': 793875, 'analyst put': 57166, 'together list': 920855, 'of quality': 588645, 'quality stock': 691852, 'stock around': 801863, 'world available': 1009341, 'at better': 98131, 'better price': 128422, 'price than': 676776, 'just few': 468702, 'group of morgan': 366796, 'of morgan stanley': 586657, 'morgan stanley analyst': 541092, 'stanley analyst put': 793876, 'analyst put together': 57167, 'put together list': 690942, 'together list of': 920856, 'list of quality': 494465, 'of quality stock': 588647, 'quality stock around': 691853, 'stock around the': 801864, 'the world available': 871819, 'world available at': 1009342, 'available at better': 104244, 'at better price': 98132, 'better price than': 128427, 'price than just': 676778, 'than just few': 840814, 'just few week': 468712, 'becoming': 120270, 'needier': 556605, 'ever with': 285601, 'with social': 1000816, 'distancing the': 247532, 'need volunteer': 556163, 'volunteer supermarket': 960335, 'getting longer': 349097, 'longer with': 502111, 'with bulk': 997486, 'buying but': 150061, 'but food': 145736, 'also becoming': 47935, 'becoming needier': 120325, 'needier volunteer': 556606, 'volunteer online': 960308, 'online amp': 607801, 'amp follow': 53815, 'follow all': 312343, 'all government': 42992, 'government and': 359857, 'guideline to': 368481, 'keep yourself': 472292, 'yourself safe': 1026693, 'than ever with': 840621, 'ever with social': 285603, 'with social distancing': 1000817, 'social distancing the': 779739, 'distancing the world': 247538, 'the world need': 871921, 'world need volunteer': 1009829, 'need volunteer supermarket': 556164, 'volunteer supermarket queue': 960336, 'queue are getting': 693873, 'are getting longer': 86816, 'getting longer with': 349099, 'longer with bulk': 502112, 'with bulk buying': 997487, 'bulk buying but': 142269, 'buying but food': 150064, 'but food bank': 145737, 'bank are also': 109638, 'are also becoming': 84441, 'also becoming needier': 47936, 'becoming needier volunteer': 120326, 'needier volunteer online': 556607, 'volunteer online amp': 960309, 'online amp follow': 607802, 'amp follow all': 53816, 'follow all government': 312345, 'all government and': 42993, 'government and who': 359879, 'who guideline to': 988827, 'guideline to keep': 368483, 'to keep yourself': 908883, 'keep yourself safe': 472297, 'say thank': 739214, 'worker thank': 1007904, 'our doctor': 622787, 'nurse thank': 577500, 'our essential': 622921, 'essential worker': 281810, 'want to say': 966109, 'to say thank': 913840, 'say thank you': 739215, 'you to our': 1021816, 'to our grocery': 911184, 'store worker thank': 811599, 'worker thank you': 1007905, 'to our doctor': 911171, 'our doctor and': 622788, 'and nurse thank': 67897, 'nurse thank you': 577501, 'of our essential': 587463, 'our essential worker': 622927, 'essential worker 19': 281811, 'cong': 194403, 'people amid': 646827, 'pandemic cong': 635181, 'cong tell': 194404, 'tell govt': 836960, 'with people amid': 1000132, 'people amid covid': 646828, '19 pandemic cong': 9298, 'pandemic cong tell': 635182, 'cong tell govt': 194405, 'faring': 299063, 'explore': 292474, 'accelerated': 27875, 'favorite': 300480, 'digitaleu': 242717, 'how are': 407385, 'consumer trend': 199362, 'trend faring': 931331, 'faring in': 299066, 'pandemic explore': 635413, 'explore 10': 292475, '10 consumer': 1366, 'trend which': 931512, 'which have': 985914, 'been rapidly': 121776, 'rapidly accelerated': 696948, 'accelerated into': 27884, 'the mainstream': 859921, 'mainstream below': 508904, 'below are': 126595, 'our favorite': 623039, 'favorite digitaleu': 300509, 'digitaleu read': 242718, 'read the': 700567, 'the full': 855998, 'how are consumer': 407394, 'are consumer trend': 85531, 'consumer trend faring': 199373, 'trend faring in': 931332, 'faring in the': 299068, 'in the pandemic': 429433, 'the pandemic explore': 862963, 'pandemic explore 10': 635414, 'explore 10 consumer': 292476, '10 consumer trend': 1368, 'consumer trend which': 199393, 'trend which have': 931513, 'which have been': 985915, 'have been rapidly': 379653, 'been rapidly accelerated': 121777, 'rapidly accelerated into': 696949, 'accelerated into the': 27885, 'into the mainstream': 443146, 'the mainstream below': 859922, 'mainstream below are': 508905, 'below are some': 126596, 'some of our': 783405, 'of our favorite': 587470, 'our favorite digitaleu': 623041, 'favorite digitaleu read': 300510, 'digitaleu read the': 242719, 'read the full': 700577, 'the full report': 856020, 'twenty': 936490, 'walked': 964935, 'neck': 554307, 'fightagainstcovid19': 304969, 'young man': 1022615, 'man in': 512107, 'in his': 423710, 'his twenty': 397881, 'twenty walked': 936499, 'walked past': 964970, 'past me': 643564, 'and entered': 62179, 'entered grocery': 278354, 'store wear': 811188, 'wear face': 974315, 'mask two': 519456, 'two one': 937100, 'one around': 605954, 'around his': 93328, 'his neck': 397635, 'neck the': 554311, 'other one': 620606, 'one on': 606781, 'his head': 397499, 'head and': 385718, 'of those': 592078, 'survive to': 829279, 'have baby': 379395, 'baby the': 106710, 'the law': 859179, 'law save': 482390, 'save fightagainstcovid19': 737498, 'young man in': 1022618, 'man in his': 512112, 'in his twenty': 423742, 'his twenty walked': 397883, 'twenty walked past': 936500, 'walked past me': 964973, 'past me and': 643565, 'me and entered': 522408, 'and entered grocery': 62180, 'entered grocery store': 278355, 'grocery store wear': 365937, 'store wear face': 811189, 'wear face mask': 974318, 'face mask two': 294602, 'mask two one': 519457, 'two one around': 937101, 'one around his': 605955, 'around his neck': 93329, 'his neck the': 397636, 'neck the other': 554312, 'the other one': 862543, 'other one on': 620608, 'one on top': 606787, 'top of his': 925635, 'of his head': 584654, 'his head and': 397500, 'head and you': 385721, 'and you just': 76028, 'just know that': 469108, 'know that he': 476765, 'that he is': 844261, 'he is one': 385137, 'one of those': 606768, 'of those who': 592127, 'those who will': 892697, 'who will survive': 990002, 'will survive to': 995051, 'survive to have': 829280, 'to have baby': 907206, 'have baby the': 379397, 'baby the law': 106712, 'the law save': 859192, 'law save fightagainstcovid19': 482391, 'bneeditorspicks': 133582, 'kazakh': 471160, 'tenge': 837932, 'plunge': 661403, 'flounder': 311053, 'kaz': 471157, 'sank': 736574, 'bne': 133575, 'kazakhstan': 471163, 'fx': 342587, 'bneeditorspicks kazakh': 133585, 'kazakh tenge': 471161, 'tenge plunge': 837933, 'plunge to': 661463, 'to record': 912971, 'record low': 705007, 'low world': 505754, 'world oil': 1009859, 'price flounder': 673895, 'flounder kaz': 311054, 'kaz tenge': 471158, 'tenge sank': 837935, 'sank usd': 736575, 'usd bne': 948907, 'bne business': 133576, 'business kazakhstan': 143976, 'kazakhstan fx': 471168, 'fx see': 342596, 'see sample': 745650, 'sample here': 733465, 'here sign': 393559, 'up here': 945071, 'bneeditorspicks kazakh tenge': 133586, 'kazakh tenge plunge': 471162, 'tenge plunge to': 837934, 'plunge to record': 661467, 'to record low': 912982, 'record low world': 705023, 'low world oil': 505755, 'world oil price': 1009861, 'oil price flounder': 597133, 'price flounder kaz': 673896, 'flounder kaz tenge': 311055, 'kaz tenge sank': 471159, 'tenge sank usd': 837936, 'sank usd bne': 736576, 'usd bne business': 948908, 'bne business kazakhstan': 133578, 'business kazakhstan fx': 143977, 'kazakhstan fx see': 471169, 'fx see sample': 342597, 'see sample here': 745651, 'sample here sign': 733466, 'here sign up': 393560, 'sign up here': 769254, 'thankful': 841898, 'authentic': 103611, 'business have': 143820, 'have asked': 379361, 'asked what': 95896, 'help we': 390859, 'so thankful': 778353, 'thankful to': 841927, 'in community': 421613, 'community that': 190151, 'is caring': 446385, 'and authentic': 58528, 'authentic check': 103616, 'article by': 94273, 're doing': 698528, 'many business have': 513844, 'business have asked': 143822, 'have asked what': 379367, 'asked what can': 95897, 'can we do': 160168, 'we do to': 971357, 'do to help': 250388, 'to help we': 907664, 'help we are': 390860, 'we are so': 970715, 'are so thankful': 90221, 'so thankful to': 778357, 'thankful to be': 841928, 'to be in': 901330, 'be in community': 115395, 'in community that': 421615, 'community that is': 190156, 'that is caring': 844565, 'is caring and': 446387, 'caring and authentic': 164700, 'and authentic check': 58530, 'authentic check out': 103617, 'out this article': 627559, 'this article by': 886413, 'article by about': 94274, 'by about and': 151732, 'about and what': 24809, 'and what they': 75489, 'what they re': 982413, 'they re doing': 883020, 'thank god': 841577, 'god haven': 354733, 'haven had': 383819, 'to step': 915384, 'step inside': 799571, 'supermarket local': 821357, 'local shop': 498389, 'shop doing': 760103, 'doing ok': 252568, 'ok no': 597840, 'evidence of': 288365, 'of major': 586108, 'major stockpiling': 509475, 'stockpiling so': 804067, 'far coronacrisis': 298747, 'thank god haven': 841581, 'god haven had': 354734, 'haven had to': 383828, 'had to step': 373731, 'to step inside': 915387, 'step inside supermarket': 799572, 'inside supermarket local': 439398, 'supermarket local shop': 821358, 'local shop doing': 498398, 'shop doing ok': 760104, 'doing ok no': 252570, 'ok no evidence': 597841, 'no evidence of': 564145, 'evidence of major': 288367, 'of major stockpiling': 586115, 'major stockpiling so': 509476, 'stockpiling so far': 804068, 'so far coronacrisis': 777020, 'armstrong': 92982, 'ad': 31048, 'next armstrong': 561285, 'armstrong join': 92985, 'talk the': 833855, 'of shutdown': 589703, 'shutdown plus': 768083, 'plus what': 661716, 'to expect': 905440, 'expect from': 290644, 'from ad': 334391, 'ad spending': 31162, 'spending this': 789012, 'this quarter': 889786, 'next armstrong join': 561286, 'armstrong join to': 92986, 'join to talk': 466889, 'to talk the': 916287, 'talk the consumer': 833856, 'the consumer impact': 851548, 'consumer impact of': 197805, 'impact of shutdown': 417799, 'of shutdown plus': 589705, 'shutdown plus what': 768084, 'plus what to': 661717, 'what to expect': 982455, 'to expect from': 905445, 'expect from ad': 290645, 'from ad spending': 334392, 'ad spending this': 31163, 'spending this quarter': 789014, 'comrade': 192775, 'metric': 529877, 'hoaxy': 399755, 'good job': 357292, 'job comrade': 465749, 'comrade guess': 192776, 'guess you': 368105, 're using': 699759, 'president metric': 670854, 'metric that': 529884, 'that lower': 844968, 'will also': 992249, 'also lower': 48489, 'the hoaxy': 857425, 'hoaxy covid': 399756, 'death rate': 230171, 'good job comrade': 357294, 'job comrade guess': 465750, 'comrade guess you': 192777, 'guess you re': 368106, 'you re using': 1020783, 're using the': 699765, 'using the president': 950709, 'the president metric': 864265, 'president metric that': 670855, 'metric that lower': 529885, 'that lower oil': 844969, 'lower oil price': 505924, 'oil price will': 597324, 'price will also': 677551, 'will also lower': 992261, 'also lower the': 48490, 'lower the hoaxy': 506024, 'the hoaxy covid': 857426, 'hoaxy covid 19': 399757, '19 death rate': 6450, 'grocery clerk': 364377, 'clerk 27': 181625, '27 helped': 16283, 'helped elderly': 391071, 'elderly customer': 270647, 'customer before': 222178, 'before dying': 122753, 'grocery clerk 27': 364378, 'clerk 27 helped': 181626, '27 helped elderly': 16284, 'helped elderly customer': 391072, 'elderly customer before': 270649, 'customer before dying': 222179, 'before dying of': 122754, 'dying of covid': 263848, 'sushi': 829448, 'careful': 164377, 'the ve': 870657, 'had sushi': 373588, 'sushi and': 829449, 'and pizza': 69043, 'pizza for': 657161, 'in month': 425409, 'month lol': 537832, 'lol been': 500879, 'been eating': 121062, 'eating simple': 266305, 'healthy since': 387763, 'since began': 770524, 'began everything': 123381, 'everything stock': 288007, 'food very': 317425, 'very careful': 955039, 'careful vegetable': 164444, 'vegetable meat': 954035, 'meat whole': 525803, 'whole grain': 990225, 'grain wheat': 361811, 'wheat bag': 982974, 'rice lol': 721077, 'the ve had': 870659, 've had sushi': 953237, 'had sushi and': 373589, 'sushi and pizza': 829450, 'and pizza for': 69044, 'pizza for the': 657163, 'time in month': 897001, 'in month lol': 425418, 'month lol been': 537833, 'lol been eating': 500880, 'been eating simple': 121068, 'eating simple and': 266306, 'simple and healthy': 769988, 'and healthy since': 64399, 'healthy since began': 387764, 'since began everything': 770525, 'began everything stock': 123382, 'everything stock up': 288008, 'on food very': 600925, 'food very careful': 317426, 'very careful vegetable': 955042, 'careful vegetable meat': 164445, 'vegetable meat whole': 954037, 'meat whole grain': 525804, 'whole grain wheat': 990226, 'grain wheat bag': 361812, 'wheat bag of': 982975, 'bag of rice': 108365, 'of rice lol': 589099, 'husband': 411664, '26th': 16237, 'self distance': 747608, 'distance much': 246764, 'much possible': 545237, 'possible because': 665588, 'my husband': 548768, 'husband and': 411669, 'and daughter': 60959, 'daughter are': 226824, 'are both': 85030, 'both on': 135989, 'on immunosuppressant': 601499, 'immunosuppressant for': 417490, 'for health': 322144, 'health condition': 386287, 'condition did': 193442, 'did an': 240543, 'online shop': 608971, 'shop with': 761056, 'with major': 999361, 'major supermarket': 509480, 'but won': 147914, 'won come': 1003770, 'come till': 187547, 'till march': 896053, 'march 26th': 515220, '26th this': 16244, 'this self': 890012, 'isolation can': 455227, 'can work': 160239, 'work without': 1006052, 'without food': 1002650, 'trying to self': 934868, 'to self distance': 914121, 'self distance much': 747609, 'distance much possible': 246765, 'much possible because': 545239, 'possible because my': 665589, 'because my husband': 119261, 'my husband and': 548770, 'husband and daughter': 411673, 'and daughter are': 60960, 'daughter are both': 226825, 'are both on': 85037, 'both on immunosuppressant': 135990, 'on immunosuppressant for': 601500, 'immunosuppressant for health': 417491, 'for health condition': 322149, 'health condition did': 386290, 'condition did an': 193443, 'did an online': 240544, 'an online shop': 56633, 'online shop with': 608992, 'shop with major': 761060, 'with major supermarket': 999363, 'major supermarket but': 509485, 'supermarket but won': 819464, 'but won come': 147915, 'won come till': 1003772, 'come till march': 187548, 'till march 26th': 896054, 'march 26th this': 515222, '26th this self': 16245, 'this self isolation': 890015, 'self isolation can': 747761, 'isolation can work': 455233, 'can work without': 160255, 'work without food': 1006054, 'without food in': 1002658, 'engaging': 276911, 'husain': 411660, 'ray': 698015, 'great response': 362968, 'response my': 715755, 'my next': 549484, 'next one': 561482, 'one what': 607422, 'the expectation': 854703, 'expectation of': 290830, 'your consumer': 1023312, 'current crisis': 221148, 'crisis how': 217498, 'you engaging': 1018412, 'engaging with': 276924, 'with them': 1001606, 'them husain': 875873, 'husain ray': 411661, 'ray 19': 698016, 'some great response': 782991, 'great response my': 362969, 'response my next': 715757, 'my next one': 549488, 'next one what': 561488, 'one what are': 607423, 'are the expectation': 90823, 'the expectation of': 854705, 'expectation of your': 290841, 'of your consumer': 593454, 'your consumer in': 1023321, 'the current crisis': 852623, 'current crisis how': 221157, 'crisis how are': 217499, 'how are you': 407421, 'are you engaging': 91785, 'you engaging with': 1018413, 'engaging with them': 276929, 'with them husain': 1001616, 'them husain ray': 875874, 'husain ray 19': 411662, 'obsessed': 578668, 'offence': 594454, 'irrationality': 444994, 'britain used': 140464, 'used to': 950032, 'be nation': 116043, 'nation of': 552270, 'of level': 585795, 'level headed': 487574, 'headed common': 385896, 'common sense': 189450, 'sense people': 750570, 'people no': 648849, 'no more': 564793, 'more obsessed': 539863, 'obsessed with': 578669, 'with offence': 999850, 'offence and': 594455, 'see here': 745187, 'here irrationality': 393208, 'irrationality sad': 444997, 'sad coronacrisisuk': 729156, 'coronacrisisuk panicbuyers': 204895, 'panicbuyers stophoarding': 638878, 'stophoarding stockpiling': 805477, 'britain used to': 140465, 'used to be': 950035, 'to be nation': 901399, 'be nation of': 116044, 'nation of level': 552271, 'of level headed': 585796, 'level headed common': 487575, 'headed common sense': 385897, 'common sense people': 189463, 'sense people no': 750573, 'people no more': 648854, 'no more obsessed': 564813, 'more obsessed with': 539864, 'obsessed with offence': 578672, 'with offence and': 999851, 'offence and we': 594456, 'and we can': 75284, 'we can see': 971004, 'can see here': 159538, 'see here irrationality': 745190, 'here irrationality sad': 393209, 'irrationality sad coronacrisisuk': 444998, 'sad coronacrisisuk panicbuyers': 729157, 'coronacrisisuk panicbuyers stophoarding': 204896, 'panicbuyers stophoarding stockpiling': 638879, 'learned': 484102, 'metro': 529893, 'krogers': 477788, 'bless': 132579, 'learned that': 484142, 'the kroger': 858865, 'kroger supermarket': 477771, 'supermarket where': 823814, 'where do': 984830, 'do my': 249622, 'shopping ha': 762818, 'ha died': 370376, 'died of': 241583, '19 one': 8976, 'of kroger': 585682, 'kroger employee': 477734, 'employee in': 273953, 'this metro': 888846, 'metro area': 529898, 'area who': 92267, 'virus at': 957970, 'at different': 98434, 'different krogers': 241980, 'krogers god': 477789, 'god bless': 354653, 'bless the': 132593, 'the essentialworkers': 854532, 'learned that an': 484143, 'that an employee': 842644, 'an employee who': 55717, 'employee who work': 274436, 'who work at': 990032, 'at the kroger': 100993, 'the kroger supermarket': 858867, 'kroger supermarket where': 477774, 'supermarket where do': 823816, 'where do my': 984833, 'do my grocery': 249627, 'my grocery shopping': 548581, 'grocery shopping ha': 365030, 'shopping ha died': 762824, 'ha died of': 370381, 'died of covid': 241587, 'covid 19 one': 213516, '19 one of': 8978, 'one of kroger': 606750, 'of kroger employee': 585683, 'kroger employee in': 477735, 'employee in this': 273974, 'in this metro': 429976, 'this metro area': 888847, 'metro area who': 529900, 'area who have': 92274, 'from the virus': 337916, 'the virus at': 870799, 'virus at different': 957974, 'at different krogers': 98435, 'different krogers god': 241981, 'krogers god bless': 477790, 'god bless the': 354659, 'bless the essentialworkers': 132595, 'residence': 714218, 'maintain': 508927, 'order on': 618452, 'food needed': 315523, 'needed however': 556390, 'however individual': 409396, 'individual may': 435221, 'may leave': 521319, 'or place': 616622, 'of residence': 588972, 'residence to': 714232, 'purchase grocery': 689478, 'grocery take': 366019, 'take out': 832440, 'out food': 626079, 'food gasoline': 314644, 'gasoline needed': 344247, 'needed medical': 556428, 'and any': 58212, 'other product': 620765, 'product necessary': 681425, 'necessary to': 554109, 'to maintain': 909560, 'maintain the': 509056, 'safety sanitation': 730723, 'sanitation and': 733829, 'basic operation': 112022, 'operation of': 613232, 'their residence': 874556, 'order on food': 618455, 'on food needed': 600888, 'food needed however': 315524, 'needed however individual': 556391, 'however individual may': 409397, 'individual may leave': 435222, 'may leave the': 521320, 'leave the home': 484969, 'the home or': 857452, 'home or place': 401752, 'or place of': 616623, 'place of residence': 657605, 'of residence to': 588973, 'residence to purchase': 714233, 'to purchase grocery': 912534, 'purchase grocery take': 689483, 'grocery take out': 366020, 'take out food': 832444, 'out food gasoline': 626084, 'food gasoline needed': 314645, 'gasoline needed medical': 344248, 'needed medical supply': 556429, 'medical supply and': 526426, 'supply and any': 824701, 'and any other': 58217, 'any other product': 79601, 'other product necessary': 620774, 'product necessary to': 681426, 'necessary to maintain': 554120, 'to maintain the': 909600, 'maintain the safety': 509063, 'the safety sanitation': 866154, 'safety sanitation and': 730724, 'sanitation and basic': 733830, 'and basic operation': 58722, 'basic operation of': 112024, 'operation of their': 613238, 'of their residence': 591695, 'saudi': 737171, 'kicking': 473821, 'slashed': 773607, 'foreign': 328954, 'saudi arabia': 737179, 'arabia is': 83896, 'is kicking': 449193, 'kicking our': 473829, 'our as': 622125, 'as when': 94828, 'to oil': 910879, 'they slashed': 883408, 'slashed their': 773651, 'sell with': 748948, 'with russia': 1000530, 'russia will': 728603, 'produce while': 680487, 'ha shut': 371929, 'down all': 256459, 'all oil': 43729, 'production basically': 681942, 'basically trump': 112176, 'trump the': 933911, 'the perfect': 863531, 'perfect storm': 651341, 'storm set': 811836, 'set up': 753542, 'be decimated': 114356, 'decimated by': 230979, 'by foreign': 152633, 'foreign oil': 328994, 'saudi arabia is': 737200, 'arabia is kicking': 83898, 'is kicking our': 449194, 'kicking our as': 473830, 'our as when': 622126, 'as when it': 94829, 'come to oil': 187586, 'to oil price': 910882, 'oil price they': 597289, 'price they slashed': 676902, 'they slashed their': 883409, 'slashed their price': 773653, 'their price to': 874431, 'price to sell': 677037, 'to sell with': 914189, 'sell with russia': 748949, 'with russia will': 1000535, 'russia will continue': 728605, 'continue to produce': 201236, 'to produce while': 912213, 'produce while the': 680488, 'while the ha': 987393, 'the ha shut': 857020, 'ha shut down': 371931, 'shut down all': 767799, 'down all oil': 256464, 'all oil production': 43732, 'oil production basically': 597362, 'production basically trump': 681943, 'basically trump the': 112177, 'trump the perfect': 933917, 'the perfect storm': 863547, 'perfect storm set': 651350, 'storm set up': 811837, 'set up to': 753583, 'up to be': 946359, 'to be decimated': 901190, 'be decimated by': 114357, 'decimated by foreign': 230980, 'by foreign oil': 152635, 'foreign oil producer': 328995, 'cabin': 154962, 'fever': 303646, 'dragging': 258190, 'draggingmain': 258197, 'americangraffiti': 52342, 'have cabin': 379867, 'cabin fever': 154967, 'fever gas': 303674, 'low and': 505121, 'only thing': 611299, 'thing open': 884650, 'open is': 612330, 'the drive': 853686, 'thru say': 895217, 'say we': 739451, 'we bring': 970865, 'bring back': 139927, 'back dragging': 106962, 'dragging main': 258193, 'main draggingmain': 508742, 'draggingmain americangraffiti': 258198, 'since we all': 770973, 'all have cabin': 43045, 'have cabin fever': 379868, 'cabin fever gas': 154969, 'fever gas price': 303675, 'are low and': 87919, 'low and the': 505136, 'and the only': 73501, 'the only thing': 862349, 'only thing open': 611311, 'thing open is': 884652, 'open is the': 612335, 'is the drive': 452776, 'the drive thru': 853688, 'drive thru say': 259203, 'thru say we': 895219, 'say we bring': 739453, 'we bring back': 970866, 'bring back dragging': 139929, 'back dragging main': 106963, 'dragging main draggingmain': 258194, 'main draggingmain americangraffiti': 508743, 'investigated': 443814, 'prohibition': 683437, 'cpa': 214564, 'unfair': 941410, 'africa 11': 35039, '11 firm': 2522, 'firm being': 308322, 'being investigated': 125335, 'investigated for': 443817, 'for hiking': 322275, 'during pandemic': 262856, 'pandemic do': 635313, 'have pricing': 382042, 'pricing policy': 677961, 'policy in': 663426, 'place do': 657408, 'and sale': 70790, 'sale staff': 732544, 'staff understand': 793027, 'the prohibition': 864643, 'prohibition in': 683438, 'the competition': 851371, 'competition act': 191653, 'act and': 29593, 'and cpa': 60672, 'cpa on': 214567, 'on excessive': 600659, 'excessive and': 289380, 'and unfair': 74659, 'unfair pricing': 941433, 'south africa 11': 786645, 'africa 11 firm': 35040, '11 firm being': 2523, 'firm being investigated': 308323, 'being investigated for': 125336, 'investigated for hiking': 443819, 'for hiking price': 322278, 'hiking price during': 396395, 'price during pandemic': 673630, 'during pandemic do': 262863, 'pandemic do you': 635317, 'you have pricing': 1019095, 'have pricing policy': 382043, 'pricing policy in': 677962, 'policy in place': 663428, 'in place do': 426731, 'place do your': 657409, 'do your marketing': 250706, 'your marketing and': 1024777, 'marketing and sale': 517524, 'and sale staff': 70794, 'sale staff understand': 732546, 'staff understand the': 793028, 'understand the prohibition': 940769, 'the prohibition in': 864644, 'prohibition in the': 683439, 'in the competition': 429088, 'the competition act': 851372, 'competition act and': 191654, 'act and cpa': 29594, 'and cpa on': 60673, 'cpa on excessive': 214568, 'on excessive and': 600660, 'excessive and unfair': 289381, 'and unfair pricing': 74662, 'pas': 643074, 'holy': 400495, 'pas temporary': 643149, 'temporary law': 837653, 'law that': 482408, 'that say': 846133, 'say can': 738485, 'beat the': 118554, 'the holy': 857438, 'holy fucking': 400502, 'fucking shit': 339997, 'anyone whom': 80638, 'whom cough': 990546, 'cough in': 208479, 'face ll': 294504, 'll use': 497085, 'use glove': 949234, 'pas temporary law': 643151, 'temporary law that': 837654, 'law that say': 482413, 'that say can': 846134, 'say can beat': 738486, 'can beat the': 157721, 'beat the holy': 118559, 'the holy fucking': 857439, 'holy fucking shit': 400503, 'fucking shit out': 339999, 'out of anyone': 626679, 'of anyone whom': 580286, 'anyone whom cough': 80639, 'whom cough in': 990547, 'cough in my': 208482, 'my face ll': 548160, 'face ll use': 294505, 'll use glove': 497086, 'use glove sanitizer': 949238, 'glove sanitizer and': 352900, 'sanitizer and wear': 734457, 'and wear mask': 75354, 'organise': 619300, 'assisted': 96812, 'apartment': 81383, 'care could': 163902, 'could staff': 209706, 'your care': 1023147, 'care home': 163989, 'home organise': 401793, 'organise online': 619303, 'online food': 608205, 'delivery for': 234015, 'of assisted': 580411, 'assisted living': 96813, 'living apartment': 496319, 'apartment on': 81416, 'on same': 603281, 'same site': 733288, 'site re': 771999, 're leave': 698983, 'leave shopping': 484926, 'list outside': 494507, 'outside their': 629607, 'door staff': 255714, 'staff order': 792725, 'several re': 753925, 're to': 699715, 'avoid delivery': 105079, 'delivery charge': 233792, 'charge how': 173258, 'how about': 407269, 'care could staff': 163903, 'could staff at': 209707, 'staff at your': 792242, 'at your care': 101671, 'your care home': 1023148, 'care home organise': 163998, 'home organise online': 401794, 'organise online food': 619304, 'online food delivery': 608208, 'food delivery for': 314125, 'delivery for resident': 234032, 'for resident of': 325147, 'resident of assisted': 714335, 'of assisted living': 580412, 'assisted living apartment': 96814, 'living apartment on': 496320, 'apartment on same': 81417, 'on same site': 603283, 'same site re': 733289, 'site re leave': 772000, 're leave shopping': 698984, 'leave shopping list': 484927, 'shopping list outside': 763192, 'list outside their': 494508, 'outside their door': 629608, 'their door staff': 873075, 'door staff order': 255715, 'staff order for': 792726, 'for several re': 325518, 'several re to': 753926, 're to avoid': 699716, 'to avoid delivery': 900888, 'avoid delivery charge': 105080, 'delivery charge how': 233794, 'charge how about': 173259, 'how about it': 407287, 'equity': 279908, 'corvid19': 207718, 'teamusa': 835890, 'senate': 749685, 'whitehouse': 987942, 'state should': 795932, 'should suspend': 766532, 'suspend mortgage': 829571, 'mortgage home': 541908, 'home equity': 401153, 'equity consumer': 279926, 'consumer auto': 196361, 'auto and': 103865, 'and student': 72605, 'student payment': 814754, 'payment during': 645604, 'crisis stimuluspackage2020': 218089, 'stimuluspackage2020 corvid19': 801650, 'corvid19 teamusa': 207737, 'teamusa senate': 835891, 'senate whitehouse': 749729, 'united state should': 942239, 'state should suspend': 795935, 'should suspend mortgage': 766534, 'suspend mortgage home': 829572, 'mortgage home equity': 541909, 'home equity consumer': 401154, 'equity consumer auto': 279927, 'consumer auto and': 196362, 'auto and student': 103866, 'and student payment': 72609, 'student payment during': 814755, 'payment during this': 645606, 'this crisis stimuluspackage2020': 887086, 'crisis stimuluspackage2020 corvid19': 218090, 'stimuluspackage2020 corvid19 teamusa': 801651, 'corvid19 teamusa senate': 207738, 'teamusa senate whitehouse': 835892, 'ghs100': 349705, 'ghs1': 349702, 'photo': 655113, 'it friday': 458138, 'friday which': 333319, 'which of': 986185, 'these two': 880893, 'two would': 937399, 'would you': 1012401, 'you rather': 1020549, 'rather have': 697468, 'have in': 381032, '19 ghs100': 7208, 'ghs100 00': 349706, '00 in': 258, 'in cash': 421283, 'cash or': 166292, 'or ghs1': 615447, 'ghs1 00': 349703, '00 00': 1, 'shopping voucher': 764329, 'voucher photo': 960659, 'it friday which': 458142, 'friday which of': 333320, 'which of these': 986187, 'of these two': 591870, 'these two would': 880903, 'two would you': 937400, 'would you rather': 1012420, 'you rather have': 1020550, 'rather have in': 697469, 'have in these': 381041, 'time of covid': 897323, 'covid 19 ghs100': 213143, '19 ghs100 00': 7209, 'ghs100 00 in': 349707, '00 in cash': 260, 'in cash or': 421287, 'cash or ghs1': 166294, 'or ghs1 00': 615448, 'ghs1 00 00': 349704, '00 00 in': 5, '00 in online': 269, 'online shopping voucher': 609333, 'shopping voucher photo': 764330, 'notoriously': 573605, 'microbe': 530439, 'crawling': 215188, 'advisable': 33565, 'exam': 288785, 'sma': 774765, 'hospital are': 404294, 'are notoriously': 88510, 'notoriously the': 573608, 'worst place': 1011248, 'get an': 346534, 'an infection': 56304, 'infection not': 436798, 'not necessarily': 570623, 'necessarily there': 553937, 'are plenty': 89114, 'of other': 587359, 'other kind': 620464, 'of microbe': 586477, 'microbe crawling': 530442, 'crawling all': 215189, 'the surface': 868996, 'surface in': 828032, 'corona it': 204025, 'is advisable': 445364, 'advisable to': 33566, 'wear exam': 974311, 'exam glove': 288792, 'keep sma': 471936, 'hospital are notoriously': 404304, 'are notoriously the': 88511, 'notoriously the worst': 573609, 'the worst place': 872069, 'worst place to': 1011249, 'place to get': 657753, 'to get an': 906408, 'get an infection': 346544, 'an infection not': 56305, 'infection not necessarily': 436799, 'not necessarily there': 570630, 'necessarily there are': 553938, 'there are plenty': 878148, 'are plenty of': 89115, 'plenty of other': 660962, 'of other kind': 587366, 'other kind of': 620465, 'kind of microbe': 474920, 'of microbe crawling': 586478, 'microbe crawling all': 530443, 'crawling all over': 215190, 'over the surface': 630773, 'the surface in': 868997, 'surface in the': 828033, 'in the time': 429612, 'the time of': 869608, 'time of corona': 897319, 'of corona it': 581892, 'corona it is': 204026, 'it is advisable': 458863, 'is advisable to': 445365, 'advisable to wear': 33571, 'to wear exam': 918426, 'wear exam glove': 974312, 'exam glove and': 288793, 'glove and keep': 352567, 'and keep sma': 65778, 'to difficult': 904291, 'time caused': 896457, 'situation we': 772565, 'be lowering': 115852, 'by 30': 151625, 'all product': 44060, 'product for': 681195, 'for for': 321664, 'for limited': 322983, 'limited time': 492754, 'time until': 898169, 'the quarantine': 864961, 'quarantine is': 692300, 'over or': 630459, 'or until': 617604, 'longer able': 501900, 'to ship': 914425, 'ship out': 758708, 'out please': 627050, 'we wish': 973926, 'wish you': 996856, 'best during': 127670, 'difficult moment': 242245, 'due to difficult': 261761, 'to difficult time': 904292, 'difficult time caused': 242282, 'time caused by': 896458, 'caused by the': 167870, '19 situation we': 10599, 'situation we will': 772572, 'will be lowering': 992549, 'be lowering our': 115853, 'price by 30': 673007, 'by 30 on': 151630, '30 on all': 17158, 'on all product': 599244, 'all product for': 44063, 'product for for': 681198, 'for for limited': 321668, 'for limited time': 322986, 'limited time until': 492760, 'time until the': 898170, 'until the quarantine': 943869, 'the quarantine is': 864969, 'quarantine is over': 692305, 'is over or': 450717, 'over or until': 630462, 'or until we': 617606, 'until we are': 943920, 'we are no': 970637, 'are no longer': 88267, 'no longer able': 564625, 'longer able to': 501901, 'able to ship': 24544, 'to ship out': 914430, 'ship out please': 758710, 'out please stay': 627054, 'please stay safe': 660551, 'stay safe and': 797211, 'safe and we': 729493, 'and we wish': 75334, 'we wish you': 973930, 'wish you the': 996860, 'you the best': 1021586, 'the best during': 849507, 'best during this': 127671, 'this difficult moment': 887226, '88': 23041, 'write': 1012757, 'christian': 178106, 'infect': 436489, 'my 88': 547202, '88 year': 23062, 'old mother': 598371, 'mother took': 543187, 'the trouble': 870025, 'trouble to': 932648, 'to write': 918858, 'write to': 1012797, 'me to': 523740, 'to request': 913308, 'request that': 713198, 'that not': 845380, 'not visit': 572406, 'visit her': 959271, 'her on': 392245, 'the christian': 850882, 'christian holiday': 178119, 'holiday of': 400339, 'of easter': 582923, 'easter because': 265392, 'because work': 119842, 'she afraid': 755845, 'afraid will': 35033, 'will infect': 993845, 'infect her': 436494, 'her with': 392531, 'my 88 year': 547203, '88 year old': 23063, 'year old mother': 1014850, 'old mother took': 598375, 'mother took the': 543188, 'took the trouble': 925345, 'the trouble to': 870028, 'trouble to write': 932649, 'to write to': 918867, 'write to me': 1012798, 'to me to': 909963, 'me to request': 523774, 'to request that': 913311, 'request that not': 713200, 'that not visit': 845404, 'not visit her': 572407, 'visit her on': 959273, 'her on the': 392249, 'on the christian': 604025, 'the christian holiday': 850883, 'christian holiday of': 178120, 'holiday of easter': 400340, 'of easter because': 582924, 'easter because work': 265393, 'because work in': 119845, 'supermarket and she': 819059, 'and she afraid': 71412, 'she afraid will': 755846, 'afraid will infect': 35034, 'will infect her': 993846, 'infect her with': 436495, 'her with covid': 392532, 'valued': 952253, 'ashba': 95090, 'located': 498802, 'safety of': 730641, 'our valued': 625254, 'valued customer': 952256, 'and employee': 62054, 'employee we': 274390, 'be closing': 114140, 'closing our': 183715, 'our ashba': 622127, 'ashba clothing': 95091, 'clothing retail': 184281, 'store located': 808788, 'located here': 498808, 'vega for': 953810, 'next 30': 561271, '30 day': 17012, 'to the severity': 917051, 'severity of the': 754132, 'outbreak and the': 628013, 'and the safety': 73562, 'the safety of': 866150, 'safety of our': 730651, 'of our valued': 587586, 'our valued customer': 625255, 'valued customer and': 952257, 'customer and employee': 222073, 'and employee we': 62069, 'employee we will': 274393, 'will be closing': 992401, 'be closing our': 114146, 'closing our ashba': 183716, 'our ashba clothing': 622128, 'ashba clothing retail': 95092, 'clothing retail store': 184283, 'retail store located': 718656, 'store located here': 808790, 'located here in': 498809, 'here in la': 393156, 'la vega for': 478229, 'vega for the': 953811, 'the next 30': 861648, 'next 30 day': 561272, 'ineffective': 436284, '62': 21217, 'ideally': 413286, 'algorithm': 41649, 'changing': 172632, 'hey search': 394504, 'for disinfectant': 320750, 'disinfectant or': 245719, 'or alcohol': 614284, 'alcohol gel': 41011, 'gel give': 345123, 'me alternative': 522384, 'alternative that': 49263, 'are ineffective': 87528, 'ineffective against': 436285, 'the recommendation': 865350, 'recommendation are': 704734, 'are clear': 85298, 'clear soap': 181324, 'soap or': 779068, 'hand gel': 374971, 'gel 62': 345088, '62 alcohol': 21222, 'alcohol ideally': 41025, 'ideally 70': 413287, '70 algorithm': 21723, 'algorithm for': 41656, 'shopping need': 763315, 'need changing': 554600, 'changing now': 172756, 'hey search for': 394505, 'search for disinfectant': 743246, 'for disinfectant or': 320752, 'disinfectant or alcohol': 245720, 'or alcohol gel': 614286, 'alcohol gel give': 41013, 'gel give me': 345124, 'give me alternative': 350565, 'me alternative that': 522385, 'alternative that are': 49264, 'that are ineffective': 842766, 'are ineffective against': 87529, 'ineffective against covid': 436286, '19 the recommendation': 11241, 'the recommendation are': 865351, 'recommendation are clear': 704735, 'are clear soap': 85307, 'clear soap or': 181325, 'soap or hand': 779072, 'or hand gel': 615554, 'hand gel 62': 374973, 'gel 62 alcohol': 345089, '62 alcohol ideally': 21223, 'alcohol ideally 70': 41026, 'ideally 70 algorithm': 413288, '70 algorithm for': 21724, 'algorithm for online': 41657, 'for online shopping': 324115, 'online shopping need': 609193, 'shopping need changing': 763316, 'need changing now': 554601, 'nintendo': 563317, 'did miss': 240684, 'miss something': 534185, 'something ha': 784931, '19 also': 4924, 'also ruined': 48806, 'ruined nintendo': 727139, 'nintendo price': 563320, 'did miss something': 240686, 'miss something ha': 534187, 'something ha covid': 784932, 'covid 19 also': 212616, '19 also ruined': 4930, 'also ruined nintendo': 48807, 'ruined nintendo price': 727140, 'thepurge': 877890, 'school closed': 741728, 'closed prison': 183303, 'prison closed': 678711, 'closed fighting': 183112, 'fighting in': 305090, 'we officially': 972633, 'officially in': 596005, 'in thepurge': 429803, 'thepurge yet': 877891, 'yet because': 1016010, 'because would': 119855, 'would quite': 1012148, 'quite like': 694885, 'like new': 490846, 'new car': 558447, 'school closed prison': 741734, 'closed prison closed': 183304, 'prison closed fighting': 678712, 'closed fighting in': 183113, 'fighting in the': 305091, 'supermarket are we': 819194, 'are we officially': 91581, 'we officially in': 972635, 'officially in thepurge': 596008, 'in thepurge yet': 429804, 'thepurge yet because': 877892, 'yet because would': 1016011, 'because would quite': 119857, 'would quite like': 1012149, 'quite like new': 694886, 'like new car': 490847, 'ideal': 413257, 'grateful': 362237, 'manila': 513194, 'down le': 256912, 'le traffic': 483215, 'traffic everywhere': 929091, 'everywhere ideal': 288215, 'ideal driving': 413262, 'driving condition': 259912, 'condition but': 193424, 'home be': 400771, 'be grateful': 115082, 'grateful to': 362319, 'have home': 380973, 'home stay': 402117, 'safe family': 729657, 'family metro': 298049, 'metro manila': 529924, 'fuel price go': 340235, 'price go down': 674203, 'go down le': 353492, 'down le traffic': 256914, 'le traffic everywhere': 483217, 'traffic everywhere ideal': 929092, 'everywhere ideal driving': 288216, 'ideal driving condition': 413263, 'driving condition but': 259913, 'condition but we': 193426, 'but we must': 147753, 'we must all': 972400, 'at home be': 98946, 'home be grateful': 400773, 'be grateful to': 115086, 'grateful to have': 362322, 'to have home': 907255, 'have home stay': 380974, 'home stay safe': 402123, 'stay safe family': 797235, 'safe family metro': 729658, 'family metro manila': 298050, 'style': 815585, 'date': 226582, 'supermarket this': 823307, 'this afternoon': 886229, 'afternoon where': 36729, 'wa no': 962714, 'no bread': 563724, 'bread at': 138414, 'all to': 45234, 'be found': 114931, 'found am': 330148, 'am sure': 50458, 'sure if': 827582, 'we get': 971599, 'get italy': 347440, 'italy style': 462927, 'style situation': 815627, 'situation this': 772516, 'this bread': 886609, 'bread will': 138636, 'be well': 118083, 'well out': 978458, 'of date': 582363, 'local supermarket this': 498600, 'supermarket this afternoon': 823308, 'this afternoon where': 886241, 'afternoon where there': 36730, 'where there wa': 985267, 'there wa no': 879253, 'wa no bread': 962720, 'no bread at': 563726, 'bread at all': 138415, 'at all to': 97915, 'all to be': 45235, 'to be found': 901265, 'be found am': 114933, 'found am sure': 330149, 'am sure if': 50459, 'sure if we': 827590, 'if we get': 415283, 'we get italy': 971616, 'get italy style': 347441, 'italy style situation': 462928, 'style situation this': 815628, 'situation this bread': 772517, 'this bread will': 886610, 'bread will be': 138637, 'will be well': 992770, 'be well out': 118088, 'well out of': 978459, 'out of date': 626717, 'respect': 714954, 'mobilizing': 535111, 'minimum': 533158, 'hope people': 403596, 'have new': 381589, 'new respect': 559477, 'respect for': 714984, 'store retail': 809867, 'retail pharmacist': 718392, 'and fast': 62710, 'food restaurant': 316190, 'restaurant worker': 716812, 'are mobilizing': 88091, 'mobilizing to': 535112, 'keep supply': 471992, 'chain running': 171063, 'running lot': 727994, 'lot for': 504045, 'for minimum': 323453, 'minimum wage': 533220, 'wage in': 963900, 'word of': 1004533, 'of be': 580590, 'hope people will': 403600, 'will have new': 993656, 'have new respect': 381592, 'new respect for': 559478, 'respect for grocery': 714992, 'grocery store retail': 365724, 'store retail pharmacist': 809873, 'retail pharmacist and': 718393, 'pharmacist and fast': 654110, 'and fast food': 62712, 'fast food restaurant': 299975, 'food restaurant worker': 316198, 'restaurant worker they': 716827, 'worker they are': 1007959, 'they are mobilizing': 881334, 'are mobilizing to': 88092, 'mobilizing to keep': 535113, 'to keep supply': 908859, 'keep supply chain': 471994, 'supply chain running': 825026, 'chain running lot': 171067, 'running lot for': 727995, 'lot for minimum': 504047, 'for minimum wage': 323457, 'minimum wage in': 533235, 'wage in the': 963903, 'in the word': 429688, 'the word of': 871710, 'word of be': 1004536, 'of be kind': 580592, 'bedevils': 120437, 'fx market': 342594, 'market analysis': 515942, 'analysis gold': 57049, 'price may': 675184, 'may stay': 521528, 'stay high': 796929, 'high 2008': 394896, '2008 crisis': 13651, 'crisis cure': 217274, 'cure bedevils': 220710, 'bedevils covid': 120438, 'fx market analysis': 342595, 'market analysis gold': 515944, 'analysis gold price': 57050, 'gold price may': 355966, 'price may stay': 675204, 'may stay high': 521529, 'stay high 2008': 796930, 'high 2008 crisis': 394897, '2008 crisis cure': 13652, 'crisis cure bedevils': 217275, 'cure bedevils covid': 220711, 'bedevils covid 19': 120439, 'foot distancing': 318374, 'distancing inside': 247235, 'inside shop': 439374, 'foot distancing inside': 318375, 'distancing inside shop': 247236, 'inside shop is': 439375, 'shop is not': 760363, 'lawmaker': 482478, 'commitment': 188986, 'action alert': 29942, 'alert at': 41358, 'when pa': 983836, 'pa family': 632848, 'family are': 297621, 'are worrying': 91739, 'worrying about': 1010811, 'about now': 25822, 'for pa': 324343, 'pa lawmaker': 632860, 'lawmaker to': 482496, 'make commitment': 509787, 'commitment to': 189003, 'to lowering': 909515, 'lowering prescription': 506125, 'prescription drug': 670501, 'price tell': 676763, 'tell them': 837096, 'step up': 799682, 'up cc': 944586, 'action alert at': 29943, 'alert at time': 41360, 'time when pa': 898300, 'when pa family': 983837, 'pa family are': 632849, 'family are worrying': 297635, 'are worrying about': 91740, 'worrying about now': 1010815, 'about now is': 25827, 'time for pa': 896737, 'for pa lawmaker': 324344, 'pa lawmaker to': 632861, 'lawmaker to make': 482497, 'to make commitment': 909638, 'make commitment to': 509788, 'commitment to lowering': 189007, 'to lowering prescription': 909516, 'lowering prescription drug': 506126, 'prescription drug price': 670504, 'drug price tell': 261055, 'price tell them': 676764, 'tell them to': 837106, 'them to step': 876515, 'to step up': 915389, 'step up cc': 799684, 'ilorin': 416478, 'goodtime': 358093, 'good evening': 357011, 'evening big': 284861, 'big brother': 129666, 'brother please': 141093, 'help me': 390060, 'me ve': 523873, 'food student': 316879, 'student stranded': 814774, 'in ilorin': 423977, 'ilorin goodtime': 416479, 'good evening big': 357012, 'evening big brother': 284862, 'big brother please': 129668, 'brother please help': 141094, 'please help me': 660074, 'help me ve': 390081, 'me ve got': 523874, 've got to': 953201, 'got to stock': 358970, 'stock food student': 802148, 'food student stranded': 316881, 'student stranded in': 814775, 'stranded in ilorin': 812357, 'in ilorin goodtime': 423978, 'uttar': 951402, 'pradesh': 668806, 'licence': 488098, 'litre': 495138, 'bookmark': 134760, 'uttar pradesh': 951403, 'pradesh government': 668811, 'ha issued': 370999, 'issued licence': 456070, 'licence to': 488115, 'to 55': 899768, '55 company': 20370, 'produce up': 680476, 'to 70': 899811, '70 00': 21706, '00 litre': 308, 'litre of': 495166, 'of sanitiser': 589278, 'sanitiser per': 734000, 'day indiafightscorona': 227821, 'indiafightscorona stayhome': 434731, 'stayhome sanitizer': 798091, 'sanitizer bookmark': 734575, 'bookmark for': 134761, 'live here': 495838, 'uttar pradesh government': 951405, 'pradesh government ha': 668812, 'government ha issued': 360155, 'ha issued licence': 371004, 'issued licence to': 456071, 'licence to 55': 488116, 'to 55 company': 899769, '55 company to': 20371, 'to produce up': 912211, 'produce up to': 680477, 'up to 70': 946344, 'to 70 00': 899812, '70 00 litre': 21708, '00 litre of': 309, 'litre of sanitiser': 495168, 'of sanitiser per': 589279, 'sanitiser per day': 734001, 'per day indiafightscorona': 650801, 'day indiafightscorona stayhome': 227822, 'indiafightscorona stayhome sanitizer': 434732, 'stayhome sanitizer bookmark': 798092, 'sanitizer bookmark for': 734576, 'bookmark for live': 134762, 'for live here': 323022, 'been like': 121456, 'this my': 889072, 'my neighbor': 549424, 'neighbor at': 556985, 'least day': 484432, 'day but': 227402, 'but no': 146477, 'one took': 607301, 'took it': 925262, 'it btw': 456926, 'btw where': 141558, 'the heck': 857223, 'heck are': 388693, 'ha been like': 369843, 'been like this': 121459, 'like this my': 491508, 'this my neighbor': 889074, 'my neighbor at': 549426, 'neighbor at least': 556986, 'at least day': 99480, 'least day but': 484434, 'day but no': 227406, 'but no one': 146493, 'no one took': 564974, 'one took it': 607302, 'took it btw': 925267, 'it btw where': 456927, 'btw where the': 141559, 'where the heck': 985232, 'the heck are': 857224, 'heck are they': 388694, 'implicatio': 418540, 'the massive': 860260, 'massive shift': 520102, 'shift in': 758315, 'behavior brought': 123938, 'brought on': 141182, 'on by': 599760, 'will evolve': 993356, 'evolve or': 288508, 'or endure': 615161, 'endure but': 276299, 'life change': 488553, 'change marketer': 172176, 'marketer data': 517462, 'data change': 226170, 'change both': 171956, 'both the': 136059, 'current impact': 221229, 'impact and': 417545, 'future implicatio': 342360, 'we don know': 971386, 'don know how': 253664, 'know how the': 476460, 'how the massive': 408846, 'the massive shift': 860272, 'massive shift in': 520103, 'shift in consumer': 758318, 'consumer behavior brought': 196449, 'behavior brought on': 123939, 'brought on by': 141183, 'on by the': 599766, 'pandemic will evolve': 637008, 'will evolve or': 993357, 'evolve or endure': 288509, 'or endure but': 615162, 'endure but we': 276301, 'but we do': 147746, 'we do know': 971336, 'do know that': 249552, 'know that our': 476779, 'that our life': 845585, 'our life change': 623718, 'life change marketer': 488554, 'change marketer data': 172177, 'marketer data change': 517463, 'data change both': 226171, 'change both the': 171957, 'both the current': 136061, 'the current impact': 852641, 'current impact and': 221230, 'impact and the': 417555, 'and the future': 73390, 'the future implicatio': 856079, 'rosa': 726034, 'believed': 126431, 'sinabi': 770395, 'mo': 534845, 'alex': 41569, 'ka': 470557, 'rosa hello': 726035, 'hello dont': 389148, 'dont believed': 255192, 'believed that': 126432, 'that sa': 846083, 'sa sinabi': 728938, 'sinabi mo': 770396, 'mo alex': 534848, 'alex na': 41585, 'na ma': 551297, 'ma covid': 507260, 'virus ka': 958433, 'ka from': 470558, 'from can': 334795, 'can food': 158366, 'food all': 313082, 'all so': 44370, 'so panic': 777984, 'panic everything': 638082, 'everything be': 287703, 'be safe': 116939, 'safe stay': 729967, 'home just': 401481, 'wash hand': 967474, 'hand always': 374742, 'always okay': 49668, 'rosa hello dont': 726036, 'hello dont believed': 389149, 'dont believed that': 255193, 'believed that sa': 126434, 'that sa sinabi': 846085, 'sa sinabi mo': 728939, 'sinabi mo alex': 770397, 'mo alex na': 534849, 'alex na ma': 41586, 'na ma covid': 551298, 'ma covid 19': 507261, '19 virus ka': 11815, 'virus ka from': 958434, 'ka from can': 470559, 'from can food': 334796, 'can food all': 158367, 'food all so': 313089, 'all so panic': 44373, 'so panic everything': 777986, 'panic everything be': 638083, 'everything be safe': 287704, 'be safe stay': 116968, 'safe stay at': 729968, 'at home just': 99022, 'home just wash': 401486, 'just wash hand': 470235, 'wash hand always': 967476, 'hand always okay': 374743, 'designer': 238370, '608': 21141, '274': 16341, '8199': 22797, 'have designer': 380242, 'designer ready': 238390, 'you create': 1018126, 'create the': 215754, 'perfect space': 651339, 'space give': 787106, 'give call': 350426, 'call today': 156195, 'hear more': 387956, 'about our': 25883, 'service today': 753000, 'today due': 919469, 'outbreak our': 628509, 'is temporarily': 452597, 'temporarily closed': 837457, 'closed we': 183425, 'can still': 159759, 'be of': 116144, 'of service': 589528, 'service by': 752194, 'calling 608': 156507, '608 274': 21142, '274 8199': 16344, 'we have designer': 971797, 'have designer ready': 380243, 'designer ready to': 238391, 'ready to help': 700960, 'help you create': 390962, 'you create the': 1018128, 'create the perfect': 215756, 'the perfect space': 863546, 'perfect space give': 651340, 'space give call': 787107, 'give call today': 350429, 'call today to': 156199, 'today to hear': 920358, 'to hear more': 907411, 'hear more about': 387957, 'more about our': 538517, 'about our service': 25899, 'our service today': 624733, 'service today due': 753001, 'today due to': 919470, '19 outbreak our': 9165, 'outbreak our retail': 628511, 'our retail store': 624641, 'store is temporarily': 808539, 'is temporarily closed': 452598, 'temporarily closed we': 837472, 'closed we can': 183427, 'we can still': 971021, 'can still be': 159763, 'still be of': 800260, 'be of service': 116148, 'of service by': 589530, 'service by calling': 752196, 'by calling 608': 152054, 'calling 608 274': 156508, '608 274 8199': 21143, 'paranoid': 641431, 'wuye': 1013613, 'apparently one': 81980, 'the positive': 864057, 'positive covid': 665292, 'test is': 839037, 'an estate': 55845, 'estate close': 282108, 'my house': 548719, 'house now': 406416, 'now everyone': 574630, 'everyone is': 287060, 'is paranoid': 450798, 'paranoid about': 641433, 'about using': 26814, 'supermarket wuye': 824150, 'wuye is': 1013614, 'is small': 451982, 'small we': 775187, 'all go': 42937, 'same place': 733229, 'apparently one of': 81981, 'of the positive': 591351, 'the positive covid': 864058, 'positive covid 19': 665293, 'covid 19 test': 213921, '19 test is': 11076, 'test is an': 839038, 'is an estate': 445657, 'an estate close': 55846, 'estate close to': 282109, 'close to my': 182909, 'to my house': 910408, 'my house now': 548739, 'house now everyone': 406418, 'now everyone is': 574632, 'everyone is paranoid': 287098, 'is paranoid about': 450799, 'paranoid about using': 641435, 'about using the': 26815, 'using the supermarket': 950715, 'the supermarket wuye': 868919, 'supermarket wuye is': 824151, 'wuye is small': 1013615, 'is small we': 451983, 'small we all': 775188, 'we all go': 970329, 'all go to': 42948, 'to the same': 917035, 'the same place': 866280, 'my tesco': 550343, 'tesco have': 838712, 'slot for': 774173, 'and elderly': 61988, 'elderly so': 270891, 'much for': 544914, 'them saying': 876244, 'my tesco have': 550344, 'tesco have no': 838714, 'have no delivery': 381621, 'delivery slot for': 234521, 'slot for week': 774192, 'for week and': 327690, 'week and elderly': 975909, 'and elderly so': 61993, 'elderly so much': 270892, 'so much for': 777776, 'much for them': 544926, 'for them saying': 326917, 'them saying they': 876245, 'saying they will': 739732, 'they will help': 883855, 'aware': 105600, 'of isolation': 585333, 'isolation online': 455369, 'shopping could': 762404, 'be essential': 114697, 'many but': 513853, 'but is': 146070, 'is perfect': 450843, 'perfect opportunity': 651318, 'for scammer': 325366, 'scammer please': 740612, 'stay aware': 796777, 'aware and': 105603, 'and follow': 63009, 'follow advice': 312337, 'advice find': 33361, 'time of isolation': 897344, 'of isolation online': 585342, 'isolation online shopping': 455370, 'online shopping could': 609079, 'shopping could be': 762405, 'could be essential': 208865, 'be essential for': 114701, 'essential for many': 281059, 'for many but': 323211, 'many but is': 513854, 'but is perfect': 146082, 'is perfect opportunity': 450846, 'perfect opportunity for': 651319, 'opportunity for scammer': 613629, 'for scammer please': 325369, 'scammer please stay': 740613, 'please stay aware': 660545, 'stay aware and': 796778, 'aware and follow': 105604, 'and follow advice': 63010, 'follow advice find': 312338, 'advice find out': 33362, 'out more at': 626564, 'disposable': 246229, 'consumer desperation': 197187, 'desperation field': 238594, 'field day': 304462, 'hike just': 396233, 'just imagine': 469015, 'imagine million': 416755, 'people including': 648459, 'including panic': 432099, 'buyer who': 149799, 'have high': 380939, 'high disposable': 395039, 'disposable income': 246255, 'income or': 432424, 'or income': 615771, 'income at': 432292, 'all there': 45015, 'for irresponsible': 322660, 'irresponsible behaviour': 445039, 'behaviour we': 124552, 'all hurt': 43170, 'hurt from': 411576, 'it behaviour': 456820, 'behaviour stayathome': 124524, 'consumer desperation field': 197188, 'desperation field day': 238595, 'field day for': 304463, 'day for price': 227631, 'for price hike': 324719, 'price hike just': 674533, 'hike just imagine': 396234, 'just imagine million': 469018, 'imagine million of': 416756, 'million of people': 532283, 'of people including': 587928, 'people including panic': 648462, 'including panic buyer': 432100, 'panic buyer who': 637617, 'buyer who don': 149801, 'don have high': 253603, 'have high disposable': 380940, 'high disposable income': 395040, 'disposable income or': 246257, 'income or income': 432426, 'or income at': 615772, 'income at all': 432293, 'at all there': 97911, 'all there no': 45017, 'there no need': 878823, 'need for irresponsible': 554847, 'for irresponsible behaviour': 322661, 'irresponsible behaviour we': 445043, 'behaviour we all': 124553, 'we all hurt': 970335, 'all hurt from': 43171, 'hurt from it': 411577, 'from it behaviour': 336107, 'it behaviour stayathome': 456821, 'is already': 445507, 'already pricing': 47588, 'pricing in': 677934, 'in 12': 419689, '12 drop': 2848, 'in house': 423842, 'price consequence': 673210, 'the stock market': 867915, 'stock market is': 802405, 'market is already': 516613, 'is already pricing': 445531, 'already pricing in': 47589, 'pricing in 12': 677935, 'in 12 drop': 419690, '12 drop in': 2849, 'drop in house': 260254, 'in house price': 423851, 'house price consequence': 406475, 'price consequence of': 673212, 'consequence of the': 194879, 'motorist': 543353, 'crashed': 215058, '56': 20448, '20p': 14920, 'dathan': 226793, 'the sad': 866117, 'sad damn': 729158, 'damn medium': 225390, 'medium doe': 527079, 'not cover': 568902, 'cover the': 212287, 'blatant profiteering': 132438, 'profiteering of': 683067, 'of motorist': 586682, 'motorist by': 543356, 'the fuel': 855995, 'fuel supply': 340289, 'chain since': 171112, 'since christmas': 770539, 'christmas oil': 178192, 'oil crashed': 596716, 'crashed 56': 215059, '56 wholesale': 20458, 'are down': 85963, 'down 20p': 256390, '20p but': 14921, 'but price': 146839, 'down only': 257049, 'few penny': 303983, 'penny dathan': 646607, 'the sad damn': 866118, 'sad damn medium': 729159, 'damn medium doe': 225391, 'medium doe not': 527080, 'doe not cover': 251487, 'not cover the': 568905, 'cover the blatant': 212288, 'the blatant profiteering': 849758, 'blatant profiteering of': 132439, 'profiteering of motorist': 683069, 'of motorist by': 586683, 'motorist by the': 543358, 'by the fuel': 154331, 'the fuel supply': 855997, 'fuel supply chain': 340290, 'supply chain since': 825037, 'chain since christmas': 171113, 'since christmas oil': 770540, 'christmas oil crashed': 178193, 'oil crashed 56': 596717, 'crashed 56 wholesale': 215060, '56 wholesale price': 20459, 'wholesale price are': 990467, 'price are down': 672655, 'are down 20p': 85965, 'down 20p but': 256391, '20p but price': 14922, 'but price are': 146840, 'are down only': 85980, 'down only few': 257050, 'only few penny': 610440, 'few penny dathan': 303984, 'ji': 465439, 'kiranawala': 475412, 'functioned': 341316, 'ji many': 465454, 'many online': 514415, 'online site': 609372, 'site are': 771879, 'food slowly': 316639, 'slowly kiranawala': 774609, 'kiranawala on': 475413, 'the corner': 851743, 'corner will': 203695, 'also have': 48319, 'have stock': 382758, 'stock by': 801964, 'april the': 83697, 'the factory': 854839, 'factory would': 296026, 'would not': 1012070, 'have functioned': 380748, 'functioned for': 341317, 'month are': 537590, 'are there': 90950, 'there plan': 878932, 'prevent hunger': 671647, 'hunger and': 411072, 'riot covi': 722606, 'ji many online': 465455, 'many online site': 514416, 'online site are': 609373, 'site are running': 771882, 'of food slowly': 583779, 'food slowly kiranawala': 316640, 'slowly kiranawala on': 774610, 'kiranawala on the': 475414, 'on the corner': 604039, 'the corner will': 851754, 'corner will also': 203696, 'will also have': 992258, 'also have stock': 48338, 'have stock by': 382761, 'stock by the': 801965, 'by the end': 154319, 'of april the': 580332, 'april the factory': 83699, 'the factory would': 854843, 'factory would not': 296027, 'would not have': 1012077, 'not have functioned': 569835, 'have functioned for': 380749, 'functioned for month': 341318, 'for month are': 323510, 'month are there': 537591, 'are there plan': 90960, 'there plan to': 878933, 'plan to prevent': 658307, 'to prevent hunger': 912068, 'prevent hunger and': 671648, 'hunger and food': 411073, 'and food riot': 63087, 'food riot covi': 316242, 'wow have': 1012562, 'have closed': 379990, 'closed their': 183374, 'their online': 874097, 'store too': 810910, 'too due': 924696, 'the this': 869484, 'this follows': 887568, 'wow have closed': 1012563, 'have closed their': 380002, 'closed their online': 183378, 'their online store': 874109, 'online store too': 609479, 'store too due': 810911, 'too due to': 924697, 'to the this': 917129, 'the this follows': 869485, 'stip': 801684, 'physicaldistancing': 655480, 'is insane': 448929, 'insane now': 439054, 'now please': 575546, 'please stip': 660559, 'stip over': 801685, 'over buying': 630048, 'buying 19': 149834, '19 stayathome': 10804, 'stayathome physicaldistancing': 797578, 'and the price': 73527, 'price of toilet': 675594, 'paper is insane': 640352, 'is insane now': 448930, 'insane now please': 439055, 'now please stip': 575554, 'please stip over': 660560, 'stip over buying': 801686, 'over buying 19': 630049, 'buying 19 stayathome': 149836, '19 stayathome physicaldistancing': 10808, 'susanna': 829420, 'askdrh': 95705, 'cinema': 178529, 'theatre': 872275, 'num': 576794, 'susanna can': 829421, 'you askdrh': 1017321, 'askdrh since': 95706, 'they haven': 882406, 'haven responded': 383877, 'my tweet': 550444, 'tweet how': 936372, 'it ok': 460013, 'ok going': 597807, 'into fast': 442552, 'restaurant supermarket': 716721, 'supermarket queuing': 822143, 'queuing up': 694240, 'up than': 946138, 'than sitting': 841145, 'in restaurant': 427425, 'restaurant cinema': 716368, 'cinema theatre': 178549, 'theatre where': 872284, 'could control': 209048, 'control safe': 202131, 'safe distance': 729582, 'distance an': 246629, 'an num': 56529, 'susanna can you': 829422, 'can you askdrh': 160277, 'you askdrh since': 1017322, 'askdrh since they': 95707, 'since they haven': 770930, 'they haven responded': 882410, 'haven responded to': 383878, 'responded to my': 715364, 'to my tweet': 910445, 'my tweet how': 550445, 'tweet how is': 936373, 'how is it': 408100, 'is it ok': 449043, 'it ok going': 460018, 'ok going into': 597808, 'going into fast': 355234, 'into fast food': 442554, 'food restaurant supermarket': 316196, 'restaurant supermarket queuing': 716723, 'supermarket queuing up': 822145, 'queuing up than': 694244, 'up than sitting': 946139, 'than sitting in': 841146, 'sitting in restaurant': 772121, 'in restaurant cinema': 427430, 'restaurant cinema theatre': 716369, 'cinema theatre where': 178550, 'theatre where you': 872285, 'where you could': 985386, 'you could control': 1018082, 'could control safe': 209049, 'control safe distance': 202132, 'safe distance an': 729583, 'distance an num': 246630, 'persistently': 652273, 'unappealing': 939411, 'grocery that': 366023, 'that no': 845355, 'one want': 607355, 'buy american': 148302, 'are emptying': 86178, 'emptying their': 275295, 'supermarket of': 821695, 'everything but': 287717, 'but these': 147476, 'these persistently': 880471, 'persistently unappealing': 652274, 'unappealing product': 939412, 'product via': 681806, 'the grocery that': 856830, 'grocery that no': 366025, 'that no one': 845363, 'no one want': 564980, 'one want to': 607358, 'want to panic': 966077, 'panic buy american': 637464, 'buy american are': 148303, 'american are emptying': 51803, 'are emptying their': 86187, 'emptying their supermarket': 275296, 'their supermarket of': 874906, 'supermarket of everything': 821699, 'of everything but': 583267, 'everything but these': 287720, 'but these persistently': 147484, 'these persistently unappealing': 880472, 'persistently unappealing product': 652275, 'unappealing product via': 939413, 'pinned': 656838, 'spitting': 789581, 'man pinned': 512185, 'pinned to': 656839, 'to ground': 907014, 'ground after': 366475, 'after he': 35760, 'he wa': 385579, 'wa coughing': 961881, 'and spitting': 72120, 'spitting on': 789596, 'people and': 646841, 'man pinned to': 512186, 'pinned to ground': 656840, 'to ground after': 907015, 'ground after he': 366476, 'after he wa': 35766, 'he wa coughing': 385592, 'wa coughing and': 961882, 'coughing and spitting': 208667, 'and spitting on': 72122, 'spitting on people': 789603, 'on people and': 602734, 'people and food': 646861, 'and food at': 63028, 'food at the': 313453, 'phaps': 654001, 'overtake': 631609, 'phaps supermarket': 654002, 'supermarket aisle': 818828, 'aisle to': 40401, 'be one': 116221, 'way not': 969729, 'to overtake': 911324, 'overtake and': 631610, 'and give': 63657, 'free new': 331993, 'new plastic': 559280, 'plastic bag': 658797, 'bag rather': 108396, 'than use': 841383, 'use those': 949738, 'those people': 892312, 'people bring': 647305, 'bring in': 139990, 'in stopthespread': 428372, 'stopthespread woolies': 805929, 'woolies roll': 1004383, 'roll out': 725446, 'out new': 626623, 'store rule': 809912, 'phaps supermarket aisle': 654003, 'supermarket aisle to': 818849, 'aisle to be': 40403, 'to be one': 901421, 'be one way': 116229, 'one way not': 607373, 'way not able': 969730, 'able to overtake': 24515, 'to overtake and': 911325, 'overtake and give': 631611, 'and give free': 63660, 'give free new': 350504, 'free new plastic': 331994, 'new plastic bag': 559281, 'plastic bag rather': 658810, 'bag rather than': 108397, 'rather than use': 697558, 'than use those': 841384, 'use those people': 949741, 'those people bring': 892316, 'people bring in': 647306, 'bring in stopthespread': 140001, 'in stopthespread woolies': 428373, 'stopthespread woolies roll': 805930, 'woolies roll out': 1004384, 'roll out new': 725452, 'out new covid': 626624, '19 store rule': 10885, 'proprietor': 684593, 'envt': 279225, 'creating': 215970, 'staysafeug': 799041, 'but business': 145322, 'business proprietor': 144273, 'proprietor know': 684594, 're going': 698747, 'going through': 355494, 'through hard': 894496, 'time but': 896411, 'also it': 48439, 'same thing': 733331, 'thing please': 884689, 'please why': 660774, 'why hike': 991066, 'hike price': 396250, 'price like': 675041, 'this let': 888608, 'let create': 486665, 'create an': 215604, 'an ample': 55293, 'ample envt': 54880, 'envt for': 279226, 'for fighting': 321469, 'fighting covid': 305052, 'not creating': 568926, 'creating reason': 216054, 'for spreading': 325838, 'spreading it': 790988, 'the more': 860875, 'more staysafeug': 540457, 'but business proprietor': 145326, 'business proprietor know': 144274, 'proprietor know you': 684595, 'know you re': 477088, 'you re going': 1020634, 're going through': 698754, 'going through hard': 355501, 'through hard time': 894497, 'hard time but': 378029, 'time but also': 896413, 'but also it': 145125, 'also it the': 48442, 'it the same': 461574, 'the same thing': 866309, 'same thing please': 733337, 'thing please why': 884692, 'please why hike': 660775, 'why hike price': 991067, 'hike price like': 396264, 'price like this': 675047, 'like this let': 491504, 'this let create': 888609, 'let create an': 486666, 'create an ample': 215605, 'an ample envt': 55294, 'ample envt for': 54881, 'envt for fighting': 279227, 'for fighting covid': 321470, 'fighting covid 19': 305053, '19 not creating': 8827, 'not creating reason': 568928, 'creating reason for': 216055, 'reason for spreading': 702908, 'for spreading it': 325840, 'spreading it the': 790990, 'it the more': 461559, 'the more staysafeug': 860893, 'fuelupdate': 340371, 'diesel': 241641, 'static': 796289, 'successive': 816284, 'fuelupdate petrol': 340372, 'petrol diesel': 653724, 'diesel price': 241673, 'price static': 676624, 'static for': 796294, 'for 23rd': 318770, '23rd successive': 15523, 'successive day': 816285, 'fuelupdate petrol diesel': 340373, 'petrol diesel price': 653728, 'diesel price static': 241684, 'price static for': 676625, 'static for 23rd': 796295, 'for 23rd successive': 318771, '23rd successive day': 15524, 'environmentalist': 279202, 'it isn': 459141, 'isn china': 454460, 'china who': 177067, 'who to': 989794, 'to blame': 901841, 'blame for': 132257, 'the it': 858581, 'the environmentalist': 854410, 'environmentalist have': 279203, 'have never': 381571, 'never done': 557958, 'done so': 255014, 'much with': 545463, 'with so': 1000784, 'so little': 777559, 'little toiletpaper': 495628, 'toiletpaper in': 922115, 'life toiletpaperpanic': 489144, 'it isn china': 459144, 'isn china who': 454461, 'china who to': 177069, 'who to blame': 989796, 'to blame for': 901845, 'blame for the': 132259, 'for the it': 326512, 'the it the': 858590, 'it the environmentalist': 461531, 'the environmentalist have': 854411, 'environmentalist have never': 279204, 'have never done': 381575, 'never done so': 557960, 'done so much': 255015, 'so much with': 777827, 'much with so': 545464, 'with so little': 1000785, 'so little toiletpaper': 777563, 'little toiletpaper in': 495629, 'toiletpaper in all': 922116, 'in all my': 420174, 'all my life': 43562, 'my life toiletpaperpanic': 549045, 'lighting': 489643, 'dna': 248975, 'uv lighting': 951482, 'lighting break': 489646, 'break dna': 138698, 'dna in': 248985, 'in virus': 430604, 'virus how': 958299, 'get more': 347578, 'more uv': 540884, 'uv light': 951474, 'light in': 489529, 'in use': 430503, 'other public': 620790, 'public area': 687872, 'area 19': 91906, 'uv lighting break': 951483, 'lighting break dna': 489647, 'break dna in': 138699, 'dna in virus': 248986, 'in virus how': 430606, 'virus how can': 958300, 'can we get': 160173, 'we get more': 971618, 'get more uv': 347605, 'more uv light': 540885, 'uv light in': 951475, 'light in use': 489534, 'in use in': 430504, 'use in grocery': 949275, 'store and other': 806312, 'and other public': 68391, 'other public area': 620791, 'public area 19': 687873, 'calculate': 155292, '64': 21303, 'migraine': 531191, 'pill': 656643, 'amazonprime': 51240, 'hey how': 394419, 'you let': 1019587, 'let this': 487175, 'this third': 890573, 'third party': 886091, 'party seller': 643031, 'seller calculate': 748990, 'calculate price': 155297, 'way 64': 969424, '64 99': 21306, '99 for': 23817, 'for 100': 318622, '100 migraine': 1944, 'migraine pill': 531192, 'pill amazonprime': 656644, 'amazonprime price': 51244, 'hey how do': 394422, 'how do you': 407733, 'do you let': 250643, 'you let this': 1019596, 'let this third': 487182, 'this third party': 890574, 'third party seller': 886093, 'party seller calculate': 643032, 'seller calculate price': 748991, 'calculate price this': 155298, 'price this way': 676926, 'this way 64': 891125, 'way 64 99': 969425, '64 99 for': 21307, '99 for 100': 23818, 'for 100 migraine': 318627, '100 migraine pill': 1945, 'migraine pill amazonprime': 531193, 'pill amazonprime price': 656645, 'amazonprime price hike': 51245, 'vanilla': 952411, 'apologize': 81636, 'updating': 947471, 'onlyfans': 611521, 'content': 200778, 'bc of': 113256, 'everything going': 287815, '19 going': 7234, 'be taking': 117509, 'taking little': 833422, 'little break': 495271, 'break my': 138770, 'my vanilla': 550486, 'vanilla job': 952414, 'been spending': 122014, 'spending much': 788922, 'much of': 545183, 'my time': 550375, 'time working': 898381, 'working there': 1008947, 'there apologize': 878046, 'apologize for': 81637, 'for any': 319393, 'any trouble': 79989, 'trouble ll': 932628, 'be updating': 117896, 'updating my': 947476, 'my onlyfans': 549596, 'onlyfans if': 611522, 'if make': 414405, 'make new': 510238, 'new content': 558532, 'content during': 200800, 'bc of everything': 113262, 'of everything going': 583271, 'everything going on': 287816, 'going on covid': 355312, 'covid 19 going': 213150, '19 going to': 7238, 'to be taking': 901579, 'be taking little': 117512, 'taking little break': 833423, 'little break my': 495272, 'break my vanilla': 138772, 'my vanilla job': 550487, 'vanilla job is': 952415, 'job is at': 465897, 'is at grocery': 445860, 'store and ve': 806389, 've been spending': 952932, 'been spending much': 122015, 'spending much of': 788923, 'much of my': 545193, 'of my time': 586821, 'my time working': 550379, 'time working there': 898382, 'working there apologize': 1008949, 'there apologize for': 878047, 'apologize for any': 81638, 'for any trouble': 319427, 'any trouble ll': 79991, 'trouble ll still': 932629, 'still be updating': 800266, 'be updating my': 117897, 'updating my onlyfans': 947479, 'my onlyfans if': 549597, 'onlyfans if make': 611523, 'if make new': 414406, 'make new content': 510239, 'new content during': 558533, 'content during this': 200801, 'ayrshire': 106352, 'serving': 753166, 'ayrshire get': 106353, 'get it': 347388, 'it my': 459713, 'my hub': 548758, 'hub work': 409848, 'the industry': 858157, 'industry too': 436179, 'too also': 924570, 'also feel': 48198, 'sister who': 771798, 'work full': 1005203, 'full time': 340932, 'supermarket she': 822404, 'she will': 756467, 'people left': 648619, 'left serving': 485631, 'serving on': 753198, 'our visit': 625282, 'visit day': 959226, 'is real': 451258, 'ayrshire get it': 106354, 'get it my': 347415, 'it my hub': 459717, 'my hub work': 548759, 'hub work in': 409849, 'in the industry': 429287, 'the industry too': 858189, 'industry too also': 436180, 'too also feel': 924571, 'also feel for': 48200, 'feel for my': 302623, 'for my sister': 323748, 'my sister who': 550119, 'sister who work': 771800, 'who work full': 990036, 'work full time': 1005204, 'full time in': 340940, 'time in supermarket': 897014, 'in supermarket she': 428666, 'supermarket she will': 822412, 'she will be': 756468, 'will be one': 992588, 'be one of': 116225, 'of the people': 591328, 'the people left': 863484, 'people left serving': 648621, 'left serving on': 485632, 'serving on our': 753199, 'on our visit': 602641, 'our visit day': 625283, 'visit day covid': 959227, '19 is real': 8034, 'pr': 668413, '53': 20286, '31': 17543, 'when client': 983255, 'client were': 182129, 'were asked': 979344, 'asked which': 95907, 'which service': 986308, 'service they': 752945, 'reducing from': 706290, 'from pr': 336964, 'pr firm': 668426, 'firm none': 308389, 'none 53': 566542, '53 came': 20295, 'came out': 157040, 'top ahead': 925535, 'brand marketing': 137902, 'marketing 31': 517509, '31 according': 17552, 'an industry': 56290, 'industry survey': 436134, 'survey carried': 828835, 'carried out': 164938, 'with amp': 997191, 'amp check': 53521, 'the result': 865686, 'result here': 717520, 'when client were': 983256, 'client were asked': 182130, 'were asked which': 979347, 'asked which service': 95908, 'which service they': 986309, 'service they are': 752946, 'they are reducing': 881383, 'are reducing from': 89529, 'reducing from pr': 706291, 'from pr firm': 336965, 'pr firm none': 668428, 'firm none 53': 308390, 'none 53 came': 566543, '53 came out': 20296, 'came out on': 157048, 'out on top': 626923, 'on top ahead': 604806, 'top ahead of': 925536, 'ahead of consumer': 39176, 'consumer brand marketing': 196657, 'brand marketing 31': 137903, 'marketing 31 according': 517510, '31 according to': 17553, 'according to an': 28518, 'to an industry': 900464, 'an industry survey': 56296, 'industry survey carried': 436135, 'survey carried out': 828836, 'carried out with': 164943, 'out with amp': 627862, 'with amp check': 997192, 'amp check out': 53522, 'out the rest': 627412, 'of the result': 591414, 'the result here': 865691, 'guest': 368143, 'ninahossain': 563267, 'missed': 534221, 'clip': 182346, 'wa it': 962430, 'it great': 458333, 'great to': 363067, 'be guest': 115113, 'guest on': 368171, 'on with': 605335, 'with ninahossain': 999730, 'ninahossain yesterday': 563268, 'yesterday to': 1015900, 'right and': 721750, 'you missed': 1019870, 'missed it': 534233, 'the clip': 851025, 'clip is': 182360, 'the article': 848928, 'article please': 94428, 'please try': 660691, 'calm friend': 156743, 'friend and': 333493, 'and help': 64439, 'wa it great': 962431, 'it great to': 458340, 'great to be': 363068, 'to be guest': 901288, 'be guest on': 115114, 'guest on with': 368172, 'on with ninahossain': 605345, 'with ninahossain yesterday': 999731, 'ninahossain yesterday to': 563269, 'yesterday to talk': 1015904, 'to talk about': 916278, 'talk about consumer': 833731, 'about consumer right': 25004, 'consumer right and': 198805, 'right and covid': 721751, 'if you missed': 415477, 'you missed it': 1019871, 'missed it the': 534235, 'it the clip': 461519, 'the clip is': 851027, 'clip is in': 182361, 'is in the': 448821, 'in the article': 428988, 'the article please': 848939, 'article please try': 94429, 'please try to': 660692, 'try to stay': 934669, 'stay calm friend': 796812, 'calm friend and': 156744, 'friend and help': 333501, 'and help your': 64482, 'help your neighbor': 391023, 'speaking': 787753, 'anonymity': 77442, 'couldn': 209857, 'nicer': 562543, 'sundaymorning': 818310, 'sundayfeels': 818297, 'they truly': 883588, 'truly deserved': 933289, 'deserved it': 238154, 'it one': 460073, 'one neighbor': 606710, 'neighbor confirmed': 556996, 'confirmed while': 194214, 'while speaking': 987304, 'speaking on': 787763, 'on condition': 600005, 'condition of': 193493, 'of anonymity': 580228, 'anonymity couldn': 77443, 'couldn have': 209895, 'have happened': 380897, 'happened to': 377270, 'to nicer': 910596, 'nicer couple': 562546, 'couple sundaymorning': 211682, 'sundaymorning sundayfeels': 818314, 'sundayfeels charity': 818298, 'charity donation': 173606, 'donation toiletpaper': 254722, 'they truly deserved': 883590, 'truly deserved it': 933290, 'deserved it one': 238155, 'it one neighbor': 460075, 'one neighbor confirmed': 606711, 'neighbor confirmed while': 556997, 'confirmed while speaking': 194215, 'while speaking on': 987305, 'speaking on condition': 787764, 'on condition of': 600006, 'condition of anonymity': 193494, 'of anonymity couldn': 580229, 'anonymity couldn have': 77444, 'couldn have happened': 209896, 'have happened to': 380900, 'happened to nicer': 377280, 'to nicer couple': 910597, 'nicer couple sundaymorning': 562547, 'couple sundaymorning sundayfeels': 211683, 'sundaymorning sundayfeels charity': 818315, 'sundayfeels charity donation': 818299, 'charity donation toiletpaper': 173607, 'abandoned': 24205, 'looting': 503250, 'pussy': 690475, 'scratch': 742603, 'become an': 119916, 'an abandoned': 55029, 'abandoned god': 24206, 'god free': 354704, 'all if': 43176, 'if is': 414274, 'not going': 569694, 'to kill': 908916, 'kill riot': 474483, 'riot looting': 722614, 'looting theft': 503276, 'theft other': 872360, 'people lack': 648599, 'food are': 313403, 'are going': 86874, 'kill stop': 474497, 'stop being': 804479, 'being pussy': 125616, 'pussy and': 690476, 'and panic': 68641, 'buying otherwise': 150844, 'otherwise swear': 621871, 'swear to': 830042, 'to god': 906891, 'god will': 354836, 'will scratch': 994759, 'scratch your': 742617, 'house first': 406295, 'that what it': 847464, 'what it will': 981762, 'will be like': 992537, 'be like it': 115738, 'like it will': 490566, 'it will become': 462376, 'will become an': 992790, 'become an abandoned': 119917, 'an abandoned god': 55030, 'abandoned god free': 24207, 'god free for': 354705, 'free for all': 331841, 'for all if': 319136, 'all if is': 43177, 'if is not': 414277, 'is not going': 450094, 'not going to': 569703, 'going to kill': 355634, 'to kill riot': 908938, 'kill riot looting': 474484, 'riot looting theft': 722615, 'looting theft other': 503277, 'theft other people': 872361, 'other people lack': 620675, 'people lack of': 648600, 'lack of food': 478624, 'of food are': 583648, 'food are going': 313407, 'are going to': 86902, 'to kill stop': 908941, 'kill stop being': 474498, 'stop being pussy': 804493, 'being pussy and': 125617, 'pussy and panic': 690477, 'and panic buying': 68648, 'panic buying otherwise': 637835, 'buying otherwise swear': 150845, 'otherwise swear to': 621872, 'swear to god': 830043, 'to god will': 906898, 'god will scratch': 354842, 'will scratch your': 994760, 'scratch your house': 742618, 'your house first': 1024410, 'fought': 330128, 'stupidity': 815513, 'socialdistancingnow': 780902, 'after social': 36222, 'distancing fought': 247157, 'fought group': 330129, 'group over': 366827, 'paper this': 640904, 'morning 10': 541126, '10 minute': 1537, 'minute after': 533707, 'will all': 992228, 'all die': 42570, 'of stupidity': 590342, 'stupidity before': 815521, 'coronavirus socialdistancing': 206783, 'socialdistancing socialdistancingnow': 780704, 'le than week': 483192, 'than week after': 841436, 'week after social': 975828, 'after social distancing': 36223, 'social distancing fought': 779614, 'distancing fought group': 247158, 'fought group over': 330130, 'group over toilet': 366828, 'toilet paper this': 921491, 'paper this morning': 640906, 'this morning 10': 888931, 'morning 10 minute': 541127, '10 minute after': 1538, 'minute after the': 533712, 'after the grocery': 36321, 'grocery store open': 365616, 'store open we': 809268, 'open we will': 612655, 'we will all': 973831, 'will all die': 992232, 'all die of': 42571, 'die of stupidity': 241429, 'of stupidity before': 590344, 'stupidity before the': 815522, 'before the coronavirus': 123149, 'the coronavirus socialdistancing': 851917, 'coronavirus socialdistancing socialdistancingnow': 206784, 'definit': 232298, 'sorry if': 786056, 're talking': 699661, 'about long': 25660, 'term effect': 838130, 'effect then': 269126, 'then everything': 877163, 'everything we': 288084, 'do right': 250048, 'now will': 576421, '19 doesn': 6607, 'doesn care': 251721, 'economy look': 268045, 'like if': 490474, 'the workforce': 871772, 'workforce and': 1008337, 'are sick': 90105, 'and dying': 61826, 'dying the': 263869, 'economy will': 268355, 'will definit': 993134, 'sorry if we': 786057, 'if we re': 415301, 'we re talking': 972983, 're talking about': 699662, 'talking about long': 833978, 'about long term': 25662, 'long term effect': 501682, 'term effect then': 838134, 'effect then everything': 269127, 'then everything we': 877164, 'everything we do': 288090, 'we do right': 971348, 'do right now': 250050, 'right now will': 722187, 'now will have': 576428, 'term effect covid': 838131, 'covid 19 doesn': 212972, '19 doesn care': 6608, 'doesn care what': 251725, 'care what the': 164263, 'what the economy': 982308, 'the economy look': 853992, 'economy look like': 268046, 'look like if': 502485, 'like if the': 490477, 'if the workforce': 415049, 'the workforce and': 871773, 'workforce and the': 1008344, 'and the consumer': 73295, 'the consumer are': 851493, 'consumer are sick': 196311, 'are sick and': 90106, 'sick and dying': 768364, 'and dying the': 61830, 'dying the economy': 263870, 'the economy will': 854041, 'economy will definit': 268357, 'ikea': 416025, 'ikea close': 416030, 'close 13': 182484, '13 store': 3267, 'store across': 806060, 'the netherlands': 861448, 'netherlands due': 557659, 'continue offering': 201078, 'ikea close 13': 416031, 'close 13 store': 182485, '13 store across': 3268, 'store across the': 806068, 'across the netherlands': 29507, 'the netherlands due': 861451, 'netherlands due to': 557660, '19 will continue': 12084, 'will continue offering': 993016, 'continue offering online': 201080, 'ought': 621940, 'janitor': 464525, 'exact': 288691, 'honor': 403236, 'outbreak is': 628366, 'over we': 630895, 'we ought': 972667, 'ought to': 621943, 'to salute': 913739, 'salute our': 732856, 'employee janitor': 273997, 'janitor and': 464528, 'and amazon': 58041, 'amazon warehouse': 51184, 'warehouse team': 966783, 'team the': 835791, 'the exact': 854653, 'exact same': 288704, 'same way': 733402, 'way we': 970166, 'we honor': 972028, 'honor america': 403238, 'america emergency': 51507, 'emergency responder': 272923, 'when the outbreak': 984182, 'the outbreak is': 862651, 'outbreak is over': 628379, 'is over we': 450745, 'over we ought': 630901, 'we ought to': 972668, 'ought to salute': 621947, 'to salute our': 913740, 'salute our grocery': 732857, 'store employee janitor': 807503, 'employee janitor and': 273998, 'janitor and amazon': 464529, 'and amazon warehouse': 58052, 'amazon warehouse team': 51186, 'warehouse team the': 966784, 'team the exact': 835793, 'the exact same': 854658, 'exact same way': 288705, 'same way we': 733410, 'way we honor': 970171, 'we honor america': 972029, 'honor america emergency': 403239, 'america emergency responder': 51508, 'not people': 570995, 'get about': 346489, 'about 2m': 24687, '2m distance': 16676, 'distance in': 246738, 'what do not': 981347, 'do not people': 249799, 'not people get': 570997, 'people get about': 648044, 'get about 2m': 346491, 'about 2m distance': 24688, '2m distance in': 16680, 'distance in the': 246746, 'bogota': 133995, 'tomorrow bogota': 924042, 'bogota will': 133998, 'on complete': 599999, 'complete curfew': 192080, 'curfew for': 220880, 'day so': 228363, 'so today': 778547, 'today have': 919614, 'food so': 316645, 'so glad': 777169, 'glad have': 351494, 'have nice': 381598, 'nice apartment': 562343, 'apartment during': 81400, 'this so': 890215, 'so have': 777257, 'have space': 382669, 'space to': 787173, 'to exercise': 905408, 'tomorrow bogota will': 924043, 'bogota will be': 133999, 'be on complete': 116190, 'on complete curfew': 600000, 'complete curfew for': 192081, 'curfew for day': 220881, 'for day so': 320584, 'day so today': 228370, 'so today have': 778549, 'today have to': 919620, 'have to stock': 383309, 'on food so': 600909, 'food so glad': 316653, 'so glad have': 777171, 'glad have nice': 351497, 'have nice apartment': 381600, 'nice apartment during': 562344, 'apartment during this': 81401, 'during this so': 263319, 'this so have': 890218, 'so have space': 777264, 'have space to': 382670, 'space to exercise': 787176, 'guilty': 368544, 'need laugh': 555143, 'laugh guilty': 481727, 'guilty toiletpaper': 368575, 'all need laugh': 43600, 'need laugh guilty': 555145, 'laugh guilty toiletpaper': 481728, 'bbva': 113212, 'bbva is': 113213, 'is offering': 450413, 'offering special': 595254, 'special assistance': 787858, 'assistance to': 96750, 'and small': 71772, 'customer impacted': 222485, 'the ongoing': 862237, 'ongoing pandemic': 607668, 'pandemic read': 636295, 'bbva is offering': 113214, 'is offering special': 450427, 'offering special assistance': 595255, 'special assistance to': 787859, 'assistance to consumer': 96754, 'to consumer and': 903265, 'consumer and small': 196243, 'and small business': 71774, 'small business customer': 774853, 'business customer impacted': 143612, 'customer impacted by': 222486, 'impacted by the': 418090, 'by the ongoing': 154397, 'the ongoing pandemic': 862252, 'ongoing pandemic read': 607671, 'pandemic read more': 636297, 'quick': 694265, 'seemed': 746712, 'brushing': 141373, 'annoyed': 77344, 'speak': 787681, 'so went': 778701, 'make quick': 510377, 'quick run': 694361, 'and someone': 71981, 'someone seemed': 784641, 'seemed to': 746726, 'no care': 563763, 'care in': 164019, 'world about': 1009257, 'being close': 124954, 'that person': 845717, 'wa brushing': 961755, 'brushing up': 141374, 'up against': 944240, 'against other': 37569, 'and once': 68076, 'once person': 605689, 'wa so': 963250, 'so annoyed': 776519, 'annoyed they': 77357, 'they yelled': 883962, 'yelled hello': 1015236, 'hello social': 389219, 'distance way': 246883, 'to speak': 914959, 'speak up': 787722, 'so went to': 778703, 'went to make': 979172, 'to make quick': 909725, 'make quick run': 510381, 'quick run to': 694362, 'run to grocery': 727843, 'store and someone': 806352, 'and someone seemed': 71987, 'someone seemed to': 784642, 'seemed to have': 746729, 'to have no': 907284, 'have no care': 381611, 'no care in': 563764, 'care in the': 164022, 'the world about': 871804, 'world about being': 1009258, 'about being close': 24863, 'being close to': 124955, 'close to people': 182914, 'to people that': 911640, 'people that person': 649775, 'that person wa': 845725, 'person wa brushing': 652686, 'wa brushing up': 961756, 'brushing up against': 141375, 'up against other': 944244, 'against other people': 37571, 'other people and': 620656, 'people and once': 646877, 'and once person': 68079, 'once person wa': 605690, 'person wa so': 652691, 'wa so annoyed': 963251, 'so annoyed they': 776520, 'annoyed they yelled': 77358, 'they yelled hello': 883963, 'yelled hello social': 1015237, 'hello social distance': 389220, 'social distance way': 779531, 'distance way to': 246884, 'way to speak': 970098, 'to speak up': 914965, 'supermarket dress': 820021, 'dress code': 258660, 'code pandemic': 185390, 'pandemic line': 635891, 'supermarket dress code': 820022, 'dress code pandemic': 258661, 'code pandemic line': 185391, 'minionworld': 533311, 'stealing': 799220, 'minion': 533302, 'meme': 528292, 'parody': 642187, 'cartoon': 165496, 'animation': 76725, 'minionworld stealing': 533312, 'stealing toiletpaper': 799263, 'toiletpaper is': 922133, 'not crime': 568929, 'crime via': 216807, 'via minion': 956079, 'minion meme': 533303, 'meme parody': 528348, 'parody joke': 642192, 'joke cartoon': 467067, 'cartoon animation': 165497, 'animation fun': 76730, 'minionworld stealing toiletpaper': 533313, 'stealing toiletpaper is': 799264, 'toiletpaper is not': 922139, 'is not crime': 450055, 'not crime via': 568930, 'crime via minion': 216808, 'via minion meme': 956080, 'minion meme parody': 533304, 'meme parody joke': 528350, 'parody joke cartoon': 642193, 'joke cartoon animation': 467068, 'cartoon animation fun': 165498, 'worsening': 1011087, 'unknown': 942518, 'fool': 318283, 'overstock': 631547, 'basic necessity': 111985, 'necessity will': 554296, 'will encourage': 993298, 'encourage the': 275633, 'the black': 849739, 'black market': 132086, 'market further': 516449, 'further worsening': 342209, 'worsening the': 1011103, 'situation in': 772315, 'our city': 622370, 'city small': 179366, 'small bottle': 774814, 'of disinfectant': 582683, 'disinfectant from': 245670, 'from unknown': 338187, 'unknown brand': 942519, 'brand sell': 137997, 'sell for': 748728, 'for insane': 322593, 'insane price': 439059, 'the fool': 855648, 'fool who': 318308, 'who try': 989834, 'to overstock': 911319, 'overstock and': 631548, 'and basic necessity': 58721, 'basic necessity will': 112006, 'necessity will encourage': 554298, 'will encourage the': 993301, 'encourage the black': 275634, 'the black market': 849742, 'black market further': 132089, 'market further worsening': 516450, 'further worsening the': 342210, 'worsening the situation': 1011105, 'the situation in': 867259, 'situation in our': 772323, 'in our city': 426269, 'our city small': 622377, 'city small bottle': 179367, 'small bottle of': 774815, 'bottle of disinfectant': 136279, 'of disinfectant from': 582686, 'disinfectant from unknown': 245672, 'from unknown brand': 338188, 'unknown brand sell': 942521, 'brand sell for': 137999, 'sell for insane': 748731, 'for insane price': 322594, 'insane price thanks': 439064, 'price thanks to': 676789, 'to the fool': 916720, 'the fool who': 855649, 'fool who try': 318311, 'who try to': 989835, 'try to overstock': 934645, 'to overstock and': 911320, 'overstock and panic': 631551, 'and panic buy': 68646, 'outfit': 628937, 'be my': 116036, 'my new': 549452, 'new outfit': 559242, 'outfit to': 628950, 'store sundaythoughts': 810446, 'sundaythoughts quarantinediaries': 818345, 'this will be': 891405, 'will be my': 992567, 'be my new': 116039, 'my new outfit': 549468, 'new outfit to': 559244, 'outfit to the': 628951, 'grocery store sundaythoughts': 365822, 'store sundaythoughts quarantinediaries': 810447, 'on business': 599733, '19 on business': 8932, 'on business and': 599736, 'and consumer in': 60391, 'consumer in europe': 197819, 'construction': 195781, 'island': 454277, 'please stop': 660564, 'stop construction': 804582, 'construction in': 195798, 'york live': 1016631, 'long island': 501458, 'island city': 454280, 'city where': 179452, 'of construction': 581691, 'construction going': 195796, 'feel safe': 302823, 'safe walking': 730105, 'walking to': 965114, 'pharmacy or': 654395, 'or grocery': 615522, 'store because': 806672, 'worker walking': 1008115, 'walking around': 965018, 'please stop construction': 660573, 'stop construction in': 804583, 'construction in new': 195799, 'new york live': 559937, 'york live in': 1016632, 'live in long': 495873, 'in long island': 424910, 'long island city': 501460, 'island city where': 454281, 'city where there': 179454, 'lot of construction': 504161, 'of construction going': 581692, 'construction going on': 195797, 'going on and': 355300, 'on and do': 599349, 'and do not': 61557, 'not feel safe': 569385, 'feel safe walking': 302830, 'safe walking to': 730106, 'walking to the': 965115, 'to the pharmacy': 916952, 'the pharmacy or': 863658, 'pharmacy or grocery': 654399, 'or grocery store': 615528, 'grocery store because': 365242, 'store because of': 806683, 'because of all': 119305, 'of all the': 579982, 'all the worker': 44987, 'the worker walking': 871768, 'worker walking around': 1008116, 'corn': 203554, 'noting': 573569, 'factor': 295863, 'influencing': 437350, 'kansa corn': 470808, 'corn price': 203580, '19 dan': 6414, 'brien provides': 139772, 'provides updated': 686908, 'updated discussion': 947362, 'the corn': 851737, 'corn market': 203574, '19 noting': 8841, 'noting other': 573574, 'other several': 620894, 'several factor': 753846, 'factor that': 295899, 'are influencing': 87538, 'influencing the': 437358, 'market well': 517326, 'kansa corn price': 470809, 'corn price cost': 203582, 'covid 19 dan': 212908, '19 dan brien': 6415, 'dan brien provides': 225525, 'brien provides updated': 139774, 'provides updated discussion': 686909, 'updated discussion of': 947363, 'discussion of the': 245031, 'of the corn': 590893, 'the corn market': 851738, 'corn market in': 203575, 'market in the': 516575, 'covid 19 noting': 213487, '19 noting other': 8842, 'noting other several': 573575, 'other several factor': 620895, 'several factor that': 753847, 'factor that are': 295900, 'that are influencing': 842768, 'are influencing the': 87539, 'influencing the market': 437360, 'the market well': 860175, 'madrid': 508229, 'christ people': 178084, 'are queuing': 89389, 'in front': 423131, 'supermarket here': 820744, 'in madrid': 424979, 'madrid do': 508233, 'know if': 476467, 'it because': 456745, 'that full': 843972, 'full or': 340782, 'or only': 616395, 'only amount': 610083, 'are allowed': 84377, 'allowed inside': 46171, 'inside at': 439227, 'time now': 897294, 'now 19': 573893, 'christ people are': 178085, 'people are queuing': 647052, 'are queuing up': 89392, 'queuing up on': 694242, 'up on the': 945627, 'the street in': 868232, 'street in front': 812994, 'in front of': 423133, 'front of the': 338648, 'of the supermarket': 591511, 'the supermarket here': 868629, 'supermarket here in': 820745, 'here in madrid': 393158, 'in madrid do': 424980, 'madrid do not': 508234, 'not know if': 570296, 'know if it': 476477, 'if it because': 414288, 'it because it': 456750, 'because it that': 119207, 'it that full': 461489, 'that full or': 843974, 'full or only': 340784, 'or only amount': 616396, 'only amount of': 610084, 'amount of people': 53246, 'of people are': 587874, 'people are allowed': 646922, 'are allowed inside': 84380, 'allowed inside at': 46173, 'inside at time': 439228, 'at time now': 101300, 'time now 19': 897295, 'approval': 83083, 'convalescent': 202301, 'plasma': 658778, 'therapy': 877910, 'methodist': 529805, 'eind': 270221, 'news grant': 560481, 'grant first': 362024, 'first approval': 308513, 'approval of': 83094, 'of convalescent': 581854, 'convalescent plasma': 202302, 'plasma therapy': 658781, 'therapy in': 877920, 'in patient': 426549, 'patient houston': 644185, 'houston methodist': 407208, 'methodist first': 529806, 'first to': 309123, 'receive eind': 703468, 'eind approval': 270222, 'approval for': 83090, 'for convalescent': 320339, 'plasma in': 658779, 'in individual': 424072, 'individual patient': 435235, 'good news grant': 357446, 'news grant first': 560482, 'grant first approval': 362025, 'first approval of': 308514, 'approval of convalescent': 83096, 'of convalescent plasma': 581855, 'convalescent plasma therapy': 202304, 'plasma therapy in': 658782, 'therapy in patient': 877921, 'in patient houston': 426550, 'patient houston methodist': 644186, 'houston methodist first': 407209, 'methodist first to': 529807, 'first to receive': 309130, 'to receive eind': 912915, 'receive eind approval': 703469, 'eind approval for': 270223, 'approval for convalescent': 83093, 'for convalescent plasma': 320340, 'convalescent plasma in': 202303, 'plasma in individual': 658780, 'in individual patient': 424073, 'medium omg': 527193, 'omg everyone': 598896, 'everyone panicking': 287253, 'panicking people': 639368, 'panic including': 638209, 'buying medium': 150715, 'medium look': 527169, 'all these': 45019, 'these selfish': 880643, 'selfish bastard': 748015, 'bastard panic': 112489, 'buying look': 150677, 'look get': 502384, 'it stophoarding': 461274, 'stophoarding but': 805366, 'but an': 145178, 'an irresponsible': 56465, 'irresponsible uk': 445088, 'uk medium': 938545, 'medium ha': 527124, 'ha led': 371122, 'led people': 485253, 'not hate': 569804, 'hate educate': 378879, 'medium omg everyone': 527194, 'omg everyone panicking': 598898, 'everyone panicking people': 287256, 'panicking people panic': 639370, 'people panic including': 649056, 'panic including panic': 638210, 'including panic buying': 432101, 'panic buying medium': 637807, 'buying medium look': 150716, 'medium look at': 527170, 'look at all': 502253, 'at all these': 97912, 'all these selfish': 45054, 'these selfish bastard': 880644, 'selfish bastard panic': 748019, 'bastard panic buying': 112490, 'panic buying look': 637800, 'buying look get': 150679, 'look get it': 502385, 'get it stophoarding': 347425, 'it stophoarding but': 461275, 'stophoarding but an': 805367, 'but an irresponsible': 145182, 'an irresponsible uk': 56466, 'irresponsible uk medium': 445089, 'uk medium ha': 938547, 'medium ha led': 527126, 'ha led people': 371123, 'led people to': 485254, 'people to do': 649894, 'do it do': 249472, 'it do not': 457602, 'do not hate': 249752, 'not hate educate': 569806, 'scale': 739866, 'citizen are': 178843, 'leave their': 484981, 'home and': 400608, 'at local': 99599, 'for everyday': 321188, 'everyday food': 286557, 'item which': 463814, 'infection is': 436777, 'is high': 448438, 'high online': 395202, 'online retailer': 608875, 'retailer cannot': 719064, 'cannot scale': 162076, 'scale their': 739916, 'operation to': 613276, 'demand of': 235940, 'of billion': 580708, 'billion citizen': 130791, 'citizen are forced': 178847, 'to leave their': 909164, 'leave their home': 484982, 'their home and': 873557, 'home and stand': 400690, 'and stand in': 72218, 'stand in line': 793531, 'in line at': 424744, 'line at local': 492986, 'at local store': 99609, 'local store for': 498462, 'store for everyday': 807801, 'for everyday food': 321189, 'everyday food item': 286558, 'food item which': 315242, 'item which are': 463815, 'which are at': 985670, 'are at risk': 84680, 'at risk and': 100337, 'risk and the': 723378, 'and the risk': 73558, 'of infection is': 585166, 'infection is high': 436780, 'is high online': 448448, 'high online retailer': 395203, 'online retailer cannot': 608880, 'retailer cannot scale': 719066, 'cannot scale their': 162077, 'scale their operation': 739917, 'their operation to': 874121, 'operation to meet': 613283, 'to meet the': 910055, 'meet the demand': 527596, 'the demand of': 853102, 'demand of billion': 235943, 'of billion citizen': 580710, 'introduce': 443377, 'breaking introduce': 138978, 'introduce bill': 443378, 'bill to': 130700, 'to during': 904807, 'breaking introduce bill': 138979, 'introduce bill to': 443379, 'bill to during': 130701, 'to during crisis': 904808, 'epra': 279572, 'revoke': 720711, 'license': 488121, 'hiked': 396303, 'liquefied': 494069, 'epra to': 279573, 'to revoke': 913509, 'revoke license': 720712, 'license of': 488147, 'of trader': 592400, 'trader found': 928683, 'found to': 330441, 'have hiked': 380948, 'hiked liquefied': 396324, 'liquefied petroleum': 494072, 'petroleum gas': 653815, 'gas lpg': 343894, 'price kenya': 674989, 'kenya battle': 472886, 'epra to revoke': 279574, 'to revoke license': 913510, 'revoke license of': 720713, 'license of trader': 488151, 'of trader found': 592402, 'trader found to': 928684, 'found to have': 330443, 'to have hiked': 907252, 'have hiked liquefied': 380949, 'hiked liquefied petroleum': 396325, 'liquefied petroleum gas': 494073, 'petroleum gas lpg': 653816, 'gas lpg price': 343895, 'lpg price kenya': 506324, 'price kenya battle': 674990, 'kenya battle with': 472887, 'battle with covid': 112843, 'baymen': 113005, 'catch': 166972, 'one new': 606713, 'york fish': 1016613, 'fish seller': 309337, 'seller ha': 749028, 'ha told': 372336, 'told local': 923593, 'local baymen': 497727, 'baymen to': 113006, 'stop fishing': 804655, 'fishing until': 309422, 'until demand': 943720, 'demand catch': 235111, 'catch up': 167046, 'supply amidst': 824688, 'one new york': 606716, 'new york fish': 559929, 'york fish seller': 1016614, 'fish seller ha': 309338, 'seller ha told': 749029, 'ha told local': 372338, 'told local baymen': 923594, 'local baymen to': 497728, 'baymen to stop': 113007, 'to stop fishing': 915524, 'stop fishing until': 804656, 'fishing until demand': 309423, 'until demand catch': 943721, 'demand catch up': 235112, 'catch up with': 167055, 'up with supply': 946688, 'with supply amidst': 1001076, 'supply amidst the': 824689, 'amidst the outbreak': 52829, 'boosted': 135041, 'entirely': 278783, 'with help': 998764, 'help from': 389766, 'from new': 336566, 'distillery is': 247770, 'is switching': 452516, 'switching gear': 830561, 'gear to': 344995, 'have either': 380416, 'either boosted': 270263, 'boosted production': 135051, 'or reprogrammed': 616858, 'reprogrammed entirely': 712994, 'entirely during': 278789, 'with help from': 998765, 'help from new': 389774, 'from new peoria': 336568, 'peoria distillery is': 650629, 'distillery is switching': 247774, 'is switching gear': 452517, 'switching gear to': 830563, 'gear to make': 344997, 'make sanitizer it': 510422, 'sanitizer it just': 735228, 'example of business': 288927, 'of business that': 580970, 'business that have': 144479, 'that have either': 844206, 'have either boosted': 380417, 'either boosted production': 270264, 'boosted production or': 135052, 'production or reprogrammed': 682174, 'or reprogrammed entirely': 616859, 'reprogrammed entirely during': 712995, 'entirely during the': 278790, 'wanna': 965611, 'frequented': 332832, 'skeeves': 772850, 'just wanna': 470216, 'wanna say': 965665, 'say hi': 738752, 'hi to': 394760, 'their 60': 872438, '60 they': 21015, 'they work': 883919, 'other grocery': 620315, 'worker we': 1008137, 'still out': 801005, 'there for': 878401, 'for just': 322785, 'the thought': 869497, 'thought of': 893139, 'most frequented': 542340, 'frequented place': 332833, 'place during': 657416, 'this skeeves': 890203, 'skeeves me': 772851, 'me out': 523295, 'just wanna say': 470219, 'wanna say hi': 965666, 'say hi to': 738755, 'hi to my': 394762, 'to my parent': 910428, 'my parent who': 549707, 'parent who are': 641777, 'are in their': 87449, 'in their 60': 429710, 'their 60 they': 872440, '60 they work': 21016, 'they work in': 883922, 'store and all': 806191, 'the other grocery': 862530, 'other grocery store': 620320, 'store worker we': 811618, 'worker we appreciate': 1008138, 'appreciate you still': 82790, 'you still out': 1021410, 'still out there': 801012, 'out there for': 627481, 'there for just': 878405, 'for just the': 322797, 'just the thought': 470016, 'the thought of': 869500, 'thought of having': 893144, 'having to be': 384332, 'be in the': 115439, 'in the most': 429374, 'the most frequented': 860988, 'most frequented place': 542341, 'frequented place during': 332834, 'place during this': 657419, 'during this skeeves': 263318, 'this skeeves me': 890204, 'skeeves me out': 772852, 'dmv': 248962, 'dedicated': 231692, 'getupdc': 349477, 'the dmv': 853440, 'dmv have': 248965, 'have set': 382483, 'set specific': 753471, 'specific hour': 788217, 'and date': 60957, 'date dedicated': 226617, 'dedicated to': 231743, 'to senior': 914230, 'senior to': 750424, 'from exposure': 335373, 'to large': 909039, 'large group': 479680, 'people getupdc': 648069, 'store in the': 808401, 'in the dmv': 429141, 'the dmv have': 853441, 'dmv have set': 248966, 'have set specific': 382489, 'set specific hour': 753472, 'specific hour and': 788218, 'hour and date': 405395, 'and date dedicated': 60958, 'date dedicated to': 226618, 'dedicated to senior': 231749, 'to senior to': 914238, 'senior to protect': 750430, 'to protect them': 912338, 'protect them from': 685005, 'them from exposure': 875749, 'from exposure to': 335374, 'exposure to large': 293010, 'to large group': 909044, 'large group of': 479684, 'group of people': 366799, 'of people getupdc': 587918, 'dhl': 240118, 'expensive': 291215, 'on shipping': 603420, 'shipping price': 758892, 'my store': 550213, '19 unfortunately': 11633, 'unfortunately dhl': 941589, 'dhl prohibits': 240121, 'prohibits the': 683461, 'use of': 949396, 'eu package': 283254, 'package so': 633398, 'the international': 858360, 'international package': 441838, 'package service': 633388, 'service which': 753067, 'is little': 449397, 'more expensive': 539175, 'expensive ll': 291265, 'for when': 327817, 'drop again': 260111, 'again and': 36882, 'and exchange': 62459, 'exchange it': 289456, 'it in': 458721, 'update on shipping': 947132, 'on shipping price': 603421, 'shipping price in': 758894, 'price in my': 674711, 'in my store': 425632, 'my store due': 550219, 'covid 19 unfortunately': 213999, '19 unfortunately dhl': 11634, 'unfortunately dhl prohibits': 941591, 'dhl prohibits the': 240122, 'prohibits the use': 683462, 'the use of': 870568, 'use of eu': 949407, 'of eu package': 583205, 'eu package so': 283255, 'package so have': 633399, 'so have to': 777266, 'have to use': 383331, 'to use the': 918071, 'use the international': 949675, 'the international package': 858370, 'international package service': 441839, 'package service which': 633389, 'service which is': 753069, 'which is little': 986025, 'is little more': 449403, 'little more expensive': 495463, 'more expensive ll': 539180, 'expensive ll keep': 291266, 'll keep an': 496865, 'eye out for': 294092, 'out for when': 626172, 'for when the': 327821, 'when the price': 984187, 'the price drop': 864344, 'price drop again': 673557, 'drop again and': 260112, 'again and exchange': 36887, 'and exchange it': 62460, 'exchange it in': 289457, 'it in the': 458748, 'pass': 643198, 'lockout': 500522, 'harsh': 378555, 'penalty': 646434, 'corrupt': 207654, 'punish': 689214, 'voter': 960570, 'three thing': 894068, 'thing need': 884610, 'happen after': 377051, 'crisis pass': 217854, 'pass absolute': 643200, 'absolute lockout': 27254, 'lockout of': 500527, 'all chinese': 42342, 'chinese product': 177330, 'product trade': 681779, 'war run': 966528, 'run by': 727589, 'by consumer': 152181, 'consumer harsh': 197702, 'harsh penalty': 378562, 'penalty against': 646437, 'against corrupt': 37397, 'corrupt medium': 207663, 'medium again': 526978, 'again consumer': 36953, 'consumer driven': 197246, 'driven and': 259272, 'and punish': 69776, 'punish corrupt': 689219, 'corrupt politician': 207667, 'politician voter': 663754, 'voter driven': 960577, 'three thing need': 894071, 'thing need to': 884612, 'need to happen': 555956, 'to happen after': 907146, 'happen after this': 377054, 'after this crisis': 36403, 'this crisis pass': 887073, 'crisis pass absolute': 217855, 'pass absolute lockout': 643201, 'absolute lockout of': 27255, 'lockout of all': 500528, 'of all chinese': 579932, 'all chinese product': 42344, 'chinese product trade': 177332, 'product trade war': 681780, 'trade war run': 928613, 'war run by': 966529, 'run by consumer': 727593, 'by consumer harsh': 152186, 'consumer harsh penalty': 197703, 'harsh penalty against': 378563, 'penalty against corrupt': 646438, 'against corrupt medium': 37398, 'corrupt medium again': 207664, 'medium again consumer': 526979, 'again consumer driven': 36955, 'consumer driven and': 197248, 'driven and punish': 259273, 'and punish corrupt': 69777, 'punish corrupt politician': 689220, 'corrupt politician voter': 207669, 'politician voter driven': 663755, 'todo': 920625, 'est': 281982, 'mal': 511532, 'gain': 342744, 'no todo': 565750, 'todo est': 920628, 'est mal': 281997, 'mal food': 511533, 'delivery stock': 234578, 'stock set': 802820, 'to gain': 906350, 'gain covid': 342764, 'lockdown boost': 499199, 'boost demand': 134940, 'no todo est': 565751, 'todo est mal': 920629, 'est mal food': 281998, 'mal food delivery': 511534, 'food delivery stock': 314147, 'delivery stock set': 234580, 'stock set to': 802821, 'set to gain': 753520, 'to gain covid': 906351, 'gain covid 19': 342765, '19 lockdown boost': 8371, 'lockdown boost demand': 499200, 'trumpkins': 934066, 'cleared': 181404, 'aquarium': 83776, 'consuming': 199796, 'unlabeled': 942555, 'yet thousand': 1016281, 'of trumpkins': 592481, 'trumpkins cleared': 934067, 'cleared out': 181424, 'out every': 626027, 'every aquarium': 285671, 'aquarium supplier': 83779, 'supplier in': 824555, 'country my': 210915, 'my guess': 548587, 'guess is': 367991, 'that lot': 844953, 'them are': 875413, 'are used': 91396, 'to consuming': 903348, 'consuming unlabeled': 199808, 'unlabeled pharmaceutical': 942556, 'yet thousand of': 1016282, 'thousand of trumpkins': 893471, 'of trumpkins cleared': 592482, 'trumpkins cleared out': 934068, 'cleared out every': 181427, 'out every aquarium': 626028, 'every aquarium supplier': 285672, 'aquarium supplier in': 83780, 'supplier in the': 824557, 'the country my': 852120, 'country my guess': 210916, 'my guess is': 548590, 'guess is that': 367993, 'is that lot': 452663, 'that lot of': 844956, 'lot of them': 504304, 'of them are': 591723, 'them are used': 875421, 'are used to': 91399, 'used to consuming': 950045, 'to consuming unlabeled': 903349, 'consuming unlabeled pharmaceutical': 199809, 'neart': 553880, 'cur': 220523, 'cheile': 175294, 'neart go': 553881, 'go cur': 353436, 'cur le': 220524, 'le cheile': 482873, 'cheile home': 175295, 'home day': 400988, 'neart go cur': 553882, 'go cur le': 353437, 'cur le cheile': 220525, 'le cheile home': 482874, 'cheile home day': 175296, 'home day in': 400990, 'dublin supermarket during': 261519, 'supermarket during covid': 820050, '9400': 23556, 'jeez': 464990, 'seems little': 746823, 'little point': 495523, 'point grocery': 662498, 'online if': 608385, 'nh frontline': 561961, 'frontline in': 338766, 'queue of': 694016, 'of over': 587615, 'over 9400': 629943, '9400 jeez': 23557, 'jeez staysafe': 464995, 'there seems little': 879028, 'seems little point': 746824, 'little point grocery': 495524, 'point grocery shopping': 662499, 'grocery shopping online': 365060, 'shopping online if': 763445, 'online if you': 608391, 'you are working': 1017292, 'are working in': 91700, 'working in the': 1008734, 'the nh frontline': 861741, 'nh frontline in': 561962, 'frontline in queue': 338767, 'in queue of': 427223, 'queue of over': 694020, 'of over 9400': 587620, 'over 9400 jeez': 629944, '9400 jeez staysafe': 23558, 'when is': 983611, 'time trump': 898138, 'trump went': 933970, 'when is the': 983620, 'is the last': 452844, 'last time trump': 480574, 'time trump went': 898142, 'trump went to': 933971, 'went to grocery': 979157, 'suburban': 816133, 'symbol': 830761, 'fitting': 309552, 'coach': 185041, 'ensemble': 277857, 'healthcareworker': 387428, 'wearing mask': 974677, 'public ha': 688045, 'ha become': 369668, 'become suburban': 120144, 'suburban status': 816141, 'status symbol': 796693, 'symbol if': 830766, 'if see': 414757, 'see another': 744910, 'another wearing': 77966, 'wearing the': 974796, 'the ill': 857870, 'ill fitting': 416118, 'fitting n95': 309557, 'n95 with': 551239, 'with coach': 997682, 'coach bag': 185042, 'bag ensemble': 108274, 'ensemble at': 277858, 'store swear': 810490, 'swear healthcareworker': 830034, 'wearing mask in': 974693, 'in public ha': 427081, 'public ha become': 688046, 'ha become suburban': 369698, 'become suburban status': 120145, 'suburban status symbol': 816142, 'status symbol if': 796694, 'symbol if see': 830767, 'if see another': 414759, 'see another wearing': 744913, 'another wearing the': 77967, 'wearing the ill': 974799, 'the ill fitting': 857871, 'ill fitting n95': 416119, 'fitting n95 with': 309558, 'n95 with coach': 551240, 'with coach bag': 997683, 'coach bag ensemble': 185043, 'bag ensemble at': 108275, 'ensemble at the': 277859, 'grocery store swear': 365833, 'store swear healthcareworker': 810491, 'who knew': 989165, 'knew that': 476072, 'most dangerous': 542235, 'dangerous place': 225761, 'place now': 657594, 'now go': 574795, 'to is': 908518, 'who knew that': 989171, 'knew that the': 476077, 'that the most': 846777, 'the most dangerous': 860968, 'most dangerous place': 542237, 'dangerous place now': 225762, 'place now go': 657597, 'now go to': 574796, 'go to is': 354322, 'to is the': 908530, 'is the grocery': 452814, 'pawed': 644681, 'tortilla': 926044, 'hey look': 394453, 'look what': 502665, 'wa pawed': 962917, 'pawed through': 644682, 'through at': 894341, 'store the': 810584, 'the flour': 855440, 'flour tortilla': 311178, 'tortilla were': 926052, 'were gone': 979690, 'gone except': 356271, 'one sad': 606980, 'sad little': 729189, 'little pack': 495510, 'of gluten': 584168, 'free tortilla': 332262, 'tortilla so': 926050, 'so at': 776562, 'least my': 484567, 'neighbor have': 557027, 'their standard': 874809, 'standard during': 793652, 'pandemic shelterinplace': 636436, 'hey look what': 394455, 'look what wa': 502672, 'what wa pawed': 982520, 'wa pawed through': 962918, 'pawed through at': 644683, 'through at our': 894343, 'at our grocery': 100014, 'grocery store the': 365849, 'store the flour': 810598, 'the flour tortilla': 855443, 'flour tortilla were': 311179, 'tortilla were gone': 926053, 'were gone except': 979694, 'gone except for': 356272, 'except for one': 289166, 'for one sad': 324091, 'one sad little': 606981, 'sad little pack': 729190, 'little pack of': 495511, 'pack of gluten': 633102, 'of gluten free': 584169, 'gluten free tortilla': 353130, 'free tortilla so': 332263, 'tortilla so at': 926051, 'so at least': 776565, 'at least my': 99528, 'least my neighbor': 484570, 'my neighbor have': 549428, 'neighbor have their': 557030, 'have their standard': 383062, 'their standard during': 874810, 'standard during pandemic': 793653, 'during pandemic shelterinplace': 262891, 'gurbir': 368815, 'grewal': 363866, 'attorney general': 102621, 'general gurbir': 345342, 'gurbir grewal': 368816, 'grewal said': 363869, 'nation largest': 552240, 'largest online': 479993, 'online marketplace': 608527, 'marketplace must': 517819, 'protect consumer': 684799, 'attorney general gurbir': 102639, 'general gurbir grewal': 345343, 'gurbir grewal said': 368818, 'grewal said the': 363870, 'said the nation': 731445, 'the nation largest': 861246, 'nation largest online': 552242, 'largest online marketplace': 479994, 'online marketplace must': 608528, 'marketplace must do': 517820, 'must do more': 546630, 'to protect consumer': 912297, 'protect consumer during': 684804, 'consumer during the': 197272, 'supermaarket': 818710, 'thankyouecommerce': 842368, 'flipkart': 310605, 'me is': 522993, 'is god': 448080, 'god because': 354651, 'because in': 119158, 'area all': 91922, 'all supermaarket': 44537, 'supermaarket and': 818711, 'are close': 85323, 'close by': 182580, 'by government': 152707, 'government but': 359952, 'but thankyouecommerce': 147277, 'thankyouecommerce and': 842369, 'and flipkart': 62972, 'flipkart who': 310628, 'who help': 988984, 'help lot': 390021, 'get my': 347624, 'my baby': 547365, 'some baby': 782364, 'baby diaper': 106593, 'for me is': 323318, 'me is god': 522997, 'is god because': 448082, 'god because in': 354652, 'because in my': 119161, 'my area all': 547290, 'area all supermaarket': 91923, 'all supermaarket and': 44538, 'supermaarket and grocery': 818712, 'and grocery store': 64003, 'store are close': 806463, 'are close by': 85325, 'close by government': 182583, 'by government but': 152709, 'government but thankyouecommerce': 359955, 'but thankyouecommerce and': 147278, 'thankyouecommerce and flipkart': 842370, 'and flipkart who': 62973, 'flipkart who help': 310629, 'who help lot': 988987, 'help lot to': 390023, 'lot to get': 504392, 'to get my': 906541, 'get my baby': 347626, 'my baby food': 547366, 'baby food and': 106603, 'food and some': 313337, 'and some baby': 71952, 'some baby diaper': 782365, 'coronabelgie': 204447, 'coronabelgie not': 204448, 'not such': 571793, 'such big': 816367, 'big fan': 129778, 'fan of': 298526, 'of limiting': 585865, 'limiting access': 492800, 'shop this': 760924, 'this measure': 888824, 'measure is': 525243, 'fuel the': 340293, 'panic hoarding': 638178, 'hoarding is': 399386, 'get much': 347617, 'much much': 545135, 'much worse': 545471, 'worse better': 1010884, 'better rule': 128451, 'rule would': 727416, 'be to': 117725, 'to limit': 909279, 'limit purchasing': 492468, 'purchasing per': 689901, 'per citizen': 650766, 'citizen and': 178827, 'and increase': 65101, 'increase opening': 432960, 'opening hour': 612845, 'coronabelgie not such': 204449, 'not such big': 571794, 'such big fan': 816370, 'big fan of': 129779, 'fan of limiting': 298528, 'of limiting access': 585866, 'limiting access to': 492801, 'access to food': 28235, 'to food shop': 906096, 'food shop this': 316495, 'shop this measure': 760927, 'this measure is': 888825, 'measure is going': 525244, 'going to fuel': 355606, 'to fuel the': 906294, 'fuel the panic': 340294, 'the panic hoarding': 863209, 'panic hoarding is': 638180, 'hoarding is going': 399390, 'to get much': 906540, 'get much much': 347619, 'much much worse': 545138, 'much worse better': 545473, 'worse better rule': 1010885, 'better rule would': 128452, 'rule would be': 727417, 'would be to': 1011661, 'be to limit': 117731, 'to limit purchasing': 909298, 'limit purchasing per': 492469, 'purchasing per citizen': 689902, 'per citizen and': 650767, 'citizen and increase': 178834, 'and increase opening': 65105, 'increase opening hour': 432961, 'timing': 898504, 'if can': 413921, 'can update': 160082, 'update store': 947226, 'store timing': 810744, 'timing so': 898518, 'support small': 826818, 'small grocery': 774973, 'still open': 800947, 're on': 699176, 'lockdown but': 499210, 'nice if can': 562418, 'if can update': 413935, 'can update store': 160083, 'update store timing': 947227, 'store timing so': 810745, 'timing so to': 898519, 'so to support': 778544, 'to support small': 915967, 'support small grocery': 826822, 'small grocery store': 774975, 'store that are': 810544, 'that are still': 842818, 'are still open': 90456, 'still open we': 800979, 'open we re': 612654, 'we re on': 972928, 're on lockdown': 699178, 'on lockdown but': 601907, 'lockdown but still': 499214, 'but still need': 147173, 'still need supply': 800860, 'ap': 81195, 'profile': 682603, 'ap profile': 81210, 'profile critical': 682609, 'critical grocery': 218568, 'worker amid': 1006246, 'ap profile critical': 81211, 'profile critical grocery': 682610, 'critical grocery store': 218569, 'store worker amid': 811450, 'worker amid pandemic': 1006247, 'fellow': 303262, 'rooster': 726006, 'rude': 727027, 'storefight': 811727, 'asked this': 95852, 'this evening': 887429, 'evening at': 284854, 'by an': 151819, 'an angry': 55307, 'angry fellow': 76471, 'fellow if': 303301, 'if like': 414377, 'like cock': 490026, 'cock meat': 185218, 'meat sandwich': 525728, 'sandwich didn': 733737, 'didn see': 241189, 'any rooster': 79770, 'rooster meat': 726007, 'meat there': 525773, 'there and': 877995, 'and he': 64311, 'he seemed': 385414, 'seemed upset': 746731, 'upset took': 947830, 'took chicken': 925222, 'chicken from': 175789, 'from his': 335809, 'his cart': 397280, 'cart rude': 165374, 'rude meat': 727045, 'meat shopping': 525745, 'shopping rooster': 763781, 'rooster storefight': 726009, 'wa asked this': 961591, 'asked this evening': 95853, 'this evening at': 887432, 'evening at the': 284856, 'the supermarket by': 868502, 'supermarket by an': 819478, 'by an angry': 151820, 'an angry fellow': 55308, 'angry fellow if': 76472, 'fellow if like': 303302, 'if like cock': 414378, 'like cock meat': 490027, 'cock meat sandwich': 185219, 'meat sandwich didn': 525729, 'sandwich didn see': 733738, 'didn see any': 241190, 'see any rooster': 744925, 'any rooster meat': 79771, 'rooster meat there': 726008, 'meat there and': 525774, 'there and he': 878002, 'and he seemed': 64326, 'he seemed upset': 385415, 'seemed upset took': 746732, 'upset took chicken': 947831, 'took chicken from': 925223, 'chicken from his': 175790, 'from his cart': 335810, 'his cart rude': 397281, 'cart rude meat': 165375, 'rude meat shopping': 727046, 'meat shopping rooster': 525746, 'shopping rooster storefight': 763782, 'infowars': 438159, 'peddles': 646195, 'conspiracy': 195565, 'theory': 877840, 'aggressively': 38259, 'alex jones': 41578, 'jones seek': 467257, 'seek to': 746609, 'to profit': 912231, 'from fear': 335434, 'fear infowars': 301171, 'infowars far': 438160, 'far right': 298904, 'right medium': 721989, 'medium outlet': 527203, 'outlet that': 629064, 'that peddles': 845678, 'peddles conspiracy': 646196, 'conspiracy theory': 195578, 'theory is': 877851, 'is aggressively': 445421, 'aggressively selling': 38274, 'selling bulk': 749188, 'bulk food': 142302, 'package at': 633220, 'at inflated': 99299, 'price while': 677517, 'while spreading': 987308, 'spreading wild': 791093, 'wild conspiracy': 992049, 'theory about': 877843, 'alex jones seek': 41579, 'jones seek to': 467258, 'seek to profit': 746618, 'to profit from': 912232, 'profit from fear': 682735, 'from fear infowars': 335436, 'fear infowars far': 301172, 'infowars far right': 438161, 'far right medium': 298906, 'right medium outlet': 721990, 'medium outlet that': 527206, 'outlet that peddles': 629065, 'that peddles conspiracy': 845679, 'peddles conspiracy theory': 646197, 'conspiracy theory is': 195582, 'theory is aggressively': 877852, 'is aggressively selling': 445422, 'aggressively selling bulk': 38275, 'selling bulk food': 749189, 'bulk food package': 142303, 'food package at': 315731, 'package at inflated': 633221, 'at inflated price': 99300, 'inflated price while': 437084, 'price while spreading': 677526, 'while spreading wild': 987309, 'spreading wild conspiracy': 791094, 'wild conspiracy theory': 992050, 'conspiracy theory about': 195580, 'theory about the': 877844, 'fiverr': 309702, 'greeting': 363809, 'wix': 1003192, 'redesigned': 705693, 'oprahwinfrey': 613847, 'see my': 745448, 'my service': 550022, 'service on': 752648, 'on fiverr': 600813, 'fiverr with': 309703, 'best price': 127860, 'and quality': 69849, 'quality work': 691876, 'work hope': 1005262, 'will surely': 995036, 'surely enjoy': 827903, 'enjoy my': 277152, 'service greeting': 752426, 'greeting wix': 363818, 'wix business': 1003195, 'business website': 144646, 'website redesigned': 975397, 'redesigned in': 705694, 'in wix': 430957, 'wix californialockdown': 1003197, 'californialockdown oprahwinfrey': 155633, 'oprahwinfrey wix': 613848, 'wix website': 1003201, 'see my service': 745461, 'my service on': 550026, 'service on fiverr': 752650, 'on fiverr with': 600814, 'fiverr with the': 309705, 'with the best': 1001212, 'the best price': 849545, 'best price and': 127861, 'price and quality': 672513, 'and quality work': 69852, 'quality work hope': 691877, 'work hope you': 1005264, 'you will surely': 1022356, 'will surely enjoy': 995038, 'surely enjoy my': 827904, 'enjoy my service': 277154, 'my service greeting': 550025, 'service greeting wix': 752427, 'greeting wix business': 363819, 'wix business website': 1003196, 'business website redesigned': 144647, 'website redesigned in': 975398, 'redesigned in wix': 705695, 'in wix californialockdown': 430958, 'wix californialockdown oprahwinfrey': 1003198, 'californialockdown oprahwinfrey wix': 155634, 'oprahwinfrey wix website': 613849, 'guard': 367768, 'military': 531442, 'server': 752004, 'bravely': 138262, 'coronovirus': 207149, 'note of': 572765, 'gratitude to': 362395, 'those on': 892281, 'line such': 493432, 'worker cashier': 1006613, 'cashier supermarket': 166626, 'employee security': 274189, 'security guard': 744609, 'guard police': 367830, 'police military': 663092, 'military food': 531463, 'food industry': 315002, 'industry server': 436105, 'server etc': 752005, 'fighting against': 305027, 'covid 2019': 214117, '2019 gratitude': 13971, 'gratitude frontliners': 362372, 'frontliners real': 338898, 'real hero': 701195, 'hero combat': 393961, 'combat bravely': 186986, 'bravely coronovirus': 138263, 'note of gratitude': 572769, 'of gratitude to': 584311, 'gratitude to all': 362396, 'to all those': 900297, 'all those on': 45173, 'those on the': 892290, 'front line such': 338607, 'line such healthcare': 493433, 'such healthcare worker': 816547, 'healthcare worker cashier': 387350, 'worker cashier supermarket': 1006614, 'cashier supermarket employee': 166628, 'supermarket employee security': 820132, 'employee security guard': 274190, 'security guard police': 744622, 'guard police military': 367831, 'police military food': 663093, 'military food industry': 531464, 'food industry server': 315025, 'industry server etc': 436106, 'server etc who': 752006, 'etc who are': 282880, 'who are fighting': 988143, 'are fighting against': 86541, 'fighting against covid': 305029, 'against covid 2019': 37403, 'covid 2019 gratitude': 214118, '2019 gratitude frontliners': 13972, 'gratitude frontliners real': 362373, 'frontliners real hero': 338899, 'real hero combat': 701198, 'hero combat bravely': 393962, 'combat bravely coronovirus': 186987, 'ssp': 791673, 'absent': 27198, 'worker get': 1007019, 'get sick': 347986, 'sick only': 768548, 'only get': 610502, 'get ssp': 348098, 'ssp others': 791674, 'others who': 621780, 'work can': 1004966, 'get up': 348560, 'to 80': 899847, 'their wage': 875139, 'wage give': 963881, 'give key': 350558, 'worker 80': 1006191, 'wage if': 963897, 'if absent': 413770, 'absent due': 27199, 'supermarket worker get': 824028, 'worker get sick': 1007025, 'get sick only': 347998, 'sick only get': 768549, 'only get ssp': 610505, 'get ssp others': 348099, 'ssp others who': 791675, 'others who can': 621784, 'who can work': 988414, 'can work can': 160244, 'work can get': 1004969, 'can get up': 158469, 'get up to': 348568, 'up to 80': 946351, 'to 80 of': 899851, '80 of their': 22612, 'of their wage': 591714, 'their wage give': 875141, 'wage give key': 963882, 'give key worker': 350559, 'key worker 80': 473463, 'worker 80 of': 1006192, 'their wage if': 875144, 'wage if absent': 963898, 'if absent due': 413771, 'absent due to': 27200, 'dis': 243779, 'adversity': 33132, 'india amazing': 434290, 'amazing effort': 50680, 'effort by': 269491, 'india dis': 434374, 'dis adversity': 243782, 'adversity canonforcommunity': 33133, 'india amazing effort': 434291, 'amazing effort by': 50681, 'effort by india': 269493, 'by india dis': 152908, 'india dis adversity': 434375, 'dis adversity canonforcommunity': 243783, 'season': 743367, 'bake': 108741, 'suddenly': 817061, 'mary': 518152, 'fuckin': 339764, 'berry': 127412, 'stopfuckingpanicbuying': 805338, 'maryberry': 518175, 'thegreatbritishbakeoff': 872388, 'tgbbo': 840028, 'gbbo': 344795, 'not single': 571591, 'single bag': 771239, 'flour on': 311141, 'shelf 10': 756670, '10 season': 1669, 'season of': 743418, 'great british': 362538, 'british bake': 140491, 'bake off': 108746, 'off and': 593640, 'and suddenly': 72660, 'suddenly everyone': 817088, 'is mary': 449589, 'mary fuckin': 518155, 'fuckin berry': 339765, 'berry shopping': 127415, 'shopping panicbuying': 763593, 'panicbuying stoppanicbuying': 639061, 'stoppanicbuying stopfuckingpanicbuying': 805630, 'stopfuckingpanicbuying flour': 805339, 'flour maryberry': 311132, 'maryberry thegreatbritishbakeoff': 518176, 'thegreatbritishbakeoff tgbbo': 872389, 'tgbbo gbbo': 840029, 'not single bag': 571592, 'single bag of': 771240, 'of flour on': 583604, 'flour on the': 311142, 'on the shelf': 604354, 'the shelf 10': 866819, 'shelf 10 season': 756671, '10 season of': 1670, 'season of the': 743421, 'of the great': 591076, 'the great british': 856716, 'great british bake': 362539, 'british bake off': 140492, 'bake off and': 108747, 'off and suddenly': 593647, 'and suddenly everyone': 72661, 'suddenly everyone is': 817089, 'everyone is mary': 287089, 'is mary fuckin': 449590, 'mary fuckin berry': 518156, 'fuckin berry shopping': 339766, 'berry shopping panicbuying': 127416, 'shopping panicbuying stoppanicbuying': 763594, 'panicbuying stoppanicbuying stopfuckingpanicbuying': 639062, 'stoppanicbuying stopfuckingpanicbuying flour': 805631, 'stopfuckingpanicbuying flour maryberry': 805340, 'flour maryberry thegreatbritishbakeoff': 311133, 'maryberry thegreatbritishbakeoff tgbbo': 518177, 'thegreatbritishbakeoff tgbbo gbbo': 872390, 'ethanol': 282959, 'e10': 263961, 'denatured': 236917, 'isopropyl': 455556, 'suspend ethanol': 829561, 'ethanol restriction': 283008, 'restriction sitting': 717374, 'on million': 602127, 'million gallon': 532169, 'gallon of': 343036, 'of ethanol': 583200, 'ethanol for': 282976, 'for e10': 320895, 'e10 fuel': 263962, 'fuel can': 340136, 'be used': 117909, 'used amp': 949860, 'not denatured': 568990, 'denatured either': 236920, 'either for': 270300, 'for hand': 322104, 'sanitizer instead': 735175, 'of isopropyl': 585347, 'isopropyl and': 455565, 'and sold': 71935, 'sold directly': 781658, 'directly 80': 243522, '80 to': 22638, 'reduce fire': 705834, 'fire hazard': 308084, 'hazard disinfectant': 384548, 'disinfectant for': 245664, 'for surface': 326081, 'suspend ethanol restriction': 829562, 'ethanol restriction sitting': 283009, 'restriction sitting on': 717375, 'sitting on million': 772135, 'on million gallon': 602130, 'million gallon of': 532170, 'gallon of ethanol': 343040, 'of ethanol for': 583201, 'ethanol for e10': 282977, 'for e10 fuel': 320896, 'e10 fuel can': 263963, 'fuel can be': 340137, 'can be used': 157707, 'be used amp': 117911, 'used amp not': 949861, 'amp not denatured': 54192, 'not denatured either': 568991, 'denatured either for': 236921, 'either for hand': 270301, 'for hand sanitizer': 322108, 'hand sanitizer instead': 375456, 'sanitizer instead of': 735176, 'instead of isopropyl': 440281, 'of isopropyl and': 585349, 'isopropyl and sold': 455566, 'and sold directly': 71937, 'sold directly 80': 781659, 'directly 80 to': 243523, '80 to reduce': 22639, 'to reduce fire': 913022, 'reduce fire hazard': 705835, 'fire hazard disinfectant': 308085, 'hazard disinfectant for': 384549, 'disinfectant for surface': 245666, 'bolton': 134164, 'popular grocery': 664554, 'in bolton': 420898, 'bolton temporarily': 134171, 'closed down': 183077, 'down on': 257013, 'on march': 602006, 'march 25': 515200, '25 after': 15825, 'after an': 35351, 'an office': 56560, 'office staff': 595550, 'staff wa': 793042, 'wa confirmed': 961853, 'confirmed having': 194158, 'having novel': 384193, 'popular grocery store': 664555, 'store in bolton': 808277, 'in bolton temporarily': 420900, 'bolton temporarily closed': 134172, 'temporarily closed down': 837461, 'closed down on': 183081, 'down on march': 257025, 'on march 25': 602021, 'march 25 after': 515202, '25 after an': 15826, 'after an office': 35359, 'an office staff': 56562, 'office staff wa': 595552, 'staff wa confirmed': 793043, 'wa confirmed having': 961855, 'confirmed having novel': 194159, 'canadian community': 160650, 'community are': 189733, 'are experiencing': 86336, 'experiencing surge': 291702, 'for local': 323043, 'and seed': 71153, 'seed sale': 746166, 'are picking': 89081, 'local farm': 497938, 'farm market': 299151, 'market amid': 515931, 'canadian community are': 160651, 'community are experiencing': 189736, 'are experiencing surge': 86352, 'experiencing surge in': 291703, 'surge in demand': 828187, 'demand for local': 235450, 'for local food': 323047, 'local food and': 497960, 'food and seed': 313329, 'and seed sale': 71155, 'seed sale are': 746167, 'sale are picking': 732065, 'are picking up': 89082, 'picking up at': 655873, 'up at local': 944432, 'at local farm': 99601, 'local farm market': 497940, 'farm market amid': 299152, 'market amid the': 515937, 'scientist': 742186, 'randomized': 696631, 'trial': 931627, 'participant': 642534, 'respiratory': 715226, 'scientist are': 742197, 'not completely': 568817, 'completely sure': 192359, 'sure of': 827637, 'way that': 969917, 'transmitted but': 929796, 'in randomized': 427247, 'randomized control': 696632, 'control trial': 202203, 'trial participant': 931656, 'participant who': 642549, 'who were': 989949, 'were told': 980275, 'use surgical': 949623, 'and did': 61315, 'did so': 240805, 'so were': 778705, 'were 80': 979264, '80 percent': 22619, 'percent le': 651141, 'to contract': 903421, 'contract respiratory': 201693, 'respiratory illness': 715241, 'scientist are not': 742198, 'are not completely': 88343, 'not completely sure': 568818, 'completely sure of': 192360, 'sure of all': 827638, 'all the way': 44980, 'the way that': 871193, 'way that the': 969927, 'that the covid': 846695, '19 virus is': 11814, 'virus is transmitted': 958410, 'is transmitted but': 453339, 'transmitted but in': 929797, 'but in randomized': 146032, 'in randomized control': 427248, 'randomized control trial': 696633, 'control trial participant': 202204, 'trial participant who': 931657, 'participant who were': 642550, 'who were told': 989968, 'were told to': 980281, 'told to use': 923771, 'to use surgical': 918069, 'use surgical mask': 949624, 'surgical mask and': 828349, 'mask and did': 518316, 'and did so': 61318, 'did so were': 240807, 'so were 80': 778706, 'were 80 percent': 979265, '80 percent le': 22620, 'percent le likely': 651142, 'likely to contract': 492139, 'to contract respiratory': 903428, 'contract respiratory illness': 201694, 'worrisome': 1010610, 'never had': 558038, 'had so': 373519, 'much anxiety': 544713, 'anxiety about': 78643, 'about going': 25311, 'not about': 568013, 'crowd any': 219119, 'people it': 648533, 'it about': 456234, 'that see': 846163, 'see all': 744875, 'these shelf': 880668, 'empty that': 275173, 'the worrisome': 872020, 'worrisome part': 1010619, 'part my': 642319, 'family ha': 297869, 'ha what': 372472, 'need worry': 556243, 'family don': 297750, 'have never had': 381581, 'never had so': 558041, 'had so much': 373521, 'so much anxiety': 777758, 'much anxiety about': 544714, 'anxiety about going': 78645, 'about going to': 25312, 'store it not': 808588, 'it not about': 459854, 'not about the': 568016, 'about the crowd': 26366, 'the crowd any': 852518, 'crowd any people': 219120, 'any people it': 79641, 'people it about': 648534, 'it about the': 456239, 'about the fact': 26394, 'fact that see': 295809, 'that see all': 846164, 'see all these': 744883, 'all these shelf': 45055, 'these shelf empty': 880669, 'shelf empty that': 757035, 'empty that the': 275175, 'that the worrisome': 846871, 'the worrisome part': 872021, 'worrisome part my': 1010620, 'part my family': 642320, 'my family ha': 548202, 'family ha what': 297871, 'ha what we': 372476, 'what we need': 982558, 'we need worry': 972568, 'need worry about': 556244, 'about the family': 26395, 'the family don': 854891, 'allied': 45843, 'unitedstates': 942284, 'saudiarabia russia': 737356, 'russia and': 728422, 'and allied': 57912, 'allied oil': 45848, 'producer will': 680720, 'will agree': 992221, 'agree to': 38656, 'to deep': 904047, 'deep cut': 231866, 'their crude': 872926, 'crude output': 219576, 'output at': 629233, 'at talk': 100821, 'talk this': 833861, 'week only': 976691, 'only if': 610618, 'the unitedstates': 870421, 'unitedstates and': 942286, 'and several': 71338, 'several others': 753914, 'others join': 621500, 'join in': 466743, 'with curb': 997876, 'curb to': 220589, 'help prop': 390363, 'price that': 676792, 'been hammered': 121249, 'saudiarabia russia and': 737357, 'russia and allied': 728423, 'and allied oil': 57913, 'allied oil producer': 45849, 'oil producer will': 597349, 'producer will agree': 680721, 'will agree to': 992222, 'agree to deep': 38660, 'to deep cut': 904048, 'deep cut to': 231867, 'cut to their': 223611, 'to their crude': 917219, 'their crude output': 872929, 'crude output at': 219577, 'output at talk': 629235, 'at talk this': 100823, 'talk this week': 833863, 'this week only': 891245, 'week only if': 976692, 'only if the': 610621, 'if the unitedstates': 415042, 'the unitedstates and': 870422, 'unitedstates and several': 942287, 'and several others': 71340, 'several others join': 753915, 'others join in': 621501, 'join in with': 466757, 'in with curb': 430939, 'with curb to': 997877, 'curb to help': 220590, 'to help prop': 907594, 'help prop up': 390364, 'prop up price': 684048, 'up price that': 945836, 'price that have': 676804, 'have been hammered': 379565, 'been hammered by': 121250, 'hammered by the': 374580, 'sunbathe': 818103, 'ultimately if': 939147, 'you wish': 1022369, 'wish to': 996832, 'enjoy picnic': 277169, 'picnic or': 656078, 'or sunbathe': 617267, 'sunbathe in': 818106, 'park just': 641939, 'just consider': 468512, 'consider that': 195128, 'you my': 1019939, 'my get': 548489, 'get infected': 347324, 'infected or': 436608, 'may infect': 521294, 'infect others': 436502, 'be at': 113725, 'at higher': 98896, 'risk than': 723916, 'ultimately if you': 939148, 'if you wish': 415562, 'you wish to': 1022372, 'wish to go': 996837, 'go out of': 353968, 'out of your': 626882, 'of your house': 593487, 'your house and': 1024408, 'house and enjoy': 406177, 'and enjoy picnic': 62150, 'enjoy picnic or': 277170, 'picnic or sunbathe': 656079, 'or sunbathe in': 617268, 'sunbathe in park': 818107, 'in park just': 426512, 'park just consider': 641940, 'just consider that': 468513, 'consider that you': 195132, 'that you my': 847732, 'you my get': 1019940, 'my get infected': 548491, 'get infected or': 347332, 'infected or you': 436611, 'or you may': 617863, 'you may infect': 1019802, 'may infect others': 521295, 'infect others who': 436504, 'others who may': 621790, 'who may be': 989269, 'may be at': 520950, 'be at higher': 113732, 'at higher risk': 98901, 'higher risk than': 395732, 'risk than you': 723920, 'bj': 131985, 'closed on': 183256, 'on easter': 600479, 'easter grocery': 265440, 'store including': 808416, 'including trader': 432224, 'trader joe': 928706, 'joe bj': 466407, 'bj wholesale': 131992, 'wholesale club': 990429, 'club will': 184499, 'closed because': 183013, 'today via': 920434, 'closed on easter': 183258, 'on easter grocery': 600480, 'easter grocery store': 265441, 'grocery store including': 365485, 'store including trader': 808423, 'including trader joe': 432225, 'trader joe bj': 928710, 'joe bj wholesale': 466408, 'bj wholesale club': 131993, 'wholesale club will': 990431, 'club will be': 184500, 'will be closed': 992399, 'be closed because': 114121, 'closed because of': 183014, '19 usa today': 11702, 'usa today via': 948774, 'approximately': 83236, 'campaign': 157190, 'have raised': 382149, 'raised approximately': 695991, 'approximately 64': 83243, '64 00': 21304, '00 so': 491, 'morning for': 541258, 'your generous': 1024035, 'generous support': 345734, 'the donation': 853543, 'donation campaign': 254567, 'campaign continues': 157209, 'continues all': 201377, 'all day': 42509, 'day long': 227932, 'we have raised': 971913, 'have raised approximately': 382150, 'raised approximately 64': 695992, 'approximately 64 00': 83244, '64 00 so': 21305, '00 so far': 492, 'far this morning': 298942, 'this morning for': 888959, 'morning for and': 541259, 'for and thanks': 319343, 'and thanks to': 73173, 'thanks to your': 842274, 'to your generous': 918988, 'your generous support': 1024037, 'generous support the': 345735, 'support the donation': 826867, 'the donation campaign': 853544, 'donation campaign continues': 254568, 'campaign continues all': 157210, 'continues all day': 201378, 'all day long': 42520, 'our emergency': 622881, 'emergency service': 272949, 'working flat': 1008625, 'flat out': 310090, 'stay on': 797142, 'this coronacrisis': 886871, 'coronacrisis with': 204865, 'panic of': 638350, 'of selfish': 589475, 'selfish moron': 748170, 'moron raiding': 541627, 'raiding store': 695660, 'store many': 808902, 'many cannot': 513866, 'cannot find': 161829, 'find essential': 306890, 'essential or': 281366, 'our emergency service': 622883, 'emergency service are': 272951, 'service are working': 752148, 'are working flat': 91695, 'working flat out': 1008626, 'flat out to': 310092, 'out to try': 627693, 'to try to': 917823, 'to stay on': 915304, 'stay on top': 797148, 'top of this': 925644, 'of this coronacrisis': 591955, 'this coronacrisis with': 886883, 'coronacrisis with the': 204867, 'with the panic': 1001423, 'the panic of': 863213, 'panic of selfish': 638354, 'of selfish moron': 589480, 'selfish moron raiding': 748173, 'moron raiding store': 541628, 'raiding store many': 695661, 'store many cannot': 808903, 'many cannot find': 513868, 'cannot find essential': 161837, 'find essential or': 306893, 'essential or food': 281367, 'or food when': 615353, 'food when they': 317573, 'they have time': 882394, 'time to shop': 898063, 'headline': 385979, 'bevigilant': 129060, 'cybersecurity': 223987, 'pinellas': 656807, 'scammer follow': 740578, 'the headline': 857169, 'headline and': 385980, 'the ftc': 855921, 'ftc ha': 339404, 'together great': 920805, 'great resource': 362964, 'resource to': 714902, 'you protect': 1020468, 'yourself and': 1026520, 'to bevigilant': 901794, 'bevigilant see': 129061, 'here scam': 393540, 'scam fraud': 740166, 'fraud cybersecurity': 331256, 'cybersecurity security': 224007, 'security pinellas': 744712, 'scammer follow the': 740580, 'follow the headline': 312529, 'the headline and': 857170, 'headline and they': 385986, 'they are taking': 881427, 'are taking advantage': 90711, 'pandemic the ftc': 636681, 'the ftc ha': 855930, 'ftc ha put': 339407, 'ha put together': 371606, 'put together great': 690939, 'together great resource': 920806, 'great resource to': 362967, 'resource to help': 714907, 'help you protect': 390990, 'you protect yourself': 1020470, 'protect yourself and': 685082, 'yourself and to': 1026530, 'and to bevigilant': 74154, 'to bevigilant see': 901795, 'bevigilant see here': 129062, 'see here scam': 745191, 'here scam fraud': 393541, 'scam fraud cybersecurity': 740168, 'fraud cybersecurity security': 331257, 'cybersecurity security pinellas': 224008, 'be said': 116981, 'said again': 730949, 'again shout': 37162, 'worker and': 1006267, 'in general': 423243, 'general all': 345278, 'all some': 44390, 'some unsung': 784142, 'hero in': 394011, 'this 19': 886151, 'must be said': 546543, 'be said again': 116982, 'said again shout': 730950, 'again shout out': 37163, 'out to supermarket': 627685, 'to supermarket worker': 915861, 'supermarket worker and': 823988, 'worker and retail': 1006328, 'and retail worker': 70449, 'retail worker in': 718891, 'worker in general': 1007172, 'in general all': 423245, 'general all some': 345280, 'all some unsung': 44392, 'some unsung hero': 784143, 'unsung hero in': 943556, 'hero in all': 394013, 'in all this': 420188, 'all this 19': 45090, 'consumer hero': 197751, 'hero wish': 394172, 'wish all': 996742, 'all business': 42227, 'consumer the': 199265, 'best stay': 127910, 'consumer hero wish': 197753, 'hero wish all': 394173, 'wish all business': 996743, 'all business and': 42228, 'and consumer the': 60436, 'consumer the best': 199266, 'the best stay': 849553, 'best stay safe': 127911, 'outlier': 629084, 'tout': 927061, 'perfectly': 651381, 'combination': 187093, 'if an': 413810, 'an outlier': 56739, 'outlier is': 629085, 'is enough': 447508, 'to tout': 917658, 'tout the': 927067, 'low gas': 505295, 'nation understand': 552361, 'understand perfectly': 940696, 'perfectly well': 651405, 'well why': 978751, 'why he': 991061, 'he promotes': 385310, 'promotes certain': 683824, 'certain drug': 169992, 'drug combination': 260909, 'combination not': 187098, 'if an outlier': 413816, 'an outlier is': 56740, 'outlier is enough': 629086, 'is enough for': 447512, 'enough for to': 277443, 'for to tout': 327238, 'to tout the': 917659, 'tout the low': 927068, 'the low gas': 859775, 'low gas price': 505298, 'gas price in': 343982, 'in the nation': 429383, 'the nation understand': 861272, 'nation understand perfectly': 552362, 'understand perfectly well': 940697, 'perfectly well why': 651406, 'well why he': 978752, 'why he promotes': 991063, 'he promotes certain': 385311, 'promotes certain drug': 683825, 'certain drug combination': 169993, 'drug combination not': 260910, 'combination not only': 187099, 'not only cure': 570784, 'only cure but': 610297, 'cure but also': 220713, 'wasteful': 968279, 'throwing': 895081, 'ozharvest': 632777, 'wasteful panic': 968282, 'buyer are': 149564, 'are throwing': 91085, 'throwing away': 895082, 'away perfectly': 105998, 'perfectly good': 651388, 'after stockpiling': 36249, 'stockpiling donate': 803943, 'to ozharvest': 911342, 'ozharvest or': 632778, 'other charity': 619937, 'charity grocery': 173630, 'grocery supermarket': 365991, 'supermarket auspol': 819272, 'wasteful panic buyer': 968283, 'panic buyer are': 637555, 'buyer are throwing': 149579, 'are throwing away': 91086, 'throwing away perfectly': 895086, 'away perfectly good': 105999, 'perfectly good food': 651389, 'good food after': 357050, 'food after stockpiling': 313047, 'after stockpiling donate': 36250, 'stockpiling donate to': 803944, 'donate to ozharvest': 254266, 'to ozharvest or': 911343, 'ozharvest or other': 632779, 'or other charity': 616426, 'other charity grocery': 619938, 'charity grocery supermarket': 173631, 'grocery supermarket auspol': 365993, 'zo': 1027666, 'kan': 470767, 'het': 394294, 'ook': 611742, 'denen': 236924, 'zijn': 1027556, 'gek': 345074, 'nogniet': 566198, 'kr40': 477630, 'kr100': 477625, 'zo kan': 1027669, 'kan het': 470768, 'het ook': 394295, 'ook die': 611743, 'die denen': 241315, 'denen zijn': 236925, 'zijn zo': 1027559, 'zo gek': 1027667, 'gek nogniet': 345075, 'nogniet supermarket': 566199, 'denmark got': 237015, 'got tired': 358946, 'tired of': 899038, 'people hoarding': 648268, 'sanitizer so': 735747, 'so came': 776696, 'came up': 157079, 'own way': 632298, 'of stopping': 590232, 'stopping it': 805814, 'it bottle': 456910, 'bottle kr40': 136260, 'kr40 50': 477631, '50 bottle': 19636, 'bottle kr100': 136257, 'kr100 134': 477626, '134 00': 3327, '00 each': 177, 'each bottle': 263999, 'bottle hoarding': 136238, 'hoarding stopped': 399552, 'stopped hoarding': 805714, 'zo kan het': 1027670, 'kan het ook': 470769, 'het ook die': 394296, 'ook die denen': 611744, 'die denen zijn': 241316, 'denen zijn zo': 236926, 'zijn zo gek': 1027560, 'zo gek nogniet': 1027668, 'gek nogniet supermarket': 345076, 'nogniet supermarket in': 566200, 'in denmark got': 422187, 'denmark got tired': 237016, 'got tired of': 358947, 'tired of people': 899049, 'of people hoarding': 587923, 'people hoarding hand': 648274, 'hoarding hand sanitizer': 399352, 'hand sanitizer so': 375591, 'sanitizer so came': 735749, 'so came up': 776698, 'came up with': 157081, 'up with their': 946693, 'with their own': 1001588, 'their own way': 874215, 'own way of': 632299, 'way of stopping': 969771, 'of stopping it': 590233, 'stopping it bottle': 805815, 'it bottle kr40': 456911, 'bottle kr40 50': 136261, 'kr40 50 bottle': 477632, '50 bottle kr100': 19638, 'bottle kr100 134': 136258, 'kr100 134 00': 477627, '134 00 each': 3328, '00 each bottle': 178, 'each bottle hoarding': 264000, 'bottle hoarding stopped': 136239, 'hoarding stopped hoarding': 399553, 'dint': 243148, 'onion': 607710, 'pricey': 677904, 'frozen': 338947, 'pea': 645970, 'tmoro': 899365, 'bethoughtful': 128155, 'mine too': 532932, 'too dint': 924683, 'dint find': 243149, 'find potato': 307184, 'potato on': 666954, 'on last': 601788, 'last trip': 480597, 'trip but': 932047, 'but got': 145806, 'got rice': 358817, 'rice onion': 721092, 'onion pricey': 607732, 'pricey tomato': 677908, 'tomato this': 923972, 'this trip': 890856, 'trip got': 932077, 'got potato': 358791, 'potato bread': 666918, 'bread im': 138492, 'im gonna': 416538, 'gonna look': 356577, 'for frozen': 321783, 'frozen pea': 338999, 'pea tmoro': 645983, 'tmoro bethoughtful': 899366, 'bethoughtful stophoarding': 128156, 'mine too dint': 532933, 'too dint find': 924684, 'dint find potato': 243150, 'find potato on': 307186, 'potato on last': 666955, 'on last trip': 601790, 'last trip but': 480598, 'trip but got': 932048, 'but got rice': 145809, 'got rice onion': 358818, 'rice onion pricey': 721093, 'onion pricey tomato': 607733, 'pricey tomato this': 677909, 'tomato this trip': 923973, 'this trip got': 890857, 'trip got potato': 932078, 'got potato bread': 358792, 'potato bread im': 666919, 'bread im gonna': 138493, 'im gonna look': 416539, 'gonna look for': 356578, 'look for frozen': 502361, 'for frozen pea': 321784, 'frozen pea tmoro': 339000, 'pea tmoro bethoughtful': 645984, 'tmoro bethoughtful stophoarding': 899367, 'ended': 276124, 'essentialcommodities': 281885, 'considered to': 195340, 'essential during': 280975, 'crisis had': 217451, 'the queue': 865031, 'queue outside': 694029, 'the range': 865137, 'range were': 696749, 'were ridiculous': 980070, 'ridiculous ended': 721530, 'ended up': 276138, 'up going': 945024, 'going home': 355197, 'home there': 402258, 'were so': 980139, 'people around': 647137, 'around stayhomesavelives': 93490, 'stayhomesavelives essentialcommodities': 798378, 'is considered to': 446752, 'considered to be': 195341, 'to be essential': 901238, 'be essential during': 114700, 'essential during this': 280980, 'this crisis had': 887045, 'crisis had to': 217453, 'supermarket and the': 819079, 'and the queue': 73539, 'the queue outside': 865050, 'queue outside the': 694040, 'outside the range': 629601, 'the range were': 865139, 'range were ridiculous': 696750, 'were ridiculous ended': 980071, 'ridiculous ended up': 721531, 'ended up going': 276141, 'up going home': 945025, 'going home there': 355200, 'home there were': 402262, 'there were so': 879333, 'were so many': 980142, 'so many people': 777689, 'many people around': 514488, 'people around stayhomesavelives': 647143, 'around stayhomesavelives essentialcommodities': 93491, 'revert': 720542, '9am': 23947, 'tine': 898584, 'replenish': 711635, 'way tackle': 969905, 'tackle food': 831571, 'shortage in': 765007, 'supermarket is': 821064, 'is stop': 452344, 'the 24': 848046, '24 open': 15664, 'open time': 612585, 'time and': 896254, 'and revert': 70489, 'revert back': 720543, 'to 9am': 899894, '9am 10pm': 23948, '10pm open': 2380, 'shop close': 760042, 'close they': 182864, 'have tine': 383139, 'tine to': 898585, 'to replenish': 913253, 'replenish the': 711652, 'the way tackle': 871190, 'way tackle food': 969906, 'tackle food shortage': 831572, 'food shortage in': 316584, 'shortage in supermarket': 765021, 'in supermarket is': 428618, 'supermarket is in': 821098, 'is in light': 448782, 'buying is stop': 150580, 'is stop the': 452347, 'stop the 24': 805120, 'the 24 open': 848049, '24 open time': 15665, 'open time and': 612586, 'time and revert': 896293, 'and revert back': 70490, 'revert back to': 720544, 'back to 9am': 107350, 'to 9am 10pm': 899895, '9am 10pm open': 23949, '10pm open time': 2381, 'open time when': 612587, 'time when the': 898304, 'when the shop': 984196, 'the shop close': 866985, 'shop close they': 760045, 'close they have': 182866, 'they have tine': 882395, 'have tine to': 383140, 'tine to replenish': 898586, 'to replenish the': 913260, 'replenish the stock': 711655, 'pop': 664406, 'widespread': 991821, 'from manufacturing': 336331, 'manufacturing to': 513676, 'to farming': 905680, 'farming to': 299653, 'to mom': 910219, 'mom and': 535678, 'and pop': 69197, 'pop main': 664442, 'main street': 508824, 'street business': 812929, 'business iowa': 143945, 'iowa rural': 444505, 'rural economy': 728239, 'economy face': 267857, 'face widespread': 294855, 'widespread challenge': 991832, 'challenge it': 171494, 'it battle': 456712, 'battle through': 112832, 'from manufacturing to': 336332, 'manufacturing to farming': 513678, 'to farming to': 905681, 'farming to mom': 299654, 'to mom and': 910220, 'mom and pop': 535684, 'and pop main': 69198, 'pop main street': 664443, 'main street business': 508826, 'street business iowa': 812930, 'business iowa rural': 143946, 'iowa rural economy': 444506, 'rural economy face': 728240, 'economy face widespread': 267862, 'face widespread challenge': 294856, 'widespread challenge it': 991833, 'challenge it battle': 171495, 'it battle through': 456715, 'battle through the': 112833, 'through the coronavirus': 894727, 'significant': 769392, 'momentum': 536149, 'amenable': 51388, 'category': 167150, 'track': 928158, 'skinca': 773091, 'following significant': 312847, 'significant momentum': 769476, 'momentum in': 536154, 'in commerce': 421592, 'commerce over': 188604, 'over recent': 630562, 'recent year': 704030, 'year chinese': 1014467, 'chinese consumer': 177222, 'be even': 114708, 'more amenable': 538598, 'amenable to': 51389, 'to online': 910929, 'shopping after': 761904, 'outbreak especially': 628197, 'especially for': 280480, 'for category': 319965, 'category with': 167230, 'with strong': 1001022, 'strong online': 814080, 'online track': 609625, 'track record': 928217, 'record such': 705064, 'such skinca': 816754, 'following significant momentum': 312848, 'significant momentum in': 769477, 'momentum in commerce': 536156, 'in commerce over': 421597, 'commerce over recent': 188605, 'over recent year': 630565, 'recent year chinese': 704033, 'year chinese consumer': 1014468, 'chinese consumer are': 177223, 'consumer are likely': 196299, 'to be even': 901239, 'be even more': 114709, 'even more amenable': 284340, 'more amenable to': 538599, 'amenable to online': 51390, 'to online shopping': 910950, 'online shopping after': 609018, 'shopping after the': 761909, 'after the outbreak': 36339, 'the outbreak especially': 862618, 'outbreak especially for': 628198, 'especially for category': 280481, 'for category with': 319966, 'category with strong': 167232, 'with strong online': 1001025, 'strong online track': 814081, 'online track record': 609626, 'track record such': 928218, 'record such skinca': 705065, 'autistic': 103857, 'aversion': 104916, 'autism': 103846, 'panic clear': 638010, 'clear store': 181333, 'shelf leaving': 757271, 'leaving autistic': 485075, 'autistic child': 103858, 'child with': 176274, 'food aversion': 313482, 'aversion nothing': 104917, 'eat the': 266066, 'the autism': 849077, 'autism site': 103853, 'site blog': 771892, 'panic clear store': 638013, 'clear store shelf': 181334, 'store shelf leaving': 810086, 'shelf leaving autistic': 757272, 'leaving autistic child': 485076, 'autistic child with': 103859, 'child with food': 176275, 'with food aversion': 998478, 'food aversion nothing': 313483, 'aversion nothing to': 104918, 'nothing to eat': 573190, 'to eat the': 904903, 'eat the autism': 266067, 'the autism site': 849078, 'autism site blog': 103854, 'nhsfoodbanks': 562224, 'nhsstaff': 562246, 'since idiot': 770655, 'idiot still': 413593, 'still panic': 801019, 'buying in': 150527, 'this testing': 890495, 'testing time': 839668, 'time think': 897911, 'think should': 885537, 'should create': 765886, 'create nhsfoodbanks': 215701, 'nhsfoodbanks in': 562225, 'their store': 874843, 'store around': 806541, 'around uk': 93613, 'so those': 778506, 'those hard': 892050, 'working nhsstaff': 1008781, 'nhsstaff can': 562247, 'they finish': 882114, 'finish their': 307873, 'their shift': 874688, 'shift nh': 758363, 'nh stoppanicbuying': 562118, 'since idiot still': 770656, 'idiot still panic': 413594, 'still panic buying': 801020, 'panic buying in': 637773, 'buying in this': 150548, 'in this testing': 430024, 'this testing time': 890496, 'testing time think': 839673, 'time think should': 897912, 'think should create': 885539, 'should create nhsfoodbanks': 765888, 'create nhsfoodbanks in': 215702, 'nhsfoodbanks in their': 562226, 'in their store': 429780, 'their store around': 874848, 'store around uk': 806544, 'around uk so': 93614, 'uk so those': 938726, 'so those hard': 778507, 'those hard working': 892051, 'hard working nhsstaff': 378144, 'working nhsstaff can': 1008782, 'nhsstaff can get': 562248, 'can get food': 158416, 'when they finish': 984259, 'they finish their': 882115, 'finish their shift': 307874, 'their shift nh': 874690, 'shift nh stoppanicbuying': 758365, 'chaos': 172985, 'approached': 83004, 'desperate': 238501, 'condiment': 193375, 'palpable': 634630, 'morning at': 541176, 'at heb': 98876, 'heb texas': 388687, 'texas grocery': 839777, 'wa chaos': 961805, 'chaos woman': 173088, 'woman approached': 1003404, 'approached me': 83008, 'me with': 523986, 'with mask': 999401, 'mask desperate': 518568, 'desperate because': 238508, 'because she': 119541, 'she could': 755956, 'any condiment': 79042, 'condiment she': 193384, 'had walked': 373781, 'past the': 643617, 'aisle time': 40399, 'worker try': 1008059, 'to remain': 913154, 'remain calm': 709710, 'calm but': 156706, 'but their': 147432, 'their stress': 874878, 'is palpable': 450781, 'palpable people': 634633, 'are panicking': 88969, 'panicking and': 639315, 'and scared': 71047, 'this morning at': 888941, 'morning at heb': 541181, 'at heb texas': 98878, 'heb texas grocery': 388688, 'texas grocery store': 839778, 'store it wa': 808599, 'it wa chaos': 462088, 'wa chaos woman': 961806, 'chaos woman approached': 173089, 'woman approached me': 1003405, 'approached me with': 83011, 'me with mask': 523993, 'with mask desperate': 999406, 'mask desperate because': 518570, 'desperate because she': 238509, 'because she could': 119543, 'she could not': 755958, 'find any condiment': 306790, 'any condiment she': 79043, 'condiment she had': 193385, 'she had walked': 756109, 'had walked past': 373782, 'walked past the': 964974, 'past the aisle': 643618, 'the aisle time': 848536, 'aisle time the': 40400, 'time the worker': 897884, 'the worker try': 871765, 'worker try to': 1008060, 'try to remain': 934654, 'to remain calm': 913159, 'remain calm but': 709713, 'calm but their': 156708, 'but their stress': 147439, 'their stress is': 874880, 'stress is palpable': 813347, 'is palpable people': 450782, 'palpable people are': 634634, 'people are panicking': 647044, 'are panicking and': 88970, 'panicking and scared': 639321, 'plannedemic': 658482, 'plandemic': 658370, 'wakeup': 964650, 'much did': 544826, 'did the': 240844, 'the stay': 867847, 'order cost': 618153, 'cost what': 208160, 'what amount': 981030, 'amount wa': 53300, 'wa the': 963438, 'the restricted': 865666, 'restricted purchase': 717161, 'purchase entered': 689438, 'entered for': 278350, 'for how': 322416, 'food dump': 314310, 'dump cost': 262160, 'cost for': 207938, 'for milk': 323428, 'milk vegetable': 531895, 'meat etc': 525555, 'etc more': 282659, 'more plannedemic': 540076, 'plannedemic plandemic': 658483, 'plandemic wakeup': 658371, 'wakeup to': 964656, 'to lose': 909453, 'lose civil': 503427, 'civil right': 179531, 'right purchasing': 722240, 'purchasing power': 689903, 'power how': 667619, '19 affected': 4840, 'affected consumer': 34333, 'consumer price': 198415, 'how much did': 408345, 'much did the': 544829, 'did the stay': 240855, 'the stay at': 867849, 'home order cost': 401770, 'order cost what': 618154, 'cost what amount': 208162, 'what amount wa': 981031, 'amount wa the': 53301, 'wa the restricted': 963467, 'the restricted purchase': 865668, 'restricted purchase entered': 717162, 'purchase entered for': 689439, 'entered for how': 278351, 'for how much': 322421, 'did the food': 240848, 'the food dump': 855547, 'food dump cost': 314311, 'dump cost for': 262161, 'cost for milk': 207947, 'for milk vegetable': 323431, 'milk vegetable meat': 531896, 'vegetable meat etc': 954036, 'meat etc more': 525557, 'etc more plannedemic': 282660, 'more plannedemic plandemic': 540077, 'plannedemic plandemic wakeup': 658484, 'plandemic wakeup to': 658372, 'wakeup to lose': 964657, 'to lose civil': 909456, 'lose civil right': 503428, 'civil right purchasing': 179537, 'right purchasing power': 722241, 'purchasing power how': 689906, 'power how covid': 667620, 'covid 19 affected': 212590, '19 affected consumer': 4842, 'affected consumer price': 34336, 'consumer price in': 198424, 'price in march': 674708, 'cooperation': 203151, 'prudent': 687354, 'are strong': 90573, 'strong in': 814048, 'pandemic to': 636770, 'them that': 876374, 'way strong': 969897, 'strong public': 814096, 'public private': 688247, 'private cooperation': 678887, 'cooperation smart': 203163, 'smart policy': 775407, 'policy response': 663486, 'response and': 715617, 'and prudent': 69723, 'prudent consumer': 687357, 'behavior are': 123908, 'supply chain are': 824906, 'chain are strong': 170516, 'are strong in': 90575, 'strong in the': 814050, 'in the covid': 429104, '19 pandemic to': 9503, 'pandemic to keep': 636782, 'keep them that': 472117, 'them that way': 876384, 'that way strong': 847348, 'way strong public': 969898, 'strong public private': 814097, 'public private cooperation': 688248, 'private cooperation smart': 678888, 'cooperation smart policy': 203164, 'smart policy response': 775408, 'policy response and': 663487, 'response and prudent': 715620, 'and prudent consumer': 69724, 'prudent consumer behavior': 687358, 'consumer behavior are': 196440, 'behavior are essential': 123910, 'banking': 110402, 'customerservice': 223158, 'gripevine': 364050, 'com': 186911, 'beheard': 124582, 'watchdog': 968622, 'customerfeedback': 223142, 'flcx': 310267, 'share your': 755368, 'your banking': 1022908, 'banking customerservice': 110424, 'customerservice experience': 223164, 'experience on': 291444, 'on gripevine': 601173, 'gripevine com': 364051, 'com beheard': 186920, 'beheard consumer': 124583, 'consumer watchdog': 199481, 'watchdog keeping': 968629, 'keeping close': 472396, 'close eye': 182634, 'eye on': 294070, 'on bank': 599554, 'of mortgage': 586664, 'mortgage relief': 541947, 'relief financial': 709327, 'financial post': 306536, 'post customerfeedback': 666087, 'customerfeedback made': 223143, 'made easy': 507724, 'easy flcx': 265700, 'share your banking': 755370, 'your banking customerservice': 1022909, 'banking customerservice experience': 110425, 'customerservice experience on': 223165, 'experience on gripevine': 291445, 'on gripevine com': 601174, 'gripevine com beheard': 364052, 'com beheard consumer': 186921, 'beheard consumer watchdog': 124584, 'consumer watchdog keeping': 199484, 'watchdog keeping close': 968630, 'keeping close eye': 472397, 'close eye on': 182635, 'eye on bank': 294073, 'on bank offer': 599560, 'bank offer of': 110061, 'offer of mortgage': 594715, 'of mortgage relief': 586665, 'mortgage relief financial': 541948, 'relief financial post': 709330, 'financial post customerfeedback': 306539, 'post customerfeedback made': 666088, 'customerfeedback made easy': 223144, 'made easy flcx': 507726, 'foxnews': 330798, 'foxnews hand': 330804, 'sanitizer could': 734707, 'be harder': 115147, 'harder to': 378190, 'find for': 306911, 'consumer amid': 196179, 'foxnews hand sanitizer': 330805, 'hand sanitizer could': 375359, 'sanitizer could be': 734708, 'could be harder': 208874, 'be harder to': 115149, 'harder to find': 378193, 'to find for': 905898, 'find for consumer': 306912, 'for consumer amid': 320239, 'consumer amid outbreak': 196181, 'coronamania': 205056, 'store guy': 807990, 'guy just': 369060, 'just walked': 470208, 'walked by': 964940, 'by my': 153276, 'car coughing': 163050, 'coughing his': 208687, 'head off': 385777, 'off coronamania': 593742, 'coronamania stayhome': 205057, 'stayhome no': 798051, 'grocery store guy': 365447, 'store guy just': 807992, 'guy just walked': 369064, 'just walked by': 470209, 'walked by my': 964942, 'by my car': 153277, 'my car coughing': 547598, 'car coughing his': 163051, 'coughing his head': 208688, 'his head off': 397501, 'head off coronamania': 385779, 'off coronamania stayhome': 593743, 'coronamania stayhome no': 205058, 'infinite': 436941, 'flushed': 311578, 'crap': 214876, 'pertain': 653271, 'infinite if': 436942, 'this bill': 886558, 'bill get': 130584, 'get signed': 348009, 'signed and': 769355, 'and passed': 68743, 'passed all': 643245, 'those page': 892301, 'page can': 633836, 'used and': 949862, 'and flushed': 63001, 'flushed down': 311579, 'toilet the': 921632, 'outrageous the': 629338, 'the crap': 852269, 'crap included': 214900, 'bill that': 130686, 'that doe': 843579, 'not pertain': 571015, 'pertain to': 653272, 'to family': 905651, 'infinite if this': 436943, 'if this bill': 415148, 'this bill get': 886559, 'bill get signed': 130585, 'get signed and': 348010, 'signed and passed': 769356, 'and passed all': 68744, 'passed all of': 643246, 'all of those': 43720, 'of those page': 592108, 'those page can': 892302, 'page can be': 633837, 'be used and': 117912, 'used and flushed': 949864, 'and flushed down': 63002, 'flushed down the': 311580, 'down the toilet': 257308, 'the toilet the': 869715, 'toilet the is': 921633, 'the is outrageous': 858516, 'is outrageous the': 450674, 'outrageous the crap': 629339, 'the crap included': 852271, 'crap included in': 214901, 'included in this': 431691, 'in this bill': 429911, 'this bill that': 886560, 'bill that doe': 130687, 'that doe not': 843581, 'doe not pertain': 251517, 'not pertain to': 571016, 'pertain to family': 653274, 'to family and': 905652, 'family and small': 297603, 'else have': 271720, 'stress when': 813422, 'when shopping': 984019, 'online my': 608568, 'my anxiety': 547274, 'anxiety ha': 78714, 'gone through': 356387, 'the roof': 865968, 'roof fuck': 725833, 'fuck covid': 339538, 'anyone else have': 80266, 'else have stress': 271723, 'have stress when': 382808, 'stress when shopping': 813423, 'when shopping online': 984024, 'shopping online my': 763459, 'online my anxiety': 608569, 'my anxiety ha': 547275, 'anxiety ha gone': 78716, 'ha gone through': 370731, 'gone through the': 356388, 'through the roof': 894765, 'the roof fuck': 865973, 'roof fuck covid': 725834, 'fuck covid 19': 339539, 'fixing': 309841, 'cartel': 165439, 'enriches': 277831, 'enemy': 276341, 'dictator': 240516, 'inadequate': 431199, 'violate': 957479, '5g': 20653, 'billgates': 130748, 'trending': 931526, 'opec is': 611902, 'is price': 451016, 'price fixing': 673888, 'fixing cartel': 309844, 'cartel hurt': 165453, 'hurt consumer': 411559, 'consumer enriches': 197368, 'enriches enemy': 277832, 'enemy dictator': 276354, 'dictator supply': 240519, 'supply cut': 825131, 'cut are': 223237, 'are inadequate': 87465, 'inadequate violate': 431212, 'violate law': 957480, 'law low': 482334, 'low oil': 505445, 'price cure': 673365, 'cure low': 220769, 'price trump': 677125, 'trump 5g': 933362, '5g business': 20656, 'business money': 144064, 'money 19': 536565, '19 economy': 6709, 'economy russia': 268191, 'russia billgates': 728444, 'billgates trending': 130752, 'opec is price': 611906, 'is price fixing': 451018, 'price fixing cartel': 673890, 'fixing cartel hurt': 309845, 'cartel hurt consumer': 165454, 'hurt consumer enriches': 411561, 'consumer enriches enemy': 197369, 'enriches enemy dictator': 277834, 'enemy dictator supply': 276355, 'dictator supply cut': 240520, 'supply cut are': 825133, 'cut are inadequate': 223238, 'are inadequate violate': 87466, 'inadequate violate law': 431213, 'violate law low': 957481, 'law low oil': 482335, 'low oil price': 505446, 'oil price cure': 597100, 'price cure low': 673366, 'cure low price': 220770, 'low price trump': 505545, 'price trump 5g': 677126, 'trump 5g business': 933363, '5g business money': 20657, 'business money 19': 144065, 'money 19 economy': 536566, '19 economy russia': 6713, 'economy russia billgates': 268192, 'russia billgates trending': 728445, 'traderjoes': 928810, 'nut': 577647, 'wtf traderjoes': 1013332, 'traderjoes why': 928812, 'why on': 991255, 'earth won': 265020, 'won let': 1003861, 'let employee': 486696, 'employee wear': 274394, 'glove you': 353051, 'should insist': 766135, 'insist on': 439693, 'it everyone': 457878, 'everyone working': 287631, 'working my': 1008779, 'my wore': 550634, 'wore glove': 1004657, 'glove wa': 353005, 'wa very': 963635, 'very grateful': 955198, 'grateful it': 362288, 'it are': 456581, 'are nut': 88627, 'nut supermarket': 577670, 'supermarket pharmacy': 821971, 'pharmacy worker': 654572, 'worker fear': 1006914, 'fear turning': 301407, 'turning up': 935983, 'wtf traderjoes why': 1013333, 'traderjoes why on': 928813, 'why on earth': 991256, 'on earth won': 600477, 'earth won let': 265021, 'won let employee': 1003863, 'let employee wear': 486697, 'employee wear glove': 274395, 'wear glove you': 974353, 'glove you should': 353055, 'you should insist': 1021199, 'should insist on': 766136, 'insist on it': 439696, 'on it everyone': 601658, 'it everyone working': 457881, 'everyone working my': 287636, 'working my wore': 1008780, 'my wore glove': 550635, 'wore glove wa': 1004658, 'glove wa very': 353007, 'wa very grateful': 963640, 'very grateful it': 955200, 'grateful it are': 362289, 'it are nut': 456584, 'are nut supermarket': 88628, 'nut supermarket pharmacy': 577671, 'supermarket pharmacy worker': 821982, 'pharmacy worker fear': 654578, 'worker fear turning': 1006915, 'fear turning up': 301408, 'turning up to': 935986, 'up to work': 946449, 'gm': 353165, 'gm share': 353178, 'share some': 755213, 'some thought': 784050, 'thought on': 893155, 'the medium': 860413, 'medium sector': 527269, 'sector will': 744398, 'by plus': 153597, 'plus thing': 661701, 'consider in': 195026, 'in brand': 420945, 'brand plan': 137968, 'gm share some': 353179, 'share some thought': 755217, 'some thought on': 784052, 'thought on how': 893163, 'on how the': 601425, 'how the medium': 408848, 'the medium sector': 860440, 'medium sector will': 527270, 'sector will be': 744399, 'impacted by plus': 418086, 'by plus thing': 153598, 'plus thing to': 661702, 'thing to consider': 884881, 'to consider in': 903227, 'consider in brand': 195027, 'in brand plan': 420947, 'despicable': 238622, 'hording': 404014, 'softpower': 781521, 'where wa': 985329, 'wa this': 963493, 'have source': 382667, 'source from': 786486, 'from news': 336572, 'news medium': 560606, 'medium despicable': 527071, 'despicable china': 238627, 'china caused': 176545, 'caused shortage': 167953, 'shortage ccp': 764884, 'ccp china': 168451, 'china is': 176742, 'is hording': 448540, 'hording medical': 404021, 'equipment during': 279716, 'during to': 263353, 'drive up': 259239, 'to dole': 904626, 'dole the': 252931, 'the aid': 848468, 'aid out': 39432, 'to country': 903635, 'build it': 141988, 'it softpower': 461157, 'where wa this': 985331, 'wa this and': 963495, 'this and do': 886326, 'and do you': 61570, 'you have source': 1019116, 'have source from': 382668, 'source from news': 786487, 'from news medium': 336574, 'news medium despicable': 560609, 'medium despicable china': 527072, 'despicable china caused': 238628, 'china caused shortage': 176546, 'caused shortage ccp': 167954, 'shortage ccp china': 764885, 'ccp china is': 168452, 'china is hording': 176749, 'is hording medical': 448541, 'hording medical equipment': 404022, 'medical equipment during': 526149, 'equipment during to': 279717, 'during to drive': 263355, 'to drive up': 904750, 'drive up price': 259248, 'up price and': 945806, 'price and to': 672567, 'and to dole': 74167, 'to dole the': 904628, 'dole the aid': 252932, 'the aid out': 848471, 'aid out to': 39433, 'out to country': 627631, 'to country and': 903636, 'country and build': 210435, 'and build it': 59241, 'build it softpower': 141989, 'upends': 947510, 'when million': 983732, 'million have': 532179, 'have lost': 381378, 'lost their': 503923, 'their income': 873642, 'income key': 432394, 'key food': 473293, 'are surging': 90673, 'surging after': 828400, 'after upends': 36471, 'upends supply': 947518, 'time when million': 898294, 'when million have': 983733, 'million have lost': 532180, 'have lost their': 381385, 'lost their income': 503924, 'their income key': 873645, 'income key food': 432395, 'key food price': 473294, 'food price are': 315921, 'price are surging': 672748, 'are surging after': 90674, 'surging after upends': 828401, 'after upends supply': 36472, 'upends supply chain': 947519, 'meredith': 529095, 'now understand': 576254, 'why meredith': 991191, 'meredith from': 529096, 'the office': 862066, 'office wa': 595578, 'wa drinking': 962032, 'drinking the': 258939, 'the hand': 857055, 'now understand why': 576256, 'understand why meredith': 940818, 'why meredith from': 991192, 'meredith from the': 529097, 'from the office': 337812, 'the office wa': 862082, 'office wa drinking': 595579, 'wa drinking the': 962033, 'drinking the hand': 258940, 'the hand sanitizer': 857063, 'babyx': 106788, 'wasting': 968300, 'realise': 701584, 'handled': 376293, 'babyx may': 106789, 'read but': 700311, 'even very': 284760, 'very slow': 955549, 'slow old': 774377, 'old idiot': 598298, 'idiot know': 413538, 'know dont': 476354, 'buy your': 149493, 'your wasting': 1026307, 'wasting the': 968326, 'and money': 67110, 'money dont': 536711, 'dont people': 255271, 'people realise': 649234, 'realise they': 701611, 'they be': 881526, 'be buy': 113935, 'product after': 680840, 'after someone': 36227, 'someone with': 784781, 'ha handled': 370815, 'handled it': 376308, 'so they': 778461, 'they putting': 882960, 'putting there': 691255, 'there self': 879032, 'self and': 747548, 'and family': 62649, 'family at': 297640, 'babyx may not': 106790, 'not be able': 568348, 'able to read': 24531, 'to read but': 912827, 'read but even': 700312, 'but even very': 145672, 'even very slow': 284761, 'very slow old': 955550, 'slow old idiot': 774378, 'old idiot know': 598299, 'idiot know dont': 413539, 'know dont panic': 476355, 'dont panic buy': 255264, 'panic buy your': 637547, 'buy your wasting': 149503, 'your wasting the': 1026308, 'wasting the food': 968327, 'food and money': 313285, 'and money dont': 67111, 'money dont people': 536712, 'dont people realise': 255272, 'people realise they': 649235, 'realise they be': 701613, 'they be buy': 881529, 'be buy the': 113937, 'buy the product': 149304, 'the product after': 864581, 'product after someone': 680841, 'after someone with': 36230, 'someone with covid': 784784, '19 ha handled': 7351, 'ha handled it': 370817, 'handled it so': 376309, 'it so they': 461133, 'so they putting': 778478, 'they putting there': 882962, 'putting there self': 691257, 'there self and': 879033, 'self and family': 747549, 'and family at': 62652, 'telehealth': 836740, 'monitoring': 537336, 'chatbots': 173978, 'digital tool': 242664, 'tool such': 925436, 'such telehealth': 816791, 'telehealth remote': 836758, 'remote patient': 710720, 'patient monitoring': 644211, 'monitoring and': 537339, 'and ai': 57797, 'ai based': 39297, 'based consumer': 111542, 'consumer chatbots': 196782, 'chatbots could': 173979, 'could help': 209277, 'help contain': 389531, 'contain covid': 200470, 'digital tool such': 242666, 'tool such telehealth': 925438, 'such telehealth remote': 816792, 'telehealth remote patient': 836759, 'remote patient monitoring': 710721, 'patient monitoring and': 644212, 'monitoring and ai': 537340, 'and ai based': 57799, 'ai based consumer': 39299, 'based consumer chatbots': 111543, 'consumer chatbots could': 196783, 'chatbots could help': 173980, 'could help contain': 209280, 'help contain covid': 389532, 'contain covid 19': 200471, 'hiring': 397051, 'maintain business': 508944, 'business during': 143667, 'are hiring': 87179, 'hiring more': 397113, 'new worker': 559888, 'the position': 864054, 'position include': 665176, 'include retail': 431620, 'store location': 808791, 'location division': 498889, 'division office': 248684, 'in order to': 426220, 'order to maintain': 618690, 'to maintain business': 909567, 'maintain business during': 508945, 'business during covid': 143668, '19 ha announced': 7326, 'announced that they': 77072, 'that they are': 846923, 'they are hiring': 881297, 'are hiring more': 87184, 'hiring more than': 397114, 'more than 10': 540542, '10 00 new': 1205, '00 new worker': 361, 'new worker across': 559889, 'worker across the': 1006202, 'across the position': 29514, 'the position include': 864055, 'position include retail': 665178, 'include retail store': 431621, 'retail store location': 718657, 'store location division': 808795, 'location division office': 498890, 'division office and': 248685, 'office and warehouse': 595364, 'porter': 664972, 'unskilled': 943482, 'hospital porter': 404566, 'porter care': 664973, 'staff warehouse': 793049, 'worker all': 1006220, 'them not': 876052, 'not so': 571617, 'so unskilled': 778608, 'unskilled now': 943488, 'now are': 574094, 'they 19': 881081, 'hospital porter care': 404567, 'porter care worker': 664974, 'care worker delivery': 164283, 'worker delivery driver': 1006742, 'driver supermarket staff': 259767, 'supermarket staff warehouse': 822903, 'staff warehouse worker': 793051, 'warehouse worker all': 966815, 'worker all of': 1006223, 'all of them': 43717, 'of them not': 591753, 'them not so': 876055, 'not so unskilled': 571630, 'so unskilled now': 778609, 'unskilled now are': 943489, 'now are they': 574100, 'are they 19': 90985, 'petrified': 653658, 'doesn make': 251875, 'any difference': 79112, 'difference how': 241845, 'many time': 514807, 'you ask': 1017315, 'ask people': 95602, 'essential they': 281673, 'are petrified': 89073, 'petrified coronacrisis': 653659, 'it doesn make': 457634, 'doesn make any': 251876, 'make any difference': 509704, 'any difference how': 79113, 'difference how many': 241846, 'how many time': 408287, 'many time you': 514817, 'time you ask': 898402, 'you ask people': 1017319, 'ask people not': 95603, 'not to panic': 572169, 'other essential they': 620183, 'essential they are': 281674, 'they are petrified': 881360, 'are petrified coronacrisis': 89074, 'nonsense': 566717, 'exercising': 290121, 'nowhere': 576544, 'policing': 663298, 'rife': 721689, 'coron': 203775, 'absolute nonsense': 27265, 'nonsense these': 566749, 'and exercising': 62465, 'exercising in': 290124, 'middle of': 530669, 'of nowhere': 587100, 'nowhere away': 576549, 'the mass': 860236, 'mass population': 519832, 'population try': 664747, 'try policing': 934542, 'policing the': 663307, 'the rife': 865800, 'rife profiteering': 721696, 'profiteering and': 682997, 'supermarket crowd': 819867, 'crowd ignoring': 219170, 'ignoring the': 415924, 'and nh': 67581, 'nh hour': 561983, 'hour coron': 405502, 'absolute nonsense these': 27266, 'nonsense these people': 566750, 'these people are': 880423, 'people are out': 647035, 'are out in': 88886, 'out in and': 626371, 'in and exercising': 420362, 'and exercising in': 62466, 'exercising in the': 290126, 'in the middle': 429358, 'the middle of': 860572, 'middle of nowhere': 530682, 'of nowhere away': 587102, 'nowhere away from': 576550, 'away from the': 105915, 'from the mass': 337785, 'the mass population': 860249, 'mass population try': 519833, 'population try policing': 664748, 'try policing the': 934543, 'policing the rife': 663308, 'the rife profiteering': 865801, 'rife profiteering and': 721697, 'profiteering and supermarket': 683003, 'and supermarket crowd': 72712, 'supermarket crowd ignoring': 819869, 'crowd ignoring the': 219171, 'ignoring the elderly': 415927, 'elderly and nh': 270582, 'and nh hour': 67583, 'nh hour coron': 561984, 'explaining': 292175, 'invoke': 444303, 'defenceproductionact': 232098, 'blood': 133096, 'potus': 667280, 'governorcuomo': 361038, 'thank for': 841565, 'for explaining': 321333, 'explaining how': 292178, 'how failure': 407834, 'to invoke': 908497, 'invoke the': 444312, 'the defenceproductionact': 853030, 'defenceproductionact is': 232101, 'of medical': 586389, 'supply needed': 825581, 'keep american': 471307, 'american alive': 51774, 'alive you': 41858, 'have blood': 379807, 'blood on': 133130, 'hand potus': 375182, 'potus governorcuomo': 667285, 'thank for explaining': 841569, 'for explaining how': 321334, 'explaining how failure': 292180, 'how failure to': 407835, 'failure to invoke': 296301, 'to invoke the': 908500, 'invoke the defenceproductionact': 444313, 'the defenceproductionact is': 853031, 'defenceproductionact is driving': 232102, 'up price of': 945826, 'price of medical': 675503, 'of medical supply': 586400, 'medical supply needed': 526452, 'supply needed to': 825583, 'needed to keep': 556540, 'to keep american': 908751, 'keep american alive': 471308, 'american alive you': 51775, 'alive you ll': 41859, 'you ll have': 1019657, 'll have blood': 496826, 'have blood on': 379808, 'blood on your': 133132, 'on your hand': 605472, 'your hand potus': 1024212, 'hand potus governorcuomo': 375183, 'catastrophic': 166946, 'rejected': 708329, 'preparation': 670027, 'dismantling': 245990, 'although this': 49373, 'wa not': 962754, 'cause but': 167507, 'reason why': 703055, 'why it': 991136, 'is catastrophic': 446406, 'catastrophic trump': 166966, 'trump ha': 933587, 'ha rejected': 371697, 'rejected all': 708330, 'all preparation': 44018, 'preparation from': 670039, 'from dismantling': 335159, 'dismantling the': 245993, 'pandemic unit': 636866, 'unit to': 942102, 'to ignoring': 908117, 'ignoring briefing': 415900, 'on severity': 603384, 'severity wore': 754136, 'wore face': 1004652, 'mask while': 519557, 'while standing': 987310, 'and said': 70761, 'although this wa': 49375, 'this wa not': 891081, 'wa not the': 962776, 'not the cause': 571988, 'the cause but': 850540, 'cause but the': 167509, 'but the reason': 147395, 'the reason why': 865281, 'reason why it': 703060, 'why it is': 991143, 'it is catastrophic': 458898, 'is catastrophic trump': 446408, 'catastrophic trump ha': 166967, 'trump ha rejected': 933594, 'ha rejected all': 371698, 'rejected all preparation': 708331, 'all preparation from': 44019, 'preparation from dismantling': 670040, 'from dismantling the': 335161, 'dismantling the global': 245994, 'the global pandemic': 856316, 'global pandemic unit': 352109, 'pandemic unit to': 636867, 'unit to ignoring': 942103, 'to ignoring briefing': 908118, 'ignoring briefing on': 415901, 'briefing on severity': 139731, 'on severity wore': 603385, 'severity wore face': 754137, 'wore face mask': 1004653, 'face mask while': 294609, 'mask while standing': 519561, 'while standing in': 987311, 'standing in the': 793781, 'store and said': 806334, 'goodfridayreads': 358020, 'climb': 182261, 'plummet': 661243, 'restructuring': 717443, 'intel': 440962, 'goodfridayreads wholesale': 358021, 'wholesale meat': 990453, 'price climb': 673146, 'climb then': 182271, 'then plummet': 877433, 'plummet with': 661315, 'with demand': 997969, 'demand restructuring': 236138, 'restructuring related': 717446, 'related from': 708453, 'from intel': 336071, 'intel data': 440967, 'data show': 226403, 'show pizza': 767095, 'pizza is': 657175, 'is holding': 448519, 'holding up': 400186, 'best but': 127605, 'but restaurant': 146933, 'restaurant sale': 716677, 'are plummeting': 89121, 'goodfridayreads wholesale meat': 358022, 'wholesale meat and': 990454, 'egg price climb': 269957, 'price climb then': 673148, 'climb then plummet': 182272, 'then plummet with': 877434, 'plummet with demand': 661316, 'with demand restructuring': 997987, 'demand restructuring related': 236139, 'restructuring related from': 717447, 'related from intel': 708454, 'from intel data': 336072, 'intel data show': 440968, 'data show pizza': 226411, 'show pizza is': 767096, 'pizza is holding': 657177, 'is holding up': 448523, 'holding up the': 400190, 'up the best': 946156, 'the best but': 849495, 'best but restaurant': 127607, 'but restaurant sale': 146934, 'restaurant sale are': 716679, 'sale are plummeting': 732066, 'defiance': 232222, 'characteristic': 173165, 'tehran': 836614, 'plunged': 661478, 'an act': 55077, 'act of': 29716, 'of defiance': 582468, 'defiance characteristic': 232223, 'characteristic of': 173168, 'of iran': 585294, 'iran tehran': 444711, 'tehran stock': 836615, 'stock exchange': 802103, 'exchange ha': 289449, 'up 62': 944196, '62 since': 21232, 'since march': 770724, 'march stock': 515476, 'stock have': 802223, 'have plunged': 381982, 'plunged globally': 661489, 'globally amid': 352366, 'and despite': 61267, 'the fall': 854865, 'fall in': 296937, 'in commodity': 421607, 'commodity price': 189254, 'price cannot': 673069, 'cannot make': 162005, 'stuff up': 815235, 'in an act': 420270, 'an act of': 55078, 'act of defiance': 29718, 'of defiance characteristic': 582469, 'defiance characteristic of': 232224, 'characteristic of iran': 173169, 'of iran tehran': 585298, 'iran tehran stock': 444712, 'tehran stock exchange': 836616, 'stock exchange ha': 802105, 'exchange ha gone': 289450, 'ha gone up': 370734, 'gone up 62': 356412, 'up 62 since': 944197, '62 since march': 21233, 'since march stock': 770727, 'march stock have': 515477, 'stock have plunged': 802227, 'have plunged globally': 381987, 'plunged globally amid': 661490, 'globally amid the': 352368, 'the crisis and': 852344, 'crisis and despite': 217018, 'and despite the': 61270, 'despite the fall': 238884, 'the fall in': 854871, 'fall in commodity': 296939, 'in commodity price': 421608, 'commodity price cannot': 189262, 'price cannot make': 673070, 'cannot make this': 162009, 'make this stuff': 510650, 'this stuff up': 890395, 'extreme': 293774, 'pressure': 671128, 'elizabeth': 271527, 'somer': 784815, 'is extreme': 447673, 'extreme pressure': 293820, 'pressure when': 671254, 'consumer base': 196397, 'and behaviour': 58848, 'behaviour is': 124456, 'over demand': 630145, 'demand medicine': 235853, 'medicine and': 526711, 'that lead': 844852, 'to flow': 906021, 'flow on': 311255, 'on effect': 600524, 'effect through': 269136, 'chain elizabeth': 170675, 'elizabeth de': 271528, 'de somer': 229105, 'somer ceo': 784816, 'there is extreme': 878557, 'is extreme pressure': 447675, 'extreme pressure when': 293822, 'pressure when the': 671256, 'when the consumer': 984134, 'the consumer base': 851496, 'consumer base and': 196398, 'base and behaviour': 111433, 'and behaviour is': 58851, 'behaviour is to': 124459, 'is to over': 453230, 'to over demand': 911292, 'over demand medicine': 630146, 'demand medicine and': 235854, 'medicine and that': 526725, 'and that lead': 73199, 'that lead to': 844854, 'lead to flow': 483344, 'to flow on': 906022, 'flow on effect': 311256, 'on effect through': 600528, 'effect through the': 269137, 'through the supply': 894770, 'supply chain elizabeth': 824950, 'chain elizabeth de': 170676, 'elizabeth de somer': 271529, 'de somer ceo': 229106, 'draining': 258227, 'overtime': 631615, 'satisfy': 736956, 'my fellow': 548298, 'fellow retail': 303327, 'worker out': 1007524, 'there say': 879018, 'you this': 1021700, 'been difficult': 120975, 'difficult and': 242183, 'and draining': 61712, 'draining for': 258230, 'for is': 322662, 'no joke': 564545, 'joke and': 467049, 'working overtime': 1008858, 'overtime to': 631645, 'to satisfy': 913764, 'satisfy all': 736957, 'customer all': 222043, 'all ask': 42068, 'ask from': 95544, 'consumer is': 197931, 'not empty': 569160, 'empty our': 274988, 'our shelf': 624737, 'buy other': 149060, 'to all my': 900264, 'all my fellow': 43554, 'my fellow retail': 548305, 'fellow retail worker': 303329, 'retail worker out': 718901, 'worker out there': 1007527, 'out there say': 627510, 'there say thank': 879021, 'thank you this': 841829, 'you this time': 1021706, 'this time ha': 890643, 'time ha been': 896880, 'ha been difficult': 369780, 'been difficult and': 120976, 'difficult and draining': 242184, 'and draining for': 61713, 'draining for is': 258231, 'for is no': 322671, 'is no joke': 449943, 'no joke and': 564546, 'joke and we': 467052, 'are working overtime': 91710, 'working overtime to': 1008865, 'overtime to satisfy': 631652, 'to satisfy all': 913765, 'satisfy all the': 736958, 'all the need': 44838, 'for the customer': 326369, 'the customer all': 852712, 'customer all ask': 222044, 'all ask from': 42069, 'ask from the': 95545, 'from the consumer': 337651, 'the consumer is': 851552, 'consumer is to': 197945, 'is to not': 453227, 'to not empty': 910688, 'not empty our': 569161, 'empty our shelf': 274992, 'our shelf and': 624738, 'shelf and panic': 756750, 'panic buy other': 637516, 'part price': 642417, 'price only': 675751, 'only during': 610376, 'lockdown quarantine': 499820, 'quarantine we': 692689, 'will keep': 993887, 'keep all': 471291, 'at part': 100072, 'part only': 642398, 'only please': 610991, 'please spread': 660532, 'word time': 1004595, 'take over': 832466, 'part price only': 642419, 'price only during': 675753, 'only during the': 610377, '19 lockdown quarantine': 8420, 'lockdown quarantine we': 499829, 'quarantine we will': 692694, 'we will keep': 973873, 'will keep all': 993888, 'keep all of': 471298, 'of our price': 587546, 'our price at': 624439, 'price at part': 672806, 'at part only': 100073, 'part only please': 642399, 'only please spread': 610992, 'please spread the': 660533, 'spread the word': 790830, 'the word time': 871722, 'word time to': 1004596, 'to take over': 916219, 'sensible': 750626, 'come on': 187426, 'be sensible': 117081, 'sensible socialdistancing': 750659, 'socialdistancing stoppanicbuying': 780757, 'come on people': 187444, 'on people be': 602736, 'people be sensible': 647230, 'be sensible socialdistancing': 117084, 'sensible socialdistancing stoppanicbuying': 750660, 'lotl': 504440, 'have any': 379293, 'any grocery': 79287, 'store news': 809064, 'news or': 560673, 'or shopping': 617057, 'this weekend': 891303, 'weekend or': 977381, 'or today': 617485, 'today let': 919795, 'know which': 477025, 'which store': 986338, 'store still': 810375, 'still ha': 800612, 'what in': 981654, 'stock what': 803174, 'what did': 981315, 'they come': 881775, 'from lotl': 336281, 'you have any': 1019014, 'have any grocery': 379304, 'any grocery store': 79288, 'grocery store news': 365591, 'store news or': 809067, 'news or shopping': 560676, 'or shopping experience': 617060, 'shopping experience from': 762613, 'experience from this': 291369, 'from this weekend': 338018, 'this weekend or': 891316, 'weekend or today': 977382, 'or today let': 617486, 'today let know': 919798, 'let know which': 486863, 'know which store': 477026, 'which store still': 986345, 'store still ha': 810377, 'still ha what': 800623, 'ha what in': 372473, 'what in stock': 981657, 'in stock what': 428342, 'stock what did': 803176, 'what did they': 981319, 'did they come': 240867, 'they come from': 881776, 'come from lotl': 187308, 'piled': 656529, '700': 21869, 'suspected': 829515, 'costinflation': 208318, 'stateofemergency': 796235, 'tn authority': 899382, 'authority have': 103735, 'have investigated': 381123, 'investigated man': 443820, 'man who': 512320, 'who stock': 989679, 'stock piled': 802638, 'piled 17': 656530, '17 700': 4322, '700 handsanitizer': 21884, 'handsanitizer bottle': 376491, 'bottle suspected': 136328, 'suspected of': 829528, 'of pricegouging': 588420, 'pricegouging during': 677807, 'pandemic check': 635130, 'blog post': 132982, 'post to': 666368, 'see why': 746072, 'why costinflation': 990895, 'costinflation during': 208319, 'during stateofemergency': 263050, 'stateofemergency isn': 796236, 'isn ok': 454602, 'ok in': 597828, 'tn authority have': 899383, 'authority have investigated': 103738, 'have investigated man': 381124, 'investigated man who': 443821, 'man who stock': 512338, 'who stock piled': 989682, 'stock piled 17': 802639, 'piled 17 700': 656531, '17 700 handsanitizer': 4323, '700 handsanitizer bottle': 21885, 'handsanitizer bottle suspected': 376492, 'bottle suspected of': 136329, 'suspected of pricegouging': 829529, 'of pricegouging during': 588422, 'pricegouging during the': 677809, 'the pandemic check': 862931, 'pandemic check out': 635132, 'out our latest': 626979, 'latest blog post': 481239, 'blog post to': 133002, 'post to see': 666374, 'to see why': 914100, 'see why costinflation': 746074, 'why costinflation during': 990896, 'costinflation during stateofemergency': 208320, 'during stateofemergency isn': 263051, 'stateofemergency isn ok': 796237, 'isn ok in': 454603, 'ok in nj': 597829, 'drama': 258241, 'meghanandharry': 527852, 'infinitely': 436952, 'doomsdaypreppers': 255484, 'amid all': 52381, 'real drama': 701118, 'drama of': 258249, 'of no': 587034, 'longer care': 501956, 'care to': 164235, 'latest meghanandharry': 481436, 'meghanandharry story': 527853, 'story am': 811901, 'am infinitely': 50148, 'infinitely more': 436953, 'more worried': 541012, 'the health': 857176, 'health of': 386680, 'my child': 547675, 'and whether': 75544, 'whether the': 985577, 'supermarket will': 823878, 'have anything': 379333, 'anything left': 80813, 'shelf when': 757785, 'get there': 348377, 'there bloody': 878255, 'bloody doomsdaypreppers': 133194, 'amid all the': 52383, 'all the real': 44882, 'the real drama': 865215, 'real drama of': 701119, 'drama of no': 258250, 'of no longer': 587042, 'no longer care': 564641, 'longer care to': 501957, 'care to follow': 164237, 'follow the latest': 312533, 'the latest meghanandharry': 859127, 'latest meghanandharry story': 481437, 'meghanandharry story am': 527854, 'story am infinitely': 811902, 'am infinitely more': 50149, 'infinitely more worried': 436954, 'more worried about': 541013, 'about the health': 26410, 'the health of': 857184, 'health of my': 386685, 'of my child': 586742, 'my child and': 547677, 'child and whether': 176004, 'and whether the': 75549, 'whether the supermarket': 985586, 'the supermarket will': 868908, 'supermarket will have': 823884, 'will have anything': 993614, 'have anything left': 379334, 'anything left on': 80815, 'the shelf when': 866899, 'shelf when get': 757786, 'when get there': 983462, 'get there bloody': 348380, 'there bloody doomsdaypreppers': 878256, 'triple': 932237, 'digit': 242473, 'hurricane': 411468, 'flood': 310700, 'seeing triple': 746525, 'triple digit': 932242, 'digit spike': 242488, 'spike in': 789288, 'demand struggling': 236284, 'to deal': 903966, 'with crisis': 997855, 'entire country': 278653, 'is experiencing': 447647, 'experiencing at': 291629, 'once it': 605665, 'isn like': 454586, 'like certain': 489982, 'certain region': 170089, 'region wa': 707477, 'wa hit': 962311, 'hit by': 398173, 'by hurricane': 152853, 'hurricane and': 411469, 'and thing': 73953, 'thing can': 884218, 'can flood': 158356, 'flood in': 310707, 'in everybody': 422693, 'everybody is': 286444, 'is affected': 445371, 'are seeing triple': 89919, 'seeing triple digit': 746526, 'triple digit spike': 932244, 'digit spike in': 242489, 'spike in demand': 789294, 'in demand struggling': 422155, 'demand struggling to': 236285, 'struggling to deal': 814500, 'to deal with': 903969, 'deal with crisis': 229547, 'with crisis the': 997857, 'crisis the entire': 218170, 'the entire country': 854349, 'entire country is': 278658, 'country is experiencing': 210799, 'is experiencing at': 447648, 'experiencing at once': 291630, 'at once it': 99958, 'once it isn': 605668, 'it isn like': 459149, 'isn like certain': 454587, 'like certain region': 489983, 'certain region wa': 170090, 'region wa hit': 707478, 'wa hit by': 962312, 'hit by hurricane': 398177, 'by hurricane and': 152854, 'hurricane and thing': 411470, 'and thing can': 73955, 'thing can flood': 884222, 'can flood in': 158357, 'flood in everybody': 310708, 'in everybody is': 422694, 'everybody is affected': 286446, 'is affected by': 445372, 'affected by this': 34326, 'scam what': 740472, 'ftc is': 339412, 'scam what the': 740474, 'what the ftc': 982317, 'the ftc is': 855931, 'ftc is doing': 339413, 'asf': 95013, 'hampered': 374608, 'stage': 793172, 'china in': 176724, 'china asf': 176506, 'asf outbreak': 95016, 'outbreak were': 628805, 'were certainly': 979427, 'certainly made': 170161, 'government restriction': 360544, 'restriction on': 717334, 'on public': 602997, 'public release': 688267, 'release of': 708980, 'of information': 585191, 'information which': 438039, 'which hampered': 985908, 'hampered effort': 374612, 'combat disease': 187005, 'disease in': 245156, 'their critical': 872921, 'critical early': 218550, 'early stage': 264699, 'and china in': 59854, 'china in china': 176727, 'in china asf': 421390, 'china asf outbreak': 176507, 'asf outbreak were': 95017, 'outbreak were certainly': 628807, 'were certainly made': 979428, 'certainly made worse': 170163, 'worse by government': 1010898, 'by government restriction': 152715, 'government restriction on': 360546, 'restriction on public': 717349, 'on public release': 603001, 'public release of': 688268, 'release of information': 708983, 'of information which': 585198, 'information which hampered': 438040, 'which hampered effort': 985909, 'hampered effort to': 374613, 'effort to combat': 269613, 'to combat disease': 902994, 'combat disease in': 187006, 'disease in their': 245158, 'in their critical': 429732, 'their critical early': 872922, 'critical early stage': 218551, 'stamp': 793396, 'rocking': 724976, 'new wave': 559850, 'wave of': 969363, 'closing up': 183806, 'up shop': 945975, 'the short': 867081, 'term the': 838317, 'industry work': 436256, 'to stamp': 915149, 'stamp out': 793432, 'virus rocking': 958700, 'rocking the': 724981, 'global community': 351786, 'community retail': 190071, 'new wave of': 559851, 'wave of store': 969382, 'of store is': 590254, 'store is closing': 808477, 'is closing up': 446617, 'closing up shop': 183807, 'up shop in': 945978, 'shop in the': 760327, 'in the short': 429547, 'the short term': 867084, 'short term the': 764756, 'term the industry': 838319, 'the industry work': 858198, 'industry work to': 436257, 'work to stamp': 1005902, 'to stamp out': 915150, 'stamp out the': 793433, 'out the virus': 627436, 'the virus rocking': 870885, 'virus rocking the': 958701, 'rocking the global': 724983, 'the global community': 856291, 'global community retail': 351788, 'scottish': 742473, 'pandemic affect': 634802, 'affect scottish': 34221, 'scottish house': 742483, 'will the pandemic': 995150, 'the pandemic affect': 862896, 'pandemic affect scottish': 634805, 'affect scottish house': 34222, 'scottish house price': 742484, 'cable': 155012, 'you waste': 1022180, 'waste worker': 968218, 'worker cable': 1006576, 'cable guy': 155015, 'guy mail': 369081, 'mail carrier': 508574, 'carrier pharmacist': 165008, 'pharmacist grocery': 654139, 'employee amazon': 273541, 'delivery people': 234307, 'people utility': 650080, 'utility worker': 951336, 'worker power': 1007618, 'power gas': 667611, 'gas water': 344176, 'water telecom': 969193, 'thank you waste': 841843, 'you waste worker': 1022184, 'waste worker cable': 968219, 'worker cable guy': 1006577, 'cable guy mail': 155016, 'guy mail carrier': 369082, 'mail carrier pharmacist': 508582, 'carrier pharmacist grocery': 165009, 'pharmacist grocery store': 654140, 'store employee amazon': 807454, 'employee amazon warehouse': 273543, 'amazon warehouse worker': 51187, 'worker delivery people': 1006745, 'delivery people utility': 234327, 'people utility worker': 650081, 'utility worker power': 951341, 'worker power gas': 1007619, 'power gas water': 667612, 'gas water telecom': 344178, 'intensify': 441113, 'and isolation': 65463, 'isolation continue': 455238, 'to intensify': 908444, 'intensify ecommerce': 441118, 'ecommerce sale': 266852, 'also increasing': 48417, 'increasing consumer': 433568, 'is forced': 447898, 'to change': 902589, 'change click': 171973, 'click below': 181885, 'full story': 340898, 'distancing and isolation': 246976, 'and isolation continue': 65464, 'isolation continue to': 455239, 'continue to intensify': 201212, 'to intensify ecommerce': 908445, 'intensify ecommerce sale': 441119, 'ecommerce sale are': 266854, 'sale are also': 732057, 'are also increasing': 84463, 'also increasing consumer': 48418, 'increasing consumer behavior': 433569, 'consumer behavior is': 196488, 'behavior is forced': 124098, 'is forced to': 447899, 'forced to change': 328620, 'to change click': 902595, 'change click below': 171974, 'click below for': 181886, 'below for the': 126650, 'for the full': 326455, 'the full story': 856023, 'saturday': 736987, 'ted': 836415, 'mimosa': 532499, 'if get': 414142, 'will almost': 992246, 'almost certainly': 46570, 'certainly be': 170135, 'be from': 114964, 'stupidity of': 815544, 'of human': 584867, 'human at': 410425, 'on an': 599319, 'an otherwise': 56719, 'otherwise calm': 621831, 'calm saturday': 156792, 'saturday morning': 737043, 'morning thanks': 541484, 'for coming': 320172, 'coming to': 188217, 'my ted': 550330, 'ted talk': 836419, 'talk it': 833808, 'now time': 576157, 'for mimosa': 323441, 'mimosa before': 532500, 'before have': 122840, 'have panic': 381877, 'if get it': 414145, 'get it will': 347437, 'it will almost': 462369, 'will almost certainly': 992247, 'almost certainly be': 46571, 'certainly be from': 170136, 'be from the': 114971, 'from the level': 337771, 'level of stupidity': 487662, 'of stupidity of': 590346, 'stupidity of human': 815545, 'of human at': 584870, 'human at the': 410426, 'store on an': 809185, 'on an otherwise': 599334, 'an otherwise calm': 56720, 'otherwise calm saturday': 621832, 'calm saturday morning': 156793, 'saturday morning thanks': 737045, 'morning thanks for': 541485, 'thanks for coming': 842054, 'for coming to': 320177, 'coming to my': 188223, 'to my ted': 910442, 'my ted talk': 550332, 'ted talk it': 836420, 'talk it now': 833809, 'it now time': 459967, 'now time for': 576158, 'time for mimosa': 896726, 'for mimosa before': 323442, 'mimosa before have': 532501, 'before have panic': 122842, 'have panic attack': 381878, 'insolvency': 439735, 'picked': 655785, 'marginally': 515660, 'and business': 59261, 'business insolvency': 143931, 'insolvency picked': 439743, 'picked up': 655806, 'up marginally': 945361, 'marginally in': 515663, 'in february': 422833, 'february before': 301693, 'on set': 603382, 'set of': 753438, 'of economic': 582947, 'economic impact': 267124, 'impact from': 417663, '19 full': 7161, 'consumer and business': 196200, 'and business insolvency': 59286, 'business insolvency picked': 143932, 'insolvency picked up': 439744, 'picked up marginally': 655815, 'up marginally in': 945362, 'marginally in february': 515664, 'in february before': 422837, 'february before the': 301695, 'before the full': 123164, 'the full on': 856017, 'full on set': 340777, 'on set of': 603383, 'set of economic': 753440, 'of economic impact': 582953, 'economic impact from': 267134, 'impact from covid': 417665, 'covid 19 full': 213133, '19 full report': 7164, 'own pantry': 632120, 'pantry consider': 639555, 'consider donating': 194981, 'to local': 909369, 'bank call': 109697, 'call ahead': 155746, 'ahead to': 39215, 'and check': 59780, 'out guide': 626243, 'guide here': 368329, 'stock up your': 803137, 'up your own': 946745, 'your own pantry': 1025154, 'own pantry consider': 632121, 'pantry consider donating': 639556, 'consider donating to': 194988, 'donating to local': 254523, 'to local food': 909376, 'food bank call': 313533, 'bank call ahead': 109698, 'call ahead to': 155749, 'ahead to see': 39218, 'see what they': 746046, 'they need and': 882716, 'need and check': 554420, 'and check out': 59783, 'check out guide': 174553, 'out guide here': 626244, 'ashley': 95101, 'tisdale': 899108, 'handed': 376059, 'ashleytisdale': 95127, 'ashley tisdale': 95120, 'tisdale leaf': 899109, 'leaf grocery': 483800, 'store empty': 807584, 'empty handed': 274900, 'handed ashleytisdale': 376060, 'ashleytisdale grocery': 95128, 'ashley tisdale leaf': 95121, 'tisdale leaf grocery': 899110, 'leaf grocery store': 483801, 'grocery store empty': 365364, 'store empty handed': 807585, 'empty handed ashleytisdale': 274901, 'handed ashleytisdale grocery': 376061, 'pretect': 671309, 'stayathomeorder': 797769, 'it import': 458704, 'mask when': 519533, 're healthy': 698797, 'healthy pretect': 387734, 'pretect yourself': 671310, 'others from': 621416, 'the we': 871213, 'the healthcare': 857191, 'healthcare system': 387305, 'system from': 831181, 'from failing': 335387, 'failing or': 296215, 'we risk': 973110, 'risk to': 723948, 'lose more': 503454, 'more life': 539677, 'life than': 489086, 'than necessary': 840926, 'necessary stayathomeorder': 554086, 'stayathomeorder stayhome': 797787, 'do you know': 250642, 'you know why': 1019545, 'know why it': 477050, 'why it import': 991141, 'it import to': 458705, 'import to wear': 418683, 'wear mask when': 974412, 'mask when you': 519545, 'think you re': 885817, 'you re healthy': 1020641, 're healthy pretect': 698799, 'healthy pretect yourself': 387735, 'pretect yourself and': 671311, 'yourself and others': 1026523, 'and others from': 68445, 'others from the': 621426, 'from the we': 337920, 'the we need': 871218, 'need to support': 556095, 'to support the': 915975, 'support the healthcare': 826873, 'the healthcare system': 857201, 'healthcare system from': 387308, 'system from failing': 831182, 'from failing or': 335389, 'failing or we': 296216, 'or we risk': 617741, 'we risk to': 973112, 'risk to lose': 723966, 'to lose more': 909460, 'lose more life': 503455, 'more life than': 539681, 'life than necessary': 489087, 'than necessary stayathomeorder': 840928, 'necessary stayathomeorder stayhome': 554087, 'nigerian': 562829, '1billion': 12585, 'dey': 240016, 'loot': 503228, 'suffering': 817280, 'guy re': 369121, 're giving': 698742, 'giving nigerian': 351354, 'nigerian govt': 562850, 'govt 1billion': 361059, '1billion to': 12588, '19 when': 12015, 'when know': 983669, 'know dey': 476350, 'dey will': 240043, 'will loot': 994047, 'loot money': 503231, 'money why': 537173, 'why didn': 990923, 'didn credit': 241029, 'credit the': 216528, 'the account': 848287, 'of nigerian': 587016, 'nigerian who': 562902, 'little or': 495506, 'or no': 616256, 'no money': 564777, 'money in': 536828, 'their account': 872452, 'account so': 28748, 'so dey': 776858, 'dey can': 240017, 'can stock': 159803, 'house people': 406454, 'are suffering': 90626, 'guy re giving': 369122, 're giving nigerian': 698745, 'giving nigerian govt': 351355, 'nigerian govt 1billion': 562851, 'govt 1billion to': 361060, '1billion to fight': 12589, 'to fight covid': 905785, 'covid 19 when': 214065, '19 when know': 12021, 'when know dey': 983670, 'know dey will': 476351, 'dey will loot': 240044, 'will loot money': 994048, 'loot money why': 503232, 'money why didn': 537174, 'why didn credit': 990925, 'didn credit the': 241030, 'credit the account': 216529, 'the account of': 848288, 'account of nigerian': 28729, 'of nigerian who': 587017, 'nigerian who have': 562904, 'who have little': 988935, 'have little or': 381353, 'little or no': 495507, 'or no money': 616263, 'no money in': 564785, 'money in their': 536831, 'in their account': 429712, 'their account so': 872454, 'account so dey': 28749, 'so dey can': 776859, 'dey can stock': 240018, 'can stock food': 159804, 'stock food in': 802134, 'the house people': 857624, 'house people are': 406455, 'people are suffering': 647097, 'alivecor': 41860, 'expanded': 290477, 'kardiamobile': 470883, '6l': 21631, 'ecg': 266616, 'dangerously': 225806, 'prolonged': 683624, 'heartbeat': 388364, 'alivecor received': 41861, 'received fda': 703617, 'fda approval': 300826, 'an expanded': 55959, 'expanded use': 290493, 'their kardiamobile': 873751, 'kardiamobile 6l': 470884, '6l device': 21632, 'device six': 239934, 'six lead': 772660, 'lead consumer': 483269, 'consumer ecg': 197281, 'ecg to': 266619, 'for dangerously': 320542, 'dangerously prolonged': 225807, 'prolonged heartbeat': 683629, 'heartbeat caused': 388365, 'by medication': 153196, 'alivecor received fda': 41862, 'received fda approval': 703618, 'fda approval for': 300828, 'approval for an': 83092, 'for an expanded': 319291, 'an expanded use': 55960, 'expanded use of': 290494, 'use of their': 949431, 'of their kardiamobile': 591674, 'their kardiamobile 6l': 873752, 'kardiamobile 6l device': 470885, '6l device six': 21633, 'device six lead': 239935, 'six lead consumer': 772661, 'lead consumer ecg': 483271, 'consumer ecg to': 197282, 'ecg to look': 266620, 'to look for': 909435, 'look for dangerously': 502356, 'for dangerously prolonged': 320543, 'dangerously prolonged heartbeat': 225808, 'prolonged heartbeat caused': 683630, 'heartbeat caused by': 388366, 'caused by medication': 167850, 'cyprus': 224138, 'so apparently': 776529, 'apparently of': 81978, 'of tomorrow': 592301, 'tomorrow we': 924233, 'll only': 496930, 'pharmacy work': 654570, 'work if': 1005274, 'needed cyprus': 556335, 'cyprus 19': 224139, 'so apparently of': 776533, 'apparently of tomorrow': 81979, 'of tomorrow we': 592304, 'tomorrow we ll': 924236, 'we ll only': 972267, 'll only be': 496931, 'only be allowed': 610147, 'be allowed to': 113567, 'the supermarket pharmacy': 868750, 'supermarket pharmacy work': 821981, 'pharmacy work if': 654571, 'work if needed': 1005279, 'if needed cyprus': 414460, 'needed cyprus 19': 556336, 'counsellor': 210078, 'debthelp': 230628, 'debtfree': 230625, 'our certified': 622350, 'certified credit': 170230, 'credit counsellor': 216365, 'counsellor are': 210079, 'prepared to': 670245, 'help the': 390639, 'the many': 860032, 'many canadian': 513863, 'canadian who': 160773, 'of facing': 583370, 'facing consumer': 295428, 'consumer insolvency': 197892, 'insolvency we': 439749, 'work hard': 1005235, 'canadian with': 160775, 'their financial': 873319, 'financial hardship': 306426, 'hardship debthelp': 378283, 'debthelp debtfree': 230629, 'outbreak our certified': 628510, 'our certified credit': 622351, 'certified credit counsellor': 170231, 'credit counsellor are': 216366, 'counsellor are prepared': 210080, 'are prepared to': 89196, 'prepared to help': 670254, 'to help the': 907646, 'help the many': 390664, 'the many canadian': 860036, 'many canadian who': 513865, 'canadian who are': 160774, 'risk of facing': 723747, 'of facing consumer': 583371, 'facing consumer insolvency': 295430, 'consumer insolvency we': 197894, 'insolvency we work': 439750, 'we work hard': 973943, 'work hard to': 1005239, 'hard to help': 378067, 'help canadian with': 389481, 'canadian with their': 160778, 'with their financial': 1001570, 'their financial hardship': 873323, 'financial hardship debthelp': 306431, 'hardship debthelp debtfree': 378284, 'everyone helping': 287004, 'helping to': 391521, 'fight and': 304651, 'safe nurse': 729846, 'nurse carers': 577239, 'carers doctor': 164575, 'doctor bus': 250854, 'staff thank': 792927, 'for everyone helping': 321214, 'everyone helping to': 287007, 'helping to fight': 391525, 'to fight and': 905777, 'fight and keep': 304653, 'and keep safe': 65776, 'keep safe nurse': 471884, 'safe nurse carers': 729847, 'nurse carers doctor': 577241, 'carers doctor bus': 164576, 'doctor bus driver': 250855, 'bus driver supermarket': 143029, 'supermarket staff thank': 822896, 'staff thank you': 792928, 'betting': 128632, 'tho': 891670, 'uklockdown': 938985, 'much you': 545487, 'you betting': 1017470, 'betting even': 128635, 'even tho': 284692, 'tho we': 891696, 'lockdown your': 500184, 'your still': 1025942, 'get moron': 347607, 'moron who': 541647, 'who go': 988786, 'out tomorrow': 627718, 'tomorrow and': 924021, 'and try': 74505, 'try and': 934436, 'and bulk': 59250, 'bulk buy': 142248, 'buy again': 148277, 'again for': 36992, 'delivery it': 234150, 'it take': 461418, 'take about': 831884, 'about week': 26865, 'get slot': 348016, 'slot so': 774258, 'so your': 778857, 'your going': 1024071, 'store uklockdown': 810986, 'how much you': 408388, 'much you betting': 545491, 'you betting even': 1017471, 'betting even tho': 128636, 'even tho we': 284696, 'tho we are': 891697, 'we are on': 970644, 'are on lockdown': 88724, 'on lockdown your': 601925, 'lockdown your still': 500186, 'your still going': 1025945, 'to get moron': 906537, 'get moron who': 347608, 'moron who go': 541650, 'who go out': 988793, 'go out tomorrow': 353995, 'out tomorrow and': 627719, 'tomorrow and try': 924027, 'and try and': 74506, 'try and bulk': 934439, 'and bulk buy': 59251, 'bulk buy again': 142249, 'buy again for': 148278, 'again for delivery': 36993, 'for delivery it': 320639, 'delivery it take': 234155, 'it take about': 461419, 'take about week': 831886, 'about week to': 26875, 'week to get': 977080, 'to get slot': 906591, 'get slot so': 348020, 'slot so your': 774261, 'so your going': 778858, 'your going to': 1024072, 'going to have': 355618, 'to have to': 907329, 'go in to': 353721, 'in to the': 430141, 'grocery store uklockdown': 365894, 'climate': 182176, 'joking': 467187, 'theyve': 883969, 'utterly': 951446, 'disappointed': 244092, 'skybroadb': 773239, 'you serious': 1021122, 'serious given': 751394, 'given the': 351128, 'current climate': 221126, 'climate are': 182181, 'you actually': 1016804, 'actually joking': 30856, 'joking you': 467204, 'ashamed theyve': 95079, 'theyve now': 883972, 'now shut': 575826, 'shut school': 767921, 'will probably': 994460, 'probably close': 679238, 'close business': 182574, 'and your': 76064, 'your increasing': 1024475, 'increasing price': 433661, 'price utterly': 677287, 'utterly disgraceful': 951449, 'disgraceful and': 245322, 'and disappointed': 61400, 'disappointed sky': 244113, 'sky skybroadb': 773229, 'are you serious': 91852, 'you serious given': 1021124, 'serious given the': 751395, 'given the current': 351133, 'the current climate': 852618, 'current climate are': 221127, 'climate are you': 182182, 'are you actually': 91760, 'you actually joking': 1016810, 'actually joking you': 30857, 'joking you should': 467205, 'be ashamed theyve': 113702, 'ashamed theyve now': 95080, 'theyve now shut': 883973, 'now shut school': 575827, 'shut school and': 767922, 'school and will': 741691, 'and will probably': 75684, 'will probably close': 994462, 'probably close business': 679239, 'close business and': 182575, 'business and your': 143343, 'and your increasing': 76078, 'your increasing price': 1024476, 'increasing price utterly': 433684, 'price utterly disgraceful': 677288, 'utterly disgraceful and': 951450, 'disgraceful and disappointed': 245323, 'and disappointed sky': 61401, 'disappointed sky skybroadb': 244114, 'impact consumer': 417605, 'service download': 752304, 'download our': 257608, 'our free': 623162, 'free report': 332094, 'measure and': 525096, 'and of': 67954, 'potential recession': 667125, 'recession on': 704331, 'on digital': 600320, 'digital service': 242643, 'how will impact': 409230, 'will impact consumer': 993778, 'impact consumer service': 417612, 'consumer service download': 198943, 'service download our': 752305, 'download our free': 257610, 'our free report': 623164, 'free report on': 332096, 'report on the': 712154, 'on the effect': 604087, 'effect of social': 269062, 'of social distancing': 589838, 'distancing measure and': 247316, 'measure and of': 525103, 'and of potential': 67958, 'of potential recession': 588284, 'potential recession on': 667126, 'recession on digital': 704332, 'on digital service': 600328, 'ecosystem': 268395, 'elegance': 271322, 'is having': 448323, 'having major': 384151, 'major impact': 509358, 'whole business': 990155, 'business ecosystem': 143686, 'ecosystem in': 268396, 'term business': 838074, 'will need': 994143, 'the immediate': 857896, 'immediate challenge': 416974, 'challenge of': 171509, 'lockdown where': 500132, 'where speed': 985186, 'speed will': 788481, 'more important': 539487, 'important than': 418983, 'than elegance': 840541, '19 is having': 7984, 'is having major': 448330, 'having major impact': 384153, 'major impact on': 509359, 'on the whole': 604452, 'the whole business': 871481, 'whole business ecosystem': 990156, 'business ecosystem in': 143687, 'ecosystem in the': 268397, 'short term business': 764725, 'term business will': 838076, 'business will need': 144686, 'will need to': 994151, 'need to respond': 556046, 'to the immediate': 916795, 'the immediate challenge': 857898, 'immediate challenge of': 416975, 'challenge of the': 171518, '19 lockdown where': 8439, 'lockdown where speed': 500133, 'where speed will': 985187, 'speed will be': 788482, 'will be more': 992563, 'be more important': 115980, 'more important than': 539493, 'important than elegance': 418990, 'odisha': 579227, 'cold': 185729, 'complication': 192477, 've just': 953292, 'just posted': 469473, 'posted new': 666552, 'new blog': 558401, 'blog after': 132899, 'after recovery': 36112, 'recovery odisha': 705361, 'odisha first': 579230, 'first covid': 308602, '19 patient': 9586, 'patient urge': 644284, 'urge people': 948209, 'panic he': 638167, 'he ha': 385013, 'been advised': 120614, 'advised to': 33648, 'remain under': 709900, 'under home': 940117, 'home quarantine': 401931, 'quarantine for': 692196, 'for another': 319365, 'another 14': 77470, 'avoid any': 105002, 'any cold': 79024, 'cold food': 185757, 'food he': 314793, 'to call': 902371, 'call doctor': 155834, 'doctor if': 250960, 'any health': 79306, 'health complication': 386281, 've just posted': 953302, 'just posted new': 469475, 'posted new blog': 666553, 'new blog after': 558402, 'blog after recovery': 132900, 'after recovery odisha': 36113, 'recovery odisha first': 705362, 'odisha first covid': 579231, 'first covid 19': 308603, 'covid 19 patient': 213558, '19 patient urge': 9596, 'patient urge people': 644285, 'urge people not': 948210, 'to panic he': 911400, 'panic he ha': 638168, 'he ha been': 385020, 'ha been advised': 369709, 'been advised to': 120616, 'advised to remain': 33650, 'to remain under': 913177, 'remain under home': 709901, 'under home quarantine': 940119, 'home quarantine for': 401932, 'quarantine for another': 692199, 'for another 14': 319366, 'another 14 day': 77471, '14 day and': 3441, 'day and avoid': 227254, 'and avoid any': 58559, 'avoid any cold': 105003, 'any cold food': 79026, 'cold food he': 185759, 'food he ha': 314794, 'he ha also': 385016, 'also been asked': 47939, 'asked to call': 95860, 'to call doctor': 902378, 'call doctor if': 155835, 'doctor if there': 250961, 'if there any': 415062, 'there any health': 878021, 'any health complication': 79307, 'all grocery': 43004, 'worker pandemic': 1007539, 'pandemic corona': 635221, 'for all grocery': 319130, 'all grocery worker': 43013, 'grocery worker pandemic': 366185, 'worker pandemic corona': 1007540, 'been an': 120652, 'an honor': 56066, 'honor to': 403255, 'receive personal': 703530, 'personal email': 652832, 'email from': 272179, 'from every': 335319, 'every ceo': 285719, 'ceo of': 169764, 'company in': 190755, 'which am': 985659, 'am consumer': 49979, 'consumer regarding': 198666, 'it been an': 456790, 'been an honor': 120654, 'an honor to': 56067, 'honor to receive': 403257, 'to receive personal': 912929, 'receive personal email': 703531, 'personal email from': 652834, 'email from every': 272186, 'from every ceo': 335320, 'every ceo of': 285720, 'ceo of company': 169772, 'of company in': 581610, 'company in which': 190774, 'in which am': 430856, 'which am consumer': 985660, 'am consumer regarding': 49981, 'consumer regarding covid': 198667, 'gotten': 359120, 'tougher': 926885, 'you gotten': 1018918, 'gotten delivery': 359131, 'slot online': 774247, 'shopping get': 762775, 'get tougher': 348527, 'tougher by': 926886, 'the day': 852864, 'day via': 228648, 'have you gotten': 383670, 'you gotten delivery': 1018919, 'gotten delivery slot': 359132, 'delivery slot online': 234534, 'slot online grocery': 774248, 'grocery shopping get': 365026, 'shopping get tougher': 762777, 'get tougher by': 348528, 'tougher by the': 926887, 'by the day': 154303, 'the day via': 852922, 'manipulating': 513214, 'inappropriate': 431234, 'manipulating fuel': 513217, 'is inappropriate': 448834, 'inappropriate and': 431235, 'greed on': 363417, 'the part': 863304, 'producing country': 680749, 'country greedy': 210701, 'manipulating fuel price': 513218, 'fuel price during': 340227, 'during the current': 263111, 'crisis is inappropriate': 217577, 'is inappropriate and': 448835, 'inappropriate and smack': 431236, 'of greed on': 584325, 'greed on the': 363419, 'on the part': 604276, 'the part of': 863305, 'part of oil': 642367, 'of oil producing': 587193, 'oil producing country': 597352, 'producing country greedy': 680753, 'country greedy bastard': 210702, 'underestimate': 940423, 'horrible': 404092, 'not underestimate': 572311, 'underestimate the': 940426, 'the power': 864147, 'power of': 667648, 'of kind': 585640, 'kind word': 475032, 'word to': 1004597, 'to someone': 914900, 'someone right': 784626, 'are lot': 87908, 'are truly': 91215, 'truly horrible': 933316, 'horrible to': 404135, 'to health': 907368, 'care provider': 164172, 'provider grocery': 686728, 'store staff': 810297, 'and sure': 72867, 'sure many': 827613, 'many others': 514445, 'others smiling': 621643, 'smiling and': 775763, 'and saying': 71014, 'saying thank': 739692, 'doing your': 252878, 'best in': 127729, 'in difficult': 422260, 'time can': 896443, 'mean everything': 524418, 'everything for': 287791, 'them 19': 875299, 'do not underestimate': 249879, 'not underestimate the': 572312, 'underestimate the power': 940428, 'the power of': 864154, 'power of kind': 667651, 'of kind word': 585641, 'kind word to': 475034, 'word to someone': 1004603, 'to someone right': 914907, 'someone right now': 784627, 'right now there': 722155, 'now there are': 576089, 'there are lot': 878121, 'are lot of': 87910, 'lot of people': 504247, 'of people who': 588024, 'who are truly': 988247, 'are truly horrible': 91218, 'truly horrible to': 933317, 'horrible to health': 404137, 'to health care': 907370, 'health care provider': 386247, 'care provider grocery': 164175, 'provider grocery store': 686729, 'grocery store staff': 365794, 'store staff and': 810300, 'staff and sure': 792164, 'and sure many': 72868, 'sure many others': 827616, 'many others smiling': 514454, 'others smiling and': 621644, 'smiling and saying': 775766, 'and saying thank': 71018, 'saying thank you': 739693, 'you for doing': 1018631, 'for doing your': 320808, 'doing your best': 252879, 'your best in': 1022949, 'best in difficult': 127732, 'in difficult time': 422263, 'difficult time can': 242281, 'time can mean': 896447, 'can mean everything': 158981, 'mean everything for': 524419, 'everything for them': 287794, 'for them 19': 326889, 'refried': 706773, 'no refried': 565314, 'refried bean': 706774, 'bean in': 118332, 'it personal': 460318, 'personal now': 652925, 'now sleep': 575839, 'sleep with': 773810, 'with one': 999877, 'one eye': 606269, 'open covid': 612168, '19 coming': 5894, 'no refried bean': 565315, 'refried bean in': 706776, 'bean in the': 118333, 'store it personal': 808589, 'it personal now': 460319, 'personal now sleep': 652926, 'now sleep with': 575840, 'sleep with one': 773811, 'with one eye': 999882, 'one eye open': 606270, 'eye open covid': 294083, 'open covid 19': 612169, 'covid 19 coming': 212828, '19 coming for': 5895, 'coming for you': 188052, 'plight': 661047, 'stripping': 813902, 'hashtag': 378689, 'heard the': 388148, 'the plight': 863846, 'plight of': 661050, 'nurse on': 577435, 'on asking': 599485, 'asking people': 96037, 'and selling': 71230, 'selling stripping': 749456, 'stripping supermarket': 813918, 'shelf due': 756997, 'to selfishness': 914130, 'selfishness and': 748328, 'and injustice': 65244, 'injustice greed': 438731, 'greed it': 363397, 'it seems': 460938, 'seems like': 746805, 'the bekind': 849453, 'bekind hashtag': 126097, 'hashtag ha': 378696, 'ha completely': 370220, 'completely disappeared': 192259, 'disappeared wise': 244074, 'wise people': 996690, 'about others': 25875, 'others coronacrisis': 621341, 'just heard the': 468961, 'heard the plight': 388152, 'the plight of': 863847, 'plight of nurse': 661052, 'of nurse on': 587114, 'nurse on asking': 577436, 'on asking people': 599486, 'asking people to': 96039, 'buying and selling': 149929, 'and selling stripping': 71241, 'selling stripping supermarket': 749457, 'stripping supermarket shelf': 813920, 'supermarket shelf due': 822457, 'shelf due to': 756998, 'due to selfishness': 261941, 'to selfishness and': 914131, 'selfishness and injustice': 748333, 'and injustice greed': 65245, 'injustice greed it': 438732, 'greed it seems': 363398, 'it seems like': 460947, 'seems like the': 746817, 'like the bekind': 491352, 'the bekind hashtag': 849454, 'bekind hashtag ha': 126098, 'hashtag ha completely': 378697, 'ha completely disappeared': 370223, 'completely disappeared wise': 192261, 'disappeared wise people': 244075, 'wise people think': 996691, 'people think about': 649828, 'think about others': 885093, 'about others coronacrisis': 25879, 'safest': 730421, 'transact': 929425, 'the safest': 866139, 'safest way': 730434, 'to transact': 917703, 'transact business': 929426, 'online shopping the': 609303, 'shopping the safest': 764095, 'the safest way': 866144, 'safest way to': 730435, 'way to transact': 970116, 'to transact business': 917704, 'transact business during': 929427, 'lowes': 506138, 'depot': 237529, 'what interesting': 981670, 'interesting is': 441570, 'that employee': 843698, 'employee at': 273639, 'store walmart': 811141, 'walmart target': 965424, 'target lowes': 834479, 'lowes home': 506143, 'home depot': 401061, 'depot must': 237541, 'be pretty': 116530, 'pretty damn': 671387, 'damn contaminated': 225332, 'contaminated they': 200674, 'they dropped': 882022, 'dropped like': 260585, 'like fly': 490249, 'fly at': 311599, 'point thing': 662657, 'thing must': 884599, 'so bad': 776573, 'bad that': 108026, 'that store': 846511, 'to operate': 911017, 'operate due': 612987, 'to lack': 909027, 'staff that': 792929, 'what interesting is': 981671, 'interesting is that': 441571, 'is that employee': 452644, 'that employee at': 843699, 'employee at grocery': 273645, 'grocery store walmart': 365927, 'store walmart target': 811146, 'walmart target lowes': 965428, 'target lowes home': 834480, 'lowes home depot': 506144, 'home depot must': 401064, 'depot must be': 237542, 'must be pretty': 546532, 'be pretty damn': 116531, 'pretty damn contaminated': 671388, 'damn contaminated they': 225333, 'contaminated they dropped': 200675, 'they dropped like': 882023, 'dropped like fly': 260586, 'like fly at': 490250, 'fly at this': 311600, 'this point thing': 889647, 'point thing must': 662658, 'thing must be': 884600, 'must be so': 546547, 'be so bad': 117249, 'so bad that': 776583, 'bad that store': 108028, 'that store will': 846517, 'store will not': 811337, 'able to operate': 24513, 'to operate due': 911019, 'operate due to': 612988, 'due to lack': 261840, 'to lack of': 909028, 'lack of staff': 478658, 'of staff that': 590027, 'staff that the': 792934, 'that the situation': 846833, 'entering': 278383, 'entering the': 278424, 'store before': 806693, 'before city': 122690, 'city lockdown': 179244, 'entering the grocery': 278425, 'grocery store before': 365244, 'store before city': 806695, 'before city lockdown': 122691, '03': 837, 'renting': 711313, 'kally': 470716, 'khoelcher': 473733, 'gmail': 353186, 'dot': 255934, 'goodyear': 358122, 'coldwellbanker': 185826, '269': 16231, '240': 15708, '8824': 23079, 'avondale': 105517, 'buckeye': 141690, 'friend it': 333673, 'it april': 456577, 'april 11': 83395, '11 2020': 2449, '2020 at': 14154, 'at 03': 97373, '03 00pm': 838, '00pm time': 698, 'stop renting': 804958, 'renting buy': 711314, 'buy home': 148792, 'from realtor': 337046, 'realtor kally': 702786, 'kally khoelcher': 470717, 'khoelcher at': 473734, 'at gmail': 98771, 'gmail dot': 353187, 'dot com': 255939, 'com of': 186947, 'of goodyear': 584250, 'goodyear arizona': 358123, 'arizona coldwellbanker': 92831, 'coldwellbanker 269': 185827, '269 240': 16232, '240 8824': 15709, '8824 n95': 23080, 'glove hand': 352705, 'sanitizer provided': 735619, 'provided to': 686651, 'prevent avondale': 671582, 'avondale buckeye': 105518, 'friend it april': 333674, 'it april 11': 456579, 'april 11 2020': 83396, '11 2020 at': 2450, '2020 at 03': 14159, 'at 03 00pm': 97374, '03 00pm time': 839, '00pm time to': 699, 'time to stop': 898078, 'to stop renting': 915562, 'stop renting buy': 804959, 'renting buy home': 711315, 'buy home from': 148794, 'home from realtor': 401270, 'from realtor kally': 337047, 'realtor kally khoelcher': 702787, 'kally khoelcher at': 470718, 'khoelcher at gmail': 473735, 'at gmail dot': 98772, 'gmail dot com': 353188, 'dot com of': 255940, 'com of goodyear': 186948, 'of goodyear arizona': 584251, 'goodyear arizona coldwellbanker': 358124, 'arizona coldwellbanker 269': 92832, 'coldwellbanker 269 240': 185828, '269 240 8824': 16233, '240 8824 n95': 15710, '8824 n95 mask': 23081, 'n95 mask glove': 551195, 'mask glove hand': 518734, 'glove hand sanitizer': 352706, 'hand sanitizer provided': 375553, 'sanitizer provided to': 735620, 'provided to prevent': 686654, 'to prevent avondale': 912046, 'prevent avondale buckeye': 671583, 'ukitaka': 938979, 'kujua': 477898, 'ni': 562293, 'bazenga': 113030, 'zao': 1027229, 'bado': 108184, 'ziko': 1027561, 'juu': 470538, 'ukitaka kujua': 938980, 'kujua amazon': 477899, 'amazon ni': 51043, 'ni bazenga': 562294, 'bazenga they': 113031, 'pandemic stock': 636555, 'price zao': 677708, 'zao bado': 1027230, 'bado ziko': 108185, 'ziko juu': 1027562, 'ukitaka kujua amazon': 938981, 'kujua amazon ni': 477900, 'amazon ni bazenga': 51044, 'ni bazenga they': 562295, 'bazenga they haven': 113032, 'they haven been': 882407, 'haven been affected': 383746, '19 pandemic stock': 9480, 'pandemic stock price': 636557, 'stock price zao': 802764, 'price zao bado': 677709, 'zao bado ziko': 1027231, 'bado ziko juu': 108186, 'toxic': 927635, 'herb': 392565, 'that canned': 843132, 'canned food': 161506, 'food toxic': 317345, 'toxic chemical': 927638, 'chemical and': 175334, 'store bought': 806753, 'bought hand': 136590, 'stock while': 803189, 'while fresh': 986858, 'fruit vegetable': 339175, 'and herb': 64522, 'herb are': 392568, 'fully stocked': 341082, 'stocked show': 803391, 'show that': 767172, 'that human': 844398, 'human have': 410508, 'idea of': 413122, 'system work': 831394, 'work quarantinelife': 1005638, 'fact that canned': 295790, 'that canned food': 843133, 'canned food toxic': 161526, 'food toxic chemical': 317346, 'toxic chemical and': 927639, 'chemical and store': 175337, 'and store bought': 72502, 'store bought hand': 806756, 'bought hand sanitizers': 136591, 'sanitizers are out': 736217, 'are out of': 88887, 'of stock while': 590212, 'stock while fresh': 803190, 'while fresh fruit': 986859, 'fresh fruit vegetable': 333001, 'fruit vegetable and': 339176, 'vegetable and herb': 953926, 'and herb are': 64523, 'herb are fully': 392569, 'are fully stocked': 86750, 'fully stocked show': 341101, 'stocked show that': 803393, 'show that human': 767186, 'that human have': 844399, 'human have no': 410510, 'no idea of': 564468, 'idea of how': 413128, 'of how the': 584842, 'how the immune': 408837, 'immune system work': 417360, 'system work quarantinelife': 831397, 'can believe': 157735, 'believe had': 126269, 'had someone': 373531, 'someone in': 784507, 'my space': 550175, 'space at': 787056, 'and told': 74256, 'told them': 923713, 'to back': 900975, 'back off': 107180, 'they basically': 881523, 'basically said': 112160, 'said they': 731469, 'don believe': 253386, 'believe covid': 126254, 'real and': 701032, 'it money': 459651, 'money making': 536879, 'making hoax': 511116, 'can believe had': 157737, 'believe had someone': 126270, 'had someone in': 373533, 'someone in my': 784517, 'in my space': 425629, 'my space at': 550176, 'space at the': 787060, 'today and told': 919232, 'and told them': 74259, 'told them to': 923718, 'them to back': 876454, 'to back off': 900979, 'back off and': 107181, 'off and they': 593649, 'and they basically': 73891, 'they basically said': 881524, 'basically said they': 112161, 'said they don': 731475, 'they don believe': 881985, 'don believe covid': 253387, 'believe covid 19': 126255, 'is real and': 451261, 'real and it': 701035, 'and it money': 65555, 'it money making': 459653, 'money making hoax': 536881, 'peapod': 646153, 'instacart': 439907, 'amazonfresh': 51227, 'shipt': 758957, 'unavailable': 939442, 'offered': 594903, 'immunocompromised': 417452, 'just discovered': 468602, 'discovered after': 244677, 'after filling': 35663, 'filling my': 305605, 'cart that': 165389, 'that peapod': 845676, 'peapod instacart': 646156, 'instacart amazonfresh': 439908, 'amazonfresh and': 51228, 'and shipt': 71479, 'shipt are': 758960, 'all unavailable': 45312, 'unavailable in': 939447, 'area with': 92281, 'no further': 564328, 'further waiting': 342199, 'waiting list': 964357, 'list option': 494503, 'option offered': 614078, 'offered what': 594988, 'elderly immunocompromised': 270710, 'immunocompromised do': 417458, 'do government': 249353, 'government hello': 360190, 'just discovered after': 468603, 'discovered after filling': 244678, 'after filling my': 35664, 'filling my online': 305606, 'online shopping cart': 609065, 'shopping cart that': 762317, 'cart that peapod': 165390, 'that peapod instacart': 845677, 'peapod instacart amazonfresh': 646157, 'instacart amazonfresh and': 439909, 'amazonfresh and shipt': 51229, 'and shipt are': 71480, 'shipt are all': 758961, 'are all unavailable': 84368, 'all unavailable in': 45313, 'unavailable in my': 939448, 'my area with': 547307, 'area with no': 92284, 'with no further': 999755, 'no further waiting': 564333, 'further waiting list': 342200, 'waiting list option': 964359, 'list option offered': 494504, 'option offered what': 614080, 'offered what will': 594989, 'what will the': 982610, 'will the elderly': 995137, 'the elderly immunocompromised': 854126, 'elderly immunocompromised do': 270711, 'immunocompromised do government': 417459, 'do government hello': 249355, 'tackle the': 831605, 'store during': 807397, 'how to tackle': 409096, 'to tackle the': 916139, 'tackle the grocery': 831607, 'grocery store during': 365351, 'hella': 389103, 'broke': 140820, 'isolation and': 455190, 'shopping may': 763254, 'may make': 521334, 'me hella': 522884, 'hella fat': 389110, 'fat and': 300194, 'and hella': 64434, 'hella broke': 389104, 'broke but': 140825, 'but at': 145240, 'house is': 406370, 'gonna be': 356463, 'be hella': 115200, 'hella clean': 389106, 'clean by': 180487, 'time thing': 897909, 'go back': 353338, 'social isolation and': 779820, 'isolation and online': 455198, 'and online shopping': 68122, 'online shopping may': 609183, 'shopping may make': 763258, 'may make me': 521337, 'make me hella': 510131, 'me hella fat': 522885, 'hella fat and': 389111, 'fat and hella': 300195, 'and hella broke': 64435, 'hella broke but': 389105, 'broke but at': 140826, 'but at least': 145243, 'least my house': 484569, 'my house is': 548733, 'house is gonna': 406373, 'is gonna be': 448126, 'gonna be hella': 356470, 'be hella clean': 115201, 'hella clean by': 389107, 'clean by the': 180488, 'by the time': 154459, 'the time thing': 869623, 'time thing go': 897910, 'thing go back': 884363, 'go back to': 353350, 'sierra': 768996, 'otto': 621920, 'winter': 996114, 'jewelry': 465386, 'abate': 24227, 'sierra otto': 768999, 'otto founder': 621921, 'founder of': 330546, 'of sierra': 589717, 'sierra winter': 769001, 'winter jewelry': 996133, 'jewelry will': 465401, 'will open': 994338, 'open her': 612292, 'first retail': 308978, 'retail shop': 718546, 'shop after': 759802, 'after fear': 35651, 'fear abate': 301001, 'abate her': 24228, 'her jewelry': 392147, 'jewelry line': 465395, 'line ha': 493146, 'seen significant': 747224, 'significant revenue': 769507, 'revenue growth': 720426, 'ha wanted': 372448, 'wanted physical': 966225, 'physical location': 655429, 'location for': 498905, 'for year': 327990, 'sierra otto founder': 769000, 'otto founder of': 621922, 'founder of sierra': 330557, 'of sierra winter': 589718, 'sierra winter jewelry': 769002, 'winter jewelry will': 996134, 'jewelry will open': 465402, 'will open her': 994343, 'open her first': 612294, 'her first retail': 392048, 'first retail shop': 308981, 'retail shop after': 718547, 'shop after fear': 759804, 'after fear abate': 35652, 'fear abate her': 301002, 'abate her jewelry': 24229, 'her jewelry line': 392148, 'jewelry line ha': 465396, 'line ha seen': 493150, 'ha seen significant': 371844, 'seen significant revenue': 747228, 'significant revenue growth': 769508, 'revenue growth and': 720428, 'growth and she': 367344, 'and she ha': 71420, 'she ha wanted': 756086, 'ha wanted physical': 372449, 'wanted physical location': 966226, 'physical location for': 655431, 'location for year': 498907, 'and household': 64779, 'household item': 406861, 'item retailer': 463621, 'retailer can': 719056, 'can hike': 158676, 'of amid': 580084, 'list of food': 494435, 'food and household': 313256, 'and household item': 64787, 'household item retailer': 406868, 'item retailer can': 463622, 'retailer can hike': 719059, 'can hike price': 158677, 'hike price of': 396266, 'price of amid': 675404, 'of amid covid': 580085, 'thurs': 895319, '8pm': 23210, 'applauding': 82274, 'clapforthenhs': 180019, 'clapforcarers': 179981, 'clapforkeyworkers': 179993, 'clapforteachers': 180017, 'every thurs': 286295, 'thurs at': 895322, 'at 8pm': 97792, '8pm uk': 23242, 'uk time': 938820, 'time am': 896236, 'am applauding': 49898, 'applauding those': 82279, 'who care': 988435, 'care for': 163938, 'world including': 1009666, 'including nh': 432074, 'staff social': 792872, 'social care': 779451, 'care staff': 164206, 'staff emergency': 792400, 'service supermarket': 752879, 'staff teacher': 792917, 'teacher all': 835421, 'all key': 43312, 'worker clapforthenhs': 1006643, 'clapforthenhs clapforcarers': 180020, 'clapforcarers clapforkeyworkers': 179985, 'clapforkeyworkers clapforteachers': 179996, 'clapforteachers stayhomesavelives': 180018, 'every thurs at': 286296, 'thurs at 8pm': 895323, 'at 8pm uk': 97800, '8pm uk time': 23243, 'uk time am': 938821, 'time am applauding': 896239, 'am applauding those': 49899, 'applauding those who': 82280, 'those who care': 892620, 'who care for': 988437, 'care for our': 163951, 'for our world': 324314, 'our world including': 625409, 'world including nh': 1009669, 'including nh staff': 432075, 'nh staff social': 562102, 'staff social care': 792873, 'social care staff': 779455, 'care staff emergency': 164207, 'staff emergency service': 792401, 'emergency service supermarket': 272969, 'service supermarket staff': 752881, 'supermarket staff teacher': 822895, 'staff teacher all': 792918, 'teacher all key': 835422, 'all key worker': 43313, 'key worker clapforthenhs': 473476, 'worker clapforthenhs clapforcarers': 1006644, 'clapforthenhs clapforcarers clapforkeyworkers': 180021, 'clapforcarers clapforkeyworkers clapforteachers': 179987, 'clapforkeyworkers clapforteachers stayhomesavelives': 179997, 'consumer contract': 196968, 'contract find': 201656, '19 and consumer': 5003, 'and consumer contract': 60365, 'consumer contract find': 196970, 'contract find out': 201657, 'major consumer': 509284, 'protection announced': 685329, 'announced in': 76960, 'major consumer protection': 509289, 'consumer protection announced': 198506, 'protection announced in': 685330, 'announced in response': 76962, 'tolerate': 923805, 'covidabuse': 214414, 'name': 551601, 'had report': 373454, 'report that': 712311, 'that few': 843862, 'few local': 303903, 'shop have': 760260, 'been hiking': 121293, 'outbreak we': 628793, 'we won': 973933, 'won tolerate': 1003927, 'tolerate this': 923810, 'will take': 995058, 'action if': 30042, 'it happening': 458471, 'happening email': 377351, 'email covidabuse': 272148, 'covidabuse gov': 214415, 'gov uk': 359724, 'with photo': 1000200, 'photo of': 655198, 'product price': 681538, 'price marking': 675175, 'marking and': 517897, 'the business': 850158, 'business name': 144079, 'name amp': 551602, 'amp address': 53355, 'we ve had': 973672, 've had report': 953234, 'had report that': 373455, 'report that few': 712319, 'that few local': 843863, 'few local shop': 303904, 'local shop have': 498401, 'shop have been': 760262, 'have been hiking': 379572, 'been hiking up': 121295, 'up price during': 945812, 'the outbreak we': 862721, 'outbreak we won': 628804, 'we won tolerate': 973938, 'won tolerate this': 1003929, 'tolerate this and': 923811, 'this and will': 886360, 'and will take': 75700, 'will take action': 995060, 'take action if': 831896, 'action if you': 30044, 'you see it': 1021045, 'see it happening': 745333, 'it happening email': 458473, 'happening email covidabuse': 377352, 'email covidabuse gov': 272149, 'covidabuse gov uk': 214416, 'gov uk with': 359727, 'uk with photo': 938911, 'with photo of': 1000201, 'photo of the': 655215, 'of the product': 591370, 'the product price': 864593, 'product price marking': 681545, 'price marking and': 675176, 'marking and the': 517898, 'and the business': 73267, 'the business name': 850175, 'business name amp': 144080, 'name amp address': 551603, 'amongst': 53120, 'lengthy': 486331, 'weird': 977734, 'here am': 392673, 'am in': 50133, 'in mask': 425163, 'glove in': 352729, 'store amongst': 806173, 'amongst load': 53130, 'of shopper': 589631, 'shopper some': 761694, 'in lengthy': 424677, 'lengthy queue': 486334, 'and guess': 64030, 'guess what': 368080, 'what spotted': 982235, 'spotted only': 790207, 'one other': 606798, 'other person': 620701, 'person wearing': 652700, 'wearing same': 974772, 'same protective': 733256, 'gear received': 344976, 'received weird': 703707, 'weird look': 977770, 'look from': 502380, 'from fellow': 335457, 'fellow shopper': 303332, 'shopper perhaps': 761645, 'perhaps they': 651648, 'they thought': 883566, 'thought wa': 893288, '19 positive': 9750, 'here am in': 392674, 'am in mask': 50138, 'in mask and': 425164, 'and glove in': 63724, 'glove in grocery': 352731, 'grocery store amongst': 365194, 'store amongst load': 806174, 'amongst load of': 53131, 'load of shopper': 497279, 'of shopper some': 589650, 'shopper some in': 761695, 'some in lengthy': 783092, 'in lengthy queue': 424678, 'lengthy queue and': 486335, 'queue and guess': 693864, 'and guess what': 64032, 'guess what spotted': 368086, 'what spotted only': 982236, 'spotted only one': 790208, 'only one other': 610883, 'one other person': 606799, 'other person wearing': 620705, 'person wearing same': 652701, 'wearing same protective': 974773, 'same protective gear': 733257, 'protective gear received': 685759, 'gear received weird': 344977, 'received weird look': 703708, 'weird look from': 977771, 'look from fellow': 502381, 'from fellow shopper': 335458, 'fellow shopper perhaps': 303333, 'shopper perhaps they': 761646, 'perhaps they thought': 651651, 'they thought wa': 883568, 'thought wa covid': 893290, 'covid 19 positive': 213596, '372': 18099, '35': 17858, '450': 19151, 'ha just': 371040, 'just over': 469421, 'over 372': 629838, '372 case': 18100, 'uk and': 938164, 'and 35': 57454, '35 death': 17885, 'death cancer': 229997, 'cancer ha': 161252, 'ha around': 369611, 'around 100': 93099, '100 new': 1973, 'new case': 558456, 'case every': 165729, 'and 450': 57483, '450 death': 19152, 'death every': 230030, 'day that': 228466, 'that 45': 842459, '45 death': 19089, 'rate so': 697371, 'so why': 778748, 'not causing': 568721, 'causing panic': 168079, '19 ha just': 7356, 'ha just over': 371060, 'just over 372': 469423, 'over 372 case': 629839, '372 case in': 18101, 'case in the': 165812, 'the uk and': 870190, 'uk and 35': 938165, 'and 35 death': 57455, '35 death cancer': 17886, 'death cancer ha': 229998, 'cancer ha around': 161253, 'ha around 100': 369612, 'around 100 new': 93101, '100 new case': 1974, 'new case every': 558460, 'case every day': 165731, 'every day and': 285792, 'day and 450': 227252, 'and 450 death': 57484, '450 death every': 19153, 'death every day': 230031, 'every day that': 285848, 'day that 45': 228467, 'that 45 death': 842460, '45 death rate': 19090, 'death rate so': 230176, 'rate so why': 697372, 'so why is': 778758, 'is that not': 452672, 'that not causing': 845385, 'not causing panic': 568722, 'causing panic buying': 168081, 'finalise': 305898, 'password': 643467, 'actual': 30626, 'keepsafe': 472667, 'fear is': 301173, 'is waiting': 453730, 'waiting 90': 964286, '90 minute': 23310, 'minute for': 533762, 'the online': 862264, 'shopping queue': 763711, 'queue to': 694091, 'to finalise': 905857, 'finalise and': 305899, 'whole time': 990361, 'time trying': 898145, 'to remember': 913182, 'if what': 415353, 'think is': 885310, 'the password': 863339, 'password is': 643473, 'the actual': 848312, 'actual password': 30684, 'password not': 643475, 'not really': 571229, 'really there': 702651, 'are way': 91545, 'way more': 969707, 'more serious': 540353, 'serious thing': 751489, 'fear but': 301072, 'it got': 458312, 'got me': 358691, 'me thinking': 523700, 'thinking keepsafe': 885940, 'fear is waiting': 301177, 'is waiting 90': 453731, 'waiting 90 minute': 964287, '90 minute for': 23311, 'minute for the': 533764, 'for the online': 326598, 'the online shopping': 862281, 'online shopping queue': 609242, 'shopping queue to': 763714, 'queue to finalise': 694094, 'to finalise and': 905858, 'finalise and spending': 305900, 'and spending the': 72096, 'spending the whole': 789005, 'the whole time': 871514, 'whole time trying': 990365, 'time trying to': 898146, 'trying to remember': 934856, 'to remember if': 913186, 'remember if what': 710214, 'if what you': 415354, 'what you think': 982694, 'you think is': 1021663, 'think is the': 885316, 'is the password': 452887, 'the password is': 863340, 'password is the': 643474, 'is the actual': 452721, 'the actual password': 848324, 'actual password not': 30685, 'password not really': 643476, 'not really there': 571244, 'really there are': 702652, 'there are way': 878184, 'are way more': 91549, 'way more serious': 969710, 'more serious thing': 540360, 'serious thing to': 751491, 'thing to fear': 884885, 'to fear but': 905695, 'fear but it': 301073, 'but it got': 146126, 'it got me': 458317, 'got me thinking': 358702, 'me thinking keepsafe': 523704, 'reward': 720769, 'flying': 311664, 'cruising': 219727, 'saving company': 737856, 'company is': 190795, 'simply corruption': 770208, 'congress reward': 194521, 'reward ceo': 720772, 'the damn': 852810, 'damn money': 225396, 'will spend': 994914, 'on flying': 600830, 'flying cruising': 311670, 'cruising or': 219728, 'or vacation': 617631, 'saving company is': 737857, 'company is simply': 190810, 'is simply corruption': 451929, 'simply corruption 101': 770209, '101 congress reward': 2222, 'congress reward ceo': 194522, 'reward ceo with': 720773, 'people the damn': 649789, 'the damn money': 852815, 'damn money and': 225397, 'and they will': 73951, 'they will spend': 883890, 'will spend it': 994915, 'spend it on': 788624, 'it on flying': 460043, 'on flying cruising': 600831, 'flying cruising or': 311671, 'cruising or vacation': 219729, 'or vacation trump': 617632, 'report bleach': 711837, 'bleach is': 132506, 'is when': 453912, 'when going': 983480, 'to war': 918326, 'war with': 966600, '19 prepare': 9781, 'for battle': 319600, 'destroy novel coronavirus': 239023, 'novel coronavirus consumer': 573755, 'coronavirus consumer report': 205686, 'consumer report bleach': 198699, 'report bleach is': 711838, 'bleach is when': 132508, 'is when going': 453915, 'when going to': 983483, 'going to war': 355759, 'to war with': 918329, 'war with covid': 966602, 'covid 19 prepare': 213604, '19 prepare for': 9782, 'prepare for battle': 670068, 'smg': 775661, 'highlight': 395894, 'new smg': 559610, 'smg research': 775664, 'research highlight': 713756, 'highlight how': 395922, 'is impacting': 448690, 'impacting consumer': 418189, 'behavior in': 124074, 'the restaurant': 865643, 'restaurant industry': 716530, 'new smg research': 559611, 'smg research highlight': 775665, 'research highlight how': 713757, 'highlight how covid': 395923, '19 is impacting': 7992, 'is impacting consumer': 448697, 'impacting consumer behavior': 418191, 'consumer behavior in': 196487, 'behavior in the': 124086, 'in the restaurant': 429513, 'the restaurant industry': 865654, 'boob': 134435, 'celeb': 168773, 'comment': 188375, 'catsmovie': 167322, 'butt': 148091, 'newwarriors': 561154, 'sub': 815670, 'dl': 248853, 'google': 358131, 'podcasts': 662332, 'spotify': 790143, 'pandora': 637151, 'new show': 559597, 'show they': 767237, 'they look': 882623, 'like boob': 489925, 'boob topic': 134436, 'topic celeb': 925777, 'celeb comment': 168774, 'comment supermarket': 188454, 'supermarket adventure': 818785, 'adventure catsmovie': 33093, 'catsmovie butt': 167323, 'butt hole': 148100, 'hole release': 400231, 'release hollywood': 708953, 'hollywood home': 400458, 'home streaming': 402163, 'streaming newwarriors': 812827, 'newwarriors suck': 561155, 'suck sub': 816931, 'sub dl': 815682, 'dl free': 248854, 'free on': 332016, 'on apple': 599418, 'apple google': 82323, 'google podcasts': 358184, 'podcasts spotify': 662337, 'spotify pandora': 790152, 'pandora more': 637152, 'new show they': 559601, 'show they look': 767240, 'they look like': 882626, 'look like boob': 502467, 'like boob topic': 489926, 'boob topic celeb': 134437, 'topic celeb comment': 925778, 'celeb comment supermarket': 168775, 'comment supermarket adventure': 188455, 'supermarket adventure catsmovie': 818786, 'adventure catsmovie butt': 33094, 'catsmovie butt hole': 167324, 'butt hole release': 148101, 'hole release hollywood': 400232, 'release hollywood home': 708954, 'hollywood home streaming': 400459, 'home streaming newwarriors': 402164, 'streaming newwarriors suck': 812828, 'newwarriors suck sub': 561156, 'suck sub dl': 816932, 'sub dl free': 815683, 'dl free on': 248855, 'free on apple': 332017, 'on apple google': 599420, 'apple google podcasts': 82324, 'google podcasts spotify': 358185, 'podcasts spotify pandora': 662338, 'spotify pandora more': 790153, 'consist': 195464, 'odd': 579171, 'exciting': 289591, 'studentnurse': 814821, 'seems that': 746852, 'that my': 845259, 'life for': 488660, 'next god': 561383, 'god know': 354755, 'how long': 408189, 'long will': 501850, 'will consist': 992991, 'consist of': 195465, 'of home': 584713, 'home care': 400874, 'home work': 402554, 'the odd': 862034, 'odd trip': 579197, 'most exciting': 542311, 'exciting but': 289594, 'but need': 146451, '19 socialdistancing': 10673, 'socialdistancing studentnurse': 780762, 'studentnurse nh': 814822, 'so it seems': 777478, 'it seems that': 460954, 'seems that my': 746859, 'that my life': 845270, 'my life for': 549019, 'life for the': 488670, 'the next god': 861668, 'next god know': 561384, 'god know how': 354756, 'know how long': 476447, 'how long will': 408217, 'long will consist': 501851, 'will consist of': 992992, 'consist of home': 195466, 'of home care': 584715, 'home care home': 400876, 'care home work': 164006, 'home work and': 402555, 'work and the': 1004816, 'and the odd': 73497, 'the odd trip': 862036, 'odd trip to': 579198, 'the supermarket not': 868717, 'supermarket not the': 821651, 'not the most': 572014, 'the most exciting': 860983, 'most exciting but': 542312, 'exciting but need': 289595, 'but need to': 146460, 'need to be': 555867, 'be done 19': 114548, 'done 19 socialdistancing': 254751, '19 socialdistancing studentnurse': 10680, 'socialdistancing studentnurse nh': 780763, 'unfortunate': 941554, 'really disappointed': 702116, 'disappointed to': 244122, 'see local': 745369, 'shop during': 760116, 'this epidemic': 887398, 'epidemic increasing': 279393, 'increasing their': 433713, 'food especially': 314371, 'especially meat': 280545, 'meat if': 525611, 'if anything': 413859, 'anything they': 80905, 'lowering them': 506133, 'time so': 897689, 'those le': 892161, 'le unfortunate': 483226, 'unfortunate are': 941557, 'are able': 84151, 'purchase disgusted': 689424, 'really disappointed to': 702119, 'disappointed to see': 244123, 'to see local': 914036, 'see local shop': 745371, 'local shop during': 498399, 'shop during this': 760120, 'during this epidemic': 263282, 'this epidemic increasing': 887402, 'epidemic increasing their': 279394, 'increasing their price': 433718, 'their price on': 874410, 'price on food': 675675, 'on food especially': 600860, 'food especially meat': 314373, 'especially meat if': 280546, 'meat if anything': 525612, 'if anything they': 413867, 'anything they should': 80909, 'should be lowering': 765672, 'be lowering them': 115854, 'lowering them in': 506134, 'them in these': 875920, 'these time so': 880849, 'time so those': 897701, 'so those le': 778508, 'those le unfortunate': 892163, 'le unfortunate are': 483227, 'unfortunate are able': 941558, 'are able to': 84155, 'able to purchase': 24526, 'to purchase disgusted': 912525, 'express': 293021, 'blessed': 132615, 'specially': 788139, 'enough word': 277775, 'to express': 905519, 'express how': 293039, 'how blessed': 407461, 'blessed we': 132632, 'are with': 91650, 'employee specially': 274226, 'specially big': 788140, 'big shout': 129991, 'out great': 626234, 'great service': 362984, 'service instacart': 752504, 'instacart is': 439923, 'is such': 452421, 'such an': 816317, 'an advantage': 55144, 'advantage right': 33053, 'now pandemia': 575506, 'pandemia they': 634755, 'they risk': 883222, 'risk their': 723935, 'life to': 489129, 'feed virginia': 302399, 'don have enough': 253596, 'have enough word': 380473, 'enough word to': 277776, 'word to express': 1004601, 'to express how': 905520, 'express how blessed': 293041, 'how blessed we': 407462, 'blessed we are': 132633, 'we are with': 970763, 'are with supermarket': 91653, 'with supermarket employee': 1001052, 'supermarket employee specially': 820136, 'employee specially big': 274227, 'specially big shout': 788141, 'big shout out': 129992, 'shout out great': 766771, 'out great service': 626237, 'great service instacart': 362985, 'service instacart is': 752505, 'instacart is such': 439924, 'is such an': 452422, 'such an advantage': 816318, 'an advantage right': 55147, 'advantage right now': 33054, 'right now pandemia': 722115, 'now pandemia they': 575507, 'pandemia they risk': 634756, 'they risk their': 883224, 'risk their life': 723937, 'their life to': 873847, 'life to feed': 489133, 'to feed virginia': 905736, 'importer': 419190, 'thrive': 894196, 'unite': 942114, 'oligarchy': 598730, 'why would': 991564, 'would world': 1012397, 'world get': 1009578, 'get united': 348556, 'united for': 942161, 'for higher': 322261, 'higher oil': 395635, 'price last': 675018, 'time checked': 896464, 'checked much': 174756, 'better part': 128400, 'world wa': 1010131, 'wa oil': 962809, 'oil importer': 596866, 'importer and': 419191, 'will thrive': 995201, 'thrive under': 894212, 'under low': 940159, 'price especially': 673699, 'especially now': 280556, 'now amid': 574007, 'amid crisis': 52437, 'crisis world': 218437, 'world should': 1009973, 'should unite': 766612, 'unite in': 942124, 'save oil': 737599, 'oil oligarchy': 596984, 'why would world': 991572, 'would world get': 1012398, 'world get united': 1009580, 'get united for': 348557, 'united for higher': 942163, 'for higher oil': 322263, 'higher oil price': 395637, 'oil price last': 597178, 'price last time': 675019, 'last time checked': 480560, 'time checked much': 896465, 'checked much better': 174757, 'much better part': 544759, 'better part of': 128401, 'the world wa': 872000, 'world wa oil': 1010132, 'wa oil importer': 962810, 'oil importer and': 596867, 'importer and it': 419192, 'and it will': 65601, 'it will thrive': 462448, 'will thrive under': 995204, 'thrive under low': 894213, 'under low price': 940160, 'low price especially': 505512, 'price especially now': 673701, 'especially now amid': 280557, 'now amid crisis': 574009, 'amid crisis world': 52446, 'crisis world should': 218440, 'world should unite': 1009976, 'should unite in': 766613, 'unite in order': 942126, 'order to save': 618705, 'to save oil': 913785, 'save oil oligarchy': 737600, 'rounded': 726390, 'academic': 27763, 'inspire': 439818, 'reporter': 712597, 'historical': 397980, 'hey journalist': 394445, 'journalist rounded': 467449, 'rounded up': 726391, 'up four': 944978, 'four academic': 330577, 'academic paper': 27774, 'paper about': 639763, 'buying these': 151201, 'these study': 880758, 'study can': 814873, 'can inform': 158749, 'inform coverage': 437656, 'coverage and': 212333, 'and inspire': 65273, 'inspire reporter': 439830, 'reporter to': 712638, 'to ask': 900746, 'ask question': 95611, 'question about': 693489, 'to explore': 905500, 'explore historical': 292481, 'historical example': 397983, 'of panicbuying': 587741, 'hey journalist rounded': 394446, 'journalist rounded up': 467450, 'rounded up four': 726392, 'up four academic': 944979, 'four academic paper': 330578, 'academic paper about': 27775, 'paper about panic': 639764, 'panic buying these': 637930, 'buying these study': 151202, 'these study can': 880759, 'study can inform': 814874, 'can inform coverage': 158750, 'inform coverage and': 437657, 'coverage and inspire': 212335, 'and inspire reporter': 65275, 'inspire reporter to': 439831, 'reporter to ask': 712639, 'to ask question': 900762, 'ask question about': 95612, 'question about food': 693500, 'chain and to': 170480, 'and to explore': 74169, 'to explore historical': 905502, 'explore historical example': 292482, 'historical example of': 397984, 'example of panicbuying': 288941, 'we protect': 972767, 'airline bottom': 39934, 'bottom line': 136406, 'line let': 493228, 'let also': 486588, 'also make': 48501, 'protect passenger': 684914, 'passenger add': 643317, 'add consumer': 31415, 'protection to': 685651, 'ensure full': 277950, 'full refund': 340842, 'refund for': 706907, 'for canceled': 319903, 'canceled trip': 160966, 'if we protect': 415300, 'we protect the': 972770, 'protect the airline': 684963, 'the airline bottom': 848496, 'airline bottom line': 39935, 'bottom line let': 136413, 'line let also': 493229, 'let also make': 486590, 'also make sure': 48505, 'sure we protect': 827808, 'we protect passenger': 972768, 'protect passenger add': 684915, 'passenger add consumer': 643318, 'add consumer protection': 31417, 'consumer protection to': 198570, 'protection to ensure': 685654, 'to ensure full': 905162, 'ensure full refund': 277951, 'full refund for': 340843, 'refund for canceled': 706908, 'for canceled trip': 319906, 'lng': 497191, 'partial': 642512, 'alternate': 49179, 'india gas': 434421, 'gas consumption': 343796, 'consumption which': 199963, 'which wa': 986437, 'wa expected': 962091, 'strong on': 814077, 'on weak': 605142, 'weak lng': 974029, 'lng price': 497213, 'price ha': 674375, 'under threat': 940359, 'threat amid': 893635, 'amid partial': 52594, 'partial lockdown': 642515, 'lockdown in': 499498, 'in state': 428238, 'price make': 675152, 'make alternate': 509661, 'alternate fuel': 49182, 'fuel cheaper': 340139, 'india gas consumption': 434422, 'gas consumption which': 343798, 'consumption which wa': 199964, 'which wa expected': 986443, 'wa expected to': 962093, 'expected to stay': 291005, 'to stay strong': 915319, 'stay strong on': 797334, 'strong on weak': 814079, 'on weak lng': 605144, 'weak lng price': 974030, 'lng price ha': 497215, 'price ha come': 674378, 'ha come under': 370206, 'come under threat': 187648, 'under threat amid': 940361, 'threat amid partial': 893636, 'amid partial lockdown': 52595, 'partial lockdown in': 642517, 'lockdown in state': 499515, 'in state to': 428247, 'state to prevent': 796022, 'to prevent the': 912092, 'spread of and': 790650, 'of and low': 580167, 'and low oil': 66445, 'oil price make': 597186, 'price make alternate': 675153, 'make alternate fuel': 509662, 'alternate fuel cheaper': 49183, 'ice': 412638, 'maybe these': 521841, 'these big': 879691, 'big box': 129654, 'box store': 137164, 'should take': 766538, 'take one': 832415, 'their rental': 874550, 'rental truck': 711284, 'truck and': 932720, 'and drop': 61759, 'drop off': 260325, 'off seed': 594132, 'seed to': 746178, 'to neighborhood': 910537, 'neighborhood street': 557156, 'street so': 813114, 'so people': 777992, 'their seed': 874639, 'seed or': 746160, 'or instead': 615807, 'food truck': 317366, 'truck do': 932756, 'do seed': 250064, 'seed truck': 746182, 'truck similar': 932848, 'an ice': 56115, 'ice cream': 412647, 'cream truck': 215579, 'truck concept': 932750, 'concept go': 192857, 'the con': 851418, 'maybe these big': 521842, 'these big box': 879692, 'big box store': 129661, 'box store should': 137170, 'store should take': 810171, 'should take one': 766550, 'take one of': 832419, 'one of their': 606765, 'of their rental': 591694, 'their rental truck': 874553, 'rental truck and': 711285, 'truck and drop': 932722, 'and drop off': 61761, 'drop off seed': 260339, 'off seed to': 594133, 'seed to neighborhood': 746180, 'to neighborhood street': 910539, 'neighborhood street so': 557157, 'street so people': 813115, 'so people can': 777995, 'people can have': 647393, 'can have their': 158589, 'have their seed': 383060, 'their seed or': 874640, 'seed or instead': 746161, 'or instead of': 615808, 'instead of food': 440262, 'of food truck': 583807, 'food truck do': 317367, 'truck do seed': 932757, 'do seed truck': 250065, 'seed truck similar': 746183, 'truck similar to': 932849, 'similar to an': 769936, 'to an ice': 900458, 'an ice cream': 56116, 'ice cream truck': 412660, 'cream truck concept': 215580, 'truck concept go': 932751, 'concept go out': 192858, 'go out to': 353993, 'out to the': 627689, 'to the con': 916580, 'gesture': 346429, 'communityspirit': 190255, 'great move': 362826, 'move and': 543605, 'and gesture': 63555, 'gesture from': 346435, 'from to': 338050, 'those vulnerable': 892592, 'in society': 428056, 'society access': 781140, 'access food': 28116, 'and also': 57941, 'also limit': 48478, 'limit customer': 492321, 'customer stock': 222878, 'piling so': 656626, 'so there': 778449, 'everyone communityspirit': 286791, 'great move and': 362827, 'move and gesture': 543606, 'and gesture from': 63556, 'gesture from to': 346436, 'from to help': 338061, 'help those vulnerable': 390753, 'those vulnerable in': 892595, 'vulnerable in society': 961017, 'in society access': 428057, 'society access food': 781141, 'access food and': 28117, 'and essential and': 62243, 'essential and also': 280775, 'and also limit': 57962, 'also limit customer': 48479, 'limit customer stock': 492325, 'customer stock piling': 222879, 'stock piling so': 802674, 'piling so there': 656627, 'so there is': 778450, 'there is enough': 878555, 'enough for everyone': 277433, 'for everyone communityspirit': 321202, 'emerging': 273094, 'larger': 479883, 'ausag': 103030, 'biggest risk': 130319, 'security from': 744603, 'shelf they': 757669, 'the emerging': 854237, 'emerging social': 273141, 'social economic': 779777, 'crisis that': 218148, 'will push': 994532, 'push larger': 690292, 'larger number': 479895, 'poverty so': 667517, 'afford enough': 34691, 'enough nutritious': 277537, 'food ausag': 313458, 'ausag sm': 103032, 'the biggest risk': 849676, 'biggest risk to': 130320, 'risk to food': 723957, 'to food security': 906093, 'food security from': 316350, 'security from covid': 744604, 'is not empty': 450070, 'not empty supermarket': 569162, 'supermarket shelf they': 822544, 'shelf they are': 757670, 'are the emerging': 90820, 'the emerging social': 854241, 'emerging social economic': 273142, 'social economic crisis': 779778, 'economic crisis that': 267038, 'crisis that will': 218159, 'that will push': 847601, 'will push larger': 994533, 'push larger number': 690293, 'larger number of': 479896, 'of people into': 587931, 'people into poverty': 648507, 'into poverty so': 442886, 'poverty so that': 667519, 'they cannot afford': 881698, 'cannot afford enough': 161599, 'afford enough nutritious': 34692, 'enough nutritious food': 277538, 'nutritious food ausag': 577762, 'food ausag sm': 313459, 'pushback': 690344, 'kroger country': 477732, 'country largest': 210850, 'largest supermarket': 480027, 'chain ha': 170746, 'ha expanded': 370548, 'expanded it': 290482, 'it paid': 460235, 'policy after': 663321, 'after public': 36085, 'public pushback': 688249, 'pushback and': 690345, 'offering two': 595311, 'leave to': 485005, 'to anyone': 900616, 'anyone experiencing': 80316, 'experiencing covid': 291637, 'symptom or': 830892, 'or who': 617794, 'is told': 453272, 'to place': 911747, 'place themselves': 657730, 'themselves into': 876836, 'into isolation': 442667, 'isolation via': 455486, 'kroger country largest': 477733, 'country largest supermarket': 210853, 'largest supermarket chain': 480029, 'supermarket chain ha': 819607, 'chain ha expanded': 170749, 'ha expanded it': 370549, 'expanded it paid': 290484, 'it paid sick': 460237, 'sick leave policy': 768501, 'leave policy after': 484902, 'policy after public': 663322, 'after public pushback': 36086, 'public pushback and': 688250, 'pushback and is': 690346, 'and is offering': 65421, 'is offering two': 450432, 'offering two week': 595312, 'two week of': 937345, 'week of paid': 976634, 'of paid sick': 587666, 'sick leave to': 768508, 'leave to anyone': 485006, 'to anyone experiencing': 900624, 'anyone experiencing covid': 80317, 'experiencing covid 19': 291638, '19 symptom or': 11020, 'symptom or who': 830899, 'or who is': 617796, 'who is told': 989123, 'is told to': 453273, 'told to place': 923757, 'to place themselves': 911759, 'place themselves into': 657731, 'themselves into isolation': 876837, 'into isolation via': 442668, 'barwa': 111421, 'airport': 40081, 'al': 40557, 'khor': 473739, 'branch': 137664, 'pdf': 645943, 'ansar': 77988, 'ansargallery': 77991, 'qatar': 691474, 'doha': 252231, 'the amazing': 848608, 'amazing lowest': 50737, 'lowest price': 506206, 'price offer': 675615, 'offer are': 594526, 'are here': 87115, 'here the': 393640, 'in barwa': 420709, 'barwa old': 111422, 'old airport': 598122, 'airport and': 40086, 'and al': 57819, 'al khor': 40582, 'khor old': 473740, 'airport branch': 40092, 'branch is': 137681, 'open 24': 612005, '24 get': 15601, 'get pdf': 347798, 'pdf here': 645946, 'here ansar': 392723, 'ansar ansargallery': 77989, 'ansargallery supermarket': 77992, 'supermarket offer': 821705, 'offer deal': 594572, 'deal qatar': 229468, 'qatar doha': 691483, 'doha corona': 252234, 'the amazing lowest': 848613, 'amazing lowest price': 50738, 'lowest price offer': 506212, 'price offer are': 675616, 'offer are here': 594528, 'are here the': 87121, 'here the supermarket': 393671, 'the supermarket is': 868647, 'supermarket is available': 821072, 'is available in': 445920, 'available in barwa': 104434, 'in barwa old': 420710, 'barwa old airport': 111423, 'old airport and': 598123, 'airport and al': 40087, 'and al khor': 57820, 'al khor old': 40583, 'khor old airport': 473741, 'old airport branch': 598124, 'airport branch is': 40093, 'branch is open': 137682, 'is open 24': 450556, 'open 24 get': 612008, '24 get pdf': 15602, 'get pdf here': 347800, 'pdf here ansar': 645947, 'here ansar ansargallery': 392724, 'ansar ansargallery supermarket': 77990, 'ansargallery supermarket offer': 77993, 'supermarket offer deal': 821707, 'offer deal qatar': 594573, 'deal qatar doha': 229469, 'qatar doha corona': 691484, 'shoplocal': 761219, 'connecting': 194683, 'buying gift': 150402, 'gift card': 349932, 'card to': 163675, 'locally are': 498749, 'are just': 87612, 'just way': 470254, 'help support': 390611, 'support your': 827012, 'neighbor and': 556971, 'and community': 60167, 'crisis smallbusiness': 218055, 'smallbusiness shoplocal': 775231, 'shoplocal connecting': 761222, 'buying gift card': 150403, 'gift card to': 349956, 'card to local': 163680, 'to local business': 909371, 'business and shopping': 143331, 'and shopping online': 71548, 'shopping online locally': 763454, 'online locally are': 608502, 'locally are just': 498750, 'are just way': 87643, 'just way to': 470255, 'way to help': 970037, 'to help support': 907642, 'help support your': 390622, 'support your neighbor': 827021, 'your neighbor and': 1024948, 'neighbor and community': 556974, 'and community during': 60170, '19 crisis smallbusiness': 6325, 'crisis smallbusiness shoplocal': 218057, 'smallbusiness shoplocal connecting': 775232, 'what everyone': 981425, 'doing wrong': 252874, 'wrong about': 1012985, 'paper shortage': 640761, 'shortage by': 764866, 'by in': 152876, 'in toiletpaper': 430175, 'what everyone is': 981429, 'everyone is doing': 287073, 'is doing wrong': 447299, 'doing wrong about': 252875, 'wrong about the': 1012986, 'about the toilet': 26540, 'toilet paper shortage': 921450, 'paper shortage by': 640765, 'shortage by in': 764870, 'by in toiletpaper': 152890, 'worker told': 1008032, 'stop wearing': 805266, '19 supermarket worker': 10963, 'supermarket worker told': 824101, 'worker told to': 1008034, 'told to stop': 923770, 'to stop wearing': 915593, 'stop wearing glove': 805269, 'postponement': 666843, 'travelcancellations': 930592, 'chargebacks': 173357, '19 your': 12280, 'your right': 1025626, 'right consumer': 721845, 'consumer when': 199507, 'to travel': 917719, 'travel cancellation': 930307, 'cancellation accommodation': 160999, 'accommodation postponement': 28464, 'postponement and': 666844, 'important consideration': 418765, 'consideration travelcancellations': 195268, 'travelcancellations insurance': 930593, 'insurance chargebacks': 440684, '19 your right': 12284, 'your right consumer': 1025631, 'right consumer when': 721849, 'consumer when it': 199510, 'come to travel': 187610, 'to travel cancellation': 917727, 'travel cancellation accommodation': 930308, 'cancellation accommodation postponement': 161000, 'accommodation postponement and': 28465, 'postponement and all': 666845, 'and all other': 57880, 'all other important': 43782, 'other important consideration': 620400, 'important consideration travelcancellations': 418766, 'consideration travelcancellations insurance': 195269, 'travelcancellations insurance chargebacks': 930594, '95': 23573, 'rationally': 697763, 'full disclosure': 340564, 'disclosure have': 244396, 'done 95': 254752, '95 of': 23598, 'our family': 622990, 'family shopping': 298221, 'online for': 608217, 'year now': 1014763, 'everyone quite': 287306, 'quite rationally': 694903, 'rationally want': 697766, 'and capacity': 59532, 'capacity is': 162537, 'is limited': 449360, 'limited imo': 492649, 'imo this': 417505, 'is collective': 446642, 'collective action': 186482, 'action problem': 30116, 'problem and': 679452, 'government need': 360376, 'step in': 799558, 'say who': 739485, 'full disclosure have': 340565, 'disclosure have done': 244397, 'have done 95': 380321, 'done 95 of': 254753, '95 of our': 23600, 'of our family': 587467, 'our family shopping': 623002, 'family shopping online': 298222, 'shopping online for': 763432, 'online for year': 608247, 'for year now': 328010, 'year now that': 1014767, 'now that everyone': 576000, 'that everyone quite': 843770, 'everyone quite rationally': 287307, 'quite rationally want': 694904, 'rationally want to': 697767, 'do this and': 250339, 'this and capacity': 886325, 'and capacity is': 59533, 'capacity is limited': 162538, 'is limited imo': 449364, 'limited imo this': 492650, 'imo this is': 417506, 'this is collective': 888209, 'is collective action': 446643, 'collective action problem': 186484, 'action problem and': 30117, 'problem and the': 679458, 'and the government': 73399, 'the government need': 856567, 'government need to': 360377, 'need to step': 556085, 'to step in': 915386, 'step in to': 799568, 'in to say': 430135, 'to say who': 913855, 'say who can': 739487, 'who can do': 988378, 'can do this': 158123, 'bacterial': 107713, 'becteria': 120364, 'cororonavirus': 207166, 'is anti': 445746, 'anti bacterial': 78273, 'bacterial the': 107731, 'is virus': 453713, 'virus becteria': 957996, 'becteria and': 120365, 'and virus': 74974, 'same wash': 733400, 'sanitizers will': 736448, 'nothing for': 573009, 'the cororonavirus': 851952, 'sanitizer is anti': 735181, 'is anti bacterial': 445747, 'anti bacterial the': 78278, 'bacterial the is': 107732, 'the is virus': 858546, 'is virus becteria': 453714, 'virus becteria and': 957997, 'becteria and virus': 120366, 'and virus is': 74976, 'virus is not': 958391, 'not the same': 572027, 'the same wash': 866318, 'same wash your': 733401, 'your hand sanitizers': 1024220, 'hand sanitizers will': 375733, 'sanitizers will do': 736449, 'will do nothing': 993226, 'do nothing for': 249901, 'nothing for the': 573014, 'for the cororonavirus': 326364, 'pgm': 653960, 'cecil': 168732, 'hometown': 402981, 'carly': 164771, 'whorton': 990609, 'foodsupplychain': 318214, 'coming up': 188258, 'on thurs': 604660, 'thurs ag': 895320, 'ag issue': 36800, 'issue pgm': 455886, 'pgm at': 653961, '6am perspective': 21571, 'perspective from': 653196, 'from small': 337318, 'store with': 811360, 'the co': 851101, 'co owner': 184933, 'owner of': 632506, 'store manager': 808870, 'of cecil': 581232, 'cecil hometown': 168733, 'hometown market': 402992, 'market carly': 516150, 'carly whorton': 164772, 'whorton join': 990610, 'join listen': 466764, 'listen online': 494704, 'online at': 607880, 'at foodsupplychain': 98683, 'coming up on': 188262, 'up on thurs': 945632, 'on thurs ag': 604661, 'thurs ag issue': 895321, 'ag issue pgm': 36801, 'issue pgm at': 455887, 'pgm at 6am': 653962, 'at 6am perspective': 97726, '6am perspective from': 21572, 'perspective from small': 653197, 'from small business': 337319, 'business and grocery': 143308, 'grocery store with': 365961, 'store with the': 811407, 'with the co': 1001237, 'the co owner': 851106, 'co owner of': 184936, 'owner of store': 632519, 'of store manager': 590257, 'store manager of': 808885, 'manager of cecil': 512757, 'of cecil hometown': 581233, 'cecil hometown market': 168734, 'hometown market carly': 402993, 'market carly whorton': 516151, 'carly whorton join': 164773, 'whorton join listen': 990611, 'join listen online': 466765, 'listen online at': 494705, 'online at foodsupplychain': 607885, 'paul': 644534, 'manly': 513275, 'nanaimo': 551782, 'ladysmith': 478876, 'blank': 132364, 'cheque': 175504, 'bail': 108579, 'paul manly': 644551, 'manly mp': 513276, 'mp nanaimo': 544258, 'nanaimo ladysmith': 551785, 'ladysmith said': 478877, 'that because': 842951, 'because the': 119609, 'the collapse': 851145, 'collapse of': 186033, 'of world': 593309, 'bill must': 130626, 'must not': 546775, 'not include': 570113, 'include blank': 431530, 'blank cheque': 132371, 'cheque to': 175513, 'to bail': 900999, 'bail out': 108586, 'gas industry': 343876, 'paul manly mp': 644552, 'manly mp nanaimo': 513277, 'mp nanaimo ladysmith': 544259, 'nanaimo ladysmith said': 551786, 'ladysmith said that': 478878, 'said that because': 731396, 'that because the': 842955, 'because the collapse': 119616, 'the collapse of': 851147, 'collapse of world': 186046, 'of world oil': 593313, 'oil price is': 597171, 'price is not': 674879, 'is not related': 450171, 'related to the': 708621, '19 the bill': 11169, 'the bill must': 849697, 'bill must not': 130627, 'must not include': 546781, 'not include blank': 570114, 'include blank cheque': 431531, 'blank cheque to': 132372, 'cheque to bail': 175514, 'to bail out': 901001, 'bail out the': 108592, 'out the oil': 627400, 'the oil and': 862104, 'and gas industry': 63478, 'technician': 836219, 'is continuing': 446812, 'from health': 335745, 'service grocery': 752428, 'worker pharmacist': 1007563, 'pharmacist utility': 654188, 'utility technician': 951322, 'technician and': 836220, 'attendant sure': 102381, 'sure ve': 827795, 've missed': 953369, 'missed bunch': 534224, 'bunch but': 142612, 'appreciate what': 82777, 'kudos to everyone': 477883, 'who is continuing': 989065, 'is continuing to': 446813, 'work during this': 1005073, 'this pandemic from': 889386, 'pandemic from health': 635469, 'from health care': 335746, 'care worker emergency': 164284, 'worker emergency service': 1006843, 'emergency service grocery': 272963, 'service grocery store': 752429, 'store worker pharmacist': 811557, 'worker pharmacist utility': 1007568, 'pharmacist utility technician': 654189, 'utility technician and': 951323, 'technician and gas': 836222, 'and gas station': 63488, 'station attendant sure': 796360, 'attendant sure ve': 102382, 'sure ve missed': 827796, 've missed bunch': 953370, 'missed bunch but': 534225, 'bunch but we': 142613, 'but we appreciate': 147737, 'we appreciate what': 970457, 'appreciate what you': 82778, 'what you do': 982671, 'payday': 645324, 'ahold': 39267, 'spoke': 789707, 'chicago': 175636, 'stopthedebttrap': 805893, 'your stimulus': 1025949, 'payment turn': 645769, 'out payday': 627022, 'payday lender': 645327, 'lender can': 486218, 'can wait': 160132, 'get ahold': 346512, 'ahold that': 39270, 'that check': 843209, 'check well': 174704, 'well don': 978172, 'don let': 253687, 'let payday': 486967, 'lender steal': 486249, 'steal your': 799214, 'your fund': 1024011, 'fund from': 341416, 'from spoke': 337380, 'spoke to': 789723, 'the chicago': 850801, 'chicago sun': 175694, 'sun time': 818084, 'and offered': 67975, 'offered his': 594930, 'his advice': 397182, 'advice stopthedebttrap': 33512, 'forward to your': 330048, 'to your stimulus': 919031, 'your stimulus payment': 1025950, 'stimulus payment turn': 801605, 'payment turn out': 645770, 'turn out payday': 935738, 'out payday lender': 627023, 'payday lender can': 645328, 'lender can wait': 486219, 'can wait to': 160137, 'to get ahold': 906406, 'get ahold that': 346513, 'ahold that check': 39271, 'that check well': 843210, 'check well don': 174705, 'well don let': 978173, 'don let payday': 253693, 'let payday lender': 486968, 'payday lender steal': 645331, 'lender steal your': 486250, 'steal your fund': 799215, 'your fund from': 1024012, 'fund from spoke': 341418, 'from spoke to': 337381, 'spoke to the': 789737, 'to the chicago': 916556, 'the chicago sun': 850803, 'chicago sun time': 175695, 'sun time and': 818085, 'time and offered': 896285, 'and offered his': 67977, 'offered his advice': 594931, 'his advice stopthedebttrap': 397185, 'text': 839863, 'purporting': 690090, 'claiming': 179896, 'false': 297403, 'scammer could': 740555, 'could send': 209650, 'send fake': 749854, 'fake text': 296724, 'text alert': 839868, 'alert purporting': 41495, 'purporting to': 690091, 'be official': 116166, 'official government': 595820, 'government update': 360761, 'update such': 947228, 'such the': 816797, 'one sent': 607005, 'sent this': 750834, 'week number': 976598, 'number 10': 576801, '10 ha': 1451, 'warned if': 967003, 'see others': 745519, 'others claiming': 621332, 'claiming to': 179919, 'the they': 869432, 're false': 698665, 'false it': 297439, 'it said': 460850, 'scammer could send': 740556, 'could send fake': 209651, 'send fake text': 749855, 'fake text alert': 296725, 'text alert purporting': 839870, 'alert purporting to': 41496, 'purporting to be': 690092, 'to be official': 901416, 'be official government': 116167, 'official government update': 595821, 'government update such': 360762, 'update such the': 947229, 'such the one': 816804, 'the one sent': 862221, 'one sent this': 607006, 'sent this week': 750837, 'this week number': 891240, 'week number 10': 976599, 'number 10 ha': 576802, '10 ha warned': 1452, 'ha warned if': 372454, 'warned if you': 967004, 'you see others': 1021055, 'see others claiming': 745520, 'others claiming to': 621333, 'claiming to be': 179920, 'to be from': 901269, 'from the they': 337900, 'the they re': 869438, 'they re false': 883032, 're false it': 698666, 'false it said': 297440, 'tree': 931181, 'walked into': 964954, 'into different': 442516, 'different dollar': 241932, 'dollar tree': 253099, 'tree and': 931182, 'were out': 979951, 'stock were': 803170, 'were toilet': 980273, 'paper antibacterial': 639872, 'antibacterial soup': 78383, 'soup hand': 786378, 'and canned': 59499, 'probably like': 679309, 'that everywhere': 843781, 'everywhere else': 288195, 'the got': 856476, 'got people': 358784, 'people fucking': 648018, 'fucking scared': 339988, 'walked into different': 964957, 'into different dollar': 442517, 'different dollar tree': 241933, 'dollar tree and': 253100, 'tree and the': 931183, 'only thing that': 611317, 'thing that were': 884825, 'that were out': 847443, 'were out of': 979954, 'of stock were': 590209, 'stock were toilet': 803173, 'were toilet paper': 980274, 'toilet paper antibacterial': 921188, 'paper antibacterial soup': 639873, 'antibacterial soup hand': 78384, 'soup hand sanitizer': 786379, 'sanitizer and canned': 734392, 'and canned food': 59501, 'canned food it': 161518, 'food it probably': 315183, 'it probably like': 460489, 'probably like that': 679310, 'like that everywhere': 491316, 'that everywhere else': 843782, 'everywhere else the': 288198, 'else the got': 271909, 'the got people': 856477, 'got people fucking': 358785, 'people fucking scared': 648019, 'china today': 177009, 'china lot': 176804, 'supply because': 824842, 'have controlled': 380106, 'controlled the': 202259, 'china today in': 177010, 'today in the': 919697, 'the supermarket of': 868722, 'supermarket of china': 821697, 'of china lot': 581365, 'china lot of': 176805, 'lot of supply': 504294, 'of supply because': 590472, 'supply because we': 824846, 'because we have': 119806, 'we have controlled': 971783, 'have controlled the': 380107, 'controlled the covid': 202260, '15 on': 3793, 'on essential': 600579, 'essential hygiene': 281140, 'hygiene product': 412146, 'product from': 681213, 'news fightcoronavirus': 560404, 'drop of 15': 260318, 'of 15 on': 579363, '15 on essential': 3794, 'on essential hygiene': 600586, 'essential hygiene product': 281141, 'hygiene product from': 412153, 'product from news': 681217, 'from news fightcoronavirus': 336573, 'njcommute': 563474, 'commuting': 190277, 'may plummet': 521426, 'plummet to': 661308, 'to 25': 899632, '25 gallon': 15871, 'gallon due': 342998, 'to expert': 905464, 'expert predicts': 291920, 'predicts njcommute': 669689, 'njcommute commuting': 563475, 'commuting driving': 190278, 'gas price may': 343994, 'price may plummet': 675198, 'may plummet to': 521427, 'plummet to 25': 661309, 'to 25 gallon': 899637, '25 gallon due': 15873, 'gallon due to': 342999, 'due to expert': 261780, 'to expert predicts': 905468, 'expert predicts njcommute': 291921, 'predicts njcommute commuting': 669690, 'njcommute commuting driving': 563476, 'abt': 27521, 'fearing': 301474, 'liar': 487963, 'so sad': 778137, 'sad to': 729269, 'hear the': 388003, 'news abt': 560188, 'abt patient': 27544, 'patient who': 644301, 'who dont': 988656, 'dont disclose': 255206, 'disclose at': 244375, 'at hospital': 99188, 'hospital that': 404670, 'have contact': 380086, 'with other': 999946, 'other positive': 620739, 'patient scared': 644248, 'scared even': 740955, 'even to': 284731, 'drop by': 260145, 'by at': 151901, 'supermarket fearing': 820285, 'fearing of': 301488, 'this kind': 888568, 'selfish liar': 748164, 'liar attitude': 487966, 'so sad to': 778143, 'sad to hear': 729271, 'to hear the': 907415, 'hear the news': 388005, 'the news abt': 861601, 'news abt patient': 560189, 'abt patient who': 27545, 'patient who dont': 644304, 'who dont disclose': 988657, 'dont disclose at': 255207, 'disclose at hospital': 244376, 'at hospital that': 99194, 'hospital that they': 404674, 'that they have': 846935, 'they have contact': 882307, 'have contact with': 380088, 'contact with other': 200280, 'with other positive': 999959, 'other positive covid': 620741, '19 patient scared': 9593, 'patient scared even': 644249, 'scared even to': 740956, 'even to drop': 284733, 'to drop by': 904766, 'drop by at': 260146, 'by at supermarket': 151904, 'at supermarket fearing': 100725, 'supermarket fearing of': 820286, 'fearing of this': 301489, 'of this kind': 591997, 'this kind of': 888569, 'kind of selfish': 474937, 'of selfish liar': 589479, 'selfish liar attitude': 748165, 'localsyr': 498798, 'milk price': 531776, 'are dropping': 86005, 'dropping but': 260677, 'the cost': 851979, 'for farmer': 321400, 'produce milk': 680361, 'milk remains': 531798, 'remains the': 710069, 'same learn': 733137, 'impacting the': 418260, 'local dairy': 497878, 'dairy industry': 224999, 'the story': 868169, 'story below': 811919, 'below localsyr': 126688, 'milk price are': 531777, 'price are dropping': 672657, 'are dropping but': 86008, 'dropping but the': 260679, 'but the cost': 147325, 'the cost for': 851983, 'cost for farmer': 207944, 'for farmer to': 321407, 'farmer to produce': 299543, 'to produce milk': 912200, 'produce milk remains': 680362, 'milk remains the': 531799, 'remains the same': 710072, 'the same learn': 866250, 'same learn how': 733138, 'learn how covid': 483981, 'is impacting the': 448715, 'impacting the local': 418267, 'the local dairy': 859541, 'local dairy industry': 497879, 'dairy industry in': 225000, 'in the story': 429576, 'the story below': 868173, 'story below localsyr': 811920, 'graph': 362139, 'ur': 947974, 'emmudate': 273243, 'au': 102772, 'these graph': 880067, 'graph they': 362152, 'are following': 86618, 'following each': 312725, 'other the': 621094, 'on ur': 604991, 'ur emmudate': 947996, 'emmudate left': 273244, 'left is': 485523, 'case right': 165984, 'right one': 722205, 'one is': 606497, 'is au': 445889, 'au property': 102797, 'property au': 684245, 'au get': 102785, 'in control': 421762, 'control of': 202063, 'the chinese': 850841, 'case will': 166111, 'will decrease': 993117, 'decrease and': 231546, 'and australian': 58524, 'australian property': 103532, 'will drop': 993259, 'drop dramatically': 260179, 'look at these': 502300, 'at these graph': 101203, 'these graph they': 880068, 'graph they are': 362153, 'they are following': 881278, 'are following each': 86619, 'following each other': 312726, 'each other the': 264224, 'other the one': 621095, 'the one on': 862209, 'one on ur': 606788, 'on ur emmudate': 604992, 'ur emmudate left': 947997, 'emmudate left is': 273245, 'left is covid': 485524, '19 case right': 5697, 'case right one': 165986, 'right one is': 722206, 'one is au': 606501, 'is au property': 445890, 'au property au': 102798, 'property au get': 684246, 'au get in': 102786, 'get in control': 347292, 'in control of': 421765, 'control of the': 202075, 'of the chinese': 590861, 'the chinese virus': 850871, 'chinese virus the': 177388, 'virus the total': 958889, 'of case will': 581179, 'case will decrease': 166113, 'will decrease and': 993118, 'decrease and australian': 231547, 'and australian property': 58525, 'australian property price': 103534, 'property price will': 684343, 'price will drop': 677562, 'will drop dramatically': 993262, 'ml': 534706, 'proportion': 684419, 'affair food': 34035, 'public distribution': 687949, 'distribution retail': 248206, 'retail price': 718404, 'sanitizer shall': 735721, 'shall not': 754535, 'than 100': 840154, '100 per': 2024, 'per bottle': 650717, 'of 200': 579453, '200 ml': 13503, 'ml the': 534726, 'other quantity': 620800, 'sanitizers shall': 736389, 'be fixed': 114875, 'fixed in': 309796, 'in proportion': 427043, 'proportion of': 684428, 'these price': 880521, 'ministry of consumer': 533541, 'consumer affair food': 196087, 'affair food and': 34037, 'food and public': 313318, 'and public distribution': 69738, 'public distribution retail': 687951, 'distribution retail price': 248207, 'retail price of': 718415, 'hand sanitizer shall': 375583, 'sanitizer shall not': 735722, 'shall not be': 754536, 'not be more': 568420, 'be more than': 115997, 'more than 100': 540543, 'than 100 per': 840162, '100 per bottle': 2026, 'per bottle of': 650721, 'bottle of 200': 136273, 'of 200 ml': 579455, '200 ml the': 13507, 'ml the price': 534727, 'price of other': 675525, 'of other quantity': 587371, 'other quantity of': 620801, 'quantity of hand': 691936, 'hand sanitizers shall': 375718, 'sanitizers shall be': 736390, 'shall be fixed': 754518, 'be fixed in': 114877, 'fixed in proportion': 309798, 'in proportion of': 427044, 'proportion of these': 684431, 'of these price': 591855, 'hair': 373950, 'incentive': 431360, 'redkenobsessed': 705750, 'consider supermarket': 195115, 'or drug': 615080, 'drug store': 261084, 'store hair': 808050, 'hair color': 373968, 'color here': 186738, 'here little': 393302, 'little incentive': 495406, 'incentive to': 431368, 'change your': 172412, 'your mind': 1024829, 'mind cnn': 532648, 'it flying': 458046, 'flying off': 311677, 'shelf fakenews': 757068, 'fakenews help': 296758, 'me help': 522886, 'you redkenobsessed': 1020867, 'redkenobsessed the': 705751, 'you were to': 1022259, 'were to consider': 980265, 'to consider supermarket': 903236, 'consider supermarket or': 195116, 'supermarket or drug': 821802, 'or drug store': 615082, 'drug store hair': 261089, 'store hair color': 808051, 'hair color here': 373969, 'color here little': 186739, 'here little incentive': 393305, 'little incentive to': 495407, 'incentive to change': 431369, 'to change your': 902622, 'change your mind': 172419, 'your mind cnn': 1024832, 'mind cnn say': 532649, 'cnn say it': 184775, 'say it flying': 738841, 'it flying off': 458047, 'flying off the': 311681, 'off the shelf': 594268, 'the shelf fakenews': 866835, 'shelf fakenews help': 757069, 'fakenews help me': 296759, 'help me help': 390067, 'me help you': 522888, 'help you redkenobsessed': 390993, 'you redkenobsessed the': 1020868, 'versus': 954938, 'economist': 267514, 'with cut': 997906, 'cut in': 223371, 'in wage': 430640, 'wage versus': 963982, 'versus paper': 954951, 'paper money': 640472, 'money everywhere': 536738, 'everywhere no': 288236, 'no economist': 564080, 'economist know': 267566, 'will happen': 993593, 'happen it': 377108, 'be depression': 114415, 'depression with': 237681, 'with falling': 998366, 'falling price': 297316, 'price most': 675273, 'most likely': 542477, 'likely is': 492034, 'is depression': 447130, 'with inflation': 999000, 'inflation unique': 437254, 'unique situation': 942000, 'with cut in': 997907, 'cut in wage': 223389, 'in wage versus': 430641, 'wage versus paper': 963983, 'versus paper money': 954952, 'paper money everywhere': 640474, 'money everywhere no': 536739, 'everywhere no economist': 288237, 'no economist know': 564081, 'economist know what': 267567, 'know what will': 476987, 'what will happen': 982599, 'will happen it': 993598, 'happen it could': 377109, 'could be depression': 208860, 'be depression with': 114416, 'depression with falling': 237682, 'with falling price': 998369, 'falling price most': 297328, 'price most likely': 675276, 'most likely is': 542484, 'likely is depression': 492035, 'is depression with': 447131, 'depression with inflation': 237683, 'with inflation unique': 999001, 'inflation unique situation': 437255, 'them grocery': 875800, 'worker do': 1006791, 'not deserve': 568998, 'deserve 15': 238022, 'hr also': 409597, 'also them': 48990, 'them during': 875633, 'crisis omg': 217806, 'omg we': 598925, 'need worker': 556239, 'worker staysafestayhome': 1007817, 'them grocery store': 875802, 'store restaurant worker': 809849, 'restaurant worker do': 716816, 'worker do not': 1006793, 'do not deserve': 249714, 'not deserve 15': 568999, 'deserve 15 hr': 238025, '15 hr also': 3733, 'hr also them': 409598, 'also them during': 48991, 'them during crisis': 875634, 'during crisis omg': 262561, 'crisis omg we': 217807, 'omg we need': 598927, 'we need worker': 972567, 'need worker staysafestayhome': 556240, 'foodiefox': 317961, 'lockdown ha': 499440, 'all kept': 43310, 'kept under': 473092, 'roof but': 725827, 'worry rather': 1010766, 'than hoarding': 840748, 'hoarding fruit': 399327, 'vegetable it': 954021, 'it better': 456860, 'better to': 128558, 'way with': 970192, 'with which': 1002086, 'which we': 986461, 'can store': 159831, 'the required': 865555, 'required grocery': 713372, 'grocery fresh': 364536, 'fresh for': 332986, 'for longer': 323093, 'longer time': 502091, 'time foodiefox': 896683, 'foodiefox stophoarding': 317962, 'the lockdown ha': 859599, 'lockdown ha all': 499441, 'ha all kept': 369482, 'all kept under': 43311, 'kept under the': 473093, 'under the roof': 940328, 'the roof but': 865970, 'roof but do': 725828, 'not worry rather': 572570, 'worry rather than': 1010767, 'rather than hoarding': 697529, 'than hoarding fruit': 840749, 'hoarding fruit and': 399328, 'and vegetable it': 74888, 'vegetable it better': 954022, 'it better to': 456865, 'better to take': 128569, 'to take look': 916197, 'at the way': 101146, 'the way with': 871207, 'way with which': 970193, 'with which we': 1002089, 'which we can': 986462, 'we can store': 971024, 'can store the': 159836, 'store the required': 810617, 'the required grocery': 865556, 'required grocery fresh': 713373, 'grocery fresh for': 364537, 'fresh for longer': 332987, 'for longer time': 323098, 'longer time foodiefox': 502092, 'time foodiefox stophoarding': 896684, 'beverage': 128979, '0cscqx1nz5': 1179, 'marketresearch': 517849, 'consumerinsights': 199697, 'how consumer': 407588, 'and industry': 65175, 'industry including': 435906, 'including food': 431961, 'food beverage': 313738, 'beverage beauty': 128992, 'beauty retail': 118778, 'health wellness': 386949, 'wellness are': 978828, 'are responding': 89631, 'pandemic 0cscqx1nz5': 634761, '0cscqx1nz5 marketresearch': 1180, 'marketresearch consumerinsights': 517852, 'learn how consumer': 483980, 'how consumer and': 407589, 'consumer and industry': 196217, 'and industry including': 65181, 'industry including food': 435908, 'including food beverage': 431964, 'food beverage beauty': 313741, 'beverage beauty retail': 128993, 'beauty retail and': 118779, 'retail and health': 717825, 'and health wellness': 64368, 'health wellness are': 386950, 'wellness are responding': 978831, 'are responding to': 89636, 'responding to the': 715588, 'the pandemic 0cscqx1nz5': 862887, 'pandemic 0cscqx1nz5 marketresearch': 634762, '0cscqx1nz5 marketresearch consumerinsights': 1181, 'victory': 956568, 'chile': 176330, 'organic': 619209, 'strawberry': 812762, 'preserve': 670693, 'my victory': 550499, 'victory today': 956575, 'today grocery': 919591, 'had milk': 373302, 'milk bread': 531596, 'bread tp': 138626, 'tp not': 927879, 'not shown': 571572, 'shown fresh': 767584, 'fruit veggie': 339187, 'veggie yes': 954228, 'yes lot': 1015479, 'of chile': 581351, 'chile chicken': 176335, 'chicken peanut': 175830, 'butter really': 148162, 'really expensive': 702176, 'expensive organic': 291273, 'organic strawberry': 619238, 'strawberry preserve': 812767, 'my victory today': 550500, 'victory today grocery': 956576, 'today grocery store': 919594, 'grocery store had': 365451, 'store had milk': 808041, 'had milk bread': 373303, 'milk bread tp': 531604, 'bread tp not': 138628, 'tp not shown': 927880, 'not shown fresh': 571573, 'shown fresh fruit': 767585, 'fresh fruit veggie': 333002, 'fruit veggie yes': 339193, 'veggie yes lot': 954229, 'yes lot of': 1015480, 'lot of chile': 504155, 'of chile chicken': 581352, 'chile chicken peanut': 176336, 'chicken peanut butter': 175831, 'peanut butter really': 646145, 'butter really expensive': 148163, 'really expensive organic': 702177, 'expensive organic strawberry': 291274, 'organic strawberry preserve': 619239, 'nightmare': 563168, 'incarceration': 431329, 'corprorate': 207484, 'stagnation': 793278, 'quantitative': 691895, 'easing': 265258, 'humanitarian': 410679, 'pandemic isn': 635806, 'isn the': 454704, 'problem stressing': 679688, 'stressing our': 813538, 'nation for': 552185, 'your nightmare': 1025017, 'nightmare keep': 563179, 'keep climate': 471399, 'climate change': 182190, 'change war': 172379, 'war mass': 966484, 'mass incarceration': 519795, 'incarceration oil': 431333, 'price crazy': 673337, 'crazy corprorate': 215270, 'corprorate personal': 207485, 'personal debt': 652820, 'debt wage': 230593, 'wage stagnation': 963949, 'stagnation quantitative': 793279, 'quantitative easing': 691896, 'easing and': 265259, 'and humanitarian': 64863, 'humanitarian crisis': 410680, 'world over': 1009878, 'over in': 630310, 'in mind': 425335, '19 pandemic isn': 9370, 'pandemic isn the': 635808, 'isn the only': 454712, 'the only reason': 862336, 'only reason for': 611057, 'reason for the': 702912, 'for the problem': 326633, 'the problem stressing': 864523, 'problem stressing our': 679689, 'stressing our nation': 813539, 'our nation for': 623978, 'nation for your': 552186, 'for your nightmare': 328180, 'your nightmare keep': 1025018, 'nightmare keep climate': 563180, 'keep climate change': 471400, 'climate change war': 182205, 'change war mass': 172380, 'war mass incarceration': 966485, 'mass incarceration oil': 519796, 'incarceration oil price': 431334, 'oil price crazy': 597095, 'price crazy corprorate': 673338, 'crazy corprorate personal': 215271, 'corprorate personal debt': 207486, 'personal debt wage': 652821, 'debt wage stagnation': 230594, 'wage stagnation quantitative': 963950, 'stagnation quantitative easing': 793280, 'quantitative easing and': 691897, 'easing and humanitarian': 265260, 'and humanitarian crisis': 64864, 'humanitarian crisis the': 410686, 'crisis the world': 218194, 'the world over': 871932, 'world over in': 1009879, 'over in mind': 630313, 'bigangryphil': 130116, '153': 3972, 'late': 480834, 'ana': 56973, 'arrest': 93744, 'staytuned': 799076, 'recallgavinnewsom': 703369, 'panicfear': 639181, 'bigangryphil podcast': 130117, 'podcast 153': 662249, '153 will': 3973, 'drop late': 260291, 'late tonight': 480932, 'tonight early': 924404, 'early ma': 264638, 'ma ana': 507250, 'ana happy': 56978, 'happy house': 377636, 'house arrest': 406200, 'arrest to': 93788, 'all staytuned': 44455, 'staytuned recallgavinnewsom': 799077, 'recallgavinnewsom panicfear': 703370, 'panicfear toiletpaper': 639182, 'bigangryphil podcast 153': 130118, 'podcast 153 will': 662250, '153 will drop': 3974, 'will drop late': 993266, 'drop late tonight': 260292, 'late tonight early': 480933, 'tonight early ma': 924405, 'early ma ana': 264639, 'ma ana happy': 507251, 'ana happy house': 56979, 'happy house arrest': 377637, 'house arrest to': 406203, 'arrest to all': 93789, 'to all staytuned': 900286, 'all staytuned recallgavinnewsom': 44456, 'staytuned recallgavinnewsom panicfear': 799078, 'recallgavinnewsom panicfear toiletpaper': 703371, 'blizzard': 132745, 'this have': 887873, 'been that': 122156, 'store cashier': 806881, 'cashier and': 166448, 'and supervisor': 72757, 'supervisor ve': 824397, 'been abused': 120594, 'abused during': 27692, 'during holiday': 262694, 'and blizzard': 59011, 'blizzard warning': 132748, 'warning that': 967202, 'nothing compared': 572985, 'to what': 918505, 'through now': 894593, 'now basic': 574179, 'basic human': 111933, 'human 101': 410397, '101 don': 2224, 'an asshole': 55443, 'this have been': 887876, 'have been that': 379715, 'been that grocery': 122157, 'grocery store cashier': 365272, 'store cashier and': 806884, 'cashier and supervisor': 166466, 'and supervisor ve': 72758, 'supervisor ve been': 824398, 've been abused': 952860, 'been abused during': 120595, 'abused during holiday': 27693, 'during holiday and': 262695, 'holiday and blizzard': 400258, 'and blizzard warning': 59012, 'blizzard warning that': 132749, 'warning that is': 967204, 'that is nothing': 844626, 'is nothing compared': 450233, 'nothing compared to': 572986, 'compared to what': 191444, 'to what they': 918525, 'they re going': 883044, 'going through now': 355504, 'through now basic': 894594, 'now basic human': 574180, 'basic human 101': 111934, 'human 101 don': 410398, '101 don be': 2225, 'don be an': 253353, 'be an asshole': 113597, 'emailing': 272388, 'reply': 711732, 'dong': 255136, 'honorable': 403262, 'charging': 173435, 'extortionate': 293384, 'is waste': 453771, 'waste of': 968159, 'time emailing': 896608, 'emailing all': 272389, 'you ever': 1018453, 'get is': 347384, 'is auto': 445897, 'auto reply': 103913, 'reply saying': 711749, 'saying sorry': 739684, 'sorry we': 786101, 'busy you': 145018, 'be dong': 114575, 'dong the': 255140, 'the honorable': 857485, 'honorable thing': 403273, 'thing and': 884118, 'and giving': 63675, 'people full': 648020, 'refund not': 706932, 'to profiteering': 912243, 'profiteering from': 683037, 'from by': 334783, 'by charging': 152100, 'charging extortionate': 173471, 'extortionate price': 293387, 'to re': 912772, 're book': 698375, 'it is waste': 459125, 'is waste of': 453772, 'waste of time': 968164, 'of time emailing': 592172, 'time emailing all': 896609, 'emailing all you': 272390, 'all you ever': 45538, 'you ever get': 1018457, 'ever get is': 285319, 'get is auto': 347385, 'is auto reply': 445898, 'auto reply saying': 103914, 'reply saying sorry': 711750, 'saying sorry we': 739686, 'sorry we are': 786102, 'we are busy': 970495, 'are busy you': 85104, 'busy you should': 145019, 'should be dong': 765606, 'be dong the': 114576, 'dong the honorable': 255141, 'the honorable thing': 857486, 'honorable thing and': 403274, 'thing and giving': 884122, 'and giving people': 63682, 'giving people full': 351371, 'people full refund': 648021, 'full refund not': 340845, 'refund not to': 706933, 'not to profiteering': 572175, 'to profiteering from': 912244, 'profiteering from by': 683040, 'from by charging': 334784, 'by charging extortionate': 152104, 'charging extortionate price': 173472, 'extortionate price to': 293404, 'price to re': 677028, 'to re book': 912775, 'cousin': 212078, 'aunty': 103013, 'my cousin': 547835, 'cousin and': 212079, 'and aunty': 58519, 'aunty and': 103014, 'other member': 620533, 'my extended': 548131, 'extended family': 293157, 'family live': 297991, 'live there': 496056, 'there my': 878775, 'my aunty': 547357, 'aunty work': 103022, 'at asda': 98051, 'asda and': 94902, 'cousin work': 212100, 'another supermarket': 77883, 'is currently': 446983, 'in isolation': 424188, 'isolation her': 455294, 'friend husband': 333639, 'husband ha': 411703, 'my cousin and': 547836, 'cousin and aunty': 212081, 'and aunty and': 58520, 'aunty and many': 103015, 'many other member': 514434, 'other member of': 620535, 'member of my': 528143, 'of my extended': 586761, 'my extended family': 548132, 'extended family live': 293158, 'family live there': 297993, 'live there my': 496058, 'there my aunty': 878776, 'my aunty work': 547359, 'aunty work at': 103023, 'work at asda': 1004860, 'at asda and': 98052, 'asda and my': 94907, 'and my cousin': 67359, 'my cousin work': 547841, 'cousin work for': 212102, 'work for another': 1005139, 'for another supermarket': 319376, 'another supermarket but': 77885, 'supermarket but is': 819449, 'but is currently': 146072, 'is currently in': 446994, 'currently in isolation': 221566, 'in isolation her': 424198, 'isolation her friend': 455295, 'her friend husband': 392060, 'friend husband ha': 333641, 'transformed': 929583, 'confused': 194321, 'rising': 723144, 'fare': 299012, 'men': 528447, 'sending': 749999, 'anymore': 80117, 'simpler': 770144, 'this ha': 887798, 'ha transformed': 372351, 'transformed heart': 929586, 'heart from': 388291, 'from bad': 334623, 'bad to': 108052, 'to good': 906908, 'good and': 356723, 'others confused': 621336, 'confused lady': 194340, 'lady have': 478774, 'have started': 382715, 'started complaining': 794716, 'about rising': 26107, 'rising fare': 723210, 'fare price': 299034, 'price saying': 676302, 'saying the': 739710, 'down men': 256954, 'men aren': 528459, 'aren sending': 92515, 'sending fare': 750021, 'fare anymore': 299013, 'anymore ha': 80133, 'ha made': 371201, 'made many': 507824, 'many thing': 514797, 'thing simpler': 884744, 'simpler from': 770147, 'from transportation': 338135, 'transportation to': 930043, 'food wash': 317461, 'this ha transformed': 887818, 'ha transformed heart': 372352, 'transformed heart from': 929587, 'heart from bad': 388292, 'from bad to': 334624, 'bad to good': 108055, 'to good and': 906909, 'good and others': 356741, 'and others confused': 68439, 'others confused lady': 621337, 'confused lady have': 194341, 'lady have started': 478775, 'have started complaining': 382720, 'started complaining about': 794717, 'complaining about rising': 191893, 'about rising fare': 26108, 'rising fare price': 723211, 'fare price saying': 299036, 'price saying the': 676304, 'saying the market': 739713, 'the market ha': 860115, 'market ha gone': 516482, 'ha gone down': 370723, 'gone down men': 356262, 'down men aren': 256955, 'men aren sending': 528460, 'aren sending fare': 92516, 'sending fare anymore': 750022, 'fare anymore ha': 299014, 'anymore ha made': 80134, 'ha made many': 371211, 'made many thing': 507825, 'many thing simpler': 514804, 'thing simpler from': 884745, 'simpler from transportation': 770148, 'from transportation to': 338136, 'transportation to food': 930046, 'to food wash': 906105, 'food wash your': 317463, 'defending': 232111, 'defending consumer': 232116, 'product company': 681069, 'company against': 190357, 'defending consumer product': 232117, 'consumer product company': 198451, 'product company against': 681070, 'company against covid': 190358, 'joined': 466909, 'tata': 834835, 'indian': 434764, 'flipkart ha': 310618, 'ha joined': 371033, 'joined hand': 466932, 'with tata': 1001123, 'tata consumer': 834838, 'consumer to': 199304, 'provide it': 686368, 'it customer': 457444, 'customer access': 222020, 'to essential': 905254, 'essential food': 281037, 'and beverage': 58925, 'beverage product': 129026, 'product to': 681739, 'to indian': 908330, 'indian consumer': 434796, 'flipkart ha joined': 310619, 'ha joined hand': 371034, 'joined hand with': 466933, 'hand with tata': 376017, 'with tata consumer': 1001124, 'tata consumer to': 834840, 'consumer to provide': 199321, 'to provide it': 912408, 'provide it customer': 686369, 'it customer access': 457445, 'customer access to': 222021, 'access to essential': 28232, 'to essential food': 905257, 'essential food and': 281039, 'food and beverage': 313186, 'and beverage product': 58931, 'beverage product to': 129030, 'product to indian': 681749, 'to indian consumer': 908331, 'lucrative': 506589, 'temptation': 837731, 'susceptible': 829432, 'non veg': 566518, 'veg food': 953743, 'food is': 315107, 'on cart': 599833, 'cart at': 165261, 'at throw': 101270, 'throw away': 895007, 'away price': 106006, 'price since': 676412, 'the consumption': 851636, 'consumption ha': 199879, 'gone low': 356326, 'low following': 505278, 'following corona': 312707, 'corona outbreak': 204085, 'outbreak please': 628534, 'please warn': 660747, 'warn your': 966979, 'your domestic': 1023560, 'domestic staff': 253228, 'are vulnerable': 91506, 'to these': 917332, 'these lucrative': 880264, 'lucrative temptation': 506596, 'temptation they': 837736, 'are susceptible': 90683, 'susceptible to': 829437, 'fall ill': 296932, 'ill due': 416114, 'to poor': 911877, 'poor hygiene': 664196, 'hygiene also': 412043, 'non veg food': 566519, 'veg food is': 953745, 'food is available': 315112, 'available on cart': 104528, 'on cart at': 599834, 'cart at throw': 165266, 'at throw away': 101271, 'throw away price': 895013, 'away price since': 106008, 'price since the': 676417, 'since the consumption': 770869, 'the consumption ha': 851638, 'consumption ha gone': 199880, 'ha gone low': 370727, 'gone low following': 356328, 'low following corona': 505279, 'following corona outbreak': 312708, 'corona outbreak please': 204088, 'outbreak please warn': 628539, 'please warn your': 660748, 'warn your domestic': 966980, 'your domestic staff': 1023561, 'domestic staff and': 253229, 'staff and others': 792151, 'and others who': 68467, 'others who are': 621782, 'who are vulnerable': 988257, 'are vulnerable to': 91513, 'vulnerable to these': 961237, 'to these lucrative': 917346, 'these lucrative temptation': 880265, 'lucrative temptation they': 506597, 'temptation they are': 837737, 'they are susceptible': 881424, 'are susceptible to': 90684, 'susceptible to fall': 829440, 'to fall ill': 905633, 'fall ill due': 296934, 'ill due to': 416115, 'due to poor': 261908, 'to poor hygiene': 911879, 'poor hygiene also': 664197, 'pumped': 689113, 'wankspangle': 965608, 'tit': 899259, 'nasty': 552053, 'cockwomble': 185254, 'just say': 469698, 're retailer': 699394, 'retailer and': 718954, 've pumped': 953455, 'pumped up': 689118, 'your price': 1025392, 'are an': 84528, 'an utter': 56960, 'utter wankspangle': 951438, 'wankspangle and': 965609, 'business go': 143789, 'go tit': 354265, 'tit up': 899262, 'you nasty': 1019950, 'nasty profiteering': 552062, 'profiteering cockwomble': 683020, 'can just say': 158799, 'just say that': 469702, 'say that if': 739237, 'you re retailer': 1020725, 're retailer and': 699395, 'retailer and you': 718978, 'and you ve': 76054, 'you ve pumped': 1022058, 've pumped up': 953457, 'pumped up your': 689119, 'up your price': 946750, 'your price because': 1025396, 'price because of': 672864, 'because of you': 119429, 'of you are': 593372, 'you are an': 1017058, 'are an utter': 84540, 'an utter wankspangle': 56962, 'utter wankspangle and': 951439, 'wankspangle and hope': 965610, 'and hope your': 64723, 'hope your business': 403818, 'your business go': 1023059, 'business go tit': 143790, 'go tit up': 354266, 'tit up you': 899263, 'up you nasty': 946727, 'you nasty profiteering': 1019951, 'nasty profiteering cockwomble': 552063, 'report corona': 711887, 'virus website': 959021, 'with fact': 998359, 'fact and': 295674, 'only fact': 610420, 'here is the': 393253, 'is the consumer': 452754, 'the consumer report': 851584, 'consumer report corona': 198704, 'report corona virus': 711888, 'corona virus website': 204375, 'virus website with': 959022, 'website with fact': 975490, 'with fact and': 998360, 'fact and only': 295677, 'and only fact': 68135, 'broccoli': 140793, 'there aren': 878188, 'aren people': 92473, 'there licking': 878701, 'licking apple': 488232, 'apple and': 82305, 'and broccoli': 59215, 'broccoli in': 140798, 'just because': 468282, 'not taking': 571920, 'taking part': 833498, 'part in': 642293, 'in reality': 427299, 'you think there': 1021679, 'think there aren': 885668, 'there aren people': 878191, 'aren people out': 92474, 'out there licking': 627496, 'there licking apple': 878702, 'licking apple and': 488233, 'apple and broccoli': 82306, 'and broccoli in': 59217, 'broccoli in the': 140799, 'supermarket just because': 821221, 'just because of': 468287, '19 you re': 12275, 're not taking': 699124, 'not taking part': 571928, 'taking part in': 833499, 'part in reality': 642300, 'coronavi': 205366, 'shopping once': 763392, 'once day': 605614, 'day etc': 227562, 'etc group': 282575, 'be fined': 114856, 'fined funny': 307749, 'funny online': 341775, 'no slot': 565519, 'slot and': 774103, 'and even': 62325, 'even when': 284778, 'on there': 604551, 'is fuck': 447953, 'fuck all': 339513, 'all on': 43736, 'shelf coronavi': 756965, 'we are allowed': 970472, 'are allowed out': 84381, 'allowed out for': 46202, 'out for shopping': 626158, 'for shopping once': 325590, 'shopping once day': 763393, 'once day etc': 605615, 'day etc group': 227563, 'etc group of': 282576, 'of people be': 587878, 'people be fined': 647224, 'be fined funny': 114860, 'fined funny online': 307750, 'funny online shopping': 341776, 'shopping no slot': 763335, 'no slot and': 565521, 'slot and even': 774104, 'and even when': 62353, 'even when we': 284788, 'when we do': 984438, 'we do go': 971332, 'do go on': 249341, 'go on there': 353898, 'on there is': 604554, 'there is fuck': 878561, 'is fuck all': 447954, 'fuck all on': 339518, 'all on the': 43744, 'the shelf coronavi': 866830, 'petchems': 653502, 'tracked': 928237, 'rally': 696248, 'bbl': 113172, 'petrochemical': 653669, 'asian petchems': 95322, 'petchems share': 653503, 'share tracked': 755317, 'tracked the': 928250, 'the rally': 865126, 'rally overnight': 696280, 'overnight while': 631368, 'while crude': 986727, 'price rose': 676261, 'rose more': 726083, 'than bbl': 840382, 'bbl amid': 113173, 'amid expectation': 52459, 'expectation that': 290852, 'soon approve': 785627, 'approve trillion': 83121, 'trillion stimulus': 932002, 'stimulus package': 801574, 'package petrochemical': 633372, 'petrochemical share': 653700, 'share stimulus': 755221, 'stimulus asia': 801511, 'asian petchems share': 95323, 'petchems share tracked': 653504, 'share tracked the': 755318, 'tracked the rally': 928251, 'the rally overnight': 865127, 'rally overnight while': 696281, 'overnight while crude': 631369, 'while crude oil': 986728, 'oil price rose': 597240, 'price rose more': 676271, 'rose more than': 726084, 'more than bbl': 540596, 'than bbl amid': 840383, 'bbl amid expectation': 113174, 'amid expectation that': 52460, 'expectation that the': 290855, 'that the will': 846868, 'the will soon': 871581, 'will soon approve': 994889, 'soon approve trillion': 785629, 'approve trillion stimulus': 83122, 'trillion stimulus package': 932005, 'stimulus package petrochemical': 801586, 'package petrochemical share': 633373, 'petrochemical share stimulus': 653702, 'share stimulus asia': 755222, 'drastic': 258394, '2chainz': 16577, 'atlhawks': 101906, 'quavo': 693298, 'statefarm': 796146, 'thankyou': 842317, 'healthcareheroes': 387411, 'giving thanks': 351407, 'provider artist': 686697, 'artist supermarket': 94620, 'worker other': 1007514, 'business staying': 144410, 'staying open': 798671, 'open that': 612541, 'hard risking': 378007, 'help out': 390242, 'out others': 626962, 'others in': 621470, 'this drastic': 887292, 'drastic time': 258419, 'time 2chainz': 896183, '2chainz atlhawks': 16578, 'atlhawks quavo': 101907, 'quavo statefarm': 693299, 'statefarm thankyou': 796147, 'thankyou healthcareheroes': 842342, 'giving thanks to': 351409, 'all the healthcare': 44779, 'the healthcare provider': 857198, 'healthcare provider artist': 387247, 'provider artist supermarket': 686698, 'artist supermarket worker': 94621, 'supermarket worker other': 824061, 'worker other business': 1007515, 'other business staying': 619917, 'business staying open': 144411, 'staying open that': 798679, 'open that are': 612542, 'that are working': 842844, 'working hard risking': 1008686, 'hard risking their': 378008, 'life to help': 489136, 'to help out': 907580, 'help out others': 390254, 'out others in': 626963, 'others in this': 621481, 'in this drastic': 429935, 'this drastic time': 887295, 'drastic time 2chainz': 258420, 'time 2chainz atlhawks': 896184, '2chainz atlhawks quavo': 16579, 'atlhawks quavo statefarm': 101908, 'quavo statefarm thankyou': 693300, 'statefarm thankyou healthcareheroes': 796148, 'develop': 239619, 'deferment': 232175, 'repayment': 711480, 'extension': 293270, 'russia to': 728585, 'to develop': 904241, 'develop additional': 239622, 'additional business': 31780, 'business support': 144448, 'support program': 826768, 'program amid': 683200, 'to preserve': 912019, 'preserve employment': 670696, 'employment salary': 274642, 'salary at': 731950, 'at maximum': 99691, 'maximum rate': 520834, 'rate possible': 697343, 'possible program': 665744, 'program includes': 683261, 'includes tax': 431816, 'tax payment': 835063, 'payment deferment': 645587, 'deferment well': 232176, 'well repayment': 978519, 'repayment extension': 711483, 'extension on': 293289, 'consumer mortgage': 198157, 'mortgage loan': 541920, 'russia to develop': 728587, 'to develop additional': 904242, 'develop additional business': 239623, 'additional business support': 31781, 'business support program': 144449, 'support program amid': 826769, 'program amid covid': 683201, 'pandemic to preserve': 636789, 'to preserve employment': 912020, 'preserve employment salary': 670697, 'employment salary at': 274643, 'salary at maximum': 731951, 'at maximum rate': 99692, 'maximum rate possible': 520835, 'rate possible program': 697344, 'possible program includes': 665745, 'program includes tax': 683262, 'includes tax payment': 431817, 'tax payment deferment': 835065, 'payment deferment well': 645588, 'deferment well repayment': 232177, 'well repayment extension': 978520, 'repayment extension on': 711484, 'extension on consumer': 293290, 'on consumer mortgage': 600062, 'consumer mortgage loan': 198159, 'pj': 657227, 'new life': 559027, 'life stay': 489056, 'in pj': 426714, 'pj all': 657228, 'day shower': 228352, 'shower put': 767381, 'put fresh': 690583, 'fresh pj': 333038, 'pj on': 657232, 'on think': 604594, 'think going': 885261, 'treat myself': 930849, 'myself to': 550957, 'to some': 914868, 'new pair': 559249, 'pair in': 634330, 'supermarket tomorrow': 823495, 'tomorrow quaratinelife': 924168, 'my new life': 549464, 'new life stay': 559030, 'life stay in': 489058, 'stay in pj': 797058, 'in pj all': 426715, 'pj all day': 657229, 'all day shower': 42524, 'day shower put': 228353, 'shower put fresh': 767382, 'put fresh pj': 690584, 'fresh pj on': 333039, 'pj on think': 657233, 'on think going': 604595, 'think going to': 885262, 'going to treat': 355748, 'to treat myself': 917751, 'treat myself to': 930850, 'myself to some': 550961, 'to some new': 914883, 'some new pair': 783351, 'new pair in': 559250, 'pair in the': 634331, 'the supermarket tomorrow': 868867, 'supermarket tomorrow quaratinelife': 823502, 'coronapocolypse': 205216, 'know it': 476517, 'world when': 1010163, 'when surgical': 984102, 'surgical spirit': 828385, 'spirit is': 789478, 'stock online': 802570, 'online and': 607805, 'not receive': 571248, 'receive any': 703442, 'any more': 79483, 'more stock': 540468, 'stock how': 802248, 'am supposed': 50456, 'to sanitize': 913749, 'hand now': 375100, 'now coronapocolypse': 574457, 'coronapocolypse panic': 205233, 'you know it': 1019505, 'know it the': 476544, 'it the end': 461530, 'the world when': 872004, 'world when surgical': 1010165, 'when surgical spirit': 984103, 'surgical spirit is': 828386, 'spirit is out': 789480, 'of stock online': 590181, 'stock online and': 802572, 'online and will': 607859, 'will not receive': 994258, 'not receive any': 571249, 'receive any more': 703444, 'any more stock': 79493, 'more stock how': 540470, 'stock how am': 802249, 'how am supposed': 407348, 'am supposed to': 50457, 'supposed to sanitize': 827373, 'to sanitize my': 913752, 'sanitize my hand': 734199, 'my hand now': 548609, 'hand now coronapocolypse': 375101, 'now coronapocolypse panic': 574458, 'coronapocolypse panic shopping': 205234, 'tandem': 834152, 'adminerrorvirus': 32432, 'sacking': 729060, 'quadrupling': 691672, 'squalid': 791454, 'administrative': 32513, 'error': 280221, 'pure': 689953, 'in tandem': 428814, 'tandem with': 834153, 'the coronacrisis': 851773, 'coronacrisis we': 204854, 'we now': 972609, 'now have': 574864, 'have an': 379236, 'of adminerrorvirus': 579790, 'adminerrorvirus firm': 32433, 'firm and': 308305, 'and shop': 71488, 'shop caught': 760023, 'caught out': 167448, 'out sacking': 627130, 'sacking staff': 729061, 'staff making': 792636, 'making them': 511441, 'them homeless': 875861, 'others quadrupling': 621599, 'quadrupling price': 691673, 'their squalid': 874782, 'squalid corner': 791455, 'corner shop': 203666, 'shop when': 761024, 'when caught': 983241, 'out sorry': 627229, 'sorry gov': 786051, 'gov it': 359612, 'wa an': 961524, 'an administrative': 55127, 'administrative error': 32520, 'error pure': 280232, 'in tandem with': 428815, 'tandem with the': 834154, 'with the coronacrisis': 1001247, 'the coronacrisis we': 851792, 'coronacrisis we now': 204855, 'we now have': 972612, 'now have an': 574865, 'have an outbreak': 379269, 'outbreak of adminerrorvirus': 628475, 'of adminerrorvirus firm': 579791, 'adminerrorvirus firm and': 32434, 'firm and shop': 308310, 'and shop caught': 71494, 'shop caught out': 760024, 'caught out sacking': 167449, 'out sacking staff': 627131, 'sacking staff making': 729062, 'staff making them': 792637, 'making them homeless': 511445, 'them homeless and': 875862, 'homeless and others': 402726, 'and others quadrupling': 68454, 'others quadrupling price': 621600, 'quadrupling price in': 691674, 'price in their': 674742, 'in their squalid': 429779, 'their squalid corner': 874783, 'squalid corner shop': 791456, 'corner shop when': 203680, 'shop when caught': 761025, 'when caught out': 983242, 'caught out sorry': 167450, 'out sorry gov': 627231, 'sorry gov it': 786052, 'gov it wa': 359613, 'it wa an': 462063, 'wa an administrative': 961525, 'an administrative error': 55129, 'administrative error pure': 32521, 'pacman': 633747, 'being at': 124874, 'today wa': 920441, 'wa quite': 963028, 'quite fun': 694871, 'fun thanks': 341222, 'distancing felt': 247146, 'felt like': 303402, 'like giant': 490309, 'giant game': 349778, 'game of': 343212, 'of pacman': 587655, 'pacman socialdistancing': 633750, 'being at the': 124879, 'supermarket today wa': 823474, 'today wa quite': 920453, 'wa quite fun': 963029, 'quite fun thanks': 694872, 'fun thanks to': 341223, 'thanks to social': 842261, 'to social distancing': 914823, 'social distancing felt': 779609, 'distancing felt like': 247147, 'felt like giant': 303407, 'like giant game': 490310, 'giant game of': 349779, 'game of pacman': 343216, 'of pacman socialdistancing': 587656, 'lmao': 497143, 'pic': 655576, 'the photo': 863700, 'photo from': 655165, 'from lmao': 336241, 'lmao make': 497154, 'it pic': 460327, 'pic of': 655608, 'empty american': 274756, 'american supermarket': 52230, 'why is the': 991122, 'is the photo': 452893, 'the photo from': 863702, 'photo from lmao': 655170, 'from lmao make': 336242, 'lmao make it': 497155, 'make it pic': 510050, 'it pic of': 460328, 'pic of the': 655616, 'of the empty': 590984, 'the empty american': 854283, 'empty american supermarket': 274758, 'american supermarket shelf': 52235, 'raided': 695622, 'sparse': 787619, 'seen supermarket': 747259, 'supermarket quite': 822150, 'quite this': 694928, 'this raided': 889796, 'raided fresh': 695631, 'produce meat': 680354, 'meat egg': 525552, 'egg and': 269755, 'food have': 314777, 'have all': 379148, 'all been': 42160, 'been completely': 120853, 'completely bought': 192222, 'bought out': 136670, 'and nearly': 67451, 'nearly every': 553824, 'every aisle': 285658, 'aisle is': 40283, 'is sparse': 452140, 'sparse panic': 787622, 'panic purchasing': 638451, 'purchasing at': 689835, 'at it': 99311, 'it worst': 462555, 'worst corvid19uk': 1011163, 'never seen supermarket': 558180, 'seen supermarket quite': 747263, 'supermarket quite this': 822151, 'quite this raided': 694929, 'this raided fresh': 889797, 'raided fresh produce': 695632, 'fresh produce meat': 333059, 'produce meat egg': 680356, 'meat egg and': 525553, 'egg and canned': 269759, 'canned food have': 161515, 'food have all': 314779, 'have all been': 379151, 'all been completely': 42161, 'been completely bought': 120854, 'completely bought out': 192223, 'bought out and': 136672, 'out and nearly': 625679, 'and nearly every': 67453, 'nearly every aisle': 553825, 'every aisle is': 285660, 'aisle is sparse': 40287, 'is sparse panic': 452141, 'sparse panic purchasing': 787624, 'panic purchasing at': 638452, 'purchasing at it': 689836, 'at it worst': 99340, 'it worst corvid19uk': 462556, 'for safe': 325287, 'safe way': 730110, 'shop and': 759836, 'stock curious': 802035, 'curious to': 220989, 'potential impact': 667085, '19 are': 5191, 'system looking': 831239, 'for way': 327651, 'vulnerable we': 961247, 'we answer': 970434, 'answer these': 78118, 'these question': 880567, 'question more': 693649, 'new piece': 559274, 'piece read': 656360, 'read it': 700379, 'looking for safe': 502898, 'for safe way': 325294, 'safe way to': 730111, 'way to shop': 970094, 'to shop and': 914446, 'shop and stock': 759869, 'and stock curious': 72404, 'stock curious to': 802036, 'curious to know': 220990, 'to know what': 909002, 'know what the': 476980, 'what the potential': 982355, 'the potential impact': 864120, 'potential impact of': 667086, 'impact of 19': 417750, 'of 19 are': 579382, '19 are on': 5205, 'on the food': 604126, 'the food system': 855612, 'food system looking': 317052, 'system looking for': 831240, 'looking for way': 502914, 'for way to': 327652, 'help the vulnerable': 390684, 'the vulnerable we': 871002, 'vulnerable we answer': 961248, 'we answer these': 970436, 'answer these question': 78119, 'these question more': 880569, 'question more in': 693650, 'more in our': 539522, 'in our new': 426317, 'our new piece': 624039, 'new piece read': 559276, 'piece read it': 656361, 'read it here': 700384, 'turmoil': 935609, 'bracing': 137497, 'wider': 991809, 'houston office': 407212, 'office market': 595482, 'market face': 516365, 'face double': 294405, 'whammy from': 980935, 'from oil': 336648, 'oil turmoil': 597491, 'turmoil and': 935612, 'and coronavirus': 60568, 'coronavirus the': 206901, 'the houston': 857665, 'is bracing': 446252, 'bracing for': 137498, 'an economic': 55574, 'economic storm': 267319, 'storm weakening': 811860, 'weakening oil': 974087, 'oil demand': 596738, 'price together': 677073, 'the wider': 871537, 'wider economic': 991814, 'economic downturn': 267072, 'downturn caused': 257790, 'houston office market': 407213, 'office market face': 595484, 'market face double': 516367, 'face double whammy': 294406, 'double whammy from': 256090, 'whammy from oil': 980936, 'from oil turmoil': 336651, 'oil turmoil and': 597492, 'turmoil and coronavirus': 935613, 'and coronavirus the': 60575, 'coronavirus the houston': 206910, 'the houston office': 857668, 'office market is': 595485, 'market is bracing': 516618, 'is bracing for': 446253, 'bracing for an': 137499, 'for an economic': 319277, 'an economic storm': 55590, 'economic storm weakening': 267321, 'storm weakening oil': 811861, 'weakening oil demand': 974088, 'oil demand and': 596740, 'demand and oil': 234987, 'oil price together': 597294, 'price together with': 677074, 'together with the': 921043, 'with the wider': 1001545, 'the wider economic': 871539, 'wider economic downturn': 991815, 'economic downturn caused': 267074, 'downturn caused by': 257791, 'composed': 192565, 'uncertain': 939559, 'heightened': 388812, 'cmc': 184662, 'cfd': 170305, 'stay composed': 796844, 'composed in': 192566, 'in volatile': 430612, 'volatile market': 960049, 'in uncertain': 430408, 'uncertain time': 939611, 'market can': 516142, 'can offer': 159096, 'offer heightened': 594650, 'heightened trading': 388827, 'trading opportunity': 928905, 'opportunity well': 613741, 'well risk': 978527, 'risk get': 723573, 'get ready': 347884, 'ready for': 700852, 'next opportunity': 561492, 'opportunity with': 613752, 'with cmc': 997678, 'cmc market': 184663, 'market learn': 516680, 'more 70': 538487, '70 of': 21797, 'of retail': 589041, 'retail cfd': 717933, 'cfd client': 170308, 'client lose': 182062, 'lose money': 503452, 'stay composed in': 796845, 'composed in volatile': 192567, 'in volatile market': 430613, 'volatile market in': 960051, 'market in uncertain': 516581, 'in uncertain time': 430409, 'uncertain time the': 939627, 'time the financial': 897853, 'the financial market': 855220, 'financial market can': 306498, 'market can offer': 516144, 'can offer heightened': 159097, 'offer heightened trading': 594651, 'heightened trading opportunity': 388828, 'trading opportunity well': 928906, 'opportunity well risk': 613743, 'well risk get': 978528, 'risk get ready': 723574, 'get ready for': 347885, 'ready for the': 700876, 'the next opportunity': 861685, 'next opportunity with': 561493, 'opportunity with cmc': 613753, 'with cmc market': 997679, 'cmc market learn': 184664, 'market learn more': 516681, 'learn more 70': 484012, 'more 70 of': 538488, '70 of retail': 21804, 'of retail cfd': 589043, 'retail cfd client': 717935, 'cfd client lose': 170309, 'client lose money': 182063, 'gallaudet': 342936, 'you member': 1019837, 'the gallaudet': 856107, 'gallaudet community': 342939, 'community food': 189848, 'at gallaudet': 98734, 'gallaudet can': 342937, 'work due': 1005063, '19 putting': 9896, 'putting them': 691246, 'financial danger': 306392, 'danger join': 225663, 'in calling': 421162, 'provide their': 686512, 'their worker': 875208, 'worker with': 1008258, 'with full': 998579, 'full pay': 340798, 'pay and': 644727, 'health benefit': 386190, 'benefit during': 126957, 'are you member': 91821, 'you member of': 1019838, 'of the gallaudet': 591053, 'the gallaudet community': 856108, 'gallaudet community food': 342940, 'community food service': 189853, 'service worker at': 753088, 'worker at gallaudet': 1006461, 'at gallaudet can': 98735, 'gallaudet can work': 342938, 'can work due': 160245, 'work due to': 1005064, 'covid 19 putting': 213638, '19 putting them': 9897, 'putting them in': 691250, 'them in financial': 875900, 'in financial danger': 422889, 'financial danger join': 306393, 'danger join in': 225664, 'join in calling': 466744, 'in calling on': 421164, 'calling on to': 156617, 'on to provide': 604756, 'to provide their': 912440, 'provide their worker': 686513, 'their worker with': 875224, 'worker with full': 1008261, 'with full pay': 998583, 'full pay and': 340800, 'pay and health': 644731, 'and health benefit': 64347, 'health benefit during': 386192, 'benefit during this': 126958, 'supermarket owner': 821873, 'owner rn': 632557, 'supermarket owner rn': 821878, 'processor': 680054, 'belong': 126516, 'know lot': 476584, 'home right': 401982, 'but let': 146260, 'let not': 486935, 'forget the': 329298, 'there our': 878908, 'our first': 623075, 'responder doctor': 715445, 'doctor pharmacist': 251072, 'and mortgage': 67252, 'mortgage processor': 541942, 'processor don': 680072, 'think belong': 885157, 'belong on': 126517, 'list but': 494287, 'here we': 393782, 'know lot of': 476586, 'people are able': 646914, 'able to work': 24572, 'from home right': 335899, 'home right now': 401983, 'now but let': 574289, 'but let not': 146265, 'let not forget': 486937, 'not forget the': 569515, 'forget the people': 329306, 'the people still': 863504, 'people still out': 649604, 'out there our': 627504, 'there our first': 878909, 'our first responder': 623085, 'first responder doctor': 308936, 'responder doctor pharmacist': 715447, 'doctor pharmacist grocery': 251073, 'employee and mortgage': 273573, 'and mortgage processor': 67255, 'mortgage processor don': 541943, 'processor don think': 680073, 'don think belong': 253973, 'think belong on': 885158, 'belong on this': 126518, 'this list but': 888653, 'list but here': 494288, 'but here we': 145927, 'here we are': 393784, 'chart': 173812, 'exponential': 292578, 'chart of': 173841, 'day gold': 227681, 'are trading': 91178, 'at highest': 98903, 'highest level': 395831, 'level due': 487551, 'to concern': 903163, 'of pandemic': 587686, 'pandemic case': 635100, 'is increasing': 448850, 'increasing with': 433745, 'with exponential': 998343, 'exponential rate': 292583, 'rate and': 697149, 'and world': 75900, 'going towards': 355767, 'towards recession': 927236, 'chart of the': 173843, 'of the day': 590928, 'the day gold': 852883, 'day gold price': 227682, 'gold price are': 355950, 'price are trading': 672757, 'are trading at': 91179, 'trading at highest': 928839, 'at highest level': 98904, 'highest level due': 395833, 'level due to': 487552, 'due to concern': 261737, 'to concern of': 903168, 'concern of pandemic': 193028, 'of pandemic case': 587691, 'pandemic case of': 635102, 'case of is': 165912, 'of is increasing': 585319, 'is increasing with': 448867, 'increasing with exponential': 433746, 'with exponential rate': 998344, 'exponential rate and': 292584, 'rate and world': 697157, 'and world is': 75902, 'world is going': 1009699, 'is going towards': 448105, 'going towards recession': 355768, 'baltimore': 109126, 'maryland': 518178, 'for list': 322997, 'of small': 589783, 'business to': 144527, 'support with': 826997, 'during closure': 262512, 'closure in': 183905, 'and beyond': 58938, 'beyond drop': 129162, 'drop any': 260131, 'any suggestion': 79881, 'suggestion below': 817625, 'below baltimore': 126605, 'baltimore maryland': 109127, 'looking for list': 502879, 'for list of': 322998, 'list of small': 494473, 'of small business': 589784, 'small business to': 774898, 'business to support': 144559, 'to support with': 915987, 'support with online': 826998, 'with online shopping': 999905, 'shopping during closure': 762530, 'during closure in': 262514, 'closure in and': 183906, 'in and beyond': 420351, 'and beyond drop': 58941, 'beyond drop any': 129163, 'drop any suggestion': 260133, 'any suggestion below': 79882, 'suggestion below baltimore': 817626, 'below baltimore maryland': 126606, 'apex': 81450, 'saveourfuture': 737796, 'savehumans': 737772, 'coronavirus task': 206871, 'force warned': 328544, 'warned against': 966990, 'against even': 37427, 'even going': 284129, 'buy grocery': 148745, 'grocery or': 364800, 'medication the': 526681, 'to hit': 907836, 'hit it': 398295, 'it apex': 456555, 'apex in': 81451, 'next two': 561645, 'week stayhomesavelives': 976921, 'stayhomesavelives saveourfuture': 798439, 'saveourfuture savehumans': 737797, 'savehumans stayhome': 737773, 'stayhome stayathome': 798130, 'the coronavirus task': 851922, 'coronavirus task force': 206872, 'task force warned': 834705, 'force warned against': 328545, 'warned against even': 966991, 'against even going': 37428, 'even going out': 284130, 'going out to': 355396, 'out to buy': 627625, 'to buy grocery': 902237, 'buy grocery or': 148756, 'grocery or medication': 364805, 'or medication the': 616113, 'medication the pandemic': 526683, 'pandemic is expected': 635769, 'expected to hit': 290982, 'to hit it': 907847, 'hit it apex': 398296, 'it apex in': 456556, 'apex in the': 81452, 'in the next': 429395, 'the next two': 861708, 'next two week': 561648, 'two week stayhomesavelives': 937365, 'week stayhomesavelives saveourfuture': 976922, 'stayhomesavelives saveourfuture savehumans': 798440, 'saveourfuture savehumans stayhome': 737798, 'savehumans stayhome stayathome': 737774, 'hunter': 411382, 'orwellian': 619688, 'breathtaking': 139257, 'egging': 270051, 'wartime': 967385, 'contrived': 201954, 'hunter the': 411399, 'the orwellian': 862501, 'orwellian propaganda': 619689, 'propaganda over': 684063, 'supermarket pa': 821883, 'pa system': 632886, 'is breathtaking': 446262, 'breathtaking really': 139258, 'really over': 702476, 'over egging': 630179, 'egging the': 270052, 'the wartime': 871099, 'wartime narrative': 967392, 'narrative respect': 551950, 'respect social': 715046, 'help feed': 389692, 'feed the': 302375, 'nation completely': 552144, 'completely contrived': 192243, 'hunter the orwellian': 411400, 'the orwellian propaganda': 862502, 'orwellian propaganda over': 619690, 'propaganda over the': 684064, 'over the supermarket': 630772, 'the supermarket pa': 868739, 'supermarket pa system': 821884, 'pa system is': 632887, 'system is breathtaking': 831219, 'is breathtaking really': 446263, 'breathtaking really over': 139259, 'really over egging': 702477, 'over egging the': 630180, 'egging the wartime': 270053, 'the wartime narrative': 871100, 'wartime narrative respect': 967393, 'narrative respect social': 551951, 'respect social distancing': 715047, 'distancing and help': 246972, 'and help feed': 64447, 'help feed the': 389696, 'feed the nation': 302378, 'the nation completely': 861223, 'nation completely contrived': 552145, 'naivas': 551518, 'baringo': 111100, 'commander': 188336, 'ibrahim': 412588, 'abajila': 24194, 'amina': 52843, 'mutio': 547078, 'ramadhan': 696343, 'exemplary': 289956, 'naivas supermarket': 551521, 'supermarket reward': 822243, 'reward baringo': 720770, 'baringo ap': 111101, 'ap commander': 81204, 'commander ibrahim': 188339, 'ibrahim abajila': 412589, 'abajila and': 24195, 'and officer': 67998, 'officer amina': 595619, 'amina mutio': 52844, 'mutio ramadhan': 547079, 'ramadhan with': 696344, 'with tv': 1001864, 'tv set': 936189, 'set and': 753339, 'and gift': 63644, 'gift voucher': 350039, 'voucher for': 960642, 'their exemplary': 873197, 'exemplary service': 289961, 'service during': 752312, 'during enforcement': 262627, 'enforcement of': 276780, 'the curfew': 852591, 'naivas supermarket reward': 551523, 'supermarket reward baringo': 822244, 'reward baringo ap': 720771, 'baringo ap commander': 111102, 'ap commander ibrahim': 81205, 'commander ibrahim abajila': 188340, 'ibrahim abajila and': 412590, 'abajila and officer': 24196, 'and officer amina': 67999, 'officer amina mutio': 595620, 'amina mutio ramadhan': 52845, 'mutio ramadhan with': 547080, 'ramadhan with tv': 696345, 'with tv set': 1001865, 'tv set and': 936190, 'set and gift': 753341, 'and gift voucher': 63647, 'gift voucher for': 350041, 'voucher for their': 960646, 'for their exemplary': 326825, 'their exemplary service': 873198, 'exemplary service during': 289962, 'service during enforcement': 752314, 'during enforcement of': 262628, 'enforcement of the': 276782, 'of the curfew': 590918, 'christchurch': 178094, 'coronavirus hero': 206074, 'hero zero': 394191, 'zero in': 1027464, 'an ongoing': 56598, 'ongoing series': 607684, 'series location': 751260, 'location christchurch': 498876, 'christchurch dorset': 178095, 'coronavirus hero zero': 206075, 'hero zero in': 394192, 'zero in an': 1027465, 'in an ongoing': 420325, 'an ongoing series': 56605, 'ongoing series location': 607686, 'series location christchurch': 751261, 'location christchurch dorset': 498877, '71': 21965, 'internetfacts': 442060, 'kloudportal': 475936, 'committedtobreakthechain': 189053, '71 of': 21977, 'in 2019': 419795, '2019 believe': 13941, 'believe they': 126374, 'll grab': 496816, 'grab better': 361467, 'better deal': 128256, 'deal online': 229455, 'online compared': 608031, 'in high': 423678, 'street store': 813126, 'store internetfacts': 808450, 'internetfacts kloudportal': 442061, 'kloudportal committedtobreakthechain': 475937, 'committedtobreakthechain kloudportal': 189054, '71 of shopper': 21978, 'of shopper in': 589643, 'shopper in 2019': 761555, 'in 2019 believe': 419801, '2019 believe they': 13942, 'believe they ll': 126376, 'they ll grab': 882600, 'll grab better': 496817, 'grab better deal': 361468, 'better deal online': 128257, 'deal online compared': 229456, 'online compared to': 608032, 'compared to shopping': 191438, 'to shopping in': 914519, 'shopping in high': 762970, 'in high street': 423689, 'high street store': 395437, 'street store internetfacts': 813128, 'store internetfacts kloudportal': 808451, 'internetfacts kloudportal committedtobreakthechain': 442062, 'kloudportal committedtobreakthechain kloudportal': 475938, 'mealsonwheels': 524339, 'of heightened': 584529, 'heightened demand': 388817, 'for nutrition': 323998, 'nutrition service': 577743, 'service due': 752310, 'senior self': 750401, 'isolating because': 455064, 'need expanded': 554752, 'expanded access': 290478, 'to program': 912245, 'program like': 683267, 'like mealsonwheels': 490762, 'mealsonwheels that': 524340, 'that provide': 845882, 'relief for': 709336, 'senior staying': 750413, 'at time of': 101301, 'time of heightened': 897338, 'of heightened demand': 584531, 'heightened demand for': 388820, 'demand for nutrition': 235462, 'for nutrition service': 324000, 'nutrition service due': 577744, 'service due to': 752311, 'due to senior': 261943, 'to senior self': 914237, 'senior self isolating': 750402, 'self isolating because': 747713, 'isolating because of': 455066, '19 we need': 11942, 'we need expanded': 972483, 'need expanded access': 554753, 'expanded access to': 290479, 'access to program': 28270, 'to program like': 912246, 'program like mealsonwheels': 683268, 'like mealsonwheels that': 490763, 'mealsonwheels that provide': 524341, 'that provide relief': 845888, 'provide relief for': 686450, 'relief for senior': 709343, 'for senior staying': 325478, 'senior staying home': 750414, '73': 22058, 'squeezed': 791545, 'impact import': 417699, 'import plunged': 418652, 'plunged more': 661493, 'than 73': 840298, '73 year': 22071, 'march record': 515451, 'record domestic': 704943, 'domestic price': 253213, 'and squeezed': 72171, 'squeezed retail': 791548, 'retail demand': 718027, 'impact import plunged': 417700, 'import plunged more': 418653, 'plunged more than': 661494, 'more than 73': 540580, 'than 73 year': 840299, '73 year on': 22073, 'in march record': 425115, 'march record domestic': 515452, 'record domestic price': 704944, 'domestic price and': 253214, 'price and squeezed': 672545, 'and squeezed retail': 72172, 'squeezed retail demand': 791549, 'disability': 243804, 'scrubbing': 742923, 'universal': 942342, 'my company': 547770, 'taking pretty': 833529, 'pretty good': 671416, 'good care': 356865, 'and protecting': 69669, 'protecting from': 685192, 'are giving': 86851, 'giving hazard': 351305, 'hazard bonus': 384544, 'bonus and': 134343, 'and disability': 61383, 'disability if': 243827, 'are really': 89470, 'really scrubbing': 702556, 'scrubbing everything': 742926, 'down and': 256487, 'giving sanitizer': 351383, 'sanitizer only': 735470, 'thing missing': 884592, 'missing is': 534305, 'is facemasks': 447686, 'facemasks but': 295128, 'that universal': 847184, 'my company is': 547772, 'company is taking': 190813, 'is taking pretty': 452562, 'taking pretty good': 833530, 'pretty good care': 671417, 'good care of': 356867, 'care of and': 164094, 'of and protecting': 580175, 'and protecting from': 69671, 'protecting from the': 685193, 'the they are': 869433, 'they are giving': 881285, 'are giving hazard': 86856, 'giving hazard bonus': 351306, 'hazard bonus and': 384545, 'bonus and disability': 134347, 'and disability if': 61384, 'disability if we': 243828, 'we get sick': 971625, 'get sick and': 347988, 'sick and they': 768374, 'they are really': 881380, 'are really scrubbing': 89484, 'really scrubbing everything': 702557, 'scrubbing everything down': 742927, 'everything down and': 287756, 'down and giving': 256497, 'and giving sanitizer': 63684, 'giving sanitizer only': 351384, 'sanitizer only thing': 735472, 'only thing missing': 611308, 'thing missing is': 884593, 'missing is facemasks': 534306, 'is facemasks but': 447687, 'facemasks but that': 295129, 'but that universal': 147301, 'surprise': 828511, 'payer': 645343, 'laying': 482651, 'bogglingly': 133989, 'blue': 133429, 'sadly this': 729371, 'this doe': 887270, 'not surprise': 571860, 'surprise me': 828535, 'me heard': 522882, 'heard from': 388079, 'one payer': 606837, 'payer exec': 645349, 'exec that': 289836, 'are laying': 87728, 'laying low': 482660, 'low hoping': 505320, 'hoping all': 403917, 'all blow': 42191, 'blow over': 133337, 'over mind': 630401, 'mind bogglingly': 532637, 'bogglingly stupid': 133990, 'stupid and': 815337, 'and this': 73982, 'wa nonprofit': 962748, 'nonprofit blue': 566675, 'blue plan': 133462, 'sadly this doe': 729372, 'this doe not': 887271, 'doe not surprise': 251534, 'not surprise me': 571861, 'surprise me heard': 828538, 'me heard from': 522883, 'heard from one': 388082, 'from one payer': 336686, 'one payer exec': 606838, 'payer exec that': 645350, 'exec that they': 289837, 'they are laying': 881322, 'are laying low': 87729, 'laying low hoping': 482661, 'low hoping all': 505321, 'hoping all blow': 403918, 'all blow over': 42192, 'blow over mind': 133341, 'over mind bogglingly': 630402, 'mind bogglingly stupid': 532638, 'bogglingly stupid and': 133991, 'stupid and this': 815345, 'and this wa': 74011, 'this wa nonprofit': 891078, 'wa nonprofit blue': 962749, 'nonprofit blue plan': 566676, 'warm': 966870, 'hot': 404986, 'runwalgroup': 728166, 'in image': 423979, 'image we': 416660, 'need this': 555810, 'this thing': 890559, 'against face': 37438, 'glove towel': 352984, 'towel wash': 927399, 'with disinfectant': 998082, 'disinfectant drink': 245649, 'drink warm': 258892, 'warm hot': 966881, 'hot water': 405063, 'water fruit': 969006, 'fruit stayhomestaysafe': 339152, 'stayhomestaysafe runwalgroup': 798522, 'in image we': 423980, 'image we can': 416661, 'can see that': 159547, 'see that we': 745803, 'that we need': 847384, 'we need this': 972560, 'need this thing': 555824, 'this thing to': 890570, 'thing to fight': 884886, 'fight against face': 304619, 'against face mask': 37439, 'mask glove towel': 518753, 'glove towel wash': 352985, 'towel wash your': 927400, 'hand with disinfectant': 376006, 'with disinfectant drink': 998085, 'disinfectant drink warm': 245650, 'drink warm hot': 258893, 'warm hot water': 966882, 'hot water fruit': 405066, 'water fruit stayhomestaysafe': 969007, 'fruit stayhomestaysafe runwalgroup': 339153, 'audio': 102922, 'postal': 666432, 'prepares': 670304, 'paddy': 633798, 'wagon': 964025, 'lynx': 507134, 'doorstep': 255836, 'demand audio': 235049, 'audio wed': 102933, 'wed march': 975551, '25 postal': 15948, 'postal worker': 666461, 'worker cautious': 1006624, 'cautious amid': 168208, 'crisis prepares': 217895, 'prepares for': 670307, 'battle ex': 112793, 'ex cop': 288623, 'cop drive': 203263, 'drive paddy': 259121, 'paddy wagon': 633801, 'wagon to': 964028, 'to collect': 902962, 'collect for': 186272, 'and lynx': 66496, 'lynx doorstep': 507137, 'doorstep visit': 255873, 'visit delight': 959230, 'delight social': 233040, 'medium user': 527344, 'on demand audio': 600274, 'demand audio wed': 235050, 'audio wed march': 102934, 'wed march 25': 975552, 'march 25 postal': 515205, '25 postal worker': 15949, 'postal worker cautious': 666467, 'worker cautious amid': 1006625, 'cautious amid covid': 168209, '19 crisis prepares': 6301, 'crisis prepares for': 217896, 'prepares for battle': 670308, 'for battle ex': 319601, 'battle ex cop': 112794, 'ex cop drive': 288624, 'cop drive paddy': 203264, 'drive paddy wagon': 259122, 'paddy wagon to': 633802, 'wagon to collect': 964029, 'to collect for': 902965, 'collect for the': 186274, 'for the food': 326443, 'bank and lynx': 109615, 'and lynx doorstep': 66497, 'lynx doorstep visit': 507138, 'doorstep visit delight': 255874, 'visit delight social': 959231, 'delight social medium': 233041, 'social medium user': 779894, 'robux': 724857, 'gfx': 349526, 'am not': 50240, 'not in': 570081, 'in lockdown': 424833, 'lockdown yet': 500175, 'yet would': 1016336, 'would give': 1011836, 'my robux': 549955, 'robux on': 724858, 'my account': 547217, 'have if': 381008, 'want them': 965969, 'them lol': 875998, 'lol or': 500939, 'or since': 617094, 'since you': 771013, 'home lot': 401555, 'lot now': 504129, 'could lower': 209396, 'your gfx': 1024040, 'gfx special': 349527, 'special covid': 787877, '19 sale': 10296, 'sale only': 732427, 'only for': 610462, 'of day': 582373, 'am not in': 50254, 'not in lockdown': 570098, 'in lockdown yet': 424861, 'lockdown yet would': 500178, 'yet would give': 1016337, 'would give you': 1011841, 'give you my': 350862, 'you my robux': 1019943, 'my robux on': 549956, 'robux on my': 724859, 'on my account': 602260, 'my account but': 547219, 'account but have': 28643, 'but have if': 145877, 'have if you': 381010, 'you want them': 1022161, 'want them lol': 965971, 'them lol or': 875999, 'lol or since': 500940, 'or since you': 617095, 'since you are': 771015, 'are at home': 84669, 'at home lot': 99036, 'home lot now': 401557, 'lot now you': 504130, 'now you could': 576503, 'you could lower': 1018095, 'could lower the': 209398, 'price of your': 675610, 'of your gfx': 593477, 'your gfx special': 1024041, 'gfx special covid': 349528, 'special covid 19': 787878, 'covid 19 sale': 213739, '19 sale only': 10301, 'sale only for': 732429, 'only for couple': 610465, 'couple of day': 211637, 'swindle': 830376, 'lookout': 503078, 'be criminal': 114291, 'criminal will': 216895, 'take every': 832098, 'every opportunity': 286056, 'to swindle': 916093, 'swindle the': 830377, 'public money': 688168, 'money so': 537020, 'so be': 776603, 'the lookout': 859709, 'lookout for': 503079, 'scam check': 740109, 'our advice': 622028, 'advice below': 33329, 'be criminal will': 114292, 'criminal will take': 216896, 'will take every': 995066, 'take every opportunity': 832102, 'every opportunity to': 286057, 'opportunity to swindle': 613731, 'to swindle the': 916094, 'swindle the public': 830378, 'the public money': 864833, 'public money so': 688169, 'money so be': 537021, 'so be on': 776605, 'on the lookout': 604222, 'the lookout for': 859710, 'lookout for coronavirus': 503080, 'for coronavirus scam': 320391, 'coronavirus scam check': 206713, 'scam check out': 740111, 'out our advice': 626965, 'our advice below': 622030, 'nationalized': 552675, 'defective': 232074, 'stamp china': 793415, 'lied about': 488402, 'about next': 25800, 'next they': 561584, 'they had': 882236, 'had citizen': 372967, 'and company': 60186, 'company buy': 190506, 'buy up': 149409, 'up medical': 945375, 'supply around': 824800, 'world to': 1010074, 'they nationalized': 882710, 'nationalized foreign': 552676, 'foreign company': 328963, 'and sent': 71266, 'sent defective': 750750, 'defective gear': 232080, 'stamp china lied': 793416, 'china lied about': 176794, 'lied about next': 488404, 'about next they': 25801, 'next they had': 561585, 'they had citizen': 882240, 'had citizen and': 372968, 'citizen and company': 178832, 'and company buy': 60188, 'company buy up': 190507, 'buy up medical': 149413, 'up medical supply': 945377, 'medical supply around': 526429, 'supply around the': 824801, 'the world to': 871991, 'world to drive': 1010078, 'up price they': 945838, 'price they nationalized': 676897, 'they nationalized foreign': 882711, 'nationalized foreign company': 552677, 'foreign company in': 328964, 'company in china': 190759, 'china and sent': 176491, 'and sent defective': 71267, 'sent defective gear': 750752, 'be good': 115060, 'good if': 357228, 'your company': 1023280, 'company set': 191064, 'up system': 946112, 'system for': 831166, 'have so': 382597, 'have online': 381802, 'or click': 614737, 'collect it': 186292, 'it please': 460354, 'first supermarket': 309041, 'this happen': 887835, 'happen during': 377073, 'would be good': 1011590, 'be good if': 115070, 'good if your': 357236, 'if your company': 415573, 'your company set': 1023288, 'company set up': 191065, 'set up system': 753579, 'up system for': 946113, 'system for people': 831173, 'who have so': 988952, 'have so they': 382602, 'so they can': 778466, 'they can have': 881635, 'can have online': 158581, 'have online delivery': 381804, 'online delivery or': 608086, 'delivery or click': 234279, 'or click and': 614738, 'and collect it': 60085, 'collect it please': 186293, 'it please be': 460355, 'please be the': 659715, 'be the first': 117612, 'the first supermarket': 855354, 'first supermarket to': 309046, 'supermarket to make': 823388, 'make this happen': 510642, 'this happen during': 887836, 'happen during the': 377074, 'smallbusinesses': 775240, 'giftcards': 350046, 'which toronto': 986408, 'toronto smallbusinesses': 925989, 'smallbusinesses sell': 775244, 'sell giftcards': 748739, 'giftcards online': 350049, 'online going': 608303, 'get head': 347197, 'head start': 385819, 'start on': 794419, 'on christmas': 599921, 'christmas shopping': 178201, 'shopping gift': 762783, 'card purchase': 163624, 'purchase could': 689408, 'help small': 390529, 'business cope': 143579, '19 expert': 6896, 'which toronto smallbusinesses': 986409, 'toronto smallbusinesses sell': 925990, 'smallbusinesses sell giftcards': 775245, 'sell giftcards online': 748740, 'giftcards online going': 350050, 'online going to': 608305, 'to get head': 906497, 'get head start': 347198, 'head start on': 385820, 'start on christmas': 794420, 'on christmas shopping': 599922, 'christmas shopping gift': 178202, 'shopping gift card': 762784, 'gift card purchase': 349952, 'card purchase could': 163625, 'purchase could help': 689409, 'could help small': 209290, 'help small business': 390530, 'small business cope': 774847, 'business cope with': 143580, 'cope with covid': 203344, 'covid 19 expert': 213060, 'head to': 385829, 'head with': 385868, 'with rent': 1000455, 'rent price': 711155, 'price still': 676647, 'up rent': 945908, 'rent strike': 711181, 'strike may': 813749, 'best option': 127813, 'pandemic rent': 636329, 'head to head': 385831, 'to head with': 907363, 'head with rent': 385870, 'with rent price': 1000459, 'rent price still': 711166, 'price still going': 676648, 'still going up': 800593, 'going up rent': 355792, 'up rent strike': 945910, 'rent strike may': 711182, 'strike may be': 813750, 'may be the': 521040, 'be the best': 117595, 'the best option': 849534, 'best option we': 127816, 'option we have': 614143, 'we have to': 971968, 'have to get': 383218, 'the pandemic rent': 863077, '401': 18787, 'richmond': 721356, 'do our': 249943, 'our part': 624257, 'part to': 642459, 'and practice': 69300, 'practice social': 668653, 'distancing result': 247428, 'result we': 717652, 'at 401': 97646, '401 richmond': 18792, 'richmond until': 721371, 'of march': 586191, 'march you': 515543, 'still purchase': 801077, 'purchase online': 689599, 'at take': 100817, 'take care': 832002, 'care and': 163836, 'safe everyone': 729642, 'must all do': 546467, 'all do our': 42594, 'do our part': 249949, 'our part to': 624268, 'part to slow': 642471, '19 and practice': 5090, 'and practice social': 69304, 'practice social distancing': 668654, 'social distancing result': 779701, 'distancing result we': 247429, 'result we will': 717654, 'closing our retail': 183719, 'retail store at': 718612, 'store at 401': 806575, 'at 401 richmond': 97648, '401 richmond until': 18793, 'richmond until the': 721372, 'until the end': 943853, 'end of march': 275903, 'of march you': 586219, 'march you can': 515545, 'you can still': 1017795, 'can still purchase': 159789, 'still purchase online': 801078, 'purchase online at': 689601, 'online at take': 607894, 'at take care': 100818, 'take care and': 832003, 'care and stay': 163846, 'stay safe everyone': 797234, 'broken': 140877, 'cbs': 168365, 'philly': 654765, 'demand broken': 235073, 'broken supply': 140917, 'chain for': 170711, 'for animal': 319355, 'animal raised': 76647, 'raised food': 695998, 'food coronavirus': 314025, 'coronavirus latest': 206205, 'latest major': 481425, 'major meat': 509390, 'meat processor': 525706, 'processor shutting': 680078, 'down plant': 257093, 'plant employee': 658648, 'employee get': 273883, 'sick with': 768673, '19 cbs': 5730, 'cbs philly': 168374, 'weakening demand broken': 974083, 'demand broken supply': 235074, 'broken supply chain': 140918, 'supply chain for': 824961, 'chain for animal': 170712, 'for animal raised': 319362, 'animal raised food': 76648, 'raised food coronavirus': 695999, 'food coronavirus latest': 314026, 'coronavirus latest major': 206208, 'latest major meat': 481426, 'major meat processor': 509391, 'meat processor shutting': 525709, 'processor shutting down': 680079, 'shutting down plant': 768274, 'down plant employee': 257094, 'plant employee get': 658649, 'employee get sick': 273885, 'get sick with': 348006, 'sick with covid': 768676, 'covid 19 cbs': 212772, '19 cbs philly': 5731, 'fao': 298642, 'indicates': 434985, '172': 4428, 'linked': 493977, 'the fao': 854922, 'fao food': 298648, 'index indicates': 434207, 'indicates that': 434992, 'world food': 1009552, 'fell sharply': 303229, 'march with': 515534, 'with 172': 996959, '172 point': 4430, 'point down': 662467, 'down from': 256784, 'from february': 335442, 'february due': 301708, 'side contraction': 768794, 'contraction linked': 201800, 'linked to': 493985, 'the fao food': 854923, 'fao food price': 298649, 'food price index': 315951, 'price index indicates': 674812, 'index indicates that': 434208, 'indicates that the': 434995, 'that the world': 846870, 'the world food': 871871, 'world food price': 1009555, 'food price fell': 315941, 'price fell sharply': 673854, 'fell sharply in': 303231, 'sharply in march': 755746, 'in march with': 425131, 'march with 172': 515535, 'with 172 point': 996960, '172 point down': 4431, 'point down from': 662468, 'down from february': 256788, 'from february due': 335444, 'february due to': 301709, 'due to demand': 261759, 'to demand side': 904156, 'demand side contraction': 236210, 'side contraction linked': 768795, 'contraction linked to': 201801, 'linked to covid': 493992, 'here you': 393853, 'll find': 496764, 'find all': 306760, 'the information': 858253, 'information we': 438031, 'to gather': 906373, 'gather on': 344392, 'on dedicated': 600248, 'dedicated supermarket': 231736, 'supermarket opening': 821779, 'for healthcare': 322156, 'help plan': 390318, 'plan your': 658361, 'your next': 1024996, 'next trip': 561641, 'shop healthcare': 760271, 'healthcare nh': 387190, 'nh supermarket': 562122, 'here you ll': 393858, 'you ll find': 1019652, 'll find all': 496765, 'find all of': 306762, 'of the information': 591145, 'the information we': 858261, 'information we ve': 438036, 've been able': 952859, 'able to gather': 24484, 'to gather on': 906379, 'gather on dedicated': 344393, 'on dedicated supermarket': 600249, 'dedicated supermarket opening': 231737, 'supermarket opening hour': 821781, 'opening hour for': 612851, 'hour for healthcare': 405604, 'for healthcare worker': 322163, 'healthcare worker to': 387391, 'worker to help': 1008009, 'to help plan': 907587, 'help plan your': 390319, 'plan your next': 658366, 'your next trip': 1025008, 'next trip to': 561642, 'the shop healthcare': 866999, 'shop healthcare nh': 760272, 'healthcare nh supermarket': 387191, 'nh supermarket shopping': 562123, 'wonky': 1004231, 'historic': 397942, 'g20': 342663, 'critic': 218507, 'wonky time': 1004234, 'time that': 897831, 'in historic': 423744, 'historic g20': 397954, 'g20 includes': 342666, 'includes india': 431764, 'india japan': 434496, 'japan china': 464718, 'china etc': 176643, 'etc major': 282648, 'consumer agreed': 196122, 'agreed for': 38708, 'for opec': 324133, 'opec oil': 611924, 'producer to': 680701, 'price largest': 675016, 'largest consumer': 479934, 'consumer significant': 198993, 'significant producer': 769497, 'producer opec': 680677, 'opec critic': 611858, 'critic led': 218508, 'led the': 485266, 'deal oil': 229448, 'oil opec': 596988, 'opec oilpricewar': 611930, 'wonky time that': 1004235, 'time that we': 897840, 'that we live': 847379, 'we live in': 972216, 'live in historic': 495866, 'in historic g20': 423745, 'historic g20 includes': 397955, 'g20 includes india': 342667, 'includes india japan': 431765, 'india japan china': 434497, 'japan china etc': 464719, 'china etc major': 176644, 'etc major consumer': 282649, 'major consumer agreed': 509285, 'consumer agreed for': 196123, 'agreed for opec': 38709, 'for opec oil': 324136, 'opec oil producer': 611929, 'oil producer to': 597346, 'producer to cut': 680702, 'cut production to': 223511, 'production to raise': 682252, 'raise price largest': 695919, 'price largest consumer': 675017, 'largest consumer significant': 479938, 'consumer significant producer': 198994, 'significant producer opec': 769498, 'producer opec critic': 680678, 'opec critic led': 611859, 'critic led the': 218509, 'led the deal': 485268, 'the deal oil': 852958, 'deal oil opec': 229449, 'oil opec oilpricewar': 596989, 'to increased': 908310, 'and increasing': 65121, 'increasing shortage': 433693, 'our product': 624474, 'product due': 681141, 'have had': 380858, 'no choice': 563805, 'choice but': 177741, 'but to': 147579, 'increase some': 433073, 'you understand': 1021960, 'our supply': 625037, 'due to increased': 261826, 'to increased demand': 908312, 'demand and increasing': 234975, 'and increasing shortage': 65127, 'increasing shortage of': 433694, 'shortage of our': 765124, 'of our product': 587548, 'our product due': 624479, 'product due to': 681142, 'to the new': 916898, 'the new covid': 861486, '19 outbreak we': 9205, 'outbreak we have': 628797, 'we have had': 971830, 'have had no': 380868, 'had no choice': 373327, 'no choice but': 563806, 'choice but to': 177742, 'but to increase': 147587, 'to increase some': 908302, 'increase some of': 433074, 'our price we': 624453, 'price we hope': 677404, 'hope you understand': 403811, 'you understand that': 1021966, 'understand that our': 940729, 'that our supply': 845598, 'our supply chain': 625038, 'vast': 952697, 'majority': 509529, 'concrete': 193335, 'bunker': 142671, 'tinned': 898603, 'watching people': 968775, 'buy for': 148695, 'the vast': 870651, 'vast majority': 952709, 'majority of': 509547, 'be mild': 115934, 'mild common': 531325, 'common cold': 189367, 'cold like': 185768, 'like illness': 490479, 'don need': 253750, 'need year': 556249, 'paper you': 641124, 'need concrete': 554625, 'concrete bunker': 193336, 'bunker and': 142672, 'and load': 66274, 'of tinned': 592195, 'tinned food': 898608, 'food calm': 313862, 'calm down': 156717, 'watching people panic': 968776, 'people panic buy': 649054, 'panic buy for': 637483, 'buy for the': 148700, 'for the vast': 326762, 'the vast majority': 870652, 'vast majority of': 952710, 'majority of covid': 509553, '19 will be': 12079, 'will be mild': 992557, 'be mild common': 115935, 'mild common cold': 531326, 'common cold like': 189368, 'cold like illness': 185769, 'like illness you': 490480, 'illness you don': 416414, 'you don need': 1018324, 'don need year': 253778, 'need year worth': 556250, 'worth of toilet': 1011418, 'toilet paper you': 921537, 'paper you don': 641128, 'don need concrete': 253757, 'need concrete bunker': 554626, 'concrete bunker and': 193337, 'bunker and load': 142673, 'and load of': 66276, 'load of tinned': 497286, 'of tinned food': 592196, 'tinned food calm': 898613, 'food calm down': 313863, 'inspired': 439834, 'for something': 325785, 'something completely': 784872, 'completely practical': 192333, 'practical the': 668487, 'the inspired': 858324, 'inspired toiletpaper': 439853, 'toiletpaper calculator': 921844, 'and now for': 67835, 'now for something': 574725, 'for something completely': 325787, 'something completely practical': 784873, 'completely practical the': 192334, 'practical the inspired': 668488, 'the inspired toiletpaper': 858325, 'inspired toiletpaper calculator': 439854, 'kuwait': 477985, 'corp': 207178, 'instructed': 440524, 'subsidiary': 815970, 'capital': 162634, 'pact': 633762, 'state run': 795910, 'run kuwait': 727691, 'kuwait petroleum': 477995, 'petroleum corp': 653811, 'corp ha': 207199, 'ha instructed': 370980, 'instructed all': 440525, 'all subsidiary': 44525, 'subsidiary to': 815977, 'cut capital': 223264, 'capital and': 162637, 'and operating': 68179, 'operating spending': 613107, 'an unprecedented': 56878, 'unprecedented fall': 943139, 'price caused': 673093, 'global oil': 352046, 'oil supply': 597460, 'cut pact': 223478, 'pact and': 633763, 'state run kuwait': 795912, 'run kuwait petroleum': 727692, 'kuwait petroleum corp': 477996, 'petroleum corp ha': 653812, 'corp ha instructed': 207200, 'ha instructed all': 370981, 'instructed all subsidiary': 440526, 'all subsidiary to': 44526, 'subsidiary to cut': 815978, 'to cut capital': 903869, 'cut capital and': 223265, 'capital and operating': 162639, 'and operating spending': 68183, 'operating spending this': 613108, 'spending this year': 789016, 'due to an': 261701, 'to an unprecedented': 900475, 'an unprecedented fall': 56888, 'unprecedented fall in': 943140, 'fall in oil': 296957, 'oil price caused': 597074, 'price caused by': 673094, 'by the collapse': 154286, 'collapse of global': 186038, 'of global oil': 584155, 'global oil supply': 352053, 'oil supply cut': 597462, 'supply cut pact': 825136, 'cut pact and': 223479, 'pact and the': 633764, 'and the spread': 73590, 'slay': 773724, 'comfort': 187817, 'lockdownuknow': 500443, '5baje5minute': 20624, 'lockdownsouthafrica': 500382, 'coronaupdatesinindia': 205345, 'janatacurfew': 464484, 'safe healthy': 729744, 'and slay': 71740, 'slay through': 773727, 'pandemic by': 635069, 'by shopping': 153988, 'the comfort': 851186, 'comfort of': 187849, 'home lockdownuknow': 401547, 'lockdownuknow 19': 500444, '19 5baje5minute': 4751, '5baje5minute lockdownsouthafrica': 20625, 'lockdownsouthafrica stayathome': 500385, 'stayathome coronaupdatesinindia': 797463, 'coronaupdatesinindia lockdown': 205346, 'lockdown janatacurfew': 499575, 'stay safe healthy': 797242, 'safe healthy and': 729745, 'healthy and slay': 387532, 'and slay through': 71741, 'slay through this': 773728, 'this pandemic by': 889376, 'pandemic by shopping': 635077, 'by shopping online': 153996, 'shopping online in': 763446, 'online in the': 608403, 'in the comfort': 429082, 'the comfort of': 851189, 'comfort of your': 187851, 'of your home': 593486, 'your home lockdownuknow': 1024361, 'home lockdownuknow 19': 401548, 'lockdownuknow 19 5baje5minute': 500445, '19 5baje5minute lockdownsouthafrica': 4752, '5baje5minute lockdownsouthafrica stayathome': 20626, 'lockdownsouthafrica stayathome coronaupdatesinindia': 500386, 'stayathome coronaupdatesinindia lockdown': 797464, 'coronaupdatesinindia lockdown janatacurfew': 205347, 'tribute': 931680, 'fantastic': 298577, 'football': 318481, 'resume': 717726, 'portman': 665047, 'ticket': 895583, 'honour': 403285, 'town have': 927482, 'have pledged': 381958, 'pledged to': 660867, 'to pay': 911507, 'pay tribute': 645197, 'tribute to': 931685, 'the fantastic': 854919, 'fantastic work': 298616, 'work of': 1005513, 'others playing': 621584, 'playing leading': 659422, 'leading role': 483736, 'the battle': 849344, 'battle against': 112772, 'when football': 983441, 'football resume': 318508, 'resume at': 717731, 'at portman': 100163, 'portman road': 665048, 'road plan': 724493, 'plan include': 658155, 'include free': 431562, 'free ticket': 332226, 'ticket and': 895592, 'and guard': 64024, 'guard of': 367823, 'of honour': 584739, 'honour for': 403295, 'for frontline': 321778, 'frontline nh': 338792, 'town have pledged': 927483, 'have pledged to': 381959, 'pledged to pay': 660871, 'to pay tribute': 911569, 'pay tribute to': 645198, 'tribute to the': 931687, 'to the fantastic': 916697, 'the fantastic work': 854921, 'fantastic work of': 298618, 'work of the': 1005522, 'the nh supermarket': 861764, 'nh supermarket worker': 562126, 'worker and others': 1006321, 'and others playing': 68453, 'others playing leading': 621585, 'playing leading role': 659423, 'leading role in': 483737, 'role in the': 725101, 'in the battle': 429012, 'the battle against': 849345, 'battle against covid': 112773, '19 when football': 12018, 'when football resume': 983442, 'football resume at': 318509, 'resume at portman': 717732, 'at portman road': 100164, 'portman road plan': 665049, 'road plan include': 724494, 'plan include free': 658156, 'include free ticket': 431564, 'free ticket and': 332227, 'ticket and guard': 895594, 'and guard of': 64026, 'guard of honour': 367824, 'of honour for': 584740, 'honour for frontline': 403296, 'for frontline nh': 321779, 'frontline nh worker': 338796, 'boosting': 135062, 'met': 529558, 'food manufacturer': 315372, 'manufacturer have': 513459, 'have responded': 382292, 'buying sparked': 151068, 'sparked by': 787571, 'by boosting': 151976, 'boosting production': 135080, 'production by': 681946, 'by up': 154638, '50 ensuring': 19681, 'ensuring demand': 278170, 'is met': 449638, 'food manufacturer have': 315375, 'manufacturer have responded': 513466, 'have responded to': 382296, 'to the increase': 916802, 'increase in consumer': 432824, 'in consumer buying': 421687, 'consumer buying sparked': 196710, 'buying sparked by': 151069, 'sparked by covid': 787572, '19 by boosting': 5553, 'by boosting production': 151977, 'boosting production by': 135081, 'production by up': 681954, 'by up to': 154639, 'to 50 ensuring': 899738, '50 ensuring demand': 19682, 'ensuring demand is': 278171, 'demand is met': 235733, 'stretched': 813570, 'thin': 884046, 'faster': 300079, 'have role': 382349, 'role to': 725134, 'to play': 911785, 'play during': 659138, 'be helping': 115215, 'helping out': 391420, 'at drive': 98494, 'through testing': 894709, 'testing site': 839634, 'site healthcare': 771944, 'healthcare first': 387113, 'responder and': 715405, 'will definitely': 993135, 'definitely be': 232307, 'be stretched': 117392, 'stretched thin': 813575, 'thin so': 884068, 'let all': 486546, 'part stay': 642426, 'this faster': 887519, 'all have role': 43060, 'have role to': 382350, 'role to play': 725137, 'to play during': 911789, 'play during this': 659140, 'this pandemic and': 889367, 'pandemic and today': 634914, 'and today will': 74230, 'today will be': 920540, 'will be helping': 992496, 'be helping out': 115218, 'helping out at': 391422, 'out at drive': 625741, 'at drive through': 98495, 'drive through testing': 259187, 'through testing site': 894710, 'testing site healthcare': 839639, 'site healthcare first': 771945, 'healthcare first responder': 387114, 'first responder and': 308928, 'responder and grocery': 715412, 'store worker will': 811625, 'worker will definitely': 1008247, 'will definitely be': 993136, 'definitely be stretched': 232312, 'be stretched thin': 117394, 'stretched thin so': 813577, 'thin so let': 884069, 'so let all': 777537, 'let all do': 486554, 'our part stay': 624266, 'part stay home': 642427, 'stay home to': 797016, 'home to get': 402321, 'through this faster': 894815, 'deciding': 230960, 'transfer': 929500, 'little on': 495497, 'at moment': 99763, 'moment compared': 535903, 'normal yet': 567425, 'yet we': 1016312, 'still getting': 800562, 'getting customer': 348925, 'customer picking': 222687, 'stuff then': 815207, 'then deciding': 877110, 'deciding later': 230961, 'later they': 481137, 'need want': 556170, 'want it': 965831, 'and leaving': 66066, 'leaving it': 485100, 'it distance': 457590, 'distance from': 246708, 'from where': 338353, 'where they': 985270, 'they got': 882220, 'got it': 358643, 'it we': 462273, 'put it': 690638, 'back transfer': 107420, 'transfer of': 929519, 'so little on': 777560, 'little on supermarket': 495499, 'supermarket shelf at': 822432, 'shelf at moment': 756849, 'at moment compared': 99764, 'moment compared to': 535904, 'compared to normal': 191432, 'to normal yet': 910670, 'normal yet we': 567427, 'yet we are': 1016313, 'are still getting': 90427, 'still getting customer': 800564, 'getting customer picking': 348927, 'customer picking up': 222688, 'up stuff then': 946090, 'stuff then deciding': 815208, 'then deciding later': 877111, 'deciding later they': 230962, 'later they do': 481138, 'not need want': 570679, 'need want it': 556173, 'want it and': 965833, 'it and leaving': 456500, 'and leaving it': 66067, 'leaving it distance': 485101, 'it distance from': 457591, 'distance from where': 246721, 'from where they': 338356, 'where they got': 985280, 'they got it': 882225, 'got it we': 358655, 'it we have': 462277, 'have to put': 383269, 'to put it': 912593, 'put it back': 690640, 'it back transfer': 456675, 'back transfer of': 107421, 'transfer of germ': 929522, 'swipe': 830423, 'jack': 464100, 'quarantineandchill': 692750, 'zombieapocalypse': 1027735, 'quarantine chronicle': 692085, 'chronicle article': 178253, 'article swipe': 94473, 'swipe jack': 830426, 'jack quarantine': 464116, 'quarantine quarantineandchill': 692464, 'quarantineandchill quarantinelife': 692761, 'quarantinelife zombieapocalypse': 693050, 'zombieapocalypse toiletpaper': 1027736, 'toiletpapercrisis corona': 923015, 'quarantine chronicle article': 692086, 'chronicle article swipe': 178254, 'article swipe jack': 94474, 'swipe jack quarantine': 830427, 'jack quarantine quarantineandchill': 464117, 'quarantine quarantineandchill quarantinelife': 692465, 'quarantineandchill quarantinelife zombieapocalypse': 692764, 'quarantinelife zombieapocalypse toiletpaper': 693051, 'zombieapocalypse toiletpaper toiletpapercrisis': 1027737, 'toiletpaper toiletpapercrisis corona': 922653, 'houstonlockdown': 407234, 'if could': 414005, 'could ask': 208822, 'ask everyone': 95519, 'everyone member': 287183, 'family work': 298397, 'not given': 569650, 'given mask': 351042, 'or glove': 615468, 'glove to': 352968, 'safe please': 729888, 'let push': 486997, 'push to': 690329, 'let them': 487147, 'them do': 875608, 'can stay': 159734, 'virus free': 958203, 'free houstonlockdown': 331912, 'if could ask': 414006, 'could ask everyone': 208824, 'ask everyone member': 95520, 'everyone member of': 287184, 'of my family': 586762, 'my family work': 548238, 'family work at': 298398, 'work at grocery': 1004872, 'store and are': 806196, 'and are not': 58335, 'are not given': 88379, 'not given mask': 569654, 'given mask or': 351044, 'mask or glove': 519069, 'or glove to': 615480, 'glove to stay': 352976, 'stay safe please': 797265, 'safe please let': 729889, 'please let push': 660185, 'let push to': 486998, 'push to let': 690331, 'to let them': 909219, 'let them do': 487150, 'them do that': 875611, 'do that so': 250227, 'that so they': 846361, 'they can stay': 881678, 'can stay safe': 159742, 'safe and virus': 729491, 'and virus free': 74975, 'virus free houstonlockdown': 958204, 'concise': 193299, 'summary': 817924, 'relation': 708660, 'consumerrights': 199758, 'together concise': 920747, 'concise summary': 193300, 'summary of': 817937, 'information in': 437864, 'in relation': 427369, 'relation to': 708672, 'consumer consumerrights': 196959, 'put together concise': 690935, 'together concise summary': 920748, 'concise summary of': 193301, 'summary of information': 817939, 'of information in': 585194, 'information in relation': 437867, 'in relation to': 427370, 'relation to your': 708680, 'to your right': 919023, 'right consumer consumerrights': 721847, 'feel so': 302853, 'so sick': 778211, 'sick think': 768632, 'll drive': 496720, 'drive find': 259055, 'find grocery': 306947, 'and sneeze': 71822, 'sneeze on': 776259, 'everyone kidding': 287146, 'kidding seriously': 474215, 'seriously feel': 751605, 'feel great': 302651, 'great and': 362503, 'not driving': 569111, 'driving anywhere': 259897, 'anywhere chinesevirus': 81097, 'feel so sick': 302856, 'so sick think': 778215, 'sick think ll': 768633, 'think ll drive': 885377, 'll drive find': 496722, 'drive find grocery': 259056, 'find grocery store': 306949, 'store and sneeze': 806349, 'and sneeze on': 71825, 'sneeze on everyone': 776261, 'on everyone kidding': 600636, 'everyone kidding seriously': 287147, 'kidding seriously feel': 474216, 'seriously feel great': 751606, 'feel great and': 302652, 'great and not': 362505, 'and not driving': 67730, 'not driving anywhere': 569112, 'driving anywhere chinesevirus': 259898, 'deliveroo': 233570, 'vital': 959666, 'inews': 436436, 'deliveroo launch': 233576, 'launch essential': 481897, 'service across': 752031, 'uk letting': 938509, 'letting customer': 487401, 'customer order': 222658, 'order vital': 618744, 'vital good': 959689, 'good during': 356986, 'the inews': 858211, 'deliveroo launch essential': 233577, 'launch essential service': 481899, 'essential service across': 281495, 'service across the': 752032, 'across the uk': 29530, 'the uk letting': 870244, 'uk letting customer': 938510, 'letting customer order': 487402, 'customer order vital': 222660, 'order vital good': 618745, 'vital good during': 959690, 'good during the': 356989, 'during the inews': 263143, 'refrain': 706739, 'south african': 786668, 'african have': 35200, 'been urged': 122306, 'urged to': 948283, 'to refrain': 913074, 'refrain from': 706740, 'from panic': 336841, 'buying fear': 150276, 'fear over': 301273, 'the hike': 857366, 'hike told': 396288, 'good council': 356924, 'council of': 210009, 'of south': 589941, 'africa why': 35153, 'why there': 991438, 'stockpile watch': 803815, 'watch the': 968537, 'full video': 340963, 'south african have': 786674, 'african have been': 35201, 'have been urged': 379733, 'been urged to': 122307, 'urged to refrain': 948292, 'to refrain from': 913075, 'refrain from panic': 706747, 'from panic buying': 336843, 'panic buying fear': 637726, 'buying fear over': 150277, 'fear over the': 301279, 'over the hike': 630731, 'the hike told': 857368, 'hike told the': 396289, 'told the consumer': 923703, 'the consumer good': 851541, 'consumer good council': 197609, 'good council of': 356926, 'council of south': 210016, 'of south africa': 589942, 'south africa why': 786664, 'africa why there': 35154, 'why there is': 991441, 'to stockpile watch': 915485, 'stockpile watch the': 803816, 'watch the full': 968544, 'the full video': 856026, 'grocerystore': 366293, 'store brand': 806760, 'brand want': 138065, 'pay me': 644989, 'to walk': 918297, 'walk through': 964888, 'through aisle': 894304, 'aisle and': 40188, 'and tell': 73091, 'you what': 1022268, 'what product': 982056, 'product are': 680927, 'so shitty': 778200, 'shitty they': 759385, 'can even': 158245, 'even be': 283859, 'be sold': 117280, 'sold when': 781801, 'when there': 984222, 'is literally': 449387, 'literally nothing': 495052, 'nothing else': 572991, 'else left': 271776, 'left in': 485509, 'aisle available': 40218, 'available grocerystore': 104411, 'grocery store brand': 365254, 'store brand want': 806761, 'brand want to': 138066, 'want to pay': 966080, 'to pay me': 911542, 'pay me to': 644991, 'me to walk': 523797, 'to walk through': 918308, 'walk through aisle': 964890, 'through aisle and': 894305, 'aisle and tell': 40197, 'and tell you': 73100, 'tell you what': 837157, 'you what product': 1022270, 'what product are': 982057, 'product are so': 680949, 'are so shitty': 90218, 'so shitty they': 778201, 'shitty they can': 759386, 'they can even': 881629, 'can even be': 158246, 'even be sold': 283862, 'be sold when': 117290, 'sold when there': 781802, 'when there is': 984227, 'there is literally': 878584, 'is literally nothing': 449393, 'literally nothing else': 495053, 'nothing else left': 572994, 'else left in': 271777, 'left in the': 485520, 'in the aisle': 428975, 'the aisle available': 848515, 'aisle available grocerystore': 40219, 'milano': 531319, 'milano the': 531322, 'for getting': 321863, 'getting in': 349053, '10 people': 1609, 'time they': 897896, 'waiting at': 964295, 'at arm': 98046, 'arm distance': 92890, 'distance 19': 246617, 'milano the line': 531323, 'line for getting': 493103, 'for getting in': 321867, 'getting in the': 349057, 'supermarket no more': 821610, 'no more than': 564823, 'than 10 people': 840150, '10 people at': 1611, 'people at the': 647183, 'same time they': 733369, 'time they are': 897898, 'they are waiting': 881454, 'are waiting at': 91517, 'waiting at arm': 964296, 'at arm distance': 98047, 'arm distance 19': 92891, 'catching': 167067, 'flocking': 310685, 'shouldnt': 766756, 'seriously though': 751763, 'though if': 892829, 'if at': 413879, 'risk catching': 723448, 'catching covid': 167083, '19 working': 12178, 'where everyone': 984864, 'their dog': 873054, 'dog are': 252037, 'are flocking': 86602, 'flocking to': 310686, 'to shouldnt': 914542, 'shouldnt be': 766757, 'be getting': 114999, 'getting hazard': 349028, 'seriously though if': 751765, 'though if at': 892830, 'if at higher': 413881, 'higher risk catching': 395726, 'risk catching covid': 723449, 'catching covid 19': 167084, 'covid 19 working': 214088, '19 working in': 12180, 'in supermarket where': 428713, 'supermarket where everyone': 823817, 'where everyone and': 984865, 'everyone and their': 286702, 'and their dog': 73683, 'their dog are': 873055, 'dog are flocking': 252038, 'are flocking to': 86603, 'flocking to shouldnt': 310689, 'to shouldnt be': 914543, 'shouldnt be getting': 766758, 'be getting hazard': 115003, 'getting hazard pay': 349029, 'km': 475939, 'it city': 457141, 'city just': 179220, 'just 15': 468101, '15 km': 3756, 'km away': 475940, 'where live': 984984, 'live too': 496079, 'too bad': 924594, 'bad the': 108030, 'the club': 851077, 'club is': 184447, 'to really': 912863, 'really good': 702233, 'food good': 314689, 'good price': 357581, 'it city just': 457142, 'city just 15': 179221, 'just 15 km': 468103, '15 km away': 3757, 'km away from': 475941, 'away from where': 105923, 'from where live': 338355, 'where live too': 984995, 'live too bad': 496080, 'too bad the': 924600, 'bad the club': 108031, 'the club is': 851082, 'club is now': 184450, 'is now closed': 450271, 'now closed due': 574399, 'due to really': 261920, 'to really good': 912866, 'really good food': 702235, 'good food good': 357060, 'food good price': 314690, 'wasn': 967949, '10x12': 2419, 'knew there': 476082, 'wa some': 963273, 'some concern': 782580, 'about but': 24906, 'it wasn': 462251, 'wasn until': 968041, 'until went': 943931, 'earlier today': 264499, 'today that': 920263, 'it hit': 458595, 'me saw': 523417, 'saw woman': 738327, 'woman with': 1003694, 'with pack': 1000052, 'of 10x12': 579328, '10x12 toilet': 2420, 'took everything': 925234, 'in me': 425202, 'walk up': 964911, 'to her': 907686, 'her and': 391841, 'and say': 70990, 'say hey': 738749, 'hey do': 394358, 'you really': 1020832, 'really need': 702426, 'need that': 555722, 'that much': 845240, 'knew there wa': 476083, 'there wa some': 879274, 'wa some concern': 963276, 'some concern about': 782581, 'concern about but': 192889, 'about but it': 24909, 'but it wasn': 146179, 'it wasn until': 462264, 'wasn until went': 968042, 'until went to': 943932, 'the supermarket earlier': 868565, 'supermarket earlier today': 820074, 'earlier today that': 264504, 'today that it': 920270, 'that it hit': 844717, 'it hit me': 458596, 'hit me saw': 398321, 'me saw woman': 523419, 'saw woman with': 738333, 'woman with pack': 1003699, 'with pack of': 1000054, 'pack of 10x12': 633081, 'of 10x12 toilet': 579329, '10x12 toilet paper': 2421, 'paper and it': 639831, 'and it took': 65593, 'it took everything': 461801, 'took everything in': 925235, 'everything in me': 287850, 'in me not': 425205, 'not to walk': 572206, 'to walk up': 918310, 'walk up to': 964913, 'up to her': 946386, 'to her and': 907690, 'her and say': 391852, 'and say hey': 70996, 'say hey do': 738750, 'hey do you': 394360, 'do you really': 250668, 'you really need': 1020841, 'really need that': 702442, 'need that much': 555730, 'sifted': 769016, 'moscow': 541990, 'witnessed': 1003133, 'eastoffice': 265630, 'week consumer': 976101, 'behavior sifted': 124191, 'sifted dramatically': 769017, 'dramatically in': 258347, 'in moscow': 425460, 'moscow due': 541993, 'to growing': 907044, 'growing fear': 367194, 'the corona': 851765, 'virus hypermarket': 958306, 'hypermarket increased': 412338, 'their sale': 874622, 'sale more': 732360, 'than 50': 840255, '50 while': 19906, 'while bar': 986639, 'bar hotel': 110722, 'hotel restaurant': 405186, 'and cinema': 59890, 'cinema witnessed': 178556, 'witnessed major': 1003156, 'major loss': 509371, 'customer eastoffice': 222324, 'eastoffice russia': 265631, 'last week consumer': 480640, 'week consumer behavior': 976102, 'consumer behavior sifted': 196513, 'behavior sifted dramatically': 124192, 'sifted dramatically in': 769018, 'dramatically in moscow': 258348, 'in moscow due': 425462, 'moscow due to': 541994, 'due to growing': 261796, 'to growing fear': 907046, 'growing fear of': 367195, 'fear of the': 301262, 'of the corona': 590895, 'the corona virus': 851772, 'corona virus hypermarket': 204319, 'virus hypermarket increased': 958307, 'hypermarket increased their': 412339, 'increased their sale': 433503, 'their sale more': 874624, 'sale more than': 732361, 'more than 50': 540568, 'than 50 while': 840264, '50 while bar': 19907, 'while bar hotel': 986640, 'bar hotel restaurant': 110723, 'hotel restaurant and': 405187, 'restaurant and cinema': 716278, 'and cinema witnessed': 59893, 'cinema witnessed major': 178557, 'witnessed major loss': 1003157, 'major loss of': 509372, 'loss of customer': 503738, 'of customer eastoffice': 582270, 'customer eastoffice russia': 222325, 'hill': 396459, 'twp': 937424, 'pave': 644649, 'township': 927610, 'mine hill': 532896, 'hill twp': 396496, 'twp they': 937425, 'they accept': 881086, 'accept your': 28008, 'your tax': 1026113, 'tax and': 834923, 'and pave': 68791, 'pave your': 644650, 'your road': 1025644, 'road now': 724483, 'now township': 576217, 'township employee': 927613, 'employee will': 274440, 'will literally': 994027, 'literally run': 495068, 'those senior': 892445, 'senior afraid': 750183, 'afraid to': 35019, 'step out': 799610, '19 era': 6814, 'mine hill twp': 532897, 'hill twp they': 396497, 'twp they accept': 937426, 'they accept your': 881088, 'accept your tax': 28010, 'your tax and': 1026114, 'tax and pave': 834929, 'and pave your': 68792, 'pave your road': 644651, 'your road now': 1025645, 'road now township': 724484, 'now township employee': 576218, 'township employee will': 927614, 'employee will literally': 274443, 'will literally run': 994030, 'literally run to': 495069, 'to the store': 917099, 'the store for': 868022, 'store for those': 807849, 'for those senior': 327136, 'those senior afraid': 892446, 'senior afraid to': 750184, 'afraid to step': 35028, 'to step out': 915388, 'step out in': 799612, 'out in this': 626403, 'in this covid': 429924, 'covid 19 era': 213032, 'isolate': 454806, 'ourselves': 625450, 'so the': 778411, 'next online': 561490, 'shopping window': 764420, 'window available': 995665, 'at will': 101565, 'be after': 113528, 'after april': 35378, 'april so': 83684, 'to isolate': 908532, 'isolate ourselves': 454905, 'ourselves it': 625480, 'be interesting': 115522, 'interesting adult': 441496, 'adult in': 32828, 'house hope': 406344, 'hope we': 403763, 'can stand': 159719, 'stand to': 793589, 'fight in': 304776, 'for onlineshopping': 324117, 'so the next': 778432, 'the next online': 861684, 'next online shopping': 561491, 'online shopping window': 609348, 'shopping window available': 764421, 'window available at': 995666, 'available at will': 104265, 'at will be': 101566, 'will be after': 992348, 'be after april': 113529, 'after april so': 35379, 'april so if': 83685, 'if we have': 415287, 'have to isolate': 383231, 'to isolate ourselves': 908542, 'isolate ourselves it': 454906, 'ourselves it could': 625481, 'could be interesting': 208889, 'be interesting adult': 115523, 'interesting adult in': 441497, 'adult in the': 32830, 'the house hope': 857612, 'house hope we': 406345, 'hope we have': 403767, 'we have friend': 971822, 'friend who can': 333892, 'who can stand': 988408, 'can stand to': 159724, 'stand to fight': 793592, 'to fight in': 905794, 'fight in the': 304781, 'the shop for': 866995, 'shop for onlineshopping': 760195, 'jwj': 470540, 'graduated': 361724, '40 of': 18620, 'the dc': 852930, 'dc jwj': 228964, 'jwj staff': 470541, 'staff graduated': 792498, 'graduated from': 361725, 'from american': 334463, 'american university': 52278, 'of dc': 582391, 'staff believe': 792264, 'believe that': 126334, 'that school': 846155, 'school worker': 741995, 'deserve to': 238134, 'get full': 347123, 'and healthcare': 64370, 'healthcare during': 387089, 'covid emergency': 214157, 'emergency if': 272753, 'you fall': 1018512, 'fall into': 296971, 'into one': 442804, 'these category': 879726, 'category you': 167233, 'should sign': 766471, '40 of the': 18624, 'of the dc': 590929, 'the dc jwj': 852931, 'dc jwj staff': 228965, 'jwj staff graduated': 470543, 'staff graduated from': 792499, 'graduated from american': 361726, 'from american university': 334465, 'american university of': 52280, 'university of dc': 942446, 'of dc jwj': 582393, 'jwj staff believe': 470542, 'staff believe that': 792265, 'believe that school': 126348, 'that school worker': 846157, 'school worker deserve': 741996, 'worker deserve to': 1006767, 'deserve to get': 238137, 'to get full': 906489, 'get full pay': 347126, 'pay and healthcare': 644732, 'and healthcare during': 64375, 'healthcare during the': 387090, 'the covid emergency': 852233, 'covid emergency if': 214158, 'emergency if you': 272754, 'if you fall': 415434, 'you fall into': 1018513, 'fall into one': 296973, 'into one of': 442807, 'of these category': 591816, 'these category you': 879727, 'category you should': 167235, 'you should sign': 1021222, 'should sign the': 766472, 'vapers': 952475, 'savvy': 738021, 'confident': 193995, 'ecigs': 266644, 'publichealth': 688525, 'that fine': 843876, 'for existing': 321315, 'existing vapers': 290348, 'vapers who': 952479, 'are tech': 90755, 'tech savvy': 836143, 'savvy but': 738024, 'what if': 981619, 'to switch': 916098, 'switch for': 830488, 'for 1st': 318720, 'time need': 897252, 'need advice': 554371, 'and or': 68204, 'not confident': 568827, 'confident shopping': 194008, 'online vaping': 609663, 'vaping ecigs': 952491, 'ecigs publichealth': 266645, 'that fine for': 843878, 'fine for existing': 307635, 'for existing vapers': 321317, 'existing vapers who': 290349, 'vapers who are': 952480, 'who are tech': 988235, 'are tech savvy': 90756, 'tech savvy but': 836144, 'savvy but what': 738025, 'but what if': 147790, 'what if you': 981643, 'you re trying': 1020779, 'trying to switch': 934886, 'to switch for': 916101, 'switch for 1st': 830489, 'for 1st time': 318722, '1st time need': 12816, 'time need advice': 897253, 'need advice and': 554372, 'advice and or': 33315, 'and or you': 68236, 'or you re': 617864, 're not confident': 699084, 'not confident shopping': 568828, 'confident shopping online': 194009, 'shopping online vaping': 763503, 'online vaping ecigs': 609664, 'vaping ecigs publichealth': 952492, 'adjustment': 32373, 'focuscamera': 311930, 've made': 953356, 'made some': 507954, 'some adjustment': 782261, 'adjustment to': 32381, 'warehouse please': 966751, 'any question': 79717, 'healthy focuscamera': 387620, '19 we ve': 11957, 'we ve made': 973685, 've made some': 953363, 'made some adjustment': 507955, 'some adjustment to': 782262, 'adjustment to our': 32383, 'to our retail': 911237, 'retail store and': 718606, 'store and warehouse': 806396, 'and warehouse please': 75182, 'warehouse please reach': 966752, 'reach out if': 699968, 'have any question': 379315, 'any question concern': 79718, 'question concern and': 693565, 'concern and stay': 192918, 'safe and healthy': 729452, 'and healthy focuscamera': 64388, 'deterioration': 239413, 'lockdown britain': 499204, 'britain see': 140439, 'see further': 745145, 'further deterioration': 342033, 'deterioration of': 239420, 'confidence retail': 193943, 'lockdown britain see': 499205, 'britain see further': 140440, 'see further deterioration': 745146, 'further deterioration of': 342034, 'deterioration of consumer': 239421, 'of consumer confidence': 581725, 'consumer confidence retail': 196916, 'showing': 767406, 'if once': 414534, 'week grocery': 976287, 'shopping give': 762785, 'you covid': 1018120, '19 anxiety': 5158, 'anxiety imagine': 78724, 'imagine what': 416820, 'it feel': 457968, 'like showing': 491188, 'showing up': 767547, 'up every': 944804, 'day supermarket': 228431, 'employee they': 274305, 'hero while': 394163, 'while many': 987032, 'of stayhome': 590092, 'stayhome they': 798205, 'of numerous': 587109, 'numerous people': 577144, 'if once week': 414535, 'once week grocery': 605792, 'week grocery shopping': 976288, 'grocery shopping give': 365027, 'shopping give you': 762787, 'give you covid': 350852, 'you covid 19': 1018121, 'covid 19 anxiety': 212636, '19 anxiety imagine': 5161, 'anxiety imagine what': 78725, 'imagine what it': 416821, 'what it feel': 981749, 'it feel like': 457974, 'feel like showing': 302744, 'like showing up': 491189, 'showing up every': 767551, 'up every day': 944806, 'every day supermarket': 285847, 'day supermarket employee': 228432, 'supermarket employee they': 820143, 'employee they are': 274307, 'they are hero': 881295, 'are hero while': 87142, 'hero while many': 394164, 'while many of': 987036, 'many of stayhome': 514388, 'of stayhome they': 590094, 'stayhome they are': 798206, 'they are one': 881348, 'one of numerous': 606757, 'of numerous people': 587110, 'super long': 818532, 'long supermarket': 501659, 'california video': 155600, 'super long supermarket': 818533, 'long supermarket queue': 501661, 'supermarket queue in': 822123, 'queue in california': 693956, 'in california video': 421151, 'willing': 995455, 'homemade': 402813, 'detroitstrong': 239511, 'cashapp': 166383, 'ritualsbiinky': 724162, 'to working': 918817, 'with anyone': 997283, 'anyone willing': 80644, 'willing to': 995460, 'help our': 390220, 'community detroit': 189813, 'detroit and': 239496, 'and metro': 66974, 'metro detroit': 529916, 'detroit make': 239504, 'make homemade': 509988, 'homemade hand': 402834, 'sanitizer but': 734604, 'need product': 555478, 'help follow': 389738, 'follow me': 312457, 'me detroitstrong': 522646, 'detroitstrong cashapp': 239512, 'cashapp ritualsbiinky': 166388, 'forward to working': 330046, 'to working with': 918822, 'working with anyone': 1009051, 'with anyone willing': 997286, 'anyone willing to': 80645, 'willing to help': 995470, 'to help me': 907560, 'me help our': 522887, 'help our community': 390224, 'our community detroit': 622457, 'community detroit and': 189814, 'detroit and metro': 239497, 'and metro detroit': 66975, 'metro detroit make': 529917, 'detroit make homemade': 239506, 'make homemade hand': 509989, 'homemade hand sanitizer': 402835, 'hand sanitizer but': 375332, 'sanitizer but need': 734611, 'but need product': 146455, 'need product please': 555480, 'product please help': 681528, 'please help follow': 660067, 'help follow me': 389739, 'follow me detroitstrong': 312459, 'me detroitstrong cashapp': 522647, 'detroitstrong cashapp ritualsbiinky': 239513, 'responds': 715593, 'case continues': 165694, 'rise try': 723045, 'panic your': 638820, 'system responds': 831302, 'responds to': 715596, 'how you': 409268, 'so eat': 776934, 'regularly with': 707975, 'soap under': 779142, 'under running': 940231, 'running water': 728127, 'water even': 968983, 'of case continues': 581167, 'case continues to': 165695, 'continues to rise': 201492, 'to rise try': 913581, 'rise try not': 723046, 'to panic your': 911436, 'panic your immune': 638822, 'immune system responds': 417350, 'system responds to': 831303, 'responds to how': 715598, 'to how you': 908032, 'how you feel': 409283, 'you feel so': 1018544, 'feel so eat': 302855, 'so eat good': 776935, 'good food wash': 357066, 'hand regularly with': 375205, 'regularly with soap': 707979, 'with soap under': 1000807, 'soap under running': 779143, 'under running water': 940233, 'running water even': 728130, 'water even when': 968984, 'even when you': 284789, 'when you are': 984538, 'eminating': 273182, 'livid': 496301, 'spot on': 790083, 'on have': 601245, 'have smoke': 382595, 'smoke eminating': 775859, 'eminating right': 273183, 'now livid': 575229, 'livid stophoarding': 496306, 'stophoarding stayathome': 805469, 'spot on have': 790087, 'on have smoke': 601246, 'have smoke eminating': 382596, 'smoke eminating right': 775860, 'eminating right now': 273184, 'right now livid': 722097, 'now livid stophoarding': 575230, 'livid stophoarding stayathome': 496307, 'home no': 401660, 'no social': 565545, 'social gathering': 779790, 'gathering shopping': 344508, 'online sanitizer': 608929, 'sanitizer washing': 736031, 'hand and': 374748, 'cleaning surface': 181092, 'surface staying': 828072, 'staying healthy': 798595, 'and eating': 61880, 'eating healthy': 266223, 'healthy at': 387535, 'home 19': 400534, 'staying home no': 798615, 'home no social': 401665, 'no social gathering': 565548, 'social gathering shopping': 779794, 'gathering shopping online': 344509, 'shopping online sanitizer': 763476, 'online sanitizer washing': 608930, 'sanitizer washing hand': 736032, 'washing hand and': 967665, 'hand and cleaning': 374754, 'and cleaning surface': 59950, 'cleaning surface staying': 181093, 'surface staying healthy': 828073, 'staying healthy and': 798596, 'healthy and eating': 387520, 'and eating healthy': 61882, 'eating healthy at': 266225, 'healthy at home': 387537, 'at home 19': 98927, 'haunting': 379038, 'soundbite': 786344, 'interstellar': 442147, 'globalpandemic': 352423, 'the shopper': 867047, 'shopper on': 761633, 'my instacart': 548861, 'instacart app': 439913, 'app alert': 81669, 'alert me': 41462, 'grocery item': 364647, 'item is': 463382, 'longer in': 501996, 'stock all': 801776, 'can think': 159986, 'about is': 25549, 'this haunting': 887871, 'haunting soundbite': 379043, 'soundbite from': 786345, 'from interstellar': 336073, 'interstellar food': 442148, 'food globalpandemic': 314669, 'globalpandemic stayhome': 352427, 'every time the': 286319, 'time the shopper': 897875, 'the shopper on': 867052, 'shopper on my': 761634, 'on my instacart': 602290, 'my instacart app': 548862, 'instacart app alert': 439914, 'app alert me': 81670, 'alert me that': 41463, 'me that grocery': 523613, 'that grocery item': 844086, 'grocery item is': 364658, 'item is no': 463386, 'is no longer': 449947, 'no longer in': 564652, 'longer in stock': 501999, 'in stock all': 428280, 'stock all can': 801777, 'all can think': 42287, 'can think about': 159987, 'think about is': 885088, 'about is this': 25556, 'is this haunting': 453094, 'this haunting soundbite': 887872, 'haunting soundbite from': 379044, 'soundbite from interstellar': 786346, 'from interstellar food': 336074, 'interstellar food globalpandemic': 442149, 'food globalpandemic stayhome': 314670, 'wayspeoplearetheworst': 970225, 'toiletrollchallenge': 923387, 'toiletpaperemergency': 923133, 'rabbit are': 695140, 'are full': 86721, 'of sh': 589554, 'sh because': 754285, 'using them': 950735, 'to wipe': 918619, 'wipe their': 996385, 'their because': 872571, 'because their': 119659, 'their is': 873684, 'paper wayspeoplearetheworst': 641062, 'wayspeoplearetheworst toiletpaper': 970228, 'toiletpapercrisis toiletrollchallenge': 923122, 'toiletrollchallenge toiletpaperapocalypse': 923395, 'toiletpaperapocalypse toiletpaperpanic': 922948, 'toiletpaperpanic toiletpapergate': 923287, 'toiletpapergate toiletpaperemergency': 923171, 'rabbit are full': 695141, 'are full of': 86730, 'full of sh': 340754, 'of sh because': 589555, 'sh because people': 754286, 'people are using': 647109, 'are using them': 91435, 'using them to': 950740, 'them to wipe': 876531, 'to wipe their': 918628, 'wipe their because': 996387, 'their because their': 872572, 'because their is': 119661, 'their is no': 873685, 'is no toilet': 449985, 'toilet paper wayspeoplearetheworst': 921519, 'paper wayspeoplearetheworst toiletpaper': 641063, 'wayspeoplearetheworst toiletpaper toiletpapercrisis': 970229, 'toiletpaper toiletpapercrisis toiletrollchallenge': 922673, 'toiletpapercrisis toiletrollchallenge toiletpaperapocalypse': 923123, 'toiletrollchallenge toiletpaperapocalypse toiletpaperpanic': 923397, 'toiletpaperapocalypse toiletpaperpanic toiletpapergate': 922950, 'toiletpaperpanic toiletpapergate toiletpaperemergency': 923290, 'xbox': 1013779, 'playstation': 659498, 'steam': 799275, 'stadium': 792054, 'noballs': 565961, 'leafyishere': 483838, 'ps4': 687375, 'time it': 897074, 'it hard': 458482, 'find friend': 306926, 'friend in': 333646, 'outside world': 629652, 'play you': 659259, 'you certainly': 1017911, 'certainly can': 170139, 'can xbox': 160260, 'xbox one': 1013786, 'one playstation': 606886, 'playstation steam': 659501, 'steam and': 799278, 'and stadium': 72186, 'stadium add': 792055, 'add me': 31447, 'me toiletpaper': 523810, 'toiletpaper noballs': 922260, 'noballs leafyishere': 565962, 'leafyishere corona': 483839, 'corona ps4': 204119, 'these time it': 880841, 'time it hard': 897080, 'it hard to': 458491, 'hard to find': 378064, 'to find friend': 905901, 'find friend in': 306927, 'friend in the': 333661, 'in the outside': 429427, 'the outside world': 862751, 'outside world so': 629654, 'want to play': 966082, 'to play you': 911809, 'play you certainly': 659260, 'you certainly can': 1017912, 'certainly can xbox': 170141, 'can xbox one': 160261, 'xbox one playstation': 1013787, 'one playstation steam': 606887, 'playstation steam and': 659502, 'steam and stadium': 799279, 'and stadium add': 72187, 'stadium add me': 792056, 'add me toiletpaper': 31448, 'me toiletpaper noballs': 523813, 'toiletpaper noballs leafyishere': 922261, 'noballs leafyishere corona': 565963, 'leafyishere corona ps4': 483840, 'cbdc': 168334, 'econ': 266921, 'distributional': 248264, 'implication': 418541, 'approach': 82924, 'can 19': 157342, 'up central': 944588, 'central bank': 169369, 'bank decision': 109753, 'on cbdc': 599846, 'cbdc econ': 168335, 'econ boosting': 266922, 'boosting consumer': 135067, 'demand directly': 235239, 'directly is': 243563, 'more effective': 539107, 'effective and': 269216, 'better distributional': 128264, 'distributional implication': 248265, 'implication than': 418570, 'current approach': 221096, 'approach of': 82969, 'of boosting': 580784, 'boosting asset': 135065, 'can 19 speed': 157343, 'speed up central': 788473, 'up central bank': 944589, 'central bank decision': 169370, 'bank decision on': 109754, 'decision on cbdc': 231068, 'on cbdc econ': 599847, 'cbdc econ boosting': 168336, 'econ boosting consumer': 266923, 'boosting consumer demand': 135068, 'consumer demand directly': 197125, 'demand directly is': 235240, 'directly is likely': 243564, 'be more effective': 115973, 'more effective and': 539108, 'effective and have': 269219, 'and have better': 64227, 'have better distributional': 379776, 'better distributional implication': 128265, 'distributional implication than': 248266, 'implication than the': 418571, 'than the current': 841228, 'the current approach': 852610, 'current approach of': 221098, 'approach of boosting': 82970, 'of boosting asset': 580785, 'boosting asset price': 135066, 'statue': 796635, 'dat': 226091, 'monayy': 536211, 'pearl': 646163, 'everyonespoor': 287657, 'socialism': 780949, 'qurantine': 695030, 'statueslivingbetter': 796650, 'woman statue': 1003621, 'statue demand': 796639, 'demand food': 235355, 'food offering': 315584, 'offering bird': 595028, 'bird statue': 131352, 'demand dat': 235208, 'dat monayy': 226098, 'monayy pearl': 536212, 'pearl toiletpaper': 646166, '19 facemask': 6919, 'facemask virus': 295114, 'virus everyonespoor': 958168, 'everyonespoor socialdistanacing': 287658, 'socialdistanacing socialdistance': 780099, 'socialdistance socialism': 780163, 'socialism qurantine': 780973, 'qurantine hungry': 695031, 'hungry poor': 411301, 'poor potato': 664265, 'potato statueslivingbetter': 666984, 'woman statue demand': 1003622, 'statue demand food': 796641, 'demand food offering': 235364, 'food offering bird': 315585, 'offering bird statue': 595029, 'bird statue demand': 131353, 'statue demand dat': 796640, 'demand dat monayy': 235209, 'dat monayy pearl': 226099, 'monayy pearl toiletpaper': 536213, 'pearl toiletpaper 19': 646167, 'toiletpaper 19 facemask': 921672, '19 facemask virus': 6922, 'facemask virus everyonespoor': 295115, 'virus everyonespoor socialdistanacing': 958169, 'everyonespoor socialdistanacing socialdistance': 287659, 'socialdistanacing socialdistance socialism': 780100, 'socialdistance socialism qurantine': 780164, 'socialism qurantine hungry': 780974, 'qurantine hungry poor': 695032, 'hungry poor potato': 411302, 'poor potato statueslivingbetter': 664266, 'activated': 30226, 'operational': 613293, 'consumer member': 198119, 'member employee': 528069, 'employee safe': 274165, 're taking': 699647, 'taking additional': 833248, 'additional precaution': 31851, 'precaution to': 669380, 'ensure the': 278078, 'co op': 184908, 'op is': 611808, 'is prepared': 450990, 'keep the': 472021, 'to we': 918399, 've activated': 952804, 'activated our': 30229, 'emergency response': 272929, 'response plan': 715781, 'plan learn': 658162, 'about operational': 25857, 'operational change': 613298, 'change plan': 172228, 'keep our consumer': 471725, 'our consumer member': 622540, 'consumer member employee': 198120, 'member employee safe': 528070, 'employee safe we': 274171, 'safe we re': 730118, 'we re taking': 972982, 're taking additional': 699648, 'taking additional precaution': 833249, 'additional precaution to': 31852, 'precaution to ensure': 669382, 'to ensure the': 905195, 'ensure the co': 278081, 'the co op': 851104, 'co op is': 184913, 'op is prepared': 611809, 'is prepared to': 450991, 'prepared to keep': 670255, 'to keep the': 908863, 'keep the light': 472052, 'the light on': 859357, 'light on in': 489574, 'on in response': 601532, 'response to we': 715896, 'to we ve': 918408, 'we ve activated': 973633, 've activated our': 952805, 'activated our emergency': 30230, 'our emergency response': 622882, 'emergency response plan': 272931, 'response plan learn': 715783, 'plan learn about': 658163, 'learn about operational': 483935, 'about operational change': 25858, 'operational change plan': 613299, 'mama': 511918, 'sober': 779364, 'earring': 264951, 'clair': 179925, 'hedgehog': 388732, 'hedgielove': 388740, 'makingpeoplesmile': 511511, 'mama and': 511919, 'and made': 66503, 'new friend': 558772, 'friend at': 333524, 'store sober': 810242, 'sober toiletpaper': 779365, 'toiletpaper earring': 921938, 'earring love': 264957, 'love clair': 504636, 'clair hedgehog': 179926, 'hedgehog hedgielove': 388735, 'hedgielove makingpeoplesmile': 388741, 'makingpeoplesmile publix': 511512, 'publix quarantine': 688771, 'quarantine staysafe': 692577, 'mama and made': 511921, 'and made some': 66508, 'made some new': 507958, 'some new friend': 783349, 'new friend at': 558773, 'friend at the': 333531, 'the store sober': 868107, 'store sober toiletpaper': 810243, 'sober toiletpaper earring': 779366, 'toiletpaper earring love': 921939, 'earring love clair': 264958, 'love clair hedgehog': 504637, 'clair hedgehog hedgielove': 179927, 'hedgehog hedgielove makingpeoplesmile': 388736, 'hedgielove makingpeoplesmile publix': 388742, 'makingpeoplesmile publix quarantine': 511513, 'publix quarantine staysafe': 688772, '800': 22649, '44': 18996, 'colorado consumer': 186791, 'report any': 711801, 'any scam': 79772, 'fraud or': 331315, 'or price': 616689, 'gouging by': 359274, 'calling at': 156525, 'at 800': 97760, '800 22': 22656, '22 44': 15170, '44 or': 19013, 'colorado consumer can': 186792, 'consumer can report': 196726, 'can report any': 159446, 'report any scam': 711808, 'any scam fraud': 79773, 'scam fraud or': 740171, 'fraud or price': 331317, 'or price gouging': 616691, 'price gouging by': 674266, 'gouging by calling': 359277, 'by calling at': 152057, 'calling at 800': 156526, 'at 800 22': 97761, '800 22 44': 22657, '22 44 or': 15171, '44 or going': 19014, 'browsing': 141295, 'new deal': 558604, 'deal available': 229349, 'available everyday': 104344, 'everyday when': 286655, 'when browsing': 983209, 'browsing our': 141302, 'website make': 975351, 'you check': 1017930, 'our deal': 622709, 'deal of': 229444, 'day all': 227224, 'all great': 42998, 'great product': 362929, 'at fantastic': 98620, 'fantastic price': 298604, 'price shop': 676376, 'shop now': 760511, 'new deal available': 558605, 'deal available everyday': 229351, 'available everyday when': 104345, 'everyday when browsing': 286656, 'when browsing our': 983210, 'browsing our website': 141303, 'our website make': 625345, 'website make sure': 975352, 'sure you check': 827852, 'you check out': 1017934, 'out our deal': 626973, 'our deal of': 622710, 'deal of the': 229445, 'the day all': 852867, 'day all great': 227226, 'all great product': 43001, 'great product at': 362931, 'product at fantastic': 680966, 'at fantastic price': 98621, 'fantastic price shop': 298605, 'price shop now': 676378, 'shop now 19': 760512, '2009': 13705, 'pmd09': 662039, 'bet': 128057, 'that worked': 847659, 'worked at': 1006096, 'the 2009': 847995, '2009 h1n1': 13710, 'h1n1 pmd09': 369372, 'pmd09 pandemic': 662040, 'pandemic bet': 635002, 'bet you': 128128, 'even remember': 284522, 'remember that': 710272, 'that one': 845490, 'one despite': 606179, 'despite it': 238768, 'it being': 456824, 'being worse': 126071, 'what about the': 980992, 'about the people': 26476, 'the people that': 863508, 'people that worked': 649786, 'that worked at': 847660, 'worked at supermarket': 1006102, 'at supermarket during': 100719, 'during the 2009': 263082, 'the 2009 h1n1': 847997, '2009 h1n1 pmd09': 13711, 'h1n1 pmd09 pandemic': 369373, 'pmd09 pandemic bet': 662041, 'pandemic bet you': 635003, 'bet you do': 128129, 'not even remember': 569273, 'even remember that': 284523, 'remember that one': 710284, 'that one despite': 845493, 'one despite it': 606180, 'despite it being': 238769, 'it being worse': 456835, 'being worse than': 126072, 'worse than covid': 1011008, 'latent': 481003, 'revealed': 720259, 'beast': 118475, 'macroeconomic': 507482, 'deepen': 231937, 'summarizes': 817921, 'other latent': 620468, 'latent financial': 481004, 'financial problem': 306540, 'problem revealed': 679665, 'revealed by': 720261, 'business effect': 143688, '19 debt': 6458, 'all type': 45304, 'type growing': 937532, 'concern before': 192935, 'before potential': 123017, 'potential beast': 667020, 'beast now': 118493, 'now cautious': 574362, 'cautious government': 168222, 'government macroeconomic': 360332, 'macroeconomic action': 507483, 'action are': 29955, 'are needed': 88197, 'will deepen': 993125, 'deepen at': 231938, 'all level': 43370, 'level summarizes': 487720, 'other latent financial': 620469, 'latent financial problem': 481005, 'financial problem revealed': 306541, 'problem revealed by': 679666, 'revealed by the': 720263, 'by the business': 154274, 'the business effect': 850165, 'business effect of': 143689, 'covid 19 debt': 212919, '19 debt of': 6459, 'debt of all': 230527, 'of all type': 579992, 'all type growing': 45305, 'type growing concern': 937533, 'growing concern before': 367140, 'concern before potential': 192936, 'before potential beast': 123018, 'potential beast now': 667021, 'beast now cautious': 118494, 'now cautious government': 574363, 'cautious government macroeconomic': 168223, 'government macroeconomic action': 360333, 'macroeconomic action are': 507484, 'action are needed': 29961, 'are needed the': 88202, 'needed the crisis': 556518, 'the crisis will': 852482, 'crisis will deepen': 218408, 'will deepen at': 993126, 'deepen at all': 231939, 'at all level': 97892, 'all level summarizes': 43374, 'it saturday': 460873, 'saturday when': 737081, 'you spend': 1021318, 'spend longer': 788626, 'longer queuing': 502033, 'queuing to': 694236, 'and paying': 68811, 'paying to': 645512, 'get out': 347732, 'supermarket than': 823157, 'supermarket stayhomesavelives': 822941, 'know it saturday': 476540, 'it saturday when': 460874, 'saturday when you': 737082, 'when you spend': 984603, 'you spend longer': 1021323, 'spend longer queuing': 788627, 'longer queuing to': 502034, 'queuing to get': 694238, 'into supermarket and': 443033, 'supermarket and paying': 819036, 'and paying to': 68815, 'paying to get': 645513, 'to get out': 906552, 'get out of': 347739, 'the supermarket than': 868842, 'supermarket than you': 823167, 'than you do': 841488, 'you do in': 1018256, 'do in the': 249432, 'the supermarket stayhomesavelives': 868825, 'occasion': 578930, 'please can': 659759, 'the sector': 866611, 'sector rise': 744314, 'rise to': 723025, 'the occasion': 862027, 'occasion and': 578931, 'our three': 625136, 'three or': 894016, 'or four': 615382, 'four element': 330603, 'element will': 271348, 'enough talk': 277655, 'our vulnerable': 625290, 'vulnerable citizen': 960909, 'citizen healthy': 178906, 'please can the': 659762, 'can the sector': 159960, 'the sector rise': 866620, 'sector rise to': 744315, 'rise to the': 723038, 'to the occasion': 916914, 'the occasion and': 862028, 'occasion and help': 578932, 'and help our': 64459, 'help our three': 390239, 'our three or': 625137, 'three or four': 894017, 'or four element': 615383, 'four element will': 330604, 'element will not': 271349, 'not be enough': 568378, 'be enough talk': 114688, 'enough talk to': 277656, 'talk to and': 833870, 'to and keep': 900511, 'and keep our': 65771, 'keep our vulnerable': 471759, 'our vulnerable citizen': 625291, 'vulnerable citizen healthy': 960912, 'irish': 444884, 'terriblecustomerservice': 838458, 'uk uk': 938845, 'uk what': 938877, 'doe it': 251428, 'take to': 832730, 'get refund': 347906, 'for irish': 322658, 'irish customer': 444887, 'and reply': 70258, 'reply to': 711753, 'our email': 622877, 'email terriblecustomerservice': 272316, 'uk uk what': 938846, 'uk what doe': 938878, 'what doe it': 981366, 'doe it take': 251439, 'it take to': 461432, 'take to get': 832736, 'to get refund': 906574, 'get refund for': 347909, 'refund for irish': 706911, 'for irish customer': 322659, 'irish customer and': 444888, 'customer and reply': 222097, 'and reply to': 70259, 'reply to our': 711754, 'to our email': 911174, 'our email terriblecustomerservice': 622880, 'wiltshire': 995520, '300': 17277, 'dessert': 238944, 'homedeliveries': 402668, 'helpeachother': 391037, 'stuck for': 814583, 'meal idea': 524187, 'idea or': 413144, 'or just': 615873, 'need of': 555317, 'food with': 317639, 'current supermarket': 221387, 'shortage wiltshire': 765310, 'wiltshire farm': 995521, 'farm food': 299113, 'have over': 381854, 'over 300': 629824, '300 meal': 17319, 'meal and': 524091, 'and dessert': 61273, 'dessert available': 238945, 'available with': 104702, 'with free': 998532, 'free home': 331905, 'delivery shop': 234487, 'shop homedeliveries': 760287, 'homedeliveries selfisolation': 402671, 'selfisolation helpeachother': 748456, 'stuck for meal': 814584, 'for meal idea': 323354, 'meal idea or': 524188, 'idea or just': 413145, 'or just in': 615884, 'just in need': 469041, 'in need of': 425757, 'need of food': 555329, 'of food with': 583822, 'food with the': 317647, 'with the current': 1001258, 'the current supermarket': 852668, 'current supermarket shortage': 221390, 'supermarket shortage wiltshire': 822674, 'shortage wiltshire farm': 765311, 'wiltshire farm food': 995522, 'farm food have': 299114, 'food have over': 314788, 'have over 300': 381855, 'over 300 meal': 629826, '300 meal and': 17320, 'meal and dessert': 524092, 'and dessert available': 61274, 'dessert available with': 238946, 'available with free': 104704, 'with free home': 998536, 'free home delivery': 331906, 'home delivery shop': 401045, 'delivery shop homedeliveries': 234488, 'shop homedeliveries selfisolation': 760288, 'homedeliveries selfisolation helpeachother': 402672, 'cancelled': 161083, 'people asking': 647161, 'asking about': 95930, 'right when': 722414, 'when event': 983387, 'event are': 284949, 'are cancelled': 85159, 'cancelled or': 161148, 'service good': 752424, 'good can': 356863, 'be provided': 116594, 'provided see': 686645, 'see amp': 744890, 'of people asking': 587876, 'people asking about': 647162, 'asking about consumer': 95931, 'consumer right when': 198833, 'right when event': 722416, 'when event are': 983388, 'event are cancelled': 284951, 'are cancelled or': 85162, 'cancelled or service': 161150, 'or service good': 617017, 'service good can': 752425, 'good can be': 356864, 'can be provided': 157670, 'be provided see': 116597, 'provided see amp': 686646, 'behalf': 123751, 'on behalf': 599610, 'behalf of': 123752, 'of everyone': 583249, 'ha loved': 371193, 'one in': 606465, 'high risk': 395342, 'group or': 366821, 'just ha': 468892, 'ha heart': 370844, 'heart fuck': 388293, 'fuck you': 339694, 'you spring': 1021339, 'spring break': 791169, 'break moron': 138769, 'on behalf of': 599611, 'behalf of everyone': 123755, 'of everyone who': 583262, 'who ha loved': 988856, 'ha loved one': 371194, 'loved one in': 504914, 'one in the': 606485, 'in the high': 429266, 'the high risk': 857322, 'high risk group': 395357, 'risk group or': 723595, 'group or just': 366824, 'or just ha': 615882, 'just ha heart': 468894, 'ha heart fuck': 370845, 'heart fuck you': 388294, 'fuck you spring': 339706, 'you spring break': 1021340, 'spring break moron': 791176, 'syrian': 831048, 'rushed': 728357, 'resort': 714669, 'stricter': 813659, 'syrian rushed': 831058, 'rushed to': 728364, 'and fuel': 63388, 'fuel amid': 340113, 'amid fear': 52469, 'that authority': 842895, 'authority would': 103818, 'would resort': 1012191, 'resort to': 714676, 'to even': 905283, 'even stricter': 284614, 'stricter measure': 813666, 'measure after': 525070, 'after reporting': 36121, 'reporting the': 712767, 'first infection': 308728, 'infection in': 436770, 'country where': 211215, 'system ha': 831189, 'been decimated': 120928, 'by nearly': 153311, 'nearly decade': 553811, 'of civil': 581431, 'civil war': 179563, 'syrian rushed to': 831059, 'rushed to stock': 728367, 'on food and': 600840, 'food and fuel': 313239, 'and fuel amid': 63389, 'fuel amid fear': 340114, 'amid fear that': 52474, 'fear that authority': 301359, 'that authority would': 842896, 'authority would resort': 103819, 'would resort to': 1012192, 'resort to even': 714677, 'to even stricter': 905292, 'even stricter measure': 284615, 'stricter measure after': 813667, 'measure after reporting': 525071, 'after reporting the': 36123, 'reporting the first': 712769, 'the first infection': 855317, 'first infection in': 308729, 'infection in the': 436774, 'the country where': 852179, 'country where the': 211221, 'where the healthcare': 985231, 'healthcare system ha': 387309, 'system ha been': 831190, 'ha been decimated': 369768, 'been decimated by': 120929, 'decimated by nearly': 230981, 'by nearly decade': 153313, 'nearly decade of': 553812, 'decade of civil': 230693, 'of civil war': 581436, 'ester': 282223, 'vitaminc': 959819, 'reputation': 713116, 'circle': 178597, 'sanitised': 733899, 'oriented': 619516, 'eg': 269692, 'bigpharma': 130371, 'supplement': 824408, 'rightly': 722458, 'practitioner': 668792, 'same with': 733423, 'with ester': 998261, 'ester brand': 282224, 'brand vitaminc': 138063, 'vitaminc it': 959822, 'ha good': 370737, 'good reputation': 357652, 'reputation in': 713119, 'some circle': 782540, 'circle the': 178620, 'of sanitised': 589276, 'sanitised consumer': 733900, 'consumer oriented': 198292, 'oriented info': 619529, 'info eg': 437469, 'eg from': 269707, 'from bigpharma': 334694, 'bigpharma or': 130372, 'or supplement': 617293, 'supplement company': 824409, 'company should': 191074, 'be over': 116296, 'we rightly': 973107, 'rightly want': 722482, 'want the': 965955, 'full info': 340642, 'info practitioner': 437559, 'practitioner can': 668794, 'get auspol': 346622, 'auspol health': 103080, 'same with ester': 733425, 'with ester brand': 998262, 'ester brand vitaminc': 282225, 'brand vitaminc it': 138064, 'vitaminc it ha': 959823, 'it ha good': 458394, 'ha good reputation': 370741, 'good reputation in': 357653, 'reputation in some': 713120, 'in some circle': 428084, 'some circle the': 782541, 'circle the day': 178621, 'the day of': 852900, 'day of sanitised': 228099, 'of sanitised consumer': 589277, 'sanitised consumer oriented': 733901, 'consumer oriented info': 198297, 'oriented info eg': 619530, 'info eg from': 437470, 'eg from bigpharma': 269708, 'from bigpharma or': 334695, 'bigpharma or supplement': 130373, 'or supplement company': 617294, 'supplement company should': 824410, 'company should be': 191075, 'should be over': 765684, 'be over we': 116307, 'over we rightly': 630902, 'we rightly want': 973109, 'rightly want the': 722483, 'want the full': 965957, 'the full info': 856011, 'full info practitioner': 340643, 'info practitioner can': 437560, 'practitioner can get': 668795, 'can get auspol': 158406, 'get auspol health': 346623, 'gerrity': 346396, 'woman charged': 1003437, 'charged after': 173366, 'after allegedly': 35340, 'allegedly coughing': 45682, 'at gerrity': 98749, 'gerrity supermarket': 346397, 'supermarket coronavillains': 819804, 'coronavillains news': 205413, 'woman charged after': 1003438, 'charged after allegedly': 173367, 'after allegedly coughing': 35343, 'allegedly coughing on': 45684, 'coughing on food': 208717, 'on food at': 600841, 'food at gerrity': 313443, 'at gerrity supermarket': 98750, 'gerrity supermarket coronavillains': 346399, 'supermarket coronavillains news': 819805, 'kevin': 473199, 'takeaway': 832841, 'hairdresser': 374039, 'you kevin': 1019459, 'kevin wear': 473210, 'protect others': 684881, 'others transmission': 621743, 'transmission of': 929748, 'of will': 593163, 'be reduced': 116735, 'reduced in': 706099, 'place such': 657699, 'such supermarket': 816779, 'supermarket takeaway': 823128, 'takeaway hairdresser': 832869, 'hairdresser etc': 374040, 'etc if': 282599, 'if everyone': 414089, 'everyone wear': 287570, 'one especially': 606242, 'especially important': 280516, 'thank you kevin': 841761, 'you kevin wear': 1019460, 'kevin wear mask': 473211, 'wear mask to': 974408, 'mask to protect': 519419, 'to protect others': 912319, 'protect others transmission': 684886, 'others transmission of': 621744, 'transmission of will': 929756, 'of will be': 593165, 'will be reduced': 992637, 'be reduced in': 116738, 'reduced in public': 706100, 'public place such': 688234, 'place such supermarket': 657700, 'such supermarket takeaway': 816783, 'supermarket takeaway hairdresser': 823129, 'takeaway hairdresser etc': 832870, 'hairdresser etc if': 374041, 'etc if everyone': 282601, 'if everyone wear': 414099, 'everyone wear mask': 287571, 'wear mask if': 974389, 'you have one': 1019085, 'have one especially': 381786, 'one especially important': 606243, 'especially important for': 280518, 'reacted': 700154, 'confluence': 194273, 'technical': 836190, 'gld': 351657, 'price reacted': 676093, 'reacted to': 700159, 'to key': 908897, 'key confluence': 473256, 'confluence of': 194274, 'of technical': 590625, 'technical support': 836208, 'outlook fuel': 629159, 'fuel fear': 340170, 'of prolonged': 588532, 'prolonged outbreak': 683631, 'is xauusd': 454113, 'xauusd at': 1013769, 'it lowest': 459479, 'lowest get': 506168, 'your gld': 1024051, 'gld technical': 351662, 'technical analysis': 836191, 'analysis from': 57043, 'gold price reacted': 355971, 'price reacted to': 676094, 'reacted to key': 700162, 'to key confluence': 908899, 'key confluence of': 473257, 'confluence of technical': 194275, 'of technical support': 590626, 'technical support the': 836211, 'support the outlook': 826880, 'the outlook fuel': 862743, 'outlook fuel fear': 629160, 'fuel fear of': 340171, 'fear of prolonged': 301255, 'of prolonged outbreak': 588533, 'prolonged outbreak is': 683632, 'outbreak is xauusd': 628390, 'is xauusd at': 454114, 'xauusd at it': 1013770, 'at it lowest': 99330, 'it lowest get': 459480, 'lowest get your': 506169, 'get your gld': 348706, 'your gld technical': 1024052, 'gld technical analysis': 351663, 'technical analysis from': 836192, 'analysis from here': 57044, 'boneless': 134296, 'whichever': 986538, 'wing': 995967, 'flavor': 310233, 'daiquiri': 224940, '5005': 20075, 'cooper': 203117, 'arlington': 92872, 'tx': 937428, 'boneless or': 134299, 'or traditional': 617512, 'traditional whichever': 929025, 'whichever you': 986545, 'you prefer': 1020408, 'prefer our': 669743, 'our wing': 625384, 'wing pack': 995986, 'pack are': 633018, 'are packed': 88945, 'packed flavor': 633602, 'flavor amp': 310234, 'amp saving': 54445, 'saving for': 737871, 'for great': 322001, 'great taste': 363026, 'taste amp': 834773, 'amp price': 54328, 'you compare': 1017997, 'compare call': 191389, 'ahead amp': 39132, 'amp carry': 53503, 'out flavor': 626077, 'flavor wing': 310242, 'wing daiquiri': 995972, 'daiquiri 5005': 224941, '5005 cooper': 20076, 'cooper st': 203126, 'st arlington': 791683, 'arlington tx': 92873, 'boneless or traditional': 134300, 'or traditional whichever': 617513, 'traditional whichever you': 929026, 'whichever you prefer': 986546, 'you prefer our': 1020409, 'prefer our wing': 669744, 'our wing pack': 625385, 'wing pack are': 995987, 'pack are packed': 633019, 'are packed flavor': 88946, 'packed flavor amp': 633603, 'flavor amp saving': 310235, 'amp saving for': 54446, 'saving for great': 737872, 'for great taste': 322007, 'great taste amp': 363027, 'taste amp price': 834774, 'amp price you': 54331, 'price you compare': 677692, 'you compare call': 1017998, 'compare call ahead': 191390, 'call ahead amp': 155747, 'ahead amp carry': 39133, 'amp carry out': 53504, 'carry out flavor': 165138, 'out flavor wing': 626078, 'flavor wing daiquiri': 310243, 'wing daiquiri 5005': 995973, 'daiquiri 5005 cooper': 224942, '5005 cooper st': 20077, 'cooper st arlington': 203127, 'st arlington tx': 791684, 'institute': 440407, 'beating': 118613, 'punishment': 689252, 'traitor': 929379, 'stop me': 804828, 'me time': 523732, 're institute': 698904, 'institute public': 440428, 'public beating': 687892, 'beating public': 118625, 'public flogging': 688003, 'flogging maybe': 310696, 'maybe more': 521746, 'more severe': 540366, 'severe punishment': 754048, 'punishment for': 689255, 'for traitor': 327310, 'stop me time': 804833, 'me time to': 523735, 'time to re': 898039, 'to re institute': 912777, 're institute public': 698905, 'institute public beating': 440429, 'public beating public': 687893, 'beating public flogging': 118627, 'public flogging maybe': 688004, 'flogging maybe more': 310697, 'maybe more severe': 521747, 'more severe punishment': 540370, 'severe punishment for': 754049, 'punishment for traitor': 689257, 'pro': 679088, 'jersey': 465183, 'tcot': 835293, 'buildthewall': 142166, 'pjnet': 657237, 'evangelicals': 283746, 'uniteblue': 942133, 'p2': 632803, 'pro trump': 679139, 'trump new': 933722, 'new jersey': 558961, 'jersey man': 465217, 'who coughed': 988498, 'told her': 923564, 'her he': 392097, 'he had': 385040, 'had coronavirus': 372988, 'coronavirus held': 206066, 'held on': 388910, 'terror charge': 838586, 'charge tcot': 173314, 'tcot buildthewall': 835294, 'buildthewall christian': 142167, 'christian pjnet': 178126, 'pjnet evangelicals': 657238, 'evangelicals uniteblue': 283749, 'uniteblue p2': 942134, 'pro trump new': 679140, 'trump new jersey': 933723, 'new jersey man': 558977, 'jersey man who': 465219, 'man who coughed': 512324, 'who coughed on': 988500, 'coughed on supermarket': 208634, 'on supermarket worker': 603813, 'worker and told': 1006349, 'and told her': 74257, 'told her he': 923567, 'her he had': 392099, 'he had coronavirus': 385045, 'had coronavirus held': 372991, 'coronavirus held on': 206067, 'held on terror': 388913, 'on terror charge': 603908, 'terror charge tcot': 838590, 'charge tcot buildthewall': 173315, 'tcot buildthewall christian': 835295, 'buildthewall christian pjnet': 142168, 'christian pjnet evangelicals': 178127, 'pjnet evangelicals uniteblue': 657239, 'evangelicals uniteblue p2': 283750, 'bamy': 109154, 'merchandise': 528965, 'infrared': 438173, '3m': 18296, 'bamyglobal': 109157, '861577877688': 22986, 'whatspps': 982927, '8618607740759': 22992, '07063501522': 1024, '08028611855': 1110, 'kindly contact': 475114, 'contact bamy': 200030, 'bamy global': 109155, 'global merchandise': 352032, 'merchandise for': 528974, 'high quality': 395309, 'quality covid': 691776, '19 fast': 6943, 'fast test': 300045, 'kit wholesale': 475670, 'price gun': 674371, 'gun type': 368755, 'type infrared': 937541, 'infrared thermometer': 438176, 'thermometer face': 879516, 'mask 3m': 518267, '3m type': 18341, 'type face': 937524, 'mask kindly': 518902, 'kindly dm': 475119, 'dm or': 248912, 'or contact': 614800, 'contact bamyglobal': 200032, 'bamyglobal com': 109158, 'com 861577877688': 186912, '861577877688 whatspps': 22989, 'whatspps 8618607740759': 982928, '8618607740759 07063501522': 22993, '07063501522 08028611855': 1025, 'kindly contact bamy': 475115, 'contact bamy global': 200031, 'bamy global merchandise': 109156, 'global merchandise for': 352033, 'merchandise for high': 528975, 'for high quality': 322259, 'high quality covid': 395311, 'quality covid 19': 691777, 'covid 19 fast': 213076, '19 fast test': 6944, 'fast test kit': 300046, 'test kit wholesale': 839073, 'kit wholesale price': 475671, 'wholesale price gun': 990472, 'price gun type': 674372, 'gun type infrared': 368756, 'type infrared thermometer': 937542, 'infrared thermometer face': 438178, 'thermometer face mask': 879517, 'face mask 3m': 294510, 'mask 3m type': 518268, '3m type face': 18342, 'type face mask': 937525, 'face mask kindly': 294558, 'mask kindly dm': 518903, 'kindly dm or': 475120, 'dm or contact': 248914, 'or contact bamyglobal': 614801, 'contact bamyglobal com': 200033, 'bamyglobal com 861577877688': 109159, 'com 861577877688 whatspps': 186914, '861577877688 whatspps 8618607740759': 22990, 'whatspps 8618607740759 07063501522': 982929, '8618607740759 07063501522 08028611855': 22994, 'electricity': 271144, 'distinguish': 247871, 'no electricity': 564101, 'electricity supply': 271212, 'supply no': 825589, 'even buy': 283916, 'we cannot': 971046, 'cannot even': 161787, 'even distinguish': 284011, 'distinguish because': 247872, 'closed just': 183204, 'just wait': 470192, 'wait until': 964237, 'the boy': 849928, 'boy start': 137283, 'start getting': 794311, 'getting you': 349462, 'home maybe': 401599, 'maybe then': 521836, 'understand how': 940637, 'how dangerous': 407664, 'dangerous covid': 225731, 'is or': 450597, 'or not': 616285, 'no electricity supply': 564102, 'electricity supply no': 271213, 'supply no money': 825590, 'no money to': 564789, 'money to even': 537095, 'to even buy': 905285, 'even buy grocery': 283918, 'buy grocery and': 148747, 'grocery and food': 364236, 'and food that': 63099, 'food that we': 317104, 'that we cannot': 847367, 'we cannot even': 971056, 'cannot even distinguish': 161791, 'even distinguish because': 284012, 'distinguish because the': 247873, 'because the supermarket': 119652, 'supermarket is closed': 821075, 'is closed just': 446582, 'closed just wait': 183205, 'just wait until': 470196, 'wait until the': 964244, 'until the boy': 943848, 'the boy start': 849931, 'boy start getting': 137284, 'start getting you': 794312, 'getting you at': 349463, 'you at home': 1017335, 'at home maybe': 99046, 'home maybe then': 401600, 'maybe then you': 521838, 'then you understand': 877797, 'you understand how': 1021963, 'understand how dangerous': 940641, 'how dangerous covid': 407665, 'dangerous covid 19': 225732, '19 is or': 8019, 'is or not': 450600, 'not safe': 571417, 'safe for': 729675, 'it is not': 459023, 'is not safe': 450178, 'not safe for': 571419, 'safe for people': 729681, 'rwanda': 728732, 'coronavirus rwanda': 206693, 'rwanda fine': 728735, 'fine 44': 307596, '44 company': 19004, 'company for': 190673, 'price 19': 672112, 'coronavirus rwanda fine': 206694, 'rwanda fine 44': 728736, 'fine 44 company': 307597, '44 company for': 19005, 'company for hiking': 190674, 'hiking price 19': 396389, 'jacked': 464138, 'ripped': 722700, 'brit': 140325, 'moscowmitchslushfund': 542014, 'trumpslushfund': 934156, 'trumpvirus': 934177, 'trumplung': 934090, 'pandumbi': 637153, 'have drug': 380390, 'drug company': 260913, 'company done': 190610, 'done jacked': 254912, 'jacked price': 464141, 'price ripped': 676225, 'ripped off': 722703, 'off patient': 594052, 'patient lol': 644207, 'lol this': 500963, 'is your': 454130, 'your world': 1026389, 'world brit': 1009373, 'brit you': 140361, 'you made': 1019745, 'made this': 508017, 'this moscowmitchslushfund': 889045, 'moscowmitchslushfund trumpslushfund': 542015, 'trumpslushfund liar': 934157, 'liar trumppandemic': 487975, 'trumppandemic trumpvirus': 934116, 'trumpvirus trumplung': 934192, 'trumplung pandumbi': 934091, 'and what have': 75469, 'what have drug': 981576, 'have drug company': 380391, 'drug company done': 260916, 'company done jacked': 190611, 'done jacked price': 254913, 'jacked price ripped': 464142, 'price ripped off': 676226, 'ripped off patient': 722705, 'off patient lol': 594053, 'patient lol this': 644208, 'lol this is': 500966, 'this is your': 888476, 'is your world': 454173, 'your world brit': 1026390, 'world brit you': 1009374, 'brit you made': 140362, 'you made this': 1019746, 'made this moscowmitchslushfund': 508024, 'this moscowmitchslushfund trumpslushfund': 889046, 'moscowmitchslushfund trumpslushfund liar': 542016, 'trumpslushfund liar trumppandemic': 934158, 'liar trumppandemic trumpvirus': 487976, 'trumppandemic trumpvirus trumplung': 934117, 'trumpvirus trumplung pandumbi': 934193, 'siraj': 771688, 'chaudhry': 174036, 'md': 522253, 'to pandemic': 911364, 'pandemic may': 635938, 'may cause': 521070, 'cause temporary': 167747, 'temporary supply': 837708, 'supply disruption': 825170, 'disruption but': 246447, 'are enough': 86219, 'of commodity': 581565, 'commodity available': 189139, 'meet national': 527531, 'national demand': 552477, 'demand article': 235031, 'by siraj': 154027, 'siraj chaudhry': 771689, 'chaudhry md': 174037, 'md amp': 522254, 'amp ceo': 53509, 'due to pandemic': 261896, 'to pandemic may': 911370, 'pandemic may cause': 635940, 'may cause temporary': 521076, 'cause temporary supply': 167748, 'temporary supply disruption': 837709, 'supply disruption but': 825171, 'disruption but there': 246448, 'there are enough': 878100, 'are enough stock': 86220, 'stock of commodity': 802519, 'of commodity available': 581568, 'commodity available to': 189140, 'available to meet': 104650, 'to meet national': 910038, 'meet national demand': 527532, 'national demand article': 552478, 'demand article by': 235033, 'article by siraj': 94286, 'by siraj chaudhry': 154028, 'siraj chaudhry md': 771690, 'chaudhry md amp': 174038, 'md amp ceo': 522255, 'hiya': 398613, 'monster': 537453, 'liveinhope': 496186, 'hiya don': 398614, 'don supposed': 253945, 'supposed you': 827380, 'reduce rental': 705915, 'rental price': 711259, 'on sky': 603495, 'sky store': 773232, 'on movie': 602239, 'movie to': 544084, 'help keep': 389963, 'the little': 859484, 'little monster': 495455, 'monster entertained': 537458, 'entertained liveinhope': 278528, 'liveinhope lockdown': 496187, 'hiya don supposed': 398615, 'don supposed you': 253946, 'supposed you want': 827381, 'want to reduce': 966101, 'to reduce rental': 913034, 'reduce rental price': 705916, 'rental price on': 711267, 'price on sky': 675717, 'on sky store': 603498, 'sky store on': 773233, 'store on movie': 809199, 'on movie to': 602240, 'movie to help': 544085, 'to help keep': 907549, 'help keep the': 389975, 'keep the little': 472054, 'the little monster': 859490, 'little monster entertained': 495456, 'monster entertained liveinhope': 537459, 'entertained liveinhope lockdown': 278529, 'raleys': 696236, 'bel': 126134, 'medium and': 526984, 'medium got': 527120, 'got everyone': 358542, 'panic drove': 638048, 'drove to': 260814, 'to different': 904284, 'different store': 242071, 'that had': 844147, 'had plenty': 373410, 'no long': 564620, 'line but': 493017, 'medium show': 527275, 'show the': 767200, 'one costco': 606106, 'costco with': 208294, 'with line': 999236, 'line longer': 493239, 'longer than': 502068, 'than football': 840664, 'football field': 318488, 'field go': 304477, 'try raleys': 934546, 'raleys or': 696237, 'or bel': 614538, 'bel air': 126135, 'why the medium': 991424, 'the medium and': 860415, 'medium and social': 526991, 'and social medium': 71891, 'social medium got': 779857, 'medium got everyone': 527121, 'got everyone in': 358544, 'everyone in panic': 287048, 'in panic drove': 426479, 'panic drove to': 638049, 'drove to different': 260816, 'to different store': 904288, 'different store today': 242075, 'store today that': 810868, 'today that had': 920269, 'that had plenty': 844155, 'had plenty of': 373412, 'food and no': 313293, 'and no long': 67621, 'no long line': 564621, 'long line but': 501495, 'line but the': 493019, 'but the medium': 147363, 'the medium show': 860441, 'medium show the': 527277, 'show the one': 767215, 'the one costco': 862196, 'one costco with': 606107, 'costco with line': 208295, 'with line longer': 999238, 'line longer than': 493240, 'longer than football': 502070, 'than football field': 840665, 'football field go': 318490, 'field go to': 304478, 'go to different': 354300, 'different store try': 242076, 'store try raleys': 810963, 'try raleys or': 934547, 'raleys or bel': 696238, 'or bel air': 614539, 'manage': 512372, 'let help': 486780, 'nation through': 552340, 'through tough': 894869, 'time free': 896791, 'free app': 331656, 'app to': 81773, 'to manage': 909786, 'manage for': 512392, 'delivery takeaway': 234603, 'takeaway order': 832897, 'let help the': 486786, 'help the nation': 390667, 'the nation through': 861267, 'nation through tough': 552341, 'through tough time': 894870, 'tough time free': 926852, 'time free app': 896792, 'free app to': 331658, 'app to manage': 81776, 'to manage for': 909791, 'manage for delivery': 512393, 'for delivery takeaway': 320648, 'delivery takeaway order': 234605, 'hmm': 398667, 'fleeced': 310294, '449': 19049, '199': 12461, 'hmm don': 398676, 'there support': 879121, 'me very': 523877, 'very much': 955355, 'much hate': 544982, 'hate being': 378866, 'being fleeced': 125154, 'fleeced all': 310295, 'company jacking': 190825, 'jacking there': 464181, 'there price': 878954, 'price cause': 673089, '19 this': 11337, 'thing is': 884459, 'never 449': 557841, '449 that': 19050, 'there to': 879177, 'stop you': 805289, 'you hitting': 1019225, 'hitting code': 398557, 'code on': 185388, 'the 199': 847954, '199 price': 12474, 'hmm don think': 398677, 'don think there': 253984, 'think there support': 885671, 'there support like': 879122, 'support like me': 826613, 'like me very': 490758, 'me very much': 523879, 'very much hate': 955361, 'much hate being': 544983, 'hate being fleeced': 378868, 'being fleeced all': 125155, 'fleeced all these': 310296, 'all these company': 45026, 'these company jacking': 879790, 'company jacking there': 190826, 'jacking there price': 464182, 'there price cause': 878955, 'price cause of': 673091, 'cause of covid': 167677, 'covid 19 this': 213942, '19 this thing': 11352, 'this thing is': 890567, 'thing is never': 884477, 'is never 449': 449878, 'never 449 that': 557842, '449 that is': 19051, 'that is there': 844665, 'is there to': 453040, 'there to stop': 879193, 'to stop you': 915595, 'stop you hitting': 805294, 'you hitting code': 1019226, 'hitting code on': 398558, 'code on the': 185389, 'on the 199': 603953, 'the 199 price': 847955, 'staythef': 799057, 'athome': 101789, 'or doctor': 615022, 'doctor office': 251043, 'office you': 595605, 'out stayhomesavelives': 627248, 'stayhomesavelives staythef': 798467, 'staythef athome': 799058, 're not going': 699093, 'store the pharmacy': 810615, 'pharmacy or doctor': 654397, 'or doctor office': 615027, 'doctor office you': 251050, 'office you should': 595606, 'be out stayhomesavelives': 116290, 'out stayhomesavelives staythef': 627251, 'stayhomesavelives staythef athome': 798468, 'capping': 162886, 'shooting': 759762, 'coronaupdatesindia': 205343, 'any capping': 78995, 'capping or': 162892, 'or regulation': 616828, 'regulation on': 708083, 'on price': 602902, 'essential commodity': 280908, 'commodity like': 189207, 'milk grocery': 531693, 'grocery etc': 364498, 'etc local': 282641, 'local seller': 498378, 'seller shooting': 749072, 'shooting up': 759780, 'by almost': 151798, 'almost 25': 46494, '25 already': 15829, 'already coronaupdatesindia': 47272, 'is there any': 452997, 'there any capping': 878016, 'any capping or': 78996, 'capping or regulation': 162893, 'or regulation on': 616829, 'regulation on price': 708087, 'on price of': 602915, 'of essential commodity': 583163, 'essential commodity like': 280925, 'commodity like milk': 189211, 'like milk grocery': 490780, 'milk grocery etc': 531694, 'grocery etc local': 364500, 'etc local seller': 282643, 'local seller shooting': 498379, 'seller shooting up': 749073, 'shooting up price': 759783, 'up price by': 945809, 'price by almost': 673014, 'by almost 25': 151800, 'almost 25 already': 46495, '25 already coronaupdatesindia': 15830, 'am at': 49908, 'or ikea': 615728, 'ikea don': 416039, 'know all': 476235, 'all see': 44261, 'see is': 745315, 'is shelf': 451841, 'am at the': 49914, 'supermarket or ikea': 821813, 'or ikea don': 615729, 'ikea don know': 416040, 'don know all': 253660, 'know all see': 476239, 'all see is': 44263, 'see is shelf': 745321, 'groceryworkers': 366393, 'working just': 1008749, 'just hard': 468927, 'need bekind': 554532, 'bekind coronacrisis': 126092, 'coronacrisis groceryworkers': 204618, 'your grocery store': 1024136, 'they are working': 881464, 'are working just': 91703, 'working just hard': 1008750, 'just hard to': 468929, 'hard to make': 378071, 'sure you get': 827858, 'you get the': 1018799, 'get the food': 348244, 'the food you': 855627, 'food you need': 317718, 'you need bekind': 1019970, 'need bekind coronacrisis': 554533, 'bekind coronacrisis groceryworkers': 126093, 'caught short': 167457, 'shopping team': 764054, 'team have': 835663, 'have checked': 379956, 'checked stock': 174769, 'roll online': 725434, 'and published': 69756, 'published this': 688702, 'of every': 583233, 'every site': 286195, 'site where': 772058, 'they found': 882137, 'found it': 330257, 'sale panicbuying': 732441, 'panicbuying toiletpapercrisis': 639097, 'caught short our': 167458, 'short our shopping': 764671, 'our shopping team': 624767, 'shopping team have': 764055, 'team have checked': 835666, 'have checked stock': 379957, 'checked stock of': 174770, 'stock of toilet': 802550, 'toilet roll online': 921591, 'roll online and': 725435, 'online and published': 607846, 'and published this': 69757, 'published this list': 688705, 'this list of': 888660, 'list of every': 494430, 'of every site': 583241, 'every site where': 286196, 'site where they': 772060, 'where they found': 985278, 'they found it': 882141, 'found it on': 330264, 'it on sale': 460055, 'on sale panicbuying': 603273, 'sale panicbuying toiletpapercrisis': 732442, 'bernie': 127373, 'guarantee': 367692, 'uninsured': 941833, 'insured': 440861, 'billing': 130754, '150': 3885, '400': 18703, '1yr': 12848, 'bernie emergency': 127376, 'emergency health': 272742, 'care guarantee': 163975, 'guarantee act': 367693, 'act would': 29828, 'would require': 1012186, 'require medicare': 713312, 'medicare to': 526596, 'pay all': 644711, 'medical bill': 526065, 'bill for': 130572, 'the uninsured': 870398, 'uninsured amp': 941834, 'amp under': 54756, 'under insured': 940134, 'insured until': 440864, 'until covid': 943715, 'vaccine is': 951721, 'available ban': 104269, 'ban surprise': 109266, 'surprise billing': 828514, 'billing drug': 130759, 'cost 150': 207822, '150 billion': 3897, 'billion for': 130815, 'month 400': 537513, '400 billion': 18720, 'for 1yr': 318723, '1yr save': 12849, 'bernie emergency health': 127377, 'emergency health care': 272743, 'health care guarantee': 386235, 'care guarantee act': 163976, 'guarantee act would': 367694, 'act would require': 29829, 'would require medicare': 1012188, 'require medicare to': 713313, 'medicare to pay': 526598, 'to pay all': 911509, 'pay all medical': 644714, 'all medical bill': 43488, 'medical bill for': 526068, 'bill for the': 130576, 'for the uninsured': 326752, 'the uninsured amp': 870399, 'uninsured amp under': 941835, 'amp under insured': 54757, 'under insured until': 940135, 'insured until covid': 440865, 'until covid 19': 943716, '19 vaccine is': 11721, 'vaccine is available': 951723, 'is available ban': 445909, 'available ban surprise': 104270, 'ban surprise billing': 109267, 'surprise billing drug': 828515, 'billing drug price': 130760, 'drug price cost': 261039, 'price cost 150': 673272, 'cost 150 billion': 207823, '150 billion for': 3898, 'billion for month': 130821, 'for month 400': 323506, 'month 400 billion': 537514, '400 billion for': 18721, 'billion for 1yr': 130816, 'for 1yr save': 318724, '1yr save life': 12850, 'heroic': 394193, 'selfegodrivenisolation': 747944, 'pipedown': 656891, 'back drop': 106964, 'of nh': 587005, 'worker civil': 1006639, 'servant supermarket': 751847, 'employee heroic': 273936, 'heroic do': 394196, 'do we': 250460, 'need celebrity': 554595, 'celebrity posting': 168895, 'posting about': 666637, 'how heroic': 407996, 'heroic they': 394202, 'are selfegodrivenisolation': 89931, 'selfegodrivenisolation coronacrisis': 747945, 'coronacrisis pipedown': 204707, 'against the back': 37642, 'the back drop': 849144, 'back drop of': 106965, 'drop of nh': 260321, 'of nh worker': 587009, 'nh worker civil': 562181, 'worker civil servant': 1006640, 'civil servant supermarket': 179547, 'servant supermarket employee': 751848, 'supermarket employee heroic': 820124, 'employee heroic do': 273937, 'heroic do we': 394197, 'do we need': 250479, 'we need celebrity': 972473, 'need celebrity posting': 554596, 'celebrity posting about': 168896, 'posting about how': 666640, 'about how heroic': 25444, 'how heroic they': 407997, 'heroic they are': 394203, 'they are selfegodrivenisolation': 881400, 'are selfegodrivenisolation coronacrisis': 89932, 'selfegodrivenisolation coronacrisis pipedown': 747946, 'importance': 418684, 'musician': 546367, 'dancer': 225591, 'model': 535221, 'play update': 659240, 'update due': 946940, 'the importance': 857974, 'importance of': 418692, 'of being': 580632, 'being earnest': 125091, 'earnest current': 264854, 'current production': 221320, 'production is': 682083, 'still scheduled': 801140, 'scheduled on': 741504, 'on normal': 602429, 'normal date': 567125, 'date unless': 226747, 'unless further': 942605, 'notice ticket': 573380, 'ticket are': 895595, 'still available': 800219, 'available you': 104714, 'can message': 158994, 'message me': 529364, 'price any': 672595, 'other question': 620804, 'question you': 693820, 'might have': 531005, 'have actress': 379118, 'actress musician': 30616, 'musician dancer': 546371, 'dancer model': 225592, 'play update due': 659241, 'update due to': 946941, '19 the importance': 11209, 'the importance of': 857976, 'importance of being': 418695, 'of being earnest': 580639, 'being earnest current': 125092, 'earnest current production': 264855, 'current production is': 221321, 'production is still': 682091, 'is still scheduled': 452309, 'still scheduled on': 801141, 'scheduled on normal': 741505, 'on normal date': 602430, 'normal date unless': 567126, 'date unless further': 226748, 'unless further notice': 942606, 'further notice ticket': 342119, 'notice ticket are': 573381, 'ticket are still': 895596, 'are still available': 90394, 'still available you': 800230, 'available you can': 104715, 'you can message': 1017726, 'can message me': 158995, 'message me for': 529366, 'me for price': 522758, 'for price any': 324714, 'price any other': 672596, 'any other question': 79604, 'other question you': 620805, 'question you might': 693823, 'you might have': 1019852, 'might have actress': 531006, 'have actress musician': 379119, 'actress musician dancer': 30617, 'musician dancer model': 546372, 'apocalypse2020': 81579, 'just another': 468199, 'store apocalypse2020': 806439, 'just another day': 468202, 'day of having': 228072, 'having to leave': 384351, 'to leave to': 909167, 'leave to go': 485009, 'grocery store apocalypse2020': 365209, 'hedging': 388743, 'hedging help': 388744, 'help oil': 390175, 'oil firm': 596797, 'firm weather': 308450, 'weather storm': 974894, 'hedging help oil': 388745, 'help oil firm': 390178, 'oil firm weather': 596798, 'firm weather storm': 308451, 'workout': 1009152, 'multi': 545648, 'millionaire': 532439, 'dentist': 237093, 'swimming': 830356, 'pool': 664007, 'sauna': 737393, 'mansion': 513336, 'just done': 468641, 'done home': 254878, 'home workout': 402565, 'workout do': 1009157, 'panic we': 638759, 'this say': 889965, 'the multi': 861130, 'multi millionaire': 545657, 'millionaire who': 532458, 'can stockpile': 159810, 'stockpile year': 803821, 'year and': 1014389, 'and year': 75960, 'his own': 397671, 'own private': 632151, 'private dentist': 678890, 'dentist gym': 237098, 'gym swimming': 369352, 'swimming pool': 830359, 'pool sauna': 664022, 'sauna and': 737394, 'and steam': 72334, 'steam room': 799292, 'room inside': 725925, 'inside his': 439275, 'his mansion': 397595, 'just done home': 468642, 'done home workout': 254879, 'home workout do': 402566, 'workout do not': 1009158, 'not panic we': 570945, 'panic we will': 638770, 'through this say': 894837, 'this say the': 889973, 'say the multi': 739288, 'the multi millionaire': 861131, 'multi millionaire who': 545658, 'millionaire who can': 532459, 'who can stockpile': 988410, 'can stockpile year': 159811, 'stockpile year and': 803822, 'year and year': 1014411, 'and year worth': 75964, 'food with his': 317643, 'with his own': 998840, 'his own private': 397678, 'own private dentist': 632152, 'private dentist gym': 678891, 'dentist gym swimming': 237099, 'gym swimming pool': 369353, 'swimming pool sauna': 830364, 'pool sauna and': 664023, 'sauna and steam': 737395, 'and steam room': 72335, 'steam room inside': 799293, 'room inside his': 725926, 'inside his mansion': 439276, 'hq': 409578, 'sweep': 830091, 'bakersfield': 108828, 'socialmediamarketing': 781108, 'networkmarketing': 557786, 'distancing trending': 247575, 'trending toward': 931572, 'toward home': 927128, 'home hq': 401386, 'hq think': 409585, 'think with': 885793, 'with google': 998645, 'google covid': 358144, '19 sweep': 11003, 'sweep around': 830106, 'virus could': 958092, 'could accelerate': 208787, 'accelerate trend': 27869, 'trend that': 931461, 'wa already': 961480, 'already under': 47733, 'under way': 940376, 'way bakersfield': 969486, 'bakersfield socialmediamarketing': 108831, 'socialmediamarketing networkmarketing': 781115, 'social distancing trending': 779749, 'distancing trending toward': 247576, 'trending toward home': 931573, 'toward home hq': 927130, 'home hq think': 401388, 'hq think with': 409586, 'think with google': 885794, 'with google covid': 998647, 'google covid 19': 358145, 'covid 19 sweep': 213902, '19 sweep around': 11005, 'sweep around the': 830107, 'world the virus': 1010055, 'the virus could': 870818, 'virus could accelerate': 958093, 'could accelerate trend': 208789, 'accelerate trend that': 27870, 'trend that wa': 931466, 'that wa already': 847270, 'wa already under': 961495, 'already under way': 47736, 'under way bakersfield': 940377, 'way bakersfield socialmediamarketing': 969487, 'bakersfield socialmediamarketing networkmarketing': 108832, 'how doe': 407734, 'doe covid': 251367, 'of drinking': 582821, 'drinking water': 258943, 'water az': 968908, 'az big': 106375, 'big medium': 129865, 'how doe covid': 407739, 'doe covid 19': 251368, '19 impact the': 7713, 'impact the safety': 418005, 'safety of drinking': 730644, 'of drinking water': 582822, 'drinking water az': 258945, 'water az big': 968909, 'az big medium': 106376, 'sth': 800007, 'soft': 781456, 'if have': 414197, 'outside sth': 629557, 'sth is': 800008, 'is necessary': 449842, 'necessary mask': 554025, 'mask plastic': 519119, 'plastic mask': 658863, 'mask pair': 519094, 'of glass': 584143, 'glass glove': 351620, 'sanitizer soft': 735768, 'soft wipe': 781495, 'and so': 71834, 'so on': 777939, 'if have to': 414206, 'go outside sth': 354022, 'outside sth is': 629558, 'sth is necessary': 800009, 'is necessary mask': 449847, 'necessary mask plastic': 554026, 'mask plastic mask': 519121, 'plastic mask pair': 658864, 'mask pair of': 519095, 'pair of glass': 634334, 'of glass glove': 584144, 'glass glove hand': 351621, 'hand sanitizer soft': 375593, 'sanitizer soft wipe': 735769, 'soft wipe and': 781496, 'wipe and so': 996193, 'and so on': 71850, 'federation': 302098, 'merchant': 528992, 'advance': 32888, 'national retail': 552606, 'retail federation': 718114, 'federation advocate': 302099, 'advocate on': 33845, 'of merchant': 586442, 'merchant asks': 529001, 'asks government': 96138, 'government for': 360095, 'for advance': 319033, 'advance notice': 32904, 'notice before': 573249, 'before ordering': 122985, 'ordering store': 619024, 'closure retail': 184016, 'national retail federation': 552607, 'retail federation advocate': 718115, 'federation advocate on': 302100, 'advocate on behalf': 33846, 'behalf of merchant': 123757, 'of merchant asks': 586443, 'merchant asks government': 529002, 'asks government for': 96139, 'government for advance': 360096, 'for advance notice': 319034, 'advance notice before': 32905, 'notice before ordering': 573250, 'before ordering store': 122986, 'ordering store closure': 619025, 'store closure retail': 807105, 'are detail': 85802, 'detail on': 239226, 'the special': 867545, 'hour stop': 405958, 'stop amp': 804446, 'amp shop': 54490, 'is creating': 446908, 'creating to': 216093, 'protect customer': 684808, 'are particularly': 88988, 'particularly vulnerable': 642727, 'here are detail': 392736, 'are detail on': 85803, 'detail on the': 239231, 'on the special': 604376, 'the special hour': 867547, 'special hour stop': 787965, 'hour stop amp': 405959, 'stop amp shop': 804447, 'amp shop is': 54491, 'shop is creating': 760356, 'is creating to': 446919, 'creating to help': 216094, 'help protect customer': 390368, 'protect customer who': 684811, 'who are particularly': 988192, 'are particularly vulnerable': 88991, 'particularly vulnerable to': 642728, 'coronavirus update': 206988, 'shortage supply': 765233, 'chain preparedness': 171004, 'preparedness and': 670276, 'market pandemic': 516832, 'pandemic supplychain': 636601, 'coronavirus update on': 206996, 'update on food': 947115, 'on food shortage': 600907, 'food shortage supply': 316606, 'shortage supply chain': 765234, 'supply chain preparedness': 825009, 'chain preparedness and': 171005, 'preparedness and the': 670279, 'and the stock': 73595, 'stock market pandemic': 802419, 'market pandemic supplychain': 516833, 'nerida': 557433, 'conisbee': 194574, 'on australia': 599504, 'australia property': 103355, 'property market': 684299, 'market nerida': 516750, 'nerida conisbee': 557434, 'conisbee economist': 194577, 'economist with': 267594, 'with australia': 997337, 'australia will': 103421, 'not see': 571472, 'in free': 423096, 'free fall': 331801, 'impact on australia': 417821, 'on australia property': 599505, 'australia property market': 103356, 'property market nerida': 684308, 'market nerida conisbee': 516751, 'nerida conisbee economist': 557436, 'conisbee economist with': 194578, 'economist with australia': 267595, 'with australia will': 997339, 'australia will not': 103423, 'will not see': 994268, 'not see house': 571477, 'price in free': 674687, 'in free fall': 423098, 'tirupati': 899104, 'vegetableprices': 954135, 'tirupati resident': 899105, 'resident express': 714294, 'express concern': 293027, 'over rising': 630594, 'rising price': 723262, 'of vegetable': 592757, 'vegetable tirupati': 954106, 'tirupati vegetableprices': 899107, 'tirupati resident express': 899106, 'resident express concern': 714295, 'express concern over': 293028, 'concern over rising': 193052, 'over rising price': 630595, 'rising price of': 723270, 'price of vegetable': 675603, 'of vegetable tirupati': 592766, 'vegetable tirupati vegetableprices': 954107, 'italian': 462678, 'greek': 363640, 'how italian': 408148, 'italian and': 462682, 'and greek': 63953, 'greek are': 363641, 'handling coronavirus': 376341, 'how italian and': 408149, 'italian and greek': 462683, 'and greek are': 63954, 'greek are handling': 363642, 'are handling coronavirus': 86995, 'jt': 467584, 'peter': 653514, 'whatshisname': 982917, 'predict 25': 669550, '25 unemployment': 15984, 'unemployment look': 941241, 'look only': 502558, 'only 15': 609979, '15 unemployment': 3858, 'unemployment hero': 941222, 'hero blame': 393948, 'blame covid': 132249, '19 oil': 8907, 'are super': 90641, 'price came': 673051, 'back because': 106901, 'of me': 586321, 'me made': 523132, 'made all': 507621, 'job jt': 465930, 'jt is': 467585, 'is bad': 445956, 'bad vote': 108072, 'vote for': 960479, 'for peter': 324516, 'peter whatshisname': 653543, 'predict 25 unemployment': 669551, '25 unemployment look': 15986, 'unemployment look only': 941242, 'look only 15': 502559, 'only 15 unemployment': 609981, '15 unemployment hero': 3859, 'unemployment hero blame': 941223, 'hero blame covid': 393949, 'blame covid 19': 132250, 'covid 19 oil': 213510, '19 oil price': 8908, 'oil price are': 597052, 'price are super': 672747, 'are super low': 90646, 'super low oil': 818536, 'oil price came': 597071, 'price came back': 673052, 'came back because': 156974, 'back because of': 106903, 'because of me': 119375, 'of me made': 586336, 'me made all': 523133, 'made all the': 507623, 'all the job': 44799, 'the job jt': 858664, 'job jt is': 465931, 'jt is bad': 467586, 'is bad vote': 445976, 'bad vote for': 108073, 'vote for peter': 960485, 'for peter whatshisname': 324517, 'leaving the': 485146, 'store 19': 806022, '19 toiletpaper': 11484, 'leaving the store': 485156, 'the store 19': 867972, 'store 19 toiletpaper': 806026, 'lobster': 497642, 'tank': 834180, 'don jump': 253657, 'the lobster': 859530, 'lobster tank': 497651, 'tank while': 834233, 'please don jump': 659917, 'don jump in': 253658, 'in the lobster': 429326, 'the lobster tank': 859531, 'lobster tank while': 497652, 'tank while shopping': 834234, 'france': 330969, 'spain': 787264, 'austria': 103590, 'twenty percent': 936497, 'percent of': 651152, 'in france': 423070, 'france spain': 331030, 'spain and': 787271, 'and austria': 58526, 'austria are': 103595, 'closed by': 183032, 'by local': 153071, 'government retail': 360547, 'closure china': 183866, 'twenty percent of': 936498, 'percent of store': 651161, 'of store in': 590253, 'store in france': 808303, 'in france spain': 423086, 'france spain and': 331031, 'spain and austria': 787272, 'and austria are': 58527, 'austria are now': 103596, 'are now closed': 88537, 'now closed by': 574397, 'closed by local': 183034, 'by local government': 153076, 'local government retail': 498029, 'government retail store': 360548, 'retail store closure': 718626, 'store closure china': 807087, 'religion': 709554, 'looroll': 503165, 'new religion': 559439, 'religion looroll': 709559, 'looroll toiletpaper': 503176, 'new religion looroll': 559440, 'religion looroll toiletpaper': 709560, 'looroll toiletpaper toiletroll': 503178, 'madincanada': 508123, 'promotionalproducts': 683888, 'signage': 769272, 'store ready': 809749, 'for socialdistancing': 325707, 'socialdistancing here': 780423, 'some essential': 782757, 'get you': 348669, 'you prepared': 1020414, 'prepared madincanada': 670217, 'madincanada promotionalproducts': 508124, 'promotionalproducts signage': 683893, 'signage retail': 769281, 'is your store': 454167, 'your store ready': 1025986, 'store ready for': 809750, 'ready for socialdistancing': 700872, 'for socialdistancing here': 325710, 'socialdistancing here are': 780424, 'are some essential': 90263, 'some essential to': 782764, 'essential to get': 281698, 'to get you': 906648, 'get you prepared': 348680, 'you prepared madincanada': 1020416, 'prepared madincanada promotionalproducts': 670218, 'madincanada promotionalproducts signage': 508125, 'promotionalproducts signage retail': 683894, 'clawed': 180423, 'writes': 1012822, 'mcpro': 522242, 'marketswithmc': 517877, 'have clawed': 379976, 'clawed back': 180424, 'back some': 107275, 'some lost': 783230, 'lost ground': 503850, 'ground however': 366505, 'however that': 409465, 'not save': 571433, 'the march': 860060, 'march quarter': 515448, 'quarter it': 693247, 'worst ever': 1011179, 'ever writes': 285609, 'writes mcpro': 1012852, 'mcpro marketswithmc': 522243, 'price have clawed': 674416, 'have clawed back': 379977, 'clawed back some': 180425, 'back some lost': 107278, 'some lost ground': 783231, 'lost ground however': 503851, 'ground however that': 366506, 'however that could': 409466, 'could not save': 209455, 'not save the': 571434, 'save the march': 737660, 'the march quarter': 860064, 'march quarter it': 515449, 'quarter it worst': 693248, 'it worst ever': 462557, 'worst ever writes': 1011181, 'ever writes mcpro': 285610, 'writes mcpro marketswithmc': 1012853, 'cougher': 208649, 'raymond': 698040, 'coombs': 203082, 'appears': 82176, 'court': 211969, 'coronavirus supermarket': 206845, 'supermarket cougher': 819816, 'cougher raymond': 208652, 'raymond coombs': 698041, 'coombs appears': 203085, 'appears in': 82185, 'in court': 421838, 'court via': 212015, 'via nz': 956124, 'nz where': 578213, 'where everybody': 984862, 'everybody know': 286457, 'know your': 477095, 'your name': 1024927, '19 coronavirus supermarket': 6130, 'coronavirus supermarket cougher': 206846, 'supermarket cougher raymond': 819818, 'cougher raymond coombs': 208653, 'raymond coombs appears': 698043, 'coombs appears in': 203086, 'appears in court': 82186, 'in court via': 421841, 'court via nz': 212016, 'via nz where': 956125, 'nz where everybody': 578214, 'where everybody know': 984863, 'everybody know your': 286459, 'know your name': 477098, 'the message': 860511, 'from govt': 335680, 'govt on': 361231, 'the availability': 849085, 'availability of': 104154, 'item amidst': 463048, 'amidst however': 52799, 'ground reality': 366533, 'reality seems': 701787, 'seems different': 746769, 'different explains': 241938, 'don panic is': 253806, 'panic is the': 638226, 'is the message': 452863, 'the message from': 860517, 'message from govt': 529314, 'from govt on': 335682, 'govt on the': 361232, 'on the availability': 603975, 'the availability of': 849086, 'availability of food': 104162, 'of food item': 583722, 'food item amidst': 315192, 'item amidst however': 463049, 'amidst however the': 52800, 'however the ground': 409476, 'the ground reality': 856855, 'ground reality seems': 366534, 'reality seems different': 701788, 'seems different explains': 746770, 'lessen': 486434, 'lessen the': 486443, 'of catching': 581201, 'catching at': 167072, 'lessen the risk': 486445, 'risk of catching': 723732, 'of catching at': 581202, 'catching at the': 167074, '30th': 17524, 'obviously': 578818, 'amend': 51391, 'massively': 520167, 'booked up': 134684, 'with for': 998521, 'for weekend': 327770, 'weekend away': 977319, 'away this': 106064, 'this friday': 887614, 'friday for': 333222, 'my partner': 549712, 'partner 30th': 642754, '30th obviously': 17537, 'obviously with': 578868, 'are unable': 91255, 'travel they': 930529, 'now asking': 574114, 'asking to': 96092, 'to amend': 900403, 'amend the': 51396, 'the booking': 849846, 'booking date': 134721, 'date but': 226602, 'hiked the': 396341, 'up massively': 945369, 'massively for': 520175, 'for every': 321156, 'every alternate': 285661, 'alternate date': 49180, 'date and': 226587, 'and expect': 62478, 'expect to': 290764, 'pay the': 645143, 'the difference': 853255, 'booked up with': 134688, 'up with for': 946639, 'with for weekend': 998522, 'for weekend away': 327771, 'weekend away this': 977320, 'away this friday': 106065, 'this friday for': 887617, 'friday for my': 333224, 'for my partner': 323740, 'my partner 30th': 549713, 'partner 30th obviously': 642755, '30th obviously with': 17538, 'obviously with covid': 578870, 'we are unable': 970747, 'are unable to': 91256, 'unable to travel': 939351, 'to travel they': 917736, 'travel they are': 930530, 'they are now': 881343, 'are now asking': 88523, 'now asking to': 574118, 'asking to amend': 96093, 'to amend the': 900405, 'amend the booking': 51397, 'the booking date': 849848, 'booking date but': 134722, 'date but have': 226603, 'but have hiked': 145875, 'have hiked the': 380951, 'hiked the price': 396343, 'the price up': 864431, 'price up massively': 677246, 'up massively for': 945370, 'massively for every': 520176, 'for every alternate': 321158, 'every alternate date': 285662, 'alternate date and': 49181, 'date and expect': 226589, 'and expect to': 62484, 'expect to pay': 290772, 'to pay the': 911564, 'pay the difference': 645147, 'canadian do': 160670, 'panic about': 637253, 'shortage amid': 764804, 'say national': 738967, 'canadian do not': 160671, 'to panic about': 911380, 'panic about food': 637255, 'food shortage amid': 316553, 'shortage amid covid': 764805, '19 expert say': 6898, 'expert say national': 291954, 'tragedy': 929164, 'hal': 374093, 'sosabowski': 786194, 'returned': 719955, 'many frontline': 514090, 'staff may': 792642, 'may struggle': 521539, 'enough supply': 277645, 'this tragedy': 890837, 'tragedy and': 929165, 'is why': 453955, 'why we': 991512, 'we want': 973741, 'want help': 965808, 'help professor': 390359, 'professor hal': 682549, 'hal sosabowski': 374096, 'sosabowski and': 786195, 'team of': 835737, 'of scientist': 589410, 'scientist have': 742229, 'have returned': 382314, 'returned to': 719978, 'their lab': 873774, 'lab to': 478308, 'make hand': 509957, 'many frontline nh': 514091, 'frontline nh staff': 338795, 'nh staff may': 562097, 'staff may struggle': 792643, 'may struggle to': 521540, 'struggle to get': 814387, 'to get enough': 906469, 'get enough supply': 346943, 'enough supply in': 277650, 'supply in the': 825415, 'middle of this': 530687, 'of this tragedy': 592057, 'this tragedy and': 890838, 'tragedy and that': 929166, 'that is why': 844677, 'is why we': 453982, 'why we want': 991535, 'we want help': 973746, 'want help professor': 965809, 'help professor hal': 390360, 'professor hal sosabowski': 682550, 'hal sosabowski and': 374097, 'sosabowski and team': 786196, 'and team of': 73063, 'team of scientist': 835743, 'of scientist have': 589412, 'scientist have returned': 742233, 'have returned to': 382316, 'returned to their': 719983, 'to their lab': 917246, 'their lab to': 873775, 'lab to make': 478309, 'to make hand': 909672, 'make hand sanitizer': 509958, 'regret': 707700, 'holder': 400056, 'requiring': 713515, '01765': 780, '680215': 21494, 'notice covid': 573256, '19 temporary': 11062, 'closure it': 183924, 'is with': 454008, 'with great': 998668, 'great regret': 362953, 'regret we': 707712, 'are closing': 85386, 'retail country': 718009, 'country store': 211089, 'with immediate': 998944, 'immediate effect': 416982, 'effect to': 269141, 'all non': 43648, 'non account': 566297, 'account holder': 28691, 'holder cash': 400059, 'cash customer': 166209, 'customer requiring': 222761, 'requiring feed': 713520, 'feed and': 302274, 'and animal': 58150, 'animal health': 76605, 'health product': 386759, 'please phone': 660291, 'phone the': 655031, 'store 01765': 806015, '01765 680215': 781, '680215 to': 21495, 'discus option': 244885, 'important notice covid': 418901, 'notice covid 19': 573257, 'covid 19 temporary': 213920, '19 temporary closure': 11063, 'temporary closure it': 837594, 'closure it is': 183926, 'it is with': 459133, 'is with great': 454012, 'with great regret': 998672, 'great regret we': 362954, 'regret we are': 707713, 'we are closing': 970502, 'are closing our': 85395, 'our retail country': 624631, 'retail country store': 718010, 'country store with': 211090, 'store with immediate': 811382, 'with immediate effect': 998945, 'immediate effect to': 416988, 'effect to all': 269142, 'to all non': 900268, 'all non account': 43649, 'non account holder': 566298, 'account holder cash': 28692, 'holder cash customer': 400060, 'cash customer requiring': 166210, 'customer requiring feed': 222762, 'requiring feed and': 713521, 'feed and animal': 302275, 'and animal health': 58153, 'animal health product': 76606, 'health product please': 386762, 'product please phone': 681530, 'please phone the': 660293, 'phone the store': 655033, 'the store 01765': 867971, 'store 01765 680215': 806016, '01765 680215 to': 782, '680215 to discus': 21496, 'to discus option': 904380, 'representing': 712935, 'other oil': 620596, 'nation agreed': 552102, 'agreed on': 38716, 'sunday to': 818282, 'cut output': 223467, 'output by': 629238, 'by record': 153734, 'record amount': 704904, 'amount representing': 53276, 'representing around': 712942, '10 of': 1569, 'support oil': 826698, 'opec russia and': 611959, 'russia and other': 728431, 'and other oil': 68372, 'other oil producing': 620600, 'producing nation agreed': 680791, 'nation agreed on': 552103, 'agreed on sunday': 38718, 'on sunday to': 603775, 'sunday to cut': 818284, 'to cut output': 903882, 'cut output by': 223470, 'output by record': 629244, 'by record amount': 153735, 'record amount representing': 704906, 'amount representing around': 53278, 'representing around 10': 712943, 'around 10 of': 93095, '10 of global': 1570, 'of global supply': 584158, 'global supply to': 352241, 'supply to support': 826030, 'to support oil': 915949, 'support oil price': 826699, 'oil price amid': 597045, 'price amid the': 672320, 'ordinance': 619074, 'starting today': 795050, 'today if': 919675, 'are heading': 87049, 'grab take': 361542, 'covering your': 212510, 'nose and': 567867, 'and mouth': 67281, 'mouth here': 543517, 'other ordinance': 620621, 'ordinance from': 619077, 'starting today if': 795053, 'today if you': 919676, 'you are heading': 1017138, 'are heading to': 87054, 'heading to the': 385965, 'store pharmacy or': 809544, 'pharmacy or to': 654403, 'or to grab': 617470, 'to grab take': 906971, 'grab take out': 361543, 'take out in': 832450, 'out in you': 626408, 'in you need': 431050, 'wear mask covering': 974381, 'mask covering your': 518551, 'covering your nose': 212512, 'your nose and': 1025033, 'nose and mouth': 567870, 'and mouth here': 67286, 'mouth here are': 543518, 'here are other': 392749, 'are other ordinance': 88845, 'other ordinance from': 620622, 'ordinance from the': 619078, 'from the city': 337641, 'mtnwestnews': 544646, 'are shutting': 90101, 'down to': 257357, 'novel grocery': 573779, 'have that': 382946, 'that option': 845537, 'option grocery': 614046, 'and cashier': 59607, 'are considered': 85500, 'considered essential': 195285, 'essential role': 281484, 'role listen': 725112, 'listen at': 494667, 'at via': 101450, 'via for': 955987, 'for mtnwestnews': 323642, 'while many business': 987034, 'many business are': 513840, 'business are shutting': 143387, 'are shutting down': 90102, 'shutting down to': 768279, 'down to prevent': 257377, 'the novel grocery': 861914, 'novel grocery store': 573780, 'grocery store do': 365332, 'store do not': 807330, 'not have that': 569880, 'have that option': 382951, 'that option grocery': 845538, 'option grocery worker': 614047, 'grocery worker and': 366161, 'worker and cashier': 1006276, 'and cashier are': 59608, 'cashier are considered': 166471, 'are considered essential': 85503, 'considered essential role': 195292, 'essential role listen': 281485, 'role listen at': 725113, 'listen at via': 494668, 'at via for': 101451, 'via for mtnwestnews': 955988, 'commits': 189017, '25m': 16091, 'waived': 964522, 'promotional': 683881, 'commits 25m': 189021, '25m to': 16096, 'local restaurant': 498334, 'restaurant in': 716517, 'in waived': 430649, 'waived fee': 964534, 'fee and': 302134, 'free advertising': 331629, 'advertising promotional': 33268, 'promotional service': 683886, 'service it': 752527, 'it data': 457469, 'show consumer': 766898, 'consumer interest': 197903, 'interest in': 441352, 'restaurant fell': 716464, 'fell by': 303177, 'by 54': 151679, '54 over': 20328, 'commits 25m to': 189022, '25m to local': 16097, 'to local restaurant': 909384, 'local restaurant in': 498339, 'restaurant in waived': 716529, 'in waived fee': 430650, 'waived fee and': 964535, 'fee and free': 302136, 'and free advertising': 63270, 'free advertising promotional': 331630, 'advertising promotional service': 33269, 'promotional service it': 683887, 'service it data': 752530, 'it data show': 457470, 'data show consumer': 226405, 'show consumer interest': 766900, 'consumer interest in': 197906, 'interest in restaurant': 441359, 'in restaurant fell': 427433, 'restaurant fell by': 716465, 'fell by 54': 303179, 'by 54 over': 151681, '54 over the': 20329, 'writer': 1012803, 'logit': 500816, 'discussing': 244978, 'our guest': 623317, 'guest writer': 368181, 'writer this': 1012814, 'month on': 537920, 'on logit': 601927, 'logit blog': 500817, 'blog discussing': 132913, 'discussing the': 245003, 'of understanding': 592615, 'understanding the': 940889, 'the shift': 866929, 'consumer amp': 196185, 'amp participant': 54276, 'participant behaviour': 642537, 'behaviour during': 124404, '19 to': 11411, 'full article': 340482, 'article click': 94290, 'click here': 181911, 'founder of is': 330553, 'of is our': 585326, 'is our guest': 450622, 'our guest writer': 623319, 'guest writer this': 368182, 'writer this month': 1012815, 'this month on': 888915, 'month on logit': 537923, 'on logit blog': 601928, 'logit blog discussing': 500818, 'blog discussing the': 132914, 'discussing the importance': 245007, 'importance of understanding': 418717, 'of understanding the': 592617, 'understanding the shift': 940893, 'the shift in': 866931, 'in consumer amp': 421682, 'consumer amp participant': 196190, 'amp participant behaviour': 54277, 'participant behaviour during': 642538, 'behaviour during covid': 124406, 'covid 19 to': 213958, '19 to read': 11450, 'to read the': 912841, 'the full article': 856000, 'full article click': 340485, 'article click here': 94291, 'overrun': 631444, 'rebel': 703265, 'square': 791462, 'saturdaythoughts': 737110, 'chinaliedandpeopledied': 177096, '3rd world': 18456, 'world problem': 1009916, 'problem my': 679607, 'my village': 550508, 'village wa': 957383, 'wa overrun': 962896, 'overrun by': 631447, 'by rebel': 153732, 'rebel 1st': 703266, '1st world': 12830, 'problem the': 679706, 'the 600': 848168, '600 square': 21116, 'square foot': 791471, 'foot supermarket': 318439, 'paper saturdaythoughts': 640723, 'saturdaythoughts coronacrisis': 737113, 'coronacrisis chinesevirus': 204545, 'chinesevirus wuhanvirus': 177458, 'wuhanvirus chinaliedandpeopledied': 1013572, 'chinaliedandpeopledied maga': 177104, '3rd world problem': 18458, 'world problem my': 1009917, 'problem my village': 679609, 'my village wa': 550511, 'village wa overrun': 957384, 'wa overrun by': 962897, 'overrun by rebel': 631448, 'by rebel 1st': 153733, 'rebel 1st world': 703267, '1st world problem': 12832, 'world problem the': 1009918, 'problem the 600': 679707, 'the 600 square': 848169, '600 square foot': 21117, 'square foot supermarket': 791474, 'foot supermarket go': 318440, 'to is out': 908527, 'toilet paper saturdaythoughts': 921432, 'paper saturdaythoughts coronacrisis': 640724, 'saturdaythoughts coronacrisis chinesevirus': 737114, 'coronacrisis chinesevirus wuhanvirus': 204546, 'chinesevirus wuhanvirus chinaliedandpeopledied': 177459, 'wuhanvirus chinaliedandpeopledied maga': 1013573, 'observer': 578636, 'typically': 937646, 'carton': 165480, 'when disaster': 983342, 'disaster strike': 244248, 'strike market': 813747, 'market observer': 516773, 'observer know': 578641, 'american consumer': 51883, 'consumer typically': 199407, 'typically reach': 937663, 'reach for': 699920, 'same staple': 733302, 'staple milk': 793976, 'bread toilet': 138618, 'and carton': 59597, 'carton of': 165485, 'egg covid': 269840, 'when disaster strike': 983343, 'disaster strike market': 244249, 'strike market observer': 813748, 'market observer know': 516774, 'observer know that': 578642, 'know that american': 476753, 'that american consumer': 842631, 'american consumer typically': 51897, 'consumer typically reach': 199408, 'typically reach for': 937664, 'reach for the': 699923, 'for the same': 326669, 'the same staple': 866303, 'same staple milk': 733303, 'staple milk bread': 793977, 'milk bread toilet': 531602, 'bread toilet paper': 138619, 'paper and carton': 639815, 'and carton of': 59598, 'carton of egg': 165487, 'of egg covid': 582994, 'egg covid 19': 269841, '19 is no': 8011, 'is no different': 449922, 'hindustan': 396866, 'ha impacted': 370909, 'impacted fuel': 418117, 'what oil': 981957, 'doing hindustan': 252450, 'hindustan time': 396873, '19 lockdown ha': 8389, 'lockdown ha impacted': 499449, 'ha impacted fuel': 370913, 'impacted fuel price': 418118, 'fuel price and': 340219, 'price and what': 672580, 'and what oil': 75478, 'what oil company': 981958, 'oil company are': 596684, 'are doing hindustan': 85903, 'doing hindustan time': 252451, 'what worse': 982637, 'than panic': 841015, 'buying stealing': 151084, 'stealing item': 799238, 'bank drop': 109792, 'off box': 593694, 'box at': 137014, 'supermarket that': 823176, 'what what': 982583, 'with some': 1000835, 'what worse than': 982639, 'worse than panic': 1011015, 'than panic buying': 841016, 'panic buying stealing': 637902, 'buying stealing item': 151085, 'stealing item from': 799239, 'item from the': 463288, 'from the food': 337706, 'food bank drop': 313559, 'bank drop off': 109794, 'drop off box': 260329, 'off box at': 593695, 'box at my': 137017, 'local supermarket that': 498596, 'supermarket that what': 823204, 'that what what': 847476, 'what what is': 982584, 'what is wrong': 981737, 'is wrong with': 454112, 'wrong with some': 1013162, 'with some people': 1000857, 'counterfeit': 210297, 'how may': 408306, 'may impact': 521281, 'impact your': 418057, 'your safety': 1025663, 'safety when': 730783, 'online find': 608197, 'out how': 626315, 'can avoid': 157553, 'avoid counterfeit': 105061, 'counterfeit here': 210302, 'concerned about how': 193158, 'about how may': 25455, 'how may impact': 408309, 'may impact your': 521286, 'impact your safety': 418061, 'your safety when': 1025668, 'safety when shopping': 730784, 'shopping online find': 763431, 'online find out': 608198, 'find out how': 307141, 'out how you': 626341, 'how you can': 409276, 'you can avoid': 1017625, 'can avoid counterfeit': 157555, 'avoid counterfeit here': 105062, 'contagious': 200429, 'flip': 310594, 'flop': 310872, 'filthy': 305790, 'highly contagious': 396045, 'contagious disease': 200432, 'disease that': 245246, 'caused pandemic': 167929, 'is probably': 451041, 'probably great': 679272, 'great time': 363057, 'wearing flip': 974622, 'flip flop': 310595, 'flop to': 310873, 'store you': 811677, 'you filthy': 1018559, 'filthy animal': 305791, 'highly contagious disease': 396046, 'contagious disease that': 200434, 'disease that ha': 245248, 'that ha caused': 844110, 'ha caused pandemic': 370092, 'caused pandemic is': 167930, 'pandemic is probably': 635791, 'is probably great': 451045, 'probably great time': 679273, 'great time to': 363060, 'stop wearing flip': 805268, 'wearing flip flop': 974623, 'flip flop to': 310596, 'flop to the': 310874, 'grocery store you': 365981, 'store you filthy': 811686, 'you filthy animal': 1018560, 'responsible': 715994, 're the': 699687, 'people walking': 650126, 'walking into': 965065, 'into retail': 442944, 'problem you': 679778, 're responsible': 699386, 'responsible for': 716025, 'making this': 511456, 'shit spread': 759227, 'spread feel': 790531, 'feel guilty': 302655, 'guilty stop': 368570, 'stop shopping': 805019, 'available from': 104397, 'home retail': 401977, 'you re the': 1020775, 're the people': 699699, 'the people walking': 863516, 'people walking into': 650130, 'walking into retail': 965066, 'into retail store': 442949, 'retail store you': 718737, 'store you re': 811696, 're the problem': 699700, 'the problem you': 864536, 'problem you re': 679779, 'you re responsible': 1020722, 're responsible for': 699387, 'responsible for making': 716036, 'for making this': 323183, 'making this shit': 511462, 'this shit spread': 890089, 'shit spread feel': 759228, 'spread feel guilty': 790532, 'feel guilty stop': 302662, 'guilty stop shopping': 368571, 'stop shopping online': 805025, 'shopping online shopping': 763480, 'shopping is available': 763034, 'is available from': 445918, 'available from home': 104399, 'from home retail': 335898, 'yorkshire': 1016718, 'when even': 983381, 'even amazon': 283829, 'amazon is': 50994, 'is struggling': 452395, 'to deliver': 904089, 'deliver food': 233120, 'the stockpiling': 867946, 'stockpiling muppets': 804027, 'muppets are': 546130, 'buying again': 149871, 'again yorkshire': 37288, 'yorkshire uk': 1016731, 'when even amazon': 983382, 'even amazon is': 283830, 'amazon is struggling': 51009, 'is struggling to': 452397, 'struggling to deliver': 814501, 'to deliver food': 904099, 'deliver food you': 233127, 'food you know': 317714, 'know the stockpiling': 476852, 'the stockpiling muppets': 867947, 'stockpiling muppets are': 804028, 'muppets are panic': 546131, 'panic buying again': 637635, 'buying again yorkshire': 149872, 'again yorkshire uk': 37289, 'lowe': 505765, 'metering': 529741, 'customertraffic': 223172, 'assist': 96616, 'customerexperience': 223134, 'consumerbehavior': 199602, 'retailtech': 719556, 'contapersone': 200751, 'peoplecounting': 650599, 'retailnews lowe': 719523, 'lowe target': 505781, 'target begin': 834443, 'begin metering': 123538, 'metering customertraffic': 529742, 'customertraffic to': 223173, 'to assist': 900776, 'assist with': 96650, 'with socialdistancing': 1000823, 'socialdistancing retail': 780643, 'retail strategy': 718744, 'strategy innovation': 812663, 'technology customerexperience': 836276, 'customerexperience consumerbehavior': 223135, 'consumerbehavior retailtech': 199623, 'retailtech contapersone': 719557, 'contapersone peoplecounting': 200752, 'peoplecounting footfall': 650600, 'footfall by': 318538, 'retailnews lowe target': 719524, 'lowe target begin': 505782, 'target begin metering': 834444, 'begin metering customertraffic': 123539, 'metering customertraffic to': 529743, 'customertraffic to assist': 223174, 'to assist with': 900786, 'assist with socialdistancing': 96653, 'with socialdistancing retail': 1000827, 'socialdistancing retail strategy': 780647, 'retail strategy innovation': 718745, 'strategy innovation technology': 812664, 'innovation technology customerexperience': 438903, 'technology customerexperience consumerbehavior': 836277, 'customerexperience consumerbehavior retailtech': 223136, 'consumerbehavior retailtech contapersone': 199624, 'retailtech contapersone peoplecounting': 719558, 'contapersone peoplecounting footfall': 200753, 'peoplecounting footfall by': 650601, 'handing': 376124, 'rationed': 697770, 'bestofpeople': 128041, 'supermarket experience': 820246, 'experience seeing': 291476, 'old lady': 598318, 'lady handing': 478772, 'handing of': 376129, 'of her': 584563, 'her rationed': 392319, 'rationed pack': 697783, 'to young': 918945, 'young mother': 1022623, 'mother with': 543205, 'with child': 997620, 'child who': 176264, 'who had': 988872, 'had turned': 373767, 'turned up': 935891, 'at tesco': 100839, 'tesco too': 838842, 'too late': 924830, 'late to': 480925, 'get her': 347214, 'her own': 392273, 'own bestofpeople': 631900, 'bestofpeople coronacrisis': 128042, 'supermarket experience seeing': 820249, 'experience seeing an': 291477, 'seeing an old': 746220, 'an old lady': 56589, 'old lady handing': 598321, 'lady handing of': 478773, 'handing of her': 376130, 'of her rationed': 584582, 'her rationed pack': 392320, 'rationed pack of': 697784, 'paper to young': 640931, 'to young mother': 918947, 'young mother with': 1022624, 'mother with child': 543206, 'with child who': 997624, 'child who had': 176265, 'who had turned': 988891, 'had turned up': 373768, 'turned up at': 935892, 'up at tesco': 944439, 'at tesco too': 100845, 'tesco too late': 838843, 'too late to': 924840, 'late to get': 480927, 'to get her': 906500, 'get her own': 347217, 'her own bestofpeople': 392274, 'own bestofpeople coronacrisis': 631901, 'gone to': 356389, 'store every': 807648, 'every 3rd': 285652, '3rd day': 18421, 'week have': 976307, 'seen the': 747274, 'people working': 650512, 'store if': 808241, 'wa that': 963427, 'that easily': 843661, 'easily spread': 265244, 'spread should': 790790, 'not we': 572461, 'had it': 373207, 'it by': 456971, 'by now': 153369, 'have gone to': 380798, 'gone to the': 356397, 'grocery store every': 365379, 'store every 3rd': 807649, 'every 3rd day': 285653, '3rd day for': 18422, 'day for the': 227634, 'past week have': 643647, 'week have seen': 976310, 'have seen the': 382446, 'seen the same': 747292, 'the same people': 866275, 'same people working': 733218, 'people working at': 650513, 'working at the': 1008530, 'the store if': 868039, 'store if wa': 808248, 'if wa that': 415241, 'wa that easily': 963429, 'that easily spread': 843662, 'easily spread should': 265245, 'spread should not': 790792, 'should not we': 766268, 'not we all': 572462, 'all have had': 43048, 'have had it': 380864, 'had it by': 373208, 'it by now': 456979, 'sec': 743617, 'thoroughly': 891752, 'finished': 307882, 'it depends': 457520, 'depends totally': 237396, 'totally on': 926378, 'wash ur': 967565, 'ur hand': 948008, 'hand for': 374942, '20 sec': 13314, 'sec thoroughly': 743640, 'thoroughly eat': 891759, 'junk get': 468042, 'stock is': 802301, 'is finished': 447818, 'finished we': 307921, 'get thru': 348447, 'thru this': 895237, 'cure it depends': 220763, 'it depends totally': 457521, 'depends totally on': 237397, 'totally on your': 926379, 'so what can': 778713, 'what can do': 981172, 'is wash ur': 453769, 'wash ur hand': 967566, 'ur hand for': 948010, 'hand for 20': 374943, 'for 20 sec': 318730, '20 sec thoroughly': 13320, 'sec thoroughly eat': 743641, 'thoroughly eat good': 891760, 'not junk get': 570208, 'junk get enough': 468043, 'out if your': 626367, 'your food stock': 1023929, 'food stock is': 316797, 'stock is finished': 802305, 'is finished we': 447820, 'finished we ll': 307922, 'll get thru': 496797, 'get thru this': 348449, 'sincerest': 771056, 'desk': 238443, 'sending my': 750055, 'my sincerest': 550094, 'sincerest gratitude': 771057, 'the nurse': 861976, 'nurse grocery': 577344, 'and drug': 61775, 'worker janitor': 1007255, 'janitor doctor': 464543, 'doctor healthcare': 250948, 'healthcare desk': 387084, 'desk staff': 238469, 'staff pharmacist': 792747, 'pharmacist paramedic': 654165, 'paramedic and': 641370, 'and anyone': 58223, 'else helping': 271728, 'community safe': 190076, 'and running': 70640, 'running at': 727923, 'moment hero': 535957, 'sending my sincerest': 750056, 'my sincerest gratitude': 550095, 'sincerest gratitude to': 771058, 'all the nurse': 44845, 'the nurse grocery': 861982, 'nurse grocery and': 577345, 'grocery and drug': 364234, 'and drug store': 61779, 'drug store worker': 261100, 'store worker janitor': 811532, 'worker janitor doctor': 1007257, 'janitor doctor healthcare': 464544, 'doctor healthcare desk': 250949, 'healthcare desk staff': 387085, 'desk staff pharmacist': 238470, 'staff pharmacist paramedic': 792750, 'pharmacist paramedic and': 654166, 'paramedic and anyone': 641371, 'and anyone else': 58225, 'anyone else helping': 80268, 'else helping to': 271730, 'helping to keep': 391528, 'keep our community': 471724, 'our community safe': 622478, 'community safe and': 190077, 'safe and running': 729477, 'and running at': 70642, 'running at the': 727927, 'the moment hero': 860760, 'nkstain': 563503, 'underlying': 940465, 'fcukin': 300812, 'highriskcovid19': 396113, 'wtf people': 1013311, 'really all': 701957, 'be that': 117575, 'that nkstain': 845353, 'nkstain it': 563504, 'the that': 869363, 'elderly those': 270910, 'with underlying': 1001895, 'underlying health': 940483, 'condition it': 193476, 'be fcukin': 114809, 'fcukin starvation': 300813, 'starvation highriskcovid19': 795167, 'highriskcovid19 panicbuyinguk': 396120, 'panicbuyinguk stophoarding': 639173, 'wtf people are': 1013312, 'people are you': 647119, 'are you really': 91843, 'you really all': 1020833, 'really all going': 701958, 'to be that': 901585, 'be that nkstain': 117581, 'that nkstain it': 845354, 'nkstain it not': 563505, 'not the that': 572034, 'the that will': 869369, 'that will kill': 847588, 'will kill the': 993925, 'kill the elderly': 474515, 'the elderly those': 854152, 'elderly those of': 270912, 'those of with': 892272, 'of with underlying': 593214, 'with underlying health': 1001897, 'underlying health condition': 940484, 'health condition it': 386293, 'condition it will': 193477, 'will be fcukin': 992456, 'be fcukin starvation': 114810, 'fcukin starvation highriskcovid19': 300814, 'starvation highriskcovid19 panicbuyinguk': 795168, 'highriskcovid19 panicbuyinguk stophoarding': 396121, 'what spreading': 982237, 'spreading faster': 790970, 'faster than': 300121, 'the selfishness': 866672, 'and greed': 63941, 'greed shelf': 363436, 'and freezer': 63285, 'freezer at': 332586, 'at 9am': 97821, '9am this': 23968, 'what spreading faster': 982238, 'spreading faster than': 790971, 'faster than the': 300128, 'than the selfishness': 841272, 'the selfishness and': 866673, 'selfishness and greed': 748329, 'and greed shelf': 63947, 'greed shelf and': 363437, 'shelf and freezer': 756733, 'and freezer at': 63288, 'freezer at our': 332587, 'supermarket at 9am': 819233, 'at 9am this': 97824, '9am this morning': 23969, 'amid social': 52660, 'distancing during': 247114, 'crisis starbucks': 218079, 'starbucks turn': 794109, 'turn to': 935772, 'to takeout': 916263, 'takeout only': 833173, 'amid social distancing': 52661, 'social distancing during': 779595, 'distancing during covid': 247115, '19 crisis starbucks': 6328, 'crisis starbucks turn': 218081, 'starbucks turn to': 794110, 'turn to takeout': 935794, 'to takeout only': 916265, 'morrison': 541691, 'frozenfood': 339038, 'nostock': 567979, 'morrison well': 541781, 'stocked frozen': 803327, 'frozen aisle': 338948, 'aisle morrison': 40309, 'morrison corona': 541713, 'corona freezer': 203952, 'freezer frozenfood': 332606, 'frozenfood supermarket': 339039, 'supermarket panicbuying': 821909, 'panicbuying panic': 639006, 'panic food': 638107, 'food frozen': 314622, 'frozen virus': 339034, 'virus nostock': 958533, 'nostock morrison': 567980, 'morrison well stocked': 541782, 'well stocked frozen': 978596, 'stocked frozen aisle': 803328, 'frozen aisle morrison': 338949, 'aisle morrison corona': 40310, 'morrison corona freezer': 541714, 'corona freezer frozenfood': 203953, 'freezer frozenfood supermarket': 332607, 'frozenfood supermarket panicbuying': 339040, 'supermarket panicbuying panic': 821912, 'panicbuying panic food': 639007, 'panic food frozen': 638111, 'food frozen virus': 314625, 'frozen virus nostock': 339035, 'virus nostock morrison': 958534, 'exchanging': 289503, 'lusty': 506869, 'various': 952578, 'lately': 480943, 'been exchanging': 121102, 'exchanging lusty': 289508, 'lusty look': 506871, 'look with': 502683, 'with various': 1001955, 'various high': 952606, 'high end': 395055, 'end watch': 276064, 'watch lately': 968458, 'lately if': 480961, 'doesn kill': 251858, 'me online': 523272, 'been exchanging lusty': 121104, 'exchanging lusty look': 289509, 'lusty look with': 506872, 'look with various': 502685, 'with various high': 1001957, 'various high end': 952607, 'high end watch': 395061, 'end watch lately': 276065, 'watch lately if': 968459, 'lately if covid': 480962, '19 doesn kill': 6614, 'doesn kill me': 251860, 'kill me online': 474442, 'me online shopping': 523273, 'export': 292602, 'from raise': 337030, 'raise wheat': 695973, 'wheat 2019': 982965, '2019 20': 13917, '20 ending': 13047, 'ending stock': 276204, 'stock estimate': 802086, 'estimate concern': 282238, 'concern boost': 192937, 'boost export': 134952, 'export price': 292689, 'from raise wheat': 337031, 'raise wheat 2019': 695974, 'wheat 2019 20': 982966, '2019 20 ending': 13918, '20 ending stock': 13048, 'ending stock estimate': 276205, 'stock estimate concern': 802087, 'estimate concern boost': 282239, 'concern boost export': 192938, 'boost export price': 134953, 'just quick': 469534, 'store over': 809414, 'over lunch': 630377, 'just quick run': 469536, 'grocery store over': 365631, 'store over lunch': 809416, 'groceryworkersdie': 366413, 'of covid19': 582096, 'covid19 grocery': 214302, 'coronavirus groceryworkersdie': 206008, 'line of covid19': 493296, 'of covid19 grocery': 582100, 'covid19 grocery worker': 214303, 'of coronavirus groceryworkersdie': 581940, 'storeclosings': 811710, 'here list': 393300, 'store closing': 807071, 'closing due': 183627, 'retail storeclosings': 718739, 'here list of': 393301, 'list of temporary': 494480, 'of temporary store': 590662, 'temporary store closing': 837702, 'store closing due': 807072, 'closing due to': 183628, 'to the retail': 917025, 'the retail storeclosings': 865731, 'usbiz': 948889, 'cdnbiz': 168653, 'driver face': 259547, 'face pandemic': 294690, 'no resource': 565336, 'resource usbiz': 714919, 'usbiz cdnbiz': 948890, 'delivery driver face': 233905, 'driver face pandemic': 259548, 'face pandemic with': 294691, 'pandemic with no': 637032, 'with no resource': 999783, 'no resource usbiz': 565339, 'resource usbiz cdnbiz': 714920, 'console': 195519, 'breakroom': 139115, 'eventually': 285139, 'just broke': 468371, 'broke the': 140860, 'rule at': 727205, 'at work': 101588, 'to console': 903244, 'console cry': 195522, 'cry associate': 219851, 'associate in': 96879, 'the breakroom': 849978, 'breakroom we': 139116, 're beat': 698344, 'beat down': 118518, 're tired': 699713, 'tired we': 899057, 're scared': 699431, 'scared we': 741037, 're stressed': 699620, 'stressed and': 813435, 'and eventually': 62362, 'eventually we': 285177, 'will break': 992849, 'break down': 138700, 'just broke the': 468375, 'broke the rule': 140863, 'the rule at': 866041, 'rule at work': 727208, 'at work to': 101620, 'work to console': 1005882, 'to console cry': 903246, 'console cry associate': 195523, 'cry associate in': 219852, 'associate in the': 96881, 'in the breakroom': 429037, 'the breakroom we': 849979, 'breakroom we re': 139117, 'we re beat': 972832, 're beat down': 698345, 'beat down we': 118520, 'down we re': 257450, 'we re tired': 972990, 're tired we': 699714, 'tired we re': 899058, 'we re scared': 972956, 're scared we': 699435, 'scared we re': 741038, 'we re stressed': 972975, 're stressed and': 699621, 'stressed and eventually': 813438, 'and eventually we': 62365, 'eventually we will': 285178, 'we will break': 973839, 'will break down': 992850, 'crippling': 216937, 'deprived': 237696, 'if god': 414158, 'god forbid': 354700, 'forbid corona': 328303, 'corona peak': 204103, 'peak in': 646075, 'pakistan we': 634517, 'lockdown eventually': 499348, 'eventually and': 285140, 'then crippling': 877102, 'crippling economy': 216938, 'economy rotten': 268182, 'rotten system': 726208, 'system could': 831141, 'could lead': 209375, 'to riot': 913540, 'riot we': 722626, 'of deprived': 582544, 'deprived people': 237703, 'people otherwise': 649011, 'otherwise social': 621865, 'social system': 779987, 'system will': 831376, 'will collapse': 992952, 'collapse and': 185963, 'have ripple': 382325, 'effect on': 269076, 'if god forbid': 414159, 'god forbid corona': 354701, 'forbid corona peak': 328304, 'corona peak in': 204104, 'peak in pakistan': 646077, 'in pakistan we': 426449, 'pakistan we will': 634518, 'we will have': 973868, 'to go into': 906813, 'go into the': 353771, 'into the lockdown': 443143, 'the lockdown eventually': 859596, 'lockdown eventually and': 499349, 'eventually and then': 285141, 'and then crippling': 73755, 'then crippling economy': 877103, 'crippling economy rotten': 216939, 'economy rotten system': 268183, 'rotten system could': 726209, 'system could lead': 831142, 'could lead to': 209377, 'lead to riot': 483385, 'to riot we': 913542, 'riot we will': 722628, 'have to take': 383316, 'to take care': 916165, 'take care of': 832012, 'care of deprived': 164098, 'of deprived people': 582545, 'deprived people otherwise': 237704, 'people otherwise social': 649012, 'otherwise social system': 621867, 'social system will': 779988, 'system will collapse': 831378, 'will collapse and': 992953, 'collapse and it': 185969, 'it will have': 462400, 'will have ripple': 993666, 'have ripple effect': 382326, 'ripple effect on': 722737, 'effect on all': 269077, 'on all of': 599236, 'episode': 279502, 'chopped': 177961, 'store now': 809120, 'is like': 449308, 'like being': 489897, 'an episode': 55797, 'episode of': 279539, 'of chopped': 581406, 'grocery store now': 365599, 'store now is': 809126, 'now is like': 575077, 'is like being': 449310, 'like being on': 489901, 'being on an': 125486, 'on an episode': 599327, 'an episode of': 55798, 'episode of chopped': 279540, 'entitled': 278817, 'border': 135212, 'ie': 413724, 'company cannot': 190533, 'cannot provide': 162045, 'provide service': 686465, 'you paid': 1020273, 'for are': 319485, 'you entitled': 1018433, 'entitled to': 278830, 'to refund': 913080, 'refund credit': 706889, 'credit not': 216442, 'not if': 570046, 'the closure': 851049, 'eu border': 283201, 'border why': 135295, 'that okay': 845478, 'okay in': 597985, 'consumer law': 197993, 'law only': 482362, 'only offer': 610842, 'offer credit': 594562, 'credit refund': 216479, 'refund if': 706919, 'the supplier': 868933, 'supplier refund': 824599, 'refund them': 706962, 'them ie': 875877, 'ie they': 413746, 'they offer': 882806, 'offer nothing': 594711, 'if company cannot': 413970, 'company cannot provide': 190537, 'cannot provide service': 162047, 'provide service you': 686469, 'service you paid': 753126, 'you paid for': 1020274, 'paid for are': 634014, 'for are you': 319486, 'are you entitled': 91786, 'you entitled to': 1018434, 'entitled to refund': 278836, 'to refund credit': 913085, 'refund credit not': 706890, 'credit not if': 216443, 'not if is': 570048, 'if is the': 414280, 'is the cause': 452745, 'the cause of': 850546, 'cause of the': 167686, 'of the closure': 590870, 'the closure of': 851055, 'closure of eu': 183962, 'of eu border': 583204, 'eu border why': 283204, 'border why is': 135296, 'is that okay': 452675, 'that okay in': 845479, 'okay in consumer': 597986, 'in consumer law': 421705, 'consumer law only': 198004, 'law only offer': 482363, 'only offer credit': 610843, 'offer credit refund': 594563, 'credit refund if': 216480, 'refund if the': 706922, 'if the supplier': 415037, 'the supplier refund': 868936, 'supplier refund them': 824600, 'refund them ie': 706963, 'them ie they': 875878, 'ie they offer': 413748, 'they offer nothing': 882809, 'distributor': 248267, 'digitised': 242825, 'revamp': 720224, 'sourcing': 786606, 'million store': 532359, 'india and': 434294, 'and about': 57539, 'half million': 374201, 'million distributor': 532127, 'distributor le': 248301, 'than two': 841366, 'two percent': 937146, 'percent have': 651128, 'been digitised': 120979, 'digitised so': 242826, 'far consumer': 298745, 'consumer insight': 197882, 'insight will': 439660, 'help provide': 390383, 'provide small': 686473, 'small store': 775136, 'store way': 811165, 'to revamp': 913486, 'revamp their': 720227, 'their sourcing': 874761, 'sourcing strategy': 786620, 'strategy and': 812605, 'and change': 59715, 'with distributor': 998093, '10 million store': 1530, 'million store in': 532360, 'store in india': 808319, 'in india and': 424020, 'india and about': 434295, 'and about half': 57548, 'about half million': 25338, 'half million distributor': 374202, 'million distributor le': 532128, 'distributor le than': 248302, 'le than two': 483190, 'than two percent': 841371, 'two percent have': 937147, 'percent have been': 651129, 'have been digitised': 379512, 'been digitised so': 120980, 'digitised so far': 242827, 'so far consumer': 777019, 'far consumer insight': 298746, 'consumer insight will': 197891, 'insight will help': 439662, 'will help provide': 993725, 'help provide small': 390385, 'provide small store': 686474, 'small store way': 775139, 'store way to': 811166, 'way to revamp': 970084, 'to revamp their': 913487, 'revamp their sourcing': 720228, 'their sourcing strategy': 874762, 'sourcing strategy and': 786621, 'strategy and change': 812607, 'and change the': 59728, 'change the way': 172304, 'way they work': 969967, 'they work with': 883929, 'work with distributor': 1006030, 'olympics': 598787, 'sponsor': 789820, 'tackling': 831635, 'the decision': 852995, 'to postpone': 911923, 'postpone the': 666779, 'the 2020': 848015, '2020 olympics': 14475, 'olympics in': 598794, 'in tokyo': 430178, 'tokyo will': 923510, 'be relief': 116770, 'consumer company': 196831, 'that sponsor': 846435, 'sponsor the': 789831, 'the game': 856117, 'game they': 343265, 'can now': 159056, 'now focus': 574704, 'on tackling': 603867, 'tackling the': 831652, 'and planning': 69067, 'planning for': 658544, 'the 2021': 848029, '2021 event': 14776, 'event industry': 284998, 'industry observer': 436013, 'observer said': 578643, 'the decision to': 852998, 'decision to postpone': 231107, 'to postpone the': 911927, 'postpone the 2020': 666780, 'the 2020 olympics': 848024, '2020 olympics in': 14476, 'olympics in tokyo': 598795, 'in tokyo will': 430185, 'tokyo will be': 923511, 'will be relief': 992640, 'be relief to': 116771, 'relief to the': 709483, 'to the consumer': 916583, 'the consumer company': 851512, 'consumer company that': 196840, 'company that sponsor': 191189, 'that sponsor the': 846436, 'sponsor the game': 789832, 'the game they': 856127, 'game they can': 343266, 'they can now': 881657, 'can now focus': 159060, 'now focus on': 574706, 'focus on tackling': 311898, 'on tackling the': 603870, 'tackling the impact': 831653, 'impact of the': 417804, 'the pandemic and': 862906, 'pandemic and planning': 634889, 'and planning for': 69068, 'planning for the': 658547, 'for the 2021': 326284, 'the 2021 event': 848030, '2021 event industry': 14777, 'event industry observer': 284999, 'industry observer said': 436014, 'grown': 367266, 'seasonalworkers': 743483, 'migrantlabourers': 531234, 'crisis ha': 217430, 'led to': 485270, 'shelf being': 756888, 'completely cleared': 192235, 'cleared of': 181421, 'is happening': 448273, 'happening in': 377361, 'the field': 855141, 'field where': 304539, 'where our': 985080, 'our fruit': 623207, 'vegetable are': 953933, 'are grown': 86979, 'grown here': 367281, 'new article': 558353, 'article on': 94398, 'on seasonalworkers': 603347, 'seasonalworkers migrantlabourers': 743484, 'migrantlabourers and': 531235, '19 crisis ha': 6255, 'crisis ha led': 217438, 'ha led to': 371126, 'led to supermarket': 485302, 'to supermarket shelf': 915834, 'supermarket shelf being': 822434, 'shelf being completely': 756889, 'being completely cleared': 124975, 'completely cleared of': 192236, 'cleared of food': 181422, 'food but what': 313838, 'but what is': 147793, 'what is happening': 981697, 'is happening in': 448281, 'happening in the': 377368, 'in the field': 429196, 'the field where': 855155, 'field where our': 304540, 'where our fruit': 985081, 'our fruit and': 623208, 'and vegetable are': 74877, 'vegetable are grown': 953935, 'are grown here': 86980, 'grown here is': 367282, 'here is my': 393238, 'is my new': 449804, 'my new article': 549453, 'new article on': 558358, 'article on seasonalworkers': 94410, 'on seasonalworkers migrantlabourers': 603348, 'seasonalworkers migrantlabourers and': 743485, 'migrantlabourers and the': 531236, 'also to': 49017, 'people stocking': 649625, 'on soap': 603528, 'soap hand': 779020, 'sanitiser and': 733909, 'roll leaving': 725370, 'empty the': 275176, 'do realise': 250023, 'realise to': 701616, 'hand too': 375887, 'too stoppanicbuying': 925089, 'also to the': 49022, 'the people stocking': 863505, 'people stocking up': 649627, 'up on soap': 945618, 'on soap hand': 603530, 'soap hand sanitiser': 779022, 'hand sanitiser and': 375219, 'sanitiser and toilet': 733918, 'and toilet roll': 74238, 'toilet roll leaving': 921580, 'roll leaving the': 725371, 'leaving the shelf': 485155, 'the shelf empty': 866832, 'shelf empty the': 757036, 'empty the rest': 275180, 'rest of you': 716213, 'of you do': 593382, 'you do realise': 1018267, 'do realise to': 250026, 'realise to stop': 701617, 'spread of other': 790695, 'of other people': 587368, 'other people need': 620679, 'people need to': 648839, 'to be able': 901084, 'able to wash': 24568, 'to wash their': 918352, 'their hand too': 873487, 'hand too stoppanicbuying': 375889, 'shutoffs': 768164, 'consumer energy': 197360, 'energy is': 276487, 'is suspending': 452507, 'suspending service': 829660, 'service shutoffs': 752826, 'shutoffs for': 768167, 'senior citizen': 750245, 'income customer': 432310, 'customer because': 222174, 'consumer energy is': 197364, 'energy is suspending': 276489, 'is suspending service': 452509, 'suspending service shutoffs': 829661, 'service shutoffs for': 752827, 'shutoffs for senior': 768168, 'for senior citizen': 325459, 'senior citizen and': 750248, 'citizen and low': 178836, 'and low income': 66442, 'low income customer': 505345, 'income customer because': 432311, 'customer because of': 222175, 'mike': 531265, 'thought would': 893323, 'be waiting': 118032, 'store mike': 808958, 'mike and': 531266, 'and moved': 67294, 'moved last': 543812, 'last weekend': 480699, 'weekend so': 977404, 'have ton': 383368, 'food left': 315288, 'never thought would': 558237, 'thought would be': 893324, 'would be waiting': 1011664, 'be waiting in': 118034, 'get into grocery': 347366, 'grocery store mike': 365569, 'store mike and': 808959, 'mike and moved': 531267, 'and moved last': 67296, 'moved last weekend': 543813, 'last weekend so': 480701, 'weekend so we': 977408, 'so we don': 778664, 'we don have': 971384, 'don have ton': 253623, 'have ton of': 383369, 'ton of food': 924272, 'of food left': 583724, 'poorer': 664341, 'earning': 264862, 'agricandcovid19': 38862, 'food demand': 314164, 'demand in': 235664, 'in poorer': 426833, 'poorer country': 664346, 'more linked': 539705, 'to income': 908260, 'income and': 432278, 'we expect': 971489, 'expect loss': 290671, 'income earning': 432322, 'earning opportunity': 264875, 'opportunity which': 613748, 'which could': 985775, 'could impact': 209316, 'on consumption': 600089, 'consumption of': 199912, 'food agricandcovid19': 313056, 'food demand in': 314173, 'demand in poorer': 235673, 'in poorer country': 426835, 'poorer country is': 664348, 'country is more': 210811, 'is more linked': 449714, 'more linked to': 539706, 'linked to income': 493994, 'to income and': 908261, 'income and with': 432286, 'and with covid': 75763, '19 we expect': 11929, 'we expect loss': 971495, 'expect loss of': 290672, 'loss of income': 503747, 'of income earning': 585065, 'income earning opportunity': 432323, 'earning opportunity which': 264876, 'opportunity which could': 613749, 'which could impact': 985778, 'could impact on': 209318, 'impact on consumption': 417834, 'on consumption of': 600090, 'consumption of food': 199915, 'of food agricandcovid19': 583636, 'closing all': 183572, 'all store': 44485, 'state they': 795998, 'closing all store': 183581, 'all store in': 44498, 'in the united': 429637, 'united state they': 942247, 'state they will': 796000, 'they will continue': 883833, 'continue to offer': 201224, 'to offer online': 910840, 'unsolicited': 943508, 'suspicious': 829708, 'official are': 595753, 'are warning': 91532, 'warning senior': 967191, 'senior about': 750181, 'about new': 25787, 'new scam': 559543, 'which scammer': 986291, 'are calling': 85144, 'calling and': 156520, 'and offering': 67980, 'offering kit': 595173, 'kit in': 475569, 'an attempt': 55469, 'to obtain': 910797, 'obtain personal': 578737, 'personal information': 652886, 'information medicare': 437890, 'medicare will': 526599, 'never call': 557922, 'call you': 156248, 'you unsolicited': 1021980, 'unsolicited or': 943518, 'or threaten': 617446, 'threaten you': 893769, 'get information': 347335, 'information if': 437862, 'receive suspicious': 703547, 'suspicious call': 829713, 'call hang': 155923, 'official are warning': 595760, 'are warning senior': 91534, 'warning senior about': 967192, 'senior about new': 750182, 'about new scam': 25794, 'new scam in': 559545, 'scam in which': 740205, 'in which scammer': 430866, 'which scammer are': 986292, 'scammer are calling': 740529, 'are calling and': 85145, 'calling and offering': 156522, 'and offering kit': 67987, 'offering kit in': 595174, 'kit in an': 475571, 'in an attempt': 420285, 'an attempt to': 55470, 'attempt to obtain': 102253, 'to obtain personal': 910802, 'obtain personal information': 578738, 'personal information medicare': 652896, 'information medicare will': 437891, 'medicare will never': 526600, 'will never call': 994160, 'never call you': 557924, 'call you unsolicited': 156257, 'you unsolicited or': 1021982, 'unsolicited or threaten': 943520, 'or threaten you': 617447, 'threaten you to': 893771, 'you to get': 1021781, 'to get information': 906507, 'get information if': 347336, 'information if you': 437863, 'you receive suspicious': 1020855, 'receive suspicious call': 703548, 'suspicious call hang': 829714, 'call hang up': 155924, 'massachusetts': 519897, 'exactly': 288722, 'feared': 301438, 'demanded': 236545, 'instacart delivery': 439915, 'driver in': 259612, 'in massachusetts': 425175, 'massachusetts were': 519932, 'told they': 923729, 'they may': 882659, 'may have': 521229, 'been exposed': 121112, 'coronavirus due': 205856, 'outbreak at': 628033, 'is exactly': 447622, 'exactly what': 288760, 'what instacart': 981668, 'instacart worker': 439933, 'worker feared': 1006916, 'feared when': 301447, 'they announced': 881166, 'announced strike': 77050, 'strike and': 813725, 'and demanded': 61184, 'demanded basic': 236546, 'basic protection': 112034, 'protection against': 685289, 'instacart delivery driver': 439916, 'delivery driver in': 233918, 'driver in massachusetts': 259614, 'in massachusetts were': 425182, 'massachusetts were told': 519933, 'were told they': 980280, 'told they may': 923733, 'they may have': 882663, 'may have been': 521230, 'have been exposed': 379532, 'been exposed to': 121118, 'exposed to the': 292908, 'the coronavirus due': 851837, 'coronavirus due to': 205857, 'to an outbreak': 900469, 'an outbreak at': 56733, 'outbreak at local': 628034, 'at local grocery': 99606, 'store this is': 810699, 'this is exactly': 888251, 'is exactly what': 447625, 'exactly what instacart': 288762, 'what instacart worker': 981669, 'instacart worker feared': 439934, 'worker feared when': 1006917, 'feared when they': 301448, 'when they announced': 984241, 'they announced strike': 881168, 'announced strike and': 77052, 'strike and demanded': 813726, 'and demanded basic': 61185, 'demanded basic protection': 236547, 'basic protection against': 112035, 'naija': 551433, 'bbnaija': 113183, 'ilorin resident': 416482, 'resident flood': 714300, 'flood market': 310711, 'market street': 517137, 'street to': 813145, 'food others': 315698, 'others covid': 621349, 'lockdown notice': 499696, 'notice nigeria': 573314, 'nigeria naija': 562770, 'naija news': 551438, 'news bbnaija': 560263, 'ilorin resident flood': 416483, 'resident flood market': 714301, 'flood market street': 310712, 'market street to': 517138, 'street to stock': 813152, 'stock food others': 802142, 'food others covid': 315700, 'others covid 19': 621350, '19 lockdown notice': 8408, 'lockdown notice nigeria': 499697, 'notice nigeria naija': 573315, 'nigeria naija news': 562772, 'naija news bbnaija': 551439, '67': 21449, 'humboldtcounty': 410840, '2019 67': 13928, '67 00': 21450, 'from drug': 335224, 'drug use': 261139, 'use is': 949291, 'is anyone': 445762, 'anyone talking': 80549, 'this some': 890238, 'some stupid': 783988, 'stupid couple': 815372, 'couple in': 211601, 'in humboldtcounty': 423913, 'humboldtcounty went': 410841, 'went on': 979067, 'on cruise': 600175, 'cruise and': 219690, 'and returned': 70474, 'returned home': 719967, 'then went': 877738, 'bought gas': 136578, 'gas etc': 343835, 'etc etc': 282516, 'etc these': 282808, 'two idiot': 936968, 'idiot tested': 413608, 'in 2019 67': 419798, '2019 67 00': 13929, '67 00 people': 21451, '00 people died': 408, 'people died from': 647656, 'died from drug': 241554, 'from drug use': 335225, 'drug use is': 261141, 'use is anyone': 949292, 'is anyone talking': 445768, 'anyone talking about': 80550, 'talking about this': 833991, 'about this some': 26662, 'this some stupid': 890242, 'some stupid couple': 783989, 'stupid couple in': 815373, 'couple in humboldtcounty': 211604, 'in humboldtcounty went': 423914, 'humboldtcounty went on': 410842, 'went on cruise': 979070, 'on cruise and': 600176, 'cruise and returned': 219691, 'and returned home': 70475, 'returned home and': 719968, 'home and then': 400700, 'and then went': 73822, 'then went to': 877740, 'grocery store bought': 365253, 'store bought gas': 806754, 'bought gas etc': 136579, 'gas etc etc': 343836, 'etc etc these': 282525, 'etc these two': 282810, 'these two idiot': 880895, 'two idiot tested': 936969, 'idiot tested positive': 413609, 'positive for the': 665330, 'widely': 991776, '16 million': 4132, 'people filed': 647909, 'for unemployment': 327428, 'unemployment last': 941236, 'week more': 976541, 'yorkers have': 1016708, 'and countless': 60636, 'countless more': 210379, 'more are': 538638, 'likely infected': 492029, 'infected but': 436540, 'we still': 973395, 'still do': 800434, 'have widely': 383597, 'widely available': 991781, 'available testing': 104610, 'testing oil': 839585, 'up today': 946454, '16 million people': 4137, 'million people filed': 532307, 'people filed for': 647910, 'filed for unemployment': 305403, 'for unemployment last': 327438, 'unemployment last week': 941237, 'last week more': 480660, 'week more than': 976545, '00 new yorkers': 362, 'new yorkers have': 559968, 'yorkers have died': 1016709, 'died from covid': 241552, '19 and countless': 5005, 'and countless more': 60639, 'countless more are': 210380, 'more are likely': 538641, 'are likely infected': 87801, 'likely infected but': 492030, 'infected but we': 436541, 'but we still': 147764, 'we still do': 973399, 'still do not': 800435, 'not have widely': 569890, 'have widely available': 383598, 'widely available testing': 991783, 'available testing oil': 104612, 'testing oil price': 839586, 'oil price went': 597317, 'went up today': 979222, 'latexgloves': 481625, 'just small': 469814, 'small queue': 775080, 'queue not': 694010, 'not cant': 568688, 'cant even': 162282, 'even see': 284553, 'supermarket from': 820453, 'from back': 334620, 'back here': 107049, 'here but': 392834, 'least the': 484647, 'sun is': 818071, 'shining staysafe': 758626, 'staysafe latexgloves': 798842, 'latexgloves socialdistancing': 481628, 'just small queue': 469815, 'small queue not': 775081, 'queue not cant': 694011, 'not cant even': 568689, 'cant even see': 162285, 'even see the': 284554, 'see the supermarket': 745889, 'the supermarket from': 868601, 'supermarket from back': 820454, 'from back here': 334621, 'back here but': 107050, 'here but at': 392835, 'at least the': 99552, 'least the sun': 484651, 'the sun is': 868412, 'sun is shining': 818072, 'is shining staysafe': 451859, 'shining staysafe latexgloves': 758627, 'staysafe latexgloves socialdistancing': 798843, 'relying': 709664, 'shopping process': 763681, 'process really': 679951, 'really mean': 702411, 'mean you': 524783, 'all relying': 44148, 'relying on': 709665, 'on lot': 601940, 'hand coronapocolypse': 374880, 'online shopping process': 609235, 'shopping process really': 763683, 'process really mean': 679952, 'really mean you': 702414, 'mean you re': 524789, 're all relying': 698233, 'all relying on': 44149, 'relying on lot': 709677, 'on lot of': 601941, 'of people to': 588005, 'people to wash': 649965, 'your hand coronapocolypse': 1024179, 'extremely': 293854, 'hoosier': 403373, 'have noticed': 381712, 'noticed that': 573476, 'that gas': 843981, 'are extremely': 86391, 'extremely low': 293904, 'low right': 505579, 'now throughout': 576151, 'throughout the': 894962, 'the hoosier': 857489, 'hoosier state': 403382, 'state why': 796085, 'ha something': 372003, 'something to': 785094, 'everything full': 287809, 'you may have': 1019801, 'may have noticed': 521251, 'have noticed that': 381719, 'noticed that gas': 573479, 'that gas price': 843982, 'price are extremely': 672663, 'are extremely low': 86394, 'extremely low right': 293907, 'low right now': 505580, 'right now throughout': 722159, 'now throughout the': 576152, 'throughout the hoosier': 894973, 'the hoosier state': 857490, 'hoosier state why': 403383, 'state why is': 796087, 'is that covid': 452637, '19 ha something': 7389, 'ha something to': 372004, 'something to do': 785099, 'do with it': 250554, 'with it but': 999061, 'it but not': 456953, 'not everything full': 569305, 'everything full story': 287810, 'just got': 468845, 'got hand': 358592, 'mask feel': 518647, 'like won': 491832, 'won the': 1003924, 'just got hand': 468856, 'got hand sanitizer': 358593, 'sanitizer and face': 734404, 'face mask feel': 294538, 'mask feel like': 518648, 'feel like won': 302765, 'like won the': 491833, 'won the lottery': 1003925, 'kinyarwanda': 475392, 'invent': 443606, 'rwot': 728776, 'say hand': 738719, 'in kinyarwanda': 424518, 'kinyarwanda think': 475393, 'think we': 885759, 'we night': 972586, 'night need': 563033, 'to invent': 908479, 'invent new': 443611, 'word now': 1004531, 'now thanks': 575991, 'to corona': 903524, 'corona rwot': 204155, 'wondering how they': 1004163, 'how they say': 408927, 'they say hand': 883269, 'say hand sanitizer': 738720, 'sanitizer in kinyarwanda': 735142, 'in kinyarwanda think': 424519, 'kinyarwanda think we': 475394, 'think we night': 885769, 'we night need': 972587, 'night need to': 563034, 'need to invent': 555974, 'to invent new': 908480, 'invent new word': 443613, 'new word now': 559883, 'word now thanks': 1004532, 'now thanks to': 575993, 'thanks to corona': 842214, 'to corona rwot': 903530, 'fortify': 329813, 'to fortify': 906205, 'fortify stressed': 329814, 'stressed out': 813452, 'out contact': 625884, 'contact center': 200043, 'center credit': 169179, 'credit woe': 216556, 'woe mount': 1003334, 'how to fortify': 409024, 'to fortify stressed': 906206, 'fortify stressed out': 329815, 'stressed out contact': 813453, 'out contact center': 625885, 'contact center credit': 200044, 'center credit woe': 169180, 'credit woe mount': 216557, 'itv': 464010, 'foundation': 330476, '3layered': 18293, '24ltrs': 15771, 'renowned': 711025, 'gestrointrogist': 346426, 'sarin': 736777, 'santitation': 736634, 'coronawarriors': 207129, 'itvfoundation': 464020, 'itv foundation': 464011, 'foundation ha': 330487, 'ha donated': 370409, 'donated 1500': 254302, '1500 3layered': 3934, '3layered mask': 18294, 'and 24ltrs': 57424, '24ltrs of': 15772, 'on request': 603157, 'request of': 713177, 'the renowned': 865508, 'renowned gestrointrogist': 711026, 'gestrointrogist dr': 346427, 'dr sarin': 258094, 'sarin santitation': 736780, 'santitation coronawarriors': 736635, 'coronawarriors itvfoundation': 207131, 'itv foundation ha': 464012, 'foundation ha donated': 330488, 'ha donated 1500': 370410, 'donated 1500 3layered': 254303, '1500 3layered mask': 3935, '3layered mask and': 18295, 'mask and 24ltrs': 518305, 'and 24ltrs of': 57425, '24ltrs of hand': 15773, 'sanitizer to health': 735928, 'care worker on': 164296, 'worker on request': 1007489, 'on request of': 603159, 'request of the': 713179, 'of the renowned': 591403, 'the renowned gestrointrogist': 865509, 'renowned gestrointrogist dr': 711027, 'gestrointrogist dr sarin': 346428, 'dr sarin santitation': 258096, 'sarin santitation coronawarriors': 736781, 'santitation coronawarriors itvfoundation': 736636, 'tunnel': 935472, 'installed': 440017, 'narol': 551926, 'an additional': 55105, 'additional layer': 31837, 'layer of': 482635, 'of protection': 588553, 'protection for': 685437, 'our police': 624378, 'police personnel': 663157, 'personnel to': 653161, 'fight sanitizer': 304860, 'sanitizer tunnel': 735978, 'tunnel ha': 935475, 'been installed': 121393, 'installed at': 440018, 'at narol': 99847, 'narol police': 551927, 'police station': 663210, 'an additional layer': 55114, 'additional layer of': 31838, 'layer of protection': 482638, 'of protection for': 588554, 'protection for our': 685443, 'for our police': 324281, 'our police personnel': 624380, 'police personnel to': 663158, 'personnel to fight': 653163, 'to fight sanitizer': 905809, 'fight sanitizer tunnel': 304862, 'sanitizer tunnel ha': 735979, 'tunnel ha been': 935476, 'ha been installed': 369836, 'been installed at': 121394, 'installed at narol': 440020, 'at narol police': 99848, 'narol police station': 551928, 'relaxed': 708850, 'new post': 559318, 'post supermarket': 666335, 'supermarket competition': 819750, 'competition law': 191704, 'law relaxed': 482378, 'relaxed in': 708861, 'in covid': 421842, 'new post supermarket': 559327, 'post supermarket competition': 666336, 'supermarket competition law': 819751, 'competition law relaxed': 191705, 'law relaxed in': 482379, 'relaxed in covid': 708862, 'in covid 19': 421843, 'vietnam': 957029, 'malaysia': 511584, 'benefited': 127150, 'yr': 1026999, 'carpe': 164894, 'diem': 241634, 'lining in': 493740, 'crisis for': 217388, 'for india': 322537, 'india record': 434588, 'price much': 675287, 'more focus': 539224, 'focus to': 311927, 'move supply': 543731, 'chain away': 170535, 'china vietnam': 177036, 'vietnam thailand': 957045, 'thailand malaysia': 840100, 'malaysia have': 511612, 'have benefited': 379767, 'benefited from': 127153, 'the china': 850830, 'china trade': 177017, 'war this': 966556, 'our 2nd': 621992, '2nd chance': 16760, 'chance in': 171734, 'in yr': 431145, 'yr carpe': 1027012, 'carpe diem': 164895, 'silver lining in': 769823, 'lining in the': 493742, 'in the crisis': 429108, 'the crisis for': 852379, 'crisis for india': 217391, 'for india record': 322543, 'india record low': 434589, 'record low oil': 705016, 'oil price much': 597198, 'price much more': 675290, 'much more focus': 545106, 'more focus to': 539226, 'focus to move': 311929, 'to move supply': 910318, 'move supply chain': 543732, 'supply chain away': 824910, 'chain away from': 170536, 'away from china': 105867, 'from china vietnam': 334873, 'china vietnam thailand': 177037, 'vietnam thailand malaysia': 957047, 'thailand malaysia have': 840101, 'malaysia have benefited': 511613, 'have benefited from': 379768, 'benefited from the': 127154, 'from the china': 337639, 'the china trade': 850836, 'china trade war': 177019, 'trade war this': 928614, 'war this is': 966558, 'is our 2nd': 450611, 'our 2nd chance': 621993, '2nd chance in': 16761, 'chance in yr': 171737, 'in yr carpe': 431146, 'yr carpe diem': 1027013, 'bfa': 129297, 'since many': 770716, 'continue our': 201087, 'shopping due': 762527, 'support bfa': 826384, 'bfa while': 129298, 'essential online': 281355, 'since many of': 770719, 'of are not': 580349, 'are not able': 88308, 'able to continue': 24464, 'to continue our': 903397, 'continue our regular': 201089, 'regular shopping due': 707866, 'shopping due to': 762528, '19 this is': 11346, 'is the perfect': 452890, 'the perfect opportunity': 863542, 'perfect opportunity to': 651320, 'opportunity to support': 613730, 'to support bfa': 915907, 'support bfa while': 826385, 'bfa while you': 129299, 'while you shop': 987594, 'you shop for': 1021160, 'shop for essential': 760184, 'for essential online': 321113, 'caliber': 155441, 'on ammo': 599305, 'ammo not': 52901, 'not because': 568487, 'you thought': 1021713, 'thought canadian': 892992, 'canadian price': 160730, 'price would': 677656, 'would soon': 1012254, 'soon go': 785724, 'up what': 946562, 'what caliber': 981159, 'caliber would': 155442, 'would it': 1011962, 'going to stock': 355724, 'up on ammo': 945522, 'on ammo not': 599306, 'ammo not because': 52902, 'not because of': 568492, 'because of 19': 119303, 'of 19 panic': 579408, 'panic buying but': 637665, 'buying but because': 150062, 'but because you': 145278, 'because you thought': 119878, 'you thought canadian': 1021715, 'thought canadian price': 892993, 'canadian price would': 160731, 'price would soon': 677667, 'would soon go': 1012256, 'soon go up': 785725, 'go up what': 354447, 'up what caliber': 946563, 'what caliber would': 981160, 'caliber would it': 155443, 'would it be': 1011963, 'male': 511680, '62yo': 21259, 'lived': 496143, 'canberra': 160808, 'practicing': 668718, 'yesterday australia': 1015687, 'australia had': 103296, 'had death': 373011, 'death all': 229956, 'all male': 43444, 'male aged': 511681, 'aged 62': 37935, '62 90': 21220, '90 from': 23296, 'the 62yo': 848172, '62yo lived': 21260, 'lived in': 496162, 'in canberra': 421211, 'canberra had': 160822, 'had been': 372882, 'been practicing': 121687, 'practicing socialdistancing': 668744, 'socialdistancing for': 780370, 'month he': 537765, 'he only': 385280, 'only left': 610715, 'left home': 485497, 'home couple': 400960, 'that small': 846341, 'small risk': 775099, 'risk killed': 723657, 'killed him': 474592, 'him men': 396659, 'men are': 528456, 'are twice': 91240, 'twice likely': 936528, 'yesterday australia had': 1015688, 'australia had death': 103297, 'had death all': 373012, 'death all male': 229957, 'all male aged': 43445, 'male aged 62': 511682, 'aged 62 90': 37936, '62 90 from': 21221, '90 from the': 23297, 'from the 62yo': 337589, 'the 62yo lived': 848173, '62yo lived in': 21261, 'lived in canberra': 496163, 'in canberra had': 421213, 'canberra had been': 160823, 'had been practicing': 372905, 'been practicing socialdistancing': 121688, 'practicing socialdistancing for': 668749, 'socialdistancing for month': 780372, 'for month he': 323521, 'month he only': 537766, 'he only left': 385282, 'only left home': 610716, 'left home couple': 485499, 'home couple of': 400961, 'couple of time': 211648, 'of time to': 592191, 'the supermarket that': 868845, 'supermarket that small': 823197, 'that small risk': 846345, 'small risk killed': 775100, 'risk killed him': 723658, 'killed him men': 474593, 'him men are': 396660, 'men are twice': 528457, 'are twice likely': 91241, 'twice likely to': 936529, 'likely to die': 492142, 'hey aldi': 394310, 'aldi and': 41251, 'and trader': 74345, 'joe store': 466440, 'deserve paid': 238098, 'leave supermarket': 484950, 'are exposed': 86372, '19 other': 9040, 'other illness': 620395, 'illness they': 416400, 'home if': 401394, 'hey aldi and': 394311, 'aldi and trader': 41253, 'and trader joe': 74347, 'trader joe store': 928720, 'joe store worker': 466441, 'store worker deserve': 811477, 'worker deserve paid': 1006763, 'deserve paid sick': 238099, 'sick leave supermarket': 768505, 'leave supermarket worker': 484953, 'supermarket worker are': 823990, 'worker are exposed': 1006387, 'are exposed to': 86373, 'exposed to covid': 292893, '19 and covid': 5006, 'covid 19 other': 213528, '19 other illness': 9042, 'other illness they': 620396, 'illness they should': 416401, 'should be able': 765541, 'able to stay': 24551, 'stay home if': 796974, 'home if they': 401400, 'if they are': 415093, 'they are sick': 881409, 'clientes': 182153, 'carioca': 164737, 'buscando': 143116, 'prote': 684750, 'contra': 201610, 'ru': 726881, 'supermercados': 824289, 'guanabara': 367687, 'clientes carioca': 182154, 'carioca buscando': 164738, 'buscando prote': 143117, 'prote contra': 684751, 'contra corona': 201611, 'corona ru': 204149, 'ru no': 726893, 'no supermercados': 565627, 'supermercados guanabara': 824298, 'clientes carioca buscando': 182155, 'carioca buscando prote': 164739, 'buscando prote contra': 143118, 'prote contra corona': 684752, 'contra corona ru': 201612, 'corona ru no': 204150, 'ru no supermercados': 726894, 'no supermercados guanabara': 565628, 'award': 105572, 'hearted': 388435, 'uhuru': 938101, 'kenyatta': 473000, 'moody': 538298, 'awori': 106299, 'supermarket award': 819276, 'award two': 105585, 'two kind': 936991, 'kind hearted': 474851, 'hearted police': 388441, 'officer uhuru': 595735, 'uhuru kenyatta': 938102, 'kenyatta moody': 473009, 'moody awori': 538301, 'naivas supermarket award': 551522, 'supermarket award two': 819277, 'award two kind': 105586, 'two kind hearted': 936992, 'kind hearted police': 474852, 'hearted police officer': 388442, 'police officer uhuru': 663134, 'officer uhuru kenyatta': 595736, 'uhuru kenyatta moody': 938106, 'kenyatta moody awori': 473010, 'radically': 695411, 'altered': 49157, 'ha radically': 371622, 'radically altered': 695414, 'altered the': 49166, 'way people': 969804, 'the spend': 867565, 'spend their': 788685, 'their money': 873991, 'money customer': 536686, 'have simply': 382559, 'simply stopped': 770296, 'stopped spending': 805759, 'spending entirely': 788798, 'entirely this': 278809, 'sharpest decline': 755723, 'decline in': 231336, 'spending that': 788996, 'have ever': 380487, 'ever seen': 285484, 'seen one': 747170, 'one economist': 606222, 'economist said': 267578, 'the ha radically': 857011, 'ha radically altered': 371623, 'radically altered the': 695415, 'altered the way': 49167, 'the way people': 871175, 'way people in': 969807, 'in the spend': 429558, 'the spend their': 867566, 'spend their money': 788686, 'their money customer': 873995, 'money customer of': 536687, 'customer of many': 222638, 'of many business': 586171, 'business have simply': 143832, 'have simply stopped': 382562, 'simply stopped spending': 770297, 'stopped spending entirely': 805760, 'spending entirely this': 788799, 'entirely this is': 278810, 'is the sharpest': 452937, 'the sharpest decline': 866804, 'sharpest decline in': 755724, 'decline in consumer': 231345, 'in consumer spending': 421722, 'consumer spending that': 199095, 'spending that we': 788998, 'that we have': 847376, 'we have ever': 971808, 'have ever seen': 380492, 'ever seen one': 285490, 'seen one economist': 747171, 'one economist said': 606223, 'cole': 185829, 'cole supermarket': 185878, 'is fully': 447979, 'stocked after': 803247, 'buying via': 151310, 'cole supermarket is': 185882, 'supermarket is fully': 821092, 'is fully stocked': 447981, 'fully stocked after': 341083, 'stocked after covid': 803248, 'panic buying via': 637952, 'landscape': 479386, 'trend in': 931359, 'in digital': 422267, 'digital since': 242650, 'since whilst': 770995, 'whilst the': 987693, 'world see': 1009955, 'see big': 744962, 'big shift': 129983, 'habit result': 372677, 'at what': 101520, 'major shift': 509459, 'in consumption': 421731, 'consumption are': 199836, 'changed the': 172560, 'the digital': 853281, 'digital advertising': 242499, 'advertising landscape': 33241, 'trend in digital': 931364, 'in digital since': 422269, 'digital since whilst': 242651, 'since whilst the': 770996, 'whilst the world': 987697, 'the world see': 871959, 'world see big': 1009956, 'see big shift': 744966, 'big shift in': 129984, 'in consumer habit': 421700, 'consumer habit result': 197692, 'habit result of': 372678, 'of the outbreak': 591306, 'outbreak we look': 628798, 'we look at': 972292, 'look at what': 502306, 'at what the': 101534, 'what the major': 982337, 'the major shift': 859935, 'major shift in': 509460, 'shift in consumption': 758320, 'in consumption are': 421732, 'consumption are and': 199837, 'and how this': 64840, 'how this ha': 408946, 'this ha changed': 887801, 'ha changed the': 370137, 'changed the digital': 172564, 'the digital advertising': 853282, 'digital advertising landscape': 242500, 'to safely': 913711, 'safely shop': 730315, 'grocery while': 366137, 'few tip on': 304112, 'tip on how': 898852, 'how to safely': 409076, 'to safely shop': 913722, 'safely shop for': 730316, 'shop for grocery': 760188, 'for grocery while': 322058, 'waitrose': 964435, 'take away': 831959, 'away the': 106046, 'supermarket trolley': 823558, 'trolley only': 932453, 'only basket': 610141, 'basket coronacrisis': 112321, 'coronacrisis supermarket': 204801, 'supermarket tesco': 823150, 'tesco sainsburys': 838795, 'sainsburys aldi': 731748, 'aldi waitrose': 41313, 'waitrose morrison': 964462, 'take away the': 831972, 'away the supermarket': 106050, 'the supermarket trolley': 868874, 'supermarket trolley only': 823566, 'trolley only basket': 932454, 'only basket coronacrisis': 610142, 'basket coronacrisis supermarket': 112322, 'coronacrisis supermarket tesco': 204804, 'supermarket tesco sainsburys': 823153, 'tesco sainsburys aldi': 838796, 'sainsburys aldi waitrose': 731750, 'aldi waitrose morrison': 41314, 'stock yet': 803214, 'yet fresh': 1016082, 'of stock yet': 590213, 'stock yet fresh': 803215, 'yet fresh fruit': 1016083, 'idea how the': 413078, 'creative': 216117, 'substituting': 816102, 'bestseller': 128043, 'shortage and': 764811, 'panic caused': 638001, 'and 19': 57389, 'getting creative': 348919, 'creative when': 216181, 'to substituting': 915718, 'substituting toiletpaper': 816103, 'in related': 427365, 'related story': 708578, 'story this': 812130, 'the bestseller': 849566, 'bestseller list': 128044, 'list again': 494260, 'to the shortage': 917061, 'the shortage and': 867088, 'shortage and panic': 764823, 'and panic caused': 68649, 'panic caused by': 638002, 'by the and': 154261, 'the and 19': 848678, 'and 19 people': 57392, '19 people are': 9619, 'people are getting': 646987, 'are getting creative': 86799, 'getting creative when': 348923, 'creative when it': 216182, 'come to substituting': 187602, 'to substituting toiletpaper': 915719, 'substituting toiletpaper in': 816104, 'toiletpaper in related': 922118, 'in related story': 427368, 'related story this': 708580, 'story this is': 812131, 'this is on': 888344, 'is on the': 450487, 'on the bestseller': 603986, 'the bestseller list': 849567, 'bestseller list again': 128045, 'existential': 290283, 'farmer who': 299571, 'who rely': 989522, 'on farmer': 600738, 'farmer market': 299439, 'other direct': 620104, 'direct to': 243395, 'consumer sale': 198854, 'sale for': 732226, 'major portion': 509423, 'income the': 432473, 'the threat': 869510, 'threat of': 893683, 'of closed': 581468, 'closed market': 183220, 'market due': 516317, '19 could': 6151, 'be existential': 114730, 'for farmer who': 321409, 'farmer who rely': 299572, 'who rely on': 989523, 'rely on farmer': 709639, 'on farmer market': 600741, 'farmer market and': 299442, 'market and other': 515979, 'and other direct': 68311, 'other direct to': 620105, 'direct to consumer': 243396, 'to consumer sale': 903329, 'consumer sale for': 198858, 'sale for major': 732232, 'for major portion': 323168, 'major portion of': 509424, 'portion of their': 665025, 'of their income': 591673, 'their income the': 873647, 'income the threat': 432475, 'the threat of': 869511, 'threat of closed': 893687, 'of closed market': 581469, 'closed market due': 183221, 'market due to': 516318, 'covid 19 could': 212871, '19 could be': 6153, 'could be existential': 208867, 'lifetime': 489389, 'scratchcards': 742619, 'methinks': 529755, 'government lockdown': 360326, 'lockdown public': 499815, 'public demand': 687943, 'demand month': 235879, 'free council': 331734, 'council tax': 210029, 'tax free': 834990, 'food someone': 316693, 'someone to': 784696, 'wipe arse': 996201, 'arse live': 94075, 'live rent': 496000, 'rent free': 711092, 'free lifetime': 331945, 'lifetime supply': 489409, 'of scratchcards': 589417, 'scratchcards and': 742620, 'and fuck': 63385, 'you going': 1018877, 'going for': 355138, 'walk fishing': 964781, 'fishing golf': 309404, 'golf shopping': 356143, 'shopping methinks': 763279, 'methinks you': 529756, 'taking this': 833613, 'this seriously': 890033, 'seriously people': 751695, 'people lockdown': 648690, 'government lockdown public': 360327, 'lockdown public demand': 499816, 'public demand month': 687944, 'demand month free': 235880, 'month free council': 537737, 'free council tax': 331735, 'council tax free': 210031, 'tax free food': 834993, 'free food someone': 331836, 'food someone to': 316695, 'someone to wipe': 784712, 'to wipe arse': 918622, 'wipe arse live': 996202, 'arse live rent': 94076, 'live rent free': 496001, 'rent free lifetime': 711093, 'free lifetime supply': 331946, 'lifetime supply of': 489410, 'supply of scratchcards': 825647, 'of scratchcards and': 589418, 'scratchcards and fuck': 742621, 'and fuck you': 63387, 'fuck you going': 339700, 'you going for': 1018880, 'going for walk': 355154, 'for walk fishing': 327618, 'walk fishing golf': 964782, 'fishing golf shopping': 309405, 'golf shopping methinks': 356144, 'shopping methinks you': 763280, 'methinks you re': 529757, 'not taking this': 571934, 'taking this seriously': 833620, 'this seriously people': 890044, 'seriously people lockdown': 751698, 'altoriesgocovid19': 49395, 'no just': 564556, 'flu stay': 311462, 'home take': 402184, 'take this': 832706, 'seriously thank': 751747, 'thank your': 841849, 'your medical': 1024804, 'medical provider': 526348, 'provider thank': 686793, 'worker thanks': 1007906, 'there right': 879001, 'now they': 576100, 'are risking': 89723, 'for altoriesgocovid19': 319221, 'this is no': 888331, 'is no just': 449944, 'no just the': 564557, 'just the flu': 470000, 'the flu stay': 855463, 'flu stay at': 311463, 'at home take': 99130, 'home take this': 402186, 'take this seriously': 832714, 'this seriously thank': 890045, 'seriously thank your': 751748, 'thank your medical': 841854, 'your medical provider': 1024805, 'medical provider thank': 526351, 'provider thank your': 686794, 'thank your grocery': 841851, 'store worker thanks': 811600, 'worker thanks to': 1007909, 'thanks to everyone': 842220, 'who is there': 989122, 'is there right': 453029, 'there right now': 879002, 'right now they': 722156, 'now they are': 576102, 'they are risking': 881392, 'are risking their': 89727, 'their life for': 873831, 'life for altoriesgocovid19': 488662, 'occur': 579013, 'execute': 289847, 'olympics2020': 598802, 'backdrop': 107517, 'payne': 645788, 'no company': 563858, 'company expected': 190638, 'expected global': 290895, 'global lockdown': 352014, 'to occur': 910805, 'occur it': 579021, 'wa obviously': 962798, 'obviously very': 578860, 'to execute': 905403, 'execute the': 289848, 'the marketing': 860183, 'marketing for': 517606, 'for olympics2020': 324057, 'olympics2020 against': 598803, 'difficult unprecedented': 242353, 'unprecedented backdrop': 943084, 'backdrop said': 107521, 'said marketing': 731219, 'marketing manager': 517641, 'manager michael': 512747, 'michael payne': 530262, 'no company expected': 563859, 'company expected global': 190639, 'expected global lockdown': 290896, 'global lockdown to': 352017, 'lockdown to occur': 500058, 'to occur it': 910806, 'occur it wa': 579022, 'it wa obviously': 462162, 'wa obviously very': 962799, 'obviously very difficult': 578861, 'very difficult to': 955124, 'difficult to execute': 242332, 'to execute the': 905404, 'execute the marketing': 289849, 'the marketing for': 860186, 'marketing for olympics2020': 517607, 'for olympics2020 against': 324058, 'olympics2020 against this': 598804, 'against this difficult': 37698, 'this difficult unprecedented': 887228, 'difficult unprecedented backdrop': 242354, 'unprecedented backdrop said': 943085, 'backdrop said marketing': 107522, 'said marketing manager': 731221, 'marketing manager michael': 517642, 'manager michael payne': 512748, 'imitate': 416936, 'tendency': 837883, 'hev': 394301, 'directed': 243406, 'pres': 670437, 'may other': 521410, 'other service': 620889, 'provider imitate': 686738, 'imitate what': 416937, 'done and': 254771, 'and stop': 72466, 'the tendency': 869289, 'tendency of': 837888, 'of profiteering': 588525, 'profiteering out': 683082, 'crisis those': 218228, 'those hiking': 892059, 'service must': 752601, 'must hev': 546716, 'hev human': 394302, 'human face': 410489, 'face ha': 294455, 'been directed': 120981, 'directed by': 243409, 'by pres': 153642, 'may other service': 521411, 'other service provider': 620893, 'service provider imitate': 752729, 'provider imitate what': 686739, 'imitate what have': 416939, 'what have done': 981575, 'have done and': 380324, 'done and stop': 254779, 'and stop the': 72488, 'stop the tendency': 805156, 'the tendency of': 869290, 'tendency of profiteering': 837889, 'of profiteering out': 588527, 'profiteering out of': 683083, 'out of covid': 626710, '19 crisis those': 6338, 'crisis those hiking': 218230, 'those hiking price': 892060, 'hiking price of': 396402, 'good service must': 357714, 'service must hev': 752603, 'must hev human': 546717, 'hev human face': 394303, 'human face ha': 410490, 'face ha been': 294456, 'ha been directed': 369781, 'been directed by': 120982, 'directed by pres': 243410, '100pcs': 2208, 'ppes': 668124, 'from today': 338072, 'today on': 919967, 'are willing': 91639, 'offer sample': 594775, 'sample price': 733479, 'to customer': 903843, 'who want': 989925, 'to test': 916389, 'test quality': 839139, 'quality or': 691829, 'or do': 615012, 'do promotion': 250008, 'promotion locally': 683868, 'locally order': 498769, 'order volume': 618746, 'volume can': 960123, 'to 100pcs': 899443, '100pcs welcome': 2211, 'welcome for': 977879, 'your inquiry': 1024496, 'inquiry mask': 439012, 'mask thermometer': 519364, 'thermometer medical': 879530, 'medical ppes': 526302, 'from today on': 338079, 'today on we': 919975, 'on we are': 605130, 'we are willing': 970761, 'are willing to': 91640, 'willing to offer': 995473, 'to offer sample': 910847, 'offer sample price': 594776, 'sample price to': 733480, 'price to customer': 676982, 'to customer who': 903863, 'customer who want': 223085, 'who want to': 989928, 'want to test': 966143, 'to test quality': 916395, 'test quality or': 839140, 'quality or do': 691830, 'or do promotion': 615019, 'do promotion locally': 250009, 'promotion locally order': 683869, 'locally order volume': 498770, 'order volume can': 618747, 'volume can be': 960124, 'can be to': 157699, 'be to 100pcs': 117726, 'to 100pcs welcome': 899444, '100pcs welcome for': 2212, 'welcome for your': 977880, 'for your inquiry': 328167, 'your inquiry mask': 1024497, 'inquiry mask thermometer': 439013, 'mask thermometer medical': 519367, 'thermometer medical ppes': 879531, 'egyptian': 270125, 'internal': 441716, 'affirmed': 34639, 'the egyptian': 854096, 'egyptian ministry': 270126, 'and internal': 65323, 'internal trade': 441735, 'trade affirmed': 928398, 'affirmed the': 34640, 'all food': 42804, 'food product': 316011, 'market saying': 517031, 'panic over': 638383, 'over good': 630252, 'good amid': 356714, 'the egyptian ministry': 854097, 'egyptian ministry of': 270127, 'ministry of supply': 533553, 'of supply and': 590469, 'supply and internal': 824730, 'and internal trade': 65324, 'internal trade affirmed': 441736, 'trade affirmed the': 928399, 'affirmed the availability': 34641, 'availability of all': 104155, 'of all food': 579941, 'all food product': 42820, 'food product in': 316024, 'product in the': 681299, 'the market saying': 860155, 'market saying that': 517032, 'saying that there': 739705, 'to panic over': 911415, 'panic over good': 638388, 'over good amid': 630253, 'good amid the': 356716, 'amid the coronavirus': 52687, 'resign': 714460, 'insidertrading': 439488, 'two republican': 937183, 'senator face': 749745, 'face call': 294348, 'call to': 156162, 'to resign': 913352, 'resign over': 714466, 'over insidertrading': 630327, 'insidertrading selling': 439489, 'selling stock': 749453, 'coronavirus fear': 205911, 'fear business': 301071, 'two republican senator': 937184, 'republican senator face': 713065, 'senator face call': 749746, 'face call to': 294349, 'call to resign': 156185, 'to resign over': 913354, 'resign over insidertrading': 714468, 'over insidertrading selling': 630328, 'insidertrading selling stock': 439491, 'selling stock before': 749454, 'to coronavirus fear': 903547, 'coronavirus fear business': 205914, 'chems': 175486, 'q2': 691412, 'footing': 318550, 'europe chems': 283421, 'chems price': 175487, 'price start': 676608, 'start q2': 794449, 'q2 on': 691423, 'weak footing': 974017, 'footing stock': 318561, 'stock down': 802055, 'on poor': 602838, 'poor sentiment': 664286, 'sentiment icis': 750939, 'icis europe': 412753, 'europe price': 283500, 'price stock': 676661, 'stock chemical': 801981, 'chemical oil': 175367, 'oil financial': 596795, 'europe chems price': 283422, 'chems price start': 175488, 'price start q2': 676611, 'start q2 on': 794450, 'q2 on weak': 691424, 'on weak footing': 605143, 'weak footing stock': 974018, 'footing stock down': 318562, 'stock down on': 802058, 'down on poor': 257031, 'on poor sentiment': 602840, 'poor sentiment icis': 664287, 'sentiment icis europe': 750940, 'icis europe price': 412756, 'europe price stock': 283501, 'price stock chemical': 676662, 'stock chemical oil': 801982, 'chemical oil financial': 175368, 'oil financial market': 596796, 'mood': 538262, 'obesiti': 578359, 'distancing in': 247221, 'supermarket totally': 823518, 'totally failed': 926332, 'failed customer': 296134, 'customer came': 222217, 'came shopping': 157053, 'shopping they': 764115, 'were in': 979768, 'in weekend': 430779, 'weekend mood': 977372, 'mood based': 538269, 'based from': 111589, 'from their': 337932, 'their attitude': 872526, 'and product': 69561, 'product purchase': 681557, 'purchase either': 689436, 'either they': 270392, 'will infected': 993848, 'infected by': 436543, '19 first': 7019, 'first or': 308835, 'or obesiti': 616336, 'obesiti at': 578360, 'quarantine period': 692429, 'social distancing in': 779638, 'distancing in supermarket': 247233, 'in supermarket totally': 428698, 'supermarket totally failed': 823519, 'totally failed customer': 926333, 'failed customer came': 296135, 'customer came shopping': 222218, 'came shopping they': 157054, 'shopping they were': 764121, 'they were in': 883779, 'were in weekend': 979784, 'in weekend mood': 430781, 'weekend mood based': 977373, 'mood based from': 538270, 'based from their': 111590, 'from their attitude': 337934, 'their attitude and': 872527, 'attitude and product': 102546, 'and product purchase': 69571, 'product purchase either': 681558, 'purchase either they': 689437, 'either they will': 270395, 'they will infected': 883857, 'will infected by': 993849, 'infected by covid': 436545, 'covid 19 first': 213101, '19 first or': 7021, 'first or obesiti': 308836, 'or obesiti at': 616337, 'obesiti at the': 578361, 'end of quarantine': 275913, 'of quarantine period': 588664, 'launder': 482084, 'cash can': 166192, 'can carry': 157868, 'carry and': 165066, 'and spread': 72140, 'spread but': 790456, 'but can': 145342, 'can launder': 158838, 'launder your': 482085, 'your cash': 1023157, 'cash for': 166234, '10 fee': 1423, 'fee please': 302213, 'please send': 660462, 'cash can carry': 166193, 'can carry and': 157869, 'carry and spread': 165067, 'and spread but': 72143, 'spread but can': 790457, 'but can launder': 145354, 'can launder your': 158839, 'launder your cash': 482086, 'your cash for': 1023158, 'cash for 10': 166235, 'for 10 fee': 318613, '10 fee please': 1424, 'fee please send': 302214, 'french': 332711, 'emmanuel': 273233, 'macron': 507491, 'imposed': 419272, 'declaring': 231270, 'municipal': 546084, 'election': 271012, 'duty': 263554, 'french president': 332750, 'president emmanuel': 670806, 'emmanuel macron': 273236, 'macron ha': 507494, 'ha imposed': 370926, 'imposed two': 419321, 'week lockdown': 976490, 'lockdown declaring': 499310, 'declaring war': 231287, 'war on': 966501, 'on cancelled': 599796, 'cancelled municipal': 161135, 'municipal election': 546087, 'election citizen': 271029, 'citizen have': 178902, 'essential duty': 280982, 'duty such': 263609, 'such trip': 816844, 'or pharmacy': 616567, 'french president emmanuel': 332751, 'president emmanuel macron': 670807, 'emmanuel macron ha': 273237, 'macron ha imposed': 507495, 'ha imposed two': 370929, 'imposed two week': 419322, 'two week lockdown': 937337, 'week lockdown declaring': 976493, 'lockdown declaring war': 499311, 'declaring war on': 231289, 'war on cancelled': 966502, 'on cancelled municipal': 599797, 'cancelled municipal election': 161136, 'municipal election citizen': 546089, 'election citizen have': 271030, 'citizen have been': 178903, 'stay home and': 796938, 'home and will': 400714, 'and will only': 75680, 'out for essential': 626113, 'for essential duty': 321100, 'essential duty such': 280985, 'duty such trip': 263610, 'such trip to': 816845, 'store or pharmacy': 809360, 'threshold impact': 894146, 'on retail': 603172, 'threshold impact on': 894147, 'impact on retail': 417885, 'mayhem': 521906, 'inspirational': 439813, 'assault': 96310, 'ear': 264389, 'shite': 759311, 'sudden': 816978, '74': 22079, 'library': 488056, 'my very': 550492, 'very personal': 955410, 'personal view': 652994, 'view is': 957100, 'that rather': 845942, 'than join': 840808, 'join supermarket': 466846, 'supermarket mayhem': 821481, 'mayhem have': 521913, 'have inspirational': 381093, 'inspirational song': 439816, 'song assault': 785479, 'assault our': 96319, 'our ear': 622820, 'ear read': 264401, 'read utter': 700645, 'utter shite': 951432, 'shite from': 759314, 'from sudden': 337464, 'sudden covid': 816993, 'expert with': 292033, 'with 74': 997060, '74 twitter': 22090, 'twitter follower': 936658, 'follower and': 312630, 'all cinema': 42345, 'cinema gym': 178536, 'gym and': 369295, 'and library': 66125, 'library closed': 488063, 'closed would': 183447, 'would 100': 1011489, '100 prefer': 2048, 'prefer death': 669734, 'my very personal': 550495, 'very personal view': 955411, 'personal view is': 652995, 'view is that': 957102, 'is that rather': 452683, 'that rather than': 845943, 'rather than join': 697531, 'than join supermarket': 840809, 'join supermarket mayhem': 466847, 'supermarket mayhem have': 821482, 'mayhem have inspirational': 521914, 'have inspirational song': 381094, 'inspirational song assault': 439817, 'song assault our': 785480, 'assault our ear': 96320, 'our ear read': 622821, 'ear read utter': 264402, 'read utter shite': 700646, 'utter shite from': 951433, 'shite from sudden': 759315, 'from sudden covid': 337465, 'sudden covid 19': 816994, '19 expert with': 6900, 'expert with 74': 292034, 'with 74 twitter': 997061, '74 twitter follower': 22091, 'twitter follower and': 936659, 'follower and have': 312631, 'and have all': 64219, 'have all cinema': 379152, 'all cinema gym': 42346, 'cinema gym and': 178537, 'gym and library': 369296, 'and library closed': 66126, 'library closed would': 488064, 'closed would 100': 183448, 'would 100 prefer': 1011490, '100 prefer death': 2049, 'follower gather': 312636, 'gather get': 344380, 'get and': 346551, 'and grab': 63902, 'grab leader': 361503, 'leader give': 483459, 'give perhaps': 350648, 'perhaps the': 651639, 'most useful': 542845, 'useful thing': 950195, 'thing at': 884173, 'is insight': 448937, 'follower gather get': 312637, 'gather get and': 344381, 'get and grab': 346552, 'and grab leader': 63904, 'grab leader give': 361504, 'leader give perhaps': 483460, 'give perhaps the': 350649, 'perhaps the most': 651643, 'the most useful': 861057, 'most useful thing': 542847, 'useful thing at': 950196, 'thing at the': 884177, 'store is insight': 808499, 'iymi': 464085, 'iymi covid': 464086, 'market we': 517316, 'you posted': 1020386, 'posted with': 666597, 'with with': 1002110, 'with any': 997272, 'any insight': 79360, 'insight and': 439507, 'and perspective': 68937, 'perspective we': 653242, 'we learn': 972176, 'learn in': 483996, 'the coming': 851190, 'coming day': 188017, 'day week': 228684, 'and month': 67125, 'month ahead': 537551, 'iymi covid 19': 464087, '19 is expected': 7968, 'expected to slow': 291002, 'to slow down': 914739, 'down the spring': 257304, 'housing market we': 407115, 'market we will': 517322, 'will keep you': 993904, 'keep you posted': 472245, 'you posted with': 1020389, 'posted with with': 666598, 'with with any': 1002111, 'with any insight': 997277, 'any insight and': 79361, 'insight and perspective': 439508, 'and perspective we': 68938, 'perspective we learn': 653243, 'we learn in': 972177, 'learn in the': 483997, 'in the coming': 429083, 'the coming day': 851194, 'coming day week': 188024, 'day week and': 228689, 'week and month': 975924, 'and month ahead': 67126, '6trillion': 21699, 'top own': 925657, 'own most': 632108, 'bond market': 134251, 'market so': 517075, 'protect their': 684988, 'their asset': 872518, 'asset we': 96487, 'we the': 973516, 'bottom 99': 136387, '99 via': 23911, 'via the': 956299, 'use 6trillion': 949007, '6trillion to': 21700, 'to prop': 912263, 'up those': 946289, 'those asset': 891815, 'top own most': 925658, 'own most of': 632109, 'the stock and': 867903, 'stock and bond': 801802, 'and bond market': 59059, 'bond market so': 134252, 'market so to': 517079, 'so to protect': 778539, 'to protect their': 912337, 'protect their asset': 684989, 'their asset we': 872519, 'asset we the': 96488, 'we the bottom': 973517, 'the bottom 99': 849902, 'bottom 99 via': 136388, '99 via the': 23912, 'via the will': 956314, 'the will use': 871585, 'will use 6trillion': 995280, 'use 6trillion to': 949008, '6trillion to prop': 21701, 'to prop up': 912264, 'prop up those': 684051, 'up those asset': 946290, 'those asset price': 891816, 'thai': 840072, 'seven': 753745, 'anticipated': 78451, 'rival': 724163, 'thai rice': 840083, 'rice price': 721111, 'hit seven': 398395, 'seven year': 753776, 'high on': 395196, 'on anticipated': 599393, 'anticipated sale': 78464, 'sale coronavirus': 732144, 'coronavirus trouble': 206970, 'trouble rival': 932638, 'rival exporter': 724169, 'thai rice price': 840084, 'rice price hit': 721112, 'price hit seven': 674563, 'hit seven year': 398396, 'seven year high': 753778, 'year high on': 1014624, 'high on anticipated': 395197, 'on anticipated sale': 599394, 'anticipated sale coronavirus': 78465, 'sale coronavirus trouble': 732145, 'coronavirus trouble rival': 206971, 'trouble rival exporter': 932639, 'teamwork': 835893, 'displayed': 246212, 'grossly': 366454, 'inflating': 437106, 'attempting': 102275, 'so proud': 778082, 'the teamwork': 869214, 'teamwork displayed': 835895, 'displayed by': 246213, 'my staff': 550185, 'our state': 624894, 'state department': 795516, 'department and': 237181, 'and agency': 57775, 'agency supporting': 38077, 'supporting each': 827128, 'other in': 620405, 'doing not': 252554, 'not grossly': 569756, 'grossly inflating': 366461, 'inflating the': 437128, 'or attempting': 614461, 'attempting to': 102280, 'scam one': 740273, 'one another': 605911, 'am so proud': 50409, 'so proud of': 778083, 'proud of the': 686037, 'of the teamwork': 591526, 'the teamwork displayed': 869215, 'teamwork displayed by': 835896, 'displayed by my': 246215, 'by my staff': 153288, 'my staff and': 550187, 'staff and all': 792122, 'and all of': 57878, 'of our state': 587569, 'our state department': 624899, 'state department and': 795517, 'department and agency': 237182, 'and agency supporting': 57776, 'agency supporting each': 38078, 'supporting each other': 827129, 'each other in': 264184, 'other in time': 620412, 'time like this': 897138, 'like this is': 491499, 'is what we': 453903, 'what we should': 982564, 'we should be': 973259, 'should be doing': 765602, 'be doing not': 114524, 'doing not grossly': 252555, 'not grossly inflating': 569757, 'grossly inflating the': 366462, 'inflating the price': 437129, 'essential product or': 281424, 'product or attempting': 681493, 'or attempting to': 614462, 'attempting to scam': 102289, 'to scam one': 913865, 'scam one another': 740274, 'bragging': 137559, 'trump bragging': 933447, 'bragging about': 137560, 'about low': 25672, 'price fuck': 674126, 'fuck the': 339655, 'dying gas': 263833, 'trump bragging about': 933448, 'bragging about low': 137562, 'about low gas': 25673, 'gas price fuck': 343968, 'price fuck the': 674127, 'fuck the people': 339661, 'the people dying': 863469, 'people dying gas': 647750, 'dying gas price': 263834, 'hooper': 403364, 'hooper wa': 403365, 'wa taking': 963400, 'taking no': 833458, 'no chance': 563779, 'chance at': 171702, 'at his': 98914, 'his local': 397588, 'supermarket 19': 818733, 'hooper wa taking': 403366, 'wa taking no': 963401, 'taking no chance': 833459, 'no chance at': 563780, 'chance at his': 171704, 'at his local': 98919, 'his local supermarket': 397590, 'local supermarket 19': 498495, 'don worry': 254077, 'worry there': 1010781, 'supply well': 826084, 'well can': 978090, 'can find': 158312, 'find this': 307328, 'this product': 889728, 'product anywhere': 680920, 'anywhere and': 81084, 'and folk': 63005, 'folk are': 312088, 'price after': 672229, 'reporting it': 712704, 'to ebay': 904917, 'ebay they': 266491, 're working': 699822, 'it sure': 461389, 'don worry there': 254086, 'worry there is': 1010782, 'is enough food': 447511, 'enough food and': 277382, 'and supply well': 72824, 'supply well can': 826085, 'well can find': 978091, 'can find this': 158341, 'find this product': 307334, 'this product anywhere': 889729, 'product anywhere and': 680921, 'anywhere and folk': 81085, 'and folk are': 63006, 'folk are jacking': 312092, 'the price after': 864327, 'price after reporting': 672235, 'after reporting it': 36122, 'reporting it to': 712705, 'it to ebay': 461711, 'to ebay they': 904918, 'ebay they said': 266492, 'they said they': 883248, 'said they re': 731483, 'they re working': 883154, 're working on': 699835, 'working on it': 1008807, 'on it sure': 601688, 'grab few': 361483, 'thing left': 884528, 'anxiety on': 78765, 'world feel': 1009546, 'like something': 491217, 'something out': 785002, 'of movie': 586698, 'movie 19': 543976, 'store to grab': 810774, 'to grab few': 906961, 'grab few thing': 361484, 'few thing left': 304097, 'thing left with': 884533, 'left with my': 485744, 'with my anxiety': 999607, 'my anxiety on': 547279, 'anxiety on our': 78766, 'on our world': 602646, 'our world feel': 625406, 'world feel like': 1009547, 'feel like something': 302745, 'like something out': 491218, 'something out of': 785003, 'out of movie': 626792, 'of movie 19': 586699, 'neda': 554318, 'aiming': 39579, 'ass': 96244, 'ecq': 268406, 'neda said': 554319, 'business survey': 144451, 'survey are': 828816, 'are aiming': 84281, 'aiming to': 39580, 'to ass': 900769, 'ass the': 96279, 'coronavirus disease': 205824, 'and ecq': 61930, 'ecq on': 268409, 'neda said that': 554320, 'said that the': 731414, 'that the consumer': 846691, 'and business survey': 59303, 'business survey are': 144452, 'survey are aiming': 828817, 'are aiming to': 84282, 'aiming to ass': 39581, 'to ass the': 900773, 'ass the impact': 96281, 'the coronavirus disease': 851833, 'coronavirus disease and': 205828, 'disease and ecq': 245087, 'and ecq on': 61931, 'agri': 38832, 'devendra': 239871, 'on agriculture': 599183, 'agriculture sector': 39029, 'sector agri': 744068, 'agri economist': 38835, 'economist devendra': 267535, 'devendra sharma': 239872, 'sharma is': 755651, 'is hoping': 448538, 'for package': 324348, 'package for': 633272, 'for agriculture': 319082, 'sector in': 744229, 'line with': 493573, 'other sector': 620878, 'sector from': 744197, 'the finance': 855204, 'finance min': 306226, 'min also': 532513, 'also share': 48867, 'share that': 755238, 'that vegetable': 847235, 'vegetable fruit': 953987, 'fruit are': 339068, 'high production': 395301, 'production but': 681944, 'are weak': 91600, 'weak because': 973996, 'no buyer': 563746, 'impact on agriculture': 417817, 'on agriculture sector': 599188, 'agriculture sector agri': 39030, 'sector agri economist': 744069, 'agri economist devendra': 38836, 'economist devendra sharma': 267536, 'devendra sharma is': 239874, 'sharma is hoping': 755652, 'is hoping for': 448539, 'hoping for package': 403925, 'for package for': 324349, 'package for agriculture': 633274, 'for agriculture sector': 319084, 'agriculture sector in': 39032, 'sector in line': 744233, 'in line with': 424785, 'line with other': 493585, 'with other sector': 999961, 'other sector from': 620880, 'sector from the': 744200, 'from the finance': 337697, 'the finance min': 855206, 'finance min also': 306227, 'min also share': 532514, 'also share that': 48869, 'share that vegetable': 755242, 'that vegetable fruit': 847236, 'vegetable fruit are': 953989, 'fruit are in': 339069, 'are in high': 87393, 'in high production': 423686, 'high production but': 395302, 'production but price': 681945, 'price are weak': 672764, 'are weak because': 91601, 'weak because of': 973997, 'because of no': 119381, 'of no buyer': 587035, 'furloughed': 341910, 'modification': 535494, 'trustee': 934359, 'came across': 156960, 'across this': 29537, 'this today': 890750, 'today both': 919323, 'both my': 135974, 'are furloughed': 86758, 'furloughed and': 341913, 'and still': 72365, 'still responsible': 801120, 'full payment': 340805, 'payment but': 645567, 'yet if': 1016097, 'if covid19': 414014, 'covid19 didn': 214291, 'didn exist': 241051, 'exist we': 290248, 'would apply': 1011529, 'apply for': 82556, 'for modification': 323476, 'modification of': 535499, 'our trustee': 625206, 'trustee payment': 934361, 'payment plan': 645707, 'came across this': 156963, 'across this today': 29544, 'this today both': 890752, 'today both my': 919324, 'both my husband': 135976, 'husband and are': 411672, 'and are furloughed': 58317, 'are furloughed and': 86759, 'furloughed and still': 341914, 'and still responsible': 72387, 'still responsible for': 801121, 'responsible for full': 716033, 'for full payment': 321812, 'full payment but': 340806, 'payment but yet': 645570, 'but yet if': 147965, 'yet if covid19': 1016098, 'if covid19 didn': 414015, 'covid19 didn exist': 214292, 'didn exist we': 241054, 'exist we would': 290249, 'we would apply': 973965, 'would apply for': 1011530, 'apply for modification': 82561, 'for modification of': 323477, 'modification of our': 535500, 'of our trustee': 587581, 'our trustee payment': 625207, 'trustee payment plan': 934362, 'rush': 728279, 'cannabis': 161381, '19 restriction': 10172, 'restriction spark': 717376, 'spark rush': 787554, 'rush on': 728318, 'on cannabis': 599799, 'cannabis store': 161445, 'store they': 810661, 'not closed': 568780, 'closed yet': 183453, 'yet but': 1016016, 'but customer': 145494, 'customer are': 222110, 'are stocking': 90517, 'cannabis this': 161453, 'weekend bracing': 977323, 'for new': 323816, 'new restriction': 559481, 'restriction at': 717227, 'at retail': 100300, 'covid 19 restriction': 213704, '19 restriction spark': 10181, 'restriction spark rush': 717377, 'spark rush on': 787555, 'rush on cannabis': 728319, 'on cannabis store': 599800, 'cannabis store they': 161448, 'store they re': 810675, 're not closed': 699081, 'not closed yet': 568782, 'closed yet but': 183454, 'yet but customer': 1016019, 'but customer are': 145495, 'customer are stocking': 222130, 'are stocking up': 90519, 'up on cannabis': 945534, 'on cannabis this': 599801, 'cannabis this weekend': 161454, 'this weekend bracing': 891306, 'weekend bracing for': 977324, 'bracing for new': 137505, 'for new restriction': 323830, 'new restriction at': 559482, 'restriction at retail': 717228, 'at retail store': 100307, 'retail store in': 718647, 'political': 663628, 'exaggerated': 288773, 'stfu': 800004, 'that think': 846975, 'think corvid19': 885193, 'corvid19 is': 207731, 'is fake': 447715, 'fake or': 296686, 'or political': 616632, 'political stunt': 663679, 'stunt exaggerated': 815324, 'exaggerated etc': 288778, 'etc say': 282734, 'say this': 739359, 'this go': 887711, 'out continue': 625886, 'continue on': 201081, 'is normal': 450012, 'normal do': 567139, 'buy hand': 148769, 'mask extra': 518630, 'extra supply': 293663, 'supply etc': 825222, 'the talk': 869138, 'talk walk': 833905, 'the walk': 871040, 'or stfu': 617220, 'all the people': 44862, 'people that think': 649780, 'that think corvid19': 846976, 'think corvid19 is': 885194, 'corvid19 is fake': 207732, 'is fake or': 447718, 'fake or political': 296687, 'or political stunt': 616633, 'political stunt exaggerated': 663680, 'stunt exaggerated etc': 815325, 'exaggerated etc say': 288779, 'etc say this': 282735, 'say this go': 739367, 'this go out': 887716, 'go out continue': 353943, 'out continue on': 625887, 'continue on everything': 201082, 'on everything is': 600649, 'everything is normal': 287879, 'is normal do': 450013, 'normal do not': 567140, 'do not buy': 249688, 'not buy hand': 568649, 'buy hand sanitizer': 148771, 'sanitizer mask extra': 735352, 'mask extra supply': 518631, 'extra supply etc': 293665, 'supply etc if': 825223, 'etc if you': 282602, 'you are going': 1017132, 'going to talk': 355737, 'talk the talk': 833857, 'the talk walk': 869139, 'talk walk the': 833906, 'walk the walk': 964883, 'the walk or': 871042, 'walk or stfu': 964852, 'evolving': 288538, 'equally': 279630, 'analyzed': 57251, 'sift': 769011, 'uncover': 939902, 'fraud is': 331294, 'is evolving': 447611, 'evolving rapidly': 288579, 'rapidly result': 697014, 'all industry': 43221, 'industry are': 435656, 'being impacted': 125281, 'impacted equally': 418103, 'equally we': 279643, 'we analyzed': 970422, 'analyzed sift': 57260, 'sift data': 769012, 'data to': 226453, 'to uncover': 917889, 'uncover how': 939905, 'is affecting': 445375, 'affecting consumer': 34500, 'behavior well': 124297, 'well emerging': 978222, 'emerging fraud': 273119, 'fraud trend': 331368, 'that business': 843053, 'business need': 144084, 'be aware': 113773, 'aware of': 105621, 'fraud is evolving': 331295, 'is evolving rapidly': 447616, 'evolving rapidly result': 288581, 'rapidly result of': 697015, 'result of covid': 717586, '19 and not': 5069, 'and not all': 67713, 'not all industry': 568113, 'all industry are': 43222, 'industry are being': 435659, 'are being impacted': 84873, 'being impacted equally': 125283, 'impacted equally we': 418104, 'equally we analyzed': 279644, 'we analyzed sift': 970424, 'analyzed sift data': 57261, 'sift data to': 769013, 'data to uncover': 226470, 'to uncover how': 917891, 'uncover how the': 939907, 'how the pandemic': 408862, 'pandemic is affecting': 635752, 'is affecting consumer': 445384, 'affecting consumer behavior': 34502, 'consumer behavior well': 196535, 'behavior well emerging': 124298, 'well emerging fraud': 978223, 'emerging fraud trend': 273120, 'fraud trend that': 331369, 'trend that business': 931462, 'that business need': 843059, 'business need to': 144089, 'to be aware': 901121, 'be aware of': 113778, 'tablet': 831519, 'laptop': 479545, 'touchscreen': 926769, 'mbot': 522062, 'reduce the': 705954, 'germ on': 346136, 'of tablet': 590568, 'tablet laptop': 831526, 'laptop and': 479546, 'and touchscreen': 74308, 'touchscreen health': 926774, 'health canada': 386214, 'canada approved': 160363, 'approved certified': 83139, 'certified smart': 170249, 'smart screen': 775417, 'screen sanitizer': 742723, 'sanitizer ask': 734494, 'ask for': 95521, 'or health': 615607, 'health food': 386438, 'food store': 316839, 'store coronacrisis': 807178, 'coronacrisis mbot': 204662, 'reduce the spread': 705977, 'spread of germ': 790673, 'of germ on': 584099, 'germ on the': 346139, 'on the use': 604421, 'use of tablet': 949428, 'of tablet laptop': 590569, 'tablet laptop and': 831527, 'laptop and touchscreen': 479549, 'and touchscreen health': 74309, 'touchscreen health canada': 926775, 'health canada approved': 386215, 'canada approved certified': 160364, 'approved certified smart': 83140, 'certified smart screen': 170250, 'smart screen sanitizer': 775418, 'screen sanitizer ask': 742726, 'sanitizer ask for': 734495, 'ask for it': 95527, 'for it at': 322692, 'it at your': 456633, 'your local grocery': 1024698, 'local grocery or': 498050, 'grocery or health': 364804, 'or health food': 615610, 'health food store': 386444, 'food store coronacrisis': 316847, 'store coronacrisis mbot': 807180, 'mrna': 544443, 'biotechnology': 131290, 'gild': 350109, 'clx': 184607, 'lake': 479051, 'zm': 1027654, 'rng': 724364, 'could benefit': 208958, 'benefit from': 126975, 'from mrna': 336484, 'mrna industry': 544444, 'industry biotechnology': 435697, 'biotechnology gild': 131297, 'gild sector': 350114, 'sector biotechnology': 744109, 'biotechnology clx': 131293, 'clx sector': 184612, 'sector consumer': 744133, 'consumer cost': 196986, 'cost sector': 208104, 'sector retail': 744311, 'retail lake': 718266, 'lake industry': 479059, 'industry security': 436098, 'security zm': 744801, 'zm sector': 1027659, 'sector technology': 744344, 'technology rng': 836353, 'rng sector': 724367, 'stock that could': 802920, 'that could benefit': 843341, 'could benefit from': 208960, 'benefit from mrna': 126990, 'from mrna industry': 336485, 'mrna industry biotechnology': 544446, 'industry biotechnology gild': 435698, 'biotechnology gild sector': 131298, 'gild sector biotechnology': 350115, 'sector biotechnology clx': 744110, 'biotechnology clx sector': 131294, 'clx sector consumer': 184613, 'sector consumer cost': 744134, 'consumer cost sector': 196990, 'cost sector retail': 208105, 'sector retail lake': 744313, 'retail lake industry': 718267, 'lake industry security': 479061, 'industry security zm': 436099, 'security zm sector': 744802, 'zm sector technology': 1027660, 'sector technology rng': 744345, 'technology rng sector': 836355, 'rng sector technology': 724368, 'freedom': 332361, 'nope': 566892, 'hosta': 404904, 'point rather': 662602, 'rather get': 697463, 'damn we': 225460, 'lost third': 503932, 'third of': 886081, 'our money': 623939, 'market lost': 516696, 'lost our': 503901, 'our job': 623596, 'job food': 465817, 'chain bare': 170539, 'bare and': 110854, 'and freedom': 63281, 'freedom nope': 332375, 'nope not': 566905, 'that either': 843686, 'either done': 270292, 'done being': 254793, 'being strong': 125868, 'are hosta': 87243, 'this is now': 888336, 'is now at': 450260, 'now at this': 574140, 'this point rather': 889643, 'point rather get': 662603, 'rather get the': 697464, 'get the damn': 348237, 'the damn we': 852818, 'damn we have': 225461, 'we have lost': 971861, 'have lost third': 381386, 'lost third of': 503933, 'third of our': 886088, 'of our money': 587515, 'our money in': 623940, 'money in the': 536830, 'in the stock': 429574, 'stock market lost': 802411, 'market lost our': 516697, 'lost our job': 503902, 'our job food': 623599, 'job food supply': 465819, 'supply chain bare': 824912, 'chain bare and': 170540, 'bare and freedom': 110858, 'and freedom nope': 63282, 'freedom nope not': 332376, 'nope not that': 566906, 'not that either': 571968, 'that either done': 843687, 'either done being': 270293, 'done being strong': 254795, 'being strong we': 125869, 'strong we are': 814155, 'we are hosta': 970592, 'urban': 948092, 'millennial': 531993, 'sandeep': 733680, 'da': 224209, 'opinion the': 613502, 'the urban': 870521, 'urban millennial': 948115, 'millennial consumer': 531994, 'by sandeep': 153863, 'sandeep da': 733681, 'opinion the urban': 613505, 'the urban millennial': 870522, 'urban millennial consumer': 948116, 'millennial consumer in': 531995, 'time of by': 897315, 'of by sandeep': 581029, 'by sandeep da': 153864, 'highlighting': 396007, 'pulling': 688928, 'the pub': 864763, 'pub may': 687729, 'closed but': 183025, 'that doesn': 843582, 'doesn mean': 251884, 'mean we': 524759, 'help people': 390281, 'people highlighting': 648254, 'highlighting more': 396013, 'more hero': 539434, 'hero we': 394149, 'we meet': 972360, 'pub pulling': 687754, 'pulling out': 688944, 'the stop': 867955, 'help their': 390687, 'their local': 873866, 'local community': 497837, 'community cc': 189779, 'the pub may': 864771, 'pub may be': 687730, 'may be closed': 520961, 'be closed but': 114123, 'closed but that': 183029, 'but that doesn': 147285, 'that doesn mean': 843587, 'doesn mean we': 251894, 'mean we can': 524760, 'we can help': 970962, 'can help people': 158646, 'help people highlighting': 390297, 'people highlighting more': 648255, 'highlighting more hero': 396014, 'more hero we': 539435, 'hero we meet': 394152, 'we meet the': 972361, 'meet the uk': 527617, 'the uk pub': 870270, 'uk pub pulling': 938654, 'pub pulling out': 687755, 'pulling out all': 688945, 'out all the': 625605, 'all the stop': 44926, 'the stop to': 867960, 'stop to help': 805218, 'to help their': 907647, 'help their local': 390692, 'their local community': 873867, 'local community cc': 497838, 'hotfuzz': 405223, 'final': 305817, 'unrealistic': 943302, 'watching the': 968793, 'the hotfuzz': 857565, 'hotfuzz final': 405224, 'final scene': 305875, 'scene and': 741302, 'most unrealistic': 542837, 'unrealistic thing': 943307, 'the fully': 856031, 'stocked supermarket': 803406, 'shelf coronacrisis': 756962, 'watching the hotfuzz': 968798, 'the hotfuzz final': 857566, 'hotfuzz final scene': 405225, 'final scene and': 305876, 'scene and the': 741304, 'and the most': 73480, 'the most unrealistic': 861054, 'most unrealistic thing': 542838, 'unrealistic thing about': 943308, 'thing about it': 884087, 'about it is': 25582, 'it is the': 459098, 'is the fully': 452804, 'the fully stocked': 856032, 'fully stocked supermarket': 341103, 'stocked supermarket shelf': 803413, 'supermarket shelf coronacrisis': 822449, 'midwest': 530815, 'could soon': 209687, 'soon drop': 785697, 'drop to': 260417, 'to 99': 899882, 'cent gallon': 169058, 'gallon in': 343019, 'in part': 426522, 'the midwest': 860580, 'gas price could': 343948, 'price could soon': 673297, 'could soon drop': 209691, 'soon drop to': 785698, 'drop to 99': 260423, 'to 99 cent': 899885, '99 cent gallon': 23793, 'cent gallon in': 169064, 'gallon in part': 343028, 'in part of': 426528, 'of the midwest': 591241, 'supermarket rationing': 822160, 'rationing and': 697788, 'new opening': 559216, 'opening time': 612920, 'for tesco': 326215, 'tesco aldi': 838651, 'aldi asda': 41254, 'more during': 539087, 'supermarket rationing and': 822161, 'rationing and new': 697790, 'and new opening': 67553, 'new opening time': 559218, 'opening time for': 612924, 'time for tesco': 896761, 'for tesco aldi': 326216, 'tesco aldi asda': 838652, 'aldi asda and': 41255, 'asda and more': 94906, 'and more during': 67165, 'more during pandemic': 539090, 'fallout': 297369, 'disinflationary': 245939, 'stronger': 814163, 'dxy': 263715, 'pretty big': 671365, 'big drop': 129766, 'the month': 860842, 'month of': 537891, 'march fallout': 515357, 'fallout from': 297379, 'from having': 335730, 'having disinflationary': 384036, 'disinflationary effect': 245940, 'large demand': 479646, 'demand shock': 236195, 'shock oil': 759486, 'price plunge': 675920, 'plunge stronger': 661457, 'stronger dollar': 814174, 'dollar usd': 253108, 'usd dxy': 948917, 'dxy inflation': 263718, 'inflation economics': 437165, 'economics economy': 267447, 'economy bond': 267706, 'bond stock': 134263, 'stock investment': 802295, 'investment oott': 444034, 'oott energy': 611766, 'pretty big drop': 671366, 'big drop in': 129767, 'drop in consumer': 260234, 'in consumer price': 421711, 'consumer price for': 198421, 'price for the': 674060, 'for the month': 326567, 'the month of': 860851, 'month of march': 537902, 'of march fallout': 586206, 'march fallout from': 515358, 'fallout from having': 297382, 'from having disinflationary': 335732, 'having disinflationary effect': 384037, 'disinflationary effect on': 245941, 'effect on price': 269093, 'on price due': 602908, 'due to large': 261841, 'to large demand': 909042, 'large demand shock': 479649, 'demand shock oil': 236201, 'shock oil price': 759487, 'oil price plunge': 597217, 'price plunge stronger': 675930, 'plunge stronger dollar': 661458, 'stronger dollar usd': 814175, 'dollar usd dxy': 253109, 'usd dxy inflation': 948918, 'dxy inflation economics': 263719, 'inflation economics economy': 437166, 'economics economy bond': 267448, 'economy bond stock': 267707, 'bond stock investment': 134266, 'stock investment oott': 802296, 'investment oott energy': 444035, 'carbs': 163436, 'the bread': 849956, 'bread aisle': 138382, 'aisle at': 40211, 'wa bare': 961635, 'bare yesterday': 110990, 'yesterday guess': 1015761, 'guess that': 368040, 'fight the': 304883, 'to load': 909363, 'load up': 497302, 'on carbs': 599822, 'the bread aisle': 849957, 'bread aisle at': 138383, 'aisle at my': 40212, 'local supermarket wa': 498608, 'supermarket wa bare': 823691, 'wa bare yesterday': 961639, 'bare yesterday guess': 110991, 'yesterday guess that': 1015762, 'guess that the': 368044, 'that the way': 846866, 'the way to': 871201, 'way to fight': 970029, 'to fight the': 905813, 'fight the is': 304894, 'the is to': 858543, 'is to load': 453221, 'to load up': 909364, 'load up on': 497304, 'up on carbs': 945537, 'cradle': 214752, 'mean live': 524529, 'the cradle': 852265, 'cradle of': 214753, 'can eat': 158189, 'eat only': 266006, 'only supermarket': 611218, 'supermarket frozen': 820463, 'frozen pizza': 339001, 'and probably': 69532, 'probably month': 679317, 'month damn': 537665, 'damn you': 225467, 'mean live in': 524530, 'live in italy': 495870, 'italy the cradle': 462943, 'the cradle of': 852266, 'cradle of and': 214754, 'of and can': 580144, 'and can eat': 59452, 'can eat only': 158197, 'eat only supermarket': 266007, 'only supermarket frozen': 611221, 'supermarket frozen pizza': 820464, 'frozen pizza for': 339002, 'pizza for week': 657164, 'week and probably': 975930, 'and probably month': 69534, 'probably month damn': 679318, 'month damn you': 537666, 'me leaving': 523067, 'leaving my': 485109, 'house to': 406622, 'me leaving my': 523068, 'leaving my house': 485110, 'my house to': 548747, 'house to go': 406628, 'feeling selfish': 303052, 'selfish panic': 748186, 'shopping panicshopping': 763600, 'panicshopping uk': 639463, 'uk moron': 938552, 'moron panicbuyers': 541618, 'panicbuyers supermarket': 638880, 'shopping sad': 763793, 'sad selfcare': 729225, 'selfcare arsehole': 747932, 'feeling selfish panic': 303053, 'selfish panic shopping': 748193, 'panic shopping panicshopping': 638583, 'shopping panicshopping uk': 763601, 'panicshopping uk moron': 639464, 'uk moron panicbuyers': 938553, 'moron panicbuyers supermarket': 541619, 'panicbuyers supermarket shopping': 638881, 'supermarket shopping sad': 822647, 'shopping sad selfcare': 763794, 'sad selfcare arsehole': 729226, 'applied': 82485, 'story about': 811881, 'supermarket hiring': 820763, 'hiring extra': 397092, 'extra staff': 293648, 'staff due': 792390, 'coronavirus and': 205482, 'this might': 888850, 'currently unemployed': 221703, 'unemployed anyone': 941107, 'anyone recently': 80488, 'recently applied': 704050, 'applied for': 82490, 'for position': 324623, 'position work': 665206, 'chain already': 170444, 'already dm': 47295, 'me if': 522935, 'on story about': 603703, 'story about supermarket': 811896, 'about supermarket hiring': 26283, 'supermarket hiring extra': 820764, 'hiring extra staff': 397093, 'extra staff due': 293649, 'staff due to': 792391, 'the coronavirus and': 851804, 'coronavirus and how': 205495, 'how this might': 408950, 'this might help': 888852, 'might help those': 531036, 'help those who': 390754, 'those who are': 892612, 'are currently unemployed': 85681, 'currently unemployed anyone': 221704, 'unemployed anyone recently': 941108, 'anyone recently applied': 80489, 'recently applied for': 704051, 'applied for position': 82491, 'for position work': 324624, 'position work for': 665207, 'work for supermarket': 1005173, 'for supermarket chain': 326003, 'supermarket chain already': 819591, 'chain already dm': 170445, 'already dm me': 47296, 'dm me if': 248907, 'me if you': 522946, 'henrik': 391777, 'schou': 742057, 'distancing solution': 247493, 'solution in': 782044, 'in danish': 421984, 'danish supermarket': 225851, 'via henrik': 956015, 'henrik schou': 391778, 'distancing solution in': 247494, 'solution in danish': 782045, 'in danish supermarket': 421985, 'danish supermarket via': 225859, 'supermarket via henrik': 823646, 'via henrik schou': 956016, '00am': 658, 'pst': 687488, '19 amp': 4962, 'amp social': 54521, 'distancing on': 247369, 'behavior register': 124169, 'register for': 707563, 'the webinar': 871265, 'webinar that': 975108, 'that today': 847067, '11 00am': 2437, '00am pst': 668, 'pst you': 687491, 'can register': 159418, 'register to': 707617, 'to join': 908672, 'join through': 466881, 'want to learn': 966061, 'to learn about': 909126, 'learn about the': 483943, 'about the impact': 26418, 'covid 19 amp': 212627, '19 amp social': 4965, 'amp social distancing': 54524, 'social distancing on': 779675, 'distancing on consumer': 247370, 'consumer behavior register': 196506, 'behavior register for': 124170, 'register for the': 707566, 'for the webinar': 326773, 'the webinar that': 871270, 'webinar that today': 975109, 'that today at': 847068, 'today at 11': 919264, 'at 11 00am': 97436, '11 00am pst': 2438, '00am pst you': 669, 'pst you can': 687492, 'you can register': 1017765, 'can register to': 159419, 'register to join': 707618, 'to join through': 908685, 'join through this': 466882, 'through this link': 894828, 'thursdaythoughts': 895469, 'really love': 702392, 'love to': 504840, 'keep their': 472080, 'their customer': 872941, 'staff safe': 792808, 'of uncertainty': 592587, 'uncertainty because': 939668, 'because so': 119562, 'far see': 298914, 'see zero': 746127, 'zero effort': 1027437, 'effort apart': 269473, 'apart from': 81256, 'they raise': 882970, 'price just': 674968, 'just so': 469817, 'make profit': 510359, 'profit thursdaythoughts': 682873, 'really love to': 702397, 'love to know': 504851, 'know what is': 476960, 'what is doing': 981688, 'is doing to': 447294, 'to keep their': 908864, 'keep their customer': 472083, 'their customer and': 872944, 'customer and their': 222103, 'and their staff': 73717, 'their staff safe': 874795, 'staff safe in': 792810, 'safe in this': 729772, 'in this time': 430027, 'time of uncertainty': 897371, 'of uncertainty because': 592590, 'uncertainty because so': 939669, 'because so far': 119563, 'so far see': 777056, 'far see zero': 298915, 'see zero effort': 746128, 'zero effort apart': 1027438, 'effort apart from': 269474, 'apart from the': 81276, 'from the fact': 337687, 'fact that they': 295814, 'that they raise': 846946, 'they raise price': 882972, 'raise price just': 695918, 'price just so': 674978, 'just so they': 469827, 'they can make': 881653, 'can make profit': 158947, 'make profit thursdaythoughts': 510367, 'excellent': 289069, 'permanently': 652083, 'an excellent': 55910, 'excellent article': 289072, 'article examines': 94308, 'pandemic could': 635239, 'could permanently': 209499, 'permanently change': 652088, 'change behavior': 171948, 'behavior they': 124239, 'they turn': 883595, 'to digital': 904293, 'digital option': 242614, 'option to': 614114, 'avoid physical': 105227, 'physical environment': 655421, 'an excellent article': 55911, 'excellent article examines': 289073, 'article examines how': 94309, 'examines how the': 288841, 'the pandemic could': 862938, 'pandemic could permanently': 635251, 'could permanently change': 209500, 'permanently change behavior': 652089, 'change behavior they': 171949, 'behavior they turn': 124244, 'they turn to': 883596, 'turn to digital': 935776, 'to digital option': 904295, 'digital option to': 242615, 'option to avoid': 614115, 'to avoid physical': 900927, 'avoid physical environment': 105228, 'footage': 318470, 'sweeping': 830194, 'angus': 76518, 'hoity': 399856, 'toity': 923464, 'mignon': 531188, 'thigh': 884038, 'groceryshopping': 366244, 'actual footage': 30655, 'footage of': 318471, 'as supermarket': 94813, 'supermarket sweeping': 823117, 'sweeping to': 830209, 'the meat': 860376, 'meat section': 525730, 'section yesterday': 744060, 'yesterday the': 1015883, 'only cut': 610305, 'cut available': 223243, 'available were': 104695, 'were black': 979379, 'black angus': 132026, 'angus hoity': 76519, 'hoity toity': 399857, 'toity mignon': 923465, 'mignon only': 531189, 'needed chicken': 556327, 'chicken thigh': 175870, 'thigh groceryshopping': 884039, 'groceryshopping apocalypse2020': 366246, 'actual footage of': 30656, 'footage of my': 318473, 'of my as': 586730, 'my as supermarket': 547331, 'as supermarket sweeping': 94814, 'supermarket sweeping to': 823119, 'sweeping to the': 830210, 'to the meat': 916876, 'the meat section': 860385, 'meat section yesterday': 525736, 'section yesterday the': 744061, 'yesterday the only': 1015885, 'the only cut': 862300, 'only cut available': 610306, 'cut available were': 223244, 'available were black': 104696, 'were black angus': 979380, 'black angus hoity': 132027, 'angus hoity toity': 76520, 'hoity toity mignon': 399858, 'toity mignon only': 923466, 'mignon only needed': 531190, 'only needed chicken': 610817, 'needed chicken thigh': 556328, 'chicken thigh groceryshopping': 175871, 'thigh groceryshopping apocalypse2020': 884040, 'comms': 189514, 'infographic': 437626, 'socialmedia2day': 781103, 'been interesting': 121400, 'interesting consumer': 441529, 'and marketer': 66717, 'marketer on': 517479, 'the receiving': 865292, 'receiving end': 703763, 'of brand': 580823, 'brand comms': 137799, 'comms during': 189517, 'time here': 896920, 'here how': 393094, 'the evolving': 854644, 'evolving discussion': 288559, 'discussion around': 245018, 'around covid': 93264, 'brand have': 137849, 'responded infographic': 715353, 'infographic via': 437645, 'via socialmedia2day': 956249, 'it been interesting': 456796, 'been interesting consumer': 121401, 'interesting consumer and': 441530, 'consumer and marketer': 196225, 'and marketer on': 66718, 'marketer on the': 517480, 'on the receiving': 604323, 'the receiving end': 865293, 'receiving end of': 703764, 'end of brand': 275891, 'of brand comms': 580825, 'brand comms during': 137800, 'comms during this': 189518, 'this time here': 890646, 'time here how': 896923, 'here how brand': 393096, 'brand are talking': 137757, 'talking about covid': 833961, '19 the evolving': 11191, 'the evolving discussion': 854646, 'evolving discussion around': 288560, 'discussion around covid': 245019, 'around covid 19': 93265, '19 and how': 5045, 'and how brand': 64803, 'how brand have': 407468, 'brand have responded': 137853, 'have responded infographic': 382295, 'responded infographic via': 715354, 'infographic via socialmedia2day': 437646, 'swearing': 830050, 'selfless': 748522, 'londoner': 501240, 'stripped': 813841, 'swearing at': 830051, 'fridge prepare': 333422, 'to couple': 903639, 'couple more': 211626, 'more supermarket': 540498, 'the hope': 857491, 'hope that': 403639, 'that selfless': 846176, 'selfless londoner': 748529, 'londoner haven': 501245, 'haven stripped': 383911, 'stripped the': 813885, 'shelf there': 757663, 'stoppanicbuying london': 805587, 'swearing at the': 830052, 'at the fridge': 100954, 'the fridge prepare': 855818, 'fridge prepare to': 333423, 'prepare to travel': 670143, 'to travel to': 917737, 'travel to couple': 930535, 'to couple more': 903640, 'couple more supermarket': 211627, 'more supermarket in': 540500, 'in the hope': 429271, 'the hope that': 857494, 'hope that selfless': 403653, 'that selfless londoner': 846177, 'selfless londoner haven': 748530, 'londoner haven stripped': 501246, 'haven stripped the': 383912, 'stripped the shelf': 813886, 'the shelf there': 866891, 'shelf there too': 757668, 'there too stoppanicbuying': 879201, 'too stoppanicbuying london': 925090, 'and doing': 61599, 'doing online': 252582, 'because had': 119091, 'to cancel': 902420, 'cancel all': 160831, 'my big': 547442, 'big holiday': 129823, 'holiday plan': 400345, 'plan in': 658150, 'april due': 83578, 'and doing online': 61605, 'doing online shopping': 252584, 'online shopping because': 609047, 'shopping because had': 762175, 'because had to': 119094, 'had to cancel': 373672, 'to cancel all': 902421, 'cancel all my': 160832, 'all my big': 43542, 'my big holiday': 547444, 'big holiday plan': 129824, 'holiday plan in': 400346, 'plan in april': 658151, 'in april due': 420468, 'april due to': 83579, 'suggested': 817562, 'garlic': 343674, 'chilli': 176398, 'split': 789651, 'red': 705560, 'lentil': 486369, 'muster': 547033, 'shelf scarcity': 757480, 'scarcity meal': 740836, 'meal no': 524215, 'no potato': 565151, 'potato in': 666945, 'in tesco': 428876, 'tesco asda': 838666, 'asda or': 94962, 'or sainsbury': 616940, 'sainsbury so': 731719, 'so daughter': 776842, 'daughter suggested': 226908, 'suggested garlic': 817567, 'garlic bread': 343675, 'bread veg': 138629, 'veg chilli': 953737, 'chilli made': 176401, 'made with': 508064, 'with split': 1000920, 'split pea': 789660, 'pea and': 645971, 'and few': 62812, 'few split': 304071, 'split red': 789662, 'red lentil': 705591, 'lentil and': 486370, 'the veg': 870662, 'veg we': 953799, 'could muster': 209421, '19 supermarket shelf': 10957, 'supermarket shelf scarcity': 822522, 'shelf scarcity meal': 757481, 'scarcity meal no': 740837, 'meal no potato': 524217, 'no potato in': 565152, 'potato in tesco': 666946, 'in tesco asda': 428878, 'tesco asda or': 838671, 'asda or sainsbury': 94964, 'or sainsbury so': 616941, 'sainsbury so daughter': 731720, 'so daughter suggested': 776843, 'daughter suggested garlic': 226909, 'suggested garlic bread': 817568, 'garlic bread veg': 343677, 'bread veg chilli': 138630, 'veg chilli made': 953738, 'chilli made with': 176402, 'made with split': 508071, 'with split pea': 1000921, 'split pea and': 789661, 'pea and few': 645972, 'and few split': 62817, 'few split red': 304072, 'split red lentil': 789663, 'red lentil and': 705592, 'lentil and all': 486371, 'all the veg': 44968, 'the veg we': 870664, 'veg we could': 953800, 'we could muster': 971212, 'dual': 261439, 'suncor': 818138, 'curtail': 221770, 'the dual': 853758, 'dual threat': 261447, 'of dropping': 582837, 'dropping oil': 260710, 'virus have': 958262, 'have prompted': 382074, 'prompted suncor': 683941, 'suncor to': 818139, 'to curtail': 903831, 'curtail it': 221775, 'it spending': 461191, 'and operation': 68184, 'the dual threat': 853760, 'dual threat of': 261448, 'threat of dropping': 893692, 'of dropping oil': 582839, 'dropping oil price': 260711, 'and the covid': 73305, '19 virus have': 11805, 'virus have prompted': 958266, 'have prompted suncor': 382075, 'prompted suncor to': 683942, 'suncor to curtail': 818140, 'to curtail it': 903833, 'curtail it spending': 221776, 'it spending and': 461192, 'spending and operation': 788738, 'practise': 668762, 'pavement': 644652, 'socially': 781038, 'ugh': 938018, 'you practise': 1020400, 'practise socialdistancing': 668775, 'hour in': 405682, 'queue into': 693968, 'then soon': 877548, 'soon you': 785910, 'inside all': 439211, 'all bet': 42177, 'bet are': 128062, 'are off': 88647, 'off wtf': 594429, 'wtf is': 1013290, 'people so': 649489, 'sick of': 768532, 'shit plus': 759195, 'plus family': 661598, 'family who': 298373, 'take up': 832768, 'up entire': 944795, 'entire pavement': 278717, 'pavement and': 644653, 'and make': 66546, 'make little': 510096, 'little to': 495619, 'no effort': 564085, 'to socially': 914841, 'socially distance': 781043, 'distance ugh': 246870, 'you practise socialdistancing': 1020401, 'practise socialdistancing for': 668776, 'socialdistancing for an': 780371, 'an hour in': 56086, 'hour in the': 405696, 'in the queue': 429492, 'the queue into': 865043, 'queue into the': 693969, 'into the supermarket': 443177, 'supermarket then soon': 823269, 'then soon you': 877549, 'soon you get': 785912, 'you get inside': 1018780, 'get inside all': 347342, 'inside all bet': 439212, 'all bet are': 42178, 'bet are off': 128063, 'are off wtf': 88652, 'off wtf is': 594430, 'wtf is wrong': 1013295, 'wrong with people': 1013158, 'with people so': 1000165, 'people so sick': 649495, 'so sick of': 778213, 'sick of this': 768544, 'of this shit': 592035, 'this shit plus': 890085, 'shit plus family': 759196, 'plus family who': 661599, 'family who take': 298378, 'who take up': 989734, 'take up entire': 832769, 'up entire pavement': 944796, 'entire pavement and': 278718, 'pavement and make': 644654, 'and make little': 66559, 'make little to': 510099, 'little to no': 495622, 'to no effort': 910621, 'no effort to': 564086, 'effort to socially': 269646, 'to socially distance': 914842, 'socially distance ugh': 781049, '9th': 24017, 'five': 309582, 'aldi grocery': 41268, 'store policy': 809611, 'policy change': 663363, 'change effective': 172035, 'effective thursday': 269313, 'thursday april': 895350, 'april 9th': 83527, '9th we': 24034, 'will limit': 994016, 'people inside': 648480, 'inside our': 439348, 'to approximately': 900678, 'approximately five': 83253, 'five customer': 309598, 'customer per': 222679, 'per 00': 650664, '00 square': 493, 'foot part': 318421, 'socialdistancing policy': 780613, 'aldi grocery store': 41269, 'grocery store policy': 365668, 'store policy change': 809612, 'policy change effective': 663365, 'change effective thursday': 172036, 'effective thursday april': 269314, 'thursday april 9th': 895352, 'april 9th we': 83530, '9th we will': 24035, 'we will limit': 973878, 'will limit the': 994019, 'limit the number': 492513, 'of people inside': 587930, 'people inside our': 648482, 'inside our store': 439352, 'store to approximately': 810754, 'to approximately five': 900679, 'approximately five customer': 83254, 'five customer per': 309600, 'customer per 00': 222680, 'per 00 square': 650665, '00 square foot': 494, 'square foot part': 791473, 'foot part of': 318422, 'part of socialdistancing': 642380, 'of socialdistancing policy': 589855, 'tip from': 898793, 'avoid coronavirus': 105057, 'tip from on': 898803, 'from on how': 336665, 'to avoid coronavirus': 900882, 'avoid coronavirus scam': 105060, 'hero of': 394046, 'the hero of': 857295, 'hero of our': 394048, 'been working': 122392, 'community shopping': 190093, 'shopping system': 764043, 'system here': 831199, 'here this': 393685, 'have paper': 381889, 'paper based': 639925, 'based and': 111504, 'support system': 826848, 'system ready': 831300, 'ready now': 700910, 'now too': 576206, 'too well': 925161, 'well online': 978441, 'online system': 609513, 'probably ready': 679357, 'go live': 353805, 'live this': 496059, 'evening or': 284888, 'or tomorrow': 617493, 'tomorrow 19': 923997, 've been working': 952965, 'been working on': 122399, 'working on our': 1008812, 'on our local': 602614, 'our local community': 623768, 'local community shopping': 497845, 'community shopping system': 190095, 'shopping system here': 764044, 'system here this': 831200, 'here this morning': 393687, 'morning we have': 541535, 'we have paper': 971892, 'have paper based': 381891, 'paper based and': 639926, 'based and support': 111505, 'and support system': 72853, 'support system ready': 826850, 'system ready now': 831301, 'ready now too': 700911, 'now too well': 576212, 'too well online': 925163, 'well online system': 978443, 'online system and': 609514, 'system and we': 831109, 'and we re': 75315, 'we re probably': 972938, 're probably ready': 699311, 'probably ready to': 679358, 'to go live': 906820, 'go live this': 353806, 'live this evening': 496061, 'this evening or': 887441, 'evening or tomorrow': 284889, 'or tomorrow 19': 617494, 'expand': 290445, 'efficiency': 269398, 'risky': 724109, 'amazon to': 51157, 'to expand': 905431, 'expand it': 290456, 'it power': 460410, 'power in': 667623, 'afford it': 34708, 'it source': 461185, 'of security': 589440, 'and efficiency': 61960, 'efficiency but': 269401, 'it risky': 460797, 'risky to': 724127, 'entire distribution': 278662, 'distribution of': 248169, 'good collapse': 356896, 'collapse into': 186021, 'into single': 442984, 'single platform': 771384, 'amazon to expand': 51161, 'to expand it': 905434, 'expand it power': 290459, 'it power in': 460411, 'power in time': 667624, 'in time for': 430080, 'time for those': 896767, 'for those who': 327148, 'those who can': 892617, 'can afford it': 157401, 'afford it it': 34716, 'it it source': 459182, 'it source of': 461186, 'source of security': 786530, 'of security and': 589441, 'security and efficiency': 744533, 'and efficiency but': 61961, 'efficiency but it': 269402, 'but it risky': 146160, 'it risky to': 460798, 'risky to see': 724130, 'see the entire': 745832, 'the entire distribution': 854351, 'entire distribution of': 278663, 'distribution of consumer': 248171, 'consumer good collapse': 197606, 'good collapse into': 356897, 'collapse into single': 186022, 'into single platform': 442986, 'creativity': 216207, 'salad': 731907, 'store right': 809892, 'is kind': 449209, 'chopped you': 177983, 'never know': 558085, 'what going': 981506, 'your basket': 1022914, 'basket and': 112293, 'even with': 284801, 'best creativity': 127653, 'creativity you': 216226, 'make chicken': 509766, 'chicken salad': 175851, 'salad out': 731920, 'of chicken': 581328, 'chicken sh': 175858, 'grocery store right': 365728, 'store right now': 809894, 'right now is': 722087, 'now is kind': 575075, 'is kind of': 449210, 'kind of like': 474915, 'of like being': 585853, 'of chopped you': 581410, 'chopped you never': 177984, 'you never know': 1020079, 'never know what': 558093, 'know what going': 476954, 'what going to': 981508, 'to end up': 905090, 'end up in': 276034, 'up in your': 945193, 'in your basket': 431059, 'your basket and': 1022915, 'basket and even': 112295, 'and even with': 62354, 'even with the': 284806, 'the best creativity': 849504, 'best creativity you': 127654, 'creativity you can': 216227, 'you can make': 1017723, 'can make chicken': 158927, 'make chicken salad': 509767, 'chicken salad out': 175852, 'salad out of': 731921, 'out of chicken': 626695, 'of chicken sh': 581335, 'energytwitter': 276639, 'crushing': 219810, 'energytwitter any': 276640, 'any take': 79940, 'take on': 832399, 'price collapse': 673165, 'collapse fall': 186005, 'in energy': 422564, 'energy use': 276616, 'use from': 949225, 'on natural': 602342, 'natural gas': 552829, 'price should': 676384, 'expect over': 290692, 'over production': 630534, 'production and': 681915, 'drop crushing': 260167, 'crushing coal': 219811, 'coal use': 185075, 'use or': 949452, 'or fall': 615262, 'in production': 427019, 'production price': 682186, 'rise and': 722777, 'and shift': 71462, 'shift to': 758430, 'to other': 911108, 'other fuel': 620284, 'fuel for': 340172, 'for power': 324662, 'energytwitter any take': 276641, 'any take on': 79941, 'take on the': 832409, 'on the impact': 604172, 'impact of oil': 417789, 'of oil price': 587191, 'oil price collapse': 597080, 'price collapse fall': 673170, 'collapse fall in': 186006, 'fall in energy': 296946, 'in energy use': 422567, 'energy use from': 276617, 'use from on': 949226, 'from on natural': 336668, 'on natural gas': 602343, 'natural gas price': 552836, 'gas price should': 344021, 'price should we': 676391, 'should we expect': 766646, 'we expect over': 971496, 'expect over production': 290693, 'over production and': 630535, 'production and price': 681929, 'and price drop': 69446, 'price drop crushing': 673567, 'drop crushing coal': 260168, 'crushing coal use': 219812, 'coal use or': 185076, 'use or fall': 949453, 'or fall in': 615264, 'fall in production': 296962, 'in production price': 427024, 'production price rise': 682188, 'price rise and': 676230, 'rise and shift': 722783, 'and shift to': 71463, 'shift to other': 758443, 'to other fuel': 911115, 'other fuel for': 620285, 'fuel for power': 340176, 'restrict': 717094, 'cafe': 155088, 'sainsbury is': 731684, 'to restrict': 913424, 'restrict purchase': 717113, 'purchase on': 689592, 'grocery product': 364875, 'and shut': 71630, 'shut it': 767899, 'it cafe': 456983, 'cafe and': 155089, 'and fresh': 63296, 'food counter': 314041, 'counter supermarket': 210261, 'supermarket step': 822952, 'their effort': 873104, 'combat panic': 187025, 'sainsbury is to': 731688, 'is to restrict': 453236, 'to restrict purchase': 913431, 'restrict purchase on': 717115, 'purchase on all': 689593, 'on all grocery': 599232, 'all grocery product': 43009, 'grocery product and': 364876, 'product and shut': 680910, 'and shut it': 71633, 'shut it cafe': 767900, 'it cafe and': 456984, 'cafe and fresh': 155091, 'and fresh food': 63298, 'fresh food counter': 332963, 'food counter supermarket': 314042, 'counter supermarket step': 210262, 'supermarket step up': 822953, 'step up their': 799697, 'up their effort': 946234, 'their effort to': 873113, 'to combat panic': 903002, 'combat panic buying': 187026, 'closer': 183491, 'corpgov': 207223, 'cmo': 184680, 'esg': 280356, 'grc': 362468, 'boardofdirectors': 133704, 'directorship': 243684, 'governance': 359771, 'vc': 952774, 'cvc': 223864, 'smb': 775581, 'ux': 951505, 'cx': 223897, 'closer look': 183505, 'at consumer': 98311, 'consumer stockpiling': 199155, 'stockpiling in': 803993, 'crisis corpgov': 217260, 'corpgov ceo': 207224, 'ceo cfo': 169664, 'cfo cmo': 170329, 'cmo esg': 184685, 'esg grc': 280359, 'grc founder': 362469, 'founder entrepreneur': 330538, 'entrepreneur board': 278927, 'board boardofdirectors': 133619, 'boardofdirectors directorship': 133705, 'directorship governance': 243685, 'governance vc': 359786, 'vc cvc': 952775, 'cvc pe': 223865, 'pe startup': 645968, 'startup smb': 795127, 'smb marketing': 775582, 'marketing ux': 517746, 'ux cx': 951506, 'cx mrx': 223916, 'mrx shopping': 544498, 'closer look at': 183506, 'look at consumer': 502259, 'at consumer stockpiling': 98324, 'consumer stockpiling in': 199159, 'stockpiling in crisis': 803994, 'in crisis corpgov': 421877, 'crisis corpgov ceo': 217261, 'corpgov ceo cfo': 207225, 'ceo cfo cmo': 169665, 'cfo cmo esg': 170330, 'cmo esg grc': 184686, 'esg grc founder': 280360, 'grc founder entrepreneur': 362470, 'founder entrepreneur board': 330539, 'entrepreneur board boardofdirectors': 278928, 'board boardofdirectors directorship': 133620, 'boardofdirectors directorship governance': 133706, 'directorship governance vc': 243686, 'governance vc cvc': 359787, 'vc cvc pe': 952776, 'cvc pe startup': 223866, 'pe startup smb': 645969, 'startup smb marketing': 795128, 'smb marketing ux': 775583, 'marketing ux cx': 517747, 'ux cx mrx': 951507, 'cx mrx shopping': 223917, 'transunion': 930072, 'accessible': 28327, 'more consumer': 538870, 'consumer turn': 199402, 'turn online': 935731, 'for purchase': 324860, 'purchase transunion': 689708, 'transunion survey': 930081, 'survey find': 828862, 'find 22': 306755, '22 of': 15235, 'american say': 52181, 'been targeted': 122141, 'targeted by': 834538, 'by digital': 152357, 'digital fraud': 242572, 'fraud related': 331332, 're dropping': 698574, 'dropping our': 260714, 'our pricing': 624455, 'pricing significantly': 677977, 'significantly to': 769619, 'help make': 390030, 'make our': 510286, 'our software': 624839, 'software accessible': 781523, 'accessible to': 28345, 'more consumer turn': 538877, 'consumer turn online': 199403, 'turn online for': 935732, 'online for purchase': 608236, 'for purchase transunion': 324868, 'purchase transunion survey': 689709, 'transunion survey find': 930082, 'survey find 22': 828863, 'find 22 of': 306756, '22 of american': 15236, 'of american say': 580075, 'american say they': 52184, 'say they have': 739342, 'they have been': 882295, 'have been targeted': 379711, 'been targeted by': 122142, 'targeted by digital': 834539, 'by digital fraud': 152358, 'digital fraud related': 242574, 'fraud related to': 331333, '19 we re': 11947, 'we re dropping': 972861, 're dropping our': 698575, 'dropping our pricing': 260716, 'our pricing significantly': 624456, 'pricing significantly to': 677978, 'significantly to help': 769620, 'to help make': 907555, 'help make our': 390036, 'make our software': 510292, 'our software accessible': 624840, 'software accessible to': 781524, 'accessible to everyone': 28347, 'built': 142171, 'the sight': 867172, 'sight of': 769047, 'shelf may': 757311, 'may lead': 521316, 'lead shopper': 483311, 'shopper to': 761756, 'fear food': 301124, 'shortage expert': 764939, 'expert in': 291858, 'chain say': 171082, 'the system': 869086, 'is built': 446295, 'built to': 142199, 'endure read': 276310, 'while the sight': 987415, 'the sight of': 867174, 'sight of empty': 769051, 'of empty supermarket': 583094, 'supermarket shelf may': 822498, 'shelf may lead': 757314, 'may lead shopper': 521317, 'lead shopper to': 483312, 'shopper to fear': 761762, 'to fear food': 905697, 'fear food shortage': 301125, 'food shortage expert': 316573, 'shortage expert in': 764940, 'expert in the': 291862, 'in the food': 429207, 'supply chain say': 825030, 'chain say the': 171088, 'say the system': 739308, 'the system is': 869096, 'system is built': 831220, 'is built to': 446296, 'built to endure': 142200, 'to endure read': 905105, 'endure read the': 276311, 'properly': 684167, 'confinement': 194053, 'demonstrated': 236843, 'fragility': 330908, 'getty': 349474, 'three global': 893934, 'global agency': 351732, 'agency warned': 38099, 'warned of': 967013, 'of worldwide': 593316, 'worldwide food': 1010350, 'shortage if': 765004, 'if authority': 413885, 'authority fail': 103713, 'fail to': 296106, 'manage the': 512436, 'ongoing crisis': 607614, 'crisis properly': 217918, 'properly panic': 684186, 'buying by': 150074, 'by people': 153545, 'into confinement': 442476, 'confinement ha': 194070, 'already demonstrated': 47285, 'demonstrated the': 236850, 'the fragility': 855755, 'fragility of': 330911, 'chain getty': 170733, 'getty image': 349475, 'image via': 416659, 'three global agency': 893935, 'global agency warned': 351733, 'agency warned of': 38100, 'warned of the': 967016, 'of the risk': 591422, 'risk of worldwide': 723789, 'of worldwide food': 593317, 'worldwide food shortage': 1010352, 'food shortage if': 316583, 'shortage if authority': 765005, 'if authority fail': 413886, 'authority fail to': 103714, 'fail to manage': 296110, 'to manage the': 909800, 'manage the ongoing': 512443, 'the ongoing crisis': 862242, 'ongoing crisis properly': 607617, 'crisis properly panic': 217919, 'properly panic buying': 684187, 'panic buying by': 637668, 'buying by people': 150077, 'by people going': 153550, 'going into confinement': 355233, 'into confinement ha': 442477, 'confinement ha already': 194071, 'ha already demonstrated': 369505, 'already demonstrated the': 47286, 'demonstrated the fragility': 236851, 'the fragility of': 855757, 'fragility of supply': 330914, 'supply chain getty': 824964, 'chain getty image': 170734, 'getty image via': 349476, 'not much': 570605, 'much evidence': 544871, 'buying or': 150834, 'or stockpiling': 617236, 'stockpiling here': 803991, 'brussels just': 141389, 'just yet': 470374, 'yet this': 1016279, 'wa my': 962667, 'not much evidence': 570608, 'much evidence of': 544872, 'evidence of panic': 288368, 'panic buying or': 637833, 'buying or stockpiling': 150840, 'or stockpiling here': 617237, 'stockpiling here in': 803992, 'here in brussels': 393137, 'in brussels just': 421011, 'brussels just yet': 141390, 'just yet this': 470375, 'yet this wa': 1016280, 'this wa my': 891077, 'wa my local': 962676, 'supermarket this morning': 823318, 'alleviate': 45804, '07': 1010, 'nicely': 562526, 'wheel': 983029, 'sputum': 791367, 'to alleviate': 900314, 'alleviate my': 45811, 'my fresh': 548410, 'fresh meat': 333026, 'meat anxiety': 525487, 'anxiety ve': 78811, 'been outside': 121624, 'supermarket since': 822702, 'since 07': 770403, '07 45': 1015, '45 everyone': 19093, 'everyone playing': 287278, 'playing nicely': 659426, 'nicely so': 562533, 'far not': 298866, 'not happy': 569793, 'happy with': 377734, 'this woman': 891474, 'woman those': 1003636, 'those wheel': 892609, 'wheel will': 983060, 'be crawling': 114276, 'crawling with': 215191, 'with bacteria': 997352, 'bacteria virus': 107707, 'virus from': 958211, 'from dog': 335177, 'dog mess': 252129, 'mess sputum': 529237, 'sputum god': 791368, 'what else': 981406, 'order to alleviate': 618663, 'to alleviate my': 900315, 'alleviate my fresh': 45812, 'my fresh meat': 548412, 'fresh meat anxiety': 333027, 'meat anxiety ve': 525488, 'anxiety ve been': 78812, 've been outside': 952912, 'been outside the': 121625, 'outside the supermarket': 629604, 'the supermarket since': 868804, 'supermarket since 07': 822703, 'since 07 45': 770404, '07 45 everyone': 1016, '45 everyone playing': 19094, 'everyone playing nicely': 287279, 'playing nicely so': 659427, 'nicely so far': 562534, 'so far not': 777045, 'far not happy': 298868, 'not happy with': 569797, 'happy with this': 377736, 'with this woman': 1001741, 'this woman those': 891482, 'woman those wheel': 1003637, 'those wheel will': 892610, 'wheel will be': 983061, 'will be crawling': 992412, 'be crawling with': 114277, 'crawling with bacteria': 215192, 'with bacteria virus': 997353, 'bacteria virus from': 107710, 'virus from dog': 958214, 'from dog mess': 335178, 'dog mess sputum': 252130, 'mess sputum god': 529238, 'sputum god know': 791369, 'god know what': 354757, 'know what else': 476946, 'merica': 529116, 'bigoil': 130366, 'revolt': 720728, 'revolting': 720733, 'forget about': 329218, 'people of': 648906, 'the merica': 860504, 'merica it': 529117, 'is bigoil': 446180, 'bigoil that': 130369, 'need help': 554970, 'urgent apparently': 948319, 'apparently when': 82039, 'when are': 983166, 'usa going': 948649, 'to revolt': 913511, 'revolt against': 720729, 'this revolting': 889896, 'revolting president': 720734, 'president he': 670827, 'is responsible': 451473, 'the lack': 858900, 'of response': 589005, 'forget about the': 329226, 'the people of': 863494, 'people of the': 648927, 'of the merica': 591237, 'the merica it': 860505, 'merica it is': 529118, 'it is bigoil': 458886, 'is bigoil that': 446181, 'bigoil that need': 130370, 'that need help': 845300, 'need help and': 554972, 'help and it': 389353, 'and it urgent': 65594, 'it urgent apparently': 461984, 'urgent apparently when': 948320, 'apparently when are': 82040, 'when are the': 983169, 'are the people': 90881, 'of the usa': 591577, 'the usa going': 870542, 'usa going to': 948650, 'going to revolt': 355690, 'to revolt against': 913512, 'revolt against this': 720730, 'against this revolting': 37701, 'this revolting president': 889897, 'revolting president he': 720735, 'president he is': 670828, 'he is responsible': 385141, 'is responsible for': 451474, 'responsible for the': 716041, 'for the lack': 326518, 'the lack of': 858901, 'lack of response': 478652, 'venture': 954665, 'anyways': 81068, 'day 19': 227106, 'have acquired': 379113, 'acquired homemade': 29174, 'homemade mask': 402836, 'mask we': 519506, 'now venture': 576299, 'venture to': 954686, 'store oh': 809171, 'wait we': 964253, 'we never': 972581, 'never go': 558018, 'go there': 354217, 'there anyways': 878042, 'anyways we': 81079, 're always': 698274, 'always safe': 49732, 'safe at': 729500, 'home facemasks': 401181, 'day 19 we': 227109, 'we have acquired': 971747, 'have acquired homemade': 379114, 'acquired homemade mask': 29175, 'homemade mask we': 402840, 'mask we can': 519509, 'we can now': 970981, 'can now venture': 159076, 'now venture to': 576300, 'venture to the': 954687, 'grocery store oh': 365607, 'store oh wait': 809173, 'oh wait we': 596473, 'wait we never': 964254, 'we never go': 972583, 'never go there': 558023, 'go there anyways': 354221, 'there anyways we': 878043, 'anyways we re': 81080, 'we re always': 972823, 're always safe': 698276, 'always safe at': 49733, 'safe at home': 729502, 'at home facemasks': 98991, 'trunk': 934220, 'starving': 795241, 'clout': 184335, 'punk': 689282, 'wasn for': 967974, 'janitor trunk': 464563, 'trunk driver': 934223, 'driver lot': 259640, 'all would': 45518, 'be starving': 117355, 'starving sick': 795264, 'sick so': 768606, 'so give': 777166, 'give our': 350628, 'our fucking': 623209, 'fucking clout': 339832, 'clout punk': 184338, 'punk as': 689283, 'as america': 94714, 'america essentialworkers': 51515, 'if it wasn': 414342, 'it wasn for': 462257, 'wasn for grocery': 967975, 'worker janitor trunk': 1007260, 'janitor trunk driver': 464564, 'trunk driver lot': 934224, 'driver lot of': 259641, 'lot of all': 504136, 'of all would': 579996, 'all would be': 45519, 'would be starving': 1011652, 'be starving sick': 117356, 'starving sick so': 795265, 'sick so give': 768608, 'so give our': 777167, 'give our fucking': 350631, 'our fucking clout': 623210, 'fucking clout punk': 339833, 'clout punk as': 184339, 'punk as america': 689284, 'as america essentialworkers': 94715, 'mr': 544339, 'tasty': 834819, 'aim': 39525, 'contac': 199981, '051': 964, '5705253': 20496, '0338819977': 890, 'askari': 95702, 'complex': 192394, 'rawalpindi': 698006, 'fastfood': 300164, 'at mr': 99783, 'mr tasty': 544406, 'tasty we': 834822, 'we aim': 970302, 'aim to': 39542, 'provide great': 686337, 'taste and': 834775, 'and good': 63826, 'good quality': 357604, 'quality food': 691783, 'in reasonable': 427311, 'price contac': 673217, 'contac 051': 199982, '051 5705253': 965, '5705253 0338819977': 20497, '0338819977 askari': 891, 'askari 12': 95703, '12 commercial': 2838, 'commercial complex': 188682, 'complex rawalpindi': 192411, 'rawalpindi fastfood': 698007, 'fastfood restaurant': 300169, 'restaurant rawalpindi': 716657, 'at mr tasty': 99784, 'mr tasty we': 544407, 'tasty we aim': 834823, 'we aim to': 970303, 'aim to provide': 39558, 'to provide great': 912399, 'provide great taste': 686338, 'great taste and': 363028, 'taste and good': 834776, 'and good quality': 63834, 'good quality food': 357606, 'quality food in': 691786, 'food in reasonable': 314966, 'in reasonable price': 427312, 'reasonable price contac': 703116, 'price contac 051': 673218, 'contac 051 5705253': 199983, '051 5705253 0338819977': 966, '5705253 0338819977 askari': 20498, '0338819977 askari 12': 892, 'askari 12 commercial': 95704, '12 commercial complex': 2839, 'commercial complex rawalpindi': 188684, 'complex rawalpindi fastfood': 192412, 'rawalpindi fastfood restaurant': 698008, 'fastfood restaurant rawalpindi': 300170, 'purposefully': 690164, 'spit': 789546, 'apprehended': 82913, 'charged with': 173425, 'with purposefully': 1000364, 'purposefully wiping': 690171, 'his spit': 397808, 'spit on': 789558, 'good suspect': 357809, 'suspect 20': 829461, '20 apprehended': 12950, 'apprehended at': 82914, 'at bridport': 98165, 'bridport branch': 139654, 'branch of': 137688, 'of lidl': 585806, 'lidl not': 488296, 'not thought': 572107, 'man charged with': 512023, 'charged with purposefully': 173430, 'with purposefully wiping': 1000365, 'purposefully wiping his': 690172, 'wiping his spit': 996521, 'his spit on': 397809, 'spit on supermarket': 789563, 'on supermarket good': 603790, 'supermarket good suspect': 820548, 'good suspect 20': 357810, 'suspect 20 apprehended': 829462, '20 apprehended at': 12951, 'apprehended at bridport': 82915, 'at bridport branch': 98166, 'bridport branch of': 139655, 'branch of lidl': 137690, 'of lidl not': 585808, 'lidl not thought': 488297, 'not thought to': 572109, 'thought to have': 893276, 'to have covid': 907222, 'you said': 1020974, 'said today': 731522, 'never have': 558047, 'have said': 382381, 'said month': 731233, 'ago me': 38425, 'supermarket only': 821766, 'only took': 611379, 'took me': 925283, 'me half': 522849, 'half an': 374136, 'hour thursdaythoughts': 406005, 'thursdaythoughts stayhomesavelives': 895484, 'stayhomesavelives lockdownuk': 798412, 'have you said': 383688, 'you said today': 1020979, 'said today that': 731525, 'today that you': 920276, 'that you never': 847734, 'you never have': 1020078, 'never have said': 558052, 'have said month': 382385, 'said month ago': 731234, 'month ago me': 537535, 'ago me the': 38426, 'me the queue': 523657, 'the queue to': 865056, 'queue to get': 694095, 'the supermarket only': 868730, 'supermarket only took': 821775, 'only took me': 611380, 'took me half': 925287, 'me half an': 522850, 'half an hour': 374138, 'an hour thursdaythoughts': 56107, 'hour thursdaythoughts stayhomesavelives': 406006, 'thursdaythoughts stayhomesavelives lockdownuk': 895485, 'analyze': 57246, 'iraq': 444745, 'proxy': 687337, 'militia': 531522, 'ability': 24375, 'suppress': 827391, 'youth': 1026843, 'october': 579136, 'revolution': 720737, 'my recent': 549894, 'recent post': 703959, 'post at': 666009, 'new middle': 559112, 'east where': 265355, 'where analyze': 984731, 'analyze the': 57249, 'on corrupt': 600130, 'corrupt governance': 207658, 'governance the': 359784, 'global collapse': 351779, 'on iraq': 601621, 'iraq and': 444753, 'and iran': 65377, 'iran proxy': 444703, 'proxy militia': 687340, 'militia ability': 531523, 'ability to': 24388, 'to suppress': 915996, 'suppress the': 827396, 'the youth': 872212, 'youth led': 1026862, 'led october': 485246, 'october revolution': 579150, 'see my recent': 745460, 'my recent post': 549898, 'recent post at': 703960, 'post at the': 666012, 'at the new': 101032, 'the new middle': 861530, 'new middle east': 559113, 'middle east where': 530654, 'east where analyze': 265356, 'where analyze the': 984732, 'analyze the impact': 57250, 'the impact on': 857943, 'impact on corrupt': 417835, 'on corrupt governance': 600131, 'corrupt governance the': 207660, 'governance the covid': 359785, 'pandemic and the': 634909, 'and the global': 73395, 'the global collapse': 856290, 'global collapse of': 351780, 'collapse of oil': 186041, 'oil price on': 597207, 'price on iraq': 675686, 'on iraq and': 601622, 'iraq and iran': 444754, 'and iran proxy': 65378, 'iran proxy militia': 444704, 'proxy militia ability': 687341, 'militia ability to': 531524, 'ability to suppress': 24406, 'to suppress the': 915998, 'suppress the youth': 827399, 'the youth led': 872215, 'youth led october': 1026863, 'led october revolution': 485248, 'statutory': 796714, 'selfemployed': 747947, 'freelance': 332429, 'think wa': 885745, 'wa announcement': 961548, 'of statutory': 590083, 'statutory sick': 796723, 'sick pay': 768569, 'pay level': 644979, 'level for': 487559, 'self employed': 747620, 'employed enough': 273478, 'enough via': 277754, 'via selfemployed': 956228, 'selfemployed freelance': 747948, 'you think wa': 1021685, 'think wa announcement': 885746, 'wa announcement of': 961549, 'announcement of statutory': 77178, 'of statutory sick': 590084, 'statutory sick pay': 796724, 'sick pay level': 768573, 'pay level for': 644980, 'level for the': 487563, 'the self employed': 866653, 'self employed enough': 747625, 'employed enough via': 273479, 'enough via selfemployed': 277755, 'via selfemployed freelance': 956229, 'crumbled': 219735, 'farmer from': 299378, 'from across': 334384, 'being asked': 124864, 'dump their': 262190, 'their milk': 873965, 'milk this': 531860, 'service demand': 752278, 'demand crumbled': 235194, 'crumbled rapidly': 219736, 'rapidly due': 696973, 'farmer from across': 299379, 'from across the': 334386, 'country are being': 210459, 'are being asked': 84829, 'being asked to': 124866, 'asked to dump': 95864, 'to dump their': 904803, 'dump their milk': 262192, 'their milk this': 873968, 'milk this week': 531862, 'week the restaurant': 977005, 'the restaurant and': 865644, 'restaurant and food': 716286, 'and food service': 63090, 'food service demand': 316411, 'service demand crumbled': 752280, 'demand crumbled rapidly': 235195, 'crumbled rapidly due': 219737, 'rapidly due to': 696974, 'accelerator': 27926, 'return': 719803, 'pointing': 662747, 'solving': 782206, 'marginal': 515644, 'apps': 83260, 'big question': 129942, 'question will': 693812, 'will vc': 995300, 'vc money': 952781, 'and accelerator': 57578, 'accelerator return': 27927, 'return to': 719910, 'they left': 882549, 'left off': 485578, 'off covid': 593749, 'be pointing': 116460, 'pointing towards': 662763, 'towards what': 927277, 'is important': 448723, 'important what': 419110, 'is solving': 452081, 'solving problem': 782207, 'problem not': 679612, 'not marginal': 570535, 'marginal consumer': 515647, 'consumer apps': 196274, 'apps or': 83302, 'or idea': 615707, 'idea that': 413178, 'that do': 843566, 'really benefit': 702027, 'benefit society': 127086, 'big question will': 129945, 'question will vc': 693813, 'will vc money': 995301, 'vc money and': 952782, 'money and accelerator': 536590, 'and accelerator return': 57579, 'accelerator return to': 27928, 'return to where': 719934, 'to where they': 918544, 'where they left': 985282, 'they left off': 882553, 'left off covid': 485581, 'off covid 19': 593750, '19 should be': 10499, 'should be pointing': 765692, 'be pointing towards': 116462, 'pointing towards what': 662765, 'towards what is': 927278, 'what is important': 981700, 'is important what': 448736, 'important what is': 419111, 'what is solving': 981727, 'is solving problem': 452082, 'solving problem not': 782209, 'problem not marginal': 679614, 'not marginal consumer': 570536, 'marginal consumer apps': 515648, 'consumer apps or': 196276, 'apps or idea': 83303, 'or idea that': 615708, 'idea that do': 413182, 'that do not': 843569, 'do not really': 249812, 'not really benefit': 571231, 'really benefit society': 702028, 'conducted': 193654, 'earlier the': 264487, 'the screening': 866537, 'screening test': 742772, 'test could': 838962, 'could only': 209477, 'be conducted': 114176, 'conducted at': 193657, 'at government': 98788, 'government testing': 360669, 'site and': 771870, 'earlier the screening': 264489, 'the screening test': 866538, 'screening test could': 742773, 'test could only': 838964, 'could only be': 209478, 'only be conducted': 610149, 'be conducted at': 114177, 'conducted at government': 193658, 'at government testing': 98789, 'government testing site': 360670, 'testing site and': 839635, 'site and lab': 771872, 'scamalert': 740493, 'bb': 113033, 'antiviral': 78584, 'legitimate': 486046, 'scamalert phishing': 740495, 'phishing email': 654813, 'email claiming': 272143, 'from bb': 334644, 'bb are': 113037, 'the round': 866004, 'round offering': 726348, 'offering related': 595231, 'related product': 708518, 'like antiviral': 489806, 'antiviral hand': 78589, 'sanitizer do': 734774, 'respond and': 715286, 'click link': 181923, 'link and': 493789, 'always check': 49512, 'check with': 174716, 'local bb': 497729, 'bb to': 113053, 'ensure email': 277918, 'email are': 272124, 'are legitimate': 87765, 'legitimate scam': 486058, 'scamalert phishing email': 740496, 'phishing email claiming': 654815, 'email claiming to': 272144, 'be from bb': 114967, 'from bb are': 334645, 'bb are making': 113038, 'are making the': 88008, 'making the round': 511429, 'the round offering': 866008, 'round offering related': 726349, 'offering related product': 595232, 'related product like': 708520, 'product like antiviral': 681359, 'like antiviral hand': 489807, 'antiviral hand sanitizer': 78590, 'hand sanitizer do': 375375, 'sanitizer do not': 734777, 'not respond and': 571346, 'respond and do': 715287, 'not click link': 568770, 'click link and': 181924, 'link and always': 493790, 'and always check': 57994, 'always check with': 49514, 'check with your': 174720, 'with your local': 1002211, 'your local bb': 1024681, 'local bb to': 497730, 'bb to ensure': 113054, 'to ensure email': 905152, 'ensure email are': 277919, 'email are legitimate': 272126, 'are legitimate scam': 87766, 'shape': 754817, 'fudging': 340109, 'degrowrth': 232583, 'correlated': 207623, 'pogrom': 662390, 'kashmir': 470975, 'yeah imagine': 1014267, 'imagine that': 416787, 'that economy': 843672, 'economy in': 267959, 'in much': 425498, 'better shape': 128462, 'shape not': 754840, 'not fudging': 569550, 'fudging data': 340110, 'hide ongoing': 394840, 'ongoing degrowrth': 607620, 'degrowrth oil': 232584, 'price better': 672915, 'better correlated': 128248, 'correlated with': 207624, 'with crude': 997864, 'crude price': 219580, 'of course': 582042, 'course no': 211905, 'no pogrom': 565130, 'pogrom against': 662391, 'against muslim': 37549, 'muslim in': 546427, 'in kashmir': 424444, 'kashmir and': 470976, 'and elsewhere': 62017, 'elsewhere and': 272009, 'and responding': 70351, 'yeah imagine that': 1014268, 'imagine that economy': 416788, 'that economy in': 843673, 'economy in much': 267969, 'in much better': 425499, 'much better shape': 544761, 'better shape not': 128463, 'shape not fudging': 754841, 'not fudging data': 569551, 'fudging data to': 340111, 'data to hide': 226462, 'to hide ongoing': 907729, 'hide ongoing degrowrth': 394841, 'ongoing degrowrth oil': 607621, 'degrowrth oil price': 232585, 'oil price better': 597061, 'price better correlated': 672916, 'better correlated with': 128249, 'correlated with crude': 207625, 'with crude price': 997867, 'crude price and': 219582, 'price and of': 672481, 'and of course': 67955, 'of course no': 582064, 'course no pogrom': 211906, 'no pogrom against': 565131, 'pogrom against muslim': 662392, 'against muslim in': 37550, 'muslim in kashmir': 546428, 'in kashmir and': 424445, 'kashmir and elsewhere': 470977, 'and elsewhere and': 62018, 'elsewhere and responding': 272013, 'and responding to': 70352, 'boycotting': 137385, 'mean big': 524370, 'big take': 130045, 'this quarantine': 889770, 'quarantine thing': 692620, 'should really': 766374, 'really give': 702223, 'give boycotting': 350422, 'boycotting try': 137386, 'on thing': 604583, 'mean big take': 524371, 'big take away': 130046, 'take away from': 831967, 'away from this': 105916, 'from this quarantine': 338006, 'this quarantine thing': 889781, 'quarantine thing we': 692622, 'thing we should': 884968, 'we should really': 973289, 'should really give': 766380, 'really give boycotting': 702224, 'give boycotting try': 350423, 'boycotting try to': 137387, 'try to lower': 934637, 'to lower price': 909505, 'lower price on': 505966, 'price on thing': 675728, '2a': 16541, 'visa': 959110, 'labor': 478395, 'bigger': 130142, 'are reliant': 89564, 'reliant on': 709252, 'on 2a': 599083, '2a immigrant': 16543, 'immigrant visa': 417240, 'visa for': 959111, 'for labor': 322871, 'labor this': 478454, 'not happen': 569783, 'happen this': 377169, 'year with': 1015110, 'ongoing problem': 607674, 'problem food': 679522, 'would skyrocket': 1012245, 'skyrocket at': 773289, 'time we': 898213, 'all cooking': 42452, 'cooking at': 202849, 'home this': 402287, 'be bigger': 113855, 'bigger problem': 130165, 'farmer are reliant': 299291, 'are reliant on': 89565, 'reliant on 2a': 709253, 'on 2a immigrant': 599084, '2a immigrant visa': 16544, 'immigrant visa for': 417241, 'visa for labor': 959112, 'for labor this': 322872, 'labor this may': 478455, 'this may not': 888793, 'may not happen': 521377, 'not happen this': 569790, 'happen this year': 377171, 'this year with': 891604, 'year with the': 1015116, 'with the ongoing': 1001413, 'the ongoing problem': 862253, 'ongoing problem food': 607676, 'problem food price': 679523, 'food price would': 315987, 'price would skyrocket': 677666, 'would skyrocket at': 1012246, 'skyrocket at time': 773290, 'at time we': 101316, 'time we re': 898231, 're all cooking': 698210, 'all cooking at': 42453, 'cooking at home': 202850, 'at home this': 99147, 'home this will': 402292, 'will be bigger': 992380, 'be bigger problem': 113857, 'fix': 309706, 'government fix': 360087, 'fix price': 309743, 'and sanitizers': 70892, 'sanitizers rt': 736379, 'rt amp': 726734, 'amp spread': 54545, 'spread to': 790853, 'government fix price': 360088, 'fix price of': 309746, 'price of mask': 675500, 'of mask and': 586259, 'mask and sanitizers': 518369, 'and sanitizers rt': 70903, 'sanitizers rt amp': 736380, 'rt amp spread': 726735, 'amp spread to': 54547, 'spread to all': 790854, 'thrived': 894217, 'lobbying': 497593, 'exemption': 290000, 'skirting': 773158, 'accountability': 28789, 'rent to': 711198, 'to own': 911332, 'own corporation': 631928, 'corporation have': 207428, 'have thrived': 383132, 'thrived by': 894218, 'by lobbying': 153067, 'lobbying for': 497594, 'for legal': 322929, 'legal exemption': 485862, 'exemption and': 290001, 'and skirting': 71722, 'skirting federal': 773159, 'federal and': 301949, 'and state': 72272, 'protection law': 685505, 'law in': 482311, 'it final': 457998, 'final order': 305852, 'order the': 618623, 'the can': 850306, 'can bring': 157795, 'bring some': 140070, 'some public': 783671, 'public accountability': 687832, 'accountability to': 28801, 'the rent': 865510, 'own business': 631907, 'business stopthedebttrap': 144423, 'rent to own': 711200, 'to own corporation': 911334, 'own corporation have': 631929, 'corporation have thrived': 207429, 'have thrived by': 383133, 'thrived by lobbying': 894219, 'by lobbying for': 153068, 'lobbying for legal': 497596, 'for legal exemption': 322930, 'legal exemption and': 485863, 'exemption and skirting': 290002, 'and skirting federal': 71723, 'skirting federal and': 773160, 'federal and state': 301952, 'and state consumer': 72275, 'state consumer protection': 795480, 'consumer protection law': 198542, 'protection law in': 685511, 'law in it': 482313, 'in it final': 424245, 'it final order': 457999, 'final order the': 305853, 'order the can': 618624, 'the can bring': 850309, 'can bring some': 157801, 'bring some public': 140074, 'some public accountability': 783672, 'public accountability to': 687833, 'accountability to the': 28802, 'to the rent': 917015, 'the rent to': 865515, 'to own business': 911333, 'own business stopthedebttrap': 631910, 'alexander': 41600, 'galitsky': 342931, 'how affect': 407325, 'affect venture': 34269, 'venture market': 954673, 'what should': 982178, 'should expect': 765975, 'expect due': 290636, 'fall and': 296826, 'market crash': 516240, 'crash interview': 214999, 'with alexander': 997141, 'alexander galitsky': 41601, 'galitsky via': 342932, 'how affect venture': 407326, 'affect venture market': 34270, 'venture market and': 954674, 'market and what': 516004, 'and what should': 75483, 'what should expect': 982185, 'should expect due': 765976, 'expect due to': 290637, 'due to oil': 261880, 'price fall and': 673775, 'fall and stock': 296835, 'stock market crash': 802385, 'market crash interview': 516245, 'crash interview with': 215000, 'interview with alexander': 442261, 'with alexander galitsky': 997142, 'alexander galitsky via': 41602, 'nyt': 578146, 'validated': 951927, 'virus changed': 958051, 'we internet': 972079, 'internet nyt': 441970, 'nyt just': 578147, 'just validated': 470176, 'validated what': 951928, 'we see': 973153, 'see in': 745294, 'consumer content': 196963, 'content consumption': 200789, 'the virus changed': 870811, 'virus changed the': 958052, 'changed the way': 172572, 'the way we': 871206, 'way we internet': 970173, 'we internet nyt': 972080, 'internet nyt just': 441971, 'nyt just validated': 578148, 'just validated what': 470177, 'validated what we': 951929, 'what we see': 982563, 'we see in': 973160, 'see in term': 745297, 'term of consumer': 838214, 'of consumer content': 581726, 'consumer content consumption': 196964, 'compete': 191580, 'staycalmdontpanicbuy': 797837, 'like every': 490182, 'every trip': 286337, 'is preparing': 450993, 'preparing me': 670344, 'to compete': 903117, 'compete on': 191595, 'on chopped': 599917, 'chopped staycalmdontpanicbuy': 177978, 'feel like every': 302710, 'like every trip': 490187, 'every trip to': 286338, 'store is preparing': 808517, 'is preparing me': 450996, 'preparing me to': 670346, 'me to compete': 523747, 'to compete on': 903121, 'compete on chopped': 191596, 'on chopped staycalmdontpanicbuy': 599918, 'declined': 231419, 'price declined': 673405, 'declined sharply': 231439, 'march every': 515355, 'every sub': 286231, 'sub index': 815684, 'index saw': 434239, 'fall demand': 296887, 'demand fell': 235335, 'fell amid': 303163, 'ongoing coronavirus': 607609, 'pandemic according': 634795, 'to study': 915697, 'study released': 814944, 'released by': 709026, 'the un': 870329, 'un food': 939287, 'and agriculture': 57788, 'agriculture organization': 39007, 'organization fao': 619366, 'food price declined': 315931, 'price declined sharply': 673407, 'declined sharply in': 231442, 'in march every': 425100, 'march every sub': 515356, 'every sub index': 286232, 'sub index saw': 815685, 'index saw price': 434240, 'saw price fall': 738221, 'price fall demand': 673782, 'fall demand fell': 296888, 'demand fell amid': 235336, 'fell amid the': 303166, 'amid the ongoing': 52704, 'the ongoing coronavirus': 862240, 'ongoing coronavirus pandemic': 607611, 'coronavirus pandemic according': 206433, 'pandemic according to': 634796, 'according to study': 28592, 'to study released': 915703, 'study released by': 814945, 'released by the': 709027, 'by the un': 154466, 'the un food': 870330, 'un food and': 939288, 'food and agriculture': 313169, 'and agriculture organization': 57792, 'agriculture organization fao': 39008, 'doorman': 255824, 'entrance': 278866, 'nominate': 566275, 'the doorman': 853595, 'doorman at': 255825, 'the entrance': 854379, 'entrance of': 278890, 'we tell': 973509, 'that family': 843827, 'family man': 298010, 'man took': 512277, 'family for': 297808, 'the parent': 863281, 'parent were': 641771, 'were of': 979929, 'of vulnerable': 592869, 'vulnerable age': 960842, 'of 70': 579658, '70 year': 21863, 'and older': 68037, 'older yet': 598690, 'the son': 867473, 'son 45': 785341, '45 could': 19078, 'not understand': 572315, 'the danger': 852823, 'danger he': 225651, 'he brought': 384798, 'brought to': 141202, 'his parent': 397683, 'parent just': 641662, 'just nominate': 469317, 'nominate person': 566278, 'person from': 652438, 'the household': 857654, 'the doorman at': 853596, 'doorman at the': 255826, 'at the entrance': 100936, 'the entrance of': 854384, 'entrance of the': 278893, 'the supermarket we': 868892, 'supermarket we tell': 823757, 'we tell me': 973510, 'tell me that': 837021, 'me that family': 523611, 'that family man': 843830, 'family man took': 298011, 'man took the': 512278, 'took the whole': 925346, 'the whole family': 871489, 'whole family for': 990195, 'family for shopping': 297812, 'for shopping the': 325597, 'shopping the parent': 764091, 'the parent were': 863286, 'parent were of': 641774, 'were of vulnerable': 979930, 'of vulnerable age': 592870, 'vulnerable age of': 960845, 'age of 70': 37858, 'of 70 year': 579663, '70 year and': 21865, 'year and older': 1014401, 'and older yet': 68045, 'older yet the': 598691, 'yet the son': 1016258, 'the son 45': 867474, 'son 45 could': 785342, '45 could not': 19079, 'could not understand': 209464, 'not understand the': 572325, 'understand the danger': 940753, 'the danger he': 852824, 'danger he brought': 225652, 'he brought to': 384799, 'brought to his': 141203, 'to his parent': 907822, 'his parent just': 397684, 'parent just nominate': 641664, 'just nominate person': 469319, 'nominate person from': 566279, 'person from the': 652442, 'from the household': 337749, 'youre': 1026413, 'bullshit': 142473, 'youre teacher': 1026424, 'teacher ask': 835435, 'ask your': 95681, 'your parent': 1025198, 'you home': 1019242, 'from school': 337180, 'school but': 741711, 'about doctor': 25118, 'nurse ambulance': 577186, 'ambulance police': 51333, 'police firefighter': 663006, 'firefighter supermarket': 308230, 'worker want': 1008119, 'close everything': 182630, 'everything think': 288052, 'think first': 885244, 'first we': 309171, 'we lock': 972289, 'the bullshit': 850108, 'youre teacher ask': 1026425, 'teacher ask your': 835436, 'ask your parent': 95686, 'your parent to': 1025205, 'parent to keep': 641751, 'keep you home': 472241, 'you home from': 1019243, 'home from school': 401271, 'from school but': 337182, 'school but what': 741712, 'what about doctor': 980966, 'about doctor nurse': 25119, 'doctor nurse ambulance': 250997, 'nurse ambulance police': 577187, 'ambulance police firefighter': 51335, 'police firefighter supermarket': 663012, 'firefighter supermarket worker': 308231, 'supermarket worker want': 824114, 'worker want to': 1008120, 'want to close': 966012, 'to close everything': 902871, 'close everything think': 182631, 'everything think first': 288053, 'think first we': 885246, 'first we lock': 309172, 'we lock down': 972290, 'lock down the': 499055, 'down the bullshit': 257267, 'gst': 367549, 'kickstart': 473833, 'semblance': 749596, 'taxholiday': 835139, '19 stop': 10865, 'being threat': 125946, 'threat please': 893713, 'please consider': 659808, 'consider providing': 195076, 'providing gst': 687020, 'gst tax': 367564, 'tax holiday': 835004, 'holiday for': 400295, 'for 60': 318886, 'day combined': 227461, 'combined with': 187142, 'with national': 999676, 'national eviction': 552502, 'moratorium rent': 538458, 'rent moratorium': 711129, 'moratorium to': 538460, 'to kickstart': 908910, 'kickstart some': 473836, 'some semblance': 783823, 'semblance of': 749597, 'consumer producer': 198445, 'producer activity': 680546, 'activity taxholiday': 30503, 'covid 19 stop': 213871, '19 stop being': 10866, 'stop being threat': 804501, 'being threat please': 125947, 'threat please consider': 893714, 'please consider providing': 659819, 'consider providing gst': 195077, 'providing gst tax': 687021, 'gst tax holiday': 367565, 'tax holiday for': 835005, 'holiday for 60': 400296, 'for 60 day': 318888, '60 day combined': 20924, 'day combined with': 227462, 'combined with national': 187148, 'with national eviction': 999677, 'national eviction moratorium': 552503, 'eviction moratorium rent': 288333, 'moratorium rent moratorium': 538459, 'rent moratorium to': 711130, 'moratorium to kickstart': 538461, 'to kickstart some': 908912, 'kickstart some semblance': 473837, 'some semblance of': 783824, 'semblance of consumer': 749598, 'of consumer producer': 581760, 'consumer producer activity': 198446, 'producer activity taxholiday': 680547, 'coronavirus uk': 206981, 'time delivery': 896546, 'and rationing': 69950, 'rationing coronacrisisuk': 697806, 'coronacrisisuk 19': 204875, 'coronavirus uk supermarket': 206987, 'uk supermarket opening': 938771, 'supermarket opening time': 821782, 'opening time delivery': 612923, 'time delivery and': 896547, 'delivery and rationing': 233675, 'and rationing coronacrisisuk': 69951, 'rationing coronacrisisuk 19': 697807, 'millennials': 531996, 'stack': 791975, '2k': 16617, '44 of': 19010, 'of bridge': 580881, 'bridge millennials': 139615, 'millennials report': 532021, 'report being': 711830, 'being extremely': 125130, 'extremely concerned': 293861, 'about see': 26156, 'see how': 745215, 'how that': 408789, 'that stack': 846447, 'stack up': 791984, 'other generation': 620287, 'generation in': 345617, 'our survey': 625054, 'survey of': 828905, 'of 2k': 579551, '2k consumer': 16620, '44 of bridge': 19011, 'of bridge millennials': 580882, 'bridge millennials report': 139616, 'millennials report being': 532022, 'report being extremely': 711831, 'being extremely concerned': 125131, 'extremely concerned about': 293862, 'concerned about see': 193170, 'about see how': 26157, 'see how that': 745254, 'how that stack': 408796, 'that stack up': 846448, 'stack up against': 791985, 'against other generation': 37570, 'other generation in': 620288, 'generation in our': 345618, 'in our survey': 426345, 'our survey of': 625055, 'survey of 2k': 828908, 'of 2k consumer': 579552, 'stockpilers': 803875, 'afterlife': 36642, 'live forever': 495821, 'forever right': 329145, 'now simply': 575830, 'simply because': 770182, 'because do': 119029, 'to run': 913652, 'run into': 727680, 'the stockpilers': 867943, 'stockpilers up': 803893, 'the afterlife': 848417, 'afterlife they': 36645, 'deserve the': 238127, 'afterlife stophoarding': 36643, 'stophoarding panicbuyinguk': 805439, 'want to live': 966065, 'to live forever': 909340, 'live forever right': 495823, 'forever right now': 329146, 'right now simply': 722136, 'now simply because': 575831, 'simply because do': 770183, 'because do not': 119030, 'want to run': 966106, 'to run into': 913661, 'run into the': 727684, 'into the stockpilers': 443175, 'the stockpilers up': 867945, 'stockpilers up in': 803894, 'in the afterlife': 428969, 'the afterlife they': 848419, 'afterlife they do': 36646, 'not deserve the': 569003, 'deserve the afterlife': 238129, 'the afterlife stophoarding': 848418, 'afterlife stophoarding panicbuyinguk': 36644, 'beirut': 126077, 'shopper get': 761528, 'get tested': 348184, 'tested for': 839300, 'symptom in': 830858, 'in beirut': 420772, 'beirut 19': 126078, '19 more': 8675, 'supermarket shopper get': 822614, 'shopper get tested': 761530, 'get tested for': 348189, 'tested for covid': 839305, '19 coronavirus symptom': 6131, 'coronavirus symptom in': 206867, 'symptom in beirut': 830859, 'in beirut 19': 420773, 'beirut 19 more': 126079, '19 more on': 8680, 'steak': 799152, 'selfishpricks': 748398, 'want is': 965825, 'is nice': 449896, 'nice bit': 562355, 'of steak': 590105, 'steak or': 799160, 'or some': 617147, 'some chicken': 782520, 'chicken but': 175759, 'single supermarket': 771408, 'ha any': 369569, 'any meat': 79456, 'meat or': 525678, 'or poultry': 616660, 'poultry left': 667330, 'left due': 485452, 'to hoarder': 907889, 'hoarder haven': 399043, 'had decent': 373015, 'decent meal': 230789, 'meal in': 524189, 'day panicbuying': 228187, 'panicbuying selfishpricks': 639044, 'all want is': 45390, 'want is nice': 965828, 'is nice bit': 449899, 'nice bit of': 562356, 'bit of steak': 131665, 'of steak or': 590107, 'steak or some': 799161, 'or some chicken': 617148, 'some chicken but': 782523, 'chicken but not': 175761, 'but not single': 146562, 'not single supermarket': 571602, 'single supermarket ha': 771410, 'supermarket ha any': 820616, 'ha any meat': 369571, 'any meat or': 79457, 'meat or poultry': 525682, 'or poultry left': 616662, 'poultry left due': 667331, 'left due to': 485453, 'due to hoarder': 261814, 'to hoarder haven': 907892, 'hoarder haven had': 399044, 'haven had decent': 383822, 'had decent meal': 373016, 'decent meal in': 230790, 'meal in day': 524190, 'in day panicbuying': 422017, 'day panicbuying selfishpricks': 228188, 'faculty': 296040, 'pharmaceuticalsciences': 654098, 'formulated': 329739, 'rupure': 728202, 'handsanitizers': 376685, 'freely': 332460, 'distributed': 248023, 'ramauniversity': 696366, 'subsidized': 815992, 'ramahospitals': 696346, 'faculty of': 296049, 'of pharmaceuticalsciences': 588086, 'pharmaceuticalsciences ha': 654099, 'ha formulated': 370669, 'formulated rupure': 329742, 'rupure handsanitizers': 728203, 'handsanitizers to': 376706, 'virus it': 958414, 'is freely': 447930, 'freely distributed': 332464, 'distributed to': 248057, 'the employee': 854250, 'student of': 814742, 'of ramauniversity': 588730, 'ramauniversity and': 696367, 'at highly': 98906, 'highly subsidized': 396106, 'subsidized price': 815999, 'at ramahospitals': 100247, 'faculty of pharmaceuticalsciences': 296050, 'of pharmaceuticalsciences ha': 588087, 'pharmaceuticalsciences ha formulated': 654100, 'ha formulated rupure': 370670, 'formulated rupure handsanitizers': 329743, 'rupure handsanitizers to': 728204, 'handsanitizers to fight': 376707, 'fight the virus': 304906, 'the virus it': 870852, 'virus it is': 958420, 'it is freely': 458957, 'is freely distributed': 447931, 'freely distributed to': 332465, 'distributed to all': 248058, 'all the employee': 44732, 'the employee and': 854253, 'employee and student': 273585, 'and student of': 72608, 'student of ramauniversity': 814744, 'of ramauniversity and': 588731, 'ramauniversity and is': 696368, 'and is available': 65394, 'is available at': 445908, 'available at highly': 104250, 'at highly subsidized': 98909, 'highly subsidized price': 396107, 'subsidized price at': 816000, 'price at ramahospitals': 672808, 'securityguards': 744805, 'particular': 642600, 'hired': 397037, 'sop': 785957, 'the securityguards': 866628, 'securityguards haven': 744806, 'been given': 121205, 'given medical': 351053, 'medical glove': 526188, 'glove this': 352962, 'wrong these': 1013119, 'these particular': 880404, 'particular guard': 642613, 'guard are': 367778, 'are hired': 87177, 'hired by': 397042, 'by but': 152030, 'be sop': 117314, 'sop that': 785958, 'they provided': 882933, 'provided medical': 686628, 'glove while': 353032, 'working during': 1008600, 'pandemic safetyfirst': 636379, 'safetyfirst workplace': 730813, 'store the securityguards': 810620, 'the securityguards haven': 866629, 'securityguards haven been': 744807, 'haven been given': 383751, 'been given medical': 121211, 'given medical glove': 351054, 'medical glove this': 526192, 'glove this is': 352963, 'this is wrong': 888474, 'is wrong these': 454108, 'wrong these particular': 1013120, 'these particular guard': 880405, 'particular guard are': 642614, 'guard are hired': 367780, 'are hired by': 87178, 'hired by but': 397043, 'by but it': 152031, 'but it should': 146164, 'should be sop': 765735, 'be sop that': 117315, 'sop that they': 785959, 'that they provided': 846944, 'they provided medical': 882935, 'provided medical glove': 686629, 'medical glove while': 526193, 'glove while working': 353038, 'while working during': 987576, 'working during the': 1008604, 'the pandemic safetyfirst': 863084, 'pandemic safetyfirst workplace': 636380, 'evil': 288428, 'pain': 634215, 'delta': 234825, 'is evil': 447607, 'evil to': 288464, 'add more': 31451, 'more pain': 539974, 'pain to': 634251, '19 that': 11146, 'the citizen': 850904, 'through by': 894359, 'by inflating': 152920, 'service this': 752954, 'this decision': 887183, 'decision of': 231062, 'government delta': 360016, 'it is evil': 458949, 'is evil to': 447610, 'evil to add': 288465, 'to add more': 900061, 'add more pain': 31453, 'more pain to': 539976, 'pain to that': 634252, 'to that of': 916457, 'covid 19 that': 213930, '19 that the': 11161, 'that the citizen': 846683, 'the citizen are': 850906, 'citizen are going': 178848, 'are going through': 86901, 'going through by': 355497, 'through by inflating': 894360, 'by inflating the': 152922, 'of good and': 584210, 'good and service': 356748, 'and service this': 71319, 'service this decision': 752955, 'this decision of': 887187, 'decision of the': 231064, 'the state government': 867777, 'state government delta': 795611, 'stop stockpiling': 805075, 'stockpiling stayathome': 804076, 'stayhome stophoarding': 798189, 'stophoarding stoppanicbuying': 805482, 'stopstockpiling stopthespread': 805889, 'and stop stockpiling': 72487, 'stop stockpiling stayathome': 805077, 'stockpiling stayathome stayhome': 804077, 'stayathome stayhome stophoarding': 797642, 'stayhome stophoarding stoppanicbuying': 798190, 'stophoarding stoppanicbuying stopstockpiling': 805487, 'stoppanicbuying stopstockpiling stopthespread': 805644, 'tl': 899336, 'accessory': 28369, 'boardgames': 133693, 'hey everyone': 394369, 'everyone update': 287522, 'store tl': 810748, 'tl dr': 899337, 'dr the': 258108, 'and play': 69086, 'play space': 659218, 'space are': 787054, 'closed until': 183412, 'notice you': 573412, 'still order': 801003, 'order card': 618121, 'card accessory': 163441, 'accessory boardgames': 28370, 'boardgames for': 133694, 'for pickup': 324546, 'pickup you': 656053, 'can rent': 159438, 'rent game': 711101, 'game to': 343269, 'play at': 659118, 'home while': 402490, 'you self': 1021099, 'self isolate': 747661, 'isolate and': 454811, 'offering free': 595111, 'hey everyone update': 394373, 'everyone update for': 287523, 'update for the': 946963, 'for the store': 326708, 'the store tl': 868126, 'store tl dr': 810749, 'tl dr the': 899339, 'dr the retail': 258109, 'the retail and': 865709, 'retail and play': 717833, 'and play space': 69090, 'play space are': 659219, 'space are now': 787055, 'now closed until': 574407, 'closed until further': 183415, 'further notice you': 342123, 'notice you can': 573413, 'can still order': 159784, 'still order card': 801004, 'order card accessory': 618122, 'card accessory boardgames': 163442, 'accessory boardgames for': 28371, 'boardgames for pickup': 133695, 'for pickup you': 324552, 'pickup you can': 656055, 'you can rent': 1017769, 'can rent game': 159439, 'rent game to': 711102, 'game to play': 343271, 'to play at': 911786, 'play at home': 659119, 'at home while': 99171, 'home while you': 402496, 'while you self': 987593, 'you self isolate': 1021100, 'self isolate and': 747663, 'isolate and we': 454820, 'we are offering': 970642, 'are offering free': 88667, 'ahh': 39225, 'ahh covid': 39226, '19 stay': 10795, 'your room': 1025648, 'room and': 725872, 'on much': 602245, 'much food': 544895, 'food possible': 315888, 'ahh covid 19': 39227, 'covid 19 stay': 213860, '19 stay in': 10799, 'stay in your': 797069, 'in your room': 431119, 'your room and': 1025649, 'room and stock': 725881, 'up on much': 945593, 'on much food': 602246, 'much food possible': 544908, 'provincial': 687207, 'inspector': 439780, 'the provincial': 864737, 'provincial government': 687212, 'increasing it': 433629, 'it food': 458052, 'food inspector': 315081, 'inspector capacity': 439783, 'for meat': 323359, 'meat increase': 525622, 'increase across': 432655, 'across alberta': 29223, 'the provincial government': 864739, 'provincial government is': 687213, 'government is increasing': 360258, 'is increasing it': 448858, 'increasing it food': 433631, 'it food inspector': 458054, 'food inspector capacity': 315082, 'inspector capacity demand': 439784, 'demand for meat': 235453, 'for meat increase': 323362, 'meat increase across': 525623, 'increase across alberta': 432656, 'across alberta due': 29224, 'picker': 655827, 'muchrespect': 545508, 'slightly concerned': 773945, 'about working': 26949, 'working dot': 1008594, 'com picker': 186952, 'picker in': 655834, 'distancing just': 247267, 'can imagine': 158717, 'imagine working': 416830, 'through right': 894647, 'now though': 576141, 'though muchrespect': 892860, 'slightly concerned about': 773946, 'concerned about working': 193180, 'about working dot': 26950, 'working dot com': 1008595, 'dot com picker': 255941, 'com picker in': 186953, 'picker in supermarket': 655835, 'in supermarket with': 428718, 'supermarket with social': 823936, 'social distancing just': 779642, 'distancing just can': 247268, 'just can imagine': 468429, 'can imagine working': 158723, 'imagine working for': 416832, 'for the nh': 326582, 'nh and what': 561886, 'what they are': 982392, 'they are going': 881286, 'going through right': 355507, 'through right now': 894648, 'right now though': 722158, 'now though muchrespect': 576142, 'genomics': 345805, '23andme': 15499, 'why doe': 990946, '19 make': 8519, 'make some': 510469, 'sick ask': 768381, 'ask their': 95641, 'their dna': 873048, 'dna consumer': 248978, 'consumer genomics': 197575, 'genomics company': 345806, 'company 23andme': 190339, '23andme want': 15504, 'to mine': 910145, 'mine it': 532908, 'it database': 457471, 'database of': 226520, 'customer for': 222383, 'for clue': 320139, 'clue to': 184556, 'to why': 918587, 'virus hit': 958285, 'hit some': 398405, 'people harder': 648150, 'than others': 841004, 'why doe covid': 990948, 'covid 19 make': 213393, '19 make some': 8524, 'make some people': 510474, 'some people so': 783535, 'so sick ask': 778212, 'sick ask their': 768382, 'ask their dna': 95642, 'their dna consumer': 873049, 'dna consumer genomics': 248979, 'consumer genomics company': 197576, 'genomics company 23andme': 345807, 'company 23andme want': 190340, '23andme want to': 15505, 'want to mine': 966068, 'to mine it': 910146, 'mine it database': 532909, 'it database of': 457472, 'database of million': 226522, 'million of customer': 532264, 'of customer for': 582272, 'customer for clue': 222384, 'for clue to': 320141, 'clue to why': 184558, 'to why the': 918594, 'why the virus': 991436, 'the virus hit': 870842, 'virus hit some': 958288, 'hit some people': 398407, 'some people harder': 783515, 'people harder than': 648151, 'harder than others': 378186, 'scare': 740860, 'economiccrisis': 267401, 'sbux': 739836, 'dooprime': 255490, 'buyshares': 151458, 'buystocks': 151461, 'makemoney': 510794, 'makemoneyonline': 510798, 'makemoneyfromhome': 510797, 'think will': 885787, 'happen to': 377176, 'to starbucks': 915183, 'starbucks share': 794105, 'share today': 755310, 'the scare': 866440, 'scare economiccrisis': 740871, 'economiccrisis and': 267402, 'the plunging': 863864, 'price affect': 672223, 'the sbux': 866401, 'sbux share': 739837, 'share buy': 754955, 'buy starbucks': 149233, 'starbucks corporation': 794091, 'corporation share': 207460, 'share on': 755128, 'on dooprime': 600391, 'dooprime now': 255491, 'now buyshares': 574313, 'buyshares buystocks': 151459, 'buystocks makemoney': 151462, 'makemoney makemoneyonline': 510795, 'makemoneyonline makemoneyfromhome': 510799, 'you think will': 1021689, 'think will happen': 885789, 'will happen to': 993604, 'happen to starbucks': 377187, 'to starbucks share': 915184, 'starbucks share today': 794106, 'share today will': 755311, 'today will the': 920546, 'will the scare': 995157, 'the scare economiccrisis': 866443, 'scare economiccrisis and': 740872, 'economiccrisis and the': 267403, 'and the plunging': 73516, 'the plunging oil': 863866, 'oil price affect': 597035, 'price affect the': 672224, 'affect the sbux': 34253, 'the sbux share': 866402, 'sbux share buy': 739838, 'share buy starbucks': 754957, 'buy starbucks corporation': 149234, 'starbucks corporation share': 794092, 'corporation share on': 207461, 'share on dooprime': 755129, 'on dooprime now': 600392, 'dooprime now buyshares': 255492, 'now buyshares buystocks': 574314, 'buyshares buystocks makemoney': 151460, 'buystocks makemoney makemoneyonline': 151463, 'makemoney makemoneyonline makemoneyfromhome': 510796, 'stressful': 813476, 'distraction': 247901, 'yolo': 1016535, 'these stressful': 880754, 'stressful time': 813518, 'time did': 896556, 'shopping distraction': 762488, 'distraction yolo': 247913, 'yolo socialdistancing': 1016537, 'in these stressful': 429861, 'these stressful time': 880755, 'stressful time did': 813520, 'time did some': 896558, 'did some online': 240814, 'online shopping distraction': 609093, 'shopping distraction yolo': 762489, 'distraction yolo socialdistancing': 247915, 'fur': 341840, 'coronacrisis to': 204830, 'fellow ny': 303315, 'ny er': 577851, 'er you': 280024, 'know ny': 476635, 'ny is': 577882, 'be under': 117847, 'lockdown only': 499742, 'only essential': 610395, 'open per': 612440, 'per pet': 650980, 'pet store': 653452, 'been deemed': 120935, 'deemed essential': 231817, 'essential so': 281563, 'so make': 777626, 'your fur': 1024014, 'fur baby': 341841, 'baby and': 106563, 'coronacrisis to my': 204831, 'to my fellow': 910397, 'my fellow ny': 548303, 'fellow ny er': 303316, 'ny er you': 577852, 'er you know': 280025, 'you know ny': 1019516, 'know ny is': 476636, 'ny is going': 577885, 'to be under': 901607, 'be under lockdown': 117851, 'under lockdown only': 940152, 'lockdown only essential': 499744, 'only essential store': 610399, 'essential store open': 281592, 'store open per': 809261, 'open per pet': 612441, 'per pet store': 650981, 'pet store have': 653458, 'store have not': 808092, 'not been deemed': 568508, 'been deemed essential': 120936, 'deemed essential so': 231822, 'essential so make': 281565, 'so make sure': 777627, 'sure you don': 827857, 'you don forget': 1018315, 'don forget about': 253523, 'forget about your': 329228, 'about your fur': 26999, 'your fur baby': 1024015, 'fur baby and': 341842, 'baby and stock': 106565, 'on food for': 600864, 'food for them': 314578, 'miserably': 533993, 'crucial': 219441, 'amazing supply': 50791, 'chain manager': 170915, 'and manufacturer': 66650, 'big retail': 129960, 'retail sector': 718522, 'sector have': 744208, 'have failed': 380553, 'failed miserably': 296149, 'miserably because': 533997, 'stock crucial': 802033, 'crucial inventory': 219460, 'inventory for': 443667, 'consumer consumer': 196948, 'amazing supply chain': 50792, 'supply chain manager': 824992, 'chain manager and': 170916, 'manager and manufacturer': 512670, 'and manufacturer in': 66655, 'manufacturer in the': 513473, 'in the big': 429021, 'the big retail': 849621, 'big retail sector': 129962, 'retail sector have': 718528, 'sector have failed': 744210, 'have failed miserably': 380556, 'failed miserably because': 296151, 'miserably because they': 533998, 'because they are': 119689, 'they are unable': 881443, 'unable to stock': 939348, 'to stock crucial': 915430, 'stock crucial inventory': 802034, 'crucial inventory for': 219461, 'inventory for consumer': 443668, 'for consumer consumer': 320246, 'consumer consumer people': 196952, 'pleased': 660790, 'gebb': 345033, 'entertain': 278501, 'pleased to': 660797, 'see two': 745991, 'two issue': 936979, 'issue of': 455854, 'of gebb': 584071, 'gebb in': 345034, 'in special': 428186, 'special 90': 787839, '90 off': 23322, 'off hand': 593883, 'sanitizer bundle': 734599, 'at we': 101501, 'are glad': 86866, 'be part': 116357, 'anything that': 80893, 'help entertain': 389646, 'entertain people': 278516, 'and during': 61806, 'pleased to see': 660802, 'to see two': 914091, 'see two issue': 745992, 'two issue of': 936980, 'issue of gebb': 455860, 'of gebb in': 584072, 'gebb in special': 345035, 'in special 90': 428187, 'special 90 off': 787840, '90 off hand': 23324, 'off hand sanitizer': 593884, 'hand sanitizer bundle': 375330, 'sanitizer bundle at': 734600, 'bundle at we': 142645, 'at we are': 101502, 'we are glad': 970577, 'are glad to': 86867, 'glad to be': 351523, 'to be part': 901435, 'be part of': 116358, 'part of anything': 642331, 'of anything that': 580295, 'anything that help': 80895, 'that help entertain': 844297, 'help entertain people': 389647, 'entertain people and': 278517, 'people and during': 646857, 'and during the': 61812, 'diarea': 240373, 'parking': 642057, 'kijiji': 474293, '950': 23609, 'blocked': 132848, 'doe survival': 251593, 'survival start': 829080, 'paper maybe': 640456, 'maybe they': 521843, 'they think': 883556, 'think covid': 885198, '19 cause': 5714, 'cause diarea': 167539, 'diarea some': 240374, 'in parking': 426516, 'parking lot': 642074, 'lot are': 503988, 'are selling': 89947, 'selling pack': 749392, 'of tp': 592354, 'and idiot': 64927, 'had an': 372832, 'an ad': 55096, 'ad on': 31131, 'on kijiji': 601766, 'kijiji saying': 474294, 'saying 40': 739548, '40 roll': 18651, 'roll for': 725300, 'for 950': 318955, '950 probably': 23612, 'probably joke': 679301, 'joke but': 467062, 'but wa': 147703, 'wa quickly': 963026, 'quickly blocked': 694477, 'doe survival start': 251594, 'survival start with': 829081, 'start with toilet': 794651, 'with toilet paper': 1001801, 'toilet paper maybe': 921354, 'paper maybe they': 640457, 'maybe they think': 521849, 'they think covid': 883559, 'think covid 19': 885199, 'covid 19 cause': 212768, '19 cause diarea': 5717, 'cause diarea some': 167540, 'diarea some people': 240375, 'some people in': 783520, 'people in parking': 648414, 'in parking lot': 426517, 'parking lot are': 642078, 'lot are selling': 503992, 'are selling pack': 89968, 'selling pack of': 749393, 'pack of tp': 633116, 'of tp and': 592357, 'tp and idiot': 927743, 'and idiot had': 64928, 'idiot had an': 413518, 'had an ad': 372833, 'an ad on': 55097, 'ad on kijiji': 31132, 'on kijiji saying': 601767, 'kijiji saying 40': 474295, 'saying 40 roll': 739549, '40 roll for': 18653, 'roll for 950': 725306, 'for 950 probably': 318956, '950 probably joke': 23613, 'probably joke but': 679302, 'joke but wa': 467064, 'but wa quickly': 147709, 'wa quickly blocked': 963027, 'chose': 178016, 'motivating': 543299, 'foodforthought': 317912, 'that go': 844022, 'employee truck': 274353, 'driver etc': 259531, 'etc yes': 282913, 'yes we': 1015592, 'we chose': 971128, 'chose this': 178021, 'this job': 888541, 'job but': 465708, 'be little': 115771, 'more motivating': 539808, 'motivating to': 543302, 're being': 698352, 'being appreciated': 124853, 'appreciated foodforthought': 82819, 'that go for': 844024, 'go for healthcare': 353560, 'store employee truck': 807560, 'employee truck driver': 274354, 'truck driver etc': 932774, 'driver etc yes': 259539, 'etc yes we': 282914, 'yes we chose': 1015595, 'we chose this': 971129, 'chose this job': 178022, 'this job but': 888542, 'job but it': 465710, 'but it would': 146182, 'would be little': 1011615, 'be little more': 115774, 'little more motivating': 495467, 'more motivating to': 539809, 'motivating to know': 543303, 'you re being': 1020576, 're being appreciated': 698353, 'being appreciated foodforthought': 124854, 'kindness': 475181, 'atmosphere': 101978, 'wehavethis': 977655, 'positive thing': 665462, 'about coronacrisis': 25024, 'coronacrisis is': 204640, 'when see': 983971, 'street there': 813140, 'more kindness': 539655, 'kindness more': 475217, 'of we': 592957, 'together atmosphere': 920715, 'atmosphere grateful': 101983, 'grateful for': 362256, 'the smile': 867381, 'smile and': 775693, 'and hello': 64436, 'hello while': 389253, 'while wa': 987517, 'wa browsing': 961753, 'browsing the': 141307, 'store last': 808670, 'last night': 480362, 'night wehavethis': 563126, 'the positive thing': 864065, 'positive thing about': 665463, 'thing about coronacrisis': 884085, 'about coronacrisis is': 25025, 'coronacrisis is that': 204644, 'is that when': 452707, 'that when see': 847491, 'when see people': 983975, 'see people in': 745560, 'people in store': 648433, 'in store or': 428439, 'store or on': 809352, 'the street there': 868253, 'street there seems': 813141, 'there seems to': 879029, 'be more kindness': 115982, 'more kindness more': 539656, 'kindness more of': 475218, 'more of we': 539893, 'of we re': 592967, 'we re in': 972899, 're in this': 698890, 'in this together': 430028, 'this together atmosphere': 890760, 'together atmosphere grateful': 920716, 'atmosphere grateful for': 101984, 'grateful for the': 362273, 'for the smile': 326694, 'the smile and': 867382, 'smile and hello': 775694, 'and hello while': 64438, 'hello while wa': 389254, 'while wa browsing': 987519, 'wa browsing the': 961754, 'browsing the grocery': 141308, 'grocery store last': 365509, 'store last night': 808672, 'last night wehavethis': 480403, 'government now': 360390, 'now ha': 574837, 'buying price': 150919, 'gouging inflating': 359356, 'inflating price': 437109, 'the government now': 856570, 'government now ha': 360391, 'now ha to': 574848, 'ha to stop': 372319, 'panic buying price': 637850, 'buying price gouging': 150920, 'price gouging inflating': 674289, 'gouging inflating price': 359357, 'all global': 42932, 'global microsoft': 352034, 'microsoft store': 530512, 'location effective': 498895, 'effective immediately': 269262, 'immediately for': 417095, 'help please': 390320, 'please visit': 660722, 'for the safety': 326667, 'our customer and': 622650, 'employee we are': 274391, 'are closing all': 85387, 'closing all global': 183574, 'all global microsoft': 42933, 'global microsoft store': 352035, 'microsoft store location': 530515, 'store location effective': 808797, 'location effective immediately': 498897, 'effective immediately for': 269264, 'immediately for help': 417096, 'for help please': 322185, 'help please visit': 390330, 'our government': 623266, 'are trying': 91220, 'make supermarket': 510499, 'worker work': 1008279, 'work 8am': 1004706, '8am till': 23158, 'till 8pm': 895985, '8pm sunday': 23232, 'sunday exposing': 818200, 'exposing to': 292944, 'more time': 540763, '19 sign': 10543, 'let make': 486881, 'make change': 509764, 'change we': 172381, 'we dont': 971409, 'dont deserve': 255204, 'deserve this': 238133, 'our government are': 623267, 'government are trying': 359905, 'are trying to': 91221, 'trying to make': 934828, 'to make supermarket': 909747, 'make supermarket worker': 510501, 'supermarket worker work': 824126, 'worker work 8am': 1008280, 'work 8am till': 1004707, '8am till 8pm': 23159, 'till 8pm sunday': 895986, '8pm sunday exposing': 23233, 'sunday exposing to': 818201, 'exposing to more': 292945, 'to more time': 910270, 'more time with': 540778, 'time with covid': 898352, 'covid 19 sign': 213803, '19 sign this': 10546, 'sign this and': 769235, 'this and let': 886334, 'and let make': 66108, 'let make change': 486882, 'make change we': 509765, 'change we dont': 172384, 'we dont deserve': 971410, 'dont deserve this': 255205, 'prosecute': 684614, 'gobshites': 354622, 'prosecute the': 684629, 'the gobshites': 856394, 'gobshites lockdownuk': 354625, 'prosecute the gobshites': 684630, 'the gobshites lockdownuk': 856395, 'how the will': 408892, 'the will impact': 871576, 'forefront': 328937, 'socialmedia': 781073, 'strategically': 812567, 'focused': 311931, 'with at': 997331, 'the forefront': 855691, 'forefront of': 328940, 'everyone mind': 287185, 'mind people': 532710, 'are turning': 91223, 'to socialmedia': 914843, 'socialmedia to': 781096, 'to cope': 903505, 'socialdistancing it': 780480, 'for brand': 319758, 'brand to': 138042, 'think strategically': 885570, 'strategically to': 812574, 'be truly': 117827, 'truly consumer': 933280, 'consumer focused': 197505, 'focused in': 311939, 'their approach': 872502, 'approach watch': 82997, 'watch my': 968480, 'new video': 559826, 'video here': 956774, 'with at the': 997335, 'at the forefront': 100952, 'the forefront of': 855692, 'forefront of everyone': 328941, 'of everyone mind': 583256, 'everyone mind people': 287186, 'mind people are': 532711, 'people are turning': 647105, 'are turning to': 91230, 'turning to socialmedia': 935973, 'to socialmedia to': 914844, 'socialmedia to cope': 781097, 'to cope with': 903514, 'cope with socialdistancing': 203356, 'with socialdistancing it': 1000825, 'socialdistancing it time': 780483, 'it time for': 461693, 'time for brand': 896694, 'for brand to': 319767, 'brand to think': 138051, 'to think strategically': 917384, 'think strategically to': 885571, 'strategically to be': 812575, 'to be truly': 901604, 'be truly consumer': 117828, 'truly consumer focused': 933282, 'consumer focused in': 197506, 'focused in their': 311940, 'in their approach': 429716, 'their approach watch': 872503, 'approach watch my': 82999, 'watch my new': 968482, 'my new video': 549475, 'new video here': 559829, 'math': 520459, 'brian': 139555, 'passing': 643364, 'within': 1002309, 'ft': 339318, 'math problem': 520475, 'problem brian': 679481, 'brian make': 139564, 'make trip': 510669, 'glove there': 352949, 'are 200': 84116, '200 people': 13525, 'store 70': 806043, '70 percent': 21824, 'are wearing': 91602, 'and passing': 68746, 'passing within': 643410, 'within le': 1002373, 'than ft': 840683, 'ft of': 339353, 'other how': 620372, 'infected with': 436664, 'math problem brian': 520476, 'problem brian make': 679483, 'brian make trip': 139565, 'make trip to': 510670, 'store wearing mask': 811195, 'wearing mask and': 974681, 'and glove there': 63740, 'glove there are': 352950, 'there are 200': 878053, 'are 200 people': 84118, '200 people in': 13527, 'the store 70': 867974, 'store 70 percent': 806044, '70 percent of': 21825, 'percent of them': 651163, 'them are wearing': 875422, 'are wearing mask': 91604, 'glove and passing': 352572, 'and passing within': 68749, 'passing within le': 643411, 'within le than': 1002374, 'le than ft': 483172, 'than ft of': 840686, 'ft of each': 339354, 'of each other': 582903, 'each other how': 264181, 'other how many': 620373, 'how many more': 408274, 'many more people': 514313, 'more people will': 540052, 'people will get': 650390, 'will get infected': 993507, 'get infected with': 347334, 'roommate': 725997, 'beg': 123355, 'ok so': 597881, 'we actually': 970278, 'need toilet': 556124, 'paper my': 640479, 'my roommate': 549969, 'roommate go': 726000, 'to beg': 901705, 'beg man': 123360, 'man carrying': 512017, 'carrying eight': 165175, 'eight pack': 270190, '12 pack': 2923, 'them corona': 875554, 'ok so we': 597889, 'so we actually': 778654, 'we actually need': 970281, 'actually need toilet': 30910, 'need toilet paper': 556125, 'toilet paper my': 921361, 'paper my roommate': 640481, 'my roommate go': 549970, 'roommate go to': 726001, 'store and had': 806254, 'and had to': 64109, 'had to beg': 373666, 'to beg man': 901706, 'beg man carrying': 123361, 'man carrying eight': 512018, 'carrying eight pack': 165176, 'eight pack of': 270191, 'pack of 12': 633082, 'of 12 pack': 579342, '12 pack of': 2925, 'paper for one': 640181, 'of them corona': 591729, 'them corona virus': 875555, 'live president': 495993, 'president trump': 670930, 'trump and': 933406, 'force with': 328550, 'with an': 997200, 'an update': 56923, 'live president trump': 495995, 'president trump and': 670931, 'trump and the': 933412, 'task force with': 834708, 'force with an': 328551, 'with an update': 997235, 'an update on': 56927, 'update on the': 947138, 'morecambe': 541039, '45pm': 19204, 'lancaster': 479234, 'recognise': 704589, 'let get': 486728, 'get these': 348388, 'these scumbags': 880639, 'scumbags identified': 743001, 'identified morecambe': 413338, 'morecambe 45pm': 541040, '45pm lancaster': 19207, 'lancaster road': 479239, 'road sainsbury': 724505, 'sainsbury recognise': 731709, 'recognise them': 704596, 'let get these': 486737, 'get these scumbags': 348393, 'these scumbags identified': 880640, 'scumbags identified morecambe': 743002, 'identified morecambe 45pm': 413339, 'morecambe 45pm lancaster': 541041, '45pm lancaster road': 19208, 'lancaster road sainsbury': 479240, 'road sainsbury recognise': 724506, 'sainsbury recognise them': 731710, 'recognise them 19': 704597, 'find your': 307405, 'your tp': 1026197, 'tp toiletpaper': 927988, 'toiletpaper here': 922063, 'here vega': 393766, 'vega panicbuying': 953825, 'find your tp': 307410, 'your tp toiletpaper': 1026200, 'tp toiletpaper here': 927997, 'toiletpaper here vega': 922065, 'here vega panicbuying': 393767, 'dunedin': 262277, 'pitchfork': 657012, 'firebrand': 308158, 'octagon': 579128, '7pm': 22497, 'ammunition': 52936, 'in dunedin': 422414, 'dunedin know': 262280, 'know we': 476925, 'll come': 496681, 'together and': 920684, 'support each': 826465, 'other through': 621125, 'this other': 889296, 'other community': 619972, 'are around': 84614, 'world pitchfork': 1009892, 'pitchfork and': 657013, 'and firebrand': 62916, 'firebrand to': 308159, 'the octagon': 862032, 'octagon at': 579129, 'at 7pm': 97755, '7pm save': 22510, 'save your': 737709, 'your firearm': 1023887, 'firearm and': 308140, 'and ammunition': 58078, 'ammunition for': 52943, 'supermarket shoot': 822580, 'shoot out': 759744, '19 in dunedin': 7740, 'in dunedin know': 422415, 'dunedin know we': 262281, 'know we ll': 476929, 'we ll come': 972239, 'll come together': 496685, 'come together and': 187622, 'together and support': 920702, 'and support each': 72836, 'support each other': 826466, 'each other through': 264226, 'other through this': 621126, 'through this other': 894835, 'this other community': 889297, 'other community are': 619973, 'community are around': 189734, 'are around the': 84618, 'the world pitchfork': 871937, 'world pitchfork and': 1009893, 'pitchfork and firebrand': 657014, 'and firebrand to': 62917, 'firebrand to the': 308160, 'to the octagon': 916915, 'the octagon at': 862033, 'octagon at 7pm': 579130, 'at 7pm save': 97758, '7pm save your': 22511, 'save your firearm': 737711, 'your firearm and': 1023888, 'firearm and ammunition': 308141, 'and ammunition for': 58081, 'ammunition for the': 52944, 'for the supermarket': 326712, 'the supermarket shoot': 868795, 'supermarket shoot out': 822581, 'shoot out this': 759745, 'out this weekend': 627594, 'stayhomeforus': 798302, 'medtwitter': 527369, 'worker around': 1006444, 'world are': 1009304, 'are spending': 90322, 'spending time': 789017, 'their loved': 873890, 'help ensure': 389641, 'well being': 978054, 'being of': 125463, 'our loved': 623815, 'one they': 607212, 'one simple': 607042, 'simple request': 770083, 'request for': 713156, 'all their': 44993, 'their hard': 873493, 'against socialdistancing': 37619, 'socialdistancing stayathome': 780723, 'stayathome stayhomeforus': 797645, 'stayhomeforus medtwitter': 798303, 'doctor and health': 250818, 'and health worker': 64369, 'health worker around': 386967, 'worker around the': 1006446, 'the world are': 871815, 'world are spending': 1009324, 'are spending time': 90328, 'spending time with': 789021, 'time with their': 898360, 'with their loved': 1001582, 'their loved one': 873891, 'loved one to': 504926, 'one to help': 607277, 'to help ensure': 907504, 'help ensure the': 389645, 'ensure the safety': 278089, 'the safety and': 866146, 'safety and well': 730467, 'and well being': 75402, 'well being of': 978062, 'being of our': 125468, 'of our loved': 587505, 'our loved one': 623816, 'loved one they': 504925, 'one they have': 607213, 'they have one': 882355, 'have one simple': 381798, 'one simple request': 607043, 'simple request for': 770084, 'request for all': 713158, 'for all their': 319176, 'all their hard': 45000, 'their hard work': 873494, 'hard work in': 378128, 'fight against socialdistancing': 304638, 'against socialdistancing stayathome': 37620, 'socialdistancing stayathome stayhomeforus': 780725, 'stayathome stayhomeforus medtwitter': 797646, 'coloradoans': 186825, 'pinch': 656784, 'fellow coloradoans': 303279, 'coloradoans please': 186826, 'relief fund': 709350, 'fund also': 341349, 'also reach': 48751, 'bank they': 110243, 'are feeling': 86515, 'feeling the': 303072, 'the pinch': 863739, 'pinch people': 656789, 'people stock': 649612, 'fellow coloradoans please': 303280, 'coloradoans please consider': 186827, 'please consider donating': 659813, 'donating to the': 254525, '19 relief fund': 10080, 'relief fund also': 709351, 'fund also reach': 341351, 'also reach out': 48752, 'out to your': 627700, 'to your local': 918998, 'your local food': 1024695, 'food bank they': 313656, 'bank they are': 110244, 'they are feeling': 881275, 'are feeling the': 86521, 'feeling the pinch': 303075, 'the pinch people': 863741, 'pinch people stock': 656790, 'people stock up': 649620, 'cupboard': 220462, 'anxiously': 78882, 'wa greeted': 962257, 'this last': 888596, 'night think': 563101, 'food now': 315565, 'now instead': 575047, 'of hoarding': 584691, 'your freezer': 1023955, 'freezer and': 332575, 'and cupboard': 60797, 'cupboard you': 220506, 'are forcing': 86654, 'forcing all': 328693, 'and anxiously': 58210, 'anxiously worry': 78887, 'worry where': 1010801, 'next meal': 561441, 'meal will': 524304, 'will come': 992961, 'wa greeted by': 962258, 'greeted by this': 363794, 'by this last': 154531, 'this last night': 888598, 'last night think': 480397, 'night think about': 563102, 'about others who': 25881, 'others who actually': 621781, 'actually need food': 30901, 'need food now': 554802, 'food now instead': 315569, 'now instead of': 575048, 'instead of hoarding': 440275, 'of hoarding it': 584695, 'hoarding it in': 399399, 'it in your': 458755, 'in your freezer': 431080, 'your freezer and': 1023956, 'freezer and cupboard': 332576, 'and cupboard you': 60798, 'cupboard you are': 220507, 'you are forcing': 1017128, 'are forcing all': 86655, 'forcing all to': 328694, 'all to panic': 45245, 'to panic and': 911384, 'panic and anxiously': 637295, 'and anxiously worry': 58211, 'anxiously worry where': 78888, 'worry where our': 1010802, 'where our next': 985084, 'our next meal': 624059, 'next meal will': 561443, 'meal will come': 524306, 'will come from': 992966, 'cloth': 184075, 'setting': 753617, 'the cdc': 850562, 'cdc continues': 168550, 'study the': 814968, 'they recommend': 883172, 'recommend people': 704703, 'people wear': 650167, 'wear cloth': 974305, 'cloth face': 184082, 'face covering': 294371, 'covering in': 212472, 'public setting': 688311, 'setting where': 753664, 'where social': 985177, 'measure can': 525152, 'be difficult': 114455, 'maintain remember': 509024, 'remember this': 710343, 'not replace': 571315, 'the cdc continues': 850565, 'cdc continues to': 168551, 'continues to study': 201501, 'to study the': 915704, 'study the spread': 814970, '19 they recommend': 11315, 'they recommend people': 883173, 'recommend people wear': 704704, 'people wear cloth': 650168, 'wear cloth face': 974306, 'cloth face covering': 184084, 'face covering in': 294374, 'covering in public': 212473, 'in public setting': 427098, 'public setting where': 688312, 'setting where social': 753667, 'where social distancing': 985178, 'distancing measure can': 247320, 'measure can be': 525153, 'can be difficult': 157612, 'be difficult to': 114459, 'difficult to maintain': 242339, 'to maintain remember': 909591, 'maintain remember this': 509025, 'remember this doe': 710345, 'doe not replace': 251524, 'not replace the': 571317, 'replace the importance': 711587, 'importance of social': 418712, 'upstream': 947876, 'foodservice': 318089, 'gimmick': 350159, 'sweat': 830055, 'how upstream': 409127, 'upstream food': 947883, 'food processor': 315994, 'processor cope': 680068, 'with reduced': 1000431, 'reduced staff': 706172, 'staff during': 792392, '19 switch': 11006, 'switch capacity': 830473, 'capacity from': 162526, 'from foodservice': 335520, 'foodservice to': 318112, 'food retail': 316202, 'retail good': 718148, 'good old': 357488, 'old supplychain': 598489, 'supplychain operation': 826209, 'operation management': 613227, 'management 101': 512520, '101 and': 2217, 'capacity management': 162545, 'management no': 512597, 'no gimmick': 564347, 'gimmick no': 350160, 'panic no': 638343, 'no sweat': 565647, 'sweat logistics': 830056, 'logistics rule': 500790, 'how upstream food': 409128, 'upstream food processor': 947884, 'food processor cope': 315997, 'processor cope with': 680069, 'cope with reduced': 203353, 'with reduced staff': 1000435, 'reduced staff during': 706173, 'staff during covid': 792395, 'covid 19 switch': 213903, '19 switch capacity': 11008, 'switch capacity from': 830474, 'capacity from foodservice': 162527, 'from foodservice to': 335522, 'foodservice to food': 318113, 'to food retail': 906090, 'food retail good': 316205, 'retail good old': 718149, 'good old supplychain': 357493, 'old supplychain operation': 598490, 'supplychain operation management': 826210, 'operation management 101': 613228, 'management 101 and': 512521, '101 and capacity': 2218, 'and capacity management': 59534, 'capacity management no': 162546, 'management no gimmick': 512598, 'no gimmick no': 564348, 'gimmick no panic': 350161, 'no panic no': 565045, 'panic no sweat': 638346, 'no sweat logistics': 565648, 'sweat logistics rule': 830057, 'the notification': 861900, 'turn on the': 935726, 'on the notification': 604253, 'the notification for': 861902, 'yow': 1026938, 'bros': 141017, 'ottawa': 621901, 'ottcity': 621917, 'hey yow': 394564, 'yow found': 1026939, 'found way': 330464, 'get fresh': 347102, 'and fruit': 63366, 'fruit safely': 339133, 'safely vegetable': 730328, 'vegetable produce': 954078, 'produce bros': 680216, 'bros normally': 141020, 'normally sell': 567537, 'sell wholesale': 748946, 'wholesale but': 990422, 'facebook and': 294889, 'and pick': 69007, 'up product': 945847, 'at their': 101160, 'their warehouse': 875150, 'warehouse safer': 966759, 'safer than': 730386, 'socialdistancing ottawa': 780583, 'ottawa ottcity': 621908, 'hey yow found': 394565, 'yow found way': 1026940, 'found way to': 330465, 'to get fresh': 906486, 'get fresh fruit': 347105, 'fruit and fruit': 339059, 'and fruit safely': 63376, 'fruit safely vegetable': 339134, 'safely vegetable produce': 730329, 'vegetable produce bros': 954079, 'produce bros normally': 680217, 'bros normally sell': 141021, 'normally sell wholesale': 567539, 'sell wholesale but': 748947, 'wholesale but now': 990423, 'but now you': 146620, 'now you can': 576501, 'can order on': 159177, 'order on facebook': 618453, 'on facebook and': 600699, 'facebook and pick': 294891, 'and pick up': 69009, 'pick up product': 655752, 'up product at': 945848, 'product at their': 680983, 'at their warehouse': 101179, 'their warehouse safer': 875151, 'warehouse safer than': 966760, 'safer than the': 730390, 'the supermarket 19': 868439, 'supermarket 19 socialdistancing': 818738, '19 socialdistancing ottawa': 10675, 'socialdistancing ottawa ottcity': 780584, 'techtiptuesday': 836409, 'captured': 162953, 'attention': 102422, 'hasn': 378714, 'techtiptuesday covid': 836410, 'ha captured': 370059, 'captured the': 162954, 'world attention': 1009336, 'attention and': 102425, 'that hasn': 844188, 'hasn stopped': 378786, 'stopped scammer': 805747, 'scammer hacker': 740581, 'hacker and': 372760, 'from taking': 337540, 'of one': 587233, 'our basic': 622165, 'human condition': 410458, 'condition fear': 193450, 'fear check': 301087, 'these tip': 880856, 'ftc to': 339455, 'coronavirus related': 206629, 'techtiptuesday covid 19': 836411, '19 ha captured': 7329, 'ha captured the': 370060, 'captured the world': 162955, 'the world attention': 871818, 'world attention and': 1009337, 'attention and that': 102427, 'and that hasn': 73191, 'that hasn stopped': 844192, 'hasn stopped scammer': 378791, 'stopped scammer hacker': 805748, 'scammer hacker and': 740582, 'hacker and others': 372761, 'others from taking': 621425, 'from taking advantage': 337541, 'advantage of one': 33017, 'of one of': 587240, 'one of our': 606759, 'of our basic': 587425, 'our basic human': 622167, 'basic human condition': 111935, 'human condition fear': 410459, 'condition fear check': 193451, 'fear check out': 301088, 'check out these': 174582, 'out these tip': 627537, 'these tip from': 880858, 'tip from the': 898805, 'from the ftc': 337715, 'the ftc to': 855944, 'ftc to avoid': 339456, 'avoid coronavirus related': 105059, 'coronavirus related scam': 206640, 'queued': 694146, 'queued up': 694162, 'not someone': 571649, 'someone else': 784443, 'else but': 271647, 'queued up at': 694163, 'up at supermarket': 944438, 'at supermarket you': 100793, 'supermarket you are': 824186, 'you are the': 1017259, 'are the problem': 90889, 'the problem not': 864520, 'problem not someone': 679615, 'not someone else': 571650, 'someone else but': 784446, 'else but you': 271649, 'scammer take': 740621, 'of confusion': 581668, 'confusion amp': 194375, 'amp stress': 54576, 'scammer take advantage': 740622, 'advantage of confusion': 32993, 'of confusion amp': 581670, 'confusion amp stress': 194376, 'expecting stimulus': 291049, 'check you': 174725, 'might want': 531165, 'to shield': 914404, 'shield it': 758161, 'from payday': 336865, 'expecting stimulus check': 291050, 'stimulus check you': 801528, 'check you might': 174727, 'you might want': 1019857, 'might want to': 531166, 'want to shield': 966115, 'to shield it': 914407, 'shield it from': 758163, 'it from payday': 458157, 'from payday lender': 336866, 'pulse': 688970, 'tamarind': 834092, 'shot': 765408, 'lockdown the': 500005, 'of several': 589541, 'several including': 753865, 'including pulse': 432122, 'pulse amp': 688971, 'amp tamarind': 54619, 'tamarind have': 834093, 'have shot': 382530, 'shot up': 765455, 'up trader': 946479, 'trader said': 928757, 'for increase': 322524, 'increase wa': 433144, 'wa shortage': 963212, 'good due': 356984, 'of proper': 588536, 'proper logistics': 684119, 'logistics quarantinelife': 500787, 'with the covid': 1001251, '19 lockdown the': 8431, 'lockdown the of': 500013, 'the of several': 862056, 'of several including': 589545, 'several including pulse': 753866, 'including pulse amp': 432123, 'pulse amp tamarind': 688972, 'amp tamarind have': 54620, 'tamarind have shot': 834094, 'have shot up': 382531, 'shot up trader': 765458, 'up trader said': 946480, 'trader said the': 928759, 'said the reason': 731449, 'the reason for': 865270, 'reason for increase': 702903, 'for increase wa': 322528, 'increase wa shortage': 433145, 'wa shortage in': 963213, 'shortage in supply': 765022, 'in supply of': 428732, 'supply of good': 825629, 'of good due': 584217, 'good due to': 356985, 'lack of proper': 478650, 'of proper logistics': 588537, 'proper logistics quarantinelife': 684120, 'deuce': 239540, 'buffoon': 141885, 'tp calculator': 927776, 'calculator here': 155334, 'you go': 1018840, 'go gang': 353600, 'gang how': 343398, 'many deuce': 513991, 'deuce can': 239541, 'you drop': 1018361, 'drop per': 260366, 'per roll': 651002, 'roll per': 725475, 'per person': 650970, 'day please': 228223, 'share with': 755350, 'with many': 999378, 'many buffoon': 513837, 'buffoon possible': 141886, 'possible toiletpaper': 665856, 'toiletpaper toiletpaperapocalypse': 922631, 'tp calculator here': 927777, 'calculator here you': 155335, 'here you go': 393856, 'you go gang': 1018851, 'go gang how': 353601, 'gang how many': 343399, 'how many deuce': 408256, 'many deuce can': 513992, 'deuce can you': 239542, 'can you drop': 160296, 'you drop per': 1018367, 'drop per roll': 260367, 'per roll per': 651005, 'roll per person': 725476, 'per person per': 650978, 'person per day': 652576, 'per day please': 650806, 'day please share': 228225, 'please share with': 660501, 'share with many': 755355, 'with many buffoon': 999379, 'many buffoon possible': 513838, 'buffoon possible toiletpaper': 141887, 'possible toiletpaper toiletpaperapocalypse': 665857, 'agar': 37767, 'issey': 455631, 'bachey': 106811, 'rahey': 695574, 'toh': 921105, 'dishwasher': 245527, 'cordless': 203501, 'vaccum': 951803, 'fo': 311799, 'agar hum': 37768, 'hum log': 410386, 'log issey': 500618, 'issey largely': 455632, 'largely bachey': 479837, 'bachey rahey': 106812, 'rahey toh': 695575, 'toh post': 921112, 'post see': 666309, 'see huge': 745262, 'huge demand': 410019, 'for laptop': 322883, 'laptop dishwasher': 479556, 'dishwasher cordless': 245528, 'cordless vaccum': 203502, 'vaccum cleaner': 951804, 'cleaner and': 180742, 'and washing': 75206, 'washing machine': 967696, 'machine also': 507352, 'also big': 47961, 'big freezer': 129793, 'freezer fo': 332602, 'fo stock': 311802, 'agar hum log': 37769, 'hum log issey': 410387, 'log issey largely': 500619, 'issey largely bachey': 455633, 'largely bachey rahey': 479838, 'bachey rahey toh': 106813, 'rahey toh post': 695576, 'toh post see': 921113, 'post see huge': 666310, 'see huge demand': 745263, 'huge demand for': 410020, 'demand for laptop': 235446, 'for laptop dishwasher': 322884, 'laptop dishwasher cordless': 479557, 'dishwasher cordless vaccum': 245529, 'cordless vaccum cleaner': 203503, 'vaccum cleaner and': 951805, 'cleaner and washing': 180749, 'and washing machine': 75209, 'washing machine also': 967697, 'machine also big': 507353, 'also big freezer': 47962, 'big freezer fo': 129794, 'freezer fo stock': 332603, 'fo stock food': 311803, 'stock food supply': 802151, 'plain': 658001, 'scrambled': 742551, 'slice': 773857, 'cheese': 175156, 'cheesy': 175238, 'crisis ve': 218309, 'been reading': 121778, 'reading lot': 700784, 'lot about': 503965, 'egg going': 269874, 'up people': 945754, 'people eating': 647763, 'eating lot': 266251, 'egg those': 270005, 'you that': 1021564, 'are tired': 91097, 'of eating': 582942, 'eating plain': 266286, 'plain old': 658008, 'old scrambled': 598460, 'scrambled egg': 742552, 'egg add': 269747, 'add few': 31431, 'few slice': 304067, 'slice of': 773869, 'of cheese': 581308, 'cheese while': 175227, 'while cooking': 986712, 'cooking them': 202920, 'them have': 875820, 'have cheesy': 379960, 'cheesy scrambled': 175241, 'egg food': 269859, 'food cooking': 314015, 'cooking egg': 202863, 'this crisis ve': 887106, 'crisis ve been': 218310, 've been reading': 952921, 'been reading lot': 121780, 'reading lot about': 700785, 'lot about the': 503969, 'about the demand': 26375, 'for egg going': 320971, 'egg going up': 269875, 'going up people': 355790, 'up people eating': 945758, 'people eating lot': 647765, 'eating lot of': 266253, 'lot of egg': 504181, 'of egg those': 583000, 'egg those of': 270006, 'those of you': 892273, 'of you that': 593424, 'you that are': 1021566, 'that are tired': 842829, 'are tired of': 91098, 'tired of eating': 899042, 'of eating plain': 582944, 'eating plain old': 266287, 'plain old scrambled': 658012, 'old scrambled egg': 598461, 'scrambled egg add': 742553, 'egg add few': 269748, 'add few slice': 31432, 'few slice of': 304068, 'slice of cheese': 773870, 'of cheese while': 581314, 'cheese while cooking': 175228, 'while cooking them': 986713, 'cooking them have': 202921, 'them have cheesy': 875822, 'have cheesy scrambled': 379961, 'cheesy scrambled egg': 175242, 'scrambled egg food': 742555, 'egg food cooking': 269860, 'food cooking egg': 314016, 'design': 238210, 'signmaking': 769659, 'design amp': 238213, 'amp signmaking': 54504, 'signmaking company': 769660, 'company switch': 191140, 'making supermarket': 511366, 'supermarket sneeze': 822723, 'sneeze screen': 776267, 'screen at': 742675, 'at rate': 100254, 'of 800': 579678, '800 per': 22716, 'per week': 651064, 'counter covid': 210203, 'design amp signmaking': 238214, 'amp signmaking company': 54505, 'signmaking company switch': 769661, 'company switch to': 191141, 'to making supermarket': 909780, 'making supermarket sneeze': 511367, 'supermarket sneeze screen': 822724, 'sneeze screen at': 776268, 'screen at rate': 742677, 'at rate of': 100255, 'rate of 800': 697312, 'of 800 per': 579679, '800 per week': 22718, 'per week to': 651076, 'week to counter': 977074, 'to counter covid': 903623, 'counter covid 19': 210204, 'crowding': 219381, 'why don': 990964, 'don we': 254057, 'we make': 972332, 'make most': 510203, 'most grocery': 542356, 'store pickup': 809558, 'pickup only': 655993, 'week would': 977284, 'would reduce': 1012174, 'reduce crowding': 705815, 'crowding panic': 219402, 'buying contamination': 150133, 'contamination strain': 200733, 'strain on': 812287, 'on worker': 605369, 'worker could': 1006702, 'help build': 389440, 'build an': 141945, 'an app': 55352, 'app in': 81720, 'day open': 228165, 'open each': 612202, 'each store': 264279, 'for hr': 322425, 'hr for': 409620, 'senior who': 750440, 'who might': 989283, 'le tech': 483147, 'why don we': 990969, 'don we make': 254060, 'we make most': 972338, 'make most grocery': 510204, 'most grocery store': 542357, 'grocery store pickup': 365660, 'store pickup only': 809560, 'pickup only for': 655994, 'only for the': 610476, 'few week would': 304176, 'week would reduce': 977287, 'would reduce crowding': 1012175, 'reduce crowding panic': 705816, 'crowding panic buying': 219403, 'panic buying contamination': 637683, 'buying contamination strain': 150134, 'contamination strain on': 200734, 'strain on worker': 812295, 'on worker could': 605372, 'worker could help': 1006704, 'could help build': 209279, 'help build an': 389441, 'build an app': 141947, 'an app in': 55355, 'app in day': 81721, 'in day open': 422015, 'day open each': 228166, 'open each store': 612204, 'each store for': 264281, 'store for hr': 807814, 'for hr for': 322427, 'hr for senior': 409622, 'for senior who': 325484, 'senior who might': 750446, 'who might be': 989284, 'might be le': 530909, 'be le tech': 115676, 'le tech savvy': 483148, 'rid': 721385, 'instrument': 440587, 'wealthy': 974192, 'sorry to': 786092, 'we muslim': 972396, 'muslim are': 546414, 'worst human': 1011200, 'human being': 410435, 'being exception': 125118, 'exception apart': 289257, 'apart we': 81364, 'get rid': 347935, 'rid of': 721386, 'of which': 593096, 'which harm': 985910, 'harm 20': 378385, '30 of': 17138, 'but who': 147848, 'the within': 871644, 'within people': 1002410, 'selling medical': 749346, 'medical instrument': 526221, 'instrument on': 440594, 'on double': 600397, 'double price': 256035, 'get wealthy': 348606, 'sorry to say': 786097, 'to say but': 913810, 'say but we': 738473, 'but we muslim': 147752, 'we muslim are': 972397, 'muslim are the': 546415, 'are the worst': 90937, 'the worst human': 872057, 'worst human being': 1011201, 'human being exception': 410441, 'being exception apart': 125119, 'exception apart we': 289258, 'apart we want': 81367, 'we want to': 973750, 'want to get': 966040, 'to get rid': 906578, 'get rid of': 347936, 'rid of which': 721401, 'of which harm': 593102, 'which harm 20': 985911, 'harm 20 30': 378386, '20 30 of': 12902, '30 of people': 17145, 'of people but': 587880, 'people but who': 647325, 'but who will': 147854, 'who will kill': 989991, 'kill the within': 474526, 'the within people': 871645, 'within people are': 1002411, 'people are selling': 647071, 'are selling medical': 89965, 'selling medical instrument': 749347, 'medical instrument on': 526224, 'instrument on double': 440595, 'on double price': 600398, 'double price just': 256038, 'price just to': 674979, 'just to get': 470092, 'to get wealthy': 906641, 'diy hand': 248739, 'sanitizer how': 735096, 'make handsanitizer': 509960, 'handsanitizer at': 376479, 'home prevention': 401886, 'prevention of': 671876, 'diy hand sanitizer': 248740, 'hand sanitizer how': 375445, 'sanitizer how to': 735099, 'to make handsanitizer': 909673, 'make handsanitizer at': 509961, 'handsanitizer at home': 376482, 'at home prevention': 99086, 'home prevention of': 401887, 'wrote': 1013182, 'daily life': 224655, 'is relatively': 451407, 'relatively normal': 708774, 'day leading': 227890, 'leading up': 483783, 'to friday': 906253, 'friday just': 333248, 'the usual': 870582, 'usual thing': 951038, 'to school': 913897, 'school grocery': 741810, 'store doctor': 807339, 'doctor gas': 250925, 'station visit': 796543, 'visit friend': 959258, 'friend etc': 333589, 'etc this': 282821, 'why wrote': 991577, 'wrote the': 1013213, 'post if': 666162, 'have physical': 381928, 'physical socialdistancing': 655458, 'socialdistancing then': 780796, 'can easily': 158179, 'easily happen': 265214, 'anyone 16': 80165, 'daily life is': 224665, 'life is relatively': 488816, 'is relatively normal': 451409, 'relatively normal day': 708775, 'normal day leading': 567132, 'day leading up': 227891, 'leading up to': 483785, 'up to friday': 946380, 'to friday just': 906254, 'friday just did': 333249, 'just did the': 468588, 'did the usual': 240858, 'the usual thing': 870593, 'usual thing we': 951039, 'thing we all': 884957, 'we all do': 970321, 'all do go': 42589, 'go to school': 354353, 'to school grocery': 913900, 'school grocery store': 741811, 'grocery store doctor': 365334, 'store doctor gas': 807340, 'doctor gas station': 250926, 'gas station visit': 344131, 'station visit friend': 796544, 'visit friend etc': 959259, 'friend etc this': 333591, 'etc this is': 282823, 'this is why': 888468, 'is why wrote': 453985, 'why wrote the': 991578, 'wrote the post': 1013215, 'the post if': 864091, 'post if we': 666163, 'if we do': 415276, 'not have physical': 569857, 'have physical socialdistancing': 381929, 'physical socialdistancing then': 655459, 'socialdistancing then it': 780797, 'then it can': 877279, 'it can easily': 457015, 'can easily happen': 158183, 'easily happen to': 265215, 'happen to anyone': 377177, 'to anyone 16': 900617, 'expenditure': 291156, 'arabia cut': 83876, 'cut 2020': 223213, '2020 budget': 14192, 'budget expenditure': 141782, 'expenditure by': 291159, 'tackle lower': 831581, 'saudi arabia cut': 737192, 'arabia cut 2020': 83877, 'cut 2020 budget': 223214, '2020 budget expenditure': 14193, 'budget expenditure by': 141783, 'expenditure by to': 291161, 'by to tackle': 154564, 'to tackle lower': 916131, 'tackle lower oil': 831582, 'promoting': 683835, 'don create': 253446, 'create further': 215649, 'further panic': 342130, 'panic by': 637978, 'by promoting': 153667, 'promoting false': 683838, 'false claim': 297408, 'claim pakistan': 179782, 'pakistan and': 634420, 'have called': 379869, 'called out': 156404, 'out ice': 626350, 'cream and': 215522, 'and cold': 60061, 'food causing': 313892, 'causing chance': 168003, 'please don create': 659910, 'don create further': 253447, 'create further panic': 215650, 'further panic by': 342131, 'panic by promoting': 637986, 'by promoting false': 153668, 'promoting false claim': 683839, 'false claim pakistan': 297411, 'claim pakistan and': 179783, 'pakistan and have': 634421, 'and have called': 64229, 'have called out': 379873, 'called out ice': 156407, 'out ice cream': 626351, 'ice cream and': 412648, 'cream and cold': 215524, 'and cold food': 60062, 'cold food causing': 185758, 'food causing chance': 313893, 'causing chance of': 168004, 'migration': 531243, 'present': 670564, 'unfolds': 941531, 'retailer will': 719426, 'really significant': 702592, 'significant and': 769397, 'and dramatic': 61714, 'dramatic shift': 258303, 'behavior result': 124178, 'crisis migration': 217724, 'migration to': 531248, 'shopping by': 762266, 'consumer could': 196991, 'could present': 209526, 'present the': 670626, 'biggest threat': 130344, 'threat to': 893727, 'to brick': 902016, 'brick and': 139577, 'and mortar': 67240, 'mortar retailing': 541832, 'retailing and': 719472, 'crisis unfolds': 218288, 'retailer will need': 719432, 'respond to really': 715324, 'to really significant': 912867, 'really significant and': 702593, 'significant and dramatic': 769398, 'and dramatic shift': 61716, 'dramatic shift in': 258304, 'consumer behavior result': 196510, 'behavior result of': 124179, '19 crisis migration': 6284, 'crisis migration to': 217725, 'migration to online': 531250, 'online shopping by': 609060, 'shopping by consumer': 762268, 'by consumer could': 152184, 'consumer could present': 196995, 'could present the': 209528, 'present the biggest': 670627, 'the biggest threat': 849683, 'biggest threat to': 130346, 'threat to brick': 893730, 'to brick and': 902017, 'brick and mortar': 139578, 'and mortar retailing': 67248, 'mortar retailing and': 541833, 'retailing and the': 719473, 'and the crisis': 73307, 'the crisis unfolds': 852469, 'more positive': 540097, 'positive about': 665244, 'situation people': 772438, 'people slow': 649479, 'down now': 256991, 'stay away': 796780, 'from each': 335239, 'more positive about': 540098, 'positive about the': 665245, 'about the situation': 26522, 'the situation people': 867272, 'situation people slow': 772441, 'people slow down': 649480, 'slow down now': 774348, 'down now at': 256992, 'store to stay': 810815, 'to stay away': 915273, 'stay away from': 796784, 'away from each': 105876, 'from each other': 335244, 'scrap': 742575, 'here me': 393340, 'me commentary': 522584, 'commentary on': 188483, 'on toilet': 604780, 'paper scrap': 640729, 'scrap cause': 742578, 'cause in': 167607, 'australia we': 103418, 'we think': 973529, 'think it': 885317, 'll save': 496982, 'save from': 737509, 'here me commentary': 393341, 'me commentary on': 522585, 'commentary on toilet': 188484, 'on toilet paper': 604781, 'toilet paper scrap': 921435, 'paper scrap cause': 640730, 'scrap cause in': 742579, 'cause in australia': 167608, 'in australia we': 420622, 'australia we think': 103420, 'we think it': 973532, 'think it ll': 885340, 'it ll save': 459431, 'll save from': 496984, 'save from covid': 737510, 'orange': 617903, 'recipe': 704438, 'glutenfree': 353135, 'paper but': 639962, 'an excess': 55920, 'excess of': 289353, 'of orange': 587323, 'orange got': 617915, 'some and': 782293, 'this here': 887911, 'the recipe': 865345, 'recipe glutenfree': 704473, 'our supermarket ha': 625019, 'supermarket ha no': 820638, 'ha no toilet': 371352, 'toilet paper but': 921212, 'paper but an': 639966, 'but an excess': 145181, 'an excess of': 55922, 'excess of orange': 289357, 'of orange got': 587324, 'orange got some': 617916, 'got some and': 358844, 'some and made': 782296, 'and made this': 66511, 'made this here': 508020, 'this here the': 887916, 'here the recipe': 393664, 'the recipe glutenfree': 865346, 'pakistani': 634526, 'bangladeshi': 109510, 'eatable': 266125, 'halal': 374101, 'culprit': 220245, 'ripping': 722710, 'asian business': 95257, 'business pakistani': 144197, 'pakistani indian': 634527, 'indian amp': 434771, 'amp bangladeshi': 53430, 'bangladeshi raise': 109514, 'of eatable': 582938, 'eatable more': 266126, 'than time': 841335, 'time panic': 897451, 'panic grows': 638152, 'grows over': 367320, 'over coronavirus': 630116, 'coronavirus halal': 206050, 'halal meat': 374109, 'meat shop': 525739, 'shop across': 759797, 'uk the': 938803, 'biggest culprit': 130206, 'culprit ripping': 220250, 'ripping customer': 722711, 'customer off': 222641, 'asian business pakistani': 95258, 'business pakistani indian': 144198, 'pakistani indian amp': 634528, 'indian amp bangladeshi': 434772, 'amp bangladeshi raise': 53431, 'bangladeshi raise price': 109515, 'raise price of': 695922, 'price of eatable': 675440, 'of eatable more': 582939, 'eatable more than': 266127, 'more than time': 540688, 'than time panic': 841336, 'time panic grows': 897453, 'panic grows over': 638153, 'grows over coronavirus': 367321, 'over coronavirus halal': 630119, 'coronavirus halal meat': 206051, 'halal meat shop': 374111, 'meat shop across': 525740, 'shop across the': 759799, 'the uk the': 870289, 'uk the biggest': 938804, 'the biggest culprit': 849649, 'biggest culprit ripping': 130207, 'culprit ripping customer': 220251, 'ripping customer off': 722712, 'confidence index': 193903, 'index drop': 434184, 'to 120': 899471, '120 in': 3013, 'march due': 515348, 'coronavirus although': 205480, 'although beating': 49305, 'beating economist': 118616, 'economist estimate': 267546, 'estimate economy': 282242, 'consumer confidence index': 196906, 'confidence index drop': 193904, 'index drop to': 434185, 'drop to 120': 260419, 'to 120 in': 899473, '120 in march': 3014, 'in march due': 425097, 'march due to': 515350, 'to coronavirus although': 903539, 'coronavirus although beating': 205481, 'although beating economist': 49306, 'beating economist estimate': 118617, 'economist estimate economy': 267547, 'good read': 357620, 'read for': 700336, 'the paranoid': 863275, 'paranoid me': 641451, 'is good read': 448150, 'good read for': 357621, 'read for the': 700338, 'for the paranoid': 326611, 'the paranoid me': 863276, 'india price': 434571, 'fruit increase': 339103, 'city under': 179434, 'lockdown amid': 499126, 'amid 19': 52369, '19 covid': 6181, 'impact on india': 417860, 'on india price': 601552, 'india price of': 434572, 'of vegetable and': 592758, 'vegetable and fruit': 953924, 'and fruit increase': 63373, 'fruit increase in': 339104, 'increase in city': 432823, 'in city under': 421488, 'city under lockdown': 179435, 'under lockdown amid': 940147, 'lockdown amid 19': 499127, 'amid 19 covid': 52370, '19 covid 19': 6182, 'vaka': 951859, 'teamfiji': 835859, 'this lining': 888636, 'lining outside': 493750, 'to vaka': 918106, 'vaka sa': 951860, 'sa fed': 728890, 'fed down': 301805, 'down teamfiji': 257250, 'teamfiji lockdown': 835862, 'this lining outside': 888637, 'lining outside the': 493751, 'supermarket to vaka': 823424, 'to vaka sa': 918107, 'vaka sa fed': 951861, 'sa fed down': 728891, 'fed down teamfiji': 301806, 'down teamfiji lockdown': 257251, 'reposting': 712852, 'bos': 135646, 'booty': 135139, 'reposting the': 712855, 'the bos': 849882, 'bos will': 135712, 'be pleased': 116446, 'pleased with': 660807, 'the booty': 849860, 'booty we': 135150, 'have found': 380695, 'found toiletpaper': 330446, 'reposting the bos': 712856, 'the bos will': 849885, 'bos will be': 135713, 'will be pleased': 992609, 'be pleased with': 116448, 'pleased with the': 660809, 'with the booty': 1001216, 'the booty we': 849862, 'booty we have': 135151, 'we have found': 971820, 'have found toiletpaper': 380709, 'found toiletpaper toiletpapercrisis': 330449, 'covic': 212544, 'gender': 345245, 'economically': 267382, 'covic 19': 212545, 'not gender': 569571, 'gender neutral': 345257, 'neutral amid': 557815, 'buying that': 151149, 'seeing supermarket': 746478, 'shelf stripped': 757610, 'stripped of': 813866, 'item one': 463513, 'one thing': 607214, 'is clear': 446546, 'clear stockpiling': 181331, 'stockpiling is': 803995, 'option for': 614030, 'the economically': 853924, 'economically vulnerable': 267395, 'vulnerable stockpiling': 961179, 'covic 19 is': 212546, 'is not gender': 450091, 'not gender neutral': 569572, 'gender neutral amid': 345258, 'neutral amid the': 557816, 'amid the panic': 52707, 'panic buying that': 637924, 'buying that is': 151153, 'that is seeing': 844649, 'is seeing supermarket': 451721, 'seeing supermarket shelf': 746479, 'supermarket shelf stripped': 822537, 'shelf stripped of': 757614, 'stripped of essential': 813867, 'of essential item': 583175, 'essential item one': 281218, 'item one thing': 463514, 'one thing is': 607223, 'thing is clear': 884464, 'is clear stockpiling': 446550, 'clear stockpiling is': 181332, 'stockpiling is not': 804000, 'is not an': 450032, 'not an option': 568201, 'an option for': 56682, 'option for the': 614039, 'for the economically': 326403, 'the economically vulnerable': 853925, 'economically vulnerable stockpiling': 267397, 'hospitality': 404751, 'nonexistent': 566632, 'trendlines': 931595, 'will last': 993935, 'last at': 480113, 'another month': 77714, 'month and': 537572, 'will fall': 993400, 'into recession': 442932, 'recession retail': 704348, 'and hospitality': 64752, 'hospitality industry': 404779, 'industry will': 436246, 'become almost': 119913, 'almost nonexistent': 46708, 'nonexistent physical': 566635, 'physical shop': 655453, 'shop will': 761049, 'will mostly': 994128, 'mostly close': 542944, 'close and': 182525, 'be online': 116230, 'shopping except': 762602, 'for necessity': 323793, 'necessity those': 554277, 'those are': 891798, 'the trendlines': 869972, 'will last at': 993937, 'last at least': 480114, 'least another month': 484390, 'another month and': 77715, 'month and the': 537583, 'and the world': 73663, 'the world will': 872008, 'world will fall': 1010188, 'will fall into': 993406, 'fall into recession': 296974, 'into recession retail': 442933, 'recession retail and': 704349, 'retail and hospitality': 717827, 'and hospitality industry': 64754, 'hospitality industry will': 404787, 'industry will become': 436248, 'will become almost': 992789, 'become almost nonexistent': 119914, 'almost nonexistent physical': 46709, 'nonexistent physical shop': 566636, 'physical shop will': 655455, 'shop will mostly': 761053, 'will mostly close': 994129, 'mostly close and': 542945, 'close and there': 182543, 'and there will': 73856, 'there will only': 879364, 'only be online': 610153, 'be online shopping': 116233, 'online shopping except': 609116, 'shopping except for': 762603, 'except for necessity': 289165, 'for necessity those': 323796, 'necessity those are': 554278, 'those are the': 891804, 'are the trendlines': 90923, 'theweeklyshop': 881066, 'vulnerablegroups': 961273, 'found this': 330430, 'this photo': 889554, 'of pensioner': 587865, 'pensioner online': 646690, 'online it': 608442, 'really anxious': 701976, 'anxious time': 78870, 'who older': 989368, 'older more': 598624, 'more vulnerable': 540928, 'vulnerable but': 960888, 'here one': 393416, 'their weekly': 875177, 'shop who': 761039, 'who in': 989026, 'in theweeklyshop': 429881, 'theweeklyshop lockdown': 881067, 'lockdown shopping': 499910, 'shopping vulnerablegroups': 764331, 'found this photo': 330438, 'this photo of': 889563, 'photo of pensioner': 655208, 'of pensioner online': 587866, 'pensioner online it': 646691, 'online it really': 608447, 'it really anxious': 460626, 'really anxious time': 701977, 'anxious time for': 78872, 'those who older': 892660, 'who older more': 989369, 'older more vulnerable': 598625, 'more vulnerable but': 540930, 'vulnerable but here': 960889, 'but here one': 145925, 'here one thing': 393418, 'one thing we': 607238, 'can do to': 158124, 'help protect them': 390378, 'protect them their': 685009, 'them their weekly': 876400, 'their weekly shop': 875179, 'weekly shop who': 977561, 'shop who in': 761043, 'who in theweeklyshop': 989029, 'in theweeklyshop lockdown': 429882, 'theweeklyshop lockdown shopping': 881068, 'lockdown shopping vulnerablegroups': 499912, 'ally': 46424, 'stabilize': 791832, 'opec and': 611839, 'and ally': 57922, 'ally agreed': 46427, 'agreed to': 38733, 'record cut': 704928, 'cut of': 223433, 'of almost': 580008, 'almost 10': 46471, 'oil output': 596995, 'output to': 629293, 'to stabilize': 915117, 'stabilize oil': 791849, 'opec and ally': 611840, 'and ally agreed': 57923, 'ally agreed to': 46428, 'agreed to record': 38744, 'to record cut': 912976, 'record cut of': 704930, 'cut of almost': 223435, 'of almost 10': 580009, 'almost 10 million': 46473, '10 million barrel': 1525, 'per day in': 650800, 'day in oil': 227804, 'in oil output': 426086, 'oil output to': 597000, 'output to stabilize': 629297, 'to stabilize oil': 915120, 'stabilize oil price': 791850, 'pandemic and price': 634892, 'and price war': 69485, 'shaping': 754881, 'wearedtb': 974533, 'fightback': 304970, 'more shopping': 540387, 'shopping trend': 764244, 'trend during': 931325, 'virus corona': 958081, 'corona on': 204079, 'how our': 408454, 'our habit': 623339, 'habit are': 372565, 'are changing': 85227, 'changing and': 172641, 'how online': 408441, 'ecommerce is': 266794, 'is playing': 450896, 'playing it': 659417, 'it part': 460264, 'part shaping': 642422, 'shaping the': 754887, 'the present': 864244, 'present and': 670569, 'and immediate': 64990, 'immediate future': 416991, 'future wearedtb': 342518, 'wearedtb fightback': 974534, 'more shopping trend': 540391, 'shopping trend during': 764246, 'trend during the': 931327, 'during the virus': 263214, 'the virus corona': 870817, 'virus corona on': 958084, 'corona on how': 204080, 'on how our': 601415, 'how our habit': 408461, 'our habit are': 623340, 'habit are changing': 372569, 'are changing and': 85228, 'changing and how': 172645, 'and how online': 64829, 'how online ecommerce': 408443, 'online ecommerce is': 608152, 'ecommerce is playing': 266797, 'is playing it': 450897, 'playing it part': 659418, 'it part shaping': 460267, 'part shaping the': 642423, 'shaping the present': 754888, 'the present and': 864245, 'present and immediate': 670571, 'and immediate future': 64993, 'immediate future wearedtb': 416992, 'future wearedtb fightback': 342519, 'berger': 127307, 'spar': 787431, 'wimbledon': 995525, 'sponsorship': 789846, 'inflate': 436983, 'berger spar': 127310, 'spar spar': 787460, 'spar are': 787434, 'are inflating': 87535, 'inflating their': 437130, 'have wimbledon': 383599, 'wimbledon sponsorship': 995526, 'sponsorship to': 789847, 'to future': 906346, 'future uncertain': 342496, 'uncertain go': 939590, 'to they': 917358, 'no excuse': 564161, 'excuse to': 289777, 'to inflate': 908370, 'inflate their': 437000, 'berger spar spar': 127311, 'spar spar are': 787461, 'spar are inflating': 787435, 'are inflating their': 87537, 'inflating their price': 437132, 'their price they': 874429, 'price they do': 676894, 'not have wimbledon': 569891, 'have wimbledon sponsorship': 383600, 'wimbledon sponsorship to': 995527, 'sponsorship to look': 789848, 'to look forward': 909436, 'forward to future': 330026, 'to future uncertain': 906349, 'future uncertain go': 342497, 'uncertain go to': 939591, 'go to they': 354373, 'to they have': 917362, 'they have no': 882346, 'have no excuse': 381624, 'no excuse to': 564166, 'excuse to inflate': 289782, 'to inflate their': 908373, 'inflate their price': 437001, 'shame': 754575, 'greedy selfish': 363589, 'who hoard': 989006, 'themselves shame': 876885, 'shame on': 754618, 'on you': 605407, 'you he': 1019160, 'the death': 852965, 'death of': 230139, 'people like': 648639, 'this lady': 888583, 'lady in': 478776, 'his hand': 397485, 'hand think': 375841, 'others before': 621300, 'before stockpiling': 123104, 'stockpiling reserve': 804057, 'reserve for': 714058, 'for yourself': 328229, 'yourself leave': 1026658, 'leave something': 484937, 'something for': 784906, 'you are one': 1017187, 'of these greedy': 591826, 'these greedy selfish': 880075, 'greedy selfish people': 363593, 'selfish people who': 748218, 'people who hoard': 650308, 'who hoard food': 989007, 'hoard food for': 398788, 'food for themselves': 314579, 'for themselves shame': 326945, 'themselves shame on': 876886, 'shame on you': 754632, 'on you he': 605421, 'you he will': 1019161, 'he will have': 385668, 'will have the': 993677, 'have the death': 382976, 'the death of': 852973, 'death of people': 230143, 'of people like': 587936, 'people like this': 648653, 'like this lady': 491503, 'this lady in': 888587, 'lady in his': 478778, 'in his hand': 423728, 'his hand think': 397493, 'hand think about': 375842, 'about others before': 25878, 'others before stockpiling': 621303, 'before stockpiling reserve': 123105, 'stockpiling reserve for': 804058, 'reserve for yourself': 714061, 'for yourself leave': 328235, 'yourself leave something': 1026661, 'leave something for': 484938, 'something for the': 784910, 'for the elderly': 326406, 'elderly and vulnerable': 270590, 'walsh': 965506, 'boston': 135777, 'walsh please': 965509, 'please do': 659888, 'do something': 250135, 'something about': 784828, 'food basic': 313679, 'necessity in': 554229, 'in boston': 420910, 'boston this': 135805, 'is nut': 450371, 'nut an': 577648, 'essential employee': 280996, 'employee after': 273526, 'long week': 501837, 'week work': 977278, 'work cannot': 1004972, 'even get': 284101, 'get bread': 346711, 'bread or': 138552, 'walsh please do': 965510, 'please do something': 659899, 'do something about': 250136, 'something about panic': 784832, 'buying hoarding of': 150492, 'of food basic': 583654, 'food basic necessity': 313681, 'basic necessity in': 111997, 'necessity in boston': 554230, 'in boston this': 420915, 'boston this is': 135806, 'this is nut': 888337, 'is nut an': 450372, 'nut an essential': 577649, 'an essential employee': 55821, 'essential employee after': 280997, 'employee after long': 273528, 'after long week': 35889, 'long week work': 501838, 'week work cannot': 977279, 'work cannot even': 1004975, 'cannot even get': 161793, 'even get bread': 284103, 'get bread or': 346712, 'dazee': 228916, 'never used': 558253, 'online love': 608510, 'go shopping': 354102, 'shopping time': 764140, 'have certainly': 379923, 'certainly changed': 170142, 'the mom': 860734, 'mom dazee': 535721, 'never used to': 558255, 'used to order': 950074, 'to order online': 911079, 'order online love': 618474, 'online love to': 608512, 'love to go': 504846, 'to go shopping': 906853, 'go shopping time': 354134, 'shopping time have': 764143, 'time have certainly': 896891, 'have certainly changed': 379924, 'certainly changed the': 170143, 'changed the mom': 172568, 'the mom dazee': 860736, 'unprotected': 943253, 'low wage': 505725, 'wage worker': 963998, 'worker such': 1007843, 'such cleaner': 816398, 'cleaner supermarket': 180838, 'and delivery': 61107, 'are among': 84518, 'crisis they': 218210, 'are often': 88687, 'often unprotected': 596293, 'unprotected and': 943254, 'face risk': 294716, 'risk not': 723711, 'only from': 610485, 'new coronavirus': 558541, 'coronavirus but': 205583, 'also from': 48241, 'the economic': 853891, 'of to': 592204, 'sick 19': 768350, 'low wage worker': 505736, 'wage worker such': 964002, 'worker such cleaner': 1007845, 'such cleaner supermarket': 816399, 'cleaner supermarket worker': 180840, 'worker and delivery': 1006285, 'and delivery driver': 61113, 'delivery driver are': 233890, 'driver are among': 259431, 'are among the': 84519, 'among the unsung': 53076, 'unsung hero of': 943558, 'hero of this': 394050, 'of this crisis': 591960, 'this crisis they': 887098, 'crisis they are': 218211, 'they are often': 881346, 'are often unprotected': 88694, 'often unprotected and': 596294, 'unprotected and face': 943255, 'and face risk': 62585, 'face risk not': 294717, 'risk not only': 723713, 'not only from': 570796, 'only from the': 610486, 'from the new': 337803, 'the new coronavirus': 861484, 'new coronavirus but': 558543, 'coronavirus but also': 205584, 'but also from': 145115, 'also from the': 48242, 'from the economic': 337679, 'the economic impact': 853907, 'economic impact of': 267137, 'impact of to': 417807, 'of to get': 592214, 'to get sick': 906590, 'get sick 19': 347987, 'alert scammer': 41499, 'are targeting': 90751, 'targeting senior': 834572, 'citizen during': 178885, 'with and': 997237, 'and scam': 71024, 'scam please': 740303, 'share to': 755301, 'to educate': 904939, 'educate amp': 268749, 'amp help': 53925, 'help senior': 390508, 'citizen stay': 178961, 'consumer alert scammer': 196154, 'alert scammer are': 41500, 'scammer are targeting': 740546, 'are targeting senior': 90752, 'targeting senior citizen': 834574, 'senior citizen during': 750252, 'citizen during this': 178888, 'this pandemic with': 889448, 'pandemic with and': 637024, 'with and scam': 997250, 'and scam please': 71032, 'scam please share': 740306, 'please share to': 660496, 'share to educate': 755304, 'to educate amp': 904940, 'educate amp help': 268750, 'amp help senior': 53927, 'help senior citizen': 390511, 'senior citizen stay': 750255, 'citizen stay safe': 178962, 'ww2': 1013643, 'grandchild': 361883, 'obey': 578378, 'historyinthemaking': 398079, 'period is': 651798, 'our ww2': 625416, 'ww2 moment': 1013651, 'moment your': 536136, 'your grandchild': 1024091, 'grandchild will': 361884, 'will ask': 992311, 'you about': 1016770, 'this did': 887218, 'you hoard': 1019227, 'hoard did': 398776, 'you sell': 1021109, 'sell toiletpaper': 748925, 'toiletpaper for': 921996, 'much money': 545083, 'money did': 536700, 'you obey': 1020169, 'obey the': 578387, 'government did': 360021, 'you help': 1019191, 'need make': 555189, 'sure they': 827733, 'be proud': 116584, 'you historyinthemaking': 1019224, 'the period is': 863565, 'period is our': 651800, 'is our ww2': 450653, 'our ww2 moment': 625417, 'ww2 moment your': 1013652, 'moment your grandchild': 536137, 'your grandchild will': 1024092, 'grandchild will ask': 361885, 'will ask you': 992314, 'ask you about': 95673, 'you about this': 1016775, 'about this did': 26636, 'this did you': 887219, 'did you hoard': 240935, 'you hoard did': 1019228, 'hoard did you': 398777, 'did you sell': 240947, 'you sell toiletpaper': 1021111, 'sell toiletpaper for': 748927, 'toiletpaper for way': 922003, 'for way too': 327653, 'way too much': 970130, 'too much money': 924934, 'much money did': 545084, 'money did you': 536701, 'did you obey': 240941, 'you obey the': 1020170, 'obey the government': 578389, 'the government did': 856525, 'government did you': 360023, 'did you help': 240934, 'you help the': 1019203, 'help the one': 390671, 'the one in': 862205, 'one in need': 606479, 'in need make': 425752, 'need make sure': 555190, 'make sure they': 510534, 'sure they can': 827737, 'they can be': 881615, 'can be proud': 157669, 'be proud of': 116585, 'proud of you': 686041, 'of you historyinthemaking': 593391, 'rice wheat': 721166, 'surge amid': 828120, 'fear covid': 301094, 'lockdown may': 499641, 'may threaten': 521579, 'threaten global': 893753, 'security increased': 744646, 'increased panic': 433398, 'buying of': 150785, 'food due': 314308, 'to price': 912114, 'price spike': 676573, 'spike for': 789280, 'for world': 327966, 'world two': 1010119, 'two staple': 937235, 'staple grain': 793943, 'grain rice': 361796, 'wheat importer': 982990, 'importer rushed': 419207, 'stockpile good': 803752, 'rice wheat price': 721169, 'wheat price surge': 983011, 'price surge amid': 676720, 'surge amid fear': 828122, 'amid fear covid': 52471, 'fear covid 19': 301095, '19 lockdown may': 8402, 'lockdown may threaten': 499644, 'may threaten global': 521580, 'threaten global food': 893754, 'global food security': 351948, 'food security increased': 316355, 'security increased panic': 744647, 'increased panic buying': 433399, 'panic buying of': 637827, 'buying of food': 150792, 'of food due': 583682, 'food due to': 314309, 'to coronavirus lockdown': 903558, 'coronavirus lockdown ha': 206245, 'lockdown ha led': 499451, 'led to price': 485294, 'to price spike': 912127, 'price spike for': 676576, 'spike for world': 789283, 'for world two': 327967, 'world two staple': 1010122, 'two staple grain': 937236, 'staple grain rice': 793945, 'grain rice wheat': 361798, 'rice wheat importer': 721168, 'wheat importer rushed': 982991, 'importer rushed to': 419208, 'rushed to stockpile': 728368, 'to stockpile good': 915472, 'launched': 481961, 'comprehensive': 192619, 'dshcovid19': 261352, 'california ha': 155513, 'ha launched': 371100, 'launched new': 482013, 'new comprehensive': 558504, 'comprehensive user': 192648, 'user friendly': 950282, 'friendly website': 334019, 'increase awareness': 432689, 'awareness of': 105711, '19 visit': 11848, 'state one': 795834, 'one stop': 607109, 'stop website': 805270, 'website for': 975261, 'latest news': 481445, 'news and': 560223, 'and information': 65218, 'information dshcovid19': 437803, 'california ha launched': 155515, 'ha launched new': 371109, 'launched new comprehensive': 482014, 'new comprehensive user': 558506, 'comprehensive user friendly': 192649, 'user friendly website': 950285, 'friendly website to': 334021, 'website to increase': 975445, 'to increase awareness': 908271, 'increase awareness of': 432690, 'awareness of covid': 105713, 'covid 19 visit': 214034, '19 visit the': 11850, 'visit the state': 959397, 'the state one': 867800, 'state one stop': 795835, 'one stop website': 607117, 'stop website for': 805271, 'website for the': 975277, 'the latest news': 859131, 'latest news and': 481451, 'news and information': 560233, 'and information dshcovid19': 65220, 'the status': 867845, 'status of': 796685, 'our operation': 624164, 'operation see': 613253, 'see link': 745361, 'link for': 493828, 'for detail': 320675, 'detail by': 239169, 'by store': 154132, 'on the status': 604382, 'the status of': 867846, 'status of our': 796687, 'of our operation': 587525, 'our operation see': 624167, 'operation see link': 613254, 'see link for': 745363, 'link for detail': 493829, 'for detail by': 320678, 'detail by store': 239170, 'by store location': 154133, '21dayslockdown': 15112, 'bioweapon': 131299, 'hence': 391736, '21dayslockdown in': 15119, 'india is': 434480, 'is definitely': 447081, 'definitely bioweapon': 232313, 'bioweapon of': 131304, 'china for': 176662, 'for 21': 318757, '21 day': 14983, 'day manufacturing': 227962, 'manufacturing in': 513605, 'india no': 434539, 'no crude': 563938, 'oil consumption': 596701, 'consumption hence': 199888, 'hence no': 391751, 'no purchase': 565249, 'purchase of': 689569, 'of crude': 582229, 'oil by': 596661, 'by indian': 152910, 'indian govt': 434841, 'govt no': 361217, 'no benefit': 563687, 'benefit of': 127037, 'of low': 586037, '21dayslockdown in india': 15120, 'in india is': 424043, 'india is definitely': 434484, 'is definitely bioweapon': 447082, 'definitely bioweapon of': 232314, 'bioweapon of china': 131305, 'of china for': 581362, 'china for 21': 176663, 'for 21 day': 318759, '21 day manufacturing': 14993, 'day manufacturing in': 227963, 'manufacturing in india': 513606, 'in india no': 424046, 'india no crude': 434540, 'no crude oil': 563939, 'crude oil consumption': 219553, 'oil consumption hence': 596702, 'consumption hence no': 199889, 'hence no purchase': 391752, 'no purchase of': 565251, 'purchase of crude': 689577, 'of crude oil': 582232, 'crude oil by': 219552, 'oil by indian': 596662, 'by indian govt': 152911, 'indian govt no': 434842, 'govt no benefit': 361218, 'no benefit of': 563688, 'benefit of low': 127045, 'of low crude': 586040, 'low crude price': 505222, 'survey asian': 828819, 'asian consumer': 95264, 'sentiment during': 750919, 'crisis via': 218311, 'survey asian consumer': 828820, 'asian consumer sentiment': 95266, 'consumer sentiment during': 198909, 'sentiment during the': 750922, '19 crisis via': 6343, 'copd': 203290, 'parent can': 641596, 'shop my': 760471, 'mum ha': 545903, 'ha copd': 370245, 'copd and': 203291, 'the prime': 864457, 'prime coronavirus': 678102, 'coronavirus risk': 206681, 'group hate': 366717, 'hate every': 378882, 'every single': 286177, 'single one': 771349, 'you stockpiling': 1021427, 'stockpiling bastard': 803917, 'bastard stopstockpiling': 112506, 'stopstockpiling stoppanicbuying': 805883, 'stoppanicbuying bastard': 805548, 'my parent can': 549689, 'parent can get': 641597, 'can get an': 158399, 'get an online': 346546, 'an online supermarket': 56638, 'online supermarket delivery': 609497, 'supermarket delivery slot': 819932, 'week and they': 975940, 'and they can': 73895, 'they can go': 881633, 'the shop my': 867014, 'shop my mum': 760472, 'my mum ha': 549375, 'mum ha copd': 545904, 'ha copd and': 370246, 'copd and is': 203293, 'and is in': 65408, 'in the prime': 429474, 'the prime coronavirus': 864458, 'prime coronavirus risk': 678103, 'coronavirus risk group': 206682, 'risk group hate': 723592, 'group hate every': 366718, 'hate every single': 378883, 'every single one': 286187, 'single one of': 771351, 'one of you': 606773, 'of you stockpiling': 593423, 'you stockpiling bastard': 1021428, 'stockpiling bastard stopstockpiling': 803918, 'bastard stopstockpiling stoppanicbuying': 112507, 'stopstockpiling stoppanicbuying bastard': 805884, 'bracken': 137510, 'fortunate': 329881, 'many thanks': 514785, 'to at': 900799, 'at for': 98687, 'for covering': 320427, 'covering bracken': 212462, 'bracken kitchen': 137511, 'kitchen during': 475711, 're fortunate': 698705, 'fortunate to': 329901, 'hire 16': 396981, '16 out': 4151, 'work restaurant': 1005661, 'who need': 989306, 'need job': 555120, 'helping meet': 391384, 'growing demand': 367159, 'more meal': 539758, 'many thanks to': 514787, 'thanks to at': 842206, 'to at for': 900803, 'at for covering': 98691, 'for covering bracken': 320428, 'covering bracken kitchen': 212463, 'bracken kitchen during': 137512, 'kitchen during the': 475712, 'crisis we re': 218352, 'we re fortunate': 972879, 're fortunate to': 698707, 'fortunate to hire': 329904, 'to hire 16': 907789, 'hire 16 out': 396982, '16 out of': 4152, 'of work restaurant': 593263, 'work restaurant worker': 1005663, 'restaurant worker who': 716828, 'worker who need': 1008220, 'who need job': 989316, 'need job and': 555121, 'job and are': 465615, 'and are helping': 58320, 'are helping meet': 87099, 'helping meet the': 391385, 'meet the growing': 527600, 'the growing demand': 856878, 'growing demand for': 367164, 'demand for more': 235457, 'for more meal': 323587, 'complacent': 191836, 'ha lesson': 371135, 'lesson to': 486511, 'teach it': 835396, 'about trade': 26774, 'trade china': 928435, 'never about': 557845, 'consumer it': 197953, 'wa always': 961509, 'always about': 49455, 'about profit': 26007, 'profit amp': 682649, 'amp it': 54022, 'it made': 459491, 'made lot': 507820, 'people complacent': 647506, 'ha lesson to': 371136, 'lesson to teach': 486514, 'to teach it': 916312, 'teach it about': 835397, 'it about trade': 456242, 'about trade china': 26775, 'trade china wa': 928436, 'china wa never': 177044, 'wa never about': 962699, 'never about the': 557847, 'about the consumer': 26357, 'the consumer it': 851553, 'consumer it wa': 197964, 'it wa always': 462062, 'wa always about': 961510, 'always about profit': 49457, 'about profit amp': 26009, 'profit amp it': 682650, 'amp it made': 54025, 'it made lot': 459492, 'made lot of': 507821, 'of people complacent': 587888, 'storage': 805948, 'depleted': 237407, 'cold meat': 185775, 'meat storage': 525757, 'storage ha': 805967, 'been depleted': 120951, 'depleted due': 237410, 'to surge': 915999, 'cold meat storage': 185776, 'meat storage ha': 525758, 'storage ha been': 805968, 'ha been depleted': 369772, 'been depleted due': 120952, 'depleted due to': 237411, 'due to surge': 261985, 'to surge in': 916002, 'surge in consumer': 828184, 'consumer buying due': 196703, 'factbox': 295849, 'bankruptcy': 110502, 'america march': 51606, '26 factbox': 16161, 'factbox price': 295854, 'fall spread': 297068, 'spread reduces': 790768, 'reduces travel': 706256, 'travel more': 930430, 'more mine': 539778, 'mine closure': 532883, 'closure bankruptcy': 183856, 'bankruptcy to': 110544, 'come podcast': 187483, 'podcast amp': 662253, 'amp the': 54642, 'power market': 667639, 'america march 26': 51607, 'march 26 factbox': 515214, '26 factbox price': 16162, 'factbox price fall': 295855, 'price fall spread': 673799, 'fall spread reduces': 297069, 'spread reduces travel': 790769, 'reduces travel more': 706257, 'travel more mine': 930432, 'more mine closure': 539779, 'mine closure bankruptcy': 532884, 'closure bankruptcy to': 183857, 'bankruptcy to come': 110545, 'to come podcast': 903043, 'come podcast amp': 187484, 'podcast amp the': 662254, 'amp the power': 54665, 'the power market': 864153, 'cm': 184615, 'naveen': 553051, 'lockdown odisha': 499710, 'odisha supply': 579251, 'supply minister': 825561, 'minister urge': 533479, 'urge cm': 948169, 'cm naveen': 184622, 'naveen to': 553052, 'ass food': 96250, 'stock procurement': 802767, '19 lockdown odisha': 8409, 'lockdown odisha supply': 499711, 'odisha supply minister': 579252, 'supply minister urge': 825562, 'minister urge cm': 533480, 'urge cm naveen': 948170, 'cm naveen to': 184623, 'naveen to ass': 553053, 'to ass food': 900771, 'ass food stock': 96251, 'food stock procurement': 316807, 'luzon': 506997, 'enhanced': 277086, 'los': 503356, 'ba': 106522, 'laguna': 478973, 'barely': 110995, 'day one': 228151, 'the luzon': 859838, 'luzon wide': 507007, 'wide enhanced': 991714, 'enhanced community': 277091, 'community quarantine': 190049, 'quarantine to': 692636, '19 crowd': 6361, 'of 10': 579301, '10 30am': 1269, '30am at': 17408, 'in los': 424923, 'los ba': 503375, 'ba laguna': 106527, 'laguna shopper': 478976, 'shopper barely': 761417, 'barely observe': 111026, 'distancing they': 247543, 'on supply': 603814, 'day one of': 228154, 'of the luzon': 591208, 'the luzon wide': 859839, 'luzon wide enhanced': 507008, 'wide enhanced community': 991715, 'enhanced community quarantine': 277092, 'community quarantine to': 190055, 'quarantine to prevent': 692639, 'covid 19 crowd': 212891, '19 crowd of': 6363, 'crowd of 10': 219214, 'of 10 30am': 579302, '10 30am at': 1270, '30am at supermarket': 17409, 'supermarket in los': 820925, 'in los ba': 424925, 'los ba laguna': 503376, 'ba laguna shopper': 106529, 'laguna shopper barely': 478977, 'shopper barely observe': 761418, 'barely observe social': 111027, 'social distancing they': 779741, 'distancing they stock': 247545, 'up on supply': 945624, 'zurfi': 1027910, 'appoint': 82642, 'deeply': 231982, 'fractured': 330875, 'parliament': 642152, 'discontent': 244423, 'succeed': 816162, 'zurfi now': 1027911, 'ha until': 372399, 'until 16': 943640, '16 april': 4095, 'april to': 83705, 'to appoint': 900662, 'appoint all': 82643, 'all 22': 41897, '22 minister': 15229, 'minister sell': 533458, 'to iraq': 908507, 'iraq deeply': 444761, 'deeply fractured': 231993, 'fractured parliament': 330880, 'parliament against': 642153, 'the backdrop': 849156, 'backdrop of': 107518, 'crisis plummeting': 217881, 'plummeting oil': 661385, 'social discontent': 779488, 'discontent will': 244424, 'will he': 993688, 'he succeed': 385489, 'succeed read': 816167, 'more by': 538748, 'zurfi now ha': 1027912, 'now ha until': 574850, 'ha until 16': 372400, 'until 16 april': 943641, '16 april to': 4096, 'april to appoint': 83706, 'to appoint all': 900663, 'appoint all 22': 82644, 'all 22 minister': 41898, '22 minister sell': 15230, 'minister sell them': 533459, 'sell them to': 748910, 'them to iraq': 876481, 'to iraq deeply': 908509, 'iraq deeply fractured': 444762, 'deeply fractured parliament': 231994, 'fractured parliament against': 330881, 'parliament against the': 642154, 'against the backdrop': 37643, 'the backdrop of': 849157, 'backdrop of the': 107520, 'of the crisis': 590911, 'the crisis plummeting': 852430, 'crisis plummeting oil': 217882, 'plummeting oil price': 661386, 'price and social': 672544, 'and social discontent': 71883, 'social discontent will': 779489, 'discontent will he': 244425, 'will he succeed': 993689, 'he succeed read': 385490, 'succeed read more': 816168, 'read more by': 700424, 'emt': 275336, 'let thank': 487109, 'thank the': 841636, 'supermarket store': 823000, 'restaurant employee': 716440, 'employee that': 274286, 'that stayed': 846469, 'stayed open': 797868, 'feed everyone': 302304, 'everyone let': 287154, 'doctor emt': 250901, 'emt nurse': 275339, 'nurse that': 577502, 'save people': 737619, 'let thank the': 487111, 'thank the supermarket': 841648, 'the supermarket store': 868832, 'supermarket store restaurant': 823010, 'store restaurant employee': 809843, 'restaurant employee that': 716444, 'employee that stayed': 274290, 'that stayed open': 846470, 'stayed open to': 797870, 'open to feed': 612595, 'to feed everyone': 905721, 'feed everyone let': 302306, 'everyone let thank': 287156, 'thank the doctor': 841638, 'the doctor emt': 853462, 'doctor emt nurse': 250902, 'emt nurse that': 275340, 'nurse that are': 577503, 'that are risking': 842808, 'life to save': 489138, 'to save people': 913789, 'journey': 467465, 'kfc': 473625, 'lockdown except': 499357, 'for journey': 322779, 'journey to': 467486, 'to kfc': 908904, 'kfc every': 473626, 'every supermarket': 286237, 'supermarket petrol': 821968, 'station people': 796487, 'home going': 401305, 'on run': 603233, 'run with': 727865, 'family going': 297850, 'to park': 911464, 'park some': 641980, 'food place': 315852, 'and off': 67962, 'off license': 593950, 'license but': 488128, 'it lockdown': 459446, 'lockdown remember': 499853, 'remember 19': 710153, 'on lockdown except': 601912, 'lockdown except for': 499358, 'except for journey': 289163, 'for journey to': 322780, 'journey to kfc': 467488, 'to kfc every': 908905, 'kfc every supermarket': 473627, 'every supermarket petrol': 286264, 'supermarket petrol station': 821970, 'petrol station people': 653797, 'station people that': 796488, 'people that can': 649754, 'that can work': 843127, 'can work from': 160247, 'from home going': 335864, 'home going out': 401306, 'going out on': 355384, 'out on run': 626916, 'on run with': 603234, 'run with my': 727866, 'with my family': 999622, 'my family going': 548201, 'family going to': 297851, 'going to park': 355666, 'to park some': 911467, 'park some food': 641981, 'some food place': 782868, 'food place and': 315853, 'place and off': 657318, 'and off license': 67966, 'off license but': 593951, 'license but it': 488129, 'but it lockdown': 146134, 'it lockdown remember': 459447, 'lockdown remember 19': 499854, 'government check': 359975, 'check scam': 174608, 'outbreak the': 628701, 'the detail': 853203, 'detail of': 239220, 'of such': 590361, 'such program': 816700, 'program are': 683208, 'being worked': 126067, 'worked out': 1006132, 'out but': 625784, 'few really': 304033, 'really important': 702325, 'important thing': 419027, 'know now': 476631, 'please be aware': 659695, 'aware of government': 105634, 'of government check': 584270, 'government check scam': 359978, 'check scam related': 174610, 'the outbreak the': 862708, 'outbreak the detail': 628709, 'the detail of': 853207, 'detail of such': 239223, 'of such program': 590367, 'such program are': 816701, 'program are being': 683209, 'are being worked': 84943, 'being worked out': 126068, 'worked out but': 1006133, 'out but there': 625801, 'there are few': 878106, 'are few really': 86535, 'few really important': 304034, 'really important thing': 702328, 'important thing to': 419032, 'thing to know': 884895, 'to know now': 908986, 'spamming': 787398, 'faceless': 295057, 'buddy': 141733, 'any news': 79512, 'news on': 560659, 'on when': 605261, 'the ceo': 850610, 'every big': 285684, 'big company': 129707, 'that ever': 843746, 'ever had': 285338, 'had my': 373316, 'my email': 548082, 'email address': 272098, 'address will': 32066, 'will stop': 994994, 'stop spamming': 805043, 'spamming me': 787399, 'with cv19': 997911, 'cv19 shit': 223862, 'shit dear': 759088, 'dear faceless': 229785, 'faceless consumer': 295058, 'consumer these': 199276, 'the step': 867876, 'step that': 799628, 'that fuck': 843964, 'just do': 468612, 'not come': 568792, 'my fucking': 548467, 'fucking house': 339903, 'house buddy': 406219, 'buddy covid': 141736, 'there any news': 878023, 'any news on': 79513, 'news on when': 560670, 'on when the': 605263, 'when the ceo': 984133, 'the ceo of': 850615, 'ceo of every': 169777, 'of every big': 583235, 'every big company': 285685, 'big company that': 129708, 'company that ever': 191170, 'that ever had': 843748, 'ever had my': 285341, 'had my email': 373318, 'my email address': 548083, 'email address will': 272105, 'address will stop': 32067, 'will stop spamming': 995002, 'stop spamming me': 805044, 'spamming me with': 787400, 'me with cv19': 523990, 'with cv19 shit': 997912, 'cv19 shit dear': 223863, 'shit dear faceless': 759089, 'dear faceless consumer': 229786, 'faceless consumer these': 295059, 'consumer these are': 199277, 'these are the': 879638, 'are the step': 90914, 'the step that': 867878, 'step that fuck': 799629, 'that fuck you': 843967, 'fuck you just': 339703, 'you just do': 1019418, 'just do not': 468614, 'do not come': 249700, 'not come to': 568798, 'come to my': 187582, 'to my fucking': 910403, 'my fucking house': 548469, 'fucking house buddy': 339904, 'house buddy covid': 406220, 'buddy covid 19': 141737, 'compensate': 191527, 'close their': 182850, 'biggest concern': 130199, 'concern is': 193003, 'to compensate': 903114, 'compensate for': 191529, 'for lost': 323111, 'lost in': 503864, 'store revenue': 809888, 'revenue is': 720444, 'offering 90': 595006, 'day free': 227648, 'free trial': 332273, 'trial good': 931644, 'good resource': 357656, 'resource if': 714816, 'move your': 543790, 'your retail': 1025605, 'store online': 809227, 'retailer are forced': 718999, 'to close their': 902902, 'close their door': 182852, 'their door to': 873078, 'door to combat': 255749, 'combat the biggest': 187046, 'the biggest concern': 849646, 'biggest concern is': 130200, 'concern is how': 193006, 'is how to': 448601, 'how to compensate': 408996, 'to compensate for': 903115, 'compensate for lost': 191531, 'for lost in': 323113, 'lost in store': 503866, 'in store revenue': 428449, 'store revenue is': 809889, 'revenue is offering': 720447, 'is offering 90': 450415, 'offering 90 day': 595007, '90 day free': 23285, 'day free trial': 227650, 'free trial good': 332277, 'trial good resource': 931645, 'good resource if': 357658, 'resource if you': 714817, 'if you need': 415481, 'need to move': 555996, 'to move your': 910324, 'move your retail': 543791, 'your retail store': 1025610, 'retail store online': 718672, 'independent': 434080, 'local independent': 498112, 'independent retailer': 434132, 'dying out': 263853, 'do they': 250296, 'crisis put': 217924, 'use them': 949704, 'them even': 875661, 'even le': 284285, 'le after': 482840, 'over coronacrisis': 630115, 'local independent retailer': 498117, 'independent retailer are': 434133, 'retailer are dying': 718994, 'are dying out': 86051, 'dying out and': 263854, 'out and what': 625709, 'and what do': 75460, 'what do they': 981352, 'do they all': 250298, 'they all do': 881113, 'all do in': 42590, 'do in crisis': 249423, 'in crisis put': 421891, 'crisis put their': 217926, 'put their price': 690884, 'their price up': 874433, 'price up people': 677251, 'up people will': 945761, 'people will use': 650420, 'will use them': 995289, 'use them even': 949708, 'them even le': 875663, 'even le after': 284286, 'le after this': 482841, 'after this is': 36406, 'is over coronacrisis': 450693, 'tenant': 837820, 'is govt': 448172, 'not speaking': 571667, 'speaking to': 787770, 'top commercial': 925546, 'commercial realestate': 188727, 'realestate owner': 701505, 'owner to': 632582, 'to defer': 904061, 'defer the': 232172, 'rent for': 711087, 'and go': 63765, 'for total': 327289, 'total shut': 926242, 'down not': 256988, 'only are': 610109, 'are these': 90968, 'people forcing': 647967, 'forcing the': 328737, 'retail tenant': 718770, 'tenant to': 837859, 'pay rent': 645078, 'rent but': 711060, 'but putting': 146870, 'putting the': 691229, 'and client': 59984, 'client at': 182009, 'why is govt': 991107, 'is govt not': 448173, 'govt not speaking': 361222, 'not speaking to': 571668, 'speaking to top': 787775, 'to top commercial': 917635, 'top commercial realestate': 925547, 'commercial realestate owner': 188728, 'realestate owner to': 701506, 'owner to defer': 632584, 'to defer the': 904062, 'defer the rent': 232174, 'the rent for': 865512, 'rent for few': 711089, 'for few month': 321457, 'few month and': 303924, 'month and go': 537576, 'and go for': 63774, 'go for total': 353576, 'for total shut': 327291, 'total shut down': 926243, 'shut down not': 767838, 'down not only': 256989, 'not only are': 570778, 'only are these': 610114, 'are these people': 90978, 'these people forcing': 880437, 'people forcing the': 647968, 'forcing the retail': 328740, 'the retail tenant': 865732, 'retail tenant to': 718772, 'tenant to pay': 837860, 'to pay rent': 911553, 'pay rent but': 645082, 'rent but putting': 711061, 'but putting the': 146871, 'putting the life': 691232, 'life of all': 488917, 'of all store': 579979, 'all store owner': 44502, 'store owner and': 809423, 'owner and client': 632373, 'and client at': 59986, 'wasl': 967946, 'instruct': 440515, 'shebuildspeace': 756501, 'nigeria wasl': 562814, 'wasl partner': 967947, 'partner is': 642839, 'with small': 1000764, 'small group': 774976, 'of survivor': 590538, 'survivor in': 829394, 'her community': 391955, 'to instruct': 908426, 'instruct people': 440518, 'people on': 648950, 'using hand': 950506, 'sanitizer often': 735447, 'often and': 596156, 'and wearing': 75357, 'public to': 688370, 'of shebuildspeace': 589572, 'response to in': 715854, 'to in nigeria': 908229, 'in nigeria wasl': 425888, 'nigeria wasl partner': 562815, 'wasl partner is': 967948, 'partner is working': 642844, 'is working with': 454055, 'working with small': 1009068, 'with small group': 1000767, 'small group of': 774977, 'group of survivor': 366803, 'of survivor in': 590539, 'survivor in her': 829395, 'in her community': 423654, 'her community to': 391956, 'community to instruct': 190175, 'to instruct people': 908427, 'instruct people on': 440519, 'people on the': 648973, 'on the importance': 604173, 'importance of using': 418718, 'of using hand': 592720, 'using hand sanitizer': 950507, 'hand sanitizer often': 375511, 'sanitizer often and': 735448, 'often and wearing': 596159, 'and wearing face': 75359, 'face mask in': 294552, 'in public to': 427104, 'public to prevent': 688377, 'spread of shebuildspeace': 790707, 'shocking': 759591, 'lockdownhouseparty': 500292, 'wa shocking': 963194, 'shocking to': 759630, 'sick people': 768576, 'in different': 422250, 'different aisle': 241888, 'aisle guy': 40264, 'guy stay': 369150, 'get someone': 348079, 'you lockdownhouseparty': 1019686, 'lockdownhouseparty chinaliedandpeopledied': 500293, 'the supermarket for': 868598, 'supermarket for the': 820423, 'in week it': 430756, 'week it wa': 976440, 'it wa shocking': 462190, 'wa shocking to': 963196, 'shocking to see': 759631, 'see the amount': 745809, 'amount of sick': 53256, 'of sick people': 589711, 'sick people shopping': 768583, 'shopping in different': 762960, 'in different aisle': 422251, 'different aisle guy': 241889, 'aisle guy stay': 40265, 'guy stay home': 369151, 'home and get': 400643, 'and get someone': 63602, 'get someone you': 348082, 'someone you shop': 784808, 'shop for you': 760213, 'for you lockdownhouseparty': 328075, 'you lockdownhouseparty chinaliedandpeopledied': 1019687, 'pretend': 671312, 'ssn': 791662, 'suspended': 829599, 'even during': 284021, 'pandemic scammer': 636405, 'scammer will': 740656, 'will pretend': 994440, 'pretend to': 671322, 'the social': 867408, 'social security': 779939, 'security administration': 744527, 'administration and': 32448, 'your ssn': 1025896, 'ssn or': 791667, 'or money': 616151, 'money remember': 536995, 'remember your': 710437, 'ssn is': 791665, 'be suspended': 117492, 'suspended here': 829618, 'should know': 766175, 'about social': 26211, 'security scam': 744739, 'even during the': 284029, 'the pandemic scammer': 863087, 'pandemic scammer will': 636406, 'scammer will pretend': 740658, 'will pretend to': 994441, 'pretend to be': 671323, 'to be the': 901586, 'be the social': 117658, 'the social security': 867418, 'social security administration': 779940, 'security administration and': 744528, 'administration and try': 32451, 'and try to': 74510, 'try to get': 934628, 'get your ssn': 348737, 'your ssn or': 1025899, 'ssn or money': 791668, 'or money remember': 616155, 'money remember your': 536996, 'remember your ssn': 710440, 'your ssn is': 1025898, 'ssn is not': 791666, 'is not about': 450022, 'not about to': 568017, 'to be suspended': 901577, 'be suspended here': 117494, 'suspended here what': 829619, 'here what you': 393826, 'what you should': 982692, 'you should know': 1021201, 'should know about': 766176, 'know about social': 476222, 'about social security': 26214, 'social security scam': 779951, 'consecutive': 194812, 'dontbeaspreader': 255339, 'far ve': 298960, 've isolated': 953284, 'isolated for': 454994, 'for consecutive': 320230, 'consecutive day': 194816, 'day before': 227364, 'before that': 123132, 'local pharmacy': 498272, 'pharmacy who': 654557, 'who only': 989377, 'only admit': 610037, 'admit customer': 32592, 'customer at': 222141, 'once to': 605764, 'minimise spreading': 533083, 'spreading my': 791003, 'few essential': 303818, 'essential some': 281570, 'food please': 315861, 'home folk': 401203, 'folk dontbeaspreader': 312147, 'dontbeaspreader nhsheroes': 255342, 'so far ve': 777064, 'far ve isolated': 298962, 've isolated for': 953285, 'isolated for consecutive': 454995, 'for consecutive day': 320231, 'consecutive day before': 194817, 'day before that': 227372, 'before that just': 123135, 'that just went': 844798, 'went to my': 979177, 'to my local': 910416, 'my local pharmacy': 549131, 'local pharmacy who': 498277, 'pharmacy who only': 654559, 'who only admit': 989378, 'only admit customer': 610038, 'admit customer at': 32593, 'customer at once': 222144, 'at once to': 99963, 'once to minimise': 605767, 'to minimise spreading': 910153, 'minimise spreading my': 533084, 'spreading my local': 791004, 'supermarket for few': 820395, 'for few essential': 321452, 'few essential some': 303821, 'essential some food': 281571, 'some food please': 782869, 'food please stay': 315869, 'stay home folk': 796963, 'home folk dontbeaspreader': 401204, 'folk dontbeaspreader nhsheroes': 312148, 'owns': 632628, 'charmin': 173790, 'perform': 651409, 'pg': 653937, 'financialcrisis': 306639, 'guess who': 368093, 'who owns': 989399, 'owns charmin': 632629, 'charmin toiletpaper': 173808, 'they aren': 881468, 'aren doing': 92382, 'to bad': 900983, 'bad right': 107999, 'now hell': 574917, 'hell do': 388999, 'they ever': 882058, 'ever perform': 285447, 'perform bad': 651410, 'bad in': 107898, 'financial crisis': 306365, 'crisis pg': 217870, 'pg toiletpapercrisis': 653953, 'toiletpapercrisis 19': 923002, '19 financialcrisis': 7007, 'guess who owns': 368098, 'who owns charmin': 989400, 'owns charmin toiletpaper': 632630, 'charmin toiletpaper they': 173810, 'toiletpaper they aren': 922608, 'they aren doing': 881476, 'aren doing to': 92383, 'doing to bad': 252786, 'to bad right': 900985, 'bad right now': 108000, 'right now hell': 722078, 'now hell do': 574918, 'hell do not': 389001, 'not think they': 572090, 'think they ever': 885680, 'they ever perform': 882060, 'ever perform bad': 285448, 'perform bad in': 651411, 'bad in financial': 107901, 'in financial crisis': 422888, 'financial crisis pg': 306379, 'crisis pg toiletpapercrisis': 217871, 'pg toiletpapercrisis 19': 653954, 'toiletpapercrisis 19 financialcrisis': 923003, 'pm': 661847, 'bite': 131855, 'pourhouse': 667449, 'grill': 363941, '970': 23689, '669': 21446, '1699': 4258, 'be offering': 116157, 'offering take': 595268, 'out from': 626189, 'from 11': 334170, '11 00': 2429, 'am 30': 49836, '30 pm': 17198, 'pm come': 661880, 'come downtown': 187279, 'downtown for': 257745, 'some shopping': 783856, 'and bite': 58987, 'bite to': 131880, 'at pourhouse': 100165, 'pourhouse bar': 667450, 'bar grill': 110711, 'grill call': 363944, 'call 970': 155736, '970 669': 23694, '669 1699': 21447, '1699 or': 4259, 'or order': 616411, 'of the current': 590920, 'will be offering': 992583, 'be offering take': 116163, 'offering take out': 595269, 'take out from': 832445, 'out from 11': 626190, 'from 11 00': 334171, '11 00 am': 2430, '00 am 30': 52, 'am 30 pm': 49837, '30 pm come': 17199, 'pm come downtown': 661881, 'come downtown for': 187280, 'downtown for some': 257746, 'for some shopping': 325765, 'some shopping and': 783858, 'shopping and bite': 761965, 'and bite to': 58989, 'bite to eat': 131881, 'eat at pourhouse': 265856, 'at pourhouse bar': 100166, 'pourhouse bar grill': 667451, 'bar grill call': 110712, 'grill call 970': 363945, 'call 970 669': 155737, '970 669 1699': 23695, '669 1699 or': 21448, '1699 or order': 4260, 'or order online': 616415, 'resolved': 714644, 'ryanairrefunderror': 728815, 'ryanairrefund': 728813, 'any update': 80002, 'update when': 947317, 'be resolved': 116824, 'resolved ryanairrefunderror': 714648, 'ryanairrefunderror ryanairrefund': 728816, 'ryanairrefund consumer': 728814, 'any update when': 80004, 'update when the': 947318, 'when the issue': 984165, 'issue is going': 455815, 'to be resolved': 901504, 'be resolved ryanairrefunderror': 116825, 'resolved ryanairrefunderror ryanairrefund': 714649, 'ryanairrefunderror ryanairrefund consumer': 728817, 'jello': 465045, 'be careful': 113978, 'careful home': 164402, 'home made': 401562, 'made hand': 507767, 'sanitizer can': 734625, 'can turn': 160066, 'into jello': 442677, 'jello shot': 465046, 'be careful home': 113987, 'careful home made': 164403, 'home made hand': 401567, 'made hand sanitizer': 507768, 'hand sanitizer can': 375334, 'sanitizer can turn': 734630, 'can turn into': 160068, 'turn into jello': 935690, 'into jello shot': 442678, '47': 19248, '47 00': 19249, '00 store': 500, 'store closed': 807055, 'closed in': 183169, 'in about': 419979, 'week over': 976714, '47 00 store': 19250, '00 store closed': 501, 'store closed in': 807063, 'closed in about': 183170, 'in about week': 419984, 'about week over': 26872, 'week over coronavirus': 976716, 'tescon': 838868, 'hit uk': 398496, 'uk very': 938859, 'very hard': 955210, 'hard recent': 378003, 'recent video': 704007, 'video of': 956821, 'of tescon': 590678, 'tescon supermarket': 838869, 'hit uk very': 398497, 'uk very hard': 938860, 'very hard recent': 955214, 'hard recent video': 378004, 'recent video of': 704008, 'video of tescon': 956835, 'of tescon supermarket': 590679, 'tescon supermarket in': 838870, 'supermarket in london': 820924, 'deliberately': 232950, 'damaged': 225248, 'kent': 472815, 'fleet': 310321, 'asap': 94854, 'six of': 772678, 'our ambulance': 622068, 'ambulance were': 51350, 'were deliberately': 979507, 'deliberately damaged': 232961, 'damaged overnight': 225257, 'overnight in': 631337, 'in kent': 424464, 'kent beyond': 472818, 'beyond disappointed': 129157, 'disappointed that': 244117, 'that anyone': 842683, 'anyone would': 80661, 'would do': 1011763, 'this ever': 887455, 'ever let': 285391, 'let alone': 486577, 'alone now': 46893, 'now when': 576391, 'when our': 983824, 'under so': 940253, 'much pressure': 545253, 'pressure well': 671252, 'done to': 255062, 'to fleet': 906009, 'fleet make': 310324, 'make ready': 510386, 'ready team': 700927, 'team for': 835638, 'getting these': 349373, 'these back': 879662, 'road asap': 724415, 'six of our': 772679, 'of our ambulance': 587422, 'our ambulance were': 622069, 'ambulance were deliberately': 51351, 'were deliberately damaged': 979508, 'deliberately damaged overnight': 232962, 'damaged overnight in': 225258, 'overnight in kent': 631338, 'in kent beyond': 424466, 'kent beyond disappointed': 472819, 'beyond disappointed that': 129159, 'disappointed that anyone': 244118, 'that anyone would': 842686, 'anyone would do': 80663, 'would do this': 1011770, 'do this ever': 250350, 'this ever let': 887456, 'ever let alone': 285392, 'let alone now': 486583, 'alone now when': 46895, 'now when our': 576394, 'when our staff': 983828, 'our staff are': 624875, 'staff are under': 792208, 'are under so': 91287, 'under so much': 940255, 'so much pressure': 777803, 'much pressure well': 545255, 'pressure well done': 671253, 'well done to': 978205, 'done to fleet': 255068, 'to fleet make': 906010, 'fleet make ready': 310325, 'make ready team': 510387, 'ready team for': 700928, 'team for getting': 835639, 'for getting these': 321870, 'getting these back': 349374, 'these back on': 879663, 'back on the': 107203, 'the road asap': 865921, 'dedicate': 231683, 'not make': 570490, 'make sense': 510432, 'sense for': 750515, 'supermarket retailer': 822233, 'to dedicate': 904042, 'dedicate some': 231686, 'staff key': 792602, 'worker only': 1007495, 'only and': 610089, 'and deliver': 61075, 'food direct': 314208, 'hospital nh': 404523, 'nh tesco': 562128, 'asda sainsbury': 94971, 'sainsbury morrison': 731700, 'would it not': 1011967, 'it not make': 459894, 'not make sense': 570506, 'make sense for': 510438, 'sense for supermarket': 750520, 'for supermarket retailer': 326019, 'supermarket retailer to': 822238, 'retailer to dedicate': 719378, 'to dedicate some': 904043, 'dedicate some food': 231687, 'some food delivery': 782857, 'delivery for nh': 234027, 'for nh staff': 323864, 'nh staff key': 562095, 'staff key worker': 792603, 'key worker only': 473503, 'worker only and': 1007496, 'only and deliver': 610091, 'and deliver food': 61077, 'deliver food direct': 233121, 'food direct to': 314210, 'direct to the': 243398, 'to the hospital': 916783, 'the hospital nh': 857526, 'hospital nh tesco': 404524, 'nh tesco asda': 562129, 'tesco asda sainsbury': 838672, 'asda sainsbury morrison': 94972, 'sanitizer today': 735958, 'today hard': 919612, 'to believe': 901746, 'believe all': 126238, 'all retailer': 44190, 'of something': 589925, 'so simple': 778220, 'simple to': 770126, 'make and': 509687, 'so vital': 778635, 'vital in': 959696, 'crisis 19': 216952, 'we are making': 970622, 'hand sanitizer today': 375629, 'sanitizer today hard': 735961, 'today hard to': 919613, 'hard to believe': 378052, 'to believe all': 901747, 'believe all retailer': 126239, 'all retailer in': 44191, 'retailer in the': 719206, 'the area are': 848876, 'area are still': 91955, 'are still out': 90460, 'still out of': 801009, 'of stock of': 590179, 'stock of something': 802546, 'of something that': 589929, 'something that is': 785078, 'that is so': 844653, 'is so simple': 452034, 'so simple to': 778222, 'simple to make': 770128, 'to make and': 909622, 'make and so': 509691, 'and so vital': 71854, 'so vital in': 778636, 'vital in this': 959697, 'in this crisis': 429927, 'this crisis 19': 887015, 'contribute': 201862, 'missourian': 534450, 'moleg': 535659, 'the drastic': 853668, 'drastic increase': 258405, 'in unemployment': 430424, 'unemployment caused': 941173, 'will contribute': 993027, 'contribute to': 201877, 'to rising': 913584, 'rising demand': 723192, 'assistance missourian': 96712, 'missourian struggle': 534451, 'make end': 509873, 'end meet': 275872, 'meet learn': 527521, 'what happening': 981549, 'happening and': 377316, 'what moleg': 981874, 'moleg others': 535660, 'others can': 621321, 'the drastic increase': 853670, 'drastic increase in': 258406, 'increase in unemployment': 432877, 'in unemployment caused': 430425, 'unemployment caused by': 941174, 'pandemic will contribute': 637003, 'will contribute to': 993029, 'contribute to rising': 201882, 'to rising demand': 913586, 'rising demand for': 723198, 'food assistance missourian': 313429, 'assistance missourian struggle': 96713, 'missourian struggle to': 534452, 'struggle to make': 814390, 'to make end': 909657, 'make end meet': 509874, 'end meet learn': 275878, 'meet learn more': 527522, 'more about what': 538529, 'about what happening': 26884, 'what happening and': 981551, 'happening and what': 377321, 'and what moleg': 75476, 'what moleg others': 981875, 'moleg others can': 535661, 'others can do': 621322, 'do to respond': 250401, '19 soap': 10661, 'soap maker': 779060, 'maker reduce': 510857, 'increase production': 433018, 'production amid': 681908, 'amid scare': 52640, '19 soap maker': 10662, 'soap maker reduce': 779061, 'maker reduce price': 510859, 'reduce price increase': 705900, 'price increase production': 674783, 'increase production amid': 433019, 'production amid scare': 681910, 'realize': 701835, 'keep adding': 471285, 'adding clothes': 31666, 'clothes to': 184220, 'cart but': 165275, 'but realize': 146895, 'realize that': 701847, 'that don': 843594, 'them because': 875464, 'keep adding clothes': 471286, 'adding clothes to': 31667, 'clothes to my': 184223, 'to my online': 910425, 'shopping cart but': 762297, 'cart but realize': 165276, 'but realize that': 146896, 'realize that don': 701850, 'that don need': 843599, 'don need them': 253772, 'need them because': 555772, 'begun': 123698, 'ha begun': 369992, 'begun france': 123707, 'france supermarket': 331034, 'supermarket lockdown': 821364, 'it ha begun': 458381, 'ha begun france': 369995, 'begun france supermarket': 123708, 'france supermarket lockdown': 331036, 'mitch': 534506, 'zeller': 1027362, 'upholding': 947574, 'scientific': 742160, 'bedrock': 120451, 'principle': 678235, 'fda official': 300890, 'official mitch': 595853, 'mitch zeller': 534512, 'zeller discus': 1027363, 'to quickly': 912675, 'quickly approve': 694466, 'approve treatment': 83119, 'treatment and': 931029, 'and test': 73132, 'while upholding': 987497, 'upholding scientific': 947575, 'scientific standard': 742177, 'standard in': 793671, 'in pandemic': 426455, 'what bedrock': 981090, 'bedrock principle': 120452, 'principle of': 678246, 'protection should': 685611, 'should remain': 766397, 'remain unchanged': 709897, 'unchanged he': 939784, 'he writes': 385704, 'writes fda': 1012838, 'fda official mitch': 300891, 'official mitch zeller': 595854, 'mitch zeller discus': 534513, 'zeller discus the': 1027364, 'discus the need': 244926, 'the need to': 861400, 'need to quickly': 556025, 'to quickly approve': 912678, 'quickly approve treatment': 694467, 'approve treatment and': 83120, 'treatment and test': 931033, 'and test while': 73134, 'test while upholding': 839239, 'while upholding scientific': 987498, 'upholding scientific standard': 947576, 'scientific standard in': 742178, 'standard in pandemic': 793674, 'in pandemic what': 426468, 'pandemic what bedrock': 636969, 'what bedrock principle': 981091, 'bedrock principle of': 120453, 'principle of consumer': 678247, 'of consumer protection': 581762, 'consumer protection should': 198562, 'protection should remain': 685612, 'should remain unchanged': 766401, 'remain unchanged he': 709898, 'unchanged he writes': 939785, 'he writes fda': 385705, 'to only': 910964, 'only shop': 611115, 'shop at': 759937, 'at one': 99965, 'one grocery': 606369, 'first one': 308827, 'give all': 350366, 'their employee': 873130, 'employee temporary': 274272, 'temporary hazard': 837631, 'hazard raise': 384578, 'vow to only': 960697, 'to only shop': 910978, 'only shop at': 611117, 'shop at one': 759952, 'at one grocery': 99968, 'one grocery store': 606370, 'store for life': 807816, 'for life for': 322968, 'the first one': 855331, 'first one that': 308832, 'one that give': 607176, 'that give all': 844010, 'give all their': 350369, 'all their employee': 44997, 'their employee temporary': 873153, 'employee temporary hazard': 274273, 'temporary hazard raise': 837632, 'shuts': 768173, 'economy is': 267985, 'is contracting': 446817, 'contracting at': 201761, 'at crippling': 98365, 'crippling rate': 216942, 'rate country': 697187, 'country shuts': 211054, 'shuts down': 768180, 'down consumer': 256651, 'spending drive': 788786, 'drive 70': 258977, 'economy with': 268362, 'with consumer': 997746, 'consumer at': 196333, 'home spending': 402104, 'is drying': 447397, 'drying up': 261338, 'up industry': 945198, 'industry slow': 436113, 'more and': 538610, 'those consumer': 891888, 'consumer lose': 198074, 'lose their': 503482, 'job it': 465917, 'will slow': 994872, 'slow economy': 774356, 'economy further': 267885, 'economy is contracting': 267996, 'is contracting at': 446818, 'contracting at crippling': 201762, 'at crippling rate': 98366, 'crippling rate country': 216943, 'rate country shuts': 697188, 'country shuts down': 211055, 'shuts down consumer': 768182, 'down consumer spending': 256656, 'consumer spending drive': 199053, 'spending drive 70': 788787, 'drive 70 of': 258978, '70 of american': 21798, 'of american economy': 580059, 'american economy with': 51939, 'economy with consumer': 268364, 'with consumer at': 997748, 'consumer at home': 196336, 'at home spending': 99114, 'home spending is': 402106, 'spending is drying': 788874, 'is drying up': 447398, 'drying up industry': 261341, 'up industry slow': 945199, 'industry slow down': 436114, 'slow down and': 774340, 'down and more': 256503, 'and more and': 67143, 'more and more': 538617, 'and more of': 67195, 'more of those': 539890, 'of those consumer': 592083, 'those consumer lose': 891889, 'consumer lose their': 198075, 'lose their job': 503486, 'their job it': 873719, 'job it will': 465923, 'it will slow': 462438, 'will slow economy': 994873, 'slow economy further': 774358, '5k': 20708, 'behaving': 123822, 'bankruptbritain': 110500, 'question people': 693691, 'people if': 648312, 'if government': 414170, 'gonna pay': 356589, 'pay up': 645207, 'to 5k': 899776, '5k per': 20715, 'per month': 650946, 'month to': 538076, 'for sitting': 325638, 'sitting at': 772096, 'home then': 402250, 'then behaving': 877028, 'behaving rationally': 123842, 'rationally why': 697768, 'would any': 1011522, 'worker petrol': 1007561, 'petrol pump': 653779, 'pump attendant': 689029, 'attendant or': 102357, 'etc turn': 282846, 'turn up': 935801, 'for work': 327916, 'all bankruptbritain': 42115, 'bankruptbritain coronacrisis': 110501, 'question people if': 693692, 'people if government': 648313, 'if government is': 414175, 'government is gonna': 360255, 'is gonna pay': 448132, 'gonna pay up': 356590, 'pay up to': 645208, 'up to 5k': 946342, 'to 5k per': 899777, '5k per month': 20716, 'per month to': 650950, 'month to everyone': 538081, 'to everyone for': 905335, 'everyone for sitting': 286920, 'for sitting at': 325639, 'sitting at home': 772097, 'at home then': 99140, 'home then behaving': 402251, 'then behaving rationally': 877029, 'behaving rationally why': 123844, 'rationally why would': 697769, 'why would any': 991565, 'would any supermarket': 1011523, 'any supermarket worker': 79920, 'supermarket worker petrol': 824068, 'worker petrol pump': 1007562, 'petrol pump attendant': 653780, 'pump attendant or': 689030, 'attendant or delivery': 102358, 'delivery driver etc': 233903, 'driver etc turn': 259537, 'etc turn up': 282847, 'turn up for': 935805, 'up for work': 944976, 'for work at': 327919, 'work at all': 1004858, 'at all bankruptbritain': 97872, 'all bankruptbritain coronacrisis': 42116, 'realigned': 701578, 'inequality': 436339, 'wholesaler and': 990509, 'and supplier': 72767, 'supplier are': 824492, 'avoid wasting': 105387, 'wasting excess': 968305, 'excess inventory': 289345, 'inventory and': 443641, 'management company': 512552, 'are reporting': 89596, 'reporting rise': 712750, 'rise in': 722873, 'in household': 423859, 'household number': 406894, 'number how': 576888, 'can supply': 159851, 'demand be': 235057, 'be realigned': 116706, 'realigned to': 701579, 'reduce waste': 706002, 'waste and': 968068, 'and inequality': 65191, 'wholesaler and supplier': 990511, 'and supplier are': 72768, 'supplier are trying': 824503, 'trying to avoid': 934769, 'to avoid wasting': 900958, 'avoid wasting excess': 105388, 'wasting excess inventory': 968306, 'excess inventory and': 289346, 'inventory and management': 443643, 'and management company': 66623, 'management company are': 512553, 'company are reporting': 190445, 'are reporting rise': 89600, 'reporting rise in': 712751, 'rise in household': 722887, 'in household number': 423862, 'household number how': 406895, 'number how can': 576889, 'how can supply': 407521, 'can supply and': 159852, 'and demand be': 61140, 'demand be realigned': 235058, 'be realigned to': 116707, 'realigned to reduce': 701580, 'to reduce waste': 913050, 'reduce waste and': 706003, 'waste and inequality': 968073, 'zoomed': 1027841, 'wrap': 1012656, 'this pic': 889570, 'pic is': 655606, 'is zoomed': 454184, 'zoomed shot': 1027842, 'shot of': 765429, 'long this': 501746, 'this line': 888632, 'line in': 493190, 'is during': 447412, 'before easter': 122755, 'easter sunday': 265501, 'sunday during': 818192, 'the size': 867293, 'size of': 772783, 'of football': 583849, 'field and': 304452, 'line wrap': 493614, 'wrap through': 1012666, 'least aisle': 484385, 'this pic is': 889572, 'pic is zoomed': 655607, 'is zoomed shot': 454185, 'zoomed shot of': 1027843, 'shot of how': 765431, 'of how long': 584831, 'how long this': 408211, 'long this line': 501749, 'this line in': 888633, 'line in the': 493204, 'in the is': 429294, 'the is during': 858494, 'is during the': 447414, 'during the day': 263114, 'the day before': 852871, 'day before easter': 227367, 'before easter sunday': 122760, 'easter sunday during': 265505, 'sunday during the': 818193, 'pandemic the store': 636704, 'the store is': 868043, 'store is like': 808501, 'is like the': 449333, 'like the size': 491397, 'the size of': 867295, 'size of football': 772788, 'of football field': 583850, 'football field and': 318489, 'field and the': 304454, 'and the line': 73451, 'the line wrap': 859426, 'line wrap through': 493615, 'wrap through at': 1012667, 'through at least': 894342, 'at least aisle': 99461, 'flixton': 310654, 'lovestmichaels': 505037, 'everylittlehelps': 286664, 'ordering your': 619050, 'your shopping': 1025772, 'online whilst': 609726, 'whilst self': 987680, 'isolating you': 455171, 'be raising': 116674, 'raising free': 696084, 'free donation': 331774, 'donation with': 254736, 'with just': 999122, 'just go': 468824, 'to to': 917584, 'get started': 348102, 'started make': 794773, 'make difference': 509829, 'difference flixton': 241836, 'flixton lovestmichaels': 310655, 'lovestmichaels donation': 505038, 'donation everylittlehelps': 254601, 'ordering your shopping': 619051, 'your shopping online': 1025787, 'shopping online whilst': 763508, 'online whilst self': 609727, 'whilst self isolating': 987681, 'self isolating you': 747748, 'isolating you could': 455172, 'you could be': 1018076, 'could be raising': 208911, 'be raising free': 116676, 'raising free donation': 696085, 'free donation with': 331776, 'donation with just': 254737, 'with just go': 999124, 'just go to': 468829, 'go to to': 354376, 'to to get': 917590, 'to get started': 906600, 'get started make': 348105, 'started make difference': 794774, 'make difference flixton': 509831, 'difference flixton lovestmichaels': 241837, 'flixton lovestmichaels donation': 310656, 'lovestmichaels donation everylittlehelps': 505039, 'me something': 523516, 'something after': 784836, 'for special': 325807, 'special supermarket': 788061, 'senior this': 750419, 'happen thanks': 377160, 'thanks publix': 842159, 'tell me something': 837020, 'me something after': 523517, 'something after advocating': 784837, 'advocating for special': 33867, 'for special supermarket': 325811, 'special supermarket shopping': 788065, 'supermarket shopping hour': 822637, 'for senior this': 325481, 'senior this is': 750420, 'to happen thanks': 907161, 'happen thanks publix': 377161, 'thanks publix miami': 842160, 'newsalert': 560994, 'wti': 1013374, 'slumped': 774717, '2003': 13586, 'slash': 773550, 'afp': 34965, 'newsalert the': 561001, 'the benchmark': 849463, 'benchmark west': 126852, 'texas intermediate': 839789, 'intermediate wti': 441708, 'wti oil': 1013399, 'oil slumped': 597439, 'slumped to': 774722, 'lowest level': 506183, 'level since': 487700, 'since 2003': 770441, '2003 to': 13605, 'just above': 468140, 'above 25': 27032, '25 per': 15942, 'barrel the': 111286, 'the slash': 867318, 'slash global': 773565, 'global demand': 351859, 'for crude': 320467, 'crude afp': 219500, 'newsalert the benchmark': 561002, 'the benchmark west': 849465, 'benchmark west texas': 126853, 'west texas intermediate': 980541, 'texas intermediate wti': 839791, 'intermediate wti oil': 441709, 'wti oil slumped': 1013401, 'oil slumped to': 597440, 'slumped to it': 774723, 'to it lowest': 908595, 'it lowest level': 459482, 'lowest level since': 506186, 'level since 2003': 487704, 'since 2003 to': 770448, '2003 to just': 13606, 'to just above': 908720, 'just above 25': 468141, 'above 25 per': 27033, '25 per barrel': 15943, 'per barrel the': 650710, 'barrel the slash': 111291, 'the slash global': 867320, 'slash global demand': 773566, 'global demand for': 351866, 'demand for crude': 235398, 'for crude afp': 320468, 'march 199': 515119, '199 oil': 12470, 'price 14': 672108, '14 40': 3398, '40 up': 18682, 'up from': 944980, 'producer from': 680626, 'from 13': 334188, '13 nation': 3237, 'nation will': 552389, 'will cut': 993082, 'cut world': 223633, 'production at': 681937, 'least in': 484514, 'their latest': 873790, 'latest attempt': 481225, 'boost price': 134994, 'price oil': 675623, 'oil minister': 596955, 'minister from': 533369, 'from five': 335482, 'five nation': 309646, 'nation said': 552301, 'said back': 730988, 'day we': 228670, 'we did': 971289, 'march 199 oil': 515120, '199 oil price': 12471, 'oil price 14': 597026, 'price 14 40': 672109, '14 40 up': 3399, '40 up from': 18683, 'up from the': 944993, 'from the low': 337781, 'the low oil': 859781, 'low oil producer': 505447, 'oil producer from': 597339, 'producer from 13': 680627, 'from 13 nation': 334189, '13 nation will': 3238, 'nation will cut': 552391, 'will cut world': 993089, 'cut world oil': 223634, 'world oil production': 1009862, 'oil production at': 597361, 'production at least': 681939, 'at least in': 99510, 'least in their': 484520, 'in their latest': 429754, 'their latest attempt': 873791, 'latest attempt to': 481226, 'attempt to boost': 102237, 'to boost price': 901926, 'boost price oil': 134995, 'price oil minister': 675627, 'oil minister from': 596956, 'minister from five': 533370, 'from five nation': 335483, 'five nation said': 309647, 'nation said back': 552302, 'said back in': 730989, 'back in the': 107100, 'in the day': 429124, 'the day we': 852923, 'day we did': 228675, 'we did not': 971294, 'did not have': 240716, 'implementing': 418498, '7am': 22401, 'allergic': 45758, 'vertical': 954961, 'got an': 358398, 'an email': 55652, 'are implementing': 87330, 'implementing special': 418521, 'for shopper': 325566, 'shopper 60': 761333, '60 year': 21047, 'old to': 598505, 'help mitigate': 390099, 'mitigate exposure': 534529, '19 6am': 4759, '6am 7am': 21550, '7am day': 22412, 'week allergic': 975878, 'allergic to': 45759, 'to morning': 910272, 'morning can': 541209, 'imagine being': 416693, 'being vertical': 126030, 'vertical at': 954962, 'that hour': 844372, 'hour much': 405769, 'much le': 545036, 'le out': 483057, 'public lol': 688147, 'just got an': 468848, 'got an email': 358400, 'an email from': 55657, 'email from my': 272188, 'from my supermarket': 336529, 'my supermarket that': 550280, 'supermarket that they': 823199, 'they are implementing': 881302, 'are implementing special': 87332, 'implementing special hour': 418522, 'special hour for': 787959, 'hour for shopper': 405619, 'for shopper 60': 325567, 'shopper 60 year': 761334, '60 year old': 21050, 'year old to': 1014872, 'old to help': 598506, 'to help mitigate': 907564, 'help mitigate exposure': 390101, 'mitigate exposure to': 534530, 'exposure to covid': 293008, 'covid 19 6am': 212565, '19 6am 7am': 4760, '6am 7am day': 21551, '7am day week': 22413, 'day week allergic': 228686, 'week allergic to': 975879, 'allergic to morning': 45761, 'to morning can': 910273, 'morning can imagine': 541210, 'can imagine being': 158718, 'imagine being vertical': 416700, 'being vertical at': 126031, 'vertical at that': 954963, 'at that hour': 100854, 'that hour much': 844374, 'hour much le': 405770, 'much le out': 545042, 'le out in': 483058, 'out in public': 626392, 'in public lol': 427087, 'last month': 480325, 'month over': 537941, 'started new': 794784, 'new job': 558985, 'job at': 465671, 'at amazon': 97945, 'amazon we': 51188, 'we couldn': 971222, 'couldn be': 209865, 'more grateful': 539362, 'our team': 625093, 'for serving': 325503, 'serving their': 753222, 'their community': 872822, 'this unprecedented': 890918, 'unprecedented time': 943194, 're creating': 698482, 'creating an': 215975, 'additional 75': 31770, '75 00': 22100, '00 job': 284, 'job to': 466214, 'get item': 347444, 'in the last': 429307, 'the last month': 859023, 'last month over': 480337, 'month over 100': 537942, 'over 100 00': 629763, '100 00 people': 1795, '00 people have': 410, 'people have started': 648198, 'have started new': 382724, 'started new job': 794785, 'new job at': 558987, 'job at amazon': 465672, 'at amazon we': 97954, 'amazon we couldn': 51189, 'we couldn be': 971224, 'couldn be more': 209869, 'be more grateful': 115978, 'more grateful to': 539364, 'grateful to our': 362324, 'to our team': 911248, 'our team for': 625101, 'team for serving': 835641, 'for serving their': 325505, 'serving their community': 753223, 'their community during': 872825, 'community during this': 189828, 'during this unprecedented': 263333, 'this unprecedented time': 890921, 'unprecedented time we': 943206, 'we re creating': 972850, 're creating an': 698483, 'creating an additional': 215976, 'an additional 75': 55110, 'additional 75 00': 31771, '75 00 job': 22101, '00 job to': 287, 'job to help': 466227, 'to help people': 907586, 'help people get': 390295, 'people get item': 648053, 'get item they': 347446, 'item they need': 463725, 'afterglow': 36634, 'fade': 296055, 'stockcrash': 803241, 'europe chemical': 283419, 'chemical price': 175373, 'stock sink': 802855, 'sink stimulus': 771487, 'stimulus afterglow': 801499, 'afterglow fade': 36635, 'fade stockcrash': 296058, 'stockcrash petrochemical': 803242, 'petrochemical chemical': 653672, 'chemical crude': 175345, 'europe chemical price': 283420, 'chemical price stock': 175376, 'price stock sink': 676667, 'stock sink stimulus': 802856, 'sink stimulus afterglow': 771488, 'stimulus afterglow fade': 801500, 'afterglow fade stockcrash': 36636, 'fade stockcrash petrochemical': 296059, 'stockcrash petrochemical chemical': 803243, 'petrochemical chemical crude': 653673, 'seeking': 746639, 'although it': 49327, 'may seem': 521484, 'like job': 490580, 'job opportunity': 466057, 'opportunity are': 613589, 'running thin': 728102, 'thin business': 884051, 'healthcare and': 387023, 'of extra': 583342, 'extra help': 293538, 'support right': 826795, 'people seeking': 649376, 'seeking their': 746655, 'their service': 874654, 'although it may': 49332, 'it may seem': 459554, 'may seem like': 521485, 'seem like job': 746672, 'like job opportunity': 490581, 'job opportunity are': 466059, 'opportunity are running': 613590, 'are running thin': 89774, 'running thin business': 728103, 'thin business in': 884052, 'business in the': 143905, 'in the healthcare': 429262, 'the healthcare and': 857192, 'healthcare and food': 387029, 'and food industry': 63057, 'food industry are': 315006, 'industry are in': 435663, 'need of extra': 555327, 'of extra help': 583345, 'extra help and': 293539, 'help and support': 389359, 'and support right': 72851, 'support right now': 826796, 'right now with': 722188, 'now with the': 576456, 'demand of people': 235953, 'of people seeking': 587979, 'people seeking their': 649378, 'seeking their service': 746656, 'dry': 261236, 'wheezy': 983092, 'commencing': 188362, 'moi': 535589, 'that me': 845099, 'me self': 523431, 'isolating for': 455092, 'day first': 227603, 'one at': 605963, 'at number': 99928, 'number with': 577091, 'with dry': 998148, 'dry cough': 261255, 'cough and': 208445, 'and little': 66237, 'little wheezy': 495648, 'wheezy dont': 983097, 'dont think': 255294, 'be responsible': 116831, 'responsible and': 716001, 'play my': 659195, 'my part': 549708, 'part laptop': 642313, 'laptop on': 479565, 'way soon': 969885, 'soon from': 785711, 'from work': 338401, 'work online': 1005549, 'shopping commencing': 762379, 'commencing for': 188363, 'for moi': 323478, 'moi and': 535590, 'and bit': 58985, 'that me self': 845101, 'me self isolating': 523432, 'self isolating for': 747724, 'isolating for day': 455095, 'for day first': 320569, 'day first one': 227604, 'first one at': 308828, 'one at number': 605968, 'at number with': 99929, 'number with dry': 577092, 'with dry cough': 998149, 'dry cough and': 261256, 'cough and little': 208447, 'and little wheezy': 66245, 'little wheezy dont': 495649, 'wheezy dont think': 983098, 'dont think it': 255296, 'think it is': 885339, 'it is covid': 458916, '19 but need': 5515, 'to be responsible': 901505, 'be responsible and': 116832, 'responsible and play': 716002, 'and play my': 69088, 'play my part': 659196, 'my part laptop': 549710, 'part laptop on': 642314, 'laptop on the': 479566, 'on the way': 604441, 'the way soon': 871187, 'way soon from': 969886, 'soon from work': 785712, 'from work online': 338415, 'work online shopping': 1005552, 'online shopping commencing': 609074, 'shopping commencing for': 762380, 'commencing for moi': 188364, 'for moi and': 323479, 'moi and bit': 535591, 'and bit of': 58986, 'bit of cleaning': 131636, 'hopkins': 403970, 'interactive': 441275, 'dashboard': 226078, 'malicious website': 511720, 'website used': 975462, 'used the': 950012, 'real john': 701239, 'john hopkins': 466534, 'hopkins university': 403971, 'university interactive': 942434, 'interactive dashboard': 441282, 'dashboard of': 226081, 'and death': 60983, 'death to': 230240, 'spread password': 790747, 'password stealing': 643481, 'stealing malware': 799242, 'malware learn': 511900, 'spot malware': 790074, 'malicious website used': 511721, 'website used the': 975463, 'used the real': 950016, 'the real john': 865225, 'real john hopkins': 701240, 'john hopkins university': 466535, 'hopkins university interactive': 403972, 'university interactive dashboard': 942435, 'interactive dashboard of': 441283, 'dashboard of infection': 226082, 'infection and death': 436709, 'and death to': 60992, 'death to spread': 230243, 'to spread password': 915073, 'spread password stealing': 790748, 'password stealing malware': 643482, 'stealing malware learn': 799243, 'malware learn more': 511901, 'to spot malware': 915039, 'consumerist': 199719, 'culture': 220283, 'coronavirus wake': 207038, 'wake up': 964616, 'up call': 944563, 'for global': 321895, 'global consumerist': 351813, 'consumerist culture': 199720, 'culture consumer': 220288, 'coronavirus wake up': 207039, 'wake up call': 964620, 'up call for': 944567, 'call for global': 155869, 'for global consumerist': 321896, 'global consumerist culture': 351814, 'consumerist culture consumer': 199721, 'grocerystores': 366355, 'line if': 493186, 'the money': 860804, 'money do': 536704, 'buy you': 149486, 'you normally': 1020112, 'normally would': 567575, 'would maybe': 1012035, 'maybe stock': 521806, 'for or': 324149, 'or week': 617754, 'week max': 976517, 'max but': 520743, 'also consider': 48054, 'low on': 505452, 'on fund': 601055, 'fund and': 341354, 'food themselves': 317141, 'themselves retail': 876876, 'retail grocerystores': 718164, 'bottom line if': 136410, 'line if you': 493187, 'have the money': 383002, 'the money do': 860809, 'money do not': 536706, 'not worry about': 572564, 'worry about food': 1010637, 'about food buy': 25252, 'food buy you': 313846, 'buy you normally': 149489, 'you normally would': 1020115, 'normally would maybe': 567577, 'would maybe stock': 1012036, 'maybe stock up': 521807, 'up for or': 944952, 'for or week': 324153, 'or week max': 617756, 'week max but': 976518, 'max but also': 520744, 'but also consider': 145103, 'also consider donating': 48055, 'donating to those': 254526, 'who are low': 988171, 'are low on': 87934, 'low on fund': 505459, 'on fund and': 601056, 'fund and cannot': 341355, 'and cannot afford': 59505, 'afford to buy': 34790, 'buy food themselves': 148678, 'food themselves retail': 317142, 'themselves retail grocerystores': 876877, 'bhukari': 129399, 'unlike': 942688, 'hungar': 411044, 'collapsi': 186122, 'bhukari is': 129400, 'not contagious': 568852, 'contagious people': 200443, 'could know': 209368, 'is hungry': 448634, 'hungry or': 411287, 'not unlike': 572335, 'unlike covid': 942699, '19 hungar': 7632, 'hungar dont': 411045, 'dont create': 255202, 'create panic': 215713, 'to others': 911128, 'others hunger': 621464, 'hunger dont': 411096, 'dont push': 255275, 'push other': 690307, 'stock excess': 802099, 'excess food': 289337, 'item hunger': 463333, 'dont give': 255220, 'of collapsi': 581524, 'bhukari is not': 129401, 'is not contagious': 450049, 'not contagious people': 568853, 'contagious people could': 200444, 'people could know': 647560, 'could know if': 209369, 'know if he': 476474, 'if he is': 414218, 'he is hungry': 385129, 'is hungry or': 448635, 'hungry or not': 411288, 'or not unlike': 616318, 'not unlike covid': 572336, 'unlike covid 19': 942700, 'covid 19 hungar': 213236, '19 hungar dont': 7633, 'hungar dont create': 411046, 'dont create panic': 255203, 'create panic to': 215718, 'panic to others': 638721, 'to others hunger': 911135, 'others hunger dont': 621465, 'hunger dont push': 411098, 'dont push other': 255276, 'push other people': 690308, 'other people to': 620692, 'people to stock': 649946, 'to stock excess': 915432, 'stock excess food': 802100, 'excess food item': 289341, 'food item hunger': 315211, 'item hunger dont': 463334, 'hunger dont give': 411097, 'dont give the': 255221, 'give the threat': 350755, 'threat of collapsi': 893688, 'birthday': 131411, 'wth': 1013357, 'zoom': 1027796, 'meeting': 527663, 'celebrate my': 168793, 'my birthday': 547457, 'birthday despite': 131427, 'despite why': 238929, 'my guest': 548591, 'guest asking': 368144, 'asking wth': 96111, 'wth wa': 1013372, 'wa sending': 963162, 'sending them': 750101, 'them the': 876386, 'link to': 493921, 'my zoom': 550677, 'zoom meeting': 1027811, 'decided to celebrate': 230904, 'to celebrate my': 902554, 'celebrate my birthday': 168794, 'my birthday despite': 547458, 'birthday despite why': 131428, 'despite why are': 238930, 'why are all': 990760, 'are all my': 84326, 'all my guest': 43558, 'my guest asking': 548592, 'guest asking wth': 368145, 'asking wth wa': 96112, 'wth wa sending': 1013373, 'wa sending them': 963163, 'sending them the': 750104, 'them the link': 876388, 'the link to': 859445, 'link to my': 493935, 'to my zoom': 910454, 'my zoom meeting': 550678, 'broker': 140931, 'navigating': 553116, 'broker buyer': 140932, 'buyer and': 149554, 'and seller': 71221, 'seller are': 748971, 'all navigating': 43586, 'navigating uncertainty': 553137, 'uncertainty amid': 939643, 'broker buyer and': 140933, 'buyer and seller': 149560, 'and seller are': 71222, 'seller are all': 748972, 'are all navigating': 84327, 'all navigating uncertainty': 43587, 'navigating uncertainty amid': 553138, 'uncertainty amid the': 939645, 'installment': 440050, 'purna': 690068, 'mishra': 534043, 'outline': 629087, 'effectively': 269334, 'latest special': 481552, 'special series': 788049, 'series installment': 751258, 'installment focus': 440051, 'associate ceo': 96852, 'ceo purna': 169814, 'purna mishra': 690069, 'mishra outline': 534048, 'outline key': 629091, 'key recommendation': 473384, 'for these': 326960, 'these critical': 879835, 'critical front': 218566, 'to effectively': 904949, 'effectively and': 269335, 'and safely': 70730, 'safely operate': 730291, 'operate amid': 612974, 'pandemic grocery': 635512, 'supermarket retail': 822230, 'our latest special': 623680, 'latest special series': 481553, 'special series installment': 788051, 'series installment focus': 751259, 'installment focus on': 440052, 'focus on food': 311874, 'on food store': 600915, 'food store associate': 316842, 'store associate ceo': 806562, 'associate ceo purna': 96853, 'ceo purna mishra': 169815, 'purna mishra outline': 690072, 'mishra outline key': 534049, 'outline key recommendation': 629092, 'key recommendation for': 473385, 'recommendation for these': 704751, 'for these critical': 326962, 'these critical front': 879836, 'critical front line': 218567, 'line worker to': 493608, 'worker to effectively': 1008003, 'to effectively and': 904950, 'effectively and safely': 269336, 'and safely operate': 70731, 'safely operate amid': 730292, 'operate amid the': 612975, '19 pandemic grocery': 9339, 'pandemic grocery supermarket': 635517, 'grocery supermarket retail': 366003, 'trai': 929204, 'dth': 261408, 'connecti': 194675, 'pls sir': 661176, 'sir covid': 771551, '19 lock': 8364, 'rural area': 728222, 'area some': 92191, 'of middle': 586481, 'middle class': 530627, 'class and': 180145, 'and poor': 69188, 'poor people': 664248, 'have tv': 383432, 'tv but': 936095, 'but per': 146775, 'per new': 650957, 'new trai': 559779, 'trai dth': 929205, 'dth rule': 261413, 'rule dth': 727234, 'dth price': 261410, 'increase so': 433066, 'can come': 157929, 'come out': 187460, 'in evening': 422667, 'evening time': 284914, 'time plz': 897504, 'plz to': 661843, 'reduce dth': 705823, 'or give': 615457, 'free service': 332140, 'all dth': 42636, 'dth connecti': 261409, 'pls sir covid': 661178, 'sir covid 19': 771552, 'covid 19 lock': 213366, '19 lock down': 8365, 'down in rural': 256867, 'in rural area': 427575, 'rural area some': 728225, 'area some of': 92192, 'some of middle': 783400, 'of middle class': 586482, 'middle class and': 530628, 'class and poor': 180147, 'and poor people': 69193, 'poor people have': 664252, 'people have tv': 648209, 'have tv but': 383434, 'tv but per': 936096, 'but per new': 146776, 'per new trai': 650958, 'new trai dth': 559780, 'trai dth rule': 929206, 'dth rule dth': 261414, 'rule dth price': 727235, 'dth price increase': 261411, 'price increase so': 674788, 'increase so they': 433068, 'they can come': 881621, 'can come out': 157935, 'come out in': 187467, 'out in evening': 626376, 'in evening time': 422668, 'evening time plz': 284915, 'time plz to': 897505, 'plz to reduce': 661844, 'to reduce dth': 913019, 'reduce dth price': 705824, 'dth price or': 261412, 'price or give': 675776, 'or give free': 615458, 'give free service': 350505, 'free service to': 332143, 'service to all': 752965, 'to all dth': 900243, 'all dth connecti': 42637, 'tight': 895816, 'tag': 831741, 'retailhell': 719459, 'retailproblems': 719531, 'shortage price': 765182, 'price suck': 676692, 'suck money': 816905, 'is tight': 453153, 'tight just': 895827, 'just bc': 468263, 'bc have': 113237, 'have name': 381551, 'name tag': 551681, 'tag on': 831764, 'on doesn': 600371, 'mean do': 524404, 'not experience': 569331, 'experience this': 291508, 'this well': 891335, 'well also': 978004, 'also doesn': 48116, 'can rip': 159486, 'rip into': 722652, 'into me': 442745, 'and threaten': 74069, 'threaten me': 893756, 'me because': 522499, 'want customerservice': 965760, 'customerservice retailhell': 223168, 'retailhell retailproblems': 719460, 'are shortage price': 90075, 'shortage price suck': 765184, 'price suck money': 676693, 'suck money is': 816906, 'money is tight': 536851, 'is tight just': 453155, 'tight just bc': 895828, 'just bc have': 468264, 'bc have name': 113238, 'have name tag': 381552, 'name tag on': 551683, 'tag on doesn': 831765, 'on doesn mean': 600372, 'doesn mean do': 251885, 'mean do not': 524405, 'do not experience': 249731, 'not experience this': 569332, 'experience this well': 291512, 'this well also': 891337, 'well also doesn': 978005, 'also doesn mean': 48118, 'doesn mean you': 251895, 'mean you can': 524784, 'you can rip': 1017771, 'can rip into': 159487, 'rip into me': 722653, 'into me and': 442746, 'me and threaten': 522431, 'and threaten me': 74070, 'threaten me because': 893757, 'me because you': 522505, 'because you cannot': 119864, 'you cannot get': 1017863, 'get what you': 348624, 'what you want': 982697, 'you want customerservice': 1022135, 'want customerservice retailhell': 965761, 'customerservice retailhell retailproblems': 223169, 'rich': 721185, 'littlebitofhumanity': 495659, 'before lockdown': 122912, 'lockdown and': 499131, 'and bought': 59100, 'bought my': 136649, 'mom dozen': 535724, 'dozen rose': 257916, 'rose three': 726096, 'three of': 894009, 'her kid': 392151, 'kid are': 473862, 'are about': 84156, 'be unemployed': 117857, 'unemployed she': 941129, 'she work': 756473, 'the rich': 865776, 'rich are': 721191, 'off this': 594304, 'pandemic but': 635037, 'but rose': 146947, 'rose lockdown': 726081, 'lockdown staysafestayhome': 499964, 'staysafestayhome littlebitofhumanity': 799002, 'store before lockdown': 806700, 'before lockdown and': 122913, 'lockdown and bought': 499135, 'and bought my': 59109, 'bought my mom': 136651, 'my mom dozen': 549268, 'mom dozen rose': 535725, 'dozen rose three': 257917, 'rose three of': 726097, 'three of her': 894012, 'of her kid': 584577, 'her kid are': 392152, 'kid are about': 473863, 'are about to': 84160, 'to be unemployed': 901609, 'be unemployed she': 117859, 'unemployed she work': 941130, 'she work at': 756474, 'work at hospital': 1004876, 'at hospital and': 99189, 'hospital and the': 404287, 'and the rich': 73555, 'the rich are': 865778, 'rich are trying': 721194, 'trying to profit': 934844, 'to profit off': 912233, 'profit off this': 682823, 'off this pandemic': 594308, 'this pandemic but': 889375, 'pandemic but rose': 635052, 'but rose lockdown': 146948, 'rose lockdown staysafestayhome': 726082, 'lockdown staysafestayhome littlebitofhumanity': 499965, 'mondel': 536523, 'hourly': 406128, '125': 3067, 'representative': 712891, 'mondel international': 536524, 'international inc': 441819, 'inc on': 431299, 'on monday': 602149, 'monday said': 536373, 'would increase': 1011948, 'increase hourly': 432808, 'hourly wage': 406141, 'wage by': 963835, 'and pay': 68793, 'pay 125': 644697, '125 weekly': 3076, 'weekly bonus': 977477, 'it sale': 460857, 'sale representative': 732492, 'representative it': 712906, 'it rush': 460821, 'rush to': 728336, 'meet surge': 527581, 'it packaged': 460230, 'mondel international inc': 536525, 'international inc on': 441820, 'inc on monday': 431300, 'on monday said': 602183, 'monday said it': 536374, 'said it would': 731175, 'it would increase': 462597, 'would increase hourly': 1011949, 'increase hourly wage': 432809, 'hourly wage by': 406142, 'wage by and': 963837, 'by and pay': 151847, 'and pay 125': 68794, 'pay 125 weekly': 644698, '125 weekly bonus': 3077, 'weekly bonus for': 977478, 'bonus for it': 134375, 'for it sale': 322730, 'it sale representative': 460858, 'sale representative it': 732493, 'representative it rush': 712907, 'it rush to': 460822, 'rush to meet': 728345, 'to meet surge': 910053, 'meet surge in': 527583, 'demand for it': 235445, 'for it packaged': 322723, 'it packaged food': 460231, 'packaged food due': 633480, 'a1': 24055, 'represent': 712864, 'outsize': 629666, 'immigrantsthrive': 417251, 'a1 our': 24056, 'our research': 624601, 'research show': 713837, 'show immigrant': 767004, 'immigrant make': 417227, 'make up': 510679, 'up 16': 944123, 'and represent': 70279, 'represent an': 712867, 'an outsize': 56741, 'outsize share': 629667, 'share of': 755114, 'workforce in': 1008366, 'in support': 428734, 'support industry': 826593, 'industry like': 435966, 'worker 16': 1006180, '16 immigrant': 4124, 'immigrant and': 417210, '18 immigrant': 4543, 'immigrant immigrantsthrive': 417224, 'a1 our research': 24057, 'our research show': 624606, 'research show immigrant': 713839, 'show immigrant make': 767005, 'immigrant make up': 417228, 'make up 16': 510680, 'up 16 of': 944125, 'healthcare worker and': 387342, 'worker and represent': 1006327, 'and represent an': 70280, 'represent an outsize': 712869, 'an outsize share': 56742, 'outsize share of': 629668, 'share of the': 755121, 'of the workforce': 591628, 'the workforce in': 871774, 'workforce in support': 1008368, 'in support industry': 428736, 'support industry like': 826594, 'industry like grocery': 435967, 'like grocery supermarket': 490348, 'grocery supermarket worker': 366007, 'supermarket worker 16': 823977, 'worker 16 immigrant': 1006181, '16 immigrant and': 4125, 'immigrant and food': 417211, 'and food delivery': 63035, 'delivery worker 18': 234764, 'worker 18 immigrant': 1006183, '18 immigrant immigrantsthrive': 4544, 'outer': 628931, 'packaging': 633517, 'binned': 131113, 'forget that': 329289, 'that with': 847624, 'any delivery': 79105, 'delivery you': 234786, 'receive make': 703504, 'sure that': 827690, 'you wipe': 1022365, 'wipe them': 996390, 'them down': 875622, 'with sanitizer': 1000565, 'wipe or': 996333, 'or disinfectant': 614992, 'disinfectant outer': 245722, 'outer packaging': 628935, 'packaging get': 633541, 'get binned': 346675, 'binned straight': 131114, 'straight away': 812202, 'away wipe': 106115, 'wipe down': 996230, 'down door': 256691, 'door handle': 255604, 'handle and': 376165, 'keep washing': 472198, 'not forget that': 569514, 'forget that with': 329297, 'that with any': 847626, 'with any delivery': 997274, 'any delivery you': 79107, 'delivery you receive': 234788, 'you receive make': 1020853, 'receive make sure': 703505, 'make sure that': 510529, 'sure that you': 827705, 'that you wipe': 847754, 'you wipe them': 1022366, 'wipe them down': 996392, 'them down with': 875630, 'down with sanitizer': 257501, 'with sanitizer wipe': 1000574, 'sanitizer wipe or': 736123, 'wipe or disinfectant': 996335, 'or disinfectant outer': 614994, 'disinfectant outer packaging': 245723, 'outer packaging get': 628936, 'packaging get binned': 633542, 'get binned straight': 346676, 'binned straight away': 131115, 'straight away wipe': 812204, 'away wipe down': 106116, 'wipe down door': 996234, 'down door handle': 256692, 'door handle and': 255605, 'handle and keep': 376166, 'and keep washing': 65786, 'keep washing hand': 472199, 'shameless': 754719, 'army': 92987, 'keyworking': 473617, 'yet also': 1015981, 'there still': 879095, 'still shameless': 801172, 'shameless panic': 754726, 'buying need': 150746, 'the army': 848903, 'army to': 93049, 'and distribution': 61524, 'vulnerable and': 960854, 'and keyworking': 65824, 'keyworking people': 473618, 'yet also there': 1015982, 'also there still': 48994, 'there still shameless': 879105, 'still shameless panic': 801173, 'shameless panic buying': 754727, 'panic buying need': 637816, 'buying need to': 150748, 'need to the': 556104, 'to the army': 916495, 'the army to': 848912, 'army to protect': 93050, 'protect the supply': 684984, 'chain and distribution': 170460, 'and distribution of': 61530, 'distribution of food': 248174, 'of food to': 583802, 'food to vulnerable': 317302, 'to vulnerable and': 918244, 'vulnerable and keyworking': 960864, 'and keyworking people': 65825, 'coffin': 185572, 'trend is': 931377, 'already away': 47206, 'shopping pandemic': 763587, 'the final': 855191, 'final nail': 305850, 'nail in': 551447, 'in that': 428910, 'that coffin': 843250, 'trend is already': 931378, 'is already away': 445511, 'already away from': 47207, 'from the high': 337741, 'high street and': 395428, 'street and to': 812903, 'and to online': 74189, 'online shopping pandemic': 609218, 'shopping pandemic may': 763588, 'pandemic may be': 635939, 'be the final': 117611, 'the final nail': 855196, 'final nail in': 305851, 'nail in that': 551448, 'in that coffin': 428916, 'cycled': 224071, 'ticked': 895580, 'th': 840043, 'mavieconfinee': 520729, 'confinementjour2': 194090, 'relax': 708803, 'well officer': 978432, 'officer it': 595678, 'is quite': 451190, 'quite simple': 694914, 'simple actually': 769981, 'actually cycled': 30771, 'cycled up': 224072, 'the hill': 857376, 'hill to': 396492, 'buy cat': 148475, 'so ticked': 778520, 'ticked all': 895581, 'all th': 44619, 'th box': 840046, 'box mavieconfinee': 137100, 'mavieconfinee confinementjour2': 520730, 'confinementjour2 relax': 194091, 'well officer it': 978433, 'officer it is': 595680, 'it is quite': 459053, 'is quite simple': 451195, 'quite simple actually': 694915, 'simple actually cycled': 769982, 'actually cycled up': 30772, 'cycled up the': 224073, 'up the hill': 946180, 'the hill to': 857377, 'hill to the': 396493, 'supermarket to buy': 823359, 'to buy cat': 902202, 'buy cat food': 148476, 'cat food so': 166872, 'food so ticked': 316669, 'so ticked all': 778521, 'ticked all th': 895582, 'all th box': 44620, 'th box mavieconfinee': 840047, 'box mavieconfinee confinementjour2': 137101, 'mavieconfinee confinementjour2 relax': 520731, 'our safe': 624660, 'safe from': 729687, 'let help keep': 486784, 'help keep our': 389969, 'keep our safe': 471743, 'our safe from': 624661, 'hope one': 403579, 'thing this': 884859, 'pandemic teach': 636621, 'teach is': 835394, 'that working': 847663, 'working class': 1008558, 'class people': 180237, 'from teacher': 337550, 'teacher to': 835521, 'employee don': 273781, 'don make': 253716, 'make enough': 509875, 'enough damn': 277361, 'hope one thing': 403581, 'one thing this': 607236, 'thing this pandemic': 884867, 'this pandemic teach': 889431, 'pandemic teach is': 636622, 'teach is that': 835395, 'is that working': 452711, 'that working class': 847664, 'working class people': 1008564, 'class people from': 180238, 'people from teacher': 648011, 'from teacher to': 337553, 'teacher to supermarket': 835524, 'to supermarket employee': 915792, 'supermarket employee don': 820117, 'employee don make': 273784, 'don make enough': 253718, 'make enough damn': 509876, 'enough damn money': 277362, 'covfefe': 212528, 'what this': 982429, 'getting crazy': 348916, 'crazy covfefe': 215272, 'say what this': 739473, 'what this is': 982435, 'this is getting': 888266, 'is getting crazy': 448022, 'getting crazy covfefe': 348917, 'headline check': 385992, 'this information': 888108, 'information from': 437835, 'commission and': 188788, 'and protect': 69654, 'yourself from': 1026604, 'the headline check': 857172, 'headline check out': 385993, 'out this information': 627572, 'this information from': 888112, 'information from the': 437846, 'trade commission and': 928441, 'commission and protect': 188791, 'and protect yourself': 69664, 'protect yourself from': 685093, 'yourself from covid': 1026610, 'nightreads': 563195, 'threatening': 893795, '3b': 18212, 'affordable': 34832, 'nightreads country': 563196, 'are starting': 90355, 'starting to': 795011, 'food threatening': 317208, 'threatening global': 893807, 'global trade': 352260, 'trade related': 928560, 'related 3b': 708372, '3b ppl': 18215, 'ppl or': 668297, 'or of': 616346, 'india social': 434617, 'social revolt': 779933, 'revolt re': 720731, 're affordable': 698197, 'affordable food': 34841, 'food might': 315457, 'more threatening': 540752, 'threatening than': 893824, 'nightreads country are': 563197, 'country are starting': 210482, 'are starting to': 90358, 'starting to hoard': 795027, 'to hoard food': 907869, 'hoard food threatening': 398799, 'food threatening global': 317209, 'threatening global trade': 893808, 'global trade related': 352263, 'trade related 3b': 928561, 'related 3b ppl': 708373, '3b ppl or': 18216, 'ppl or of': 668298, 'or of the': 616347, 'world in lockdown': 1009661, 'in lockdown in': 424844, 'lockdown in india': 499506, 'in india social': 424053, 'india social revolt': 434618, 'social revolt re': 779934, 'revolt re affordable': 720732, 're affordable food': 698198, 'affordable food might': 34843, 'food might be': 315458, 'might be more': 530915, 'be more threatening': 115999, 'more threatening than': 540753, 'kurdistan': 477956, 'of iraq': 585299, 'the kurdistan': 858868, 'kurdistan region': 477959, 'region survive': 707464, 'survive in': 829190, 'if everything': 414101, 'everything ha': 287826, 'be shut': 117174, 'down border': 256570, 'border airport': 135213, 'and city': 59896, 'city locked': 179245, 'locked financial': 500485, 'crisis oil': 217800, 'and salary': 70785, 'salary are': 731947, 'not yet': 572594, 'yet paid': 1016190, 'paid how': 634029, 'how could': 407625, 'could people': 209495, 'people buy': 647328, 'grocery need': 364745, 'need pay': 555415, 'and survive': 72895, 'how can the': 407523, 'can the people': 159959, 'people of iraq': 648919, 'of iraq and': 585300, 'iraq and the': 444756, 'and the kurdistan': 73438, 'the kurdistan region': 858869, 'kurdistan region survive': 477960, 'region survive in': 707465, 'survive in this': 829195, 'this crisis if': 887054, 'crisis if everything': 217514, 'if everything ha': 414103, 'everything ha to': 287829, 'to be shut': 901539, 'be shut down': 117175, 'shut down border': 767808, 'down border airport': 256571, 'border airport and': 135214, 'airport and city': 40088, 'and city locked': 59901, 'city locked financial': 179247, 'locked financial crisis': 500486, 'financial crisis oil': 306377, 'crisis oil price': 217802, 'low and salary': 505135, 'and salary are': 70786, 'salary are not': 731949, 'are not yet': 88501, 'not yet paid': 572601, 'yet paid how': 1016191, 'paid how could': 634030, 'how could people': 407630, 'could people buy': 209496, 'people buy food': 647332, 'food and grocery': 313246, 'and grocery need': 63991, 'grocery need pay': 364746, 'need pay rent': 555416, 'pay rent and': 645079, 'rent and survive': 711043, 'perfume': 651512, 'makeup': 510893, 'garbage': 343507, 'stay pure': 797188, 'pure there': 689987, 'wear perfume': 974440, 'perfume makeup': 651528, 'makeup or': 510908, 'or wonder': 617832, 'wonder what': 1004005, 'the closet': 851044, 'closet for': 183550, 'day interesting': 227827, 'interesting book': 441520, 'book good': 134534, 'good recipe': 357639, 'recipe and': 704439, 'and time': 74117, 'to throw': 917560, 'throw that': 895049, 'that garbage': 843979, 'garbage out': 343532, 'stay safe stay': 797277, 'safe stay pure': 729975, 'stay pure there': 797189, 'pure there is': 689988, 'to wear perfume': 918439, 'wear perfume makeup': 974441, 'perfume makeup or': 651529, 'makeup or wonder': 510909, 'or wonder what': 617833, 'wonder what to': 1004016, 'to take out': 916218, 'take out of': 832453, 'of the closet': 590869, 'the closet for': 851046, 'closet for the': 183552, 'for the day': 326372, 'the day interesting': 852893, 'day interesting book': 227828, 'interesting book good': 441521, 'book good recipe': 134535, 'good recipe and': 357640, 'recipe and time': 704442, 'and time to': 74124, 'time to throw': 898086, 'to throw that': 917566, 'throw that garbage': 895050, 'that garbage out': 843980, 'garbage out of': 343533, 'canonspark': 162253, 'tradingstandards': 928970, 'uk just': 938499, 'just panic': 469430, 'buying this': 151217, 'this appears': 886390, 'appears to': 82215, 'be money': 115959, 'making scam': 511324, 'scam by': 740091, 'the shopkeeper': 867044, 'shopkeeper canonspark': 761174, 'canonspark london': 162254, 'london tradingstandards': 501207, 'tradingstandards coronacrisis': 928973, 'shortage of toilet': 765141, 'roll in the': 725345, 'the uk just': 870242, 'uk just panic': 938501, 'just panic buying': 469432, 'panic buying this': 637933, 'buying this appears': 151218, 'this appears to': 886391, 'appears to be': 82216, 'to be money': 901389, 'be money making': 115960, 'money making scam': 536882, 'making scam by': 511325, 'scam by the': 740093, 'by the shopkeeper': 154438, 'the shopkeeper canonspark': 867045, 'shopkeeper canonspark london': 761175, 'canonspark london tradingstandards': 162255, 'london tradingstandards coronacrisis': 501208, 'portrayal': 665053, 'nervous': 557445, 'medium portrayal': 527230, 'portrayal of': 665054, 'situation making': 772380, 'making thousand': 511468, 'people nervous': 648845, 'nervous and': 557453, 'and causing': 59643, 'this crazy': 887006, 'crazy behaviour': 215255, 'behaviour of': 124484, 'realise that': 701603, 'that even': 843730, 'even if': 284196, 'whole country': 990169, 'lockdown we': 500118, 'still go': 800572, 'go buy': 353390, 'won starve': 1003907, 'you know what': 1019540, 'know what worse': 476989, '19 is the': 8064, 'is the medium': 452862, 'the medium portrayal': 860435, 'medium portrayal of': 527231, 'portrayal of the': 665055, 'the situation making': 867265, 'situation making thousand': 772382, 'making thousand of': 511469, 'of people nervous': 587950, 'people nervous and': 648846, 'nervous and causing': 557455, 'and causing this': 59648, 'causing this crazy': 168129, 'this crazy behaviour': 887007, 'crazy behaviour of': 215256, 'behaviour of stock': 124489, 'of stock piling': 590184, 'piling food people': 656592, 'food people do': 315832, 'people do realise': 647681, 'do realise that': 250025, 'realise that even': 701604, 'that even if': 843736, 'even if the': 284217, 'if the whole': 415047, 'the whole country': 871484, 'whole country is': 990170, 'country is in': 210806, 'is in lockdown': 448785, 'in lockdown we': 424856, 'lockdown we can': 500119, 'can still go': 159776, 'still go buy': 800575, 'go buy food': 353394, 'buy food we': 148689, 'food we won': 317537, 'we won starve': 973937, 'backtracking': 107605, 'slime': 773994, 'ball': 109048, 'tour': 926915, 'donald': 254094, 'mar': 514965, 'say on': 739017, 'it name': 459726, 'name is': 551637, 'is corvid19': 446852, 'corvid19 not': 207733, 'it good': 458295, 'consumer you': 199582, 'you backtracking': 1017373, 'backtracking slime': 107606, 'slime ball': 773995, 'ball tour': 109072, 'tour like': 926927, 'like year': 491854, 'old donald': 598231, 'donald trump': 254103, 'on mar': 602000, 'what you had': 982677, 'you had to': 1018986, 'had to say': 373724, 'to say on': 913834, 'say on the': 739021, 'on the it': 604191, 'the it name': 858587, 'it name is': 459727, 'name is corvid19': 551642, 'is corvid19 not': 446853, 'corvid19 not the': 207734, 'not the chinese': 571990, 'chinese virus it': 177380, 'virus it good': 958419, 'it good for': 458296, 'the consumer you': 851629, 'consumer you backtracking': 199585, 'you backtracking slime': 1017374, 'backtracking slime ball': 107607, 'slime ball tour': 773996, 'ball tour like': 109073, 'tour like year': 926928, 'like year old': 491856, 'year old donald': 1014823, 'old donald trump': 598232, 'donald trump on': 254116, 'trump on mar': 933738, 'loblaw ceo': 497612, 'ceo promise': 169812, 'promise store': 683691, 'not hike': 569966, 'hike food': 396211, 'loblaw ceo promise': 497613, 'ceo promise store': 169813, 'promise store will': 683692, 'will not hike': 994231, 'not hike food': 569967, 'hike food price': 396212, 'food price during': 315937, 'impostor': 419420, 'mt': 544593, 'steal money': 799188, 'money learn': 536865, 'spot and': 790031, 'stop government': 804694, 'government impostor': 360213, 'impostor mt': 419421, 'scammer are trying': 740548, 'trying to take': 934888, 'the pandemic to': 863130, 'pandemic to steal': 636793, 'to steal money': 915364, 'steal money learn': 799190, 'money learn how': 536866, 'to spot and': 915037, 'spot and stop': 790033, 'and stop government': 72474, 'stop government impostor': 804695, 'government impostor mt': 360214, 'sanitized': 734242, 'in canada': 421180, 'canada are': 160365, 'are opening': 88811, 'opening early': 612823, 'early for': 264605, 'senior the': 750417, 'be stocked': 117371, 'stocked cleaned': 803295, 'cleaned and': 180706, 'and sanitized': 70852, 'sanitized overnight': 734255, 'overnight to': 631361, 'allow them': 46081, 'supply they': 825977, 'in le': 424647, 'le crowded': 482909, 'and stressful': 72564, 'stressful environment': 813492, 'environment hoarding': 279112, 'hoarding humanity': 399366, 'humanity panic': 410761, 'supermarket in canada': 820874, 'in canada are': 421184, 'canada are opening': 160368, 'are opening early': 88813, 'opening early for': 612824, 'early for senior': 264608, 'for senior the': 325480, 'senior the store': 750418, 'store will be': 811327, 'will be stocked': 992699, 'be stocked cleaned': 117372, 'stocked cleaned and': 803296, 'cleaned and sanitized': 180707, 'and sanitized overnight': 70853, 'sanitized overnight to': 734256, 'overnight to allow': 631363, 'to allow them': 900360, 'allow them to': 46083, 'them to get': 876474, 'get the supply': 348303, 'the supply they': 868963, 'supply they need': 825979, 'they need in': 882744, 'need in le': 555043, 'in le crowded': 424648, 'le crowded and': 482910, 'crowded and stressful': 219292, 'and stressful environment': 72565, 'stressful environment hoarding': 813493, 'environment hoarding humanity': 279113, 'hoarding humanity panic': 399367, 'cuttaxes': 223696, 'dista': 246614, 'see small': 745696, 'business keep': 143978, 'their 2019': 872426, '2019 federal': 13959, 'federal tax': 302071, 'tax own': 835052, 'own retail': 632162, 'keeping even': 472412, 'even portion': 284474, 'my tax': 550317, 'tax would': 835127, 'huge help': 410059, 'help don': 389598, 'want loan': 965842, 'loan debt': 497421, 'debt is': 230506, 'answer cuttaxes': 78033, 'cuttaxes social': 223697, 'social dista': 779491, 'like to see': 491620, 'to see small': 914068, 'see small business': 745697, 'small business keep': 774870, 'business keep their': 143979, 'keep their 2019': 472081, 'their 2019 federal': 872427, '2019 federal tax': 13960, 'federal tax own': 302073, 'tax own retail': 835053, 'own retail store': 632165, 'store and keeping': 806274, 'and keeping even': 65794, 'keeping even portion': 472413, 'even portion of': 284475, 'portion of my': 665022, 'of my tax': 586819, 'my tax would': 550319, 'tax would be': 835128, 'would be huge': 1011602, 'be huge help': 115316, 'huge help don': 410060, 'help don want': 389600, 'don want loan': 254040, 'want loan debt': 965843, 'loan debt is': 497423, 'debt is not': 230510, 'not the answer': 571983, 'the answer cuttaxes': 848766, 'answer cuttaxes social': 78034, 'cuttaxes social dista': 223698, 'fetch': 303615, 'forgotten': 329430, 'staythefhome': 799059, 'to fetch': 905761, 'fetch some': 303616, 'some forgotten': 782897, 'forgotten item': 329441, 'store shocked': 810114, 'shocked by': 759560, 'what part': 981997, 'of staythefhome': 590103, 'staythefhome is': 799061, 'not clear': 568762, 'clear sundaythoughts': 181335, 'had to fetch': 373690, 'to fetch some': 905762, 'fetch some forgotten': 303617, 'some forgotten item': 782898, 'forgotten item from': 329442, 'grocery store shocked': 365765, 'store shocked by': 810115, 'shocked by the': 759561, 'by the people': 154404, 'the people out': 863497, 'people out about': 649015, 'out about what': 625566, 'about what part': 26893, 'what part of': 981998, 'part of staythefhome': 642382, 'of staythefhome is': 590104, 'staythefhome is not': 799062, 'is not clear': 450046, 'not clear sundaythoughts': 568765, 'thrown': 895122, 'bothering': 136142, 'gaurds': 344578, 'pretending': 671330, 'exotic': 290436, 'getaway': 348765, 'so here': 777294, 'are locked': 87864, 'locked up': 500504, 'and thrown': 74101, 'thrown away': 895127, 'key bothering': 473231, 'bothering the': 136145, 'the prison': 864475, 'prison gaurds': 678719, 'gaurds er': 344579, 'er husband': 280010, 'husband having': 411714, 'having home': 384105, 'home cooked': 400925, 'cooked meal': 202819, 'meal pretending': 524256, 'pretending it': 671331, 'wa take': 963389, 'out looking': 626519, 'looking on': 502977, 'on google': 601152, 'google how': 358165, 'be child': 114083, 'now an': 574014, 'an exotic': 55957, 'exotic getaway': 290441, 'so here we': 777302, 'we are locked': 970616, 'are locked up': 87866, 'locked up and': 500505, 'up and thrown': 944383, 'and thrown away': 74102, 'thrown away the': 895133, 'away the key': 106047, 'the key bothering': 858752, 'key bothering the': 473232, 'bothering the prison': 136146, 'the prison gaurds': 864478, 'prison gaurds er': 678720, 'gaurds er husband': 344580, 'er husband having': 280011, 'husband having home': 411715, 'having home cooked': 384106, 'home cooked meal': 400927, 'cooked meal pretending': 202821, 'meal pretending it': 524257, 'pretending it wa': 671332, 'it wa take': 462207, 'wa take out': 963390, 'take out looking': 832452, 'out looking on': 626522, 'looking on google': 502978, 'on google how': 601154, 'google how to': 358166, 'how to be': 408980, 'to be child': 901164, 'be child care': 114084, 'child care worker': 176044, 'care worker grocery': 164291, 'store now an': 809121, 'now an exotic': 574018, 'an exotic getaway': 55958, 'sanitisers': 734054, 'hygienic': 412206, 'dbz': 228933, 'aware help': 105614, 'people don': 647696, 'don run': 253880, 'run if': 727671, 'if affected': 413774, 'affected be': 34294, 'be clean': 114096, 'clean avoid': 180476, 'avoid going': 105128, 'out make': 626530, 'make distance': 509841, 'distance sell': 246815, 'sell sanitisers': 748867, 'sanitisers mask': 734087, 'price eat': 673648, 'eat hygienic': 265946, 'hygienic food': 412216, 'food be': 313695, 'be healthy': 115173, 'healthy immune': 387663, 'immune be': 417309, 'good dbz': 356951, 'dbz diary': 228934, 'be aware help': 113777, 'aware help the': 105615, 'help the people': 390672, 'the people don': 863468, 'people don run': 647707, 'don run if': 253881, 'run if affected': 727672, 'if affected be': 413775, 'affected be clean': 34295, 'be clean avoid': 114098, 'clean avoid going': 180477, 'avoid going out': 105130, 'going out make': 355377, 'out make distance': 626531, 'make distance sell': 509842, 'distance sell sanitisers': 246816, 'sell sanitisers mask': 748868, 'sanitisers mask at': 734088, 'mask at reasonable': 518431, 'reasonable price eat': 703118, 'price eat hygienic': 673649, 'eat hygienic food': 265947, 'hygienic food be': 412217, 'food be healthy': 313699, 'be healthy immune': 115175, 'healthy immune be': 387664, 'immune be good': 417310, 'be good dbz': 115065, 'good dbz diary': 356952, 'westandwithitaly': 980560, 'fucking hero': 339890, 'hero stayathome': 394092, 'stayathome 19': 797423, 'lockdown stayhome': 499954, 'stayhome coronavid19': 797976, 'coronavid19 westandwithitaly': 205406, 'everyone working at': 287632, 'at supermarket right': 100764, 'now is fucking': 575069, 'is fucking hero': 447960, 'fucking hero stayathome': 339891, 'hero stayathome 19': 394093, 'stayathome 19 lockdown': 797427, '19 lockdown stayhome': 8427, 'lockdown stayhome coronavid19': 499955, 'stayhome coronavid19 westandwithitaly': 797977, 'bridgwater': 139650, 'helpnhstoday': 391613, 'having frequently': 384077, 'frequently gone': 332855, 'gone by': 356237, 'the depot': 853155, 'depot in': 237532, 'in bridgwater': 420974, 'bridgwater and': 139651, 'and aware': 58589, 'the operation': 862389, 'operation cannot': 613162, 'cannot believe': 161665, 'believe why': 126416, 'why shopping': 991334, 'online through': 609564, 'through online': 894598, 'online slot': 609377, 'such failure': 816490, 'failure helpnhstoday': 296271, 'helpnhstoday onlineshopping': 391614, 'having frequently gone': 384078, 'frequently gone by': 332856, 'gone by the': 356240, 'by the depot': 154307, 'the depot in': 853156, 'depot in bridgwater': 237534, 'in bridgwater and': 420975, 'bridgwater and aware': 139652, 'and aware of': 58591, 'aware of the': 105642, 'of the size': 591469, 'size of the': 772790, 'of the operation': 591299, 'the operation cannot': 862390, 'operation cannot believe': 613163, 'cannot believe why': 161675, 'believe why shopping': 126417, 'why shopping online': 991336, 'shopping online through': 763497, 'online through online': 609568, 'through online slot': 894602, 'online slot is': 609380, 'slot is such': 774223, 'is such failure': 452425, 'such failure helpnhstoday': 816491, 'failure helpnhstoday onlineshopping': 296272, 'via nowhere': 956118, 'nowhere in': 576565, 'industry to': 436163, 'hit harder': 398256, 'than in': 840772, 'the processing': 864556, 'processing and': 680009, 'supply side': 825850, 'side of': 768842, 'business worldwide': 144726, 'worldwide the': 1010427, 'having an': 383966, 'an impact': 56183, 'price leading': 675030, 'leading to': 483752, 'to uncertainty': 917887, 'uncertainty read': 939747, 'via nowhere in': 956119, 'nowhere in the': 576566, 'the industry to': 858188, 'industry to hit': 436171, 'to hit harder': 907845, 'hit harder than': 398257, 'harder than in': 378183, 'than in the': 840783, 'in the processing': 429478, 'the processing and': 864557, 'processing and food': 680010, 'food supply side': 316995, 'supply side of': 825851, 'side of the': 768855, 'of the business': 590836, 'the business worldwide': 850186, 'business worldwide the': 144727, 'worldwide the virus': 1010429, 'virus is having': 958378, 'is having an': 448324, 'having an impact': 383973, 'an impact on': 56187, 'impact on and': 417818, 'on and price': 599368, 'and price leading': 69460, 'price leading to': 675031, 'leading to uncertainty': 483779, 'to uncertainty read': 917888, 'uncertainty read more': 939748, 'upcountry': 946821, 'possibility': 665532, 'grandparent': 361959, 'you travel': 1021917, 'travel upcountry': 930559, 'upcountry there': 946824, 'is possibility': 450942, 'possibility you': 665557, 'kill your': 474555, 'parent and': 641567, 'and grandparent': 63921, 'if you travel': 415545, 'you travel upcountry': 1021918, 'travel upcountry there': 930560, 'upcountry there is': 946825, 'there is possibility': 878607, 'is possibility you': 450944, 'possibility you are': 665558, 'to kill your': 908948, 'kill your parent': 474556, 'your parent and': 1025199, 'parent and grandparent': 641570, '79': 22362, 'wishing': 996870, 'concert': 193258, 'gay': 344709, 'unfashionable': 941475, 'elton': 272035, '79 of': 22375, 'people admit': 646776, 'admit to': 32615, 'to wishing': 918637, 'wishing they': 996879, 'the rather': 865168, 'than watching': 841423, 'watching free': 968741, 'free online': 332021, 'online concert': 608035, 'concert given': 193265, 'given by': 350961, 'by celebrity': 152085, 'celebrity gay': 168884, 'gay unfashionable': 344714, 'unfashionable pop': 941476, 'pop star': 664465, 'star elton': 794038, 'elton john': 272036, 'john who': 466559, 'who like': 989208, 'good in': 357237, 'supermarket bargain': 819303, 'bargain fridge': 111051, 'fridge is': 333409, '79 of people': 22376, 'of people admit': 587869, 'people admit to': 646777, 'admit to wishing': 32617, 'to wishing they': 918638, 'wishing they had': 996880, 'they had the': 882266, 'had the rather': 373624, 'the rather than': 865169, 'rather than watching': 697561, 'than watching free': 841424, 'watching free online': 968742, 'free online concert': 332024, 'online concert given': 608036, 'concert given by': 193266, 'given by celebrity': 350962, 'by celebrity gay': 152086, 'celebrity gay unfashionable': 168885, 'gay unfashionable pop': 344715, 'unfashionable pop star': 941477, 'pop star elton': 664466, 'star elton john': 794039, 'elton john who': 272037, 'john who like': 466560, 'who like the': 989211, 'like the good': 491368, 'the good in': 856438, 'good in the': 357252, 'the supermarket bargain': 868478, 'supermarket bargain fridge': 819304, 'bargain fridge is': 111052, 'fridge is out': 333410, 'it count': 457375, 'count if': 210127, 'if call': 413919, 'an honorable': 56068, 'honorable person': 403265, 'person trumpvirus': 652673, 'trumpvirus stophoarding': 934187, 'doe it count': 251429, 'it count if': 457376, 'count if call': 210128, 'if call you': 413920, 'call you an': 156250, 'you an honorable': 1016967, 'an honorable person': 56069, 'honorable person trumpvirus': 403266, 'person trumpvirus stophoarding': 652674, 'involves': 444369, 'legislative': 486004, 'kratom': 477652, 'uncertainty in': 939696, 'world today': 1010091, 'the least': 859247, 'least of': 484573, 'which involves': 985971, 'involves the': 444385, 'virus on': 958548, 'on legislative': 601821, 'legislative activity': 486005, 'activity related': 30489, 'the kratom': 858858, 'kratom consumer': 477653, 'act please': 29740, 'please watch': 660753, 'video for': 956728, 'lot of uncertainty': 504317, 'of uncertainty in': 592597, 'uncertainty in the': 939699, 'the world today': 871992, 'world today not': 1010094, 'today not the': 919946, 'not the least': 572010, 'the least of': 859253, 'least of which': 484576, 'of which involves': 593104, 'which involves the': 985972, 'involves the impact': 444387, '19 virus on': 11823, 'virus on legislative': 958550, 'on legislative activity': 601822, 'legislative activity related': 486006, 'activity related to': 30490, 'to the kratom': 916827, 'the kratom consumer': 858859, 'kratom consumer protection': 477655, 'protection act please': 685282, 'act please watch': 29741, 'please watch this': 660756, 'watch this video': 968584, 'this video for': 890979, 'video for the': 956733, 'arvsgt': 94691, 'naughty': 553017, 'bikers': 130434, 'a36': 24068, 'a272': 24067, 'indian police': 434868, 'police are': 662915, 'are serious': 89989, 'serious about': 751324, 'about lockdown': 25657, 'and stayhome': 72310, 'stayhome police': 798071, 'police arvsgt': 662934, 'arvsgt supermarket': 94692, 'supermarket policing': 822038, 'policing for': 663299, 'those naughty': 892241, 'naughty bikers': 553018, 'bikers who': 130437, 'not stay': 571701, 'home a36': 400544, 'a36 a272': 24069, 'indian police are': 434869, 'police are serious': 662920, 'are serious about': 89990, 'serious about lockdown': 751326, 'about lockdown and': 25658, 'lockdown and stayhome': 499153, 'and stayhome police': 72312, 'stayhome police arvsgt': 798072, 'police arvsgt supermarket': 662935, 'arvsgt supermarket policing': 94693, 'supermarket policing for': 822039, 'policing for those': 663300, 'for those naughty': 327124, 'those naughty bikers': 892242, 'naughty bikers who': 553019, 'bikers who do': 130438, 'do not stay': 249853, 'not stay home': 571703, 'stay home a36': 796934, 'home a36 a272': 400545, 'while waiting': 987527, 'waiting for': 964310, 'food shopping': 316507, 'shopping to': 764163, 'to arrive': 900726, 'arrive how': 93916, 'many item': 514214, 'stock corona': 802022, 'while waiting for': 987528, 'waiting for my': 964325, 'for my food': 323708, 'my food shopping': 548388, 'food shopping to': 316542, 'shopping to arrive': 764165, 'to arrive how': 900730, 'arrive how many': 93917, 'how many item': 408266, 'many item do': 514216, 'item do you': 463211, 'think will be': 885788, 'will be out': 992594, 'of stock corona': 590152, 'stock corona virus': 802023, 'firearm more': 308150, 'purchase firearm more': 689444, 'firearm more via': 308151, 'leftover': 485769, 'mac': 507309, 'have something': 382650, 'everyone my': 287198, 'tesco ve': 838846, 'been there': 122175, 'last day': 480176, 'still empty': 800475, 'empty really': 275019, 'food fuck': 314628, 'you panic': 1020280, 'buyer ve': 149792, 'eating leftover': 266247, 'leftover mac': 485782, 'mac and': 507310, 'and cheese': 59796, 'cheese for': 175189, 'supermarket we have': 823744, 'we have something': 971944, 'have something for': 382652, 'something for everyone': 784908, 'for everyone my': 321222, 'everyone my local': 287199, 'local tesco ve': 498642, 'tesco ve been': 838847, 've been there': 952943, 'been there for': 122178, 'there for the': 878411, 'for the last': 326522, 'the last day': 859007, 'last day and': 480177, 'day and it': 227268, 'and it still': 65586, 'it still empty': 461250, 'still empty really': 800482, 'empty really need': 275020, 'really need food': 702433, 'need food fuck': 554797, 'food fuck you': 314630, 'fuck you panic': 339705, 'you panic buyer': 1020284, 'panic buyer ve': 637614, 'buyer ve been': 149793, 've been eating': 952882, 'been eating leftover': 121065, 'eating leftover mac': 266248, 'leftover mac and': 485783, 'mac and cheese': 507311, 'and cheese for': 59800, 'cheese for day': 175190, 'for day now': 320578, 'overshadowed': 631508, 'theme': 876695, 'point what': 662693, 'what difference': 981323, 'difference month': 241859, 'month make': 537844, 'any talk': 79943, 'talk of': 833824, 'of trend': 592447, 'trend will': 931515, 'will in': 993794, 'short to': 764771, 'to medium': 910010, 'medium term': 527303, 'term be': 838065, 'be overshadowed': 116316, 'overshadowed by': 631511, 'are theme': 90945, 'theme that': 876711, 'were front': 979664, 'mind for': 532664, 'the large': 858942, 'large player': 479744, 'player pre': 659327, 'pre crisis': 669159, 'talking point what': 834035, 'point what difference': 662694, 'what difference month': 981327, 'difference month make': 241860, 'month make any': 537845, 'make any talk': 509709, 'any talk of': 79944, 'talk of trend': 833828, 'of trend will': 592448, 'trend will in': 931517, 'will in the': 993796, 'the short to': 867085, 'short to medium': 764772, 'to medium term': 910012, 'medium term be': 527304, 'term be overshadowed': 838066, 'be overshadowed by': 116317, 'overshadowed by the': 631512, '19 pandemic here': 9348, 'pandemic here are': 635620, 'here are theme': 392762, 'are theme that': 90946, 'theme that were': 876712, 'that were front': 847440, 'were front of': 979665, 'of mind for': 586544, 'mind for the': 532666, 'for the large': 326520, 'the large player': 858950, 'large player pre': 479745, 'player pre crisis': 659328, 'barter': 111401, 'instance': 440070, 'swap': 829978, 'loo': 502147, 'how soon': 408723, 'soon before': 785658, 'before we': 123282, 'we turn': 973583, 'to barter': 901054, 'barter economy': 111402, 'economy for': 267877, 'for instance': 322605, 'instance swap': 440084, 'swap some': 829985, 'some loo': 783222, 'loo roll': 502164, 'some hand': 783020, 'shopping slot': 763896, 'wonder how soon': 1003958, 'how soon before': 408724, 'soon before we': 785659, 'before we turn': 123292, 'we turn to': 973584, 'turn to barter': 935773, 'to barter economy': 901055, 'barter economy for': 111403, 'economy for instance': 267879, 'for instance swap': 322611, 'instance swap some': 440085, 'swap some loo': 829986, 'some loo roll': 783223, 'loo roll and': 502168, 'roll and some': 725187, 'and some hand': 71964, 'some hand sanitizer': 783022, 'sanitizer in exchange': 735134, 'exchange for an': 289445, 'for an online': 319306, 'an online shopping': 56634, 'online shopping slot': 609272, 'shopping slot for': 763904, 'slot for my': 774185, 'for my parent': 323739, 'atliens': 101909, 'emts': 275343, 'atliens continue': 101910, 'show support': 767164, 'support for': 826505, 'responder emts': 715451, 'emts medic': 275352, 'medic amp': 525989, 'amp all': 53366, 'on front': 601031, 'pandemic thank': 636641, 'atliens continue to': 101911, 'continue to show': 201259, 'to show support': 914575, 'show support for': 767165, 'support for the': 826525, 'store worker first': 811501, 'first responder emts': 308938, 'responder emts medic': 715452, 'emts medic amp': 275353, 'medic amp all': 525990, 'amp all on': 53368, 'all on front': 43740, 'on front line': 601032, 'of the 19': 590760, '19 pandemic thank': 9492, 'pandemic thank you': 636642, 'directive': 243493, 'downgrade': 257545, 'ameliorate': 51370, 'directive to': 243514, 'freeze price': 332547, 'especially of': 280569, 'prevent increase': 671652, 'increase due': 432746, 'to downgrade': 904688, 'downgrade and': 257546, '19 economic': 6698, 'impact these': 418019, 'these will': 880972, 'have direct': 380285, 'direct impact': 243340, 'and may': 66794, 'may ameliorate': 520920, 'ameliorate lockdown': 51371, 'lockdown impact': 499493, 'on majority': 601966, 'majority poor': 509574, 'poor working': 664333, 'class of': 180222, 'directive to freeze': 243515, 'to freeze price': 906247, 'freeze price especially': 332548, 'price especially of': 673702, 'especially of essential': 280570, 'of essential like': 583178, 'essential like grocery': 281284, 'like grocery to': 490349, 'grocery to prevent': 366057, 'to prevent increase': 912070, 'prevent increase due': 671653, 'increase due to': 432747, 'due to downgrade': 261766, 'to downgrade and': 904689, 'downgrade and covid': 257547, 'covid 19 economic': 213002, '19 economic impact': 6701, 'economic impact these': 267140, 'impact these will': 418021, 'these will have': 880974, 'will have direct': 993626, 'have direct impact': 380286, 'direct impact and': 243341, 'impact and may': 417550, 'and may ameliorate': 66796, 'may ameliorate lockdown': 520921, 'ameliorate lockdown impact': 51372, 'lockdown impact on': 499495, 'impact on majority': 417870, 'on majority poor': 601967, 'majority poor working': 509575, 'poor working class': 664334, 'working class of': 1008563, 'class of this': 180225, 'of this country': 591957, 'map': 514920, 'my nyc': 549533, 'nyc friend': 577987, 'friend check': 333553, 'this creative': 887012, 'creative interactive': 216147, 'interactive map': 441286, 'map of': 514932, 'of direct': 582634, 'brand in': 137865, 'city built': 179073, 'built by': 142175, 'support local': 826617, 'during 19': 262400, 'to my nyc': 910424, 'my nyc friend': 549534, 'nyc friend check': 577988, 'friend check out': 333554, 'out this creative': 627563, 'this creative interactive': 887013, 'creative interactive map': 216148, 'interactive map of': 441288, 'map of direct': 514935, 'of direct to': 582636, 'to consumer brand': 903273, 'consumer brand in': 196656, 'brand in the': 137868, 'the city built': 850920, 'city built by': 179074, 'built by to': 142176, 'by to support': 154563, 'to support local': 915944, 'support local store': 826634, 'local store during': 498460, 'store during 19': 807398, 'cake': 155214, 'briton': 140640, 'plea': 659535, 'minister say': 533452, 'say let': 738887, 'them eat': 875643, 'eat cake': 265874, 'cake briton': 155220, 'briton told': 140657, 'in plea': 426794, 'plea there': 659559, 'minister say let': 533453, 'say let them': 738888, 'let them eat': 487151, 'them eat cake': 875644, 'eat cake briton': 265875, 'cake briton told': 155221, 'briton told to': 140658, 'buying in plea': 150536, 'in plea there': 426795, 'plea there is': 659560, 'there is not': 878599, 'nicest': 562553, 'gassing': 344308, 'must say': 546871, 'the nicest': 861785, 'nicest thing': 562556, 'this socialdistancing': 890230, 'is you': 454121, 'not get': 569573, 'the silly': 867189, 'silly bag': 769748, 'bag gassing': 108300, 'gassing in': 344309, 'and blocking': 59018, 'blocking the': 132886, 'aisle when': 40433, 'over can': 630060, 'we keep': 972127, 'keep socialdistancing': 471948, 'must say the': 546874, 'say the nicest': 739292, 'the nicest thing': 861787, 'nicest thing about': 562557, 'thing about this': 884096, 'about this socialdistancing': 26661, 'this socialdistancing is': 890231, 'socialdistancing is you': 780478, 'is you do': 454124, 'do not get': 249745, 'not get the': 569612, 'get the silly': 348294, 'the silly bag': 867190, 'silly bag gassing': 769749, 'bag gassing in': 108301, 'gassing in the': 344310, 'supermarket and blocking': 818942, 'and blocking the': 59019, 'blocking the aisle': 132887, 'the aisle when': 848537, 'aisle when this': 40435, 'is over can': 450690, 'over can we': 630062, 'can we keep': 160180, 'we keep socialdistancing': 972133, 'also bc': 47909, '19 grocery': 7285, 'store think': 810684, 'think that': 885584, 'it okay': 460021, 'okay to': 598021, 'to hike': 907760, 'hike up': 396290, 'price 20': 672120, '20 in': 13101, 'this global': 887702, 'global issue': 351994, 'also bc of': 47910, 'bc of covid': 113258, 'covid 19 grocery': 213167, '19 grocery store': 7291, 'grocery store think': 365857, 'store think that': 810690, 'think that it': 885595, 'that it okay': 844730, 'it okay to': 460022, 'okay to hike': 598024, 'to hike up': 907765, 'hike up their': 396293, 'their price 20': 874371, 'price 20 in': 672124, '20 in this': 13106, 'in this global': 429952, 'this global issue': 887706, 'that these': 846908, 'are uncertain': 91267, 'have published': 382103, 'published information': 688658, 'information for': 437821, 'for tenant': 326204, 'tenant consumer': 837836, 'business on': 144134, 'website this': 975435, 'this page': 889352, 'page is': 633863, 'is being': 446061, 'being regularly': 125662, 'updated information': 947388, 'information becomes': 437763, 'becomes available': 120202, 'understand that these': 940735, 'that these are': 846909, 'these are uncertain': 879642, 'are uncertain time': 91271, 'uncertain time for': 939617, 'time for everyone': 896706, 'for everyone we': 321250, 'everyone we have': 287563, 'we have published': 971909, 'have published information': 382104, 'published information for': 688659, 'information for tenant': 437831, 'for tenant consumer': 326206, 'tenant consumer and': 837837, 'and business on': 59294, 'business on our': 144138, 'our website this': 625353, 'website this page': 975436, 'this page is': 889354, 'page is being': 633864, 'is being regularly': 446109, 'being regularly updated': 125663, 'regularly updated information': 707961, 'updated information becomes': 947389, 'information becomes available': 437764, 'soaring': 779310, 'alcoholic': 41201, 'fmcg': 311711, 'alcohol sale': 41087, 'are soaring': 90226, 'soaring drive': 779320, 'drive 160': 258969, '160 million': 4212, 'million additional': 532049, 'additional spend': 31866, 'spend on': 788659, 'on alcoholic': 599210, 'alcoholic beverage': 41204, 'beverage in': 129008, 'supermarket fmcg': 820345, 'alcohol sale are': 41088, 'sale are soaring': 732069, 'are soaring drive': 90229, 'soaring drive 160': 779321, 'drive 160 million': 258970, '160 million additional': 4213, 'million additional spend': 532050, 'additional spend on': 31867, 'spend on alcoholic': 788660, 'on alcoholic beverage': 599211, 'alcoholic beverage in': 41208, 'beverage in supermarket': 129009, 'in supermarket fmcg': 428599, 'the glove': 856372, 'glove dump': 352663, 'dump grocery': 262162, 'worker already': 1006232, 'stop the glove': 805133, 'the glove dump': 856373, 'glove dump grocery': 352664, 'dump grocery store': 262163, 'store worker already': 811449, 'worker already have': 1006233, 'already have enough': 47419, 'have enough to': 380469, 'enough to deal': 277696, 'stung': 815306, 'subscription': 815877, 'superior': 818690, 'pocket': 662149, 'expat': 290575, 'get stung': 348142, 'stung with': 815307, 'with cheap': 997610, 'cheap subscription': 174205, 'subscription always': 815878, 'always remember': 49715, 'cheap you': 174239, 'll end': 496730, 'up paying': 945752, 'paying twice': 645516, 'twice we': 936552, 'we offer': 972622, 'offer you': 594893, 'you superior': 1021473, 'superior streaming': 818699, 'streaming at': 812805, 'at great': 98796, 'great price': 362905, 'price check': 673120, 'for plan': 324568, 'plan that': 658241, 'that suit': 846555, 'suit your': 817805, 'your pocket': 1025336, 'pocket expat': 662167, 'expat student': 290584, 'student palmsunday': 814752, 'palmsunday stayhomesavelives': 634624, 'not get stung': 569610, 'get stung with': 348143, 'stung with cheap': 815308, 'with cheap subscription': 997613, 'cheap subscription always': 174206, 'subscription always remember': 815879, 'always remember if': 49717, 'remember if you': 710215, 'if you buy': 415402, 'you buy cheap': 1017564, 'buy cheap you': 148486, 'cheap you ll': 174240, 'you ll end': 1019648, 'll end up': 496731, 'end up paying': 276042, 'up paying twice': 945753, 'paying twice we': 645517, 'twice we offer': 936553, 'we offer you': 972630, 'offer you superior': 594897, 'you superior streaming': 1021474, 'superior streaming at': 818700, 'streaming at great': 812806, 'at great price': 98798, 'great price check': 362909, 'price check out': 673121, 'out for plan': 626151, 'for plan that': 324569, 'plan that suit': 658243, 'that suit your': 846557, 'suit your pocket': 817806, 'your pocket expat': 1025338, 'pocket expat student': 662168, 'expat student palmsunday': 290585, 'student palmsunday stayhomesavelives': 814753, 'questionable': 693825, 'currently no': 221597, 'no at': 563632, 'home covid': 400965, 'kit available': 475506, 'available for': 104355, 'consumer purchase': 198608, 'purchase be': 689377, 'for scam': 325359, 'and visit': 74983, 'fda or': 300895, 'or ftc': 615406, 'investigate or': 443803, 'or report': 616852, 'report questionable': 712203, 'questionable product': 693828, 'there are currently': 878088, 'are currently no': 85667, 'currently no at': 221598, 'no at home': 563633, 'at home covid': 98964, 'home covid 19': 400966, '19 test kit': 11077, 'test kit available': 839051, 'kit available for': 475507, 'available for consumer': 104362, 'for consumer purchase': 320283, 'consumer purchase be': 198611, 'purchase be on': 689378, 'lookout for scam': 503084, 'for scam and': 325360, 'scam and visit': 740027, 'and visit the': 74985, 'visit the fda': 959378, 'the fda or': 855022, 'fda or ftc': 300896, 'or ftc to': 615407, 'ftc to investigate': 339458, 'to investigate or': 908492, 'investigate or report': 443804, 'or report questionable': 616855, 'report questionable product': 712204, 'trucker': 932889, 'restocked': 716935, 'thankatrucker': 841863, 'trucker are': 932899, 'getting it': 349074, 'it done': 457667, 'done shelf': 255002, 'being restocked': 125687, 'restocked and': 716938, 'and inventory': 65354, 'inventory at': 443647, 'at warehouse': 101496, 'warehouse remain': 966755, 'strong there': 814135, 'essential staple': 281576, 'staple in': 793956, 'chain no': 170943, 'hoard but': 398765, 'do thankatrucker': 250213, 'trucker are getting': 932903, 'are getting it': 86814, 'getting it done': 349076, 'it done shelf': 457668, 'done shelf are': 255003, 'shelf are being': 756792, 'are being restocked': 84914, 'being restocked and': 125688, 'restocked and inventory': 716939, 'and inventory at': 65355, 'inventory at warehouse': 443648, 'at warehouse remain': 101498, 'warehouse remain strong': 966756, 'remain strong there': 709873, 'strong there is': 814136, 'of food water': 583813, 'water and essential': 968860, 'and essential staple': 62263, 'essential staple in': 281577, 'staple in the': 793961, 'in the supply': 429587, 'supply chain no': 824997, 'chain no need': 170945, 'need to hoard': 555963, 'to hoard but': 907867, 'hoard but do': 398766, 'but do thankatrucker': 145562, 'navigate': 553057, 'is dramatically': 447367, 'dramatically changing': 258329, 'changing consumer': 172664, 'behavior worldwide': 124319, 'worldwide we': 1010440, 'look to': 502624, 'the ecommerce': 853877, 'ecommerce business': 266723, 'how should': 408676, 'should retail': 766418, 'retail company': 717971, 'company navigate': 190903, 'navigate through': 553098, 'read here': 700348, 'here retail': 393521, 'retail analytics': 717810, 'pandemic is dramatically': 635765, 'is dramatically changing': 447369, 'dramatically changing consumer': 258330, 'changing consumer behavior': 172667, 'consumer behavior worldwide': 196540, 'behavior worldwide we': 124320, 'worldwide we look': 1010441, 'we look to': 972295, 'look to the': 502641, 'to the ecommerce': 916662, 'the ecommerce business': 853878, 'ecommerce business to': 266726, 'business to understand': 144564, 'to understand how': 917903, 'understand how should': 940649, 'how should retail': 408679, 'should retail company': 766419, 'retail company navigate': 717975, 'company navigate through': 190905, 'navigate through the': 553101, 'through the crisis': 894729, 'the crisis read': 852438, 'crisis read here': 217941, 'read here retail': 700354, 'here retail analytics': 393522, 'history': 397999, 'morning in': 541304, 'is sure': 452483, 'sure to': 827757, 'one for': 606303, 'the history': 857389, 'history book': 398008, 'book please': 134583, 'safe wear': 730123, 'use lot': 949349, 'good morning in': 357407, 'morning in this': 541310, 'in this is': 429966, 'this is sure': 888418, 'is sure to': 452484, 'sure to be': 827758, 'be one for': 116222, 'one for the': 606308, 'for the history': 326477, 'the history book': 857390, 'history book please': 398010, 'book please stay': 134584, 'stay safe wear': 797295, 'safe wear mask': 730124, 'mask and use': 518384, 'and use lot': 74777, 'use lot of': 949350, 'lot of hand': 504200, 'house coronavirus': 406247, 'force give': 328395, 'watch the white': 968556, 'white house coronavirus': 987846, 'house coronavirus task': 406249, 'task force give': 834686, 'force give an': 328396, 'give an update': 350384, 'one can': 606043, 'say for': 738647, 'for sure': 326070, 'sure when': 827823, 'end but': 275794, 'that china': 843211, 'to experience': 905455, 'experience the': 291502, 'ha learned': 371119, 'learned abundant': 484107, 'abundant lesson': 27601, 'lesson from': 486477, 'we focus': 971576, 'of on': 587208, 'on china': 599908, 'china retail': 176911, 'consumer industry': 197854, 'no one can': 564923, 'one can say': 606048, 'can say for': 159515, 'say for sure': 738648, 'for sure when': 326080, 'sure when this': 827826, 'when this pandemic': 984309, 'this pandemic will': 889447, 'pandemic will end': 637007, 'will end but': 993304, 'end but we': 275795, 'know that china': 476758, 'that china wa': 843212, 'china wa the': 177046, 'wa the first': 963447, 'the first to': 855359, 'first to experience': 309125, 'to experience the': 905462, 'experience the outbreak': 291505, 'the outbreak ha': 862634, 'outbreak ha learned': 628271, 'ha learned abundant': 371120, 'learned abundant lesson': 484108, 'abundant lesson from': 27602, 'lesson from it': 486481, 'from it here': 336118, 'it here we': 458575, 'here we focus': 393787, 'we focus on': 971577, 'focus on the': 311901, 'impact of on': 417790, 'of on china': 587209, 'on china retail': 599909, 'china retail and': 176912, 'retail and consumer': 717815, 'and consumer industry': 60392, 'remnant': 710667, 'acre': 29204, 'cucumber': 220178, 'looking at': 502796, 'the remnant': 865502, 'remnant of': 710668, 'of about': 579707, 'about 60': 24736, '60 acre': 20875, 'acre of': 29208, 'of cucumber': 582238, 'cucumber for': 220179, 'for which': 327828, 'which the': 986371, 'market disappeared': 516292, 'disappeared week': 244072, 'ago due': 38373, 'looking at the': 502827, 'at the remnant': 101076, 'the remnant of': 865503, 'remnant of about': 710669, 'of about 60': 579712, 'about 60 acre': 24737, '60 acre of': 20876, 'acre of cucumber': 29209, 'of cucumber for': 582239, 'cucumber for which': 220180, 'for which the': 327829, 'which the market': 986374, 'the market disappeared': 860102, 'market disappeared week': 516293, 'disappeared week ago': 244073, 'week ago due': 975845, 'ago due to': 38374, 'and the collapse': 73288, 'collapse of the': 186045, 'the food service': 855600, 'resilient': 714510, 'bountiful': 136871, 'harvest': 378602, 'american farmer': 51967, 'are resilient': 89625, 'resilient and': 714514, 'produce bountiful': 680214, 'bountiful harvest': 136874, 'harvest our': 378632, 'chain remain': 171039, 'strong no': 814075, 'hoard respect': 398859, 'respect the': 715061, 'american farmer are': 51968, 'farmer are resilient': 299292, 'are resilient and': 89626, 'resilient and continue': 714515, 'to produce bountiful': 912188, 'produce bountiful harvest': 680215, 'bountiful harvest our': 136875, 'harvest our food': 378633, 'our food supply': 623134, 'supply chain remain': 825020, 'chain remain strong': 171041, 'remain strong no': 709870, 'strong no need': 814076, 'to hoard respect': 907877, 'hoard respect the': 398860, 'respect the need': 715065, 'the need of': 861398, 'need of your': 555351, 'of your neighbor': 593500, 'neighbor and only': 556979, 'and only buy': 68130, 'buy what is': 149454, 'what is necessary': 981711, 'curative': 220542, 'credible': 216279, 'nasties': 552049, 'no curative': 563940, 'curative treatment': 220543, 'this moment': 888865, 'moment no': 536004, 'no matter': 564729, 'matter what': 520650, 'what that': 982282, 'that really': 845958, 'really credible': 702088, 'credible email': 216280, 'email tweet': 272352, 'tweet post': 936393, 'post supporting': 666337, 'supporting you': 827235, 'you say': 1020996, 'say learn': 738885, 'to identify': 908087, 'identify those': 413375, 'those nasties': 892236, 'there is currently': 878543, 'is currently no': 446995, 'currently no curative': 221599, 'no curative treatment': 563941, 'curative treatment for': 220544, 'treatment for this': 931079, 'for this moment': 327048, 'this moment no': 888877, 'moment no matter': 536006, 'no matter what': 564733, 'matter what that': 520653, 'what that really': 982287, 'that really credible': 845960, 'really credible email': 702089, 'credible email tweet': 216281, 'email tweet post': 272353, 'tweet post supporting': 936395, 'post supporting you': 666338, 'supporting you say': 827237, 'you say learn': 1021000, 'say learn how': 738886, 'how to identify': 409030, 'to identify those': 908090, 'identify those nasties': 413376, 'chain be': 170541, 'be patient': 116369, 'patient do': 644164, 'panic do': 638039, 'hoard social': 398863, 'distancing 19': 246941, '19 trucker': 11583, 'trucker couple': 932910, 'couple reporting': 211662, 'reporting from': 712690, 'road amid': 724393, '19 closure': 5855, 'closure urging': 184057, 'urging people': 948442, 'hoard grocery': 398804, 'item foxnews': 463279, 'food and food': 313235, 'supply chain be': 824913, 'chain be patient': 170543, 'be patient do': 116371, 'patient do not': 644165, 'not panic do': 570906, 'panic do not': 638040, 'do not hoard': 249756, 'not hoard social': 569984, 'hoard social distancing': 398864, 'social distancing 19': 779543, 'distancing 19 trucker': 246942, '19 trucker couple': 11584, 'trucker couple reporting': 932911, 'couple reporting from': 211663, 'reporting from the': 712691, 'from the road': 337861, 'the road amid': 865916, 'road amid covid': 724394, 'covid 19 closure': 212815, '19 closure urging': 5860, 'closure urging people': 184058, 'urging people not': 948443, 'not to hoard': 572158, 'to hoard grocery': 907871, 'hoard grocery item': 398806, 'grocery item foxnews': 364653, 'huh': 410305, 'drugmaker': 261170, 'together huh': 920827, 'huh drugmaker': 410310, 'drugmaker doubled': 261173, 'doubled price': 256135, 'on potential': 602864, 'potential coronavirus': 667044, 'coronavirus treatment': 206962, 'treatment via': 931165, 'this together huh': 890769, 'together huh drugmaker': 920828, 'huh drugmaker doubled': 410311, 'drugmaker doubled price': 261174, 'doubled price on': 256136, 'price on potential': 675708, 'on potential coronavirus': 602865, 'potential coronavirus treatment': 667046, 'coronavirus treatment via': 206966, 'amid signal': 52654, 'signal effort': 769296, 'continue mission': 201064, 'mission and': 534342, 'and encourages': 62103, 'encourages reporting': 275696, 'reporting learn': 712708, 'our here': 623418, 'amid signal effort': 52655, 'signal effort to': 769297, 'effort to continue': 269616, 'to continue mission': 903392, 'continue mission and': 201065, 'mission and encourages': 534343, 'and encourages reporting': 62105, 'encourages reporting learn': 275698, 'reporting learn more': 712709, 'learn more from': 484025, 'more from our': 539306, 'from our here': 336778, 'haus': 379045, 'hanz': 377039, 'b2c': 106478, 'instore': 440495, 'haus of': 379046, 'of hanz': 584453, 'hanz how': 377040, 'how one': 408430, 'one small': 607052, 'small retailer': 775096, 'retailer is': 719219, 'closing the': 183768, '19 experience': 6893, 'experience gap': 291370, 'gap retailer': 343461, 'retailer b2c': 719025, 'b2c online': 106488, 'online instore': 608419, 'instore mobile': 440500, 'mobile shopping': 535023, 'shopping cx': 762429, 'cx commerce': 223900, 'commerce cx': 188539, 'cx retail': 223918, 'haus of hanz': 379047, 'of hanz how': 584454, 'hanz how one': 377041, 'how one small': 408435, 'one small retailer': 607056, 'small retailer is': 775098, 'retailer is closing': 719221, 'is closing the': 446614, 'closing the covid': 183771, 'covid 19 experience': 213059, '19 experience gap': 6894, 'experience gap retailer': 291371, 'gap retailer b2c': 343462, 'retailer b2c online': 719026, 'b2c online instore': 106489, 'online instore mobile': 608420, 'instore mobile shopping': 440501, 'mobile shopping cx': 535025, 'shopping cx commerce': 762430, 'cx commerce cx': 223901, 'commerce cx retail': 188540, 'showroom': 767637, 'dream': 258590, 'vehicle': 954241, 're still': 699587, 'still here': 800696, 'here for': 392995, 'these uncertain': 880912, 'time while': 898326, 'while our': 987129, 'our showroom': 624775, 'showroom is': 767644, 'your dream': 1023597, 'dream ride': 258615, 'ride we': 721471, 'll bring': 496663, 'bring any': 139923, 'any vehicle': 80017, 'vehicle to': 954287, 'for test': 326224, 'test drive': 838976, 'drive or': 259116, 'or curbside': 614864, 'curbside test': 220679, 'drive shop': 259147, 'and buy': 59326, 'buy online': 149043, 'we re still': 972974, 're still here': 699594, 'still here for': 800697, 'here for you': 393015, 'for you even': 328054, 'you even during': 1018448, 'even during these': 284030, 'during these uncertain': 263248, 'these uncertain time': 880914, 'uncertain time while': 939631, 'time while our': 898328, 'while our showroom': 987134, 'our showroom is': 624776, 'showroom is closed': 767645, 'is closed we': 446592, 'closed we are': 183426, 'still available to': 800228, 'available to help': 104645, 'you find your': 1018583, 'find your dream': 307406, 'your dream ride': 1023599, 'dream ride we': 258616, 'ride we ll': 721472, 'we ll bring': 972238, 'll bring any': 496664, 'bring any vehicle': 139924, 'any vehicle to': 80018, 'vehicle to you': 954290, 'to you for': 918900, 'you for test': 1018676, 'for test drive': 326228, 'test drive or': 838977, 'drive or curbside': 259117, 'or curbside test': 614866, 'curbside test drive': 220680, 'test drive shop': 838978, 'drive shop and': 259148, 'shop and buy': 759841, 'and buy online': 59346, 'buy online and': 149044, 'online and more': 607825, 'carl': 164743, 'safina': 730867, 'ebola': 266541, '3of': 18365, 'pathogen': 644073, 'originate': 619604, 'is wake': 453739, 'call carl': 155811, 'carl safina': 164744, 'safina medium': 730868, 'medium why': 527352, 'we seeing': 973178, 'seeing boom': 746238, 'boom in': 134809, 'virus like': 958459, 'like ebola': 490156, 'ebola sars': 266552, 'sars and': 736793, 'coronavirus 3of': 205443, '3of emerging': 18366, 'emerging pathogen': 273139, 'pathogen originate': 644082, 'originate in': 619607, 'our demand': 622731, 'animal based': 76558, 'based food': 111580, 'food clothing': 313947, 'clothing and': 184246, 'so doe': 776891, '19 is wake': 8080, 'is wake up': 453740, 'up call carl': 944566, 'call carl safina': 155812, 'carl safina medium': 164745, 'safina medium why': 730869, 'medium why are': 527353, 'why are we': 990797, 'are we seeing': 91590, 'we seeing boom': 973179, 'seeing boom in': 746239, 'boom in virus': 134812, 'in virus like': 430607, 'virus like ebola': 958461, 'like ebola sars': 490157, 'ebola sars and': 266553, 'sars and coronavirus': 736794, 'and coronavirus 3of': 60569, 'coronavirus 3of emerging': 205444, '3of emerging pathogen': 18367, 'emerging pathogen originate': 273140, 'pathogen originate in': 644083, 'originate in our': 619608, 'in our demand': 426281, 'our demand for': 622732, 'demand for animal': 235378, 'for animal based': 319356, 'animal based food': 76559, 'based food clothing': 111581, 'food clothing and': 313948, 'clothing and increase': 184248, 'and increase so': 65108, 'increase so doe': 433067, 'so doe the': 776895, 'doe the risk': 251617, 'lipsman': 494060, 'digitalmarketing': 242754, 'emarketer': 272399, 'principal analyst': 678226, 'analyst andrew': 57102, 'andrew lipsman': 76186, 'lipsman discus': 494061, 'current wave': 221428, 'closure marketing': 183940, 'marketing digitalmarketing': 517573, 'digitalmarketing emarketer': 242774, 'principal analyst andrew': 678227, 'analyst andrew lipsman': 57103, 'andrew lipsman discus': 76187, 'lipsman discus the': 494062, 'discus the current': 244912, 'the current wave': 852677, 'current wave of': 221429, 'wave of retail': 969381, 'of retail store': 589055, 'store closure marketing': 807098, 'closure marketing digitalmarketing': 183941, 'marketing digitalmarketing emarketer': 517574, 'need another': 554445, 'another church': 77535, 'church if': 178370, 'your church': 1023220, 'church is': 178374, 'is opened': 450584, 'opened for': 612726, 'for easter': 320919, 'easter service': 265485, 'today socialdistancing': 920200, 'socialdistancing or': 780575, 'is supermarket': 452455, 'you need another': 1019964, 'need another church': 554448, 'another church if': 77536, 'church if your': 178371, 'if your church': 415572, 'your church is': 1023221, 'church is opened': 178379, 'is opened for': 450585, 'opened for easter': 612727, 'for easter service': 320922, 'easter service today': 265488, 'service today socialdistancing': 753002, 'today socialdistancing or': 920202, 'socialdistancing or not': 780578, 'or not that': 616313, 'not that one': 571974, 'that one is': 845497, 'one is supermarket': 606523, 'javitscenter': 464875, 'newyorkcity': 561206, 'editorial': 268673, 'of usa': 592691, 'usa military': 948694, 'military talk': 531503, 'to steel': 915374, 'steel worker': 799366, 'worker near': 1007413, 'near javitscenter': 553526, 'javitscenter newyorkcity': 464876, 'newyorkcity center': 561210, 'center is': 169241, 'is temporary': 452601, 'temporary hospital': 837637, 'will treat': 995229, 'treat patient': 930866, 'patient more': 644213, 'more pic': 540072, 'pic click': 655585, 'click pic': 181941, 'pic for': 655596, 'for editorial': 320955, 'editorial use': 268680, 'use please': 949483, 'trump nyc': 933731, 'member of usa': 528153, 'of usa military': 592692, 'usa military talk': 948696, 'military talk to': 531504, 'talk to steel': 833890, 'to steel worker': 915375, 'steel worker near': 799367, 'worker near javitscenter': 1007414, 'near javitscenter newyorkcity': 553527, 'javitscenter newyorkcity center': 464877, 'newyorkcity center is': 561211, 'center is temporary': 169244, 'is temporary hospital': 452603, 'temporary hospital that': 837639, 'hospital that will': 404676, 'that will treat': 847618, 'will treat patient': 995230, 'treat patient more': 930867, 'patient more pic': 644215, 'more pic click': 540073, 'pic click pic': 655586, 'click pic for': 181942, 'pic for sale': 655597, 'for sale for': 325315, 'sale for editorial': 732229, 'for editorial use': 320956, 'editorial use please': 268681, 'use please contact': 949484, 'contact me for': 200137, 'for price trump': 324733, 'price trump nyc': 677131, 'bro': 140678, 'all increased': 43210, 'increased price': 433408, 'price what': 677464, 'actual fuck': 30657, 'fuck bro': 339533, 'local grocery shop': 498051, 'grocery shop and': 364966, 'shop and the': 759873, 'and the meat': 73476, 'the meat shop': 860386, 'meat shop have': 525742, 'shop have all': 760261, 'have all increased': 379158, 'all increased price': 43211, 'increased price what': 433422, 'price what the': 677473, 'what the actual': 982292, 'the actual fuck': 848321, 'actual fuck bro': 30658, 'is limiting': 449367, 'limiting sale': 492863, 'to stockpiling': 915486, 'stockpiling great': 803975, 'great decision': 362617, 'decision are': 231005, 'you thinking': 1021696, 'thinking 21': 885839, '21 think': 15031, 'think 70': 885072, '70 rationing': 21830, 'rationing stoppanicbuying': 697873, 'sainsbury is limiting': 731686, 'is limiting sale': 449373, 'limiting sale of': 492864, 'sale of all': 732382, 'food product due': 316018, 'due to stockpiling': 261976, 'to stockpiling great': 915488, 'stockpiling great decision': 803976, 'great decision are': 362618, 'decision are you': 231008, 'are you thinking': 91870, 'you thinking 21': 1021697, 'thinking 21 think': 885840, '21 think 70': 15032, 'think 70 rationing': 885073, '70 rationing stoppanicbuying': 21831, 'publicly': 688572, 'traded': 928625, 'lockstep': 500538, 'wineandspirits': 995929, 'large publicly': 479760, 'publicly traded': 688607, 'traded wine': 928632, 'and spirit': 72113, 'spirit company': 789458, 'state stock': 795948, 'are plunging': 89124, 'plunging in': 661537, 'in lockstep': 424865, 'lockstep with': 500539, 'more wineandspirits': 540992, 'for large publicly': 322888, 'large publicly traded': 479761, 'publicly traded wine': 688609, 'traded wine and': 928633, 'wine and spirit': 995769, 'and spirit company': 72114, 'spirit company in': 789459, 'company in the': 190772, 'united state stock': 942241, 'state stock price': 795949, 'stock price are': 802704, 'price are plunging': 672713, 'are plunging in': 89126, 'plunging in lockstep': 661538, 'in lockstep with': 424866, 'lockstep with the': 500540, 'with the rest': 1001454, 'the market learn': 860131, 'learn more wineandspirits': 484044, 'rolled': 725632, 'radiofrequencies': 695475, 'destroying': 239077, 'genetic': 345739, '5gtowers': 20695, 'beaming': 118271, 'microwave': 530527, '5g is': 20672, 'being rolled': 125700, 'rolled out': 725642, 'and tested': 73137, 'tested at': 839268, 'and look': 66362, 'happening radiofrequencies': 377400, 'radiofrequencies are': 695476, 'are destroying': 85798, 'destroying our': 239084, 'our genetic': 623241, 'genetic makeup': 345740, 'makeup 5gtowers': 510894, '5gtowers are': 20696, 'are beaming': 84795, 'beaming with': 118278, 'with microwave': 999496, 'microwave causing': 530528, 'causing to': 168135, 'sick social': 768611, 'distancing toiletpaper': 247573, 'toiletpaper iphone': 922132, '5g is being': 20673, 'is being rolled': 446110, 'being rolled out': 125701, 'rolled out and': 725644, 'out and tested': 625699, 'and tested at': 73138, 'tested at the': 839270, 'same time and': 733347, 'time and look': 896278, 'and look what': 66369, 'look what is': 502671, 'is happening radiofrequencies': 448287, 'happening radiofrequencies are': 377401, 'radiofrequencies are destroying': 695477, 'are destroying our': 85800, 'destroying our genetic': 239087, 'our genetic makeup': 623242, 'genetic makeup 5gtowers': 345741, 'makeup 5gtowers are': 510895, '5gtowers are beaming': 20697, 'are beaming with': 84796, 'beaming with microwave': 118279, 'with microwave causing': 999497, 'microwave causing to': 530529, 'causing to get': 168136, 'get sick social': 348003, 'sick social distancing': 768612, 'social distancing toiletpaper': 779748, 'distancing toiletpaper iphone': 247574, 'corona5g': 204414, 'karen': 470887, 'collecting': 186380, 'weaponsofmassdestruction': 974275, 'chyna': 178438, 'israel': 455582, 'directenergyweapons': 243425, 'cruiseships': 219722, 'jointhedots': 467030, 'girl': 350227, 'sheeple corona5g': 756560, 'corona5g karen': 204415, 'karen keep': 470898, 'keep collecting': 471407, 'collecting your': 186395, 'your toiletpaper': 1026176, 'toiletpaper 5g': 921687, '5g 19': 20654, '19 5gtowers': 4755, 'are causing': 85200, 'causing by': 167997, 'by destroying': 152345, 'our cell': 622336, 'cell and': 168941, 'and turning': 74530, 'turning them': 935959, 'them toxic': 876545, 'toxic weaponsofmassdestruction': 927656, 'weaponsofmassdestruction china': 974276, 'china chyna': 176570, 'chyna israel': 178439, 'israel directenergyweapons': 455589, 'directenergyweapons cruiseships': 243426, 'cruiseships jointhedots': 219725, 'jointhedots boy': 467031, 'boy and': 137238, 'and girl': 63656, 'sheeple corona5g karen': 756561, 'corona5g karen keep': 204416, 'karen keep collecting': 470899, 'keep collecting your': 471408, 'collecting your toiletpaper': 186396, 'your toiletpaper 5g': 1026178, 'toiletpaper 5g 19': 921688, '5g 19 5gtowers': 20655, '19 5gtowers are': 4756, '5gtowers are causing': 20698, 'are causing by': 85201, 'causing by destroying': 167998, 'by destroying our': 152346, 'destroying our cell': 239085, 'our cell and': 622337, 'cell and turning': 168943, 'and turning them': 74531, 'turning them toxic': 935960, 'them toxic weaponsofmassdestruction': 876547, 'toxic weaponsofmassdestruction china': 927657, 'weaponsofmassdestruction china chyna': 974277, 'china chyna israel': 176571, 'chyna israel directenergyweapons': 178440, 'israel directenergyweapons cruiseships': 455590, 'directenergyweapons cruiseships jointhedots': 243427, 'cruiseships jointhedots boy': 219726, 'jointhedots boy and': 467032, 'boy and girl': 137240, 'schwans': 742069, 'for anyone': 319432, 'trouble getting': 932614, 'food delivered': 314089, 'delivered from': 233330, 'store keep': 808641, 'keep in': 471591, 'mind there': 532746, 'there other': 878902, 'other place': 620716, 'place that': 657706, 'that deliver': 843477, 'deliver besides': 233097, 'besides amazon': 127488, 'amazon like': 51027, 'like peapod': 490977, 'peapod in': 646154, 'some area': 782334, 'area or': 92148, 'or try': 617545, 'try schwans': 934564, 'schwans socialdistancing': 742070, 'for anyone who': 319454, 'anyone who is': 80622, 'who is having': 989079, 'is having trouble': 448340, 'having trouble getting': 384388, 'trouble getting food': 932616, 'getting food delivered': 348980, 'food delivered from': 314095, 'delivered from their': 233332, 'from their local': 337942, 'their local grocery': 873870, 'grocery store keep': 365501, 'store keep in': 808643, 'keep in mind': 471593, 'in mind there': 425344, 'mind there other': 532747, 'there other place': 878905, 'other place that': 620724, 'place that deliver': 657710, 'that deliver besides': 843478, 'deliver besides amazon': 233098, 'besides amazon like': 127489, 'amazon like peapod': 51028, 'like peapod in': 490978, 'peapod in some': 646155, 'in some area': 428080, 'some area or': 782340, 'area or try': 92152, 'or try schwans': 617546, 'try schwans socialdistancing': 934565, 'smartphone': 775511, 'damp': 225486, 'soapy': 779208, 'microfiber': 530467, 'earphone': 264948, 'make your': 510754, 'your smartphone': 1025839, 'smartphone safe': 775530, 'use clean': 949109, 'clean regularly': 180626, 'with damp': 997917, 'damp soapy': 225487, 'soapy microfiber': 779211, 'microfiber cloth': 530470, 'cloth wash': 184121, 'soap before': 778948, 'the phone': 863683, 'phone at': 654893, 'at minimum': 99751, 'minimum wipe': 533254, 'wipe with': 996430, 'based disinfectant': 111554, 'disinfectant and': 245605, 'and tissue': 74141, 'tissue 20': 899112, 'sec use': 743642, 'use earphone': 949181, 'earphone instead': 264949, 'of holding': 584705, 'holding them': 400180, 'them directly': 875604, 'directly to': 243585, 'the ear': 853809, 'ear corona': 264394, 'make your smartphone': 510770, 'your smartphone safe': 1025842, 'smartphone safe to': 775531, 'safe to use': 730061, 'to use clean': 918013, 'use clean regularly': 949111, 'clean regularly with': 180627, 'regularly with damp': 707978, 'with damp soapy': 997918, 'damp soapy microfiber': 225488, 'soapy microfiber cloth': 779212, 'microfiber cloth wash': 530471, 'cloth wash your': 184122, 'with soap before': 1000793, 'soap before using': 778952, 'before using the': 123262, 'using the phone': 950708, 'the phone at': 863685, 'phone at minimum': 654896, 'at minimum wipe': 99754, 'minimum wipe with': 533255, 'wipe with an': 996431, 'with an alcohol': 997202, 'alcohol based disinfectant': 40925, 'based disinfectant and': 111556, 'disinfectant and tissue': 245612, 'and tissue 20': 74142, 'tissue 20 sec': 899113, '20 sec use': 13321, 'sec use earphone': 743643, 'use earphone instead': 949182, 'earphone instead of': 264950, 'instead of holding': 440276, 'of holding them': 584707, 'holding them directly': 400181, 'them directly to': 875605, 'directly to the': 243593, 'to the ear': 916659, 'the ear corona': 853810, '1775': 4454, 'patrick': 644352, 'henry': 391779, 'infamous': 436464, 'liberty': 488042, 'satire': 736936, 'patrickhenry': 644361, 'foundingfathers': 330568, 'in 1775': 419708, '1775 patrick': 4455, 'patrick henry': 644357, 'henry gave': 391781, 'gave his': 344622, 'his infamous': 397535, 'infamous give': 436467, 'me liberty': 523074, 'liberty or': 488049, 'me death': 522642, 'death speech': 230210, 'speech if': 788398, 'wa alive': 961462, 'alive today': 41844, 'today satire': 920132, 'satire toiletpaper': 736944, 'toiletpaper patrickhenry': 922331, 'patrickhenry virginia': 644362, 'virginia foundingfathers': 957665, 'foundingfathers humor': 330569, 'today in 1775': 919678, 'in 1775 patrick': 419709, '1775 patrick henry': 4456, 'patrick henry gave': 644358, 'henry gave his': 391782, 'gave his infamous': 344623, 'his infamous give': 397536, 'infamous give me': 436468, 'give me liberty': 350576, 'me liberty or': 523075, 'liberty or give': 488050, 'or give me': 615460, 'give me death': 350570, 'me death speech': 522643, 'death speech if': 230211, 'speech if he': 788399, 'if he wa': 414220, 'he wa alive': 385583, 'wa alive today': 961463, 'alive today satire': 41845, 'today satire toiletpaper': 920133, 'satire toiletpaper patrickhenry': 736945, 'toiletpaper patrickhenry virginia': 922332, 'patrickhenry virginia foundingfathers': 644363, 'virginia foundingfathers humor': 957666, 'consumer survey': 199184, 'survey detail': 828854, 'detail impact': 239204, 'and millennials': 67022, 'millennials mrx': 532019, 'mrx marketresearch': 544481, 'consumer survey detail': 199188, 'survey detail impact': 828855, 'detail impact of': 239205, 'of on consumer': 587211, 'on consumer and': 600025, 'consumer and millennials': 196228, 'and millennials mrx': 67025, 'millennials mrx marketresearch': 532020, 'mrx marketresearch consumerinsights': 544482, 'caravan': 163374, 'registration': 707671, 'alike': 41771, 'yesterday wa': 1015915, 'are everywhere': 86288, 'everywhere caravan': 288184, 'caravan roof': 163381, 'roof box': 725825, 'box even': 137054, 'even car': 283937, 'car with': 163354, 'with french': 998545, 'french registration': 332753, 'registration in': 707682, 'park holiday': 641928, 'holiday even': 400290, 'street from': 812973, 'from so': 337323, 'so irresponsible': 777429, 'irresponsible for': 445051, 'our poor': 624390, 'poor nh': 664234, 'we alike': 970307, 'yesterday wa in': 1015922, 'wa in the': 962388, 'in the local': 429327, 'local supermarket and': 498499, 'supermarket and they': 819083, 'they are everywhere': 881265, 'are everywhere caravan': 86290, 'everywhere caravan roof': 288185, 'caravan roof box': 163382, 'roof box even': 725826, 'box even car': 137055, 'even car with': 283938, 'car with french': 163356, 'with french registration': 998547, 'french registration in': 332755, 'registration in the': 707683, 'the car park': 850385, 'car park holiday': 163224, 'park holiday even': 641929, 'holiday even if': 400291, 'even if there': 284219, 'if there are': 415064, 'plenty of them': 660984, 'of them down': 591734, 'them down the': 875628, 'down the street': 257306, 'the street from': 868228, 'street from so': 812977, 'from so irresponsible': 337324, 'so irresponsible for': 777430, 'irresponsible for our': 445053, 'for our poor': 324282, 'our poor nh': 624391, 'poor nh and': 664235, 'nh and we': 561885, 'and we alike': 75276, 'shoprites': 764559, 'sickened': 768700, 'the should': 867105, 'be given': 115020, 'given hazard': 351010, 'pay given': 644915, 'proper ppe': 684125, 'ppe to': 668082, 'themselves they': 876903, 'they continue': 881802, 'crisis at': 217092, 'least 24': 484350, '24 shoprites': 15685, 'shoprites in': 764560, 'in have': 423566, 'have worker': 383634, 'worker sickened': 1007784, 'sickened with': 768706, 'store worker are': 811454, 'worker are on': 1006411, 'of the should': 591462, 'the should be': 867107, 'should be given': 765634, 'be given hazard': 115026, 'given hazard pay': 351011, 'hazard pay given': 384567, 'pay given the': 644916, 'given the proper': 351147, 'the proper ppe': 864677, 'proper ppe to': 684129, 'ppe to protect': 668085, 'protect themselves they': 685023, 'themselves they continue': 876904, 'they continue to': 881803, 'continue to work': 201280, 'this crisis at': 887019, 'crisis at least': 217093, 'at least 24': 99447, 'least 24 shoprites': 484351, '24 shoprites in': 15686, 'shoprites in have': 764561, 'in have worker': 423570, 'have worker sickened': 383635, 'worker sickened with': 1007785, 'workingfromhome': 1009087, 'workpjs': 1009184, 'morning online': 541393, 'new spring': 559630, 'spring work': 791257, 'work clothes': 1004989, 'clothes workingfromhome': 184238, 'workingfromhome workpjs': 1009115, 'workpjs flattenthecurve': 1009185, 'flattenthecurve stayhomesavelives': 310206, 'spending the morning': 789001, 'the morning online': 860917, 'morning online shopping': 541394, 'shopping for new': 762696, 'for new spring': 323834, 'new spring work': 559631, 'spring work clothes': 791258, 'work clothes workingfromhome': 1004990, 'clothes workingfromhome workpjs': 184239, 'workingfromhome workpjs flattenthecurve': 1009116, 'workpjs flattenthecurve stayhomesavelives': 1009186, 'iron': 444916, 'ore': 619117, '82': 22802, '92': 23461, 'vale': 951871, 'iron ore': 444919, 'ore 82': 619120, '82 55': 22803, '55 92': 20362, '92 vale': 23477, 'vale the': 951878, 'world biggest': 1009364, 'biggest ironore': 130261, 'ironore producer': 444954, 'producer ha': 680629, 'warned that': 967026, 'that price': 845820, 'fall the': 297070, 'pandemic drive': 635332, 'drive the': 259164, 'global economy': 351887, 'economy down': 267814, 'iron ore 82': 444921, 'ore 82 55': 619121, '82 55 92': 22804, '55 92 vale': 20363, '92 vale the': 23478, 'vale the world': 951879, 'the world biggest': 871825, 'world biggest ironore': 1009366, 'biggest ironore producer': 130262, 'ironore producer ha': 444955, 'producer ha warned': 680633, 'ha warned that': 372457, 'warned that price': 967031, 'that price will': 845833, 'price will fall': 677565, 'will fall the': 993409, 'fall the impact': 297073, 'the pandemic drive': 862953, 'pandemic drive the': 635336, 'drive the global': 259166, 'the global economy': 856300, 'global economy down': 351895, '350': 17925, '19 lost': 8475, 'lost 350': 503815, '350 on': 17934, 'shopping but': 762243, 'but wait': 147712, 'wait there': 964202, 'more thanks': 540708, 'virus not': 958535, 'only will': 611476, 'will my': 994138, 'my package': 549671, 'package not': 633333, 'not arrive': 568247, 'their usual': 875095, 'usual day': 950915, 'day shipping': 228345, 'shipping some': 758915, 'them won': 876656, 'in till': 430068, 'till the': 896099, 'of next': 587002, 'covid 19 lost': 213378, '19 lost 350': 8476, 'lost 350 on': 503816, '350 on online': 17935, 'on online shopping': 602524, 'online shopping but': 609058, 'shopping but wait': 762261, 'but wait there': 147714, 'wait there more': 964203, 'there more thanks': 878768, 'more thanks to': 540709, 'to the virus': 917172, 'the virus not': 870866, 'virus not only': 958537, 'not only will': 570839, 'only will my': 611479, 'will my package': 994141, 'my package not': 549672, 'package not arrive': 633334, 'not arrive in': 568248, 'arrive in their': 93921, 'in their usual': 429788, 'their usual day': 875099, 'usual day shipping': 950917, 'day shipping some': 228346, 'shipping some of': 758916, 'some of them': 783410, 'of them won': 591777, 'them won come': 876658, 'won come in': 1003771, 'come in till': 187378, 'in till the': 430070, 'till the end': 896104, 'end of next': 275907, 'of next month': 587004, 'nikki': 563243, 'fried': 333444, 'activates': 30233, 'updated commissioner': 947353, 'commissioner nikki': 188953, 'nikki fried': 563246, 'fried activates': 333445, 'activates child': 30234, 'child meal': 176143, 'meal website': 524297, '19 school': 10363, 'closure 2020': 183820, '2020 press': 14525, 'release press': 708990, 'release news': 708976, 'news event': 560387, 'event home': 284992, 'home florida': 401199, 'florida department': 310917, 'of agriculture': 579842, 'agriculture consumer': 38950, 'updated commissioner nikki': 947354, 'commissioner nikki fried': 188954, 'nikki fried activates': 563247, 'fried activates child': 333446, 'activates child meal': 30235, 'child meal website': 176144, 'meal website for': 524299, 'website for covid': 975264, 'covid 19 school': 213752, '19 school closure': 10367, 'school closure 2020': 741745, 'closure 2020 press': 183822, '2020 press release': 14526, 'press release press': 671080, 'release press release': 708991, 'press release news': 671079, 'release news event': 708977, 'news event home': 560389, 'event home florida': 284993, 'home florida department': 401200, 'florida department of': 310918, 'department of agriculture': 237231, 'of agriculture consumer': 579845, 'agriculture consumer service': 38951, 'victoria': 956532, 'bc this': 113301, 'province victoria': 687202, 'victoria help': 956537, 'help with': 390894, 'food production': 316036, 'production for': 682042, 'time since': 897662, 'since wwii': 771007, 'wwii due': 1013688, '19 demand': 6480, 'demand cbc': 235115, 'bc this all': 113302, 'this all over': 886268, 'over the province': 630756, 'the province victoria': 864736, 'province victoria help': 687203, 'victoria help with': 956538, 'help with food': 390911, 'with food production': 998502, 'food production for': 316044, 'production for 1st': 682043, '1st time since': 12818, 'time since wwii': 897676, 'since wwii due': 771008, 'wwii due to': 1013689, 'covid 19 demand': 212930, '19 demand cbc': 6482, 'demand cbc news': 235116, 'depth': 237753, 'after initial': 35824, 'initial panic': 438546, 'of dining': 582624, 'dining room': 243025, 'restaurant local': 716551, 'are adjusting': 84231, 'adjusting to': 32364, 'normal in': 567179, 'the depth': 853166, 'depth of': 237770, 'pandemic covid': 635255, 'after initial panic': 35826, 'initial panic buying': 438548, 'buying at grocery': 149964, 'and the closure': 73287, 'closure of dining': 183959, 'of dining room': 582626, 'dining room in': 243026, 'room in restaurant': 725922, 'in restaurant local': 427437, 'restaurant local business': 716552, 'local business are': 497750, 'business are adjusting': 143354, 'are adjusting to': 84236, 'adjusting to new': 32368, 'to new normal': 910568, 'new normal in': 559157, 'normal in the': 567182, 'in the depth': 429130, 'the depth of': 853168, 'depth of the': 237771, 'of the global': 591065, 'global pandemic covid': 352081, 'pandemic covid 19': 635256, 'hongkongers': 403224, 'fabric': 294219, 'hongkongers make': 403225, 'make reusable': 510404, 'reusable fabric': 720156, 'fabric mask': 294228, 'mask covid': 518552, 'epidemic lead': 279406, 'to shortage': 914526, 'and sky': 71724, 'sky high': 773195, 'hongkongers make reusable': 403226, 'make reusable fabric': 510405, 'reusable fabric mask': 720157, 'fabric mask covid': 294229, 'mask covid 19': 518553, '19 epidemic lead': 6810, 'epidemic lead to': 279407, 'lead to shortage': 483388, 'to shortage and': 914527, 'shortage and sky': 764828, 'and sky high': 71726, 'sky high price': 773201, 'childresistant': 176327, 'prerolls': 670434, 'cannabiscommunity': 161462, 'good info': 357262, 'info from': 437479, 'the cannabis': 850338, 'cannabis consumer': 161395, 'consumer policy': 198380, 'policy council': 663369, 'council essential': 209979, 'essential certified': 280887, 'certified childresistant': 170228, 'childresistant cannabis': 176328, 'cannabis packaging': 161427, 'packaging edible': 633528, 'edible prerolls': 268557, 'prerolls vape': 670435, 'vape cannabiscommunity': 952451, 'some good info': 782966, 'good info from': 357264, 'info from the': 437482, 'from the cannabis': 337625, 'the cannabis consumer': 850339, 'cannabis consumer policy': 161400, 'consumer policy council': 198382, 'policy council essential': 663370, 'council essential certified': 209980, 'essential certified childresistant': 280888, 'certified childresistant cannabis': 170229, 'childresistant cannabis packaging': 176329, 'cannabis packaging edible': 161428, 'packaging edible prerolls': 633529, 'edible prerolls vape': 268558, 'prerolls vape cannabiscommunity': 670436, 'aka': 40468, 'new aka': 558329, 'aka epidemic': 40481, 'epidemic they': 279457, 'now almost': 573971, 'almost critical': 46586, 'critical to': 218705, 'keep healthy': 471569, 'healthy doctor': 387581, 'nurse corona': 577249, 'country are now': 210473, 'are now at': 88524, 'at the front': 100955, 'the new aka': 861469, 'new aka epidemic': 558330, 'aka epidemic they': 40482, 'epidemic they are': 279458, 'are now almost': 88520, 'now almost critical': 573973, 'almost critical to': 46587, 'critical to keep': 218707, 'to keep healthy': 908800, 'keep healthy doctor': 471570, 'healthy doctor nurse': 387582, 'doctor nurse corona': 251006, 'bizarre': 131962, 'so bizarre': 776623, 'bizarre to': 131972, 'with grocery': 998691, 'grocery list': 364695, 'list and': 494265, 'and come': 60108, 'come home': 187345, 'with le': 999187, 'than half': 840714, 'half the': 374268, 'you went': 1022234, 'went for': 978998, 'for because': 319611, 'because isle': 119170, 'isle after': 454339, 'after isle': 35831, 'isle the': 454387, 'it is so': 459081, 'is so bizarre': 451995, 'so bizarre to': 776624, 'bizarre to go': 131973, 'store with grocery': 811380, 'with grocery list': 998694, 'grocery list and': 364696, 'list and come': 494266, 'and come home': 60109, 'come home with': 187351, 'home with le': 402528, 'with le than': 999189, 'le than half': 483173, 'than half the': 840720, 'half the thing': 374279, 'the thing you': 869470, 'thing you went': 885043, 'you went for': 1022235, 'went for because': 979000, 'for because isle': 319612, 'because isle after': 119171, 'isle after isle': 454340, 'after isle the': 35832, 'isle the shelf': 454388, 'the shelf are': 866824, 'food maker': 315360, 'maker shift': 510868, 'shift production': 758390, 'to focus': 906036, 'the basic': 849301, 'basic during': 111864, 'pandemic canadian': 635090, 'canadian self': 160747, 'isolate eat': 454850, 'eat more': 265981, 'meal at': 524105, 'and stockpile': 72437, 'essential demand': 280967, 'some grocery': 782998, 'been up': 122300, 'by 400': 151649, '400 per': 18768, 'per cent': 650742, 'cent via': 169135, 'food maker shift': 315364, 'maker shift production': 510869, 'shift production to': 758391, 'production to focus': 682242, 'to focus on': 906037, 'on the basic': 603979, 'the basic during': 849307, 'basic during covid': 111865, '19 pandemic canadian': 9284, 'pandemic canadian self': 635091, 'canadian self isolate': 160748, 'self isolate eat': 747672, 'isolate eat more': 454851, 'eat more meal': 265985, 'more meal at': 539760, 'meal at home': 524107, 'at home and': 98939, 'home and stockpile': 400694, 'and stockpile essential': 72439, 'stockpile essential demand': 803738, 'essential demand for': 280968, 'demand for some': 235496, 'for some grocery': 325744, 'some grocery item': 783002, 'grocery item ha': 364655, 'item ha been': 463306, 'ha been up': 369973, 'been up by': 122301, 'up by 400': 944543, 'by 400 per': 151652, '400 per cent': 18769, 'per cent via': 650761, 'censored': 169017, 'actorcon': 30605, 'subject': 815726, 'distracting': 247896, 'kardashian': 470880, 'ac': 27748, 'no photo': 565106, 'photo censored': 655144, 'censored by': 169018, 'by twitter': 154614, 'twitter actorcon': 936630, 'actorcon need': 30606, 'need subject': 555664, 'subject like': 815733, 'like pandemic': 490958, 'to trend': 917767, 'trend distracting': 931321, 'distracting kardashian': 247899, 'kardashian fight': 470881, 'fight how': 304771, 'about real': 26051, 'real crowd': 701091, 'crowd to': 219279, 'to protest': 912357, 'protest or': 685919, 'or go': 615485, 'on toiletpaper': 604783, 'toiletpaper buying': 921837, 'buying run': 150977, 'run there': 727829, 'are thousand': 91063, 'of ac': 579728, 'no photo censored': 565107, 'photo censored by': 655145, 'censored by twitter': 169019, 'by twitter actorcon': 154615, 'twitter actorcon need': 936631, 'actorcon need subject': 30607, 'need subject like': 555665, 'subject like pandemic': 815734, 'like pandemic to': 490961, 'pandemic to trend': 636797, 'to trend distracting': 917769, 'trend distracting kardashian': 931322, 'distracting kardashian fight': 247900, 'kardashian fight how': 470882, 'fight how about': 304772, 'how about real': 407298, 'about real crowd': 26052, 'real crowd to': 701092, 'crowd to protest': 219281, 'to protest or': 912359, 'protest or go': 685920, 'or go on': 615490, 'go on toiletpaper': 353902, 'on toiletpaper buying': 604787, 'toiletpaper buying run': 921838, 'buying run there': 150978, 'run there are': 727830, 'there are thousand': 878177, 'are thousand of': 91066, 'thousand of ac': 893420, 'shut out': 767917, 'of international': 585259, 'international capital': 441763, 'capital market': 162665, 'and facing': 62601, 'facing further': 295479, 'further hit': 342061, 'hit to': 398469, 'it finance': 458002, 'finance with': 306304, 'price iran': 674851, 'iran is': 444689, 'it economy': 457755, 'economy from': 267883, 'to economist': 904931, 'shut out of': 767918, 'out of international': 626763, 'of international capital': 585260, 'international capital market': 441764, 'capital market and': 162666, 'market and facing': 515964, 'and facing further': 62604, 'facing further hit': 295480, 'further hit to': 342062, 'hit to it': 398476, 'to it finance': 908579, 'it finance with': 458003, 'finance with the': 306305, 'with the collapse': 1001238, 'the collapse in': 851146, 'collapse in oil': 186018, 'oil price iran': 597170, 'price iran is': 674852, 'iran is struggling': 444692, 'struggling to shield': 814517, 'shield it economy': 758162, 'it economy from': 457758, 'economy from the': 267884, 'from the pandemic': 337824, 'the pandemic according': 862894, 'according to economist': 28534, '00s': 704, 'buckle': 141694, '5m': 20754, 'beard': 118432, 'reader': 700680, '00s are': 705, 'of going': 584186, 'going hungry': 355202, 'hungry supermarket': 411313, 'supermarket buckle': 819425, 'buckle under': 141697, 'for home': 322339, 'to 5m': 899780, '5m vulnerable': 20777, 'and million': 67026, 'million more': 532244, 'more who': 540972, 'shield report': 758174, 'report beard': 711826, 'beard here': 118435, 'what one': 981965, 'one reader': 606940, 'reader told': 700705, '00s are at': 706, 'risk of going': 723751, 'of going hungry': 584191, 'going hungry supermarket': 355207, 'hungry supermarket buckle': 411314, 'supermarket buckle under': 819426, 'buckle under the': 141698, 'under the demand': 940300, 'demand for home': 235441, 'for home delivery': 322343, 'home delivery to': 401053, 'delivery to 5m': 234650, 'to 5m vulnerable': 899782, '5m vulnerable people': 20778, 'vulnerable people and': 961079, 'people and million': 646871, 'and million more': 67030, 'million more who': 532245, 'more who have': 540974, 'who have been': 988912, 'have been asked': 379469, 'asked to shield': 95878, 'to shield report': 914408, 'shield report beard': 758175, 'report beard here': 711827, 'beard here what': 118436, 'here what one': 393816, 'what one reader': 981967, 'one reader told': 606941, 'reader told her': 700706, 'skyward': 773460, 'bar closure': 110691, 'closure and': 183830, 'consumer fear': 197451, 'fear sent': 301316, 'sent sale': 750805, 'sale skyward': 732527, 'skyward last': 773461, 'week at': 975956, 'at liquor': 99593, 'liquor store': 494199, 'bar closure and': 110692, 'closure and consumer': 183833, 'and consumer fear': 60379, 'consumer fear sent': 197460, 'fear sent sale': 301317, 'sent sale skyward': 750806, 'sale skyward last': 732528, 'skyward last week': 773462, 'last week at': 480634, 'week at liquor': 975962, 'at liquor store': 99594, 'liquor store across': 494200, 'peep': 646270, 'cowvid19': 214513, 'cowvid': 214510, 'worldofcow': 1010262, 'workingfromhomelife': 1009117, 'the working': 871776, 'home series': 402038, 'series stay': 751299, 'safe peep': 729881, 'peep cowvid19': 646274, 'cowvid19 cowvid': 214514, 'cowvid 19': 214511, '19 worldofcow': 12199, 'worldofcow selfisolation': 1010265, 'selfisolation socialdistancing': 748486, 'socialdistancing workingfromhomelife': 780886, 'workingfromhomelife workingfromhome': 1009123, 'workingfromhome toiletpaper': 1009113, 'day of the': 228110, 'of the working': 591629, 'the working from': 871780, 'from home series': 335902, 'home series stay': 402039, 'series stay safe': 751300, 'stay safe peep': 797264, 'safe peep cowvid19': 729882, 'peep cowvid19 cowvid': 646275, 'cowvid19 cowvid 19': 214515, 'cowvid 19 worldofcow': 214512, '19 worldofcow selfisolation': 12200, 'worldofcow selfisolation socialdistancing': 1010266, 'selfisolation socialdistancing workingfromhomelife': 748488, 'socialdistancing workingfromhomelife workingfromhome': 780887, 'workingfromhomelife workingfromhome toiletpaper': 1009124, '2011': 13764, 'revived': 720692, 'the 2011': 847999, '2011 video': 13773, 'of special': 589967, 'supermarket sale': 822303, 'sale ha': 732256, 'been revived': 121856, 'revived in': 720695, 'uk spain': 938729, 'spain amp': 787269, 'amp belgium': 53446, 'belgium well': 126194, 'the 2011 video': 848001, '2011 video of': 13774, 'video of special': 956833, 'of special supermarket': 589969, 'special supermarket sale': 788064, 'supermarket sale ha': 822305, 'sale ha been': 732257, 'ha been revived': 369906, 'been revived in': 121857, 'revived in the': 720696, '19 in the': 7791, 'the uk spain': 870282, 'uk spain amp': 938730, 'spain amp belgium': 787270, 'amp belgium well': 53447, 'suppresses': 827413, 'fall by': 296867, 'most in': 542433, 'in more': 425432, 'than five': 840654, 'five year': 309687, 'and further': 63439, 'further decrease': 342025, 'decrease are': 231550, 'likely the': 492117, 'outbreak suppresses': 628677, 'suppresses demand': 827414, 'service 19': 752018, 'consumer price fall': 198419, 'price fall by': 673779, 'fall by the': 296874, 'by the most': 154380, 'the most in': 861000, 'most in more': 542435, 'in more than': 425447, 'more than five': 540620, 'than five year': 840656, 'five year in': 309692, 'in march and': 425080, 'march and further': 515271, 'and further decrease': 63441, 'further decrease are': 342026, 'decrease are likely': 231551, 'are likely the': 87805, 'likely the outbreak': 492119, 'the outbreak suppresses': 862703, 'outbreak suppresses demand': 628678, 'suppresses demand for': 827415, 'for some good': 325743, 'some good and': 782959, 'and service 19': 71294, 'ash': 95024, 'resold': 714622, 'insanely': 439085, '85p': 22959, 'ash can': 95027, 'can dm': 158086, 'dm you': 248939, 'you ash': 1017313, 'ash certain': 95029, 'certain that': 170109, 'what some': 982215, 'shop here': 760273, 'here have': 393073, 'done cleared': 254808, 'cleared supermarket': 181434, 'and resold': 70313, 'resold at': 714623, 'at insanely': 99305, 'insanely higher': 439090, 'price but': 672971, 'but cannot': 145376, 'cannot 100': 161580, '100 prove': 2056, 'it same': 460859, 'same paracetamol': 733202, 'paracetamol usually': 641276, 'usually get': 951119, 'get for': 347081, 'for 85p': 318929, '85p being': 22960, 'being sold': 125827, 'ash can dm': 95028, 'can dm you': 158088, 'dm you ash': 248940, 'you ash certain': 1017314, 'ash certain that': 95030, 'certain that what': 170111, 'that what some': 847467, 'what some of': 982218, 'of the shop': 591458, 'the shop here': 867000, 'shop here have': 760275, 'here have done': 393075, 'have done cleared': 380327, 'done cleared supermarket': 254809, 'cleared supermarket shelf': 181435, 'shelf and resold': 756758, 'and resold at': 70314, 'resold at insanely': 714625, 'at insanely higher': 99306, 'insanely higher price': 439091, 'higher price but': 395667, 'price but cannot': 672974, 'but cannot 100': 145377, 'cannot 100 prove': 161581, '100 prove it': 2057, 'prove it same': 686108, 'it same paracetamol': 460860, 'same paracetamol usually': 733203, 'paracetamol usually get': 641277, 'usually get for': 951121, 'get for 85p': 347082, 'for 85p being': 318930, '85p being sold': 22961, 'adequate': 32153, 'so very': 778628, 'sad heart': 729176, 'heart go': 388295, 'family london': 297998, 'london bus': 501044, 'bus operator': 143063, 'operator and': 613340, 'do all': 249038, 'their power': 874343, 'sure bus': 827504, 'driver have': 259591, 'have adequate': 379128, 'adequate ppe': 32172, 'ppe bus': 667925, 'driver taxi': 259772, 'them safe': 876235, 'this is so': 888403, 'is so very': 452045, 'so very sad': 778632, 'very sad heart': 955488, 'sad heart go': 729177, 'heart go out': 388296, 'out to their': 627690, 'to their family': 917233, 'their family london': 873259, 'family london bus': 297999, 'london bus operator': 501045, 'bus operator and': 143064, 'operator and need': 613345, 'and need to': 67483, 'need to do': 555907, 'to do all': 904476, 'do all in': 249041, 'all in their': 43207, 'in their power': 429764, 'their power to': 874344, 'power to make': 667711, 'make sure bus': 510507, 'sure bus driver': 827505, 'bus driver have': 143020, 'driver have adequate': 259592, 'have adequate ppe': 379130, 'adequate ppe bus': 32173, 'ppe bus driver': 667926, 'bus driver taxi': 143030, 'driver taxi driver': 259774, 'taxi driver supermarket': 835161, 'worker are the': 1006433, 'are the unsung': 90928, 'hero of the': 394049, 'the crisis keep': 852397, 'crisis keep them': 217634, 'keep them safe': 472115, 'solely': 781860, 'overspending': 631542, 'great economy': 362646, 'economy that': 268262, 'that relies': 845985, 'relies solely': 709523, 'solely on': 781867, 'consumer overspending': 198314, 'overspending apparently': 631543, 'great economy that': 362647, 'economy that relies': 268268, 'that relies solely': 845986, 'relies solely on': 709524, 'solely on consumer': 781868, 'on consumer overspending': 600064, 'consumer overspending apparently': 198315, '2k20': 16631, 'cardio': 163764, 'babydoll': 106758, 'basketball': 112429, 'nfl': 561773, 'nba': 553201, 'peaceful': 646024, 'running in': 727978, 'place working': 657851, 'working out': 1008843, 'out 2k20': 625533, '2k20 park': 16636, 'park workout': 642032, 'workout cardio': 1009153, 'cardio babydoll': 163765, 'babydoll basketball': 106759, 'basketball court': 112430, 'court bored': 211976, 'bored toiletpaper': 135379, 'toiletpaper running': 922429, 'running lockdown': 727992, 'lockdown home': 499471, 'home governor': 401310, 'governor brown': 360884, 'brown nfl': 141246, 'nfl nba': 561778, 'nba cleveland': 553202, 'cleveland art': 181839, 'art poetry': 94185, 'poetry peaceful': 662380, 'peaceful beauty': 646027, 'beauty meditation': 118767, 'meditation ventilator': 526961, 'ventilator via': 954631, 'running in place': 727980, 'in place working': 426778, 'place working out': 657852, 'working out 2k20': 1008844, 'out 2k20 park': 625534, '2k20 park workout': 16637, 'park workout cardio': 642033, 'workout cardio babydoll': 1009154, 'cardio babydoll basketball': 163766, 'babydoll basketball court': 106760, 'basketball court bored': 112431, 'court bored toiletpaper': 211977, 'bored toiletpaper running': 135380, 'toiletpaper running lockdown': 922430, 'running lockdown home': 727993, 'lockdown home governor': 499472, 'home governor brown': 401311, 'governor brown nfl': 360886, 'brown nfl nba': 141248, 'nfl nba cleveland': 561779, 'nba cleveland art': 553203, 'cleveland art poetry': 181840, 'art poetry peaceful': 94188, 'poetry peaceful beauty': 662381, 'peaceful beauty meditation': 646028, 'beauty meditation ventilator': 118768, 'meditation ventilator via': 526962, 'compilation': 191802, 'insightful': 439669, 'attentive': 102511, 'our partner': 624270, 'partner at': 642779, 'at comprehensive': 98307, 'comprehensive compilation': 192626, 'compilation of': 191803, 'of data': 582352, 'data surrounding': 226438, 'surrounding covid': 828744, 'behavior explore': 124033, 'explore insightful': 292487, 'insightful data': 439676, 'data provided': 226371, 'provided by': 686572, 'the platform': 863822, 'platform partner': 659020, 'partner including': 642837, 'including attentive': 431884, 'from our partner': 336793, 'our partner at': 624273, 'partner at comprehensive': 642781, 'at comprehensive compilation': 98308, 'comprehensive compilation of': 192627, 'compilation of data': 191804, 'of data surrounding': 582361, 'data surrounding covid': 226439, 'surrounding covid 19': 828745, 'consumer behavior explore': 196475, 'behavior explore insightful': 124034, 'explore insightful data': 292488, 'insightful data provided': 439677, 'data provided by': 226372, 'provided by the': 686579, 'by the platform': 154408, 'the platform partner': 863824, 'platform partner including': 659021, 'partner including attentive': 642838, 'goddamn': 354852, 'treasure': 930762, 'hunt': 411348, 'just finding': 468720, 'finding chicken': 307449, 'chicken in': 175797, 'supermarket these': 823282, 'day ha': 227712, 'become goddamn': 120011, 'goddamn treasure': 354859, 'treasure hunt': 930767, 'hunt coronapocolypse': 411357, 'just finding chicken': 468721, 'finding chicken in': 307450, 'chicken in supermarket': 175799, 'in supermarket these': 428690, 'supermarket these day': 823283, 'these day ha': 879875, 'day ha become': 227713, 'ha become goddamn': 369679, 'become goddamn treasure': 120012, 'goddamn treasure hunt': 354860, 'treasure hunt coronapocolypse': 930768, 'universe': 942389, 'kate': 471013, 'telstra': 837305, 'universe hi': 942392, 'hi kate': 394690, 'kate we': 471023, 've announced': 952844, 'announced our': 77008, 'our offer': 624112, 'offer for': 594614, 'customer here': 222464, 'here these': 393677, 'are unprecedented': 91332, 'provide update': 686529, 'our business': 622284, 'business people': 144208, 'people policy': 649147, 'customer on': 222642, 'on telstra': 603897, 'universe hi kate': 942393, 'hi kate we': 394691, 'kate we ve': 471025, 'we ve announced': 973638, 've announced our': 952846, 'announced our offer': 77010, 'our offer for': 624113, 'offer for consumer': 594617, 'for consumer and': 320240, 'business customer here': 143611, 'customer here these': 222467, 'here these are': 393678, 'these are unprecedented': 879643, 'are unprecedented time': 91335, 'unprecedented time and': 943195, 'time and we': 896305, 'and we will': 75333, 'we will continue': 973846, 'continue to provide': 201238, 'to provide update': 912446, 'provide update on': 686530, 'update on our': 947128, 'on our business': 602580, 'our business people': 622290, 'business people policy': 144209, 'people policy and': 649148, 'policy and customer': 663329, 'and customer on': 60854, 'customer on telstra': 222643, 'noise': 566220, 'great source': 362999, '19 data': 6421, 'data updated': 226477, 'updated daily': 947360, 'daily be': 224514, 'cautious but': 168212, 'but stop': 147191, 'stop panicking': 804896, 'panicking there': 639386, 'is much': 449761, 'more noise': 539848, 'noise than': 566231, 'than fact': 840632, 'fact now': 295758, 'to yell': 918875, 'yell fire': 1015210, 'fire in': 308093, 'great source of': 363001, 'source of covid': 786519, 'covid 19 data': 212911, '19 data updated': 6423, 'data updated daily': 226478, 'updated daily be': 947361, 'daily be cautious': 224515, 'be cautious but': 114033, 'cautious but stop': 168213, 'but stop panicking': 147194, 'stop panicking there': 804899, 'panicking there is': 639387, 'there is much': 878590, 'is much more': 449766, 'much more noise': 545117, 'more noise than': 539849, 'noise than fact': 566232, 'than fact now': 840633, 'fact now is': 295759, 'now is not': 575080, 'time to yell': 898103, 'to yell fire': 918876, 'yell fire in': 1015211, 'fire in crowded': 308094, 'contributing': 201905, 'teacher emergency': 835458, 'others contributing': 621339, 'contributing in': 201912, 'in any': 420416, 'other way': 621184, 'nurse supermarket staff': 577490, 'staff teacher emergency': 792923, 'teacher emergency service': 835459, 'emergency service and': 272950, 'service and others': 752102, 'and others contributing': 68440, 'others contributing in': 621340, 'contributing in any': 201913, 'in any other': 420431, 'any other way': 79610, 'incentivize': 431379, 'increase your': 433160, 'the pay': 863408, 'pay of': 645010, 'your worker': 1026380, 'worker incentivize': 1007213, 'incentivize them': 431384, 'increase your price': 433163, 'your price increase': 1025404, 'increase the pay': 433110, 'the pay of': 863409, 'pay of your': 645012, 'of your worker': 593537, 'your worker incentivize': 1026382, 'worker incentivize them': 1007214, 'deferred': 232190, 'fijinews': 305310, 'lost your': 503958, 'also slowing': 48884, 'slowing down': 774535, 'government can': 359957, 'can invoke': 158766, 'the hardship': 857118, 'hardship provision': 378303, 'credit act': 216293, 'allow payment': 46029, 'payment on': 645688, 'on personal': 602770, 'personal mortgage': 652917, 'and installment': 65278, 'installment purchase': 440058, 'purchase to': 689693, 'be deferred': 114376, 'deferred fijinews': 232193, 'you have lost': 1019071, 'have lost your': 381388, 'lost your job': 503960, 'your job due': 1024528, '19 crisis and': 6212, 'crisis and the': 217054, 'and the economy': 73340, 'the economy is': 853985, 'economy is also': 267987, 'is also slowing': 445579, 'also slowing down': 48885, 'slowing down the': 774537, 'down the government': 257279, 'the government can': 856514, 'government can invoke': 359961, 'can invoke the': 158767, 'invoke the hardship': 444314, 'the hardship provision': 857119, 'hardship provision of': 378305, 'provision of the': 687281, 'of the consumer': 590886, 'the consumer credit': 851520, 'consumer credit act': 197013, 'credit act to': 216296, 'act to allow': 29795, 'to allow payment': 900352, 'allow payment on': 46031, 'payment on personal': 645692, 'on personal mortgage': 602775, 'personal mortgage and': 652918, 'mortgage and installment': 541863, 'and installment purchase': 65279, 'installment purchase to': 440059, 'purchase to be': 689696, 'to be deferred': 901195, 'be deferred fijinews': 114378, 'assign': 96595, 'codvid19': 185413, 'vo': 959903, 'always the': 49770, 'gop need': 358259, 'move assign': 543610, 'assign blame': 96596, 'for wasting': 327647, 'wasting time': 968328, 'for no': 323885, 'no other': 565010, 'other benefit': 619887, 'benefit than': 127093, 'than an': 840336, 'an evil': 55888, 'evil country': 288433, 'country that': 211106, 'that make': 844987, 'make everything': 509888, 'need now': 555311, 'now ppe': 575576, 'ppe shortage': 668052, 'shortage maga': 765066, 'maga republican': 508293, 'republican codvid19': 713018, 'codvid19 vo': 185419, 'always the gop': 49771, 'the gop need': 856466, 'gop need to': 358260, 'to move assign': 910303, 'move assign blame': 543611, 'assign blame for': 96597, 'blame for wasting': 132261, 'for wasting time': 327648, 'wasting time for': 968329, 'time for no': 896732, 'for no other': 323890, 'no other benefit': 565012, 'other benefit than': 619888, 'benefit than an': 127094, 'than an evil': 840337, 'an evil country': 55890, 'evil country that': 288434, 'country that make': 211117, 'that make everything': 844993, 'make everything we': 509890, 'everything we need': 288093, 'we need now': 972522, 'need now ppe': 555313, 'now ppe shortage': 575577, 'ppe shortage maga': 668053, 'shortage maga republican': 765067, 'maga republican codvid19': 508294, 'republican codvid19 vo': 713019, 'provisioned': 687291, 'sized': 772820, 'crucial info': 219455, 'from friend': 335568, 'much loo': 545064, 'roll people': 725472, 'people use': 650063, 'use someone': 949604, 'ha frequently': 370680, 'frequently provisioned': 332869, 'provisioned for': 687292, 'month without': 538134, 'without grocery': 1002697, 'store promise': 809677, 'promise you': 683711, 'that roll': 846066, 'of th': 590696, 'th average': 840044, 'average sized': 104900, 'sized roll': 772834, 'roll is': 725347, 'crucial info from': 219456, 'info from friend': 437480, 'from friend who': 335572, 'friend who know': 333901, 'who know how': 989181, 'know how much': 476450, 'how much loo': 408358, 'much loo roll': 545065, 'loo roll people': 502196, 'roll people use': 725474, 'people use someone': 650069, 'use someone who': 949606, 'someone who ha': 784759, 'who ha frequently': 988845, 'ha frequently provisioned': 370681, 'frequently provisioned for': 332870, 'provisioned for month': 687293, 'for month without': 323544, 'month without grocery': 538135, 'without grocery store': 1002698, 'grocery store promise': 365683, 'store promise you': 809678, 'promise you that': 683713, 'you that roll': 1021576, 'that roll per': 846068, 'person per week': 652579, 'per week of': 651071, 'week of th': 976642, 'of th average': 590697, 'th average sized': 840045, 'average sized roll': 104901, 'sized roll is': 772835, 'roll is all': 725348, 'is all you': 445474, 'bridgewater': 139641, 'heavily': 388563, 'dax': 227075, 'congrats': 194424, 'hedgefonds': 388728, 'the founder': 855731, 'world largest': 1009741, 'largest hedge': 479961, 'fund bridgewater': 341372, 'bridgewater is': 139642, 'currently betting': 221484, 'betting heavily': 128637, 'heavily on': 388590, 'for dax': 320561, 'dax stock': 227078, 'stock now': 802505, 'now he': 574898, 'he even': 384930, 'even increased': 284255, 'increased his': 433342, 'his bet': 397244, 'bet last': 128077, 'last wednesday': 480621, 'wednesday with': 975703, 'with now': 999834, 'now billion': 574255, 'billion congrats': 130794, 'congrats it': 194425, 'it very': 462023, 'very good': 955181, 'good move': 357418, 'move dax': 543638, 'dax hedgefonds': 227076, 'hedgefonds investment': 388729, 'the founder of': 855733, 'founder of the': 330559, 'the world largest': 871904, 'world largest hedge': 1009744, 'largest hedge fund': 479962, 'hedge fund bridgewater': 388720, 'fund bridgewater is': 341373, 'bridgewater is currently': 139643, 'is currently betting': 446988, 'currently betting heavily': 221485, 'betting heavily on': 128638, 'heavily on falling': 388593, 'on falling price': 600726, 'falling price for': 297322, 'price for dax': 673949, 'for dax stock': 320562, 'dax stock now': 227079, 'stock now he': 802511, 'now he even': 574902, 'he even increased': 384931, 'even increased his': 284256, 'increased his bet': 433343, 'his bet last': 397245, 'bet last wednesday': 128078, 'last wednesday with': 480623, 'wednesday with now': 975704, 'with now billion': 999835, 'now billion congrats': 574256, 'billion congrats it': 130795, 'congrats it very': 194426, 'it very good': 462030, 'very good move': 955192, 'good move dax': 357421, 'move dax hedgefonds': 543639, 'dax hedgefonds investment': 227077, 'week is': 976413, 'is asking': 445822, 'life and': 488471, 'staff carers': 792309, 'carers etc': 164577, 'etc just': 282629, 'your bit': 1022973, 'bit and': 131533, 'home coronavid19': 400946, 'week is all': 976414, 'is all the': 445469, 'the government is': 856553, 'government is asking': 360243, 'is asking for': 445828, 'asking for to': 95999, 'for to save': 327234, 'save life and': 737531, 'life and help': 488480, 'and help the': 64473, 'help the nh': 390670, 'nh supermarket staff': 562124, 'supermarket staff carers': 822825, 'staff carers etc': 792311, 'carers etc just': 164578, 'etc just do': 282630, 'just do your': 468619, 'do your bit': 250701, 'your bit and': 1022974, 'bit and stay': 131534, 'and stay home': 72294, 'stay home coronavid19': 796951, 'bug': 141891, 'praise god': 668845, 'little bug': 495274, 'bug do': 141895, 'they make': 882643, 'make good': 509942, 'good pet': 357554, 'pet can': 653367, 'them around': 875424, 'praise god bless': 668846, 'bless the little': 132597, 'the little bug': 859485, 'little bug do': 495275, 'bug do they': 141896, 'do they make': 250310, 'they make good': 882646, 'make good pet': 509944, 'good pet can': 357555, 'pet can we': 653368, 'we keep them': 972135, 'keep them around': 472103, 'automatically': 103990, 'subtitle': 816111, 'evening let': 284879, 'let see': 487031, 'virus 19': 957887, '19 prevention': 9793, 'control in': 202027, 'supermarket mobile': 821527, 'mobile video': 535037, 'video software': 956902, 'software is': 781534, 'is very': 453664, 'very easy': 955134, 'can automatically': 157547, 'automatically convert': 103993, 'convert subtitle': 202539, 'subtitle to': 816112, 'to voice': 918226, 'the supermarket this': 868854, 'supermarket this evening': 823312, 'this evening let': 887439, 'evening let see': 284880, 'let see the': 487037, 'see the virus': 745895, 'the virus 19': 870792, 'virus 19 prevention': 957889, '19 prevention and': 9794, 'prevention and control': 671841, 'and control in': 60515, 'control in china': 202028, 'china and what': 176494, 'and what in': 75471, 'what in the': 981659, 'the supermarket mobile': 868704, 'supermarket mobile video': 821528, 'mobile video software': 535038, 'video software is': 956903, 'software is very': 781536, 'is very easy': 453673, 'very easy to': 955137, 'easy to use': 265793, 'to use it': 918040, 'use it can': 949300, 'it can automatically': 457007, 'can automatically convert': 157548, 'automatically convert subtitle': 103994, 'convert subtitle to': 202540, 'subtitle to voice': 816113, 'relationship': 708685, 'optimize': 613947, 'wtutureipsos': 1013434, 'the relationship': 865463, 'relationship that': 708702, 'that consumer': 843292, 'consumer have': 197704, 'have with': 383607, 'with tech': 1001132, 'tech brand': 836045, 'brand is': 137875, 'is changing': 446461, 'changing download': 172688, 'our guidance': 623320, 'guidance document': 368213, 'document on': 251199, 'to measure': 909978, 'measure optimize': 525283, 'optimize the': 613948, 'of technology': 590629, 'technology brand': 836262, 'marketing effort': 517587, 'effort through': 269604, 'crisis past': 217859, 'past wtutureipsos': 643656, 'wtutureipsos mrx': 1013435, 'mrx research': 544496, 'the relationship that': 865466, 'relationship that consumer': 708703, 'that consumer have': 843299, 'consumer have with': 197716, 'have with tech': 383608, 'with tech brand': 1001133, 'tech brand is': 836046, 'brand is changing': 137876, 'is changing download': 446468, 'changing download our': 172689, 'download our guidance': 257611, 'our guidance document': 623321, 'guidance document on': 368214, 'document on how': 251200, 'how to measure': 409044, 'to measure optimize': 909981, 'measure optimize the': 525284, 'optimize the impact': 613949, 'impact of technology': 417803, 'of technology brand': 590630, 'technology brand marketing': 836263, 'brand marketing effort': 137905, 'marketing effort through': 517589, 'effort through the': 269605, 'the crisis past': 852426, 'crisis past wtutureipsos': 217860, 'past wtutureipsos mrx': 643657, 'wtutureipsos mrx research': 1013436, 'prioritize': 678431, 'amazon will': 51200, 'will begin': 992804, 'put new': 690706, 'new grocery': 558819, 'delivery customer': 233843, 'on wait': 605084, 'wait list': 964152, 'and curtail': 60818, 'curtail shopping': 221777, 'some whole': 784210, 'to prioritize': 912144, 'prioritize order': 678448, 'order from': 618251, 'from existing': 335349, 'existing customer': 290302, 'customer buying': 222208, 'food online': 315616, 'the company': 851309, 'company said': 191042, 'said on': 731281, 'amazon will begin': 51201, 'will begin to': 992813, 'begin to put': 123588, 'to put new': 912598, 'put new grocery': 690707, 'new grocery delivery': 558820, 'grocery delivery customer': 364439, 'delivery customer on': 233844, 'customer on wait': 222645, 'on wait list': 605085, 'wait list and': 964153, 'list and curtail': 494267, 'and curtail shopping': 60819, 'curtail shopping hour': 221778, 'shopping hour at': 762913, 'hour at some': 405443, 'at some whole': 100584, 'some whole food': 784211, 'whole food store': 990216, 'food store to': 316863, 'store to prioritize': 810802, 'to prioritize order': 912146, 'prioritize order from': 678449, 'order from existing': 618255, 'from existing customer': 335350, 'existing customer buying': 290304, 'customer buying food': 222209, 'buying food online': 150324, 'food online during': 315620, 'online during the': 608144, 'coronavirus outbreak the': 206413, 'outbreak the company': 628706, 'the company said': 851349, 'company said on': 191044, 'said on sunday': 731289, 'smaller': 775247, 'urgently': 948376, 'british supermarket': 140604, 'supermarket group': 820594, 'group morrison': 366768, 'morrison is': 541729, 'pay it': 644965, 'it smaller': 461088, 'smaller supplier': 775310, 'supplier more': 824569, 'more urgently': 540870, 'urgently than': 948406, 'usual within': 951069, 'within 48': 1002324, '48 hour': 19302, 'them weather': 876593, 'weather the': 974896, 'the move': 861081, 'move should': 543727, 'supplier and': 824482, 'and farmer': 62697, 'farmer providing': 299481, 'providing egg': 686975, 'the british supermarket': 850035, 'british supermarket group': 140606, 'supermarket group morrison': 820596, 'group morrison is': 366770, 'morrison is to': 541731, 'is to pay': 453231, 'to pay it': 911539, 'pay it smaller': 644973, 'it smaller supplier': 461089, 'smaller supplier more': 775312, 'supplier more urgently': 824570, 'more urgently than': 540871, 'urgently than usual': 948407, 'than usual within': 841401, 'usual within 48': 951070, 'within 48 hour': 1002325, '48 hour to': 19314, 'hour to help': 406026, 'to help them': 907648, 'help them weather': 390718, 'them weather the': 876594, 'weather the crisis': 974898, 'the crisis the': 852460, 'crisis the move': 218181, 'the move should': 861088, 'move should be': 543728, 'should be good': 765636, 'be good news': 115072, 'news for local': 560437, 'local food supplier': 497975, 'food supplier and': 316915, 'supplier and farmer': 824485, 'and farmer providing': 62701, 'farmer providing egg': 299482, 'providing egg and': 686976, 'egg and meat': 269767, 'please covid': 659863, '19 cannot': 5638, 'afford any': 34674, 'more online': 539938, 'please covid 19': 659864, 'covid 19 cannot': 212760, '19 cannot afford': 5639, 'cannot afford any': 161597, 'afford any more': 34675, 'any more online': 79490, 'more online shopping': 539943, 'cb': 168264, 'mkt': 534689, 'altogether': 49385, 'rut': 728683, 'ndx': 553434, 'maybe the': 521827, 'coming recession': 188173, 'recession might': 704327, 'might play': 531101, 'in three': 430056, 'three phase': 894027, 'phase damage': 654600, 'damage on': 225209, 'on main': 601960, 'street by': 812933, '19 ongoing': 8984, 'ongoing cb': 607602, 'cb rescue': 168265, 'rescue temp': 713635, 'temp recovery': 837332, 'recovery on': 705369, 'on credit': 600158, 'credit mkt': 216434, 'mkt but': 534690, 'no recovery': 565309, 'consumer econ': 197289, 'econ unknown': 266936, 'unknown second': 942537, 'second shock': 743814, 'shock later': 759470, 'later finally': 481062, 'finally brings': 305953, 'brings wall': 140286, 'wall street': 965177, 'street down': 812955, 'down altogether': 256475, 'altogether spx': 49388, 'spx rut': 791381, 'rut ndx': 728684, 'maybe the coming': 521829, 'the coming recession': 851199, 'coming recession might': 188174, 'recession might play': 704328, 'might play in': 531102, 'play in three': 659174, 'in three phase': 430058, 'three phase damage': 894028, 'phase damage on': 654601, 'damage on main': 225210, 'on main street': 601961, 'main street by': 508827, 'street by covid': 812934, 'covid 19 ongoing': 213517, '19 ongoing cb': 8985, 'ongoing cb rescue': 607603, 'cb rescue temp': 168266, 'rescue temp recovery': 713636, 'temp recovery on': 837334, 'recovery on credit': 705371, 'on credit mkt': 600161, 'credit mkt but': 216435, 'mkt but no': 534691, 'but no recovery': 146496, 'no recovery on': 565311, 'recovery on consumer': 705370, 'on consumer econ': 600043, 'consumer econ unknown': 197290, 'econ unknown second': 266937, 'unknown second shock': 942538, 'second shock later': 743815, 'shock later finally': 759471, 'later finally brings': 481063, 'finally brings wall': 305955, 'brings wall street': 140287, 'wall street down': 965181, 'street down altogether': 812956, 'down altogether spx': 256476, 'altogether spx rut': 49389, 'spx rut ndx': 791382, 'curtis': 221817, 'subjected': 815757, 'general curtis': 345311, 'curtis hill': 221818, 'hill today': 396494, 'today urged': 920418, 'urged hoosier': 948261, 'hoosier who': 403387, 'who believe': 988311, 'been subjected': 122086, 'subjected to': 815760, 'to excessive': 905394, 'excessive price': 289398, 'complaint with': 192052, 'office consumer': 595397, 'protection division': 685395, 'attorney general curtis': 102631, 'general curtis hill': 345312, 'curtis hill today': 221821, 'hill today urged': 396495, 'today urged hoosier': 920419, 'urged hoosier who': 948262, 'hoosier who believe': 403388, 'who believe they': 988313, 'believe they ve': 126378, 've been subjected': 952936, 'been subjected to': 122087, 'subjected to excessive': 815761, 'to excessive price': 905395, 'excessive price for': 289404, 'price for consumer': 673940, 'for consumer good': 320262, 'consumer good during': 197611, 'pandemic to file': 636779, 'to file complaint': 905826, 'file complaint with': 305339, 'complaint with the': 192054, 'with the office': 1001407, 'the office consumer': 862069, 'office consumer protection': 595398, 'consumer protection division': 198522, 'bank grateful': 109873, 'for donation': 320823, 'donation see': 254691, 'see demand': 745037, 'demand spike': 236259, 'spike due': 789278, 'food bank grateful': 313579, 'bank grateful for': 109874, 'grateful for donation': 362262, 'for donation see': 320832, 'donation see demand': 254692, 'see demand spike': 745039, 'demand spike due': 236261, 'spike due to': 789279, 'helpus': 391651, 'youidiot': 1022543, 'jamesmaybloke': 464410, 'richardhammond': 721315, 'topgear': 925768, 'thegrandtour': 872385, 'coronabeer': 204444, 'job stopping': 466171, 'stopping the': 805827, 'virus in': 958319, 'in out': 426355, 'out local': 626513, 'supermarket helpus': 820742, 'helpus youidiot': 391654, 'youidiot jamesmaybloke': 1022544, 'jamesmaybloke richardhammond': 464411, 'richardhammond topgear': 721316, 'topgear thegrandtour': 925769, 'thegrandtour amazon': 872386, 'amazon coronabeer': 50904, 'great job stopping': 362789, 'job stopping the': 466172, 'stopping the spread': 805831, 'the virus in': 870846, 'virus in out': 958326, 'in out local': 426358, 'out local supermarket': 626515, 'local supermarket helpus': 498536, 'supermarket helpus youidiot': 820743, 'helpus youidiot jamesmaybloke': 391655, 'youidiot jamesmaybloke richardhammond': 1022545, 'jamesmaybloke richardhammond topgear': 464412, 'richardhammond topgear thegrandtour': 721317, 'topgear thegrandtour amazon': 925770, 'thegrandtour amazon coronabeer': 872387, 'snippet': 776362, 'learnt': 484269, '81': 22772, 're gathering': 698721, 'gathering real': 344499, 'real time': 701400, 'consumer reaction': 198644, 'to snippet': 914795, 'snippet of': 776365, 'of what': 593045, 'already learnt': 47500, 'learnt today': 484284, 'today 81': 919137, '81 think': 22779, 'police having': 663043, 'having the': 384311, 'to fine': 905960, 'fine those': 307704, 'those not': 892253, 'not following': 569462, 'rule will': 727411, 'be effective': 114650, 'effective in': 269268, 'in slowing': 428002, 'of get': 584114, 'in touch': 430223, 'touch for': 926480, 'we re gathering': 972882, 're gathering real': 698722, 'gathering real time': 344500, 'real time to': 701420, 'time to consumer': 897969, 'to consumer reaction': 903326, 'consumer reaction to': 198646, 'reaction to snippet': 700222, 'to snippet of': 914796, 'snippet of what': 776367, 'of what we': 593067, 'what we ve': 982568, 'we ve already': 973636, 've already learnt': 952825, 'already learnt today': 47501, 'learnt today 81': 484285, 'today 81 think': 919138, '81 think the': 22780, 'think the police': 885647, 'the police having': 863922, 'police having the': 663044, 'having the power': 384319, 'the power to': 864159, 'power to fine': 667706, 'to fine those': 905963, 'fine those not': 307705, 'those not following': 892256, 'not following the': 569466, 'following the new': 312894, 'new rule will': 559530, 'rule will be': 727412, 'will be effective': 992442, 'be effective in': 114652, 'effective in slowing': 269271, 'in slowing down': 428003, 'down the spread': 257303, 'spread of get': 790674, 'of get in': 584116, 'get in touch': 347316, 'in touch for': 430226, 'touch for more': 926483, 'for more info': 323580, 'surged': 828288, 'scary arm': 741133, 'arm sale': 92913, 'sale have': 732262, 'have surged': 382869, 'surged amid': 828291, 'and civil': 59906, 'civil unrest': 179558, 'unrest with': 943371, 'people sourcing': 649511, 'sourcing gun': 786612, 'gun and': 368684, 'ammunition from': 52945, 'scary arm sale': 741134, 'arm sale have': 92914, 'sale have surged': 732272, 'have surged amid': 382870, 'surged amid fear': 828292, 'amid fear of': 52473, 'fear of food': 301232, 'of food shortage': 583778, 'food shortage and': 316555, 'shortage and civil': 764813, 'and civil unrest': 59908, 'civil unrest with': 179562, 'unrest with many': 943372, 'with many people': 999388, 'many people sourcing': 514533, 'people sourcing gun': 649512, 'sourcing gun and': 786613, 'gun and ammunition': 368686, 'and ammunition from': 58082, 'ammunition from the': 52946, 'from the united': 337911, 'moisturising': 535604, 'browse': 141276, 'can send': 159572, 'send you': 749979, 'you moisturising': 1019877, 'moisturising natural': 535605, 'natural soap': 552866, 'soap to': 779128, 'door for': 255590, 'free when': 332325, 'spend 10': 788548, '10 or': 1590, 'more price': 540136, 'reduced due': 706064, 'to 19': 899531, '19 browse': 5460, 'browse our': 141279, 'our range': 624535, 'range on': 696728, 'website hour': 975303, 'hour hour': 405675, 'we can send': 971006, 'can send you': 159575, 'send you moisturising': 749986, 'you moisturising natural': 1019878, 'moisturising natural soap': 535606, 'natural soap to': 552868, 'soap to your': 779129, 'your door for': 1023576, 'door for free': 255592, 'for free when': 321738, 'free when you': 332326, 'you spend 10': 1021319, 'spend 10 or': 788549, '10 or more': 1593, 'or more price': 616187, 'more price have': 540139, 'been reduced due': 121797, 'reduced due to': 706065, 'due to 19': 261692, 'to 19 browse': 899537, '19 browse our': 5461, 'browse our range': 141281, 'our range on': 624537, 'range on our': 696729, 'our website hour': 625342, 'website hour hour': 975304, 'wey': 980810, 'chop': 177949, 'person wey': 652708, 'wey no': 980817, 'no work': 565922, 'work no': 1005491, 'no suppose': 565638, 'to chop': 902747, 'chop he': 177952, 'not rich': 571377, 'rich he': 721225, 'he cannot': 384823, 'cannot stock': 162128, 'for two': 327387, 'day it': 227845, 'is called': 446345, 'called from': 156327, 'from hand': 335719, 'hand to': 375854, 'to mouth': 910292, 'mouth daily': 543503, 'daily work': 224900, 'out no': 626638, 'for lazy': 322907, 'lazy man': 482751, 'man army': 511994, 'army why': 93057, 'not covid': 568911, '19 fight': 6987, 'fight it': 304785, 'is display': 447234, 'display of': 246189, 'of evil': 583283, 'person wey no': 652709, 'wey no work': 980818, 'no work no': 565927, 'work no suppose': 1005496, 'no suppose to': 565639, 'suppose to chop': 827324, 'to chop he': 902748, 'chop he is': 177953, 'he is not': 385134, 'is not rich': 450175, 'not rich he': 571379, 'rich he cannot': 721226, 'he cannot stock': 384825, 'cannot stock food': 162130, 'stock food for': 802132, 'food for two': 314584, 'for two day': 327389, 'two day it': 936864, 'day it is': 227850, 'it is called': 458895, 'is called from': 446347, 'called from hand': 156328, 'from hand to': 335721, 'hand to mouth': 375864, 'to mouth daily': 910294, 'mouth daily work': 543504, 'daily work if': 224901, 'work if you': 1005284, 'do not go': 249747, 'not go out': 569681, 'go out no': 353967, 'out no food': 626639, 'no food for': 564255, 'food for lazy': 314547, 'for lazy man': 322909, 'lazy man army': 482752, 'man army why': 511995, 'army why this': 93059, 'why this is': 991471, 'is not covid': 450053, 'not covid 19': 568912, 'covid 19 fight': 213091, '19 fight it': 6989, 'fight it is': 304787, 'it is display': 458934, 'is display of': 447235, 'display of evil': 246192, 'unexpected': 941349, 'healthier': 387454, 'not huge': 570027, 'huge surprise': 410228, 'surprise but': 828517, 'nice to': 562483, 'number do': 576867, 'think an': 885135, 'an unexpected': 56848, 'unexpected benefit': 941350, 'be healthier': 115171, 'healthier eating': 387457, 'is not huge': 450108, 'not huge surprise': 570030, 'huge surprise but': 410229, 'surprise but it': 828518, 'but it nice': 146144, 'it nice to': 459807, 'nice to see': 562495, 'see the number': 745866, 'the number do': 861953, 'number do you': 576868, 'you think an': 1021645, 'think an unexpected': 885137, 'an unexpected benefit': 56849, 'unexpected benefit of': 941351, 'benefit of covid': 127040, 'will be healthier': 992491, 'be healthier eating': 115172, 'healthier eating habit': 387458, 'eating habit for': 266219, 'habit for the': 372618, 'for the long': 326538, 'instruction': 440535, 'footmark': 318563, 'latest instruction': 481411, 'instruction by': 440543, 'government shop': 360592, 'shop should': 760782, 'should paint': 766304, 'paint footmark': 634283, 'footmark on': 318564, 'floor at': 310778, 'at distance': 98454, 'distance of': 246779, 'of four': 583885, 'four foot': 330607, 'foot to': 318443, 'avoid crowding': 105075, 'crowding near': 219397, 'near the': 553607, 'the counter': 852019, 'counter management': 210229, 'management should': 512625, 'should provide': 766343, 'provide sanitizer': 686462, 'sanitizer or': 735475, 'hand wash': 375916, 'wash to': 967558, 'latest instruction by': 481412, 'instruction by government': 440544, 'by government shop': 152717, 'government shop should': 360593, 'shop should paint': 760783, 'should paint footmark': 766305, 'paint footmark on': 634284, 'footmark on the': 318565, 'the floor at': 855419, 'floor at distance': 310779, 'at distance of': 98456, 'distance of four': 246782, 'of four foot': 583886, 'four foot to': 330608, 'foot to avoid': 318444, 'to avoid crowding': 900886, 'avoid crowding near': 105076, 'crowding near the': 219398, 'near the counter': 553609, 'the counter management': 852025, 'counter management should': 210230, 'management should provide': 512627, 'should provide sanitizer': 766347, 'provide sanitizer or': 686464, 'sanitizer or hand': 735483, 'or hand wash': 615560, 'hand wash to': 375933, 'wash to the': 967560, 'to the customer': 916619, 'the customer for': 852720, 'internationally': 441877, 'harmonised': 378477, 'cleaning disinfectant': 180932, 'disinfectant product': 245726, 'are key': 87673, 'of did': 582587, 'that internationally': 844529, 'internationally harmonised': 441880, 'harmonised testing': 378478, 'testing method': 839562, 'method help': 529774, 'chemical in': 175358, 'in disinfectant': 422305, 'disinfectant are': 245613, 'are effective': 86082, 'effective do': 269245, 'not harm': 569801, 'harm our': 378405, 'health find': 386434, 'cleaning disinfectant product': 180934, 'disinfectant product are': 245727, 'product are key': 680941, 'are key to': 87677, 'key to prevent': 473440, 'spread of did': 790665, 'of did you': 582588, 'you know that': 1019527, 'know that internationally': 476769, 'that internationally harmonised': 844530, 'internationally harmonised testing': 441881, 'harmonised testing method': 378479, 'testing method help': 839563, 'method help ensure': 529775, 'help ensure that': 389644, 'ensure that the': 278070, 'that the chemical': 846680, 'the chemical in': 850792, 'chemical in disinfectant': 175359, 'in disinfectant are': 422306, 'disinfectant are effective': 245614, 'are effective do': 86083, 'effective do not': 269246, 'do not harm': 249751, 'not harm our': 569802, 'harm our health': 378406, 'our health find': 623372, 'health find out': 386435, 'adjusted': 32314, 'sokonews': 781584, 'courtesy': 212031, 'globally the': 352400, 'ha dropped': 370455, 'dropped to': 260639, 'an 18': 55016, '18 year': 4603, 'year low': 1014705, 'low of': 505432, '30 percent': 17189, 'percent most': 651147, 'most country': 542215, 'country especially': 210619, 'especially in': 280519, 'the western': 871404, 'western world': 980646, 'world have': 1009619, 'have adjusted': 379132, 'adjusted their': 32336, 'their fuel': 873391, 'to benefit': 901760, 'benefit more': 127029, 'people sokonews': 649504, 'sokonews image': 781585, 'image courtesy': 416622, 'globally the price': 352403, 'price of crude': 675433, 'crude oil ha': 219560, 'oil ha dropped': 596852, 'ha dropped to': 370467, 'dropped to an': 260646, 'to an 18': 900436, 'an 18 year': 55017, '18 year low': 4605, 'year low of': 1014726, 'low of more': 505437, 'of more than': 586651, 'than 30 percent': 840226, '30 percent most': 17192, 'percent most country': 651148, 'most country especially': 542217, 'country especially in': 210620, 'especially in the': 280531, 'in the western': 429674, 'the western world': 871407, 'western world have': 980647, 'world have adjusted': 1009620, 'have adjusted their': 379134, 'adjusted their fuel': 32337, 'their fuel price': 873392, 'price to benefit': 676969, 'to benefit more': 901765, 'benefit more people': 127030, 'more people sokonews': 540037, 'people sokonews image': 649505, 'sokonews image courtesy': 781586, 'not pas': 570967, 'pas go': 643105, 'go do': 353469, 'not collect': 568790, 'collect 200': 186259, 'do not pas': 249797, 'not pas go': 570971, 'pas go do': 643107, 'go do not': 353471, 'do not collect': 249699, 'not collect 200': 568791, 'appreciation': 82866, 'robinson': 724741, 'our medical': 623894, 'medical frontliners': 526183, 'frontliners are': 338884, 'country first': 210656, 'first line': 308761, 'of defense': 582463, 'defense in': 232135, 'our fight': 623063, 'our way': 625311, 'of showing': 589696, 'showing our': 767488, 'our appreciation': 622094, 'appreciation they': 82894, 'are given': 86844, 'given access': 350938, 'priority lane': 678599, 'lane at': 479435, 'at robinson': 100422, 'robinson supermarket': 724750, 'our medical frontliners': 623895, 'medical frontliners are': 526184, 'frontliners are our': 338885, 'are our country': 88858, 'our country first': 622590, 'country first line': 210657, 'first line of': 308764, 'line of defense': 493299, 'of defense in': 582465, 'defense in our': 232136, 'in our fight': 426290, 'our fight against': 623064, '19 our way': 9067, 'our way of': 625312, 'way of showing': 969766, 'of showing our': 589700, 'showing our appreciation': 767489, 'our appreciation they': 622097, 'appreciation they are': 82895, 'they are given': 881284, 'are given access': 86845, 'given access to': 350939, 'to the priority': 916982, 'the priority lane': 864473, 'priority lane at': 678600, 'lane at robinson': 479436, 'at robinson supermarket': 100423, 'socialdistanacing is': 780065, 'is feeding': 447769, 'feeding pet': 302473, 'pet an': 653352, 'an issue': 56479, 'coronacrisis stopstockpiling stoppanicbuying': 204797, 'stopstockpiling stoppanicbuying panicshopping': 805887, 'panicbuyinguk socialdistanacing is': 639166, 'socialdistanacing is feeding': 780066, 'is feeding pet': 447770, 'feeding pet an': 302474, 'pet an issue': 653353, 'eaten': 266128, 'foodbanks': 317809, 'stopukhunger': 805943, 'waste is': 968139, 'is global': 448068, 'issue every': 455736, 'day panic': 228185, 'panic bought': 637412, 'bought or': 136668, 'let do': 486677, 'our very': 625261, 'very best': 955015, 'best to': 127935, 'is eaten': 447433, 'eaten rather': 266137, 'than going': 840699, 'waste especially': 968108, 'time donate': 896577, 'to foodbanks': 906111, 'foodbanks if': 317830, 'can stopukhunger': 159829, 'stopukhunger hunger': 805944, 'hunger bekind': 411079, 'food waste is': 317482, 'waste is global': 968141, 'is global issue': 448069, 'global issue every': 351995, 'issue every day': 455737, 'every day panic': 285835, 'day panic bought': 228186, 'panic bought or': 637428, 'bought or not': 136669, 'or not let': 616303, 'not let do': 570367, 'let do our': 486679, 'do our very': 249952, 'our very best': 625262, 'very best to': 955018, 'best to make': 127951, 'sure that all': 827691, 'that all food': 842546, 'all food is': 42814, 'food is eaten': 315120, 'is eaten rather': 447434, 'eaten rather than': 266138, 'rather than going': 697522, 'than going to': 840700, 'going to waste': 355760, 'to waste especially': 918367, 'waste especially at': 968109, 'especially at this': 280447, 'this time donate': 890632, 'time donate to': 896578, 'donate to foodbanks': 254256, 'to foodbanks if': 906113, 'foodbanks if you': 317831, 'you can stopukhunger': 1017798, 'can stopukhunger hunger': 159830, 'stopukhunger hunger bekind': 805945, 'heri': 393886, 'ensures': 278148, 'infection we': 436878, 'believe in': 126282, 'in social': 428042, 'distancing to': 247559, 'avoid contact': 105044, 'contact heri': 200093, 'heri ensures': 393889, 'ensures you': 278163, 'to worry': 918833, 'shopping do': 762492, 'your safest': 1025661, 'safest space': 730432, 'we shall': 973215, 'shall deliver': 754525, 'is with you': 454017, 'with you in': 1002155, 'you in the': 1019322, '19 infection we': 7863, 'infection we believe': 436880, 'we believe in': 970848, 'believe in social': 126291, 'in social distancing': 428044, 'social distancing to': 779747, 'distancing to avoid': 247560, 'to avoid contact': 900878, 'avoid contact heri': 105046, 'contact heri ensures': 200095, 'heri ensures you': 393891, 'ensures you do': 278164, 'not have to': 569883, 'have to worry': 383342, 'to worry about': 918835, 'worry about your': 1010663, 'about your shopping': 27013, 'your shopping do': 1025779, 'shopping do it': 762493, 'do it from': 249479, 'it from your': 458162, 'from your safest': 338493, 'your safest space': 1025662, 'safest space and': 730433, 'space and we': 787053, 'and we shall': 75320, 'we shall deliver': 973217, 'alabama': 40613, 'insecurity': 439137, 'of positive': 588248, 'in alabama': 420134, 'alabama increasing': 40618, 'increasing food': 433612, 'state expect': 795572, 'see an': 744891, 'to job': 908667, 'food insecurity': 315056, 'with the number': 1001405, 'number of positive': 576975, 'of positive covid': 588251, '19 case in': 5681, 'case in alabama': 165784, 'in alabama increasing': 420136, 'alabama increasing food': 40619, 'increasing food bank': 433613, 'bank in the': 109928, 'in the state': 429572, 'the state expect': 867772, 'state expect to': 795573, 'expect to see': 290775, 'to see an': 913983, 'see an increase': 744897, 'in demand due': 422120, 'due to job': 261837, 'to job and': 908668, 'job and food': 465627, 'and food insecurity': 63059, 'alert any': 41356, 'any one': 79553, 'one tracking': 607309, 'tracking black': 928321, 'marketing price': 517683, 'price pls': 675891, 'pls help': 661141, 'this pricing': 889715, 'alert any one': 41357, 'any one tracking': 79561, 'one tracking black': 607310, 'tracking black marketing': 928322, 'black marketing price': 132102, 'marketing price pls': 517684, 'price pls help': 675892, 'pls help to': 661143, 'help to understand': 390798, 'understand how is': 940644, 'is this pricing': 453113, 'ultimate': 939102, 'master': 520200, 'resource you': 714937, 'hoard or': 398843, 'or panic': 616485, 'quarantine with': 692708, 'this ultimate': 890894, 'ultimate indian': 939117, 'indian grocery': 434844, 'grocery checklist': 364375, 'checklist with': 174877, 'with master': 999426, 'master shopping': 520209, 'list for': 494323, 'for indian': 322545, 'indian ingredient': 434851, 'ingredient for': 438362, 'resource you do': 714939, 'to hoard or': 907875, 'hoard or panic': 398846, 'or panic buy': 616488, 'food for quarantine': 314567, 'for quarantine with': 324903, 'quarantine with this': 692711, 'with this ultimate': 1001734, 'this ultimate indian': 890896, 'ultimate indian grocery': 939118, 'indian grocery checklist': 434845, 'grocery checklist with': 364376, 'checklist with master': 174878, 'with master shopping': 999427, 'master shopping list': 520210, 'shopping list for': 763186, 'list for indian': 494327, 'for indian ingredient': 322546, 'indian ingredient for': 434852, 'ingredient for month': 438366, 'toiletpapermagazine': 923181, 'lionelrichie': 494038, 'toiletpaper shortage': 922463, 'shortage strong': 765227, 'strong trying': 814146, 'some humor': 783060, 'humor in': 410882, 'very stressful': 955590, 'time toiletpapercrisis': 898113, 'toiletpapercrisis toiletpapermagazine': 923105, 'toiletpapermagazine lionelrichie': 923182, 'toiletpaper shortage strong': 922472, 'shortage strong trying': 765228, 'strong trying to': 814147, 'trying to bring': 934773, 'to bring some': 902051, 'bring some humor': 140072, 'some humor in': 783061, 'humor in very': 410887, 'in very stressful': 430572, 'very stressful time': 955591, 'stressful time toiletpapercrisis': 813523, 'time toiletpapercrisis toiletpapermagazine': 898114, 'toiletpapercrisis toiletpapermagazine lionelrichie': 923106, 'covd': 212154, 'presented': 670654, 'artisanal': 94564, 'mining': 533259, 'field gold': 304479, 'in africa': 420081, 'africa are': 35050, 'down 30': 256407, '30 to': 17242, '50 latin': 19744, 'latin america': 481641, 'america down': 51495, 'down 50': 256421, '50 asia': 19616, 'asia to': 95233, 'to date': 903920, 'date is': 226673, 'more resilient': 540231, 'resilient with': 714546, 'price unchanged': 677172, 'unchanged or': 939790, 'or down': 615063, 'down 10': 256369, '10 pre': 1642, 'pre and': 669137, 'and post': 69226, 'post covd': 666072, 'covd 19': 212155, '19 price': 9802, 'price collected': 673181, 'collected from': 186354, 'from field': 335466, 'field site': 304517, 'are presented': 89199, 'presented artisanal': 670655, 'artisanal gold': 94573, 'gold mining': 355933, 'field gold price': 304480, 'gold price in': 355960, 'price in africa': 674653, 'in africa are': 420082, 'africa are down': 35051, 'are down 30': 85967, 'down 30 to': 256413, '30 to 50': 17244, 'to 50 latin': 899740, '50 latin america': 19745, 'latin america down': 481642, 'america down 50': 51496, 'down 50 asia': 256422, '50 asia to': 19617, 'asia to date': 95234, 'to date is': 903932, 'date is more': 226675, 'is more resilient': 449723, 'more resilient with': 540237, 'resilient with price': 714547, 'with price unchanged': 1000316, 'price unchanged or': 677174, 'unchanged or down': 939791, 'or down 10': 615064, 'down 10 pre': 256371, '10 pre and': 1643, 'pre and post': 669138, 'and post covd': 69228, 'post covd 19': 666073, 'covd 19 price': 212156, '19 price collected': 9807, 'price collected from': 673182, 'collected from field': 186355, 'from field site': 335467, 'field site are': 304518, 'site are presented': 771881, 'are presented artisanal': 89200, 'presented artisanal gold': 670656, 'artisanal gold mining': 94575, 'ukrainian': 939051, 'intheknow': 442307, 'taskforce': 834743, 'keeping you': 472624, 'you up': 1021985, 'date read': 226720, 'here summary': 393617, 'most significant': 542741, 'significant development': 769428, 'development in': 239816, 'in ukraine': 430404, 'ukraine related': 939049, 'the rapidly': 865152, 'rapidly evolving': 696979, 'evolving situation': 288582, 'situation and': 772176, 'measure taken': 525352, 'taken by': 832968, 'the central': 850599, 'central ukrainian': 169437, 'ukrainian authority': 939052, 'authority intheknow': 103752, 'intheknow taskforce': 442308, 'keeping you up': 472629, 'you up to': 1021989, 'up to date': 946367, 'to date read': 903942, 'date read here': 226721, 'read here summary': 700355, 'here summary of': 393618, 'summary of the': 817940, 'of the most': 591255, 'the most significant': 861035, 'most significant development': 542743, 'significant development in': 769429, 'development in ukraine': 239819, 'in ukraine related': 430405, 'ukraine related to': 939050, 'to the rapidly': 917003, 'the rapidly evolving': 865153, 'rapidly evolving situation': 696983, 'evolving situation and': 288583, 'situation and of': 772184, 'and of the': 67959, 'of the measure': 591230, 'the measure taken': 860371, 'measure taken by': 525354, 'taken by the': 832975, 'by the central': 154279, 'the central ukrainian': 850605, 'central ukrainian authority': 169438, 'ukrainian authority intheknow': 939053, 'authority intheknow taskforce': 103753, 'oakville': 578272, 'halton': 374509, 'caremongering': 164541, 'oakville and': 578273, 'and halton': 64132, 'halton resident': 374512, 'resident step': 714370, 'challenge in': 171483, 'and put': 69803, 'put social': 690824, 'medium to': 527325, 'it best': 456851, 'best use': 127971, 'use with': 949816, 'new group': 558822, 'group like': 366755, 'like caremongering': 489963, 'caremongering oakville': 164542, 'oakville halton': 578275, 'halton grocery': 374510, 'update covid': 946920, '19 these': 11292, 'these help': 880109, 'oakville and halton': 578274, 'and halton resident': 64133, 'halton resident step': 374513, 'resident step up': 714371, 'step up to': 799698, 'up to the': 946436, 'to the challenge': 916550, 'the challenge in': 850644, 'challenge in this': 171490, 'this crisis and': 887017, 'crisis and put': 217043, 'and put social': 69816, 'put social medium': 690825, 'social medium to': 779891, 'medium to it': 527327, 'to it best': 908569, 'it best use': 456858, 'best use with': 127974, 'use with new': 949818, 'with new group': 999703, 'new group like': 558823, 'group like caremongering': 366757, 'like caremongering oakville': 489964, 'caremongering oakville halton': 164543, 'oakville halton grocery': 578276, 'halton grocery store': 374511, 'grocery store update': 365904, 'store update covid': 811017, 'update covid 19': 946921, 'covid 19 these': 213936, '19 these help': 11294, 'these help get': 880110, 'through this socialdistancing': 894840, 'coronvirus': 207154, 'let take': 487098, 'the thousand': 869501, 'of hard': 584457, 'working grocery': 1008665, 'in north': 425940, 'north florida': 567646, 'florida for': 310934, 'everything they': 288044, 'doing during': 252363, 'the coronvirus': 851949, 'coronvirus crisis': 207157, 'let take moment': 487102, 'moment to say': 536090, 'all the thousand': 44942, 'the thousand of': 869502, 'thousand of hard': 893446, 'of hard working': 584459, 'hard working grocery': 378141, 'working grocery store': 1008667, 'store employee in': 807501, 'employee in north': 273966, 'in north florida': 425943, 'north florida for': 567647, 'florida for everything': 310935, 'for everything they': 321259, 'everything they are': 288045, 'they are doing': 881255, 'are doing during': 85893, 'doing during the': 252366, 'during the coronvirus': 263105, 'the coronvirus crisis': 851951, 'pioneer': 656862, 'cdx': 168695, '15th': 4037, '1pm': 12687, 'et': 282342, 'join advertising': 466663, 'advertising and': 33201, 'medium pioneer': 527219, 'pioneer for': 656865, 'for cdx': 319982, 'cdx digital': 168696, 'digital roundtable': 242638, 'roundtable on': 726401, 'consumer economy': 197299, 'economy might': 268072, 'might look': 531071, 'look on': 502550, 'other side': 620912, '19 health': 7479, 'and financial': 62868, 'this wednesday': 891174, 'wednesday april': 975617, 'april 15th': 83420, '15th at': 4042, 'at 1pm': 97493, '1pm et': 12692, 'et register': 282367, 'register below': 707545, 'join advertising and': 466664, 'advertising and medium': 33205, 'and medium pioneer': 66924, 'medium pioneer for': 527220, 'pioneer for cdx': 656866, 'for cdx digital': 319983, 'cdx digital roundtable': 168697, 'digital roundtable on': 242639, 'roundtable on how': 726402, 'how our world': 408467, 'our world and': 625404, 'world and the': 1009288, 'the consumer economy': 851529, 'consumer economy might': 197312, 'economy might look': 268075, 'might look on': 531074, 'look on the': 502557, 'on the other': 604268, 'the other side': 862553, 'other side of': 620916, 'covid 19 health': 213195, '19 health and': 7480, 'health and financial': 386140, 'and financial crisis': 62870, 'financial crisis this': 306383, 'crisis this wednesday': 218227, 'this wednesday april': 891175, 'wednesday april 15th': 975618, 'april 15th at': 83421, '15th at 1pm': 4043, 'at 1pm et': 97494, '1pm et register': 12694, 'et register below': 282368, 'on uk': 604946, 'uk house': 938455, 'price limited': 675056, 'limited and': 492600, 'and short': 71560, 'short lived': 764639, 'impact on uk': 417898, 'on uk house': 604948, 'uk house price': 938456, 'house price limited': 406495, 'price limited and': 675057, 'limited and short': 492602, 'and short lived': 71562, 'arla': 92866, 'skulduggery': 773170, 'unscrupulous': 943447, 'just wonder': 470326, 'wonder whether': 1004029, 'whether this': 985596, 'isn others': 454611, 'know who': 477028, 'using covid': 950437, '19 an': 4968, 'an excuse': 55931, 'excuse not': 289765, 'to honor': 907948, 'honor commitment': 403240, 'commitment and': 188987, 'and dropping': 61767, 'dropping price': 260717, 'price others': 675801, 'others eg': 621375, 'eg arla': 269693, 'arla are': 92867, 'are collecting': 85420, 'collecting definitely': 186383, 'definitely skulduggery': 232391, 'skulduggery here': 773171, 'here need': 393377, 'from unscrupulous': 338191, 'unscrupulous practice': 943454, 'just wonder whether': 470327, 'wonder whether this': 1004034, 'whether this isn': 985598, 'this isn others': 888490, 'isn others know': 454612, 'others know who': 621512, 'know who are': 477030, 'who are using': 988255, 'are using covid': 91414, 'using covid 19': 950438, 'covid 19 an': 212628, '19 an excuse': 4971, 'an excuse not': 55935, 'excuse not to': 289766, 'not to honor': 572159, 'to honor commitment': 907949, 'honor commitment and': 403241, 'commitment and dropping': 188988, 'and dropping price': 61769, 'dropping price others': 260718, 'price others eg': 675802, 'others eg arla': 621376, 'eg arla are': 269694, 'arla are collecting': 92868, 'are collecting definitely': 85421, 'collecting definitely skulduggery': 186384, 'definitely skulduggery here': 232392, 'skulduggery here need': 773172, 'here need help': 393378, 'need help from': 554983, 'help from unscrupulous': 389777, 'from unscrupulous practice': 338192, 'undervalued': 940954, 'kitconews': 475799, 'metal': 529617, 'is undervalued': 453473, 'undervalued price': 940960, 'hit 00': 398083, 'in medium': 425235, 'term say': 838282, 'say economist': 738600, 'economist kitconews': 267564, 'kitconews gold': 475800, 'gold silver': 356003, 'silver metal': 769832, 'metal economics': 529622, 'economics mining': 267468, 'mining investing': 533281, 'investing finance': 443923, 'gold is undervalued': 355915, 'is undervalued price': 453474, 'undervalued price to': 940961, 'price to hit': 677001, 'to hit 00': 907837, 'hit 00 in': 398084, '00 in medium': 267, 'in medium term': 425240, 'medium term say': 527307, 'term say economist': 838284, 'say economist kitconews': 738601, 'economist kitconews gold': 267565, 'kitconews gold silver': 475801, 'gold silver metal': 356007, 'silver metal economics': 769833, 'metal economics mining': 529623, 'economics mining investing': 267469, 'mining investing finance': 533282, 'cuban': 220163, 'versailles': 954881, 'teamed': 835851, 'sedano': 744823, 'miami staple': 530197, 'staple cuban': 793921, 'cuban restaurant': 220166, 'restaurant versailles': 716782, 'versailles had': 954882, 'their dining': 873019, 'room so': 725968, 'they teamed': 883534, 'teamed up': 835852, 'with sedano': 1000619, 'sedano supermarket': 744824, 'supermarket who': 823852, 'who agreed': 988039, 'hire 400': 396985, '400 of': 18757, 'employee during': 273791, 'miami staple cuban': 530198, 'staple cuban restaurant': 793922, 'cuban restaurant versailles': 220167, 'restaurant versailles had': 716783, 'versailles had to': 954883, 'had to close': 373678, 'close their dining': 182851, 'their dining room': 873020, 'dining room so': 243029, 'room so they': 725969, 'so they teamed': 778483, 'they teamed up': 883535, 'teamed up with': 835856, 'up with sedano': 946680, 'with sedano supermarket': 1000620, 'sedano supermarket who': 744825, 'supermarket who agreed': 823853, 'who agreed to': 988040, 'agreed to hire': 38739, 'to hire 400': 907790, 'hire 400 of': 396986, '400 of their': 18758, 'of their employee': 591659, 'their employee during': 873142, 'employee during the': 273796, 'pickled': 655908, 'ginger': 350181, 'time are': 896323, 'are tough': 91165, 'tough can': 926803, 'find or': 307117, 'or online': 616384, 'online anywhere': 607869, 'anywhere got': 81111, 'got fresh': 358572, 'fresh though': 333086, 'though to': 892932, 'make pickled': 510329, 'pickled ginger': 655909, 'ginger and': 350184, 'it last': 459297, 'time are tough': 896333, 'are tough can': 91169, 'tough can find': 926805, 'can find or': 158332, 'find or online': 307118, 'or online anywhere': 616385, 'online anywhere got': 607870, 'anywhere got fresh': 81112, 'got fresh though': 358573, 'fresh though to': 333087, 'though to make': 892933, 'to make pickled': 909718, 'make pickled ginger': 510330, 'pickled ginger and': 655910, 'ginger and how': 350185, 'and how long': 64823, 'long will it': 501853, 'will it last': 993869, 'cub': 220153, 'new cub': 558570, 'cub fact': 220158, 'fact sheet': 295779, 'sheet order': 756614, 'order consumer': 618143, 'protection amid': 685309, 'read what': 700651, 'it mean': 459567, 'new cub fact': 558571, 'cub fact sheet': 220159, 'fact sheet order': 295781, 'sheet order consumer': 756615, 'order consumer protection': 618146, 'consumer protection amid': 198504, 'protection amid covid': 685310, 'outbreak read what': 628574, 'read what it': 700652, 'what it mean': 981754, 'tnie': 899401, 'let talk': 487106, 'talk oil': 833829, 'oil folk': 596803, 'folk the': 312266, 'the weekend': 871323, 'weekend saw': 977402, 'saw historic': 738136, 'historic oil': 397963, 'output deal': 629260, 'deal so': 229480, 'so how': 777334, 'it impacted': 458694, 'india read': 434580, 'read on': 700478, 'out tnie': 627616, 'let talk oil': 487108, 'talk oil folk': 833830, 'oil folk the': 596804, 'folk the weekend': 312267, 'the weekend saw': 871335, 'weekend saw historic': 977403, 'saw historic oil': 738137, 'historic oil output': 397965, 'oil output deal': 596998, 'output deal so': 629261, 'deal so how': 229481, 'so how ha': 777339, 'how ha it': 407952, 'ha it impacted': 371021, 'it impacted fuel': 458695, 'world and what': 1009292, 'what will it': 982601, 'will it mean': 993870, 'it mean for': 459568, 'mean for india': 524442, 'for india read': 322542, 'india read on': 434581, 'read on to': 700485, 'on to find': 604734, 'to find out': 905928, 'find out tnie': 307154, 'workin': 1008451, 'mongs': 537246, 'lip': 494043, '1st day': 12729, 'day back': 227344, 'back workin': 107484, 'workin at': 1008452, 'supermarket yesterday': 824163, 'yesterday and': 1015657, 'see majority': 745381, 'of folk': 583619, 'seriously others': 751689, 'are mongs': 88098, 'mongs like': 537247, 'who handed': 988895, 'handed me': 376070, 'me 20': 522330, '20 note': 13197, 'note he': 572734, 'wa holding': 962324, 'holding in': 400119, 'in between': 420804, 'between his': 128797, 'his lip': 397582, 'lip socialdistanacing': 494054, '1st day back': 12730, 'day back workin': 227347, 'back workin at': 107485, 'workin at supermarket': 1008454, 'at supermarket yesterday': 100792, 'supermarket yesterday and': 824164, 'yesterday and it': 1015662, 'and it nice': 65561, 'to see majority': 914038, 'see majority of': 745382, 'majority of folk': 509560, 'of folk are': 583620, 'folk are taking': 312097, 'are taking this': 90737, 'this seriously others': 890043, 'seriously others are': 751690, 'others are mongs': 621272, 'are mongs like': 88099, 'mongs like the': 537248, 'like the man': 491380, 'the man who': 859986, 'man who handed': 512332, 'who handed me': 988896, 'handed me 20': 376071, 'me 20 note': 522331, '20 note he': 13198, 'note he wa': 572735, 'he wa holding': 385602, 'wa holding in': 962325, 'holding in between': 400120, 'in between his': 420807, 'between his lip': 128798, 'his lip socialdistanacing': 397583, 'store trip': 810945, 'trip safer': 932146, 'safer amid': 730337, 'of go': 584170, 'go at': 353320, 'at off': 99940, 'off peak': 594055, 'peak hour': 646068, 'hour wipe': 406102, 'the handle': 857070, 'handle of': 376239, 'cart maintain': 165332, 'maintain distance': 508956, 'of at': 580416, 'least foot': 484464, 'others pay': 621575, 'pay with': 645229, 'credit to': 216537, 'contact wash': 200255, 'here how to': 393115, 'to make your': 909768, 'make your grocery': 510757, 'grocery store trip': 365885, 'store trip safer': 810952, 'trip safer amid': 932147, 'safer amid the': 730338, 'spread of go': 790675, 'of go at': 584171, 'go at off': 353322, 'at off peak': 99941, 'off peak hour': 594056, 'peak hour wipe': 646072, 'hour wipe down': 406103, 'wipe down the': 996240, 'down the handle': 257282, 'the handle of': 857073, 'handle of your': 376244, 'of your shopping': 593525, 'your shopping cart': 1025777, 'shopping cart maintain': 762306, 'cart maintain distance': 165333, 'maintain distance of': 508958, 'distance of at': 246780, 'of at least': 580420, 'at least foot': 99493, 'least foot from': 484466, 'foot from others': 318383, 'from others pay': 336744, 'others pay with': 621576, 'pay with credit': 645232, 'with credit to': 997850, 'credit to reduce': 216540, 'reduce contact wash': 705805, 'contact wash your': 200256, 'messagewrap': 529502, 'antimicrobial': 78530, 'facility': 295285, 'messagewrap is': 529503, 'is 99': 445254, '99 99': 23760, '99 effective': 23809, 'effective against': 269206, '19 with': 12121, 'with messagewrap': 999485, 'messagewrap shopper': 529505, 'more protected': 540165, 'protected at': 685121, 'highest traffic': 395870, 'traffic area': 929052, 'area of': 92127, 'checkout we': 175050, 'we just': 972100, 'just received': 469574, 'received this': 703696, 'this news': 889130, 'news from': 560450, 'our independent': 623522, 'independent antimicrobial': 434081, 'antimicrobial testing': 78536, 'testing facility': 839485, 'facility clean': 295317, 'clean supermarket': 180640, 'supermarket messagewrap': 821513, 'messagewrap is 99': 529504, 'is 99 99': 445255, '99 99 effective': 23762, '99 effective against': 23810, 'effective against covid': 269210, 'covid 19 with': 214080, '19 with messagewrap': 12137, 'with messagewrap shopper': 999486, 'messagewrap shopper are': 529506, 'shopper are more': 761395, 'are more protected': 88119, 'more protected at': 540166, 'protected at the': 685123, 'at the highest': 100979, 'the highest traffic': 857352, 'highest traffic area': 395871, 'traffic area of': 929053, 'area of the': 92141, 'the store the': 868117, 'store the checkout': 810590, 'the checkout we': 850779, 'checkout we just': 175052, 'we just received': 972119, 'just received this': 469580, 'received this news': 703698, 'this news from': 889132, 'news from our': 560457, 'from our independent': 336782, 'our independent antimicrobial': 623523, 'independent antimicrobial testing': 434082, 'antimicrobial testing facility': 78538, 'testing facility clean': 839486, 'facility clean supermarket': 295318, 'clean supermarket messagewrap': 180641, '72': 21999, '605': 21133, 'cylinder': 224112, 'bharat': 129341, 'bhushan': 129402, 'ashu': 95135, 'assuring': 97156, 'maintained': 509077, '19 72': 4763, '72 605': 22000, '605 lpg': 21136, 'lpg cylinder': 506315, 'cylinder have': 224117, 'been delivered': 120942, 'delivered in': 233343, 'state during': 795543, 'during last': 262744, 'say food': 738639, 'food civil': 313937, 'civil supply': 179553, 'affair minister': 34067, 'minister mr': 533410, 'mr bharat': 544350, 'bharat bhushan': 129344, 'bhushan ashu': 129403, 'ashu while': 95140, 'while assuring': 986619, 'assuring that': 97163, 'the door': 853558, 'door supply': 255724, 'of lpg': 586059, 'cylinder will': 224127, 'be maintained': 115874, 'maintained and': 509078, '19 72 605': 4764, '72 605 lpg': 22001, '605 lpg cylinder': 21137, 'lpg cylinder have': 506317, 'cylinder have been': 224118, 'have been delivered': 379506, 'been delivered in': 120943, 'delivered in the': 233349, 'the state during': 867768, 'state during last': 795544, 'during last day': 262745, 'last day say': 480184, 'day say food': 228308, 'say food civil': 738641, 'food civil supply': 313938, 'civil supply and': 179555, 'supply and consumer': 824709, 'and consumer affair': 60346, 'consumer affair minister': 196097, 'affair minister mr': 34070, 'minister mr bharat': 533411, 'mr bharat bhushan': 544351, 'bharat bhushan ashu': 129345, 'bhushan ashu while': 129405, 'ashu while assuring': 95141, 'while assuring that': 986620, 'assuring that the': 97164, 'that the door': 846709, 'the door to': 853589, 'to door supply': 904674, 'door supply of': 255725, 'supply of lpg': 825634, 'of lpg cylinder': 586060, 'lpg cylinder will': 506319, 'cylinder will be': 224128, 'will be maintained': 992552, 'be maintained and': 115875, 'maintained and there': 509080, 'lingers': 493715, 'previously': 672012, 'aerosol': 33897, 'lingers in': 493720, 'in air': 420119, 'air longer': 39755, 'than previously': 841041, 'previously thought': 672060, 'thought scientist': 893195, 'scientist warn': 742268, 'warn science': 966959, 'science tech': 742141, 'news sky': 560796, 'sky news': 773208, 'news aerosol': 560194, 'lingers in air': 493721, 'in air longer': 420122, 'air longer than': 39756, 'longer than previously': 502076, 'than previously thought': 841043, 'previously thought scientist': 672062, 'thought scientist warn': 893197, 'scientist warn science': 742269, 'warn science tech': 966961, 'science tech news': 742142, 'tech news sky': 836124, 'news sky news': 560797, 'sky news aerosol': 773209, 'ralphs': 696309, 'growup': 367493, '8am this': 23156, 'morning the': 541486, 'point when': 662695, 'when gave': 983453, 'gave up': 344676, 'up after': 944224, 'after they': 36382, 'were letting': 979838, 'letting 10': 487396, 'in at': 420546, 'time ralphs': 897548, 'ralphs panicbuying': 696312, 'panicbuying stopit': 639059, 'stopit growup': 805528, '8am this morning': 23157, 'this morning the': 889027, 'morning the line': 541488, 'store this wa': 810706, 'this wa the': 891091, 'wa the point': 963463, 'the point when': 863909, 'point when gave': 662696, 'when gave up': 983454, 'gave up after': 344677, 'up after they': 944231, 'after they were': 36393, 'they were letting': 883782, 'were letting 10': 979839, 'letting 10 people': 487398, '10 people in': 1613, 'people in at': 648348, 'in at time': 420558, 'at time ralphs': 101308, 'time ralphs panicbuying': 897549, 'ralphs panicbuying stopit': 696313, 'panicbuying stopit growup': 639060, 'mattieuethanhandsanitizer': 520697, '3pack': 18383, 'loveones': 505019, 'mattieuethanhandsanitizer 3pack': 520698, '3pack for': 18384, '99 help': 23838, 'order today': 618718, 'today protect': 920077, 'yourself family': 1026596, 'family loveones': 298006, 'mattieuethanhandsanitizer 3pack for': 520699, '3pack for 99': 18385, 'for 99 help': 318964, '99 help to': 23840, 'help to stop': 390794, 'spread of order': 790694, 'of order today': 587342, 'order today protect': 618720, 'today protect yourself': 920078, 'protect yourself family': 685091, 'yourself family loveones': 1026597, 'remotely': 710761, 'you take': 1021504, 'take precaution': 832510, 'the take': 869125, 'take step': 832605, 'prevent your': 671770, 'your device': 1023502, 'device from': 239908, 'from catching': 334808, 'catching virus': 167128, 'virus too': 958938, 'too click': 924648, 'for resource': 325156, 'resource on': 714841, 'avoid scam': 105254, 'device secure': 239932, 'secure you': 744473, 'you work': 1022417, 'work remotely': 1005656, 'you take precaution': 1021516, 'take precaution to': 832515, 'precaution to avoid': 669381, 'avoid the take': 105336, 'the take step': 869127, 'take step to': 832608, 'help prevent your': 390352, 'prevent your device': 671771, 'your device from': 1023504, 'device from catching': 239909, 'from catching virus': 334811, 'catching virus too': 167130, 'virus too click': 958939, 'too click below': 924649, 'below for resource': 126649, 'for resource on': 325158, 'resource on how': 714845, 'to avoid scam': 900935, 'avoid scam and': 105255, 'scam and keep': 740005, 'keep your device': 472260, 'your device secure': 1023506, 'device secure you': 239933, 'secure you work': 744474, 'you work remotely': 1022423, 'all unexpected': 45314, 'unexpected hero': 941368, 'crisis nurse': 217772, 'doctor but': 250856, 'also our': 48630, 'clerk delivery': 181681, 'driver transit': 259812, 'transit and': 929622, 'and utility': 74806, 'worker stayhomesavelives': 1007814, 'to all unexpected': 900298, 'all unexpected hero': 45315, 'unexpected hero of': 941369, 'this crisis nurse': 887069, 'crisis nurse and': 217773, 'nurse and doctor': 577197, 'and doctor but': 61576, 'doctor but also': 250857, 'but also our': 145131, 'also our grocery': 48633, 'store clerk delivery': 807000, 'clerk delivery driver': 181682, 'delivery driver transit': 233948, 'driver transit and': 259813, 'transit and utility': 929625, 'and utility worker': 74815, 'utility worker stayhomesavelives': 951343, 'usedtomake': 950134, 'tshirts': 934933, 'makingsupplies': 511514, 'factory that': 296001, 'that usedtomake': 847217, 'usedtomake perfume': 950135, 'perfume tshirts': 651542, 'tshirts car': 934934, 'car are': 163008, 'now makingsupplies': 575283, 'makingsupplies to': 511515, 'the via': 870718, 'via news': 956100, 'news factory': 560396, 'factory facemasks': 295942, 'facemasks ventilator': 295176, 'ventilator handsanitizer': 954565, 'handsanitizer manufacturing': 376577, 'manufacturing pandemic': 513645, 'pandemic ppe': 636218, 'factory that usedtomake': 296003, 'that usedtomake perfume': 847218, 'usedtomake perfume tshirts': 950136, 'perfume tshirts car': 651543, 'tshirts car are': 934935, 'car are now': 163009, 'are now makingsupplies': 88571, 'now makingsupplies to': 575284, 'makingsupplies to fight': 511516, 'fight the via': 304905, 'the via news': 870722, 'via news factory': 956102, 'news factory facemasks': 560397, 'factory facemasks ventilator': 295943, 'facemasks ventilator handsanitizer': 295177, 'ventilator handsanitizer manufacturing': 954566, 'handsanitizer manufacturing pandemic': 376578, 'manufacturing pandemic ppe': 513646, 'panicbuy': 638826, 'buying what': 151339, 'what panic': 981995, 'buying stayhome': 151080, 'stayhome lockdown': 798035, 'lockdown panicbuy': 499769, 'panic buying what': 637960, 'buying what panic': 151343, 'what panic buying': 981996, 'panic buying stayhome': 637900, 'buying stayhome lockdown': 151081, 'stayhome lockdown panicbuy': 798037, 'brawled': 138318, 'fmtnews': 311783, 'buyer have': 149656, 'have stripped': 382811, 'stripped shop': 813878, 'shop shelf': 760761, 'shelf brawled': 756896, 'brawled over': 138319, 'paper fmtnews': 640159, 'fmtnews panicbuying': 311787, 'panic buyer have': 637580, 'buyer have stripped': 149660, 'have stripped shop': 382812, 'stripped shop shelf': 813879, 'shop shelf brawled': 760763, 'shelf brawled over': 756897, 'brawled over toilet': 138320, 'toilet paper fmtnews': 921276, 'paper fmtnews panicbuying': 640160, 'headwind': 386058, 'ecom': 266688, 'resulting': 717689, 'transacting': 929428, 'offline': 596036, 'feedback': 302414, 'mixed': 534618, 'unpack': 943001, 'yesterday posted': 1015837, 'posted about': 666511, 'the profitability': 864623, 'profitability headwind': 682912, 'headwind facing': 386062, 'facing ecom': 295454, 'ecom resulting': 266691, 'resulting from': 717691, 'from shift': 337250, 'shift of': 758366, 'consumer purchasing': 198619, 'purchasing behavior': 689839, 'behavior away': 123924, 'from transacting': 338129, 'transacting offline': 929429, 'offline due': 596039, 'restriction to': 717399, 'and brand': 59144, 'brand feedback': 137843, 'feedback wa': 302438, 'wa mixed': 962641, 'mixed so': 534642, 'so will': 778767, 'will unpack': 995269, 'unpack my': 943004, 'my point': 549801, 'point bit': 662441, 'bit more': 131616, 'yesterday posted about': 1015838, 'posted about the': 666512, 'about the profitability': 26493, 'the profitability headwind': 864624, 'profitability headwind facing': 682913, 'headwind facing ecom': 386063, 'facing ecom resulting': 295455, 'ecom resulting from': 266692, 'resulting from shift': 717695, 'from shift of': 337251, 'shift of consumer': 758367, 'of consumer purchasing': 581764, 'consumer purchasing behavior': 198620, 'purchasing behavior away': 689841, 'behavior away from': 123925, 'away from transacting': 105920, 'from transacting offline': 338130, 'transacting offline due': 929430, 'offline due to': 596040, '19 restriction to': 10184, 'restriction to online': 717403, 'to online retailer': 910947, 'online retailer and': 608877, 'retailer and brand': 718956, 'and brand feedback': 59148, 'brand feedback wa': 137844, 'feedback wa mixed': 302439, 'wa mixed so': 962642, 'mixed so will': 534643, 'so will unpack': 778780, 'will unpack my': 995270, 'unpack my point': 943005, 'my point bit': 549802, 'point bit more': 662442, 'grave': 362421, 'risen': 723084, 'grocery trip': 366081, 'trip are': 932043, 'allowed but': 46139, 'it safe': 460836, 'to assume': 900790, 'assume that': 97013, 'still trying': 801341, 'avoid having': 105142, 'to technology': 916322, 'technology grave': 836307, 'grave concern': 362426, 'over being': 630016, 'being public': 125596, 'space ha': 787110, 'ha risen': 371760, 'risen immensely': 723113, 'immensely over': 417195, 'grocery trip are': 366082, 'trip are allowed': 932044, 'are allowed but': 84378, 'allowed but it': 46140, 'but it safe': 146161, 'it safe to': 460841, 'safe to assume': 730043, 'to assume that': 900792, 'assume that people': 97018, 'that people are': 845686, 'people are still': 647089, 'are still trying': 90493, 'still trying to': 801342, 'to avoid having': 900907, 'avoid having to': 105143, 'the store and': 867979, 'store and turning': 806385, 'and turning to': 74532, 'turning to technology': 935975, 'to technology grave': 916324, 'technology grave concern': 836308, 'grave concern over': 362427, 'concern over being': 193047, 'over being public': 630017, 'being public space': 125597, 'public space ha': 688325, 'space ha risen': 787111, 'ha risen immensely': 371765, 'risen immensely over': 723114, 'immensely over the': 417196, 'former': 329613, 'maidenhead': 508558, 'queueing': 694165, 'refraining': 706750, 'tory': 926064, 'wonderful to': 1004133, 'see our': 745522, 'our former': 623153, 'former prime': 329657, 'minister may': 533400, 'may and': 520924, 'and current': 60813, 'current mp': 221264, 'mp for': 544249, 'for maidenhead': 323151, 'maidenhead not': 508559, 'only setting': 611109, 'setting example': 753625, 'example whilst': 289007, 'whilst queueing': 987676, 'queueing outside': 694178, 'outside her': 629445, 'her local': 392171, 'also refraining': 48775, 'refraining from': 706751, 'from stockpiling': 337425, 'stockpiling leaving': 804007, 'leaving with': 485170, 'one bag': 605980, 'shopping tory': 764234, 'wonderful to see': 1004134, 'to see our': 914056, 'see our former': 745526, 'our former prime': 623154, 'former prime minister': 329658, 'prime minister may': 678147, 'minister may and': 533401, 'may and current': 520925, 'and current mp': 60814, 'current mp for': 221265, 'mp for maidenhead': 544250, 'for maidenhead not': 323152, 'maidenhead not only': 508560, 'not only setting': 570825, 'only setting example': 611110, 'setting example whilst': 753626, 'example whilst queueing': 289008, 'whilst queueing outside': 987677, 'queueing outside her': 694179, 'outside her local': 629446, 'her local supermarket': 392174, 'local supermarket but': 498506, 'but also refraining': 145139, 'also refraining from': 48776, 'refraining from stockpiling': 706754, 'from stockpiling leaving': 337428, 'stockpiling leaving with': 804008, 'leaving with just': 485171, 'with just one': 999129, 'just one bag': 469372, 'one bag of': 605981, 'bag of shopping': 108366, 'of shopping tory': 589672, 'emerge': 272530, 'scam emerge': 740147, 'emerge virus': 272547, 'virus spread': 958781, 'spread attorney': 790439, 'general ashley': 345285, 'ashley moody': 95112, 'moody today': 538318, 'today issued': 919731, 'issued consumer': 456051, 'alert about': 41338, 'the scam': 866409, 'scam run': 740342, 'run the': 727820, 'related scam emerge': 708551, 'scam emerge virus': 740149, 'emerge virus spread': 272548, 'virus spread attorney': 958783, 'spread attorney general': 790440, 'attorney general ashley': 102624, 'general ashley moody': 345286, 'ashley moody today': 95113, 'moody today issued': 538320, 'today issued consumer': 919734, 'issued consumer alert': 456052, 'consumer alert about': 196133, 'alert about new': 41340, 'new scam related': 559547, 'pandemic the scam': 636699, 'the scam run': 866418, 'scam run the': 740343, 'erupts': 280244, 'grip': 364004, 'bound': 136849, 'chinaliedpeopledied': 177111, 'pmqs': 662075, 'london supermarket': 501191, 'supermarket chaos': 819651, 'chaos fight': 173013, 'fight erupts': 304716, 'erupts in': 280245, 'tesco coronavirus': 838687, 'coronavirus panic': 206512, 'panic grip': 638145, 'grip britain': 364010, 'britain video': 140466, 'wa bound': 961740, 'bound to': 136856, 'happen chinaliedpeopledied': 377066, 'chinaliedpeopledied pmqs': 177117, 'pmqs fightcovid19': 662076, 'fightcovid19 chinesevirus': 304985, 'london supermarket chaos': 501193, 'supermarket chaos fight': 819653, 'chaos fight erupts': 173014, 'fight erupts in': 304717, 'erupts in tesco': 280246, 'in tesco coronavirus': 428879, 'tesco coronavirus panic': 838688, 'coronavirus panic grip': 206519, 'panic grip britain': 638146, 'grip britain video': 364011, 'britain video it': 140467, 'video it wa': 956797, 'it wa bound': 462083, 'wa bound to': 961741, 'bound to happen': 136860, 'to happen chinaliedpeopledied': 907150, 'happen chinaliedpeopledied pmqs': 377067, 'chinaliedpeopledied pmqs fightcovid19': 177118, 'pmqs fightcovid19 chinesevirus': 662077, 'coronacrisis head': 204624, 'office put': 595523, 'put price': 690788, 'up please': 945774, 'please explain': 659980, 'coronacrisis head office': 204625, 'head office put': 385788, 'office put price': 595524, 'put price up': 690790, 'price up please': 677252, 'up please explain': 945777, 'shareholder': 755468, 'union': 941863, 'workersunite': 1008330, 'public need': 688173, 'demand retail': 236144, 'retail grocery': 718151, 'food worker': 317665, 'paid time': 634152, 'and half': 64119, 'half hazard': 374181, 'pay if': 644947, '19 corporation': 6141, 'corporation will': 207477, 'never take': 558211, 'take better': 831987, 'better care': 128223, 'employee over': 274099, 'over their': 630788, 'their shareholder': 874675, 'shareholder union': 755488, 'union stand': 941942, 'stand for': 793519, 'for worker': 327929, 'know and': 476252, 'and workersunite': 75886, 'the public need': 864834, 'public need to': 688174, 'need to demand': 555900, 'to demand retail': 904155, 'demand retail grocery': 236145, 'retail grocery and': 718152, 'and food worker': 63109, 'food worker be': 317668, 'be paid time': 116343, 'paid time and': 634153, 'time and half': 896273, 'and half hazard': 64122, 'half hazard pay': 374182, 'hazard pay if': 384568, 'pay if they': 644951, 'if they work': 415140, 'they work during': 883921, 'covid 19 corporation': 212868, '19 corporation will': 6142, 'corporation will never': 207479, 'will never take': 994174, 'never take better': 558212, 'take better care': 831988, 'better care of': 128225, 'care of their': 164118, 'their employee over': 873151, 'employee over their': 274100, 'over their shareholder': 630796, 'their shareholder union': 874677, 'shareholder union stand': 755489, 'union stand for': 941943, 'stand for worker': 793525, 'for worker get': 327936, 'worker get to': 1007028, 'get to know': 348476, 'to know and': 908972, 'know and workersunite': 476260, 'asthma': 97176, 'actually afraid': 30723, 'and stuff': 72614, 'stuff work': 815262, 'at starbucks': 100634, 'starbucks in': 794093, 'have asthma': 379370, 'asthma and': 97179, 'have cough': 380126, 'cough fuck': 208473, 'actually afraid to': 30724, 'afraid to go': 35023, 'to work and': 918686, 'work and stuff': 1004811, 'and stuff work': 72619, 'stuff work at': 815263, 'work at starbucks': 1004899, 'at starbucks in': 100635, 'starbucks in grocery': 794094, 'store have asthma': 808066, 'have asthma and': 379371, 'asthma and still': 97181, 'and still have': 72377, 'still have cough': 800644, 'have cough fuck': 380127, 'cough fuck you': 208474, 'earn': 264768, 'function': 341259, 'compensated': 191540, 'have always': 379221, 'always believed': 49496, 'an economy': 55596, 'with money': 999539, 'money everyone': 536736, 'should earn': 765945, 'earn the': 264813, 'same the': 733326, 'the make': 859948, 'make obvious': 510257, 'obvious why': 578815, 'why none': 991209, 'none of': 566589, 'can function': 158389, 'function without': 341283, 'without garbage': 1002677, 'garbage worker': 343540, 'worker farmer': 1006904, 'farmer fruit': 299380, 'fruit picker': 339122, 'picker grocery': 655832, 'cashier so': 166610, 'they compensated': 881785, 'compensated le': 191543, 'have always believed': 379223, 'always believed that': 49497, 'believed that if': 126433, 'that if we': 844426, 'we re going': 972885, 're going to': 698755, 'to have an': 907200, 'have an economy': 379243, 'an economy with': 55599, 'economy with money': 268365, 'with money everyone': 999540, 'money everyone should': 536737, 'everyone should earn': 287374, 'should earn the': 765947, 'earn the same': 264814, 'the same the': 866307, 'same the make': 733327, 'the make obvious': 859950, 'make obvious why': 510258, 'obvious why none': 578816, 'why none of': 991210, 'none of can': 566592, 'of can function': 581068, 'can function without': 158390, 'function without garbage': 341284, 'without garbage worker': 1002678, 'garbage worker farmer': 343543, 'worker farmer fruit': 1006907, 'farmer fruit picker': 299381, 'fruit picker grocery': 339123, 'picker grocery store': 655833, 'store cashier so': 806891, 'cashier so why': 166612, 'so why are': 778749, 'why are they': 990793, 'are they compensated': 90994, 'they compensated le': 881786, 'endangering': 276098, 'hope everyone': 403458, 'is feeling': 447776, 'feeling well': 303104, 'well it': 978334, 'important right': 418952, 'now to': 576161, 'we aren': 970769, 'aren endangering': 92392, 'endangering ourselves': 276103, 'ourselves or': 625487, 'can handle': 158545, 'handle this': 376283, 'this virus': 890994, 'hope everyone is': 403463, 'everyone is feeling': 287075, 'is feeling well': 447778, 'feeling well it': 303107, 'well it so': 978343, 'it so important': 461116, 'so important right': 777377, 'important right now': 418953, 'right now to': 722161, 'now to self': 576184, 'self quarantine to': 747872, 'quarantine to ensure': 692637, 'ensure we aren': 278121, 'we aren endangering': 970773, 'aren endangering ourselves': 92393, 'endangering ourselves or': 276104, 'ourselves or anyone': 625488, 'or anyone who': 614371, 'anyone who can': 80613, 'who can handle': 988388, 'can handle this': 158549, 'handle this virus': 376287, 'creditchat': 216564, 'your coronavirus': 1023346, 'coronavirus credit': 205730, 'credit question': 216471, 'question answered': 693527, 'answered creditchat': 78169, 'your coronavirus credit': 1023349, 'coronavirus credit question': 205731, 'credit question answered': 216472, 'question answered creditchat': 693532, 'melissa2': 527958, 'announce': 76832, 'melissa2 risky': 527959, 'risky time': 724124, 'to announce': 900545, 'announce supermarket': 76873, 'stocked bus': 803280, 'bus full': 143044, 'of hoarder': 584688, 'hoarder likely': 399064, 'likely headed': 492019, 'headed your': 385922, 'way now': 969732, 'now auspol': 574146, 'melissa2 risky time': 527960, 'risky time to': 724126, 'time to announce': 897944, 'to announce supermarket': 900556, 'announce supermarket is': 76874, 'supermarket is well': 821136, 'is well stocked': 453851, 'well stocked bus': 978591, 'stocked bus full': 803281, 'bus full of': 143045, 'full of hoarder': 340729, 'of hoarder likely': 584689, 'hoarder likely headed': 399065, 'likely headed your': 492020, 'headed your way': 385923, 'your way now': 1026316, 'way now auspol': 969733, 'agoing': 38566, 'omnichannel': 598942, 'more retailer': 540256, 'retailer close': 719077, 'close physical': 182761, 'physical store': 655462, 'or curtail': 614874, 'curtail hour': 221773, 'hour result': 405888, 'is agoing': 445423, 'agoing to': 38567, 'put additional': 690494, 'additional pressure': 31853, 'pressure on': 671197, 'on other': 602552, 'other omnichannel': 620601, 'omnichannel alternative': 598943, 'alternative like': 49235, 'curbside pick': 220641, 'up ecommerce': 944773, 'ecommerce omnichannel': 266813, 'omnichannel retail': 598949, 'retail digital': 718033, 'more retailer close': 540258, 'retailer close physical': 719078, 'close physical store': 182763, 'physical store or': 655470, 'store or curtail': 809322, 'or curtail hour': 614875, 'curtail hour result': 221774, 'hour result of': 405889, '19 it is': 8139, 'it is agoing': 458865, 'is agoing to': 445424, 'agoing to put': 38568, 'to put additional': 912577, 'put additional pressure': 690495, 'additional pressure on': 31854, 'pressure on other': 671217, 'on other omnichannel': 602558, 'other omnichannel alternative': 620602, 'omnichannel alternative like': 598944, 'alternative like grocery': 49236, 'like grocery delivery': 490345, 'grocery delivery and': 364434, 'delivery and curbside': 233659, 'and curbside pick': 60804, 'curbside pick up': 220642, 'pick up ecommerce': 655718, 'up ecommerce omnichannel': 944775, 'ecommerce omnichannel retail': 266814, 'omnichannel retail digital': 598950, 'explores': 292519, 'industryperspectives': 436273, 'retailtrends': 719573, 'fashionindustry': 299881, 'will consumer': 992997, 'behavior evolve': 124028, 'evolve post': 288510, 'from change': 334820, 'in purchasing': 427130, 'purchasing habit': 689873, 'habit to': 372697, 'on health': 601253, 'health explores': 386421, 'explores the': 292533, 'topic industryperspectives': 925793, 'industryperspectives consumerbehavior': 436274, 'consumerbehavior retailtrends': 199625, 'retailtrends fashionindustry': 719574, 'how will consumer': 409222, 'will consumer behavior': 992999, 'consumer behavior evolve': 196473, 'behavior evolve post': 124029, 'evolve post covid': 288511, '19 from change': 7117, 'from change in': 334822, 'change in purchasing': 172129, 'in purchasing habit': 427132, 'purchasing habit to': 689876, 'habit to focus': 372699, 'focus on health': 311876, 'on health explores': 601256, 'health explores the': 386422, 'explores the topic': 292537, 'the topic industryperspectives': 869802, 'topic industryperspectives consumerbehavior': 925794, 'industryperspectives consumerbehavior retailtrends': 436275, 'consumerbehavior retailtrends fashionindustry': 199626, '0808': 1114, '223': 15274, '1133': 2652, 'hand of': 375107, 'picture with': 656221, 'with friend': 998556, 'from scam': 337170, 'report scammer': 712238, 'scammer via': 740648, 'via citizen': 955865, 'citizen advice': 178818, 'advice consumer': 33346, 'on 0808': 598987, '0808 223': 1119, '223 1133': 15279, '1133 be': 2653, 'your hand of': 1024205, 'hand of coronavirus': 375109, 'of coronavirus scam': 581960, 'coronavirus scam and': 206711, 'scam and share': 740018, 'and share this': 71395, 'share this picture': 755292, 'this picture with': 889585, 'picture with friend': 656222, 'with friend and': 998558, 'friend and family': 333499, 'and family to': 62674, 'family to protect': 298330, 'others from scam': 621423, 'from scam report': 337174, 'scam report scammer': 740331, 'report scammer via': 712239, 'scammer via citizen': 740649, 'via citizen advice': 955866, 'citizen advice consumer': 178819, 'advice consumer service': 33348, 'consumer service on': 198947, 'service on 0808': 752649, 'on 0808 223': 598989, '0808 223 1133': 1121, '223 1133 be': 15280, 'foreclosure': 328910, 'restarts': 716252, 'cashflow': 166421, 'reassures': 703215, 'amac': 50590, 'trump stop': 933873, 'stop foreclosure': 804666, 'foreclosure restarts': 328928, 'restarts consumer': 716253, 'consumer cashflow': 196741, 'cashflow reassures': 166428, 'reassures america': 703216, 'america amac': 51446, 'trump stop foreclosure': 933874, 'stop foreclosure restarts': 804668, 'foreclosure restarts consumer': 328929, 'restarts consumer cashflow': 716254, 'consumer cashflow reassures': 196742, 'cashflow reassures america': 166429, 'reassures america amac': 703217, 'salvation': 732900, 'the salvation': 866188, 'salvation army': 732901, 'army of': 93018, 'of jackson': 585502, 'jackson said': 464207, 'it experiencing': 457900, 'experiencing critical': 291639, 'critical shortage': 218658, 'pantry due': 639562, 'demand increase': 235682, 'increase caused': 432713, 'the salvation army': 866189, 'salvation army of': 732903, 'army of jackson': 93022, 'of jackson said': 585503, 'jackson said it': 464208, 'said it experiencing': 731153, 'it experiencing critical': 457901, 'experiencing critical shortage': 291640, 'critical shortage at': 218660, 'shortage at it': 764843, 'at it food': 99323, 'it food pantry': 458055, 'food pantry due': 315773, 'pantry due to': 639563, 'to demand increase': 904146, 'demand increase caused': 235685, 'increase caused by': 432714, 'cleanliness': 181146, 'muhammad': 545584, 'burhaan': 142862, 'literally there': 495095, 'no real': 565276, 'and effective': 61950, 'effective sanitizer': 269299, 'our market': 623862, 'market kashmir': 516665, 'kashmir lockdown': 470984, 'lockdown india': 499528, 'india 2k20': 434273, '2k20 home': 16634, 'home pandemic': 401820, 'pandemic contagious': 635201, 'contagious virus': 200453, 'virus sanitizer': 958717, 'sanitizer hygiene': 735108, 'hygiene cleanliness': 412067, 'cleanliness muhammad': 181155, 'muhammad burhaan': 545585, 'burhaan official': 142863, 'literally there is': 495096, 'is no real': 449964, 'no real and': 565277, 'real and effective': 701034, 'and effective sanitizer': 61952, 'effective sanitizer in': 269300, 'sanitizer in our': 735151, 'in our market': 426314, 'our market kashmir': 623868, 'market kashmir lockdown': 516666, 'kashmir lockdown india': 470985, 'lockdown india 2k20': 499529, 'india 2k20 home': 434274, '2k20 home pandemic': 16635, 'home pandemic contagious': 401821, 'pandemic contagious virus': 635202, 'contagious virus sanitizer': 200455, 'virus sanitizer hygiene': 958719, 'sanitizer hygiene cleanliness': 735109, 'hygiene cleanliness muhammad': 412068, 'cleanliness muhammad burhaan': 181156, 'muhammad burhaan official': 545586, 'fb': 300637, 'nameandshame': 551702, 'friend created': 333567, 'created fb': 215825, 'fb group': 300649, 'group to': 366928, 'to nameandshame': 910470, 'nameandshame all': 551705, 'store selling': 810033, 'selling essential': 749224, 'item at': 463120, 'at extremely': 98604, 'extremely inflated': 293896, 'price feel': 673838, 'feel free': 302632, 'free to': 332233, 'add any': 31399, 'any you': 80057, 'friend created fb': 333568, 'created fb group': 215826, 'fb group to': 300651, 'group to nameandshame': 366935, 'to nameandshame all': 910471, 'nameandshame all the': 551706, 'all the store': 44927, 'the store selling': 868098, 'store selling essential': 810034, 'selling essential item': 749227, 'essential item at': 281189, 'item at extremely': 463125, 'at extremely inflated': 98605, 'extremely inflated price': 293897, 'inflated price feel': 437041, 'price feel free': 673840, 'feel free to': 302634, 'free to add': 332234, 'to add any': 900052, 'add any you': 31402, 'any you find': 80059, 'universally': 942386, 'digital consumer': 242534, 'service may': 752582, 'be universally': 117872, 'universally negative': 942387, 'negative analyst': 556735, 'analyst firm': 57137, 'firm say': 308414, '19 on digital': 8941, 'on digital consumer': 600323, 'digital consumer service': 242536, 'consumer service may': 198946, 'service may not': 752584, 'not be universally': 568478, 'be universally negative': 117873, 'universally negative analyst': 942388, 'negative analyst firm': 556736, 'analyst firm say': 57138, 'oxford': 632656, 'frontline doctor': 338725, 'doctor in': 250962, 'london you': 501233, 'seriously it': 751652, 'bad it': 107912, 'it already': 456410, 'already really': 47606, 'really bad': 701997, 'it predicted': 460423, 'predicted to': 669625, 'worse next': 1010972, 'next weekend': 561709, 'weekend lot': 977368, 'really get': 702216, 'it yet': 462628, 'yet stay': 1016242, 'stay inside': 797092, 'inside oh': 439339, 'oh really': 596435, 'really flattenthecurve': 702200, 'flattenthecurve oxford': 310186, 'frontline doctor in': 338727, 'doctor in london': 250963, 'in london you': 424906, 'london you really': 501234, 'really need to': 702447, 'need to take': 556098, 'to take this': 916248, 'this seriously it': 890041, 'seriously it bad': 751653, 'it bad it': 456689, 'bad it already': 107913, 'it already really': 456415, 'already really bad': 47607, 'really bad and': 701998, 'bad and it': 107760, 'and it predicted': 65569, 'it predicted to': 460424, 'predicted to get': 669628, 'get worse next': 348655, 'worse next weekend': 1010973, 'next weekend lot': 561710, 'weekend lot of': 977369, 'of people do': 587896, 'not really get': 571234, 'really get it': 702217, 'get it yet': 347438, 'it yet stay': 462632, 'yet stay inside': 1016243, 'stay inside oh': 797103, 'inside oh really': 439340, 'oh really flattenthecurve': 596436, 'really flattenthecurve oxford': 702201, 'sound': 786254, 'really like': 702377, 'these video': 880931, 'people influencing': 648476, 'the distribution': 853424, 'distribution sound': 248223, 'sound simple': 786329, 'and calm': 59433, 'calm advice': 156677, 'advice it': 33422, 'world there': 1010058, 'whole supermarket': 990345, 'just stay': 469884, 'safe remember': 729907, 'remember there': 710331, 'there reason': 878990, 'really like these': 702378, 'like these video': 491441, 'these video it': 880932, 'video it nice': 956795, 'to see people': 914059, 'see people influencing': 745562, 'people influencing the': 648477, 'influencing the distribution': 437359, 'the distribution sound': 853426, 'distribution sound simple': 248225, 'sound simple and': 786330, 'simple and calm': 769986, 'and calm advice': 59434, 'calm advice it': 156678, 'advice it not': 33423, 'not the end': 571994, 'the world there': 871985, 'world there no': 1010060, 'need to buy': 555876, 'to buy the': 902316, 'buy the whole': 149312, 'the whole supermarket': 871510, 'whole supermarket just': 990348, 'supermarket just stay': 821230, 'just stay safe': 469889, 'stay safe remember': 797269, 'safe remember there': 729908, 'remember there reason': 710334, 'there reason we': 878991, 'reason we do': 703051, 'we do this': 971356, 'do this 19': 250335, 'got my': 358721, 'my first': 548330, 'first don': 308648, 'don get': 253534, 'get too': 348519, 'too close': 924651, 'head wa': 385859, 'like lady': 490616, 'lady even': 478755, 'even without': 284808, 'without wouldn': 1003063, 'wouldn get': 1012465, 'get close': 346785, 'you quarantineactivities': 1020523, 'just got my': 468864, 'got my first': 358723, 'my first don': 548338, 'first don get': 308649, 'don get too': 253547, 'get too close': 348520, 'too close to': 924658, 'close to me': 182906, 'to me at': 909918, 'me at the': 522479, 'store today in': 810847, 'my head wa': 548637, 'head wa like': 385860, 'wa like lady': 962546, 'like lady even': 490617, 'lady even without': 478756, 'even without wouldn': 284813, 'without wouldn get': 1003064, 'wouldn get close': 1012466, 'get close to': 346786, 'close to you': 182924, 'to you quarantineactivities': 918915, 'this reporter': 889877, 'reporter name': 712625, 'name but': 551621, 'but man': 146344, 'man she': 512225, 'she would': 756486, 'let up': 487196, 'up even': 944801, 'even in': 284229, 'of president': 588375, 'trump attack': 933427, 'not know this': 570305, 'know this reporter': 476895, 'this reporter name': 889878, 'reporter name but': 712626, 'name but man': 551623, 'but man she': 146345, 'man she would': 512226, 'she would not': 756489, 'would not let': 1012078, 'not let up': 570376, 'let up even': 487197, 'up even in': 944803, 'even in the': 284248, 'face of president': 294669, 'of president trump': 588376, 'president trump attack': 670933, 'lifestyle': 489347, 'term online': 838229, 'get massive': 347532, 'massive boost': 519969, 'boost from': 134960, 'the lifestyle': 859348, 'lifestyle change': 489354, 'change of': 172194, 'consumer retail': 198792, 'retail cx': 718021, 'in the long': 429329, 'long term online': 501700, 'term online shopping': 838230, 'shopping will get': 764414, 'will get massive': 993511, 'get massive boost': 347533, 'massive boost from': 519970, 'boost from the': 134962, 'from the lifestyle': 337773, 'the lifestyle change': 859349, 'lifestyle change of': 489355, 'change of covid': 172195, '19 consumer retail': 5983, 'consumer retail cx': 198794, 'badparenting': 108187, 'fuck nobody': 339606, 'nobody should': 566058, 'be letting': 115711, 'letting their': 487447, 'their teen': 874959, 'teen out': 836502, 'house school': 406550, 'the mall': 859963, 'mall are': 511747, 'closed badparenting': 183010, 'actual fuck nobody': 30661, 'fuck nobody should': 339607, 'nobody should be': 566059, 'should be letting': 765660, 'be letting their': 115712, 'letting their teen': 487448, 'their teen out': 874960, 'teen out the': 836503, 'out the house': 627379, 'the house school': 857631, 'house school and': 406551, 'school and the': 741689, 'and the mall': 73468, 'the mall are': 859965, 'mall are closed': 511748, 'are closed badparenting': 85331, 'gotta': 359061, 'crib': 216727, 'vanish': 952416, 'keyser': 473565, 'ser': 751176, 'low hell': 505312, 'hell but': 388988, 'but gotta': 145813, 'gotta stay': 359102, 'the crib': 852329, 'crib soon': 216728, 'soon gas': 785715, 'up covid': 944667, 'to vanish': 918114, 'vanish like': 952417, 'like keyser': 490605, 'keyser ser': 473566, 'are low hell': 87928, 'low hell but': 505313, 'hell but gotta': 388990, 'but gotta stay': 145815, 'gotta stay in': 359103, 'in the crib': 429107, 'the crib soon': 852330, 'crib soon gas': 216729, 'soon gas price': 785716, 'gas price go': 343972, 'go up covid': 354426, 'up covid 19': 944668, '19 is going': 7978, 'going to vanish': 355752, 'to vanish like': 918115, 'vanish like keyser': 952418, 'like keyser ser': 490606, 'resale': 713555, 'resellers': 713974, 'makeuplife': 510922, 'sure why': 827837, 'are shocked': 90047, 'shocked that': 759581, 'that others': 845564, 'selling toilet': 749508, 'at exorbitant': 98589, 'exorbitant resale': 290430, 'resale price': 713561, 'the beauty': 849408, 'beauty community': 118749, 'to resellers': 913338, 'resellers price': 713983, 'gouging sought': 359453, 'sought after': 786204, 'after item': 35845, 'item pricegouging': 463586, 'pricegouging makeuplife': 677826, 'not sure why': 571857, 'sure why people': 827838, 'people are shocked': 647076, 'are shocked that': 90048, 'shocked that others': 759582, 'that others are': 845565, 'others are selling': 621277, 'are selling toilet': 89973, 'selling toilet paper': 749509, 'paper and hand': 639827, 'and hand sanitizer': 64145, 'hand sanitizer at': 375313, 'sanitizer at exorbitant': 734505, 'at exorbitant resale': 98591, 'exorbitant resale price': 290431, 'resale price thanks': 713563, 'thanks to 19': 842202, 'to 19 we': 899558, '19 we in': 11934, 'in the beauty': 429017, 'the beauty community': 849409, 'beauty community are': 118750, 'community are used': 189742, 'used to resellers': 950083, 'to resellers price': 913339, 'resellers price gouging': 713984, 'price gouging sought': 674324, 'gouging sought after': 359454, 'sought after item': 786207, 'after item pricegouging': 35847, 'item pricegouging makeuplife': 463587, 'luara': 506413, 'anderson': 76137, 'shaw': 755812, 'mississippi': 534403, 'great story': 363009, 'story by': 811926, 'by luara': 153113, 'luara anderson': 506414, 'anderson shaw': 76140, 'shaw about': 755813, 'about local': 25655, 'business filling': 143736, 'filling an': 305594, 'an urgent': 56954, 'urgent need': 948348, '19 mississippi': 8663, 'mississippi river': 534409, 'river distilling': 724181, 'distilling co': 247841, 'co to': 184984, 'produce hand': 680287, 'is great story': 448205, 'great story by': 363012, 'story by luara': 811930, 'by luara anderson': 153114, 'luara anderson shaw': 506415, 'anderson shaw about': 76141, 'shaw about local': 755814, 'about local business': 25656, 'local business filling': 497760, 'business filling an': 143737, 'filling an urgent': 305596, 'an urgent need': 56956, 'urgent need in': 948350, 'need in the': 555051, 'wake of 19': 964586, 'of 19 mississippi': 579403, '19 mississippi river': 8664, 'mississippi river distilling': 534410, 'river distilling co': 724182, 'distilling co to': 247842, 'co to produce': 184985, 'to produce hand': 912196, 'produce hand sanitizer': 680290, 'bcuz': 113373, 'everyone panic': 287248, 'during restriction': 262981, 'restriction of': 717331, 'of movement': 586688, 'movement bcuz': 543862, 'bcuz of': 113374, '19 worried': 12204, 'about my': 25761, 'my study': 550248, 'study problem': 814943, 'while everyone panic': 986808, 'everyone panic about': 287249, 'panic about the': 637261, 'about the food': 26399, 'the food during': 855548, 'food during restriction': 314326, 'during restriction of': 262982, 'restriction of movement': 717332, 'of movement bcuz': 586690, 'movement bcuz of': 543863, 'bcuz of covid': 113375, 'covid 19 worried': 214091, '19 worried about': 12205, 'worried about my': 1010506, 'about my study': 25771, 'my study problem': 550249, 'we wanted': 973754, 'you how': 1019255, 'taking action': 833242, 'action across': 29920, 'across and': 29256, 'support you': 827006, 'partner through': 642882, 'time read': 897550, 'our thread': 625134, 'thread below': 893524, 'below to': 126752, 'we wanted to': 973755, 'wanted to tell': 966278, 'tell you how': 837147, 'you how we': 1019263, 'we are taking': 970731, 'are taking action': 90710, 'taking action across': 833243, 'action across and': 29921, 'across and to': 29257, 'and to support': 74202, 'to support you': 915989, 'support you your': 827010, 'your family and': 1023772, 'family and our': 297598, 'and our partner': 68511, 'our partner through': 624284, 'partner through this': 642883, 'through this time': 894849, 'this time read': 890682, 'time read our': 897552, 'read our thread': 700523, 'our thread below': 625135, 'thread below to': 893526, 'below to find': 126754, 'after waiting': 36500, 'hour genuinely': 405641, 'genuinely feel': 345890, 'like when': 491801, 'when wa': 984396, 'wa 16': 961350, 'got in': 358626, 'to club': 902921, 'club relief': 184471, 'relief quarantinelife': 709452, 'getting in to': 349058, 'in to supermarket': 430139, 'to supermarket after': 915769, 'supermarket after waiting': 818817, 'after waiting for': 36501, 'waiting for hour': 964318, 'for hour genuinely': 322392, 'hour genuinely feel': 405642, 'genuinely feel like': 345891, 'feel like when': 302762, 'like when wa': 491805, 'when wa 16': 984397, 'wa 16 and': 961352, '16 and got': 4093, 'and got in': 63856, 'got in to': 358631, 'in to club': 430103, 'to club relief': 902922, 'club relief quarantinelife': 184472, 'capable': 162476, 'quote': 694978, 'stimuluschecks': 801638, 'security are': 744545, 'are capable': 85169, 'capable of': 162480, 'and extra': 62560, 'supply it': 825468, 'it look': 459456, 'they count': 881847, 'count being': 210103, 'being in': 125289, 'the quote': 865078, 'quote from': 694988, 'from trump': 338148, 'trump being': 933439, 'being all': 124830, 'all american': 42000, 'american guess': 52007, 'guess those': 368064, 'on are': 599458, 'not american': 568182, 'american so': 52198, 'sad stimuluschecks': 729241, 'stimuluschecks virus': 801640, 'if people on': 414625, 'people on social': 648970, 'on social security': 603539, 'social security are': 779941, 'security are capable': 744546, 'are capable of': 85170, 'capable of getting': 162481, 'of getting the': 584129, 'getting the and': 349339, 'the and had': 848700, 'had to stock': 373732, 'food and extra': 313227, 'and extra supply': 62561, 'extra supply it': 293666, 'supply it look': 825474, 'it look like': 459458, 'like they count': 491448, 'they count being': 881848, 'count being in': 210104, 'being in the': 125307, 'in the quote': 429493, 'the quote from': 865079, 'quote from trump': 694994, 'from trump being': 338150, 'trump being all': 933440, 'being all american': 124831, 'all american guess': 42002, 'american guess those': 52008, 'guess those on': 368066, 'those on are': 892282, 'on are not': 599460, 'are not american': 88321, 'not american so': 568184, 'american so sad': 52199, 'so sad stimuluschecks': 778142, 'sad stimuluschecks virus': 729242, 'philosophy': 654787, 'landlord': 479333, 'today is': 919718, 'first rent': 308914, 'due date': 261645, 'date since': 226728, 'virus crashed': 958099, 'crashed retail': 215085, 'retail traffic': 718808, 'traffic and': 929045, 'store sale': 809963, 'sale many': 732348, 'many tenant': 514781, 'tenant are': 837829, 'for relief': 325091, 'relief jared': 709375, 'jared burden': 464824, 'burden cover': 142738, 'cover little': 212245, 'little of': 495490, 'the philosophy': 863677, 'philosophy behind': 654788, 'behind how': 124641, 'how some': 408712, 'some landlord': 783180, 'landlord and': 479336, 'and property': 69630, 'property owner': 684317, 'owner are': 632384, 'handling these': 376399, 'these request': 880586, 'today is the': 919725, 'the first rent': 855340, 'first rent due': 308915, 'rent due date': 711071, 'due date since': 261647, 'date since the': 226729, 'since the covid': 770873, '19 virus crashed': 11795, 'virus crashed retail': 958100, 'crashed retail traffic': 215086, 'retail traffic and': 718809, 'traffic and store': 929049, 'and store sale': 72515, 'store sale many': 809969, 'sale many tenant': 732349, 'many tenant are': 514782, 'tenant are asking': 837830, 'are asking for': 84638, 'asking for relief': 95996, 'for relief jared': 325093, 'relief jared burden': 709376, 'jared burden cover': 464825, 'burden cover little': 142739, 'cover little of': 212246, 'little of the': 495493, 'of the philosophy': 591333, 'the philosophy behind': 863678, 'philosophy behind how': 654789, 'behind how some': 124642, 'how some landlord': 408717, 'some landlord and': 783181, 'landlord and property': 479337, 'and property owner': 69631, 'property owner are': 684318, 'owner are handling': 632387, 'are handling these': 87002, 'handling these request': 376400, 'flooding': 310741, 'frustration': 339262, 'the video': 870736, 'video flooding': 956726, 'flooding social': 310756, 'medium farmer': 527094, 'farmer forced': 299376, 'milk some': 531824, 'time ever': 896630, 'ever why': 285597, 'why covid': 990906, 'demand but': 235075, 'there also': 877969, 'also frustration': 48247, 'frustration over': 339274, 'buying limit': 150654, 'limit at': 492295, 'you ve seen': 1022063, 've seen the': 953549, 'seen the video': 747297, 'the video flooding': 870744, 'video flooding social': 956727, 'flooding social medium': 310757, 'social medium farmer': 779850, 'medium farmer forced': 527095, 'farmer forced to': 299377, 'their milk some': 873967, 'milk some for': 531825, 'some for the': 782892, 'first time ever': 309097, 'time ever why': 896634, 'ever why covid': 285598, 'why covid 19': 990907, 'and the loss': 73462, 'loss of food': 503744, 'of food service': 583773, 'service demand but': 752279, 'demand but there': 235085, 'but there also': 147460, 'there also frustration': 877972, 'also frustration over': 48249, 'frustration over buying': 339275, 'over buying limit': 630053, 'buying limit at': 150655, 'limit at grocery': 492296, 'probily': 679436, 'supportaussiebusiness': 827024, 'fuckcovid19': 339718, 'guy can': 368950, 'can probily': 159305, 'probily tell': 679437, 'tell have': 836962, 'been doing': 121016, 'doing some': 252668, 'shopping with': 764424, '19 supportaussiebusiness': 10978, 'supportaussiebusiness fuckcovid19': 827025, 'fuckcovid19 stayhome': 339719, 'you guy can': 1018954, 'guy can probily': 368953, 'can probily tell': 159306, 'probily tell have': 679438, 'tell have been': 836963, 'have been doing': 379517, 'been doing some': 121025, 'doing some online': 252673, 'online shopping with': 609349, 'shopping with this': 764447, 'with this covid': 1001687, 'covid 19 supportaussiebusiness': 213893, '19 supportaussiebusiness fuckcovid19': 10979, 'supportaussiebusiness fuckcovid19 stayhome': 827026, 'structure': 814294, 'deluxe': 234842, 'proven': 686147, 'tradeshow': 928819, 'emergency treatment': 273034, 'treatment structure': 931143, 'structure are': 814297, 'are created': 85613, 'created using': 215924, 'using deluxe': 950451, 'deluxe system': 234845, 'system that': 831331, 'ha proven': 371561, 'proven itself': 686169, 'itself in': 463935, 'the tradeshow': 869865, 'tradeshow industry': 928820, 'industry for': 435832, 'year higher': 1014625, 'higher quality': 395705, 'quality better': 691768, 'price fast': 673828, 'fast shipping': 300028, 'shipping stay': 758919, 'healthy sarscov2': 387754, 'sarscov2 medtwitter': 736850, 'our emergency treatment': 622884, 'emergency treatment structure': 273035, 'treatment structure are': 931144, 'structure are created': 814298, 'are created using': 85615, 'created using deluxe': 215925, 'using deluxe system': 950452, 'deluxe system that': 234846, 'system that ha': 831335, 'that ha proven': 844130, 'ha proven itself': 371564, 'proven itself in': 686170, 'itself in the': 463937, 'in the tradeshow': 429622, 'the tradeshow industry': 869866, 'tradeshow industry for': 928821, 'industry for year': 435834, 'for year higher': 328005, 'year higher quality': 1014627, 'higher quality better': 395706, 'quality better price': 691769, 'better price fast': 128423, 'price fast shipping': 673830, 'fast shipping stay': 300030, 'shipping stay healthy': 758920, 'stay healthy sarscov2': 796917, 'healthy sarscov2 medtwitter': 387755, 'stepmother': 799759, 'my stepmother': 550202, 'stepmother just': 799760, 'just tested': 469973, 'place she': 657677, 'been for': 121165, 'for four': 321685, 'four week': 330697, 'that easy': 843665, 'contract it': 201679, 'my stepmother just': 550203, 'stepmother just tested': 799761, 'just tested positive': 469974, 'only place she': 610986, 'place she ha': 657678, 'ha been for': 369809, 'been for four': 121166, 'for four week': 321690, 'four week is': 330701, 'week is the': 976428, 'store it that': 808594, 'it that easy': 461488, 'that easy to': 843666, 'easy to contract': 265777, 'to contract it': 903425, 'contract it be': 201680, 'it be careful': 456726, 'decorate': 231532, 'cute': 223644, 'mask especially': 518606, 'in situation': 427986, 'be around': 113679, 'around people': 93450, 'like at': 489839, 'pharmacy make': 654372, 'own mask': 632092, 'mask decorate': 518562, 'decorate it': 231533, 'have fun': 380741, 'fun with': 341248, 'your design': 1023491, 'design make': 238248, 'make something': 510478, 'something cute': 784880, 'cute and': 223647, 'friendly flattenthecurve': 333961, 'flattenthecurve stopthespread': 310209, 'wear mask especially': 974385, 'mask especially in': 518608, 'especially in situation': 280530, 'in situation where': 427990, 'situation where you': 772584, 'where you may': 985394, 'you may be': 1019792, 'may be around': 520949, 'be around people': 113682, 'around people like': 93454, 'people like at': 648642, 'like at the': 489844, 'or pharmacy make': 616578, 'pharmacy make your': 654373, 'make your own': 510767, 'your own mask': 1025152, 'own mask decorate': 632093, 'mask decorate it': 518563, 'decorate it and': 231534, 'it and have': 456497, 'and have fun': 64245, 'have fun with': 380745, 'fun with your': 341251, 'with your design': 1002192, 'your design make': 1023493, 'design make something': 238249, 'make something cute': 510479, 'something cute and': 784881, 'cute and friendly': 223648, 'and friendly flattenthecurve': 63339, 'friendly flattenthecurve stopthespread': 333962, 'ounce': 621953, 'tablespoon': 831516, 'aloe': 46780, 'vera': 954725, 'sanitizer ounce': 735504, 'ounce plastic': 621967, 'plastic spray': 658875, 'spray bottle': 790273, 'bottle 16': 136163, '16 ounce': 4149, 'ounce of': 621964, 'isopropyl alcohol': 455557, 'alcohol tablespoon': 41128, 'tablespoon pure': 831517, 'pure aloe': 689958, 'aloe vera': 46789, 'vera 15': 954726, '15 drop': 3702, 'drop essential': 260187, 'essential oil': 281346, 'hand sanitizer ounce': 375520, 'sanitizer ounce plastic': 735505, 'ounce plastic spray': 621968, 'plastic spray bottle': 658876, 'spray bottle 16': 790274, 'bottle 16 ounce': 136164, '16 ounce of': 4150, 'ounce of isopropyl': 621966, 'of isopropyl alcohol': 585348, 'isopropyl alcohol tablespoon': 455563, 'alcohol tablespoon pure': 41129, 'tablespoon pure aloe': 831518, 'pure aloe vera': 689959, 'aloe vera 15': 46790, 'vera 15 drop': 954727, '15 drop essential': 3703, 'drop essential oil': 260188, 'allotted': 45902, 'staff an': 792118, 'an are': 55385, 'provide allotted': 686219, 'allotted shopping': 45903, 'worker during': 1006814, 'this is very': 888454, 'is very good': 453675, 'very good news': 955193, 'news for nh': 560438, 'nh staff an': 562075, 'staff an are': 792119, 'an are going': 55386, 'going to provide': 355677, 'to provide allotted': 912378, 'provide allotted shopping': 686220, 'allotted shopping time': 45904, 'shopping time for': 764142, 'time for worker': 896777, 'for worker during': 327934, 'worker during the': 1006819, 'during the fight': 263128, 'district': 248342, 'apparent': 81880, 'violation': 957509, 'sir the': 771655, 'the district': 853428, 'district sick': 248384, 'safe leave': 729798, 'leave act': 484722, 'an apparent': 55359, 'apparent human': 81892, 'human right': 410599, 'right violation': 722391, 'violation see': 957523, 'see image': 745289, 'sir the district': 771656, 'the district sick': 853430, 'district sick and': 248385, 'sick and safe': 768371, 'and safe leave': 70717, 'safe leave act': 729799, 'leave act is': 484723, 'act is an': 29666, 'is an apparent': 445644, 'an apparent human': 55361, 'apparent human right': 81893, 'human right violation': 410603, 'right violation see': 722393, 'violation see image': 957524, 'iceland': 412698, 'fronted': 338693, 'famous': 298448, 'singer': 771177, 'encouraging': 275709, 'indoors': 435372, 'afer': 33976, 'pleased not': 660793, 'not singing': 571588, 'singing one': 771222, 'these but': 879709, 'great ran': 362935, 'ran on': 696508, 'on national': 602337, 'national tv': 552637, 'tv in': 936120, 'in iceland': 423954, 'iceland country': 412707, 'country not': 210924, 'not supermarket': 571806, 'week fronted': 976258, 'fronted by': 338694, 'by famous': 152547, 'famous in': 298472, 'iceland singer': 412717, 'singer encouraging': 771184, 'encouraging people': 275728, 'to adventure': 900131, 'adventure indoors': 33101, 'indoors this': 435428, 'this easter': 887334, 'easter afer': 265373, 'afer stayhomesavelives': 33979, 'll be pleased': 496610, 'be pleased not': 116447, 'pleased not singing': 660794, 'not singing one': 571590, 'singing one of': 771223, 'of these but': 591814, 'these but this': 879710, 'but this is': 147551, 'is great ran': 448201, 'great ran on': 362936, 'ran on national': 696509, 'on national tv': 602339, 'national tv in': 552638, 'tv in iceland': 936122, 'in iceland country': 423955, 'iceland country not': 412708, 'country not supermarket': 210925, 'not supermarket this': 571811, 'supermarket this week': 823321, 'this week fronted': 891216, 'week fronted by': 976259, 'fronted by famous': 338695, 'by famous in': 152548, 'famous in iceland': 298473, 'in iceland singer': 423956, 'iceland singer encouraging': 412718, 'singer encouraging people': 771185, 'encouraging people to': 275730, 'people to adventure': 649873, 'to adventure indoors': 900132, 'adventure indoors this': 33102, 'indoors this easter': 435429, 'this easter afer': 887335, 'easter afer stayhomesavelives': 265374, 'sunburnt': 818132, 'netflix': 557589, 'charm': 173782, 'addiction': 31633, 'loses': 503513, 'learning': 484171, 'distancing diary': 247097, 'diary day': 240408, 'day am': 227238, 'am sunburnt': 50449, 'sunburnt and': 818133, 'and tired': 74138, 'tired netflix': 899036, 'netflix ha': 557601, 'it charm': 457112, 'charm my': 173783, 'shopping addiction': 761891, 'addiction is': 31640, 'in full': 423158, 'full force': 340606, 'force once': 328471, 'once that': 605715, 'that loses': 844947, 'loses my': 503523, 'my interest': 548874, 'interest may': 441374, 'result to': 717645, 'to learning': 909144, 'learning chinese': 484187, 'chinese so': 177350, 'can yell': 160265, 'social distancing diary': 779588, 'distancing diary day': 247098, 'diary day am': 240409, 'day am sunburnt': 227242, 'am sunburnt and': 50450, 'sunburnt and tired': 818134, 'and tired netflix': 74139, 'tired netflix ha': 899037, 'netflix ha lost': 557602, 'lost it charm': 503875, 'it charm my': 457113, 'charm my online': 173784, 'online shopping addiction': 609015, 'shopping addiction is': 761895, 'addiction is in': 31641, 'is in full': 448772, 'in full force': 423163, 'full force once': 340610, 'force once that': 328472, 'once that loses': 605716, 'that loses my': 844948, 'loses my interest': 503524, 'my interest may': 548876, 'interest may result': 441375, 'may result to': 521462, 'result to learning': 717646, 'to learning chinese': 909145, 'learning chinese so': 484188, 'chinese so can': 177351, 'so can yell': 776733, 'can yell at': 160266, 'yell at the': 1015206, 'at the ceo': 100905, 'ceo of covid': 169773, 'shopping supermarket': 764014, 'supermarket remain': 822193, 'open remember': 612478, 'to practice': 911951, 'good hygiene': 357194, 'out to do': 627638, 'to do your': 904597, 'do your shopping': 250711, 'your shopping supermarket': 1025794, 'shopping supermarket remain': 764018, 'supermarket remain open': 822194, 'remain open remember': 709819, 'open remember to': 612479, 'remember to practice': 710380, 'to practice social': 911963, 'distancing and good': 246969, 'and good hygiene': 63832, 'delgro': 232873, 'smrt': 775967, 'exploring': 292541, 'transport firm': 929885, 'firm such': 308421, 'such comfort': 816408, 'comfort delgro': 187823, 'delgro and': 232874, 'and smrt': 71820, 'smrt road': 775968, 'are exploring': 86370, 'exploring option': 292550, 'option on': 614081, 'help online': 390189, 'grocery platform': 364862, 'platform with': 659057, 'with delivery': 997959, 'delivery amidst': 233646, 'grocery demand': 364457, 'demand grocery': 235588, 'grocery transport': 366079, 'transport delivery': 929877, 'delivery delivery': 233859, 'transport firm such': 929886, 'firm such comfort': 308422, 'such comfort delgro': 816409, 'comfort delgro and': 187824, 'delgro and smrt': 232875, 'and smrt road': 71821, 'smrt road are': 775969, 'road are exploring': 724411, 'are exploring option': 86371, 'exploring option on': 292551, 'option on how': 614082, 'how to help': 409029, 'to help online': 907575, 'help online grocery': 390190, 'online grocery platform': 608324, 'grocery platform with': 364865, 'platform with delivery': 659059, 'with delivery amidst': 997960, 'delivery amidst the': 233647, 'amidst the surge': 52835, 'in demand retail': 422151, 'retail grocery demand': 718154, 'grocery demand grocery': 364458, 'demand grocery transport': 235590, 'grocery transport delivery': 366080, 'transport delivery delivery': 929878, 'alkaline': 41873, 'queen': 693367, 'flourish': 311193, 'strengthen': 813242, 'and organic': 68265, 'organic medication': 619225, 'the alkaline': 848578, 'alkaline water': 41877, 'water queen': 969130, 'queen will': 693399, 'also flourish': 48216, 'flourish panic': 311196, 'and paranoia': 68707, 'paranoia drive': 641429, 'drive people': 259125, 'buy supplement': 149259, 'supplement to': 824428, 'to strengthen': 915666, 'strengthen their': 813255, 'their immune': 873626, 'and prevent': 69405, 'prevent infection': 671655, 'infection seen': 436843, 'seen with': 747358, 'with exorbitant': 998324, 'exorbitant hand': 290395, 'sanitizer price': 735578, 'pharmaceutical company and': 654063, 'company and organic': 190386, 'and organic medication': 68266, 'organic medication the': 619226, 'medication the alkaline': 526682, 'the alkaline water': 848579, 'alkaline water queen': 41878, 'water queen will': 969131, 'queen will also': 693400, 'will also flourish': 992257, 'also flourish panic': 48217, 'flourish panic and': 311197, 'panic and paranoia': 637328, 'and paranoia drive': 68708, 'paranoia drive people': 641430, 'drive people to': 259126, 'people to buy': 649883, 'to buy supplement': 902312, 'buy supplement to': 149260, 'supplement to strengthen': 824429, 'to strengthen their': 915668, 'strengthen their immune': 813256, 'their immune system': 873627, 'immune system and': 417334, 'system and prevent': 831102, 'and prevent infection': 69409, 'prevent infection seen': 671660, 'infection seen with': 436844, 'seen with exorbitant': 747359, 'with exorbitant hand': 998325, 'exorbitant hand sanitizer': 290396, 'hand sanitizer price': 375545, 'elite': 271509, 'iraqi': 444791, 'organize': 619459, 'enact': 275480, 'democratic': 236757, 'commission this': 188905, 'this post': 889670, 'post examines': 666117, 'examines impact': 288842, 'of corruption': 581993, 'corruption corona': 207692, 'spread collapse': 790474, 'iraq elite': 444763, 'elite it': 271516, 'it offer': 459991, 'offer iraqi': 594671, 'iraqi youth': 444801, 'youth who': 1026874, 'have organized': 381835, 'organized the': 619479, 'the powerful': 864162, 'powerful october': 667793, 'revolution organize': 720751, 'organize post': 619468, '19 election': 6739, 'election enact': 271033, 'enact democratic': 275483, 'democratic re': 236768, 'commission this post': 188907, 'this post examines': 889673, 'post examines impact': 666118, 'examines impact of': 288843, 'impact of corruption': 417763, 'of corruption corona': 581994, 'corruption corona virus': 207693, 'corona virus spread': 204354, 'virus spread collapse': 958784, 'spread collapse of': 790475, 'on iraq elite': 601623, 'iraq elite it': 444764, 'elite it offer': 271517, 'it offer iraqi': 459992, 'offer iraqi youth': 594672, 'iraqi youth who': 444802, 'youth who have': 1026875, 'who have organized': 988942, 'have organized the': 381836, 'organized the powerful': 619482, 'the powerful october': 864163, 'powerful october revolution': 667794, 'october revolution organize': 579153, 'revolution organize post': 720753, 'organize post covid': 619469, 'covid 19 election': 213013, '19 election enact': 6740, 'election enact democratic': 271034, 'enact democratic re': 275484, 'motivationmonday': 543317, 'healthcare grocery': 387127, 'you motivationmonday': 1019897, 'to all healthcare': 900253, 'all healthcare grocery': 43077, 'healthcare grocery store': 387129, 'thank you motivationmonday': 841781, 'discourage': 244614, 'it ready': 460613, 'ready hospital': 700893, 'hospital grade': 404433, 'grade hand': 361653, 'sanitizer we': 736040, 'we strongly': 973435, 'strongly discourage': 814225, 'discourage buying': 244617, 'in bulk': 421027, 'bulk and': 142238, 'and inflating': 65209, 'price getting': 674174, 'getting rid': 349238, 'our all': 622051, 'of best': 580679, 'best interest': 127737, 'it ready hospital': 460614, 'ready hospital grade': 700894, 'hospital grade hand': 404434, 'grade hand sanitizer': 361654, 'hand sanitizer we': 375653, 'sanitizer we strongly': 736050, 'we strongly discourage': 973437, 'strongly discourage buying': 814226, 'discourage buying in': 244618, 'buying in bulk': 150528, 'in bulk and': 421028, 'bulk and inflating': 142240, 'and inflating the': 65210, 'the price getting': 864354, 'price getting rid': 674177, 'getting rid of': 349239, 'rid of 19': 721387, 'of 19 is': 579397, '19 is in': 7994, 'is in our': 448796, 'in our all': 426259, 'our all of': 622053, 'all of best': 43679, 'of best interest': 580680, 'supplying': 826274, 'jharkhand': 465425, 'government supplying': 360647, 'supplying month': 826299, 'month ration': 537970, 'in advance': 420048, 'advance to': 32915, 'every district': 285870, 'district jharkhand': 248372, 'jharkhand consumer': 465426, 'minister coronapandemic': 533347, 'government supplying month': 360648, 'supplying month ration': 826300, 'month ration in': 537971, 'ration in advance': 697698, 'in advance to': 420061, 'advance to every': 32917, 'to every district': 905301, 'every district jharkhand': 285871, 'district jharkhand consumer': 248373, 'jharkhand consumer affair': 465427, 'affair minister coronapandemic': 34069, 'admirable': 32545, 'people outside': 649030, 'outside mall': 629477, 'mall supermarket': 511834, 'the internal': 858356, 'internal mall': 441729, 'mall security': 511824, 'staff have': 792511, 'place admirable': 657294, 'admirable social': 32552, 'measure well': 525425, 'well capping': 978093, 'capping off': 162890, 'off how': 593910, 'item person': 463564, 'person can': 652345, 'get like': 347480, 'like alcohol': 489741, 'alcohol bottle': 40945, 'bottle covid': 136212, '19 remains': 10090, 'remains clear': 709993, 'clear and': 181219, 'and present': 69384, 'present health': 670593, 'health threat': 386908, 'of people outside': 587962, 'people outside mall': 649031, 'outside mall supermarket': 629478, 'mall supermarket the': 511836, 'supermarket the internal': 823227, 'the internal mall': 858358, 'internal mall security': 441730, 'mall security and': 511825, 'security and supermarket': 744541, 'and supermarket staff': 72737, 'supermarket staff have': 822852, 'staff have set': 792515, 'have set in': 382485, 'set in place': 753403, 'in place admirable': 426719, 'place admirable social': 657295, 'admirable social distancing': 32553, 'distancing measure well': 247328, 'measure well capping': 525426, 'well capping off': 978094, 'capping off how': 162891, 'off how many': 593912, 'many item person': 514220, 'item person can': 463565, 'person can get': 652347, 'can get like': 158428, 'get like alcohol': 347481, 'like alcohol bottle': 489742, 'alcohol bottle covid': 40946, 'bottle covid 19': 136213, 'covid 19 remains': 213685, '19 remains clear': 10092, 'remains clear and': 709994, 'clear and present': 181221, 'and present health': 69386, 'present health threat': 670594, 'south florida': 786720, 'florida covid': 310915, '19 info': 7872, 'info regarding': 437568, 'regarding store': 707268, 'store supermarket': 810452, 'supermarket giant': 820498, 'giant join': 349817, 'join list': 466762, 'with senior': 1000636, 'hour during': 405552, 'south florida covid': 786723, 'florida covid 19': 310916, 'covid 19 info': 213271, '19 info regarding': 7876, 'info regarding store': 437570, 'regarding store supermarket': 707271, 'store supermarket giant': 810456, 'supermarket giant join': 820506, 'giant join list': 349818, 'join list of': 466763, 'of store with': 590271, 'store with senior': 811400, 'with senior hour': 1000637, 'senior hour during': 750324, 'hour during coronavirus': 405553, 'verbally': 954749, 'physically': 655504, 'accepted': 28048, 'an open': 56653, 'open letter': 612355, 'letter to': 487355, 'public the': 688357, 'way you': 970199, 'you treat': 1021921, 'treat retail': 930878, 'worker is': 1007236, 'is work': 454026, 'large supermarket': 479803, 'and especially': 62236, 'especially during': 280461, 'outbreak being': 628044, 'being verbally': 126027, 'verbally and': 954756, 'sometimes even': 785199, 'even physically': 284468, 'physically abused': 655507, 'abused is': 27696, 'just accepted': 468145, 'accepted by': 28051, 'by part': 153526, 'an open letter': 56656, 'open letter to': 612358, 'letter to the': 487373, 'to the general': 916743, 'general public the': 345461, 'public the way': 688361, 'the way you': 871209, 'way you treat': 970208, 'you treat retail': 1021922, 'treat retail worker': 930879, 'retail worker is': 718892, 'worker is work': 1007244, 'is work for': 454028, 'work for large': 1005157, 'for large supermarket': 322890, 'large supermarket chain': 479806, 'supermarket chain and': 819593, 'chain and especially': 170463, 'and especially during': 62237, 'especially during the': 280464, '19 outbreak being': 9088, 'outbreak being verbally': 628045, 'being verbally and': 126028, 'verbally and sometimes': 954757, 'and sometimes even': 71995, 'sometimes even physically': 785201, 'even physically abused': 284469, 'physically abused is': 655509, 'abused is just': 27697, 'is just accepted': 449117, 'just accepted by': 468146, 'accepted by part': 28052, 'by part of': 153527, 'of the job': 591161, 'hern': 393907, 'ndez': 553408, '1966': 12407, 'imagined': 416837, 'lupe hern': 506805, 'hern ndez': 393908, 'ndez is': 553409, 'true american': 933028, 'in 1966': 419725, '1966 she': 12410, 'she imagined': 756133, 'imagined disinfectant': 416838, 'disinfectant gel': 245673, 'gel intended': 345129, 'intended for': 441050, 'for professional': 324783, 'professional who': 682518, 'who did': 988585, 'to hot': 907993, 'and soap': 71860, 'soap today': 779130, 'today hand': 919606, 'is billion': 446182, 'billion dollar': 130802, 'dollar industry': 253017, 'industry that': 436140, 'ha saved': 371807, 'saved countless': 737729, 'countless life': 210377, 'life disinfectant': 488596, 'lupe hern ndez': 506806, 'hern ndez is': 393909, 'ndez is true': 553410, 'is true american': 453364, 'true american hero': 933029, 'american hero in': 52033, 'hero in 1966': 394012, 'in 1966 she': 419727, '1966 she imagined': 12411, 'she imagined disinfectant': 756134, 'imagined disinfectant gel': 416839, 'disinfectant gel intended': 245674, 'gel intended for': 345130, 'intended for professional': 441053, 'for professional who': 324784, 'professional who did': 682520, 'who did not': 988587, 'not have access': 569809, 'access to hot': 28244, 'to hot water': 907995, 'hot water and': 405065, 'water and soap': 968881, 'and soap today': 71872, 'soap today hand': 779131, 'today hand sanitizer': 919607, 'sanitizer is billion': 735185, 'is billion dollar': 446183, 'billion dollar industry': 130804, 'dollar industry that': 253018, 'industry that ha': 436144, 'that ha saved': 844133, 'ha saved countless': 371809, 'saved countless life': 737730, 'countless life disinfectant': 210378, 'bathroom': 112626, 'make an': 509671, 'emergency phone': 272870, 'phone top': 655045, 'top put': 925700, 'put in': 690610, 'in bathroom': 420725, 'bathroom stall': 112665, 'stall so': 793379, 'can call': 157850, 'case you': 166121, 'you run': 1020956, 'paper toiletpaperemergency': 640969, 'toiletpaperemergency toiletpaper': 923138, 'should we make': 766649, 'we make an': 972333, 'make an emergency': 509677, 'an emergency phone': 55684, 'emergency phone top': 272871, 'phone top put': 655046, 'top put in': 925701, 'put in bathroom': 690612, 'in bathroom stall': 420726, 'bathroom stall so': 112668, 'stall so you': 793380, 'you can call': 1017638, 'can call for': 157853, 'call for help': 155874, 'for help in': 322179, 'help in case': 389893, 'in case you': 421282, 'case you run': 166130, 'you run out': 1020959, 'toilet paper toiletpaperemergency': 921499, 'paper toiletpaperemergency toiletpaper': 640970, 'fails': 296240, 'reject': 708314, 'misinformation': 534057, 'facebook news': 294970, 'news facebook': 560394, 'facebook ad': 294881, 'ad fails': 31093, 'fails to': 296247, 'to reject': 913123, 'reject covid': 708320, '19 misinformation': 8658, 'misinformation via': 534083, 'via consumer': 955873, 'report tested': 712307, 'tested facebook': 839298, 'ad claim': 31081, 'would reject': 1012177, 'reject ad': 708315, 'ad spreading': 31164, 'misinformation the': 534079, 'post facebook': 666124, 'facebook news facebook': 294971, 'news facebook ad': 560395, 'facebook ad fails': 294885, 'ad fails to': 31094, 'fails to reject': 296252, 'to reject covid': 913124, 'reject covid 19': 708321, 'covid 19 misinformation': 213440, '19 misinformation via': 8662, 'misinformation via consumer': 534084, 'via consumer report': 955875, 'consumer report tested': 198732, 'report tested facebook': 712308, 'tested facebook ad': 839299, 'facebook ad claim': 294884, 'ad claim they': 31082, 'claim they would': 179842, 'they would reject': 883952, 'would reject ad': 1012178, 'reject ad spreading': 708316, 'ad spreading covid': 31165, '19 misinformation the': 8660, 'misinformation the post': 534080, 'the post facebook': 864089, 'post facebook ad': 666125, 'followasci': 312589, 'ayurveda': 106367, 'stay vigilant': 797381, 'vigilant stay': 957259, 'stay informed': 797085, 'informed followasci': 438098, 'followasci read': 312590, 'read at': 700298, 'at advertising': 97841, 'advertising branding': 33209, 'branding marketing': 138128, 'marketing facemask': 517602, 'facemask sanitizers': 295101, 'sanitizers disinfectant': 736258, 'disinfectant food': 245661, 'food ayurveda': 313494, 'stay vigilant stay': 797385, 'vigilant stay safe': 957260, 'safe stay informed': 729973, 'stay informed followasci': 797087, 'informed followasci read': 438099, 'followasci read at': 312591, 'read at advertising': 700299, 'at advertising branding': 97842, 'advertising branding marketing': 33210, 'branding marketing facemask': 138129, 'marketing facemask sanitizers': 517603, 'facemask sanitizers disinfectant': 295102, 'sanitizers disinfectant food': 736259, 'disinfectant food ayurveda': 245662, 'idd': 412991, 'bagging': 108520, '59': 20559, 'pneumonia': 662087, 'support idd': 826578, 'idd mental': 412992, 'health guy': 386471, 'do his': 249399, 'his grocery': 397479, 'grocery bagging': 364306, 'bagging job': 108529, 'job told': 466237, 'told management': 923596, 'management could': 512556, 'with him': 998823, 'him 59': 396520, '59 had': 20569, 'had pneumonia': 373413, 'pneumonia they': 662102, 'go support': 354185, 'support him': 826566, 'him during': 396592, 'the night': 861803, 'night and': 562936, 'at other': 100000, 'his house': 397521, 'house th': 406593, 'support idd mental': 826579, 'idd mental health': 412993, 'mental health guy': 528641, 'health guy want': 386472, 'to do his': 904518, 'do his grocery': 249400, 'his grocery bagging': 397480, 'grocery bagging job': 364307, 'bagging job told': 108530, 'job told management': 466238, 'told management could': 923598, 'management could not': 512557, 'could not be': 209432, 'not be in': 568400, 'the store with': 868147, 'store with him': 811381, 'with him 59': 998824, 'him 59 had': 396521, '59 had pneumonia': 20570, 'had pneumonia they': 373414, 'pneumonia they said': 662103, 'they said we': 883250, 'said we were': 731573, 'we were going': 973793, 'going to go': 355610, 'to go support': 906859, 'go support him': 354186, 'support him during': 826567, 'him during the': 396594, 'during the night': 263160, 'the night and': 861804, 'night and at': 562937, 'and at other': 58482, 'at other time': 100002, 'other time in': 621128, 'time in his': 896992, 'in his house': 423730, 'his house th': 397525, 'pillar': 656678, 'essentially': 281896, 'boomed': 134836, 'transformed life': 929590, 'america including': 51562, 'people spend': 649516, 'money these': 537072, 'these chart': 879746, 'chart show': 173849, 'how in': 408045, 'in matter': 425190, 'matter of': 520606, 'week pillar': 976750, 'pillar of': 656681, 'american industry': 52051, 'industry essentially': 435802, 'essentially ground': 281905, 'ground to': 366545, 'to halt': 907095, 'halt while': 374472, 'while others': 987118, 'others boomed': 621311, 'coronavirus outbreak ha': 206389, 'outbreak ha transformed': 628279, 'ha transformed life': 372353, 'transformed life in': 929591, 'life in america': 488751, 'in america including': 420225, 'america including the': 51563, 'including the way': 432192, 'way people spend': 969811, 'people spend their': 649519, 'their money these': 874003, 'money these chart': 537073, 'these chart show': 879747, 'chart show how': 173850, 'show how in': 766979, 'how in matter': 408048, 'in matter of': 425191, 'matter of week': 520616, 'of week pillar': 593004, 'week pillar of': 976751, 'pillar of american': 656682, 'of american industry': 580064, 'american industry essentially': 52052, 'industry essentially ground': 435803, 'essentially ground to': 281906, 'ground to halt': 366546, 'to halt while': 907109, 'halt while others': 374473, 'while others boomed': 987120, 'pennsylvania': 646551, 'trashing': 930189, '35g': 17972, 'pennsylvania supermarket': 646583, 'supermarket say': 822323, 'say coughing': 738539, 'coughing prank': 208736, 'prank prompt': 668946, 'prompt trashing': 683921, 'trashing of': 930190, 'of 35g': 579575, '35g in': 17973, 'in produce': 427014, 'produce other': 680381, 'pennsylvania supermarket say': 646584, 'supermarket say coughing': 822325, 'say coughing prank': 738540, 'coughing prank prompt': 208737, 'prank prompt trashing': 668947, 'prompt trashing of': 683922, 'trashing of 35g': 930191, 'of 35g in': 579576, '35g in produce': 17974, 'in produce other': 427015, 'produce other item': 680383, 'drumlake': 261208, 'eyelid': 294147, 'appear': 82110, 'conti': 200927, 'drumlake nobody': 261209, 'nobody seems': 566056, 'to bat': 901068, 'bat an': 112536, 'an eyelid': 56041, 'eyelid at': 294148, 'giant profiteering': 349847, 'from selling': 337208, 'most basic': 542129, 'basic of': 112019, 'human need': 410570, 'coronacrisis yet': 204870, 'yet some': 1016235, 'people appear': 646902, 'appear to': 82122, 'that landlord': 844837, 'landlord should': 479363, 'should conti': 765873, 'drumlake nobody seems': 261210, 'nobody seems to': 566057, 'seems to bat': 746876, 'to bat an': 901069, 'bat an eyelid': 112537, 'an eyelid at': 56042, 'eyelid at supermarket': 294149, 'at supermarket giant': 100727, 'supermarket giant profiteering': 820511, 'giant profiteering from': 349848, 'profiteering from selling': 683046, 'from selling the': 337214, 'selling the most': 749480, 'the most basic': 860951, 'most basic of': 542133, 'basic of human': 112021, 'of human need': 584876, 'human need during': 410573, 'need during the': 554720, 'during the coronacrisis': 263102, 'the coronacrisis yet': 851793, 'coronacrisis yet some': 204871, 'yet some people': 1016237, 'some people appear': 783503, 'people appear to': 646903, 'appear to think': 82127, 'to think that': 917386, 'think that landlord': 885597, 'that landlord should': 844838, 'landlord should conti': 479364, 'hoarded': 398922, 'indefinite': 434026, 'quran': 695027, 'khwanis': 473751, 'think nation': 885415, 'nation when': 552379, 'when hearing': 983563, '19 hoarded': 7556, 'hoarded the': 398961, 'equipment think': 279849, 'piling raised': 656622, 'raised price': 696022, 'at indefinite': 99287, 'indefinite pricing': 434031, 'pricing started': 677979, 'selling basic': 749177, 'basic hygiene': 111938, 'on black': 599652, 'black started': 132127, 'started making': 794775, 'making fake': 511061, 'fake hand': 296634, 'sanitizers started': 736405, 'started quran': 794820, 'quran khwanis': 695028, 'khwanis when': 473752, 'when told': 984333, 'you think nation': 1021668, 'think nation when': 885416, 'nation when hearing': 552380, 'when hearing about': 983564, 'hearing about covid': 388185, 'covid 19 hoarded': 213212, '19 hoarded the': 7557, 'hoarded the medical': 398964, 'the medical equipment': 860396, 'medical equipment think': 526164, 'equipment think of': 279850, 'think of stock': 885460, 'stock piling raised': 802672, 'piling raised price': 656623, 'raised price of': 696028, 'of mask at': 586260, 'mask at indefinite': 518422, 'at indefinite pricing': 99288, 'indefinite pricing started': 434032, 'pricing started selling': 677980, 'started selling basic': 794829, 'selling basic hygiene': 749180, 'basic hygiene product': 111942, 'hygiene product on': 412159, 'product on black': 681464, 'on black started': 599654, 'black started making': 132128, 'started making fake': 794776, 'making fake hand': 511062, 'fake hand sanitizers': 296637, 'hand sanitizers started': 375722, 'sanitizers started quran': 736406, 'started quran khwanis': 794821, 'quran khwanis when': 695029, 'khwanis when told': 473753, 'gouger': 359208, 'texan': 839713, '621': 21239, '0508': 957, 'office is': 595453, 'is ready': 451253, 'to prosecute': 912284, 'prosecute price': 684619, 'price gouger': 674239, 'gouger we': 359223, 'we deal': 971242, 'any texan': 79951, 'texan who': 839728, 'file pricegouging': 305363, 'pricegouging complaint': 677796, 'complaint should': 192025, 'should call': 765813, 'call 800': 155720, '800 621': 22678, '621 0508': 21240, '0508 or': 958, 'my office is': 549548, 'office is ready': 595461, 'is ready to': 451257, 'ready to prosecute': 700968, 'to prosecute price': 912286, 'prosecute price gouger': 684620, 'price gouger we': 674247, 'gouger we deal': 359224, 'we deal with': 971244, 'deal with any': 229537, 'with any texan': 997282, 'any texan who': 79952, 'texan who need': 839730, 'who need to': 989330, 'need to file': 555936, 'to file pricegouging': 905830, 'file pricegouging complaint': 305364, 'pricegouging complaint should': 677797, 'complaint should call': 192026, 'should call 800': 765814, 'call 800 621': 155724, '800 621 0508': 22679, '621 0508 or': 21241, '0508 or online': 961, 'or online at': 616386, 'confined': 194036, 'howeice': 409332, 'shopping behavior': 762192, 'behavior shift': 124184, 'shift into': 758334, 'into home': 442637, 'home confined': 400917, 'confined buying': 194044, 'buying with': 151376, 'with 23': 996984, '23 increase': 15397, 'increase over': 432973, 'over normal': 630442, 'normal grocery': 567163, 'grocery spending': 365141, 'spending grocery': 788818, 'grocery howeice': 364604, 'grocery shopping behavior': 365002, 'shopping behavior shift': 762212, 'behavior shift into': 124187, 'shift into home': 758335, 'into home confined': 442638, 'home confined buying': 400918, 'confined buying with': 194045, 'buying with 23': 151377, 'with 23 increase': 996985, '23 increase over': 15398, 'increase over normal': 432974, 'over normal grocery': 630443, 'normal grocery spending': 567166, 'grocery spending grocery': 365142, 'spending grocery howeice': 788819, 'contracted': 201728, 'nurse think': 577513, 'think she': 885526, 'she contracted': 755950, 'contracted covid': 201738, 'nurse think she': 577514, 'think she contracted': 885528, 'she contracted covid': 755951, 'contracted covid 19': 201739, 'gate': 344323, 'nokidhungry': 566241, 'cannot continue': 161724, 'continue food': 201037, 'bank need': 110021, 'receive excess': 703472, 'excess feed': 289335, 'feed people': 302357, 'with elderly': 998188, 'elderly vulnerable': 270925, 'vulnerable during': 960938, '19 allow': 4907, 'allow to': 46098, 'at farm': 98625, 'farm gate': 299122, 'gate while': 344357, 'while nokidhungry': 987084, 'cannot continue food': 161725, 'continue food bank': 201038, 'food bank need': 313603, 'bank need to': 110027, 'need to receive': 556034, 'to receive excess': 912916, 'receive excess feed': 703473, 'excess feed people': 289336, 'feed people with': 302359, 'people with elderly': 650445, 'with elderly vulnerable': 998190, 'elderly vulnerable during': 270930, 'vulnerable during 19': 960939, 'during 19 allow': 262401, '19 allow to': 4908, 'allow to buy': 46099, 'buy at farm': 148379, 'at farm gate': 98626, 'farm gate while': 299128, 'gate while nokidhungry': 344358, 'id': 412921, 'ramadan': 696336, 'iftar': 415653, 'traweeh': 930716, 'sad thing': 729262, '19 id': 7650, 'id the': 412956, 'whole of': 990285, 'of ramadan': 588728, 'ramadan is': 696337, 'is mostly': 449746, 'mostly going': 542961, 'be ruined': 116922, 'ruined limited': 727137, 'for iftar': 322471, 'iftar at': 415654, 'to humble': 908051, 'humble ourselves': 410820, 'ourselves because': 625465, 'because others': 119448, 'others barely': 621298, 'barely have': 111015, 'food while': 317591, 'while we': 987541, 'we panic': 972687, 'about tissue': 26703, 'tissue and': 899118, 'sanitizers large': 736331, 'gathering at': 344438, 'at traweeh': 101361, 'traweeh being': 930719, 'being cancelled': 124921, 'sad thing about': 729263, 'thing about covid': 884086, 'covid 19 id': 213242, '19 id the': 7652, 'id the whole': 412957, 'the whole of': 871500, 'whole of ramadan': 990287, 'of ramadan is': 588729, 'ramadan is mostly': 696339, 'is mostly going': 449747, 'mostly going to': 542962, 'to be ruined': 901515, 'be ruined limited': 116923, 'ruined limited food': 727138, 'limited food for': 492631, 'food for iftar': 314543, 'for iftar at': 322472, 'iftar at the': 415655, 'same time we': 733375, 'time we have': 898225, 'have to humble': 383227, 'to humble ourselves': 908052, 'humble ourselves because': 410821, 'ourselves because others': 625466, 'because others barely': 119450, 'others barely have': 621299, 'barely have food': 111016, 'have food while': 380673, 'food while we': 317601, 'while we panic': 987552, 'we panic about': 972688, 'panic about tissue': 637263, 'about tissue and': 26704, 'tissue and hand': 899122, 'and hand sanitizers': 64146, 'hand sanitizers large': 375705, 'sanitizers large gathering': 736332, 'large gathering at': 479669, 'gathering at traweeh': 344445, 'at traweeh being': 101362, 'traweeh being cancelled': 930720, 'ha not': 371357, 'not changed': 568730, 'changed consumer': 172453, 'consumer attitude': 196339, 'attitude to': 102588, 'to advertising': 900136, 'advertising via': 33288, '19 ha not': 7370, 'ha not changed': 371361, 'not changed consumer': 568731, 'changed consumer attitude': 172454, 'consumer attitude to': 196350, 'attitude to advertising': 102589, 'to advertising via': 900137, 'funnel': 341678, 'in colorado': 421560, 'colorado for': 186796, 'for pharmacy': 324521, 'pharmacy pickup': 654418, 'pickup and': 655924, 'you wouldn': 1022463, 'wouldn even': 1012457, 'know anything': 476272, 'anything wa': 80929, 'wa happening': 962272, 'happening another': 377322, 'another case': 77526, 'big twitter': 130086, 'twitter funnel': 936660, 'funnel or': 341679, 'just matter': 469230, 'time covid': 896518, 'store in colorado': 808289, 'in colorado for': 421566, 'colorado for pharmacy': 186797, 'for pharmacy pickup': 324524, 'pharmacy pickup and': 654419, 'pickup and you': 655933, 'and you wouldn': 76060, 'you wouldn even': 1022464, 'wouldn even know': 1012459, 'even know anything': 284276, 'know anything wa': 476274, 'anything wa happening': 80930, 'wa happening another': 962274, 'happening another case': 377323, 'another case of': 77527, 'of the big': 590818, 'the big twitter': 849629, 'big twitter funnel': 130087, 'twitter funnel or': 936661, 'funnel or just': 341680, 'or just matter': 615886, 'just matter of': 469231, 'matter of time': 520615, 'of time covid': 592169, 'time covid 19': 896519, 'contraceptive': 201616, 'lockdown while': 500134, 'while fear': 986826, 'fear run': 301314, 'run low': 727697, 'on contraceptive': 600097, 'contraceptive supply': 201621, 'supply supplier': 825926, 'supplier now': 824576, 'now fear': 574670, 'fear customer': 301096, 'customer face': 222365, 'face tough': 294818, 'tough choice': 926806, 'choice between': 177737, 'between buying': 128745, 'or contraceptive': 614813, '19 lockdown while': 8440, 'lockdown while fear': 500135, 'while fear run': 986827, 'fear run low': 301315, 'run low on': 727699, 'low on contraceptive': 505454, 'on contraceptive supply': 600098, 'contraceptive supply supplier': 201622, 'supply supplier now': 825927, 'supplier now fear': 824577, 'now fear customer': 574672, 'fear customer face': 301097, 'customer face tough': 222367, 'face tough choice': 294819, 'tough choice between': 926807, 'choice between buying': 177738, 'between buying food': 128746, 'buying food or': 150325, 'food or contraceptive': 315648, 'lovely': 504945, 'dull': 262079, 'chilled': 176388, 'xx': 1013917, 'thearchers': 872237, 'evening lovely': 284881, 'lovely hope': 504961, 're well': 699800, 'my day': 547941, 'been dull': 121052, 'dull did': 262080, 'from and': 334502, 'and chilled': 59840, 'chilled xx': 176393, 'xx thearchers': 1013922, 'good evening lovely': 357013, 'evening lovely hope': 284882, 'lovely hope you': 504962, 'hope you re': 403805, 'you re well': 1020792, 're well my': 699801, 'well my day': 978412, 'my day ha': 547944, 'day ha been': 227714, 'ha been dull': 369793, 'been dull did': 121053, 'dull did some': 262081, 'shopping from and': 762752, 'from and chilled': 334508, 'and chilled xx': 59841, 'chilled xx thearchers': 176394, 'employer': 274481, 'globalgoals': 352319, 'employer see': 274537, 'see there': 745925, 'is gap': 447999, 'gap in': 343445, 'your resume': 1025603, 'resume in': 717740, '2020 me': 14438, 'me wa': 523888, 'wa washing': 963663, 'washing my': 967699, 'hand corona': 374878, 'virus socialdistancing': 958767, 'socialdistancing pandemic': 780587, 'pandemic globalgoals': 635499, 'globalgoals meme': 352320, 'meme meme': 528333, 'meme toiletpaper': 528367, 'toiletpaper physicaldistancing': 922345, 'employer see there': 274538, 'see there is': 745926, 'there is gap': 878562, 'is gap in': 448000, 'gap in your': 343449, 'in your resume': 431118, 'your resume in': 1025604, 'resume in 2020': 717741, 'in 2020 me': 419845, '2020 me wa': 14440, 'me wa washing': 523892, 'wa washing my': 963664, 'washing my hand': 967700, 'my hand corona': 548603, 'hand corona virus': 374879, 'corona virus socialdistancing': 204351, 'virus socialdistancing pandemic': 958768, 'socialdistancing pandemic globalgoals': 780588, 'pandemic globalgoals meme': 635500, 'globalgoals meme meme': 352321, 'meme meme toiletpaper': 528339, 'meme toiletpaper physicaldistancing': 528370, 'in gang': 423217, 'gang and': 343389, 'also hire': 48360, 'hire in': 397009, 'in toilet': 430172, 'toilet or': 921169, 'hire extra': 397007, 'extra small': 293642, 'small van': 775178, 'van to': 952312, 'not travel': 572257, 'travel in': 930388, 'group due': 366676, 'have full': 380736, 'full range': 340836, 'of hire': 584641, 'hire van': 397033, 'van and': 952288, 'and welfare': 75393, 'welfare facility': 977949, 'facility call': 295313, 'some incredible': 783107, 'incredible price': 433861, 'on short': 603444, 'short and': 764595, 'term hire': 838169, 'do you work': 250698, 'you work in': 1022420, 'work in gang': 1005309, 'in gang and': 423218, 'gang and also': 343390, 'and also hire': 57958, 'also hire in': 48361, 'hire in toilet': 397010, 'in toilet or': 430173, 'toilet or do': 921170, 'or do you': 615021, 'do you need': 250649, 'need to hire': 555961, 'to hire extra': 907795, 'hire extra small': 397008, 'extra small van': 293643, 'small van to': 775179, 'van to not': 952314, 'to not travel': 910715, 'not travel in': 572260, 'travel in large': 930389, 'in large group': 424586, 'large group due': 479682, 'group due to': 366677, 'we have full': 971825, 'have full range': 380738, 'full range of': 340837, 'range of hire': 696715, 'of hire van': 584642, 'hire van and': 397034, 'van and welfare': 952290, 'and welfare facility': 75394, 'welfare facility call': 977950, 'facility call today': 295314, 'call today and': 156197, 'today and get': 919209, 'get some incredible': 348060, 'some incredible price': 783109, 'incredible price on': 433862, 'price on short': 675715, 'on short and': 603445, 'short and long': 764596, 'and long term': 66353, 'long term hire': 501690, 'dumping': 262223, 'cafeteria': 155142, 'farmer dumping': 299344, 'dumping milk': 262234, 'milk breaking': 531607, 'breaking egg': 138941, 'demand producer': 236079, 'producer are': 680567, 'are cautious': 85212, 'cautious the': 168233, 'virus wipe': 959048, 'wipe out': 996344, 'out sale': 627136, 'sale to': 732583, 'restaurant hotel': 716512, 'hotel and': 405103, 'and cafeteria': 59394, 'cafeteria it': 155147, 'wa heartbreaking': 962297, 'farmer dumping milk': 299345, 'dumping milk breaking': 262237, 'milk breaking egg': 531608, 'breaking egg restaurant': 138944, 'destroy demand producer': 239010, 'demand producer are': 236080, 'producer are cautious': 680570, 'are cautious the': 85213, 'cautious the virus': 168234, 'the virus wipe': 870924, 'virus wipe out': 959049, 'wipe out sale': 996350, 'out sale to': 627138, 'sale to restaurant': 732591, 'to restaurant hotel': 913390, 'restaurant hotel and': 716513, 'hotel and cafeteria': 405104, 'and cafeteria it': 59395, 'cafeteria it wa': 155148, 'it wa heartbreaking': 462124, 'kingdom': 475316, 'horrendous': 404072, 'harrowing': 378535, 'imaginable': 416669, 'traumatized': 930220, 'vegan': 953840, 'animal kingdom': 76620, 'kingdom whose': 475351, 'whose member': 990656, 'member in': 528112, 'china are': 176498, 'are subjected': 90613, 'most horrendous': 542384, 'horrendous and': 404075, 'and harrowing': 64202, 'harrowing form': 378536, 'form of': 329525, 'abuse imaginable': 27641, 'imaginable their': 416672, 'their pain': 874227, 'pain fear': 634222, 'fear and': 301022, 'and cry': 60780, 'cry are': 219849, 'leave you': 485049, 'you traumatized': 1021915, 'traumatized for': 930221, 'life remember': 488986, 'kingdom vegan': 475348, 'remember the animal': 710301, 'the animal kingdom': 848746, 'animal kingdom whose': 76623, 'kingdom whose member': 475352, 'whose member in': 990657, 'member in china': 528113, 'in china are': 421389, 'china are subjected': 176502, 'are subjected to': 90615, 'subjected to some': 815762, 'to some of': 914884, 'the most horrendous': 860996, 'most horrendous and': 542385, 'horrendous and harrowing': 404077, 'and harrowing form': 64203, 'harrowing form of': 378537, 'form of abuse': 329526, 'of abuse imaginable': 579726, 'abuse imaginable their': 27642, 'imaginable their pain': 416673, 'their pain fear': 874228, 'pain fear and': 634223, 'fear and cry': 301025, 'and cry are': 60782, 'cry are enough': 219850, 'are enough to': 86222, 'enough to leave': 277711, 'to leave you': 909171, 'leave you traumatized': 485051, 'you traumatized for': 1021916, 'traumatized for life': 930222, 'for life remember': 322971, 'life remember the': 488987, 'animal kingdom vegan': 76622, 'alert fraudsters': 41426, 'fraudsters are': 331398, 'using supermarket': 950670, 'supermarket branding': 819413, 'branding to': 138139, 'to trick': 917773, 'trick people': 931702, 'to thinking': 917394, 'thinking they': 886010, 'being offered': 125475, 'offered money': 594945, 'off purchase': 594095, 'purchase the': 689669, 'email contains': 272146, 'contains link': 200631, 'link which': 493962, 'which aim': 985641, 'financial detail': 306394, 'detail more': 239214, 'info at': 437422, 'scam alert fraudsters': 739977, 'alert fraudsters are': 41427, 'fraudsters are using': 331407, 'are using supermarket': 91432, 'using supermarket branding': 950671, 'supermarket branding to': 819414, 'branding to trick': 138140, 'to trick people': 917775, 'trick people in': 931704, 'people in to': 648441, 'in to thinking': 430142, 'to thinking they': 917395, 'thinking they are': 886011, 'they are being': 881211, 'are being offered': 84889, 'being offered money': 125480, 'offered money off': 594946, 'money off purchase': 536921, 'off purchase the': 594096, 'purchase the email': 689671, 'the email contains': 854207, 'email contains link': 272147, 'contains link which': 200633, 'link which aim': 493963, 'which aim to': 985642, 'aim to steal': 39563, 'to steal your': 915370, 'steal your personal': 799219, 'your personal and': 1025261, 'personal and or': 652784, 'and or financial': 68212, 'or financial detail': 615309, 'financial detail more': 306395, 'detail more info': 239215, 'more info at': 539548, 'moh': 535555, 'deyalsingh': 240045, 'scientic': 742157, 'moh deyalsingh': 535556, 'deyalsingh panic': 240046, 'drug chloroquine': 260904, 'chloroquine and': 177588, 'and report': 70260, 'gouging it': 359368, 'raise your': 695977, 'our brother': 622279, 'brother keeper': 141079, 'keeper there': 472343, 'no scientic': 565428, 'scientic evidence': 742158, 'evidence to': 288399, 'show it': 767017, 'it treat': 461847, 'treat covid': 930815, '19 lupus': 8492, 'lupus patient': 506822, 'patient need': 644216, 'need the': 555738, 'the drug': 853725, 'moh deyalsingh panic': 535557, 'deyalsingh panic buying': 240047, 'buying of drug': 150789, 'of drug chloroquine': 582844, 'drug chloroquine and': 260905, 'chloroquine and report': 177590, 'and report of': 70264, 'report of price': 712120, 'of price gouging': 588404, 'price gouging it': 674292, 'gouging it is': 359369, 'time to raise': 898038, 'to raise your': 912737, 'raise your price': 695980, 'your price we': 1025421, 'price we are': 677396, 'we are our': 970649, 'are our brother': 88855, 'our brother keeper': 622280, 'brother keeper there': 141080, 'keeper there is': 472344, 'is no scientic': 449970, 'no scientic evidence': 565429, 'scientic evidence to': 742159, 'evidence to show': 288400, 'to show it': 914561, 'show it treat': 767019, 'it treat covid': 461848, 'treat covid 19': 930816, 'covid 19 lupus': 213385, '19 lupus patient': 8493, 'lupus patient need': 506823, 'patient need the': 644218, 'need the drug': 555743, 'preval': 671565, 'wiped': 996441, 'abo': 24596, 'preval lost': 671566, 'lost ve': 503948, 'just finished': 468726, 'finished my': 307908, 'my isolation': 548895, 'isolation after': 455179, 'go food': 353546, 'no online': 564989, 'slot actually': 774094, 'actually wiped': 31018, 'wiped down': 996448, 'the trolley': 870003, 'trolley with': 932502, 'with dettol': 998012, 'dettol wipe': 239536, 'wipe after': 996171, 'after am': 35348, 'am that': 50483, 'that paranoid': 845652, 'paranoid abo': 641432, 'preval lost ve': 671567, 'lost ve just': 503949, 've just finished': 953299, 'just finished my': 468729, 'finished my isolation': 307910, 'my isolation after': 548896, 'isolation after covid': 455180, '19 and had': 5038, 'to go food': 906796, 'go food shopping': 353547, 'food shopping no': 316529, 'shopping no online': 763334, 'no online delivery': 564990, 'online delivery slot': 608092, 'delivery slot actually': 234502, 'slot actually wiped': 774095, 'actually wiped down': 31019, 'wiped down the': 996450, 'down the trolley': 257310, 'the trolley with': 870012, 'trolley with dettol': 932504, 'with dettol wipe': 998014, 'dettol wipe after': 239537, 'wipe after am': 996172, 'after am that': 35349, 'am that paranoid': 50484, 'that paranoid abo': 845653, 'stoppanicking': 805667, 'calmdown': 156835, 'thinkofothers': 886041, 'buying it': 150590, 'not necessary': 570631, 'necessary and': 553949, 'and these': 73875, 'these picture': 880481, 'picture of': 656158, 'of older': 587203, 'people looking': 648705, 'at empty': 98536, 'shelf is': 757229, 'is heartbreaking': 448372, 'heartbreaking stoppanicbuying': 388410, 'stoppanicbuying stoppanicking': 805638, 'stoppanicking calmdown': 805668, 'calmdown thinkofothers': 156838, 'thinkofothers bekind': 886042, 'please stop panic': 660582, 'panic buying it': 637779, 'buying it not': 150599, 'it not necessary': 459899, 'not necessary and': 570633, 'necessary and these': 553954, 'and these picture': 73883, 'these picture of': 880484, 'picture of older': 656168, 'of older people': 587205, 'older people looking': 598655, 'people looking at': 648706, 'looking at empty': 502805, 'at empty shelf': 98537, 'empty shelf is': 275074, 'shelf is heartbreaking': 757237, 'is heartbreaking stoppanicbuying': 448374, 'heartbreaking stoppanicbuying stoppanicking': 388411, 'stoppanicbuying stoppanicking calmdown': 805639, 'stoppanicking calmdown thinkofothers': 805669, 'calmdown thinkofothers bekind': 156839, 'stream': 812771, '4k': 19472, 'hd': 384679, 'are planning': 89098, 'planning to': 658581, 'the stream': 868210, 'stream quality': 812786, 'quality to': 691860, 'avoid general': 105120, 'general internet': 345372, 'internet problem': 441992, 'problem in': 679557, 'europe agree': 283388, 'agree with': 38675, 'that but': 843060, 'but then': 147440, 'then will': 877764, 'will downgrade': 993247, 'downgrade my': 257552, 'my subscription': 550252, 'subscription because': 815880, 'because will': 119837, 'not pay': 570975, 'for 4k': 318855, '4k to': 19475, 'get hd': 347195, 'hd are': 384682, 'about changing': 24949, 'changing price': 172778, 'price too': 677083, 'you are planning': 1017199, 'are planning to': 89100, 'planning to reduce': 658591, 'to reduce the': 913045, 'reduce the stream': 705979, 'the stream quality': 868212, 'stream quality to': 812787, 'quality to avoid': 691861, 'to avoid general': 900901, 'avoid general internet': 105121, 'general internet problem': 345373, 'internet problem in': 441993, 'problem in europe': 679559, 'in europe agree': 422629, 'europe agree with': 283389, 'agree with that': 38681, 'with that but': 1001168, 'that but then': 843068, 'but then will': 147457, 'then will downgrade': 877768, 'will downgrade my': 993248, 'downgrade my subscription': 257553, 'my subscription because': 550253, 'subscription because will': 815881, 'because will not': 119839, 'will not pay': 994252, 'not pay for': 570977, 'pay for 4k': 644866, 'for 4k to': 318857, '4k to get': 19476, 'to get hd': 906496, 'get hd are': 347196, 'hd are you': 384683, 'you thinking about': 1021698, 'thinking about changing': 885844, 'about changing price': 24950, 'changing price too': 172781, 'alias': 41702, 'irregular': 445002, 'smarter': 775467, 'smartmonkey': 775498, 'follow our': 312480, 'latest article': 481213, 'article about': 94230, 'fight alias': 304646, 'alias 19': 41703, 'with logistics': 999296, 'logistics from': 500750, 'from irregular': 336089, 'irregular pattern': 445003, 'pattern in': 644471, 'healthcare logistics': 387162, 'logistics this': 500805, 'crisis demand': 217282, 'demand smarter': 236236, 'smarter supply': 775470, 'and technology': 73070, 'technology learn': 836324, 'how smartmonkey': 408697, 'smartmonkey fight': 775499, 'fight coronavirus': 304698, 'follow our latest': 312482, 'our latest article': 623652, 'latest article about': 481214, 'article about how': 94234, 'how to fight': 409020, 'to fight alias': 905775, 'fight alias 19': 304647, 'alias 19 with': 41704, '19 with logistics': 12135, 'with logistics from': 999298, 'logistics from irregular': 500752, 'from irregular pattern': 336090, 'irregular pattern in': 445004, 'pattern in supermarket': 644475, 'in supermarket supply': 428680, 'supermarket supply to': 823055, 'supply to healthcare': 826010, 'to healthcare logistics': 907378, 'healthcare logistics this': 387163, 'logistics this crisis': 500806, 'this crisis demand': 887031, 'crisis demand smarter': 217284, 'demand smarter supply': 236238, 'smarter supply and': 775471, 'supply and technology': 824755, 'and technology learn': 73072, 'technology learn how': 836325, 'learn how smartmonkey': 483990, 'how smartmonkey fight': 408698, 'smartmonkey fight coronavirus': 775500, 'tackled': 831623, 'man tackled': 512259, 'tackled to': 831632, 'ground by': 366485, 'by supermarket': 154164, 'staff he': 792516, 'he tried': 385547, 'tried to': 931822, 'steal trolley': 799212, 'trolley full': 932414, 'getting out': 349168, 'control this': 202187, 'just virus': 470181, 'is becoming': 446027, 'becoming mental': 120317, 'mental illness': 528654, 'illness crisis': 416356, 'crisis because': 217120, 'is causing': 446413, 'causing people': 168083, 'do these': 250292, 'these thing': 880813, 'man tackled to': 512261, 'tackled to the': 831634, 'to the ground': 916756, 'the ground by': 856843, 'ground by supermarket': 366486, 'by supermarket staff': 154170, 'supermarket staff he': 822853, 'staff he tried': 792517, 'he tried to': 385548, 'tried to steal': 931852, 'to steal trolley': 915369, 'steal trolley full': 799213, 'trolley full of': 932416, 'of food this': 583799, 'food this is': 317191, 'is getting out': 448035, 'getting out of': 349172, 'of control this': 581850, 'control this covid': 202188, '19 is more': 8007, 'more than just': 540637, 'than just virus': 840825, 'just virus it': 470182, 'it is becoming': 458883, 'is becoming mental': 446036, 'becoming mental illness': 120318, 'mental illness crisis': 528656, 'illness crisis because': 416357, 'crisis because it': 217121, 'it is causing': 458899, 'is causing people': 446431, 'causing people to': 168084, 'to do these': 904570, 'do these thing': 250295, 'advises': 33675, 'slap': 773530, 'cdc advises': 168540, 'advises everyone': 33682, 'not slap': 571608, 'slap the': 773546, 'rice at': 721008, 'to the rapid': 917002, '19 the cdc': 11171, 'the cdc advises': 850563, 'cdc advises everyone': 168541, 'advises everyone to': 33683, 'to not slap': 910707, 'not slap the': 571609, 'slap the bag': 773547, 'the bag of': 849179, 'of rice at': 589091, 'rice at the': 721011, 'famine': 298431, 'hunger lack': 411144, 'and famine': 62681, 'famine are': 298434, 'are becoming': 84801, 'becoming major': 120314, 'major problem': 509425, 'and creating': 60714, 'creating chaos': 215985, 'chaos in': 173024, 'some country': 782612, 'is skyrocketing': 451957, 'in poor': 426831, 'poor country': 664152, 'country people': 210951, 'more afraid': 538566, 'afraid of': 34993, 'of famine': 583414, 'famine than': 298443, 'the so': 867398, 'so called': 776680, 'called covid': 156296, 'pandemic disease': 635306, 'hunger lack of': 411145, 'of food supply': 583790, 'food supply and': 316931, 'supply and famine': 824719, 'and famine are': 62682, 'famine are becoming': 298435, 'are becoming major': 84803, 'becoming major problem': 120316, 'major problem and': 509426, 'problem and creating': 679453, 'and creating chaos': 60716, 'creating chaos in': 215986, 'chaos in some': 173025, 'in some country': 428086, 'some country where': 782619, 'where the demand': 985223, 'for food is': 321599, 'food is skyrocketing': 315150, 'is skyrocketing in': 451958, 'skyrocketing in poor': 773435, 'in poor country': 426832, 'poor country people': 664154, 'country people are': 210952, 'people are more': 647021, 'are more afraid': 88107, 'more afraid of': 538567, 'afraid of famine': 34998, 'of famine than': 583416, 'famine than the': 298444, 'than the so': 841273, 'the so called': 867399, 'so called covid': 776681, 'called covid 19': 156297, '19 pandemic disease': 9309, 'janitorial': 464567, 'housekeeping': 407006, 'the janitorial': 858635, 'janitorial housekeeping': 464568, 'housekeeping staff': 407013, 'our hospital': 623463, 'the cafeteria': 850266, 'cafeteria worker': 155151, 'driver the': 259784, 'carrier the': 165025, 'those minimum': 892213, 'wage people': 963938, 'people most': 648792, 'people look': 648697, 'giving thanks for': 351408, 'thanks for all': 842047, 'the people on': 863495, 'line of 19': 493288, 'of 19 the': 579416, '19 the janitorial': 11213, 'the janitorial housekeeping': 858636, 'janitorial housekeeping staff': 464569, 'housekeeping staff at': 407014, 'staff at our': 792237, 'at our hospital': 100015, 'our hospital the': 623471, 'hospital the cafeteria': 404679, 'the cafeteria worker': 850267, 'cafeteria worker the': 155152, 'worker the delivery': 1007924, 'the delivery driver': 853063, 'delivery driver the': 233944, 'driver the mail': 259788, 'the mail carrier': 859891, 'mail carrier the': 508583, 'carrier the grocery': 165026, 'store worker all': 811447, 'worker all those': 1006226, 'all those minimum': 45170, 'those minimum wage': 892214, 'minimum wage people': 533241, 'wage people most': 963939, 'people most people': 648795, 'most people look': 542618, 'people look down': 648699, 'look down on': 502337, 'streamline': 812858, 'agree leave': 38616, 'kid at': 473873, 'home streamline': 402165, 'streamline supermarket': 812861, 'supermarket visit': 823653, 'visit and': 959175, 'and limit': 66168, 'limit contact': 492313, 'contact and': 200008, 'and potential': 69254, 'potential exposure': 667062, 'agree leave the': 38617, 'leave the kid': 484972, 'the kid at': 858779, 'kid at home': 473875, 'at home streamline': 99126, 'home streamline supermarket': 402166, 'streamline supermarket visit': 812862, 'supermarket visit and': 823654, 'visit and limit': 959177, 'and limit contact': 66169, 'limit contact and': 492314, 'contact and potential': 200012, 'and potential exposure': 69256, 'potential exposure to': 667063, 'whenever': 984651, '6ft': 21593, 'sticker': 800078, 'germaphobe': 346367, 'how now': 408415, 'now whenever': 576396, 'whenever you': 984686, 'or bank': 614488, 'bank or': 110073, 'any place': 79654, 'that requires': 846008, 'requires line': 713472, 'wait on': 964163, 'on they': 604578, 'have blue': 379811, 'blue tape': 133476, 'tape marking': 834363, 'marking 6ft': 517895, '6ft or': 21614, 'or sticker': 617223, 'sticker well': 800094, 'well when': 978745, 'can that': 159943, 'that be': 842940, 'be permanent': 116396, 'permanent thing': 652079, 'thing asking': 884171, 'an extreme': 56022, 'extreme germaphobe': 293797, 'germaphobe friend': 346372, 'friend me': 333710, 'you know how': 1019500, 'know how now': 476451, 'how now whenever': 408416, 'now whenever you': 576397, 'whenever you go': 984688, 'you go to': 1018868, 'go to grocery': 354313, 'store or bank': 809315, 'or bank or': 614493, 'bank or any': 110074, 'or any place': 614354, 'any place that': 79656, 'place that requires': 657715, 'that requires line': 846011, 'requires line to': 713473, 'line to wait': 493497, 'to wait on': 918267, 'wait on they': 964165, 'on they have': 604580, 'they have blue': 882297, 'have blue tape': 379812, 'blue tape marking': 133477, 'tape marking 6ft': 834364, 'marking 6ft or': 517896, '6ft or sticker': 21615, 'or sticker well': 617224, 'sticker well when': 800095, 'well when this': 978747, 'all over can': 43856, 'over can that': 630061, 'can that be': 159945, 'that be permanent': 842945, 'be permanent thing': 116399, 'permanent thing asking': 652080, 'thing asking for': 884172, 'asking for an': 95980, 'for an extreme': 319295, 'an extreme germaphobe': 56023, 'extreme germaphobe friend': 293798, 'germaphobe friend me': 346373, 'researchlive': 713953, 'researchlive various': 713954, 'various study': 952652, 'study have': 814906, 'been launched': 121436, 'launched in': 481994, 'it impact': 458690, 'been keeping': 121423, 'keeping track': 472606, 'track of': 928209, 'what research': 982096, 'research is': 713778, 'being conducted': 124981, 'conducted and': 193655, 'is growing': 448231, 'growing daily': 367154, 'daily mrx': 224707, 'researchlive various study': 713955, 'various study have': 952653, 'study have been': 814907, 'have been launched': 379593, 'been launched in': 121437, 'launched in response': 481997, '19 and it': 5052, 'and it impact': 65537, 'it impact on': 458693, 'on consumer attitude': 600026, 'consumer attitude and': 196341, 'attitude and behaviour': 102543, 'and behaviour we': 58854, 'behaviour we ve': 124556, 've been keeping': 952900, 'been keeping track': 121424, 'keeping track of': 472608, 'track of what': 928212, 'of what research': 593061, 'what research is': 982097, 'research is being': 713779, 'is being conducted': 446072, 'being conducted and': 124982, 'conducted and the': 193656, 'and the list': 73453, 'list is growing': 494377, 'is growing daily': 448233, 'growing daily mrx': 367155, 'shopping onlineshopping': 763515, '19 on online': 8959, 'online shopping onlineshopping': 609208, 'catastrophe': 166932, 'functioning': 341319, 'addressed': 32069, 'kindergarten': 475092, 'submit': 815783, 'the minister': 860655, 'minister doe': 533354, 'not appear': 568228, 'have made': 381404, 'made any': 507636, 'any statement': 79847, 'the catastrophe': 850521, 'catastrophe that': 166941, 'could occur': 209466, 'occur if': 579016, 'the functioning': 856036, 'functioning of': 341328, 'of market': 586224, 'not addressed': 568056, 'addressed food': 32078, 'insecurity ha': 439159, 'panic look': 638289, 'like kindergarten': 490612, 'kindergarten and': 475093, 'and could': 60611, 'riot submit': 722621, 'far the minister': 298931, 'the minister doe': 860657, 'minister doe not': 533355, 'doe not appear': 251474, 'not appear to': 568229, 'appear to have': 82125, 'to have made': 907272, 'have made any': 381406, 'made any statement': 507637, 'any statement on': 79848, 'statement on the': 796202, 'on the catastrophe': 604013, 'the catastrophe that': 850522, 'catastrophe that could': 166943, 'that could occur': 843357, 'could occur if': 209467, 'occur if the': 579017, 'if the issue': 414990, 'the issue of': 858574, 'issue of the': 455869, 'of the functioning': 591050, 'the functioning of': 856037, 'functioning of market': 341329, 'of market is': 586233, 'market is not': 516635, 'is not addressed': 450027, 'not addressed food': 568057, 'addressed food insecurity': 32079, 'food insecurity ha': 315065, 'insecurity ha the': 439161, 'potential to make': 667155, 'make the current': 510562, '19 panic look': 9553, 'panic look like': 638290, 'look like kindergarten': 502490, 'like kindergarten and': 490613, 'kindergarten and could': 475094, 'and could lead': 60618, 'to riot submit': 913541, 'largest grocery': 479958, 'united kingdom': 942176, 'kingdom empty': 475321, 'shelf show': 757511, 'are afraid': 84260, 'store good': 807950, 'is the situation': 452939, 'the situation of': 867268, 'situation of one': 772416, 'of the largest': 591174, 'the largest grocery': 858965, 'largest grocery store': 479960, 'tesco in the': 838723, 'the united kingdom': 870418, 'united kingdom empty': 942179, 'kingdom empty shelf': 475322, 'empty shelf show': 275092, 'shelf show how': 757512, 'show how people': 766990, 'how people are': 408494, 'people are afraid': 646920, 'are afraid to': 84268, 'afraid to store': 35029, 'to store good': 915621, 'rediscovering': 705726, 'positive from': 665333, 'pandemic rediscovering': 636311, 'rediscovering local': 705727, 'local butcher': 497790, 'butcher and': 148026, 'and grocer': 63970, 'grocer no': 364143, 'no crowd': 563932, 'crowd no': 219209, 'buyer plenty': 149722, 'food on': 315589, 'on offer': 602477, 'offer and': 594521, 'real sense': 701355, 'sense of': 750550, 'of supporting': 590516, 'supporting smaller': 827189, 'smaller business': 775261, 'business at': 143407, 'time supportlocal': 897790, 'positive from the': 665335, 'the pandemic rediscovering': 863074, 'pandemic rediscovering local': 636312, 'rediscovering local butcher': 705728, 'local butcher and': 497792, 'butcher and grocer': 148028, 'and grocer no': 63973, 'grocer no crowd': 364144, 'no crowd no': 563935, 'crowd no panic': 219210, 'no panic buyer': 565041, 'panic buyer plenty': 637598, 'buyer plenty of': 149723, 'plenty of good': 660952, 'of good quality': 584232, 'quality food on': 691787, 'food on offer': 315597, 'on offer and': 602479, 'offer and the': 594525, 'and the real': 73542, 'the real sense': 865239, 'real sense of': 701356, 'sense of supporting': 750566, 'of supporting smaller': 590518, 'supporting smaller business': 827190, 'smaller business at': 775262, 'business at this': 143410, 'this time supportlocal': 890693, 'still more': 800847, 'more grocery': 539372, 'time groceryshopping': 896871, 'still more grocery': 800849, 'more grocery shopping': 539374, 'grocery shopping tip': 365094, 'shopping tip for': 764156, 'tip for these': 898788, 'for these time': 326982, 'these time groceryshopping': 880840, 'if chloroquine': 413956, 'chloroquine represents': 177625, 'represents true': 712967, 'true cure': 933063, 'cure and': 220696, 'prevention for': 671853, 'then maybe': 877331, 'maybe higher': 521704, 'higher security': 395736, 'security price': 744716, 'price can': 673054, 'can happen': 158555, 'if chloroquine represents': 413958, 'chloroquine represents true': 177626, 'represents true cure': 712968, 'true cure and': 933064, 'cure and prevention': 220704, 'and prevention for': 69427, 'prevention for coronavirus': 671854, 'for coronavirus covid': 320380, 'covid 19 then': 213934, '19 then maybe': 11275, 'then maybe higher': 877333, 'maybe higher security': 521705, 'higher security price': 395737, 'security price can': 744717, 'price can happen': 673062, 'that hand': 844166, 'pocket or': 662187, 'or are': 614402, 'just happy': 468925, 'see me': 745404, 'me 19': 522329, 'is that hand': 452653, 'that hand sanitizer': 844167, 'sanitizer in your': 735163, 'in your pocket': 431113, 'your pocket or': 1025339, 'pocket or are': 662188, 'or are you': 614426, 'are you just': 91814, 'you just happy': 1019423, 'just happy to': 468926, 'to see me': 914042, 'see me 19': 745405, 'rout': 726438, 'apac': 81216, 'latestnews': 481606, 'tuesdaynews': 935212, 'newspicks': 561110, 'been experiencing': 121109, 'experiencing historical': 291662, 'historical rout': 397992, 'rout since': 726447, 'since few': 770592, 'now the': 576029, 'stock rise': 802792, 'in apac': 420446, 'apac region': 81219, 'region latestnews': 707432, 'latestnews tuesdaynews': 481607, 'tuesdaynews newsalert': 935213, 'newsalert newspicks': 560997, 'newspicks updated': 561113, 'updated latestnews': 947395, 'the stock around': 867905, 'the world have': 871885, 'world have been': 1009621, 'have been experiencing': 379531, 'been experiencing historical': 121110, 'experiencing historical rout': 291663, 'historical rout since': 397993, 'rout since few': 726448, 'since few week': 770594, 'few week but': 304139, 'week but now': 976036, 'but now the': 146615, 'now the stock': 576072, 'the stock rise': 867922, 'stock rise and': 802793, 'rise and oil': 722782, 'oil price drop': 597110, 'price drop in': 673573, 'drop in apac': 260225, 'in apac region': 420447, 'apac region latestnews': 81220, 'region latestnews tuesdaynews': 707433, 'latestnews tuesdaynews newsalert': 481608, 'tuesdaynews newsalert newspicks': 935214, 'newsalert newspicks updated': 560998, 'newspicks updated latestnews': 561114, 'coordinated': 203193, 'european hospital': 283585, 'line against': 492934, 'pandemic europe': 635394, 'europe private': 283502, 'private hospital': 678917, 'fully committed': 341029, 'against determined': 37415, 'determined to': 239459, 'life we': 489187, 'system coordinated': 831137, 'coordinated response': 203201, 'response is': 715738, 'is essential': 447540, 'essential more': 281314, 'european hospital are': 283586, 'hospital are on': 404305, 'front line against': 338557, 'line against the': 492936, 'the pandemic europe': 862960, 'pandemic europe private': 635395, 'europe private hospital': 283503, 'private hospital are': 678918, 'hospital are fully': 404301, 'are fully committed': 86744, 'fully committed to': 341030, 'committed to the': 189049, 'to the fight': 916710, 'fight against determined': 304617, 'against determined to': 37416, 'determined to save': 239462, 'save life we': 737564, 'life we are': 489188, 'we are part': 970655, 'of the system': 591519, 'the system coordinated': 869091, 'system coordinated response': 831138, 'coordinated response is': 203202, 'response is essential': 715741, 'is essential more': 447548, 'lifeline': 489295, 'social supermarket': 779977, 'in set': 427828, 'provide lifeline': 686379, 'lifeline to': 489315, 'to resident': 913349, 'in most': 425465, 'most need': 542521, 'need ha': 554944, 'made an': 507630, 'urgent appeal': 948321, 'appeal for': 82059, 'for tinned': 327197, 'amp toiletry': 54724, 'toiletry the': 923445, 'the around': 848914, 'around again': 93176, 'again shop': 37156, 'currently short': 221673, 'of basic': 580563, 'basic item': 111958, 'item result': 463617, 'social supermarket in': 779979, 'supermarket in set': 820975, 'in set up': 427830, 'up to provide': 946419, 'to provide lifeline': 912410, 'provide lifeline to': 686380, 'lifeline to resident': 489316, 'to resident in': 913351, 'resident in most': 714316, 'in most need': 425467, 'most need ha': 542522, 'need ha made': 554947, 'ha made an': 371203, 'made an urgent': 507633, 'an urgent appeal': 56955, 'urgent appeal for': 948323, 'appeal for tinned': 82064, 'for tinned food': 327198, 'tinned food amp': 898610, 'food amp toiletry': 313153, 'amp toiletry the': 54725, 'toiletry the around': 923446, 'the around again': 848915, 'around again shop': 93177, 'again shop is': 37157, 'shop is currently': 760357, 'is currently short': 447002, 'currently short of': 221674, 'short of basic': 764655, 'of basic item': 580574, 'basic item result': 111961, 'item result of': 463618, 'pathetic': 644046, 'stricken': 813591, 'basis': 112213, 'it appears': 456561, 'appears majority': 82192, 'of british': 580890, 'british are': 140489, 'are pathetic': 89000, 'pathetic panic': 644057, 'panic stricken': 638646, 'stricken group': 813599, 'else if': 271734, 'the continued': 851668, 'continued stripping': 201343, 'stripping of': 813907, 'is anything': 445771, 'by british': 152002, 'british on': 140550, 'that basis': 842931, 'basis bloody': 112224, 'bloody ashamed': 133171, 'ashamed to': 95081, 'that at': 842878, 'it appears majority': 456562, 'appears majority of': 82193, 'majority of british': 509551, 'of british are': 580891, 'british are pathetic': 140490, 'are pathetic panic': 89002, 'pathetic panic stricken': 644058, 'panic stricken group': 638648, 'stricken group of': 813600, 'group of everyone': 366790, 'of everyone else': 583251, 'everyone else if': 286861, 'else if the': 271737, 'if the continued': 414961, 'the continued stripping': 851674, 'continued stripping of': 201344, 'stripping of the': 813909, 'supermarket shelf is': 822484, 'shelf is anything': 757232, 'is anything to': 445773, 'go by british': 353397, 'by british on': 152003, 'british on that': 140551, 'on that basis': 603930, 'that basis bloody': 842932, 'basis bloody ashamed': 112225, 'bloody ashamed to': 133172, 'ashamed to be': 95083, 'be that at': 117576, 'that at the': 842882, 'prayer': 669045, 'is staying': 452248, 'safe inside': 729780, 'inside their': 439425, 'home wash': 402443, 'regularly if': 707922, 'if must': 414427, 'must go': 546682, 'outside to': 629613, 'doctor grocery': 250936, 'or work': 617834, 'please social': 660526, 'distance call': 246679, 'call day': 155829, 'family friend': 297814, 'friend can': 333544, 'really make': 702401, 'difference love': 241856, 'love prayer': 504756, 'prayer to': 669075, 'everyone is staying': 287112, 'is staying safe': 452252, 'staying safe inside': 798694, 'safe inside their': 729781, 'inside their home': 439426, 'their home wash': 873579, 'home wash your': 402446, 'hand regularly if': 375198, 'regularly if must': 707923, 'if must go': 414428, 'must go outside': 546688, 'go outside to': 354023, 'outside to go': 629619, 'to the doctor': 916647, 'the doctor grocery': 853463, 'doctor grocery store': 250937, 'store or work': 809381, 'or work please': 617839, 'work please social': 1005617, 'please social distance': 660527, 'social distance call': 779500, 'distance call day': 246680, 'call day to': 155830, 'day to your': 228593, 'to your family': 918978, 'your family friend': 1023780, 'family friend can': 297816, 'friend can really': 333545, 'can really make': 159389, 'really make difference': 702402, 'make difference love': 509835, 'difference love prayer': 241858, 'love prayer to': 504757, 'prayer to you': 669078, 'to you all': 918889, 'drone': 260052, 'guessing': 368115, 'patrol': 644377, 'it official': 459996, 'official city': 595782, 'city drone': 179123, 'drone are': 260057, 'now patrolling': 575518, 'the sky': 867312, 'sky of': 773213, 'my city': 547688, 'city guessing': 179163, 'guessing to': 368137, 'to monitor': 910228, 'monitor street': 537318, 'space hope': 787114, 'hope they': 403700, 'they might': 882674, 'might also': 530866, 'the bog': 849828, 'roll patrol': 725470, 'patrol co': 644380, 'co there': 184977, 'still none': 800884, 'it official city': 459997, 'official city drone': 595783, 'city drone are': 179124, 'drone are now': 260058, 'are now patrolling': 88584, 'now patrolling the': 575519, 'patrolling the sky': 644405, 'the sky of': 867313, 'sky of my': 773214, 'of my city': 586743, 'my city guessing': 547691, 'city guessing to': 179164, 'guessing to monitor': 368138, 'to monitor street': 910237, 'monitor street and': 537319, 'street and public': 812899, 'and public space': 69748, 'public space hope': 688327, 'space hope they': 787115, 'hope they might': 403709, 'they might also': 882675, 'might also be': 530867, 'also be the': 47929, 'be the bog': 117599, 'the bog roll': 849830, 'bog roll patrol': 133959, 'roll patrol co': 725471, 'patrol co there': 644381, 'co there still': 184979, 'there still none': 879101, 'still none in': 800885, 'none in my': 566576, 'in my supermarket': 425634, 'integral': 440939, 'sander': 733683, 'elected': 270989, 'and barely': 58707, 'barely being': 111007, 'being able': 124803, 'not finding': 569430, 'finding toilet': 307562, 'just taste': 469958, 'taste of': 834787, 'an integral': 56382, 'integral part': 440940, 'life if': 488740, 'if bernie': 413897, 'bernie sander': 127382, 'sander is': 733684, 'is elected': 447464, 'elected at': 270990, 'least this': 484662, 'virus ha': 958244, 'shown that': 767615, 'that chinesevirus': 843215, 'store and barely': 806201, 'and barely being': 58708, 'barely being able': 111008, 'being able to': 124804, 'food and not': 313296, 'and not finding': 67737, 'not finding toilet': 569432, 'finding toilet paper': 307563, 'paper is just': 640353, 'is just taste': 449149, 'just taste of': 469959, 'taste of what': 834793, 'of what will': 593069, 'what will be': 982591, 'will be an': 992355, 'be an integral': 113612, 'an integral part': 56383, 'integral part of': 440941, 'of our life': 587499, 'our life if': 623726, 'life if bernie': 488741, 'if bernie sander': 413898, 'bernie sander is': 127383, 'sander is elected': 733685, 'is elected at': 447465, 'elected at least': 270991, 'at least this': 99556, 'least this virus': 484663, 'this virus ha': 891008, 'virus ha shown': 958252, 'ha shown that': 371921, 'shown that chinesevirus': 767617, 'pittsburgh': 657030, 'gazette': 344761, 'virus concern': 958072, 'concern grow': 192984, 'grow here': 367031, 'of when': 593084, 'when and': 983150, 'and where': 75532, 'where can': 984766, 'grocery pittsburgh': 364858, 'pittsburgh post': 657041, 'post gazette': 666144, 'virus concern grow': 958073, 'concern grow here': 192986, 'grow here list': 367032, 'list of when': 494491, 'of when and': 593085, 'when and where': 983153, 'and where can': 75534, 'where can you': 984772, 'can you shop': 160331, 'for grocery pittsburgh': 322047, 'grocery pittsburgh post': 364859, 'pittsburgh post gazette': 657042, 'accessibility': 28317, 'discrimination': 244801, 'managing covid': 512855, '19 disruption': 6572, 'disruption online': 246515, 'online accessibility': 607762, 'accessibility and': 28318, 'and anti': 58174, 'anti discrimination': 78298, 'discrimination in': 244808, 'in school': 427729, 'school insurance': 741834, 'managing covid 19': 512856, 'covid 19 disruption': 212964, '19 disruption online': 6577, 'disruption online accessibility': 246516, 'online accessibility and': 607763, 'accessibility and anti': 28319, 'and anti discrimination': 58176, 'anti discrimination in': 78299, 'discrimination in school': 244809, 'in school insurance': 427732, 'preach': 669225, 'deed': 231795, 'colour': 186845, 'foodshortages': 318136, 'who preach': 989442, 'preach daily': 669226, 'daily of': 224729, 'their good': 873417, 'good deed': 356962, 'deed are': 231796, 'really showing': 702589, 'showing their': 767530, 'their true': 875045, 'true colour': 933050, 'colour coronacrisis': 186850, 'coronacrisis panic': 204687, 'buying leave': 150638, 'leave those': 485003, 'le fortunate': 482955, 'fortunate with': 329906, 'with zero': 1002247, 'zero food': 1027450, 'essential foodshortages': 281052, 'those who preach': 892663, 'who preach daily': 989443, 'preach daily of': 669227, 'daily of their': 224730, 'of their good': 591665, 'their good deed': 873419, 'good deed are': 356963, 'deed are really': 231797, 'are really showing': 89485, 'really showing their': 702591, 'showing their true': 767531, 'their true colour': 875047, 'true colour coronacrisis': 933052, 'colour coronacrisis panic': 186851, 'coronacrisis panic buying': 204689, 'panic buying leave': 637790, 'buying leave those': 150640, 'leave those le': 485004, 'those le fortunate': 892162, 'le fortunate with': 482961, 'fortunate with zero': 329907, 'with zero food': 1002248, 'zero food essential': 1027451, 'food essential foodshortages': 314379, 'norway': 567835, 'large number': 479721, 'not allowed': 568146, 'outside during': 629403, 'pandemic neighbour': 636017, 'neighbour and': 557181, 'and friend': 63320, 'friend often': 333732, 'often take': 596280, 'over grocery': 630260, 'shopping trip': 764249, 'trip spar': 932163, 'spar norway': 787450, 'norway ha': 567840, 'shopping help': 762880, 'make these': 510619, 'these everyday': 879977, 'everyday task': 286628, 'task easier': 834674, 'large number of': 479723, 'people are not': 647027, 'are not allowed': 88317, 'not allowed to': 568149, 'go outside during': 354010, 'outside during the': 629404, 'during the 19': 263077, '19 pandemic neighbour': 9403, 'pandemic neighbour and': 636018, 'neighbour and friend': 557183, 'and friend often': 63331, 'friend often take': 333733, 'often take over': 596282, 'take over grocery': 832470, 'over grocery shopping': 630262, 'grocery shopping trip': 365098, 'shopping trip spar': 764256, 'trip spar norway': 932164, 'spar norway ha': 787451, 'norway ha launched': 567841, 'launched new online': 482015, 'new online shopping': 559213, 'online shopping help': 609143, 'shopping help to': 762881, 'help to make': 390783, 'to make these': 909753, 'make these everyday': 510621, 'these everyday task': 879979, 'everyday task easier': 286629, 'constantly': 195643, 'went grocery': 979026, 'shopping this': 764127, 'this am': 886293, 'am during': 50013, 'during senior': 262999, 'hour people': 405850, 'believe severity': 126320, 'of constantly': 581689, 'constantly lean': 195683, 'over people': 630486, 'reach shelf': 699980, 'shelf rather': 757454, 'than waiting': 841417, 'waiting standing': 964384, 'standing too': 793828, 'close despite': 182605, 'despite store': 238862, 'store marking': 808910, 'marking many': 517903, 'probably carrier': 679232, 'carrier if': 164991, 'went grocery shopping': 979027, 'grocery shopping this': 365093, 'shopping this am': 764128, 'this am during': 886295, 'am during senior': 50014, 'during senior hour': 263001, 'senior hour people': 750328, 'hour people still': 405852, 'people still do': 649590, 'not believe severity': 568558, 'believe severity of': 126321, 'severity of constantly': 754128, 'of constantly lean': 581690, 'constantly lean over': 195684, 'lean over people': 483886, 'over people to': 630492, 'people to reach': 649932, 'to reach shelf': 912806, 'reach shelf rather': 699981, 'shelf rather than': 757455, 'rather than waiting': 697560, 'than waiting standing': 841419, 'waiting standing too': 964386, 'standing too close': 793829, 'too close despite': 924654, 'close despite store': 182608, 'despite store marking': 238863, 'store marking many': 808911, 'marking many are': 517904, 'many are probably': 513774, 'are probably carrier': 89239, 'probably carrier if': 679233, 'dawn': 227040, 'bilbrough': 130461, 'pleaded': 659574, 'stop it': 804777, 'it critical': 457411, 'critical care': 218522, 'care nurse': 164080, 'nurse dawn': 577266, 'dawn bilbrough': 227043, 'bilbrough ha': 130466, 'ha pleaded': 371499, 'pleaded for': 659575, 'buying after': 149866, 'after she': 36182, 'wa unable': 963589, 'buy basic': 148402, 'basic food': 111879, 'item after': 463032, 'after working': 36576, 'working long': 1008764, 'long hour': 501437, 'in hospital': 423804, 'latest on': 481469, 'on click': 599940, 'you just need': 1019428, 'just need to': 469308, 'need to stop': 556090, 'to stop it': 915541, 'stop it critical': 804781, 'it critical care': 457412, 'critical care nurse': 218526, 'care nurse dawn': 164083, 'nurse dawn bilbrough': 577267, 'dawn bilbrough ha': 227046, 'bilbrough ha pleaded': 130467, 'ha pleaded for': 371500, 'pleaded for people': 659576, 'panic buying after': 637634, 'buying after she': 149870, 'after she wa': 36195, 'she wa unable': 756433, 'wa unable to': 963590, 'unable to buy': 939323, 'to buy basic': 902187, 'buy basic food': 148403, 'basic food item': 111890, 'food item after': 315190, 'item after working': 463034, 'after working long': 36584, 'working long hour': 1008766, 'long hour in': 501441, 'hour in hospital': 405687, 'in hospital for': 423809, 'hospital for the': 404414, 'the latest on': 859134, 'latest on click': 481471, 'on click here': 599941, 'forbidding': 328312, 'buyback': 149509, 'dividend': 248601, 'see senate': 745659, 'senate gop': 749703, 'gop to': 358289, 'not give': 569635, 'give billion': 350411, 'billion of': 130868, 'people money': 648782, 'to big': 901811, 'big business': 129676, 'without forbidding': 1002665, 'forbidding stock': 328315, 'stock buyback': 801955, 'buyback or': 149522, 'or raise': 616774, 'raise bonus': 695819, 'bonus dividend': 134355, 'dividend the': 248640, 'gop told': 358291, 'told everyone': 923549, 'everyone that': 287459, '19 wa': 11859, 'no big': 563696, 'big deal': 129735, 'deal just': 229436, 'any flu': 79227, 'flu we': 311494, 'to see senate': 914064, 'see senate gop': 745660, 'senate gop to': 749705, 'gop to not': 358290, 'to not give': 910691, 'not give billion': 569637, 'give billion of': 350412, 'billion of the': 130874, 'the people money': 863491, 'people money to': 648783, 'money to big': 537086, 'to big business': 901812, 'big business without': 129683, 'business without forbidding': 144712, 'without forbidding stock': 1002666, 'forbidding stock buyback': 328316, 'stock buyback or': 801958, 'buyback or raise': 149523, 'or raise bonus': 616775, 'raise bonus dividend': 695820, 'bonus dividend the': 134356, 'dividend the gop': 248641, 'the gop told': 856472, 'gop told everyone': 358292, 'told everyone that': 923551, 'everyone that covid': 287461, 'covid 19 wa': 214037, '19 wa no': 11872, 'wa no big': 962717, 'no big deal': 563698, 'big deal just': 129741, 'deal just like': 229437, 'like any flu': 489809, 'any flu we': 79229, 'flu we want': 311495, 'day the': 228480, 'problem for': 679524, 'many delivery': 513987, 'service is': 752512, 'is ramping': 451227, 'up staff': 946057, 'staff to': 792979, 'up good': 945027, 'in shop': 427890, 'the day the': 852918, 'day the problem': 228496, 'the problem for': 864511, 'problem for many': 679526, 'for many delivery': 323214, 'many delivery service': 513988, 'delivery service is': 234443, 'service is ramping': 752521, 'is ramping up': 451228, 'ramping up staff': 696487, 'up staff to': 946058, 'staff to pick': 792994, 'pick up good': 655726, 'up good in': 945028, 'good in shop': 357249, 'in shop and': 427892, 'shop and deliver': 759845, 'chillin': 176405, 'thenewnormal': 877809, 'really sitting': 702598, 'car in': 163132, 'in packed': 426417, 'packed supermarket': 633642, 'supermarket parking': 821930, 'lot chillin': 504019, 'chillin because': 176406, 'go home': 353656, 'home thenewnormal': 402257, 'people are really': 647054, 'are really sitting': 89486, 'really sitting in': 702599, 'sitting in their': 772123, 'in their car': 429722, 'their car in': 872724, 'car in packed': 163138, 'in packed supermarket': 426419, 'packed supermarket parking': 633647, 'supermarket parking lot': 821932, 'parking lot chillin': 642083, 'lot chillin because': 504020, 'chillin because they': 176407, 'to go home': 906807, 'go home thenewnormal': 353675, 'governs': 361039, 'nadine': 551383, 'if only': 414547, 'only there': 611294, 'some body': 782416, 'body in': 133858, 'could stop': 209723, 'stop this': 805183, 'this by': 886656, 'by shutting': 154009, 'down cafe': 256608, 'and pub': 69733, 'restaurant you': 716829, 'know like': 476567, 'that governs': 844066, 'governs and': 361040, 'the authority': 849072, 'authority do': 103709, 'know of': 476637, 'anything like': 80819, 'that nadine': 845284, 'if only there': 414559, 'only there wa': 611296, 'wa some body': 963274, 'some body in': 782417, 'body in the': 133861, 'the country that': 852161, 'country that could': 211111, 'that could stop': 843366, 'could stop this': 209730, 'stop this by': 805186, 'this by shutting': 886661, 'by shutting down': 154010, 'shutting down cafe': 768256, 'down cafe and': 256609, 'cafe and pub': 155093, 'and pub and': 69734, 'and restaurant you': 70399, 'restaurant you know': 716830, 'you know like': 1019508, 'know like something': 476573, 'like something that': 491219, 'something that governs': 785076, 'that governs and': 844067, 'governs and ha': 361041, 'and ha the': 64087, 'ha the authority': 372188, 'the authority do': 849073, 'authority do you': 103710, 'you know of': 1019517, 'know of anything': 476640, 'of anything like': 580290, 'anything like that': 80822, 'like that nadine': 491328, 'crackdown': 214711, 'consistent': 195481, 'overpricing': 631398, 'tampon': 834135, 'are failing': 86445, 'to crackdown': 903682, 'crackdown on': 214718, 'on surge': 603852, 'in profiteering': 427031, 'profiteering by': 683016, 'by seller': 153917, 'seller one': 749055, 'one consumer': 606097, 'group found': 366702, 'found consistent': 330178, 'consistent overpricing': 195486, 'overpricing of': 631399, 'of household': 584793, 'item including': 463367, 'including cleaning': 431913, 'cleaning product': 181021, 'product hand': 681246, 'sanitiser thermometer': 734028, 'thermometer baby': 879510, 'formula and': 329692, 'and tampon': 73021, 'and are failing': 58313, 'are failing to': 86449, 'failing to crackdown': 296230, 'to crackdown on': 903683, 'crackdown on surge': 214719, 'on surge in': 603853, 'surge in profiteering': 828203, 'in profiteering by': 427032, 'profiteering by seller': 683017, 'by seller one': 153919, 'seller one consumer': 749056, 'one consumer group': 606098, 'consumer group found': 197661, 'group found consistent': 366703, 'found consistent overpricing': 330179, 'consistent overpricing of': 195487, 'overpricing of household': 631400, 'of household item': 584797, 'household item including': 406866, 'item including cleaning': 463368, 'including cleaning product': 431914, 'cleaning product hand': 181031, 'product hand sanitiser': 681247, 'hand sanitiser thermometer': 375250, 'sanitiser thermometer baby': 734030, 'thermometer baby formula': 879511, 'baby formula and': 106616, 'formula and tampon': 329697, 'cannot happen': 161942, 'happen the': 377162, 'time this': 897918, 'cannot happen the': 161944, 'happen the same': 377165, 'same time this': 733371, 'serve': 751859, 'employ': 273431, 'gladly': 351553, 'provid': 686192, 'switch all': 830467, 'your fuel': 1024006, 'station full': 796411, 'full serve': 340872, 'serve you': 751968, 'could also': 208810, 'also employ': 48153, 'employ few': 273437, 'few temporary': 304087, 'temporary people': 837673, 'price lately': 675020, 'lately ll': 480972, 'll gladly': 496805, 'gladly pay': 351556, 'pay little': 644983, 'someone work': 784793, 'and provid': 69686, 'stop the transmission': 805157, 'the transmission of': 869908, 'transmission of covid': 929749, '19 switch all': 11007, 'switch all your': 830468, 'all your fuel': 45566, 'your fuel station': 1024007, 'fuel station full': 340283, 'station full serve': 796412, 'full serve you': 340873, 'serve you could': 751971, 'you could also': 1018074, 'could also employ': 208813, 'also employ few': 48154, 'employ few temporary': 273438, 'few temporary people': 304088, 'temporary people who': 837674, 'who are out': 988186, 'of work with': 593270, 'work with these': 1006049, 'with these low': 1001646, 'these low gas': 880259, 'gas price lately': 343987, 'price lately ll': 675021, 'lately ll gladly': 480973, 'll gladly pay': 496806, 'gladly pay little': 351557, 'pay little more': 644984, 'little more to': 495474, 'to help someone': 907631, 'help someone work': 390548, 'someone work and': 784794, 'work and provid': 1004794, 'analyzes': 57264, 'laboratory': 478462, 'germany consumer': 346284, 'consumer advocate': 196061, 'advocate are': 33823, 'are complaining': 85460, 'about massive': 25706, 'massive restriction': 520085, 'food check': 313925, 'check due': 174423, 'corona crisis': 203902, 'crisis routine': 217989, 'routine check': 726497, 'check at': 174377, 'at company': 98301, 'and sample': 70811, 'sample analyzes': 733456, 'analyzes are': 57265, 'are largely': 87713, 'largely suspended': 479872, 'suspended because': 829604, 'because laboratory': 119223, 'laboratory capacity': 478469, 'capacity are': 162497, 'now used': 576286, 'used for': 949897, 'corona sample': 204158, 'sample and': 733458, 'germany consumer advocate': 346286, 'consumer advocate are': 196065, 'advocate are complaining': 33825, 'are complaining about': 85461, 'complaining about massive': 191888, 'about massive restriction': 25708, 'massive restriction on': 520086, 'restriction on food': 717342, 'on food check': 600848, 'food check due': 313926, 'check due to': 174424, 'to the corona': 916593, 'the corona crisis': 851766, 'corona crisis routine': 203910, 'crisis routine check': 217990, 'routine check at': 726498, 'check at company': 174378, 'at company and': 98302, 'company and sample': 190391, 'and sample analyzes': 70812, 'sample analyzes are': 733457, 'analyzes are largely': 57266, 'are largely suspended': 87715, 'largely suspended because': 479873, 'suspended because laboratory': 829605, 'because laboratory capacity': 119224, 'laboratory capacity are': 478470, 'capacity are now': 162499, 'are now used': 88613, 'now used for': 576287, 'used for corona': 949902, 'for corona sample': 320369, 'corona sample and': 204159, 'regional': 707485, 'usage': 948813, 'pegged': 646328, 'spread regional': 790770, 'regional transmission': 707527, 'transmission operator': 929757, 'and independent': 65143, 'independent system': 434143, 'system operator': 831275, 'operator are': 613347, 'seeing new': 746382, 'and evolving': 62442, 'evolving energy': 288564, 'energy usage': 276613, 'usage pattern': 948849, 'pattern pegged': 644493, 'pegged to': 646329, 'the increasing': 858081, 'increasing number': 433645, 'american isolated': 52057, 'isolated at': 454977, 'home factbox': 401182, 'of the spread': 591483, 'the spread regional': 867636, 'spread regional transmission': 790771, 'regional transmission operator': 707528, 'transmission operator and': 929758, 'operator and independent': 613343, 'and independent system': 65145, 'independent system operator': 434144, 'system operator are': 831276, 'operator are seeing': 613351, 'are seeing new': 89908, 'seeing new and': 746383, 'new and evolving': 558341, 'and evolving energy': 62443, 'evolving energy usage': 288565, 'energy usage pattern': 276615, 'usage pattern pegged': 948850, 'pattern pegged to': 644494, 'pegged to the': 646330, 'to the increasing': 916804, 'the increasing number': 858085, 'increasing number of': 433646, 'number of american': 576920, 'of american isolated': 580065, 'american isolated at': 52058, 'isolated at home': 454978, 'at home factbox': 98992, 'disposed': 246298, 'turkey': 935533, 'find that': 307267, 'the pasta': 863371, 'pasta had': 643734, 'been disposed': 120997, 'disposed of': 246299, 'can live': 158893, 'live now': 495942, 'now turkey': 576231, 'store today to': 810875, 'today to find': 920355, 'to find that': 905943, 'find that the': 307273, 'that the pasta': 846796, 'the pasta had': 863376, 'pasta had been': 643735, 'had been disposed': 372890, 'been disposed of': 120998, 'disposed of how': 246300, 'of how can': 584813, 'how can live': 407503, 'can live now': 158896, 'live now turkey': 495943, 'boss': 135731, 'overcome': 631119, 'gripping': 364057, 'flowing': 311345, 'johnson is': 466602, 'is speaking': 452142, 'supermarket boss': 819396, 'boss today': 135758, 'today about': 919139, 'to overcome': 911298, 'overcome the': 631131, 'is gripping': 448224, 'gripping the': 364060, 'uk they': 938814, 'also discus': 48107, 'discus effort': 244850, 'supply flowing': 825244, 'flowing coronacrisisuk': 311348, 'boris johnson is': 135469, 'johnson is speaking': 466606, 'is speaking to': 452146, 'speaking to supermarket': 787774, 'to supermarket boss': 915777, 'supermarket boss today': 819404, 'boss today about': 135759, 'today about how': 919142, 'how to overcome': 409051, 'to overcome the': 911299, 'overcome the panic': 631134, 'that is gripping': 844594, 'is gripping the': 448225, 'gripping the uk': 364062, 'the uk they': 870292, 'uk they will': 938815, 'they will also': 883827, 'will also discus': 992254, 'also discus effort': 48108, 'discus effort to': 244851, 'effort to keep': 269630, 'keep supply flowing': 471995, 'supply flowing coronacrisisuk': 825245, 'flowing coronacrisisuk coronacrisis': 311349, 'just returned': 469642, 'returned from': 719960, 'store there': 810645, 'all let': 43365, 'other friend': 620273, 'just returned from': 469643, 'returned from my': 719962, 'from my local': 336513, 'grocery store there': 365852, 'store there is': 810649, 'of all let': 579955, 'all let take': 43369, 'let take care': 487100, 'care of each': 164100, 'each other friend': 264174, 'other friend and': 620274, 'friend and we': 333514, 'mandown': 513098, 'hearing report': 388226, 'that photo': 845739, 'now over': 575494, 'over million': 630397, 'million stay': 532357, 'everyone mandown': 287180, 'hearing report that': 388227, 'report that photo': 712326, 'that photo of': 845740, 'photo of empty': 655203, 'shelf are now': 756818, 'are now over': 88581, 'now over million': 575495, 'over million stay': 630400, 'million stay safe': 532358, 'safe everyone mandown': 729648, 'mcnally': 522217, 'egotist': 270082, 'mcnally think': 522218, 'think if': 885291, 'one silver': 607038, 'lining to': 493757, 'nh civil': 561920, 'servant emergency': 751833, 'worker for': 1006966, 'hero they': 394125, 'many celebrity': 513882, 'celebrity are': 168873, 'being shown': 125782, 'shown the': 767622, 'the egotist': 854092, 'egotist that': 270083, 'mcnally think if': 522219, 'think if there': 885293, 'there is one': 878603, 'is one silver': 450508, 'one silver lining': 607039, 'silver lining to': 769829, 'lining to is': 493760, 'to is that': 908529, 'is that we': 452705, 'that we are': 847362, 'we are seeing': 970701, 'are seeing the': 89917, 'seeing the nh': 746502, 'the nh civil': 861732, 'nh civil servant': 561921, 'civil servant emergency': 179542, 'servant emergency service': 751834, 'service supermarket worker': 752882, 'supermarket worker for': 824025, 'worker for the': 1006973, 'for the hero': 326474, 'the hero they': 857300, 'hero they are': 394126, 'are and many': 84547, 'and many celebrity': 66668, 'many celebrity are': 513883, 'celebrity are being': 168874, 'are being shown': 84920, 'being shown the': 125783, 'shown the egotist': 767623, 'the egotist that': 854093, 'egotist that they': 270084, 'collaborate': 185906, 'cider': 178455, 'denmarkinusa': 237035, 'force many': 328437, 'many to': 514818, 'to collaborate': 902947, 'collaborate and': 185907, 'and think': 73959, 'think outside': 885481, 'the box': 849916, 'box due': 137050, 'of handsanitizer': 584442, 'handsanitizer several': 376633, 'several company': 753805, 'are switching': 90693, 'switching their': 830572, 'their production': 874479, 'meet demand': 527455, 'turning cider': 935909, 'cider and': 178456, 'and beer': 58812, 'beer into': 122470, 'into hand': 442612, 'sanitizer denmarkinusa': 734740, 'outbreak force many': 628233, 'force many to': 328439, 'many to collaborate': 514820, 'to collaborate and': 902948, 'collaborate and think': 185908, 'and think outside': 73968, 'think outside the': 885482, 'outside the box': 629587, 'the box due': 849920, 'box due to': 137051, 'due to shortage': 261947, 'to shortage of': 914531, 'shortage of handsanitizer': 765116, 'of handsanitizer several': 584445, 'handsanitizer several company': 376634, 'several company are': 753806, 'company are switching': 190455, 'are switching their': 90695, 'switching their production': 830573, 'their production to': 874484, 'production to meet': 682250, 'to meet demand': 910021, 'meet demand and': 527457, 'and are turning': 58372, 'are turning cider': 91224, 'turning cider and': 935910, 'cider and beer': 178457, 'and beer into': 58814, 'beer into hand': 122472, 'into hand sanitizer': 442613, 'hand sanitizer denmarkinusa': 375368, 'getanalysis': 348760, 'significantdisruption': 769538, 'accompanying': 28494, 'rioting': 722635, 'foodsupplies': 318193, 'supplychains': 826252, 'economicshock': 267495, 'mondaythoughts': 536493, 'mondayreview': 536490, 'mondaymusings': 536487, 'mondaynight': 536489, 'getanalysis significantdisruption': 348761, 'significantdisruption to': 769539, 'to foodsupply': 906117, 'foodsupply it': 318208, 'it accompanying': 456258, 'accompanying shortage': 28495, 'shortage will': 765307, 'bring panic': 140044, 'panic rioting': 638497, 'rioting violence': 722640, 'violence in': 957547, 'country foodsupplies': 210663, 'foodsupplies supplychains': 318196, 'supplychains economicshock': 826257, 'economicshock mondaythoughts': 267496, 'mondaythoughts mondayreview': 536508, 'mondayreview mondaymusings': 536491, 'mondaymusings mondaynight': 536488, 'getanalysis significantdisruption to': 348762, 'significantdisruption to foodsupply': 769540, 'to foodsupply it': 906118, 'foodsupply it accompanying': 318209, 'it accompanying shortage': 456259, 'accompanying shortage will': 28496, 'shortage will bring': 765308, 'will bring panic': 992858, 'bring panic rioting': 140045, 'panic rioting violence': 638498, 'rioting violence in': 722641, 'violence in some': 957548, 'some country foodsupplies': 782614, 'country foodsupplies supplychains': 210664, 'foodsupplies supplychains economicshock': 318197, 'supplychains economicshock mondaythoughts': 826258, 'economicshock mondaythoughts mondayreview': 267497, 'mondaythoughts mondayreview mondaymusings': 536509, 'mondayreview mondaymusings mondaynight': 536492, 'case to': 166069, 'investigate and': 443791, 'and address': 57685, 'address scam': 32025, 'scam well': 740470, 'well educate': 978218, 'educate the': 268761, 'public about': 687826, 'about them': 26597, 'on the case': 604012, 'the case to': 850468, 'case to investigate': 166073, 'to investigate and': 908488, 'investigate and address': 443792, 'and address scam': 57690, 'address scam well': 32026, 'scam well educate': 740471, 'well educate the': 978219, 'educate the public': 268762, 'the public about': 864783, 'public about them': 687830, 'lifesignals': 489336, 'biosensor': 131257, 'lifesignals plan': 489337, 'market biosensor': 516105, 'biosensor patch': 131258, 'patch to': 643948, 'consumer identify': 197792, 'identify covid': 413354, 'lifesignals plan to': 489338, 'plan to market': 658301, 'to market biosensor': 909850, 'market biosensor patch': 516106, 'biosensor patch to': 131259, 'patch to help': 643949, 'help consumer identify': 389519, 'consumer identify covid': 197793, 'identify covid 19': 413355, 'greenville': 363768, 'yeahthatgreenville': 1014324, 'greenville online': 363772, 'store what': 811227, 'before shopping': 123075, 'outbreak yeahthatgreenville': 628842, 'yeahthatgreenville 19': 1014325, 'greenville online grocery': 363773, 'online grocery store': 608333, 'grocery store what': 365945, 'store what you': 811233, 'know before shopping': 476296, 'before shopping during': 123076, 'shopping during coronavirus': 762532, 'during coronavirus outbreak': 262539, 'coronavirus outbreak yeahthatgreenville': 206421, 'outbreak yeahthatgreenville 19': 628843, 'work on': 1005526, 'wednesday and': 975612, 'and terrified': 73123, 'terrified working': 838515, 'working retail': 1008891, 'retail in': 718198, 'store we': 811167, 'line and': 492944, 'though my': 892861, 'my job': 548903, 'being careful': 124927, 'careful the': 164440, 'the human': 857710, 'human are': 410416, 'not my': 570616, 'family isn': 297960, 'isn safe': 454654, 'safe stayhomesavelives': 729985, 'back to work': 107411, 'to work on': 918759, 'work on wednesday': 1005545, 'on wednesday and': 605167, 'wednesday and terrified': 975614, 'and terrified working': 73124, 'terrified working retail': 838516, 'working retail in': 1008892, 'retail in grocery': 718204, 'grocery store we': 365936, 'store we re': 811177, 're on the': 699185, 'front line and': 338558, 'line and even': 492945, 'and even though': 62349, 'even though my': 284710, 'though my job': 892863, 'my job is': 548917, 'job is being': 465898, 'is being careful': 446069, 'being careful the': 124929, 'careful the human': 164441, 'the human are': 857711, 'human are not': 410421, 'are not my': 88417, 'not my family': 570618, 'my family isn': 548209, 'family isn safe': 297961, 'isn safe stayhomesavelives': 454656, 'giancarlo': 349722, 'giancarlo my': 349723, 'giancarlo my local': 349724, 'local supermarket in': 498542, 'supermarket in uk': 820995, 'easterlunch': 265559, 'cornhall': 203718, 'deli': 232915, 'win an': 995537, 'an easterlunch': 55554, 'easterlunch from': 265560, 'from cornhall': 335002, 'cornhall deli': 203719, 'deli and': 232916, 'and socialdistancing': 71901, 'win an easterlunch': 995538, 'an easterlunch from': 55555, 'easterlunch from cornhall': 265561, 'from cornhall deli': 335003, 'cornhall deli and': 203720, 'deli and socialdistancing': 232917, 'and socialdistancing supermarket': 71910, 'the property': 864681, 'ha ground': 370774, 'halt amid': 374421, 'what degree': 981305, 'degree will': 232581, 'will house': 993761, 'price be': 672855, 'the slowdown': 867339, 'slowdown say': 774471, 'could result': 209604, 'house sale': 406540, 'sale plunging': 732453, 'plunging by': 661522, 'by much': 153260, 'much 60': 544680, '60 in': 20953, 'second quarter': 743797, 'quarter of': 693253, 'the year': 872143, 'the property market': 864684, 'property market ha': 684305, 'market ha ground': 516483, 'ha ground to': 370775, 'to halt amid': 907096, 'halt amid the': 374422, 'amid the outbreak': 52705, 'the outbreak but': 862596, 'outbreak but to': 628070, 'but to what': 147595, 'to what degree': 918510, 'what degree will': 981306, 'degree will house': 232582, 'will house price': 993762, 'house price be': 406473, 'price be affected': 672856, 'by the slowdown': 154441, 'the slowdown say': 867343, 'slowdown say this': 774472, 'say this could': 739364, 'this could result': 886934, 'could result in': 209605, 'result in house': 717530, 'in house sale': 423853, 'house sale plunging': 406544, 'sale plunging by': 732454, 'plunging by much': 661523, 'by much 60': 153264, 'much 60 in': 544681, '60 in the': 20956, 'in the second': 429532, 'the second quarter': 866587, 'second quarter of': 743800, 'quarter of the': 693259, 'of the year': 591632, 'petunia': 653892, 'hassle': 378816, 'of petunia': 588084, 'petunia in': 653893, 'now call': 574321, 'ahead for': 39153, 'for hassle': 322123, 'hassle free': 378819, 'free pickup': 332061, 'pickup browse': 655943, 'our annual': 622081, 'annual online': 77413, 'online view': 609681, 'view alternate': 957064, 'alternate shopping': 49190, 'shopping option': 763527, 'plenty of petunia': 660966, 'of petunia in': 588085, 'petunia in stock': 653894, 'in stock now': 428318, 'stock now call': 802508, 'now call ahead': 574322, 'call ahead for': 155748, 'ahead for hassle': 39156, 'for hassle free': 322124, 'hassle free pickup': 378822, 'free pickup browse': 332062, 'pickup browse our': 655944, 'browse our annual': 141280, 'our annual online': 622082, 'annual online view': 77414, 'online view alternate': 609682, 'view alternate shopping': 957065, 'alternate shopping option': 49191, 'flout': 311207, 'exercise during': 290045, 'people continue': 647537, 'to flout': 906019, 'flout the': 311212, 'bench say': 126827, 'say matt': 738924, 'hancock he': 374702, 'ban sport': 109260, 'sport you': 789993, 'ban exercise during': 109197, 'exercise during lockdown': 290046, 'during lockdown if': 262765, 'if people continue': 414612, 'people continue to': 647541, 'continue to flout': 201196, 'to flout the': 906020, 'flout the rule': 311213, 'on bench say': 599620, 'bench say matt': 126828, 'say matt hancock': 738925, 'matt hancock he': 520521, 'hancock he tell': 374703, 'to ban sport': 901022, 'ban sport you': 109261, 'sport you have': 789994, 'have to follow': 383214, 'score': 742345, 'fry': 339280, 'score finally': 742352, 'finally egg': 305977, 'egg supermarket': 269995, 'supermarket groceryshopping': 820587, 'groceryshopping grocery': 366254, 'grocery fry': 364544, 'fry food': 339285, 'score finally egg': 742353, 'finally egg supermarket': 305978, 'egg supermarket groceryshopping': 269996, 'supermarket groceryshopping grocery': 820588, 'groceryshopping grocery fry': 366255, 'grocery fry food': 364545, 'fry food and': 339286, 'food and drug': 313217, 'beacuse': 118256, 'escape': 280303, 'whatsapp': 982862, '94754284300': 23569, 'kindly father': 475128, 'father of': 300299, 'of kid': 585623, 'kid help': 473986, 'help is': 389932, 'required beacuse': 713349, 'beacuse already': 118257, 'already lost': 47512, 'lost my': 503889, '19 entire': 6795, 'ha lockdown': 371169, 'lockdown all': 499112, 'all stock': 44467, 'food over': 315722, 'over kindly': 630351, 'kindly make': 475147, 'make small': 510461, 'small help': 774987, 'live or': 495975, 'or escape': 615175, 'escape for': 280306, 'critical issue': 218595, 'issue my': 455843, 'my whatsapp': 550568, 'whatsapp 94754284300': 982885, 'kindly father of': 475129, 'father of kid': 300300, 'of kid help': 585627, 'kid help is': 473987, 'help is required': 389938, 'is required beacuse': 451447, 'required beacuse already': 713350, 'beacuse already lost': 118258, 'already lost my': 47513, 'lost my job': 503891, 'my job due': 548911, 'covid 19 entire': 213028, '19 entire country': 6796, 'entire country ha': 278657, 'country ha lockdown': 210718, 'ha lockdown all': 371170, 'lockdown all stock': 499117, 'all stock of': 44468, 'stock of food': 802523, 'of food over': 583744, 'food over kindly': 315724, 'over kindly make': 630352, 'kindly make small': 475148, 'make small help': 510462, 'small help to': 774988, 'help to live': 390782, 'to live or': 909347, 'live or escape': 495977, 'or escape for': 615176, 'escape for this': 280307, 'for this critical': 327020, 'this critical issue': 887119, 'critical issue my': 218596, 'issue my whatsapp': 455844, 'my whatsapp 94754284300': 550570, 'oreo': 619170, 'morning felt': 541254, 'felt the': 303460, 'to sneeze': 914790, 'sneeze the': 776273, 'the fear': 855031, 'fear felt': 301118, 'felt wa': 303474, 'wa real': 963054, 'real also': 701026, 'now hoarding': 574939, 'hoarding oreo': 399465, 'this morning felt': 888958, 'morning felt the': 541256, 'felt the need': 303462, 'need to sneeze': 556074, 'to sneeze the': 914793, 'sneeze the fear': 776274, 'the fear felt': 855034, 'fear felt wa': 301119, 'felt wa real': 303475, 'wa real also': 963056, 'real also we': 701027, 'also we are': 49086, 'we are now': 970641, 'are now hoarding': 88559, 'now hoarding oreo': 574940, 'people only': 648988, 'only going': 610529, 'show empty': 766935, 'shelf because': 756877, 'all corvid19uk': 42463, 'are people only': 89041, 'people only going': 648990, 'only going to': 610531, 'supermarket to show': 823415, 'to show empty': 914557, 'show empty shelf': 766936, 'empty shelf because': 275051, 'shelf because we': 756879, 'because we ve': 119817, 'we ve seen': 973708, 've seen them': 953550, 'seen them all': 747304, 'them all corvid19uk': 875339, 'established': 282027, 'dmv grocery': 248963, 'have established': 380482, 'established specific': 282030, 'specific time': 788259, 'dmv grocery store': 248964, 'store have established': 808080, 'have established specific': 380483, 'established specific time': 282031, 'specific time and': 788261, 'time and date': 896264, 'congo': 194419, 'lubumbashi': 506424, 'sack': 729046, 'cdf': 168640, 'the congo': 851450, 'congo in': 194420, 'in lubumbashi': 424958, 'lubumbashi people': 506425, 'will rather': 994563, 'rather die': 697446, 'from starvation': 337405, 'starvation sack': 795178, 'sack of': 729053, 'flour wa': 311182, 'wa 35': 961373, '35 00': 17859, '00 cdf': 121, 'cdf 20': 168641, '20 but': 12981, 'went straight': 979119, 'straight to': 812240, '80 00': 22536, 'cdf 45': 168643, '45 it': 19104, 'it sad': 460823, 'sad the': 729259, 'up quickly': 945879, 'quickly while': 694640, 'almost confined': 46582, 'confined 19': 194037, 'in the congo': 429089, 'the congo in': 851451, 'congo in lubumbashi': 194421, 'in lubumbashi people': 424959, 'lubumbashi people will': 506426, 'people will rather': 650405, 'will rather die': 994564, 'rather die from': 697447, 'die from starvation': 241355, 'from starvation sack': 337411, 'starvation sack of': 795179, 'sack of flour': 729054, 'of flour wa': 583606, 'flour wa 35': 311183, 'wa 35 00': 961374, '35 00 cdf': 17862, '00 cdf 20': 122, 'cdf 20 but': 168642, '20 but went': 12982, 'but went straight': 147775, 'went straight to': 979121, 'straight to 80': 812241, 'to 80 00': 899848, '80 00 cdf': 22537, '00 cdf 45': 123, 'cdf 45 it': 168644, '45 it sad': 19105, 'it sad the': 460832, 'sad the price': 729261, 'the price are': 864330, 'price are going': 672671, 'are going up': 86903, 'going up quickly': 355791, 'up quickly while': 945881, 'quickly while everyone': 694641, 'while everyone is': 986807, 'everyone is almost': 287064, 'is almost confined': 445497, 'almost confined 19': 46583, 'confined 19 and': 194038, '19 and food': 5026, 'country recent': 210985, 'recent state': 703988, 'of emergency': 583023, 'emergency ha': 272734, 'seen skyrocketing': 747235, 'skyrocketing demand': 773418, 'for truck': 327355, 'deliver critical': 233107, 'supply such': 825917, 'such medical': 816636, 'equipment and': 279676, 'food regulation': 316147, 'regulation are': 708056, 'being relaxed': 125664, 'relaxed driver': 708855, 'driver spend': 259749, 'time on': 897396, 'road 19': 724387, 'the country recent': 852138, 'country recent state': 210986, 'recent state of': 703989, 'state of emergency': 795804, 'of emergency ha': 583037, 'emergency ha seen': 272738, 'ha seen skyrocketing': 371845, 'seen skyrocketing demand': 747236, 'skyrocketing demand for': 773421, 'demand for truck': 235511, 'for truck driver': 327356, 'truck driver to': 932801, 'driver to deliver': 259802, 'to deliver critical': 904093, 'deliver critical supply': 233108, 'critical supply such': 218679, 'supply such medical': 825921, 'such medical equipment': 816637, 'medical equipment and': 526146, 'equipment and food': 279679, 'and food regulation': 63085, 'food regulation are': 316148, 'regulation are being': 708057, 'are being relaxed': 84910, 'being relaxed driver': 125665, 'relaxed driver spend': 708856, 'driver spend more': 259750, 'spend more and': 788637, 'and more time': 67222, 'more time on': 540771, 'time on the': 897403, 'the road 19': 865914, 'road 19 trucker': 724388, 'covid but': 214129, 'but oil': 146646, 'about falling': 25218, 'price it': 674909, 'keep price': 471811, 'price low': 675109, 'low so': 505625, 'can pay': 159200, 'fuel fuel': 340178, 'fuel bill': 340130, 'bill remain': 130670, 'remain low': 709780, 'low no': 505419, 'no they': 565705, 'are desperate': 85792, 'desperate to': 238558, 'production 19': 681890, '19 plus': 9735, 'is fighting covid': 447790, 'fighting covid but': 305054, 'covid but oil': 214130, 'but oil producer': 146647, 'oil producer are': 597333, 'producer are worried': 680579, 'worried about falling': 1010488, 'about falling price': 25219, 'falling price it': 297325, 'price it is': 674919, 'it is better': 458885, 'is better to': 446155, 'better to keep': 128565, 'to keep price': 908833, 'keep price low': 471815, 'price low so': 675120, 'low so that': 505628, 'so that people': 778389, 'that people can': 845690, 'people can pay': 647403, 'can pay for': 159202, 'pay for fuel': 644878, 'for fuel fuel': 321800, 'fuel fuel bill': 340179, 'fuel bill remain': 340131, 'bill remain low': 130671, 'remain low no': 709781, 'low no they': 505421, 'no they are': 565706, 'they are desperate': 881248, 'are desperate to': 85795, 'desperate to cut': 238559, 'cut production 19': 223499, 'production 19 plus': 681891, 'result after': 717470, 'the result after': 865687, 'result after the': 717473, 'after the supermarket': 36361, 'marked': 515846, 'wic': 991644, 'dependent': 237357, 'lovethyneighbor': 505040, 'people please': 649128, 'others you': 621810, 'only person': 610952, 'person on': 652553, 'the planet': 863798, 'planet also': 658393, 'also watch': 49083, 'the item': 858600, 'item marked': 463444, 'marked for': 515854, 'for wic': 327873, 'wic purchase': 991657, 'purchase those': 689685, 'item don': 463217, 'have choice': 379964, 'choice please': 177802, 'those dependent': 891923, 'dependent upon': 237373, 'upon getting': 947635, 'getting those': 349382, 'item lovethyneighbor': 463438, 'lovethyneighbor stophoarding': 505041, 'people please think': 649138, 'please think about': 660670, 'about others you': 25882, 'others you re': 621813, 're not the': 699125, 'not the only': 572017, 'the only person': 862328, 'only person on': 610958, 'person on the': 652555, 'on the planet': 604285, 'the planet also': 863799, 'planet also watch': 658394, 'also watch the': 49084, 'watch the item': 968546, 'the item marked': 858609, 'item marked for': 463445, 'marked for wic': 515855, 'for wic purchase': 327874, 'wic purchase those': 991658, 'purchase those item': 689686, 'those item don': 892136, 'item don have': 463218, 'don have choice': 253591, 'have choice please': 379966, 'choice please think': 177803, 'think of those': 885464, 'of those dependent': 592086, 'those dependent upon': 891924, 'dependent upon getting': 237374, 'upon getting those': 947636, 'getting those item': 349383, 'those item lovethyneighbor': 892139, 'item lovethyneighbor stophoarding': 463439, 'grocerystoreworkers': 366388, 'protectlives': 685826, 'savelives': 737775, 'grocerystoreworkers pandemic': 366391, 'pandemic protectlives': 636250, 'protectlives savelives': 685827, 'savelives correction': 737776, 'correction with': 207590, 'with sound': 1000890, 'sound protect': 786323, 'protect grocery': 684849, 'worker now': 1007456, 'now via': 576301, 'grocerystoreworkers pandemic protectlives': 366392, 'pandemic protectlives savelives': 636251, 'protectlives savelives correction': 685828, 'savelives correction with': 737777, 'correction with sound': 207591, 'with sound protect': 1000891, 'sound protect grocery': 786324, 'protect grocery store': 684850, 'store worker now': 811548, 'worker now via': 1007462, 'is for': 447876, 'rich who': 721268, 'up food': 944873, 'food staff': 316722, 'staff for': 792462, 'for almost': 319208, 'almost month': 46690, 'month it': 537805, 'it expose': 457913, 'expose the': 292806, 'the poor': 863963, 'poor because': 664128, 'be forced': 114917, 'risk thier': 723942, 'thier life': 884029, 'take chance': 832021, 'chance for': 171721, 'for survival': 326090, 'survival they': 829087, 'will die': 993178, 'from corona': 335004, 'corona they': 204229, 'get medical': 347552, 'medical help': 526208, 'help they': 390728, 'this is for': 888262, 'is for the': 447893, 'for the rich': 326658, 'the rich who': 865784, 'rich who can': 721269, 'who can stock': 988409, 'can stock up': 159809, 'stock up food': 803083, 'up food staff': 944896, 'food staff for': 316723, 'staff for almost': 792463, 'for almost month': 319212, 'almost month it': 46691, 'month it expose': 537806, 'it expose the': 457914, 'expose the poor': 292807, 'the poor because': 863968, 'poor because they': 664129, 'because they will': 119729, 'will be forced': 992466, 'be forced to': 114918, 'forced to risk': 328650, 'to risk thier': 913606, 'risk thier life': 723943, 'thier life and': 884030, 'life and take': 488488, 'and take chance': 72960, 'take chance for': 832022, 'chance for survival': 171726, 'for survival they': 326094, 'survival they will': 829088, 'they will die': 883841, 'will die from': 993180, 'die from corona': 241343, 'from corona they': 335007, 'corona they will': 204231, 'they will not': 883868, 'will not get': 994224, 'not get medical': 569596, 'get medical help': 347553, 'medical help they': 526211, 'stacking': 792034, 'warrioroflight': 967376, 'warrior': 967359, 'when asking': 983185, 'asking shop': 96056, 'worker stacking': 1007800, 'stacking food': 792035, 'food onto': 315633, 'onto shelf': 611671, 'what she': 982160, 'she doing': 756006, 'doing she': 252643, 'she reply': 756294, 'reply helping': 711737, 'country to': 211158, 'win the': 995582, 'battle over': 112808, 'over covid': 630126, '19 warrioroflight': 11900, 'warrioroflight 8pm': 967377, '8pm thursday': 23238, 'thursday time': 895438, 'to thank': 916416, 'thank our': 841617, 'our warrior': 625303, 'warrior of': 967368, 'of light': 585848, 'when asking shop': 983187, 'asking shop worker': 96057, 'shop worker stacking': 761092, 'worker stacking food': 1007801, 'stacking food onto': 792037, 'food onto shelf': 315634, 'onto shelf in': 611672, 'shelf in her': 757198, 'in her local': 423657, 'local supermarket what': 498612, 'supermarket what she': 823794, 'what she doing': 982162, 'she doing she': 756007, 'doing she reply': 252644, 'she reply helping': 756295, 'reply helping our': 711738, 'helping our country': 391416, 'our country to': 622605, 'country to win': 211173, 'to win the': 918616, 'win the battle': 995583, 'the battle over': 849349, 'battle over covid': 112809, 'over covid 19': 630127, 'covid 19 warrioroflight': 214045, '19 warrioroflight 8pm': 11901, 'warrioroflight 8pm thursday': 967378, '8pm thursday time': 23239, 'thursday time to': 895439, 'time to thank': 898084, 'to thank our': 916430, 'thank our warrior': 841623, 'our warrior of': 625305, 'warrior of light': 967369, 'verry': 954877, 'coincidence': 185660, 'catylization': 167402, 'coldwar2020': 185825, 'are verry': 91452, 'verry low': 954878, 'low just': 505368, 'just fyi': 468787, 'fyi it': 342636, 'not coincidence': 568786, 'coincidence the': 185669, 'oil may': 596953, 'had small': 373517, 'small hand': 774983, 'the catylization': 850535, 'catylization of': 167403, 'pandemic coldwar2020': 635164, 'price are verry': 672762, 'are verry low': 91453, 'verry low just': 954879, 'low just fyi': 505369, 'just fyi it': 468789, 'fyi it not': 342639, 'it not coincidence': 459865, 'not coincidence the': 568787, 'coincidence the price': 185670, 'of oil may': 587188, 'oil may have': 596954, 'may have had': 521238, 'have had small': 380874, 'had small hand': 373518, 'small hand in': 774984, 'hand in the': 375041, 'in the catylization': 429059, 'the catylization of': 850536, 'catylization of the': 167404, '19 pandemic coldwar2020': 9295, 'snap': 776071, 'web': 974932, 'store offer': 809152, 'online click': 608016, 'click amp': 181881, 'amp collect': 53543, 'collect grocery': 186281, 'amp curbside': 53595, 'pickup for': 655961, 'for family': 321382, 'family on': 298114, 'on snap': 603512, 'snap order': 776102, 'order can': 618108, 'be made': 115860, 'made via': 508058, 'via phone': 956167, 'phone learn': 654968, 'more amp': 538606, 'amp view': 54783, 'view additional': 957062, 'additional update': 31891, 'update amp': 946855, 'amp resource': 54391, 'resource in': 714822, 'new resource': 559469, 'resource web': 714929, 'web page': 974954, 'grocery store offer': 365604, 'store offer online': 809154, 'offer online click': 594722, 'online click amp': 608017, 'click amp collect': 181882, 'amp collect grocery': 53544, 'collect grocery shopping': 186283, 'grocery shopping amp': 364995, 'shopping amp curbside': 761951, 'amp curbside pickup': 53596, 'curbside pickup for': 220650, 'pickup for family': 655962, 'for family on': 321392, 'family on snap': 298118, 'on snap order': 603516, 'snap order can': 776103, 'order can also': 618109, 'can also be': 157450, 'also be made': 47925, 'be made via': 115868, 'made via phone': 508059, 'via phone learn': 956169, 'phone learn more': 654969, 'learn more amp': 484015, 'more amp view': 538607, 'amp view additional': 54784, 'view additional update': 957063, 'additional update amp': 31892, 'update amp resource': 946856, 'amp resource in': 54393, 'resource in response': 714823, '19 outbreak at': 9085, 'outbreak at our': 628035, 'at our new': 100023, 'our new resource': 624044, 'new resource web': 559476, 'resource web page': 714930, 'web page at': 974955, 'freaked': 331519, 'muppets freaked': 546132, 'freaked out': 331520, 'out few': 626065, 'ago buying': 38357, 'and acting': 57627, 'will look': 994035, 'look back': 502312, 'that later': 844846, 'later and': 481018, 'ashamed or': 95070, 'those muppets freaked': 892231, 'muppets freaked out': 546133, 'freaked out few': 331524, 'out few week': 626067, 'week ago buying': 975839, 'ago buying toilet': 38358, 'and food and': 63027, 'food and acting': 313167, 'and acting like': 57629, 'they will look': 883861, 'will look back': 994037, 'look back on': 502315, 'back on that': 107202, 'on that later': 603937, 'that later and': 844847, 'later and be': 481020, 'so ashamed or': 776551, 'ashamed or probably': 95071, 'breitbart': 139298, 'agreement': 38765, 'insidertraitor': 439492, 'fridaythoughts': 333350, 'only time': 611346, 'ever post': 285455, 'post breitbart': 666023, 'breitbart article': 139299, 'article where': 94501, 'where in': 984937, 'in agreement': 420110, 'agreement with': 38808, 'them but': 875491, 'article is': 94371, 'is spot': 452174, 'on insidertraitor': 601580, 'insidertraitor fridaythoughts': 439493, 'probably the first': 679398, 'the first and': 855279, 'and only time': 68153, 'only time ever': 611347, 'time ever post': 896632, 'ever post breitbart': 285456, 'post breitbart article': 666024, 'breitbart article where': 139300, 'article where in': 94502, 'where in agreement': 984938, 'in agreement with': 420111, 'agreement with them': 38813, 'with them but': 1001610, 'them but this': 875501, 'but this article': 147541, 'this article is': 886420, 'article is spot': 94374, 'is spot on': 452175, 'spot on insidertraitor': 790088, 'on insidertraitor fridaythoughts': 601581, 'strange': 812369, 'saviour': 738001, 'strange time': 812429, 'time sad': 897601, 'own worst': 632317, 'worst enemy': 1011177, 'enemy or': 276364, 'or our': 616457, 'own saviour': 632191, 'strange time sad': 812431, 'time sad time': 897602, 'sad time we': 729268, 'time we can': 898216, 'we can be': 970912, 'can be our': 157655, 'be our own': 116278, 'our own worst': 624222, 'own worst enemy': 632318, 'worst enemy or': 1011178, 'enemy or our': 276365, 'or our own': 616461, 'our own saviour': 624213, 'dark': 225950, 'gratitudeganstas': 362410, 'hbu': 384649, 'in dark': 421988, 'dark place': 225975, 'place in': 657505, 'life wa': 489178, 'wa part': 962911, 'of group': 584369, 'group chat': 366640, 'chat called': 173925, 'called gratitudeganstas': 156329, 'gratitudeganstas every': 362411, 'all listed': 43390, 'listed something': 494646, 'were grateful': 979701, 'for amid': 319254, 'the chaos': 850689, 'chaos grateful': 173020, 'the small': 867354, 'small biz': 774807, 'biz owner': 131949, 'owner in': 632472, 'my town': 550406, 'town hbu': 927486, 'when wa in': 984401, 'wa in dark': 962364, 'in dark place': 421989, 'dark place in': 225976, 'place in my': 657511, 'in my life': 425593, 'my life wa': 549048, 'life wa part': 489181, 'wa part of': 962912, 'part of group': 642351, 'of group chat': 584370, 'group chat called': 366641, 'chat called gratitudeganstas': 173926, 'called gratitudeganstas every': 156330, 'gratitudeganstas every day': 362412, 'every day we': 285857, 'day we all': 228671, 'we all listed': 970340, 'all listed something': 43391, 'listed something that': 494647, 'something that we': 785083, 'that we were': 847405, 'we were grateful': 973794, 'were grateful for': 979702, 'grateful for amid': 362258, 'for amid the': 319256, 'amid the chaos': 52683, 'the chaos grateful': 850691, 'chaos grateful for': 173021, 'for the small': 326691, 'the small biz': 867356, 'small biz owner': 774811, 'biz owner in': 131950, 'owner in my': 632474, 'in my town': 425638, 'my town hbu': 550412, 'collaborating': 185914, 'host': 404858, 'are collaborating': 85413, 'collaborating with': 185921, 'with to': 1001783, 'to host': 907987, 'host virtual': 404900, 'virtual food': 957743, 'food drive': 314284, 'help meet': 390088, 'assistance amid': 96661, 'crisis participate': 217852, 'participate now': 642560, 'we are collaborating': 970504, 'are collaborating with': 85415, 'collaborating with to': 185923, 'with to host': 1001789, 'to host virtual': 907991, 'host virtual food': 404901, 'virtual food drive': 957744, 'food drive to': 314291, 'drive to help': 259221, 'to help meet': 907561, 'help meet the': 390094, 'food assistance amid': 313423, 'assistance amid the': 96662, '19 crisis participate': 6296, 'crisis participate now': 217853, 'discussed': 244958, 'stability': 791799, 'and putin': 69824, 'putin discussed': 691021, 'discussed virus': 244976, 'and energy': 62125, 'energy market': 276494, 'market stability': 517099, 'stability white': 791827, 'house oott': 406440, 'trump and putin': 933411, 'and putin discussed': 69827, 'putin discussed virus': 691022, 'discussed virus and': 244977, 'virus and energy': 957923, 'and energy market': 62126, 'energy market stability': 276498, 'market stability white': 517101, 'stability white house': 791828, 'white house oott': 987855, 'fermoy': 303549, 'h2': 369376, 'utilising': 951250, 'label': 478325, 're really': 699356, 'really proud': 702497, 'how spar': 408728, 'spar fermoy': 787438, 'fermoy h2': 303550, 'h2 group': 369377, 'group ha': 366708, 'been utilising': 122320, 'utilising their': 951253, 'their digital': 873016, 'digital label': 242587, 'label in': 478345, 'store check': 806952, 'been using': 122313, 'to promote': 912247, 'promote social': 683790, 'we re really': 972945, 're really proud': 699361, 'really proud of': 702498, 'proud of how': 686031, 'of how spar': 584841, 'how spar fermoy': 408729, 'spar fermoy h2': 787439, 'fermoy h2 group': 303551, 'h2 group ha': 369378, 'group ha been': 366710, 'ha been utilising': 369977, 'been utilising their': 122321, 'utilising their digital': 951254, 'their digital label': 873017, 'digital label in': 242588, 'label in store': 478346, 'in store check': 428392, 'store check out': 806953, 'check out how': 174554, 'out how they': 626337, 'how they ve': 408934, 've been using': 952954, 'been using them': 122318, 'them to promote': 876498, 'to promote social': 912255, 'promote social distancing': 683791, 'kinder': 475085, 'about easter': 25146, 'egg mini': 269922, 'mini egg': 533001, 'egg kinder': 269901, 'kinder cream': 475088, 'cream egg': 215544, 'egg how': 269887, 'many can': 513859, 'buy do': 148539, 'any petrol': 79650, 'petrol fuel': 653736, 'fuel shortage': 340279, 'shortage so': 765213, 'bad at': 107769, 'at keeping': 99362, 'keeping up': 472611, 'demand when': 236478, 'get several': 347970, 'several daily': 753819, 'daily delivery': 224574, 'and manufacturing': 66656, 'manufacturing hasn': 513598, 'hasn changed': 378732, 'what about easter': 980967, 'about easter egg': 25147, 'easter egg mini': 265423, 'egg mini egg': 269923, 'mini egg kinder': 533002, 'egg kinder cream': 269902, 'kinder cream egg': 475089, 'cream egg how': 215545, 'egg how many': 269888, 'how many can': 408249, 'many can you': 513862, 'can you buy': 160283, 'you buy do': 1017566, 'buy do not': 148540, 'do not see': 249837, 'not see any': 571474, 'see any petrol': 744919, 'any petrol fuel': 79651, 'petrol fuel shortage': 653737, 'fuel shortage so': 340281, 'shortage so why': 765217, 'why are our': 990779, 'are our food': 88860, 'our food chain': 623102, 'food chain so': 313916, 'chain so bad': 171117, 'so bad at': 776575, 'bad at keeping': 107771, 'at keeping up': 99364, 'keeping up with': 472614, 'up with demand': 946629, 'with demand when': 997996, 'demand when they': 236480, 'when they get': 984261, 'they get several': 882178, 'get several daily': 347971, 'several daily delivery': 753820, 'daily delivery and': 224575, 'delivery and manufacturing': 233667, 'and manufacturing hasn': 66660, 'manufacturing hasn changed': 513599, 'continuous': 201587, 'cyclical': 224079, 'wool': 1004349, 'is majorly': 449529, 'majorly contributing': 509595, 'contributing to': 201918, 'the continuous': 851684, 'continuous cyclical': 201590, 'cyclical downturn': 224082, 'in wool': 430965, 'wool price': 1004354, 'price the': 676817, 'next rising': 561529, 'price cycle': 673381, 'cycle is': 224054, 'is predicted': 450984, 'develop however': 239641, 'however it': 409401, 'be quick': 116664, 'quick process': 694346, '19 is majorly': 8005, 'is majorly contributing': 449530, 'majorly contributing to': 509596, 'contributing to the': 201925, 'to the continuous': 916587, 'the continuous cyclical': 851685, 'continuous cyclical downturn': 201591, 'cyclical downturn in': 224083, 'downturn in wool': 257805, 'in wool price': 430966, 'wool price the': 1004355, 'price the next': 676849, 'the next rising': 861691, 'next rising price': 561530, 'rising price cycle': 723265, 'price cycle is': 673382, 'cycle is predicted': 224055, 'is predicted to': 450985, 'predicted to develop': 669626, 'to develop however': 904247, 'develop however it': 239642, 'however it will': 409407, 'it will not': 462413, 'not be quick': 568440, 'be quick process': 116666, 'mondaymotivation': 536454, 'zone': 1027747, 'increasingly': 433752, 'more protection': 540167, 'compassion for': 191487, 'staff mondaymotivation': 792667, 'mondaymotivation it': 536464, 'like war': 491760, 'war zone': 966609, 'zone more': 1027767, 'them die': 875595, 'die grocery': 241363, 'worker increasingly': 1007224, 'increasingly fear': 433774, 'fear showing': 301327, 'more protection and': 540168, 'protection and compassion': 685314, 'and compassion for': 60207, 'compassion for grocery': 191488, 'store staff mondaymotivation': 810320, 'staff mondaymotivation it': 792668, 'mondaymotivation it feel': 536465, 'feel like war': 302760, 'like war zone': 491761, 'war zone more': 966613, 'zone more of': 1027768, 'more of them': 539886, 'of them die': 591732, 'them die grocery': 875597, 'die grocery worker': 241365, 'grocery worker increasingly': 366180, 'worker increasingly fear': 1007226, 'increasingly fear showing': 433775, 'fear showing up': 301328, 'showing up at': 767549, 'up at work': 944446, 'cr': 214667, 'maureen': 520721, 'mahoney': 508519, 'combating': 187061, 'endrobocalls': 276277, 'you received': 1020856, 'received coronavirus': 703613, 'related robocalls': 708540, 'robocalls from': 724765, 'from scammer': 337176, 'scammer cr': 740557, 'cr maureen': 214670, 'maureen mahoney': 520722, 'mahoney note': 508520, 'note the': 572817, 'fcc need': 300765, 'make combating': 509783, 'combating scam': 187071, 'scam call': 740094, 'call priority': 156082, 'priority endrobocalls': 678560, 'have you received': 383685, 'you received coronavirus': 1020857, 'received coronavirus related': 703614, 'coronavirus related robocalls': 206639, 'related robocalls from': 708541, 'robocalls from scammer': 724766, 'from scammer cr': 337177, 'scammer cr maureen': 740558, 'cr maureen mahoney': 214671, 'maureen mahoney note': 520723, 'mahoney note the': 508521, 'note the fcc': 572821, 'the fcc need': 855001, 'fcc need to': 300766, 'need to make': 555990, 'to make combating': 909637, 'make combating scam': 509784, 'combating scam call': 187072, 'scam call priority': 740097, 'call priority endrobocalls': 156083, 'josh': 467337, 'ross': 726140, 'fact are': 295680, 'your side': 1025805, 'side there': 768901, 'same number': 733180, 'of mouth': 586686, 'mouth to': 543569, 'feed today': 302397, 'today there': 920312, 'were month': 979890, 'ago said': 38451, 'said independent': 731142, 'independent grocer': 434107, 'grocer association': 364106, 'association president': 96979, 'president and': 670757, 'and ceo': 59682, 'ceo josh': 169736, 'josh ross': 467340, 'ross foodsupply': 726143, 'foodsupply groceryshopping': 318204, 'groceryshopping consumer': 366247, 'consumer grocer': 197650, 'the fact are': 854816, 'fact are on': 295682, 'are on your': 88741, 'on your side': 605501, 'your side there': 1025808, 'side there are': 768902, 'there are the': 878173, 'the same number': 866266, 'same number of': 733183, 'number of mouth': 576961, 'of mouth to': 586687, 'mouth to feed': 543571, 'to feed today': 905735, 'feed today there': 302398, 'today there were': 920316, 'there were month': 879323, 'were month ago': 979891, 'month ago said': 537539, 'ago said independent': 38453, 'said independent grocer': 731143, 'independent grocer association': 434109, 'grocer association president': 364107, 'association president and': 96980, 'president and ceo': 670758, 'and ceo josh': 59687, 'ceo josh ross': 169737, 'josh ross foodsupply': 467341, 'ross foodsupply groceryshopping': 726144, 'foodsupply groceryshopping consumer': 318205, 'groceryshopping consumer grocer': 366248, 'witness': 1003105, 'crowdinsights': 219412, 'distancing is': 247237, 'behaviour more': 124480, 'ever especially': 285292, 'especially across': 280426, 'the entertainment': 854344, 'entertainment industry': 278578, 'industry what': 436228, 'what further': 981486, 'further practice': 342134, 'practice do': 668542, 'you predict': 1020406, 'predict we': 669587, 'will witness': 995359, 'witness consumer': 1003111, 'consumer behavioural': 196613, 'behavioural pattern': 124574, 'pattern change': 644453, 'change crowd': 171994, 'crowd crowdinsights': 219149, 'crowdinsights socialdistancing': 219413, 'socialdistancing netflix': 780551, 'social distancing is': 779639, 'distancing is impacting': 247247, 'impacting consumer behaviour': 418192, 'consumer behaviour more': 196589, 'behaviour more than': 124481, 'than ever especially': 840580, 'ever especially across': 285293, 'especially across the': 280427, 'across the entertainment': 29495, 'the entertainment industry': 854345, 'entertainment industry what': 278580, 'industry what further': 436230, 'what further practice': 981487, 'further practice do': 342135, 'practice do you': 668543, 'do you predict': 250659, 'you predict we': 1020407, 'predict we will': 669588, 'we will witness': 973921, 'will witness consumer': 995360, 'witness consumer behavioural': 1003112, 'consumer behavioural pattern': 196614, 'behavioural pattern change': 124575, 'pattern change crowd': 644454, 'change crowd crowdinsights': 171995, 'crowd crowdinsights socialdistancing': 219150, 'crowdinsights socialdistancing netflix': 219414, 'hai': 373927, 'sy': 830654, 'jual': 467591, '60ml': 21159, 'hai sy': 373928, 'sy jual': 830655, 'jual hand': 467592, 'sanitizer 60ml': 734298, '60ml ni': 21164, 'ni handsanitizers': 562302, 'handsanitizers malaysia': 376701, 'hai sy jual': 373929, 'sy jual hand': 830656, 'jual hand sanitizer': 467593, 'hand sanitizer 60ml': 375284, 'sanitizer 60ml ni': 734299, '60ml ni handsanitizers': 21165, 'ni handsanitizers malaysia': 562303, 'shpn': 767653, 'screw': 742784, 'hooded': 403317, 'tyvek': 937708, 'grocery shpn': 365117, 'shpn nj': 767654, 'nj screw': 563457, 'screw it': 742796, 'it full': 458179, 'full hooded': 340630, 'hooded tyvek': 403320, 'tyvek suit': 937709, 'suit glove': 817764, 'glove n95': 352794, 'mask full': 518712, 'full face': 340586, 'shield did': 758149, 'did half': 240625, 'half to': 374287, 'see some': 745711, 'some reaction': 783685, 'reaction and': 700188, 'safe could': 729568, 'could feel': 209172, 'feel by': 302589, 'were let': 979836, 'let in': 486813, 'in 10': 419675, '10 into': 1483, 'store knew': 808655, 'knew made': 476056, 'right decision': 721865, 'grocery shpn nj': 365118, 'shpn nj screw': 767655, 'nj screw it': 563458, 'screw it full': 742797, 'it full hooded': 458181, 'full hooded tyvek': 340631, 'hooded tyvek suit': 403321, 'tyvek suit glove': 937710, 'suit glove n95': 817765, 'glove n95 mask': 352795, 'n95 mask full': 551194, 'mask full face': 518713, 'full face shield': 340587, 'face shield did': 294740, 'shield did half': 758150, 'did half to': 240626, 'half to see': 374291, 'to see some': 914071, 'see some reaction': 745721, 'some reaction and': 783686, 'reaction and half': 700189, 'and half to': 64126, 'half to feel': 374290, 'to feel safe': 905755, 'feel safe could': 302827, 'safe could feel': 729569, 'could feel by': 209173, 'feel by people': 302590, 'by people were': 153559, 'people were let': 650210, 'were let in': 979837, 'let in 10': 486814, 'in 10 into': 419680, '10 into the': 1484, 'into the store': 443176, 'the store knew': 868046, 'store knew made': 808657, 'knew made the': 476057, 'made the right': 507997, 'the right decision': 865807, 'museum': 546232, 'congressional': 194558, 'delegation': 232838, 'equip': 279660, 'outlast': 629001, 'nyc isn': 578002, 'isn nyc': 454600, 'nyc without': 578070, 'without our': 1002810, 'our non': 624082, 'non profit': 566467, 'profit museum': 682815, 'museum but': 546241, 'want our': 965883, 'our museum': 623967, 'museum to': 546253, 'survive covid': 829147, 'them now': 876059, 'that why': 847528, 'why led': 991163, 'the nyc': 862000, 'nyc congressional': 577973, 'congressional delegation': 194559, 'delegation with': 232841, 'with in': 998960, 'calling for': 156541, 'for billion': 319684, 'billion in': 130834, 'in emergency': 422542, 'emergency fund': 272721, 'to equip': 905238, 'equip museum': 279663, 'to outlast': 911271, 'outlast this': 629005, 'nyc isn nyc': 578003, 'isn nyc without': 454601, 'nyc without our': 578071, 'without our non': 1002812, 'our non profit': 624084, 'non profit museum': 566473, 'profit museum but': 682816, 'museum but if': 546242, 'but if we': 146000, 'if we want': 415322, 'we want our': 973748, 'want our museum': 965884, 'our museum to': 623968, 'museum to survive': 546255, 'to survive covid': 916024, 'survive covid 19': 829148, 'need to protect': 556019, 'protect them now': 685006, 'them now that': 876070, 'now that why': 576026, 'that why led': 847539, 'why led the': 991164, 'led the nyc': 485269, 'the nyc congressional': 862002, 'nyc congressional delegation': 577974, 'congressional delegation with': 194560, 'delegation with in': 232842, 'with in calling': 998961, 'in calling for': 421163, 'calling for billion': 156544, 'for billion in': 319685, 'billion in emergency': 130844, 'in emergency fund': 422544, 'emergency fund to': 272726, 'fund to equip': 341522, 'to equip museum': 905239, 'equip museum to': 279664, 'museum to outlast': 546254, 'to outlast this': 911273, 'outlast this pandemic': 629006, 'on leading': 601808, 'leading consumer': 483696, 'consumer bank': 196384, 'bank through': 110249, 'on leading consumer': 601809, 'leading consumer bank': 483697, 'consumer bank through': 196386, 'bank through the': 110250, 'the pandemic via': 863144, 'sinister': 771455, 'nitrile': 563390, 'bizarrely': 131976, 'filter': 305748, 'rendering': 710946, 'useless': 950215, 'out today': 627701, 'essential used': 281741, 'used my': 949966, 'my sinister': 550098, 'sinister black': 771458, 'black nitrile': 132108, 'nitrile glove': 563391, 'glove saw': 352908, 'saw man': 738162, 'on gas': 601065, 'gas mask': 343900, 'mask bizarrely': 518481, 'bizarrely it': 131977, 'it had': 458425, 'no filter': 564218, 'filter on': 305774, 'it rendering': 460710, 'rendering it': 710951, 'it useless': 462000, 'useless wa': 950246, 'wa nice': 962705, 'to escape': 905249, 'escape the': 280313, 'hour supermarket': 405964, 'wa almost': 961477, 'almost civil': 46577, 'civil coronacrisis': 179511, 'go out today': 353994, 'out today for': 627704, 'today for some': 919541, 'for some essential': 325738, 'some essential used': 782765, 'essential used my': 281742, 'used my sinister': 949968, 'my sinister black': 550099, 'sinister black nitrile': 771459, 'black nitrile glove': 132109, 'nitrile glove saw': 563395, 'glove saw man': 352909, 'saw man in': 738163, 'man in full': 512110, 'in full on': 423169, 'full on gas': 340773, 'on gas mask': 601069, 'gas mask bizarrely': 343902, 'mask bizarrely it': 518482, 'bizarrely it had': 131978, 'it had no': 458432, 'had no filter': 373331, 'no filter on': 564219, 'filter on it': 305775, 'on it rendering': 601685, 'it rendering it': 460711, 'rendering it useless': 710952, 'it useless wa': 462001, 'useless wa nice': 950247, 'wa nice to': 962709, 'nice to escape': 562486, 'to escape the': 905250, 'escape the lockdown': 280315, 'the lockdown for': 859598, 'lockdown for an': 499393, 'an hour supermarket': 56103, 'hour supermarket wa': 405967, 'supermarket wa almost': 823688, 'wa almost civil': 961478, 'almost civil coronacrisis': 46578, 'compulsory': 192713, 'onwards': 611708, 'obligatory': 578471, 'wherever': 985457, 'compulsory use': 192724, 'in austria': 420627, 'austria 19': 103591, '19 distribution': 6588, 'take place': 832498, 'place from': 657458, 'from wednesday': 338318, 'wednesday onwards': 975675, 'onwards via': 611713, 'via supermarket': 956270, 'chain from': 170723, 'is obligatory': 450379, 'obligatory to': 578472, 'supermarket medium': 821499, 'term mouth': 838205, 'mouth amp': 543479, 'amp nose': 54186, 'nose protection': 567917, 'protection will': 685688, 'be obligatory': 116138, 'obligatory wherever': 578474, 'wherever people': 985460, 'people pas': 649080, 'pas by': 643091, 'compulsory use of': 192725, 'use of mask': 949418, 'of mask in': 586271, 'mask in austria': 518827, 'in austria 19': 420628, 'austria 19 distribution': 103592, '19 distribution of': 6589, 'distribution of mask': 248177, 'of mask to': 586280, 'mask to take': 519427, 'to take place': 916223, 'take place from': 832503, 'place from wednesday': 657462, 'from wednesday onwards': 338320, 'wednesday onwards via': 975676, 'onwards via supermarket': 611714, 'via supermarket chain': 956271, 'supermarket chain from': 819605, 'chain from this': 170727, 'from this time': 338013, 'this time on': 890672, 'time on it': 897399, 'on it is': 601670, 'it is obligatory': 459026, 'is obligatory to': 450380, 'obligatory to wear': 578473, 'mask in supermarket': 518837, 'in supermarket medium': 428631, 'supermarket medium term': 821500, 'medium term mouth': 527306, 'term mouth amp': 838206, 'mouth amp nose': 543480, 'amp nose protection': 54187, 'nose protection will': 567918, 'protection will be': 685689, 'will be obligatory': 992579, 'be obligatory wherever': 116139, 'obligatory wherever people': 578475, 'wherever people pas': 985461, 'people pas by': 649081, 'tantamount': 834276, 'blackmail': 132189, 'stormont': 811870, 'extortion': 293379, 'supplier of': 824578, 'of paracetamol': 587766, 'paracetamol are': 641222, 'to chemist': 902709, 'chemist this': 175452, 'is tantamount': 452573, 'tantamount to': 834277, 'to blackmail': 901839, 'blackmail there': 132190, 'there should': 879043, 'be stormont': 117386, 'stormont task': 811873, 'force set': 328495, 'tackle extortion': 831568, 'supplier of paracetamol': 824582, 'of paracetamol are': 587767, 'paracetamol are increasing': 641223, 'are increasing their': 87494, 'price to chemist': 676975, 'to chemist this': 902710, 'chemist this is': 175453, 'this is tantamount': 888420, 'is tantamount to': 452574, 'tantamount to blackmail': 834278, 'to blackmail there': 901840, 'blackmail there should': 132191, 'there should be': 879044, 'should be stormont': 765740, 'be stormont task': 117387, 'stormont task force': 811874, 'task force set': 834698, 'force set up': 328496, 'up to tackle': 946433, 'to tackle extortion': 916127, 'remunerative': 710918, 'perishable': 651957, 'crop': 218892, 'benefitting': 127179, 'railway': 695686, '109': 2272, 'train': 929222, 'speedy': 788498, 'govt led': 361183, 'by pm': 153599, 'pm ji': 661920, 'ji ha': 465448, 'ha taken': 372140, 'taken step': 833064, 'ensure remunerative': 278022, 'remunerative price': 710919, 'for perishable': 324486, 'perishable crop': 651962, 'crop benefitting': 218902, 'benefitting the': 127184, 'the farmer': 854940, 'farmer amid': 299244, '19 railway': 9941, 'railway ha': 695701, 'also introduced': 48429, 'introduced 109': 443412, '109 parcel': 2273, 'parcel train': 641530, 'train for': 929254, 'for speedy': 325821, 'speedy transportation': 788503, 'transportation of': 930017, 'and perishable': 68908, 'perishable good': 651981, 'govt led by': 361184, 'led by pm': 485219, 'by pm ji': 153602, 'pm ji ha': 661921, 'ji ha taken': 465449, 'ha taken step': 372150, 'taken step to': 833065, 'step to ensure': 799646, 'to ensure remunerative': 905185, 'ensure remunerative price': 278023, 'remunerative price for': 710920, 'price for perishable': 674023, 'for perishable crop': 324487, 'perishable crop benefitting': 651964, 'crop benefitting the': 218903, 'benefitting the farmer': 127185, 'the farmer amid': 854942, 'farmer amid covid': 299245, 'covid 19 railway': 213647, '19 railway ha': 9942, 'railway ha also': 695702, 'ha also introduced': 369526, 'also introduced 109': 48430, 'introduced 109 parcel': 443413, '109 parcel train': 2274, 'parcel train for': 641531, 'train for speedy': 929255, 'for speedy transportation': 325823, 'speedy transportation of': 788504, 'transportation of essential': 930018, 'of essential and': 583160, 'essential and perishable': 280786, 'and perishable good': 68909, 'vulture': 961286, 'descending': 237915, 'glad ve': 351535, 'got bottle': 358443, 'wine in': 995825, 'in because': 420746, 'because booze': 118956, 'booze aisle': 135153, 'aisle are': 40204, 'the vulture': 871008, 'vulture are': 961291, 'already descending': 47291, 'descending on': 237916, 'supermarket near': 821571, 'near you': 553635, 'you coronacrisis': 1018053, 'glad ve got': 351536, 've got bottle': 953169, 'got bottle of': 358445, 'bottle of wine': 136303, 'of wine in': 593183, 'wine in because': 995826, 'in because booze': 420747, 'because booze aisle': 118957, 'booze aisle are': 135154, 'aisle are just': 40207, 'are just about': 87613, 'just about to': 468139, 'about to empty': 26714, 'to empty the': 905037, 'empty the vulture': 275183, 'the vulture are': 871009, 'vulture are already': 961292, 'are already descending': 84404, 'already descending on': 47292, 'descending on supermarket': 237917, 'on supermarket near': 603797, 'supermarket near you': 821578, 'near you coronacrisis': 553637, 'you coronacrisis lockdown': 1018055, 'prediction': 669646, '19 prediction': 9777, 'prediction for': 669659, 'for house': 322404, 'uk housing': 938462, 'covid 19 prediction': 213602, '19 prediction for': 9778, 'prediction for house': 669660, 'for house price': 322407, 'house price and': 406471, 'and the uk': 73630, 'the uk housing': 870234, 'uk housing market': 938463, 'at people': 100089, 'who sold': 989637, 'sold mask': 781697, 'sanitizers at': 736221, 'looking at people': 502817, 'at people who': 100096, 'people who sold': 650341, 'who sold mask': 989639, 'sold mask and': 781698, 'and sanitizers at': 70894, 'sanitizers at higher': 736226, 'at higher price': 98898, 'hack': 372733, 'nifty': 562680, 'stylus': 815648, 'pen': 646403, 'pin': 656769, 'pad': 633771, 'otherw': 621818, 'here covid': 392903, '19 hack': 7406, 'hack take': 372748, 'your nifty': 1025013, 'nifty stylus': 562690, 'stylus pen': 815649, 'pen shopping': 646412, 'shopping if': 762943, 'you absolutely': 1016782, 'absolutely need': 27394, 'to navigate': 910484, 'navigate the': 553075, 'the pin': 863737, 'pin pad': 656774, 'pad and': 633772, 'supermarket self': 822370, 'self checkout': 747574, 'checkout screen': 174998, 'screen otherw': 742710, 'here covid 19': 392904, 'covid 19 hack': 213177, '19 hack take': 7407, 'hack take your': 372749, 'take your nifty': 832823, 'your nifty stylus': 1025014, 'nifty stylus pen': 562691, 'stylus pen shopping': 815650, 'pen shopping if': 646413, 'shopping if you': 762947, 'if you absolutely': 415385, 'you absolutely need': 1016785, 'absolutely need to': 27396, 'go and use': 353293, 'it to navigate': 461734, 'to navigate the': 910489, 'navigate the pin': 553084, 'the pin pad': 863738, 'pin pad and': 656775, 'pad and supermarket': 633774, 'and supermarket self': 72735, 'supermarket self checkout': 822371, 'self checkout screen': 747582, 'checkout screen otherw': 174999, 'catchup': 167135, 'quick news': 694332, 'news catchup': 560298, 'catchup price': 167138, 'back foot': 106985, 'foot below': 318363, 'below 600': 126585, '600 down': 21077, 'down 40': 256416, '40 amid': 18527, 'the early': 853817, 'early thursday': 264718, 'thursday session': 895424, 'session watch': 753325, 'watch price': 968512, 'free read': 332090, 'quick news catchup': 694333, 'news catchup price': 560300, 'catchup price on': 167139, 'price on the': 675724, 'on the back': 603976, 'the back foot': 849146, 'back foot below': 106986, 'foot below 600': 318364, 'below 600 down': 126586, '600 down 40': 21078, 'down 40 amid': 256418, '40 amid the': 18528, 'amid the early': 52692, 'the early thursday': 853822, 'early thursday session': 264719, 'thursday session watch': 895425, 'session watch price': 753326, 'watch price for': 968515, 'price for free': 673967, 'for free read': 321724, 'free read the': 332091, 'read the news': 700583, 'dear god': 229795, 'god please': 354783, 'this coronavirus': 886893, 'and just': 65693, 'just make': 469215, 'everything go': 287811, 'are coronacrisis': 85572, 'dear god please': 229796, 'god please stop': 354784, 'please stop this': 660594, 'stop this coronavirus': 805187, 'this coronavirus outbreak': 886899, 'coronavirus outbreak and': 206375, 'outbreak and just': 627998, 'and just make': 65708, 'just make everything': 469216, 'make everything go': 509889, 'everything go back': 287812, 'to normal but': 910643, 'normal but can': 567104, 'but can you': 145369, 'can you leave': 160315, 'leave the gas': 484967, 'gas price they': 344035, 'price they are': 676891, 'they are coronacrisis': 881237, 'coronavirus is': 206156, 'over will': 630936, 'paper pasta': 640580, 'pasta egg': 643711, 'egg cleaning': 269826, 'supply you': 826142, 'left toiletpaper': 485700, 'when the coronavirus': 984135, 'the coronavirus is': 851873, 'coronavirus is over': 206170, 'is over will': 450747, 'over will all': 630937, 'will all let': 992235, 'all let me': 43367, 'me know how': 523040, 'how much toilet': 408378, 'toilet paper pasta': 921388, 'paper pasta egg': 640581, 'pasta egg cleaning': 643713, 'egg cleaning supply': 269827, 'cleaning supply you': 181091, 'supply you have': 826145, 'you have left': 1019069, 'have left toiletpaper': 381301, 'have holiday': 380971, 'holiday booked': 400264, 'booked with': 134692, 'now no': 575345, 'longer take': 502059, 'place because': 657345, 'are refusing': 89538, 'for next': 323850, 'year for': 1014560, 'for transfer': 327312, 'transfer can': 929503, 'you raise': 1020539, 'raise this': 695966, 'we have holiday': 971836, 'have holiday booked': 380972, 'holiday booked with': 400265, 'booked with that': 134693, 'with that can': 1001169, 'that can now': 843113, 'can now no': 159066, 'now no longer': 575351, 'no longer take': 564666, 'longer take place': 502061, 'take place because': 832501, 'place because of': 657346, 'they are refusing': 881384, 'are refusing to': 89540, 'refusing to refund': 707099, 'to refund and': 913081, 'refund and have': 706866, 'and have hiked': 64249, 'the price for': 864351, 'price for next': 674012, 'for next year': 323860, 'next year for': 561729, 'year for transfer': 1014570, 'for transfer can': 327313, 'transfer can you': 929504, 'can you raise': 160327, 'you raise this': 1020541, 'raise this please': 695967, 'recovered': 705219, 'fibre': 304403, 'degrading': 232559, 'infusing': 438272, 'global rise': 352178, 'rise of': 722942, 'been huge': 121314, 'huge threat': 410241, 'the recycling': 865377, 'recycling program': 705553, 'program of': 683276, 'of north': 587073, 'north america': 567602, 'america it': 51584, 'been disruption': 121005, 'disruption to': 246536, 'chinese user': 177372, 'user investing': 950296, 'investing in': 443929, 'the recovered': 865368, 'recovered fibre': 705229, 'fibre degrading': 304404, 'degrading stock': 232560, 'price well': 677422, 'well infusing': 978321, 'infusing economic': 438273, 'economic recession': 267222, 'the global rise': 856323, 'global rise of': 352179, 'rise of the': 722953, 'of the ha': 591088, 'the ha been': 856982, 'ha been huge': 369829, 'been huge threat': 121315, 'huge threat to': 410242, 'threat to the': 893742, 'to the recycling': 917010, 'the recycling program': 865378, 'recycling program of': 705554, 'program of north': 683277, 'of north america': 587074, 'north america it': 567606, 'america it ha': 51586, 'ha been disruption': 369786, 'been disruption to': 121007, 'disruption to the': 246549, 'to the chinese': 916557, 'the chinese user': 850870, 'chinese user investing': 177373, 'user investing in': 950297, 'investing in the': 443933, 'in the recovered': 429503, 'the recovered fibre': 865369, 'recovered fibre degrading': 705230, 'fibre degrading stock': 304405, 'degrading stock price': 232561, 'stock price well': 802756, 'price well infusing': 677425, 'well infusing economic': 978322, 'infusing economic recession': 438274, 'sausage': 737399, 'jailed': 464297, 'stolen': 804283, 'sausage jailed': 737411, 'jailed pensioner': 464305, 'pensioner forced': 646680, 'eat from': 265921, 'from bin': 334696, 'bin after': 130993, 'after food': 35685, 'delivery stolen': 234581, 'stolen from': 804288, 'from doorstep': 335197, 'sausage jailed pensioner': 737412, 'jailed pensioner forced': 464306, 'pensioner forced to': 646681, 'forced to eat': 328632, 'to eat from': 904883, 'eat from bin': 265922, 'from bin after': 334697, 'bin after food': 130994, 'after food delivery': 35686, 'food delivery stolen': 314148, 'delivery stolen from': 234582, 'stolen from doorstep': 804290, 'amazonpantry': 51236, 'big pack': 129899, 'pack big': 633027, 'big saving': 129977, 'saving we': 737985, 'we urge': 973595, 'urge you': 948250, 'buy essential': 148566, 'and kitchen': 65864, 'kitchen but': 475702, 'only what': 611464, 'required click': 713361, 'click essential': 181904, 'essential grocery': 281106, 'grocery pantry': 364832, 'pantry amazonpantry': 639514, 'amazonpantry amazon': 51237, 'big pack big': 129900, 'pack big saving': 633028, 'big saving we': 129978, 'saving we urge': 737986, 'we urge you': 973603, 'urge you to': 948251, 'to buy essential': 902223, 'buy essential for': 148572, 'essential for home': 281057, 'for home and': 322340, 'home and kitchen': 400657, 'and kitchen but': 65866, 'kitchen but only': 475703, 'but only what': 146696, 'only what is': 611465, 'what is required': 981722, 'is required click': 451448, 'required click essential': 713362, 'click essential grocery': 181905, 'essential grocery pantry': 281108, 'grocery pantry amazonpantry': 364833, 'pantry amazonpantry amazon': 639515, 'oklahoma': 598057, 'because am': 118927, 'am still': 50431, 'still working': 801427, 'working and': 1008493, 'family is': 297944, 'trip out': 932133, 'public in': 688100, 'week besides': 976005, 'besides to': 127529, 'work back': 1004914, 'back wa': 107441, 'wa shocked': 963190, 'shocked to': 759585, 'how crowded': 407645, 'crowded the': 219365, 'store wa': 811092, 'wa and': 961537, 'and am': 58002, 'am even': 50025, 'hit oklahoma': 398350, 'oklahoma very': 598079, 'store today because': 810836, 'today because am': 919309, 'because am still': 118930, 'am still working': 50438, 'still working and': 801430, 'working and my': 1008504, 'and my family': 67364, 'my family is': 548208, 'family is at': 297946, 'is at home': 445865, 'at home it': 99019, 'home it wa': 401475, 'it wa my': 462151, 'wa my first': 962674, 'my first trip': 548354, 'first trip out': 309135, 'trip out in': 932135, 'in public in': 427083, 'public in week': 688104, 'in week besides': 430746, 'week besides to': 976006, 'besides to work': 127530, 'to work back': 918692, 'work back wa': 1004915, 'back wa shocked': 107445, 'wa shocked to': 963193, 'shocked to see': 759586, 'to see how': 914021, 'see how crowded': 745223, 'how crowded the': 407646, 'crowded the store': 219366, 'the store wa': 868137, 'store wa and': 811099, 'wa and am': 961538, 'and am even': 58012, 'am even more': 50026, 'even more worried': 284390, 'more worried that': 541015, 'worried that is': 1010583, 'that is going': 844590, 'going to hit': 355622, 'to hit oklahoma': 907848, 'hit oklahoma very': 398351, 'oklahoma very hard': 598080, 'exclusive': 289648, 'barn': 111128, 'exclusive panic': 289686, 'for pet': 324507, 'pet spark': 653450, 'spark new': 787542, 'restriction delay': 717257, 'delay at': 232677, 'at pet': 100102, 'pet barn': 653362, 'barn australia': 111129, 'australia pet': 103349, 'pet dog': 653371, 'dog cat': 252057, 'exclusive panic buying': 289687, 'panic buying for': 637735, 'buying for pet': 150357, 'for pet spark': 324512, 'pet spark new': 653451, 'spark new restriction': 787543, 'new restriction delay': 559483, 'restriction delay at': 717258, 'delay at pet': 232678, 'at pet barn': 100103, 'pet barn australia': 653363, 'barn australia pet': 111130, 'australia pet dog': 103350, 'pet dog cat': 653372, 'runoff': 728158, 'farmer across': 299239, 'province are': 687158, 'are dumping': 86024, 'milk due': 531644, 'the foodservice': 855636, 'foodservice industry': 318100, 'industry which': 436236, 'is another': 445727, 'another runoff': 77816, 'runoff effect': 728159, 'dairy farmer across': 224974, 'farmer across the': 299241, 'the province are': 864725, 'province are dumping': 687160, 'are dumping milk': 86025, 'dumping milk due': 262239, 'milk due to': 531645, 'lack of demand': 478617, 'of demand from': 582505, 'demand from the': 235548, 'from the foodservice': 337707, 'the foodservice industry': 855638, 'foodservice industry which': 318101, 'industry which is': 436237, 'which is another': 985982, 'is another runoff': 445740, 'another runoff effect': 77817, 'runoff effect of': 728160, 'liquor company': 494164, 'company turn': 191267, 'turn sanitizer': 935759, 'sanitizer maker': 735336, 'maker amid': 510810, 'liquor company turn': 494165, 'company turn sanitizer': 191268, 'turn sanitizer maker': 935760, 'sanitizer maker amid': 735337, 'maker amid outbreak': 510811, 'spoonie': 789875, 'dbtskills': 228929, 'spoonie living': 789876, 'living dbtskills': 496340, 'dbtskills so': 228930, 'so shit': 778198, 'shit ha': 759120, 'ha hit': 370876, 'the fan': 854914, 'fan and': 298499, 'and pretty': 69400, 'much wherever': 545457, 'wherever you': 985474, 'are covid': 85597, 'is too': 453276, 'too grocery': 924769, 'empty and': 274765, 'and people': 68847, 'getting sent': 349258, 'sent home': 750755, 'work by': 1004963, 'the drove': 853723, 'drove if': 260798, 'been instructed': 121396, 'instructed to': 440527, 'spoonie living dbtskills': 789877, 'living dbtskills so': 496341, 'dbtskills so shit': 228931, 'so shit ha': 778199, 'shit ha hit': 759122, 'ha hit the': 370883, 'hit the fan': 398429, 'the fan and': 854915, 'fan and pretty': 298502, 'and pretty much': 69401, 'pretty much wherever': 671467, 'much wherever you': 545458, 'wherever you are': 985475, 'you are covid': 1017100, 'are covid 19': 85598, '19 is too': 8068, 'is too grocery': 453277, 'too grocery store': 924770, 'are empty and': 86137, 'empty and people': 274773, 'and people are': 68852, 'are getting sent': 86820, 'getting sent home': 349259, 'sent home from': 750758, 'home from work': 401277, 'from work by': 338404, 'work by the': 1004965, 'by the drove': 154313, 'the drove if': 853724, 'drove if you': 260799, 'if you ve': 415549, 've been instructed': 952899, 'been instructed to': 121397, 'instructed to work': 440532, 'storefront': 811732, 'shipped': 758794, 'maxi': 520779, 'strippedmaxi': 813899, 'maxilove': 520788, 'maxidress': 520782, 'nola': 566242, 'neworleans': 560154, 'houstonboutique': 407232, 'our storefront': 624959, 'storefront is': 811737, 'we asked': 970785, 'asked that': 95830, 'all order': 43769, 'order will': 618778, 'be shipped': 117139, 'shipped out': 758803, 'out maxi': 626544, 'maxi strippedmaxi': 520780, 'strippedmaxi maxilove': 813900, 'maxilove maxidress': 520789, 'maxidress shop': 520783, 'shop shopping': 760774, 'shopping nola': 763340, 'nola neworleans': 566243, 'neworleans houstonboutique': 560155, 'our storefront is': 624960, 'storefront is closed': 811738, 'to the we': 917180, 'the we asked': 871215, 'we asked that': 970789, 'asked that you': 95833, 'that you shop': 847742, 'shop online and': 760561, 'online and all': 607806, 'and all order': 57879, 'all order will': 43775, 'order will be': 618780, 'will be shipped': 992678, 'be shipped out': 117142, 'shipped out maxi': 758804, 'out maxi strippedmaxi': 626545, 'maxi strippedmaxi maxilove': 520781, 'strippedmaxi maxilove maxidress': 813901, 'maxilove maxidress shop': 520790, 'maxidress shop shopping': 520784, 'shop shopping nola': 760777, 'shopping nola neworleans': 763341, 'nola neworleans houstonboutique': 566244, 'whether in': 985516, '19 exposure': 6908, 'exposure but': 292961, 'but expert': 145693, 'whether in store': 985517, 'store or online': 809353, 'or online grocery': 616388, 'grocery shopping could': 365011, 'shopping could lead': 762406, 'lead to covid': 483335, 'covid 19 exposure': 213064, '19 exposure but': 6909, 'exposure but expert': 292962, 'but expert say': 145694, 'expert say there': 291962, 'say there are': 739318, 'are way to': 91551, 'way to limit': 970046, 'to limit the': 909302, 'limit the risk': 492519, 'pension': 646643, 'saver': 737805, 'defraud': 232480, 'calculated': 155302, '6bn': 21585, 'pension saver': 646662, 'saver have': 737808, 'been warned': 122345, 'be extra': 114756, 'extra vigilant': 293689, 'vigilant about': 957224, 'to defraud': 904068, 'defraud them': 232490, 'them of': 876073, 'life saving': 489010, 'saving risk': 737954, 'risk advisory': 723354, 'advisory firm': 33760, 'firm calculated': 308325, 'calculated that': 155312, 'that 10': 842426, '10 00s': 1217, '00s of': 707, 'of saver': 589334, 'been fleeced': 121158, 'fleeced out': 310297, 'of 6bn': 579654, '6bn over': 21586, 'year 19': 1014329, 'pension saver have': 646663, 'saver have been': 737809, 'have been warned': 379741, 'been warned to': 122347, 'warned to be': 967044, 'to be extra': 901247, 'be extra vigilant': 114759, 'extra vigilant about': 293690, 'vigilant about scammer': 957226, 'about scammer using': 26148, 'scammer using the': 740645, 'using the to': 950717, 'the to defraud': 869673, 'to defraud them': 904073, 'defraud them of': 232491, 'them of their': 876075, 'of their life': 591676, 'their life saving': 873844, 'life saving risk': 489017, 'saving risk advisory': 737955, 'risk advisory firm': 723355, 'advisory firm calculated': 33761, 'firm calculated that': 308326, 'calculated that 10': 155313, 'that 10 00s': 842427, '10 00s of': 1218, '00s of saver': 711, 'of saver have': 589335, 'have been fleeced': 379544, 'been fleeced out': 121159, 'fleeced out of': 310298, 'out of 6bn': 626672, 'of 6bn over': 579655, '6bn over the': 21587, 'over the year': 630787, 'the year 19': 872144, 'legislation': 485963, 'initiative': 438598, 'expands': 290520, 'the senate': 866700, 'senate ha': 749706, 'the 60': 848163, '60 vote': 21037, 'vote to': 960514, 'to approve': 900675, 'approve the': 83117, 'house passed': 406452, 'passed coronavirus': 643260, 'coronavirus response': 206663, 'response legislation': 715749, 'legislation sending': 485984, 'sending it': 750034, 'to pres': 912014, 'pres trump': 670451, 'trump who': 933976, 'sign it': 769136, 'into law': 442691, 'law thread': 482421, 'thread free': 893545, 'free covid': 331738, 'testing paid': 839597, 'leave boost': 484757, 'boost food': 134954, 'security initiative': 744648, 'initiative expands': 438620, 'expands unemployment': 290545, 'unemployment insurance': 941231, 'breaking the senate': 139065, 'the senate ha': 866703, 'senate ha the': 749707, 'ha the 60': 372185, 'the 60 vote': 848167, '60 vote to': 21038, 'vote to approve': 960515, 'to approve the': 900677, 'approve the house': 83118, 'the house passed': 857623, 'house passed coronavirus': 406453, 'passed coronavirus response': 643261, 'coronavirus response legislation': 206665, 'response legislation sending': 715750, 'legislation sending it': 485985, 'sending it to': 750035, 'it to pres': 461741, 'to pres trump': 912015, 'pres trump who': 670456, 'trump who is': 933977, 'who is expected': 989072, 'expected to sign': 291001, 'to sign it': 914636, 'sign it into': 769137, 'it into law': 458824, 'into law thread': 442693, 'law thread free': 482422, 'thread free covid': 893546, 'free covid 19': 331739, '19 testing paid': 11107, 'testing paid sick': 839598, 'sick leave boost': 768486, 'leave boost food': 484758, 'boost food security': 134955, 'food security initiative': 316356, 'security initiative expands': 744649, 'initiative expands unemployment': 438621, 'expands unemployment insurance': 290546, 'mueller': 545527, 'the at': 848995, 'at mueller': 99792, 'mueller this': 545532, 'morning insane': 541312, 'insane 19': 439024, 'toiletpaper groceryworkers': 922039, 'the at mueller': 849000, 'at mueller this': 99793, 'mueller this morning': 545533, 'this morning insane': 888972, 'morning insane 19': 541313, 'insane 19 toiletpaper': 439025, '19 toiletpaper groceryworkers': 11489, 'institutional': 440482, '19 killed': 8235, 'killed million': 474602, 'million american': 532051, 'american because': 51835, 'didn have': 241081, 'have paid': 381867, 'leave and': 484730, 'economy set': 268209, 'up total': 946473, 'total institutional': 926172, 'institutional failure': 440486, 'failure and': 296261, 'and break': 59171, 'down of': 256994, 'civil society': 179550, 'remember when the': 710418, 'when the covid': 984137, 'covid 19 killed': 213319, '19 killed million': 8236, 'killed million american': 474603, 'million american because': 532053, 'american because we': 51837, 'because we didn': 119798, 'we didn have': 971301, 'didn have paid': 241093, 'have paid sick': 381870, 'sick leave and': 768483, 'leave and then': 484736, 'and then the': 73815, 'then the collapse': 877610, 'collapse of our': 186042, 'of our consumer': 587440, 'our consumer economy': 622532, 'consumer economy set': 197316, 'economy set up': 268210, 'set up total': 753584, 'up total institutional': 946474, 'total institutional failure': 926173, 'institutional failure and': 440487, 'failure and break': 296262, 'and break down': 59172, 'break down of': 138707, 'down of civil': 256996, 'of civil society': 581434, 'clock': 182393, 'roll factory': 725294, 'factory working': 296024, 'working round': 1008899, 'the clock': 851029, 'clock to': 182412, 'with panic': 1000079, 'inside the toilet': 439423, 'the toilet roll': 869711, 'toilet roll factory': 921569, 'roll factory working': 725295, 'factory working round': 296025, 'working round the': 1008900, 'round the clock': 726360, 'the clock to': 851036, 'clock to deal': 182413, 'deal with panic': 229566, 'with panic buying': 1000083, 'will endure': 993312, 'endure after': 276292, 'they mean': 882669, 'for marketer': 323257, 'consumer trend that': 199389, 'trend that will': 931467, 'that will endure': 847572, 'will endure after': 993313, 'endure after covid': 276294, '19 and what': 5136, 'what they mean': 982407, 'they mean for': 882670, 'mean for marketer': 524445, 'travelchatsa': 930595, 'for vegan': 327527, 'vegan sushi': 953888, 'and wine': 75714, 'wine at': 995774, 'at travelchatsa': 101360, 'going for vegan': 355153, 'for vegan sushi': 327528, 'vegan sushi and': 953889, 'sushi and wine': 829451, 'and wine at': 75715, 'wine at travelchatsa': 995775, 'really do': 702122, 'to wonder': 918667, 'wonder why': 1004037, 'it necessary': 459747, 'for whole': 327863, 'really do have': 702125, 'do have to': 249379, 'have to wonder': 383340, 'to wonder why': 918670, 'wonder why it': 1004041, 'why it necessary': 991145, 'it necessary for': 459749, 'necessary for whole': 553996, 'for whole family': 327864, 'whole family to': 990205, 'family to come': 298322, 'to come to': 903054, 'come to the': 187606, 'jerseyplug': 465242, 'yall': 1014061, 'hmu': 398715, 'jerseyplug with': 465243, 'no sport': 565567, 'sport in': 789934, 'life wanna': 489184, 'wanna provide': 965659, 'provide yall': 686551, 'yall with': 1014104, 'with quality': 1000374, 'quality jersey': 691809, 'jersey with': 465235, 'with lower': 999340, 'than retail': 841089, 'retail all': 717800, 'all jersey': 43285, 'jersey now': 465223, 'are 40': 84132, '40 each': 18571, 'each until': 264316, 'until sport': 943834, 'sport return': 789974, 'return due': 719833, 'to dm': 904467, 'dm are': 248875, 'are always': 84492, 'always open': 49675, 'open hmu': 612304, 'jerseyplug with no': 465244, 'with no sport': 999791, 'no sport in': 565568, 'sport in our': 789935, 'in our life': 426310, 'our life wanna': 623738, 'life wanna provide': 489185, 'wanna provide yall': 965660, 'provide yall with': 686552, 'yall with quality': 1014105, 'with quality jersey': 1000375, 'quality jersey with': 691810, 'jersey with lower': 465236, 'with lower price': 999345, 'lower price than': 505970, 'price than retail': 676780, 'than retail all': 841090, 'retail all jersey': 717801, 'all jersey now': 43286, 'jersey now are': 465224, 'now are 40': 574095, 'are 40 each': 84133, '40 each until': 18572, 'each until sport': 264317, 'until sport return': 943835, 'sport return due': 789975, 'return due to': 719834, 'due to dm': 261764, 'to dm are': 904468, 'dm are always': 248876, 'are always open': 84505, 'always open hmu': 49677, 'aide': 39493, 'ups': 947727, 'collector': 186546, 'supplied': 824439, 'hit from': 398231, 'the true': 870044, 'true hero': 933098, 'crisis first': 217374, 'responder nurse': 715497, 'doctor nursing': 251040, 'nursing care': 577603, 'care aide': 163830, 'aide grocery': 39498, 'clerk truck': 181801, 'driver amazon': 259394, 'amazon ups': 51175, 'ups worker': 947783, 'worker trash': 1008049, 'trash collector': 930148, 'collector people': 186576, 'who keep': 989149, 'healthy fed': 387605, 'fed supplied': 301896, 'supplied care': 824452, 'the economy take': 854022, 'economy take hit': 268250, 'take hit from': 832185, 'hit from covid': 398234, 'seeing the true': 746508, 'the true hero': 870051, 'true hero of': 933102, 'this crisis first': 887038, 'crisis first responder': 217375, 'first responder nurse': 308955, 'responder nurse doctor': 715498, 'nurse doctor nursing': 577303, 'doctor nursing care': 251042, 'nursing care aide': 577604, 'care aide grocery': 163831, 'aide grocery store': 39499, 'store clerk truck': 807033, 'clerk truck driver': 181802, 'truck driver amazon': 932762, 'driver amazon ups': 259397, 'amazon ups worker': 51176, 'ups worker trash': 947785, 'worker trash collector': 1008050, 'trash collector people': 930149, 'collector people who': 186577, 'people who keep': 650310, 'who keep safe': 989153, 'keep safe healthy': 471880, 'safe healthy fed': 729746, 'healthy fed supplied': 387607, 'fed supplied care': 301897, 'supplied care for': 824453, 'care for them': 163956, 'am the': 50485, 'one waiting': 607351, 'this to': 890724, 'happen trump': 377197, 'trump toiletpaper': 933928, 'am the only': 50488, 'only one waiting': 610889, 'one waiting for': 607352, 'waiting for this': 964341, 'for this to': 327078, 'this to happen': 890736, 'to happen trump': 907165, 'happen trump toiletpaper': 377198, 'jobless': 466324, '282': 16429, 'gut': 368847, 'punched': 689175, 'developer': 239750, 'lumber': 506661, 'cement': 168996, 'shareknowledge': 755498, 'dcn': 228992, 'week initial': 976395, 'initial jobless': 438534, 'jobless claim': 466329, 'claim have': 179738, 'gone from': 356280, 'from 282': 334259, '282 00': 16430, 'million consumer': 532113, 'being gut': 125209, 'gut punched': 368854, 'punched economy': 689176, 'economy construction': 267770, 'construction developer': 195790, 'developer banking': 239753, 'banking steel': 110459, 'steel lumber': 799342, 'lumber cement': 506662, 'cement 19': 168997, '19 shareknowledge': 10438, 'shareknowledge dcn': 755499, 'dcn canada': 228993, 'in the past': 429441, 'past week initial': 643648, 'week initial jobless': 976396, 'initial jobless claim': 438535, 'jobless claim have': 466332, 'claim have gone': 179739, 'have gone from': 380793, 'gone from 282': 356281, 'from 282 00': 334260, '282 00 to': 16431, '00 to million': 549, 'to million to': 910136, 'million to million': 532390, 'to million consumer': 910133, 'million consumer spending': 532114, 'consumer spending is': 199071, 'spending is being': 788869, 'is being gut': 446087, 'being gut punched': 125210, 'gut punched economy': 368855, 'punched economy construction': 689177, 'economy construction developer': 267771, 'construction developer banking': 195791, 'developer banking steel': 239754, 'banking steel lumber': 110460, 'steel lumber cement': 799343, 'lumber cement 19': 506663, 'cement 19 shareknowledge': 168998, '19 shareknowledge dcn': 10439, 'shareknowledge dcn canada': 755500, 'amex': 52354, 'close our': 182750, 'our gym': 623332, 'gym of': 369336, 'of 16': 579368, '16 20': 4061, '20 our': 13234, 'store of': 809142, 'of 22': 579520, '20 due': 13043, 'the ny': 861993, 'ny mandate': 577895, 'mandate because': 512992, 'virus our': 958579, 'our main': 623834, 'main source': 508816, 'income will': 432498, 'will amex': 992280, 'amex help': 52357, 'my bill': 547449, 'bill due': 130557, 'due today': 262040, 'today cannot': 919362, 'through to': 894860, 'to amex': 900424, 'amex by': 52355, 'by fb': 152559, 'fb or': 300661, 'or phone': 616599, 'phone amp': 654878, 'we had to': 971726, 'to close our': 902891, 'close our gym': 182752, 'our gym of': 623333, 'gym of 16': 369337, 'of 16 20': 579369, '16 20 our': 4062, '20 our retail': 13235, 'retail store of': 718670, 'store of 22': 809143, 'of 22 20': 579521, '22 20 due': 15162, '20 due to': 13044, 'to the ny': 916911, 'the ny mandate': 861997, 'ny mandate because': 577896, 'mandate because of': 512993, '19 virus our': 11825, 'virus our main': 958581, 'our main source': 623840, 'main source of': 508817, 'of income will': 585075, 'income will amex': 432499, 'will amex help': 992281, 'amex help my': 52358, 'help my bill': 390119, 'my bill due': 547452, 'bill due today': 130559, 'due today cannot': 262041, 'today cannot get': 919363, 'cannot get through': 161912, 'get through to': 348442, 'through to amex': 894862, 'to amex by': 900425, 'amex by fb': 52356, 'by fb or': 152560, 'fb or phone': 300662, 'or phone amp': 616600, 'released data': 709032, 'data on': 226318, 'the six': 867287, 'six stage': 772687, 'stage of': 793202, 'behavior during': 124006, 'during including': 262720, 'including prediction': 432114, 'for what': 327790, 'what coming': 981233, 'coming next': 188148, 'next great': 561385, 'released data on': 709033, 'data on the': 226326, 'on the six': 604367, 'the six stage': 867290, 'six stage of': 772688, 'stage of consumer': 793204, 'of consumer behavior': 581712, 'consumer behavior during': 196468, 'behavior during including': 124009, 'during including prediction': 262721, 'including prediction for': 432115, 'prediction for what': 669664, 'for what coming': 327795, 'what coming next': 981234, 'coming next great': 188149, 'next great insight': 561387, 'thug': 895280, '7k': 22473, 'skyrocketed': 773346, 'original': 619550, 'once again': 605555, 'again citizen': 36947, 'citizen of': 178934, 'of pakistan': 587670, 'pakistan look': 634470, 'look up': 502649, 'state for': 795586, 'for public': 324851, 'health facility': 386425, 'facility during': 295325, 'during while': 263411, 'the private': 864482, 'private sector': 678973, 'sector continues': 744142, 'to thug': 917568, 'thug common': 895283, 'common man': 189407, 'man charging': 512024, 'charging 5k': 173449, '5k to': 20719, 'to 7k': 899841, '7k for': 22476, 'for simple': 325628, 'simple test': 770110, 'while hand': 986898, 'price skyrocketed': 676442, 'skyrocketed to': 773390, 'to 300': 899673, '300 of': 17335, 'the original': 862482, 'original price': 619579, 'once again citizen': 605560, 'again citizen of': 36948, 'citizen of pakistan': 178938, 'of pakistan look': 587677, 'pakistan look up': 634471, 'look up to': 502652, 'to the state': 917091, 'the state for': 867774, 'state for public': 795590, 'for public health': 324853, 'public health facility': 688067, 'health facility during': 386428, 'facility during while': 295327, 'during while the': 263412, 'while the private': 987410, 'the private sector': 864489, 'private sector continues': 678976, 'sector continues to': 744143, 'continues to thug': 201504, 'to thug common': 917569, 'thug common man': 895284, 'common man charging': 189410, 'man charging 5k': 512025, 'charging 5k to': 173450, '5k to 7k': 20720, 'to 7k for': 899842, '7k for simple': 22477, 'for simple test': 325629, 'simple test while': 770111, 'test while hand': 839237, 'while hand sanitizer': 986899, 'and mask price': 66760, 'mask price skyrocketed': 519150, 'price skyrocketed to': 676448, 'skyrocketed to 300': 773391, 'to 300 of': 899678, '300 of the': 17336, 'of the original': 591304, 'the original price': 862490, 'paper do': 640096, 'we really': 973017, 'need klopapier': 555135, 'klopapier toiletpaper': 475933, 'toilet paper do': 921257, 'paper do we': 640099, 'do we really': 250483, 'we really need': 973026, 'really need klopapier': 702438, 'need klopapier toiletpaper': 555136, 'socialdistanacing should': 780090, 'should people': 766316, 'sell grocery': 748747, 'grocery at': 364284, 'over inflated': 630322, 'price online': 675746, 'panicbuyinguk socialdistanacing should': 639168, 'socialdistanacing should people': 780093, 'should people be': 766317, 'people be allowed': 647222, 'allowed to sell': 46246, 'to sell grocery': 914154, 'sell grocery at': 748748, 'grocery at over': 364286, 'at over inflated': 100050, 'over inflated price': 630323, 'inflated price online': 437060, 'protips': 685967, 'out protips': 627074, 'protips for': 685968, 'for avoiding': 319541, 'check out protips': 174572, 'out protips for': 627075, 'protips for avoiding': 685969, 'for avoiding scam': 319544, 'evidenced': 288404, 'barren': 111307, 'georgian': 346055, 'evidenced by': 288405, 'by barren': 151931, 'barren grocery': 111310, 'growing line': 367209, 'at nonprofit': 99901, 'nonprofit food': 566681, 'bank georgian': 109861, 'georgian are': 346056, 'are increasingly': 87498, 'increasingly anxious': 433755, 'anxious about': 78826, 'the possibility': 864068, 'possibility they': 665555, 'could go': 209214, 'go hungry': 353688, 'hungry during': 411240, 'via government': 956001, 'evidenced by barren': 288406, 'by barren grocery': 151932, 'barren grocery store': 111311, 'store shelf and': 810057, 'shelf and growing': 756734, 'and growing line': 64013, 'growing line at': 367210, 'line at nonprofit': 492987, 'at nonprofit food': 99902, 'nonprofit food bank': 566682, 'food bank georgian': 313577, 'bank georgian are': 109862, 'georgian are increasingly': 346057, 'are increasingly anxious': 87500, 'increasingly anxious about': 433756, 'anxious about the': 78830, 'about the possibility': 26480, 'the possibility they': 864071, 'possibility they could': 665556, 'they could go': 881829, 'could go hungry': 209218, 'go hungry during': 353690, 'hungry during the': 411243, 'crisis via government': 218315, 'speechless': 788415, 'brooklyn': 140968, 'burn': 142889, 'tie': 895730, 'am speechless': 50420, 'speechless at': 788418, 'this act': 886185, 'act this': 29792, 'this brooklyn': 886617, 'brooklyn bodega': 140975, 'bodega is': 133785, 'offering 10': 594994, '20 off': 13206, 'off all': 593617, 'item much': 463464, 'much respect': 545281, 'respect to': 715078, 'doing this': 252754, 'this others': 889299, 'others note': 621552, 'note do': 572718, 'not burn': 568635, 'burn tie': 142898, 'tie with': 895752, 'make money': 510178, 'money quickly': 536989, 'quickly by': 694489, 'by price': 153652, 'will bite': 992832, 'bite you': 131884, 'the as': 848947, 'as nyclockdown': 94784, 'am speechless at': 50421, 'speechless at this': 788419, 'at this act': 101221, 'this act this': 886188, 'act this brooklyn': 29793, 'this brooklyn bodega': 886618, 'brooklyn bodega is': 140976, 'bodega is offering': 133786, 'is offering 10': 450414, 'offering 10 20': 594995, '10 20 off': 1250, '20 off all': 13207, 'off all food': 593620, 'all food item': 42815, 'food item much': 315217, 'item much respect': 463465, 'much respect to': 545282, 'respect to you': 715086, 'for doing this': 320806, 'doing this others': 252769, 'this others note': 889301, 'others note do': 621553, 'note do not': 572720, 'do not burn': 249687, 'not burn tie': 568636, 'burn tie with': 142899, 'tie with customer': 895753, 'customer who try': 223084, 'try to make': 934639, 'to make money': 909696, 'make money quickly': 510189, 'money quickly by': 536990, 'quickly by price': 694490, 'by price gouging': 153653, 'gouging it will': 359373, 'it will bite': 462378, 'will bite you': 992833, 'bite you in': 131885, 'in the as': 428989, 'the as nyclockdown': 848952, 'yoursafetyismysafety': 1026492, 'forqatarstayhome': 329752, 'moci': 535121, 'food commodity': 313971, 'commodity stock': 189309, 'stock enough': 802082, 'than year': 841479, 'year minister': 1014748, 'minister yoursafetyismysafety': 533505, 'yoursafetyismysafety qatar': 1026494, 'qatar forqatarstayhome': 691489, 'forqatarstayhome moci': 329753, 'food commodity stock': 313979, 'commodity stock enough': 189310, 'stock enough for': 802084, 'enough for more': 277436, 'for more than': 323600, 'more than year': 540701, 'than year minister': 841481, 'year minister yoursafetyismysafety': 1014750, 'minister yoursafetyismysafety qatar': 533506, 'yoursafetyismysafety qatar forqatarstayhome': 1026495, 'qatar forqatarstayhome moci': 691490, 'livestreaming': 496292, 'taobao': 834301, 'persist': 652255, 'ailbaba': 39522, 'jeffclass': 465027, 'jeffsasiatechclass': 465044, 'my podcast': 549798, 'podcast talk': 662310, 'talk on': 833831, 'the rush': 866083, 'to livestreaming': 909358, 'livestreaming and': 496294, 'and taobao': 73024, 'taobao live': 834309, 'live during': 495792, 'during and': 262448, 'to persist': 911672, 'persist ailbaba': 652258, 'ailbaba taobao': 39523, 'taobao china': 834304, 'china digital': 176613, 'digital strategy': 242652, 'strategy jeffclass': 812671, 'jeffclass jeffsasiatechclass': 465028, 'my podcast talk': 549800, 'podcast talk on': 662312, 'talk on the': 833834, 'on the rush': 604340, 'the rush to': 866088, 'rush to livestreaming': 728344, 'to livestreaming and': 909359, 'livestreaming and taobao': 496295, 'and taobao live': 73025, 'taobao live during': 834310, 'live during and': 495793, 'during and why': 262460, 'and why this': 75636, 'going to persist': 355668, 'to persist ailbaba': 911673, 'persist ailbaba taobao': 652259, 'ailbaba taobao china': 39524, 'taobao china digital': 834306, 'china digital strategy': 176614, 'digital strategy jeffclass': 242653, 'strategy jeffclass jeffsasiatechclass': 812672, 'hcws': 384672, 'brave': 138205, 'safeguarding': 730230, 'minority': 533641, 'misleading': 534088, 'of hcws': 584492, 'hcws response': 384677, '19 brave': 5435, 'brave and': 138206, 'and selfless': 71208, 'selfless front': 748527, 'line hcws': 493156, 'hcws are': 384673, 'making sacrifice': 511318, 'sacrifice to': 729114, 'moment through': 536074, 'through safeguarding': 894651, 'safeguarding our': 730233, 'life minority': 488879, 'minority of': 533646, 'hcws exploit': 384675, 'through charging': 894363, 'charging excessive': 173467, 'or making': 616044, 'making misleading': 511219, 'misleading claim': 534091, 'claim about': 179682, 'about their': 26573, 'their product': 874462, 'tale of hcws': 833701, 'of hcws response': 584494, 'hcws response to': 384678, 'covid 19 brave': 212725, '19 brave and': 5436, 'brave and selfless': 138207, 'and selfless front': 71209, 'selfless front line': 748528, 'front line hcws': 338579, 'line hcws are': 493157, 'hcws are making': 384674, 'are making sacrifice': 88002, 'making sacrifice to': 511320, 'sacrifice to meet': 729117, 'meet the moment': 527604, 'the moment through': 860785, 'moment through safeguarding': 536076, 'through safeguarding our': 894652, 'safeguarding our life': 730234, 'our life minority': 623728, 'life minority of': 488880, 'minority of hcws': 533647, 'of hcws exploit': 584493, 'hcws exploit the': 384676, 'exploit the moment': 292365, 'moment through charging': 536075, 'through charging excessive': 894364, 'charging excessive price': 173468, 'excessive price or': 289408, 'price or making': 675783, 'or making misleading': 616046, 'making misleading claim': 511220, 'misleading claim about': 534092, 'claim about their': 179685, 'about their product': 26590, 'gurugram': 368840, 'assures': 97135, 'guru': 368829, 'gram': 361817, 'defeat': 232036, 'gurugram assures': 368841, 'assures people': 97142, 'of guru': 584396, 'guru gram': 368834, 'gram that': 361835, 'amp grocery': 53888, 'item people': 463550, 'need not': 555306, 'panic but': 637442, 'but stay': 147145, 'stay indoors': 797070, 'indoors to': 435431, 'to defeat': 904053, 'defeat covid': 232039, '19 maintain': 8513, 'maintain social': 509031, 'other safeguard': 620867, 'safeguard news': 730208, 'gurugram assures people': 368842, 'assures people of': 97143, 'people of guru': 648917, 'of guru gram': 584397, 'guru gram that': 368835, 'gram that we': 361836, 'we have enough': 971807, 'have enough stock': 380467, 'of food amp': 583643, 'food amp grocery': 313136, 'amp grocery item': 53889, 'grocery item people': 364660, 'item people need': 463555, 'people need not': 648833, 'need not panic': 555308, 'not panic but': 570898, 'panic but stay': 637451, 'but stay indoors': 147147, 'stay indoors to': 797082, 'indoors to defeat': 435432, 'to defeat covid': 904055, 'defeat covid 19': 232040, 'covid 19 maintain': 213390, '19 maintain social': 8514, 'maintain social distancing': 509033, 'distancing and other': 246985, 'and other safeguard': 68398, 'other safeguard news': 620868, 'comfortably': 187883, 'hour earlier': 405558, 'earlier than': 264485, 'usual so': 951021, 'so elderly': 776940, 'disabled customer': 243895, 'customer could': 222276, 'could shop': 209671, 'shop comfortably': 760059, 'comfortably without': 187888, 'an hour earlier': 56080, 'hour earlier than': 405560, 'earlier than usual': 264486, 'than usual so': 841399, 'usual so elderly': 951022, 'so elderly and': 776941, 'and disabled customer': 61391, 'disabled customer could': 243898, 'customer could shop': 222279, 'could shop comfortably': 209672, 'shop comfortably without': 760060, 'comfortably without the': 187889, 'without the shopping': 1002978, 'the shopping frenzy': 867062, 'dunnes': 262304, 'leo': 486383, 'varadkars': 952512, 'repeat': 711500, 'dystopia': 263939, 'dunnes supermarket': 262307, 'have few': 380607, 'few line': 303901, 'of leo': 585781, 'leo varadkars': 486392, 'varadkars covid': 952513, '19 message': 8637, 'message on': 529378, 'on repeat': 603150, 'repeat dystopia': 711509, 'dunnes supermarket have': 262308, 'supermarket have few': 820685, 'have few line': 380612, 'few line of': 303902, 'line of leo': 493305, 'of leo varadkars': 585782, 'leo varadkars covid': 486393, 'varadkars covid 19': 952514, 'covid 19 message': 213429, '19 message on': 8639, 'message on repeat': 529383, 'on repeat dystopia': 603151, '851': 22945, 'pennsylvanian': 646595, 'measured': 525441, 'pa update': 632896, 'update to': 947268, 'date there': 226738, 'are 851': 84145, '851 confirmed': 22946, 'confirmed covid': 194149, 'in pennsylvania': 426576, 'pennsylvania state': 646578, 'state official': 795827, 'are urging': 91392, 'urging pennsylvanian': 948440, 'pennsylvanian to': 646600, 'more measured': 539764, 'measured in': 525448, 'shopping stay': 763967, 'stay with': 797401, 'pa update to': 632897, 'update to date': 947269, 'to date there': 903944, 'date there are': 226739, 'there are 851': 878057, 'are 851 confirmed': 84146, '851 confirmed covid': 22947, 'confirmed covid 19': 194150, 'case in pennsylvania': 165806, 'in pennsylvania state': 426580, 'pennsylvania state official': 646579, 'state official are': 795828, 'official are urging': 595759, 'are urging pennsylvanian': 91393, 'urging pennsylvanian to': 948441, 'pennsylvanian to be': 646601, 'be more measured': 115984, 'more measured in': 539765, 'measured in their': 525449, 'in their grocery': 429745, 'their grocery shopping': 873450, 'grocery shopping stay': 365084, 'shopping stay with': 763969, 'retaliation': 719621, 'tariff': 834587, 'store relatively': 809791, 'relatively young': 708790, 'young customer': 1022584, 'customer just': 222554, 'just told': 470117, 'told me': 923601, 'is chinese': 446523, 'chinese attack': 177195, 'attack in': 102117, 'in retaliation': 427475, 'retaliation for': 719622, 'the tariff': 869153, 'tariff we': 834626, 'we put': 972788, 'put on': 690710, 'on them': 604524, 'them what': 876600, 'the fuck': 855954, 'fuck is': 339587, 'america and': 51447, 'and american': 58064, 'american medium': 52089, 'grocery store relatively': 365711, 'store relatively young': 809792, 'relatively young customer': 708791, 'young customer just': 1022585, 'customer just told': 222559, 'just told me': 470121, 'told me is': 923610, 'me is chinese': 522996, 'is chinese attack': 446524, 'chinese attack in': 177196, 'attack in retaliation': 102120, 'in retaliation for': 427476, 'retaliation for the': 719623, 'for the tariff': 326717, 'the tariff we': 869155, 'tariff we put': 834628, 'we put on': 972791, 'put on them': 690729, 'on them what': 604545, 'them what the': 876602, 'what the fuck': 982318, 'the fuck is': 855968, 'fuck is wrong': 339595, 'wrong with america': 1013149, 'with america and': 997185, 'america and american': 51448, 'and american medium': 58067, 'do if': 249412, 'buy top': 149390, 'or if': 615713, 'the meter': 860541, 'meter itself': 529723, 'what to do': 982453, 'to do if': 904521, 'do if you': 249419, 'go to shop': 354356, 'to shop to': 914496, 'shop to buy': 760941, 'to buy top': 902326, 'buy top up': 149391, 'top up or': 925751, 'up or if': 945682, 'or if you': 615724, 'to the meter': 916879, 'the meter itself': 860543, 'gfc': 349508, 'fintech': 308014, 'australia can': 103245, 'lose consumer': 503429, 'consumer choice': 196791, 'choice under': 177820, 'the cover': 852223, 'cover of': 212266, '19 during': 6673, 'the gfc': 856247, 'gfc competition': 349511, 'competition reduced': 191735, 'reduced and': 706027, 'want covid': 965755, 'kill competition': 474364, 'competition especially': 191695, 'especially new': 280549, 'new idea': 558903, 'idea coming': 413029, 'the fintech': 855256, 'fintech sector': 308029, 'sector my': 744271, 'my comment': 547752, 'comment in': 188422, 'australia can afford': 103246, 'can afford to': 157411, 'afford to lose': 34801, 'to lose consumer': 909457, 'lose consumer choice': 503430, 'consumer choice under': 196797, 'choice under the': 177821, 'under the cover': 940296, 'the cover of': 852224, 'cover of covid': 212268, 'covid 19 during': 212993, '19 during the': 6676, 'during the gfc': 263132, 'the gfc competition': 856248, 'gfc competition reduced': 349513, 'competition reduced and': 191736, 'reduced and don': 706028, 'and don want': 61644, 'don want covid': 254038, 'want covid 19': 965756, '19 to kill': 11438, 'to kill competition': 908923, 'kill competition especially': 474365, 'competition especially new': 191696, 'especially new idea': 280550, 'new idea coming': 558905, 'idea coming from': 413030, 'from the fintech': 337700, 'the fintech sector': 855257, 'fintech sector my': 308030, 'sector my comment': 744272, 'my comment in': 547753, 'comment in the': 188423, 'publicly available': 688575, 'available tool': 104673, 'tool help': 925419, 'help company': 389502, 'company spot': 191102, 'spot pattern': 790092, 'one country': 606125, 'country or': 210943, 'or region': 616826, 'region that': 707466, 'likely repeat': 492091, 'repeat elsewhere': 711510, 'publicly available tool': 688576, 'available tool help': 104674, 'tool help company': 925420, 'help company spot': 389506, 'company spot pattern': 191103, 'spot pattern in': 790093, 'pattern in one': 644474, 'in one country': 426140, 'one country or': 606126, 'country or region': 210946, 'or region that': 616827, 'region that will': 707468, 'that will likely': 847590, 'will likely repeat': 994010, 'likely repeat elsewhere': 492092, 'paper the': 640871, 'spread this': 790833, 'this consumer': 886841, 'behavior expert': 124030, 'expert explains': 291832, 'explains the': 292227, 'chaos we': 173073, 'seeing in': 746332, 'supermarket more': 821533, 'why are people': 990780, 'are people panic': 89044, 'toilet paper the': 921484, 'paper the spread': 640880, 'the spread this': 867641, 'spread this consumer': 790834, 'this consumer behavior': 886842, 'consumer behavior expert': 196474, 'behavior expert explains': 124032, 'expert explains the': 291833, 'explains the chaos': 292231, 'the chaos we': 850695, 'chaos we re': 173075, 'we re seeing': 972958, 're seeing in': 699457, 'seeing in supermarket': 746337, 'in supermarket more': 428632, 'supermarket more via': 821535, 'govindmilk': 361044, 'happymakers': 377772, 'dailyessentials': 224910, 'value to': 952219, 'farmer and': 299250, 'consumer always': 196175, 'always we': 49794, 'safely deliver': 730271, 'deliver your': 233272, 'your most': 1024888, 'most essential': 542299, 'essential daily': 280959, 'daily product': 224753, 'product milk': 681409, 'milk for': 531676, 'the well': 871376, 'of both': 580791, 'both our': 135997, 'and workforce': 75887, 'workforce govindmilk': 1008361, 'govindmilk happymakers': 361045, 'happymakers dailyessentials': 377773, 'dailyessentials lockdown': 224911, 'value to the': 952225, 'to the farmer': 916700, 'the farmer and': 854943, 'farmer and quality': 299260, 'and quality to': 69851, 'quality to the': 691863, 'the consumer always': 851491, 'consumer always we': 196176, 'always we will': 49795, 'continue to safely': 201248, 'to safely deliver': 913714, 'safely deliver your': 730272, 'deliver your most': 233275, 'your most essential': 1024889, 'most essential daily': 542300, 'essential daily product': 280960, 'daily product milk': 224754, 'product milk for': 681410, 'milk for the': 531677, 'for the well': 326777, 'the well being': 871377, 'being of both': 125464, 'of both our': 580795, 'both our consumer': 135998, 'our consumer and': 622519, 'consumer and workforce': 196254, 'and workforce govindmilk': 75888, 'workforce govindmilk happymakers': 1008362, 'govindmilk happymakers dailyessentials': 361046, 'happymakers dailyessentials lockdown': 377774, 'itapema': 462977, 'sc': 739840, 'coro': 203765, 'grocery we': 366113, 'we ordered': 972660, 'ordered online': 618879, 'online just': 608452, 'just shutdown': 469798, 'shutdown it': 768052, 'it online': 460078, 'are huge': 87257, 'huge line': 410086, 'line on': 493322, 'store police': 809605, 'police on': 663136, 'on street': 603711, 'in itapema': 424324, 'itapema sc': 462978, 'sc making': 739850, 'sure people': 827651, 'people stay': 649555, 'home police': 401877, 'police here': 663051, 'here closing': 392873, 'store coro': 807172, 'the grocery we': 856834, 'grocery we ordered': 366117, 'we ordered online': 972664, 'ordered online just': 618883, 'online just shutdown': 608454, 'just shutdown it': 469799, 'shutdown it online': 768053, 'it online store': 460087, 'online store there': 609475, 'store there are': 810646, 'there are huge': 878114, 'are huge line': 87259, 'huge line on': 410090, 'line on all': 493323, 'all grocery store': 43012, 'grocery store police': 365667, 'store police on': 809609, 'police on street': 663137, 'on street in': 603715, 'street in itapema': 812997, 'in itapema sc': 424325, 'itapema sc making': 462979, 'sc making sure': 739851, 'making sure people': 511387, 'sure people stay': 827658, 'people stay at': 649556, 'at home police': 99084, 'home police here': 401878, 'police here closing': 663052, 'here closing all': 392874, 'all store coro': 44492, 'hook': 403339, 'dirty': 243724, 'like need': 490842, 'take sign': 832583, 'sign to': 769239, 'to hook': 907957, 'hook on': 403342, 'trolley to': 932486, 'stop dirty': 804607, 'dirty look': 243758, 'look not': 502542, 'not hoarder': 569991, 'hoarder shopping': 399102, 'several elderly': 753829, 'elderly family': 270671, 'and neighbour': 67510, 'neighbour in': 557218, 'in self': 427782, 'isolation am': 455184, 'am putting': 50329, 'putting it': 691151, 'it off': 459983, 'off long': 593956, 'long possible': 501564, 'possible 19': 665560, 'feel like need': 302732, 'like need to': 490843, 'to take sign': 916235, 'take sign to': 832584, 'sign to hook': 769241, 'to hook on': 907958, 'hook on my': 403343, 'on my supermarket': 602323, 'my supermarket trolley': 550285, 'supermarket trolley to': 823569, 'trolley to stop': 932491, 'to stop dirty': 915514, 'stop dirty look': 804608, 'dirty look not': 243762, 'look not hoarder': 502543, 'not hoarder shopping': 569992, 'hoarder shopping for': 399103, 'shopping for several': 762709, 'for several elderly': 325514, 'several elderly family': 753830, 'elderly family and': 270672, 'family and neighbour': 297596, 'and neighbour in': 67511, 'neighbour in self': 557219, 'in self isolation': 427783, 'self isolation am': 747752, 'isolation am putting': 455185, 'am putting it': 50330, 'putting it off': 691156, 'it off long': 459986, 'off long possible': 593957, 'long possible 19': 501565, 'valet': 951900, 'there grocery': 878442, 'store valet': 811037, 'valet in': 951901, 'my building': 547570, 'building watching': 142151, 'the valet': 870630, 'valet taking': 951903, 'taking cart': 833299, 'cart from': 165307, 'people parking': 649075, 'parking people': 642114, 'people car': 647443, 'etc with': 282897, 'no glove': 564352, 'glove on': 352816, 'on not': 602440, 'sanitizer etc': 734826, 'there grocery store': 878443, 'grocery store valet': 365908, 'store valet in': 811038, 'valet in front': 951902, 'front of my': 338645, 'of my building': 586736, 'my building watching': 547572, 'building watching the': 142152, 'watching the valet': 968806, 'the valet taking': 870631, 'valet taking cart': 951904, 'taking cart from': 833300, 'cart from people': 165308, 'from people parking': 336888, 'people parking people': 649076, 'parking people car': 642115, 'people car etc': 647444, 'car etc with': 163078, 'etc with no': 282899, 'with no glove': 999756, 'no glove on': 564357, 'glove on not': 352823, 'on not using': 602442, 'not using hand': 572376, 'hand sanitizer etc': 375387, 'unavailability': 939435, 'food hoarding': 314822, 'hoarding and': 399174, 'and unavailability': 74593, 'unavailability in': 939438, 'panic can': 637990, 'ask to': 95652, 'bring emergency': 139965, 'ration to': 697742, 'to lasvegas': 909081, 'lasvegas people': 480813, 'most others': 542593, 'others have': 621442, 'have just': 381196, 'just enough': 468673, 'wait out': 964170, 'lockdown or': 499745, 'or confinement': 614789, 'with food hoarding': 998491, 'food hoarding and': 314823, 'hoarding and unavailability': 399193, 'and unavailability in': 74594, 'unavailability in store': 939439, 'in store due': 428407, 'to panic can': 911392, 'panic can you': 637993, 'can you ask': 160276, 'you ask to': 1017320, 'ask to bring': 95654, 'to bring emergency': 902036, 'bring emergency food': 139966, 'food ration to': 316123, 'ration to lasvegas': 697744, 'to lasvegas people': 909082, 'lasvegas people need': 480814, 'people need food': 648821, 'need food and': 554787, 'food and most': 313287, 'and most others': 67272, 'most others have': 542594, 'others have just': 621449, 'have just enough': 381205, 'just enough to': 468674, 'enough to wait': 277729, 'to wait out': 918269, 'wait out the': 964171, 'out the lockdown': 627387, 'the lockdown or': 859622, 'lockdown or confinement': 499746, 'apr': 83354, '1203': 3035, '1182': 2691, '840': 22884, '646': 21322, 'atnix': 101987, 'trending australian': 931530, 'australian news': 103511, 'news story': 560830, 'for 13': 318648, '13 apr': 3182, 'apr 2020': 83362, '2020 1203': 14090, '1203 tweet': 3036, 'tweet 1182': 936306, '1182 tweet': 2692, 'tweet 840': 936321, '840 tweet': 22885, 'tweet 646': 936319, '646 tweet': 21323, 'tweet 621': 936317, '621 tweet': 21242, 'tweet atnix': 936347, 'trending australian news': 931531, 'australian news story': 103512, 'news story for': 560833, 'story for 13': 811973, 'for 13 apr': 318649, '13 apr 2020': 3183, 'apr 2020 1203': 83363, '2020 1203 tweet': 14091, '1203 tweet 1182': 3037, 'tweet 1182 tweet': 936307, '1182 tweet 840': 2693, 'tweet 840 tweet': 936322, '840 tweet 646': 22886, 'tweet 646 tweet': 936320, '646 tweet 621': 21324, 'tweet 621 tweet': 936318, '621 tweet atnix': 21243, 'ya': 1013960, 'who employer': 988689, 'employer don': 274506, 'don care': 253417, 're forced': 698700, 'come into': 187384, 'into work': 443300, 'job keep': 465935, 'keep pharmacy': 471790, 'pharmacy open': 654392, 'and close': 59997, 'health matter': 386626, 'matter too': 520642, 'too ya': 925182, 'ya know': 1014005, 'so what about': 778710, 'what about retail': 980990, 'about retail worker': 26098, 'retail worker who': 718906, 'worker who employer': 1008209, 'who employer don': 988690, 'employer don care': 274507, 'don care and': 253419, 'care and we': 163849, 'we re forced': 972878, 're forced to': 698702, 'forced to come': 328623, 'to come into': 903035, 'come into work': 187396, 'into work in': 443305, 'work in order': 1005333, 'order to keep': 618689, 'keep our job': 471736, 'our job keep': 623600, 'job keep pharmacy': 465936, 'keep pharmacy open': 471791, 'pharmacy open and': 654393, 'open and close': 612052, 'and close the': 60003, 'close the store': 182848, 'the store cashier': 867993, 'cashier and our': 166459, 'and our health': 68492, 'our health matter': 623376, 'health matter too': 386627, 'matter too ya': 520644, 'too ya know': 925183, 'motto': 543370, 'goodbye': 357989, 'fuckyoucorona': 340093, 'new motto': 559118, 'motto now': 543375, 'now until': 576269, 'coronavirus pass': 206536, 'pass goodbye': 643204, 'goodbye online': 357998, 'now fuckyoucorona': 574757, 'new motto now': 559120, 'motto now until': 543376, 'now until the': 576270, 'until the coronavirus': 943849, 'the coronavirus pass': 851891, 'coronavirus pass goodbye': 206537, 'pass goodbye online': 643205, 'goodbye online shopping': 357999, 'shopping for now': 762700, 'for now fuckyoucorona': 323968, 'doubt': 256180, 'ah': 39087, 'bye': 154798, 'jhoots': 465434, 'you prove': 1020478, 'prove beyond': 686100, 'beyond doubt': 129160, 'doubt that': 256214, 'no management': 564694, 'management had': 512572, 'had given': 373137, 'given instruction': 351027, 'instruction to': 440573, 'to introduce': 908468, 'introduce high': 443384, 'they seemed': 883301, 'to apply': 900651, 'entire store': 278746, 'store ah': 806103, 'ah no': 39092, 'in answering': 420412, 'answering that': 78210, 'get off': 347681, 'street before': 812923, '19 hit': 7541, 'hit bye': 398191, 'bye jhoots': 154807, 'can you prove': 160326, 'you prove beyond': 1020479, 'prove beyond doubt': 686101, 'beyond doubt that': 129161, 'doubt that no': 256217, 'that no management': 845360, 'no management had': 564695, 'management had given': 512573, 'had given instruction': 373138, 'given instruction to': 351028, 'instruction to introduce': 440574, 'to introduce high': 908469, 'introduce high price': 443385, 'high price they': 395283, 'price they seemed': 676900, 'they seemed to': 883304, 'seemed to apply': 746727, 'to apply to': 900660, 'apply to the': 82621, 'to the entire': 916675, 'the entire store': 854367, 'entire store ah': 278747, 'store ah no': 806104, 'ah no point': 39093, 'point in answering': 662514, 'in answering that': 420413, 'answering that you': 78211, 'that you will': 847753, 'you will get': 1022336, 'will get off': 993515, 'get off the': 347684, 'off the high': 594247, 'high street before': 395429, 'street before covid': 812924, 'covid 19 hit': 213210, '19 hit bye': 7542, 'hit bye jhoots': 398192, 'repair': 711448, 'apple confirms': 82316, 'confirms device': 194232, 'device left': 239915, 'for repair': 325129, 'repair at': 711453, 'be picked': 116411, 'up due': 944747, 'apple confirms device': 82317, 'confirms device left': 194233, 'device left for': 239917, 'left for repair': 485468, 'for repair at': 325130, 'repair at retail': 711454, 'retail store can': 718621, 'store can be': 806849, 'can be picked': 157662, 'be picked up': 116412, 'picked up due': 655812, 'up due to': 944748, 'buy set': 149163, 'of 24': 579530, '24 pack': 15671, 'paper roll': 640685, 'roll it': 725357, 'it make': 459507, 'many asshole': 513801, 'have stoppanicbuying': 382783, 'people still buy': 649585, 'still buy set': 800317, 'buy set of': 149164, 'set of 24': 753439, 'of 24 pack': 579532, '24 pack of': 15672, 'toilet paper roll': 921424, 'paper roll it': 640691, 'roll it make': 725360, 'it make you': 459520, 'you wonder how': 1022408, 'how many asshole': 408244, 'many asshole people': 513802, 'asshole people think': 96546, 'think they have': 885681, 'they have stoppanicbuying': 882382, 'haborfreight': 372725, 'carol': 164816, 'burnett': 142917, 'quarantine lockdown': 692348, 'lockdown toiletpaper': 500064, 'tp haborfreight': 927824, 'haborfreight toilet': 372726, 'toilet tissue': 921634, 'tissue from': 899149, 'the carol': 850435, 'carol burnett': 164817, 'burnett show': 142920, 'show full': 766957, 'full sketch': 340887, 'sketch via': 772895, 'quarantine lockdown toiletpaper': 692351, 'lockdown toiletpaper tp': 500067, 'toiletpaper tp haborfreight': 922748, 'tp haborfreight toilet': 927825, 'haborfreight toilet tissue': 372727, 'toilet tissue from': 921638, 'tissue from the': 899150, 'from the carol': 337628, 'the carol burnett': 850436, 'carol burnett show': 164819, 'burnett show full': 142921, 'show full sketch': 766958, 'full sketch via': 340888, 'aljazeera': 41868, 'aljazeera reporting': 41869, 'reporting uk': 712780, 'uk household': 938458, 'household have': 406828, 'have bought': 379823, 'bought an': 136496, 'extra billion': 293458, 'dollar of': 253043, 'buying epidemic': 150228, 'epidemic we': 279469, 'experiencing industry': 291672, 'industry say': 436086, 'supply just': 825477, 'just glut': 468822, 'glut of': 353106, 'aljazeera reporting uk': 41870, 'reporting uk household': 712781, 'uk household have': 938459, 'household have bought': 406829, 'have bought an': 379825, 'bought an extra': 136498, 'an extra billion': 56009, 'extra billion dollar': 293460, 'billion dollar of': 130806, 'dollar of food': 253044, 'supply during the': 825196, 'during the panic': 263169, 'panic buying epidemic': 637717, 'buying epidemic we': 150229, 'epidemic we are': 279470, 'we are experiencing': 970552, 'are experiencing industry': 86346, 'experiencing industry say': 291673, 'industry say there': 436088, 'are no shortage': 88281, 'shortage of supply': 765137, 'of supply just': 590487, 'supply just glut': 825478, 'just glut of': 468823, 'glut of over': 353108, 'of over buying': 587621, 'memo': 528396, 'supermarket didn': 819959, 'didn get': 241065, 'the memo': 860465, 'memo about': 528397, 'supermarket didn get': 819960, 'didn get the': 241069, 'get the memo': 348266, 'the memo about': 860466, 'memo about in': 528398, '2p': 16824, '11a': 2707, 'pt': 687600, 'today join': 919753, 'join consumer': 466694, 'advocate and': 33820, 'and expert': 62504, 'and policy': 69164, 'policy for': 663407, 'for on': 324062, 'on relief': 603135, 'relief online': 709405, 'or via': 617663, 'via telephone': 956287, 'telephone at': 836800, 'at 2p': 97576, '2p et': 16825, 'et 11a': 282343, '11a pt': 2712, 'today join consumer': 919754, 'join consumer advocate': 466695, 'consumer advocate and': 196064, 'advocate and expert': 33821, 'and expert from': 62505, 'expert from and': 291844, 'from and policy': 334522, 'and policy for': 69166, 'policy for on': 663411, 'for on relief': 324067, 'on relief online': 603137, 'relief online or': 709406, 'online or via': 608672, 'or via telephone': 617666, 'via telephone at': 956288, 'telephone at 2p': 836801, 'at 2p et': 97577, '2p et 11a': 16826, 'et 11a pt': 282344, 'mecklenburg': 525864, 'pantry across': 639506, 'across mecklenburg': 29385, 'mecklenburg county': 525865, 'county will': 211535, 'will stay': 994958, 'open throughout': 612580, 'order which': 618771, 'which start': 986333, 'start at': 794207, 'at thursday': 101275, 'thursday many': 895395, 'many pantry': 514471, 'pantry are': 639526, 'now supporting': 575943, 'supporting double': 827124, 'double normal': 256029, 'normal demand': 567134, 'demand because': 235059, 'food pantry across': 315764, 'pantry across mecklenburg': 639508, 'across mecklenburg county': 29386, 'mecklenburg county will': 525866, 'county will stay': 211537, 'will stay open': 994964, 'stay open throughout': 797164, 'open throughout the': 612581, 'throughout the stay': 894984, 'home order which': 401786, 'order which start': 618773, 'which start at': 986334, 'start at thursday': 794214, 'at thursday many': 101276, 'thursday many pantry': 895396, 'many pantry are': 514472, 'pantry are now': 639534, 'are now supporting': 88601, 'now supporting double': 575944, 'supporting double normal': 827125, 'double normal demand': 256030, 'normal demand because': 567135, 'demand because of': 235060, 'psa': 687391, 'lather': 481629, 'psa wash': 687446, 'hand be': 374821, 'be sure': 117469, 'to lather': 909087, 'lather with': 481630, 'second if': 743742, 'find water': 307373, 'an antimicrobial': 55338, 'antimicrobial hand': 78533, 'that contains': 843310, 'contains 60': 200617, '60 alcohol': 20879, 'alcohol not': 41051, 'an antibacterial': 55332, 'antibacterial disinfectant': 78355, 'disinfectant it': 245697, 'it virus': 462041, 'psa wash your': 687448, 'your hand wash': 1024239, 'hand wash your': 375939, 'your hand be': 1024169, 'hand be sure': 374823, 'be sure to': 117473, 'sure to lather': 827769, 'to lather with': 909088, 'lather with soap': 481631, 'soap for at': 779008, '20 second if': 13330, 'second if you': 743743, 'if you cannot': 415405, 'you cannot find': 1017860, 'cannot find water': 161853, 'find water you': 307375, 'water you can': 969275, 'can use an': 160087, 'use an antimicrobial': 949035, 'an antimicrobial hand': 55339, 'antimicrobial hand sanitizer': 78534, 'sanitizer that contains': 735858, 'that contains 60': 843311, 'contains 60 alcohol': 200618, '60 alcohol not': 20891, 'alcohol not an': 41052, 'not an antibacterial': 568192, 'an antibacterial disinfectant': 55333, 'antibacterial disinfectant it': 78356, 'disinfectant it virus': 245698, 'told my': 923634, 'my employer': 548092, 'employer wasn': 274555, 'wasn going': 967980, 'work tonight': 1005930, 'tonight because': 924377, 'because didn': 119026, 'didn want': 241255, 'risk bringing': 723423, 'bringing covid': 140153, '19 home': 7564, 'isn taking': 454691, 'taking precaution': 833521, 'precaution and': 669271, 'ha customer': 370298, 'customer coming': 222253, 'from area': 334582, 'case employer': 165725, 'employer said': 274535, 'need you': 556253, 're short': 699507, 'short tonight': 764776, 'told my employer': 923636, 'my employer wasn': 548097, 'employer wasn going': 274556, 'wasn going to': 967981, 'to work tonight': 918800, 'work tonight because': 1005931, 'tonight because didn': 924380, 'because didn want': 119027, 'didn want to': 241258, 'want to risk': 966104, 'to risk bringing': 913590, 'risk bringing covid': 723424, 'bringing covid 19': 140154, 'covid 19 home': 213216, '19 home to': 7565, 'home to my': 402332, 'to my family': 910395, 'family work in': 298400, 'work in retail': 1005340, 'in retail store': 427469, 'retail store that': 718711, 'store that isn': 810556, 'that isn taking': 844682, 'isn taking precaution': 454693, 'taking precaution and': 833522, 'precaution and ha': 669274, 'and ha customer': 64070, 'ha customer coming': 370299, 'customer coming from': 222254, 'coming from area': 188055, 'from area with': 334584, 'area with confirmed': 92282, 'with confirmed case': 997728, 'confirmed case employer': 194138, 'case employer said': 165726, 'employer said we': 274536, 'said we need': 731570, 'we need you': 972569, 'need you we': 556267, 'you we re': 1022202, 'we re short': 972963, 're short tonight': 699509, 'there fuck': 878419, 'great about': 362480, 'of britain': 580886, 'britain any': 140375, 'more nothing': 539852, 'nothing united': 573205, 'united about': 942136, 'this kingdom': 888574, 'kingdom you': 475355, 'the picture': 863722, 'picture absolutely': 656100, 'absolutely shameful': 27444, 'looking at supermarket': 502824, 'at supermarket shelf': 100768, 'supermarket shelf there': 822543, 'shelf there fuck': 757665, 'there fuck all': 878420, 'fuck all great': 339516, 'all great about': 42999, 'great about the': 362483, 'people of britain': 648912, 'of britain any': 580888, 'britain any more': 140376, 'any more nothing': 79489, 'more nothing united': 539853, 'nothing united about': 573206, 'united about this': 942137, 'about this kingdom': 26644, 'this kingdom you': 888575, 'kingdom you get': 475357, 'get the picture': 348279, 'the picture absolutely': 863723, 'picture absolutely shameful': 656102, 'unfortunately fraudsters': 941604, 'fraudsters will': 331441, 'and insecurity': 65250, 'insecurity regarding': 439172, 'page for': 633845, 'for common': 320191, 'common scam': 189446, 'and tip': 74132, 'avoid becoming': 105006, 'becoming victim': 120349, 'very useful': 955640, 'unfortunately fraudsters will': 941606, 'fraudsters will take': 331443, 'opportunity to take': 613732, 'advantage of consumer': 32994, 'of consumer fear': 581739, 'consumer fear and': 197453, 'fear and insecurity': 301033, 'and insecurity regarding': 65251, 'insecurity regarding covid': 439173, '19 the resource': 11243, 'the resource page': 865595, 'resource page for': 714853, 'page for common': 633846, 'for common scam': 320192, 'common scam and': 189447, 'scam and tip': 740023, 'and tip to': 74135, 'tip to avoid': 898923, 'to avoid becoming': 900867, 'avoid becoming victim': 105008, 'becoming victim is': 120351, 'victim is very': 956482, 'is very useful': 453702, 'ppeshortage': 668139, 'and know': 65885, 'know keep': 476557, 'keep posting': 471802, 'posting this': 666696, 'important get': 418812, 'your ppe': 1025368, 'ppe and': 667895, 'and quarantine': 69857, 'quarantine supply': 692599, 'supply online': 825671, 'online not': 608584, 'make huge': 509994, 'huge difference': 410026, 'difference towards': 241878, 'the flattenthecurve': 855396, 'flattenthecurve goal': 310165, 'goal ppeshortage': 354583, 'ppeshortage stayhome': 668142, 'also and know': 47851, 'and know keep': 65892, 'know keep posting': 476558, 'keep posting this': 471803, 'posting this but': 666697, 'but it important': 146132, 'it important get': 458708, 'important get your': 418813, 'get your ppe': 348726, 'your ppe and': 1025369, 'ppe and quarantine': 667905, 'and quarantine supply': 69860, 'quarantine supply online': 692600, 'supply online not': 825673, 'online not in': 608586, 'not in store': 570106, 'in store this': 428466, 'this is one': 888346, 'is one way': 450514, 'one way you': 607387, 'way you can': 970201, 'can make huge': 158933, 'make huge difference': 509995, 'huge difference towards': 410029, 'difference towards the': 241879, 'towards the flattenthecurve': 927261, 'the flattenthecurve goal': 855397, 'flattenthecurve goal ppeshortage': 310166, 'goal ppeshortage stayhome': 354584, 'brilliant but': 139839, 'but how': 145965, 'about showing': 26191, 'showing appreciation': 767421, 'appreciation to': 82897, 'wonderful supermarket': 1004123, 'driver who': 259852, 'are absolutely': 84166, 'absolutely getting': 27367, 'getting all': 348830, 'all through': 45204, 'this monday': 888886, 'monday 8pm': 536222, '8pm anyone': 23211, 'brilliant but how': 139840, 'but how about': 145966, 'how about showing': 407303, 'about showing appreciation': 26192, 'showing appreciation to': 767423, 'appreciation to the': 82900, 'to the wonderful': 917197, 'the wonderful supermarket': 871680, 'wonderful supermarket worker': 1004125, 'delivery driver who': 233956, 'driver who are': 259853, 'who are absolutely': 988094, 'are absolutely getting': 84170, 'absolutely getting all': 27368, 'getting all through': 348831, 'all through this': 45206, 'through this monday': 894831, 'this monday 8pm': 888887, 'monday 8pm anyone': 536223, 'communist': 189668, 'chinacoronavirus': 177085, 'ccpvirus': 168487, 'call it': 155948, 'the communist': 851262, 'communist party': 189675, 'party coronavirus': 642986, 'coronavirus chinacoronavirus': 205649, 'chinacoronavirus wuhan': 177088, 'wuhan china': 1013465, 'china ccpvirus': 176551, 'let call it': 486639, 'call it the': 155961, 'it the communist': 461522, 'the communist party': 851263, 'communist party coronavirus': 189677, 'party coronavirus chinacoronavirus': 642987, 'coronavirus chinacoronavirus wuhan': 205650, 'chinacoronavirus wuhan china': 177089, 'wuhan china ccpvirus': 1013467, 'proudly': 686073, 'equestrianrelief': 279648, 'voltaire': 960110, 'saddle': 729308, 'to who': 918566, 'are proudly': 89307, 'proudly supporting': 686082, 'supporting this': 827220, 'year equestrianrelief': 1014547, 'equestrianrelief enjoy': 279649, 'enjoy great': 277139, 'on voltaire': 605069, 'voltaire design': 960111, 'design saddle': 238258, 'saddle at': 729309, 'at shop': 100507, 'now stayhomesavelives': 575899, 'you to who': 1021858, 'to who are': 918568, 'who are proudly': 988199, 'are proudly supporting': 89308, 'proudly supporting this': 686083, 'supporting this year': 827221, 'this year equestrianrelief': 891571, 'year equestrianrelief enjoy': 1014548, 'equestrianrelief enjoy great': 279650, 'enjoy great price': 277140, 'great price on': 362914, 'price on voltaire': 675735, 'on voltaire design': 605070, 'voltaire design saddle': 960112, 'design saddle at': 238259, 'saddle at shop': 729310, 'at shop now': 100509, 'shop now stayhomesavelives': 760521, '4times': 19547, 'historic opec': 397966, 'russia agreement': 728416, 'agreement to': 38802, 'cut massive': 223424, 'massive supply': 520132, 'oil 4times': 596584, '4times more': 19548, 'than record': 841076, 'record 2008': 704902, '2008 level': 13680, 'level will': 487758, 'definitely get': 232338, 'only country': 610279, 'that stocked': 846498, 'stocked up': 803431, 'up during': 944749, 'during low': 262784, 'advantage others': 33049, 'others to': 621721, 'to suffer': 915732, 'suffer usual': 817246, 'historic opec russia': 397967, 'opec russia agreement': 611957, 'russia agreement to': 728417, 'agreement to cut': 38803, 'to cut massive': 903878, 'cut massive supply': 223425, 'massive supply of': 520133, 'supply of oil': 825638, 'of oil 4times': 587175, 'oil 4times more': 596585, '4times more than': 19549, 'more than record': 540664, 'than record 2008': 841077, 'record 2008 level': 704903, '2008 level will': 13684, 'level will definitely': 487759, 'will definitely get': 993137, 'definitely get the': 232340, 'get the price': 348284, 'price up only': 677248, 'up only country': 945661, 'only country that': 610282, 'country that stocked': 211119, 'that stocked up': 846499, 'stocked up during': 803437, 'up during low': 944757, 'during low price': 262785, 'low price will': 505552, 'price will have': 677568, 'will have an': 993613, 'have an advantage': 379237, 'an advantage others': 55146, 'advantage others to': 33050, 'others to suffer': 621736, 'to suffer usual': 915739, 'blamed': 132315, 'ecomomic': 266915, '416': 18885, 'stitt': 801714, 'tuesday': 935098, 'is largely': 449234, 'largely blamed': 479841, 'blamed for': 132316, 'state ecomomic': 795547, 'ecomomic downturn': 266916, 'downturn and': 257786, 'and an': 58098, 'an estimated': 55852, 'estimated 416': 282280, '416 million': 18886, 'million budget': 532100, 'budget hole': 141798, 'hole non': 400225, 'closed and': 182979, 'energy price': 276534, 'have slumped': 382590, 'slumped stitt': 774718, 'stitt said': 801715, 'said tuesday': 731539, 'tuesday an': 935112, 'additional 40': 31768, 'virus is largely': 958387, 'is largely blamed': 449235, 'largely blamed for': 479842, 'blamed for the': 132318, 'for the state': 326705, 'the state ecomomic': 867769, 'state ecomomic downturn': 795548, 'ecomomic downturn and': 266917, 'downturn and an': 257787, 'and an estimated': 58111, 'an estimated 416': 55854, 'estimated 416 million': 282281, '416 million budget': 18887, 'million budget hole': 532101, 'budget hole non': 141799, 'hole non essential': 400226, 'non essential business': 566332, 'essential business have': 280848, 'business have closed': 143826, 'have closed and': 379993, 'closed and energy': 182983, 'and energy price': 62127, 'energy price have': 276541, 'price have slumped': 674462, 'have slumped stitt': 382591, 'slumped stitt said': 774719, 'stitt said tuesday': 801716, 'said tuesday an': 731540, 'tuesday an additional': 935113, 'an additional 40': 55109, 'kind support': 474982, 'elderly wherever': 270943, 'wherever possible': 985462, 'possible to': 665839, 'grocery vegetable': 366099, 'vegetable or': 954057, 'necessary help': 554001, 'be kind support': 115628, 'kind support the': 474983, 'support the elderly': 826869, 'the elderly wherever': 854159, 'elderly wherever possible': 270944, 'wherever possible to': 985463, 'possible to buy': 665840, 'buy grocery vegetable': 148762, 'grocery vegetable or': 366100, 'vegetable or any': 954058, 'or any other': 614352, 'any other necessary': 79595, 'other necessary help': 620562, 'meaning': 524797, 'loonatics': 503124, 'cabinfever': 155005, 'meaning the': 524838, 'buying loonatics': 150680, 'loonatics could': 503125, 'could live': 209386, 'home coronacrisis': 400937, 'coronacrisis panicbuyinguk': 204694, 'panicbuyinguk cabinfever': 639133, 'meaning the panic': 524839, 'panic buying loonatics': 637801, 'buying loonatics could': 150681, 'loonatics could live': 503126, 'could live for': 209387, 'live for year': 495820, 'for year on': 328011, 'the food they': 855615, 'food they have': 317169, 'they have in': 882328, 'have in their': 381040, 'their home coronacrisis': 873558, 'home coronacrisis panicbuyinguk': 400940, 'coronacrisis panicbuyinguk cabinfever': 204695, 'is starting': 452231, 'to dawn': 903947, 'dawn on': 227054, 'how serious': 408643, 'serious covid': 751359, 'absolutely not': 27408, 'this can': 886678, 'can take': 159893, 'take month': 832335, 'it is starting': 459089, 'is starting to': 452235, 'starting to dawn': 795019, 'to dawn on': 903948, 'dawn on how': 227055, 'on how serious': 601422, 'how serious covid': 408644, 'serious covid 19': 751360, '19 can be': 5603, 'can be that': 157697, 'be that we': 117588, 'we are absolutely': 970465, 'are absolutely not': 84172, 'absolutely not safe': 27410, 'not safe at': 571418, 'safe at work': 729505, 'at work and': 101591, 'work and that': 1004815, 'and that this': 73215, 'that this can': 846982, 'this can take': 886686, 'can take month': 159902, 'swing': 830394, 'unprepared': 943233, 'shock in': 759457, 'full swing': 340914, 'swing government': 830401, 'are lying': 87950, 'lying to': 507085, 'about supply': 26291, 'supply line': 825508, 'line western': 493559, 'world supply': 1010027, 'chain logistics': 170901, 'logistics are': 500724, 'are built': 85077, 'built for': 142179, 'time convenience': 896510, 'convenience rather': 202333, 'than resilience': 841085, 'resilience mostly': 714487, 'mostly see': 543009, 'the unprepared': 870461, 'unprepared who': 943242, 'who trust': 989832, 'trust government': 934260, 'government tweeting': 360751, 'tweeting on': 936478, 'on stophoarding': 603686, 'there is global': 878564, 'is global supply': 448072, 'global supply shock': 352239, 'supply shock in': 825819, 'shock in full': 759458, 'in full swing': 423176, 'full swing government': 340916, 'swing government are': 830402, 'government are lying': 359898, 'are lying to': 87951, 'lying to you': 507088, 'to you about': 918888, 'you about supply': 1016774, 'about supply line': 26294, 'supply line western': 825513, 'line western world': 493560, 'western world supply': 980648, 'world supply chain': 1010028, 'supply chain logistics': 824987, 'chain logistics are': 170902, 'logistics are built': 500725, 'are built for': 85078, 'built for just': 142180, 'for just in': 322793, 'just in time': 469050, 'in time convenience': 430076, 'time convenience rather': 896511, 'convenience rather than': 202334, 'rather than resilience': 697545, 'than resilience mostly': 841086, 'resilience mostly see': 714488, 'mostly see it': 543010, 'see it is': 745335, 'is the unprepared': 452969, 'the unprepared who': 870462, 'unprepared who trust': 943243, 'who trust government': 989833, 'trust government tweeting': 934261, 'government tweeting on': 360752, 'tweeting on stophoarding': 936479, 'phlegm': 654848, 'disappears': 244082, 'breath': 139153, 'recovers': 705274, 'smoothly': 775951, 'secret': 743912, 'draft': 258138, 'supermarket food': 820354, 'food treatment': 317360, 'treatment covid': 931058, '19 long': 8465, 'long take': 501668, 'it once': 460070, 'once the': 605717, 'the phlegm': 863681, 'phlegm disappears': 654849, 'disappears and': 244083, 'the breath': 849982, 'breath recovers': 139183, 'recovers smoothly': 705282, 'smoothly which': 775960, 'the secret': 866602, 'secret recipe': 743928, 'recipe have': 704474, 'have experienced': 380519, 'experienced tweeted': 291619, 'tweeted many': 936439, 'the internet': 858376, 'internet wa': 442048, 'wa often': 962807, 'often blocked': 596168, 'blocked and': 132851, 'the tweet': 870126, 'tweet were': 936425, 'were thrown': 980260, 'thrown into': 895140, 'the draft': 853647, 'the supermarket food': 868597, 'supermarket food treatment': 820365, 'food treatment covid': 317361, 'treatment covid 19': 931059, 'covid 19 long': 213375, '19 long take': 8466, 'long take it': 501669, 'take it once': 832252, 'it once the': 460072, 'once the phlegm': 605730, 'the phlegm disappears': 863682, 'phlegm disappears and': 654850, 'disappears and the': 244084, 'and the breath': 73266, 'the breath recovers': 849984, 'breath recovers smoothly': 139184, 'recovers smoothly which': 705283, 'smoothly which is': 775961, 'which is the': 986059, 'is the secret': 452936, 'the secret recipe': 866604, 'secret recipe have': 743929, 'recipe have experienced': 704476, 'have experienced tweeted': 380525, 'experienced tweeted many': 291620, 'tweeted many time': 936440, 'many time but': 514811, 'time but the': 896423, 'but the internet': 147348, 'the internet wa': 858394, 'internet wa often': 442049, 'wa often blocked': 962808, 'often blocked and': 596169, 'blocked and most': 132852, 'and most of': 67271, 'of the tweet': 591563, 'the tweet were': 870128, 'tweet were thrown': 936426, 'were thrown into': 980261, 'thrown into the': 895141, 'into the draft': 443118, 'diligent': 242866, 'prevalent': 671568, 'being diligent': 125050, 'diligent about': 242867, 'their health': 873509, 'health we': 386940, 'we encourage': 971446, 'to also': 900373, 'in other': 426234, 'other area': 619844, 'in stressful': 428499, 'time scam': 897620, 'scam become': 740074, 'become more': 120055, 'more prevalent': 540134, 'prevalent the': 671571, 'put out': 690747, 'out info': 626417, 'info about': 437401, 'scam to': 740416, 'of please': 588167, 'check this': 174672, 'this out': 889308, 'many people are': 514487, 'people are being': 646936, 'are being diligent': 84847, 'being diligent about': 125051, 'diligent about their': 242868, 'about their health': 26587, 'their health we': 873525, 'health we encourage': 386941, 'we encourage you': 971453, 'you to also': 1021747, 'to also be': 900375, 'also be safe': 47927, 'be safe in': 116962, 'safe in other': 729767, 'in other area': 426235, 'other area in': 619845, 'area in stressful': 92073, 'in stressful time': 428500, 'stressful time scam': 813522, 'time scam become': 897621, 'scam become more': 740075, 'become more prevalent': 120061, 'more prevalent the': 540135, 'prevalent the ha': 671572, 'the ha put': 857010, 'ha put out': 371600, 'put out info': 690753, 'out info about': 626418, 'info about scam': 437409, 'about scam to': 26144, 'scam to be': 740419, 'aware of please': 105637, 'of please check': 588168, 'please check this': 659781, 'check this out': 174677, 'this out and': 889311, 'out and stay': 625696, 'calling 800': 156509, 'by calling 800': 152055, 'calling 800 22': 156510, 'donaldtrump': 254124, 'dowfutures': 256345, 'nasdaqcomposite': 551997, 'donaldtrump dow': 254125, 'dow dowfutures': 256320, 'dowfutures nasdaqcomposite': 256346, 'nasdaqcomposite dow': 551998, 'dow future': 256322, 'future gain': 342331, 'gain over': 342805, 'over 800': 629934, '800 point': 22719, 'point global': 662496, 'rise on': 722958, 'on new': 602372, 'new positive': 559315, '19 number': 8868, 'donaldtrump dow dowfutures': 254126, 'dow dowfutures nasdaqcomposite': 256321, 'dowfutures nasdaqcomposite dow': 256347, 'nasdaqcomposite dow future': 551999, 'dow future gain': 256323, 'future gain over': 342332, 'gain over 800': 342806, 'over 800 point': 629935, '800 point global': 22720, 'point global stock': 662497, 'global stock price': 352222, 'stock price rise': 802746, 'price rise on': 676243, 'rise on new': 722960, 'on new positive': 602379, 'new positive covid': 559317, 'covid 19 number': 213494, 'overweight': 631693, 'ocd': 579087, 'borderline': 135310, 'agoraphobic': 38578, 'addicted': 31626, 'floaty': 310673, 'chair': 171290, 'purell': 690000, 'is done': 447317, 'done we': 255103, 'll all': 496539, 'all be': 42124, 'be overweight': 116318, 'overweight ocd': 631696, 'ocd borderline': 579093, 'borderline agoraphobic': 135311, 'agoraphobic and': 38579, 'and addicted': 57677, 'addicted to': 31627, 'to tv': 917854, 'tv and': 936080, 'shopping basically': 762156, 'basically we': 112178, 'the floaty': 855411, 'floaty chair': 310674, 'chair people': 171305, 'from wall': 338279, 'wall but': 965156, 'with serious': 1000643, 'serious purell': 751458, 'purell addiction': 690001, 'this is done': 888237, 'is done we': 447327, 'done we ll': 255104, 'we ll all': 972230, 'll all be': 496540, 'all be overweight': 42138, 'be overweight ocd': 116320, 'overweight ocd borderline': 631697, 'ocd borderline agoraphobic': 579094, 'borderline agoraphobic and': 135312, 'agoraphobic and addicted': 38580, 'and addicted to': 57678, 'addicted to tv': 31630, 'to tv and': 917855, 'tv and online': 936085, 'online shopping basically': 609043, 'shopping basically we': 762157, 'basically we ll': 112180, 'll be the': 496635, 'be the floaty': 117613, 'the floaty chair': 855412, 'floaty chair people': 310675, 'chair people from': 171306, 'people from wall': 648015, 'from wall but': 338280, 'wall but with': 965157, 'but with serious': 147898, 'with serious purell': 1000646, 'serious purell addiction': 751459, 'picnicking': 656084, 'ballgame': 109090, 'my short': 550065, 'short drive': 764608, 'back picnicking': 107222, 'picnicking family': 656085, 'family group': 297863, 'kid playing': 474082, 'playing ballgame': 659387, 'ballgame cycle': 109091, 'cycle group': 224048, 'group group': 366706, 'of dog': 582763, 'walker picnic': 964997, 'picnic amp': 656072, 'amp play': 54306, 'play game': 659153, 'game at': 343128, 'home cycle': 400982, 'cycle amp': 224033, 'amp dog': 53660, 'dog walk': 252180, 'walk alone': 964730, 'alone don': 46844, 'don gather': 253532, 'gather large': 344386, 'group what': 366963, 'what not': 981943, 'clear come': 181237, 'on my short': 602316, 'my short drive': 550066, 'short drive to': 764609, 'drive to the': 259231, 'supermarket and back': 818935, 'and back picnicking': 58620, 'back picnicking family': 107223, 'picnicking family group': 656086, 'family group of': 297864, 'group of kid': 366794, 'of kid playing': 585629, 'kid playing ballgame': 474083, 'playing ballgame cycle': 659388, 'ballgame cycle group': 109092, 'cycle group group': 224049, 'group group of': 366707, 'group of dog': 366789, 'of dog walker': 582765, 'dog walker picnic': 252184, 'walker picnic amp': 964998, 'picnic amp play': 656073, 'amp play game': 54307, 'play game at': 659154, 'game at home': 343129, 'at home cycle': 98967, 'home cycle amp': 400983, 'cycle amp dog': 224034, 'amp dog walk': 53661, 'dog walk alone': 252181, 'walk alone don': 964731, 'alone don gather': 46845, 'don gather large': 253533, 'gather large group': 344387, 'large group what': 479686, 'group what not': 366964, 'what not clear': 981944, 'not clear come': 568763, 'clear come on': 181238, 'replicates': 711702, 'squaddies': 791451, 'bogroll': 134003, 'now replicates': 575678, 'replicates what': 711703, 'what squaddies': 982239, 'squaddies have': 791452, 'experience in': 291387, 'in army': 420501, 'army store': 93041, 'store one': 809220, 'time stand': 897742, 'line you': 493618, 'cannot have': 161945, 'it only': 460088, 'only matter': 610771, 'time before': 896377, 'our bogroll': 622240, 'in supermarket now': 428639, 'supermarket now replicates': 821671, 'now replicates what': 575679, 'replicates what squaddies': 711704, 'what squaddies have': 982240, 'squaddies have to': 791453, 'have to experience': 383205, 'to experience in': 905457, 'experience in army': 291388, 'in army store': 420502, 'army store one': 93042, 'store one at': 809221, 'one at time': 605970, 'at time stand': 101309, 'time stand behind': 897743, 'the line you': 859427, 'line you cannot': 493619, 'you cannot have': 1017865, 'cannot have that': 161953, 'have that it': 382949, 'that it only': 844731, 'it only matter': 460103, 'only matter of': 610772, 'of time before': 592167, 'time before we': 896383, 'before we have': 123287, 'have to sign': 383301, 'to sign for': 914634, 'sign for our': 769123, 'for our bogroll': 324215, 'fired': 308161, 'ago all': 38324, 'friend got': 333622, 'got fired': 358555, 'fired now': 308183, 'heb covid': 388671, 'is conspiracy': 446769, 'conspiracy between': 195572, 'and texas': 73146, 'week ago all': 975834, 'ago all my': 38325, 'all my friend': 43557, 'my friend got': 548433, 'friend got fired': 333623, 'got fired now': 358556, 'fired now they': 308184, 'now they all': 576101, 'they all work': 881122, 'all work at': 45491, 'work at heb': 1004874, 'at heb covid': 98877, 'heb covid 19': 388672, '19 is conspiracy': 7949, 'is conspiracy between': 446770, 'conspiracy between the': 195573, 'between the government': 128929, 'the government and': 856509, 'government and texas': 359874, 'and texas grocery': 73147, 'bev': 128970, 'to serve': 914255, 'serve our': 751922, 'our client': 622389, 'client while': 182131, 'while following': 986842, 'following local': 312782, 'local and': 497677, 'and national': 67426, 'national guideline': 552533, 'support critical': 826450, 'critical industry': 218583, 'industry such': 436130, 'such consumer': 816417, 'food bev': 313734, 'bev parcel': 128973, 'parcel life': 641509, 'life science': 489025, 'science data': 742095, 'data center': 226167, 'center mission': 169259, 'mission critical': 534349, 'critical and': 218515, 'continuing to serve': 201572, 'to serve our': 914269, 'serve our client': 751923, 'our client while': 622402, 'client while following': 182132, 'while following local': 986843, 'following local and': 312783, 'local and national': 497680, 'and national guideline': 67431, 'national guideline to': 552534, 'guideline to slow': 368488, 'spread of coronavirus': 790660, 'of coronavirus we': 581976, 'coronavirus we support': 207054, 'we support critical': 973453, 'support critical industry': 826451, 'critical industry such': 218586, 'industry such consumer': 436131, 'such consumer good': 816418, 'consumer good food': 197616, 'good food bev': 357053, 'food bev parcel': 313736, 'bev parcel life': 128974, 'parcel life science': 641510, 'life science data': 489026, 'science data center': 742096, 'data center mission': 226169, 'center mission critical': 169260, 'mission critical and': 534350, 'critical and more': 218516, 'horrid': 404150, 'it horrid': 458632, 'horrid seeing': 404151, 'seeing photo': 746417, 'of old': 587199, 'old people': 598406, 'with empty': 998216, 'empty shopping': 275123, 'shopping trolley': 764259, 'and cleared': 59961, 'cleared shelf': 181432, 'shelf if': 757175, 'if do': 414050, 'see one': 745503, 'who seems': 989577, 'to need': 910508, 'help ll': 390006, 'll ask': 496556, 'in urgent': 430476, 'home ll': 401541, 'll freely': 496777, 'freely drive': 332466, 'drive it': 259084, 'it around': 456588, 'around to': 93591, 'it horrid seeing': 458633, 'horrid seeing photo': 404152, 'seeing photo of': 746418, 'photo of old': 655207, 'of old people': 587201, 'old people with': 598423, 'people with empty': 650447, 'with empty shopping': 998221, 'empty shopping trolley': 275124, 'shopping trolley and': 764260, 'trolley and cleared': 932362, 'and cleared shelf': 59962, 'cleared shelf if': 181433, 'shelf if do': 757177, 'if do go': 414052, 'supermarket and if': 819005, 'and if see': 64948, 'if see one': 414763, 'see one who': 745506, 'one who seems': 607458, 'who seems to': 989579, 'seems to need': 746885, 'to need help': 910511, 'need help ll': 554987, 'help ll ask': 390007, 'll ask what': 496557, 'ask what they': 95660, 'they are in': 881305, 'are in urgent': 87458, 'in urgent need': 430477, 'urgent need of': 948351, 'need of and': 555318, 'of and if': 580161, 'and if have': 64935, 'if have it': 414202, 'have it at': 381141, 'it at home': 456619, 'at home ll': 99035, 'home ll freely': 401542, 'll freely drive': 496778, 'freely drive it': 332467, 'drive it around': 259085, 'it around to': 456591, 'around to them': 93596, 'brampton': 137653, 'from reduced': 337054, 'in brampton': 420940, 'brampton are': 137654, 'pandemic 19': 634767, 'from reduced hour': 337055, 'reduced hour to': 706097, 'hour to limit': 406030, 'to limit on': 909291, 'limit on the': 492430, 'on the number': 604256, 'allowed in at': 46163, 'at time here': 101290, 'time here what': 896924, 'here what some': 393820, 'what some grocery': 982217, 'some grocery store': 783007, 'chain in brampton': 170802, 'in brampton are': 420941, 'brampton are doing': 137655, 'the pandemic 19': 862890, 'layoff': 482670, 'completetly': 192385, 'flattened': 310134, 'theirs': 875263, 'leather': 484709, 'internationa': 441746, 'be severe': 117113, 'severe we': 754066, 'see mass': 745397, 'mass layoff': 519799, 'layoff tourism': 482714, 'tourism industry': 926989, 'industry is': 435919, 'is completetly': 446712, 'completetly flattened': 192386, 'flattened theirs': 310137, 'theirs decline': 875267, 'like flower': 490245, 'flower and': 311274, 'and leather': 66044, 'leather leather': 484712, 'leather product': 484716, 'our internationa': 623577, '19 on our': 8960, 'on our economy': 602592, 'our economy might': 622847, 'economy might be': 268073, 'might be severe': 530928, 'be severe we': 117115, 'severe we re': 754067, 'to see mass': 914041, 'see mass layoff': 745399, 'mass layoff tourism': 519800, 'layoff tourism industry': 482715, 'tourism industry is': 926991, 'industry is completetly': 435925, 'is completetly flattened': 446713, 'completetly flattened theirs': 192387, 'flattened theirs decline': 310138, 'theirs decline in': 875268, 'decline in price': 231362, 'price of commodity': 675425, 'of commodity like': 581576, 'commodity like flower': 189208, 'like flower and': 490246, 'flower and leather': 311275, 'and leather leather': 66045, 'leather leather product': 484713, 'leather product to': 484717, 'product to our': 681757, 'to our internationa': 911195, 'extend': 293105, 'custodial': 221955, 'better start': 128485, 'start hearing': 794324, 'hearing people': 388223, 'people extend': 647847, 'extend the': 293125, 'word thank': 1004585, 'your service': 1025724, 'worker custodial': 1006719, 'custodial staff': 221956, 'staff grocery': 792502, 'worker flight': 1006951, 'flight attendant': 310438, 'attendant and': 102333, 'others on': 621565, 'frontline during': 338728, 'better start hearing': 128486, 'start hearing people': 794325, 'hearing people extend': 388224, 'people extend the': 647848, 'extend the word': 293128, 'the word thank': 871720, 'word thank you': 1004586, 'for your service': 328206, 'your service to': 1025741, 'service to healthcare': 752978, 'to healthcare worker': 907387, 'healthcare worker custodial': 387352, 'worker custodial staff': 1006720, 'custodial staff grocery': 221957, 'staff grocery store': 792504, 'store worker flight': 811502, 'worker flight attendant': 1006952, 'flight attendant and': 310439, 'attendant and others': 102334, 'and others on': 68451, 'others on the': 621567, 'the frontline during': 855866, 'frontline during the': 338730, 'mention': 528738, 'to mention': 910081, 'mention it': 528769, 'assume consumer': 97001, 'demand will': 236493, 'same before': 732975, 'before for': 122809, 'for growth': 322075, 'growth to': 367466, 'be double': 114579, 'double digit': 255997, 'not to mention': 572167, 'to mention it': 910088, 'mention it need': 528770, 'it need to': 459755, 'need to assume': 555862, 'to assume consumer': 900791, 'assume consumer demand': 97002, 'consumer demand will': 197176, 'demand will be': 236494, 'will be the': 992721, 'be the same': 117652, 'the same before': 866199, 'same before for': 732976, 'before for growth': 122810, 'for growth to': 322077, 'growth to be': 367467, 'to be double': 901217, 'be double digit': 114580, '30moredays': 17492, 'can let': 158865, 'this die': 887220, 'die little': 241394, 'time reposting': 897571, 'reposting from': 712853, 'from fb': 335427, 'fb post': 300666, 'post lockdown': 666198, 'lockdown 30moredays': 499097, '30moredays staysafe': 17495, 'staysafe toiletpaper': 798941, 'can let this': 158871, 'let this die': 487177, 'this die little': 887221, 'die little humor': 241395, 'little humor in': 495397, 'humor in these': 410886, 'these time reposting': 880847, 'time reposting from': 897572, 'reposting from fb': 712854, 'from fb post': 335429, 'fb post lockdown': 300667, 'post lockdown 30moredays': 666199, 'lockdown 30moredays staysafe': 499098, '30moredays staysafe toiletpaper': 17496, 'staysafe toiletpaper toiletpaperapocalypse': 798943, 'obligation': 578450, 'these it': 880187, 'is inevitable': 448891, 'inevitable that': 436405, 'the stress': 868267, 'stress caused': 813314, 'this public': 889752, 'crisis it': 217604, 'it an': 456463, 'opportunity and': 613583, 'and obligation': 67923, 'obligation for': 578455, 'of medium': 586417, 'medium company': 527045, 'be consumer': 114209, 'consumer centric': 196761, 'centric possible': 169598, 'like these it': 491433, 'these it is': 880190, 'it is inevitable': 458988, 'is inevitable that': 448897, 'inevitable that people': 436407, 'that people will': 845712, 'people will look': 650394, 'will look for': 994039, 'look for way': 502374, 'way to escape': 970026, 'escape the stress': 280316, 'the stress caused': 868271, 'stress caused by': 813315, 'by the impact': 154354, 'impact of this': 417806, 'of this public': 592028, 'this public health': 889754, 'health crisis it': 386340, 'crisis it an': 217605, 'it an opportunity': 456479, 'an opportunity and': 56668, 'opportunity and obligation': 613584, 'and obligation for': 67924, 'obligation for all': 578456, 'for all type': 319182, 'all type of': 45306, 'type of medium': 937568, 'of medium company': 586419, 'medium company to': 527047, 'company to be': 191219, 'to be consumer': 901179, 'be consumer centric': 114211, 'consumer centric possible': 196767, 'northmart': 567805, 'freezing': 332660, 'northern and': 567738, 'and northmart': 67700, 'northmart store': 567806, 'store freezing': 807870, 'freezing price': 332667, 'northern and northmart': 567739, 'and northmart store': 67701, 'northmart store freezing': 567807, 'store freezing price': 807871, 'freezing price for': 332669, 'price for 60': 673919, 'path': 644011, 'southcarolina': 786824, 'jokecoughing': 467174, 'wayspeoplearetheworst laughing': 970226, 'and fake': 62623, 'fake coughing': 296594, 'coughing during': 208679, 'pandemic yesterday': 637083, 'the path': 863386, 'path of': 644021, 'elderly woman': 270953, 'woman in': 1003511, 'me southcarolina': 523518, 'southcarolina walmart': 786825, 'walmart jokecoughing': 965366, 'wayspeoplearetheworst laughing and': 970227, 'laughing and fake': 481806, 'and fake coughing': 62625, 'fake coughing during': 296595, 'coughing during pandemic': 208680, 'during pandemic yesterday': 262909, 'pandemic yesterday in': 637084, 'yesterday in the': 1015779, 'in the path': 429443, 'the path of': 863387, 'path of the': 644024, 'of the elderly': 590976, 'the elderly woman': 854162, 'elderly woman in': 270954, 'woman in front': 1003515, 'front of me': 338643, 'of me southcarolina': 586341, 'me southcarolina walmart': 523519, 'southcarolina walmart jokecoughing': 786826, 'imploring': 418597, 'behave': 123764, 'jostled': 467366, 'cajoled': 155212, 'staff can': 792291, 'be heard': 115178, 'heard imploring': 388091, 'imploring people': 418598, 'to behave': 901721, 'behave themselves': 123794, 'and shouting': 71604, 'shouting slowly': 766798, 'slowly slowly': 774621, 'slowly and': 774576, 'and relax': 70190, 'relax relax': 708824, 'relax old': 708820, 'are jostled': 87605, 'jostled and': 467367, 'and cajoled': 59400, 'cajoled coronacrisis': 155213, 'staff can be': 792293, 'can be heard': 157629, 'be heard imploring': 115180, 'heard imploring people': 388092, 'imploring people to': 418599, 'people to behave': 649880, 'to behave themselves': 901725, 'behave themselves and': 123795, 'themselves and shouting': 876760, 'and shouting slowly': 71605, 'shouting slowly slowly': 766799, 'slowly slowly and': 774622, 'slowly and relax': 774578, 'and relax relax': 70191, 'relax relax old': 708825, 'relax old people': 708821, 'old people are': 598410, 'people are jostled': 647006, 'are jostled and': 87606, 'jostled and cajoled': 467368, 'and cajoled coronacrisis': 59401, 'bagger': 108495, 'msnbc': 544563, 'nytimes': 578153, 'wsj': 1013247, 'cnbc': 184715, 'politico': 663771, 'huffpost': 409942, 'drudge': 260838, 'npr': 576617, 'dailykos': 224916, 'thehill': 872399, 'wapo': 966321, 'nbc': 553231, 'slate': 773690, 'aarp': 24153, 'safest job': 730428, 'job in': 465871, 'america is': 51570, 'is uninsured': 453501, 'uninsured supermarket': 941840, 'supermarket grocerystore': 820589, 'grocerystore bagger': 366294, 'bagger are': 108502, 'they healthy': 882413, 'healthy how': 387661, 'know msnbc': 476614, 'msnbc foxnews': 544569, 'foxnews nytimes': 330807, 'nytimes cnn': 578154, 'cnn wsj': 184785, 'wsj cnbc': 1013248, 'cnbc politico': 184724, 'politico huffpost': 663772, 'huffpost drudge': 409943, 'drudge bbc': 260839, 'bbc gop': 113077, 'gop npr': 358262, 'npr dailykos': 576618, 'dailykos thehill': 224917, 'thehill wapo': 872402, 'wapo nbc': 966324, 'nbc cbs': 553232, 'cbs ap': 168368, 'ap slate': 81214, 'slate aarp': 773691, 'aarp fed': 24154, 'fed nyc': 301856, 'safest job in': 730430, 'job in america': 465872, 'in america is': 420227, 'america is uninsured': 51583, 'is uninsured supermarket': 453502, 'uninsured supermarket grocerystore': 941841, 'supermarket grocerystore bagger': 820590, 'grocerystore bagger are': 366295, 'bagger are they': 108503, 'are they healthy': 91005, 'they healthy how': 882415, 'healthy how do': 387662, 'you know msnbc': 1019511, 'know msnbc foxnews': 476615, 'msnbc foxnews nytimes': 544570, 'foxnews nytimes cnn': 330808, 'nytimes cnn wsj': 578155, 'cnn wsj cnbc': 184786, 'wsj cnbc politico': 1013249, 'cnbc politico huffpost': 184725, 'politico huffpost drudge': 663773, 'huffpost drudge bbc': 409944, 'drudge bbc gop': 260840, 'bbc gop npr': 113078, 'gop npr dailykos': 358263, 'npr dailykos thehill': 576619, 'dailykos thehill wapo': 224918, 'thehill wapo nbc': 872403, 'wapo nbc cbs': 966325, 'nbc cbs ap': 553233, 'cbs ap slate': 168369, 'ap slate aarp': 81215, 'slate aarp fed': 773692, 'aarp fed nyc': 24155, 'sydney': 830684, 'photojournalism': 655317, 'documentary': 251222, 'documentaryphotography': 251231, 'reportage': 712442, 'phot': 655112, 'mask following': 518658, 'following an': 312682, 'of walk': 592887, 'walk past': 964859, 'past retail': 643596, 'store front': 807885, 'front in': 338547, 'in sydney': 428775, 'sydney australia': 830688, 'australia pandemic': 103345, 'pandemic photojournalism': 636181, 'photojournalism documentary': 655318, 'documentary documentaryphotography': 251227, 'documentaryphotography reportage': 251232, 'reportage phot': 712443, 'people wearing face': 650175, 'face mask following': 294539, 'mask following an': 518659, 'following an outbreak': 312683, 'outbreak of walk': 628489, 'of walk past': 592888, 'walk past retail': 964862, 'past retail store': 643597, 'retail store front': 718639, 'store front in': 807887, 'front in sydney': 338548, 'in sydney australia': 428777, 'sydney australia pandemic': 830690, 'australia pandemic photojournalism': 103346, 'pandemic photojournalism documentary': 636182, 'photojournalism documentary documentaryphotography': 655319, 'documentary documentaryphotography reportage': 251228, 'documentaryphotography reportage phot': 251233, 'kidney': 474229, 'kidneybeans': 474248, 'tescos': 838871, 'it worrying': 462542, 'worrying time': 1010841, 'when kidney': 983663, 'kidney bean': 474230, 'bean are': 118295, 'out kidneybeans': 626473, 'kidneybeans tesco': 474249, 'tesco supermarket': 838818, 'supermarket selfisolation': 822376, 'selfisolation isolation': 748461, 'isolation kidney': 455327, 'bean tescos': 118373, 'tescos food': 838874, 'know it worrying': 476549, 'it worrying time': 462543, 'worrying time when': 1010845, 'time when kidney': 898291, 'when kidney bean': 983664, 'kidney bean are': 474231, 'bean are sold': 118297, 'are sold out': 90249, 'sold out kidneybeans': 781738, 'out kidneybeans tesco': 626474, 'kidneybeans tesco supermarket': 474250, 'tesco supermarket selfisolation': 838824, 'supermarket selfisolation isolation': 822377, 'selfisolation isolation kidney': 748462, 'isolation kidney bean': 455328, 'kidney bean tescos': 474233, 'bean tescos food': 118374, 'tescos food shop': 838875, 'consumables': 195920, 'trapped': 930107, 'livelihood': 496189, 'washed': 967605, 'of consumables': 581697, 'consumables and': 195921, 'and edible': 61938, 'edible are': 268539, 'skyrocketing poor': 773445, 'poor mass': 664224, 'mass will': 519895, 'be trapped': 117796, 'trapped indoors': 930112, 'indoors with': 435439, 'no income': 564488, 'or mean': 616094, 'mean of': 524579, 'of livelihood': 585900, 'livelihood covid': 496196, '19 seems': 10390, 'be flattening': 114881, 'curve our': 221884, 'our leader': 623691, 'leader should': 483534, 'should obey': 766279, 'obey or': 578383, 'or be': 614507, 'be washed': 118053, 'washed with': 967622, 'the tide': 869540, 'tide you': 895717, 'pay yourselves': 645258, 'yourselves now': 1026799, 'price of consumables': 675427, 'of consumables and': 581698, 'consumables and edible': 195922, 'and edible are': 61939, 'edible are skyrocketing': 268540, 'are skyrocketing poor': 90168, 'skyrocketing poor mass': 773446, 'poor mass will': 664225, 'mass will be': 519896, 'will be trapped': 992736, 'be trapped indoors': 117798, 'trapped indoors with': 930113, 'indoors with no': 435441, 'with no income': 999763, 'no income or': 564495, 'income or mean': 432427, 'or mean of': 616095, 'mean of livelihood': 524583, 'of livelihood covid': 585901, 'livelihood covid 19': 496197, 'covid 19 seems': 213762, '19 seems to': 10392, 'to be flattening': 901259, 'be flattening the': 114882, 'the curve our': 852702, 'curve our leader': 221885, 'our leader should': 623697, 'leader should obey': 483537, 'should obey or': 766280, 'obey or be': 578384, 'or be washed': 614515, 'be washed with': 118055, 'washed with the': 967623, 'with the tide': 1001518, 'the tide you': 869544, 'tide you can': 895718, 'you can pay': 1017742, 'can pay yourselves': 159209, 'pay yourselves now': 645259, 'influence': 437292, 'opinion question': 613494, 'question doe': 693572, 'it influence': 458793, 'influence you': 437323, 'way or': 969786, 'or another': 614325, 'another to': 77907, 'receive those': 703568, 'those covid': 891897, 'response email': 715681, 'from business': 334753, 'that aren': 842848, 'aren restaurant': 92505, 'restaurant bar': 716327, 'bar hospitality': 110720, 'hospitality would': 404818, 'you avoid': 1017347, 'avoid for': 105109, 'example online': 288960, 'with certain': 997593, 'certain store': 170102, 'haven gotten': 383813, 'gotten one': 359155, 'those email': 891958, 'email yet': 272370, 'opinion question doe': 613495, 'question doe it': 693573, 'doe it influence': 251433, 'it influence you': 458794, 'influence you in': 437324, 'you in one': 1019310, 'in one way': 426156, 'one way or': 607375, 'way or another': 969787, 'or another to': 614329, 'another to receive': 77910, 'to receive those': 912937, 'receive those covid': 703569, 'those covid 19': 891898, '19 response email': 10145, 'response email from': 715682, 'email from business': 272183, 'from business that': 334756, 'business that aren': 144473, 'that aren restaurant': 842855, 'aren restaurant bar': 92506, 'restaurant bar hospitality': 716331, 'bar hospitality would': 110721, 'hospitality would you': 404819, 'would you avoid': 1012404, 'you avoid for': 1017349, 'avoid for example': 105110, 'for example online': 321287, 'example online shopping': 288961, 'shopping with certain': 764429, 'with certain store': 997594, 'certain store if': 170103, 'store if you': 808250, 'if you haven': 415452, 'you haven gotten': 1019148, 'haven gotten one': 383816, 'gotten one of': 359156, 'of those email': 592087, 'those email yet': 891959, 'sl': 773463, 'unlawful': 942557, 'unsubscribing': 943547, 'sl charging': 773464, 'charging client': 173461, 'client unlawful': 182120, 'unlawful price': 942560, 'be unsubscribing': 117882, 'unsubscribing your': 943548, 'all about': 41914, 'about making': 25689, 'making money': 511223, 'sl charging client': 773465, 'charging client unlawful': 173462, 'client unlawful price': 182121, 'unlawful price during': 942561, 'during pandemic we': 262907, 'pandemic we will': 636957, 'will be unsubscribing': 992748, 'be unsubscribing your': 117883, 'unsubscribing your service': 943549, 'your service it': 1025734, 'service it not': 752532, 'it not all': 459857, 'not all about': 568096, 'all about making': 41921, 'about making money': 25692, 'durables': 262348, 'dependence': 237338, 'trend after': 931255, 'after 19': 35277, '19 year': 12242, 'year most': 1014757, 'most affected': 542070, 'affected will': 34461, 'be travel': 117799, 'travel durables': 930345, 'durables shared': 262353, 'shared economy': 755408, 'economy luxury': 268052, 'luxury good': 506932, 'good real': 357628, 'estate home': 282124, 'home entertainment': 401145, 'entertainment consumer': 278556, 'consumer essential': 197374, 'essential telecom': 281646, 'telecom healthcare': 836683, 'and wellness': 75420, 'wellness education': 978838, 'education will': 268884, 'do well': 250501, 'well dependence': 978146, 'dependence on': 237341, 'china will': 177072, 'decrease working': 231612, 'home will': 402504, 'will increase': 993805, 'trend after 19': 931256, 'after 19 year': 35280, '19 year most': 12243, 'year most affected': 1014758, 'most affected will': 542077, 'affected will be': 34462, 'will be travel': 992737, 'be travel durables': 117800, 'travel durables shared': 930346, 'durables shared economy': 262354, 'shared economy luxury': 755409, 'economy luxury good': 268053, 'luxury good real': 506933, 'good real estate': 357629, 'real estate home': 701147, 'estate home entertainment': 282125, 'home entertainment consumer': 401147, 'entertainment consumer essential': 278557, 'consumer essential telecom': 197375, 'essential telecom healthcare': 281648, 'telecom healthcare and': 836684, 'healthcare and wellness': 387035, 'and wellness education': 75422, 'wellness education will': 978839, 'education will do': 268886, 'will do well': 993233, 'do well dependence': 250503, 'well dependence on': 978147, 'dependence on china': 237342, 'on china will': 599911, 'china will decrease': 177073, 'will decrease working': 993122, 'decrease working from': 231613, 'from home will': 335931, 'home will increase': 402508, 'anger': 76411, 'understand there': 940782, 'of anger': 580202, 'anger and': 76412, 'and confusion': 60295, 'confusion regarding': 194397, 'regarding the': 707281, 'the governor': 856635, 'governor emergency': 360898, 'emergency order': 272833, 'order but': 618094, 'would rather': 1012152, 'you mad': 1019743, 'mad at': 507522, 'your state': 1025926, 'and alive': 57850, 'alive than': 41838, 'than sick': 841141, 'sick or': 768550, 'or dead': 614892, 'dead and': 229129, 'and unable': 74588, 'to post': 911905, 'post mean': 666210, 'mean thing': 524718, 'thing on': 884636, 'our social': 624807, 'medium this': 527323, 'understand there is': 940783, 'lot of anger': 504138, 'of anger and': 580203, 'anger and confusion': 76413, 'and confusion regarding': 60299, 'confusion regarding the': 194398, 'regarding the governor': 707291, 'the governor emergency': 856640, 'governor emergency order': 360900, 'emergency order but': 272834, 'order but we': 618097, 'but we would': 147771, 'we would rather': 973976, 'would rather have': 1012155, 'rather have you': 697471, 'have you mad': 383678, 'you mad at': 1019744, 'mad at your': 507527, 'at your state': 101692, 'your state government': 1025931, 'state government and': 795610, 'government and alive': 359858, 'and alive than': 57852, 'alive than sick': 41839, 'than sick or': 841142, 'sick or dead': 768553, 'or dead and': 614893, 'dead and unable': 229133, 'and unable to': 74589, 'unable to post': 939342, 'to post mean': 911914, 'post mean thing': 666211, 'mean thing on': 524719, 'thing on our': 884639, 'on our social': 602630, 'our social medium': 624811, 'social medium this': 779890, 'medium this virus': 527324, 'this virus is': 891013, 'virus is no': 958390, '880': 23064, 'bullion': 142448, 'today extended': 919506, 'extended gain': 293164, 'gain for': 342768, 'for 3rd': 318833, '3rd consecutive': 18419, 'to touch': 917646, 'touch new': 926514, 'new lifetime': 559034, 'lifetime high': 489400, 'high of': 395189, 'of 44': 579586, '44 880': 19002, '880 per': 23065, 'per 10': 650666, '10 gram': 1448, 'gram in': 361825, 'the mumbai': 861141, 'mumbai bullion': 545998, 'bullion market': 142452, 'gold price today': 355977, 'price today extended': 677068, 'today extended gain': 919507, 'extended gain for': 293165, 'gain for 3rd': 342769, 'for 3rd consecutive': 318834, '3rd consecutive day': 18420, 'consecutive day to': 194818, 'day to touch': 228590, 'to touch new': 917652, 'touch new lifetime': 926515, 'new lifetime high': 559035, 'lifetime high of': 489401, 'high of 44': 395190, 'of 44 880': 579587, '44 880 per': 19003, '880 per 10': 23066, 'per 10 gram': 650667, '10 gram in': 1449, 'gram in the': 361826, 'in the mumbai': 429379, 'the mumbai bullion': 861142, 'mumbai bullion market': 545999, 'midday': 530604, 'port': 664873, 'capture': 162938, 'midday today': 530612, 'today port': 920053, 'port melbourne': 664885, 'melbourne cole': 527930, 'cole canned': 185851, 'food aisle': 313074, 'aisle told': 40409, 'told she': 923675, 'in tear': 428834, 'tear this': 835972, 'this capture': 886698, 'capture who': 162951, 'is suffering': 452431, 'suffering from': 817305, 'the me': 860332, 'me first': 522733, 'first unnecessary': 309146, 'unnecessary trend': 942955, 'trend of': 931404, 'midday today port': 530613, 'today port melbourne': 920054, 'port melbourne cole': 664887, 'melbourne cole canned': 527931, 'cole canned food': 185852, 'canned food aisle': 161507, 'food aisle told': 313078, 'aisle told she': 40410, 'told she wa': 923677, 'she wa in': 756416, 'wa in tear': 962387, 'in tear this': 428848, 'tear this capture': 835973, 'this capture who': 886699, 'capture who is': 162952, 'who is suffering': 989119, 'is suffering from': 452432, 'suffering from the': 817314, 'from the me': 337786, 'the me first': 860334, 'me first unnecessary': 522734, 'first unnecessary trend': 309148, 'unnecessary trend of': 942956, 'trend of panic': 931409, 'buying it ha': 150594, 'it ha to': 458418, 'bioeconomy': 131198, 'mol': 535630, 'windscreen': 995745, 'the bioeconomy': 849720, 'bioeconomy hub': 131199, 'hub with': 409845, 'their initiative': 873665, 'initiative and': 438605, 'and mol': 67100, 'mol switching': 535636, 'switching plant': 830566, 'plant from': 658652, 'from making': 336308, 'making windscreen': 511490, 'windscreen wash': 995746, 'to hand': 907115, 'in the bioeconomy': 429024, 'the bioeconomy hub': 849721, 'bioeconomy hub with': 131200, 'hub with their': 409847, 'with their initiative': 1001577, 'their initiative and': 873666, 'initiative and mol': 438606, 'and mol switching': 67101, 'mol switching plant': 535637, 'switching plant from': 830567, 'plant from making': 658653, 'from making windscreen': 336315, 'making windscreen wash': 511491, 'windscreen wash to': 995747, 'wash to hand': 967559, 'to hand sanitizer': 907120, 'brent': 139325, 'xbrusd': 1013796, 'xbr': 1013791, 'lower offer': 505920, 'for brent': 319782, 'brent crude': 139328, 'crude offer': 219547, 'offer below': 594539, 'below at': 126600, 'at price': 100195, 'price 27': 672141, '27 00': 16249, '00 25': 30, '25 50': 15817, '50 25': 19587, '25 00': 15785, '00 24': 28, '24 75': 15551, '75 canceled': 22121, 'canceled xbrusd': 160978, 'xbrusd xbr': 1013797, 'xbr oott': 1013794, 'oott brent': 611762, 'lower offer for': 505921, 'offer for brent': 594616, 'for brent crude': 319783, 'brent crude offer': 139332, 'crude offer below': 219548, 'offer below at': 594540, 'below at price': 126601, 'at price 27': 100196, 'price 27 00': 672142, '27 00 25': 16250, '00 25 50': 31, '25 50 25': 15818, '50 25 00': 19588, '25 00 24': 15787, '00 24 75': 29, '24 75 canceled': 15552, '75 canceled xbrusd': 22122, 'canceled xbrusd xbr': 160979, 'xbrusd xbr oott': 1013799, 'xbr oott brent': 1013795, 'divorce': 248702, 'renegotiate': 710956, 'settlement': 753711, 'still get': 800549, 'get divorce': 346891, 'divorce and': 248703, 'the delay': 853044, 'delay can': 232683, 'we renegotiate': 973079, 'renegotiate the': 710961, 'the term': 869291, 'term what': 838343, 'what happens': 981562, 'happens if': 377470, 'cannot sell': 162084, 'sell the': 748892, 'family home': 297893, 'from child': 334842, 'child support': 176209, 'support to': 826939, 'to financial': 905866, 'financial settlement': 306589, 'settlement your': 753723, 'your question': 1025493, 'about divorce': 25114, 'and crisis': 60755, 'crisis answered': 217067, 'can we still': 160202, 'we still get': 973403, 'still get divorce': 800551, 'get divorce and': 346892, 'divorce and what': 248706, 'and what about': 75447, 'about the delay': 26372, 'the delay can': 853045, 'delay can we': 232684, 'can we renegotiate': 160192, 'we renegotiate the': 973080, 'renegotiate the term': 710962, 'the term what': 869299, 'term what happens': 838344, 'what happens if': 981565, 'happens if we': 377475, 'if we cannot': 415271, 'we cannot sell': 971080, 'cannot sell the': 162085, 'sell the family': 748893, 'the family home': 854893, 'family home from': 297894, 'home from child': 401258, 'from child support': 334844, 'child support to': 176210, 'support to financial': 826943, 'to financial settlement': 905870, 'financial settlement your': 306591, 'settlement your question': 753724, 'your question about': 1025494, 'question about divorce': 693497, 'about divorce and': 25115, 'divorce and crisis': 248704, 'and crisis answered': 60756, 'disadvantaged': 244000, 'another thing': 77899, 'is donate': 447304, 'donate tinned': 254246, 'other supply': 621033, 'charity disadvantaged': 173604, 'disadvantaged people': 244009, 'people really': 649238, 'this especially': 887412, 'especially some': 280604, 'some item': 783143, 'item are': 463087, 'supermarket people': 821945, 'in melbourne': 425247, 'melbourne can': 527924, 'can donate': 158136, 'the auspol': 849050, 'another thing you': 77905, 'thing you can': 885031, 'do is donate': 249441, 'is donate tinned': 447305, 'donate tinned food': 254247, 'tinned food and': 898611, 'and other supply': 68419, 'other supply to': 621043, 'supply to charity': 825999, 'to charity disadvantaged': 902654, 'charity disadvantaged people': 173605, 'disadvantaged people really': 244010, 'people really need': 649245, 'really need this': 702446, 'need this especially': 555815, 'this especially some': 887414, 'especially some item': 280605, 'some item are': 783145, 'item are out': 463102, 'of stock at': 590140, 'stock at supermarket': 801887, 'at supermarket people': 100758, 'supermarket people in': 821951, 'people in melbourne': 648395, 'in melbourne can': 425249, 'melbourne can donate': 527925, 'can donate to': 158142, 'donate to place': 254267, 'to place like': 911752, 'place like the': 657557, 'like the auspol': 491349, 'new our': 559238, 'our shelter': 624743, 'shelter in': 757928, 'place online': 657622, 'online resource': 608863, 'resource guide': 714797, 'guide is': 368334, 'now up': 576273, 'date with': 226759, 'with special': 1000903, 'special grocery': 787938, 'our senior': 624711, 'and list': 66219, 'of open': 587291, 'open food': 612232, 'pantry free': 639590, 'new our shelter': 559239, 'our shelter in': 624744, 'shelter in place': 757933, 'in place online': 426752, 'place online resource': 657623, 'online resource guide': 608864, 'resource guide is': 714800, 'guide is now': 368336, 'is now up': 450354, 'now up to': 576274, 'to date with': 903946, 'date with special': 226762, 'with special grocery': 1000907, 'special grocery shopping': 787940, 'hour for our': 405612, 'for our senior': 324289, 'our senior and': 624712, 'senior and list': 750202, 'and list of': 66220, 'list of open': 494459, 'of open food': 587293, 'open food pantry': 612234, 'food pantry free': 315779, 'pantry free to': 639591, 'free to the': 332250, 'the public in': 864821, 're food': 698697, 'maker and': 510812, 'keeper it': 472339, 'got nation': 358732, 'nation to': 552345, 'feed apply': 302282, 'we re food': 972877, 're food maker': 698699, 'food maker and': 315361, 'maker and shop': 510813, 'and shop keeper': 71503, 'shop keeper it': 760389, 'keeper it just': 472340, 'it just what': 459256, 'just what we': 470290, 'what we do': 982547, 'we do and': 971323, 'do and we': 249073, 'and we ve': 75329, 've got nation': 953189, 'got nation to': 358733, 'nation to feed': 552346, 'to feed apply': 905717, 'feed apply for': 302283, 'apply for our': 82564, 'for our job': 324263, 'can not': 159041, 'up great': 945034, 'great result': 362970, 'result no': 717575, 'no clean': 563812, 'clean getaway': 180548, 'getaway this': 348767, 'time 19': 896178, 'you can not': 1017733, 'can not make': 159050, 'not make this': 570509, 'make this up': 510652, 'this up great': 890932, 'up great result': 945035, 'great result no': 362971, 'result no clean': 717576, 'no clean getaway': 563815, 'clean getaway this': 180549, 'getaway this time': 348768, 'this time 19': 890612, 'rapacious': 696878, 'generalstrike': 345553, 'still house': 800723, 'house of': 406422, 'of card': 581139, 'card consumer': 163489, 'based system': 111763, 'system supported': 831325, 'low quality': 505561, 'quality job': 691811, 'job service': 466150, 'service sector': 752792, 'sector with': 744412, 'with rapacious': 1000395, 'rapacious financial': 696879, 'financial sector': 306569, 'sector maybe': 744265, 'new system': 559716, 'system generalstrike': 831184, 'economy is still': 268014, 'is still house': 452286, 'still house of': 800724, 'house of card': 406423, 'of card consumer': 581140, 'card consumer based': 163490, 'consumer based system': 196411, 'based system supported': 111765, 'system supported by': 831326, 'supported by low': 827044, 'by low quality': 153108, 'low quality job': 505562, 'quality job service': 691812, 'job service sector': 466151, 'service sector with': 752802, 'sector with rapacious': 744414, 'with rapacious financial': 1000396, 'rapacious financial sector': 696880, 'financial sector maybe': 306572, 'sector maybe it': 744266, 'maybe it time': 521727, 'time for new': 896730, 'for new system': 323835, 'new system generalstrike': 559717, 'ladoj': 478724, 'hotline': 405226, '351': 17951, '4889': 19353, 'dispute': 246316, 'lalege': 479131, 'lagov': 478970, 'or pricegouging': 616695, 'pricegouging please': 677837, 'the ladoj': 858902, 'ladoj consumer': 478725, 'protection hotline': 685475, 'hotline at': 405243, '800 351': 22664, '351 4889': 17952, '4889 or': 19354, 'or fill': 615304, 'out consumer': 625875, 'consumer dispute': 197220, 'dispute form': 246323, 'form on': 329547, 'website lalege': 975331, 'lalege lagov': 479132, 'suspect scam or': 829490, 'scam or pricegouging': 740280, 'or pricegouging please': 616696, 'pricegouging please report': 677838, 'please report it': 660387, 'it to the': 461761, 'to the ladoj': 916831, 'the ladoj consumer': 858903, 'ladoj consumer protection': 478726, 'consumer protection hotline': 198535, 'protection hotline at': 685479, 'hotline at 800': 405245, 'at 800 351': 97763, '800 351 4889': 22665, '351 4889 or': 17953, '4889 or fill': 19355, 'or fill out': 615306, 'fill out consumer': 305478, 'out consumer dispute': 625879, 'consumer dispute form': 197221, 'dispute form on': 246325, 'form on our': 329548, 'our website lalege': 625343, 'website lalege lagov': 975332, 'diminishing': 242945, 'tim': 896147, 'leunig': 487472, 'succeeded': 816171, 'adviser': 33656, 'well the': 978653, 'food panic': 315748, 'panic linked': 638277, 'not diminishing': 569031, 'diminishing yet': 242948, 'yet imagine': 1016100, 'imagine if': 416737, 'this happened': 887843, 'happened after': 377216, 'that idiot': 844410, 'idiot tim': 413618, 'tim leunig': 896159, 'leunig succeeded': 487473, 'succeeded get': 816172, 'these idiot': 880140, 'idiot boris': 413469, 'boris government': 135457, 'government adviser': 359834, 'adviser say': 33665, 'say uk': 739417, 'uk could': 938280, 'could import': 209323, 'import all': 418611, 'food like': 315307, 'like singapore': 491194, 'singapore political': 771143, 'political news': 663664, 'well the food': 978659, 'the food panic': 855584, 'food panic linked': 315752, 'panic linked to': 638278, 'linked to is': 493995, 'to is not': 908526, 'is not diminishing': 450064, 'not diminishing yet': 569032, 'diminishing yet imagine': 242949, 'yet imagine if': 1016101, 'imagine if this': 416744, 'if this happened': 415156, 'this happened after': 887844, 'happened after that': 377218, 'after that idiot': 36275, 'that idiot tim': 844412, 'idiot tim leunig': 413619, 'tim leunig succeeded': 896160, 'leunig succeeded get': 487474, 'succeeded get rid': 816173, 'rid of these': 721398, 'of these idiot': 591829, 'these idiot boris': 880142, 'idiot boris government': 413470, 'boris government adviser': 135458, 'government adviser say': 359835, 'adviser say uk': 33666, 'say uk could': 739418, 'uk could import': 938283, 'could import all': 209324, 'import all food': 418612, 'all food like': 42816, 'food like singapore': 315312, 'like singapore political': 491195, 'singapore political news': 771144, 'political news sky': 663665, 'oh this': 596460, 'so great': 777203, 'great also': 362495, 'also how': 48372, 'anyone talk': 80546, 'talk that': 833852, 'that fast': 843843, 'oh this is': 596461, 'is so great': 452011, 'so great also': 777204, 'great also how': 362496, 'also how doe': 48376, 'how doe anyone': 407737, 'doe anyone talk': 251345, 'anyone talk that': 80548, 'talk that fast': 833853, 'coloring': 186834, 'lego': 486066, 'slimming': 773997, 'achievement': 29058, 'cupcake': 220509, 'dough': 256265, 'pot': 666874, 'friday peep': 333273, 'peep please': 646292, 'just think': 470038, 'food if': 314886, 'short on': 764664, 'supply get': 825313, 'you busy': 1017547, 'busy with': 145015, 'kid coloring': 473908, 'coloring pen': 186837, 'pen lego': 646410, 'lego slimming': 486073, 'slimming achievement': 773998, 'achievement kit': 29059, 'kit cupcake': 475530, 'cupcake making': 220510, 'making kit': 511163, 'kit making': 475592, 'making pizza': 511284, 'pizza dough': 657159, 'dough plant': 256268, 'plant pot': 658693, 'pot and': 666875, 'school closed on': 741733, 'closed on friday': 183259, 'on friday peep': 601011, 'friday peep please': 333274, 'peep please do': 646293, 'please do not': 659895, 'do not just': 249770, 'not just think': 570259, 'just think about': 470040, 'think about food': 885084, 'about food if': 25256, 'food if you': 314897, 'you re short': 1020744, 're short on': 699508, 'short on supply': 764666, 'on supply get': 603825, 'supply get thing': 825316, 'get thing to': 348399, 'thing to keep': 884894, 'keep you busy': 472233, 'you busy with': 1017548, 'busy with the': 145017, 'the kid coloring': 858781, 'kid coloring pen': 473909, 'coloring pen lego': 186838, 'pen lego slimming': 646411, 'lego slimming achievement': 486074, 'slimming achievement kit': 773999, 'achievement kit cupcake': 29060, 'kit cupcake making': 475531, 'cupcake making kit': 220511, 'making kit making': 511164, 'kit making pizza': 475593, 'making pizza dough': 511286, 'pizza dough plant': 657160, 'dough plant pot': 256269, 'plant pot and': 658694, 'pot and seed': 666877, 'loving': 505046, 'quiet': 694670, 'atm': 101912, 'loving how': 505057, 'how quiet': 408558, 'quiet the': 694705, 'tube is': 935037, 'is atm': 445879, 'atm covid': 101923, 'is terrible': 452606, 'terrible yes': 838456, 'yes but': 1015390, 'now get': 574767, 'get fantastic': 346988, 'fantastic level': 298594, 'consumer utility': 199435, 'utility for': 951288, 'my 50': 547163, '50 tube': 19893, 'tube ticket': 935051, 'loving how quiet': 505058, 'how quiet the': 408559, 'quiet the tube': 694706, 'the tube is': 870102, 'tube is atm': 935038, 'is atm covid': 445880, 'atm covid 19': 101924, '19 is terrible': 8062, 'is terrible yes': 452611, 'terrible yes but': 838457, 'yes but now': 1015396, 'but now get': 146605, 'now get fantastic': 574771, 'get fantastic level': 346989, 'fantastic level of': 298595, 'level of consumer': 487628, 'of consumer utility': 581783, 'consumer utility for': 199436, 'utility for my': 951289, 'for my 50': 323666, 'my 50 tube': 547164, '50 tube ticket': 19894, 'charity organization': 173665, 'organization particularly': 619412, 'particularly food': 642676, 'food shelf': 316451, 'shelf amp': 756710, 'amp pantry': 54273, 'with increased': 998974, 'for service': 325494, 'service amp': 752064, 'amp fewer': 53791, 'volunteer here': 960283, 'are place': 89093, 'to across': 900003, 'across mn': 29393, 'mn inc': 534797, 'inc visit': 431309, 'charity organization particularly': 173667, 'organization particularly food': 619413, 'particularly food shelf': 642678, 'food shelf amp': 316452, 'shelf amp pantry': 756712, 'amp pantry are': 54275, 'pantry are struggling': 639537, 'are struggling to': 90593, 'up with increased': 946652, 'with increased demand': 998975, 'demand for service': 235495, 'for service amp': 325496, 'service amp fewer': 752066, 'amp fewer volunteer': 53792, 'fewer volunteer here': 304245, 'volunteer here are': 960284, 'here are place': 392754, 'are place you': 89094, 'you can donate': 1017662, 'donate to across': 254249, 'to across mn': 900005, 'across mn inc': 29394, 'mn inc visit': 534798, 'inc visit to': 431310, 'visit to learn': 959413, 'warrant': 967319, 'believe the': 126355, 'the data': 852843, 'data in': 226273, 'iowa warrant': 444515, 'warrant shelterinplace': 967324, 'shelterinplace order': 758006, 'governor that': 360998, 'that being': 842972, 'being said': 125711, 'said continue': 731029, 'limit your': 492570, 'your trip': 1026214, 'store sanitize': 809989, 'sanitize surface': 734219, 'surface and': 827983, 'practice responsible': 668641, 'responsible socialdistancing': 716057, 'not believe the': 568560, 'believe the data': 126359, 'the data in': 852848, 'data in iowa': 226274, 'in iowa warrant': 424140, 'iowa warrant shelterinplace': 444516, 'warrant shelterinplace order': 967325, 'shelterinplace order from': 758008, 'order from the': 618260, 'from the governor': 337727, 'the governor that': 856646, 'governor that being': 360999, 'that being said': 842977, 'being said continue': 125712, 'said continue to': 731030, 'continue to limit': 201217, 'to limit your': 909308, 'limit your trip': 492574, 'your trip to': 1026215, 'grocery store sanitize': 365744, 'store sanitize surface': 809990, 'sanitize surface and': 734220, 'surface and practice': 827985, 'and practice responsible': 69303, 'practice responsible socialdistancing': 668642, 'consumerprotection': 199736, 'in positive': 426853, 'positive news': 665371, 'news announced': 560242, 'announced monday': 76995, 'monday that': 536388, 'ha removed': 371718, 'removed more': 710874, 'than 900': 840309, '900 selling': 23392, 'selling account': 749143, 'account in': 28700, 'it store': 461282, 'coronavirus based': 205541, 'based price': 111717, 'gouging consumer': 359296, 'consumer consumerprotection': 196957, 'consumerprotection pricing': 199748, 'pricing pandemic': 677954, 'in positive news': 426854, 'positive news announced': 665373, 'news announced monday': 560243, 'announced monday that': 76997, 'monday that it': 536389, 'that it ha': 844713, 'it ha removed': 458410, 'ha removed more': 371719, 'removed more than': 710875, 'more than 900': 540585, 'than 900 selling': 840310, '900 selling account': 23393, 'selling account in': 749144, 'account in it': 28701, 'in it store': 424272, 'it store for': 461289, 'store for coronavirus': 807794, 'for coronavirus based': 320375, 'coronavirus based price': 205542, 'based price gouging': 111718, 'price gouging consumer': 674271, 'gouging consumer consumerprotection': 359297, 'consumer consumerprotection pricing': 196958, 'consumerprotection pricing pandemic': 199749, 'prevented': 671784, 'over purchased': 630539, 'purchased panic': 689800, 'buy such': 149252, 'such food': 816498, 'paper should': 640778, 'be returned': 116862, 'returned you': 719989, 'you prevented': 1020425, 'prevented others': 671787, 'having supply': 384298, 'supply now': 825603, 'face your': 294874, 'your decision': 1023474, 'decision it': 231047, 'not our': 570855, 'our problem': 624472, 'problem rent': 679662, 'rent is': 711115, 'is due': 447399, 'due or': 261672, 'or that': 617358, 'that your': 847762, 'over purchased panic': 630540, 'purchased panic buy': 689801, 'panic buy such': 637532, 'buy such food': 149253, 'such food and': 816499, 'food and toilet': 313364, 'toilet paper should': 921451, 'paper should not': 640779, 'not be allowed': 568352, 'allowed to be': 46225, 'to be returned': 901507, 'be returned you': 116863, 'returned you prevented': 719990, 'you prevented others': 1020426, 'prevented others from': 671788, 'others from having': 621420, 'from having supply': 335734, 'having supply now': 384299, 'supply now face': 825605, 'now face your': 574656, 'face your decision': 294875, 'your decision it': 1023475, 'decision it not': 231049, 'it not our': 459906, 'not our problem': 570860, 'our problem rent': 624473, 'problem rent is': 679663, 'rent is due': 711116, 'is due or': 447400, 'due or that': 261673, 'or that your': 617364, 'that your family': 847766, 'your family is': 1023789, 'family is hungry': 297951, 'racism': 695267, 'hyderabad': 411916, 'facial': 295232, 'tanmay': 834265, 'mehta': 527867, 'indiafightscoronavirus': 434741, 'in yet': 431040, 'yet another': 1015989, 'another incident': 77670, 'of racism': 588712, 'racism amid': 695274, 'coronavirus frenzy': 205952, 'frenzy two': 332797, 'two people': 937132, 'were denied': 979513, 'denied entry': 236954, 'entry to': 279030, 'in hyderabad': 423933, 'hyderabad due': 411919, 'their facial': 873230, 'facial feature': 295239, 'feature watch': 301564, 'information report': 437968, 'report by': 711842, 'by tanmay': 154217, 'tanmay mehta': 834266, 'mehta lockdown': 527870, 'lockdown northeast': 499694, 'northeast indiafightscoronavirus': 567723, 'in yet another': 431041, 'yet another incident': 1015993, 'another incident of': 77671, 'incident of racism': 431426, 'of racism amid': 588713, 'racism amid the': 695275, 'the coronavirus frenzy': 851852, 'coronavirus frenzy two': 205953, 'frenzy two people': 332798, 'two people were': 937141, 'people were denied': 650199, 'were denied entry': 979514, 'denied entry to': 236956, 'entry to supermarket': 279036, 'to supermarket in': 915802, 'supermarket in hyderabad': 820911, 'in hyderabad due': 423934, 'hyderabad due to': 411920, 'due to their': 261993, 'to their facial': 917232, 'their facial feature': 873232, 'facial feature watch': 295240, 'feature watch the': 301565, 'watch the video': 968554, 'the video for': 870745, 'video for more': 956732, 'more information report': 539592, 'information report by': 437969, 'report by tanmay': 711849, 'by tanmay mehta': 154218, 'tanmay mehta lockdown': 834267, 'mehta lockdown northeast': 527871, 'lockdown northeast indiafightscoronavirus': 499695, 'knock': 476145, 'application': 82435, 'developed': 239671, 'ecommercebusiness': 266903, 'opportunity knock': 613649, 'knock on': 476160, 'door build': 255538, 'build your': 142022, 'online business': 607954, 'business with': 144695, 'with sign': 1000731, 'up get': 945014, 'your ecommerce': 1023616, 'ecommerce application': 266716, 'application developed': 82447, 'developed in': 239710, 'in few': 422859, 'week time': 977061, 'time grocery': 896865, 'supermarket ecommerce': 820085, 'ecommerce ecommercebusiness': 266759, 'ecommercebusiness newnormal': 266904, 'newnormal retail': 560143, 'opportunity knock on': 613651, 'knock on the': 476162, 'on the door': 604074, 'the door build': 853562, 'door build your': 255539, 'build your online': 142024, 'your online business': 1025069, 'online business with': 607960, 'business with sign': 144704, 'with sign up': 1000733, 'sign up get': 769252, 'up get your': 945016, 'get your ecommerce': 348698, 'your ecommerce application': 1023617, 'ecommerce application developed': 266718, 'application developed in': 82448, 'developed in few': 239711, 'in few week': 422865, 'few week time': 304171, 'week time grocery': 977062, 'time grocery supermarket': 896869, 'grocery supermarket ecommerce': 365995, 'supermarket ecommerce ecommercebusiness': 820086, 'ecommerce ecommercebusiness newnormal': 266760, 'ecommercebusiness newnormal retail': 266905, 'be certain': 114042, 'certain to': 170120, 'thank them': 841654, 'amazon delivery': 50909, 'delivery folk': 234001, 'folk pharmacist': 312234, 'pharmacist hospitality': 654147, 'hospitality staff': 404805, 'course nurse': 211908, 'doctor these': 251130, 'this battle': 886493, 'be certain to': 114043, 'certain to thank': 170121, 'to thank them': 916436, 'thank them for': 841660, 'them for their': 875728, 'for their service': 326869, 'their service grocery': 874661, 'driver amazon delivery': 259396, 'amazon delivery folk': 50910, 'delivery folk pharmacist': 234002, 'folk pharmacist hospitality': 312235, 'pharmacist hospitality staff': 654148, 'hospitality staff and': 404806, 'staff and of': 792149, 'of course nurse': 582065, 'course nurse and': 211909, 'and doctor these': 61583, 'doctor these are': 251131, 'line of this': 493318, 'of this battle': 591940, 'woulf': 1012517, 'it these': 461621, 'these high': 880115, 'sanitiser what': 734044, 'what woulf': 982648, 'woulf it': 1012518, 'it use': 461989, 'use after': 949016, 'come to think': 187608, 'to think of': 917378, 'think of it': 885449, 'of it these': 585455, 'it these high': 461623, 'these high price': 880117, 'price of sanitiser': 675561, 'of sanitiser what': 589281, 'sanitiser what woulf': 734046, 'what woulf it': 982649, 'woulf it use': 1012519, 'it use after': 461990, 'use after the': 949017, 'abouttime': 27025, '30 pay': 17174, 'pay cut': 644823, 'cut 20': 223210, '20 million': 13160, 'the 125': 847879, '125 million': 3070, 'national league': 552550, 'league abouttime': 483842, 'abouttime take': 27026, 'about second': 26154, 'second to': 743849, 'put gate': 690585, 'gate price': 344350, 'up tho': 946287, '30 pay cut': 17175, 'pay cut 20': 644824, 'cut 20 million': 223211, '20 million to': 13163, 'million to the': 532392, 'to the 125': 916470, 'the 125 million': 847880, '125 million to': 3071, 'million to and': 532381, 'to and national': 900514, 'and national league': 67432, 'national league abouttime': 552551, 'league abouttime take': 483843, 'abouttime take about': 27027, 'take about second': 831885, 'about second to': 26155, 'second to put': 743854, 'to put gate': 912589, 'put gate price': 690586, 'gate price up': 344354, 'price up tho': 677263, '14days': 3609, 'we agreed': 970299, 'agreed the': 38729, 'the deadly': 852943, 'deadly virus': 229301, 'virus covid': 958097, 'but sir': 147063, 'sir there': 771658, 'be provision': 116608, 'provision for': 687257, 'that feed': 843851, 'feed on': 302345, 'on daily': 600205, 'daily income': 224641, 'income most': 432412, 'most citizen': 542173, 'citizen can': 178867, 'not afford': 568075, 'to 14days': 899496, '14days food': 3610, 'food remember': 316166, 'remember hunger': 710209, 'hunger kill': 411140, 'kill faster': 474391, 'faster th': 300120, 'we agreed the': 970301, 'agreed the lockdown': 38730, 'lockdown is to': 499558, 'is to reduce': 453235, 'of the deadly': 590931, 'the deadly virus': 852950, 'deadly virus covid': 229304, 'virus covid 19': 958098, '19 but sir': 5526, 'but sir there': 147064, 'sir there should': 771660, 'should be provision': 765701, 'be provision for': 116609, 'provision for those': 687259, 'those that feed': 892533, 'that feed on': 843852, 'feed on daily': 302347, 'on daily income': 600207, 'daily income most': 224642, 'income most citizen': 432413, 'most citizen can': 542174, 'citizen can not': 178871, 'can not afford': 159042, 'not afford to': 568079, 'stock up to': 803124, 'up to 14days': 946322, 'to 14days food': 899497, '14days food remember': 3611, 'food remember hunger': 316167, 'remember hunger kill': 710210, 'hunger kill faster': 411143, 'kill faster th': 474393, 'the cute': 852745, 'cute outfit': 223667, 'outfit not': 628944, 'not gonna': 569711, 'gonna wear': 356650, 'wear this': 974480, 'shopping for all': 762656, 'all the cute': 44709, 'the cute outfit': 852747, 'cute outfit not': 223668, 'outfit not gonna': 628945, 'not gonna wear': 569715, 'gonna wear this': 356654, 'spare': 787466, 'being the': 125924, 'the generous': 856212, 'generous person': 345729, 'person that': 652632, 'that am': 842611, 'am few': 50045, 'ago gave': 38393, 'gave away': 344600, 'away my': 105971, 'my spare': 550178, 'spare hand': 787481, 'group thinking': 366922, 'thinking could': 885891, 'buy more': 148964, 'more few': 539206, 'later despite': 481046, 'despite my': 238794, 'my daily': 547907, 'daily visit': 224868, 'store haven': 808107, 'haven bought': 383767, 'bought any': 136503, 'any and': 78923, 'and stupid': 72622, 'stupid price': 815444, 'on amazon': 599269, 'amazon and': 50847, 'and ebay': 61885, 'being the generous': 125927, 'the generous person': 856213, 'generous person that': 345731, 'person that am': 652633, 'that am few': 842612, 'am few week': 50046, 'week ago gave': 975847, 'ago gave away': 38394, 'gave away my': 344603, 'away my spare': 105972, 'my spare hand': 550179, 'spare hand sanitizers': 787483, 'hand sanitizers to': 375726, 'sanitizers to people': 736425, 'to people in': 911626, 'in the at': 428992, 'the at risk': 849001, 'at risk group': 100363, 'risk group thinking': 723596, 'group thinking could': 366923, 'thinking could buy': 885892, 'could buy more': 208981, 'buy more few': 148969, 'more few week': 539207, 'week later despite': 976467, 'later despite my': 481047, 'despite my daily': 238796, 'my daily visit': 547909, 'daily visit to': 224869, 'visit to the': 959417, 'the store haven': 868034, 'store haven bought': 808108, 'haven bought any': 383768, 'bought any and': 136504, 'any and stupid': 78926, 'and stupid price': 72624, 'stupid price on': 815446, 'price on amazon': 675648, 'on amazon and': 599270, 'amazon and ebay': 50849, 'shirt': 758962, 'lowered': 506061, 'lazzaro': 482758, 'spallanzani': 787372, 'rome': 725743, 'forzaroma': 330071, 'romacares': 725707, 'shirt price': 759001, 'been lowered': 121497, 'lowered to': 506090, 'to 20': 899566, '20 and': 12941, 'all proceeds': 44052, 'proceeds will': 679865, 'be donated': 114540, 'donated to': 254362, 'the lazzaro': 859207, 'lazzaro spallanzani': 482759, 'spallanzani hospital': 787373, 'hospital in': 404463, 'in rome': 427538, 'rome let': 725749, 'let fight': 486710, 'together forzaroma': 920798, 'forzaroma romacares': 330072, 'shirt price have': 759002, 'have been lowered': 379603, 'been lowered to': 121499, 'lowered to 20': 506091, 'to 20 and': 899569, '20 and all': 12943, 'and all proceeds': 57885, 'all proceeds will': 44055, 'proceeds will be': 679866, 'will be donated': 992437, 'be donated to': 114543, 'donated to the': 254369, 'to the lazzaro': 916839, 'the lazzaro spallanzani': 859208, 'lazzaro spallanzani hospital': 482760, 'spallanzani hospital in': 787374, 'hospital in rome': 404474, 'in rome let': 427539, 'rome let fight': 725750, 'let fight this': 486719, 'fight this together': 304921, 'this together forzaroma': 890765, 'together forzaroma romacares': 920799, 'iceland managing': 412713, 'managing director': 512863, 'director richard': 243664, 'richard walker': 721308, 'walker ha': 964994, 'described covid': 237942, 'buying social': 151049, 'social injustice': 779806, 'injustice and': 438725, 'and middle': 66995, 'class privilege': 180244, 'privilege iceland': 679029, 'iceland store': 412720, 'store he': 808115, 'he say': 385390, 'say are': 738434, 'often in': 596214, 'more deprived': 539003, 'deprived area': 237699, 'area where': 92258, 'people cannot': 647424, 'stockpile food': 803743, 'iceland managing director': 412714, 'managing director richard': 512867, 'director richard walker': 243665, 'richard walker ha': 721309, 'walker ha described': 964996, 'ha described covid': 370362, 'described covid 19': 237943, 'panic buying social': 637891, 'buying social injustice': 151050, 'social injustice and': 779807, 'injustice and middle': 438726, 'and middle class': 66996, 'middle class privilege': 530638, 'class privilege iceland': 180245, 'privilege iceland store': 679030, 'iceland store he': 412721, 'store he say': 808121, 'he say are': 385391, 'say are often': 738437, 'are often in': 88691, 'often in more': 596215, 'in more deprived': 425434, 'more deprived area': 539004, 'deprived area where': 237700, 'area where people': 92262, 'where people cannot': 985097, 'people cannot afford': 647426, 'afford to stockpile': 34809, 'to stockpile food': 915470, 'charter': 173862, 'luggage': 506612, 'accommodate': 28424, 'private charter': 678873, 'charter airline': 173863, 'airline set': 40016, 'price generally': 674163, 'generally higher': 345531, 'the pre': 864197, 'pre covid': 669154, 'the apr': 848836, 'apr 16': 83359, '16 flight': 4108, 'flight will': 310560, 'will fly': 993456, 'fly to': 311634, 'to miami': 910107, 'miami allow': 530160, 'allow piece': 46035, 'of luggage': 586070, 'luggage and': 506613, 'may accommodate': 520888, 'accommodate pet': 28433, 'pet if': 653412, 'to return': 913474, 'the please': 863838, 'please seriously': 660468, 'consider this': 195157, 'this option': 889282, 'private charter airline': 678874, 'charter airline set': 173864, 'airline set their': 40017, 'own price generally': 632146, 'price generally higher': 674164, 'generally higher than': 345532, 'higher than the': 395762, 'than the pre': 841261, 'the pre covid': 864198, 'pre covid 19': 669155, 'covid 19 price': 213610, '19 price the': 9821, 'price the apr': 676820, 'the apr 16': 848837, 'apr 16 flight': 83360, '16 flight will': 4109, 'flight will fly': 310562, 'will fly to': 993457, 'fly to miami': 311635, 'to miami allow': 910108, 'miami allow piece': 530161, 'allow piece of': 46036, 'piece of luggage': 656339, 'of luggage and': 586071, 'luggage and may': 506614, 'and may accommodate': 66795, 'may accommodate pet': 520889, 'accommodate pet if': 28434, 'pet if you': 653413, 'you have an': 1019013, 'have an urgent': 379271, 'urgent need to': 948352, 'need to return': 556050, 'to return to': 913481, 'return to the': 719932, 'to the please': 916959, 'the please seriously': 863840, 'please seriously consider': 660469, 'seriously consider this': 751565, 'consider this option': 195164, 'damn grocery': 225355, 'of product': 588477, 'product but': 681024, 'but cant': 145388, 'cant keep': 162316, 'up stocking': 946072, 'stocking because': 803545, 'you damn': 1018144, 'damn crazy': 225336, 'crazy are': 215251, 'spending all': 788724, 'money on': 536927, 'on stuff': 603728, 'stuff that': 815194, 'that isnt': 844683, 'isnt going': 454778, 'going away': 355036, 'away there': 106056, 'or anything': 614373, 'anything else': 80740, 'this panic shopping': 889463, 'panic shopping ha': 638572, 'shopping ha to': 762834, 'stop the damn': 805129, 'the damn grocery': 852814, 'damn grocery store': 225356, 'store have plenty': 808093, 'plenty of product': 660969, 'of product but': 588485, 'product but cant': 681026, 'but cant keep': 145391, 'cant keep up': 162317, 'keep up stocking': 472178, 'up stocking because': 946073, 'stocking because all': 803546, 'because all you': 118922, 'all you damn': 45536, 'you damn crazy': 1018145, 'damn crazy are': 225337, 'crazy are spending': 215252, 'are spending all': 90323, 'spending all your': 788728, 'all your money': 45574, 'your money on': 1024866, 'money on stuff': 536939, 'on stuff that': 603730, 'stuff that isnt': 815196, 'that isnt going': 844684, 'isnt going away': 454779, 'going away there': 355041, 'away there no': 106058, 'there no shortage': 878840, 'of food toilet': 583804, 'paper or anything': 640545, 'or anything else': 614377, 'bullard': 142412, 'in fed': 422853, 'fed bullard': 301788, 'bullard say': 142413, 'say unemployment': 739421, 'unemployment rate': 941266, 'rate may': 697298, 'may hit': 521273, 'hit 30': 398105, 'just in fed': 469035, 'in fed bullard': 422854, 'fed bullard say': 301789, 'bullard say unemployment': 142414, 'say unemployment rate': 739422, 'unemployment rate may': 941274, 'rate may hit': 697299, 'may hit 30': 521275, 'hit 30 in': 398106, '30 in the': 17083, 'to fix': 905988, 'fix your': 309766, 'your toy': 1026194, 'toy during': 927676, 'store repost': 809827, 'repost our': 712830, '19 issue': 8114, 'is resolved': 451463, 'resolved stay': 714650, 'when you need': 984583, 'need to fix': 555938, 'to fix your': 905995, 'fix your toy': 309767, 'your toy during': 1026195, 'toy during these': 927677, 'during these time': 263242, 'these time be': 880838, 'time be sure': 896367, 'sure to support': 827786, 'support the online': 826879, 'the online store': 862282, 'online store repost': 609467, 'store repost our': 809828, 'repost our retail': 712831, 'retail store will': 718730, 'be closed until': 114137, 'closed until the': 183418, 'until the covid': 943850, 'covid 19 issue': 213297, '19 issue is': 8116, 'issue is resolved': 455820, 'is resolved stay': 451464, 'resolved stay safe': 714651, 'of self': 589464, 'isolating with': 455164, 'symptom haven': 830854, 'haven stock': 383904, 'piled food': 656532, 'food can': 313866, 'week what': 977215, 'eat boris': 265869, 'boris we': 135499, 'we haven': 971990, 'been tested': 122149, 'tested perhaps': 839339, 'perhaps we': 651663, 'should go': 766044, 'food govt': 314703, 'govt must': 361204, 'must start': 546899, 'start test': 794541, 'family of self': 298104, 'of self isolating': 589472, 'self isolating with': 747746, 'isolating with covid': 455167, '19 symptom haven': 11016, 'symptom haven stock': 830855, 'haven stock piled': 383905, 'stock piled food': 802640, 'piled food can': 656533, 'food can get': 313869, 'get delivery for': 346862, 'delivery for week': 234035, 'for week what': 327763, 'week what are': 977216, 'going to eat': 355580, 'to eat boris': 904871, 'eat boris we': 265870, 'boris we haven': 135500, 'we haven been': 971991, 'haven been tested': 383764, 'been tested perhaps': 122153, 'tested perhaps we': 839340, 'perhaps we should': 651667, 'we should go': 973274, 'should go out': 766047, 'out to get': 627647, 'get food govt': 347044, 'food govt must': 314704, 'govt must start': 361208, 'must start test': 546900, 'regulate': 707981, 'que': 693304, 'surely the': 827940, 'the exam': 854660, 'exam can': 288790, 'go ahead': 353256, 'ahead the': 39212, 'the school': 866486, 'school are': 741693, 'closed point': 183293, 'point the': 662647, 'exam regulation': 288804, 'regulation state': 708110, 'state there': 795996, 'least one': 484582, 'one metre': 606658, 'metre apart': 529820, 'apart point': 81323, 'point regulate': 662610, 'regulate the': 707991, 'the que': 864998, 'que to': 693322, 'exam point': 288800, 'point we': 662690, 'are closer': 85380, 'closer together': 183523, 'supermarket coronacrisis': 819793, 'surely the exam': 827942, 'the exam can': 854661, 'exam can go': 288791, 'can go ahead': 158489, 'go ahead the': 353259, 'ahead the school': 39214, 'the school are': 866488, 'school are closed': 741695, 'are closed point': 85361, 'closed point the': 183294, 'point the exam': 662648, 'the exam regulation': 854664, 'exam regulation state': 288805, 'regulation state there': 708111, 'state there is': 795997, 'there is at': 878528, 'is at least': 445866, 'at least one': 99532, 'least one metre': 484586, 'one metre apart': 606659, 'metre apart point': 529826, 'apart point regulate': 81324, 'point regulate the': 662611, 'regulate the que': 707996, 'the que to': 865000, 'que to go': 693323, 'go in for': 353705, 'in for the': 423028, 'for the exam': 326419, 'the exam point': 854663, 'exam point we': 288801, 'point we are': 662691, 'we are closer': 970501, 'are closer together': 85383, 'closer together in': 183525, 'together in supermarket': 920835, 'in supermarket coronacrisis': 428579, 'float': 310657, 'nahh': 551418, '19 float': 7024, 'float in': 310658, 'air for': 39731, 'hour nahh': 405771, 'nahh im': 551419, 'im online': 416566, 'covid 19 float': 213103, '19 float in': 7025, 'float in the': 310659, 'the air for': 848485, 'air for hour': 39733, 'for hour nahh': 322397, 'hour nahh im': 405772, 'nahh im online': 551420, 'im online shopping': 416567, 'shopping for this': 762719, 'optician': 613883, 'wolstanton': 1003383, 'stoke': 804239, 'vandalized': 952390, 'to optician': 911037, 'optician wolstanton': 613884, 'wolstanton in': 1003384, 'in stoke': 428361, 'stoke they': 804243, 'put sign': 690813, 'sign in': 769128, 'the bathroom': 849329, 'bathroom saying': 112663, 'you steal': 1021393, 'steal toilet': 799208, 'banned from': 110569, 'entire toilet': 278762, 'paper unit': 641038, 'unit wa': 942112, 'wa vandalized': 963631, 'vandalized and': 952391, 'and stolen': 72462, 'the men': 860471, 'men bathroom': 528467, 'bathroom stop': 112671, 'been to optician': 122223, 'to optician wolstanton': 911038, 'optician wolstanton in': 613885, 'wolstanton in stoke': 1003385, 'in stoke they': 428362, 'stoke they have': 804244, 'they have had': 882323, 'have had to': 380880, 'had to put': 373713, 'to put sign': 912610, 'put sign in': 690814, 'sign in the': 769131, 'in the bathroom': 429010, 'the bathroom saying': 849335, 'bathroom saying that': 112664, 'saying that if': 739700, 'if you steal': 415527, 'you steal toilet': 1021394, 'steal toilet paper': 799209, 'paper you will': 641137, 'you will be': 1022324, 'will be banned': 992373, 'be banned from': 113809, 'banned from the': 110577, 'from the store': 337890, 'store the entire': 810595, 'the entire toilet': 854371, 'entire toilet paper': 278763, 'toilet paper unit': 921511, 'paper unit wa': 641039, 'unit wa vandalized': 942113, 'wa vandalized and': 963632, 'vandalized and stolen': 952392, 'and stolen from': 72463, 'stolen from the': 804291, 'from the men': 337787, 'the men bathroom': 860473, 'men bathroom stop': 528468, 'bathroom stop panic': 112672, 'annualised': 77423, 'robin': 724725, 'bhar': 129338, 'offset': 596087, 'just of': 469356, 'of annualised': 580224, 'annualised supply': 77424, 'supply ha': 825340, 'been cut': 120913, 'far rising': 298908, 'rising to': 723306, '12 for': 2856, '15 for': 3709, 'and 20': 57394, '20 for': 13057, 'and analyst': 58124, 'analyst robin': 57168, 'robin bhar': 724726, 'bhar ass': 129339, 'ass more': 96258, 'more cut': 538939, 'cut will': 223629, 'help offset': 390172, 'offset slump': 596109, 'slump in': 774691, 'demand prevent': 236063, 'prevent price': 671699, 'price from': 674106, 'from falling': 335393, 'falling further': 297272, 'just of annualised': 469357, 'of annualised supply': 580225, 'annualised supply ha': 77425, 'supply ha been': 825341, 'ha been cut': 369765, 'been cut in': 120915, 'cut in response': 223385, '19 so far': 10641, 'so far rising': 777054, 'far rising to': 298909, 'rising to for': 723307, 'to for 12': 906127, 'for 12 for': 318641, '12 for 15': 2857, 'for 15 for': 318666, '15 for and': 3711, 'for and 20': 319314, 'and 20 for': 57397, '20 for and': 13059, 'for and analyst': 319317, 'and analyst robin': 58127, 'analyst robin bhar': 57169, 'robin bhar ass': 724727, 'bhar ass more': 129340, 'ass more cut': 96259, 'more cut will': 538940, 'cut will help': 223630, 'will help offset': 993721, 'help offset slump': 390173, 'offset slump in': 596110, 'slump in demand': 774693, 'in demand prevent': 422146, 'demand prevent price': 236064, 'prevent price from': 671700, 'price from falling': 674113, 'from falling further': 335394, 'oshawa': 619707, 'ont': 611563, 'bcpoli': 113355, 'oshawa ont': 619708, 'ont grocery': 611564, 'employee diagnosed': 273775, 'with 19': 996961, '19 dy': 6677, 'dy in': 263732, 'hospital bcpoli': 404316, 'bcpoli cdnpoli': 113358, 'oshawa ont grocery': 619709, 'ont grocery store': 611565, 'store employee diagnosed': 807476, 'employee diagnosed with': 273776, 'diagnosed with 19': 240236, 'with 19 dy': 996964, '19 dy in': 6678, 'dy in hospital': 263735, 'in hospital bcpoli': 423805, 'hospital bcpoli cdnpoli': 404317, 'chatting': 174007, 'hear and': 387878, 'and chatting': 59770, 'chatting about': 174008, 'from major': 336300, 'major event': 509320, 'event being': 284952, 'cancelled to': 161183, 'in today': 430150, 'today podcast': 920047, 'hear and chatting': 387879, 'and chatting about': 59771, 'chatting about the': 174010, 'about the latest': 26431, 'latest news from': 481455, 'news from major': 560455, 'from major event': 336302, 'major event being': 509321, 'event being cancelled': 284953, 'being cancelled to': 124926, 'cancelled to supermarket': 161184, 'to supermarket queue': 915832, 'queue in today': 693963, 'in today podcast': 430161, 'boost plummeting': 134991, 'plummeting price': 661387, 'russia saudi': 728554, 'saudi price': 737288, 'war top': 966570, 'top oil': 925649, 'have agreed': 379143, 'order to boost': 618666, 'to boost plummeting': 901925, 'boost plummeting price': 134993, 'plummeting price due': 661389, 'crisis and russia': 217048, 'and russia saudi': 70680, 'russia saudi price': 728560, 'saudi price war': 737290, 'price war top': 677379, 'war top oil': 966571, 'top oil producing': 925652, 'producing country have': 680754, 'country have agreed': 210734, 'have agreed to': 379145, 'agreed to cut': 38738, 'lol the': 500959, 'idiot reporter': 413572, 'reporter wa': 712642, 'wa asking': 961593, 'asking question': 96050, 'about oil': 25837, 'but doesn': 145575, 'doesn know': 251862, 'know today': 476909, 'today price': 920067, 'lol the idiot': 500960, 'the idiot reporter': 857846, 'idiot reporter wa': 413573, 'reporter wa asking': 712643, 'wa asking question': 961595, 'asking question about': 96051, 'question about oil': 693502, 'about oil price': 25838, 'oil price but': 597069, 'price but doesn': 672975, 'but doesn know': 145576, 'doesn know today': 251866, 'know today price': 476911, 'today price of': 920070, 'complimentary': 192505, '26 we': 16198, 'we hosted': 972041, 'hosted complimentary': 404919, 'complimentary bite': 192507, 'bite sized': 131873, 'sized live': 772830, 'live roundtable': 496005, 'roundtable discussion': 726395, 'discussion with': 245057, 'the podcast': 863891, 'podcast is': 662290, 'now available': 574149, 'available listen': 104480, 'listen and': 494664, 'and hear': 64405, 'hear how': 387933, 'coping during': 203370, 'time mrx': 897233, 'mrx consumerbehavior': 544469, 'on march 26': 602023, 'march 26 we': 515219, '26 we hosted': 16199, 'we hosted complimentary': 972042, 'hosted complimentary bite': 404920, 'complimentary bite sized': 192508, 'bite sized live': 131875, 'sized live roundtable': 772831, 'live roundtable discussion': 496006, 'roundtable discussion with': 726397, 'discussion with consumer': 245059, 'with consumer the': 997770, 'consumer the podcast': 199269, 'the podcast is': 863894, 'podcast is now': 662291, 'is now available': 450262, 'now available listen': 574160, 'available listen and': 104481, 'listen and hear': 494665, 'and hear how': 64407, 'hear how consumer': 387934, 'how consumer are': 407590, 'consumer are coping': 196288, 'are coping during': 85566, 'coping during this': 203372, 'this time mrx': 890664, 'time mrx consumerbehavior': 897234, 'dig': 242424, 'easiest': 265174, 'fastest': 300139, 'efficient': 269412, 'karel': 470886, 'reason with': 703066, 'empty many': 274946, 'are concerned': 85477, 'their food': 873335, 'supply your': 826150, 'your no': 1025019, 'no dig': 564020, 'dig method': 242440, 'method is': 529779, 'the easiest': 853838, 'easiest fastest': 265175, 'fastest and': 300140, 'most efficient': 542287, 'efficient way': 269441, 'address their': 32050, 'their concern': 872839, 'concern thanks': 193107, 'thanks karel': 842125, 'the reason with': 865282, 'reason with supermarket': 703069, 'with supermarket shelf': 1001061, 'supermarket shelf empty': 822460, 'shelf empty many': 757023, 'empty many are': 274947, 'many are concerned': 513754, 'are concerned about': 85478, 'concerned about their': 193177, 'about their food': 26584, 'their food supply': 873351, 'food supply your': 317021, 'supply your no': 826151, 'your no dig': 1025021, 'no dig method': 564021, 'dig method is': 242441, 'method is the': 529781, 'is the easiest': 452780, 'the easiest fastest': 853839, 'easiest fastest and': 265176, 'fastest and most': 300141, 'and most efficient': 67266, 'most efficient way': 542288, 'efficient way to': 269442, 'way to address': 969985, 'to address their': 900094, 'address their concern': 32051, 'their concern thanks': 872841, 'concern thanks karel': 193108, 'spaniard': 787401, 'spain madrid': 787320, 'madrid toilet': 508237, 'in spain': 428164, 'spain supermarket': 787348, 'full the': 340923, 'the spaniard': 867533, 'spaniard now': 787402, 'now seem': 575758, 'seem to': 746688, 'hoarding beer': 399214, 'wine olive': 995851, 'olive potato': 598743, 'potato chip': 666924, 'chip and': 177499, 'and chocolate': 59870, 'spain madrid toilet': 787321, 'madrid toilet paper': 508238, 'paper is out': 640360, 'is out in': 450662, 'out in spain': 626397, 'in spain supermarket': 428182, 'spain supermarket shelf': 787349, 'shelf are full': 756802, 'are full the': 86735, 'full the spaniard': 340925, 'the spaniard now': 867534, 'spaniard now seem': 787403, 'now seem to': 575759, 'seem to be': 746691, 'to be hoarding': 901309, 'be hoarding beer': 115275, 'hoarding beer and': 399215, 'beer and wine': 122435, 'and wine olive': 75720, 'wine olive potato': 995852, 'olive potato chip': 598744, 'potato chip and': 666925, 'chip and chocolate': 177500, 'rant': 696839, 'gofundme': 354919, 'march 14': 515069, '14 posted': 3520, 'posted hoax': 666535, 'hoax anti': 399698, 'anti socialism': 78326, 'socialism rant': 780975, 'rant on': 696846, 'on fb': 600745, 'fb april': 300643, 'april died': 83574, '19 family': 6936, 'family asking': 297638, 'for gofundme': 321912, 'gofundme donation': 354924, 'march 14 posted': 515072, '14 posted hoax': 3521, 'posted hoax anti': 666536, 'hoax anti socialism': 399699, 'anti socialism rant': 78327, 'socialism rant on': 780976, 'rant on fb': 696848, 'on fb april': 600747, 'fb april died': 300644, 'april died from': 83575, 'covid 19 family': 213073, '19 family asking': 6937, 'family asking for': 297639, 'asking for gofundme': 95987, 'for gofundme donation': 321913, 'monetary': 536534, 'subsided': 815947, 'heavy': 388617, '9ja': 23985, 'insulated': 440616, 'insensitive': 439188, 'unconcerned': 939867, 'else government': 271708, 'making effort': 511034, 'effort in': 269530, 'in form': 423046, 'of monetary': 586597, 'monetary support': 536552, 'support food': 826498, 'supply subsided': 825915, 'subsided price': 815950, 'price among': 672326, 'among others': 53038, 'the heavy': 857221, 'heavy strain': 388660, 'strain people': 812296, 'experiencing from': 291649, 'total lock': 926182, 'down 19': 256384, 'in 9ja': 419969, '9ja the': 23991, 'so insulated': 777418, 'insulated insensitive': 440619, 'insensitive unconcerned': 439203, 'everywhere else government': 288196, 'else government are': 271709, 'government are making': 359899, 'are making effort': 87977, 'making effort in': 511036, 'effort in form': 269532, 'in form of': 423047, 'form of monetary': 329539, 'of monetary support': 586600, 'monetary support food': 536553, 'support food supply': 826504, 'food supply subsided': 317000, 'supply subsided price': 825916, 'subsided price among': 815951, 'price among others': 672328, 'among others to': 53041, 'others to reduce': 621734, 'reduce the heavy': 705962, 'the heavy strain': 857222, 'heavy strain people': 388661, 'strain people are': 812297, 'people are experiencing': 646967, 'are experiencing from': 86341, 'experiencing from the': 291650, 'from the total': 337905, 'the total lock': 869817, 'total lock down': 926183, 'lock down 19': 499021, 'down 19 but': 256385, '19 but in': 5507, 'but in 9ja': 146019, 'in 9ja the': 419970, '9ja the govt': 23992, 'the govt is': 856660, 'govt is so': 361169, 'is so insulated': 452019, 'so insulated insensitive': 777419, 'insulated insensitive unconcerned': 440620, 'vodka': 959948, 'pernod': 652197, 'ricard': 720975, 'fort': 329769, 'smith': 775787, 'tweak': 936278, 'ar': 83793, 'vodka to': 959959, 'to handsanitizer': 907139, 'handsanitizer pernod': 376607, 'pernod ricard': 652198, 'ricard in': 720978, 'in fort': 423052, 'fort smith': 329781, 'smith tweak': 775814, 'tweak process': 936279, 'process to': 679971, 'aid in': 39404, 'in fight': 422873, 'fight news': 304803, 'news time': 560888, 'time record': 897559, 'record fort': 704969, 'smith ar': 775790, 'vodka to handsanitizer': 959961, 'to handsanitizer pernod': 907141, 'handsanitizer pernod ricard': 376608, 'pernod ricard in': 652199, 'ricard in fort': 720979, 'in fort smith': 423054, 'fort smith tweak': 329784, 'smith tweak process': 775815, 'tweak process to': 936280, 'process to aid': 679972, 'to aid in': 900194, 'aid in fight': 39406, 'in fight news': 422875, 'fight news time': 304804, 'news time record': 560889, 'time record fort': 897560, 'record fort smith': 704970, 'fort smith ar': 329782, 'conormcgregor': 194750, 'visor': 959610, 'respirator': 715185, 'oxygen': 632670, 'conormcgregor now': 194751, 'now hate': 574862, 'hate china': 378873, 'china too': 177013, 'too truly': 925138, 'truly terrible': 933342, 'terrible not': 838418, 'people raising': 649225, 'item mask': 463446, 'mask visor': 519485, 'visor glove': 959611, 'glove ventilator': 353001, 'ventilator respirator': 954600, 'respirator oxygen': 715206, 'oxygen you': 632679, 'you name': 1019948, 'name it': 551648, 'been jacked': 121418, 'jacked up': 464147, 'the party': 863320, 'party that': 643044, 'that come': 843257, 'in are': 420476, 'are of': 88639, 'no use': 565819, 'use now': 949393, 'now ccp': 574366, 'conormcgregor now hate': 194752, 'now hate china': 574863, 'hate china too': 378874, 'china too truly': 177014, 'too truly terrible': 925139, 'truly terrible not': 933343, 'terrible not only': 838419, 'these people raising': 880454, 'people raising price': 649226, 'raising price on': 696123, 'price on all': 675647, 'on all our': 599240, 'all our item': 43811, 'our item mask': 623593, 'item mask visor': 463447, 'mask visor glove': 519486, 'visor glove ventilator': 959612, 'glove ventilator respirator': 353003, 'ventilator respirator oxygen': 954601, 'respirator oxygen you': 715207, 'oxygen you name': 632680, 'you name it': 1019949, 'name it the': 551650, 'it the price': 461567, 'the price ha': 864359, 'price ha been': 674377, 'ha been jacked': 369839, 'been jacked up': 121419, 'jacked up the': 464153, 'up the party': 946201, 'the party that': 863324, 'party that come': 643045, 'that come in': 843258, 'come in are': 187360, 'in are of': 420482, 'are of no': 88643, 'of no use': 587049, 'no use now': 565822, 'use now ccp': 949394, 'hire 75': 396992, 'more worker': 541008, 'amazon to hire': 51162, 'to hire 75': 907792, 'hire 75 00': 396993, '75 00 more': 22102, '00 more worker': 349, 'more worker to': 541009, 'worker to cope': 1008001, 'cope with demand': 203345, 'allows': 46370, 'duplicate': 262329, 'mutualaid': 547095, 'someone need': 784575, 'to build': 902079, 'build internet': 141986, 'internet extension': 441935, 'extension that': 293291, 'that allows': 842592, 'allows to': 46401, 'you online': 1020203, 'household basic': 406742, 'while purchasing': 987186, 'purchasing duplicate': 689857, 'duplicate of': 262330, 'item for': 463266, 'for le': 322910, 'fortunate household': 329891, 'household based': 406740, 'list startup': 494540, 'startup mutualaid': 795122, 'someone need to': 784576, 'need to build': 555873, 'to build internet': 902090, 'build internet extension': 141987, 'internet extension that': 441936, 'extension that allows': 293292, 'that allows to': 842595, 'allows to you': 46405, 'to you online': 918913, 'you online shop': 1020206, 'online shop for': 608977, 'shop for your': 760214, 'for your household': 328166, 'your household basic': 1024427, 'household basic food': 406743, 'basic food while': 111899, 'food while purchasing': 317594, 'while purchasing duplicate': 987187, 'purchasing duplicate of': 689858, 'duplicate of those': 262331, 'of those item': 592097, 'those item for': 892137, 'item for le': 463269, 'for le fortunate': 322912, 'le fortunate household': 482959, 'fortunate household based': 329892, 'household based on': 406741, 'based on their': 111698, 'on their shopping': 604506, 'their shopping list': 874722, 'shopping list startup': 763193, 'list startup mutualaid': 494541, 'site would': 772070, 'would go': 1011842, 'site would go': 772071, 'would go back': 1011843, 'economy only': 268131, 'only being': 610171, 'being held': 125223, 'held up': 388945, 'spending meet': 788896, 'meet covid': 527447, 'economy only being': 268132, 'only being held': 610173, 'being held up': 125227, 'held up by': 388947, 'up by consumer': 944549, 'by consumer spending': 152195, 'consumer spending meet': 199074, 'spending meet covid': 788897, 'meet covid 19': 527448, 'monopolise': 537418, 'oh look': 596413, 'look the': 502609, 'ha wiped': 372483, 'wiped out': 996462, 'competition and': 191662, 'and helped': 64483, 'helped the': 391106, 'big supermarket': 130027, 'chain monopolise': 170929, 'monopolise on': 537419, 'we buy': 970872, 'oh look the': 596416, 'look the ha': 502610, 'the ha wiped': 857029, 'ha wiped out': 372484, 'wiped out all': 996466, 'all the competition': 44692, 'the competition and': 851374, 'competition and helped': 191664, 'and helped the': 64486, 'helped the big': 391107, 'the big supermarket': 849626, 'big supermarket chain': 130028, 'supermarket chain monopolise': 819624, 'chain monopolise on': 170930, 'monopolise on everything': 537420, 'on everything we': 600651, 'everything we buy': 288086, 'digital creative': 242541, 'creative medium': 216153, 'medium consumption': 527052, 'consumption and': 199826, 'confidence during': 193853, 'crisis chief': 217214, 'chief marketer': 175942, 'data on digital': 226322, 'on digital creative': 600324, 'digital creative medium': 242542, 'creative medium consumption': 216154, 'medium consumption and': 527054, 'consumption and consumer': 199827, 'and consumer confidence': 60364, 'consumer confidence during': 196894, 'confidence during covid': 193854, '19 crisis chief': 6226, 'crisis chief marketer': 217215, 'to security': 913974, 'security officer': 744689, 'officer to': 595730, 'to artist': 900738, 'to teacher': 916314, 'to scientist': 913911, 'scientist to': 742263, 'food producer': 316000, 'to parent': 911460, 'help fighting': 389720, 'fighting together': 305151, 'together we': 921024, 'will defeat': 993127, 'defeat the': 232047, 'to health worker': 907376, 'health worker to': 386993, 'worker to security': 1008021, 'to security officer': 913975, 'security officer to': 744690, 'officer to artist': 595731, 'to artist to': 900739, 'artist to teacher': 94624, 'to teacher to': 916316, 'teacher to scientist': 835523, 'to scientist to': 913913, 'scientist to grocery': 742264, 'store worker to': 811607, 'worker to food': 1008005, 'to food producer': 906088, 'food producer to': 316006, 'producer to volunteer': 680705, 'volunteer to parent': 960357, 'to parent to': 911463, 'parent to you': 641754, 'to you thank': 918927, 'your best to': 1022952, 'best to help': 127947, 'to help fighting': 907515, 'help fighting together': 389721, 'fighting together we': 305152, 'together we will': 921029, 'we will defeat': 973848, 'will defeat the': 993128, 'arrived': 93937, 'debate': 230306, 'naturally': 552909, 'fuss': 342235, 'london take': 501196, 'note arrived': 572700, 'arrived at': 93944, 'wa one': 962840, 'one elderly': 606228, 'elderly man': 270744, 'man he': 512094, 'arrive but': 93907, 'without debate': 1002581, 'debate all': 230309, 'all naturally': 43582, 'naturally and': 552910, 'and without': 75788, 'without fuss': 1002675, 'fuss he': 342238, 'wa allowed': 961474, 'enter first': 278250, 'first on': 308824, 'on spain': 603584, 'spain lockdown': 787318, 'people in london': 648392, 'in london take': 424899, 'london take note': 501197, 'take note arrived': 832370, 'note arrived at': 572701, 'arrived at the': 93947, 'supermarket and there': 819082, 'and there wa': 73853, 'there wa one': 879258, 'wa one elderly': 962842, 'one elderly man': 606229, 'elderly man he': 270745, 'man he wa': 512095, 'he wa not': 385610, 'not the first': 571998, 'first to arrive': 309124, 'to arrive but': 900729, 'arrive but without': 93909, 'but without debate': 147907, 'without debate all': 1002582, 'debate all naturally': 230310, 'all naturally and': 43583, 'naturally and without': 552911, 'and without fuss': 75794, 'without fuss he': 1002676, 'fuss he wa': 342239, 'he wa allowed': 385584, 'wa allowed to': 961476, 'allowed to enter': 46229, 'to enter first': 905217, 'enter first on': 278251, 'first on spain': 308826, 'on spain lockdown': 603585, 'with user': 1001933, 'user payment': 950309, 'payment policy': 645708, 'policy you': 663547, 'noticed price': 573462, 'hike in': 396217, 'supermarket extra': 820259, 'staff needed': 792675, 'stock shelf': 802826, 'shelf fine': 757084, 'fine hoarder': 307642, 'hoarder take': 399113, 'note no': 572759, 'more special': 540431, 'special sign': 788057, '19 auspol': 5266, 'auspol medium': 103085, 'with user payment': 1001935, 'user payment policy': 950310, 'payment policy you': 645709, 'policy you may': 663548, 'have noticed price': 381716, 'noticed price hike': 573463, 'price hike in': 674531, 'hike in supermarket': 396224, 'in supermarket extra': 428593, 'supermarket extra staff': 820260, 'extra staff needed': 293650, 'staff needed to': 792676, 'needed to stock': 556550, 'to stock shelf': 915451, 'stock shelf fine': 802832, 'shelf fine hoarder': 757085, 'fine hoarder take': 307643, 'hoarder take note': 399114, 'take note no': 832375, 'note no more': 572760, 'no more special': 564818, 'more special sign': 540432, 'special sign of': 788058, 'sign of the': 769175, 'of the time': 591543, 'the time 19': 869572, 'time 19 auspol': 896179, '19 auspol medium': 5267, 'didnt': 241267, 'you didnt': 1018215, 'didnt taken': 241279, '19 seriously': 10417, 'seriously for': 751612, 'dying and': 263778, 'and dont': 61671, 'dont have': 255225, 'have money': 381487, 'concerned with': 193232, 'with is': 999042, 'why you mad': 991592, 'mad at you': 507526, 'at you didnt': 101656, 'you didnt taken': 1018216, 'didnt taken the': 241280, 'taken the covid': 833070, 'covid 19 seriously': 213770, '19 seriously for': 10419, 'seriously for month': 751613, 'for month american': 323508, 'month american are': 537560, 'american are dying': 51802, 'are dying and': 86039, 'dying and dont': 263779, 'and dont have': 61672, 'dont have money': 255228, 'have money and': 381488, 'money and food': 536595, 'and food but': 63032, 'food but the': 313834, 'but the only': 147375, 'only thing you': 611326, 'thing you are': 885030, 'you are concerned': 1017094, 'are concerned with': 85481, 'concerned with is': 193235, 'with is the': 999051, 'is the stock': 452947, 'ownership': 632618, 'decentralized': 230813, 'generational': 345661, 'boomer consumer': 134844, 'economy home': 267942, 'home ownership': 401816, 'ownership car': 632619, 'etc millennials': 282657, 'millennials experience': 532003, 'experience economy': 291353, 'economy travel': 268308, 'travel concert': 930322, 'concert etc': 193263, 'etc due': 282499, 'to great': 906988, 'great recession': 362945, 'recession gen': 704276, 'gen maker': 345223, 'maker economy': 510827, 'economy etc': 267842, '19 local': 8359, 'local decentralized': 497882, 'decentralized production': 230814, 'production will': 682279, 'become generational': 120003, 'generational theme': 345669, 'boomer consumer economy': 134846, 'consumer economy home': 197307, 'economy home ownership': 267943, 'home ownership car': 401817, 'ownership car etc': 632620, 'car etc millennials': 163077, 'etc millennials experience': 282658, 'millennials experience economy': 532004, 'experience economy travel': 291354, 'economy travel concert': 268309, 'travel concert etc': 930323, 'concert etc due': 193264, 'etc due to': 282500, 'due to great': 261794, 'to great recession': 906989, 'great recession gen': 362948, 'recession gen maker': 704277, 'gen maker economy': 345224, 'maker economy etc': 510828, 'economy etc due': 267843, 'covid 19 local': 213365, '19 local decentralized': 8361, 'local decentralized production': 497883, 'decentralized production will': 230815, 'production will become': 682280, 'will become generational': 992794, 'become generational theme': 120004, 'reference': 706483, 'bloc': 132757, 'takeaway from': 832864, 'webinar impact': 975041, 'on global': 601097, 'global business': 351761, 'the specific': 867550, 'specific reference': 788245, 'reference to': 706505, 'healthcare sector': 387270, 'sector country': 744146, 'country with': 211254, 'with high': 998798, 'high consumer': 394964, 'consumer market': 198094, 'and population': 69200, 'population will': 664753, 'will see': 994763, 'see greater': 745161, 'greater investment': 363190, 'the trading': 869867, 'trading bloc': 928842, 'bloc india': 132758, 'india coronaupdatesindia': 434362, 'takeaway from the': 832868, 'from the webinar': 337921, 'the webinar impact': 871267, 'webinar impact of': 975042, '19 on global': 8946, 'on global business': 601100, 'global business with': 351762, 'business with the': 144706, 'with the specific': 1001485, 'the specific reference': 867551, 'specific reference to': 788246, 'reference to healthcare': 706507, 'to healthcare sector': 907383, 'healthcare sector country': 387272, 'sector country with': 744147, 'country with high': 211256, 'with high consumer': 998799, 'high consumer market': 394966, 'consumer market and': 198096, 'market and population': 515981, 'and population will': 69201, 'population will see': 664755, 'will see greater': 994775, 'see greater investment': 745162, 'greater investment in': 363191, 'investment in the': 444013, 'in the trading': 429623, 'the trading bloc': 869868, 'trading bloc india': 928843, 'bloc india coronaupdatesindia': 132759, 'usnews': 950828, 'here why': 393832, 'why via': 991502, 'via usnews': 956349, 'usnews grocerystores': 950830, 'grocerystores toiletpaper': 366383, 'tp hygiene': 927847, 'wiped out of': 996474, 'paper here why': 640269, 'here why via': 393840, 'why via usnews': 991504, 'via usnews grocerystores': 956350, 'usnews grocerystores toiletpaper': 950831, 'grocerystores toiletpaper tp': 366384, 'toiletpaper tp hygiene': 922749, 'shopper form': 761519, 'form long': 329523, 'long queue': 501576, 'supermarket amid': 818900, 'shopper form long': 761520, 'form long queue': 329524, 'long queue outside': 501585, 'queue outside supermarket': 694038, 'outside supermarket amid': 629564, 'supermarket amid panic': 818903, 'you test': 1021549, 'test most': 839091, 'most african': 542078, 'african american': 35171, 'american you': 52332, 'probably see': 679367, 'see large': 745353, 'positive test': 665450, 'if you test': 415538, 'you test most': 1021551, 'test most african': 839092, 'most african american': 542079, 'african american you': 35174, 'american you will': 52334, 'you will probably': 1022350, 'will probably see': 994469, 'probably see large': 679369, 'see large number': 745354, 'of positive test': 588252, 'infromation': 438241, 'ftc post': 339423, 'post coronavirus': 666064, 'coronavirus information': 206143, 'information fda': 437812, 'fda post': 300904, 'disease 2019': 245074, '2019 covid': 13955, '19 infromation': 7885, 'infromation stay': 438242, 'ftc post coronavirus': 339424, 'post coronavirus information': 666067, 'coronavirus information fda': 206145, 'information fda post': 437813, 'fda post coronavirus': 300905, 'post coronavirus disease': 666066, 'coronavirus disease 2019': 205826, 'disease 2019 covid': 245075, '2019 covid 19': 13956, 'covid 19 infromation': 213273, '19 infromation stay': 7886, 'infromation stay safe': 438243, 'candy': 161323, 'had lot': 373266, 'folk yesterday': 312321, 'yesterday getting': 1015749, 'getting one': 349160, 'one or': 606793, 'two thing': 937262, 'store work': 811437, 'just wine': 470307, 'chocolate bar': 177658, 'bar or': 110744, 'or candy': 614657, 'candy appreciate': 161326, 'who genuinely': 988763, 'genuinely are': 345876, 'one but': 606019, 'those many': 892192, 'many who': 514873, 'who aren': 988262, 'aren please': 92480, 'had lot of': 373267, 'lot of folk': 504191, 'of folk yesterday': 583627, 'folk yesterday getting': 312322, 'yesterday getting one': 1015750, 'getting one or': 349161, 'one or two': 606797, 'or two thing': 617576, 'two thing at': 937263, 'grocery store work': 365969, 'store work in': 811441, 'work in and': 1005294, 'in and it': 420369, 'it wa just': 462136, 'wa just wine': 962475, 'just wine and': 470308, 'wine and chocolate': 995764, 'and chocolate bar': 59871, 'chocolate bar or': 177659, 'bar or candy': 110745, 'or candy appreciate': 614658, 'candy appreciate the': 161327, 'appreciate the people': 82761, 'the people who': 863519, 'people who genuinely': 650299, 'who genuinely are': 988764, 'genuinely are getting': 345877, 'are getting food': 86804, 'getting food to': 348988, 'food to feed': 317250, 'feed their loved': 302391, 'loved one but': 504905, 'one but for': 606022, 'but for those': 145756, 'for those many': 327122, 'those many who': 892193, 'many who aren': 514875, 'who aren please': 988268, 'aren please stay': 92481, 'glimpse': 351704, 'craze': 215196, 'korean': 477513, 'spicy': 789233, 'glimpse of': 351708, 'store craze': 807216, 'craze in': 215197, 'in malaysia': 425009, 'malaysia no': 511626, 'no pasta': 565071, 'pasta stock': 643815, 'stock meat': 802470, 'even canned': 283934, 'deadly korean': 229275, 'korean spicy': 477534, 'spicy noodle': 789234, 'noodle 19': 566779, 'glimpse of the': 351711, 'grocery store craze': 365313, 'store craze in': 807217, 'craze in malaysia': 215198, 'in malaysia no': 425014, 'malaysia no pasta': 511627, 'no pasta stock': 565077, 'pasta stock meat': 643816, 'stock meat or': 802471, 'meat or even': 525681, 'or even canned': 615192, 'even canned food': 283935, 'canned food they': 161524, 'food they only': 317173, 'they only left': 882826, 'only left with': 610719, 'left with the': 485748, 'with the deadly': 1001260, 'the deadly korean': 852948, 'deadly korean spicy': 229276, 'korean spicy noodle': 477535, 'spicy noodle 19': 789235, 'shootout': 759785, 'shootout to': 759786, 'doctor the': 251125, 'nurse the': 577504, 'the firefighter': 855264, 'firefighter police': 308223, 'police the': 663236, 'the guy': 856953, 'guy in': 369031, 'the girl': 856266, 'girl in': 350256, 'the bakery': 849199, 'bakery thank': 108886, 'you without': 1022392, 'without you': 1003065, 'worse staysafestayhome': 1010998, 'shootout to all': 759787, 'all the doctor': 44721, 'the doctor the': 853473, 'doctor the nurse': 251127, 'the nurse the': 861987, 'nurse the firefighter': 577506, 'the firefighter police': 855265, 'firefighter police the': 308229, 'police the guy': 663239, 'the guy in': 856960, 'guy in the': 369042, 'and the girl': 73394, 'the girl in': 856267, 'girl in the': 350257, 'in the bakery': 429006, 'the bakery thank': 849207, 'bakery thank you': 108887, 'thank you without': 841846, 'you without you': 1022393, 'without you this': 1003074, 'you this would': 1021708, 'this would be': 891533, 'would be much': 1011622, 'be much much': 116025, 'much much much': 545137, 'much worse staysafestayhome': 545476, 'bullying': 142528, 'unsavory': 943430, 'am scared': 50360, 'scared for': 740962, 'past few': 643539, 'during order': 262841, 'order ve': 618735, 'much bullying': 544770, 'bullying whenever': 142529, 'whenever needed': 984668, 'outside because': 629374, 'because even': 119040, 'an unsavory': 56901, 'unsavory experience': 943431, 'experience today': 291517, 'today comment': 919392, 'comment top': 188465, 'top the': 925734, 'the cake': 850271, 'am scared for': 50361, 'scared for the': 740964, 'the past few': 863354, 'past few week': 643542, 'few week during': 304144, 'week during order': 976177, 'during order ve': 262843, 'order ve had': 618736, 've had so': 953235, 'so much bullying': 777765, 'much bullying whenever': 544771, 'bullying whenever needed': 142530, 'whenever needed to': 984669, 'needed to go': 556537, 'go outside because': 354008, 'outside because even': 629375, 'because even going': 119041, 'even going to': 284131, 'store ha become': 807999, 'ha become an': 369669, 'become an unsavory': 119922, 'an unsavory experience': 56902, 'unsavory experience today': 943432, 'experience today comment': 291518, 'today comment top': 919393, 'comment top the': 188466, 'top the cake': 925735, 'canterbury': 162362, 'shoppingonline': 764516, 'dear people': 229843, 'of canterbury': 581112, 'canterbury probably': 162363, 'probably everywhere': 679259, 'everywhere do': 288191, 'do food': 249308, 'mean there': 524703, 'no supermarket': 565617, 'the over': 862760, '70 eg': 21758, 'eg me': 269713, 'do want': 250453, 'home much': 401633, 'possible shoppingonline': 665773, 'dear people of': 229844, 'people of canterbury': 648913, 'of canterbury probably': 581113, 'canterbury probably everywhere': 162364, 'probably everywhere do': 679260, 'everywhere do you': 288192, 'to do food': 904507, 'do food shopping': 249309, 'food shopping online': 316530, 'shopping online because': 763414, 'online because it': 607918, 'because it mean': 119192, 'it mean there': 459578, 'mean there are': 524704, 'are no supermarket': 88285, 'no supermarket delivery': 565620, 'slot for the': 774189, 'for the over': 326603, 'the over 70': 862761, 'over 70 eg': 629906, '70 eg me': 21759, 'eg me and': 269714, 'me and we': 522433, 'and we really': 75316, 'we really do': 973022, 'really do want': 702128, 'do want to': 250454, 'want to stay': 966129, 'at home much': 99053, 'home much possible': 401635, 'much possible shoppingonline': 545247, 'asymptomatic': 97290, 'stocker': 803487, 'be spread': 117330, 'by asymptomatic': 151899, 'asymptomatic carrier': 97295, 'carrier essential': 164973, 'store overnight': 809417, 'overnight stocker': 631356, 'stocker touch': 803525, 'touch all': 926444, 'that customer': 843415, 'customer buy': 222205, 'buy kroger': 148884, 'kroger family': 477739, 'family co': 297707, 'co fry': 184844, 'fry ordered': 339293, 'ordered protective': 618889, 'protective measure': 685789, 'measure on': 525277, 'on 2020': 599055, '2020 should': 14595, 'not other': 570853, 'store adapt': 806074, 'adapt their': 31274, 'can be spread': 157689, 'be spread by': 117331, 'spread by asymptomatic': 790460, 'by asymptomatic carrier': 151900, 'asymptomatic carrier essential': 97296, 'carrier essential grocery': 164974, 'essential grocery store': 281109, 'grocery store overnight': 365632, 'store overnight stocker': 809418, 'overnight stocker touch': 631357, 'stocker touch all': 803526, 'touch all the': 926445, 'all the stock': 44924, 'the stock that': 867926, 'stock that customer': 802921, 'that customer buy': 843418, 'customer buy kroger': 222207, 'buy kroger family': 148885, 'kroger family co': 477740, 'family co fry': 297708, 'co fry ordered': 184845, 'fry ordered protective': 339294, 'ordered protective measure': 618891, 'protective measure on': 685793, 'measure on 2020': 525278, 'on 2020 should': 599059, '2020 should not': 14596, 'should not other': 766257, 'not other grocery': 570854, 'grocery store adapt': 365176, 'store adapt their': 806075, 'ke': 471222, 'bungoma': 142666, 'container': 200526, 'ke what': 471245, 'doing concerning': 252334, 'concerning the': 193249, 'the bungoma': 850118, 'bungoma washing': 142669, 'hand container': 374876, 'container with': 200564, 'with exaggerated': 998311, 'exaggerated price': 288780, 'price people': 675845, 'people should': 649439, 'not steal': 571716, 'steal our': 799193, 'our tax': 625085, 'tax with': 835125, 'ke what are': 471246, 'you doing concerning': 1018294, 'doing concerning the': 252335, 'concerning the bungoma': 193250, 'the bungoma washing': 850119, 'bungoma washing hand': 142670, 'washing hand container': 967666, 'hand container with': 374877, 'container with exaggerated': 200565, 'with exaggerated price': 998312, 'exaggerated price people': 288781, 'price people should': 675851, 'people should not': 649448, 'should not steal': 766263, 'not steal our': 571717, 'steal our tax': 799194, 'our tax with': 625088, 'tax with the': 835126, 'elimination': 271493, 'america need': 51620, 'need consumer': 554635, 'consumer bailout': 196381, 'bailout one': 108646, 'that offer': 845458, 'offer relief': 594763, 'relief in': 709364, 'of deferred': 582466, 'deferred loan': 232197, 'payment freeze': 645634, 'on interest': 601599, 'interest rate': 441385, 'the elimination': 854197, 'elimination of': 271494, 'of late': 585725, 'late fee': 480870, 'america need consumer': 51621, 'need consumer bailout': 554637, 'consumer bailout one': 196383, 'bailout one that': 108647, 'one that offer': 607184, 'that offer relief': 845461, 'offer relief in': 594764, 'relief in the': 709367, 'in the form': 429215, 'the form of': 855708, 'form of deferred': 329536, 'of deferred loan': 582467, 'deferred loan payment': 232198, 'loan payment freeze': 497496, 'payment freeze on': 645635, 'freeze on interest': 332545, 'on interest rate': 601600, 'interest rate and': 441387, 'rate and the': 697155, 'and the elimination': 73344, 'the elimination of': 854198, 'elimination of late': 271495, 'of late fee': 585727, 'update video': 947297, '19 cough': 6146, 'cough can': 208462, 'coronavirus update video': 207001, 'update video show': 947298, 'show how covid': 766974, 'covid 19 cough': 212870, '19 cough can': 6147, 'cough can spread': 208463, 'spread through supermarket': 790848, 'iq': 444646, 'block': 132765, 'gradually': 361687, 'dear supermarket': 229890, 'supermarket on': 821720, 'the higher': 857327, 'higher iq': 395619, 'iq please': 444650, 'please create': 659865, 'create dedicated': 215632, 'dedicated aisle': 231693, 'aisle or': 40336, 'two with': 937389, 'essential block': 280833, 'block it': 132785, 'and police': 69155, 'police it': 663074, 'stock gradually': 802205, 'gradually during': 361692, 'during day': 262587, 'day coronacrisisuk': 227484, 'coronacrisisuk stophoarding': 204910, 'dear supermarket on': 229893, 'supermarket on behalf': 821722, 'behalf of the': 123761, 'of the higher': 591102, 'the higher iq': 857328, 'higher iq please': 395620, 'iq please create': 444651, 'please create dedicated': 659866, 'create dedicated aisle': 215633, 'dedicated aisle or': 231694, 'aisle or two': 40338, 'or two with': 617581, 'two with the': 937390, 'with the essential': 1001288, 'the essential block': 854497, 'essential block it': 280834, 'block it and': 132786, 'it and police': 456508, 'and police it': 69159, 'police it and': 663075, 'it and stock': 456514, 'and stock gradually': 72407, 'stock gradually during': 802206, 'gradually during day': 361693, 'during day coronacrisisuk': 262588, 'day coronacrisisuk stophoarding': 227485, 'instant': 440088, 'people hoard': 648264, 'hoard toilet': 398892, 'and instant': 65280, 'instant noodle': 440105, 'noodle from': 566798, 'supermarket others': 821845, 'postpone their': 666783, 'their wedding': 875173, 'wedding which': 975586, 'which resulted': 986273, 'in well': 430786, 'well panic': 978469, 'panic wedding': 638771, 'some people hoard': 783519, 'people hoard toilet': 648267, 'hoard toilet roll': 398894, 'toilet roll and': 921550, 'roll and instant': 725176, 'and instant noodle': 65281, 'instant noodle from': 440107, 'noodle from the': 566799, 'the supermarket others': 868732, 'supermarket others have': 821846, 'others have had': 621447, 'had to postpone': 373711, 'to postpone their': 911928, 'postpone their wedding': 666785, 'their wedding which': 875176, 'wedding which resulted': 975587, 'which resulted in': 986274, 'resulted in well': 717688, 'in well panic': 430788, 'well panic wedding': 978470, 'hy': 411882, 'vee': 953685, 'plasticbagban': 658895, 'hy vee': 411885, 'vee just': 953694, 'announced customer': 76939, 'customer can': 222219, 'can no': 159037, 'longer use': 502102, 'use reusable': 949519, 'store recycling': 809775, 'recycling plasticbagban': 705551, 'plasticbagban supermarket': 658896, 'hy vee just': 411890, 'vee just announced': 953695, 'just announced customer': 468191, 'announced customer can': 76940, 'customer can no': 222225, 'can no longer': 159038, 'no longer use': 564670, 'longer use reusable': 502103, 'use reusable bag': 949520, 'reusable bag in': 720145, 'bag in store': 108320, 'in store recycling': 428447, 'store recycling plasticbagban': 809776, 'recycling plasticbagban supermarket': 705552, 'twist': 936592, 'grandparent scam': 361985, 'of grandparent': 584304, 'scam can': 740099, 'take new': 832358, 'new twist': 559791, 'twist and': 936593, 'new sense': 559560, 'of urgency': 592687, 'urgency here': 948303, 'mind this': 532751, 'this blog': 886571, 'blog from': 132939, 'the go': 856380, 'into full': 442574, 'full detail': 340557, 'grandparent scam in': 361987, 'scam in the': 740204, 'in the age': 428972, 'age of grandparent': 37866, 'of grandparent scam': 584305, 'grandparent scam can': 361986, 'scam can take': 740101, 'can take new': 159903, 'take new twist': 832360, 'new twist and': 559792, 'twist and new': 936594, 'and new sense': 67559, 'new sense of': 559561, 'sense of urgency': 750568, 'of urgency here': 592690, 'urgency here what': 948304, 'what to keep': 982458, 'to keep in': 908804, 'in mind this': 425346, 'mind this blog': 532752, 'this blog from': 886576, 'blog from the': 132942, 'from the go': 337723, 'the go into': 856383, 'go into full': 353749, 'into full detail': 442576, 'way out': 969792, 'restriction via': 717412, 'via online': 956131, 'shopping the way': 764097, 'the way out': 871174, 'way out of': 969795, '19 restriction via': 10185, 'restriction via online': 717413, 'presumably': 671291, 'readymeals': 701004, 'hithergreen': 398542, 'lewisham': 487845, 'presumably these': 671296, 'these have': 880102, 'make way': 510703, 'provide space': 686488, 'the handsanitizer': 857080, 'handsanitizer toiletpaper': 376668, 'and readymeals': 69993, 'readymeals they': 701005, 've bought': 952970, 'bought not': 136654, 've really': 953483, 'really thought': 702666, 'thought this': 893262, 'this through': 890596, 'through hithergreen': 894506, 'hithergreen lewisham': 398543, 'lewisham lockdown': 487846, 'lockdown pandemic': 499762, 'pandemic panicbuying': 636156, 'panicbuying panicbuyinguk': 639017, 'presumably these have': 671297, 'these have had': 880104, 'had to make': 373707, 'to make way': 909764, 'make way to': 510705, 'way to provide': 970075, 'to provide space': 912436, 'provide space to': 686489, 'space to store': 787182, 'to store the': 915645, 'store the handsanitizer': 810603, 'the handsanitizer toiletpaper': 857081, 'handsanitizer toiletpaper and': 376669, 'toiletpaper and readymeals': 921727, 'and readymeals they': 69994, 'readymeals they ve': 701006, 'they ve bought': 883640, 've bought not': 952973, 'bought not sure': 136655, 'not sure they': 571848, 'sure they ve': 827745, 'they ve really': 883677, 've really thought': 953485, 'really thought this': 702667, 'thought this through': 893266, 'this through hithergreen': 890598, 'through hithergreen lewisham': 894507, 'hithergreen lewisham lockdown': 398544, 'lewisham lockdown pandemic': 487847, 'lockdown pandemic panicbuying': 499765, 'pandemic panicbuying panicbuyinguk': 636157, 'recipient': 704521, 'bartholow': 111411, 'with recent': 1000414, 'recent policy': 703955, 'change it': 172157, 'it possible': 460388, 'possible that': 665805, 'that california': 843083, 'california could': 155485, 'could roll': 209610, 'out online': 626935, 'state million': 795773, 'million snap': 532353, 'snap recipient': 776108, 'recipient within': 704542, 'within few': 1002352, 'week say': 976837, 'say bartholow': 738449, 'bartholow policy': 111412, 'policy advocate': 663316, 'advocate with': 33859, 'with center': 997582, 'this piece': 889586, 'piece by': 656278, 'by on': 153419, 'with recent policy': 1000417, 'recent policy change': 703956, 'policy change it': 663366, 'change it possible': 172160, 'it possible that': 460391, 'possible that california': 665806, 'that california could': 843084, 'california could roll': 155486, 'could roll out': 209611, 'roll out online': 725454, 'out online grocery': 626936, 'grocery shopping for': 365022, 'shopping for the': 762717, 'the state million': 867793, 'state million snap': 795774, 'million snap recipient': 532354, 'snap recipient within': 776113, 'recipient within few': 704543, 'within few week': 1002355, 'few week say': 304163, 'week say bartholow': 976838, 'say bartholow policy': 738450, 'bartholow policy advocate': 111413, 'policy advocate with': 663318, 'advocate with center': 33860, 'with center in': 997583, 'center in this': 169238, 'in this piece': 429997, 'this piece by': 889587, 'piece by on': 656285, 'by on 19': 153420, 'on 19 crisis': 599029, 'loathe': 497565, 'day 21': 227116, '21 feel': 15002, 'feel better': 302579, 'than yesterday': 841482, 'yesterday online': 1015825, 'shopping still': 763983, 'still weird': 801402, 'weird but': 977746, 'but onwards': 146699, 'onwards stay': 611711, 'safe keep': 729790, 'keep kind': 471629, 'kind will': 475030, 'not become': 568497, 'become thing': 120170, 'thing loathe': 884561, 'loathe in': 497566, 'in others': 426254, 'day 21 feel': 227118, '21 feel better': 15003, 'feel better than': 302584, 'better than yesterday': 128544, 'than yesterday online': 841484, 'yesterday online shopping': 1015826, 'online shopping still': 609286, 'shopping still weird': 763986, 'still weird but': 801403, 'weird but onwards': 977747, 'but onwards stay': 146700, 'onwards stay safe': 611712, 'stay safe keep': 797248, 'safe keep kind': 729791, 'keep kind will': 471630, 'kind will not': 475031, 'will not become': 994189, 'not become thing': 568500, 'become thing loathe': 120171, 'thing loathe in': 884562, 'loathe in others': 497567, 'mazon': 522011, 'the surrounding': 869019, 'surrounding panic': 828754, 'panic impact': 638192, 'impact our': 417909, 'food aid': 313064, 'aid system': 39458, 'system mazon': 831241, 'mazon is': 522012, 'is proud': 451112, 'proud to': 686052, 'be there': 117673, 'there with': 879367, 'resource needed': 714835, 'keep community': 471414, 'community healthy': 189890, 'and fed': 62749, 'and the surrounding': 73607, 'the surrounding panic': 869021, 'surrounding panic impact': 828755, 'panic impact our': 638193, 'impact our food': 417913, 'our food aid': 623098, 'food aid system': 313071, 'aid system mazon': 39459, 'system mazon is': 831242, 'mazon is proud': 522013, 'is proud to': 451113, 'proud to be': 686054, 'to be there': 901589, 'be there with': 117687, 'there with the': 879370, 'with the resource': 1001452, 'the resource needed': 865593, 'resource needed to': 714836, 'to keep community': 908772, 'keep community healthy': 471416, 'community healthy and': 189891, 'healthy and fed': 387522, 'wondered': 1004052, 'arrow': 94031, 'race': 695176, 'sicken': 768696, 'ever wondered': 285606, 'wondered why': 1004061, 'is spreading': 452187, 'spreading just': 790992, 'even follow': 284069, 'follow arrow': 312353, 'arrow around': 94036, 'or keep': 615900, 'keep 2m': 471277, '2m apart': 16658, 'apart some': 81340, 'some member': 783277, 'human race': 410596, 'race actually': 695177, 'actually sicken': 30957, 'sicken me': 768699, 'if you ever': 415431, 'you ever wondered': 1018462, 'ever wondered why': 285608, 'wondered why the': 1004062, 'why the coronavirus': 991410, 'coronavirus is spreading': 206174, 'is spreading just': 452194, 'spreading just go': 790993, 'to supermarket people': 915827, 'supermarket people can': 821948, 'people can even': 647390, 'can even follow': 158251, 'even follow arrow': 284070, 'follow arrow around': 312354, 'arrow around the': 94037, 'around the store': 93559, 'the store or': 868074, 'store or keep': 809342, 'or keep 2m': 615901, 'keep 2m apart': 471278, '2m apart some': 16666, 'apart some member': 81341, 'some member of': 783278, 'of the human': 591116, 'the human race': 857723, 'human race actually': 410597, 'race actually sicken': 695178, 'actually sicken me': 30958, 'buy new': 148991, 'new measure': 559094, 'measure by': 525148, 'supermarket elderly': 820103, 'elderly only': 270789, 'hour online': 405823, 'online priority': 608803, 'priority more': 678607, 'more click': 538819, 'collect close': 186267, 'close some': 182797, 'some store': 783952, 'store counter': 807205, 'counter max': 210231, 'max of': 520764, 'don panic buy': 253797, 'panic buy new': 637507, 'buy new measure': 148994, 'new measure by': 559096, 'measure by supermarket': 525149, 'by supermarket elderly': 154165, 'supermarket elderly only': 820105, 'elderly only shopping': 270791, 'shopping hour online': 762925, 'hour online priority': 405824, 'online priority more': 608804, 'priority more click': 678608, 'more click and': 538820, 'and collect close': 60080, 'collect close some': 186268, 'close some store': 182799, 'some store counter': 783954, 'store counter max': 807206, 'counter max of': 210232, 'max of any': 520765, 'of any grocery': 580259, 'dealt': 229708, 'you spot': 1021329, 'spot any': 790034, 'up exploiting': 944827, 'exploiting those': 292466, 'need by': 554581, 'gouging report': 359442, 'here share': 393550, 'share the': 755243, 'store name': 809025, 'name and': 551604, 'and location': 66312, 'location and': 498848, 'be dealt': 114352, 'dealt with': 229719, 'with do': 998098, 'them get': 875770, 'get away': 346624, 'away with': 106119, 'with greed': 998683, 'greed please': 363426, 'if you spot': 415523, 'you spot any': 1021330, 'spot any store': 790035, 'store hiking price': 808156, 'hiking price up': 396410, 'price up exploiting': 677232, 'up exploiting those': 944828, 'exploiting those in': 292467, 'those in need': 892098, 'in need by': 425732, 'need by price': 554585, 'price gouging report': 674319, 'gouging report it': 359443, 'report it here': 712063, 'it here share': 458572, 'here share the': 393552, 'share the store': 755257, 'the store name': 868061, 'store name and': 809026, 'name and location': 551609, 'and location and': 66313, 'location and it': 498851, 'will be dealt': 992418, 'be dealt with': 114353, 'dealt with do': 229720, 'with do not': 998099, 'not let them': 570373, 'let them get': 487154, 'them get away': 875771, 'get away with': 346627, 'away with greed': 106122, 'with greed please': 998684, 'greed please rt': 363427, 'foresee': 329043, 'declining': 231455, 'persistent': 652268, 'feel confused': 302597, 'confused by': 194328, 'market rise': 517004, 'rise do': 722828, 'not foresee': 569500, 'foresee socialdistancing': 329055, 'socialdistancing declining': 780312, 'declining significantly': 231492, 'significantly until': 769621, 'until reliable': 943818, 'reliable vaccine': 709221, 'is found': 447915, 'found instead': 330255, 'instead see': 440354, 'see industry': 745306, 'industry event': 435806, 'event have': 284989, 'have continued': 380095, 'continued slowdown': 201337, 'slowdown from': 774436, 'from persistent': 336902, 'persistent consumer': 652269, 'change what': 172391, 'what am': 981014, 'am missing': 50218, 'else feel confused': 271689, 'feel confused by': 302598, 'confused by the': 194329, 'by the market': 154373, 'the market rise': 860153, 'market rise do': 517005, 'rise do not': 722829, 'do not foresee': 249740, 'not foresee socialdistancing': 569502, 'foresee socialdistancing declining': 329056, 'socialdistancing declining significantly': 780313, 'declining significantly until': 231493, 'significantly until reliable': 769622, 'until reliable vaccine': 943819, 'reliable vaccine is': 709222, 'vaccine is found': 951727, 'is found instead': 447918, 'found instead see': 330256, 'instead see industry': 440355, 'see industry event': 745307, 'industry event have': 435807, 'event have continued': 284991, 'have continued slowdown': 380096, 'continued slowdown from': 201338, 'slowdown from persistent': 774437, 'from persistent consumer': 336903, 'persistent consumer behavior': 652270, 'consumer behavior change': 196455, 'behavior change what': 123967, 'change what am': 172392, 'what am missing': 981020, 'stakeholder': 793321, 'fda stakeholder': 300925, 'stakeholder call': 793326, 'call no': 156005, 'of animal': 580208, 'animal food': 76596, 'food including': 314992, 'including pet': 432108, 'food related': 316151, 'related ingredient': 708463, 'ingredient no': 438380, 'no wide': 565894, 'wide spread': 991761, 'spread disruption': 790509, 'disruption reported': 246519, 'reported in': 712487, 'chain empty': 170681, 'empty pet': 275003, 'aisle delay': 40238, 'delay ordering': 232735, 'ordering result': 619012, 'of unprecedented': 592655, 'demand more': 235883, 'fda stakeholder call': 300926, 'stakeholder call no': 793327, 'call no shortage': 156007, 'shortage of animal': 765098, 'of animal food': 580212, 'animal food including': 76598, 'food including pet': 314993, 'including pet food': 432109, 'pet food related': 653395, 'food related ingredient': 316152, 'related ingredient no': 708464, 'ingredient no wide': 438381, 'no wide spread': 565895, 'wide spread disruption': 991763, 'spread disruption reported': 790510, 'disruption reported in': 246520, 'reported in supply': 712493, 'in supply chain': 428728, 'supply chain empty': 824952, 'chain empty pet': 170682, 'empty pet food': 275004, 'pet food aisle': 653379, 'food aisle delay': 313075, 'aisle delay ordering': 40239, 'delay ordering result': 232736, 'ordering result of': 619013, 'result of unprecedented': 717620, 'of unprecedented demand': 592656, 'unprecedented demand more': 943121, 'soo': 785560, 'stranger': 812452, 'acceptable': 28011, 'lockdowncanada': 500229, 'supermarketdating': 824219, 'day17': 228860, 'soo my': 785590, 'my thought': 550352, 'thought single': 893215, 'single think': 771419, 'think my': 885409, 'next date': 561322, 'date will': 226757, 'store only': 809237, 'place being': 657352, 'being with': 126062, 'with stranger': 1001002, 'stranger are': 812453, 'are acceptable': 84177, 'acceptable so': 28024, 'keep with': 472210, 'with 6ft': 997051, '6ft rule': 21619, 'rule new': 727296, 'new meaning': 559092, 'meaning to': 524844, 'to clean': 902805, 'clean up': 180669, 'on aisle': 599203, 'aisle socialdistancing': 40372, 'socialdistancing lockdowncanada': 780497, 'lockdowncanada supermarketdating': 500230, 'supermarketdating day17': 824220, 'soo my thought': 785591, 'my thought single': 550359, 'thought single think': 893216, 'single think my': 771420, 'think my next': 885414, 'my next date': 549486, 'next date will': 561323, 'date will be': 226758, 'will be at': 992368, 'be at the': 113738, 'grocery store only': 365615, 'store only place': 809246, 'only place being': 610977, 'place being with': 657353, 'being with stranger': 126064, 'with stranger are': 1001003, 'stranger are acceptable': 812454, 'are acceptable so': 84178, 'acceptable so to': 28025, 'so to keep': 778535, 'to keep with': 908878, 'keep with 6ft': 472211, 'with 6ft rule': 997052, '6ft rule new': 21620, 'rule new meaning': 727297, 'new meaning to': 559093, 'meaning to clean': 524846, 'to clean up': 902816, 'clean up on': 180673, 'up on aisle': 945520, 'on aisle socialdistancing': 599205, 'aisle socialdistancing lockdowncanada': 40373, 'socialdistancing lockdowncanada supermarketdating': 780498, 'lockdowncanada supermarketdating day17': 500231, 'marc': 515043, 'schindler': 741609, 'skim': 773025, 'compromise': 192656, 'quart': 693221, 'unflushable': 941499, 'rag': 695515, 'marc keeping': 515044, 'keeping with': 472619, 'supermarket theme': 823261, 'theme schindler': 876705, 'schindler list': 741610, 'list senior': 494528, 'citizen whose': 179002, 'whose only': 990666, 'list need': 494398, 'need are': 554468, 'are tp': 91173, 'and skim': 71718, 'skim milk': 773028, 'milk must': 531732, 'must compromise': 546599, 'compromise during': 192657, '19 return': 10215, 'return home': 719848, 'with quart': 1000378, 'quart of': 693226, 'of whole': 593138, 'whole milk': 990258, 'milk and': 531553, 'and box': 59126, 'box unflushable': 137189, 'unflushable white': 941502, 'white rag': 987898, 'marc keeping with': 515045, 'keeping with the': 472621, 'with the supermarket': 1001505, 'the supermarket theme': 868847, 'supermarket theme schindler': 823262, 'theme schindler list': 876706, 'schindler list senior': 741611, 'list senior citizen': 494529, 'senior citizen whose': 750260, 'citizen whose only': 179003, 'whose only grocery': 990667, 'only grocery list': 610547, 'grocery list need': 364700, 'list need are': 494399, 'need are tp': 554474, 'are tp and': 91174, 'tp and skim': 927746, 'and skim milk': 71719, 'skim milk must': 773029, 'milk must compromise': 531733, 'must compromise during': 546600, 'compromise during covid': 192658, 'covid 19 return': 213711, '19 return home': 10216, 'return home with': 719856, 'home with quart': 402535, 'with quart of': 1000379, 'quart of whole': 693227, 'of whole milk': 593140, 'whole milk and': 990259, 'milk and box': 531555, 'and box unflushable': 59129, 'box unflushable white': 137190, 'unflushable white rag': 941503, 'delivers': 233580, 'dispenses': 246154, 'vanloon': 952434, 'this cart': 886703, 'cart delivers': 165285, 'delivers grocery': 233591, 'grocery dispenses': 364462, 'dispenses hand': 246155, 'in vanloon': 430532, 'this cart delivers': 886704, 'cart delivers grocery': 165286, 'delivers grocery dispenses': 233593, 'grocery dispenses hand': 364463, 'dispenses hand sanitizer': 246156, 'sanitizer in vanloon': 735161, 'counting': 210353, 'lifesaving': 489330, 'face severe': 294728, 'severe blood': 753993, 'blood shortage': 133142, 'unprecedented number': 943168, 'of blood': 580747, 'blood drive': 133104, 'drive cancellation': 259004, 'cancellation during': 161015, 'outbreak make': 628434, 'an appointment': 55371, 'appointment to': 82693, 'help patient': 390270, 'patient counting': 644157, 'counting on': 210362, 'on lifesaving': 601835, 'lifesaving blood': 489331, 'we now face': 972611, 'now face severe': 574654, 'face severe blood': 294729, 'severe blood shortage': 753994, 'blood shortage due': 133143, 'an unprecedented number': 56892, 'unprecedented number of': 943169, 'number of blood': 576922, 'of blood drive': 580748, 'blood drive cancellation': 133105, 'drive cancellation during': 259005, 'cancellation during this': 161016, 'this outbreak make': 889324, 'outbreak make an': 628435, 'make an appointment': 509674, 'an appointment to': 55373, 'appointment to help': 82694, 'to help patient': 907584, 'help patient counting': 390272, 'patient counting on': 644158, 'counting on lifesaving': 210363, 'on lifesaving blood': 601836, 'ck': 179626, 'ckont': 179670, 'fewer home': 304213, 'home are': 400723, 'sold and': 781619, 'in ck': 421494, 'ck due': 179635, 'crisis however': 217506, 'home is': 401447, 'still up': 801354, 'up ckont': 944602, 'fewer home are': 304214, 'home are being': 400726, 'are being sold': 84926, 'being sold and': 125828, 'sold and put': 781621, 'and put on': 69812, 'put on the': 690728, 'on the market': 604228, 'the market in': 860122, 'market in ck': 516553, 'in ck due': 421495, 'ck due to': 179636, '19 crisis however': 6261, 'crisis however the': 217507, 'however the average': 409468, 'price of home': 675469, 'of home is': 584719, 'home is still': 401459, 'is still up': 452325, 'still up ckont': 801356, 'potty': 667270, 'insecure': 439123, 'have such': 382834, 'such potty': 816686, 'potty mouth': 667273, 'mouth especially': 543509, 'especially with': 280667, 'great reporter': 362957, 'reporter you': 712646, 're insecure': 698902, 'insecure and': 439124, 're killing': 698962, 'killing america': 474654, 'america now': 51627, 'now finding': 574689, 'finding toiletpaper': 307564, 'toiletpaper ha': 922042, 'become challenge': 119948, 'challenge no': 171507, 'you have such': 1019124, 'have such potty': 382837, 'such potty mouth': 816687, 'potty mouth especially': 667274, 'mouth especially with': 543510, 'especially with great': 280670, 'with great reporter': 998673, 'great reporter you': 362959, 'reporter you re': 712648, 'you re insecure': 1020655, 're insecure and': 698903, 'insecure and you': 439126, 'and you re': 76040, 'you re killing': 1020664, 're killing america': 698963, 'killing america now': 474656, 'america now finding': 51628, 'now finding toiletpaper': 574691, 'finding toiletpaper ha': 307565, 'toiletpaper ha become': 922043, 'ha become challenge': 369673, 'become challenge no': 119949, 'challenge no more': 171508, 'just published': 469506, 'published shopping': 688692, 'shopping which': 764387, 'is safer': 451630, 'safer right': 730374, 'now virus': 576305, 'virus debate': 958116, 'debate onlineshopping': 230313, 'onlineshopping amazon': 609882, 'just published shopping': 469510, 'published shopping online': 688693, 'online shopping which': 609342, 'shopping which is': 764391, 'which is safer': 986049, 'is safer right': 451631, 'safer right now': 730375, 'right now virus': 722173, 'now virus debate': 576306, 'virus debate onlineshopping': 958117, 'debate onlineshopping amazon': 230314, 'noticing': 573498, 'intake': 440926, 'are noticing': 88507, 'noticing higher': 573501, 'but le': 146250, 'le intake': 482995, 'intake meanwhile': 440931, 'meanwhile housing': 524984, 'housing assistance': 407053, 'assistance nonprofit': 96720, 'nonprofit is': 566691, 'is receiving': 451339, 'receiving more': 703786, 'more call': 538756, 'call from': 155899, 'help paying': 390278, 'paying rent': 645472, 'rent the': 711185, 'certain nonprofit': 170061, 'nonprofit plus': 566698, 'plus how': 661623, 'food pantry are': 315767, 'pantry are noticing': 639533, 'are noticing higher': 88508, 'noticing higher demand': 573502, 'higher demand but': 395571, 'demand but le': 235078, 'but le intake': 146253, 'le intake meanwhile': 482996, 'intake meanwhile housing': 440932, 'meanwhile housing assistance': 524985, 'housing assistance nonprofit': 407054, 'assistance nonprofit is': 96721, 'nonprofit is receiving': 566693, 'is receiving more': 451341, 'receiving more call': 703787, 'more call from': 538757, 'call from people': 155907, 'from people who': 336897, 'people who need': 650322, 'who need help': 989313, 'need help paying': 554988, 'help paying rent': 390279, 'paying rent the': 645473, 'rent the coronavirus': 711188, 'the coronavirus impact': 851868, 'impact on certain': 417830, 'on certain nonprofit': 599861, 'certain nonprofit plus': 170063, 'nonprofit plus how': 566699, 'plus how you': 661624, 'bodas': 133777, 'uber': 937799, '8k': 23188, 'felicia': 303138, 'lockdownug': 500394, 'bodas are': 133778, 'new uber': 559796, 'uber sent': 937826, 'sent one': 750789, 'get me': 347534, 'me grocery': 522839, 'grocery from': 364538, 'from nearby': 336554, 'nearby supermarket': 553684, 'he charged': 384833, 'charged me': 173401, 'me 8k': 522340, '8k his': 23189, 'his excuse': 397404, 'excuse the': 289772, 'are blocked': 84995, 'blocked how': 132859, 'you gonna': 1018884, 'gonna move': 356585, 'move then': 543744, 'then felicia': 877165, 'felicia stayhomesavelives': 303139, 'stayhomesavelives lockdownug': 798411, 'bodas are the': 133779, 'are the new': 90867, 'the new uber': 861572, 'new uber sent': 559797, 'uber sent one': 937827, 'sent one to': 750790, 'one to get': 607275, 'to get me': 906528, 'get me grocery': 347536, 'me grocery from': 522842, 'grocery from nearby': 364539, 'from nearby supermarket': 336555, 'nearby supermarket and': 553685, 'supermarket and he': 818997, 'and he charged': 64314, 'he charged me': 384834, 'charged me 8k': 173403, 'me 8k his': 522341, '8k his excuse': 23190, 'his excuse the': 397405, 'excuse the road': 289774, 'the road are': 865920, 'road are blocked': 724408, 'are blocked how': 84996, 'blocked how are': 132860, 'are you gonna': 91798, 'you gonna move': 1018887, 'gonna move then': 356586, 'move then felicia': 543745, 'then felicia stayhomesavelives': 877166, 'felicia stayhomesavelives lockdownug': 303140, 'expert do': 291819, 'panic even': 638077, 'outbreak there': 628732, 'chain via': 171213, 'expert do not': 291820, 'not panic even': 570908, 'panic even with': 638079, 'with the coronavirus': 1001248, 'coronavirus outbreak there': 206414, 'outbreak there plenty': 628735, 'food in supply': 314974, 'supply chain via': 825056, 'attn': 102603, 'mart': 518034, 'iqaluit': 444652, 'attn gt': 102604, 'gt northern': 367623, 'northern northmart': 567765, 'have frozen': 380728, 'frozen price': 339011, 'day limiting': 227913, 'key product': 473372, 'product the': 681705, 'north mart': 567667, 'mart in': 518052, 'in iqaluit': 424142, 'iqaluit sign': 444653, 'sign limit': 769145, 'limit soap': 492493, 'soap flu': 778999, 'flu treatment': 311479, 'paper of': 640520, 'which there': 986390, 'shortage purchase': 765189, 'one per': 606846, 'attn gt northern': 102605, 'gt northern northmart': 367624, 'northern northmart store': 567766, 'northmart store have': 567808, 'store have frozen': 808082, 'have frozen price': 380730, 'frozen price for': 339012, '60 day limiting': 20928, 'day limiting purchase': 227914, 'limiting purchase of': 492857, 'purchase of key': 689582, 'of key product': 585616, 'key product the': 473375, 'product the north': 681711, 'the north mart': 861874, 'north mart in': 567668, 'mart in iqaluit': 518053, 'in iqaluit sign': 424143, 'iqaluit sign limit': 444654, 'sign limit soap': 769146, 'limit soap flu': 492494, 'soap flu treatment': 779000, 'flu treatment and': 311480, 'treatment and toilet': 931034, 'toilet paper of': 921373, 'paper of which': 640523, 'of which there': 593111, 'which there is': 986391, 'no shortage purchase': 565499, 'shortage purchase to': 765190, 'purchase to one': 689701, 'to one per': 910919, 'one per household': 606849, 'notchronosandcars': 572678, '5l': 20737, 'rr': 726674, 'sva': 829869, '550bhp': 20420, 'suited': 817830, 'offload': 596066, 'bonkers': 134325, 'sporting': 789995, 'matching': 520321, 'next not': 561473, 'arrive at': 93902, 'at notchronosandcars': 99919, 'notchronosandcars is': 572679, 'is surprise': 452492, 'surprise 5l': 828512, '5l rr': 20740, 'rr sva': 726677, 'sva with': 829870, 'with 550bhp': 997042, '550bhp suited': 20421, 'suited to': 817831, 'to offload': 910868, 'offload this': 596067, 'see no': 745482, 'than supermarket': 841182, 'park when': 642027, 'normal real': 567288, 'real bonkers': 701047, 'bonkers thing': 134328, 'thing seen': 884731, 'seen here': 747054, 'here sporting': 393592, 'sporting not': 790003, 'not matching': 570537, 'matching stayhomesavelives': 520328, 'next not to': 561474, 'not to arrive': 572130, 'to arrive at': 900727, 'arrive at notchronosandcars': 93903, 'at notchronosandcars is': 99920, 'notchronosandcars is surprise': 572680, 'is surprise 5l': 452493, 'surprise 5l rr': 828513, '5l rr sva': 20741, 'rr sva with': 726678, 'sva with 550bhp': 829871, 'with 550bhp suited': 997043, '550bhp suited to': 20422, 'suited to offload': 817832, 'to offload this': 910869, 'offload this will': 596068, 'this will see': 891443, 'will see no': 994788, 'see no more': 745484, 'more than supermarket': 540678, 'than supermarket car': 841183, 'car park when': 163238, 'park when the': 642028, 'when the world': 984215, 'world is back': 1009687, 'is back to': 445951, 'to normal real': 910654, 'normal real bonkers': 567289, 'real bonkers thing': 701048, 'bonkers thing seen': 134329, 'thing seen here': 884732, 'seen here sporting': 747055, 'here sporting not': 393593, 'sporting not matching': 790004, 'not matching stayhomesavelives': 570538, 'yucky': 1027079, 'xenophobe': 1013815, 'man yelled': 512367, 'at me': 99697, 'for buying': 319859, 'buying yucky': 151417, 'yucky garlic': 1027080, 'garlic from': 343684, 'not australian': 568284, 'australian garlic': 103495, 'garlic soo': 343690, 'soo he': 785579, 'he xenophobe': 385707, 'xenophobe who': 1013816, 'who either': 988677, 'either really': 270365, 'love australian': 504612, 'australian commerce': 103463, 'commerce or': 188598, 'or think': 617433, 'is spread': 452180, 'through garlic': 894476, 'man yelled at': 512368, 'yelled at me': 1015228, 'at me at': 99699, 'supermarket today for': 823443, 'today for buying': 919535, 'for buying yucky': 319864, 'buying yucky garlic': 151418, 'yucky garlic from': 1027081, 'garlic from china': 343685, 'from china and': 334849, 'china and not': 176487, 'and not australian': 67717, 'not australian garlic': 568285, 'australian garlic soo': 103496, 'garlic soo he': 343691, 'soo he xenophobe': 785580, 'he xenophobe who': 385708, 'xenophobe who either': 1013817, 'who either really': 988679, 'either really love': 270366, 'really love australian': 702393, 'love australian commerce': 504613, 'australian commerce or': 103464, 'commerce or think': 188599, 'or think covid': 617434, '19 is spread': 8053, 'is spread through': 452186, 'spread through garlic': 790845, 'fatten': 300345, 'curve oh': 221875, 'oh my': 596417, 'my god': 548521, 'god thought': 354816, 'thought it': 893101, 'said fatten': 731068, 'fatten the': 300346, 'curve managed': 221871, 'eat three': 266085, 'week worth': 977281, 'food had': 314755, 'bought on': 136658, 'first day': 308610, 'the curve oh': 852698, 'curve oh my': 221876, 'oh my god': 596419, 'my god thought': 548528, 'god thought it': 354817, 'thought it said': 893106, 'it said fatten': 460852, 'said fatten the': 731069, 'fatten the curve': 300347, 'the curve managed': 852696, 'curve managed to': 221872, 'managed to eat': 512498, 'to eat three': 904906, 'eat three week': 266087, 'three week worth': 894120, 'week worth of': 977283, 'of food had': 583702, 'food had panic': 314757, 'had panic bought': 373385, 'panic bought on': 637426, 'bought on my': 136659, 'on my first': 602284, 'my first day': 548336, 'first day of': 308615, 'day of self': 228100, 'of self isolation': 589473, 'helpnothurt': 391615, 'lookaftereachother': 502696, 'this made': 888732, 'made me': 507834, 'me angry': 522436, 'angry shame': 76491, 'this meant': 888821, 'meant nothing': 524892, 'else because': 271635, 'their greed': 873437, 'greed hope': 363384, 'hope karma': 403527, 'karma bite': 470940, 'bite them': 131878, 'the butt': 850211, 'butt not': 148104, 'not sharing': 571549, 'sharing my': 755555, 'my toliet': 550397, 'them helpnothurt': 875842, 'helpnothurt lookaftereachother': 391616, 'this made me': 888733, 'made me angry': 507835, 'me angry shame': 522437, 'angry shame on': 76492, 'on you this': 605439, 'you this meant': 1021704, 'this meant nothing': 888822, 'meant nothing for': 524893, 'nothing for anyone': 573010, 'for anyone else': 319435, 'anyone else because': 80257, 'else because of': 271636, 'because of their': 119414, 'of their greed': 591666, 'their greed hope': 873439, 'greed hope karma': 363385, 'hope karma bite': 403528, 'karma bite them': 470941, 'bite them in': 131879, 'them in the': 875918, 'in the butt': 429044, 'the butt not': 850213, 'butt not sharing': 148105, 'not sharing my': 571550, 'sharing my toliet': 755559, 'my toliet paper': 550398, 'toliet paper with': 923821, 'paper with them': 641103, 'with them helpnothurt': 1001615, 'them helpnothurt lookaftereachother': 875843, 'holdaway': 400050, 'holdaway we': 400051, 'same thought': 733340, 'thought so': 893219, 'here it': 393264, 'holdaway we had': 400052, 'we had the': 971723, 'had the same': 373626, 'the same thought': 866310, 'same thought so': 733343, 'thought so here': 893220, 'so here it': 777298, 'here it is': 393268, 'right choice': 721840, 'choice buy': 177744, 'buy ammo': 148307, 'make the right': 510581, 'the right choice': 865805, 'right choice buy': 721842, 'choice buy ammo': 177745, 'hantavirus': 377031, 'rodent': 725002, 'hantavirus is': 377034, 'not dangerous': 568957, 'dangerous the': 225787, 'coronavirus it': 206181, 'only found': 610481, 'found in': 330247, 'in rodent': 427526, 'rodent so': 725005, 'are safe': 89785, 'safe unless': 730088, 'unless we': 942655, 'eat rodent': 266039, 'rodent our': 725003, 'food there': 317148, 'also vaccine': 49059, 'vaccine for': 951700, 'so no': 777880, 'hantavirus is not': 377035, 'is not dangerous': 450060, 'not dangerous the': 568958, 'dangerous the coronavirus': 225788, 'the coronavirus it': 851874, 'coronavirus it only': 206184, 'it only found': 460099, 'only found in': 610482, 'found in rodent': 330251, 'in rodent so': 427527, 'rodent so we': 725006, 'so we are': 778656, 'we are safe': 970696, 'are safe unless': 89795, 'safe unless we': 730089, 'unless we eat': 942659, 'we eat rodent': 971435, 'eat rodent our': 266040, 'rodent our food': 725004, 'our food there': 623137, 'food there are': 317149, 'there are also': 878063, 'are also vaccine': 84486, 'also vaccine for': 49060, 'vaccine for it': 951704, 'for it so': 322734, 'it so no': 461121, 'so no need': 777887, 'watchful': 968689, 'protezionecivile': 685955, 'near home': 553520, 'home under': 402386, 'the watchful': 871121, 'watchful eye': 968690, 'eye of': 294064, 'of protezionecivile': 588569, 'shopping this morning': 764131, 'this morning in': 888971, 'morning in the': 541309, 'the supermarket near': 868710, 'supermarket near home': 821573, 'near home under': 553521, 'home under the': 402389, 'under the watchful': 940339, 'the watchful eye': 871122, 'watchful eye of': 968691, 'eye of protezionecivile': 294066, 'airpods': 40078, 'ons': 611538, '9to5mac': 24036, 'techjunkienews': 836183, 'apple tell': 82371, 'tell retail': 837060, 'employee not': 274053, 'offer airpods': 594517, 'airpods or': 40079, 'or apple': 614393, 'apple watch': 82379, 'watch try': 968595, 'try ons': 934529, 'ons coronavirus': 611541, 'coronavirus precaution': 206578, 'precaution 9to5mac': 669261, '9to5mac coronavtj': 24039, 'coronavtj techjunkienews': 207128, 'apple tell retail': 82372, 'tell retail employee': 837061, 'retail employee not': 718074, 'employee not to': 274056, 'not to offer': 572168, 'to offer airpods': 910825, 'offer airpods or': 594518, 'airpods or apple': 40080, 'or apple watch': 614394, 'apple watch try': 82381, 'watch try ons': 968596, 'try ons coronavirus': 934530, 'ons coronavirus precaution': 611542, 'coronavirus precaution 9to5mac': 206579, 'precaution 9to5mac coronavtj': 669262, '9to5mac coronavtj techjunkienews': 24040, 'harper': 378495, 'wood': 1004269, 'close harper': 182651, 'harper wood': 378496, 'wood store': 1004281, 'customer after': 222033, 'after employee': 35617, 'employee dy': 273800, 'dy of': 263744, 'of via': 592791, 'close harper wood': 182652, 'harper wood store': 378498, 'wood store to': 1004282, 'store to customer': 810765, 'to customer after': 903844, 'customer after employee': 222034, 'after employee dy': 35618, 'employee dy of': 273803, 'dy of via': 263751, 'pier': 656393, 'stayhomesa': 798317, 'pier please': 656397, 'please keep': 660146, 'keep asking': 471319, 'asking the': 96074, 'minister where': 533496, 'the ppe': 864165, 'ppe for': 667945, 'our key': 623618, 'nh but': 561906, 'driver postal': 259705, 'postal staff': 666456, 'staff etc': 792418, 'are putting': 89352, 'putting themselves': 691251, 'themselves at': 876772, 'risk every': 723519, 'they go': 882198, 'work stayhomesa': 1005759, 'pier please keep': 656398, 'please keep asking': 660148, 'keep asking the': 471320, 'asking the minister': 96077, 'the minister where': 860659, 'minister where the': 533497, 'where the ppe': 985243, 'the ppe for': 864168, 'ppe for our': 667949, 'for our key': 324264, 'our key worker': 623619, 'key worker is': 473492, 'worker is not': 1007239, 'is not just': 450117, 'not just the': 570256, 'just the nh': 470007, 'the nh but': 861728, 'nh but also': 561907, 'but also the': 145149, 'also the supermarket': 48988, 'supermarket worker delivery': 824009, 'delivery driver postal': 233932, 'driver postal staff': 259707, 'postal staff etc': 666457, 'staff etc etc': 792420, 'etc etc who': 282526, 'who are putting': 988201, 'are putting themselves': 89364, 'putting themselves at': 691253, 'themselves at risk': 876773, 'at risk every': 100358, 'risk every time': 723521, 'every time they': 286320, 'time they go': 897901, 'they go to': 882207, 'to work stayhomesa': 918784, 'wallstreet': 965249, 'helppeoplefirst': 391627, 'will republican': 994658, 'republican realize': 713059, 'is consumer': 446786, 'based that': 111768, 'mean people': 524609, 'people buying': 647339, 'thing when': 884980, 'life back': 488512, 'back you': 107490, 'help wallstreet': 390857, 'wallstreet succeed': 965261, 'succeed there': 816169, 'no market': 564700, 'without consumer': 1002560, 'consumer helppeoplefirst': 197747, 'helppeoplefirst the': 391628, 'come back': 187230, 'when will republican': 984503, 'will republican realize': 994659, 'republican realize that': 713060, 'realize that our': 701857, 'that our economy': 845576, 'our economy is': 622844, 'economy is consumer': 267995, 'is consumer based': 446787, 'consumer based that': 196413, 'based that mean': 111769, 'that mean people': 845117, 'mean people buying': 524611, 'people buying thing': 647353, 'buying thing when': 151210, 'thing when you': 884981, 'when you help': 984570, 'you help people': 1019199, 'people get their': 648060, 'get their life': 348335, 'their life back': 873824, 'life back you': 488513, 'back you help': 107492, 'you help wallstreet': 1019206, 'help wallstreet succeed': 390858, 'wallstreet succeed there': 965262, 'succeed there is': 816170, 'is no market': 449949, 'no market without': 564702, 'market without consumer': 517387, 'without consumer helppeoplefirst': 1002561, 'consumer helppeoplefirst the': 197748, 'helppeoplefirst the market': 391629, 'the market will': 860178, 'market will come': 517353, 'will come back': 992963, 'momentous': 536146, 'benefiting': 127155, 'philanthropy': 654704, 'fest': 303589, 'this momentous': 888884, 'momentous live': 536147, 'live stream': 496029, 'stream benefiting': 812774, 'benefiting the': 127170, 'for disaster': 320738, 'disaster philanthropy': 244232, 'philanthropy covid': 654705, 'response fund': 715701, 'fund discus': 341388, 'of fest': 583490, 'fest the': 303590, 'the olympics': 862157, 'olympics how': 598792, 'how important': 408031, 'important supermarket': 418978, 'how japan': 408151, 'japan and': 464705, 'are affected': 84245, 'in this momentous': 429978, 'this momentous live': 888885, 'momentous live stream': 536148, 'live stream benefiting': 496030, 'stream benefiting the': 812775, 'benefiting the center': 127171, 'center for disaster': 169202, 'for disaster philanthropy': 320740, 'disaster philanthropy covid': 244233, 'philanthropy covid 19': 654706, '19 response fund': 10149, 'response fund discus': 715703, 'fund discus the': 341389, 'discus the status': 244934, 'status of fest': 796686, 'of fest the': 583491, 'fest the olympics': 303591, 'the olympics how': 862159, 'olympics how important': 598793, 'how important supermarket': 408037, 'important supermarket employee': 418979, 'supermarket employee are': 820109, 'employee are and': 273605, 'and how japan': 64821, 'how japan and': 408152, 'japan and the': 464708, 'economy are affected': 267663, 'are affected by': 84247, 'by the pandemic': 154402, 'jose': 467312, 'coronavirus san': 206695, 'san jose': 733553, 'jose grocery': 467315, 'store temporarily': 810521, 'temporarily shuts': 837541, 'down after': 256443, 'coronavirus san jose': 206697, 'san jose grocery': 733555, 'jose grocery store': 467316, 'grocery store temporarily': 365841, 'store temporarily shuts': 810526, 'temporarily shuts down': 837542, 'shuts down after': 768181, 'down after employee': 256448, 'employee dy from': 273802, 'contactless': 200354, 'our contribution': 622555, 'contribution against': 201931, 'against let': 37534, 'let spread': 487063, 'word together': 1004605, 'nation free': 552187, 'app for': 81705, 'for contactless': 320311, 'contactless delivery': 200364, 'takeaway amp': 832842, 'amp manage': 54101, 'manage online': 512412, 'our contribution against': 622556, 'contribution against let': 201932, 'against let spread': 37536, 'let spread the': 487065, 'the word together': 871724, 'word together to': 1004606, 'the nation free': 861233, 'nation free app': 552188, 'free app for': 331657, 'app for contactless': 81706, 'for contactless delivery': 320312, 'contactless delivery takeaway': 200368, 'delivery takeaway amp': 234604, 'takeaway amp manage': 832843, 'amp manage online': 54102, 'manage online ordering': 512413, 'locate': 498799, 'saudi center': 737251, 'prevention said': 671883, 'the work': 871726, 'be carried': 114008, 'it laboratory': 459286, 'laboratory would': 478487, 'would help': 1011905, 'help locate': 390015, 'locate case': 498800, 'and track': 74338, 'track the': 928225, 'disease inside': 245159, 'the kingdom': 858824, 'saudi center for': 737252, 'and prevention said': 69429, 'prevention said that': 671884, 'that the work': 846869, 'the work to': 871742, 'work to be': 1005880, 'to be carried': 901152, 'be carried out': 114009, 'carried out in': 164939, 'out in it': 626381, 'in it laboratory': 424254, 'it laboratory would': 459287, 'laboratory would help': 478488, 'would help locate': 1011911, 'help locate case': 390016, 'locate case of': 498801, 'case of infection': 165909, 'infection and track': 436716, 'and track the': 74339, 'track the spread': 928230, 'of the disease': 590956, 'the disease inside': 853366, 'disease inside the': 245160, 'inside the kingdom': 439416, 'bank see': 110165, 'see record': 745630, 'record demand': 704937, 'month can': 537633, 'food bank see': 313634, 'bank see record': 110167, 'see record demand': 745631, 'record demand for': 704939, 'demand for month': 235456, 'for month and': 323509, 'month and month': 537579, 'and month can': 67127, 'month can you': 537634, 'can you help': 160309, 'shameonyou': 754739, 'done putting': 254982, 'putting your': 691287, 'call price': 156078, 'up when': 946574, 'when people': 983853, 'to chat': 902663, 'chat on': 173941, 'phone more': 654973, 'ever shame': 285496, 'you shameonyou': 1021139, 'well done putting': 978195, 'done putting your': 254983, 'putting your call': 691288, 'your call price': 1023108, 'call price up': 156080, 'price up when': 677270, 'up when people': 946578, 'when people are': 983854, 'people are in': 647001, 'are in isolation': 87403, 'in isolation and': 424189, 'isolation and will': 455205, 'and will need': 75677, 'need to chat': 555883, 'to chat on': 902665, 'chat on the': 173943, 'on the phone': 604282, 'the phone more': 863693, 'phone more than': 654974, 'than ever shame': 840607, 'ever shame on': 285497, 'on you shameonyou': 605436, 'except medicine': 289198, 'medicine store': 526892, 'store no': 809071, 'no grocery': 564377, 'grocery other': 364820, 'item shop': 463631, 'except medicine store': 289199, 'medicine store no': 526893, 'store no grocery': 809078, 'no grocery other': 564379, 'grocery other essential': 364821, 'other essential food': 620162, 'essential food item': 281045, 'food item shop': 315229, 'item shop will': 463633, 'shop will be': 761050, 'allowed to open': 46240, 'accuse': 28930, 'hiding': 394860, 'partner work': 642909, 'on till': 604700, 'till at': 895994, 'at major': 99661, 'had people': 373396, 'people accuse': 646749, 'accuse her': 28931, 'her of': 392238, 'of hiding': 584607, 'hiding toilet': 394883, 'out back': 625756, 'back absolutely': 106821, 'absolutely moron': 27386, 'moron fear': 541592, 'fear the': 301373, 'the stupidity': 868347, 'humanity more': 410756, 'my partner work': 549727, 'partner work on': 642911, 'work on till': 1005543, 'on till at': 604701, 'till at major': 895995, 'at major supermarket': 99665, 'major supermarket she': 509496, 'supermarket she ha': 822407, 'she ha had': 756076, 'ha had people': 370795, 'had people accuse': 373397, 'people accuse her': 646750, 'accuse her of': 28932, 'her of hiding': 392239, 'of hiding toilet': 584608, 'hiding toilet roll': 394885, 'toilet roll out': 921594, 'roll out back': 725447, 'out back absolutely': 625757, 'back absolutely moron': 106822, 'absolutely moron fear': 27387, 'moron fear the': 541593, 'fear the stupidity': 301383, 'the stupidity of': 868348, 'stupidity of humanity': 815546, 'of humanity more': 584888, 'humanity more than': 410757, 'more than covid': 540606, 'an easter': 55550, 'easter basket': 265385, 'basket this': 112398, 'who need an': 989308, 'need an easter': 554403, 'an easter basket': 55551, 'easter basket this': 265390, 'basket this year': 112399, 'this year 19': 891560, 'tilfurthernotice': 895962, 'painting': 634312, 'africanart': 35233, 'cameroon': 157142, '38': 18121, 'mailed': 508684, 'boise': 134065, 'idaho': 412966, 'tilfurthernotice price': 895963, 'all painting': 43901, 'painting are': 634315, 'are suggested': 90637, 'suggested price': 817579, 'price no': 675340, 'no reasonable': 565304, 'reasonable offer': 703105, 'for africanart': 319068, 'africanart refused': 35236, 'refused contact': 707053, 'contact cameroon': 200038, 'cameroon now': 157147, 'go along': 353268, 'with year': 1002134, 'old civil': 598182, 'war so': 966540, 'so time': 778522, 'time tough': 898124, 'tough 38': 926787, '38 painting': 18136, 'painting ready': 634319, 'to mailed': 909552, 'mailed from': 508685, 'from boise': 334705, 'boise idaho': 134066, 'tilfurthernotice price on': 895964, 'on all painting': 599241, 'all painting are': 43902, 'painting are suggested': 634316, 'are suggested price': 90638, 'suggested price no': 817580, 'price no reasonable': 675350, 'no reasonable offer': 565305, 'reasonable offer for': 703106, 'offer for africanart': 594615, 'for africanart refused': 319070, 'africanart refused contact': 35237, 'refused contact cameroon': 707054, 'contact cameroon now': 200039, 'cameroon now ha': 157148, 'ha to go': 372301, 'to go along': 906765, 'go along with': 353269, 'along with year': 47084, 'with year old': 1002135, 'year old civil': 1014818, 'old civil war': 598183, 'civil war so': 179567, 'war so time': 966542, 'so time tough': 778524, 'time tough 38': 898125, 'tough 38 painting': 926788, '38 painting ready': 18137, 'painting ready to': 634320, 'ready to mailed': 700965, 'to mailed from': 909553, 'mailed from boise': 508686, 'from boise idaho': 334706, 'iot': 444468, 'enterprise': 278444, 'home business': 400825, 'business opportunity': 144153, 'knock for': 476152, 'consumer iot': 197927, 'iot supplier': 444478, 'supplier internet': 824560, 'internet of': 441972, 'of thing': 591889, 'thing manufacturer': 884576, 'manufacturer see': 513512, 'huge market': 410096, 'market opening': 516809, 'opening up': 612942, 'the million': 860621, 'new enterprise': 558690, 'enterprise customer': 278445, 'customer working': 223112, 'home business opportunity': 400826, 'business opportunity knock': 144155, 'opportunity knock for': 613650, 'knock for consumer': 476153, 'for consumer iot': 320268, 'consumer iot supplier': 197929, 'iot supplier internet': 444479, 'supplier internet of': 824561, 'internet of thing': 441973, 'of thing manufacturer': 591907, 'thing manufacturer see': 884577, 'manufacturer see huge': 513513, 'see huge market': 745265, 'huge market opening': 410097, 'market opening up': 516811, 'opening up from': 612945, 'from the million': 337789, 'the million of': 860624, 'million of new': 532279, 'of new enterprise': 586964, 'new enterprise customer': 558691, 'enterprise customer working': 278446, 'customer working from': 223113, 'royal': 726609, 'highness': 396110, 'registered': 707634, 'drunkard': 261225, 'comingyi': 188305, 'your royal': 1025653, 'royal highness': 726625, 'highness is': 396111, 'is registered': 451391, 'registered 19': 707635, 'case enough': 165727, 'to issue': 908550, 'issue statement': 455933, 'statement ordering': 796203, 'ordering fixing': 618962, 'fixing of': 309851, 'essential good': 281080, 'good or': 357522, 'or should': 617067, 'should just': 766159, 'go sit': 354142, 'sit close': 771817, 'fellow drunkard': 303285, 'drunkard and': 261226, 'we speak': 973344, 'speak with': 787728, 'with saliva': 1000559, 'saliva comingyi': 732729, 'comingyi out': 188306, 'our mouth': 623951, 'your royal highness': 1025654, 'royal highness is': 726626, 'highness is registered': 396112, 'is registered 19': 451392, 'registered 19 case': 707636, '19 case enough': 5676, 'case enough for': 165728, 'enough for you': 277445, 'for you to': 328094, 'you to issue': 1021792, 'to issue statement': 908558, 'issue statement ordering': 455934, 'statement ordering fixing': 796204, 'ordering fixing of': 618963, 'fixing of price': 309853, 'of price of': 588412, 'price of food': 675454, 'other essential good': 620163, 'essential good or': 281094, 'good or should': 357528, 'or should just': 617069, 'should just go': 766161, 'just go sit': 468828, 'go sit close': 354143, 'sit close to': 771818, 'my fellow drunkard': 548301, 'fellow drunkard and': 303286, 'drunkard and we': 261227, 'and we speak': 75323, 'we speak with': 973346, 'speak with saliva': 787732, 'with saliva comingyi': 1000560, 'saliva comingyi out': 732730, 'comingyi out of': 188307, 'out of our': 626797, 'of our mouth': 587517, 'tremendous': 931212, 'veterinarian': 955731, 'exporting': 292761, 'overseas': 631458, 'to tremendous': 917765, 'tremendous buy': 931213, 'of alcohol': 579889, 'alcohol solvent': 41110, 'solvent hand': 782198, 'sanitizer manufacturer': 735338, 'manufacturer international': 513478, 'international exporter': 441801, 'exporter and': 292742, 'and local': 66287, 'business pharmacy': 144219, 'pharmacy beauty': 654250, 'beauty shop': 118789, 'shop veterinarian': 761001, 'veterinarian are': 955732, 'are purchasing': 89330, 'purchasing these': 689933, 'these alcohol': 879582, 'alcohol and': 40901, 'and exporting': 62535, 'exporting it': 292769, 'it overseas': 460212, 'overseas at': 631461, 'at premium': 100173, 'premium price': 669971, '19 ha led': 7360, 'led to tremendous': 485306, 'to tremendous buy': 917766, 'tremendous buy up': 931214, 'buy up of': 149414, 'up of alcohol': 945495, 'of alcohol solvent': 579899, 'alcohol solvent hand': 41111, 'solvent hand sanitizer': 782199, 'hand sanitizer manufacturer': 375483, 'sanitizer manufacturer international': 735341, 'manufacturer international exporter': 513479, 'international exporter and': 441802, 'exporter and local': 292743, 'and local business': 66288, 'local business pharmacy': 497774, 'business pharmacy beauty': 144220, 'pharmacy beauty shop': 654252, 'beauty shop veterinarian': 118790, 'shop veterinarian are': 761002, 'veterinarian are purchasing': 955733, 'are purchasing these': 89335, 'purchasing these alcohol': 689934, 'these alcohol and': 879583, 'alcohol and exporting': 40904, 'and exporting it': 62537, 'exporting it overseas': 292770, 'it overseas at': 460213, 'overseas at premium': 631462, 'at premium price': 100175, 'suppressing': 827420, 'be suppressing': 117467, 'suppressing used': 827421, 'used iron': 949952, 'iron price': 444926, 'price particularly': 675835, 'particularly if': 642690, 'the sale': 866173, 'sale item': 732320, 'are late': 87717, 'late model': 480894, 'model have': 535257, 'have low': 381392, 'low hour': 505322, 'in great': 423408, 'great condition': 362586, '19 doesn seem': 6616, 'doesn seem to': 251938, 'to be suppressing': 901575, 'be suppressing used': 117468, 'suppressing used iron': 827422, 'used iron price': 949953, 'iron price particularly': 444928, 'price particularly if': 675838, 'particularly if the': 642691, 'if the sale': 415024, 'the sale item': 866179, 'sale item are': 732321, 'item are late': 463096, 'are late model': 87718, 'late model have': 480895, 'model have low': 535258, 'have low hour': 381394, 'low hour and': 505323, 'hour and are': 405391, 'and are in': 58325, 'are in great': 87387, 'in great condition': 423409, 'vunerable': 961301, 'scooter': 742323, 'disabled vunerable': 243979, 'vunerable use': 961309, 'use scooter': 949560, 'scooter so': 742332, 'can manage': 158961, 'manage supermarket': 512430, 'been signed': 121963, 'signed to': 769385, 'shop paying': 760658, 'paying monthly': 645442, 'monthly for': 538171, 'few also': 303710, 'also now': 48585, 'now buying': 574306, 'for old': 324047, 'old parent': 598403, 'parent each': 641621, 'each day': 264034, 'day another': 227300, 'day is': 227831, 'is added': 445345, 'disabled vunerable use': 243980, 'vunerable use scooter': 961310, 'use scooter so': 949562, 'scooter so can': 742333, 'so can manage': 776716, 'can manage supermarket': 158965, 'manage supermarket shop': 512431, 'supermarket shop have': 822587, 'have been signed': 379682, 'been signed to': 121964, 'signed to your': 769386, 'to your online': 919011, 'your online shop': 1025076, 'online shop paying': 608984, 'shop paying monthly': 760659, 'paying monthly for': 645443, 'monthly for few': 538172, 'for few also': 321448, 'few also now': 303711, 'also now buying': 48586, 'now buying for': 574309, 'buying for old': 150356, 'for old parent': 324048, 'old parent each': 598405, 'parent each day': 641622, 'each day another': 264037, 'day another day': 227301, 'another day is': 77568, 'day is added': 227832, 'is added it': 445347, 'dick': 240455, 'mind stoppanicbuying': 532728, 'stoppanicbuying you': 805660, 'need all': 554383, 'those roll': 892406, 'tp also': 927732, 'also save': 48821, 'baby wipe': 106733, 'wipe for': 996259, 'for other': 324171, 'people child': 647458, 'child they': 176225, 'need those': 555829, 'those too': 892560, 'too bottom': 924617, 'line folk': 493089, 'folk don': 312145, 'be dick': 114440, 'with the on': 1001411, 'the on everyone': 862166, 'on everyone mind': 600638, 'everyone mind stoppanicbuying': 287187, 'mind stoppanicbuying you': 532729, 'stoppanicbuying you don': 805661, 'don need all': 253752, 'need all those': 554387, 'all those roll': 45184, 'those roll of': 892407, 'roll of tp': 725423, 'of tp also': 592355, 'tp also save': 927734, 'also save some': 48822, 'save some baby': 737639, 'some baby wipe': 782366, 'baby wipe for': 106737, 'wipe for other': 996265, 'for other people': 324173, 'other people child': 620661, 'people child they': 647459, 'child they need': 176226, 'they need those': 882764, 'need those too': 555832, 'those too bottom': 892561, 'too bottom line': 924618, 'bottom line folk': 136408, 'line folk don': 493090, 'folk don be': 312146, 'don be dick': 253359, 'consumerawareness': 199601, 'surrounding here': 828748, 'ftc tip': 339453, 'scam consumerawareness': 740121, 'scammer are taking': 740545, 'fear surrounding here': 301350, 'surrounding here are': 828749, 'here are the': 392760, 'are the ftc': 90833, 'the ftc tip': 855943, 'ftc tip on': 339454, 'coronavirus scam consumerawareness': 206714, '5t': 20817, '2t': 16862, 'some perspective': 783557, 'perspective all': 653181, 'student loan': 814721, 'about 5t': 24734, '5t it': 20818, 'would cost': 1011736, 'cost far': 207934, 'far le': 298830, 'le to': 483206, 'all outstanding': 43846, 'outstanding consumer': 629691, 'is only': 450528, 'only about': 610024, 'about 2t': 24691, '2t it': 16863, 'some perspective all': 783558, 'perspective all student': 653182, 'all student loan': 44518, 'student loan debt': 814725, 'debt is about': 230507, 'is about 5t': 445268, 'about 5t it': 24735, '5t it would': 20819, 'it would cost': 462587, 'would cost far': 1011739, 'cost far le': 207935, 'far le to': 298833, 'le to cancel': 483207, 'cancel all of': 160833, 'all of it': 43699, 'of it all': 585361, 'it all outstanding': 456365, 'all outstanding consumer': 43847, 'outstanding consumer debt': 629692, 'consumer debt is': 197083, 'debt is only': 230512, 'is only about': 450533, 'only about 2t': 610025, 'about 2t it': 24692, '2t it would': 16864, 'wire': 996547, 'anticipate': 78418, 'wire data': 996552, 'data and': 226116, 'and algorithm': 57846, 'algorithm is': 41658, 'future anticipate': 342257, 'wire data and': 996553, 'data and algorithm': 226118, 'and algorithm is': 57847, 'algorithm is this': 41659, 'this the retail': 890536, 'the retail store': 865730, 'store of the': 809148, 'of the future': 591052, 'the future anticipate': 856067, 'gcc': 344814, 'structural': 814284, 'vanishing': 952423, 'term fallout': 838139, 'fallout of': 297387, 'the gcc': 856194, 'gcc is': 344824, 'bring significant': 140066, 'significant economic': 769441, 'economic structural': 267324, 'structural change': 814285, 'change with': 172402, 'some business': 782443, 'business vanishing': 144610, 'vanishing consumer': 952424, 'change according': 171880, 'long term fallout': 501684, 'term fallout of': 838140, 'fallout of the': 297388, 'of the lockdown': 591198, 'the lockdown in': 859607, 'lockdown in the': 499517, 'in the gcc': 429232, 'the gcc is': 856196, 'gcc is likely': 344825, 'likely to bring': 492132, 'to bring significant': 902050, 'bring significant economic': 140067, 'significant economic structural': 769443, 'economic structural change': 267325, 'structural change with': 814287, 'change with some': 172407, 'with some business': 1000836, 'some business vanishing': 782452, 'business vanishing consumer': 144611, 'vanishing consumer behavior': 952425, 'behavior change according': 123957, 'change according to': 171881, 'according to expert': 28538, 'least they': 484657, 'toiletpaper snake': 922485, 'at least they': 99555, 'least they have': 484660, 'they have toilet': 882397, 'paper toiletpaper snake': 640954, 'opposite': 613774, 'that after': 842514, 'after wks': 36553, 'wks of': 1003250, 'of stay': 590085, 'home guidance': 401315, 'guidance that': 368287, 'shopping grocery': 762807, 'delivery would': 234783, 'would become': 1011675, 'become easier': 119974, 'easier faster': 265140, 'faster but': 300088, 'the opposite': 862408, 'opposite ha': 613792, 'taken place': 833051, 'now find': 574685, 'find yourself': 307411, 'yourself in': 1026643, 'get on': 347695, 'site itself': 771965, 'itself over': 463949, 'over an': 629973, 'an hr': 56111, 'hr amazing': 409599, 'amazing almost': 50637, 'almost encourages': 46611, 'encourages hoarding': 275693, 'you think that': 1021676, 'think that after': 885585, 'that after wks': 842521, 'after wks of': 36554, 'wks of stay': 1003251, 'of stay at': 590087, 'at home guidance': 99000, 'home guidance that': 401316, 'guidance that online': 368289, 'that online shopping': 845515, 'online shopping grocery': 609136, 'shopping grocery delivery': 762808, 'grocery delivery would': 364456, 'delivery would become': 234785, 'would become easier': 1011678, 'become easier faster': 119975, 'easier faster but': 265141, 'faster but the': 300089, 'but the opposite': 147376, 'the opposite ha': 862413, 'opposite ha taken': 613793, 'ha taken place': 372149, 'taken place now': 833053, 'place now find': 657596, 'now find yourself': 574688, 'find yourself in': 307416, 'yourself in line': 1026645, 'to get on': 906547, 'get on the': 347698, 'on the site': 604365, 'the site itself': 867232, 'site itself over': 771966, 'itself over an': 463950, 'over an hr': 629976, 'an hr amazing': 56112, 'hr amazing almost': 409600, 'amazing almost encourages': 50638, 'almost encourages hoarding': 46612, 'tail': 831806, 'hamilton': 374554, 'poshmark': 665126, 'shopforacause': 761138, 'trend for': 931335, 'for tail': 326118, 'tail resale': 831811, 'resale boutique': 713559, 'boutique is': 136937, 'currently closed': 221504, 'outbreak you': 628844, 'can continue': 157979, 'society for': 781211, 'for hamilton': 322102, 'hamilton county': 374555, 'county trend': 211522, 'tail by': 831807, 'shopping our': 763569, 'online poshmark': 608777, 'poshmark store': 665127, 'store here': 808142, 'here shopforacause': 393553, 'trend for tail': 931340, 'for tail resale': 326120, 'tail resale boutique': 831812, 'resale boutique is': 713560, 'boutique is currently': 136938, 'is currently closed': 446990, 'currently closed to': 221506, 'public in response': 688102, '19 outbreak you': 9212, 'outbreak you can': 628846, 'you can continue': 1017651, 'can continue to': 157983, 'support the humane': 826875, 'humane society for': 410675, 'society for hamilton': 781212, 'for hamilton county': 322103, 'hamilton county trend': 374556, 'county trend for': 211523, 'for tail by': 326119, 'tail by shopping': 831808, 'by shopping our': 153997, 'shopping our online': 763570, 'our online poshmark': 624151, 'online poshmark store': 608778, 'poshmark store here': 665128, 'store here shopforacause': 808149, 'very real': 955451, 'real issue': 701228, 'issue we': 455994, 'are hearing': 87070, 'hearing this': 388250, 'option food': 614028, 'bank key': 109964, 'key for': 473296, 'some family': 782813, 'family during': 297753, 'is very real': 453689, 'very real issue': 955455, 'real issue we': 701230, 'issue we are': 455996, 'we are hearing': 970586, 'are hearing this': 87071, 'hearing this all': 388251, 'this all the': 886273, 'all the time': 44943, 'the time panic': 869611, 'time panic buying': 897452, 'an option food': 56681, 'option food bank': 614029, 'food bank key': 313593, 'bank key for': 109965, 'key for some': 473297, 'for some family': 325739, 'some family during': 782814, 'family during covid': 297756, 'mobilio': 535063, 'specifically': 788270, 'simple rt': 770085, 'rt will': 726849, 'the mobilio': 860716, 'mobilio watch': 535064, 'watch company': 968379, 'company ha': 190704, 'ha lowered': 371197, 'lowered all': 506062, 'it watch': 462265, 'to 35': 899694, '35 during': 17887, 'being donated': 125070, 'charity specifically': 173688, 'specifically for': 788277, 'relief you': 709506, 'can check': 157896, 'our instagram': 623561, 'instagram page': 439972, 'simple rt will': 770086, 'rt will help': 726850, 'will help for': 993714, 'help for limited': 389750, 'limited time the': 492759, 'time the mobilio': 897860, 'the mobilio watch': 860717, 'mobilio watch company': 535065, 'watch company ha': 968380, 'company ha lowered': 190712, 'ha lowered all': 371198, 'lowered all it': 506063, 'all it watch': 43280, 'it watch price': 462266, 'watch price to': 968517, 'price to 35': 676958, 'to 35 during': 899695, '35 during this': 17888, 'time of sale': 897358, 'of sale are': 589240, 'sale are being': 732058, 'are being donated': 84851, 'being donated to': 125071, 'donated to charity': 254363, 'to charity specifically': 902660, 'charity specifically for': 173689, 'specifically for covid': 788278, '19 relief you': 10089, 'relief you can': 709507, 'you can check': 1017641, 'can check out': 157898, 'out our instagram': 626978, 'our instagram page': 623562, 'sed': 744814, 'sed uk': 744815, 'uk went': 938875, 'went from': 979010, 'from hundred': 335975, 'hundred to': 411033, 'to thousand': 917534, 'day afghanistan': 227173, 'afghanistan is': 34930, 'now starting': 575887, 'see significant': 745683, 'significant number': 769482, 'lockdown increase': 499524, 'increase and': 432675, 'sed uk went': 744816, 'uk went from': 938876, 'went from hundred': 979016, 'from hundred to': 335976, 'hundred to thousand': 411034, 'to thousand of': 917538, 'thousand of case': 893426, 'of case in': 581169, 'case in matter': 165800, 'matter of day': 520607, 'of day afghanistan': 582374, 'day afghanistan is': 227174, 'afghanistan is now': 34931, 'is now starting': 450341, 'now starting to': 575888, 'starting to see': 795038, 'to see significant': 914067, 'see significant number': 745685, 'significant number of': 769483, 'of case of': 581172, 'case of and': 165887, 'of and lockdown': 580166, 'and lockdown increase': 66323, 'lockdown increase and': 499525, 'recovering': 705253, 'rakamoto': 696196, 'crypto': 219935, 'bitcoin': 131794, 'coin': 185624, 'after closing': 35471, 'of 2020': 579484, '2020 on': 14481, 'worst fall': 1011182, 'fall oil': 297011, 'have shown': 382534, 'shown sign': 767609, 'of recovering': 588842, 'recovering amid': 705254, 'crisis rakamoto': 217936, 'rakamoto thursdaythoughts': 696203, 'thursdaythoughts blockchain': 895472, 'blockchain crypto': 132832, 'crypto bitcoin': 219940, 'bitcoin digital': 131810, 'digital money': 242607, 'money coin': 536676, 'coin dollar': 185634, 'dollar bank': 252954, 'after closing the': 35474, 'closing the first': 183774, 'first quarter of': 308895, 'quarter of 2020': 693255, 'of 2020 on': 579501, '2020 on the': 14483, 'on the worst': 604461, 'the worst fall': 872051, 'worst fall oil': 1011183, 'fall oil price': 297012, 'price have shown': 674458, 'have shown sign': 382537, 'shown sign of': 767610, 'sign of recovering': 769169, 'of recovering amid': 588843, 'recovering amid the': 705255, 'the crisis rakamoto': 852437, 'crisis rakamoto thursdaythoughts': 217937, 'rakamoto thursdaythoughts blockchain': 696204, 'thursdaythoughts blockchain crypto': 895473, 'blockchain crypto bitcoin': 132833, 'crypto bitcoin digital': 219941, 'bitcoin digital money': 131811, 'digital money coin': 242608, 'money coin dollar': 536677, 'coin dollar bank': 185635, 'me when': 523935, 'when find': 983420, 'find pack': 307166, 'me when find': 523939, 'when find pack': 983421, 'find pack of': 307167, 'pack of toiletpaper': 633114, 'of toiletpaper in': 592267, 'toiletpaper in the': 922122, '19 toiletpaper toiletpapercrisis': 11494, 'portugal': 665064, 'portuguese': 665079, 'sonae': 785467, 'continente': 200940, 'worten': 1011314, 'antoniocosta': 78621, 'portugalst': 665078, 'biggest thief': 130340, 'thief in': 884010, 'in portugal': 426847, 'portugal using': 665076, 'trick customer': 931693, 'pay higher': 644931, 'price portuguese': 675956, 'portuguese with': 665082, 'with low': 999327, 'low salary': 505585, 'salary and': 731940, 'and awful': 58599, 'awful pension': 106237, 'pension being': 646646, 'being ripped': 125696, 'off by': 593706, 'by sonae': 154087, 'sonae shop': 785468, 'shop continente': 760070, 'continente worten': 200941, 'worten and': 1011315, 'and antoniocosta': 58195, 'antoniocosta doing': 78622, 'it portugalst': 460387, 'biggest thief in': 130341, 'thief in portugal': 884011, 'in portugal using': 426849, 'portugal using the': 665077, 'using the coronacrisis': 950694, 'the coronacrisis to': 851791, 'coronacrisis to trick': 204832, 'to trick customer': 917774, 'trick customer to': 931694, 'customer to pay': 222974, 'to pay higher': 911535, 'pay higher price': 644934, 'higher price portuguese': 395689, 'price portuguese with': 675957, 'portuguese with low': 665083, 'with low salary': 999338, 'low salary and': 505586, 'salary and awful': 731941, 'and awful pension': 58600, 'awful pension being': 106238, 'pension being ripped': 646647, 'being ripped off': 125697, 'ripped off by': 722704, 'off by sonae': 593713, 'by sonae shop': 154088, 'sonae shop continente': 785469, 'shop continente worten': 760071, 'continente worten and': 200942, 'worten and antoniocosta': 1011316, 'and antoniocosta doing': 58196, 'antoniocosta doing nothing': 78623, 'doing nothing about': 252557, 'nothing about it': 572922, 'about it portugalst': 25591, 'spree': 791125, 'slam': 773478, 'nancy': 551791, 'pelosi': 646359, 'quoted my': 695021, 'supermarket spree': 822799, 'spree word': 791146, 'word for': 1004482, 'for word': 327913, 'word republican': 1004565, 'republican slam': 713069, 'slam nancy': 773485, 'nancy pelosi': 551792, 'pelosi covid': 646364, 'bill wish': 130729, 'wish list': 996784, 'quoted my supermarket': 695022, 'my supermarket spree': 550279, 'supermarket spree word': 822800, 'spree word for': 791147, 'word for word': 1004488, 'for word republican': 327915, 'word republican slam': 1004566, 'republican slam nancy': 713070, 'slam nancy pelosi': 773486, 'nancy pelosi covid': 551794, 'pelosi covid 19': 646365, 'relief bill wish': 709294, 'bill wish list': 130730, 'laundry': 482101, 'additive': 31920, 'crisp': 218481, 'linen': 493632, '41oz': 18891, 'lysol laundry': 507178, 'laundry sanitizer': 482125, 'sanitizer additive': 734316, 'additive crisp': 31925, 'crisp linen': 218486, 'linen 41oz': 493633, 'lysol laundry sanitizer': 507179, 'laundry sanitizer additive': 482126, 'sanitizer additive crisp': 734319, 'additive crisp linen': 31926, 'crisp linen 41oz': 218487, 'snatched': 776171, 'title': 899278, 'advocate worry': 33861, 'worry that': 1010776, 'the check': 850744, 'check expected': 174425, 'arrive soon': 93929, 'soon this': 785855, 'week could': 976116, 'could get': 209197, 'get snatched': 348025, 'snatched by': 776172, 'by payday': 153537, 'payday title': 645338, 'title and': 899279, 'and high': 64550, 'high cost': 394971, 'cost installment': 207985, 'installment lender': 440053, 'lender our': 486245, 'our ha': 623334, 'consumer advocate worry': 196071, 'advocate worry that': 33862, 'worry that the': 1010778, 'that the check': 846679, 'the check expected': 850746, 'check expected to': 174426, 'expected to arrive': 290962, 'to arrive soon': 900731, 'arrive soon this': 93930, 'soon this week': 785858, 'this week could': 891202, 'week could get': 976117, 'could get snatched': 209205, 'get snatched by': 348026, 'snatched by payday': 776173, 'by payday title': 153538, 'payday title and': 645339, 'title and high': 899280, 'and high cost': 64551, 'high cost installment': 394973, 'cost installment lender': 207986, 'installment lender our': 440054, 'lender our ha': 486246, 'our ha the': 623338, 'ha the story': 372228, 'fantasy': 298621, 'tinkering': 898599, 'hamont': 374599, 'more like': 539685, 'like fantasy': 490220, 'fantasy football': 298625, 'football my': 318502, 'wife ha': 991929, 'been tinkering': 122204, 'tinkering with': 898600, 'day hamont': 227723, 'hamont coronacrisis': 374600, 'shopping ha become': 762822, 'ha become more': 369685, 'become more like': 120058, 'more like fantasy': 539689, 'like fantasy football': 490221, 'fantasy football my': 298626, 'football my wife': 318503, 'my wife ha': 550592, 'wife ha been': 991930, 'ha been tinkering': 369957, 'been tinkering with': 122205, 'tinkering with the': 898602, 'with the line': 1001370, 'the line up': 859421, 'line up for': 493523, 'up for day': 944924, 'for day hamont': 320571, 'day hamont coronacrisis': 227724, 'fda issue': 300880, 'issue consumer': 455708, 'alert on': 41477, 'on fraudulent': 600981, 'fraudulent covid': 331454, '19 cure': 6383, 'fda issue consumer': 300881, 'issue consumer alert': 455709, 'consumer alert on': 196152, 'alert on fraudulent': 41480, 'on fraudulent covid': 600982, 'fraudulent covid 19': 331455, 'covid 19 cure': 212898, 'sarawat': 736736, 'ksa': 477816, 'jeddah': 464968, 'madinah': 508120, 'coronaupdate': 205326, 'the recent': 865294, 'recent change': 703830, 'curfew our': 220914, 'our opening': 624162, 'hour ha': 405657, 'been changed': 120813, 'changed to': 172584, 'to 30': 899662, '30 am': 16952, 'to 00': 899407, '00 pm': 437, 'pm corona': 661884, 'corona stayhome': 204194, 'stayhome supermarket': 798194, 'offer sale': 594771, 'sale sarawat': 732505, 'sarawat saudiarabia': 736737, 'saudiarabia ksa': 737343, 'ksa jeddah': 477819, 'jeddah madinah': 464971, 'madinah coronaupdate': 508121, 'coronaupdate staysafe': 205331, 'of the recent': 591393, 'the recent change': 865299, 'recent change to': 703832, 'change to the': 172365, 'to the curfew': 916617, 'the curfew our': 852594, 'curfew our opening': 220915, 'our opening hour': 624163, 'opening hour ha': 612853, 'hour ha now': 405658, 'ha now been': 371391, 'now been changed': 574224, 'been changed to': 120815, 'changed to 30': 172585, 'to 30 am': 899663, '30 am to': 16958, 'am to 00': 50500, 'to 00 pm': 899413, '00 pm corona': 439, 'pm corona stayhome': 661885, 'corona stayhome supermarket': 204196, 'stayhome supermarket offer': 798195, 'supermarket offer sale': 821708, 'offer sale sarawat': 594772, 'sale sarawat saudiarabia': 732506, 'sarawat saudiarabia ksa': 736738, 'saudiarabia ksa jeddah': 737344, 'ksa jeddah madinah': 477820, 'jeddah madinah coronaupdate': 464972, 'madinah coronaupdate staysafe': 508122, 'pity': 657051, 'it town': 461827, 'town just': 927504, 'live pity': 495989, 'pity the': 657062, 'closed now': 183248, 'now due': 574568, 'it town just': 461828, 'town just 15': 927505, 'where live pity': 984991, 'live pity the': 495990, 'pity the club': 657063, 'club is closed': 184448, 'is closed now': 446584, 'closed now due': 183251, 'now due to': 574569, 'with everything': 998298, '19 shopping': 10483, 'safe while': 730138, 'while still': 987320, 'getting what': 349441, 'need check': 554604, 'this amazing': 886299, 'amazing article': 50649, 'online foundation': 608260, 'with everything going': 998302, 'going on with': 355346, 'on with 19': 605336, 'with 19 shopping': 996968, '19 shopping online': 10489, 'online is the': 608437, 'is the best': 452738, 'best way to': 127986, 'stay safe while': 797298, 'safe while still': 730143, 'while still getting': 987321, 'still getting what': 800569, 'getting what you': 349444, 'you need check': 1019974, 'need check out': 554605, 'out this amazing': 627558, 'this amazing article': 886300, 'amazing article on': 50650, 'article on how': 94406, 'how to choose': 408990, 'to choose your': 902746, 'choose your online': 177929, 'your online foundation': 1025072, 'unforeseen': 941539, 'majeure': 509210, 'psychology': 687540, 'the unforeseen': 870393, 'unforeseen force': 941546, 'force majeure': 328426, 'majeure act': 509211, 'of god': 584173, 'god that': 354810, 'seen affect': 746920, 'entire world': 278776, 'world economy': 1009503, 'and psychology': 69729, 'psychology of': 687567, 'buying behavior': 150010, 'behavior since': 124193, 'the 2008': 847989, '2008 global': 13667, 'global financial': 351938, 'thought startup': 893225, 'startup were': 795137, 'were risky': 980078, 'risky before': 724112, 'before it': 122875, 'throw it': 895030, 'into 6th': 442361, '6th gear': 21690, '19 ha been': 7328, 'been the unforeseen': 122171, 'the unforeseen force': 870395, 'unforeseen force majeure': 941547, 'force majeure act': 328427, 'majeure act of': 509212, 'act of god': 29720, 'of god that': 584179, 'god that we': 354811, 'that we ve': 847402, 've seen affect': 953523, 'seen affect the': 746921, 'affect the entire': 34244, 'the entire world': 854374, 'entire world economy': 278778, 'world economy and': 1009504, 'economy and psychology': 267652, 'and psychology of': 69730, 'psychology of consumer': 687568, 'of consumer buying': 581717, 'consumer buying behavior': 196700, 'buying behavior since': 150016, 'behavior since the': 124194, 'since the 2008': 770855, 'the 2008 global': 847993, '2008 global financial': 13668, 'global financial crisis': 351939, 'financial crisis if': 306371, 'crisis if you': 217518, 'if you thought': 415541, 'you thought startup': 1021718, 'thought startup were': 893226, 'startup were risky': 795138, 'were risky before': 980079, 'risky before it': 724113, 'before it time': 122896, 'to throw it': 917564, 'throw it into': 895032, 'it into 6th': 458820, 'into 6th gear': 442362, 'could order': 209485, 'my at': 547342, 'risk parent': 723811, 'parent today': 641755, 'in fact': 422756, 'fact you': 295844, 'allowed new': 46188, 'new account': 558315, 'account think': 28764, 'think how': 885286, 'risk were': 724009, 'were shopping': 980108, 'online those': 609562, 'who must': 989300, 'must isolate': 546737, 'isolate need': 454896, 'do better': 249133, 'could order for': 209486, 'order for my': 618233, 'for my at': 323671, 'my at risk': 547343, 'at risk parent': 100384, 'risk parent today': 723812, 'parent today in': 641756, 'today in fact': 919682, 'in fact you': 422769, 'fact you re': 295846, 're not allowed': 699074, 'not allowed new': 568148, 'allowed new account': 46189, 'new account think': 558317, 'account think how': 28765, 'think how many': 885290, 'how many of': 408276, 'of the at': 590805, 'at risk were': 100414, 'risk were shopping': 724010, 'were shopping online': 980110, 'shopping online those': 763496, 'online those who': 609563, 'those who must': 892657, 'who must isolate': 989303, 'must isolate need': 546738, 'isolate need you': 454897, 'need you to': 556266, 'to do better': 904488, 'friking': 334071, 'payback': 645263, 'about friking': 25282, 'friking time': 334072, 'time thank': 897820, 'thank covid': 841546, '19 just': 8199, 'what humanity': 981613, 'humanity needed': 410758, 'needed now': 556446, 'to remind': 913195, 'remind the': 710506, 'rich to': 721262, 'we screwed': 973149, 'screwed each': 742818, 'other payback': 620651, 'payback time': 645265, 'time fox': 896787, 'fox business': 330746, 'business could': 143588, 'could see': 209627, 'see lowest': 745377, 'lowest gas': 506164, 'in history': 423746, 'history analyst': 398000, 'analyst via': 57192, 'about friking time': 25283, 'friking time thank': 334073, 'time thank covid': 897821, 'thank covid 19': 841547, 'covid 19 just': 213312, '19 just what': 8214, 'just what humanity': 470285, 'what humanity needed': 981614, 'humanity needed now': 410759, 'needed now to': 556451, 'now to remind': 576181, 'to remind the': 913204, 'remind the rich': 710509, 'the rich to': 865783, 'rich to think': 721264, 'to think about': 917370, 'think about the': 885103, 'about the poor': 26479, 'the poor people': 863983, 'poor people for': 664251, 'people for year': 647964, 'for year we': 328020, 'year we screwed': 1015088, 'we screwed each': 973150, 'screwed each other': 742819, 'each other payback': 264207, 'other payback time': 620652, 'payback time fox': 645266, 'time fox business': 896788, 'fox business could': 330748, 'business could see': 143589, 'could see lowest': 209638, 'see lowest gas': 745378, 'lowest gas price': 506165, 'price in history': 674694, 'in history analyst': 423747, 'history analyst via': 398001, 'crashing': 215099, 'overhang': 631223, 'influx': 437378, 'refugee': 706835, 'about pandemic': 25915, 'pandemic hitting': 635644, 'hitting hard': 398569, 'hard crashing': 377898, 'crashing price': 215122, 'price massive': 675177, 'massive overhang': 520059, 'overhang to': 631224, 'to influx': 908379, 'influx of': 437383, 'of desperate': 582554, 'desperate refugee': 238549, 'refugee from': 706845, 'from volatile': 338263, 'volatile social': 960058, 'social movement': 779898, 'and politics': 69178, 'politics this': 663803, 'to watch': 918376, 'concerned about pandemic': 193165, 'about pandemic hitting': 25916, 'pandemic hitting hard': 635646, 'hitting hard crashing': 398570, 'hard crashing price': 377899, 'crashing price massive': 215124, 'price massive overhang': 675178, 'massive overhang to': 520060, 'overhang to influx': 631225, 'to influx of': 908380, 'influx of desperate': 437386, 'of desperate refugee': 582556, 'desperate refugee from': 238550, 'refugee from volatile': 706846, 'from volatile social': 338264, 'volatile social movement': 960059, 'social movement and': 779899, 'movement and politics': 543856, 'and politics this': 69179, 'politics this is': 663804, 'is one to': 450513, 'one to watch': 607289, 'you answered': 1017020, 'answered yes': 78193, 'yes what': 1015604, 'what kind': 981793, 'of bottle': 580800, 'bottle doe': 136216, 'doe your': 251676, 'sanitizer come': 734670, 'if you answered': 415391, 'you answered yes': 1017021, 'answered yes what': 78194, 'yes what kind': 1015605, 'what kind of': 981794, 'kind of bottle': 474878, 'of bottle doe': 580801, 'bottle doe your': 136217, 'doe your hand': 251680, 'your hand sanitizer': 1024219, 'hand sanitizer come': 375346, 'sanitizer come in': 734671, 'shopping double': 762515, 'double during': 256010, 'online shopping double': 609102, 'shopping double during': 762516, 'double during coronavirus': 256011, 'during coronavirus crisis': 262535, 'protectyourworkers': 685874, 'think during': 885218, 'be bagging': 113800, 'bagging your': 108534, 'shopping order': 763557, 'order so': 618587, 'your driver': 1023602, 'driver arent': 259447, 'arent put': 92626, 'put at': 690517, 'it becomes': 456771, 'becomes almost': 120196, 'almost contact': 46584, 'free protectyourworkers': 332084, 'you think during': 1021653, 'think during the': 885219, '19 pandemic that': 9494, 'pandemic that you': 636660, 'that you should': 847743, 'should be bagging': 765566, 'be bagging your': 113801, 'bagging your online': 108535, 'your online shopping': 1025078, 'online shopping order': 609212, 'shopping order so': 763565, 'order so that': 618588, 'so that your': 778410, 'that your driver': 847765, 'your driver arent': 1023604, 'driver arent put': 259448, 'arent put at': 92627, 'put at risk': 690518, 'risk and it': 723374, 'and it becomes': 65489, 'it becomes almost': 456773, 'becomes almost contact': 120197, 'almost contact free': 46585, 'contact free protectyourworkers': 200086, 'are expert': 86356, 'expert at': 291792, 'at shifting': 100503, 'shifting tactic': 758551, 'tactic and': 831685, 'and changing': 59732, 'changing their': 172816, 'their message': 873954, 'message to': 529445, 'to catch': 902494, 'catch you': 167061, 'you off': 1020175, 'off guard': 593875, 'guard here': 367806, 'here quick': 393496, 'quick alert': 694272, 'some current': 782643, 'current government': 221214, 'scam using': 740449, 'scammer are expert': 740532, 'are expert at': 86357, 'expert at shifting': 291794, 'at shifting tactic': 100504, 'shifting tactic and': 758553, 'tactic and changing': 831686, 'and changing their': 59736, 'changing their message': 172819, 'their message to': 873958, 'message to catch': 529448, 'to catch you': 902511, 'catch you off': 167062, 'you off guard': 1020176, 'off guard here': 593876, 'guard here quick': 367807, 'here quick alert': 393497, 'quick alert about': 694273, 'alert about some': 41343, 'about some current': 26226, 'some current government': 782644, 'current government imposter': 221216, 'imposter scam using': 419419, 'scam using covid': 740450, 'diabetic': 240193, 'got this': 358935, 'this email': 887360, 'from ocado': 336631, 'ocado been': 578882, 'been with': 122380, 'from year': 338434, 'year type': 1015056, 'type one': 937594, 'one diabetic': 606181, 'diabetic need': 240196, 'need these': 555793, 'these delivers': 879914, 'delivers if': 233594, 'are fit': 86591, 'fit go': 309475, 'supermarket especially': 820194, 'the young': 872202, 'just got this': 468871, 'got this email': 358938, 'this email from': 887361, 'email from ocado': 272189, 'from ocado been': 336632, 'ocado been with': 578883, 'been with them': 122385, 'with them from': 1001612, 'them from year': 875763, 'from year type': 338440, 'year type one': 1015057, 'type one diabetic': 937595, 'one diabetic need': 606182, 'diabetic need these': 240199, 'need these delivers': 555794, 'these delivers if': 879915, 'delivers if you': 233595, 'you are fit': 1017125, 'are fit go': 86592, 'fit go to': 309476, 'the supermarket especially': 868575, 'supermarket especially the': 820196, 'especially the young': 280633, 'labour': 478511, '22nd': 15334, 'troll': 932342, 'criticised': 218750, 'price skyrocketing': 676450, 'skyrocketing truck': 773456, 'truck stranded': 932860, 'stranded huge': 812351, 'huge labour': 410082, 'labour shortage': 478526, 'shortage had': 764981, 'had predicted': 373421, 'predicted this': 669623, 'on 22nd': 599068, '22nd march': 15345, 'march out': 515429, 'concern for': 192969, 'man but': 512011, 'but certain': 145400, 'certain website': 170128, 'website troll': 975455, 'troll criticised': 932343, 'criticised me': 218755, 'panic pray': 638431, 'pray that': 669019, 'action fast': 30008, 'fast to': 300056, 'reduce suffering': 705949, 'food shortage price': 316599, 'shortage price skyrocketing': 765183, 'price skyrocketing truck': 676456, 'skyrocketing truck stranded': 773457, 'truck stranded huge': 932861, 'stranded huge labour': 812352, 'huge labour shortage': 410083, 'labour shortage had': 478527, 'shortage had predicted': 764982, 'had predicted this': 373422, 'predicted this on': 669624, 'this on 22nd': 889209, 'on 22nd march': 599069, '22nd march out': 15347, 'march out of': 515430, 'out of concern': 626705, 'of concern for': 581642, 'concern for the': 192978, 'the common man': 851253, 'common man but': 189408, 'man but certain': 512012, 'but certain website': 145402, 'certain website troll': 170129, 'website troll criticised': 975456, 'troll criticised me': 932344, 'criticised me for': 218756, 'me for spreading': 522760, 'for spreading panic': 325841, 'spreading panic pray': 791026, 'panic pray that': 638432, 'pray that we': 669021, 'that we take': 847399, 'we take action': 973477, 'take action fast': 831895, 'action fast to': 30009, 'fast to reduce': 300058, 'to reduce suffering': 913042, 'affordability': 34827, 'pa proposed': 632877, 'proposed affordability': 684516, 'affordability board': 34828, 'board are': 133617, 'another attempt': 77501, 'to artificially': 900734, 'artificially control': 94541, 'control drug': 201999, 'will cause': 992884, 'cause shortage': 167728, 'shortage just': 765050, 'crisis peak': 217861, 'peak another': 646049, 'another bad': 77505, 'bad piece': 107980, 'of legislation': 585770, 'legislation see': 485983, 'pa proposed affordability': 632878, 'proposed affordability board': 684517, 'affordability board are': 34829, 'board are just': 133618, 'are just another': 87615, 'just another attempt': 468200, 'another attempt to': 77502, 'attempt to artificially': 102236, 'to artificially control': 900735, 'artificially control drug': 94542, 'control drug price': 202000, 'drug price it': 261049, 'price it will': 674929, 'it will cause': 462380, 'will cause shortage': 992896, 'cause shortage just': 167731, 'shortage just the': 765054, 'just the 19': 469988, 'the 19 crisis': 847913, '19 crisis peak': 6298, 'crisis peak another': 217862, 'peak another bad': 646050, 'another bad piece': 77507, 'bad piece of': 107981, 'piece of legislation': 656338, 'of legislation see': 585771, 'remarkably': 710119, 'of fish': 583558, 'fish in': 309321, 'france ha': 331000, 'dropped remarkably': 260622, 'remarkably since': 710120, 'country wa': 211202, 'wa put': 963016, 'doe that': 251595, 'industry whole': 436242, 'whole read': 990314, 'price of fish': 675453, 'of fish in': 583560, 'fish in france': 309322, 'in france ha': 423077, 'france ha dropped': 331001, 'ha dropped remarkably': 370464, 'dropped remarkably since': 260623, 'remarkably since the': 710121, 'since the country': 770872, 'the country wa': 852176, 'country wa put': 211205, 'wa put on': 963017, 'put on lockdown': 690721, 'lockdown but what': 499216, 'what doe that': 981370, 'doe that mean': 251597, 'that mean for': 845110, 'mean for the': 524453, 'for the industry': 326502, 'the industry whole': 858195, 'industry whole read': 436243, 'whole read more': 990315, 'staysafestayathome': 798981, 'be kinder': 115637, 'kinder and': 475086, 'more loving': 539729, 'loving right': 505063, 'now be': 574190, 'kind tell': 474984, 'supermarket they': 823284, 'doing great': 252427, 'and please': 69103, 'necessary stay': 554080, 'home keep': 401488, 'safe staysafestayathome': 729994, 'world need to': 1009828, 'to be kinder': 901355, 'be kinder and': 115638, 'kinder and more': 475087, 'and more loving': 67189, 'more loving right': 539730, 'loving right now': 505064, 'right now be': 722031, 'now be kind': 574201, 'be kind tell': 115629, 'kind tell the': 474985, 'tell the worker': 837095, 'the worker at': 871748, 'worker at your': 1006485, 'local supermarket they': 498599, 'supermarket they are': 823285, 'are doing great': 85901, 'doing great job': 252430, 'great job and': 362780, 'job and please': 465639, 'and please if': 69108, 'please if it': 660099, 'if it is': 414313, 'is not necessary': 450136, 'not necessary stay': 570639, 'necessary stay home': 554083, 'stay home keep': 796979, 'home keep safe': 401491, 'safe and stay': 729485, 'stay safe staysafestayathome': 797283, 'mum asked': 545878, 'asked my': 95800, 'my dad': 547877, 'dad for': 224319, 'sanitiser for': 733955, 'for her': 322209, 'her handbag': 392091, 'handbag to': 376049, 'to ward': 918330, 'ward off': 966646, 'off he': 593890, 'he returned': 385349, 'this he': 887880, 'didn wonder': 241263, 'so my mum': 777842, 'my mum asked': 549368, 'mum asked my': 545879, 'asked my dad': 95801, 'my dad for': 547887, 'dad for some': 224321, 'for some hand': 325745, 'some hand sanitiser': 783021, 'hand sanitiser for': 375231, 'sanitiser for her': 733957, 'for her handbag': 322220, 'her handbag to': 392094, 'handbag to ward': 376050, 'to ward off': 918331, 'ward off he': 966648, 'off he returned': 593891, 'he returned from': 385350, 'returned from the': 719966, 'the supermarket with': 868911, 'supermarket with this': 823943, 'with this he': 1001701, 'this he didn': 887881, 'he didn wonder': 384886, 'didn wonder why': 241264, 'why it wa': 991149, 'it wa the': 462210, 'wa the only': 963460, 'only thing left': 611307, 'hope this': 403714, 'this help': 887890, 'help some': 390540, 'you if': 1019279, 'you started': 1021362, 'started you': 794923, 'would we': 1012384, 'have shortage': 382524, 'store be': 806658, 'hoarding we': 399643, 'have tp': 383383, 'tp we': 928030, 'hope this help': 403718, 'this help some': 887897, 'help some of': 390542, 'some of you': 783420, 'of you if': 593394, 'you if you': 1019284, 'if you started': 415525, 'you started you': 1021364, 'started you normally': 794924, 'normally would we': 567580, 'would we would': 1012389, 'we would not': 973974, 'not have shortage': 569870, 'have shortage in': 382525, 'shortage in our': 765018, 'in our store': 426342, 'our store be': 624941, 'store be kind': 806662, 'kind and stop': 474813, 'and stop hoarding': 72475, 'stop hoarding we': 804753, 'hoarding we will': 399648, 'will have food': 993633, 'have food we': 380672, 'food we will': 317536, 'will have tp': 993681, 'have tp we': 383386, 'tp we will': 928032, 'naked': 551550, 'supermarket very': 823642, 'very naked': 955369, 'naked apparently': 551551, 'apparently it': 81952, 'been hell': 121272, 'hell for': 389006, 'day queue': 228265, 'door at': 255522, 'at opening': 99983, 'got to work': 358974, 'work supermarket very': 1005784, 'supermarket very naked': 823643, 'very naked apparently': 955370, 'naked apparently it': 551552, 'apparently it been': 81953, 'it been hell': 456794, 'been hell for': 121273, 'hell for the': 389009, 'for the staff': 326703, 'the staff during': 867686, 'staff during the': 792398, 'the day queue': 852906, 'day queue at': 228266, 'queue at the': 693892, 'at the door': 100929, 'the door at': 853560, 'door at opening': 255524, 'at opening time': 99984, 'caetgories': 155077, 'sustain': 829736, 'suffered': 817254, 'the dairy': 852789, 'dairy packaged': 225016, 'personal care': 652797, 'care caetgories': 163876, 'caetgories have': 155078, 'have managed': 381429, 'to sustain': 916072, 'sustain growth': 829739, 'growth in': 367391, 'in vietnam': 430584, 'vietnam market': 957039, 'market while': 517342, 'while beverage': 986649, 'beverage ha': 129006, 'ha suffered': 372104, 'suffered decline': 817257, 'decline despite': 231319, 'despite this': 238911, 'this being': 886543, 'being high': 125239, 'high season': 395400, 'season read': 743427, 'about vietnam': 26825, 'vietnam consumer': 957030, 'change retail': 172245, 'retail movement': 718324, 'movement during': 543868, 'the dairy packaged': 852795, 'dairy packaged food': 225017, 'packaged food and': 633478, 'food and personal': 313305, 'and personal care': 68921, 'personal care caetgories': 652800, 'care caetgories have': 163877, 'caetgories have managed': 155079, 'have managed to': 381430, 'managed to sustain': 512514, 'to sustain growth': 916074, 'sustain growth in': 829740, 'growth in vietnam': 367406, 'in vietnam market': 430585, 'vietnam market while': 957040, 'market while beverage': 517344, 'while beverage ha': 986650, 'beverage ha suffered': 129007, 'ha suffered decline': 372105, 'suffered decline despite': 817258, 'decline despite this': 231320, 'despite this being': 238913, 'this being high': 886544, 'being high season': 125241, 'high season read': 395401, 'season read more': 743428, 'read more about': 700416, 'more about vietnam': 538526, 'about vietnam consumer': 26826, 'vietnam consumer change': 957031, 'consumer change retail': 196779, 'change retail movement': 172247, 'retail movement during': 718325, 'movement during 19': 543869, 'marketed': 517433, 'and marketed': 66715, 'marketed in': 517434, 'crisis but': 217142, 'still higher': 800704, 'higher ckont': 395554, 'sold and marketed': 781620, 'and marketed in': 66716, 'marketed in ck': 517435, '19 crisis but': 6221, 'crisis but the': 217158, 'but the average': 147310, 'is still higher': 452285, 'still higher ckont': 800705, 'circulating': 178677, 'and beware': 58935, 'scam circulating': 740113, 'circulating in': 178680, 'canada profiting': 160534, 'profiting off': 683132, 'and beware of': 58936, 'of the scam': 591438, 'the scam circulating': 866412, 'scam circulating in': 740114, 'circulating in canada': 178681, 'in canada profiting': 421197, 'canada profiting off': 160535, 'profiting off the': 683136, 'off the global': 594246, 'our most': 623944, 'most recent': 542678, 'recent newsletter': 703933, 'out our most': 626982, 'our most recent': 623945, 'most recent newsletter': 542683, 'wfh': 980828, 'trolley everyone': 932405, 'everyone hand': 286985, 'there full': 878422, 'germ why': 346183, 'not providing': 571153, 'providing alcohol': 686932, 'alcohol wipe': 41183, 'clean them': 180658, 'everyone wfh': 287574, 'wfh kid': 980838, 'kid off': 474063, 'off school': 594118, 'school if': 741822, 'what about supermarket': 980991, 'about supermarket trolley': 26289, 'supermarket trolley everyone': 823564, 'trolley everyone hand': 932406, 'everyone hand on': 286986, 'hand on there': 375146, 'on there full': 604553, 'there full of': 878423, 'full of germ': 340726, 'of germ why': 584103, 'germ why are': 346184, 'why are supermarket': 990789, 'are supermarket not': 90652, 'supermarket not providing': 821647, 'not providing alcohol': 571154, 'providing alcohol wipe': 686933, 'alcohol wipe to': 41189, 'wipe to clean': 996394, 'to clean them': 902815, 'clean them down': 180659, 'down with what': 257506, 'with what the': 1002073, 'what the point': 982353, 'the point of': 863903, 'point of everyone': 662559, 'of everyone wfh': 583260, 'everyone wfh kid': 287575, 'wfh kid off': 980839, 'kid off school': 474064, 'off school if': 594120, 'school if you': 741823, 'steepest': 799408, 'deflation': 232442, 'consumerspending': 199769, 'price post': 675961, 'post steepest': 666325, 'steepest plunge': 799413, 'plunge in': 661433, 'in five': 422917, 'year forced': 1014571, 'forced lockdown': 328577, 'lockdown drag': 499321, 'drag on': 258159, 'big concern': 129709, 'concern right': 193082, 'is deflation': 447090, 'deflation chief': 232445, 'chief economist': 175911, 'economist economy': 267542, 'economy 19': 267599, '19 consumerspending': 6001, 'consumer price post': 198428, 'price post steepest': 675964, 'post steepest plunge': 666326, 'steepest plunge in': 799414, 'plunge in five': 661435, 'in five year': 422921, 'five year forced': 309691, 'year forced lockdown': 1014572, 'forced lockdown drag': 328578, 'lockdown drag on': 499322, 'drag on the': 258161, 'on the big': 603987, 'the big concern': 849603, 'big concern right': 129711, 'concern right now': 193083, 'now is deflation': 575066, 'is deflation chief': 447091, 'deflation chief economist': 232446, 'chief economist economy': 175915, 'economist economy 19': 267543, 'economy 19 consumerspending': 267600, 'prevailing': 671542, 'uganda': 937963, 'ugandan': 938001, 'enjoys': 277253, 'the prevailing': 864304, 'prevailing global': 671547, 'pandemic food': 635437, 'shortage hiked': 765000, 'hiked price': 396328, 'supply is': 825432, 'is major': 449519, 'major crisis': 509294, 'crisis anticipated': 217068, 'anticipated in': 78460, 'in uganda': 430371, 'uganda near': 937980, 'near future': 553498, 'future govt': 342340, 'govt ha': 361136, 'ha duty': 370470, 'duty to': 263613, 'create food': 215644, 'food reserve': 316180, 'for time': 327188, 'emergency to': 273028, 'every ugandan': 286348, 'ugandan enjoys': 938007, 'enjoys their': 277254, 'their right': 874591, 'to adequate': 900096, 'adequate food': 32162, 'with the prevailing': 1001437, 'the prevailing global': 864305, 'prevailing global pandemic': 671548, 'global pandemic food': 352087, 'pandemic food shortage': 635441, 'food shortage hiked': 316582, 'shortage hiked price': 765001, 'hiked price of': 396333, 'food supply is': 316962, 'supply is major': 825450, 'is major crisis': 449522, 'major crisis anticipated': 509295, 'crisis anticipated in': 217069, 'anticipated in uganda': 78461, 'in uganda near': 430376, 'uganda near future': 937981, 'near future govt': 553503, 'future govt ha': 342341, 'govt ha duty': 361140, 'ha duty to': 370471, 'duty to create': 263614, 'to create food': 903707, 'create food reserve': 215645, 'food reserve for': 316182, 'reserve for time': 714060, 'for time of': 327190, 'time of emergency': 897328, 'of emergency to': 583060, 'emergency to ensure': 273029, 'to ensure that': 905194, 'ensure that every': 278057, 'that every ugandan': 843759, 'every ugandan enjoys': 286349, 'ugandan enjoys their': 938008, 'enjoys their right': 277255, 'their right to': 874594, 'right to adequate': 722334, 'to adequate food': 900097, 'basingstoke': 112204, 'hey my': 394462, 'friend went': 333886, 'your basingstoke': 1022912, 'basingstoke store': 112211, 'told by': 923535, 'by staff': 154095, 'staff member': 792651, 'member that': 528208, 'been putting': 121756, 'putting up': 691275, 'good because': 356816, 'please tell': 660646, 'isn true': 454746, 'hey my friend': 394463, 'my friend went': 548457, 'friend went into': 333887, 'went into your': 979053, 'into your basingstoke': 443317, 'your basingstoke store': 1022913, 'basingstoke store this': 112212, 'morning and wa': 541170, 'and wa told': 75103, 'wa told by': 963537, 'told by staff': 923540, 'by staff member': 154097, 'staff member that': 792662, 'member that the': 528211, 'the store had': 868031, 'store had been': 808037, 'had been putting': 372906, 'been putting up': 121758, 'putting up price': 691277, 'of good because': 584214, 'good because of': 356817, 'because of please': 119391, 'of please tell': 588172, 'please tell me': 660648, 'tell me this': 837027, 'me this isn': 523715, 'this isn true': 888495, 'bidding': 129511, 'the fractured': 855750, 'fractured federal': 330876, 'federal response': 302049, '19 governor': 7266, 'governor say': 360983, 'now bidding': 574251, 'bidding against': 129512, 'against federal': 37443, 'federal agency': 301943, 'agency each': 38004, 'other for': 620251, 'for scarce': 325373, 'scarce supply': 740809, 'supply driving': 825183, 'the wasted': 871118, 'wasted month': 968252, 'month before': 537613, 'before preparing': 123019, 'for virus': 327574, 'of the fractured': 591041, 'the fractured federal': 855751, 'fractured federal response': 330877, 'federal response to': 302051, 'covid 19 governor': 213159, '19 governor say': 7267, 'governor say they': 360986, 'they re now': 883082, 're now bidding': 699138, 'now bidding against': 574252, 'bidding against federal': 129514, 'against federal agency': 37444, 'federal agency each': 301945, 'agency each other': 38005, 'each other for': 264172, 'other for scarce': 620262, 'for scarce supply': 325377, 'scarce supply driving': 740810, 'supply driving up': 825185, 'up price the': 945837, 'price the wasted': 676865, 'the wasted month': 871119, 'wasted month before': 968253, 'month before preparing': 537615, 'before preparing for': 123020, 'preparing for virus': 670342, 'for virus pandemic': 327577, 'dovetail': 256307, 'frantically': 331193, 'teddie': 836427, 'this story': 890357, 'about keeping': 25614, 'for cheap': 320026, 'cheap shelf': 174186, 'stable protein': 791946, 'protein dovetail': 685886, 'dovetail perfectly': 256308, 'perfectly with': 651407, 'the lead': 859218, 'lead in': 483284, 'my story': 550234, 'story in': 812009, 'which couple': 985782, 'couple frantically': 211586, 'frantically search': 331194, 'for teddie': 326170, 'teddie while': 836428, 'this story about': 890358, 'story about keeping': 811892, 'about keeping up': 25620, 'with demand for': 997978, 'demand for cheap': 235390, 'for cheap shelf': 320029, 'cheap shelf stable': 174187, 'shelf stable protein': 757550, 'stable protein dovetail': 791947, 'protein dovetail perfectly': 685887, 'dovetail perfectly with': 256309, 'perfectly with the': 651408, 'with the lead': 1001364, 'the lead in': 859219, 'lead in my': 483287, 'in my story': 425633, 'my story in': 550237, 'story in which': 812017, 'in which couple': 430858, 'which couple frantically': 985783, 'couple frantically search': 211587, 'frantically search for': 331195, 'search for teddie': 743256, 'for teddie while': 326171, 'teddie while panic': 836429, 'leadership': 483579, 'precedent': 669449, 'reclassified': 704584, 'your leadership': 1024601, 'leadership here': 483613, 'here please': 393460, 'help set': 390517, 'the precedent': 864214, 'precedent for': 669450, 'for groceryworkers': 322064, 'groceryworkers four': 366399, 'four state': 330671, 'state have': 795651, 'have reclassified': 382215, 'reclassified grocery': 704585, 'worker critical': 1006712, 'critical personnel': 218627, 'need your leadership': 556272, 'your leadership here': 1024603, 'leadership here please': 483614, 'here please help': 393461, 'please help set': 660080, 'help set the': 390518, 'set the precedent': 753488, 'the precedent for': 864215, 'precedent for groceryworkers': 669451, 'for groceryworkers four': 322065, 'groceryworkers four state': 366400, 'four state have': 330672, 'state have reclassified': 795657, 'have reclassified grocery': 382216, 'reclassified grocery worker': 704586, 'grocery worker critical': 366167, 'worker critical personnel': 1006713, 'impose': 419228, 'canceling': 160982, 'securing': 744498, 'not impose': 570076, 'impose curfew': 419233, 'curfew demand': 220874, 'demand lock': 235814, 'down or': 257056, 'or expect': 615232, 'expect stay': 290728, 'from everyone': 335332, 'everyone without': 287627, 'without canceling': 1002534, 'canceling rent': 160992, 'related bill': 708381, 'bill well': 130719, 'well securing': 978542, 'securing housing': 744501, 'housing food': 407077, 'basic income': 111948, 'income period': 432436, 'can not impose': 159049, 'not impose curfew': 570077, 'impose curfew demand': 419234, 'curfew demand lock': 220875, 'demand lock down': 235815, 'lock down or': 499045, 'down or expect': 257058, 'or expect stay': 615233, 'expect stay at': 290729, 'at home from': 98996, 'home from everyone': 401261, 'from everyone without': 335338, 'everyone without canceling': 287628, 'without canceling rent': 1002535, 'canceling rent and': 160993, 'rent and all': 711032, 'all other related': 43785, 'other related bill': 620827, 'related bill well': 708382, 'bill well securing': 130720, 'well securing housing': 978543, 'securing housing food': 744502, 'housing food and': 407078, 'and basic income': 58719, 'basic income period': 111954, 'ventured': 954690, 'profusely': 683168, 'thanked': 841864, 'ventured out': 954691, 'parent used': 641762, 'used up': 950116, 'up bottle': 944507, 'handsanitizer on': 376596, 'on just': 601746, 'the cart': 850439, 'cart profusely': 165364, 'profusely thanked': 683169, 'thanked the': 841889, 'the cashier': 850478, 'cashier for': 166521, 'for being': 319623, 'being there': 125935, 'there before': 878235, 'before left': 122903, 'left the': 485665, 'check on': 174506, 'your friend': 1023966, 'retail they': 718785, 'not okay': 570738, 'okay thankful': 598015, 'ventured out for': 954693, 'out for some': 626161, 'some grocery for': 783001, 'grocery for for': 364527, 'for for my': 321669, 'my parent used': 549703, 'parent used up': 641763, 'used up bottle': 950117, 'up bottle of': 944508, 'bottle of handsanitizer': 136284, 'of handsanitizer on': 584444, 'handsanitizer on just': 376597, 'on just the': 601750, 'just the cart': 469996, 'the cart profusely': 850446, 'cart profusely thanked': 165365, 'profusely thanked the': 683171, 'thanked the cashier': 841890, 'the cashier for': 850486, 'cashier for being': 166523, 'for being there': 319641, 'being there before': 125936, 'there before left': 878238, 'before left the': 122905, 'left the store': 485674, 'store please check': 809582, 'please check on': 659776, 'check on your': 174518, 'on your friend': 605468, 'your friend in': 1023971, 'friend in retail': 333655, 'in retail they': 427471, 'retail they are': 718787, 'are not okay': 88425, 'not okay thankful': 570741, 'business or': 144157, 'or individual': 615788, 'individual interested': 435206, 'purchasing sanitizers': 689914, 'sanitizers let': 736333, 'help spread': 390552, 'word discounted': 1004475, 'discounted price': 244592, 'price available': 672822, 'large order': 479730, 'order be': 618071, 'safe there': 730021, 'there africa': 877958, 'if you know': 415460, 'know of business': 476641, 'of business or': 580963, 'business or individual': 144160, 'or individual interested': 615790, 'individual interested in': 435207, 'interested in purchasing': 441464, 'in purchasing sanitizers': 427133, 'purchasing sanitizers let': 689915, 'sanitizers let me': 736334, 'me know and': 523039, 'know and help': 476254, 'and help spread': 64468, 'help spread the': 390554, 'the word discounted': 871701, 'word discounted price': 1004476, 'discounted price available': 244595, 'price available for': 672824, 'available for large': 104374, 'for large order': 322886, 'large order be': 479731, 'order be safe': 618072, 'be safe there': 116972, 'safe there africa': 730022, 'subsequent': 815922, 'the sudden': 868377, 'sudden drop': 816997, 'the subsequent': 868357, 'subsequent fall': 815927, 'fall of': 297001, 'the ruble': 866028, 'ruble will': 727017, 'likely push': 492087, 'push russia': 690315, 'russia into': 728502, 'the sudden drop': 868384, 'sudden drop in': 816998, 'price this month': 676915, 'this month and': 888898, 'and the subsequent': 73600, 'the subsequent fall': 868358, 'subsequent fall of': 815928, 'fall of the': 297006, 'of the ruble': 591425, 'the ruble will': 866030, 'ruble will likely': 727018, 'will likely push': 994009, 'likely push russia': 492088, 'push russia into': 690316, 'ethical': 283063, 'beahelper': 118262, 'an ethical': 55862, 'ethical business': 283066, 'business fighting': 143734, 'fighting hunger': 305088, 'hunger during': 411099, 'outbreak panic': 628520, 'seen food': 747018, 'bank donation': 109784, 'donation dwindle': 254596, 'dwindle more': 263669, 'more why': 540979, 'why not': 991211, 'not beahelper': 568483, 'beahelper and': 118263, 'and volunteer': 75025, 'volunteer with': 960376, 'vulnerable can': 960896, 'can access': 157349, 'access the': 28201, 'is an ethical': 445658, 'an ethical business': 55863, 'ethical business fighting': 283067, 'business fighting hunger': 143735, 'fighting hunger during': 305089, 'hunger during the': 411101, 'the outbreak panic': 862675, 'outbreak panic buying': 628521, 'buying ha seen': 150449, 'ha seen food': 371825, 'seen food bank': 747019, 'food bank donation': 313557, 'bank donation dwindle': 109786, 'donation dwindle more': 254598, 'dwindle more why': 263670, 'more why not': 540981, 'why not beahelper': 991212, 'not beahelper and': 568484, 'beahelper and volunteer': 118264, 'and volunteer with': 75037, 'volunteer with them': 960378, 'with them to': 1001620, 'them to make': 876490, 'sure the most': 827713, 'most vulnerable can': 542869, 'vulnerable can access': 960897, 'can access the': 157357, 'access the food': 28204, 'food they need': 317172, 'dietitian': 241780, 'restraint': 717086, 'poorest': 664358, 'dietitian urge': 241787, 'urge restraint': 948221, 'restraint when': 717091, 'when buying': 983221, 'seen many': 747132, 'buying supply': 151126, 'supply empty': 825207, 'biggest impact': 130259, 'the poorest': 864001, 'poorest most': 664370, 'vulnerable member': 961041, 'dietitian urge restraint': 241788, 'urge restraint when': 948222, 'restraint when buying': 717092, 'when buying food': 983224, 'buying food during': 150311, 'food during pandemic': 314325, 'we have seen': 971932, 'have seen many': 382433, 'seen many people': 747133, 'many people panic': 514526, 'panic buying supply': 637917, 'buying supply empty': 151127, 'supply empty shelf': 825208, 'empty shelf are': 275049, 'shelf are likely': 756811, 'likely to have': 492158, 'to have the': 907322, 'have the biggest': 382963, 'the biggest impact': 849658, 'biggest impact on': 130260, 'on the poorest': 604292, 'the poorest most': 864006, 'poorest most vulnerable': 664371, 'most vulnerable member': 542884, 'vulnerable member of': 961042, 'member of our': 528146, 'of our society': 587565, 'cyber': 223922, 'magecart': 508355, 'skimming': 773036, 'cybercrime': 223955, 'cyberthreats': 224014, 'cyber criminal': 223925, 'unprecedented volume': 943215, 'traffic to': 929149, 'website during': 975249, 'with magecart': 999357, 'magecart credit': 508356, 'card skimming': 163643, 'skimming attack': 773039, 'attack ramping': 102142, 'up cybercrime': 944685, 'cybercrime cyberthreats': 223956, 'cyberthreats via': 224017, 'cyber criminal are': 223926, 'criminal are taking': 216823, 'advantage of unprecedented': 33040, 'of unprecedented volume': 592659, 'unprecedented volume of': 943216, 'of traffic to': 592414, 'traffic to online': 929155, 'shopping website during': 764357, 'website during the': 975250, '19 coronavirus pandemic': 6116, 'coronavirus pandemic with': 206508, 'pandemic with magecart': 637031, 'with magecart credit': 999358, 'magecart credit card': 508357, 'credit card skimming': 216350, 'card skimming attack': 163644, 'skimming attack ramping': 773040, 'attack ramping up': 102143, 'ramping up cybercrime': 696482, 'up cybercrime cyberthreats': 944686, 'cybercrime cyberthreats via': 223957, 'shifted': 758473, 'perception': 651226, 'newest': 560054, 'intelligence': 440982, 'unveils': 944027, 'altering': 49170, 'ha shifted': 371898, 'shifted consumer': 758478, 'consumer perception': 198349, 'perception our': 651242, 'our newest': 624050, 'newest global': 560058, 'global study': 352225, 'study from': 814895, 'from true': 338146, 'true global': 933090, 'global intelligence': 351992, 'intelligence unveils': 441016, 'unveils how': 944030, 'is altering': 445587, 'altering our': 49175, 'our behavior': 622175, 'behavior value': 124284, 'value and': 952084, 'society read': 781292, 'how ha shifted': 407955, 'ha shifted consumer': 371900, 'shifted consumer perception': 758480, 'consumer perception our': 198353, 'perception our newest': 651243, 'our newest global': 624052, 'newest global study': 560059, 'global study from': 352226, 'study from true': 814899, 'from true global': 338147, 'true global intelligence': 933091, 'global intelligence unveils': 351993, 'intelligence unveils how': 441017, 'unveils how the': 944031, 'how the is': 408840, 'the is altering': 858478, 'is altering our': 445589, 'altering our behavior': 49176, 'our behavior value': 622177, 'behavior value and': 124285, 'value and society': 952089, 'and society read': 71923, 'society read more': 781293, 'showmeyourshelves': 767567, 'reserved': 714122, 'dubuque': 261525, 'stayhomechallenge': 798258, 'trumpplague': 934121, 'showmeyourshelves is': 767568, 'is normally': 450014, 'normally reserved': 567531, 'reserved for': 714128, 'for book': 319721, 'book shelf': 134591, 'but wanna': 147718, 'wanna see': 965668, 'shelf during': 756999, 'during show': 263009, 'show me': 767049, 'me here': 522893, 'here dubuque': 392936, 'dubuque iowa': 261526, 'iowa no': 444499, 'no rice': 565362, 'rice coronapocalypse': 721027, 'coronapocalypse stayhomechallenge': 205198, 'stayhomechallenge trumpplague': 798293, 'showmeyourshelves is normally': 767569, 'is normally reserved': 450017, 'normally reserved for': 567532, 'reserved for book': 714129, 'for book shelf': 319722, 'book shelf but': 134592, 'shelf but wanna': 756909, 'but wanna see': 147719, 'wanna see the': 965670, 'store shelf during': 810071, 'shelf during show': 757003, 'during show me': 263010, 'show me here': 767050, 'me here dubuque': 522896, 'here dubuque iowa': 392937, 'dubuque iowa no': 261527, 'iowa no rice': 444500, 'no rice coronapocalypse': 565364, 'rice coronapocalypse stayhomechallenge': 721028, 'coronapocalypse stayhomechallenge trumpplague': 205199, 'occurring': 579058, 'arrgghh': 93884, 'no cleaning': 563818, 'cleaning of': 180991, 'of checkout': 581306, 'checkout mask': 174956, 'on staff': 603624, 'staff or': 792720, 'or social': 617139, 'distancing occurring': 247363, 'occurring in': 579065, 'queue arrgghh': 693879, 'supermarket no cleaning': 821607, 'no cleaning of': 563820, 'cleaning of checkout': 180992, 'of checkout mask': 581307, 'checkout mask glove': 174957, 'mask glove on': 518739, 'glove on staff': 352826, 'on staff or': 603625, 'staff or social': 792723, 'or social distancing': 617140, 'social distancing occurring': 779673, 'distancing occurring in': 247364, 'occurring in queue': 579067, 'in queue arrgghh': 427219, 'crisis scammer': 218005, 'are rife': 89691, 'rife do': 721690, 'give your': 350876, 'people claiming': 647468, 'have cure': 380169, 'for there': 326953, 'is none': 450002, 'none do': 566558, 'personal detail': 652824, 'detail to': 239259, 'anyone giving': 80331, 'giving away': 351238, 'away supermarket': 106039, 'supermarket voucher': 823669, 'voucher they': 960670, 'will wipe': 995353, 'wipe your': 996436, 'your bank': 1022902, 'account clean': 28647, 'clean before': 180480, 'you make': 1019752, 'during crisis scammer': 262564, 'crisis scammer are': 218006, 'scammer are rife': 740542, 'are rife do': 89692, 'rife do not': 721691, 'do not give': 249746, 'not give your': 569649, 'give your money': 350886, 'your money to': 1024873, 'money to people': 537115, 'to people claiming': 911619, 'people claiming to': 647470, 'claiming to have': 179921, 'to have cure': 907224, 'have cure for': 380171, 'cure for there': 220748, 'for there is': 326955, 'there is none': 878597, 'is none do': 450005, 'none do not': 566559, 'give your personal': 350890, 'your personal detail': 1025262, 'personal detail to': 652827, 'detail to anyone': 239260, 'to anyone giving': 900625, 'anyone giving away': 80332, 'giving away supermarket': 351244, 'away supermarket voucher': 106041, 'supermarket voucher they': 823676, 'voucher they will': 960672, 'they will wipe': 883899, 'will wipe your': 995356, 'wipe your bank': 996439, 'your bank account': 1022903, 'bank account clean': 109548, 'account clean before': 28648, 'clean before you': 180482, 'before you make': 123325, 'you make it': 1019758, 'make it to': 510062, 'instoreexperience': 440510, 'consumer ecommerce': 197283, 'ecommerce behavior': 266719, 'being accelerated': 124813, 'accelerated is': 27886, 'here to': 393701, 'stay ecommerce': 796858, 'ecommerce instoreexperience': 266793, 'to consumer ecommerce': 903294, 'consumer ecommerce behavior': 197284, 'ecommerce behavior is': 266720, 'behavior is being': 124094, 'is being accelerated': 446064, 'being accelerated is': 124814, 'accelerated is it': 27887, 'is it here': 449030, 'it here to': 458574, 'here to stay': 393728, 'to stay ecommerce': 915282, 'stay ecommerce instoreexperience': 796859, 'percentage': 651195, 'of coronacrisis': 581904, 'coronacrisis assume': 204517, 'assume lot': 97009, 'will shop': 994843, 'put smile': 690816, 'smile in': 775717, 'normal amazon': 567079, 'amazon you': 51214, 'can choose': 157902, 'choose charitable': 177883, 'charitable and': 173540, 'social organization': 779906, 'organization they': 619436, 'donate of': 254209, 'the annual': 848762, 'annual expense': 77394, 'expense it': 291198, 'huge percentage': 410125, 'percentage but': 651198, 'so easy': 776931, 'easy chose': 265673, 'time of coronacrisis': 897320, 'of coronacrisis assume': 581905, 'coronacrisis assume lot': 204518, 'assume lot of': 97010, 'of people will': 588026, 'people will shop': 650411, 'will shop online': 994845, 'shop online if': 760574, 'if you put': 415496, 'you put smile': 1020508, 'put smile in': 690817, 'smile in front': 775718, 'front of your': 338652, 'of your normal': 593503, 'your normal amazon': 1025027, 'normal amazon you': 567080, 'amazon you can': 51215, 'you can choose': 1017642, 'can choose charitable': 157903, 'choose charitable and': 177884, 'charitable and social': 173541, 'and social organization': 71892, 'social organization they': 779907, 'organization they will': 619437, 'they will donate': 883845, 'will donate of': 993242, 'donate of the': 254210, 'of the annual': 590793, 'the annual expense': 848763, 'annual expense it': 77395, 'expense it not': 291199, 'it not huge': 459885, 'not huge percentage': 570029, 'huge percentage but': 410126, 'percentage but it': 651199, 'but it so': 146165, 'it so easy': 461106, 'so easy chose': 776932, 'prople': 684410, 'nairobi': 551502, 'busia': 143163, 'somehing': 784302, 'noo': 566765, 'kot': 477560, 'utawezana': 951215, 'wait kenyan': 964150, 'kenyan can': 472959, 'can sit': 159632, 'sit on': 771831, 'on bus': 599728, 'bus 40': 142991, '40 prople': 18647, 'prople from': 684411, 'from nairobi': 336539, 'nairobi to': 551512, 'to busia': 902122, 'busia again': 143164, 'again 50': 36866, '50 kenyan': 19737, 'enter supermarket': 278295, 'once but': 605599, 'but kenyan': 146221, 'kenyan cannot': 472962, 'to worship': 918852, 'worship in': 1011124, 'in church': 421464, 'church there': 178412, 'is somehing': 452094, 'somehing somewhere': 784303, 'somewhere noo': 785305, 'noo kot': 566772, 'kot utawezana': 477563, 'wait kenyan can': 964151, 'kenyan can sit': 472961, 'can sit on': 159633, 'sit on bus': 771832, 'on bus 40': 599729, 'bus 40 prople': 142992, '40 prople from': 18648, 'prople from nairobi': 684412, 'from nairobi to': 336540, 'nairobi to busia': 551513, 'to busia again': 902123, 'busia again 50': 143165, 'again 50 kenyan': 36867, '50 kenyan can': 19738, 'kenyan can be': 472960, 'can be allowed': 157578, 'to enter supermarket': 905225, 'enter supermarket at': 278297, 'supermarket at once': 819246, 'at once but': 99955, 'once but kenyan': 605601, 'but kenyan cannot': 146222, 'kenyan cannot be': 472963, 'cannot be allowed': 161633, 'allowed to worship': 46256, 'to worship in': 918853, 'worship in church': 1011125, 'in church there': 421465, 'church there is': 178413, 'there is somehing': 878627, 'is somehing somewhere': 452095, 'somehing somewhere noo': 784304, 'somewhere noo kot': 785306, 'noo kot utawezana': 566773, 'culinary': 220219, 'alright': 47772, 'spain imagine': 787306, 'imagine having': 416726, 'having such': 384292, 'such poor': 816684, 'poor culinary': 664159, 'culinary reputation': 220224, 'reputation people': 713121, 'don even': 253482, 'frenzy brit': 332778, 'brit will': 140357, 'be alright': 113574, 'supermarket in spain': 820984, 'in spain imagine': 428174, 'spain imagine having': 787307, 'imagine having such': 416727, 'having such poor': 384294, 'such poor culinary': 816685, 'poor culinary reputation': 664160, 'culinary reputation people': 220225, 'reputation people don': 713122, 'people don even': 647699, 'don even buy': 253483, 'even buy your': 283923, 'buy your food': 149496, 'your food in': 1023918, 'food in panic': 314958, 'in panic buying': 426478, 'buying frenzy brit': 150377, 'frenzy brit will': 332779, 'brit will be': 140358, 'will be alright': 992354, 'diagnostic': 240260, 'detection': 239349, 'administration ha': 32472, 'ha approved': 369603, 'approved the': 83196, 'first rapid': 308901, 'rapid diagnostic': 696908, 'diagnostic test': 240265, 'test with': 839243, 'with detection': 998010, 'detection time': 239355, 'about 45': 24714, '45 minute': 19114, 'minute the': 533852, 'unitedstates struggle': 942297, 'for testing': 326232, 'and drug administration': 61776, 'drug administration ha': 260854, 'administration ha approved': 32473, 'ha approved the': 369606, 'approved the first': 83198, 'the first rapid': 855338, 'first rapid diagnostic': 308903, 'rapid diagnostic test': 696909, 'diagnostic test with': 240269, 'test with detection': 839244, 'with detection time': 998011, 'detection time of': 239356, 'time of about': 897309, 'of about 45': 579710, 'about 45 minute': 24715, '45 minute the': 19120, 'minute the unitedstates': 533857, 'the unitedstates struggle': 870423, 'unitedstates struggle to': 942298, 'struggle to meet': 814391, 'demand for testing': 235504, 'rock': 724888, 'is war': 453751, 'war just': 966479, 'just not': 469327, 'one you': 607537, 'think trump': 885723, 'trump slow': 933848, 'slow response': 774388, 'is deliberate': 447095, 'deliberate the': 232948, 'the idea': 857822, 'idea is': 413096, 'kill blue': 474359, 'blue state': 133471, 'state voter': 796064, 'voter and': 960571, 'buy real': 149118, 'estate at': 282099, 'at rock': 100424, 'rock bottom': 724893, 'bottom price': 136430, 'after people': 36030, 'people lose': 648709, 'home republican': 401973, 'republican leadership': 713047, 'leadership in': 483617, 'it is war': 459124, 'is war just': 453752, 'war just not': 966481, 'just not the': 469339, 'not the one': 572016, 'the one you': 862236, 'one you think': 607541, 'you think trump': 1021683, 'think trump slow': 885724, 'trump slow response': 933849, 'slow response is': 774389, 'response is deliberate': 715740, 'is deliberate the': 447096, 'deliberate the idea': 232949, 'the idea is': 857823, 'idea is to': 413098, 'is to kill': 453216, 'to kill blue': 908921, 'kill blue state': 474360, 'blue state voter': 133473, 'state voter and': 796065, 'voter and buy': 960572, 'and buy real': 59349, 'buy real estate': 149119, 'real estate at': 701136, 'estate at rock': 282101, 'at rock bottom': 100425, 'rock bottom price': 724897, 'bottom price after': 136431, 'price after people': 672234, 'after people lose': 36033, 'people lose their': 648710, 'lose their home': 503484, 'their home republican': 873572, 'home republican leadership': 401974, 'republican leadership in': 713048, 'leadership in the': 483618, 'fingertip': 307832, '19 how': 7597, 'yourself avoid': 1026541, 'touching surface': 926719, 'surface with': 828096, 'your fingertip': 1023885, 'covid 19 how': 213229, '19 how to': 7610, 'protect yourself avoid': 685084, 'yourself avoid touching': 1026542, 'avoid touching surface': 105355, 'touching surface with': 926723, 'surface with your': 828099, 'with your fingertip': 1002199, 'craft': 214755, 'video on': 956840, 'on youtube': 605522, 'youtube see': 1026915, 'link in': 493853, 'in profile': 427026, 'profile here': 682618, 'here craft': 392905, 'craft idea': 214773, 'idea for': 413044, 'do while': 250534, 'are during': 86028, 'new video on': 559830, 'video on youtube': 956852, 'on youtube see': 605528, 'youtube see link': 1026916, 'see link in': 745364, 'link in profile': 493858, 'in profile here': 427027, 'profile here craft': 682619, 'here craft idea': 392906, 'craft idea for': 214774, 'idea for you': 413055, 'to do while': 904590, 'do while you': 250536, 'while you are': 987585, 'you are during': 1017112, 'are during the': 86029, 'version': 954895, 'graphic': 362156, 'energyco': 276626, 'final version': 305889, 'version of': 954910, 'this graphic': 887746, 'graphic energyco': 362164, 'energyco told': 276627, 'told today': 923775, 'would implement': 1011940, 'implement moratorium': 418397, 'moratorium on': 538441, 'on shut': 603458, 'shut offs': 767909, 'offs and': 596079, 'the utility': 870599, 'utility including': 951290, 'including are': 431882, 'are ordered': 88836, 'final version of': 305890, 'version of this': 954921, 'of this graphic': 591979, 'this graphic energyco': 887747, 'graphic energyco told': 362165, 'energyco told today': 276628, 'told today that': 923776, 'it would implement': 462596, 'would implement moratorium': 1011941, 'implement moratorium on': 418398, 'moratorium on shut': 538451, 'on shut offs': 603459, 'shut offs and': 767910, 'offs and now': 596080, 'and now all': 67820, 'now all of': 573962, 'of the utility': 591581, 'the utility including': 870600, 'utility including are': 951291, 'including are ordered': 431883, 'are ordered to': 88837, 'nessel': 557503, '572': 20499, 'nessel office': 557508, 'office field': 595417, 'field 572': 304446, '572 consumer': 20502, 'complaint on': 192004, 'gouging scam': 359446, 'scam via': 740452, 'nessel office field': 557509, 'office field 572': 595418, 'field 572 consumer': 304447, '572 consumer complaint': 20503, 'consumer complaint on': 196856, 'complaint on covid': 192005, '19 price gouging': 9811, 'price gouging scam': 674321, 'gouging scam via': 359448, 'pharmacy store': 654484, 'you wear': 1022210, 'wear please': 974442, 'when you go': 984564, 'you go out': 1018861, 'the grocery and': 856801, 'grocery and pharmacy': 364252, 'and pharmacy store': 68980, 'pharmacy store you': 654486, 'store you wear': 811699, 'you wear please': 1022216, 'wear please rt': 974443, 'idris': 413709, 'barbershop': 110815, 'secondary': 743880, 'idris if': 413710, 'also safeguard': 48812, 'safeguard their': 730217, 'their consumer': 872848, 'consumer barbershop': 196395, 'barbershop are': 110816, 'are their': 90938, 'worker certified': 1006626, 'certified free': 170234, 'free from': 331857, 'economic benefit': 266993, 'benefit secondary': 127076, 'idris if they': 413711, 'are in consumer': 87366, 'consumer service they': 198951, 'service they must': 752947, 'they must also': 882699, 'must also safeguard': 546475, 'also safeguard their': 48813, 'safeguard their consumer': 730218, 'their consumer barbershop': 872851, 'consumer barbershop are': 196396, 'barbershop are their': 110817, 'are their worker': 90944, 'their worker certified': 875212, 'worker certified free': 1006627, 'certified free from': 170235, 'free from covid': 331859, '19 economic benefit': 6699, 'economic benefit secondary': 266994, 'together so': 920936, 'set wholesale': 753589, 'our coffee': 622421, 'coffee on': 185520, 'home staysafe': 402139, 're all in': 698224, 'this together so': 890782, 'together so we': 920938, 'so we have': 778670, 'we have set': 971937, 'have set wholesale': 382492, 'set wholesale price': 753590, 'wholesale price for': 990471, 'price for all': 673922, 'for all our': 319157, 'all our coffee': 43799, 'our coffee on': 622422, 'coffee on our': 185521, 'our website for': 625338, 'website for you': 975280, 'at home staysafe': 99121, 'biden': 129531, 'biden 2020': 129532, '2020 more': 14454, 'like bidet': 489906, 'bidet 2020': 129546, '2020 toiletpaper': 14667, 'biden 2020 more': 129533, '2020 more like': 14456, 'more like bidet': 539688, 'like bidet 2020': 489907, 'bidet 2020 toiletpaper': 129547, 'the la': 858872, 'vega grocery': 953812, 'those 60': 891768, '60 and': 20897, 'and over': 68553, 'in before': 420755, 'before they': 123209, 'they check': 881750, 'check their': 174661, 'their id': 873616, 'line at the': 492992, 'at the la': 100994, 'the la vega': 858879, 'la vega grocery': 478230, 'vega grocery store': 953813, 'grocery store one': 365613, 'store one for': 809222, 'one for those': 606309, 'for those 60': 327097, 'those 60 and': 891769, '60 and over': 20905, 'and over the': 68563, 'over the other': 630746, 'the other for': 862528, 'other for everyone': 620256, 'for everyone who': 321252, 'everyone who cannot': 287583, 'cannot get in': 161891, 'get in before': 347290, 'in before they': 420757, 'before they check': 123213, 'they check their': 881751, 'check their id': 174662, 'sap': 736673, 'producer on': 680675, 'sunday agreed': 818159, 'their largest': 873785, 'largest ever': 479948, 'ever cut': 285265, 'production in': 682071, 'an effort': 55622, 'support crashing': 826448, 'pandemic continues': 635207, 'to sap': 913760, 'sap global': 736678, 'top oil producer': 925651, 'oil producer on': 597341, 'producer on sunday': 680676, 'on sunday agreed': 603750, 'sunday agreed to': 818160, 'agreed to their': 38750, 'to their largest': 917247, 'their largest ever': 873787, 'largest ever cut': 479949, 'ever cut in': 285266, 'cut in production': 223384, 'in production in': 427023, 'production in an': 682072, 'in an effort': 420292, 'an effort to': 55623, 'effort to support': 269651, 'to support crashing': 915920, 'support crashing price': 826449, 'crashing price the': 215126, 'price the coronavirus': 676827, 'the coronavirus pandemic': 851889, 'coronavirus pandemic continues': 206449, 'pandemic continues to': 635215, 'continues to sap': 201493, 'to sap global': 913761, 'sap global demand': 736679, 'global demand of': 351869, 'demand of fuel': 235948, 'sand': 733658, 'arrives': 93984, 'to europe': 905274, 'europe you': 283531, 'have your': 383707, 'head in': 385750, 'the sand': 866335, 'sand the': 733666, 'the fire': 855258, 'fire is': 308098, 'still small': 801201, 'small so': 775128, 'can ignore': 158713, 'ignore it': 415827, 'it covid': 457383, '19 arrives': 5220, 'arrives in': 93993, 'usa you': 948798, 'you there': 1021628, 'are only': 88757, '15 case': 3679, 'case it': 165833, 'over soon': 630634, 'you worry': 1022443, 'plunging stock': 661546, 'your re': 1025520, 're election': 698593, '19 spread to': 10755, 'spread to europe': 790855, 'to europe you': 905277, 'europe you still': 283532, 'you still have': 1021403, 'still have your': 800668, 'have your head': 383712, 'your head in': 1024262, 'head in the': 385753, 'in the sand': 429526, 'the sand the': 866336, 'sand the fire': 733667, 'the fire is': 855259, 'fire is still': 308099, 'is still small': 452310, 'still small so': 801202, 'small so you': 775129, 'you can ignore': 1017699, 'can ignore it': 158714, 'ignore it covid': 415828, 'it covid 19': 457384, 'covid 19 arrives': 212653, '19 arrives in': 5221, 'arrives in the': 93994, 'in the usa': 429640, 'the usa you': 870557, 'usa you there': 948799, 'you there are': 1021629, 'there are only': 878137, 'are only 15': 88759, 'only 15 case': 609980, '15 case it': 3680, 'case it ll': 165837, 'it ll be': 459417, 'll be over': 496607, 'be over soon': 116304, 'over soon you': 630637, 'soon you worry': 785915, 'you worry about': 1022444, 'worry about what': 1010660, 'about what the': 26899, 'what the plunging': 982351, 'the plunging stock': 863867, 'plunging stock price': 661547, 'stock price will': 802762, 'price will do': 677560, 'do to your': 250410, 'to your re': 919018, 'your re election': 1025522, 'every 20': 285646, '20 donation': 13041, 'donation will': 254733, 'will receive': 994588, 'receive free': 703478, 'free roll': 332117, 'paper shipping': 640756, 'shipping cost': 758838, 'cost extra': 207932, 'extra offer': 293589, 'offer only': 594728, 'only available': 610130, 'available long': 104482, 'long toilet': 501794, 'stock shipping': 802843, 'take longer': 832285, 'usual cuz': 950910, 'cuz corona': 223796, 'corona twitch': 204262, 'twitch corona': 936611, 'corona toiletpaper': 204245, 'toiletpaper coronavid19': 921894, 'every 20 donation': 285647, '20 donation will': 13042, 'donation will receive': 254735, 'will receive free': 994592, 'receive free roll': 703482, 'free roll of': 332118, 'toilet paper shipping': 921448, 'paper shipping cost': 640757, 'shipping cost extra': 758839, 'cost extra offer': 207933, 'extra offer only': 293590, 'offer only available': 594729, 'only available long': 610134, 'available long toilet': 104483, 'long toilet paper': 501795, 'paper is in': 640351, 'is in stock': 448818, 'in stock shipping': 428327, 'stock shipping may': 802844, 'shipping may take': 758871, 'may take longer': 521559, 'take longer than': 832288, 'longer than usual': 502078, 'than usual cuz': 841391, 'usual cuz corona': 950911, 'cuz corona twitch': 223797, 'corona twitch corona': 204263, 'twitch corona toiletpaper': 936612, 'corona toiletpaper coronavid19': 204248, 'intentionally': 441161, 'are company': 85452, 'that manufacture': 845015, 'manufacture cleaning': 513365, 'supply wipe': 826117, 'sanitizers intentionally': 736324, 'intentionally limiting': 441170, 'limiting availability': 492802, 'availability in': 104147, 'are company that': 85454, 'company that manufacture': 191179, 'that manufacture cleaning': 845016, 'manufacture cleaning supply': 513366, 'cleaning supply wipe': 181090, 'supply wipe and': 826118, 'wipe and hand': 996188, 'hand sanitizers intentionally': 375702, 'sanitizers intentionally limiting': 736325, 'intentionally limiting availability': 441171, 'limiting availability in': 492803, 'availability in order': 104149, 'order to increase': 618687, 'to increase price': 908293, 'aolonline': 81179, 'shenanigan': 758056, 'awesome': 106148, 'will trade': 995219, 'trade for': 928495, 'toiletpaper aolonline': 921743, 'aolonline 90': 81180, '90 shenanigan': 23339, 'shenanigan easter': 758057, 'easter awesome': 265382, 'will trade for': 995220, 'trade for toiletpaper': 928497, 'for toiletpaper aolonline': 327253, 'toiletpaper aolonline 90': 921744, 'aolonline 90 shenanigan': 81181, '90 shenanigan easter': 23340, 'shenanigan easter awesome': 758058, 'taxpayer': 835192, '2018': 13866, 'frightening': 334052, 'louder': 504494, 'oilpatch': 597599, 'canada largest': 160483, 'largest oil': 479987, 'company want': 191280, 'want taxpayer': 965949, 'taxpayer bailouts': 835196, 'bailouts like': 108698, 'like suncor': 491258, 'suncor whose': 818141, 'whose ceo': 990625, 'ceo took': 169868, 'took home': 925256, 'home more': 401622, 'than 11': 840168, '11 million': 2556, 'in compensation': 421628, 'compensation in': 191566, 'in 2018': 419782, '2018 cdnpoli': 13876, 'cdnpoli very': 168673, 'very very': 955641, 'very frightening': 955177, 'frightening call': 334055, 'for government': 321957, 'government bailout': 359918, 'bailout grow': 108635, 'grow louder': 367038, 'louder oilpatch': 504497, 'oilpatch face': 597600, 'face bleak': 294335, 'bleak outlook': 132551, 'canada largest oil': 160485, 'largest oil company': 479988, 'oil company want': 596697, 'company want taxpayer': 191281, 'want taxpayer bailouts': 965950, 'taxpayer bailouts like': 835197, 'bailouts like suncor': 108699, 'like suncor whose': 491259, 'suncor whose ceo': 818142, 'whose ceo took': 990626, 'ceo took home': 169869, 'took home more': 925257, 'home more than': 401627, 'more than 11': 540544, 'than 11 million': 840170, '11 million in': 2558, 'million in compensation': 532186, 'in compensation in': 421629, 'compensation in 2018': 191567, 'in 2018 cdnpoli': 419784, '2018 cdnpoli very': 13877, 'cdnpoli very very': 168674, 'very very frightening': 955645, 'very frightening call': 955178, 'frightening call for': 334056, 'call for government': 155870, 'for government bailout': 321959, 'government bailout grow': 359920, 'bailout grow louder': 108636, 'grow louder oilpatch': 367039, 'louder oilpatch face': 504498, 'oilpatch face bleak': 597601, 'face bleak outlook': 294336, 'thank all': 841529, 'employee for': 273857, 'for staying': 325885, 'staying strong': 798712, 'strong during': 814018, 'time many': 897187, 'of underestimate': 592611, 'underestimate and': 940424, 'and underestimate': 74625, 'the sacrifice': 866112, 'sacrifice these': 729110, 'these individual': 880167, 'individual make': 435219, 'like to take': 491627, 'to take moment': 916203, 'moment to thank': 536094, 'to thank all': 916417, 'thank all grocery': 841531, 'store employee for': 807492, 'employee for staying': 273869, 'for staying strong': 325893, 'staying strong during': 798714, 'strong during these': 814019, 'uncertain time many': 939621, 'time many of': 897189, 'many of underestimate': 514398, 'of underestimate and': 592612, 'underestimate and underestimate': 940425, 'and underestimate the': 74626, 'underestimate the sacrifice': 940429, 'the sacrifice these': 866116, 'sacrifice these individual': 729111, 'these individual make': 880169, 'debasish': 230303, 'cardmembers': 163771, 'flexibility': 310360, 'opt': 613857, 'rbi': 698075, 'regulatory': 708157, '1800': 4624, '419': 18888, '2122': 15060, 'hi debasish': 394620, 'debasish we': 230304, 'offering our': 595206, 'consumer cardmembers': 196737, 'cardmembers the': 163772, 'the flexibility': 855400, 'flexibility to': 310378, 'to opt': 911033, 'opt for': 613858, 'for moratorium': 323549, 'moratorium per': 538452, 'per rbi': 650998, 'rbi guideline': 698088, 'guideline on': 368452, '19 regulatory': 10038, 'regulatory package': 708182, 'package please': 633374, 'please call': 659744, 'call at': 155775, 'at 1800': 97489, '1800 419': 4625, '419 2122': 18889, '2122 and': 15061, 'team will': 835829, 'be happy': 115140, 'assist you': 96656, 'you with': 1022375, 'hi debasish we': 394621, 'debasish we are': 230305, 'are offering our': 88673, 'offering our consumer': 595207, 'our consumer cardmembers': 622528, 'consumer cardmembers the': 196738, 'cardmembers the flexibility': 163773, 'the flexibility to': 855402, 'flexibility to opt': 310379, 'to opt for': 911034, 'opt for moratorium': 613859, 'for moratorium per': 323550, 'moratorium per rbi': 538453, 'per rbi guideline': 650999, 'rbi guideline on': 698089, 'guideline on the': 368456, 'covid 19 regulatory': 213680, '19 regulatory package': 10039, 'regulatory package please': 708183, 'package please call': 633375, 'please call at': 659752, 'call at 1800': 155777, 'at 1800 419': 97490, '1800 419 2122': 4626, '419 2122 and': 18890, '2122 and our': 15062, 'and our team': 68523, 'our team will': 625110, 'team will be': 835830, 'will be happy': 992487, 'be happy to': 115143, 'happy to assist': 377706, 'to assist you': 900787, 'assist you with': 96657, 'you with your': 1022391, 've found': 953138, 'found uk': 330455, 'uk brilliant': 938217, 'brilliant in': 139863, 'supply so': 825864, 'anyone is': 80386, 'your place': 1025320, 'place great': 657471, 'price quick': 676048, 'quick delivery': 694303, 'we ve found': 973667, 've found uk': 953145, 'found uk brilliant': 330456, 'uk brilliant in': 938218, 'brilliant in buying': 139864, 'in buying supply': 421109, 'buying supply so': 151128, 'supply so if': 825866, 'so if anyone': 777350, 'if anyone is': 413847, 'anyone is in': 80389, 'is in need': 448789, 'need of anything': 555319, 'anything that your': 80900, 'that your place': 847772, 'your place great': 1025321, 'place great price': 657472, 'great price quick': 362916, 'price quick delivery': 676049, 'claimed': 179875, 'stroke': 813938, 'man recently': 512199, 'recently died': 704071, 'died he': 241563, 'wa friend': 962172, 'manager at': 512682, 'they didn': 881925, 'didn even': 241046, 'even test': 284637, 'test him': 839021, 'him for': 396603, 'and claimed': 59911, 'claimed he': 179880, 'he died': 384887, 'his daughter': 397345, 'daughter said': 226902, 'said he': 731103, 'had underlying': 373777, 'underlying disease': 940477, 'disease he': 245152, 'of stroke': 590307, 'stroke what': 813945, 'on here': 601285, '70 year old': 21866, 'old man recently': 598349, 'man recently died': 512200, 'recently died he': 704072, 'died he wa': 241565, 'he wa friend': 385599, 'wa friend with': 962173, 'friend with the': 333919, 'with the manager': 1001381, 'the manager at': 859994, 'manager at my': 512687, 'my supermarket they': 550282, 'supermarket they didn': 823288, 'they didn even': 881928, 'didn even test': 241049, 'even test him': 284638, 'test him for': 839022, 'him for coronavirus': 396604, 'for coronavirus and': 320374, 'coronavirus and claimed': 205484, 'and claimed he': 59912, 'claimed he died': 179882, 'he died of': 384890, '19 his daughter': 7539, 'his daughter said': 397346, 'daughter said he': 226903, 'said he had': 731109, 'he had underlying': 385062, 'had underlying disease': 373778, 'underlying disease he': 940478, 'disease he died': 245153, 'died of stroke': 241594, 'of stroke what': 590308, 'stroke what is': 813946, 'what is going': 981693, 'going on here': 355320, 'demise': 236653, 'please see': 660447, 'post on': 666247, 'crisis in': 217524, 'in iraq': 424149, 'iraq caused': 444757, 'by corrupt': 152238, 'east corruption': 265304, 'virus collapse': 958065, 'collapse will': 186074, 'the iraqi': 858448, 'iraqi people': 444796, 'people see': 649366, 'the demise': 853119, 'demise of': 236656, 'the green': 856774, 'green survive': 363701, 'survive zone': 829310, 'zone elite': 1027755, 'please see my': 660455, 'see my new': 745458, 'my new post': 549470, 'new post on': 559326, 'post on the': 666261, 'on the crisis': 604050, 'the crisis in': 852393, 'crisis in iraq': 217532, 'in iraq caused': 424151, 'iraq caused by': 444758, 'caused by corrupt': 167834, 'by corrupt governance': 152239, 'global oil price': 352051, 'oil price in': 597166, 'in the new': 429392, 'middle east corruption': 530647, 'east corruption corona': 265305, 'corona virus collapse': 204295, 'virus collapse will': 958066, 'collapse will the': 186075, 'will the iraqi': 995144, 'the iraqi people': 858450, 'iraqi people see': 444797, 'people see the': 649370, 'see the demise': 745825, 'the demise of': 853120, 'demise of the': 236658, 'of the green': 591079, 'the green survive': 856779, 'green survive zone': 363702, 'survive zone elite': 829311, 'boujee': 136787, 'nothing bad': 572942, 'and boujee': 59117, 'boujee about': 136788, 'nothing bad and': 572943, 'bad and boujee': 107759, 'and boujee about': 59118, 'boujee about this': 136789, 'rainbow': 695764, 'colored': 186831, 'immunesystem': 417382, 'immunesupport': 417376, 'store buy': 806821, 'buy rainbow': 149114, 'rainbow colored': 695766, 'colored food': 186832, 'food boost': 313762, 'boost your': 135034, 'your immunesystem': 1024455, 'immunesystem food': 417383, 'is medicine': 449617, 'medicine immunesupport': 526811, 'immunesupport fight': 417377, 'time you go': 898405, 'grocery store buy': 365261, 'store buy rainbow': 806823, 'buy rainbow colored': 149115, 'rainbow colored food': 695767, 'colored food boost': 186833, 'food boost your': 313764, 'boost your immunesystem': 135036, 'your immunesystem food': 1024456, 'immunesystem food is': 417384, 'food is medicine': 315136, 'is medicine immunesupport': 449618, 'medicine immunesupport fight': 526812, 'dorset man': 255906, 'with wiping': 1002106, 'wiping spit': 996527, 'dorset man charged': 255908, 'charged with wiping': 173434, 'with wiping spit': 1002107, 'wiping spit on': 996528, 'supermarket good during': 820544, 'good during crisis': 356987, 'knit': 476120, 'fortnight': 329832, 'our street': 624968, 'street ha': 812986, 'become such': 120146, 'such closer': 816402, 'closer knit': 183503, 'knit community': 476121, 'community since': 190096, 'have whatsapp': 383582, 'whatsapp group': 982890, 'group facebook': 366684, 'facebook group': 294929, 'group plan': 366841, 'not online': 570769, 'online well': 609707, 'well safely': 978531, 'safely shopping': 730317, 'and sharing': 71398, 'sharing ve': 755622, 've learned': 953325, 'learned more': 484128, 'my neighbour': 549439, 'last fortnight': 480238, 'fortnight than': 329843, 'last year': 480716, 'our street ha': 624969, 'street ha become': 812988, 'ha become such': 369699, 'become such closer': 120147, 'such closer knit': 816403, 'closer knit community': 183504, 'knit community since': 476123, 'community since we': 190098, 'since we now': 770981, 'now have whatsapp': 574887, 'have whatsapp group': 383583, 'whatsapp group facebook': 982892, 'group facebook group': 366685, 'facebook group plan': 294933, 'group plan to': 366842, 'plan to help': 658295, 'help people not': 390301, 'people not online': 648871, 'not online well': 570772, 'online well safely': 609708, 'well safely shopping': 978532, 'safely shopping and': 730318, 'shopping and sharing': 762020, 'and sharing ve': 71403, 'sharing ve learned': 755623, 've learned more': 953328, 'learned more about': 484129, 'more about my': 538515, 'about my neighbour': 25766, 'my neighbour in': 549441, 'neighbour in the': 557220, 'the last fortnight': 859011, 'last fortnight than': 480239, 'fortnight than in': 329844, 'the last year': 859057, 'favor': 300456, 'store rocking': 809904, 'rocking my': 724977, 'new from': 558777, 'from if': 336003, 'safe let': 729800, 'in we': 430727, 'we donate': 971398, 'donate one': 254212, 'to child': 902716, 'child in': 176112, 'each one': 264145, 'one we': 607388, 'sell do': 748686, 'do yourself': 250717, 'the favor': 854986, 'favor and': 300457, 'get one': 347700, 'grocery store rocking': 365730, 'store rocking my': 809905, 'rocking my new': 724978, 'my new from': 549459, 'new from if': 558779, 'from if we': 336004, 'to be safe': 901517, 'be safe let': 116963, 'safe let do': 729801, 'let do it': 486678, 'do it in': 249484, 'it in we': 458754, 'in we donate': 430730, 'we donate one': 971399, 'donate one to': 254213, 'one to child': 607271, 'to child in': 902717, 'child in need': 176116, 'in need for': 425744, 'need for each': 554835, 'for each one': 320905, 'each one we': 264148, 'one we sell': 607394, 'we sell do': 973195, 'sell do yourself': 748687, 'do yourself and': 250718, 'yourself and the': 1026528, 'and the favor': 73370, 'the favor and': 854987, 'favor and get': 300458, 'and get one': 63591, 'romantic': 725740, 'newly': 560099, 'mark': 515764, 'gentleman': 345834, 'quarantinedromance': 692920, 'about wine': 26937, 'wine chocolate': 995795, 'chocolate and': 177655, 'and rose': 70598, 'rose the': 726093, 'most romantic': 542718, 'romantic thing': 725741, 'thing my': 884601, 'ha done': 370412, 'done in': 254888, '2020 wake': 14698, '30am to': 17433, 'purchase newly': 689563, 'newly stocked': 560118, 'stocked toilet': 803428, 'the mark': 860077, 'mark of': 515809, 'of true': 592468, 'true gentleman': 933088, 'gentleman quarantinedromance': 345844, 'forget about wine': 329227, 'about wine chocolate': 26938, 'wine chocolate and': 995796, 'chocolate and rose': 177657, 'and rose the': 70599, 'rose the most': 726094, 'the most romantic': 861031, 'most romantic thing': 542719, 'romantic thing my': 725742, 'thing my husband': 884603, 'my husband ha': 548779, 'husband ha done': 411705, 'ha done in': 370416, 'done in 2020': 254889, 'in 2020 wake': 419862, '2020 wake up': 14699, 'wake up at': 964617, 'up at 30am': 944422, 'at 30am to': 97609, '30am to be': 17434, 'of the first': 591030, 'first to purchase': 309129, 'to purchase newly': 912544, 'purchase newly stocked': 689564, 'newly stocked toilet': 560119, 'stocked toilet tissue': 803430, 'store that the': 810577, 'that the mark': 846770, 'the mark of': 860079, 'mark of true': 515811, 'of true gentleman': 592469, 'true gentleman quarantinedromance': 933089, 'senior grandparent': 750306, 'grandparent the': 361991, 'the republican': 865546, 'republican party': 713055, 'party and': 642969, 'and call': 59411, 'call upon': 156208, 'upon you': 947669, 'you join': 1019407, 'the die': 853247, 'die for': 241333, 'the dow': 853619, 'dow movement': 256331, 'movement go': 543873, 'work raise': 1005639, 'raise our': 695893, 'our stock': 624913, 'price help': 674494, 'make america': 509667, 'america young': 51757, 'young again': 1022558, 'senior grandparent the': 750307, 'grandparent the republican': 361992, 'the republican party': 865548, 'republican party and': 713056, 'party and call': 642971, 'and call upon': 59421, 'call upon you': 156211, 'upon you join': 947670, 'you join the': 1019409, 'join the die': 466855, 'the die for': 853248, 'die for the': 241335, 'for the dow': 326394, 'the dow movement': 853621, 'dow movement go': 256332, 'movement go to': 543874, 'to work raise': 918771, 'work raise our': 1005640, 'raise our stock': 695897, 'our stock price': 624921, 'stock price help': 802722, 'price help make': 674497, 'help make america': 390031, 'make america young': 509668, 'america young again': 51758, 'leveraged': 487797, 'heartbreak': 388367, 'must protect': 546816, 'keeping safe': 472540, 'fed in': 301835, 'full power': 340819, 'federal government': 301987, 'be leveraged': 115714, 'leveraged to': 487801, 'ppe worker': 668115, 'worker need': 1007417, 'need business': 554569, 'business must': 144071, 'must step': 546909, 'employee this': 274312, 'this mother': 889047, 'mother heartbreak': 543111, 'heartbreak show': 388368, 'show why': 767281, 'we must protect': 972436, 'must protect the': 546817, 'protect the worker': 684987, 'the worker who': 871771, 'worker who are': 1008194, 'who are keeping': 988167, 'are keeping safe': 87662, 'keeping safe and': 472541, 'safe and fed': 729445, 'and fed in': 62752, 'fed in the': 301837, 'crisis the full': 218175, 'the full power': 856018, 'full power of': 340820, 'power of the': 667652, 'of the federal': 591017, 'the federal government': 855074, 'federal government must': 301999, 'must be leveraged': 546520, 'be leveraged to': 115715, 'leveraged to get': 487802, 'get the ppe': 348283, 'the ppe worker': 864171, 'ppe worker need': 668116, 'worker need business': 1007420, 'need business must': 554571, 'business must step': 144077, 'must step up': 546910, 'up to protect': 946418, 'protect their employee': 684993, 'their employee this': 873157, 'employee this mother': 274313, 'this mother heartbreak': 889049, 'mother heartbreak show': 543112, 'heartbreak show why': 388369, 'firework': 308274, 'lawn': 482501, 'legend': 485925, 'be lighting': 115722, 'lighting some': 489652, 'some firework': 782830, 'firework on': 308279, 'my front': 548460, 'front lawn': 338550, 'lawn to': 482508, 'honor our': 403250, 'nurse first': 577328, 'responder pharmacist': 715507, 'pharmacist walmart': 654190, 'walmart grocery': 965333, 'and everyone': 62395, 'else that': 271904, 'been helping': 121274, 'helping everyone': 391324, 'everyone during': 286834, 'these crazy': 879822, 'crazy day': 215279, 'day you': 228814, 'all legend': 43363, 'legend thank': 485936, 'coronacrisis respect': 204728, 'respect love': 715024, 'll be lighting': 496597, 'be lighting some': 115723, 'lighting some firework': 489653, 'some firework on': 782832, 'firework on my': 308280, 'on my front': 602286, 'my front lawn': 548461, 'front lawn to': 338552, 'lawn to honor': 482509, 'to honor our': 907952, 'honor our doctor': 403251, 'our doctor nurse': 622790, 'doctor nurse first': 251013, 'nurse first responder': 577329, 'first responder pharmacist': 308958, 'responder pharmacist walmart': 715508, 'pharmacist walmart grocery': 654191, 'walmart grocery store': 965339, 'employee and everyone': 273563, 'and everyone else': 62397, 'everyone else that': 286881, 'else that have': 271905, 'have been helping': 379570, 'been helping everyone': 121276, 'helping everyone during': 391325, 'everyone during these': 286836, 'during these crazy': 263232, 'these crazy day': 879824, 'crazy day you': 215280, 'day you are': 228816, 'you are all': 1017050, 'are all legend': 84322, 'all legend thank': 43364, 'legend thank you': 485937, 'thank you coronacrisis': 841713, 'you coronacrisis respect': 1018058, 'coronacrisis respect love': 204729, 'mapleholistics': 514958, 'sanitizer really': 735638, 'really needed': 702448, 'needed some': 556493, 'some so': 783900, 'for adding': 319010, 'adding this': 31705, 'your line': 1024659, 'line handsanitizer': 493151, 'handsanitizer mapleholistics': 376579, 'you for the': 1018677, 'for the hand': 326469, 'hand sanitizer really': 375560, 'sanitizer really needed': 735639, 'really needed some': 702450, 'needed some so': 556494, 'some so thank': 783902, 'you for adding': 1018622, 'for adding this': 319012, 'adding this product': 31706, 'this product to': 889732, 'product to your': 681769, 'to your line': 918997, 'your line handsanitizer': 1024660, 'line handsanitizer mapleholistics': 493152, 'guildford': 368532, 'eve': 283777, 'spare thought': 787504, 'thought for': 893042, 'our amazing': 622056, 'amazing doctor': 50672, 'nurse but': 577223, 'also for': 48224, 'the like': 859364, 'like of': 490900, 'worker just': 1007272, 'been in': 121331, 'in guildford': 423472, 'guildford and': 368533, 'christmas eve': 178170, 'eve the': 283787, 'new delivery': 558621, 'of loo': 586003, 'roll almost': 725166, 'almost gone': 46652, 'gone and': 356205, 'queue but': 693898, 'but staff': 147140, 'staff just': 792595, 'just getting': 468806, 'getting on': 349156, 'spare thought for': 787505, 'thought for our': 893045, 'for our amazing': 324211, 'our amazing doctor': 622058, 'amazing doctor and': 50673, 'and nurse but': 67886, 'nurse but also': 577224, 'but also for': 145114, 'also for the': 48231, 'for the like': 326533, 'the like of': 859369, 'like of supermarket': 490906, 'of supermarket worker': 590460, 'supermarket worker just': 824042, 'worker just been': 1007273, 'just been in': 468302, 'been in guildford': 121348, 'in guildford and': 423473, 'guildford and it': 368534, 'it wa like': 462140, 'wa like christmas': 962541, 'like christmas eve': 490004, 'christmas eve the': 178172, 'eve the new': 283788, 'the new delivery': 861493, 'new delivery of': 558622, 'delivery of loo': 234228, 'of loo roll': 586005, 'loo roll almost': 502167, 'roll almost gone': 725167, 'almost gone and': 46653, 'gone and long': 356207, 'and long queue': 66352, 'long queue but': 501578, 'queue but staff': 693900, 'but staff just': 147142, 'staff just getting': 792596, 'just getting on': 468807, 'getting on with': 349159, 'on with their': 605349, 'with their job': 1001578, 'yes many': 1015481, 'to but': 902145, 'forget too': 329345, 'too supermarket': 925094, 'supermarket amp': 818907, 'amp other': 54236, 'other staff': 620952, 'time all': 896222, 'all playing': 43973, 'playing their': 659455, 'their part': 874248, 'yes many thanks': 1015483, 'thanks to but': 842211, 'to but let': 902154, 'not forget too': 569519, 'forget too supermarket': 329346, 'too supermarket amp': 925095, 'supermarket amp other': 818912, 'amp other staff': 54246, 'other staff at': 620953, 'staff at this': 792241, 'at this difficult': 101232, 'difficult time all': 242275, 'time all playing': 896228, 'all playing their': 43975, 'playing their part': 659456, 'sparking': 787596, 'chain tackle': 171149, 'tackle panicbuying': 831595, 'panicbuying surge': 639071, 'surge concern': 828143, 'concern sparking': 193096, 'sparking panic': 787602, 'buying have': 150468, 'have forced': 380687, 'forced manufacturer': 328581, 'manufacturer distributor': 513450, 'distributor and': 248268, 'and retailer': 70451, 'retailer into': 719217, 'into special': 443005, 'special measure': 787989, 'the spending': 867567, 'spending surge': 788992, 'surge procurement': 828248, 'food chain tackle': 313917, 'chain tackle panicbuying': 171150, 'tackle panicbuying surge': 831596, 'panicbuying surge concern': 639072, 'surge concern sparking': 828144, 'concern sparking panic': 193097, 'sparking panic buying': 787603, 'panic buying have': 637757, 'buying have forced': 150471, 'have forced manufacturer': 380689, 'forced manufacturer distributor': 328582, 'manufacturer distributor and': 513451, 'distributor and retailer': 248272, 'and retailer into': 70461, 'retailer into special': 719218, 'into special measure': 443006, 'special measure to': 787990, 'measure to manage': 525398, 'manage the spending': 512445, 'the spending surge': 867568, 'spending surge procurement': 788993, '4588221st': 19189, 'the 4588221st': 848121, '4588221st try': 19190, 'try is': 934497, 'is success': 452419, 'success ok': 816212, 'ok now': 597844, 'the 4588221st try': 848122, '4588221st try is': 19191, 'try is success': 934498, 'is success ok': 452420, 'success ok now': 816213, 'ok now what': 597847, 'incredibly': 433886, 'unfortunately this': 941656, 'this doesn': 887272, 'doesn surprise': 251957, 'from payer': 336867, 'payer executive': 645351, 'executive that': 289943, 'keeping low': 472472, 'low profile': 505555, 'profile hoping': 682620, 'hoping that': 403938, 'that everything': 843777, 'everything will': 288108, 'is incredibly': 448880, 'incredibly stupid': 433929, 'wa non': 962742, 'profit blue': 682679, 'unfortunately this doesn': 941657, 'this doesn surprise': 887275, 'doesn surprise me': 251958, 'heard from payer': 388084, 'from payer executive': 336868, 'payer executive that': 645352, 'executive that they': 289944, 'are keeping low': 87659, 'keeping low profile': 472473, 'low profile hoping': 505556, 'profile hoping that': 682621, 'hoping that everything': 403940, 'that everything will': 843780, 'everything will stop': 288112, 'will stop this': 995004, 'stop this is': 805191, 'this is incredibly': 888292, 'is incredibly stupid': 448882, 'incredibly stupid and': 433930, 'stupid and it': 815338, 'it wa non': 462157, 'wa non profit': 962743, 'non profit blue': 566470, 'profit blue plan': 682680, 'tpchallenge': 928049, 'also thin': 48999, 'thin paper': 884062, 'towel cloth': 927312, 'cloth can': 184080, 'use bidet': 949073, 'bidet or': 129571, 'the india': 858114, 'india way': 434682, 'way is': 969664, 'also safe': 48810, 'safe solution': 729953, 'solution bidet': 782001, 'bidet toiletpaper': 129579, 'toiletpaperpanic tpchallenge': 923300, 'tpchallenge 19': 928050, 'paper but also': 639965, 'but also thin': 145150, 'also thin paper': 49000, 'thin paper towel': 884063, 'paper towel cloth': 640987, 'towel cloth can': 927313, 'cloth can use': 184081, 'can use bidet': 160088, 'use bidet or': 949074, 'bidet or the': 129573, 'or the india': 617378, 'the india way': 858115, 'india way is': 434683, 'way is also': 969666, 'is also safe': 445577, 'also safe solution': 48811, 'safe solution bidet': 729954, 'solution bidet toiletpaper': 782002, 'bidet toiletpaper toiletpaperapocalypse': 129580, 'toiletpaper toiletpaperapocalypse toiletpaperpanic': 922639, 'toiletpaperapocalypse toiletpaperpanic tpchallenge': 922952, 'toiletpaperpanic tpchallenge 19': 923301, '19 for': 7060, 'this too': 890803, 'too shall': 925052, 'shall pas': 754542, '19 for this': 7079, 'for this too': 327079, 'this too shall': 890806, 'too shall pas': 925054, 'stabilise': 791785, 'fishery': 309383, 'to stabilise': 915111, 'stabilise vegetable': 791794, 'price supply': 676705, 'supply ministry': 825565, 'agriculture and': 38931, 'and fishery': 62939, 'fishery municipality': 309388, 'step to stabilise': 799667, 'to stabilise vegetable': 915114, 'stabilise vegetable price': 791795, 'vegetable price supply': 954075, 'price supply ministry': 676708, 'supply ministry of': 825566, 'ministry of agriculture': 533539, 'of agriculture and': 579843, 'agriculture and fishery': 38933, 'and fishery municipality': 62940, 'recession2020': 704421, 'can america': 157485, 'america afford': 51440, 'afford another': 34672, 'another two': 77923, 'two trillion': 937286, 'package if': 633298, 'if another': 413820, 'another pandemic': 77751, 'pandemic hit': 635636, 'world again': 1009269, 'again next': 37084, 'year how': 1014636, 'how afraid': 407327, 'afraid should': 35011, 'should american': 765512, 'american be': 51832, 'be right': 116887, 'now gas': 574761, 'usa no': 948701, 'no concern': 563865, 'concern recession2020': 193066, 'recession2020 is': 704423, 'is here': 448414, 'can america afford': 157486, 'america afford another': 51441, 'afford another two': 34673, 'another two trillion': 77924, 'two trillion stimulus': 937287, 'stimulus package if': 801582, 'package if another': 633299, 'if another pandemic': 413821, 'another pandemic hit': 77752, 'pandemic hit the': 635643, 'hit the world': 398453, 'the world again': 871808, 'world again next': 1009270, 'again next year': 37085, 'next year how': 561730, 'year how afraid': 1014637, 'how afraid should': 407328, 'afraid should american': 35012, 'should american be': 765513, 'american be right': 51833, 'be right now': 116889, 'right now gas': 722067, 'now gas price': 574762, 'the usa no': 870547, 'usa no concern': 948702, 'no concern recession2020': 563866, 'concern recession2020 is': 193067, 'recession2020 is here': 704424, 'always rely': 49711, 'on home': 601349, 'delivery we': 234724, 'both disabled': 135892, 'disabled had': 243915, 'to brave': 901988, 'brave the': 138234, 'in year': 431016, 'year no': 1014761, 'several week': 753958, 'week shelf': 976861, 'shelf almost': 756699, 'empty both': 274805, 'both at': 135862, 'risk ca': 723442, 'we always rely': 970419, 'always rely on': 49712, 'rely on home': 709642, 'on home delivery': 601351, 'home delivery we': 401054, 'delivery we are': 234725, 'we are both': 970492, 'are both disabled': 85034, 'both disabled had': 135893, 'disabled had to': 243916, 'had to brave': 373667, 'to brave the': 901991, 'brave the supermarket': 138237, 'today for the': 919542, 'time in year': 897021, 'in year no': 431028, 'year no slot': 1014762, 'no slot available': 565522, 'slot available for': 774134, 'available for several': 104381, 'for several week': 325519, 'several week shelf': 753962, 'week shelf almost': 976862, 'shelf almost empty': 756701, 'almost empty both': 46603, 'empty both at': 274806, 'both at the': 135864, 'at the high': 100977, 'the high end': 857318, 'high end of': 395059, 'of the high': 591101, 'high risk ca': 395349, 'cannabisproducts': 161480, '49 of': 19399, 'of participant': 587789, 'participant did': 642539, 'did stock': 240823, 'on cannabisproducts': 599802, 'cannabisproducts 34': 161481, '34 of': 17822, 'participant are': 642535, 'are consuming': 85534, 'consuming more': 199802, 'more cannabis': 538764, 'cannabis than': 161449, 'usual of': 950983, 'participant prefer': 642547, 'prefer cannabis': 669730, 'cannabis over': 161425, '49 of participant': 19400, 'of participant did': 587791, 'participant did stock': 642540, 'did stock up': 240824, 'up on cannabisproducts': 945535, 'on cannabisproducts 34': 599803, 'cannabisproducts 34 of': 161482, '34 of participant': 17824, 'of participant are': 587790, 'participant are consuming': 642536, 'are consuming more': 85535, 'consuming more cannabis': 199803, 'more cannabis than': 538765, 'cannabis than usual': 161450, 'than usual of': 841398, 'usual of participant': 950985, 'of participant prefer': 587792, 'participant prefer cannabis': 642548, 'prefer cannabis over': 669731, 'cannabis over food': 161426, 'wheeze': 983089, 'scared to': 741019, 'to cough': 903606, 'cough or': 208528, 'or wheeze': 617779, 'wheeze in': 983090, 'scared to cough': 741021, 'to cough or': 903610, 'cough or wheeze': 208532, 'or wheeze in': 617780, 'wheeze in the': 983091, 'birmingham': 131376, 'calpol': 156896, 'shutthemup': 768239, 'what wrong': 982650, 'people birmingham': 647285, 'birmingham pharmacy': 131382, 'pharmacy chain': 654270, 'chain sell': 171092, 'sell calpol': 748658, 'calpol for': 156908, '19 99': 4769, '99 and': 23772, 'and paracetamol': 68699, 'paracetamol for': 641240, '99 they': 23899, 'should hang': 766054, 'hang their': 376940, 'in shame': 427852, 'shame calpol': 754585, 'calpol is': 156913, 'for child': 320051, 'child how': 176109, 'can pharmacist': 159226, 'pharmacist allow': 654107, 'allow child': 45924, 'child to': 176231, 'feel pain': 302803, 'pain if': 634228, 'parent cannot': 641599, 'it shutthemup': 461046, 'what wrong with': 982653, 'with people birmingham': 1000138, 'people birmingham pharmacy': 647286, 'birmingham pharmacy chain': 131383, 'pharmacy chain sell': 654272, 'chain sell calpol': 171093, 'sell calpol for': 748659, 'calpol for 19': 156909, 'for 19 99': 318695, '19 99 and': 4772, '99 and paracetamol': 23776, 'and paracetamol for': 68701, 'paracetamol for 99': 641241, 'for 99 they': 318965, '99 they should': 23900, 'they should hang': 883369, 'should hang their': 766055, 'hang their head': 376941, 'their head in': 873502, 'head in shame': 385752, 'in shame calpol': 427853, 'shame calpol is': 754586, 'calpol is for': 156914, 'is for child': 447880, 'for child how': 320053, 'child how can': 176110, 'how can pharmacist': 407512, 'can pharmacist allow': 159227, 'pharmacist allow child': 654108, 'allow child to': 45925, 'child to feel': 176232, 'to feel pain': 905753, 'feel pain if': 302804, 'pain if the': 634229, 'if the parent': 415013, 'the parent cannot': 863282, 'parent cannot afford': 641600, 'cannot afford it': 161602, 'afford it shutthemup': 34719, 'mega': 527815, 'mr president': 544388, 'president there': 670920, 'to send': 914200, 'send spy': 749951, 'spy we': 791416, 'shall do': 754527, 'the reporting': 865541, 'reporting ourselves': 712733, 'ourselves here': 625476, 'at mega': 99723, 'mega standard': 527820, 'standard supermarket': 793701, 'supermarket robbing': 822257, 'robbing due': 724682, 'mr president there': 544391, 'president there no': 670921, 'need to send': 556063, 'to send spy': 914223, 'send spy we': 749953, 'spy we shall': 791417, 'we shall do': 973218, 'shall do the': 754528, 'do the reporting': 250256, 'the reporting ourselves': 865542, 'reporting ourselves here': 712734, 'ourselves here are': 625477, 'are the at': 90798, 'the at mega': 848998, 'at mega standard': 99724, 'mega standard supermarket': 527821, 'standard supermarket robbing': 793705, 'supermarket robbing due': 822258, 'robbing due to': 724683, 'communism': 189661, 'younger': 1022678, 'losing': 503532, 'comp': 190307, 'tec': 836022, 'chinaliedandpeopledied communism': 177101, 'communism unfair': 189666, 'unfair trade': 941446, 'trade practice': 928547, 'practice drive': 668546, 'for younger': 328110, 'younger people': 1022692, 'people they': 649814, 'up home': 945094, 'for first': 321500, 'time home': 896937, 'home buyer': 400855, 'buyer so': 149751, 'just that': 469979, 're losing': 699014, 'losing job': 503563, 'and factory': 62608, 'factory we': 296010, 'away our': 105988, 'home our': 401797, 'business our': 144163, 'our comp': 622493, 'comp tec': 190318, 'chinaliedandpeopledied communism unfair': 177102, 'communism unfair trade': 189667, 'unfair trade practice': 941447, 'trade practice drive': 928549, 'practice drive up': 668547, 'drive up rent': 259249, 'up rent for': 945909, 'rent for younger': 711091, 'for younger people': 328111, 'younger people they': 1022694, 'people they will': 649824, 'they will drive': 883846, 'will drive up': 993258, 'drive up home': 259245, 'up home price': 945096, 'home price for': 401903, 'price for first': 673964, 'for first time': 321504, 'first time home': 309100, 'time home buyer': 896938, 'home buyer so': 400857, 'buyer so it': 149752, 'so it not': 777476, 'it not just': 459891, 'not just that': 570255, 'just that we': 469985, 'that we re': 847389, 'we re losing': 972918, 're losing job': 699016, 'losing job and': 503564, 'job and factory': 465626, 'and factory we': 62609, 'factory we re': 296011, 'we re giving': 972884, 're giving away': 698743, 'giving away our': 351242, 'away our home': 105989, 'our home our': 623455, 'home our business': 401798, 'our business our': 622288, 'business our comp': 144164, 'our comp tec': 622494, 'safetytips': 730820, 'leave space': 484941, 'you and': 1016975, 'health safetytips': 386822, 'safetytips use': 730824, 'use sanitizer': 949533, 'sanitizer health': 735066, 'leave space for': 484943, 'space for you': 787104, 'for you and': 328034, 'you and health': 1016992, 'and health safetytips': 64365, 'health safetytips use': 386823, 'safetytips use sanitizer': 730825, 'use sanitizer health': 949542, 'sanitizer health care': 735067, 'discard': 244314, 'jaffa': 464238, 'hello please': 389205, 'please put': 660339, 'on glove': 601117, 'glove when': 353026, 'you enter': 1018424, 'please discard': 659879, 'discard used': 244326, 'used glove': 949919, 'the garbage': 856148, 'garbage can': 343514, 'can glove': 158484, 'glove are': 352592, 'are single': 90141, 'single use': 771423, 'use outside': 949470, 'outside grocery': 629441, 'in jaffa': 424333, 'hello please put': 389206, 'please put on': 660343, 'put on glove': 690717, 'on glove when': 601118, 'glove when you': 353029, 'when you enter': 984557, 'you enter the': 1018429, 'the supermarket please': 868756, 'supermarket please discard': 822012, 'please discard used': 659880, 'discard used glove': 244327, 'used glove in': 949921, 'glove in the': 352735, 'in the garbage': 429228, 'the garbage can': 856149, 'garbage can glove': 343515, 'can glove are': 158485, 'glove are single': 352596, 'are single use': 90142, 'single use outside': 771424, 'use outside grocery': 949471, 'outside grocery store': 629442, 'store in jaffa': 808324, 'it broke': 456924, 'broke my': 140840, 'my heart': 548645, 'heart today': 388349, 'today walking': 920461, 'and seeing': 71156, 'the look': 859704, 'look of': 502545, 'of absolute': 579718, 'absolute panic': 27267, 'panic on': 638357, 'people face': 647851, 'face because': 294331, 'selfish clown': 748056, 'clown emptying': 184362, 'emptying the': 275290, 'shelf fucking': 757105, 'fucking asshole': 339802, 'asshole damn': 96521, 'damn 2020': 225307, '2020 fucking': 14324, 'fucking covid': 339840, 'it broke my': 456925, 'broke my heart': 140841, 'my heart today': 548662, 'heart today walking': 388350, 'today walking around': 920462, 'walking around the': 965028, 'around the supermarket': 93561, 'supermarket and seeing': 819056, 'and seeing the': 71164, 'seeing the look': 746499, 'the look of': 859706, 'look of absolute': 502546, 'of absolute panic': 579720, 'absolute panic on': 27270, 'panic on all': 638358, 'on all the': 599251, 'all the elderly': 44730, 'the elderly people': 854135, 'elderly people face': 270821, 'people face because': 647852, 'face because of': 294332, 'of all these': 579984, 'these selfish clown': 880645, 'selfish clown emptying': 748057, 'clown emptying the': 184363, 'emptying the shelf': 275292, 'the shelf fucking': 866839, 'shelf fucking asshole': 757106, 'fucking asshole damn': 339803, 'asshole damn 2020': 96522, 'damn 2020 fucking': 225308, '2020 fucking covid': 14325, 'fucking covid 19': 339841, 'shri': 767670, 'gopalaiah': 358300, 'hon': 403029, 'ble': 132463, 'metrology': 529959, 'dd': 229008, 'chandana': 171856, '12pm': 3121, '04': 911, '080': 1094, '23542599': 15477, '699': 21537, 'interact': 441192, '19 special': 10718, 'special live': 787985, 'live phone': 495987, 'phone in': 654963, 'in program': 427035, 'program with': 683322, 'with shri': 1000714, 'shri gopalaiah': 767673, 'gopalaiah hon': 358301, 'hon ble': 403031, 'ble minister': 132464, 'minister for': 533366, 'supply consumer': 825099, 'affair and': 33994, 'and legal': 66087, 'legal metrology': 485881, 'metrology department': 529960, 'department watch': 237291, 'watch it': 968453, 'on dd': 600233, 'dd chandana': 229009, 'chandana from': 171857, 'from 12pm': 334186, '12pm today': 3131, 'today 14': 919122, '14 04': 3380, '04 20': 914, '20 call': 12985, 'at 080': 97388, '080 23542599': 1095, '23542599 699': 15478, '699 to': 21542, 'to interact': 908447, 'interact stayathome': 441199, 'stayathome indiafightscorona': 797507, 'covid 19 special': 213839, '19 special live': 10722, 'special live phone': 787986, 'live phone in': 495988, 'phone in program': 654965, 'in program with': 427036, 'program with shri': 683323, 'with shri gopalaiah': 1000715, 'shri gopalaiah hon': 767674, 'gopalaiah hon ble': 358302, 'hon ble minister': 403032, 'ble minister for': 132465, 'minister for food': 533368, 'for food civil': 321569, 'civil supply consumer': 179556, 'supply consumer affair': 825100, 'consumer affair and': 196076, 'affair and legal': 33996, 'and legal metrology': 66089, 'legal metrology department': 485882, 'metrology department watch': 529961, 'department watch it': 237292, 'watch it on': 968456, 'it on dd': 460037, 'on dd chandana': 600234, 'dd chandana from': 229010, 'chandana from 12pm': 171858, 'from 12pm today': 334187, '12pm today 14': 3132, 'today 14 04': 919123, '14 04 20': 3381, '04 20 call': 915, '20 call at': 12986, 'call at 080': 155776, 'at 080 23542599': 97389, '080 23542599 699': 1096, '23542599 699 to': 15479, '699 to interact': 21543, 'to interact stayathome': 908449, 'interact stayathome indiafightscorona': 441200, 'recommends': 704823, 'nonmedical': 566653, 'doc': 250732, 'now recommends': 575656, 'recommends wearing': 704857, 'wearing nonmedical': 974747, 'nonmedical face': 566654, 'limit no': 492382, 'no mask': 564703, 'mask time': 519385, 'be creative': 114284, 'creative people': 216157, 'people here': 648243, 'here made': 393323, 'made diy': 507716, 'mask like': 518912, 'like one': 490922, 'in video': 430582, 'video doc': 956705, 'doc suggested': 250758, 'suggested this': 817590, 'this lab': 888578, 'lab tested': 478293, 'tested one': 839333, 'now recommends wearing': 575657, 'recommends wearing nonmedical': 704861, 'wearing nonmedical face': 974748, 'nonmedical face covering': 566655, 'public to limit': 688376, 'to limit no': 909288, 'limit no mask': 492383, 'no mask time': 564715, 'mask time to': 519386, 'to be creative': 901187, 'be creative people': 114289, 'creative people here': 216158, 'people here made': 648249, 'here made diy': 393324, 'made diy mask': 507717, 'diy mask like': 248757, 'mask like one': 518915, 'like one in': 490923, 'one in video': 606486, 'in video doc': 430583, 'video doc suggested': 956706, 'doc suggested this': 250759, 'suggested this lab': 817591, 'this lab tested': 888579, 'lab tested one': 478295, 'iaarchitects': 412517, 'remained': 709921, 'architecture': 84055, 'iaarchitects grocery': 412518, 'interesting to': 441633, 'watch they': 968566, 'have remained': 382258, 'remained open': 709941, '19 take': 11024, 'data around': 226130, 'around foot': 93288, 'foot traffic': 318452, 'traffic in': 929098, 'store recently': 809770, 'recently some': 704150, 'data may': 226298, 'may surprise': 521546, 'surprise you': 828565, 'you retail': 1020923, 'retail architecture': 717850, 'iaarchitects grocery chain': 412519, 'have been interesting': 379583, 'been interesting to': 121402, 'interesting to watch': 441639, 'to watch they': 918392, 'watch they have': 968567, 'they have remained': 882371, 'have remained open': 382259, 'remained open during': 709942, 'open during covid': 612196, 'covid 19 take': 213906, '19 take look': 11028, 'look at some': 502294, 'at some of': 100576, 'of the data': 590927, 'the data around': 852844, 'data around foot': 226131, 'around foot traffic': 93289, 'foot traffic in': 318459, 'traffic in grocery': 929099, 'grocery store recently': 365710, 'store recently some': 809774, 'recently some of': 704151, 'the data may': 852849, 'data may surprise': 226299, 'may surprise you': 521547, 'surprise you retail': 828567, 'you retail architecture': 1020924, 'quarantining': 693076, 'while essential': 986799, 'essential quarantining': 281438, 'quarantining yourself': 693093, 'home can': 400865, 'your relationship': 1025554, 'relationship and': 708686, 'and physical': 68998, 'physical and': 655369, 'health learn': 386608, 'manage your': 512470, 'your mental': 1024813, 'health while': 386954, 'while social': 987288, 'while essential quarantining': 986800, 'essential quarantining yourself': 281439, 'quarantining yourself in': 693094, 'yourself in your': 1026648, 'in your home': 431093, 'your home can': 1024344, 'home can have': 400866, 'can have an': 158573, 'have an impact': 379254, 'impact on your': 417902, 'on your relationship': 605496, 'your relationship and': 1025555, 'relationship and physical': 708687, 'and physical and': 68999, 'physical and mental': 655370, 'mental health learn': 528644, 'health learn how': 386609, 'how to manage': 409043, 'to manage your': 909803, 'manage your mental': 512473, 'your mental health': 1024814, 'mental health while': 528652, 'health while social': 386955, 'while social distancing': 987289, 'buck': 141647, 'when pandemic': 983838, 'pandemic struck': 636576, 'struck like': 814264, '19 some': 10691, 'panic it': 638235, 'it human': 458657, 'human nature': 410565, 'nature but': 552944, 'be strong': 117402, 'strong learning': 814063, 'learning some': 484237, 'some trick': 784118, 'trick to': 931714, 'cut down': 223306, 'down your': 257526, 'food budget': 313794, 'budget can': 141765, 'can save': 159501, 'save you': 737704, 'you some': 1021300, 'some few': 782821, 'few buck': 303734, 'buck 19': 141648, 'when pandemic struck': 983840, 'pandemic struck like': 636577, 'struck like the': 814265, 'like the case': 491357, 'covid 19 some': 213831, '19 some people': 10694, 'some people panic': 783529, 'people panic it': 649058, 'panic it human': 638239, 'it human nature': 458659, 'human nature but': 410567, 'nature but we': 552945, 'but we have': 147748, 'to be strong': 901568, 'be strong learning': 117403, 'strong learning some': 814064, 'learning some trick': 484238, 'some trick to': 784119, 'trick to cut': 931716, 'to cut down': 903872, 'cut down your': 223310, 'down your food': 257528, 'your food budget': 1023910, 'food budget can': 313795, 'budget can save': 141766, 'can save you': 159508, 'save you some': 737707, 'you some few': 1021301, 'some few buck': 782822, 'few buck 19': 303735, 'pet retail': 653440, 'retail official': 718341, 'making temporary': 511397, 'temporary change': 837589, 'store operation': 809290, 'and associate': 58457, 'associate the': 96899, 'pet retail official': 653441, 'retail official are': 718342, 'official are making': 595758, 'are making temporary': 88006, 'making temporary change': 511398, 'temporary change to': 837591, 'change to store': 172363, 'to store operation': 915633, 'store operation to': 809297, 'operation to help': 613281, 'safety of their': 730657, 'of their customer': 591655, 'customer and associate': 222067, 'and associate the': 58460, 'associate the pandemic': 96900, 'the pandemic continues': 862936, 'smarten': 775465, 'ok folk': 597795, 'folk this': 312273, 'simply beyond': 770188, 'beyond stupid': 129235, 'stupid why': 815499, 'police not': 663103, 'not there': 572055, 'there immediately': 878499, 'immediately to': 417163, 'to shut': 914600, 'shut that': 767936, 'that down': 843614, 'down what': 257456, 'what bunch': 981148, 'of crazy': 582120, 'crazy people': 215385, 'even go': 284123, 'aisle in': 40272, 'it smarten': 461090, 'smarten up': 775466, 'ok folk this': 597796, 'folk this is': 312276, 'this is simply': 888399, 'is simply beyond': 451928, 'simply beyond stupid': 770189, 'beyond stupid why': 129237, 'stupid why are': 815500, 'why are the': 990790, 'are the police': 90884, 'the police not': 863925, 'police not there': 663104, 'not there immediately': 572057, 'there immediately to': 878500, 'immediately to shut': 417168, 'to shut that': 914611, 'shut that down': 767937, 'that down what': 843615, 'down what bunch': 257458, 'what bunch of': 981149, 'bunch of crazy': 142621, 'of crazy people': 582121, 'crazy people will': 215388, 'people will not': 650401, 'will not even': 994215, 'not even go': 569251, 'even go down': 284124, 'go down the': 353499, 'down the aisle': 257262, 'the aisle in': 848523, 'aisle in grocery': 40275, 'store with people': 811396, 'with people down': 1000144, 'people down it': 647723, 'down it smarten': 256896, 'it smarten up': 461091, 'free school': 332135, 'school meal': 741851, 'meal guidance': 524173, 'guidance for': 368224, 'for school': 325386, 'school inc': 741828, 'inc food': 431282, 'parcel and': 641476, 'free school meal': 332137, 'school meal guidance': 741857, 'meal guidance for': 524174, 'guidance for school': 368234, 'for school inc': 325387, 'school inc food': 741829, 'inc food parcel': 431283, 'food parcel and': 315809, 'parcel and supermarket': 641479, 'and supermarket voucher': 72748, 'hoarding toilet': 399614, 'and book': 59061, 'book causing': 134492, 'causing massive': 168062, 'massive shortage': 520110, 'shortage cannot': 764873, 'cannot help': 161954, 'the sanitizer': 866348, 'book got': 134536, 'got ya': 359022, 'ya covered': 1013974, 'covered corona': 212408, 'corona coronapandemic': 203887, 'are hoarding toilet': 87213, 'hoarding toilet paper': 399615, 'sanitizer and book': 734389, 'and book causing': 59062, 'book causing massive': 134493, 'causing massive shortage': 168064, 'massive shortage cannot': 520111, 'shortage cannot help': 764874, 'cannot help you': 161959, 'help you with': 391010, 'you with the': 1022389, 'with the toilet': 1001520, 'paper or the': 640559, 'or the sanitizer': 617395, 'the sanitizer but': 866351, 'sanitizer but when': 734616, 'but when it': 147818, 'come to book': 187558, 'to book got': 901896, 'book got ya': 134537, 'got ya covered': 359023, 'ya covered corona': 1013975, 'covered corona coronapandemic': 212409, 'ribbon': 720958, 'modern': 535370, 'worker usually': 1008090, 'get 10': 346451, '10 discount': 1396, 'discount get': 244477, 'get each': 346922, 'manager to': 512814, 'to match': 909891, 'match that': 520303, 'that average': 842902, 'average 10': 104790, 'to fund': 906328, 'fund free': 341413, 'free ribbon': 332109, 'ribbon that': 720961, 'can pick': 159231, 'wear to': 974485, 'show absolute': 766845, 'absolute love': 27256, 'love for': 504664, 'these modern': 880308, 'modern hero': 535388, 'supermarket worker usually': 824109, 'worker usually get': 1008091, 'usually get 10': 951120, 'get 10 discount': 346453, '10 discount get': 1400, 'discount get each': 244478, 'get each store': 346923, 'each store manager': 264282, 'store manager to': 808895, 'manager to match': 512816, 'to match that': 909893, 'match that average': 520304, 'that average 10': 842903, 'average 10 to': 104791, '10 to fund': 1732, 'to fund free': 906330, 'fund free ribbon': 341414, 'free ribbon that': 332110, 'ribbon that customer': 720962, 'that customer can': 843419, 'customer can pick': 222227, 'can pick up': 159233, 'pick up in': 655731, 'up in store': 945182, 'in store and': 428383, 'store and wear': 806400, 'and wear to': 75355, 'wear to show': 974487, 'to show absolute': 914550, 'show absolute love': 766846, 'absolute love for': 27257, 'love for these': 504669, 'for these modern': 326973, 'these modern hero': 880309, 'really really': 702510, 'really worried': 702717, 'many little': 514236, 'little kid': 495424, 'kid will': 474167, 'will go': 993539, 'go seriously': 354093, 'seriously hungry': 751632, 'hungry due': 411238, 'only meal': 610775, 'meal some': 524279, 'some kid': 783169, 'kid get': 473964, 'get are': 346598, 'at school': 100470, 'school they': 741950, 'be seriously': 117096, 'hungry for': 411248, 'week when': 977220, 'they close': 881762, 'close especially': 182627, 'especially also': 280434, 'is denying': 447123, 'denying food': 237151, 'bank normal': 110036, 'normal stock': 567338, 'really really worried': 702516, 'really worried about': 702718, 'about how many': 25453, 'how many little': 408269, 'many little kid': 514237, 'little kid will': 495426, 'kid will go': 474168, 'will go seriously': 993556, 'go seriously hungry': 354094, 'seriously hungry due': 751634, 'hungry due to': 411239, 'to the only': 916923, 'the only meal': 862320, 'only meal some': 610776, 'meal some kid': 524281, 'some kid get': 783170, 'kid get are': 473965, 'get are at': 346599, 'are at school': 84681, 'at school they': 100473, 'school they could': 741951, 'they could be': 881816, 'could be seriously': 208919, 'be seriously hungry': 117097, 'seriously hungry for': 751635, 'hungry for week': 411249, 'for week when': 327764, 'week when they': 977226, 'when they close': 984246, 'they close especially': 881763, 'close especially also': 182628, 'especially also stockpiling': 280435, 'also stockpiling is': 48912, 'stockpiling is denying': 803998, 'is denying food': 447125, 'denying food bank': 237152, 'food bank normal': 313605, 'bank normal stock': 110037, 'some tip': 784061, '19 groceryshopping': 7295, 'groceryshopping quarantine': 366272, 'quarantine meal': 692364, 'some tip to': 784069, 'tip to help': 898930, 'help you stock': 390998, 'on food during': 600858, 'food during covid': 314319, 'covid 19 groceryshopping': 213168, '19 groceryshopping quarantine': 7296, 'groceryshopping quarantine meal': 366273, 'agree and': 38591, 'seen so': 747237, 'much kindness': 545030, 'kindness in': 475207, 'my little': 549079, 'little neighborhood': 495477, 'neighborhood here': 557126, 'here lovely': 393321, 'lovely story': 504994, 'story from': 811980, 'agree and ve': 38592, 'and ve seen': 74852, 've seen so': 953547, 'seen so much': 747240, 'so much kindness': 777789, 'much kindness in': 545031, 'kindness in my': 475208, 'in my little': 425595, 'my little neighborhood': 549081, 'little neighborhood here': 495479, 'neighborhood here lovely': 557127, 'here lovely story': 393322, 'lovely story from': 504995, 'story from my': 811985, 'appts': 83346, 'hotmessus': 405288, 'china had': 176698, 'bank disinfect': 109770, 'disinfect money': 245552, 'and gave': 63494, 'gave supermarket': 344660, 'supermarket appts': 819137, 'appts only': 83349, 'only allowing': 610064, 'allowing one': 46309, 'household to': 406970, 'shopping we': 764345, 'shut shit': 767925, 'shit down': 759091, 'down hotmessus': 256840, 'china had the': 176700, 'had the bank': 373609, 'the bank disinfect': 849235, 'bank disinfect money': 109771, 'disinfect money and': 245553, 'money and gave': 536596, 'and gave supermarket': 63497, 'gave supermarket appts': 344661, 'supermarket appts only': 819138, 'appts only allowing': 83350, 'only allowing one': 610066, 'allowing one person': 46310, 'one person per': 606865, 'per household to': 650893, 'household to the': 406973, 'to the shopping': 917060, 'the shopping we': 867078, 'shopping we can': 764347, 'we can even': 970942, 'can even get': 158252, 'even get it': 284107, 'get it together': 347432, 'it together to': 461776, 'together to shut': 921001, 'to shut shit': 914609, 'shut shit down': 767926, 'shit down hotmessus': 759092, 'let give': 486742, 'give thanks': 350727, 'those great': 892030, 'great american': 362499, 'american worker': 52320, 'wage under': 963980, 'under 10': 939954, '10 hour': 1466, 'hour they': 405991, 'they pick': 882878, 'pick process': 655680, 'process pack': 679941, 'pack ship': 633151, 'ship truck': 758728, 'truck stock': 932854, 'of maybe': 586311, 'maybe after': 521636, 'll think': 497067, 'about giving': 25307, 'giving them': 351419, 'them raise': 876203, 'let give thanks': 486746, 'give thanks to': 350728, 'thanks to those': 842270, 'to those great': 917503, 'those great american': 892031, 'great american worker': 362500, 'american worker at': 52321, 'worker at minimum': 1006469, 'at minimum wage': 99753, 'minimum wage under': 533248, 'wage under 10': 963981, 'under 10 hour': 939955, '10 hour they': 1470, 'hour they pick': 405994, 'they pick process': 882880, 'pick process pack': 655681, 'process pack ship': 679943, 'pack ship truck': 633152, 'ship truck stock': 758729, 'truck stock and': 932855, 'stock and sell': 801831, 'and sell the': 71218, 'sell the food': 748894, 'the food for': 855551, 'for the rest': 326652, 'rest of maybe': 716198, 'of maybe after': 586312, 'maybe after this': 521637, 'over we ll': 630899, 'we ll think': 972283, 'll think about': 497068, 'think about giving': 885085, 'about giving them': 25310, 'giving them raise': 351425, 'conscious': 194789, 'chairman': 171317, 'fcb': 300748, 'safety are': 730473, 'are two': 91242, 'two aspect': 936787, 'aspect that': 96223, 'decision significantly': 231085, 'significantly in': 769582, 'era people': 280074, 'more conscious': 538861, 'conscious about': 194790, 'their well': 875184, 'being group': 125205, 'group chairman': 366636, 'chairman amp': 171320, 'ceo fcb': 169698, 'fcb india': 300749, 'and safety are': 70738, 'safety are two': 730475, 'are two aspect': 91244, 'two aspect that': 936788, 'aspect that will': 96224, 'that will impact': 847584, 'impact consumer decision': 417607, 'consumer decision significantly': 197103, 'decision significantly in': 231086, 'significantly in the': 769585, 'the post covid': 864084, '19 era people': 6823, 'era people will': 280075, 'people will be': 650379, 'be more conscious': 115968, 'more conscious about': 538862, 'conscious about their': 194791, 'about their well': 26596, 'their well being': 875185, 'well being group': 978057, 'being group chairman': 125206, 'group chairman amp': 366637, 'chairman amp ceo': 171321, 'amp ceo fcb': 53512, 'ceo fcb india': 169699, 'brain nervous': 137598, 'nervous system': 557478, 'system affected': 831081, 'affected in': 34372, 'of severe': 589548, 'severe covid': 754001, 'brain nervous system': 137599, 'nervous system affected': 557479, 'system affected in': 831082, 'affected in in': 34373, 'in in case': 423998, 'in case of': 421266, 'case of severe': 165925, 'of severe covid': 589549, 'severe covid 19': 754002, 'googling': 358220, 'shake': 754401, 'combed': 187087, 'stats': 796609, 'snapshot': 776151, 'effecting': 269188, 'martech': 518077, 'is googling': 448159, 'googling new': 358223, 'to shake': 914322, 'shake hand': 754408, 'hand we': 375969, 'we combed': 971145, 'combed through': 187088, 'through sea': 894659, 'sea of': 743098, 'of stats': 590081, 'stats fact': 796614, 'and insight': 65257, 'you quick': 1020533, 'quick snapshot': 694382, 'snapshot of': 776157, 'marketing world': 517754, 'world this': 1010065, 'is effecting': 447445, 'effecting it': 269191, 'it digitalmarketing': 457557, 'digitalmarketing martech': 242778, 'world is googling': 1009700, 'is googling new': 448160, 'googling new way': 358224, 'new way to': 559857, 'way to shake': 970093, 'to shake hand': 914323, 'shake hand we': 754411, 'hand we combed': 375971, 'we combed through': 971146, 'combed through sea': 187089, 'through sea of': 894660, 'sea of stats': 743101, 'of stats fact': 590082, 'stats fact and': 796615, 'fact and insight': 295676, 'and insight to': 65261, 'insight to give': 439647, 'to give you': 906729, 'give you quick': 350864, 'you quick snapshot': 1020534, 'quick snapshot of': 694383, 'snapshot of the': 776163, 'of the marketing': 591223, 'the marketing world': 860191, 'marketing world this': 517755, 'world this week': 1010067, 'week and how': 975916, 'and how is': 64819, 'how is effecting': 408092, 'is effecting it': 447446, 'effecting it digitalmarketing': 269192, 'it digitalmarketing martech': 457558, 'swiss': 830443, 'syngenta': 831001, 'monthey': 538154, 'to urgent': 917992, 'appeal by': 82056, 'by swiss': 154190, 'swiss authority': 830446, 'authority syngenta': 103788, 'syngenta is': 831002, 'is joining': 449102, 'joining force': 466967, 'force corp': 328366, 'corp to': 207219, 'it monthey': 459659, 'monthey site': 538155, 'hospital pharmacy': 404560, 'response to urgent': 715892, 'to urgent appeal': 917993, 'urgent appeal by': 948322, 'appeal by swiss': 82057, 'by swiss authority': 154191, 'swiss authority syngenta': 830448, 'authority syngenta is': 103789, 'syngenta is joining': 831003, 'is joining force': 449103, 'joining force corp': 466968, 'force corp to': 328367, 'corp to make': 207220, 'handsanitizer at it': 376483, 'at it monthey': 99331, 'it monthey site': 459660, 'monthey site for': 538156, 'site for use': 771923, 'use in hospital': 949276, 'in hospital pharmacy': 423814, 'releasethesnydercut': 709112, 'batmanvsuperman': 112706, 'feel going': 302641, 'get supply': 348149, 'now releasethesnydercut': 575669, 'releasethesnydercut batmanvsuperman': 709113, 'how it feel': 408129, 'it feel going': 457970, 'feel going to': 302642, 'to get supply': 906608, 'get supply for': 348156, 'supply for the': 825280, 'for the right': 326659, 'the right now': 865815, 'right now releasethesnydercut': 722124, 'now releasethesnydercut batmanvsuperman': 575670, 'yamah': 1014116, 'kezily': 473622, '52': 20242, 'flee': 310282, 'midnight': 530738, 'be better': 113835, 'better for': 128286, 'kill than': 474503, 'than for': 840668, 'for hunger': 322452, 'hunger said': 411183, 'said mother': 731239, 'four yamah': 330707, 'yamah kezily': 1014119, 'kezily 52': 473623, '52 of': 20253, 'of west': 593029, 'west point': 980528, 'point who': 662712, 'who trade': 989815, 'trade at': 928417, 'downtown market': 257753, 'market people': 516838, 'and flee': 62963, 'flee at': 310285, 'at midnight': 99737, 'would be better': 1011558, 'be better for': 113837, 'better for virus': 128290, 'for virus to': 327581, 'virus to kill': 958923, 'to kill than': 908942, 'kill than for': 474504, 'than for hunger': 840670, 'for hunger said': 322453, 'hunger said mother': 411184, 'said mother of': 731240, 'mother of four': 543145, 'of four yamah': 583888, 'four yamah kezily': 330708, 'yamah kezily 52': 1014120, 'kezily 52 of': 473624, '52 of west': 20254, 'of west point': 593035, 'west point who': 980529, 'point who trade': 662714, 'who trade at': 989816, 'trade at the': 928418, 'at the downtown': 100930, 'the downtown market': 853636, 'downtown market people': 257754, 'market people stock': 516839, 'food and flee': 313234, 'and flee at': 62964, 'flee at midnight': 310286, 'then let': 877308, 'let the': 487116, 'hospital take': 404666, 'take four': 832137, 'four day': 330596, 'day holiday': 227758, 'holiday you': 400392, 'you die': 1018217, 'die faster': 241329, 'faster from': 300100, 'from lack': 336187, 'food than': 317073, 'no acceptable': 563574, 'acceptable excuse': 28014, 'for pulling': 324856, 'pulling anyone': 688929, 'anyone offline': 80440, 'offline when': 596060, 'supply structure': 825913, 'structure is': 814305, 'already stressed': 47687, 'stressed long': 813448, 'is demand': 447109, 'then let the': 877310, 'let the hospital': 487129, 'the hospital take': 857537, 'hospital take four': 404667, 'take four day': 832138, 'four day holiday': 330598, 'day holiday you': 227759, 'holiday you die': 400393, 'you die faster': 1018218, 'die faster from': 241330, 'faster from lack': 300101, 'from lack of': 336188, 'of food than': 583792, 'food than from': 317076, 'is no acceptable': 449909, 'no acceptable excuse': 563575, 'acceptable excuse for': 28015, 'excuse for pulling': 289745, 'for pulling anyone': 324857, 'pulling anyone offline': 688930, 'anyone offline when': 80441, 'offline when the': 596061, 'when the supply': 984203, 'the supply structure': 868961, 'supply structure is': 825914, 'structure is already': 814306, 'is already stressed': 445538, 'already stressed long': 47688, 'stressed long there': 813449, 'long there is': 501737, 'there is demand': 878546, 'is demand they': 447115, 'demand they should': 236378, 'produced': 680501, 'our friend': 623177, 'at have': 98859, 'have produced': 382057, 'produced new': 680527, 'consumer check': 196786, 'major trend': 509519, 'commerce and': 188511, 'our friend at': 623181, 'friend at have': 333529, 'at have produced': 98862, 'have produced new': 382058, 'produced new report': 680528, 'new report on': 559450, 'report on covid': 712143, 'the consumer check': 851509, 'consumer check out': 196787, 'out the major': 627389, 'the major trend': 859939, 'major trend in': 509520, 'trend in commerce': 931362, 'in commerce and': 421594, 'commerce and what': 188517, 'mean for you': 524455, 'minimize': 533099, 'dignity': 242828, 'to minimize': 910157, 'minimize the': 533123, '19 now': 8849, 'now offer': 575393, 'pantry service': 639660, 'service supporting': 752887, 'supporting organization': 827162, 'organization like': 619395, 'these that': 880805, 'provide both': 686238, 'both food': 135906, 'and dignity': 61358, 'dignity to': 242837, 'community is': 189929, 'is crucial': 446956, 'to minimize the': 910169, 'minimize the spread': 533131, 'covid 19 now': 213490, '19 now offer': 8857, 'now offer online': 575394, 'shopping for food': 762675, 'for food pantry': 321611, 'food pantry service': 315795, 'pantry service supporting': 639662, 'service supporting organization': 752888, 'supporting organization like': 827163, 'organization like these': 619398, 'like these that': 491439, 'these that provide': 880807, 'that provide both': 845883, 'provide both food': 686239, 'both food and': 135907, 'food and dignity': 313211, 'and dignity to': 61359, 'dignity to our': 242838, 'to our community': 911163, 'our community is': 622465, 'community is crucial': 189931, 'command': 188320, 'much would': 545482, 'long would': 501866, 'take for': 832127, 'supermarket essential': 820198, 'to install': 908415, 'install and': 439983, 'and implement': 65018, 'implement disinfectant': 418381, 'spray shower': 790329, 'shower at': 767363, 'at each': 98498, 'each entrance': 264070, 'entrance door': 278872, 'please executive': 659973, 'executive command': 289868, 'command this': 188327, 'this into': 888151, 'law immediately': 482310, 'how much would': 408387, 'much would it': 545483, 'would it cost': 1011965, 'it cost and': 457345, 'cost and how': 207857, 'how long would': 408218, 'long would it': 501867, 'would it take': 1011968, 'it take for': 461423, 'take for every': 832130, 'for every single': 321176, 'every single supermarket': 286193, 'single supermarket essential': 771409, 'supermarket essential store': 820202, 'essential store to': 281597, 'store to install': 810780, 'to install and': 908416, 'install and implement': 439984, 'and implement disinfectant': 65020, 'implement disinfectant spray': 418382, 'disinfectant spray shower': 245759, 'spray shower at': 790330, 'shower at each': 767364, 'at each entrance': 98499, 'each entrance door': 264071, 'entrance door to': 278873, 'spread of please': 790700, 'of please executive': 588169, 'please executive command': 659974, 'executive command this': 289869, 'command this into': 188328, 'this into law': 888152, 'into law immediately': 442692, 'breast': 139131, 'cabbage': 154940, 'bought turkey': 136770, 'turkey breast': 935543, 'breast the': 139144, 'other day': 620072, 'day at': 227326, 'today thought': 920344, 'thought go': 893058, 'go get': 353602, 'get cabbage': 346732, 'cabbage and': 154941, 'and sweet': 72928, 'sweet potato': 830243, 'potato wth': 667005, 'wth how': 1013366, 'can north': 159039, 'carolina grocery': 164840, 'store not': 809099, 'have sweet': 382880, 'potato better': 666916, 'better see': 128456, 'some post': 783607, 'post of': 666222, 'of amazing': 580022, 'amazing meal': 50741, 'bought turkey breast': 136771, 'turkey breast the': 935544, 'breast the other': 139145, 'the other day': 862520, 'other day at': 620074, 'day at the': 227337, 'the store today': 868128, 'store today thought': 810874, 'today thought go': 920345, 'thought go get': 893059, 'go get cabbage': 353603, 'get cabbage and': 346733, 'cabbage and sweet': 154942, 'and sweet potato': 72929, 'sweet potato wth': 830249, 'potato wth how': 667006, 'wth how can': 1013367, 'how can north': 407506, 'can north carolina': 159040, 'north carolina grocery': 567632, 'carolina grocery store': 164841, 'grocery store not': 365596, 'store not have': 809107, 'not have sweet': 569875, 'have sweet potato': 382881, 'sweet potato better': 830245, 'potato better see': 666917, 'better see some': 128458, 'see some post': 745720, 'some post of': 783608, 'post of amazing': 666223, 'of amazing meal': 580024, 'tom': 923903, 'coburn': 185177, 'letter covid': 487304, '19 what': 11996, 'would dr': 1011776, 'dr tom': 258114, 'tom coburn': 923912, 'coburn do': 185178, 'do hey': 249397, 'hey congress': 394352, 'congress end': 194501, 'end secret': 275954, 'secret health': 743920, 'care price': 164154, 'covid and': 214123, 'letter covid 19': 487305, 'covid 19 what': 214061, '19 what would': 12007, 'what would dr': 982642, 'would dr tom': 1011777, 'dr tom coburn': 258115, 'tom coburn do': 923913, 'coburn do hey': 185179, 'do hey congress': 249398, 'hey congress end': 394353, 'congress end secret': 194502, 'end secret health': 275955, 'secret health care': 743921, 'health care price': 386244, 'care price for': 164155, 'price for covid': 673943, 'for covid and': 320432, 'covid and beyond': 214124, 'coordinate': 203180, 'spokesman': 789772, 'russia is': 728503, 'to coordinate': 903498, 'coordinate with': 203189, 'exporter to': 292759, 'help stabilize': 390557, 'stabilize the': 791861, 'oil market': 596936, 'market according': 515907, 'to spokesman': 915030, 'spokesman following': 789775, 'following dramatic': 312723, 'dramatic fall': 258288, 'amid price': 52600, 'and plunging': 69133, 'plunging demand': 661526, 'pandemic oott': 636111, 'russia is ready': 728504, 'ready to coordinate': 700947, 'to coordinate with': 903502, 'coordinate with other': 203190, 'with other oil': 999957, 'other oil exporter': 620597, 'oil exporter to': 596780, 'exporter to help': 292760, 'to help stabilize': 907633, 'help stabilize the': 390559, 'stabilize the global': 791862, 'the global oil': 856313, 'global oil market': 352049, 'oil market according': 596937, 'market according to': 515908, 'according to spokesman': 28588, 'to spokesman following': 915031, 'spokesman following dramatic': 789776, 'following dramatic fall': 312724, 'dramatic fall in': 258289, 'fall in price': 296961, 'in price amid': 426947, 'price amid price': 672316, 'amid price war': 52602, 'price war and': 677350, 'war and plunging': 966362, 'and plunging demand': 69134, 'plunging demand due': 661528, 'the pandemic oott': 863042, 'getting ready': 349215, 'getting ready to': 349217, 'respectfully': 715132, 'continuation': 200976, 'dontb': 255326, 'employee respectfully': 274146, 'respectfully request': 715135, 'to testing': 916400, 'testing of': 839580, 'of asap': 580384, 'asap and': 94857, 'the continuation': 851664, 'continuation of': 200977, 'that access': 842479, 'access until': 28300, 'until vaccine': 943914, 'available dontb': 104327, 'store employee respectfully': 807526, 'employee respectfully request': 274147, 'respectfully request that': 715136, 'request that employee': 713199, 'that employee truck': 843701, 'driver and manager': 259417, 'manager of grocery': 512760, 'store have access': 808065, 'access to testing': 28287, 'to testing of': 916405, 'testing of asap': 839581, 'of asap and': 580385, 'asap and for': 94859, 'and for the': 63161, 'for the continuation': 326357, 'the continuation of': 851665, 'continuation of that': 200978, 'of that access': 590707, 'that access until': 842481, 'access until vaccine': 28301, 'until vaccine is': 943916, 'is available dontb': 445913, '200ml': 13734, 'coronastopkarona': 205277, 'of sanitisers': 589283, 'sanitisers and': 734057, 'increasing day': 433574, 'day by': 227416, 'by day': 152299, 'country due': 210591, 'to outbreak': 911265, 'government decided': 360008, 'decided that': 230881, 'that 200ml': 842449, '200ml sanitisers': 13743, 'sanitisers cannot': 734073, 'sold for': 781662, '100 coronastopkarona': 1870, 'price of sanitisers': 675562, 'of sanitisers and': 589284, 'sanitisers and mask': 734062, 'and mask are': 66743, 'mask are increasing': 518399, 'are increasing day': 87479, 'increasing day by': 433575, 'day by day': 227418, 'by day in': 152301, 'day in our': 227805, 'in our country': 426274, 'our country due': 622586, 'country due to': 210592, 'due to outbreak': 261892, 'to outbreak the': 911270, 'outbreak the government': 628711, 'the government decided': 856521, 'government decided that': 360009, 'decided that 200ml': 230882, 'that 200ml sanitisers': 842450, '200ml sanitisers cannot': 13744, 'sanitisers cannot be': 734074, 'cannot be sold': 161647, 'be sold for': 117282, 'sold for more': 781671, 'than 100 coronastopkarona': 840157, '210': 15042, 'stib': 800017, '37': 18062, '210 00': 15043, '00 testing': 511, 'kit for': 475540, 'for nursing': 323995, 'home stib': 402142, 'stib report': 800018, 'report rise': 712224, 'in non': 425922, 'essential travel': 281718, 'travel you': 930578, 'put your': 690986, 'your recycling': 1025535, 'recycling out': 705549, 'out again': 625584, 'again property': 37130, 'in 37': 419918, '37 year': 18090, '210 00 testing': 15044, '00 testing kit': 512, 'testing kit for': 839539, 'kit for nursing': 475546, 'for nursing home': 323996, 'nursing home stib': 577620, 'home stib report': 402143, 'stib report rise': 800019, 'report rise in': 712225, 'rise in non': 722891, 'in non essential': 425923, 'non essential travel': 566369, 'essential travel you': 281728, 'travel you can': 930579, 'you can put': 1017757, 'can put your': 159354, 'put your recycling': 690994, 'your recycling out': 1025536, 'recycling out again': 705550, 'out again property': 625585, 'again property price': 37131, 'property price to': 684342, 'price to fall': 676991, 'to fall for': 905632, 'fall for first': 296911, 'time in 37': 896975, 'in 37 year': 419919, 'legitimately': 486061, 'bekindtoeachother': 126123, 'driver welcome': 259842, 'welcome to': 977899, 'club you': 184504, 'may now': 521396, 'now legitimately': 575194, 'legitimately exchange': 486062, 'exchange wave': 289493, 'wave with': 969398, 'the peep': 863433, 'peep within': 646300, 'within other': 1002401, 'other passing': 620647, 'passing emergency': 643374, 'service vehicle': 753035, 'vehicle bekindtoeachother': 954254, 'delivery driver welcome': 233953, 'driver welcome to': 259843, 'welcome to the': 977908, 'to the club': 916570, 'the club you': 851085, 'club you may': 184505, 'you may now': 1019807, 'may now legitimately': 521397, 'now legitimately exchange': 575195, 'legitimately exchange wave': 486063, 'exchange wave with': 289494, 'wave with the': 969399, 'with the peep': 1001424, 'the peep within': 863434, 'peep within other': 646301, 'within other passing': 1002402, 'other passing emergency': 620648, 'passing emergency service': 643375, 'emergency service vehicle': 272971, 'service vehicle bekindtoeachother': 753036, 'trumpviruscoverup': 934205, 'votebluetosaveamerica': 960542, 'voteblue2020': 960536, 'all full': 42893, 'of shit': 589597, 'shit toiletpaper': 759270, 'toiletpaper trumpviruscoverup': 922775, 'trumpviruscoverup trumpvirus': 934212, 'trumpvirus votebluetosaveamerica': 934200, 'votebluetosaveamerica sundaythoughts': 960543, 'sundaythoughts voteblue2020': 818358, 'maybe it because': 521720, 'it because they': 456762, 'because they re': 119715, 'they re all': 882990, 're all full': 698216, 'all full of': 42895, 'full of shit': 340755, 'of shit toiletpaper': 589605, 'shit toiletpaper trumpviruscoverup': 759271, 'toiletpaper trumpviruscoverup trumpvirus': 922776, 'trumpviruscoverup trumpvirus votebluetosaveamerica': 934213, 'trumpvirus votebluetosaveamerica sundaythoughts': 934201, 'votebluetosaveamerica sundaythoughts voteblue2020': 960544, 'hammerkopf': 374591, 'expect drastic': 290634, 'drastic change': 258395, 'behavior even': 124025, 'post crisis': 666081, 'world hammerkopf': 1009617, 'hammerkopf by': 374592, 'expect drastic change': 290635, 'drastic change in': 258396, 'consumer behavior even': 196472, 'behavior even in': 124027, 'even in post': 284245, 'in post crisis': 426861, 'post crisis world': 666084, 'crisis world hammerkopf': 218439, 'world hammerkopf by': 1009618, 'online stock': 609436, 'of face': 583356, 'in usa': 430482, 'usa regular': 948736, 'regular price': 707835, 'price piece': 675873, 'piece made': 656322, 'made in': 507786, 'in retweet': 427482, 'retweet limited': 720059, 'limited value': 492788, 'value with': 952249, 'with every': 998271, 'every purchase': 286129, 'online stock of': 609437, 'stock of face': 802522, 'of face mask': 583359, 'mask in usa': 518841, 'in usa regular': 430494, 'usa regular price': 948737, 'regular price piece': 707843, 'price piece made': 675874, 'piece made in': 656324, 'made in retweet': 507793, 'in retweet limited': 427483, 'retweet limited value': 720060, 'limited value with': 492789, 'value with every': 952250, 'with every purchase': 998278, 'spiv': 789621, 'reselling': 713987, 'desperately': 238565, 'coronacrisis profiteering': 204715, 'profiteering spiv': 683093, 'spiv what': 789626, 'government going': 360126, 'these spiv': 880713, 'spiv who': 789628, 'who profit': 989454, 'profit on': 682826, 'on ebay': 600484, 'ebay etc': 266449, 'etc emptying': 282512, 'and reselling': 70299, 'reselling basic': 713988, 'who desperately': 988574, 'desperately need': 238570, 'coronacrisis profiteering spiv': 204716, 'profiteering spiv what': 683094, 'spiv what is': 789627, 'is the government': 452810, 'the government going': 856542, 'government going to': 360127, 'do with these': 250572, 'with these spiv': 1001659, 'these spiv who': 880715, 'spiv who profit': 789629, 'who profit on': 989456, 'profit on ebay': 682828, 'on ebay etc': 600490, 'ebay etc emptying': 266450, 'etc emptying supermarket': 282513, 'shelf and reselling': 756757, 'and reselling basic': 70300, 'reselling basic item': 713989, 'basic item at': 111959, 'item at exorbitant': 463123, 'at exorbitant price': 98590, 'exorbitant price to': 290424, 'price to vulnerable': 677061, 'vulnerable and essential': 960858, 'and essential people': 62257, 'essential people who': 281381, 'people who desperately': 650283, 'who desperately need': 988575, 'desperately need them': 238573, 'staycalm': 797831, 'carefulness': 164488, 'carelessness': 164538, 'feel young': 302945, 'again nothing': 37088, 'nothing stay': 573162, 'stay forever': 796877, 'forever or': 329133, 'or stay': 617206, 'stay the': 797343, 'same oil': 733184, 'hit 18': 398091, 'low some': 505632, 'some interesting': 783130, 'interesting stock': 441616, 'stock near': 802487, 'near multi': 553552, 'multi year': 545678, 'low staycalm': 505641, 'staycalm nothing': 797832, 'nothing last': 573076, 'last forever': 480235, 'forever we': 329155, 'will win': 995348, 'win fight': 995548, 'against carefulness': 37356, 'carefulness cost': 164489, 'cost you': 208165, 'you nothing': 1020138, 'nothing carelessness': 572972, 'carelessness may': 164539, 'may cost': 521105, 'life staysafe': 489061, 'feel young again': 302946, 'young again nothing': 1022559, 'again nothing stay': 37089, 'nothing stay forever': 573163, 'stay forever or': 796878, 'forever or stay': 329135, 'or stay the': 617210, 'stay the same': 797346, 'the same oil': 866267, 'same oil price': 733185, 'oil price hit': 597160, 'price hit 18': 674556, 'hit 18 year': 398092, 'year low some': 1014733, 'low some interesting': 505634, 'some interesting stock': 783133, 'interesting stock near': 441617, 'stock near multi': 802488, 'near multi year': 553553, 'multi year low': 545679, 'year low staycalm': 1014734, 'low staycalm nothing': 505642, 'staycalm nothing last': 797833, 'nothing last forever': 573077, 'last forever we': 480237, 'forever we will': 329156, 'we will win': 973920, 'will win fight': 995350, 'win fight against': 995549, 'fight against carefulness': 304610, 'against carefulness cost': 37357, 'carefulness cost you': 164490, 'cost you nothing': 208170, 'you nothing carelessness': 1020139, 'nothing carelessness may': 572973, 'carelessness may cost': 164540, 'may cost you': 521107, 'cost you your': 208175, 'you your life': 1022499, 'your life staysafe': 1024644, 'pollution': 663894, 'rudy': 727069, 'giuliani': 350344, 'disappear': 244028, 'heelcomic': 388775, 'comedian': 187717, 'positive side': 665428, 'side effect': 768806, '19 reduction': 10023, 'in traffic': 430260, 'traffic reduction': 929126, 'in gas': 423221, 'price reduction': 676133, 'in pollution': 426828, 'pollution made': 663906, 'made rudy': 507945, 'rudy giuliani': 727070, 'giuliani disappear': 350345, 'disappear 19': 244029, '19 cornavirusoutbreak': 6045, 'cornavirusoutbreak pandemic': 203615, 'pandemic heelcomic': 635610, 'heelcomic comedy': 388776, 'comedy comedian': 187736, 'comedian laugh': 187724, 'positive side effect': 665429, 'side effect to': 768810, 'effect to covid': 269143, 'covid 19 reduction': 213673, '19 reduction in': 10024, 'reduction in traffic': 706372, 'in traffic reduction': 430262, 'traffic reduction in': 929127, 'reduction in gas': 706365, 'in gas price': 423223, 'gas price reduction': 344016, 'price reduction in': 676134, 'reduction in pollution': 706368, 'in pollution made': 426830, 'pollution made rudy': 663907, 'made rudy giuliani': 507946, 'rudy giuliani disappear': 727071, 'giuliani disappear 19': 350346, 'disappear 19 cornavirusoutbreak': 244030, '19 cornavirusoutbreak pandemic': 6046, 'cornavirusoutbreak pandemic heelcomic': 203616, 'pandemic heelcomic comedy': 635611, 'heelcomic comedy comedian': 388777, 'comedy comedian laugh': 187738, 'steady': 799112, 'underway': 940964, 'and around': 58395, 'about foodsupply': 25271, 'foodsupply in': 318206, 'coronacrisis but': 204534, 'but domestic': 145584, 'domestic supply': 253234, 'currently steady': 221677, 'steady plan': 799136, 'keep it': 471604, 'way are': 969469, 'are underway': 91304, 'underway in': 940965, 'of increased': 585076, 'demand interesting': 235704, 'interesting read': 441600, 'many people in': 514512, 'the and around': 848682, 'and around the': 58399, 'world are worried': 1009329, 'worried about foodsupply': 1010490, 'about foodsupply in': 25272, 'foodsupply in the': 318207, 'of the coronacrisis': 590896, 'the coronacrisis but': 851777, 'coronacrisis but domestic': 204535, 'but domestic supply': 145585, 'domestic supply is': 253236, 'supply is currently': 825437, 'is currently steady': 447004, 'currently steady plan': 221678, 'steady plan to': 799137, 'plan to keep': 658299, 'to keep it': 908806, 'keep it that': 471623, 'it that way': 461503, 'that way are': 847339, 'way are underway': 969471, 'are underway in': 91305, 'underway in light': 940969, 'light of increased': 489556, 'of increased demand': 585077, 'increased demand interesting': 433276, 'demand interesting read': 235705, 'fitted': 309539, 'sterilize': 799859, 'askgovwhitmer': 95921, 'can impose': 158732, 'impose retail': 419260, 'store regulation': 809787, 'regulation more': 708079, 'more specifically': 540433, 'specifically grocery': 788283, 'their essential': 873173, 'employee fitted': 273851, 'fitted with': 309542, 'with glove': 998621, 'and sterilize': 72348, 'sterilize their': 799862, 'their steel': 874820, 'steel cart': 799317, 'cart on': 165344, 'which covid': 985789, 'remains alive': 709991, 'alive for': 41817, 'for up': 327458, 'to day': 903949, 'day askgovwhitmer': 227323, 'can impose retail': 158733, 'impose retail store': 419261, 'retail store regulation': 718690, 'store regulation more': 809788, 'regulation more specifically': 708080, 'more specifically grocery': 540434, 'specifically grocery store': 788284, 'store to have': 810775, 'to have their': 907323, 'have their essential': 383049, 'their essential employee': 873174, 'essential employee fitted': 281001, 'employee fitted with': 273852, 'fitted with glove': 309543, 'with glove and': 998622, 'glove and face': 352558, 'mask and sterilize': 518373, 'and sterilize their': 72349, 'sterilize their steel': 799863, 'their steel cart': 874821, 'steel cart on': 799318, 'cart on which': 165345, 'on which covid': 605278, 'which covid 19': 985790, '19 remains alive': 10091, 'remains alive for': 709992, 'alive for up': 41818, 'for up to': 327460, 'up to day': 946368, 'to day askgovwhitmer': 903950, 'many state': 514723, 'state like': 795736, 'like assam': 489835, 'assam do': 96295, 'financial resource': 306556, 'for three': 327172, 'week no': 976563, 'one ha': 606384, 'ha stock': 372065, 'stock or': 802581, 'or preparation': 616673, 'preparation for': 670032, 'up it': 945235, 'difficult for': 242219, 'many state like': 514725, 'state like assam': 795737, 'like assam do': 489836, 'assam do not': 96296, 'have the financial': 382984, 'the financial resource': 855224, 'financial resource to': 306558, 'resource to tackle': 714915, 'tackle the lockdown': 831609, 'lockdown for three': 499401, 'for three week': 327177, 'three week no': 894112, 'week no one': 976568, 'no one ha': 564937, 'one ha stock': 606392, 'ha stock or': 372067, 'stock or preparation': 802590, 'or preparation for': 616674, 'preparation for 21': 670033, '21 day price': 14996, 'day price too': 228248, 'price too are': 677085, 'too are going': 924588, 'going up it': 355787, 'up it will': 945251, 'will be difficult': 992427, 'be difficult for': 114457, 'difficult for to': 242233, 'for to manage': 327226, 'choosing': 177937, 'masked': 519613, 'entire grocery': 278681, 'add do': 31422, 'not treat': 572265, 'people choosing': 647464, 'choosing to': 177942, 'mask though': 519380, 'doing something': 252674, 'something wrong': 785153, 'wrong or': 1013071, 'or though': 617441, 'though you': 892948, 'fear them': 301387, 'them many': 876006, 'many masked': 514267, 'masked know': 519618, 'best practice': 127840, 'practice for': 668560, 'thank you and': 841689, 'you and thanks': 1017008, 'the entire grocery': 854357, 'entire grocery industry': 278682, 'grocery industry like': 364628, 'industry like to': 435968, 'like to add': 491571, 'to add do': 900055, 'add do not': 31423, 'do not treat': 249874, 'not treat people': 572267, 'treat people choosing': 930871, 'people choosing to': 647465, 'choosing to wear': 177946, 'wear mask though': 974407, 'mask though they': 519382, 're doing something': 698547, 'doing something wrong': 252676, 'something wrong or': 785154, 'wrong or though': 1013072, 'or though you': 617442, 'though you need': 892949, 'need to fear': 555931, 'to fear them': 905702, 'fear them many': 301388, 'them many masked': 876007, 'many masked know': 514269, 'masked know the': 519619, 'know the best': 476811, 'the best practice': 849542, 'best practice for': 127844, 'practice for them': 668571, 'costar': 208186, 'newer': 560047, 'estate market': 282146, 'market new': 516752, 'by costar': 152240, 'costar found': 208187, 'found la': 330271, 'la rental': 478206, 'particularly for': 642679, 'for newer': 323845, 'newer apartment': 560048, 'apartment appear': 81389, 'way down': 969556, 'down are': 256530, 'you renter': 1020904, 'renter anyone': 711297, 'experiencing the': 291708, 'drop reach': 260378, 'me please': 523337, 'the real estate': 865221, 'real estate market': 701155, 'estate market new': 282153, 'market new report': 516753, 'new report by': 559444, 'report by costar': 711844, 'by costar found': 152241, 'costar found la': 208188, 'found la rental': 330272, 'la rental price': 478207, 'rental price particularly': 711268, 'price particularly for': 675836, 'particularly for newer': 642682, 'for newer apartment': 323846, 'newer apartment appear': 560049, 'apartment appear to': 81390, 'appear to be': 82123, 'to be on': 901420, 'the way down': 871150, 'way down are': 969558, 'down are you': 256532, 'are you renter': 91844, 'you renter anyone': 1020906, 'renter anyone experiencing': 711298, 'anyone experiencing the': 80318, 'experiencing the drop': 291709, 'the drop reach': 853712, 'drop reach out': 260379, 'out to me': 627663, 'to me please': 909948, 'plexiglas': 661027, 'far no': 298863, 'one from': 606325, 'our head': 623360, 'office seems': 595537, 'have jumped': 381189, 'jumped at': 467921, 'the chance': 850658, 'chance to': 171791, 'stand on': 793559, 'on cash': 599841, 'for shift': 325543, 'shift with': 758467, 'or plexiglas': 616630, 'plexiglas way': 661045, 'so far no': 777044, 'far no one': 298865, 'no one from': 564933, 'one from our': 606328, 'from our head': 336777, 'our head office': 623362, 'head office seems': 385789, 'office seems to': 595538, 'seems to have': 746880, 'to have jumped': 907262, 'have jumped at': 381191, 'jumped at the': 467922, 'at the chance': 100906, 'the chance to': 850663, 'chance to stand': 171819, 'to stand on': 915160, 'stand on cash': 793560, 'on cash for': 599842, 'cash for shift': 166237, 'for shift with': 325546, 'shift with no': 758468, 'with no mask': 999765, 'no mask or': 564712, 'mask or plexiglas': 519074, 'or plexiglas way': 616631, 'plexiglas way to': 661046, 'to go grocery': 906802, 'go grocery store': 353627, 'escaping': 280327, 'shoe': 759649, 'to should': 914535, 'an education': 55607, 'how have': 407968, 'survive without': 829298, 'amp water': 54806, 'water whilst': 969258, 'whilst escaping': 987631, 'escaping war': 280330, 'war we': 966592, 'so quick': 778099, 'quick to': 694408, 'to judge': 908699, 'judge them': 467639, 'not very': 572387, 'good at': 356785, 'at being': 98118, 'their shoe': 874698, 'due to should': 261948, 'to should be': 914536, 'should be an': 765552, 'be an education': 113599, 'an education on': 55608, 'on how have': 601402, 'how have to': 407975, 'have to survive': 383314, 'to survive without': 916056, 'survive without food': 829300, 'without food amp': 1002652, 'food amp water': 313154, 'amp water whilst': 54815, 'water whilst escaping': 969259, 'whilst escaping war': 987632, 'escaping war we': 280331, 'war we are': 966593, 'are so quick': 90214, 'so quick to': 778101, 'quick to judge': 694411, 'to judge them': 908702, 'judge them but': 467640, 'them but not': 875498, 'but not very': 146579, 'not very good': 572389, 'very good at': 955185, 'good at being': 356787, 'at being in': 98119, 'being in their': 125308, 'in their shoe': 429775, 'overwhelming': 631735, 'the6ix': 872232, 'facing overwhelming': 295556, 'overwhelming demand': 631738, 'chain warn': 171220, 'delivery delay': 233853, 'delay via': 232757, 'via canada': 955845, 'canada ontario': 160516, 'ontario toronto': 611633, 'toronto the6ix': 926001, 'the6ix stayathome': 872235, 'facing overwhelming demand': 295557, 'overwhelming demand grocery': 631743, 'demand grocery chain': 235589, 'grocery chain warn': 364371, 'chain warn of': 171221, 'warn of food': 966943, 'food delivery delay': 314117, 'delivery delay via': 233858, 'delay via canada': 232758, 'via canada ontario': 955846, 'canada ontario toronto': 160518, 'ontario toronto the6ix': 611634, 'toronto the6ix stayathome': 926002, 'jason': 464839, 'skypes': 773274, 'unnecessarily': 942843, 'stageit': 793235, 'on jason': 601727, 'jason offer': 464858, 'offer skypes': 594793, 'skypes for': 773275, '100 care': 1853, 'care package': 164134, 'for 200': 318738, '200 but': 13458, 'cannot because': 161658, 'because where': 119833, 'live food': 495813, 'really hard': 702259, 'get due': 346918, 'buyer cannot': 149602, 'cannot risk': 162068, 'risk spending': 723893, 'spending unnecessarily': 789035, 'unnecessarily if': 942860, 'it go': 458254, 'go tip': 354263, 'on stageit': 603627, 'stageit now': 793236, 'get call': 346736, 'that it covid': 844701, '19 it on': 8146, 'it on jason': 460046, 'on jason offer': 601729, 'jason offer skypes': 464859, 'offer skypes for': 594794, 'skypes for 100': 773276, 'for 100 care': 318626, '100 care package': 1854, 'care package for': 164136, 'package for 200': 633273, 'for 200 but': 318739, '200 but cannot': 13459, 'but cannot because': 145379, 'cannot because where': 161662, 'because where live': 119834, 'where live food': 984985, 'live food is': 495814, 'food is really': 315146, 'is really hard': 451302, 'really hard to': 702262, 'hard to get': 378066, 'to get due': 906466, 'get due to': 346919, 'to panic buyer': 911389, 'panic buyer cannot': 637560, 'buyer cannot risk': 149603, 'cannot risk spending': 162069, 'risk spending unnecessarily': 723894, 'spending unnecessarily if': 789036, 'unnecessarily if you': 942861, 'you can afford': 1017615, 'afford it go': 34713, 'it go tip': 458267, 'go tip on': 354264, 'tip on stageit': 898862, 'on stageit now': 603628, 'stageit now get': 793237, 'now get call': 574770, 'get call from': 346738, 'blink': 132714, 'geared': 345011, 'quota': 694971, 'oil rising': 597402, 'rising little': 723243, 'little after': 495227, 'after russia': 36135, 'russia signal': 728569, 'signal it': 769302, 'see price': 745596, 'little higher': 495386, 'higher did': 395578, 'they blink': 881567, 'blink saudi': 132715, 'saudi haven': 737269, 'haven answered': 383740, 'answered yet': 78195, 'is look': 449438, 'new round': 559515, 'round of': 726340, 'of talk': 590586, 'talk geared': 833796, 'geared at': 345012, 'at quota': 100234, 'quota cut': 694972, 'cut wait': 223625, 'wait and': 964072, 'see on': 745497, 'one economy': 606224, 'economy figure': 267868, 'figure strongly': 305236, 'strongly amidst': 814216, '19 shutdown': 10518, 'oil rising little': 597403, 'rising little after': 723244, 'little after russia': 495228, 'after russia signal': 36136, 'russia signal it': 728570, 'signal it would': 769303, 'it would like': 462599, 'to see price': 914060, 'see price little': 745603, 'price little higher': 675076, 'little higher did': 495387, 'higher did they': 395579, 'did they blink': 240866, 'they blink saudi': 881568, 'blink saudi haven': 132716, 'saudi haven answered': 737270, 'haven answered yet': 383741, 'answered yet but': 78196, 'yet but my': 1016022, 'but my guess': 146431, 'guess is look': 367992, 'is look for': 449441, 'look for new': 502365, 'for new round': 323831, 'new round of': 559516, 'round of talk': 726347, 'of talk geared': 590588, 'talk geared at': 833797, 'geared at quota': 345013, 'at quota cut': 100235, 'quota cut wait': 694973, 'cut wait and': 223626, 'wait and see': 964075, 'and see on': 71140, 'see on this': 745500, 'on this one': 604624, 'this one economy': 889235, 'one economy figure': 606225, 'economy figure strongly': 267869, 'figure strongly amidst': 305237, 'strongly amidst covid': 814217, 'covid 19 shutdown': 213796, 'reminds': 710642, 'birdbox': 131359, 'after day': 35535, 'home went': 402473, 'went out': 979080, 'out just': 626461, 'just now': 469343, 'grocery road': 364910, 'road parking': 724489, 'parking and': 642058, 'supermarket were': 823783, 'were empty': 979560, 'that scary': 846151, 'scary man': 741160, 'man it': 512127, 'it reminds': 460706, 'reminds me': 710645, 'me of': 523242, 'of birdbox': 580715, 'birdbox movie': 131364, 'movie birdbox': 543992, 'birdbox staysafestayhome': 131366, 'after day at': 35537, 'day at home': 227332, 'at home went': 99167, 'home went out': 402474, 'went out just': 979088, 'out just now': 626467, 'just now to': 469352, 'now to buy': 576164, 'buy grocery road': 148758, 'grocery road parking': 364911, 'road parking and': 724490, 'parking and supermarket': 642059, 'and supermarket were': 72750, 'supermarket were empty': 823784, 'were empty that': 979574, 'empty that scary': 275174, 'that scary man': 846152, 'scary man it': 741161, 'man it reminds': 512128, 'it reminds me': 460707, 'reminds me of': 710648, 'me of birdbox': 523243, 'of birdbox movie': 580716, 'birdbox movie birdbox': 131365, 'movie birdbox staysafestayhome': 543994, 'togetherathome': 921066, 'have great': 380828, 'great weekend': 363108, 'weekend stay': 977411, 'happy thing': 377696, 'thing will': 884986, 'get better': 346663, 'better soon': 128477, 'soon toiletpaper': 785873, 'toiletpaper socialdistancing': 922490, 'socialdistancing togetherathome': 780820, 'togetherathome saturdaymorning': 921071, 'have great weekend': 380837, 'great weekend stay': 363109, 'weekend stay safe': 977414, 'and happy thing': 64180, 'happy thing will': 377698, 'thing will get': 884990, 'will get better': 993497, 'get better soon': 346669, 'better soon toiletpaper': 128478, 'soon toiletpaper socialdistancing': 785874, 'toiletpaper socialdistancing togetherathome': 922494, 'socialdistancing togetherathome saturdaymorning': 780821, 'yolo socialdistanacing': 1016536, 'distraction yolo socialdistanacing': 247914, 'criticized': 218772, 'small farmer': 774946, 'farmer reliant': 299490, 'on restaurant': 603168, 'and direct': 61371, 'with little': 999254, 'little end': 495329, 'end in': 275845, 'in sight': 427938, 'sight trillion': 769064, 'stimulus includes': 801552, 'includes support': 431814, 'for ag': 319076, 'ag but': 36773, 'but ha': 145834, 'been criticized': 120904, 'criticized doing': 218777, 'doing little': 252511, 'little for': 495350, 'for smaller': 325670, 'smaller scale': 775293, 'scale operation': 739907, 'small farmer reliant': 774947, 'farmer reliant on': 299491, 'reliant on restaurant': 709260, 'on restaurant and': 603169, 'restaurant and direct': 716282, 'and direct to': 61374, 'consumer sale are': 198856, 'sale are feeling': 732061, 'feeling the financial': 303073, '19 with little': 12134, 'with little end': 999255, 'little end in': 495330, 'end in sight': 275846, 'in sight trillion': 427949, 'sight trillion stimulus': 769065, 'trillion stimulus includes': 932004, 'stimulus includes support': 801553, 'includes support for': 431815, 'support for ag': 826506, 'for ag but': 319077, 'ag but ha': 36774, 'but ha been': 145835, 'ha been criticized': 369764, 'been criticized doing': 120905, 'criticized doing little': 218778, 'doing little for': 252512, 'little for smaller': 495351, 'for smaller scale': 325671, 'smaller scale operation': 775294, 'pile': 656480, 'uncaring': 939553, 'apparently we': 82036, 'world that': 1010040, 'that stock': 846489, 'stock pile': 802626, 'pile food': 656491, 'food wonder': 317659, 'because these': 119680, 'selfish stupid': 748278, 'stupid rude': 815452, 'rude and': 727029, 'and and': 58132, 'and uncaring': 74597, 'uncaring about': 939554, 'others guess': 621435, 'guess so': 368034, 'so stockpiling': 778270, 'stockpiling panickbuyinguk': 804046, 'panickbuyinguk stayathome': 639238, 'apparently we are': 82037, 'we are the': 970736, 'the only country': 862296, 'only country in': 610280, 'the world that': 871983, 'world that stock': 1010045, 'that stock pile': 846494, 'stock pile food': 802629, 'pile food wonder': 656495, 'food wonder why': 317660, 'wonder why is': 1004040, 'why is it': 991112, 'is it because': 449012, 'it because these': 456761, 'because these people': 119682, 'people are selfish': 647070, 'are selfish stupid': 89938, 'selfish stupid rude': 748279, 'stupid rude and': 815453, 'rude and and': 727030, 'and and uncaring': 58138, 'and uncaring about': 74598, 'uncaring about others': 939555, 'about others guess': 25880, 'others guess so': 621436, 'guess so stockpiling': 368035, 'so stockpiling panickbuyinguk': 778271, 'stockpiling panickbuyinguk stayathome': 804047, 'therona': 879557, 'you trying': 1021939, 'coordinate for': 203181, 'store therona': 810655, 'when you trying': 984610, 'you trying to': 1021941, 'trying to coordinate': 934786, 'to coordinate for': 903499, 'coordinate for the': 203182, 'grocery store therona': 365853, 'eua': 283296, 'gas the': 344150, 'the sell': 866684, 'off dragged': 593778, 'dragged european': 258178, 'european gas': 283576, 'price further': 674142, 'further down': 342037, 'wednesday on': 975673, 'of collapse': 581520, 'to 16': 899516, '16 year': 4194, 'and fall': 62633, 'in eua': 422624, 'eua price': 283299, 'to 21': 899610, '21 month': 15019, 'month low': 537838, 'gas the sell': 344152, 'the sell off': 866689, 'sell off dragged': 748815, 'off dragged european': 593779, 'dragged european gas': 258179, 'european gas price': 283577, 'gas price further': 343970, 'price further down': 674143, 'further down on': 342039, 'down on wednesday': 257044, 'on wednesday on': 605176, 'wednesday on the': 975674, 'back of collapse': 107167, 'of collapse in': 581522, 'price to 16': 676955, 'to 16 year': 899520, '16 year low': 4195, 'year low and': 1014709, 'low and fall': 505125, 'and fall in': 62635, 'fall in eua': 296947, 'in eua price': 422625, 'eua price to': 283303, 'price to 21': 676956, 'to 21 month': 899613, '21 month low': 15020, 'enquiry': 277803, 'relating': 708649, 'experiencing high': 291656, 'high volume': 395513, 'of enquiry': 583127, 'enquiry due': 277809, 'and event': 62358, 'event cancellation': 284954, 'cancellation related': 161061, 'coronavirus read': 206619, 'advice for': 33365, 'right travel': 722368, 'cancellation relating': 161063, 'relating to': 708650, 'are experiencing high': 86343, 'experiencing high volume': 291658, 'high volume of': 395515, 'volume of enquiry': 960154, 'of enquiry due': 583128, 'enquiry due to': 277810, 'due to travel': 262004, 'to travel and': 917722, 'travel and event': 930251, 'and event cancellation': 62359, 'event cancellation related': 284959, 'cancellation related to': 161062, '19 coronavirus read': 6119, 'coronavirus read our': 206621, 'read our advice': 700496, 'our advice for': 622031, 'advice for consumer': 33368, 'for consumer for': 320259, 'consumer for the': 197525, 'latest on consumer': 481472, 'on consumer right': 600075, 'consumer right travel': 198831, 'right travel and': 722369, 'event cancellation relating': 284960, 'cancellation relating to': 161064, 'relating to covid': 708652, 'postman': 666716, 'this terrible': 890488, 'terrible pandemic': 838420, 'more respect': 540241, 'our wonderful': 625392, 'wonderful nh': 1004100, 'staff unskilled': 793029, 'unskilled worker': 943490, 'worker supermarket': 1007852, 'worker postman': 1007616, 'postman waste': 666740, 'waste collector': 968095, 'collector etc': 186560, 'keep this': 472129, 'hope that after': 403640, 'that after this': 842520, 'after this terrible': 36415, 'this terrible pandemic': 890490, 'terrible pandemic is': 838421, 'pandemic is over': 635788, 'is over people': 450719, 'over people will': 630493, 'will have more': 993652, 'have more respect': 381505, 'more respect for': 540244, 'respect for our': 714997, 'for our wonderful': 324312, 'our wonderful nh': 625394, 'wonderful nh staff': 1004101, 'nh staff unskilled': 562108, 'staff unskilled worker': 793030, 'unskilled worker such': 943494, 'worker such healthcare': 1007848, 'healthcare worker supermarket': 387387, 'worker supermarket worker': 1007861, 'supermarket worker postman': 824075, 'worker postman waste': 1007617, 'postman waste collector': 666741, 'waste collector etc': 968097, 'collector etc they': 186561, 'who keep this': 989157, 'keep this country': 472131, 'this country running': 886968, 'grocery market': 364713, 'supermarket hour': 820796, 'senior wishing': 750451, 'wishing everyone': 996876, 'everyone health': 287002, 'safety during': 730516, 'grocery market and': 364714, 'market and supermarket': 515994, 'and supermarket hour': 72723, 'supermarket hour for': 820799, 'for senior wishing': 325486, 'senior wishing everyone': 750452, 'wishing everyone health': 996877, 'everyone health and': 287003, 'and safety during': 70743, 'safety during these': 730518, 'during these trying': 263246, 'rosy': 726152, 'pleading': 659581, 'scrambling': 742560, 'med': 525867, 'trumpmeltdown': 934093, 'if thing': 415141, 'thing were': 884972, 'were rosy': 980080, 'rosy lying': 726153, 'lying claim': 507067, 'claim healthcare': 179741, 'worker wouldn': 1008301, 'wouldn be': 1012434, 'be pleading': 116442, 'pleading for': 659582, 'for supply': 326038, 'supply governor': 825334, 'governor wouldn': 361030, 'be scrambling': 117024, 'scrambling patient': 742561, 'patient would': 644322, 'would have': 1011865, 'have med': 381455, 'med we': 525932, 'would all': 1011497, 'have handsanitizer': 380895, 'handsanitizer and': 376476, 'toiletpaper trumpmeltdown': 922770, 'if thing were': 415143, 'thing were rosy': 884976, 'were rosy lying': 980081, 'rosy lying claim': 726154, 'lying claim healthcare': 507068, 'claim healthcare worker': 179742, 'healthcare worker wouldn': 387400, 'worker wouldn be': 1008302, 'wouldn be pleading': 1012445, 'be pleading for': 116443, 'pleading for supply': 659586, 'for supply governor': 326046, 'supply governor wouldn': 825335, 'governor wouldn be': 361031, 'wouldn be scrambling': 1012446, 'be scrambling patient': 117025, 'scrambling patient would': 742562, 'patient would have': 644323, 'would have med': 1011884, 'have med we': 381457, 'med we would': 525933, 'we would all': 973963, 'would all have': 1011501, 'all have handsanitizer': 43049, 'have handsanitizer and': 380896, 'handsanitizer and toiletpaper': 376478, 'and toiletpaper trumpmeltdown': 74247, 'single grocery': 771305, 'employee work': 274459, 'work harder': 1005240, 'the nigeria': 861796, 'nigeria lockdowneffect': 562764, 'lockdowneffect stayathome': 500267, 'every single grocery': 286184, 'single grocery store': 771306, 'store employee work': 807577, 'employee work harder': 274461, 'work harder than': 1005242, 'harder than the': 378187, 'than the president': 841262, 'of the nigeria': 591275, 'the nigeria lockdowneffect': 861799, 'nigeria lockdowneffect stayathome': 562765, 'perfumery': 651554, 'mullin3': 545637, 'smart take': 775433, 'take in': 832216, 'the perfumery': 863553, 'perfumery and': 651555, 'other distillery': 620117, 'distillery currently': 247744, 'currently making': 221584, 'sanitizer by': 734617, 'by mullin3': 153266, 'mullin3 for': 545638, 'smart take in': 775434, 'take in time': 832222, 'in time here': 430082, 'time here are': 896922, 'of the perfumery': 591330, 'the perfumery and': 863554, 'perfumery and other': 651556, 'and other distillery': 68313, 'other distillery currently': 620118, 'distillery currently making': 247745, 'currently making hand': 221585, 'hand sanitizer by': 375333, 'sanitizer by mullin3': 734623, 'by mullin3 for': 153267, 'gonna need': 356587, 'need more': 555251, 'more toiletpaper': 540809, 'gonna need more': 356588, 'need more toiletpaper': 555269, 'meanwhile in': 524986, 'italy toiletpaper': 462955, 'toiletpaperapocalypse socialdistancing': 922920, 'socialdistancing stay': 780721, 'quarantine funny': 692214, 'funny video': 341809, 'video fun': 956748, 'meanwhile in italy': 524991, 'in italy toiletpaper': 424322, 'italy toiletpaper toiletpaperpanic': 462956, 'toiletpaper toiletpaperpanic toiletpaperapocalypse': 922710, 'toiletpaperpanic toiletpaperapocalypse socialdistancing': 923272, 'toiletpaperapocalypse socialdistancing stay': 922921, 'socialdistancing stay home': 780722, 'stay home quarantine': 796997, 'home quarantine funny': 401933, 'quarantine funny video': 692216, 'funny video fun': 341810, 'depend': 237306, 'cook': 202714, 'you regularly': 1020894, 'regularly depend': 707911, 'depend on': 237309, 'on going': 601127, 'eat ordering': 266013, 'ordering food': 618964, 're hungry': 698842, 'hungry then': 411318, 'then learning': 877301, 'learning how': 484211, 'to cook': 903476, 'cook also': 202719, 'potential spread': 667139, 'one trip': 607311, 'supermarket versus': 823640, 'versus several': 954953, 'several trip': 753950, 'to from': 906260, 'from takeaway': 337536, 'takeaway spot': 832906, 'spot for': 790053, 'if you regularly': 415509, 'you regularly depend': 1020895, 'regularly depend on': 707912, 'depend on going': 237314, 'on going out': 601134, 'out to eat': 627639, 'to eat ordering': 904897, 'eat ordering food': 266014, 'ordering food when': 618971, 'food when you': 317576, 'you re hungry': 1020650, 're hungry then': 698847, 'hungry then learning': 411319, 'then learning how': 877302, 'learning how to': 484212, 'how to cook': 409001, 'to cook also': 903477, 'cook also help': 202720, 'also help to': 48350, 'help to limit': 390781, 'limit the potential': 492514, 'the potential spread': 864128, 'potential spread of': 667141, '19 one trip': 8982, 'one trip to': 607312, 'the supermarket versus': 868884, 'supermarket versus several': 823641, 'versus several trip': 954954, 'several trip to': 753951, 'trip to from': 932190, 'to from takeaway': 906267, 'from takeaway spot': 337537, 'takeaway spot for': 832907, 'spot for you': 790055, 'for you or': 328077, 'you or delivery': 1020224, 'policethesupermarkets': 663292, 'fatal': 300221, 'policethesupermarkets fatal': 663293, 'fatal pathogen': 300231, 'pathogen death': 644076, 'death is': 230094, 'spreading in': 790980, 'hungry please': 411299, 'me where': 523950, 'are stoppanicbuying': 90538, 'stoppanicbuying socialdistancing': 805608, 'socialdistancing police': 780611, 'police could': 662959, 'could you': 209840, 'policethesupermarkets fatal pathogen': 663294, 'fatal pathogen death': 300232, 'pathogen death is': 644077, 'death is spreading': 230100, 'is spreading in': 452193, 'spreading in supermarket': 790984, 'supermarket and vulnerable': 819097, 'vulnerable people are': 961080, 'people are going': 646989, 'are going hungry': 86888, 'going hungry please': 355205, 'hungry please tell': 411300, 'tell me where': 837031, 'me where the': 523954, 'where the police': 985242, 'the police are': 863914, 'police are stoppanicbuying': 662921, 'are stoppanicbuying socialdistancing': 90539, 'stoppanicbuying socialdistancing police': 805609, 'socialdistancing police could': 780612, 'police could you': 662960, 'indication': 435020, 'have also': 379205, 'also fallen': 48193, 'fallen significantly': 297180, 'significantly since': 769617, 'economic fallout': 267096, '19 shock': 10467, 'shock is': 759465, 'is ongoing': 450515, 'ongoing and': 607596, 'and increasingly': 65135, 'increasingly difficult': 433768, 'to predict': 911985, 'predict but': 669554, 'clear indication': 181267, 'indication that': 435030, 'that thing': 846967, 'worse for': 1010929, 'for zimbabwe': 328254, 'commodity price have': 189273, 'price have also': 674411, 'have also fallen': 379212, 'also fallen significantly': 48194, 'fallen significantly since': 297181, 'significantly since the': 769618, 'since the start': 770906, 'crisis the economic': 218169, 'the economic fallout': 853903, 'economic fallout from': 267097, 'fallout from the': 297383, 'from the covid': 337659, 'covid 19 shock': 213786, '19 shock is': 10469, 'shock is ongoing': 759466, 'is ongoing and': 450517, 'ongoing and increasingly': 607597, 'and increasingly difficult': 65136, 'increasingly difficult to': 433769, 'difficult to predict': 242344, 'to predict but': 911986, 'predict but there': 669556, 'there are clear': 878082, 'are clear indication': 85303, 'clear indication that': 181268, 'indication that thing': 435033, 'that thing will': 846974, 'will get much': 993513, 'get much worse': 347621, 'much worse for': 545475, 'worse for zimbabwe': 1010935, 'houring': 406125, 'wakefield': 964636, 'in sainsburys': 427634, 'sainsburys supermarket': 731788, 'supermarket que': 822107, 'que for': 693313, 'four houring': 330614, 'houring tested': 406126, '19 hundred': 7629, 'hundred in': 410983, 'in wakefield': 430656, 'wakefield could': 964639, 'be infected': 115476, 'infected critical': 436558, 'care bed': 163867, 'bed running': 120416, 'out only': 626937, 'only five': 610445, 'five left': 309628, 'wakefield area': 964637, 'area people': 92161, 'man in sainsburys': 512117, 'in sainsburys supermarket': 427635, 'sainsburys supermarket que': 731789, 'supermarket que for': 822108, 'que for four': 693314, 'for four houring': 321687, 'four houring tested': 330615, 'houring tested positive': 406127, 'covid 19 hundred': 213235, '19 hundred in': 7630, 'hundred in wakefield': 410984, 'in wakefield could': 430658, 'wakefield could be': 964640, 'could be infected': 208887, 'be infected critical': 115480, 'infected critical care': 436559, 'critical care bed': 218523, 'care bed running': 163868, 'bed running out': 120417, 'running out only': 728029, 'out only five': 626939, 'only five left': 610446, 'five left in': 309629, 'left in wakefield': 485521, 'in wakefield area': 430657, 'wakefield area people': 964638, 'area people to': 92162, 'people to be': 649879, 'to be left': 901360, 'left to die': 485685, 'patent': 643980, 'arses': 94112, 'so this': 778495, 'now competition': 574421, 'competition to': 191745, 'own the': 632258, 'to vaccine': 918101, 'is any': 445754, 'any country': 79076, 'country going': 210689, 'the vaccine': 870618, 'vaccine recipe': 951759, 'recipe away': 704445, 'away to': 106068, 'all sure': 44571, 'private company': 678879, 'west will': 980550, 'will charge': 992928, 'charge high': 173254, 'any vaccine': 80005, 'vaccine and': 951649, 'have patent': 381903, 'patent coming': 643983, 'coming out': 188161, 'out their': 627445, 'their arses': 872512, 'so this is': 778499, 'is now competition': 450272, 'now competition to': 574422, 'competition to own': 191748, 'to own the': 911337, 'own the right': 632260, 'right to vaccine': 722359, 'to vaccine is': 918103, 'vaccine is any': 951722, 'is any country': 445756, 'any country going': 79078, 'country going to': 210696, 'going to give': 355609, 'to give the': 906717, 'give the vaccine': 350756, 'the vaccine recipe': 870624, 'vaccine recipe away': 951760, 'recipe away to': 704446, 'away to all': 106069, 'to all sure': 900289, 'all sure that': 44572, 'sure that the': 827700, 'that the private': 846810, 'the private company': 864483, 'private company in': 678881, 'in the west': 429673, 'the west will': 871400, 'west will charge': 980551, 'will charge high': 992929, 'charge high price': 173255, 'high price for': 395249, 'price for any': 673927, 'for any vaccine': 319429, 'any vaccine and': 80006, 'vaccine and have': 951652, 'and have patent': 64261, 'have patent coming': 381904, 'patent coming out': 643984, 'coming out their': 188165, 'out their arses': 627446, 'countermeasure': 210334, 'enough capacity': 277342, 'capacity to': 162584, 'support all': 826334, 'all customer': 42499, 'customer especially': 222341, 'current high': 221225, 'care with': 164271, 'with short': 1000701, 'term rental': 838261, 'truck learn': 932826, 'our countermeasure': 622577, 'countermeasure and': 210335, 'business here': 143842, '19 update we': 11692, 'update we have': 947309, 'have enough capacity': 380443, 'enough capacity to': 277343, 'capacity to support': 162594, 'to support all': 915901, 'support all customer': 826335, 'all customer especially': 42501, 'customer especially the': 222343, 'especially the current': 280621, 'the current high': 852640, 'current high demand': 221226, 'high demand in': 395014, 'demand in food': 235668, 'in food retail': 422982, 'food retail and': 316203, 'health care with': 386254, 'care with short': 164273, 'with short term': 1000703, 'short term rental': 764747, 'term rental truck': 838265, 'rental truck learn': 711286, 'truck learn more': 932827, 'about our countermeasure': 25887, 'our countermeasure and': 622578, 'countermeasure and what': 210337, 'and what this': 75490, 'what this mean': 982436, 'mean for your': 524456, 'for your business': 328125, 'your business here': 1023061, 'scolded': 742294, 'aa': 24076, 'just scolded': 469722, 'scolded my': 742295, 'my father': 548245, 'father who': 300318, 'who wanted': 989930, 'tomorrow for': 924081, 'walk when': 964918, 'need anything': 554450, 'anything at': 80691, 'home what': 402476, 'the older': 862150, 'older generation': 598606, 'generation why': 345650, 'why cannot': 990867, 'cannot they': 162180, 'they understand': 883600, 'suffer the': 817235, 'most if': 542386, '19 aa': 4777, 'just scolded my': 469723, 'scolded my father': 742297, 'my father who': 548252, 'father who wanted': 300322, 'who wanted to': 989931, 'wanted to go': 966254, 'supermarket tomorrow for': 823499, 'tomorrow for walk': 924087, 'for walk when': 327630, 'walk when we': 964919, 'when we don': 984439, 'we don need': 971388, 'don need anything': 253754, 'need anything at': 554451, 'anything at home': 80692, 'at home what': 99168, 'home what wrong': 402480, 'wrong with the': 1013164, 'with the older': 1001410, 'the older generation': 862152, 'older generation why': 598608, 'generation why cannot': 345652, 'why cannot they': 990876, 'cannot they understand': 162183, 'they understand that': 883603, 'understand that they': 940736, 'that they will': 846961, 'they will suffer': 883892, 'will suffer the': 995025, 'suffer the most': 817237, 'the most if': 860997, 'most if they': 542388, 'if they get': 415111, 'they get infected': 882168, 'infected with covid': 436667, 'covid 19 aa': 212567, 'valuable': 952011, 'new2020': 560008, 'most valuable': 542850, 'valuable commodity': 952017, 'commodity 2020': 189107, '2020 happy': 14356, 'happy mother': 377658, 'mother day': 543078, 'day mum': 227996, 'mum toiletpaper': 545957, 'toiletroll stayathome': 923382, 'stayathome new2020': 797552, 'new2020 mothersday2020': 560009, 'the most valuable': 861059, 'most valuable commodity': 542852, 'valuable commodity 2020': 952018, 'commodity 2020 happy': 189108, '2020 happy mother': 14357, 'happy mother day': 377659, 'mother day mum': 543085, 'day mum toiletpaper': 227997, 'mum toiletpaper toiletroll': 545958, 'toiletpaper toiletroll stayathome': 922734, 'toiletroll stayathome new2020': 923383, 'stayathome new2020 mothersday2020': 797553, 'more idiot': 539470, 'idiot at': 413459, 'work causing': 1004985, 'causing unnecessary': 168143, 'unnecessary problem': 942925, 'problem of': 679620, 'supermarket he': 820721, 'he got': 385002, 'got enough': 358537, 'enough rice': 277598, 'rice to': 721154, 'to last': 909058, 'last him': 480267, 'year panicshopping': 1014902, 'panicshopping pricegougers': 639450, 'pricegougers idiot': 677774, 'more idiot at': 539471, 'idiot at work': 413462, 'at work causing': 101594, 'work causing unnecessary': 1004986, 'causing unnecessary problem': 168145, 'unnecessary problem of': 942926, 'problem of empty': 679624, 'empty shelf in': 275073, 'shelf in supermarket': 757219, 'in supermarket he': 428614, 'supermarket he got': 820723, 'he got enough': 385003, 'got enough rice': 358538, 'enough rice to': 277599, 'rice to last': 721155, 'to last him': 909064, 'last him for': 480268, 'him for year': 396606, 'for year panicshopping': 328012, 'year panicshopping pricegougers': 1014903, 'panicshopping pricegougers idiot': 639451, 'trusted': 934334, 'iconmeals': 412813, 'prep': 669993, 'jessejames10': 465248, 'sponsored': 789833, 'dodge': 251269, 'some folk': 782847, 'not being': 568524, 'get quality': 347865, 'from trusted': 338155, 'trusted source': 934345, 'source with': 786586, 'with iconmeals': 998928, 'iconmeals they': 412816, 'the meal': 860339, 'meal prep': 524248, 'prep company': 669998, 'company you': 191364, 'can trust': 160051, 'trust stock': 934311, 'up save': 945946, 'save 10': 737459, '10 off': 1575, 'off my': 593979, 'my code': 547720, 'code jessejames10': 185373, 'jessejames10 sponsored': 465249, 'sponsored ad': 789834, 'ad dodge': 31090, 'some folk are': 782848, 'folk are worried': 312100, 'worried about not': 1010508, 'about not being': 25812, 'not being able': 568525, 'able to get': 24486, 'to get quality': 906569, 'get quality food': 347867, 'quality food from': 691785, 'food from trusted': 314619, 'from trusted source': 338157, 'trusted source with': 934351, 'source with iconmeals': 786587, 'with iconmeals they': 998930, 'iconmeals they are': 412817, 'are the meal': 90862, 'the meal prep': 860342, 'meal prep company': 524250, 'prep company you': 669999, 'company you can': 191365, 'you can trust': 1017816, 'can trust stock': 160055, 'trust stock up': 934312, 'stock up save': 803112, 'up save 10': 945947, 'save 10 off': 737461, '10 off my': 1578, 'off my code': 593981, 'my code jessejames10': 547722, 'code jessejames10 sponsored': 185374, 'jessejames10 sponsored ad': 465250, 'sponsored ad dodge': 789835, 'paisley country': 634376, 'and his': 64590, 'his wife': 397912, 'wife kimberly': 991941, 'kimberly are': 474772, 'brad paisley country': 137527, 'paisley country star': 634377, 'paisley and his': 634369, 'and his wife': 64619, 'his wife kimberly': 397916, 'wife kimberly are': 991942, 'kimberly are helping': 474773, 'are helping the': 87111, 'helping the elderly': 391491, 'elderly in their': 270717, 'in their community': 429728, 'pay mortgage': 645002, 'mortgage due': 541889, 'coronavirus what': 207059, 'know where': 477011, 'turn for': 935668, 'help via': 390847, 'can pay mortgage': 159203, 'pay mortgage due': 645003, 'mortgage due to': 541890, 'to coronavirus what': 903576, 'coronavirus what you': 207062, 'to know where': 909004, 'know where to': 477019, 'where to turn': 985316, 'to turn for': 917842, 'turn for help': 935670, 'for help via': 322190, 'victoria restaurant': 956547, 'restaurant offer': 716598, 'offer it': 594673, 'it entire': 457835, 'entire stock': 278743, 'staff it': 792583, 'it close': 457183, 'close due': 182619, 'victoria restaurant offer': 956548, 'restaurant offer it': 716599, 'offer it entire': 594674, 'it entire stock': 457837, 'entire stock of': 278744, 'food to staff': 317292, 'to staff it': 915135, 'staff it close': 792584, 'it close due': 457184, 'close due to': 182620, 'interhill': 441670, 'unlike most': 942714, 'frontliners do': 338886, 'privilege to': 679039, 'their ration': 874527, 'ration and': 697631, 'grocery order': 364808, 'order takeaway': 618613, 'takeaway or': 832895, 'or have': 615575, 'their commitment': 872810, 'commitment towards': 189012, 'community interhill': 189928, 'unlike most of': 942715, 'of our medical': 587511, 'medical frontliners do': 526185, 'frontliners do not': 338888, 'the privilege to': 864495, 'privilege to drop': 679040, 'drop by the': 260148, 'by the supermarket': 154453, 'supermarket for their': 820424, 'for their ration': 326864, 'their ration and': 874528, 'ration and grocery': 697634, 'and grocery order': 63994, 'grocery order takeaway': 364814, 'order takeaway or': 618614, 'takeaway or have': 832896, 'or have food': 615582, 'have food delivery': 380653, 'food delivery in': 314133, 'delivery in view': 234120, 'view of their': 957131, 'of their commitment': 591650, 'their commitment towards': 872813, 'commitment towards the': 189014, 'towards the community': 927259, 'the community interhill': 851280, 'adaa': 31203, 'lax': 482575, 'great advice': 362488, 'advice here': 33400, 'here from': 393025, 'the adaa': 848336, 'adaa about': 31204, 'about coping': 25019, 'coping with': 203393, 'our situation': 624792, 'situation lax': 772366, 'some great advice': 782982, 'great advice here': 362490, 'advice here from': 33402, 'here from the': 393030, 'from the adaa': 337592, 'the adaa about': 848337, 'adaa about coping': 31205, 'about coping with': 25020, 'coping with our': 203402, 'with our situation': 1000017, 'our situation lax': 624794, '19 trend': 11575, 'trend see': 931438, 'pandemic consumer': 635185, 'covid 19 trend': 213984, '19 trend see': 11580, 'trend see the': 931440, 'see the pandemic': 745869, 'the pandemic consumer': 862935, 'pandemic consumer impact': 635191, 'ruby': 727019, 'princess': 678212, 'guardian': 367883, 'ruby princess': 727020, 'princess linked': 678213, 'to 11th': 899460, '11th covid': 2749, 'death criminal': 230010, 'criminal investigation': 216848, 'investigation launched': 443880, 'launched it': 482002, 'it happened': 458465, 'happened world': 377304, 'world news': 1009830, 'news the': 560863, 'the guardian': 856905, 'ruby princess linked': 727021, 'princess linked to': 678214, 'linked to 11th': 493986, 'to 11th covid': 899462, '11th covid 19': 2750, '19 death criminal': 6442, 'death criminal investigation': 230011, 'criminal investigation launched': 216849, 'investigation launched it': 443881, 'launched it happened': 482005, 'it happened world': 458470, 'happened world news': 377305, 'world news the': 1009833, 'news the guardian': 560866, 'dispose': 246287, 'but people': 146761, 'please dont': 659934, 'dont dispose': 255208, 'dispose your': 246296, 'your glove': 1024055, 'amp face': 53770, 'parking garage': 642070, 'garage lot': 343492, 'dont know who': 255247, 'know who need': 477038, 'to know this': 908998, 'know this but': 476889, 'this but people': 886647, 'but people please': 146771, 'people please dont': 649132, 'please dont dispose': 659936, 'dont dispose your': 255209, 'dispose your glove': 246297, 'your glove amp': 1024056, 'glove amp face': 352547, 'amp face mask': 53771, 'face mask at': 294518, 'mask at the': 518434, 'the supermarket parking': 868745, 'supermarket parking garage': 821931, 'parking garage lot': 642071, 'onpoli': 611530, 'ordered mask': 618866, 'sanitizer from': 734942, 'evening but': 284865, 'be dead': 114339, 'dead before': 229137, 'they arrive': 881493, 'arrive cdnpoli': 93910, 'cdnpoli onpoli': 168664, 'onpoli stayhome': 611536, 'stayhome amazon': 797940, 'ordered mask and': 618867, 'mask and hand': 518333, 'hand sanitizer from': 375414, 'sanitizer from this': 734952, 'from this evening': 337995, 'this evening but': 887436, 'evening but could': 284866, 'but could be': 145465, 'could be dead': 208855, 'be dead before': 114340, 'dead before they': 229138, 'before they arrive': 123211, 'they arrive cdnpoli': 881494, 'arrive cdnpoli onpoli': 93911, 'cdnpoli onpoli stayhome': 168666, 'onpoli stayhome amazon': 611537, 'anhydrous': 76530, 'ammonia': 52929, 'input': 438964, 'downside': 257695, 'industrial': 435529, 'anhydrous ammonia': 76531, 'ammonia is': 52934, 'is off': 450405, 'off 100': 593591, '100 from': 1904, 'from same': 337152, 'same week': 733415, 'week last': 976460, 'year price': 1014908, 'on input': 601576, 'input like': 438979, 'like anhydrous': 489798, 'ammonia could': 52930, 'could continue': 209043, 'continue the': 201147, 'the trend': 869959, 'trend to': 931475, 'the downside': 853629, 'downside china': 257699, 'large importer': 479699, 'importer of': 419204, 'of ammonia': 580089, 'ammonia for': 52932, 'for industrial': 322553, 'industrial purpose': 435565, 'anhydrous ammonia is': 76533, 'ammonia is off': 52935, 'is off 100': 450406, 'off 100 from': 593592, '100 from same': 1905, 'from same week': 337153, 'same week last': 733416, 'week last year': 976462, 'last year price': 480732, 'year price on': 1014910, 'price on input': 675685, 'on input like': 601577, 'input like anhydrous': 438980, 'like anhydrous ammonia': 489799, 'anhydrous ammonia could': 76532, 'ammonia could continue': 52931, 'could continue the': 209044, 'continue the trend': 201148, 'the trend to': 869968, 'trend to the': 931479, 'to the downside': 916651, 'the downside china': 853630, 'downside china is': 257700, 'china is large': 176751, 'is large importer': 449232, 'large importer of': 479700, 'importer of ammonia': 419205, 'of ammonia for': 580090, 'ammonia for industrial': 52933, 'for industrial purpose': 322555, 'your supermarket': 1026034, 'staff there': 792958, 'there working': 879371, 'hard at': 377870, 'the minute': 860671, 'minute and': 533726, 'and trying': 74511, 'demand calling': 235096, 'calling them': 156633, 'them doesn': 875614, 'doesn help': 251830, 'help coronacrisis': 389541, 'be nice to': 116084, 'nice to your': 562503, 'to your supermarket': 919033, 'your supermarket staff': 1026063, 'supermarket staff there': 822899, 'staff there working': 792961, 'there working hard': 879373, 'working hard at': 1008679, 'hard at the': 377872, 'at the minute': 101023, 'the minute and': 860672, 'minute and trying': 533732, 'and trying to': 74513, 'the demand calling': 853087, 'demand calling them': 235097, 'calling them doesn': 156634, 'them doesn help': 875615, 'doesn help coronacrisis': 251834, 'alarmist': 40713, 'overly': 631308, 'nih': 563205, 'to sound': 914930, 'sound alarmist': 786260, 'alarmist overly': 40716, 'overly expensive': 631313, 'expensive or': 291271, 'or press': 616681, 'press panic': 671066, 'panic button': 637455, 'button but': 148203, 'the nih': 861814, 'nih asked': 563206, 'asked for': 95740, 'for domestic': 320809, 'domestic feed': 253187, 'feed produce': 302363, 'produce to': 680471, 'be tested': 117553, 'after being': 35398, 'being killed': 125359, 'killed livestock': 474598, 'livestock food': 496266, 'product more': 681416, 'want to sound': 966124, 'to sound alarmist': 914931, 'sound alarmist overly': 786261, 'alarmist overly expensive': 40717, 'overly expensive or': 631314, 'expensive or press': 291272, 'or press panic': 616682, 'press panic button': 671067, 'panic button but': 637456, 'button but ha': 148204, 'but ha the': 145842, 'ha the nih': 372215, 'the nih asked': 861815, 'nih asked for': 563207, 'asked for domestic': 95743, 'for domestic feed': 320811, 'domestic feed produce': 253188, 'feed produce to': 302364, 'produce to be': 680472, 'to be tested': 901581, 'be tested for': 117557, 'tested for the': 839308, '19 after being': 4853, 'after being killed': 35413, 'being killed livestock': 125361, 'killed livestock food': 474599, 'livestock food product': 496267, 'food product more': 316027, '1bn': 12592, 'tesco crisis': 838689, 'crisis share': 218026, 'share slump': 755211, 'slump supermarket': 774706, 'giant face': 349770, 'face near': 294631, 'near 1bn': 553451, '1bn hit': 12597, 'hit over': 398362, 'over cost': 630123, 'tesco crisis share': 838690, 'crisis share slump': 218027, 'share slump supermarket': 755212, 'slump supermarket giant': 774707, 'supermarket giant face': 820501, 'giant face near': 349772, 'face near 1bn': 294632, 'near 1bn hit': 553452, '1bn hit over': 12598, 'hit over cost': 398364, 'nt': 576720, 'worker so': 1007789, 'so sorry': 778248, 'hear that': 387984, 'are behaving': 84815, 'behaving like': 123835, 'like nt': 490889, 'dear supermarket worker': 229895, 'supermarket worker so': 824084, 'worker so sorry': 1007792, 'so sorry to': 778251, 'sorry to hear': 786095, 'to hear that': 907414, 'hear that your': 388002, 'that your customer': 847764, 'your customer are': 1023405, 'customer are behaving': 222114, 'are behaving like': 84820, 'behaving like nt': 123836, 'could prove': 209539, 'prove to': 686123, 'very serious': 955516, 'serious economic': 751378, 'economic shock': 267274, 'shock leading': 759472, 'deep recession': 231916, 'recession in': 704291, '2020 however': 14371, 'not last': 570325, 'last expert': 480201, 'expert predict': 291916, 'predict the': 669583, 'worst will': 1011306, 'over within': 630946, 'within three': 1002446, 'three to': 894084, 'to six': 914687, 'six month': 772664, 'could trigger': 209790, 'trigger strong': 931887, 'strong economic': 814021, 'economic recovery': 267229, 'recovery and': 705289, 'will bounce': 992845, 'back quickly': 107242, 'the 19 could': 847912, '19 could prove': 6159, 'could prove to': 209540, 'prove to be': 686124, 'to be very': 901621, 'be very serious': 117985, 'very serious economic': 955518, 'serious economic shock': 751379, 'economic shock leading': 267276, 'shock leading to': 759473, 'leading to deep': 483755, 'to deep recession': 904050, 'deep recession in': 231919, 'recession in 2020': 704293, 'in 2020 however': 419839, '2020 however the': 14374, 'however the crisis': 409471, 'crisis will not': 218418, 'will not last': 994240, 'not last expert': 570326, 'last expert predict': 480202, 'expert predict the': 291919, 'predict the worst': 669584, 'the worst will': 872082, 'worst will be': 1011307, 'will be over': 992595, 'be over within': 116308, 'over within three': 630947, 'within three to': 1002447, 'three to six': 894088, 'to six month': 914689, 'six month this': 772674, 'month this could': 538066, 'this could trigger': 886938, 'could trigger strong': 209791, 'trigger strong economic': 931888, 'strong economic recovery': 814022, 'economic recovery and': 267231, 'recovery and price': 705291, 'and price will': 69488, 'price will bounce': 677554, 'will bounce back': 992846, 'bounce back quickly': 136807, 'fabulous': 294260, 'we open': 972653, 'open always': 612037, 'will remain': 994624, 'remain constant': 709740, 'and stable': 72182, 'stable with': 791968, 'regular supply': 707882, 'of fabulous': 583354, 'fabulous local': 294261, 'local product': 498301, 'product there': 681716, 'definitely no': 232369, 'panic farmer': 638088, 'and producer': 69556, 'always working': 49810, 'have wonderful': 383618, 'and drink': 61724, 'drink inthistogether': 258843, 'tomorrow we open': 924237, 'we open always': 972654, 'open always we': 612038, 'we will remain': 973898, 'will remain constant': 994628, 'remain constant and': 709741, 'constant and stable': 195603, 'and stable with': 72183, 'stable with our': 791969, 'with our regular': 1000015, 'our regular supply': 624576, 'regular supply of': 707883, 'supply of fabulous': 825623, 'of fabulous local': 583355, 'fabulous local product': 294263, 'local product there': 498303, 'product there is': 681717, 'there is definitely': 878545, 'is definitely no': 447085, 'definitely no need': 232370, 'to panic farmer': 911396, 'panic farmer and': 638089, 'farmer and producer': 299259, 'and producer are': 69558, 'producer are always': 680569, 'are always working': 84510, 'always working hard': 49811, 'hard to ensure': 378061, 'ensure we have': 278124, 'we have wonderful': 971988, 'have wonderful food': 383620, 'food and drink': 313215, 'and drink inthistogether': 61730, 'scrutinised': 742943, 'collusion': 186678, 'nb': 553192, 'critical that': 218684, 'that any': 842672, 'any drop': 79144, 'in farm': 422794, 'of beef': 580609, 'beef is': 120516, 'is scrutinised': 451695, 'scrutinised for': 742944, 'for collusion': 320155, 'collusion between': 186679, 'between processor': 128866, 'processor amp': 680055, 'amp that': 54636, 'we watch': 973760, 'watch what': 968609, 'happens in': 377477, 'supermarket price': 822055, 'price nb': 675307, 'nb competition': 553193, 'competition rule': 191737, 'rule currently': 727230, 'currently suspended': 221686, 'suspended for': 829612, 'critical that any': 218685, 'that any drop': 842676, 'any drop in': 79145, 'drop in farm': 260245, 'in farm gate': 422796, 'farm gate price': 299126, 'gate price of': 344353, 'price of beef': 675412, 'of beef is': 580613, 'beef is scrutinised': 120517, 'is scrutinised for': 451696, 'scrutinised for collusion': 742945, 'for collusion between': 320156, 'collusion between processor': 186680, 'between processor amp': 128867, 'processor amp that': 680056, 'amp that we': 54641, 'that we watch': 847404, 'we watch what': 973761, 'watch what happens': 968610, 'what happens in': 981566, 'happens in relation': 377481, 'relation to supermarket': 708676, 'to supermarket price': 915831, 'supermarket price nb': 822058, 'price nb competition': 675308, 'nb competition rule': 553194, 'competition rule currently': 191739, 'rule currently suspended': 727231, 'currently suspended for': 221687, 'arising': 92806, 'secretary': 743942, 'simrandeep': 770334, 'singh': 771196, 'jammu': 464444, 'situation arising': 772198, 'arising due': 92807, '19 secretary': 10378, 'secretary food': 743954, 'affair simrandeep': 34085, 'simrandeep singh': 770335, 'singh today': 771201, 'issued an': 456037, 'an order': 56690, 'order declaring': 618160, 'declaring 16': 231271, '16 service': 4165, 'service essential': 752337, 'and commodity': 60153, 'commodity within': 189342, 'within the': 1002426, 'the union': 870402, 'union territory': 941944, 'territory of': 838570, 'of jammu': 585506, 'jammu and': 464445, 'and kashmir': 65742, 'view of the': 957130, 'the situation arising': 867244, 'situation arising due': 772199, 'arising due to': 92808, 'covid 19 secretary': 213757, '19 secretary food': 10379, 'secretary food civil': 743955, 'consumer affair simrandeep': 196101, 'affair simrandeep singh': 34086, 'simrandeep singh today': 770336, 'singh today issued': 771202, 'today issued an': 919732, 'issued an order': 456039, 'an order declaring': 56695, 'order declaring 16': 618161, 'declaring 16 service': 231272, '16 service essential': 4167, 'service essential service': 752338, 'essential service and': 281496, 'service and commodity': 752075, 'and commodity within': 60157, 'commodity within the': 189343, 'within the union': 1002442, 'the union territory': 870411, 'union territory of': 941945, 'territory of jammu': 838571, 'of jammu and': 585507, 'jammu and kashmir': 464446, 'neat': 553883, 'syrup': 831062, 'at neat': 99863, 'neat line': 553884, 'line pharmacy': 493357, 'pharmacy lady': 654368, 'lady who': 478868, 'came in': 157012, 'bought six': 136707, 'six syrup': 772696, 'syrup for': 831065, 'child said': 176194, 'wa 50': 961387, '50 50': 19589, '50 cure': 19663, 'coronavirus before': 205554, 'before but': 122680, 'president confirmed': 670788, 'confirmed today': 194209, 'up immediately': 945139, 'at neat line': 99864, 'neat line pharmacy': 553885, 'line pharmacy lady': 493358, 'pharmacy lady who': 654369, 'lady who came': 478869, 'who came in': 988364, 'came in and': 157013, 'in and bought': 420352, 'and bought six': 59112, 'bought six syrup': 136708, 'six syrup for': 772697, 'syrup for child': 831066, 'for child said': 320059, 'child said they': 176195, 'said they said': 731484, 'they said it': 883242, 'said it wa': 731172, 'it wa 50': 462054, 'wa 50 50': 961388, '50 50 cure': 19590, '50 cure for': 19664, 'cure for coronavirus': 220738, 'for coronavirus before': 320376, 'coronavirus before but': 205555, 'before but the': 122682, 'but the president': 147383, 'the president confirmed': 864257, 'president confirmed today': 670789, 'confirmed today that': 194210, 'that it should': 844742, 'should be used': 765759, 'be used for': 117914, 'used for sure': 949910, 'for sure the': 326078, 'sure the price': 827716, 'the price would': 864441, 'price would go': 677661, 'would go up': 1011847, 'go up immediately': 354433, 'crisis on': 217808, 'on energy': 600560, 'energy consumption': 276416, 'consumption oil': 199918, 'price human': 674603, 'human capital': 410451, 'capital strategy': 162688, 'and esg': 62234, 'esg join': 280361, '19 crisis on': 6292, 'crisis on energy': 217811, 'on energy consumption': 600562, 'energy consumption oil': 276418, 'consumption oil price': 199919, 'oil price human': 597164, 'price human capital': 674604, 'human capital strategy': 410452, 'capital strategy and': 162689, 'strategy and esg': 812608, 'and esg join': 62235, 'charity especially': 173612, 'especially food': 280476, 'and pantry': 68680, 'and fewer': 62819, 'across minnesota': 29389, 'minnesota including': 533611, 'including united': 432237, 'united way': 942262, 'of greater': 584319, 'greater twin': 363256, 'twin city': 936570, 'charity especially food': 173613, 'especially food shelf': 280479, 'food shelf and': 316453, 'shelf and pantry': 756751, 'and pantry are': 68681, 'struggling to meet': 814511, 'to meet increased': 910030, 'for service and': 325497, 'service and fewer': 752086, 'and fewer volunteer': 62821, 'to across minnesota': 900004, 'across minnesota including': 29390, 'minnesota including united': 533613, 'including united way': 432238, 'united way of': 942266, 'way of greater': 969757, 'of greater twin': 584322, 'greater twin city': 363257, 'biking': 130439, 'my 1st': 547133, 'day off': 228120, 'off work': 594406, 'work this': 1005854, 'already making': 47518, 'making me': 511192, 'me do': 522659, 'do funny': 249325, 'funny thing': 341800, 'thing wa': 884946, 'wa biking': 961703, 'biking to': 130440, 'supermarket actually': 818772, 'actually said': 30940, 'said good': 731085, 'morning to': 541505, 'to complete': 903135, 'complete stranger': 192155, 'my 1st day': 547134, '1st day off': 12732, 'day off work': 228133, 'off work this': 594414, 'work this covid': 1005855, '19 is already': 7932, 'is already making': 445525, 'already making me': 47520, 'making me do': 511195, 'me do funny': 522661, 'do funny thing': 249326, 'funny thing wa': 341803, 'thing wa biking': 884948, 'wa biking to': 961704, 'biking to the': 130441, 'the supermarket actually': 868445, 'supermarket actually said': 818773, 'actually said good': 30941, 'said good morning': 731086, 'good morning to': 357413, 'morning to complete': 541507, 'to complete stranger': 903138, 'derrell': 237885, 'peel': 646251, 'agnews': 38311, 'topstory': 925868, 'cattlemarkets': 167386, 'farmincome': 299601, 'ag economist': 36790, 'economist derrell': 267533, 'derrell peel': 237886, 'peel say': 646259, 'say market': 738919, 'market recovery': 516966, 'recovery from': 705330, 'from impact': 336010, 'impact could': 417622, 'be lengthy': 115707, 'lengthy read': 486336, 'and listen': 66221, 'listen agnews': 494662, 'agnews topstory': 38312, 'topstory market': 925869, 'market cattlemarkets': 516154, 'cattlemarkets farmincome': 167387, 'farmincome price': 299602, 'ag economist derrell': 36791, 'economist derrell peel': 267534, 'derrell peel say': 237887, 'peel say market': 646260, 'say market recovery': 738920, 'market recovery from': 516967, 'recovery from impact': 705333, 'from impact could': 336011, 'impact could be': 417623, 'could be lengthy': 208892, 'be lengthy read': 115708, 'lengthy read more': 486337, 'read more and': 700420, 'more and listen': 538616, 'and listen agnews': 66222, 'listen agnews topstory': 494663, 'agnews topstory market': 38313, 'topstory market cattlemarkets': 925870, 'market cattlemarkets farmincome': 516155, 'cattlemarkets farmincome price': 167388, 'sanitizer with': 736128, 'with simple': 1000738, 'simple ingredient': 770040, 'ingredient 19': 438342, 'hand sanitizer with': 375671, 'sanitizer with simple': 736140, 'with simple ingredient': 1000740, 'simple ingredient 19': 770041, 'excited': 289520, 'never did': 557947, 'did think': 240873, 'think would': 885795, 'this excited': 887478, 'excited to': 289569, 'find toilet': 307344, 'never did think': 557948, 'did think would': 240874, 'think would be': 885796, 'would be this': 1011660, 'be this excited': 117703, 'this excited to': 887479, 'excited to find': 289573, 'to find toilet': 905948, 'find toilet paper': 307345, 'paper toiletpaper pandemic': 640950, 'lorain': 503293, 'battling': 112858, 'whomever': 990574, 'in lorain': 424921, 'lorain are': 503294, 'adjusting store': 32355, 'give people': 350643, 'up without': 946706, 'without battling': 1002514, 'battling large': 112861, 'crowd please': 219234, 'with whomever': 1002098, 'whomever you': 990581, 'feel could': 302601, 'could use': 209803, 'information more': 437892, 'store in lorain': 808335, 'in lorain are': 424922, 'lorain are adjusting': 503295, 'are adjusting store': 84233, 'adjusting store hour': 32356, 'store hour to': 808212, 'hour to give': 406024, 'to give people': 906702, 'give people most': 350646, 'people most vulnerable': 648796, 'most vulnerable to': 542898, 'vulnerable to the': 961236, 'to the opportunity': 916926, 'opportunity to stock': 613729, 'stock up without': 803135, 'up without battling': 946707, 'without battling large': 1002515, 'battling large crowd': 112862, 'large crowd please': 479636, 'crowd please share': 219235, 'share with whomever': 755359, 'with whomever you': 1002099, 'whomever you feel': 990582, 'you feel could': 1018536, 'feel could use': 302602, 'could use this': 209810, 'use this information': 949728, 'this information more': 888114, 'information more here': 437893, 'canon': 162249, 'india canon': 434335, 'canon employee': 162250, 'employee across': 273511, 'across india': 29347, 'india come': 434347, 'together contribute': 920751, 'to pm': 911843, 'pm care': 661873, 'care fund': 163968, 'india canon employee': 434336, 'canon employee across': 162251, 'employee across india': 273512, 'across india come': 29349, 'india come together': 434348, 'come together contribute': 187625, 'together contribute to': 920752, 'contribute to pm': 201881, 'to pm care': 911845, 'pm care fund': 661875, 'temperaturecontrolsolutions': 837413, 'prolong': 683615, 'industry also': 435617, 'also need': 48546, 'about preparing': 25981, 'post disaster': 666095, 'disaster recovery': 244238, 'recovery to': 705407, 'running our': 728019, 'our temperaturecontrolsolutions': 625117, 'temperaturecontrolsolutions can': 837414, 'can prolong': 159315, 'prolong your': 683618, 'your stock': 1025951, 'stock helping': 802228, 'helping you': 391549, 'running after': 727895, 'the food industry': 855561, 'food industry also': 315003, 'industry also need': 435618, 'also need to': 48553, 'think about preparing': 885097, 'about preparing for': 25982, 'preparing for post': 670333, 'for post disaster': 324637, 'post disaster recovery': 666096, 'disaster recovery to': 244239, 'recovery to keep': 705409, 'keep the food': 472045, 'chain running our': 171068, 'running our temperaturecontrolsolutions': 728020, 'our temperaturecontrolsolutions can': 625118, 'temperaturecontrolsolutions can prolong': 837415, 'can prolong your': 159316, 'prolong your stock': 683619, 'your stock helping': 1025953, 'stock helping you': 802229, 'helping you keep': 391554, 'you keep the': 1019451, 'keep the supply': 472076, 'chain running after': 171064, 'running after 19': 727896, 'swine': 830385, 'graduate': 361708, 'ridden': 721410, 'seemingly': 746735, 'manufactured': 513396, 'realistic': 701661, 'conclusion': 193316, 'the swine': 869058, 'swine flu': 830386, 'flu while': 311498, 'while in': 986936, 'in graduate': 423398, 'graduate school': 361719, 'school spent': 741929, 'spent month': 789144, 'month bed': 537605, 'bed ridden': 120414, 'ridden million': 721415, 'million caught': 532109, 'caught it': 167431, 'and thousand': 74061, 'thousand died': 893388, 'died don': 241528, 'don remember': 253866, 'of seemingly': 589457, 'seemingly manufactured': 746740, 'manufactured mass': 513406, 'mass hysteria': 519786, 'hysteria logic': 412461, 'logic and': 500643, 'number lead': 576908, 'to realistic': 912855, 'realistic conclusion': 701662, 'conclusion about': 193317, 'caught the swine': 167462, 'the swine flu': 869059, 'swine flu while': 830388, 'flu while in': 311499, 'while in graduate': 986942, 'in graduate school': 423399, 'graduate school spent': 361720, 'school spent month': 741930, 'spent month bed': 789145, 'month bed ridden': 537606, 'bed ridden million': 120415, 'ridden million caught': 721416, 'million caught it': 532110, 'caught it around': 167432, 'it around the': 456590, 'world and thousand': 1009290, 'and thousand died': 74062, 'thousand died don': 893389, 'died don remember': 241529, 'don remember this': 253868, 'remember this type': 710355, 'type of seemingly': 937582, 'of seemingly manufactured': 589459, 'seemingly manufactured mass': 746741, 'manufactured mass hysteria': 513407, 'mass hysteria logic': 519789, 'hysteria logic and': 412462, 'logic and number': 500644, 'and number lead': 67880, 'number lead to': 576909, 'lead to realistic': 483381, 'to realistic conclusion': 912856, 'realistic conclusion about': 701663, 'conclusion about this': 193319, 'about this situation': 26659, 'nationally': 552688, 'regionally': 707531, 'rwanda will': 728753, 'will always': 992270, 'always do': 49530, 'continue supporting': 201139, 'supporting to': 827225, 'to seller': 914191, 'seller and': 748964, 'consumer nationally': 198177, 'nationally regionally': 552695, 'regionally and': 707532, 'and internationally': 65327, 'internationally by': 441878, 'by providing': 153673, 'providing effective': 686973, 'and efficient': 61962, 'efficient logistics': 269428, 'logistics let': 500769, 'all embrace': 42673, 'embrace shopping': 272487, 'and shipping': 71473, 'shipping to': 758931, 'rwanda will always': 728754, 'will always do': 992272, 'always do it': 49531, 'do it best': 249464, 'it best to': 456857, 'best to continue': 127941, 'to continue supporting': 903406, 'continue supporting to': 201141, 'supporting to seller': 827226, 'to seller and': 914192, 'seller and consumer': 748965, 'and consumer nationally': 60405, 'consumer nationally regionally': 198178, 'nationally regionally and': 552696, 'regionally and internationally': 707533, 'and internationally by': 65328, 'internationally by providing': 441879, 'by providing effective': 153675, 'providing effective and': 686974, 'effective and efficient': 269218, 'and efficient logistics': 61964, 'efficient logistics let': 269429, 'logistics let all': 500770, 'let all embrace': 486555, 'all embrace shopping': 42674, 'embrace shopping and': 272488, 'shopping and shipping': 762022, 'and shipping to': 71478, 'shipping to avoid': 758934, 'avoid the epidemic': 105321, 'realizing': 701928, 'wind': 995618, 'heat': 388489, 'invest': 443744, 'proof': 683985, 'today realizing': 920101, 'realizing how': 701929, 'how fragile': 407881, 'fragile our': 330898, 'our system': 625061, 'system are': 831111, 'are wind': 91641, 'wind storm': 995633, 'storm on': 811830, 'on saturday': 603292, 'saturday meant': 737041, 'meant no': 524890, 'no power': 565155, 'power no': 667645, 'no heat': 564411, 'heat cancelled': 388492, 'cancelled grocery': 161117, 'delivery mean': 234177, 'food trying': 317374, 'trying not': 934722, 'panic or': 638363, 'or immediately': 615736, 'immediately invest': 417118, 'invest in': 443750, 'in bunker': 421059, 'bunker but': 142675, 'but and': 145185, 'our are': 622106, 'future proof': 342432, 'proof my': 684001, 'my home': 548682, 'today realizing how': 920102, 'realizing how fragile': 701930, 'how fragile our': 407883, 'fragile our system': 330899, 'our system are': 625062, 'system are wind': 831119, 'are wind storm': 91642, 'wind storm on': 995634, 'storm on saturday': 811831, 'on saturday meant': 603300, 'saturday meant no': 737042, 'meant no power': 524891, 'no power no': 565159, 'power no heat': 667647, 'no heat cancelled': 564412, 'heat cancelled grocery': 388493, 'cancelled grocery delivery': 161118, 'grocery delivery mean': 364446, 'delivery mean no': 234178, 'mean no food': 524566, 'no food trying': 564281, 'food trying not': 317375, 'trying not to': 934723, 'to panic or': 911414, 'panic or immediately': 638367, 'or immediately invest': 615737, 'immediately invest in': 417119, 'invest in bunker': 443753, 'in bunker but': 421060, 'bunker but and': 142676, 'but and our': 145188, 'and our are': 68476, 'our are making': 622108, 'are making me': 87992, 'making me want': 511207, 'want to future': 966039, 'to future proof': 906348, 'future proof my': 342433, 'proof my home': 684002, 'worker start': 1007805, 'start dying': 794284, 'from coronavirus': 335009, 'coronavirus at': 205523, 'least four': 484474, 'four people': 330651, 'had worked': 373807, 'walmart trader': 965452, 'joe and': 466402, 'and giant': 63640, 'giant have': 349793, 'died in': 241569, 'day from': 227653, 'grocery worker start': 366189, 'worker start dying': 1007806, 'start dying from': 794286, 'dying from coronavirus': 263819, 'from coronavirus at': 335011, 'coronavirus at least': 205528, 'at least four': 99495, 'least four people': 484477, 'four people who': 330653, 'people who had': 650304, 'who had worked': 988892, 'had worked at': 373808, 'worked at walmart': 1006105, 'at walmart trader': 101479, 'walmart trader joe': 965453, 'trader joe and': 928708, 'joe and giant': 466403, 'and giant have': 63642, 'giant have died': 349795, 'have died in': 380269, 'died in recent': 241573, 'recent day from': 703860, 'day from covid': 227657, 'californian': 155636, 'caneedsyou': 161361, 'calling all': 156515, 'all californian': 42270, 'californian food': 155643, 'line providing': 493364, 'providing vulnerable': 687135, 'vulnerable californian': 960892, 'during but': 262480, 'but volunteer': 147699, 'volunteer are': 960223, 'demand ha': 235599, 'ha never': 371318, 'never been': 557886, 'been higher': 121283, 'higher ha': 395605, 'in but': 421092, 'now caneedsyou': 574339, 'caneedsyou visit': 161362, 'calling all californian': 156517, 'all californian food': 42271, 'californian food bank': 155644, 'bank are at': 109640, 'front line providing': 338596, 'line providing vulnerable': 493365, 'providing vulnerable californian': 687136, 'vulnerable californian food': 960893, 'californian food during': 155645, 'food during but': 314318, 'during but volunteer': 262486, 'but volunteer are': 147700, 'volunteer are low': 960226, 'and the demand': 73320, 'the demand ha': 853098, 'demand ha never': 235611, 'ha never been': 371319, 'never been higher': 557896, 'been higher ha': 121285, 'higher ha stepped': 395606, 'stepped in but': 799773, 'in but now': 421096, 'but now caneedsyou': 146598, 'now caneedsyou visit': 574340, 'caneedsyou visit to': 161363, 'query': 693449, 'googletrends': 358217, 'searchresults': 743343, 'gl': 351471, 'really interesting': 702344, 'interesting search': 441609, 'search topic': 743297, 'topic and': 925774, 'and search': 71104, 'search query': 743283, 'query you': 693462, 'can simply': 159626, 'simply search': 770278, 'search by': 743228, 'by your': 154784, 'location time': 498971, 'time period': 897475, 'period category': 651734, 'category search': 167209, 'search type': 743299, 'type googletrends': 937528, 'googletrends searchresults': 358218, 'searchresults my': 743344, 'my example': 548116, 'example wa': 288999, 'wa coronavirus': 961877, 'coronavirus gl': 205990, 'really interesting search': 702346, 'interesting search topic': 441610, 'search topic and': 743298, 'topic and search': 925776, 'and search query': 71107, 'search query you': 743284, 'query you can': 693463, 'you can simply': 1017785, 'can simply search': 159627, 'simply search by': 770279, 'search by your': 743229, 'by your location': 154789, 'your location time': 1024733, 'location time period': 498972, 'time period category': 897476, 'period category search': 651735, 'category search type': 167210, 'search type googletrends': 743300, 'type googletrends searchresults': 937529, 'googletrends searchresults my': 358219, 'searchresults my example': 743345, 'my example wa': 548117, 'example wa coronavirus': 289000, 'wa coronavirus gl': 961878, 'chase': 173880, 'an endless': 55738, 'endless chase': 276219, 'chase for': 173883, 'for toilet': 327246, 'toiletpaper animation': 921738, 'feel like an': 302698, 'like an endless': 489766, 'an endless chase': 55739, 'endless chase for': 276220, 'chase for toilet': 173884, 'for toilet paper': 327248, 'paper toiletpaper animation': 640944, 'designated': 238286, 'shopping should': 763877, 'have designated': 380237, 'designated day': 238290, 'day per': 228204, 'people 55': 646725, '55 and': 20364, 'older or': 598634, 'or disabled': 614977, 'disabled suggest': 243970, 'suggest tuesday': 817549, 'tuesday and': 935114, 'and friday': 63309, 'just for': 468742, 'not everyone': 569297, 'everyone can': 286764, 'up early': 944765, 'early to': 264720, 'open store': 612520, 'earlier help': 264452, 'shopping should have': 763881, 'should have designated': 766072, 'have designated day': 380238, 'designated day per': 238291, 'day per week': 228207, 'per week for': 651066, 'week for people': 976233, 'for people 55': 324442, 'people 55 and': 646726, '55 and older': 20365, 'and older or': 68042, 'older or disabled': 598635, 'or disabled suggest': 614981, 'disabled suggest tuesday': 243971, 'suggest tuesday and': 817550, 'tuesday and friday': 935115, 'and friday just': 63311, 'friday just for': 333250, 'just for them': 468761, 'for them not': 326910, 'them not everyone': 876053, 'not everyone can': 569298, 'everyone can get': 286769, 'get up early': 348563, 'up early to': 944771, 'early to open': 264733, 'to open store': 911006, 'open store earlier': 612521, 'store earlier help': 807420, 'earlier help others': 264453, 'buckscounty': 141701, 'need second': 555545, 'second mortgage': 743765, 'mortgage so': 541960, 'afford hand': 34700, 'emergency is': 272758, 'illegal call': 416205, 'call buckscounty': 155799, 'buckscounty consumer': 141702, 'need second mortgage': 555546, 'second mortgage so': 743766, 'mortgage so you': 541961, 'can afford hand': 157399, 'afford hand sanitizer': 34701, 'sanitizer price gouging': 735582, 'gouging in the': 359352, 'midst of an': 530779, 'of an emergency': 580107, 'an emergency is': 55678, 'emergency is illegal': 272761, 'is illegal call': 448665, 'illegal call buckscounty': 416206, 'call buckscounty consumer': 155800, 'buckscounty consumer protection': 141703, '0469315906': 936, 'atanda': 101705, 'afeez': 33973, 'ademola': 32146, 'gtbank': 367664, 'hustling': 411842, 'dem': 234854, '0469315906 atanda': 937, 'atanda afeez': 101706, 'afeez ademola': 33974, 'ademola gtbank': 32147, 'gtbank pls': 367665, 'sir help': 771580, 'me am': 522388, 'am young': 50585, 'young boy': 1022570, 'boy in': 137261, 'street of': 813045, 'of lagos': 585704, 'lagos hustling': 478931, 'hustling alone': 411843, 'alone mama': 46882, 'mama de': 511924, 'de house': 229072, 'house de': 406258, 'de call': 229043, 'call say': 156100, 'say she': 739125, 'she need': 756228, 'need money': 555244, 'house used': 406649, 'send dem': 749839, 'dem money': 234876, 'money every': 536734, 'every month': 286020, 'month but': 537626, '0469315906 atanda afeez': 938, 'atanda afeez ademola': 101707, 'afeez ademola gtbank': 33975, 'ademola gtbank pls': 32148, 'gtbank pls sir': 367666, 'pls sir help': 661179, 'sir help me': 771581, 'help me am': 390061, 'me am young': 522390, 'am young boy': 50586, 'young boy in': 1022571, 'boy in the': 137262, 'in the street': 429579, 'the street of': 868239, 'street of lagos': 813047, 'of lagos hustling': 585706, 'lagos hustling alone': 478932, 'hustling alone mama': 411844, 'alone mama de': 46883, 'mama de house': 511925, 'de house de': 229073, 'house de call': 406259, 'de call say': 229044, 'call say she': 156101, 'say she need': 739129, 'she need money': 756233, 'need money to': 555246, 'money to stock': 537119, 'food for house': 314542, 'for house used': 322408, 'house used to': 406650, 'used to send': 950087, 'to send dem': 914207, 'send dem money': 749840, 'dem money every': 234877, 'money every month': 536735, 'every month but': 286021, 'fooled': 318321, 'contacting': 200343, 'texting': 839981, 'taken advantage': 832932, 'of during': 582876, 'mom dad': 535716, 'dad kid': 224362, 'kid do': 473924, 'be fooled': 114900, 'fooled follow': 318324, 'follow these': 312553, 'step if': 799556, 'have question': 382128, 'about anyone': 24819, 'anyone contacting': 80242, 'contacting you': 200352, 'you by': 1017592, 'by phone': 153572, 'phone email': 654949, 'email texting': 272327, 'texting any': 839982, 'any thing': 79957, 'thing or': 884653, 'or way': 617734, 'way about': 969426, 'not be taken': 568467, 'be taken advantage': 117498, 'taken advantage of': 832933, 'advantage of during': 33000, 'of during the': 582877, 'during the mom': 263155, 'the mom dad': 860735, 'mom dad kid': 535718, 'dad kid do': 224363, 'kid do not': 473925, 'not be fooled': 568386, 'be fooled follow': 114901, 'fooled follow these': 318325, 'follow these step': 312559, 'these step if': 880724, 'step if you': 799557, 'you have question': 1019100, 'have question about': 382129, 'question about anyone': 693492, 'about anyone contacting': 24820, 'anyone contacting you': 80243, 'contacting you by': 200353, 'you by phone': 1017593, 'by phone email': 153576, 'phone email texting': 654950, 'email texting any': 272328, 'texting any thing': 839983, 'any thing or': 79959, 'thing or way': 884657, 'or way about': 617735, 'minimal': 533046, 'wa otherwise': 962869, 'otherwise an': 621824, 'an interesting': 56400, 'interesting article': 441509, 'article took': 94491, 'took huge': 925258, 'huge wrong': 410264, 'wrong turn': 1013139, 'turn at': 935647, 'end to': 276003, 'the overall': 862766, 'overall impact': 631018, 'ha so': 371976, 'far been': 298720, 'been minimal': 121527, 'what wa otherwise': 982519, 'wa otherwise an': 962870, 'otherwise an interesting': 621825, 'an interesting article': 56402, 'interesting article took': 441515, 'article took huge': 94492, 'took huge wrong': 925259, 'huge wrong turn': 410265, 'wrong turn at': 1013140, 'turn at the': 935648, 'the end to': 854308, 'end to be': 276005, 'to be sure': 901576, 'be sure the': 117472, 'sure the overall': 827715, 'the overall impact': 862768, 'overall impact of': 631019, '19 on the': 8968, 'global food system': 351953, 'food system ha': 317046, 'system ha so': 831194, 'ha so far': 371977, 'so far been': 777014, 'far been minimal': 298721, 'parenting': 641792, 'and child': 59825, 'child experience': 176084, 'experience covid': 291338, 're facing': 698659, 'facing similar': 295600, 'similar anxiety': 769885, 'anxiety and': 78649, 'and finding': 62898, 'finding some': 307536, 'some silver': 783874, 'lining learn': 493744, 'new parenting': 559258, 'parenting through': 641805, 'pandemic study': 636580, 'consumer research': 198748, 'research team': 713852, 'parent and child': 641568, 'and child experience': 59828, 'child experience covid': 176085, 'experience covid 19': 291339, '19 they re': 11314, 'they re facing': 883031, 're facing similar': 698663, 'facing similar anxiety': 295601, 'similar anxiety and': 769886, 'anxiety and finding': 78652, 'and finding some': 62902, 'finding some silver': 307538, 'some silver lining': 783875, 'silver lining learn': 769824, 'lining learn more': 493745, 'more from the': 539310, 'the new parenting': 861538, 'new parenting through': 559259, 'parenting through the': 641806, 'the pandemic study': 863111, 'pandemic study from': 636581, 'study from consumer': 814896, 'from consumer research': 334971, 'consumer research team': 198761, 'sad that': 729249, 'that uk': 847159, 'uk are': 938185, 'not doing': 569083, 'doing anything': 252295, 'profiteering during': 683024, 'this awful': 886472, 'awful time': 106241, 'time example': 896639, 'example among': 288864, 'among many': 53019, 'many that': 514788, 'been trading': 122265, 'trading for': 928858, 'day selling': 228331, 'selling antibacterial': 749156, 'antibacterial and': 78347, 'and baby': 58607, 'baby item': 106644, 'price obviously': 675387, 'obviously profit': 578849, 'profit are': 682663, 'important corvid19uk': 418774, 'corvid19uk coronacrisis': 207745, 'it sad that': 460831, 'sad that uk': 729256, 'that uk are': 847161, 'uk are not': 938193, 'are not doing': 88352, 'not doing anything': 569084, 'doing anything to': 252299, 'anything to stop': 80919, 'stop profiteering during': 804943, 'profiteering during this': 683028, 'during this awful': 263262, 'this awful time': 886475, 'awful time example': 106243, 'time example among': 896640, 'example among many': 288865, 'among many that': 53022, 'many that have': 514789, 'have been trading': 379725, 'been trading for': 122267, 'trading for day': 928859, 'for day selling': 320583, 'day selling antibacterial': 228332, 'selling antibacterial and': 749157, 'antibacterial and baby': 78349, 'and baby item': 58610, 'baby item at': 106645, 'item at inflated': 463129, 'inflated price obviously': 437056, 'price obviously profit': 675388, 'obviously profit are': 578850, 'profit are more': 682665, 'are more important': 88113, 'more important corvid19uk': 539488, 'important corvid19uk coronacrisis': 418775, 'envoy': 279220, 'david': 226974, 'nabarro': 551346, 'ndtv': 553430, 'watch india': 968449, 'ha chance': 370112, 'of really': 588802, 'really getting': 702220, 'getting ahead': 348828, 'it who': 462355, 'who special': 989645, 'special envoy': 787909, 'envoy dr': 279221, 'dr david': 257993, 'david nabarro': 226994, 'nabarro on': 551347, 'on ndtv': 602349, 'watch india ha': 968450, 'india ha chance': 434440, 'ha chance of': 370113, 'chance of really': 171767, 'of really getting': 588804, 'really getting on': 702222, 'getting on top': 349158, 'of this virus': 592064, 'this virus and': 890998, 'virus and getting': 957927, 'and getting ahead': 63618, 'getting ahead of': 348829, 'ahead of it': 39185, 'of it who': 585465, 'it who special': 462358, 'who special envoy': 989646, 'special envoy dr': 787910, 'envoy dr david': 279222, 'dr david nabarro': 257994, 'david nabarro on': 226995, 'nabarro on ndtv': 551348, 'commit': 188966, 'cookbook': 202800, 'alternatively': 49293, 'isolationtips': 455551, 'wellbeingtips': 978805, 'coronavirus life': 206226, 'life tip': 489127, 'tip commit': 898732, 'commit to': 188976, 'making recipe': 511304, 'recipe from': 704469, 'from cookbook': 334994, 'cookbook alternatively': 202801, 'alternatively use': 49294, 'app or': 81743, 'or website': 617752, 'website bbc': 975219, 'bbc good': 113075, 'have huge': 380993, 'huge stock': 410211, 'of recipe': 588830, 'recipe for': 704457, 'all family': 42753, 'family size': 298228, 'size and': 772757, 'and budget': 59231, 'budget isolationtips': 141804, 'isolationtips wellbeingtips': 455552, 'coronavirus life tip': 206227, 'life tip commit': 489128, 'tip commit to': 898733, 'commit to making': 188980, 'to making recipe': 909778, 'making recipe from': 511305, 'recipe from cookbook': 704471, 'from cookbook alternatively': 334995, 'cookbook alternatively use': 202802, 'alternatively use an': 49295, 'use an app': 949036, 'an app or': 55356, 'app or website': 81747, 'or website bbc': 617753, 'website bbc good': 975220, 'bbc good food': 113076, 'good food have': 357061, 'food have huge': 314784, 'have huge stock': 380998, 'huge stock of': 410212, 'stock of recipe': 802540, 'of recipe for': 588831, 'recipe for all': 704458, 'for all family': 319125, 'all family size': 42755, 'family size and': 298229, 'size and budget': 772758, 'and budget isolationtips': 59233, 'budget isolationtips wellbeingtips': 141805, 'hartman': 378584, 'spotlight': 790160, 'functionalfoods': 341308, 'functionality': 341311, 'immunity': 417387, 'opportunity in': 613642, 'in functional': 423181, 'functional food': 341294, 'beverage supplement': 129038, 'supplement in': 824414, 'coronavirus age': 205472, 'age new': 37851, 'new hartman': 558859, 'hartman group': 378585, 'group study': 366896, 'study launch': 814926, 'launch spotlight': 481945, 'spotlight on': 790171, 'on impact': 601501, 'coronavirus on': 206336, 'consumer wellness': 199502, 'wellness lifestyle': 978848, 'lifestyle functionalfoods': 489362, 'functionalfoods functionality': 341309, 'functionality supplement': 341314, 'supplement immunity': 824413, 'opportunity in functional': 613644, 'in functional food': 423182, 'functional food beverage': 341295, 'food beverage supplement': 313748, 'beverage supplement in': 129039, 'supplement in the': 824415, 'in the coronavirus': 429098, 'the coronavirus age': 851802, 'coronavirus age new': 205473, 'age new hartman': 37852, 'new hartman group': 558860, 'hartman group study': 378586, 'group study launch': 366897, 'study launch spotlight': 814927, 'launch spotlight on': 481946, 'spotlight on impact': 790172, 'on impact of': 601503, 'impact of coronavirus': 417761, 'of coronavirus on': 581952, 'coronavirus on consumer': 206338, 'on consumer wellness': 600083, 'consumer wellness lifestyle': 199503, 'wellness lifestyle functionalfoods': 978849, 'lifestyle functionalfoods functionality': 489363, 'functionalfoods functionality supplement': 341310, 'functionality supplement immunity': 341315, 'stigma': 800140, 'booster': 135053, 'fighting stigma': 305118, 'stigma corona': 800143, 'virus herb': 958278, 'herb and': 392566, 'and natural': 67441, 'natural food': 552826, 'for immunity': 322484, 'immunity booster': 417395, 'booster covid': 135054, '19 day': 6428, 'india so': 434614, 'is time': 453158, 'time demand': 896551, 'must aware': 546483, 'aware about': 105601, 'the healthy': 857203, 'healthy eating': 387590, 'eating and': 266171, 'for increasing': 322532, 'increasing immunity': 433622, 'immunity corona': 417404, 'virus affected': 957894, 'fighting stigma corona': 305119, 'stigma corona virus': 800144, 'corona virus herb': 204314, 'virus herb and': 958279, 'herb and natural': 392567, 'and natural food': 67442, 'natural food for': 552827, 'food for immunity': 314544, 'for immunity booster': 322485, 'immunity booster covid': 417396, 'booster covid 19': 135055, 'covid 19 day': 212914, '19 day per': 6431, 'day per day': 228205, 'day in india': 227798, 'in india so': 424052, 'india so this': 434616, 'this is time': 888429, 'is time demand': 453161, 'time demand that': 896553, 'demand that we': 236342, 'that we must': 847383, 'we must aware': 972403, 'must aware about': 546484, 'aware about the': 105602, 'about the healthy': 26411, 'the healthy eating': 857205, 'healthy eating and': 387591, 'eating and food': 266175, 'and food for': 63050, 'food for increasing': 314545, 'for increasing immunity': 322533, 'increasing immunity corona': 433623, 'immunity corona virus': 417405, 'corona virus affected': 204281, 'queing': 693431, 'carpark': 164880, 'bro said': 140693, 'are queing': 89376, 'queing out': 693436, 'massive carpark': 519979, 'carpark out': 164881, 'half way': 374296, 'way up': 970140, 'street good': 812984, 'good hr': 357189, 'hr wait': 409675, 'bro said they': 140694, 'said they are': 731470, 'they are queing': 881373, 'are queing out': 89377, 'queing out the': 693437, 'out the supermarket': 627426, 'the supermarket the': 868846, 'supermarket the whole': 823257, 'whole of the': 990290, 'of the massive': 591227, 'the massive carpark': 860263, 'massive carpark out': 519980, 'carpark out of': 164882, 'of it and': 585364, 'it and half': 456496, 'and half way': 64128, 'half way up': 374297, 'way up the': 970148, 'up the street': 946221, 'the street good': 868231, 'street good hr': 812985, 'good hr wait': 357190, 'lacking': 478683, 'spiral': 789415, 'it give': 458238, 'give sense': 350689, 'control at': 201971, 're lacking': 698973, 'lacking that': 478693, 'people hear': 648228, 'that other': 845560, 'something and': 784847, 'say oh': 739013, 'oh need': 596422, 'that too': 847094, 'too and': 924575, 'just spiral': 469848, 'spiral to': 789432, 'this level': 888617, 'level where': 487753, 'the thing about': 869448, 'thing about panic': 884089, 'buying is that': 150582, 'is that it': 452659, 'that it give': 844709, 'it give sense': 458239, 'give sense of': 350690, 'sense of control': 750555, 'of control at': 581841, 'control at time': 201973, 'time when we': 898309, 'when we re': 984462, 'we re lacking': 972909, 're lacking that': 698974, 'lacking that people': 478695, 'that people hear': 845695, 'people hear that': 648229, 'hear that other': 387995, 'that other people': 845562, 'other people are': 620657, 'are buying something': 85131, 'buying something and': 151061, 'something and they': 784851, 'and they say': 73936, 'they say oh': 883277, 'say oh need': 739014, 'oh need that': 596423, 'need that too': 555735, 'that too and': 847096, 'too and it': 924580, 'and it just': 65544, 'it just spiral': 459245, 'just spiral to': 469849, 'spiral to this': 789433, 'to this level': 917439, 'this level where': 888620, 'level where we': 487755, 'where we have': 985342, 'we have none': 971877, 'represented': 712928, 'liz': 496505, 'hallock': 374386, 'state nonprofit': 795783, 'nonprofit washlite': 566712, 'washlite represented': 967836, 'represented by': 712929, 'by liz': 153064, 'liz hallock': 496508, 'hallock gov': 374387, 'gov file': 359583, 'file lawsuit': 305353, 'lawsuit on': 482539, 'april against': 83533, 'news others': 560679, 'for violation': 327565, 'violation of': 957517, 'act including': 29661, 'including for': 431968, 'for calling': 319881, 'calling hoax': 156572, 'washington state nonprofit': 967807, 'state nonprofit washlite': 795784, 'nonprofit washlite represented': 566713, 'washlite represented by': 967837, 'represented by liz': 712931, 'by liz hallock': 153065, 'liz hallock gov': 496509, 'hallock gov file': 374388, 'gov file lawsuit': 359584, 'file lawsuit on': 305354, 'lawsuit on april': 482540, 'on april against': 599444, 'april against fox': 83534, 'fox news others': 330767, 'news others for': 560680, 'others for violation': 621415, 'for violation of': 327566, 'violation of the': 957521, 'the consumer protection': 851578, 'protection act including': 685279, 'act including for': 29662, 'including for calling': 431969, 'for calling hoax': 319882, 'beloved': 126528, 'fossil': 330076, 'finite': 307944, 'divesting': 248580, 'dinosaur': 243129, 'truth 19': 934376, 'than your': 841501, 'your beloved': 1022941, 'beloved oil': 126539, 'oil cartel': 596665, 'cartel fossil': 165449, 'fossil fuel': 330077, 'fuel is': 340190, 'is finite': 447821, 'finite smart': 307947, 'smart investor': 775384, 'investor are': 444106, 'are divesting': 85874, 'divesting it': 248581, 'only dinosaur': 610336, 'dinosaur like': 243136, 'you who': 1022302, 'who benefit': 988316, 'from high': 335787, 'high fuel': 395097, 'want people': 965896, 'people back': 647208, 'pump propping': 689096, 'your portfolio': 1025355, 'truth 19 pandemic': 934377, '19 pandemic is': 9369, 'pandemic is more': 635783, 'is more important': 449711, 'important than your': 419004, 'than your beloved': 841503, 'your beloved oil': 1022942, 'beloved oil cartel': 126540, 'oil cartel fossil': 596667, 'cartel fossil fuel': 165450, 'fossil fuel is': 330082, 'fuel is finite': 340192, 'is finite smart': 447822, 'finite smart investor': 307948, 'smart investor are': 775385, 'investor are divesting': 444107, 'are divesting it': 85875, 'divesting it only': 248582, 'it only dinosaur': 460095, 'only dinosaur like': 610337, 'dinosaur like you': 243137, 'like you who': 491885, 'you who benefit': 1022304, 'who benefit from': 988317, 'benefit from high': 126985, 'from high fuel': 335788, 'high fuel price': 395098, 'fuel price which': 340261, 'price which is': 677512, 'which is why': 986066, 'is why you': 453986, 'why you want': 991603, 'you want people': 1022151, 'want people back': 965897, 'people back at': 647209, 'back at the': 106894, 'at the pump': 101070, 'the pump propping': 864906, 'pump propping up': 689097, 'propping up your': 684587, 'up your portfolio': 946748, 'skint': 773116, 'boredom': 135391, 'divorced': 248715, 'get fat': 346996, 'fat skint': 300215, 'skint from': 773121, 'from online': 336690, 'online boredom': 607946, 'boredom shopping': 135412, 'and divorced': 61543, 'to get fat': 906477, 'get fat skint': 346998, 'fat skint from': 300216, 'skint from online': 773122, 'from online boredom': 336691, 'online boredom shopping': 607947, 'boredom shopping and': 135413, 'shopping and divorced': 761976, 'numerator': 577111, 'data is': 226282, 'ready the': 700931, 'the numerator': 861967, 'numerator buying': 577112, 'behavior index': 124090, 'index now': 434223, 'now show': 575820, 'show 14': 766835, '14 of': 3506, 'of 14': 579351, '14 channel': 3433, 'channel trending': 172940, 'trending up': 931582, 'up compared': 944625, 'to 2019': 899595, '2019 and': 13932, 'and channel': 59737, 'channel increased': 172893, 'increased at': 433202, 'the beginning': 849430, 'beginning of': 123642, 'week stay': 976914, 'healthy friend': 387642, '19 consumer data': 5966, 'consumer data is': 197059, 'data is ready': 226289, 'is ready the': 451256, 'ready the numerator': 700933, 'the numerator buying': 861968, 'numerator buying behavior': 577113, 'buying behavior index': 150014, 'behavior index now': 124092, 'index now show': 434224, 'now show 14': 575821, 'show 14 of': 766836, '14 of 14': 3507, 'of 14 channel': 579352, '14 channel trending': 3434, 'channel trending up': 172942, 'trending up compared': 931583, 'up compared to': 944626, 'compared to 2019': 191420, 'to 2019 and': 899596, '2019 and channel': 13934, 'and channel increased': 59740, 'channel increased at': 172894, 'increased at the': 433203, 'at the beginning': 100885, 'the beginning of': 849437, 'beginning of week': 123654, 'of week stay': 593006, 'week stay healthy': 976916, 'stay healthy friend': 796905, 'redmeat': 705752, 'hoardersgonnahoard': 399159, 'yesterday no': 1015815, 'no chicken': 563794, 'chicken breast': 175754, 'breast on': 139138, 'the truck': 870029, 'truck today': 932872, 'today no': 919929, 'no redmeat': 565312, 'redmeat hoardersgonnahoard': 705755, 'yesterday no chicken': 1015816, 'no chicken breast': 563796, 'chicken breast on': 175757, 'breast on the': 139139, 'on the truck': 604415, 'the truck today': 870038, 'truck today no': 932873, 'today no redmeat': 919936, 'no redmeat hoardersgonnahoard': 565313, 'broad': 140699, 'credit risk': 216499, 'global retail': 352176, 'have increased': 381048, 'increased dramatically': 433300, 'dramatically the': 258376, 'the effort': 854080, '19 result': 10189, 'closure change': 183864, 'habit and': 372547, 'and heightened': 64427, 'heightened risk': 388823, 'of broad': 580897, 'broad based': 140700, 'based macroeconomic': 111644, 'macroeconomic decline': 507485, 'credit risk to': 216500, 'risk to the': 723971, 'the global retail': 856322, 'global retail sector': 352177, 'sector have increased': 744211, 'have increased dramatically': 381058, 'increased dramatically the': 433302, 'dramatically the effort': 258377, 'the effort to': 854085, 'effort to contain': 269615, 'to contain covid': 903363, 'covid 19 result': 213706, '19 result in': 10192, 'result in store': 717551, 'in store closure': 428395, 'store closure change': 807086, 'closure change to': 183865, 'change to shopping': 172361, 'to shopping habit': 914518, 'shopping habit and': 762836, 'habit and heightened': 372556, 'and heightened risk': 64428, 'heightened risk of': 388824, 'risk of broad': 723729, 'of broad based': 580898, 'broad based macroeconomic': 140702, 'based macroeconomic decline': 111645, '25th': 16102, 'pleasant': 659597, 'haul': 378987, 'january 25th': 464639, '25th started': 16110, 'started warning': 794898, 'warning people': 967178, 'people about': 646737, 'when contracted': 983284, 'contracted h1n1': 201740, 'h1n1 and': 369369, 'not pleasant': 571043, 'pleasant saw': 659614, 'saw this': 738286, 'coming back': 187999, 'back and': 106847, 'then started': 877561, 'started stocking': 794842, 'up buying': 944533, 'sanitiser knew': 733985, 'knew this': 476088, 'be long': 115806, 'long haul': 501430, 'haul no': 378996, 'one wa': 607341, 'wa listening': 962569, 'on january 25th': 601723, 'january 25th started': 464640, '25th started warning': 16112, 'started warning people': 794899, 'warning people about': 967179, 'people about the': 646742, 'about the when': 26562, 'the when contracted': 871433, 'when contracted h1n1': 983285, 'contracted h1n1 and': 201741, 'h1n1 and it': 369370, 'it wa not': 462159, 'wa not pleasant': 962769, 'not pleasant saw': 571045, 'pleasant saw this': 659615, 'saw this coming': 738291, 'this coming back': 886810, 'coming back and': 188000, 'back and then': 106866, 'and then started': 73812, 'then started stocking': 877562, 'started stocking up': 794843, 'stocking up buying': 803615, 'up buying mask': 944535, 'buying mask and': 150701, 'and sanitiser knew': 70833, 'sanitiser knew this': 733986, 'knew this would': 476090, 'would be long': 1011616, 'be long haul': 115809, 'long haul no': 501432, 'haul no one': 378997, 'no one wa': 564979, 'one wa listening': 607348, 'apologizes': 81645, 'store apologizes': 806440, 'apologizes for': 81646, 'hike amid': 396192, 'grocery store apologizes': 365210, 'store apologizes for': 806441, 'apologizes for price': 81647, 'price hike amid': 674525, 'hike amid the': 396193, 'bheki': 129374, 'cele': 168770, 'enca': 275515, 'criminalized': 216899, 'cigarette': 178473, 'threatened': 893772, 'kissing': 475468, 'da min': 224229, 'min bheki': 532523, 'bheki cele': 129375, 'cele on': 168771, 'on enca': 600555, 'enca today': 275516, 'today keep': 919767, 'keep on': 471699, 'on fighting': 600782, 'fighting all': 305031, 'all sa': 44219, 'sa people': 728920, 'people instead': 648485, 'virus he': 958268, 'he already': 384723, 'already criminalized': 47275, 'criminalized supermarket': 216902, 'supermarket cigarette': 819697, 'cigarette wine': 178497, 'wine during': 995807, '19 threatened': 11379, 'threatened to': 893788, 'ban alcohol': 109165, 'alcohol even': 41002, 'even wine': 284796, 'wine permanently': 995871, 'permanently now': 652104, 'said no': 731253, 'no kissing': 564562, 'kissing at': 475469, 'da min bheki': 224230, 'min bheki cele': 532524, 'bheki cele on': 129376, 'cele on enca': 168772, 'on enca today': 600556, 'enca today keep': 275518, 'today keep on': 919769, 'keep on fighting': 471702, 'on fighting all': 600783, 'fighting all sa': 305032, 'all sa people': 44220, 'sa people instead': 728922, 'people instead of': 648486, 'instead of the': 440328, 'the virus he': 870840, 'virus he already': 958269, 'he already criminalized': 384724, 'already criminalized supermarket': 47276, 'criminalized supermarket cigarette': 216903, 'supermarket cigarette wine': 819698, 'cigarette wine during': 178498, 'wine during covid': 995808, 'covid 19 threatened': 213948, '19 threatened to': 11380, 'threatened to ban': 893789, 'to ban alcohol': 901017, 'ban alcohol even': 109166, 'alcohol even wine': 41003, 'even wine permanently': 284798, 'wine permanently now': 995872, 'permanently now he': 652105, 'now he said': 574906, 'he said no': 385370, 'said no kissing': 731257, 'no kissing at': 564563, 'abdul': 24293, 'oblivious': 578488, 'enforcing': 276810, 'socialdistanacing coronacrisis': 780051, 'coronacrisis social': 204758, 'supermarket did': 819957, 'did my': 240693, 'my bit': 547462, 'bit for': 131568, 'every tom': 286329, 'tom dick': 923916, 'dick and': 240456, 'and abdul': 57532, 'abdul to': 24298, 'ask are': 95488, 'queue oblivious': 694014, 'oblivious to': 578491, 'me social': 523499, 'distancing this': 247550, 'is sadly': 451611, 'sadly why': 729378, 'need safety': 555535, 'safety plan': 730676, 'plan enforcing': 658105, 'socialdistanacing coronacrisis social': 780052, 'coronacrisis social distancing': 204759, 'distancing in my': 247230, 'local supermarket did': 498516, 'supermarket did my': 819958, 'did my bit': 240695, 'my bit for': 547465, 'bit for every': 131569, 'for every tom': 321183, 'every tom dick': 286330, 'tom dick and': 923917, 'dick and abdul': 240457, 'and abdul to': 57533, 'abdul to ask': 24299, 'to ask are': 900748, 'ask are you': 95489, 'are you in': 91811, 'the queue oblivious': 865048, 'queue oblivious to': 694015, 'oblivious to me': 578493, 'to me social': 909953, 'me social distancing': 523500, 'social distancing this': 779743, 'distancing this is': 247551, 'this is sadly': 888387, 'is sadly why': 451612, 'sadly why we': 729379, 'why we need': 991526, 'we need safety': 972539, 'need safety plan': 555536, 'safety plan enforcing': 730677, 'virus 10': 957883, 'world via': 1010129, 'after the virus': 36367, 'the virus 10': 870791, 'virus 10 consumer': 957884, 'consumer trend for': 199374, 'trend for post': 931339, 'for post world': 324639, 'post world via': 666419, 'away 600': 105766, '600 of': 21097, 'pantry in': 639609, 'in chicago': 421363, 'chicago struggling': 175692, 'struggling under': 814526, 'under covid': 940061, 'related demand': 708415, 'and feel': 62773, 'feel fucking': 302635, 'fucking great': 339876, 'it anyone': 456545, 'else want': 271962, 'me will': 523980, 'spend that': 788679, 'that shit': 846261, 'just gave away': 468792, 'gave away 600': 344601, 'away 600 of': 105767, '600 of other': 21099, 'other people money': 620678, 'money to food': 537098, 'to food pantry': 906086, 'food pantry in': 315786, 'pantry in chicago': 639610, 'in chicago struggling': 421369, 'chicago struggling under': 175693, 'struggling under covid': 814527, 'under covid 19': 940062, '19 related demand': 10049, 'related demand for': 708418, 'service and feel': 752085, 'and feel fucking': 62774, 'feel fucking great': 302636, 'fucking great about': 339877, 'great about it': 362482, 'about it anyone': 25566, 'it anyone else': 456547, 'anyone else want': 80300, 'else want to': 271963, 'to give me': 906691, 'give me will': 350584, 'me will spend': 523983, 'will spend that': 994916, 'spend that shit': 788680, 'lord': 503301, 'cow': 214450, 'our lord': 623807, 'lord ha': 503308, 'made other': 507893, 'other food': 620231, 'food available': 313469, 'to than': 916414, 'just meat': 469254, 'meat know': 525641, 'know meat': 476596, 'meat price': 525696, 'have skyrocketed': 382571, 'skyrocketed due': 773362, 'but guess': 145829, 'eat vegetable': 266096, 'vegetable know': 954025, 'know amazing': 476245, 'amazing right': 50774, 'right give': 721909, 'the cow': 852249, 'cow and': 214451, 'sheep break': 756538, 'break let': 138761, 'them enjoy': 875650, 'enjoy life': 277145, 'life little': 488851, 'our lord ha': 623809, 'lord ha made': 503309, 'ha made other': 371213, 'made other food': 507894, 'other food available': 620234, 'food available to': 313480, 'available to than': 104661, 'to than just': 916415, 'than just meat': 840818, 'just meat know': 469255, 'meat know meat': 525642, 'know meat price': 476597, 'meat price have': 525699, 'price have skyrocketed': 674460, 'have skyrocketed due': 382574, 'skyrocketed due to': 773363, 'due to but': 261716, 'to but guess': 902152, 'but guess what': 145831, 'guess what you': 368090, 'you can eat': 1017669, 'can eat vegetable': 158204, 'eat vegetable know': 266097, 'vegetable know amazing': 954026, 'know amazing right': 476246, 'amazing right give': 50775, 'right give the': 721911, 'give the cow': 350733, 'the cow and': 852250, 'cow and sheep': 214452, 'and sheep break': 71437, 'sheep break let': 756539, 'break let them': 138762, 'let them enjoy': 487152, 'them enjoy life': 875651, 'enjoy life little': 277147, 'florida public': 310969, 'public utility': 688448, 'cut energy': 223317, 'florida public utility': 310971, 'public utility cut': 688449, 'utility cut energy': 951279, 'cut energy price': 223318, 'energy price during': 276540, 'theshoppies': 881013, 'coronavirus wash': 207044, 'hand or': 375150, 'after handling': 35746, 'handling bill': 376335, 'bill coin': 130539, 'coin or': 185639, 'other document': 620119, 'document staysafestayhome': 251208, 'staysafestayhome washyourhands': 799038, 'washyourhands theshoppies': 967928, 'stay safe from': 797237, 'safe from the': 729701, 'the coronavirus wash': 851941, 'coronavirus wash your': 207045, 'your hand or': 1024209, 'hand or use': 375156, 'or use hand': 617619, 'hand sanitizer after': 375291, 'sanitizer after handling': 734325, 'after handling bill': 35747, 'handling bill coin': 376336, 'bill coin or': 130540, 'coin or other': 185641, 'or other document': 616431, 'other document staysafestayhome': 620120, 'document staysafestayhome washyourhands': 251209, 'staysafestayhome washyourhands theshoppies': 799039, 'teleworking': 836881, 'teleworking during': 836882, 'outbreak here': 628300, 'teleworking during the': 836883, 'the outbreak here': 862639, 'outbreak here are': 628301, 'are some online': 90275, 'some online security': 783445, 'dad that': 224390, 'that getting': 844003, 'getting tested': 349335, 'tested tomorrow': 839385, '19 because': 5326, 'store told': 810892, 'told all': 923520, 'tested my': 839323, 'mom began': 535693, 'cry tried': 219925, 'reassure her': 703189, 'her that': 392428, 'be okay': 116178, 'okay didn': 597972, 'want my': 965857, 'dad to': 224396, 'worry if': 1010726, 'if tested': 414926, 'told my mom': 923638, 'my mom dad': 549266, 'mom dad that': 535719, 'dad that getting': 224391, 'that getting tested': 844005, 'getting tested tomorrow': 349337, 'tested tomorrow for': 839386, 'tomorrow for covid': 924084, 'covid 19 because': 212685, '19 because the': 5335, 'because the manager': 119635, 'grocery store told': 365874, 'store told all': 810893, 'told all employee': 923521, 'all employee that': 42680, 'employee that we': 274292, 'that we should': 847394, 'should be tested': 765747, 'be tested my': 117560, 'tested my mom': 839324, 'my mom began': 549259, 'mom began to': 535694, 'began to cry': 123444, 'to cry tried': 903783, 'cry tried to': 219926, 'tried to reassure': 931842, 'to reassure her': 912889, 'reassure her that': 703190, 'her that be': 392429, 'that be okay': 842943, 'be okay didn': 116180, 'okay didn want': 597973, 'didn want my': 241257, 'want my mom': 965860, 'mom dad to': 535720, 'dad to worry': 224397, 'to worry if': 918839, 'worry if tested': 1010730, 'if tested positive': 414927, '12p': 3116, '8ppl': 23244, 'giant morrison': 349828, 'morrison and': 541700, 'and asda': 58417, 'asda have': 94923, 'have reduced': 382226, 'reduced their': 706187, 'by 12p': 151536, '12p per': 3119, 'per litre': 650920, 'litre for': 495151, 'for petrol': 324518, 'petrol and': 653708, 'and 8ppl': 57518, '8ppl for': 23245, 'for diesel': 320695, 'diesel the': 241697, 'continues coronavirus': 201382, 'coronavirus fuel': 205966, 'fall morrison': 296989, 'asda introduce': 94933, 'introduce unprecedented': 443407, 'unprecedented cut': 943102, 'supermarket giant morrison': 820508, 'giant morrison and': 349829, 'morrison and asda': 541701, 'and asda have': 58418, 'asda have reduced': 94925, 'have reduced their': 382235, 'reduced their fuel': 706189, 'fuel price by': 340223, 'price by 12p': 673002, 'by 12p per': 151537, '12p per litre': 3120, 'per litre for': 650923, 'litre for petrol': 495153, 'for petrol and': 324519, 'petrol and 8ppl': 653710, 'and 8ppl for': 57519, '8ppl for diesel': 23246, 'for diesel the': 320698, 'diesel the coronavirus': 241698, '19 crisis continues': 6232, 'crisis continues coronavirus': 217247, 'continues coronavirus fuel': 201383, 'coronavirus fuel price': 205967, 'fuel price fall': 340230, 'price fall morrison': 673790, 'fall morrison and': 296990, 'and asda introduce': 58419, 'asda introduce unprecedented': 94934, 'introduce unprecedented cut': 443408, 'notgoodenough': 572902, '86y': 23009, '300miles': 17364, 'sainsburys vulnerable': 731804, 'vulnerable notgoodenough': 961055, 'notgoodenough elderly': 572903, 'elderly totally': 270923, 'totally impossible': 926356, 'get online': 347707, 'for 86y': 318933, '86y mum': 23010, 'who life': 989203, 'life 300miles': 488439, '300miles away': 17365, 'away now': 105975, 'now from': 574750, 'own account': 631864, 'account like': 28714, 'like used': 491704, 'do shame': 250070, 'on sainsburys': 603258, 'sainsburys vulnerable notgoodenough': 731805, 'vulnerable notgoodenough elderly': 961056, 'notgoodenough elderly totally': 572904, 'elderly totally impossible': 270924, 'totally impossible to': 926357, 'impossible to get': 419399, 'to get online': 906549, 'get online shopping': 347712, 'shopping for 86y': 762654, 'for 86y mum': 318934, '86y mum who': 23011, 'mum who life': 545976, 'who life 300miles': 989204, 'life 300miles away': 488440, '300miles away now': 17366, 'away now from': 105976, 'now from my': 574754, 'from my own': 336520, 'my own account': 549633, 'own account like': 631865, 'account like used': 28715, 'like used to': 491705, 'used to do': 950051, 'to do shame': 904552, 'do shame on': 250071, 'shame on sainsburys': 754627, 'bluffing': 133515, 'arab': 83817, 'length': 486307, 'russian are': 728613, 'are bluffing': 85001, 'bluffing and': 133516, 'just called': 468410, 'called them': 156465, 'them on': 876082, 'it no': 459822, 'one except': 606261, 'except some': 289222, 'some arab': 782308, 'arab field': 83828, 'field can': 304459, 'survive with': 829294, 'this low': 888722, 'low for': 505282, 'any length': 79407, 'length of': 486316, 'million question': 532333, 'the after': 848414, 'we know': 972146, 'because the russian': 119642, 'the russian are': 866095, 'russian are bluffing': 728614, 'are bluffing and': 85002, 'bluffing and just': 133517, 'and just called': 65696, 'just called them': 468417, 'called them on': 156466, 'them on it': 876090, 'on it no': 601675, 'it no one': 459832, 'no one except': 564931, 'one except some': 606263, 'except some arab': 289223, 'some arab field': 782309, 'arab field can': 83829, 'field can survive': 304460, 'can survive with': 159881, 'survive with price': 829296, 'with price this': 1000315, 'price this low': 676914, 'this low for': 888724, 'low for any': 505283, 'for any length': 319414, 'any length of': 79408, 'length of time': 486322, 'of time the': 592187, 'time the million': 897859, 'the million question': 860626, 'million question is': 532334, 'question is what': 693634, 'is what is': 453881, 'the new normal': 861532, 'normal for the': 567156, 'for the after': 326296, 'the after covid': 848415, '19 we know': 11935, 'we know is': 972153, 'know is not': 476510, 'turner': 935895, 'andler': 76156, 'inittogether': 438677, 'goodnews': 358069, 'ruleyournest': 727444, 'we received': 973032, 'received the': 703690, 'the bottle': 849895, 'bottle from': 136225, 'from allen': 334443, 'allen turner': 45747, 'turner and': 935896, 'and andler': 58140, 'andler packaging': 76157, 'packaging hand': 633545, 'important we': 419102, 'we fight': 971545, 'truly inittogether': 933326, 'inittogether goodnews': 438678, 'goodnews ruleyournest': 358075, 'thank you we': 841844, 'you we received': 1022204, 'we received the': 973036, 'received the bottle': 703691, 'the bottle from': 849896, 'bottle from allen': 136226, 'from allen turner': 334444, 'allen turner and': 45748, 'turner and andler': 935897, 'and andler packaging': 58141, 'andler packaging hand': 76158, 'packaging hand sanitizer': 633546, 'sanitizer is so': 735210, 'is so important': 452017, 'so important we': 777379, 'important we fight': 419104, 'we fight we': 971549, 'fight we are': 304942, 'we are truly': 970744, 'are truly inittogether': 91219, 'truly inittogether goodnews': 933327, 'inittogether goodnews ruleyournest': 438679, 'screened': 742747, 'forehead': 328949, 'scanner': 740726, 'commonsense': 189500, 'these aren': 879645, 'aren question': 92493, 'can answer': 157501, 'answer but': 78021, 'but question': 146875, 'can ask': 157529, 'ask why': 95667, 'why aren': 990800, 'aren all': 92308, 'worker being': 1006521, 'being screened': 125725, 'screened forehead': 742748, 'forehead scanner': 328950, 'scanner for': 740731, 'for temperature': 326193, 'temperature when': 837409, 'they report': 883203, 'report for': 711950, 'work commonsense': 1004995, 'these aren question': 879648, 'aren question you': 92494, 'question you can': 693821, 'you can answer': 1017621, 'can answer but': 157502, 'answer but question': 78022, 'but question you': 146876, 'you can ask': 1017623, 'can ask why': 157531, 'ask why aren': 95668, 'why aren all': 990801, 'aren all grocery': 92309, 'store worker being': 811462, 'worker being screened': 1006525, 'being screened forehead': 125726, 'screened forehead scanner': 742749, 'forehead scanner for': 328951, 'scanner for temperature': 740732, 'for temperature when': 326195, 'temperature when they': 837410, 'when they report': 984278, 'they report for': 883204, 'report for work': 711959, 'for work commonsense': 327920, 'uspoli': 950845, 'asking other': 96035, 'country for': 210665, 'to ventilator': 918137, 'ventilator to': 954625, 'the cdnpoli': 850579, 'cdnpoli uspoli': 168670, 'the is asking': 858480, 'is asking other': 445830, 'asking other country': 96036, 'other country for': 620015, 'country for everything': 210667, 'for everything from': 321256, 'everything from hand': 287803, 'from hand sanitizer': 335720, 'sanitizer to ventilator': 735953, 'to ventilator to': 918138, 'ventilator to help': 954628, 'help fight the': 389717, 'fight the cdnpoli': 304885, 'the cdnpoli uspoli': 850580, 'sell meal': 748794, 'restaurant amid': 716262, 'pandemic supermarket': 636593, 'supermarket news': 821597, 'sell meal from': 748795, 'meal from local': 524164, 'from local restaurant': 336256, 'local restaurant amid': 498335, 'restaurant amid covid': 716263, '19 pandemic supermarket': 9486, 'pandemic supermarket news': 636598, 'indianrailways': 434946, 'withdrew': 1002287, 'concessional': 193285, 'precautionary': 669412, 'ians': 412557, 'after increasing': 35818, 'of platform': 588163, 'platform ticket': 659030, 'ticket the': 895668, 'the indianrailways': 858136, 'indianrailways on': 434947, 'on thursday': 604662, 'thursday withdrew': 895456, 'withdrew most': 1002288, 'most concessional': 542199, 'concessional ticket': 193288, 'ticket facility': 895611, 'facility in': 295345, 'in train': 430264, 'train precautionary': 929271, 'precautionary measure': 669419, 'contain the': 200493, 'of official': 587165, 'official said': 595897, 'said railway': 731327, 'railway photo': 695710, 'photo ians': 655177, 'after increasing the': 35819, 'price of platform': 675535, 'of platform ticket': 588164, 'platform ticket the': 659036, 'ticket the indianrailways': 895670, 'the indianrailways on': 858137, 'indianrailways on thursday': 434948, 'on thursday withdrew': 604686, 'thursday withdrew most': 895457, 'withdrew most concessional': 1002289, 'most concessional ticket': 542200, 'concessional ticket facility': 193289, 'ticket facility in': 895612, 'facility in train': 295348, 'in train precautionary': 430265, 'train precautionary measure': 929272, 'precautionary measure to': 669431, 'measure to contain': 525387, 'to contain the': 903368, 'contain the spread': 200502, 'spread of official': 790690, 'of official said': 587166, 'official said railway': 595903, 'said railway photo': 731328, 'railway photo ians': 695711, 'understanding shifting': 940886, 'shifting consumer': 758516, 'purchase behavior': 689382, '19 landscape': 8269, 'landscape is': 479405, 'incredibly important': 433905, 'understand what': 940802, 'understanding shifting consumer': 940887, 'shifting consumer purchase': 758522, 'consumer purchase behavior': 198612, 'purchase behavior in': 689385, 'covid 19 landscape': 213333, '19 landscape is': 8270, 'landscape is incredibly': 479406, 'is incredibly important': 448881, 'incredibly important to': 433907, 'important to understand': 419076, 'to understand what': 917916, 'understand what next': 940804, 'colony': 186713, 'trap': 930086, 'yr back': 1027010, 'back wrote': 107488, 'wrote this': 1013222, 'blog that': 133024, 'how planning': 408520, 'make other': 510281, 'it colony': 457200, 'colony through': 186719, 'through debt': 894412, 'debt trap': 230589, 'trap strategy': 930098, 'strategy today': 812737, 'today with': 920548, 'with spread': 1000926, 'of amp': 580091, 'amp constant': 53555, 'constant chinese': 195604, 'chinese equity': 177251, 'equity buying': 279924, 'of corporation': 581987, 'corporation at': 207387, 'at cheap': 98237, 'cheap price': 174170, 'holding this': 400182, 'this true': 890864, 'true read': 933151, 'read to': 700636, 'yr back wrote': 1027011, 'back wrote this': 107489, 'wrote this blog': 1013223, 'this blog that': 886579, 'blog that how': 133025, 'that how planning': 844383, 'how planning to': 408521, 'planning to make': 658588, 'to make other': 909711, 'make other country': 510282, 'other country it': 620021, 'country it colony': 210830, 'it colony through': 457201, 'colony through debt': 186720, 'through debt trap': 894413, 'debt trap strategy': 230590, 'trap strategy today': 930099, 'strategy today with': 812738, 'today with spread': 920560, 'with spread of': 1000927, 'spread of amp': 790649, 'of amp constant': 580094, 'amp constant chinese': 53556, 'constant chinese equity': 195605, 'chinese equity buying': 177252, 'equity buying of': 279925, 'buying of corporation': 150787, 'of corporation at': 581988, 'corporation at cheap': 207388, 'at cheap price': 98238, 'cheap price is': 174177, 'price is holding': 674868, 'is holding this': 448522, 'holding this true': 400183, 'this true read': 890866, 'true read to': 933152, 'read to understand': 700640, 'confronting': 194311, 'confronting animation': 194312, 'animation show': 76733, 'how far': 407836, 'far covid': 298750, '19 infected': 7838, 'infected person': 436618, 'person cough': 652375, 'can travel': 160033, 'confronting animation show': 194313, 'animation show how': 76734, 'show how far': 766976, 'how far covid': 407840, 'far covid 19': 298751, 'covid 19 infected': 213265, '19 infected person': 7843, 'infected person cough': 436619, 'person cough can': 652376, 'cough can travel': 208464, 'can travel in': 160037, 'travel in supermarket': 930392, 'in supermarket via': 428704, 'mitchell': 534514, 'many logistics': 514246, 'logistics provider': 500785, 'provider going': 686726, 'going above': 354990, 'above and': 27048, 'beyond to': 129254, 'ensure delivery': 277910, 'supermarket supplychain': 823058, 'supplychain pharmaceutical': 826213, 'pharmaceutical medical': 654083, 'supply equipment': 825217, 'equipment check': 279706, 'local company': 497848, 'company such': 191126, 'such mitchell': 816640, 'mitchell logistics': 534517, 'logistics helping': 500754, 'helping with': 391544, 'with relief': 1000448, 'there are so': 878163, 'are so many': 90210, 'so many logistics': 777671, 'many logistics provider': 514247, 'logistics provider going': 500786, 'provider going above': 686727, 'going above and': 354991, 'above and beyond': 27049, 'and beyond to': 58952, 'beyond to ensure': 129255, 'to ensure delivery': 905149, 'ensure delivery of': 277911, 'delivery of supermarket': 234236, 'of supermarket supplychain': 590447, 'supermarket supplychain pharmaceutical': 823060, 'supplychain pharmaceutical medical': 826214, 'pharmaceutical medical supply': 654084, 'medical supply equipment': 526439, 'supply equipment check': 825219, 'equipment check out': 279707, 'check out local': 174558, 'out local company': 626514, 'local company such': 497850, 'company such mitchell': 191127, 'such mitchell logistics': 816641, 'mitchell logistics helping': 534518, 'logistics helping with': 500755, 'helping with relief': 391545, 'bank pressure': 110109, 'pressure health': 671168, 'care firm': 163934, 'bank pressure health': 110110, 'pressure health care': 671169, 'health care firm': 386231, 'care firm to': 163935, 'firm to raise': 308444, 'raise price amid': 695905, 'price amid crisis': 672311, 'gilead': 350116, 'submitted': 815812, 'rescind': 713599, 'orphan': 619661, 'designation': 238320, 'granted': 362058, 'investigational': 443896, 'waiving': 964556, 'accompany': 28491, 'gilead ha': 350117, 'ha submitted': 372092, 'submitted request': 815819, 'fda to': 300936, 'to rescind': 913322, 'rescind the': 713602, 'the orphan': 862497, 'orphan drug': 619662, 'drug designation': 260932, 'designation it': 238323, 'wa granted': 962245, 'granted for': 362071, 'it investigational': 458835, 'investigational antiviral': 443897, 'antiviral for': 78587, 'the treatment': 869942, 'treatment of': 931104, 'is waiving': 453735, 'waiving all': 964557, 'all benefit': 42173, 'benefit that': 127097, 'that accompany': 842482, 'accompany the': 28492, 'the designation': 853183, 'designation read': 238328, 'gilead ha submitted': 350118, 'ha submitted request': 372093, 'submitted request to': 815820, 'request to the': 713223, 'to the fda': 916703, 'the fda to': 855026, 'fda to rescind': 300940, 'to rescind the': 913323, 'rescind the orphan': 713603, 'the orphan drug': 862498, 'orphan drug designation': 619663, 'drug designation it': 260933, 'designation it wa': 238324, 'it wa granted': 462121, 'wa granted for': 962246, 'granted for it': 362072, 'for it investigational': 322715, 'it investigational antiviral': 458836, 'investigational antiviral for': 443898, 'antiviral for the': 78588, 'for the treatment': 326741, 'the treatment of': 869944, 'treatment of covid': 931109, '19 and is': 5050, 'and is waiving': 65441, 'is waiving all': 453736, 'waiving all benefit': 964558, 'all benefit that': 42174, 'benefit that accompany': 127098, 'that accompany the': 842483, 'accompany the designation': 28493, 'the designation read': 853185, 'designation read more': 238329, 'mentalillness': 528697, 'mentalhealthawareness': 528694, 'mentalillnessawareness': 528701, 'so stressed': 778281, 'out need': 626616, 'on junk': 601744, 'can stress': 159837, 'stress eat': 813318, 'eat may': 265976, 'may need': 521348, 'need some': 555585, 'some booze': 782422, 'booze too': 135186, 'too saferathome': 925038, 'saferathome stress': 730414, 'stress anxiety': 813302, 'anxiety mentalhealth': 78749, 'mentalhealth mentalillness': 528682, 'mentalillness mentalhealthawareness': 528699, 'mentalhealthawareness mentalillnessawareness': 528695, 'so stressed out': 778282, 'stressed out need': 813454, 'out need to': 626618, 'up on junk': 945586, 'on junk food': 601745, 'junk food so': 468038, 'food so can': 316647, 'so can stress': 776726, 'can stress eat': 159838, 'stress eat may': 813319, 'eat may need': 265977, 'may need some': 521354, 'need some booze': 555586, 'some booze too': 782423, 'booze too saferathome': 135187, 'too saferathome stress': 925039, 'saferathome stress anxiety': 730415, 'stress anxiety mentalhealth': 813304, 'anxiety mentalhealth mentalillness': 78750, 'mentalhealth mentalillness mentalhealthawareness': 528683, 'mentalillness mentalhealthawareness mentalillnessawareness': 528700, 'bandito': 109417, 'like bandito': 489867, 'bandito to': 109418, 'can at': 157540, 'least wear': 484691, 'wear six': 974459, 'six gun': 772650, 'gun on': 368710, 'my side': 550085, 'have to wear': 383338, 'wear mask like': 974392, 'mask like bandito': 518913, 'like bandito to': 489868, 'bandito to go': 109419, 'the supermarket can': 868504, 'supermarket can at': 819496, 'can at least': 157541, 'at least wear': 99565, 'least wear six': 484692, 'wear six gun': 974460, 'six gun on': 772651, 'gun on my': 368712, 'on my side': 602319, 'tp is': 927853, 'in many': 425046, 'many store': 514732, 'took store': 925335, 'store week': 811201, 'replenish complete': 711638, 'complete sell': 192147, 'out toiletpaperpanic': 627715, 'toiletpaperpanic toiletpaper': 923261, 'tp is back': 927854, 'is back in': 445949, 'back in many': 107088, 'in many store': 425063, 'many store do': 514736, 'not buy it': 568651, 'buy it if': 148855, 'not out it': 570862, 'out it only': 626448, 'it only took': 460114, 'only took store': 611381, 'took store week': 925336, 'store week to': 811203, 'week to replenish': 977093, 'to replenish complete': 913255, 'replenish complete sell': 711639, 'complete sell out': 192148, 'sell out toiletpaperpanic': 748843, 'out toiletpaperpanic toiletpaper': 627716, 'toiletpaperpanic toiletpaper toiletpapercrisis': 923267, 'tumbled': 935317, 'nigeria africa': 562708, 'africa largest': 35101, 'producer whose': 680718, 'whose revenue': 990676, 'revenue have': 720436, 'have tumbled': 383420, 'tumbled with': 935336, 'is seeking': 451724, 'seeking nearly': 746650, 'nearly billion': 553809, 'billion from': 130823, 'from lender': 336213, 'lender to': 486255, 'fund it': 341441, 'it fight': 457992, 'nigeria africa largest': 562709, 'africa largest oil': 35103, 'largest oil producer': 479992, 'oil producer whose': 597348, 'producer whose revenue': 680719, 'whose revenue have': 990677, 'revenue have tumbled': 720437, 'have tumbled with': 383424, 'tumbled with the': 935337, 'with the fall': 1001297, 'price is seeking': 674887, 'is seeking nearly': 451726, 'seeking nearly billion': 746651, 'nearly billion from': 553810, 'billion from lender': 130825, 'from lender to': 336214, 'lender to fund': 486257, 'to fund it': 906331, 'fund it fight': 341442, 'it fight against': 457993, '19 and falling': 5023, 'booming': 134865, 'miami ha': 530182, 'ha drive': 370447, 'through grocery': 894490, 'and because': 58791, 'business is': 143947, 'is booming': 446219, 'booming via': 134906, 'miami ha drive': 530183, 'ha drive through': 370448, 'drive through grocery': 259180, 'through grocery store': 894491, 'store and because': 806203, 'and because of': 58795, 'the business is': 850170, 'business is booming': 143950, 'is booming via': 446233, 'pd': 645930, 'daycare': 228889, 'take minute': 832326, 'minute to': 533866, 'send special': 749947, 'special thank': 788067, 'everyone on': 287228, 'line fighting': 493085, 'fighting the': 305124, 'to hospital': 907961, 'hospital employee': 404389, 'employee healthcare': 273932, 'employee emergency': 273812, 'responder pd': 715505, 'pd daycare': 645933, 'daycare and': 228890, 'wanted to take': 966277, 'to take minute': 916202, 'take minute to': 832327, 'minute to send': 533875, 'to send special': 914221, 'send special thank': 749948, 'special thank you': 788068, 'to everyone on': 905345, 'everyone on the': 287233, 'front line fighting': 338572, 'line fighting the': 493086, 'fighting the covid': 305126, 'you to hospital': 1021788, 'to hospital employee': 907968, 'hospital employee healthcare': 404392, 'employee healthcare worker': 273933, 'store employee emergency': 807483, 'employee emergency responder': 273813, 'emergency responder pd': 272927, 'responder pd daycare': 715506, 'pd daycare and': 645934, 'daycare and everyone': 228891, 'and everyone who': 62413, 'who is doing': 989067, 'is doing their': 447292, 'doing their part': 252739, 'chain like': 170888, 'like smith': 491203, 'smith and': 775788, 'and costco': 60592, 'costco are': 208198, 'taking more': 833442, 'more measure': 539762, 'some retail': 783754, 'worker worry': 1008296, 'worry they': 1010783, 'supermarket chain like': 819619, 'chain like smith': 170893, 'like smith and': 491204, 'smith and costco': 775789, 'and costco are': 60593, 'costco are taking': 208199, 'are taking more': 90725, 'taking more measure': 833443, 'more measure to': 539763, 'measure to limit': 525397, 'limit the spread': 492520, '19 in their': 7792, 'their store but': 874850, 'store but some': 806809, 'but some retail': 147103, 'some retail worker': 783762, 'retail worker worry': 718910, 'worker worry they': 1008297, 'worry they might': 1010784, 'they might not': 882682, 'might not be': 531091, 'be mostly': 116007, 'mostly ruined': 543005, 'gathering in': 344465, 'in traweeh': 430275, 'traweeh are': 930717, 'are canceled': 85155, 'the sad thing': 866120, '19 is that': 8063, 'that the whole': 846867, 'ramadan is going': 696338, 'to be mostly': 901391, 'be mostly ruined': 116008, 'mostly ruined limited': 543006, 'large gathering in': 479671, 'gathering in traweeh': 344468, 'in traweeh are': 430276, 'traweeh are canceled': 930718, 'go please': 354054, 'go toiletpaper': 354389, 'toiletpaper tank': 922576, 'please don go': 659914, 'don go please': 253571, 'go please don': 354055, 'don go toiletpaper': 253575, 'go toiletpaper tank': 354390, 'govmnts': 361047, 'commodification': 189102, 'issue revealed': 455914, 'by govmnts': 152718, 'govmnts try': 361048, 'amp commodity': 53545, 'commodity is': 189202, 'is commodification': 446676, 'commodification itself': 189103, 'in losing': 424926, 'losing your': 503616, 'job mean': 466002, 'mean relying': 524625, 'on benefit': 599622, 'benefit subsidized': 127087, 'subsidized housing': 815993, 'mean losing': 524535, 'healthcare to': 387321, 'to shelter': 914398, 'shelter to': 757953, 'to dignity': 904304, 'the real issue': 865224, 'real issue revealed': 701229, 'issue revealed by': 455915, 'revealed by govmnts': 720262, 'by govmnts try': 152719, 'govmnts try to': 361049, 'try to boost': 934605, 'to boost demand': 901916, 'boost demand for': 134941, 'service amp commodity': 752065, 'amp commodity is': 53546, 'commodity is commodification': 189203, 'is commodification itself': 446677, 'commodification itself in': 189104, 'itself in losing': 463936, 'in losing your': 424927, 'losing your job': 503617, 'your job mean': 1024532, 'job mean relying': 466003, 'mean relying on': 524626, 'relying on benefit': 709668, 'on benefit subsidized': 599625, 'benefit subsidized housing': 127088, 'subsidized housing food': 815994, 'housing food bank': 407079, 'bank in it': 109920, 'in it mean': 424258, 'it mean losing': 459571, 'mean losing your': 524536, 'losing your right': 503618, 'your right to': 1025634, 'right to healthcare': 722341, 'to healthcare to': 907385, 'healthcare to shelter': 387323, 'to shelter to': 914401, 'shelter to dignity': 757955, 'buffooninoffice': 141888, 'factual': 296037, 'laden': 478721, 'rachelmaddow': 695226, 'blathering': 132449, 'fact go': 295726, 'supermarket before': 819343, 'the buffooninoffice': 850088, 'buffooninoffice arrives': 141889, 'arrives 15': 93985, '15 minute': 3772, 'minute late': 533785, 'his non': 397641, 'non factual': 566382, 'factual laden': 296038, 'laden briefing': 478722, 'briefing rachelmaddow': 139733, 'rachelmaddow is': 695227, 'is always': 445590, 'always right': 49724, 'right people': 722226, 'more scared': 540321, 'scared and': 740938, 'and nervous': 67518, 'nervous when': 557487, 'the orange': 862441, 'orange one': 617932, 'one start': 607082, 'start blathering': 794229, 'fact go to': 295727, 'the supermarket before': 868483, 'supermarket before the': 819351, 'before the buffooninoffice': 123144, 'the buffooninoffice arrives': 850089, 'buffooninoffice arrives 15': 141890, 'arrives 15 minute': 93986, '15 minute late': 3777, 'minute late to': 533786, 'late to his': 480928, 'to his non': 907819, 'his non factual': 397642, 'non factual laden': 566383, 'factual laden briefing': 296039, 'laden briefing rachelmaddow': 478723, 'briefing rachelmaddow is': 139734, 'rachelmaddow is always': 695228, 'is always right': 445600, 'always right people': 49728, 'right people only': 722227, 'people only get': 648989, 'only get more': 610504, 'get more scared': 347600, 'more scared and': 540322, 'scared and nervous': 740941, 'and nervous when': 67523, 'nervous when the': 557488, 'when the orange': 984180, 'the orange one': 862444, 'orange one start': 617933, 'one start blathering': 607083, 'appealing': 82096, 're appealing': 698297, 'appealing to': 82104, 'american to': 52259, 'take these': 832699, 'protect each': 684817, 'other and': 619819, 'virus doesn': 958141, 'doesn spread': 251947, 'we re appealing': 972825, 're appealing to': 698298, 'appealing to all': 82105, 'to all american': 900230, 'all american to': 42004, 'american to take': 52271, 'to take these': 916247, 'take these step': 832702, 'these step to': 880726, 'step to protect': 799660, 'to protect each': 912300, 'protect each other': 684818, 'each other and': 264154, 'other and to': 619834, 'and to ensure': 74168, 'that the virus': 846862, 'the virus doesn': 870826, 'virus doesn spread': 958143, 'tneans': 899398, 'table': 831449, 'insecurity wa': 439182, 'wa hitting': 962314, 'hitting tn': 398606, 'tn amp': 899380, 'the before': 849427, 'food insecure': 315050, 'insecure household': 439129, 'household could': 406775, 'could double': 209107, 'double there': 256075, 'there never': 878783, 'been more': 121537, 'important time': 419041, 'keep fighting': 471502, 'fighting for': 305069, 'for tneans': 327209, 'tneans to': 899399, 'the table': 869104, 'table via': 831508, 'food insecurity wa': 315074, 'insecurity wa hitting': 439183, 'wa hitting tn': 962315, 'hitting tn amp': 398607, 'tn amp the': 899381, 'amp the before': 54644, 'the before covid': 849428, '19 now the': 8860, 'now the of': 576053, 'the of food': 862053, 'of food insecure': 583718, 'food insecure household': 315053, 'insecure household could': 439130, 'household could double': 406776, 'could double there': 209110, 'double there never': 256076, 'there never been': 878784, 'never been more': 557900, 'been more important': 121542, 'more important time': 539495, 'important time to': 419043, 'time to we': 898099, 'to we will': 918410, 'will keep fighting': 993893, 'keep fighting for': 471503, 'fighting for tneans': 305084, 'for tneans to': 327210, 'tneans to have': 899400, 'have food on': 380658, 'food on the': 315604, 'on the table': 604396, 'the table via': 869113, 'tap': 834313, '99b': 23933, 'company tap': 191151, 'tap nearly': 834328, 'nearly 99b': 553794, '99b amid': 23934, 'amid borrowing': 52398, 'borrowing surge': 135637, 'some consumer company': 782591, 'consumer company tap': 196839, 'company tap nearly': 191152, 'tap nearly 99b': 834329, 'nearly 99b amid': 553795, '99b amid borrowing': 23935, 'amid borrowing surge': 52399, 'southsudan': 786910, 'prior': 678358, 'foodinsecurity': 317980, 'movement restriction': 543923, 'restriction related': 717364, 'the response': 865617, 'in southsudan': 428158, 'southsudan are': 786911, 'are leading': 87738, 'to reduced': 913052, 'reduced food': 706078, 'food import': 314911, 'import increased': 418639, 'and shortage': 71567, 'buying prior': 150922, 'prior to': 678366, 'over 20': 629799, '20 00': 12852, 'of catastrophic': 581197, 'catastrophic level': 166957, 'of foodinsecurity': 583832, 'movement restriction related': 543930, 'restriction related to': 717365, 'to the response': 917022, 'the response to': 865624, 'response to 19': 715824, 'to 19 in': 899541, '19 in southsudan': 7783, 'in southsudan are': 428159, 'southsudan are leading': 786912, 'are leading to': 87742, 'leading to reduced': 483773, 'to reduced food': 913053, 'reduced food import': 706079, 'food import increased': 314913, 'import increased price': 418640, 'increased price and': 433410, 'price and shortage': 672537, 'and shortage of': 71571, 'shortage of panic': 765125, 'panic buying prior': 637851, 'buying prior to': 150923, 'prior to over': 678376, 'to over 20': 911286, 'over 20 00': 629800, '20 00 people': 12861, '00 people were': 421, 'people were at': 650196, 'were at risk': 979355, 'risk of catastrophic': 723731, 'of catastrophic level': 581198, 'catastrophic level of': 166958, 'level of foodinsecurity': 487638, 'freed': 332354, 'food volume': 317438, 'volume due': 960131, 'to significant': 914646, 'significant increase': 769465, 'in distribution': 422316, 'distribution cost': 248138, 'cost at': 207875, 'at britain': 98167, 'britain largest': 140418, 'tesco the': 838829, 'chain of': 170952, 'of certain': 581247, 'item wa': 463789, 'wa freed': 962170, 'freed up': 332355, 'up supplychain': 946106, 'increase in food': 432835, 'in food volume': 422992, 'food volume due': 317439, 'volume due to': 960132, 'due to measure': 261865, 'to measure to': 909986, 'measure to curb': 525391, 'curb the covid': 220581, 'pandemic ha led': 635554, 'led to significant': 485298, 'to significant increase': 914647, 'significant increase in': 769466, 'increase in distribution': 432830, 'in distribution cost': 422317, 'distribution cost at': 248139, 'cost at britain': 207876, 'at britain largest': 98168, 'britain largest supermarket': 140419, 'largest supermarket tesco': 480033, 'supermarket tesco the': 823154, 'tesco the supply': 838831, 'supply chain of': 825000, 'chain of certain': 170955, 'of certain item': 581253, 'certain item wa': 170042, 'item wa freed': 463792, 'wa freed up': 962171, 'freed up supplychain': 332356, 'civilization': 179585, 'chinesewuhanvirus': 177474, 'chineseinfluenza': 177419, 'the panicking': 863245, 'people act': 646758, 'have brain': 379836, 'brain and': 137582, 'll survive': 497053, 'survive pandemic': 829221, 'pandemic poem': 636201, 'poem plague': 662356, 'plague poetry': 657982, 'poetry survival': 662384, 'survival civilization': 829025, 'civilization chinesewuhanvirus': 179588, 'chinesewuhanvirus chineseinfluenza': 177478, 'chineseinfluenza toiletpaper': 177420, 'stop the panicking': 805145, 'the panicking people': 863246, 'panicking people act': 639369, 'people act like': 646759, 'act like you': 29691, 'like you have': 491873, 'you have brain': 1019020, 'have brain and': 379837, 'brain and we': 137584, 'we ll survive': 972281, 'll survive pandemic': 497055, 'survive pandemic poem': 829223, 'pandemic poem plague': 636202, 'poem plague poetry': 662357, 'plague poetry survival': 657983, 'poetry survival civilization': 662385, 'survival civilization chinesewuhanvirus': 829026, 'civilization chinesewuhanvirus chineseinfluenza': 179589, 'chinesewuhanvirus chineseinfluenza toiletpaper': 177479, 'chineseinfluenza toiletpaper toiletpapercrisis': 177421, 'stunning': 815312, 'what great': 981517, 'price absolutely': 672198, 'absolutely stunning': 27452, 'stunning response': 815317, 'and what great': 75466, 'what great time': 981520, 'time to increase': 898002, 'to increase your': 908309, 'your price absolutely': 1025393, 'price absolutely stunning': 672199, 'absolutely stunning response': 27453, 'stunning response to': 815318, 'did it': 240656, 'only take': 611231, 'for sa': 325283, 'sa network': 728914, 'network to': 557772, 'cut off': 223437, 'data price': 226349, 'we been': 970833, 'been waiting': 122338, 'long one': 501538, 'one could': 606114, 'could say': 209622, 'say maybe': 738926, 'did it only': 240664, 'it only take': 460108, 'only take for': 611232, 'take for sa': 832133, 'for sa network': 325284, 'sa network to': 728915, 'network to cut': 557774, 'to cut off': 903880, 'cut off the': 223445, 'off the data': 594242, 'the data price': 852850, 'data price we': 226365, 'price we been': 677397, 'we been waiting': 970835, 'been waiting for': 122339, 'waiting for too': 964344, 'too long one': 924865, 'long one could': 501539, 'one could say': 606117, 'could say maybe': 209623, 'say maybe it': 738928, 'maybe it not': 521726, 'it not so': 459920, 'not so bad': 571618, 'hype': 412258, 'hysteria medium': 412463, 'medium hype': 527139, 'hype and': 412259, 'and pure': 69792, 'pure stupidity': 689985, 'stupidity coronapocalypse': 815527, 'mass hysteria medium': 519790, 'hysteria medium hype': 412464, 'medium hype and': 527140, 'hype and pure': 412260, 'and pure stupidity': 69795, 'pure stupidity coronapocalypse': 689986, 'more advertising': 538554, 'advertising making': 33244, 'making false': 511064, 'claim around': 179696, 'affair ministry': 34074, 'ministry to': 533574, 'to set': 914287, 'set guideline': 753385, 'guideline for': 368421, 'for advertising': 319040, 'advertising around': 33207, 'around read': 93457, 'no more advertising': 564794, 'more advertising making': 538555, 'advertising making false': 33245, 'making false claim': 511065, 'false claim around': 297409, 'claim around covid': 179697, '19 consumer affair': 5952, 'consumer affair ministry': 196098, 'affair ministry to': 34078, 'ministry to set': 533579, 'to set guideline': 914289, 'set guideline for': 753386, 'guideline for advertising': 368423, 'for advertising around': 319041, 'advertising around read': 33208, 'around read more': 93458, 'glaring': 351585, 'salute all': 732847, 'cashier standing': 166616, 'standing there': 793820, 'there engaging': 878352, 'people despite': 647636, 'of contacting': 581805, 'contacting the': 200348, 'other group': 620322, 'group the': 366916, 'personnel all': 653072, 'all are': 42035, 'the glaring': 856277, 'glaring hero': 351586, 'hero god': 393998, 'bless all': 132580, 'salute all the': 732849, 'all the unsung': 44962, 'hero in this': 394020, 'in this outbreak': 429990, 'this outbreak the': 889331, 'outbreak the grocery': 628712, 'store cashier standing': 806892, 'cashier standing there': 166617, 'standing there engaging': 793821, 'there engaging with': 878353, 'engaging with people': 276926, 'with people despite': 1000141, 'people despite the': 647637, 'despite the risk': 238898, 'risk of contacting': 723736, 'of contacting the': 581807, 'contacting the virus': 200349, 'the virus the': 870907, 'virus the other': 958887, 'the other group': 862531, 'other group the': 620326, 'group the medical': 366918, 'the medical personnel': 860401, 'medical personnel all': 526293, 'personnel all are': 653073, 'all are the': 42051, 'are the glaring': 90834, 'the glaring hero': 856278, 'glaring hero god': 351587, 'hero god bless': 393999, 'god bless all': 354654, 've probably': 953445, 'probably caught': 679234, 'via their': 956315, 'their panic': 874231, 'buying crowding': 150170, 'crowding together': 219410, 'people food': 647937, 'they ve probably': 883671, 've probably caught': 953447, 'probably caught the': 679235, 'caught the via': 167463, 'the via their': 870724, 'via their panic': 956318, 'their panic buying': 874233, 'panic buying crowding': 637697, 'buying crowding together': 150171, 'crowding together with': 219411, 'together with other': 921041, 'with other people': 999958, 'other people food': 620665, 'brunt': 141358, 'dust': 263441, 'beaten': 118601, 'remeber': 710134, 'tom brunt': 923909, 'brunt rt': 141364, 'rt tom': 726840, 'brunt when': 141368, 'the dust': 853790, 'dust ha': 263446, 'ha settled': 371873, 'settled and': 753701, 'have beaten': 379419, 'beaten we': 118608, 'have finally': 380627, 'finally learnt': 306051, 'learnt the': 484282, 'the lesson': 859298, 'lesson that': 486509, 'that society': 846376, 'society most': 781273, 'most important': 542394, 'important people': 418916, 'people nurse': 648898, 'doctor cleaner': 250872, 'cleaner teacher': 180841, 'teacher warehouse': 835530, 'warehouse supermarket': 966779, 'supermarket etc': 820209, 'etc remeber': 282724, 'remeber to': 710135, 'to respect': 913370, 'respect them': 715068, 'them you': 876674, 'tom brunt rt': 923910, 'brunt rt tom': 141365, 'rt tom brunt': 726841, 'tom brunt when': 923911, 'brunt when the': 141369, 'when the dust': 984145, 'the dust ha': 853791, 'dust ha settled': 263447, 'ha settled and': 371874, 'settled and we': 753702, 'we have beaten': 971763, 'have beaten we': 379420, 'beaten we will': 118609, 'will have finally': 993632, 'have finally learnt': 380628, 'finally learnt the': 306052, 'learnt the lesson': 484283, 'the lesson that': 859300, 'lesson that society': 486510, 'that society most': 846379, 'society most important': 781274, 'most important people': 542409, 'important people nurse': 418919, 'people nurse doctor': 648899, 'nurse doctor cleaner': 577288, 'doctor cleaner teacher': 250874, 'cleaner teacher warehouse': 180842, 'teacher warehouse supermarket': 835531, 'warehouse supermarket etc': 966780, 'supermarket etc remeber': 820214, 'etc remeber to': 282725, 'remeber to respect': 710136, 'to respect them': 913375, 'respect them you': 715070, 'them you never': 876679, 'reminder': 710538, 'reminder of': 710572, 'of safe': 589213, 'reminder of safe': 710574, 'of safe distance': 589214, 'safe distance at': 729584, 'distance at the': 246657, 'silver hour': 769808, 'are great': 86946, 'great initiative': 362757, 'initiative in': 438632, 'supermarket how': 820807, 'about reserved': 26086, 'reserved aisle': 714123, 'aisle that': 40386, 'is replenished': 451432, 'replenished regularly': 711674, 'regularly or': 707937, 'or pick': 616603, 'up service': 945964, 'service for': 752373, 'life every': 488633, 'silver hour for': 769809, 'for senior are': 325456, 'senior are great': 750217, 'are great initiative': 86952, 'great initiative in': 362761, 'initiative in supermarket': 438635, 'in supermarket how': 428615, 'supermarket how about': 820808, 'how about reserved': 407300, 'about reserved aisle': 26087, 'reserved aisle that': 714125, 'aisle that is': 40387, 'that is replenished': 844645, 'is replenished regularly': 451433, 'replenished regularly or': 711675, 'regularly or pick': 707938, 'or pick up': 616605, 'pick up service': 655758, 'up service for': 945966, 'service for those': 752395, 'who work hard': 990038, 'hard to save': 378085, 'save life every': 737539, 'life every day': 488634, 'redundancy': 706406, 'asked you': 95913, 'question to': 693773, 'put to': 690925, 'our panel': 624241, 'panel of': 637192, 'of expert': 583325, 'expert here': 291853, 'their response': 874570, 'response on': 715768, 'consumer refund': 198661, 'refund redundancy': 706952, 'redundancy employer': 706409, 'employer right': 274533, 'earlier this week': 264495, 'week we asked': 977187, 'we asked you': 970793, 'asked you for': 95914, 'for your question': 328197, 'your question to': 1025505, 'question to put': 693780, 'to put to': 912621, 'put to our': 690927, 'to our panel': 911229, 'our panel of': 624243, 'panel of expert': 637193, 'of expert here': 583326, 'expert here are': 291854, 'here are their': 392761, 'are their response': 90942, 'their response on': 874573, 'response on consumer': 715769, 'on consumer refund': 600071, 'consumer refund redundancy': 198664, 'refund redundancy employer': 706953, 'redundancy employer right': 706410, 'employer right and': 274534, 'right and more': 721759, 'job amp': 465612, 'amp they': 54682, 'been told': 122235, 'isolate stay': 454915, 'home so': 402081, 'so nearly': 777855, 'american went': 52293, 'bought firearm': 136559, 'firearm do': 308144, 'that cause': 843179, 'cause zombie': 167815, 'zombie or': 1027717, 'or maybe': 616084, 'the neighbor': 861427, 'neighbor are': 556983, 'are coming': 85428, 'people are likely': 647013, 'likely to lose': 492163, 'to lose their': 909464, 'their job amp': 873696, 'job amp they': 465613, 'amp they ve': 54687, 've been told': 952947, 'been told to': 122246, 'told to isolate': 923751, 'to isolate stay': 908543, 'isolate stay home': 454916, 'stay home so': 797003, 'home so nearly': 402084, 'so nearly million': 777856, 'nearly million american': 553842, 'million american went': 532060, 'american went out': 52294, 'went out and': 979081, 'out and bought': 625646, 'and bought firearm': 59105, 'bought firearm do': 136560, 'firearm do they': 308145, 'do they think': 250320, 'they think that': 883564, 'think that cause': 885588, 'that cause zombie': 843185, 'cause zombie or': 167816, 'zombie or maybe': 1027718, 'or maybe the': 616091, 'maybe the neighbor': 521832, 'the neighbor are': 861428, 'neighbor are coming': 556984, 'are coming for': 85433, 'coming for their': 188050, 'recruiting': 705481, 'fao anyone': 298646, 'recent week': 704011, 'week due': 976173, '19 please': 9709, 'visit your': 959438, 'are recruiting': 89518, 'recruiting retail': 705494, 'retail experience': 718105, 'experience is': 291402, 'not essential': 569211, 'fao anyone who': 298647, 'who ha lost': 988855, 'ha lost their': 371189, 'lost their job': 503925, 'their job in': 873717, 'job in recent': 465878, 'in recent week': 427320, 'recent week due': 704016, 'week due to': 976175, 'covid 19 please': 213590, '19 please visit': 9731, 'please visit your': 660730, 'visit your local': 959440, 'local store and': 498454, 'store and check': 806215, 'and check if': 59781, 'they are recruiting': 881382, 'are recruiting retail': 89519, 'recruiting retail experience': 705495, 'retail experience is': 718107, 'experience is not': 291403, 'is not essential': 450072, 'massow': 520190, 'agricultural': 38863, 'ease': 265064, 'canada and': 160353, 'and mike': 67005, 'mike von': 531285, 'von massow': 960423, 'massow professor': 520191, 'professor of': 682573, 'food agricultural': 313057, 'agricultural and': 38869, 'and resource': 70320, 'resource economics': 714761, 'economics at': 267433, 'guelph said': 367949, 'probably seen': 679370, 'worst of': 1011227, 'are restocked': 89641, 'restocked the': 716964, 'could ease': 209125, 'ease even': 265078, 'canada and mike': 160358, 'and mike von': 67006, 'mike von massow': 531286, 'von massow professor': 960424, 'massow professor of': 520192, 'professor of food': 682575, 'of food agricultural': 583637, 'food agricultural and': 313058, 'agricultural and resource': 38871, 'and resource economics': 70323, 'resource economics at': 714762, 'economics at the': 267435, 'at the university': 101136, 'of guelph said': 584378, 'guelph said we': 367950, 'said we ve': 731572, 'we ve probably': 973696, 've probably seen': 953449, 'probably seen the': 679372, 'seen the worst': 747298, 'the worst of': 872063, 'worst of panic': 1011234, 'buying and product': 149925, 'and product are': 69562, 'product are restocked': 680947, 'are restocked the': 89644, 'restocked the panic': 716966, 'the panic could': 863196, 'panic could ease': 638020, 'could ease even': 209126, 'ease even more': 265079, 'weightloss': 977722, 'diet': 241709, 'quarentinelife': 693185, 'laughitthrough': 481828, 'staypositive': 798762, 'well never': 978414, 'never get': 558011, 'the weightloss': 871355, 'weightloss side': 977723, 'effect from': 269003, 'from anything': 334559, 'anything but': 80694, 'like just': 490587, 'just might': 469266, 'might now': 531099, 'now nofood': 575361, 'nofood diet': 566143, 'diet quarentinelife': 241747, 'quarentinelife recipe': 693201, 'recipe will': 704515, 'be laughitthrough': 115660, 'laughitthrough what': 481829, 'else can': 271652, 'do staypositive': 250176, 'well never get': 978415, 'never get the': 558014, 'get the weightloss': 348311, 'the weightloss side': 871356, 'weightloss side effect': 977724, 'side effect from': 768808, 'effect from anything': 269004, 'from anything but': 334560, 'anything but it': 80697, 'but it look': 146135, 'look like just': 502489, 'like just might': 490588, 'just might now': 469268, 'might now nofood': 531100, 'now nofood diet': 575362, 'nofood diet quarentinelife': 566144, 'diet quarentinelife recipe': 241748, 'quarentinelife recipe will': 693202, 'recipe will definitely': 704516, 'definitely be laughitthrough': 232310, 'be laughitthrough what': 115661, 'laughitthrough what else': 481830, 'what else can': 981407, 'else can you': 271657, 'can you do': 160294, 'you do staypositive': 1018272, '492kg': 19414, 'thoughtless': 893366, 'wasteless': 968290, 'of 492kg': 579603, '492kg person': 19415, 'person of': 652550, 'of municipal': 586722, 'municipal waste': 546093, 'waste in': 968134, 'europe let': 283472, 'let hope': 486801, 'that thoughtless': 847021, 'thoughtless panic': 893367, 'not increase': 570118, 'increase this': 433127, 'this amount': 886309, 'amount it': 53197, 'already now': 47531, 'now expected': 574644, 'increase food': 432769, 'waste even': 968113, 'urge to': 948233, 'buy smart': 149187, 'smart try': 775444, 'be wasteless': 118061, 'looking at an': 502798, 'average of 492kg': 104880, 'of 492kg person': 579604, '492kg person of': 19416, 'person of municipal': 652551, 'of municipal waste': 586723, 'municipal waste in': 546094, 'waste in europe': 968135, 'in europe let': 422644, 'europe let hope': 283473, 'let hope that': 486806, 'hope that thoughtless': 403659, 'that thoughtless panic': 847022, 'thoughtless panic shopping': 893369, 'panic shopping will': 638595, 'shopping will not': 764415, 'will not increase': 994233, 'not increase this': 570126, 'increase this amount': 433129, 'this amount it': 886311, 'amount it is': 53198, 'it is already': 458870, 'is already now': 445526, 'already now expected': 47532, 'now expected to': 574646, 'expected to increase': 290984, 'to increase food': 908280, 'increase food waste': 432774, 'food waste even': 317479, 'waste even in': 968114, 'even in challenging': 284230, 'challenging time we': 171654, 'time we urge': 898239, 'we urge to': 973602, 'urge to buy': 948234, 'to buy smart': 902301, 'buy smart try': 149188, 'smart try to': 775445, 'try to be': 934604, 'to be wasteless': 901632, 'pitch': 656995, 'appalling': 81833, 'classic': 180312, '130': 3289, 'heritage': 393896, 'favourite': 300588, 'your email': 1023640, 'email today': 272343, '19 included': 7799, 'included sale': 431702, 'sale pitch': 732447, 'pitch about': 656996, 'about online': 25849, 'shopping you': 764486, 'you appalling': 1017031, 'appalling described': 81835, 'described classic': 237938, 'classic favorite': 180327, 'favorite for': 300515, 'an english': 55755, 'english company': 277052, 'company with': 191343, 'with 130': 996944, '130 year': 3302, 'year of': 1014770, 'of heritage': 584592, 'heritage that': 393899, 'is appalling': 445777, 'appalling it': 81841, 'it favourite': 457964, 'favourite good': 300593, 'at shoe': 100505, 'shoe but': 759659, 'but crap': 145481, 'crap at': 214886, 'your email today': 1023644, 'email today about': 272344, 'today about covid': 919141, 'covid 19 included': 213254, '19 included sale': 7800, 'included sale pitch': 431703, 'sale pitch about': 732448, 'pitch about online': 656997, 'about online shopping': 25851, 'online shopping you': 609358, 'shopping you appalling': 764487, 'you appalling described': 1017032, 'appalling described classic': 81836, 'described classic favorite': 237939, 'classic favorite for': 180328, 'favorite for an': 300516, 'for an english': 319283, 'an english company': 55756, 'english company with': 277053, 'company with 130': 191344, 'with 130 year': 996945, '130 year of': 3303, 'year of heritage': 1014780, 'of heritage that': 584593, 'heritage that is': 393900, 'that is appalling': 844556, 'is appalling it': 445780, 'appalling it favourite': 81842, 'it favourite good': 457965, 'favourite good at': 300594, 'good at shoe': 356798, 'at shoe but': 100506, 'shoe but crap': 759660, 'but crap at': 145482, 'energy crude': 276425, 'energy crude oil': 276426, 'fall by over': 296873, 'got two': 358997, 'two email': 936912, 'one about': 605852, 'about help': 25368, 'help during': 389604, 'other info': 620427, 'just got two': 468873, 'got two email': 358998, 'two email from': 936913, 'email from one': 272190, 'from one about': 336679, 'one about help': 605854, 'about help during': 25369, 'help during covid': 389607, 'and the other': 73503, 'the other info': 862537, 'other info about': 620428, 'info about price': 437408, 'they provide': 882928, 'provide mask': 686383, 'of employee': 583071, 'employee contracting': 273732, 'contracting the': 201784, 'no look': 564676, 'look in': 502414, 'at no': 99891, 'one like': 606598, 'at high': 98892, 'risk it': 723647, 'about money': 25742, 'will they provide': 995183, 'they provide mask': 882932, 'provide mask and': 686384, 'mask and look': 518345, 'and look at': 66364, 'at the risk': 101081, 'risk of employee': 723745, 'of employee contracting': 583073, 'employee contracting the': 273733, 'contracting the virus': 201792, 'the virus that': 870906, 'virus that no': 958874, 'that no look': 845359, 'no look in': 564677, 'look in every': 502416, 'in every supermarket': 422691, 'every supermarket at': 286240, 'supermarket at no': 819245, 'at no one': 99894, 'no one like': 564947, 'one like mask': 606602, 'like mask and': 490721, 'mask and they': 518378, 'they are at': 881206, 'are at high': 84667, 'at high risk': 98895, 'high risk it': 395361, 'risk it all': 723648, 'it all about': 456334, 'all about money': 41922, 'about money and': 25743, 'money and greed': 536598, 'nobel': 565964, 'quatantine': 693294, 'nurtricrops': 577638, 'quinoa': 694753, 'this adversity': 886212, 'adversity of': 33134, 'of nobel': 587050, 'nobel covid': 565965, '19 where': 12028, 'the almost': 848592, 'almost whole': 46768, 'is quatantine': 451172, 'quatantine lockdown': 693295, 'lockdown grow': 499433, 'grow nurtricrops': 367044, 'nurtricrops dedicated': 577639, 'dedicated team': 231738, 'team is': 835696, 'service so': 752838, 'food yes': 317694, 'are ready': 89457, 'ready with': 700997, 'of quinoa': 588704, 'quinoa and': 694754, 'and looking': 66373, 'to export': 905504, 'export the': 292713, 'at peak': 100085, 'in this adversity': 429902, 'this adversity of': 886214, 'adversity of nobel': 33135, 'of nobel covid': 587051, 'nobel covid 19': 565966, 'covid 19 where': 214066, '19 where the': 12031, 'where the almost': 985215, 'the almost whole': 848595, 'almost whole world': 46769, 'whole world is': 990384, 'world is quatantine': 1009714, 'is quatantine lockdown': 451173, 'quatantine lockdown grow': 693296, 'lockdown grow nurtricrops': 499434, 'grow nurtricrops dedicated': 367045, 'nurtricrops dedicated team': 577640, 'dedicated team is': 231739, 'team is at': 835698, 'is at your': 445878, 'at your service': 101690, 'your service so': 1025737, 'service so you': 752843, 'so you never': 778848, 'you never run': 1020081, 'of food yes': 583826, 'food yes we': 317695, 'yes we are': 1015594, 'we are ready': 970680, 'are ready with': 89462, 'ready with stock': 700998, 'with stock of': 1000975, 'stock of quinoa': 802538, 'of quinoa and': 588705, 'quinoa and looking': 694755, 'and looking forward': 66376, 'forward to export': 330024, 'to export the': 905509, 'export the demand': 292715, 'the demand is': 853101, 'demand is at': 235714, 'is at peak': 445870, 'never said': 558162, 'is blocked': 446207, 'blocked what': 132872, 'wa trying': 963581, 'to point': 911856, 'is they': 453050, 'selling it': 749310, 'an exorbitant': 55952, 'price had': 674394, 'had tweeted': 373769, 'tweeted to': 936457, 'the matter': 860296, 'matter now': 520604, 'now see': 575743, 'never said that': 558164, 'that the supply': 846847, 'the supply is': 868951, 'supply is blocked': 825435, 'is blocked what': 446208, 'blocked what wa': 132873, 'what wa trying': 982527, 'wa trying to': 963582, 'trying to point': 934840, 'to point out': 911860, 'point out is': 662581, 'out is they': 626437, 'is they are': 453051, 'they are selling': 881402, 'are selling it': 89961, 'selling it at': 749311, 'it at an': 456610, 'at an exorbitant': 97986, 'an exorbitant price': 55954, 'exorbitant price had': 290411, 'price had tweeted': 674399, 'had tweeted to': 373770, 'tweeted to and': 936458, 'to and to': 900530, 'and to look': 74182, 'look into the': 502435, 'into the matter': 443149, 'the matter now': 860299, 'matter now see': 520605, 'now see what': 575754, 'see what is': 746035, 'rob': 724613, 'bandana': 109363, 'everyone look': 287166, 'are gonna': 86912, 'gonna rob': 356604, 'rob the': 724634, 'these bandana': 879669, 'bandana mask': 109376, 'everyone look like': 287167, 'like they are': 491447, 'they are gonna': 881288, 'are gonna rob': 86920, 'gonna rob the': 356605, 'rob the grocery': 724635, 'same time with': 733376, 'time with these': 898361, 'with these bandana': 1001635, 'these bandana mask': 879670, 'mexico': 529988, 'argentina': 92639, 'ambitious': 51304, '2019 the': 14025, 'new president': 559332, 'of mexico': 586462, 'mexico and': 529991, 'and argentina': 58386, 'argentina announced': 92640, 'announced plan': 77019, 'boost their': 135023, 'their struggling': 874881, 'struggling economy': 814437, 'economy ambitious': 267624, 'ambitious oil': 51305, 'oil project': 597377, 'project that': 683539, 'would boost': 1011687, 'boost state': 135016, 'state revenue': 795905, 'revenue but': 720385, 'caused serious': 167948, 'serious price': 751450, 'price crash': 673313, 'crash in': 214987, 'the crude': 852541, 'in 2019 the': 419810, '2019 the new': 14026, 'the new president': 861542, 'new president of': 559333, 'president of mexico': 670867, 'of mexico and': 586463, 'mexico and argentina': 529992, 'and argentina announced': 58387, 'argentina announced plan': 92641, 'announced plan to': 77020, 'plan to boost': 658270, 'to boost their': 901932, 'boost their struggling': 135026, 'their struggling economy': 874882, 'struggling economy ambitious': 814438, 'economy ambitious oil': 267625, 'ambitious oil project': 51306, 'oil project that': 597378, 'project that would': 683543, 'that would boost': 847680, 'would boost state': 1011688, 'boost state revenue': 135017, 'state revenue but': 795906, 'revenue but covid': 720386, '19 ha caused': 7331, 'ha caused serious': 370098, 'caused serious price': 167950, 'serious price crash': 751451, 'price crash in': 673323, 'crash in the': 214998, 'in the crude': 429113, 'the crude oil': 852542, 'crude oil market': 219562, 'coronachainscare': 204461, 'buying buy': 150069, 'buy product': 149104, 'and leave': 66046, 'neighbor pandemic': 557068, 'food toiletpaper': 317318, 'toiletpaper coronachainscare': 921879, 'coronachainscare stoppanicbuying': 204466, 'stoppanicbuying retail': 805600, 'panic buying buy': 637666, 'buying buy product': 150071, 'buy product and': 149105, 'product and leave': 680890, 'and leave some': 66059, 'your neighbor pandemic': 1024960, 'neighbor pandemic food': 557069, 'pandemic food toiletpaper': 635442, 'food toiletpaper coronachainscare': 317319, 'toiletpaper coronachainscare stoppanicbuying': 921880, 'coronachainscare stoppanicbuying retail': 204467, 'accumulating': 28861, 'panic australia': 637387, 'australia the': 103398, 'coronavirus doe': 205838, 'not mean': 570549, 'will run': 994726, 'food our': 315704, 'our farmer': 623019, 'farmer produce': 299479, 'produce enough': 680250, 'for 75': 318913, '75 million': 22142, 'people stop': 649645, 'stop accumulating': 804424, 'accumulating stock': 28866, 'stock writes': 803210, 'writes the': 1012874, 'not panic australia': 570895, 'panic australia the': 637388, 'australia the coronavirus': 103400, 'the coronavirus doe': 851835, 'coronavirus doe not': 205839, 'doe not mean': 251508, 'not mean that': 570553, 'mean that we': 524689, 'we will run': 973901, 'will run out': 994728, 'of food our': 583743, 'food our farmer': 315706, 'our farmer produce': 623025, 'farmer produce enough': 299480, 'produce enough for': 680252, 'enough for 75': 277428, 'for 75 million': 318915, '75 million people': 22144, 'million people stop': 532315, 'people stop accumulating': 649647, 'stop accumulating stock': 804425, 'accumulating stock writes': 28867, 'stock writes the': 803211, 'writes the minister': 1012875, 'the minister of': 860658, 'minister of agriculture': 533421, 'undoc': 941019, 'indiscriminate': 435105, 'thus': 895497, 'threatens': 893836, 'undoc worker': 941020, 'worker pick': 1007574, 'pick our': 655669, 'our vegetable': 625259, 'vegetable stock': 954097, 'stock our': 802597, 'shelf cook': 756958, 'cook our': 202765, 'food maintain': 315355, 'maintain our': 509005, 'elderly this': 270907, 'is indiscriminate': 448885, 'indiscriminate it': 435106, 'affect everyone': 34141, 'everyone equally': 286893, 'equally thus': 279641, 'thus when': 895539, 'when one': 983797, 'one part': 606835, 'our pop': 624392, 'pop is': 664433, 'is vulnerable': 453726, 'it threatens': 461668, 'threatens all': 893837, 'undoc worker pick': 941021, 'worker pick our': 1007575, 'pick our vegetable': 655670, 'our vegetable stock': 625260, 'vegetable stock our': 954098, 'stock our shelf': 802603, 'our shelf cook': 624740, 'shelf cook our': 756959, 'cook our food': 202766, 'our food maintain': 623114, 'food maintain our': 315356, 'maintain our home': 509006, 'our home take': 623456, 'home take care': 402185, 'care of our': 164113, 'of our elderly': 587457, 'our elderly this': 622871, 'elderly this virus': 270909, 'virus is indiscriminate': 958382, 'is indiscriminate it': 448886, 'indiscriminate it affect': 435107, 'it affect everyone': 456282, 'affect everyone equally': 34142, 'everyone equally thus': 286894, 'equally thus when': 279642, 'thus when one': 895540, 'when one part': 983801, 'one part of': 606836, 'of our pop': 587540, 'our pop is': 624393, 'pop is vulnerable': 664437, 'is vulnerable to': 453727, 'virus it threatens': 958422, 'it threatens all': 461669, 'threatens all of': 893838, 'featuring': 301577, 'b2b': 106452, 'd2c': 224195, 'watershed': 969302, 'pivoting': 657124, 'linkedin': 493998, 'round up': 726375, 'week top': 977114, 'top retail': 925711, 'retail story': 718742, 'from world': 338428, 'world featuring': 1009544, 'featuring b2b': 301580, 'b2b go': 106460, 'go d2c': 353438, 'd2c online': 224202, 'shopping watershed': 764343, 'watershed moment': 969303, 'moment in': 535964, 'the manufacturer': 860022, 'manufacturer pivoting': 513502, 'pivoting production': 657127, 'retail rent': 718441, 'rent read': 711172, 'on linkedin': 601871, 'round up of': 726378, 'up of the': 945507, 'the week top': 871318, 'week top retail': 977115, 'top retail story': 925712, 'retail story from': 718743, 'story from world': 811988, 'from world featuring': 338429, 'world featuring b2b': 1009545, 'featuring b2b go': 301581, 'b2b go d2c': 106461, 'go d2c online': 353439, 'd2c online grocery': 224203, 'grocery shopping watershed': 365105, 'shopping watershed moment': 764344, 'watershed moment in': 969305, 'moment in the': 535967, 'in the manufacturer': 429338, 'the manufacturer pivoting': 860025, 'manufacturer pivoting production': 513503, 'pivoting production and': 657128, 'production and retail': 681932, 'and retail rent': 70441, 'retail rent read': 718443, 'rent read on': 711173, 'read on linkedin': 700481, 'associated': 96914, 'proceed': 679833, 'clinical': 182319, 'potential for': 667069, 'long distance': 501392, 'distance animal': 246646, 'animal transport': 76671, 'transport to': 929961, 'spread disease': 790503, 'disease is': 245161, 'is deeply': 447070, 'deeply worrying': 231999, 'worrying the': 1010835, 'the european': 854578, 'european food': 283573, 'safety authority': 730478, 'authority ha': 103731, 'stress associated': 813308, 'associated with': 96933, 'with handling': 998731, 'handling and': 376331, 'and transport': 74381, 'transport may': 929906, 'cause latent': 167629, 'latent infection': 481008, 'infection to': 436870, 'to proceed': 912167, 'proceed to': 679836, 'to clinical': 902851, 'clinical disease': 182322, 'the potential for': 864118, 'potential for long': 667074, 'for long distance': 323075, 'long distance animal': 501393, 'distance animal transport': 246647, 'animal transport to': 76672, 'transport to spread': 929963, 'to spread disease': 915059, 'spread disease is': 790504, 'disease is deeply': 245163, 'is deeply worrying': 447071, 'deeply worrying the': 232000, 'worrying the european': 1010836, 'the european food': 854583, 'european food safety': 283574, 'food safety authority': 316265, 'safety authority ha': 730479, 'authority ha said': 103733, 'ha said that': 371796, 'that the stress': 846844, 'the stress associated': 868269, 'stress associated with': 813309, 'associated with handling': 96935, 'with handling and': 998732, 'handling and transport': 376332, 'and transport may': 74382, 'transport may cause': 929907, 'may cause latent': 521074, 'cause latent infection': 167630, 'latent infection to': 481009, 'infection to proceed': 436871, 'to proceed to': 912168, 'proceed to clinical': 679837, 'to clinical disease': 902852, 'executive at': 289859, 'china share': 176941, 'learned about': 484103, 'about managing': 25696, 'managing operation': 512882, 'operation remotely': 613247, 'remotely during': 710766, 'executive at consumer': 289860, 'at consumer company': 98315, 'consumer company in': 196834, 'in china share': 421436, 'china share what': 176942, 'share what they': 755347, 'what they ve': 982420, 'they ve learned': 883663, 've learned about': 953326, 'learned about managing': 484105, 'about managing operation': 25697, 'managing operation remotely': 512883, 'operation remotely during': 613248, 'remotely during the': 710767, 'local facebook': 497931, 'group one': 366818, 'one officer': 606779, 'officer off': 595687, 'so her': 777291, 'her husband': 392118, 'husband also': 411667, 'also officer': 48603, 'officer go': 595658, 'them thought': 876437, 'thought even': 893033, 'even idiot': 284194, 'idiot could': 413495, 'could understand': 209801, 'the advice': 848380, 'advice not': 33439, 'household ha': 406825, 'it clearly': 457167, 'clearly not': 181529, 'my local facebook': 549111, 'local facebook group': 497932, 'facebook group one': 294932, 'group one officer': 366819, 'one officer off': 606780, 'officer off work': 595688, 'off work with': 594417, 'work with covid': 1006026, '19 so her': 10644, 'so her husband': 777292, 'her husband also': 392119, 'husband also officer': 411668, 'also officer go': 48604, 'officer go to': 595659, 'supermarket for them': 820425, 'for them thought': 326926, 'them thought even': 876439, 'thought even idiot': 893034, 'even idiot could': 284195, 'idiot could understand': 413496, 'could understand the': 209802, 'understand the advice': 940743, 'the advice not': 848384, 'advice not to': 33440, 'not to go': 572155, 'or anyone in': 614370, 'your household ha': 1024430, 'household ha it': 406827, 'ha it clearly': 371015, 'it clearly not': 457168, 'pessimism': 653312, 'shanghai': 754797, 'globaltrade': 352431, 'globaleconomy': 352311, 'the optimism': 862424, 'optimism of': 613909, 'demand recovery': 236115, 'recovery is': 705350, 'is completely': 446699, 'completely replaced': 192339, 'replaced with': 711606, 'with pessimism': 1000190, 'pessimism shanghai': 653321, 'shanghai source': 754808, 'source said': 786541, 'said what': 731579, 'some cause': 782504, 'are feeding': 86512, 'feeding into': 302464, 'global steel': 352215, 'steel market': 799344, 'market pessimism': 516842, 'pessimism china': 653315, 'china economy': 176632, 'economy industrial': 267974, 'industrial globaltrade': 435542, 'globaltrade globaleconomy': 352432, 'the optimism of': 862425, 'optimism of demand': 613910, 'of demand recovery': 582509, 'demand recovery is': 236117, 'recovery is completely': 705351, 'is completely replaced': 446708, 'completely replaced with': 192340, 'replaced with pessimism': 711607, 'with pessimism shanghai': 1000191, 'pessimism shanghai source': 653322, 'shanghai source said': 754809, 'source said what': 786543, 'said what are': 731580, 'what are some': 981066, 'are some cause': 90259, 'some cause that': 782505, 'cause that are': 167754, 'that are feeding': 842749, 'are feeding into': 86513, 'feeding into the': 302465, 'into the global': 443132, 'the global steel': 856329, 'global steel market': 352216, 'steel market pessimism': 799346, 'market pessimism china': 516843, 'pessimism china economy': 653316, 'china economy industrial': 176635, 'economy industrial globaltrade': 267975, 'industrial globaltrade globaleconomy': 435543, 'polis': 663568, 'copolitics': 203418, 'maskchallenge': 519611, 'gov polis': 359663, 'polis ha': 663569, 'ha asked': 369627, 'when outside': 983834, 'house at': 406205, 'example suggested': 288972, 'suggested mask': 817575, 'mask design': 518564, 'design below': 238220, 'below copolitics': 126622, 'copolitics maskchallenge': 203419, 'gov polis ha': 359664, 'polis ha asked': 663570, 'ha asked that': 369632, 'asked that everyone': 95831, 'that everyone wear': 843774, 'mask when outside': 519539, 'when outside the': 983835, 'outside the house': 629596, 'the house at': 857593, 'house at the': 406208, 'store for example': 807802, 'for example suggested': 321290, 'example suggested mask': 288973, 'suggested mask design': 817576, 'mask design below': 518565, 'design below copolitics': 238221, 'below copolitics maskchallenge': 126623, 'yay': 1014192, 'dear when': 229916, 'when your': 984621, 'your gas': 1024025, 'start shooting': 794495, 'why your': 991605, 'into his': 442631, 'his amp': 397191, 'amp his': 53944, 'his friend': 397456, 'friend pocket': 333757, 'pocket having': 662174, 'having it': 384125, 'it happen': 458460, 'an added': 55098, 'added bonus': 31549, 'bonus yay': 134423, 'dear when your': 229917, 'when your gas': 984626, 'your gas price': 1024026, 'gas price start': 344027, 'price start shooting': 676613, 'start shooting up': 794496, 'shooting up here': 759782, 'up here why': 945080, 'here why your': 393842, 'why your money': 991608, 'your money is': 1024863, 'is going into': 448093, 'going into his': 355236, 'into his amp': 442632, 'his amp his': 397192, 'amp his friend': 53947, 'his friend pocket': 397458, 'friend pocket having': 333758, 'pocket having it': 662175, 'having it happen': 384127, 'it happen during': 458461, 'is an added': 445635, 'an added bonus': 55099, 'added bonus yay': 31550, 'leafy': 483835, 'surrey': 828692, 'educated': 268780, 'fck': 300789, 'nhsworkers': 562279, 'in leafy': 424655, 'leafy surrey': 483836, 'surrey where': 828704, 'where educated': 984852, 'educated people': 268785, 'really should': 702580, 'know better': 476307, 'better we': 128602, 'keep frontline': 471529, 'frontline medical': 338788, 'staff healthy': 792523, 'healthy fck': 387603, 'fck toilet': 300790, 'paper basic': 639927, 'food stophoarding': 316831, 'stophoarding now': 805433, 'now nhsworkers': 575342, 'it happening in': 458474, 'happening in leafy': 377364, 'in leafy surrey': 424656, 'leafy surrey where': 483837, 'surrey where educated': 828705, 'where educated people': 984853, 'educated people really': 268786, 'people really should': 649248, 'really should know': 702582, 'should know better': 766178, 'know better we': 476311, 'better we need': 128603, 'to keep frontline': 908791, 'keep frontline medical': 471530, 'frontline medical staff': 338789, 'medical staff healthy': 526397, 'staff healthy fck': 792524, 'healthy fck toilet': 387604, 'fck toilet paper': 300791, 'toilet paper basic': 921199, 'paper basic food': 639928, 'basic food stophoarding': 111895, 'food stophoarding now': 316832, 'stophoarding now nhsworkers': 805434, 'starkist': 794173, 'cracker': 214724, 'is low': 449472, 'low key': 505372, 'key the': 473415, 'best market': 127760, 'market research': 516991, 'what item': 981766, 'people would': 650535, 'would never': 1012055, 'never buy': 557919, 'buy even': 148581, 'global virus': 352282, 'virus outbreak': 958586, 'see you': 746099, 'you starkist': 1021351, 'starkist ready': 794174, 'eat tuna': 266092, 'tuna and': 935370, 'and cracker': 60678, 'cracker coronapocolypse': 214727, 'coronapocolypse panicshopping': 205236, 'this is low': 888308, 'is low key': 449477, 'low key the': 505373, 'key the best': 473416, 'the best market': 849523, 'best market research': 127761, 'market research for': 516994, 'research for grocery': 713721, 'store to know': 810783, 'know what item': 476962, 'what item people': 981768, 'item people would': 463557, 'people would never': 650539, 'would never buy': 1012056, 'never buy even': 557920, 'buy even in': 148583, 'even in global': 284237, 'in global virus': 423344, 'global virus outbreak': 352283, 'virus outbreak they': 958592, 'outbreak they see': 628741, 'they see you': 883296, 'see you starkist': 746113, 'you starkist ready': 1021352, 'starkist ready to': 794175, 'to eat tuna': 904908, 'eat tuna and': 266093, 'tuna and cracker': 935371, 'and cracker coronapocolypse': 60679, 'cracker coronapocolypse panicshopping': 214728, 'ha handsanitizer': 370819, 'handsanitizer sold': 376642, 'out everywhere': 626038, 'everywhere learn': 288230, 'own with': 632308, 'this book': 886593, 'book ad': 134455, 'ad virus': 31187, 'pandemic coronaoutbreak': 635224, 'coronaoutbreak coronacrisis': 205111, 'ha handsanitizer sold': 370820, 'handsanitizer sold out': 376643, 'sold out everywhere': 781732, 'out everywhere learn': 626039, 'everywhere learn how': 288231, 'your own with': 1025170, 'own with this': 632312, 'with this book': 1001681, 'this book ad': 886594, 'book ad virus': 134456, 'ad virus pandemic': 31188, 'virus pandemic coronaoutbreak': 958599, 'pandemic coronaoutbreak coronacrisis': 635225, 'are fake': 86455, 'fake product': 296690, 'and charity': 59756, 'charity that': 173692, 'that scam': 846140, 'scam people': 740294, 'crisis learn': 217649, 'can protect': 159319, 'know that there': 476793, 'that there are': 846893, 'there are fake': 878102, 'are fake product': 86456, 'fake product and': 296691, 'product and charity': 680878, 'and charity that': 59761, 'charity that scam': 173696, 'that scam people': 846142, 'scam people out': 740300, 'of their money': 591680, 'their money in': 874000, 'the crisis learn': 852400, 'crisis learn more': 217651, 'learn more and': 484016, 'more and how': 538614, 'and how you': 64845, 'you can protect': 1017754, 'can protect yourself': 159327, 'yourself and your': 1026531, 'and your money': 76085, 'birx': 131467, 'sacramento': 729065, 'bee': 120466, 'nationalemergency': 552646, 'birx moment': 131470, 'be going': 115048, 'friend safe': 333785, 'safe the': 730015, 'the sacramento': 866110, 'sacramento bee': 729068, 'bee pandemic': 120469, 'pandemic nationalemergency': 636005, 'nationalemergency publichealth': 552647, 'birx moment to': 131472, 'moment to not': 536085, 'to not be': 910681, 'not be going': 568391, 'be going to': 115055, 'store keep your': 808645, 'keep your family': 472265, 'family and your': 297615, 'and your friend': 76076, 'your friend safe': 1023975, 'friend safe the': 333790, 'safe the sacramento': 730017, 'the sacramento bee': 866111, 'sacramento bee pandemic': 729069, 'bee pandemic nationalemergency': 120470, 'pandemic nationalemergency publichealth': 636006, 'stir': 801694, 'leader we': 483565, 'spread so': 790797, 'on walk': 605090, 'walk everyone': 964776, 'so stir': 778265, 'stir crazy': 801695, 'crazy that': 215436, 'twice day': 936520, 'day see': 228320, 'our neighbor': 624004, 'friend there': 333834, 'leader we do': 483567, 'want to spread': 966125, 'to spread so': 915078, 'spread so you': 790801, 'you can only': 1017736, 'can only go': 159125, 'only go to': 610522, 'or on walk': 616375, 'on walk everyone': 605091, 'walk everyone we': 964778, 'everyone we are': 287560, 'are so stir': 90219, 'so stir crazy': 778266, 'stir crazy that': 801699, 'crazy that we': 215439, 'that we go': 847373, 'grocery store twice': 365890, 'store twice day': 810975, 'twice day see': 936521, 'day see all': 228321, 'see all our': 744878, 'all our neighbor': 43819, 'our neighbor and': 624005, 'neighbor and friend': 556977, 'and friend there': 63335, 'friend there and': 333835, 'there and continue': 877997, 'continue to spread': 201263, 'to spread and': 915052, 'spread and look': 790414, 'and look for': 66365, 'look for toiletpaper': 502373, 'polluting': 663889, 'climatecrisis': 182249, 'heel': 388765, 'reduce polluting': 705892, 'polluting industry': 663890, 'and reduce': 70092, 'reduce consumer': 705800, 'consumer culture': 197033, 'culture is': 220298, 'inevitable but': 436366, 'the climatecrisis': 851023, 'climatecrisis is': 182252, 'is constantly': 446775, 'constantly postponed': 195687, 'postponed now': 666820, 'plague on': 657978, 'our heel': 623406, 'heel there': 388771, 'no remind': 565327, 'remind me': 710487, 'me tomorrow': 523814, 'tomorrow read': 924169, 'read my': 700461, 'my editorial': 548063, 'editorial on': 268676, 'on on': 602506, 'reduce polluting industry': 705893, 'polluting industry and': 663891, 'industry and reduce': 435648, 'and reduce consumer': 70093, 'reduce consumer culture': 705801, 'consumer culture is': 197035, 'culture is inevitable': 220300, 'is inevitable but': 448893, 'inevitable but the': 436367, 'but the response': 147398, 'to the climatecrisis': 916568, 'the climatecrisis is': 851024, 'climatecrisis is constantly': 182253, 'is constantly postponed': 446778, 'constantly postponed now': 195688, 'postponed now with': 666821, 'with the plague': 1001429, 'the plague on': 863784, 'plague on our': 657979, 'on our heel': 602606, 'our heel there': 623407, 'heel there no': 388772, 'there no remind': 878838, 'no remind me': 565328, 'remind me tomorrow': 710489, 'me tomorrow read': 523816, 'tomorrow read my': 924170, 'read my editorial': 700464, 'my editorial on': 548064, 'editorial on on': 268677, 'weary': 974831, 'realized': 701889, 'thrust': 895258, 'panick': 639186, 'clerk went': 181817, 'and looked': 66370, 'looked into': 502725, 'the weary': 871249, 'weary eye': 974832, 'the clerk': 851003, 'clerk thanked': 181782, 'thanked her': 841874, 'and realized': 70007, 'realized that': 701908, 'that she': 846232, 'wa thrust': 963510, 'thrust on': 895261, 'this panick': 889471, 'panick new': 639192, 'new breed': 558418, 'breed of': 139272, 'responder they': 715533, 'serve their': 751949, 'your grocery clerk': 1024121, 'grocery clerk went': 364385, 'clerk went to': 181818, 'store today and': 810832, 'today and looked': 919220, 'and looked into': 66372, 'looked into the': 502726, 'into the weary': 443185, 'the weary eye': 871250, 'weary eye of': 974833, 'eye of the': 294067, 'of the clerk': 590865, 'the clerk thanked': 851007, 'clerk thanked her': 181783, 'thanked her and': 841875, 'her and realized': 391851, 'and realized that': 70009, 'realized that she': 701913, 'that she wa': 846245, 'she wa thrust': 756430, 'wa thrust on': 963511, 'thrust on the': 895262, 'of this panick': 592023, 'this panick new': 889472, 'panick new breed': 639193, 'new breed of': 558419, 'breed of first': 139273, 'of first responder': 583554, 'first responder they': 308968, 'responder they are': 715534, 'hard to serve': 378088, 'to serve their': 914273, 'serve their community': 751950, 'vegetarian': 954139, 'ghost': 349667, 'shoppingcrazy': 764502, 'first went': 309179, 'asian vegetarian': 95371, 'vegetarian market': 954149, 'market it': 516651, 'it usually': 462004, 'usually quiet': 951142, 'quiet it': 694684, 'of long': 585996, 'line then': 493461, 'then had': 877225, 'are ghost': 86839, 'ghost town': 349674, 'town what': 927581, 'hell that': 389069, 'wa really': 963058, 'really stressful': 702619, 'stressful pandemic': 813502, 'pandemic shoppingcrazy': 636447, 'first went to': 309181, 'to the asian': 916496, 'the asian vegetarian': 848968, 'asian vegetarian market': 95372, 'vegetarian market it': 954150, 'market it usually': 516655, 'it usually quiet': 462008, 'usually quiet it': 951143, 'quiet it wa': 694685, 'full of long': 340739, 'of long line': 585998, 'long line then': 501507, 'line then had': 493462, 'then had to': 877226, 'and the shelf': 73580, 'shelf are ghost': 756803, 'are ghost town': 86840, 'ghost town what': 349679, 'town what the': 927582, 'what the hell': 982325, 'the hell that': 857248, 'hell that wa': 389070, 'that wa really': 847306, 'wa really stressful': 963067, 'really stressful pandemic': 702621, 'stressful pandemic shoppingcrazy': 813503, 'washable': 967593, 'copious': 203412, 'handwashing': 376815, 'in keeping': 424454, 'distancing platform': 247399, 'platform we': 659055, 'have supplied': 382855, 'supplied all': 824442, 'our field': 623060, 'field personnel': 304500, 'personnel with': 653176, 'with washable': 1002026, 'washable reusable': 967598, 'reusable face': 720158, 'and copious': 60548, 'copious amount': 203413, 'sanitizer remember': 735647, 'remember keep': 710220, 'washing those': 967737, 'those hand': 892042, 'hand handwashing': 375004, 'in keeping with': 424459, 'keeping with our': 472620, 'with our social': 1000018, 'our social distancing': 624809, 'social distancing platform': 779687, 'distancing platform we': 247400, 'platform we have': 659056, 'we have supplied': 971954, 'have supplied all': 382857, 'supplied all of': 824443, 'of our field': 587474, 'our field personnel': 623061, 'field personnel with': 304501, 'personnel with washable': 653177, 'with washable reusable': 1002027, 'washable reusable face': 967599, 'reusable face mask': 720159, 'mask and copious': 518313, 'and copious amount': 60549, 'copious amount of': 203414, 'amount of hand': 53226, 'hand sanitizer remember': 375563, 'sanitizer remember keep': 735648, 'remember keep washing': 710222, 'keep washing those': 472200, 'washing those hand': 967738, 'those hand handwashing': 892044, 'af': 33946, '19 got': 7248, 'got gas': 358578, 'price sick': 676399, 'sick af': 768353, 'covid 19 got': 213155, '19 got gas': 7250, 'got gas price': 358580, 'gas price sick': 344022, 'price sick af': 676400, 'muji': 545597, '19 friend': 7111, 'friend of': 333728, 'of mine': 586551, 'mine in': 532898, 'at muji': 99794, 'muji store': 545600, 'and muji': 67313, 'muji decided': 545598, 'decided not': 230872, 'pay his': 644939, 'who decided': 988543, 'take leave': 832267, 'coronavirus his': 206078, 'his colleague': 397294, 'colleague have': 186210, 'started petition': 794803, 'petition if': 653611, 'sign that': 769220, 'be great': 115087, '19 friend of': 7112, 'friend of mine': 333730, 'of mine in': 586555, 'mine in the': 532902, 'in the work': 429689, 'the work at': 871727, 'work at muji': 1004884, 'at muji store': 99795, 'muji store and': 545601, 'store and muji': 806298, 'and muji decided': 67314, 'muji decided not': 545599, 'decided not to': 230874, 'not to pay': 572170, 'to pay his': 911536, 'pay his employee': 644941, 'employee who decided': 274424, 'who decided to': 988544, 'decided to take': 230934, 'to take leave': 916194, 'take leave during': 832268, 'leave during the': 484775, 'the coronavirus his': 851866, 'coronavirus his colleague': 206079, 'his colleague have': 397296, 'colleague have started': 186212, 'have started petition': 382727, 'started petition if': 794804, 'petition if you': 653612, 'if you could': 415416, 'you could help': 1018092, 'could help them': 209295, 'help them and': 390698, 'them and sign': 875397, 'and sign that': 71658, 'sign that would': 769227, 'that would be': 847679, 'would be great': 1011592, 'to all supermarket': 900288, 'all supermarket worker': 44558, 'supermarket worker please': 824070, 'worker please stay': 1007592, 'funded': 341575, 'shore': 764572, 'mondaymotivation if': 536462, 'this quarantinelife': 889783, 'quarantinelife over': 692983, 'over doe': 630151, 'doe nothing': 251538, 'else only': 271821, 'only hope': 610607, 'hope it': 403512, 'give wallstreet': 350829, 'wallstreet new': 965257, 'new found': 558758, 'found appreciation': 330162, 'appreciation for': 82873, 'driven economy': 259311, 'they stop': 883481, 'stop trying': 805242, 'hoard all': 398748, 'the tax': 869169, 'tax payer': 835058, 'payer funded': 645353, 'funded money': 341579, 'planet in': 658413, 'in off': 426061, 'off shore': 594157, 'shore account': 764573, 'mondaymotivation if this': 536463, 'if this quarantinelife': 415168, 'this quarantinelife over': 889784, 'quarantinelife over doe': 692984, 'over doe nothing': 630152, 'doe nothing else': 251539, 'nothing else only': 572995, 'else only hope': 271822, 'only hope it': 610608, 'hope it give': 403516, 'it give wallstreet': 458240, 'give wallstreet new': 350830, 'wallstreet new found': 965258, 'new found appreciation': 558759, 'found appreciation for': 330163, 'appreciation for the': 82880, 'for the term': 326722, 'the term consumer': 869293, 'term consumer driven': 838097, 'consumer driven economy': 197249, 'driven economy and': 259312, 'economy and they': 267658, 'and they stop': 73942, 'they stop trying': 883482, 'stop trying to': 805243, 'trying to hoard': 934818, 'to hoard all': 907863, 'hoard all the': 398749, 'all the tax': 44939, 'the tax payer': 869172, 'tax payer funded': 835059, 'payer funded money': 645354, 'funded money on': 341580, 'money on the': 536940, 'the planet in': 863803, 'planet in off': 658414, 'in off shore': 426063, 'off shore account': 594158, 'cache': 155044, 'umm': 939239, 'aussie': 103109, 'buying gun': 150424, 'gun to': 368748, 'their toilet': 875003, 'paper cache': 639989, 'cache umm': 155045, 'umm so': 939250, 'the are': 848855, 'are aussie': 84697, 'aussie gonna': 103124, 'gonna do': 356511, 'american are panic': 51811, 'panic buying gun': 637753, 'buying gun to': 150427, 'gun to protect': 368749, 'protect their toilet': 685000, 'their toilet paper': 875004, 'toilet paper cache': 921217, 'paper cache umm': 639990, 'cache umm so': 155046, 'umm so what': 939251, 'so what the': 778723, 'what the are': 982293, 'the are aussie': 848857, 'are aussie gonna': 84698, 'aussie gonna do': 103125, 'been report': 121822, 'government may': 360345, 'may send': 521488, 'send check': 749825, 'check to': 174681, 'to american': 900411, 'american during': 51928, 'please note': 660245, 'note that': 572796, 'that while': 847512, 'while nothing': 987088, 'nothing ha': 573024, 'been confirmed': 120864, 'confirmed scammer': 194187, 'likely try': 492187, 'advantage this': 33068, 'link from': 493841, 'ftc tell': 339451, 'have been report': 379660, 'been report that': 121823, 'report that the': 712330, 'that the government': 846737, 'the government may': 856562, 'government may send': 360350, 'may send check': 521489, 'send check to': 749826, 'check to american': 174682, 'to american during': 900414, 'american during the': 51930, '19 outbreak please': 9170, 'outbreak please note': 628537, 'please note that': 660247, 'note that while': 572816, 'that while nothing': 847515, 'while nothing ha': 987089, 'nothing ha been': 573025, 'ha been confirmed': 369755, 'been confirmed scammer': 120867, 'confirmed scammer will': 194188, 'scammer will likely': 740657, 'will likely try': 994015, 'likely try to': 492188, 'take advantage this': 831921, 'advantage this link': 33069, 'this link from': 888644, 'link from the': 493843, 'the ftc tell': 855942, 'ftc tell you': 339452, 'you what to': 1022272, 'jacksonville': 464211, 'reaching': 700066, 'folk in': 312191, 'in jacksonville': 424329, 'jacksonville need': 464218, 'learn social': 484057, 'distancing at': 247017, 'store people': 809485, 'people reaching': 649229, 'reaching over': 700105, 'stay foot': 796870, 'foot back': 318359, 'back please': 107226, 'please and': 659659, 'and wait': 75112, 'wait your': 964259, 'your turn': 1026226, 'folk in jacksonville': 312193, 'in jacksonville need': 424332, 'jacksonville need to': 464219, 'need to learn': 555985, 'to learn social': 909136, 'learn social distancing': 484058, 'social distancing at': 779560, 'distancing at the': 247023, 'grocery store people': 365647, 'store people reaching': 809493, 'people reaching over': 649230, 'reaching over people': 700107, 'over people stay': 630491, 'people stay foot': 649559, 'stay foot back': 796873, 'foot back please': 318360, 'back please and': 107227, 'please and wait': 659663, 'and wait your': 75115, 'wait your turn': 964260, 'doyoufeelluckypunk': 257857, 'mexicanstandoff': 529987, 'when have': 983520, 'past person': 643587, 'an aisle': 55215, 'store looking': 808827, 'sanitizer doyoufeelluckypunk': 734791, 'doyoufeelluckypunk mexicanstandoff': 257858, 'when have to': 983524, 'have to walk': 383336, 'to walk past': 918304, 'walk past person': 964861, 'past person in': 643588, 'person in an': 652474, 'in an aisle': 420275, 'an aisle at': 55216, 'aisle at the': 40215, 'grocery store looking': 365543, 'store looking for': 808828, 'looking for toilet': 502911, 'paper or hand': 640552, 'or hand sanitizer': 615557, 'hand sanitizer doyoufeelluckypunk': 375380, 'sanitizer doyoufeelluckypunk mexicanstandoff': 734792, 'me sitting': 523478, 'home trying': 402376, 'spend what': 788696, 'what money': 981876, 'have when': 383584, 'when normally': 983778, 'normally be': 567482, 'for whatever': 327811, 'whatever life': 982776, 'life ha': 488701, 'me sitting at': 523479, 'at home trying': 99153, 'home trying not': 402377, 'not to spend': 572187, 'to spend what': 915000, 'spend what money': 788697, 'what money do': 981877, 'money do have': 536705, 'do have when': 249380, 'have when normally': 383586, 'when normally be': 983779, 'normally be online': 567483, 'shopping for whatever': 762730, 'for whatever life': 327812, 'whatever life ha': 982777, 'life ha to': 488706, 'ha to offer': 372310, 'some best': 782402, 'are some best': 90258, 'some best practice': 782403, 'practice for grocery': 668566, 'for grocery shopping': 322051, 'grocery shopping during': 365018, 'shopping during the': 762543, 'the pandemic we': 863149, 'are all in': 84316, 'ring': 722509, 'researcher': 713894, 'techforgood': 836175, 'smarttech': 775548, 'wearabletech': 974510, 'the rescue': 865560, 'rescue high': 713620, 'high tech': 395447, 'tech ring': 836137, 'ring are': 722510, 'helping researcher': 391452, 'researcher to': 713935, 'gather data': 344374, 'from thousand': 338037, 'an early': 55539, 'early warning': 264745, 'warning system': 967199, 'can identify': 158704, 'identify people': 413362, 'via techforgood': 956280, 'techforgood smarttech': 836176, 'smarttech wearabletech': 775549, 'consumer data to': 197063, 'data to the': 226468, 'to the rescue': 917019, 'the rescue high': 865562, 'rescue high tech': 713621, 'high tech ring': 395450, 'tech ring are': 836138, 'ring are helping': 722511, 'are helping researcher': 87105, 'helping researcher to': 391453, 'researcher to gather': 713936, 'to gather data': 906375, 'gather data from': 344375, 'data from thousand': 226239, 'from thousand of': 338038, 'thousand of american': 893423, 'of american to': 580079, 'american to create': 52265, 'to create an': 903700, 'create an early': 215606, 'an early warning': 55547, 'early warning system': 264746, 'warning system that': 967201, 'system that can': 831334, 'that can identify': 843108, 'can identify people': 158706, 'identify people in': 413363, 'in the early': 429156, 'the early stage': 853821, 'early stage of': 264701, 'stage of via': 793209, 'of via techforgood': 592793, 'via techforgood smarttech': 956281, 'techforgood smarttech wearabletech': 836177, 'iced': 412693, 'you enjoy': 1018414, 'enjoy your': 277209, 'your coffee': 1023247, 'coffee iced': 185493, 'iced link': 412696, 'do you enjoy': 250625, 'you enjoy your': 1018415, 'enjoy your coffee': 277211, 'your coffee iced': 1023248, 'coffee iced link': 185494, 'iced link to': 412697, 'link to buy': 493923, 'to buy 19': 902166, 'adopt': 32667, 'summerbod2021': 818027, 'biggest joke': 130265, 'joke of': 467115, 'mine wa': 532935, 'wa throwing': 963508, 'throwing out': 895101, 'the junk': 858710, 'to adopt': 900125, 'adopt healthier': 32668, 'healthier lifestyle': 387459, 'lifestyle about': 489348, 'about month': 25744, 'ago now': 38436, 'now these': 576097, 'very limited': 955312, 'limited in': 492654, 'food option': 315638, 'option due': 614016, 'panic shopper': 638549, 'shopper summerbod2021': 761726, 'the biggest joke': 849659, 'biggest joke of': 130266, 'joke of mine': 467117, 'of mine wa': 586560, 'mine wa throwing': 532936, 'wa throwing out': 963509, 'throwing out all': 895102, 'all the junk': 44800, 'the junk food': 858711, 'junk food in': 468037, 'the house to': 857643, 'house to adopt': 406623, 'to adopt healthier': 900126, 'adopt healthier lifestyle': 32669, 'healthier lifestyle about': 387460, 'lifestyle about month': 489349, 'about month and': 25745, 'month and few': 537574, 'and few day': 62814, 'few day ago': 303766, 'day ago now': 227204, 'ago now these': 38438, 'now these grocery': 576098, 'store are very': 806535, 'are very limited': 91469, 'very limited in': 955313, 'limited in food': 492655, 'in food option': 422977, 'food option due': 315641, 'option due to': 614017, 'to panic shopper': 911426, 'panic shopper summerbod2021': 638557, 'autumm': 104085, 'inconvenienc': 432584, 'umm autumm': 939242, 'autumm we': 104086, 'our club': 622416, 'club stocked': 184483, 'stocked and': 803255, 'price fair': 673759, 'fair one': 296359, 'would expect': 1011800, 'expect paper': 290694, 'paper product': 640619, 'product cleaning': 681061, 'demand member': 235857, 'member prepare': 528177, 'the possible': 864072, 'possible impact': 665676, 'do apologize': 249094, 'the inconvenienc': 858056, 'umm autumm we': 939243, 'autumm we will': 104087, 'we will work': 973922, 'will work to': 995369, 'work to keep': 1005890, 'keep our club': 471723, 'our club stocked': 622417, 'club stocked and': 184484, 'stocked and price': 803267, 'and price fair': 69448, 'price fair one': 673764, 'fair one would': 296361, 'one would expect': 607511, 'would expect paper': 1011802, 'expect paper product': 290695, 'paper product cleaning': 640626, 'product cleaning supply': 681062, 'cleaning supply and': 181074, 'supply and other': 824744, 'and other item': 68352, 'other item are': 620443, 'item are in': 463094, 'in high demand': 423680, 'high demand member': 395020, 'demand member prepare': 235858, 'member prepare for': 528178, 'for the possible': 326628, 'the possible impact': 864076, 'possible impact of': 665677, '19 we do': 11925, 'we do apologize': 971325, 'do apologize for': 249095, 'apologize for the': 81640, 'for the inconvenienc': 326496, 'nurseproblems': 577564, 'this it': 888512, 'remember we': 710398, 'have each': 380402, 'have some': 382619, 'sanitizer nurseproblems': 735442, 'at time like': 101296, 'like this it': 491500, 'this it important': 888518, 'important to remember': 419065, 'to remember we': 913194, 'remember we have': 710399, 'we have each': 971804, 'have each other': 380403, 'other and hand': 619825, 'sanitizer we still': 736049, 'we still have': 973407, 'still have some': 800661, 'have some hand': 382630, 'hand sanitizer nurseproblems': 375508, 'regard': 707126, 'this regard': 889848, 'regard we': 707162, 'are grateful': 86941, 'grateful that': 362310, 'that farmer': 843839, 'across ma': 29377, 'ma are': 507252, 'and nutrition': 67904, 'nutrition during': 577716, 'the emergency': 854219, 'emergency support': 273007, 'local farmer': 497945, 'farmer by': 299316, 'farm store': 299187, 'store ordering': 809389, 'ordering online': 618991, 'via delivery': 955911, 'in this regard': 430004, 'this regard we': 889850, 'regard we are': 707163, 'we are grateful': 970581, 'are grateful that': 86943, 'grateful that farmer': 362311, 'that farmer across': 843840, 'farmer across ma': 299240, 'across ma are': 29378, 'ma are working': 507253, 'hard to support': 378093, 'to support food': 915931, 'support food security': 826502, 'security and nutrition': 744536, 'and nutrition during': 67905, 'nutrition during the': 577717, 'during the emergency': 263121, 'the emergency support': 854234, 'emergency support your': 273009, 'support your local': 827020, 'your local farmer': 1024693, 'local farmer by': 497947, 'farmer by shopping': 299317, 'by shopping at': 153990, 'shopping at farm': 762096, 'at farm store': 98627, 'farm store ordering': 299190, 'store ordering online': 809390, 'ordering online or': 618998, 'or via delivery': 617664, 'baguio': 108540, 'observing': 578647, 'disiplinamuna': 245957, 'tatakbaguio': 834843, 'philippine': 654721, 'look resident': 502582, 'resident line': 714325, 'basic good': 111906, 'in baguio': 420665, 'baguio city': 108541, 'city while': 179455, 'while observing': 987093, 'observing social': 578655, 'distancing disiplinamuna': 247101, 'disiplinamuna tatakbaguio': 245958, 'tatakbaguio from': 834844, 'from philippine': 336913, 'philippine star': 654745, 'look resident line': 502583, 'resident line up': 714326, 'up to buy': 946363, 'buy basic good': 148404, 'basic good at': 111909, 'good at grocery': 356791, 'store in baguio': 808271, 'in baguio city': 420666, 'baguio city while': 108542, 'city while observing': 179456, 'while observing social': 987094, 'observing social distancing': 578656, 'social distancing disiplinamuna': 779590, 'distancing disiplinamuna tatakbaguio': 247102, 'disiplinamuna tatakbaguio from': 245959, 'tatakbaguio from philippine': 834845, 'from philippine star': 336914, 'supermarketnews': 824224, 'two kroger': 936995, 'kroger co': 477730, 'co store': 184961, 'associate diagnosed': 96858, 'with coronavirus': 997793, 'coronavirus kroger': 206201, 'kroger supermarketnews': 477775, 'two kroger co': 936997, 'kroger co store': 477731, 'co store associate': 184962, 'store associate diagnosed': 806564, 'associate diagnosed with': 96860, 'diagnosed with coronavirus': 240238, 'with coronavirus kroger': 997804, 'coronavirus kroger supermarketnews': 206202, 'injection': 438700, 'alt': 49137, 'bearish': 118457, 'equal': 279593, 'probability': 679183, 'confirming': 194220, '2460': 15748, 'spx will': 791386, 'will fluctuate': 993453, 'fluctuate with': 311513, 'large swing': 479814, 'swing due': 830395, 'to trillion': 917782, 'trillion liquidity': 931988, 'liquidity injection': 494142, 'injection amp': 438701, 'amp covid': 53590, 'fear unemployment': 301411, 'unemployment number': 941255, 'number slow': 577052, 'spending with': 789058, 'lower corporate': 505822, 'corporate profit': 207323, 'profit here': 682761, 'is alt': 445585, 'alt bearish': 49138, 'bearish with': 118467, 'with equal': 998245, 'equal probability': 279606, 'probability need': 679184, 'need confirming': 554627, 'confirming price': 194221, 'price action': 672212, 'action below': 29970, 'below 2460': 126564, 'spx will fluctuate': 791387, 'will fluctuate with': 993455, 'fluctuate with large': 311514, 'with large swing': 999174, 'large swing due': 479815, 'swing due to': 830396, 'due to trillion': 262005, 'to trillion liquidity': 917783, 'trillion liquidity injection': 931989, 'liquidity injection amp': 494143, 'injection amp covid': 438702, 'amp covid 19': 53591, '19 fear unemployment': 6960, 'fear unemployment number': 301412, 'unemployment number slow': 941257, 'number slow down': 577053, 'slow down in': 774346, 'down in consumer': 256856, 'consumer spending with': 199107, 'spending with lower': 789060, 'with lower corporate': 999342, 'lower corporate profit': 505823, 'corporate profit here': 207326, 'profit here is': 682762, 'here is alt': 393212, 'is alt bearish': 445586, 'alt bearish with': 49139, 'bearish with equal': 118468, 'with equal probability': 998246, 'equal probability need': 279607, 'probability need confirming': 679185, 'need confirming price': 554628, 'confirming price action': 194222, 'price action below': 672213, 'action below 2460': 29971, 'protectionism': 685699, 'net': 557534, 'avoiding protectionism': 105483, 'protectionism monitoring': 685704, 'monitoring price': 537363, 'and supporting': 72860, 'supporting the': 827205, 'vulnerable through': 961206, 'through social': 894679, 'social safety': 779937, 'safety net': 730633, 'net can': 557537, 'can limit': 158874, 'outbreak how': 628318, 'avoiding protectionism monitoring': 105484, 'protectionism monitoring price': 685705, 'monitoring price and': 537364, 'price and supporting': 672554, 'and supporting the': 72866, 'supporting the vulnerable': 827215, 'the vulnerable through': 871001, 'vulnerable through social': 961207, 'through social safety': 894680, 'social safety net': 779938, 'safety net can': 730635, 'net can limit': 557538, 'can limit the': 158876, 'limit the impact': 492511, 'the outbreak how': 862643, 'outbreak how to': 628320, 'how to minimize': 409046, 'minimize the impact': 533126, 'of on food': 587216, 'on food security': 600905, 'city open': 179305, 'open online': 612417, 'shopping service': 763839, 'service amid': 752059, 'city open online': 179306, 'open online grocery': 612418, 'grocery shopping service': 365079, 'shopping service amid': 763840, 'service amid covid': 752061, 'tf': 839995, 'product ketchup': 681338, 'ketchup is': 473174, 'in extremely': 422744, 'extremely high': 293889, 'demand limit': 235808, 'limit per': 492446, 'household tf': 406966, 'tf you': 840011, 'you talking': 1021530, 'about ve': 26819, 'that stuff': 846535, 'my fridge': 548413, 'fridge for': 333392, 'for last': 322891, 'sign in grocery': 769130, 'store this product': 810702, 'this product ketchup': 889731, 'product ketchup is': 681339, 'ketchup is in': 473175, 'is in extremely': 448769, 'in extremely high': 422745, 'extremely high demand': 293890, 'high demand limit': 395017, 'demand limit per': 235809, 'limit per household': 492448, 'per household tf': 650892, 'household tf you': 406967, 'tf you talking': 840012, 'you talking about': 1021531, 'talking about ve': 833994, 'about ve got': 26820, 'bottle of that': 136298, 'of that stuff': 590745, 'that stuff in': 846536, 'stuff in my': 815097, 'in my fridge': 425577, 'my fridge for': 548414, 'fridge for last': 333393, 'for last year': 322892, 'consumerconfidence': 199647, 'dipped': 243223, 'showed': 767316, 'french consumerconfidence': 332724, 'consumerconfidence dipped': 199650, 'dipped at': 243224, 'march before': 515294, 'government imposed': 360207, 'imposed nationwide': 419297, 'nationwide lockdown': 552738, 'lockdown over': 499753, 'outbreak monthly': 628457, 'monthly survey': 538205, 'survey showed': 828951, 'showed on': 767344, 'french consumerconfidence dipped': 332725, 'consumerconfidence dipped at': 199651, 'dipped at the': 243225, 'start of march': 794411, 'of march before': 586201, 'march before the': 515295, 'before the government': 123167, 'the government imposed': 856547, 'government imposed nationwide': 360209, 'imposed nationwide lockdown': 419298, 'nationwide lockdown over': 552744, 'lockdown over the': 499754, 'over the outbreak': 630747, 'the outbreak monthly': 862666, 'outbreak monthly survey': 628458, 'monthly survey showed': 538206, 'survey showed on': 828952, 'showed on friday': 767345, 'anxietyindex': 78821, 'anxietyindex is': 78822, 'clear proxy': 181305, 'proxy for': 687338, 'confidence ceo': 193840, 'ceo via': 169874, 'anxietyindex is clear': 78823, 'is clear proxy': 446549, 'clear proxy for': 181306, 'proxy for consumer': 687339, 'consumer confidence ceo': 196888, 'confidence ceo via': 193841, 'supermarket why': 823867, 'providing your': 687148, 'staff with': 793097, 'with ppe': 1000274, 'ppe glove': 667960, 'mask this': 519377, 'very contagious': 955079, 'contagious and': 200430, 'have duty': 380397, 'duty of': 263598, 'of care': 581141, 'staff you': 793124, 'failing them': 296225, 'in real': 427289, 'danger 19': 225631, '19 coronacrisisuk': 6066, 'uk supermarket why': 938781, 'supermarket why are': 823868, 'are you not': 91825, 'you not providing': 1020127, 'not providing your': 571167, 'providing your staff': 687151, 'your staff with': 1025922, 'staff with ppe': 793100, 'with ppe glove': 1000276, 'ppe glove mask': 667961, 'glove mask this': 352785, 'mask this virus': 519378, 'virus is very': 958412, 'is very contagious': 453671, 'very contagious and': 955080, 'contagious and you': 200431, 'you have duty': 1019041, 'have duty of': 380398, 'duty of care': 263599, 'of care to': 581146, 'care to your': 164238, 'to your staff': 919029, 'your staff you': 1025923, 'staff you are': 793125, 'you are failing': 1017119, 'are failing them': 86448, 'failing them they': 296226, 'them they are': 876410, 'are in real': 87428, 'in real danger': 427291, 'real danger 19': 701102, 'danger 19 coronacrisisuk': 225632, 'century': 169604, 'balance': 108962, 'therefore': 879412, 'alternativefacts': 49291, 'fakenews there': 296767, 'there wasn': 879283, 'wasn panic': 968005, 'in century': 421316, 'century american': 169609, 'american employer': 51944, 'employer have': 274512, 'been forced': 121171, 'work life': 1005431, 'life balance': 488514, 'balance and': 108963, 'and therefore': 73861, 'therefore we': 879473, 'something besides': 784868, 'besides fast': 127498, 'food alternativefacts': 313109, 'alternativefacts quarantinelife': 49292, 'fakenews there wasn': 296768, 'there wasn panic': 879286, 'wasn panic buy': 968006, 'panic buy at': 637468, 'time in century': 896983, 'in century american': 421317, 'century american employer': 169610, 'american employer have': 51945, 'employer have been': 274513, 'have been forced': 379547, 'been forced to': 121173, 'forced to respect': 328648, 'to respect the': 913374, 'respect the work': 715067, 'the work life': 871734, 'work life balance': 1005432, 'life balance and': 488515, 'balance and therefore': 108965, 'and therefore we': 73870, 'therefore we can': 879474, 'we can have': 970960, 'can have something': 158586, 'have something besides': 382651, 'something besides fast': 784869, 'besides fast food': 127499, 'fast food alternativefacts': 299954, 'food alternativefacts quarantinelife': 313110, 're happy': 698782, 'occasion food': 578940, 'bank try': 110273, 'having on': 384197, 'on community': 599988, 'we re happy': 972890, 're happy to': 698783, 'happy to rise': 377719, 'to rise to': 913580, 'the occasion food': 862029, 'occasion food bank': 578941, 'food bank try': 313660, 'bank try to': 110274, 'try to meet': 934640, 'demand that is': 236334, 'that is having': 844597, 'is having on': 448331, 'having on community': 384198, 'poisoning': 662799, 'pepperoni': 650654, 'even post': 284479, 'fb that': 300677, 'daughter ha': 226848, 'ha food': 370644, 'food poisoning': 315876, 'poisoning without': 662815, 'without people': 1002834, 'town freaking': 927465, 'and thinking': 73976, 'thinking it': 885930, '19 did': 6541, 'did she': 240799, 'she eat': 756015, 'eat some': 266052, 'some bad': 782372, 'bad pepperoni': 107974, 'pepperoni boy': 650655, 'cannot even post': 161797, 'even post on': 284482, 'post on fb': 666252, 'on fb that': 600752, 'fb that my': 300678, 'that my daughter': 845261, 'my daughter ha': 547925, 'daughter ha food': 226850, 'ha food poisoning': 370648, 'food poisoning without': 315883, 'poisoning without people': 662816, 'without people from': 1002835, 'people from my': 647997, 'from my town': 336530, 'my town freaking': 550411, 'town freaking out': 927466, 'freaking out and': 331543, 'out and thinking': 625703, 'and thinking it': 73979, 'thinking it covid': 885933, 'covid 19 did': 212952, '19 did she': 6542, 'did she eat': 240800, 'she eat some': 756016, 'eat some bad': 266053, 'some bad pepperoni': 782373, 'bad pepperoni boy': 107975, 'tfl': 840016, 'funeral': 341655, 'storr': 811875, 'tfl supervisor': 840021, 'supervisor teacher': 824395, 'teacher funeral': 835466, 'funeral director': 341662, 'director charity': 243607, 'charity worker': 173721, 'supermarket manager': 821450, 'manager meet': 512745, 'the heroic': 857305, 'heroic woman': 394204, 'woman doing': 1003473, 'country essential': 210622, 'essential job': 281243, 'of storr': 590273, 'tfl supervisor teacher': 840022, 'supervisor teacher funeral': 824396, 'teacher funeral director': 835467, 'funeral director charity': 341663, 'director charity worker': 243608, 'charity worker delivery': 173723, 'driver supermarket manager': 259765, 'supermarket manager meet': 821455, 'manager meet the': 512746, 'meet the heroic': 527601, 'the heroic woman': 857307, 'heroic woman doing': 394205, 'woman doing the': 1003474, 'doing the country': 252715, 'the country essential': 852073, 'country essential job': 210623, 'essential job at': 281245, 'job at the': 465682, 'at the most': 101028, 'the most important': 860999, 'most important time': 542414, 'important time of': 419042, 'time of storr': 897363, 'coatbridge': 185143, 'cab': 154919, '01236': 743, '421447': 18927, 'casonline': 166739, 'urgent coronavirus': 948334, 'update coatbridge': 946904, 'coatbridge cab': 185144, 'cab will': 154938, 'for face': 321351, 'face to': 294812, 'to face': 905556, 'face advice': 294283, 'advice service': 33495, 'service we': 753050, 'answer enquiry': 78046, 'enquiry by': 277807, 'phone on': 654984, 'on 01236': 598959, '01236 421447': 744, '421447 or': 18928, 'or by': 614624, 'by mail': 153121, 'mail adviser': 508569, 'adviser casonline': 33661, 'casonline org': 166740, 'org uk': 619198, 'uk we': 938867, 'your understanding': 1026243, 'urgent coronavirus update': 948335, 'coronavirus update coatbridge': 206989, 'update coatbridge cab': 946905, 'coatbridge cab will': 185145, 'cab will no': 154939, 'longer be open': 501938, 'open for face': 612246, 'for face to': 321353, 'face to face': 294815, 'to face advice': 905557, 'face advice service': 294284, 'advice service we': 33497, 'service we will': 753056, 'continue to answer': 201163, 'to answer enquiry': 900581, 'answer enquiry by': 78047, 'enquiry by phone': 277808, 'by phone on': 153579, 'phone on 01236': 654985, 'on 01236 421447': 598960, '01236 421447 or': 745, '421447 or by': 18929, 'or by mail': 614626, 'by mail adviser': 153122, 'mail adviser casonline': 508570, 'adviser casonline org': 33662, 'casonline org uk': 166741, 'org uk we': 619199, 'uk we thank': 938872, 'we thank you': 973515, 'for your understanding': 328224, 'gael': 342704, 'fashingbauer': 299785, 'love seeing': 504768, 'all they': 45065, 'they way': 883731, 'and helping': 64492, 'helping others': 391409, 'others the': 621701, 'news is': 560550, 'that distillery': 843558, 'distillery now': 247785, 'now making': 575275, 'by gael': 152655, 'gael fashingbauer': 342705, 'fashingbauer cooper': 299786, 'cooper via': 203130, 'via kindness': 956049, 'kindness pr': 475221, 'love seeing all': 504769, 'seeing all they': 746212, 'all they way': 45070, 'they way people': 883732, 'way people and': 969805, 'people and brand': 646848, 'and brand are': 59146, 'brand are stepping': 137755, 'up and helping': 944333, 'and helping others': 64494, 'helping others the': 391412, 'others the latest': 621704, 'latest news is': 481456, 'news is that': 560559, 'is that distillery': 452641, 'that distillery now': 843559, 'distillery now making': 247786, 'now making hand': 575277, 'sanitizer by gael': 734620, 'by gael fashingbauer': 152656, 'gael fashingbauer cooper': 342706, 'fashingbauer cooper via': 299787, 'cooper via kindness': 203131, 'via kindness pr': 956050, 'nonno': 566661, 'pappou': 641186, 'southern': 786851, 'summer': 817950, 'nonno and': 566662, 'and pappou': 68697, 'pappou are': 641187, 'guy who': 369223, 'who make': 989245, 'you laugh': 1019559, 'laugh when': 481778, 'visit southern': 959360, 'southern europe': 786856, 'in summer': 428540, 'summer protect': 817999, 'them protect': 876191, 'protect all': 684769, 'all older': 43733, 'hand before': 374827, 'before and': 122622, 'after your': 36613, 'nonno and pappou': 566663, 'and pappou are': 68698, 'pappou are the': 641188, 'are the guy': 90840, 'the guy who': 856966, 'guy who make': 369230, 'who make you': 989258, 'make you laugh': 510740, 'you laugh when': 1019562, 'laugh when you': 481779, 'when you visit': 984613, 'you visit southern': 1022086, 'visit southern europe': 959361, 'southern europe in': 786857, 'europe in summer': 283459, 'in summer protect': 428542, 'summer protect them': 818000, 'protect them protect': 685007, 'them protect all': 876192, 'protect all older': 684770, 'all older people': 43735, 'older people in': 598652, 'people in europe': 648372, 'in europe and': 422630, 'europe and you': 283404, 'and you stay': 76049, 'you stay home': 1021372, 'stay home wash': 797022, 'your hand before': 1024171, 'hand before and': 374828, 'before and after': 122623, 'and after your': 57763, 'after your trip': 36620, 'store we can': 811170, 'can do it': 158108, 'it in europe': 458729, 'achieve': 29014, 'the environment': 854397, 'environment ha': 279110, 'been clean': 120824, 'clean oil': 180594, 'been low': 121494, 'low why': 505746, 'why did': 990914, 'did have': 240627, 'take deadly': 832051, 'to achieve': 899983, 'achieve both': 29017, 'both thing': 136075, 'the environment ha': 854402, 'environment ha never': 279111, 'never been clean': 557890, 'been clean oil': 120825, 'clean oil price': 180595, 'price have never': 674439, 'have never been': 381572, 'never been low': 557899, 'been low why': 121496, 'low why did': 505748, 'why did have': 990917, 'did have to': 240629, 'to take deadly': 916170, 'take deadly virus': 832053, 'deadly virus to': 229307, 'virus to achieve': 958920, 'to achieve both': 899985, 'achieve both thing': 29018, 'plummeting due': 661377, 'the aa': 848226, 'aa so': 24087, 'how low': 408229, 'low might': 505409, 'might price': 531105, 'price become': 672870, 'become by': 119944, 'price are plummeting': 672712, 'are plummeting due': 89123, 'plummeting due to': 661378, '19 pandemic according': 9251, 'to the aa': 916479, 'the aa so': 848227, 'aa so how': 24088, 'so how low': 777341, 'how low might': 408232, 'low might price': 505410, 'might price become': 531106, 'price become by': 672871, 'become by the': 119945, 'of the month': 591251, 'reminding': 710620, 'hey it': 394431, 'your favorite': 1023818, 'favorite old': 300532, 'lady reminding': 478820, 'reminding you': 710640, 'report is': 712050, 'is reliable': 451416, 'reliable source': 709212, 'good information': 357267, 'information coronavirus': 437789, 'hey it your': 394434, 'it your favorite': 462659, 'your favorite old': 1023830, 'favorite old lady': 300533, 'old lady reminding': 598326, 'lady reminding you': 478821, 'reminding you that': 710641, 'you that consumer': 1021568, 'that consumer report': 843300, 'consumer report is': 198712, 'report is reliable': 712054, 'is reliable source': 451417, 'reliable source of': 709213, 'source of good': 786524, 'of good information': 584225, 'good information coronavirus': 357268, 'trashed': 930184, 'pennsylvania ha': 646569, 'ha trashed': 372359, 'trashed 35': 930185, '00 worth': 614, 'after woman': 36555, 'woman intentionally': 1003525, 'intentionally coughed': 441165, 'it during': 457719, 'store in pennsylvania': 808370, 'in pennsylvania ha': 426579, 'pennsylvania ha trashed': 646571, 'ha trashed 35': 372360, 'trashed 35 00': 930186, '35 00 worth': 17867, '00 worth of': 615, 'of food after': 583635, 'food after woman': 313050, 'after woman intentionally': 36559, 'woman intentionally coughed': 1003527, 'intentionally coughed on': 441166, 'coughed on it': 208629, 'on it during': 601654, 'it during the': 457724, 'this different': 887222, 'different than': 242084, 'than standing': 841162, 'is this different': 453083, 'this different than': 887223, 'different than standing': 242086, 'than standing in': 841163, 'line to go': 493487, 'go into grocery': 353751, 'introducing': 443481, 'masterclass': 520222, 'playbook': 659263, 'gary': 343734, 'vaynerchuk': 952768, 'introducing the': 443508, 'great mind': 362824, 'mind masterclass': 532688, 'masterclass series': 520223, 'series where': 751312, 'where industry': 984942, 'expert offer': 291891, 'offer short': 594788, 'short lesson': 764633, 'their playbook': 874324, 'playbook in': 659268, 'first class': 308573, 'class gary': 180194, 'gary vaynerchuk': 343748, 'vaynerchuk discus': 952769, 'discus changing': 244831, 'behavior due': 124004, '19 suggestion': 10935, 'suggestion for': 817635, 'future watch': 342511, 'watch for': 968411, 'introducing the great': 443509, 'the great mind': 856726, 'great mind masterclass': 362825, 'mind masterclass series': 532689, 'masterclass series where': 520224, 'series where industry': 751313, 'where industry expert': 984943, 'industry expert offer': 435815, 'expert offer short': 291892, 'offer short lesson': 594789, 'short lesson from': 764634, 'lesson from their': 486484, 'from their playbook': 337948, 'their playbook in': 874325, 'playbook in our': 659269, 'in our first': 426291, 'our first class': 623079, 'first class gary': 308574, 'class gary vaynerchuk': 180195, 'gary vaynerchuk discus': 343749, 'vaynerchuk discus changing': 952770, 'discus changing consumer': 244832, 'consumer behavior due': 196467, 'behavior due to': 124005, 'covid 19 suggestion': 213886, '19 suggestion for': 10936, 'suggestion for the': 817640, 'the future watch': 856094, 'future watch for': 342512, 'watch for free': 968414, 'news these': 560877, 'these pensioner': 880418, 'pensioner queued': 646693, 'queued outside': 694154, 'be among': 113584, 'first shopper': 309003, 'shopper this': 761749, 'morning here': 541294, 'say about': 738381, 'affecting them': 34580, 'news these pensioner': 560879, 'these pensioner queued': 880419, 'pensioner queued outside': 646694, 'queued outside supermarket': 694156, 'outside supermarket to': 629576, 'supermarket to be': 823357, 'to be among': 901105, 'be among the': 113585, 'the first shopper': 855345, 'first shopper this': 309004, 'shopper this morning': 761750, 'this morning here': 888968, 'morning here what': 541296, 'here what they': 393822, 'what they had': 982401, 'they had to': 882267, 'to say about': 913803, 'say about how': 738386, 'about how the': 25477, 'how the outbreak': 408859, 'outbreak is affecting': 628369, 'is affecting them': 445399, '19 offer': 8896, 'online lesson': 608481, 'lesson online': 486500, 'online research': 608861, 'research online': 713804, 'online communication': 608025, 'communication online': 189627, 'online purchasing': 608832, 'purchasing online': 689897, 'online meeting': 608535, 'meeting online': 527740, 'education online': 268850, 'love think': 504823, 'think our': 885479, 'life will': 489213, 'take shape': 832563, 'shape online': 754842, 'online from': 608267, 'covid 19 offer': 213506, '19 offer online': 8898, 'offer online lesson': 594723, 'online lesson online': 608482, 'lesson online research': 486502, 'online research online': 608862, 'research online communication': 713805, 'online communication online': 608026, 'communication online purchasing': 189628, 'online purchasing online': 608834, 'purchasing online meeting': 689898, 'online meeting online': 608537, 'meeting online education': 527741, 'online education online': 608162, 'education online shopping': 268852, 'shopping online love': 763455, 'online love think': 608511, 'love think our': 504824, 'think our life': 885480, 'our life will': 623740, 'life will take': 489219, 'will take shape': 995079, 'take shape online': 832564, 'shape online from': 754843, 'online from now': 608270, 'from now on': 336610, 'a9': 24073, 'bolster': 134140, 'a9 use': 24074, 'use tool': 949769, 'tool like': 925426, 'add your': 31532, 'your positive': 1025358, 'positive cell': 665281, 'utility payment': 951300, 'payment could': 645578, 'help bolster': 389419, 'bolster score': 134145, 'score until': 742378, 'crisis end': 217345, 'a9 use tool': 24075, 'use tool like': 949770, 'tool like to': 925427, 'to add your': 900073, 'add your positive': 31536, 'your positive cell': 1025359, 'positive cell phone': 665282, 'cell phone and': 168957, 'phone and utility': 654888, 'and utility payment': 74811, 'utility payment could': 951301, 'payment could help': 645580, 'could help bolster': 209278, 'help bolster score': 389420, 'bolster score until': 134146, 'score until covid': 742379, '19 crisis end': 6243, 'bunny': 142697, 'tooth': 925485, 'fairy': 296481, 'parentinginapandemic': 641809, 'easterbunny': 265547, 'toothfairy': 925491, 'the easter': 853848, 'easter bunny': 265396, 'bunny and': 142698, 'the tooth': 869767, 'tooth fairy': 925488, 'fairy maintained': 296482, 'maintained social': 509089, 'house tonight': 406640, 'tonight the': 924498, 'fairy paid': 296484, 'paid pandemic': 634104, 'pandemic price': 636231, 'price tonight': 677080, 'tonight mama': 924443, 'mama only': 511930, 'only had': 610556, 'had 10': 372795, '10 and': 1311, 'where take': 985199, 'take cash': 832015, 'cash to': 166352, 'get change': 346759, 'change parentinginapandemic': 172224, 'parentinginapandemic easterbunny': 641810, 'easterbunny toothfairy': 265552, 'toothfairy socialdistancing': 925492, 'the easter bunny': 853849, 'easter bunny and': 265397, 'bunny and the': 142700, 'and the tooth': 73620, 'the tooth fairy': 869768, 'tooth fairy maintained': 925489, 'fairy maintained social': 296483, 'maintained social distancing': 509091, 'distancing in the': 247234, 'the house tonight': 857645, 'house tonight the': 406641, 'tonight the tooth': 924500, 'tooth fairy paid': 925490, 'fairy paid pandemic': 296485, 'paid pandemic price': 634105, 'pandemic price tonight': 636237, 'price tonight mama': 677081, 'tonight mama only': 924444, 'mama only had': 511931, 'only had 10': 610557, 'had 10 and': 372796, '10 and 20': 1312, 'and 20 and': 57395, '20 and no': 12946, 'and no where': 67651, 'no where take': 565886, 'where take cash': 985200, 'take cash to': 832016, 'cash to get': 166356, 'to get change': 906436, 'get change parentinginapandemic': 346760, 'change parentinginapandemic easterbunny': 172225, 'parentinginapandemic easterbunny toothfairy': 641811, 'easterbunny toothfairy socialdistancing': 265553, 'acted': 29832, 'everyone hadn': 286983, 'hadn acted': 373838, 'acted stupid': 29846, 'and started': 72254, 'started panic': 794799, 'buying there': 151194, 'been plenty': 121666, 'this day': 887166, 'day coronacrisis': 227483, 'if everyone hadn': 414091, 'everyone hadn acted': 286984, 'hadn acted stupid': 373839, 'acted stupid and': 29847, 'stupid and started': 815343, 'and started panic': 72258, 'started panic buying': 794800, 'panic buying there': 637929, 'buying there would': 151200, 'there would have': 879377, 'would have been': 1011870, 'have been plenty': 379632, 'been plenty of': 121667, 'and supply to': 72821, 'supply to this': 826032, 'to this day': 917420, 'this day coronacrisis': 887167, 'accepting': 28065, 'carside': 165235, 'customer we': 223040, 'are limiting': 87815, 'limiting in': 492827, 'to further': 906342, 'further reduce': 342144, 'reduce risk': 705919, 'team and': 835575, 'and accepting': 57580, 'accepting phone': 28086, 'order at': 618060, 'at both': 98150, 'both location': 135959, 'location carside': 498872, 'carside pick': 165236, 'pick ups': 655779, 'ups and': 947728, 'and nationwide': 67438, 'nationwide shipping': 552755, 'message to our': 529455, 'our customer we': 622678, 'customer we are': 223042, 'we are limiting': 970610, 'are limiting in': 87817, 'limiting in store': 492828, 'in store pickup': 428441, 'store pickup and': 809559, 'pickup and shopping': 655929, 'and shopping to': 71555, 'shopping to further': 764175, 'to further reduce': 906345, 'further reduce risk': 342145, 'reduce risk and': 705920, 'risk and ensure': 723371, 'and ensure the': 62167, 'of our team': 587576, 'our team and': 625094, 'team and community': 835576, 'and community we': 60180, 'community we are': 190207, 'we are open': 970647, 'open and accepting': 612047, 'and accepting phone': 57581, 'accepting phone and': 28087, 'phone and online': 654884, 'and online order': 68111, 'online order at': 608680, 'order at both': 618062, 'at both location': 98154, 'both location carside': 135960, 'location carside pick': 498873, 'carside pick ups': 165237, 'pick ups and': 655780, 'ups and nationwide': 947731, 'and nationwide shipping': 67439, 'mid': 530537, 'food sanitizer': 316296, 'sanitizer toilet': 735962, 'paper life': 640412, 'insurance american': 440668, 'american instant': 52053, 'instant online': 440111, 'online life': 608486, 'insurance and': 440672, 'other financial': 620223, 'financial help': 306439, 'help say': 390488, 'seen 50': 746915, '50 increase': 19729, 'in life': 424704, 'insurance application': 440675, 'application since': 82479, 'since mid': 770735, 'mid february': 530565, 'february source': 301741, 'essential food sanitizer': 281048, 'food sanitizer toilet': 316297, 'sanitizer toilet paper': 735963, 'toilet paper life': 921336, 'paper life insurance': 640413, 'life insurance american': 488781, 'insurance american instant': 440669, 'american instant online': 52054, 'instant online life': 440112, 'online life insurance': 608487, 'life insurance and': 488782, 'insurance and other': 440674, 'and other financial': 68328, 'other financial help': 620224, 'financial help say': 306442, 'help say it': 390489, 'say it ha': 738844, 'it ha seen': 458411, 'ha seen 50': 371820, 'seen 50 increase': 746916, '50 increase in': 19730, 'increase in life': 432843, 'in life insurance': 424707, 'life insurance application': 488783, 'insurance application since': 440676, 'application since mid': 82480, 'since mid february': 770738, 'mid february source': 530568, 'new advice': 558324, 'supermarket trip': 823541, 'trip during': 932065, 'outbreak touching': 628764, 'touching trolley': 926745, 'trolley good': 932419, 'and standing': 72224, 'other shopper': 620898, 'shopper could': 761469, 'new advice for': 558325, 'advice for supermarket': 33375, 'for supermarket trip': 326031, 'supermarket trip during': 823543, 'trip during outbreak': 932066, 'during outbreak touching': 262852, 'outbreak touching trolley': 628765, 'touching trolley good': 926747, 'trolley good and': 932420, 'good and standing': 356750, 'and standing too': 72227, 'close to other': 182911, 'to other shopper': 911121, 'other shopper could': 620901, 'shopper could result': 761471, 'result in the': 717552, 'in the transmission': 429624, 'marianos': 515684, 'played': 659270, 'mariano': 515679, 'so wa': 778637, 'in marianos': 425134, 'marianos grocery': 515687, 'today looking': 919837, 'what come': 981227, 'come over': 187480, 'store music': 809002, 'music well': 546353, 'well played': 978482, 'played mariano': 659279, 'mariano well': 515682, 'so wa in': 778641, 'wa in marianos': 962374, 'in marianos grocery': 425135, 'marianos grocery store': 515688, 'store today looking': 810853, 'today looking for': 919838, 'looking for essential': 502864, 'for essential and': 321094, 'essential and what': 280792, 'and what come': 75455, 'what come over': 981231, 'come over their': 187481, 'over their in': 630792, 'in store music': 428429, 'store music well': 809003, 'music well played': 546354, 'well played mariano': 978484, 'played mariano well': 659280, 'mariano well played': 515683, 'hello exec': 389156, 'exec how': 289818, 'pandemic affecting': 634806, 'affecting your': 34594, 'customer prospect': 222723, 'prospect and': 684665, 'general let': 345397, 'which topic': 986406, 'topic where': 925824, 'where consumer': 984785, 'data would': 226501, 'would most': 1012040, 'most help': 542379, 'by taking': 154202, 'this min': 888854, 'min survey': 532576, 'survey dc': 828853, 'hello exec how': 389157, 'exec how is': 289819, 'how is the': 408113, 'is the covid': 452757, '19 pandemic affecting': 9254, 'pandemic affecting your': 634807, 'affecting your customer': 34596, 'your customer prospect': 1023418, 'customer prospect and': 222724, 'prospect and consumer': 684667, 'consumer in general': 197820, 'in general let': 423253, 'general let know': 345398, 'know which topic': 477027, 'which topic where': 986407, 'topic where consumer': 925825, 'where consumer data': 984786, 'consumer data would': 197065, 'data would most': 226502, 'would most help': 1012041, 'most help you': 542380, 'help you by': 390957, 'you by taking': 1017596, 'by taking this': 154209, 'taking this min': 833617, 'this min survey': 888856, 'min survey dc': 532577, 'demonstrably': 236825, 'bt': 141463, 'his attitude': 397214, 'attitude is': 102564, 'only insensitive': 610646, 'insensitive it': 439193, 'it demonstrably': 457518, 'demonstrably illegal': 236826, 'illegal to': 416248, 'see wouldn': 746093, 'wouldn call': 1012451, 'call bt': 155797, 'bt consumer': 141464, 'staff essential': 792416, 'essential what': 281780, 'do can': 249174, 'his attitude is': 397215, 'attitude is not': 102565, 'is not only': 450145, 'not only insensitive': 570804, 'only insensitive it': 610647, 'insensitive it demonstrably': 439194, 'it demonstrably illegal': 457519, 'demonstrably illegal to': 236827, 'illegal to see': 416255, 'to see wouldn': 914101, 'see wouldn call': 746094, 'wouldn call bt': 1012452, 'call bt consumer': 155798, 'bt consumer sale': 141465, 'consumer sale staff': 198860, 'sale staff essential': 732545, 'staff essential what': 792417, 'essential what they': 281785, 'what they do': 982399, 'they do can': 881958, 'do can be': 249175, 'zoom take': 1027827, 'take lead': 832264, 'lead over': 483303, 'over microsoft': 630393, 'microsoft team': 530517, 'team coronavirus': 835617, 'coronavirus keep': 206195, 'american at': 51824, 'zoom take lead': 1027828, 'take lead over': 832266, 'lead over microsoft': 483304, 'over microsoft team': 630394, 'microsoft team coronavirus': 530518, 'team coronavirus keep': 835618, 'coronavirus keep american': 206196, 'keep american at': 471309, 'american at home': 51825, 'logicallysummaries': 500677, 'logicallysummaries update': 500678, 'update railway': 947184, 'railway increase': 695706, 'increase platform': 432987, 'ticket price': 895640, 'by five': 152597, 'five time': 309668, 'logicallysummaries update railway': 500679, 'update railway increase': 947185, 'railway increase platform': 695707, 'increase platform ticket': 432988, 'platform ticket price': 659035, 'ticket price by': 895644, 'price by five': 673022, 'by five time': 152598, 'uh': 938073, 'grimy': 363981, 'old art': 598149, 'art but': 94142, 'but uh': 147641, 'uh so': 938085, 'so really': 778115, 'really want': 702696, 'want animal': 965711, 'animal crossing': 76568, 'crossing and': 219076, 'and uh': 74571, 'uh have': 938080, 'low fund': 505291, 'uh can': 938076, 'really work': 702715, 'work cu': 1005020, 'cu of': 220135, 'own condition': 631922, 'condition amp': 193390, 'amp uh': 54750, 'uh covid': 938078, 'so yeah': 778827, 'yeah gonna': 1014257, 'some last': 783184, 'last min': 480316, 'min comms': 532527, 'comms the': 189525, 'the comment': 851207, 'comment desperate': 188409, 'desperate time': 238555, 'time call': 896440, 'for grimy': 322018, 'grimy measure': 363982, 'old art but': 598150, 'art but uh': 94143, 'but uh so': 147642, 'uh so really': 938086, 'so really want': 778117, 'really want animal': 702697, 'want animal crossing': 965712, 'animal crossing and': 76569, 'crossing and uh': 219078, 'and uh have': 74573, 'uh have low': 938081, 'have low fund': 381393, 'low fund and': 505292, 'fund and uh': 341361, 'and uh can': 74572, 'uh can really': 938077, 'can really work': 159392, 'really work cu': 702716, 'work cu of': 1005021, 'cu of my': 220136, 'my own condition': 549636, 'own condition amp': 631923, 'condition amp uh': 193391, 'amp uh covid': 54751, 'uh covid 19': 938079, '19 so yeah': 10659, 'so yeah gonna': 778828, 'yeah gonna do': 1014258, 'gonna do some': 356513, 'do some last': 250124, 'some last min': 783185, 'last min comms': 480317, 'min comms the': 532528, 'comms the price': 189526, 'the price will': 864439, 'will be in': 992512, 'in the comment': 429084, 'the comment desperate': 851210, 'comment desperate time': 188410, 'desperate time call': 238556, 'time call for': 896442, 'call for grimy': 155871, 'for grimy measure': 322019, 've either': 953071, 'either seen': 270367, 'seen bare': 746964, 'bare grocery': 110900, 'person during': 652408, 'the initial': 858276, 'or trending': 617530, 'trending online': 931560, 'online but': 607961, 'what shocked': 982170, 'shocked most': 759577, 'most american': 542086, 'american wasn': 52289, 'wasn the': 968024, 'the mad': 859861, 'dash it': 226071, 'were flying': 979644, 'by now we': 153376, 'now we ve': 576357, 'we ve either': 973657, 've either seen': 953072, 'either seen bare': 270368, 'seen bare grocery': 746965, 'bare grocery store': 110902, 'store shelf in': 810083, 'shelf in person': 757213, 'in person during': 426625, 'person during the': 652409, 'during the initial': 263144, 'the initial panic': 858280, 'initial panic or': 438549, 'panic or trending': 638369, 'or trending online': 617531, 'trending online but': 931561, 'online but what': 607971, 'but what shocked': 147797, 'what shocked most': 982172, 'shocked most american': 759578, 'most american wasn': 542092, 'american wasn the': 52290, 'wasn the mad': 968028, 'the mad dash': 859862, 'mad dash it': 507539, 'dash it wa': 226072, 'wa the product': 963465, 'the product that': 864595, 'product that were': 681703, 'that were flying': 847439, 'were flying off': 979645, 'requested': 713243, 'rhapsody': 720875, 'vinyl': 957472, 'hey guelph': 394399, 'guelph what': 367951, 'great today': 363073, 'little one': 495501, 'one requested': 606955, 'requested rhapsody': 713254, 'rhapsody in': 720876, 'in blue': 420882, 'blue on': 133458, 'on vinyl': 605050, 'hey guelph what': 394400, 'guelph what great': 367952, 'what great today': 981521, 'great today my': 363075, 'today my little': 919902, 'my little one': 549082, 'little one requested': 495503, 'one requested rhapsody': 606956, 'requested rhapsody in': 713255, 'rhapsody in blue': 720877, 'in blue on': 420883, 'blue on vinyl': 133459, 'spain now': 787329, 'now under': 576247, 'under national': 940168, 'national emergency': 552487, 'emergency no': 272817, 'but plenty': 146809, 'paper ready': 640659, 'for trade': 327303, 'spain now under': 787331, 'now under national': 576249, 'under national emergency': 940169, 'national emergency no': 552492, 'emergency no food': 272819, 'no food at': 564251, 'store but plenty': 806805, 'but plenty of': 146810, 'toilet paper ready': 921413, 'paper ready for': 640660, 'ready for trade': 700878, 'the curious': 852598, 'curious impact': 220981, 'behavior get': 124043, 'touch with': 926574, 'an from': 56051, 'following this': 312919, 'this topic': 890813, 'the curious impact': 852599, 'curious impact of': 220982, 'consumer behavior get': 196478, 'behavior get in': 124044, 'in touch with': 430235, 'touch with an': 926575, 'with an from': 997213, 'an from if': 56052, 'from if you': 336005, 'you are following': 1017126, 'are following this': 86629, 'following this topic': 312921, 'dominated': 253279, 'fog': 312020, 'horn': 404058, 'pandemic cause': 635105, 'cause panicked': 167697, 'panicked people': 639275, 'empty their': 275185, 'their mind': 873971, 'mind along': 532615, 'shelf doomsday': 756991, 'doomsday warning': 255481, 'warning are': 967089, 'spreading online': 791016, 'online dominated': 608124, 'dominated by': 253280, 'by maga': 153119, 'maga fog': 508276, 'fog horn': 312021, 'horn in': 404059, 'than four': 840673, 'week they': 977033, 'it hoax': 458603, 'to ut': 918093, 'pandemic cause panicked': 635106, 'cause panicked people': 167698, 'panicked people to': 639277, 'people to empty': 649897, 'to empty their': 905038, 'empty their mind': 275186, 'their mind along': 873973, 'mind along with': 532616, 'along with supermarket': 47081, 'supermarket shelf doomsday': 822455, 'shelf doomsday warning': 756992, 'doomsday warning are': 255482, 'warning are spreading': 967090, 'are spreading online': 90338, 'spreading online dominated': 791017, 'online dominated by': 608125, 'dominated by maga': 253281, 'by maga fog': 153120, 'maga fog horn': 508277, 'fog horn in': 312022, 'horn in le': 404060, 'in le than': 424650, 'le than four': 483171, 'than four week': 840675, 'four week they': 330703, 'week they have': 977035, 'they have pivoted': 882361, 'pivoted from it': 657116, 'from it hoax': 336119, 'it hoax to': 458606, 'hoax to ut': 399746, 'upcoming': 946781, 'related supply': 708581, 'supply problem': 825730, 'problem stress': 679686, 'stress on': 813372, 'china disruption': 176615, 'disruption were': 246553, 'were initial': 979795, 'initial issue': 438532, 'issue stress': 455941, 'beverage supply': 129040, 'chain reflect': 171035, 'reflect economics': 706608, 'economics of': 267472, 'fear upcoming': 301413, 'upcoming stress': 946811, 'stress from': 813326, 'from collapsing': 334907, 'collapsing demand': 186132, 'will reflect': 994612, 'of sudden': 590369, 'sudden stop': 817045, 'stop via': 805253, 'related supply problem': 708583, 'supply problem stress': 825736, 'problem stress on': 679687, 'stress on supply': 813375, 'on supply chain': 603820, 'supply chain from': 824962, 'chain from china': 170724, 'from china disruption': 334856, 'china disruption were': 176616, 'disruption were initial': 246554, 'were initial issue': 979796, 'initial issue stress': 438533, 'issue stress on': 455942, 'stress on food': 813373, 'on food beverage': 600846, 'food beverage supply': 313749, 'beverage supply chain': 129041, 'supply chain reflect': 825018, 'chain reflect economics': 171036, 'reflect economics of': 706609, 'economics of fear': 267473, 'of fear upcoming': 583465, 'fear upcoming stress': 301414, 'upcoming stress from': 946812, 'stress from collapsing': 813327, 'from collapsing demand': 334908, 'collapsing demand will': 186134, 'demand will reflect': 236504, 'will reflect economics': 994613, 'economics of sudden': 267474, 'of sudden stop': 590375, 'sudden stop via': 817046, 'quiz': 694951, 'quizetimemorningswithamazon': 694962, 'and playing': 69095, 'playing amazon': 659377, 'amazon quiz': 51084, 'quiz grab': 694956, 'grab the': 361545, 'win amazing': 995535, 'amazing price': 50767, 'from play': 336936, 'play indoor': 659175, 'indoor game': 435355, 'game and': 343117, 'and quiz': 69890, 'quiz stay': 694958, 'healthy quarantineactivities': 387741, 'quarantineactivities coronacrisis': 692737, 'lockdown quizetimemorningswithamazon': 499835, 'day of quarantine': 228093, 'of quarantine and': 588651, 'quarantine and playing': 692020, 'and playing amazon': 69096, 'playing amazon quiz': 659378, 'amazon quiz grab': 51085, 'quiz grab the': 694957, 'grab the opportunity': 361547, 'to win amazing': 918609, 'win amazing price': 995536, 'amazing price from': 50768, 'price from play': 674116, 'from play indoor': 336937, 'play indoor game': 659176, 'indoor game and': 435356, 'game and quiz': 343119, 'and quiz stay': 69891, 'quiz stay at': 694959, 'home and stay': 400691, 'and stay healthy': 72293, 'stay healthy quarantineactivities': 796915, 'healthy quarantineactivities coronacrisis': 387742, 'quarantineactivities coronacrisis lockdown': 692738, 'coronacrisis lockdown quizetimemorningswithamazon': 204657, 'of fake': 583379, 'fake website': 296742, 'website selling': 975408, 'product such': 681651, 'such hand': 816536, 'gel and': 345096, 'offering cure': 595058, 'cure or': 220783, 'or testing': 617349, 'for seek': 325413, 'seek advice': 746563, 'from or': 336710, 'or visit': 617680, 'beware of fake': 129077, 'of fake website': 583384, 'fake website selling': 296744, 'website selling product': 975409, 'selling product such': 749418, 'product such hand': 681656, 'such hand gel': 816537, 'hand gel and': 374974, 'gel and offering': 345097, 'and offering cure': 67983, 'offering cure or': 595059, 'cure or testing': 220787, 'or testing kit': 617350, 'kit for seek': 475549, 'for seek advice': 325414, 'seek advice on': 746564, 'advice on consumer': 33454, 'on consumer protection': 600069, 'consumer protection from': 198530, 'protection from or': 685459, 'from or visit': 336717, 'godrej': 354883, 'patanjali': 643919, 'hul': 410333, 'sir godrej': 771568, 'godrej patanjali': 354896, 'patanjali hul': 643920, 'hul and': 410334, 'from 75': 334332, '75 to': 22166, 'also hul': 48382, 'hul announce': 410337, 'announce 100': 76833, '100 crore': 1875, 'crore support': 218969, 'sir godrej patanjali': 771569, 'godrej patanjali hul': 354897, 'patanjali hul and': 643921, 'hul and others': 410336, 'and others reduced': 68456, 'reduced price of': 706153, 'sanitizer from 75': 734943, 'from 75 to': 334333, '75 to 25': 22168, 'to 25 and': 899634, '25 and also': 15838, 'and also hul': 57960, 'also hul announce': 48383, 'hul announce 100': 410338, 'announce 100 crore': 76834, '100 crore support': 1877, 'coronahero': 204968, 'are coronavirus': 85574, 'crisis unsung': 218298, 'hero coronahero': 393969, 'worker are coronavirus': 1006379, 'are coronavirus crisis': 85575, 'coronavirus crisis unsung': 205775, 'crisis unsung hero': 218299, 'unsung hero coronahero': 943554, 'campus': 157324, 'is link': 449377, 'provider so': 686783, 'that campus': 843088, 'campus food': 157333, 'worker can': 1006582, 'paid during': 633999, 'crisis join': 217623, 'me by': 522543, 'by sending': 153940, 'sending an': 750006, 'email now': 272247, 'this is link': 888305, 'is link to': 449379, 'link to get': 493930, 'to get to': 906623, 'get to continue': 348462, 'continue to pay': 201228, 'pay it food': 644968, 'it food service': 458057, 'food service provider': 316428, 'service provider so': 752736, 'provider so that': 686784, 'so that campus': 778362, 'that campus food': 843089, 'campus food service': 157334, 'service worker can': 753091, 'worker can be': 1006584, 'can be paid': 157657, 'be paid during': 116333, 'paid during the': 634000, '19 crisis join': 6271, 'crisis join me': 217625, 'join me by': 466772, 'me by sending': 522550, 'by sending an': 153941, 'sending an email': 750007, 'an email now': 55658, 'alhadulilah': 41677, 'reunion': 720130, 'madam': 507585, 'pmb': 662035, 'palliative': 634597, 'bvn': 151487, 'transferred': 929546, 'alhadulilah for': 41678, 'for reunion': 325212, 'reunion madam': 720131, 'madam please': 507588, 'please talk': 660644, 'to pmb': 911848, 'pmb on': 662036, 'on providing': 602989, 'providing palliative': 687067, 'palliative to': 634598, 'to nigerian': 910603, 'nigerian staying': 562878, 'home hunger': 401391, 'faster dan': 300092, 'dan covid': 225526, '19 40': 4745, '40 million': 18605, 'million nigerian': 532253, 'nigerian ve': 562898, 've bvn': 952978, 'bvn thru': 151488, 'thru which': 895243, 'which money': 986162, 'money can': 536658, 'be transferred': 117789, 'transferred to': 929551, 'nigerian to': 562889, 'alhadulilah for reunion': 41679, 'for reunion madam': 325213, 'reunion madam please': 720132, 'madam please talk': 507589, 'please talk to': 660645, 'talk to pmb': 833887, 'to pmb on': 911849, 'pmb on providing': 662037, 'on providing palliative': 602992, 'providing palliative to': 687068, 'palliative to nigerian': 634599, 'to nigerian staying': 910605, 'nigerian staying at': 562879, 'at home hunger': 99009, 'home hunger kill': 401392, 'kill faster dan': 474392, 'faster dan covid': 300093, 'dan covid 19': 225527, 'covid 19 40': 212560, '19 40 million': 4746, '40 million nigerian': 18608, 'million nigerian ve': 532254, 'nigerian ve bvn': 562899, 've bvn thru': 952979, 'bvn thru which': 151489, 'thru which money': 895244, 'which money can': 986163, 'money can be': 536659, 'can be transferred': 157703, 'be transferred to': 117790, 'transferred to nigerian': 929552, 'to nigerian to': 910606, 'nigerian to stock': 562891, 'stock food at': 802124, 'untapped': 943615, 'buylists': 151429, 'hunkering': 411344, 'update event': 946946, 'event through': 285090, 'march are': 515279, 'cancelled at': 161087, 'at untapped': 101412, 'untapped new': 943616, 'new buylists': 558434, 'buylists are': 151430, 'down for': 256765, 'time being': 896386, 'being stay': 125854, 'tuned to': 935446, 'so grab': 777198, 'grab game': 361489, 'play while': 659250, 'while hunkering': 986928, 'hunkering down': 411345, 'card on': 163592, 'our site': 624786, 'site stay': 772013, 'safe be': 729510, '19 update event': 11661, 'update event through': 946947, 'event through the': 285091, 'through the end': 894732, 'of march are': 586200, 'march are cancelled': 515281, 'are cancelled at': 85161, 'cancelled at untapped': 161088, 'at untapped new': 101413, 'untapped new buylists': 943617, 'new buylists are': 558435, 'buylists are still': 151431, 'are still down': 90415, 'still down for': 800461, 'down for the': 256778, 'for the time': 326732, 'the time being': 869578, 'time being stay': 896392, 'being stay tuned': 125855, 'stay tuned to': 797366, 'tuned to this': 935447, 'to this space': 917462, 'space for update': 787103, 'for update the': 327472, 'update the retail': 947254, 'is open so': 450579, 'open so grab': 612502, 'so grab game': 777199, 'grab game to': 361490, 'to play while': 911807, 'play while hunkering': 659252, 'while hunkering down': 986929, 'hunkering down or': 411347, 'down or order': 257061, 'or order card': 616412, 'order card on': 618124, 'card on our': 163593, 'on our site': 602628, 'our site stay': 624788, 'site stay safe': 772014, 'stay safe be': 797213, 'safe be well': 729515, 'indicating': 435001, 'screeching': 742667, 'historically': 397994, 'toronto housing': 925949, 'staying resilient': 798685, 'resilient amid': 714512, 'outbreak however': 628322, 'however there': 409487, 'are sign': 90121, 'sign indicating': 769134, 'indicating activity': 435002, 'activity may': 30473, 'be coming': 114151, 'to screeching': 913929, 'screeching halt': 742668, 'halt price': 374451, 'are up': 91349, 'by 14': 151541, '14 year': 3544, 'year over': 1014898, 'over year': 630952, 'year so': 1014957, 'month we': 538103, 'we entered': 971470, 'entered it': 278364, 'it with': 462462, 'with historically': 998851, 'historically low': 397995, 'low le': 505378, 'toronto housing price': 925950, 'housing price are': 407129, 'price are staying': 672743, 'are staying resilient': 90376, 'staying resilient amid': 798686, 'resilient amid the': 714513, '19 outbreak however': 9137, 'outbreak however there': 628323, 'however there are': 409488, 'there are sign': 878161, 'are sign indicating': 90123, 'sign indicating activity': 769135, 'indicating activity may': 435003, 'activity may be': 30474, 'may be coming': 520963, 'be coming to': 114154, 'coming to screeching': 188228, 'to screeching halt': 913930, 'screeching halt price': 742670, 'halt price are': 374452, 'price are up': 672759, 'are up by': 91361, 'up by 14': 944540, 'by 14 year': 151542, '14 year over': 3546, 'year over year': 1014901, 'over year so': 630959, 'year so far': 1014958, 'far this month': 298941, 'this month we': 888922, 'month we entered': 538106, 'we entered it': 971471, 'entered it with': 278365, 'it with historically': 462473, 'with historically low': 998852, 'historically low le': 397996, 'least if': 484512, 'pub are': 687664, 'are shut': 90088, 'shut the': 767939, 'the moron': 860922, 'moron will': 541652, 'be panic': 116351, 'buying booze': 150036, 'booze in': 135163, 'supermarket rather': 822158, 'than food': 840657, 'or loo': 616006, 'at least if': 99509, 'least if the': 484513, 'if the pub': 415020, 'the pub are': 864765, 'pub are shut': 687668, 'are shut the': 90093, 'shut the moron': 767941, 'the moron will': 860924, 'moron will be': 541653, 'will be panic': 992599, 'be panic buying': 116352, 'panic buying booze': 637658, 'buying booze in': 150037, 'booze in the': 135164, 'the supermarket rather': 868770, 'supermarket rather than': 822159, 'rather than food': 697519, 'than food or': 840660, 'food or loo': 315659, 'or loo roll': 616007, 'loo roll coronacrisis': 502173, 'enewsletter': 276645, 'forest': 329078, 'week enewsletter': 976190, 'enewsletter to': 276646, 'about even': 25189, 'more fantastic': 539196, 'fantastic local': 298598, 'local service': 498384, 'service being': 752177, 'being provided': 125590, 'provided in': 686619, 'new forest': 558752, 'forest from': 329079, 'from delivery': 335123, 'delivery amp': 233648, 'amp takeaway': 54617, 'takeaway online': 832890, 'and virtual': 74969, 'virtual class': 957725, 'class sign': 180256, 'receive next': 703517, 'next week': 561667, 'week here': 976325, 'look at this': 502302, 'at this week': 101266, 'this week enewsletter': 891211, 'week enewsletter to': 976191, 'enewsletter to find': 276647, 'find out about': 307132, 'out about even': 625551, 'about even more': 25190, 'even more fantastic': 284355, 'more fantastic local': 539197, 'fantastic local service': 298599, 'local service being': 498385, 'service being provided': 752179, 'being provided in': 125592, 'provided in the': 686620, 'the new forest': 861504, 'new forest from': 558753, 'forest from delivery': 329080, 'from delivery amp': 335124, 'delivery amp takeaway': 233651, 'amp takeaway online': 54618, 'takeaway online shopping': 832892, 'shopping and virtual': 762039, 'and virtual class': 74970, 'virtual class sign': 957726, 'class sign up': 180257, 'up to receive': 946422, 'to receive next': 912926, 'receive next week': 703518, 'next week here': 561685, '1per': 12678, 'intend': 441039, 'mr price': 544396, 'of some': 589887, 'product just': 681336, 'just ridiculous': 469644, 'ridiculous high': 721550, 'high paracetamol': 395210, '400 and': 18717, 'buy 1per': 148252, '1per person': 12679, 'person what': 652710, 'you intend': 1019360, 'intend to': 441040, 'mr price of': 544397, 'price of some': 675572, 'of some product': 589903, 'some product just': 783649, 'product just ridiculous': 681337, 'just ridiculous high': 469645, 'ridiculous high paracetamol': 721551, 'high paracetamol in': 395211, 'paracetamol in some': 641248, 'in some store': 428105, 'some store ha': 783956, 'store ha increased': 808010, 'increased by 400': 433227, 'by 400 and': 151651, '400 and is': 18719, 'and is limited': 65415, 'is limited to': 449366, 'limited to buy': 492768, 'to buy 1per': 902167, 'buy 1per person': 148253, '1per person what': 12680, 'person what do': 652711, 'do you intend': 250640, 'you intend to': 1019361, 'intend to do': 441044, 'workfromhome': 1008407, 'husband assures': 411679, 'assures me': 97138, 'me we': 523910, 'but like': 146273, 'like he': 490394, 'he guy': 385011, 'guy 19': 368880, 'toiletpaper workfromhome': 922864, 'my husband assures': 548771, 'husband assures me': 411680, 'assures me we': 97139, 'me we have': 523913, 'have enough toilet': 380470, 'paper but like': 639969, 'but like he': 146276, 'like he guy': 490397, 'he guy 19': 385012, 'guy 19 toiletpaper': 368881, '19 toiletpaper workfromhome': 11496, 'bakkt': 108946, '300m': 17359, 'digitalsecurities': 242804, 'seriesa': 751317, 'seriesb': 751320, 'securitytoken': 744808, 'sto': 801744, 'securitytokens': 744811, 'digitalsecurity': 242807, 'bakkt head': 108949, 'head toward': 385847, 'toward summer': 927152, 'summer launch': 817986, 'consumer app': 196262, 'app while': 81803, 'while closing': 986692, 'closing 300m': 183568, '300m series': 17362, 'series app': 751228, 'app bakkt': 81681, 'bakkt blockchain': 108947, 'blockchain 19': 132814, '19 crypto': 6371, 'crypto digitalsecurities': 219944, 'digitalsecurities ice': 242805, 'ice seriesa': 412679, 'seriesa seriesb': 751318, 'seriesb securitytoken': 751321, 'securitytoken sto': 744809, 'sto securitytokens': 801747, 'securitytokens digitalsecurity': 744813, 'bakkt head toward': 108950, 'head toward summer': 385848, 'toward summer launch': 927153, 'summer launch of': 817987, 'launch of it': 481932, 'of it consumer': 585379, 'it consumer app': 457280, 'consumer app while': 196264, 'app while closing': 81804, 'while closing 300m': 986693, 'closing 300m series': 183569, '300m series app': 17363, 'series app bakkt': 751229, 'app bakkt blockchain': 81682, 'bakkt blockchain 19': 108948, 'blockchain 19 crypto': 132815, '19 crypto digitalsecurities': 6372, 'crypto digitalsecurities ice': 219945, 'digitalsecurities ice seriesa': 242806, 'ice seriesa seriesb': 412680, 'seriesa seriesb securitytoken': 751319, 'seriesb securitytoken sto': 751322, 'securitytoken sto securitytokens': 744810, 'sto securitytokens digitalsecurity': 801749, 'regarding at': 707176, 'least get': 484484, 'keep going': 471540, 'store must': 809004, 'close at': 182552, 'at 10': 97395, '10 meaning': 1516, 'meaning everyone': 524806, 'to midnight': 910118, 'midnight must': 530751, 'must work': 547005, 'to 10': 899418, 'regarding at least': 707177, 'at least get': 99498, 'least get to': 484486, 'get to keep': 348475, 'to keep going': 908795, 'keep going to': 471552, 'going to my': 355658, 'to my job': 910411, 'my job at': 548905, 'supermarket store must': 823008, 'store must close': 809006, 'must close at': 546587, 'close at 10': 182553, 'at 10 meaning': 97406, '10 meaning everyone': 1517, 'meaning everyone who': 524807, 'everyone who work': 287611, 'who work to': 990045, 'work to midnight': 1005894, 'to midnight must': 910121, 'midnight must work': 530752, 'must work to': 547007, 'work to 10': 1005879, 'serviceindustry': 753141, 'calling grocery': 156566, 'hero right': 394079, 'now service': 575780, 'industry worker': 436258, 'always hero': 49618, 'hero without': 394176, 'you would': 1022445, 'have stocked': 382767, 'stocked grocery': 803329, 'or almost': 614294, 'almost anything': 46551, 'else hero': 271732, 'hero serviceindustry': 394085, 'everyone is calling': 287069, 'is calling grocery': 446352, 'calling grocery store': 156567, 'store worker hero': 811524, 'worker hero right': 1007125, 'hero right now': 394080, 'right now service': 722131, 'now service industry': 575781, 'service industry worker': 752503, 'industry worker are': 436259, 'worker are always': 1006366, 'are always hero': 84501, 'always hero without': 49619, 'hero without them': 394177, 'without them you': 1002996, 'them you would': 876681, 'you would never': 1022455, 'would never have': 1012060, 'never have stocked': 558053, 'have stocked grocery': 382768, 'stocked grocery store': 803330, 'store or almost': 809311, 'or almost anything': 614295, 'almost anything else': 46552, 'anything else hero': 80744, 'else hero serviceindustry': 271733, '36': 17991, 'only good': 610532, 'an all': 55235, 'low 36': 505088, '36 yes': 18028, 'yes please': 1015515, 'please when': 660770, 'it through': 461672, 'will them': 995164, 'them gas': 875768, 'better not': 128378, 'not shoot': 571555, 'the only good': 862310, 'only good thing': 610533, 'good thing to': 357854, 'thing to come': 884880, 'to come from': 903029, 'come from covid': 187302, 'is that gas': 452650, 'are at an': 84663, 'at an all': 97975, 'an all time': 55239, 'time low 36': 897161, 'low 36 yes': 505089, '36 yes please': 18029, 'yes please when': 1015516, 'please when we': 660772, 'when we make': 984456, 'we make it': 972337, 'make it through': 510060, 'it through this': 461680, 'through this and': 894803, 'this and we': 886356, 'we will them': 973916, 'will them gas': 995165, 'them gas price': 875769, 'gas price better': 343937, 'price better not': 672917, 'better not shoot': 128381, 'not shoot up': 571557, 'laid': 479002, 'pouring': 667452, 'passion': 643414, 'writing': 1012882, 'hi will': 394775, 'will write': 995372, 'write you': 1012800, 'you short': 1021177, 'short story': 764695, 'story or': 812097, 'or essay': 615177, 'essay of': 280711, 'your choice': 1023212, 'choice wa': 177822, 'wa recently': 963070, 'recently temporarily': 704161, 'temporarily laid': 837502, 'laid off': 479008, 'off due': 593784, 'am hoping': 50124, 'hoping to': 403950, 'meet by': 527427, 'by pouring': 153632, 'pouring my': 667453, 'heart into': 388303, 'my original': 549618, 'original passion': 619572, 'passion writing': 643419, 'writing price': 1012920, 'low am': 505113, 'am by': 49964, 'by no': 153338, 'no mean': 564741, 'mean professional': 524621, 'professional but': 682430, 'hi will write': 394776, 'will write you': 995373, 'write you short': 1012801, 'you short story': 1021178, 'short story or': 764697, 'story or essay': 812098, 'or essay of': 615178, 'essay of your': 280712, 'of your choice': 593451, 'your choice wa': 1023215, 'choice wa recently': 177823, 'wa recently temporarily': 963072, 'recently temporarily laid': 704162, 'temporarily laid off': 837503, 'laid off due': 479017, 'off due to': 593785, 'outbreak and am': 627983, 'and am hoping': 58020, 'am hoping to': 50125, 'hoping to make': 403955, 'end meet by': 275876, 'meet by pouring': 527428, 'by pouring my': 153633, 'pouring my heart': 667454, 'my heart into': 548655, 'heart into my': 388304, 'into my original': 442785, 'my original passion': 549619, 'original passion writing': 619573, 'passion writing price': 643420, 'writing price are': 1012921, 'are low am': 87918, 'low am by': 505114, 'am by no': 49965, 'by no mean': 153339, 'no mean professional': 564743, 'mean professional but': 524622, 'professional but will': 682431, 'arak': 83984, 'bali': 109037, 'far we': 298970, 've produced': 953452, 'produced 10': 680502, '10 600': 1284, '600 bottle': 21069, 'sanitizer using': 735996, 'using arak': 950395, 'arak and': 83985, 'and bali': 58670, 'bali police': 109040, 'police have': 663037, 'have given': 380769, 'given them': 351168, 'them out': 876122, 'so far we': 777067, 'far we ve': 298972, 'we ve produced': 973697, 've produced 10': 953453, 'produced 10 600': 680503, '10 600 bottle': 1285, '600 bottle of': 21070, 'bottle of hand': 136283, 'hand sanitizer using': 375639, 'sanitizer using arak': 735997, 'using arak and': 950396, 'arak and bali': 83986, 'and bali police': 58671, 'bali police have': 109041, 'police have given': 663042, 'have given them': 380775, 'given them out': 351169, 'them out to': 876135, 'out to people': 627670, 'people in need': 648401, 'nationalizing': 552679, 'dolling': 253137, 'def': 232012, 'stamp after': 793397, 'after hording': 35799, 'supply creating': 825119, 'creating shortage': 216071, 'and driving': 61755, 'and nationalizing': 67436, 'nationalizing and': 552680, 'and foreign': 63193, 'foreign plant': 328998, 'plant blocking': 658631, 'blocking their': 132892, 'their export': 873209, 'export ccp': 292619, 'ccp have': 168460, 'have begun': 379750, 'begun dolling': 123705, 'dolling out': 253138, 'out mask': 626542, 'equipment much': 279784, 'is def': 447072, 'stamp after hording': 793398, 'after hording medical': 35800, 'hording medical supply': 404023, 'medical supply creating': 526435, 'supply creating shortage': 825120, 'creating shortage and': 216072, 'shortage and driving': 764815, 'and driving up': 61758, 'price and nationalizing': 672475, 'and nationalizing and': 67437, 'nationalizing and foreign': 552681, 'and foreign plant': 63196, 'foreign plant blocking': 328999, 'plant blocking their': 658632, 'blocking their export': 132893, 'their export ccp': 873210, 'export ccp have': 292620, 'ccp have begun': 168461, 'have begun dolling': 379752, 'begun dolling out': 123706, 'dolling out mask': 253139, 'out mask and': 626543, 'mask and medical': 518348, 'and medical equipment': 66875, 'medical equipment much': 526158, 'equipment much of': 279785, 'much of which': 545202, 'of which is': 593105, 'which is def': 986000, 'applying': 82629, 'work because': 1004922, 'of consider': 581684, 'consider applying': 194956, 'applying at': 82630, 're out of': 699223, 'of work because': 593243, 'work because of': 1004923, 'because of consider': 119320, 'of consider applying': 581685, 'consider applying at': 194957, 'applying at your': 82631, 'grocery store they': 365855, 'store they need': 810673, 'they need the': 882762, 'need the help': 555748, 'unveiled': 944014, 'cole ha': 185862, 'told shopper': 923678, 'to pack': 911344, 'pack their': 633164, 'own grocery': 632029, 'giant unveiled': 349885, 'unveiled new': 944015, 'rule aimed': 727178, 'keeping shopper': 472551, 'shopper and': 761356, 'and staff': 72188, 'cole ha told': 185863, 'ha told shopper': 372340, 'told shopper to': 923680, 'shopper to pack': 761771, 'to pack their': 911348, 'pack their own': 633165, 'their own grocery': 874179, 'own grocery to': 632032, 'grocery to limit': 366054, 'the supermarket giant': 868609, 'supermarket giant unveiled': 820517, 'giant unveiled new': 349886, 'unveiled new rule': 944016, 'new rule aimed': 559518, 'rule aimed at': 727179, 'aimed at keeping': 39571, 'at keeping shopper': 99363, 'keeping shopper and': 472552, 'shopper and staff': 761372, 'and staff safe': 72198, 'safe in store': 729769, 'behavior threshold impact': 124249, 'differentiate': 242143, 'stock we': 803155, 'course follow': 211862, 'follow government': 312393, 'sensible that': 750663, 'not live': 570436, 'in police': 426822, 'police state': 663208, 'implement the': 418432, 'law and': 482205, 'only the': 611257, 'law they': 482419, 'to differentiate': 904289, 'differentiate between': 242144, 'between guidance': 128791, 'guidance and': 368203, 'and rule': 70626, 'from supermarket if': 337487, 'supermarket if it': 820830, 'if it in': 414311, 'it in stock': 458746, 'in stock we': 428341, 'stock we should': 803160, 'we should of': 973284, 'should of course': 766283, 'of course follow': 582050, 'course follow government': 211863, 'follow government advice': 312394, 'advice and be': 33303, 'and be sensible': 58766, 'be sensible that': 117085, 'sensible that being': 750664, 'being said we': 125716, 'said we do': 731564, 'do not live': 249778, 'not live in': 570437, 'live in police': 495880, 'in police state': 426824, 'police state they': 663209, 'state they are': 795999, 'they are there': 881432, 'are there to': 90963, 'there to implement': 879187, 'to implement the': 908180, 'implement the law': 418436, 'the law and': 859180, 'law and only': 482211, 'and only the': 68151, 'only the law': 611269, 'the law they': 859195, 'law they need': 482420, 'need to differentiate': 555904, 'to differentiate between': 904290, 'differentiate between guidance': 242145, 'between guidance and': 128792, 'guidance and rule': 368206, 'closethemalls': 183556, 'anyone currently': 80248, 'currently shopping': 221671, 'at department': 98422, 'you realize': 1020827, 'supporting company': 827117, 'not care': 568690, 'it employee': 457796, 'employee closethemalls': 273723, 'to anyone currently': 900622, 'anyone currently shopping': 80249, 'currently shopping at': 221672, 'shopping at department': 762091, 'at department store': 98423, 'do you realize': 250667, 'you realize that': 1020829, 'realize that you': 701866, 'you are supporting': 1017249, 'are supporting company': 90662, 'supporting company that': 827118, 'company that doe': 191166, 'doe not care': 251482, 'not care about': 568691, 'care about the': 163806, 'the health and': 857177, 'and safety of': 70751, 'safety of it': 730649, 'of it employee': 585389, 'it employee closethemalls': 457799, 'token': 923473, 'are your': 91888, 'child entitled': 176078, 'meal food': 524143, 'food voucher': 317440, 'voucher released': 960662, 'released how': 709043, 'get 15': 346463, '15 supermarket': 3836, 'supermarket token': 823490, 'token for': 923474, 'child please': 176174, 'please read': 660351, 'are your child': 91891, 'your child entitled': 1023201, 'child entitled to': 176079, 'entitled to free': 278833, 'to free school': 906238, 'school meal food': 741856, 'meal food voucher': 524144, 'food voucher released': 317441, 'voucher released how': 960663, 'released how to': 709044, 'how to get': 409026, 'to get 15': 906400, 'get 15 supermarket': 346465, '15 supermarket token': 3837, 'supermarket token for': 823491, 'token for your': 923475, 'for your child': 328129, 'your child please': 1023205, 'child please read': 176175, 'doe affect': 251320, 'affect safety': 34219, 'water via': 969241, 'via water': 956363, 'how doe affect': 407735, 'doe affect safety': 251321, 'affect safety of': 34220, 'drinking water via': 258948, 'water via water': 969242, 'blighty': 132673, 'mauritius': 520724, 'beautiful': 118665, 'paradisal': 641306, 'paradise': 641309, 'in blighty': 420876, 'blighty and': 132674, 'and wow': 75938, 'wow how': 1012566, 'how thing': 408938, 'thing have': 884399, 'changed mauritius': 172506, 'mauritius wa': 520727, 'wa amazing': 961517, 'amazing beautiful': 50651, 'beautiful paradisal': 118701, 'paradisal bubble': 641307, 'bubble away': 141584, 'the reality': 865256, 'reality of': 701767, '19 empty': 6775, 'all social': 44377, 'social plan': 779912, 'plan on': 658190, 'hold for': 399926, 'it gardening': 458200, 'gardening running': 343652, 'running reading': 728041, 'reading cooking': 700747, 'cooking and': 202842, 'and work': 75844, 'going forward': 355155, 'forward paradise': 329999, 'back in blighty': 107081, 'in blighty and': 420877, 'blighty and wow': 132675, 'and wow how': 75939, 'wow how thing': 1012567, 'how thing have': 408940, 'thing have changed': 884401, 'have changed mauritius': 379939, 'changed mauritius wa': 172507, 'mauritius wa amazing': 520728, 'wa amazing beautiful': 961518, 'amazing beautiful paradisal': 50652, 'beautiful paradisal bubble': 118702, 'paradisal bubble away': 641308, 'bubble away from': 141585, 'from the reality': 337850, 'the reality of': 865261, 'reality of covid': 701770, 'covid 19 empty': 213020, '19 empty supermarket': 6777, 'shelf and all': 756718, 'and all social': 57891, 'all social plan': 44381, 'social plan on': 779913, 'plan on hold': 658194, 'on hold for': 601342, 'hold for now': 399929, 'for now so': 323982, 'now so it': 575849, 'so it gardening': 777462, 'it gardening running': 458201, 'gardening running reading': 343653, 'running reading cooking': 728042, 'reading cooking and': 700748, 'cooking and work': 202846, 'and work going': 75854, 'work going forward': 1005216, 'going forward paradise': 355162, 'mentality': 528702, 'casually': 166801, 'jolly': 467211, 'the mentality': 860483, 'mentality of': 528711, 'people clearly': 647481, 'clearly in': 181522, 'risk or': 723798, 'or vulnerable': 617694, 'vulnerable category': 960902, 'category casually': 167168, 'casually walking': 166808, 'with someone': 1000874, 'else like': 271782, 'it jolly': 459205, 'jolly what': 467217, 'what don': 981382, 'don you': 254088, 'understand about': 940582, 'about stay': 26249, 'fuck at': 339529, 'home stayhomesavelives': 402132, 'don understand the': 254010, 'understand the mentality': 940766, 'the mentality of': 860484, 'mentality of people': 528712, 'of people clearly': 587886, 'people clearly in': 647482, 'clearly in the': 181523, 'high risk or': 395367, 'risk or vulnerable': 723804, 'or vulnerable category': 617698, 'vulnerable category casually': 960905, 'category casually walking': 167169, 'casually walking around': 166809, 'supermarket with someone': 823938, 'with someone else': 1000877, 'someone else like': 784450, 'else like it': 271783, 'like it jolly': 490544, 'it jolly what': 459207, 'jolly what don': 467218, 'what don you': 981387, 'don you understand': 254093, 'you understand about': 1021961, 'understand about stay': 940584, 'about stay the': 26251, 'stay the fuck': 797345, 'the fuck at': 855957, 'fuck at home': 339530, 'at home stayhomesavelives': 99120, 'inquire': 438996, 'sheltered': 757967, 'needed immediate': 556398, 'immediate work': 417044, 'work think': 1005849, 'think one': 885471, 'the 1st': 847968, '1st thing': 12811, 'thing inquire': 884452, 'inquire about': 438997, 'driving for': 259927, 'for amazon': 319229, 'amazon or': 51059, 'pharmacy which': 654552, 'which do': 985825, 'not typically': 572302, 'typically have': 937657, 'have delivery': 380226, 'service but': 752187, 'but are': 145206, 'are critical': 85626, 'critical for': 218561, 'the deeply': 853024, 'deeply sheltered': 231995, 'sheltered unemployment': 757970, 'if needed immediate': 414461, 'needed immediate work': 556400, 'immediate work think': 417045, 'work think one': 1005850, 'think one of': 885472, 'of the 1st': 590762, 'the 1st thing': 847977, '1st thing inquire': 12812, 'thing inquire about': 884453, 'inquire about is': 438998, 'about is driving': 25551, 'is driving for': 447384, 'driving for amazon': 259928, 'for amazon or': 319230, 'amazon or one': 51062, 'or pharmacy which': 616592, 'pharmacy which do': 654554, 'which do not': 985826, 'do not typically': 249878, 'not typically have': 572303, 'typically have delivery': 937658, 'have delivery service': 380229, 'delivery service but': 234428, 'service but are': 752188, 'but are critical': 145211, 'are critical for': 85627, 'critical for the': 218564, 'for the deeply': 326374, 'the deeply sheltered': 853025, 'deeply sheltered unemployment': 231996, 'interaction': 441228, 'locking': 500516, 'shopping walking': 764337, 'walking dog': 965047, 'dog avoiding': 252041, 'avoiding interaction': 105465, 'interaction other': 441258, 'dog and': 252030, 'my last': 548975, 'last contact': 480154, 'awhile with': 106270, 'with good': 998637, 'good friend': 357106, 'friend for': 333604, 'for his': 322293, 'his birthday': 397246, 'birthday haven': 131434, 'haven seen': 383879, 'seen my': 747145, 'daughter lately': 226884, 'lately who': 480993, 'doing her': 252442, 'her college': 391951, 'college class': 186605, 'class online': 180232, 'online locking': 608504, 'locking it': 500517, 'it down': 457687, 'grocery shopping walking': 365104, 'shopping walking dog': 764338, 'walking dog avoiding': 965049, 'dog avoiding interaction': 252042, 'avoiding interaction other': 105466, 'interaction other people': 441259, 'other people walking': 620695, 'people walking dog': 650129, 'walking dog and': 965048, 'dog and my': 252034, 'and my last': 67375, 'my last contact': 548976, 'last contact for': 480155, 'contact for awhile': 200078, 'for awhile with': 319554, 'awhile with good': 106271, 'with good friend': 998640, 'good friend for': 357109, 'friend for his': 333607, 'for his birthday': 322296, 'his birthday haven': 397247, 'birthday haven seen': 131435, 'haven seen my': 383886, 'seen my daughter': 747146, 'my daughter lately': 547932, 'daughter lately who': 226885, 'lately who is': 480994, 'is doing her': 447277, 'doing her college': 252443, 'her college class': 391952, 'college class online': 186606, 'class online locking': 180234, 'online locking it': 608505, 'locking it down': 500518, 'batmeat': 112707, 'only batmeat': 610143, 'batmeat left': 112708, 'shelf 19': 756672, 'only batmeat left': 610144, 'batmeat left on': 112709, 'supermarket shelf 19': 822417, 'oversold': 631528, 'retracement': 719735, '2800': 16423, 'trading usually': 928951, 'usually in': 951126, 'these type': 880906, 'market you': 517401, 'see rally': 745624, 'rally to': 696288, 'work off': 1005524, 'the weekly': 871342, 'weekly oversold': 977522, 'oversold price': 631540, 'and pessimism': 68939, 'pessimism before': 653313, 'next leg': 561424, 'leg down': 485806, 'down most': 256966, 'most time': 542816, 'the 50': 848135, '50 percent': 19812, 'percent retracement': 651174, 'retracement is': 719736, 'good target': 357814, 'target think': 834516, 'see 2800': 744864, '2800 before': 16424, 'before 200': 122592, 'trading usually in': 928952, 'usually in these': 951127, 'in these type': 429874, 'these type of': 880907, 'type of market': 937567, 'of market you': 586240, 'market you see': 517403, 'you see rally': 1021062, 'see rally to': 745625, 'rally to work': 696290, 'to work off': 918758, 'work off the': 1005525, 'off the weekly': 594283, 'the weekly oversold': 871347, 'weekly oversold price': 977523, 'oversold price and': 631541, 'price and pessimism': 672496, 'and pessimism before': 68940, 'pessimism before the': 653314, 'before the next': 123176, 'the next leg': 861674, 'next leg down': 561425, 'leg down most': 485807, 'down most time': 256968, 'most time the': 542817, 'time the 50': 897842, 'the 50 percent': 848138, '50 percent retracement': 19815, 'percent retracement is': 651175, 'retracement is good': 719737, 'is good target': 448152, 'good target think': 357815, 'target think we': 834517, 'think we see': 885771, 'we see 2800': 973154, 'see 2800 before': 744865, '2800 before 200': 16425, 'this quick': 889790, 'quick survey': 694390, 'survey on': 828915, 'on telehealth': 603894, 'telehealth we': 836767, 'to better': 901783, 'better understand': 128584, 'understand consumer': 940616, 'perception trump': 651252, 'trump stayhome': 933865, 'at this quick': 101251, 'this quick survey': 889791, 'quick survey on': 694391, 'survey on telehealth': 828919, 'on telehealth we': 603895, 'telehealth we are': 836768, 'we are doing': 970531, 'doing to better': 252787, 'to better understand': 901791, 'better understand consumer': 128585, 'understand consumer perception': 940621, 'consumer perception trump': 198355, 'perception trump stayhome': 651253, 'dreaded': 258568, 'cbdd': 168337, 'new hand': 558850, 'just released': 469597, 'released earlier': 709034, 'week response': 976814, 'the dreaded': 853678, 'dreaded cbdd': 258571, 'out our new': 626983, 'our new hand': 624033, 'new hand sanitizer': 558851, 'sanitizer and we': 734456, 'and we just': 75299, 'we just released': 972120, 'just released earlier': 469598, 'released earlier this': 709035, 'this week response': 891259, 'week response to': 976816, 'response to aid': 715825, 'aid in the': 39408, 'against the dreaded': 37655, 'the dreaded cbdd': 853680, 'least some': 484630, 'some supermarket': 784001, 'offered week': 594986, 'week paid': 976719, 'leave if': 484832, 'call in': 155937, 'in over': 426374, 'at least some': 99546, 'least some supermarket': 484634, 'some supermarket worker': 784012, 'being offered week': 125482, 'offered week paid': 594987, 'week paid sick': 976721, 'sick leave if': 768497, 'leave if they': 484833, 'they have to': 882396, 'have to call': 383173, 'to call in': 902380, 'call in over': 155940, 'in over covid': 426377, 'lee': 485312, 'tennessee': 837945, 'gov lee': 359627, 'lee say': 485325, 'say tennessee': 739212, 'tennessee ha': 837952, 'ha strong': 372088, 'strong food': 814035, 'chain but': 170561, 'but hoarding': 145946, 'hoarding hurt': 399370, 'hurt he': 411580, 'he warns': 385645, 'warns against': 967243, 'against hoarding': 37493, 'gov lee say': 359628, 'lee say tennessee': 485327, 'say tennessee ha': 739213, 'tennessee ha strong': 837953, 'ha strong food': 372089, 'strong food supply': 814036, 'supply chain but': 824921, 'chain but hoarding': 170564, 'but hoarding hurt': 145947, 'hoarding hurt he': 399371, 'hurt he warns': 411582, 'he warns against': 385646, 'warns against hoarding': 967246, 'against hoarding and': 37494, 'hoarding and panic': 399184, 'robbed': 724640, 'burglarized': 142843, 'appalling fear': 81837, 'be robbed': 116901, 'robbed or': 724651, 'or burglarized': 614598, 'burglarized more': 142846, 'often even': 596192, 'food thing': 317183, 'are happening': 87005, 'happening with': 377439, 'london and': 501011, 'and london': 66345, 'london panic': 501147, 'buying doesn': 150198, 'this is appalling': 888178, 'is appalling fear': 445778, 'appalling fear that': 81838, 'fear that people': 301366, 'will be robbed': 992657, 'be robbed or': 116904, 'robbed or burglarized': 724652, 'or burglarized more': 614599, 'burglarized more often': 142847, 'more often even': 539900, 'often even just': 596193, 'even just for': 284264, 'just for food': 468748, 'for food thing': 321642, 'food thing are': 317184, 'thing are happening': 884156, 'are happening with': 87007, 'happening with covid': 377441, '19 in london': 7764, 'in london and': 424874, 'london and london': 501014, 'and london panic': 66346, 'london panic buying': 501148, 'panic buying doesn': 637707, 'buying doesn help': 150199, 'late at': 480854, 'at night': 99879, 'night 00': 562917, '00 and': 64, 'how on': 408427, 'on every': 600615, 'supermarket farmer': 820275, 'market etc': 516342, 'etc woman': 282900, 'woman and': 1003395, 'and men': 66944, 'men like': 528504, 'like them': 491415, 'them will': 876633, 'work non': 1005497, 'non stop': 566504, 'replenish every': 711640, 'every shelve': 286162, 'shelve next': 758038, 'staff across': 792076, 'world people': 1009886, 'be hero': 115231, 'hero to': 394132, 'keep humanity': 471587, 'humanity fed': 410723, 'fed thank': 301900, 'late at night': 480856, 'at night 00': 99880, 'night 00 and': 562918, '00 and is': 66, 'and is amazing': 65389, 'amazing how on': 50708, 'how on every': 408429, 'on every supermarket': 600622, 'every supermarket farmer': 286249, 'supermarket farmer market': 820276, 'farmer market etc': 299446, 'market etc woman': 516345, 'etc woman and': 282901, 'woman and men': 1003399, 'and men like': 66945, 'men like them': 528505, 'like them will': 491419, 'them will work': 876641, 'will work non': 995367, 'work non stop': 1005498, 'non stop to': 566507, 'stop to replenish': 805224, 'to replenish every': 913256, 'replenish every shelve': 711641, 'every shelve next': 286163, 'shelve next to': 758039, 'next to the': 561632, 'to the medical': 916877, 'medical staff across': 526383, 'staff across the': 792078, 'the world people': 871935, 'world people like': 1009888, 'people like them': 648650, 'like them are': 491417, 'them are and': 875415, 'are and will': 84554, 'will be hero': 992497, 'be hero to': 115239, 'hero to keep': 394133, 'to keep humanity': 908803, 'keep humanity fed': 471588, 'humanity fed thank': 410724, 'fed thank them': 301901, 'fca': 300720, 'specialty': 788163, 'fletcher': 310334, 'george': 345988, 'silber': 769693, '19 new': 8767, 'new fca': 558729, 'fca guidance': 300723, 'guidance on': 368261, 'credit and': 216304, 'the implication': 857966, 'implication for': 418547, 'for ab': 318971, 'ab and': 24166, 'and specialty': 72072, 'specialty finance': 788166, 'finance read': 306259, 'by richard': 153814, 'richard fletcher': 721297, 'fletcher and': 310335, 'and george': 63548, 'george silber': 346017, 'covid 19 new': 213472, '19 new fca': 8769, 'new fca guidance': 558730, 'fca guidance on': 300724, 'guidance on consumer': 368262, 'consumer credit and': 197015, 'credit and the': 216310, 'and the implication': 73418, 'the implication for': 857968, 'implication for ab': 418548, 'for ab and': 318972, 'ab and specialty': 24168, 'and specialty finance': 72073, 'specialty finance read': 788167, 'finance read our': 306260, 'latest article by': 481215, 'article by richard': 94285, 'by richard fletcher': 153815, 'richard fletcher and': 721298, 'fletcher and george': 310336, 'and george silber': 63549, 'banner': 110605, 'store under': 810991, 'the metro': 860549, 'metro banner': 529904, 'banner are': 110606, 'reducing store': 706318, 'hour starting': 405950, 'starting thursday': 795008, 'thursday amid': 895344, 'grocery store under': 365897, 'store under the': 810992, 'under the metro': 940320, 'the metro banner': 860551, 'metro banner are': 529905, 'banner are reducing': 110607, 'are reducing store': 89531, 'reducing store hour': 706319, 'store hour starting': 808209, 'hour starting thursday': 405951, 'starting thursday amid': 795009, 'thursday amid the': 895345, 'abundancemindset': 27595, 'the budget': 850082, 'budget to': 141824, 'do online': 249934, 'in home': 423778, 'quarantine suggest': 692594, 'suggest that': 817535, 'you use': 1021997, 'use that': 949640, 'that money': 845207, 'to invest': 908483, 'your future': 1024018, 'future instead': 342363, 'instead grow': 440193, 'grow your': 367086, 'your asset': 1022861, 'asset not': 96449, 'not your': 572624, 'your bill': 1022967, 'bill invest': 130601, 'invest abundancemindset': 443745, 'those who have': 892639, 'who have the': 988963, 'have the budget': 382964, 'the budget to': 850084, 'budget to do': 141825, 'to do online': 904538, 'do online shopping': 249937, 'shopping while in': 764396, 'while in home': 986944, 'in home quarantine': 423787, 'home quarantine suggest': 401936, 'quarantine suggest that': 692595, 'suggest that you': 817540, 'that you use': 847749, 'you use that': 1022005, 'use that money': 949645, 'that money to': 845212, 'money to invest': 537106, 'to invest in': 908485, 'invest in your': 443768, 'in your future': 431083, 'your future instead': 1024019, 'future instead grow': 342364, 'instead grow your': 440194, 'grow your asset': 367087, 'your asset not': 1022862, 'asset not your': 96450, 'not your bill': 572627, 'your bill invest': 1022969, 'bill invest abundancemindset': 130602, 'unreal': 943287, 'cbob': 168359, '85': 22907, '28': 16369, 'unreal price': 943298, 'price chicago': 673125, 'chicago benchmark': 175648, 'benchmark wholesale': 126854, 'wholesale cbob': 990427, 'cbob 85': 168360, '85 gasoline': 22918, 'gasoline plunged': 344249, 'plunged yesterday': 661510, 'to 15': 899500, '15 per': 3817, 'per gallon': 650838, 'gallon the': 343063, 'least 28': 484352, '28 year': 16415, 'year chart': 1014463, 'chart from': 173830, 'unreal price chicago': 943299, 'price chicago benchmark': 673126, 'chicago benchmark wholesale': 175649, 'benchmark wholesale cbob': 126855, 'wholesale cbob 85': 990428, 'cbob 85 gasoline': 168361, '85 gasoline plunged': 22919, 'gasoline plunged yesterday': 344250, 'plunged yesterday to': 661511, 'yesterday to 15': 1015901, 'to 15 per': 899502, '15 per gallon': 3818, 'per gallon the': 650858, 'gallon the lowest': 343064, 'the lowest price': 859819, 'lowest price in': 506209, 'price in at': 674664, 'in at least': 420552, 'at least 28': 99448, 'least 28 year': 484353, '28 year chart': 16416, 'year chart from': 1014464, 'mypov at': 550785, 'on hiring': 601314, 'hiring big': 397074, 'big retailer': 129963, 'hire 500': 396987, '500 00': 19926, 'demand surge': 236299, 'surge for': 828166, 'and staple': 72229, 'staple spread': 793987, 'spread small': 790794, 'business can': 143485, 'can compete': 157946, 'compete via': 191600, 'mypov at least': 550786, 'least some good': 484631, 'some good news': 782970, 'good news on': 357454, 'news on hiring': 560664, 'on hiring big': 601315, 'hiring big retailer': 397075, 'big retailer are': 129964, 'retailer are out': 719013, 'are out to': 88891, 'out to hire': 627652, 'to hire 500': 907791, 'hire 500 00': 396988, '500 00 people': 19933, '00 people to': 420, 'people to handle': 649906, 'handle the demand': 376268, 'the demand surge': 853112, 'demand surge for': 236306, 'surge for food': 828169, 'food and staple': 313343, 'and staple spread': 72232, 'staple spread small': 793988, 'spread small business': 790795, 'small business can': 774843, 'business can compete': 143489, 'can compete via': 157947, 'psychologist': 687528, 'yarrow': 1014176, 'psyche': 687499, 'consumer psychologist': 198588, 'psychologist detail': 687533, 'detail what': 239275, 'what business': 981150, 'know during': 476358, '19 kit': 8248, 'kit yarrow': 475678, 'yarrow discus': 1014177, 'nation psyche': 552293, 'psyche during': 687500, 'what critical': 981286, 'to reaching': 912811, 'reaching consumer': 700081, 'consumer navigating': 198181, 'navigating the': 553127, 'pandemic today': 636799, 'consumer psychologist detail': 198590, 'psychologist detail what': 687534, 'detail what business': 239276, 'what business need': 981154, 'to know during': 908977, 'know during covid': 476359, 'covid 19 kit': 213324, '19 kit yarrow': 8249, 'kit yarrow discus': 475679, 'yarrow discus the': 1014178, 'discus the nation': 244925, 'the nation psyche': 861257, 'nation psyche during': 552294, 'psyche during crisis': 687501, 'during crisis and': 262552, 'crisis and what': 217060, 'and what critical': 75458, 'what critical to': 981287, 'critical to reaching': 218711, 'to reaching consumer': 912812, 'reaching consumer navigating': 700082, 'consumer navigating the': 198182, 'navigating the pandemic': 553130, 'the pandemic today': 863131, 'so angry': 776512, 'angry the': 76500, 'everywhere is': 288225, 'getting shut': 349267, 'down due': 256704, '19 risk': 10242, 'but supermarket': 147215, 'open can': 612143, 'to catching': 902512, 'catching the': 167111, 'no adequate': 563588, 'adequate safety': 32178, 'measure are': 525112, 'being put': 125618, 'place for': 657439, 'so angry the': 776516, 'angry the fact': 76501, 'fact that everywhere': 295798, 'that everywhere is': 843783, 'everywhere is getting': 288226, 'is getting shut': 448042, 'getting shut down': 349268, 'shut down due': 767819, 'down due to': 256705, 'covid 19 risk': 213721, '19 risk but': 10243, 'risk but supermarket': 723429, 'but supermarket are': 147216, 'supermarket are still': 819185, 'still open can': 800955, 'open can we': 612144, 'we do something': 971350, 'something about this': 784835, 'about this supermarket': 26665, 'this supermarket staff': 890438, 'staff are at': 792177, 'high risk to': 395374, 'risk to catching': 723951, 'to catching the': 902516, 'catching the virus': 167121, 'virus and no': 957935, 'and no adequate': 67600, 'no adequate safety': 563590, 'adequate safety measure': 32179, 'safety measure are': 730620, 'measure are being': 525113, 'are being put': 84901, 'being put in': 125621, 'put in place': 690619, 'in place for': 426734, 'place for the': 657449, 'for the employee': 326409, 'tender': 837897, 'rfp': 720862, 'disinfector': 245930, 'ethericoil': 283033, 'ether': 283020, 'ethylalcohol': 283137, 'hygienedevice': 412200, 'hygienekit': 412203, 'hygienicbag': 412242, 'rectifiedspirit': 705510, 'sanitization': 734136, 'global tender': 352249, 'tender rfp': 837908, 'rfp for': 720863, 'disinfectant sanitizer': 245745, '19 find': 7008, 'find now': 307103, 'now disinfectant': 574536, 'disinfectant disinfector': 245645, 'disinfector ethericoil': 245931, 'ethericoil ether': 283034, 'ether ethylalcohol': 283021, 'ethylalcohol hygienedevice': 283138, 'hygienedevice hygienekit': 412201, 'hygienekit hygienicbag': 412204, 'hygienicbag rectifiedspirit': 412243, 'rectifiedspirit sanitization': 705511, 'sanitization sanitizer': 734149, 'sanitizer 19': 734280, 'global tender rfp': 352250, 'tender rfp for': 837909, 'rfp for disinfectant': 720864, 'for disinfectant sanitizer': 320753, 'disinfectant sanitizer to': 245750, 'sanitizer to fight': 735921, 'covid 19 find': 213098, '19 find now': 7011, 'find now disinfectant': 307104, 'now disinfectant disinfector': 574537, 'disinfectant disinfector ethericoil': 245646, 'disinfector ethericoil ether': 245932, 'ethericoil ether ethylalcohol': 283035, 'ether ethylalcohol hygienedevice': 283022, 'ethylalcohol hygienedevice hygienekit': 283139, 'hygienedevice hygienekit hygienicbag': 412202, 'hygienekit hygienicbag rectifiedspirit': 412205, 'hygienicbag rectifiedspirit sanitization': 412244, 'rectifiedspirit sanitization sanitizer': 705512, 'sanitization sanitizer 19': 734150, 'snyders': 776442, 'centurytowers': 169622, 'shoplocalkcmo': 761244, 'snyderssupermarket': 776445, 'pickupanddelivery': 656056, 'kcmo': 471201, 'thanks snyders': 842179, 'snyders supermarket': 776443, 'and centurytowers': 59680, 'centurytowers for': 169623, 'for allowing': 319204, 'allowing me': 46304, 'what need': 981902, 'need before': 554528, 'easter shoplocalkcmo': 265490, 'shoplocalkcmo snyderssupermarket': 761245, 'snyderssupermarket pickupanddelivery': 776446, 'pickupanddelivery stayhomesavelives': 656057, 'stayhomesavelives kcmo': 798403, 'kcmo snyders': 471202, 'thanks snyders supermarket': 842180, 'snyders supermarket and': 776444, 'supermarket and centurytowers': 818956, 'and centurytowers for': 59681, 'centurytowers for allowing': 169624, 'for allowing me': 319205, 'allowing me to': 46306, 'me to get': 523753, 'to get what': 906644, 'get what need': 348621, 'what need before': 981903, 'need before easter': 554529, 'before easter shoplocalkcmo': 122759, 'easter shoplocalkcmo snyderssupermarket': 265491, 'shoplocalkcmo snyderssupermarket pickupanddelivery': 761246, 'snyderssupermarket pickupanddelivery stayhomesavelives': 776447, 'pickupanddelivery stayhomesavelives kcmo': 656058, 'stayhomesavelives kcmo snyders': 798404, 'kcmo snyders supermarket': 471203, 'stayactive': 797416, 'stayhealthy': 797889, 'golflife': 356158, 'elk': 271534, 'grove': 366991, 'going and': 355008, 'and exclusive': 62461, 'exclusive nationwide': 289680, 'nationwide course': 552722, 'course and': 211834, 'research stayactive': 713847, 'stayactive stayhealthy': 797417, 'stayhealthy golflife': 797895, 'golflife elk': 356159, 'elk grove': 271535, 'grove california': 366992, 'out the link': 627385, 'below for on': 126647, 'for on going': 324065, 'on going and': 601128, 'going and exclusive': 355009, 'and exclusive nationwide': 62462, 'exclusive nationwide course': 289681, 'nationwide course and': 552723, 'course and consumer': 211835, 'and consumer research': 60423, 'consumer research stayactive': 198759, 'research stayactive stayhealthy': 713848, 'stayactive stayhealthy golflife': 797418, 'stayhealthy golflife elk': 797896, 'golflife elk grove': 356160, 'elk grove california': 271536, 'flashing': 310044, 'clarification': 180060, 'buying started': 151074, 'started the': 794849, 'moment news': 536002, 'news channel': 560309, 'channel began': 172863, 'began flashing': 123383, 'flashing chief': 310045, 'chief secretary': 175971, 'secretary initial': 743960, 'initial statement': 438556, 'statement it': 796185, 'been pure': 121746, 'pure chaos': 689965, 'chaos since': 173057, 'since then': 770920, 'then despite': 877118, 'despite clarification': 238693, 'panic buying started': 637898, 'buying started the': 151076, 'started the moment': 794851, 'the moment news': 860771, 'moment news channel': 536003, 'news channel began': 560310, 'channel began flashing': 172864, 'began flashing chief': 123384, 'flashing chief secretary': 310046, 'chief secretary initial': 175973, 'secretary initial statement': 743961, 'initial statement it': 438557, 'statement it ha': 796186, 'ha been pure': 369884, 'been pure chaos': 121747, 'pure chaos since': 689966, 'chaos since then': 173058, 'since then despite': 770921, 'then despite clarification': 877119, 'is selfish': 451740, 'selfish have': 748116, 'have consideration': 380076, 'others especially': 621380, 'especially those': 280636, 'have disability': 380289, 'disability panicbuying': 243838, 'panicbuying 19': 638891, 'this ha to': 887817, 'buying is selfish': 150579, 'is selfish have': 451744, 'selfish have consideration': 748117, 'have consideration for': 380077, 'for others especially': 324190, 'others especially those': 621382, 'especially those who': 280639, 'who are elderly': 988135, 'are elderly and': 86103, 'elderly and have': 270572, 'and have disability': 64233, 'have disability panicbuying': 380290, 'disability panicbuying 19': 243839, 'seo': 751039, 'sem': 749579, 'smo': 775845, 'smm': 775829, 'websitedesign': 975505, 'websitedevelopment': 975513, 'mobileappdevelopment': 535042, 'economy ha': 267915, 'ha hurt': 370897, 'hurt investor': 411587, 'investor sentiment': 444205, 'sentiment and': 750891, 'and brought': 59223, 'brought down': 141144, 'down stock': 257212, 'major market': 509385, 'market seo': 517039, 'seo sem': 751050, 'sem smo': 749584, 'smo smm': 775847, 'smm websitedesign': 775837, 'websitedesign websitedevelopment': 975511, 'websitedevelopment mobileappdevelopment': 975514, 'surrounding the impact': 828771, 'global economy ha': 351898, 'economy ha hurt': 267921, 'ha hurt investor': 370898, 'hurt investor sentiment': 411588, 'investor sentiment and': 444206, 'sentiment and brought': 750895, 'and brought down': 59224, 'brought down stock': 141145, 'down stock price': 257215, 'stock price in': 802725, 'price in major': 674706, 'in major market': 424988, 'major market seo': 509389, 'market seo sem': 517040, 'seo sem smo': 751052, 'sem smo smm': 749585, 'smo smm websitedesign': 775848, 'smm websitedesign websitedevelopment': 775838, 'websitedesign websitedevelopment mobileappdevelopment': 975512, 'day mayhem': 227972, 'mayhem at': 521907, 'the till': 869553, 'till tesco': 896097, 'shut after': 767779, 'after dozen': 35579, 'mother day mayhem': 543084, 'day mayhem at': 227973, 'mayhem at the': 521908, 'at the till': 101125, 'the till tesco': 869563, 'till tesco supermarket': 896098, 'tesco supermarket is': 838823, 'supermarket is forced': 821089, 'forced to shut': 328656, 'to shut after': 914601, 'shut after dozen': 767780, 'after dozen of': 35580, 'dozen of via': 257900, 'tirelessly': 899068, 'uninterrupted': 941848, 'grocery retail': 364894, 'stock clerk': 801986, 'clerk who': 181823, 'working tirelessly': 1008972, 'tirelessly to': 899088, 'amp supply': 54591, 'is uninterrupted': 453503, 'uninterrupted please': 941855, 'person when': 652712, 'see them': 745911, 'to all grocery': 900252, 'all grocery retail': 43010, 'grocery retail and': 364895, 'retail and stock': 717837, 'and stock clerk': 72403, 'stock clerk who': 801993, 'clerk who are': 181824, 'are working tirelessly': 91723, 'working tirelessly to': 1008977, 'tirelessly to ensure': 899089, 'ensure that our': 278064, 'that our food': 845580, 'our food amp': 623099, 'food amp supply': 313149, 'amp supply chain': 54593, 'chain is uninterrupted': 170851, 'is uninterrupted please': 453504, 'uninterrupted please don': 941856, 'please don forget': 659912, 'forget to say': 329331, 'you to the': 1021848, 'to the worker': 917200, 'the worker in': 871752, 'worker in person': 1007193, 'in person when': 426646, 'person when you': 652713, 'you see them': 1021073, 'see them 19': 745912, 'so ha': 777222, 'ha raised': 371624, 'raised the': 696043, 'their cleaning': 872788, 'pandemic speaks': 636520, 'speaks volume': 787810, 'their character': 872760, 'character company': 173152, 'company price': 190971, 'gouging is': 359360, 'just shameful': 469772, 'shameful pricegouging': 754698, 'so ha raised': 777225, 'ha raised the': 371630, 'raised the price': 696044, 'price of all': 675402, 'of all their': 579983, 'all their cleaning': 44994, 'their cleaning supply': 872789, 'cleaning supply during': 181076, 'supply during this': 825197, 'this pandemic speaks': 889426, 'pandemic speaks volume': 636521, 'speaks volume of': 787811, 'volume of their': 960160, 'of their character': 591647, 'their character company': 872761, 'character company price': 173153, 'company price gouging': 190972, 'price gouging is': 674291, 'gouging is just': 359363, 'is just shameful': 449147, 'just shameful pricegouging': 469773, 'tdsb': 835317, 'the tdsb': 869187, 'tdsb continues': 835318, 'can to': 160001, 'support ontario': 826715, 'ontario effort': 611589, '19 today': 11466, 'are shipping': 90040, 'shipping another': 758824, 'another 10': 77465, '00 mask': 316, 'the ministry': 860660, 'government amp': 359855, 'amp consumer': 53561, 'our province': 624500, 'update the tdsb': 947258, 'the tdsb continues': 869188, 'tdsb continues to': 835319, 'continues to do': 201469, 'to do everything': 904502, 'do everything we': 249271, 'everything we can': 288087, 'we can to': 971032, 'can to support': 160017, 'to support ontario': 915953, 'support ontario effort': 826716, 'ontario effort to': 611590, 'effort to minimize': 269633, 'covid 19 today': 213959, '19 today we': 11473, 'today we are': 920470, 'we are shipping': 970709, 'are shipping another': 90041, 'shipping another 10': 758825, 'another 10 00': 77466, '10 00 mask': 1203, '00 mask to': 322, 'mask to the': 519428, 'to the ministry': 916882, 'the ministry of': 860663, 'ministry of government': 533546, 'of government amp': 584268, 'government amp consumer': 359856, 'amp consumer service': 53572, 'consumer service to': 198952, 'service to help': 752979, 'to help our': 907579, 'help our province': 390237, '1200': 3019, 'ppv': 668404, 'ifollow': 415641, 'fhd': 304350, '07939252948': 1062, 'iptv': 444625, 'firestick': 308263, 'magbox': 508353, 'ipeetv': 444548, 'premium offer': 669964, 'offer get': 594637, 'for deal': 320597, 'deal over': 229464, '300 channel': 17290, 'channel over': 172915, 'over 1200': 629780, '1200 movie': 3028, 'movie and': 543986, 'and series': 71283, 'series free': 751253, 'trial available': 931633, 'available sport': 104597, 'sport movie': 789949, 'movie music': 544024, 'music ppv': 546320, 'ppv event': 668405, 'event kid': 285010, 'kid uk': 474149, 'uk usa': 938848, 'usa ifollow': 948665, 'ifollow catch': 415642, 'up fhd': 944855, 'fhd whatsapp': 304351, 'whatsapp 07939252948': 982865, '07939252948 iptv': 1063, 'iptv firestick': 444626, 'firestick magbox': 308264, 'magbox ipeetv': 508354, 'premium offer get': 669965, 'offer get in': 594638, 'touch for deal': 926481, 'for deal over': 320599, 'deal over 300': 229465, 'over 300 channel': 629825, '300 channel over': 17291, 'channel over 1200': 172916, 'over 1200 movie': 629781, '1200 movie and': 3029, 'movie and series': 543987, 'and series free': 71284, 'series free trial': 751254, 'free trial available': 332275, 'trial available sport': 931634, 'available sport movie': 104598, 'sport movie music': 789950, 'movie music ppv': 544025, 'music ppv event': 546321, 'ppv event kid': 668406, 'event kid uk': 285011, 'kid uk usa': 474150, 'uk usa ifollow': 938851, 'usa ifollow catch': 948666, 'ifollow catch up': 415643, 'catch up fhd': 167049, 'up fhd whatsapp': 944856, 'fhd whatsapp 07939252948': 304352, 'whatsapp 07939252948 iptv': 982866, '07939252948 iptv firestick': 1064, 'iptv firestick magbox': 444627, 'firestick magbox ipeetv': 308265, 'interacted': 441215, 'that use': 847212, 'use most': 949376, 'most had': 542363, 'had worker': 373809, 'worker test': 1007897, 'test positive': 839126, '19 crazy': 6193, 'crazy to': 215458, 'people probably': 649188, 'probably interacted': 679294, 'interacted with': 441216, 'store that use': 810579, 'that use most': 847213, 'use most had': 949377, 'most had worker': 542364, 'had worker test': 373810, 'worker test positive': 1007898, 'test positive for': 839128, 'covid 19 crazy': 212884, '19 crazy to': 6194, 'crazy to think': 215462, 'to think how': 917375, 'how many people': 408279, 'many people probably': 514530, 'people probably interacted': 649189, 'probably interacted with': 679295, 'interacted with that': 441218, 'with that person': 1001178, 'cliamtechange': 181876, 'lesson for': 486471, 'for resilience': 325152, 'resilience or': 714491, 'system very': 831364, 'very important': 955247, 'for dealing': 320600, 'with future': 998592, 'future cliamtechange': 342285, 'cliamtechange other': 181877, 'other shock': 620896, 'shock just': 759468, 'time supply': 897787, 'with sudden': 1001038, 'sudden surge': 817047, 'demand since': 236221, '19 took': 11511, 'took hold': 925254, 'lesson for resilience': 486474, 'for resilience or': 325153, 'resilience or not': 714492, 'or not of': 616307, 'not of food': 570720, 'of food system': 583791, 'food system very': 317057, 'system very important': 831365, 'very important for': 955248, 'important for dealing': 418800, 'for dealing with': 320601, 'dealing with future': 229667, 'with future cliamtechange': 998593, 'future cliamtechange other': 342286, 'cliamtechange other shock': 181878, 'other shock just': 620897, 'shock just in': 759469, 'in time supply': 430088, 'time supply chain': 897788, 'chain struggling to': 171141, 'struggling to cope': 814498, 'cope with sudden': 203358, 'with sudden surge': 1001040, 'sudden surge in': 817048, 'in demand since': 422153, 'demand since covid': 236223, 'covid 19 took': 213966, '19 took hold': 11512, 'losangeles': 503388, 'gunsales': 368794, 'scary gun': 741152, 'sale gone': 732244, 'usa amid': 948585, 'amid due': 52455, 'shortage people': 765170, 'people expect': 647840, 'expect kind': 290665, 'unrest and': 943336, 'why they': 991448, 'on arm': 599464, 'arm and': 92880, 'ammunition too': 52959, 'too losangeles': 924874, 'losangeles gunsales': 503397, 'gunsales gun': 368795, 'scary gun sale': 741153, 'gun sale gone': 368719, 'sale gone up': 732245, 'gone up in': 356422, 'up in usa': 945191, 'in usa amid': 430486, 'usa amid due': 948586, 'amid due to': 52456, 'due to food': 261789, 'to food shortage': 906097, 'food shortage people': 316597, 'shortage people expect': 765171, 'people expect kind': 647841, 'expect kind of': 290666, 'kind of civil': 474880, 'of civil unrest': 581435, 'civil unrest and': 179559, 'unrest and that': 943338, 'and that why': 73221, 'that why they': 847548, 'why they stock': 991461, 'up on arm': 945526, 'on arm and': 599465, 'arm and ammunition': 92881, 'and ammunition too': 58088, 'ammunition too losangeles': 52960, 'too losangeles gunsales': 924875, 'losangeles gunsales gun': 503398, 'commission report': 188885, 'report scam': 712231, 'scam here': 740188, 'here and': 392697, 'follow them': 312549, 'facebook for': 294913, 'fear surrounding covid': 301349, 'trade commission report': 928456, 'commission report scam': 188888, 'report scam here': 712234, 'scam here and': 740189, 'here and follow': 392704, 'and follow them': 63016, 'follow them on': 312550, 'them on facebook': 876087, 'on facebook for': 600702, 'facebook for update': 294917, 'eligibility': 271405, 'been laid': 121433, '19 believe': 5364, 'believe am': 126241, 'am eligible': 50015, 'eligible for': 271416, 'the 80': 848195, '80 self': 22626, 'self employment': 747636, 'employment scheme': 274644, 'scheme wa': 741594, 'wa looking': 962586, 'if take': 414911, 'this part': 889480, 'time job': 897091, 'will this': 995189, 'this affect': 886220, 'affect my': 34187, 'my eligibility': 548080, 'eligibility for': 271406, 'employed scheme': 273490, 'scheme gov': 741569, 'have been laid': 379592, 'been laid off': 121435, 'laid off work': 479035, 'off work due': 594410, 'covid 19 believe': 212693, '19 believe am': 5365, 'believe am eligible': 126242, 'am eligible for': 50016, 'eligible for the': 271427, 'for the 80': 326292, 'the 80 self': 848199, '80 self employment': 22627, 'self employment scheme': 747640, 'employment scheme wa': 274645, 'scheme wa looking': 741596, 'wa looking to': 962593, 'looking to help': 503032, 'help out at': 390245, 'out at local': 625745, 'at local supermarket': 99610, 'local supermarket if': 498540, 'supermarket if take': 820835, 'if take this': 414915, 'take this part': 832713, 'this part time': 889483, 'part time job': 642451, 'time job will': 897093, 'job will this': 466300, 'will this affect': 995190, 'this affect my': 886223, 'affect my eligibility': 34188, 'my eligibility for': 548081, 'eligibility for the': 271407, 'self employed scheme': 747630, 'employed scheme gov': 273491, 'cloud': 184301, 'is cloud': 446618, 'cloud coronavirus': 184302, 'coronavirus lingers': 206232, 'yes we get': 1015596, 'we get it': 971615, 'get it this': 347429, 'it this thing': 461654, 'thing is cloud': 884465, 'is cloud coronavirus': 446619, 'cloud coronavirus lingers': 184303, 'coronavirus lingers in': 206233, 'infant': 436471, 'nobody had': 566012, 'had covid': 372998, 'wa food': 962143, 'were diaper': 979521, 'diaper for': 240359, 'for infant': 322556, 'infant everything': 436478, 'everything wa': 288070, 'wa okay': 962815, 'okay until': 598031, 'until this': 943897, 'nobody had covid': 566013, 'had covid 19': 372999, '19 there wa': 11291, 'there wa food': 879239, 'wa food at': 962145, 'store there were': 810653, 'there were diaper': 879315, 'were diaper for': 979522, 'diaper for infant': 240360, 'for infant everything': 322557, 'infant everything wa': 436479, 'everything wa okay': 288076, 'wa okay until': 962818, 'okay until this': 598032, 'until this happened': 943900, 'steelguru': 799368, 'oilpricecrash': 597649, 'brentcrude': 139359, 'crash coronavirus': 214958, 'spread steelguru': 790806, 'steelguru link': 799369, 'link 19': 493776, '19 oilpricecrash': 8912, 'oilpricecrash brentcrude': 597650, 'brentcrude wti': 139362, 'oil price crash': 597092, 'price crash coronavirus': 673318, 'crash coronavirus covid': 214959, '19 spread steelguru': 10750, 'spread steelguru link': 790807, 'steelguru link 19': 799370, 'link 19 oilpricecrash': 493777, '19 oilpricecrash brentcrude': 8913, 'oilpricecrash brentcrude wti': 597651, 'follow on': 312475, 'woodman for': 1004312, 'for lunch': 323144, 'lunch and': 506704, 'government doing': 360044, 'follow on my': 312478, 'on my wife': 602330, 'to the woodman': 917198, 'the woodman for': 871690, 'woodman for lunch': 1004313, 'for lunch and': 323145, 'lunch and there': 506708, 'are the government': 90836, 'the government doing': 856530, 'government doing to': 360047, 'doing to address': 252785, 'squeo': 791564, 'squeo work': 791565, 'meat department': 525536, 'in michigan': 425285, 'michigan he': 530347, 'he know': 385175, 'know several': 476706, 'several grocery': 753855, 'and one': 68083, 'his area': 397201, 'is concerned': 446725, 'concerned that': 193214, 'that some': 846381, 'some shopper': 783849, 'shopper behavior': 761430, 'is putting': 451155, 'putting people': 691198, 'in unnecessary': 430447, 'unnecessary danger': 942905, 'squeo work in': 791566, 'in the meat': 429351, 'the meat department': 860379, 'meat department of': 525539, 'department of kroger': 237244, 'of kroger supermarket': 585684, 'kroger supermarket in': 477773, 'supermarket in michigan': 820934, 'in michigan he': 425288, 'michigan he know': 530348, 'he know several': 385178, 'know several grocery': 476707, 'several grocery store': 753856, 'store worker who': 811624, 'worker who have': 1008216, 'who have tested': 988962, '19 and one': 5073, 'and one person': 68091, 'one person in': 606862, 'person in his': 652481, 'in his area': 423715, 'his area who': 397202, 'area who ha': 92272, 'who ha died': 988842, 'ha died he': 370379, 'died he is': 241564, 'he is concerned': 385116, 'is concerned that': 446726, 'concerned that some': 193220, 'that some shopper': 846395, 'some shopper behavior': 783851, 'shopper behavior is': 761432, 'behavior is putting': 124103, 'is putting people': 451160, 'putting people in': 691200, 'people in unnecessary': 648447, 'in unnecessary danger': 430448, 'are everyone': 86284, 'everyone politician': 287289, 'politician shop': 663739, 'shop store': 760854, 'chain keep': 170871, 'keep telling': 472014, 'telling to': 837284, 'panic there': 638694, 'stock put': 802772, 'put them': 690888, 'shelf then': 757661, 'all must': 43533, 'must stop': 546918, 'stop telling': 805103, 'telling and': 837187, 'something now': 784987, 'now cov': 574472, 'why are everyone': 990770, 'are everyone politician': 86285, 'everyone politician shop': 287290, 'politician shop store': 663740, 'shop store and': 760855, 'store and supermarket': 806360, 'supermarket chain keep': 819615, 'chain keep telling': 170872, 'keep telling to': 472016, 'telling to not': 837287, 'to not to': 910713, 'to panic there': 911432, 'panic there is': 638695, 'of food stock': 583785, 'food stock put': 316808, 'stock put them': 802773, 'put them on': 690892, 'them on the': 876096, 'the shelf then': 866890, 'shelf then you': 757662, 'then you all': 877778, 'you all must': 1016892, 'all must stop': 43535, 'must stop telling': 546925, 'stop telling and': 805104, 'telling and do': 837188, 'and do something': 61560, 'do something now': 250147, 'something now cov': 784988, 'implied': 418576, 'the their': 869416, 'their leading': 873800, 'leading story': 483742, 'of top': 592311, 'top employee': 925571, 'employee having': 273927, 'having covid': 384016, 'way the': 969931, 'story lead': 812028, 'in heavily': 423620, 'heavily implied': 388581, 'implied supermarket': 418579, 'worker when': 1008177, 'fact corporate': 295703, 'corporate employee': 207273, 'no interaction': 564513, 'interaction in': 441247, 'shame on and': 754620, 'on and for': 599355, 'for the their': 326727, 'the their leading': 869419, 'their leading story': 873801, 'leading story of': 483743, 'story of top': 812078, 'of top employee': 592313, 'top employee having': 925572, 'employee having covid': 273928, 'having covid 19': 384017, '19 the way': 11263, 'the way the': 871194, 'way the story': 969942, 'the story lead': 868178, 'story lead in': 812029, 'lead in heavily': 483286, 'in heavily implied': 423622, 'heavily implied supermarket': 388582, 'implied supermarket worker': 418580, 'supermarket worker when': 824121, 'worker when it': 1008178, 'when it wa': 983656, 'it wa in': 462129, 'wa in fact': 962366, 'in fact corporate': 422758, 'fact corporate employee': 295704, 'corporate employee who': 207274, 'employee who had': 274426, 'who had no': 988885, 'had no interaction': 373334, 'no interaction in': 564514, 'interaction in store': 441249, 'in store with': 428474, 'with the general': 1001314, 'statement consumer': 796169, '00 via': 585, 'statement consumer complaint': 796170, '15 00 via': 3635, 'honest': 403053, 'depriving': 237710, 'love saying': 504766, 'it true': 461862, 'true wereinthistogether': 933218, 'wereinthistogether but': 980381, 'let be': 486611, 'be honest': 115290, 'honest there': 403081, 'are absolute': 84162, 'absolute danger': 27230, 'danger of': 225672, 'of stockpiling': 590220, 'stockpiling depriving': 803939, 'depriving vulnerable': 237720, 'also employer': 48155, 'employer who': 274557, 'their most': 874008, 'vulnerable staff': 961174, 'love saying it': 504767, 'saying it true': 739628, 'it true wereinthistogether': 461869, 'true wereinthistogether but': 933219, 'wereinthistogether but let': 980382, 'but let be': 146263, 'let be honest': 486616, 'be honest there': 115296, 'honest there are': 403082, 'there are absolute': 878059, 'are absolute danger': 84163, 'absolute danger of': 27231, 'danger of stockpiling': 225685, 'of stockpiling depriving': 590222, 'stockpiling depriving vulnerable': 803940, 'depriving vulnerable people': 237721, 'vulnerable people of': 961102, 'people of essential': 648915, 'of essential food': 583167, 'food and so': 313335, 'so on there': 777944, 'on there are': 604552, 'are also employer': 84449, 'also employer who': 48156, 'employer who are': 274558, 'who are not': 988177, 'are not there': 88485, 'not there for': 572056, 'there for their': 878412, 'for their most': 326851, 'their most vulnerable': 874011, 'most vulnerable staff': 542894, 'nike': 563218, 'outfitter': 628962, 'armor': 92966, 'nike urban': 563235, 'urban outfitter': 948117, 'outfitter and': 628963, 'and under': 74616, 'under armor': 940008, 'armor are': 92969, 'few of': 303957, 'the retailer': 865736, 'retailer closing': 719082, 'closing store': 183759, 'rapidly spreading': 697022, 'spreading coronavirus': 790952, 'nike urban outfitter': 563236, 'urban outfitter and': 948118, 'outfitter and under': 628964, 'and under armor': 74618, 'under armor are': 940009, 'armor are just': 92970, 'are just few': 87622, 'just few of': 468708, 'few of the': 303960, 'of the retailer': 591416, 'the retailer closing': 865738, 'retailer closing store': 719084, 'closing store amid': 183760, 'amid the rapidly': 52711, 'the rapidly spreading': 865154, 'rapidly spreading coronavirus': 697023, 'spreading coronavirus pandemic': 790955, 'trajectory': 929385, 'sinha': 771454, 'after giving': 35712, 'giving return': 351379, 'return of': 719869, '23 74': 15372, '74 in': 22086, '2019 is': 13975, 'it upward': 461980, 'upward trajectory': 947967, 'trajectory with': 929391, 'with uncertainty': 1001888, 'uncertainty around': 939657, 'economic situation': 267290, 'situation writes': 772609, 'writes sandeep': 1012866, 'sandeep sinha': 733682, 'after giving return': 35713, 'giving return of': 351380, 'return of 23': 719870, 'of 23 74': 579526, '23 74 in': 15373, '74 in 2019': 22087, 'in 2019 is': 419806, '2019 is likely': 13978, 'likely to continue': 492138, 'continue it upward': 201055, 'it upward trajectory': 461982, 'upward trajectory with': 947968, 'trajectory with uncertainty': 929393, 'with uncertainty around': 1001891, 'uncertainty around the': 939661, 'around the economic': 93537, 'the economic situation': 853916, 'economic situation writes': 267295, 'situation writes sandeep': 772610, 'writes sandeep sinha': 1012867, 'portioning': 665030, 'duffex': 262050, 'losfeliz': 503529, 'ghosttown': 349694, 'shelf portioning': 757422, 'portioning food': 665031, 'food sale': 316285, 'empty restaurant': 275021, 'in lf': 424689, 'lf photo': 487879, 'photo duffex': 655155, 'duffex losfeliz': 262051, 'losfeliz losangeles': 503530, 'losangeles ghosttown': 503395, 'ghosttown californialockdown': 349695, 'empty grocery store': 274897, 'store shelf portioning': 810091, 'shelf portioning food': 757423, 'portioning food sale': 665032, 'food sale and': 316286, 'sale and empty': 732038, 'and empty restaurant': 62082, 'empty restaurant in': 275022, 'restaurant in lf': 716520, 'in lf photo': 424690, 'lf photo duffex': 487880, 'photo duffex losfeliz': 655156, 'duffex losfeliz losangeles': 262052, 'losfeliz losangeles ghosttown': 503531, 'losangeles ghosttown californialockdown': 503396, 'loaf': 497354, 'soreen': 785985, 'supermarket across': 818765, 'road today': 724528, 'some lunch': 783241, 'lunch managed': 506732, 'some diet': 782684, 'diet ginger': 241725, 'ginger beer': 350188, 'and soft': 71928, 'soft drink': 781467, 'drink loaf': 258853, 'loaf of': 497363, 'of soreen': 589935, 'the supermarket across': 868443, 'supermarket across the': 818767, 'across the road': 29520, 'the road today': 865938, 'road today to': 724530, 'today to get': 920356, 'get some lunch': 348061, 'some lunch managed': 783242, 'lunch managed to': 506733, 'managed to get': 512502, 'get some diet': 348050, 'some diet ginger': 782685, 'diet ginger beer': 241726, 'ginger beer and': 350189, 'beer and soft': 122431, 'and soft drink': 71929, 'soft drink loaf': 781470, 'drink loaf of': 258854, 'loaf of soreen': 497368, 'parade': 641291, 'sixth': 772740, 'avenue': 104772, 'victorious': 956560, 'roman': 725714, 'to parade': 911454, 'parade nurse': 641295, 'doctor down': 250895, 'down sixth': 257188, 'sixth avenue': 772741, 'avenue like': 104778, 'like victorious': 491736, 'victorious roman': 956563, 'roman army': 725717, 'army when': 93055, 'over there': 630806, 'there need': 878780, 'be statue': 117357, 'statue of': 796646, 'need to parade': 556007, 'to parade nurse': 911455, 'parade nurse and': 641296, 'and doctor down': 61577, 'doctor down sixth': 250896, 'down sixth avenue': 257189, 'sixth avenue like': 772742, 'avenue like victorious': 104779, 'like victorious roman': 491737, 'victorious roman army': 956564, 'roman army when': 725718, 'army when this': 93056, 'when this thing': 984312, 'thing is over': 884479, 'is over there': 450737, 'over there need': 630808, 'there need to': 878782, 'to be statue': 901561, 'be statue of': 117358, 'statue of them': 796648, 'of them in': 591747, 'them in park': 875908, 'biggest supermarket': 130329, 'will impose': 993789, 'impose restriction': 419258, 'to buying': 902349, 'buying maximum': 150705, 'maximum of': 520825, 'of three': 592140, 'three product': 894045, 'product per': 681515, 'per line': 650913, 'line from': 493119, 'from thursday': 338043, 'thursday it': 895389, 'it cope': 457319, 'the biggest supermarket': 849680, 'biggest supermarket will': 130335, 'supermarket will impose': 823885, 'will impose restriction': 993790, 'impose restriction on': 419259, 'restriction on all': 717336, 'on all customer': 599221, 'all customer to': 42504, 'customer to buying': 222958, 'to buying maximum': 902353, 'buying maximum of': 150706, 'maximum of three': 520828, 'of three product': 592148, 'three product per': 894046, 'product per line': 681516, 'per line from': 650914, 'line from thursday': 493126, 'from thursday it': 338045, 'thursday it cope': 895390, 'it cope with': 457320, 'with the high': 1001332, 'the high demand': 857317, 'high demand from': 395010, 'pandemic the company': 636670, 'the company ha': 851329, 'company ha announced': 190706, 'debit': 230368, 'snide': 776335, 'guaranteed': 367732, 'missing something': 534326, 'something all': 784840, 'these cafe': 879714, 'cafe etc': 155107, 'etc doing': 282497, 'doing takeaway': 252696, 'takeaway only': 832893, 'only debit': 610319, 'debit card': 230371, 'card only': 163600, 'only this': 611333, 'isn happening': 454536, 'italy spain': 462916, 'spain not': 787327, 'being snide': 125808, 'snide government': 776336, 'government have': 360181, 'have guaranteed': 380850, 'guaranteed wage': 367756, 'wage why': 963992, 'still opening': 800985, 'opening it': 612864, 'go fully': 353595, 'fully shut': 341078, 'down supermarket': 257230, 'am missing something': 50221, 'missing something all': 534327, 'something all these': 784842, 'all these cafe': 45024, 'these cafe etc': 879715, 'cafe etc doing': 155109, 'etc doing takeaway': 282498, 'doing takeaway only': 252698, 'takeaway only debit': 832894, 'only debit card': 610320, 'debit card only': 230372, 'card only this': 163601, 'only this isn': 611335, 'this isn happening': 888486, 'isn happening in': 454538, 'happening in italy': 377363, 'in italy spain': 424317, 'italy spain not': 462918, 'spain not being': 787328, 'not being snide': 568550, 'being snide government': 125809, 'snide government have': 776337, 'government have guaranteed': 360184, 'have guaranteed wage': 380851, 'guaranteed wage why': 367757, 'wage why you': 963993, 'why you still': 991601, 'you still opening': 1021409, 'still opening it': 800986, 'opening it need': 612866, 'to go fully': 906799, 'go fully shut': 353596, 'fully shut down': 341079, 'shut down supermarket': 767855, 'down supermarket only': 257233, 'handsoap': 376733, 'sosamerica': 786197, 'hey world': 394554, 'world me': 1009797, 'me again': 522361, 'again america': 36880, 'america if': 51557, 'know an': 476249, 'an american': 55281, 'american please': 52135, 'send them': 749966, 'them care': 875523, 'package we': 633452, 'need handsoap': 554954, 'handsoap hand': 376734, 'sanitizer tp': 735969, 'tp basic': 927757, 'hygiene item': 412116, 'item we': 463797, 'we cant': 971092, 'cant find': 162288, 'find here': 306957, 'even begin': 283878, 'begin protect': 123556, 'protect ourselves': 684904, 'ourselves at': 625462, 'basic level': 111968, 'level from': 487564, 'from sosamerica': 337357, 'sosamerica 19': 786198, 'hey world me': 394556, 'world me again': 1009798, 'me again america': 522362, 'again america if': 36881, 'america if you': 51559, 'you know an': 1019482, 'know an american': 476250, 'an american please': 55287, 'american please send': 52136, 'please send them': 660466, 'send them care': 749967, 'them care package': 875524, 'care package we': 164139, 'package we need': 633453, 'we need handsoap': 972493, 'need handsoap hand': 554955, 'handsoap hand sanitizer': 376735, 'hand sanitizer tp': 375632, 'sanitizer tp basic': 735971, 'tp basic hygiene': 927758, 'basic hygiene item': 111940, 'hygiene item we': 412117, 'item we cant': 463800, 'we cant find': 971096, 'cant find here': 162292, 'find here to': 306958, 'here to even': 393708, 'to even begin': 905284, 'even begin protect': 283879, 'begin protect ourselves': 123557, 'protect ourselves at': 684906, 'ourselves at the': 625464, 'most basic level': 542130, 'basic level from': 111970, 'level from sosamerica': 487565, 'from sosamerica 19': 337358, 'sake': 731845, 'are imploring': 87334, 'imploring shopper': 418600, 'follow few': 312379, 'few simple': 304064, 'simple rule': 770088, 'rule for': 727236, 'the sake': 866171, 'sake of': 731864, 'others do': 621362, 'not stop': 571750, 'chat shop': 173953, 'shop alone': 759821, 'alone and': 46810, 'shop once': 760552, 'channel any': 172861, 'any anger': 78927, 'and frustration': 63381, 'frustration elsewhere': 339269, 'store employee are': 807458, 'employee are imploring': 273619, 'are imploring shopper': 87335, 'imploring shopper to': 418601, 'shopper to follow': 761763, 'to follow few': 906048, 'follow few simple': 312380, 'few simple rule': 304065, 'simple rule for': 770089, 'rule for the': 727239, 'for the sake': 326668, 'the sake of': 866172, 'sake of others': 731869, 'of others do': 587388, 'others do not': 621364, 'do not stop': 249857, 'not stop to': 571761, 'stop to chat': 805213, 'to chat shop': 902667, 'chat shop alone': 173954, 'shop alone and': 759822, 'alone and only': 46815, 'and only shop': 68150, 'only shop once': 611118, 'shop once week': 760555, 'once week and': 605788, 'week and channel': 975905, 'and channel any': 59739, 'channel any anger': 172862, 'any anger and': 78928, 'anger and frustration': 76414, 'and frustration elsewhere': 63383, 'cheering': 175141, 'petrolprice': 653851, 'americafirst': 51759, 'see everyone': 745089, 'everyone cheering': 286777, 'cheering for': 175144, 'for low': 323122, 'but where': 147831, 'where are': 984737, 'going petrolprice': 355421, 'petrolprice americafirst': 653852, 'see everyone cheering': 745090, 'everyone cheering for': 286778, 'cheering for low': 175145, 'for low gas': 323127, 'gas price but': 343939, 'price but where': 672993, 'but where are': 147832, 'where are you': 984745, 'are you going': 91797, 'you going petrolprice': 1018881, 'going petrolprice americafirst': 355422, '131': 3307, '882': 23076, 'customer consumer': 222269, 'business service': 144360, 'ha committed': 370208, '19 instead': 7894, 'of coming': 581544, 'to cbs': 902544, 'cbs in': 168371, 'person please': 652582, 'call on': 156021, 'on 131': 599009, '131 882': 3308, '882 or': 23077, 'safety of staff': 730653, 'of staff and': 590015, 'and customer consumer': 60838, 'customer consumer and': 222270, 'and business service': 59301, 'business service ha': 144361, 'service ha committed': 752434, 'ha committed to': 370210, 'committed to social': 189046, 'distancing to help': 247565, 'covid 19 instead': 213278, '19 instead of': 7895, 'instead of coming': 440246, 'of coming to': 581545, 'coming to cbs': 188220, 'to cbs in': 902545, 'cbs in person': 168372, 'in person please': 426639, 'person please call': 652583, 'please call on': 659753, 'call on 131': 156027, 'on 131 882': 599010, '131 882 or': 3309, '882 or go': 23078, 'or go to': 615491, 'go to at': 354277, 'to at this': 900810, 'everyone ha': 286957, 'gone nut': 356341, 'nut for': 577660, 'for bog': 319708, 'roll but': 725223, 'but from': 145778, 'from experience': 335357, 'experience stock': 291490, 'on diy': 600360, 'diy stuff': 248774, 'stuff food': 815066, 'll want': 497094, 'to sort': 914921, 'sort your': 786160, 'your garden': 1024022, 'garden and': 343578, 'and job': 65657, 'house coronacrisis': 406243, 'ok so everyone': 597883, 'so everyone ha': 776975, 'everyone ha gone': 286965, 'ha gone nut': 370729, 'gone nut for': 356342, 'nut for bog': 577661, 'for bog roll': 319709, 'bog roll but': 133948, 'roll but from': 725226, 'but from experience': 145780, 'from experience stock': 335360, 'experience stock up': 291491, 'up on diy': 945544, 'on diy stuff': 600362, 'diy stuff food': 248775, 'stuff food shop': 815067, 'food shop not': 316487, 'shop not going': 760503, 'going to close': 355553, 'to close and': 902857, 'close and you': 182545, 'and you ll': 76031, 'you ll want': 1019676, 'll want to': 497095, 'want to sort': 966123, 'to sort your': 914929, 'sort your garden': 786161, 'your garden and': 1024023, 'garden and job': 343579, 'and job in': 65662, 'job in the': 465882, 'the house coronacrisis': 857602, 'house coronacrisis staysafestayhome': 406244, 'dried': 258743, 'diversify': 248537, 'localbusiness': 498718, 'like restaurant': 491081, 'restaurant quality': 716653, 'quality italian': 691807, 'italian food': 462696, 'food wine': 317635, 'wine delivered': 995803, 'door wine': 255781, 'wine pasta': 995867, 'and dried': 61722, 'dried good': 258750, 'good with': 357965, 'queue we': 694124, 'business looking': 144018, 'to diversify': 904459, 'diversify in': 248540, 'these tricky': 880882, 'you too': 1021881, 'too shoplocal': 925055, 'shoplocal localbusiness': 761224, 'would you like': 1012413, 'you like restaurant': 1019611, 'like restaurant quality': 491082, 'restaurant quality italian': 716654, 'quality italian food': 691808, 'italian food wine': 462698, 'food wine delivered': 317637, 'wine delivered to': 995804, 'your door wine': 1023582, 'door wine pasta': 255782, 'wine pasta and': 995868, 'pasta and dried': 643678, 'and dried good': 61723, 'dried good with': 258751, 'good with no': 357970, 'with no supermarket': 999793, 'no supermarket queue': 565625, 'supermarket queue we': 822138, 'queue we are': 694125, 'are small business': 90184, 'small business looking': 774873, 'business looking to': 144020, 'looking to diversify': 503026, 'to diversify in': 904460, 'diversify in these': 248541, 'in these tricky': 429869, 'these tricky time': 880883, 'tricky time and': 931750, 'and we hope': 75298, 'we hope we': 972039, 'hope we can': 403764, 'can help you': 158673, 'help you too': 391005, 'you too shoplocal': 1021886, 'too shoplocal localbusiness': 925056, 'mobbing': 534921, 'follow that': 312518, 'that truck': 847129, 'truck serious': 932846, 'serious toiletpaper': 751499, 'toiletpaper mobbing': 922244, 'mobbing toiletpaper': 534922, 'follow that truck': 312519, 'that truck serious': 847130, 'truck serious toiletpaper': 932847, 'serious toiletpaper mobbing': 751500, 'toiletpaper mobbing toiletpaper': 922245, 'kohl': 477327, 'retail chain': 717936, 'chain kohl': 170878, 'kohl will': 477336, 'will close': 992941, 'store nationwide': 809029, 'nationwide until': 552770, 'least april': 484392, 'department store and': 237265, 'store and retail': 806330, 'and retail chain': 70427, 'retail chain kohl': 717940, 'chain kohl will': 170879, 'kohl will close': 477337, 'will close all': 992942, 'close all of': 182505, 'of it store': 585447, 'it store nationwide': 461294, 'store nationwide until': 809033, 'nationwide until at': 552771, 'at least april': 99464, 'least april due': 484398, 'restocked on': 716957, 'daily basis': 224504, 'basis sometimes': 112277, 'sometimes more': 785223, 'than once': 840972, 'store are being': 806461, 'being restocked on': 125689, 'restocked on daily': 716958, 'on daily basis': 600206, 'daily basis sometimes': 224511, 'basis sometimes more': 112278, 'sometimes more than': 785224, 'more than once': 540655, 'than once day': 840973, 'excerpt': 289322, 'lasting': 480760, 'consume': 195929, 'small excerpt': 774939, 'excerpt from': 289323, 'from good': 335664, 'good article': 356776, 'article the': 94481, 'triggering massive': 931943, 'massive change': 519981, 'way movie': 969714, 'movie are': 543988, 'are released': 89554, 'released which': 709104, 'have lasting': 381252, 'lasting effect': 480763, 'people consume': 647532, 'consume hollywood': 195936, 'hollywood entertainment': 400452, 'small excerpt from': 774940, 'excerpt from good': 289324, 'from good article': 335665, 'good article the': 356782, 'article the coronavirus': 94482, 'coronavirus is triggering': 206179, 'is triggering massive': 453358, 'triggering massive change': 931944, 'massive change in': 519982, 'change in the': 172138, 'the way movie': 871167, 'way movie are': 969715, 'movie are released': 543989, 'are released which': 89556, 'released which could': 709105, 'which could have': 985777, 'could have lasting': 209258, 'have lasting effect': 381253, 'lasting effect on': 480765, 'effect on how': 269088, 'on how people': 601417, 'how people consume': 408498, 'people consume hollywood': 647533, 'consume hollywood entertainment': 195937, 'dug': 262053, 'channelsight': 172969, 'analyse': 56998, 'we dug': 971425, 'dug into': 262054, 'own data': 631936, 'data here': 226265, 'at channelsight': 98228, 'channelsight to': 172970, 'to analyse': 900477, 'analyse consumer': 57001, 'behaviour before': 124372, 'before during': 122751, 'lockdown were': 500124, 'were introduced': 979801, 'introduced in': 443426, 'in number': 425994, 'market read': 516951, 'our blog': 622222, 'blog here': 132944, 'we dug into': 971426, 'dug into our': 262055, 'into our own': 442825, 'our own data': 624201, 'own data here': 631937, 'data here at': 226266, 'here at channelsight': 392780, 'at channelsight to': 98229, 'channelsight to analyse': 172971, 'to analyse consumer': 900478, 'analyse consumer behaviour': 57002, 'consumer behaviour before': 196554, 'behaviour before during': 124373, 'before during and': 122752, 'during and after': 262450, 'and after the': 57757, 'after the lockdown': 36332, 'the lockdown were': 859638, 'lockdown were introduced': 500125, 'were introduced in': 979802, 'introduced in number': 443427, 'in number of': 425995, 'number of market': 576958, 'of market read': 586237, 'market read more': 516953, 'read more on': 700448, 'more on our': 539929, 'on our blog': 602578, 'our blog here': 622226, 'institute of': 440423, 'of chemical': 581317, 'chemical technology': 175386, 'technology is': 836318, 'introduce sanitizer': 443394, 'tunnel with': 935481, 'low cost': 505209, 'cost estimate': 207926, 'estimate at': 282232, 'at crowded': 98373, 'crowded place': 219333, 'avoid infection': 105160, 'institute of chemical': 440424, 'of chemical technology': 581321, 'chemical technology is': 175387, 'technology is ready': 836321, 'ready to introduce': 700962, 'to introduce sanitizer': 908472, 'introduce sanitizer tunnel': 443395, 'sanitizer tunnel with': 735980, 'tunnel with low': 935482, 'with low cost': 999330, 'low cost estimate': 505210, 'cost estimate at': 207927, 'estimate at crowded': 282233, 'at crowded place': 98375, 'crowded place to': 219339, 'place to avoid': 657746, 'to avoid infection': 900911, 'cruel': 219661, 'jill': 465481, 'realizes': 701925, 'jcpenney': 464919, 'how cruel': 407650, 'cruel of': 219673, 'not close': 568772, 'week two': 977134, 'two you': 937414, 'worst retail': 1011256, 'reason all': 702863, 'closing jill': 183676, 'jill is': 465482, 'is horrible': 448545, 'horrible person': 404115, 'person hope': 652465, 'she realizes': 756284, 'realizes what': 701926, 'she did': 755983, 'did hope': 240647, 'hope jcpenney': 403523, 'jcpenney get': 464920, 'get slammed': 348014, 'slammed and': 773495, 'and criticized': 60762, 'criticized by': 218775, 'by everyone': 152507, 'everyone now': 287217, 'how cruel of': 407651, 'cruel of you': 219674, 'of you to': 593427, 'you to not': 1021813, 'to not close': 910686, 'not close for': 568774, 'close for week': 182645, 'for week two': 327758, 'week two you': 977136, 'two you are': 937415, 'the worst retail': 872072, 'worst retail store': 1011257, 'the world this': 871988, 'world this is': 1010066, 'the reason all': 865267, 'reason all store': 702864, 'all store are': 44488, 'store are closing': 806465, 'are closing jill': 85394, 'closing jill is': 183677, 'jill is horrible': 465483, 'is horrible person': 448547, 'horrible person hope': 404116, 'person hope she': 652466, 'hope she realizes': 403621, 'she realizes what': 756285, 'realizes what she': 701927, 'what she did': 982161, 'she did hope': 755984, 'did hope jcpenney': 240648, 'hope jcpenney get': 403524, 'jcpenney get slammed': 464922, 'get slammed and': 348015, 'slammed and criticized': 773496, 'and criticized by': 60763, 'criticized by everyone': 218776, 'by everyone now': 152510, 'impressed': 419441, 'impressed supermarket': 419450, 'have introduced': 381113, 'introduced special': 443449, 'special time': 788078, 'people etc': 647818, 'etc but': 282445, 'but seriously': 147012, 'seriously there': 751753, 'shopping available': 762124, 'are meant': 88055, 'be isolating': 115553, 'impressed supermarket have': 419451, 'supermarket have introduced': 820691, 'have introduced special': 381118, 'introduced special time': 443450, 'special time for': 788079, 'time for the': 896763, 'for the older': 326596, 'the older people': 862154, 'older people etc': 598646, 'people etc but': 647820, 'etc but seriously': 282449, 'but seriously there': 147015, 'seriously there need': 751754, 'be more online': 115986, 'online shopping available': 609040, 'shopping available for': 762125, 'available for those': 104386, 'who are meant': 988174, 'are meant to': 88056, 'to be isolating': 901346, 'our hand': 623343, 'new supply': 559701, 'our volunteer': 625285, 'client safe': 182087, 'safe on': 729848, 'bank frontline': 109855, 'frontline if': 338764, 'stocked please': 803370, 'donating some': 254497, 'some to': 784075, 'you help we': 1019207, 'help we re': 390867, 'get our hand': 347726, 'our hand on': 623349, 'hand on new': 375137, 'on new supply': 602384, 'new supply of': 559702, 'supply of sanitizer': 825645, 'sanitizer to keep': 735931, 'keep our volunteer': 471758, 'our volunteer and': 625286, 'volunteer and client': 960212, 'and client safe': 59989, 'client safe on': 182090, 'safe on the': 729849, 'food bank frontline': 313576, 'bank frontline if': 109856, 'frontline if you': 338765, 're well stocked': 699803, 'well stocked please': 978602, 'stocked please consider': 803371, 'consider donating some': 194986, 'donating some to': 254500, 'love that': 504794, 'that included': 844470, 'included this': 431706, 'this quote': 889792, 'quote in': 694995, 'their coverage': 872913, 'affecting banking': 34489, 'banking share': 110455, 'thanks bank': 842024, 'need health': 554966, 'health policy': 386745, 'policy solution': 663496, 'solution not': 782059, 'not interest': 570157, 'rate cut': 697190, 'really love that': 702396, 'love that included': 504796, 'that included this': 844471, 'included this quote': 431708, 'this quote in': 889795, 'quote in their': 694996, 'in their coverage': 429731, 'their coverage of': 872914, 'coverage of how': 212368, 'of how is': 584829, 'how is affecting': 408080, 'is affecting banking': 445380, 'affecting banking share': 34490, 'banking share price': 110456, 'share price thanks': 755184, 'price thanks bank': 676787, 'thanks bank need': 842025, 'bank need health': 110024, 'need health policy': 554967, 'health policy solution': 386747, 'policy solution not': 663497, 'solution not interest': 782060, 'not interest rate': 570158, 'interest rate cut': 441390, 'bank will': 110311, 'will benefit': 992817, 'to by': 902357, 'by 250': 151613, '250 from': 16016, 'from special': 337371, 'special fighting': 787920, 'fighting fund': 305086, 'fund match': 341461, 'match fund': 520291, 'fund regular': 341487, 'regular donation': 707768, 'bank which': 110296, 'seen 40': 746913, '40 increase': 18583, 'demand can': 235100, 'this crucial': 887129, 'crucial work': 219487, 'food bank will': 313673, 'bank will benefit': 110314, 'will benefit to': 992825, 'benefit to by': 127112, 'to by 250': 902358, 'by 250 from': 151614, '250 from special': 16017, 'from special fighting': 337372, 'special fighting fund': 787921, 'fighting fund match': 305087, 'fund match fund': 341462, 'match fund regular': 520292, 'fund regular donation': 341488, 'regular donation to': 707769, 'donation to the': 254717, 'the bank which': 849257, 'bank which ha': 110297, 'which ha seen': 985896, 'ha seen 40': 371819, 'seen 40 increase': 746914, '40 increase in': 18584, 'in demand can': 422113, 'demand can you': 235102, 'you help support': 1019200, 'help support to': 390620, 'support to this': 826955, 'to this crucial': 917418, 'this crucial work': 887131, 'bowl': 136968, 'begging': 123480, 'wanker': 965600, 'those local': 892172, 'shop charging': 760029, 'charging 10': 173438, 'roll 99': 725158, 'for basic': 319582, 'essential remember': 281451, 'this won': 891484, 'won last': 1003856, 'forever and': 329093, 'need customer': 554655, 'customer soon': 222866, 'soon to': 785861, 'going don': 355108, 'don come': 253434, 'come bowl': 187248, 'bowl in': 136972, 'in hand': 423523, 'hand begging': 374836, 'begging when': 123494, 'go under': 354408, 'under wanker': 940373, 'those local shop': 892173, 'local shop charging': 498396, 'shop charging 10': 760030, 'charging 10 for': 173439, '10 for toilet': 1439, 'for toilet roll': 327249, 'toilet roll 99': 921547, 'roll 99 for': 725159, '99 for hand': 23824, 'for hand sanitiser': 322106, 'sanitiser and over': 733917, 'and over inflated': 68560, 'inflated price for': 437043, 'price for basic': 673931, 'for basic essential': 319583, 'basic essential remember': 111873, 'essential remember this': 281452, 'remember this won': 710357, 'this won last': 891485, 'won last forever': 1003857, 'last forever and': 480236, 'forever and you': 329098, 'll need customer': 496908, 'need customer soon': 554656, 'customer soon to': 222867, 'soon to keep': 785866, 'keep you going': 472238, 'you going don': 1018879, 'going don come': 355109, 'don come bowl': 253435, 'come bowl in': 187249, 'bowl in hand': 136973, 'in hand begging': 423525, 'hand begging when': 374837, 'begging when you': 123495, 'you go under': 1018869, 'go under wanker': 354410, 'preference': 669770, 'rewarded': 720804, 'chinamarketing': 177125, 'theskinny': 881025, 'the capacity': 850354, 'in growing': 423462, 'growing their': 367242, 'their awareness': 872535, 'awareness and': 105684, 'and preference': 69349, 'preference in': 669786, 'be rewarded': 116878, 'rewarded with': 720811, 'strength of': 813227, 'market chinamarketing': 516167, 'chinamarketing theskinny': 177128, 'that have the': 844239, 'have the capacity': 382966, 'the capacity to': 850358, 'capacity to invest': 162589, 'invest in growing': 443756, 'in growing their': 423463, 'growing their awareness': 367243, 'their awareness and': 872536, 'awareness and preference': 105686, 'and preference in': 69351, 'preference in china': 669787, 'china are likely': 176501, 'to be rewarded': 901509, 'be rewarded with': 116880, 'rewarded with the': 720812, 'with the strength': 1001502, 'the strength of': 868264, 'strength of the': 813231, 'the chinese consumer': 850849, 'chinese consumer market': 177229, 'consumer market chinamarketing': 198098, 'market chinamarketing theskinny': 516168, 'worldhealthday': 1010238, 'fetterhealth': 303632, 'this opportunity': 889277, 'opportunity on': 613664, 'on worldhealthday': 605380, 'worldhealthday to': 1010249, 'remind you': 710515, 'use good': 949239, 'hygiene especially': 412085, 'especially right': 280585, 'hand thoroughly': 375849, 'thoroughly and': 891753, 'and often': 68006, 'sanitizer healthcare': 735070, 'healthcare fetterhealth': 387109, 'want to take': 966140, 'take this opportunity': 832711, 'this opportunity on': 889278, 'opportunity on worldhealthday': 613666, 'on worldhealthday to': 605381, 'worldhealthday to remind': 1010250, 'to remind you': 913206, 'remind you to': 710518, 'you to use': 1021853, 'to use good': 918031, 'use good hygiene': 949240, 'good hygiene especially': 357198, 'hygiene especially right': 412086, 'especially right now': 280586, 'right now in': 722084, 'now in the': 575015, 'coronavirus pandemic it': 206469, 'pandemic it important': 635822, 'important to wash': 419077, 'your hand thoroughly': 1024231, 'hand thoroughly and': 375850, 'thoroughly and often': 891755, 'and often or': 68011, 'often or use': 596249, 'hand sanitizer healthcare': 375439, 'sanitizer healthcare fetterhealth': 735071, 'rattled': 697892, 'ha rattled': 371631, 'rattled bank': 697893, 'bank industry': 109938, 'and economy': 61920, 'economy around': 267674, 'world answer': 1009297, 'answer the': 78109, 'the burning': 850134, 'money investor': 536840, 'investor money': 444183, 'the ha rattled': 857012, 'ha rattled bank': 371632, 'rattled bank industry': 697894, 'bank industry and': 109939, 'industry and economy': 435634, 'and economy around': 61922, 'economy around the': 267675, 'the world answer': 871813, 'world answer the': 1009299, 'answer the burning': 78110, 'the burning question': 850135, 'burning question about': 142926, 'question about what': 693509, 'about what it': 26889, 'for your money': 328177, 'your money investor': 1024862, 'money investor money': 536841, 'ngisho': 561829, 'wena': 978915, 'depreciation': 237563, 'rand': 696567, 'life after': 488443, 'in sa': 427600, 'sa economy': 728886, 'actual horror': 30672, 'horror movie': 404201, 'movie ngisho': 544030, 'ngisho wena': 561830, 'wena higher': 978920, 'higher unemployment': 395779, 'rate wena': 697409, 'higher job': 395623, 'loss wena': 503800, 'wena junk': 978925, 'junk status': 468050, 'status wena': 796707, 'wena education': 978916, 'education system': 268869, 'system crisis': 831143, 'crisis wena': 218369, 'higher tax': 395742, 'tax wena': 835119, 'and wena': 75425, 'wena further': 978918, 'further depreciation': 342029, 'depreciation of': 237566, 'the rand': 865134, 'rand it': 696572, 'it mess': 459607, 'life after covid': 488444, '19 in sa': 7781, 'in sa economy': 427603, 'sa economy will': 728887, 'economy will be': 268356, 'be the actual': 117592, 'the actual horror': 848323, 'actual horror movie': 30673, 'horror movie ngisho': 404202, 'movie ngisho wena': 544031, 'ngisho wena higher': 561831, 'wena higher unemployment': 978924, 'higher unemployment rate': 395781, 'unemployment rate wena': 941280, 'rate wena higher': 697410, 'wena higher job': 978921, 'higher job loss': 395624, 'job loss wena': 465986, 'loss wena junk': 503801, 'wena junk status': 978926, 'junk status wena': 468052, 'status wena education': 796708, 'wena education system': 978917, 'education system crisis': 268870, 'system crisis wena': 831144, 'crisis wena higher': 218370, 'wena higher tax': 978923, 'higher tax wena': 395746, 'tax wena higher': 835120, 'wena higher price': 978922, 'higher price and': 395663, 'price and wena': 672579, 'and wena further': 75426, 'wena further depreciation': 978919, 'further depreciation of': 342030, 'depreciation of the': 237567, 'of the rand': 591386, 'the rand it': 865135, 'rand it mess': 696574, 'surrounding and': 828726, 'quarantine that': 692605, 'that seems': 846170, 'be spreading': 117334, 'globe thought': 352483, 'wa only': 962849, 'only fitting': 610443, 'fitting slash': 309563, 'slash price': 773584, 'our digital': 622750, 'digital product': 242627, 'there lot': 878734, 'of the fear': 591015, 'the fear surrounding': 855038, 'fear surrounding and': 301347, 'surrounding and the': 828727, 'and the quarantine': 73536, 'the quarantine that': 864978, 'quarantine that seems': 692606, 'that seems to': 846173, 'to be spreading': 901559, 'be spreading around': 117336, 'spreading around the': 790931, 'around the globe': 93540, 'the globe thought': 856364, 'globe thought it': 352484, 'thought it wa': 893107, 'it wa only': 462165, 'wa only fitting': 962855, 'only fitting slash': 610444, 'fitting slash price': 309564, 'slash price on': 773587, 'price on our': 675704, 'on our digital': 602590, 'our digital product': 622754, 'digital product for': 242628, 'product for you': 681209, 'for you there': 328092, 'you there lot': 1021632, 'there lot of': 878735, 'slowed': 774480, 'lira': 494226, 'turkey inflation': 935553, 'inflation slowed': 437243, 'slowed for': 774495, 'five month': 309643, 'month in': 537785, 'march lower': 515407, 'and dip': 61367, 'in economic': 422478, 'economic activity': 266953, 'activity amid': 30368, 'pandemic more': 635974, 'than offset': 840964, 'offset upward': 596121, 'upward pressure': 947957, 'pressure from': 671160, 'the lira': 859462, 'lira depreciation': 494227, 'depreciation report': 237568, 'turkey inflation slowed': 935554, 'inflation slowed for': 437244, 'slowed for the': 774496, 'time in five': 896988, 'in five month': 422919, 'five month in': 309644, 'month in march': 537794, 'in march lower': 425109, 'march lower oil': 515408, 'price and dip': 672395, 'and dip in': 61368, 'dip in economic': 243189, 'in economic activity': 422479, 'economic activity amid': 266954, 'activity amid the': 30369, 'the pandemic more': 863026, 'pandemic more than': 635980, 'more than offset': 540654, 'than offset upward': 840966, 'offset upward pressure': 596122, 'upward pressure from': 947958, 'pressure from the': 671165, 'from the lira': 337775, 'the lira depreciation': 859463, 'lira depreciation report': 494228, 'difference during': 241832, 'are some way': 90294, 'some way you': 784191, 'can make difference': 158928, 'make difference during': 509830, 'difference during the': 241833, 'pandemic via fda': 636897, '20mbs': 14911, 'kot can': 477561, 'also entertain': 48167, 'entertain at': 278504, 'at affordable': 97845, 'affordable price': 34867, 'price 20mbs': 672128, '20mbs the': 14912, 'is needed': 449858, 'by health': 152778, 'hospital priority': 404573, 'priority lockdown': 678604, 'kot can also': 477562, 'can also entertain': 157457, 'also entertain at': 48168, 'entertain at affordable': 278505, 'at affordable price': 97846, 'affordable price 20mbs': 34869, 'price 20mbs the': 672129, '20mbs the money': 14913, 'the money is': 860815, 'money is needed': 536846, 'is needed by': 449860, 'needed by health': 556323, 'by health care': 152780, 'care worker and': 164276, 'worker and hospital': 1006305, 'and hospital priority': 64748, 'hospital priority lockdown': 404574, 'notoviptesting': 573613, 'freemasstestingnowph': 332483, 'poverty rate': 667512, 'rate no': 697304, 'no salary': 565392, 'salary increase': 731977, 'increase increase': 432882, 'increase of': 432929, 'is domino': 447300, 'domino effect': 253303, 'effect it': 269023, 'it might': 459610, 'be ideal': 115342, 'ideal to': 413279, 'to conduct': 903186, 'conduct free': 193642, 'free mass': 331965, 'mass testing': 519878, 'testing it': 839525, 'be efficient': 114655, 'efficient an': 269413, 'an opinion': 56663, 'opinion regarding': 613496, 'regarding house': 707223, 'of representative': 588947, 'representative special': 712913, 'special session': 788053, '19 notoviptesting': 8843, 'notoviptesting freemasstestingnowph': 573614, 'poverty rate no': 667513, 'rate no salary': 697307, 'no salary increase': 565394, 'salary increase increase': 731978, 'increase increase of': 432883, 'increase of price': 432942, 'of price it': 588410, 'it is domino': 458937, 'is domino effect': 447301, 'domino effect it': 253304, 'effect it might': 269024, 'it might be': 459611, 'might be ideal': 530903, 'be ideal to': 115344, 'ideal to conduct': 413280, 'to conduct free': 903187, 'conduct free mass': 193643, 'free mass testing': 331966, 'mass testing it': 519882, 'testing it must': 839526, 'must be efficient': 546502, 'be efficient an': 114656, 'efficient an opinion': 269414, 'an opinion regarding': 56664, 'opinion regarding house': 613497, 'regarding house of': 707224, 'house of representative': 406426, 'of representative special': 588950, 'representative special session': 712914, 'special session on': 788054, 'session on covid': 753297, 'covid 19 notoviptesting': 213488, '19 notoviptesting freemasstestingnowph': 8844, 'terrifying': 838520, 'floating': 310660, 'terrifying video': 838546, 'one cough': 606108, 'spread cloud': 790472, 'cloud of': 184309, 'of across': 579748, 'that lingers': 844891, 'lingers for': 493718, 'for min': 323443, 'min extremely': 532535, 'extremely small': 293924, 'small particle': 775057, 'particle of': 642588, 'this size': 890200, 'size don': 772773, 'don sink': 253912, 'sink on': 771480, 'floor but': 310780, 'but instead': 146062, 'instead move': 440224, 'move along': 543602, 'along in': 47005, 'air current': 39711, 'current or': 221278, 'or remain': 616843, 'remain floating': 709744, 'floating in': 310665, 'in same': 427674, 'same space': 733298, 'terrifying video show': 838547, 'show how one': 766987, 'how one cough': 408432, 'one cough can': 606109, 'can spread cloud': 159702, 'spread cloud of': 790473, 'cloud of across': 184310, 'of across supermarket': 579749, 'across supermarket that': 29472, 'supermarket that lingers': 823189, 'that lingers for': 844892, 'lingers for min': 493719, 'for min extremely': 323444, 'min extremely small': 532536, 'extremely small particle': 293926, 'small particle of': 775058, 'particle of this': 642589, 'of this size': 592039, 'this size don': 890201, 'size don sink': 772774, 'don sink on': 253913, 'sink on the': 771482, 'the floor but': 855420, 'floor but instead': 310781, 'but instead move': 146067, 'instead move along': 440225, 'move along in': 543603, 'along in the': 47006, 'the air current': 848483, 'air current or': 39712, 'current or remain': 221280, 'or remain floating': 616844, 'remain floating in': 709745, 'floating in same': 310666, 'in same space': 427678, 'all anyone': 42029, 'is talking': 452569, 'about at': 24833, 'moment but': 535885, '19 affecting': 4845, 'consumer finance': 197471, 'finance full': 306200, 'full post': 340815, 'it all anyone': 456335, 'all anyone is': 42030, 'anyone is talking': 80393, 'is talking about': 452570, 'talking about at': 833956, 'about at the': 24836, 'the moment but': 860743, 'moment but how': 535887, 'but how is': 145971, 'how is covid': 408087, 'covid 19 affecting': 212591, '19 affecting consumer': 4846, 'affecting consumer finance': 34503, 'consumer finance full': 197477, 'finance full post': 306201, 'remaining': 709951, 'maintaining': 509092, 'all help': 43090, 'to flatten': 905998, 'curve by': 221839, 'by remaining': 153757, 'remaining indoors': 709969, 'indoors and': 435373, 'and limiting': 66188, 'limiting contact': 492805, 'with others': 999966, 'others regularly': 621615, 'regularly washing': 707973, 'washing our': 967702, 'and maintaining': 66530, 'maintaining good': 509108, 'good personal': 357552, 'personal hygiene': 652870, 'hygiene standard': 412168, 'standard here': 793669, 'here step': 393602, 'together we can': 921026, 'we can all': 970904, 'can all help': 157426, 'all help to': 43093, 'help to flatten': 390774, 'to flatten the': 906000, 'the curve by': 852688, 'curve by remaining': 221841, 'by remaining indoors': 153758, 'remaining indoors and': 709970, 'indoors and limiting': 435380, 'and limiting contact': 66189, 'limiting contact with': 492806, 'contact with others': 200281, 'with others regularly': 999972, 'others regularly washing': 621616, 'regularly washing our': 707974, 'washing our hand': 967703, 'our hand and': 623344, 'hand and maintaining': 374765, 'and maintaining good': 66531, 'maintaining good personal': 509109, 'good personal hygiene': 357553, 'personal hygiene standard': 652878, 'hygiene standard here': 412169, 'standard here step': 793670, 'here step to': 393604, 'step to stop': 799669, 'least it': 484522, 'not war': 572451, 'at least it': 99511, 'least it not': 484525, 'it not war': 459934, 'pistachio': 656984, 'retailworkers': 719593, 'weneedrationing': 978935, 'all he': 43069, 'he wanted': 385642, 'wanted wa': 966287, 'chicken just': 175808, 'just wish': 470311, 'wish could': 996747, 'given it': 351029, 'to him': 907768, 'him heartbreaking': 396621, 'heartbreaking meanwhile': 388385, 'meanwhile guy': 524976, 'guy wa': 369193, 'buy can': 148463, 'can of': 159079, 'of soup': 589936, 'soup and': 786367, 'and another': 58160, 'another trying': 77921, 'buy bag': 148396, 'of pistachio': 588128, 'pistachio retail': 656985, 'retail retailworkers': 718492, 'retailworkers stophoarding': 719598, 'stophoarding weneedrationing': 805515, 'have food all': 380647, 'food all he': 313085, 'all he wanted': 43070, 'he wanted wa': 385644, 'wanted wa some': 966288, 'wa some chicken': 963275, 'some chicken just': 782524, 'chicken just wish': 175809, 'just wish could': 470312, 'wish could have': 996749, 'could have given': 209254, 'have given it': 380770, 'given it to': 351034, 'it to him': 461725, 'to him heartbreaking': 907772, 'him heartbreaking meanwhile': 396622, 'heartbreaking meanwhile guy': 388386, 'meanwhile guy wa': 524977, 'guy wa trying': 369200, 'trying to buy': 934774, 'to buy can': 902198, 'buy can of': 148464, 'can of soup': 159093, 'of soup and': 589937, 'soup and another': 786368, 'and another trying': 58167, 'another trying to': 77922, 'to buy bag': 902186, 'buy bag of': 148397, 'bag of pistachio': 108361, 'of pistachio retail': 588129, 'pistachio retail retailworkers': 656986, 'retail retailworkers stophoarding': 718494, 'retailworkers stophoarding weneedrationing': 719599, 'austin': 103170, '46m': 19247, 'being publicly': 125598, 'publicly owned': 688593, 'owned mean': 632345, 'mean making': 524544, 'community today': 190181, 'today austin': 919294, 'austin city': 103177, 'city council': 179111, 'council approved': 209963, 'approved utility': 83210, 'utility relief': 951307, 'relief package': 709418, 'package that': 633414, 'will provide': 994503, 'provide 46m': 686205, 'being publicly owned': 125599, 'publicly owned mean': 688594, 'owned mean making': 632346, 'mean making sure': 524545, 'making sure we': 511393, 'sure we take': 827811, 'we take care': 973479, 'of the customer': 590922, 'the customer in': 852724, 'customer in our': 222501, 'our community today': 622487, 'community today austin': 190182, 'today austin city': 919295, 'austin city council': 103178, 'city council approved': 179113, 'council approved utility': 209964, 'approved utility relief': 83211, 'utility relief package': 951308, 'relief package that': 709426, 'package that will': 633417, 'that will provide': 847599, 'will provide 46m': 994506, 'closed across': 182955, 'country from': 210674, 'partner michael': 642853, 'michael brown': 530221, 'brown we': 141262, 'uncharted territory': 939795, 'territory the': 838580, 'initial two': 438558, 'week period': 976743, 'closing is': 183667, 'the minimum': 860646, 'minimum we': 533252, 'can expect': 158275, 'to measure taken': 909983, 'measure taken to': 525356, 'taken to stop': 833106, 'spread of retail': 790702, 'retail store have': 718641, 'store have closed': 808073, 'have closed across': 379991, 'closed across the': 182956, 'the country from': 852084, 'country from our': 210676, 'our partner michael': 624280, 'partner michael brown': 642854, 'michael brown we': 530222, 'brown we are': 141263, 'in uncharted territory': 430411, 'uncharted territory the': 939799, 'territory the initial': 838582, 'the initial two': 858282, 'initial two week': 438559, 'two week period': 937352, 'week period of': 976744, 'period of store': 651854, 'of store closing': 590246, 'store closing is': 807074, 'closing is the': 183668, 'is the minimum': 452864, 'the minimum we': 860651, 'minimum we can': 533253, 'we can expect': 970945, 'airborne': 39830, 'jose please': 467319, 'help publix': 390386, 'in florida': 422934, 'florida hotline': 310949, 'hotline said': 405259, 'said publix': 731322, 'publix doesn': 688754, 'doesn allow': 251692, 'allow cashier': 45920, 'cashier to': 166639, 'we follow': 971578, 'follow guideline': 312398, 'guideline help': 368434, 'help covid': 389547, 'is airborne': 445433, 'airborne they': 39854, 'must change': 546577, 'change now': 172188, 'now protect': 575605, 'protect cashier': 684795, 'cashier with': 166668, 'jose please help': 467320, 'please help publix': 660077, 'help publix grocery': 390387, 'store in florida': 808302, 'in florida hotline': 422940, 'florida hotline said': 310950, 'hotline said publix': 405260, 'said publix doesn': 731324, 'publix doesn allow': 688755, 'doesn allow cashier': 251693, 'allow cashier to': 45921, 'cashier to wear': 166641, 'wear glove or': 974344, 'or mask we': 616074, 'mask we follow': 519510, 'we follow guideline': 971581, 'follow guideline help': 312399, 'guideline help covid': 368435, 'help covid 19': 389548, 'pandemic is airborne': 635755, 'is airborne they': 445435, 'airborne they must': 39855, 'they must change': 882701, 'must change now': 546580, 'change now protect': 172190, 'now protect cashier': 575606, 'protect cashier with': 684796, 'cashier with mask': 166670, 'itr': 463898, 'alan': 40655, 'beaulieu': 118646, 'edition': 268603, 'biweekly': 131921, 'market causing': 516159, 'causing concern': 168009, 'business join': 143970, 'join itr': 466758, 'itr president': 463899, 'president alan': 670749, 'alan beaulieu': 40656, 'beaulieu this': 118647, 'next edition': 561350, 'edition of': 268625, 'our biweekly': 622216, 'biweekly black': 131922, 'swan webinar': 829968, 'webinar series': 975096, 'oil price or': 597211, 'price or the': 675794, 'or the stock': 617398, 'stock market causing': 802382, 'market causing concern': 516160, 'causing concern for': 168011, 'concern for your': 192979, 'your business join': 1023064, 'business join itr': 143972, 'join itr president': 466759, 'itr president alan': 463900, 'president alan beaulieu': 670750, 'alan beaulieu this': 40657, 'beaulieu this friday': 118648, 'friday for the': 333225, 'the next edition': 861663, 'next edition of': 561351, 'edition of our': 268632, 'of our biweekly': 587427, 'our biweekly black': 622217, 'biweekly black swan': 131923, 'black swan webinar': 132138, 'swan webinar series': 829969, 'placed': 657867, 'the order': 862446, 'order are': 618052, 'are placed': 89095, 'placed over': 657912, 'phone or': 654986, 'their facebook': 873228, 'facebook page': 294983, 're able': 698167, 'sustain those': 829750, 'those cost': 891890, 'cost because': 207878, 'of help': 584540, 'from community': 334929, 'community donation': 189822, 'she said the': 756314, 'said the order': 731446, 'the order are': 862448, 'order are placed': 618054, 'are placed over': 89096, 'placed over the': 657913, 'over the phone': 630751, 'the phone or': 863696, 'phone or via': 654989, 'or via their': 617667, 'via their facebook': 956316, 'their facebook page': 873229, 'facebook page for': 294984, 'page for low': 633848, 'for low price': 323130, 'low price they': 505542, 'they re able': 882985, 're able to': 698169, 'able to sustain': 24556, 'to sustain those': 916078, 'sustain those cost': 829751, 'those cost because': 891891, 'cost because of': 207879, 'because of help': 119349, 'of help from': 584543, 'help from community': 389767, 'from community donation': 334930, 'christian we': 178130, 'opportunity right': 613675, 'practice two': 668696, 'two of': 937080, 'our value': 625252, 'and command': 60124, 'week you': 977294, 'can love': 158910, 'and obey': 67920, 'obey authority': 578379, 'authority by': 103698, 'by staying': 154109, 'owe it': 631820, 'to doctor': 904600, 'employee restaurant': 274148, 'christian we have': 178131, 'we have an': 971756, 'have an opportunity': 379268, 'an opportunity right': 56673, 'opportunity right now': 613676, 'now to practice': 576176, 'to practice two': 911966, 'practice two of': 668697, 'two of our': 937090, 'of our value': 587585, 'our value and': 625253, 'value and command': 952086, 'and command this': 60125, 'command this week': 188329, 'this week you': 891302, 'week you can': 977296, 'you can love': 1017721, 'can love your': 158912, 'neighbor and obey': 556978, 'and obey authority': 67921, 'obey authority by': 578380, 'authority by staying': 103699, 'by staying home': 154112, 'staying home we': 798628, 'home we owe': 402457, 'we owe it': 972681, 'owe it to': 631821, 'it to doctor': 461710, 'to doctor nurse': 904606, 'doctor nurse grocery': 251017, 'nurse grocery store': 577346, 'store employee restaurant': 807527, 'employee restaurant worker': 274151, 'restaurant worker and': 716813, 'worker and so': 1006335, 'and so many': 71846, 'so many more': 777677, 'to everybody': 905318, 'everybody working': 286509, 'pandemic thanks': 636643, 'and everybody': 62386, 'you to everybody': 1021772, 'to everybody working': 905323, 'everybody working on': 286510, 'working on the': 1008825, 'front line to': 338614, 'line to battle': 493479, 'battle the covid': 112825, '19 pandemic thanks': 9493, 'pandemic thanks to': 636645, 'thanks to hospital': 842235, 'employee emergency service': 273814, 'service and everybody': 752084, 'and everybody who': 62389, 'everybody who is': 286507, 'jennifer': 465090, 'chudy': 178299, 'portage': 664935, 'it wonderful': 462495, 'wonderful thing': 1004128, 'any way': 80034, 'can so': 159654, 'so happy': 777239, 'happy we': 377724, 'way said': 969851, 'said jennifer': 731176, 'jennifer chudy': 465093, 'chudy portage': 178300, 'portage store': 664936, 'store team': 810512, 'team leader': 835719, 'it wonderful thing': 462496, 'wonderful thing to': 1004130, 'thing to be': 884877, 'able to help': 24491, 'help people in': 390298, 'people in any': 648347, 'in any way': 420441, 'any way we': 80040, 'way we can': 970169, 'we can so': 971013, 'can so happy': 159656, 'so happy we': 777247, 'happy we can': 377726, 'can help in': 158626, 'help in this': 389912, 'in this way': 430043, 'this way said': 891136, 'way said jennifer': 969852, 'said jennifer chudy': 731177, 'jennifer chudy portage': 465094, 'chudy portage store': 178301, 'portage store team': 664937, 'store team leader': 810514, 'in disturbing': 422321, 'disturbing time': 248423, 'supermarket in disturbing': 820891, 'in disturbing time': 422324, 'disturbing time with': 248424, 'mineral': 532969, 'irreversible': 445103, 'texas potential': 839806, '10 each': 1409, 'each mineral': 264119, 'mineral level': 532970, 'level cut': 487545, 'cut if': 223368, 'if deal': 414030, 'deal go': 229412, 'through maybe': 894572, 'maybe price': 521779, 'my opinion': 549600, 'opinion it': 613472, 'doesn really': 251919, 'really matter': 702407, 'matter the': 520629, 'the damage': 852803, 'to shale': 914326, 'shale is': 754501, 'already done': 47301, 'and irreversible': 65382, 'texas potential for': 839807, 'potential for 10': 667070, 'for 10 each': 318612, '10 each mineral': 1410, 'each mineral level': 264120, 'mineral level cut': 532971, 'level cut if': 487546, 'cut if deal': 223369, 'if deal go': 414031, 'deal go through': 229413, 'go through maybe': 354249, 'through maybe price': 894573, 'maybe price will': 521780, 'price will go': 677567, 'will go up': 993563, 'go up but': 354423, 'up but in': 944523, 'in my opinion': 425608, 'my opinion it': 549603, 'opinion it doesn': 613473, 'it doesn really': 457639, 'doesn really matter': 251921, 'really matter the': 702408, 'matter the damage': 520630, 'the damage to': 852808, 'damage to shale': 225241, 'to shale is': 914328, 'shale is already': 754502, 'is already done': 445517, 'already done and': 47302, 'done and irreversible': 254774, 'walmart the': 965431, 'on response': 603166, 'response starting': 715793, 'starting march': 794970, 'march 15': 515073, '15 walmart': 3860, 'walmart store': 965415, 'and neighborhood': 67508, 'neighborhood market': 557136, 'open from': 612269, 'to 11': 899449, '11 until': 2606, 'notice online': 573327, 'shopping remains': 763738, 'remains open': 710039, 'walmart the latest': 965432, 'latest on response': 481477, 'on response starting': 603167, 'response starting march': 715794, 'starting march 15': 794971, 'march 15 walmart': 515077, '15 walmart store': 3861, 'walmart store and': 965416, 'store and neighborhood': 806304, 'and neighborhood market': 67509, 'neighborhood market will': 557137, 'will be open': 992591, 'be open from': 116244, 'open from to': 612272, 'from to 11': 338052, 'to 11 until': 899451, '11 until further': 2607, 'further notice online': 342110, 'notice online shopping': 573328, 'online shopping remains': 609246, 'shopping remains open': 763739, 'appealed': 82087, 'minister the': 533469, 'most hon': 542382, 'hon dr': 403035, 'minnis appealed': 533625, 'appealed to': 82092, 'to bahamian': 900997, 'in reaction': 427279, 'prime minister the': 678160, 'minister the most': 533471, 'the most hon': 860995, 'most hon dr': 542383, 'hon dr hubert': 403036, 'hubert minnis appealed': 409885, 'minnis appealed to': 533626, 'appealed to bahamian': 82093, 'to bahamian and': 900998, 'supply in reaction': 825408, 'in reaction to': 427280, 'reaction to news': 700219, 'trump is': 933639, 'is propaganda': 451099, 'propaganda artist': 684058, 'trump is propaganda': 933654, 'is propaganda artist': 451100, 'revers': 720509, 'asia petrochemical': 95214, 'share mixed': 755097, 'mixed on': 534637, 'on virus': 605055, 'virus fear': 958179, 'fear oil': 301266, 'oil revers': 597396, 'revers early': 720510, 'early loss': 264636, 'loss icis': 503697, 'petrochemical crude': 653680, 'supply energy': 825211, 'energy chemical': 276402, 'asia petrochemical share': 95218, 'petrochemical share mixed': 653701, 'share mixed on': 755098, 'mixed on virus': 534639, 'on virus fear': 605057, 'virus fear oil': 958180, 'fear oil revers': 301267, 'oil revers early': 597397, 'revers early loss': 720511, 'early loss icis': 264637, 'loss icis asia': 503698, 'icis asia petrochemical': 412746, 'asia petrochemical crude': 95215, 'petrochemical crude oil': 653681, 'oil price supply': 597280, 'price supply energy': 676707, 'supply energy chemical': 825212, 'unfolding': 941515, 'the unfolding': 870388, 'unfolding covid': 941516, 'far having': 298805, 'having little': 384140, 'change for': 172053, 'the worse': 872025, 'worse and': 1010863, 'and soon': 71999, 'soon if': 785744, 'if anxiety': 413822, 'anxiety driven': 78690, 'driven panic': 259335, 'by major': 153131, 'major food': 509333, 'food importer': 314915, 'importer take': 419209, 'take hold': 832188, 'hold the': 400014, 'food programme': 316058, 'programme news': 683343, 'news centre': 560308, 'the unfolding covid': 870389, 'unfolding covid 19': 941517, 'pandemic is so': 635796, 'is so far': 452004, 'so far having': 777035, 'far having little': 298806, 'having little impact': 384142, 'chain but that': 170567, 'but that could': 147284, 'that could change': 843344, 'could change for': 209010, 'change for the': 172056, 'for the worse': 326790, 'the worse and': 872027, 'worse and soon': 1010865, 'and soon if': 72001, 'soon if anxiety': 785745, 'if anxiety driven': 413823, 'anxiety driven panic': 78691, 'driven panic by': 259336, 'panic by major': 637984, 'by major food': 153132, 'major food importer': 509337, 'food importer take': 314916, 'importer take hold': 419210, 'take hold the': 832198, 'hold the world': 400025, 'world food programme': 1009556, 'food programme news': 316060, 'programme news centre': 683344, 'wa killed': 962491, 'killed here': 474590, 'in texas': 428888, 'texas because': 839744, 'price many': 675163, 'many here': 514133, 'here fear': 392965, 'fear greater': 301143, 'greater and': 363136, 'severe damage': 754006, 'the texas': 869337, 'texas economy': 839763, 'economy than': 268259, '19 he': 7468, 'if texas': 414928, 'texas loses': 839800, 'loses he': 503521, 'he done': 384916, 'he wa killed': 385606, 'wa killed here': 962492, 'killed here in': 474591, 'here in texas': 393186, 'in texas because': 428889, 'texas because of': 839745, 'because of low': 119372, 'of low oil': 586044, 'oil price many': 597188, 'price many here': 675164, 'many here fear': 514134, 'here fear greater': 392966, 'fear greater and': 301144, 'greater and more': 363138, 'and more severe': 67215, 'more severe damage': 540368, 'severe damage to': 754007, 'damage to the': 225242, 'to the texas': 917121, 'the texas economy': 869341, 'texas economy than': 839765, 'economy than covid': 268261, 'covid 19 he': 213194, '19 he know': 7474, 'he know if': 385176, 'know if texas': 476483, 'if texas loses': 414929, 'texas loses he': 839801, 'loses he done': 503522, 'please ask': 659673, 'to suspend': 916064, 'suspend consumer': 829551, 'card interest': 163559, 'interest during': 441341, 'the asset': 848977, 'asset to': 96480, 'we consumer': 971175, 'please ask to': 659678, 'ask to suspend': 95655, 'to suspend consumer': 916067, 'suspend consumer credit': 829553, 'consumer credit card': 197016, 'credit card interest': 216340, 'card interest during': 163560, 'interest during this': 441342, 'this time they': 890701, 'time they have': 897902, 'they have the': 882388, 'have the asset': 382961, 'the asset to': 848979, 'asset to deal': 96481, 'deal with this': 229585, 'with this we': 1001737, 'this we consumer': 891147, 'we consumer don': 971176, 'worker face': 1006894, 'an uncertain': 56822, 'uncertain future': 939587, 'future during': 342307, '19 quarantine': 9904, 'quarantine food': 692193, 'bank across': 109563, 'across arizona': 29264, 'arizona plan': 92849, 'face unprecedented': 294831, 'demand here': 235633, 'help ease': 389618, 'ease the': 265102, 'the burden': 850122, 'worker face an': 1006895, 'face an uncertain': 294294, 'an uncertain future': 56825, 'uncertain future during': 939588, 'future during the': 342308, 'covid 19 quarantine': 213642, '19 quarantine food': 9910, 'quarantine food bank': 692194, 'food bank across': 313510, 'bank across arizona': 109565, 'across arizona plan': 29265, 'arizona plan to': 92850, 'plan to face': 658289, 'to face unprecedented': 905578, 'face unprecedented demand': 294832, 'unprecedented demand here': 943117, 'demand here what': 235634, 'to help ease': 907500, 'help ease the': 389623, 'ease the burden': 265103, 'advertiser': 33170, 'soil': 781569, 'spat': 787631, 'hoped': 403824, 'meltdown': 527981, 'tomorrow advertiser': 924007, 'advertiser we': 33185, 'speak to': 787706, 'to denmark': 904172, 'denmark couple': 237011, 'couple who': 211710, 'who contracted': 988489, 'cruise they': 219713, 're back': 698337, 'home soil': 402096, 'soil man': 781572, 'man spat': 512241, 'spat at': 787632, 'at police': 100153, 'he hoped': 385096, 'hoped they': 403831, 'got coronavirus': 358504, 'coronavirus after': 205465, 'supermarket meltdown': 821503, 'meltdown and': 527982, 'local left': 498148, 'the dark': 852833, 'dark after': 225951, 'after sharing': 36178, 'sharing bus': 755512, 'bus with': 143111, '19 carrier': 5651, 'tomorrow advertiser we': 924008, 'advertiser we speak': 33186, 'we speak to': 973345, 'speak to denmark': 787711, 'to denmark couple': 904173, 'denmark couple who': 237012, 'couple who contracted': 211712, 'who contracted covid': 988490, '19 on cruise': 8940, 'on cruise they': 600179, 'cruise they re': 219715, 'they re back': 882999, 're back on': 698338, 'back on home': 107188, 'on home soil': 601354, 'home soil man': 402097, 'soil man spat': 781573, 'man spat at': 512242, 'spat at police': 787634, 'at police and': 100154, 'police and said': 662909, 'and said he': 70764, 'said he hoped': 731110, 'he hoped they': 385097, 'hoped they got': 403832, 'they got coronavirus': 882221, 'got coronavirus after': 358505, 'coronavirus after supermarket': 205468, 'after supermarket meltdown': 36261, 'supermarket meltdown and': 821504, 'meltdown and local': 527983, 'and local left': 66298, 'local left in': 498149, 'in the dark': 429122, 'the dark after': 852834, 'dark after sharing': 225952, 'after sharing bus': 36179, 'sharing bus with': 755513, 'bus with covid': 143112, 'covid 19 carrier': 212763, 'abhishek': 24333, 'muralidharan': 546146, 'whatpackaging': 982833, 'spends': 789066, 'raw': 697952, 'material': 520362, 'abhishek muralidharan': 24334, 'muralidharan of': 546147, 'of whatpackaging': 593073, 'whatpackaging say': 982834, 'food will': 317616, 'the manufacturing': 860027, 'manufacturing and': 513556, 'and packaging': 68615, 'packaging sector': 633569, 'consumer spends': 199109, 'spends will': 789077, 'hit due': 398217, 'the sourcing': 867502, 'sourcing of': 786618, 'of raw': 588756, 'raw production': 697990, 'production material': 682123, 'material plus': 520404, 'plus unavailability': 661706, 'unavailability and': 939436, 'and rising': 70543, 'rising cost': 723188, 'abhishek muralidharan of': 24335, 'muralidharan of whatpackaging': 546148, 'of whatpackaging say': 593074, 'whatpackaging say the': 982835, 'say the supply': 739307, 'the supply and': 868939, 'and demand of': 61164, 'demand of food': 235947, 'of food will': 583820, 'food will be': 317617, 'challenge to both': 171576, 'to both the': 901954, 'both the manufacturing': 136068, 'the manufacturing and': 860029, 'manufacturing and packaging': 513557, 'and packaging sector': 68616, 'packaging sector consumer': 633570, 'sector consumer spends': 744137, 'consumer spends will': 199110, 'spends will take': 789078, 'will take hit': 995071, 'take hit due': 832184, 'hit due to': 398218, 'to the sourcing': 917081, 'the sourcing of': 867503, 'sourcing of raw': 786619, 'of raw production': 588760, 'raw production material': 697991, 'production material plus': 682124, 'material plus unavailability': 520405, 'plus unavailability and': 661707, 'unavailability and rising': 939437, 'and rising cost': 70545, 'angeles': 76356, 'alert grocery': 41441, 'the los': 859735, 'los angeles': 503357, 'angeles area': 76363, 'area have': 92040, 'started offering': 794790, 'offering specific': 595262, 'risk population': 723831, 'population including': 664698, 'including senior': 432138, 'with disability': 998053, 'disability to': 243856, 'outbreak check': 628100, 'alert grocery store': 41442, 'in the los': 429331, 'the los angeles': 859736, 'los angeles area': 503360, 'angeles area have': 76364, 'area have started': 92045, 'have started offering': 382726, 'started offering specific': 794791, 'offering specific time': 595263, 'specific time for': 788262, 'time for at': 896692, 'for at risk': 319519, 'at risk population': 100390, 'risk population including': 723832, 'population including senior': 664700, 'including senior and': 432139, 'senior and those': 750212, 'and those with': 74044, 'those with disability': 892717, 'with disability to': 998066, 'disability to shop': 243857, 'to shop during': 914456, 'shop during the': 760119, 'the outbreak check': 862601, 'outbreak check with': 628104, 'store for hour': 807813, 'market basket': 516073, 'basket shaw': 112388, 'shaw employee': 755819, 'massachusetts test': 519926, 'market basket shaw': 516083, 'basket shaw employee': 112389, 'shaw employee in': 755820, 'employee in massachusetts': 273964, 'in massachusetts test': 425179, 'massachusetts test positive': 519927, 'uditraj': 937912, 'harvesting': 378649, 'exempt': 289963, 'insecticide': 439120, 'msp': 544574, 'uditraj appeal': 937913, 'appeal to': 82076, 'to central': 902564, 'central govt': 169393, 'govt harvesting': 361149, 'harvesting season': 378662, 'season is': 743406, 'ongoing abt': 607590, 'abt to': 27552, 'end reduce': 275946, 'reduce fuel': 705840, 'price exempt': 673728, 'exempt agri': 289964, 'agri equipment': 38838, 'equipment insecticide': 279759, 'insecticide from': 439121, 'from gst': 335709, 'gst ensure': 367552, 'ensure procurement': 278012, 'procurement at': 680107, 'at msp': 99785, 'msp 50': 544575, '50 cost': 19657, 'cost waive': 208153, 'waive interest': 964516, 'interest on': 441383, 'on crop': 600171, 'crop loan': 218936, 'loan ensure': 497432, 'ensure supply': 278042, 'uditraj appeal to': 937914, 'appeal to central': 82077, 'to central govt': 902567, 'central govt harvesting': 169397, 'govt harvesting season': 361150, 'harvesting season is': 378663, 'season is ongoing': 743409, 'is ongoing abt': 450516, 'ongoing abt to': 607591, 'abt to end': 27553, 'to end reduce': 905084, 'end reduce fuel': 275947, 'reduce fuel price': 705841, 'fuel price exempt': 340229, 'price exempt agri': 673729, 'exempt agri equipment': 289965, 'agri equipment insecticide': 38839, 'equipment insecticide from': 279760, 'insecticide from gst': 439122, 'from gst ensure': 335710, 'gst ensure procurement': 367553, 'ensure procurement at': 278013, 'procurement at msp': 680108, 'at msp 50': 99786, 'msp 50 cost': 544576, '50 cost waive': 19658, 'cost waive interest': 208154, 'waive interest on': 964517, 'interest on crop': 441384, 'on crop loan': 600172, 'crop loan ensure': 218937, 'loan ensure supply': 497433, 'ensure supply chain': 278043, 'pakistan yesterday': 634519, 'store full': 807896, 'buying in pakistan': 150535, 'in pakistan yesterday': 426450, 'pakistan yesterday and': 634520, 'yesterday and today': 1015670, 'and today grocery': 74222, 'grocery store full': 365418, 'store full of': 807897, 'full of ppl': 340748, 'just stop': 469906, 'stop doing': 804615, 'just stop doing': 469909, 'stop doing it': 804617, 'spurred': 791348, 'strategic': 812534, 'overproduction': 631407, 'detrimental': 239490, 'venezuela': 954428, 'algeria': 41630, 'ecuador': 268431, 'price spurred': 676585, 'spurred on': 791351, 'and saudi': 70933, 'arabia strategic': 83932, 'strategic overproduction': 812550, 'overproduction will': 631408, 'have significantly': 382553, 'significantly detrimental': 769565, 'detrimental effect': 239491, 'public finance': 687997, 'finance and': 306150, 'and thus': 74107, 'thus the': 895535, 'service of': 752632, 'vulnerable oil': 961057, 'producer venezuela': 680710, 'venezuela iraq': 954444, 'iraq algeria': 444750, 'algeria ecuador': 41635, 'oil price spurred': 597268, 'price spurred on': 676586, 'spurred on by': 791352, 'on by covid': 599761, '19 and saudi': 5098, 'and saudi arabia': 70934, 'saudi arabia strategic': 737213, 'arabia strategic overproduction': 83933, 'strategic overproduction will': 812551, 'overproduction will have': 631409, 'will have significantly': 993672, 'have significantly detrimental': 382554, 'significantly detrimental effect': 769566, 'detrimental effect on': 239492, 'effect on the': 269097, 'on the public': 604314, 'the public finance': 864809, 'public finance and': 687998, 'finance and thus': 306157, 'and thus the': 74112, 'thus the social': 895538, 'the social service': 867419, 'social service of': 779960, 'service of vulnerable': 752635, 'of vulnerable oil': 592872, 'vulnerable oil producer': 961058, 'oil producer venezuela': 597347, 'producer venezuela iraq': 680711, 'venezuela iraq algeria': 954445, 'iraq algeria ecuador': 444751, 'steep': 799377, 'intercity': 441307, 'china railway': 176897, 'railway to': 695721, 'offer steep': 594808, 'steep discount': 799383, 'discount on': 244505, 'on ticket': 604689, 'ticket to': 895671, 'encourage people': 275618, 'travel again': 930235, 'again state': 37180, 'state medium': 795769, 'medium report': 527249, 'report price': 712191, 'price slashed': 676459, 'slashed by': 773616, 'much 45': 544675, '45 on': 19123, 'on 200': 599048, '200 train': 13554, 'train service': 929277, 'for 25': 318777, '25 intercity': 15890, 'intercity railway': 441308, 'railway starting': 695715, 'starting wed': 795069, 'china railway to': 176898, 'railway to offer': 695722, 'to offer steep': 910849, 'offer steep discount': 594809, 'steep discount on': 799384, 'discount on ticket': 244515, 'on ticket to': 604690, 'ticket to encourage': 895672, 'to encourage people': 905064, 'encourage people to': 275620, 'people to travel': 649958, 'to travel again': 917721, 'travel again state': 930236, 'again state medium': 37181, 'state medium report': 795770, 'medium report price': 527253, 'report price slashed': 712193, 'price slashed by': 676461, 'slashed by much': 773618, 'by much 45': 153263, 'much 45 on': 544676, '45 on 200': 19124, 'on 200 train': 599049, '200 train service': 13555, 'train service for': 929278, 'service for 25': 752374, 'for 25 intercity': 318782, '25 intercity railway': 15891, 'intercity railway starting': 441309, 'railway starting wed': 695716, 'some stuff': 783978, 'stuff wa': 815237, 'shelf how': 757166, 'buying stuff': 151110, 'stuff without': 815260, 'without thinking': 1003000, 'thinking for': 885906, 'others 19': 621233, 'went for grocery': 979003, 'store to buy': 810760, 'to buy some': 902303, 'buy some stuff': 149215, 'some stuff wa': 783987, 'stuff wa shocked': 815240, 'to see empty': 914003, 'empty shelf how': 275071, 'shelf how people': 757170, 'are buying stuff': 85132, 'buying stuff without': 151114, 'stuff without thinking': 815261, 'without thinking for': 1003002, 'thinking for others': 885907, 'for others 19': 324182, 'ganja': 343418, 'the ganja': 856134, 'ganja price': 343419, 'by 50': 151659, '50 this': 19879, 'with global': 998616, 'market management': 516700, 'to the ganja': 916741, 'the ganja price': 856135, 'ganja price will': 343420, 'go up by': 354424, 'up by 50': 944546, 'by 50 this': 151673, '50 this is': 19880, 'is in line': 448783, 'line with global': 493576, 'with global market': 998618, 'global market management': 352027, 'sayentrepreneur': 739532, 'nk95': 563493, '3ply': 18386, 'syima': 830750, 'sayentrepreneur nk95': 739533, 'nk95 facemasks': 563494, 'facemasks 3ply': 295121, '3ply surgical': 18395, 'surgical we': 828387, 'have ready': 382173, 'ready stock': 700922, 'for good': 321923, 'quality surgical': 691854, 'surgical face': 828342, 'thermometer and': 879504, 'sanitizer ready': 735636, 'distribute for': 247977, 'are interested': 87554, 'interested to': 441490, 'buy email': 148560, 'email syima': 272312, 'syima com': 830751, 'sayentrepreneur nk95 facemasks': 739534, 'nk95 facemasks 3ply': 563495, 'facemasks 3ply surgical': 295122, '3ply surgical we': 18397, 'surgical we have': 828388, 'we have ready': 971915, 'have ready stock': 382174, 'ready stock for': 700923, 'stock for good': 802169, 'for good quality': 321941, 'good quality surgical': 357608, 'quality surgical face': 691855, 'surgical face mask': 828343, 'face mask thermometer': 294597, 'mask thermometer and': 519365, 'thermometer and hand': 879506, 'hand sanitizer ready': 375559, 'sanitizer ready to': 735637, 'ready to distribute': 700953, 'to distribute for': 904441, 'distribute for those': 247978, 'those who need': 892658, 'who need please': 989323, 'need please contact': 555438, 'contact me if': 200139, 'you are interested': 1017153, 'are interested to': 87558, 'interested to buy': 441491, 'to buy email': 902221, 'buy email syima': 148561, 'email syima com': 272313, 'icymi': 412862, 'icymi police': 412901, 'officer handed': 595664, 'handed out': 376073, 'out roll': 627119, 'paper at': 639892, 'at sydney': 100811, 'sydney supermarket': 830710, 'to calm': 902392, 'calm shopper': 156796, 'shopper who': 761825, 'buying during': 150212, 'icymi police officer': 412902, 'police officer handed': 663121, 'officer handed out': 595665, 'handed out roll': 376077, 'out roll of': 627121, 'toilet paper at': 921194, 'paper at sydney': 639903, 'at sydney supermarket': 100812, 'sydney supermarket to': 830717, 'supermarket to try': 823423, 'try to calm': 934609, 'to calm shopper': 902396, 'calm shopper who': 156799, 'shopper who are': 761826, 'who are panic': 988190, 'panic buying during': 637713, 'buying during the': 150214, 'during the epidemic': 263123, 'dougmcmillon': 256287, 'counted': 210182, 'essentialworker': 281936, 'everyday ceo': 286542, 'ceo dougmcmillon': 169690, 'dougmcmillon tell': 256288, 'tell lie': 836996, 'lie about': 488324, 'is protecting': 451106, 'protecting associate': 685180, 'associate we': 96905, 'no hand': 564395, 'sanitizer no': 735410, 'no ppe': 565162, 'ppe hundred': 667974, 'customer they': 222933, 'are counted': 85589, 'counted not': 210183, 'no option': 565002, 'option but': 614002, 'but come': 145427, 'work or': 1005555, 'paid essentialworker': 634005, 'essentialworker frontline': 281941, 'everyday ceo dougmcmillon': 286543, 'ceo dougmcmillon tell': 169691, 'dougmcmillon tell lie': 256289, 'tell lie about': 836997, 'lie about how': 488325, 'how the company': 408807, 'the company is': 851333, 'company is protecting': 190808, 'is protecting associate': 451107, 'protecting associate we': 685181, 'associate we have': 96906, 'have no hand': 381632, 'no hand sanitizer': 564397, 'hand sanitizer no': 375503, 'sanitizer no ppe': 735418, 'no ppe hundred': 565164, 'ppe hundred of': 667975, 'hundred of customer': 410997, 'of customer they': 582285, 'customer they are': 222934, 'they are counted': 881238, 'are counted not': 85590, 'counted not limited': 210184, 'not limited and': 570413, 'limited and we': 492603, 'have no option': 381642, 'no option but': 565003, 'option but come': 614003, 'but come to': 145429, 'come to work': 187617, 'to work or': 918761, 'work or not': 1005565, 'or not get': 616297, 'not get paid': 569601, 'get paid essentialworker': 347765, 'paid essentialworker frontline': 634006, 'government want': 360779, 'provide home': 686350, 'service take': 752891, 'take online': 832421, 'shopping like': 763160, 'like amazon': 489749, 'amazon flipkart': 50942, 'flipkart for': 310615, 'work it': 1005384, 'it also': 456417, 'if government want': 414177, 'government want to': 360781, 'want to provide': 966092, 'to provide home': 912404, 'provide home delivery': 686351, 'home delivery service': 401043, 'delivery service take': 234467, 'service take online': 752892, 'take online shopping': 832422, 'online shopping like': 609173, 'shopping like amazon': 763161, 'like amazon flipkart': 489752, 'amazon flipkart for': 50944, 'flipkart for work': 310617, 'for work it': 327925, 'work it also': 1005386, 'it also help': 456430, 'also help in': 48347, 'help in social': 389905, 'cork': 203545, 'pound': 667357, 'and hotel': 64764, 'hotel close': 405132, '19 cork': 6043, 'cork based': 203546, 'based fruit': 111591, 'vegetable supplier': 954101, 'supplier ha': 824538, 'been left': 121448, 'with almost': 997170, 'almost 60': 46517, '60 00': 20858, '00 pound': 444, 'pound of': 667390, 'of fresh': 583941, 'fresh stock': 333077, 'stock appealing': 801847, 'charity who': 173716, 'who could': 988503, 'could need': 209422, 'make contact': 509795, 'restaurant and hotel': 716289, 'and hotel close': 64768, 'hotel close to': 405133, 'close to limit': 182905, 'covid 19 cork': 212863, '19 cork based': 6044, 'cork based fruit': 203547, 'based fruit and': 111592, 'and vegetable supplier': 74896, 'vegetable supplier ha': 954102, 'supplier ha been': 824539, 'ha been left': 369842, 'been left with': 121449, 'left with almost': 485742, 'with almost 60': 997173, 'almost 60 00': 46518, '60 00 pound': 20859, '00 pound of': 446, 'pound of fresh': 667396, 'of fresh stock': 583948, 'fresh stock appealing': 333078, 'stock appealing to': 801848, 'appealing to charity': 82106, 'to charity who': 902662, 'charity who could': 173718, 'who could need': 988508, 'could need food': 209423, 'need food to': 554811, 'food to make': 317270, 'to make contact': 909639, 'uptick': 947902, 'york food': 1016615, 'pantry face': 639575, 'unprecedented and': 943077, 'and extreme': 62565, 'extreme uptick': 293840, 'uptick in': 947905, 'need via': 556158, 'new york food': 559930, 'york food pantry': 1016616, 'food pantry face': 315776, 'pantry face an': 639576, 'face an unprecedented': 294295, 'an unprecedented and': 56880, 'unprecedented and extreme': 943079, 'and extreme uptick': 62566, 'extreme uptick in': 293841, 'uptick in need': 947910, 'in need via': 425779, 'yelp': 1015283, 'businesstrategyandprofitability': 144796, 'financialnews': 306704, 'mobilepayments': 535058, 'onlineordering': 609847, 'report yelp': 712439, 'yelp finding': 1015286, 'finding show': 307534, 'pandemic stricken': 636571, 'stricken businesstrategyandprofitability': 813592, 'businesstrategyandprofitability covid': 144797, '19 delivery': 6474, 'delivery financialnews': 233996, 'financialnews food': 306705, 'beverage mobilepayments': 129018, 'mobilepayments onlineordering': 535059, 'onlineordering sustainability': 609850, 'sustainability trend': 829782, 'report yelp finding': 712440, 'yelp finding show': 1015287, 'finding show consumer': 307535, 'interest in pandemic': 441357, 'in pandemic stricken': 426467, 'pandemic stricken businesstrategyandprofitability': 636572, 'stricken businesstrategyandprofitability covid': 813593, 'businesstrategyandprofitability covid 19': 144798, 'covid 19 delivery': 212927, '19 delivery financialnews': 6475, 'delivery financialnews food': 233997, 'financialnews food beverage': 306706, 'food beverage mobilepayments': 313744, 'beverage mobilepayments onlineordering': 129019, 'mobilepayments onlineordering sustainability': 535060, 'onlineordering sustainability trend': 609851, 'are healthy': 87062, 'no risk': 565373, 'no symptom': 565654, 'not use': 572353, 'use supermarket': 949619, 'supermarket home': 820778, 'time save': 897609, 'save this': 737682, 'this capacity': 886696, 'capacity for': 162519, 'you are healthy': 1017139, 'are healthy at': 87064, 'healthy at no': 387538, 'at no risk': 99895, 'no risk and': 565374, 'risk and have': 723373, 'have no symptom': 381658, 'no symptom of': 565658, '19 please do': 9715, 'do not use': 249882, 'not use supermarket': 572360, 'use supermarket home': 949621, 'supermarket home delivery': 820779, 'home delivery slot': 401047, 'slot at this': 774125, 'this time save': 890685, 'time save this': 897610, 'save this capacity': 737683, 'this capacity for': 886697, 'capacity for those': 162525, 'who need it': 989315, 'admission': 32580, 'so online': 777951, 'almost impossible': 46671, 'impossible with': 419410, 'supermarket pretty': 822051, 'in breakdown': 420956, 'breakdown all': 138831, 'all urban': 45336, 'urban supermarket': 948126, 'visit are': 959185, 'are opportunity': 88825, '19 transmission': 11542, 'transmission and': 929724, 'hospital admission': 404262, 'admission will': 32585, 'increase result': 433040, 'result worrying': 717663, 'worrying through': 1010839, 'so online grocery': 777952, 'grocery shopping is': 365043, 'shopping is now': 763065, 'is now almost': 450258, 'now almost impossible': 573975, 'almost impossible with': 46673, 'impossible with the': 419411, 'with the system': 1001512, 'the system for': 869094, 'system for all': 831167, 'for all supermarket': 319173, 'all supermarket pretty': 44550, 'supermarket pretty much': 822053, 'pretty much in': 671456, 'much in breakdown': 545007, 'in breakdown all': 420957, 'breakdown all urban': 138832, 'all urban supermarket': 45337, 'urban supermarket visit': 948127, 'supermarket visit are': 823655, 'visit are opportunity': 959186, 'are opportunity for': 88826, 'opportunity for covid': 613609, 'covid 19 transmission': 213976, '19 transmission and': 11543, 'transmission and hospital': 929725, 'and hospital admission': 64742, 'hospital admission will': 404264, 'admission will increase': 32586, 'will increase result': 993823, 'increase result worrying': 433042, 'result worrying through': 717664, 'worrying through this': 1010840, 'through this dilemma': 894813, 'goto': 359053, 'stayathomesavelives': 797795, 'have launched': 381258, 'launched volunteer': 482048, 'volunteer shopping': 960328, 'shopping card': 762288, 'people unable': 650040, 'shopping customer': 762427, 'can buy': 157809, 'buy card': 148473, 'card online': 163596, 'online top': 609619, 'volunteer family': 960256, 'or friend': 615394, 'friend to': 333843, 'shopping goto': 762801, 'goto stayathomesavelives': 359058, 'asda have launched': 94924, 'have launched volunteer': 381264, 'launched volunteer shopping': 482050, 'volunteer shopping card': 960329, 'shopping card to': 762289, 'card to people': 163684, 'to people unable': 911643, 'people unable to': 650041, 'unable to go': 939332, 'buy their shopping': 149320, 'their shopping customer': 874715, 'shopping customer can': 762428, 'customer can buy': 222221, 'can buy card': 157816, 'buy card online': 148474, 'card online top': 163599, 'online top up': 609620, 'top up and': 925747, 'up and give': 944327, 'and give to': 63669, 'give to volunteer': 350797, 'to volunteer family': 918231, 'volunteer family or': 960257, 'family or friend': 298129, 'or friend to': 615397, 'friend to pay': 333847, 'to pay for': 911529, 'pay for shopping': 644901, 'for shopping goto': 325582, 'shopping goto stayathomesavelives': 762802, 'italystaystrong': 462974, 'the still': 867887, 'still isn': 800756, 'isn in': 454553, 'any sort': 79834, 'of lock': 585945, 'with spike': 1000918, 'high death': 394983, 'death more': 230130, 'outside than': 629583, 'usual and': 950883, 'before opening': 122975, 'time wa': 898199, 'wa joke': 962445, 'joke uk': 467150, 'uk coronacrisisuk': 938275, 'coronacrisisuk nh': 204893, 'nh stayathome': 562114, 'stayathome stayhomestaysafe': 797654, 'stayhomestaysafe italystaystrong': 798517, 'and the still': 73594, 'the still isn': 867888, 'still isn in': 800757, 'isn in any': 454554, 'in any sort': 420438, 'any sort of': 79835, 'sort of lock': 786128, 'of lock down': 585946, 'lock down with': 499063, 'down with spike': 257503, 'with spike in': 1000919, 'spike in high': 789300, 'in high death': 423679, 'high death more': 394984, 'death more people': 230131, 'more people outside': 540035, 'people outside than': 649033, 'outside than usual': 629584, 'than usual and': 841388, 'usual and the': 950885, 'supermarket before opening': 819350, 'before opening time': 122979, 'opening time wa': 612932, 'time wa joke': 898202, 'wa joke uk': 962446, 'joke uk coronacrisisuk': 467151, 'uk coronacrisisuk nh': 938277, 'coronacrisisuk nh stayathome': 204894, 'nh stayathome stayhomestaysafe': 562115, 'stayathome stayhomestaysafe italystaystrong': 797655, 'rwandan': 728756, 'opting': 613966, 'more rwandan': 540288, 'rwandan are': 728757, 'are opting': 88827, 'opting for': 613967, 'more rwandan are': 540289, 'rwandan are opting': 728760, 'are opting for': 88828, 'opting for online': 613969, 'online shopping amid': 609025, 'in desperation': 422214, 'desperation new': 238602, 'york state': 1016665, 'state pay': 795852, '15 time': 3851, 'the normal': 861859, 'normal price': 567264, 'in desperation new': 422215, 'desperation new york': 238603, 'new york state': 559950, 'york state pay': 1016669, 'state pay up': 795853, 'up to 15': 946323, 'to 15 time': 899504, '15 time the': 3852, 'time the normal': 897862, 'the normal price': 861865, 'normal price for': 567273, 'price for medical': 674000, 'for medical equipment': 323379, 'king': 475244, 'cresskill': 216660, 'enjoyed': 277215, 'tpr': 928087, 'payitforward': 645530, 'supportsmallbusiness': 827283, 'and thank': 73155, 'thank grocery': 841590, 'worker hope': 1007135, 'everyone at': 286712, 'at king': 99380, 'king in': 475268, 'in cresskill': 421865, 'cresskill enjoyed': 216661, 'enjoyed the': 277221, 'the tpr': 869846, 'tpr lunch': 928088, 'lunch payitforward': 506740, 'payitforward supportsmallbusiness': 645531, 'our local restaurant': 623784, 'local restaurant and': 498336, 'restaurant and thank': 716302, 'and thank grocery': 73157, 'thank grocery store': 841591, 'store worker hope': 811525, 'worker hope everyone': 1007137, 'hope everyone at': 403459, 'everyone at king': 286716, 'at king in': 99383, 'king in cresskill': 475269, 'in cresskill enjoyed': 421866, 'cresskill enjoyed the': 216662, 'enjoyed the tpr': 277222, 'the tpr lunch': 869847, 'tpr lunch payitforward': 928089, 'lunch payitforward supportsmallbusiness': 506741, 'shelteringinplace': 757976, 'normal some': 567326, 'clerk safe': 181759, 'please shelteringinplace': 660503, 'shelteringinplace and': 757979, 'sick yes': 768689, 'yes meant': 1015486, 'yell that': 1015216, 'real take': 701383, 'it seriously': 460987, 'new normal some': 559170, 'normal some tip': 567327, 'keep you and': 472231, 'you and your': 1017015, 'and your store': 76099, 'your store clerk': 1025965, 'store clerk safe': 807023, 'clerk safe in': 181760, 'safe in the': 729770, 'age of please': 37871, 'of please shelteringinplace': 588171, 'please shelteringinplace and': 660504, 'shelteringinplace and do': 757980, 'feel sick yes': 302847, 'sick yes meant': 768690, 'yes meant to': 1015487, 'meant to yell': 524915, 'to yell that': 918877, 'yell that is': 1015217, 'that is real': 844644, 'is real take': 451282, 'real take it': 701385, 'take it seriously': 832254, 'discovery': 244729, 'thermal': 879491, 'detecting': 239346, 'camera': 157105, 'interesting discovery': 441544, 'discovery consumer': 244730, 'consumer thermal': 199274, 'thermal technology': 879499, 'technology will': 836396, 'not work': 572525, 'medical use': 526492, 'use case': 949093, 'case such': 166044, 'such detecting': 816444, 'detecting covid': 239347, '19 fever': 6974, 'fever here': 303676, 'one pro': 606919, 'pro camera': 679102, 'camera in': 157118, 'in action': 420011, 'action body': 29976, 'body temperature': 133895, 'temperature is': 837377, 'is way': 453787, 'too low': 924876, 'low cc': 505185, 'interesting discovery consumer': 441545, 'discovery consumer thermal': 244732, 'consumer thermal technology': 199275, 'thermal technology will': 879500, 'technology will not': 836397, 'will not work': 994287, 'not work for': 572530, 'work for medical': 1005161, 'for medical use': 323386, 'medical use case': 526493, 'use case such': 949094, 'case such detecting': 166045, 'such detecting covid': 816445, 'detecting covid 19': 239348, 'covid 19 fever': 213085, '19 fever here': 6975, 'fever here the': 303677, 'here the one': 393659, 'the one pro': 862217, 'one pro camera': 606920, 'pro camera in': 679103, 'camera in action': 157119, 'in action body': 420013, 'action body temperature': 29978, 'body temperature is': 133896, 'temperature is way': 837378, 'is way too': 453796, 'way too low': 970128, 'too low cc': 924877, 'robust': 724830, 'infographic that': 437640, 'that show': 846297, 'how highly': 408000, 'highly complex': 396039, 'complex the': 192417, 'international supply': 441857, 'for pasta': 324410, 'pasta is': 643743, 'is staple': 452225, 'staple struggling': 793991, 'demand result': 236140, 'of industrial': 585145, 'industrial food': 435539, 'food manufacturing': 315378, 'manufacturing supply': 513670, 'always felt': 49553, 'felt robust': 303444, 'robust but': 724835, 'ha exposed': 370566, 'exposed area': 292829, 'for innovation': 322590, 'infographic that show': 437641, 'that show how': 846299, 'show how highly': 766978, 'how highly complex': 408001, 'highly complex the': 396040, 'complex the international': 192418, 'the international supply': 858372, 'international supply chain': 441858, 'chain for pasta': 170718, 'for pasta is': 324411, 'pasta is staple': 643745, 'is staple struggling': 452226, 'staple struggling to': 793992, 'meet demand result': 527475, 'demand result of': 236141, 'result of industrial': 717598, 'of industrial food': 585146, 'industrial food manufacturing': 435541, 'food manufacturing supply': 315382, 'manufacturing supply chain': 513671, 'supply chain have': 824969, 'chain have always': 170757, 'have always felt': 379225, 'always felt robust': 49554, 'felt robust but': 303445, 'robust but this': 724836, 'but this pandemic': 147554, 'this pandemic ha': 889390, 'pandemic ha exposed': 635544, 'ha exposed area': 370568, 'exposed area for': 292830, 'area for innovation': 92014, 'stabbing': 791771, 'lg': 487892, 'government cannot': 359966, 'stop young': 805296, 'people stabbing': 649524, 'stabbing themselves': 791774, 'themselves how': 876824, 'they going': 882210, 'stop these': 805172, 'bastard going': 112481, 'pub come': 687699, 'know lg': 476564, 'if this government': 415154, 'this government cannot': 887735, 'government cannot stop': 359968, 'cannot stop young': 162141, 'stop young people': 805297, 'young people stabbing': 1022646, 'people stabbing themselves': 649525, 'stabbing themselves how': 791775, 'themselves how are': 876825, 'how are they': 407418, 'are they going': 91002, 'they going to': 882212, 'going to stop': 355725, 'to stop these': 915586, 'stop these bastard': 805173, 'these bastard going': 879677, 'bastard going to': 112482, 'to the pub': 916991, 'the pub come': 864769, 'pub come on': 687700, 'come on you': 187453, 'on you know': 605428, 'you know lg': 1019506, 'mathew': 520489, 'mcconaughey': 522109, 'coronaviruses': 207120, 'mathew mcconaughey': 520490, 'mcconaughey on': 522110, 'on coronaviruses': 600128, 'coronaviruses news': 207121, 'news celebrity': 560305, 'celebrity hope': 168886, 'hope toiletpaper': 403749, 'toiletpaperpanic movie': 923226, 'mathew mcconaughey on': 520491, 'mcconaughey on coronaviruses': 522111, 'on coronaviruses news': 600129, 'coronaviruses news celebrity': 207122, 'news celebrity hope': 560306, 'celebrity hope toiletpaper': 168887, 'hope toiletpaper toiletpaperpanic': 403750, 'toiletpaper toiletpaperpanic movie': 922698, 'morbidity': 538465, 'npa': 576605, 'rajan': 696171, 'just covid': 468535, 'hit people': 398372, 'with pre': 1000281, 'pre existing': 669167, 'existing condition': 290293, 'condition hard': 193456, 'hard indian': 377950, 'indian economy': 434820, 'ha co': 370183, 'co morbidity': 184885, 'morbidity like': 538470, 'like huge': 490460, 'huge npa': 410100, 'npa weak': 576606, 'weak growth': 974023, 'growth low': 367415, 'low consumer': 505197, 'spending it': 788886, 'will hit': 993748, 'economy hard': 267928, 'hard it': 377954, 'to employ': 905014, 'employ highly': 273441, 'highly experienced': 396065, 'experienced staff': 291604, 'staff like': 792615, 'like rajan': 491058, 'rajan and': 696172, 'and curb': 60801, 'the wave': 871136, 'just covid 19': 468536, '19 hit people': 7549, 'hit people with': 398374, 'people with pre': 650471, 'with pre existing': 1000282, 'pre existing condition': 669168, 'existing condition hard': 290297, 'condition hard indian': 193458, 'hard indian economy': 377951, 'indian economy ha': 434822, 'economy ha co': 267917, 'ha co morbidity': 370184, 'co morbidity like': 184887, 'morbidity like huge': 538471, 'like huge npa': 490461, 'huge npa weak': 410101, 'npa weak growth': 576607, 'weak growth low': 974024, 'growth low consumer': 367416, 'low consumer spending': 505198, 'consumer spending it': 199072, 'spending it will': 788889, 'it will hit': 462403, 'will hit the': 993749, 'hit the economy': 398428, 'the economy hard': 853977, 'economy hard it': 267929, 'hard it is': 377956, 'advisable to employ': 33567, 'to employ highly': 905016, 'employ highly experienced': 273442, 'highly experienced staff': 396067, 'experienced staff like': 291605, 'staff like rajan': 792618, 'like rajan and': 491059, 'rajan and curb': 696173, 'and curb the': 60802, 'curb the wave': 220586, 'prof': 682333, 'miguel': 531253, 'gomez': 356167, 'chain because': 170544, 'are longer': 87876, 'longer they': 502087, 'be disrupted': 114494, 'disrupted than': 246413, 'than domestic': 840512, 'chain faculty': 170689, 'faculty fellow': 296045, 'fellow and': 303265, 'and prof': 69586, 'prof miguel': 682360, 'miguel gomez': 531254, 'gomez tell': 356172, 'tell supplychains': 837072, 'global supply chain': 352232, 'supply chain because': 824914, 'chain because they': 170546, 'they are longer': 881328, 'are longer they': 87879, 'longer they are': 502088, 'they are more': 881336, 'to be disrupted': 901211, 'be disrupted than': 114495, 'disrupted than domestic': 246414, 'than domestic supply': 840513, 'domestic supply chain': 253235, 'supply chain faculty': 824954, 'chain faculty fellow': 170690, 'faculty fellow and': 296046, 'fellow and prof': 303266, 'and prof miguel': 69587, 'prof miguel gomez': 682361, 'miguel gomez tell': 531256, 'gomez tell supplychains': 356173, 'ebt': 266575, 'reimbursing': 708239, 'currently on': 221607, 'snap ebt': 776091, 'ebt food': 266582, 'food stamp': 316726, 'stamp is': 793426, 'is reimbursing': 451399, 'reimbursing grocery': 708240, 'grocery purchase': 364882, 'purchase one': 689597, 'one time': 607252, 'time only': 897415, 'only up': 611405, '50 sign': 19848, 'the type': 870164, 'of relief': 588913, 'relief we': 709497, 'family barely': 297647, 'barely making': 111021, 'making end': 511038, 'meet and': 527414, 'getting their': 349363, 'hour cut': 405513, 'cut or': 223459, 'or laid': 615920, 'you re currently': 1020598, 're currently on': 698495, 'currently on snap': 221612, 'on snap ebt': 603514, 'snap ebt food': 776092, 'ebt food stamp': 266583, 'food stamp is': 316736, 'stamp is reimbursing': 793427, 'is reimbursing grocery': 451400, 'reimbursing grocery purchase': 708241, 'grocery purchase one': 364884, 'purchase one time': 689598, 'one time only': 607260, 'time only up': 897420, 'only up to': 611406, 'to 50 sign': 899747, '50 sign up': 19849, 'sign up at': 769248, 'up at this': 944443, 'at this is': 101237, 'is the type': 452966, 'the type of': 870165, 'type of relief': 937578, 'of relief we': 588917, 'relief we need': 709498, 'we need for': 972485, 'need for family': 554840, 'for family barely': 321384, 'family barely making': 297648, 'barely making end': 111022, 'making end meet': 511039, 'end meet and': 275875, 'meet and getting': 527415, 'and getting their': 63627, 'getting their hour': 349368, 'their hour cut': 873594, 'hour cut or': 405516, 'cut or laid': 223462, 'or laid off': 615921, 'june': 467985, 'aftermath': 36649, 'following sunday': 312863, 'sunday signing': 818265, 'signing off': 769639, 'off of': 594001, 'opec agreement': 611834, 'record million': 705026, 'barrel day': 111210, 'in may': 425193, 'may amp': 520922, 'amp june': 54036, 'june price': 468011, 'little changed': 495283, 'changed in': 172494, 'in aftermath': 420096, 'aftermath record': 36661, 'record oil': 705038, 'cut fail': 223327, 'make wave': 510701, 'wave in': 969353, 'in hit': 423762, 'following sunday signing': 312864, 'sunday signing off': 818266, 'signing off of': 769640, 'off of opec': 594007, 'of opec agreement': 587283, 'opec agreement to': 611836, 'cut production by': 223502, 'production by record': 681952, 'by record million': 153737, 'record million barrel': 705027, 'million barrel day': 532085, 'barrel day in': 111212, 'day in may': 227801, 'in may amp': 425194, 'may amp june': 520923, 'amp june price': 54037, 'june price little': 468012, 'price little changed': 675075, 'little changed in': 495284, 'changed in aftermath': 172495, 'in aftermath record': 420097, 'aftermath record oil': 36662, 'record oil output': 705039, 'oil output cut': 596997, 'output cut fail': 629251, 'cut fail to': 223328, 'fail to make': 296109, 'to make wave': 909763, 'make wave in': 510702, 'wave in hit': 969354, 'essential check': 280889, 'please remember': 660366, 'least metre': 484552, 'go out for': 353953, 'out for food': 626119, 'for food essential': 321580, 'food essential check': 314377, 'essential check out': 280891, 'our latest update': 623683, 'latest update on': 481591, 'update on supermarket': 947135, 'on supermarket opening': 603799, 'opening hour please': 612857, 'hour please remember': 405865, 'please remember to': 660376, 'remember to stay': 710385, 'stay at least': 796771, 'at least metre': 99523, 'least metre apart': 484553, 'metre apart from': 529822, 'apart from others': 81270, '100 people': 2014, 'every store': 286216, 'store put': 809710, 'put essential': 690563, 'grocery pharmacy': 364844, 'pharmacy health': 654342, 'care at': 163855, 'at greater': 98801, 'greater risk': 363226, 'risk 19': 723344, '100 people in': 2018, 'people in every': 648374, 'in every store': 422690, 'every store every': 286218, 'store every day': 807651, 'every day the': 285849, 'day the amount': 228481, 'people in retail': 648423, 'retail store put': 718687, 'store put essential': 809711, 'put essential worker': 690564, 'essential worker grocery': 281833, 'worker grocery pharmacy': 1007062, 'grocery pharmacy health': 364846, 'pharmacy health care': 654343, 'health care at': 386220, 'care at greater': 163856, 'at greater risk': 98802, 'greater risk 19': 363227, 'chosen': 178028, 'pictured': 656223, 'bcdocs': 113321, 'am an': 49883, 'emergency physician': 272872, 'physician my': 655539, 'my increased': 548842, 'increased exposure': 433314, 'exposure mean': 292988, 'have chosen': 379968, 'chosen to': 178036, 'isolate from': 454862, 'safe this': 730033, 'daughter pictured': 226896, 'pictured with': 656230, 'their cousin': 872908, 'cousin with': 212098, 'with whom': 1002096, 'whom they': 990572, 're staying': 699580, 'staying if': 798631, 'this you': 891611, 'home stayhome': 402127, 'stayhome bcdocs': 797948, 'am an emergency': 49884, 'an emergency physician': 55685, 'emergency physician my': 272875, 'physician my increased': 655540, 'my increased exposure': 548843, 'increased exposure mean': 433315, 'exposure mean that': 292989, 'mean that have': 524677, 'that have chosen': 844200, 'have chosen to': 379969, 'chosen to isolate': 178037, 'to isolate from': 908537, 'isolate from my': 454863, 'from my family': 336506, 'my family to': 548231, 'family to keep': 298329, 'them safe this': 876238, 'safe this is': 730036, 'is how see': 448595, 'how see my': 408634, 'see my daughter': 745450, 'my daughter pictured': 547935, 'daughter pictured with': 226897, 'pictured with their': 656231, 'with their cousin': 1001563, 'their cousin with': 872909, 'cousin with whom': 212099, 'with whom they': 1002097, 'whom they re': 990573, 'they re staying': 883131, 're staying if': 699583, 'staying if can': 798632, 'if can do': 413923, 'do this you': 250375, 'this you can': 891613, 'you can stay': 1017792, 'can stay home': 159739, 'stay home stayhome': 797005, 'home stayhome bcdocs': 402128, 'gaining': 342872, '29': 16452, '2017': 13849, 'grocery is': 364636, 'is gaining': 447997, 'gaining momentum': 342881, 'momentum with': 536162, 'with sale': 1000553, 'sale estimated': 732189, 'estimated to': 282307, 'reach 29': 699874, '29 billion': 16468, 'in 2021': 419866, '2021 more': 14784, 'than double': 840516, 'double the': 256065, 'the 14': 847890, '14 billion': 3427, 'in 2017': 419778, '2017 how': 13855, 'are grocer': 86963, 'grocer handling': 364135, 'handling the': 376390, 'the constant': 851473, 'constant competition': 195608, 'offer both': 594543, 'both online': 135991, 'store option': 809308, 'option ecommerce': 614023, 'ecommerce robot': 266851, 'online grocery is': 608320, 'grocery is gaining': 364638, 'is gaining momentum': 447998, 'gaining momentum with': 342884, 'momentum with sale': 536163, 'with sale estimated': 1000555, 'sale estimated to': 732190, 'estimated to reach': 282311, 'to reach 29': 912790, 'reach 29 billion': 699875, '29 billion in': 16469, 'billion in 2021': 130837, 'in 2021 more': 419870, '2021 more than': 14785, 'more than double': 540608, 'than double the': 840519, 'double the 14': 256066, 'the 14 billion': 847891, '14 billion in': 3428, 'billion in 2017': 130835, 'in 2017 how': 419779, '2017 how are': 13856, 'how are grocer': 407403, 'are grocer handling': 86964, 'grocer handling the': 364136, 'handling the constant': 376391, 'the constant competition': 851474, 'constant competition to': 195609, 'competition to offer': 191747, 'to offer both': 910827, 'offer both online': 594544, 'both online and': 135992, 'online and in': 607823, 'and in store': 65071, 'in store option': 428438, 'store option ecommerce': 809309, 'option ecommerce robot': 614025, 'puppet': 689297, 'asleep': 96184, 'waking': 964662, 'censor': 169013, 'good question': 357609, 'question consider': 693566, 'this control': 886856, 'control the': 202161, 'are sell': 89944, 'out puppet': 627078, 'puppet 90': 689298, '90 are': 23276, 'are asleep': 84651, 'asleep know': 96191, 'to wake': 918288, 'the 90': 848210, '90 the': 23345, 'the waking': 871036, 'waking up': 964665, 'the censor': 850589, 'censor the': 169014, '90 asleep': 23278, 'good question consider': 357610, 'question consider this': 693567, 'consider this control': 195159, 'this control the': 886857, 'control the world': 202177, 'world are sell': 1009323, 'are sell out': 89945, 'sell out puppet': 748841, 'out puppet 90': 627079, 'puppet 90 are': 689299, '90 are asleep': 23277, 'are asleep know': 84652, 'asleep know and': 96192, 'know and are': 476253, 'and are trying': 58371, 'trying to wake': 934897, 'to wake up': 918290, 'wake up the': 964629, 'up the 90': 946153, 'the 90 the': 848214, '90 the do': 23347, 'the do not': 853450, 'not want the': 572445, 'want the waking': 965965, 'the waking up': 871037, 'waking up the': 964667, '90 the censor': 23346, 'the censor the': 850590, 'censor the to': 169016, 'the to keep': 869683, 'keep the 90': 472022, 'the 90 asleep': 848213, 'heart hurt': 388300, 'hurt for': 411574, 'this 27': 886161, 'old essential': 598243, 'worker black': 1006532, 'disability sacrificed': 243850, 'sacrificed by': 729122, 'by giant': 152677, 'food no': 315540, 'glove no': 352804, 'mask no': 519004, 'no sanitizer': 565405, 'sanitizer her': 735077, 'her mom': 392197, 'mom say': 535800, 'say gone': 738692, 'gone for': 356277, 'my heart hurt': 548654, 'heart hurt for': 388301, 'hurt for the': 411575, 'for the loss': 326540, 'loss of this': 503755, 'of this 27': 591932, 'this 27 year': 886162, 'year old essential': 1014825, 'old essential worker': 598244, 'essential worker black': 281821, 'worker black woman': 1006533, 'black woman with': 132158, 'woman with disability': 1003696, 'with disability sacrificed': 998063, 'disability sacrificed by': 243851, 'sacrificed by giant': 729123, 'by giant food': 152679, 'giant food no': 349774, 'food no glove': 315544, 'no glove no': 564356, 'glove no mask': 352808, 'no mask no': 564710, 'mask no sanitizer': 519013, 'no sanitizer her': 565408, 'sanitizer her mom': 735078, 'her mom say': 392198, 'mom say gone': 535801, 'say gone for': 738693, 'gone for 20': 356278, 'upshot': 947846, 'armageddon': 92923, 'coronageddon': 204956, 'one unexpected': 607324, 'unexpected upshot': 941391, 'upshot of': 947847, 'of armageddon': 580365, 'armageddon when': 92926, 'kid ask': 473869, 'don really': 253852, 'say yeah': 739503, 'yeah sorry': 1014294, 'sorry guy': 786053, 'guy that': 369172, 'all sold': 44385, 'today coronageddon': 919407, 'one unexpected upshot': 607325, 'unexpected upshot of': 941392, 'upshot of armageddon': 947848, 'of armageddon when': 580366, 'armageddon when the': 92927, 'when the kid': 984168, 'the kid ask': 858778, 'kid ask for': 473870, 'ask for thing': 95539, 'for thing from': 326993, 'store that you': 810583, 'that you don': 847720, 'you don really': 1018328, 'don really want': 253856, 'really want to': 702702, 'want to buy': 966005, 'buy them you': 149334, 'them you can': 876676, 'you can just': 1017708, 'just say yeah': 469707, 'say yeah sorry': 739505, 'yeah sorry guy': 1014295, 'sorry guy that': 786055, 'guy that thing': 369174, 'that thing wa': 846973, 'thing wa all': 884947, 'wa all sold': 961469, 'all sold out': 44386, 'sold out today': 781752, 'out today coronageddon': 627702, 'deeper': 231952, 'egoism': 270074, 'coexistence': 185443, 'mutual': 547084, 'ha deeper': 370339, 'deeper meaning': 231964, 'move away': 543614, 'oriented egoism': 619523, 'egoism to': 270077, 'to solidarity': 914861, 'solidarity based': 781925, 'based coexistence': 111537, 'coexistence where': 185444, 'where le': 984979, 'le is': 482999, 'enough more': 277523, 'more being': 538712, 'being than': 125917, 'than having': 840732, 'having and': 383975, 'are practicing': 89170, 'practicing an': 668719, 'an ability': 55033, 'ability that': 24386, 'ha almost': 369495, 'almost been': 46562, 'been lost': 121485, 'lost mutual': 503887, 'mutual regard': 547093, 'regard respect': 707144, 'respect take': 715052, 'believe that the': 126352, 'that the ha': 846740, 'the ha deeper': 856988, 'ha deeper meaning': 370340, 'deeper meaning to': 231965, 'meaning to move': 524847, 'to move away': 910304, 'move away from': 543615, 'away from consumer': 105869, 'from consumer oriented': 334965, 'consumer oriented egoism': 198294, 'oriented egoism to': 619524, 'egoism to solidarity': 270078, 'to solidarity based': 914862, 'solidarity based coexistence': 781926, 'based coexistence where': 111538, 'coexistence where le': 185445, 'where le is': 984980, 'le is enough': 483000, 'is enough more': 447515, 'enough more being': 277524, 'more being than': 538714, 'being than having': 125918, 'than having and': 840734, 'having and we': 383977, 'we are practicing': 970665, 'are practicing an': 89171, 'practicing an ability': 668720, 'an ability that': 55034, 'ability that ha': 24387, 'that ha almost': 844105, 'ha almost been': 369496, 'almost been lost': 46563, 'been lost mutual': 121487, 'lost mutual regard': 503888, 'mutual regard respect': 547094, 'regard respect take': 707145, 'respect take care': 715053, 'celebrated': 168809, 'culling': 220237, 'mitigating': 534547, 'guilt': 368535, 'celebrated culling': 168812, 'culling 40': 220238, '40 book': 18538, 'book from': 134530, 'my personal': 549740, 'personal collection': 652804, 'collection by': 186419, 'by online': 153432, 'at book': 98148, 'book and': 134468, 'co and': 184806, 'and ordering': 68255, 'ordering 100': 618936, 'of book': 580773, 'book for': 134525, 'for curbside': 320484, 'up mitigating': 945388, 'mitigating guilt': 534552, 'guilt by': 368538, 'by reminding': 153759, 'reminding myself': 710630, 'myself doing': 550846, 'doing my': 252539, 'local pg': 498268, 'pg business': 653942, 'celebrated culling 40': 168813, 'culling 40 book': 220239, '40 book from': 18539, 'book from my': 134531, 'from my personal': 336522, 'my personal collection': 549741, 'personal collection by': 652805, 'collection by online': 186420, 'by online shopping': 153436, 'online shopping at': 609038, 'shopping at book': 762089, 'at book and': 98149, 'book and co': 134469, 'and co and': 60035, 'co and ordering': 184807, 'and ordering 100': 68256, 'ordering 100 00': 618937, '100 00 worth': 1804, 'worth of book': 1011406, 'of book for': 580775, 'book for curbside': 134526, 'for curbside pick': 320485, 'pick up mitigating': 655735, 'up mitigating guilt': 945389, 'mitigating guilt by': 534553, 'guilt by reminding': 368539, 'by reminding myself': 153760, 'reminding myself doing': 710631, 'myself doing my': 550847, 'doing my part': 252544, 'my part to': 549711, 'part to support': 642473, 'support local pg': 826631, 'local pg business': 498269, 'pg business during': 653943, 'business during the': 143672, 'carlsberg': 164760, 'ambition': 51302, 'carlsberg pivoting': 164761, 'pivoting to': 657131, 'large scale': 479783, 'scale hand': 739891, 'production not': 682135, 'first beverage': 308543, 'beverage firm': 129002, 'do so': 250083, 'so but': 776665, 'the firm': 855268, 'firm remains': 308410, 'remains incredibly': 710027, 'incredibly consistent': 433891, 'consistent with': 195491, 'their sustainability': 874931, 'sustainability ambition': 829755, 'ambition carlsberg': 51303, 'carlsberg pivoting to': 164762, 'pivoting to large': 657136, 'to large scale': 909047, 'large scale hand': 479786, 'scale hand sanitizer': 739892, 'sanitizer production not': 735603, 'production not the': 682137, 'the first beverage': 855284, 'first beverage firm': 308544, 'beverage firm to': 129003, 'firm to do': 308440, 'to do so': 904554, 'do so but': 250088, 'so but the': 776669, 'but the firm': 147338, 'the firm remains': 855272, 'firm remains incredibly': 308411, 'remains incredibly consistent': 710028, 'incredibly consistent with': 433892, 'consistent with their': 195495, 'with their sustainability': 1001602, 'their sustainability ambition': 874932, 'sustainability ambition carlsberg': 829756, 'libyan': 488090, 'improve': 419514, 'we done': 971406, 'done our': 254973, 'of fighting': 583502, 'fighting by': 305045, 'by simply': 154020, 'simply staying': 770290, 'but libyan': 146266, 'libyan gov': 488091, 'gov didn': 359575, 'didn provide': 241164, 'provide cash': 686242, 'cash lower': 166270, 'price improve': 674641, 'improve health': 419525, 'care or': 164130, 'we done our': 971408, 'done our part': 254975, 'our part of': 624263, 'part of fighting': 642348, 'of fighting by': 583503, 'fighting by simply': 305046, 'by simply staying': 154022, 'simply staying home': 770291, 'home but libyan': 400837, 'but libyan gov': 146267, 'libyan gov didn': 488092, 'gov didn provide': 359576, 'didn provide cash': 241165, 'provide cash lower': 686243, 'cash lower price': 166271, 'lower price improve': 505961, 'price improve health': 674642, 'improve health care': 419526, 'health care or': 386241, 'care or anything': 164131, 'unruly': 943376, 'unruly survey': 943381, 'survey reveals': 828938, 'reveals consumer': 720311, '19 age': 4867, 'unruly survey reveals': 943382, 'survey reveals consumer': 828941, 'reveals consumer behavior': 720312, 'covid 19 age': 212597, 'importing': 419215, 'worsens': 1011106, 'futurefocus': 342540, 'to decline': 904012, 'in crude': 421923, 'major importing': 509360, 'importing country': 419218, 'country such': 211093, 'such india': 816569, 'and india': 65146, 'india china': 434342, 'china price': 176886, 'could fall': 209159, 'fall further': 296922, 'further if': 342063, 'pandemic worsens': 637059, 'worsens around': 1011109, 'world read': 1009925, 'how oil': 408425, 'affected futurefocus': 34361, 'outbreak ha led': 628272, 'led to decline': 485275, 'to decline in': 904015, 'decline in crude': 231346, 'in crude oil': 421926, 'crude oil demand': 219554, 'oil demand from': 596744, 'demand from major': 235539, 'from major importing': 336304, 'major importing country': 509361, 'importing country such': 419221, 'country such india': 211094, 'such india and': 816570, 'india and india': 434297, 'and india china': 65147, 'india china price': 434344, 'china price could': 176887, 'price could fall': 673280, 'could fall further': 209167, 'fall further if': 296923, 'further if the': 342064, 'if the pandemic': 415010, 'the pandemic worsens': 863164, 'pandemic worsens around': 637060, 'worsens around the': 1011110, 'the world read': 871947, 'world read more': 1009926, 'about how oil': 25457, 'how oil price': 408426, 'been affected futurefocus': 120623, 'latest in': 481387, 'the prevention': 864310, 'more 1st': 538481, '1st care': 12719, 'care hand': 163980, 'sanitizers in': 736315, 'for convenient': 320341, 'convenient shopping': 202413, 'no waiting': 565846, 'waiting period': 964376, 'period at': 651720, 'at avoid': 98082, 'latest in the': 481391, 'in the prevention': 429469, 'the prevention of': 864311, 'prevention of covid': 671877, '19 with more': 12138, 'with more 1st': 999549, 'more 1st care': 538482, '1st care hand': 12720, 'care hand sanitizers': 163982, 'hand sanitizers in': 375701, 'sanitizers in stock': 736320, 'in stock online': 428320, 'stock online for': 802573, 'online for convenient': 608221, 'for convenient shopping': 320342, 'convenient shopping and': 202414, 'shopping and no': 762003, 'and no waiting': 67647, 'no waiting period': 565847, 'waiting period at': 964378, 'period at avoid': 651721, 'at avoid touching': 98083, 'touching your face': 926754, 'conversation': 202451, 'switchtostandard': 830590, 'definition': 232418, 'important phone': 418922, 'phone conversation': 654939, 'conversation with': 202495, 'with ceo': 997586, 'to beat': 901652, 'beat we': 118583, 'we stayathome': 973390, 'stayathome teleworking': 797678, 'teleworking streaming': 836886, 'streaming help': 812821, 'lot but': 504003, 'but infrastructure': 146054, 'infrastructure might': 438211, 'in strain': 428482, 'strain to': 812305, 'secure internet': 744443, 'internet access': 441893, 'access for': 28125, 'let switchtostandard': 487096, 'switchtostandard definition': 830591, 'definition when': 232428, 'when hd': 983525, 'hd is': 384686, 'important phone conversation': 418923, 'phone conversation with': 654940, 'conversation with ceo': 202500, 'with ceo of': 997590, 'ceo of to': 169792, 'of to beat': 592206, 'to beat we': 901659, 'beat we stayathome': 118584, 'we stayathome teleworking': 973391, 'stayathome teleworking streaming': 797679, 'teleworking streaming help': 836887, 'streaming help lot': 812822, 'help lot but': 390022, 'lot but infrastructure': 504004, 'but infrastructure might': 146055, 'infrastructure might be': 438212, 'might be in': 530905, 'be in strain': 115436, 'in strain to': 428483, 'strain to secure': 812307, 'to secure internet': 913965, 'secure internet access': 744444, 'internet access for': 441897, 'access for all': 28126, 'for all let': 319145, 'all let switchtostandard': 43368, 'let switchtostandard definition': 487097, 'switchtostandard definition when': 830592, 'definition when hd': 232429, 'when hd is': 983526, 'hd is not': 384687, 'galaxy': 342916, 'winding': 995653, 'knew making': 476058, 'making chocolate': 510990, 'chocolate mean': 177685, 'mean am': 524355, 'am key': 50163, 'nh police': 562043, 'police or': 663140, 'or supermarket': 617274, 'supermarket yes': 824156, 'not making': 570514, 'making galaxy': 511083, 'galaxy bar': 342917, 'bar wa': 110783, 'wa fun': 962187, 'fun winding': 341246, 'winding up': 995654, 'up kid': 945279, 'kid saying': 474098, 'saying wa': 739746, 'wa key': 962479, 'school though': 741954, 'who knew making': 989168, 'knew making chocolate': 476059, 'making chocolate mean': 510991, 'chocolate mean am': 177686, 'mean am key': 524356, 'am key worker': 50164, 'key worker nh': 473500, 'worker nh police': 1007439, 'nh police or': 562045, 'police or supermarket': 663142, 'or supermarket yes': 617291, 'supermarket yes but': 824158, 'yes but not': 1015395, 'but not making': 146545, 'not making galaxy': 570517, 'making galaxy bar': 511084, 'galaxy bar wa': 342919, 'bar wa fun': 110784, 'wa fun winding': 962191, 'fun winding up': 341247, 'winding up kid': 995655, 'up kid saying': 945280, 'kid saying wa': 474099, 'saying wa key': 739747, 'wa key worker': 962480, 'key worker they': 473521, 'worker they had': 1007965, 'had to stay': 373730, 'stay at school': 796773, 'at school though': 100474, 'defeated': 232053, 'parson': 642213, 'remember our': 710242, 'our unity': 625230, 'unity we': 942329, 'we defeated': 971250, 'defeated prop': 232057, 'prop we': 684053, 'that type': 847153, 'of unity': 592641, 'unity again': 942315, 'again please': 37111, 'contact governor': 200089, 'governor parson': 360962, 'parson and': 642214, 'demand he': 235629, 'he take': 385497, 'action to': 30161, 'protect our': 684887, 'those out': 892296, 'remember our unity': 710244, 'our unity we': 625231, 'unity we defeated': 942330, 'we defeated prop': 971251, 'defeated prop we': 232058, 'prop we need': 684054, 'we need that': 972555, 'need that type': 555736, 'that type of': 847154, 'type of unity': 937591, 'of unity again': 592642, 'unity again please': 942316, 'again please contact': 37112, 'please contact governor': 659835, 'contact governor parson': 200090, 'governor parson and': 360963, 'parson and demand': 642215, 'and demand he': 61156, 'demand he take': 235630, 'he take action': 385498, 'take action to': 831903, 'action to protect': 30173, 'to protect our': 912320, 'protect our grocery': 684895, 'store worker and': 811453, 'worker and take': 1006338, 'and take care': 72959, 'care of those': 164122, 'of those out': 592107, 'those out of': 892297, 'respondent': 715371, 'skill': 772941, 'posed': 665119, 'almost 70': 46523, 'house respondent': 406524, 'respondent believe': 715378, 'believe their': 126368, 'their comms': 872818, 'comms team': 189523, 'the skill': 867299, 'skill required': 772971, 'challenge posed': 171531, 'posed by': 665120, 'almost 70 of': 46524, '70 of in': 21801, 'of in house': 585027, 'in house respondent': 423852, 'house respondent believe': 406525, 'respondent believe their': 715379, 'believe their comms': 126369, 'their comms team': 872819, 'comms team have': 189524, 'team have the': 835668, 'have the skill': 383026, 'the skill required': 867301, 'skill required to': 772972, 'required to handle': 713399, 'handle the challenge': 376266, 'the challenge posed': 850649, 'challenge posed by': 171532, 'posed by the': 665123, 'instability': 439892, 'pancake': 634705, 'sugar': 817421, 'bringmeauntjemima': 140223, 'finalstraw': 306142, 'job most': 466010, 'city wa': 179446, 'wa shut': 963223, 'and although': 57985, 'although stressed': 49353, 'facing some': 295606, 'some financial': 782827, 'financial instability': 306466, 'instability it': 439898, 'it seemed': 460935, 'seemed like': 746715, 'like everything': 490196, 'wa being': 961676, 'being handled': 125213, 'handled well': 376317, 'well went': 978740, 'get pancake': 347779, 'pancake and': 634706, 'and syrup': 72938, 'syrup they': 831069, 'had sugar': 373580, 'sugar free': 817456, 'free syrup': 332204, 'syrup bringmeauntjemima': 831063, 'bringmeauntjemima finalstraw': 140224, 'my job most': 548923, 'job most of': 466011, 'of the city': 590864, 'the city wa': 850963, 'city wa shut': 179447, 'wa shut down': 963224, 'to and although': 900485, 'and although stressed': 57988, 'although stressed and': 49354, 'stressed and facing': 813439, 'and facing some': 62605, 'facing some financial': 295607, 'some financial instability': 782829, 'financial instability it': 306467, 'instability it seemed': 439899, 'it seemed like': 460936, 'seemed like everything': 746716, 'like everything wa': 490198, 'everything wa being': 288071, 'wa being handled': 961680, 'being handled well': 125214, 'handled well went': 376318, 'well went to': 978741, 'to get pancake': 906555, 'get pancake and': 347780, 'pancake and syrup': 634707, 'and syrup they': 72939, 'syrup they only': 831070, 'they only had': 882823, 'only had sugar': 610561, 'had sugar free': 373581, 'sugar free syrup': 817458, 'free syrup bringmeauntjemima': 332205, 'syrup bringmeauntjemima finalstraw': 831064, 'become stressful': 120139, 'stressful supermarket': 813511, 'supermarket soldout': 822767, 'soldout coronavid19': 781841, 'coronavid19 coronacrisis': 205379, 'coronacrisis lockdownuk': 204658, 'supermarket shopping ha': 822635, 'ha become stressful': 369696, 'become stressful supermarket': 120141, 'stressful supermarket soldout': 813513, 'supermarket soldout coronavid19': 822768, 'soldout coronavid19 coronacrisis': 781842, 'coronavid19 coronacrisis lockdownuk': 205381, 'europeanunion': 283621, 'unitedkingdom': 942274, 'wttc': 1013432, 'consumerrefunds': 199757, 'risk if': 723616, 'government do': 360027, 'not provide': 571138, 'provide flexibility': 686297, 'flexibility around': 310363, 'around consumer': 93252, 'refund europeanunion': 706899, 'europeanunion unitedkingdom': 283624, 'unitedkingdom wttc': 942277, 'wttc consumerrefunds': 1013433, 'million of job': 532271, 'of job at': 585528, 'job at risk': 465679, 'at risk if': 100369, 'risk if government': 723618, 'if government do': 414173, 'government do not': 360031, 'do not provide': 249807, 'not provide flexibility': 571142, 'provide flexibility around': 686298, 'flexibility around consumer': 310364, 'around consumer refund': 93253, 'consumer refund europeanunion': 198662, 'refund europeanunion unitedkingdom': 706900, 'europeanunion unitedkingdom wttc': 283625, 'unitedkingdom wttc consumerrefunds': 942278, 'manonfire': 513323, 'cod': 185305, 'modernwarfare': 535422, 'blownup': 133409, 'searchanddestroy': 743309, 'denzelwashington': 237165, 'goodmovies': 358045, 'cleanhands': 180880, 'losmanos': 503622, 'superbowl': 818624, 'playoff': 659488, 'ohio': 596511, 'bobsburgers': 133757, 'bologna': 134132, 'team manonfire': 835722, 'manonfire cod': 513324, 'cod modernwarfare': 185314, 'modernwarfare blownup': 535423, 'blownup searchanddestroy': 133410, 'searchanddestroy denzelwashington': 743310, 'denzelwashington goodmovies': 237166, 'goodmovies toiletpaper': 358046, 'toiletpaper cleanhands': 921858, 'cleanhands losmanos': 180881, 'losmanos cleveland': 503623, 'nfl superbowl': 561781, 'superbowl playoff': 818625, 'playoff ohio': 659493, 'ohio bobsburgers': 596526, 'bobsburgers bologna': 133758, 'bologna fuel': 134133, 'fuel via': 340308, 'take one for': 832416, 'for the team': 326719, 'the team manonfire': 869210, 'team manonfire cod': 835723, 'manonfire cod modernwarfare': 513325, 'cod modernwarfare blownup': 185315, 'modernwarfare blownup searchanddestroy': 535424, 'blownup searchanddestroy denzelwashington': 133411, 'searchanddestroy denzelwashington goodmovies': 743311, 'denzelwashington goodmovies toiletpaper': 237167, 'goodmovies toiletpaper cleanhands': 358047, 'toiletpaper cleanhands losmanos': 921859, 'cleanhands losmanos cleveland': 180882, 'losmanos cleveland brown': 503624, 'cleveland brown nfl': 181845, 'brown nfl superbowl': 141249, 'nfl superbowl playoff': 561782, 'superbowl playoff ohio': 818626, 'playoff ohio bobsburgers': 659494, 'ohio bobsburgers bologna': 596527, 'bobsburgers bologna fuel': 133759, 'bologna fuel via': 134134, 'stepford': 799718, 'stepfordwives': 799721, 'when supermarket': 984092, 'were well': 980345, 'distancing wa': 247600, 'only something': 611167, 'something used': 785122, 'used in': 949937, 'in stepford': 428267, 'stepford stepfordwives': 799719, 'stepfordwives socialdistancing': 799722, 'remember when supermarket': 710417, 'when supermarket shelf': 984095, 'supermarket shelf were': 822562, 'shelf were well': 757777, 'were well stocked': 980346, 'well stocked and': 978590, 'stocked and social': 803270, 'and social distancing': 71885, 'social distancing wa': 779758, 'distancing wa only': 247605, 'wa only something': 962861, 'only something used': 611168, 'something used in': 785123, 'used in stepford': 949944, 'in stepford stepfordwives': 428268, 'stepford stepfordwives socialdistancing': 799720, 'shutitdown': 768158, 'announced shutting': 77031, 'shutting of': 768287, 'some restaurant': 783751, 'and reduced': 70100, 'reduced trading': 706201, 'trading hour': 928869, 'hour what': 406085, 'that shutitdown': 846306, 'shutitdown quarantinelife': 768159, 'retail store announced': 718607, 'store announced shutting': 806411, 'announced shutting of': 77032, 'shutting of some': 768288, 'of some restaurant': 589904, 'some restaurant in': 783752, 'restaurant in store': 716525, 'store and reduced': 806327, 'and reduced trading': 70107, 'reduced trading hour': 706202, 'trading hour what': 928870, 'hour what is': 406086, 'point of that': 662568, 'of that shutitdown': 590742, 'that shutitdown quarantinelife': 846307, 'hardy': 378349, 'you walk': 1022106, 'walk into': 964816, 'the cunt': 852568, 'cunt horders': 220366, 'horders have': 404010, 'have cleaned': 379981, 'place wasting': 657808, 'wasting my': 968321, 'time tom': 898115, 'tom hardy': 923918, 'hardy legend': 378352, 'legend via': 485940, 'when you walk': 984614, 'you walk into': 1022108, 'walk into supermarket': 964821, 'supermarket and see': 819055, 'and see the': 71145, 'see the cunt': 745821, 'the cunt horders': 852570, 'cunt horders have': 220367, 'horders have cleaned': 404011, 'have cleaned out': 379982, 'cleaned out the': 180723, 'out the place': 627405, 'the place wasting': 863778, 'place wasting my': 657809, 'wasting my time': 968322, 'my time tom': 550377, 'time tom hardy': 898116, 'tom hardy legend': 923919, 'hardy legend via': 378353, 'plot': 661077, 'to plot': 911823, 'plot and': 661078, 'ensure cattle': 277900, 'contact if': 200098, 'access to plot': 28268, 'to plot and': 911824, 'plot and ensure': 661079, 'and ensure cattle': 62162, 'ensure cattle and': 277901, 'market and on': 515978, 'and on consumer': 68054, 'on consumer plate': 600066, 'available please contact': 104558, 'please contact if': 659836, 'contact if you': 200099, 'any question or': 79720, 'outcome': 628853, 'rajagopalan': 696168, 'yves': 1027132, 'breton': 139390, 'retail outcome': 718365, 'outcome by': 628856, 'by sri': 154093, 'sri rajagopalan': 791603, 'rajagopalan yves': 696169, 'yves le': 1027133, 'le breton': 482864, 'consumer retail outcome': 198797, 'retail outcome by': 718366, 'outcome by sri': 628857, 'by sri rajagopalan': 154094, 'sri rajagopalan yves': 791604, 'rajagopalan yves le': 696170, 'yves le breton': 1027134, 'venezuelan': 954455, 'my usual': 550471, 'usual grocery': 950953, 'had line': 373246, 'line out': 493343, 'door waiting': 255772, 'in 100': 419685, 'store so': 810211, 'to another': 900564, 'another grocery': 77647, 'store went': 811213, 'went right': 979100, 'right on': 722201, 'in got': 423383, 'got everything': 358545, 'everything needed': 287930, 'needed if': 556394, 'can prevent': 159289, 'prevent it': 671664, 'it am': 456445, 'like venezuelan': 491725, 'to my usual': 910446, 'my usual grocery': 550476, 'usual grocery store': 950955, 'store it had': 808577, 'it had line': 458431, 'had line out': 373247, 'line out the': 493344, 'out the door': 627361, 'the door waiting': 853593, 'door waiting to': 255773, 'waiting to get': 964402, 'get in 100': 347288, 'in 100 people': 419686, 'in store so': 428457, 'store so went': 810240, 'went to another': 979139, 'to another grocery': 900567, 'another grocery store': 77648, 'grocery store went': 365942, 'store went right': 811214, 'went right on': 979101, 'right on in': 722203, 'on in got': 601527, 'in got everything': 423384, 'got everything needed': 358546, 'everything needed if': 287933, 'needed if can': 556395, 'if can prevent': 413931, 'can prevent it': 159290, 'prevent it am': 671665, 'it am not': 456446, 'am not going': 50251, 'going to stand': 355717, 'line for food': 493102, 'for food like': 321603, 'food like venezuelan': 315316, 'ofall': 593573, 'circuit': 178631, 'economical': 267371, 'my suggestion': 550254, 'virus first': 958186, 'first ofall': 308817, 'ofall shutdown': 593574, 'shutdown or': 768077, 'or limited': 615969, 'limited down': 492618, 'down circuit': 256635, 'circuit our': 178640, 'our india': 623524, 'india stock': 434625, 'market for': 516405, 'for economical': 320948, 'economical stability': 267380, 'stability for': 791808, 'week plz': 976759, 'plz banned': 661801, 'banned meat': 110580, 'any non': 79519, 'non vegetarian': 566520, 'vegetarian food': 954142, 'food because': 313701, 'my suggestion for': 550255, 'suggestion for covid': 817638, '19 virus first': 11799, 'virus first ofall': 958187, 'first ofall shutdown': 308818, 'ofall shutdown or': 593575, 'shutdown or limited': 768078, 'or limited down': 615970, 'limited down circuit': 492619, 'down circuit our': 256636, 'circuit our india': 178641, 'our india stock': 623525, 'india stock market': 434626, 'stock market for': 802399, 'market for economical': 516409, 'for economical stability': 320949, 'economical stability for': 267381, 'stability for few': 791810, 'for few week': 321460, 'few week plz': 304162, 'week plz banned': 976760, 'plz banned meat': 661802, 'banned meat or': 110581, 'meat or any': 525679, 'or any non': 614349, 'any non vegetarian': 79521, 'non vegetarian food': 566521, 'vegetarian food because': 954144, 'food because of': 313709, 'impacting online': 418245, 'behavior via': 124286, 'is impacting online': 448710, 'impacting online shopping': 418246, 'online shopping behavior': 609050, 'shopping behavior via': 762214, 'newz': 561231, 'chelmsford': 175303, 'easton': 265632, 'coronavirus newz': 206319, 'newz report': 561232, 'report newz': 712097, 'report from': 711969, 'from employee': 335271, 'employee market': 274038, 'market tested': 517168, 'coronavirus market': 206266, 'basket chelmsford': 112315, 'chelmsford shaw': 175304, 'shaw easton': 755817, 'easton ma': 265633, 'positive for coronavirus': 665318, 'for coronavirus newz': 320386, 'coronavirus newz report': 206320, 'newz report newz': 561234, 'report newz report': 712098, 'newz report from': 561233, 'report from employee': 711975, 'from employee market': 335272, 'employee market tested': 274039, 'market tested positive': 517169, 'for coronavirus market': 320385, 'coronavirus market basket': 206267, 'market basket chelmsford': 516077, 'basket chelmsford shaw': 112316, 'chelmsford shaw easton': 175305, 'shaw easton ma': 755818, 'stating': 796298, 'entity': 278841, 'invalid': 443579, 'really they': 702653, 'they cause': 881733, 'cause worldwide': 167804, 'worldwide now': 1010394, 're buying': 698397, 'buying major': 150692, 'major majority': 509379, 'majority stock': 509581, 'stock in': 802256, 'all large': 43344, 'large company': 479619, 'company since': 191083, 'since price': 770796, 'have crashed': 380145, 'crashed all': 215061, 'all country': 42472, 'country should': 211045, 'should pas': 766308, 'pas law': 643117, 'law stating': 482404, 'stating that': 796305, 'stock bought': 801932, 'bought by': 136527, 'by chinese': 152117, 'chinese entity': 177249, 'entity in': 278853, '2020 are': 14148, 'are invalid': 87563, 'invalid even': 443580, 'if found': 414125, 'china is really': 176760, 'is really they': 451320, 'really they cause': 702655, 'they cause worldwide': 881734, 'cause worldwide now': 167805, 'worldwide now they': 1010395, 'now they re': 576114, 'they re buying': 883006, 're buying major': 698399, 'buying major majority': 150693, 'major majority stock': 509380, 'majority stock in': 509582, 'stock in all': 802257, 'in all large': 420171, 'all large company': 43345, 'large company since': 479620, 'company since price': 191085, 'since price have': 770798, 'price have crashed': 674420, 'have crashed all': 380146, 'crashed all country': 215062, 'all country should': 42477, 'country should pas': 211049, 'should pas law': 766309, 'pas law stating': 643118, 'law stating that': 482405, 'stating that stock': 796309, 'that stock bought': 846490, 'stock bought by': 801933, 'bought by chinese': 136528, 'by chinese entity': 152118, 'chinese entity in': 177250, 'entity in 2020': 278854, 'in 2020 are': 419818, '2020 are invalid': 14149, 'are invalid even': 87564, 'invalid even if': 443581, 'even if found': 284202, 'if found in': 414127, 'found in the': 330252, 'arynews': 94706, 'diesel cash': 241653, 'cash price': 166311, 'price latest': 675024, 'latest to': 481582, 'to slump': 914750, 'slump from': 774689, 'from fallout': 335398, 'fallout arynews': 297373, 'diesel cash price': 241654, 'cash price latest': 166312, 'price latest to': 675025, 'latest to slump': 481584, 'to slump from': 914753, 'slump from fallout': 774690, 'from fallout arynews': 335399, 'see excessive': 745097, 'increase for': 432775, 'necessity report': 554253, 'to office': 910861, 'you see excessive': 1021035, 'see excessive price': 745098, 'excessive price increase': 289406, 'price increase for': 674772, 'increase for necessity': 432784, 'for necessity report': 323795, 'necessity report it': 554254, 'it to office': 461737, 'labourer': 478532, 'improvished': 419619, 'poonch': 664039, 'support in': 826582, 'food shelter': 316459, 'shelter provided': 757947, 'to stranded': 915658, 'stranded labourer': 812360, 'labourer and': 478533, 'other improvished': 620403, 'improvished by': 419620, 'by district': 152380, 'district administration': 248347, 'administration poonch': 32497, 'poonch and': 664040, 'ngo no': 561851, 'well taken': 978636, 'taken care': 832979, 'support in term': 826585, 'of food shelter': 583774, 'food shelter provided': 316463, 'shelter provided to': 757948, 'provided to stranded': 686655, 'to stranded labourer': 915659, 'stranded labourer and': 812361, 'labourer and other': 478535, 'and other improvished': 68346, 'other improvished by': 620404, 'improvished by district': 419621, 'by district administration': 152381, 'district administration poonch': 248349, 'administration poonch and': 32498, 'poonch and ngo': 664041, 'and ngo no': 67580, 'ngo no need': 561852, 'to panic everything': 911395, 'panic everything is': 638084, 'everything is well': 287890, 'is well taken': 453852, 'well taken care': 978637, 'taken care of': 832980, 'get mortgage': 347609, 'mortgage help': 541901, 'help excellent': 389671, 'excellent advice': 289070, 'from also': 334447, 'also helpful': 48351, 'helpful detail': 391171, 'detail from': 239189, 'and 15': 57376, '15 19': 3641, 'to get mortgage': 906538, 'get mortgage help': 347610, 'mortgage help excellent': 541902, 'help excellent advice': 389672, 'excellent advice from': 289071, 'advice from also': 33380, 'from also helpful': 334448, 'also helpful detail': 48352, 'helpful detail from': 391172, 'detail from and': 239190, 'from and 15': 334504, 'and 15 19': 57377, 'wednesdaywisdom': 975737, 'drove through': 260812, 'through our': 894611, 'our town': 625175, 'town today': 927570, 'today it': 919735, 'it looked': 459462, 'looked like': 502730, 'like normal': 490869, 'day grocery': 227696, 'store parking': 809467, 'lot still': 504373, 'still packed': 801015, 'packed people': 633635, 'eating inside': 266229, 'inside restaurant': 439369, 'restaurant reported': 716663, 'reported case': 712471, 'our county': 622611, 'county this': 211512, 'isn going': 454518, 'down until': 257412, 'until people': 943810, 'people become': 647236, 'serious wednesdaywisdom': 751511, 'drove through our': 260813, 'through our town': 894621, 'our town today': 625176, 'town today it': 927571, 'today it looked': 919743, 'it looked like': 459463, 'looked like normal': 502735, 'like normal day': 490871, 'normal day grocery': 567130, 'day grocery store': 227698, 'grocery store parking': 365641, 'store parking lot': 809468, 'parking lot still': 642105, 'lot still packed': 504375, 'still packed people': 801017, 'packed people eating': 633636, 'people eating inside': 647764, 'eating inside restaurant': 266230, 'inside restaurant reported': 439370, 'restaurant reported case': 716664, 'reported case of': 712477, 'case of in': 165908, 'of in our': 585036, 'in our county': 426275, 'our county this': 622614, 'county this isn': 211513, 'this isn going': 888483, 'isn going to': 454523, 'going to slow': 355711, 'slow down until': 774354, 'down until people': 257414, 'until people become': 943812, 'people become more': 647237, 'become more serious': 120063, 'more serious wednesdaywisdom': 540361, 'hm': 398645, 'twitterdogs': 936749, 'alien': 41735, 'oh wow': 596494, 'wow you': 1012628, 'guy are': 368894, 'are finally': 86563, 'finally here': 306040, 'here that': 393635, 'that honor': 844362, 'honor we': 403258, 'also very': 49061, 'very special': 955576, 'special specie': 788059, 'specie ok': 788183, 'ok hm': 597823, 'hm sorry': 398648, 'sorry but': 786024, 'but twitterdogs': 147637, 'twitterdogs alien': 936750, 'alien toiletpaper': 41748, 'oh wow you': 596495, 'wow you guy': 1012630, 'you guy are': 1018950, 'guy are finally': 368899, 'are finally here': 86564, 'finally here that': 306041, 'here that honor': 393636, 'that honor we': 844363, 'honor we are': 403259, 'we are also': 970475, 'are also very': 84487, 'also very special': 49065, 'very special specie': 955577, 'special specie ok': 788060, 'specie ok hm': 788184, 'ok hm sorry': 597824, 'hm sorry but': 398649, 'sorry but twitterdogs': 786032, 'but twitterdogs alien': 147638, 'twitterdogs alien toiletpaper': 936751, 'fred': 331572, 'meyer': 530030, 'hoglets': 399848, 'spent the': 789171, 'past hour': 643548, 'hour filling': 405583, 'for fred': 321699, 'fred meyer': 331574, 'meyer now': 530040, 'expected some': 290938, 'stock not': 802499, 'entire freaking': 278677, 'freaking list': 331539, 'list greedy': 494344, 'greedy greedy': 363522, 'greedy hoglets': 363529, 'hoglets stoppanicbuying': 399849, 'spent the past': 789175, 'the past hour': 863357, 'past hour filling': 643549, 'hour filling an': 405584, 'filling an order': 305595, 'an order for': 56698, 'order for fred': 618228, 'for fred meyer': 321700, 'fred meyer now': 331578, 'meyer now expected': 530041, 'now expected some': 574645, 'expected some thing': 290939, 'some thing to': 784045, 'of stock not': 590176, 'stock not the': 802502, 'not the entire': 571995, 'the entire freaking': 854356, 'entire freaking list': 278678, 'freaking list greedy': 331540, 'list greedy greedy': 494345, 'greedy greedy hoglets': 363523, 'greedy hoglets stoppanicbuying': 363530, 'hrc': 409682, 'rebar': 703243, 'flat steel': 310099, 'steel ha': 799332, 'been hit': 121296, 'than long': 840853, 'long steel': 501653, 'steel in': 799336, '2020 auto': 14164, 'auto industry': 103875, 'industry key': 435952, 'consumer of': 198234, 'of flat': 583581, 'affected heavily': 34366, 'heavily by': 388567, 'no surprise': 565640, 'surprise that': 828545, 'that hrc': 844389, 'hrc price': 409683, 'is below': 446125, 'below rebar': 126718, 'rebar now': 703244, 'now china': 574377, 'china steel': 176954, 'market economy': 516323, 'economy globaltrade': 267895, 'flat steel ha': 310100, 'steel ha been': 799333, 'ha been hit': 369827, 'been hit harder': 121299, 'harder than long': 378185, 'than long steel': 840854, 'long steel in': 501654, 'steel in 2020': 799337, 'in 2020 auto': 419819, '2020 auto industry': 14165, 'auto industry key': 103879, 'industry key consumer': 435953, 'key consumer of': 473262, 'consumer of flat': 198240, 'of flat steel': 583584, 'ha been affected': 369711, 'been affected heavily': 120624, 'affected heavily by': 34367, 'heavily by covid': 388568, 'it is no': 459021, 'is no surprise': 449979, 'no surprise that': 565644, 'surprise that hrc': 828547, 'that hrc price': 844390, 'hrc price is': 409684, 'price is below': 674859, 'is below rebar': 446129, 'below rebar now': 126719, 'rebar now china': 703245, 'now china steel': 574378, 'china steel market': 176955, 'steel market economy': 799345, 'market economy globaltrade': 516325, 'writerslife': 1012818, 'happily': 377549, 'printer': 678322, 'cartridge': 165541, 'lightbulb': 489627, 'stew': 799979, 'writerslife so': 1012820, 'for provision': 324842, 'provision and': 687247, 'can happily': 158559, 'happily say': 377558, 'say am': 738409, 'am having': 50118, 'having printer': 384231, 'printer cartridge': 678325, 'cartridge and': 165542, 'and lightbulb': 66150, 'lightbulb stew': 489630, 'stew for': 799982, 'writerslife so went': 1012821, 'store for provision': 807830, 'for provision and': 324843, 'provision and can': 687248, 'and can happily': 59456, 'can happily say': 158561, 'happily say am': 377559, 'say am having': 738411, 'am having printer': 50119, 'having printer cartridge': 384232, 'printer cartridge and': 678326, 'cartridge and lightbulb': 165544, 'and lightbulb stew': 66151, 'lightbulb stew for': 489631, 'stew for dinner': 799983, 'now let': 575196, 'see if': 745272, 'if walmart': 415248, 'walmart is': 965358, 'is restocking': 451476, 'restocking first': 716998, 'first in': 308721, 'line toiletpaper': 493501, 'so now let': 777907, 'now let see': 575198, 'let see if': 487033, 'see if walmart': 745284, 'if walmart is': 415249, 'walmart is restocking': 965364, 'is restocking first': 451477, 'restocking first in': 716999, 'first in line': 308723, 'in line toiletpaper': 424780, 'pse': 687461, 'intervene': 442154, 'establish': 282013, 'pse intervene': 687462, 'intervene on': 442163, 'basic commodity': 111844, 'commodity and': 189122, 'and establish': 62272, 'establish task': 282025, 'force just': 328420, 'like what': 491792, 'you did': 1018195, 'did on': 240748, 'pse intervene on': 687463, 'intervene on price': 442164, 'price of basic': 675411, 'of basic commodity': 580565, 'basic commodity and': 111847, 'commodity and establish': 189125, 'and establish task': 62273, 'establish task force': 282026, 'task force just': 834690, 'force just like': 328421, 'just like what': 469160, 'like what you': 491800, 'what you did': 982669, 'you did on': 1018199, 'did on covid': 240749, 'please reserve': 660395, 'reserve the': 714104, 'month medicine': 537857, 'medicine house': 526807, 'house food': 406296, 'item child': 463180, 'child product': 176178, 'product do': 681131, 'what gonna': 981509, 'gonna happen': 356547, 'happen in': 377101, 'one month': 606677, 'month everyone': 537711, 'ha kid': 371074, 'kid and': 473848, 'please reserve the': 660396, 'reserve the stock': 714107, 'the stock for': 867910, 'stock for month': 802172, 'for month medicine': 323529, 'month medicine house': 537858, 'medicine house food': 526808, 'house food item': 406298, 'food item child': 315199, 'item child product': 463181, 'child product do': 176179, 'product do not': 681132, 'not know what': 570307, 'know what gonna': 476955, 'what gonna happen': 981510, 'gonna happen in': 356549, 'happen in one': 377105, 'in one month': 426150, 'one month everyone': 606681, 'month everyone ha': 537712, 'everyone ha kid': 286969, 'ha kid and': 371075, 'kid and old': 473856, 'and old people': 68035, 'old people in': 598414, 'people in house': 648382, 'sneak': 776187, 'herses': 394250, 'coronatips': 205311, 'rupaul': 728173, 'rupaulsdragrace': 728176, 'dontbeshady': 255352, 'clerk when': 181819, 'see customer': 745023, 'customer try': 222997, 'to sneak': 914788, 'sneak buying': 776188, 'more hand': 539381, 'no she': 565476, 'she done': 756008, 'done already': 254764, 'already had': 47388, 'had herses': 373179, 'herses corona': 394251, 'corona tip': 204241, 'tip obey': 898842, 'the limit': 859380, 'limit coronatips': 492315, 'coronatips rupaul': 205312, 'rupaul rupaulsdragrace': 728174, 'rupaulsdragrace dontbeshady': 728177, 'me grocery clerk': 522841, 'grocery clerk when': 364386, 'clerk when see': 181820, 'when see customer': 983972, 'see customer try': 745028, 'customer try to': 222998, 'try to sneak': 934667, 'to sneak buying': 914789, 'sneak buying more': 776189, 'buying more hand': 150730, 'more hand sanitizer': 539382, 'sanitizer no she': 735420, 'no she done': 565477, 'she done already': 756009, 'done already had': 254765, 'already had herses': 47394, 'had herses corona': 373180, 'herses corona tip': 394252, 'corona tip obey': 204242, 'tip obey the': 898843, 'obey the limit': 578390, 'the limit coronatips': 859383, 'limit coronatips rupaul': 492316, 'coronatips rupaul rupaulsdragrace': 205313, 'rupaul rupaulsdragrace dontbeshady': 728175, 'ensure everyone': 277931, 'everyone safety': 287336, 'from spreading': 337386, 'spreading new': 791005, 'new shopping': 559587, 'shopping rule': 763786, 'be applied': 113666, 'applied to': 82498, 'store corona': 807173, 'to ensure everyone': 905157, 'ensure everyone safety': 277934, 'everyone safety and': 287337, 'safety and prevent': 730459, 'and prevent the': 69413, 'prevent the virus': 671738, 'the virus from': 870834, 'virus from spreading': 958217, 'from spreading new': 337390, 'spreading new shopping': 791007, 'new shopping rule': 559591, 'shopping rule will': 763788, 'will be applied': 992361, 'be applied to': 113668, 'applied to the': 82505, 'the store corona': 868001, 'store corona stayhome': 807176, 'kenney': 472790, 'extinctionrebellion': 293367, 'fridaysforfuture': 333347, 'fossilfuels': 330094, 'tarsands': 834641, 'plummeting and': 661363, 'and alberta': 57824, 'alberta jason': 40806, 'jason kenney': 464846, 'kenney is': 472794, 'is lobbying': 449414, 'for giant': 321876, 'giant government': 349780, 'bailout for': 108632, 'for big': 319671, 'big oil': 129882, 'oil add': 596590, 'your voice': 1026293, 'voice to': 960004, 'say no': 738978, 'no extinctionrebellion': 564179, 'extinctionrebellion fridaysforfuture': 293368, 'fridaysforfuture fossilfuels': 333348, 'fossilfuels tarsands': 330097, 'are plummeting and': 89122, 'plummeting and alberta': 661364, 'and alberta jason': 57825, 'alberta jason kenney': 40807, 'jason kenney is': 464847, 'kenney is lobbying': 472795, 'is lobbying for': 449415, 'lobbying for giant': 497595, 'for giant government': 321877, 'giant government bailout': 349781, 'government bailout for': 359919, 'bailout for big': 108633, 'for big oil': 319674, 'big oil add': 129883, 'oil add your': 596591, 'add your voice': 31539, 'your voice to': 1026295, 'voice to say': 960005, 'to say no': 913831, 'say no extinctionrebellion': 738981, 'no extinctionrebellion fridaysforfuture': 564180, 'extinctionrebellion fridaysforfuture fossilfuels': 293369, 'fridaysforfuture fossilfuels tarsands': 333349, 'capsule': 162905, 'posterity': 666621, 'creating time': 216089, 'time capsule': 896452, 'capsule of': 162908, 'of posterity': 588266, 'posterity news': 666622, 'news article': 560248, 'article personal': 94426, 'personal thought': 652979, 'thought consumer': 893006, 'consumer email': 197344, 'email church': 272139, 'church response': 178398, 'response government': 715713, 'letter but': 487292, 'today realized': 920098, 'need meme': 555232, 'meme send': 528355, 'send me': 749879, 'best one': 127806, 'one so': 607060, 'can add': 157372, 'add them': 31504, 'creating time capsule': 216090, 'time capsule of': 896454, 'capsule of 19': 162909, 'of 19 for': 579393, '19 for the': 7077, 'sake of posterity': 731870, 'of posterity news': 588267, 'posterity news article': 666623, 'news article personal': 560250, 'article personal thought': 94427, 'personal thought consumer': 652980, 'thought consumer email': 893008, 'consumer email church': 197346, 'email church response': 272140, 'church response government': 178400, 'response government letter': 715714, 'government letter but': 360313, 'letter but today': 487293, 'but today realized': 147605, 'today realized that': 920100, 'realized that need': 701911, 'that need meme': 845304, 'need meme send': 555233, 'meme send me': 528356, 'send me the': 749892, 'me the best': 523639, 'the best one': 849532, 'best one so': 127807, 'one so can': 607061, 'so can add': 776700, 'can add them': 157373, 'contributes': 201899, 'conventional': 202442, 'rotation': 726182, 'nitrogen': 563396, 'fixation': 309771, 'break from': 138731, 'remind all': 710478, 'the vegan': 870667, 'vegan out': 953878, 'there that': 879137, 'that organic': 845555, 'organic food': 619213, 'food contributes': 314009, 'contributes to': 201902, 'to far': 905669, 'far more': 298842, 'more demand': 538987, 'demand to': 236386, 'to animal': 900541, 'animal agriculture': 76544, 'agriculture than': 39038, 'than conventional': 840456, 'conventional food': 202443, 'and yes': 75969, 'yes this': 1015568, 'this account': 886180, 'for crop': 320463, 'crop rotation': 218942, 'rotation and': 726183, 'and nitrogen': 67597, 'nitrogen fixation': 563397, 'break from covid': 138732, '19 to remind': 11453, 'to remind all': 913196, 'remind all the': 710479, 'all the vegan': 44969, 'the vegan out': 870668, 'vegan out there': 953879, 'out there that': 627515, 'there that organic': 879142, 'that organic food': 845556, 'organic food contributes': 619215, 'food contributes to': 314010, 'contributes to far': 201903, 'to far more': 905670, 'far more demand': 298847, 'more demand to': 538994, 'demand to animal': 236388, 'to animal agriculture': 900542, 'animal agriculture than': 76547, 'agriculture than conventional': 39039, 'than conventional food': 840457, 'conventional food and': 202444, 'food and yes': 313386, 'and yes this': 75974, 'yes this account': 1015570, 'this account for': 886181, 'account for crop': 28664, 'for crop rotation': 320464, 'crop rotation and': 218943, 'rotation and nitrogen': 726184, 'and nitrogen fixation': 67598, 'pal': 634550, 'stuck inside': 814607, 'our pal': 624235, 'pal at': 634551, 'have slashed': 382582, 'slashed price': 773642, 'on bunch': 599726, 'of great': 584312, 'great game': 362699, 'game including': 343190, 'including sausage': 432134, 'sausage party': 737413, 'party their': 643046, 'their game': 873395, 'game based': 343130, 'our song': 624847, 'stuck inside our': 814613, 'inside our pal': 439351, 'our pal at': 624236, 'pal at have': 634552, 'at have slashed': 98865, 'have slashed price': 382584, 'slashed price on': 773645, 'price on bunch': 675657, 'on bunch of': 599727, 'bunch of great': 142627, 'of great game': 584314, 'great game including': 362700, 'game including sausage': 343191, 'including sausage party': 432135, 'sausage party their': 737414, 'party their game': 643047, 'their game based': 873396, 'game based on': 343131, 'based on our': 111689, 'on our song': 602631, 'simonyan': 769975, 'devastating': 239574, 'biochemicalwarfare': 131183, '20 66': 12915, '66 barrel': 21415, 'barrel lowest': 111245, 'price ever': 673714, 'ever russia': 285475, 'russia simonyan': 728571, 'simonyan this': 769976, 'worst ve': 1011299, 'seen oil': 747164, 'price pray': 675969, 'this devastating': 887214, 'devastating wuhan': 239607, 'wuhan biochemicalwarfare': 1013461, 'biochemicalwarfare on': 131184, 'on world': 605378, 'world by': 1009387, 'oil price 20': 597028, 'price 20 66': 672121, '20 66 barrel': 12916, '66 barrel lowest': 21416, 'barrel lowest price': 111247, 'lowest price ever': 506208, 'price ever russia': 673716, 'ever russia simonyan': 285476, 'russia simonyan this': 728572, 'simonyan this is': 769977, 'is the worst': 452981, 'the worst ve': 872081, 'worst ve seen': 1011300, 've seen oil': 953540, 'seen oil price': 747165, 'oil price pray': 597221, 'price pray for': 675970, 'pray for you': 669009, 'for you all': 328033, 'you all to': 1016918, 'all to survive': 45251, 'survive this devastating': 829261, 'this devastating wuhan': 887215, 'devastating wuhan biochemicalwarfare': 239608, 'wuhan biochemicalwarfare on': 1013462, 'biochemicalwarfare on world': 131185, 'on world by': 605379, 'simpleton': 770158, 'pointless': 662766, 'stayhomesavelives or': 798422, 'be selfish': 117053, 'selfish simpleton': 748258, 'simpleton and': 770159, 'for pointless': 324601, 'pointless journey': 662770, 'sunday because': 818176, 're closed': 698429, 'stayhomesavelives or be': 798423, 'or be selfish': 614512, 'be selfish simpleton': 117063, 'selfish simpleton and': 748259, 'simpleton and go': 770160, 'go for pointless': 353570, 'for pointless journey': 324602, 'pointless journey to': 662771, 'journey to supermarket': 467489, 'to supermarket on': 915820, 'supermarket on easter': 821725, 'on easter sunday': 600481, 'easter sunday because': 265504, 'sunday because they': 818177, 'they re closed': 883010, 'operative': 613330, 'workingsmart': 1009136, 'workingsafe': 1009135, 'our co': 622418, 'co operative': 184924, 'operative is': 613331, 'to providing': 912454, 'providing canadian': 686952, 'with fresh': 998550, 'fresh dairy': 332943, 'product while': 681845, 'while taking': 987363, 'taking every': 833346, 'every precaution': 286118, 'precaution for': 669313, 'our employee': 622887, 'employee customer': 273747, 'farmer view': 299563, 'view our': 957143, 'our full': 623211, 'full statement': 340891, 'at workingsmart': 101631, 'workingsmart workingsafe': 1009137, 'our co operative': 622420, 'co operative is': 184925, 'operative is committed': 613332, 'committed to providing': 189044, 'to providing canadian': 912455, 'providing canadian with': 686953, 'canadian with fresh': 160776, 'with fresh dairy': 998552, 'fresh dairy and': 332944, 'dairy and food': 224953, 'and food product': 63081, 'food product while': 316034, 'product while taking': 681849, 'while taking every': 987364, 'taking every precaution': 833347, 'every precaution for': 286122, 'precaution for the': 669315, 'for the health': 326471, 'health of our': 386688, 'of our employee': 587459, 'our employee customer': 622890, 'employee customer and': 273748, 'customer and farmer': 222074, 'and farmer view': 62704, 'farmer view our': 299564, 'view our full': 957144, 'our full statement': 623218, 'full statement on': 340892, 'statement on covid': 796198, '19 online at': 8989, 'online at workingsmart': 607903, 'at workingsmart workingsafe': 101632, 'ipsos': 444615, 'mori': 541107, 'to ipsos': 908501, 'ipsos mori': 444620, 'mori 50': 541108, '50 of': 19764, 'of chinese': 581374, 'chinese and': 177189, 'and 31': 57448, '31 of': 17599, 'of italian': 585470, 'italian consumer': 462688, 'consumer say': 198863, 're shopping': 699500, 'online more': 608552, 'frequently to': 332878, 'purchase product': 689639, 'product they': 681720, 'they usually': 883628, 'usually buy': 951101, 'buy in': 148809, 'ongoing outbreak': 607667, 'according to ipsos': 28557, 'to ipsos mori': 908502, 'ipsos mori 50': 444621, 'mori 50 of': 541109, '50 of chinese': 19766, 'of chinese and': 581375, 'chinese and 31': 177190, 'and 31 of': 57450, '31 of italian': 17601, 'of italian consumer': 585471, 'italian consumer say': 462690, 'consumer say they': 198864, 'they re shopping': 883124, 're shopping online': 699505, 'shopping online more': 763458, 'online more frequently': 608558, 'more frequently to': 539293, 'frequently to purchase': 332879, 'to purchase product': 912548, 'purchase product they': 689641, 'product they usually': 681725, 'they usually buy': 883629, 'usually buy in': 951103, 'buy in store': 148817, 'in store during': 428408, 'store during the': 807410, 'during the ongoing': 263164, 'the ongoing outbreak': 862251, 'emphasis': 273367, 'franceschini': 331056, 'the opec': 862371, 'opec meeting': 611909, 'meeting and': 527668, 'it failed': 457930, 'failed outcome': 296156, 'outcome serve': 628875, 'serve evidence': 751889, 'challenge economy': 171441, 'currently facing': 221528, 'facing while': 295658, 'while government': 986882, 'government with': 360821, 'an emphasis': 55699, 'emphasis on': 273372, 'chinese administration': 177184, 'administration attempt': 32455, '19 elizabeth': 6744, 'elizabeth franceschini': 271530, 'the opec meeting': 862375, 'opec meeting and': 611910, 'meeting and it': 527671, 'and it failed': 65525, 'it failed outcome': 457931, 'failed outcome serve': 296157, 'outcome serve evidence': 628876, 'serve evidence of': 751890, 'evidence of the': 288372, 'of the challenge': 590855, 'the challenge economy': 850640, 'challenge economy are': 171442, 'economy are currently': 267667, 'are currently facing': 85664, 'currently facing while': 221530, 'facing while government': 295659, 'while government with': 986885, 'government with an': 360822, 'with an emphasis': 997209, 'an emphasis on': 55701, 'emphasis on the': 273376, 'on the chinese': 604024, 'the chinese administration': 850842, 'chinese administration attempt': 177185, 'administration attempt to': 32456, 'attempt to handle': 102245, 'handle the spread': 376275, 'spread of 19': 790647, 'of 19 elizabeth': 579389, '19 elizabeth franceschini': 6745, 'chill': 176344, 'thanks govt': 842093, 'govt for': 361124, 'the beautiful': 849405, 'beautiful step': 118716, 'to lockdown': 909396, 'city should': 179353, 'should ve': 766622, 've done': 953057, 'done earlier': 254824, 'earlier stay': 264479, 'home enjoy': 401141, 'enjoy family': 277131, 'family time': 298315, 'time kindly': 897104, 'kindly don': 475123, 'don ask': 253344, 'and chill': 59835, 'chill together': 176381, 'together don': 920765, 'panic try': 638736, 'store sugar': 810442, 'sugar usual': 817479, 'usual food': 950942, 'item and': 463050, 'water don': 968965, 'thanks govt for': 842094, 'govt for the': 361127, 'for the beautiful': 326318, 'the beautiful step': 849406, 'beautiful step to': 118717, 'step to lockdown': 799655, 'to lockdown the': 909406, 'lockdown the city': 500006, 'the city should': 850957, 'city should ve': 179356, 'should ve done': 766624, 've done earlier': 953058, 'done earlier stay': 254825, 'earlier stay home': 264480, 'stay home enjoy': 796958, 'home enjoy family': 401142, 'enjoy family time': 277132, 'family time kindly': 298316, 'time kindly don': 897105, 'kindly don ask': 475124, 'don ask your': 253345, 'ask your friend': 95685, 'your friend and': 1023967, 'friend and their': 333513, 'their family to': 873273, 'to come and': 903019, 'come and chill': 187212, 'and chill together': 59839, 'chill together don': 176382, 'together don panic': 920766, 'don panic try': 253815, 'panic try and': 638737, 'try and store': 934456, 'and store sugar': 72518, 'store sugar usual': 810443, 'sugar usual food': 817480, 'usual food item': 950943, 'food item and': 315193, 'item and water': 463083, 'and water don': 75235, 'water don panic': 968966, 'buying put': 150940, 'delivery network': 234198, 'network however': 557728, 'predict which': 669591, 'which item': 986078, 'item consumer': 463188, 'will stock': 994988, 'on if': 601479, 'continues seo': 201435, 'panic buying put': 637856, 'buying put additional': 150941, 'pressure on the': 671219, 'the food delivery': 855541, 'food delivery network': 314136, 'delivery network however': 234199, 'network however it': 557729, 'however it is': 409403, 'it is difficult': 458929, 'is difficult to': 447175, 'to predict which': 911992, 'predict which item': 669592, 'which item consumer': 986080, 'item consumer will': 463190, 'consumer will stock': 199553, 'will stock up': 994992, 'up on if': 945581, 'on if the': 601481, 'if the spread': 415033, 'virus continues seo': 958078, 'continues seo sem': 201436, 'following against': 312673, 'after washing': 36507, 'soap stock': 779117, 'with enough': 998231, 'food isolate': 315169, 'isolate yourself': 454958, 'virus hold': 958294, 'hold onto': 399984, 'onto god': 611660, 'god god': 354715, 'will heal': 993692, 'heal our': 386069, 'in jesus': 424388, 'jesus name': 465308, 'name good': 551633, 'morning fightcovid19': 541257, 'take note of': 832377, 'note of the': 572771, 'of the following': 591037, 'the following against': 855495, 'following against covid': 312674, '19 after washing': 4859, 'after washing your': 36509, 'with soap stock': 1000806, 'soap stock your': 779118, 'stock your store': 803232, 'your store with': 1025997, 'store with enough': 811375, 'with enough food': 998233, 'enough food isolate': 277402, 'food isolate yourself': 315170, 'isolate yourself from': 454961, 'yourself from the': 1026623, 'from the corona': 337654, 'corona virus hold': 204316, 'virus hold onto': 958295, 'hold onto god': 399985, 'onto god god': 611661, 'god god will': 354716, 'god will heal': 354837, 'will heal our': 993693, 'heal our world': 386070, 'our world in': 625408, 'world in jesus': 1009660, 'in jesus name': 424390, 'jesus name good': 465309, 'name good morning': 551634, 'good morning fightcovid19': 357405, 'the image': 857890, 'image have': 416633, 'have resulted': 382305, 'in outrage': 426368, 'outrage food': 629307, 'food codvid19': 313955, 'codvid19 uk': 185417, 'uk panicbuying': 938611, 'the image have': 857891, 'image have resulted': 416634, 'have resulted in': 382306, 'resulted in outrage': 717681, 'in outrage food': 426369, 'outrage food codvid19': 629308, 'food codvid19 uk': 313956, 'codvid19 uk panicbuying': 185418, 'anybody': 80063, 'anybody looking': 80101, 'sanitizer hit': 735085, 'hit my': 398332, 'dm if': 248895, 'not rt': 571402, 'rt to': 726833, 'someone out': 784595, 'out handsanitizer': 626258, 'anybody looking for': 80102, 'looking for hand': 502871, 'hand sanitizer hit': 375442, 'sanitizer hit my': 735086, 'hit my dm': 398333, 'my dm if': 548011, 'dm if not': 248897, 'if not rt': 414507, 'not rt to': 571403, 'rt to help': 726836, 'help someone out': 390547, 'someone out handsanitizer': 784596, 'whereamask': 985410, 'mystar991': 550993, 'scary video': 741214, 'spread coronavirus': 790488, 'coronavirus across': 205447, 'supermarket whereamask': 823832, 'whereamask socialdistancing': 985411, 'socialdistancing mystar991': 780542, 'scary video show': 741215, 'cough spread coronavirus': 208563, 'spread coronavirus across': 790489, 'coronavirus across supermarket': 205448, 'across supermarket whereamask': 29473, 'supermarket whereamask socialdistancing': 823833, 'whereamask socialdistancing mystar991': 985412, 'worker positive for': 1007610, 'proliferate': 683597, 'fraudsters and': 331394, 'and scammer': 71038, 'will proliferate': 994481, 'proliferate with': 683598, 'new illegal': 558906, 'illegal scheme': 416240, 'scheme designed': 741559, 'take money': 832332, 'money out': 536959, 'people pocket': 649142, 'pocket outline': 662189, 'outline what': 629102, 'and isn': 65446, 'isn doing': 454472, 'this must': 889066, 'read piece': 700532, 'fraudsters and scammer': 331397, 'and scammer will': 71042, 'scammer will proliferate': 740659, 'will proliferate with': 994482, 'proliferate with new': 683599, 'with new illegal': 999705, 'new illegal scheme': 558907, 'illegal scheme designed': 416241, 'scheme designed to': 741560, 'designed to take': 238366, 'to take money': 916204, 'take money out': 832334, 'money out of': 536961, 'out of people': 626803, 'of people pocket': 587967, 'people pocket outline': 649143, 'pocket outline what': 662190, 'outline what should': 629103, 'what should do': 982184, 'should do and': 765922, 'do and isn': 249068, 'and isn doing': 65447, 'isn doing to': 454474, 'doing to protect': 252798, 'protect consumer in': 684807, 'consumer in this': 197836, 'in this must': 429980, 'this must read': 889068, 'must read piece': 546835, 'penn': 646529, 'reliability': 709185, 'increased economic': 433308, 'economic turmoil': 267344, 'turmoil caused': 935616, 'that blocking': 842999, 'blocking energy': 132882, 'energy infrastructure': 276481, 'infrastructure project': 438213, 'project such': 683535, 'the penn': 863439, 'penn east': 646530, 'east pipeline': 265336, 'pipeline threatens': 656916, 'threatens the': 893855, 'america energy': 51511, 'energy reliability': 276572, 'reliability and': 709186, 'time of increased': 897342, 'of increased economic': 585078, 'increased economic turmoil': 433309, 'economic turmoil caused': 267345, 'turmoil caused by': 935617, 'by the we': 154478, 'the we are': 871214, 'we are concerned': 970508, 'are concerned that': 85479, 'concerned that blocking': 193215, 'that blocking energy': 843000, 'blocking energy infrastructure': 132883, 'energy infrastructure project': 276482, 'infrastructure project such': 438214, 'project such the': 683536, 'such the penn': 816805, 'the penn east': 863440, 'penn east pipeline': 646531, 'east pipeline threatens': 265337, 'pipeline threatens the': 656917, 'threatens the future': 893856, 'future of america': 342388, 'of america energy': 580039, 'america energy reliability': 51512, 'energy reliability and': 276573, 'reliability and supply': 709187, 'service taking': 752893, 'demand many': 235837, 'business hit': 143847, 'hit hard': 398246, 'hard by': 377883, 'lockdown are': 499164, 'are finding': 86569, 'finding new': 307505, 'survive 7news': 829117, 'delivery service taking': 234468, 'service taking food': 752895, 'taking food to': 833367, 'food to family': 317249, 'to family are': 905653, 'family are struggling': 297634, 'with demand many': 997982, 'demand many business': 235839, 'many business hit': 513845, 'business hit hard': 143849, 'hit hard by': 398249, 'hard by the': 377887, '19 lockdown are': 8370, 'lockdown are finding': 499166, 'are finding new': 86572, 'finding new way': 307508, 'way to survive': 970110, 'to survive 7news': 916015, 'shotoniphone': 765459, 'iphonography': 444596, 'to somewhere': 914919, 'somewhere with': 785328, 'le hurt': 482981, 'hurt in': 411585, 'heart but': 388275, 'my pocket': 549796, 'pocket supermarket': 662207, 'supermarket covi': 819848, 'covi 19': 212535, 'groceryshopping shotoniphone': 366276, 'shotoniphone iphonography': 765460, 'off to somewhere': 594326, 'to somewhere with': 914920, 'somewhere with le': 785329, 'with le hurt': 999188, 'le hurt in': 482982, 'hurt in my': 411586, 'in my heart': 425584, 'my heart but': 548650, 'heart but in': 388276, 'in my pocket': 425613, 'my pocket supermarket': 549797, 'pocket supermarket covi': 662208, 'supermarket covi 19': 819849, 'covi 19 groceryshopping': 212536, '19 groceryshopping shotoniphone': 7297, 'groceryshopping shotoniphone iphonography': 366277, 'so lot': 777595, 'about deregulation': 25096, 'deregulation and': 237842, 'sector effort': 744178, 'effort almost': 269465, 'almost none': 46706, 'none about': 566544, 'government itself': 360291, 'itself is': 463938, 'doing re': 252620, 're production': 699318, 'of test': 590680, 'test and': 838910, 'and ppes': 69287, 'so lot of': 777596, 'lot of talk': 504297, 'of talk about': 590587, 'talk about deregulation': 833736, 'about deregulation and': 25097, 'deregulation and private': 237843, 'and private sector': 69527, 'private sector effort': 678977, 'sector effort almost': 744179, 'effort almost none': 269466, 'almost none about': 46707, 'none about what': 566545, 'what the government': 982322, 'the government itself': 856555, 'government itself is': 360292, 'itself is doing': 463939, 'is doing re': 447287, 'doing re production': 252623, 're production and': 699319, 'production and distribution': 681921, 'distribution of test': 248181, 'of test and': 590681, 'test and ppes': 838916, 'tm': 899350, 'face off': 294682, 'off 3m': 593600, '3m brings': 18305, 'brings tm': 140280, 'tm suit': 899351, 'suit against': 817750, 'against company': 37368, 'company inflating': 190784, 'for mask': 323266, 'mask now': 519027, 're needed': 699059, 'needed more': 556432, 'ever ma': 285403, 'face off 3m': 294683, 'off 3m brings': 593601, '3m brings tm': 18306, 'brings tm suit': 140281, 'tm suit against': 899352, 'suit against company': 817751, 'against company inflating': 37369, 'company inflating price': 190785, 'inflating price for': 437117, 'price for mask': 673997, 'for mask now': 323278, 'mask now that': 519032, 'now that they': 576022, 'that they re': 846947, 'they re needed': 883077, 're needed more': 699060, 'needed more than': 556433, 'than ever ma': 840592, 'oldman': 598717, 'sad on': 729204, 'this that': 890508, 'out supermarket': 627275, 'supermarket massachusetts': 821469, 'massachusetts oldman': 519919, 'it sad on': 460826, 'sad on what': 729205, 'doing during this': 252368, 'during this that': 263325, 'this that lot': 890510, 'food that they': 317101, 'that they had': 846934, 'had to throw': 373736, 'to throw out': 917565, 'throw out supermarket': 895044, 'out supermarket massachusetts': 627279, 'supermarket massachusetts oldman': 821470, 'lago': 478910, 'yard': 1014151, 'mar lago': 515017, 'lago get': 478911, 'your 95': 1022720, '95 mask': 23586, 'the trump': 870060, 'trump yard': 933993, 'yard sale': 1014162, 'sale covid': 732146, 'test at': 838926, 'at special': 100602, 'special price': 788024, 'price almost': 672277, 'almost free': 46649, 'mar lago get': 515018, 'lago get your': 478912, 'get your 95': 348689, 'your 95 mask': 1022721, '95 mask at': 23587, 'at the trump': 101132, 'the trump yard': 870071, 'trump yard sale': 933994, 'yard sale covid': 1014163, 'sale covid 19': 732147, '19 test at': 11069, 'test at special': 838931, 'at special price': 100603, 'special price almost': 788026, 'price almost free': 672279, 'explicit': 292282, 'hidden': 394805, 'co2': 185024, 'sliding': 773917, 'subsidy': 816003, 'carbontax': 163435, 'coronavirus bailouts': 205539, 'bailouts should': 108700, 'be explicit': 114741, 'explicit not': 292283, 'not hidden': 569957, 'hidden by': 394810, 'by co2': 152144, 'co2 tax': 185035, 'cut and': 223227, 'and nothing': 67799, 'for oil': 324031, 'oil money': 596959, 'money won': 537187, 'won go': 1003820, 'into production': 442895, 'production job': 682099, 'job when': 466282, 'when oil': 983791, 'are sliding': 90172, 'sliding energy': 773918, 'energy oil': 276521, 'oil airline': 596594, 'airline saudiarabia': 40012, 'saudiarabia opec': 737350, 'opec subsidy': 611969, 'subsidy co2': 816006, 'co2 carbontax': 185026, 'coronavirus bailouts should': 205540, 'bailouts should be': 108701, 'should be explicit': 765619, 'be explicit not': 114742, 'explicit not hidden': 292284, 'not hidden by': 569958, 'hidden by co2': 394811, 'by co2 tax': 152145, 'co2 tax cut': 185036, 'tax cut and': 834953, 'cut and nothing': 223230, 'and nothing for': 67803, 'nothing for oil': 573012, 'for oil money': 324037, 'oil money won': 596960, 'money won go': 537188, 'won go into': 1003824, 'go into production': 353764, 'into production job': 442896, 'production job when': 682100, 'job when oil': 466283, 'when oil price': 983793, 'price are sliding': 672737, 'are sliding energy': 90173, 'sliding energy oil': 773919, 'energy oil airline': 276522, 'oil airline saudiarabia': 596595, 'airline saudiarabia opec': 40013, 'saudiarabia opec subsidy': 737351, 'opec subsidy co2': 611970, 'subsidy co2 carbontax': 816007, 'collaboration': 185924, '3d': 18232, 'tech in': 836105, 'corona technology': 204214, 'is helping': 448391, 'helping deal': 391303, 'crisis never': 217749, 'never before': 557909, 'before digital': 122741, 'digital communication': 242528, 'communication working': 189659, 'working online': 1008831, 'online distance': 608112, 'distance learning': 246757, 'learning online': 484225, 'online online': 608615, 'shopping scientific': 763818, 'scientific collaboration': 742169, 'collaboration drone': 185926, 'drone 3d': 260053, '3d printing': 18252, 'printing and': 678336, 'more technology': 540528, 'technology workfromhome': 836398, 'tech in the': 836107, 'of corona technology': 581900, 'corona technology is': 204215, 'technology is helping': 836320, 'is helping deal': 448396, 'helping deal with': 391304, '19 crisis never': 6288, 'crisis never before': 217750, 'never before digital': 557910, 'before digital communication': 122742, 'digital communication working': 242529, 'communication working online': 189660, 'working online distance': 1008832, 'online distance learning': 608113, 'distance learning online': 246759, 'learning online online': 484227, 'online online shopping': 608617, 'online shopping scientific': 609260, 'shopping scientific collaboration': 763819, 'scientific collaboration drone': 742170, 'collaboration drone 3d': 185927, 'drone 3d printing': 260054, '3d printing and': 18253, 'printing and more': 678337, 'and more technology': 67219, 'more technology workfromhome': 540529, 'stated': 796124, 'athanasia': 101741, 'crisis make': 217691, 'make all': 509652, 'your account': 1022733, 'account eligible': 28658, 'for coronacrisis': 320371, 'coronacrisis relief': 204725, 'relief stated': 709464, 'stated in': 796134, 'news release': 560743, 'release by': 708927, 'by mr': 153252, 'mr athanasia': 544346, 'athanasia please': 101742, 'the people are': 863454, 'are in crisis': 87370, 'in crisis make': 421888, 'crisis make all': 217692, 'make all of': 509654, 'all of your': 43728, 'of your account': 593442, 'your account eligible': 1022736, 'account eligible for': 28659, 'eligible for coronacrisis': 271419, 'for coronacrisis relief': 320372, 'coronacrisis relief stated': 204727, 'relief stated in': 709465, 'stated in this': 796135, 'in this news': 429983, 'this news release': 889134, 'news release by': 560744, 'release by mr': 708928, 'by mr athanasia': 153253, 'mr athanasia please': 544347, 'athanasia please help': 101743, 'please help the': 660083, 'ct': 220082, 'webcast': 974974, 'parksdata': 642143, 'impacting every': 418215, 'every business': 285703, 'business please': 144233, 'please join': 660129, 'join on': 466795, 'at pm': 100139, 'pm ct': 661886, 'ct for': 220102, 'for webinar': 327675, 'with research': 1000472, 'research analyst': 713659, 'analyst in': 57147, 'in discussing': 422295, 'discussing covid': 244987, 'technology register': 836347, 'register marketresearch': 707582, 'marketresearch webcast': 517868, 'webcast parksdata': 974979, 'know is impacting': 476507, 'is impacting every': 448702, 'impacting every business': 418216, 'every business please': 285706, 'business please join': 144234, 'please join on': 660136, 'join on thursday': 466801, 'on thursday march': 604673, '26 at pm': 16152, 'at pm ct': 100141, 'pm ct for': 661888, 'ct for webinar': 220103, 'for webinar with': 327679, 'webinar with research': 975142, 'with research analyst': 1000473, 'research analyst in': 713661, 'analyst in discussing': 57148, 'in discussing covid': 422296, 'discussing covid 19': 244988, 'on consumer technology': 600081, 'consumer technology register': 199237, 'technology register marketresearch': 836348, 'register marketresearch webcast': 707583, 'marketresearch webcast parksdata': 517869, 'attacked': 102180, 'badge': 108119, 'news hero': 560511, 'hero worker': 394178, 'worker ha': 1007073, 'been attacked': 120707, 'attacked for': 102187, 'her id': 392128, 'id badge': 412931, 'badge at': 108120, 'supermarket hero': 820747, 'breaking news hero': 139003, 'news hero worker': 560512, 'hero worker ha': 394179, 'worker ha been': 1007074, 'ha been attacked': 369727, 'been attacked for': 120708, 'attacked for her': 102188, 'for her id': 322223, 'her id badge': 392129, 'id badge at': 412932, 'badge at supermarket': 108121, 'at supermarket hero': 100733, 'resolve': 714630, 'emergency doctor': 272671, 'doctor asks': 250843, 'asks why': 96173, 'why staff': 991371, 'better mask': 128361, 'mask than': 519335, 'than hospital': 840752, 'hospital staff': 404625, 'frontline of': 338801, 'of treatment': 592441, 'treatment what': 931168, 'is government': 448167, 'to resolve': 913363, 'resolve this': 714642, 'this shortage': 890118, 'of ppe': 588313, 'ppe health': 667971, 'emergency doctor asks': 272672, 'doctor asks why': 250844, 'asks why staff': 96174, 'why staff at': 991372, 'staff at the': 792240, 'the local retail': 859567, 'local retail store': 498348, 'store have better': 808069, 'have better mask': 379778, 'better mask than': 128362, 'mask than hospital': 519336, 'than hospital staff': 840754, 'hospital staff at': 404629, 'at the frontline': 100956, 'the frontline of': 855883, 'frontline of treatment': 338808, 'of treatment what': 592444, 'treatment what is': 931169, 'what is government': 981696, 'is government doing': 448169, 'doing to resolve': 252799, 'to resolve this': 913365, 'resolve this shortage': 714643, 'this shortage of': 890119, 'shortage of ppe': 765130, 'of ppe health': 588318, 'all takeaway': 44597, 'takeaway drink': 832851, 'drink we': 258896, 'got better': 358433, 'better drink': 128268, 'drink than': 258881, 'than any': 840345, 'll avoid': 496559, 'isolation without': 455513, 'without nice': 1002801, 'nice selection': 562470, 'selection of': 747523, 'alcohol to': 41145, 'you through': 1021725, 'through shoplocal': 894673, 'shoplocal coronacrisis': 761223, 'off all takeaway': 593627, 'all takeaway drink': 44598, 'takeaway drink we': 832852, 'drink we ve': 258897, 've got better': 953168, 'got better drink': 358434, 'better drink than': 128269, 'drink than any': 258882, 'than any supermarket': 840352, 'any supermarket and': 79888, 'supermarket and you': 819111, 'you ll avoid': 1019641, 'll avoid the': 496560, 'avoid the madness': 105327, 'the madness you': 859871, 'madness you can': 508223, 'can go into': 158501, 'go into isolation': 353754, 'into isolation without': 442669, 'isolation without nice': 455515, 'without nice selection': 1002802, 'nice selection of': 562471, 'selection of alcohol': 747525, 'of alcohol to': 579902, 'alcohol to see': 41157, 'to see you': 914102, 'see you through': 746115, 'you through shoplocal': 1021730, 'through shoplocal coronacrisis': 894674, 'wetherspoon': 980775, 'timmartin': 898528, 'bos of': 135683, 'of wetherspoon': 593043, 'wetherspoon pub': 980780, 'pub ha': 687710, 'ha suggested': 372110, 'suggested his': 817569, 'his 40': 397172, '40 00': 18509, '00 staff': 495, 'staff should': 792859, 'tesco indicating': 838724, 'indicating the': 435016, 'company would': 191360, 'not continue': 568860, 'pay employee': 644843, 'having shut': 384268, 'shut their': 767947, 'door due': 255576, '19 wetherspoon': 11990, 'wetherspoon crisis': 980778, 'crisis timmartin': 218241, 'the bos of': 849883, 'bos of wetherspoon': 135685, 'of wetherspoon pub': 593044, 'wetherspoon pub ha': 980782, 'pub ha suggested': 687711, 'ha suggested his': 372111, 'suggested his 40': 817570, 'his 40 00': 397173, '40 00 staff': 18513, '00 staff should': 497, 'staff should go': 792863, 'should go to': 766049, 'work at tesco': 1004904, 'at tesco indicating': 100843, 'tesco indicating the': 838725, 'indicating the company': 435017, 'the company would': 851365, 'company would not': 191362, 'would not continue': 1012075, 'not continue to': 568861, 'to pay employee': 911526, 'pay employee having': 644845, 'employee having shut': 273929, 'having shut their': 384269, 'shut their door': 767948, 'their door due': 873068, 'door due to': 255577, 'to the spread': 917085, 'covid 19 wetherspoon': 214060, '19 wetherspoon crisis': 11991, 'wetherspoon crisis timmartin': 980779, 'haulage': 379005, 'sewerage': 754166, 'crematorium': 216648, 'cemetery': 169004, 'teaching': 835545, 'would that': 1012313, 'same clown': 733000, 'clown who': 184382, 'want water': 966167, 'water gas': 969008, 'gas electricity': 343832, 'electricity fuel': 271174, 'fuel distribution': 340159, 'distribution port': 248198, 'port distribution': 664879, 'distribution centre': 248128, 'centre haulage': 169504, 'haulage sewerage': 379007, 'sewerage supermarket': 754167, 'supermarket crematorium': 819860, 'crematorium cemetery': 216649, 'cemetery medical': 169007, 'medical teaching': 526473, 'teaching emergency': 835550, 'emergency employee': 272679, 'employee etc': 273823, 'work through': 1005865, 'and would that': 75934, 'would that be': 1012315, 'that be the': 842948, 'the same clown': 866208, 'same clown who': 733001, 'clown who want': 184384, 'who want water': 989929, 'want water gas': 966168, 'water gas electricity': 969009, 'gas electricity fuel': 343833, 'electricity fuel distribution': 271175, 'fuel distribution port': 340160, 'distribution port distribution': 248199, 'port distribution centre': 664880, 'distribution centre haulage': 248130, 'centre haulage sewerage': 169505, 'haulage sewerage supermarket': 379008, 'sewerage supermarket crematorium': 754168, 'supermarket crematorium cemetery': 819861, 'crematorium cemetery medical': 216650, 'cemetery medical teaching': 169008, 'medical teaching emergency': 526474, 'teaching emergency employee': 835551, 'emergency employee etc': 272680, 'employee etc to': 273824, 'etc to work': 282843, 'to work through': 918794, 'pun': 689148, 'greatest': 363268, 'found my': 330290, 'my secret': 550010, 'secret stash': 743934, 'the quality': 864948, 'quality is': 691805, 'is crap': 446876, 'crap pun': 214907, 'pun intended': 689151, 'intended but': 441048, 'it think': 461638, 'the greatest': 856748, 'greatest toilet': 363296, 'paper ever': 640142, 'ever created': 285261, 'created inquire': 215836, 'inquire within': 438999, 'within pandemic': 1002409, 'found my secret': 330293, 'my secret stash': 550011, 'secret stash of': 743935, 'stash of toiletpaper': 795295, 'of toiletpaper for': 592263, 'toiletpaper for anyone': 921998, 'anyone who need': 80626, 'need it the': 555111, 'it the quality': 461569, 'the quality is': 864950, 'quality is crap': 691806, 'is crap pun': 446877, 'crap pun intended': 214908, 'pun intended but': 689152, 'intended but it': 441049, 'but it think': 146172, 'it think it': 461640, 'think it the': 885352, 'it the greatest': 461540, 'the greatest toilet': 856757, 'greatest toilet paper': 363297, 'toilet paper ever': 921270, 'paper ever created': 640143, 'ever created inquire': 285262, 'created inquire within': 215837, 'inquire within pandemic': 439000, 'wet': 980727, 'outbreak many': 628437, 'many dog': 514004, 'dog owner': 252143, 'owner have': 632457, 'on pet': 602776, 'food find': 314468, 'out what': 627804, 'what option': 981968, 'option you': 614150, 'if wet': 415351, 'wet or': 980747, 'or dry': 615089, 'dry food': 261261, '19 outbreak many': 9153, 'outbreak many dog': 628439, 'many dog owner': 514005, 'dog owner have': 252144, 'owner have been': 632458, 'forced to stock': 328658, 'up on pet': 945604, 'on pet food': 602777, 'pet food find': 653384, 'food find out': 314470, 'find out what': 307156, 'out what option': 627808, 'what option you': 981972, 'option you have': 614153, 'you have if': 1019059, 'have if wet': 381009, 'if wet or': 415352, 'wet or dry': 980748, 'or dry food': 615090, 'dry food supply': 261266, 'repression': 712971, 'distracted': 247889, 'september': 751152, 'am extremely': 50037, 'that government': 844056, 'using cover': 950435, 'cover to': 212307, 'action not': 30082, 'not supported': 571824, 'by public': 153685, 'health emergency': 386393, 'emergency just': 272766, 'just plain': 469451, 'old repression': 598446, 'repression while': 712972, 'is distracted': 447242, 'distracted there': 247894, 'be pressure': 116528, 'pressure like': 671182, 'after september': 36168, 'september 11': 751153, '11 not': 2561, 'speak out': 787703, 'am extremely concerned': 50038, 'extremely concerned that': 293864, 'concerned that government': 193217, 'that government are': 844058, 'government are using': 359907, 'are using cover': 91413, 'using cover to': 950436, 'cover to take': 212309, 'take action not': 831898, 'action not supported': 30085, 'not supported by': 571825, 'supported by public': 827045, 'by public health': 153686, 'public health emergency': 688065, 'health emergency just': 386398, 'emergency just plain': 272768, 'just plain old': 469452, 'plain old repression': 658010, 'old repression while': 598447, 'repression while the': 712973, 'world is distracted': 1009693, 'is distracted there': 447243, 'distracted there will': 247895, 'will be pressure': 992617, 'be pressure like': 116529, 'pressure like after': 671183, 'like after september': 489730, 'after september 11': 36169, 'september 11 not': 751154, '11 not to': 2562, 'not to speak': 572186, 'to speak out': 914963, 'longevity': 502124, 'invisible': 444242, 'inhale': 438423, 'bam': 109137, 'what scary': 982131, 'scary about': 741125, 'about longevity': 25663, 'longevity on': 502125, 'on surface': 603843, 'air is': 39751, 'make grocery': 509950, 'store run': 809915, 'run and': 727559, 'from shopper': 337268, 'shopper we': 761807, 'could walk': 209820, 'through an': 894318, 'an invisible': 56451, 'invisible cloud': 444243, 'coronavirus left': 206224, 'left behind': 485418, 'behind by': 124609, 'by another': 151863, 'another shopper': 77848, 'shopper inhale': 761568, 'inhale it': 438424, 'and bam': 58673, 'bam this': 109138, 'is from': 447940, 'what scary about': 982132, 'scary about longevity': 741126, 'about longevity on': 25664, 'longevity on surface': 502126, 'on surface and': 603844, 'surface and in': 827984, 'and in the': 65074, 'the air is': 848488, 'air is that': 39752, 'is that if': 452657, 'if we make': 415293, 'we make grocery': 972335, 'make grocery store': 509952, 'grocery store run': 365733, 'store run and': 809916, 'run and stay': 727562, 'and stay six': 72302, 'away from shopper': 105909, 'from shopper we': 337271, 'shopper we could': 761808, 'we could walk': 971220, 'could walk through': 209821, 'walk through an': 964891, 'through an invisible': 894322, 'an invisible cloud': 56452, 'invisible cloud of': 444244, 'cloud of coronavirus': 184311, 'of coronavirus left': 581948, 'coronavirus left behind': 206225, 'left behind by': 485420, 'behind by another': 124610, 'by another shopper': 151867, 'another shopper inhale': 77849, 'shopper inhale it': 761569, 'inhale it and': 438425, 'it and bam': 456483, 'and bam this': 58674, 'bam this is': 109139, 'this is from': 888264, 'earlier opec': 264470, 'representing about': 712938, 'about 10': 24629, 'earlier opec russia': 264471, 'nation agreed to': 552104, 'amount representing about': 53277, 'representing about 10': 712939, 'about 10 of': 24630, 'individual who': 435277, 'dangerous but': 225726, 'stamp currently': 793417, 'currently can': 221490, 'used online': 949982, 'online forcing': 608249, 'forcing some': 328733, 'health at': 386173, 'risk just': 723654, 'to access': 899947, 'access delivery': 28108, 'major equity': 509318, 'equity issue': 279949, 'for individual who': 322552, 'individual who are': 435279, 'vulnerable to covid': 961217, 'store is dangerous': 808482, 'is dangerous but': 447027, 'dangerous but food': 225727, 'but food stamp': 145740, 'food stamp currently': 316735, 'stamp currently can': 793418, 'currently can be': 221491, 'be used online': 117920, 'used online forcing': 949983, 'online forcing some': 608251, 'forcing some to': 328734, 'some to put': 784079, 'put their health': 690879, 'their health at': 873512, 'health at risk': 386175, 'at risk just': 100373, 'risk just to': 723656, 'just to buy': 470085, 'buy food not': 148664, 'food not being': 315559, 'able to access': 24443, 'to access delivery': 899949, 'access delivery is': 28109, 'delivery is major': 234141, 'is major equity': 449525, 'major equity issue': 509319, 'out my': 626593, 'my latest': 548981, 'article make': 94386, 'make online': 510272, 'shopping appealing': 762054, 'appealing during': 82099, 'check out my': 174560, 'out my latest': 626602, 'my latest article': 548982, 'latest article make': 481220, 'article make online': 94387, 'make online shopping': 510274, 'online shopping appealing': 609033, 'shopping appealing during': 762055, 'appealing during covid': 82100, 'disappointing': 244131, 'fortune': 329924, 'is disappointing': 447194, 'disappointing so': 244143, 'so see': 778162, 'see online': 745507, 'shop making': 760438, 'making absolute': 510938, 'absolute fortune': 27236, 'fortune from': 329929, 'selling mask': 749334, 'and respiratory': 70345, 'respiratory mask': 715246, 'for inflated': 322559, 'like triple': 491665, 'triple the': 932264, 'the standard': 867723, 'standard price': 793694, 'it is disappointing': 458931, 'is disappointing so': 447195, 'disappointing so see': 244144, 'so see online': 778163, 'see online shop': 745509, 'online shop making': 608979, 'shop making absolute': 760439, 'making absolute fortune': 510939, 'absolute fortune from': 27237, 'fortune from selling': 329931, 'from selling mask': 337211, 'selling mask and': 749335, 'mask and respiratory': 518363, 'and respiratory mask': 70346, 'respiratory mask for': 715247, 'mask for inflated': 518682, 'for inflated price': 322560, 'inflated price like': 437052, 'price like triple': 675048, 'like triple the': 491666, 'triple the standard': 932265, 'the standard price': 867725, 'thewalkingdead': 881062, 'today went': 920496, 'pharmacy and': 654206, 'glove trying': 352986, 'touch my': 926509, 'face keeping': 294494, 'keeping distance': 472405, 'distance to': 246862, 'others trying': 621749, 'it fast': 457957, 'fast possible': 300013, 'possible and': 665567, 'finally washing': 306134, 'hand back': 374815, 'home really': 401947, 'really felt': 702198, 'of thewalkingdead': 591879, 'today went to': 920503, 'the pharmacy and': 863648, 'pharmacy and the': 654226, 'and the supermarket': 73605, 'supermarket with glove': 823922, 'with glove trying': 998626, 'glove trying not': 352987, 'not to touch': 572202, 'to touch my': 917651, 'touch my face': 926510, 'my face keeping': 548159, 'face keeping distance': 294495, 'keeping distance to': 472409, 'distance to others': 246865, 'to others trying': 911142, 'others trying to': 621750, 'do it fast': 249476, 'it fast possible': 457958, 'fast possible and': 300014, 'possible and finally': 665570, 'and finally washing': 62862, 'finally washing my': 306135, 'my hand back': 548602, 'hand back at': 374816, 'at home really': 99090, 'home really felt': 401948, 'really felt like': 702199, 'felt like being': 303405, 'like being in': 489900, 'being in an': 125290, 'in an episode': 420299, 'episode of thewalkingdead': 279545, 'extending': 293219, 'menoume': 528607, 'spiti': 789578, 'greece': 363337, 'legislation extending': 485966, 'extending supermarket': 293230, 'hour published': 405877, 'published in': 688654, 'in government': 423390, 'government gazette': 360119, 'gazette menoume': 344764, 'menoume spiti': 528608, 'spiti stayathome': 789579, 'stayathome greece': 797487, 'legislation extending supermarket': 485967, 'extending supermarket opening': 293231, 'opening hour published': 612858, 'hour published in': 405878, 'published in government': 688657, 'in government gazette': 423393, 'government gazette menoume': 360120, 'gazette menoume spiti': 344765, 'menoume spiti stayathome': 528609, 'spiti stayathome greece': 789580, 'all told': 45265, 'distance 6ft': 246621, '6ft apart': 21594, 'apart yet': 81379, 'yet every': 1016059, 'every shop': 286167, 'just stand': 469861, 'stand right': 793579, 'right up': 722381, 'your as': 1022839, 'as and': 94716, 'wearing king': 974669, 'king mask': 475280, 'funny how we': 341745, 'are all told': 84367, 'all told to': 45266, 'told to social': 923764, 'to social distance': 914822, 'social distance 6ft': 779494, 'distance 6ft apart': 246622, '6ft apart yet': 21600, 'apart yet every': 81380, 'yet every shop': 1016061, 'every shop supermarket': 286168, 'shop supermarket in': 760862, 'in the whole': 429679, 'whole of uk': 990291, 'of uk the': 592580, 'uk the customer': 938806, 'the customer just': 852726, 'customer just stand': 222558, 'just stand right': 469863, 'stand right up': 793581, 'right up your': 722384, 'up your as': 946731, 'your as and': 1022841, 'as and wearing': 94718, 'and wearing king': 75360, 'wearing king mask': 974670, 'buying panicbuying': 150872, 'panic buying panicbuying': 637839, 'buying panicbuying stoppanicbuying': 150876, 'eleven': 271387, 'eleven firm': 271388, 'firm are': 308314, 'under investigation': 940138, 'investigation for': 443867, 'for product': 324770, 'product used': 681799, 'to mitigate': 910192, 'mitigate the': 534539, '19 increase': 7808, 'eleven firm are': 271389, 'firm are under': 308319, 'are under investigation': 91279, 'under investigation for': 940140, 'investigation for hiking': 443868, 'for hiking their': 322279, 'their price the': 874428, 'price the demand': 676828, 'demand for product': 235482, 'for product used': 324777, 'product used to': 681801, 'used to mitigate': 950070, 'to mitigate the': 910198, 'mitigate the spread': 534544, 'covid 19 increase': 213256, 'belief': 126196, 'mark cuban': 515777, 'cuban say': 220168, 'he belief': 384780, 'belief 3m': 126197, '3m isn': 18325, 'doing enough': 252374, 'get mask': 347524, 'mask where': 519549, 'needed most': 556434, 'most during': 542274, 'during national': 262807, 'emergency via': 273038, 'via 3m': 955781, '3m pricegouging': 18332, 'pricegouging coronavirus': 677802, 'mark cuban say': 515778, 'cuban say he': 220169, 'say he belief': 738726, 'he belief 3m': 384781, 'belief 3m isn': 126198, '3m isn doing': 18326, 'isn doing enough': 454473, 'doing enough to': 252378, 'enough to keep': 277709, 'price low and': 675113, 'low and get': 505126, 'and get mask': 63586, 'get mask where': 347529, 'mask where they': 519552, 'where they re': 985285, 're needed most': 699061, 'needed most during': 556435, 'most during national': 542275, 'during national emergency': 262810, 'national emergency via': 552497, 'emergency via 3m': 273039, 'via 3m pricegouging': 955782, '3m pricegouging coronavirus': 18333, 'generated': 345571, 'pointed': 662730, 'clarified': 180069, 'sufficiently': 817405, 'mitigation': 534556, 'opec et': 611882, 'et al': 282347, 'al cannot': 40563, 'damage generated': 225199, 'generated by': 345572, 'been already': 120646, 'already pointed': 47574, 'pointed out': 662733, 'out ha': 626250, 'ha clarified': 370155, 'clarified sufficiently': 180071, 'sufficiently info': 817406, 'info is': 437504, 'is free': 447923, 'free out': 332039, 'read ease': 700327, 'ease pressure': 265096, 'pressure most': 671190, 'most probably': 542661, 'probably storage': 679384, 'storage and': 805949, 'from sliding': 337313, 'sliding further': 773920, 'further so': 342164, 'so mitigation': 777742, 'opec et al': 611883, 'et al cannot': 282349, 'al cannot stop': 40564, 'cannot stop the': 162136, 'stop the damage': 805128, 'the damage generated': 852807, 'damage generated by': 225200, 'generated by covid': 345574, 'ha been already': 369716, 'been already pointed': 120648, 'already pointed out': 47575, 'pointed out ha': 662734, 'out ha clarified': 626251, 'ha clarified sufficiently': 370156, 'clarified sufficiently info': 180072, 'sufficiently info is': 817407, 'info is free': 437506, 'is free out': 447928, 'free out there': 332040, 'out there to': 627520, 'there to read': 879189, 'to read ease': 912829, 'read ease pressure': 700328, 'ease pressure most': 265097, 'pressure most probably': 671191, 'most probably storage': 542664, 'probably storage and': 679385, 'storage and prevent': 805951, 'and prevent price': 69412, 'price from sliding': 674118, 'from sliding further': 337314, 'sliding further so': 773921, 'further so mitigation': 342165, 'jeff': 464996, 'farber': 299004, 'to scrub': 913939, 'scrub down': 742895, 'store item': 808601, 'item these': 463717, 'day food': 227611, 'safety expert': 730525, 'expert prof': 291922, 'prof jeff': 682354, 'jeff farber': 465007, 'farber of': 299005, 'of offered': 587161, 'his thought': 397856, 'is it necessary': 449041, 'it necessary to': 459750, 'necessary to scrub': 554128, 'to scrub down': 913940, 'scrub down all': 742896, 'down all grocery': 256461, 'grocery store item': 365495, 'store item these': 808605, 'item these day': 463718, 'these day food': 879873, 'day food safety': 227613, 'food safety expert': 316268, 'safety expert prof': 730526, 'expert prof jeff': 291923, 'prof jeff farber': 682355, 'jeff farber of': 465008, 'farber of offered': 299006, 'of offered his': 587162, 'offered his thought': 594933, 'his thought to': 397858, 'thought to the': 893279, 'returning': 719996, 'sure should': 827670, 'should say': 766433, 'would appear': 1011526, 'appear that': 82117, 'that toiletpaper': 847078, 'toiletpaper supply': 922564, 'supply may': 825547, 'be returning': 116864, 'returning to': 720021, 'normal after': 567070, 'after fortnight': 35687, 'fortnight of': 329839, 'shelf have': 757141, 'seen some': 747243, 'some looroll': 783226, 'looroll in': 503172, 'supermarket toiletpaperpanic': 823488, 'toiletpaperpanic panicbuying': 923229, 'am not sure': 50259, 'not sure should': 571844, 'sure should say': 827671, 'should say this': 766434, 'say this but': 739362, 'it would appear': 462582, 'would appear that': 1011527, 'appear that toiletpaper': 82119, 'that toiletpaper supply': 847081, 'toiletpaper supply may': 922566, 'supply may be': 825548, 'may be returning': 521023, 'be returning to': 116866, 'returning to normal': 720023, 'to normal after': 910639, 'normal after fortnight': 567072, 'after fortnight of': 35688, 'fortnight of empty': 329841, 'empty shelf have': 275069, 'shelf have seen': 757146, 'have seen some': 382443, 'seen some looroll': 747247, 'some looroll in': 783227, 'looroll in supermarket': 503173, 'in supermarket toiletpaperpanic': 428696, 'supermarket toiletpaperpanic panicbuying': 823489, 'skimping': 773047, 'clued': 184565, 'bank to': 110253, 'make down': 509862, 'down payment': 257078, 'on house': 601372, 'some quality': 783677, 'quality tp': 691864, 'tp that': 927969, 'that extra': 843807, 'extra soft': 293644, 'soft stuff': 781486, 'stuff no': 815139, 'no skimping': 565515, 'skimping they': 773048, 'wouldn accept': 1012432, 'accept it': 27964, 'one clued': 606069, 'clued them': 184566, 'how valuable': 409131, 'valuable this': 952054, 'stuff is': 815102, 'now toiletpaper': 576192, 'toiletpaperapocalypse quarantineandchill': 922916, 'the bank to': 849256, 'bank to make': 110260, 'to make down': 909654, 'make down payment': 509863, 'down payment on': 257080, 'payment on house': 645690, 'on house with': 601374, 'house with some': 406694, 'with some quality': 1000859, 'some quality tp': 783678, 'quality tp that': 691865, 'tp that extra': 927970, 'that extra soft': 843812, 'extra soft stuff': 293645, 'soft stuff no': 781487, 'stuff no skimping': 815141, 'no skimping they': 565516, 'skimping they wouldn': 773049, 'they wouldn accept': 883958, 'wouldn accept it': 1012433, 'accept it ha': 27965, 'it ha no': 458402, 'ha no one': 371346, 'no one clued': 564924, 'one clued them': 606070, 'clued them in': 184567, 'them in on': 875907, 'in on how': 426120, 'on how valuable': 601428, 'how valuable this': 409134, 'valuable this stuff': 952055, 'this stuff is': 890392, 'stuff is now': 815103, 'is now toiletpaper': 450349, 'now toiletpaper toiletpaperapocalypse': 576198, 'toiletpaper toiletpaperapocalypse quarantineandchill': 922636, 'kke': 475865, 'backed': 107527, 'union mostly': 941911, 'mostly kke': 542973, 'kke backed': 475866, 'backed planning': 107536, 'planning day': 658531, 'of action': 579750, 'action in': 30045, 'wednesday say': 975686, 'need better': 554534, 'better health': 128313, 'protection 19': 685266, 'union mostly kke': 941912, 'mostly kke backed': 542974, 'kke backed planning': 475867, 'backed planning day': 107537, 'planning day of': 658532, 'day of action': 228052, 'of action in': 579752, 'action in support': 30048, 'in support of': 428737, 'support of supermarket': 826694, 'supermarket worker on': 824059, 'worker on wednesday': 1007492, 'on wednesday say': 605180, 'wednesday say they': 975687, 'say they need': 739344, 'they need better': 882722, 'need better health': 554535, 'better health protection': 128316, 'health protection 19': 386772, 'coeliacs': 185440, 'lactose': 478704, 'intolerant': 443340, 'xmas': 1013877, 'are removing': 89580, 'removing all': 710894, 'the free': 855762, 'shelf put': 757445, 'put extra': 690570, 'extra stock': 293655, 'on so': 603519, 'about coeliacs': 24975, 'coeliacs like': 185441, 'like my': 490814, 'daughter lactose': 226879, 'lactose intolerant': 478706, 'intolerant like': 443343, 'daughter in': 226862, 'in law': 424628, 'law bad': 482226, 'bad enough': 107837, 'enough they': 277678, 'they reduce': 883174, 'reduce this': 705990, 'this stock': 890333, 'at xmas': 101644, 'xmas easter': 1013880, 'easter etc': 265428, 'supermarket are removing': 819181, 'are removing all': 89581, 'removing all the': 710896, 'all the free': 44753, 'the free from': 855764, 'free from food': 331860, 'from food from': 335508, 'from the shelf': 337876, 'the shelf put': 866871, 'shelf put extra': 757446, 'put extra stock': 690572, 'extra stock on': 293656, 'stock on so': 802563, 'on so what': 603525, 'what about coeliacs': 980963, 'about coeliacs like': 24976, 'coeliacs like my': 185442, 'like my daughter': 490818, 'my daughter lactose': 547931, 'daughter lactose intolerant': 226880, 'lactose intolerant like': 478707, 'intolerant like my': 443344, 'my daughter in': 547928, 'daughter in law': 226863, 'in law bad': 424630, 'law bad enough': 482227, 'bad enough they': 107844, 'enough they reduce': 277680, 'they reduce this': 883177, 'reduce this stock': 705991, 'this stock at': 890334, 'stock at xmas': 801891, 'at xmas easter': 101645, 'xmas easter etc': 1013881, 'troop': 932536, 'definitely frontline': 232336, 'frontline troop': 338848, 'troop but': 932539, 'but shout': 147050, 'staff who': 793083, 'job customer': 465766, 'customer facing': 222368, 'facing and': 295399, 'facing 19': 295394, 'nh staff are': 562077, 'staff are definitely': 792184, 'are definitely frontline': 85735, 'definitely frontline troop': 232337, 'frontline troop but': 338849, 'troop but shout': 932540, 'but shout out': 147051, 'to supermarket staff': 915837, 'supermarket staff who': 822906, 'staff who are': 793085, 'who are doing': 988133, 'great job customer': 362784, 'job customer facing': 465767, 'customer facing and': 222370, 'facing and customer': 295400, 'and customer facing': 60840, 'customer facing 19': 222369, 'brigaid': 139781, 'trustedhelpatyourfingertips': 934357, 'safe stayhomestaysafe': 729986, 'stayhomestaysafe socialdistancing': 798524, 'socialdistancing brigaid': 780254, 'brigaid trustedhelpatyourfingertips': 139782, 'stay home stay': 797004, 'stay safe stayhomestaysafe': 797280, 'safe stayhomestaysafe socialdistancing': 729987, 'stayhomestaysafe socialdistancing brigaid': 798525, 'socialdistancing brigaid trustedhelpatyourfingertips': 780255, 'lyon': 507139, '1m': 12645, 'my main': 549189, 'main supermarket': 508832, 'in lyon': 424967, 'lyon the': 507148, 'are confined': 85487, 'confined 1m': 194039, '1m from': 12657, 'other it': 620438, 'it quiet': 460583, 'quiet no': 694688, 'and plenty': 69123, 'food the': 317111, 'situation appears': 772194, 'be different': 114445, 'uk which': 938887, 'just walked into': 470210, 'walked into my': 964958, 'into my main': 442784, 'my main supermarket': 549193, 'main supermarket in': 508835, 'supermarket in lyon': 820926, 'in lyon the': 424970, 'lyon the shopper': 507149, 'the shopper are': 867049, 'shopper are confined': 761386, 'are confined 1m': 85488, 'confined 1m from': 194040, '1m from each': 12658, 'each other it': 264187, 'other it quiet': 620439, 'it quiet no': 460584, 'quiet no queue': 694689, 'no queue and': 565261, 'queue and plenty': 693868, 'and plenty of': 69124, 'of food the': 583795, 'food the situation': 317132, 'the situation appears': 867243, 'situation appears to': 772195, 'to be different': 901203, 'be different in': 114447, 'different in the': 241968, 'the uk which': 870301, 'uk which ha': 938888, 'which ha no': 985892, 'ha no restriction': 371349, 'skyrocketing because': 773412, 'shopping cbs': 762333, 'cbs boston': 168370, 'egg price are': 269956, 'are skyrocketing because': 90162, 'skyrocketing because of': 773413, 'because of panic': 119387, 'of panic shopping': 587734, 'panic shopping cbs': 638566, 'shopping cbs boston': 762334, 'roi': 725052, 'capitalmarkets': 162846, 'roi price': 725053, 'price first': 673875, 'first ever': 308662, 'ever 50': 285182, '50 year': 19914, 'year bond': 1014438, 'bond to': 134269, 'fund covid': 341380, 'relief effort': 709316, 'effort capitalmarkets': 269497, 'capitalmarkets finance': 162847, 'roi price first': 725054, 'price first ever': 673876, 'first ever 50': 308663, 'ever 50 year': 285183, '50 year bond': 19916, 'year bond to': 1014439, 'bond to fund': 134270, 'to fund covid': 906329, 'fund covid 19': 341381, '19 relief effort': 10078, 'relief effort capitalmarkets': 709321, 'effort capitalmarkets finance': 269498, 'winner': 996014, 'became': 118856, 'downloaded': 257645, 'overtaking': 631612, 'grocery ha': 364579, 'ha surged': 372122, 'surged during': 828304, 'clear winner': 181386, 'winner so': 996043, 'far walmart': 298968, 'grocery became': 364310, 'became the': 118890, 'number one': 577022, 'one most': 606697, 'most downloaded': 542266, 'downloaded app': 257646, 'shopping category': 762329, 'category on': 167199, 'the iphone': 858438, 'iphone app': 444560, 'app store': 81764, 'store overtaking': 809419, 'overtaking amazon': 631613, 'demand for online': 235465, 'for online grocery': 324105, 'online grocery ha': 608318, 'grocery ha surged': 364581, 'ha surged during': 372124, 'surged during the': 828305, 'pandemic and walmart': 634916, 'and walmart is': 75162, 'walmart is clear': 965359, 'is clear winner': 446552, 'clear winner so': 181387, 'winner so far': 996044, 'so far walmart': 777066, 'far walmart grocery': 298969, 'walmart grocery became': 965336, 'grocery became the': 364311, 'became the number': 118892, 'the number one': 861958, 'number one most': 577025, 'one most downloaded': 606698, 'most downloaded app': 542267, 'downloaded app in': 257647, 'app in the': 81723, 'in the shopping': 429546, 'the shopping category': 867058, 'shopping category on': 762330, 'category on the': 167202, 'on the iphone': 604189, 'the iphone app': 858440, 'iphone app store': 444561, 'app store overtaking': 81767, 'store overtaking amazon': 809420, 'think price': 885501, 'stay below': 796792, 'below 30': 126572, '30 one': 17160, 'one year': 607521, 'year but': 1014442, 'know covid': 476340, '19 russia': 10274, 'saudi oil': 737281, 'dont think price': 255297, 'think price can': 885502, 'price can stay': 673066, 'can stay below': 159737, 'stay below 30': 796793, 'below 30 one': 126575, '30 one year': 17161, 'one year but': 607524, 'year but who': 1014452, 'but who know': 147853, 'who know covid': 989180, 'know covid 19': 476341, 'covid 19 russia': 213732, '19 russia saudi': 10275, 'russia saudi oil': 728559, 'saudi oil war': 737283, '19 aftermath': 4860, 'aftermath third': 36667, 'order cancelled': 618115, 'cancelled grave': 161115, 'grave crisis': 362428, 'crisis grip': 217423, 'grip export': 364013, 'export hub': 292651, 'hub via': 409837, 'via overseas': 956154, 'overseas buyer': 631467, 'to renegotiate': 913226, 'renegotiate contract': 710957, 'contract term': 201703, 'term and': 838054, 'and seek': 71167, 'seek cut': 746571, 'in product': 427016, 'covid 19 aftermath': 212594, '19 aftermath third': 4861, 'aftermath third of': 36668, 'third of order': 886087, 'of order cancelled': 587330, 'order cancelled grave': 618117, 'cancelled grave crisis': 161116, 'grave crisis grip': 362429, 'crisis grip export': 217424, 'grip export hub': 364014, 'export hub via': 292652, 'hub via overseas': 409838, 'via overseas buyer': 956155, 'overseas buyer are': 631468, 'buyer are using': 149580, 'are using the': 91433, 'using the crisis': 950697, 'the crisis to': 852465, 'crisis to renegotiate': 218253, 'to renegotiate contract': 913227, 'renegotiate contract term': 710958, 'contract term and': 201704, 'term and seek': 838060, 'and seek cut': 71168, 'seek cut in': 746572, 'cut in product': 223383, 'in product price': 427018, 'gaffney': 342710, 'group have': 366719, 'have sought': 382661, 'reassure the': 703198, 'public that': 688351, 'that shelf': 846248, 'shelf will': 757810, 'remain stocked': 709864, 'to bulk': 902101, 'grocery gaffney': 364548, 'gaffney report': 342711, 'report more': 712088, 'government and the': 359875, 'and the main': 73467, 'the main supermarket': 859913, 'main supermarket group': 508834, 'supermarket group have': 820595, 'group have sought': 366722, 'have sought to': 382662, 'sought to reassure': 786217, 'to reassure the': 912892, 'reassure the public': 703199, 'the public that': 864858, 'public that shelf': 688355, 'that shelf will': 846250, 'shelf will remain': 757812, 'will remain stocked': 994636, 'remain stocked and': 709865, 'stocked and there': 803272, 'need to bulk': 555874, 'to bulk buy': 902102, 'bulk buy grocery': 142257, 'buy grocery gaffney': 148753, 'grocery gaffney report': 364549, 'gaffney report more': 342712, 'lockdownparis': 500359, 'deserted': 238006, 'lockdownparis day': 500360, 'day street': 228421, 'street deserted': 812945, 'deserted when': 238015, 'lockdownparis day street': 500361, 'day street deserted': 228422, 'street deserted when': 812946, 'deserted when went': 238016, 'when went out': 984489, 'went out to': 979095, 'alcohol in': 41027, 'in homemade': 423794, 'sanitizer lower': 735315, 'lower immunity': 505877, 'immunity part': 417418, 'part full': 642282, 'alcohol in homemade': 41031, 'in homemade hand': 423795, 'hand sanitizer lower': 375478, 'sanitizer lower immunity': 735316, 'lower immunity part': 505878, 'immunity part full': 417419, 'part full video': 642283, 'we greatly': 971689, 'greatly appreciate': 363307, 'the foundation': 855727, 'foundation providing': 330502, 'providing funding': 687008, 'funding to': 341621, 'clothing pantry': 184274, 'pantry to': 639696, 'growing food': 367196, 'insecurity issue': 439168, 'issue during': 455726, 'this funding': 887659, 'funding will': 341634, 'for pantry': 324373, 'pantry operation': 639642, 'operation and': 613130, 'and emergency': 62034, 'the additional': 848344, 'additional demand': 31807, 'we greatly appreciate': 971690, 'greatly appreciate the': 363309, 'appreciate the foundation': 82756, 'the foundation providing': 855730, 'foundation providing funding': 330503, 'providing funding to': 687009, 'funding to our': 341626, 'to our food': 911182, 'our food clothing': 623103, 'food clothing pantry': 313949, 'clothing pantry to': 184275, 'pantry to address': 639697, 'address the growing': 32036, 'the growing food': 856879, 'growing food insecurity': 367197, 'food insecurity issue': 315069, 'insecurity issue during': 439169, 'issue during the': 455727, '19 crisis this': 6337, 'crisis this funding': 218223, 'this funding will': 887660, 'funding will be': 341635, 'will be used': 992754, 'used for pantry': 949909, 'for pantry operation': 324375, 'pantry operation and': 639643, 'operation and emergency': 613133, 'and emergency food': 62035, 'food to meet': 317273, 'meet the additional': 527592, 'the additional demand': 848346, 'who walk': 989923, 'problem it': 679576, 'it up': 461952, 'people who walk': 650355, 'who walk into': 989924, 'walk into retail': 964820, 'store you are': 811679, 'the problem it': 864515, 'problem it up': 679581, 'it up to': 461972, 'up to you': 946452, 'to you to': 918933, 'you to make': 1021803, 'make this shit': 510649, 'available at home': 104251, 'at home retail': 99093, 'dankie': 225868, 'dankie so': 225869, 'can they': 159972, 'reduce whiskey': 706004, 'whiskey price': 987775, 'can fight': 158295, 'dankie so can': 225870, 'so can they': 776728, 'can they reduce': 159979, 'they reduce whiskey': 883178, 'reduce whiskey price': 706005, 'whiskey price so': 987776, 'price so we': 676517, 'so we can': 778660, 'we can fight': 970948, 'can fight this': 158299, 'fight this covid': 304915, 'reassuring': 703224, 'talked to': 833941, 'from about': 334358, 'store panic': 809455, 'panic they': 638700, 're reassuring': 699365, 'reassuring people': 703233, 'people there': 649805, 'chain coronacrisis': 170620, 'talked to expert': 833943, 'to expert from': 905466, 'expert from about': 291842, 'from about grocery': 334360, 'grocery store panic': 365637, 'store panic they': 809460, 'panic they re': 638702, 'they re reassuring': 883109, 're reassuring people': 699366, 'reassuring people there': 703235, 'people there is': 649807, 'supply chain coronacrisis': 824939, 'sacrificial': 729128, 'lamb': 479150, 'responder the': 715529, 'employee the': 274294, 'other sacrificial': 620861, 'sacrificial lamb': 729129, 'lamb for': 479153, 'for capitalism': 319927, 'capitalism profit': 162778, 'profit by': 682685, 'by fighting': 152582, 'for raising': 324946, 'raising the': 696140, 'wage and': 963803, 'and hazard': 64307, 'thank the first': 841639, 'the first responder': 855341, 'first responder the': 308967, 'responder the healthcare': 715531, 'the healthcare worker': 857202, 'healthcare worker the': 387389, 'worker the grocery': 1007930, 'store employee the': 807551, 'employee the essential': 274296, 'the essential worker': 854528, 'essential worker and': 281814, 'worker and all': 1006270, 'the other sacrificial': 862552, 'other sacrificial lamb': 620862, 'sacrificial lamb for': 729130, 'lamb for capitalism': 479154, 'for capitalism profit': 319928, 'capitalism profit by': 162779, 'profit by fighting': 682688, 'by fighting for': 152583, 'fighting for raising': 305078, 'for raising the': 324954, 'raising the minimum': 696145, 'the minimum wage': 860650, 'minimum wage and': 533222, 'wage and hazard': 963812, 'and hazard pay': 64308, 'about she': 26173, 'she tweeted': 756397, 'tweeted on': 936441, 'march 10': 515049, '10 remember': 1652, 'is strong': 452383, 'strong the': 814131, 'strong amp': 813968, 'amp job': 54030, 'job are': 465653, 'are growing': 86971, 'growing which': 367257, 'which put': 986250, 'best economic': 127674, 'economic position': 267206, 'position to': 665192, 'tackle amp': 831556, 'amp keep': 54042, 'american safe': 52175, 'concerned about she': 193171, 'about she tweeted': 26174, 'she tweeted on': 756398, 'tweeted on march': 936442, 'on march 10': 602007, 'march 10 remember': 515050, '10 remember this': 1653, 'remember this the': 710354, 'this the consumer': 890516, 'consumer is strong': 197942, 'is strong the': 452392, 'strong the economy': 814132, 'economy is strong': 268015, 'is strong amp': 452384, 'strong amp job': 813969, 'amp job are': 54031, 'job are growing': 465657, 'are growing which': 86977, 'growing which put': 367258, 'which put in': 986252, 'put in the': 690622, 'in the best': 429020, 'the best economic': 849508, 'best economic position': 127676, 'economic position to': 267208, 'position to tackle': 665199, 'to tackle amp': 916123, 'tackle amp keep': 831557, 'amp keep american': 54043, 'keep american safe': 471311, 'wallet': 965208, 'disturbing that': 248419, 'that scammer': 846143, 'already trying': 47729, 'crisis don': 217304, 'them stay': 876321, 'vigilant and': 957233, 'about step': 26258, 'step you': 799712, 'yourself your': 1026770, 'information and': 437732, 'your wallet': 1026301, 'disturbing that scammer': 248422, 'that scammer are': 846144, 'scammer are already': 740527, 'are already trying': 84429, 'already trying to': 47730, 'trying to exploit': 934802, 'exploit the crisis': 292363, 'the crisis don': 852366, 'crisis don let': 217305, 'don let them': 253695, 'let them stay': 487162, 'them stay vigilant': 876325, 'stay vigilant and': 797382, 'vigilant and visit': 957238, 'and visit to': 74987, 'learn about step': 483942, 'about step you': 26259, 'step you can': 799713, 'you can take': 1017806, 'can take to': 159908, 'take to protect': 832739, 'protect yourself your': 685107, 'yourself your personal': 1026773, 'your personal information': 1025264, 'personal information and': 652887, 'information and your': 437749, 'and your wallet': 76101, 'seasonal': 743461, 'food ha': 314741, 'been overwhelming': 121637, 'overwhelming many': 631756, 'many part': 514476, 'and seasonal': 71109, 'seasonal worker': 743481, 'now facing': 574657, 'facing their': 295625, 'their second': 874635, 'second pay': 743790, 'pay period': 645042, 'period without': 651935, 'without income': 1002730, 'income report': 432448, 'say the demand': 739274, 'for food ha': 321588, 'food ha been': 314745, 'ha been overwhelming': 369864, 'been overwhelming many': 121639, 'overwhelming many part': 631757, 'many part time': 514478, 'part time and': 642443, 'time and seasonal': 896294, 'and seasonal worker': 71110, 'seasonal worker are': 743482, 'worker are now': 1006409, 'are now facing': 88548, 'now facing their': 574659, 'facing their second': 295626, 'their second pay': 874636, 'second pay period': 743791, 'pay period without': 645043, 'period without income': 651936, 'without income report': 1002732, 'prepper': 670379, 'prepping': 670418, 'the ultimate': 870310, 'ultimate prepper': 939125, 'prepper we': 670392, 'have 80': 379102, '80 box': 22557, 'box roll': 137152, 'of scott': 589413, 'scott toilet': 742466, 'stock 49': 801754, '49 prepping': 19401, 'prepping toiletpaper': 670429, 'toiletpaper coronapocolypse': 921892, 'coronapocolypse outbreak': 205231, 'outbreak panicbuying': 628522, 'the ultimate prepper': 870317, 'ultimate prepper we': 939126, 'prepper we have': 670393, 'we have 80': 971743, 'have 80 box': 379103, '80 box roll': 22558, 'box roll of': 137153, 'roll of scott': 725416, 'of scott toilet': 589414, 'scott toilet paper': 742467, 'paper in stock': 640330, 'in stock 49': 428277, 'stock 49 prepping': 801755, '49 prepping toiletpaper': 19402, 'prepping toiletpaper coronapocolypse': 670430, 'toiletpaper coronapocolypse outbreak': 921893, 'coronapocolypse outbreak panicbuying': 205232, 'srilanka': 791607, 'lka': 496519, 'tamil': 834102, 'tamilnadu': 834109, 'enter into': 278262, 'finally you': 306140, 'you saw': 1020992, 'saw the': 738260, 'entrance srilanka': 278899, 'srilanka lka': 791613, 'lka tamil': 496524, 'tamil tamilnadu': 834107, 'tamilnadu india': 834112, 'waiting in long': 964353, 'in long queue': 424913, 'long queue to': 501588, 'queue to enter': 694093, 'to enter into': 905220, 'enter into supermarket': 278263, 'supermarket and finally': 818983, 'and finally you': 62863, 'finally you saw': 306141, 'you saw the': 1020994, 'saw the entrance': 738265, 'the entrance srilanka': 854385, 'entrance srilanka lka': 278900, 'srilanka lka tamil': 791615, 'lka tamil tamilnadu': 496525, 'tamil tamilnadu india': 834108, 'detects': 239362, 'facebookads': 295006, 'ppc': 667881, 'protect against': 684756, 'against inflated': 37513, 'price facebook': 673755, 'facebook is': 294947, 'is banning': 445993, 'banning more': 110635, 'more type': 540838, 'of ad': 579763, 'ad for': 31099, 'product which': 681835, 'which required': 986268, 'the content': 851657, 'content will': 200858, 'be removed': 116787, 'removed if': 710866, 'if facebook': 414107, 'facebook detects': 294899, 'detects abuse': 239363, 'abuse around': 27618, 'around these': 93581, 'in organic': 426227, 'organic post': 619231, 'post too': 666379, 'too facebook': 924722, 'facebook facebookads': 294907, 'facebookads ppc': 295007, 'ppc corona': 667882, 'to protect against': 912290, 'protect against inflated': 684764, 'against inflated price': 37514, 'inflated price facebook': 437040, 'price facebook is': 673756, 'facebook is banning': 294948, 'is banning more': 445994, 'banning more type': 110636, 'more type of': 540839, 'type of ad': 937546, 'of ad for': 579764, 'ad for product': 31104, 'for product which': 324778, 'product which required': 681841, 'which required to': 986269, 'required to prevent': 713404, '19 the content': 11180, 'the content will': 851659, 'content will be': 200859, 'will be removed': 992644, 'be removed if': 116789, 'removed if facebook': 710867, 'if facebook detects': 414108, 'facebook detects abuse': 294900, 'detects abuse around': 239364, 'abuse around these': 27619, 'around these product': 93582, 'these product in': 880557, 'product in organic': 681293, 'in organic post': 426228, 'organic post too': 619232, 'post too facebook': 666380, 'too facebook facebookads': 924723, 'facebook facebookads ppc': 294908, 'facebookads ppc corona': 295008, 'kroger is': 477744, 'denying paid': 237155, 'to quarantined': 912653, 'quarantined worker': 692894, 'worker despite': 1006770, 'despite promise': 238821, 'promise two': 683706, 'quarantine because': 692046, 'of contracting': 581830, '19 say': 10323, 'the chain': 850628, 'is refusing': 451387, 'kroger is denying': 477745, 'is denying paid': 447127, 'denying paid leave': 237156, 'paid leave to': 634066, 'leave to quarantined': 485014, 'to quarantined worker': 912654, 'quarantined worker despite': 692895, 'worker despite promise': 1006772, 'despite promise two': 238823, 'promise two kroger': 683707, 'two kroger supermarket': 937000, 'kroger supermarket employee': 477772, 'employee who need': 274431, 'need to self': 556062, 'self quarantine because': 747846, 'quarantine because they': 692047, 'high risk of': 395366, 'risk of contracting': 723739, 'of contracting covid': 581833, 'covid 19 say': 213745, '19 say that': 10326, 'say that the': 739252, 'that the chain': 846678, 'the chain is': 850630, 'chain is refusing': 170843, 'is refusing to': 451388, 'refusing to provide': 707098, 'unsettled': 943474, 'triggerchange': 931900, 'repealbillc71': 711497, 'notforsale': 572890, 'an individual': 56281, 'individual or': 435233, 'or family': 615265, 'family considering': 297717, 'considering how': 195377, 'how best': 407452, 'best they': 127922, 'can improve': 158734, 'improve their': 419548, 'own security': 632194, 'security economic': 744589, 'economic food': 267100, 'yes physical': 1015513, 'physical during': 655419, 'during dangerous': 262582, 'and unsettled': 74710, 'unsettled time': 943475, 'time triggerchange': 898130, 'triggerchange repealbillc71': 931901, 'repealbillc71 notforsale': 711498, 'notforsale matt': 572891, 'gurney on': 368827, 'wrong with an': 1013150, 'with an individual': 997217, 'an individual or': 56284, 'individual or family': 435234, 'or family considering': 615266, 'family considering how': 297718, 'considering how best': 195378, 'how best they': 407453, 'best they can': 127923, 'they can improve': 881638, 'can improve their': 158735, 'improve their own': 419549, 'their own security': 874201, 'own security economic': 632195, 'security economic food': 744590, 'economic food and': 267101, 'and yes physical': 75971, 'yes physical during': 1015514, 'physical during dangerous': 655420, 'during dangerous and': 262583, 'dangerous and unsettled': 225723, 'and unsettled time': 74711, 'unsettled time triggerchange': 943476, 'time triggerchange repealbillc71': 898131, 'triggerchange repealbillc71 notforsale': 931902, 'repealbillc71 notforsale matt': 711499, 'notforsale matt gurney': 572892, 'matt gurney on': 520519, 'gurney on covid': 368828, 'habra': 372728, 'exclusively': 289707, 'la habra': 478171, 'habra is': 372729, 'is trying': 453393, 'help local': 390008, 'local senior': 498382, 'senior during': 750281, 'by opening': 153444, 'door half': 255602, 'half hour': 374183, 'early each': 264584, 'day exclusively': 227585, 'exclusively for': 289714, 'shopper 65': 761335, '65 and': 21334, 'supermarket in la': 820919, 'in la habra': 424563, 'la habra is': 478172, 'habra is trying': 372730, 'is trying to': 453396, 'trying to help': 934817, 'to help local': 907553, 'help local senior': 390012, 'local senior during': 498383, 'senior during the': 750283, '19 pandemic by': 9280, 'pandemic by opening': 635074, 'by opening it': 153445, 'opening it door': 612865, 'it door half': 457680, 'door half hour': 255603, 'half hour early': 374185, 'hour early each': 405563, 'early each day': 264585, 'each day exclusively': 264042, 'day exclusively for': 227586, 'exclusively for shopper': 289722, 'for shopper 65': 325568, 'shopper 65 and': 761336, '65 and older': 21336, 'teaming': 835869, 'needy': 556665, 'charlottenc': 173776, 'makingadifference': 511510, 'for teaming': 326164, 'teaming up': 835870, 'local hospital': 498086, 'other needy': 620574, 'needy group': 556684, 'group in': 366737, 'the charlottenc': 850710, 'charlottenc area': 173777, 'area makingadifference': 92107, 'kudos to and': 477881, 'to and for': 900502, 'and for teaming': 63159, 'for teaming up': 326165, 'teaming up to': 835871, 'up to make': 946396, 'sanitizer to give': 735923, 'give to local': 350792, 'to local hospital': 909378, 'local hospital and': 498087, 'hospital and other': 404284, 'and other needy': 68370, 'other needy group': 620575, 'needy group in': 556685, 'group in the': 366741, 'in the charlottenc': 429066, 'the charlottenc area': 850711, 'charlottenc area makingadifference': 173778, 'an interest': 56398, 'interest read': 441409, 'make an interest': 509684, 'an interest read': 56399, 'sharp': 755666, 'volatility': 960064, 'separation': 751111, 'pandemic along': 634824, 'with sharp': 1000664, 'sharp decline': 755673, 'heightened volatility': 388831, 'volatility in': 960075, 'global equity': 351922, 'equity market': 279954, 'prompted to': 683949, 'the separation': 866717, 'separation of': 751118, 'it business': 456935, 'business stockmarket': 144420, 'the pandemic along': 862898, 'pandemic along with': 634825, 'along with sharp': 47079, 'with sharp decline': 1000665, 'sharp decline in': 755675, 'decline in commodity': 231343, 'commodity price and': 189259, 'price and heightened': 672431, 'and heightened volatility': 64429, 'heightened volatility in': 388832, 'volatility in global': 960078, 'in global equity': 423331, 'global equity market': 351924, 'equity market have': 279957, 'market have prompted': 516508, 'have prompted to': 382076, 'prompted to postpone': 683950, 'postpone the separation': 666782, 'the separation of': 866718, 'separation of it': 751119, 'of it business': 585372, 'it business stockmarket': 456941, 'trainee': 929308, 'geriatric': 346076, 'shattered': 755789, 'son trainee': 785450, 'trainee nurse': 929309, 'nurse ha': 577347, 'come off': 187423, 'off 12': 593593, 'in geriatric': 423267, 'geriatric ward': 346077, 'ward in': 966642, 'london hospital': 501090, 'hospital he': 404448, 'he shattered': 385430, 'shattered and': 755790, 'and starving': 72270, 'starving he': 795254, 'he go': 384990, 'see this': 745935, 'buyer he': 149661, 'he looking': 385206, 'looking after': 502773, 'your loved': 1024745, 'thank him': 841597, 'my son trainee': 550170, 'son trainee nurse': 785451, 'trainee nurse ha': 929310, 'nurse ha just': 577349, 'ha just come': 371048, 'just come off': 468495, 'come off 12': 187424, 'off 12 hour': 593594, 'hour shift in': 405916, 'shift in geriatric': 758323, 'in geriatric ward': 423268, 'geriatric ward in': 346078, 'ward in london': 966643, 'in london hospital': 424882, 'london hospital he': 501092, 'hospital he shattered': 404450, 'he shattered and': 385431, 'shattered and starving': 755791, 'and starving he': 72271, 'starving he go': 795255, 'he go to': 384994, 'go to his': 354320, 'to his local': 907818, 'and see this': 71147, 'see this so': 745954, 'this so thank': 890223, 'thank you panic': 841796, 'panic buyer he': 637581, 'buyer he looking': 149662, 'he looking after': 385207, 'looking after your': 502787, 'after your loved': 36617, 'your loved one': 1024746, 'loved one and': 504902, 'one and this': 605909, 'and this is': 73998, 'is how you': 448605, 'how you thank': 409290, 'you thank him': 1021554, 'wondering what': 1004189, 'what impact': 981644, 'impact covid': 417624, 'shopping me': 763262, 'wondering what impact': 1004192, 'what impact covid': 981645, 'impact covid 19': 417625, 'having on online': 384204, 'online shopping me': 609184, 'shopping me too': 763264, 'interviewed': 442273, 'adapting': 31321, 'ceo along': 169634, 'with several': 1000653, 'several other': 753911, 'other agency': 619807, 'agency leader': 38035, 'leader wa': 483563, 'wa interviewed': 962422, 'interviewed by': 442276, 'by news': 153326, 'news to': 560892, 'evolving medium': 288571, 'medium landscape': 527164, 'landscape and': 479391, 'are adapting': 84220, 'adapting to': 31340, 'crisis watch': 218333, 'ceo along with': 169635, 'along with several': 47078, 'with several other': 1000654, 'several other agency': 753912, 'other agency leader': 619808, 'agency leader wa': 38037, 'leader wa interviewed': 483564, 'wa interviewed by': 962423, 'interviewed by news': 442279, 'by news to': 153328, 'news to discus': 560895, 'to discus the': 904383, 'discus the evolving': 244917, 'the evolving medium': 854649, 'evolving medium landscape': 288572, 'medium landscape and': 527165, 'landscape and how': 479393, 'brand are adapting': 137739, 'are adapting to': 84224, 'adapting to the': 31352, 'current crisis watch': 221162, 'crisis watch it': 218334, 'watch it here': 968454, 'woke': 1003354, 'woke up': 1003355, 'up feeling': 944847, 'feeling ill': 302999, 'ill with': 416186, 'no family': 564188, 'family close': 297705, 'by not': 153356, 'them at': 875428, 'risk have': 723602, 'no fresh': 564301, 'fruit veg': 339162, 'veg am': 953711, 'am plant': 50305, 'based have': 111608, 'to venture': 918139, 'venture out': 954677, 'food don': 314260, 'think have': 885273, 'have corona': 380112, 'corona checked': 203853, 'checked my': 174758, 'my temp': 550339, 'temp but': 837317, 'eat borisjohnson': 265871, 'woke up feeling': 1003360, 'up feeling ill': 944849, 'feeling ill with': 303001, 'ill with no': 416188, 'with no family': 999750, 'no family close': 564189, 'family close by': 297706, 'close by not': 182584, 'by not that': 153365, 'not that would': 571978, 'would put them': 1012142, 'put them at': 690889, 'them at risk': 875446, 'at risk have': 100364, 'risk have no': 723603, 'have no fresh': 381629, 'no fresh fruit': 564303, 'fresh fruit veg': 333000, 'fruit veg am': 339163, 'veg am plant': 953712, 'am plant based': 50306, 'plant based have': 658623, 'based have to': 111609, 'have to venture': 383332, 'to venture out': 918140, 'venture out to': 954683, 'out to my': 627664, 'supermarket for food': 820396, 'for food don': 321577, 'food don think': 314264, 'don think have': 253976, 'think have corona': 885275, 'have corona checked': 380113, 'corona checked my': 203854, 'checked my temp': 174760, 'my temp but': 550340, 'temp but have': 837318, 'have to eat': 383200, 'to eat borisjohnson': 904872, 'crise': 216947, 'leipzig': 486129, 'first booking': 308549, 'booking just': 134731, 'just after': 468170, '19 crise': 6203, 'crise please': 216948, 'please book': 659727, 'book your': 134643, 'car for': 163085, 'for leipzig': 322935, 'leipzig airport': 486130, 'airport transfer': 40130, 'transfer at': 929501, 'at leipzig': 99572, 'leipzig germany': 486132, 'special price will': 788033, 'will be available': 992369, 'be available for': 113756, 'available for the': 104384, 'the first booking': 855285, 'first booking just': 308550, 'booking just after': 134732, 'just after covid': 468171, 'covid 19 crise': 212889, '19 crise please': 6204, 'crise please book': 216949, 'please book your': 659728, 'book your car': 134645, 'your car for': 1023132, 'car for leipzig': 163087, 'for leipzig airport': 322936, 'leipzig airport transfer': 486131, 'airport transfer at': 40131, 'transfer at leipzig': 929502, 'at leipzig germany': 99573, 'salesman': 732690, 'article from': 94325, 'from saudiarabia': 337165, 'saudiarabia give': 737336, 'give broad': 350424, 'broad picture': 140706, 'most widespread': 542915, 'widespread scam': 991861, 'scam fake': 740154, 'fake vaccine': 296731, 'vaccine online': 951742, 'shopping door': 762513, 'door scam': 255702, 'scam salesman': 740344, 'salesman and': 732691, 'personal shopper': 652960, 'shopper for': 761514, 'elderly phishing': 270852, 'email investment': 272217, 'investment fake': 443987, 'fake charity': 296573, 'charity etc': 173614, 'this article from': 886415, 'article from saudiarabia': 94333, 'from saudiarabia give': 337166, 'saudiarabia give broad': 737337, 'give broad picture': 350425, 'broad picture of': 140707, 'picture of the': 656173, 'the most widespread': 861065, 'most widespread scam': 542916, 'widespread scam fake': 991862, 'scam fake vaccine': 740158, 'fake vaccine online': 296734, 'vaccine online shopping': 951743, 'online shopping door': 609101, 'shopping door to': 762514, 'to door scam': 904671, 'door scam salesman': 255704, 'scam salesman and': 740345, 'salesman and personal': 732692, 'and personal shopper': 68931, 'personal shopper for': 652962, 'shopper for the': 761518, 'the elderly phishing': 854137, 'elderly phishing email': 270853, 'phishing email investment': 654817, 'email investment fake': 272218, 'investment fake charity': 443988, 'fake charity etc': 296576, 'vulgar': 960796, 'bil': 130447, 'natnl': 552793, 'assoc': 96830, 'tril': 931946, 'just give': 468809, 'you few': 1018549, 'few example': 303826, 'example so': 288966, 'll understand': 497082, 'how vulgar': 409153, 'vulgar some': 960797, 'on is': 601627, 'airline industry': 39976, 'industry 50': 435593, '50 bil': 19628, 'bil the': 130452, 'private space': 678989, 'space industry': 787123, 'industry bil': 435692, 'the candy': 850334, 'candy industry': 161340, 'industry 500': 435595, '500 mil': 20018, 'mil the': 531301, 'the hotel': 857562, 'hotel industry': 405153, 'industry 150': 435588, '150 bil': 3895, 'the natnl': 861315, 'natnl assoc': 552794, 'assoc of': 96835, 'of manufacturing': 586163, 'manufacturing tril': 513682, 'let me just': 486901, 'me just give': 523033, 'just give you': 468814, 'give you few': 350857, 'you few example': 1018550, 'few example so': 303828, 'example so you': 288967, 'so you ll': 778846, 'you ll understand': 1019675, 'll understand how': 497083, 'understand how vulgar': 940653, 'how vulgar some': 409154, 'vulgar some of': 960798, 'some of what': 783416, 'of what is': 593056, 'going on is': 355324, 'on is the': 601637, 'is the airline': 452725, 'the airline industry': 848499, 'airline industry 50': 39977, 'industry 50 bil': 435594, '50 bil the': 19629, 'bil the private': 130455, 'the private space': 864490, 'private space industry': 678990, 'space industry bil': 787124, 'industry bil the': 435693, 'bil the candy': 130453, 'the candy industry': 850335, 'candy industry 500': 161341, 'industry 500 mil': 435596, '500 mil the': 20019, 'mil the hotel': 531302, 'the hotel industry': 857563, 'hotel industry 150': 405154, 'industry 150 bil': 435589, '150 bil the': 3896, 'bil the natnl': 130454, 'the natnl assoc': 861316, 'natnl assoc of': 552795, 'assoc of manufacturing': 96836, 'of manufacturing tril': 586166, 'oops': 611748, 'oops our': 611752, 'local fred': 497987, 'meyer ha': 530038, 'no curbside': 563942, 'pickup time': 656033, 'time available': 896353, 'were grocery': 979707, 'be trying': 117831, 'that service': 846209, 'increase availability': 432687, 'availability during': 104137, 'oops our local': 611753, 'our local fred': 623771, 'local fred meyer': 497988, 'fred meyer ha': 331577, 'meyer ha no': 530039, 'ha no curbside': 371335, 'no curbside pickup': 563943, 'curbside pickup time': 220662, 'pickup time available': 656036, 'time available for': 896355, 'the next day': 861662, 'next day it': 561331, 'day it seems': 227855, 'seems like if': 746811, 'like if you': 490478, 'you were grocery': 1022248, 'were grocery store': 979708, 'store you might': 811693, 'might be trying': 530935, 'be trying to': 117832, 'trying to staff': 934877, 'to staff that': 915139, 'staff that service': 792933, 'that service and': 846210, 'service and increase': 752091, 'and increase availability': 65102, 'increase availability during': 432688, 'cambridge': 156938, 'store cutting': 807255, 'cutting opening': 223752, 'hour staff': 405946, 'staff say': 792826, 'say to': 739382, 'allow for': 45962, 'for extra': 321342, 'extra restocking': 293621, 'restocking after': 716980, 'after panic': 36014, 'to accommodate': 899967, 'accommodate deep': 28425, 'cleaning operation': 180994, 'operation cambridge': 613161, 'food store cutting': 316848, 'store cutting opening': 807256, 'cutting opening hour': 223753, 'opening hour staff': 612859, 'hour staff say': 405947, 'staff say to': 792827, 'say to allow': 739383, 'to allow for': 900337, 'allow for extra': 45965, 'for extra restocking': 321347, 'extra restocking after': 293622, 'restocking after panic': 716981, 'after panic buying': 36016, 'buying and to': 149941, 'and to accommodate': 74148, 'to accommodate deep': 899968, 'accommodate deep cleaning': 28426, 'deep cleaning operation': 231863, 'cleaning operation cambridge': 180995, 'advice stay': 33508, 'leave when': 485036, 'absolutely must': 27388, 'must when': 547001, 'up where': 946584, 'go lot': 353813, 'open many': 612374, 'some major': 783249, 'major payment': 509409, 'payment and': 645540, 'and pickup': 69019, 'pickup change': 655950, 'know the advice': 476807, 'the advice stay': 848387, 'advice stay home': 33509, 'home and only': 400673, 'and only leave': 68141, 'only leave when': 610710, 'leave when you': 485037, 'when you absolutely': 984533, 'you absolutely must': 1016784, 'absolutely must when': 27390, 'must when you': 547002, 'when you do': 984553, 'you do need': 1018262, 'stock up where': 803132, 'up where can': 946585, 'can you go': 160305, 'you go lot': 1018858, 'go lot of': 353814, 'lot of store': 504289, 'of store are': 590239, 'store are still': 806527, 'still open many': 800968, 'open many with': 612375, 'many with some': 514889, 'with some major': 1000852, 'some major payment': 783253, 'major payment and': 509410, 'payment and pickup': 645545, 'and pickup change': 69022, 'fantancy': 298571, 'githurai44': 350340, 'sterdo': 799829, 'sijasema': 769672, 'kitu': 475835, 'check fantancy': 174429, 'fantancy house': 298572, 'house githurai44': 406323, 'githurai44 next': 350341, 'to sterdo': 915390, 'sterdo supermarket': 799830, 'told not': 923643, 'about anything': 24824, 'anything concerning': 80712, 'concerning update': 193256, 'update sijasema': 947208, 'sijasema kitu': 769673, 'kitu kenya': 475836, 'check fantancy house': 174430, 'fantancy house githurai44': 298573, 'house githurai44 next': 406324, 'githurai44 next to': 350342, 'next to sterdo': 561630, 'to sterdo supermarket': 915391, 'sterdo supermarket we': 799831, 'supermarket we were': 823759, 'we were told': 973816, 'were told not': 980277, 'told not to': 923644, 'not to talk': 572199, 'talk about anything': 833728, 'about anything concerning': 24825, 'anything concerning update': 80713, 'concerning update sijasema': 193257, 'update sijasema kitu': 947209, 'sijasema kitu kenya': 769674, 'dharmesh': 240105, 'store contest': 807155, 'join now': 466793, 'now friend': 574748, 'friend sensible': 333801, 'sensible dharmesh': 750639, 'wuhan grocery store': 1013492, 'grocery store contest': 365297, 'store contest alert': 807156, 'puzzle join now': 691331, 'join now friend': 466794, 'now friend sensible': 574749, 'friend sensible dharmesh': 333802, 'imabouttocooksoon': 416612, 'nice walk': 562508, 'walk home': 964798, 'they ran': 882978, 'ran out': 696510, 'bag good': 108304, 'good time': 357862, 'time quarantine': 897539, 'quarantine harlem': 692243, 'harlem imabouttocooksoon': 378375, 'nice walk home': 562509, 'walk home from': 964799, 'the supermarket after': 868448, 'supermarket after they': 818816, 'after they ran': 36391, 'they ran out': 882979, 'ran out of': 696511, 'all the bag': 44665, 'the bag good': 849177, 'bag good time': 108305, 'good time quarantine': 357866, 'time quarantine harlem': 897542, 'quarantine harlem imabouttocooksoon': 692244, 'heaving': 388611, 'implement social': 418428, 'distancing when': 247629, 'when every': 983391, 'is heaving': 448379, 'heaving with': 388614, 'people seems': 649383, 'at present': 100176, 'present it': 670604, 'follow this': 312561, 'advice coronacrisisuk': 33349, 'coronacrisisuk socialdistancing': 204904, 'socialdistancing bbc': 780243, 'how are we': 407420, 'supposed to implement': 827364, 'to implement social': 908178, 'implement social distancing': 418429, 'social distancing when': 779765, 'distancing when every': 247631, 'when every shop': 983393, 'shop supermarket is': 760863, 'supermarket is heaving': 821095, 'is heaving with': 448380, 'heaving with people': 388616, 'with people seems': 1000163, 'people seems that': 649385, 'seems that at': 746855, 'that at present': 842881, 'at present it': 100178, 'present it impossible': 670605, 'impossible to follow': 419398, 'to follow this': 906067, 'follow this advice': 312562, 'this advice coronacrisisuk': 886216, 'advice coronacrisisuk socialdistancing': 33350, 'coronacrisisuk socialdistancing bbc': 204905, 'weren': 980391, 'popping': 664513, 'handler': 376319, 'overlooked': 631287, 'racist': 695300, 'blast': 132407, 'chine': 177180, 'these weren': 880960, 'weren just': 980405, 'china wild': 177070, 'wild food': 992055, 'restaurant were': 716795, 'were popping': 979986, 'popping up': 664519, 'meet international': 527515, 'international demand': 441786, 'and handler': 64152, 'handler first': 376322, 'first caught': 308567, 'caught covid': 167412, 'wa on': 962819, 'january but': 464650, 'been overlooked': 121631, 'overlooked for': 631294, 'for racist': 324940, 'racist blast': 695307, 'blast against': 132408, 'against poor': 37585, 'poor chine': 664147, 'these weren just': 880961, 'weren just in': 980406, 'just in china': 469030, 'in china wild': 421448, 'china wild food': 177071, 'wild food restaurant': 992056, 'food restaurant were': 316197, 'restaurant were popping': 716796, 'were popping up': 979987, 'popping up to': 664524, 'up to meet': 946399, 'to meet international': 910032, 'meet international demand': 527516, 'international demand and': 441787, 'demand and handler': 234968, 'and handler first': 64153, 'handler first caught': 376323, 'first caught covid': 308568, 'caught covid 19': 167413, '19 this wa': 11354, 'this wa on': 891082, 'wa on the': 962835, 'on the news': 604251, 'the news in': 861613, 'news in january': 560531, 'in january but': 424356, 'january but ha': 464651, 'ha been overlooked': 369862, 'been overlooked for': 121633, 'overlooked for racist': 631295, 'for racist blast': 324941, 'racist blast against': 695308, 'blast against poor': 132409, 'against poor chine': 37586, 'savant': 737455, 'aignos': 39519, 'dvd': 263633, 'publisher': 688711, 'booksale': 134773, 'helping relieve': 391450, 'relieve quarantine': 709534, 'quarantine boredom': 692056, 'boredom all': 135392, 'all savant': 44238, 'savant aignos': 737456, 'aignos printed': 39520, 'printed book': 678310, 'book cd': 134494, 'cd and': 168524, 'and dvd': 61815, 'dvd ordered': 263636, 'ordered from': 618851, 'our publisher': 624512, 'publisher store': 688728, 'store 25': 806030, '25 off': 15924, 'off suggested': 594201, 'suggested retail': 817581, 'price through': 676939, 'through 31': 894295, '31 may': 17589, 'may 2020': 520875, '2020 using': 14688, '19 discount': 6559, 'discount code': 244456, 'code at': 185335, 'at checkout': 98245, 'checkout booksale': 174893, 'helping relieve quarantine': 391451, 'relieve quarantine boredom': 709535, 'quarantine boredom all': 692057, 'boredom all savant': 135393, 'all savant aignos': 44239, 'savant aignos printed': 737457, 'aignos printed book': 39521, 'printed book cd': 678311, 'book cd and': 134495, 'cd and dvd': 168525, 'and dvd ordered': 61816, 'dvd ordered from': 263637, 'ordered from our': 618853, 'from our publisher': 336794, 'our publisher store': 624513, 'publisher store 25': 688729, 'store 25 off': 806032, '25 off suggested': 15926, 'off suggested retail': 594202, 'suggested retail price': 817582, 'retail price through': 718418, 'price through 31': 676940, 'through 31 may': 894297, '31 may 2020': 17590, 'may 2020 using': 520877, '2020 using covid': 14689, 'covid 19 discount': 212959, '19 discount code': 6560, 'discount code at': 244457, 'code at checkout': 185336, 'at checkout booksale': 98246, 'distrust': 248398, 'the spectrum': 867554, 'spectrum of': 788338, 'of distrust': 582726, 'distrust in': 248399, 'pandemic fda': 635427, 'say buy': 738475, 'bought month': 136641, 'month worth': 538144, 'worth don': 1011353, 'sale surge': 732553, 'surge don': 828150, 'foot ha': 318384, 'fueled dollar': 340326, 'devaluation fear': 239553, 'noticed the spectrum': 573489, 'the spectrum of': 867555, 'spectrum of distrust': 788339, 'of distrust in': 582727, 'distrust in this': 248400, 'time of the': 897367, '19 pandemic fda': 9326, 'pandemic fda say': 635428, 'fda say buy': 300921, 'say buy food': 738476, 'week people bought': 976735, 'people bought month': 647296, 'bought month worth': 136642, 'month worth don': 538146, 'worth don panic': 1011354, 'don panic gun': 253805, 'gun sale surge': 368723, 'sale surge don': 732555, 'surge don worry': 828151, 'don worry we': 254087, 'worry we will': 1010800, 'will be back': 992370, 'our foot ha': 623148, 'foot ha fueled': 318385, 'ha fueled dollar': 370687, 'fueled dollar devaluation': 340327, 'dollar devaluation fear': 252978, 'wisconsin': 996599, 'voting': 960595, 'polling': 663874, 'donning': 255152, 'november': 573844, 'negotiable': 556900, 'thousand in': 893400, 'in wisconsin': 430928, 'wisconsin are': 996602, 'are voting': 91501, 'voting at': 960596, 'crowded polling': 219342, 'polling place': 663875, 'pandemic donning': 635330, 'donning facemasks': 255153, 'facemasks and': 295125, 'and risking': 70563, 'health it': 386583, 'be prepared': 116512, 'for easy': 320924, 'easy and': 265645, 'and secure': 71117, 'secure vote': 744466, 'vote by': 960475, 'mail everywhere': 508609, 'everywhere in': 288217, 'in november': 425976, 'november it': 573858, 'not negotiable': 570690, 'thousand in wisconsin': 893404, 'in wisconsin are': 430929, 'wisconsin are voting': 996603, 'are voting at': 91502, 'voting at crowded': 960597, 'at crowded polling': 98376, 'crowded polling place': 219343, 'polling place during': 663876, 'place during pandemic': 657417, 'during pandemic donning': 262864, 'pandemic donning facemasks': 635331, 'donning facemasks and': 255154, 'facemasks and risking': 295127, 'and risking their': 70566, 'risking their health': 724095, 'their health it': 873520, 'health it doesn': 386584, 'it doesn have': 457632, 'doesn have to': 251829, 'to be this': 901592, 'be this way': 117704, 'this way we': 891139, 'way we need': 970176, 'to be prepared': 901453, 'be prepared for': 116519, 'prepared for easy': 670195, 'for easy and': 320925, 'easy and secure': 265653, 'and secure vote': 71121, 'secure vote by': 744467, 'vote by mail': 960476, 'by mail everywhere': 153124, 'mail everywhere in': 508610, 'everywhere in november': 288220, 'in november it': 425979, 'november it not': 573859, 'it not negotiable': 459901, 'loong': 503127, 'guy and': 368886, 'and gal': 63457, 'gal if': 342905, 'mostly online': 542986, 'and hasn': 64208, 'hasn been': 378721, 'been directly': 120984, '19 start': 10778, 'start running': 794473, 'running facebook': 727954, 'ad the': 31178, 'price haven': 674472, 'been this': 122183, 'for loong': 323106, 'loong time': 503128, 'time let': 897125, 'guy and gal': 368888, 'and gal if': 63458, 'gal if your': 342906, 'if your business': 415570, 'your business is': 1023063, 'business is mostly': 143956, 'is mostly online': 449748, 'mostly online and': 542987, 'online and hasn': 607816, 'and hasn been': 64209, 'hasn been directly': 378726, 'been directly impacted': 120985, 'directly impacted by': 243557, 'covid 19 start': 213854, '19 start running': 10779, 'start running facebook': 794474, 'running facebook ad': 727955, 'facebook ad the': 294888, 'ad the price': 31180, 'the price haven': 864361, 'price haven been': 674473, 'haven been this': 383765, 'been this low': 122187, 'low for loong': 505284, 'for loong time': 323107, 'loong time this': 503129, 'time this is': 897919, 'the time let': 869602, 'time let talk': 897127, 'gon': 356174, 'my kid': 548938, 'kid gon': 473968, 'gon be': 356175, 'be writing': 118163, 'writing essay': 1012899, 'essay on': 280713, '19 acted': 4799, 'acted an': 29833, 'shock internationally': 759463, 'internationally influencing': 441882, 'influencing global': 437355, 'trade consumer': 928464, 'behaviour and': 124357, 'and equity': 62227, 'my kid gon': 548946, 'kid gon be': 473969, 'gon be writing': 356176, 'be writing essay': 118165, 'writing essay on': 1012900, 'essay on how': 280714, 'on how covid': 601391, 'covid 19 acted': 212577, '19 acted an': 4800, 'acted an economic': 29834, 'an economic shock': 55586, 'economic shock internationally': 267275, 'shock internationally influencing': 759464, 'internationally influencing global': 441883, 'influencing global trade': 437356, 'global trade consumer': 352261, 'trade consumer behaviour': 928465, 'consumer behaviour and': 196553, 'behaviour and equity': 124361, 'and equity market': 62228, 'restaurateur': 716841, 'ldn': 482802, 'ours': 625428, 'all fellow': 42776, 'fellow restaurateur': 303325, 'restaurateur who': 716842, 'find themselves': 307316, 'themselves closing': 876790, 'closing their': 183781, 'their restaurant': 874577, 'day ldn': 227885, 'ldn are': 482803, 'distribution and': 248106, 'and desperately': 61260, 'your excess': 1023705, 'inventory we': 443723, 'we gave': 971596, 'gave them': 344668, 'them ours': 876120, 'ours yesterday': 625447, 'yesterday find': 1015731, 'help yourself': 391030, 'all fellow restaurateur': 42777, 'fellow restaurateur who': 303326, 'restaurateur who may': 716843, 'who may find': 989271, 'may find themselves': 521193, 'find themselves closing': 307318, 'themselves closing their': 876791, 'closing their restaurant': 183784, 'their restaurant in': 874579, 'restaurant in the': 716527, 'coming day ldn': 188022, 'day ldn are': 227886, 'ldn are on': 482805, 'line of food': 493302, 'food distribution and': 314223, 'distribution and desperately': 248108, 'and desperately need': 61261, 'desperately need your': 238576, 'need your excess': 556270, 'your excess inventory': 1023707, 'excess inventory we': 289348, 'inventory we gave': 443724, 'we gave them': 971597, 'gave them ours': 344672, 'them ours yesterday': 876121, 'ours yesterday find': 625448, 'yesterday find out': 1015732, 'out how to': 626339, 'to help yourself': 907672, 'microtarget': 530524, 'riskmanagement': 724106, 'true that': 933182, 'is detailed': 447145, 'detailed enough': 239288, 'predict my': 669572, 'my age': 547235, 'age health': 37829, 'health gender': 386458, 'gender and': 345246, 'where ll': 984999, 'll go': 496807, 'go then': 354215, 'then that': 877604, 'that same': 846104, 'same data': 733016, 'data can': 226157, 'help state': 390566, 'state health': 795659, 'department microtarget': 237228, 'microtarget testing': 530525, 'testing and': 839432, 'and testing': 73141, 'testing aid': 839426, 'aid can': 39361, 'can my': 159019, 'my digital': 547987, 'digital twin': 242678, 'twin save': 936577, 'save my': 737595, 'life one': 488941, 'one day': 606144, 'day risk': 228285, 'risk riskmanagement': 723855, 'riskmanagement marketing': 724108, 'if it true': 414339, 'it true that': 461867, 'true that consumer': 933183, 'that consumer data': 843297, 'data is detailed': 226286, 'is detailed enough': 447146, 'detailed enough to': 239289, 'enough to predict': 277716, 'to predict my': 911990, 'predict my age': 669573, 'my age health': 547238, 'age health gender': 37831, 'health gender and': 386459, 'gender and where': 345248, 'and where ll': 75537, 'where ll go': 985000, 'll go then': 496812, 'go then that': 354216, 'then that same': 877605, 'that same data': 846105, 'same data can': 733017, 'data can help': 226158, 'can help state': 158657, 'help state health': 390567, 'state health department': 795660, 'health department microtarget': 386375, 'department microtarget testing': 237229, 'microtarget testing and': 530526, 'testing and testing': 839443, 'and testing aid': 73142, 'testing aid can': 839427, 'aid can my': 39362, 'can my digital': 159021, 'my digital twin': 547988, 'digital twin save': 242679, 'twin save my': 936578, 'save my life': 737596, 'my life one': 549029, 'life one day': 488942, 'one day risk': 606163, 'day risk riskmanagement': 228286, 'risk riskmanagement marketing': 723856, 'sherwin': 758091, 'donates': 254376, 'sherwin williams': 758092, 'williams to': 995453, 'begin making': 123534, 'sanitizer donates': 734785, 'donates 250': 254383, '250 00': 16008, 'coat in': 185133, 'sherwin williams to': 758093, 'williams to begin': 995454, 'to begin making': 901711, 'begin making hand': 123537, 'hand sanitizer donates': 375379, 'sanitizer donates 250': 734786, 'donates 250 00': 254384, '250 00 mask': 16009, '00 mask glove': 320, 'mask glove and': 518724, 'glove and lab': 352568, 'lab coat in': 478254, 'coat in fight': 185134, 'in fight against': 422874, 'georgia': 346024, 'destroyed': 239041, 'stifled': 800132, 'wreaking': 1012693, 'havoc': 384417, 'gapol': 343475, 'real people': 701296, 'of georgia': 584089, 'georgia at': 346027, 'of 2018': 579474, '2018 hurricane': 13882, 'hurricane michael': 411486, 'michael destroyed': 530234, 'destroyed billion': 239046, 'their crop': 872923, 'crop in': 218928, '2019 chinese': 13951, 'chinese tariff': 177367, 'tariff stifled': 834620, 'stifled trade': 800135, 'year covid': 1014498, 'is wreaking': 454094, 'wreaking havoc': 1012694, 'havoc on': 384430, 'the fresh': 855799, 'produce market': 680346, 'market before': 516095, 'it even': 457854, 'started gapol': 794738, 'the real people': 865229, 'real people of': 701300, 'people of georgia': 648916, 'of georgia at': 584090, 'georgia at the': 346028, 'end of 2018': 275887, 'of 2018 hurricane': 579475, '2018 hurricane michael': 13883, 'hurricane michael destroyed': 411487, 'michael destroyed billion': 530235, 'destroyed billion of': 239047, 'billion of dollar': 130870, 'of dollar of': 582780, 'dollar of their': 253045, 'of their crop': 591654, 'their crop in': 872925, 'crop in 2019': 218929, 'in 2019 chinese': 419802, '2019 chinese tariff': 13952, 'chinese tariff stifled': 177368, 'tariff stifled trade': 834621, 'stifled trade and': 800136, 'trade and price': 928410, 'and price this': 69479, 'price this year': 676929, 'this year covid': 891566, 'year covid 19': 1014499, '19 is wreaking': 8085, 'is wreaking havoc': 454095, 'wreaking havoc on': 1012698, 'havoc on the': 384433, 'on the fresh': 604132, 'the fresh produce': 855803, 'fresh produce market': 333058, 'produce market before': 680347, 'market before it': 516096, 'before it even': 122882, 'it even get': 457855, 'even get started': 284110, 'get started gapol': 348104, 'retailer hiked': 719190, 'of cough': 582005, 'cold medicine': 185779, 'medicine by': 526750, 'by 10': 151506, '10 last': 1497, 'week according': 975817, 'to snapshot': 914786, 'snapshot analysis': 776152, 'retailer hiked the': 719191, 'price of cough': 675429, 'of cough and': 582006, 'cough and cold': 208446, 'and cold medicine': 60063, 'cold medicine by': 185780, 'medicine by 10': 526751, 'by 10 last': 151515, '10 last week': 1499, 'last week according': 480628, 'week according to': 975818, 'according to snapshot': 28587, 'to snapshot analysis': 914787, 'snapshot analysis of': 776153, 'analysis of the': 57070, 'of the impact': 591128, 'of on the': 587230, 'on the economy': 604085, 'croozefmnews': 218885, 'terribly': 838459, 'mbarara': 522051, 'refusal': 707006, 'sh100': 754308, 'croozefmnews price': 218890, 'price terribly': 676769, 'terribly increase': 838468, 'increase mbarara': 432910, 'mbarara trader': 522052, 'trader suspended': 928770, 'for refusal': 325065, 'refusal to': 707007, 'pay sh100': 645104, 'croozefmnews price terribly': 218891, 'price terribly increase': 676770, 'terribly increase mbarara': 838469, 'increase mbarara trader': 432911, 'mbarara trader suspended': 522053, 'trader suspended for': 928771, 'suspended for refusal': 829614, 'for refusal to': 325066, 'refusal to pay': 707009, 'to pay sh100': 911556, 'important tip': 419044, 'shopping post': 763663, 'important tip for': 419045, 'tip for safe': 898778, 'for safe online': 325290, 'online shopping post': 609231, 'shopping post covid': 763664, 'hypothesis': 412416, 'mobility': 535074, 'hypothesis mid': 412417, 'mid march': 530572, 'march grocery': 515379, 'grocery buying': 364333, 'buying panic': 150866, 'panic resulted': 638487, 'more spreading': 540438, 'spreading of': 791010, 'coronavirus many': 206264, 'many case': 513877, 'case we': 166093, 'see now': 745489, 'are result': 89657, 'food google': 314696, 'google mobility': 358174, 'mobility chart': 535081, 'chart for': 173827, 'pharmacy below': 654255, 'hypothesis mid march': 412418, 'mid march grocery': 530574, 'march grocery buying': 515380, 'grocery buying panic': 364334, 'buying panic resulted': 150868, 'panic resulted in': 638488, 'resulted in more': 717679, 'in more spreading': 425445, 'more spreading of': 540439, 'spreading of coronavirus': 791011, 'of coronavirus many': 581950, 'coronavirus many case': 206265, 'many case we': 513881, 'case we see': 166098, 'we see now': 973165, 'see now are': 745490, 'now are result': 574098, 'are result of': 89658, 'of the rush': 591427, 'rush to buy': 728339, 'buy food google': 148650, 'food google mobility': 314697, 'google mobility chart': 358175, 'mobility chart for': 535082, 'chart for grocery': 173828, 'for grocery and': 322022, 'and pharmacy below': 68966, 'hypocrite': 412405, 'boycotthul': 137375, 'you hypocrite': 1019270, 'hypocrite for': 412409, '25 price': 15954, 'hike of': 396235, 'of soap': 589816, 'sanitizer when': 736069, 'it most': 459678, 'most boycotthul': 542141, 'on you hypocrite': 605423, 'you hypocrite for': 1019271, 'hypocrite for 10': 412410, 'for 10 to': 318620, '10 to 25': 1729, 'to 25 price': 899640, '25 price hike': 15955, 'price hike of': 674534, 'hike of soap': 396239, 'of soap and': 589819, 'soap and hand': 778912, 'hand sanitizer when': 375659, 'sanitizer when people': 736071, 'when people need': 983864, 'people need it': 648830, 'need it most': 555096, 'it most boycotthul': 459681, 'wednesdaythoughts': 975721, 'these is': 880183, 'favorite condiment': 300501, 'condiment food': 193379, 'during food': 262643, 'food wednesdaymotivation': 317539, 'wednesdaymotivation wednesdaythoughts': 975717, 'wednesdaythoughts here': 975726, 'some packaged': 783491, 'item you': 463861, 'of these is': 591836, 'these is your': 880184, 'is your favorite': 454145, 'your favorite condiment': 1023822, 'favorite condiment food': 300502, 'condiment food during': 193380, 'food during food': 314321, 'during food wednesdaymotivation': 262645, 'food wednesdaymotivation wednesdaythoughts': 317540, 'wednesdaymotivation wednesdaythoughts here': 975718, 'wednesdaythoughts here are': 975727, 'are some packaged': 90280, 'some packaged food': 783493, 'packaged food item': 633481, 'food item you': 315244, 'item you can': 463865, 'you can stock': 1017796, 'yallaregettingonmynerves': 1014108, 'know they': 476871, 're putting': 699334, 'putting those': 691262, 'those arrow': 891809, 'arrow on': 94047, 'floor of': 310829, 'for reason': 324998, 'reason you': 703072, 'should probably': 766335, 'probably follow': 679261, 'them very': 876576, 'very annoyed': 954991, 'annoyed grocery': 77352, 'employee yallaregettingonmynerves': 274476, 'yallaregettingonmynerves essentialworkers': 1014109, 'ya know they': 1014008, 'know they re': 476880, 'they re putting': 883104, 're putting those': 699337, 'putting those arrow': 691263, 'those arrow on': 891810, 'arrow on the': 94048, 'the floor of': 855426, 'floor of every': 310830, 'of every grocery': 583240, 'store for reason': 807832, 'for reason you': 325008, 'reason you should': 703075, 'you should probably': 1021212, 'should probably follow': 766336, 'probably follow them': 679262, 'follow them very': 312552, 'them very annoyed': 876577, 'very annoyed grocery': 954993, 'annoyed grocery store': 77353, 'store employee yallaregettingonmynerves': 807580, 'employee yallaregettingonmynerves essentialworkers': 274477, 'signatory': 769342, 'spearheaded': 787825, 'anna': 76768, 'vailant': 951848, 'rage': 695539, 'evermore': 285631, 'relevant': 709143, 'to signatory': 914644, 'signatory to': 769343, 'important letter': 418867, 'letter spearheaded': 487351, 'spearheaded by': 787826, 'by anna': 151859, 'anna and': 76769, 'and covered': 60660, 'covered here': 212416, 'here with': 393847, 'more store': 540473, 'our vailant': 625250, 'vailant retail': 951849, 'retail staff': 718591, 'staff on': 792714, 'frontline making': 338782, 'them vulnerable': 876581, 'supermarket version': 823638, 'of road': 589141, 'road rage': 724495, 'rage this': 695550, 'is evermore': 447573, 'evermore relevant': 285632, 'pleased to signatory': 660803, 'to signatory to': 914645, 'signatory to this': 769344, 'to this important': 917431, 'this important letter': 888025, 'important letter spearheaded': 418869, 'letter spearheaded by': 487352, 'spearheaded by anna': 787827, 'by anna and': 151860, 'anna and covered': 76770, 'and covered here': 60661, 'covered here with': 212417, 'here with more': 393848, 'with more store': 999564, 'more store closure': 540476, 'store closure and': 807084, 'closure and our': 183841, 'and our vailant': 68525, 'our vailant retail': 625251, 'vailant retail staff': 951850, 'retail staff on': 718596, 'staff on the': 792717, 'the frontline making': 855879, 'frontline making them': 338783, 'making them vulnerable': 511447, 'them vulnerable to': 876583, 'vulnerable to supermarket': 961234, 'to supermarket version': 915855, 'supermarket version of': 823639, 'version of road': 954919, 'of road rage': 589142, 'road rage this': 724496, 'rage this is': 695551, 'this is evermore': 888248, 'is evermore relevant': 447574, 'aapka': 24121, 'apna': 81490, 'jantacurfew': 464593, 'make india': 510004, 'india safer': 434598, 'safer from': 730365, 'home via': 402425, 'via dime': 955919, 'dime aapka': 242912, 'aapka apna': 24122, 'apna shopping': 81491, 'shopping gang': 762771, 'this jantacurfew': 888536, 'jantacurfew success': 464601, 'success fightcovid19': 816197, 'let make india': 486883, 'make india safer': 510007, 'india safer from': 434599, 'safer from shop': 730366, 'from shop online': 337264, 'shop online from': 760570, 'online from home': 608269, 'from home via': 335926, 'home via dime': 402426, 'via dime aapka': 955920, 'dime aapka apna': 242913, 'aapka apna shopping': 24123, 'apna shopping gang': 81492, 'shopping gang and': 762772, 'gang and make': 343391, 'and make this': 66583, 'make this jantacurfew': 510644, 'this jantacurfew success': 888537, 'jantacurfew success fightcovid19': 464602, 'nook': 566825, 'animalcrossing': 76692, 'acnh': 29138, 'tomnook': 923991, 'leave it': 484845, 'the nook': 861847, 'nook to': 566831, 'to profiteer': 912238, 'profiteer in': 682961, 'crisis animalcrossing': 217063, 'animalcrossing acnh': 76693, 'acnh tomnook': 29143, 'tomnook toiletpaper': 923992, 'leave it to': 484849, 'to the nook': 916904, 'the nook to': 861849, 'nook to profiteer': 566832, 'to profiteer in': 912240, 'profiteer in crisis': 682962, 'in crisis animalcrossing': 421873, 'crisis animalcrossing acnh': 217064, 'animalcrossing acnh tomnook': 76694, 'acnh tomnook toiletpaper': 29144, 'tomnook toiletpaper toiletroll': 923993, 'drunk': 261214, 'blono': 133095, 'so told': 778557, 'place so': 657687, 'so hit': 777312, 'people deal': 647606, 'deal differently': 229379, 'differently this': 242167, 'woman wa': 1003646, 'so drunk': 776925, 'drunk she': 261221, 'she couldn': 755960, 'couldn walk': 209939, 'walk her': 964794, 'friend told': 333857, 'her to': 392458, 'to ride': 913518, 'ride on': 721454, 'cart she': 165378, 'she went': 756458, 'went by': 978973, 'by it': 152942, 'wa obvious': 962795, 'obvious she': 578802, 'had wet': 373792, 'wet herself': 980735, 'herself people': 394238, 'are losing': 87893, 'losing it': 503559, 'it coronacrisis': 457329, 'coronacrisis blono': 204525, 'so told to': 778558, 'told to shelter': 923762, 'to shelter in': 914399, 'in place so': 426762, 'place so hit': 657689, 'so hit the': 777313, 'hit the grocery': 398430, 'store people deal': 809489, 'people deal differently': 647607, 'deal differently this': 229380, 'differently this woman': 242168, 'this woman wa': 891483, 'woman wa so': 1003651, 'wa so drunk': 963256, 'so drunk she': 776926, 'drunk she couldn': 261222, 'she couldn walk': 755963, 'couldn walk her': 209940, 'walk her friend': 964795, 'her friend told': 392062, 'friend told her': 333859, 'told her to': 923570, 'her to ride': 392470, 'to ride on': 913520, 'ride on the': 721455, 'on the cart': 604011, 'the cart she': 850447, 'cart she went': 165379, 'she went by': 756460, 'went by it': 978974, 'by it wa': 152948, 'it wa obvious': 462161, 'wa obvious she': 962797, 'obvious she had': 578803, 'she had wet': 756110, 'had wet herself': 373793, 'wet herself people': 980736, 'herself people are': 394239, 'people are losing': 647017, 'are losing it': 87898, 'losing it coronacrisis': 503561, 'it coronacrisis blono': 457330, 'putnam': 691069, 'chamber': 171665, 'partnering': 642930, 'putnam county': 691070, 'county chamber': 211338, 'chamber of': 171670, 'of commerce': 581548, 'commerce is': 188580, 'is partnering': 450809, 'partnering with': 642931, 'with restaurant': 1000491, 'county to': 211514, 'share online': 755134, 'online list': 608494, 'some service': 783829, 'offered during': 594917, 'putnam county chamber': 691071, 'county chamber of': 211339, 'chamber of commerce': 171671, 'of commerce is': 581552, 'commerce is partnering': 188585, 'is partnering with': 450810, 'partnering with restaurant': 642935, 'with restaurant and': 1000492, 'restaurant and business': 716276, 'and business in': 59285, 'the county to': 852199, 'county to share': 211516, 'to share online': 914355, 'share online list': 755135, 'online list of': 608495, 'list of some': 494474, 'of some service': 589906, 'some service being': 783830, 'service being offered': 752178, 'being offered during': 125478, 'restocked daily': 716946, 'daily sometimes': 224805, 'store are restocked': 806515, 'are restocked daily': 89643, 'restocked daily sometimes': 716948, 'daily sometimes more': 224806, 'jogger': 466495, 'strange my': 812406, 'my experience': 548126, 'experience at': 291319, 'two grocery': 936946, 'store go': 807941, 'is 180': 445173, '180 degree': 4618, 'degree opposite': 232571, 'opposite first': 613790, 'first jogger': 308745, 'jogger now': 466496, 'now grocery': 574825, 'store customer': 807243, 'customer andrew': 222108, 'andrew hmm': 76183, 'strange my experience': 812407, 'my experience at': 548127, 'experience at the': 291320, 'at the two': 101133, 'the two grocery': 870150, 'two grocery store': 936947, 'grocery store go': 365433, 'store go to': 807944, 'to is 180': 908519, 'is 180 degree': 445174, '180 degree opposite': 4619, 'degree opposite first': 232572, 'opposite first jogger': 613791, 'first jogger now': 308746, 'jogger now grocery': 466497, 'now grocery store': 574828, 'grocery store customer': 365319, 'store customer andrew': 807244, 'customer andrew hmm': 222109, 'spending ha': 788823, 'shifted dramatically': 758481, 'dramatically since': 258374, 'since most': 770747, 'spending economics': 788797, 'consumer spending ha': 199065, 'spending ha shifted': 788830, 'ha shifted dramatically': 371901, 'shifted dramatically since': 758483, 'dramatically since most': 258375, 'since most people': 770753, 'most people have': 542614, 'have to stay': 383307, 'home spending economics': 402105, 'economy memo': 268070, 'memo by': 528400, 'is affecting the': 445397, 'affecting the world': 34576, 'the world economy': 871862, 'world economy memo': 1009508, 'economy memo by': 268071, 'memo by read': 528401, 'luckily': 506493, 'dive': 248474, 'with driving': 998142, 'driving even': 259923, 'more usage': 540874, 'usage strong': 948853, 'strong strategy': 814125, 'is critical': 446937, 'critical now': 218616, 'then ever': 877155, 'ever luckily': 285399, 'luckily and': 506494, 'and april': 58282, 'april 16': 83423, '16 webinar': 4190, 'webinar will': 975136, 'will dive': 993218, 'dive into': 248487, 'into growing': 442608, 'growing app': 367125, 'app awareness': 81679, 'and targeting': 73035, 'targeting high': 834566, 'high lifetime': 395160, 'lifetime value': 489411, 'value user': 952229, 'with driving even': 998143, 'driving even more': 259924, 'even more usage': 284387, 'more usage strong': 540875, 'usage strong strategy': 948854, 'strong strategy is': 814126, 'strategy is critical': 812666, 'is critical now': 446941, 'critical now more': 218618, 'now more then': 575316, 'more then ever': 540720, 'then ever luckily': 877156, 'ever luckily and': 285400, 'luckily and april': 506495, 'and april 16': 58283, 'april 16 webinar': 83426, '16 webinar will': 4191, 'webinar will dive': 975137, 'will dive into': 993219, 'dive into growing': 248488, 'into growing app': 442609, 'growing app awareness': 367126, 'app awareness and': 81680, 'awareness and targeting': 105688, 'and targeting high': 73037, 'targeting high lifetime': 834567, 'high lifetime value': 395161, 'lifetime value user': 489412, 'musing': 546396, 'any thought': 79963, 'thought leadership': 893112, 'leadership out': 483641, 'there around': 878194, 'around what': 93619, 'what consumer': 981247, 'change airline': 171895, 'airline should': 40018, 'should make': 766205, 'make if': 509999, 'if gov': 414167, 'gov give': 359589, 'give industry': 350536, 'industry bail': 435677, 'out ve': 627766, 've heard': 953244, 'heard congressional': 388071, 'congressional staff': 194565, 'are musing': 88171, 'musing on': 546397, 'any thought leadership': 79965, 'thought leadership out': 893114, 'leadership out there': 483642, 'out there around': 627469, 'there around what': 878196, 'around what consumer': 93621, 'what consumer change': 981251, 'consumer change airline': 196776, 'change airline should': 171896, 'airline should make': 40020, 'should make if': 766207, 'make if gov': 510000, 'if gov give': 414169, 'gov give industry': 359590, 'give industry bail': 350537, 'industry bail out': 435678, 'bail out ve': 108593, 'out ve heard': 627767, 've heard congressional': 953247, 'heard congressional staff': 388072, 'congressional staff are': 194566, 'staff are musing': 792197, 'are musing on': 88172, 'musing on the': 546398, 'on the idea': 604169, 'michigan hospital': 530349, 'hospital need': 404521, 'help hospital': 389870, 'are accepting': 84179, 'accepting donation': 28076, 'donation of': 254644, 'of personal': 588060, 'personal protection': 652941, 'protection equipment': 685415, 'equipment ppe': 279804, 'ppe such': 668059, 'and bleach': 59001, 'bleach you': 132532, 'find full': 306930, 'full list': 340664, 'of item': 585475, 'donate at': 254159, 'michigan hospital need': 530350, 'hospital need your': 404522, 'your help hospital': 1024302, 'help hospital are': 389871, 'hospital are accepting': 404295, 'are accepting donation': 84180, 'accepting donation of': 28077, 'donation of personal': 254651, 'of personal protection': 588062, 'personal protection equipment': 652942, 'protection equipment ppe': 685417, 'equipment ppe such': 279810, 'ppe such hand': 668061, 'such hand sanitizer': 816539, 'sanitizer glove and': 734988, 'glove and bleach': 352555, 'and bleach you': 59003, 'bleach you can': 132533, 'you can find': 1017676, 'can find full': 158321, 'find full list': 306931, 'full list of': 340667, 'list of item': 494447, 'of item and': 585476, 'item and how': 463057, 'and how to': 64841, 'how to donate': 409011, 'to donate at': 904644, 'traceability': 928137, 'digitalassetlive': 242695, 'like blockchain': 489919, 'blockchain based': 132822, 'based traceability': 111772, 'traceability is': 928139, 'way forward': 969591, 'forward in': 329985, 'post 19': 665966, '19 time': 11397, 'time digitalassetlive': 896561, 'digitalassetlive blockchain': 242696, 'blockchain traceability': 132843, 'traceability food': 928138, 'look like blockchain': 502466, 'like blockchain based': 489920, 'blockchain based traceability': 132824, 'based traceability is': 111773, 'traceability is the': 928140, 'is the only': 452878, 'only way forward': 611439, 'way forward in': 969592, 'forward in the': 329986, 'the post 19': 864079, 'post 19 time': 665968, '19 time digitalassetlive': 11400, 'time digitalassetlive blockchain': 896562, 'digitalassetlive blockchain traceability': 242697, 'blockchain traceability food': 132844, '01': 715, 'most soap': 542755, 'sanitizer brand': 734591, 'brand claim': 137796, 'claim that': 179830, 'that their': 846875, 'product kill': 681340, 'germ you': 346190, 'happens to': 377510, 'the remaining': 865490, 'remaining 01': 709954, 'is it that': 449064, 'it that most': 461494, 'that most soap': 845234, 'most soap and': 542756, 'and sanitizer brand': 70861, 'sanitizer brand claim': 734592, 'brand claim that': 137797, 'claim that their': 179836, 'that their product': 846885, 'their product kill': 874470, 'product kill 99': 681341, 'of germ you': 584105, 'germ you wonder': 346193, 'you wonder what': 1022410, 'wonder what happens': 1004009, 'what happens to': 981568, 'happens to the': 377514, 'to the remaining': 917014, 'the remaining 01': 865492, 'tuesdaythoughts': 935215, 'familiesfirst': 297539, 'report stay': 712278, 'safe michigan': 729823, 'michigan tuesdaythoughts': 530382, 'tuesdaythoughts familiesfirst': 935220, 'consumer report stay': 198729, 'report stay safe': 712279, 'stay safe michigan': 797253, 'safe michigan tuesdaythoughts': 729824, 'michigan tuesdaythoughts familiesfirst': 530383, 'workmate': 1009149, 'symptomatic': 830957, 'father is': 300290, 'warehouse of': 966742, 'italy apparently': 462766, 'his workmate': 397928, 'workmate who': 1009150, 'who happens': 988899, 'an indian': 56269, 'indian national': 434862, 'national wa': 552639, 'wa sent': 963164, 'sent back': 750740, 'being symptomatic': 125894, 'symptomatic for': 830958, 'my father is': 548248, 'father is working': 300292, 'working at warehouse': 1008532, 'at warehouse of': 101497, 'warehouse of supermarket': 966743, 'supermarket in italy': 820913, 'in italy apparently': 424291, 'italy apparently one': 462767, 'one of his': 606746, 'of his workmate': 584672, 'his workmate who': 397929, 'workmate who happens': 1009151, 'who happens to': 988900, 'happens to be': 377511, 'to be an': 901106, 'be an indian': 113610, 'an indian national': 56271, 'indian national wa': 434863, 'national wa sent': 552640, 'wa sent back': 963165, 'sent back home': 750741, 'back home for': 107058, 'home for being': 401224, 'for being symptomatic': 319639, 'being symptomatic for': 125895, 'symptomatic for covid': 830959, 'prospecting': 684703, 'might go': 530998, 'beach later': 118217, 'collect some': 186319, 'some more': 783315, 'more gold': 539353, 'gold from': 355894, 'this awesome': 886467, 'awesome sand': 106196, 'sand we': 733668, 'have here': 380934, 'know thing': 476883, 'going bad': 355051, 'bad when': 108081, 'find gold': 306938, 'gold at': 355859, 'beach but': 118194, 'will post': 994429, 'post the': 666349, 'result later': 717563, 'later today': 481148, 'today gold': 919579, 'gold prospecting': 355983, 'might go to': 530999, 'the beach later': 849384, 'beach later and': 118218, 'later and collect': 481021, 'and collect some': 60089, 'collect some more': 186320, 'some more gold': 783320, 'more gold from': 539354, 'gold from this': 355895, 'from this awesome': 337986, 'this awesome sand': 886470, 'awesome sand we': 106197, 'sand we have': 733669, 'we have here': 971834, 'have here you': 380936, 'here you know': 393857, 'you know thing': 1019531, 'know thing are': 476884, 'thing are going': 884153, 'are going bad': 86878, 'going bad when': 355052, 'bad when you': 108083, 'when you can': 984544, 'can find gold': 158324, 'find gold at': 306939, 'gold at the': 355862, 'at the beach': 100884, 'the beach but': 849378, 'beach but no': 118195, 'but no toilet': 146504, 'paper roll at': 640687, 'supermarket will post': 823888, 'will post the': 994430, 'post the result': 666355, 'the result later': 865696, 'result later today': 717564, 'later today gold': 481149, 'today gold prospecting': 919580, 'prophylactic': 684404, 'hydroxychloroquineandazithromycin': 412020, 'medicaladvice': 526514, 'malaria': 511547, 'trump recommends': 933785, 'recommends people': 704838, 'people take': 649713, 'take drug': 832084, 'drug prophylactic': 261069, 'prophylactic hydroxychloroquineandazithromycin': 684405, 'hydroxychloroquineandazithromycin at': 412021, 'least he': 484502, 'said not': 731265, 'not doctor': 569074, 'doctor medicaladvice': 250978, 'medicaladvice malaria': 526515, 'malaria lupus': 511563, 'lupus fda': 506816, 'fda ftc': 300859, 'ftc trumppressbriefing': 339462, 'trumppressbriefing and': 934128, 'trump recommends people': 933786, 'recommends people take': 704839, 'people take drug': 649715, 'take drug prophylactic': 832085, 'drug prophylactic hydroxychloroquineandazithromycin': 261070, 'prophylactic hydroxychloroquineandazithromycin at': 684406, 'hydroxychloroquineandazithromycin at least': 412022, 'at least he': 99505, 'least he said': 484503, 'he said not': 385371, 'said not doctor': 731266, 'not doctor medicaladvice': 569077, 'doctor medicaladvice malaria': 250979, 'medicaladvice malaria lupus': 526516, 'malaria lupus fda': 511564, 'lupus fda ftc': 506817, 'fda ftc trumppressbriefing': 300861, 'ftc trumppressbriefing and': 339463, 'drank': 258388, 'fairprice': 296456, 'another covid': 77551, '19 story': 10891, 'people thinking': 649840, 'joke guess': 467092, 'guess two': 368072, 'two teen': 937253, 'teen charged': 836480, 'after one': 35982, 'one allegedly': 605880, 'allegedly placed': 45697, 'placed juice': 657897, 'juice he': 467749, 'he drank': 384919, 'drank back': 258389, 'on fairprice': 600720, 'fairprice supermarket': 296461, 'another covid 19': 77552, 'covid 19 story': 213875, '19 story of': 10899, 'story of people': 812070, 'of people thinking': 588002, 'people thinking it': 649841, 'thinking it is': 885935, 'it is joke': 458995, 'is joke guess': 449107, 'joke guess two': 467093, 'guess two teen': 368073, 'two teen charged': 937254, 'teen charged after': 836481, 'charged after one': 173368, 'after one allegedly': 35983, 'one allegedly placed': 605881, 'allegedly placed juice': 45698, 'placed juice he': 657898, 'juice he drank': 467750, 'he drank back': 384920, 'drank back on': 258390, 'back on fairprice': 107186, 'on fairprice supermarket': 600721, 'fairprice supermarket shelf': 296462, 'tied': 895755, 'singular': 771448, 'insightintelligence': 439686, 'many generational': 514092, 'generational attitude': 345662, 'attitude have': 102558, 'been tied': 122198, 'tied to': 895756, 'to singular': 914674, 'singular event': 771449, 'event like': 285012, 'world war': 1010134, 'war the': 966545, 'depression financial': 237649, 'financial recession': 306548, 'recession 11': 704198, '11 will': 2613, 'the habit': 857031, 'habit of': 372658, 'change post': 172229, 'post pandemic': 666274, 'pandemic insight': 635736, 'insight retail': 439629, 'cx insightintelligence': 223913, 'many generational attitude': 514093, 'generational attitude have': 345663, 'attitude have been': 102559, 'have been tied': 379719, 'been tied to': 122199, 'tied to singular': 895759, 'to singular event': 914675, 'singular event like': 771450, 'event like the': 285013, 'like the world': 491410, 'the world war': 872001, 'world war the': 1010138, 'war the great': 966546, 'great depression financial': 362627, 'depression financial recession': 237650, 'financial recession 11': 306549, 'recession 11 will': 704199, '11 will be': 2614, 'of them will': 591776, 'them will the': 876640, 'will the habit': 995143, 'the habit of': 857032, 'habit of consumer': 372660, 'of consumer change': 581719, 'consumer change post': 196778, 'change post pandemic': 172230, 'post pandemic insight': 666276, 'pandemic insight retail': 635737, 'insight retail cx': 439630, 'retail cx insightintelligence': 718023, '1k': 12617, 'here amazing': 392679, 'amazing proposal': 50772, 'proposal 2k': 684451, '2k per': 16627, 'per adult': 650685, 'adult 1k': 32782, '1k per': 12623, 'per child': 650763, 'child suspend': 176211, 'business credit': 143595, 'credit payment': 216447, 'payment stop': 645739, 'stop negative': 804846, 'negative credit': 556751, 'credit report': 216481, 'report suspend': 712295, 'suspend debt': 829558, 'debt collection': 230438, 'collection recovery': 186462, 'and debt': 61000, 'debt recovery': 230544, 'recovery wage': 705418, 'wage bill': 963831, 'bill prohibition': 130665, 'prohibition of': 683440, 'eviction foreclosure': 288314, 'foreclosure billion': 328918, 'billion homeless': 130830, 'homeless assistance': 402735, 'here amazing proposal': 392680, 'amazing proposal 2k': 50773, 'proposal 2k per': 684452, '2k per adult': 16628, 'per adult 1k': 650686, 'adult 1k per': 32783, '1k per child': 12624, 'per child suspend': 650765, 'child suspend consumer': 176213, 'suspend consumer and': 829552, 'small business credit': 774850, 'business credit payment': 143597, 'credit payment stop': 216452, 'payment stop negative': 645740, 'stop negative credit': 804847, 'negative credit report': 556754, 'credit report suspend': 216485, 'report suspend debt': 712296, 'suspend debt collection': 829560, 'debt collection recovery': 230450, 'collection recovery and': 186463, 'recovery and debt': 705290, 'and debt recovery': 61001, 'debt recovery wage': 230545, 'recovery wage bill': 705419, 'wage bill prohibition': 963832, 'bill prohibition of': 130666, 'prohibition of eviction': 683441, 'of eviction foreclosure': 583281, 'eviction foreclosure billion': 288316, 'foreclosure billion homeless': 328919, 'billion homeless assistance': 130831, 'admits': 32620, 'calockdown': 156878, 'store spokesman': 810282, 'spokesman admits': 789773, 'admits shortage': 32623, 'shortage are': 764834, 'say when': 739475, 'when shelf': 984009, 'be restocked': 116842, 'restocked calockdown': 716940, 'calockdown hoarder': 156880, 'hoarder via': 399141, 'grocery store spokesman': 365791, 'store spokesman admits': 810283, 'spokesman admits shortage': 789774, 'admits shortage are': 32624, 'shortage are unprecedented': 764840, 'are unprecedented and': 91333, 'unprecedented and say': 943080, 'and say when': 71012, 'say when shelf': 739476, 'when shelf will': 984011, 'shelf will be': 757811, 'will be restocked': 992650, 'be restocked calockdown': 116843, 'restocked calockdown hoarder': 716941, 'calockdown hoarder via': 156881, 'bold': 134086, 'global situation': 352200, 'situation with': 772593, 'is bold': 446215, 'bold proof': 134093, 'proof of': 684003, 'how crucial': 407647, 'crucial ecommerce': 219444, 'ecommerce ha': 266782, 'become for': 119997, 'society and': 781152, 'how big': 407455, 'big it': 129839, 'it potential': 460402, 'every retailer': 286143, 'retailer there': 719366, 'still is': 800754, 'the global situation': 856326, 'global situation with': 352201, 'situation with is': 772599, 'with is bold': 999043, 'is bold proof': 446216, 'bold proof of': 134094, 'proof of how': 684005, 'of how crucial': 584819, 'how crucial ecommerce': 407648, 'crucial ecommerce ha': 219445, 'ecommerce ha become': 266783, 'ha become for': 369676, 'become for our': 119998, 'for our society': 324292, 'our society and': 624818, 'society and how': 781155, 'and how big': 64802, 'how big it': 407457, 'big it potential': 129840, 'it potential for': 460403, 'potential for every': 667071, 'for every retailer': 321174, 'every retailer there': 286146, 'retailer there still': 719367, 'there still is': 879099, 'foothold': 318547, 'yoy': 1026945, 'california home': 155518, 'sale were': 732640, 'were getting': 979677, 'getting strong': 349310, 'strong foothold': 814037, 'foothold in': 318548, 'february pre': 301735, 'outbreak with': 628827, 'up yoy': 946762, 'yoy realestate': 1026969, 'realestate housing': 701485, 'california home sale': 155520, 'home sale were': 402009, 'sale were getting': 732642, 'were getting strong': 979679, 'getting strong foothold': 349311, 'strong foothold in': 814038, 'foothold in february': 318549, 'in february pre': 422847, 'february pre covid': 301736, '19 outbreak with': 9210, 'outbreak with sale': 628832, 'with sale and': 1000554, 'sale and price': 732045, 'and price up': 69482, 'price up yoy': 677276, 'up yoy realestate': 946765, 'yoy realestate housing': 1026970, 'british online': 140552, 'supermarket said': 822293, 'said growth': 731094, 'last three': 480554, 'week wa': 977169, 'wa double': 962021, 'double that': 256063, 'it first': 458021, 'quarter panicked': 693262, 'shopper stock': 761713, 'good ahead': 356703, 'an expected': 55961, 'expected shutdown': 290936, 'shutdown to': 768112, 'british online supermarket': 140553, 'online supermarket said': 609502, 'supermarket said growth': 822294, 'said growth in': 731095, 'growth in the': 367405, 'the last three': 859048, 'last three week': 480556, 'three week wa': 894119, 'week wa double': 977171, 'wa double that': 962022, 'double that of': 256064, 'that of it': 845444, 'of it first': 585393, 'it first quarter': 458029, 'first quarter panicked': 308896, 'quarter panicked shopper': 693263, 'panicked shopper stock': 639291, 'shopper stock up': 761715, 'up on good': 945570, 'on good ahead': 601141, 'good ahead of': 356704, 'ahead of an': 39172, 'of an expected': 580115, 'an expected shutdown': 55963, 'expected shutdown to': 290937, 'shutdown to tackle': 768114, 'pune': 689190, 'chennai': 175495, 'rtold': 726865, 'dart': 226034, 'deliver material': 233164, 'material required': 520411, 'manufacture sanitizer': 513388, 'from pune': 337001, 'pune to': 689205, 'to chennai': 902712, 'chennai rtold': 175500, 'rtold to': 726866, 'bring the': 140082, 'the material': 860285, 'material to': 520425, 'to mumbai': 910354, 'mumbai airport': 545989, 'airport that': 40122, 'too after': 924566, 'after charging': 35460, 'charging 30': 173447, '30 extra': 17041, 'extra kudos': 293560, 'your blue': 1022979, 'blue dart': 133443, 'dart that': 226037, 'operating only': 613094, 'refused to deliver': 707070, 'to deliver material': 904104, 'deliver material required': 233165, 'material required to': 520412, 'required to manufacture': 713403, 'to manufacture sanitizer': 909820, 'manufacture sanitizer from': 513389, 'sanitizer from pune': 734949, 'from pune to': 337002, 'pune to chennai': 689206, 'to chennai rtold': 902713, 'chennai rtold to': 175501, 'rtold to bring': 726867, 'to bring the': 902053, 'bring the material': 140086, 'the material to': 860288, 'material to mumbai': 520428, 'to mumbai airport': 910355, 'mumbai airport that': 545990, 'airport that too': 40123, 'that too after': 847095, 'too after charging': 924567, 'after charging 30': 35461, 'charging 30 extra': 173448, '30 extra kudos': 17042, 'extra kudos to': 293561, 'kudos to your': 477889, 'to your blue': 918955, 'your blue dart': 1022980, 'blue dart that': 133445, 'dart that is': 226038, 'that is operating': 844635, 'is operating only': 450593, 'operating only for': 613096, 'for the profit': 326637, 'fooddelivery': 317890, 'pretty impossible': 671433, 'impossible not': 419386, 'no fooddelivery': 564283, 'fooddelivery available': 317893, 'pretty impossible not': 671434, 'impossible not to': 419387, 'the supermarket if': 868639, 'supermarket if there': 820836, 'is no fooddelivery': 449930, 'no fooddelivery available': 564284, 'costco in': 208238, 'in toronto': 430198, 'toronto limiting': 925956, 'limiting toilet': 492885, 'to two': 917862, 'two package': 937123, 'package per': 633370, 'costco in toronto': 208241, 'in toronto limiting': 430206, 'toronto limiting toilet': 925957, 'limiting toilet paper': 492886, 'paper to two': 640929, 'to two package': 917868, 'two package per': 937125, 'package per person': 633371, 'perpetrate': 652212, 'cyberscam': 223981, 'beready': 127284, 'donotfallforit': 255177, 'that bad': 842918, 'bad actor': 107741, 'actor will': 30603, 'use crisis': 949145, 'like covid19': 490060, 'covid19 pandemic': 214341, 'to perpetrate': 911670, 'perpetrate crime': 652213, 'crime but': 216774, 'reality is': 701749, 'will cybersecurity': 993090, 'cybersecurity cyberscam': 223992, 'cyberscam beready': 223982, 'beready donotfallforit': 127285, 'donotfallforit important': 255178, 'important message': 418880, 'from ftc': 335584, 'ftc about': 339368, 'sad that bad': 729250, 'that bad actor': 842919, 'bad actor will': 107748, 'actor will use': 30604, 'will use crisis': 995284, 'use crisis like': 949146, 'crisis like covid19': 217662, 'like covid19 pandemic': 490061, 'covid19 pandemic to': 214345, 'pandemic to perpetrate': 636788, 'to perpetrate crime': 911671, 'perpetrate crime but': 652214, 'crime but the': 216775, 'but the reality': 147394, 'the reality is': 865260, 'reality is they': 701752, 'is they will': 453056, 'they will cybersecurity': 883836, 'will cybersecurity cyberscam': 993091, 'cybersecurity cyberscam beready': 223993, 'cyberscam beready donotfallforit': 223983, 'beready donotfallforit important': 127286, 'donotfallforit important message': 255179, 'important message from': 418882, 'message from ftc': 529313, 'from ftc about': 335585, 'ftc about covid': 339370, 'efficiently': 269443, 'x1m': 1013753, 'work each': 1005076, 'each cage': 264003, 'cage of': 155169, 'stock efficiently': 802078, 'efficiently we': 269450, 'empty complete': 274840, 'complete supermarket': 192158, 'supermarket cage': 819488, 'cage 1m': 155159, '1m x1m': 12665, 'x1m square': 1013754, 'square by': 791467, 'by 2m': 151623, '2m high': 16694, 'high onto': 395204, 'onto the': 611679, 'one product': 606923, 'product off': 681457, 'the cage': 850268, 'cage because': 155165, 'because customer': 119012, 'customer ha': 222421, 'that item': 844761, 'we work each': 973941, 'work each cage': 1005077, 'each cage of': 264004, 'cage of stock': 155171, 'of stock efficiently': 590160, 'stock efficiently we': 802079, 'efficiently we are': 269451, 'are not going': 88382, 'going to empty': 355584, 'to empty complete': 905031, 'empty complete supermarket': 274841, 'complete supermarket cage': 192159, 'supermarket cage 1m': 819489, 'cage 1m x1m': 155160, '1m x1m square': 12666, 'x1m square by': 1013755, 'square by 2m': 791468, 'by 2m high': 151624, '2m high onto': 16695, 'high onto the': 395205, 'onto the floor': 611681, 'floor to get': 310849, 'to get one': 906548, 'get one product': 347705, 'one product off': 606925, 'product off the': 681458, 'off the bottom': 594233, 'bottom of the': 136420, 'of the cage': 590842, 'the cage because': 850269, 'cage because customer': 155166, 'because customer ha': 119014, 'customer ha to': 222424, 'ha to have': 372304, 'to have that': 907321, 'have that item': 382950, 'at can': 98187, '19 19': 4707, 'left for at': 485462, 'for at can': 319515, 'at can be': 98188, 'covid 19 19': 212553, 'emotionally': 273318, 'exhausted': 290146, 'empathic': 273336, 'tapped': 834390, 'ty': 937479, 'emotionally exhausted': 273323, 'exhausted from': 290158, 'and explaining': 62512, 'explaining to': 292192, 'and mom': 67104, 'mom with': 535845, 'with young': 1002174, 'young kid': 1022609, 'kid sorry': 474112, 'know when': 476995, 'more hurt': 539461, 'hurt am': 411543, 'am someone': 50416, 'low empathic': 505263, 'empathic reserve': 273337, 'reserve and': 714032, 'and tapped': 73028, 'tapped out': 834391, 'home ty': 402385, 'emotionally exhausted from': 273324, 'exhausted from work': 290159, 'from work in': 338412, 'store and explaining': 806241, 'and explaining to': 62513, 'explaining to the': 292194, 'elderly and mom': 270579, 'and mom with': 67105, 'mom with young': 535847, 'with young kid': 1002175, 'young kid sorry': 1022610, 'kid sorry we': 474113, 'we are out': 970650, 'out of that': 626849, 'of that and': 590709, 'that and don': 842653, 'and don know': 61634, 'don know when': 253675, 'know when we': 477009, 'when we ll': 984454, 'll get more': 496789, 'get more hurt': 347590, 'more hurt am': 539462, 'hurt am someone': 411544, 'am someone with': 50417, 'someone with low': 784788, 'with low empathic': 999332, 'low empathic reserve': 505264, 'empathic reserve and': 273338, 'reserve and tapped': 714034, 'and tapped out': 73029, 'tapped out please': 834393, 'stay home ty': 797017, 'individualism': 435291, 'britain stockpiling': 140446, 'stockpiling panic': 804041, 'panic reveals': 638491, 'reveals the': 720346, 'nation crisis': 552152, 'crisis of': 217778, 'of individualism': 585136, 'individualism there': 435296, 'there must': 878773, 'be another': 113629, 'another way': 77955, 'way my': 969718, 'my article': 547318, 'vulnerable will': 961257, 'most via': 542856, 'britain stockpiling panic': 140447, 'stockpiling panic reveals': 804043, 'panic reveals the': 638492, 'reveals the nation': 720352, 'the nation crisis': 861224, 'nation crisis of': 552153, 'crisis of individualism': 217785, 'of individualism there': 585137, 'individualism there must': 435297, 'there must be': 878774, 'must be another': 546492, 'be another way': 113634, 'another way my': 77957, 'way my article': 969719, 'my article on': 547323, 'how the most': 408851, 'most vulnerable will': 542900, 'vulnerable will suffer': 961259, 'the most via': 861060, 'most via the': 542857, 'via the uk': 956312, 'bengal': 127192, 'variety': 952555, 'touched': 926590, 'potato price': 666969, 'in west': 430795, 'west bengal': 980463, 'bengal rise': 127203, 'rise by': 722801, 'by 20': 151566, '20 one': 13227, 'the variety': 870643, 'variety which': 952576, 'which were': 986475, 'were selling': 980098, 'selling for': 749251, '15 17': 3639, '17 per': 4375, 'per kg': 650896, 'kg week': 473674, 'ago ha': 38397, 'ha touched': 372346, 'touched 20': 926593, '20 22': 12887, '22 kg': 15216, 'kg in': 473656, 'retail market': 718310, 'market wholesale': 517348, 'of potato': 588270, 'potato have': 666943, 'jumped to': 467952, 'to 13': 899482, '13 per': 3249, 'kg from': 473653, 'from 10': 334159, '10 11': 1227, '11 kg': 2544, 'potato price in': 666970, 'price in west': 674751, 'in west bengal': 430797, 'west bengal rise': 980468, 'bengal rise by': 127204, 'rise by 20': 722802, 'by 20 one': 151573, '20 one of': 13228, 'of the variety': 591584, 'the variety which': 870645, 'variety which were': 952577, 'which were selling': 986479, 'were selling for': 980100, 'selling for 15': 749252, 'for 15 17': 318663, '15 17 per': 3640, '17 per kg': 4376, 'per kg week': 650902, 'kg week ago': 473675, 'week ago ha': 975848, 'ago ha touched': 38399, 'ha touched 20': 372347, 'touched 20 22': 926594, '20 22 kg': 12888, '22 kg in': 15217, 'kg in some': 473658, 'in some retail': 428100, 'some retail market': 783759, 'retail market wholesale': 718313, 'market wholesale price': 517349, 'wholesale price of': 990476, 'price of potato': 675538, 'of potato have': 588273, 'potato have jumped': 666944, 'have jumped to': 381194, 'jumped to 13': 467953, 'to 13 per': 899487, '13 per kg': 3250, 'per kg from': 650899, 'kg from 10': 473654, 'from 10 11': 334160, '10 11 kg': 1228, '11 kg week': 2545, 'boycottvodafone': 137400, 'list increasing': 494366, 'pandemic imagine': 635682, 'imagine profiteering': 416769, 'from boycottvodafone': 334724, 'add to this': 31525, 'to this list': 917440, 'this list increasing': 888658, 'list increasing their': 494367, 'the pandemic imagine': 862994, 'pandemic imagine profiteering': 635683, 'imagine profiteering from': 416770, 'profiteering from boycottvodafone': 683038, 'freelancer': 332440, 'contractor': 201810, 'loophole': 503162, 'ifs': 415650, '2m freelancer': 16690, 'freelancer and': 332441, 'and contractor': 60507, 'contractor could': 201813, 'could miss': 209412, 'on crucial': 600173, 'crucial income': 219453, 'income support': 432461, 'support because': 826381, 'of loophole': 586011, 'loophole in': 503163, 'govt rescue': 361263, 'rescue package': 713628, 'package the': 633418, 'the ifs': 857858, 'ifs ha': 415651, 'warned the': 967032, 'the scheme': 866482, 'scheme isn': 741570, 'isn comprehensive': 454464, 'comprehensive enough': 192634, 'enough explains': 277373, 'explains how': 292208, 'how and': 407359, 'why here': 991065, '2m freelancer and': 16691, 'freelancer and contractor': 332443, 'and contractor could': 60508, 'contractor could miss': 201814, 'could miss out': 209414, 'miss out on': 534176, 'out on crucial': 626901, 'on crucial income': 600174, 'crucial income support': 219454, 'income support because': 432463, 'support because of': 826382, 'because of loophole': 119369, 'of loophole in': 586012, 'loophole in the': 503164, 'in the govt': 429239, 'the govt rescue': 856673, 'govt rescue package': 361264, 'rescue package the': 713630, 'package the ifs': 633421, 'the ifs ha': 857859, 'ifs ha warned': 415652, 'ha warned the': 372458, 'warned the scheme': 967035, 'the scheme isn': 866483, 'scheme isn comprehensive': 741571, 'isn comprehensive enough': 454465, 'comprehensive enough explains': 192635, 'enough explains how': 277374, 'explains how and': 292210, 'how and why': 407365, 'and why here': 75626, 'aiding': 39513, 'shadab': 754324, 'amidst do': 52790, 'of sending': 589502, 'sending out': 750067, 'out precautionary': 627061, 'precautionary message': 669433, 'message and': 529261, 'all sort': 44393, 'of aid': 579854, 'aid that': 39460, 'can provide': 159328, 'provide to': 686520, 'panic through': 638711, 'through disinfecting': 894431, 'disinfecting source': 245874, 'source could': 786466, 'helping word': 391547, 'word aiding': 1004444, 'aiding connection': 39514, 'connection like': 194707, 'like clean': 490013, 'clean food': 180529, 'medical resource': 526365, 'resource shadab': 714874, 'amidst do not': 52791, 'not be afraid': 568351, 'be afraid of': 113525, 'afraid of sending': 35004, 'of sending out': 589505, 'sending out precautionary': 750071, 'out precautionary message': 627062, 'precautionary message and': 669434, 'message and all': 529262, 'and all sort': 57892, 'all sort of': 44394, 'sort of aid': 786116, 'of aid that': 579856, 'aid that you': 39461, 'that you can': 847715, 'you can provide': 1017755, 'can provide to': 159334, 'provide to help': 686521, 'help people around': 390285, 'people around the': 647144, 'world to not': 1010085, 'to not panic': 910702, 'not panic through': 570942, 'panic through disinfecting': 638712, 'through disinfecting source': 894432, 'disinfecting source could': 245875, 'source could be': 786467, 'could be helping': 208877, 'be helping word': 115220, 'helping word aiding': 391548, 'word aiding connection': 1004445, 'aiding connection like': 39515, 'connection like clean': 194708, 'like clean food': 490014, 'clean food and': 180531, 'food and medical': 313281, 'and medical resource': 66882, 'medical resource shadab': 526367, 'raunheim': 697902, 'hessen': 394289, 'impression': 419460, 'germany raunheim': 346344, 'raunheim hessen': 697903, 'hessen in': 394290, 'in raunheim': 427265, 'hessen man': 394292, 'man 47': 511963, '47 had': 19255, 'the impression': 857992, 'impression that': 419472, 'the distance': 853414, 'between him': 128795, 'him and': 396535, 'and two': 74548, 'two other': 937108, 'other customer': 620054, 'checkout area': 174884, 'area wa': 92252, 'wa too': 963549, 'too small': 925067, 'germany raunheim hessen': 346345, 'raunheim hessen in': 697904, 'hessen in supermarket': 394291, 'supermarket in raunheim': 820965, 'in raunheim hessen': 427266, 'raunheim hessen man': 697905, 'hessen man 47': 394293, 'man 47 had': 511964, '47 had the': 19256, 'had the impression': 373619, 'the impression that': 857995, 'impression that the': 419474, 'that the distance': 846706, 'the distance between': 853418, 'distance between him': 246664, 'between him and': 128796, 'him and two': 396544, 'and two other': 74554, 'two other customer': 937109, 'other customer in': 620061, 'customer in the': 222510, 'in the checkout': 429068, 'the checkout area': 850756, 'checkout area wa': 174885, 'area wa too': 92253, 'wa too small': 963556, 'granada': 361853, 'in granada': 423402, 'granada completely': 361854, 'completely unreal': 192370, 'unreal 19': 943288, 'is the queue': 452911, 'the supermarket in': 868642, 'supermarket in granada': 820905, 'in granada completely': 423403, 'granada completely unreal': 361855, 'completely unreal 19': 192371, 'difficulty': 242361, 'hello nigerian': 389199, 'nigerian how': 562857, 'you market': 1019785, 'market raising': 516928, 'raising food': 696082, 'price etc': 673706, 'etc you': 282915, 'causing corruption': 168014, 'corruption and': 207689, 'and difficulty': 61350, 'difficulty in': 242384, 'country please': 210959, 'excuse we': 289792, 'government help': 360191, 'help ourselves': 390240, 'ourselves we': 625502, 'we help': 972010, 'and yourself': 76105, 'yourself thank': 1026713, 'hello nigerian how': 389200, 'nigerian how do': 562858, 'do you market': 250646, 'you market raising': 1019786, 'market raising food': 516929, 'raising food price': 696083, 'food price etc': 315938, 'price etc you': 673709, 'etc you are': 282916, 'you are causing': 1017084, 'are causing corruption': 85202, 'causing corruption and': 168015, 'corruption and difficulty': 207690, 'and difficulty in': 61352, 'difficulty in the': 242388, 'the country please': 852129, 'country please let': 210960, 'please let not': 660184, 'let not use': 486946, 'not use an': 572354, 'use an excuse': 949038, 'an excuse we': 55937, 'excuse we do': 289793, 'do the government': 250245, 'the government help': 856546, 'government help ourselves': 360192, 'help ourselves we': 390241, 'ourselves we help': 625503, 'we help the': 972013, 'help the government': 390653, 'government and yourself': 359880, 'and yourself thank': 76108, 'yourself thank you': 1026714, 'grocery store will': 365956, 'store will survive': 811349, 'infosec': 438153, 'doing infosec': 252470, 'is doing infosec': 447280, 'are carrying': 85183, 'carrying this': 165220, 'country on': 210935, 'their shoulder': 874728, 'shoulder it': 766696, 'worker it': 1007245, 'it grocery': 458351, 'it truck': 461860, 'the that are': 869364, 'that are carrying': 842725, 'are carrying this': 85187, 'carrying this country': 165221, 'this country on': 886963, 'country on their': 210938, 'on their shoulder': 604507, 'their shoulder it': 874729, 'shoulder it retail': 766697, 'it retail worker': 460752, 'retail worker it': 718893, 'worker it grocery': 1007246, 'it grocery store': 458355, 'store worker it': 811531, 'worker it truck': 1007254, 'it truck driver': 461861, 'from ruby': 337131, 'ruby tuesday': 727022, 'tuesday saying': 935178, 'be selling': 117070, 'selling restaurant': 749425, 'restaurant staple': 716710, 'staple like': 793968, 'like meat': 490766, 'drink that': 258883, 'take home': 832201, 'have milk': 381468, 'milk by': 531615, 'the gallon': 856111, 'gallon fresh': 343007, 'meat veggie': 525793, 'veggie dessert': 954178, 'dessert smart': 238947, 'smart idea': 775383, 'email from ruby': 272193, 'from ruby tuesday': 337132, 'ruby tuesday saying': 727023, 'tuesday saying they': 935179, 'saying they ll': 739727, 'they ll be': 882585, 'll be selling': 496625, 'be selling restaurant': 117074, 'selling restaurant staple': 749426, 'restaurant staple like': 716711, 'staple like meat': 793970, 'like meat and': 490767, 'meat and drink': 525473, 'and drink that': 61733, 'drink that you': 258885, 'that you take': 847747, 'you take home': 1021510, 'take home instead': 832204, 'instead of having': 440271, 'for some item': 325746, 'some item they': 783153, 'item they have': 463724, 'they have milk': 882344, 'have milk by': 381470, 'milk by the': 531616, 'by the gallon': 154332, 'the gallon fresh': 856113, 'gallon fresh meat': 343008, 'fresh meat veggie': 333033, 'meat veggie dessert': 525794, 'veggie dessert smart': 954179, 'dessert smart idea': 238948, 'jacket': 464154, 'time time': 897933, 'do unnecessary': 250431, 'unnecessary online': 942916, 'shopping clothes': 762372, 'clothes household': 184165, 'item etc': 463239, 'etc think': 282819, 'driver delivering': 259500, '100 home': 1918, 'not put': 571172, 'risk for': 723535, 'new jacket': 558954, 'jacket leave': 464157, 'leave them': 484986, 'deliver essential': 233115, 'not see this': 571489, 'see this time': 745958, 'this time time': 890702, 'time time to': 897935, 'time to do': 897979, 'to do unnecessary': 904577, 'do unnecessary online': 250432, 'unnecessary online shopping': 942917, 'online shopping clothes': 609073, 'shopping clothes household': 762373, 'clothes household item': 184166, 'household item etc': 406863, 'item etc think': 463240, 'etc think of': 282820, 'think of the': 885462, 'of the delivery': 590940, 'delivery driver delivering': 233898, 'driver delivering to': 259502, 'delivering to over': 233558, 'to over 100': 911285, 'over 100 home': 629768, '100 home day': 1919, 'home day do': 400989, 'day do not': 227528, 'do not put': 249808, 'not put them': 571178, 'at risk for': 100360, 'risk for the': 723561, 'sake of new': 731868, 'of new jacket': 586971, 'new jacket leave': 558955, 'jacket leave them': 464158, 'leave them to': 484988, 'them to deliver': 876467, 'to deliver essential': 904097, 'cabinet': 154973, 'fond': 312989, 'wantonly': 966318, 'liable': 487954, 'breaching': 138366, 'smes': 775640, 'informal': 437679, 'cushioning': 221923, 'cabinet official': 154992, 'said government': 731090, 'not consider': 568829, 'consider application': 194954, 'application from': 82459, 'business which': 144658, 'are fond': 86630, 'fond of': 312992, 'of wantonly': 592902, 'wantonly increasing': 966319, 'commodity including': 189196, 'including those': 432201, 'are found': 86664, 'found liable': 330277, 'liable of': 487958, 'of breaching': 580830, 'breaching the': 138375, 'lockdown guideline': 499437, 'guideline under': 368492, 'under it': 940143, 'it smes': 461095, 'smes and': 775641, 'and informal': 65215, 'informal sector': 437688, 'sector cushioning': 744154, 'cushioning fund': 221924, 'cabinet official said': 154993, 'official said government': 595899, 'said government will': 731091, 'government will not': 360816, 'will not consider': 994201, 'not consider application': 568830, 'consider application from': 194955, 'application from business': 82460, 'from business which': 334758, 'business which are': 144659, 'which are fond': 985681, 'are fond of': 86631, 'fond of wantonly': 312993, 'of wantonly increasing': 592903, 'wantonly increasing price': 966320, 'increasing price of': 433677, 'of commodity including': 581575, 'commodity including those': 189198, 'including those that': 432204, 'that are found': 842753, 'are found liable': 86665, 'found liable of': 330278, 'liable of breaching': 487959, 'of breaching the': 580832, 'breaching the covid': 138376, '19 lockdown guideline': 8388, 'lockdown guideline under': 499439, 'guideline under it': 368493, 'under it smes': 940145, 'it smes and': 461096, 'smes and informal': 775642, 'and informal sector': 65217, 'informal sector cushioning': 437689, 'sector cushioning fund': 744155, 'recent global': 703906, 'global economic': 351878, 'economic challenge': 266998, 'challenge resulting': 171544, 'falling crude': 297225, 'price governor': 674352, 'governor ha': 360905, 'announced series': 77027, 'of measure': 586368, 'the recent global': 865310, 'recent global economic': 703907, 'global economic challenge': 351880, 'economic challenge resulting': 267001, 'challenge resulting from': 171545, 'resulting from the': 717696, 'pandemic and falling': 634876, 'and falling crude': 62638, 'falling crude oil': 297226, 'oil price governor': 597154, 'price governor ha': 674353, 'governor ha announced': 360906, 'ha announced series': 369564, 'announced series of': 77028, 'series of measure': 751273, 'of measure to': 586370, 'measure to mitigate': 525399, 'oahu': 578252, 'islandlife': 454332, 'hawaii': 384443, 'hog': 399828, 'pig': 656432, 'hawaiianislands': 384467, 'they heard': 882419, 'the island': 858551, 'island of': 454300, 'of oahu': 587131, 'oahu is': 578253, 'is shutting': 451907, 'and wanted': 75169, 'don blame': 253391, 'blame them': 132308, 'them chinavirus': 875531, 'chinavirus grocery': 177158, 'grocery islandlife': 364643, 'islandlife hawaii': 454333, 'hawaii hog': 384452, 'hog pig': 399836, 'pig hawaiianislands': 656447, 'they heard the': 882421, 'heard the island': 388149, 'the island of': 858552, 'island of oahu': 454302, 'of oahu is': 587132, 'oahu is shutting': 578254, 'is shutting down': 451910, 'shutting down and': 768253, 'down and wanted': 256523, 'and wanted to': 75172, 'wanted to stock': 966275, 'on food don': 600856, 'food don blame': 314261, 'don blame them': 253393, 'blame them chinavirus': 132309, 'them chinavirus grocery': 875532, 'chinavirus grocery islandlife': 177159, 'grocery islandlife hawaii': 364644, 'islandlife hawaii hog': 454334, 'hawaii hog pig': 384453, 'hog pig hawaiianislands': 399837, 'enrollment': 277845, 'aca': 27755, 'cobra': 185172, 'you considering': 1018020, 'considering re': 195401, 're opening': 699212, 'opening enrollment': 612826, 'enrollment for': 277846, 'for aca': 318989, 'aca health': 27758, 'health plan': 386738, 'help laid': 389985, 'off worker': 594419, 'pay cobra': 644811, 'cobra price': 185173, 'have health': 380906, 'care during': 163913, 'pandemic healthcare': 635604, 'healthcare obamacare': 387194, 'are you considering': 91778, 'you considering re': 1018021, 'considering re opening': 195402, 're opening enrollment': 699213, 'opening enrollment for': 612827, 'enrollment for aca': 277847, 'for aca health': 318990, 'aca health plan': 27759, 'health plan this': 386742, 'plan this would': 658261, 'this would help': 891539, 'would help laid': 1011910, 'help laid off': 389986, 'laid off worker': 479036, 'off worker so': 594425, 'worker so they': 1007793, 'so they do': 778468, 'have to pay': 383262, 'to pay cobra': 911522, 'pay cobra price': 644812, 'cobra price to': 185174, 'price to have': 676997, 'to have health': 907250, 'have health care': 380907, 'health care during': 386228, 'care during pandemic': 163914, 'during pandemic healthcare': 262871, 'pandemic healthcare obamacare': 635605, 'undoubtably': 941037, 'regulator': 708136, 'are many': 88024, 'many company': 513914, 'company listed': 190853, 'listed on': 494633, 'on various': 605020, 'various stock': 952647, 'market pushing': 516923, 'pushing false': 690414, 'false story': 297462, 'about finding': 25238, 'finding cure': 307452, 'or vaccine': 617636, 'vaccine simply': 951767, 'simply to': 770304, 'to push': 912565, 'push their': 690326, 'their share': 874670, 'up ve': 946515, 've identified': 953271, 'identified few': 413330, 'of undoubtably': 592620, 'undoubtably many': 941038, 'many medium': 514273, 'medium need': 527180, 'this or': 889283, 'or regulator': 616830, 'regulator need': 708147, 'there are many': 878124, 'are many company': 88025, 'many company listed': 513919, 'company listed on': 190855, 'listed on various': 494637, 'on various stock': 605023, 'various stock market': 952648, 'stock market pushing': 802426, 'market pushing false': 516924, 'pushing false story': 690415, 'false story about': 297463, 'story about finding': 811885, 'about finding cure': 25239, 'finding cure or': 307454, 'cure or vaccine': 220788, 'or vaccine simply': 617639, 'vaccine simply to': 951768, 'simply to push': 770307, 'to push their': 912573, 'push their share': 690328, 'their share price': 874673, 'share price up': 755188, 'price up ve': 677267, 'up ve identified': 946518, 've identified few': 953272, 'identified few of': 413331, 'few of undoubtably': 303962, 'of undoubtably many': 592621, 'undoubtably many medium': 941039, 'many medium need': 514274, 'medium need to': 527181, 'to stop doing': 915517, 'stop doing this': 804620, 'doing this or': 252768, 'this or regulator': 889288, 'or regulator need': 616831, 'regulator need to': 708148, 'swarming': 830000, 'uklockdownnow so': 939022, 'only allowed': 610059, 'essential guarantee': 281111, 'guarantee that': 367717, 'fucking vulture': 340051, 'vulture all': 961287, 'all swarming': 44581, 'swarming there': 830003, 'there in': 878503, 'their 100': 872414, '100 at': 1840, 'time how': 896952, 'that gonna': 844039, 'be controlled': 114225, 'controlled if': 202240, 'they claim': 881756, 'to he': 907353, 'he there': 385516, 'essential reason': 281446, 'uklockdownnow so people': 939023, 'so people are': 777993, 'people are only': 647033, 'are only allowed': 88760, 'only allowed to': 610063, 'supermarket for essential': 820394, 'for essential guarantee': 321105, 'essential guarantee that': 281112, 'guarantee that will': 367720, 'that will not': 847595, 'will not stop': 994275, 'not stop the': 571759, 'stop the fucking': 805132, 'the fucking vulture': 855992, 'fucking vulture all': 340052, 'vulture all swarming': 961288, 'all swarming there': 44582, 'swarming there in': 830004, 'there in their': 878509, 'in their 100': 429707, 'their 100 at': 872415, '100 at opening': 1841, 'opening time how': 612925, 'time how is': 896954, 'is that gonna': 452651, 'that gonna be': 844040, 'gonna be controlled': 356467, 'be controlled if': 114228, 'controlled if they': 202242, 'if they claim': 415101, 'they claim to': 881759, 'claim to he': 179850, 'to he there': 907355, 'he there for': 385517, 'there for an': 878403, 'for an essential': 319286, 'an essential reason': 55830, 'lettuce': 487452, 'seal': 743175, 'tip at': 898713, 'supermarket grab': 820558, 'grab plastic': 361523, 'plastic produce': 658871, 'produce bag': 680202, 'bag put': 108392, 'hand inside': 375047, 'inside and': 439216, 'up something': 946042, 'something like': 784962, 'like head': 490402, 'head of': 385764, 'of lettuce': 585792, 'lettuce then': 487462, 'then drop': 877139, 'drop it': 260283, 'into another': 442403, 'another bag': 77508, 'bag and': 108215, 'and seal': 71101, 'seal it': 743178, 'up this': 946276, 'not touching': 572237, 'touching everyone': 926671, 'else produce': 271846, 'produce sanitize': 680424, 'sanitize shopping': 734210, 'food shopping tip': 316541, 'shopping tip at': 764155, 'tip at supermarket': 898715, 'at supermarket grab': 100728, 'supermarket grab plastic': 820560, 'grab plastic produce': 361524, 'plastic produce bag': 658872, 'produce bag put': 680204, 'bag put their': 108394, 'put their hand': 690877, 'their hand inside': 873478, 'hand inside and': 375048, 'inside and use': 439224, 'and use that': 74785, 'use that to': 949647, 'that to pick': 847060, 'pick up something': 655763, 'up something like': 946043, 'something like head': 784963, 'like head of': 490403, 'head of lettuce': 385772, 'of lettuce then': 585794, 'lettuce then drop': 487463, 'then drop it': 877140, 'drop it into': 260285, 'it into another': 458822, 'into another bag': 442404, 'another bag and': 77509, 'bag and seal': 108224, 'and seal it': 71103, 'seal it up': 743179, 'it up this': 461970, 'up this way': 946285, 'this way you': 891140, 'way you re': 970205, 're not touching': 699127, 'not touching everyone': 572238, 'touching everyone else': 926672, 'everyone else produce': 286875, 'else produce sanitize': 271847, 'produce sanitize shopping': 680425, 'sanitize shopping cart': 734211, 'thinker': 885830, 'pandamonium': 634730, 'norespect': 567021, 'gainesville': 342867, 'you pre': 1020402, 'pre thinker': 669212, 'thinker you': 885831, 'all feel': 42769, 'feel smart': 302851, 'smart because': 775348, 'got ahead': 358387, 'ready good': 700884, 'good good': 357135, 'you pandamonium': 1020278, 'pandamonium norespect': 634731, 'norespect nofood': 567022, 'nofood gainesville': 566148, 'gainesville georgia': 342871, 'you pre thinker': 1020403, 'pre thinker you': 669213, 'thinker you all': 885832, 'you all feel': 1016876, 'all feel smart': 42771, 'feel smart because': 302852, 'smart because you': 775349, 'because you got': 119868, 'you got ahead': 1018893, 'got ahead of': 358388, 'ahead of the': 39193, 'pandemic you are': 637089, 'you are ready': 1017212, 'are ready good': 89460, 'ready good good': 700885, 'good good for': 357137, 'good for you': 357096, 'for you pandamonium': 328079, 'you pandamonium norespect': 1020279, 'pandamonium norespect nofood': 634732, 'norespect nofood gainesville': 567023, 'nofood gainesville georgia': 566149, 'out an': 625626, 'update list': 947058, 'list here': 494350, 'here chamber': 392855, 'chamber member': 171668, 'member want': 528231, 'be included': 115452, 'included on': 431695, 'list or': 494505, 'or need': 616226, 'your communication': 1023264, 'communication on': 189625, 'medium fill': 527101, 'this survey': 890453, 'check out an': 174535, 'out an update': 625639, 'an update list': 56926, 'update list here': 947059, 'list here chamber': 494353, 'here chamber member': 392856, 'chamber member want': 171669, 'member want to': 528232, 'to be included': 901331, 'be included on': 115454, 'included on this': 431697, 'this list or': 888661, 'list or need': 494506, 'or need to': 616229, 'need to share': 556066, 'to share your': 914374, 'share your communication': 755371, 'your communication on': 1023265, 'communication on social': 189626, 'social medium fill': 779852, 'medium fill out': 527102, 'fill out this': 305483, 'out this survey': 627588, 'landed': 479312, 'toiletpaper went': 922825, 'went like': 979060, 'like hot': 490451, 'hot cake': 404994, 'cake when': 155263, 'when first': 983426, 'first landed': 308752, 'landed on': 479315, 'scene but': 741314, 'but why': 147856, 'not back': 568314, 'back someone': 107279, 'someone educate': 784441, 'educate me': 268757, 'understand that toiletpaper': 940738, 'that toiletpaper went': 847084, 'toiletpaper went like': 922826, 'went like hot': 979061, 'like hot cake': 490452, 'hot cake when': 404995, 'cake when first': 155264, 'when first landed': 983427, 'first landed on': 308753, 'landed on the': 479316, 'on the scene': 604345, 'the scene but': 866463, 'scene but why': 741315, 'but why is': 147861, 'is it not': 449042, 'it not back': 459860, 'not back someone': 568315, 'back someone educate': 107280, 'someone educate me': 784442, 'educate me please': 268758, 'not great': 569742, 'great not': 362851, 'thought you': 893334, 'you be': 1017387, 'be spring': 117339, 'spring come': 791189, 'come but': 187252, 'work get': 1005207, 'and ask': 58424, 'for job': 322766, 'job they': 466196, 'll take': 497058, 'take you': 832810, 'you on': 1020187, 'll earn': 496726, 'earn whilst': 264819, 'whilst assist': 987609, 'assist the': 96642, 'nation fightcovid19': 552176, 'fightcovid19 keepsafe': 304993, 'it not great': 459883, 'not great not': 569746, 'great not where': 362852, 'not where you': 572497, 'where you thought': 985398, 'you thought you': 1021722, 'thought you be': 893335, 'you be spring': 1017400, 'be spring come': 117340, 'spring come but': 791190, 'come but if': 187253, 'of work get': 593251, 'work get to': 1005210, 'supermarket and ask': 818933, 'and ask for': 58427, 'ask for job': 95528, 'for job they': 322767, 'job they ll': 466202, 'they ll take': 882615, 'll take you': 497064, 'take you on': 832811, 'you on and': 1020188, 'on and you': 599382, 'you ll earn': 1019647, 'll earn whilst': 496728, 'earn whilst assist': 264820, 'whilst assist the': 987610, 'assist the nation': 96644, 'the nation fightcovid19': 861231, 'nation fightcovid19 keepsafe': 552177, 'ikea temporarily': 416058, 'temporarily closing': 837473, 'closing brick': 183601, 'mortar online': 541821, 'shopping click': 762368, 'collect limited': 186297, 'limited home': 492642, 'delivery still': 234576, 'available an': 104217, 'our response': 624621, 'ikea temporarily closing': 416059, 'temporarily closing brick': 837475, 'closing brick mortar': 183602, 'brick mortar online': 139589, 'mortar online shopping': 541822, 'online shopping click': 609072, 'shopping click collect': 762369, 'click collect limited': 181897, 'collect limited home': 186298, 'limited home delivery': 492643, 'home delivery still': 401048, 'delivery still available': 234577, 'still available an': 800220, 'available an update': 104219, 'on our response': 602624, 'our response to': 624622, 'stuffccedoes': 815270, 'paper tube': 641032, 'tube seed': 935045, 'seed starting': 746172, 'starting an': 794938, 'an easy': 55556, 'easy at': 265658, 'home activity': 400554, 'activity for': 30425, 'family stuffccedoes': 298266, 'stuffccedoes garden': 815271, 'garden seed': 343621, 'seed quarantine': 746162, 'quarantine toiletpaper': 692643, 'paper tube seed': 641033, 'tube seed starting': 935046, 'seed starting an': 746173, 'starting an easy': 794939, 'an easy at': 55557, 'easy at home': 265659, 'at home activity': 98931, 'home activity for': 400555, 'activity for the': 30428, 'for the whole': 326780, 'whole family stuffccedoes': 990204, 'family stuffccedoes garden': 298267, 'stuffccedoes garden seed': 815272, 'garden seed quarantine': 343622, 'seed quarantine toiletpaper': 746163, 'hofmann': 399825, 'hofmann sausage': 399826, 'sausage company': 737403, 'company donates': 190608, 'donates food': 254389, 'hofmann sausage company': 399827, 'sausage company donates': 737404, 'company donates food': 190609, 'donates food to': 254390, 'food to help': 317262, 'to help during': 907498, 'great video': 363094, 'video feel': 956724, 'my kitchen': 548961, 'kitchen is': 475719, 'is clean': 446540, 'clean and': 180454, 'family even': 297765, 'even after': 283807, 'store psa': 809699, 'psa safe': 687428, 'safe grocery': 729723, 'pandemic updated': 636881, 'updated via': 947457, 'great video feel': 363095, 'video feel like': 956725, 'feel like my': 302731, 'like my kitchen': 490824, 'my kitchen is': 548963, 'kitchen is clean': 475721, 'is clean and': 446541, 'clean and safe': 180466, 'and safe for': 70711, 'safe for my': 729680, 'my family even': 548194, 'family even after': 297766, 'even after the': 283819, 'grocery store psa': 365689, 'store psa safe': 809700, 'psa safe grocery': 687429, 'safe grocery shopping': 729724, 'grocery shopping in': 365039, 'shopping in covid': 762958, '19 pandemic updated': 9513, 'pandemic updated via': 636882, 'containment': 200595, 'ramp': 696431, 'metropolitan': 529963, 'confidence plunge': 193933, 'plunge containment': 661425, 'containment measure': 200602, 'measure ramp': 525302, 'ramp up': 696434, 'up daily': 944687, 'daily commentary': 224550, 'curve team': 221898, 'team consumer': 835615, 'up 25th': 944145, '25th of': 16108, 'continues through': 201453, 'the metropolitan': 860554, 'consumer confidence plunge': 196913, 'confidence plunge containment': 193936, 'plunge containment measure': 661426, 'containment measure ramp': 200606, 'measure ramp up': 525303, 'ramp up daily': 696438, 'up daily commentary': 944688, 'daily commentary by': 224551, 'commentary by the': 188478, 'by the curve': 154302, 'the curve team': 852706, 'curve team consumer': 221899, 'team consumer confidence': 835616, 'ramp up 25th': 696435, 'up 25th of': 944146, '25th of march': 16109, 'of march 2020': 586196, '2020 the spread': 14643, '19 virus continues': 11792, 'virus continues through': 958079, 'continues through the': 201454, 'through the metropolitan': 894749, 'malaysia is': 511614, 'key source': 473394, 'commodity for': 189179, 'for singapore': 325632, 'singapore which': 771164, 'which import': 985945, 'import more': 418645, 'than 90': 840307, 'malaysia is key': 511617, 'is key source': 449188, 'key source of': 473395, 'source of commodity': 786518, 'of commodity for': 581571, 'commodity for singapore': 189180, 'for singapore which': 325633, 'singapore which import': 771165, 'which import more': 985946, 'import more than': 418646, 'more than 90': 540584, 'than 90 of': 840308, '90 of it': 23316, 'of it food': 585394, 'it food product': 458056, 'singalong': 771091, 'week singalong': 976881, 'singalong is': 771092, 'our super': 625000, 'super supermarket': 818597, 'this week singalong': 891265, 'week singalong is': 976882, 'singalong is for': 771093, 'is for our': 447887, 'for our super': 324299, 'our super supermarket': 625002, 'super supermarket worker': 818599, 'photo show': 655241, 'travel across': 930231, 'aisle 19': 40183, 'photo show how': 655242, 'single cough can': 771265, 'can travel across': 160034, 'travel across supermarket': 930233, 'across supermarket aisle': 29465, 'supermarket aisle 19': 818829, 'finally had': 306035, 'supermarket omg': 821718, 'omg so': 598910, 'far foot': 298776, 'foot is': 318394, 'is socialdistancing': 452059, 'finally had to': 306036, 'the supermarket omg': 868725, 'supermarket omg so': 821719, 'omg so many': 598911, 'many people there': 514537, 'people there with': 649809, 'there with no': 879369, 'mask no glove': 519009, 'glove no idea': 352807, 'idea how far': 413073, 'how far foot': 407841, 'far foot is': 298777, 'foot is socialdistancing': 318395, 'the bug': 850090, 'bug are': 141892, 'they good': 882218, 'them close': 875533, 'bless the bug': 132594, 'the bug are': 850091, 'bug are they': 141894, 'are they good': 91004, 'they good pet': 882219, 'keep them close': 472105, 'rain': 695729, 'defence': 232087, 'my lovely': 549168, 'lovely husband': 504963, 'husband kindly': 411732, 'kindly took': 475177, 'took this': 925355, 'me standing': 523532, 'queue battling': 693894, 'battling with': 112889, 'with rain': 1000393, 'rain glove': 695740, 'and bag': 58639, 'bag for': 108285, 'life do': 488603, 'realise how': 701593, 'how bat': 407445, 'bat shit': 112552, 'shit crazy': 759084, 'crazy this': 215444, 'this look': 888706, 'look but': 502325, 'my defence': 547970, 'defence wa': 232096, 'only adhering': 610035, 'to guideline': 907075, 'guideline issued': 368442, 'my lovely husband': 549170, 'lovely husband kindly': 504964, 'husband kindly took': 411733, 'kindly took this': 475178, 'took this photo': 925359, 'photo of me': 655205, 'of me standing': 586343, 'me standing in': 523533, 'supermarket queue battling': 822118, 'queue battling with': 693895, 'battling with rain': 112891, 'with rain glove': 1000394, 'rain glove and': 695741, 'glove and bag': 352553, 'and bag for': 58641, 'bag for life': 108287, 'for life do': 322966, 'life do realise': 488605, 'do realise how': 250024, 'realise how bat': 701594, 'how bat shit': 407446, 'bat shit crazy': 112553, 'shit crazy this': 759085, 'crazy this look': 215445, 'this look but': 888709, 'look but in': 502326, 'in my defence': 425561, 'my defence wa': 547972, 'defence wa only': 232097, 'wa only adhering': 962852, 'only adhering to': 610036, 'adhering to guideline': 32236, 'to guideline issued': 907077, 'guideline issued by': 368443, 'issued by the': 456044, 'nurse desperation': 577275, 'desperation panic': 238608, 'buyer clear': 149610, 'clear shelf': 181313, 'shelf an': 756714, 'an exhausted': 55943, 'exhausted nurse': 290162, 'ha urged': 372414, 'urged panicked': 948267, 'about other': 25870, 'people after': 646780, 'after finding': 35667, 'finding supermarket': 307545, 'nurse desperation panic': 577276, 'desperation panic buyer': 238609, 'panic buyer clear': 637563, 'buyer clear shelf': 149611, 'clear shelf an': 181314, 'shelf an exhausted': 756716, 'an exhausted nurse': 55945, 'exhausted nurse ha': 290164, 'nurse ha urged': 577351, 'ha urged panicked': 372417, 'urged panicked shopper': 948268, 'panicked shopper to': 639292, 'shopper to think': 761777, 'think about other': 885092, 'about other people': 25872, 'other people after': 620654, 'people after finding': 646782, 'after finding supermarket': 35670, 'finding supermarket shelf': 307546, 'cornwall': 203748, 'begging those': 123490, 'have plan': 381945, 'to cornwall': 903521, 'cornwall to': 203761, 'isolate to': 454929, 'away we': 106094, 'one main': 606631, 'main hospital': 508759, 'that struggle': 846531, 'struggle at': 814334, 'best of': 127791, 'time supermarket': 897783, 'empty please': 275011, 'of cornwall': 581881, 'cornwall and': 203751, 'bit to': 131714, 'begging those who': 123491, 'who have plan': 988945, 'have plan to': 381948, 'plan to come': 658276, 'come to cornwall': 187563, 'to cornwall to': 903522, 'cornwall to self': 203762, 'to self isolate': 914123, 'self isolate to': 747691, 'isolate to please': 454931, 'to please stay': 911821, 'please stay away': 660546, 'stay away we': 796788, 'away we have': 106096, 'we have one': 971883, 'have one main': 381791, 'one main hospital': 606632, 'main hospital that': 508760, 'hospital that struggle': 404673, 'that struggle at': 846532, 'struggle at the': 814335, 'at the best': 100888, 'the best of': 849531, 'best of time': 127800, 'of time supermarket': 592185, 'time supermarket shelf': 897785, 'are empty please': 86164, 'empty please think': 275012, 'people of cornwall': 648914, 'of cornwall and': 581883, 'cornwall and do': 203752, 'and do your': 61571, 'your bit to': 1022975, 'bit to help': 131717, 'here acting': 392658, 'it black': 456884, 'black friday': 132058, 'people out here': 649021, 'out here acting': 626270, 'here acting like': 392659, 'acting like it': 29882, 'like it black': 490525, 'it black friday': 456885, 'black friday for': 132059, 'friday for toilet': 333226, 'lockdown2020': 500193, 'jantacurfew2020': 464605, 'hantavir': 377029, 'yesmanservices': 1015626, 'on corona': 600109, 'virus lockdown': 958465, 'lockdown lockdown2020': 499608, 'lockdown2020 jantacurfew2020': 500194, 'jantacurfew2020 hantavir': 464606, 'hantavir yesmanservices': 377030, 'online shopping on': 609205, 'shopping on corona': 763386, 'on corona virus': 600112, 'corona virus lockdown': 204323, 'virus lockdown lockdown2020': 958466, 'lockdown lockdown2020 jantacurfew2020': 499609, 'lockdown2020 jantacurfew2020 hantavir': 500195, 'jantacurfew2020 hantavir yesmanservices': 464607, 'narendramodi': 551913, 'the rise': 865845, 'rise vegetable': 723055, 'vegetable seller': 954083, 'selling at': 749160, 'at double': 98485, 'price govt': 674354, 'govt need': 361211, 'to takeover': 916268, 'takeover the': 833217, 'essential supply': 281617, 'supply poor': 825719, 'survive like': 829200, 'this stayhomestaysafe': 890317, 'stayhomestaysafe narendramodi': 798520, 'narendramodi ar': 551914, 'buying is on': 150572, 'on the rise': 604337, 'the rise vegetable': 865861, 'rise vegetable seller': 723056, 'vegetable seller are': 954084, 'seller are selling': 748979, 'are selling at': 89950, 'selling at double': 749165, 'at double price': 98486, 'double price govt': 256037, 'price govt need': 674356, 'govt need to': 361212, 'need to takeover': 556099, 'to takeover the': 916269, 'takeover the distribution': 833218, 'the distribution of': 853425, 'distribution of essential': 248173, 'of essential supply': 583189, 'essential supply poor': 281627, 'supply poor people': 825720, 'poor people will': 664258, 'able to survive': 24555, 'to survive like': 916037, 'survive like this': 829201, 'like this stayhomestaysafe': 491534, 'this stayhomestaysafe narendramodi': 890318, 'stayhomestaysafe narendramodi ar': 798521, '09': 1144, 'ringd': 722547, 'shady': 754352, 'pretendingtocare': 671344, 'delivery but': 233759, 'but changing': 145413, 'price overnight': 675819, 'overnight tried': 631366, 'order an': 618020, 'an original': 56715, 'original chicken': 619558, 'chicken sandwich': 175853, 'sandwich meal': 733744, '10pm last': 2376, 'wa 09': 961342, '09 this': 1162, 'morning it': 541318, 'at 09': 97391, '09 medium': 1158, 'medium onion': 527197, 'onion ringd': 607734, 'ringd went': 722548, 'from 29': 334261, '29 to': 16503, '99 shady': 23888, 'shady pretendingtocare': 754353, 'offering free delivery': 595117, 'free delivery but': 331752, 'delivery but changing': 233760, 'but changing price': 145414, 'changing price overnight': 172780, 'price overnight tried': 675821, 'overnight tried to': 631367, 'tried to order': 931838, 'to order an': 911062, 'order an original': 618021, 'an original chicken': 56716, 'original chicken sandwich': 619559, 'chicken sandwich meal': 175854, 'sandwich meal at': 733745, 'meal at 10pm': 524106, 'at 10pm last': 97432, '10pm last night': 2377, 'last night and': 480366, 'night and it': 562942, 'it wa 09': 462052, 'wa 09 this': 961343, '09 this morning': 1163, 'this morning it': 888975, 'morning it at': 541319, 'it at 09': 456608, 'at 09 medium': 97394, '09 medium onion': 1159, 'medium onion ringd': 527198, 'onion ringd went': 607735, 'ringd went from': 722549, 'went from 29': 979012, 'from 29 to': 334263, '29 to 99': 16504, 'to 99 shady': 899891, '99 shady pretendingtocare': 23889, 'needing': 556608, 'my normal': 549506, 'normal anxiety': 567092, 'to amp': 900428, 'amp up': 54761, 'of needing': 586920, 'needing to': 556632, 'do supermarket': 250191, 'by myself': 153292, 'myself let': 550902, 'alone adding': 46806, 'adding the': 31701, 'anxiety to': 78806, 'my normal anxiety': 549507, 'normal anxiety and': 567093, 'anxiety and panic': 78655, 'and panic is': 68656, 'panic is starting': 638224, 'starting to amp': 795012, 'to amp up': 900432, 'amp up at': 54762, 'up at the': 944440, 'at the thought': 101121, 'thought of needing': 893145, 'of needing to': 586921, 'needing to do': 556634, 'to do supermarket': 904564, 'do supermarket run': 250193, 'supermarket run by': 822270, 'run by myself': 727594, 'by myself let': 153293, 'myself let alone': 550903, 'let alone adding': 486579, 'alone adding the': 46807, 'adding the covid': 31702, '19 anxiety to': 5163, 'anxiety to it': 78807, 'vi': 955766, 'ikoyi': 416064, 'marina': 515742, 'unlimited': 942771, 'healthylifestyle': 387846, 'doculandnigeria': 251187, 'safe buy': 729528, 'sanitizers hand': 736294, 'wash in': 967506, 'our branch': 622252, 'branch in': 137678, 'in vi': 430575, 'vi ikoyi': 955767, 'ikoyi marina': 416065, 'marina and': 515743, 'and abuja': 57568, 'abuja cheaper': 27572, 'cheaper price': 174264, 'price unlimited': 677207, 'unlimited quantity': 942789, 'quantity printing': 691954, 'printing healthylifestyle': 678342, 'healthylifestyle health': 387847, 'health handwash': 386477, 'handwash handsanitizer': 376772, 'handsanitizer lagos': 376566, 'lagos abuja': 478918, 'abuja doculandnigeria': 27576, 'stay safe buy': 797216, 'safe buy hand': 729529, 'buy hand sanitizers': 148772, 'hand sanitizers hand': 375698, 'sanitizers hand wash': 736296, 'hand wash in': 375927, 'wash in our': 967507, 'in our branch': 426266, 'our branch in': 622254, 'branch in vi': 137680, 'in vi ikoyi': 430576, 'vi ikoyi marina': 955768, 'ikoyi marina and': 416066, 'marina and abuja': 515744, 'and abuja cheaper': 57570, 'abuja cheaper price': 27573, 'cheaper price unlimited': 174266, 'price unlimited quantity': 677208, 'unlimited quantity printing': 942791, 'quantity printing healthylifestyle': 691955, 'printing healthylifestyle health': 678343, 'healthylifestyle health handwash': 387848, 'health handwash handsanitizer': 386478, 'handwash handsanitizer lagos': 376773, 'handsanitizer lagos abuja': 376567, 'lagos abuja doculandnigeria': 478919, '19de': 12519, 'in man': 425023, 'man is': 512119, 'is totally': 453301, 'totally freaking': 926336, 'supermarket 19de': 818739, 'in man is': 425024, 'man is totally': 512124, 'is totally freaking': 453304, 'totally freaking out': 926337, 'freaking out in': 331546, 'out in the': 626401, 'the supermarket 19de': 868440, 'that decided': 843461, 'protect older': 684879, 'older and': 598573, 'vulnerable customer': 960920, 'to supermarket that': 915844, 'supermarket that decided': 823183, 'that decided to': 843462, 'decided to protect': 230928, 'to protect older': 912318, 'protect older and': 684880, 'older and vulnerable': 598576, 'and vulnerable customer': 75050, 'racking': 695366, 'pandemic highlight': 635629, 'highlight the': 395964, 'top pot': 925665, 'pot producer': 666893, 'producer even': 680608, 'even before': 283867, 'pot company': 666880, 'company were': 191296, 'were racking': 980018, 'racking up': 695369, 'up lot': 945349, 'sale growth': 732250, 'and ample': 58093, 'ample cash': 54878, 'cash flow': 166226, 'flow given': 311233, 'market potential': 516870, 'potential and': 667016, 'low share': 505598, 'main player': 508789, 'player look': 659318, 'like bargain': 489874, 'the pandemic highlight': 862989, 'pandemic highlight the': 635631, 'highlight the top': 395976, 'the top pot': 869790, 'top pot producer': 925667, 'pot producer even': 666894, 'producer even before': 680609, 'even before covid': 283871, '19 hit the': 7550, 'hit the top': 398451, 'top pot company': 925666, 'pot company were': 666881, 'company were racking': 191298, 'were racking up': 980019, 'racking up lot': 695371, 'up lot of': 945350, 'lot of sale': 504273, 'of sale growth': 589245, 'sale growth and': 732251, 'growth and ample': 367340, 'and ample cash': 58094, 'ample cash flow': 54879, 'cash flow given': 166228, 'flow given the': 311234, 'given the market': 351142, 'the market potential': 860142, 'market potential and': 516871, 'potential and the': 667017, 'and the low': 73463, 'the low share': 859784, 'low share price': 505599, 'share price the': 755185, 'price the main': 676846, 'the main player': 859908, 'main player look': 508790, 'player look like': 659319, 'look like bargain': 502462, 'understanding the covid': 940890, '19 effect on': 6725, 'effect on online': 269089, 'relax stay': 708826, 'calm the': 156810, 'the majority': 859940, 'are mild': 88076, 'mild most': 531334, 'people recover': 649254, 'recover especially': 705172, 'especially if': 280506, 'healthy young': 387819, 'young person': 1022652, 'person the': 652639, 'best thing': 127924, 'keep others': 471720, 'others safe': 621623, 'safe is': 729782, 'love you': 504883, 'relax stay calm': 708828, 'stay calm the': 796817, 'calm the majority': 156812, 'the majority of': 859946, 'majority of case': 509552, 'of case are': 581165, 'case are mild': 165642, 'are mild most': 88077, 'mild most people': 531335, 'most people recover': 542625, 'people recover especially': 649255, 'recover especially if': 705173, 'especially if you': 280512, 'are healthy young': 87069, 'healthy young person': 387822, 'young person the': 1022653, 'person the best': 652641, 'the best thing': 849558, 'best thing you': 127931, 'do to keep': 250391, 'to keep others': 908820, 'keep others safe': 471721, 'others safe is': 621625, 'safe is to': 729786, 'is to stock': 453250, 'food and water': 313379, 'and water and': 75231, 'water and staying': 968882, 'and staying home': 72320, 'staying home for': 798609, 'home for few': 401230, 'few week we': 304174, 'week we love': 977196, 'we love you': 972312, 'biologicalweapon': 131230, 'terrorism': 838596, 'collap': 185951, 'kinda make': 475061, 'wonder if': 1003964, 'is biologicalweapon': 446184, 'biologicalweapon what': 131231, 'what better': 981114, 'invoke terrorism': 444310, 'terrorism on': 838612, 'on society': 603543, 'society than': 781320, 'than through': 841333, 'body that': 133898, 'make that': 510550, 'society function': 781215, 'function gov': 341266, 'gov close': 359552, 'close border': 182570, 'border panic': 135268, 'panic run': 638501, 'run on': 727731, 'supply economic': 825200, 'economic collap': 267010, 'kinda make you': 475062, 'you wonder if': 1022409, 'wonder if is': 1003970, 'if is biologicalweapon': 414276, 'is biologicalweapon what': 446185, 'biologicalweapon what better': 131232, 'what better way': 981116, 'way to invoke': 970042, 'to invoke terrorism': 908499, 'invoke terrorism on': 444311, 'terrorism on society': 838613, 'on society than': 603545, 'society than through': 781321, 'than through the': 841334, 'through the body': 894720, 'the body that': 849826, 'body that make': 133899, 'that make that': 845003, 'make that society': 510553, 'that society function': 846377, 'society function gov': 781216, 'function gov close': 341267, 'gov close border': 359553, 'close border panic': 182571, 'border panic run': 135269, 'panic run on': 638502, 'run on food': 727734, 'and supply economic': 72785, 'supply economic collap': 825201, 'demand via': 236435, '19 demand via': 6489, 'hayward': 384535, 'cox': 214516, 'agent': 38143, 'uphold': 947569, 'undertaking': 940947, 'valuation': 952060, 'inspection': 439763, 'maintenance': 509157, 'compliance': 192434, 'mark hayward': 515785, 'hayward david': 384536, 'david cox': 226979, 'cox said': 214519, 'it vital': 462044, 'vital agent': 959669, 'agent continue': 38162, 'to uphold': 917983, 'uphold the': 947572, 'highest standard': 395865, 'standard follow': 793659, 'follow best': 312361, 'practice when': 668700, 'when undertaking': 984360, 'undertaking valuation': 940952, 'valuation viewing': 952067, 'viewing inspection': 957205, 'inspection maintenance': 439770, 'maintenance cleaning': 509160, 'cleaning maintain': 180976, 'maintain compliance': 508950, 'compliance with': 192445, 'protection regulation': 685588, 'mark hayward david': 515786, 'hayward david cox': 384537, 'david cox said': 226980, 'cox said it': 214520, 'said it vital': 731171, 'it vital agent': 462045, 'vital agent continue': 959670, 'agent continue to': 38163, 'continue to uphold': 201277, 'to uphold the': 917984, 'uphold the highest': 947573, 'the highest standard': 857351, 'highest standard follow': 395867, 'standard follow best': 793660, 'follow best practice': 312362, 'best practice when': 127851, 'practice when undertaking': 668702, 'when undertaking valuation': 984363, 'undertaking valuation viewing': 940953, 'valuation viewing inspection': 952068, 'viewing inspection maintenance': 957206, 'inspection maintenance cleaning': 439772, 'maintenance cleaning maintain': 509161, 'cleaning maintain compliance': 180977, 'maintain compliance with': 508951, 'compliance with the': 192448, 'consumer protection regulation': 198556, 'jerseyans': 465239, 'grewal and': 363867, 'the division': 853434, 'division of': 248677, 'affair warned': 34096, 'warned new': 967009, 'new jerseyans': 558983, 'jerseyans to': 465240, 'remain vigilant': 709908, 'vigilant against': 957229, 'against consumer': 37372, 'scam caused': 740105, 'uncertainty and': 939648, 'and fear': 62734, 'gurbir grewal and': 368817, 'grewal and the': 363868, 'and the division': 73330, 'the division of': 853435, 'division of consumer': 248680, 'consumer affair warned': 196105, 'affair warned new': 34097, 'warned new jerseyans': 967010, 'new jerseyans to': 558984, 'jerseyans to remain': 465241, 'to remain vigilant': 913178, 'remain vigilant against': 709909, 'vigilant against consumer': 957230, 'against consumer scam': 37373, 'consumer scam caused': 198867, 'scam caused by': 740106, 'by the uncertainty': 154467, 'the uncertainty and': 870338, 'uncertainty and fear': 939650, 'and fear surrounding': 62742, 'diversification': 248531, 'diversification ha': 248532, 'failed here': 296140, 'invest when': 443774, 'all price': 44026, 'diversification ha failed': 248533, 'ha failed here': 370580, 'failed here how': 296141, 'how to invest': 409034, 'to invest when': 908486, 'invest when all': 443775, 'when all price': 983132, 'all price fall': 44030, 'legislature': 486016, 'listing': 494823, 'premier jason': 669897, 'speaking from': 787759, 'the alberta': 848553, 'alberta legislature': 40808, 'legislature on': 486017, 'now today': 576190, 'facing not': 295551, 'not one': 570758, 'one crisis': 606133, 'but three': 147569, 'three he': 893944, 'say listing': 738895, 'listing covid': 494836, 'recession and': 704202, 'of energy': 583107, 'premier jason kenney': 669898, 'kenney is speaking': 472796, 'is speaking from': 452144, 'speaking from the': 787760, 'from the alberta': 337596, 'the alberta legislature': 848554, 'alberta legislature on': 40809, 'legislature on right': 486018, 'right now today': 722162, 'now today we': 576191, 'we are facing': 970556, 'are facing not': 86425, 'facing not one': 295552, 'not one crisis': 570762, 'one crisis but': 606134, 'crisis but three': 217160, 'but three he': 147570, 'three he say': 893945, 'he say listing': 385395, 'say listing covid': 738896, 'listing covid 19': 494837, '19 the global': 11197, 'the global recession': 856320, 'global recession and': 352152, 'recession and the': 704208, 'collapse of energy': 186036, 'of energy price': 583110, '16th': 4281, 'posit': 665147, 'then after': 876971, 'the 16th': 847903, '16th what': 4292, 'were you': 980362, 'you saying': 1021008, 'saying to': 739741, 'public concerned': 687922, 'about remember': 26075, 'strong job': 814059, 'economic posit': 267205, 'and then after': 73740, 'then after the': 876972, 'after the 16th': 36282, 'the 16th what': 847904, '16th what kind': 4293, 'kind of thing': 474949, 'of thing were': 591921, 'thing were you': 884979, 'were you saying': 980366, 'you saying to': 1021011, 'saying to the': 739743, 'the public concerned': 864796, 'public concerned about': 687923, 'concerned about remember': 193169, 'about remember this': 26076, 'is strong job': 452390, 'strong job are': 814060, 'best economic posit': 127675, 'critically': 218731, 'reputable': 713111, 're reading': 699350, 'reading this': 700806, 'twitter so': 936717, 'ahead and': 39134, 'and assume': 58465, 'that like': 844885, 'been overwhelmed': 121634, 'overwhelmed with': 631731, 'with source': 1000892, 'information about': 437699, '19 examine': 6880, 'examine what': 288824, 'reading critically': 700749, 'critically and': 218734, 'seek out': 746594, 'out reputable': 627107, 'reputable source': 713112, 'source tip': 786563, 'the ma': 859852, 'ma government': 507270, 'you re reading': 1020719, 're reading this': 699352, 'reading this on': 700813, 'this on twitter': 889222, 'on twitter so': 604926, 'twitter so we': 936719, 'so we re': 778679, 'to go ahead': 906762, 'go ahead and': 353257, 'ahead and assume': 39135, 'and assume that': 58466, 'assume that like': 97017, 'that like you': 844888, 'like you ve': 491883, 've been overwhelmed': 952915, 'been overwhelmed with': 121636, 'overwhelmed with source': 631734, 'with source of': 1000893, 'source of information': 786527, 'of information about': 585192, 'information about covid': 437704, 'covid 19 examine': 213053, '19 examine what': 6881, 'examine what you': 288826, 'what you re': 982689, 're reading critically': 699351, 'reading critically and': 700750, 'critically and seek': 218735, 'and seek out': 71170, 'seek out reputable': 746596, 'out reputable source': 627108, 'reputable source tip': 713113, 'source tip from': 786564, 'from the ma': 337782, 'the ma government': 859853, 'hea': 385711, 'supply coronacrisis': 825106, 'coronacrisis hea': 204622, 'hea th': 385712, 'stop the panic': 805143, 'buying there is': 151197, 'of supply coronacrisis': 590475, 'supply coronacrisis hea': 825107, 'coronacrisis hea th': 204623, 'storm facing': 811798, 'facing hunger': 295494, 'hunger crisis': 411082, 'bank soar': 110195, 'soar foodinsecurity': 779244, 'perfect storm facing': 651345, 'storm facing hunger': 811799, 'facing hunger crisis': 295495, 'hunger crisis demand': 411084, 'crisis demand for': 217283, 'food bank soar': 313642, 'bank soar foodinsecurity': 110197, 'hobby': 399763, 'emptier': 274711, 'fake news': 296667, 'news you': 560976, 'have only': 381808, 'only proven': 611030, 'proven my': 686176, 'point do': 662463, 'below look': 126691, 'look well': 502663, 'stocked find': 803315, 'find better': 306834, 'better hobby': 128324, 'hobby supermarket': 399779, 'are emptier': 86130, 'emptier delivery': 274712, 'delivery are': 233708, 'think is fake': 885311, 'is fake news': 447717, 'fake news you': 296678, 'news you have': 560979, 'you have only': 1019087, 'have only proven': 381811, 'only proven my': 611031, 'proven my point': 686177, 'my point do': 549803, 'point do the': 662464, 'do the shelf': 250264, 'the shelf in': 866849, 'shelf in the': 757221, 'story below look': 811921, 'below look well': 126692, 'look well stocked': 502664, 'well stocked find': 978595, 'stocked find better': 803316, 'find better hobby': 306836, 'better hobby supermarket': 128325, 'hobby supermarket shelf': 399780, 'shelf are emptier': 756796, 'are emptier delivery': 86131, 'emptier delivery are': 274713, 'delivery are taking': 233725, 'germophobe': 346384, 'saw young': 738337, 'young guy': 1022603, 'guy at': 368916, 'melbourne yesterday': 527946, 'yesterday who': 1015954, 'who wa': 989897, 'wa wearing': 963674, 'wearing industrial': 974659, 'industrial google': 435544, 'google gas': 358148, 'and pair': 68634, 'of black': 580730, 'black latex': 132077, 'glove thought': 352966, 'thought he': 893075, 'wa germophobe': 962199, 'germophobe infected': 346385, 'an isolation': 56476, 'saw young guy': 738339, 'young guy at': 1022604, 'guy at supermarket': 368918, 'supermarket in melbourne': 820931, 'in melbourne yesterday': 425251, 'melbourne yesterday who': 527947, 'yesterday who wa': 1015955, 'who wa wearing': 989920, 'wa wearing industrial': 963677, 'wearing industrial google': 974660, 'industrial google gas': 435545, 'google gas mask': 358149, 'gas mask and': 343901, 'mask and pair': 518355, 'and pair of': 68635, 'pair of black': 634333, 'of black latex': 580733, 'black latex glove': 132078, 'latex glove thought': 481624, 'glove thought he': 352967, 'thought he wa': 893077, 'he wa germophobe': 385600, 'wa germophobe infected': 962200, 'germophobe infected with': 346386, 'infected with and': 436666, 'with and should': 997251, 'and should be': 71588, 'should be in': 765647, 'be in an': 115390, 'in an isolation': 420322, 'tohoku': 921114, 'reaction of': 700200, 'of consumption': 581794, 'in japan': 424367, 'japan to': 464766, 'the tohoku': 869704, 'tohoku earthquake': 921115, 'reaction of consumption': 700201, 'of consumption and': 581795, 'consumption and price': 199831, 'and price in': 69455, 'price in japan': 674701, 'in japan to': 424376, 'japan to the': 464768, 'and the tohoku': 73618, 'the tohoku earthquake': 869705, 'influencers': 437336, 'involve': 444328, 'detached': 239138, 'influencers acting': 437338, 'like ordering': 490939, 'online doesn': 608122, 'doesn involve': 251851, 'involve human': 444333, 'being working': 126069, 'in warehouse': 430679, 'warehouse and': 966676, 'and putting': 69831, 'contracting spreading': 201782, 'shopping isn': 763089, 'isn risk': 454650, 'risk free': 723566, 'free alternative': 331633, 'alternative do': 49220, 'not contribute': 568864, 'contribute by': 201867, 'by adding': 151750, 'adding to': 31707, 'demand just': 235773, 'bc you': 113319, 're that': 699683, 'that detached': 843515, 'detached from': 239139, 'influencers acting like': 437339, 'acting like ordering': 29885, 'like ordering online': 490940, 'ordering online doesn': 618993, 'online doesn involve': 608123, 'doesn involve human': 251852, 'involve human being': 444334, 'human being working': 410448, 'being working in': 126070, 'working in warehouse': 1008738, 'in warehouse and': 430680, 'warehouse and putting': 966684, 'and putting themselves': 69842, 'of contracting spreading': 581835, 'contracting spreading covid': 201783, '19 online shopping': 8994, 'online shopping isn': 609161, 'shopping isn risk': 763090, 'isn risk free': 454651, 'risk free alternative': 723567, 'free alternative do': 331634, 'alternative do not': 49221, 'do not contribute': 249707, 'not contribute by': 568865, 'contribute by adding': 201868, 'by adding to': 151754, 'adding to demand': 31708, 'to demand just': 904148, 'demand just bc': 235774, 'just bc you': 468265, 'bc you re': 113320, 'you re that': 1020774, 're that detached': 699684, 'that detached from': 843516, 'detached from it': 239140, 'fitbit': 309504, 'ace': 28978, '58': 20516, 'camelcamelcamel': 157093, 'wow this': 1012606, 'really cheap': 702056, 'cheap of': 174150, 'you price': 1020427, 'kid fitbit': 473951, 'fitbit ace': 309505, 'ace wa': 28980, 'wa 49': 961385, '49 99': 19378, '99 this': 23903, 'morning now': 541382, 'it 58': 456214, '58 go': 20534, 'to camelcamelcamel': 902401, 'camelcamelcamel to': 157094, 'check price': 174598, 'price history': 674552, 'history and': 398002, 'there notice': 878878, 'notice saying': 573347, 'saying you': 739771, 've told': 953631, 'stop tracking': 805235, 'tracking price': 928352, '19 profiteering': 9840, 'profiteering much': 683064, 'wow this is': 1012608, 'is really cheap': 451292, 'really cheap of': 702057, 'cheap of you': 174151, 'of you price': 593412, 'you price of': 1020428, 'price of kid': 675483, 'of kid fitbit': 585625, 'kid fitbit ace': 473952, 'fitbit ace wa': 309506, 'ace wa 49': 28981, 'wa 49 99': 961386, '49 99 this': 19380, '99 this morning': 23904, 'this morning now': 888992, 'morning now it': 541383, 'now it 58': 575103, 'it 58 go': 456215, '58 go to': 20535, 'go to camelcamelcamel': 354286, 'to camelcamelcamel to': 902402, 'camelcamelcamel to check': 157095, 'to check price': 902692, 'check price history': 174599, 'price history and': 674553, 'history and there': 398005, 'and there notice': 73847, 'there notice saying': 878879, 'notice saying you': 573348, 'saying you ve': 739777, 'you ve told': 1022070, 've told them': 953633, 'them to stop': 876516, 'to stop tracking': 915590, 'stop tracking price': 805236, 'tracking price due': 928353, 'covid 19 profiteering': 213618, '19 profiteering much': 9842, 'purveyor': 690230, 'chatting with': 174031, 'some top': 784095, 'top mail': 925609, 'mail order': 508636, 'order purveyor': 618528, 'purveyor today': 690233, 'seeing 300': 746198, '300 surge': 17349, 'in sale': 427645, 'sale but': 732109, 'they seem': 883299, 'doing good': 252424, 'of managing': 586142, 'managing supply': 512892, 'and restocking': 70403, 'restocking quickly': 717014, 'quickly if': 694545, 'saw out': 738199, 'stock check': 801975, 'check back': 174381, 'chatting with some': 174032, 'with some top': 1000869, 'some top mail': 784096, 'top mail order': 925610, 'mail order purveyor': 508638, 'order purveyor today': 618529, 'purveyor today and': 690234, 'today and some': 919223, 'and some are': 71950, 'some are seeing': 782327, 'are seeing 300': 89884, 'seeing 300 surge': 746199, '300 surge in': 17350, 'surge in sale': 828209, 'in sale but': 427649, 'sale but they': 732112, 'but they seem': 147516, 'they seem to': 883300, 'to be doing': 901214, 'be doing good': 114516, 'doing good job': 252425, 'good job of': 357297, 'job of managing': 466034, 'of managing supply': 586145, 'managing supply chain': 512893, 'chain and restocking': 170476, 'and restocking quickly': 70406, 'restocking quickly if': 717015, 'quickly if you': 694547, 'if you saw': 415515, 'you saw out': 1020993, 'saw out of': 738200, 'of stock check': 590148, 'stock check back': 801976, 'just routine': 469651, 'routine trip': 726538, 'with stay': 1000951, 'safe when': 730133, 'out 19': 625527, 'just routine trip': 469652, 'routine trip to': 726539, 'store with stay': 811405, 'with stay home': 1000952, 'stay safe when': 797297, 'safe when you': 730135, 'go out 19': 353930, 'truce': 932704, 'surge on': 828236, 'on hope': 601357, 'war truce': 966574, 'truce sign': 932711, 'that saudiarabia': 846125, 'saudiarabia and': 737327, 'russia may': 728512, 'may end': 521142, 'end an': 275765, 'an oil': 56573, 'oil feud': 596790, 'feud sent': 303642, 'sent price': 750797, 'price surge on': 676724, 'surge on hope': 828237, 'on hope of': 601359, 'hope of price': 403574, 'of price war': 588418, 'price war truce': 677380, 'war truce sign': 966578, 'truce sign that': 932712, 'sign that saudiarabia': 769224, 'that saudiarabia and': 846126, 'saudiarabia and russia': 737329, 'and russia may': 70674, 'russia may end': 728513, 'may end an': 521143, 'end an oil': 275766, 'an oil feud': 56575, 'oil feud sent': 596791, 'feud sent price': 303643, 'sent price up': 750800, 'luscious': 506853, 'vegetation': 954155, 'locust': 500551, 'grazed': 362465, 'crate': 215135, '5lines': 20745, 'mpy': 544338, 'such luscious': 816612, 'luscious vegetation': 506854, 'vegetation such': 954156, 'such ordered': 816661, 'ordered growth': 618858, 'growth so': 367456, 'so fresh': 777119, 'for moment': 323482, 'but next': 146471, 'next it': 561421, 'if locust': 414389, 'locust had': 500569, 'had grazed': 373147, 'grazed it': 362466, 'ground crate': 366491, 'crate and': 215136, 'and wood': 75835, 'wood 5lines': 1004270, '5lines supermarket': 20746, 'supermarket poetry': 822033, 'poetry locust': 662374, 'locust mpy': 500574, 'such luscious vegetation': 816613, 'luscious vegetation such': 506855, 'vegetation such ordered': 954157, 'such ordered growth': 816662, 'ordered growth so': 618859, 'growth so fresh': 367457, 'so fresh for': 777120, 'fresh for moment': 332988, 'for moment but': 323484, 'moment but next': 535889, 'but next it': 146472, 'next it if': 561423, 'it if locust': 458673, 'if locust had': 414390, 'locust had grazed': 500571, 'had grazed it': 373148, 'grazed it to': 362467, 'the ground crate': 856846, 'ground crate and': 366492, 'crate and wood': 215137, 'and wood 5lines': 75836, 'wood 5lines supermarket': 1004271, '5lines supermarket poetry': 20747, 'supermarket poetry locust': 822034, 'poetry locust mpy': 662375, 'surplus': 828472, 'roast': 724589, 'mince': 532598, 'retailer have': 719175, 'to balance': 901008, 'balance out': 108980, 'the surplus': 869016, 'surplus of': 828490, 'steak and': 799153, 'and roast': 70579, 'roast caused': 724590, 'recent panic': 703951, 'of mince': 586538, 'mince are': 532599, 'on shop': 603430, 'promote these': 683798, 'these cut': 879846, 'cut for': 223342, 'weekend to': 977427, 'alleviate the': 45823, 'problem that': 679698, 'that panic': 845642, 'retailer have an': 719176, 'opportunity to balance': 613695, 'to balance out': 901009, 'balance out the': 108981, 'out the surplus': 627427, 'the surplus of': 869018, 'surplus of steak': 828495, 'of steak and': 590106, 'steak and roast': 799154, 'and roast caused': 70580, 'roast caused by': 724591, 'by the recent': 154422, 'the recent panic': 865319, 'recent panic buying': 703952, 'buying of mince': 150797, 'of mince are': 586539, 'mince are calling': 532600, 'are calling on': 85150, 'calling on shop': 156615, 'on shop to': 603433, 'shop to promote': 760952, 'to promote these': 912259, 'promote these cut': 683799, 'these cut for': 879847, 'cut for the': 223347, 'for the easter': 326402, 'the easter weekend': 853855, 'easter weekend to': 265525, 'weekend to alleviate': 977428, 'to alleviate the': 900317, 'alleviate the problem': 45827, 'the problem that': 864524, 'problem that panic': 679704, 'that panic buying': 845644, 'buying ha caused': 150432, 'bir': 131316, 'ddettir': 229025, 'permarketlerin': 652114, 'lojistik': 500852, 'hizmeti': 398618, 'avusturya': 105526, 'ordusu': 619114, 'deste': 238961, 'iyle': 464082, 'yap': 1014148, 'yor': 1016562, 'tedavisi': 836421, 'milyon': 532488, 'luk': 506627, 'ara': 83814, 'rma': 724274, 'geli': 345182, 'tirme': 899101, 'esi': 280370, 'klad': 475871, 'ge': 344920, 'hafta': 373869, 'paketi': 634412, 'klanm': 475878, 'viyana': 959851, 'haberler': 372534, 'bu': 141569, 'kadar': 470582, 'bir ddettir': 131319, 'ddettir permarketlerin': 229026, 'permarketlerin lojistik': 652115, 'lojistik hizmeti': 500853, 'hizmeti avusturya': 398619, 'avusturya ordusu': 105527, 'ordusu deste': 619115, 'deste iyle': 238962, 'iyle yap': 464083, 'yap yor': 1014149, 'yor corona': 1016565, 'corona tedavisi': 204216, 'tedavisi in': 836422, 'in 22': 419883, '22 milyon': 15227, 'milyon luk': 532489, 'luk bir': 506628, 'bir ara': 131317, 'ara rma': 83815, 'rma geli': 724275, 'geli tirme': 345183, 'tirme esi': 899102, 'esi klad': 280371, 'klad met': 475872, 'met ge': 529574, 'ge en': 344923, 'en hafta': 275380, 'hafta da': 373870, 'da 35': 224211, '35 milyon': 17899, 'luk yard': 506630, 'yard paketi': 1014160, 'paketi klanm': 634413, 'klanm viyana': 475879, 'viyana dan': 959852, 'dan haberler': 225532, 'haberler bu': 372535, 'bu kadar': 141574, 'bir ddettir permarketlerin': 131320, 'ddettir permarketlerin lojistik': 229027, 'permarketlerin lojistik hizmeti': 652116, 'lojistik hizmeti avusturya': 500854, 'hizmeti avusturya ordusu': 398620, 'avusturya ordusu deste': 105528, 'ordusu deste iyle': 619116, 'deste iyle yap': 238963, 'iyle yap yor': 464084, 'yap yor corona': 1014150, 'yor corona tedavisi': 1016566, 'corona tedavisi in': 204217, 'tedavisi in 22': 836423, 'in 22 milyon': 419885, '22 milyon luk': 15228, 'milyon luk bir': 532490, 'luk bir ara': 506629, 'bir ara rma': 131318, 'ara rma geli': 83816, 'rma geli tirme': 724276, 'geli tirme esi': 345184, 'tirme esi klad': 899103, 'esi klad met': 280372, 'klad met ge': 475873, 'met ge en': 529575, 'ge en hafta': 344924, 'en hafta da': 275381, 'hafta da 35': 373871, 'da 35 milyon': 224212, '35 milyon luk': 17900, 'milyon luk yard': 532491, 'luk yard paketi': 506631, 'yard paketi klanm': 1014161, 'paketi klanm viyana': 634414, 'klanm viyana dan': 475880, 'viyana dan haberler': 959853, 'dan haberler bu': 225533, 'haberler bu kadar': 372536, 'doe soap': 251579, 'soap work': 779187, 'work well': 1005987, 'well hand': 978265, 'virus via': 958976, 'doe soap work': 251580, 'soap work well': 779189, 'work well hand': 1005988, 'well hand sanitizer': 978266, 'sanitizer for virus': 734927, 'for virus via': 327582, 'isolates': 455043, 'believing': 126447, 'himself': 396788, 'thi': 883977, 'ng': 561792, 'latest report': 481523, 'report chairman': 711858, 'chairman of': 171348, 'online ocado': 608599, 'ocado ha': 578896, 'he self': 385422, 'self isolates': 747707, 'isolates believing': 455044, 'believing himself': 126452, 'himself to': 396818, 'infected the': 436645, 'first thi': 309071, 'thi ng': 883978, 'ng is': 561795, 'is don': 447302, 'there isn': 878659, 'latest report chairman': 481524, 'report chairman of': 711859, 'chairman of online': 171349, 'of online ocado': 587257, 'online ocado ha': 608600, 'ocado ha said': 578897, 'ha said today': 371799, 'said today there': 731526, 'today there is': 920314, 'food in supermarket': 314973, 'supermarket he self': 820728, 'he self isolates': 385423, 'self isolates believing': 747708, 'isolates believing himself': 455045, 'believing himself to': 126453, 'himself to be': 396819, 'to be infected': 901335, 'be infected the': 115486, 'infected the first': 436646, 'the first thi': 855355, 'first thi ng': 309072, 'thi ng is': 883979, 'ng is don': 561796, 'is don panic': 447303, 'don panic there': 253814, 'panic there isn': 638696, 'there isn going': 878667, 'deploys': 237482, 'gafoodindustry': 342713, 'publix deploys': 688750, 'deploys contactless': 237483, 'contactless payment': 200374, 'payment for': 645617, 'extra covid': 293488, '19 safety': 10287, 'safety supermarket': 730741, 'news supplychain': 560842, 'supplychain grocerystore': 826187, 'grocerystore gafoodindustry': 366306, 'publix deploys contactless': 688751, 'deploys contactless payment': 237484, 'contactless payment for': 200377, 'payment for extra': 645620, 'for extra covid': 321343, 'extra covid 19': 293489, 'covid 19 safety': 213736, '19 safety supermarket': 10289, 'safety supermarket news': 730742, 'supermarket news supplychain': 821598, 'news supplychain grocerystore': 560843, 'supplychain grocerystore gafoodindustry': 826188, 'scarf': 741061, 'wrapped': 1012670, 'pan': 634657, 'splain': 789630, 'come up': 187651, 'when walking': 984416, 'around with': 93635, 'my scarf': 549994, 'scarf wrapped': 741093, 'wrapped around': 1012671, 'around my': 93405, 'face try': 294820, 'talk me': 833819, 'of protecting': 588547, 'protecting myself': 685216, 'myself some': 550933, 'some poor': 783597, 'poor gentleman': 664179, 'gentleman just': 345842, 'got his': 358606, 'his feeling': 397423, 'feeling hurt': 302997, 'to pan': 911362, 'pan splain': 634670, 'splain germ': 789631, 'germ to': 346167, 'all favor': 42763, 'favor cover': 300460, 'cover your': 212323, 'not come up': 568799, 'come up to': 187652, 'up to me': 946398, 'to me in': 909935, 'me in supermarket': 522975, 'in supermarket when': 428712, 'supermarket when walking': 823810, 'when walking around': 984417, 'walking around with': 965030, 'around with my': 93640, 'with my scarf': 999651, 'my scarf wrapped': 549995, 'scarf wrapped around': 741094, 'wrapped around my': 1012672, 'around my face': 93408, 'my face try': 548165, 'face try to': 294821, 'try to talk': 934673, 'to talk me': 916284, 'talk me out': 833820, 'me out of': 523305, 'out of protecting': 626814, 'of protecting myself': 588549, 'protecting myself some': 685218, 'myself some poor': 550934, 'some poor gentleman': 783598, 'poor gentleman just': 664180, 'gentleman just got': 345843, 'just got his': 468858, 'got his feeling': 358607, 'his feeling hurt': 397424, 'feeling hurt he': 302998, 'hurt he wanted': 411581, 'he wanted to': 385643, 'wanted to pan': 966263, 'to pan splain': 911363, 'pan splain germ': 634671, 'splain germ to': 789632, 'germ to me': 346168, 'to me do': 909925, 'me do all': 522660, 'do all favor': 249040, 'all favor cover': 42764, 'favor cover your': 300461, 'cover your face': 212324, 'barbie': 110823, 'doll': 252936, 'cause you': 167808, 'you pay': 1020303, 'pay more': 644998, 'more for': 539259, 'for barbie': 319580, 'barbie doll': 110824, 'doll it': 252937, 'paid le': 634048, 'le the': 483195, 'price keep': 674985, 'up we': 946540, 'more with': 540993, 'with or': 999932, 'or without': 617824, 'worse news': 1010970, 'that many': 845021, 'may stop': 521536, 'buying barbie': 149989, 'barbie of': 110826, 'her carrying': 391919, 'carrying virus': 165224, 'may cause you': 521077, 'cause you pay': 167811, 'you pay more': 1020308, 'pay more for': 644999, 'more for barbie': 539261, 'for barbie doll': 319581, 'barbie doll it': 110825, 'doll it not': 252938, 'not like that': 570401, 'like that have': 491319, 'that have paid': 844226, 'have paid le': 381869, 'paid le the': 634050, 'le the price': 483196, 'the price keep': 864378, 'price keep going': 674987, 'keep going up': 471554, 'going up we': 355797, 'up we ll': 946545, 'we ll pay': 972269, 'll pay more': 496947, 'pay more with': 645001, 'more with or': 540997, 'with or without': 999936, 'or without the': 617827, 'without the worse': 1002983, 'the worse news': 872031, 'worse news is': 1010971, 'is that many': 452665, 'that many people': 845028, 'many people may': 514519, 'people may stop': 648760, 'may stop buying': 521537, 'stop buying barbie': 804530, 'buying barbie of': 149990, 'barbie of the': 110827, 'the fear of': 855037, 'fear of her': 301239, 'of her carrying': 584568, 'her carrying virus': 391920, 'out since': 627195, 'since lockdown': 770705, 'lockdown today': 500060, 'today the': 920277, 'weekly food': 977491, 'shop just': 760379, 'just weird': 470270, 'weird road': 977780, 'road empty': 724444, 'at best': 98124, 'best quarter': 127877, 'quarter the': 693264, 'usual number': 950981, 'people shelf': 649413, 'shelf pretty': 757429, 'pretty full': 671412, 'full plenty': 340813, 'trip out since': 932137, 'out since lockdown': 627197, 'since lockdown today': 770709, 'lockdown today the': 500062, 'today the weekly': 920305, 'the weekly food': 871345, 'weekly food shop': 977493, 'food shop just': 316485, 'shop just weird': 760382, 'just weird road': 470271, 'weird road empty': 977781, 'road empty supermarket': 724447, 'empty supermarket at': 275156, 'supermarket at best': 819235, 'at best quarter': 98129, 'best quarter the': 127878, 'quarter the usual': 693266, 'the usual number': 870589, 'usual number of': 950982, 'of people shelf': 587981, 'people shelf pretty': 649414, 'shelf pretty full': 757430, 'pretty full plenty': 671413, 'full plenty of': 340814, 'plenty of loo': 660957, 'veteran': 955712, 'are higher': 87154, 'higher item': 395621, 'are harder': 87018, 'get still': 348116, 'still won': 801416, 'won give': 1003818, 'give up': 350811, 'on helping': 601269, 'helping veteran': 391537, 'veteran in': 955715, 'need but': 554572, 'support them': 826904, 'price are higher': 672676, 'are higher item': 87158, 'higher item are': 395622, 'item are harder': 463093, 'are harder to': 87020, 'harder to get': 378194, 'to get still': 906602, 'get still won': 348117, 'still won give': 801417, 'won give up': 1003819, 'give up on': 350817, 'up on helping': 945576, 'on helping veteran': 601274, 'helping veteran in': 391538, 'veteran in need': 955716, 'in need but': 425731, 'need but will': 554578, 'but will do': 147877, 'will do what': 993234, 'do what can': 250510, 'what can to': 981182, 'to support them': 915977, 'is gas': 448001, 'best thing to': 127928, 'to come out': 903042, 'come out of': 187470, '19 is gas': 7975, 'is gas price': 448003, 'resisted': 714599, 've resisted': 953503, 'resisted adding': 714600, '19 social': 10665, 'medium noise': 527183, 'noise up': 566235, 'up until': 946496, 'until now': 943797, 'of yesterday': 593355, 'yesterday update': 1015909, 'let you': 487211, 'situation here': 772303, 'at good': 98780, 'trying our': 934726, 'our best': 622188, 'best not': 127785, 'open unless': 612621, 'are ad': 84219, 'we ve resisted': 973705, 've resisted adding': 953504, 'resisted adding to': 714601, 'adding to the': 31713, 'covid 19 social': 213827, '19 social medium': 10668, 'social medium noise': 779867, 'medium noise up': 527185, 'noise up until': 566236, 'up until now': 946499, 'until now but': 943798, 'now but in': 574287, 'but in light': 146028, 'light of yesterday': 489568, 'of yesterday update': 593357, 'yesterday update we': 1015910, 'update we wanted': 947312, 'wanted to let': 966260, 'to let you': 909221, 'let you all': 487212, 'know the situation': 476850, 'the situation here': 867258, 'situation here at': 772304, 'here at good': 392782, 'at good food': 98781, 'good food we': 357067, 'food we re': 317533, 'we re trying': 972994, 're trying our': 699738, 'trying our best': 934727, 'our best not': 622194, 'best not panic': 127788, 'panic we re': 638768, 'going to stay': 355720, 'stay open unless': 797165, 'open unless we': 612623, 'unless we are': 942658, 'we are ad': 970467, 'still learning': 800783, 'learning more': 484218, 'daily it': 224648, 'any extra': 79206, 'extra precaution': 293608, 'precaution you': 669410, 'can via': 160117, 're still learning': 699596, 'still learning more': 800784, 'learning more about': 484219, 'about the daily': 26369, 'the daily it': 852781, 'daily it good': 224649, 'it good idea': 458298, 'good idea to': 357222, 'idea to take': 413210, 'to take any': 916158, 'take any extra': 831943, 'any extra precaution': 79208, 'extra precaution you': 293616, 'precaution you can': 669411, 'you can via': 1017823, '46': 19213, '385': 18151, 'mcx': 522250, '44049': 19034, 'gloom': 352496, 'on gold': 601138, 'massive rush': 520091, 'rush for': 728292, 'haven demand': 383780, 'demand gold': 235577, 'gold future': 355896, 'future hit': 342351, 'hit all': 398123, 'of 46': 579594, '46 385': 19218, '385 10': 18152, 'gram mcx': 361829, 'mcx future': 522251, 'future at': 342263, 'at 44049': 97655, '44049 kg': 19035, 'kg economic': 473651, 'economic uncertainty': 267347, 'financial gloom': 306422, 'gloom fuel': 352497, 'impact on gold': 417854, 'on gold price': 601139, 'gold price massive': 355965, 'price massive rush': 675179, 'massive rush for': 520092, 'rush for safe': 728293, 'for safe haven': 325289, 'safe haven demand': 729738, 'haven demand gold': 383781, 'demand gold future': 235578, 'gold future hit': 355897, 'future hit all': 342352, 'hit all time': 398125, 'time high of': 896931, 'high of 46': 395191, 'of 46 385': 579595, '46 385 10': 19219, '385 10 gram': 18153, '10 gram mcx': 1450, 'gram mcx future': 361830, 'mcx future at': 522252, 'future at 44049': 342264, 'at 44049 kg': 97656, '44049 kg economic': 19036, 'kg economic uncertainty': 473652, 'economic uncertainty and': 267349, 'uncertainty and global': 939651, 'and global financial': 63695, 'global financial gloom': 351940, 'financial gloom fuel': 306423, 'sooner': 785916, 'institute national': 440421, 'national quarantine': 552593, 'quarantine everyone': 692181, 'everyone except': 286897, 'except essential': 289142, 'essential personnel': 281384, 'personnel is': 653121, 'restricted to': 717165, 'unless going': 942607, 'store medical': 808938, 'medical facility': 526170, 'facility etc': 295328, 'etc the': 282794, 'employee salary': 274179, 'salary is': 731979, 'is their': 452985, 'their average': 872533, 'average monthly': 104866, 'monthly income': 538178, 'income while': 432494, 'while under': 987490, 'under quarantine': 940215, 'the sooner': 867484, 'sooner this': 785930, 'sooner everything': 785917, 'will return': 994686, 'institute national quarantine': 440422, 'national quarantine everyone': 552595, 'quarantine everyone except': 692183, 'everyone except essential': 286898, 'except essential personnel': 289143, 'essential personnel is': 281387, 'personnel is restricted': 653123, 'is restricted to': 451482, 'restricted to their': 717171, 'to their home': 917239, 'their home unless': 873578, 'home unless going': 402397, 'unless going to': 942608, 'grocery store medical': 365563, 'store medical facility': 808940, 'medical facility etc': 526173, 'facility etc the': 295330, 'etc the employee': 282795, 'the employee salary': 854266, 'employee salary is': 274180, 'salary is their': 731980, 'is their average': 452986, 'their average monthly': 872534, 'average monthly income': 104867, 'monthly income while': 538179, 'income while under': 432496, 'while under quarantine': 987491, 'under quarantine the': 940221, 'quarantine the sooner': 692613, 'the sooner this': 867486, 'sooner this is': 785931, 'is done the': 447325, 'done the sooner': 255043, 'the sooner everything': 867485, 'sooner everything will': 785918, 'everything will return': 288111, 'will return to': 994690, 'return to normal': 719923, 'empathetic': 273327, 'giving empathetic': 351275, 'empathetic loving': 273332, 'loving young': 505073, 'man continue': 512033, 'exercise precaution': 290089, 'giving empathetic loving': 351276, 'empathetic loving young': 273333, 'loving young man': 505074, 'young man continue': 1022616, 'man continue to': 512034, 'continue to exercise': 201191, 'to exercise precaution': 905415, 'enhancing': 277110, 'are stocked': 90511, 'stocked for': 803321, 'but disruption': 145546, 'disruption may': 246503, 'may happen': 521225, 'the must': 861156, 'be kept': 115593, 'kept alive': 473014, 'alive by': 41804, 'by enhancing': 152496, 'enhancing safety': 277111, 'net keeping': 557555, 'trade open': 928543, 'open amp': 612041, 'amp supporting': 54602, 'supporting small': 827185, 'shelf are stocked': 756830, 'are stocked for': 90515, 'stocked for now': 803322, 'for now but': 323966, 'now but disruption': 574281, 'but disruption may': 145547, 'disruption may happen': 246504, 'may happen the': 521228, 'happen the must': 377164, 'the must be': 861159, 'must be kept': 546517, 'be kept alive': 115594, 'kept alive by': 473015, 'alive by enhancing': 41805, 'by enhancing safety': 152497, 'enhancing safety net': 277112, 'safety net keeping': 730640, 'net keeping the': 557556, 'keeping the global': 472578, 'the global trade': 856335, 'global trade open': 352262, 'trade open amp': 928544, 'open amp supporting': 612043, 'amp supporting small': 54603, 'supporting small farmer': 827187, 'small farmer to': 774948, 'produce more food': 680364, 'holland': 400420, 'sitution': 772617, 'landal': 479306, 'rebook': 703274, 'unacceptable': 939355, 'cancelled my': 161137, 'my holiday': 548676, 'holiday in': 400317, 'in holland': 423772, 'holland 16': 400421, '16 03': 4057, '03 20': 848, '19 sitution': 10601, 'sitution landal': 772618, 'landal will': 479307, 'price deliberately': 673414, 'deliberately so': 232978, 'so customer': 776823, 'other option': 620617, 'to rebook': 912895, 'rebook in': 703279, 'november this': 573864, 'is unacceptable': 453422, 'cancelled my holiday': 161139, 'my holiday in': 548678, 'holiday in holland': 400318, 'in holland 16': 423773, 'holland 16 03': 400422, '16 03 20': 4058, '03 20 due': 850, 'covid 19 sitution': 213811, '19 sitution landal': 10602, 'sitution landal will': 772619, 'landal will not': 479308, 'not refund and': 571280, 'refund and increase': 706867, 'and increase price': 65107, 'increase price deliberately': 433000, 'price deliberately so': 673415, 'deliberately so customer': 232979, 'so customer have': 776825, 'customer have no': 222441, 'have no other': 381643, 'no other option': 565017, 'other option but': 620618, 'option but to': 614005, 'but to rebook': 147589, 'to rebook in': 912897, 'rebook in november': 703280, 'in november this': 425981, 'november this is': 573865, 'this is unacceptable': 888443, 'interruption': 442120, 'have discovered': 380296, 'discovered new': 244691, 'live and': 495718, 'work teleworking': 1005789, 'teleworking is': 836884, 'is cool': 446831, 'cool can': 202995, 'can focus': 158359, 'focus no': 311851, 'no interruption': 564521, 'interruption plus': 442127, 'plus food': 661602, 'food coffee': 313957, 'coffee always': 185451, 'always good': 49582, 'good like': 357329, 'like shopping': 491178, 'okay in this': 597987, '19 health crisis': 7482, 'health crisis have': 386337, 'crisis have discovered': 217457, 'have discovered new': 380297, 'discovered new way': 244692, 'way to live': 970047, 'to live and': 909335, 'live and work': 495722, 'and work teleworking': 75862, 'work teleworking is': 1005790, 'teleworking is cool': 836885, 'is cool can': 446832, 'cool can focus': 202996, 'can focus no': 158360, 'focus no interruption': 311852, 'no interruption plus': 564522, 'interruption plus food': 442128, 'plus food coffee': 661603, 'food coffee always': 313958, 'coffee always good': 185452, 'always good like': 49583, 'good like shopping': 357333, 'like shopping for': 491181, 'grocery online with': 364791, 'online with delivery': 609744, 'nofilter': 566127, 'champagne': 171673, 'penis': 646522, 'nofilter do': 566128, 're offering': 699156, 'offering loo': 595181, 'roll hand': 725326, 'sanitizer egg': 734814, 'egg champagne': 269818, 'champagne or': 171674, 'or big': 614551, 'big penis': 129908, 'penis just': 646523, 'interested you': 441493, 'not worth': 572577, 'worth it': 1011375, 'it socialdistancing': 461149, 'socialdistancing london': 780503, 'london united': 501221, 'nofilter do not': 566129, 'do not care': 249689, 'not care what': 568699, 'care what you': 164264, 'you re offering': 1020688, 're offering loo': 699162, 'offering loo roll': 595182, 'loo roll hand': 502181, 'roll hand sanitizer': 725329, 'hand sanitizer egg': 375385, 'sanitizer egg champagne': 734815, 'egg champagne or': 269819, 'champagne or big': 171675, 'or big penis': 614554, 'big penis just': 129909, 'penis just not': 646524, 'just not interested': 469332, 'not interested you': 570163, 'interested you re': 441494, 're not worth': 699131, 'not worth it': 572580, 'worth it socialdistancing': 1011383, 'it socialdistancing london': 461150, 'socialdistancing london london': 780504, 'london london united': 501125, 'london united kingdom': 501222, 'sprayable': 790352, 'diameter': 240317, 'nozzle': 576602, 'active': 30251, 'liquidator': 494118, 'medical center': 526088, 'is stocking': 452338, 'stocking these': 803611, 'these small': 880700, 'just 75': 468122, '75 alcohol': 22106, 'alcohol so': 41106, 'is sprayable': 452178, 'sprayable like': 790353, 'find way': 307376, 'of bunch': 580934, 'of diameter': 582579, 'diameter spray': 240318, 'spray nozzle': 790313, 'nozzle which': 576603, 'then convert': 877092, 'convert every': 202527, 'every bottle': 285698, 'bottle into': 136250, 'into an': 442387, 'an active': 55082, 'active liquidator': 30275, 'medical center is': 526091, 'center is stocking': 169243, 'is stocking these': 452340, 'stocking these small': 803612, 'these small bottle': 880701, 'hand sanitizer it': 375461, 'sanitizer it is': 735227, 'it is just': 458996, 'is just 75': 449116, 'just 75 alcohol': 468123, '75 alcohol so': 22108, 'alcohol so it': 41107, 'so it is': 777468, 'it is sprayable': 459087, 'is sprayable like': 452179, 'sprayable like to': 790354, 'like to find': 491591, 'to find way': 905951, 'find way to': 307377, 'hold of bunch': 399965, 'of bunch of': 580935, 'bunch of diameter': 142623, 'of diameter spray': 582580, 'diameter spray nozzle': 240319, 'spray nozzle which': 790314, 'nozzle which then': 576604, 'which then convert': 986386, 'then convert every': 877093, 'convert every bottle': 202528, 'every bottle into': 285699, 'bottle into an': 136251, 'into an active': 442388, 'an active liquidator': 55083, 'busiest': 143178, 'tomorrow the': 924193, 'the charity': 850704, 'charity checkout': 173592, 'checkout donation': 174908, 'donation link': 254635, 'link is': 493863, 'below please': 126710, 'ensure food': 277939, 'those relying': 892390, 'on britain': 599704, 'britain busiest': 140389, 'busiest food': 143181, 'coming month': 188134, 'month during': 537693, 'crisis when': 218377, 'when demand': 983334, 'increase thank': 433095, 'tomorrow the charity': 924194, 'the charity checkout': 850705, 'charity checkout donation': 173593, 'checkout donation link': 174909, 'donation link is': 254636, 'link is below': 493865, 'is below please': 446128, 'below please continue': 126711, 'please continue to': 659849, 'to donate to': 904656, 'donate to ensure': 254253, 'to ensure food': 905160, 'ensure food supply': 277944, 'food supply for': 316953, 'supply for those': 825283, 'for those relying': 327132, 'those relying on': 892391, 'relying on britain': 709669, 'on britain busiest': 599706, 'britain busiest food': 140390, 'busiest food bank': 143182, 'the coming month': 851197, 'coming month during': 188137, 'month during the': 537694, 'the crisis when': 852477, 'crisis when demand': 218378, 'when demand will': 983335, 'demand will increase': 236501, 'will increase thank': 993826, 'increase thank you': 433096, 'bac': 106793, '3a': 18200, 'cannonwater': 161578, 'limited stock': 492721, 'stock bac': 801899, 'bac stop': 106796, 'stop 3a': 804416, '3a instant': 18203, 'instant handsanitizer': 440097, 'handsanitizer in': 376557, 'stock get': 802195, 'get hand': 347184, 'prevent spread': 671719, 'of buy': 581005, 'buy now': 149013, 'now cannonwater': 574341, 'limited stock bac': 492723, 'stock bac stop': 801900, 'bac stop 3a': 106797, 'stop 3a instant': 804417, '3a instant handsanitizer': 18204, 'instant handsanitizer in': 440098, 'handsanitizer in stock': 376558, 'in stock get': 428303, 'stock get hand': 802196, 'get hand sanitizer': 347185, 'to prevent spread': 912090, 'prevent spread of': 671720, 'spread of buy': 790655, 'of buy now': 581006, 'buy now cannonwater': 149014, 'teamcvs': 835849, 'have significant': 382548, 'significant demand': 769423, 'full and': 340474, 'and part': 68723, 'time retail': 897576, 'associate across': 96840, 'country link': 210868, 'apply teamcvs': 82596, 'teamcvs hiring': 835850, 'we have significant': 971939, 'have significant demand': 382549, 'significant demand for': 769424, 'demand for full': 235426, 'for full and': 321807, 'full and part': 340479, 'and part time': 68725, 'part time retail': 642453, 'time retail store': 897578, 'retail store associate': 718611, 'store associate across': 806559, 'associate across the': 96841, 'the country link': 852110, 'country link to': 210869, 'link to apply': 493922, 'to apply teamcvs': 900658, 'apply teamcvs hiring': 82597, 'protect you': 685046, 'family from': 297824, 'from make': 336306, 'own or': 632116, 'or at': 614439, 'home please': 401862, 'help end': 389635, 'safe from here': 729695, 'from here how': 335778, 'to protect you': 912347, 'protect you and': 685047, 'and your family': 76073, 'your family from': 1023781, 'family from make': 297827, 'from make your': 336307, 'your own or': 1025153, 'own or at': 632117, 'or at home': 614444, 'at home please': 99083, 'home please retweet': 401867, 'to help end': 907502, 'help end the': 389636, 'the dramatic': 853658, 'dramatic job': 258297, 'loss and': 503631, 'and layoff': 66000, 'layoff due': 482686, 'have many': 381433, 'people wondering': 650503, 'wondering about': 1004147, 'financial future': 306420, 'the dramatic job': 853663, 'dramatic job loss': 258298, 'job loss and': 465965, 'loss and layoff': 503635, 'and layoff due': 66001, 'layoff due to': 482688, '19 crisis have': 6257, 'crisis have many': 217459, 'have many people': 381437, 'many people wondering': 514551, 'people wondering about': 650504, 'wondering about their': 1004150, 'about their financial': 26583, 'their financial future': 873322, 'realheros': 701574, 'surreal': 828662, 'later want': 481162, 'thank healthcare': 841594, 'the realheros': 865251, 'realheros during': 701576, 'this surreal': 890451, 'surreal time': 828675, 'with distance': 998091, 'distance we': 246885, 'about week later': 26870, 'week later want': 976469, 'later want to': 481163, 'want to thank': 966144, 'to thank healthcare': 916427, 'thank healthcare worker': 841596, 'healthcare worker first': 387358, 'employee and all': 273553, 'all other essential': 43780, 'other essential worker': 620187, 'essential worker they': 281859, 'are the realheros': 90893, 'the realheros during': 865252, 'realheros during this': 701577, 'during this surreal': 263322, 'this surreal time': 890452, 'surreal time stay': 828676, 'safe and with': 729495, 'and with distance': 75766, 'with distance we': 998092, 'distance we can': 246886, 'up before': 944478, 'the crack': 852260, 'crack of': 214705, 'of dawn': 582371, 'dawn to': 227058, 'for chicken': 320048, 'breast and': 139132, 'egg not': 269936, 'not fan': 569366, 'changing me': 172747, 'woke up before': 1003358, 'up before the': 944482, 'before the crack': 123152, 'the crack of': 852262, 'crack of dawn': 214706, 'of dawn to': 582372, 'dawn to go': 227059, 'store for chicken': 807792, 'for chicken breast': 320049, 'chicken breast and': 175755, 'breast and egg': 139133, 'and egg not': 61978, 'egg not fan': 269937, 'not fan of': 569367, 'fan of how': 298527, 'how is changing': 408085, 'is changing me': 446475, 'csis': 220047, 'ben': 126813, 'cahill': 155187, 'csis energy': 220048, 'energy expert': 276449, 'expert ben': 291800, 'ben cahill': 126816, 'cahill ass': 155188, 'april opec': 83652, 'agreement in': 38774, 'market turmoil': 517266, 'csis energy expert': 220049, 'energy expert ben': 276450, 'expert ben cahill': 291801, 'ben cahill ass': 126817, 'cahill ass the': 155189, 'ass the april': 96280, 'the april opec': 848840, 'april opec agreement': 83653, 'opec agreement in': 611835, 'agreement in the': 38775, 'wake of oil': 964598, 'of oil market': 587187, 'oil market turmoil': 596951, 'socialist': 781002, 'real image': 701215, 'in socialist': 428051, 'socialist venezuela': 781023, 'venezuela before': 954437, 'every shelf': 286159, 'store seriously': 810039, 'seriously are': 751535, 'really that': 702643, 'that dumb': 843646, 'dumb coronacrisis': 262097, 'real image of': 701216, 'image of supermarket': 416651, 'supermarket in socialist': 820981, 'in socialist venezuela': 428052, 'socialist venezuela before': 781024, 'venezuela before and': 954438, 'before and it': 122629, 'and it on': 65564, 'it on every': 460041, 'on every shelf': 600621, 'every shelf in': 286161, 'every store seriously': 286224, 'store seriously are': 810040, 'seriously are you': 751537, 'you really that': 1020844, 'really that dumb': 702644, 'that dumb coronacrisis': 843647, 'arrange': 93680, 'reservist': 714161, 'could your': 209854, 'home staff': 402111, 'staff arrange': 792218, 'arrange online': 93688, 'living facility': 496350, 'facility located': 295353, 'located on': 498821, 'site reservist': 772001, 'reservist leave': 714162, 'order several': 618566, 'delivery cost': 233827, 'care could your': 163904, 'could your care': 209855, 'care home staff': 164001, 'home staff arrange': 402113, 'staff arrange online': 792219, 'arrange online food': 93689, 'assisted living facility': 96815, 'living facility located': 496351, 'facility located on': 295354, 'located on the': 498822, 'on the same': 604344, 'the same site': 866297, 'same site reservist': 733290, 'site reservist leave': 772002, 'reservist leave their': 714163, 'leave their shopping': 484985, 'staff order several': 792727, 'order several re': 618567, 'avoid delivery cost': 105081, 'delivery cost and': 233828, 'cost and that': 207865, 'vat': 952723, 'should significantly': 766473, 'significantly reduce': 769607, 'reduce vat': 706000, 'vat to': 952739, 'boost consumer': 134931, 'demand around': 235029, 'world with': 1010195, 'with particularly': 1000101, 'particularly aggressive': 642660, 'aggressive reduction': 38253, 'in country': 421821, 'country hardest': 210731, 'we should significantly': 973293, 'should significantly reduce': 766475, 'significantly reduce vat': 769610, 'reduce vat to': 706001, 'vat to boost': 952740, 'to boost consumer': 901913, 'boost consumer demand': 134934, 'consumer demand around': 197116, 'demand around the': 235030, 'the world with': 872009, 'world with particularly': 1010200, 'with particularly aggressive': 1000102, 'particularly aggressive reduction': 642662, 'aggressive reduction in': 38254, 'reduction in country': 706359, 'in country hardest': 421826, 'country hardest hit': 210732, 'hardest hit by': 378216, 'hit by the': 398188, 'by the outbreak': 154401, 'lick': 488194, 'gone crazy': 356246, 'crazy stayhomesavelives': 215425, 'stayhomesavelives coronavirus': 798366, 'coronavirus arrest': 205517, 'arrest after': 93745, 'after men': 35926, 'men lick': 528500, 'lick hand': 488197, 'wipe food': 996257, 'ha gone crazy': 370722, 'gone crazy stayhomesavelives': 356248, 'crazy stayhomesavelives coronavirus': 215426, 'stayhomesavelives coronavirus arrest': 798367, 'coronavirus arrest after': 205518, 'arrest after men': 93747, 'after men lick': 35927, 'men lick hand': 528501, 'lick hand and': 488198, 'hand and wipe': 374788, 'and wipe food': 75735, 'wipe food from': 996258, 'food from supermarket': 314615, 'coronanl': 205093, 'franchise': 331060, 'photohops': 655314, 'deletes': 232852, 'sentence': 750858, 'stacker': 791999, '19 coronanl': 6072, 'coronanl supermarket': 205095, 'supermarket franchise': 820445, 'franchise photohops': 331069, 'photohops picture': 655315, 'picture and': 656105, 'and deletes': 61071, 'deletes the': 232853, 'last sentence': 480489, 'sentence shelf': 750868, 'shelf stacker': 757551, 'stacker we': 792030, 'cannot live': 162001, 'live without': 496124, 'you 14': 1016745, '14 euro': 3468, 'euro minimum': 283363, '19 coronanl supermarket': 6073, 'coronanl supermarket franchise': 205096, 'supermarket franchise photohops': 820446, 'franchise photohops picture': 331070, 'photohops picture and': 655316, 'picture and deletes': 656106, 'and deletes the': 61072, 'deletes the last': 232854, 'the last sentence': 859038, 'last sentence shelf': 480490, 'sentence shelf stacker': 750869, 'shelf stacker we': 757564, 'stacker we cannot': 792031, 'we cannot live': 971071, 'cannot live without': 162002, 'live without you': 496127, 'without you 14': 1003066, 'you 14 euro': 1016746, '14 euro minimum': 3469, 'euro minimum wage': 283364, 'humannature': 410798, 'enough police': 277569, 'to enforce': 905112, 'enforce food': 276668, 'food rationing': 316124, 'rationing at': 697791, 'at every': 98563, 'from national': 336545, 'national guard': 552518, 'guard emptyshelves': 367796, 'emptyshelves nofood': 275308, 'nofood hoarder': 566150, 'hoarder humannature': 399047, 'have enough police': 380461, 'enough police to': 277570, 'police to enforce': 663251, 'to enforce food': 905117, 'enforce food rationing': 276669, 'food rationing at': 316126, 'rationing at every': 697792, 'at every grocery': 98568, 'store do we': 807335, 'we need help': 972494, 'help from national': 389773, 'from national guard': 336547, 'national guard emptyshelves': 552522, 'guard emptyshelves nofood': 367797, 'emptyshelves nofood hoarder': 275309, 'nofood hoarder humannature': 566151, 'spindini': 789405, 'spindini on': 789406, 'on south': 603582, 'south main': 786765, 'main is': 508763, 'now south': 575873, 'main grocery': 508754, 'grocery what': 366127, 'idea our': 413151, 'our downtown': 622803, 'downtown neighbor': 257755, 'neighbor they': 557072, 'have special': 382673, 'and first': 62929, 'responder well': 715549, 'well senior': 978547, 'spindini on south': 789407, 'on south main': 603583, 'south main is': 786767, 'main is now': 508764, 'is now south': 450339, 'now south main': 575874, 'south main grocery': 786766, 'main grocery what': 508756, 'grocery what great': 366129, 'what great idea': 981518, 'great idea our': 362732, 'idea our downtown': 413152, 'our downtown neighbor': 622804, 'downtown neighbor they': 257756, 'neighbor they have': 557073, 'they have special': 882380, 'have special hour': 382675, 'for healthcare and': 322157, 'healthcare and first': 387028, 'and first responder': 62932, 'first responder well': 308973, 'responder well senior': 715550, 'greatgeneration': 363303, 'psa message': 687412, 'message please': 529400, 'call an': 155756, 'elderly neighbor': 270767, 'neighbor or': 557065, 'my case': 547630, 'case tonight': 166084, 'tonight see': 924486, 'anything there': 80903, 'no good': 564365, 'good reason': 357632, 'to pharmacy': 911691, 'now if': 574969, 'if each': 414067, 'each of': 264131, 'of doe': 582758, 'doe our': 251543, 'part we': 642483, 'the greatgeneration': 856758, 'psa message please': 687413, 'message please call': 529401, 'please call an': 659751, 'call an elderly': 155757, 'an elderly neighbor': 55639, 'elderly neighbor or': 270773, 'neighbor or in': 557067, 'or in my': 615754, 'in my case': 425548, 'my case tonight': 547631, 'case tonight see': 166085, 'tonight see if': 924487, 'see if they': 745283, 'if they need': 415119, 'they need anything': 882717, 'need anything there': 554462, 'anything there is': 80904, 'is no good': 449936, 'no good reason': 564371, 'good reason why': 357638, 'reason why you': 703065, 'why you should': 991599, 'you should go': 1021193, 'go to pharmacy': 354337, 'to pharmacy or': 911694, 'pharmacy or supermarket': 654402, 'or supermarket right': 617285, 'right now if': 722083, 'now if each': 574971, 'if each of': 414068, 'each of doe': 264133, 'of doe our': 582760, 'doe our part': 251546, 'our part we': 624269, 'part we can': 642484, 'we can save': 971002, 'can save the': 159507, 'save the greatgeneration': 737657, 'no 19': 563558, '19 food': 7039, 'gouging name': 359389, 'and shame': 71358, 'shame all': 754578, 'gouger for': 359217, 'for lettuce': 322953, 'lettuce is': 487458, 'is ridiculous': 451514, 'ridiculous fruit': 721544, 'veg price': 953777, 'price skyrocket': 676435, 'skyrocket amid': 773284, 'no 19 food': 563559, '19 food price': 7048, 'food price gouging': 315945, 'price gouging name': 674300, 'gouging name and': 359390, 'name and shame': 551611, 'and shame all': 71359, 'shame all price': 754579, 'all price gouger': 44033, 'price gouger for': 674244, 'gouger for lettuce': 359218, 'for lettuce is': 322955, 'lettuce is ridiculous': 487459, 'is ridiculous fruit': 451518, 'ridiculous fruit and': 721545, 'and veg price': 74865, 'veg price skyrocket': 953778, 'price skyrocket amid': 676436, 'skyrocket amid covid': 773286, 'upto': 947919, 'accidently': 28415, 'rcb': 698102, 'ipl2020': 444597, 'go upto': 354449, 'upto the': 947934, 'supermarket pick': 821987, 'up some': 946025, 'grocery accidently': 364207, 'accidently ended': 28416, 'in rcb': 427272, 'rcb trophy': 698103, 'trophy cabinet': 932565, 'cabinet stoppanicbuying': 155000, 'stoppanicbuying ipl2020': 805582, 'decided to go': 230917, 'to go upto': 906875, 'go upto the': 354450, 'upto the supermarket': 947935, 'the supermarket pick': 868751, 'supermarket pick up': 821989, 'pick up some': 655762, 'up some grocery': 946033, 'some grocery accidently': 782999, 'grocery accidently ended': 364208, 'accidently ended up': 28417, 'ended up in': 276142, 'up in rcb': 945175, 'in rcb trophy': 427273, 'rcb trophy cabinet': 698104, 'trophy cabinet stoppanicbuying': 932567, 'cabinet stoppanicbuying ipl2020': 155001, 'pipe': 656870, 'plc': 659520, 'the search': 866555, 'for commercial': 320181, 'commercial production': 188722, 'production remain': 682197, 'remain pipe': 709840, 'pipe dream': 656873, 'dream high': 258595, 'high annual': 394930, 'annual financial': 77396, 'financial loss': 306487, 'oil plc': 597011, 'plc due': 659521, 'to delay': 904079, 'delay and': 232670, 'and recent': 70037, 'recent decline': 703877, 'their worsening': 875241, 'why doe the': 990955, 'doe the search': 251618, 'the search for': 866556, 'search for commercial': 743244, 'for commercial production': 320184, 'commercial production remain': 188723, 'production remain pipe': 682198, 'remain pipe dream': 709841, 'pipe dream high': 656874, 'dream high annual': 258596, 'high annual financial': 394931, 'annual financial loss': 77397, 'financial loss of': 306489, 'loss of billion': 503737, 'of billion for': 580711, 'billion for oil': 130822, 'for oil plc': 324040, 'oil plc due': 597012, 'plc due to': 659522, 'due to delay': 261757, 'to delay and': 904080, 'delay and recent': 232672, 'and recent decline': 70038, 'recent decline in': 703878, 'decline in oil': 231361, 'price and their': 672560, 'and their worsening': 73728, 'preaching': 669235, 'kaki': 470687, 'meja': 527886, 'jangan': 464522, 'tapi': 834387, 'funny that': 341794, 'friend keep': 333694, 'on preaching': 602878, 'preaching about': 669236, 'about kaki': 25612, 'kaki meja': 470688, 'meja jangan': 527887, 'jangan tapi': 464523, 'tapi in': 834388, 'and showing': 71623, 'showing that': 767515, 'can sell': 159564, 'sell item': 748774, 'ever heard': 285349, 'heard ethical': 388075, 'ethical selling': 283088, 'funny that one': 341796, 'that one of': 845500, 'my friend keep': 548442, 'friend keep on': 333695, 'keep on preaching': 471706, 'on preaching about': 602879, 'preaching about kaki': 669237, 'about kaki meja': 25613, 'kaki meja jangan': 470689, 'meja jangan tapi': 527888, 'jangan tapi in': 464524, 'tapi in the': 834389, '19 and showing': 5106, 'and showing that': 71625, 'showing that you': 767519, 'you can sell': 1017777, 'can sell item': 159566, 'sell item from': 748776, 'item from china': 463282, 'from china for': 334860, 'china for time': 176668, 'for time the': 327191, 'time the real': 897871, 'real price have': 701313, 'price have you': 674471, 'have you ever': 383665, 'you ever heard': 1018459, 'ever heard ethical': 285350, 'heard ethical selling': 388076, 'trumpepicfailure': 934037, 'new trumpepicfailure': 559789, 'trumpepicfailure to': 934038, 'toiletpaper is business': 922135, 'is business opportunity': 446313, 'business opportunity in': 144154, 'opportunity in new': 613646, 'in new trumpepicfailure': 425832, 'new trumpepicfailure to': 559790, 'trumpepicfailure to manage': 934039, '9to5mac apple': 24037, '9to5mac apple confirms': 24038, 'panic placed': 638419, 'placed grocery': 657880, 'for wednesday': 327682, 'wednesday afternoon': 975608, 'afternoon because': 36675, 'into store': 443014, 'store make': 808852, 'me panic': 523317, 'panic panic': 638394, 'panic despite': 638031, 'despite running': 238842, 'of milk': 586500, 'milk today': 531873, 'thing wasn': 884953, 'wasn able': 967952, 'find were': 307380, 'were chicken': 979438, 'chicken ended': 175779, 'up getting': 945017, 'getting chicken': 348902, 'chicken tender': 175866, 'tender and': 837898, 'and paper': 68692, 'covid 19 food': 213110, '19 food panic': 7046, 'food panic placed': 315753, 'panic placed grocery': 638420, 'placed grocery order': 657881, 'grocery order for': 364811, 'order for pickup': 618239, 'for pickup for': 324548, 'pickup for wednesday': 655965, 'for wednesday afternoon': 327683, 'wednesday afternoon because': 975609, 'afternoon because the': 36676, 'because the idea': 119630, 'the idea of': 857826, 'idea of going': 413127, 'of going into': 584192, 'going into store': 355245, 'into store make': 443018, 'store make me': 808854, 'make me panic': 510138, 'me panic panic': 523321, 'panic panic despite': 638395, 'panic despite running': 638032, 'despite running out': 238843, 'out of milk': 626789, 'of milk today': 586521, 'milk today only': 531874, 'today only thing': 919990, 'only thing wasn': 611323, 'thing wasn able': 884954, 'wasn able to': 967953, 'able to find': 24481, 'to find were': 905952, 'find were chicken': 307381, 'were chicken ended': 979439, 'chicken ended up': 175780, 'ended up getting': 276140, 'up getting chicken': 945018, 'getting chicken tender': 348903, 'chicken tender and': 175867, 'tender and paper': 837899, 'and paper towel': 68696, 'anniversary': 76815, 'market plunge': 516860, 'plunge put': 661453, 'put pension': 690765, 'pension freedom': 646654, 'freedom to': 332389, 'the test': 869310, 'test on': 839106, 'it five': 458036, 'year anniversary': 1014412, 'anniversary beard': 76818, 'market plunge put': 516862, 'plunge put pension': 661454, 'put pension freedom': 690766, 'pension freedom to': 646655, 'freedom to the': 332395, 'to the test': 917119, 'the test on': 869316, 'test on it': 839109, 'on it five': 601660, 'it five year': 458037, 'five year anniversary': 309689, 'year anniversary beard': 1014413, 'temporarywork': 837728, 'temporaryvacancy': 837725, 'musicaltheatre': 546364, 'westend': 980579, 'lockdownlondon': 500314, 'do any': 249081, 'you lovely': 1019734, 'lovely people': 504971, 'work need': 1005484, 'want any': 965715, 'any temporary': 79945, 'temporary work': 837720, 'with me': 999437, 'at sainsburys': 100448, 'sainsburys in': 731761, 'in sydenham': 428773, 'sydenham im': 830680, 'im hiring': 416547, 'hiring hit': 397104, 'up hiring': 945083, 'hiring temporarywork': 397133, 'temporarywork temporaryvacancy': 837729, 'temporaryvacancy work': 837726, 'work job': 1005396, 'job musicaltheatre': 466012, 'musicaltheatre westend': 546365, 'westend sydenham': 980582, 'sydenham retail': 830682, 'retail lockdownlondon': 718293, 'do any of': 249083, 'any of you': 79543, 'of you lovely': 593400, 'you lovely people': 1019735, 'lovely people who': 504975, 'of work need': 593259, 'work need want': 1005485, 'need want any': 556171, 'want any temporary': 965719, 'any temporary work': 79946, 'temporary work with': 837721, 'work with me': 1006038, 'with me at': 999440, 'me at sainsburys': 522477, 'at sainsburys in': 100449, 'sainsburys in sydenham': 731763, 'in sydenham im': 428774, 'sydenham im hiring': 830681, 'im hiring hit': 416548, 'hiring hit me': 397105, 'me up hiring': 523857, 'up hiring temporarywork': 945085, 'hiring temporarywork temporaryvacancy': 397134, 'temporarywork temporaryvacancy work': 837730, 'temporaryvacancy work job': 837727, 'work job musicaltheatre': 1005397, 'job musicaltheatre westend': 466013, 'musicaltheatre westend sydenham': 546366, 'westend sydenham retail': 980583, 'sydenham retail lockdownlondon': 830683, 'here information': 393203, 'avoid being': 105009, 'being victim': 126038, 'the here information': 857289, 'here information on': 393204, 'to avoid being': 900868, 'avoid being victim': 105011, 'being victim of': 126040, 'victim of scam': 956500, 'governor stay': 360992, 'work order': 1005569, 'order is': 618330, 'in effect': 422504, 'effect learn': 269028, 'beach and': 118187, 'today covid': 919413, 'update read': 947188, 'the governor stay': 856645, 'governor stay at': 360993, 'at home or': 99069, 'home or work': 401759, 'or work order': 617838, 'work order is': 1005570, 'order is now': 618336, 'is now in': 450294, 'now in effect': 574998, 'in effect learn': 422507, 'effect learn more': 269029, 'about what that': 26898, 'what that mean': 982284, 'for the beach': 326316, 'the beach and': 849376, 'beach and the': 118189, 'and the grocery': 73402, 'store in today': 808404, 'in today covid': 430155, 'today covid 19': 919414, '19 update read': 11681, 'update read more': 947189, 'read more at': 700422, 'safe you': 730166, 'animal washyourhands': 76677, 'washyourhands staysafe': 967921, 'staysafe stoppanicbuying': 798927, 'stay safe you': 797303, 'safe you filthy': 730167, 'filthy animal washyourhands': 305792, 'animal washyourhands staysafe': 76678, 'washyourhands staysafe stoppanicbuying': 967922, 'newspaper': 561079, 'chancellor': 171839, 'merkel': 529143, 'berlin': 127335, 'newspaper post': 561096, 'post image': 666164, 'of german': 584106, 'german chancellor': 346208, 'chancellor merkel': 171844, 'merkel shopping': 529171, 'at berlin': 98122, 'berlin supermarket': 127346, 'newspaper post image': 561097, 'post image of': 666165, 'image of german': 416646, 'of german chancellor': 584107, 'german chancellor merkel': 346211, 'chancellor merkel shopping': 171846, 'merkel shopping at': 529172, 'shopping at berlin': 762087, 'at berlin supermarket': 98123, 'berlin supermarket in': 127349, 'supermarket in time': 820993, 'preserving': 670720, 'generation before': 345600, 'before were': 123296, 'were skilled': 980133, 'skilled at': 772993, 'at preserving': 100183, 'preserving seasonal': 670726, 'seasonal harvest': 743469, 'harvest and': 378603, 'and living': 66262, 'living off': 496424, 'extra food': 293511, 'when other': 983819, 'supply became': 824839, 'became scarce': 118885, 'scarce it': 740793, 'is useful': 453619, 'useful skill': 950189, 'skill to': 772978, 'it allows': 456394, 'generation before were': 345601, 'before were skilled': 123297, 'were skilled at': 980134, 'skilled at preserving': 772994, 'at preserving seasonal': 100184, 'preserving seasonal harvest': 670727, 'seasonal harvest and': 743470, 'harvest and living': 378604, 'and living off': 66264, 'living off of': 496426, 'off of that': 594010, 'of that extra': 590719, 'that extra food': 843810, 'extra food when': 293519, 'food when other': 317570, 'when other supply': 983821, 'other supply became': 621036, 'supply became scarce': 824840, 'became scarce it': 118886, 'scarce it is': 740794, 'it is useful': 459120, 'is useful skill': 453623, 'useful skill to': 950190, 'skill to have': 772979, 'have it allows': 381139, 'it allows to': 456396, 'allows to stock': 46404, 'food for time': 314583, 'for time when': 327193, 'when we need': 984459, 'we need it': 972501, 'chapter': 173129, 'chapter something': 173137, 'something of': 784991, 'damn why': 225465, 'cannot go': 161921, 'chapter something of': 173138, 'something of the': 784994, 'of the damn': 590925, 'the damn why': 852819, 'damn why we': 225466, 'why we cannot': 991519, 'we cannot go': 971063, 'cannot go to': 161933, 'verizon': 954819, 'so other': 777963, 'than waiving': 841421, 'waiving late': 964563, 'fee is': 302188, 'there anything': 878034, 'else verizon': 271956, 'verizon is': 954823, 'to actually': 900027, 'actually help': 30836, 'help customer': 389554, 'customer while': 223069, '19 those': 11358, 'in small': 428009, 'small town': 775158, 'town are': 927438, 'are paying': 89006, 'paying ridiculous': 645474, 'so other than': 777964, 'other than waiving': 621087, 'than waiving late': 841422, 'waiving late fee': 964564, 'late fee is': 480873, 'fee is there': 302191, 'is there anything': 452999, 'there anything else': 878035, 'anything else verizon': 80752, 'else verizon is': 271957, 'verizon is doing': 954824, 'doing to actually': 252783, 'to actually help': 900029, 'actually help customer': 30838, 'help customer while': 389562, 'customer while we': 223070, 'while we deal': 987545, 'deal with covid': 229546, 'covid 19 those': 213943, '19 those of': 11359, 'those of in': 892264, 'of in small': 585043, 'in small town': 428025, 'small town are': 775160, 'town are paying': 927441, 'are paying ridiculous': 89011, 'paying ridiculous price': 645475, 'ridiculous price just': 721593, 'price just for': 674973, 'just for necessity': 468754, 'cpd': 214573, 'supervising': 824379, 'fatally': 300256, 'flawed': 310266, 'be people': 116387, 'who die': 988596, 'die who': 241481, 'walmart because': 965283, 'this policy': 889649, 'policy cpd': 663371, 'cpd supervising': 214574, 'supervising attorney': 824380, 'attorney for': 102616, 'worker justice': 1007275, 'justice on': 470424, 'how walmart': 409160, 'walmart emergency': 965315, 'emergency sick': 272980, 'is fatally': 447754, 'fatally flawed': 300259, 'will be people': 992603, 'be people who': 116388, 'people who die': 650287, 'who die who': 988598, 'die who work': 241482, 'work at walmart': 1004910, 'at walmart because': 101473, 'walmart because of': 965284, 'of this policy': 592026, 'this policy cpd': 889651, 'policy cpd supervising': 663372, 'cpd supervising attorney': 214575, 'supervising attorney for': 824381, 'attorney for worker': 102618, 'for worker justice': 327939, 'worker justice on': 1007276, 'justice on how': 470425, 'on how walmart': 601431, 'how walmart emergency': 409161, 'walmart emergency sick': 965316, 'emergency sick leave': 272981, 'sick leave is': 768498, 'leave is fatally': 484840, 'is fatally flawed': 447755, 'nielsen': 562636, 'nielsen six': 562653, 'six threshold': 772702, 'threshold of': 894150, 'behavior regarding': 124167, '19 seo': 10414, 'mobileappdevelopment digitalmarketing': 535043, 'nielsen six threshold': 562655, 'six threshold of': 772703, 'threshold of consumer': 894151, 'consumer behavior regarding': 196505, 'behavior regarding covid': 124168, 'covid 19 seo': 213768, '19 seo sem': 10415, 'websitedevelopment mobileappdevelopment digitalmarketing': 975515, 'shutdown are': 767995, 'bank demand': 109759, '19 shutdown are': 10520, 'shutdown are increasing': 767996, 'are increasing food': 87485, 'food bank demand': 313550, 'inclined': 431491, 'premise': 669918, 'demographic': 236786, 'on older': 602502, 'older guest': 598611, 'guest le': 368166, 'le inclined': 482993, 'inclined to': 431492, 'use off': 949436, 'off premise': 594083, 'premise channel': 669923, 'channel operator': 172911, 'are scrambling': 89868, 'scrambling to': 742563, 'reach this': 699997, 'this demographic': 887205, 'demographic that': 236795, 'than third': 841308, 'industry traffic': 436187, 'interesting article on': 441512, 'article on the': 94414, 'of on older': 587221, 'on older guest': 602504, 'older guest le': 598612, 'guest le inclined': 368167, 'le inclined to': 482994, 'inclined to use': 431495, 'to use off': 918051, 'use off premise': 949437, 'off premise channel': 594084, 'premise channel operator': 669924, 'channel operator are': 172912, 'operator are scrambling': 613350, 'are scrambling to': 89869, 'scrambling to reach': 742571, 'to reach this': 912810, 'reach this demographic': 699998, 'this demographic that': 887206, 'demographic that is': 236796, 'that is responsible': 844647, 'responsible for more': 716037, 'more than third': 540686, 'than third of': 841309, 'third of the': 886090, 'of the restaurant': 591410, 'restaurant industry traffic': 716531, 'cwa': 223883, 'advocacy': 33794, 'lift': 489421, 'cwa and': 223884, 'consumer advocacy': 196057, 'advocacy group': 33803, 'group urge': 366951, 'urge broadband': 948163, 'broadband ceo': 140718, 'ceo to': 169858, 'to lift': 909258, 'lift data': 489436, 'data cap': 226159, 'cap and': 162405, 'and waive': 75129, 'waive fee': 964513, 'fee staysafe': 302231, 'staysafe stayhome': 798899, 'cwa and consumer': 223885, 'and consumer advocacy': 60344, 'consumer advocacy group': 196059, 'advocacy group urge': 33806, 'group urge broadband': 366953, 'urge broadband ceo': 948164, 'broadband ceo to': 140719, 'ceo to lift': 169861, 'to lift data': 909260, 'lift data cap': 489437, 'data cap and': 226160, 'cap and waive': 162407, 'and waive fee': 75130, 'waive fee staysafe': 964515, 'fee staysafe stayhome': 302232, 'streamer': 812803, 'gen medium': 345225, 'medium consumer': 527048, 'consumer streamer': 199167, 'gen medium consumer': 345226, 'medium consumer streamer': 527050, 'shouted': 766779, 'separate': 751063, 'got verbally': 359004, 'verbally abused': 954752, 'abused and': 27683, 'and shouted': 71602, 'shouted at': 766780, 'at by': 98178, 'by two': 154617, 'two group': 936948, 'of woman': 593220, 'woman today': 1003638, 'today separate': 920158, 'separate occasion': 751078, 'occasion because': 578934, 'have restricted': 382300, 'restricted product': 717158, 'to of': 910810, 'thing each': 884295, 'each corvid19uk': 264019, 'corvid19uk corona': 207743, 'corona retail': 204143, 'retailworkers supermarket': 719600, 'got verbally abused': 359005, 'verbally abused and': 954753, 'abused and shouted': 27684, 'and shouted at': 71603, 'shouted at by': 766782, 'at by two': 98182, 'by two group': 154619, 'two group of': 936949, 'group of woman': 366809, 'of woman today': 593223, 'woman today separate': 1003640, 'today separate occasion': 920159, 'separate occasion because': 751079, 'occasion because we': 578935, 'we have restricted': 971924, 'have restricted product': 382301, 'restricted product to': 717160, 'product to of': 681756, 'to of the': 910814, 'of the same': 591431, 'same thing each': 733333, 'thing each corvid19uk': 884296, 'each corvid19uk corona': 264020, 'corvid19uk corona retail': 207744, 'corona retail retailworkers': 204144, 'retail retailworkers supermarket': 718495, 'calgary': 155414, 'involving': 444390, 'westjet': 980675, 'of tuesday': 592491, 'tuesday afternoon': 935108, 'afternoon the': 36717, 'the calgary': 850275, 'calgary based': 155417, 'based airline': 111497, 'airline identified': 39969, 'identified 14': 413321, '14 case': 3429, '19 involving': 7921, 'involving passenger': 444408, 'passenger yyc': 643362, 'yyc westjet': 1027158, 'of tuesday afternoon': 592492, 'tuesday afternoon the': 935109, 'afternoon the calgary': 36718, 'the calgary based': 850276, 'calgary based airline': 155418, 'based airline identified': 111499, 'airline identified 14': 39970, 'identified 14 case': 413322, '14 case of': 3430, 'covid 19 involving': 213289, '19 involving passenger': 7922, 'involving passenger yyc': 444409, 'passenger yyc westjet': 643363, 'intimidating': 442336, 'daunt taking': 226941, 'taking it': 833406, 'it well': 462305, 'well abusing': 977990, 'abusing his': 27713, 'his staff': 397810, 'staff now': 792688, 'for talking': 326148, 'talking utter': 834057, 'shit before': 759068, 'before threatening': 123233, 'threatening job': 893812, 'then intimidating': 877272, 'intimidating author': 442337, 'author who': 103653, 'who should': 989610, 'than to': 841337, 'out against': 625586, 'against waterstones': 37739, 'james daunt taking': 464395, 'daunt taking it': 226942, 'taking it well': 833415, 'it well abusing': 462306, 'well abusing his': 977991, 'abusing his staff': 27714, 'his staff now': 397815, 'staff now for': 792689, 'now for talking': 574726, 'for talking utter': 326150, 'talking utter shit': 834058, 'utter shit before': 951430, 'shit before threatening': 759070, 'before threatening job': 123234, 'threatening job and': 893813, 'job and then': 465643, 'and then intimidating': 73776, 'then intimidating author': 877273, 'intimidating author who': 442338, 'author who should': 103654, 'who should know': 989613, 'know better than': 476310, 'better than to': 128540, 'than to speak': 841344, 'speak out against': 787704, 'out against waterstones': 625587, 'are holding': 87216, 'holding special': 400159, 'senior amp': 750192, 'amp people': 54282, 'more comment': 538837, 'comment below': 188389, 'below grateful': 126661, 'working around': 1008514, 'to restock': 913397, 'restock shelf': 716900, 'shelf keep': 757265, 'store clean': 806983, 'clean amp': 180452, 'store are holding': 806486, 'are holding special': 87221, 'holding special hour': 400162, 'for senior amp': 325454, 'senior amp people': 750193, 'amp people with': 54285, 'people with disability': 650443, 'with disability if': 998059, 'disability if you': 243829, 'know of more': 476645, 'of more comment': 586641, 'more comment below': 538838, 'comment below grateful': 188392, 'below grateful for': 126662, 'grateful for our': 362270, 'for our grocery': 324250, 'are working around': 91688, 'working around the': 1008515, 'around the clock': 93527, 'clock to restock': 182418, 'to restock shelf': 913410, 'restock shelf keep': 716905, 'shelf keep their': 757266, 'keep their store': 472097, 'their store clean': 874852, 'store clean amp': 806984, 'clean amp help': 180453, 'amp help our': 53926, 'to include': 908242, 'include key': 431583, 'your special': 1025879, 'worker am': 1006242, 'going in': 355212, 'monday next': 536342, 'child of': 176155, 'worker teacher': 1007882, 'teacher when': 835534, 'when can': 983230, 'shop covi': 760080, 'any other supermarket': 79608, 'other supermarket you': 621029, 'supermarket you need': 824201, 'need to include': 555969, 'to include key': 908247, 'include key worker': 431584, 'key worker in': 473489, 'worker in your': 1007212, 'in your special': 431124, 'your special hour': 1025880, 'hour for nh': 405609, 'for nh worker': 323866, 'nh worker am': 562171, 'worker am going': 1006245, 'am going in': 50086, 'going in on': 355219, 'in on monday': 426122, 'on monday next': 602176, 'monday next week': 536343, 'next week to': 561701, 'week to look': 977086, 'look after the': 502225, 'after the child': 36293, 'the child of': 850823, 'child of the': 176161, 'the nh worker': 861772, 'nh worker teacher': 562196, 'worker teacher when': 1007890, 'teacher when can': 835535, 'when can shop': 983233, 'can shop covi': 159603, 'posting again': 666641, 'again md': 37068, 'md employee': 522264, 'not wearing': 572473, 'mask today': 519431, 'today told': 920379, 'me management': 523136, 'management said': 512623, 'would get': 1011826, 'get employee': 346934, 'employee mask': 274040, 'week seriously': 976853, 'seriously hello': 751624, 'hello reporter': 389207, 'posting again md': 666642, 'again md employee': 37069, 'md employee not': 522265, 'employee not wearing': 274057, 'not wearing mask': 572477, 'wearing mask today': 974721, 'mask today told': 519435, 'today told me': 920380, 'told me management': 923612, 'me management said': 523137, 'management said it': 512624, 'it would get': 462591, 'would get employee': 1011828, 'get employee mask': 346935, 'employee mask in': 274041, 'mask in week': 518844, 'in week seriously': 430765, 'week seriously hello': 976854, 'seriously hello reporter': 751625, 'connectivity': 194727, 'connect': 194592, 'connectivity is': 194734, 'why ally': 990731, 'ally are': 46429, 'asking broadband': 95949, 'cap waive': 162453, 'fee do': 302157, 'everything within': 288116, 'within their': 1002443, 'people connect': 647526, 'connect to': 194627, 'world from': 1009570, 'home stop': 402156, 'connectivity is essential': 194735, 'is essential during': 447542, 'essential during time': 280981, 'during time of': 263347, 'of crisis that': 582189, 'crisis that why': 218158, 'that why ally': 847530, 'why ally are': 990732, 'ally are asking': 46430, 'are asking broadband': 84635, 'asking broadband ceo': 95950, 'data cap waive': 226162, 'cap waive fee': 162454, 'waive fee do': 964514, 'fee do everything': 302158, 'do everything within': 249272, 'everything within their': 288118, 'within their power': 1002445, 'power to help': 667709, 'help people connect': 390287, 'people connect to': 647527, 'connect to the': 194629, 'to the world': 917202, 'the world from': 871873, 'world from home': 1009572, 'from home stop': 335907, 'home stop the': 402158, 'fortunately': 329908, 'my grandparent': 548557, 'grandparent in': 361979, 'law what': 482443, 'need from': 554889, 'pick it': 655657, 'out during': 625985, 'they told': 883571, 'me all': 522368, 'need is': 555063, 'is wine': 453999, 'wine priority': 995875, 'priority fortunately': 678572, 'fortunately there': 329917, 'no wine': 565901, 'wine shortage': 995891, 'shortage right': 765201, 'now stayhome': 575895, 'asked my grandparent': 95802, 'my grandparent in': 548560, 'grandparent in law': 361980, 'in law what': 424638, 'law what they': 482444, 'they need from': 882735, 'need from the': 554892, 'grocery store so': 365779, 'store so can': 810216, 'so can pick': 776721, 'can pick it': 159232, 'pick it up': 655658, 'it up and': 461954, 'up and they': 944382, 'and they don': 73903, 'don have to': 253622, 'get out during': 347735, 'out during this': 625991, 'during this virus': 263335, 'this virus outbreak': 891019, 'outbreak they told': 628742, 'they told me': 883572, 'told me all': 923602, 'me all they': 522371, 'all they need': 45069, 'they need is': 882745, 'need is wine': 555076, 'is wine priority': 454000, 'wine priority fortunately': 995876, 'priority fortunately there': 678573, 'fortunately there no': 329918, 'there no wine': 878850, 'no wine shortage': 565903, 'wine shortage right': 995892, 'shortage right now': 765202, 'right now stayhome': 722142, '60seconds': 21170, 'becreative': 120361, 'bebetter': 118844, 'besafe': 127431, 'paper challenge': 640020, 'challenge is': 171491, 'great way': 363099, 'fun be': 341138, 'creative improve': 216142, 'improve soft': 419539, 'soft hand': 781473, 'hand eye': 374929, 'eye coordination': 294030, 'coordination 60seconds': 203212, '60seconds toiletpaper': 21171, 'toiletpaper becreative': 921797, 'becreative bebetter': 120362, 'bebetter besafe': 118845, 'toilet paper challenge': 921225, 'paper challenge is': 640021, 'challenge is great': 171492, 'is great way': 448213, 'great way to': 363100, 'way to have': 970036, 'to have fun': 907243, 'have fun be': 380743, 'fun be creative': 341139, 'be creative improve': 114287, 'creative improve soft': 216143, 'improve soft hand': 419540, 'soft hand and': 781474, 'hand and hand': 374761, 'and hand eye': 64139, 'hand eye coordination': 374930, 'eye coordination 60seconds': 294031, 'coordination 60seconds toiletpaper': 203213, '60seconds toiletpaper becreative': 21172, 'toiletpaper becreative bebetter': 921798, 'becreative bebetter besafe': 120363, 'extortionately': 293407, 'haji': 374078, 'briefing covid19': 139703, 'covid19 such': 214380, 'such shame': 816744, 'shame that': 754647, 'big asian': 129625, 'supermarket started': 822920, 'started charging': 794706, 'charging extortionately': 173473, 'extortionately high': 293412, 'are haji': 86984, 'haji such': 374081, 'shame for': 754595, 'these shameless': 880664, 'briefing covid19 such': 139705, 'covid19 such shame': 214381, 'such shame that': 816746, 'shame that some': 754650, 'that some of': 846390, 'the big asian': 849596, 'big asian supermarket': 129626, 'asian supermarket started': 95363, 'supermarket started charging': 822921, 'started charging extortionately': 794708, 'charging extortionately high': 173474, 'extortionately high price': 293413, 'high price most': 395258, 'price most of': 675277, 'of the owner': 591310, 'the owner are': 862805, 'owner are haji': 632386, 'are haji such': 86986, 'haji such shame': 374082, 'such shame for': 816745, 'shame for these': 754596, 'for these shameless': 326980, 'adulterated': 32872, 'who use': 989858, 'use sell': 949567, 'sell drug': 748692, 'drug help': 260972, 'help needed': 390137, 'needed is': 556408, 'there change': 878275, 'market stable': 517104, 'stable have': 791921, 'have price': 382035, 'price gone': 674218, 'up have': 945061, 'have deal': 380186, 'deal got': 229416, 'got smaller': 358836, 'smaller are': 775252, 'more adulterated': 538552, 'adulterated drug': 32873, 'drug are': 260880, 'are new': 88221, 'new drug': 558650, 'drug appearing': 260877, 'appearing are': 82161, 'people shifting': 649418, 'shifting to': 758563, 'to alternative': 900382, 'people who use': 650352, 'who use sell': 989862, 'use sell drug': 949568, 'sell drug help': 748693, 'drug help needed': 260973, 'help needed is': 390138, 'needed is there': 556409, 'is there change': 453003, 'there change in': 878276, 'market is the': 516646, 'is the market': 452859, 'the market stable': 860162, 'market stable have': 517105, 'stable have price': 791922, 'have price gone': 382038, 'price gone up': 674221, 'gone up have': 356421, 'up have deal': 945062, 'have deal got': 380187, 'deal got smaller': 229417, 'got smaller are': 358837, 'smaller are there': 775253, 'are there more': 90957, 'there more adulterated': 878765, 'more adulterated drug': 538553, 'adulterated drug are': 32874, 'drug are new': 260881, 'are new drug': 88222, 'new drug appearing': 558651, 'drug appearing are': 260878, 'appearing are people': 82162, 'are people shifting': 89048, 'people shifting to': 649419, 'shifting to alternative': 758564, 'ritual': 724151, 'meaningful': 524853, 'facetime': 295208, 'self care': 747555, 'care tip': 164233, 'tip start': 898902, 'start new': 794394, 'new isolation': 558950, 'isolation ritual': 455406, 'ritual create': 724152, 'create meaningful': 215683, 'meaningful ritual': 524858, 'ritual each': 724154, 'day like': 227906, 'walk at': 964749, 'at 4pm': 97671, '4pm or': 19505, 'or facetime': 615249, 'facetime family': 295215, 'family member': 298022, 'member every': 528073, 'every night': 286038, 'night for': 562993, 'more tip': 540779, 'manage stress': 512428, 'stress level': 813354, 'level during': 487553, '19 isolation': 8104, 'isolation please': 455390, 'please go': 660036, 'self care tip': 747560, 'care tip start': 164234, 'tip start new': 898903, 'start new isolation': 794397, 'new isolation ritual': 558951, 'isolation ritual create': 455407, 'ritual create meaningful': 724153, 'create meaningful ritual': 215684, 'meaningful ritual each': 524859, 'ritual each day': 724155, 'each day like': 264045, 'day like going': 227908, 'like going for': 490319, 'for walk at': 327611, 'walk at 4pm': 964750, 'at 4pm or': 97672, '4pm or facetime': 19506, 'or facetime family': 615251, 'facetime family member': 295216, 'family member every': 298031, 'member every night': 528074, 'every night for': 286041, 'night for more': 562996, 'for more tip': 323603, 'more tip to': 540782, 'tip to manage': 898933, 'to manage stress': 909798, 'manage stress level': 512429, 'stress level during': 813356, 'level during covid': 487554, 'covid 19 isolation': 213296, '19 isolation please': 8108, 'isolation please go': 455391, 'please go to': 660040, 'boerne': 133935, 'eatery': 266153, 'afloat': 34941, 'showcase': 767307, 'smallbusiness boerne': 775211, 'boerne texas': 133936, 'texas my': 839802, 'my hometown': 548698, 'hometown eatery': 402984, 'eatery ha': 266156, 'ha turned': 372378, 'turned into': 935843, 'stay afloat': 796744, 'afloat let': 34958, 'let showcase': 487050, 'showcase small': 767310, 'survive if': 829185, 'in boerne': 420888, 'texas stop': 839825, 'stop by': 804553, 'some homemade': 783052, 'homemade bread': 402818, 'bread they': 138612, 'no line': 564605, 'smallbusiness boerne texas': 775212, 'boerne texas my': 133937, 'texas my hometown': 839803, 'my hometown eatery': 548699, 'hometown eatery ha': 402985, 'eatery ha turned': 266157, 'ha turned into': 372380, 'turned into grocery': 935845, 'to stay afloat': 915268, 'stay afloat let': 796748, 'afloat let showcase': 34959, 'let showcase small': 487051, 'showcase small business': 767311, 'small business who': 774903, 'business who need': 144670, 'to survive if': 916034, 'survive if you': 829189, 're in boerne': 698864, 'in boerne texas': 420889, 'boerne texas stop': 133938, 'texas stop by': 839826, 'stop by and': 804555, 'by and buy': 151835, 'and buy some': 59352, 'buy some homemade': 149207, 'some homemade bread': 783053, 'homemade bread they': 402819, 'bread they re': 138613, 'they re on': 883085, 're on main': 699179, 'main street and': 508825, 'street and no': 812897, 'and no line': 67620, 'mncs': 534819, 'beautiful most': 118699, 'most indian': 542445, 'indian business': 434787, 'business house': 143856, 'house have': 406336, 'have come': 380025, 'come forward': 187295, 'forward while': 330051, 'while most': 987064, 'most mncs': 542515, 'mncs across': 534820, 'across sector': 29445, 'consumer pharma': 198363, 'pharma food': 654031, 'food fmcg': 314477, 'fmcg and': 311712, 'been seen': 121896, 'seen coming': 746981, '19 support': 10972, 'support they': 826915, 'make lot': 510102, 'of money': 586601, 'money with': 537181, 'beautiful most indian': 118700, 'most indian business': 542446, 'indian business house': 434788, 'business house have': 143858, 'house have come': 406337, 'have come forward': 380028, 'come forward while': 187298, 'forward while most': 330052, 'while most mncs': 987067, 'most mncs across': 542516, 'mncs across sector': 534821, 'across sector consumer': 29446, 'sector consumer pharma': 744135, 'consumer pharma food': 198364, 'pharma food fmcg': 654032, 'food fmcg and': 314478, 'fmcg and other': 311714, 'and other sector': 68400, 'other sector have': 620881, 'sector have not': 744212, 'not been seen': 568518, 'been seen coming': 121898, 'seen coming to': 746983, 'coming to pm': 188226, 'pm care for': 661874, 'care for covid': 163943, 'covid 19 support': 213892, '19 support they': 10977, 'support they make': 826918, 'they make lot': 882648, 'make lot of': 510103, 'lot of money': 504231, 'of money with': 586622, 'ranchi': 696553, 'nrlm': 576637, 'adoting': 32752, 'ayurved': 106362, 'ranchi nrlm': 696554, 'nrlm we': 576638, 'can control': 157989, 'control covid': 201990, 'effect by': 268977, 'by adoting': 151760, 'adoting ayurved': 32753, 'ayurved social': 106365, 'distancing cleanliness': 247081, 'cleanliness and': 181147, 'eating vegetarian': 266331, 'food avoid': 313484, 'avoid panic': 105206, 'panic stay': 638621, 'ranchi nrlm we': 696555, 'nrlm we can': 576639, 'we can control': 970926, 'can control covid': 157990, 'control covid 19': 201991, '19 effect by': 6723, 'effect by adoting': 268978, 'by adoting ayurved': 151761, 'adoting ayurved social': 32755, 'ayurved social distancing': 106366, 'social distancing cleanliness': 779582, 'distancing cleanliness and': 247082, 'cleanliness and eating': 181148, 'and eating vegetarian': 61884, 'eating vegetarian food': 266332, 'vegetarian food avoid': 954143, 'food avoid panic': 313487, 'avoid panic stay': 105211, 'panic stay at': 638622, 'tpi': 928068, 're tracking': 699728, 'tracking daily': 928331, 'daily change': 224541, 'uncertainty tpi': 939773, 'tpi coronavirus': 928069, 'consumer uncertainty': 199411, 'uncertainty index': 939705, 'index show': 434241, 'show rising': 767116, 'rising uncertainty': 723314, 'in twitter': 430351, 'twitter sentiment': 936708, 'sentiment this': 751009, 'week tweet': 977131, 'tweet volume': 936423, 'volume remain': 960167, 'remain high': 709757, 'high for': 395090, 'more chart': 538803, 'chart here': 173832, 'we re tracking': 972992, 're tracking daily': 699729, 'tracking daily change': 928332, 'daily change in': 224542, 'change in economic': 172116, 'in economic uncertainty': 422483, 'economic uncertainty tpi': 267351, 'uncertainty tpi coronavirus': 939774, 'tpi coronavirus consumer': 928070, 'coronavirus consumer uncertainty': 205689, 'consumer uncertainty index': 199412, 'uncertainty index show': 939706, 'index show rising': 434244, 'show rising uncertainty': 767117, 'rising uncertainty in': 723316, 'uncertainty in twitter': 939701, 'in twitter sentiment': 430353, 'twitter sentiment this': 936710, 'sentiment this week': 751011, 'this week tweet': 891287, 'week tweet volume': 977132, 'tweet volume remain': 936424, 'volume remain high': 960168, 'remain high for': 709760, 'high for more': 395092, 'for more chart': 323557, 'more chart here': 538804, 'ha today': 372324, 'today proposed': 920074, 'proposed range': 684537, 'measure stop': 525346, 'stop gap': 804681, 'gap to': 343465, 'support user': 826966, 'certain consumer': 169981, 'credit product': 216456, 'product if': 681271, 'if confirmed': 413977, 'confirmed the': 194201, 'measure would': 525437, 'would start': 1012264, 'into force': 442565, 'force by': 328350, 'by april': 151881, 'ha today proposed': 372327, 'today proposed range': 920076, 'proposed range of': 684538, 'range of temporary': 696723, 'temporary measure stop': 837666, 'measure stop gap': 525347, 'stop gap to': 804682, 'gap to support': 343467, 'to support user': 915983, 'support user of': 826967, 'user of certain': 950305, 'of certain consumer': 581248, 'certain consumer credit': 169983, 'consumer credit product': 197024, 'credit product if': 216459, 'product if confirmed': 681273, 'if confirmed the': 413978, 'confirmed the measure': 194203, 'the measure would': 860375, 'measure would start': 525438, 'would start to': 1012265, 'start to come': 794576, 'come into force': 187389, 'into force by': 442566, 'force by april': 328351, 'by april 2020': 151882, 'timeframe': 898453, 'tried twice': 931853, 'twice this': 936547, 'paper from': 640194, 'from different': 335142, 'different place': 242029, 'and none': 67680, 'none available': 566553, 'available looked': 104484, 'looked to': 502752, 'there already': 877966, 'already week': 47757, 'delivery timeframe': 234647, 'timeframe not': 898454, 'going well': 355806, 'well this': 978688, 'tried twice this': 931854, 'twice this week': 936549, 'week to buy': 977070, 'to buy toilet': 902323, 'toilet paper from': 921280, 'paper from different': 640195, 'from different place': 335144, 'different place and': 242030, 'place and none': 657317, 'and none available': 67681, 'none available looked': 566554, 'available looked to': 104485, 'looked to order': 502754, 'order online shopping': 618480, 'shopping and there': 762031, 'and there already': 73828, 'there already week': 877968, 'already week delivery': 47758, 'week delivery timeframe': 976142, 'delivery timeframe not': 234648, 'timeframe not going': 898455, 'not going well': 569705, 'going well this': 355807, 'bang': 109441, 'momentum here': 536152, 'here supermarket': 393623, 'empty return': 275025, 'return flight': 719837, 'flight are': 310430, 'are rare': 89437, 'rare school': 697095, 'open but': 612125, 'but access': 145049, 'to aged': 900176, 'aged care': 37947, 'care facility': 163924, 'facility is': 295350, 'closed the': 183363, 'best went': 127996, 'local mall': 498165, 'mall yesterday': 511864, 'wa ghost': 962204, 'town bang': 927443, 'virus is gaining': 958373, 'gaining momentum here': 342883, 'momentum here supermarket': 536153, 'here supermarket shelf': 393625, 'are empty return': 86166, 'empty return flight': 275026, 'return flight are': 719838, 'flight are rare': 310434, 'are rare school': 89438, 'rare school are': 697096, 'school are open': 741698, 'are open but': 88787, 'open but access': 612126, 'but access to': 145050, 'access to aged': 28215, 'to aged care': 900177, 'aged care facility': 37948, 'care facility is': 163928, 'facility is closed': 295351, 'is closed the': 446589, 'closed the government': 183365, 'government is doing': 360249, 'is doing it': 447281, 'doing it best': 252481, 'it best went': 456859, 'best went to': 127997, 'my local mall': 549126, 'local mall yesterday': 498166, 'mall yesterday and': 511865, 'it wa ghost': 462118, 'wa ghost town': 962205, 'ghost town bang': 349676, 'harassing': 377822, 'pedestrian': 646208, 'bonding': 134281, '19 benefit': 5372, 'benefit no': 127033, 'no mass': 564716, 'mass shooting': 519853, 'shooting or': 759769, 'or school': 616980, 'school shooting': 741915, 'shooting in': 759765, 'month gas': 537749, 'have dropped': 380369, 'dropped significantly': 260626, 'significantly have': 769577, 'seen video': 747346, 'police harassing': 663035, 'harassing pedestrian': 377829, 'pedestrian and': 646209, 'or shooting': 617050, 'shooting pedestrian': 759773, 'pedestrian out': 646213, 'fear for': 301128, 'life family': 488647, 'family bonding': 297661, 'bonding time': 134282, 'work stressful': 1005770, 'stressful job': 813501, 'covid 19 benefit': 212697, '19 benefit no': 5374, 'benefit no mass': 127034, 'no mass shooting': 564717, 'mass shooting or': 519855, 'shooting or school': 759770, 'or school shooting': 616981, 'school shooting in': 741916, 'shooting in month': 759766, 'in month gas': 425416, 'month gas price': 537750, 'gas price have': 343976, 'price have dropped': 674426, 'have dropped significantly': 380384, 'dropped significantly have': 260627, 'significantly have not': 769578, 'not seen video': 571513, 'seen video of': 747347, 'video of police': 956831, 'of police harassing': 588198, 'police harassing pedestrian': 663036, 'harassing pedestrian and': 377830, 'pedestrian and or': 646210, 'and or shooting': 68230, 'or shooting pedestrian': 617051, 'shooting pedestrian out': 759775, 'pedestrian out of': 646214, 'out of fear': 626733, 'of fear for': 583455, 'fear for their': 301132, 'for their life': 326845, 'their life family': 873830, 'life family bonding': 488648, 'family bonding time': 297662, 'bonding time for': 134283, 'who work stressful': 990042, 'work stressful job': 1005771, 'moral': 538393, 'schmutz': 741631, 'performing': 651490, 'random': 696597, 'so guess': 777214, 'guess the': 368046, 'the moral': 860870, 'moral of': 538405, 'story is': 812018, 'is check': 446502, 'check your': 174728, 'your damn': 1023451, 'damn face': 225347, 'face for': 294444, 'for schmutz': 325384, 'schmutz before': 741632, 'before performing': 123011, 'performing random': 651504, 'random act': 696598, 'of kindness': 585642, 'public toiletpaper': 688385, 'toiletpapercrisis panicbuyers': 923051, 'panicbuyers groceryshopping': 638855, 'groceryshopping kindness': 366270, 'kindness 19': 475182, 'so guess the': 777217, 'guess the moral': 368053, 'the moral of': 860872, 'moral of the': 538406, 'of the story': 591499, 'the story is': 868177, 'story is check': 812019, 'is check your': 446503, 'check your damn': 174731, 'your damn face': 1023452, 'damn face for': 225348, 'face for schmutz': 294446, 'for schmutz before': 325385, 'schmutz before performing': 741633, 'before performing random': 123012, 'performing random act': 651505, 'random act of': 696599, 'act of kindness': 29724, 'of kindness in': 585647, 'kindness in public': 475209, 'in public toiletpaper': 427106, 'public toiletpaper toiletpapercrisis': 688386, 'toiletpaper toiletpapercrisis panicbuyers': 922660, 'toiletpapercrisis panicbuyers groceryshopping': 923052, 'panicbuyers groceryshopping kindness': 638856, 'groceryshopping kindness 19': 366271, 'louisiana': 504538, 'satan': 736920, 'louisiana church': 504541, 'church expecting': 178359, 'expecting 00': 291026, '00 at': 71, 'at easter': 98513, 'service despite': 752286, 'coronavirus satan': 206707, 'satan and': 736921, 'virus will': 959038, 'louisiana church expecting': 504542, 'church expecting 00': 178360, 'expecting 00 at': 291027, '00 at easter': 73, 'at easter service': 98514, 'easter service despite': 265486, 'service despite coronavirus': 752287, 'despite coronavirus satan': 238709, 'coronavirus satan and': 206708, 'satan and virus': 736922, 'and virus will': 74980, 'virus will not': 959045, 'boomplay': 134911, '19 boomplay': 5417, 'boomplay prepared': 134912, 'drop subscription': 260400, 'subscription price': 815902, 'covid 19 boomplay': 212717, '19 boomplay prepared': 5418, 'boomplay prepared to': 134913, 'prepared to drop': 670250, 'to drop subscription': 904781, 'drop subscription price': 260401, 'rewe': 720818, 'potsdam': 667258, 'people wait': 650104, 'enter shop': 278287, 'shop behind': 759982, 'behind red': 124690, 'red line': 705595, 'line that': 493444, 'that mark': 845039, 'mark the': 515829, 'distance customer': 246688, 'keep between': 471343, 'between them': 128939, 'at rewe': 100308, 'rewe grocery': 720819, 'in potsdam': 426868, 'potsdam germany': 667259, 'germany reuters': 346348, 'people wait to': 650110, 'wait to enter': 964225, 'to enter shop': 905223, 'enter shop behind': 278288, 'shop behind red': 759983, 'behind red line': 124691, 'red line that': 705596, 'line that mark': 493448, 'that mark the': 845040, 'mark the distance': 515830, 'the distance customer': 853419, 'distance customer have': 246690, 'customer have to': 222443, 'have to keep': 383234, 'to keep between': 908760, 'keep between them': 471344, 'between them at': 128942, 'them at rewe': 875444, 'at rewe grocery': 100309, 'rewe grocery store': 720820, 'store in potsdam': 808374, 'in potsdam germany': 426869, 'potsdam germany reuters': 667260, 'll probably': 496962, 'see high': 745193, 'high number': 395183, 'american you ll': 52333, 'you ll probably': 1019668, 'll probably see': 496964, 'probably see high': 679368, 'see high number': 745195, 'high number of': 395184, 'hosted our': 404923, 'first live': 308767, 'live consumer': 495770, 'consumer roundtable': 198841, 'discussion to': 245049, 'take pulse': 832534, 'pulse on': 688985, 'consumer evolving': 197382, 'evolving attitude': 288545, 'are five': 86593, 'five takeaway': 309663, 'takeaway of': 832886, 'we learned': 972178, 'learned mrx': 484130, 'we hosted our': 972043, 'hosted our first': 404924, 'our first live': 623082, 'first live consumer': 308768, 'live consumer roundtable': 495772, 'consumer roundtable discussion': 198842, 'roundtable discussion to': 726396, 'discussion to take': 245050, 'to take pulse': 916228, 'take pulse on': 832535, 'pulse on consumer': 688986, 'on consumer evolving': 600044, 'consumer evolving attitude': 197383, 'evolving attitude and': 288546, 'and behavior during': 58840, 'behavior during the': 124012, 'coronavirus pandemic here': 206463, 'here are five': 392740, 'are five takeaway': 86596, 'five takeaway of': 309664, 'takeaway of what': 832887, 'what we learned': 982555, 'we learned mrx': 972180, 'learned mrx consumerbehavior': 484131, 'odds': 579206, 'isn hard': 454539, 'hard any': 377866, 'any big': 78972, 'support must': 826653, 'must put': 546823, 'it worker': 462515, 'make serious': 510446, 'serious long': 751421, 'term change': 838089, 'the odds': 862038, 'odds they': 579219, 'ever need': 285426, 'another bailout': 77510, 'bailout here': 108637, 'are eight': 86088, 'eight requirement': 270195, 'requirement for': 713431, 'any bailouts': 78960, 'bailouts you': 108710, 'can read': 159381, 'read them': 700596, 'this isn hard': 888487, 'isn hard any': 454540, 'hard any big': 377867, 'any big company': 78973, 'company that need': 191181, 'that need support': 845310, 'need support must': 555688, 'support must put': 826654, 'must put it': 546824, 'put it worker': 690651, 'it worker first': 462520, 'worker first and': 1006948, 'first and make': 308503, 'and make serious': 66574, 'make serious long': 510447, 'serious long term': 751422, 'long term change': 501676, 'term change to': 838091, 'change to reduce': 172358, 'reduce the odds': 705969, 'the odds they': 862042, 'odds they ever': 579220, 'they ever need': 882059, 'ever need another': 285427, 'need another bailout': 554446, 'another bailout here': 77511, 'bailout here are': 108638, 'here are eight': 392737, 'are eight requirement': 86089, 'eight requirement for': 270196, 'requirement for any': 713432, 'for any bailouts': 319395, 'any bailouts you': 78961, 'bailouts you can': 108711, 'you can read': 1017760, 'can read them': 159384, 'read them here': 700597, 'thats': 847797, 'pilling': 656689, 'fuckoffcoronavirus': 340074, 'wake me': 964583, 'shit all': 759050, 'over no': 630433, 'no summer': 565615, 'summer holiday': 817980, 'holiday no': 400336, 'no pub': 565241, 'pub no': 687736, 'no football': 564289, 'football all': 318482, 'all thats': 44652, 'thats left': 847818, 'selfish stock': 748268, 'stock pilling': 802681, 'pilling at': 656690, 'store fuckoffcoronavirus': 807895, 'wake me up': 964584, 'me up when': 523864, 'up when this': 946581, 'when this shit': 984310, 'this shit all': 890074, 'shit all blow': 759051, 'blow over no': 133342, 'over no food': 630434, 'no food no': 564264, 'food no summer': 315553, 'no summer holiday': 565616, 'summer holiday no': 817981, 'holiday no pub': 400338, 'no pub no': 565242, 'pub no football': 687737, 'no football all': 564290, 'football all thats': 318484, 'all thats left': 44653, 'thats left is': 847819, 'left is selfish': 485527, 'is selfish stock': 451746, 'selfish stock pilling': 748270, 'stock pilling at': 802682, 'pilling at the': 656691, 'the store fuckoffcoronavirus': 868025, 'kindnesspandemic': 475236, 'thinkingofothers': 886037, 'kind think': 474993, 'others and': 621250, 'my method': 549238, 'method of': 529782, 'of trying': 592488, 'remain positive': 709844, 'positive please': 665415, 'please give': 660023, 'give this': 350777, 'this read': 889809, 'read kindnesspandemic': 700389, 'kindnesspandemic thinkingofothers': 475239, 'thinkingofothers mentalhealthawareness': 886040, 'be kind think': 115631, 'kind think of': 474995, 'of others and': 587382, 'others and if': 621259, 'want to read': 966097, 'to read my': 912835, 'read my method': 700466, 'my method of': 549240, 'method of trying': 529786, 'of trying to': 592490, 'trying to remain': 934855, 'to remain positive': 913170, 'remain positive please': 709845, 'positive please give': 665416, 'please give this': 660032, 'give this read': 350780, 'this read kindnesspandemic': 889812, 'read kindnesspandemic thinkingofothers': 700390, 'kindnesspandemic thinkingofothers mentalhealthawareness': 475240, 'hurry': 411501, 'fighttogether': 305167, 'belgavi': 126159, 'tnc': 899397, 'inside download': 439251, 'download the': 257623, 'the app': 848816, 'get 50': 346485, 'off on': 594019, 'your first': 1023891, 'first medicine': 308784, 'medicine order': 526861, 'order install': 618328, 'install now': 439998, 'now hurry': 574963, 'hurry limited': 411515, 'only sanitizer': 611083, 'handsanitizer quarantine': 376620, 'lockdown fighttogether': 499380, 'fighttogether stayathome': 305170, 'stayathome staysafe': 797658, 'staysafe belgavi': 798786, 'belgavi tnc': 126160, 'safe stay inside': 729974, 'stay inside download': 797097, 'inside download the': 439252, 'download the app': 257624, 'the app and': 848817, 'app and get': 81672, 'and get 50': 63559, 'get 50 off': 346486, '50 off on': 19781, 'off on your': 594023, 'on your first': 605465, 'your first medicine': 1023893, 'first medicine order': 308785, 'medicine order install': 526862, 'order install now': 618329, 'install now hurry': 439999, 'now hurry limited': 574964, 'hurry limited time': 411516, 'limited time only': 492757, 'time only sanitizer': 897418, 'only sanitizer handsanitizer': 611085, 'sanitizer handsanitizer quarantine': 735036, 'handsanitizer quarantine lockdown': 376621, 'quarantine lockdown fighttogether': 692349, 'lockdown fighttogether stayathome': 499381, 'fighttogether stayathome staysafe': 305171, 'stayathome staysafe belgavi': 797659, 'staysafe belgavi tnc': 798787, 'baseline': 111783, 'primarily': 678027, 'ha grown': 370778, 'grown 25': 367267, '25 from': 15868, 'from march': 336340, 'march 13': 515065, '13 15': 3159, '15 compared': 3684, 'to baseline': 901057, 'baseline period': 111784, 'march 11': 515052, '11 driven': 2514, 'driven primarily': 259345, 'primarily by': 678028, 'ongoing situation': 607688, 'ecommerce ha grown': 266784, 'ha grown 25': 370779, 'grown 25 from': 367268, '25 from march': 15870, 'from march 13': 336342, 'march 13 15': 515066, '13 15 compared': 3160, '15 compared to': 3685, 'compared to baseline': 191422, 'to baseline period': 901058, 'baseline period of': 111785, 'period of march': 651847, 'of march 11': 586192, 'march 11 driven': 515055, '11 driven primarily': 2515, 'driven primarily by': 259346, 'primarily by online': 678029, 'by online grocery': 153434, 'grocery shopping due': 365017, 'to the ongoing': 916920, 'the ongoing situation': 862255, 'ongoing situation with': 607691, 'situation with covid': 772595, 'paycheck': 645267, 'wreck': 1012703, 're dying': 698578, 'dying so': 263865, 'eat and': 265845, 'get paycheck': 347796, 'paycheck not': 645299, 'not worker': 572542, 'local iga': 498100, 'iga store': 415691, 'had protection': 373433, 'and each': 61833, 'each were': 264334, 'were too': 980282, 'close like': 182700, 'like nothing': 490883, 'nothing wa': 573210, 'wa wrong': 963749, 'wrong foodsupply': 1013032, 'foodsupply can': 318199, 'can wreck': 160258, 'wreck it': 1012708, 'be soon': 117311, 'soon groceryworkers': 785731, 'they re dying': 883022, 're dying so': 698579, 'dying so we': 263866, 'we can eat': 970938, 'can eat and': 158190, 'eat and they': 265849, 'they can get': 881632, 'can get paycheck': 158442, 'get paycheck not': 347797, 'paycheck not worker': 645300, 'not worker at': 572543, 'worker at my': 1006470, 'my local iga': 549122, 'local iga store': 498102, 'iga store had': 415692, 'store had protection': 808044, 'had protection and': 373434, 'protection and each': 685316, 'and each were': 61837, 'each were too': 264335, 'were too close': 980284, 'too close like': 924656, 'close like nothing': 182701, 'like nothing wa': 490885, 'nothing wa wrong': 573212, 'wa wrong foodsupply': 963750, 'wrong foodsupply can': 1013033, 'foodsupply can wreck': 318200, 'can wreck it': 160259, 'wreck it and': 1012709, 'and that may': 73201, 'may be soon': 521032, 'be soon groceryworkers': 117312, '19 guide': 7312, 'guide how': 368330, 'manage and': 512373, 'during great': 262668, '19 guide how': 7313, 'guide how to': 368331, 'to manage and': 909787, 'manage and during': 512374, 'and during great': 61809, 'during great advice': 262669, 'great advice from': 362489, 'advice from our': 33390, 'from our friend': 336773, 'fema': 303483, 'competing': 191623, 'medicalequipment': 526522, 'protectivegear': 685820, 'trumpliesamericansdie': 934080, 'eucommission': 283310, 'dear usa': 229907, 'usa trump': 948777, 'trump fema': 933555, 'fema this': 303496, 'avoid state': 105295, 'state competing': 795469, 'competing with': 191645, 'with each': 998162, 'for medicalequipment': 323388, 'medicalequipment protectivegear': 526524, 'protectivegear trumpliesamericansdie': 685821, 'trumpliesamericansdie eu': 934081, 'eu eucommission': 283229, 'dear usa trump': 229908, 'usa trump fema': 948779, 'trump fema this': 933556, 'fema this is': 303497, 'how you avoid': 409273, 'you avoid state': 1017354, 'avoid state competing': 105296, 'state competing with': 795472, 'competing with each': 191646, 'with each other': 998164, 'other and driving': 619823, 'up price for': 945814, 'price for medicalequipment': 674001, 'for medicalequipment protectivegear': 323389, 'medicalequipment protectivegear trumpliesamericansdie': 526525, 'protectivegear trumpliesamericansdie eu': 685822, 'trumpliesamericansdie eu eucommission': 934082, 'is beyond': 446158, 'beyond ridiculous': 129223, 'ridiculous went': 721636, 'place my': 657582, 'usual dog': 950930, 'dog food': 252075, 'food order': 315675, 'the individual': 858140, 'individual food': 435181, 'food were': 317549, 'were sold': 980147, 'that possible': 845789, 'possible do': 665628, 'you feed': 1018528, 'feed your': 302410, 'your dog': 1023552, 'dog the': 252173, 'same amount': 732960, 'amount every': 53174, 'level of people': 487653, 'of people panic': 587964, 'buying is beyond': 150561, 'is beyond ridiculous': 446162, 'beyond ridiculous went': 129225, 'ridiculous went to': 721637, 'went to place': 979182, 'to place my': 911753, 'place my usual': 657586, 'my usual dog': 550475, 'usual dog food': 950931, 'dog food order': 252087, 'food order online': 315682, 'order online at': 618465, 'online at and': 607884, 'at and all': 97998, 'all the individual': 44794, 'the individual food': 858146, 'individual food were': 435182, 'food were sold': 317551, 'were sold out': 980149, 'sold out how': 781734, 'out how is': 626326, 'is that possible': 452679, 'that possible do': 845791, 'possible do you': 665630, 'do you feed': 250629, 'you feed your': 1018529, 'feed your dog': 302411, 'your dog the': 1023557, 'dog the same': 252174, 'the same amount': 866195, 'same amount every': 732961, 'amount every month': 53175, 'traveller': 930667, 'regionalsecurity': 707534, 'paper symbol': 640861, 'symbol of': 830768, 'via virus': 956357, 'virus health': 958272, 'health healthcare': 386485, 'healthcare medicine': 387186, 'medicine science': 526881, 'science research': 742128, 'research travel': 713874, 'travel traveller': 930551, 'traveller economy': 930670, 'economy politics': 268146, 'politics regionalsecurity': 663799, 'regionalsecurity who': 707535, 'who tp': 989813, 'toiletpaper loo': 922202, 'toilet paper symbol': 921480, 'paper symbol of': 640862, 'symbol of the': 830773, 'coronavirus crisis via': 205777, 'crisis via virus': 218319, 'via virus health': 956358, 'virus health healthcare': 958273, 'health healthcare medicine': 386487, 'healthcare medicine science': 387187, 'medicine science research': 526882, 'science research travel': 742130, 'research travel traveller': 713876, 'travel traveller economy': 930552, 'traveller economy politics': 930671, 'economy politics regionalsecurity': 268148, 'politics regionalsecurity who': 663800, 'regionalsecurity who tp': 707536, 'who tp toiletpaper': 989814, 'tp toiletpaper loo': 928000, 'over week': 630906, 'really aren': 701993, 'aren taking': 92543, 'time in over': 897006, 'in over week': 426381, 'over week people': 630914, 'week people really': 976740, 'people really aren': 649240, 'really aren taking': 701994, 'aren taking this': 92547, 'this seriously are': 890036, 'seriously are they': 751536, 'lcdc': 482793, 'cabby': 154954, 'mercedes': 528942, 'lcdc just': 482794, 'just spoke': 469850, 'to cabby': 902362, 'cabby who': 154959, 'now working': 576474, 'working supermarket': 1008927, 'supermarket checkout': 819661, 'checkout to': 175039, 'that cabby': 843079, 'cabby said': 154955, 'said took': 731529, 'took 100': 925190, '100 out': 2010, 'account and': 28625, 'the hotline': 857567, 'hotline is': 405248, 'never answered': 557858, 'answered not': 78179, 'good mercedes': 357384, 'lcdc just spoke': 482795, 'just spoke to': 469851, 'spoke to cabby': 789725, 'to cabby who': 902363, 'cabby who is': 154960, 'who is now': 989095, 'is now working': 450358, 'now working supermarket': 576476, 'working supermarket checkout': 1008929, 'supermarket checkout to': 819672, 'checkout to make': 175041, 'meet and that': 527417, 'and that cabby': 73183, 'that cabby said': 843080, 'cabby said took': 154956, 'said took 100': 731530, 'took 100 out': 925191, '100 out of': 2011, 'of their account': 591639, 'their account and': 872453, 'account and the': 28630, 'and the hotline': 73410, 'the hotline is': 857568, 'hotline is never': 405249, 'is never answered': 449879, 'never answered not': 557859, 'answered not good': 78180, 'not good mercedes': 569725, '01892': 786, '838': 22867, '619': 21212, 'advice or': 33463, 'or information': 615799, 'consumer issue': 197946, 'issue debt': 455715, 'debt employment': 230476, 'employment family': 274598, 'and relationship': 70186, 'relationship matter': 708700, 'matter housing': 520569, 'housing welfare': 407166, 'welfare benefit': 977942, 'benefit or': 127054, 'else during': 271679, 'open just': 612347, 'just call': 468407, 'call 01892': 155673, '01892 838': 787, '838 619': 22868, '619 or': 21215, 'email info': 272211, 'info org': 437543, 'org advice': 619175, 'you need advice': 1019961, 'need advice or': 554373, 'advice or information': 33464, 'or information about': 615800, 'information about consumer': 437702, 'about consumer issue': 24999, 'consumer issue debt': 197948, 'issue debt employment': 455716, 'debt employment family': 230477, 'employment family and': 274599, 'family and relationship': 297599, 'and relationship matter': 70187, 'relationship matter housing': 708701, 'matter housing welfare': 520570, 'housing welfare benefit': 407167, 'welfare benefit or': 977943, 'benefit or anything': 127055, 'anything else during': 80743, 'else during the': 271680, 'outbreak we are': 628794, 'still open just': 800965, 'open just call': 612348, 'just call 01892': 468408, 'call 01892 838': 155674, '01892 838 619': 788, '838 619 or': 22869, '619 or email': 21216, 'or email info': 615146, 'email info org': 272214, 'info org advice': 437544, 'salford': 732711, 'refuse': 707010, 'salford coronavirus': 732712, 'coronavirus case': 205611, 'by just': 152972, 'just people': 469443, 'people urged': 650060, 'make 30': 509635, '30 second': 17216, 'second thank': 743827, 'you video': 1022081, 'staff health': 792519, 'worker refuse': 1007676, 'refuse collector': 707011, 'salford coronavirus case': 732713, 'coronavirus case increase': 205616, 'case increase by': 165817, 'increase by just': 432708, 'by just people': 152975, 'just people urged': 469445, 'people urged to': 650062, 'urged to make': 948290, 'to make 30': 909615, 'make 30 second': 509636, '30 second thank': 17217, 'second thank you': 743828, 'thank you video': 841840, 'you video for': 1022082, 'video for frontline': 956729, 'for frontline worker': 321781, 'frontline worker supermarket': 338872, 'worker supermarket staff': 1007860, 'supermarket staff health': 822854, 'staff health worker': 792522, 'health worker refuse': 386989, 'worker refuse collector': 1007677, 'refuse collector etc': 707013, 'for stop': 325923, 'leave enough': 484778, 'community is calling': 189930, 'is calling for': 446351, 'calling for stop': 156561, 'for stop to': 325925, 'stop to panic': 805222, 'buying and leave': 149918, 'and leave enough': 66050, 'leave enough food': 484779, 'for the and': 326301, 'the and most': 848709, 'and most people': 67273, 'most people in': 542617, 'people in society': 648431, 'anyone asked': 80184, 'asked the': 95834, 'bank why': 110308, 'to tap': 916295, 'tap our': 834332, 'our pin': 624347, 'pin into': 656772, 'into card': 442449, 'card reader': 163628, 'reader when': 700707, 'amount is': 53195, 'over 30': 629817, '30 the': 17233, 'on these': 604556, 'these in': 880154, 'supermarket must': 821551, 'be off': 116149, 'the scale': 866403, 'scale just': 739895, 'just raise': 469543, 'raise contactless': 695825, 'contactless to': 200386, 'to 100': 899433, '100 for': 1899, 'ha anyone asked': 369577, 'anyone asked the': 80185, 'asked the bank': 95836, 'the bank why': 849258, 'bank why we': 110310, 'why we still': 991530, 'still have to': 800666, 'have to tap': 383317, 'to tap our': 916296, 'tap our pin': 834333, 'our pin into': 624348, 'pin into card': 656773, 'into card reader': 442450, 'card reader when': 163632, 'reader when the': 700708, 'when the amount': 984126, 'the amount is': 848652, 'amount is over': 53196, 'is over 30': 450680, 'over 30 the': 629822, '30 the amount': 17234, 'amount of germ': 53224, 'germ on these': 346140, 'on these in': 604566, 'these in supermarket': 880157, 'in supermarket must': 428636, 'supermarket must be': 821552, 'must be off': 546527, 'be off the': 116150, 'off the scale': 594265, 'the scale just': 866405, 'scale just raise': 739896, 'just raise contactless': 469544, 'raise contactless to': 695826, 'contactless to 100': 200387, 'to 100 for': 899437, '100 for now': 1903, 'my platform': 549788, 'platform because': 658949, 'because think': 119734, 'important thank': 419005, 'it 19': 456181, 'posting this on': 666698, 'this on all': 889210, 'on all my': 599235, 'all my platform': 43568, 'my platform because': 549789, 'platform because think': 658950, 'because think it': 119735, 'think it important': 885337, 'it important thank': 458709, 'important thank your': 419006, 'worker we need': 1008146, 'need it 19': 555078, 'soybean': 786976, 'scenario': 741244, 'the 30': 848084, '30 corn': 17004, 'and 30': 57438, '30 soybean': 17224, 'soybean price': 786985, 'are based': 84784, 'on current': 600182, 'current cash': 221118, 'cash bid': 166182, 'bid for': 129470, '2020 crop': 14262, 'crop and': 218893, 'necessarily the': 553934, 'worst case': 1011153, 'case scenario': 165999, 'scenario for': 741255, 'for return': 325209, 'return in': 719858, 'the 30 corn': 848085, '30 corn price': 17005, 'corn price and': 203581, 'price and 30': 672355, 'and 30 soybean': 57444, '30 soybean price': 17225, 'soybean price are': 786987, 'price are based': 672637, 'are based on': 84785, 'based on current': 111674, 'on current cash': 600185, 'current cash bid': 221119, 'cash bid for': 166183, 'bid for the': 129472, 'for the 2020': 326283, 'the 2020 crop': 848020, '2020 crop and': 14263, 'crop and are': 218894, 'are not necessarily': 88418, 'not necessarily the': 570629, 'necessarily the worst': 553936, 'the worst case': 872043, 'worst case scenario': 1011156, 'case scenario for': 166002, 'scenario for return': 741258, 'for return in': 325210, 'return in 2020': 719859, 'dtc': 261383, 'slated': 773693, 'to shift': 914410, 'shift from': 758291, 'from nice': 336582, 'have product': 382060, 'to must': 910361, 'product many': 681396, 'many dtc': 514014, 'dtc unicorn': 261403, 'unicorn are': 941726, 'are slated': 90170, 'slated to': 773694, 'to struggle': 915685, 'sale continue to': 732141, 'continue to shift': 201257, 'to shift from': 914413, 'shift from nice': 758296, 'from nice to': 336583, 'nice to have': 562488, 'to have product': 907292, 'have product to': 382063, 'product to must': 681755, 'to must have': 910364, 'must have product': 546705, 'have product many': 382062, 'product many dtc': 681397, 'many dtc unicorn': 514015, 'dtc unicorn are': 261404, 'unicorn are slated': 941727, 'are slated to': 90171, 'slated to struggle': 773695, 'k12': 470556, 'care center': 163882, 'center close': 169171, 'close in': 182669, 'pandemic advocate': 634800, 'processing worker': 680048, 'be eligible': 114659, 'same emergency': 733048, 'emergency child': 272627, 'care available': 163858, 'to front': 906269, 'line medical': 493258, 'worker education': 1006830, 'education k12': 268833, 'school and child': 741683, 'and child care': 59826, 'child care center': 176037, 'care center close': 163883, 'center close in': 169172, 'close in response': 182673, 'the pandemic advocate': 862895, 'pandemic advocate are': 634801, 'advocate are calling': 33824, 'are calling for': 85146, 'calling for grocery': 156553, 'store and food': 806244, 'and food processing': 63079, 'food processing worker': 315993, 'processing worker to': 680050, 'worker to be': 1007997, 'to be eligible': 901233, 'be eligible for': 114660, 'the same emergency': 866220, 'same emergency child': 733049, 'emergency child care': 272628, 'child care available': 176036, 'care available to': 163859, 'available to front': 104644, 'to front line': 906271, 'front line medical': 338590, 'line medical worker': 493260, 'medical worker education': 526501, 'worker education k12': 1006831, 'midtown': 530799, 'newyorklockdown': 561220, 'newyorktough': 561230, 'of midtown': 586490, 'midtown cheering': 530800, 'cheering on': 175146, 'our every': 622934, 'day hero': 227756, 'hero health': 394005, 'delivery team': 234606, 'team grocery': 835650, 'clerk stock': 181771, 'stock room': 802797, 'room worker': 725994, 'you ny': 1020167, 'ny coronalockdown': 577845, 'coronalockdown newyorklockdown': 205039, 'newyorklockdown newyorktough': 561225, 'all of midtown': 43702, 'of midtown cheering': 586491, 'midtown cheering on': 530801, 'cheering on our': 175147, 'on our every': 602594, 'our every day': 622935, 'every day hero': 285818, 'day hero health': 227757, 'hero health care': 394006, 'worker delivery team': 1006748, 'delivery team grocery': 234608, 'team grocery store': 835651, 'store clerk stock': 807026, 'clerk stock room': 181773, 'stock room worker': 802799, 'room worker we': 725996, 'worker we love': 1008145, 'love you ny': 504887, 'you ny coronalockdown': 1020168, 'ny coronalockdown newyorklockdown': 577846, 'coronalockdown newyorklockdown newyorktough': 205040, 'employee need': 274049, 'be classified': 114092, 'classified emergency': 180350, 'store employee need': 807513, 'employee need to': 274051, 'to be classified': 901165, 'be classified emergency': 114094, 'classified emergency worker': 180352, 'emergency worker we': 273067, 'worker we are': 1008139, 'line and have': 492947, 'and have already': 64220, 'have already done': 379186, 'already done this': 47303, 'rang': 696672, 'well isn': 978331, 'isn that': 454697, 'just great': 468880, 'great dr': 362642, 'dr rang': 258081, 'rang me': 696677, 'me last': 523050, 'risk my': 723698, 'dad got': 224330, 'got letter': 358667, 'letter today': 487376, 'week so': 976887, 'so tried': 778570, 'online no': 608579, 'available so': 104593, 'so look': 777592, 'like ll': 490658, 'well isn that': 978332, 'isn that just': 454700, 'that just great': 844790, 'just great dr': 468881, 'great dr rang': 362643, 'dr rang me': 258082, 'rang me last': 696678, 'me last week': 523051, 'week and said': 975933, 'and said to': 70780, 'said to stay': 731521, 'to stay in': 915294, 'stay in high': 797046, 'in high risk': 423687, 'high risk my': 395363, 'risk my dad': 723699, 'my dad got': 547891, 'dad got letter': 224331, 'got letter today': 358670, 'letter today to': 487378, 'today to stay': 920369, 'stay in for': 797045, 'in for 12': 423006, '12 week so': 2989, 'week so tried': 976894, 'so tried to': 778571, 'tried to shop': 931850, 'to shop online': 914480, 'shop online no': 760578, 'online no slot': 608583, 'slot available so': 774139, 'available so look': 104594, 'so look like': 777594, 'look like ll': 502491, 'like ll have': 490660, 'll have to': 496834, 'go shopping after': 354103, 'shopping after all': 761905, 'career': 164330, 'all joke': 43289, 'aside there': 95440, 'job career': 465726, 'career that': 164361, 'essential from': 281069, 'from healthcare': 335749, 'healthcare professional': 387225, 'professional to': 682512, 'worker show': 1007779, 'show kindness': 767025, 'kindness we': 475231, 'all literally': 43394, 'literally dealing': 494976, 'and all joke': 57870, 'all joke aside': 43290, 'joke aside there': 467059, 'aside there are': 95441, 'lot of job': 504216, 'of job career': 585530, 'job career that': 465727, 'career that are': 164362, 'that are essential': 842744, 'are essential from': 86248, 'essential from healthcare': 281071, 'from healthcare professional': 335751, 'healthcare professional to': 387243, 'professional to grocery': 682513, 'store worker show': 811583, 'worker show kindness': 1007780, 'show kindness we': 767026, 'kindness we are': 475232, 'are all literally': 84323, 'all literally dealing': 43395, 'literally dealing with': 494977, '19 in real': 7777, 'in real time': 427295, 'meditate': 526945, 'tuesdaytreat': 935234, '2020 ha': 14351, 'been on': 121593, 'on roll': 603217, 'roll this': 725546, 'but through': 147572, 'through it': 894534, 'all we': 45400, 'must keep': 546743, 'the faith': 854856, 'faith meditate': 296524, 'meditate pray': 526948, 'pray and': 668986, 'that god': 844028, 'god is': 354745, 'stayhome cake': 797961, 'cake dessert': 155227, 'dessert tuesdaytreat': 238950, 'tuesdaytreat sweet': 935235, 'sweet tissue': 830258, '2020 ha been': 14352, 'ha been on': 369859, 'been on roll': 121597, 'on roll this': 603219, 'roll this year': 725547, 'this year but': 891563, 'year but through': 1014450, 'but through it': 147574, 'through it all': 894535, 'it all we': 456384, 'all we must': 45409, 'we must keep': 972424, 'must keep the': 546746, 'keep the faith': 472043, 'the faith meditate': 854857, 'faith meditate pray': 296525, 'meditate pray and': 526949, 'pray and know': 668987, 'and know that': 65893, 'know that god': 476764, 'that god is': 844029, 'god is in': 354746, 'is in control': 448759, 'in control toiletpaper': 421766, 'control toiletpaper stayhome': 202200, 'toiletpaper stayhome cake': 922523, 'stayhome cake dessert': 797962, 'cake dessert tuesdaytreat': 155228, 'dessert tuesdaytreat sweet': 238951, 'tuesdaytreat sweet tissue': 935236, 'curse': 221749, 'multinational': 545708, 'whooping': 990592, 'india at': 434317, 'moment hope': 535958, 'you stop': 1021434, 'to curse': 903829, 'curse these': 221756, 'these multinational': 880325, 'multinational company': 545709, 'company by': 190508, 'by claiming': 152126, 'claiming that': 179908, 'that ur': 847196, 'ur is': 948021, 'by whooping': 154748, 'whooping 15': 990593, '15 by': 3676, 'is doing for': 447274, 'doing for india': 252413, 'for india at': 322538, 'india at this': 434319, 'at this moment': 101243, 'this moment hope': 888873, 'moment hope that': 535959, 'hope that you': 403664, 'that you stop': 847746, 'you stop to': 1021441, 'stop to curse': 805215, 'to curse these': 903830, 'curse these multinational': 221757, 'these multinational company': 880326, 'multinational company by': 545710, 'company by claiming': 190509, 'by claiming that': 152127, 'claiming that ur': 179912, 'that ur is': 847199, 'ur is only': 948022, 'is only one': 450544, 'only one who': 610891, 'one who care': 607439, 'care for india': 163948, 'for india price': 322541, 'india price slashed': 434573, 'slashed by whooping': 773619, 'by whooping 15': 154749, 'whooping 15 by': 990594, 'mylan': 550742, 'nv': 577788, 'didn they': 241230, 'they handed': 882277, 'handed him': 376066, 'him huge': 396631, 'though mylan': 892864, 'mylan nv': 550752, 'nv ha': 577791, 'started producing': 794815, 'producing the': 680808, 'drug again': 260860, 'again the': 37206, 'the indian': 858118, 'indian export': 434828, 'export ban': 292611, 'ban will': 109292, 'likely lead': 492045, 'to spike': 915007, 'drug thanks': 261106, 'president constant': 670790, 'constant promotion': 195625, 'promotion of': 683870, 'for treatment': 327338, 'no they didn': 565707, 'they didn they': 881935, 'didn they handed': 241232, 'they handed him': 882278, 'handed him huge': 376067, 'him huge profit': 396632, 'huge profit and': 410148, 'profit and even': 682653, 'even though mylan': 284711, 'though mylan nv': 892865, 'mylan nv ha': 550753, 'nv ha started': 577792, 'ha started producing': 372047, 'started producing the': 794817, 'producing the drug': 680809, 'the drug again': 853726, 'drug again the': 260861, 'again the indian': 37210, 'the indian export': 858122, 'indian export ban': 434829, 'export ban will': 292613, 'ban will likely': 109294, 'will likely lead': 994005, 'likely lead to': 492046, 'lead to spike': 483389, 'to spike in': 915009, 'spike in price': 789308, 'in price for': 426964, 'for the drug': 326397, 'the drug thanks': 853739, 'drug thanks to': 261107, 'to the president': 916976, 'the president constant': 864258, 'president constant promotion': 670791, 'constant promotion of': 195626, 'promotion of using': 683874, 'of using it': 592722, 'using it for': 950529, 'it for treatment': 458105, 'ijustwanttogobacktomynormallife': 416013, 'legit just': 486031, 'just thought': 470058, 'thought cannot': 892994, 'do laundry': 249556, 'laundry in': 482113, 'same day': 733020, 'day way': 228668, 'much activity': 544694, 'activity going': 30429, 'on god': 601123, 'god miss': 354772, 'miss having': 534145, 'having life': 384138, '19 ijustwanttogobacktomynormallife': 7671, 'ijustwanttogobacktomynormallife sundaythoughts': 416014, 'legit just thought': 486032, 'just thought cannot': 470060, 'thought cannot go': 892995, 'store and do': 806229, 'and do laundry': 61554, 'do laundry in': 249558, 'laundry in the': 482114, 'in the same': 429524, 'the same day': 866215, 'same day way': 733038, 'day way too': 228669, 'too much activity': 924911, 'much activity going': 544695, 'activity going on': 30430, 'going on god': 355318, 'on god miss': 601125, 'god miss having': 354773, 'miss having life': 534146, 'having life 19': 384139, 'life 19 ijustwanttogobacktomynormallife': 488435, '19 ijustwanttogobacktomynormallife sundaythoughts': 7672, 'saudiaramco': 737370, 'comfortable': 187864, 'aramco': 83990, 'geopolitics': 345981, 'oilandgas': 597535, 'subsea': 815919, 'alxcltd': 49818, 'saudiaramco is': 737376, 'very comfortable': 955060, 'comfortable with': 187878, 'with 30': 996996, '30 oil': 17154, 'oil energy': 596766, 'energy aramco': 276394, 'aramco saudi': 83999, 'saudi oilprice': 737284, 'oilprice crudeoil': 597608, 'crudeoil politics': 219647, 'politics geopolitics': 663784, 'geopolitics corona': 345982, 'corona chinavirus': 203855, 'chinavirus health': 177160, 'health oil': 386709, 'oil gas': 596823, 'gas oilandgas': 343911, 'oilandgas subsea': 597557, 'subsea commodity': 815920, 'commodity economics': 189169, 'economics market': 267466, 'market trading': 517254, 'trading alxcltd': 928831, 'saudiaramco is very': 737377, 'is very comfortable': 453669, 'very comfortable with': 955062, 'comfortable with 30': 187879, 'with 30 oil': 997000, '30 oil energy': 17155, 'oil energy aramco': 596767, 'energy aramco saudi': 276395, 'aramco saudi oilprice': 84000, 'saudi oilprice crudeoil': 737285, 'oilprice crudeoil politics': 597609, 'crudeoil politics geopolitics': 219648, 'politics geopolitics corona': 663785, 'geopolitics corona chinavirus': 345983, 'corona chinavirus health': 203856, 'chinavirus health oil': 177161, 'health oil gas': 386710, 'oil gas oilandgas': 596827, 'gas oilandgas subsea': 343912, 'oilandgas subsea commodity': 597558, 'subsea commodity economics': 815921, 'commodity economics market': 189170, 'economics market trading': 267467, 'market trading alxcltd': 517255, 'journalism': 467405, 'neither': 557312, 'brighton': 139815, 'more non': 539850, 'non news': 566440, 'poor journalism': 664206, 'journalism from': 467408, 'the there': 869426, 'are queue': 89384, 'the few': 855114, 'few queuing': 304029, 'queuing in': 694215, 'one are': 605940, 'not spaced': 571662, 'spaced out': 787214, 'out neither': 626619, 'neither is': 557329, 'the guideline': 856927, 'guideline three': 368479, 'three metre': 893982, 'metre it': 529856, 'it two': 461891, 'two socialdistancing': 937229, 'socialdistancing brighton': 780256, 'more non news': 539851, 'non news and': 566441, 'news and poor': 560234, 'and poor journalism': 69190, 'poor journalism from': 664207, 'journalism from the': 467409, 'from the there': 337899, 'the there are': 869427, 'there are queue': 878152, 'are queue at': 89385, 'queue at every': 693887, 'at every supermarket': 98572, 'every supermarket and': 286239, 'supermarket and food': 818984, 'and food store': 63095, 'food store the': 316862, 'store the few': 810597, 'the few queuing': 855121, 'few queuing in': 304030, 'queuing in this': 694220, 'in this one': 429986, 'this one are': 889229, 'one are not': 605944, 'are not spaced': 88469, 'not spaced out': 571663, 'spaced out neither': 787215, 'out neither is': 626620, 'neither is the': 557330, 'is the guideline': 452816, 'the guideline three': 856933, 'guideline three metre': 368480, 'three metre it': 893983, 'metre it two': 529857, 'it two socialdistancing': 461894, 'two socialdistancing brighton': 937230, 'lighten': 489632, 'happy saturday': 377670, 'saturday everyone': 737019, 'we lighten': 972190, 'lighten the': 489633, 'the mood': 860861, 'mood with': 538295, 'awesome meme': 106184, 'meme everyone': 528314, 'making thanks': 511401, 'idea let': 413112, 'see who': 746065, 'who get': 988768, 'more creative': 538919, 'creative and': 216122, 'happy saturday everyone': 377671, 'saturday everyone we': 737020, 'everyone we thought': 287567, 'thought we lighten': 893300, 'we lighten the': 972191, 'lighten the mood': 489634, 'the mood with': 860866, 'mood with this': 538296, 'with this awesome': 1001678, 'this awesome meme': 886469, 'awesome meme everyone': 106185, 'meme everyone is': 528315, 'everyone is making': 287088, 'is making thanks': 449556, 'making thanks to': 511402, 'thanks to for': 842225, 'to for the': 906158, 'for the idea': 326488, 'the idea let': 857825, 'idea let see': 413116, 'let see who': 487039, 'see who get': 746067, 'who get more': 988774, 'get more creative': 347581, 'more creative and': 538920, 'creative and go': 216123, 'and go toiletpaper': 63787, 'steve': 799944, 'hendrickson': 391765, 'naturalgas': 552890, 'natgas': 552079, 'steve hendrickson': 799945, 'hendrickson discus': 391766, 'discus why': 244952, 'for natural': 323779, 'be showing': 117167, 'showing sign': 767499, 'of improvement': 585014, 'improvement naturalgas': 419581, 'naturalgas natgas': 552893, 'natgas upstream': 552082, 'upstream oilandgas': 947885, 'steve hendrickson discus': 799946, 'hendrickson discus why': 391767, 'discus why the': 244953, 'why the outlook': 991425, 'outlook for natural': 629154, 'for natural gas': 323780, 'could be showing': 208922, 'be showing sign': 117169, 'showing sign of': 767500, 'sign of improvement': 769163, 'of improvement naturalgas': 585015, 'improvement naturalgas natgas': 419582, 'naturalgas natgas upstream': 552894, 'natgas upstream oilandgas': 552083, 'dementia': 236626, 'basic to': 112089, 'feed my': 302337, 'family making': 298007, 'making do': 511026, 'what little': 981825, 'little food': 495346, 'get but': 346723, 'but worst': 147940, 'all cannot': 42299, 'cannot visit': 162208, 'visit my': 959302, 'my elderly': 548069, 'elderly mother': 270758, 'mother because': 543064, 'cancer and': 161242, 'and dementia': 61188, 'dementia and': 236627, 'and doesn': 61592, 'have much': 381528, 'much time': 545384, 'time left': 897123, 'left be': 485411, 'have stop': 382778, 'buy stophoarding': 149241, 'cannot find the': 161849, 'find the basic': 307282, 'the basic to': 849320, 'basic to feed': 112090, 'to feed my': 905728, 'feed my family': 302339, 'my family making': 548212, 'family making do': 298008, 'making do with': 511028, 'do with what': 250577, 'with what little': 1002071, 'what little food': 981826, 'little food can': 495348, 'can get but': 158409, 'get but worst': 346726, 'but worst of': 147941, 'worst of all': 1011228, 'of all cannot': 579928, 'all cannot visit': 42300, 'cannot visit my': 162209, 'visit my elderly': 959303, 'my elderly mother': 548072, 'elderly mother because': 270759, 'mother because she': 543065, 'because she ha': 119546, 'she ha cancer': 756070, 'ha cancer and': 370054, 'cancer and dementia': 161243, 'and dementia and': 61189, 'dementia and doesn': 236629, 'and doesn have': 61595, 'doesn have much': 251824, 'have much time': 381533, 'much time left': 545385, 'time left be': 897124, 'left be grateful': 485412, 'be grateful for': 115083, 'grateful for what': 362278, 'for what you': 327810, 'what you have': 982678, 'you have stop': 1019120, 'have stop the': 382781, 'the panic buy': 863189, 'panic buy stophoarding': 637531, 'respected': 715098, 'login': 500683, 'essenti': 280737, 'respected sir': 715108, 'sir have': 771577, 'have suggestion': 382847, 'can develop': 158057, 'develop app': 239629, 'which every': 985850, 'every small': 286203, 'to login': 909413, 'login to': 500688, 'sell their': 748899, 'good online': 357512, 'and normal': 67693, 'normal consumer': 567117, 'consumer like': 198043, 'me can': 522560, 'order essenti': 618193, 'respected sir have': 715114, 'sir have suggestion': 771579, 'have suggestion for': 382849, 'suggestion for you': 817641, 'you to fight': 1021775, 'you can develop': 1017656, 'can develop app': 158058, 'develop app in': 239630, 'app in which': 81725, 'in which every': 430860, 'which every small': 985851, 'every small retailer': 286204, 'small retailer have': 775097, 'retailer have to': 719188, 'have to login': 383243, 'to login to': 909414, 'login to sell': 500689, 'to sell their': 914179, 'sell their good': 748900, 'their good online': 873421, 'good online and': 357514, 'online and normal': 607826, 'and normal consumer': 67694, 'normal consumer like': 567119, 'consumer like me': 198044, 'like me can': 490739, 'me can order': 522563, 'can order essenti': 159169, 'pas but': 643088, 'but pls': 146811, 'pls do': 661125, 'best by': 127615, 'there maintain': 878739, 'maintain your': 509075, 'distance wash': 246881, 'sanitizer pls': 735557, 'pls is': 661145, 'not thing': 572071, 'to joke': 908688, 'joke with': 467168, 'with pls': 1000237, 'shall pas but': 754543, 'pas but pls': 643090, 'but pls do': 146812, 'pls do your': 661128, 'do your best': 250700, 'your best by': 1022946, 'best by staying': 127617, 'by staying at': 154110, 'at home if': 99011, 'home if there': 401399, 'if there no': 415072, 'need for you': 554879, 'be out there': 116292, 'out there and': 627467, 'there and if': 878003, 'if you really': 415503, 'out there maintain': 627498, 'there maintain your': 878740, 'maintain your distance': 509076, 'your distance wash': 1023539, 'distance wash your': 246882, 'hand sanitizer pls': 375537, 'sanitizer pls is': 735558, 'pls is not': 661146, 'is not thing': 450206, 'not thing to': 572072, 'thing to joke': 884893, 'to joke with': 908689, 'joke with pls': 467169, 'cagnaccio': 155183, 'rubbish': 726982, 'cagnaccio we': 155184, 'been bonkers': 120750, 'bonkers for': 134326, 'several year': 753972, 'year all': 1014375, 'this rubbish': 889928, 'rubbish about': 726983, 'about leaving': 25632, 'the eu': 854552, 'eu and': 283196, 'll thrive': 497069, 'thrive because': 894204, 'uk is': 938479, 'such strong': 816775, 'strong nation': 814073, 'nation then': 552333, 'then covid': 877098, '19 come': 5887, 'come along': 187201, 'along and': 46977, 'people start': 649535, 'start stockpiling': 794522, 'stockpiling fighting': 803955, 'over pasta': 630484, 'pasta in': 643739, 'cagnaccio we ve': 155185, 've been bonkers': 952867, 'been bonkers for': 120751, 'bonkers for several': 134327, 'for several year': 325520, 'several year all': 753974, 'year all this': 1014376, 'all this rubbish': 45130, 'this rubbish about': 889929, 'rubbish about leaving': 726984, 'about leaving the': 25633, 'leaving the eu': 485148, 'the eu and': 854553, 'eu and how': 283198, 'how we ll': 409181, 'we ll thrive': 972284, 'll thrive because': 497070, 'thrive because the': 894205, 'because the uk': 119655, 'the uk is': 870239, 'uk is such': 938487, 'is such strong': 452428, 'such strong nation': 816776, 'strong nation then': 814074, 'nation then covid': 552334, 'then covid 19': 877099, 'covid 19 come': 212827, '19 come along': 5888, 'come along and': 187202, 'along and people': 46978, 'and people start': 68879, 'people start stockpiling': 649538, 'start stockpiling fighting': 794523, 'stockpiling fighting over': 803956, 'fighting over pasta': 305109, 'over pasta in': 630485, 'pasta in the': 643742, 'surestwaytolegalresearch': 827973, 'supremecourt': 827438, 'scconline': 741239, '19 centre': 5739, 'centre had': 169500, 'had submitted': 373574, 'submitted before': 815815, 'the court': 852214, 'court that': 212011, 'panic wa': 638754, 'wa created': 961893, 'created by': 215788, 'by some': 154072, 'some fake': 782808, 'news that': 560857, 'the lock': 859585, 'down would': 257511, 'would last': 1011979, 'month surestwaytolegalresearch': 538025, 'surestwaytolegalresearch supremecourt': 827974, 'supremecourt scconline': 827439, 'covid 19 centre': 212776, '19 centre had': 5740, 'centre had submitted': 169501, 'had submitted before': 373575, 'submitted before the': 815816, 'before the court': 123150, 'the court that': 852217, 'court that panic': 212012, 'that panic wa': 845645, 'panic wa created': 638756, 'wa created by': 961894, 'created by some': 215794, 'by some fake': 154074, 'some fake news': 782809, 'fake news that': 296677, 'news that the': 560861, 'that the lock': 846762, 'the lock down': 859586, 'lock down would': 499064, 'down would last': 257513, 'would last for': 1011980, 'last for more': 480230, 'than three month': 841328, 'three month surestwaytolegalresearch': 894001, 'month surestwaytolegalresearch supremecourt': 538026, 'surestwaytolegalresearch supremecourt scconline': 827975, 'facing short': 295591, 'term financial': 838143, 'financial issue': 306478, 'issue because': 455688, 'of contact': 581799, 'contact your': 200305, 'example some': 288968, 'some bank': 782378, 'bank might': 110007, 'waive certain': 964501, 'certain fee': 170006, 'fee or': 302210, 'or delay': 614921, 'delay payment': 232737, 'payment learn': 645665, 'you re facing': 1020618, 're facing short': 698661, 'facing short term': 295592, 'short term financial': 764736, 'term financial issue': 838144, 'financial issue because': 306479, 'issue because of': 455689, 'because of contact': 119322, 'of contact your': 581804, 'contact your bank': 200307, 'your bank to': 1022907, 'bank to see': 110262, 'what they can': 982394, 'they can do': 881625, 'can do for': 158103, 'do for you': 249319, 'for you for': 328056, 'you for example': 1018635, 'for example some': 321288, 'example some bank': 288969, 'some bank might': 782380, 'bank might be': 110008, 'might be open': 530922, 'be open to': 116255, 'open to waive': 612605, 'to waive certain': 918281, 'waive certain fee': 964502, 'certain fee or': 170007, 'fee or delay': 302212, 'or delay payment': 614922, 'delay payment learn': 232738, 'payment learn more': 645666, 'world innovation': 1009674, 'post world innovation': 666417, 'jane': 464496, 'southworth': 786931, 'diverisfiedindustrials': 248516, 'biocide': 131189, 'of environmental': 583137, 'environmental and': 279183, 'and chemical': 59808, 'chemical regulation': 175381, 'regulation jane': 708075, 'jane southworth': 464503, 'southworth provides': 786932, 'provides regulatory': 686888, 'regulatory guidance': 708173, 'for chemical': 320041, 'chemical company': 175342, 'company manufacturing': 190878, 'manufacturing hand': 513595, 'during diverisfiedindustrials': 262604, 'diverisfiedindustrials chemical': 248517, 'chemical handsanitizer': 175352, 'handsanitizer reach': 376624, 'reach biocide': 699902, 'biocide manufacturing': 131190, 'head of environmental': 385769, 'of environmental and': 583138, 'environmental and chemical': 279184, 'and chemical regulation': 59809, 'chemical regulation jane': 175382, 'regulation jane southworth': 708076, 'jane southworth provides': 464504, 'southworth provides regulatory': 786933, 'provides regulatory guidance': 686889, 'regulatory guidance for': 708175, 'guidance for chemical': 368226, 'for chemical company': 320042, 'chemical company manufacturing': 175344, 'company manufacturing hand': 190879, 'manufacturing hand sanitizer': 513596, 'sanitizer during diverisfiedindustrials': 734799, 'during diverisfiedindustrials chemical': 262605, 'diverisfiedindustrials chemical handsanitizer': 248518, 'chemical handsanitizer reach': 175353, 'handsanitizer reach biocide': 376625, 'reach biocide manufacturing': 699903, 'can honestly': 158691, 'honestly say': 403130, 'that humanity': 844400, 'humanity will': 410779, 'same again': 732952, 'again we': 37259, 'finally reached': 306074, 'reached the': 700058, 'no return': 565356, 'return selfish': 719894, 'ha destroyed': 370363, 'destroyed all': 239042, 'all faith': 42747, 'faith in': 296514, 'society panic': 781284, 'panic stockpiling': 638632, 'after working in': 36583, 'working in my': 1008722, 'grocery store can': 365265, 'store can honestly': 806855, 'can honestly say': 158692, 'honestly say that': 403131, 'say that humanity': 739236, 'that humanity will': 844401, 'humanity will never': 410780, 'never be the': 557884, 'the same again': 866193, 'same again we': 732957, 'again we have': 37261, 'we have finally': 971816, 'have finally reached': 380629, 'finally reached the': 306075, 'reached the point': 700060, 'point of no': 662561, 'of no return': 587047, 'no return selfish': 565359, 'return selfish panic': 719895, 'selfish panic buying': 748189, 'buying ha destroyed': 150433, 'ha destroyed all': 370364, 'destroyed all faith': 239043, 'all faith in': 42748, 'faith in our': 296519, 'in our society': 426338, 'our society panic': 624828, 'society panic stockpiling': 781285, 'while quarantined': 987190, 'quarantined will': 692889, 'will send': 994808, 'send help': 749869, 'shopping while quarantined': 764397, 'while quarantined will': 987193, 'quarantined will send': 692890, 'will send help': 994810, 'lapping': 479536, 'lapping please': 479537, 'please everybody': 659967, 'everybody wash': 286498, 'hand at': 374804, 'sec or': 743630, 'or get': 615425, 'get med': 347550, 'lapping please everybody': 479538, 'please everybody wash': 659968, 'everybody wash your': 286499, 'your hand at': 1024166, 'hand at least': 374806, 'least 20 sec': 484343, '20 sec or': 13318, 'sec or more': 743631, 'or more and': 616165, 'more and stay': 538620, 'store or get': 809335, 'or get med': 615431, 'divided': 248593, 'deployed': 237457, 'believe it': 126298, 'plenty for': 660921, 'everyone but': 286745, 'it divided': 457597, 'divided equally': 248596, 'equally the': 279639, 'army should': 93036, 'be deployed': 114413, 'deployed at': 237458, 'limit place': 492453, 'place on': 657614, 'on purchasing': 603016, 'purchasing certain': 689848, 'item the': 463706, 'be involved': 115545, 'in delivering': 422088, 'delivering food': 233491, 'are self': 89928, 'believe it true': 126304, 'true that there': 933186, 'is plenty for': 450904, 'plenty for everyone': 660923, 'for everyone but': 321201, 'everyone but only': 286749, 'but only if': 146689, 'only if it': 610620, 'if it divided': 414296, 'it divided equally': 457598, 'divided equally the': 248597, 'equally the army': 279640, 'the army should': 848910, 'army should be': 93038, 'should be deployed': 765600, 'be deployed at': 114414, 'deployed at every': 237459, 'supermarket and limit': 819011, 'and limit place': 66175, 'limit place on': 492454, 'place on purchasing': 657619, 'on purchasing certain': 603018, 'purchasing certain item': 689849, 'certain item the': 170041, 'item the army': 463707, 'army should also': 93037, 'should also be': 765499, 'also be involved': 47923, 'be involved in': 115546, 'involved in delivering': 444349, 'in delivering food': 422089, 'delivering food to': 233496, 'food to those': 317301, 'who are self': 988212, 'are self isolating': 89929, 'ftse': 339483, 'ursday': 948482, 'demic': 236643, 'london finance': 501062, 'finance report': 306263, 'report surging': 712288, 'surging oil': 828438, 'price lifted': 675039, 'lifted uk': 489496, 'uk commodity': 938251, 'commodity heavy': 189186, 'heavy ftse': 388639, 'ftse 100': 339484, '100 on': 2000, 'on th': 603921, 'th ursday': 840059, 'ursday although': 948483, 'mood wa': 538293, 'wa fragile': 962167, 'fragile the': 330906, 'country saw': 211029, 'saw record': 738225, 'record surge': 705066, 'in death': 422043, 'death from': 230046, 'the pan': 862878, 'pan demic': 634662, 'demic that': 236644, 'that threatens': 847025, 'london finance report': 501063, 'finance report surging': 306264, 'report surging oil': 712289, 'surging oil price': 828439, 'oil price lifted': 597180, 'price lifted uk': 675040, 'lifted uk commodity': 489497, 'uk commodity heavy': 938252, 'commodity heavy ftse': 189187, 'heavy ftse 100': 388640, 'ftse 100 on': 339486, '100 on th': 2003, 'on th ursday': 603923, 'th ursday although': 840060, 'ursday although the': 948484, 'although the mood': 49362, 'the mood wa': 860865, 'mood wa fragile': 538294, 'wa fragile the': 962169, 'fragile the country': 330907, 'the country saw': 852148, 'country saw record': 211030, 'saw record surge': 738227, 'record surge in': 705067, 'surge in death': 828186, 'in death from': 422045, 'death from the': 230051, 'from the pan': 337823, 'the pan demic': 862880, 'pan demic that': 634663, 'demic that threatens': 236645, 'pedro': 646231, 'perez': 651262, 'listen to': 494727, 'latest installment': 481409, 'installment of': 440055, 'the prepare': 864235, 'to care': 902456, 'care podcast': 164148, 'we talk': 973491, 'to pedro': 911596, 'pedro perez': 646234, 'perez the': 651267, 'the deputy': 853169, 'deputy chief': 237783, 'chief for': 175931, 'division for': 248671, 'the tx': 870161, 'tx attorney': 937438, 'general about': 345272, 'listen to the': 494753, 'to the latest': 916836, 'the latest installment': 859121, 'latest installment of': 481410, 'installment of the': 440057, 'of the prepare': 591358, 'the prepare to': 864236, 'prepare to care': 670137, 'to care podcast': 902461, 'care podcast where': 164149, 'podcast where we': 662329, 'where we talk': 985351, 'we talk to': 973497, 'talk to pedro': 833885, 'to pedro perez': 911597, 'pedro perez the': 646236, 'perez the deputy': 651268, 'the deputy chief': 853170, 'deputy chief for': 237784, 'chief for the': 175932, 'protection division for': 685397, 'division for the': 248672, 'for the tx': 326746, 'the tx attorney': 870162, 'tx attorney general': 937439, 'attorney general about': 102622, 'general about how': 345273, 'how to look': 409040, 'out for and': 626097, 'for and report': 319339, 'and report price': 70266, 'report price gouging': 712192, 'woollies': 1004395, 'firing': 308283, 'copping': 203449, 'of woollies': 593232, 'woollies employee': 1004396, 'tear capture': 835938, 'capture the': 162947, 'the firing': 855266, 'firing line': 308292, 'of panicbuyers': 587739, 'panicbuyers please': 638871, 'all staff': 44412, 'staff they': 792962, 'they really': 883159, 'really are': 701985, 'are copping': 85570, 'copping the': 203452, 'the brunt': 850059, 'brunt let': 141359, 'let show': 487048, 'show each': 766925, 'other little': 620478, 'little kindness': 495427, 'photo of woollies': 655221, 'of woollies employee': 593233, 'woollies employee in': 1004397, 'employee in tear': 273972, 'in tear capture': 428838, 'tear capture the': 835939, 'capture the reality': 162948, 'the reality for': 865258, 'reality for supermarket': 701735, 'supermarket worker in': 824038, 'worker in the': 1007205, 'in the firing': 429203, 'the firing line': 855267, 'firing line of': 308293, 'line of panicbuyers': 493310, 'of panicbuyers please': 587740, 'panicbuyers please be': 638872, 'please be nice': 659708, 'nice to all': 562484, 'to all staff': 900284, 'all staff they': 44416, 'staff they really': 792967, 'they really are': 883160, 'really are copping': 701986, 'are copping the': 85571, 'copping the brunt': 203453, 'the brunt let': 850060, 'brunt let show': 141360, 'let show each': 487049, 'show each other': 766926, 'each other little': 264192, 'other little kindness': 620481, 'keyworker': 473574, 'unpaid': 943022, 'cheer ll': 175114, 'work tomorrow': 1005926, 'tomorrow again': 924011, 'again ll': 37056, 'still stand': 801223, 'at stupid': 100669, 'stupid clock': 815368, 'clock with': 182426, 'family keyworker': 297977, 'keyworker but': 473575, 'no nh': 564870, 'nh badge': 561897, 'badge ll': 108124, 'll drop': 496723, 'drop my': 260308, 'my hour': 548716, 'hour unpaid': 406053, 'unpaid but': 943023, 'get top': 348521, 'up thankyou': 946143, 'thankyou 19': 842318, 'cheer ll go': 175115, 'll go to': 496813, 'to work tomorrow': 918799, 'work tomorrow again': 1005927, 'tomorrow again ll': 924012, 'again ll still': 37057, 'll still stand': 497039, 'still stand in': 801224, 'stand in supermarket': 793534, 'in supermarket at': 428561, 'supermarket at stupid': 819251, 'at stupid clock': 100670, 'stupid clock with': 815369, 'clock with no': 182427, 'with no food': 999753, 'no food left': 564261, 'food left for': 315291, 'left for my': 485466, 'my family keyworker': 548211, 'family keyworker but': 297978, 'keyworker but with': 473576, 'but with no': 147897, 'with no nh': 999769, 'no nh badge': 564871, 'nh badge ll': 561898, 'badge ll drop': 108125, 'll drop my': 496724, 'drop my hour': 260309, 'my hour unpaid': 548718, 'hour unpaid but': 406054, 'unpaid but will': 943024, 'but will not': 147884, 'not get top': 569616, 'get top up': 348522, 'top up thankyou': 925752, 'up thankyou 19': 946144, 'settle': 753669, 'intelligent': 441018, 'since all': 770494, 'the greedy': 856762, 'greedy people': 363562, 'people took': 649987, 'took every': 925232, 'every pack': 286078, 'paper have': 640258, 'to settle': 914299, 'settle for': 753676, 'an intelligent': 56384, 'intelligent toilet': 441035, 'toilet coronapocalypse': 921142, 'coronapocalypse toiletpaper': 205200, 'toiletpaperapocalypse toilet': 922924, 'toilet bidet': 921131, 'bidet toiletpapergate': 129583, 'toiletpapergate upgrade': 923172, 'since all the': 770496, 'all the greedy': 44770, 'the greedy people': 856769, 'greedy people took': 363570, 'people took every': 649988, 'took every pack': 925233, 'every pack of': 286079, 'toilet paper have': 921302, 'paper have to': 640262, 'have to settle': 383297, 'to settle for': 914301, 'settle for an': 753677, 'for an intelligent': 319302, 'an intelligent toilet': 56385, 'intelligent toilet coronapocalypse': 441036, 'toilet coronapocalypse toiletpaper': 921143, 'coronapocalypse toiletpaper toiletpaperpanic': 205203, 'toiletpaperpanic toiletpaperapocalypse toilet': 923274, 'toiletpaperapocalypse toilet bidet': 922925, 'toilet bidet toiletpapergate': 921132, 'bidet toiletpapergate upgrade': 129584, 'em': 272048, 'cnas': 184709, 're self': 699470, 'self quarantining': 747877, 'quarantining inside': 693083, 'home let': 401521, 'men and': 528452, 'line the': 493450, 'the leo': 859296, 'leo firefighter': 486386, 'firefighter em': 308211, 'em emt': 272059, 'emt doctor': 275337, 'nurse cnas': 577247, 'cnas grocery': 184710, 'countless others': 210386, 'others keep': 621504, 'your prayer': 1025370, 'while we re': 987553, 'we re self': 972959, 're self quarantining': 699473, 'self quarantining inside': 747878, 'quarantining inside our': 693084, 'inside our home': 439350, 'our home let': 623453, 'home let not': 401524, 'forget the men': 329303, 'the men and': 860472, 'men and woman': 528455, 'and woman who': 75813, 'woman who are': 1003672, 'front line the': 338612, 'line the leo': 493453, 'the leo firefighter': 859297, 'leo firefighter em': 486387, 'firefighter em emt': 308212, 'em emt doctor': 272060, 'emt doctor nurse': 275338, 'doctor nurse cnas': 251005, 'nurse cnas grocery': 577248, 'cnas grocery store': 184711, 'store worker truck': 811609, 'driver and countless': 259410, 'and countless others': 60641, 'countless others keep': 210388, 'others keep them': 621508, 'them in your': 875925, 'in your prayer': 431114, 'stockmarketcrash': 803686, 'closure rise': 184018, 'coronavirus stockmarket': 206828, 'stockmarket stockmarketcrash': 803675, 'store closure rise': 807106, 'closure rise due': 184019, 'the coronavirus stockmarket': 851919, 'coronavirus stockmarket stockmarketcrash': 206829, 'signofthetimes': 769662, 'brief': 139661, 'signofthetimes brief': 769663, 'brief thread': 139681, 'thread on': 893585, 'on early': 600458, 'early morning': 264649, 'morning grocery': 541272, 'shopping just': 763114, 'just outside': 469417, 'outside denver': 629401, 'denver amid': 237114, 'outbreak this': 628746, 'wa outside': 962885, 'outside my': 629489, 'store few': 807712, 'few minute': 303913, 'minute before': 533742, 'it opened': 460126, 'opened at': 612708, 'at wanted': 101488, 'run when': 727861, 'when knew': 983667, 'knew it': 476051, 'it wouldn': 462610, 'be crowded': 114301, 'crowded this': 219367, 'not normal': 570699, 'signofthetimes brief thread': 769664, 'brief thread on': 139682, 'thread on early': 893587, 'on early morning': 600459, 'early morning grocery': 264650, 'morning grocery shopping': 541273, 'grocery shopping just': 365045, 'shopping just outside': 763118, 'just outside denver': 469418, 'outside denver amid': 629402, 'denver amid outbreak': 237115, 'amid outbreak this': 52563, 'outbreak this wa': 628749, 'this wa outside': 891084, 'wa outside my': 962886, 'outside my local': 629492, 'grocery store few': 365394, 'store few minute': 807714, 'few minute before': 303915, 'minute before it': 533744, 'before it opened': 122892, 'it opened at': 460128, 'opened at wanted': 612710, 'at wanted to': 101489, 'wanted to make': 966261, 'quick run when': 694363, 'run when knew': 727862, 'when knew it': 983668, 'knew it wouldn': 476055, 'it wouldn be': 462611, 'wouldn be crowded': 1012440, 'be crowded this': 114302, 'crowded this is': 219368, 'is not normal': 450138, 'don mess': 253737, 'mess with': 529245, 'with russian': 1000536, 'russian cashier': 728617, 'don mess with': 253738, 'mess with russian': 529246, 'with russian cashier': 1000537, 'coincides': 185677, 'rainy': 695791, 'unavoidable': 939470, 'disrupt': 246364, 'foreseeable': 329057, 'acute': 31033, '19 coincides': 5869, 'coincides with': 185678, 'the rainy': 865122, 'rainy season': 695795, 'season march': 743411, 'march may': 515411, 'may the': 521564, 'the unavoidable': 870335, 'unavoidable lockdown': 939475, 'lockdown lock': 499601, 'lock ups': 499086, 'ups disrupt': 947738, 'disrupt the': 246376, 'of agricultural': 579838, 'agricultural activity': 38864, 'activity the': 30508, 'next foreseeable': 561372, 'foreseeable problem': 329072, 'problem is': 679565, 'is hunger': 448632, 'hunger the': 411196, 'food remains': 316163, 'remains demand': 709995, 'demand rise': 236154, 'rise the': 723016, 'the urgency': 870526, 'urgency to': 948306, 'treat farming': 930833, 'farming essential': 299617, 'essential becomes': 280825, 'becomes more': 120237, 'more acute': 538548, 'covid 19 coincides': 212820, '19 coincides with': 5870, 'coincides with the': 185679, 'with the rainy': 1001448, 'the rainy season': 865123, 'rainy season march': 695796, 'season march may': 743412, 'march may the': 515412, 'may the unavoidable': 521568, 'the unavoidable lockdown': 870336, 'unavoidable lockdown lock': 939476, 'lockdown lock ups': 499602, 'lock ups disrupt': 499087, 'ups disrupt the': 947739, 'disrupt the chain': 246377, 'the chain of': 850631, 'chain of agricultural': 170953, 'of agricultural activity': 579839, 'agricultural activity the': 38866, 'activity the next': 30509, 'the next foreseeable': 861666, 'next foreseeable problem': 561373, 'foreseeable problem is': 329073, 'problem is hunger': 679568, 'is hunger the': 448633, 'hunger the need': 411198, 'for food remains': 321623, 'food remains demand': 316164, 'remains demand rise': 709996, 'demand rise the': 236156, 'rise the urgency': 723018, 'the urgency to': 870527, 'urgency to treat': 948308, 'to treat farming': 917748, 'treat farming essential': 930834, 'farming essential becomes': 299618, 'essential becomes more': 280826, 'becomes more acute': 120238, 'shopify': 761156, 'slide': 773892, 'deck': 231129, 'the process': 864545, 'process of': 679930, 'of setting': 589539, 'setting up': 753652, 'up an': 944293, 'our webinar': 625322, 'webinar take': 975104, 'online shopify': 608994, 'shopify is': 761157, 'trial for': 931641, 'all new': 43621, 'new customer': 558575, 'customer webinar': 223049, 'webinar slide': 975099, 'slide deck': 773897, 'in the process': 429477, 'the process of': 864549, 'process of setting': 679935, 'of setting up': 589540, 'setting up an': 753653, 'up an online': 944297, 'an online store': 56637, 'online store check': 609445, 'out our webinar': 626998, 'our webinar take': 625325, 'webinar take the': 975105, 'take the time': 832682, 'the time you': 869635, 'time you need': 898409, 'store online shopify': 809229, 'online shopify is': 608995, 'shopify is offering': 761158, 'free trial for': 332276, 'trial for all': 931642, 'for all new': 319151, 'all new customer': 43622, 'new customer webinar': 558583, 'customer webinar slide': 223050, 'webinar slide deck': 975100, 'attend': 102296, 'consultancy': 195847, 'training': 929322, 'commerce mobile': 188590, 'mobile money': 534995, 'money wallet': 537145, 'wallet see': 965223, 'see surge': 745771, 'demand online': 235983, 'shopping increase': 763004, 'permanent eve': 652048, 'eve after': 283778, 'after pandemic': 36011, 'over attend': 630008, 'attend my': 102311, 'day consultancy': 227473, 'consultancy training': 195854, 'commerce mobile money': 188591, 'mobile money wallet': 534997, 'money wallet see': 537146, 'wallet see surge': 965224, 'see surge in': 745772, 'in demand online': 422145, 'demand online shopping': 235984, 'online shopping increase': 609154, 'shopping increase due': 763007, '19 the trend': 11258, 'the trend is': 869963, 'trend is going': 931380, 'to be permanent': 901439, 'be permanent eve': 116397, 'permanent eve after': 652049, 'eve after pandemic': 283779, 'after pandemic is': 36012, 'is over attend': 450687, 'over attend my': 630009, 'attend my day': 102312, 'my day consultancy': 547943, 'day consultancy training': 227474, 'shameless capitalism': 754722, 'capitalism sport': 162780, 'sport direct': 789915, 'direct hike': 243335, 'after store': 36251, 'closure amid': 183827, 'shameless capitalism sport': 754723, 'capitalism sport direct': 162781, 'sport direct hike': 789918, 'direct hike price': 243337, 'hike price after': 396251, 'price after store': 672236, 'after store closure': 36252, 'store closure amid': 807083, 'closure amid crisis': 183828, 'see so': 745703, 'aren even': 92399, 'even making': 284320, 'making an': 510953, 'others socialdistancing': 621649, 'still very': 801372, 'people we': 650151, 'pandemic yet': 637085, 'yet let': 1016132, 'be smart': 117230, 'smart louisiana': 775392, 'store and see': 806341, 'and see so': 71144, 'see so many': 745705, 'many people who': 514547, 'people who aren': 650264, 'who aren even': 988265, 'aren even making': 92402, 'even making an': 284321, 'making an attempt': 510954, 'attempt to stay': 102263, 'from others socialdistancing': 336749, 'others socialdistancing is': 621650, 'socialdistancing is still': 780475, 'is still very': 452326, 'still very important': 801373, 'very important people': 955250, 'important people we': 418920, 'people we re': 650157, 'not out of': 570863, 'out of this': 626855, 'of this pandemic': 592021, 'this pandemic yet': 889452, 'pandemic yet let': 637086, 'yet let be': 1016133, 'let be smart': 486621, 'be smart louisiana': 117235, 'maniac': 513154, 'the if': 857853, 'cheaper than': 174274, 'than me': 840875, 'me staying': 523545, 'like maniac': 490697, 'maniac im': 513157, 'im kidding': 416553, 'kidding btw': 474202, 'btw but': 141530, 'to go back': 906773, 'work and take': 1004812, 'and take the': 72980, 'take the if': 832656, 'the if get': 857854, 'if get covid': 414143, '19 it would': 8164, 'would be cheaper': 1011566, 'be cheaper than': 114075, 'cheaper than me': 174278, 'than me staying': 840877, 'me staying at': 523546, 'home and online': 400672, 'shopping like maniac': 763167, 'like maniac im': 490699, 'maniac im kidding': 513158, 'im kidding btw': 416554, 'kidding btw but': 474203, 'btw but not': 141531, 'but not really': 146557, 'smarting': 775483, 'ipa': 444523, 'pivot': 657072, 'skull': 773173, 'still smarting': 801203, 'smarting at': 775484, 'supermarket solution': 822769, 'solution ipa': 782050, 'ipa pivot': 444534, 'pivot on': 657090, 'are skull': 90154, 'skull snap': 773174, 'still smarting at': 801204, 'smarting at your': 775485, 'at your supermarket': 101695, 'your supermarket solution': 1026062, 'supermarket solution ipa': 822770, 'solution ipa pivot': 782051, 'ipa pivot on': 444535, 'pivot on covid': 657091, 'covid 19 are': 212647, '19 are skull': 5206, 'are skull snap': 90155, 'realitytv': 701825, 'realitytv this': 701828, 'we line': 972203, 'practice socialdistancing': 668655, 'realitytv this is': 701829, 'is how we': 448603, 'how we line': 409178, 'we line up': 972204, 'up at my': 944435, 'local supermarket to': 498601, 'supermarket to practice': 823397, 'to practice socialdistancing': 911964, 'dotheirpart': 255955, 'let list': 486874, 'list the': 494552, 'heard of': 388116, 'pharmacy business': 654260, 'are requiring': 89614, 'requiring their': 713532, 'continue working': 201293, 'pandemic answer': 634924, 'answer below': 78017, 'below let': 126686, 'make list': 510091, 'list so': 494535, 'bring it': 140010, 'public attention': 687883, 'attention dotheirpart': 102436, 'let list the': 486875, 'list the company': 494553, 'the company you': 851366, 'company you ve': 191366, 'you ve heard': 1022045, 've heard of': 953250, 'heard of that': 388127, 'of that are': 590710, 'that are not': 842786, 'are not in': 88396, 'not in the': 570109, 'the healthcare grocery': 857194, 'healthcare grocery or': 387128, 'grocery or pharmacy': 364806, 'or pharmacy business': 616571, 'pharmacy business and': 654261, 'business and are': 143286, 'and are requiring': 58353, 'are requiring their': 89615, 'requiring their worker': 713533, 'their worker to': 875221, 'worker to continue': 1008000, 'to continue working': 903412, 'continue working during': 201294, 'working during this': 1008605, 'this pandemic answer': 889368, 'pandemic answer below': 634925, 'answer below let': 78018, 'below let make': 126687, 'let make list': 486884, 'make list so': 510095, 'list so we': 494536, 'we can bring': 970916, 'can bring it': 157797, 'bring it to': 140014, 'the public attention': 864791, 'public attention dotheirpart': 687884, 'ironically': 444944, 'traveled': 930596, '80km': 22760, 'gasprices': 344280, 'roadtrip': 724562, 'so gas': 777152, 'about 80': 24747, '80 liter': 22597, 'liter haven': 494921, 'that low': 844961, 'low in': 505330, 'long time': 501762, 'time ironically': 897048, 'ironically we': 444949, 'haven traveled': 383915, 'traveled 80km': 930597, '80km in': 22761, 'half gasprices': 374177, 'gasprices roadtrip': 344303, 'so gas price': 777153, 'are at about': 84661, 'at about 80': 97834, 'about 80 liter': 24748, '80 liter haven': 22598, 'liter haven seen': 494922, 'haven seen them': 383891, 'seen them that': 747309, 'them that low': 876379, 'that low in': 844963, 'low in long': 505335, 'in long time': 424915, 'long time ironically': 501773, 'time ironically we': 897049, 'ironically we haven': 444950, 'we haven traveled': 971998, 'haven traveled 80km': 383916, 'traveled 80km in': 930598, '80km in the': 22762, 'past week and': 643640, 'week and half': 975914, 'and half gasprices': 64121, 'half gasprices roadtrip': 374178, 'wa going': 962218, 'be bad': 113790, 'bad but': 107794, 'not this': 572098, 'knew it wa': 476053, 'it wa going': 462119, 'wa going to': 962221, 'to be bad': 901123, 'be bad but': 113791, 'bad but not': 107799, 'but not this': 146574, 'not this bad': 572100, 'mandatory the': 513068, 'joke the': 467140, 'the marina': 860072, 'marina are': 515745, 'supermarket everyday': 820230, 'everyday in': 286577, 'florida come': 310911, 'come tragedy': 187634, 'tragedy drastic': 929169, 'drastic measure': 258407, 'mandatory the people': 513069, 'the people think': 863511, 'people think that': 649835, 'think that is': 885594, 'that is joke': 844612, 'is joke the': 449109, 'joke the marina': 467141, 'the marina are': 860073, 'marina are full': 515746, 'full the people': 340924, 'the people go': 863474, 'the supermarket everyday': 868580, 'supermarket everyday in': 820231, 'everyday in florida': 286579, 'in florida come': 422938, 'florida come tragedy': 310912, 'come tragedy drastic': 187635, 'tragedy drastic measure': 929170, 'pork': 664781, 'cordon': 203504, 'gruyere': 367528, 'sauce': 737133, 'healthy during': 387583, 'find chicken': 306845, 'chicken at': 175747, 'try this': 934590, 'this pork': 889664, 'pork cordon': 664788, 'cordon blue': 203505, 'blue with': 133486, 'with gruyere': 998704, 'gruyere cheese': 367529, 'cheese sauce': 175213, 'sauce and': 737134, 'herb butter': 392570, 'everyone is safe': 287106, 'is safe and': 451615, 'and healthy during': 64385, 'healthy during this': 387586, 'difficult time when': 242318, 'time when you': 898312, 'when you cannot': 984545, 'cannot find chicken': 161835, 'find chicken at': 306846, 'chicken at the': 175749, 'grocery store try': 365887, 'store try this': 810965, 'try this pork': 934594, 'this pork cordon': 889665, 'pork cordon blue': 664789, 'cordon blue with': 203506, 'blue with gruyere': 133487, 'with gruyere cheese': 998705, 'gruyere cheese sauce': 367530, 'cheese sauce and': 175214, 'sauce and herb': 737138, 'and herb butter': 64524, 'herb butter pasta': 392571, 'exit': 290361, 'unloading': 942810, 'the station': 867832, 'head out': 385802, 'and cover': 60657, 'cover news': 212264, 'news spotted': 560808, 'spotted line': 790201, 'line outside': 493345, 'the wine': 871601, 'wine store': 995905, 'got told': 358979, 'wait outside': 964172, 'outside for': 629428, 'to exit': 905426, 'exit the': 290376, 'store which': 811269, 'which just': 986086, 'to happened': 907168, 'be unloading': 117876, 'unloading fresh': 942811, 'fresh shipment': 333073, 'shipment of': 758763, 'paper socialdistancing': 640798, 'left the station': 485673, 'the station to': 867834, 'station to head': 796536, 'to head out': 907361, 'head out and': 385803, 'out and cover': 625655, 'and cover news': 60658, 'cover news spotted': 212265, 'news spotted line': 560809, 'spotted line outside': 790202, 'line outside the': 493351, 'outside the wine': 629606, 'the wine store': 871605, 'wine store and': 995906, 'and got told': 63866, 'got told to': 358982, 'told to wait': 923772, 'to wait outside': 918270, 'wait outside for': 964174, 'outside for customer': 629429, 'for customer to': 320514, 'customer to exit': 222962, 'to exit the': 905427, 'exit the grocery': 290377, 'grocery store which': 365948, 'store which just': 811273, 'which just to': 986088, 'just to happened': 470094, 'to happened to': 907169, 'happened to be': 377274, 'to be unloading': 901613, 'be unloading fresh': 117877, 'unloading fresh shipment': 942812, 'fresh shipment of': 333074, 'shipment of toilet': 758770, 'toilet paper socialdistancing': 921457, 'retailstrong please': 719554, 'retailstrong please join': 719555, 'please join by': 660131, 'retailer during the': 719126, 'the space': 867528, 'space of': 787145, 'from looking': 336274, 'to going': 906900, 'my shopping': 550052, 'not wanting': 572449, 'case catch': 165678, 'catch scary': 167022, 'scary time': 741203, 'in the space': 429556, 'the space of': 867530, 'space of week': 787148, 'week ve gone': 977161, 've gone from': 953157, 'gone from looking': 356285, 'from looking forward': 336275, 'forward to going': 330027, 'to going to': 906903, 'supermarket to get': 823374, 'get my shopping': 347639, 'my shopping to': 550062, 'shopping to not': 764183, 'to not wanting': 910717, 'not wanting to': 572450, 'wanting to go': 966304, 'go in case': 353703, 'in case catch': 421257, 'case catch scary': 165679, 'catch scary time': 167023, 'all normal': 43654, 'normal again': 567075, 'again church': 36945, 'church need': 178388, 'need easter': 554726, 'all spread': 44410, 'spread out': 790738, 'out remember': 627103, 'remember you': 710431, 'closer than': 183507, 'think to': 885713, 'to person': 911674, 'person at': 652322, 'out line': 626504, 'store america': 806160, 'is coming': 446649, 'to make it': 909685, 'make it all': 510018, 'it all normal': 456361, 'all normal again': 43655, 'normal again church': 567076, 'again church need': 36946, 'church need easter': 178389, 'need easter service': 554727, 'easter service we': 265489, 'service we can': 753052, 'can all spread': 157434, 'all spread out': 44411, 'spread out remember': 790739, 'out remember you': 627104, 'remember you are': 710432, 'you are closer': 1017089, 'are closer than': 85381, 'closer than you': 183511, 'than you think': 841499, 'you think to': 1021682, 'think to person': 885716, 'to person at': 911675, 'person at the': 652323, 'at the check': 100909, 'the check out': 850747, 'check out line': 174557, 'out line of': 626507, 'line of grocery': 493303, 'grocery store america': 365190, 'store america is': 806161, 'america is coming': 51572, 'is coming back': 446651, 'prioritise': 678385, 'different society': 242063, 'society prioritise': 781290, 'prioritise different': 678388, 'different thing': 242096, 'thing the': 884828, 'the tea': 869189, 'tea aisle': 835331, 'different society prioritise': 242064, 'society prioritise different': 781291, 'prioritise different thing': 678389, 'different thing the': 242099, 'thing the tea': 884837, 'the tea aisle': 869190, 'tea aisle in': 835332, 'aisle in london': 40276, 'in london supermarket': 424898, 'only bought': 610186, 'bought thing': 136749, 'for immediate': 322478, 'immediate use': 417041, 'use plus': 949487, 'plus couple': 661581, 'thing for': 884326, '90 year': 23355, 'old and': 598131, 'am surprised': 50464, 'surprised at': 828570, 'many clearly': 513906, 'clearly over': 181539, 'old were': 598526, 'the very': 870699, 'very crowded': 955090, 'crowded aisle': 219288, 'supermarket only bought': 821768, 'only bought thing': 610189, 'bought thing need': 136750, 'thing need for': 884611, 'need for immediate': 554846, 'for immediate use': 322479, 'immediate use plus': 417042, 'use plus couple': 949488, 'plus couple of': 661582, 'couple of thing': 211647, 'of thing for': 591898, 'thing for 90': 884327, 'for 90 year': 318950, '90 year old': 23356, 'year old and': 1014808, 'old and am': 598133, 'and am surprised': 58034, 'am surprised at': 50465, 'surprised at how': 828571, 'at how many': 99223, 'how many clearly': 408253, 'many clearly over': 513907, 'clearly over 70': 181540, 'over 70 year': 629926, 'year old were': 1014875, 'old were shopping': 598527, 'were shopping in': 980109, 'shopping in the': 762990, 'in the very': 429646, 'the very crowded': 870702, 'very crowded aisle': 955091, 'sprayer': 790368, 'force to': 328521, 'think again': 885122, 'again about': 36868, 'we poop': 972718, 'poop seriously': 664067, 'seriously if': 751636, 'you adopt': 1016827, 'adopt the': 32678, 'water sprayer': 969160, 'sprayer an': 790369, 'to toiletpaper': 917624, 'toiletpaper you': 922888, 'you won': 1022396, 'won need': 1003875, 'buy 60': 148267, '60 pack': 20979, 'of tissue': 592199, 'tissue for': 899145, 'for doomsday': 320835, 'doomsday toiletpaperpanic': 255480, 'force to think': 328534, 'to think again': 917371, 'think again about': 885123, 'again about the': 36869, 'about the way': 26557, 'way we poop': 970177, 'we poop seriously': 972719, 'poop seriously if': 664068, 'seriously if you': 751639, 'if you adopt': 415387, 'you adopt the': 1016828, 'adopt the water': 32681, 'the water sprayer': 871127, 'water sprayer an': 969161, 'sprayer an alternative': 790370, 'alternative to toiletpaper': 49275, 'to toiletpaper you': 917626, 'toiletpaper you won': 922891, 'you won need': 1022402, 'won need to': 1003877, 'to buy 60': 902172, 'buy 60 pack': 148268, '60 pack of': 20980, 'pack of tissue': 633112, 'of tissue for': 592201, 'tissue for doomsday': 899147, 'for doomsday toiletpaperpanic': 320836, 'dental': 237080, 'hygienist': 412247, 'amber': 51294, 'sanchez': 733602, 'dental hygienist': 237081, 'hygienist amber': 412248, 'amber metro': 51295, 'metro sanchez': 529938, 'sanchez explains': 733605, 'how she': 408655, 'she found': 756040, 'found solution': 330373, 'solution to': 782090, 'the dry': 853749, 'dry hand': 261276, 'hand that': 375817, 'that result': 846027, 'result from': 717507, 'from practicing': 336966, 'practicing hand': 668729, 'hand hygiene': 375025, 'hygiene on': 412129, 'basis now': 112257, 'ever dentistry': 285269, 'dental hygienist amber': 237082, 'hygienist amber metro': 412249, 'amber metro sanchez': 51296, 'metro sanchez explains': 529939, 'sanchez explains how': 733606, 'explains how she': 292217, 'how she found': 408658, 'she found solution': 756042, 'found solution to': 330374, 'solution to the': 782115, 'to the dry': 916657, 'the dry hand': 853751, 'dry hand that': 261277, 'hand that result': 375819, 'that result from': 846028, 'result from practicing': 717512, 'from practicing hand': 336967, 'practicing hand hygiene': 668730, 'hand hygiene on': 375029, 'hygiene on daily': 412130, 'daily basis now': 224509, 'basis now more': 112258, 'than ever dentistry': 840577, 'one keeping': 606552, 'internet and': 441904, 'medium going': 527119, 'from the health': 337737, 'health and supermarket': 386157, 'supermarket worker the': 824095, 'worker the real': 1007938, 'the real hero': 865222, 'real hero are': 701197, 'hero are the': 393940, 'the one keeping': 862206, 'one keeping the': 606553, 'keeping the internet': 472579, 'the internet and': 858377, 'internet and social': 441907, 'social medium going': 779856, 'shadow': 754336, 'tote': 926416, 'delayed': 232763, 'product drop': 681135, 'drop added': 260107, 'added the': 31610, 'the shadow': 866760, 'shadow tote': 754347, 'tote to': 926417, 'my shop': 550044, 'shop shipping': 760767, 'domestic have': 253196, 'been decreased': 120933, 'decreased and': 231620, 'all item': 43281, 'item can': 463171, 'shipped internationally': 758801, 'internationally please': 441884, 'that due': 843644, '19 item': 8169, 'item may': 463450, 'be delayed': 114382, 'delayed so': 232812, 'so pls': 778033, 'pls be': 661113, 'product drop added': 681136, 'drop added the': 260108, 'added the shadow': 31611, 'the shadow tote': 866764, 'shadow tote to': 754348, 'tote to my': 926418, 'to my shop': 910434, 'my shop shipping': 550050, 'shop shipping price': 760768, 'shipping price for': 758893, 'price for domestic': 673952, 'for domestic have': 320813, 'domestic have been': 253197, 'have been decreased': 379504, 'been decreased and': 120934, 'decreased and all': 231621, 'and all item': 57869, 'all item can': 43282, 'item can now': 463172, 'can now be': 159057, 'now be shipped': 574205, 'be shipped internationally': 117141, 'shipped internationally please': 758802, 'internationally please note': 441885, 'note that due': 572800, 'that due to': 843645, 'covid 19 item': 213300, '19 item may': 8170, 'item may be': 463451, 'may be delayed': 520971, 'be delayed so': 114386, 'delayed so pls': 232813, 'so pls be': 778034, 'pls be patient': 661115, 'finalized': 305916, 'sold just': 781691, 'just delivered': 468568, 'delivered take': 233398, 'our reduced': 624563, 'for quick': 324914, 'quick sale': 694364, 'sale all': 732024, 'all sale': 44233, 'are finalized': 86561, 'finalized with': 305921, 'with proper': 1000341, 'proper precaution': 684130, 'sanitized vehicle': 734267, 'vehicle delivery': 954257, 'sold just delivered': 781692, 'just delivered take': 468570, 'delivered take advantage': 233399, 'advantage of our': 33021, 'of our reduced': 587553, 'our reduced price': 624564, 'reduced price due': 706146, 'we have reduced': 971918, 'have reduced price': 382231, 'reduced price for': 706149, 'price for quick': 674033, 'for quick sale': 324917, 'quick sale all': 694365, 'sale all sale': 732026, 'all sale are': 44234, 'sale are finalized': 732062, 'are finalized with': 86562, 'finalized with proper': 305922, 'with proper precaution': 1000344, 'proper precaution and': 684131, 'precaution and sanitized': 669278, 'and sanitized vehicle': 70854, 'sanitized vehicle delivery': 734268, 'vehicle delivery available': 954258, 'scuffle': 742957, 'respectful': 715122, 'justsaying': 470512, 'medium scare': 527265, 'scare with': 740930, 'with pic': 1000204, 'supermarket scuffle': 822347, 'scuffle but': 742962, 'local sainsbury': 498362, 'sainsbury this': 731734, 'morning young': 541556, 'young and': 1022564, 'old alike': 598127, 'alike have': 41781, 'been nothing': 121577, 'but kind': 146229, 'and respectful': 70339, 'respectful to': 715127, 'to each': 904818, 'other justsaying': 620455, 'the medium scare': 860439, 'medium scare with': 527266, 'scare with pic': 740931, 'with pic of': 1000205, 'pic of panic': 655614, 'buying and supermarket': 149936, 'and supermarket scuffle': 72734, 'supermarket scuffle but': 822348, 'scuffle but in': 742963, 'my local sainsbury': 549137, 'local sainsbury this': 498365, 'sainsbury this morning': 731735, 'this morning young': 889042, 'morning young and': 541557, 'young and old': 1022567, 'and old alike': 68033, 'old alike have': 598128, 'alike have been': 41782, 'have been nothing': 379619, 'been nothing but': 121578, 'nothing but kind': 572956, 'but kind and': 146230, 'kind and respectful': 474811, 'and respectful to': 70340, 'respectful to each': 715128, 'to each other': 904828, 'each other justsaying': 264188, 'earnings': 264888, 'ubs': 937863, 'wealth': 974142, 'claudia': 180398, 'panseri': 639480, 'preservation': 670683, 'expect deep': 290627, 'deep but': 231850, 'but short': 147043, 'short earnings': 764610, 'earnings recession': 264926, 'recession ahead': 704200, 'ahead earnings': 39147, 'earnings hit': 264915, 'hit much': 398330, 'much harder': 544976, 'harder in': 378170, 'in developed': 422234, 'developed market': 239718, 'market than': 517170, 'than em': 840543, 'em ubs': 272087, 'ubs global': 937866, 'global wealth': 352295, 'wealth management': 974173, 'management claudia': 512550, 'claudia panseri': 180399, 'panseri we': 639483, 'we also': 970393, 'also expect': 48176, 'expect dividend': 290632, 'dividend to': 248642, 'be hurt': 115332, 'hurt company': 411557, 'company focus': 190666, 'on balance': 599544, 'balance sheet': 108982, 'sheet and': 756592, 'and cash': 59603, 'cash preservation': 166310, 'we expect deep': 971494, 'expect deep but': 290628, 'deep but short': 231851, 'but short earnings': 147044, 'short earnings recession': 764611, 'earnings recession ahead': 264927, 'recession ahead earnings': 704201, 'ahead earnings hit': 39148, 'earnings hit much': 264916, 'hit much harder': 398331, 'much harder in': 544979, 'harder in developed': 378171, 'in developed market': 422236, 'developed market than': 239720, 'market than em': 517171, 'than em ubs': 840544, 'em ubs global': 272088, 'ubs global wealth': 937867, 'global wealth management': 352296, 'wealth management claudia': 974174, 'management claudia panseri': 512551, 'claudia panseri we': 180401, 'panseri we also': 639484, 'we also expect': 970397, 'also expect dividend': 48177, 'expect dividend to': 290633, 'dividend to be': 248643, 'to be hurt': 901320, 'be hurt company': 115333, 'hurt company focus': 411558, 'company focus on': 190667, 'focus on balance': 311864, 'on balance sheet': 599545, 'balance sheet and': 108983, 'sheet and cash': 756593, 'and cash preservation': 59606, 'supermarket charging': 819654, 'charging normal': 173506, 'for pack': 324345, 'pack loo': 633068, 'loo paper': 502152, 'for normal': 323913, 'price plus': 675941, 'plus per': 661656, 'per pack': 650965, 'pack for': 633045, 'plus 10': 661553, '10 per': 1619, 'pack extra': 633037, 'extra money': 293578, 'money go': 536784, 'to charitable': 902646, 'charitable fund': 173544, 'local supermarket charging': 498510, 'supermarket charging normal': 819655, 'charging normal price': 173507, 'price for pack': 674020, 'for pack loo': 324346, 'pack loo paper': 633069, 'loo paper for': 502155, 'paper for normal': 640180, 'for normal price': 323915, 'normal price plus': 567279, 'price plus per': 675943, 'plus per pack': 661657, 'per pack for': 650967, 'pack for normal': 633047, 'price plus 10': 675942, 'plus 10 per': 661554, '10 per pack': 1623, 'per pack extra': 650966, 'pack extra money': 633038, 'extra money go': 293581, 'money go to': 536785, 'go to charitable': 354287, 'to charitable fund': 902647, 'could dip': 209084, 'dip due': 243180, 'to production': 912225, 'production increase': 682077, 'increase expert': 432763, 'say read': 739091, 'gasoline price could': 344255, 'price could dip': 673277, 'could dip due': 209085, 'dip due to': 243181, 'due to production': 261914, 'to production increase': 912228, 'production increase expert': 682078, 'increase expert say': 432764, 'expert say read': 291957, 'say read more': 739092, 'commercial in': 188710, '2021 are': 14765, 'like were': 491785, 'or loved': 616016, 'one overly': 606814, 'overly exposed': 631315, 'to lysol': 909531, 'lysol hand': 507174, 'or bleach': 614560, 'bleach during': 132494, 'pandemic of': 636067, '2020 then': 14647, 'for compensation': 320209, 'compensation please': 191572, '800 covid19': 22695, 'covid19 to': 214392, 'you qualify': 1020518, 'commercial in 2021': 188711, 'in 2021 are': 419867, '2021 are gonna': 14766, 'are gonna be': 86913, 'gonna be like': 356474, 'be like were': 115753, 'like were you': 491787, 'were you or': 980365, 'you or loved': 1020225, 'or loved one': 616017, 'loved one overly': 504919, 'one overly exposed': 606815, 'overly exposed to': 631316, 'exposed to lysol': 292898, 'to lysol hand': 909533, 'lysol hand sanitizer': 507175, 'sanitizer and or': 734424, 'and or bleach': 68207, 'or bleach during': 614561, 'bleach during the': 132495, 'the pandemic of': 863038, 'pandemic of 2020': 636068, 'of 2020 then': 579506, '2020 then you': 14648, 'then you may': 877788, 'may be eligible': 520978, 'eligible for compensation': 271418, 'for compensation please': 320210, 'compensation please call': 191573, 'please call 800': 659748, 'call 800 covid19': 155727, '800 covid19 to': 22696, 'covid19 to see': 214395, 'to see if': 914025, 'see if you': 745287, 'if you qualify': 415497, 'rectify': 705513, 'both amp': 135842, 'amp can': 53493, 'can meet': 158986, 'meet online': 527542, 'shopping demand': 762467, 'why can': 990857, 'they use': 883611, 'found themselves': 330420, 'themselves unemployed': 876920, 'unemployed because': 941111, 'to rectify': 913000, 'rectify this': 705514, 'both amp can': 135843, 'amp can meet': 53495, 'can meet online': 158990, 'meet online shopping': 527544, 'online shopping demand': 609089, 'shopping demand so': 762470, 'demand so why': 236246, 'so why can': 778751, 'why can they': 990862, 'can they use': 159984, 'they use the': 883620, 'use the people': 949686, 'who have found': 988924, 'have found themselves': 380707, 'found themselves unemployed': 330422, 'themselves unemployed because': 876921, 'unemployed because of': 941112, 'of the to': 591546, 'the to rectify': 869688, 'to rectify this': 913001, 'brunswick': 141355, 'new brunswick': 558422, 'brunswick food': 141356, 'bank bracing': 109687, 'for double': 320837, 'double demand': 255994, 'outbreak cbc': 628092, 'new brunswick food': 558423, 'brunswick food bank': 141357, 'food bank bracing': 313531, 'bank bracing for': 109688, 'bracing for double': 137500, 'for double demand': 320838, 'double demand amid': 255995, '19 outbreak cbc': 9096, 'outbreak cbc news': 628093, 'stat': 795314, 'southkorea': 786890, 'lol what': 500975, 'what stat': 982248, 'stat barrel': 795315, 'barrel of': 111250, 'oil is': 596901, 'now worth': 576481, 'worth le': 1011388, 'than one': 840976, 'one delivery': 606172, 'delivery pizza': 234340, 'pizza would': 657213, 'in southkorea': 428152, 'southkorea global': 786893, 'slump to': 774712, 'low yesterday': 505756, 'yesterday on': 1015822, 'on outbreak': 602648, 'outbreak saudi': 628596, 'saudi russia': 737295, 'russia price': 728544, 'lol what stat': 500976, 'what stat barrel': 982249, 'stat barrel of': 795316, 'barrel of oil': 111255, 'of oil is': 587186, 'oil is now': 596909, 'is now worth': 450359, 'now worth le': 576484, 'worth le than': 1011389, 'le than one': 483184, 'than one delivery': 840977, 'one delivery pizza': 606174, 'delivery pizza would': 234341, 'pizza would cost': 657214, 'would cost you': 1011742, 'cost you in': 208168, 'you in southkorea': 1019318, 'in southkorea global': 428153, 'southkorea global oil': 786894, 'oil price slump': 597263, 'price slump to': 676495, 'slump to an': 774713, 'year low yesterday': 1014742, 'low yesterday on': 505757, 'yesterday on outbreak': 1015823, 'on outbreak saudi': 602649, 'outbreak saudi russia': 628597, 'saudi russia price': 737299, 'russia price war': 728545, 'yeah braving': 1014238, 'store after': 806080, 'up more': 945401, 'more essential': 539144, 'item wish': 463834, 'wish me': 996789, 'me good': 522825, 'yeah braving the': 1014239, 'braving the grocery': 138288, 'grocery store after': 365179, 'store after work': 806087, 'work today to': 1005913, 'pick up more': 655736, 'up more essential': 945403, 'more essential item': 539147, 'essential item wish': 281238, 'item wish me': 463835, 'wish me good': 996790, 'me good luck': 522826, 'coli': 185896, 'botulism': 136452, 'winning': 996058, 'doesn get': 251797, 'you it': 1019383, 'the coli': 851143, 'coli and': 185897, 'and botulism': 59098, 'botulism in': 136453, 'store winning': 811355, 'winning aren': 996059, 'aren we': 92580, 'we happy': 971733, 'be living': 115781, 'greatest god': 363276, 'god fearing': 354692, 'fearing country': 301475, 'god green': 354724, 'green earth': 363660, 'so if covid': 777352, '19 doesn get': 6612, 'doesn get you': 251804, 'get you it': 348677, 'you it ll': 1019386, 'be the coli': 117605, 'the coli and': 851144, 'coli and botulism': 185898, 'and botulism in': 59099, 'botulism in the': 136454, 'food you panic': 317719, 'you panic buy': 1020283, 'grocery store winning': 365958, 'store winning aren': 811356, 'winning aren we': 996060, 'aren we happy': 92584, 'we happy to': 971734, 'happy to be': 377707, 'to be living': 901369, 'be living in': 115782, 'in the greatest': 429243, 'the greatest god': 856751, 'greatest god fearing': 363277, 'god fearing country': 354693, 'fearing country on': 301476, 'country on god': 210937, 'on god green': 601124, 'god green earth': 354725, 'professional grocery': 682447, 'employee delivery': 273766, 'driver pharmacy': 259692, 'worker mail': 1007341, 'carrier firefighter': 164981, 'police nursing': 663106, 'home employee': 401131, 'else who': 271980, 'now america': 574003, 'america thankyou': 51692, 'the medical professional': 860403, 'medical professional grocery': 526331, 'professional grocery store': 682448, 'store employee delivery': 807475, 'employee delivery driver': 273767, 'delivery driver pharmacy': 233928, 'driver pharmacy worker': 259694, 'pharmacy worker mail': 654580, 'worker mail carrier': 1007342, 'mail carrier firefighter': 508581, 'carrier firefighter police': 164982, 'firefighter police nursing': 308226, 'police nursing home': 663107, 'nursing home employee': 577615, 'home employee and': 401132, 'everyone else who': 286888, 'else who is': 271984, 'who is working': 989130, 'is working to': 454050, 'working to save': 1009002, 'life and keep': 488481, 'and keep all': 65749, 'keep all going': 471295, 'all going right': 42954, 'right now america': 722018, 'now america thankyou': 574004, 'something with': 785147, 'my hair': 548595, 'hair now': 373992, 'now online': 575447, 'for cute': 320518, 'cute baseball': 223651, 'baseball cap': 111484, 'cap stayhome': 162446, 'tried to do': 931833, 'to do something': 904558, 'do something with': 250158, 'something with my': 785148, 'with my hair': 999630, 'my hair now': 548596, 'hair now online': 373993, 'now online shopping': 575451, 'shopping for cute': 762669, 'for cute baseball': 320519, 'cute baseball cap': 223652, 'baseball cap stayhome': 111486, 'bruh': 141330, 'bruh still': 141335, 'still waiting': 801378, '19 intervention': 7912, 'intervention price': 442197, 'bruh still waiting': 141336, 'still waiting for': 801379, 'waiting for is': 964320, 'for is covid': 322665, 'covid 19 intervention': 213285, '19 intervention price': 7913, 'schedule': 741420, 'food anywhere': 313396, 'anywhere grocery': 81113, 'empty wa': 275224, 'wa counting': 961885, 'me through': 523726, 'they show': 883392, 'show food': 766948, 'delivery time': 234640, 'available no': 104507, 'to schedule': 913894, 'schedule beyond': 741429, 'beyond day': 129155, 'day out': 228176, 'out have': 626261, 'have completely': 380058, 'completely given': 192298, 'given up': 351195, 'no food anywhere': 564250, 'food anywhere grocery': 313397, 'anywhere grocery store': 81114, 'store empty wa': 807587, 'empty wa counting': 275225, 'wa counting on': 961886, 'counting on to': 210364, 'on to see': 604759, 'see me through': 745410, 'me through this': 523729, 'through this crisis': 894811, 'this crisis but': 887023, 'crisis but no': 217151, 'but no they': 146503, 'no they show': 565709, 'they show food': 883393, 'show food in': 766949, 'food in stock': 314970, 'stock but no': 801946, 'but no delivery': 146482, 'no delivery time': 563994, 'delivery time available': 234643, 'time available no': 896356, 'available no option': 104510, 'no option to': 565005, 'option to schedule': 614131, 'to schedule beyond': 913895, 'schedule beyond day': 741430, 'beyond day out': 129156, 'day out have': 228177, 'out have completely': 626262, 'have completely given': 380060, 'completely given up': 192299, 'given up on': 351198, 'up on them': 945629, 'trickiest': 931725, 'terminal': 838356, 'pressing': 671113, 'waving': 969402, 'one the': 607196, 'the trickiest': 869980, 'trickiest thing': 931726, 'this with': 891455, 'to checkout': 902701, 'checkout at': 174886, 'the contaminated': 851654, 'contaminated credit': 200654, 'card machine': 163575, 'machine terminal': 507405, 'terminal and': 838357, 'and having': 64293, 'keep pressing': 471809, 'pressing button': 671114, 'button yes': 148217, 'yes no': 1015492, 'no cash': 563770, 'cash back': 166171, 'back etc': 106981, 'etc wear': 282865, 'glove just': 352748, 'just waving': 470252, 'waving cc': 969405, 'cc would': 168413, 'le risky': 483103, 'one the trickiest': 607204, 'the trickiest thing': 869981, 'trickiest thing in': 931727, 'thing in time': 884443, 'like this with': 491552, 'this with the': 891466, 'with the at': 1001207, 'the at the': 849002, 'store is trying': 808543, 'trying to checkout': 934778, 'to checkout at': 902702, 'checkout at the': 174889, 'at the contaminated': 100914, 'the contaminated credit': 851656, 'contaminated credit card': 200655, 'credit card machine': 216343, 'card machine terminal': 163577, 'machine terminal and': 507406, 'terminal and having': 838358, 'and having to': 64301, 'having to keep': 384350, 'to keep pressing': 908832, 'keep pressing button': 471810, 'pressing button yes': 671115, 'button yes no': 148218, 'yes no no': 1015494, 'no no cash': 564873, 'no cash back': 563771, 'cash back etc': 166175, 'back etc wear': 106982, 'etc wear glove': 282866, 'wear glove just': 974340, 'glove just waving': 352750, 'just waving cc': 470253, 'waving cc would': 969406, 'cc would be': 168414, 'would be le': 1011613, 'be le risky': 115674, 'been praised': 121689, 'island supplied': 454312, 'supplied with': 824476, 'supermarket worker have': 824031, 'worker have been': 1007082, 'have been praised': 379638, 'been praised for': 121690, 'praised for pulling': 668885, 'for pulling out': 324858, 'stop to keep': 805220, 'keep the island': 472051, 'the island supplied': 858553, 'island supplied with': 454313, 'supplied with food': 824477, 'other essential during': 620158, 'essential during the': 280979, 'saleem': 732662, 'safi': 730864, 'imran': 419638, 'khan': 473701, 'ik': 416015, 'resignation': 714471, 'imf': 416894, 'ig': 415661, 'punjab': 689267, 'fazlu': 300635, 'dharna': 240106, 'saleem safi': 732663, 'safi in': 730865, 'in report': 427398, 'report card': 711854, 'card imran': 163549, 'imran govt': 419639, 'govt failed': 361114, 'control imran': 202025, 'imran khan': 419641, 'khan govt': 473706, 'govt should': 361275, 'should resign': 766412, 'resign there': 714469, 'be national': 116045, 'national govt': 552513, 'govt representing': 361261, 'representing all': 712940, 'all stakeholder': 44419, 'stakeholder he': 793328, 'he previously': 385303, 'previously demanded': 672031, 'demanded ik': 236552, 'ik resignation': 416018, 'resignation over': 714472, 'over imf': 630308, 'imf loan': 416902, 'loan usd': 497550, 'usd price': 948929, 'price ig': 674625, 'ig punjab': 415668, 'punjab tomato': 689280, 'tomato price': 923958, 'price fazlu': 673831, 'fazlu dharna': 300636, 'saleem safi in': 732664, 'safi in report': 730866, 'in report card': 427399, 'report card imran': 711855, 'card imran govt': 163550, 'imran govt failed': 419640, 'govt failed to': 361115, 'failed to control': 296174, 'to control imran': 903446, 'control imran khan': 202026, 'imran khan govt': 419642, 'khan govt should': 473707, 'govt should resign': 361281, 'should resign there': 766413, 'resign there should': 714470, 'should be national': 765676, 'be national govt': 116046, 'national govt representing': 552515, 'govt representing all': 361262, 'representing all stakeholder': 712941, 'all stakeholder he': 44420, 'stakeholder he previously': 793329, 'he previously demanded': 385304, 'previously demanded ik': 672032, 'demanded ik resignation': 236553, 'ik resignation over': 416019, 'resignation over imf': 714473, 'over imf loan': 630309, 'imf loan usd': 416903, 'loan usd price': 497551, 'usd price ig': 948930, 'price ig punjab': 674626, 'ig punjab tomato': 415669, 'punjab tomato price': 689281, 'tomato price fazlu': 923960, 'price fazlu dharna': 673832, 'at houston': 99202, 'houston food': 407198, 'bank here': 109901, 'help family': 389677, 'your community': 1023266, '19 ha doubled': 7341, 'ha doubled the': 370434, 'doubled the demand': 256144, 'demand for meal': 235452, 'for meal at': 323352, 'meal at houston': 524108, 'at houston food': 99203, 'houston food bank': 407199, 'food bank here': 313584, 'bank here how': 109902, 'here how you': 393118, 'can help family': 158616, 'help family in': 389680, 'family in your': 297930, 'in your community': 431069, 'chore': 177996, 'eyewear': 294153, 'sunglass': 818373, 'run any': 727566, 'any essential': 79189, 'essential chore': 280892, 'chore have': 178005, 'have learned': 381276, 'use protective': 949499, 'protective eyewear': 685743, 'eyewear or': 294154, 'or sunglass': 617269, 'sunglass would': 818382, 'than nothing': 840949, 'nothing everything': 573003, 'everything possible': 287973, 'prevent getting': 671632, 'getting and': 348838, 'store or having': 809338, 'having to run': 384361, 'to run any': 913656, 'run any essential': 727567, 'any essential chore': 79190, 'essential chore have': 280893, 'chore have learned': 178006, 'have learned that': 381279, 'learned that it': 484145, 'that it is': 844720, 'advisable to use': 33570, 'to use protective': 918057, 'use protective eyewear': 949500, 'protective eyewear or': 685744, 'eyewear or sunglass': 294155, 'or sunglass would': 617271, 'sunglass would be': 818383, 'be better than': 113843, 'better than nothing': 128528, 'than nothing everything': 840950, 'nothing everything possible': 573004, 'everything possible to': 287974, 'possible to prevent': 665849, 'to prevent getting': 912063, 'prevent getting and': 671633, 'getting and spreading': 348841, 'and spreading it': 72156, 'spreading it to': 790991, 'it to my': 461733, 'to my mom': 910419, 'newyork': 561179, 'cornell': 203628, 'battle to': 112834, 'keep worker': 472216, 'worker safe': 1007718, 'safe during': 729609, 'pandemic nearly': 636013, 'nearly 40': 553777, '40 craft': 18561, 'craft distillery': 214771, 'distillery in': 247761, 'in newyork': 425851, 'newyork have': 561188, 'have turned': 383425, 'turned to': 935885, 'making handsanitizer': 511105, 'handsanitizer with': 376680, 'with guidance': 998706, 'guidance from': 368236, 'from cornell': 335000, 'cornell ny': 203631, 'ny nyc': 577904, 'the battle to': 849351, 'battle to keep': 112836, 'to keep worker': 908879, 'keep worker safe': 472218, 'worker safe during': 1007719, 'safe during the': 729614, 'the pandemic nearly': 863031, 'pandemic nearly 40': 636014, 'nearly 40 craft': 553778, '40 craft distillery': 18562, 'craft distillery in': 214772, 'distillery in newyork': 247764, 'in newyork have': 425852, 'newyork have turned': 561189, 'have turned to': 383431, 'turned to making': 935886, 'to making handsanitizer': 909776, 'making handsanitizer with': 511107, 'handsanitizer with guidance': 376681, 'with guidance from': 998707, 'guidance from cornell': 368237, 'from cornell ny': 335001, 'cornell ny nyc': 203632, 'indie': 435057, 'indie toy': 435062, 'toy retailer': 927693, 'retailer step': 719331, 'indie toy retailer': 435063, 'toy retailer step': 927694, 'retailer step up': 719332, 'step up during': 799686, 'up during crisis': 944753, 'approaching': 83012, 'faltering': 297492, 'category3': 167236, 'evacuation': 283692, 'devastation': 239609, 'were wishing': 980349, 'wishing but': 996874, 'but hurricane': 145980, 'hurricane season': 411488, 'is approaching': 445795, 'approaching live': 83016, 'in houston': 423867, 'houston pretty': 407217, 'pretty worried': 671525, 'what covid19': 981278, 'covid19 low': 214334, 'price faltering': 673819, 'faltering economy': 297495, 'economy category3': 267747, 'category3 or': 167237, 'or hurricane': 615698, 'hurricane evacuation': 411472, 'evacuation devastation': 283695, 'devastation co': 239614, 'not that this': 571976, 'that this is': 846996, 'is what you': 453907, 'what you were': 982700, 'you were wishing': 1022262, 'were wishing but': 980350, 'wishing but hurricane': 996875, 'but hurricane season': 145981, 'hurricane season is': 411489, 'season is approaching': 743407, 'is approaching live': 445796, 'approaching live in': 83017, 'live in houston': 495868, 'in houston pretty': 423871, 'houston pretty worried': 407218, 'pretty worried about': 671526, 'worried about what': 1010530, 'about what covid19': 26880, 'what covid19 low': 981279, 'covid19 low oil': 214335, 'oil price faltering': 597128, 'price faltering economy': 673820, 'faltering economy category3': 297496, 'economy category3 or': 267748, 'category3 or hurricane': 167238, 'or hurricane evacuation': 615699, 'hurricane evacuation devastation': 411473, 'evacuation devastation co': 283696, 'assigned': 96601, 'company will': 191327, 'will expand': 993369, 'it warehouse': 462239, 'and strength': 72546, 'strength to': 813234, 'pandemic 100': 634763, '00 worker': 604, 'be assigned': 113713, 'assigned to': 96602, 'the company will': 851363, 'company will expand': 191331, 'will expand it': 993371, 'expand it warehouse': 290460, 'it warehouse and': 462240, 'warehouse and strength': 966687, 'and strength to': 72547, 'strength to cope': 813235, 'with the increase': 1001344, 'in demand amid': 422102, 'the pandemic 100': 862888, 'pandemic 100 00': 634764, '100 00 worker': 1803, '00 worker will': 612, 'worker will be': 1008246, 'will be assigned': 992367, 'be assigned to': 113714, 'assigned to increase': 96603, 'dichotomy': 240450, 'thankstrump': 842312, 'to process': 912170, 'process the': 679964, 'the dichotomy': 853243, 'dichotomy of': 240453, 'home delivering': 401003, 'delivering hr': 233515, 'hr training': 409673, 'training webinars': 929370, 'webinars usual': 975158, 'usual when': 951064, 'when if': 983583, 'if need': 414451, 'medicine have': 526800, 'have wear': 383566, 'go wait': 354473, 'wait in': 964138, 'for rationed': 324965, 'rationed food': 697778, 'local under': 498666, 'under stocked': 940264, 'fuck thankstrump': 339650, 'hard to process': 378080, 'to process the': 912176, 'process the dichotomy': 679966, 'the dichotomy of': 853244, 'dichotomy of working': 240454, 'from home delivering': 335852, 'home delivering hr': 401004, 'delivering hr training': 233516, 'hr training webinars': 409674, 'training webinars usual': 929371, 'webinars usual when': 975159, 'usual when if': 951065, 'when if need': 983584, 'if need food': 414452, 'need food or': 554803, 'or medicine have': 616117, 'medicine have wear': 526802, 'have wear mask': 383567, 'and glove to': 63742, 'glove to go': 352970, 'to go wait': 906881, 'go wait in': 354474, 'wait in line': 964141, 'line for rationed': 493111, 'for rationed food': 324966, 'rationed food at': 697779, 'food at local': 313448, 'at local under': 99611, 'local under stocked': 498667, 'under stocked grocery': 940265, 'store what the': 811231, 'the fuck thankstrump': 855973, 'tjmaxx': 899321, 'burlington': 142881, 'how incredibly': 408058, 'incredibly irresponsible': 433908, 'irresponsible these': 445082, 'these retailer': 880600, 'open place': 612444, 'like tjmaxx': 491568, 'tjmaxx burlington': 899322, 'burlington ross': 142884, 'ross etc': 726141, 'etc anywhere': 282413, 'anywhere that': 81156, 'considered luxury': 195307, 'luxury should': 506959, 'open they': 612567, 'reason push': 702982, 'push that': 690321, 'that instead': 844523, 'instead forcing': 440184, 'forcing your': 328754, 'your people': 1025245, 'how incredibly irresponsible': 408060, 'incredibly irresponsible these': 433909, 'irresponsible these retailer': 445083, 'these retailer are': 880602, 'retailer are for': 718998, 'are for staying': 86648, 'for staying open': 325890, 'staying open place': 798678, 'open place like': 612445, 'place like tjmaxx': 657558, 'like tjmaxx burlington': 491569, 'tjmaxx burlington ross': 899323, 'burlington ross etc': 142885, 'ross etc anywhere': 726142, 'etc anywhere that': 282414, 'anywhere that is': 81157, 'that is considered': 844569, 'is considered luxury': 446749, 'considered luxury should': 195308, 'luxury should not': 506960, 'not be open': 568426, 'be open they': 116253, 'open they have': 612569, 'they have online': 882356, 'have online shopping': 381807, 'shopping for reason': 762708, 'for reason push': 325003, 'reason push that': 702983, 'push that instead': 690322, 'that instead forcing': 844524, 'instead forcing your': 440185, 'forcing your people': 328755, 'your people to': 1025248, 'people to risk': 649935, 'to risk their': 913605, 'risk their health': 723936, 'florida resident': 310972, 'resident working': 714407, 'drive real': 259134, 'my winter': 550617, 'winter home': 996125, 'home dream': 401099, 'dream reality': 258613, 'reality thanks': 701797, 'thanks guy': 842097, 'guy knew': 369065, 'knew could': 476030, 'could count': 209055, 'count on': 210142, 'you well': 1022230, 'well cnn': 978107, 'florida resident working': 310975, 'resident working hard': 714408, 'hard to drive': 378060, 'to drive real': 904746, 'drive real estate': 259135, 'estate price down': 282178, 'price down and': 673518, 'down and making': 256502, 'and making my': 66595, 'making my winter': 511241, 'my winter home': 550618, 'winter home dream': 996126, 'home dream reality': 401100, 'dream reality thanks': 258614, 'reality thanks guy': 701798, 'thanks guy knew': 842099, 'guy knew could': 369066, 'knew could count': 476031, 'could count on': 209056, 'count on you': 210149, 'on you well': 605443, 'you well cnn': 1022231, 'ko': 477285, 'olau': 598112, 'helpingothers': 391563, 'helping this': 391511, 'company they': 191204, 'responder healthcare': 715475, 'essential civil': 280896, 'civil personnel': 179526, 'personnel ko': 653126, 'ko olau': 477289, 'olau distillery': 598113, 'distillery sanitizer': 247806, 'sanitizer supply': 735831, 'supply fund': 825303, 'fund 19': 341345, '19 helpingothers': 7504, 'please consider helping': 659816, 'consider helping this': 195020, 'helping this company': 391512, 'this company they': 886826, 'company they are': 191205, 'are doing this': 85932, 'doing this for': 252763, 'this for the': 887597, 'first responder healthcare': 308947, 'responder healthcare worker': 715477, 'worker and essential': 1006289, 'and essential civil': 62247, 'essential civil personnel': 280897, 'civil personnel ko': 179527, 'personnel ko olau': 653127, 'ko olau distillery': 477290, 'olau distillery sanitizer': 598114, 'distillery sanitizer supply': 247807, 'sanitizer supply fund': 735832, 'supply fund 19': 825304, 'fund 19 helpingothers': 341346, 'emphatically': 273400, 'nyu': 578159, 'tandon': 834155, 'expressing': 293080, 'we emphatically': 971442, 'emphatically support': 273401, 'support demand': 826454, 'demand made': 235827, 'made by': 507666, 'by nyu': 153383, 'nyu tandon': 578164, 'tandon food': 834156, 'service employee': 752324, 'employee represented': 274142, 'for emergency': 321013, 'emergency pay': 272854, 'healthcare benefit': 387046, 'crisis use': 218305, 'send an': 749808, 'to nyu': 910776, 'nyu expressing': 578160, 'expressing your': 293091, 'we emphatically support': 971443, 'emphatically support demand': 273402, 'support demand made': 826455, 'demand made by': 235828, 'made by nyu': 507672, 'by nyu tandon': 153384, 'nyu tandon food': 578165, 'tandon food service': 834157, 'food service employee': 316414, 'service employee represented': 752328, 'employee represented by': 274143, 'represented by for': 712930, 'by for emergency': 152621, 'for emergency pay': 321021, 'emergency pay and': 272855, 'and healthcare benefit': 64372, 'healthcare benefit during': 387047, 'this crisis use': 887105, 'crisis use this': 218306, 'use this link': 949731, 'this link to': 888649, 'link to send': 493945, 'to send an': 914201, 'send an email': 749809, 'an email to': 55661, 'email to nyu': 272340, 'to nyu expressing': 910777, 'nyu expressing your': 578161, 'expressing your support': 293092, 'harry': 378544, 'brennan': 139320, 'personalfinance': 652998, 'if lose': 414395, 'job or': 466061, 'from how': 335958, 'to claim': 902784, 'claim benefit': 179706, 'to securing': 913972, 'securing mortgage': 744507, 'mortgage holiday': 541905, 'holiday harry': 400305, 'harry brennan': 378545, 'brennan explains': 139321, 'explains all': 292200, 'all coronacrisisuk': 42458, 'coronacrisisuk personalfinance': 204897, 'do you do': 250624, 'you do if': 1018255, 'do if lose': 249417, 'if lose your': 414396, 'your job or': 1024535, 'job or get': 466065, 'or get sick': 615436, 'get sick from': 347993, 'sick from how': 768453, 'from how to': 335961, 'how to claim': 408991, 'to claim benefit': 902785, 'claim benefit to': 179707, 'benefit to securing': 127123, 'to securing mortgage': 913973, 'securing mortgage holiday': 744508, 'mortgage holiday harry': 541907, 'holiday harry brennan': 400306, 'harry brennan explains': 378546, 'brennan explains all': 139322, 'explains all coronacrisisuk': 292201, 'all coronacrisisuk personalfinance': 42459, 'learn what': 484088, 'what question': 982074, 'question hospitality': 693612, 'hospitality leader': 404788, 'be asking': 113706, 'asking themselves': 96083, 'themselves right': 876878, 'what action': 980998, 'action step': 30136, 'step they': 799636, 'learn what question': 484092, 'what question hospitality': 982075, 'question hospitality leader': 693613, 'hospitality leader should': 404789, 'leader should be': 483535, 'should be asking': 765559, 'be asking themselves': 113708, 'asking themselves right': 96086, 'themselves right now': 876879, 'now and what': 574068, 'and what action': 75448, 'what action step': 981000, 'action step they': 30137, 'step they should': 799637, 'should consider in': 765858, 'consider in the': 195028, 'face of covid': 294650, 'rba': 698061, 'joyce': 467532, 'mccutch': 522134, 'up next': 945452, 'next on': 561477, 'our special': 624854, 'special coverage': 787874, 'of continues': 581822, 'continues speaks': 201445, 'speaks with': 787812, 'now out': 575492, 'of hospital': 584761, 'hospital latest': 404490, 'latest from': 481356, 'from dr': 335208, 'dr auspol': 257964, 'auspol rba': 103091, 'rba by': 698062, 'by interview': 152933, 'interview alan': 442204, 'alan joyce': 40660, 'joyce act': 467533, 'kindness by': 475190, 'by mccutch': 153187, 'up next on': 945454, 'next on our': 561479, 'on our special': 602632, 'our special coverage': 624858, 'special coverage of': 787876, 'coverage of continues': 212366, 'of continues speaks': 581823, 'continues speaks with': 201446, 'speaks with someone': 787816, 'with someone who': 1000881, 'someone who had': 784760, 'who had it': 988881, 'had it now': 373211, 'it now out': 459959, 'now out of': 575493, 'out of hospital': 626756, 'of hospital latest': 584764, 'hospital latest from': 404491, 'latest from dr': 481358, 'from dr auspol': 335209, 'dr auspol rba': 257965, 'auspol rba by': 103092, 'rba by interview': 698063, 'by interview alan': 152934, 'interview alan joyce': 442205, 'alan joyce act': 40661, 'joyce act of': 467534, 'of kindness by': 585643, 'kindness by mccutch': 475191, 'rescue group': 713618, 'group busy': 366623, 'busy keeping': 144928, 'demand during': 235269, 'houston food rescue': 407200, 'food rescue group': 316177, 'rescue group busy': 713619, 'group busy keeping': 366624, 'busy keeping up': 144929, 'up with high': 946649, 'with high demand': 998801, 'high demand during': 395005, 'demand during covid': 235271, 'voted this': 960562, 'and out': 68532, 'the polling': 863957, 'minute went': 533896, 'and waited': 75116, 'waited an': 964268, 'buy egg': 148554, 'egg because': 269792, 'voted this morning': 960563, 'morning in and': 541305, 'in and out': 420381, 'and out of': 68535, 'of the polling': 591346, 'the polling place': 863958, 'polling place in': 663877, 'place in 10': 657506, 'in 10 minute': 419682, '10 minute went': 1544, 'minute went to': 533897, 'the local farm': 859547, 'local farm store': 497942, 'farm store and': 299188, 'store and waited': 806393, 'and waited an': 75117, 'waited an hour': 964269, 'hour in line': 405690, 'line to buy': 493481, 'to buy egg': 902219, 'buy egg because': 148556, 'egg because the': 269793, 'because the grocery': 119627, 'store are out': 806506, 'gujarat': 368607, 'surat': 827461, 'resorted': 714683, 'pelted': 646386, 'stone': 804334, 'detained': 239309, 'dcp': 228994, 'rakesh': 696214, 'barot': 111167, 'gujarat migrant': 368612, 'migrant worker': 531226, 'in surat': 428744, 'surat resorted': 827468, 'resorted to': 714684, 'to violence': 918186, 'violence on': 957553, 'street allegedly': 812885, 'allegedly fearing': 45685, 'fearing extension': 301479, 'extension of': 293286, 'of lockdown': 585947, 'lockdown worker': 500169, 'worker blocked': 1006534, 'blocked road': 132865, 'road pelted': 724491, 'pelted stone': 646389, 'stone police': 804345, 'police reached': 663179, 'spot detained': 790049, 'detained 60': 239310, '60 70': 20869, '70 people': 21821, 've come': 952997, 'were demanding': 979511, 'demanding to': 236619, 'home said': 402001, 'said dcp': 731037, 'dcp surat': 228997, 'surat rakesh': 827466, 'rakesh barot': 696215, 'barot 10': 111168, 'gujarat migrant worker': 368613, 'migrant worker in': 531230, 'worker in surat': 1007203, 'in surat resorted': 428745, 'surat resorted to': 827469, 'resorted to violence': 714689, 'to violence on': 918188, 'violence on street': 957554, 'on street allegedly': 603712, 'street allegedly fearing': 812886, 'allegedly fearing extension': 45686, 'fearing extension of': 301480, 'extension of lockdown': 293287, 'of lockdown worker': 585966, 'lockdown worker blocked': 500170, 'worker blocked road': 1006535, 'blocked road pelted': 132866, 'road pelted stone': 724492, 'pelted stone police': 646390, 'stone police reached': 804346, 'police reached the': 663180, 'reached the spot': 700061, 'the spot detained': 867598, 'spot detained 60': 790050, 'detained 60 70': 239311, '60 70 people': 20871, '70 people we': 21822, 'people we ve': 650165, 'we ve come': 973646, 've come to': 953003, 'come to know': 187579, 'know that they': 476795, 'that they were': 846960, 'they were demanding': 883763, 'were demanding to': 979512, 'demanding to go': 236620, 'go back home': 353344, 'back home said': 107066, 'home said dcp': 402002, 'said dcp surat': 731038, 'dcp surat rakesh': 228998, 'surat rakesh barot': 827467, 'rakesh barot 10': 696216, 'outbreak drive': 628180, 'demand economy': 235280, 'will the outbreak': 995149, 'the outbreak drive': 862614, 'outbreak drive the': 628182, 'drive the on': 259168, 'the on demand': 862164, 'on demand economy': 600277, 'va': 951527, 'dept': 237725, 'have updated': 383472, 'updated my': 947403, 'my blog': 547475, 'blog with': 133046, 'with link': 999243, 'the va': 870611, 'va dept': 951539, 'dept of': 237740, 'of education': 582977, 'education new': 268843, 'for parent': 324388, 'and remote': 70231, 'remote learning': 710711, 'learning and': 484182, 'and link': 66202, 'gouging or': 359412, 'or consumer': 614792, 'consumer fraud': 197532, 'fraud relating': 331334, 'covid crisis': 214144, 'crisis news': 217753, 'have updated my': 383473, 'updated my blog': 947404, 'my blog with': 547480, 'blog with link': 133047, 'with link to': 999245, 'link to the': 493950, 'to the va': 917166, 'the va dept': 870612, 'va dept of': 951540, 'dept of education': 237744, 'of education new': 582978, 'education new resource': 268844, 'new resource for': 559470, 'resource for parent': 714786, 'for parent and': 324389, 'parent and remote': 641574, 'and remote learning': 70232, 'remote learning and': 710713, 'learning and link': 484184, 'and link to': 66204, 'link to report': 493943, 'to report price': 913280, 'price gouging or': 674309, 'gouging or consumer': 359414, 'or consumer fraud': 614794, 'consumer fraud relating': 197539, 'fraud relating to': 331335, 'relating to the': 708658, 'the covid crisis': 852230, 'covid crisis news': 214145, 'partnership': 642938, 'consumer emotion': 197350, 'emotion and': 273256, 'behavior we': 124293, 've created': 953018, 'created mobile': 215850, 'mobile market': 534989, 'research community': 713697, 'community in': 189911, 'in partnership': 426540, 'partnership with': 642947, 'with mrx': 999587, 'better understand how': 128586, 'understand how covid': 940640, 'impacting consumer emotion': 418194, 'consumer emotion and': 197351, 'emotion and behavior': 273257, 'and behavior we': 58847, 'behavior we ve': 124296, 'we ve created': 973649, 've created mobile': 953020, 'created mobile market': 215851, 'mobile market research': 534991, 'market research community': 516993, 'research community in': 713698, 'community in partnership': 189918, 'in partnership with': 426541, 'partnership with mrx': 642955, 'found one': 330316, 'one bottle': 606009, 'sanitizer on': 735452, 'take week': 832789, 'delivery wonder': 234759, 'the liquor': 859459, 'open alcohol': 612029, 'alcohol could': 40976, 'used sanitizer': 950002, 'sanitizer maybe': 735361, 'maybe lol': 521741, 'just found one': 468771, 'found one bottle': 330317, 'one bottle of': 606011, 'hand sanitizer on': 375512, 'sanitizer on amazon': 735454, 'amazon and it': 50853, 'it ll take': 459433, 'll take week': 497063, 'take week for': 832790, 'week for delivery': 976224, 'for delivery wonder': 320654, 'delivery wonder if': 234760, 'wonder if the': 1003976, 'if the liquor': 414994, 'the liquor store': 859461, 'liquor store are': 494202, 'store are open': 806504, 'are open alcohol': 88783, 'open alcohol could': 612030, 'alcohol could be': 40977, 'could be used': 208934, 'be used sanitizer': 117923, 'used sanitizer maybe': 950003, 'sanitizer maybe lol': 735362, 'adjusts': 32386, 'lounge': 504557, 'americanairlines': 52335, 'marketscreener': 517873, 'american airline': 51772, 'airline adjusts': 39912, 'adjusts food': 32387, 'and lounge': 66421, 'lounge service': 504562, 'service in': 752472, '19 americanairlines': 4958, 'americanairlines stock': 52336, 'stock marketscreener': 802460, 'american airline adjusts': 51773, 'airline adjusts food': 39913, 'adjusts food and': 32388, 'food and lounge': 313276, 'and lounge service': 66422, 'lounge service in': 504563, 'service in response': 752480, 'covid 19 americanairlines': 212625, '19 americanairlines stock': 4959, 'americanairlines stock marketscreener': 52337, 'brawl': 138306, 'root': 726010, 'police forced': 663018, 'hand out': 375158, 'out toilet': 627708, 'paper panic': 640570, 'buying spark': 151066, 'spark supermarket': 787558, 'supermarket brawl': 819417, 'brawl in': 138311, 'australia amid': 103220, 'pandemic resume': 636354, 'resume police': 717744, 'officer toilet': 595733, 'paper attendant': 639910, 'attendant it': 102354, 'it appalling': 456557, 'appalling this': 81845, 'necessary bad': 553963, 'bad parenting': 107972, 'parenting is': 641797, 'is tap': 452575, 'tap root': 834336, 'root psychology': 726019, 'police forced to': 663019, 'forced to hand': 328635, 'to hand out': 907116, 'hand out toilet': 375164, 'out toilet paper': 627709, 'toilet paper panic': 921384, 'paper panic buying': 640572, 'panic buying spark': 637894, 'buying spark supermarket': 151067, 'spark supermarket brawl': 787559, 'supermarket brawl in': 819418, 'brawl in australia': 138312, 'in australia amid': 420594, 'australia amid pandemic': 103221, 'amid pandemic resume': 52575, 'pandemic resume police': 636355, 'resume police officer': 717745, 'police officer toilet': 663133, 'officer toilet paper': 595734, 'toilet paper attendant': 921195, 'paper attendant it': 639911, 'attendant it appalling': 102355, 'it appalling this': 456558, 'appalling this is': 81846, 'this is necessary': 888328, 'is necessary bad': 449843, 'necessary bad parenting': 553964, 'bad parenting is': 107973, 'parenting is tap': 641798, 'is tap root': 452576, 'tap root psychology': 834337, 'ipex': 444549, 'icis global': 412759, 'global petrochemical': 352125, 'petrochemical index': 653684, 'index ipex': 434209, 'ipex for': 444550, 'for march': 323244, 'march hit': 515381, 'hit level': 398301, 'level not': 487622, 'seen since': 747231, 'since april': 770509, 'april 2009': 83448, '2009 icis': 13714, 'icis petrochemical': 412771, 'petrochemical ipex': 653686, 'ipex polymer': 444552, 'polymer chemical': 663941, 'icis global petrochemical': 412760, 'global petrochemical index': 352126, 'petrochemical index ipex': 653685, 'index ipex for': 434210, 'ipex for march': 444551, 'for march hit': 323247, 'march hit level': 515382, 'hit level not': 398302, 'level not seen': 487623, 'not seen since': 571511, 'seen since april': 747233, 'since april 2009': 770510, 'april 2009 icis': 83449, '2009 icis petrochemical': 13715, 'icis petrochemical ipex': 412773, 'petrochemical ipex polymer': 653687, 'ipex polymer chemical': 444553, 'polymer chemical price': 663942, 'and personnel': 68935, 'personnel who': 653174, 'who risk': 989547, 'health to': 386915, 'provide for': 686316, 'for during': 320881, 'worker and personnel': 1006324, 'and personnel who': 68936, 'personnel who risk': 653175, 'who risk their': 989548, 'their health to': 873524, 'health to provide': 386922, 'to provide for': 912395, 'provide for during': 686317, 'for during this': 320884, 'this pandemic thank': 889432, 'sentiment collapse': 750906, 'collapse amid': 185959, 'amid massive': 52528, 'massive job': 520050, 'loss the': 503786, 'the unprecedented': 870450, 'unprecedented economic': 943134, 'is crushing': 446970, 'crushing the': 219819, 'the labor': 858885, 'labor market': 478423, 'consumer sentiment collapse': 198906, 'sentiment collapse amid': 750907, 'collapse amid massive': 185960, 'amid massive job': 52529, 'massive job loss': 520051, 'job loss the': 465985, 'loss the unprecedented': 503788, 'the unprecedented economic': 870455, 'unprecedented economic impact': 943136, '19 outbreak is': 9142, 'outbreak is crushing': 628372, 'is crushing the': 446971, 'crushing the labor': 219820, 'the labor market': 858887, 'labor market and': 478424, 'market and consumer': 515957, 'silk': 769729, 'scrunchies': 742937, 'wichita': 991663, 'relentlesslyoriginal': 709140, 'from silk': 337292, 'silk scrunchies': 769734, 'scrunchies to': 742938, 'to vintage': 918182, 'vintage top': 957461, 'blog is': 132956, 'your one': 1025065, 'stop for': 804661, 'online local': 608498, 'local shopping': 498433, 'matter where': 520660, 'can support': 159855, 'the wichita': 871530, 'wichita region': 991668, 'region during': 707409, 'beyond relentlesslyoriginal': 129221, 'relentlesslyoriginal read': 709141, 'blog at': 132904, 'from silk scrunchies': 337293, 'silk scrunchies to': 769735, 'scrunchies to vintage': 742939, 'to vintage top': 918183, 'vintage top the': 957462, 'top the latest': 925736, 'the latest blog': 859078, 'latest blog is': 481237, 'blog is your': 132957, 'is your one': 454160, 'your one stop': 1025067, 'one stop for': 607111, 'stop for online': 804664, 'for online local': 324107, 'online local shopping': 608500, 'local shopping no': 498435, 'shopping no matter': 763331, 'no matter where': 564735, 'matter where you': 520661, 'where you are': 985383, 'you are you': 1017295, 'are you can': 91772, 'you can support': 1017803, 'can support the': 159863, 'support the wichita': 826891, 'the wichita region': 871531, 'wichita region during': 991669, 'region during covid': 707410, '19 and beyond': 4993, 'and beyond relentlesslyoriginal': 58949, 'beyond relentlesslyoriginal read': 129222, 'relentlesslyoriginal read the': 709142, 'read the latest': 700581, 'latest blog at': 481232, 'terfs': 838043, 'trans': 929418, 'vax': 952759, 'seat': 743501, 'boose': 134923, 'myth': 551042, 'terf': 838040, 'hey terfs': 394516, 'terfs heard': 838044, 'that vaccine': 847223, 'vaccine turn': 951790, 'turn you': 935814, 'you trans': 1021911, 'trans so': 929423, 'should all': 765484, 'all avoid': 42098, '19 vax': 11733, 'vax when': 952760, 'also remember': 48781, 'to lick': 909235, 'lick supermarket': 488209, 'supermarket counter': 819840, 'counter and': 210190, 'public transit': 688393, 'transit seat': 929645, 'seat to': 743520, 'to boose': 901910, 'boose your': 134924, 'system in': 831205, 'time social': 897704, 'is myth': 449814, 'myth have': 551048, 'have terf': 382936, 'terf meet': 838041, 'meet up': 527644, 'hey terfs heard': 394517, 'terfs heard that': 838045, 'heard that vaccine': 388146, 'that vaccine turn': 847224, 'vaccine turn you': 951791, 'turn you trans': 935815, 'you trans so': 1021912, 'trans so you': 929424, 'so you should': 778850, 'you should all': 1021181, 'should all avoid': 765485, 'all avoid the': 42099, 'avoid the covid': 105319, 'covid 19 vax': 214018, '19 vax when': 11734, 'vax when we': 952761, 'when we get': 984444, 'get it also': 347392, 'it also remember': 456437, 'also remember to': 48782, 'remember to lick': 710375, 'to lick supermarket': 909238, 'lick supermarket counter': 488210, 'supermarket counter and': 819841, 'counter and public': 210191, 'and public transit': 69749, 'public transit seat': 688398, 'transit seat to': 929646, 'seat to boose': 743521, 'to boose your': 901911, 'boose your immune': 134925, 'immune system in': 417342, 'system in these': 831208, 'in these tough': 429867, 'tough time social': 926863, 'time social distancing': 897705, 'distancing is myth': 247251, 'is myth have': 449815, 'myth have terf': 551049, 'have terf meet': 382937, 'terf meet up': 838042, 'is meat': 449613, 'meat the': 525768, 'next american': 561283, 'consumer hoarding': 197758, 'hoarding focus': 399294, 'focus so': 311921, 'happy went': 377727, 'to full': 906312, 'full plant': 340809, 'based diet': 111552, 'diet last': 241737, 'the bright': 849998, 'bright side': 139790, 'side maybe': 768833, 'take focus': 832123, 'focus off': 311858, 'off toilet': 594341, 'paper hoarding': 640279, 'is meat the': 449614, 'meat the next': 525770, 'the next american': 861653, 'next american consumer': 561284, 'american consumer hoarding': 51894, 'consumer hoarding focus': 197759, 'hoarding focus so': 399295, 'focus so happy': 311922, 'so happy went': 777248, 'happy went to': 377728, 'went to full': 979152, 'to full plant': 906314, 'full plant based': 340810, 'plant based diet': 658620, 'based diet last': 111553, 'diet last year': 241738, 'last year on': 480730, 'on the bright': 604000, 'the bright side': 849999, 'bright side maybe': 139794, 'side maybe it': 768834, 'maybe it will': 521730, 'it will take': 462445, 'will take focus': 995068, 'take focus off': 832124, 'focus off toilet': 311859, 'off toilet paper': 594342, 'toilet paper hoarding': 921307, 'luxurybrand': 506980, 'luxurylifestyle': 506991, 'after shopper': 36202, 'shopper will': 761831, 'return but': 719822, 're living': 699004, 'living through': 496460, 'through pandemic': 894625, 'change them': 172313, 'them maybe': 876016, 'maybe forever': 521681, 'forever fashion': 329113, 'fashion luxurybrand': 299829, 'luxurybrand shoppingonline': 506981, 'shoppingonline look': 764523, 'look luxurylifestyle': 502537, 'luxurylifestyle retail': 506992, 'retail brand': 717892, 'consumer after shopper': 196114, 'after shopper will': 36203, 'shopper will return': 761835, 'will return but': 994687, 'return but they': 719824, 'but they re': 147514, 'they re living': 883071, 're living through': 699006, 'living through pandemic': 496462, 'through pandemic that': 894626, 'pandemic that will': 636658, 'that will change': 847563, 'will change them': 992921, 'change them maybe': 172314, 'them maybe forever': 876017, 'maybe forever fashion': 521682, 'forever fashion luxurybrand': 329114, 'fashion luxurybrand shoppingonline': 299830, 'luxurybrand shoppingonline look': 506982, 'shoppingonline look luxurylifestyle': 764524, 'look luxurylifestyle retail': 502538, 'luxurylifestyle retail brand': 506993, 'stockton': 804158, 'defying': 232509, 'lipstick': 494063, 'polish': 663575, 'in stockton': 428356, 'stockton california': 804159, 'california some': 155575, 'really out': 702474, 'here defying': 392915, 'defying the': 232516, 'the stayathome': 867851, 'stayhome order': 798062, 'buy lipstick': 148903, 'lipstick and': 494064, 'and nail': 67411, 'nail polish': 551452, 'retail store here': 718643, 'store here in': 808148, 'here in stockton': 393183, 'in stockton california': 428357, 'stockton california some': 804160, 'california some of': 155577, 'you are really': 1017213, 'are really out': 89482, 'really out here': 702475, 'out here defying': 626276, 'here defying the': 392916, 'defying the stayathome': 232517, 'the stayathome stayhome': 867853, 'stayathome stayhome order': 797639, 'stayhome order to': 798063, 'order to buy': 618669, 'to buy lipstick': 902260, 'buy lipstick and': 148904, 'lipstick and nail': 494065, 'and nail polish': 67412, 'saint': 731812, 'the church': 850886, 'church of': 178392, 'of jesus': 585520, 'christ of': 178082, 'of latter': 585731, 'latter day': 481677, 'day saint': 228294, 'saint is': 731820, 'closing some': 183753, 'some distribution': 782704, 'distribution store': 248230, 'the church of': 850890, 'church of jesus': 178393, 'of jesus christ': 585521, 'jesus christ of': 465291, 'christ of latter': 178083, 'of latter day': 585732, 'latter day saint': 481678, 'day saint is': 228295, 'saint is closing': 731821, 'is closing some': 446613, 'closing some distribution': 183754, 'some distribution store': 782705, 'distribution store and': 248231, 'store and limiting': 806282, 'and limiting the': 66192, 'limiting the hour': 492877, 'the hour of': 857582, 'of operation of': 587301, 'operation of others': 613233, 'of others in': 587395, 'others in response': 621478, 'amidst shift': 52815, 'habit mean': 372648, 'mean ecommerce': 524408, 'ever before': 285220, 'before way': 123280, 'grow online': 367048, 'sale include': 732307, 'include guest': 431569, 'guest checkout': 368148, 'checkout reduced': 174988, 'reduced delivery': 706050, 'cost clear': 207888, 'clear return': 181307, 'return policy': 719883, 'policy live': 663439, 'live chat': 495766, 'chat read': 173949, 'amidst shift in': 52816, 'consumer habit mean': 197690, 'habit mean ecommerce': 372649, 'mean ecommerce is': 524409, 'ecommerce is now': 266796, 'is now more': 450301, 'now more important': 575310, 'important than ever': 418991, 'than ever before': 840572, 'ever before way': 285229, 'before way to': 123281, 'way to grow': 970034, 'to grow online': 907035, 'grow online sale': 367049, 'online sale include': 608919, 'sale include guest': 732308, 'include guest checkout': 431570, 'guest checkout reduced': 368149, 'checkout reduced delivery': 174989, 'reduced delivery cost': 706051, 'delivery cost clear': 233829, 'cost clear return': 207889, 'clear return policy': 181308, 'return policy live': 719886, 'policy live chat': 663440, 'live chat read': 495767, 'chat read more': 173950, 'all from': 42872, 'just be': 468266, 'food when people': 317571, 'when people take': 983868, 'people take it': 649719, 'take it all': 832240, 'it all from': 456347, 'all from supermarket': 42876, 'from supermarket just': 337490, 'supermarket just be': 821220, 'just be nice': 468275, 'dear hope': 229808, 'are aware': 84729, 'and taking': 72993, 'taking measure': 833439, 'tackle future': 831575, 'future problem': 342431, 'dear hope you': 229809, 'hope you are': 403790, 'you are aware': 1017068, 'are aware of': 84730, 'aware of this': 105644, 'of this and': 591937, 'this and taking': 886349, 'and taking measure': 72998, 'taking measure to': 833440, 'measure to tackle': 525410, 'to tackle future': 916129, 'tackle future problem': 831576, 'johnston': 466647, 'ain': 39601, 'noth': 572905, 'al johnston': 40580, 'johnston said': 466648, 'said you': 731604, 'you ain': 1016857, 'ain seen': 39652, 'seen noth': 747151, 'noth in': 572906, 'yet housing': 1016093, 'for sharp': 325536, 'sharp correction': 755671, 'correction covid': 207553, 'al johnston said': 40581, 'johnston said you': 466649, 'said you ain': 731605, 'you ain seen': 1016858, 'ain seen noth': 39653, 'seen noth in': 747152, 'noth in yet': 572907, 'in yet housing': 431042, 'yet housing price': 1016094, 'are in for': 87384, 'in for sharp': 423027, 'for sharp correction': 325537, 'sharp correction covid': 755672, 'correction covid 19': 207554, '19 is only': 8018, 'is only the': 450552, 'only the start': 611276, 'start of this': 794416, 'abc15': 24272, 'worker family': 1006902, 'family worry': 298405, 'about potential': 25976, 'fear job': 301181, 'loss abc15': 503626, 'abc15 arizona': 24273, 'store worker family': 811493, 'worker family worry': 1006903, 'family worry about': 298406, 'worry about potential': 1010650, 'about potential exposure': 25979, 'exposure to but': 293005, 'to but fear': 902150, 'but fear job': 145704, 'fear job loss': 301183, 'job loss abc15': 465964, 'loss abc15 arizona': 503627, 'speculator': 788369, 'italylockdown': 462970, 'silver price': 769847, 'price bounce': 672949, 'back but': 106911, 'remain volatile': 709912, 'volatile socialdistance': 960060, 'socialdistance border': 780140, 'border gold': 135249, 'silver mining': 769834, 'mining investment': 533283, 'investment speculator': 444059, 'speculator market': 788374, 'market profit': 516915, 'profit stock': 682861, 'stock china': 801983, 'china italylockdown': 176773, 'italylockdown trump': 462972, 'trump borisjohnson': 933445, 'borisjohnson currency': 135517, 'currency wealth': 221071, 'wealth health': 974168, 'silver price bounce': 769848, 'price bounce back': 672950, 'bounce back but': 136802, 'back but will': 106915, 'but will remain': 147886, 'will remain volatile': 994637, 'remain volatile socialdistance': 709915, 'volatile socialdistance border': 960061, 'socialdistance border gold': 780141, 'border gold silver': 135250, 'gold silver mining': 356008, 'silver mining investment': 769835, 'mining investment speculator': 533284, 'investment speculator market': 444060, 'speculator market profit': 788376, 'market profit stock': 516918, 'profit stock china': 682862, 'stock china italylockdown': 801985, 'china italylockdown trump': 176774, 'italylockdown trump borisjohnson': 462973, 'trump borisjohnson currency': 933446, 'borisjohnson currency wealth': 135518, 'currency wealth health': 221072, 'sainsbury extends': 731664, 'extends dedicated': 293247, 'dedicated shopping': 231730, 'sainsbury extends dedicated': 731665, 'extends dedicated shopping': 293248, 'dedicated shopping hour': 231731, 'for nh and': 323862, 'nh and social': 561881, 'and social care': 71880, 'social care worker': 779456, 'emi': 273164, 'tht': 895263, 'institution': 440450, 'orpenalties': 619658, 'incase': 431335, 'in near': 425701, 'future till': 342480, 'crisis curb': 217272, 'curb down': 220554, 'down narendra': 256974, 'modi ji': 535466, 'ji pls': 465458, 'pls exempt': 661133, 'exempt month': 289979, 'month emi': 537701, 'emi for': 273167, 'india consumer': 434353, 'loan personal': 497504, 'personal loan': 652910, 'loan request': 497522, 'request tht': 713205, 'tht no': 895266, 'no financial': 564222, 'financial institution': 306469, 'institution or': 440468, 'bank take': 110226, 'any action': 78894, 'action orpenalties': 30104, 'orpenalties incase': 619659, 'incase people': 431340, 'pay but': 644794, 'am already': 49867, 'already paid': 47557, 'paid 350': 633948, 'in near future': 425703, 'near future till': 553511, 'future till the': 342481, 'till the covid': 896103, '19 crisis curb': 6233, 'crisis curb down': 217273, 'curb down narendra': 220555, 'down narendra modi': 256975, 'narendra modi ji': 551910, 'modi ji pls': 535468, 'ji pls exempt': 465459, 'pls exempt month': 661134, 'exempt month emi': 289980, 'month emi for': 537702, 'emi for the': 273168, 'for the citizen': 326344, 'the citizen of': 850909, 'citizen of india': 178936, 'of india consumer': 585100, 'india consumer loan': 434354, 'consumer loan personal': 198065, 'loan personal loan': 497506, 'personal loan request': 652912, 'loan request tht': 497523, 'request tht no': 713206, 'tht no financial': 895267, 'no financial institution': 564223, 'financial institution or': 306472, 'institution or bank': 440469, 'or bank take': 614495, 'bank take any': 110227, 'take any action': 831941, 'any action orpenalties': 78896, 'action orpenalties incase': 30105, 'orpenalties incase people': 619660, 'incase people are': 431341, 'able to pay': 24517, 'to pay but': 911520, 'pay but am': 644795, 'but am already': 145157, 'am already paid': 49868, 'already paid 350': 47558, '30k': 17449, 'auspol2020': 103100, 'loyalty': 506286, 'one shop': 607017, 'shop open': 760602, 'open within': 612685, 'within 30k': 1002322, '30k and': 17450, 'the others': 862566, 'shopping normal': 763342, 'normal aussie': 567096, 'aussie want': 103146, 'week normal': 976578, 'normal auspol2020': 567094, 'auspol2020 australia': 103101, 'australia use': 103416, 'use your': 949828, 'your loyalty': 1024752, 'loyalty card': 506289, 'card for': 163519, 'and it time': 65591, 'time to have': 897994, 'to have one': 907286, 'have one shop': 381797, 'one shop open': 607018, 'shop open within': 760606, 'open within 30k': 612686, 'within 30k and': 1002323, '30k and the': 17451, 'and the others': 73504, 'the others for': 862568, 'others for online': 621410, 'online shopping normal': 609198, 'shopping normal aussie': 763343, 'normal aussie want': 567098, 'aussie want to': 103147, 'want to only': 966074, 'once week normal': 605798, 'week normal auspol2020': 976579, 'normal auspol2020 australia': 567095, 'auspol2020 australia use': 103102, 'australia use your': 103417, 'use your loyalty': 949838, 'your loyalty card': 1024753, 'loyalty card for': 506291, 'card for good': 163521, 'in central': 421309, 'central texas': 169427, 'texas the': 839840, 'been time': 122202, 'weekly amount': 977466, 'amount the': 53283, 'staff struggled': 792894, '19 case increase': 5682, 'case increase in': 165818, 'increase in central': 432822, 'in central texas': 421312, 'central texas the': 169430, 'texas the demand': 839841, 'demand for grocery': 235434, 'for grocery ha': 322033, 'grocery ha been': 364580, 'ha been time': 369956, 'been time the': 122203, 'time the weekly': 897883, 'the weekly amount': 871344, 'weekly amount the': 977467, 'amount the staff': 53284, 'the staff struggled': 867702, 'staff struggled to': 792895, 'struggled to keep': 814412, 'legalnews': 485920, 'wisconsin company': 996608, 'company accused': 190347, 'gouging legalnews': 359379, 'legalnews wisconsin': 485921, 'wisconsin company accused': 996609, 'company accused of': 190348, 'accused of price': 28952, 'price gouging legalnews': 674295, 'gouging legalnews wisconsin': 359380, 'paramedic struggle': 641401, 'buying over': 150854, 'paramedic struggle to': 641402, 'uk panic buying': 938609, 'panic buying over': 637837, 'buying over lockdown': 150857, 'tip shop': 898895, 'local asian': 497701, 'supermarket bought': 819407, 'bought toilet': 136761, 'paper rice': 640680, 'rice pasta': 721098, 'pasta sauce': 643801, 'and lot': 66412, 'fresh veggie': 333104, 'veggie and': 954165, 'were super': 980196, 'super happy': 818512, 'tip shop in': 898897, 'shop in your': 760332, 'in your local': 431103, 'your local asian': 1024678, 'local asian supermarket': 497704, 'asian supermarket bought': 95357, 'supermarket bought toilet': 819408, 'bought toilet paper': 136762, 'toilet paper rice': 921422, 'paper rice pasta': 640682, 'rice pasta sauce': 721104, 'pasta sauce and': 643802, 'sauce and lot': 737139, 'and lot of': 66413, 'lot of fresh': 504194, 'of fresh veggie': 583951, 'fresh veggie and': 333105, 'veggie and the': 954167, 'and the employee': 73346, 'the employee were': 854271, 'employee were super': 274404, 'were super happy': 980198, 'super happy to': 818513, 'to see customer': 913997, 'growing putting': 367228, 'putting in': 691137, 'face and': 294296, 'future keep': 342369, 'worried about she': 1010518, 'is strong and': 452385, 'strong and the': 813982, 'are growing putting': 86975, 'growing putting in': 367229, 'putting in the': 691145, 'position to face': 665196, 'to face and': 905558, 'face and the': 294303, 'the future keep': 856080, 'future keep american': 342371, 'pakistan stimulus': 634506, 'package is': 633311, 'way ahead': 969437, 'pakistan stimulus package': 634508, 'stimulus package is': 801583, 'package is way': 633313, 'is way ahead': 453788, 'way ahead of': 969438, 'ahead of india': 39184, 'robertson': 724719, 'robertson county': 724720, 'county business': 211332, 'keep customer': 471440, 'safe amid': 729424, 'amid high': 52502, 'robertson county business': 724721, 'county business is': 211333, 'business is working': 143961, 'working to keep': 1008992, 'to keep customer': 908778, 'keep customer and': 471441, 'and employee safe': 62065, 'employee safe amid': 274166, 'safe amid high': 729425, 'amid high demand': 52503, 'high demand food': 395008, 'demand food delivery': 235358, 'gd': 344846, 'malaysialockdown': 511651, 'it gd': 458206, 'gd move': 344847, 'move to': 543750, 'lower fuel': 505864, 'we observe': 972619, 'observe malaysialockdown': 578589, 'malaysialockdown due': 511652, 'still best': 800286, 'to stayhomestaysafe': 915348, 'it gd move': 458207, 'gd move to': 344848, 'move to lower': 543758, 'to lower fuel': 909497, 'lower fuel price': 505865, 'fuel price while': 340262, 'price while we': 677529, 'while we observe': 987551, 'we observe malaysialockdown': 972620, 'observe malaysialockdown due': 578590, 'malaysialockdown due to': 511653, 'to but it': 902153, 'but it still': 146167, 'it still best': 461246, 'still best to': 800287, 'best to stayhomestaysafe': 127965, 'for email': 321009, 'or expert': 615236, 'expert saying': 291966, 'have info': 381083, 'the for': 855664, 'most up': 542841, 'date info': 226659, 'virus visit': 958982, 'visit cdc': 959212, 'cdc website': 168632, 'website website': 975474, 'watch for email': 968412, 'for email claiming': 321010, 'be from or': 114969, 'from or expert': 336713, 'or expert saying': 615237, 'expert saying they': 291967, 'saying they have': 739726, 'they have info': 882331, 'have info about': 381084, 'info about the': 437410, 'about the for': 26400, 'the for the': 855674, 'the most up': 861056, 'most up to': 542842, 'to date info': 903928, 'date info about': 226660, 'about the virus': 26553, 'the virus visit': 870915, 'virus visit cdc': 958983, 'visit cdc website': 959213, 'cdc website website': 168633, 'go off': 353866, 'work must': 1005477, 'or drive': 615069, 'thru testing': 895225, 'testing centre': 839473, 'centre on': 169528, 'park testing': 641994, 'anyone who go': 80618, 'who go off': 988792, 'go off work': 353871, 'off work must': 594413, 'work must go': 1005478, 'must go to': 546690, 'go to walk': 354379, 'to walk in': 918302, 'walk in or': 964806, 'in or drive': 426198, 'or drive thru': 615074, 'drive thru testing': 259207, 'thru testing centre': 895226, 'testing centre on': 839474, 'centre on supermarket': 169530, 'on supermarket car': 603781, 'car park testing': 163235, 'by make': 153135, 'it rain': 460594, 'by make it': 153136, 'make it rain': 510052, 'pp': 667865, 'propylene': 684601, 'sluggish': 774657, 'owing': 631849, 'week pp': 976768, 'pp price': 667876, 'declined in': 231428, 'in asia': 420516, 'asia the': 95231, 'fall wa': 297107, 'wa prompted': 963004, 'prompted by': 683926, 'by bearish': 151937, 'bearish upstream': 118465, 'upstream energy': 947881, 'energy and': 276384, 'and propylene': 69639, 'propylene value': 684606, 'value coupled': 952108, 'with continued': 997775, 'continued sluggish': 201339, 'sluggish buying': 774658, 'buying sentiment': 151003, 'sentiment across': 750888, 'asian region': 95328, 'region owing': 707446, 'owing to': 631850, 'the widespread': 871541, 'widespread deadly': 991841, 'deadly watch': 229308, 'watch now': 968487, 'this week pp': 891251, 'week pp price': 976769, 'pp price declined': 667877, 'price declined in': 673406, 'declined in asia': 231429, 'in asia the': 420526, 'asia the price': 95232, 'the price fall': 864348, 'price fall wa': 673802, 'fall wa prompted': 297108, 'wa prompted by': 963005, 'prompted by bearish': 683927, 'by bearish upstream': 151938, 'bearish upstream energy': 118466, 'upstream energy and': 947882, 'energy and propylene': 276391, 'and propylene value': 69641, 'propylene value coupled': 684607, 'value coupled with': 952109, 'coupled with continued': 211727, 'with continued sluggish': 997776, 'continued sluggish buying': 201340, 'sluggish buying sentiment': 774659, 'buying sentiment across': 151004, 'sentiment across the': 750890, 'across the asian': 29482, 'the asian region': 848964, 'asian region owing': 95329, 'region owing to': 707447, 'owing to the': 631853, 'to the widespread': 917191, 'the widespread deadly': 871544, 'widespread deadly watch': 991842, 'deadly watch now': 229309, 'clap8': 179974, 'generosity': 345701, 'thoughtfulness': 893363, 'manic': 513161, 'courteous': 212019, 'all clap8': 42359, 'clap8 tonight': 179975, 'tonight to': 924503, 'who support': 989713, 'support those': 826930, 'have today': 383344, 'today saw': 920138, 'saw generosity': 738119, 'generosity and': 345704, 'and thoughtfulness': 74059, 'thoughtfulness during': 893364, 'during my': 262801, 'the manic': 860018, 'manic shopping': 513164, 'shopping began': 762189, 'began most': 123408, 'are friendly': 86686, 'friendly and': 333938, 'and courteous': 60649, 'courteous it': 212022, 'good that': 357816, 'they remember': 883196, 'remember it': 710216, 'let all clap8': 486550, 'all clap8 tonight': 42360, 'clap8 tonight to': 179976, 'tonight to thank': 924510, 'to thank everyone': 916423, 'thank everyone who': 841561, 'everyone who support': 287606, 'who support those': 989715, 'support those who': 826936, 'who have today': 988966, 'have today saw': 383346, 'today saw generosity': 920140, 'saw generosity and': 738120, 'generosity and thoughtfulness': 345706, 'and thoughtfulness during': 74060, 'thoughtfulness during my': 893365, 'during my first': 262802, 'supermarket since the': 822705, 'since the manic': 770894, 'the manic shopping': 860019, 'manic shopping began': 513165, 'shopping began most': 762190, 'began most people': 123409, 'most people are': 542610, 'people are friendly': 646981, 'are friendly and': 86687, 'friendly and courteous': 333940, 'and courteous it': 60650, 'courteous it good': 212023, 'it good that': 458303, 'good that they': 357822, 'that they remember': 846949, 'they remember it': 883197, 'psychologist on': 687537, 'brand should': 138005, 'should respond': 766416, 'tip from consumer': 898795, 'from consumer psychologist': 334969, 'consumer psychologist on': 198592, 'psychologist on how': 687538, 'on how brand': 601386, 'how brand should': 407469, 'brand should respond': 138010, 'should respond to': 766417, 'respond to coronavirus': 715316, 'acc': 27793, 'the acc': 848281, 'acc concerning': 27802, 'concerning travel': 193254, 'cancellation refund': 161058, 'refund on': 706934, 'page you': 633924, 'will find': 993441, 'latest information': 481398, 'travel event': 930353, 'cancellation in': 161026, 'updated regularly': 947428, 'regularly new': 707933, 'new guidance': 558828, 'guidance is': 368247, 'from the acc': 337591, 'the acc concerning': 848282, 'acc concerning travel': 27803, 'concerning travel cancellation': 193255, 'travel cancellation refund': 930312, 'cancellation refund on': 161059, 'refund on this': 706937, 'on this page': 604626, 'this page you': 889360, 'page you will': 633925, 'you will find': 1022335, 'will find the': 993444, 'find the latest': 307292, 'the latest information': 859119, 'latest information on': 481400, 'information on consumer': 437908, 'right travel event': 722370, 'travel event cancellation': 930355, 'event cancellation in': 284956, 'cancellation in relation': 161027, 'relation to covid': 708673, '19 this will': 11357, 'be updated regularly': 117892, 'updated regularly new': 947430, 'regularly new guidance': 707934, 'new guidance is': 558829, 'guidance is available': 368248, '3400': 17835, 'be flying': 114885, 'flying with': 311688, 'ever again': 285186, 'again totally': 37245, 'totally profiting': 926384, 'off desperate': 593765, 'desperate people': 238544, 'people vulnerability': 650099, 'vulnerability during': 960813, 'pandemic wa': 636908, 'wa charged': 961807, 'charged over': 173409, 'over 3400': 629833, '3400 for': 17836, 'way flight': 969574, 'flight from': 310474, 'from australia': 334612, 'australia ireland': 103310, 'ireland normal': 444837, 'are roughly': 89748, 'roughly 700': 726285, '700 you': 21911, 'will lose': 994050, 'lose many': 503450, 'many cu': 513965, 'not be flying': 568385, 'be flying with': 114886, 'flying with you': 311689, 'with you ever': 1002148, 'you ever again': 1018454, 'ever again totally': 285193, 'again totally profiting': 37246, 'totally profiting off': 926385, 'profiting off desperate': 683134, 'off desperate people': 593766, 'desperate people vulnerability': 238546, 'people vulnerability during': 650100, 'vulnerability during covid': 960814, '19 pandemic wa': 9518, 'pandemic wa charged': 636910, 'wa charged over': 961808, 'charged over 3400': 173410, 'over 3400 for': 629834, '3400 for one': 17838, 'for one way': 324093, 'one way flight': 607368, 'way flight from': 969575, 'flight from australia': 310475, 'from australia ireland': 334613, 'australia ireland normal': 103311, 'ireland normal price': 444838, 'normal price are': 567268, 'price are roughly': 672728, 'are roughly 700': 89749, 'roughly 700 you': 726286, '700 you will': 21912, 'you will lose': 1022342, 'will lose many': 994054, 'lose many cu': 503451, 'people worried': 650527, 'coronavirus specifically': 206795, 'specifically about': 788271, 'having toilet': 384378, 'sitting here': 772107, 'here thinking': 393683, 'thinking hope': 885915, 'all these people': 45047, 'these people worried': 880465, 'people worried about': 650528, 'worried about coronavirus': 1010482, 'about coronavirus specifically': 25032, 'coronavirus specifically about': 206796, 'specifically about supermarket': 788272, 'about supermarket having': 26282, 'supermarket having toilet': 820720, 'having toilet paper': 384379, 'paper and canned': 639813, 'canned food while': 161528, 'food while sitting': 317596, 'while sitting here': 987279, 'sitting here thinking': 772108, 'here thinking hope': 393684, 'thinking hope they': 885916, 'hope they have': 403708, 'have in stock': 381037, 'additive 41oz': 31921, '41oz bottle': 18892, 'sanitizer additive 41oz': 734317, 'additive 41oz bottle': 31922, 'pandemic truck': 636842, 'you so': 1021285, 'the pandemic truck': 863136, 'pandemic truck driver': 636843, 'driver and grocery': 259414, 'thank you so': 841812, 'you so much': 1021288, 'panickbuying': 639195, 'so dead': 776844, 'not talking': 571940, 'food panickbuying': 315761, 'have never seen': 381584, 'seen supermarket so': 747265, 'supermarket so dead': 822729, 'so dead in': 776846, 'dead in my': 229151, 'my life and': 549012, 'life and not': 488486, 'and not talking': 67779, 'not talking about': 571941, 'talking about the': 833988, 'about the lack': 26430, 'lack of people': 478640, 'people but the': 647324, 'but the lack': 147352, 'of food panickbuying': 583746, 'lucky': 506532, 'hit our': 398358, 'economy those': 268283, 'of lucky': 586068, 'lucky to': 506580, 'have stable': 382705, 'stable job': 791931, 'job have': 465852, 'our smallbusiness': 624803, 'smallbusiness community': 775217, 'community here': 189892, 'here some': 393573, 'hit our economy': 398359, 'our economy those': 622852, 'economy those of': 268284, 'those of lucky': 892265, 'of lucky to': 586069, 'lucky to have': 506582, 'to have stable': 907312, 'have stable job': 382707, 'stable job have': 791932, 'job have duty': 465854, 'have duty to': 380399, 'duty to support': 263618, 'support our smallbusiness': 826739, 'our smallbusiness community': 624804, 'smallbusiness community here': 775218, 'community here some': 189894, 'here some tip': 393586, 'some tip on': 784067, 'on how you': 601434, '20k': 14901, 'twitter need': 936694, 'do report': 250040, 'report someone': 712264, 'someone hoarding': 784504, 'have at': 379374, 'least 20k': 484348, '20k and': 14902, 'to resell': 913334, 'resell them': 713968, 'hospital stophoarding': 404654, 'stophoarding stayhome': 805473, 'stayhome healthcareheroes': 798016, 'twitter need you': 936695, 'need you how': 556258, 'you how do': 1019257, 'how do report': 407725, 'do report someone': 250042, 'report someone hoarding': 712265, 'someone hoarding mask': 784505, 'hoarding mask they': 399422, 'mask they say': 519375, 'they say they': 883282, 'they have at': 882293, 'have at least': 379376, 'at least 20k': 99446, 'least 20k and': 484349, '20k and trying': 14903, 'trying to resell': 934857, 'to resell them': 913337, 'resell them to': 713970, 'them to hospital': 876480, 'to hospital stophoarding': 907979, 'hospital stophoarding stayhome': 404655, 'stophoarding stayhome healthcareheroes': 805474, 'confidence among': 193812, 'among hispanic': 53013, 'hispanic plunged': 397934, 'plunged in': 661491, 'coronavirus creates': 205728, 'creates uncertainty': 215968, 'uncertainty about': 939638, 'the length': 859292, 'unprecedented disruption': 943128, 'american life': 52071, 'consumer confidence among': 196884, 'confidence among hispanic': 193813, 'among hispanic plunged': 53014, 'hispanic plunged in': 397935, 'plunged in the': 661492, 'of 2020 the': 579505, 'the coronavirus creates': 851825, 'coronavirus creates uncertainty': 205729, 'creates uncertainty about': 215969, 'uncertainty about the': 939640, 'about the length': 26434, 'the length of': 859294, 'length of an': 486317, 'of an unprecedented': 580132, 'an unprecedented disruption': 56886, 'unprecedented disruption to': 943129, 'disruption to american': 246538, 'to american life': 900419, 'with info': 999002, 'info before': 437427, 'you act': 1016792, 'act stop': 29776, 'stop ask': 804459, 'ask yourself': 95689, 'yourself who': 1026756, 'want me': 965852, 'what evidence': 981434, 'evidence support': 288385, 'support this': 826922, 'message then': 529437, 'answer guide': 78057, 'guide your': 368384, 'next step': 561564, 'step more': 799586, 'overwhelmed with info': 631732, 'with info before': 999003, 'info before you': 437428, 'before you act': 123311, 'you act stop': 1016797, 'act stop ask': 29777, 'stop ask yourself': 804460, 'ask yourself who': 95694, 'yourself who is': 1026757, 'message from what': 529326, 'from what do': 338339, 'do they want': 250322, 'they want me': 883710, 'want me to': 965853, 'me to do': 523749, 'to do what': 904587, 'do what evidence': 250512, 'what evidence support': 981435, 'evidence support this': 288386, 'support this message': 826925, 'this message then': 888843, 'message then let': 529438, 'let the answer': 487118, 'the answer guide': 848768, 'answer guide your': 78058, 'guide your next': 368385, 'your next step': 1025006, 'next step more': 561569, 'step more via': 799587, 'spur': 791323, 'verified': 954779, 'gasbuddy': 344192, 'spurbp': 791342, '815': 22787, 'laurel': 482147, 'ky': 478062, '40741': 18823, 'fridaythoughts conveniencestore': 333352, 'conveniencestore spur': 202377, 'spur ha': 791330, 'ha 99': 369424, 'cent per': 169106, 'gallon for': 343004, 'for regular': 325070, 'regular gas': 707780, 'gas ha': 343866, 'been verified': 122326, 'verified buy': 954780, 'buy gasbuddy': 148728, 'gasbuddy spurbp': 344195, 'spurbp station': 791343, 'station 815': 796322, '815 laurel': 22790, 'laurel rd': 482150, 'rd london': 698137, 'london ky': 501107, 'ky 40741': 478063, '40741 gasprices': 18824, 'gasprices low': 344297, 'fridaythoughts conveniencestore spur': 333353, 'conveniencestore spur ha': 202378, 'spur ha 99': 791331, 'ha 99 cent': 369425, '99 cent per': 23797, 'cent per gallon': 169107, 'per gallon for': 650844, 'gallon for regular': 343006, 'for regular gas': 325074, 'regular gas ha': 707782, 'gas ha been': 343867, 'ha been verified': 369978, 'been verified buy': 122327, 'verified buy gasbuddy': 954781, 'buy gasbuddy spurbp': 148729, 'gasbuddy spurbp station': 344196, 'spurbp station 815': 791344, 'station 815 laurel': 796323, '815 laurel rd': 22791, 'laurel rd london': 482151, 'rd london ky': 698138, 'london ky 40741': 501108, 'ky 40741 gasprices': 478064, '40741 gasprices low': 18825, 'gasprices low price': 344298, 'low price are': 505500, 'price are result': 672721, 'the global virus': 856336, 'desperately seeking': 238582, 'seeking toilet': 746662, 'pasta or': 643773, 'sanitiser some': 734020, 'relief is': 709371, 'just week': 470262, 'week away': 975969, 'desperately seeking toilet': 238583, 'seeking toilet paper': 746663, 'paper pasta or': 640583, 'pasta or hand': 643776, 'or hand sanitiser': 615556, 'hand sanitiser some': 375246, 'sanitiser some relief': 734021, 'some relief is': 783725, 'relief is just': 709372, 'is just week': 449155, 'just week away': 470264, 'okay so': 598000, 'so all': 776478, '19 stuff': 10917, 'now getting': 574777, 'getting me': 349112, 'me worried': 524017, 'worried single': 1010577, 'single mother': 771340, 'two child': 936829, 'child one': 176162, 'ha lot': 371190, 'medical problem': 526312, 'problem already': 679446, 'already struggling': 47693, 'with debt': 997942, 'debt so': 230562, 'already can': 47248, 'afford food': 34693, 'be eating': 114638, 'eating until': 266326, 'until can': 943708, 'of debt': 582426, 'okay so all': 598001, 'so all this': 776481, 'all this covid': 45097, 'covid 19 stuff': 213880, '19 stuff is': 10920, 'is now getting': 450289, 'now getting me': 574778, 'getting me worried': 349113, 'me worried single': 524019, 'worried single mother': 1010578, 'single mother of': 771341, 'mother of two': 543147, 'of two child': 592538, 'two child one': 936830, 'child one ha': 176163, 'one ha lot': 606388, 'ha lot of': 371191, 'lot of medical': 504226, 'of medical problem': 586395, 'medical problem already': 526313, 'problem already struggling': 679447, 'already struggling with': 47699, 'struggling with debt': 814534, 'with debt so': 997944, 'debt so we': 230564, 'so we already': 778655, 'we already can': 970389, 'already can afford': 47249, 'can afford food': 157397, 'afford food but': 34694, 'food but now': 313825, 'now the price': 576063, 'going up so': 355793, 'up so we': 946020, 'we will not': 973885, 'not be eating': 568376, 'be eating until': 114642, 'eating until can': 266327, 'until can get': 943709, 'can get out': 158439, 'out of debt': 626718, 'riasrd': 720946, 'never forget': 558002, 'forget everyone': 329248, 'we riasrd': 973105, 'riasrd raised': 720947, 'raised their': 696045, 'during you': 263427, 'you better': 1017460, 'better pray': 128412, 'pray thing': 669027, 'thing don': 884279, 'get worst': 348661, 'worst because': 1011148, 'we coming': 971150, 'will never forget': 994164, 'never forget everyone': 558003, 'forget everyone and': 329249, 'everyone and company': 286695, 'and company that': 60195, 'company that we': 191193, 'that we riasrd': 847390, 'we riasrd raised': 973106, 'riasrd raised their': 720948, 'raised their price': 696046, 'price during you': 673639, 'during you better': 263428, 'you better pray': 1017465, 'better pray thing': 128413, 'pray thing don': 669028, 'thing don get': 884280, 'don get worst': 253549, 'get worst because': 348662, 'worst because we': 1011149, 'because we coming': 119796, 'we coming to': 971151, 'coming to see': 188229, 'weekday': 977300, 'weallneedfood': 974140, 'wife she': 991974, 'she working': 756482, 'working weekday': 1009036, 'weekday and': 977301, 'and weekend': 75382, 'weekend in': 977356, 'demand some': 236254, 'buy my': 148979, 'my hero': 548668, 'hero weallneedfood': 394155, 'weallneedfood 19': 974141, 'of my wife': 586832, 'my wife she': 550600, 'wife she working': 991975, 'she working weekday': 756483, 'working weekday and': 1009037, 'weekday and weekend': 977302, 'and weekend in': 75383, 'weekend in food': 977357, 'in food production': 422980, 'food production to': 316052, 'production to keep': 682246, 'with demand some': 997990, 'demand some people': 236256, 'panic buy my': 637505, 'buy my hero': 148984, 'my hero weallneedfood': 548671, 'hero weallneedfood 19': 394156, 'jessie': 465260, 'wright': 1012751, 'pat': 643912, 'jessie always': 465261, 'always wright': 49812, 'wright pat': 1012752, 'pat henry': 643913, 'henry 54': 391780, 'jessie always wright': 465262, 'always wright pat': 49813, 'wright pat henry': 1012753, 'pat henry 54': 643914, 'served': 751980, 'tweaking': 936284, 'the shame': 866773, 'shame about': 754576, 'about debenhams': 25082, 'debenhams is': 230359, 'it held': 458530, 'held some': 388926, 'good people': 357546, 'people yet': 650561, 'truth wa': 934416, 'had served': 373490, 'served it': 751994, 'it purpose': 460559, 'purpose retail': 690153, 'store year': 811655, 'year ago': 1014347, 'ago and': 38331, 'and needed': 67487, 'needed massive': 556426, 'of direction': 582637, 'direction rather': 243481, 'than tweaking': 841364, 'tweaking to': 936291, 'going covid': 355091, '19 accelerated': 4785, 'accelerated not': 27890, 'not created': 568924, 'created the': 215906, 'issue one': 455874, 'many coming': 513910, 'the shame about': 866774, 'shame about debenhams': 754577, 'about debenhams is': 25083, 'debenhams is that': 230360, 'that it held': 844716, 'it held some': 458532, 'held some good': 388927, 'some good people': 782972, 'good people yet': 357549, 'people yet the': 650564, 'yet the truth': 1016261, 'the truth wa': 870094, 'truth wa it': 934417, 'wa it had': 962432, 'it had served': 458433, 'had served it': 373491, 'served it purpose': 751995, 'it purpose retail': 460561, 'purpose retail store': 690154, 'retail store year': 718736, 'store year ago': 811656, 'year ago and': 1014349, 'ago and needed': 38342, 'and needed massive': 67488, 'needed massive change': 556427, 'massive change of': 519983, 'change of direction': 172196, 'of direction rather': 582639, 'direction rather than': 243482, 'rather than tweaking': 697557, 'than tweaking to': 841365, 'tweaking to get': 936292, 'to get it': 906517, 'get it going': 347407, 'it going covid': 458280, 'going covid 19': 355092, 'covid 19 accelerated': 212572, '19 accelerated not': 4786, 'accelerated not created': 27891, 'not created the': 568925, 'created the issue': 215908, 'the issue one': 858576, 'issue one of': 455875, 'of many coming': 586173, 'many coming up': 513911, 'mtn': 544627, 'southafrica': 786794, 'mtn cut': 544628, 'cut data': 223288, '50 in': 19723, 'in southafrica': 428135, 'southafrica in': 786806, 'solidarity for': 781931, '19 nothing': 8836, 'changed here': 172489, 'nigeria where': 562820, 'the bulk': 850103, 'bulk of': 142327, 'mtn cut data': 544629, 'cut data price': 223289, 'data price by': 226355, 'price by 50': 673009, 'by 50 in': 151666, '50 in southafrica': 19727, 'in southafrica in': 428136, 'southafrica in solidarity': 786807, 'in solidarity for': 428072, 'solidarity for covid': 781932, 'covid 19 nothing': 213486, '19 nothing ha': 8837, 'nothing ha changed': 573027, 'ha changed here': 370125, 'changed here in': 172490, 'here in nigeria': 393170, 'in nigeria where': 425891, 'nigeria where they': 562821, 'where they make': 985284, 'they make the': 882651, 'make the bulk': 510559, 'the bulk of': 850105, 'bulk of their': 142332, 'meatshop': 525827, 'coimbatorecorporation': 185618, 'lockdowndiary': 500238, 'thecovaipost': 872307, 'up following': 944869, 'following lockdown': 312784, 'lockdown shop': 499906, 'to coimbatore': 902941, 'coimbatore corporation': 185612, 'corporation norm': 207446, 'norm meatshop': 567049, 'meatshop price': 525828, 'price coimbatorecorporation': 673163, 'coimbatorecorporation lockdown': 185619, 'lockdown lockdowndiary': 499612, 'lockdowndiary fightagainstcoronavirus': 500239, 'fightagainstcoronavirus thecovaipost': 304967, 'thecovaipost coimbatore': 872308, 'meat price go': 525697, 'go up following': 354430, 'up following lockdown': 944870, 'following lockdown shop': 312786, 'lockdown shop not': 499907, 'shop not adhering': 760502, 'adhering to coimbatore': 32234, 'to coimbatore corporation': 902942, 'coimbatore corporation norm': 185613, 'corporation norm meatshop': 207447, 'norm meatshop price': 567050, 'meatshop price coimbatorecorporation': 525829, 'price coimbatorecorporation lockdown': 673164, 'coimbatorecorporation lockdown lockdowndiary': 185620, 'lockdown lockdowndiary fightagainstcoronavirus': 499613, 'lockdowndiary fightagainstcoronavirus thecovaipost': 500240, 'fightagainstcoronavirus thecovaipost coimbatore': 304968, 'cowering': 214477, 'hub told': 409831, 'me today': 523802, 'should stock': 766507, 'on more': 602203, 'preserve what': 670709, 'hell cowering': 388996, 'hub told me': 409832, 'told me today': 923628, 'me today that': 523805, 'today that should': 920272, 'that should stock': 846292, 'should stock up': 766508, 'up on more': 945592, 'on more food': 602205, 'more food to': 539257, 'food to preserve': 317282, 'to preserve what': 912023, 'preserve what the': 670710, 'the hell cowering': 857239, 'shoved': 766822, 'knocking': 476179, 'yelped': 1015299, 'monday when': 536414, 'when reaching': 983922, 'reaching for': 700083, 'some apple': 782305, 'apple an': 82303, 'lady looked': 478789, 'looked 80': 502699, '80 shoved': 22628, 'shoved in': 766825, 'me so': 523488, 'so shocked': 778202, 'at someone': 100586, 'someone knocking': 784546, 'knocking into': 476182, 'me yelped': 524035, 'yelped jumped': 1015300, 'jumped back': 467923, 'back she': 107267, 'she got': 756057, 'the apple': 848826, 'apple but': 82312, 'but lord': 146318, 'lord know': 503313, 'that her': 844315, 'her at': 391863, 'on supermarket on': 603798, 'supermarket on monday': 821728, 'on monday when': 602191, 'monday when reaching': 536415, 'when reaching for': 983923, 'reaching for some': 700084, 'for some apple': 325728, 'some apple an': 782307, 'apple an old': 82304, 'old lady looked': 598323, 'lady looked 80': 478790, 'looked 80 shoved': 502700, '80 shoved in': 22629, 'shoved in front': 766826, 'of me so': 586340, 'me so shocked': 523496, 'so shocked at': 778203, 'shocked at someone': 759556, 'at someone knocking': 100588, 'someone knocking into': 784547, 'knocking into me': 476183, 'into me yelped': 442750, 'me yelped jumped': 524036, 'yelped jumped back': 1015301, 'jumped back she': 467924, 'back she got': 107268, 'she got the': 756061, 'got the apple': 358895, 'the apple but': 848827, 'apple but lord': 82313, 'but lord know': 146319, 'lord know what': 503314, 'what else if': 981410, 'else if that': 271736, 'if that her': 414938, 'that her at': 844316, 'comsumption': 192784, 'premiumization': 669983, 'winetasting': 995964, 'winedrinking': 995930, 'winelover': 995938, 'wineindustry': 995934, 'very interesting': 955272, 'is shifting': 451848, 'shifting wine': 758571, 'wine comsumption': 995799, 'comsumption are': 192785, 'of premiumization': 588359, 'premiumization winetasting': 669984, 'winetasting winedrinking': 995965, 'winedrinking winelover': 995931, 'winelover wineindustry': 995939, 'very interesting article': 955274, 'on how is': 601403, 'how is shifting': 408106, 'is shifting wine': 451854, 'shifting wine comsumption': 758572, 'wine comsumption are': 995800, 'comsumption are we': 192786, 'we seeing the': 973180, 'seeing the end': 746494, 'end of premiumization': 275910, 'of premiumization winetasting': 588360, 'premiumization winetasting winedrinking': 669985, 'winetasting winedrinking winelover': 995966, 'winedrinking winelover wineindustry': 995932, 'dispensary': 246117, 'stance': 793466, 'stalker': 793348, 'of am': 580019, 'am out': 50293, 'of touch': 592336, 'some friend': 782910, 'friend family': 333596, 'family but': 297671, 'that dispensary': 843554, 'dispensary went': 246126, 'to year': 918868, 'ago know': 38416, 'know their': 476856, 'their new': 874048, 'new hour': 558896, 'hour their': 405987, 'staff their': 792955, 'their delivery': 872992, 'delivery stance': 234569, 'stance price': 793477, 'stop texting': 805113, 'texting ve': 839990, 'had stalker': 373549, 'stalker with': 793349, 'more chill': 538810, 'because of am': 119306, 'of am out': 580021, 'am out of': 50294, 'out of touch': 626864, 'of touch with': 592339, 'touch with some': 926582, 'with some friend': 1000845, 'some friend family': 782911, 'friend family but': 333597, 'family but you': 297676, 'but you know': 147989, 'you know who': 1019544, 'know who do': 477034, 'not need an': 570652, 'need an update': 554411, 'update on that': 947137, 'on that dispensary': 603934, 'that dispensary went': 843555, 'dispensary went to': 246127, 'went to year': 979206, 'to year ago': 918869, 'year ago know': 1014354, 'ago know their': 38417, 'know their new': 476858, 'their new hour': 874051, 'new hour their': 558898, 'hour their staff': 405988, 'their staff their': 874800, 'staff their delivery': 792956, 'their delivery stance': 872996, 'delivery stance price': 234570, 'stance price they': 793478, 'price they will': 676905, 'not stop texting': 571758, 'stop texting ve': 805115, 'texting ve had': 839991, 've had stalker': 953236, 'had stalker with': 373550, 'stalker with more': 793350, 'with more chill': 999552, 'shelf cleared': 756943, 'cleared new': 181419, 'zealand hit': 1027291, 'hit 20': 398093, '20 covid': 13017, 'supermarket shelf cleared': 822443, 'shelf cleared new': 756945, 'cleared new zealand': 181420, 'new zealand hit': 559988, 'zealand hit 20': 1027292, 'hit 20 covid': 398094, '20 covid 19': 13018, 'johnlewis': 466571, 'lewis say': 487842, 'say all': 738401, 'all 50': 41904, 'close on': 182734, 'monday night': 536344, 'night due': 562984, 'coronavirus johnlewis': 206187, 'johnlewis retail': 466572, 'john lewis say': 466539, 'lewis say all': 487843, 'say all 50': 738402, 'all 50 of': 41905, '50 of it': 19771, 'it store will': 461303, 'store will close': 811328, 'will close on': 992946, 'close on monday': 182737, 'on monday night': 602177, 'monday night due': 536347, 'night due to': 562985, 'to coronavirus johnlewis': 903556, 'coronavirus johnlewis retail': 206188, 'johnlewis retail via': 466573, 'fitch': 309507, 'sovereign': 786937, 'fitch say': 309512, 'say rapid': 739083, 'rapid deterioration': 696906, 'deterioration in': 239416, 'global sovereign': 352206, 'sovereign rating': 786944, 'rating outlook': 697594, 'outlook due': 629143, 'fall make': 296983, 'make additional': 509646, 'fitch say rapid': 309513, 'say rapid deterioration': 739084, 'rapid deterioration in': 696907, 'deterioration in global': 239418, 'in global sovereign': 423339, 'global sovereign rating': 352207, 'sovereign rating outlook': 786946, 'rating outlook due': 697595, 'outlook due to': 629144, 'price fall make': 673789, 'fall make additional': 296984, 'worker everywhere': 1006883, 'everywhere panicbuying': 288243, 'letter to supermarket': 487372, 'supermarket worker everywhere': 824018, 'worker everywhere panicbuying': 1006885, 'rmbs': 724289, 'performance': 651423, 'borrower': 135611, 'on european': 600605, 'european ab': 283534, 'and rmbs': 70573, 'rmbs transaction': 724290, 'transaction will': 929485, 'be diverse': 114503, 'diverse with': 248529, 'credit performance': 216454, 'performance varying': 651474, 'varying among': 952676, 'among transaction': 53102, 'transaction backed': 929437, 'backed by': 107528, 'lending and': 486268, 'those backed': 891830, 'by commercial': 152155, 'commercial borrower': 188676, 'borrower read': 135624, 'read why': 700663, 'effect of 19': 269041, 'of 19 on': 579406, '19 on european': 8942, 'on european ab': 600606, 'european ab and': 283535, 'ab and rmbs': 24167, 'and rmbs transaction': 70574, 'rmbs transaction will': 724291, 'transaction will be': 929486, 'will be diverse': 992434, 'be diverse with': 114504, 'diverse with credit': 248530, 'with credit performance': 997849, 'credit performance varying': 216455, 'performance varying among': 651475, 'varying among transaction': 952677, 'among transaction backed': 53103, 'transaction backed by': 929438, 'backed by consumer': 107530, 'by consumer lending': 152187, 'consumer lending and': 198030, 'lending and those': 486269, 'and those backed': 74020, 'those backed by': 891831, 'backed by commercial': 107529, 'by commercial borrower': 152156, 'commercial borrower read': 188677, 'borrower read why': 135625, 'read why here': 700665, 'hardly': 378241, 'nor': 566929, 'hardly any': 378244, 'any socialdistancing': 79828, 'socialdistancing seen': 780665, 'seen at': 746956, 'at vegetable': 101433, 'store neither': 809054, 'neither are': 557313, 'are shopkeeper': 90052, 'shopkeeper enforcing': 761178, 'enforcing it': 276821, 'it nor': 459840, 'nor are': 566939, 'than aware': 840375, 'aware customer': 105610, 'customer it': 222544, 'it bit': 456878, 'bit scary': 131693, 'scary visiting': 741216, 'visiting store': 959549, 'hardly any socialdistancing': 378251, 'any socialdistancing seen': 79830, 'socialdistancing seen at': 780666, 'seen at vegetable': 746960, 'at vegetable and': 101434, 'vegetable and grocery': 953925, 'grocery store neither': 365588, 'store neither are': 809055, 'neither are shopkeeper': 557314, 'are shopkeeper enforcing': 90053, 'shopkeeper enforcing it': 761179, 'enforcing it nor': 276822, 'it nor are': 459841, 'nor are more': 566940, 'are more than': 88123, 'more than aware': 540594, 'than aware customer': 840376, 'aware customer it': 105611, 'customer it bit': 222545, 'it bit scary': 456881, 'bit scary visiting': 131694, 'scary visiting store': 741217, 'visiting store now': 959551, 'disastrous': 244279, 'disrupts': 246562, 'disastrous situation': 244292, 'situation mountain': 772389, 'being wasted': 126049, 'wasted in': 968239, 'the disrupts': 853409, 'disrupts the': 246571, 'disastrous situation mountain': 244293, 'situation mountain of': 772390, 'mountain of food': 543425, 'food are being': 313404, 'are being wasted': 84942, 'being wasted in': 126051, 'wasted in the': 968241, 'the the disrupts': 869379, 'the disrupts the': 853411, 'disrupts the supply': 246572, 'murphy': 546199, 'humidor': 410843, 'latest covid': 481279, 'update per': 947160, 'per governor': 650870, 'governor murphy': 360940, 'murphy our': 546204, 'and humidor': 64869, 'humidor will': 410844, 'for grab': 321972, 'grab go': 361491, 'go we': 354484, 'be delivering': 114403, 'delivering if': 233517, 'needed must': 556436, 'be 21': 113420, '21 to': 15033, 'to accept': 899935, 'accept delivery': 27953, 'delivery unfortunately': 234705, 'unfortunately we': 941660, 'our lounge': 623812, 'latest covid 19': 481280, '19 update per': 11676, 'update per governor': 947161, 'per governor murphy': 650871, 'governor murphy our': 360941, 'murphy our retail': 546205, 'store and humidor': 806263, 'and humidor will': 64870, 'humidor will remain': 410845, 'will remain open': 994634, 'remain open for': 709810, 'open for grab': 612248, 'for grab go': 321973, 'grab go we': 361492, 'go we will': 354487, 'we will also': 973833, 'will also be': 992251, 'also be delivering': 47919, 'be delivering if': 114406, 'delivering if needed': 233518, 'if needed must': 414462, 'needed must be': 556437, 'must be 21': 546489, 'be 21 to': 113421, '21 to accept': 15034, 'to accept delivery': 899939, 'accept delivery unfortunately': 27954, 'delivery unfortunately we': 234706, 'unfortunately we have': 941662, 'have to close': 383179, 'close our lounge': 182753, 'pseudomed': 687468, 'uc': 937872, 'irvine': 445127, 'debunked': 230633, 'rejuvi': 708348, 'liver': 496224, 'attributed': 102744, 'herbalife': 392587, 'digest 20': 242447, '20 pseudomed': 13283, 'pseudomed uc': 687469, 'uc irvine': 937877, 'irvine naturopath': 445129, '19 debunked': 6460, 'debunked rejuvi': 230634, 'rejuvi marketer': 708349, 'marketer cure': 517460, 'cure all': 220693, 'all claim': 42357, 'claim liver': 179761, 'liver failure': 496229, 'failure in': 296273, 'in 23': 419886, '23 year': 15442, 'old attributed': 598155, 'attributed to': 102745, 'to supplement': 915867, 'supplement more': 824416, 'more regulatory': 540209, 'regulatory trouble': 708186, 'trouble for': 932610, 'for herbalife': 322239, 'herbalife where': 392588, 'report fraudulent': 711961, '19 product': 9835, 'health digest 20': 386381, 'digest 20 pseudomed': 242448, '20 pseudomed uc': 13284, 'pseudomed uc irvine': 687470, 'uc irvine naturopath': 937878, 'irvine naturopath covid': 445130, 'covid 19 debunked': 212920, '19 debunked rejuvi': 6461, 'debunked rejuvi marketer': 230635, 'rejuvi marketer cure': 708350, 'marketer cure all': 517461, 'cure all claim': 220694, 'all claim liver': 42358, 'claim liver failure': 179762, 'liver failure in': 496230, 'failure in 23': 296274, 'in 23 year': 419887, '23 year old': 15443, 'year old attributed': 1014811, 'old attributed to': 598156, 'attributed to supplement': 102748, 'to supplement more': 915868, 'supplement more regulatory': 824417, 'more regulatory trouble': 540210, 'regulatory trouble for': 708187, 'trouble for herbalife': 932613, 'for herbalife where': 322240, 'herbalife where to': 392589, 'where to report': 985310, 'to report fraudulent': 913271, 'report fraudulent covid': 711962, 'covid 19 product': 213616, 'trade one': 928539, 'one roll': 606971, 'chicken must': 175818, 'must live': 546754, 'angeles dm': 76373, 'me got': 522829, 'the super': 868425, 'super soft': 818583, 'soft toiletpaper': 781493, 'toiletpaper chicken': 921856, 'will trade one': 995221, 'trade one roll': 928540, 'one roll of': 606975, 'paper for chicken': 640176, 'for chicken must': 320050, 'chicken must live': 175819, 'must live in': 546755, 'live in los': 495874, 'in los angeles': 424924, 'los angeles dm': 503364, 'angeles dm me': 76374, 'dm me got': 248906, 'me got the': 522832, 'got the super': 358916, 'the super soft': 868431, 'super soft toiletpaper': 818584, 'soft toiletpaper chicken': 781494, 'marketcrash': 517414, 'chinesecoronavirus': 177402, 'chucknorris': 178297, 'breakingnews': 139086, 'breaking wuhanvirus': 139083, 'wuhanvirus marketcrash': 1013578, 'marketcrash chinavirus': 517415, 'chinavirus chinesecoronavirus': 177152, 'chinesecoronavirus maga': 177407, 'maga cdc': 508273, 'cdc washyourhands': 168630, 'washyourhands toiletpaper': 967929, 'toiletpaper water': 922819, 'water chucknorris': 968941, 'chucknorris breakingnews': 178298, 'breaking wuhanvirus marketcrash': 139084, 'wuhanvirus marketcrash chinavirus': 1013579, 'marketcrash chinavirus chinesecoronavirus': 517416, 'chinavirus chinesecoronavirus maga': 177153, 'chinesecoronavirus maga cdc': 177408, 'maga cdc washyourhands': 508274, 'cdc washyourhands toiletpaper': 168631, 'washyourhands toiletpaper water': 967932, 'toiletpaper water chucknorris': 922820, 'water chucknorris breakingnews': 968942, 'illjustorderfromthecharmery': 416332, 'week went': 977211, 'paper meat': 640460, 'or bread': 614579, 'bread this': 138614, 'morning went': 541541, 'went and': 978951, 'no ice': 564458, 'cream glad': 215549, 'glad everyone': 351488, 'everyone got': 286951, 'got their': 358919, 'their priority': 874446, 'priority straight': 678660, 'straight illjustorderfromthecharmery': 812218, 'last week went': 480692, 'week went to': 977212, 'store and there': 806374, 'wa no toilet': 962738, 'toilet paper meat': 921356, 'paper meat or': 640461, 'meat or bread': 525680, 'or bread this': 614582, 'bread this morning': 138615, 'this morning went': 889037, 'morning went and': 541542, 'went and there': 978955, 'wa no ice': 962725, 'no ice cream': 564459, 'ice cream glad': 412653, 'cream glad everyone': 215550, 'glad everyone got': 351489, 'everyone got their': 286952, 'got their priority': 358921, 'their priority straight': 874449, 'priority straight illjustorderfromthecharmery': 678661, 'laughed': 481790, 'store couple': 807207, 'couple day': 211574, 'realized not': 701898, 'not many': 570529, 'many folk': 514075, 'folk know': 312205, 'cook cook': 202733, 'cook aisle': 202715, 'aisle full': 40253, 'of dry': 582856, 'dry rice': 261296, 'rice and': 720987, 'and dry': 61785, 'dry bean': 261243, 'bean replenished': 118355, 'replenished my': 711672, 'my bean': 547412, 'bean supply': 118371, 'just laughed': 469112, 'laughed all': 481791, 'went into the': 979051, 'grocery store couple': 365309, 'store couple day': 807208, 'couple day back': 211576, 'day back for': 227345, 'back for few': 106992, 'for few thing': 321459, 'few thing and': 304092, 'thing and realized': 884131, 'and realized not': 70008, 'realized not many': 701899, 'not many folk': 570530, 'many folk know': 514077, 'folk know how': 312206, 'know how to': 476463, 'to cook cook': 903480, 'cook cook aisle': 202734, 'cook aisle full': 202716, 'aisle full of': 40255, 'full of dry': 340718, 'of dry rice': 582858, 'dry rice and': 261297, 'rice and dry': 720991, 'and dry bean': 61786, 'dry bean replenished': 261244, 'bean replenished my': 118356, 'replenished my bean': 711673, 'my bean supply': 547413, 'bean supply and': 118372, 'supply and just': 824731, 'and just laughed': 65702, 'just laughed all': 469113, 'laughed all stay': 481792, 'all stay safe': 44445, 'juha': 467722, 'saarinen': 728976, 'coronavirus juha': 206189, 'juha saarinen': 467723, 'saarinen online': 728977, 'online government': 608306, 'government service': 360584, 'shopping must': 763304, 'be robust': 116907, 'robust during': 724839, '19 coronavirus juha': 6108, 'coronavirus juha saarinen': 206190, 'juha saarinen online': 467724, 'saarinen online government': 728978, 'online government service': 608307, 'government service and': 360585, 'service and grocery': 752089, 'and grocery shopping': 64002, 'grocery shopping must': 365054, 'shopping must be': 763305, 'must be robust': 546541, 'be robust during': 116908, 'robust during pandemic': 724840, 'during pandemic via': 262906, 'canal': 160787, 'get essential': 346948, 'essential but': 280868, 'it amazing': 456450, 'amazing the': 50800, 'of there': 591796, 'london no': 501139, 'no socialdistancing': 565550, 'socialdistancing lot': 780505, 'lot and': 503979, 'around along': 93182, 'along the': 47024, 'the canal': 850325, 'canal you': 160794, 'to get essential': 906470, 'get essential but': 346949, 'essential but it': 280871, 'but it amazing': 146097, 'it amazing the': 456453, 'amazing the number': 50801, 'number of there': 577001, 'of there are': 591797, 'there are in': 878115, 'are in london': 87411, 'in london no': 424890, 'london no socialdistancing': 501140, 'no socialdistancing lot': 565553, 'socialdistancing lot and': 780506, 'lot and lot': 503983, 'of people walking': 588019, 'people walking around': 650128, 'walking around along': 965020, 'around along the': 93183, 'along the canal': 47026, 'the canal you': 850326, 'canal you may': 160795, 'you may die': 1019795, 'edit': 268577, 'selfquarantine': 748557, 'wa watching': 963665, 'watching tv': 968816, 'an can': 55517, 'one scene': 606995, 'scene showed': 741356, 'showed basketball': 767317, 'basketball crowd': 112432, 'crowd throwing': 219277, 'throwing toilet': 895115, 'at end': 98540, 'of game': 584032, 'game re': 343233, 're edit': 698589, 'edit may': 268585, 'be needed': 116056, 'needed toiletpaperpanic': 556556, 'toiletpaperapocalypse sport': 922922, 'sport selfquarantine': 789978, 'selfquarantine selfisolation': 748572, 'selfisolation toiletpaper': 748509, 'wa watching tv': 963667, 'watching tv and': 968817, 'tv and an': 936081, 'and an can': 58107, 'an can be': 55518, 'can be on': 157650, 'be on and': 116188, 'on and one': 599365, 'and one scene': 68093, 'one scene showed': 606996, 'scene showed basketball': 741357, 'showed basketball crowd': 767318, 'basketball crowd throwing': 112433, 'crowd throwing toilet': 219278, 'throwing toilet paper': 895116, 'roll at end': 725197, 'at end of': 98541, 'end of game': 275898, 'of game re': 584033, 'game re edit': 343234, 're edit may': 698590, 'edit may be': 268586, 'may be needed': 521010, 'be needed toiletpaperpanic': 116060, 'needed toiletpaperpanic toiletpaperapocalypse': 556557, 'toiletpaperpanic toiletpaperapocalypse sport': 923273, 'toiletpaperapocalypse sport selfquarantine': 922923, 'sport selfquarantine selfisolation': 789979, 'selfquarantine selfisolation toiletpaper': 748574, 'tearful': 835978, 'video york': 956974, 'york nurse': 1016643, 'nurse who': 577542, 'who made': 989240, 'made tearful': 507980, 'tearful plea': 835990, 'plea over': 659554, 'over supermarket': 630661, 'ha symptom': 372138, 'video york nurse': 956975, 'york nurse who': 1016644, 'nurse who made': 577547, 'who made tearful': 989244, 'made tearful plea': 507982, 'tearful plea over': 835992, 'plea over supermarket': 659555, 'over supermarket panic': 630663, 'supermarket panic buying': 821902, 'buying ha symptom': 150451, 'little something': 495579, 'something we': 785130, 'together recently': 920908, 'recently how': 704111, 'handsanitizer diy': 376513, 'little something we': 495580, 'something we put': 785136, 'we put together': 972797, 'put together recently': 690944, 'together recently how': 920909, 'recently how to': 704112, 'to make homemade': 909677, 'sanitizer handsanitizer diy': 735033, 'wary': 967403, 'be wary': 118048, 'wary of': 967404, 'purchase be wary': 689379, 'be wary of': 118049, 'wary of scam': 967410, 'of scam and': 589355, 'skype': 773256, 'running session': 728055, 'session in': 753283, 'on managing': 601981, 'managing shopping': 512888, 'amp staying': 54562, 'staying in': 798633, 'in contact': 421735, 'via skype': 956239, 'skype or': 773265, 'facetime older': 295219, 'to help in': 907543, 'help in their': 389910, 'their community are': 872823, 'community are running': 189739, 'are running session': 89770, 'running session in': 728056, 'session in on': 753285, 'in on managing': 426121, 'on managing shopping': 601986, 'managing shopping online': 512889, 'shopping online amp': 763407, 'online amp staying': 607804, 'amp staying in': 54563, 'staying in contact': 798635, 'in contact via': 421737, 'contact via skype': 200252, 'via skype or': 956240, 'skype or facetime': 773266, 'or facetime older': 615252, 'centered': 169336, 'coronacrisis retail': 204730, 'risk in': 723622, 'more 200': 538483, '200 customer': 13475, 'customer centered': 222241, 'centered supermarket': 169345, 'happen month': 377116, 'month end': 537703, 'end anyway': 275775, 'anyway customer': 80998, 'customer is': 222534, 'right they': 722301, 'can kiss': 158829, 'kiss you': 475463, 'coronacrisis retail employee': 204731, 'employee are at': 273607, 'at risk in': 100370, 'risk in day': 723624, 'in day like': 422013, 'day like this': 227911, 'like this more': 491507, 'this more 200': 888926, 'more 200 customer': 538484, '200 customer centered': 13476, 'customer centered supermarket': 222242, 'centered supermarket what': 169346, 'supermarket what will': 823795, 'will happen month': 993599, 'happen month end': 377117, 'month end anyway': 537704, 'end anyway customer': 275776, 'anyway customer is': 80999, 'customer is always': 222536, 'always right they': 49729, 'right they can': 722303, 'they can kiss': 881648, 'can kiss you': 158830, 'kiss you if': 475464, 'you if they': 1019282, 'if they want': 415136, 'intreo': 443363, 'quay': 693301, 'the intreo': 858408, 'intreo office': 443364, 'office are': 595365, 'provide social': 686480, 'social welfare': 780012, 'welfare service': 977969, 'the parking': 863298, 'the george': 856221, 'george quay': 346015, 'quay office': 693302, 'office keep': 595472, 'with emergency': 998201, 'when offering': 983789, 'offering thanks': 595276, 'during the staff': 263198, 'the staff at': 867683, 'at the intreo': 100989, 'the intreo office': 858409, 'intreo office are': 443365, 'office are working': 595370, 'working to provide': 1008998, 'to provide social': 912434, 'provide social welfare': 686481, 'social welfare service': 780013, 'welfare service this': 977970, 'service this is': 752956, 'is the parking': 452886, 'the parking lot': 863299, 'parking lot of': 642097, 'lot of the': 504302, 'of the george': 591061, 'the george quay': 856222, 'george quay office': 346016, 'quay office keep': 693303, 'office keep them': 595473, 'them in mind': 875906, 'in mind along': 425336, 'along with emergency': 47052, 'with emergency service': 998203, 'store worker when': 811622, 'worker when offering': 1008179, 'when offering thanks': 983790, 'relaxing': 708886, 'quarantinis': 693095, 'dynamic': 263898, 'duo': 262321, 'review': 720551, '21st': 15136, 'are relaxing': 89550, 'relaxing in': 708891, 'while having': 986905, 'having some': 384277, 'some quarantinis': 783679, 'quarantinis our': 693096, 'our dynamic': 622818, 'dynamic duo': 263904, 'duo review': 262322, 'review life': 720570, 'in during': 422420, 'during 21st': 262423, '21st century': 15139, 'century apocalypse': 169611, 'and consumer are': 60350, 'consumer are relaxing': 196304, 'are relaxing in': 89551, 'relaxing in lockdown': 708892, 'in lockdown while': 424857, 'lockdown while having': 500136, 'while having some': 986907, 'having some quarantinis': 384279, 'some quarantinis our': 783680, 'quarantinis our dynamic': 693097, 'our dynamic duo': 622819, 'dynamic duo review': 263905, 'duo review life': 262323, 'review life in': 720571, 'life in during': 488757, 'in during 21st': 422422, 'during 21st century': 262424, '21st century apocalypse': 15140, 'somalia': 782218, 'all eye': 42730, 'eye will': 294127, '2020 consumer': 14239, 'index report': 434237, 'report which': 712430, 'be published': 116614, 'on 15th': 599013, '15th april': 4038, 'april in': 83618, 'february food': 301716, 'price inflation': 674822, 'inflation wa': 437258, 'wa market': 962621, 'market price': 516878, 'in somalia': 428077, 'somalia what': 782221, 'all eye will': 42733, 'eye will be': 294128, 'be on march': 116203, 'on march 2020': 602016, 'march 2020 consumer': 515153, '2020 consumer price': 14242, 'consumer price index': 198425, 'price index report': 674814, 'index report which': 434238, 'report which will': 712433, 'which will be': 986481, 'will be published': 992624, 'be published on': 116615, 'published on 15th': 688672, 'on 15th april': 599014, '15th april in': 4040, 'april in february': 83619, 'in february food': 422843, 'february food price': 301717, 'food price inflation': 315952, 'price inflation wa': 674827, 'inflation wa market': 437259, 'wa market price': 962622, 'market price expected': 516887, 'to increase to': 908307, 'increase to covid': 433135, 'increase in somalia': 432867, 'in somalia what': 428078, 'somalia what do': 782222, 'supply what': 826091, 'aisle crowd': 40232, 'crowd during': 219153, 'pandemic information': 635733, 'and guidance': 64038, 'guidance about': 368195, 'changing quickly': 172782, 'the asked': 848970, 'the expert': 854729, 'if you must': 415479, 'you must go': 1019920, 'go to store': 354363, 'store or supermarket': 809373, 'or supermarket for': 617281, 'food or supply': 315671, 'or supply what': 617301, 'supply what the': 826093, 'what the best': 982297, 'way to navigate': 970057, 'navigate the aisle': 553076, 'the aisle crowd': 848518, 'aisle crowd during': 40233, 'crowd during the': 219154, 'the pandemic information': 862999, 'pandemic information and': 635734, 'information and guidance': 437736, 'and guidance about': 64039, 'guidance about the': 368196, 'virus is changing': 958368, 'is changing quickly': 446480, 'changing quickly so': 172783, 'quickly so the': 694601, 'so the asked': 778415, 'the asked the': 848971, 'asked the expert': 95841, 'pandemic2020': 637103, 'that pandemic': 845638, 'pandemic pandemic2020': 636145, 'pandemic2020 panicbuying': 637106, 'panicbuying tp': 639099, 'paper what that': 641078, 'what that pandemic': 982285, 'that pandemic pandemic2020': 845639, 'pandemic pandemic2020 panicbuying': 636146, 'pandemic2020 panicbuying tp': 637107, 'panicbuying tp toiletpaper': 639100, 'going all': 355006, 'keep fed': 471497, 'frontline worker at': 338860, 'worker at grocery': 1006463, 'store are going': 806481, 'are going all': 86876, 'going all out': 355007, 'all out to': 43843, 'out to keep': 627656, 'to keep fed': 908787, 'coronapimpin': 205173, 'sexydistancing': 754234, 'sexy': 754224, 'igotyouboo': 415937, 'my newest': 549478, 'newest pick': 560064, 'up line': 945321, 'line hey': 493171, 'hey girl': 394390, 'girl hey': 350252, 'hey got': 394396, 'got what': 359012, 'need coronapimpin': 554645, 'coronapimpin sexydistancing': 205174, 'sexydistancing sexy': 754235, 'sexy funny': 754225, 'funny bored': 341708, 'bored laugh': 135355, 'laugh comedy': 481718, 'comedian funny': 187722, 'funny igotyouboo': 341749, 'igotyouboo toiletpaper': 415938, 'toiletpaper lysol': 922214, 'my newest pick': 549480, 'newest pick up': 560065, 'pick up line': 655734, 'up line hey': 945322, 'line hey girl': 493172, 'hey girl hey': 394391, 'girl hey got': 350253, 'hey got what': 394398, 'got what you': 359015, 'you need coronapimpin': 1019978, 'need coronapimpin sexydistancing': 554646, 'coronapimpin sexydistancing sexy': 205175, 'sexydistancing sexy funny': 754236, 'sexy funny bored': 754226, 'funny bored laugh': 341709, 'bored laugh comedy': 135356, 'laugh comedy comedian': 481719, 'comedy comedian funny': 187737, 'comedian funny igotyouboo': 187723, 'funny igotyouboo toiletpaper': 341750, 'igotyouboo toiletpaper lysol': 415939, 'supermarket hasn': 820671, 'hasn put': 378766, 'put one': 690732, 'family rule': 298192, 'rule when': 727403, 'shopping socialdistancing': 763937, 'the only supermarket': 862348, 'only supermarket hasn': 611222, 'supermarket hasn put': 820672, 'hasn put one': 378767, 'put one person': 690735, 'person per family': 652577, 'per family rule': 650834, 'family rule when': 298193, 'rule when shopping': 727404, 'when shopping socialdistancing': 984026, 'excitement': 289582, 'rot': 726157, 'hopefully enough': 403849, 'enough people': 277556, 'amazing person': 50758, 'person excitement': 652423, 'excitement and': 289583, 'filling cupboard': 305601, 'cupboard with': 220502, 'than they': 841296, 'eat before': 265861, 'it rot': 460803, 'rot keep': 726167, 'keep calm': 471375, 'calm and': 156681, 'hopefully enough people': 403850, 'enough people will': 277559, 'people will see': 650410, 'will see this': 994796, 'see this amazing': 745938, 'this amazing person': 886304, 'amazing person excitement': 50759, 'person excitement and': 652424, 'excitement and stop': 289584, 'and stop filling': 72473, 'stop filling cupboard': 804650, 'filling cupboard with': 305602, 'cupboard with more': 220503, 'with more food': 999555, 'more food than': 539255, 'food than they': 317080, 'than they can': 841298, 'they can eat': 881628, 'can eat before': 158191, 'eat before it': 265862, 'before it rot': 122893, 'it rot keep': 460805, 'rot keep calm': 726168, 'keep calm and': 471377, 'calm and stop': 156698, 'and stop panic': 72481, 'sakal': 731836, 'sakalnews': 731842, 'viral': 957583, 'sakalmedia': 731839, 'lockdownnow': 500331, 'coronavirus india': 206129, 'india panic': 434565, 'in pune': 427115, 'pune lead': 689195, 'in vegetable': 430544, 'fruit price': 339128, 'price sakal': 676288, 'sakal sakalnews': 731837, 'sakalnews viral': 731843, 'viral news': 957608, 'news sakalmedia': 560766, 'sakalmedia india': 731840, 'india corona': 434357, 'corona lockdownnow': 204045, 'lockdownnow lockdown': 500334, 'coronavirus india panic': 206130, 'india panic buying': 434566, 'buying in pune': 150538, 'in pune lead': 427118, 'pune lead to': 689196, 'lead to surge': 483392, 'surge in vegetable': 828215, 'in vegetable fruit': 430546, 'vegetable fruit price': 953992, 'fruit price sakal': 339129, 'price sakal sakalnews': 676289, 'sakal sakalnews viral': 731838, 'sakalnews viral news': 731844, 'viral news sakalmedia': 957609, 'news sakalmedia india': 560767, 'sakalmedia india corona': 731841, 'india corona lockdownnow': 434359, 'corona lockdownnow lockdown': 204046, 'in here': 423667, 'here wa': 393774, 'not bought': 568604, 'bought this': 136751, 'nothing fresh': 573018, 'fresh left': 333018, 'me staysafestayhome': 523547, 'staysafestayhome socialdistanacing': 799016, 'socialdistanacing stoppanicbuying': 780115, 'stoppanicbuying stopthespread': 805647, 'note that most': 572805, 'that most of': 845230, 'the food in': 855560, 'food in here': 314942, 'in here wa': 423672, 'here wa not': 393775, 'wa not bought': 962759, 'not bought this': 568606, 'bought this week': 136755, 'this week there': 891280, 'week there is': 977025, 'is nothing fresh': 450235, 'nothing fresh left': 573019, 'fresh left in': 333019, 'left in store': 485518, 'in store near': 428432, 'near me staysafestayhome': 553543, 'me staysafestayhome socialdistanacing': 523548, 'staysafestayhome socialdistanacing stoppanicbuying': 799017, 'socialdistanacing stoppanicbuying stopthespread': 780116, 'you shopping': 1021171, 'amazon with': 51209, 'shopping lot': 763216, 'online so': 609386, 'so next': 777871, 'online try': 609641, 'try amazonsmile': 934434, 'amazonsmile all': 51259, 'same product': 733250, 'but amazon': 145168, 'amazon donates': 50919, 'donates of': 254400, 'the purchase': 864915, 'purchase price': 689632, 'to world': 918823, 'world child': 1009416, 'child cancer': 176032, 'are you shopping': 91854, 'you shopping on': 1021174, 'shopping on amazon': 763385, 'on amazon with': 599296, 'amazon with the': 51210, 'with the effect': 1001278, 'we are shopping': 970710, 'are shopping lot': 90061, 'shopping lot more': 763217, 'lot more online': 504111, 'more online so': 539944, 'online so next': 609391, 'so next time': 777874, 'shop online try': 760592, 'online try amazonsmile': 609642, 'try amazonsmile all': 934435, 'amazonsmile all the': 51260, 'all the same': 44897, 'the same product': 866284, 'same product and': 733252, 'product and price': 680899, 'and price but': 69440, 'price but amazon': 672973, 'but amazon donates': 145170, 'amazon donates of': 50920, 'donates of the': 254401, 'of the purchase': 591380, 'the purchase price': 864919, 'purchase price to': 689634, 'price to world': 677063, 'to world child': 918824, 'world child cancer': 1009417, 'staffing': 793151, 'fra': 330854, 'very poor': 955417, 'poor customer': 664161, 'service if': 752466, 'the algorithm': 848571, 'algorithm run': 41664, 'emergency and': 272596, 'refund the': 706958, 'cost also': 207846, 'poor staffing': 664295, 'staffing fra': 793154, 'very poor customer': 955418, 'poor customer service': 664162, 'customer service if': 222826, 'service if you': 752470, 'if you let': 415462, 'you let the': 1019595, 'let the algorithm': 487117, 'the algorithm run': 848573, 'algorithm run the': 41665, 'run the price': 727825, 'price up in': 677239, 'up in state': 945181, 'in state of': 428242, 'of emergency and': 583026, 'emergency and do': 272598, 'do not refund': 249818, 'not refund the': 571283, 'refund the cost': 706960, 'the cost also': 851980, 'cost also very': 207847, 'also very poor': 49063, 'very poor staffing': 955420, 'poor staffing fra': 664296, 'reassured': 703203, 'ram': 696316, 'bajekal': 108735, 'fmf': 311754, 'ltd': 506381, 'stock this': 802973, 'is reassured': 451333, 'reassured by': 703204, 'by ram': 153717, 'ram bajekal': 696317, 'bajekal managing': 108736, 'of fmf': 583615, 'fmf food': 311755, 'food ltd': 315353, 'ltd country': 506384, 'country battle': 210501, 'deadly coronavirus': 229258, 'is enough stock': 447516, 'enough stock this': 277635, 'stock this is': 802974, 'this is reassured': 888375, 'is reassured by': 451334, 'reassured by ram': 703205, 'by ram bajekal': 153718, 'ram bajekal managing': 696318, 'bajekal managing director': 108737, 'managing director of': 512866, 'director of fmf': 243649, 'of fmf food': 583616, 'fmf food ltd': 311756, 'food ltd country': 315354, 'ltd country battle': 506385, 'country battle the': 210502, 'battle the deadly': 112826, 'the deadly coronavirus': 852945, 'deadly coronavirus disease': 229259, 'oneindiapolls': 607550, 'oneindiapolls is': 607551, 'is hiking': 448470, 'ticket good': 895624, 'oneindiapolls is hiking': 607552, 'is hiking price': 448471, 'platform ticket good': 659033, 'ticket good move': 895625, 'wuhancoronavius': 1013553, 'love but': 504624, 'become another': 119925, 'another useless': 77933, 'useless panic': 950240, 'panic tool': 638731, 'tool everyone': 925406, 'everyone need': 287201, 'stop posting': 804926, 'posting story': 666690, 'not having': 569892, 'having enough': 384048, 'demand you': 236535, 'problem corona': 679502, 'virus wuhancoronavius': 959069, 'wuhancoronavius wuflu': 1013555, 'love but this': 504625, 'this is starting': 888410, 'starting to become': 795014, 'to become another': 901669, 'become another useless': 119926, 'another useless panic': 77934, 'useless panic tool': 950241, 'panic tool everyone': 638732, 'tool everyone need': 925407, 'everyone need to': 287208, 'to stop posting': 915556, 'stop posting story': 804929, 'posting story about': 666691, 'story about not': 811893, 'about not having': 25816, 'not having enough': 569896, 'having enough food': 384049, 'and not being': 67723, 'with demand you': 997997, 'demand you are': 236536, 'the problem corona': 864509, 'problem corona virus': 679503, 'corona virus wuhancoronavius': 204379, 'virus wuhancoronavius wuflu': 959070, 'this amazon': 886306, 'amazon just': 51020, 'just restocked': 469636, 'restocked hand': 716949, 'sanitizer back': 734541, 'you see this': 1021074, 'see this amazon': 745939, 'this amazon just': 886308, 'amazon just restocked': 51022, 'just restocked hand': 469637, 'restocked hand sanitizer': 716950, 'hand sanitizer back': 375318, 'sanitizer back in': 734542, 'back in stock': 107098, 'single delivery': 771286, 'supermarket due': 820038, 'to being': 901732, 'my only': 549588, 'option please': 614087, 'being selfish': 125731, 'selfish foodshortages': 748090, 'not single delivery': 571595, 'single delivery slot': 771287, 'available for any': 104359, 'for any supermarket': 319426, 'any supermarket not': 79904, 'supermarket not able': 821638, 'able to go': 24487, 'the supermarket due': 868563, 'supermarket due to': 820042, 'due to being': 261710, 'to being in': 901739, 'risk group to': 723597, 'group to get': 366932, 'get food so': 347064, 'food so this': 316667, 'is my only': 449805, 'my only option': 549593, 'only option please': 610916, 'option please stop': 614088, 'please stop being': 660568, 'stop being selfish': 804496, 'being selfish foodshortages': 125740, 'bahrain': 108563, 'been registered': 121805, 'registered by': 707641, 'by business': 152023, 'in bahrain': 420667, 'bahrain fear': 108566, 'disease covid': 245122, 'ha forced': 370654, 'forced people': 328593, 'adopt social': 32676, 'distancing bahrain': 247026, 'surge in online': 828199, 'and grocery ha': 63987, 'ha been registered': 369895, 'been registered by': 121806, 'registered by business': 707642, 'by business in': 152027, 'business in bahrain': 143880, 'in bahrain fear': 420668, 'bahrain fear over': 108567, 'over the spread': 630770, 'coronavirus disease covid': 205829, 'disease covid 19': 245123, '19 ha forced': 7346, 'ha forced people': 370663, 'forced people to': 328594, 'people to adopt': 649872, 'to adopt social': 900128, 'adopt social distancing': 32677, 'social distancing bahrain': 779562, 'it weren': 462317, 'weren for': 980396, 'staff janitor': 792589, 'driver many': 259651, 'would starve': 1012266, 'starve and': 795187, 'and starve': 72268, 'starve sick': 795217, 'our damn': 622692, 'damn influence': 225372, 'influence punk': 437319, 'if it weren': 414344, 'it weren for': 462318, 'weren for supermarket': 980397, 'for supermarket staff': 326026, 'supermarket staff janitor': 822859, 'staff janitor trunk': 792591, 'trunk driver many': 934225, 'driver many of': 259652, 'many of you': 514404, 'of you would': 593434, 'you would starve': 1022458, 'would starve and': 1012267, 'starve and starve': 795188, 'and starve sick': 72269, 'starve sick so': 795218, 'give our damn': 350630, 'our damn influence': 622693, 'damn influence punk': 225373, 'influence punk as': 437320, 'lad': 478710, 'everton': 285633, 'turkish': 935589, 'edinburgh': 268565, 'fucking hell': 339888, 'hell lad': 389030, 'lad this': 478717, 'answer for': 78052, 'friday night': 333260, 'no everton': 564138, 'everton or': 285634, 'or pub': 616738, 'pub it': 687721, 'got chatting': 358478, 'about olive': 25840, 'olive coffee': 598735, 'coffee turkish': 185556, 'turkish delight': 935590, 'delight whiskey': 233042, 'whiskey house': 987771, 'in edinburgh': 422494, 'edinburgh and': 268566, 'and surrounding': 72889, 'fucking hell lad': 339889, 'hell lad this': 389031, 'lad this covid': 478718, '19 ha lot': 7362, 'ha lot to': 371192, 'lot to answer': 504388, 'to answer for': 900582, 'answer for it': 78053, 'for it friday': 322705, 'it friday night': 458140, 'friday night and': 333261, 'night and with': 562953, 'and with no': 75776, 'with no everton': 999748, 'no everton or': 564139, 'everton or pub': 285635, 'or pub it': 616740, 'pub it got': 687723, 'it got chatting': 458315, 'got chatting about': 358479, 'chatting about olive': 174009, 'about olive coffee': 25841, 'olive coffee turkish': 598736, 'coffee turkish delight': 185557, 'turkish delight whiskey': 935591, 'delight whiskey house': 233043, 'whiskey house price': 987772, 'price in edinburgh': 674680, 'in edinburgh and': 422495, 'edinburgh and surrounding': 268567, 'legislated': 485960, 'homebuying': 402641, 'homebuyer': 402628, 'residential': 714417, 'househunters': 407001, 'buy house': 148798, 'house just': 406385, 'just before': 468311, 'pandemic don': 635323, 'don count': 253444, 'on force': 600958, 'majeure protection': 509219, 'protection unless': 685667, 'it legislated': 459330, 'legislated or': 485961, 'or included': 615769, 'the contract': 851688, 'contract consumer': 201643, 'consumer homebuying': 197767, 'homebuying homebuyer': 402642, 'homebuyer realestate': 402629, 'realestate residential': 701524, 'residential househunters': 714428, 'househunters law': 407002, 'buy house just': 148800, 'house just before': 406386, 'just before the': 468320, 'before the pandemic': 123180, 'the pandemic don': 862951, 'pandemic don count': 635324, 'don count on': 253445, 'count on force': 210144, 'on force majeure': 600959, 'force majeure protection': 328431, 'majeure protection unless': 509220, 'protection unless it': 685668, 'unless it legislated': 942623, 'it legislated or': 459331, 'legislated or included': 485962, 'or included in': 615770, 'in the contract': 429095, 'the contract consumer': 851689, 'contract consumer homebuying': 201644, 'consumer homebuying homebuyer': 197768, 'homebuying homebuyer realestate': 402643, 'homebuyer realestate residential': 402630, 'realestate residential househunters': 701525, 'residential househunters law': 714429, 'cocooned': 185294, 'duration': 262365, 'eve nobody': 283782, 'nobody smiling': 566060, 'smiling nobody': 775776, 'nobody looking': 566034, 'to spending': 915003, 'spending month': 788908, 'month cocooned': 537650, 'cocooned with': 185295, 'family shelf': 298215, 'shelf depleted': 756976, 'depleted note': 237412, 'note covid': 572716, 'not kill': 570281, 'kill sense': 474489, 'of humor': 584892, 'humor be': 410853, 'happy at': 377587, 'least because': 484409, 'zealand for': 1027282, 'the duration': 853784, 'checkout at supermarket': 174888, 'at supermarket is': 100736, 'supermarket is like': 821103, 'is like christmas': 449312, 'christmas eve nobody': 178171, 'eve nobody smiling': 283783, 'nobody smiling nobody': 566061, 'smiling nobody looking': 775777, 'nobody looking forward': 566035, 'forward to spending': 330036, 'to spending month': 915005, 'spending month cocooned': 788909, 'month cocooned with': 537651, 'cocooned with family': 185296, 'with family shelf': 998384, 'family shelf depleted': 298216, 'shelf depleted note': 756977, 'depleted note covid': 237413, 'note covid 19': 572717, '19 doe not': 6605, 'doe not kill': 251503, 'not kill sense': 570283, 'kill sense of': 474490, 'sense of humor': 750559, 'of humor be': 584893, 'humor be happy': 410854, 'be happy at': 115142, 'happy at least': 377588, 'at least because': 99470, 'least because you': 484410, 'because you are': 119859, 'are in new': 87414, 'in new zealand': 425836, 'new zealand for': 559984, 'zealand for the': 1027283, 'for the duration': 326399, 'cop guard': 203267, 'guard toiletpaper': 367856, 'toiletpaper aisle': 921697, 'cop guard toiletpaper': 203268, 'guard toiletpaper aisle': 367857, 'toiletpaper aisle at': 921699, 'aisle at supermarket': 40214, 'supermarket in florida': 820898, 'store opening': 809275, 'opening line': 612871, 'line life': 493231, 'grocery store opening': 365618, 'store opening line': 809281, 'opening line life': 612872, 'line life in': 493232, 'life in the': 488769, 'poke': 662828, 'patty': 644531, 'quarantaine': 691975, 'quarantine time': 692630, 'time true': 898134, 'true story': 933173, 'story thought': 812133, 'thought poke': 893183, 'poke little': 662831, 'little fun': 495359, 'fun have': 341175, 'little laugh': 495431, 'laugh instead': 481736, 'of cry': 582236, 'cry patty': 219904, 'patty grocery': 644532, 'run quarantaine': 727780, 'quarantaine quarantinelife': 691976, 'quarantinelife quarantineandchill': 692994, 'the quarantine time': 864980, 'quarantine time true': 692633, 'time true story': 898135, 'true story thought': 933175, 'story thought poke': 812134, 'thought poke little': 893184, 'poke little fun': 662832, 'little fun have': 495360, 'fun have little': 341176, 'have little laugh': 381351, 'little laugh instead': 495432, 'laugh instead of': 481737, 'instead of cry': 440249, 'of cry patty': 582237, 'cry patty grocery': 219905, 'patty grocery store': 644533, 'store run quarantaine': 809931, 'run quarantaine quarantinelife': 727781, 'quarantaine quarantinelife quarantineandchill': 691977, 'tpshortage': 928094, 'real talk': 701386, 'talk when': 833909, 'when watch': 984423, 'watch movie': 968476, 'movie now': 544036, 'now catch': 574356, 'catch myself': 167014, 'myself noticing': 550916, 'noticing toilet': 573516, 'background tpshortage': 107554, 'tpshortage toiletpaper': 928097, 'real talk when': 701387, 'talk when watch': 833912, 'when watch movie': 984424, 'watch movie now': 968478, 'movie now catch': 544037, 'now catch myself': 574357, 'catch myself noticing': 167015, 'myself noticing toilet': 550917, 'noticing toilet paper': 573517, 'the background tpshortage': 849160, 'background tpshortage toiletpaper': 107555, 'tpshortage toiletpaper toiletpaperpanic': 928098, 'somebody': 784249, 'cross': 218981, 'walk you': 964929, 'see somebody': 745725, 'somebody let': 784268, 'them pas': 876146, 'pas or': 643135, 'or cross': 614858, 'cross the': 219034, 'street bring': 812927, 'bring clorox': 139943, 'clorox wipe': 182469, 'for cart': 319943, 'store look': 808819, 'sick then': 768626, 'then go': 877204, 'opposite direction': 613779, 'direction and': 243440, 'shopping mentalhealth': 763278, 'you go for': 1018848, 'for walk you': 327632, 'walk you see': 964931, 'you see somebody': 1021066, 'see somebody let': 745726, 'somebody let them': 784269, 'let them pas': 487159, 'them pas or': 876147, 'pas or cross': 643136, 'or cross the': 614859, 'cross the street': 219035, 'the street bring': 868220, 'street bring clorox': 812928, 'bring clorox wipe': 139944, 'clorox wipe for': 182472, 'wipe for cart': 996261, 'for cart at': 319944, 'cart at grocery': 165262, 'grocery store look': 365541, 'store look for': 808820, 'look for people': 502368, 'who are sick': 988220, 'are sick then': 90117, 'sick then go': 768627, 'then go the': 877209, 'go the opposite': 354208, 'the opposite direction': 862410, 'opposite direction and': 613780, 'direction and do': 243443, 'your shopping mentalhealth': 1025786, 'houston and': 407184, 'and across': 57617, 'have fallen': 380563, 'fallen to': 297182, 'their lowest': 873892, 'lowest in': 506170, 'least decade': 484437, 'gasoline price in': 344263, 'price in houston': 674695, 'in houston and': 423868, 'houston and across': 407185, 'and across the': 57619, 'country have fallen': 210736, 'have fallen to': 380577, 'fallen to their': 297187, 'to their lowest': 917252, 'their lowest in': 873893, 'lowest in at': 506174, 'at least decade': 99481, 'sumone': 818046, 'keep mobile': 471671, 'mobile test': 535028, 'test lab': 839077, 'one ambulance': 605889, 'ambulance for': 51331, '19 near': 8753, 'near vegetable': 553627, 'vegetable market': 954027, 'market supermarket': 517146, 'can test': 159931, 'test all': 838904, 'all public': 44086, 'public who': 688478, 'came there': 157059, 'there if': 878496, 'if sumone': 414891, 'sumone find': 818047, 'find positive': 307182, 'positive send': 665426, 'send him': 749871, 'him her': 396623, 'quarantine centre': 692075, 'centre through': 169554, 'through ambulance': 894317, 'keep mobile test': 471672, 'mobile test lab': 535029, 'test lab and': 839078, 'lab and one': 478247, 'and one ambulance': 68084, 'one ambulance for': 605890, 'ambulance for covid': 51332, 'covid 19 near': 213467, '19 near vegetable': 8754, 'near vegetable market': 553628, 'vegetable market supermarket': 954032, 'market supermarket and': 517147, 'supermarket and grocery': 818992, 'grocery store where': 365947, 'store where can': 811256, 'where can test': 984769, 'can test all': 159932, 'test all public': 838906, 'all public who': 44091, 'public who came': 688479, 'who came there': 988366, 'came there if': 157060, 'there if sumone': 878498, 'if sumone find': 414892, 'sumone find positive': 818048, 'find positive send': 307183, 'positive send him': 665427, 'send him her': 749872, 'him her to': 396625, 'her to quarantine': 392469, 'to quarantine centre': 912639, 'quarantine centre through': 692078, 'centre through ambulance': 169555, 'think twice': 885725, 'twice before': 936515, 'before becoming': 122659, 'becoming covid': 120284, 'buyer stocking': 149759, 'up excessive': 944823, 'excessive amount': 289378, 'only contribute': 610269, 'from buying': 334773, 'other good': 620302, 'good they': 357834, 'think twice before': 885726, 'twice before becoming': 936516, 'before becoming covid': 122660, 'becoming covid 19': 120285, '19 panic buyer': 9540, 'panic buyer stocking': 637603, 'buyer stocking up': 149760, 'stocking up excessive': 803617, 'up excessive amount': 944824, 'excessive amount of': 289379, 'amount of food': 53222, 'food will only': 317628, 'will only contribute': 994328, 'only contribute to': 610270, 'contribute to and': 201878, 'to and prevent': 900519, 'prevent the elderly': 671732, 'elderly and other': 270584, 'vulnerable people from': 961090, 'people from buying': 647983, 'from buying food': 334775, 'and other good': 68334, 'other good they': 620308, 'good they need': 357837, 'teresa': 838035, 'wickham': 991690, 'tunbridge': 935394, '42': 18897, 'retail analyst': 717808, 'analyst teresa': 57180, 'teresa wickham': 838038, 'wickham of': 991691, 'of tunbridge': 592502, 'tunbridge well': 935395, 'well discussing': 978162, 'discussing supermarket': 245001, 'supermarket choice': 819693, 'choice on': 177798, 'on bbc': 599593, 'news march': 560597, 'march 21': 515170, '21 at': 14970, 'at 14': 97467, '14 42': 3400, '42 you': 18917, 'need 27': 554344, '27 olive': 16297, 'oil you': 597531, 'you probably': 1020436, 'probably need': 679327, 'need three': 555839, 'four to': 330687, 'choose from': 177887, 'from quite': 337027, 'retail analyst teresa': 717809, 'analyst teresa wickham': 57181, 'teresa wickham of': 838039, 'wickham of tunbridge': 991692, 'of tunbridge well': 592503, 'tunbridge well discussing': 935396, 'well discussing supermarket': 978163, 'discussing supermarket choice': 245002, 'supermarket choice on': 819694, 'choice on bbc': 177799, 'on bbc news': 599595, 'bbc news march': 113092, 'news march 21': 560598, 'march 21 at': 515173, '21 at 14': 14971, 'at 14 42': 97468, '14 42 you': 3401, '42 you do': 18918, 'not need 27': 570650, 'need 27 olive': 554345, '27 olive oil': 16298, 'olive oil you': 598742, 'oil you know': 597532, 'you know you': 1019547, 'know you probably': 477087, 'you probably need': 1020442, 'probably need three': 679328, 'need three or': 555840, 'or four to': 615387, 'four to choose': 330688, 'to choose from': 902744, 'choose from quite': 177888, 'read about': 700249, 'security during': 744585, 'an interesting read': 56409, 'interesting read about': 441601, 'read about food': 700251, 'about food waste': 25266, 'food waste and': 317469, 'waste and food': 968071, 'and food security': 63089, 'food security during': 316344, 'security during covid': 744586, 'regime': 707338, 'delivery firm': 233998, 'firm seems': 308417, 'better treatment': 128582, 'treatment regime': 931132, 'regime that': 707368, 'government yes': 360834, 'yes there': 1015561, 'are question': 89379, 'where these': 985268, 'these test': 880800, 'test have': 839012, 'from but': 334763, 'where supermarket delivery': 985194, 'supermarket delivery firm': 819921, 'delivery firm seems': 233999, 'firm seems to': 308418, 'to have better': 907210, 'have better treatment': 379781, 'better treatment regime': 128583, 'treatment regime that': 931133, 'regime that the': 707369, 'the government yes': 856633, 'government yes there': 360835, 'yes there are': 1015562, 'there are question': 878151, 'are question to': 89381, 'question to where': 693781, 'to where these': 918543, 'where these test': 985269, 'these test have': 880802, 'test have come': 839013, 'have come from': 380029, 'come from but': 187301, 'from but still': 334767, 'unthinkable': 943624, 'the unthinkable': 870473, 'unthinkable switch': 943627, 'switch off': 830500, 'market freeze': 516427, 'freeze all': 332509, 'all bank': 42113, 'every individual': 285952, 'individual person': 435236, 'person until': 652675, 'over keep': 630349, 'the electricity': 854177, 'electricity gas': 271176, 'supply maintained': 825525, 'maintained food': 509085, 'ration supplied': 697728, 'supplied and': 824444, 'and controlled': 60519, 'government what': 360795, 'what if we': 981642, 'do the unthinkable': 250270, 'the unthinkable switch': 870474, 'unthinkable switch off': 943628, 'switch off the': 830501, 'off the stock': 594271, 'stock market freeze': 802400, 'market freeze all': 516428, 'freeze all bank': 332510, 'all bank account': 42114, 'bank account for': 109550, 'account for every': 28665, 'for every individual': 321169, 'every individual person': 285953, 'individual person until': 435237, 'person until this': 652676, 'until this pandemic': 943903, 'this pandemic is': 889396, 'is over keep': 450706, 'over keep the': 630350, 'keep the electricity': 472042, 'the electricity gas': 854179, 'electricity gas water': 271177, 'gas water supply': 344177, 'water supply maintained': 969187, 'supply maintained food': 825526, 'maintained food ration': 509086, 'food ration supplied': 316122, 'ration supplied and': 697729, 'supplied and controlled': 824445, 'and controlled by': 60520, 'the government what': 856626, 'government what if': 360797, 'ducking': 261558, 'is pointing': 450917, 'pointing because': 662748, 'gather next': 344388, 'each just': 264111, 'just get': 468799, 'the ducking': 853766, 'ducking grocery': 261559, 'store pointless': 809604, 'socialdistancing is pointing': 780471, 'is pointing because': 450918, 'pointing because people': 662749, 'because people still': 119479, 'people still have': 649595, 'have to gather': 383217, 'to gather next': 906378, 'gather next to': 344389, 'next to each': 561617, 'to each just': 904825, 'each just get': 264112, 'just get inside': 468801, 'inside the ducking': 439411, 'the ducking grocery': 853767, 'ducking grocery store': 261560, 'grocery store pointless': 365666, 'bide': 129528, 'symptons': 830969, 'confusing': 194362, 'first saturday': 308988, 'saturday of': 737051, 'can actually': 157361, 'actually leave': 30870, 'leave house': 484827, 'house on': 406429, 'monday on': 536354, 'food hunt': 314874, 'hunt household': 411364, 'to bide': 901809, 'bide their': 129529, 'their time': 874985, 'time extra': 896643, 'extra day': 293494, 'day or': 228167, 'more if': 539474, 'their symptons': 874935, 'symptons start': 830972, 'start late': 794361, 'late just': 480886, 'just read': 469559, 'on gov': 601156, 'gov website': 359734, 'website it': 975325, 'it dark': 457465, 'dark confusing': 225959, 'confusing time': 194369, 'but feeling': 145709, 'feeling better': 302969, 'better here': 128319, 'here stay': 393594, 'safe coronacrisis': 729566, 'first saturday of': 308989, 'saturday of isolation': 737052, 'of isolation can': 585335, 'isolation can actually': 455229, 'can actually leave': 157365, 'actually leave house': 30871, 'leave house on': 484830, 'house on monday': 406431, 'on monday on': 602179, 'monday on supermarket': 536356, 'on supermarket food': 603788, 'supermarket food hunt': 820359, 'food hunt household': 314875, 'hunt household have': 411365, 'household have to': 406832, 'have to bide': 383165, 'to bide their': 901810, 'bide their time': 129530, 'their time extra': 874988, 'time extra day': 896644, 'extra day or': 293495, 'day or more': 228173, 'or more if': 616174, 'more if their': 539477, 'if their symptons': 415059, 'their symptons start': 874936, 'symptons start late': 830973, 'start late just': 794362, 'late just read': 480887, 'just read on': 469562, 'read on gov': 700480, 'on gov website': 601157, 'gov website it': 359736, 'website it dark': 975326, 'it dark confusing': 457467, 'dark confusing time': 225960, 'confusing time but': 194370, 'time but feeling': 896418, 'but feeling better': 145710, 'feeling better here': 302970, 'better here stay': 128321, 'here stay safe': 393595, 'stay safe coronacrisis': 797222, 'been into': 121405, 'lyon in': 507146, 'lockdown shopper': 499908, 'are 1m': 84112, '1m apart': 12648, 'apart it': 81295, 'calm no': 156771, 'food seems': 316382, 'different picture': 242027, 'picture in': 656141, 'uk who': 938889, 'who haven': 988972, 'haven got': 383810, 'the restriction': 865669, 've just been': 953294, 'just been into': 468304, 'been into my': 121406, 'in lyon in': 424969, 'lyon in lockdown': 507147, 'in lockdown shopper': 424851, 'lockdown shopper are': 499909, 'shopper are 1m': 761381, 'are 1m apart': 84113, '1m apart it': 12649, 'apart it calm': 81296, 'it calm no': 456999, 'calm no queue': 156774, 'of food seems': 583772, 'food seems to': 316383, 'be different picture': 114451, 'different picture in': 242028, 'picture in the': 656142, 'the uk who': 870302, 'uk who haven': 938891, 'who haven got': 988975, 'haven got the': 383812, 'got the restriction': 358913, 'proctorgamble': 680088, 'albany': 40746, 'the proctorgamble': 864559, 'proctorgamble factory': 680089, 'factory in': 295956, 'in albany': 420141, 'albany georgia': 40749, 'georgia city': 346029, 'city hit': 179186, 'is aiming': 445429, 'produce one': 680379, 'most sought': 542761, 'after product': 36079, 'america toilet': 51715, 'the proctorgamble factory': 864560, 'proctorgamble factory in': 680090, 'factory in albany': 295957, 'in albany georgia': 420143, 'albany georgia city': 40750, 'georgia city hit': 346030, 'city hit hard': 179187, 'by the is': 154360, 'the is aiming': 858474, 'is aiming to': 445430, 'aiming to produce': 39585, 'to produce one': 912202, 'produce one of': 680380, 'the most sought': 861038, 'most sought after': 542762, 'sought after product': 786208, 'after product in': 36080, 'product in america': 681277, 'in america toilet': 420240, 'america toilet paper': 51716, 'feedingus': 302518, 'bakingstrong': 108941, 'for very': 327543, 'very inspirational': 955268, 'inspirational message': 439814, 'message thanking': 529430, 'thanking our': 841986, 'chain hero': 170779, 'hero these': 394122, 'these dedicated': 879910, 'dedicated men': 231720, 'woman continue': 1003447, 'grow produce': 367059, 'produce distribute': 680240, 'distribute stock': 248008, '19 feedingus': 6967, 'feedingus bakingstrong': 302519, 'bakingstrong inthistogether': 108942, 'you for very': 1018682, 'for very inspirational': 327545, 'very inspirational message': 955269, 'inspirational message thanking': 439815, 'message thanking our': 529431, 'thanking our food': 841989, 'supply chain hero': 824970, 'chain hero these': 170780, 'hero these dedicated': 394124, 'these dedicated men': 879911, 'dedicated men and': 231721, 'and woman continue': 75802, 'woman continue to': 1003448, 'continue to grow': 201204, 'to grow produce': 907038, 'grow produce distribute': 367060, 'produce distribute stock': 680241, 'distribute stock our': 248009, 'stock our food': 802598, 'our food during': 623108, 'covid 19 feedingus': 213083, '19 feedingus bakingstrong': 6968, 'feedingus bakingstrong inthistogether': 302520, 'outflow': 628969, 'unmanageable': 942821, 'emerging market': 273129, 'will face': 993388, 'face multiple': 294629, 'multiple challenge': 545730, 'challenge result': 171542, 'crisis say': 218000, 'say capital': 738489, 'capital outflow': 162670, 'outflow foreign': 628972, 'foreign currency': 328970, 'currency debt': 221022, 'debt higher': 230496, 'higher interest': 395617, 'rate increase': 697270, 'increase on': 432950, 'on government': 601158, 'government bond': 359935, 'bond decline': 134237, 'and tourism': 74315, 'tourism debt': 926978, 'debt can': 230430, 'can become': 157730, 'become unmanageable': 120178, 'emerging market will': 273134, 'market will face': 517357, 'will face multiple': 993392, 'face multiple challenge': 294630, 'multiple challenge result': 545732, 'challenge result of': 171543, 'the crisis say': 852443, 'crisis say capital': 218001, 'say capital outflow': 738490, 'capital outflow foreign': 162672, 'outflow foreign currency': 628973, 'foreign currency debt': 328971, 'currency debt higher': 221023, 'debt higher interest': 230497, 'higher interest rate': 395618, 'interest rate increase': 441394, 'rate increase on': 697271, 'increase on government': 432951, 'on government bond': 601159, 'government bond decline': 359936, 'bond decline in': 134238, 'price and tourism': 672568, 'and tourism debt': 74320, 'tourism debt can': 926979, 'debt can become': 230431, 'can become unmanageable': 157734, 'mindset': 532841, '19 hero': 7519, 'hero the': 394114, 'people positive': 649153, 'positive mindset': 665369, 'covid 19 hero': 213203, '19 hero the': 7523, 'hero the pub': 394117, 'help people positive': 390304, 'people positive mindset': 649154, 'digitaltransformation': 242814, 'pwc': 691368, 'designthinking': 238397, 'dataanalytics': 226505, 'rpa': 726656, 'infographics': 437649, 'win with': 995599, 'with digitaltransformation': 998034, 'digitaltransformation in': 242816, 'in changing': 421326, 'changing time': 172829, 'time pwc': 897535, 'pwc via': 691371, 'via ai': 955786, 'ai designthinking': 39311, 'designthinking cx': 238398, 'cx iot': 223914, 'iot dataanalytics': 444473, 'dataanalytics rpa': 226508, 'rpa infographics': 726657, 'way to win': 970119, 'to win with': 918618, 'win with digitaltransformation': 995601, 'with digitaltransformation in': 998035, 'digitaltransformation in changing': 242817, 'in changing time': 421327, 'changing time pwc': 172832, 'time pwc via': 897536, 'pwc via ai': 691372, 'via ai designthinking': 955787, 'ai designthinking cx': 39312, 'designthinking cx iot': 238399, 'cx iot dataanalytics': 223915, 'iot dataanalytics rpa': 444474, 'dataanalytics rpa infographics': 226509, 'and stockpiling': 72448, 'stockpiling do': 803941, 'not do': 569055, 'need india': 555053, 'this rumor': 889932, 'rumor of': 727492, 'of impending': 584995, 'impending shortage': 418329, 'shortage is': 765033, 'being spread': 125844, 'by trader': 154583, 'trader to': 928778, 'to earn': 904833, 'earn more': 264802, 'more money': 539786, 'buying and stockpiling': 149933, 'and stockpiling do': 72451, 'stockpiling do not': 803942, 'do not do': 249718, 'not do it': 569062, 'do it no': 249494, 'it no need': 459831, 'no need india': 564850, 'need india ha': 555054, 'india ha enough': 434441, 'ha enough food': 370495, 'enough food stock': 277412, 'food stock this': 316812, 'stock this rumor': 802975, 'this rumor of': 889933, 'rumor of impending': 727494, 'of impending shortage': 584996, 'impending shortage is': 418330, 'shortage is being': 765036, 'is being spread': 446115, 'being spread by': 125848, 'spread by trader': 790464, 'by trader to': 154587, 'trader to earn': 928781, 'to earn more': 904838, 'earn more money': 264804, 'england': 276994, 'england uk': 277037, 'seen social': 747241, 'but work': 147922, 'england uk we': 277039, 'uk we have': 938869, 'have seen social': 382442, 'seen social distancing': 747242, 'distancing measure to': 247327, 'measure to try': 525411, 'to try and': 917812, 'try and reduce': 934450, 'and reduce the': 70099, 'of coronavirus but': 581918, 'coronavirus but work': 205589, 'but work in': 147926, 'supermarket and have': 818995, 'and have seen': 64273, 'consumer provider': 198586, 'provider relationship': 686771, 'relationship is': 708698, 'is emerging': 447470, 'emerging it': 273125, 'just telehealth': 469962, 'telehealth mapping': 836746, 'mapping the': 514963, 'the patient': 863396, 'patient journey': 644197, 'journey athome': 467468, 'athome and': 101790, 'using that': 950683, 'that data': 843441, 'drive interaction': 259078, 'interaction with': 441270, 'normal stayhome': 567335, 'new reality for': 559398, 'reality for the': 701736, 'the consumer provider': 851579, 'consumer provider relationship': 198587, 'provider relationship is': 686772, 'relationship is emerging': 708699, 'is emerging it': 447471, 'emerging it not': 273126, 'not just telehealth': 570254, 'just telehealth mapping': 469963, 'telehealth mapping the': 836747, 'mapping the patient': 514964, 'the patient journey': 863398, 'patient journey athome': 644198, 'journey athome and': 467469, 'athome and using': 101791, 'and using that': 74803, 'using that data': 950684, 'that data to': 843442, 'data to drive': 226456, 'to drive interaction': 904738, 'drive interaction with': 259079, 'interaction with the': 441272, 'with the healthcare': 1001329, 'healthcare system will': 387318, 'system will be': 831377, 'be the new': 117639, 'new normal stayhome': 559172, 'conflict': 194261, 'aim of': 39538, 'of deal': 582404, 'deal is': 229430, 'russia conflict': 728450, 'aim of deal': 39539, 'of deal is': 582409, 'deal is to': 229432, 'is to boost': 453184, 'plummeting price amid': 661388, 'price amid covid': 672310, 'crisis and saudi': 217049, 'and saudi russia': 70938, 'saudi russia conflict': 737297, 'rue': 727077, 're concerned': 698447, 'about be': 24854, 'to contact': 903350, 'in johannesburg': 424399, 'johannesburg you': 466506, '54 rue': 20332, 'rue sauer': 727078, 'sauer johannesburg': 737379, 'you re concerned': 1020592, 're concerned about': 698448, 'concerned about be': 193149, 'about be sure': 24855, 'sure to contact': 827760, 'to contact medical': 903355, 'are in johannesburg': 87405, 'in johannesburg you': 424400, 'johannesburg you can': 466507, 'floor 54 rue': 310766, '54 rue sauer': 20333, 'rue sauer johannesburg': 727079, 'delay full': 232698, 'full year': 340986, 'year result': 1014930, 'result it': 717559, 'it shuts': 461044, 'shuts shop': 768192, 'uk europe': 938333, 'delay full year': 232699, 'full year result': 340992, 'year result it': 1014931, 'result it shuts': 717562, 'it shuts shop': 461045, 'shuts shop in': 768193, 'shop in uk': 760330, 'in uk europe': 430385, 'uk europe and': 938334, 'janev3': 464519, 'bust': 144819, 'janev3 perhaps': 464520, 'perhaps think': 651652, 'world may': 1009790, 'be altered': 113576, 'altered in': 49164, 'way also': 969446, 'also by': 47990, 'may want': 521600, 'want or': 965880, 'home people': 401829, 'find lot': 307038, 'gone bust': 356233, 'bust so': 144827, 'so more': 777750, 'shopping travel': 764242, 'travel may': 930424, 'harder all': 378155, 'janev3 perhaps think': 464521, 'perhaps think the': 651653, 'think the world': 885661, 'the world may': 871911, 'world may be': 1009792, 'may be altered': 520945, 'be altered in': 113577, 'altered in other': 49165, 'in other way': 426252, 'other way also': 621185, 'way also by': 969447, 'also by covid': 47991, 'covid 19 more': 213446, '19 more people': 8681, 'people may want': 648761, 'may want or': 521601, 'want or be': 965881, 'or be forced': 614508, 'work at home': 1004875, 'at home people': 99077, 'home people may': 401834, 'people may find': 648756, 'may find lot': 521190, 'find lot of': 307040, 'lot of business': 504148, 'of business have': 580955, 'business have gone': 143827, 'have gone bust': 380790, 'gone bust so': 356234, 'bust so more': 144828, 'so more online': 777751, 'online shopping travel': 609317, 'shopping travel may': 764243, 'travel may be': 930425, 'may be harder': 520987, 'be harder all': 115148, 'harder all this': 378156, 'all this may': 45117, 'amb': 51270, 'amb india': 51273, 'india thanks': 434635, 'the made': 859863, 'china now': 176852, 'now stop': 575913, 'stop all': 804436, 'all wet': 45437, 'wet market': 980739, 'stop spending': 805047, 'spending trillion': 789031, 'trillion per': 931996, 'per year': 651084, 'on defense': 600252, 'defense and': 232131, 'and instead': 65284, 'instead export': 440176, 'export good': 292643, 'at reduced': 100274, 'price else': 673672, 'else whole': 271989, 'ban made': 109216, 'china item': 176775, 'item permanently': 463563, 'amb india thanks': 51274, 'india thanks for': 434636, 'for the made': 326544, 'the made in': 859864, 'made in china': 507787, 'in china now': 421420, 'china now stop': 176854, 'now stop all': 575914, 'stop all wet': 804443, 'all wet market': 45438, 'wet market and': 980740, 'market and stop': 515993, 'and stop spending': 72486, 'stop spending trillion': 805049, 'spending trillion per': 789032, 'trillion per year': 931997, 'per year on': 651087, 'year on defense': 1014883, 'on defense and': 600253, 'defense and instead': 232132, 'and instead export': 65286, 'instead export good': 440177, 'export good at': 292644, 'good at reduced': 356796, 'at reduced price': 100275, 'reduced price else': 706148, 'price else whole': 673673, 'else whole world': 271990, 'whole world will': 990389, 'world will ban': 1010185, 'will ban made': 992330, 'ban made in': 109217, 'in china item': 421411, 'china item permanently': 176776, 'recession will': 704405, 'will occur': 994304, 'occur in': 579018, 'to main': 909554, 'recovery of': 705363, 'the credit': 852312, 'economy second': 268199, 'second unknown': 743858, 'unknown shock': 942539, 'brings down': 140238, 'down wall': 257436, 'street spx': 813118, 'perhaps the coming': 651640, 'coming recession will': 188177, 'recession will occur': 704408, 'will occur in': 994305, 'occur in three': 579020, 'phase damage to': 654602, 'damage to main': 225238, 'to main street': 909555, 'main street from': 508828, 'street from covid': 812974, 'temp recovery of': 837333, 'recovery of the': 705368, 'of the credit': 590910, 'the credit market': 852316, 'credit market but': 216430, 'market but no': 516127, 'no recovery of': 565310, 'consumer economy second': 197315, 'economy second unknown': 268200, 'second unknown shock': 743859, 'unknown shock later': 942540, 'finally brings down': 305954, 'brings down wall': 140240, 'down wall street': 257437, 'wall street spx': 965190, 'street spx rut': 813119, 're worried': 699842, 'about paying': 25925, 'paying your': 645528, 'bill if': 130594, 'you owe': 1020266, 'owe payment': 631822, 'payment to': 645760, 'to bank': 901029, 'financial firm': 306414, 'you complaining': 1018002, 'complaining to': 191911, 'bureau may': 142793, 'may help': 521267, 'the complaint': 851384, 'complaint database': 191961, 'database work': 226525, 'you re worried': 1020800, 're worried about': 699843, 'worried about paying': 1010512, 'about paying your': 25928, 'paying your bill': 645529, 'your bill if': 1022968, 'bill if you': 130595, 'if you owe': 415490, 'you owe payment': 1020267, 'owe payment to': 631823, 'payment to bank': 645761, 'to bank or': 901034, 'bank or financial': 110075, 'or financial firm': 615310, 'financial firm and': 306415, 'firm and they': 308311, 'and they do': 73902, 'do not work': 249893, 'not work with': 572541, 'work with you': 1006050, 'with you complaining': 1002145, 'you complaining to': 1018003, 'complaining to the': 191912, 'the consumer financial': 851535, 'protection bureau may': 685365, 'bureau may help': 142794, 'may help the': 521271, 'help the complaint': 390643, 'the complaint database': 851385, 'complaint database work': 191962, 'hemp': 391697, 'adapts': 31361, 'cannabisnews': 161473, 'cannabisindustry': 161469, 'from hemp': 335763, 'hemp to': 391715, 'sanitizer alabama': 734337, 'alabama veteran': 40624, 'veteran business': 955713, 'business adapts': 143231, 'adapts to': 31362, 'meet coronavirus': 527443, 'coronavirus demand': 205803, 'demand cannabisnews': 235105, 'cannabisnews hemp': 161474, 'hemp cannabisindustry': 391700, 'from hemp to': 335765, 'hemp to hand': 391716, 'hand sanitizer alabama': 375294, 'sanitizer alabama veteran': 734338, 'alabama veteran business': 40625, 'veteran business adapts': 955714, 'business adapts to': 143232, 'adapts to meet': 31365, 'to meet coronavirus': 910018, 'meet coronavirus demand': 527444, 'coronavirus demand cannabisnews': 205804, 'demand cannabisnews hemp': 235106, 'cannabisnews hemp cannabisindustry': 161475, 'invasionofthebodysnatchers': 443600, 'or gas': 615420, 'station when': 796549, 'when somebody': 984050, 'somebody sneeze': 784280, 'sneeze or': 776262, 'or cough': 614840, 'cough invasionofthebodysnatchers': 208492, 'store or gas': 809334, 'or gas station': 615421, 'gas station when': 344132, 'station when somebody': 796550, 'when somebody sneeze': 984051, 'somebody sneeze or': 784281, 'sneeze or cough': 776263, 'or cough invasionofthebodysnatchers': 614843, 'pantrystaples': 639724, 'practicing social': 668740, 'distancing amid': 246954, 'outbreak stock': 628657, 'these pantry': 880396, 'pantry freezer': 639592, 'freezer staple': 332633, 'staple stay': 793989, 'time my': 897241, 'friend pantrystaples': 333751, 'pantrystaples quarantineandchill': 639725, 'practicing social distancing': 668742, 'social distancing amid': 779550, 'distancing amid the': 246955, '19 outbreak stock': 9192, 'outbreak stock up': 628658, 'up on these': 945630, 'on these pantry': 604572, 'these pantry freezer': 880397, 'pantry freezer staple': 639593, 'freezer staple stay': 332634, 'staple stay healthy': 793990, 'stay healthy during': 796901, 'healthy during these': 387585, 'trying time my': 934751, 'time my friend': 897246, 'my friend pantrystaples': 548445, 'friend pantrystaples quarantineandchill': 333752, 'casual': 166790, 'bankrupt': 110484, 'http': 409750, 'anyone except': 80309, 'except money': 289202, 'money people': 536966, 'there get': 878429, 'sick they': 768629, 'even care': 283939, 'about casual': 24934, 'casual customer': 166793, 'customer like': 222572, 'me my': 523184, 'my entire': 548098, 'entire home': 278686, 'home gym': 401317, 'gym come': 369311, 'store from': 807876, 'from going': 335654, 'going bankrupt': 355053, 'bankrupt http': 110494, 'doesn care about': 251722, 'care about anyone': 163781, 'about anyone except': 24822, 'anyone except money': 80310, 'except money people': 289203, 'money people who': 536969, 'people who work': 650361, 'who work there': 990043, 'work there get': 1005830, 'there get sick': 878430, 'get sick they': 348004, 'sick they do': 768631, 'not even care': 569238, 'even care about': 283940, 'care about casual': 163782, 'about casual customer': 24935, 'casual customer like': 166794, 'customer like me': 222575, 'like me my': 490750, 'me my entire': 523189, 'my entire home': 548100, 'entire home gym': 278687, 'home gym come': 401319, 'gym come from': 369312, 'come from them': 187315, 'from them all': 337955, 'them all this': 875351, 'all this to': 45141, 'this to prevent': 890743, 'prevent the store': 671736, 'the store from': 868024, 'store from going': 807881, 'from going bankrupt': 335656, 'going bankrupt http': 355056, 'viruschino': 959087, 'before going': 122825, 'store coronapocalypse': 807183, 'coronapocalypse pandemic': 205194, 'pandemic viruschino': 636904, 'viruschino panicbuying': 959088, 'panicbuying panicbuy': 639008, 'what to know': 982459, 'know before going': 476295, 'before going to': 122829, 'grocery store coronapocalypse': 365303, 'store coronapocalypse pandemic': 807184, 'coronapocalypse pandemic viruschino': 205195, 'pandemic viruschino panicbuying': 636905, 'viruschino panicbuying panicbuy': 959089, 'world just': 1009733, 'just friendly': 468777, 'friendly reminder': 333990, 'reminder when': 710612, 'or picking': 616606, 'those curbside': 891906, 'curbside treat': 220683, 'treat be': 930805, 'kind these': 474991, 'own safety': 632176, 'safety to': 730772, 'have what': 383576, 'need smile': 555575, 'smile say': 775734, 'asshole socialdistanacing': 96559, 'hey world just': 394555, 'world just friendly': 1009735, 'just friendly reminder': 468778, 'friendly reminder when': 333994, 'reminder when you': 710614, 'store or picking': 809361, 'or picking up': 616607, 'picking up those': 655891, 'up those curbside': 946291, 'those curbside treat': 891907, 'curbside treat be': 220684, 'treat be kind': 930806, 'be kind these': 115630, 'kind these people': 474992, 'people are risking': 647061, 'risking their own': 724097, 'their own safety': 874198, 'own safety to': 632182, 'safety to make': 730775, 'sure you have': 827860, 'you have what': 1019140, 'have what you': 383581, 'you need smile': 1020036, 'need smile say': 555576, 'smile say thank': 775735, 'thank you don': 841718, 'you don be': 1018306, 'an asshole socialdistanacing': 55446, 'on 26': 599081, '26 hosted': 16167, 'hosted their': 404925, 'their 1st': 872420, '1st live': 12760, 'wa learned': 962516, 'on 26 hosted': 599082, '26 hosted their': 16169, 'hosted their 1st': 404926, 'their 1st live': 872422, '1st live consumer': 12761, 'of what wa': 593066, 'what wa learned': 982515, 'wa learned mrx': 962517, 'ism': 454404, 'adp': 32756, 'payroll': 645819, '27k': 16356, '150k': 3959, 'july': 467803, 'post data': 666089, 'data ism': 226292, 'ism manufacturing': 454405, 'manufacturing stronger': 513668, 'stronger than': 814184, 'than anticipated': 840343, 'anticipated 49': 78452, '49 est': 19385, 'est of': 281999, 'of 45': 579590, '45 adp': 19063, 'adp private': 32757, 'private payroll': 678960, 'payroll 27k': 645820, '27k est': 16357, 'of 150k': 579366, '150k conference': 3962, 'conference board': 193721, 'board consumer': 133623, 'index for': 434195, 'march beat': 515290, 'beat expectation': 118521, 'expectation though': 290862, 'though it': 892835, 'it posted': 460398, 'lowest reading': 506219, 'reading since': 700799, 'since july': 770686, 'july 2017': 467804, '2017 ca': 13850, 'post data ism': 666090, 'data ism manufacturing': 226293, 'ism manufacturing stronger': 454406, 'manufacturing stronger than': 513669, 'stronger than anticipated': 814185, 'than anticipated 49': 840344, 'anticipated 49 est': 78453, '49 est of': 19386, 'est of 45': 282001, 'of 45 adp': 579591, '45 adp private': 19064, 'adp private payroll': 32758, 'private payroll 27k': 678961, 'payroll 27k est': 645821, '27k est of': 16358, 'est of 150k': 282000, 'of 150k conference': 579367, '150k conference board': 3963, 'conference board consumer': 193722, 'board consumer confidence': 133624, 'confidence index for': 193905, 'index for march': 434197, 'for march beat': 323246, 'march beat expectation': 515291, 'beat expectation though': 118522, 'expectation though it': 290863, 'though it posted': 892843, 'it posted the': 460399, 'posted the lowest': 666578, 'the lowest reading': 859820, 'lowest reading since': 506220, 'reading since july': 700801, 'since july 2017': 770687, 'july 2017 ca': 467805, 'exploration': 292471, 'hedged': 388723, 'tullowoil': 935283, 'oilindustry': 597584, 'the independent': 858104, 'independent oil': 434122, 'gas exploration': 343839, 'exploration and': 292472, 'and production': 69577, 'production company': 681967, 'company have': 190729, 'have due': 380392, 'current business': 221109, 'business climate': 143530, 'climate in': 182227, 'oil industry': 596881, 'industry hedged': 435879, 'hedged it': 388726, 'it investment': 458837, 'investment tullowoil': 444080, 'tullowoil oilandgas': 935284, 'oilandgas oilprice': 597551, 'oilprice oilindustry': 597626, 'oilindustry ghana': 597585, 'ghana africa': 349551, 'the independent oil': 858106, 'independent oil and': 434123, 'and gas exploration': 63475, 'gas exploration and': 343840, 'exploration and production': 292473, 'and production company': 69579, 'production company have': 681969, 'company have due': 190733, 'have due to': 380393, 'the current business': 852613, 'current business climate': 221110, 'business climate in': 143532, 'climate in the': 182228, 'in the oil': 429414, 'the oil industry': 862109, 'oil industry hedged': 596886, 'industry hedged it': 435880, 'hedged it investment': 388727, 'it investment tullowoil': 458839, 'investment tullowoil oilandgas': 444081, 'tullowoil oilandgas oilprice': 935285, 'oilandgas oilprice oilindustry': 597552, 'oilprice oilindustry ghana': 597627, 'oilindustry ghana africa': 597586, 'focusing': 311984, 'statistic': 796572, 'enthusiastic': 278629, 'it almost': 456399, 'almost certain': 46568, 'is focusing': 447851, 'focusing more': 311987, 'the energy': 854316, 'market these': 517207, 'day than': 228458, 'than on': 840969, 'the statistic': 867836, 'statistic in': 796581, 'york look': 1016635, 'look how': 502406, 'how enthusiastic': 407804, 'enthusiastic and': 278630, 'and involved': 65371, 'involved he': 444346, 'he answer': 384749, 'answer all': 78005, 'all question': 44107, 'topic oil': 925809, 'price versus': 677299, 'versus the': 954957, 'it almost certain': 456401, 'almost certain that': 46569, 'certain that trump': 170110, 'that trump is': 847137, 'trump is focusing': 933644, 'is focusing more': 447852, 'focusing more on': 311988, 'more on the': 539931, 'on the energy': 604092, 'the energy market': 854323, 'energy market these': 276501, 'market these day': 517208, 'these day than': 879895, 'day than on': 228459, 'than on the': 840971, 'on the statistic': 604381, 'the statistic in': 867837, 'statistic in new': 796582, 'new york look': 559939, 'york look how': 1016636, 'look how enthusiastic': 502407, 'how enthusiastic and': 407805, 'enthusiastic and involved': 278631, 'and involved he': 65372, 'involved he answer': 444347, 'he answer all': 384750, 'answer all question': 78006, 'all question about': 44108, 'question about this': 693507, 'about this topic': 26667, 'this topic oil': 890816, 'topic oil price': 925810, 'oil price versus': 597308, 'price versus the': 677300, 'versus the pandemic': 954958, 'wal': 964675, 'these community': 879778, 'community many': 189973, 'have car': 379892, 'local public': 498315, 'transit being': 929628, 'being shut': 125786, 'to wal': 918293, 'wal mart': 964676, 'mart or': 518056, 'or dollar': 615042, 'dollar general': 252997, 'general or': 345427, 'few neighborhood': 303954, 'in these community': 429833, 'these community many': 879779, 'community many people': 189974, 'many people do': 514498, 'not have car': 569817, 'have car in': 379896, 'car in my': 163137, 'area with local': 92283, 'with local public': 999282, 'local public transit': 498317, 'public transit being': 688394, 'transit being shut': 929629, 'being shut down': 125788, '19 it difficult': 8129, 'difficult to get': 242337, 'get to wal': 348501, 'to wal mart': 918294, 'wal mart or': 964679, 'mart or dollar': 518057, 'or dollar general': 615043, 'dollar general or': 252999, 'general or some': 345428, 'or some other': 617150, 'some other grocery': 783479, 'or supermarket few': 617280, 'supermarket few neighborhood': 820303, 'soo it': 785583, 'hour wait': 406071, 'store don': 807358, 'energy for': 276460, 'this new': 889109, 'life houston': 488735, 'soo it like': 785584, 'it like an': 459348, 'like an hour': 489770, 'an hour wait': 56109, 'hour wait to': 406073, 'grocery store don': 365339, 'store don know': 807362, 'don know if': 253665, 'know if have': 476473, 'if have the': 414204, 'have the energy': 382980, 'the energy for': 854319, 'energy for this': 276462, 'for this new': 327051, 'this new life': 889119, 'new life houston': 559029, 'semi': 749603, 'dang': 225616, 'else noticed': 271813, 'go thru': 354258, 'crisis food': 217379, 'medical price': 526308, 'skyrocketing egg': 773424, 'egg are': 269779, 'are expensive': 86333, 'expensive body': 291229, 'body wash': 133911, 'wash is': 967509, 'ridiculous thought': 721627, 'in semi': 427795, 'semi depression': 749606, 'depression time': 237673, 'time dang': 896528, 'ha anyone else': 369582, 'anyone else noticed': 80278, 'else noticed that': 271816, 'noticed that we': 573486, 'we go thru': 971654, 'go thru this': 354260, 'thru this crisis': 895238, 'this crisis food': 887039, 'crisis food and': 217380, 'and medical price': 66879, 'medical price are': 526309, 'are skyrocketing egg': 90163, 'skyrocketing egg are': 773425, 'egg are expensive': 269780, 'are expensive body': 86335, 'expensive body wash': 291230, 'body wash is': 133912, 'wash is ridiculous': 967510, 'is ridiculous thought': 451527, 'ridiculous thought we': 721628, 'we were in': 973796, 'were in semi': 979779, 'in semi depression': 427796, 'semi depression time': 749607, 'depression time dang': 237674, 'collapsed': 186084, 'khamenei': 473695, 'country economy': 210600, 'ha collapsed': 370192, 'collapsed poverty': 186107, 'poverty high': 667496, 'price unemployment': 677187, 'unemployment and': 941153, 'and inflation': 65211, 'inflation have': 437188, 'left more': 485553, 'than 70': 840293, 'the population': 864019, 'population below': 664658, 'below the': 126739, 'the poverty': 864145, 'poverty line': 667505, 'line this': 493468, 'this while': 891363, 'while khamenei': 986994, 'khamenei ha': 473696, 'ha stolen': 372070, 'stolen more': 804296, 'than billion': 840408, 'billion to': 130923, 'to finance': 905863, 'finance proxy': 306257, 'proxy yet': 687344, 'yet only': 1016177, 'only spends': 611181, 'spends million': 789073, 'million on': 532297, '19 update the': 11688, 'update the country': 947247, 'the country economy': 852068, 'country economy ha': 210602, 'economy ha collapsed': 267918, 'ha collapsed poverty': 370194, 'collapsed poverty high': 186108, 'poverty high price': 667497, 'high price unemployment': 395287, 'price unemployment and': 677189, 'unemployment and inflation': 941159, 'and inflation have': 65212, 'inflation have left': 437189, 'have left more': 381295, 'left more than': 485555, 'more than 70': 540578, 'than 70 of': 840295, '70 of the': 21807, 'of the population': 591350, 'the population below': 864023, 'population below the': 664659, 'below the poverty': 126745, 'the poverty line': 864146, 'poverty line this': 667508, 'line this while': 493472, 'this while khamenei': 891364, 'while khamenei ha': 986995, 'khamenei ha stolen': 473697, 'ha stolen more': 372071, 'stolen more than': 804297, 'more than billion': 540599, 'than billion to': 840412, 'billion to finance': 130924, 'to finance proxy': 905865, 'finance proxy yet': 306258, 'proxy yet only': 687345, 'yet only spends': 1016178, 'only spends million': 611182, 'spends million on': 789074, 'million on people': 532300, 'evolves': 288527, 'to truly': 917796, 'truly significant': 933340, 'dramatic change': 258272, 'could pose': 209513, 'pose the': 665115, 'mortar retail': 541827, 'retail the': 718773, 'crisis evolves': 217360, 'retailer will have': 719431, 'have to respond': 383281, 'respond to truly': 715332, 'to truly significant': 917797, 'truly significant and': 933341, 'and dramatic change': 61715, 'dramatic change in': 258273, 'consumer could pose': 196994, 'could pose the': 209515, 'pose the biggest': 665116, 'and mortar retail': 67246, 'mortar retail the': 541829, 'retail the crisis': 718774, 'the crisis evolves': 852374, 'pilot': 656726, 'colab': 185720, 'don all': 253332, 'do test': 250207, 'test pilot': 839122, 'pilot colab': 656729, 'colab local': 185721, 'local instagram': 498123, 'instagram fashion': 439956, 'fashion influencers': 299820, 'influencers in': 437348, 'few city': 303748, 'city suggested': 179381, 'suggested influencers': 817573, 'influencers dallas': 437346, 'dallas denver': 225123, 'denver these': 237129, 'these woman': 880978, 'woman are': 1003406, 'bored seeing': 135375, 'seeing business': 746244, 'business drop': 143661, 'drop until': 260440, 'until there': 943884, 'there national': 878778, 'national testing': 552633, 'testing for': 839491, 'why don all': 990965, 'don all do': 253333, 'all do test': 42595, 'do test pilot': 250208, 'test pilot colab': 839123, 'pilot colab local': 656730, 'colab local instagram': 185722, 'local instagram fashion': 498124, 'instagram fashion influencers': 439957, 'fashion influencers in': 299821, 'influencers in few': 437349, 'in few city': 422860, 'few city suggested': 303749, 'city suggested influencers': 179382, 'suggested influencers dallas': 817574, 'influencers dallas denver': 437347, 'dallas denver these': 225124, 'denver these woman': 237130, 'these woman are': 880979, 'woman are bored': 1003407, 'are bored seeing': 85027, 'bored seeing business': 135376, 'seeing business drop': 746245, 'business drop until': 143662, 'drop until there': 260441, 'until there national': 943885, 'there national testing': 878779, 'national testing for': 552634, 'testing for online': 839498, 'transporter': 930061, 'proud proud': 686048, 'society running': 781300, 'crisis covid': 217268, 'healthcare staff': 387285, 'teacher and': 835425, 'employee to': 274321, 'to emergency': 905008, 'service transporter': 753008, 'transporter and': 930062, 'proud proud of': 686049, 'who keep our': 989152, 'keep our society': 471751, 'our society running': 624830, 'society running in': 781303, 'running in time': 727981, 'corona crisis covid': 203904, 'crisis covid 19': 217269, '19 from healthcare': 7124, 'from healthcare staff': 335752, 'healthcare staff teacher': 387290, 'staff teacher and': 792919, 'teacher and supermarket': 835429, 'supermarket employee to': 820144, 'employee to emergency': 274325, 'to emergency service': 905012, 'emergency service transporter': 272970, 'service transporter and': 753009, 'transporter and so': 930063, 'computer': 192726, 'cautionyespanicno': 168202, '19 hyderabad': 7636, 'hyderabad firm': 411921, 'firm log': 308385, 'log into': 500615, 'into wfh': 443286, 'wfh rent': 980856, 'of laptop': 585710, 'laptop computer': 479554, 'computer soar': 192765, 'soar via': 779282, 'via cautionyespanicno': 955853, 'covid 19 hyderabad': 213238, '19 hyderabad firm': 7637, 'hyderabad firm log': 411922, 'firm log into': 308386, 'log into wfh': 500617, 'into wfh rent': 443287, 'wfh rent price': 980857, 'rent price of': 711163, 'price of laptop': 675485, 'of laptop computer': 585711, 'laptop computer soar': 479555, 'computer soar via': 192766, 'soar via cautionyespanicno': 779283, 'figure an': 305186, 'oil crisis': 596718, 'crisis result': 217977, 'in 15': 419697, '15 year': 3870, 'and ain': 57804, 'ain nobody': 39637, 'nobody going': 566005, 'going nowhere': 355284, 'nowhere gasprices': 576559, 'gasprices quarantinelife': 344302, 'figure an oil': 305187, 'an oil crisis': 56574, 'oil crisis result': 596721, 'crisis result in': 217978, 'in the lowest': 429334, 'the lowest gas': 859809, 'price in 15': 674645, 'in 15 year': 419699, '15 year and': 3872, 'year and ain': 1014390, 'and ain nobody': 57806, 'ain nobody going': 39638, 'nobody going nowhere': 566006, 'going nowhere gasprices': 355286, 'nowhere gasprices quarantinelife': 576560, 'brookshire': 141004, 'eldorado': 270983, 'brookshires': 141008, 'seniordiscount': 750457, 'seniorhours': 750460, 'unioncounty': 941954, 'brookshire grocery': 141005, 'grocery co': 364389, 'co offer': 184904, 'offer daily': 594570, 'daily percent': 224743, 'percent senior': 651181, 'senior discount': 750279, 'discount strongly': 244541, 'strongly encourages': 814227, 'encourages community': 275687, 'first hour': 308710, 'opening for': 612830, 'senior guest': 750311, 'guest eldorado': 368152, 'eldorado brookshires': 270984, 'brookshires shopping': 141009, 'shopping seniordiscount': 763833, 'seniordiscount seniorhours': 750458, 'seniorhours unioncounty': 750461, 'brookshire grocery co': 141006, 'grocery co offer': 364391, 'co offer daily': 184905, 'offer daily percent': 594571, 'daily percent senior': 224744, 'percent senior discount': 651182, 'senior discount strongly': 750280, 'discount strongly encourages': 244542, 'strongly encourages community': 814228, 'encourages community to': 275688, 'community to respect': 190177, 'respect the first': 715063, 'the first hour': 855315, 'first hour of': 308715, 'hour of store': 405810, 'of store opening': 590260, 'store opening for': 809277, 'opening for senior': 612837, 'for senior guest': 325463, 'senior guest eldorado': 750312, 'guest eldorado brookshires': 368153, 'eldorado brookshires shopping': 270985, 'brookshires shopping seniordiscount': 141010, 'shopping seniordiscount seniorhours': 763834, 'seniordiscount seniorhours unioncounty': 750459, 'convoy': 202702, 'randos': 696662, 'word socialdistancing': 1004575, 'stupid distancing': 815380, 'distancing cool': 247085, 'cool understand': 203056, 'understand but': 940606, 'social part': 779910, 'part what': 642488, 'what monster': 981878, 'monster want': 537474, 'send convoy': 749833, 'convoy of': 202703, 'of randos': 588734, 'randos to': 696665, 'that damn': 843432, 'damn supermarket': 225432, 'the word socialdistancing': 871717, 'word socialdistancing is': 1004576, 'socialdistancing is beyond': 780461, 'is beyond stupid': 446164, 'beyond stupid distancing': 129236, 'stupid distancing cool': 815381, 'distancing cool understand': 247087, 'cool understand but': 203057, 'understand but the': 940607, 'but the social': 147406, 'the social part': 867416, 'social part what': 779911, 'part what monster': 642489, 'what monster want': 981879, 'monster want to': 537475, 'want to send': 966113, 'to send convoy': 914206, 'send convoy of': 749834, 'convoy of randos': 202704, 'of randos to': 588735, 'randos to that': 696666, 'to that damn': 916448, 'that damn supermarket': 843433, 'unchecked': 939804, 'entirely because': 278784, 'of govt': 584283, 'govt failure': 361116, 'immediately react': 417134, 'react test': 700142, 'and by': 59373, 'by community': 152157, 'community unable': 190188, 'accept or': 27983, 'or understand': 617593, 'understand severity': 940706, 'severity social': 754134, 'social consumer': 779470, 'behavior continues': 123985, 'continues unchecked': 201514, 'unchecked shameful': 939807, 'entirely because of': 278785, 'because of govt': 119346, 'of govt failure': 584285, 'govt failure to': 361117, 'failure to immediately': 296300, 'to immediately react': 908142, 'immediately react test': 417135, 'react test and': 700143, 'test and by': 838911, 'and by community': 59374, 'by community unable': 152160, 'community unable to': 190189, 'unable to accept': 939319, 'to accept or': 899944, 'accept or understand': 27984, 'or understand severity': 617594, 'understand severity social': 940707, 'severity social consumer': 754135, 'social consumer behavior': 779471, 'consumer behavior continues': 196460, 'behavior continues unchecked': 123986, 'continues unchecked shameful': 201515, 'humanityforward': 410786, 'mask is': 518862, 'message it': 529357, 'is thoughtful': 453138, 'you care': 1017892, 'the masks4allchallenge': 860234, 'masks4allchallenge ha': 519681, 'started post': 794811, 'post photo': 666279, 'of yourself': 593541, 'yourself wearing': 1026747, 'mask so': 519280, 'everyone know': 287148, 'choice and': 177726, 'and tag': 72952, 'tag friend': 831752, 'friend waiting': 333877, 'my math': 549216, 'math humanityforward': 520461, 'humanityforward mask': 410787, 'wearing mask is': 974696, 'mask is the': 518872, 'the message it': 860520, 'message it is': 529358, 'it is thoughtful': 459103, 'is thoughtful and': 453139, 'thoughtful and make': 893347, 'and make it': 66557, 'make it clear': 510026, 'clear that you': 181356, 'that you care': 847717, 'you care about': 1017893, 'health of others': 386687, 'of others the': 587406, 'others the masks4allchallenge': 621705, 'the masks4allchallenge ha': 860235, 'masks4allchallenge ha started': 519682, 'ha started post': 372046, 'started post photo': 794812, 'post photo of': 666281, 'photo of yourself': 655222, 'of yourself wearing': 593548, 'yourself wearing mask': 1026748, 'wearing mask so': 974712, 'mask so everyone': 519282, 'so everyone know': 776978, 'everyone know it': 287149, 'it the right': 461572, 'right choice and': 721841, 'choice and tag': 177733, 'and tag friend': 72953, 'tag friend waiting': 831755, 'friend waiting for': 333878, 'for my math': 323722, 'my math humanityforward': 549217, 'math humanityforward mask': 520462, 'silenced': 769701, 'orphanage': 619665, 'mainly': 508869, 'neighbouring': 557294, 'drc': 258552, 'silenced hello': 769702, 'hello brother': 389142, 'brother and': 141031, 'and sister': 71695, 'sister let': 771770, 'let connect': 486647, 'connect hand': 194605, 'those child': 891869, 'child stock': 176207, 'the orphanage': 862499, 'orphanage mainly': 619666, 'mainly because': 508870, 'crisis which': 218386, 'taking place': 833506, 'our neighbouring': 624018, 'neighbouring country': 557295, 'country kenya': 210843, 'kenya and': 472882, 'and drc': 61720, 'drc congo': 258553, 'congo please': 194422, 'silenced hello brother': 769703, 'hello brother and': 389143, 'brother and sister': 141032, 'and sister let': 71696, 'sister let connect': 771771, 'let connect hand': 486648, 'connect hand and': 194606, 'hand and support': 374781, 'and support those': 72856, 'support those child': 826932, 'those child stock': 891870, 'child stock food': 176208, 'at the orphanage': 101042, 'the orphanage mainly': 862500, 'orphanage mainly because': 619667, 'mainly because we': 508873, 'because we are': 119791, 'we are afraid': 970469, 'are afraid of': 84265, 'afraid of the': 35006, '19 crisis which': 6352, 'crisis which is': 218389, 'which is taking': 986058, 'is taking place': 452558, 'taking place on': 833512, 'place on our': 657618, 'on our neighbouring': 602616, 'our neighbouring country': 624019, 'neighbouring country kenya': 557296, 'country kenya and': 210844, 'kenya and drc': 472883, 'and drc congo': 61721, 'drc congo please': 258554, 'congo please help': 194423, 'unseen': 943463, 'surrounded': 828719, 'couldn stop': 209924, 'stop cry': 804601, 'cry for': 219864, 'this nurse': 889189, 'nurse for': 577335, 'the uber': 870175, 'uber driver': 937803, 'driver struggling': 259759, 'money for': 536744, 'the unseen': 870463, 'unseen janitor': 943467, 'janitor disinfecting': 464541, 'disinfecting surrounded': 245879, 'surrounded by': 828720, 'their role': 874598, 'role grocery': 725077, 'worker transit': 1008044, 'transit worker': 929655, 'worker postal': 1007613, 'worker immigrant': 1007157, 'immigrant no': 417231, 'no aid': 563595, 'aid must': 39420, 'must make': 546761, 'make better': 509731, 'couldn stop cry': 209925, 'stop cry for': 804602, 'cry for this': 219868, 'for this nurse': 327052, 'this nurse for': 889192, 'nurse for the': 577337, 'for the uber': 326747, 'the uber driver': 870176, 'uber driver struggling': 937806, 'driver struggling to': 259760, 'struggling to make': 814509, 'make money for': 510181, 'money for the': 536759, 'for the unseen': 326754, 'the unseen janitor': 870464, 'unseen janitor disinfecting': 943468, 'janitor disinfecting surrounded': 464542, 'disinfecting surrounded by': 245880, 'surrounded by the': 828724, 'by the weight': 154479, 'weight of their': 977710, 'of their role': 591697, 'their role grocery': 874599, 'role grocery store': 725078, 'store worker transit': 811608, 'worker transit worker': 1008046, 'transit worker postal': 929660, 'worker postal worker': 1007615, 'postal worker immigrant': 666475, 'worker immigrant no': 1007158, 'immigrant no aid': 417232, 'no aid must': 563596, 'aid must make': 39422, 'must make better': 546762, 'ukjay': 938982, 'ukjay breakingnews': 938983, 'breakingnews scientist': 139104, 'now discovered': 574532, 'is carried': 446391, 'carried in': 164934, 'supermarket toilet': 823482, 'paper supply': 640851, 'ukjay breakingnews scientist': 938984, 'breakingnews scientist have': 139105, 'scientist have now': 742232, 'have now discovered': 381731, 'now discovered that': 574533, 'discovered that the': 244700, 'virus is carried': 958367, 'is carried in': 446392, 'carried in supermarket': 164935, 'in supermarket toilet': 428695, 'supermarket toilet paper': 823483, 'toilet paper supply': 921477, 'pb': 645848, '1kg': 12629, 'porridge': 664849, '500g': 20081, 'my pb': 549731, 'pb in': 645853, 'in running': 427570, 'running do': 727946, 'it say': 460885, 'about me': 25711, 'that did': 843519, 'with london': 999301, 'london on': 501144, 'collapse although': 185957, 'ha helped': 370851, 'helped me': 391081, 'me forget': 522773, 'forget for': 329253, 'moment that': 536057, 'today paid': 920011, 'paid what': 634178, 'what normally': 981941, 'normally pay': 567519, 'for 1kg': 318718, '1kg of': 12632, 'of porridge': 588245, 'porridge per': 664858, 'per 500g': 650677, '500g panicbuyinguk': 20084, 'broke my pb': 140842, 'my pb in': 549732, 'pb in running': 645854, 'in running do': 427571, 'running do not': 727947, 'know what it': 476961, 'what it say': 981757, 'it say about': 460886, 'say about me': 738387, 'about me that': 25714, 'me that did': 523609, 'that did it': 843521, 'did it with': 240670, 'it with london': 462476, 'with london on': 999302, 'london on the': 501146, 'brink of collapse': 140294, 'of collapse although': 581521, 'collapse although it': 185958, 'although it ha': 49329, 'it ha helped': 458396, 'ha helped me': 370855, 'helped me forget': 391084, 'me forget for': 522774, 'forget for moment': 329255, 'for moment that': 323486, 'moment that today': 536058, 'that today paid': 847070, 'today paid what': 920012, 'paid what normally': 634179, 'what normally pay': 981942, 'normally pay for': 567520, 'pay for 1kg': 644865, 'for 1kg of': 318719, '1kg of porridge': 12633, 'of porridge per': 588247, 'porridge per 500g': 664859, 'per 500g panicbuyinguk': 650678, '500g panicbuyinguk stophoarding': 20085, 'pleasee': 660811, 'all leave': 43356, 'that work': 847646, 'medical field': 526176, 'field pleasee': 304504, 'pleasee grocerystore': 660812, 'can all leave': 157427, 'all leave some': 43357, 'leave some stuff': 484935, 'some stuff at': 783980, 'store for that': 807842, 'for that work': 326277, 'that work in': 847653, 'in the medical': 429352, 'the medical field': 860397, 'medical field pleasee': 526177, 'field pleasee grocerystore': 304505, 'bare supermarket': 110956, 'been trending': 122268, 'the crazy': 852293, 'crazy idea': 215327, 'product flying': 681191, 'seen the bare': 747275, 'the bare supermarket': 849282, 'bare supermarket shelf': 110957, 'supermarket shelf in': 822483, 'panic or we': 638370, 'or we ve': 617742, 've been trending': 952951, 'been trending online': 122269, 'wasn the crazy': 968026, 'the crazy idea': 852298, 'crazy idea but': 215328, 'idea but the': 413023, 'but the product': 147386, 'the product flying': 864588, 'product flying off': 681192, 'nitrate': 563387, 'bib': 129423, 'goggles': 354936, 'for donating': 320815, 'donating much': 254481, 'supply this': 825985, 'this donation': 887281, 'donation included': 254627, 'included 00': 431668, '00 nitrate': 371, 'nitrate glove': 563388, 'glove 200': 352530, '200 plastic': 13534, 'plastic bib': 658816, 'bib 30': 129424, '30 safety': 17212, 'safety goggles': 730554, 'goggles and': 354939, 'and 500': 57493, '500 personal': 20041, 'personal hand': 652856, 'sanitizer spray': 735776, 'bottle along': 136174, 'than 75': 840300, '75 pound': 22158, 'you for donating': 1018632, 'for donating much': 320821, 'donating much needed': 254482, 'much needed medical': 545160, 'medical supply this': 526462, 'supply this donation': 825986, 'this donation included': 887282, 'donation included 00': 254628, 'included 00 nitrate': 431669, '00 nitrate glove': 372, 'nitrate glove 200': 563389, 'glove 200 plastic': 352531, '200 plastic bib': 13535, 'plastic bib 30': 658817, 'bib 30 safety': 129425, '30 safety goggles': 17213, 'safety goggles and': 730555, 'goggles and 500': 354940, 'and 500 personal': 57494, '500 personal hand': 20042, 'personal hand sanitizer': 652857, 'hand sanitizer spray': 375595, 'sanitizer spray bottle': 735781, 'spray bottle along': 790275, 'bottle along with': 136175, 'along with more': 47066, 'more than 75': 540581, 'than 75 pound': 840301, '75 pound of': 22159, 'pound of food': 667395, 'smoking': 775895, 'this asshole': 886437, 'asshole smoking': 96557, 'smoking in': 775909, 'store dont': 807370, 'dont be': 255187, 'why is this': 991124, 'is this asshole': 453074, 'this asshole smoking': 886439, 'asshole smoking in': 96558, 'smoking in the': 775910, 'in the line': 429321, 'grocery store dont': 365341, 'store dont be': 807371, 'dont be that': 255191, 'be that person': 117583, 'refurbished': 706998, 'itsuperheroes': 464000, 'need extra': 554756, 'extra laptop': 293562, 'laptop to': 479573, 'home during': 401105, 'during we': 263394, 'have range': 382159, 'top quality': 925702, 'quality refurbished': 691843, 'refurbished laptop': 706999, 'laptop at': 479550, 'price simply': 676410, 'simply tell': 770300, 'tell what': 837129, 'perfect laptop': 651311, 'laptop itsuperheroes': 479564, 'your business need': 1023069, 'business need extra': 144086, 'need extra laptop': 554758, 'extra laptop to': 293563, 'laptop to allow': 479574, 'to allow people': 900353, 'from home during': 335857, 'home during we': 401112, 'during we have': 263396, 'we have range': 971914, 'have range of': 382160, 'range of top': 696725, 'of top quality': 592315, 'top quality refurbished': 925704, 'quality refurbished laptop': 691844, 'refurbished laptop at': 707000, 'laptop at great': 479551, 'great price simply': 362918, 'price simply tell': 676411, 'simply tell what': 770301, 'tell what you': 837133, 'll get you': 496799, 'get you the': 348684, 'you the perfect': 1021609, 'the perfect laptop': 863541, 'perfect laptop itsuperheroes': 651312, 'correctly': 207595, 'mask out': 519090, 'it correctly': 457338, 'correctly for': 207604, 'any benefit': 78968, 'benefit at': 126927, 'all mostly': 43527, 'mostly we': 543031, 'wear the': 974469, 'the surgical': 869008, 'surgical one': 828379, 'one if': 606457, 'sick have': 768467, 'any symptom': 79937, 'make sure if': 510515, 'sure if you': 827591, 'you are wearing': 1017287, 'wearing mask out': 974706, 'mask out to': 519091, 'out to grocery': 627650, 'store etc to': 807633, 'etc to wear': 282842, 'to wear it': 918433, 'wear it correctly': 974367, 'it correctly for': 457339, 'correctly for it': 207605, 'for it to': 322742, 'it to have': 461721, 'to have any': 907203, 'have any benefit': 379295, 'any benefit at': 78969, 'benefit at all': 126928, 'at all mostly': 97895, 'all mostly we': 43528, 'mostly we need': 543032, 'to wear the': 918443, 'wear the surgical': 974472, 'the surgical one': 869010, 'surgical one if': 828380, 'one if you': 606460, 'you are sick': 1017234, 'are sick have': 90111, 'sick have any': 768468, 'have any symptom': 379323, 'any symptom of': 79939, 'aricle': 92778, 'interesting aricle': 441507, 'aricle 19': 92779, 'interesting aricle 19': 441508, 'take3': 832835, 'devise': 239975, 'transparent': 929837, 'take3 high': 832836, 'high time': 395477, 'time pm': 897506, 'pm sat': 661971, 'sat down': 736894, 'ceo from': 169705, 'australia supermarket': 103394, 'to devise': 904259, 'devise plan': 239976, 'ensure stable': 278034, 'stable rationed': 791949, 'to population': 911893, 'population and': 664649, 'this plan': 889600, 'plan transparent': 658333, 'take3 high time': 832837, 'high time pm': 395479, 'time pm sat': 897508, 'pm sat down': 661972, 'sat down with': 736896, 'down with ceo': 257491, 'with ceo from': 997588, 'ceo from australia': 169706, 'from australia supermarket': 334615, 'australia supermarket and': 103395, 'supermarket and to': 819087, 'and to devise': 74164, 'to devise plan': 904260, 'devise plan to': 239977, 'plan to ensure': 658288, 'to ensure stable': 905189, 'ensure stable rationed': 278035, 'stable rationed food': 791950, 'rationed food supply': 697780, 'food supply to': 317008, 'supply to population': 826023, 'to population and': 911894, 'population and make': 664651, 'make this plan': 510645, 'this plan transparent': 889602, 'in praise': 426901, 'praise of': 668849, 'of preppers': 588365, 'preppers thanks': 670409, 'to community': 903098, 'ha literally': 371161, 'literally been': 494954, 'come there': 187531, 'there now': 878880, 'shopping industry': 763015, 'you prepare': 1020411, '19 apocalypse': 5171, 'in praise of': 426903, 'praise of preppers': 668851, 'of preppers thanks': 588366, 'preppers thanks to': 670410, 'thanks to community': 842213, 'to community that': 903104, 'community that ha': 190153, 'that ha literally': 844123, 'ha literally been': 371162, 'literally been waiting': 494956, 'for this day': 327023, 'this day to': 887172, 'day to come': 228560, 'to come there': 903051, 'come there now': 187533, 'there now an': 878881, 'now an online': 574021, 'online shopping industry': 609155, 'shopping industry to': 763016, 'industry to help': 436170, 'help you prepare': 390988, 'you prepare for': 1020412, 'covid 19 apocalypse': 212639, 'rcs': 698118, 'mobilemarketing': 535056, 'richcommunications': 721330, 'need easy': 554728, 'easy safe': 265755, 'immediate access': 416957, 'access service': 28189, 'service from': 752405, 'their mobile': 873986, 'mobile device': 534962, 'device more': 239920, 'ever that': 285534, 'why rcs': 991315, 'rcs is': 698121, 'an incredible': 56253, 'incredible opportunity': 433857, 'opportunity not': 613660, 'for mobile': 323472, 'mobile operator': 535004, 'brand but': 137777, 'consumer mobilemarketing': 198143, 'mobilemarketing richcommunications': 535057, 'people need easy': 648818, 'need easy safe': 554729, 'easy safe and': 265756, 'safe and immediate': 729453, 'and immediate access': 64991, 'immediate access service': 416958, 'access service from': 28190, 'service from their': 752412, 'from their mobile': 337943, 'their mobile device': 873987, 'mobile device more': 534963, 'device more than': 239922, 'than ever that': 840614, 'ever that is': 285535, 'is why rcs': 453975, 'why rcs is': 991316, 'rcs is an': 698122, 'is an incredible': 445672, 'an incredible opportunity': 56259, 'incredible opportunity not': 433858, 'opportunity not only': 613661, 'not only for': 570795, 'only for mobile': 610469, 'for mobile operator': 323473, 'mobile operator and': 535005, 'operator and brand': 613341, 'and brand but': 59147, 'brand but for': 137778, 'but for consumer': 145743, 'for consumer mobilemarketing': 320273, 'consumer mobilemarketing richcommunications': 198144, 'medcine': 525941, 'ffs stop': 304324, 'buying three': 151226, 'three time': 894074, 'not found': 569526, 'found beef': 330168, 'beef egg': 120505, 'egg chicken': 269820, 'chicken and': 175737, 'course medcine': 211894, 'medcine even': 525942, 'italy you': 462968, 'very greedy': 955204, 'greedy and': 363466, 'very bad': 954997, 'bad for': 107858, 'elderly or': 270792, 'disabled who': 243983, 'ffs stop panic': 304325, 'panic buying three': 637935, 'buying three time': 151228, 'three time have': 894077, 'time have gone': 896895, 'the shop and': 866976, 'shop and not': 759855, 'and not found': 67739, 'not found beef': 569527, 'found beef egg': 330169, 'beef egg chicken': 120506, 'egg chicken and': 269821, 'chicken and of': 175741, 'of course medcine': 582061, 'course medcine even': 211895, 'medcine even in': 525943, 'even in italy': 284239, 'in italy you': 424323, 'italy you are': 462969, 'you are allowed': 1017051, 'are allowed to': 84383, 'the shop to': 867034, 'buy food it': 148659, 'food it very': 315185, 'it very greedy': 462031, 'very greedy and': 955205, 'greedy and can': 363467, 'and can be': 59449, 'can be very': 157711, 'be very bad': 117968, 'very bad for': 955000, 'bad for the': 107867, 'the elderly or': 854133, 'elderly or disabled': 270794, 'or disabled who': 614982, 'disabled who cannot': 243984, 'cannot get out': 161900, 'online forget': 608252, 'forget it': 329268, 'won be': 1003733, 'out before': 625771, 'before summer': 123115, 'summer where': 818020, 'all think': 45080, 'wear those': 974483, 'those outfit': 892299, 'garden lockdownnow': 343612, 'who are shopping': 988217, 'are shopping online': 90062, 'shopping online forget': 763433, 'online forget it': 608253, 'forget it we': 329270, 'it we won': 462284, 'we won be': 973934, 'won be out': 1003746, 'be out before': 116283, 'out before summer': 625773, 'before summer where': 123116, 'summer where do': 818021, 'where do all': 984831, 'do all think': 249045, 'all think you': 45084, 'going to wear': 355761, 'to wear those': 918446, 'wear those outfit': 974484, 'those outfit to': 892300, 'outfit to your': 628953, 'to your garden': 918987, 'your garden lockdownnow': 1024024, 'shouldn': 766719, 'fraser': 331205, 'canadian worried': 160781, '19 shouldn': 10506, 'shouldn panic': 766745, 'panic our': 638377, 'are almost': 84388, 'certainly robust': 170182, 'robust enough': 724841, 'this particular': 889484, 'particular shock': 642636, 'shock fraser': 759449, 'fraser note': 331210, 'canadian worried about': 160782, 'about the security': 26514, 'the security of': 866626, 'security of their': 744688, 'of their food': 591663, 'their food system': 873352, 'food system in': 317047, 'system in light': 831206, 'covid 19 shouldn': 213793, '19 shouldn panic': 10507, 'shouldn panic our': 766746, 'panic our food': 638379, 'chain are almost': 170493, 'are almost certainly': 84389, 'almost certainly robust': 46575, 'certainly robust enough': 170183, 'robust enough to': 724842, 'enough to survive': 277727, 'survive this particular': 829266, 'this particular shock': 889489, 'particular shock fraser': 642637, 'shock fraser note': 759450, 'nyc supermarket': 578055, 'what saw': 982118, 'my nyc supermarket': 549535, 'nyc supermarket today': 578057, 'supermarket today covid': 823440, '19 and this': 5125, 'is what saw': 453891, 'hasnt': 378804, 'filming': 305733, 'clearly you': 181591, 'know either': 476361, 'either that': 270384, 'he hasnt': 385077, 'hasnt paid': 378807, 'more neither': 539834, 'neither the': 557353, 'the person': 863577, 'person filming': 652427, 'filming but': 305734, 'but targeting': 147261, 'targeting small': 834577, 'is cheap': 446492, 'cheap shot': 174190, 'shot big': 765417, 'big corporation': 129716, 'corporation do': 207406, 'it then': 461602, 'then thats': 877607, 'thats wrong': 847832, 'clearly you do': 181592, 'not know either': 570292, 'know either that': 476362, 'either that he': 270385, 'that he hasnt': 844260, 'he hasnt paid': 385078, 'hasnt paid more': 378808, 'paid more neither': 634089, 'more neither the': 539835, 'neither the person': 557355, 'the person filming': 863584, 'person filming but': 652428, 'filming but targeting': 305735, 'but targeting small': 147262, 'targeting small business': 834578, 'small business is': 774869, 'business is cheap': 143951, 'is cheap shot': 446497, 'cheap shot big': 174191, 'shot big corporation': 765418, 'big corporation do': 129718, 'corporation do it': 207407, 'do it then': 249515, 'it then thats': 461607, 'then thats wrong': 877608, 'accelerant': 27821, 'nascent': 551977, 'svod': 829879, 'avod': 104988, 'rev': 720210, 'an accelerant': 55051, 'accelerant for': 27822, 'for nascent': 323771, 'nascent dtc': 551980, 'dtc service': 261399, 'service doe': 752292, 'that only': 845517, 'only apply': 610103, 'to svod': 916082, 'svod model': 829880, 'model doe': 535245, 'doe avod': 251347, 'avod expand': 104989, 'expand bc': 290450, 'bc economic': 113229, 'downturn drive': 257796, 'drive consumer': 259015, 'cost cutting': 207901, 'cutting or': 223754, 'that offset': 845470, 'offset by': 596092, 'by decline': 152312, 'in ad': 420023, 'ad sale': 31151, 'sale rev': 732494, '19 is an': 7935, 'is an accelerant': 445633, 'an accelerant for': 55052, 'accelerant for nascent': 27823, 'for nascent dtc': 323772, 'nascent dtc service': 551981, 'dtc service doe': 261400, 'service doe that': 752293, 'doe that only': 251599, 'that only apply': 845521, 'only apply to': 610104, 'apply to svod': 82620, 'to svod model': 916083, 'svod model doe': 829881, 'model doe avod': 535246, 'doe avod expand': 251348, 'avod expand bc': 104990, 'expand bc economic': 290451, 'bc economic downturn': 113230, 'economic downturn drive': 267076, 'downturn drive consumer': 257797, 'drive consumer cost': 259018, 'consumer cost cutting': 196988, 'cost cutting or': 207904, 'cutting or is': 223755, 'or is that': 615835, 'is that offset': 452673, 'that offset by': 845471, 'offset by decline': 596093, 'by decline in': 152313, 'decline in ad': 231340, 'in ad sale': 420025, 'ad sale rev': 31152, 'downstream': 257726, 'heating': 388527, 'fuelled': 340349, 'causing difficulty': 168025, 'difficulty across': 242367, 'entire downstream': 278664, 'downstream oil': 257729, 'industry heating': 435877, 'heating oil': 388532, 'at year': 101646, 'part fuelled': 642280, 'fuelled by': 340350, 'by panic': 153515, 'people staying': 649569, 'home demand': 401057, 'putting really': 691210, 'significant pressure': 769492, 'all delivery': 42546, 'to around': 900712, 'around 15': 93109, '15 working': 3868, 'working day': 1008581, '19 is causing': 7944, 'is causing difficulty': 446419, 'causing difficulty across': 168026, 'difficulty across the': 242368, 'across the entire': 29496, 'the entire downstream': 854352, 'entire downstream oil': 278665, 'downstream oil industry': 257730, 'oil industry heating': 596885, 'industry heating oil': 435878, 'heating oil price': 388533, 'are at year': 84690, 'at year low': 101647, 'year low are': 1014710, 'low are part': 505143, 'are part fuelled': 88984, 'part fuelled by': 642281, 'fuelled by panic': 340351, 'by panic buying': 153519, 'to people staying': 911638, 'people staying at': 649570, 'at home demand': 98970, 'home demand is': 401058, 'demand is putting': 235737, 'is putting really': 451161, 'putting really significant': 691211, 'really significant pressure': 702594, 'significant pressure on': 769494, 'pressure on all': 671199, 'on all delivery': 599223, 'all delivery time': 42549, 'delivery time to': 234646, 'time to around': 897946, 'to around 15': 900713, 'around 15 working': 93110, '15 working day': 3869, 'cma': 184643, 'crisis cma': 217223, 'cma say': 184650, 'take direct': 832069, 'direct enforcement': 243322, 'enforcement action': 276732, 'against retailer': 37605, 'retailer breaking': 719045, 'breaking competition': 138931, 'competition or': 191718, 'law eg': 482260, 'eg charging': 269697, 'claim if': 179745, 'see retailer': 745642, 'retailer hiking': 719192, 'price report': 676183, 'report to': 712383, 'to cma': 902925, '19 crisis cma': 6228, 'crisis cma say': 217224, 'cma say it': 184651, 'say it will': 738865, 'will take direct': 995065, 'take direct enforcement': 832070, 'direct enforcement action': 243323, 'enforcement action against': 276733, 'action against retailer': 29936, 'against retailer breaking': 37607, 'retailer breaking competition': 719046, 'breaking competition or': 138932, 'competition or consumer': 191719, 'or consumer protection': 614798, 'protection law eg': 685509, 'law eg charging': 482261, 'eg charging excessive': 269698, 'misleading claim if': 534094, 'claim if you': 179746, 'you see retailer': 1021063, 'see retailer hiking': 745643, 'retailer hiking price': 719193, 'hiking price report': 396405, 'price report to': 676188, 'report to cma': 712384, 'if doctor': 414054, 'nurse wearing': 577540, 'mask why': 519567, 'why restaurant': 991321, 'restaurant grocery': 716486, 'if doctor nurse': 414055, 'doctor nurse wearing': 251038, 'nurse wearing glove': 577541, 'wearing glove mask': 974637, 'glove mask why': 352786, 'mask why restaurant': 519568, 'why restaurant grocery': 991322, 'restaurant grocery store': 716487, 'store employee not': 807514, 'not wearing glove': 572475, '115': 2657, 'please follow': 660003, 'follow social': 312500, 'distancing rule': 247434, 'rule 115': 727167, '115 people': 2662, 'died today': 241608, 'today work': 920572, 'supermarket filling': 820316, 'shelf avoiding': 756860, 'avoiding people': 105479, 'people waiting': 650111, 'waiting until': 964417, 'until isle': 943742, 'isle clear': 454350, 'still customer': 800410, 'customer going': 222415, 'going around': 355022, 'around nothing': 93418, 'wrong ignoring': 1013046, 'ignoring hazard': 415908, 'hazard tape': 384579, 'on floor': 600823, 'floor very': 310854, 'very stressed': 955588, 'please follow social': 660007, 'follow social distancing': 312501, 'social distancing rule': 779704, 'distancing rule 115': 247435, 'rule 115 people': 727168, '115 people have': 2663, 'people have died': 648174, 'have died today': 380271, 'died today work': 241609, 'today work in': 920573, 'in supermarket filling': 428597, 'supermarket filling shelf': 820317, 'filling shelf avoiding': 305613, 'shelf avoiding people': 756861, 'avoiding people waiting': 105482, 'people waiting until': 650117, 'waiting until isle': 964418, 'until isle clear': 943743, 'isle clear and': 454351, 'clear and still': 181223, 'and still customer': 72371, 'still customer going': 800411, 'customer going around': 222416, 'going around nothing': 355027, 'around nothing wrong': 93419, 'nothing wrong ignoring': 573234, 'wrong ignoring hazard': 1013047, 'ignoring hazard tape': 415909, 'hazard tape on': 384580, 'tape on floor': 834366, 'on floor very': 600825, 'floor very stressed': 310855, 'very stressed and': 955589, 'stressed and scared': 813440, 'guy if': 369028, 'guy if your': 369030, 'wearing surgical': 974792, 'mask during': 518597, 'outbreak more': 628459, 'more shopper': 540380, 'amid concern': 52403, 'lady in supermarket': 478779, 'in supermarket wearing': 428709, 'supermarket wearing surgical': 823765, 'wearing surgical mask': 974793, 'surgical mask during': 828353, 'mask during the': 518598, 'coronavirus outbreak more': 206400, 'outbreak more and': 628460, 'and more shopper': 67216, 'more shopper are': 540381, 'shopper are trying': 761402, 'trying to stock': 934880, 'on good amid': 601142, 'good amid concern': 356715, 'amid concern over': 52407, 'over the coronavirus': 630707, 'outbreak with many': 628830, 'with many of': 999385, 'of the shelf': 591456, 'africanlivesmatter': 35241, 'quadruple': 691649, 'sovereignty': 786949, 'drought': 260760, 'farners': 299710, 'moussafaki': 543477, 'africanlivesmatter let': 35242, 'me urge': 523866, 'urge all': 948147, 'all african': 41963, 'african government': 35198, 'to quadruple': 912627, 'quadruple support': 691656, 'to farmer': 905674, 'food sovereignty': 316707, 'sovereignty food': 786950, 'price africa': 672227, 'africa food': 35074, 'import bill': 418619, 'bill is': 130603, 'quadruple because': 691650, 'and drought': 61770, 'drought invest': 260767, 'small holder': 774989, 'holder farners': 400066, 'farners quick': 299711, 'quick moussafaki': 694331, 'africanlivesmatter let me': 35243, 'let me urge': 486918, 'me urge all': 523867, 'urge all african': 948148, 'all african government': 41964, 'african government to': 35199, 'government to quadruple': 360729, 'to quadruple support': 912629, 'quadruple support to': 691657, 'support to farmer': 826942, 'to farmer to': 905678, 'farmer to ensure': 299536, 'ensure food sovereignty': 277943, 'food sovereignty food': 316708, 'sovereignty food price': 786951, 'food price africa': 315918, 'price africa food': 672228, 'africa food import': 35075, 'food import bill': 314912, 'import bill is': 418620, 'bill is likely': 130604, 'likely to quadruple': 492169, 'to quadruple because': 912628, 'quadruple because of': 691651, '19 and drought': 5015, 'and drought invest': 61771, 'drought invest in': 260768, 'invest in small': 443765, 'in small holder': 428016, 'small holder farners': 774990, 'holder farners quick': 400067, 'farners quick moussafaki': 299712, 'completed': 192193, 'selected': 747486, 'father law': 300295, 'law 75': 482195, '75 completed': 22125, 'completed first': 192196, 'first order': 308837, 'and didn': 61319, 'didn realise': 241170, 'realise he': 701591, 'he selected': 385420, 'selected the': 747505, 'most costly': 542213, 'costly time': 208354, 'time slot': 897680, 'slot on': 774243, 'saturday only': 737055, 'only ordered': 610926, 'ordered 30': 618816, 'to budget': 902075, 'budget with': 141834, 'charge then': 173319, 'then only': 877382, 'only of': 610836, 'delivered due': 233313, 'wa still': 963307, 'still charged': 800356, 'charged the': 173416, 'father law 75': 300296, 'law 75 completed': 482196, '75 completed first': 22126, 'completed first order': 192197, 'first order and': 308838, 'order and didn': 618025, 'and didn realise': 61324, 'didn realise he': 241172, 'realise he selected': 701592, 'he selected the': 385421, 'selected the most': 747506, 'the most costly': 860964, 'most costly time': 542214, 'costly time slot': 208355, 'time slot on': 897686, 'slot on saturday': 774245, 'on saturday only': 603304, 'saturday only ordered': 737056, 'only ordered 30': 610927, 'ordered 30 of': 618817, '30 of food': 17140, 'due to budget': 261715, 'to budget with': 902077, 'budget with delivery': 141836, 'with delivery charge': 997964, 'delivery charge then': 233796, 'charge then only': 173320, 'then only of': 877384, 'only of food': 610839, 'of food delivered': 583674, 'food delivered due': 314093, 'delivered due to': 233314, 'due to stock': 261975, 'to stock and': 915427, 'stock and wa': 801836, 'and wa still': 75098, 'wa still charged': 963310, 'still charged the': 800357, '630am': 21277, 'how terrible': 408783, 'terrible the': 838442, 'at 630am': 97715, '630am sure': 21280, 'an absolute': 55037, 'absolute shit': 27287, 'shit show': 759220, 'go and see': 353286, 'and see how': 71137, 'see how terrible': 745251, 'how terrible the': 408785, 'terrible the supermarket': 838443, 'supermarket is at': 821071, 'is at 630am': 445850, 'at 630am sure': 97716, '630am sure it': 21281, 'sure it ll': 827602, 'll be an': 496568, 'be an absolute': 113587, 'an absolute shit': 55041, 'absolute shit show': 27288, 'wakingdead': 964671, 'bre': 138354, 'anyway wakingdead': 81056, 'wakingdead wakeup': 964672, 'wakeup moment': 964653, 'moment most': 535996, 'most canadian': 542153, 'canadian are': 160633, 'are easy': 86071, 'easy picking': 265747, 'picking for': 655851, 'the upcoming': 870491, 'upcoming horde': 946793, 'horde and': 403991, 'happen whoever': 377208, 'whoever thought': 990116, 'would happen': 1011857, 'happen if': 377090, 'if food': 414120, 'chain bre': 170554, 'anyway wakingdead wakeup': 81057, 'wakingdead wakeup moment': 964673, 'wakeup moment most': 964654, 'moment most canadian': 535997, 'most canadian are': 542154, 'canadian are easy': 160636, 'are easy picking': 86073, 'easy picking for': 265748, 'picking for the': 655852, 'for the upcoming': 326756, 'the upcoming horde': 870494, 'upcoming horde and': 946794, 'horde and it': 403992, 'and it can': 65495, 'it can happen': 457019, 'can happen whoever': 158558, 'happen whoever thought': 377209, 'whoever thought this': 990117, 'thought this would': 893268, 'this would happen': 891538, 'would happen if': 1011859, 'happen if food': 377093, 'if food supply': 414122, 'supply chain bre': 824917, 'verify': 954788, 'skin': 773050, 'verify can': 954789, 'can handsanitizer': 158550, 'handsanitizer change': 376495, 'change skin': 172258, 'skin ph': 773075, 'ph level': 653975, 'level making': 487614, 'making you': 511499, 'you more': 1019885, 'verify can handsanitizer': 954791, 'can handsanitizer change': 158551, 'handsanitizer change skin': 376496, 'change skin ph': 172259, 'skin ph level': 773076, 'ph level making': 653976, 'level making you': 487615, 'making you more': 511503, 'you more vulnerable': 1019889, 'more vulnerable to': 540937, 'arranged': 93699, '5million': 20785, 'have still': 382755, 'still not': 800887, 'not arranged': 568245, 'arranged home': 93702, 'for 5million': 318882, '5million vulnerable': 20786, 'vulnerable adult': 960837, 'isolation for': 455266, 'all blame': 42188, 'blame the': 132300, 'the database': 852853, 'database available': 226513, 'available while': 104697, 'while leaving': 987005, 'leaving family': 485079, 'member at': 528030, 'going shopping': 355444, 'supermarket vulnerable': 823680, 'vulnerable highriskcovid19': 960997, 'highriskcovid19 sainsburys': 396122, 'sainsburys tesco': 731796, 'supermarket have still': 820708, 'have still not': 382757, 'still not arranged': 800888, 'not arranged home': 568246, 'arranged home delivery': 93703, 'home delivery for': 401018, 'delivery for 5million': 234017, 'for 5million vulnerable': 318883, '5million vulnerable adult': 20787, 'vulnerable adult in': 960838, 'adult in isolation': 32829, 'in isolation for': 424195, 'isolation for 12': 455267, '12 week they': 2990, 'week they all': 977034, 'they all blame': 881109, 'all blame the': 42190, 'blame the government': 132302, 'the government for': 856539, 'government for not': 360101, 'for not making': 323930, 'not making the': 570519, 'making the database': 511412, 'the database available': 852854, 'database available while': 226514, 'available while leaving': 104698, 'while leaving family': 987006, 'leaving family member': 485080, 'family member at': 298026, 'member at risk': 528031, 'of going shopping': 584196, 'going shopping supermarket': 355454, 'shopping supermarket vulnerable': 764020, 'supermarket vulnerable highriskcovid19': 823682, 'vulnerable highriskcovid19 sainsburys': 960998, 'highriskcovid19 sainsburys tesco': 396123, 'sainsburys tesco asda': 731799, 'coronavirus online': 206349, 'shopping only': 763518, 'allowed for': 46155, 'lockdown via': 500107, '19 coronavirus online': 6113, 'coronavirus online shopping': 206352, 'online shopping only': 609209, 'shopping only allowed': 763519, 'only allowed for': 610060, 'allowed for essential': 46156, 'for essential during': 321099, 'essential during lockdown': 280977, 'during lockdown via': 262778, 'essiantial': 281979, 'distancers': 246931, 'you unpaid': 1021978, 'unpaid family': 943025, 'family carers': 297691, 'carers nh': 164593, 'nh emergency': 561947, 'service care': 752206, 'staff care': 792304, 'home team': 402193, 'team volunteer': 835819, 'volunteer call': 960240, 'call help': 155927, 'help line': 390001, 'line supermarket': 493434, 'worker essiantial': 1006863, 'essiantial transport': 281980, 'transport team': 929955, 'team social': 835776, 'social distancers': 779537, 'distancers thank': 246934, 'you 19uk': 1016751, 'thank you unpaid': 841837, 'you unpaid family': 1021979, 'unpaid family carers': 943026, 'family carers nh': 297692, 'carers nh emergency': 164594, 'nh emergency service': 561948, 'emergency service care': 272952, 'service care home': 752207, 'home staff care': 402114, 'staff care at': 792305, 'care at home': 163857, 'at home team': 99132, 'home team volunteer': 402194, 'team volunteer call': 835820, 'volunteer call help': 960241, 'call help line': 155928, 'help line supermarket': 390003, 'line supermarket worker': 493438, 'supermarket worker essiantial': 824016, 'worker essiantial transport': 1006864, 'essiantial transport team': 281981, 'transport team social': 929956, 'team social distancers': 835777, 'social distancers thank': 779539, 'distancers thank you': 246935, 'thank you 19uk': 841683, 'bryan': 141429, 'balvaneda': 109134, 'bryan balvaneda': 141430, 'balvaneda clinical': 109135, 'clinical psychology': 182329, 'psychology graduate': 687558, 'graduate student': 361721, 'student and': 814638, 'offer some': 594800, 'some suggestion': 783995, 'for coping': 320355, 'these challenging': 879735, 'bryan balvaneda clinical': 141431, 'balvaneda clinical psychology': 109136, 'clinical psychology graduate': 182330, 'psychology graduate student': 687559, 'graduate student and': 361722, 'student and offer': 814641, 'and offer some': 67973, 'offer some suggestion': 594802, 'some suggestion for': 783996, 'suggestion for coping': 817637, 'for coping during': 320356, 'coping during these': 203371, 'during these challenging': 263230, 'these challenging time': 879736, 'void': 960016, 'distillery and': 247728, 'and brewery': 59187, 'brewery are': 139431, 'the void': 870944, 'void offering': 960024, 'offering wine': 595325, 'liquor delivery': 494166, 'pickup order': 656003, 'these local distillery': 880245, 'local distillery and': 497894, 'distillery and brewery': 247729, 'and brewery are': 59188, 'brewery are filling': 139432, 'filling the void': 305628, 'the void offering': 870946, 'void offering wine': 960025, 'offering wine and': 595326, 'and liquor delivery': 66214, 'liquor delivery and': 494167, 'delivery and pickup': 233673, 'and pickup order': 69023, 'volunteering': 960388, 'make doc': 509851, 'doc film': 250740, 'film but': 305667, 'my most': 549317, 'recent one': 703938, 'one lost': 606624, 'it festival': 457986, 'festival debut': 303595, 'debut because': 230642, 'last one': 480421, 'wa supposed': 963365, 'to release': 913136, 'release in': 708957, 'australia but': 103243, 'got pushed': 358801, 'pushed have': 690361, 'income but': 432304, 'but wanted': 147723, 'something so': 785061, 'so began': 776616, 'began volunteering': 123458, 'volunteering at': 960389, 'at small': 100558, 'small supermarket': 775140, 'make doc film': 509852, 'doc film but': 250741, 'film but my': 305669, 'but my most': 146436, 'my most recent': 549319, 'most recent one': 542684, 'recent one lost': 703939, 'one lost it': 606625, 'lost it festival': 503876, 'it festival debut': 457987, 'festival debut because': 303596, 'debut because of': 230643, '19 and my': 5066, 'my last one': 548977, 'last one wa': 480426, 'one wa supposed': 607350, 'wa supposed to': 963366, 'supposed to release': 827372, 'to release in': 913138, 'release in australia': 708958, 'in australia but': 420601, 'australia but got': 103244, 'but got pushed': 145808, 'got pushed have': 358802, 'pushed have no': 690362, 'have no work': 381667, 'no work or': 565928, 'work or income': 1005564, 'or income but': 615773, 'income but wanted': 432305, 'but wanted to': 147724, 'wanted to do': 966251, 'do something so': 250154, 'something so began': 785063, 'so began volunteering': 776617, 'began volunteering at': 123459, 'volunteering at small': 960390, 'at small supermarket': 100562, 'katie': 471048, 'moving': 544109, 'will katie': 993885, 'katie and': 471049, 'be moving': 116017, 'moving in': 544157, 'weekend amongst': 977314, 'amongst the': 53143, 'panic yes': 638810, 'yes will': 1015610, 'no will': 565896, 'will we': 995318, 'any self': 79778, 'self respect': 747889, 'respect also': 714957, 'also no': 48568, 'no but': 563744, 'least we': 484683, 'will katie and': 993886, 'katie and be': 471050, 'and be moving': 58759, 'be moving in': 116018, 'moving in this': 544160, 'in this weekend': 430045, 'this weekend amongst': 891305, 'weekend amongst the': 977315, 'amongst the covid': 53144, '19 panic yes': 9565, 'panic yes will': 638811, 'yes will have': 1015611, 'have food or': 380659, 'paper no will': 640504, 'no will we': 565898, 'will we have': 995329, 'we have any': 971758, 'have any self': 379317, 'any self respect': 79779, 'self respect also': 747890, 'respect also no': 714958, 'also no but': 48569, 'no but at': 563745, 'at least we': 99564, 'least we ll': 484687, 'll have each': 496827, 'that approximately': 842706, 'approximately 12': 83239, '12 million': 2881, 'million were': 532415, 'were lost': 979855, 'lost to': 503939, 'scam according': 739963, 'report received': 712209, 'received since': 703679, 'since january': 770670, 'january 2020': 464626, '2020 consume': 14237, 'consume via': 195952, 'via security': 956226, 'security tech': 744763, 'tech mondaymotivation': 836120, 'trade commission say': 928457, 'commission say that': 188896, 'say that approximately': 739226, 'that approximately 12': 842707, 'approximately 12 million': 83240, '12 million were': 2891, 'million were lost': 532416, 'were lost to': 979856, 'lost to coronavirus': 503941, 'to coronavirus related': 903565, 'related scam according': 708543, 'scam according to': 739964, 'according to consumer': 28529, 'to consumer report': 903328, 'consumer report received': 198722, 'report received since': 712210, 'received since january': 703680, 'since january 2020': 770673, 'january 2020 consume': 464629, '2020 consume via': 14238, 'consume via security': 195953, 'via security tech': 956227, 'security tech mondaymotivation': 744764, 'seeing picture': 746419, 'shelf ever': 757053, 'ever day': 285268, 'love seeing picture': 504772, 'seeing picture of': 746420, 'picture of empty': 656162, 'supermarket shelf ever': 822463, 'shelf ever day': 757054, 'residentevil': 714409, 'idea resident': 413161, 'resident evil': 714291, 'evil merchant': 288447, 'merchant but': 529006, 're selling': 699478, 'sanitizer outside': 735512, 'outside store': 629559, 'store residentevil': 809835, 'an idea resident': 56132, 'idea resident evil': 413162, 'resident evil merchant': 714292, 'evil merchant but': 288448, 'merchant but you': 529007, 'but you re': 147997, 'you re selling': 1020740, 're selling toilet': 699482, 'hand sanitizer outside': 375523, 'sanitizer outside store': 735515, 'outside store residentevil': 629562, 'repost some': 712838, 'some massachusetts': 783264, 'massachusetts resident': 519922, 'resident are': 714249, 'are preparing': 89197, 'by stockpiling': 154128, 'stockpiling supply': 804087, 'supply emptying': 825209, 'emptying grocery': 275262, 'shelf stacking': 757566, 'stacking up': 792047, 'up can': 944570, 'black bean': 132028, 'their cupboard': 872932, 'repost some massachusetts': 712839, 'some massachusetts resident': 783265, 'massachusetts resident are': 519923, 'resident are preparing': 714252, 'are preparing for': 89198, 'preparing for the': 670339, 'for the pandemic': 326608, 'the pandemic by': 862926, 'pandemic by stockpiling': 635079, 'by stockpiling supply': 154129, 'stockpiling supply emptying': 804089, 'supply emptying grocery': 825210, 'emptying grocery store': 275263, 'store shelf stacking': 810101, 'shelf stacking up': 757567, 'stacking up can': 792048, 'up can of': 944575, 'can of black': 159084, 'of black bean': 580731, 'black bean in': 132030, 'bean in their': 118334, 'in their cupboard': 429733, 'depressing': 237606, 'tribe': 931674, 'really depressing': 702103, 'depressing to': 237615, 'how lot': 408225, 'behaving right': 123845, 'be empty': 114668, 'empty it': 274924, 'about everyone': 25196, 'everyone this': 287480, 'this fight': 887540, 'fight not': 304807, 'just you': 470376, 'your little': 1024667, 'little tribe': 495632, 'tribe panicbuying': 931677, 'it really depressing': 460631, 'really depressing to': 702104, 'depressing to see': 237616, 'see how lot': 745238, 'how lot of': 408226, 'people are behaving': 646935, 'are behaving right': 84822, 'behaving right now': 123846, 'now there no': 576093, 'need for supermarket': 554874, 'for supermarket shelf': 326021, 'supermarket shelf to': 822548, 'shelf to be': 757695, 'to be empty': 901234, 'be empty it': 114671, 'empty it about': 274925, 'it about everyone': 456236, 'about everyone this': 25200, 'everyone this fight': 287482, 'this fight not': 887546, 'fight not just': 304808, 'not just you': 570265, 'just you and': 470378, 'and your little': 76081, 'your little tribe': 1024668, 'little tribe panicbuying': 495633, 'servicetechnicians': 753152, 'foodprocessing': 318041, 'huge thank': 410236, 'service technician': 752899, 'technician out': 836230, 'there keeping': 878685, 'essential plant': 281397, 'industry up': 436197, 'running smoothly': 728069, 'smoothly during': 775955, 'this uncertain': 890897, 'time thankyou': 897827, 'thankyou servicetechnicians': 842349, 'servicetechnicians plastic': 753153, 'plastic chemical': 658830, 'chemical pharmaceutical': 175371, 'pharmaceutical foodprocessing': 654077, 'foodprocessing medical': 318043, 'medical toiletpaper': 526481, 'huge thank you': 410237, 'to our service': 911240, 'our service technician': 624731, 'service technician out': 752902, 'technician out there': 836231, 'out there keeping': 627494, 'there keeping our': 878687, 'keeping our essential': 472502, 'our essential plant': 622926, 'essential plant and': 281398, 'plant and industry': 658613, 'and industry up': 65187, 'industry up and': 436198, 'up and running': 944366, 'and running smoothly': 70646, 'running smoothly during': 728071, 'smoothly during this': 775957, 'during this uncertain': 263332, 'this uncertain time': 890898, 'uncertain time thankyou': 939626, 'time thankyou servicetechnicians': 897828, 'thankyou servicetechnicians plastic': 842350, 'servicetechnicians plastic chemical': 753154, 'plastic chemical pharmaceutical': 658831, 'chemical pharmaceutical foodprocessing': 175372, 'pharmaceutical foodprocessing medical': 654078, 'foodprocessing medical toiletpaper': 318044, 'niece': 562627, 'hut': 411847, 'caregiver': 164491, 'son and': 785348, 'my niece': 549492, 'niece just': 562632, 'now lost': 575258, 'at pizza': 100124, 'pizza hut': 657167, 'hut the': 411851, 'thru will': 895245, 'be operating': 116261, 'son is': 785393, 'my caregiver': 547619, 'caregiver he': 164508, 'he help': 385085, 'and car': 59543, 'car repair': 163267, 'repair what': 711472, 'the solution': 867458, 'solution for': 782020, 'my son and': 550151, 'son and my': 785350, 'and my niece': 67381, 'my niece just': 549494, 'niece just now': 562633, 'just now lost': 469350, 'now lost their': 575259, 'their job at': 873699, 'job at pizza': 465678, 'at pizza hut': 100125, 'pizza hut the': 657168, 'hut the drive': 411852, 'drive thru will': 259211, 'thru will be': 895246, 'will be operating': 992592, 'be operating only': 116262, 'operating only because': 613095, 'only because of': 610159, 'of panic over': 587730, 'panic over the': 638392, 'over the covid': 630711, '19 my son': 8736, 'my son is': 550159, 'son is my': 785395, 'is my caregiver': 449785, 'my caregiver he': 547620, 'caregiver he help': 164509, 'he help with': 385087, 'food and car': 313194, 'and car repair': 59549, 'car repair what': 163268, 'repair what is': 711473, 'is the solution': 452942, 'the solution for': 867462, 'solution for people': 782030, 'for people like': 324453, 'mat': 520250, 'wmt': 1003283, 'vermont shopper': 954857, 'shopper hoping': 761550, 'grab an': 361456, 'an exercise': 55941, 'exercise mat': 290076, 'mat or': 520255, 'or video': 617668, 'video game': 956749, 'game inside': 343192, 'inside walmart': 439442, 'walmart are': 965280, 'of luck': 586064, 'luck via': 506480, 'via wmt': 956373, 'vermont shopper hoping': 954858, 'shopper hoping to': 761551, 'hoping to grab': 403953, 'to grab an': 906956, 'grab an exercise': 361457, 'an exercise mat': 55942, 'exercise mat or': 290077, 'mat or video': 520256, 'or video game': 617670, 'video game inside': 956757, 'game inside walmart': 343193, 'inside walmart are': 439443, 'walmart are out': 965281, 'out of luck': 626778, 'of luck via': 586067, 'luck via wmt': 506481, 'penny please': 646621, 'please have': 660054, 'have care': 379899, 'care kit': 164040, 'kit with': 475674, 'with cleaning': 997654, 'cleaning essential': 180943, 'essential sent': 281491, 'sent out': 750791, 'everyone household': 287024, 'household in': 406841, 'america have': 51548, 'find lysol': 307043, 'month stayhome': 538016, 'penny please have': 646622, 'please have care': 660055, 'have care kit': 379900, 'care kit with': 164041, 'kit with cleaning': 475676, 'with cleaning essential': 997655, 'cleaning essential sent': 180944, 'essential sent out': 281492, 'sent out to': 750796, 'out to everyone': 627641, 'to everyone household': 905341, 'everyone household in': 287025, 'household in america': 406842, 'in america have': 420222, 'america have not': 51549, 'not been able': 568502, 'to find lysol': 905916, 'find lysol hand': 307044, 'sanitizer etc for': 734827, 'etc for almost': 282541, 'almost month stayhome': 46692, 'amazonbasics': 51218, 'kirkland': 475423, 'roadmaps': 724558, 'prosumer': 684739, 'what amazonbasics': 981026, 'amazonbasics and': 51219, 'and kirkland': 65858, 'kirkland product': 475427, 'product roadmaps': 681582, 'roadmaps look': 724559, 'paper consumer': 640042, 'consumer grade': 197643, 'grade ppe': 361657, 'ppe prosumer': 668033, 'prosumer grade': 684740, 'worker shelf': 1007763, 'stable food': 791907, 'food baby': 313497, 'baby line': 106652, 'line diaper': 493053, 'diaper kid': 240363, 'kid line': 474037, 'line education': 493067, 'education wfh': 268882, 'wfh line': 980840, 'line camera': 493024, 'camera screen': 157125, 'screen audio': 742680, 'audio what': 102935, 'wonder what amazonbasics': 1004006, 'what amazonbasics and': 981027, 'amazonbasics and kirkland': 51220, 'and kirkland product': 65859, 'kirkland product roadmaps': 475428, 'product roadmaps look': 681583, 'roadmaps look like': 724560, 'look like toilet': 502519, 'like toilet paper': 491643, 'toilet paper consumer': 921236, 'paper consumer grade': 640043, 'consumer grade ppe': 197644, 'grade ppe prosumer': 361659, 'ppe prosumer grade': 668034, 'prosumer grade ppe': 684741, 'grade ppe for': 361658, 'ppe for worker': 667952, 'for worker shelf': 327941, 'worker shelf stable': 1007764, 'shelf stable food': 757544, 'stable food baby': 791908, 'food baby line': 313498, 'baby line diaper': 106653, 'line diaper kid': 493054, 'diaper kid line': 240364, 'kid line education': 474038, 'line education wfh': 493068, 'education wfh line': 268883, 'wfh line camera': 980841, 'line camera screen': 493025, 'camera screen audio': 157126, 'screen audio what': 742681, 'audio what else': 102936, 'novak': 573716, 'energy minister': 276504, 'minister alexander': 533325, 'alexander novak': 41605, 'novak said': 573719, 'thursday that': 895426, 'may return': 521465, 'oil negotiation': 596973, 'negotiation with': 556961, 'with saudi': 1000581, 'arabia after': 83847, 'after talk': 36267, 'talk collapsed': 833785, 'collapsed last': 186103, 'month which': 538118, 'which coupled': 985785, 'new dragged': 558645, 'dragged price': 258184, 'their 18': 872416, 'energy minister alexander': 276505, 'minister alexander novak': 533326, 'alexander novak said': 41606, 'novak said on': 573720, 'said on thursday': 731290, 'on thursday that': 604679, 'thursday that may': 895428, 'that may return': 845089, 'may return to': 521466, 'return to oil': 719927, 'to oil negotiation': 910881, 'oil negotiation with': 596974, 'negotiation with saudi': 556963, 'with saudi arabia': 1000582, 'saudi arabia after': 737181, 'arabia after talk': 83848, 'after talk collapsed': 36268, 'talk collapsed last': 833786, 'collapsed last month': 186104, 'last month which': 480347, 'month which coupled': 538119, 'which coupled with': 985786, 'coupled with the': 211741, 'with the spread': 1001491, 'the new dragged': 861498, 'new dragged price': 558647, 'dragged price to': 258185, 'price to their': 677053, 'to their 18': 917208, 'their 18 year': 872417, 'store late': 808676, 'late in': 480881, 'day shelf': 228339, 'shelf cleaned': 756938, 'cleaned many': 180714, 'many restaurant': 514639, 'restaurant closed': 716372, 'closed make': 183214, 'me wonder': 524007, 'were eating': 979546, 'eating out': 266270, 'out too': 627721, 'much before': 544751, 'grocery store late': 365510, 'store late in': 808677, 'late in the': 480882, 'the day shelf': 852911, 'day shelf cleaned': 228340, 'shelf cleaned many': 756939, 'cleaned many restaurant': 180715, 'many restaurant closed': 514641, 'restaurant closed make': 716375, 'closed make me': 183215, 'make me wonder': 510153, 'me wonder if': 524008, 'wonder if we': 1003980, 'if we were': 415324, 'we were eating': 973788, 'were eating out': 979547, 'eating out too': 266277, 'out too much': 627722, 'too much before': 924915, '6pm': 21646, 'aedt': 33878, 'wark': 966867, 'middleton': 530718, 'cf': 170276, 'tomorrow night': 924139, 'night at': 562958, 'at 6pm': 97732, '6pm aedt': 21650, 'aedt prof': 33879, 'prof peter': 682367, 'peter wark': 653541, 'wark peter': 966868, 'peter middleton': 653523, 'middleton will': 530721, 'consumer connect': 196936, 'connect session': 194617, 'session about': 753262, '19 cf': 5745, 'cf get': 170282, 'answered click': 78164, 'click consumer': 181902, 'connect box': 194595, 'box enter': 137052, 'enter your': 278336, 'email and': 272108, 'and password': 68750, 'password or': 643477, 'or sign': 617078, 'tomorrow night at': 924141, 'night at 6pm': 562961, 'at 6pm aedt': 97734, '6pm aedt prof': 21651, 'aedt prof peter': 33880, 'prof peter wark': 682368, 'peter wark peter': 653542, 'wark peter middleton': 966869, 'peter middleton will': 653524, 'middleton will lead': 530722, 'will lead consumer': 993964, 'lead consumer connect': 483270, 'consumer connect session': 196940, 'connect session about': 194618, 'session about covid': 753263, 'covid 19 cf': 212779, '19 cf get': 5746, 'cf get your': 170283, 'get your question': 348728, 'your question answered': 1025496, 'question answered click': 693530, 'answered click consumer': 78165, 'click consumer connect': 181903, 'consumer connect box': 196937, 'connect box enter': 194596, 'box enter your': 137053, 'enter your email': 278339, 'your email and': 1023642, 'email and password': 272113, 'and password or': 68752, 'password or sign': 643478, 'or sign up': 617079, 'joint': 466998, 'expressly': 293097, 'creditunions': 216597, 'joint statement': 467026, 'statement from': 796173, 'from federal': 335449, 'federal financial': 301982, 'financial regulator': 306550, 'regulator expressly': 708139, 'expressly encourages': 293098, 'encourages creditunions': 275689, 'creditunions to': 216600, 'offer responsible': 594767, 'responsible small': 716055, 'small dollar': 774932, 'dollar loan': 253028, 'loan to': 497542, 'business member': 144042, 'member during': 528066, 'disease for': 245143, 'the statement': 867827, 'joint statement from': 467027, 'statement from federal': 796175, 'from federal financial': 335450, 'federal financial regulator': 301983, 'financial regulator expressly': 306551, 'regulator expressly encourages': 708140, 'expressly encourages creditunions': 293099, 'encourages creditunions to': 275690, 'creditunions to offer': 216601, 'to offer responsible': 910845, 'offer responsible small': 594768, 'responsible small dollar': 716056, 'small dollar loan': 774934, 'dollar loan to': 253029, 'loan to consumer': 497543, 'small business member': 774876, 'business member during': 144044, 'member during the': 528068, 'during the disease': 263116, 'the disease for': 853363, 'disease for more': 245144, 'for more on': 323589, 'on the statement': 604380, 'resist': 714561, 'darth': 226039, 'vader': 951827, 'to resist': 913355, 'resist making': 714572, 'making darth': 511015, 'darth vader': 226040, 'vader noise': 951828, 'noise in': 566225, 'my mask': 549206, 'managed to resist': 512508, 'to resist making': 913359, 'resist making darth': 714573, 'making darth vader': 511016, 'darth vader noise': 226041, 'vader noise in': 951829, 'noise in my': 566226, 'in my mask': 425599, 'my mask in': 549208, 'mask in the': 518839, 'compiled': 191808, 'fdic': 300966, 'keeping yourself': 472643, 'money safe': 537005, 'ever during': 285283, 'helpful tip': 391230, 'tip compiled': 898734, 'compiled by': 191815, 'federal deposit': 301976, 'deposit insurance': 237502, 'insurance corporation': 440704, 'corporation fdic': 207420, 'fdic by': 300967, 'by following': 152607, 'keeping yourself and': 472644, 'your money safe': 1024870, 'money safe is': 537006, 'safe is more': 729784, 'than ever during': 840579, 'ever during the': 285285, 'the helpful tip': 857273, 'helpful tip compiled': 391232, 'tip compiled by': 898735, 'compiled by the': 191816, 'by the federal': 154327, 'the federal deposit': 855072, 'federal deposit insurance': 301977, 'deposit insurance corporation': 237503, 'insurance corporation fdic': 440705, 'corporation fdic by': 207421, 'fdic by following': 300968, 'by following the': 152609, 'following the link': 312892, 'tipped': 898972, 'thanked and': 841867, 'and tipped': 74136, 'tipped my': 898973, 'cashier on': 166576, 'low today': 505697, 'today ha': 919595, 'some unlikely': 784138, 'unlikely frontline': 942747, 'frontline hero': 338756, 'hero grocery': 394002, 'thanked and tipped': 841868, 'and tipped my': 74137, 'tipped my cashier': 898974, 'my cashier on': 547641, 'cashier on the': 166577, 'on the low': 604224, 'the low today': 859787, 'low today ha': 505698, 'today ha some': 919597, 'ha some unlikely': 372000, 'some unlikely frontline': 784139, 'unlikely frontline hero': 942748, 'frontline hero grocery': 338757, 'hero grocery store': 394004, 'transforming': 929597, 'growbydata': 367090, 'how coronavirus': 407609, 'is transforming': 453332, 'transforming consumer': 929598, 'consumer shopping': 198973, 'behavior and': 123879, 'can benefit': 157749, 'it growbydata': 458356, 'growbydata 19': 367091, '19 consumerbehavior': 5998, 'out how coronavirus': 626320, 'how coronavirus is': 407612, 'coronavirus is transforming': 206177, 'is transforming consumer': 453333, 'transforming consumer shopping': 929599, 'consumer shopping behavior': 198974, 'shopping behavior and': 762196, 'behavior and how': 123890, 'how online retailer': 408445, 'online retailer can': 608879, 'retailer can benefit': 719057, 'can benefit from': 157750, 'benefit from it': 126988, 'from it growbydata': 336116, 'it growbydata 19': 458357, 'growbydata 19 consumerbehavior': 367092, 'way consumer': 969524, 'way consumer are': 969525, 'consumer are shopping': 196310, 'are shopping amid': 90057, 'the pandemic food': 862967, 'hard but': 377878, 'to laugh': 909089, 'laugh removing': 481753, 'removing supermarket': 710911, 'shelf except': 757062, 'for fresh': 321754, 'produce might': 680357, 'might actually': 530857, 'actually be': 30735, 'those wanting': 892599, 'flatten other': 310125, 'other curve': 620050, 'curve stayathome': 221896, 'stayathome pandemic': 797570, 'know it hard': 476530, 'it hard but': 458483, 'hard but you': 377882, 'but you have': 147986, 'have to laugh': 383236, 'to laugh removing': 909092, 'laugh removing supermarket': 481754, 'removing supermarket shelf': 710912, 'supermarket shelf except': 822466, 'shelf except for': 757063, 'except for fresh': 289160, 'for fresh produce': 321761, 'fresh produce might': 333060, 'produce might actually': 680358, 'might actually be': 530858, 'actually be good': 30736, 'be good for': 115066, 'good for those': 357092, 'for those wanting': 327147, 'those wanting to': 892600, 'wanting to flatten': 966302, 'to flatten other': 905999, 'flatten other curve': 310126, 'other curve stayathome': 620051, 'curve stayathome pandemic': 221897, 'stayathome pandemic panicbuying': 797572, 'station employee': 796390, 'employee out': 274096, 'there shut': 879046, 'shut these': 767953, 'these down': 879938, 'would riot': 1012195, 'riot most': 722616, 'most make': 542501, 'make minimum': 510168, 'get zero': 348755, 'zero respect': 1027491, 'respect this': 715073, 'made it': 507799, 'clear how': 181256, 'how vital': 409143, 'vital these': 959737, 'these job': 880201, 'are to': 91103, 'get huge': 347266, 'huge raise': 410164, 'raise or': 695891, 'or bonus': 614569, 'about the grocery': 26407, 'store and gas': 806246, 'gas station employee': 344108, 'station employee out': 796393, 'employee out there': 274098, 'out there shut': 627511, 'there shut these': 879047, 'shut these down': 767954, 'these down and': 879939, 'down and people': 256508, 'and people would': 68894, 'people would riot': 650545, 'would riot most': 1012196, 'riot most make': 722618, 'most make minimum': 542502, 'make minimum wage': 510169, 'wage and get': 963810, 'and get zero': 63616, 'get zero respect': 348756, 'zero respect this': 1027492, 'respect this ha': 715074, 'this ha made': 887808, 'ha made it': 371210, 'made it clear': 507802, 'it clear how': 457159, 'clear how vital': 181258, 'how vital these': 409146, 'vital these job': 959738, 'these job are': 880202, 'job are to': 465664, 'are to all': 91106, 'of it time': 585457, 'it time they': 461699, 'time they get': 897900, 'they get huge': 882166, 'get huge raise': 347268, 'huge raise or': 410165, 'raise or bonus': 695892, 'laborer': 478494, 'planting': 658749, 'freight': 332679, 'plane': 658373, 'upending': 947505, 'of laborer': 585696, 'laborer cannot': 478495, 'to field': 905769, 'field for': 304473, 'for harvesting': 322121, 'harvesting and': 378650, 'and planting': 69072, 'planting there': 658769, 'are too': 91134, 'too few': 924737, 'few trucker': 304118, 'trucker to': 932960, 'keep good': 471555, 'good moving': 357423, 'moving air': 544114, 'air freight': 39740, 'freight capacity': 332680, 'produce ha': 680285, 'ha plummeted': 371507, 'plummeted plane': 661346, 'plane are': 658376, 'are grounded': 86969, 'grounded more': 366574, 'is upending': 453590, 'upending food': 947506, 'million of laborer': 532273, 'of laborer cannot': 585697, 'laborer cannot get': 478496, 'get to field': 348467, 'to field for': 905770, 'field for harvesting': 304475, 'for harvesting and': 322122, 'harvesting and planting': 378651, 'and planting there': 69073, 'planting there are': 658770, 'there are too': 878179, 'are too few': 91138, 'too few trucker': 924739, 'few trucker to': 304119, 'trucker to keep': 932961, 'to keep good': 908796, 'keep good moving': 471557, 'good moving air': 357424, 'moving air freight': 544116, 'air freight capacity': 39741, 'freight capacity for': 332681, 'capacity for fresh': 162523, 'fresh produce ha': 333052, 'produce ha plummeted': 680286, 'ha plummeted plane': 371510, 'plummeted plane are': 661347, 'plane are grounded': 658377, 'are grounded more': 86970, 'grounded more on': 366575, 'more on how': 539921, 'on how coronavirus': 601390, 'coronavirus is upending': 206180, 'is upending food': 453591, 'upending food supply': 947507, 'unilaterally': 941781, 'istanbul': 456153, 'mamolu': 511956, 'decision made': 231054, 'made unilaterally': 508045, 'unilaterally only': 941782, 'only create': 610294, 'create more': 215689, 'more panic': 539981, 'confusion istanbul': 194388, 'istanbul mayor': 456154, 'mayor mamolu': 521972, 'mamolu said': 511957, 'not informed': 570145, 'informed in': 438103, 'advance about': 32889, 'government decision': 360012, 'to impose': 908191, 'impose 48': 419229, 'hour curfew': 405509, 'curfew to': 220937, 'announcement people': 77185, 'took to': 925365, 'decision made unilaterally': 231055, 'made unilaterally only': 508046, 'unilaterally only create': 941783, 'only create more': 610295, 'create more panic': 215694, 'more panic and': 539983, 'panic and confusion': 637304, 'and confusion istanbul': 60297, 'confusion istanbul mayor': 194389, 'istanbul mayor mamolu': 456155, 'mayor mamolu said': 521973, 'mamolu said he': 511958, 'said he wa': 731114, 'wa not informed': 962766, 'not informed in': 570146, 'informed in advance': 438104, 'in advance about': 420049, 'advance about the': 32890, 'about the government': 26405, 'the government decision': 856523, 'government decision to': 360013, 'decision to impose': 231105, 'to impose 48': 908192, 'impose 48 hour': 419230, '48 hour curfew': 19307, 'hour curfew to': 405512, 'curfew to contain': 220938, 'contain the coronavirus': 200495, 'the coronavirus after': 851801, 'coronavirus after the': 205469, 'the announcement people': 848759, 'announcement people took': 77186, 'people took to': 649989, 'took to the': 925366, 'to the street': 917101, 'the street to': 868254, 'street to buy': 813147, 'thought she': 893210, 'wa having': 962285, 'having fit': 384066, 'fit toiletpaper': 309503, 'thought she wa': 893212, 'she wa having': 756415, 'wa having fit': 962287, 'having fit toiletpaper': 384067, 'aryal': 94700, 'ensuing': 277872, 'aryal good': 94701, 'news we': 560952, 'can place': 159239, 'place an': 657304, 'consumer item': 197966, 'with company': 997700, 'company through': 191213, 'through interest': 894532, 'interest whether': 441430, 'is recently': 451342, 'recently set': 704146, 'up company': 944623, 'with view': 1001980, 'view to': 957175, 'making service': 511330, 'service available': 752165, 'to ease': 904847, 'ease lockout': 265088, 'lockout ensuing': 500525, 'ensuing after': 277873, 'aryal good news': 94702, 'good news we': 357465, 'news we can': 560953, 'we can place': 970987, 'can place an': 159240, 'place an order': 657307, 'order for consumer': 618225, 'for consumer item': 320270, 'consumer item with': 197970, 'item with company': 463837, 'with company through': 997705, 'company through interest': 191214, 'through interest whether': 894533, 'interest whether this': 441431, 'whether this is': 985597, 'this is recently': 888377, 'is recently set': 451343, 'recently set up': 704147, 'set up company': 753550, 'up company with': 944624, 'company with view': 191348, 'with view to': 1001981, 'view to making': 957176, 'to making service': 909779, 'making service available': 511331, 'service available in': 752167, 'available in government': 104441, 'in government effort': 423392, 'effort to ease': 269620, 'to ease lockout': 904851, 'ease lockout ensuing': 265089, 'lockout ensuing after': 500526, 'ensuing after the': 277874, '327': 17724, '841': 22887, '482': 19350, 'hospitalization': 404832, '574': 20510, '095': 1173, '427': 18938, 'optimistic': 613925, 'some encouraging': 782750, 'encouraging data': 275718, 'from governor': 335677, 'governor cuomo': 360891, 'cuomo daily': 220404, 'daily briefing': 224525, 'briefing daily': 139708, 'daily case': 224539, 'case 327': 165589, '327 down': 17725, '10 841': 1288, '841 and': 22888, '10 482': 1279, '482 bigger': 19351, 'bigger is': 130155, 'is new': 449883, 'new hospitalization': 558894, 'hospitalization 574': 404833, '574 095': 20511, '095 and': 1174, 'and 427': 57477, '427 ny': 18942, 'ny trend': 577923, 'than optimistic': 840987, 'optimistic case': 613929, 'some encouraging data': 782751, 'encouraging data from': 275719, 'data from governor': 226229, 'from governor cuomo': 335678, 'governor cuomo daily': 360893, 'cuomo daily briefing': 220405, 'daily briefing daily': 224527, 'briefing daily case': 139709, 'daily case 327': 224540, 'case 327 down': 165590, '327 down from': 17726, 'down from 10': 256785, 'from 10 841': 334162, '10 841 and': 1289, '841 and 10': 22889, 'and 10 482': 57343, '10 482 bigger': 1280, '482 bigger is': 19352, 'bigger is new': 130156, 'is new hospitalization': 449884, 'new hospitalization 574': 558895, 'hospitalization 574 095': 404834, '574 095 and': 20512, '095 and 427': 1175, 'and 427 ny': 57478, '427 ny trend': 18943, 'ny trend is': 577924, 'trend is better': 931379, 'better than optimistic': 128529, 'than optimistic case': 840988, 'comforting': 187900, 'got back': 358426, 'from weekly': 338325, 'weekly shopping': 977562, 'shopping one': 763396, 'few distraction': 303806, 'distraction sorry': 247911, 'sorry basic': 786013, 'basic need': 112007, 'in israel': 424216, 'israel semi': 455601, 'semi 19': 749604, 'very comforting': 955063, 'comforting to': 187909, 'so well': 778698, 'stocked respect': 803382, 'just got back': 468850, 'got back from': 358427, 'back from weekly': 107022, 'from weekly shopping': 338326, 'weekly shopping one': 977566, 'shopping one of': 763398, 'of the few': 591020, 'the few distraction': 855117, 'few distraction sorry': 303807, 'distraction sorry basic': 247912, 'sorry basic need': 786015, 'basic need are': 112008, 'need are still': 554473, 'still allowed in': 800182, 'allowed in israel': 46164, 'in israel semi': 424221, 'israel semi 19': 455602, 'semi 19 situation': 749605, '19 situation it': 10579, 'it is very': 459122, 'is very comforting': 453670, 'very comforting to': 955064, 'comforting to see': 187911, 'supermarket so well': 822747, 'so well stocked': 778700, 'well stocked respect': 978604, 'stocked respect for': 803383, 'respect for all': 714985, 'worker who make': 1008218, 'who make this': 989256, 'isn what': 454755, 'what plan': 982031, 'say today': 739399, 'about child': 24955, 'care he': 163983, 'he should': 385436, 'should delay': 765910, 'delay his': 232700, 'his speech': 397805, 'speech until': 788410, 'until he': 943734, 'he ready': 385332, 'to commit': 903080, 'to something': 914913, 'if this isn': 415159, 'this isn what': 888496, 'isn what plan': 454757, 'what plan to': 982032, 'plan to say': 658318, 'to say today': 913849, 'say today about': 739400, 'today about child': 919140, 'about child care': 24956, 'child care he': 176039, 'care he should': 163984, 'he should delay': 385438, 'should delay his': 765911, 'delay his speech': 232701, 'his speech until': 397807, 'speech until he': 788411, 'until he ready': 943736, 'he ready to': 385333, 'ready to commit': 700943, 'to commit to': 903084, 'commit to something': 188983, 'to something like': 914915, 'something like this': 784965, 'canibrands': 161364, 'echl': 266623, 'cleanse': 181164, 'canibrands donates': 161365, 'donates fund': 254391, 'the echl': 853869, 'echl player': 266624, 'player relief': 659331, 'fund lower': 341449, 'and launch': 65978, 'launch free': 481905, 'free can': 331699, 'can cleanse': 157912, 'cleanse external': 181165, 'external sanitizer': 293349, 'the read': 865199, 'canibrands donates fund': 161366, 'donates fund to': 254393, 'fund to the': 341531, 'to the echl': 916661, 'the echl player': 853870, 'echl player relief': 266625, 'player relief fund': 659332, 'relief fund lower': 709355, 'fund lower price': 341450, 'lower price and': 505952, 'price and launch': 672454, 'and launch free': 65979, 'launch free can': 481906, 'free can cleanse': 331700, 'can cleanse external': 157913, 'cleanse external sanitizer': 181166, 'external sanitizer to': 293350, 'sanitizer to help': 735929, 'help support the': 390617, 'support the community': 826863, 'the community during': 851272, 'during the read': 263180, 'the read more': 865200, 'upper': 947684, 'year is': 1014666, 'is 2020': 445183, '2020 you': 14739, 'and acquire': 57615, 'acquire toilet': 29163, 'new upper': 559810, 'upper class': 947685, 'the year is': 872161, 'year is 2020': 1014667, 'is 2020 you': 445184, '2020 you enter': 14740, 'you enter supermarket': 1018428, 'enter supermarket and': 278296, 'supermarket and acquire': 818924, 'and acquire toilet': 57616, 'acquire toilet paper': 29164, 'paper you are': 641125, 'the new upper': 861574, 'new upper class': 559811, 'seeing drop': 746272, 'in donation': 422357, 'donation from': 254610, 'store panicked': 809461, 'shopper leave': 761588, 'leave more': 484871, 'more shelf': 540375, 'shelf bare': 756862, 'bare it': 110912, 'in from': 423124, 'country everybody': 210624, 'are seeing drop': 89893, 'seeing drop in': 746273, 'drop in donation': 260238, 'in donation from': 422361, 'donation from local': 254613, 'from local grocery': 336253, 'grocery store panicked': 365638, 'store panicked shopper': 809462, 'panicked shopper leave': 639287, 'shopper leave more': 761591, 'leave more shelf': 484872, 'more shelf bare': 540376, 'shelf bare it': 756867, 'bare it isn': 110913, 'flood in from': 310709, 'in from across': 423125, 'the country everybody': 852074, 'country everybody is': 210625, 'oil fall': 596786, 'fall to': 297084, 'to lowest': 909517, '2003 23': 13587, '23 12': 15351, '12 analyst': 2819, 'analyst are': 57104, 'is possible': 450945, 'possible we': 665871, 'see negative': 745473, 'negative oil': 556806, 'price aramco': 672620, 'aramco will': 84002, 'will pay': 994385, 'pay you': 645245, 'take oil': 832397, 'oil fall to': 596787, 'fall to lowest': 297097, 'to lowest level': 909519, 'since 2003 23': 770442, '2003 23 12': 13588, '23 12 analyst': 15352, '12 analyst are': 2820, 'analyst are saying': 57106, 'it is possible': 459040, 'is possible we': 450953, 'possible we will': 665875, 'we will see': 973903, 'will see negative': 994786, 'see negative oil': 745474, 'negative oil price': 556807, 'oil price aramco': 597051, 'price aramco will': 672621, 'aramco will pay': 84003, 'will pay you': 994398, 'pay you to': 645251, 'you to take': 1021847, 'to take oil': 916213, 'greg': 363820, 'courtney': 212063, 'knoll': 476190, 'uia': 938120, 'adler': 32400, 'financial downturn': 306405, 'downturn will': 257821, 'have short': 382522, 'short long': 764645, 'personal consumer': 652811, 'finance our': 306247, 'panel ft': 637182, 'ft greg': 339344, 'greg brown': 363823, 'brown courtney': 141234, 'courtney knoll': 212066, 'knoll uia': 476191, 'uia investment': 938121, 'investment management': 444027, 'management dan': 512558, 'dan adler': 225520, 'adler explores': 32401, 'explores what': 292538, 'the financial downturn': 855214, 'financial downturn will': 306407, 'downturn will have': 257822, 'will have short': 993671, 'have short long': 382523, 'short long term': 764646, 'term effect on': 838133, 'effect on personal': 269092, 'on personal consumer': 602773, 'personal consumer finance': 652813, 'consumer finance our': 197483, 'finance our panel': 306248, 'our panel ft': 624242, 'panel ft greg': 637183, 'ft greg brown': 339345, 'greg brown courtney': 363824, 'brown courtney knoll': 141235, 'courtney knoll uia': 212067, 'knoll uia investment': 476192, 'uia investment management': 938122, 'investment management dan': 444028, 'management dan adler': 512559, 'dan adler explores': 225521, 'adler explores what': 32402, 'explores what this': 292540, 'resturaunts': 717466, 'taped': 834374, 'damn it': 225376, 'like some': 491210, 'some nyc': 783373, 'nyc resturaunts': 578040, 'resturaunts are': 717467, 'are raising': 89415, 'raising their': 696149, 've taped': 953625, 'taped the': 834381, 'original one': 619566, 'one over': 606812, 'with black': 997416, 'black tape': 132142, 'tape thus': 834372, 'thus isn': 895519, 'isn looking': 454588, 'looking good': 502924, 'good but': 356845, 'then again': 876973, 'again you': 37290, 'just probably': 469496, 'probably charged': 679236, 'charged for': 173376, 'your tip': 1026170, 'tip now': 898838, 'now quarantine': 575631, 'damn it look': 225378, 'look like some': 502510, 'like some nyc': 491213, 'some nyc resturaunts': 783374, 'nyc resturaunts are': 578041, 'resturaunts are raising': 717468, 'are raising their': 89419, 'raising their price': 696151, 'price they ve': 676903, 'they ve taped': 883688, 've taped the': 953626, 'taped the original': 834382, 'the original one': 862486, 'original one over': 619567, 'one over with': 606813, 'over with black': 630945, 'with black tape': 997419, 'black tape thus': 132143, 'tape thus isn': 834373, 'thus isn looking': 895520, 'isn looking good': 454589, 'looking good but': 502926, 'good but then': 356856, 'but then again': 147441, 'then again you': 876978, 'again you ve': 37294, 'you ve just': 1022047, 've just probably': 953303, 'just probably charged': 469497, 'probably charged for': 679237, 'charged for your': 173386, 'for your tip': 328221, 'your tip now': 1026171, 'tip now quarantine': 898839, 'with used': 1001931, 'used toiletpaper': 950109, 'toiletpaper roll': 922414, 'roll during': 725282, 'during with': 263417, 'the cat': 850511, 'do with used': 250576, 'with used toiletpaper': 1001932, 'used toiletpaper roll': 950111, 'toiletpaper roll during': 922415, 'roll during with': 725285, 'during with the': 263418, 'with the cat': 1001225, 'grey': 363871, 'bruce': 141318, 'honestly it': 403113, 'it didn': 457535, 'didn feel': 241058, 'feel real': 302814, 'real that': 701388, 'outbreak would': 628837, 'would reach': 1012162, 'reach grey': 699924, 'grey bruce': 363874, 'bruce now': 141321, 'ha with': 372486, 'with case': 997557, 'it making': 459521, 'me feel': 522714, 'more anxious': 538627, 'anxious and': 78835, 'scared daily': 740953, 'daily here': 224632, 'am working': 50573, 'at damn': 98406, 'because along': 118925, 'with pharmacy': 1000192, 'pharmacy others': 654411, 'honestly it didn': 403114, 'it didn feel': 457539, 'didn feel real': 241059, 'feel real that': 302815, 'real that the': 701389, '19 outbreak would': 9211, 'outbreak would reach': 628839, 'would reach grey': 1012163, 'reach grey bruce': 699925, 'grey bruce now': 363875, 'bruce now that': 141322, 'now that it': 576004, 'it ha with': 458421, 'ha with case': 372487, 'with case it': 997558, 'case it making': 165838, 'it making me': 459524, 'making me feel': 511196, 'me feel more': 522717, 'feel more anxious': 302778, 'more anxious and': 538629, 'anxious and scared': 78837, 'and scared daily': 71048, 'scared daily here': 740954, 'daily here am': 224633, 'here am working': 392678, 'am working at': 50574, 'working at damn': 1008519, 'at damn grocery': 98407, 'store because along': 806673, 'because along with': 118926, 'along with pharmacy': 47074, 'with pharmacy others': 1000193, 'pharmacy others have': 654412, 'others have been': 621443, 'asked to stay': 95879, 'mandating': 513025, 'poorly': 664376, 'inefficient': 436306, 'windfall': 995642, 'be case': 114016, 'case for': 165742, 'for mandating': 323192, 'mandating higher': 513026, 'to incentivize': 908240, 'incentivize greater': 431380, 'greater covid': 363164, 'testing but': 839461, 'the care': 850410, 'care act': 163814, 'act provision': 29746, 'provision is': 687272, 'is poorly': 450931, 'poorly targeted': 664396, 'targeted inefficient': 834548, 'inefficient in': 436309, 'that purpose': 845909, 'purpose could': 690110, 'could just': 209355, 'give windfall': 350840, 'windfall to': 995647, 'some unscrupulous': 784140, 'unscrupulous actor': 943448, 'there may be': 878754, 'may be case': 520957, 'be case for': 114017, 'case for mandating': 165744, 'for mandating higher': 323193, 'mandating higher price': 513027, 'higher price to': 395695, 'price to incentivize': 677003, 'to incentivize greater': 908241, 'incentivize greater covid': 431381, 'greater covid 19': 363165, '19 testing but': 11098, 'testing but the': 839462, 'but the care': 147315, 'the care act': 850411, 'care act provision': 163820, 'act provision is': 29747, 'provision is poorly': 687273, 'is poorly targeted': 450932, 'poorly targeted inefficient': 664397, 'targeted inefficient in': 834549, 'inefficient in that': 436310, 'in that purpose': 428930, 'that purpose could': 845910, 'purpose could just': 690111, 'could just give': 209357, 'just give windfall': 468813, 'give windfall to': 350841, 'windfall to some': 995648, 'to some unscrupulous': 914895, 'some unscrupulous actor': 784141, 'xenophobic': 1013825, 'clickbait': 181972, 'unsanitary': 943414, 'hey google': 394394, 'google what': 358205, 'fuck this': 339667, 'second xenophobic': 743878, 'xenophobic article': 1013826, 'article we': 94495, 'got recommended': 358815, 'recommended today': 704810, 'we definitely': 971254, 'definitely need': 232366, 'more clickbait': 538823, 'clickbait calling': 181973, 'calling asian': 156523, 'asian food': 95284, 'food disgusting': 314216, 'disgusting or': 245434, 'or unsanitary': 617600, 'unsanitary in': 943415, 'hey google what': 394395, 'google what the': 358206, 'actual fuck this': 30662, 'fuck this is': 339669, 'is the second': 452935, 'the second xenophobic': 866599, 'second xenophobic article': 743879, 'xenophobic article we': 1013828, 'article we got': 94497, 'we got recommended': 971676, 'got recommended today': 358816, 'recommended today because': 704811, 'because we definitely': 119797, 'we definitely need': 971255, 'definitely need more': 232367, 'need more clickbait': 555253, 'more clickbait calling': 538824, 'clickbait calling asian': 181974, 'calling asian food': 156524, 'asian food disgusting': 95286, 'food disgusting or': 314217, 'disgusting or unsanitary': 245435, 'or unsanitary in': 617601, 'unsanitary in the': 943416, 'midst of covid': 530781, 'lastinch': 480757, 'madeforcurves': 508086, 'plussizefashion': 661739, 'bodypositive': 133920, 'partweardresses': 642962, 'plussizeoutfit': 661742, 'plussizetops': 661745, 'outfitgoals': 628956, 'coronamemes': 205059, 'quarantine online': 692406, 'is best': 446137, 'best we': 127989, 'we launched': 972173, 'launched our': 482022, 'new collection': 558498, 'collection shop': 186470, 'now lastinch': 575180, 'lastinch madeforcurves': 480758, 'madeforcurves plussizefashion': 508087, 'plussizefashion bodypositive': 661740, 'bodypositive partweardresses': 133921, 'partweardresses plussizeoutfit': 642963, 'plussizeoutfit plussizetops': 661743, 'plussizetops outfitgoals': 661746, 'outfitgoals corona': 628957, 'corona coronamemes': 203883, 'bored in quarantine': 135353, 'in quarantine online': 427187, 'quarantine online shopping': 692407, 'shopping is best': 763037, 'is best we': 446147, 'best we launched': 127993, 'we launched our': 972174, 'launched our new': 482023, 'our new collection': 624025, 'new collection shop': 558499, 'collection shop now': 186471, 'shop now lastinch': 760517, 'now lastinch madeforcurves': 575181, 'lastinch madeforcurves plussizefashion': 480759, 'madeforcurves plussizefashion bodypositive': 508088, 'plussizefashion bodypositive partweardresses': 661741, 'bodypositive partweardresses plussizeoutfit': 133922, 'partweardresses plussizeoutfit plussizetops': 642964, 'plussizeoutfit plussizetops outfitgoals': 661744, 'plussizetops outfitgoals corona': 661747, 'outfitgoals corona coronamemes': 628958, 'there ha': 878450, 'an uptick': 56947, 'online fraud': 608261, 'fraud and': 331225, 'and phishing': 68988, 'phishing attack': 654798, 'attack related': 102144, 'be diligent': 114461, 'diligent and': 242869, 'scam that': 740395, 'commission informative': 188844, 'informative blog': 438063, 'post here': 666153, 'there ha been': 878452, 'ha been an': 369717, 'been an uptick': 120658, 'an uptick in': 56949, 'uptick in online': 947911, 'in online fraud': 426166, 'online fraud and': 608262, 'fraud and phishing': 331233, 'and phishing attack': 68989, 'phishing attack related': 654802, 'attack related to': 102145, 'related to coronavirus': 708599, 'to coronavirus covid': 903545, '19 please be': 9710, 'please be diligent': 659700, 'be diligent and': 114462, 'diligent and aware': 242871, 'and aware about': 58590, 'about the scam': 26511, 'the scam that': 866419, 'scam that are': 740396, 'that are taking': 842826, 'are taking place': 90730, 'taking place you': 833518, 'you can access': 1017612, 'access the federal': 28203, 'trade commission informative': 928448, 'commission informative blog': 188845, 'informative blog post': 438064, 'blog post here': 132988, 'steelworker': 799374, '220': 15260, 'the steelworker': 867867, 'steelworker humanity': 799375, 'humanity fund': 410730, 'fund donates': 341390, 'donates 220': 254379, '220 00': 15261, 'across canada': 29284, 'pandemic the steelworker': 636703, 'the steelworker humanity': 867868, 'steelworker humanity fund': 799376, 'humanity fund donates': 410731, 'fund donates 220': 341391, 'donates 220 00': 254380, '220 00 to': 15262, '00 to food': 542, 'to food bank': 906076, 'bank across canada': 109566, 'female': 303498, 'would some': 1012252, 'stop spitting': 805050, 'spitting in': 789591, 'public it': 688127, 'is disgusting': 447216, 'disgusting in': 245416, 'in last': 424598, 'last 10': 480083, 'day have': 227729, 'seen male': 747130, 'male and': 511683, 'and female': 62802, 'female spit': 303510, 'spit in': 789554, 'public and': 687844, 'one being': 605994, 'being outside': 125513, 'would some people': 1012253, 'some people please': 783530, 'people please stop': 649137, 'please stop spitting': 660588, 'stop spitting in': 805051, 'spitting in public': 789594, 'in public it': 427085, 'public it is': 688129, 'it is disgusting': 458933, 'is disgusting in': 447220, 'disgusting in last': 245417, 'in last 10': 424599, 'last 10 day': 480084, '10 day have': 1384, 'day have seen': 227734, 'have seen male': 382432, 'seen male and': 747131, 'male and female': 511684, 'and female spit': 62803, 'female spit in': 303511, 'spit in public': 789556, 'in public and': 427070, 'public and with': 687862, 'and with one': 75777, 'with one being': 999880, 'one being outside': 605995, 'being outside supermarket': 125514, 'outside supermarket stop': 629575, 'supermarket stop it': 822991, 'currently living': 221580, 'living made': 496411, 'made my': 507857, 'shopping last': 763136, 'weekend and': 977316, 'will pick': 994415, 'up tomorrow': 946465, 'tomorrow now': 924147, 'now ordering': 575483, 'ordering my': 618984, 'weekend pick': 977385, 'up socialdistancing': 946024, 'the time we': 869631, 'time we are': 898214, 'we are currently': 970518, 'are currently living': 85666, 'currently living made': 221581, 'living made my': 496412, 'made my online': 507863, 'my online grocery': 549579, 'grocery shopping last': 365046, 'shopping last weekend': 763139, 'last weekend and': 480700, 'weekend and will': 977318, 'and will pick': 75682, 'will pick up': 994417, 'pick up tomorrow': 655771, 'up tomorrow now': 946467, 'tomorrow now ordering': 924148, 'now ordering my': 575484, 'ordering my next': 618985, 'my next weekend': 549491, 'next weekend pick': 561711, 'weekend pick up': 977386, 'pick up socialdistancing': 655761, 'drain': 258205, 'harming': 378461, 'high oil': 395194, 'are bad': 84746, 'economy because': 267693, 'it raise': 460598, 'raise the': 695953, 'of shipping': 589595, 'shipping all': 758820, 'all good': 42973, 'it drain': 457700, 'drain american': 258206, 'american wallet': 52285, 'wallet high': 965219, 'help russia': 390471, 'arabia trump': 83953, 'is harming': 448315, 'harming american': 378462, 'help russian': 390473, 'russian republican': 728663, 'republican hate': 713033, 'hate america': 378862, 'america resist': 51659, 'high oil price': 395195, 'price are bad': 672636, 'are bad for': 84748, 'for the american': 326299, 'the american economy': 848629, 'american economy because': 51932, 'economy because it': 267694, 'because it raise': 119202, 'it raise the': 460599, 'raise the price': 695957, 'price of shipping': 675569, 'of shipping all': 589596, 'shipping all good': 758821, 'all good and': 42975, 'good and it': 356734, 'and it drain': 65517, 'it drain american': 457701, 'drain american wallet': 258207, 'american wallet high': 52286, 'wallet high oil': 965220, 'oil price help': 597158, 'price help russia': 674498, 'help russia and': 390472, 'russia and saudi': 728433, 'saudi arabia trump': 737222, 'arabia trump is': 83954, 'trump is harming': 933647, 'is harming american': 448316, 'harming american to': 378463, 'american to help': 52268, 'to help russian': 907615, 'help russian republican': 390474, 'russian republican hate': 728664, 'republican hate america': 713034, 'hate america resist': 378863, 'uk should': 938714, 'those shop': 892459, 'shop putting': 760693, 'uk should do': 938715, 'should do the': 765933, 'same to those': 733388, 'to those shop': 917521, 'those shop putting': 892463, 'shop putting up': 760695, 'up price due': 945811, 'ventolin': 954659, 'cried': 216742, 'buying ventolin': 151305, 'ventolin this': 954663, 'not help': 569922, 'you catch': 1017905, 'catch the': 167033, 'help breathing': 389430, 'breathing if': 139228, 'have pneumonia': 381990, 'pneumonia it': 662096, 'it help': 458536, 'help poor': 390335, 'poor bastard': 664122, 'bastard with': 112525, 'with asthma': 997325, 'asthma but': 97187, 'idiot buy': 413475, 'buy everything': 148594, 'everything and': 287681, 'it sold': 461158, 'out you': 627899, 're supposed': 699641, 'than that': 841207, 'that jesus': 844770, 'jesus cried': 465293, 'stop buying ventolin': 804552, 'buying ventolin this': 151307, 'ventolin this will': 954664, 'this will not': 891432, 'will not help': 994229, 'not help you': 569935, 'help you if': 390976, 'if you catch': 415407, 'you catch the': 1017908, 'catch the virus': 167038, 'virus it doesn': 958418, 'it doesn help': 457633, 'doesn help breathing': 251832, 'help breathing if': 389431, 'breathing if you': 139229, 'you have pneumonia': 1019092, 'have pneumonia it': 381991, 'pneumonia it help': 662098, 'it help poor': 458547, 'help poor bastard': 390336, 'poor bastard with': 664125, 'bastard with asthma': 112526, 'with asthma but': 997326, 'asthma but the': 97190, 'but the idiot': 147344, 'the idiot buy': 857838, 'idiot buy everything': 413476, 'buy everything and': 148595, 'everything and it': 287686, 'and it sold': 65585, 'it sold out': 461159, 'sold out you': 781758, 'out you re': 627904, 'you re supposed': 1020766, 're supposed to': 699642, 'to be better': 901129, 'better than that': 128537, 'than that jesus': 841211, 'that jesus cried': 844771, 'vitamin': 959759, 'soldoitofvitamins': 781833, 'selfishpeople': 748393, 'ha bought': 370023, 'the vitamin': 870931, 'vitamin ffs': 959774, 'ffs wth': 304332, 'wth is': 1013368, 'people humanity': 648308, 'humanity at': 410704, 'worst stock': 1011268, 'now vitamin': 576311, 'vitamin and': 959760, 'and supplement': 72760, 'supplement everyone': 824411, 'else they': 271915, 'all say': 44244, 'say soldoitofvitamins': 739152, 'soldoitofvitamins vitaminc': 781834, 'vitaminc panicbuying': 959826, 'panicbuying selfishpeople': 639043, 'now everyone ha': 574631, 'everyone ha bought': 286961, 'ha bought out': 370025, 'bought out all': 136671, 'all the vitamin': 44975, 'the vitamin ffs': 870933, 'vitamin ffs wth': 959775, 'ffs wth is': 304333, 'wth is wrong': 1013369, 'with people humanity': 1000154, 'people humanity at': 648309, 'humanity at it': 410705, 'it worst stock': 462560, 'worst stock piling': 1011269, 'piling food now': 656591, 'food now vitamin': 315574, 'now vitamin and': 576312, 'vitamin and supplement': 959763, 'and supplement everyone': 72761, 'supplement everyone else': 824412, 'everyone else they': 286882, 'else they all': 271916, 'they all say': 881121, 'all say soldoitofvitamins': 44245, 'say soldoitofvitamins vitaminc': 739153, 'soldoitofvitamins vitaminc panicbuying': 781835, 'vitaminc panicbuying selfishpeople': 959827, 'thk': 891665, 'most powerful': 542646, 'powerful story': 667803, 'story ve': 812148, 've read': 953474, 'read owner': 700528, 'small grocer': 774971, 'grocer market': 364141, 'in lower': 424952, 'lower 9th': 505786, '9th ward': 24031, 'ward take': 966650, 'own hard': 632050, 'hard hit': 377934, 'hit community': 398199, 'community despite': 189810, 'despite his': 238756, 'own struggle': 632238, 'struggle proud': 814368, 'of fellow': 583484, 'fellow american': 303263, 'american like': 52074, 'this thk': 890580, 'thk you': 891666, 'among the most': 53068, 'the most powerful': 861018, 'most powerful story': 542648, 'powerful story ve': 667804, 'story ve read': 812149, 've read owner': 953476, 'read owner of': 700529, 'owner of small': 632517, 'of small grocer': 589786, 'small grocer market': 774972, 'grocer market in': 364142, 'market in lower': 516561, 'in lower 9th': 424953, 'lower 9th ward': 505787, '9th ward take': 24033, 'ward take care': 966651, 'care of his': 164103, 'of his own': 584662, 'his own hard': 397675, 'own hard hit': 632051, 'hard hit community': 377937, 'hit community despite': 398200, 'community despite his': 189811, 'despite his own': 238757, 'his own struggle': 397680, 'own struggle proud': 632239, 'struggle proud of': 814369, 'proud of fellow': 686027, 'of fellow american': 583485, 'fellow american like': 303264, 'american like this': 52076, 'like this thk': 491541, 'this thk you': 890581, 'encouraged': 275649, 'sticking': 800098, 'deafandunarmed': 229325, 'if am': 413799, 'am being': 49934, 'being encouraged': 125105, 'encouraged to': 275661, 'wear bandana': 974292, 'bandana when': 109388, 'store wouldn': 811647, 'wouldn the': 1012508, 'themselves is': 876840, 'is she': 451835, 'she sticking': 756355, 'sticking up': 800113, 'store deafandunarmed': 807270, 'deafandunarmed saturdaythoughts': 229326, 'if am being': 413802, 'am being encouraged': 49936, 'being encouraged to': 125107, 'encouraged to wear': 275675, 'to wear bandana': 918423, 'wear bandana when': 974294, 'bandana when going': 109389, 'grocery store wouldn': 365974, 'store wouldn the': 811649, 'wouldn the worker': 1012511, 'the worker be': 871749, 'worker be asking': 1006499, 'asking themselves is': 96085, 'themselves is she': 876841, 'is she sticking': 451840, 'she sticking up': 756356, 'sticking up the': 800114, 'up the store': 946220, 'the store deafandunarmed': 868006, 'store deafandunarmed saturdaythoughts': 807271, 'internalized': 441740, 'yesterday went': 1015945, 'got annoyed': 358406, 'annoyed being': 77347, 'being around': 124858, 'around other': 93435, 'have internalized': 381107, 'internalized socialdistancing': 441741, 'socialdistancing so': 780695, 'much that': 545344, 'that wouldn': 847692, 'wouldn know': 1012487, 'to undo': 917925, 'undo it': 941017, 'yesterday went to': 1015946, 'went to buy': 979144, 'grocery and got': 364238, 'and got annoyed': 63843, 'got annoyed being': 358407, 'annoyed being around': 77348, 'being around other': 124859, 'around other people': 93437, 'other people in': 620673, 'people in grocery': 648379, 'store have internalized': 808087, 'have internalized socialdistancing': 381108, 'internalized socialdistancing so': 441742, 'socialdistancing so much': 780697, 'so much that': 777817, 'much that wouldn': 545349, 'that wouldn know': 847694, 'wouldn know how': 1012488, 'how to undo': 409104, 'to undo it': 917926, 'undo it once': 941018, 'once the lockdown': 605726, 'notgoingout': 572898, 'notgoingout shame': 572900, 'shame these': 754654, 'are this': 91049, 'not joke': 570198, 'joke just': 467101, 'just look': 469188, 'the horrendous': 857503, 'horrendous scene': 404084, 'scene in': 741330, 'italy do': 462814, 'want that': 965951, 'that here': 844321, 'notgoingout shame these': 572901, 'shame these idiot': 754655, 'these idiot are': 880141, 'idiot are this': 413458, 'are this is': 91052, 'is not joke': 450116, 'not joke just': 570199, 'joke just look': 467102, 'just look at': 469189, 'at the horrendous': 100980, 'the horrendous scene': 857504, 'horrendous scene in': 404085, 'scene in italy': 741331, 'in italy do': 424298, 'italy do you': 462815, 'you really want': 1020847, 'really want that': 702701, 'want that here': 965952, 'entertainer': 278537, 'athlete': 101753, 'let boycott': 486629, 'boycott celebrity': 137323, 'celebrity entertainer': 168882, 'entertainer and': 278538, 'and athlete': 58494, 'athlete why': 101775, 'why should': 991337, 'should they': 766581, 'make million': 510163, 'million while': 532419, 'while producing': 987174, 'producing little': 680775, 'of real': 588784, 'real value': 701441, 'value while': 952242, 'while grocery': 986886, 'clerk nurse': 181741, 'nurse teacher': 577494, 'officer are': 595632, 'hero who': 394165, 'keep society': 471950, 'running hollywood': 727974, 'let boycott celebrity': 486630, 'boycott celebrity entertainer': 137324, 'celebrity entertainer and': 168883, 'entertainer and athlete': 278539, 'and athlete why': 58495, 'athlete why should': 101776, 'why should they': 991343, 'should they make': 766585, 'they make million': 882649, 'make million while': 510167, 'million while producing': 532420, 'while producing little': 987175, 'producing little of': 680776, 'little of real': 495492, 'of real value': 588792, 'real value while': 701443, 'value while grocery': 952243, 'while grocery store': 986889, 'store clerk nurse': 807019, 'clerk nurse teacher': 181744, 'nurse teacher and': 577495, 'teacher and police': 835428, 'and police officer': 69161, 'police officer are': 663115, 'officer are the': 595634, 'are the real': 90892, 'real hero who': 701206, 'hero who keep': 394168, 'who keep society': 989154, 'keep society running': 471952, 'society running hollywood': 781302, 'bushey': 143148, 'fear bushey': 301069, 'bushey uk': 143149, 'supermarket amid fear': 818902, 'amid fear bushey': 52470, 'fear bushey uk': 301070, 'this surprise': 890449, 'me go': 522817, 'gone people': 356357, 'and yet': 75980, 'yet not': 1016168, 'mask buying': 518500, 'buying 200': 149838, '200 roll': 13540, 'paper will': 641097, 'not prevent': 571085, 'prevent you': 671767, 'you from': 1018706, 'catching take': 167109, 'take proper': 832527, 'this surprise me': 890450, 'surprise me go': 828537, 'me go to': 522820, 'supermarket and everything': 818974, 'and everything is': 62423, 'everything is gone': 287874, 'is gone people': 448120, 'gone people are': 356358, 'buying and yet': 149947, 'and yet not': 75989, 'yet not single': 1016170, 'not single person': 571599, 'single person wa': 771378, 'person wa wearing': 652694, 'wa wearing mask': 963678, 'wearing mask buying': 974686, 'mask buying 200': 518501, 'buying 200 roll': 149839, '200 roll of': 13541, 'toilet paper will': 921529, 'paper will not': 641099, 'will not prevent': 994253, 'not prevent you': 571086, 'prevent you from': 671768, 'you from catching': 1018710, 'from catching take': 334810, 'catching take proper': 167110, 'take proper precaution': 832529, 'precaution and stay': 669280, 'urine': 948465, 'cow urine': 214463, 'urine is': 948472, 'now national': 575335, 'national drink': 552481, 'drink of': 258864, 'india after': 434279, 'it demand': 457513, 'price increasing': 674805, 'cow urine is': 214467, 'urine is now': 948473, 'is now national': 450303, 'now national drink': 575336, 'national drink of': 552482, 'drink of india': 258866, 'of india after': 585098, 'india after covid': 434280, '19 it demand': 8128, 'it demand and': 457514, 'demand and price': 234992, 'and price increasing': 69457, 'rupee': 728181, 'introduced 200': 443414, '200 billion': 13455, 'billion rupee': 130911, 'rupee pipeline': 728192, 'pipeline investment': 656901, 'investment to': 444072, 'stabilize different': 791841, 'different economical': 241936, 'economical sector': 267378, 'sector the': 744350, 'the petrol': 863620, 'price cut': 673374, 'cut is': 223397, 'very significant': 955537, 'significant but': 769401, 'cannot entertain': 161783, 'entertain many': 278508, 'situation hope': 772307, 'hope are': 403422, 'still high': 800701, 'government ha introduced': 360154, 'ha introduced 200': 370990, 'introduced 200 billion': 443415, '200 billion rupee': 13456, 'billion rupee pipeline': 130912, 'rupee pipeline investment': 728193, 'pipeline investment to': 656902, 'investment to stabilize': 444075, 'to stabilize different': 915119, 'stabilize different economical': 791842, 'different economical sector': 241937, 'economical sector the': 267379, 'sector the petrol': 744352, 'the petrol price': 863622, 'petrol price cut': 653763, 'price cut is': 673377, 'cut is very': 223399, 'is very significant': 453697, 'very significant but': 955538, 'significant but it': 769402, 'it cannot entertain': 457050, 'cannot entertain many': 161784, 'entertain many people': 278509, 'many people of': 514523, '19 situation hope': 10577, 'situation hope are': 772308, 'hope are still': 403423, 'are still high': 90433, 'consistency': 195471, 'traveler are': 930617, 'for empathy': 321028, 'and consistency': 60327, 'consistency from': 195472, 'from brand': 334725, 'brand during': 137825, 'during hotel': 262698, 'traveler are looking': 930618, 'are looking for': 87883, 'looking for empathy': 502863, 'for empathy and': 321029, 'empathy and consistency': 273346, 'and consistency from': 60328, 'consistency from brand': 195473, 'from brand during': 334726, 'brand during hotel': 137828, 'so wrong': 778818, 'wrong that': 1013108, 'that airline': 842532, 'airline like': 39990, 'like do': 490125, 'not offer': 570721, 'offer cash': 594547, 'cash refund': 166317, 'refund we': 706986, 'are law': 87726, 'enforcement family': 276758, 'family it': 297962, 'is sad': 451604, 'sad when': 729282, 'not taken': 571914, 'taken into': 833015, 'into account': 442363, 'account we': 28775, 'cannot travel': 162189, 'travel due': 930343, 'and future': 63445, 'future ticket': 342477, 'ticket will': 895679, 'my current': 547866, 'current financial': 221200, 'financial situation': 306594, 'it so wrong': 461140, 'so wrong that': 778821, 'wrong that airline': 1013109, 'that airline like': 842533, 'airline like do': 39992, 'like do not': 490126, 'do not offer': 249789, 'not offer cash': 570722, 'offer cash refund': 594548, 'cash refund we': 166318, 'refund we are': 706987, 'we are law': 970606, 'are law enforcement': 87727, 'law enforcement family': 482269, 'enforcement family it': 276759, 'family it is': 297963, 'it is sad': 459066, 'is sad when': 451607, 'sad when the': 729283, 'consumer is not': 197938, 'is not taken': 450198, 'not taken into': 571918, 'taken into account': 833016, 'into account we': 442371, 'account we cannot': 28776, 'we cannot travel': 971088, 'cannot travel due': 162190, 'travel due to': 930344, 'to and future': 900504, 'and future ticket': 63450, 'future ticket will': 342479, 'ticket will not': 895681, 'not help my': 569929, 'help my current': 390122, 'my current financial': 547868, 'current financial situation': 221201, 'financial situation this': 306595, 'situation this is': 772518, 'routinely': 726546, 'erect': 280138, 'obstacle': 578709, 'advancement': 32941, 'pharma and': 654013, 'and med': 66863, 'med device': 525883, 'device maker': 239918, 'maker routinely': 510861, 'routinely erect': 726551, 'erect obstacle': 280139, 'obstacle to': 578710, 'to medical': 909991, 'medical advancement': 526031, 'advancement practicing': 32946, 'practicing their': 668758, 'own cruel': 631932, 'cruel selfish': 219677, 'selfish form': 748093, 'of catch': 581199, 'catch and': 166977, 'and kill': 65841, 'kill to': 474540, 'price profit': 676007, 'by keeping': 152983, 'keeping le': 472468, 'le expensive': 482949, 'expensive product': 291279, 'product drug': 681139, 'drug off': 261018, 'off market': 593964, 'pharma and med': 654014, 'and med device': 66864, 'med device maker': 525884, 'device maker routinely': 239919, 'maker routinely erect': 510862, 'routinely erect obstacle': 726552, 'erect obstacle to': 280140, 'obstacle to medical': 578711, 'to medical advancement': 909992, 'medical advancement practicing': 526032, 'advancement practicing their': 32947, 'practicing their own': 668759, 'their own cruel': 874166, 'own cruel selfish': 631933, 'cruel selfish form': 219678, 'selfish form of': 748094, 'form of catch': 329530, 'of catch and': 581200, 'catch and kill': 166979, 'and kill to': 65845, 'kill to hike': 474541, 'to hike price': 907763, 'hike price profit': 396269, 'price profit by': 676008, 'profit by keeping': 682691, 'by keeping le': 152985, 'keeping le expensive': 472469, 'le expensive product': 482950, 'expensive product drug': 291280, 'product drug off': 681140, 'drug off market': 261019, 'store doing': 807353, 'protect vulnerable': 685032, 'vulnerable employee': 960950, 'employee groceryworkers': 273899, 'what is your': 981738, 'is your grocery': 454149, 'grocery store doing': 365338, 'store doing to': 807357, 'to protect vulnerable': 912344, 'protect vulnerable employee': 685033, 'vulnerable employee groceryworkers': 960951, 'let hear': 486776, 'hear some': 387980, 'some word': 784223, 'word pick': 1004559, 'let hear some': 486778, 'hear some word': 387981, 'some word pick': 784226, 'word pick up': 1004560, 'demo': 236666, 'note from': 572728, 'area 51': 91907, '51 firework': 20203, 'firework about': 308275, 'unfortunately firework': 941598, 'firework retailer': 308281, 'considered non': 195311, 'notice wholesale': 573408, 'wholesale customer': 990432, 'customer please': 222693, 'contact the': 200218, 'information between': 437768, 'between and': 128712, 'and demo': 61190, 'demo day': 236667, 'day scheduled': 228314, 'scheduled planned': 741514, 'planned on': 658464, 'april 25': 83489, 'note from area': 572729, 'from area 51': 334583, 'area 51 firework': 91908, '51 firework about': 20204, 'firework about covid': 308276, '19 unfortunately firework': 11635, 'unfortunately firework retailer': 941599, 'firework retailer are': 308282, 'retailer are considered': 718991, 'are considered non': 85505, 'considered non essential': 195312, 'essential business and': 280838, 'business and will': 143340, 'further notice wholesale': 342121, 'notice wholesale customer': 573409, 'wholesale customer please': 990434, 'customer please contact': 222695, 'please contact the': 659843, 'contact the store': 200231, 'store for more': 807821, 'more information between': 539578, 'information between and': 437769, 'between and demo': 128715, 'and demo day': 61191, 'demo day scheduled': 236669, 'day scheduled planned': 228315, 'scheduled planned on': 741515, 'planned on april': 658465, 'on april 25': 599441, 'lol at': 500877, 'at verizon': 101441, 'verizon sending': 954826, 'sending me': 750043, 'me an': 522396, 'email about': 272094, 'they care': 881724, 'keeping me': 472476, 'me connected': 522588, 'not saying': 571442, 'saying one': 739654, 'one word': 607502, 'word about': 1004439, 'about relief': 26070, 'relief or': 709412, 'or help': 615624, 'in paying': 426558, 'paying their': 645500, 'their outrageous': 874148, 'outrageous price': 629329, 'lol at verizon': 500878, 'at verizon sending': 101442, 'verizon sending me': 954827, 'sending me an': 750044, 'me an email': 522397, 'an email about': 55653, 'email about how': 272096, 'about how they': 25479, 'how they care': 408912, 'they care about': 881726, 'care about keeping': 163793, 'about keeping me': 25617, 'keeping me connected': 472477, 'me connected during': 522589, '19 but not': 5517, 'but not saying': 146560, 'not saying one': 571445, 'saying one word': 739655, 'one word about': 607503, 'word about relief': 1004441, 'about relief or': 26072, 'relief or help': 709413, 'or help for': 615625, 'help for people': 389752, 'for people in': 324452, 'people in paying': 648415, 'in paying their': 426560, 'paying their outrageous': 645502, 'their outrageous price': 874149, 'outrageous price for': 629332, 'price for service': 674045, 'nepal': 557402, 'pitty': 657049, 'stocking stuff': 803599, 'like hell': 490416, 'but country': 145474, 'country like': 210860, 'like usa': 491702, 'usa the': 948757, 'the stuff': 868323, 'stuff whereas': 815253, 'whereas in': 985425, 'in nepal': 425804, 'nepal the': 557410, 'the merchant': 860491, 'merchant are': 528996, 'are hiding': 87143, 'hiding stuff': 394879, 'stuff making': 815124, 'fake shortage': 296705, 'money of': 536917, 'what pitty': 982029, 'pitty shame': 657050, 'ha hit all': 370877, 'hit all over': 398124, 'over the world': 630786, 'world and people': 1009284, 'people are stocking': 647091, 'are stocking stuff': 90518, 'stocking stuff like': 803600, 'stuff like hell': 815120, 'like hell but': 490417, 'hell but country': 388989, 'but country like': 145475, 'country like usa': 210865, 'like usa the': 491703, 'usa the grocery': 948758, 'store run out': 809930, 'run out the': 727768, 'out the stuff': 627425, 'the stuff whereas': 868337, 'stuff whereas in': 815254, 'whereas in nepal': 985428, 'in nepal the': 425806, 'nepal the merchant': 557411, 'the merchant are': 860492, 'merchant are hiding': 528997, 'are hiding stuff': 87145, 'hiding stuff making': 394880, 'stuff making fake': 815125, 'making fake shortage': 511063, 'fake shortage so': 296706, 'shortage so that': 765215, 'can make money': 158938, 'make money of': 510186, 'money of the': 536918, 'the pandemic what': 863153, 'pandemic what pitty': 636972, 'what pitty shame': 982030, 'legislator': 486009, 'marble': 515040, 'same legislator': 733139, 'legislator who': 486014, 'who demand': 988558, 'demand accountability': 234899, 'accountability from': 28792, 'on welfare': 605198, 'welfare or': 977961, 'stamp now': 793430, 'now appear': 574078, 'their marble': 873913, 'marble when': 515041, 'when legislator': 983684, 'legislator from': 486010, 'aisle demand': 40240, 'from corporation': 335032, 'corporation in': 207430, 'receive federal': 703474, 'federal bailouts': 301957, 'bailouts for': 108695, 'the same legislator': 866251, 'same legislator who': 733140, 'legislator who demand': 486015, 'who demand accountability': 988559, 'demand accountability from': 234900, 'accountability from people': 28794, 'from people on': 336886, 'people on welfare': 648980, 'on welfare or': 605199, 'welfare or food': 977962, 'or food stamp': 615349, 'food stamp now': 316738, 'stamp now appear': 793431, 'now appear to': 574079, 'to have lost': 907269, 'lost their marble': 503928, 'their marble when': 873914, 'marble when legislator': 515042, 'when legislator from': 983685, 'legislator from the': 486011, 'from the other': 337818, 'of the aisle': 590785, 'the aisle demand': 848519, 'aisle demand accountability': 40241, 'accountability from corporation': 28793, 'from corporation in': 335033, 'corporation in line': 207431, 'line to receive': 493492, 'to receive federal': 912917, 'receive federal bailouts': 703475, 'federal bailouts for': 301958, 'bailouts for covid': 108696, 'time money': 897219, 'everything greed': 287822, 'greed in': 363388, 'price during these': 673635, 'uncertain time money': 939622, 'time money is': 897220, 'money is not': 536847, 'is not everything': 450075, 'not everything greed': 569306, 'everything greed in': 287823, 'greed in the': 363389, 'revaluation': 720221, 'default': 232015, 'usmarket': 950808, 'dowjones': 256348, 'sp500': 787021, 'nasdaq': 551986, 'overpriced': 631383, 'ignore for': 415823, 'moment and': 535874, 'confidence sentiment': 193946, 'sentiment demand': 750915, 'market factor': 516370, 'factor in': 295883, 'in layoff': 424643, 'layoff revaluation': 482707, 'revaluation of': 720222, 'of balance': 580527, 'sheet debt': 756598, 'debt credit': 230458, 'and likely': 66158, 'likely default': 491981, 'default coming': 232016, 'coming usmarket': 188267, 'usmarket dowjones': 950811, 'dowjones sp500': 256351, 'sp500 nasdaq': 787026, 'nasdaq overpriced': 551993, 'overpriced by': 631390, '20 25': 12891, 'ignore for moment': 415824, 'for moment and': 323483, 'moment and look': 535875, 'at consumer confidence': 98316, 'consumer confidence sentiment': 196918, 'confidence sentiment demand': 193947, 'sentiment demand in': 750916, 'demand in the': 235679, 'the market factor': 860108, 'market factor in': 516372, 'factor in layoff': 295886, 'in layoff revaluation': 424644, 'layoff revaluation of': 482708, 'revaluation of balance': 720223, 'of balance sheet': 580528, 'balance sheet debt': 108984, 'sheet debt credit': 756599, 'debt credit and': 230459, 'credit and likely': 216307, 'and likely default': 66160, 'likely default coming': 491982, 'default coming usmarket': 232017, 'coming usmarket dowjones': 188268, 'usmarket dowjones sp500': 950812, 'dowjones sp500 nasdaq': 256352, 'sp500 nasdaq overpriced': 787027, 'nasdaq overpriced by': 551994, 'overpriced by 20': 631391, 'by 20 25': 151567, 'ru0xuahilf': 726904, 'the australian': 849057, 'the recession': 865333, 'recession that': 704373, 'that australia': 842890, 'entered relatively': 278370, 'relatively short': 708777, 'short recession': 764680, 'which unemployment': 986422, 'unemployment rise': 941286, 'around would': 93650, 'would probably': 1012119, 'probably only': 679350, 'only push': 611039, 'push price': 690311, 'price back': 672831, 'back by': 106917, 'by around': 151887, 'around or': 93433, 'so after': 776470, 'after which': 36532, 'which price': 986236, 'would rise': 1012197, 'rise co': 722809, 'co ru0xuahilf': 184953, 'opinion the australian': 613503, 'the australian property': 849064, 'australian property market': 103533, 'property market is': 684307, 'market is at': 516614, 'risk from the': 723572, 'from the recession': 337852, 'the recession that': 865341, 'recession that australia': 704374, 'that australia ha': 842891, 'australia ha entered': 103292, 'ha entered relatively': 370509, 'entered relatively short': 278371, 'relatively short recession': 708778, 'short recession in': 764681, 'recession in which': 704300, 'in which unemployment': 430872, 'which unemployment rise': 986423, 'unemployment rise to': 941287, 'rise to around': 723030, 'to around would': 900717, 'around would probably': 93651, 'would probably only': 1012121, 'probably only push': 679352, 'only push price': 611040, 'push price back': 690312, 'price back by': 672832, 'back by around': 106918, 'by around or': 151889, 'around or so': 93434, 'or so after': 617123, 'so after which': 776474, 'after which price': 36534, 'which price would': 986237, 'price would rise': 677664, 'would rise co': 1012198, 'rise co ru0xuahilf': 722810, 'heeded': 388757, 'stockpiled': 803823, 'dear my': 229837, 'symptom meaning': 830868, 'meaning self': 524832, 'isolating nh': 455130, 'nh website': 562164, 'website say': 975405, 'say not': 738992, 'shopping suggests': 764012, 'suggests online': 817699, 'delivery how': 234098, 've no': 953390, 've heeded': 953255, 'heeded the': 388758, 'the don': 853538, 'buy advice': 148273, 'advice so': 33500, 'haven stockpiled': 383906, 'stockpiled what': 803868, 'you suggest': 1021470, 'dear my partner': 229838, 'my partner ha': 549718, 'partner ha covid': 642826, '19 symptom meaning': 11019, 'symptom meaning self': 830869, 'meaning self isolating': 524833, 'self isolating nh': 747733, 'isolating nh website': 455131, 'nh website say': 562165, 'website say not': 975407, 'say not to': 738996, 'go shopping suggests': 354129, 'shopping suggests online': 764013, 'suggests online grocery': 817700, 'grocery delivery how': 364443, 'delivery how you': 234100, 'how you ve': 409291, 'you ve no': 1022053, 've no slot': 953392, 'available for week': 104388, 'for week we': 327762, 'we ve heeded': 973675, 've heeded the': 953256, 'heeded the don': 388759, 'the don panic': 853542, 'panic buy advice': 637460, 'buy advice so': 148274, 'advice so we': 33502, 'so we haven': 778671, 'we haven stockpiled': 971997, 'haven stockpiled what': 383910, 'stockpiled what do': 803869, 'do you suggest': 250684, 'coonavirus': 203091, 'outbreak major': 628432, 'are temporarily': 90761, 'closing it': 183669, 'unprecedented move': 943163, 'coronavirus fashion': 205909, 'fashion coonavirus': 299801, 'outbreak major retailer': 628433, 'major retailer are': 509441, 'retailer are temporarily': 719019, 'are temporarily closing': 90762, 'temporarily closing it': 837478, 'closing it store': 183675, 'it store in': 461291, 'store in an': 808267, 'in an unprecedented': 420333, 'an unprecedented move': 56891, 'unprecedented move to': 943165, 'move to prevent': 543763, 'the coronavirus fashion': 851847, 'coronavirus fashion coonavirus': 205910, 'haunted': 379033, 'turning corner': 935911, 'corner at': 203638, 'at haunted': 98857, 'haunted house': 379034, 'house via': 406653, 'via socialdistance': 956247, 'socialdistance groceryshopping': 780147, 'groceryshopping safetyfirst': 366274, 'safetyfirst staysafe': 730810, 'turning corner at': 935912, 'corner at supermarket': 203639, 'at supermarket like': 100743, 'supermarket like at': 821311, 'like at haunted': 489842, 'at haunted house': 98858, 'haunted house via': 379035, 'house via socialdistance': 406656, 'via socialdistance groceryshopping': 956248, 'socialdistance groceryshopping safetyfirst': 780148, 'groceryshopping safetyfirst staysafe': 366275, '401k': 18794, 'liveliho': 496188, 'for pointing': 324599, 'pointing this': 662755, 'out wa': 627774, 'wa working': 963726, 'industry when': 436231, 'this started': 890297, 'started and': 794681, 'and between': 58921, 'between killing': 128816, 'price am': 672298, 'am now': 50260, 'now laid': 575178, 'off it': 593936, 'our 401k': 622003, '401k it': 18795, 'the liveliho': 859507, 'you for pointing': 1018660, 'for pointing this': 324600, 'pointing this out': 662756, 'this out wa': 889316, 'out wa working': 627775, 'wa working in': 963732, 'gas industry when': 343881, 'industry when this': 436233, 'when this started': 984311, 'this started and': 890298, 'started and between': 794682, 'and between killing': 58922, 'between killing the': 128817, 'killing the stock': 474719, 'stock market and': 802378, 'market and global': 515968, 'and global oil': 63697, 'oil price am': 597044, 'price am now': 672300, 'am now laid': 50263, 'now laid off': 575179, 'laid off it': 479023, 'off it not': 593938, 'not just about': 570210, 'just about our': 468136, 'about our 401k': 25884, 'our 401k it': 622004, '401k it about': 18796, 'about the liveliho': 26437, 'slept': 773844, 'working today': 1009005, 'today can': 919359, 'say where': 739479, 'where due': 984846, 'to legal': 909175, 'legal reason': 485889, 'reason let': 702954, 'let just': 486836, 'say supermarket': 739190, 'wa feeling': 962112, 'feeling very': 303098, 'very down': 955132, 'down slept': 257190, 'slept only': 773847, 'only four': 610483, 'four hour': 330611, 'hour last': 405723, 'night lady': 563024, 'lady came': 478746, 'came and': 156969, 'said sir': 731355, 'sir thank': 771650, 'service everyone': 752349, 'is sitting': 451942, 'and uklockdownnow': 74577, 'wa working today': 963734, 'working today can': 1009007, 'today can say': 919361, 'can say where': 159519, 'say where due': 739481, 'where due to': 984847, 'due to legal': 261845, 'to legal reason': 909176, 'legal reason let': 485890, 'reason let just': 702955, 'let just say': 486838, 'just say supermarket': 469701, 'say supermarket wa': 739194, 'supermarket wa feeling': 823696, 'wa feeling very': 962113, 'feeling very down': 303100, 'very down slept': 955133, 'down slept only': 257191, 'slept only four': 773848, 'only four hour': 610484, 'four hour last': 330612, 'hour last night': 405724, 'last night lady': 480381, 'night lady came': 563025, 'lady came and': 478747, 'came and said': 156971, 'and said sir': 70774, 'said sir thank': 731356, 'sir thank you': 771651, 'your service everyone': 1025730, 'service everyone is': 752350, 'everyone is sitting': 287110, 'is sitting at': 451943, 'home and uklockdownnow': 400708, 'powertalk': 667844, 'be clear': 114100, 'clear there': 181366, 'buying just': 150618, 'just selfish': 469751, 'selfish pig': 748222, 'pig who': 656461, 'only think': 611327, 'about themselves': 26602, 'themselves why': 876943, 'earth would': 265022, 'buy disinfectant': 148537, 'disinfectant in': 245687, 'bulk where': 142369, 'hell would': 389097, 'would others': 1012097, 'others get': 621428, 'from why': 338377, 'why buy': 990852, 'you own': 1020268, 'store powertalk': 809622, 'let all be': 486549, 'all be clear': 42127, 'be clear there': 114103, 'clear there is': 181367, 'is no panic': 449956, 'panic buying just': 637782, 'buying just selfish': 150621, 'just selfish pig': 469752, 'selfish pig who': 748224, 'pig who only': 656462, 'who only think': 989380, 'only think about': 611328, 'think about themselves': 885105, 'about themselves why': 26604, 'themselves why on': 876946, 'on earth would': 600478, 'earth would you': 265024, 'would you buy': 1012405, 'you buy disinfectant': 1017565, 'buy disinfectant in': 148538, 'disinfectant in bulk': 245688, 'in bulk where': 421051, 'bulk where the': 142370, 'where the hell': 985233, 'the hell would': 857255, 'hell would others': 389098, 'would others get': 1012098, 'others get them': 621430, 'get them from': 348360, 'them from why': 875762, 'from why buy': 338378, 'why buy so': 990853, 'so much food': 777775, 'much food if': 544903, 'if you own': 415491, 'you own retail': 1020272, 'retail store powertalk': 718684, 'supermarket get': 820487, 'get green': 347150, 'green light': 363681, 'light to': 489611, 'restock 24': 716858, '24 covid': 15584, 'case rise': 165987, 'queensland supermarket get': 693412, 'supermarket get green': 820488, 'get green light': 347151, 'green light to': 363682, 'light to restock': 489613, 'to restock 24': 913398, 'restock 24 covid': 716859, '24 covid 19': 15585, '19 case rise': 5698, 'california launch': 155530, 'launch new': 481924, 'comprehensive consumer': 192628, 'consumer friendly': 197541, 'public service': 688298, 'service announcement': 752120, 'boost covid': 134936, '19 awareness': 5280, 'awareness latest': 105698, 'news concerning': 560321, 'california launch new': 155531, 'launch new comprehensive': 481925, 'new comprehensive consumer': 558505, 'comprehensive consumer friendly': 192630, 'consumer friendly website': 197551, 'friendly website and': 334020, 'website and public': 975204, 'and public service': 69746, 'public service announcement': 688301, 'service announcement to': 752127, 'announcement to boost': 77216, 'to boost covid': 901914, 'boost covid 19': 134937, 'covid 19 awareness': 212670, '19 awareness latest': 5281, 'awareness latest coronavirus': 105699, 'latest coronavirus news': 481273, 'coronavirus news concerning': 206317, 'news concerning the': 560322, 'concerning the state': 193253, 'featured': 301568, 'furniture': 341952, 'elpasostrong': 271603, 'wesupportlocal': 980726, 'today featured': 919513, 'featured business': 301569, 'business the': 144495, 'the furniture': 856055, 'furniture outlet': 341962, 'outlet we': 629074, 'we combat': 971142, 'pandemic support': 636602, 'business by': 143476, 'free no': 331999, 'no contact': 563886, 'contact curbside': 200057, 'curbside delivery': 220618, 'delivery visit': 234718, 'to view': 918168, 'view their': 957173, 'their great': 873434, 'price elpasostrong': 673670, 'elpasostrong wesupportlocal': 271606, 'today featured business': 919514, 'featured business the': 301570, 'business the furniture': 144499, 'the furniture outlet': 856056, 'furniture outlet we': 341963, 'outlet we combat': 629076, 'we combat the': 971144, 'combat the covid': 187050, '19 pandemic support': 9487, 'pandemic support our': 636604, 'local business by': 497758, 'business by shopping': 143480, 'online for free': 608226, 'for free no': 321721, 'free no contact': 332000, 'no contact curbside': 563888, 'contact curbside delivery': 200058, 'curbside delivery visit': 220622, 'delivery visit to': 234719, 'visit to view': 959419, 'to view their': 918177, 'view their great': 957174, 'their great price': 873435, 'great price elpasostrong': 362911, 'price elpasostrong wesupportlocal': 673671, 'pulled': 688905, 'just saw': 469683, 'saw semi': 738234, 'semi truck': 749626, 'truck pulled': 932842, 'pulled over': 688920, 'over to': 630831, 'the side': 867158, 'road and': 724399, 'the driver': 853692, 'driver wa': 259830, 'wa running': 963122, 'running to': 728114, 'street with': 813182, 'for waiting': 327607, 'waiting car': 964300, 'car stealing': 163293, 'just saw semi': 469689, 'saw semi truck': 738235, 'semi truck pulled': 749628, 'truck pulled over': 932843, 'pulled over to': 688921, 'over to the': 630843, 'to the side': 917067, 'the side of': 867160, 'of the road': 591424, 'the road and': 865918, 'road and the': 724403, 'and the driver': 73335, 'the driver wa': 853701, 'driver wa running': 259831, 'wa running to': 963126, 'running to the': 728118, 'to the other': 916929, 'of the street': 591502, 'the street with': 868259, 'street with toilet': 813183, 'paper for waiting': 640190, 'for waiting car': 327608, 'waiting car stealing': 964301, 'car stealing toiletpaper': 163294, 'childcare': 176285, 'juggle': 467710, 'shuttered': 768201, 'vtequalpayday': 960780, 'some worker': 784229, 'home pay': 401824, 'for childcare': 320063, 'childcare and': 176286, 'are pushed': 89338, 'wage hourly': 963895, 'hourly job': 406131, 'and must': 67341, 'must juggle': 546741, 'juggle childcare': 467711, 'childcare for': 176292, 'child released': 176188, 'released from': 709038, 'from shuttered': 337288, 'shuttered school': 768214, 'school vtequalpayday': 741968, 'some worker are': 784230, 'worker are able': 1006364, 'from home pay': 335892, 'home pay for': 401826, 'pay for childcare': 644870, 'for childcare and': 320064, 'childcare and stock': 176289, 'on food others': 600893, 'food others are': 315699, 'others are pushed': 621274, 'are pushed out': 89340, 'out of low': 626777, 'of low wage': 586048, 'low wage hourly': 505729, 'wage hourly job': 963896, 'hourly job because': 406132, 'because of social': 119405, 'distancing and must': 246979, 'and must juggle': 67344, 'must juggle childcare': 546742, 'juggle childcare for': 467712, 'childcare for child': 176294, 'for child released': 320058, 'child released from': 176189, 'released from shuttered': 709039, 'from shuttered school': 337289, 'shuttered school vtequalpayday': 768216, 'topical': 925826, 'ict': 412827, 'excel': 289054, 'oversee': 631493, 'very topical': 955618, 'topical task': 925829, 'task for': 834675, 'of remote': 588922, 'learning 3rd': 484172, '3rd year': 18459, 'year ict': 1014640, 'ict had': 412828, 'use excel': 949198, 'excel to': 289055, 'to oversee': 911313, 'oversee panic': 631496, 'supermarket result': 822228, 'very topical task': 955619, 'topical task for': 925830, 'task for the': 834676, 'the first day': 855296, 'day of remote': 228095, 'of remote learning': 588925, 'remote learning 3rd': 710712, 'learning 3rd year': 484173, '3rd year ict': 18460, 'year ict had': 1014641, 'ict had to': 412829, 'had to use': 373738, 'to use excel': 918027, 'use excel to': 949199, 'excel to oversee': 289056, 'to oversee panic': 911315, 'oversee panic buying': 631497, 'buying at supermarket': 149971, 'at supermarket result': 100763, 'supermarket result of': 822229, 'see once': 745501, 'public are': 687866, 'to clear': 902827, 'clear instruction': 181273, 'instruction in': 440558, 'most stupid': 542783, 'stupid way': 815490, 'way imaginable': 969650, 'imaginable dont': 416670, 'supermarket sweep': 823077, 'sweep social': 830160, 'distancing let': 247281, 'all head': 43071, 'head for': 385742, 'the park': 863287, 'park and': 641857, 'and beach': 58775, 'see once again': 745502, 'once again the': 605579, 'again the great': 37209, 'great british public': 362542, 'british public are': 140576, 'public are responding': 687869, 'responding to clear': 715582, 'to clear instruction': 902830, 'clear instruction in': 181274, 'instruction in the': 440560, 'the most stupid': 861042, 'most stupid way': 542784, 'stupid way imaginable': 815491, 'way imaginable dont': 969651, 'imaginable dont panic': 416671, 'panic buy it': 637494, 'buy it time': 148865, 'time for supermarket': 896760, 'for supermarket sweep': 326028, 'supermarket sweep social': 823105, 'sweep social distancing': 830161, 'social distancing let': 779648, 'distancing let all': 247282, 'let all head': 486560, 'all head for': 43072, 'head for the': 385743, 'for the park': 326612, 'the park and': 863288, 'park and beach': 641858, 'between 60': 128689, '60 to': 21025, 'is driven': 447377, 'driven by': 259274, 'between 60 to': 128690, '60 to 70': 21026, 'to 70 of': 899814, 'economy is driven': 268001, 'is driven by': 447378, 'driven by consumer': 259275, 'if funeral': 414136, 'director reduced': 243662, 'who died': 988599, 'their business': 872672, 'affected during': 34347, 'during or': 262833, 'or after': 614271, 'nice if funeral': 562419, 'if funeral director': 414137, 'funeral director reduced': 341664, 'director reduced their': 243663, 'reduced their price': 706191, 'their price for': 874397, 'price for those': 674067, 'those who died': 892628, 'who died from': 988602, 'it not if': 459887, 'not if their': 570052, 'if their business': 415053, 'their business will': 872695, 'will be affected': 992346, 'be affected during': 113513, 'affected during or': 34348, 'during or after': 262834, 'or after this': 614275, 'after this pandemic': 36410, 'valid': 951905, 'spain if': 787304, 'leave your': 485052, 'house without': 406698, 'without valid': 1003023, 'valid reason': 951914, 'reason ie': 702935, 'ie to': 413749, 'food supermarket': 316909, 'pharmacy there': 654506, 'there 600': 877945, '600 fine': 21085, 'fine per': 307682, 'person coronacrisis': 652374, 'in spain if': 428173, 'spain if you': 787305, 'if you leave': 415461, 'you leave your': 1019579, 'leave your house': 485054, 'your house without': 1024424, 'house without valid': 406702, 'without valid reason': 1003024, 'valid reason ie': 951915, 'reason ie to': 702936, 'ie to get': 413750, 'get food supermarket': 347067, 'food supermarket or': 316912, 'supermarket or pharmacy': 821829, 'or pharmacy there': 616584, 'pharmacy there 600': 654507, 'there 600 fine': 877946, '600 fine per': 21086, 'fine per person': 307683, 'per person coronacrisis': 650973, 'disgrace': 245304, 'forgive': 329367, 'mikeashley': 531289, 'boycottsportsdirect': 137395, 'be shopping': 117149, 'at ever': 98561, 'again if': 37031, 'news being': 560270, 'around of': 93423, 'price hiking': 674542, 'hiking in': 396379, 'there store': 879109, 'true marking': 933131, 'marking up': 517922, 'while britain': 986660, 'britain go': 140404, 'into meltdown': 442751, 'meltdown with': 527984, 'is disgrace': 447211, 'disgrace this': 245317, 'one company': 606082, 'cannot forgive': 161860, 'forgive mikeashley': 329370, 'mikeashley boycottsportsdirect': 531290, 'not be shopping': 568452, 'be shopping at': 117150, 'shopping at ever': 762094, 'at ever again': 98562, 'ever again if': 285189, 'again if the': 37034, 'if the news': 415004, 'the news being': 861604, 'news being spread': 560271, 'being spread around': 125846, 'spread around of': 790432, 'around of price': 93424, 'of price hiking': 588407, 'price hiking in': 674544, 'hiking in all': 396380, 'in all there': 420187, 'all there store': 45018, 'there store is': 879111, 'store is true': 808542, 'is true marking': 453368, 'true marking up': 933132, 'marking up price': 517923, 'up price while': 945843, 'price while britain': 677518, 'while britain go': 986661, 'britain go into': 140405, 'go into meltdown': 353757, 'into meltdown with': 442752, 'meltdown with is': 527985, 'with is disgrace': 999047, 'is disgrace this': 447213, 'disgrace this is': 245318, 'is one company': 450501, 'one company cannot': 606084, 'company cannot forgive': 190536, 'cannot forgive mikeashley': 161861, 'forgive mikeashley boycottsportsdirect': 329371, 'think shop': 885535, 'stop selling': 804989, 'selling to': 749503, 'buying once': 150811, 'once your': 605825, 'grocery look': 364707, 'whole village': 990369, 'village your': 957391, 'your total': 1026187, 'total purchase': 926230, 'purchase should': 689653, 'be cancelled': 113966, 'cancelled we': 161191, 'others at': 621289, 'point stoppanicbuying': 662633, 'think shop should': 885536, 'shop should stop': 760784, 'should stop selling': 766522, 'stop selling to': 804995, 'selling to people': 749505, 'to people who': 911646, 'panic buying once': 637829, 'buying once your': 150812, 'once your grocery': 605826, 'your grocery look': 1024128, 'grocery look like': 364708, 'look like you': 502532, 'like you are': 491868, 'you are buying': 1017080, 'are buying for': 85119, 'buying for whole': 150363, 'for whole village': 327866, 'whole village your': 990370, 'village your total': 957393, 'your total purchase': 1026188, 'total purchase should': 926231, 'purchase should be': 689654, 'should be cancelled': 765579, 'be cancelled we': 113969, 'cancelled we have': 161192, 'have to think': 383321, 'of others at': 587384, 'others at this': 621295, 'this point stoppanicbuying': 889645, 'mailman': 508703, 'also think': 49001, 'just approved': 468212, 'approved 25': 83125, '00 for': 206, 'working it': 1008747, 'it considered': 457273, 'considered hazard': 195298, 'if read': 414715, 'correctly so': 207606, 'if are': 413873, 'are workin': 91681, 'or mailman': 616030, 'mailman anything': 508706, 'anything pretty': 80867, 'put ur': 690973, 'ur heath': 948013, 'heath at': 388508, 'risk cause': 723460, '19 al': 4879, 'also think they': 49004, 'think they just': 885682, 'they just approved': 882487, 'just approved 25': 468213, 'approved 25 00': 83126, '25 00 for': 15790, '00 for people': 213, 'for people that': 324465, 'people that are': 649751, 'are working it': 91702, 'working it considered': 1008748, 'it considered hazard': 457274, 'considered hazard pay': 195299, 'pay if read': 644949, 'if read it': 414716, 'read it correctly': 700383, 'it correctly so': 457340, 'correctly so if': 207607, 'so if are': 777351, 'if are workin': 413874, 'are workin at': 91682, 'workin at grocery': 1008453, 'store or mailman': 809345, 'or mailman anything': 616031, 'mailman anything pretty': 508707, 'anything pretty much': 80868, 'pretty much that': 671463, 'much that put': 545347, 'that put ur': 845916, 'put ur heath': 690974, 'ur heath at': 948014, 'heath at risk': 388509, 'at risk cause': 100347, 'risk cause of': 723461, 'covid 19 al': 212603, 'biggest mall': 130269, 'mall in': 511788, 'area is': 92079, 'at is': 99307, 'open retail': 612487, 'the biggest mall': 849661, 'biggest mall in': 130270, 'mall in my': 511791, 'my area is': 547297, 'area is closed': 92082, 'is closed yet': 446597, 'closed yet the': 183455, 'the store work': 868149, 'store work at': 811439, 'work at is': 1004878, 'at is still': 99310, 'is still open': 452298, 'still open retail': 800972, 'potentially': 667181, 'webcam': 974967, 'bestbuy': 128012, 'videoconferencing': 956986, 'anyone know': 80398, 'where potentially': 985123, 'potentially still': 667248, 'still could': 800406, 'get webcam': 348607, 'webcam selling': 974970, 'selling price': 749410, 'amazon are': 50866, 'are horrendous': 87235, 'horrendous right': 404082, 'now not': 575371, 'much available': 544744, 'available same': 104577, 'with bestbuy': 997392, 'bestbuy target': 128021, 'target any': 834438, 'option socialdistancing': 614093, 'socialdistancing videoconferencing': 780840, 'doe anyone know': 251339, 'anyone know where': 80406, 'know where potentially': 477016, 'where potentially still': 985124, 'potentially still could': 667249, 'still could get': 800407, 'could get webcam': 209211, 'get webcam selling': 348608, 'webcam selling price': 974971, 'selling price on': 749413, 'on amazon are': 599272, 'amazon are horrendous': 50867, 'are horrendous right': 87236, 'horrendous right now': 404083, 'right now not': 722108, 'now not much': 575375, 'not much available': 570606, 'much available same': 544745, 'available same with': 104578, 'same with bestbuy': 733424, 'with bestbuy target': 997393, 'bestbuy target any': 128022, 'target any other': 834439, 'any other option': 79597, 'other option socialdistancing': 620619, 'option socialdistancing videoconferencing': 614094, 'happy first': 377615, 'first birthday': 308545, 'birthday jack': 131440, 'happy first birthday': 377616, 'first birthday jack': 308546, 'moven': 543959, 'fintech moven': 308027, 'moven shuts': 543960, 'shuts all': 768174, 'all consumer': 42424, 'consumer account': 196004, 'account pivot': 28743, 'pivot to': 657101, 'to b2b': 900971, 'b2b only': 106466, 'only service': 611105, 'for bank': 319574, 'bank banking': 109671, 'banking funding': 110429, 'fintech moven shuts': 308028, 'moven shuts all': 543961, 'shuts all consumer': 768175, 'all consumer account': 42425, 'consumer account pivot': 196005, 'account pivot to': 28744, 'pivot to b2b': 657102, 'to b2b only': 900972, 'b2b only service': 106467, 'only service for': 611106, 'service for bank': 752375, 'for bank banking': 319575, 'bank banking funding': 109672, 'hey like': 394451, 'to highlight': 907748, 'is stepping': 452255, 'in austin': 420584, 'austin and': 103173, 'around tx': 93609, 'tx to': 937457, 'keep food': 471512, 'they more': 882690, 'than grocery': 840712, 'texas they': 839842, 're family': 698667, 'family heb': 297890, 'hey like to': 394452, 'like to highlight': 491597, 'to highlight how': 907752, 'highlight how is': 395925, 'how is stepping': 408110, 'is stepping up': 452257, 'stepping up to': 799821, 'up to help': 946385, 'help the local': 390662, 'the local community': 859538, 'local community in': 497840, 'community in austin': 189912, 'in austin and': 420585, 'austin and around': 103175, 'and around tx': 58400, 'around tx to': 93610, 'tx to keep': 937459, 'to keep food': 908788, 'keep food on': 471516, 'the shelf they': 866892, 'shelf they more': 757672, 'they more than': 882691, 'more than grocery': 540625, 'than grocery store': 840713, 'grocery store here': 365462, 'in texas they': 428894, 'texas they re': 839844, 'they re family': 883033, 're family heb': 698668, 'can uv': 160113, 'question on': 693670, 'on coronavirus': 600118, 'coronavirus answered': 205507, 'answered consumer': 78166, 'can uv light': 160114, 'uv light kill': 951476, 'light kill your': 489543, 'kill your question': 474557, 'your question on': 1025502, 'question on coronavirus': 693672, 'on coronavirus answered': 600120, 'coronavirus answered consumer': 205508, 'answered consumer report': 78168, 'gained': 342843, 'warming': 966898, 'market gained': 516453, 'gained tuesday': 342862, 'tuesday with': 935205, 'with investor': 999035, 'investor warming': 444224, 'warming to': 966907, 'that world': 847666, 'world main': 1009773, 'main oil': 508781, 'at meeting': 99720, 'meeting on': 527735, 'thursday in': 895387, 'of dramatic': 582813, 'oil market gained': 596945, 'market gained tuesday': 516454, 'gained tuesday with': 342863, 'tuesday with investor': 935206, 'with investor warming': 999037, 'investor warming to': 444225, 'warming to the': 966908, 'to the idea': 916792, 'the idea that': 857828, 'idea that world': 413185, 'that world main': 847669, 'world main oil': 1009774, 'main oil producer': 508782, 'agree to cut': 38659, 'cut output at': 223469, 'output at meeting': 629234, 'at meeting on': 99722, 'meeting on thursday': 527738, 'on thursday in': 604671, 'thursday in the': 895388, 'wake of dramatic': 964597, 'of dramatic fall': 582814, 'in price caused': 426955, 'toddler': 920611, 'dear person': 229845, 'who asked': 988276, 'asked me': 95790, 'wipe are': 996196, 'are if': 87290, 'need baby': 554509, 'wipe it': 996307, 'that explain': 843797, 'explain why': 292130, 'find wipe': 307395, 'my toddler': 550388, 'toddler stoppanicbuying': 920624, 'dear person who': 229846, 'person who asked': 652718, 'who asked me': 988277, 'asked me where': 95794, 'where the baby': 985217, 'the baby wipe': 849138, 'baby wipe are': 106734, 'wipe are if': 996197, 'are if you': 87292, 'have to ask': 383158, 'to ask you': 900768, 'ask you do': 95674, 'not need baby': 570655, 'need baby wipe': 554511, 'baby wipe it': 106740, 'wipe it people': 996308, 'it people like': 460295, 'people like you': 648657, 'like you that': 491880, 'you that explain': 1021569, 'that explain why': 843798, 'explain why cannot': 292131, 'why cannot find': 990872, 'cannot find wipe': 161855, 'find wipe for': 307396, 'wipe for my': 996264, 'for my toddler': 323755, 'my toddler stoppanicbuying': 550389, 'emarsys': 272414, 'gooddata': 358007, 'demonstrates': 236852, 'sheltering': 757971, 'emarsys and': 272415, 'and gooddata': 63836, 'gooddata up': 358008, 'date interactive': 226669, 'map and': 514921, 'commerce insight': 188575, 'insight tracking': 439651, 'tracking show': 928359, 'show revenue': 767114, 'revenue up': 720489, 'up 37': 944164, '37 and': 18067, 'and order': 68242, 'order up': 618732, 'up 54': 944189, '54 and': 20317, 'and demonstrates': 61198, 'demonstrates how': 236853, 'people sheltering': 649415, 'sheltering at': 757972, 'emarsys and gooddata': 272416, 'and gooddata up': 63837, 'gooddata up to': 358009, 'to date interactive': 903931, 'date interactive map': 226670, 'interactive map and': 441287, 'map and commerce': 514922, 'and commerce insight': 60132, 'commerce insight tracking': 188577, 'insight tracking show': 439652, 'tracking show revenue': 928360, 'show revenue up': 767115, 'revenue up 37': 720490, 'up 37 and': 944165, '37 and order': 18068, 'and order up': 68251, 'order up 54': 618733, 'up 54 and': 944190, '54 and demonstrates': 20318, 'and demonstrates how': 61199, 'demonstrates how people': 236855, 'how people sheltering': 408507, 'people sheltering at': 649416, 'sheltering at home': 757973, 'at home are': 98940, 'home are shopping': 400728, 'this website': 891168, 'website is': 975316, 'effort of': 269554, 'individual now': 435227, 'and going': 63801, 'forward did': 329975, 'they help': 882424, 'make informed': 510010, 'informed consumer': 438090, 'decision reward': 231079, 'reward hero': 720781, 'hero do': 393972, 'not support': 571820, 'support zero': 827022, 'zero find': 1027448, 'here help': 393082, 'help compassion': 389507, 'this website is': 891172, 'website is tracking': 975324, 'is tracking the': 453321, 'tracking the effort': 928368, 'the effort of': 854082, 'effort of company': 269555, 'of company and': 581603, 'company and individual': 190383, 'and individual now': 65164, 'individual now and': 435228, 'now and going': 574035, 'and going forward': 63804, 'going forward did': 355158, 'forward did they': 329976, 'did they help': 240870, 'they help during': 882426, 'help during or': 389611, 'during or not': 262838, 'or not make': 616304, 'not make informed': 570495, 'make informed consumer': 510011, 'informed consumer decision': 438092, 'consumer decision reward': 197102, 'decision reward hero': 231080, 'reward hero do': 720782, 'hero do not': 393973, 'do not support': 249861, 'not support zero': 571823, 'support zero find': 827023, 'zero find out': 1027449, 'find out here': 307140, 'out here help': 626281, 'here help compassion': 393083, 'westminster': 980688, 'returned back': 719956, 'to westminster': 918497, 'westminster today': 980693, 'bill will': 130726, 'will make': 994071, 'sure more': 827619, 'more emergency': 539117, 'personnel on': 653142, 'line help': 493163, 'shelf full': 757108, 'full protect': 340832, 'have returned back': 382315, 'returned back to': 719957, 'back to westminster': 107408, 'to westminster today': 918498, 'westminster today to': 980694, 'today to support': 920371, 'support the the': 826888, 'the the bill': 869373, 'the bill will': 849698, 'bill will make': 130728, 'will make sure': 994090, 'make sure more': 510517, 'sure more emergency': 827620, 'more emergency personnel': 539118, 'emergency personnel on': 272868, 'personnel on the': 653143, 'front line help': 338581, 'line help keep': 493164, 'keep our supermarket': 471755, 'supermarket shelf full': 822474, 'shelf full protect': 757113, 'full protect you': 340833, 'protect you your': 685053, 'and your job': 76080, 'created dedicated': 215817, 'dedicated coronavirus': 231698, 'coronavirus resource': 206657, 'resource center': 714729, 'center from': 169213, 'from estate': 335305, 'estate planning': 282170, 'protection right': 685596, 'to identity': 908093, 'identity amp': 413397, 'amp privacy': 54334, 'privacy protection': 678827, 'protection employee': 685411, 'employee can': 273702, 'answer they': 78120, 'uncertainty learn': 939714, 'we have created': 971788, 'have created dedicated': 380159, 'created dedicated coronavirus': 215818, 'dedicated coronavirus resource': 231699, 'coronavirus resource center': 206658, 'resource center from': 714735, 'center from estate': 169215, 'from estate planning': 335306, 'estate planning to': 282171, 'planning to consumer': 658584, 'to consumer protection': 903325, 'consumer protection right': 198559, 'protection right to': 685597, 'right to identity': 722344, 'to identity amp': 908094, 'identity amp privacy': 413398, 'amp privacy protection': 54335, 'privacy protection employee': 678828, 'protection employee can': 685412, 'employee can find': 273707, 'can find the': 158339, 'find the answer': 307279, 'the answer they': 848774, 'answer they need': 78121, 'they need during': 882729, 'need during this': 554722, 'of uncertainty learn': 592598, 'uncertainty learn more': 939715, 'amen': 51376, 'latraffic': 481663, 'so know': 777516, 'this californialockdown': 886670, 'californialockdown is': 155629, 'is serious': 451779, 'serious but': 751344, 'an amen': 55279, 'amen for': 51382, 'traffic amazing': 929043, 'amazing gas': 50690, 'price right': 676220, 'now gasprices': 574763, 'gasprices latraffic': 344296, 'okay so know': 598006, 'so know this': 777520, 'know this californialockdown': 476890, 'this californialockdown is': 886671, 'californialockdown is serious': 155630, 'is serious but': 451782, 'serious but can': 751345, 'but can get': 145351, 'get an amen': 346537, 'an amen for': 55280, 'amen for the': 51383, 'lack of traffic': 478665, 'of traffic amazing': 592409, 'traffic amazing gas': 929044, 'amazing gas price': 50691, 'gas price right': 344018, 'price right now': 676224, 'right now gasprices': 722068, 'now gasprices latraffic': 574764, 'emarketer podcast': 272404, 'podcast how': 662285, 'how europe': 407811, 'europe is': 283465, 'is coping': 446838, '19 uk': 11613, 'uk digital': 938304, 'digital tax': 242658, 'how not': 408409, 'do social': 250110, 'medium marketing': 527171, 'marketing emarketer': 517592, 'emarketer trend': 272412, 'trend forecast': 931342, 'forecast statistic': 328865, 'statistic socialmedia': 796591, 'socialmedia via': 781099, 'emarketer podcast how': 272405, 'podcast how europe': 662286, 'how europe is': 407812, 'europe is coping': 283466, 'is coping with': 446840, 'coping with covid': 203397, 'covid 19 uk': 213993, '19 uk digital': 11614, 'uk digital tax': 938305, 'digital tax and': 242659, 'tax and how': 834926, 'and how not': 64827, 'how not to': 408410, 'not to do': 572145, 'to do social': 904555, 'do social medium': 250113, 'social medium marketing': 779865, 'medium marketing emarketer': 527173, 'marketing emarketer trend': 517593, 'emarketer trend forecast': 272413, 'trend forecast statistic': 931343, 'forecast statistic socialmedia': 328866, 'statistic socialmedia via': 796592, 'contacted': 200313, 'month nearly': 537877, 'nearly 00': 553747, '00 texan': 513, 'texan have': 839719, 'have contacted': 380089, 'contacted the': 200336, 'texas attorney': 839742, 'general consumer': 345301, 'division with': 248697, 'with complaint': 997709, 'gouging related': 359440, 'last month nearly': 480335, 'month nearly 00': 537878, 'nearly 00 texan': 553749, '00 texan have': 514, 'texan have contacted': 839720, 'have contacted the': 380092, 'contacted the texas': 200338, 'the texas attorney': 869339, 'texas attorney general': 839743, 'attorney general consumer': 102628, 'general consumer protection': 345304, 'protection division with': 685402, 'division with complaint': 248698, 'with complaint of': 997712, 'complaint of price': 192003, 'price gouging related': 674318, 'gouging related to': 359441, 'sudde': 816977, 'up now': 945483, 'bad what': 108079, 'happens when': 377520, 'chain fails': 170691, 'fails huh': 296241, 'huh what': 410322, 'that those': 847009, 'those making': 892188, 'and delivering': 61100, 'delivering your': 233567, 'your good': 1024075, 'good let': 357322, 'let say': 487022, 'say of': 739007, 'haul truck': 379002, 'driver get': 259575, 'sick cannot': 768402, 'cannot drive': 161765, 'drive 350': 258973, '350 million': 17931, 'american sudde': 52229, 'stock up now': 803102, 'up now you': 945487, 'now you think': 576519, 'you think it': 1021664, 'think it bad': 885319, 'it bad what': 456693, 'bad what happens': 108080, 'what happens when': 981569, 'happens when the': 377527, 'supply chain fails': 824955, 'chain fails huh': 170692, 'fails huh what': 296242, 'huh what that': 410325, 'what that those': 982290, 'that those making': 847013, 'those making and': 892189, 'making and delivering': 510959, 'and delivering your': 61104, 'delivering your good': 233569, 'your good let': 1024077, 'good let say': 357324, 'let say of': 487024, 'say of the': 739011, 'of the long': 591199, 'the long haul': 859677, 'long haul truck': 501434, 'haul truck driver': 379003, 'truck driver get': 932778, 'driver get sick': 259576, 'get sick cannot': 347990, 'sick cannot drive': 768403, 'cannot drive 350': 161766, 'drive 350 million': 258974, '350 million american': 17932, 'million american sudde': 532059, 'insufficient': 440600, 'carbonmarket': 163432, 'euets': 283311, 'electricity demand': 271166, 'is collapsing': 446637, 'collapsing in': 186141, 'europe due': 283425, 'affect an': 34113, 'an already': 55249, 'already insufficient': 47483, 'insufficient carbonmarket': 440601, 'carbonmarket where': 163433, 'where co2': 984781, 'co2 price': 185031, 'keep falling': 471491, 'falling 15': 297193, 'the euets': 854571, 'euets do': 283321, 'provide any': 686227, 'any incentive': 79346, 'incentive for': 431362, 'for reducing': 325043, 'reducing coal': 706270, 'coal consumption': 185053, 'consumption or': 199924, 'for green': 322014, 'green investment': 363672, 'electricity demand is': 271168, 'demand is collapsing': 235717, 'is collapsing in': 446638, 'collapsing in europe': 186142, 'in europe due': 422632, 'europe due to': 283426, 'due to this': 261997, 'to this affect': 917401, 'this affect an': 886221, 'affect an already': 34114, 'an already insufficient': 55253, 'already insufficient carbonmarket': 47484, 'insufficient carbonmarket where': 440602, 'carbonmarket where co2': 163434, 'where co2 price': 984782, 'co2 price keep': 185032, 'price keep falling': 674986, 'keep falling 15': 471492, 'falling 15 on': 297194, '15 on the': 3795, 'on the euets': 604100, 'the euets do': 854572, 'euets do not': 283322, 'not provide any': 571140, 'provide any incentive': 686229, 'any incentive for': 79347, 'incentive for reducing': 431363, 'for reducing coal': 325044, 'reducing coal consumption': 706271, 'coal consumption or': 185054, 'consumption or for': 199925, 'or for green': 615362, 'for green investment': 322015, 'if all': 413787, 'get caught': 346751, 'caught throwing': 167467, 'throwing stuff': 895107, 'stuff away': 815022, 'away because': 105791, 'because go': 119077, 'date amp': 226585, 'they bought': 881573, 'bought too': 136764, 'much am': 544705, 'find you': 307402, 'if all these': 413795, 'these people food': 880436, 'people food get': 647939, 'food get caught': 314648, 'get caught throwing': 346753, 'caught throwing stuff': 167469, 'throwing stuff away': 895108, 'stuff away because': 815023, 'away because go': 105792, 'because go out': 119078, 'of date amp': 582364, 'date amp they': 226586, 'amp they bought': 54684, 'they bought too': 881578, 'bought too much': 136765, 'too much am': 924913, 'much am going': 544706, 'going to find': 355601, 'to find you': 905956, 'find you stop': 307403, 'you stop panic': 1021439, 'panic buying 19': 637624, 'pant': 639486, 'doing lot': 252518, 'and really': 70014, 'these pant': 880394, 'pant socialdistancing': 639500, 'socialdistancing lockdowneffect': 780499, 'been doing lot': 121022, 'doing lot of': 252521, 'lot of online': 504239, 'online shopping this': 609307, 'shopping this week': 764133, 'week and really': 975932, 'and really really': 70018, 'really really need': 702513, 'really need these': 702445, 'need these pant': 555795, 'these pant socialdistancing': 880395, 'pant socialdistancing lockdowneffect': 639501, 'awe': 106139, 'diplomacy': 243215, 'first lady': 308749, 'lady is': 478781, 'an awe': 55506, 'awe inspiring': 106140, 'inspiring role': 439864, 'role model': 725116, 'model of': 535284, 'of grace': 584290, 'grace and': 361602, 'and diplomacy': 61369, 'diplomacy you': 243218, 'are vulgar': 91504, 'vulgar swine': 960799, 'swine who': 830389, 'should follow': 766002, 'follow her': 312409, 'her role': 392335, 'model or': 535293, 'least that': 484643, 'positive entertainer': 665307, 'the first lady': 855321, 'first lady is': 308750, 'lady is an': 478782, 'is an awe': 445645, 'an awe inspiring': 55507, 'awe inspiring role': 106141, 'inspiring role model': 439865, 'role model of': 725117, 'model of grace': 535285, 'of grace and': 584291, 'grace and diplomacy': 361603, 'and diplomacy you': 61370, 'diplomacy you are': 243219, 'you are vulgar': 1017284, 'are vulgar swine': 91505, 'vulgar swine who': 960800, 'swine who should': 830390, 'who should follow': 989612, 'should follow her': 766004, 'follow her role': 312410, 'her role model': 392336, 'role model or': 725118, 'model or at': 535294, 'or at least': 614447, 'at least that': 99551, 'least that of': 484645, 'that of other': 845449, 'of other positive': 587370, 'other positive entertainer': 620742, 'india always': 434285, 'always leading': 49642, 'leading from': 483709, 'this front': 887634, 'front india': 338549, 'india always leading': 434286, 'always leading from': 49643, 'leading from this': 483711, 'from this front': 337996, 'this front india': 887635, 'infecting': 436678, 'only doe': 610346, 'doe universal': 251656, 'universal basic': 942349, 'income allow': 432274, 'allow those': 46094, 'avoid infecting': 105158, 'infecting others': 436694, 'others but': 621312, 'also allows': 47837, 'allows people': 46389, 'maintain their': 509067, 'their consumption': 872866, 'consumption in': 199890, 'consumption based': 199842, 'based economy': 111560, 'economy glad': 267890, 'it mentioned': 459603, 'mentioned here': 528824, 'the discussion': 853354, 'not only doe': 570790, 'only doe universal': 610348, 'doe universal basic': 251657, 'universal basic income': 942350, 'basic income allow': 111949, 'income allow those': 432275, 'allow those who': 46097, 'are sick to': 90118, 'sick to stay': 768646, 'home and avoid': 400611, 'and avoid infecting': 58570, 'avoid infecting others': 105159, 'infecting others but': 436695, 'others but it': 621313, 'but it also': 146095, 'it also allows': 456418, 'also allows people': 47838, 'allows people to': 46390, 'people to maintain': 649918, 'to maintain their': 909601, 'maintain their consumption': 509069, 'their consumption in': 872867, 'consumption in consumption': 199893, 'in consumption based': 421733, 'consumption based economy': 199843, 'based economy glad': 111561, 'economy glad to': 267891, 'to see it': 914030, 'see it mentioned': 745338, 'it mentioned here': 459604, 'mentioned here in': 528825, 'in the discussion': 429137, 'the change': 850667, 'change consumer': 171979, 'changing store': 172802, 'asked it': 95785, 'customer not': 222624, 'bring their': 140091, 'their child': 872768, 'child shopping': 176202, 'supermarket are adapting': 819143, 'to the change': 916551, 'the change consumer': 850670, 'change consumer habit': 171985, 'consumer habit are': 197682, 'are changing store': 85241, 'changing store ha': 172803, 'store ha asked': 807997, 'ha asked it': 369630, 'asked it customer': 95786, 'it customer not': 457451, 'customer not to': 222626, 'not to bring': 572137, 'to bring their': 902054, 'bring their child': 140092, 'their child shopping': 872775, 'buy and': 148313, 'food cleaning': 313939, 'and medicine': 66897, 'medicine make': 526832, 'me realise': 523372, 'were right': 980072, 'right all': 721742, 'all along': 41989, 'along people': 47018, 'panic buy and': 637466, 'buy and stockpile': 148334, 'and stockpile food': 72440, 'stockpile food cleaning': 803746, 'food cleaning product': 313941, 'cleaning product and': 181023, 'product and medicine': 680892, 'and medicine make': 66912, 'medicine make me': 526833, 'make me realise': 510140, 'me realise that': 523375, 'realise that were': 701608, 'that were right': 847445, 'were right all': 980073, 'right all along': 721743, 'all along people': 41992, 'along people shit': 47019, 'of tank': 590593, 'tank have': 834209, 'have arrived': 379356, 'arrived 19de': 93939, 'lot of tank': 504298, 'of tank have': 590594, 'tank have arrived': 834210, 'have arrived 19de': 379357, 'wa ruined': 963118, 'ruined and': 727127, 'and ruined': 70624, 'ruined in': 727135, 'in debt': 422047, 'debt now': 230524, 'now tax': 575968, 'tax for': 834986, 'life people': 488964, 'we save': 973128, 'save money': 737580, 'with bad': 997354, 'bad time': 108048, 'time government': 896855, 'corporation did': 207404, 'it quantitative': 460572, 'easing created': 265263, 'created false': 215823, 'false stock': 297460, 'price creating': 673339, 'creating yet': 216105, 'another bubble': 77522, 'bubble that': 141617, 'that bubble': 843046, 'bubble turned': 141619, 'turned out': 935865, 'money problem': 536985, 'problem wa': 679736, 'already here': 47438, 'country wa ruined': 211206, 'wa ruined and': 963119, 'ruined and ruined': 727128, 'and ruined in': 70625, 'ruined in debt': 727136, 'in debt now': 422053, 'debt now tax': 230525, 'now tax for': 575969, 'tax for life': 834987, 'for life people': 322970, 'life people we': 488966, 'people we save': 650160, 'we save money': 973130, 'save money to': 737587, 'money to deal': 537092, 'deal with bad': 229540, 'with bad time': 997356, 'bad time government': 108050, 'time government and': 896856, 'government and corporation': 359861, 'and corporation did': 60583, 'corporation did not': 207405, 'did not do': 240712, 'do it quantitative': 249505, 'it quantitative easing': 460573, 'quantitative easing created': 691898, 'easing created false': 265264, 'created false stock': 215824, 'false stock price': 297461, 'stock price creating': 802708, 'price creating yet': 673340, 'creating yet another': 216106, 'yet another bubble': 1015991, 'another bubble that': 77523, 'bubble that bubble': 141618, 'that bubble turned': 843047, 'bubble turned out': 141620, 'turned out to': 935868, 'out to be': 627623, 'be the money': 117636, 'the money problem': 860822, 'money problem wa': 536986, 'problem wa already': 679737, 'wa already here': 961488, 'global warming': 352288, 'warming advocate': 966901, 'advocate will': 33857, 'no petition': 565096, 'petition that': 653632, 'chain with': 171244, 'empty freezer': 274885, 'and fridge': 63313, 'fridge immediately': 333407, 'immediately turn': 417170, 'turn them': 935770, 'them off': 876076, 'global warming advocate': 352290, 'warming advocate will': 966902, 'advocate will no': 33858, 'will no petition': 994182, 'no petition that': 565097, 'petition that all': 653633, 'that all grocery': 842549, 'store chain with': 806941, 'chain with empty': 171245, 'with empty freezer': 998218, 'empty freezer and': 274886, 'freezer and fridge': 332578, 'and fridge immediately': 63317, 'fridge immediately turn': 333408, 'immediately turn them': 417171, 'turn them off': 935771, 'someone know': 784548, 'know potentially': 476688, 'potentially ha': 667212, 'get anything': 346585, 'anything delivered': 80724, 'to overwhelming': 911329, 'area that': 92213, 'help what': 390876, 'they supposed': 883508, 'someone know potentially': 784550, 'know potentially ha': 476689, 'potentially ha covid': 667213, 'going to run': 355694, 'to run out': 913668, 'food in day': 314934, 'in day they': 422021, 'day they cannot': 228520, 'cannot get anything': 161871, 'get anything delivered': 346588, 'anything delivered due': 80726, 'due to overwhelming': 261894, 'to overwhelming demand': 911330, 'overwhelming demand and': 631740, 'demand and do': 234957, 'know anyone in': 476269, 'anyone in the': 80381, 'the area that': 848885, 'area that can': 92215, 'can help what': 158671, 'help what are': 390878, 'what are they': 981070, 'are they supposed': 91030, 'they supposed to': 883509, 'pappystips': 641190, 'enoughisenough': 277788, 'oh no': 596424, 'no warning': 565850, 'warning here': 967135, 'lazy to': 482755, 'walk few': 964779, 'few extra': 303829, 'extra foot': 293520, 'buy something': 149219, 'he really': 385336, 'really didn': 702109, 'didn need': 241139, 'need charged': 554602, 'for parking': 324395, 'parking in': 642072, 'in disabled': 422283, 'disabled parking': 243931, 'parking spot': 642121, 'spot expensive': 790051, 'expensive lesson': 291263, 'lesson pappystips': 486505, 'pappystips stayhome': 641191, 'stayhome enoughisenough': 797995, 'oh no no': 596428, 'no no warning': 564877, 'no warning here': 565852, 'warning here the': 967136, 'here the driver': 393648, 'driver wa too': 259832, 'wa too lazy': 963552, 'too lazy to': 924847, 'lazy to walk': 482757, 'to walk few': 918301, 'walk few extra': 964780, 'few extra foot': 303832, 'extra foot to': 293521, 'foot to get': 318446, 'to buy something': 902304, 'buy something that': 149222, 'something that he': 785077, 'that he really': 844267, 'he really didn': 385337, 'really didn need': 702111, 'didn need charged': 241140, 'need charged for': 554603, 'charged for parking': 173384, 'for parking in': 324396, 'parking in disabled': 642073, 'in disabled parking': 422284, 'disabled parking spot': 243932, 'parking spot expensive': 642122, 'spot expensive lesson': 790052, 'expensive lesson pappystips': 291264, 'lesson pappystips stayhome': 486506, 'pappystips stayhome enoughisenough': 641192, 'news oil': 560655, 'bbc news oil': 113094, 'news oil price': 560656, 'oil price rise': 597239, 'rise on hope': 722959, 'advanced': 32922, 'soothing': 785952, 'scent': 741378, 'fl': 309898, 'jelly': 465048, 'purell advanced': 690002, 'advanced handsanitizer': 32935, 'handsanitizer soothing': 376646, 'soothing gel': 785953, 'gel fresh': 345119, 'fresh scent': 333071, 'scent with': 741398, 'with aloe': 997174, 'aloe and': 46781, 'and vitamin': 75006, 'vitamin fl': 959776, 'fl oz': 309911, 'oz jelly': 632745, 'jelly wrap': 465053, 'wrap sanitizer': 1012664, 'sanitizer via': 736009, 'purell advanced handsanitizer': 690004, 'advanced handsanitizer soothing': 32936, 'handsanitizer soothing gel': 376647, 'soothing gel fresh': 785954, 'gel fresh scent': 345120, 'fresh scent with': 333072, 'scent with aloe': 741399, 'with aloe and': 997175, 'aloe and vitamin': 46782, 'and vitamin fl': 75007, 'vitamin fl oz': 959777, 'fl oz jelly': 309919, 'oz jelly wrap': 632746, 'jelly wrap sanitizer': 465054, 'wrap sanitizer via': 1012665, 'daffs': 224454, 'replied': 711705, 'shop earlier': 760121, 'earlier first': 264442, 'first stop': 309034, 'bakery not': 108869, 'not too': 572219, 'bad brought': 107790, 'brought bread': 141135, 'bread next': 138537, 'next stop': 561573, 'supermarket well': 823774, 'well apart': 978030, 'from bunch': 334747, 'of daffs': 582309, 'daffs the': 224455, 'empty ask': 274789, 'ask staff': 95621, 'member what': 528237, 'am expected': 50033, 'have for': 380676, 'lunch use': 506755, 'your loaf': 1024672, 'loaf she': 497376, 'she replied': 756291, 'replied coronacrisis': 711708, 'ventured out to': 954696, 'the shop earlier': 866991, 'shop earlier first': 760123, 'earlier first stop': 264443, 'first stop the': 309035, 'stop the bakery': 805123, 'the bakery not': 849205, 'bakery not too': 108870, 'not too bad': 572220, 'too bad brought': 924596, 'bad brought bread': 107791, 'brought bread next': 141136, 'bread next stop': 138538, 'next stop the': 561575, 'stop the supermarket': 805155, 'the supermarket well': 868896, 'supermarket well apart': 823775, 'well apart from': 978031, 'apart from bunch': 81259, 'from bunch of': 334748, 'bunch of daffs': 142622, 'of daffs the': 582310, 'daffs the shelf': 224456, 'shelf were empty': 757767, 'were empty ask': 979563, 'empty ask staff': 274790, 'ask staff member': 95622, 'staff member what': 792665, 'member what am': 528238, 'what am expected': 981016, 'am expected to': 50034, 'expected to have': 290981, 'to have for': 907239, 'have for lunch': 380680, 'for lunch use': 323147, 'lunch use your': 506756, 'use your loaf': 949836, 'your loaf she': 1024674, 'loaf she replied': 497377, 'she replied coronacrisis': 756292, 'undefeated': 939934, 'it starting': 461229, 'starting sh': 794994, 'sh getting': 754291, 'getting weird': 349436, 'weird also': 977738, 'internet is': 441959, 'is undefeated': 453452, 'undefeated and': 939935, 'and dead': 60969, 'it starting sh': 461230, 'starting sh getting': 794995, 'sh getting weird': 754292, 'getting weird also': 349438, 'weird also the': 977739, 'also the internet': 48974, 'the internet is': 858386, 'internet is undefeated': 441961, 'is undefeated and': 453453, 'undefeated and dead': 939936, 'humour': 410941, 'my garden': 548481, 'garden is': 343608, 'is self': 451736, 'self sufficient': 747916, 'sufficient stayathome': 817393, 'stayathome stayhomesavelives': 797647, 'stayhomesavelives toiletpaper': 798481, 'toiletpaper humour': 922097, 'my garden is': 548482, 'garden is self': 343609, 'is self sufficient': 451739, 'self sufficient stayathome': 747920, 'sufficient stayathome stayhomesavelives': 817394, 'stayathome stayhomesavelives toiletpaper': 797653, 'stayhomesavelives toiletpaper humour': 798482, 'germanycoronavirus': 346365, 'bremen': 139304, 'so just': 777488, 'just tried': 470141, 'order grocery': 618272, 'from rewe': 337119, 'rewe or': 720821, 'or real': 616790, 'real the': 701390, 'next available': 561289, 'available delivery': 104314, 'delivery appointment': 233695, 'appointment is': 82671, 'week bad': 975977, 'bad should': 108006, 'home any': 400716, 'any solution': 79831, 'in germany': 423274, 'germany germanycoronavirus': 346300, 'germanycoronavirus bremen': 346366, 'so just tried': 777502, 'just tried to': 470143, 'to order grocery': 911071, 'order grocery online': 618273, 'grocery online from': 364779, 'online from rewe': 608272, 'from rewe or': 337120, 'rewe or real': 720822, 'or real the': 616791, 'real the next': 701392, 'the next available': 861654, 'next available delivery': 561290, 'available delivery appointment': 104315, 'delivery appointment is': 233696, 'appointment is in': 82672, 'is in two': 448825, 'two week bad': 937321, 'week bad should': 975978, 'bad should not': 108007, 'not we encourage': 572465, 'we encourage people': 971452, 'people to stay': 649944, 'stay home any': 796939, 'home any solution': 400717, 'any solution for': 79833, 'solution for online': 782029, 'shopping in germany': 762965, 'in germany germanycoronavirus': 423279, 'germany germanycoronavirus bremen': 346301, 'capitalism allowed': 162713, 'allowed me': 46186, 'buy almost': 148298, 'almost everything': 46631, 'everything wanted': 288080, 'today except': 919499, 'for tp': 327296, 'tp at': 927750, 'store despite': 807303, 'the extreme': 854774, 'extreme stress': 293836, 'stress being': 813310, 'everyone by': 286760, 'coronacrisis pandemic': 204685, 'capitalism allowed me': 162714, 'allowed me to': 46187, 'me to buy': 523746, 'to buy almost': 902176, 'buy almost everything': 148299, 'almost everything wanted': 46634, 'everything wanted to': 288083, 'wanted to today': 966279, 'to today except': 917610, 'today except for': 919500, 'except for tp': 289175, 'for tp at': 327298, 'tp at the': 927753, 'grocery store despite': 365327, 'store despite the': 807304, 'despite the extreme': 238882, 'the extreme stress': 854780, 'extreme stress being': 293837, 'stress being put': 813312, 'being put on': 125622, 'put on everyone': 690714, 'on everyone by': 600633, 'everyone by this': 286761, 'by this coronacrisis': 154524, 'this coronacrisis pandemic': 886877, 'liberal': 487997, 'pakistanfightscorona': 634524, 'price all': 672264, 'world doctor': 1009490, 'provided with': 686662, 'with best': 997388, 'best safety': 127887, 'safety equipment': 730519, 'but pakistani': 146745, 'pakistani liberal': 634529, 'liberal are': 487998, 'are blaming': 84985, 'blaming their': 132346, 'own people': 632126, 'people pathetic': 649082, 'pathetic coronainpakistan': 644047, 'coronainpakistan pakistanfightscorona': 205010, 'and sanitizers are': 70893, 'sanitizers are being': 736213, 'being sold at': 125829, 'sold at high': 781633, 'at high price': 98894, 'high price all': 395229, 'price all over': 672274, 'the world doctor': 871857, 'world doctor are': 1009491, 'are being provided': 84898, 'being provided with': 125595, 'provided with best': 686665, 'with best safety': 997391, 'best safety equipment': 127888, 'safety equipment but': 730520, 'equipment but pakistani': 279700, 'but pakistani liberal': 146746, 'pakistani liberal are': 634530, 'liberal are blaming': 488000, 'are blaming their': 84988, 'blaming their own': 132347, 'their own people': 874190, 'own people pathetic': 632127, 'people pathetic coronainpakistan': 649083, 'pathetic coronainpakistan pakistanfightscorona': 644048, 'punch': 689157, 'cremona': 216656, 'andrea': 76167, 'here gut': 393067, 'gut punch': 368852, 'punch of': 689164, 'of quote': 588706, 'quote there': 695005, 'there queue': 878973, 'outside our': 629526, 'our funeral': 623222, 'funeral home': 341665, 'home in': 401408, 'in cremona': 421863, 'cremona say': 216657, 'say andrea': 738424, 'andrea it': 76168, 'almost like': 46686, 'like supermarket': 491266, 'supermarket gt': 820601, 'gt how': 367610, 'denying dignity': 237149, 'the dead': 852934, 'here gut punch': 393068, 'gut punch of': 368853, 'punch of quote': 689168, 'of quote there': 588707, 'quote there queue': 695007, 'there queue outside': 878974, 'queue outside our': 694037, 'outside our funeral': 629528, 'our funeral home': 623223, 'funeral home in': 341666, 'home in cremona': 401414, 'in cremona say': 421864, 'cremona say andrea': 216658, 'say andrea it': 738425, 'andrea it almost': 76169, 'it almost like': 456404, 'almost like supermarket': 46688, 'like supermarket gt': 491270, 'supermarket gt how': 820602, 'gt how covid': 367612, '19 is denying': 7959, 'is denying dignity': 447124, 'denying dignity to': 237150, 'dignity to the': 242839, 'to the dead': 916625, 'the dead in': 852935, 'dead in italy': 229149, 'promising': 683740, 'bait': 108718, 'from phishing': 336915, 'scam you': 740487, 'see email': 745070, 'email promising': 272279, 'promising information': 683748, 'or relief': 616841, 'relief from': 709346, 'coronavirus do': 205835, 'the bait': 849193, 'bait and': 108719, 'report suspicious': 712299, 'suspicious email': 829715, 'please protect yourself': 660336, 'yourself from phishing': 1026620, 'from phishing scam': 336916, 'phishing scam you': 654838, 'scam you will': 740491, 'you will see': 1022353, 'will see email': 994773, 'see email promising': 745071, 'email promising information': 272280, 'promising information or': 683749, 'information or relief': 437940, 'or relief from': 616842, 'relief from the': 709348, 'the coronavirus do': 851834, 'coronavirus do not': 205836, 'do not take': 249863, 'not take the': 571907, 'take the bait': 832637, 'the bait and': 849194, 'bait and report': 108720, 'and report suspicious': 70269, 'report suspicious email': 712300, 'suspicious email to': 829717, 'the physical': 863707, 'physical distancing': 655409, 'rule while': 727409, 'out pic': 627044, 'pic from': 655598, 'is our supermarket': 450645, 'our supermarket and': 625008, 'supermarket and people': 819037, 'people are following': 646976, 'are following the': 86627, 'following the physical': 312900, 'the physical distancing': 863710, 'physical distancing rule': 655414, 'distancing rule while': 247450, 'rule while waiting': 727410, 'while waiting to': 987530, 'waiting to shop': 964413, 'shop in out': 760313, 'in out pic': 426360, 'out pic from': 627045, 'circling': 178627, 'been looking': 121479, 'crazy picture': 215389, 'queue food': 693920, 'food market': 315388, 'market of': 516775, 'all thing': 45071, 'thing circling': 884235, 'circling who': 178628, 'back due': 106966, 'catching coronacrisisuk': 167077, 'been looking at': 121480, 'looking at these': 502829, 'at these crazy': 101197, 'these crazy picture': 879825, 'crazy picture of': 215390, 'the supermarket queue': 868766, 'supermarket queue food': 822120, 'queue food market': 693921, 'food market of': 315399, 'market of all': 516776, 'of all thing': 579985, 'all thing circling': 45074, 'thing circling who': 884236, 'circling who don': 178629, 'who don think': 988650, 'don think will': 253988, 'think will make': 885790, 'will make it': 994082, 'make it back': 510023, 'it back due': 456665, 'back due to': 106967, 'due to catching': 261722, 'to catching coronacrisisuk': 902513, 'it new': 459786, 'life waiting': 489182, 'enter grocery': 278254, 'it new way': 459795, 'way of life': 969760, 'of life waiting': 585839, 'life waiting in': 489183, 'line to enter': 493484, 'to enter grocery': 905218, 'enter grocery store': 278255, 'moonbeamwishes': 538337, 'megan': 527831, 'moonbeamwishes hey': 538338, 'hey megan': 394458, 'megan we': 527834, 'moonbeamwishes hey megan': 538339, 'hey megan we': 394459, 'megan we will': 527835, 'condensed': 193367, 'report created': 711893, 'created condensed': 215802, 'condensed list': 193370, 'help destroy': 389582, 'destroy the': 239034, 'consumer report created': 198705, 'report created condensed': 711894, 'created condensed list': 215803, 'condensed list of': 193371, 'list of product': 494464, 'of product that': 588496, 'can help destroy': 158612, 'help destroy the': 389583, 'destroy the that': 239038, 'the that cause': 869365, 'praying': 669109, 'champion': 171676, 'grateful praying': 362298, 'praying for': 669112, 'for govt': 321967, 'govt medical': 361198, 'medical care': 526075, 'care professional': 164157, 'professional journalist': 682465, 'journalist grocery': 467437, 'staff safety': 792813, 'safety official': 730660, 'official and': 595746, 'responder all': 715400, 'who continue': 988482, 'and risk': 70550, 'public they': 688365, 're champion': 698423, 'champion of': 171679, 'common good': 189390, 'grateful praying for': 362299, 'praying for govt': 669115, 'for govt medical': 321969, 'govt medical care': 361199, 'medical care professional': 526086, 'care professional journalist': 164161, 'professional journalist grocery': 682467, 'journalist grocery store': 467438, 'store staff safety': 810325, 'staff safety official': 792815, 'safety official and': 730661, 'official and first': 595747, 'first responder all': 308926, 'responder all those': 715401, 'all those who': 45193, 'those who continue': 892622, 'who continue to': 988484, 'work and risk': 1004799, 'and risk their': 70561, 'their health and': 873511, 'and safety to': 70760, 'safety to care': 730773, 'to care for': 902459, 'care for the': 163954, 'the public they': 864860, 'public they re': 688366, 'they re champion': 883009, 're champion of': 698424, 'champion of the': 171680, 'of the common': 590875, 'the common good': 851251, 'true morrison': 933134, 'morrison the': 541769, 'major uk': 509521, 'be giving': 115036, 'giving their': 351416, 'staff bonus': 792271, 'bonus due': 134357, 'just seen': 469735, 'seen an': 746924, 'an article': 55416, 'bbc that': 113109, 'that list': 844893, 'list every': 494313, 'supermarket bare': 819299, 'bare them': 110965, 'is it true': 449071, 'it true morrison': 461866, 'true morrison the': 933135, 'morrison the only': 541770, 'only major uk': 610752, 'major uk supermarket': 509522, 'uk supermarket not': 938769, 'supermarket not to': 821652, 'not to be': 572132, 'to be giving': 901276, 'be giving their': 115039, 'giving their staff': 351418, 'their staff bonus': 874791, 'staff bonus due': 792272, 'bonus due to': 134358, 'to the just': 916823, 'the just seen': 858719, 'just seen an': 469737, 'seen an article': 746927, 'an article on': 55420, 'article on bbc': 94400, 'on bbc that': 599597, 'bbc that list': 113110, 'that list every': 844894, 'list every supermarket': 494314, 'every supermarket bare': 286241, 'supermarket bare them': 819300, 'lady nurse': 478795, 'nurse perhaps': 577455, 'perhaps in': 651602, 'in tennessee': 428866, 'tennessee just': 837958, 'just love': 469198, 'love her': 504682, 'her socialdistancing': 392392, 'socialdistancing shelterinplace': 780677, 'shelterinplace stockmarket': 758027, 'stockmarket stoppanicbuying': 803676, 'believe this lady': 126386, 'this lady nurse': 888589, 'lady nurse perhaps': 478796, 'nurse perhaps in': 577456, 'perhaps in tennessee': 651605, 'in tennessee just': 428867, 'tennessee just love': 837959, 'just love her': 469199, 'love her socialdistancing': 504684, 'her socialdistancing shelterinplace': 392393, 'socialdistancing shelterinplace stockmarket': 780678, 'shelterinplace stockmarket stoppanicbuying': 758028, 'chorlton': 178014, 'really shocked': 702578, 'are greedy': 86959, 'greedy everyone': 363512, 'else and': 271623, 'are stockpiling': 90520, 'stockpiling you': 804128, 'should refuse': 766395, 'refuse to': 707028, 'let anyone': 486599, 'anyone buy': 80207, 'buy anything': 148359, 'anything visiting': 80927, 'visiting vegan': 959570, 'vegan grocery': 953864, 'store doesn': 807345, 'you ethical': 1018442, 'ethical but': 283068, 'but your': 148009, 'your behavior': 1022929, 'behavior doe': 124000, 'doe stockpiling': 251589, 'stockpiling greed': 803978, 'greed chorlton': 363372, 'is really shocked': 451317, 'really shocked that': 702579, 'shocked that your': 759584, 'customer are greedy': 222124, 'are greedy everyone': 86960, 'greedy everyone else': 363513, 'everyone else and': 286845, 'else and are': 271625, 'and are stockpiling': 58364, 'are stockpiling you': 90532, 'stockpiling you should': 804131, 'you should refuse': 1021215, 'should refuse to': 766396, 'refuse to let': 707037, 'to let anyone': 909197, 'let anyone buy': 486600, 'anyone buy anything': 80208, 'buy anything visiting': 148365, 'anything visiting vegan': 80928, 'visiting vegan grocery': 959571, 'vegan grocery store': 953865, 'grocery store doesn': 365336, 'store doesn make': 807348, 'doesn make you': 251879, 'make you ethical': 510734, 'you ethical but': 1018443, 'ethical but your': 283069, 'but your behavior': 148010, 'your behavior doe': 1022931, 'behavior doe stockpiling': 124001, 'doe stockpiling greed': 251590, 'stockpiling greed chorlton': 803979, 'backlog': 107564, 'fam': 297499, 'our provincial': 624502, 'provincial seed': 687218, 'seed distributor': 746144, 'distributor is': 248297, 'already on': 47538, 'on backlog': 599534, 'backlog so': 107565, 'many ppl': 514574, 'ppl fearing': 668224, 'fearing food': 301481, 'insecurity in': 439162, 'pandemic are': 634938, 'buying seed': 150989, 'seed can': 746140, 'usual outside': 950991, 'what saved': 982116, 'saved from': 737737, 'from last': 336191, 'year hope': 1014632, 'hope my': 403541, 'my fam': 548180, 'fam is': 297508, 'is ok': 450442, 'ok with': 597944, 'with pea': 1000120, 'pea bean': 645976, 'bean this': 118377, 'year garden': 1014583, 'our provincial seed': 624503, 'provincial seed distributor': 687219, 'seed distributor is': 746145, 'distributor is already': 248298, 'is already on': 445527, 'already on backlog': 47539, 'on backlog so': 599535, 'backlog so many': 107566, 'so many ppl': 777691, 'many ppl fearing': 514576, 'ppl fearing food': 668225, 'fearing food insecurity': 301482, 'food insecurity in': 315066, 'insecurity in the': 439163, 'midst of pandemic': 530790, 'of pandemic are': 587688, 'pandemic are panic': 634946, 'panic buying seed': 637873, 'buying seed can': 150990, 'seed can get': 746141, 'can get my': 158432, 'get my usual': 347642, 'my usual outside': 550477, 'usual outside of': 950992, 'outside of what': 629518, 'of what saved': 593062, 'what saved from': 982117, 'saved from last': 737738, 'from last year': 336195, 'last year hope': 480725, 'year hope my': 1014633, 'hope my fam': 403543, 'my fam is': 548181, 'fam is ok': 297509, 'is ok with': 450448, 'ok with pea': 597948, 'with pea bean': 1000121, 'pea bean this': 645978, 'bean this year': 118378, 'this year garden': 891576, 'foodsecurity': 318067, 'morefoodmoreoften2morepeople': 541046, 'michigan food': 530339, 'bank network': 110029, 'network is': 557730, 'by here': 152792, 'here foodsecurity': 392991, 'foodsecurity morefoodmoreoften2morepeople': 318082, 'michigan food bank': 530340, 'food bank network': 313604, 'bank network is': 110030, 'network is working': 557737, 'working to respond': 1009000, '19 pandemic read': 9439, 'pandemic read the': 636299, 'full article by': 340484, 'article by here': 94279, 'by here foodsecurity': 152793, 'here foodsecurity morefoodmoreoften2morepeople': 392992, 'iwas': 464058, 'irrational': 444981, 'obsession': 578678, 'we so': 973332, 'so obsessed': 777919, 'paper right': 640683, 'now iwas': 575139, 'iwas panicking': 464059, 'panicking wondering': 639396, 'wondering if': 1004165, 'if had': 414187, 'had enough': 373072, 'enough wanted': 277756, 'the psychology': 864759, 'psychology behind': 687548, 'behind this': 124737, 'this irrational': 888158, 'irrational obsession': 444988, 'obsession quarantine': 578683, 'quarantine 19': 691983, '19 quaratinelife': 9927, 'quaratinelife sundaythoughts': 693152, 'sundaythoughts toiletpaper': 818357, 'are we so': 91592, 'we so obsessed': 973335, 'so obsessed with': 777920, 'obsessed with toilet': 578673, 'toilet paper right': 921423, 'paper right now': 640684, 'right now iwas': 722090, 'now iwas panicking': 575140, 'iwas panicking wondering': 464060, 'panicking wondering if': 639397, 'wondering if had': 1004168, 'if had enough': 414189, 'had enough wanted': 373076, 'enough wanted to': 277757, 'wanted to understand': 966280, 'understand the psychology': 940771, 'the psychology behind': 864760, 'psychology behind this': 687551, 'behind this irrational': 124739, 'this irrational obsession': 888159, 'irrational obsession quarantine': 444989, 'obsession quarantine 19': 578684, 'quarantine 19 quaratinelife': 691986, '19 quaratinelife sundaythoughts': 9933, 'quaratinelife sundaythoughts toiletpaper': 693154, 'density': 237064, 'ny gov': 577868, 'gov cuomo': 359560, 'cuomo asking': 220396, 'asking nyc': 96031, 'nyc official': 578026, 'official to': 595945, 'with density': 998001, 'density control': 237067, 'control plan': 202102, 'plan which': 658348, 'which he': 985923, 'will approve': 992301, 'approve crowding': 83105, 'crowding in': 219393, 'park all': 641853, 'saturday now': 737049, 'now paying': 575523, 'paying for': 645407, 'an 85': 55024, '85 cent': 22912, 'cent mask': 169090, 'mask because': 518465, 'because other': 119445, 'state bidding': 795423, 'bidding up': 129522, 'price need': 675316, 'need federal': 554766, 'federal control': 301970, 'control cuomo': 201992, 'ny gov cuomo': 577869, 'gov cuomo asking': 359561, 'cuomo asking nyc': 220397, 'asking nyc official': 96032, 'nyc official to': 578028, 'official to come': 595946, 'to come up': 903056, 'come up with': 187653, 'up with density': 946630, 'with density control': 998002, 'density control plan': 237068, 'control plan which': 202103, 'plan which he': 658349, 'which he will': 985927, 'he will approve': 385663, 'will approve crowding': 992302, 'approve crowding in': 83106, 'crowding in park': 219394, 'in park all': 426508, 'park all over': 641854, 'over the place': 630752, 'the place on': 863771, 'place on saturday': 657620, 'on saturday now': 603303, 'saturday now paying': 737050, 'now paying for': 575524, 'paying for an': 645408, 'for an 85': 319265, 'an 85 cent': 55025, '85 cent mask': 22913, 'cent mask because': 169091, 'mask because other': 518468, 'because other state': 119447, 'other state bidding': 620961, 'state bidding up': 795425, 'bidding up price': 129523, 'up price need': 945825, 'price need federal': 675317, 'need federal control': 554767, 'federal control cuomo': 301971, 'econsumergov': 268388, 'fall victim': 297105, 'victim to': 956519, 'this scam': 889974, 'them consumer': 875545, 'protection agency': 685297, 'agency around': 37990, 'combat scam': 187034, 'scam many': 740240, 'these scam': 880624, 'scam cross': 740122, 'cross border': 218989, 'border help': 135251, 'them by': 875510, 'by reporting': 153768, 'reporting international': 712702, 'international scam': 441852, 'at econsumergov': 98521, 'not fall victim': 569363, 'fall victim to': 297106, 'victim to this': 956526, 'to this scam': 917458, 'this scam report': 889977, 'scam report them': 740333, 'report them consumer': 712355, 'them consumer protection': 875546, 'consumer protection agency': 198500, 'protection agency around': 685298, 'agency around the': 37991, 'world are trying': 1009326, 'trying to combat': 934780, 'to combat scam': 903005, 'combat scam many': 187036, 'scam many of': 740241, 'many of these': 514393, 'of these scam': 591858, 'these scam cross': 880626, 'scam cross border': 740123, 'cross border help': 218990, 'border help them': 135252, 'help them by': 390700, 'them by reporting': 875515, 'by reporting international': 153770, 'reporting international scam': 712703, 'international scam at': 441853, 'scam at econsumergov': 740063, 'exceeded': 289043, 'london people': 501152, 'people work': 650505, 'in cafe': 421126, 'cafe not': 155118, 'not at': 568266, 'home one': 401719, 'one cafe': 606038, 'cafe owner': 155124, 'owner tell': 632572, 'that revenue': 846044, 'revenue ha': 720430, 'ha exceeded': 370542, 'exceeded double': 289044, 'usual daily': 950912, 'daily amount': 224489, 'amount this': 53285, 'irresponsible behavior': 445037, 'such selfishness': 816739, 'selfishness will': 748386, 'severe for': 754019, 'in london people': 424894, 'london people work': 501153, 'people work in': 650508, 'work in cafe': 1005296, 'in cafe not': 421128, 'cafe not at': 155119, 'not at home': 568269, 'at home one': 99067, 'home one cafe': 401720, 'one cafe owner': 606039, 'cafe owner tell': 155125, 'owner tell me': 632573, 'me that revenue': 523625, 'that revenue ha': 846045, 'revenue ha exceeded': 720432, 'ha exceeded double': 370543, 'exceeded double the': 289045, 'double the usual': 256072, 'the usual daily': 870585, 'usual daily amount': 950913, 'daily amount this': 224491, 'amount this is': 53286, 'is not social': 450188, 'this is irresponsible': 888296, 'is irresponsible behavior': 448986, 'irresponsible behavior and': 445038, 'behavior and the': 123906, 'the price to': 864424, 'price to pay': 677022, 'pay for such': 644903, 'for such selfishness': 325975, 'such selfishness will': 816740, 'selfishness will be': 748387, 'will be severe': 992675, 'be severe for': 117114, 'severe for all': 754020, 'resin': 714552, '280': 16418, '100 gram': 1912, 'gram bar': 361818, 'bar of': 110733, 'of resin': 588981, 'resin went': 714559, 'from 280': 334257, '280 euro': 16419, 'euro to': 283377, '500 euro': 19985, 'euro in': 283361, 'week said': 976830, 'said one': 731293, 'one police': 606900, 'police official': 663135, 'price of 100': 675392, 'of 100 gram': 579318, '100 gram bar': 1913, 'gram bar of': 361819, 'bar of resin': 110737, 'of resin went': 588982, 'resin went from': 714560, 'went from 280': 979011, 'from 280 euro': 334258, '280 euro to': 16420, 'euro to 500': 283378, 'to 500 euro': 899755, '500 euro in': 19986, 'euro in week': 283362, 'in week said': 430764, 'week said one': 976831, 'said one police': 731296, 'one police official': 606901, 'live update': 496089, 'update fill': 946952, 'fill and': 305452, 'for investigational': 322634, 'investigational covid': 443899, '19 treatment': 11565, 'live update fill': 496093, 'update fill and': 946953, 'fill and price': 305453, 'and price for': 69450, 'price for investigational': 673980, 'for investigational covid': 322635, 'investigational covid 19': 443900, 'covid 19 treatment': 213983, '19 treatment via': 11573, 'policeman': 663278, '19 let': 8310, 'of take': 590572, 'the pledge': 863843, 'more alert': 538585, 'alert careful': 41372, 'careful kind': 164406, 'kind towards': 475017, 'towards one': 927221, 'professional medical': 682470, 'medical team': 526475, 'team policeman': 835756, 'policeman supermarket': 663287, 'vegetable vendor': 954120, 'vendor who': 954414, 'life everyday': 488635, 'is fighting against': 447788, 'covid 19 let': 213350, '19 let all': 8311, 'let all of': 486563, 'all of take': 43712, 'of take the': 590575, 'take the pledge': 832670, 'the pledge to': 863844, 'pledge to be': 660855, 'be more alert': 115962, 'more alert careful': 538586, 'alert careful kind': 41373, 'careful kind towards': 164407, 'kind towards one': 475018, 'towards one and': 927222, 'one and all': 605894, 'and all we': 57905, 'all we want': 45412, 'thank all the': 841536, 'the healthcare professional': 857197, 'healthcare professional medical': 387237, 'professional medical team': 682471, 'medical team policeman': 526478, 'team policeman supermarket': 835757, 'policeman supermarket and': 663288, 'supermarket and vegetable': 819096, 'and vegetable vendor': 74899, 'vegetable vendor who': 954124, 'vendor who are': 954415, 'who are risking': 988208, 'their life everyday': 873828, 'heavenly': 388557, 'hand remember': 375206, 'to hold': 907903, 'hold them': 400029, 'them together': 876537, 'in prayer': 426906, 'prayer while': 669081, 'while stocking': 987329, 'stocking your': 803628, 'your heart': 1024283, 'heart with': 388357, 'enough holy': 277468, 'holy spirit': 400512, 'spirit we': 789520, 'we prepare': 972734, 'prepare ourselves': 670120, 'ourselves from': 625473, 'let prepare': 486983, 'prepare our': 670116, 'our soul': 624848, 'soul for': 786224, 'our heavenly': 623402, 'heavenly home': 388558, 'be blessed': 113875, 'your hand remember': 1024216, 'hand remember to': 375207, 'remember to hold': 710372, 'to hold them': 907918, 'hold them together': 400031, 'them together in': 876538, 'together in prayer': 920833, 'in prayer while': 426907, 'prayer while stocking': 669082, 'while stocking your': 987331, 'stocking your store': 803630, 'enough food remember': 277409, 'food remember to': 316168, 'remember to stock': 710388, 'to stock your': 915462, 'stock your heart': 803227, 'your heart with': 1024289, 'heart with enough': 388358, 'with enough holy': 998234, 'enough holy spirit': 277469, 'holy spirit we': 400513, 'spirit we prepare': 789521, 'we prepare ourselves': 972736, 'prepare ourselves from': 670121, 'ourselves from covid': 625475, '19 let prepare': 8315, 'let prepare our': 486984, 'prepare our soul': 670119, 'our soul for': 624849, 'soul for our': 786225, 'for our heavenly': 324257, 'our heavenly home': 623403, 'heavenly home be': 388559, 'home be blessed': 400772, 'cardiologist': 163767, 'quit': 694783, 'my brother': 547550, 'brother cardiologist': 141043, 'cardiologist in': 163768, 'boston had': 135797, 'had 25': 372803, '25 pay': 15936, 'cut but': 223255, 'but his': 145938, 'his hour': 397519, 'hour are': 405428, 'longer the': 502083, 'his life': 397577, 'life higher': 488729, 'ever my': 285424, 'my 28': 547145, 'old son': 598471, 'is grocery': 448226, 'worker terrified': 1007895, 'terrified should': 838503, 'should he': 766103, 'he quit': 385321, 'quit heal': 694793, 'my brother cardiologist': 547554, 'brother cardiologist in': 141044, 'cardiologist in boston': 163769, 'in boston had': 420913, 'boston had 25': 135798, 'had 25 pay': 372804, '25 pay cut': 15937, 'pay cut but': 644826, 'cut but his': 223256, 'but his hour': 145939, 'his hour are': 397520, 'hour are longer': 405432, 'are longer the': 87878, 'longer the risk': 502086, 'the risk to': 865886, 'risk to his': 723963, 'to his life': 907817, 'his life higher': 397580, 'life higher than': 488730, 'higher than ever': 395752, 'than ever my': 840596, 'ever my 28': 285425, 'my 28 year': 547146, '28 year old': 16417, 'year old son': 1014867, 'old son is': 598476, 'son is grocery': 785394, 'is grocery store': 448228, 'store worker terrified': 811596, 'worker terrified should': 1007896, 'terrified should he': 838504, 'should he quit': 766104, 'he quit heal': 385322, 'nearest': 553706, 'you nearest': 1019956, 'nearest grocery': 553713, 'selling hand': 749284, 'higher rate': 395707, 'rate or': 697332, 'stock please': 802688, 'consider these': 195153, 'these cheap': 879748, 'cheap whiskey': 174236, 'whiskey instead': 987773, 'instead chinaliedpeopledied': 440161, 'chinaliedpeopledied wuhanvirus': 177119, 'wuhanvirus wuhan': 1013590, 'wuhan chinavirus': 1013470, 'if you nearest': 415480, 'you nearest grocery': 1019957, 'nearest grocery store': 553714, 'store is selling': 808526, 'is selling hand': 451757, 'selling hand sanitizer': 749287, 'sanitizer at the': 734517, 'at the higher': 100978, 'the higher rate': 857331, 'higher rate or': 395709, 'rate or if': 697333, 'or if it': 615715, 'if it out': 414329, 'of stock please': 590185, 'stock please consider': 802689, 'please consider these': 659823, 'consider these cheap': 195154, 'these cheap whiskey': 879751, 'cheap whiskey instead': 174237, 'whiskey instead chinaliedpeopledied': 987774, 'instead chinaliedpeopledied wuhanvirus': 440162, 'chinaliedpeopledied wuhanvirus wuhan': 177120, 'wuhanvirus wuhan chinavirus': 1013591, 'cleansing': 181181, 'now wipe': 576435, 'and immediately': 64995, 'immediately hand': 417102, 'hand them': 375826, 'you because': 1017412, 'because when': 119827, 'provided cleansing': 686586, 'cleansing wipe': 181188, 'it yourself': 462669, 'yourself people': 1026678, 'would steal': 1012268, 'steal all': 799170, 'the wipe': 871617, 'store now wipe': 809137, 'now wipe down': 576436, 'wipe down cart': 996232, 'down cart and': 256620, 'cart and immediately': 165248, 'and immediately hand': 64997, 'immediately hand them': 417103, 'hand them to': 375827, 'them to you': 876532, 'to you because': 918892, 'you because when': 1017413, 'because when they': 119831, 'when they provided': 984273, 'they provided cleansing': 882934, 'provided cleansing wipe': 686587, 'cleansing wipe for': 181189, 'wipe for you': 996269, 'do it yourself': 249528, 'it yourself people': 462674, 'yourself people would': 1026679, 'people would steal': 650546, 'would steal all': 1012269, 'steal all the': 799171, 'all the wipe': 44984, 'kleenex': 475893, 'packet': 633687, 'utahearthquake': 951199, 'power is': 667630, 'only mean': 610777, 'mean one': 524591, 'thing should': 884740, 'the nearest': 861357, 'buy all': 148288, 'the kleenex': 858839, 'kleenex because': 475894, 'because if': 119141, 'if tp': 415189, 'currency in': 221037, 'apocalypse hand': 81535, 'hand held': 375013, 'held packet': 388917, 'packet of': 633700, 'of facial': 583367, 'facial tissue': 295248, 'tissue will': 899245, 'small change': 774912, 'change utahearthquake': 172377, 'now the power': 576061, 'the power is': 864152, 'power is out': 667632, 'is out so': 450667, 'out so that': 627206, 'so that can': 778363, 'that can only': 843114, 'can only mean': 159131, 'only mean one': 610778, 'mean one thing': 524593, 'one thing should': 607232, 'thing should go': 884742, 'to the nearest': 916894, 'the nearest grocery': 861360, 'store and buy': 806209, 'and buy all': 59327, 'buy all the': 148293, 'all the kleenex': 44804, 'the kleenex because': 858840, 'kleenex because if': 475895, 'because if tp': 119146, 'if tp is': 415190, 'tp is going': 927857, 'be the currency': 117608, 'the currency in': 852604, 'currency in the': 221038, 'the apocalypse hand': 848810, 'apocalypse hand held': 81536, 'hand held packet': 375015, 'held packet of': 388918, 'packet of facial': 633706, 'of facial tissue': 583369, 'facial tissue will': 295251, 'tissue will be': 899246, 'be the small': 117656, 'the small change': 867359, 'small change utahearthquake': 774913, 'overdrive': 631183, 'flooring': 310868, 'manufacturing industry': 513609, 'be working': 118136, 'in overdrive': 426386, 'overdrive to': 631190, 'buyer during': 149631, 'pandemic hopefully': 635653, 'hopefully they': 403890, 'have resin': 382282, 'resin flooring': 714555, 'flooring system': 310869, 'the food manufacturing': 855575, 'food manufacturing industry': 315379, 'manufacturing industry will': 513617, 'industry will be': 436247, 'will be working': 992775, 'be working in': 118143, 'working in overdrive': 1008727, 'in overdrive to': 426387, 'overdrive to keep': 631191, 'the demand from': 853095, 'demand from panic': 235543, 'from panic buyer': 336842, 'panic buyer during': 637570, 'buyer during the': 149632, '19 pandemic hopefully': 9352, 'pandemic hopefully they': 635654, 'hopefully they ve': 403892, 'they ve made': 883665, 've made the': 953364, 'choice and have': 177730, 'and have resin': 64271, 'have resin flooring': 382283, 'resin flooring system': 714556, 'geopolitical': 345971, 'ramification': 696401, 'fearful': 301449, 'entail': 278217, 'and geopolitical': 63545, 'geopolitical ramification': 345976, 'ramification consumer': 696402, 'ha crashed': 370257, 'crashed because': 215063, 'are either': 86090, 'either too': 270399, 'too fearful': 924733, 'fearful or': 301463, 'or unable': 617584, 'and spend': 72085, 'spend consequence': 788593, 'consequence all': 194836, 'in industry': 424082, 'that entail': 843715, 'entail close': 278218, 'close contact': 182589, 'economic recovery from': 267234, 'recovery from covid': 705331, '19 and geopolitical': 5029, 'and geopolitical ramification': 63547, 'geopolitical ramification consumer': 345977, 'ramification consumer spending': 696403, 'spending ha crashed': 788826, 'ha crashed because': 370258, 'crashed because people': 215064, 'people are either': 646962, 'are either too': 86099, 'either too fearful': 270400, 'too fearful or': 924734, 'fearful or unable': 301464, 'or unable to': 617585, 'go out and': 353934, 'out and spend': 625693, 'and spend consequence': 72087, 'spend consequence all': 788594, 'consequence all business': 194837, 'all business in': 42235, 'business in industry': 143885, 'in industry that': 424085, 'industry that entail': 436143, 'that entail close': 843716, 'entail close contact': 278219, 'close contact with': 182594, 'contact with the': 200292, 'with the public': 1001443, '19 learning': 8298, 'learning for': 484204, 'good supply': 357801, 'chain efficiency': 170673, 'efficiency resilience': 269407, 'covid 19 learning': 213345, '19 learning for': 8299, 'learning for consumer': 484206, 'consumer good supply': 197640, 'good supply chain': 357802, 'supply chain efficiency': 824949, 'chain efficiency resilience': 170674, 'procured': 680096, 'catch covid': 166991, '19 go': 7228, 'queue some': 694065, 'these hoarder': 880122, 'hoarder may': 399072, 'live to': 496066, 'to consume': 903257, 'consume the': 195949, 'the volume': 870952, 'volume they': 960171, 've procured': 953450, 'procured and': 680097, 'course give': 211864, 'give priority': 350662, 'priority to': 678679, 'those most': 892222, 'most needing': 542525, 'needing it': 556626, 'want to catch': 966008, 'to catch covid': 902497, 'catch covid 19': 166992, 'covid 19 go': 213149, '19 go and': 7229, 'go and stand': 353288, 'supermarket queue some': 822131, 'queue some of': 694067, 'some of these': 783411, 'of these hoarder': 591828, 'these hoarder may': 880124, 'hoarder may not': 399073, 'may not live': 521383, 'not live to': 570440, 'live to consume': 496067, 'to consume the': 903258, 'consume the volume': 195951, 'the volume they': 870954, 'volume they ve': 960172, 'they ve procured': 883672, 've procured and': 953451, 'procured and of': 680098, 'of course give': 582051, 'course give priority': 211865, 'give priority to': 350663, 'priority to those': 678682, 'to those most': 917512, 'those most needing': 892226, 'most needing it': 542526, 'skid': 772933, 'angel': 76296, 'video skid': 956900, 'skid row': 772936, 'row angel': 726570, 'angel give': 76307, 'give food': 350495, 'help battle': 389406, 'video skid row': 956901, 'skid row angel': 772937, 'row angel give': 726571, 'angel give food': 76308, 'give food amp': 350496, 'food amp hand': 313137, 'to help battle': 907461, 'contaminate': 200643, 'to properly': 912267, 'properly disinfect': 684178, 'grocery any': 364270, 'any household': 79332, 'household cleaner': 406758, 'cleaner will': 180867, 'do be': 249116, 'have clean': 379978, 'clean area': 180474, 'and dirty': 61379, 'dirty area': 243727, 'area if': 92061, 'glove be': 352608, 'take them': 832693, 'right way': 722400, 'way so': 969871, 'not contaminate': 568857, 'contaminate yourself': 200646, 'show how to': 766994, 'how to properly': 409060, 'to properly disinfect': 912268, 'properly disinfect your': 684179, 'disinfect your grocery': 245587, 'your grocery any': 1024117, 'grocery any household': 364271, 'any household cleaner': 79333, 'household cleaner will': 406760, 'cleaner will do': 180868, 'will do be': 993222, 'do be sure': 249118, 'sure to have': 827764, 'to have clean': 907216, 'have clean area': 379979, 'clean area and': 180475, 'area and dirty': 91935, 'and dirty area': 61380, 'dirty area if': 243728, 'area if you': 92063, 'if you wear': 415558, 'you wear glove': 1022213, 'wear glove be': 974335, 'glove be sure': 352609, 'sure to take': 827787, 'to take them': 916246, 'take them off': 832696, 'them off the': 876079, 'off the right': 594263, 'the right way': 865837, 'right way so': 722402, 'way so you': 969879, 'do not contaminate': 249706, 'not contaminate yourself': 568858, 'differentiated': 242148, 'john most': 466540, 'most ll': 542493, 'll say': 496985, 'say something': 739159, 'something more': 784969, 'true happens': 933094, 'happens often': 377494, 'often during': 596188, 'period my': 651824, 'my client': 547702, 'client top': 182118, 'top manager': 925613, 'manager asked': 512680, 'asked should': 95822, 'should there': 766577, 'be differentiated': 114453, 'differentiated ppe': 242149, 'ppe we': 668104, 'agreed that': 38726, 'that health': 844277, 'health is': 386564, 'is universal': 453511, 'universal and': 942345, 'no give': 564349, 'john most ll': 466541, 'most ll say': 542494, 'll say something': 496987, 'say something more': 739162, 'something more about': 784970, 'more about it': 538512, 'about it but': 25570, 'it but what': 456963, 'but what you': 147805, 'what you say': 982690, 'you say is': 1020999, 'say is true': 738825, 'is true happens': 453367, 'true happens often': 933095, 'happens often during': 377495, 'often during this': 596189, 'this period my': 889527, 'period my client': 651825, 'my client top': 547704, 'client top manager': 182119, 'top manager asked': 925614, 'manager asked should': 512681, 'asked should there': 95823, 'should there be': 766578, 'there be differentiated': 878212, 'be differentiated ppe': 114454, 'differentiated ppe we': 242150, 'ppe we agreed': 668105, 'we agreed that': 970300, 'agreed that health': 38727, 'that health is': 844280, 'health is universal': 386570, 'is universal and': 453512, 'universal and said': 942346, 'and said no': 70770, 'said no give': 731256, 'no give all': 564350, 'give all the': 350368, 'agrees': 38815, 'recorded': 705088, 'opec agrees': 611837, 'agrees to': 38823, 'may go': 521210, 'tomorrow abuja': 924005, 'abuja ha': 27577, 'not recorded': 571267, 'recorded covid': 705095, 'in 48': 419938, 'news for opec': 560439, 'for opec agrees': 324134, 'opec agrees to': 611838, 'agrees to cut': 38825, 'cut production price': 223508, 'production price may': 682187, 'price may go': 675191, 'may go up': 521214, 'go up from': 354432, 'up from tomorrow': 944994, 'from tomorrow abuja': 338092, 'tomorrow abuja ha': 924006, 'abuja ha not': 27578, 'ha not recorded': 371372, 'not recorded covid': 571268, 'recorded covid 19': 705096, 'case in 48': 165780, 'in 48 hour': 419939, 'want news': 965863, 'news report': 560747, 'report done': 711904, 'done on': 254958, 'on where': 605266, 'damn toilet': 225454, 'want news report': 965864, 'news report done': 560748, 'report done on': 711905, 'done on where': 254959, 'on where the': 605268, 'where the damn': 985222, 'the damn toilet': 852817, 'damn toilet paper': 225455, 'shelf around': 756837, 'world run': 1009945, 'paper amid': 639790, 'outbreak company': 628121, 'it upon': 461976, 'upon themselves': 947658, 'share their': 755260, 'their wealth': 875161, 'wealth with': 974187, 'with community': 997698, 'community member': 189979, 'supermarket shelf around': 822430, 'shelf around the': 756838, 'the world run': 871955, 'world run out': 1009946, 'sanitizer and toilet': 734447, 'toilet paper amid': 921182, 'paper amid covid': 639792, '19 outbreak company': 9103, 'outbreak company are': 628122, 'company are taking': 190456, 'are taking it': 90724, 'taking it upon': 833413, 'it upon themselves': 461977, 'upon themselves to': 947660, 'themselves to share': 876915, 'to share their': 914367, 'share their wealth': 755271, 'their wealth with': 875162, 'wealth with community': 974188, 'with community member': 997699, 'community member in': 189985, 'member in need': 528114, 'elect': 270986, 'pvt': 691353, 'sir only': 771617, 'only your': 611512, 'your govt': 1024086, 'ha given': 370709, 'given benefit': 350955, 'class by': 180162, 'not increasing': 570132, 'increasing water': 433736, 'water elect': 968975, 'elect bill': 270987, 'bill school': 130678, 'fee once': 302208, 'again request': 37146, 'request you': 713238, 'ask pvt': 95609, 'pvt school': 691357, 'school not': 741877, 'demand extra': 235314, 'extra charge': 293484, 'charge in': 173262, 'fee like': 302194, 'safety transport': 730776, 'transport in': 929895, 'sir only your': 771618, 'only your govt': 611513, 'your govt ha': 1024087, 'govt ha given': 361144, 'ha given benefit': 370710, 'given benefit to': 350956, 'benefit to middle': 127118, 'to middle class': 910117, 'middle class by': 530630, 'class by not': 180163, 'by not increasing': 153361, 'not increasing water': 570134, 'increasing water elect': 433737, 'water elect bill': 968976, 'elect bill school': 270988, 'bill school fee': 130679, 'school fee once': 741790, 'fee once again': 302209, 'once again request': 605574, 'again request you': 37147, 'request you to': 713241, 'you to ask': 1021752, 'to ask pvt': 900761, 'ask pvt school': 95610, 'pvt school not': 691358, 'school not to': 741878, 'not to demand': 572143, 'to demand extra': 904141, 'demand extra charge': 235315, 'extra charge in': 293485, 'charge in school': 173265, 'in school fee': 427731, 'school fee like': 741789, 'fee like food': 302195, 'like food safety': 490262, 'food safety transport': 316279, 'safety transport in': 730777, 'transport in covid': 929896, 'condo': 193584, 'sengkang': 750167, 'draw': 258472, 'hun': 410963, 'executive condo': 289872, 'condo sale': 193590, 'sale launch': 732335, 'launch in': 481913, 'in sengkang': 427802, 'sengkang draw': 750168, 'draw crowd': 258473, 'crowd hoping': 219168, 'for lower': 323133, 'during economic': 262614, 'economic slowdown': 267298, 'slowdown during': 774431, 'are generally': 86775, 'generally avoiding': 345523, 'avoiding crowded': 105443, 'crowded area': 219294, 'or large': 615924, 'gathering due': 344456, 'pandemic one': 636098, 'one after': 605871, 'after another': 35374, 'another property': 77777, 'property hun': 684274, 'executive condo sale': 289873, 'condo sale launch': 193591, 'sale launch in': 732336, 'launch in sengkang': 481915, 'in sengkang draw': 427803, 'sengkang draw crowd': 750169, 'draw crowd hoping': 258474, 'crowd hoping for': 219169, 'hoping for lower': 403924, 'for lower price': 323138, 'lower price during': 505957, 'price during economic': 673620, 'during economic slowdown': 262615, 'economic slowdown during': 267303, 'slowdown during this': 774432, 'this time when': 890712, 'time when people': 898301, 'people are generally': 646986, 'are generally avoiding': 86776, 'generally avoiding crowded': 345524, 'avoiding crowded area': 105444, 'crowded area or': 219297, 'area or large': 92150, 'or large gathering': 615926, 'large gathering due': 479670, 'gathering due to': 344457, '19 pandemic one': 9415, 'pandemic one after': 636099, 'one after another': 605872, 'after another property': 35376, 'another property hun': 77778, 'we might': 972369, 'never know when': 558094, 'when we might': 984457, 'socialdistancinguk': 780914, 'racing': 695252, 'people sticking': 649579, 'sticking to': 800105, 'the socialdistancinguk': 867433, 'socialdistancinguk in': 780915, 'supermarket mind': 821518, 'mind don': 532656, 'think even': 885226, 'even could': 283980, 'could catch': 208994, 'the speed': 867559, 'speed she': 788463, 'wa racing': 963034, 'racing around': 695253, 've gave': 953151, 'gave her': 344616, 'her fixed': 392049, 'fixed penalty': 309817, 'penalty ticket': 646453, 'great to see': 363071, 'see people sticking': 745569, 'people sticking to': 649580, 'sticking to the': 800109, 'to the socialdistancinguk': 917075, 'the socialdistancinguk in': 867434, 'socialdistancinguk in my': 780916, 'local supermarket mind': 498555, 'supermarket mind don': 821519, 'mind don think': 532657, 'don think even': 253974, 'think even could': 885227, 'even could catch': 283981, 'could catch up': 208996, 'with the speed': 1001486, 'the speed she': 867563, 'speed she wa': 788464, 'she wa racing': 756423, 'wa racing around': 963035, 'racing around the': 695254, 'the store should': 868104, 'store should ve': 810173, 'should ve gave': 766625, 've gave her': 953152, 'gave her fixed': 344618, 'her fixed penalty': 392050, 'fixed penalty ticket': 309818, 'should implement': 766120, 'same distancing': 733042, 'solution used': 782119, 'we should implement': 973276, 'should implement the': 766121, 'implement the same': 418437, 'the same distancing': 866217, 'same distancing solution': 733043, 'distancing solution used': 247495, 'solution used in': 782120, 'used in danish': 949938, 'career pivot': 164352, 'pivot now': 657088, 'now work': 576470, 'career pivot now': 164354, 'pivot now work': 657089, 'now work in': 576473, 'supporter': 827079, 'councilors': 210060, 'brunch': 141347, 'supporter show': 827095, 'the hundred': 857741, 'hundred after': 410977, 'after city': 35464, 'city councilors': 179117, 'councilors including': 210061, 'including urge': 432239, 'urge them': 948231, 'buy local': 148911, 'local in': 498105, 'in midst': 425307, 'many avoiding': 513811, 'avoiding chinese': 105433, 'chinese business': 177203, 'business due': 143665, 'about lunch': 25680, 'lunch price': 506742, 'price reduced': 676126, 'reduced for': 706081, 'for brunch': 319808, 'brunch 10': 141348, '10 400': 1277, '400 people': 18765, 'people packed': 649049, 'packed china': 633596, 'china pearl': 176875, 'supporter show up': 827096, 'show up by': 767254, 'up by the': 944561, 'by the hundred': 154352, 'the hundred after': 857742, 'hundred after city': 410978, 'after city councilors': 35465, 'city councilors including': 179118, 'councilors including urge': 210062, 'including urge them': 432240, 'urge them to': 948232, 'to buy local': 902262, 'buy local in': 148914, 'local in midst': 498106, 'in midst of': 425308, 'midst of many': 530789, 'of many avoiding': 586169, 'many avoiding chinese': 513812, 'avoiding chinese business': 105434, 'chinese business due': 177204, 'business due to': 143666, 'to concern about': 903164, 'concern about lunch': 192897, 'about lunch price': 25681, 'lunch price reduced': 506743, 'price reduced for': 676131, 'reduced for brunch': 706082, 'for brunch 10': 319809, 'brunch 10 400': 141349, '10 400 people': 1278, '400 people packed': 18767, 'people packed china': 649050, 'packed china pearl': 633597, 'day major': 227952, 'have reported': 382267, 'reported the': 712544, 'several employee': 753835, 'employee from': 273873, 'recent day major': 703862, 'day major supermarket': 227953, 'major supermarket chain': 509487, 'supermarket chain have': 819608, 'chain have reported': 170769, 'have reported the': 382274, 'reported the death': 712545, 'death of several': 230145, 'of several employee': 589542, 'several employee from': 753837, 'employee from covid': 273874, 'italy fall': 462826, 'fall 15': 296788, '15 during': 3704, 'lockdown initial': 499531, 'initial analysis': 438515, 'analysis show': 57076, 'show drop': 766923, 'drop for': 260201, 'for europe': 321143, '2020 because': 14170, 'demand in italy': 235670, 'in italy fall': 424300, 'italy fall 15': 462827, 'fall 15 during': 296789, '15 during lockdown': 3705, 'during lockdown initial': 262767, 'lockdown initial analysis': 499532, 'initial analysis show': 438517, 'analysis show drop': 57077, 'show drop for': 766924, 'drop for europe': 260202, 'for europe in': 321145, 'europe in 2020': 283457, 'in 2020 because': 419821, '2020 because of': 14171, 'extensively': 293314, 'yemen': 1015310, 'unaffordable': 939390, 'how extensively': 407830, 'extensively it': 293315, 'affected them': 34449, 'price continuing': 673228, 'the costly': 851992, 'costly war': 208356, 'war in': 966471, 'in yemen': 431037, 'yemen ha': 1015317, 'now become': 574217, 'an unaffordable': 56818, 'unaffordable adventure': 939391, 'especially now with': 280566, '19 which we': 12041, 'which we do': 986463, 'know how extensively': 476436, 'how extensively it': 407831, 'extensively it ha': 293316, 'it ha affected': 458375, 'ha affected them': 369469, 'affected them and': 34450, 'them and oil': 875393, 'oil price continuing': 597086, 'price continuing to': 673229, 'continuing to fall': 201561, 'to fall the': 905642, 'fall the costly': 297071, 'the costly war': 851993, 'costly war in': 208357, 'war in yemen': 966474, 'in yemen ha': 431039, 'yemen ha now': 1015318, 'ha now become': 371390, 'now become an': 574218, 'become an unaffordable': 119921, 'an unaffordable adventure': 56819, 'of artwork': 580382, 'artwork we': 94667, 'been sent': 121923, 'nh amp': 561870, 'amp key': 54049, 'worker amp': 1006253, 'amp thank': 54633, 'fire service': 308117, 'service ambulance': 752057, 'ambulance refuse': 51338, 'collector delivery': 186555, 'worker carers': 1006609, 'carers supermarket': 164614, 'few example of': 303827, 'example of artwork': 288925, 'of artwork we': 580383, 'artwork we ve': 94668, 've been sent': 952927, 'been sent in': 121924, 'sent in support': 750762, 'the nh amp': 861723, 'nh amp key': 561871, 'amp key worker': 54050, 'key worker amp': 473465, 'worker amp thank': 1006261, 'amp thank you': 54635, 'to the police': 916964, 'the police fire': 863918, 'police fire service': 663002, 'fire service ambulance': 308118, 'service ambulance refuse': 752058, 'ambulance refuse collector': 51339, 'refuse collector delivery': 707012, 'collector delivery worker': 186557, 'delivery worker postal': 234777, 'postal worker carers': 666466, 'worker carers supermarket': 1006612, 'carers supermarket staff': 164616, 'and all our': 57881, 'all our key': 43812, 'ja': 464096, 'need milk': 555236, 'milk dress': 531642, 'dress up': 258683, 'it ja': 459191, 'you need milk': 1020014, 'need milk dress': 555237, 'milk dress up': 531643, 'dress up and': 258684, 'up and go': 944328, 'and go to': 63786, 'supermarket and get': 818988, 'and get it': 63583, 'get it ja': 347411, 'coronavirus only': 206354, 'only open': 610901, 'share link': 755085, 'trusted agency': 934335, 'agency here': 38022, 'is advice': 445362, 'advice to': 33525, 'avoid and': 104999, 'advantage of covid': 32996, '19 coronavirus only': 6114, 'coronavirus only open': 206355, 'only open and': 610902, 'open and share': 612077, 'and share link': 71391, 'share link from': 755086, 'link from trusted': 493844, 'from trusted agency': 338156, 'trusted agency here': 934336, 'agency here is': 38023, 'here is advice': 393211, 'is advice to': 445363, 'advice to avoid': 33526, 'to avoid and': 900866, 'avoid and report': 105000, 'and report scam': 70267, 'den': 236908, 'demma': 236663, 'sef': 747372, 'chai': 170429, 'the telco': 869250, 'telco to': 836657, 'tell that': 837073, 'we dey': 971287, 'dey stay': 240037, 'indoors dey': 435393, 'dey prevent': 240033, 'the den': 853129, 'den dem': 236909, 'dem too': 234884, 'too go': 924762, 'go reduce': 354067, 'reduce demma': 705821, 'demma data': 236664, 'that said': 846094, 'said dem': 731039, 'dem do': 234867, 'do am': 249049, 'am sef': 50368, 'sef go': 747373, 'go make': 353827, 'sure your': 827878, 'your data': 1023461, 'data go': 226247, 'go finish': 353537, 'finish quickly': 307863, 'quickly chai': 694491, 'waiting for the': 964337, 'for the telco': 326720, 'the telco to': 869253, 'telco to tell': 836659, 'to tell that': 916349, 'tell that we': 837079, 'that we dey': 847369, 'we dey stay': 971288, 'dey stay indoors': 240038, 'stay indoors dey': 797073, 'indoors dey prevent': 435394, 'dey prevent the': 240034, 'prevent the den': 671731, 'the den dem': 853130, 'den dem too': 236910, 'dem too go': 234885, 'too go reduce': 924763, 'go reduce demma': 354068, 'reduce demma data': 705822, 'demma data price': 236665, 'data price that': 226363, 'price that said': 676814, 'that said dem': 846096, 'said dem do': 731040, 'dem do am': 234868, 'do am sef': 249050, 'am sef go': 50369, 'sef go make': 747374, 'go make sure': 353828, 'make sure your': 510541, 'sure your data': 827880, 'your data go': 1023462, 'data go finish': 226248, 'go finish quickly': 353538, 'finish quickly chai': 307864, 'is them': 452990, 'price lmao': 675079, 'good thing about': 357840, '19 is them': 8065, 'is them gas': 452991, 'gas price lmao': 343990, 'popup': 664761, 'digital medium': 242603, 'medium scammer': 527263, 'the desperation': 853196, 'desperation toiletpaper': 238616, 'toiletpaperpanic clickbait': 923203, 'clickbait scam': 181975, 'scam popup': 740308, 'even the digital': 284650, 'the digital medium': 853286, 'digital medium scammer': 242604, 'medium scammer are': 527264, 'scammer are getting': 740535, 'are getting in': 86810, 'getting in on': 349056, 'on the desperation': 604062, 'the desperation toiletpaper': 853198, 'desperation toiletpaper toiletpaperpanic': 238617, 'toiletpaper toiletpaperpanic clickbait': 922693, 'toiletpaperpanic clickbait scam': 923204, 'clickbait scam popup': 181976, 'attached': 102034, 'njavwa': 563470, 'simukoko': 770344, '260964905611': 16203, 'nw': 577802, 'dear colleague': 229758, 'colleague please': 186228, 'please find': 659994, 'find attached': 306818, 'attached our': 102045, 'consumer awareness': 196371, 'awareness on': 105715, '19 mr': 8701, 'mr njavwa': 544384, 'njavwa simukoko': 563471, 'simukoko cut': 770345, 'cut comms': 223273, 'comms amp': 189515, 'amp advocacy': 53359, 'advocacy 260964905611': 33795, '260964905611 nw': 16204, 'nw org': 577805, 'dear colleague please': 229760, 'colleague please find': 186229, 'please find attached': 659995, 'find attached our': 306819, 'attached our latest': 102046, 'our latest on': 623672, 'on consumer awareness': 600027, 'consumer awareness on': 196372, 'awareness on covid': 105718, 'covid 19 mr': 213452, '19 mr njavwa': 8702, 'mr njavwa simukoko': 544385, 'njavwa simukoko cut': 563472, 'simukoko cut comms': 770346, 'cut comms amp': 223274, 'comms amp advocacy': 189516, 'amp advocacy 260964905611': 53360, 'advocacy 260964905611 nw': 33796, '260964905611 nw org': 16205, 'crowd here': 219166, 'at sam': 100458, 'sam and': 732905, 'and saw': 70975, 'saw total': 738304, 'mask not': 519019, 'even respirator': 284526, 'respirator combined': 715195, 'combined this': 187128, 'get bad': 346638, 'bad none': 107958, 'people know': 648594, 'what social': 982204, 'is either': 447454, 'either is': 270322, 'it unreal': 461942, 'store and looked': 806286, 'and looked at': 66371, 'looked at the': 502712, 'at the crowd': 100919, 'the crowd here': 852525, 'crowd here at': 219167, 'here at sam': 392791, 'at sam and': 100459, 'sam and saw': 732907, 'and saw total': 70988, 'saw total of': 738305, 'total of mask': 926212, 'of mask not': 586273, 'mask not even': 519021, 'not even respirator': 569274, 'even respirator combined': 284527, 'respirator combined this': 715196, 'combined this shit': 187129, 'to get bad': 906417, 'get bad none': 346639, 'bad none of': 107959, 'none of these': 566599, 'of these people': 591847, 'these people know': 880449, 'people know what': 648598, 'know what social': 476976, 'what social distancing': 982206, 'distancing is either': 247242, 'is either is': 447455, 'either is it': 270324, 'is it unreal': 449072, 'shaming': 754746, 'upping': 947704, 'really interested': 702342, 'in doing': 422341, 'the shaming': 866779, 'shaming seeing': 754756, 'seeing on': 746393, 'here rather': 393502, 'rather celebrate': 697440, 'celebrate all': 168780, 'the compliance': 851402, 'compliance effort': 192439, 'effort seeing': 269583, 'the pulling': 864889, 'pulling together': 688949, 'together attitude': 920717, 'attitude the': 102586, 'the upping': 870507, 'upping of': 947705, 'of connection': 581674, 'connection more': 194711, 'ever remember': 285465, 'remember smiling': 710259, 'smiling at': 775767, 'other at': 619857, 'supermarket under': 823603, 'not really interested': 571237, 'really interested in': 702343, 'interested in doing': 441455, 'in doing the': 422344, 'doing the shaming': 252726, 'the shaming seeing': 866780, 'shaming seeing on': 754757, 'seeing on here': 746394, 'on here rather': 601291, 'here rather celebrate': 393503, 'rather celebrate all': 697441, 'celebrate all the': 168781, 'all the compliance': 44693, 'the compliance effort': 851403, 'compliance effort seeing': 192440, 'effort seeing the': 269584, 'seeing the pulling': 746504, 'the pulling together': 864891, 'pulling together attitude': 688950, 'together attitude the': 920718, 'attitude the upping': 102587, 'the upping of': 870508, 'upping of connection': 947706, 'of connection more': 581675, 'connection more people': 194712, 'people than ever': 649744, 'than ever remember': 840602, 'ever remember smiling': 285466, 'remember smiling at': 710260, 'smiling at each': 775768, 'at each other': 98501, 'each other at': 264156, 'other at the': 619861, 'the supermarket under': 868880, 'with everyone': 998285, 'everyone limiting': 287164, 'limiting their': 492883, 'their trip': 875028, 'great tip': 363063, 'store different': 807314, 'different food': 241945, 'to extend': 905523, 'extend their': 293129, 'their shelf': 874678, 'shelf life': 757278, 'life groceryshopping': 488699, 'groceryshopping socialdistancing': 366278, 'with everyone limiting': 998291, 'everyone limiting their': 287165, 'limiting their trip': 492884, 'their trip to': 875030, 'store offer some': 809157, 'offer some great': 594801, 'some great tip': 782992, 'great tip on': 363066, 'you can store': 1017799, 'can store different': 159833, 'store different food': 807315, 'different food to': 241946, 'food to extend': 317248, 'to extend their': 905530, 'extend their shelf': 293131, 'their shelf life': 874683, 'shelf life groceryshopping': 757280, 'life groceryshopping socialdistancing': 488700, 'bleepin': 132567, 'teenscoughingongrocerystoreproduce': 836568, 'genz': 345920, 'purcellville': 689323, 'file this': 305377, 'one under': 607321, 'under are': 940006, 'you bleepin': 1017482, 'bleepin kidding': 132568, 'me wtf': 524031, 'wtf teenscoughingongrocerystoreproduce': 1013321, 'teenscoughingongrocerystoreproduce genz': 836569, 'genz purcellville': 345923, 'file this one': 305378, 'this one under': 889255, 'one under are': 607323, 'under are you': 940007, 'are you bleepin': 91769, 'you bleepin kidding': 1017483, 'bleepin kidding me': 132569, 'kidding me wtf': 474210, 'me wtf teenscoughingongrocerystoreproduce': 524032, 'wtf teenscoughingongrocerystoreproduce genz': 1013322, 'teenscoughingongrocerystoreproduce genz purcellville': 836570, 'alma': 46447, 'mater': 520359, 'properly use': 684208, 'sanitizer thanks': 735849, 'my alma': 547254, 'alma mater': 46448, 'mater for': 520360, 'this helpful': 887902, 'helpful guidance': 391181, 'guidance 19': 368193, 'to properly use': 912269, 'properly use hand': 684209, 'hand sanitizer thanks': 375615, 'sanitizer thanks to': 735851, 'thanks to my': 842244, 'to my alma': 910372, 'my alma mater': 547255, 'alma mater for': 46449, 'mater for this': 520361, 'for this helpful': 327036, 'this helpful guidance': 887903, 'helpful guidance 19': 391182, 'guidance 19 19': 368194, '10th': 2385, 'revive': 720678, 'pummeled': 689004, 'oil decline': 596734, 'decline after': 231296, 'initial jump': 438536, 'jump an': 467850, 'an historic': 56060, 'historic deal': 397947, 'deal among': 229338, 'world top': 1010102, 'top producer': 925691, 'cut global': 223356, 'global output': 352063, 'nearly 10th': 553753, '10th failed': 2390, 'to revive': 913504, 'revive price': 720681, 'been pummeled': 121739, 'pummeled by': 689005, 'the oott': 862368, 'oott saudiarabia': 611785, 'russia opec': 728528, 'oil decline after': 596735, 'decline after an': 231297, 'after an initial': 35358, 'an initial jump': 56343, 'initial jump an': 438537, 'jump an historic': 467851, 'an historic deal': 56061, 'historic deal among': 397948, 'deal among the': 229339, 'among the world': 53078, 'the world top': 871995, 'world top producer': 1010105, 'top producer to': 925694, 'to cut global': 903876, 'cut global output': 223359, 'global output by': 352064, 'output by nearly': 629243, 'by nearly 10th': 153312, 'nearly 10th failed': 553754, '10th failed to': 2391, 'failed to revive': 296187, 'to revive price': 913505, 'revive price that': 720682, 'have been pummeled': 379646, 'been pummeled by': 121740, 'pummeled by the': 689008, 'by the oott': 154399, 'the oott saudiarabia': 862370, 'oott saudiarabia russia': 611786, 'saudiarabia russia opec': 737361, 'vino': 957452, 'wolftrap': 1003380, 'thewolftrap': 881078, 'home drink': 401101, 'drink wine': 258905, 'wine do': 995805, 'get yourself': 348751, 'yourself trapped': 1026734, 'trapped without': 930118, 'without vino': 1003032, 'vino while': 957453, 'while flattening': 986838, 'curve stay': 221894, 'the wolftrap': 871657, 'wolftrap wine': 1003381, 'wine from': 995815, 'from pick': 336921, 'pick pay': 655675, 'pay great': 644919, 'at thewolftrap': 101211, 'thewolftrap socialdistancing': 881079, 'stay home drink': 796954, 'home drink wine': 401102, 'drink wine do': 258906, 'wine do not': 995806, 'not get yourself': 569620, 'get yourself trapped': 348752, 'yourself trapped without': 1026735, 'trapped without vino': 930119, 'without vino while': 1003033, 'vino while flattening': 957454, 'while flattening the': 986839, 'the curve stay': 852705, 'curve stay at': 221895, 'home and order': 400674, 'and order the': 68248, 'order the wolftrap': 618637, 'the wolftrap wine': 871658, 'wolftrap wine from': 1003382, 'wine from pick': 995816, 'from pick pay': 336922, 'pick pay great': 655676, 'pay great price': 644920, 'great price available': 362908, 'price available at': 672823, 'available at thewolftrap': 104262, 'at thewolftrap socialdistancing': 101212, 'qt': 691611, 'wilkinson': 992168, 'blvd': 133533, 'clt': 184388, 'are cheap': 85260, 'cheap this': 174215, 'the qt': 864944, 'qt on': 691614, 'on wilkinson': 605324, 'wilkinson blvd': 992169, 'blvd in': 133536, 'west clt': 980480, 'clt only': 184391, 'only problem': 611016, 'got nowhere': 358752, 'nowhere to': 576572, 'go thanks': 354196, 'price in are': 674662, 'in are cheap': 420478, 'are cheap this': 85263, 'cheap this is': 174216, 'is the qt': 452909, 'the qt on': 864945, 'qt on wilkinson': 691615, 'on wilkinson blvd': 605325, 'wilkinson blvd in': 992170, 'blvd in west': 133537, 'in west clt': 430801, 'west clt only': 980481, 'clt only problem': 184392, 'only problem is': 611017, 'problem is we': 679573, 'is we ve': 453806, 've got nowhere': 953191, 'got nowhere to': 358753, 'nowhere to go': 576574, 'to go thanks': 906862, 'go thanks to': 354197, 'ewg': 288608, 'pesticide': 653339, 'foodnews': 318014, 'shoppinglist': 764510, '2f': 16594, 'getting fed': 348969, 'up too': 946470, 'much selfisolation': 545293, 'selfisolation so': 748484, 'let have': 486769, 'at ewg': 98579, 'ewg pesticide': 288609, 'pesticide in': 653340, 'food list': 315325, 'list foodnews': 494321, 'foodnews health': 318018, 'health healthy': 386490, 'healthy diet': 387576, 'diet nutrition': 241742, 'nutrition supermarket': 577745, 'supermarket cooking': 819781, 'cooking shoppinglist': 202906, 'shoppinglist 2f': 764511, '2f chemical': 16596, 'chemical fruit': 175348, 'getting fed up': 348970, 'fed up too': 301925, 'up too much': 946471, 'too much selfisolation': 924943, 'much selfisolation so': 545294, 'selfisolation so let': 748485, 'so let have': 777541, 'let have look': 486771, 'look at ewg': 502262, 'at ewg pesticide': 98580, 'ewg pesticide in': 288610, 'pesticide in food': 653341, 'in food list': 422975, 'food list foodnews': 315326, 'list foodnews health': 494322, 'foodnews health healthy': 318019, 'health healthy diet': 386491, 'healthy diet nutrition': 387578, 'diet nutrition supermarket': 241743, 'nutrition supermarket cooking': 577746, 'supermarket cooking shoppinglist': 819782, 'cooking shoppinglist 2f': 202907, 'shoppinglist 2f chemical': 764512, '2f chemical fruit': 16597, 'chemical fruit veggie': 175349, 'mr ha': 544363, 'just headed': 468942, 'headed off': 385912, 'with list': 999248, 'list long': 494394, 'long her': 501435, 'her arm': 391855, 'arm not': 92904, 'on said': 603256, 'said list': 731199, 'for but': 319851, 'but half': 145849, 'half dozen': 374150, 'dozen elderly': 257876, 'elderly folk': 270676, 'folk nearby': 312216, 'nearby will': 553699, 'be restocking': 116848, 'restocking their': 717029, 'cupboard later': 220477, 'later lockdowneffect': 481094, 'lockdowneffect inthistogether': 500252, 'inthistogether stayhomesavelives': 442319, 'mr ha just': 544364, 'ha just headed': 371053, 'just headed off': 468943, 'headed off to': 385913, 'off to the': 594329, 'supermarket with list': 823929, 'with list long': 999250, 'list long her': 494395, 'long her arm': 501436, 'her arm not': 391858, 'arm not many': 92905, 'not many item': 570531, 'many item on': 514219, 'item on said': 463507, 'on said list': 603257, 'said list for': 731200, 'list for but': 494324, 'for but half': 319853, 'but half dozen': 145850, 'half dozen elderly': 374151, 'dozen elderly folk': 257877, 'elderly folk nearby': 270677, 'folk nearby will': 312217, 'nearby will be': 553700, 'will be restocking': 992651, 'be restocking their': 116849, 'restocking their cupboard': 717030, 'their cupboard later': 872933, 'cupboard later lockdowneffect': 220478, 'later lockdowneffect inthistogether': 481095, 'lockdowneffect inthistogether stayhomesavelives': 500253, 'anytime': 80964, 'pric': 672094, 'but anytime': 145197, 'anytime the': 80976, 'dropped retailer': 260624, 'not raised': 571208, 'were simply': 980129, 'simply stocked': 770292, 'stocked out': 803366, 'for period': 324479, 'those stock': 892491, 'stock out': 802607, 'out will': 627853, 'last longer': 480299, 'longer due': 501967, '19 expect': 6889, 'expect 3rd': 290596, '3rd party': 18438, 'seller to': 749095, 'to sharply': 914386, 'sharply increase': 755749, 'increase pric': 432993, 'but anytime the': 145198, 'anytime the supply': 80977, 'the supply ha': 868950, 'supply ha dropped': 825342, 'ha dropped retailer': 370465, 'dropped retailer have': 260625, 'retailer have not': 719184, 'have not raised': 381693, 'not raised the': 571210, 'the price they': 864423, 'price they were': 676904, 'they were simply': 883802, 'were simply stocked': 980130, 'simply stocked out': 770293, 'stocked out for': 803367, 'out for period': 626150, 'for period of': 324483, 'period of time': 651858, 'of time now': 592180, 'time now that': 897298, 'now that those': 576023, 'that those stock': 847015, 'those stock out': 892493, 'stock out will': 802609, 'out will last': 627855, 'will last longer': 993946, 'last longer due': 480301, 'longer due to': 501968, 'covid 19 expect': 213057, '19 expect 3rd': 6890, 'expect 3rd party': 290597, '3rd party seller': 18442, 'party seller to': 643034, 'seller to sharply': 749100, 'to sharply increase': 914387, 'sharply increase pric': 755750, 'penalise': 646417, 'responsibly': 716073, 'punishing': 689247, 'miscreant': 533977, 'be fair': 114785, 'fair to': 296386, 'to penalise': 911600, 'penalise those': 646420, 'those exercising': 891976, 'exercising responsibly': 290129, 'responsibly because': 716080, 'bbqs amp': 113203, 'amp sunbathing': 54581, 'sunbathing like': 818120, 'like punishing': 491045, 'punishing the': 689250, 'whole class': 990163, 'class for': 180189, 'one miscreant': 606673, 'miscreant also': 533978, 'also what': 49097, 'between exercise': 128769, 'exercise amp': 290023, 'amp supermarket': 54583, 'it would not': 462601, 'would not be': 1012073, 'not be fair': 568381, 'be fair to': 114789, 'fair to penalise': 296389, 'to penalise those': 911601, 'penalise those exercising': 646421, 'those exercising responsibly': 891977, 'exercising responsibly because': 290130, 'responsibly because others': 716081, 'because others are': 119449, 'others are having': 621269, 'are having bbqs': 87028, 'having bbqs amp': 383991, 'bbqs amp sunbathing': 113204, 'amp sunbathing like': 54582, 'sunbathing like punishing': 818121, 'like punishing the': 491046, 'punishing the whole': 689251, 'the whole class': 871482, 'whole class for': 990164, 'class for one': 180190, 'for one miscreant': 324087, 'one miscreant also': 606674, 'miscreant also what': 533979, 'also what the': 49098, 'what the difference': 982306, 'the difference between': 853256, 'difference between exercise': 241814, 'between exercise amp': 128770, 'exercise amp supermarket': 290024, 'amp supermarket queue': 54587, 'receipt': 703393, 'exists': 290352, 'month around': 537592, 'around 00': 93090, 'panic 500': 637247, '500 child': 19957, 'child die': 176055, 'die every': 241327, 'from another': 334537, 'another virus': 77939, 'virus called': 958025, 'called hunger': 156347, 'the receipt': 865287, 'receipt food': 703411, 'one talk': 607160, 'because hunger': 119135, 'hunger exists': 411110, 'in month around': 425413, 'month around 00': 537593, 'around 00 people': 93092, 'died from coronavirus': 241550, 'from coronavirus the': 335024, 'coronavirus the world': 206919, 'world is in': 1009702, 'is in panic': 448797, 'in panic 500': 426472, 'panic 500 child': 637248, '500 child die': 19958, 'child die every': 176056, 'die every day': 241328, 'every day from': 285808, 'day from another': 227656, 'from another virus': 334542, 'another virus called': 77940, 'virus called hunger': 958026, 'called hunger the': 156348, 'hunger the receipt': 411199, 'the receipt food': 865289, 'receipt food but': 703412, 'food but no': 313823, 'no one talk': 564966, 'one talk about': 607161, 'talk about it': 833743, 'about it because': 25568, 'it because hunger': 456749, 'because hunger exists': 119137, 'stay here': 796926, 'here forever': 393016, 'forever if': 329125, 'don shut': 253910, 'week everyone': 976198, 'it packed': 460233, 'packed older': 633631, 'were bagging': 979361, 'bagging my': 108531, 'grocery crazy': 364412, 'the is going': 858496, 'to stay here': 915291, 'stay here forever': 796928, 'here forever if': 393017, 'forever if we': 329126, 'if we don': 415277, 'we don shut': 971394, 'don shut it': 253911, 'shut it down': 767901, 'it down for': 457690, 'down for couple': 256769, 'of week everyone': 592999, 'week everyone stay': 976199, 'everyone stay home': 287403, 'stay home went': 797027, 'home went to': 402475, 'and it packed': 65566, 'it packed older': 460234, 'packed older people': 633632, 'older people were': 598666, 'people were bagging': 650197, 'were bagging my': 979362, 'bagging my grocery': 108532, 'my grocery crazy': 548569, 'dollarama': 253116, 'unsettling': 943477, 'got canned': 358468, 'from dollarama': 335186, 'dollarama ll': 253117, 'll try': 497077, 'try the': 934581, 'store again': 806088, 'again tomorrow': 37240, 'tomorrow very': 924229, 'very unsettling': 955634, 'unsettling going': 943478, 'canada amp': 160349, 'amp shelf': 54480, 'bare really': 110941, 'really show': 702586, 'fragile life': 330894, 'life or': 488948, 'least human': 484510, 'human life': 410544, 'is amp': 445627, 'amp how': 53959, 'all may': 43471, 'on notice': 602447, 'notice by': 573253, 'got canned food': 358469, 'canned food from': 161512, 'food from dollarama': 314601, 'from dollarama ll': 335187, 'dollarama ll try': 253118, 'll try the': 497078, 'try the grocery': 934583, 'grocery store again': 365180, 'store again tomorrow': 806093, 'again tomorrow very': 37244, 'tomorrow very unsettling': 924230, 'very unsettling going': 955635, 'unsettling going to': 943479, 'going to store': 355726, 'to store in': 915626, 'store in canada': 808282, 'in canada amp': 421182, 'canada amp shelf': 160350, 'amp shelf are': 54481, 'shelf are bare': 756790, 'are bare really': 84776, 'bare really show': 110942, 'really show how': 702587, 'show how fragile': 766977, 'how fragile life': 407882, 'fragile life or': 330895, 'life or at': 488949, 'at least human': 99508, 'least human life': 484511, 'human life is': 410549, 'life is amp': 488800, 'is amp how': 445628, 'amp how we': 53962, 'how we all': 409164, 'we all may': 970342, 'all may be': 43472, 'may be on': 521013, 'be on notice': 116205, 'on notice by': 602448, 'notice by the': 573255, 'by the planet': 154407, 'artforheroes': 94206, 'wellbeing': 978786, 'artforheroes donates': 94209, 'donates any': 254385, 'any amount': 78917, 'amount opportunity': 53272, 'purchase art': 689359, 'art at': 94137, 'at discounted': 98450, 'price 100': 672100, 'of donation': 582790, 'donation sale': 254683, 'organization hero': 619382, 'who promote': 989461, 'promote welfare': 683802, 'welfare wellbeing': 977979, 'wellbeing of': 978795, 'staff working': 793112, 'artforheroes donates any': 94210, 'donates any amount': 254386, 'any amount opportunity': 78922, 'amount opportunity to': 53273, 'opportunity to purchase': 613717, 'to purchase art': 912518, 'purchase art at': 689360, 'art at discounted': 94138, 'at discounted price': 98451, 'discounted price 100': 244593, 'price 100 of': 672101, '100 of donation': 1982, 'of donation sale': 582792, 'donation sale to': 254684, 'sale to charity': 732585, 'to charity organization': 902659, 'charity organization hero': 173666, 'organization hero who': 619383, 'hero who promote': 394170, 'who promote welfare': 989462, 'promote welfare wellbeing': 683803, 'welfare wellbeing of': 977980, 'wellbeing of nh': 978797, 'of nh staff': 587008, 'nh staff working': 562113, 'staff working on': 793116, 'frontline of the': 338806, 'fil': 305319, 'fil to': 305324, 'government advises': 359836, 'advises against': 33676, 'against non': 37555, 'travel uk': 930557, 'uk train': 938839, 'train company': 929242, 'are therefore': 90965, 'therefore working': 879475, 'working together': 1009008, 'customer whose': 223089, 'whose plan': 990672, 'plan may': 658166, 'changed since': 172545, 'since booking': 770530, 'booking their': 134747, 'their ticket': 874982, 'ticket detail': 895605, 'detail below': 239164, 'fil to combat': 305325, 'of the government': 591072, 'the government advises': 856507, 'government advises against': 359837, 'advises against non': 33677, 'against non essential': 37556, 'essential travel uk': 281726, 'travel uk train': 930558, 'uk train company': 938840, 'train company are': 929243, 'company are therefore': 190457, 'are therefore working': 90967, 'therefore working together': 879476, 'working together to': 1009010, 'to help customer': 907486, 'help customer whose': 389563, 'customer whose plan': 223091, 'whose plan may': 990673, 'plan may have': 658168, 'may have changed': 521232, 'have changed since': 379944, 'changed since booking': 172546, 'since booking their': 770531, 'booking their ticket': 134748, 'their ticket detail': 874983, 'ticket detail below': 895606, 'bash': 111801, 'reactive': 700235, 'to bash': 901061, 'bash any': 111802, 'any elected': 79172, 'elected official': 270997, 'official state': 595934, 'emergency are': 272604, 'are reactive': 89453, 'reactive but': 700236, 'but everything': 145683, 'is fluid': 447845, 'fluid right': 311538, 'must stay': 546902, 'vigilant do': 957243, 'the necessary': 861371, 'necessary precaution': 554041, 'precaution onpoli': 669341, 'is no time': 449983, 'time to bash': 897950, 'to bash any': 901062, 'bash any elected': 111803, 'any elected official': 79173, 'elected official state': 271000, 'official state of': 595935, 'of emergency are': 583027, 'emergency are reactive': 272605, 'are reactive but': 89454, 'reactive but everything': 700237, 'but everything is': 145684, 'everything is fluid': 287871, 'is fluid right': 447846, 'fluid right now': 311539, 'right now for': 722064, 'now for now': 574721, 'for now everyone': 323967, 'now everyone must': 574633, 'everyone must stay': 287197, 'must stay vigilant': 546908, 'stay vigilant do': 797383, 'vigilant do not': 957244, 'food and take': 313353, 'take the necessary': 832664, 'the necessary precaution': 861375, 'necessary precaution onpoli': 554044, 'could modern': 209415, 'modern state': 535396, 'uk not': 938574, 'have organised': 381833, 'organised the': 619320, 'mass manufacture': 519803, 'manufacture of': 513381, 'mask week': 519524, 'how could modern': 407629, 'could modern state': 209416, 'modern state like': 535397, 'state like the': 795740, 'like the uk': 491405, 'the uk not': 870252, 'uk not have': 938575, 'not have organised': 569856, 'have organised the': 381834, 'organised the mass': 619321, 'the mass manufacture': 860245, 'mass manufacture of': 519804, 'manufacture of mask': 513384, 'of mask week': 586282, 'mask week ago': 519525, 'bcg': 113325, 'reacting': 700164, 'bcg how': 113333, 'consumer reacting': 198642, 'reacting to': 700182, 'evolving crisis': 288557, 'crisis bcg': 217115, 'bcg recently': 113337, 'recently conducted': 704064, 'conducted survey': 193684, 'survey to': 828965, 'to examine': 905385, 'examine their': 288822, 'their perception': 874271, 'perception attitude': 651232, 'in behavior': 420759, 'spending via': 789039, 'bcg how are': 113334, 'are consumer reacting': 85527, 'consumer reacting to': 198643, 'reacting to the': 700184, 'rapidly evolving crisis': 696981, 'evolving crisis bcg': 288558, 'crisis bcg recently': 217116, 'bcg recently conducted': 113338, 'recently conducted survey': 704065, 'conducted survey to': 193686, 'survey to examine': 828966, 'to examine their': 905386, 'examine their perception': 288823, 'their perception attitude': 874272, 'perception attitude and': 651233, 'attitude and change': 102544, 'and change in': 59723, 'change in behavior': 172107, 'in behavior and': 420760, 'behavior and spending': 123905, 'and spending via': 72097, 'weighing': 977674, 'surpassed': 828454, 'the commerce': 851217, 'commerce giant': 188557, 'giant said': 349857, 'in blog': 420880, 'post saturday': 666303, 'saturday that': 737064, 'been surge': 122109, 'outbreak spread': 628646, 'it weighing': 462296, 'weighing on': 977679, 'company the': 191195, 'state surpassed': 795967, 'surpassed 00': 828455, '00 on': 389, 'sunday amazon': 818165, 'the commerce giant': 851222, 'commerce giant said': 188559, 'giant said in': 349858, 'said in blog': 731135, 'in blog post': 420881, 'blog post saturday': 132998, 'post saturday that': 666304, 'saturday that there': 737065, 'that there ha': 846897, 'ha been surge': 369946, 'been surge in': 122110, 'shopping the outbreak': 764090, 'the outbreak spread': 862695, 'outbreak spread and': 628647, 'spread and it': 790411, 'and it weighing': 65600, 'it weighing on': 462297, 'weighing on the': 977680, 'on the company': 604031, 'the company the': 851355, 'company the number': 191197, 'united state surpassed': 942244, 'state surpassed 00': 795968, 'surpassed 00 on': 828456, '00 on sunday': 391, 'on sunday amazon': 603752, 'crimsonagility': 216916, 'shopfromhome': 761145, 'clientsupport': 182160, 'take today': 832746, 'promote business': 683770, 'work we': 1005976, 'did with': 240908, 'them please': 876166, 'client great': 182041, 'price crimsonagility': 673344, 'crimsonagility shopfromhome': 216917, 'shopfromhome clientsupport': 761146, 'to take today': 916251, 'take today to': 832747, 'today to promote': 920363, 'to promote business': 912248, 'promote business and': 683771, 'business and some': 143334, 'and some of': 71972, 'of the work': 591626, 'the work we': 871744, 'work we did': 1005977, 'we did with': 971297, 'did with them': 240910, 'with them please': 1001618, 'them please check': 876167, 'please check out': 659778, 'out our client': 626969, 'our client great': 622395, 'client great product': 182042, 'great product and': 362930, 'and price crimsonagility': 69445, 'price crimsonagility shopfromhome': 673345, 'crimsonagility shopfromhome clientsupport': 216918, 'delhi': 232878, 'bengaluru': 127209, 'impact steep': 417967, 'steep decline': 799380, 'in footfall': 423000, 'footfall across': 318536, 'across major': 29380, 'major place': 509421, 'of interest': 585250, 'in top': 430194, 'top metro': 925615, 'metro delhi': 529914, 'delhi mumbai': 232904, 'mumbai bengaluru': 545995, 'bengaluru covid': 127210, 'insight india': 439575, 'india report': 434594, 'by stayhome': 154106, 'impact steep decline': 417968, 'steep decline in': 799382, 'decline in footfall': 231353, 'in footfall across': 423001, 'footfall across major': 318537, 'across major place': 29381, 'major place of': 509422, 'place of interest': 657601, 'of interest in': 585253, 'interest in top': 441361, 'in top metro': 430195, 'top metro delhi': 925616, 'metro delhi mumbai': 529915, 'delhi mumbai bengaluru': 232905, 'mumbai bengaluru covid': 545996, 'bengaluru covid 19': 127211, '19 consumer insight': 5975, 'consumer insight india': 197886, 'insight india report': 439576, 'india report by': 434595, 'report by stayhome': 711848, 'store shopper': 810124, 'getting used': 349425, 'another new': 77722, 'reality this': 701806, 'marina in': 515747, 'francisco the': 331127, 'guard just': 367815, 'the woman': 871659, 'woman at': 1003417, 'line only': 493329, 'only 50': 610007, '50 people': 19796, 'grocery store shopper': 365767, 'store shopper are': 810125, 'shopper are getting': 761390, 'are getting used': 86833, 'getting used to': 349426, 'used to another': 950034, 'to another new': 900572, 'another new reality': 77723, 'new reality this': 559407, 'reality this is': 701807, 'is the line': 452847, 'the line to': 859420, 'into the marina': 443147, 'the marina in': 860074, 'marina in san': 515748, 'san francisco the': 733548, 'francisco the security': 331128, 'the security guard': 866624, 'security guard just': 744618, 'guard just told': 367816, 'just told the': 470124, 'told the woman': 923712, 'the woman at': 871660, 'woman at the': 1003420, 'the front of': 855850, 'of the line': 591192, 'the line only': 859416, 'line only 50': 493331, 'only 50 people': 610009, '50 people allowed': 19797, 'the store at': 867983, 'store at time': 806596, 'unjustifiably': 942485, 'owner who': 632599, 'who unjustifiably': 989850, 'unjustifiably raise': 942486, 'can face': 158282, 'face criminal': 294383, 'charge if': 173260, 'suspect price': 829485, 'gouging result': 359444, 're encouraged': 698606, 'file report': 305365, 'protection unit': 685662, 'unit using': 942106, 'using this': 950748, 'this form': 887600, 'business owner who': 144195, 'owner who unjustifiably': 632603, 'who unjustifiably raise': 989851, 'unjustifiably raise price': 942487, 'raise price can': 695910, 'price can face': 673058, 'can face criminal': 158283, 'face criminal charge': 294384, 'criminal charge if': 216828, 'charge if you': 173261, 'you suspect price': 1021496, 'suspect price gouging': 829486, 'price gouging result': 674320, 'gouging result of': 359445, '19 pandemic you': 9531, 'pandemic you re': 637092, 'you re encouraged': 1020611, 're encouraged to': 698607, 'encouraged to file': 275666, 'to file report': 905831, 'file report to': 305367, 'report to our': 712389, 'to our consumer': 911164, 'our consumer protection': 622546, 'consumer protection unit': 198572, 'protection unit using': 685665, 'unit using this': 942107, 'using this form': 950751, 'affair editorial': 34031, 'editorial team': 268678, 'have brought': 379845, 'brought you': 141211, 'what supermarket': 982265, 'customer through': 222946, 'through covid': 894394, '19 here': 7508, 'here everything': 392963, 'the consumer affair': 851489, 'consumer affair editorial': 196085, 'affair editorial team': 34032, 'editorial team have': 268679, 'team have brought': 835665, 'have brought you': 379849, 'brought you the': 141214, 'you the latest': 1021600, 'latest on what': 481480, 'on what supermarket': 605243, 'what supermarket are': 982266, 'supermarket are doing': 819154, 'help their customer': 390690, 'their customer through': 872961, 'customer through covid': 222947, 'through covid 19': 894395, 'covid 19 here': 213202, '19 here everything': 7510, 'here everything you': 392964, 'halifax': 374316, 'price held': 674490, 'at record': 100267, 'high before': 394943, 'lockdown halifax': 499453, 'house price held': 406488, 'price held at': 674491, 'held at record': 388884, 'at record high': 100268, 'record high before': 704974, 'high before covid': 394944, '19 lockdown halifax': 8390, 'tactical': 831721, 'lessened': 486446, 'this roundtable': 889926, 'roundtable tactical': 726403, 'tactical advice': 831722, 'china leading': 176789, 'leading retail': 483732, 'retail exec': 718099, 'exec re': 289831, 're how': 698840, 'they lessened': 882555, 'lessened covid19': 486447, 'covid19 impact': 214318, 'people business': 647313, 'business click': 143525, 'click to': 181956, 'read mckinsey': 700409, 'mckinsey consulting': 522190, 'consulting leadership': 195904, 'leadership china': 483593, 'check this roundtable': 174678, 'this roundtable tactical': 889927, 'roundtable tactical advice': 726404, 'tactical advice from': 831723, 'advice from china': 33381, 'from china leading': 334864, 'china leading retail': 176790, 'leading retail exec': 483733, 'retail exec re': 718100, 'exec re how': 289832, 're how they': 698841, 'how they lessened': 408921, 'they lessened covid19': 882556, 'lessened covid19 impact': 486448, 'covid19 impact on': 214319, 'impact on people': 417879, 'on people business': 602737, 'people business click': 647314, 'business click to': 143526, 'click to read': 181962, 'to read mckinsey': 912833, 'read mckinsey consulting': 700410, 'mckinsey consulting leadership': 522191, 'consulting leadership china': 195905, 'samsung': 733500, 's20': 728852, 'samsung galaxy': 733505, 'galaxy s20': 342922, 's20 5g': 728853, '5g series': 20685, 'series suffering': 751301, 'suffering because': 817285, 'of high': 584609, 'price covid': 673305, 'samsung galaxy s20': 733506, 'galaxy s20 5g': 342923, 's20 5g series': 728854, '5g series suffering': 20686, 'series suffering because': 751302, 'suffering because of': 817286, 'because of high': 119351, 'of high price': 584614, 'high price covid': 395242, 'price covid 19': 673306, 'vile': 957307, 'wow people': 1012576, 'people my': 648809, 'daughter work': 226925, 'and her': 64506, 'her store': 392405, 'open barely': 612114, 'barely today': 111038, 'today woman': 920568, 'woman yelled': 1003712, 'at her': 98885, 'her daughter': 391985, 'daughter for': 226840, 'for standing': 325864, 'her child': 391930, 'child hey': 176104, 'about you': 26967, 'your kid': 1024548, 'home lady': 401511, 'lady this': 478839, '19 shit': 10459, 'made people': 507910, 'people asshole': 647163, 'asshole stupid': 96566, 'plain vile': 658025, 'wow people my': 1012578, 'people my daughter': 648810, 'my daughter work': 547940, 'daughter work in': 226928, 'in retail and': 427446, 'retail and her': 717826, 'and her store': 64518, 'her store is': 392408, 'store is still': 808533, 'still open barely': 800952, 'open barely today': 612115, 'barely today woman': 111039, 'today woman yelled': 920569, 'woman yelled at': 1003713, 'yelled at her': 1015226, 'at her daughter': 98887, 'her daughter for': 391986, 'daughter for standing': 226841, 'for standing too': 325866, 'close to her': 182899, 'to her child': 907694, 'her child hey': 391931, 'child hey how': 176105, 'hey how about': 394420, 'how about you': 407315, 'about you keep': 26976, 'you keep your': 1019454, 'keep your kid': 472274, 'your kid at': 1024552, 'at home lady': 99027, 'home lady this': 401512, 'lady this covid': 478840, 'covid 19 shit': 213785, '19 shit ha': 10462, 'shit ha made': 759123, 'ha made people': 371214, 'made people asshole': 507911, 'people asshole stupid': 647164, 'asshole stupid and': 96567, 'stupid and just': 815339, 'and just plain': 65712, 'just plain vile': 469455, 'myth germ': 551046, 'germ and': 346086, 'sanitizer thing': 735885, 'you ought': 1020245, 'about cbc': 24943, 'news germ': 560468, 'germ sanitizer': 346146, 'sanitizer washyourhands': 736034, 'myth germ and': 551047, 'germ and soap': 346089, 'and soap sanitizer': 71871, 'soap sanitizer thing': 779113, 'sanitizer thing you': 735886, 'thing you ought': 885039, 'you ought to': 1020246, 'ought to know': 621945, 'know about cbc': 476209, 'about cbc news': 24944, 'cbc news germ': 168281, 'news germ sanitizer': 560469, 'germ sanitizer washyourhands': 346147, 'employed can': 273473, 'coronavirus coronaoutbreak': 205702, 'coronaoutbreak selfemployed': 205131, 'selfemployed freelancer': 747949, 'self employed can': 747624, 'employed can get': 273474, 'can get sick': 158450, 'get sick pay': 348001, 'sick pay for': 768570, 'pay for coronavirus': 644871, 'for coronavirus coronaoutbreak': 320378, 'coronavirus coronaoutbreak selfemployed': 205704, 'coronaoutbreak selfemployed freelancer': 205132, 'rbc': 698064, 'deadbodies': 229195, 'despicable rbc': 238642, 'rbc using': 698070, 'to seize': 914114, 'seize large': 747428, 'large portfolio': 479748, 'portfolio of': 664998, 'of asset': 580398, 'asset at': 96415, 'york real': 1016653, 'estate investment': 282136, 'investment trust': 444078, 'trust claim': 934250, 'claim what': 179865, 'next profiting': 561521, 'from all': 334431, 'the deadbodies': 852936, 'deadbodies rbc': 229196, 'rbc canada': 698065, 'despicable rbc using': 238643, 'rbc using the': 698071, 'using the coronavirus': 950695, 'coronavirus pandemic to': 206498, 'pandemic to seize': 636792, 'to seize large': 914116, 'seize large portfolio': 747429, 'large portfolio of': 479749, 'portfolio of asset': 664999, 'of asset at': 580399, 'asset at rock': 96419, 'bottom price new': 136438, 'price new york': 675330, 'new york real': 559946, 'york real estate': 1016654, 'real estate investment': 701152, 'estate investment trust': 282137, 'investment trust claim': 444079, 'trust claim what': 934251, 'claim what next': 179866, 'what next profiting': 981933, 'next profiting from': 561522, 'profiting from all': 683117, 'from all the': 334440, 'all the deadbodies': 44713, 'the deadbodies rbc': 852937, 'deadbodies rbc canada': 229197, 'hug': 409946, 'banana': 109301, 'hug to': 409960, 'mom pop': 535787, 'pop shop': 664456, 'shop on': 760540, 'on college': 599967, 'college street': 186647, 'street that': 813138, 'had banana': 372875, 'banana my': 109314, 'neighbor who': 557092, 'doesn understand': 251983, 'why grocery': 991026, 'empty is': 274922, 'happy that': 377685, 'her cereal': 391925, 'cereal now': 169934, 'now taste': 575966, 'taste the': 834796, 'hug to mom': 409961, 'to mom pop': 910222, 'mom pop shop': 535788, 'pop shop on': 664457, 'shop on college': 760544, 'on college street': 599969, 'college street that': 186648, 'street that had': 813139, 'that had banana': 844148, 'had banana my': 372876, 'banana my elderly': 109315, 'my elderly neighbor': 548073, 'elderly neighbor who': 270775, 'neighbor who doesn': 557094, 'who doesn understand': 988641, 'doesn understand why': 251989, 'understand why grocery': 940817, 'why grocery store': 991027, 'are empty is': 86153, 'empty is so': 274923, 'is so happy': 452012, 'so happy that': 777244, 'happy that her': 377687, 'that her cereal': 844318, 'her cereal now': 391926, 'cereal now taste': 169935, 'now taste the': 575967, 'taste the same': 834797, 'sudanese': 816974, 'residing': 714449, 'should prepare': 766328, 'prepare guideline': 670094, 'for sudanese': 325978, 'sudanese middle': 816975, 'class residing': 180247, 'residing in': 714452, 'in urban': 430468, 'urban centre': 948101, 'in preparation': 426925, 'long lockdown': 501520, 'lockdown noticed': 499698, 'noticed many': 573453, 'many friend': 514086, 'friend didn': 333573, 'didn actually': 240969, 'actually prepare': 30919, 'prepare well': 670149, 'out often': 626889, 'often to': 596288, 'should prepare guideline': 766330, 'prepare guideline for': 670095, 'guideline for sudanese': 368428, 'for sudanese middle': 325979, 'sudanese middle class': 816976, 'middle class residing': 530639, 'class residing in': 180248, 'residing in urban': 714454, 'in urban centre': 430471, 'urban centre on': 948102, 'centre on how': 169529, 'how to stock': 409092, 'food in preparation': 314963, 'in preparation for': 426926, 'preparation for long': 670035, 'for long lockdown': 323080, 'long lockdown noticed': 501521, 'lockdown noticed many': 499699, 'noticed many friend': 573454, 'many friend didn': 514087, 'friend didn actually': 333574, 'didn actually prepare': 240970, 'actually prepare well': 30920, 'prepare well for': 670150, 'well for the': 978249, 'for the lockdown': 326537, 'the lockdown and': 859588, 'lockdown and they': 499155, 'and they still': 73941, 'they still go': 883463, 'still go out': 800577, 'go out often': 353969, 'out often to': 626891, 'often to get': 596290, 'get food item': 347049, 'so are': 776540, 'we feeling': 971541, 'it ethical': 457852, 'ethical to': 283089, 'to still': 915404, 'do stuff': 250184, 'like order': 490937, 'order delivery': 618165, 'delivery food': 234006, 'shopping etc': 762579, 'etc ship': 282744, 'ship isolation': 758688, 'isolation care': 455234, 'package to': 633426, 'to loved': 909475, 'one etc': 606245, 'so are we': 776545, 'are we feeling': 91567, 'we feeling like': 971542, 'feeling like it': 303011, 'like it ethical': 490532, 'it ethical to': 457853, 'ethical to still': 283091, 'to still do': 915409, 'still do stuff': 800437, 'do stuff like': 250185, 'stuff like order': 815121, 'like order delivery': 490938, 'order delivery food': 618166, 'delivery food online': 234008, 'food online shopping': 315624, 'online shopping etc': 609112, 'shopping etc ship': 762584, 'etc ship isolation': 282745, 'ship isolation care': 758689, 'isolation care package': 455235, 'care package to': 164138, 'package to loved': 633432, 'to loved one': 909476, 'loved one etc': 504911, 'suisse': 817743, '2400': 15715, 'crony': 218862, 'news credit': 560355, 'credit suisse': 216518, 'suisse upgrade': 817747, 'upgrade stock': 947533, 'stock target': 802909, 'target to': 834518, 'to 2400': 899627, '2400 while': 15716, 'your soap': 1025845, 'soap when': 779175, 'facing covid': 295431, 'outbreak keep': 628402, 'mind the': 532739, 'same consumer': 733004, 'product throughout': 681735, 'year crony': 1014500, 'crony capitalism': 218863, 'news credit suisse': 560356, 'credit suisse upgrade': 216520, 'suisse upgrade stock': 817748, 'upgrade stock target': 947534, 'stock target to': 802910, 'target to 2400': 834519, 'to 2400 while': 899628, '2400 while you': 15717, 'while you raise': 987590, 'you raise price': 1020540, 'raise price on': 695923, 'price on essential': 675671, 'on essential commodity': 600582, 'commodity like your': 189213, 'like your soap': 491894, 'your soap when': 1025848, 'soap when the': 779176, 'when the country': 984136, 'the country is': 852103, 'country is facing': 210800, 'is facing covid': 447690, 'facing covid 19': 295432, '19 outbreak keep': 9147, 'outbreak keep in': 628404, 'in mind the': 425343, 'mind the same': 532744, 'the same consumer': 866210, 'same consumer buy': 733005, 'consumer buy your': 196696, 'buy your product': 149498, 'your product throughout': 1025446, 'product throughout the': 681736, 'throughout the year': 894990, 'the year crony': 872152, 'year crony capitalism': 1014501, 'your rent': 1025562, 'the california': 850277, 'california attorney': 155464, 'general just': 345391, 'just issued': 469080, 'issued guidance': 456065, 'can pay your': 159208, 'pay your rent': 645256, 'your rent the': 1025565, 'rent the california': 711186, 'the california attorney': 850278, 'california attorney general': 155465, 'attorney general just': 102650, 'general just issued': 345392, 'just issued guidance': 469082, 'issued guidance on': 456066, 'guidance on what': 368268, 'on what to': 605248, 'palm': 634600, 'diner': 242978, 'maralagovirus': 515033, 'breadline': 138659, 'recession bread': 704221, 'bread line': 138514, 'line are': 492961, 'are forming': 86662, 'forming in': 329676, 'in mar': 425067, 'lago shadow': 478913, 'shadow in': 754343, 'in palm': 426451, 'palm beach': 634601, 'beach diner': 118198, 'diner race': 242988, 'race to': 695203, 'feed laid': 302331, 'worker food': 1006957, 'pantry see': 639658, 'term need': 838209, 'need maralagovirus': 555201, 'maralagovirus breadline': 515034, 'the recession bread': 865335, 'recession bread line': 704222, 'bread line are': 138515, 'line are forming': 492965, 'are forming in': 86663, 'forming in mar': 329677, 'in mar lago': 425069, 'mar lago shadow': 515019, 'lago shadow in': 478914, 'shadow in palm': 754344, 'in palm beach': 426452, 'palm beach diner': 634602, 'beach diner race': 118199, 'diner race to': 242989, 'race to feed': 695205, 'to feed laid': 905725, 'feed laid off': 302332, 'off worker food': 594422, 'worker food bank': 1006958, 'bank and pantry': 109621, 'and pantry see': 68686, 'pantry see surge': 639659, 'in demand and': 422105, 'demand and long': 234981, 'long term need': 501699, 'term need maralagovirus': 838210, 'need maralagovirus breadline': 555202, 'positioned': 665211, 'pension fund': 646656, 'fund are': 341364, 'facing sharp': 295588, 'sharp fall': 755685, 'in share': 427861, 'high level': 395154, 'of member': 586427, 'member switching': 528202, 'cash option': 166290, 'option the': 614105, 'worsens but': 1011111, 'but rather': 146883, 'panic most': 638335, 'most australian': 542127, 'australian pension': 103519, 'fund appear': 341362, 'appear well': 82130, 'well positioned': 978492, 'positioned to': 665220, 'to weather': 918453, 'current turmoil': 221412, 'pension fund are': 646658, 'fund are facing': 341366, 'are facing sharp': 86431, 'facing sharp fall': 295589, 'sharp fall in': 755686, 'fall in share': 296965, 'in share price': 427862, 'share price and': 755159, 'price and high': 672433, 'and high level': 64554, 'high level of': 395157, 'level of member': 487647, 'of member switching': 586430, 'member switching to': 528203, 'switching to cash': 830576, 'to cash option': 902480, 'cash option the': 166291, 'option the pandemic': 614106, 'pandemic worsens but': 637061, 'worsens but rather': 1011112, 'but rather than': 146887, 'rather than panic': 697538, 'than panic most': 841017, 'panic most australian': 638336, 'most australian pension': 542128, 'australian pension fund': 103520, 'pension fund appear': 646657, 'fund appear well': 341363, 'appear well positioned': 82131, 'well positioned to': 978495, 'positioned to weather': 665223, 'to weather the': 918456, 'weather the current': 974899, 'the current turmoil': 852673, 'teepee': 836574, 'it 00pm': 456164, 'sunday night': 818242, 'dilemma don': 242850, 'you purchased': 1020497, 'purchased enough': 689768, 'to teepee': 916328, 'teepee the': 836577, 'it 00pm on': 456165, '00pm on sunday': 697, 'on sunday night': 603767, 'sunday night and': 818243, 'night and you': 562955, 'and you walk': 76055, 'walk into this': 964823, 'into this dilemma': 443213, 'this dilemma don': 887235, 'dilemma don panic': 242851, 'don panic you': 253819, 'panic you purchased': 638817, 'you purchased enough': 1020498, 'purchased enough toilet': 689769, 'paper to teepee': 640926, 'to teepee the': 916329, 'teepee the white': 836578, 'powerball': 667743, 'jackpot': 464193, 'prize': 679067, 'payouts': 645797, 'drawing': 258501, 'the powerball': 864160, 'powerball lottery': 667746, 'lottery jackpot': 504456, 'jackpot will': 464200, 'be cut': 114317, 'cut following': 223335, 'next lucky': 561435, 'lucky winner': 506586, 'winner the': 996046, 'ha adjusted': 369451, 'adjusted it': 32323, 'it normal': 459842, 'normal social': 567323, 'social and': 779429, 'behavior with': 124315, '19 powerball': 9765, 'powerball is': 667744, 'is adjusting': 445358, 'adjusting it': 32347, 'it prize': 460481, 'prize payouts': 679080, 'payouts making': 645800, 'next lottery': 561433, 'lottery drawing': 504449, 'drawing smaller': 258526, 'the powerball lottery': 864161, 'powerball lottery jackpot': 667747, 'lottery jackpot will': 504457, 'jackpot will be': 464201, 'will be cut': 992415, 'be cut following': 114319, 'cut following the': 223337, 'following the next': 312896, 'the next lucky': 861677, 'next lucky winner': 561436, 'lucky winner the': 506587, 'winner the country': 996047, 'country ha adjusted': 210706, 'ha adjusted it': 369452, 'adjusted it normal': 32324, 'it normal social': 459844, 'normal social and': 567324, 'social and consumer': 779430, 'and consumer behavior': 60352, 'consumer behavior with': 196539, 'behavior with the': 124318, 'covid 19 powerball': 213599, '19 powerball is': 9766, 'powerball is adjusting': 667745, 'is adjusting it': 445359, 'adjusting it prize': 32348, 'it prize payouts': 460482, 'prize payouts making': 679081, 'payouts making the': 645801, 'making the next': 511422, 'the next lottery': 861676, 'next lottery drawing': 561434, 'lottery drawing smaller': 504450, 'economist amp': 267517, 'amp elected': 53704, 'elected leader': 270994, 'leader agree': 483413, 'agree that': 38643, 'cause economic': 167545, 'activity to': 30512, 'slow which': 774413, 'which likely': 986112, 'likely impact': 492025, 'likely face': 491995, 'face decline': 294387, 'spring early': 791199, 'early summer': 264710, 'summer with': 818024, 'with recovery': 1000426, 'recovery in': 705343, '2nd half': 16774, 'economist amp elected': 267518, 'amp elected leader': 53705, 'elected leader agree': 270995, 'leader agree that': 483414, 'agree that the': 38646, 'that the 19': 846654, 'pandemic will cause': 637001, 'will cause economic': 992888, 'cause economic activity': 167546, 'economic activity to': 266964, 'activity to slow': 30516, 'to slow which': 914745, 'slow which likely': 774414, 'which likely impact': 986113, 'likely impact the': 492027, 'impact the housing': 417997, 'the housing market': 857662, 'housing market price': 407108, 'market price will': 516906, 'price will likely': 677574, 'will likely face': 993999, 'likely face decline': 491996, 'face decline in': 294388, 'decline in the': 231369, 'in the spring': 429567, 'the spring early': 867656, 'spring early summer': 791200, 'early summer with': 264711, 'summer with recovery': 818025, 'with recovery in': 1000427, 'recovery in the': 705349, 'in the 2nd': 428954, 'the 2nd half': 848075, '2nd half of': 16775, 'half of the': 374235, 'wisconsinpandemicvoting': 996645, 'personally': 653021, 'naww': 553168, 'shameful there': 754707, 'there making': 878745, 'making people': 511274, 'people vote': 650097, 'vote today': 960516, 'in wisconsinpandemicvoting': 430934, 'wisconsinpandemicvoting personally': 996646, 'personally wouldn': 653060, 'wouldn go': 1012468, 'go they': 354231, 'said do': 731043, 'store wtf': 811652, 'wtf would': 1013342, 'go vote': 354469, 'vote do': 960477, 'have mask': 381438, 'glove hell': 352716, 'hell naww': 389036, 'naww and': 553169, 'who cleaning': 988461, 'cleaning that': 181098, 'that voting': 847262, 'voting machine': 960613, 'shameful there making': 754708, 'there making people': 878746, 'making people vote': 511278, 'people vote today': 650098, 'vote today in': 960517, 'today in wisconsinpandemicvoting': 919702, 'in wisconsinpandemicvoting personally': 430935, 'wisconsinpandemicvoting personally wouldn': 996647, 'personally wouldn go': 653061, 'wouldn go they': 1012470, 'go they just': 354232, 'they just said': 882503, 'just said do': 469665, 'said do not': 731044, 'even go to': 284128, 'grocery store wtf': 365976, 'store wtf would': 811654, 'wtf would go': 1013343, 'would go vote': 1011848, 'go vote do': 354471, 'vote do not': 960478, 'not even have': 569254, 'even have mask': 284170, 'have mask or': 381443, 'or glove hell': 615473, 'glove hell naww': 352717, 'hell naww and': 389037, 'naww and who': 553170, 'and who cleaning': 75584, 'who cleaning that': 988462, 'cleaning that voting': 181099, 'that voting machine': 847263, 'pumping': 689120, 'start pumping': 794443, 'pumping out': 689130, 'out member': 626548, 'member mark': 528126, 'mark disinfectant': 515779, 'disinfectant wipe': 245807, 'bulk like': 142318, 'they quickly': 882968, 'quickly did': 694510, 'when are we': 983172, 'going to start': 355718, 'to start pumping': 915213, 'start pumping out': 794444, 'pumping out member': 689133, 'out member mark': 626549, 'member mark disinfectant': 528127, 'mark disinfectant wipe': 515780, 'disinfectant wipe and': 245808, 'sanitizer in bulk': 735131, 'in bulk like': 421041, 'bulk like they': 142319, 'like they quickly': 491454, 'they quickly did': 882969, 'quickly did with': 694511, 'did with toilet': 240911, 'paper the people': 640878, 'the people need': 863492, 'guy this': 369183, 'this toiletpaper': 890794, 'toiletpaper obsession': 922275, 'obsession is': 578681, 'hand quarantinelife': 375189, 'quarantinelife quarantineactivities': 692992, 'guy this toiletpaper': 369184, 'this toiletpaper obsession': 890795, 'toiletpaper obsession is': 922276, 'obsession is getting': 578682, 'of hand quarantinelife': 584429, 'hand quarantinelife quarantineactivities': 375190, 'yummy': 1027096, 'dana': 225549, 'trainer': 929311, 'so grateful': 777200, 'only wa': 611422, 'get yummy': 348753, 'yummy meal': 1027103, 'meal for': 524145, 'for team': 326161, 'team dana': 835619, 'dana the': 225556, 'the trainer': 869886, 'trainer covid': 929312, '19 strategy': 10901, 'strategy meeting': 812681, 'meeting wa': 527788, 'wa also': 961500, 'also able': 47803, 'get egg': 346929, 'egg seriously': 269977, 'seriously we': 751775, 'no egg': 564087, 'egg their': 270003, 'their pantry': 874238, 'pantry store': 639676, 'is wonderful': 454024, 'wonderful idea': 1004087, 'so grateful to': 777202, 'grateful to today': 362331, 'to today not': 917611, 'today not only': 919945, 'not only wa': 570838, 'only wa able': 611423, 'to get yummy': 906651, 'get yummy meal': 348754, 'yummy meal for': 1027104, 'meal for team': 524157, 'for team dana': 326162, 'team dana the': 835620, 'dana the trainer': 225557, 'the trainer covid': 869887, 'trainer covid 19': 929313, 'covid 19 strategy': 213876, '19 strategy meeting': 10904, 'strategy meeting wa': 812683, 'meeting wa also': 527789, 'wa also able': 961501, 'also able to': 47804, 'to get egg': 906467, 'get egg seriously': 346931, 'egg seriously we': 269979, 'seriously we had': 751777, 'we had been': 971702, 'had been to': 372915, 'been to grocery': 122217, 'grocery store no': 365593, 'store no egg': 809074, 'no egg their': 564094, 'egg their pantry': 270004, 'their pantry store': 874243, 'pantry store is': 639677, 'store is wonderful': 808547, 'is wonderful idea': 454025, 'reminded': 710520, 'colloidal': 186666, 'who emptied': 988691, 'shelf please': 757414, 'the christmas': 850884, 'christmas tree': 178207, 'tree well': 931204, 'well nobody': 978423, 'nobody know': 566029, 'long crisis': 501381, 'safety reason': 730710, 'reason buy': 702883, 'buy silver': 149175, 'silver one': 769839, 'one this': 607247, 'year you': 1015127, 'be reminded': 116784, 'reminded of': 710529, 'of colloidal': 581536, 'colloidal silver': 186667, 'silver water': 769870, 'people who emptied': 650295, 'who emptied the': 988693, 'emptied the supermarket': 274703, 'supermarket shelf please': 822511, 'shelf please do': 757415, 'forget to buy': 329317, 'buy the christmas': 149286, 'the christmas tree': 850885, 'christmas tree well': 178208, 'tree well nobody': 931205, 'well nobody know': 978424, 'nobody know how': 566030, 'how long crisis': 408197, 'long crisis will': 501382, 'crisis will last': 218415, 'will last for': 993942, 'last for for': 480227, 'for for safety': 321671, 'for safety reason': 325304, 'safety reason buy': 730712, 'reason buy silver': 702884, 'buy silver one': 149176, 'silver one this': 769840, 'one this year': 607249, 'this year you': 891606, 'year you ll': 1015128, 'll be reminded': 496618, 'be reminded of': 116785, 'reminded of colloidal': 710530, 'of colloidal silver': 581537, 'colloidal silver water': 186671, 'takeyourselfhome': 833230, 're saying': 699426, 'saying we': 739750, 'we finally': 971554, 'finally have': 306037, 'have gasoline': 380753, 'cent again': 169031, 'again but': 36929, 'go no': 353853, 'where takeyourselfhome': 985201, 'so you re': 778849, 'you re saying': 1020733, 're saying we': 699430, 'saying we finally': 739752, 'we finally have': 971557, 'finally have gasoline': 306038, 'have gasoline price': 380754, 'gasoline price down': 344256, 'price down to': 673531, 'down to 99': 257359, '99 cent again': 23790, 'cent again but': 169032, 'again but we': 36934, 'but we cannot': 147741, 'cannot go no': 161927, 'go no where': 353854, 'no where takeyourselfhome': 565887, 'other news': 620579, 'news my': 560622, 'ha gotten': 370749, 'gotten out': 359157, 'in other news': 426247, 'other news my': 620581, 'news my online': 560625, 'online shopping ha': 609138, 'shopping ha gotten': 762826, 'ha gotten out': 370752, 'gotten out of': 359158, 'subhanhu': 815723, 'wataalah': 968338, 'pls that': 661194, 'that time': 847038, 'time not': 897286, 'not create': 568920, 'panic also': 637275, 'also number': 48587, 'people suffering': 649692, 'suffering fear': 817299, 'down jobless': 256903, 'jobless food': 466340, 'shortage it': 765040, 'very critical': 955088, 'critical condition': 218529, 'condition may': 193482, 'allah subhanhu': 45609, 'subhanhu wataalah': 815724, 'wataalah blessing': 968339, 'pls that time': 661195, 'that time not': 847047, 'time not create': 897288, 'not create panic': 568922, 'create panic also': 215715, 'panic also number': 637276, 'also number of': 48588, 'of people suffering': 587994, 'people suffering fear': 649693, 'suffering fear of': 817300, 'fear of covid': 301226, 'lock down jobless': 499038, 'down jobless food': 256904, 'jobless food shortage': 466341, 'food shortage it': 316586, 'shortage it very': 765047, 'it very critical': 462026, 'very critical condition': 955089, 'critical condition may': 218531, 'condition may allah': 193483, 'may allah subhanhu': 520905, 'allah subhanhu wataalah': 45610, 'subhanhu wataalah blessing': 815725, 'calme': 156840, 'been self': 121905, 'week now': 976586, 'wife do': 991912, 'want her': 965810, 'catching standing': 167107, 'queue due': 693908, 'buying when': 151347, 'have run': 382369, 'food hopefully': 314842, 'hopefully matter': 403866, 'matter will': 520662, 'have calme': 379875, 'have been self': 379673, 'been self isolating': 121907, 'isolating for two': 455098, 'for two week': 327396, 'two week now': 937344, 'week now have': 976589, 'now have told': 574885, 'have told my': 383364, 'told my wife': 923640, 'my wife do': 550585, 'wife do not': 991913, 'not want her': 572438, 'want her to': 965812, 'her to go': 392462, 'go shopping and': 354105, 'shopping and risk': 762014, 'and risk catching': 70553, 'risk catching standing': 723453, 'catching standing in': 167108, 'standing in queue': 793779, 'in queue due': 427221, 'queue due to': 693909, 'to people panic': 911635, 'panic buying when': 637961, 'buying when we': 151350, 'when we have': 984448, 'we have run': 971929, 'have run out': 382371, 'of food hopefully': 583711, 'food hopefully matter': 314843, 'hopefully matter will': 403867, 'matter will have': 520663, 'will have calme': 993619, 'downward': 257827, 'ques': 693469, 'italy ha': 462836, 'ha experienced': 370553, 'experienced run': 291596, 'on pasta': 602707, 'pasta we': 643849, 'in downward': 422383, 'downward spiral': 257835, 'spiral however': 789428, 'it requires': 460724, 'requires intervention': 713468, 'intervention police': 442195, 'police in': 663061, 'supermarket reminding': 822201, 'reminding of': 710633, 'distance and': 246631, 'calm sensible': 156794, 'sensible decision': 750637, 'decision the': 231094, 'answer police': 78092, 'it supermarket': 461356, 'supermarket ques': 822110, 'italy ha experienced': 462838, 'ha experienced run': 370557, 'experienced run on': 291597, 'run on pasta': 727737, 'on pasta we': 602710, 'pasta we are': 643850, 'are in downward': 87378, 'in downward spiral': 422384, 'downward spiral however': 257838, 'spiral however it': 789429, 'however it requires': 409405, 'it requires intervention': 460726, 'requires intervention police': 713469, 'intervention police in': 442196, 'police in supermarket': 663066, 'in supermarket reminding': 428656, 'supermarket reminding of': 822202, 'reminding of social': 710634, 'of social distance': 589837, 'social distance and': 779496, 'distance and calm': 246633, 'and calm sensible': 59436, 'calm sensible decision': 156795, 'sensible decision the': 750638, 'decision the answer': 231095, 'the answer police': 848773, 'answer police it': 78093, 'police it supermarket': 663076, 'it supermarket ques': 461364, 'schnuck': 741644, 'reopening': 711383, 'rt news': 726784, 'news schnuck': 560772, 'schnuck market': 741645, 'market not': 516763, 'not reopening': 571310, 'reopening store': 711398, 'store shut': 810179, 'shut amid': 767781, 'rt news schnuck': 726786, 'news schnuck market': 560773, 'schnuck market not': 741647, 'market not reopening': 516764, 'not reopening store': 571311, 'reopening store shut': 711399, 'store shut amid': 810180, 'shut amid covid': 767782, 'way arrow': 969475, 'arrow at': 94038, 'store need': 809048, 'people not following': 648867, 'following the aisle': 312872, 'one way arrow': 607367, 'way arrow at': 969476, 'arrow at the': 94039, 'grocery store need': 365586, 'store need to': 809050, 'need to die': 555903, 'to die from': 904272, 'butte': 148118, 'mix': 534579, 'liquid': 494074, 'bare panic': 110935, 'isolation but': 455222, 'but butte': 145327, 'butte is': 148119, 'make from': 509924, 'from double': 335198, 'double cream': 255992, 'cream mix': 215565, 'mix it': 534600, 'it beyond': 456866, 'beyond cream': 129153, 'it until': 461945, 'until it': 943744, 'it split': 461196, 'split you': 789668, 'get solid': 348035, 'and liquid': 66208, 'liquid strain': 494108, 'strain the': 812300, 'the butter': 850214, 'are bare panic': 84775, 'bare panic buying': 110936, 'buying for 19': 150350, 'for 19 isolation': 318709, '19 isolation but': 8106, 'isolation but butte': 455223, 'but butte is': 145328, 'butte is quite': 148120, 'quite simple to': 694917, 'to make from': 909666, 'make from double': 509926, 'from double cream': 335199, 'double cream mix': 255993, 'cream mix it': 215566, 'mix it beyond': 534601, 'it beyond cream': 456867, 'beyond cream mix': 129154, 'mix it until': 534602, 'it until it': 461947, 'until it split': 943751, 'it split you': 461197, 'split you get': 789669, 'you get solid': 1018793, 'get solid and': 348036, 'solid and liquid': 781905, 'and liquid strain': 66210, 'liquid strain the': 494109, 'strain the butter': 812301, 'somber': 782226, 'spacing': 787222, 'week start': 976909, 'start off': 794417, 'on somber': 603551, 'somber note': 782229, 'of mitigating': 586586, 'mitigating covid19': 534548, 'covid19 ha': 214304, 'ha fully': 370691, 'fully hit': 341055, 'processing sector': 680039, 'sector this': 744356, 'is combination': 446645, 'combination effect': 187096, 'of taking': 590580, 'taking spacing': 833574, 'spacing precaution': 787229, 'precaution on': 669339, 'for employee': 321030, 'employee safety': 274172, 'and result': 70417, 'current demand': 221169, 'demand plane': 236033, 'this week start': 891269, 'week start off': 976910, 'start off on': 794418, 'off on somber': 594022, 'on somber note': 603552, 'somber note the': 782230, 'note the reality': 572825, 'reality of mitigating': 701774, 'of mitigating covid19': 586587, 'mitigating covid19 ha': 534549, 'covid19 ha fully': 214307, 'ha fully hit': 370693, 'fully hit the': 341056, 'hit the processing': 398441, 'the processing sector': 864558, 'processing sector this': 680040, 'sector this is': 744357, 'this is combination': 888210, 'is combination effect': 446646, 'combination effect of': 187097, 'effect of taking': 269064, 'of taking spacing': 590583, 'taking spacing precaution': 833575, 'spacing precaution on': 787230, 'precaution on the': 669340, 'line for employee': 493101, 'for employee safety': 321034, 'employee safety and': 274173, 'safety and result': 730462, 'and result of': 70418, 'the current demand': 852624, 'current demand plane': 221172, 'diminished': 242938, 'fringe': 334079, 'homeless shelter': 402784, 'shelter have': 757924, 'reduced capacity': 706039, 'capacity or': 162555, 'or closed': 614751, 'door altogether': 255498, 'altogether while': 49393, 'while access': 986562, 'ha quickly': 371616, 'quickly diminished': 694512, 'diminished demand': 242939, 'demand at': 235036, 'ha skyrocketed': 371952, '19 pushing': 9887, 'pushing those': 690457, 'those without': 892731, 'without home': 1002723, 'home further': 401286, 'further toward': 342195, 'toward the': 927154, 'the fringe': 855826, 'fringe of': 334080, 'of society': 589868, 'homeless shelter have': 402786, 'shelter have reduced': 757925, 'have reduced capacity': 382227, 'reduced capacity or': 706040, 'capacity or closed': 162556, 'or closed their': 614753, 'closed their door': 183375, 'their door altogether': 873064, 'door altogether while': 255499, 'altogether while access': 49394, 'while access to': 986563, 'to food ha': 906080, 'food ha quickly': 314750, 'ha quickly diminished': 371618, 'quickly diminished demand': 694513, 'diminished demand at': 242940, 'demand at food': 235038, 'bank ha skyrocketed': 109889, 'ha skyrocketed due': 371956, 'covid 19 pushing': 213635, '19 pushing those': 9888, 'pushing those without': 690458, 'those without home': 892734, 'without home further': 1002724, 'home further toward': 401287, 'further toward the': 342196, 'toward the fringe': 927157, 'the fringe of': 855827, 'fringe of society': 334081, 'of society and': 589869, 'society and economy': 781154, '2424': 15731, '724244': 22031, 'nssf': 576682, 'lebanon': 485183, 'citizen to': 178983, 'any violation': 80021, 'violation to': 957527, 'security law': 744664, 'it regulation': 460685, 'current health': 221222, 'health situation': 386850, 'situation hotline': 772309, 'hotline 2424': 405227, '2424 or': 15734, 'by whatsapp': 154725, 'whatsapp on': 982904, 'on 71': 599112, '71 724244': 21966, '724244 corona': 22032, 'corona nssf': 204075, 'nssf lebanon': 576683, 'lebanon health': 485187, 'citizen to report': 178987, 'to report any': 913265, 'report any violation': 711809, 'any violation to': 80023, 'violation to the': 957530, 'to the provision': 916989, 'of the social': 591475, 'social security law': 779946, 'security law and': 744665, 'law and it': 482207, 'and it regulation': 65578, 'it regulation amidst': 460686, 'regulation amidst the': 708047, 'amidst the current': 52824, 'the current health': 852639, 'current health situation': 221224, 'health situation hotline': 386851, 'situation hotline 2424': 772310, 'hotline 2424 or': 405228, '2424 or by': 15735, 'or by whatsapp': 614630, 'by whatsapp on': 154726, 'whatsapp on 71': 982905, 'on 71 724244': 599113, '71 724244 corona': 21967, '724244 corona nssf': 22033, 'corona nssf lebanon': 204076, 'nssf lebanon health': 576684, 'stacked': 791986, 'ceiling': 168757, 're one': 699191, 'ha garage': 370701, 'garage stacked': 343499, 'stacked to': 791991, 'the ceiling': 850583, 'ceiling with': 168766, 'with loo': 999310, 'roll perhaps': 725477, 'perhaps take': 651637, 'take yourself': 832833, 'yourself along': 1026511, 'along to': 47034, 'tomorrow am': 924015, 'am amp': 49881, 'amp see': 54454, 'are any': 84575, 'any elderly': 79166, 'an empty': 55718, 'shelf take': 757630, 'car and': 162990, 'give them': 350759, 'them half': 875814, 'dozen roll': 257914, 'you re one': 1020691, 're one of': 699192, 'of those people': 592110, 'those people who': 892333, 'people who ha': 650303, 'who ha garage': 988847, 'ha garage stacked': 370702, 'garage stacked to': 343500, 'stacked to the': 791992, 'to the ceiling': 916547, 'the ceiling with': 850584, 'ceiling with loo': 168769, 'with loo roll': 999311, 'loo roll perhaps': 502197, 'roll perhaps take': 725478, 'perhaps take yourself': 651638, 'take yourself along': 832834, 'yourself along to': 1026512, 'along to the': 47037, 'supermarket tomorrow am': 823496, 'tomorrow am amp': 924016, 'am amp see': 49882, 'amp see if': 54455, 'see if there': 745282, 'there are any': 878066, 'are any elderly': 84576, 'any elderly people': 79170, 'elderly people looking': 270829, 'at an empty': 97982, 'an empty shelf': 55724, 'empty shelf take': 275094, 'shelf take them': 757632, 'take them to': 832698, 'them to your': 876533, 'to your car': 918962, 'your car and': 1023125, 'car and give': 162992, 'and give them': 63668, 'give them half': 350768, 'them half dozen': 875815, 'half dozen roll': 374154, 'latest story': 481556, 'online clothing': 608021, 'clothing purchase': 184279, 'purchase are': 689354, 'increasing people': 433653, 'people discover': 647666, 'discover mysterious': 244659, 'white spot': 987905, 'spot forming': 790056, 'latest story online': 481558, 'story online clothing': 812095, 'online clothing purchase': 608022, 'clothing purchase are': 184280, 'purchase are increasing': 689356, 'are increasing people': 87489, 'increasing people discover': 433654, 'people discover mysterious': 647667, 'discover mysterious white': 244660, 'mysterious white spot': 550999, 'white spot forming': 987906, 'spot forming on': 790057, 'asking price': 96044, 'house in': 406352, 'canberra continue': 160816, 'rise despite': 722824, '19 emergency': 6749, 'emergency canberra': 272619, 'canberra experienced': 160820, 'experienced the': 291612, 'second largest': 743752, 'largest increase': 479967, 'in property': 427039, 'property listing': 684288, 'listing in': 494855, 'nation in': 552217, 'asking price for': 96045, 'price for house': 673979, 'for house in': 322406, 'house in canberra': 406353, 'in canberra continue': 421212, 'canberra continue to': 160817, 'continue to rise': 201246, 'to rise despite': 913561, 'rise despite the': 722827, 'despite the economic': 238878, 'covid 19 emergency': 213016, '19 emergency canberra': 6752, 'emergency canberra experienced': 272620, 'canberra experienced the': 160821, 'experienced the second': 291613, 'the second largest': 866583, 'second largest increase': 743753, 'largest increase in': 479968, 'increase in property': 432861, 'in property listing': 427040, 'property listing in': 684290, 'listing in the': 494856, 'the nation in': 861243, 'nation in march': 552220, 'seismic': 747419, 'cultural': 220267, 'etched': 282921, 'marker': 515876, 'piece with': 656385, 'with 11': 996938, '11 and': 2488, 'other seismic': 620883, 'seismic cultural': 747420, 'cultural event': 220272, '2020 will': 14720, 'be forever': 114919, 'forever etched': 329111, 'etched in': 282922, 'our collective': 622430, 'collective brain': 186491, 'brain marker': 137596, 'marker of': 515883, 'of change': 581269, 'check out new': 174561, 'out new piece': 626628, 'new piece with': 559277, 'piece with 11': 656386, 'with 11 and': 996939, '11 and other': 2491, 'and other seismic': 68401, 'other seismic cultural': 620884, 'seismic cultural event': 747421, 'cultural event the': 220273, 'event the covid': 285086, '19 pandemic of': 9412, 'of 2020 will': 579510, '2020 will be': 14721, 'will be forever': 992467, 'be forever etched': 114920, 'forever etched in': 329112, 'etched in our': 282923, 'in our collective': 426270, 'our collective brain': 622432, 'collective brain marker': 186492, 'brain marker of': 137597, 'marker of change': 515884, 'investigator': 443905, 'the leader': 859223, 'leader pray': 483513, 'worker pray': 1007624, 'the investigator': 858416, 'investigator pray': 443911, 'those affected': 891776, 'affected pray': 34413, 'other prayer': 620750, 'pray for the': 669005, 'for the leader': 326528, 'the leader pray': 859225, 'leader pray for': 483514, 'pray for healthcare': 669000, 'healthcare worker pray': 387377, 'worker pray for': 1007625, 'for the investigator': 326509, 'the investigator pray': 858417, 'investigator pray for': 443912, 'pray for grocery': 668999, 'store worker pray': 811563, 'pray for those': 669008, 'for those affected': 327098, 'those affected pray': 891781, 'affected pray for': 34414, 'pray for each': 668998, 'for each other': 320906, 'each other prayer': 264212, 'fizzle': 309885, 'street rally': 813079, 'rally fizzle': 696263, 'fizzle oil': 309886, 'price suddenly': 676694, 'suddenly plunge': 817120, 'wall street rally': 965189, 'street rally fizzle': 813080, 'rally fizzle oil': 696264, 'fizzle oil price': 309887, 'oil price suddenly': 597278, 'price suddenly plunge': 676695, 'berliner': 127357, 'lends': 486299, 'store close': 807046, 'quarantine due': 692163, 'are bracing': 85046, 'for drop': 320865, 'spending usa': 789037, 'usa david': 948618, 'david berliner': 226975, 'berliner lends': 127358, 'lends his': 486302, 'store close and': 807048, 'close and people': 182535, 'and people continue': 68855, 'continue to self': 201250, 'self quarantine due': 747854, 'quarantine due to': 692164, 'to the retailer': 917026, 'the retailer are': 865737, 'retailer are bracing': 718990, 'are bracing for': 85047, 'bracing for drop': 137501, 'for drop in': 320866, 'consumer spending usa': 199101, 'spending usa david': 789038, 'usa david berliner': 948619, 'david berliner lends': 226976, 'berliner lends his': 127359, 'lends his thought': 486303, 'his thought on': 397857, 'thought on the': 893165, 'on the matter': 604230, 'skincare': 773092, 'against germ': 37462, 'germ bacteria': 346100, 'bacteria and': 107657, 'our sanitizer': 624674, 'sanitizer keep': 735246, 'keep hand': 471563, 'and surface': 72873, 'surface clean': 827993, 'clean skincare': 180633, 'skincare stayhome': 773099, 'stayhome staysafe': 798161, 'staysafe stayhealthy': 798895, 'effective against germ': 269211, 'against germ bacteria': 37463, 'germ bacteria and': 346101, 'bacteria and virus': 107660, 'and virus our': 74978, 'virus our sanitizer': 958582, 'our sanitizer keep': 624675, 'sanitizer keep hand': 735248, 'keep hand and': 471564, 'hand and surface': 374782, 'and surface clean': 72874, 'surface clean skincare': 827995, 'clean skincare stayhome': 180634, 'skincare stayhome staysafe': 773100, 'stayhome staysafe stayhealthy': 798174, 'anki': 76754, 'vector': 953669, 'therapeutic': 877900, 'one revolution': 606965, 'revolution in': 720748, 'against ha': 37477, 'of robotics': 589146, 'robotics some': 724821, 'some cool': 782598, 'cool picture': 203034, 'picture here': 656132, 'and technical': 73067, 'technical detail': 836202, 'detail here': 239193, 'this thread': 890588, 'thread discus': 893539, 'discus possibility': 244893, 'possibility of': 665539, 'consumer robotics': 198838, 'robotics such': 724823, 'such anki': 816333, 'anki vector': 76755, 'vector in': 953672, 'in therapeutic': 429805, 'one revolution in': 606966, 'revolution in the': 720750, 'fight against ha': 304624, 'against ha been': 37478, 'been the use': 122172, 'use of robotics': 949424, 'of robotics some': 589147, 'robotics some cool': 724822, 'some cool picture': 782600, 'cool picture here': 203035, 'picture here and': 656133, 'here and technical': 392710, 'and technical detail': 73068, 'technical detail here': 836203, 'detail here this': 239196, 'here this thread': 393688, 'this thread discus': 890589, 'thread discus possibility': 893540, 'discus possibility of': 244894, 'possibility of consumer': 665543, 'of consumer robotics': 581769, 'consumer robotics such': 198839, 'robotics such anki': 724824, 'such anki vector': 816334, 'anki vector in': 76756, 'vector in therapeutic': 953673, 'vicky': 956449, 'ngyuen': 561859, 'qualified': 691701, 'justsayin': 470511, 'consumer reporter': 198738, 'reporter vicky': 712640, 'vicky ngyuen': 956450, 'ngyuen is': 561860, 'not qualified': 571180, 'qualified to': 691709, 'answer medical': 78079, 'medical question': 526354, 'question from': 693592, 'from facebook': 335379, 'facebook or': 294978, 'elsewhere regarding': 272027, 'regarding justsayin': 707231, 'consumer reporter vicky': 198739, 'reporter vicky ngyuen': 712641, 'vicky ngyuen is': 956451, 'ngyuen is not': 561861, 'is not qualified': 450166, 'not qualified to': 571181, 'qualified to answer': 691710, 'to answer medical': 900583, 'answer medical question': 78080, 'medical question from': 526355, 'question from facebook': 693594, 'from facebook or': 335380, 'facebook or elsewhere': 294980, 'or elsewhere regarding': 615140, 'elsewhere regarding justsayin': 272028, 'airy': 40167, 'heading into': 385942, 'into town': 443251, 'town or': 927529, 'or anywhere': 614385, 'anywhere because': 81091, 'others safer': 621628, 'safer by': 730349, 'keeping your': 472630, 'difficult in': 242236, 'town we': 927578, 'of airy': 579869, 'airy parking': 40168, 'parking this': 642124, 'wa midday': 962629, 'midday 19': 530605, 'are heading into': 87053, 'heading into town': 385946, 'into town or': 443252, 'town or anywhere': 927530, 'or anywhere because': 614386, 'anywhere because you': 81093, 'because you need': 119873, 'need to please': 556012, 'to please help': 911816, 'please help keep': 660073, 'help keep yourself': 389981, 'keep yourself and': 472293, 'and others safer': 68458, 'others safer by': 621629, 'safer by keeping': 730350, 'by keeping your': 152986, 'keeping your distance': 472632, 'your distance in': 1023535, 'distance in crowded': 246739, 'crowded supermarket that': 219361, 'supermarket that can': 823181, 'that can be': 843094, 'be difficult in': 114458, 'difficult in town': 242238, 'in town we': 430252, 'town we have': 927579, 'we have plenty': 971901, 'plenty of airy': 660938, 'of airy parking': 579870, 'airy parking this': 40169, 'parking this wa': 642126, 'this wa midday': 891076, 'wa midday 19': 962630, 'ignored': 415860, 'pitying': 657066, 'ourresponsibility': 625425, 'sberesponsible': 739803, 'announced this': 77090, 'afternoon social': 36711, 'distancing ha': 247186, 'been totally': 122250, 'totally ignored': 926350, 'ignored forgotten': 415872, 'forgotten left': 329446, 'for later': 322893, 'later pitying': 481108, 'pitying the': 657067, 'cashier right': 166594, 'now jordan': 575148, 'jordan ourresponsibility': 467294, 'ourresponsibility socialdistancing': 625426, 'socialdistancing curfew': 780305, 'curfew stayhome': 220929, 'stayhome let': 798031, 'let sberesponsible': 487027, 'sberesponsible corona': 739804, 'since the curfew': 770875, 'the curfew wa': 852597, 'curfew wa announced': 220949, 'wa announced this': 961546, 'announced this afternoon': 77091, 'this afternoon social': 886236, 'afternoon social distancing': 36712, 'social distancing ha': 779625, 'distancing ha been': 247187, 'ha been totally': 369960, 'been totally ignored': 122252, 'totally ignored forgotten': 926351, 'ignored forgotten left': 415873, 'forgotten left for': 329447, 'left for later': 485464, 'for later pitying': 322896, 'later pitying the': 481109, 'pitying the supermarket': 657068, 'the supermarket cashier': 868511, 'supermarket cashier right': 819567, 'cashier right now': 166595, 'right now jordan': 722092, 'now jordan ourresponsibility': 575149, 'jordan ourresponsibility socialdistancing': 467295, 'ourresponsibility socialdistancing curfew': 625427, 'socialdistancing curfew stayhome': 780306, 'curfew stayhome let': 220931, 'stayhome let sberesponsible': 798032, 'let sberesponsible corona': 487028, 'contemplating': 200767, 'today housing': 919669, 'index will': 434259, 'many investor': 514205, 'investor contemplating': 444142, 'contemplating just': 200770, 'what covid': 981276, '19 may': 8574, 'may mean': 521339, 'their property': 874498, 'property portfolio': 684319, 'portfolio responding': 665009, 'the index': 858111, 'index finding': 434193, 'finding spoke': 307539, 'spoke with': 789742, 'with explaining': 998339, 'how any': 407376, 'decline would': 231417, 'be temporary': 117542, 'today housing price': 919670, 'housing price index': 407135, 'price index will': 674815, 'index will have': 434260, 'will have many': 993649, 'have many investor': 381436, 'many investor contemplating': 514206, 'investor contemplating just': 444143, 'contemplating just what': 200771, 'just what covid': 470283, 'what covid 19': 981277, 'covid 19 may': 213410, '19 may mean': 8581, 'may mean for': 521340, 'mean for their': 524454, 'for their property': 326861, 'their property portfolio': 874499, 'property portfolio responding': 684320, 'portfolio responding to': 665010, 'to the index': 916806, 'the index finding': 858112, 'index finding spoke': 434194, 'finding spoke with': 307540, 'spoke with explaining': 789748, 'with explaining how': 998340, 'explaining how any': 292179, 'how any price': 407377, 'any price decline': 79680, 'price decline would': 673404, 'decline would be': 231418, 'would be temporary': 1011656, 'pritzker': 678772, 'illinois': 416275, 'governor pritzker': 360971, 'pritzker when': 678781, 'or when': 617781, 'pharmacy wearing': 654550, 'wearing something': 974786, 'to cover': 903646, 'face is': 294477, 'idea based': 413012, 'based upon': 111777, 'upon what': 947667, 'the science': 866497, 'science say': 742133, 'say illinois': 738791, 'governor pritzker when': 360974, 'pritzker when you': 678782, 'you go outside': 1018862, 'go outside or': 354018, 'outside or when': 629525, 'or when you': 617783, 'when you must': 984582, 'store pharmacy wearing': 809549, 'pharmacy wearing something': 654551, 'wearing something to': 974787, 'something to cover': 785098, 'to cover your': 903665, 'your face is': 1023748, 'face is good': 294478, 'good idea based': 357207, 'idea based upon': 413013, 'based upon what': 111778, 'upon what the': 947668, 'what the science': 982364, 'the science say': 866502, 'science say illinois': 742134, 'lgus': 487930, 'agriculture da': 38957, 'da is': 224223, 'is urging': 453600, 'urging consumer': 948415, 'government unit': 360757, 'unit lgus': 942069, 'lgus to': 487931, 'food enough': 314359, 'weekly requirement': 977538, 'requirement to': 713446, 'maintain balance': 508940, 'balance in': 108975, 'chain during': 170664, 'pandemic let': 635881, 'of agriculture da': 579846, 'agriculture da is': 38958, 'da is urging': 224224, 'is urging consumer': 453601, 'urging consumer and': 948416, 'consumer and local': 196221, 'and local government': 66294, 'local government unit': 498034, 'government unit lgus': 360758, 'unit lgus to': 942070, 'lgus to buy': 487932, 'buy food enough': 148644, 'food enough for': 314360, 'enough for their': 277441, 'for their weekly': 326883, 'their weekly requirement': 875178, 'weekly requirement to': 977539, 'requirement to maintain': 713448, 'to maintain balance': 909566, 'maintain balance in': 508941, 'balance in the': 108976, 'supply chain during': 824948, 'chain during the': 170668, '19 pandemic let': 9380, 'pandemic let not': 635883, 'daraz': 225920, 'adopting': 32698, 'staysafeshoponline': 798979, 'shopping platform': 763633, 'platform like': 658996, 'like daraz': 490093, 'daraz act': 225921, 'act responsible': 29759, 'responsible at': 716005, 'by adopting': 151757, 'adopting who': 32709, 'who covid': 988516, '19 guideline': 7314, 'guideline in': 368436, 'delivering their': 233551, 'their package': 874219, 'package staysafeshoponline': 633407, 'so glad to': 777173, 'glad to hear': 351525, 'hear that online': 387993, 'online shopping platform': 609226, 'shopping platform like': 763635, 'platform like daraz': 658999, 'like daraz act': 490094, 'daraz act responsible': 225922, 'act responsible at': 29760, 'responsible at this': 716006, 'time of need': 897348, 'of need by': 586904, 'need by adopting': 554582, 'by adopting who': 151759, 'adopting who covid': 32710, 'who covid 19': 988517, 'covid 19 guideline': 213175, '19 guideline in': 7315, 'guideline in delivering': 368437, 'in delivering their': 422090, 'delivering their package': 233552, 'their package staysafeshoponline': 874220, 'vuitton': 960784, 'combat france': 187013, 'france shortage': 331028, 'sanitizer due': 734795, 'the louis': 859759, 'louis vuitton': 504525, 'vuitton owner': 960793, 'owner is': 632480, 'stepping in': 799798, 'to combat france': 902997, 'combat france shortage': 187014, 'france shortage of': 331029, 'shortage of hand': 765115, 'hand sanitizer due': 375381, 'sanitizer due to': 734796, 'to the louis': 916859, 'the louis vuitton': 859760, 'louis vuitton owner': 504529, 'vuitton owner is': 960794, 'owner is stepping': 632484, 'is stepping in': 452256, 'commonly': 189493, 'today confirmed': 919398, 'confirmed package': 194178, 'of targeted': 590599, 'targeted temporary': 834551, 'measure initially': 525239, 'initially announced': 438565, 'announced last': 76982, 'week which': 977231, 'people facing': 647857, 'facing difficulty': 295443, 'difficulty due': 242375, 'most commonly': 542192, 'commonly used': 189494, 'used consumer': 949885, 'product including': 681302, 'including loan': 432039, 'loan credit': 497419, 'ha today confirmed': 372326, 'today confirmed package': 919399, 'confirmed package of': 194179, 'package of targeted': 633347, 'of targeted temporary': 590600, 'targeted temporary measure': 834552, 'temporary measure initially': 837665, 'measure initially announced': 525240, 'initially announced last': 438566, 'announced last week': 76983, 'last week which': 480693, 'week which aim': 977232, 'aim to help': 39552, 'help people facing': 390292, 'people facing difficulty': 647858, 'facing difficulty due': 295445, 'difficulty due to': 242376, '19 with some': 12143, 'with some of': 1000855, 'the most commonly': 860961, 'most commonly used': 542193, 'commonly used consumer': 189495, 'used consumer credit': 949886, 'credit product including': 216460, 'product including loan': 681306, 'including loan credit': 432041, 'dystopian': 263943, 'fandom': 298563, 'are acting': 84188, 'acting show': 29906, 'show we': 767267, 're quickly': 699344, 'quickly heading': 694541, 'heading towards': 385972, 'towards dystopian': 927188, 'dystopian nightmare': 263946, 'nightmare amp': 563169, 'amp shit': 54488, 'shit ain': 759048, 'ain even': 39612, 'to fandom': 905665, 'fandom yet': 298564, 'way people are': 969806, 'people are acting': 646916, 'are acting show': 84196, 'acting show we': 29907, 'show we re': 767270, 'we re quickly': 972943, 're quickly heading': 699345, 'quickly heading towards': 694542, 'heading towards dystopian': 385973, 'towards dystopian nightmare': 927189, 'dystopian nightmare amp': 263947, 'nightmare amp shit': 563170, 'amp shit ain': 54489, 'shit ain even': 759049, 'ain even close': 39613, 'close to fandom': 182893, 'to fandom yet': 905666, 'average american': 104803, 'like cheap': 489984, 'cheap oil': 174154, 'oil gasoline': 596833, 'price high': 674510, 'high when': 395516, 'when he': 983527, 'be focusing': 114889, 'focusing on': 311989, 'keeping alive': 472368, 'the average american': 849096, 'average american like': 104804, 'american like cheap': 52075, 'like cheap oil': 489985, 'cheap oil gasoline': 174158, 'oil gasoline price': 596834, 'gasoline price trump': 344269, 'price trump is': 677129, 'trump is working': 933663, 'keep the price': 472063, 'the price high': 864362, 'price high when': 674513, 'high when he': 395517, 'when he should': 983543, 'he should be': 385437, 'should be focusing': 765628, 'be focusing on': 114890, 'focusing on covid': 311991, '19 and keeping': 5054, 'and keeping alive': 65793, 'regardless': 707315, 'steven': 799968, 'giant oz': 349837, 'oz actually': 632720, 'actually cbd': 30757, 'cbd store': 168327, 'store regional': 809781, 'regional store': 707525, 'open on': 612407, 'public holiday': 688093, 'holiday work': 400390, 'only shut': 611138, 'shut one': 767913, 'day year': 228810, 'year regardless': 1014926, 'regardless steven': 707329, 'steven and': 799969, 'the liberal': 859317, 'liberal should': 488020, 'using panic': 950585, 'giant oz actually': 349838, 'oz actually cbd': 632721, 'actually cbd store': 30758, 'cbd store regional': 168328, 'store regional store': 809782, 'regional store and': 707526, 'store and independent': 806268, 'and independent grocer': 65144, 'independent grocer are': 434108, 'grocer are open': 364101, 'are open on': 88795, 'open on public': 612412, 'on public holiday': 603000, 'public holiday work': 688095, 'holiday work in': 400391, 'work in major': 1005323, 'in major supermarket': 424990, 'major supermarket that': 509501, 'supermarket that is': 823187, 'that is only': 844633, 'is only shut': 450548, 'only shut one': 611139, 'shut one day': 767914, 'one day year': 606170, 'day year regardless': 228811, 'year regardless steven': 1014927, 'regardless steven and': 707330, 'steven and the': 799970, 'and the liberal': 73447, 'the liberal should': 859319, 'liberal should not': 488021, 'not be using': 568480, 'be using panic': 117944, 'worried this': 1010594, 'week supermarket': 976947, 'increasingly afraid': 433753, 'after healthcare': 35769, 'provider no': 686757, 'no workforce': 565934, 'workforce ha': 1008363, 'proven more': 686174, 'more critical': 538923, 'critical during': 218548, 'pandemic than': 636639, 'employee usa': 274365, 'usa supermarket': 948755, 'supermarket newyork': 821599, 'worried this week': 1010595, 'this week supermarket': 891274, 'week supermarket worker': 976950, 'worker are increasingly': 1006400, 'are increasingly afraid': 87499, 'increasingly afraid to': 433754, 'to work due': 918711, 'to coronavirus after': 903538, 'coronavirus after healthcare': 205467, 'after healthcare provider': 35770, 'healthcare provider no': 387254, 'provider no workforce': 686758, 'no workforce ha': 565935, 'workforce ha proven': 1008364, 'ha proven more': 371565, 'proven more critical': 686175, 'more critical during': 538924, 'critical during the': 218549, 'the pandemic than': 863119, 'pandemic than supermarket': 636640, 'than supermarket employee': 841185, 'supermarket employee usa': 820146, 'employee usa supermarket': 274366, 'usa supermarket newyork': 948756, 'supermarketworkers': 824265, 'foodworkers': 318267, 'foodshopping': 318118, '2019 people': 13995, 'see member': 745412, 'the armed': 848899, 'force thank': 328507, 'service 2020': 752021, '2020 people': 14505, 'see supermarket': 745763, 'supermarket groceryworkers': 820592, 'groceryworkers supermarketworkers': 366409, 'supermarketworkers foodworkers': 824266, 'foodworkers foodshopping': 318268, 'foodshopping groceryshopping': 318124, '2019 people see': 13996, 'people see member': 649367, 'see member of': 745413, 'of the armed': 590801, 'the armed force': 848900, 'armed force thank': 92941, 'force thank you': 328508, 'your service 2020': 1025725, 'service 2020 people': 752022, '2020 people see': 14506, 'people see supermarket': 649369, 'see supermarket employee': 745766, 'supermarket employee thank': 820141, 'your service supermarket': 1025738, 'service supermarket groceryworkers': 752880, 'supermarket groceryworkers supermarketworkers': 820593, 'groceryworkers supermarketworkers foodworkers': 366410, 'supermarketworkers foodworkers foodshopping': 824267, 'foodworkers foodshopping groceryshopping': 318269, 'foodshopping groceryshopping grocery': 318125, 'need decrease': 554661, 'decrease your': 231614, 'price now': 675377, 'now rather': 575637, 'month later': 537816, 'later stayathome': 481117, 'do you not': 250651, 'you not see': 1020129, 'not see the': 571487, 'see the need': 745862, 'the need decrease': 861392, 'need decrease your': 554662, 'decrease your data': 231615, 'your data price': 1023464, 'data price now': 226361, 'price now rather': 675383, 'now rather than': 575638, 'rather than month': 697536, 'than month later': 840904, 'month later stayathome': 537819, 'mounting': 543440, 'snp': 776421, 'spokesperson': 789783, 'not face': 569345, 'face mounting': 294625, 'mounting debt': 543445, 'debt and': 230413, 'and bad': 58631, 'bad credit': 107821, 'rating through': 697600, 'through no': 894591, 'no fault': 564196, 'fault of': 300408, 'own snp': 632216, 'snp consumer': 776424, 'affair spokesperson': 34089, 'spokesperson call': 789786, 'uk government': 938407, 'go further': 353597, 'further to': 342191, 'support people': 826755, 'credit agreement': 216301, 'should not face': 766243, 'not face mounting': 569347, 'face mounting debt': 294627, 'mounting debt and': 543446, 'debt and bad': 230414, 'and bad credit': 58635, 'bad credit rating': 107822, 'credit rating through': 216475, 'rating through no': 697601, 'through no fault': 894592, 'no fault of': 564197, 'fault of their': 300411, 'of their own': 591686, 'their own snp': 874205, 'own snp consumer': 632217, 'snp consumer affair': 776425, 'consumer affair spokesperson': 196102, 'affair spokesperson call': 34090, 'spokesperson call on': 789787, 'call on the': 156048, 'on the uk': 604417, 'the uk government': 870226, 'uk government and': 938408, 'government and to': 359877, 'and to go': 74173, 'to go further': 906800, 'go further to': 353599, 'further to support': 342194, 'to support people': 915960, 'support people struggling': 826758, 'struggling with credit': 814533, 'with credit agreement': 997847, 'the atlanta': 849008, 'atlanta community': 101832, 'bank continues': 109739, 'monitor the': 537320, 'the development': 853226, 'development of': 239828, 'our priority': 624459, 'priority remains': 678632, 'remains focused': 710013, 'focused on': 311945, 'providing food': 686994, 'need demand': 554670, 'we anticipate': 970437, 'anticipate will': 78449, 'increase significantly': 433057, 'coming week': 188271, 'can spare': 159684, 'spare it': 787484, 'it donate': 457661, 'donate it': 254191, 'the atlanta community': 849009, 'atlanta community food': 101833, 'community food bank': 189849, 'food bank continues': 313542, 'bank continues to': 109740, 'continues to monitor': 201486, 'to monitor the': 910238, 'monitor the development': 537321, 'the development of': 853227, 'development of covid': 239830, '19 our priority': 9059, 'our priority remains': 624466, 'priority remains focused': 678633, 'remains focused on': 710014, 'focused on providing': 311962, 'on providing food': 602990, 'providing food to': 686997, 'to those in': 917507, 'in need demand': 425734, 'need demand we': 554671, 'demand we anticipate': 236458, 'we anticipate will': 970439, 'anticipate will increase': 78450, 'will increase significantly': 993824, 'increase significantly in': 433058, 'the coming week': 851203, 'coming week if': 188278, 'you can spare': 1017789, 'can spare it': 159685, 'spare it donate': 787485, 'it donate it': 457662, 'donate it to': 254195, 'it to food': 461715, 'milling': 532042, 'tuned higher': 935442, 'higher gold': 395603, 'soon george': 785717, 'george milling': 346011, 'milling stanley': 532043, 'stay tuned higher': 797364, 'tuned higher gold': 935443, 'higher gold price': 395604, 'price are coming': 672646, 'are coming soon': 85441, 'coming soon george': 188197, 'soon george milling': 785718, 'george milling stanley': 346012, 'great teamwork': 363029, 'teamwork from': 835899, 'from colleague': 334909, 'colleague at': 186204, 'get all': 346517, 'our fantastic': 623009, 'fantastic extremely': 298584, 'extremely useful': 293936, 'useful consumer': 950145, 'consumer advice': 196039, 'advice in': 33405, 'one handy': 606404, 'handy place': 376900, 'place bookmark': 657358, 'bookmark it': 134763, 'updated frequently': 947368, 'thanks to great': 842229, 'to great teamwork': 906991, 'great teamwork from': 363030, 'teamwork from colleague': 835900, 'from colleague at': 334911, 'colleague at you': 186207, 'at you can': 101655, 'can get all': 158398, 'get all of': 346521, 'of our fantastic': 587468, 'our fantastic extremely': 623011, 'fantastic extremely useful': 298585, 'extremely useful consumer': 293937, 'useful consumer advice': 950146, 'consumer advice in': 196046, 'advice in one': 33407, 'in one handy': 426147, 'one handy place': 606405, 'handy place bookmark': 376901, 'place bookmark it': 657359, 'bookmark it it': 134764, 'it it will': 459185, 'be updated frequently': 117889, 'thankful for': 841904, 'professional and': 682397, 'responder but': 715429, 'also thankful': 48963, 'who drive': 988663, 'truck who': 932879, 'shelf who': 757805, 'who grow': 988821, 'grow our': 367050, 'who power': 989438, 'power our': 667653, 'and life': 66137, 'life thank': 489089, 'you essential': 1018439, 'thankful for our': 841910, 'for our medical': 324270, 'our medical professional': 623896, 'medical professional and': 526327, 'professional and first': 682400, 'first responder but': 308933, 'responder but in': 715431, 'but in these': 146038, 'in these day': 429838, 'these day of': 879886, 'day of covid': 228065, '19 also thankful': 4933, 'also thankful for': 48964, 'thankful for the': 841911, 'for the men': 326557, 'woman who drive': 1003677, 'who drive the': 988664, 'drive the long': 259167, 'haul truck who': 379004, 'truck who stock': 932880, 'who stock our': 989681, 'stock our grocery': 802601, 'our grocery shelf': 623307, 'grocery shelf who': 364962, 'shelf who grow': 757806, 'who grow our': 988823, 'grow our food': 367051, 'our food and': 623100, 'food and who': 313382, 'and who power': 75595, 'who power our': 989439, 'power our home': 667654, 'our home and': 623443, 'home and life': 400658, 'and life thank': 66142, 'life thank you': 489090, 'thank you essential': 841722, 'you essential worker': 1018440, 'villainy': 957404, 'gouging begin': 359266, 'begin blue': 123508, 'blue shop': 133465, 'shop towel': 760973, 'towel are': 927298, 'stock everywhere': 802094, 'everywhere after': 288167, 'after business': 35439, 'business insider': 143927, 'insider article': 439461, 'article re': 94434, 're homemade': 698830, 'homemade face': 402827, 'mask the': 519351, 'the villainy': 870768, 'villainy of': 957405, 'are deciding': 85709, 'deciding to': 230963, 'hoard and': 398750, 'and jack': 65635, 'jack the': 464122, 'price lovely': 675108, 'let the price': 487136, 'price gouging begin': 674262, 'gouging begin blue': 359267, 'begin blue shop': 123509, 'blue shop towel': 133466, 'shop towel are': 760974, 'towel are out': 927301, 'of stock everywhere': 590162, 'stock everywhere after': 802095, 'everywhere after business': 288168, 'after business insider': 35440, 'business insider article': 143928, 'insider article re': 439462, 'article re homemade': 94435, 're homemade face': 698831, 'homemade face mask': 402828, 'face mask the': 294596, 'mask the villainy': 519359, 'the villainy of': 870769, 'villainy of the': 957406, 'world are deciding': 1009310, 'are deciding to': 85710, 'deciding to hoard': 230964, 'to hoard and': 907864, 'hoard and jack': 398753, 'and jack the': 65637, 'jack the price': 464123, 'the price lovely': 864383, 're spending': 699558, 'time raising': 897546, 'raising gas': 696086, 'for american': 319239, 'haven died': 383785, '19 priority': 9825, 'priority should': 678649, 'of 1st': 579442, '1st responder': 12790, 'responder getting': 715467, 'getting ppe': 349198, 'and ventilator': 74916, 'to state': 915251, 'state making': 795759, 'go broke': 353382, 'broke from': 140830, 'healthcare bill': 387048, 'you re spending': 1020753, 're spending time': 699560, 'spending time raising': 789019, 'time raising gas': 897547, 'raising gas price': 696087, 'price for american': 673923, 'for american who': 319253, 'american who haven': 52305, 'who haven died': 988973, 'haven died from': 383786, 'covid 19 priority': 213612, '19 priority should': 9826, 'priority should be': 678650, 'should be taking': 765743, 'be taking care': 117511, 'care of 1st': 164091, 'of 1st responder': 579444, '1st responder getting': 12794, 'responder getting ppe': 715468, 'getting ppe and': 349199, 'ppe and ventilator': 667909, 'and ventilator to': 74922, 'ventilator to state': 954629, 'to state making': 915256, 'state making sure': 795761, 'sure people don': 827654, 'people don go': 647701, 'don go broke': 253564, 'go broke from': 353383, 'broke from healthcare': 140831, 'from healthcare bill': 335750, 'geoi': 345959, 'sdbeer': 743031, 'friend they': 333836, 'for in': 322505, 'store shopping': 810127, 'order geoi': 618266, 'geoi always': 345960, 'always ha': 49589, 'best beer': 127591, 'his online': 397656, 'store rock': 809902, 'rock sdbeer': 724918, 'support our friend': 826730, 'our friend they': 623186, 'friend they are': 333837, 'they are still': 881417, 'still open for': 800959, 'open for in': 612250, 'for in store': 322515, 'in store shopping': 428455, 'store shopping and': 810128, 'shopping and pick': 762010, 'pick up for': 655724, 'up for online': 944951, 'online order geoi': 608689, 'order geoi always': 618267, 'geoi always ha': 345961, 'always ha the': 49591, 'ha the best': 372190, 'the best beer': 849490, 'best beer and': 127592, 'beer and his': 122427, 'and his online': 64608, 'his online store': 397658, 'online store rock': 609468, 'store rock sdbeer': 809903, 'floridashutdown': 311013, 'helpthehelpers': 391635, 'these worker': 880988, 'are terrified': 90776, 'terrified they': 838509, 'sanitizer passing': 735537, 'passing contaminated': 643372, 'contaminated money': 200660, 'money all': 536575, 'home floridashutdown': 401201, 'floridashutdown helpthehelpers': 311014, 'helpthehelpers and': 391636, 'sad that these': 729255, 'that these worker': 846921, 'these worker are': 880990, 'worker are terrified': 1006432, 'are terrified they': 90779, 'terrified they have': 838510, 'have no mask': 381636, 'no mask and': 564704, 'mask and no': 518351, 'and no sanitizer': 67636, 'no sanitizer passing': 565414, 'sanitizer passing contaminated': 735538, 'passing contaminated money': 643373, 'contaminated money all': 200661, 'money all day': 536576, 'all day and': 42511, 'day and taking': 227284, 'and taking it': 72997, 'taking it home': 833409, 'it home floridashutdown': 458613, 'home floridashutdown helpthehelpers': 401202, 'floridashutdown helpthehelpers and': 311015, 'helpthehelpers and you': 391637, 'dressed': 258690, 'cord': 203495, 'sweater': 830063, 'boot': 135096, 'who would': 990056, 'have thought': 383116, 'thought that': 893227, 'getting dressed': 348946, 'dressed aka': 258691, 'aka cord': 40475, 'cord sweater': 203496, 'sweater cute': 830064, 'cute boot': 223653, 'boot and': 135097, 'little bit': 495250, 'of makeup': 586122, 'makeup to': 510918, 'store would': 811642, 'the highlight': 857354, 'highlight of': 395937, 'my week': 550551, 'week socialdistancing': 976896, 'who would have': 990058, 'would have thought': 1011900, 'have thought that': 383124, 'thought that getting': 893231, 'that getting dressed': 844004, 'getting dressed aka': 348947, 'dressed aka cord': 258692, 'aka cord sweater': 40476, 'cord sweater cute': 203497, 'sweater cute boot': 830065, 'cute boot and': 223654, 'boot and little': 135098, 'and little bit': 66238, 'little bit of': 495259, 'bit of makeup': 131653, 'of makeup to': 586123, 'makeup to go': 510919, 'grocery store would': 365973, 'store would be': 811644, 'be the highlight': 117619, 'the highlight of': 857355, 'highlight of my': 395938, 'of my week': 586831, 'my week socialdistancing': 550553, '5986': 20596, '627': 21254, 'brescia': 139377, 'developing': 239762, '5986 new': 20597, 'and 627': 57504, '627 new': 21257, 'new death': 558610, 'death in': 230074, 'italy death': 462805, 'death include': 230085, 'include 48': 431505, '48 year': 19337, 'old woman': 598547, 'who worked': 990047, 'worked supermarket': 1006144, 'cashier in': 166546, 'in brescia': 420962, 'brescia and': 139378, 'and died': 61337, 'died at': 241512, 'after developing': 35559, 'developing high': 239784, 'high fever': 395073, 'fever at': 303656, 'week 19': 975794, '5986 new case': 20598, 'new case and': 558458, 'case and 627': 165619, 'and 627 new': 57505, '627 new death': 21258, 'new death in': 558612, 'death in italy': 230079, 'in italy death': 424296, 'italy death include': 462806, 'death include 48': 230086, 'include 48 year': 431506, '48 year old': 19338, 'year old woman': 1014880, 'old woman who': 598550, 'woman who worked': 1003690, 'who worked supermarket': 990050, 'worked supermarket cashier': 1006145, 'supermarket cashier in': 819561, 'cashier in brescia': 166548, 'in brescia and': 420963, 'brescia and died': 139379, 'and died at': 61338, 'died at home': 241514, 'at home after': 98933, 'home after developing': 400564, 'after developing high': 35560, 'developing high fever': 239785, 'high fever at': 395075, 'fever at the': 303659, 'beginning of this': 123653, 'this week 19': 891178, 'seen toilet': 747327, 'the wild': 871555, 'wild in': 992063, 'in maybe': 425198, 'maybe week': 521878, 'week toiletpaper': 977110, 'haven seen toilet': 383893, 'seen toilet paper': 747328, 'in the wild': 429680, 'the wild in': 871556, 'wild in maybe': 992064, 'in maybe week': 425199, 'maybe week toiletpaper': 521879, 'will accelerate': 992177, 'accelerate this': 27867, 'this trend': 890848, 'trend towards': 931483, 'towards esg': 927194, 'esg even': 280357, 'even further': 284096, 'further creating': 342018, 'creating greater': 216007, 'greater sense': 363237, 'and responsibility': 70357, 'responsibility toward': 715990, 'toward everything': 927118, 'behaviour to': 124541, 'to climate': 902841, 'change via': 172378, '19 will accelerate': 12076, 'will accelerate this': 992182, 'accelerate this trend': 27868, 'this trend towards': 890849, 'trend towards esg': 931486, 'towards esg even': 927195, 'esg even further': 280358, 'even further creating': 284097, 'further creating greater': 342019, 'creating greater sense': 216008, 'greater sense of': 363238, 'of urgency and': 592689, 'urgency and responsibility': 948302, 'and responsibility toward': 70358, 'responsibility toward everything': 715991, 'toward everything from': 927119, 'everything from consumer': 287798, 'from consumer behaviour': 334953, 'consumer behaviour to': 196604, 'behaviour to climate': 124542, 'to climate change': 902843, 'climate change via': 182204, 'foodstuff': 318155, 'kaduna': 470589, 'of foodstuff': 583833, 'foodstuff skyrocket': 318184, 'skyrocket in': 773310, 'in kaduna': 424429, '19 price of': 9816, 'price of foodstuff': 675455, 'of foodstuff skyrocket': 583838, 'foodstuff skyrocket in': 318185, 'skyrocket in kaduna': 773312, 'ukgoverment': 938949, 'our foodbanks': 623142, 'foodbanks could': 317819, 'could run': 209617, 'the lockdownuk': 859644, 'lockdownuk end': 500407, 'end isn': 275852, 'isn it': 454560, 'time ukgoverment': 898157, 'ukgoverment lived': 938954, 'lived up': 496180, 'it responsibility': 460738, 'responsibility foodbanks': 715942, 'foodbanks should': 317840, 'have government': 380825, 'government funding': 360115, 'our foodbanks could': 623143, 'foodbanks could run': 317820, 'could run out': 209618, 'of stock before': 590142, 'stock before the': 801913, 'before the lockdownuk': 123173, 'the lockdownuk end': 859646, 'lockdownuk end isn': 500408, 'end isn it': 275853, 'isn it time': 454571, 'it time ukgoverment': 461701, 'time ukgoverment lived': 898158, 'ukgoverment lived up': 938955, 'lived up to': 496181, 'up to it': 946392, 'to it responsibility': 908609, 'it responsibility foodbanks': 460739, 'responsibility foodbanks should': 715943, 'foodbanks should have': 317841, 'should have government': 766079, 'have government funding': 380826, 'tire': 899008, 'dealership': 229631, 'from wiping': 338384, 'down counter': 256664, 'counter to': 210273, 'to giving': 906732, 'giving out': 351362, 'out hand': 626255, 'customer tire': 222951, 'tire dealership': 899011, 'dealership are': 229632, 'of guideline': 584387, 'do here': 249394, 'here gt': 393063, 'from wiping down': 338385, 'wiping down counter': 996511, 'down counter to': 256665, 'counter to giving': 210275, 'to giving out': 906735, 'giving out hand': 351366, 'out hand sanitizer': 626257, 'sanitizer to customer': 735913, 'to customer tire': 903860, 'customer tire dealership': 222952, 'tire dealership are': 899012, 'dealership are taking': 229633, 'are taking precaution': 90731, 'taking precaution to': 833524, 'precaution to prevent': 669386, 'spread of guideline': 790676, 'of guideline for': 584388, 'guideline for what': 368431, 'you should do': 1021191, 'should do here': 765924, 'do here gt': 249395, 'frontlines': 338904, 'naz': 553177, 'karim': 470916, 'so inspired': 777410, 'inspired by': 439835, 'the frontlines': 855895, 'frontlines of': 338921, 'crisis healthcare': 217476, 'healthcare practitioner': 387217, 'practitioner city': 668796, 'city official': 179297, 'official grocery': 595822, 'many many': 514259, 'you powerful': 1020396, 'powerful perspective': 667795, 'perspective here': 653203, 'dr naz': 258069, 'naz karim': 553180, 'karim an': 470917, 'an er': 55799, 'er physician': 280018, 'physician and': 655532, 'so inspired by': 777411, 'inspired by the': 439843, 'on the frontlines': 604136, 'the frontlines of': 855902, 'frontlines of this': 338923, 'this crisis healthcare': 887050, 'crisis healthcare practitioner': 217478, 'healthcare practitioner city': 387218, 'practitioner city official': 668797, 'city official grocery': 179299, 'official grocery store': 595823, 'worker and many': 1006311, 'and many many': 66674, 'many many more': 514262, 'many more grateful': 514302, 'more grateful for': 539363, 'grateful for all': 362257, 'of you powerful': 593411, 'you powerful perspective': 1020397, 'powerful perspective here': 667796, 'perspective here from': 653204, 'here from dr': 393026, 'from dr naz': 335213, 'dr naz karim': 258070, 'naz karim an': 553181, 'karim an er': 470918, 'an er physician': 55801, 'er physician and': 280019, 'physician and friend': 655533, 're playing': 699271, 'world we': 1010141, 'it sound': 461182, 'sound about': 786255, 'about right': 26103, 'store and they': 806376, 'and they re': 73932, 'they re playing': 883094, 're playing it': 699273, 'playing it the': 659419, 'the world we': 872002, 'world we know': 1010145, 'we know it': 972154, 'know it sound': 476541, 'it sound about': 461183, 'sound about right': 786256, 'record level': 704999, 'level in': 487588, 'in amid': 420250, 'grocery shopping rise': 365075, 'shopping rise to': 763776, 'rise to record': 723036, 'to record level': 912981, 'record level in': 705000, 'level in amid': 487593, 'in amid covid': 420251, 'house bit': 406217, 'bit ago': 131529, 'run first': 727637, 'time leaving': 897121, 'house since': 406558, 'since saturday': 770813, 'saturday also': 737000, 'also realized': 48755, 'likely need': 492054, 'more the': 540713, 'the lawn': 859198, 'lawn this': 482506, 'yeah more': 1014276, 'more is': 539620, 'it allergy': 456390, 'allergy or': 45781, 'or covid': 614852, 'left the house': 485668, 'the house bit': 857597, 'house bit ago': 406218, 'bit ago to': 131530, 'ago to make': 38516, 'to make grocery': 909671, 'store run first': 809921, 'run first time': 727638, 'first time leaving': 309104, 'time leaving the': 897122, 'leaving the house': 485151, 'the house since': 857633, 'house since saturday': 406562, 'since saturday also': 770814, 'saturday also realized': 737001, 'also realized that': 48756, 'realized that will': 701915, 'will likely need': 994006, 'likely need to': 492055, 'need to more': 555995, 'to more the': 910269, 'more the lawn': 540715, 'the lawn this': 859199, 'lawn this weekend': 482507, 'this weekend so': 891320, 'weekend so yeah': 977410, 'so yeah more': 778829, 'yeah more is': 1014277, 'more is it': 539622, 'is it allergy': 449007, 'it allergy or': 456391, 'allergy or covid': 45782, 'or covid 19': 614853, '19 coming to': 5896, 'coming to me': 188222, 'me this weekend': 523725, 'declare': 231179, 'declare this': 231210, 'new standard': 559638, 'standard capacity': 793644, 'declare this to': 231211, 'this to be': 890727, 'the new standard': 861559, 'new standard capacity': 559640, 'she spreading': 756347, 'spreading the': 791050, 'woman is': 1003530, 'is touching': 453311, 'touching almost': 926659, 'in big': 420825, 'why now': 991243, 'have everywhere': 380505, 'is she spreading': 451839, 'she spreading the': 756348, 'spreading the woman': 791060, 'the woman is': 871665, 'woman is touching': 1003536, 'is touching almost': 453312, 'touching almost everything': 926660, 'almost everything in': 46633, 'everything in big': 287846, 'in big supermarket': 420830, 'big supermarket why': 130038, 'supermarket why now': 823872, 'why now we': 991245, 'now we have': 576341, 'we have everywhere': 971810, 'oldie': 598712, 'uno': 942984, 'wa our': 962872, 'our once': 624133, 'and picking': 69014, 'up shopping': 945979, 'vulnerable oldie': 961061, 'oldie followed': 598715, 'followed by': 312595, 'no tv': 565811, 'tv making': 936139, 'pizza and': 657146, 'playing uno': 659461, 'uno family': 942985, 'family best': 297655, 'best day': 127659, 'day ever': 227571, 'ever stayhomesavelives': 285519, 'yesterday wa our': 1015925, 'wa our once': 962874, 'our once week': 624134, 'once week supermarket': 605802, 'week supermarket shopping': 976949, 'supermarket shopping for': 822634, 'shopping for and': 762657, 'for and picking': 319335, 'and picking up': 69016, 'picking up shopping': 655884, 'up shopping for': 945982, 'shopping for our': 762702, 'for our vulnerable': 324305, 'our vulnerable oldie': 625292, 'vulnerable oldie followed': 961062, 'oldie followed by': 598716, 'followed by no': 312598, 'by no tv': 153340, 'no tv making': 565812, 'tv making pizza': 936140, 'making pizza and': 511285, 'pizza and playing': 657149, 'and playing uno': 69099, 'playing uno family': 659462, 'uno family best': 942986, 'family best day': 297656, 'best day ever': 127661, 'day ever stayhomesavelives': 227574, 'selute': 749576, 'stayhomeindia': 798306, 'selute to': 749577, 'nurse paramedic': 577449, 'paramedic police': 641393, 'officer pharmacy': 595697, 'other medical': 620521, 'store personnel': 809516, 'personnel delivery': 653093, 'people transit': 649997, 'cannot stay': 162122, 'home thank': 402209, 'you million': 1019861, 'million time': 532377, 'you stayhomeindia': 1021382, 'selute to doctor': 749578, 'doctor nurse paramedic': 251030, 'nurse paramedic police': 577453, 'paramedic police officer': 641394, 'police officer pharmacy': 663128, 'officer pharmacy and': 595698, 'pharmacy and other': 654220, 'and other medical': 68360, 'other medical worker': 620527, 'grocery store personnel': 365652, 'store personnel delivery': 809519, 'personnel delivery people': 653094, 'delivery people transit': 234325, 'people transit worker': 649998, 'transit worker and': 929657, 'worker and anyone': 1006273, 'and anyone who': 58229, 'anyone who work': 80637, 'who work with': 990046, 'work with the': 1006048, 'the public and': 864787, 'public and cannot': 687846, 'and cannot stay': 59521, 'cannot stay home': 162125, 'stay home thank': 797012, 'home thank you': 402210, 'thank you million': 841777, 'you million time': 1019862, 'million time thank': 532378, 'time thank you': 897822, 'thank you stayhomeindia': 841817, 'cutter': 223699, 'cigar': 178464, 'update cutter': 946924, 'cutter retail': 223704, 'retail cigar': 717958, 'cigar store': 178471, 'store remains': 809802, 'open bar': 612112, 'bar service': 110760, 'service closed': 752241, 'closed find': 183114, 'find updated': 307363, 'updated hour': 947382, 'hour cigar': 405490, 'cigar discount': 178467, 'discount and': 244442, 'safety information': 730582, 'information here': 437855, '19 update cutter': 11659, 'update cutter retail': 946925, 'cutter retail cigar': 223705, 'retail cigar store': 717959, 'cigar store remains': 178472, 'store remains open': 809803, 'remains open bar': 710042, 'open bar service': 612113, 'bar service closed': 110761, 'service closed find': 752242, 'closed find updated': 183115, 'find updated hour': 307364, 'updated hour cigar': 947383, 'hour cigar discount': 405491, 'cigar discount and': 178468, 'discount and safety': 244444, 'and safety information': 70746, 'safety information here': 730584, 'motivate': 543287, 'priority number': 678610, 'number is': 576894, 'is airport': 445438, 'airport or': 40112, 'security motivate': 744672, 'motivate your': 543288, 'your answer': 1022785, 'our priority number': 624465, 'priority number is': 678611, 'number is airport': 576896, 'is airport or': 445439, 'airport or food': 40113, 'or food security': 615346, 'food security motivate': 316358, 'security motivate your': 744673, 'motivate your answer': 543289, 'this chinese': 886764, 'chinese lady': 177287, 'lady spitting': 478826, 'on fruit': 601034, 'fruit in': 339098, 'an australian': 55479, 'australian supermarket': 103549, 'got tested': 358887, '19 china': 5792, 'at this chinese': 101227, 'this chinese lady': 886765, 'chinese lady spitting': 177288, 'lady spitting on': 478827, 'spitting on fruit': 789600, 'on fruit in': 601038, 'fruit in an': 339099, 'in an australian': 420286, 'an australian supermarket': 55480, 'australian supermarket after': 103550, 'supermarket after she': 818812, 'after she got': 36187, 'she got tested': 756060, 'got tested positive': 358888, '19 19 china': 4709, 'coronav': 205353, 'coronavir': 205416, 'light sterilizer': 489598, 'sterilizer sanitizer': 799875, 'and mobile': 67094, 'mobile phone': 535009, 'phone pls': 654997, 'pls take': 661190, 'care be': 163863, 'safe sanitizer': 729917, 'sanitizer sanitizers': 735694, 'sanitizers corona': 736250, 'corona coronav': 203891, 'coronav ru': 205354, 'ru coronavir': 726887, 'uv light sterilizer': 951479, 'light sterilizer sanitizer': 489599, 'sterilizer sanitizer for': 799876, 'sanitizer for your': 734929, 'for your mask': 328174, 'your mask and': 1024783, 'mask and mobile': 518349, 'and mobile phone': 67097, 'mobile phone pls': 535010, 'phone pls take': 654998, 'pls take care': 661191, 'take care be': 832004, 'care be safe': 163864, 'be safe sanitizer': 116967, 'safe sanitizer sanitizers': 729918, 'sanitizer sanitizers corona': 735695, 'sanitizers corona coronav': 736251, 'corona coronav ru': 203892, 'coronav ru coronavir': 205357, 'mooch': 538259, 'pharmacy in': 654354, 'out shopping': 627174, 'for mooch': 323547, 'mooch you': 538260, 'essential only': 281360, 'not holiday': 570006, 'holiday supermarket': 400359, 'not family': 569364, 'family day': 297736, 'out person': 627034, 'person should': 652603, 'house stayathome': 406576, 'work for pharmacy': 1005168, 'for pharmacy in': 324522, 'pharmacy in supermarket': 654359, 'supermarket and so': 819066, 'are out shopping': 88889, 'out shopping for': 627178, 'shopping for mooch': 762692, 'for mooch you': 323548, 'mooch you should': 538261, 'should be shopping': 765727, 'be shopping for': 117151, 'shopping for essential': 762673, 'for essential only': 321114, 'essential only this': 281365, 'only this is': 611334, 'is not holiday': 450106, 'not holiday supermarket': 570007, 'holiday supermarket are': 400360, 'supermarket are not': 819173, 'are not family': 88367, 'not family day': 569365, 'family day out': 297737, 'day out person': 228180, 'out person should': 627035, 'person should be': 652604, 'be shopping from': 117152, 'shopping from your': 762764, 'from your house': 338480, 'your house stayathome': 1024417, 'slashing': 773654, 'marketing tip': 517732, 'tip during': 898748, 'during don': 262608, 'don slash': 253914, 'you start': 1021353, 'start slashing': 794508, 'slashing your': 773688, 'it likely': 459390, 'to deter': 904230, 'deter potential': 239384, 'potential customer': 667054, 'customer learn': 222564, 'more follow': 539229, 'here hospitality': 393091, 'hospitality hotel': 404776, 'marketing tip during': 517733, 'tip during don': 898750, 'during don slash': 262609, 'don slash price': 253915, 'slash price if': 773585, 'price if you': 674624, 'if you start': 415524, 'you start slashing': 1021359, 'start slashing your': 794509, 'slashing your price': 773689, 'your price people': 1025410, 'price people will': 675854, 'people will ask': 650378, 'will ask why': 992313, 'ask why it': 95669, 'why it likely': 991144, 'it likely to': 459395, 'likely to deter': 492140, 'to deter potential': 904231, 'deter potential customer': 239385, 'potential customer learn': 667055, 'customer learn more': 222565, 'learn more follow': 484023, 'more follow our': 539232, 'follow our blog': 312481, 'blog here hospitality': 132945, 'here hospitality hotel': 393093, 'hospitality hotel restaurant': 404778, 'world stop': 1010007, 'stock you': 803216, 'ashamed saw': 95073, 'saw cleaning': 738086, 'supply toilet': 826040, 'worst baby': 1011146, 'diaper were': 240371, 'were all': 979280, 'all selling': 44274, 'online disgusting': 608109, 'the world stop': 871975, 'world stop buying': 1010008, 'stop buying and': 804528, 'and selling stock': 71240, 'selling stock you': 749455, 'stock you should': 803221, 'be ashamed saw': 113699, 'ashamed saw cleaning': 95074, 'saw cleaning supply': 738087, 'cleaning supply toilet': 181087, 'supply toilet paper': 826041, 'paper but the': 639975, 'but the worst': 147431, 'the worst baby': 872040, 'worst baby formula': 1011147, 'formula and diaper': 329694, 'and diaper were': 61314, 'diaper were all': 240372, 'were all selling': 979286, 'all selling for': 44275, 'selling for high': 749256, 'high price online': 395266, 'price online disgusting': 675748, 'gavinnewsom': 344689, 'newsom': 561061, 'calfresh': 155408, 'foreclosing': 328907, 'infectious': 436892, 'htt': 409748, 'gavinnewsom gov': 344690, 'gov newsom': 359640, 'newsom elderly': 561064, 'elderly disabled': 270659, 'disabled calfresh': 243886, 'calfresh recipient': 155409, 'recipient must': 704535, 'use pin': 949476, 'pin to': 656779, 'grocery foreclosing': 364534, 'foreclosing them': 328908, 'from safely': 337144, 'grocery delivered': 364420, 'delivered during': 233315, 'this infectious': 888099, 'infectious covid': 436895, 'pandemic can': 635084, 'have htt': 380990, 'gavinnewsom gov newsom': 344691, 'gov newsom elderly': 359641, 'newsom elderly disabled': 561065, 'elderly disabled calfresh': 270661, 'disabled calfresh recipient': 243887, 'calfresh recipient must': 155410, 'recipient must use': 704536, 'must use pin': 546974, 'use pin to': 949477, 'pin to purchase': 656780, 'purchase grocery foreclosing': 689480, 'grocery foreclosing them': 364535, 'foreclosing them from': 328909, 'them from safely': 875753, 'from safely shopping': 337145, 'safely shopping online': 730319, 'online with their': 609752, 'with their grocery': 1001574, 'their grocery delivered': 873446, 'grocery delivered during': 364422, 'delivered during this': 233316, 'during this infectious': 263294, 'this infectious covid': 888100, 'infectious covid 19': 436896, '19 pandemic can': 9283, 'pandemic can you': 635087, 'can you have': 160308, 'you have htt': 1019058, 'demonstrate': 236832, 'man looking': 512146, 'supply he': 825351, 'is surrounded': 452499, 'in surrey': 428746, 'surrey england': 828695, 'england ha': 277018, 'been widely': 122373, 'widely shared': 991786, 'shared online': 755438, 'online to': 609576, 'to demonstrate': 904166, 'demonstrate the': 236839, 'coronavirus fuelled': 205970, 'fuelled panic': 340359, 'photo of an': 655200, 'of an elderly': 580106, 'an elderly man': 55638, 'elderly man looking': 270747, 'man looking for': 512148, 'looking for supply': 502905, 'for supply he': 326047, 'supply he is': 825352, 'he is surrounded': 385149, 'is surrounded by': 452500, 'surrounded by empty': 828722, 'by empty supermarket': 152480, 'shelf in surrey': 757220, 'in surrey england': 428748, 'surrey england ha': 828696, 'england ha been': 277019, 'ha been widely': 369985, 'been widely shared': 122374, 'widely shared online': 991787, 'shared online to': 755439, 'online to demonstrate': 609583, 'to demonstrate the': 904168, 'demonstrate the reality': 236840, 'reality of coronavirus': 701769, 'of coronavirus fuelled': 581937, 'coronavirus fuelled panic': 205972, 'fuelled panic buying': 340360, 'shrink': 767686, 'deteriorating': 239404, 'some economist': 782725, 'economist expect': 267548, 'european economy': 283561, 'economy to': 268289, 'to shrink': 914591, 'shrink by': 767693, '10 percent': 1625, 'percent in': 651132, 'first half': 308698, 'the which': 871444, 'which threatens': 986400, 'threatens an': 893839, 'an explosion': 55975, 'explosion of': 292561, 'of bad': 580506, 'bad loan': 107928, 'loan deteriorating': 497428, 'deteriorating asset': 239407, 'asset and': 96412, 'plummeting stock': 661393, 'some economist expect': 782726, 'economist expect the': 267549, 'expect the european': 290749, 'the european economy': 854581, 'european economy to': 283562, 'economy to shrink': 268297, 'to shrink by': 914593, 'shrink by more': 767695, 'than 10 percent': 840152, '10 percent in': 1626, 'percent in the': 651135, 'the first half': 855313, 'first half of': 308699, 'half of this': 374237, 'to the which': 917189, 'the which threatens': 871450, 'which threatens an': 986401, 'threatens an explosion': 893840, 'an explosion of': 55977, 'explosion of bad': 292562, 'of bad loan': 580508, 'bad loan deteriorating': 107930, 'loan deteriorating asset': 497429, 'deteriorating asset and': 239408, 'asset and plummeting': 96414, 'and plummeting stock': 69130, 'plummeting stock price': 661395, 'stock price via': 802754, 'whats': 982836, 'demand whats': 236476, 'whats the': 982845, 'the turn': 870116, 'turn around': 935642, 'around time': 93588, 'for corporation': 320407, 'corporation like': 207438, 'like etc': 490175, 'have surplus': 382874, 'of aerosol': 579807, 'aerosol spray': 33918, 'spray hand': 790294, 'wipe in': 996295, 'with supply and': 1001077, 'and demand whats': 61178, 'demand whats the': 236477, 'whats the turn': 982848, 'the turn around': 870118, 'turn around time': 935645, 'around time for': 93589, 'time for corporation': 896700, 'for corporation like': 320408, 'corporation like etc': 207440, 'like etc to': 490176, 'etc to have': 282835, 'to have surplus': 907319, 'have surplus of': 382875, 'surplus of aerosol': 828491, 'of aerosol spray': 579808, 'aerosol spray hand': 33919, 'spray hand sanitizer': 790295, 'sanitizer wipe in': 736119, 'wipe in store': 996299, 'in store again': 428381, 'chattanooga': 173985, 'beginning today': 123679, '00 chattanooga': 132, 'chattanooga tennessee': 173986, 'tennessee whiskey': 837962, 'whiskey company': 987765, 'will sell': 994803, 'sell fda': 748719, 'fda approved': 300830, 'approved sanitiser': 83190, 'sanitiser with': 734051, 'of proceeds': 588456, 'proceeds going': 679856, 'local united': 498670, 'help unemployed': 390832, 'unemployed hospitality': 941119, 'hospitality restaurant': 404792, 'worker due': 1006812, 'to shutdown': 914616, 'beginning today at': 123680, 'at 11 00': 97435, '11 00 chattanooga': 2432, '00 chattanooga tennessee': 133, 'chattanooga tennessee whiskey': 173987, 'tennessee whiskey company': 837963, 'whiskey company will': 987766, 'company will sell': 191337, 'will sell fda': 994805, 'sell fda approved': 748720, 'fda approved sanitiser': 300834, 'approved sanitiser with': 83191, 'sanitiser with of': 734053, 'with of proceeds': 999849, 'of proceeds going': 588457, 'proceeds going to': 679857, 'the local united': 859577, 'local united way': 498671, 'united way to': 942267, 'to help unemployed': 907659, 'help unemployed hospitality': 390833, 'unemployed hospitality restaurant': 941121, 'hospitality restaurant worker': 404794, 'restaurant worker due': 716818, 'worker due to': 1006813, 'due to shutdown': 261949, 'despair': 238481, 'assertive': 96360, 'industry facing': 435826, 'facing slump': 295602, 'slump consumer': 774682, 'demand down': 235252, 'down high': 256832, 'high unemployment': 395493, 'no job': 564537, 'job for': 465820, 'for youth': 328243, 'youth amp': 1026844, 'in stress': 428497, 'stress an': 813293, 'an air': 55205, 'air of': 39771, 'of despair': 582550, 'despair all': 238482, 'over govt': 630256, 'more assertive': 538654, 'assertive about': 96361, 'about public': 26026, 'economic measure': 267168, 'measure it': 525245, 'it plan': 460335, 'and quick': 69878, 'industry facing slump': 435827, 'facing slump consumer': 295603, 'slump consumer demand': 774683, 'consumer demand down': 197126, 'demand down high': 235254, 'down high unemployment': 256833, 'high unemployment rate': 395500, 'unemployment rate no': 941275, 'rate no job': 697306, 'no job for': 564539, 'job for youth': 465828, 'for youth amp': 328244, 'youth amp the': 1026845, 'amp the financial': 54648, 'the financial sector': 855225, 'financial sector in': 306571, 'sector in stress': 744236, 'in stress an': 428498, 'stress an air': 813294, 'an air of': 55207, 'air of despair': 39772, 'of despair all': 582551, 'despair all over': 238483, 'all over govt': 43863, 'over govt must': 630257, 'govt must be': 361205, 'must be more': 546526, 'be more assertive': 115963, 'more assertive about': 538655, 'assertive about public': 96362, 'about public health': 26027, 'public health and': 688059, 'health and economic': 386135, 'and economic measure': 61902, 'economic measure it': 267170, 'measure it plan': 525246, 'it plan and': 460336, 'plan and quick': 658063, 're asking': 698308, 'asking politely': 96042, 'politely online': 663619, 're having': 698786, 'having picnic': 384220, 'picnic which': 656082, 'is neither': 449875, 'neither exercise': 557319, 'we re asking': 972827, 're asking politely': 698312, 'asking politely online': 96043, 'politely online if': 663621, 'you re having': 1020638, 're having picnic': 698788, 'having picnic which': 384222, 'picnic which is': 656083, 'which is neither': 986029, 'is neither exercise': 449876, 'neither exercise necessary': 557320, 'necessary shopping to': 554075, 'shopping to the': 764196, 'to the latter': 916837, 'jail': 464257, 'talk abt': 833768, 'abt homeless': 27530, 'homeless ppl': 402782, 'ppl the': 668342, 'the folk': 855482, 'in jail': 424334, 'jail ppl': 464274, 'ppl who': 668370, 'need medication': 555228, 'medication and': 526623, 'treatment ppl': 931126, 'who lost': 989236, 'lost family': 503841, 'member ppl': 528174, 'live paycheck': 495983, 'paycheck to': 645311, 'to paycheck': 911578, 'paycheck and': 645270, 'ppl lost': 668277, 'will eat': 993281, 'eat go': 265926, 'go donate': 353476, 'donate do': 254170, 'not complain': 568814, 'to talk abt': 916279, 'talk abt homeless': 833769, 'abt homeless ppl': 27531, 'homeless ppl the': 402783, 'ppl the folk': 668344, 'the folk in': 855486, 'folk in jail': 312194, 'in jail ppl': 424337, 'jail ppl who': 464275, 'ppl who need': 668375, 'who need medication': 989319, 'need medication and': 555229, 'medication and treatment': 526628, 'and treatment ppl': 74441, 'treatment ppl who': 931127, 'ppl who lost': 668374, 'who lost family': 989237, 'lost family member': 503842, 'family member ppl': 298043, 'member ppl who': 528176, 'ppl who live': 668373, 'who live paycheck': 989219, 'live paycheck to': 495984, 'paycheck to paycheck': 645312, 'to paycheck and': 911579, 'paycheck and cannot': 645271, 'and cannot stock': 59522, 'cannot stock up': 162132, 'up food so': 944895, 'food so many': 316660, 'many ppl lost': 514577, 'ppl lost their': 668278, 'their job and': 873697, 'job and do': 465623, 'know how they': 476462, 'how they will': 408935, 'they will eat': 883847, 'will eat go': 993283, 'eat go donate': 265927, 'go donate do': 353477, 'donate do not': 254171, 'do not complain': 249701, 'all night': 43639, 'night big': 562970, 'big love': 129857, 'our nh': 624063, 'hard tonight': 378097, 'tonight big': 924381, 'you 19': 1016747, 'all night big': 43640, 'night big love': 562971, 'big love to': 129858, 'love to all': 504841, 'all our nh': 43820, 'our nh and': 624064, 'working hard tonight': 1008689, 'hard tonight big': 378098, 'tonight big love': 924382, 'of you 19': 593368, 'republican nervous': 713051, 'nervous trump': 557483, 'trump handling': 933600, 'handling of': 376361, 'could hurt': 209309, 'hurt his': 411583, 'his re': 397737, 'election chance': 271028, 'republican nervous trump': 713052, 'nervous trump handling': 557484, 'trump handling of': 933601, 'handling of pandemic': 376369, 'of pandemic could': 587693, 'pandemic could hurt': 635247, 'could hurt his': 209310, 'hurt his re': 411584, 'his re election': 397738, 're election chance': 698595, 'kuwaiti': 478003, 'thankingkuwaitcorona': 842000, 'simply collect': 770206, 'your smart': 1025837, 'smart device': 775363, 'device and': 239893, 'and start': 72235, 'start ordering': 794424, 'ordering kuwait': 618980, 'kuwait ha': 477990, 'ha ton': 372342, 'great online': 362859, 'shopping site': 763888, 'daily need': 224710, 'need right': 555526, 'right at': 721779, 'fingertip trust': 307833, 'follow kuwaiti': 312441, 'kuwaiti law': 478004, 'law safety': 482388, 'measure due': 525183, 'to thankingkuwaitcorona': 916443, 'simply collect your': 770207, 'collect your smart': 186346, 'your smart device': 1025838, 'smart device and': 775364, 'device and start': 239895, 'and start ordering': 72244, 'start ordering kuwait': 794425, 'ordering kuwait ha': 618981, 'kuwait ha ton': 477991, 'ha ton of': 372343, 'ton of great': 924274, 'of great online': 584317, 'great online shopping': 362862, 'online shopping site': 609270, 'shopping site for': 763889, 'site for your': 771926, 'for your daily': 328136, 'your daily need': 1023444, 'daily need right': 224716, 'need right at': 555527, 'right at your': 721781, 'at your fingertip': 101678, 'your fingertip trust': 1023886, 'fingertip trust and': 307834, 'trust and follow': 934235, 'and follow kuwaiti': 63014, 'follow kuwaiti law': 312442, 'kuwaiti law safety': 478005, 'law safety measure': 482389, 'safety measure due': 730622, 'measure due to': 525184, 'due to thankingkuwaitcorona': 261989, 'howlin': 409538, 'thaler': 840114, 'how howlin': 408016, 'howlin ray': 409539, 'ray fried': 698022, 'fried chicken': 333447, 'chicken is': 175803, 'is thinking': 453065, 'thinking of': 885949, 'of changing': 581274, 'changing it': 172733, 'business model': 144051, 'model why': 535326, 'curtail demand': 221771, 'affect long': 34176, 'term reputation': 838266, 'reputation thaler': 713125, 'how howlin ray': 408017, 'howlin ray fried': 409540, 'ray fried chicken': 698023, 'fried chicken is': 333448, 'chicken is thinking': 175804, 'is thinking of': 453067, 'thinking of changing': 885955, 'of changing it': 581276, 'changing it business': 172735, 'it business model': 456939, 'business model why': 144063, 'model why not': 535327, 'why not increase': 991220, 'not increase price': 570122, 'increase price in': 433005, 'price in this': 674744, 'in this period': 429994, 'this period to': 889532, 'period to curtail': 651910, 'to curtail demand': 903832, 'curtail demand will': 221772, 'demand will it': 236502, 'will it affect': 993859, 'it affect long': 456284, 'affect long term': 34177, 'long term reputation': 501710, 'term reputation thaler': 838267, 'shopping done': 762507, 'online shopping done': 609099, 'shopping done and': 762508, 'done and paid': 254777, 'sticky': 800121, 'deadlock': 229238, 'emergence': 272568, 'uganda govt': 937970, 'done well': 255106, 'well to': 978696, 'resolve nearly': 714634, 'nearly all': 553796, 'the sticky': 867885, 'sticky issue': 800124, 'issue that': 455957, 'had kept': 373225, 'kept the': 473075, 'in deadlock': 422035, 'deadlock however': 229241, 'the emergence': 854217, 'emergence of': 272570, '19 collapse': 5871, 'the cut': 852741, 'cut back': 223245, 'of capital': 581117, 'capital spend': 162679, 'spend by': 788588, 'by oil': 153408, 'will certainly': 992899, 'certainly delay': 170148, 'delay uganda': 232755, 'uganda first': 937966, 'first oil': 308821, 'uganda govt ha': 937971, 'govt ha done': 361139, 'ha done well': 370424, 'done well to': 255107, 'well to resolve': 978703, 'to resolve nearly': 913364, 'resolve nearly all': 714635, 'nearly all the': 553805, 'all the sticky': 44923, 'the sticky issue': 867886, 'sticky issue that': 800125, 'issue that had': 455961, 'that had kept': 844151, 'had kept the': 373226, 'kept the oil': 473077, 'oil industry in': 596888, 'industry in deadlock': 435902, 'in deadlock however': 422036, 'deadlock however the': 229242, 'however the emergence': 409475, 'the emergence of': 854218, 'emergence of covid': 272573, 'covid 19 collapse': 212821, '19 collapse in': 5872, 'collapse in global': 186016, 'in global oil': 423335, 'and the cut': 73311, 'the cut back': 852743, 'cut back of': 223246, 'back of capital': 107166, 'of capital spend': 581118, 'capital spend by': 162680, 'spend by oil': 788589, 'by oil company': 153410, 'oil company will': 596698, 'company will certainly': 191329, 'will certainly delay': 992900, 'certainly delay uganda': 170149, 'delay uganda first': 232756, 'uganda first oil': 937967, 'grocerygames': 366219, 'that remains': 845993, 'remains fully': 710015, 'stocked grocerygames': 803331, 'grocerygames grocerystores': 366220, 'grocerystores grocerystore': 366367, 'the only grocery': 862311, 'only grocery store': 610549, 'store that remains': 810568, 'that remains fully': 845994, 'remains fully stocked': 710017, 'fully stocked grocerygames': 341091, 'stocked grocerygames grocerystores': 803332, 'grocerygames grocerystores grocerystore': 366221, 'homebound': 402604, 'diagnosis': 240249, 'or find': 615313, 'here better': 392817, 'than purell': 841059, 'purell and': 690005, 'and 14': 57374, '14 other': 3511, 'other coronavirus': 620007, 'coronavirus hack': 206042, 'hack 15': 372734, '15 coronavirus': 3686, 'hack pandemic': 372746, 'pandemic survival': 636607, 'survival guide': 829036, 'guide safe': 368351, 'safe mask': 729814, 'mask homebound': 518802, 'homebound income': 402617, 'income home': 432364, 'home diagnosis': 401075, 'diagnosis toilet': 240258, 'paper etc': 640134, 'hand sanitizer or': 375516, 'sanitizer or find': 735481, 'or find it': 615314, 'find it here': 306993, 'it here better': 458565, 'here better than': 392818, 'better than purell': 128531, 'than purell and': 841060, 'purell and 14': 690006, 'and 14 other': 57375, '14 other coronavirus': 3512, 'other coronavirus hack': 620008, 'coronavirus hack 15': 206043, 'hack 15 coronavirus': 372735, '15 coronavirus hack': 3687, 'coronavirus hack pandemic': 206044, 'hack pandemic survival': 372747, 'pandemic survival guide': 636608, 'survival guide safe': 829038, 'guide safe mask': 368352, 'safe mask homebound': 729816, 'mask homebound income': 518803, 'homebound income home': 402618, 'income home diagnosis': 432365, 'home diagnosis toilet': 401076, 'diagnosis toilet paper': 240259, 'toilet paper etc': 921268, 'find fresh': 306923, 'fresh chicken': 332936, 'chicken or': 175823, 'egg in': 269891, 'can find fresh': 158320, 'find fresh chicken': 306924, 'fresh chicken or': 332938, 'chicken or egg': 175824, 'or egg in': 615119, 'egg in your': 269896, 'in your supermarket': 431130, 'your supermarket here': 1026046, 'supermarket here why': 820746, 'yikes': 1016389, 'addiction wa': 31655, 'already pretty': 47584, 'pretty bad': 671362, 'is thing': 453059, 'thing it': 884494, 'it turned': 461882, 'into major': 442733, 'major yikes': 509527, 'yikes for': 1016392, 'my credit': 547855, 'shopping addiction wa': 761899, 'addiction wa already': 31656, 'wa already pretty': 961492, 'already pretty bad': 47585, 'pretty bad but': 671363, 'bad but now': 107800, 'but now that': 146614, 'now that the': 576020, 'that the is': 846755, 'the is thing': 858540, 'is thing it': 453062, 'thing it turned': 884499, 'it turned into': 461883, 'turned into major': 935846, 'into major yikes': 442734, 'major yikes for': 509528, 'yikes for my': 1016393, 'for my credit': 323692, 'my credit card': 547856, 'notpanickingyet': 573623, 'ah so': 39096, 'busy when': 145010, 'when walked': 984413, 'walked down': 964944, 'normal shopping': 567316, 'shopping couple': 762408, 'of hour': 584780, 'hour ago': 405369, 'ago had': 38400, 'had not': 373346, 'not heard': 569916, 'the rumour': 866068, 'rumour notpanickingyet': 727521, 'ah so that': 39097, 'so that why': 778408, 'that why the': 847547, 'why the supermarket': 991435, 'the supermarket wa': 868888, 'supermarket wa so': 823706, 'wa so busy': 963252, 'so busy when': 776664, 'busy when walked': 145011, 'when walked down': 984414, 'walked down to': 964945, 'down to do': 257364, 'to do my': 904531, 'do my normal': 249629, 'my normal shopping': 549511, 'normal shopping couple': 567318, 'shopping couple of': 762409, 'couple of hour': 211639, 'of hour ago': 584781, 'hour ago had': 405370, 'ago had not': 38401, 'had not heard': 373350, 'not heard the': 569919, 'heard the rumour': 388153, 'the rumour notpanickingyet': 866071, 'seen bunch': 746975, 'of dude': 582868, 'dude line': 261597, 'up outside': 945713, 'outside trap': 629626, 'trap house': 930091, 'house like': 406396, 'they wa': 883693, 'just seen bunch': 469739, 'seen bunch of': 746976, 'bunch of dude': 142624, 'of dude line': 582869, 'dude line up': 261598, 'line up outside': 493530, 'up outside trap': 945721, 'outside trap house': 629627, 'trap house like': 930092, 'house like they': 406398, 'like they wa': 491458, 'they wa at': 883694, 'wa at supermarket': 961607, 'using technology': 950679, 'technology to': 836388, 'just couple': 468533, 'of way': 592950, 'can practice': 159275, 'during learn': 262749, 'using technology to': 950680, 'technology to keep': 836391, 'keep in touch': 471596, 'touch with friend': 926577, 'and family and': 62651, 'family and shopping': 297602, 'shopping online to': 763499, 'online to avoid': 609577, 'to avoid going': 900905, 'avoid going to': 105132, 'the store are': 867981, 'store are just': 806490, 'are just couple': 87621, 'just couple of': 468534, 'couple of way': 211650, 'of way you': 592956, 'you can practice': 1017751, 'can practice social': 159279, 'distancing during learn': 247116, 'during learn more': 262750, 'omdia': 598873, 'predicting': 669636, 'virtually': 957829, 'industry analyst': 435621, 'analyst omdia': 57161, 'omdia is': 598876, 'is predicting': 450986, 'predicting that': 669641, 'while significant': 987272, 'significant disruption': 769435, 'disruption is': 246495, 'is virtually': 453710, 'virtually certain': 957834, 'certain the': 170113, 'the anticipated': 848784, 'anticipated impact': 78458, 'industry analyst omdia': 435624, 'analyst omdia is': 57162, 'omdia is predicting': 598877, 'is predicting that': 450987, 'predicting that while': 669643, 'that while significant': 847517, 'while significant disruption': 987273, 'significant disruption is': 769436, 'disruption is virtually': 246498, 'is virtually certain': 453711, 'virtually certain the': 957835, 'certain the anticipated': 170114, 'the anticipated impact': 848786, 'anticipated impact of': 78459, 'join guy': 466728, 'puzzle join guy': 691326, 'enoughdoing': 277785, 'go let': 353798, 'same direction': 733039, 'have supported': 382865, 'supported and': 827037, 'always support': 49758, 'need panicbuying': 555409, 'panicbuying enoughdoing': 638934, 'enoughdoing stopstockpiling': 277786, 'let all go': 486559, 'all go let': 42942, 'go let all': 353799, 'all go in': 42941, 'go in the': 353719, 'the same direction': 866216, 'same direction and': 733040, 'direction and support': 243444, 'and support all': 72832, 'support all those': 826338, 'who have supported': 988960, 'have supported and': 382866, 'supported and will': 827038, 'and will always': 75656, 'will always support': 992277, 'always support in': 49759, 'support in time': 826586, 'of need panicbuying': 586914, 'need panicbuying enoughdoing': 555410, 'panicbuying enoughdoing stopstockpiling': 638935, 'enoughdoing stopstockpiling stoppanicbuying': 277787, 'givi': 351219, 'rather each': 697448, 'each town': 264305, 'town showed': 927549, 'showed it': 767335, 'it support': 461379, 'support by': 826397, 'by letting': 153046, 'letting one': 487428, 'supermarket be': 819318, 'available exclusively': 104349, 'and vital': 75002, 'vital staff': 959723, 'before or': 122983, 'after their': 36370, 'shift surely': 758411, 'surely they': 827949, 'they deserve': 881891, 'deserve that': 238125, 'much without': 545465, 'without risk': 1002892, 'getting or': 349164, 'or givi': 615462, 'would rather each': 1012153, 'rather each town': 697449, 'each town showed': 264307, 'town showed it': 927550, 'showed it support': 767336, 'it support by': 461380, 'support by letting': 826400, 'by letting one': 153047, 'letting one shop': 487429, 'one shop supermarket': 607019, 'shop supermarket be': 760861, 'supermarket be available': 819319, 'be available exclusively': 113755, 'available exclusively for': 104350, 'exclusively for nh': 289718, 'nh and vital': 561884, 'and vital staff': 75004, 'vital staff to': 959724, 'staff to get': 792989, 'they need before': 882721, 'need before or': 554530, 'before or after': 122984, 'or after their': 614274, 'after their shift': 36375, 'their shift surely': 874692, 'shift surely they': 758412, 'surely they deserve': 827951, 'they deserve that': 881905, 'deserve that much': 238126, 'that much without': 845253, 'much without risk': 545466, 'without risk of': 1002893, 'of getting or': 584125, 'getting or givi': 349165, 'rosie': 726121, 'riveter': 724207, 'intensive': 441128, 'faced': 295012, 'can hire': 158680, 'help deal': 389571, 'shopping smart': 763917, 'smart alternative': 775328, 'alternative cannot': 49213, 'cannot we': 162220, 'have rosie': 382357, 'rosie the': 726126, 'the riveter': 865905, 'riveter moment': 724208, 'build ventilator': 142014, 'and temporary': 73110, 'temporary intensive': 837648, 'intensive care': 441131, 'care unit': 164243, 'unit our': 942079, 'country faced': 210638, 'faced greater': 295021, 'greater challenge': 363145, '19 if we': 7668, 'if we can': 415268, 'we can hire': 970963, 'can hire 100': 158681, 'people to help': 649908, 'to help deal': 907488, 'help deal with': 389572, 'deal with the': 229581, 'with the rise': 1001458, 'the rise of': 865858, 'rise of online': 722949, 'online shopping smart': 609273, 'shopping smart alternative': 763918, 'smart alternative cannot': 775329, 'alternative cannot we': 49214, 'cannot we have': 162221, 'we have rosie': 971928, 'have rosie the': 382358, 'rosie the riveter': 726127, 'the riveter moment': 865906, 'riveter moment to': 724209, 'moment to build': 536080, 'to build ventilator': 902093, 'build ventilator and': 142015, 'ventilator and temporary': 954531, 'and temporary intensive': 73113, 'temporary intensive care': 837649, 'intensive care unit': 441136, 'care unit our': 164247, 'unit our country': 942080, 'our country faced': 622589, 'country faced greater': 210639, 'faced greater challenge': 295022, 'besmart': 127540, 'smart and': 775333, 'that that': 846649, 'that emotion': 843696, 'emotion is': 273262, 'always apart': 49468, 'apart of': 81310, 'or marketing': 616066, 'marketing push': 517687, 'push be': 690250, 'smart consumer': 775358, 'consumer smart': 199006, 'smart marketing': 775393, 'marketing besmart': 517532, 'besmart news': 127541, 'news quarentinelife': 560725, 'quarentinelife stayconnected': 693206, 'be smart and': 117231, 'smart and know': 775336, 'know that that': 476791, 'that that emotion': 846650, 'that emotion is': 843697, 'emotion is always': 273263, 'is always apart': 445591, 'always apart of': 49469, 'apart of any': 81311, 'of any news': 580266, 'any news or': 79514, 'news or marketing': 560674, 'or marketing push': 616067, 'marketing push be': 517688, 'push be smart': 690251, 'be smart consumer': 117233, 'smart consumer smart': 775359, 'consumer smart marketing': 199007, 'smart marketing besmart': 775394, 'marketing besmart news': 517533, 'besmart news quarentinelife': 127543, 'news quarentinelife stayconnected': 560726, 'strongest': 814201, 'cast': 166754, 'disablity': 243992, 're plastic': 699269, 'bag with': 108458, 'shopping there': 764103, 'no going': 564360, 'back now': 107160, 'now disabled': 574529, 'disabled people': 243935, 'please come': 659795, 'forward both': 329972, 'both physical': 136006, 'mental disability': 528632, 'disability we': 243858, 'our strongest': 624978, 'strongest position': 814204, 'position the': 665190, 'supermarket cannot': 819519, 'cannot cast': 161706, 'cast aside': 166755, 'aside any': 95399, 'any longer': 79429, 'longer disablity': 501966, 're plastic bag': 699270, 'plastic bag with': 658812, 'bag with online': 108459, 'online shopping there': 609304, 'shopping there no': 764108, 'there no going': 878812, 'no going back': 564361, 'going back now': 355046, 'back now disabled': 107161, 'now disabled people': 574530, 'disabled people please': 243941, 'people please come': 649129, 'please come forward': 659798, 'come forward both': 187297, 'forward both physical': 329974, 'both physical and': 136007, 'and mental disability': 66948, 'mental disability we': 528633, 'disability we are': 243859, 'are in our': 87418, 'in our strongest': 426343, 'our strongest position': 624979, 'strongest position the': 814205, 'position the main': 665191, 'main supermarket cannot': 508833, 'supermarket cannot cast': 819520, 'cannot cast aside': 161707, 'cast aside any': 166756, 'aside any longer': 95400, 'any longer disablity': 79430, 'weakness': 974124, 'smartly': 775493, 'productivity': 682309, 'normalcy': 567430, 'today heartbreaking': 919633, 'heartbreaking covid': 388375, '19 business': 5475, 'business weakness': 144642, 'weakness can': 974125, 'be tomorrow': 117759, 'tomorrow opportunity': 924153, 'opportunity but': 613593, 'be acted': 113474, 'acted upon': 29848, 'upon quickly': 947651, 'quickly and': 694460, 'and smartly': 71792, 'smartly by': 775494, 'by both': 151986, 'both consumer': 135883, 'and b2b': 58601, 'b2b company': 106455, 'ensure productivity': 278014, 'productivity in': 682316, 'the return': 865749, 'to normalcy': 910671, 'today heartbreaking covid': 919634, 'heartbreaking covid 19': 388376, 'covid 19 business': 212743, '19 business weakness': 5486, 'business weakness can': 144643, 'weakness can be': 974126, 'can be tomorrow': 157701, 'be tomorrow opportunity': 117760, 'tomorrow opportunity but': 924154, 'opportunity but they': 613595, 'but they need': 147510, 'to be acted': 901090, 'be acted upon': 113475, 'acted upon quickly': 29849, 'upon quickly and': 947652, 'quickly and smartly': 694464, 'and smartly by': 71793, 'smartly by both': 775495, 'by both consumer': 151988, 'both consumer good': 135886, 'consumer good and': 197597, 'good and b2b': 356724, 'and b2b company': 58602, 'b2b company in': 106456, 'company in order': 190767, 'order to ensure': 618680, 'to ensure productivity': 905182, 'ensure productivity in': 278015, 'productivity in the': 682317, 'in the return': 429515, 'the return to': 865751, 'return to normalcy': 719924, 'unpleasant': 943048, 'ungrateful': 941684, 'now want': 576321, 'of said': 589227, 'said grocery': 731092, 'store their': 810630, 'employee deserve': 273771, 'or slap': 617100, 'slap any': 773531, 'any customer': 79091, 'who act': 988022, 'like rude': 491107, 'rude unpleasant': 727061, 'unpleasant ungrateful': 943055, 'ungrateful piece': 941687, 'shit 19': 759043, 'right now want': 722174, 'now want to': 576323, 'to thank you': 916441, 'everything you are': 288129, 'you are doing': 1017110, 'doing to the': 252803, 'to the ceo': 916549, 'ceo of said': 169785, 'of said grocery': 589229, 'said grocery store': 731093, 'grocery store their': 365850, 'store their employee': 810631, 'their employee deserve': 873140, 'employee deserve the': 273772, 'deserve the right': 238132, 'right to respond': 722353, 'to respond and': 913378, 'respond and or': 715288, 'and or slap': 68232, 'or slap any': 617101, 'slap any customer': 773532, 'any customer who': 79093, 'customer who act': 223072, 'who act like': 988023, 'act like rude': 29687, 'like rude unpleasant': 491109, 'rude unpleasant ungrateful': 727062, 'unpleasant ungrateful piece': 943056, 'ungrateful piece of': 941688, 'piece of shit': 656346, 'of shit 19': 589598, 'selling international': 749308, 'international medical': 441830, 'medical aid': 526037, 'aid to': 39467, 'to iranian': 908505, 'iranian people': 444732, 'government of iran': 360397, 'of iran is': 585296, 'iran is selling': 444691, 'is selling international': 451759, 'selling international medical': 749309, 'international medical aid': 441831, 'medical aid to': 526039, 'aid to iranian': 39470, 'to iranian people': 908506, 'iranian people in': 444734, 'people in high': 648380, 'in high price': 423685, '20 cheap': 12998, 'cheap expert': 174102, 'expert led': 291873, 'led online': 485251, 'online course': 608063, 'course you': 211965, 'take while': 832797, 'distancing bored': 247047, 'bored out': 135365, 'mind you': 532784, 'one with': 607481, 'with mounting': 999579, 'mounting precaution': 543453, 'precaution regarding': 669348, 'people across': 646753, 'been st': 122022, '20 cheap expert': 12999, 'cheap expert led': 174103, 'expert led online': 291874, 'led online course': 485252, 'online course you': 608067, 'course you can': 211967, 'can take while': 159910, 'take while social': 832799, 'social distancing bored': 779571, 'distancing bored out': 247048, 'bored out of': 135366, 'of your mind': 593499, 'your mind you': 1024840, 'mind you re': 532787, 'only one with': 610892, 'one with mounting': 607488, 'with mounting precaution': 999580, 'mounting precaution regarding': 543454, 'precaution regarding covid': 669349, '19 people across': 9617, 'people across the': 646757, 'have been st': 379691, 'ya ll': 1014011, 'll braving': 496661, 'grab more': 361505, 'me luck': 523123, 'ya ll braving': 1014013, 'll braving the': 496662, 'today to grab': 920357, 'to grab more': 906965, 'grab more essential': 361506, 'wish me luck': 996791, 'sucharita': 816882, 'kodali': 477311, 'sucharita kodali': 816883, 'kodali ecommerce': 477312, 'ecommerce expert': 266766, 'expert on': 291895, 'economy consumer': 267772, 'and hoarder': 64641, 'sucharita kodali ecommerce': 816884, 'kodali ecommerce expert': 477313, 'ecommerce expert on': 266767, 'expert on covid': 291896, 'covid 19 economy': 213004, '19 economy consumer': 6710, 'economy consumer spending': 267775, 'consumer spending and': 199044, 'spending and hoarder': 788734, 'assure': 97077, 'zealander': 1027323, 'shop normally': 760492, 'normally that': 567552, 'owner today': 632587, 'today they': 920317, 'they rush': 883233, 'to assure': 900793, 'assure new': 97090, 'new zealander': 560002, 'zealander there': 1027326, 'calm down and': 156719, 'down and shop': 256512, 'and shop normally': 71504, 'shop normally that': 760497, 'normally that the': 567553, 'that the message': 846774, 'message from supermarket': 529323, 'from supermarket owner': 337496, 'supermarket owner today': 821880, 'owner today they': 632588, 'today they rush': 920325, 'they rush to': 883234, 'rush to assure': 728337, 'to assure new': 900795, 'assure new zealander': 97091, 'new zealander there': 560004, 'zealander there is': 1027327, 'there is more': 878588, 'than enough food': 840552, 'enough food in': 277399, 'allegation': 45637, 'norwegian': 567844, 'in attorney': 420570, 'today announced': 919234, 'announced consumer': 76936, 'protection investigation': 685492, 'investigation into': 443876, 'into allegation': 442381, 'allegation of': 45642, 'of misleading': 586577, 'misleading and': 534089, 'and potentially': 69266, 'potentially dangerous': 667202, 'dangerous sale': 225769, 'pitch by': 657002, 'by norwegian': 153354, 'norwegian cruise': 567847, 'just in attorney': 469028, 'in attorney general': 420571, 'moody today announced': 538319, 'today announced consumer': 919237, 'announced consumer protection': 76938, 'consumer protection investigation': 198539, 'protection investigation into': 685493, 'investigation into allegation': 443877, 'into allegation of': 442382, 'allegation of misleading': 45644, 'of misleading and': 586578, 'misleading and potentially': 534090, 'and potentially dangerous': 69269, 'potentially dangerous sale': 667203, 'dangerous sale pitch': 225770, 'sale pitch by': 732449, 'pitch by norwegian': 657003, 'by norwegian cruise': 153355, 'norwegian cruise line': 567848, 'wembley': 978891, 'done with': 255118, 'with suggest': 1001043, 'suggest we': 817553, 'staff all': 792095, 'this take': 890470, 'to wembley': 918493, 'wembley so': 978896, 'when the ha': 984159, 'the ha done': 856992, 'ha done with': 370425, 'done with suggest': 255123, 'with suggest we': 1001044, 'suggest we get': 817554, 'we get all': 971601, 'get all the': 346524, 'the nh staff': 861762, 'nh staff all': 562074, 'staff all the': 792101, 'supermarket worker all': 823982, 'worker all the': 1006225, 'all the delivery': 44715, 'delivery driver and': 233889, 'driver and all': 259407, 'who will get': 989987, 'through this take': 894846, 'this take them': 890473, 'them to wembley': 876530, 'to wembley so': 918494, 'wembley so we': 978897, 'closest': 183531, 'icu': 412830, 'hokianga': 399863, 'important and': 418731, 'and concerning': 60250, 'concerning story': 193245, 'moment do': 535919, 'the closest': 851040, 'closest icu': 183534, 'icu is': 412839, 'in kaikohe': 424430, 'kaikohe and': 470661, 'the hokianga': 857427, 'hokianga kaikohe': 399864, 'this for me': 887593, 'me is the': 523001, 'is the most': 452867, 'most important and': 542395, 'important and concerning': 418732, 'and concerning story': 60251, 'concerning story of': 193246, 'story of the': 812075, 'of the moment': 591248, 'the moment do': 860749, 'moment do you': 535921, 'you know where': 1019543, 'know where the': 477017, 'where the closest': 985220, 'the closest icu': 851041, 'closest icu is': 183535, 'icu is for': 412840, 'is for people': 447888, 'people in kaikohe': 648390, 'in kaikohe and': 424431, 'kaikohe and the': 470662, 'and the hokianga': 73408, 'the hokianga kaikohe': 857428, 'hokianga kaikohe local': 399865, 'fi': 304356, 'sir for': 771565, 'outbreak several': 628615, 'several place': 753921, 'place are': 657333, 'locked down': 500469, 'down so': 257192, 'some necessary': 783339, 'necessary item': 554011, 'item store': 463666, 'store opened': 809271, 'opened but': 612715, 'not allow': 568135, 'it police': 460371, 'police will': 663267, 'allow so': 46060, 'out once': 626928, 'once existing': 605631, 'existing food': 290319, 'stock got': 802203, 'got fi': 358554, 'respected sir for': 715111, 'sir for this': 771567, '19 outbreak several': 9183, 'outbreak several place': 628616, 'several place are': 753922, 'place are locked': 657336, 'are locked down': 87865, 'locked down so': 500478, 'down so grocery': 257193, 'store and some': 806351, 'and some necessary': 71970, 'some necessary item': 783340, 'necessary item store': 554015, 'item store opened': 463667, 'store opened but': 809272, 'opened but we': 612716, 'are not allow': 88316, 'not allow to': 568144, 'buy it police': 148860, 'it police will': 460373, 'police will not': 663268, 'will not allow': 994185, 'not allow so': 568142, 'allow so how': 46061, 'so how can': 777335, 'can we go': 160174, 'we go out': 971648, 'go out once': 353971, 'out once existing': 626929, 'once existing food': 605632, 'existing food stock': 290320, 'food stock got': 316790, 'stock got fi': 802204, 'nejm': 557358, 'caveat': 168258, 'emptor': 274729, 'degrades': 232556, 'excellent work': 289120, 'in nejm': 425800, 'nejm that': 557359, 'live on': 495949, 'surface for': 828020, 'to 24': 899623, '24 hour': 15607, 'hour caveat': 405484, 'caveat emptor': 168259, 'emptor this': 274731, 'wa done': 962015, 'very controlled': 955081, 'controlled lab': 202245, 'lab environment': 478258, 'environment in': 279114, 'wild of': 992068, 'my dirty': 547991, 'dirty er': 243742, 'er or': 280016, 'or your': 617873, 'supermarket it': 821160, 'it degrades': 457499, 'degrades more': 232557, 'more rapidly': 540181, 'rapidly how': 696984, 'excellent work in': 289121, 'work in nejm': 1005328, 'in nejm that': 425801, 'nejm that can': 557360, 'that can live': 843110, 'can live on': 158897, 'live on surface': 495966, 'on surface for': 603847, 'surface for up': 828027, 'up to 24': 946328, 'to 24 hour': 899625, '24 hour caveat': 15614, 'hour caveat emptor': 405485, 'caveat emptor this': 168261, 'emptor this wa': 274732, 'this wa done': 891060, 'wa done in': 962019, 'done in very': 254898, 'in very controlled': 430566, 'very controlled lab': 955082, 'controlled lab environment': 202246, 'lab environment in': 478259, 'environment in the': 279115, 'the wild of': 871557, 'wild of my': 992069, 'of my dirty': 586756, 'my dirty er': 547992, 'dirty er or': 243743, 'er or your': 280017, 'or your supermarket': 617890, 'your supermarket it': 1026049, 'supermarket it degrades': 821166, 'it degrades more': 457500, 'degrades more rapidly': 232558, 'more rapidly how': 540182, 'rapidly how much': 696985, 'how much more': 408361, 'much more we': 545132, 'more we do': 540952, 'gobrowns': 354619, 'wholefoods': 990390, 'ramennoodles': 696392, 'amazing teamwork': 50794, 'teamwork final': 835897, 'final kill': 305842, 'kill for': 474394, 'for victory': 327555, 'victory shield': 956573, 'shield cod': 758143, 'modernwarfare teamwork': 535427, 'teamwork sandwich': 835907, 'sandwich toiletpaper': 733750, 'toiletpaper gobrowns': 922029, 'gobrowns playoff': 354620, 'playoff nfl': 659491, 'nfl cdc': 561774, 'cdc publix': 168604, 'publix wholefoods': 688792, 'wholefoods ramennoodles': 990401, 'ramennoodles law': 696393, 'law lockdown': 482332, 'quarantine beauty': 692044, 'beauty peace': 118769, 'peace tag': 646018, 'tag home': 831757, 'home art': 400734, 'poetry via': 662386, 'amazing teamwork final': 50795, 'teamwork final kill': 835898, 'final kill for': 305843, 'kill for victory': 474395, 'for victory shield': 327556, 'victory shield cod': 956574, 'shield cod modernwarfare': 758144, 'cod modernwarfare teamwork': 185316, 'modernwarfare teamwork sandwich': 535428, 'teamwork sandwich toiletpaper': 835908, 'sandwich toiletpaper gobrowns': 733751, 'toiletpaper gobrowns playoff': 922030, 'gobrowns playoff nfl': 354621, 'playoff nfl cdc': 659492, 'nfl cdc publix': 561775, 'cdc publix wholefoods': 168605, 'publix wholefoods ramennoodles': 688793, 'wholefoods ramennoodles law': 990402, 'ramennoodles law lockdown': 696394, 'law lockdown quarantine': 482333, 'lockdown quarantine beauty': 499821, 'quarantine beauty peace': 692045, 'beauty peace tag': 118771, 'peace tag home': 646019, 'tag home art': 831758, 'home art poetry': 400735, 'art poetry via': 94189, 'bopis': 135188, 'outbreak 42': 627944, '42 of': 18907, 'more 10': 538473, '10 have': 1458, 'have tried': 383399, 'tried bopis': 931761, 'bopis service': 135200, 'and 13': 57368, '13 are': 3184, 'using bopis': 950410, 'bopis more': 135189, 'frequently from': 332853, 'from retail': 337100, 'retail ecommerce': 718057, 'coronavirus outbreak 42': 206369, 'outbreak 42 of': 627945, '42 of consumer': 18908, 'of consumer are': 581708, 'online more 10': 608553, 'more 10 have': 538474, '10 have tried': 1459, 'have tried bopis': 383400, 'tried bopis service': 931762, 'bopis service for': 135201, 'service for the': 752393, 'first time and': 309092, 'time and 13': 896255, 'and 13 are': 57370, '13 are using': 3185, 'are using bopis': 91412, 'using bopis more': 950411, 'bopis more frequently': 135190, 'more frequently from': 539292, 'frequently from retail': 332854, 'from retail ecommerce': 337101, 'and eliminating': 62011, 'eliminating late': 271488, 'rate and eliminating': 697151, 'and eliminating late': 62012, 'eliminating late fee': 271489, 'people losing': 648711, 'losing their': 503594, 'job during': 465806, 'giant are': 349747, 'throwing lifeline': 895097, 'the newly': 861594, 'newly unemployed': 560120, 'with thousand of': 1001756, 'of people losing': 587943, 'people losing their': 648714, 'losing their job': 503597, 'their job during': 873712, 'job during the': 465807, 'the crisis our': 852424, 'crisis our supermarket': 217843, 'our supermarket giant': 625018, 'supermarket giant are': 820499, 'giant are throwing': 349750, 'are throwing lifeline': 91087, 'throwing lifeline to': 895098, 'lifeline to the': 489317, 'to the newly': 916899, 'the newly unemployed': 861598, 'halted': 374476, 'ecozones': 268403, 'economycrisis': 268384, 'suspended philippine': 829627, 'philippine lockdown': 654735, 'ha halted': 370801, 'halted 700': 374477, '700 factory': 21882, 'factory operation': 295974, 'operation in': 613204, 'in ecozones': 422492, 'ecozones factory': 268404, 'factory of': 295970, 'car part': 163241, 'part electronics': 642269, 'electronics other': 271305, 'other industrial': 620422, 'industrial consumer': 435535, 'in luzon': 424960, 'luzon have': 507000, 'have stopped': 382784, 'stopped operation': 805730, 'operation due': 613173, 'outbreak philippine': 628532, 'philippine asia': 654724, 'asia economycrisis': 95173, 'suspended philippine lockdown': 829628, 'philippine lockdown ha': 654736, 'lockdown ha halted': 499448, 'ha halted 700': 370802, 'halted 700 factory': 374478, '700 factory operation': 21883, 'factory operation in': 295975, 'operation in ecozones': 613207, 'in ecozones factory': 422493, 'ecozones factory of': 268405, 'factory of car': 295971, 'of car part': 581132, 'car part electronics': 163243, 'part electronics other': 642270, 'electronics other industrial': 271306, 'other industrial consumer': 620423, 'industrial consumer good': 435536, 'consumer good in': 197620, 'good in luzon': 357247, 'in luzon have': 424961, 'luzon have stopped': 507001, 'have stopped operation': 382790, 'stopped operation due': 805731, 'operation due to': 613174, '19 outbreak philippine': 9169, 'outbreak philippine asia': 628533, 'philippine asia economycrisis': 654725, 'ri': 720921, '19 policy': 9743, 'policy idea': 663423, 'idea if': 413082, 'if lawmaker': 414373, 'lawmaker want': 482499, 'want more': 965855, 'to temporarily': 916355, 'temporarily stay': 837549, 'and conduct': 60269, 'conduct more': 193646, 'shopping ri': 763769, 'ri should': 720934, 'should temporarily': 766564, 'temporarily amp': 837432, 'other sale': 620869, 'sale tax': 732560, 'tax to': 835109, 'encourage delivery': 275580, 'good amp': 356718, 'more those': 540745, 'covid 19 policy': 213594, '19 policy idea': 9747, 'policy idea if': 663424, 'idea if lawmaker': 413084, 'if lawmaker want': 414374, 'lawmaker want more': 482500, 'want more people': 965856, 'more people to': 540045, 'people to temporarily': 649952, 'to temporarily stay': 916364, 'temporarily stay at': 837550, 'home and conduct': 400626, 'and conduct more': 60272, 'conduct more online': 193647, 'online shopping ri': 609253, 'shopping ri should': 763770, 'ri should temporarily': 720935, 'should temporarily amp': 766565, 'temporarily amp other': 837433, 'amp other sale': 54245, 'other sale tax': 620870, 'sale tax to': 732562, 'tax to encourage': 835111, 'to encourage delivery': 905058, 'encourage delivery of': 275581, 'delivery of good': 234225, 'of good amp': 584209, 'good amp food': 356719, 'amp food and': 53819, 'food and keep': 313264, 'and keep more': 65769, 'keep more those': 471678, 'more those who': 540746, 'who have lost': 988936, 'this really': 889817, 'really safe': 702535, 'safe time': 730039, 'ban disposable': 109190, 'disposable bag': 246232, 'bag at': 108233, 'very least': 955296, 'we shouldn': 973305, 'shouldn be': 766720, 'be charged': 114063, 'for paper': 324376, 'paper bag': 639917, 'bag think': 108417, 'provide bag': 686234, 'our safety': 624662, 'pandemic is this': 635800, 'is this really': 453117, 'this really safe': 889827, 'really safe time': 702536, 'safe time for': 730040, 'time for to': 896768, 'for to ban': 327214, 'to ban disposable': 901019, 'ban disposable bag': 109191, 'disposable bag at': 246233, 'bag at the': 108235, 'at the very': 101140, 'the very least': 870707, 'very least we': 955300, 'least we shouldn': 484688, 'we shouldn be': 973306, 'shouldn be charged': 766722, 'be charged for': 114065, 'charged for paper': 173383, 'for paper bag': 324379, 'paper bag think': 639921, 'bag think the': 108418, 'think the hike': 885637, 'the hike in': 857367, 'hike in their': 396225, 'in their price': 429765, 'their price should': 874420, 'price should be': 676385, 'be enough to': 114690, 'enough to provide': 277718, 'to provide bag': 912383, 'provide bag to': 686235, 'bag to their': 108433, 'to their customer': 917220, 'their customer for': 872950, 'customer for our': 222389, 'for our safety': 324286, 'wtop': 1013419, 'dc council': 228944, 'council pass': 210021, 'pass covid': 643202, 'rent freeze': 711094, 'freeze consumer': 332520, 'protection wtop': 685692, 'dc council pass': 228946, 'council pass covid': 210022, 'pass covid 19': 643203, 'relief bill with': 709295, 'bill with rent': 130732, 'with rent freeze': 1000457, 'rent freeze consumer': 711096, 'freeze consumer protection': 332521, 'consumer protection wtop': 198583, '01hr': 792, 'atleast': 101875, '03hrs': 905, 'supermarket starting': 822923, 'today limit': 919808, 'limit shopper': 492489, 'shopper from': 761521, 'from entry': 335293, 'entry those': 279026, 'with ticket': 1001762, 'ticket ha': 895626, 'ha waiting': 372440, 'waiting time': 964392, 'of 01hr': 579297, '01hr and': 793, 'without ticket': 1003008, 'wait atleast': 964082, 'atleast 03hrs': 101876, '03hrs or': 906, 'more singapore': 540398, 'all supermarket starting': 44554, 'supermarket starting today': 822926, 'starting today limit': 795054, 'today limit shopper': 919809, 'limit shopper from': 492490, 'shopper from entry': 761524, 'from entry those': 335294, 'entry those with': 279027, 'those with ticket': 892726, 'with ticket ha': 1001763, 'ticket ha waiting': 895627, 'ha waiting time': 372441, 'waiting time of': 964395, 'time of 01hr': 897307, 'of 01hr and': 579298, '01hr and those': 794, 'and those without': 74045, 'those without ticket': 892736, 'without ticket will': 1003009, 'ticket will need': 895680, 'to wait atleast': 918260, 'wait atleast 03hrs': 964083, 'atleast 03hrs or': 101877, '03hrs or more': 907, 'or more singapore': 616188, 'goodman': 358036, 'bonita': 134319, 'flamingo': 309990, 'sprimg': 791151, 'reach mayor': 699941, 'mayor goodman': 521959, 'goodman with': 358039, 'no luck': 564683, 'luck at': 506438, 'at la': 99397, 'la bonita': 478131, 'bonita supermarket': 134320, 'at rainbow': 100243, 'rainbow flamingo': 695768, 'flamingo it': 309993, 'so packed': 777978, 'from opening': 336704, 'opening till': 612918, 'till it': 896039, 'close these': 182862, 'will pas': 994376, 'pas the': 643152, 'the sprimg': 867652, 'sprimg valley': 791152, 'valley resident': 951982, 'resident we': 714395, 'tried to reach': 931841, 'to reach mayor': 912800, 'reach mayor goodman': 699942, 'mayor goodman with': 521960, 'goodman with no': 358040, 'with no luck': 999764, 'no luck at': 564684, 'luck at la': 506439, 'at la bonita': 99398, 'la bonita supermarket': 478132, 'bonita supermarket at': 134321, 'supermarket at rainbow': 819248, 'at rainbow flamingo': 100244, 'rainbow flamingo it': 695770, 'flamingo it is': 309994, 'is so packed': 452030, 'so packed with': 777979, 'packed with people': 633669, 'with people from': 1000147, 'people from opening': 647998, 'from opening till': 336705, 'opening till it': 612919, 'till it close': 896040, 'it close these': 457187, 'close these people': 182863, 'these people will': 880464, 'people will pas': 650403, 'will pas the': 994380, 'pas the covid': 643154, '19 to the': 11463, 'to the sprimg': 917087, 'the sprimg valley': 867653, 'sprimg valley resident': 791153, 'valley resident we': 951983, 'resident we need': 714397, 'for 100ml': 318632, '100ml hand': 2198, 'for real': 324988, 'real 19': 701016, '19 handsanitizer': 7421, 'handsanitizer dublin': 376520, 'time we live': 898228, 'live in for': 495862, 'in for 100ml': 423005, 'for 100ml hand': 318633, '100ml hand sanitizer': 2199, 'sanitizer for real': 734920, 'for real 19': 324989, 'real 19 handsanitizer': 701017, '19 handsanitizer dublin': 7422, 'shift are': 758240, 'stay by': 796802, '19 related consumer': 10046, 'related consumer behavior': 708396, 'consumer behavior shift': 196512, 'behavior shift are': 124185, 'shift are here': 758242, 'are here to': 87122, 'to stay by': 915276, 'crew': 216677, 'frontlineheroes': 338877, 'would love': 1012009, 'see website': 746014, 'website where': 975477, 'send thank': 749956, 'you gift': 1018818, 'gift to': 350032, 'or hospital': 615669, 'hospital ambulance': 404265, 'ambulance crew': 51324, 'crew etc': 216690, 'etc or': 282692, 'or major': 616034, 'happen frontlineheroes': 377083, 'frontlineheroes even': 338878, 'even every': 284049, 'every place': 286109, 'place ha': 657473, 'ha drop': 370453, 'drop zone': 260462, 'zone thank': 1027776, 'would love to': 1012015, 'love to see': 504855, 'to see website': 914094, 'see website where': 746015, 'website where you': 975480, 'you can send': 1017778, 'can send thank': 159574, 'send thank you': 749957, 'thank you gift': 841731, 'you gift to': 1018819, 'gift to people': 350035, 'store or hospital': 809339, 'or hospital ambulance': 615670, 'hospital ambulance crew': 404266, 'ambulance crew etc': 51326, 'crew etc or': 216691, 'etc or major': 282693, 'or major supermarket': 616035, 'major supermarket can': 509486, 'supermarket can you': 819516, 'can you make': 160318, 'make it happen': 510035, 'it happen frontlineheroes': 458462, 'happen frontlineheroes even': 377084, 'frontlineheroes even every': 338880, 'even every place': 284050, 'every place ha': 286110, 'place ha drop': 657474, 'ha drop zone': 370454, 'drop zone thank': 260463, 'zone thank you': 1027777, 'yieldcos': 1016383, 'of listed': 585883, 'listed yieldcos': 494654, 'yieldcos and': 1016384, 'and infrastructure': 65228, 'infrastructure fund': 438197, 'fund have': 341424, 'fallen but': 297136, 'but asset': 145235, 'asset may': 96447, 'le affected': 482835, 'than equity': 840557, 'market suggest': 517144, 'suggest see': 817530, 'the consequence': 851461, 'consequence for': 194852, 'for energy': 321056, 'infrastructure here': 438202, 'share price of': 755178, 'price of listed': 675492, 'of listed yieldcos': 585886, 'listed yieldcos and': 494655, 'yieldcos and infrastructure': 1016385, 'and infrastructure fund': 65229, 'infrastructure fund have': 438198, 'fund have fallen': 341426, 'have fallen but': 380565, 'fallen but asset': 297137, 'but asset may': 145236, 'asset may be': 96448, 'may be le': 520999, 'be le affected': 115668, 'le affected by': 482836, '19 than equity': 11126, 'than equity market': 840558, 'equity market suggest': 279960, 'market suggest see': 517145, 'suggest see more': 817531, 'see more about': 745424, 'about the consequence': 26356, 'the consequence for': 851463, 'consequence for energy': 194854, 'for energy and': 321057, 'energy and infrastructure': 276390, 'and infrastructure here': 65230, 'neighbourhood': 557265, 'lady walking': 478865, 'walking along': 965013, 'along handing': 46999, 'handing out': 376131, 'out water': 627785, 'water for': 968997, 'outside in': 629458, 'this neighbourhood': 889102, 'neighbourhood gt': 557276, 'gt wherever': 367645, 'this lady walking': 888595, 'lady walking along': 478866, 'walking along handing': 965014, 'along handing out': 47000, 'handing out water': 376141, 'out water for': 627786, 'water for people': 969001, 'queue outside in': 694033, 'outside in supermarket': 629463, 'in supermarket this': 428692, 'supermarket this neighbourhood': 823319, 'this neighbourhood gt': 889103, 'neighbourhood gt wherever': 557277, 'gt wherever you': 367646, 'wherever you live': 985476, 'live in the': 495889, 'intersection': 442129, 'haven changed': 383769, 'changed but': 172449, 'are providing': 89315, 'providing everyone': 686988, 'everyone with': 287620, 'with additional': 997097, 'additional data': 31803, 'data at': 226132, 'no cost': 563906, '19 effort': 6732, 'effort at': 269478, 'link here': 493847, 'there an': 877984, 'an intersection': 56422, 'intersection and': 442130, 'our price haven': 624445, 'price haven changed': 674474, 'haven changed but': 383771, 'changed but we': 172450, 'we are providing': 970672, 'are providing everyone': 89317, 'providing everyone with': 686989, 'everyone with additional': 287621, 'with additional data': 997099, 'additional data at': 31804, 'data at no': 226133, 'at no cost': 99892, 'no cost you': 563910, 'cost you can': 208167, 'you can learn': 1017710, 'can learn more': 158852, 'about our covid': 25888, 'covid 19 effort': 213011, '19 effort at': 6733, 'effort at the': 269479, 'at the link': 101007, 'the link here': 859440, 'link here we': 493850, 'here we ll': 393790, 'll help with': 496843, 'help with your': 390936, 'with your service': 1002232, 'your service is': 1025733, 'service is there': 752525, 'is there an': 452996, 'there an intersection': 877992, 'an intersection and': 56423, 'newprofilepic': 560163, 'newprofilepic supermarket': 560164, 'worker cannot': 1006596, 'home have': 401340, 'not drive': 569106, 'drive stay': 259155, 'stay off': 797137, 'off public': 594092, 'public transport': 688402, 'metro need': 529928, 'you fed': 1018525, 'fed this': 301906, 'getting serious': 349260, 'serious take': 751480, 'note and': 572696, 'listen lockdown': 494693, 'newprofilepic supermarket worker': 560165, 'supermarket worker cannot': 824001, 'worker cannot stay': 1006600, 'cannot stay at': 162123, 'at home have': 99004, 'home have to': 401344, 'out and do': 625657, 'do not drive': 249721, 'not drive stay': 569109, 'drive stay off': 259156, 'stay off public': 797138, 'off public transport': 594094, 'public transport and': 688403, 'transport and metro': 929868, 'and metro need': 66976, 'metro need to': 529929, 'need to use': 556110, 'get to work': 348502, 'keep you fed': 472236, 'you fed this': 1018527, 'fed this is': 301907, 'is getting serious': 448041, 'getting serious take': 349261, 'serious take note': 751481, 'take note and': 832369, 'note and listen': 572698, 'and listen lockdown': 66224, 'venue': 954705, 've tweeted': 953640, 'tweeted this': 936455, 'this before': 886525, 'before believe': 122664, 'ha semi': 371850, 'semi permanently': 749616, 'permanently at': 652084, 'least for': 484468, 'year damaged': 1014506, 'damaged the': 225263, 'consumer model': 198147, 'economy whose': 268353, 'whose net': 990664, 'net effect': 557543, 'effect will': 269160, 'reduced spending': 706169, 'spending across': 788718, 'board especially': 133629, 'especially travel': 280643, 'travel leisure': 930416, 'leisure restaurant': 486142, 'restaurant mall': 716561, 'mall and': 511731, 'and entertainment': 62193, 'entertainment venue': 278612, 'venue get': 954715, 've tweeted this': 953641, 'tweeted this before': 936456, 'this before believe': 886527, 'before believe this': 122665, '19 virus ha': 11803, 'virus ha semi': 958251, 'ha semi permanently': 371851, 'semi permanently at': 749617, 'permanently at least': 652085, 'at least for': 99494, 'least for year': 484473, 'for year damaged': 328002, 'year damaged the': 1014507, 'damaged the consumer': 225264, 'the consumer model': 851562, 'consumer model of': 198148, 'model of our': 535286, 'our economy whose': 622853, 'economy whose net': 268354, 'whose net effect': 990665, 'net effect will': 557544, 'effect will be': 269161, 'be reduced spending': 116740, 'reduced spending across': 706170, 'spending across the': 788719, 'the board especially': 849807, 'board especially travel': 133630, 'especially travel leisure': 280644, 'travel leisure restaurant': 930417, 'leisure restaurant mall': 486143, 'restaurant mall and': 716562, 'mall and entertainment': 511733, 'and entertainment venue': 62198, 'entertainment venue get': 278614, 'venue get ready': 954716, 'ankle': 76757, 'jumpsuit': 467971, 'internally': 441743, 'sadder': 729299, 'for comfortable': 320170, 'comfortable ankle': 187867, 'ankle length': 76760, 'length jumpsuit': 486314, 'jumpsuit few': 467972, 'few website': 304126, 'website list': 975342, 'list them': 494556, 'them internally': 875931, 'internally not': 441744, 'sure what': 827816, 'the ethic': 854546, 'ethic of': 283053, 'of sad': 589208, 'sad shopping': 729229, 'shopping are': 762062, 'are when': 91618, 'need people': 555420, 'work perhaps': 1005608, 'perhaps this': 651654, 'not ethical': 569228, 'ethical now': 283081, 'now even': 574617, 'even sadder': 284538, 'sadder socialdistancing': 729300, 'socialdistancing day': 780309, 'day 30': 227138, '30 stayhome': 17229, 'stayhome day': 797982, 'day 16': 227102, 'went to an': 979138, 'to an online': 900466, 'online store looking': 609457, 'looking for comfortable': 502857, 'for comfortable ankle': 320171, 'comfortable ankle length': 187868, 'ankle length jumpsuit': 76761, 'length jumpsuit few': 486315, 'jumpsuit few website': 467973, 'few website list': 304127, 'website list them': 975344, 'list them internally': 494557, 'them internally not': 875932, 'internally not sure': 441745, 'not sure what': 571851, 'sure what the': 827821, 'what the ethic': 982311, 'the ethic of': 854547, 'ethic of sad': 283056, 'of sad shopping': 589211, 'sad shopping are': 729230, 'shopping are when': 762068, 'are when you': 91620, 'you need people': 1020030, 'need people to': 555423, 'do the work': 250271, 'the work perhaps': 871737, 'work perhaps this': 1005609, 'perhaps this is': 651656, 'is not ethical': 450073, 'not ethical now': 569229, 'ethical now even': 283082, 'now even sadder': 574621, 'even sadder socialdistancing': 284539, 'sadder socialdistancing day': 729301, 'socialdistancing day 30': 780311, 'day 30 stayhome': 227140, '30 stayhome day': 17230, 'stayhome day 16': 797983, 'fucked': 339722, 'borrow': 135593, 'yall fucked': 1014072, 'fucked up': 339730, 'this who': 891371, 'bought up': 136775, 'up all': 944252, 'paper anybody': 639875, 'anybody got': 80082, 'got roll': 358821, 'roll can': 725242, 'can borrow': 157775, 'borrow gotta': 135598, 'gotta take': 359105, 'take shit': 832570, 'shit texas': 759233, 'texas toiletpaper': 839847, 'yall fucked up': 1014073, 'fucked up for': 339732, 'for this who': 327089, 'this who came': 891372, 'came in here': 157017, 'in here and': 423668, 'here and bought': 392699, 'and bought up': 59114, 'bought up all': 136776, 'up all the': 944261, 'toilet paper anybody': 921189, 'paper anybody got': 639876, 'anybody got roll': 80083, 'got roll can': 358822, 'roll can borrow': 725243, 'can borrow gotta': 157776, 'borrow gotta take': 135599, 'gotta take shit': 359106, 'take shit texas': 832571, 'shit texas toiletpaper': 759234, 'scariest': 741103, 'choosing which': 177947, 'couple should': 211673, 'the scariest': 866454, 'scariest thing': 741104, 'thing ve': 884935, 've ever': 953090, 'ever done': 285276, 'choosing which couple': 177948, 'which couple should': 985784, 'couple should go': 211674, 'store is one': 808509, 'of the scariest': 591441, 'the scariest thing': 866455, 'scariest thing ve': 741107, 'thing ve ever': 884938, 've ever done': 953092, 'diego': 241618, 'san diego': 733522, 'diego police': 241627, 'police arrested': 662930, 'arrested eight': 93834, 'eight people': 270192, 'were driving': 979544, 'on item': 601703, 'item like': 463410, 'sanitizer baby': 734535, 'wipe glove': 996273, 'mask by': 518502, 'by selling': 153921, 'selling them': 749490, 'them online': 876103, 'to line': 909315, 'line their': 493457, 'their pocket': 874331, 'pocket with': 662218, 'with profit': 1000335, 'profit during': 682712, 'san diego police': 733528, 'diego police arrested': 241628, 'police arrested eight': 662932, 'arrested eight people': 93835, 'eight people who': 270194, 'people who were': 650357, 'who were driving': 989957, 'were driving up': 979545, 'price on item': 675688, 'on item like': 601707, 'item like toilet': 463425, 'hand sanitizer baby': 375317, 'sanitizer baby wipe': 734536, 'baby wipe glove': 106739, 'wipe glove and': 996274, 'face mask by': 294523, 'mask by selling': 518505, 'by selling them': 153934, 'selling them online': 749494, 'them online to': 876105, 'online to line': 609589, 'to line their': 909317, 'line their pocket': 493458, 'their pocket with': 874334, 'pocket with profit': 662219, 'with profit during': 1000336, 'profit during the': 682715, 'pandemic more at': 635975, 'medford': 525953, 'compromised': 192668, 'destinationmedford': 238990, 'medfordnj': 525956, 'in medford': 425221, 'medford nj': 525954, 'nj have': 563438, 'senior immune': 750333, 'immune compromised': 417316, 'compromised people': 192685, 'people better': 647277, 'better yet': 128617, 're heading': 698794, 'store call': 806843, 'call your': 156259, 'your senior': 1025720, 'senior neighbor': 750362, 'neighbor first': 557009, 'first ask': 308515, 'ask them': 95644, 'can deliver': 158041, 'deliver to': 233248, 'their doorstep': 873080, 'doorstep save': 255869, 'save them': 737678, 'them trip': 876552, 'trip destinationmedford': 932061, 'destinationmedford medfordnj': 238991, 'store in medford': 808338, 'in medford nj': 425222, 'medford nj have': 525955, 'nj have special': 563439, 'for senior immune': 325465, 'senior immune compromised': 750334, 'immune compromised people': 417319, 'compromised people better': 192686, 'people better yet': 647280, 'better yet if': 128618, 'yet if you': 1016099, 'you re heading': 1020640, 're heading to': 698796, 'the store call': 867991, 'store call your': 806844, 'call your senior': 156267, 'your senior neighbor': 1025721, 'senior neighbor first': 750363, 'neighbor first ask': 557010, 'first ask them': 308516, 'ask them what': 95648, 'them what you': 876605, 'you can deliver': 1017655, 'can deliver to': 158048, 'deliver to their': 233253, 'to their doorstep': 917226, 'their doorstep save': 873082, 'doorstep save them': 255870, 'save them trip': 737681, 'them trip destinationmedford': 876553, 'trip destinationmedford medfordnj': 932062, 'is cleaned': 446542, 'serious coronacrisis': 751357, 'when your grocery': 984627, 'store is cleaned': 808473, 'is cleaned out': 446543, 'cleaned out of': 180722, 'out of you': 626881, 'of you know': 593399, 'know it is': 476532, 'it is serious': 459073, 'is serious coronacrisis': 451783, 'staggered': 793241, 'adherence': 32221, 'congregate': 194459, 'staggered by': 793244, 'public lack': 688132, 'of knowledge': 585672, 'knowledge and': 477169, 'and adherence': 57691, 'adherence to': 32222, 'distancing boris': 247049, 'boris didn': 135453, 'didn shut': 241198, 'whole hospitality': 990238, 'industry down': 435784, 'could congregate': 209039, 'congregate in': 194462, 'please shop': 660505, 'own and': 631880, 'putting life': 691158, 'life at': 488505, 'staggered by the': 793245, 'by the public': 154417, 'the public lack': 864825, 'public lack of': 688133, 'lack of knowledge': 478632, 'of knowledge and': 585674, 'knowledge and adherence': 477170, 'and adherence to': 57692, 'adherence to social': 32223, 'social distancing boris': 779572, 'distancing boris didn': 247050, 'boris didn shut': 135454, 'didn shut the': 241199, 'shut the whole': 767945, 'the whole hospitality': 871494, 'whole hospitality industry': 990239, 'hospitality industry down': 404783, 'industry down so': 435785, 'down so you': 257197, 'so you could': 778837, 'you could congregate': 1018080, 'could congregate in': 209040, 'congregate in the': 194463, 'supermarket please shop': 822021, 'please shop on': 660507, 'shop on your': 760551, 'on your own': 605486, 'your own and': 1025124, 'own and leave': 631882, 'and leave the': 66062, 'leave the family': 484965, 'the family at': 854889, 'family at home': 297642, 'at home you': 99181, 'home you are': 402580, 'you are putting': 1017209, 'are putting life': 89354, 'putting life at': 691159, 'life at risk': 488508, 'at risk 19': 100332, 'inter': 441181, 'shuttle': 768296, 'wncn': 1003294, 'current global': 221208, 'global health': 351973, 'created tough': 215917, 'tough situation': 926840, 'situation for': 772269, 'many donation': 514006, 'donation and': 254540, 'volunteer based': 960236, 'based organization': 111706, 'organization including': 619393, 'including inter': 432022, 'inter faith': 441186, 'faith food': 296506, 'food shuttle': 316626, 'shuttle find': 768299, 'home wncn': 402550, 'wncn learn': 1003295, 'can help the': 158661, 'help the current': 390647, 'the current global': 852635, 'current global health': 221210, 'global health crisis': 351976, 'health crisis ha': 386336, 'crisis ha created': 217434, 'ha created tough': 370286, 'created tough situation': 215918, 'tough situation for': 926841, 'situation for many': 772276, 'for many donation': 323215, 'many donation and': 514007, 'donation and volunteer': 254545, 'and volunteer based': 75026, 'volunteer based organization': 960237, 'based organization including': 111707, 'organization including inter': 619394, 'including inter faith': 432023, 'inter faith food': 441187, 'faith food shuttle': 296507, 'food shuttle find': 316627, 'shuttle find out': 768300, 'out what you': 627820, 'to help from': 907524, 'help from the': 389776, 'from the comfort': 337644, 'your home wncn': 1024389, 'home wncn learn': 402551, 'wncn learn more': 1003296, 'nebraskan': 553910, 'insecure nebraskan': 439131, 'nebraskan during': 553911, 'bank are struggling': 109659, 'growing demand of': 367167, 'food insecure nebraskan': 315054, 'insecure nebraskan during': 439132, 'nebraskan during the': 553912, 'issue battle': 455686, 'battle plan': 112810, 'chain aren': 170521, 'aren disrupted': 92380, 'disrupted panic': 246406, 'buying could': 150146, 'could particularly': 209490, 'particularly impact': 642693, 'impact food': 417658, 'supply trend': 826049, 'trend australia': 931286, 'seen in': 747067, 'week 7news': 975807, 'ha been forced': 369810, 'forced to issue': 328638, 'to issue battle': 908554, 'issue battle plan': 455687, 'battle plan to': 112812, 'ensure the world': 278094, 'world food supply': 1009557, 'supply chain aren': 824907, 'chain aren disrupted': 170522, 'aren disrupted panic': 92381, 'disrupted panic buying': 246407, 'panic buying could': 637689, 'buying could particularly': 150149, 'could particularly impact': 209491, 'particularly impact food': 642694, 'impact food supply': 417659, 'food supply trend': 317009, 'supply trend australia': 826050, 'trend australia ha': 931287, 'australia ha seen': 103295, 'ha seen in': 371829, 'seen in in': 747075, 'in in recent': 424001, 'recent week 7news': 704012, 'elation': 270499, 'townspeople': 927629, 'gi': 349708, 'atop': 101991, 'liberation': 488033, 'joy': 467498, 'pallet': 634587, 'jubilation': 467600, 'compare the': 191407, 'the elation': 854098, 'elation of': 270500, 'the townspeople': 869831, 'townspeople in': 927630, 'lyon france': 507144, 'france upon': 331048, 'upon seeing': 947655, 'seeing waving': 746549, 'waving gi': 969411, 'gi atop': 349709, 'atop tank': 101994, 'tank of': 834218, 'of liberation': 585802, 'liberation and': 488034, 'say shopper': 739132, 'shopper joy': 761581, 'joy at': 467502, 'my coming': 547750, 'coming around': 187995, 'corner of': 203655, 'of aisle': 579871, 'aisle with': 40438, 'with pallet': 1000068, 'pallet full': 634588, 'toiletpaper jubilation': 922152, 'jubilation is': 467601, 'is jubilation': 449114, 'compare the elation': 191408, 'the elation of': 854099, 'elation of the': 270501, 'of the townspeople': 591552, 'the townspeople in': 869832, 'townspeople in lyon': 927631, 'in lyon france': 424968, 'lyon france upon': 507145, 'france upon seeing': 331049, 'upon seeing waving': 947657, 'seeing waving gi': 746550, 'waving gi atop': 969412, 'gi atop tank': 349710, 'atop tank of': 101995, 'tank of liberation': 834219, 'of liberation and': 585803, 'liberation and say': 488035, 'and say shopper': 71003, 'say shopper joy': 739134, 'shopper joy at': 761582, 'joy at my': 467503, 'at my coming': 99806, 'my coming around': 547751, 'coming around the': 187996, 'around the corner': 93530, 'the corner of': 851748, 'corner of aisle': 203656, 'of aisle with': 579873, 'aisle with pallet': 40439, 'with pallet full': 1000069, 'pallet full of': 634589, 'full of toiletpaper': 340763, 'of toiletpaper jubilation': 592269, 'toiletpaper jubilation is': 922153, 'jubilation is jubilation': 467602, 'welp my': 978874, 'my schedule': 549996, 'schedule wa': 741477, 'recently changed': 704058, 'changed again': 172427, 'again so': 37166, 'can spend': 159694, 'spend time': 788687, 'all with': 45478, 'recent grocery': 703908, 'panic going': 638139, 'on because': 599602, '19 feel': 6970, 'like should': 491185, 'should work': 766662, 'work scheduled': 1005699, 'scheduled but': 741482, 'but haven': 145888, 'sister since': 771785, 'since november': 770769, 'november and': 573848, 'and miss': 67069, 'miss her': 534147, 'welp my schedule': 978876, 'my schedule wa': 549998, 'schedule wa recently': 741478, 'wa recently changed': 963071, 'recently changed again': 704059, 'changed again so': 172428, 'again so can': 37167, 'so can spend': 776724, 'can spend time': 159698, 'spend time with': 788689, 'time with my': 898355, 'my family at': 548187, 'family at all': 297641, 'at all with': 97921, 'all with the': 45481, 'with the recent': 1001450, 'the recent grocery': 865311, 'recent grocery store': 703909, 'store panic going': 809459, 'panic going on': 638140, 'going on because': 355304, 'on because of': 599604, 'covid 19 feel': 213084, '19 feel like': 6972, 'feel like should': 302743, 'like should work': 491187, 'should work scheduled': 766663, 'work scheduled but': 1005700, 'scheduled but haven': 741483, 'but haven seen': 145892, 'seen my sister': 747148, 'my sister since': 550116, 'sister since november': 771786, 'since november and': 770770, 'november and miss': 573849, 'and miss her': 67071, 'disproportionate': 246301, 'school closing': 741738, 'closing job': 183678, 'job disruption': 465788, 'disruption lack': 246499, '19 disproportionate': 6570, 'disproportionate impact': 246302, 'of adult': 579797, 'adult age': 32786, 'age 60': 37793, 'older along': 598569, 'along low': 47007, 'income family': 432330, 'all contributing': 42446, 'demand on': 235961, 'country encourage': 210615, 'school closing job': 741742, 'closing job disruption': 183679, 'job disruption lack': 465790, 'disruption lack of': 246500, 'lack of paid': 478639, 'leave and the': 484735, 'covid 19 disproportionate': 212963, '19 disproportionate impact': 6571, 'disproportionate impact of': 246303, 'impact of adult': 417751, 'of adult age': 579798, 'adult age 60': 32787, 'age 60 and': 37794, '60 and older': 20904, 'and older along': 68038, 'older along low': 598570, 'along low income': 47008, 'low income family': 505348, 'income family are': 432332, 'family are all': 297622, 'are all contributing': 84295, 'all contributing to': 42447, 'contributing to overwhelming': 201921, 'overwhelming demand on': 631745, 'demand on food': 235966, 'on food bank': 600843, 'bank across the': 109569, 'the country encourage': 852072, 'country encourage you': 210616, 'encourage you all': 275644, 'all to join': 45241, 'to join me': 908678, 'join me here': 466775, 'me here in': 522897, 'jeanne': 464959, 'bohlen': 134040, 'jeanne bohlen': 464960, 'bohlen bohlen': 134041, 'bohlen is': 134043, 'there covid': 878294, 'in fresh': 423117, 'jeanne bohlen bohlen': 464961, 'bohlen bohlen is': 134042, 'bohlen is there': 134044, 'is there covid': 453005, 'there covid 19': 878295, '19 risk in': 10245, 'risk in fresh': 723626, 'in fresh produce': 423119, 'fresh produce in': 333054, 'safeway': 730826, 'tragic': 929189, 'rough': 726240, 'wa shooting': 963197, 'shooting at': 759763, 'the safeway': 866155, 'safeway grocery': 730841, 'near where': 553629, 'in washington': 430707, 'washington dc': 967770, 'dc this': 228978, 'evening it': 284876, 'it tragic': 461841, 'tragic reminder': 929198, 'reminder to': 710599, 'tell family': 836954, 'family you': 298413, 'you love': 1019727, 'love them': 504814, 'to de': 903964, 'de stress': 229109, 'stress in': 813344, 'this rough': 889924, 'rough time': 726262, 'there wa shooting': 879270, 'wa shooting at': 963198, 'shooting at the': 759764, 'at the safeway': 101086, 'the safeway grocery': 866156, 'safeway grocery store': 730843, 'store near where': 809041, 'near where live': 553630, 'where live in': 984986, 'live in washington': 495895, 'in washington dc': 430709, 'washington dc this': 967771, 'dc this evening': 228979, 'this evening it': 887438, 'evening it tragic': 284878, 'it tragic reminder': 461842, 'tragic reminder to': 929199, 'reminder to take': 710604, 'minute to tell': 533877, 'to tell family': 916341, 'tell family you': 836955, 'family you love': 298414, 'you love them': 1019731, 'love them to': 504816, 'them to check': 876461, 'to check in': 902685, 'with your friend': 1002201, 'your friend to': 1023977, 'friend to find': 333844, 'way to de': 970008, 'to de stress': 903965, 'de stress in': 229110, 'stress in this': 813345, 'in this rough': 430006, 'this rough time': 889925, 'auction': 102841, 'toiletpaper auction': 921768, 'auction with': 102873, 'with winning': 1002104, 'winning bid': 996061, 'bid 30k': 129460, '30k on': 17454, 'ebay how': 266467, 'gouging control': 359301, 'control going': 202014, 'toiletpaper auction with': 921769, 'auction with winning': 102874, 'with winning bid': 1002105, 'winning bid 30k': 996062, 'bid 30k on': 129461, '30k on ebay': 17455, 'on ebay how': 600492, 'ebay how is': 266468, 'is that price': 452681, 'that price gouging': 845825, 'price gouging control': 674273, 'gouging control going': 359302, 'also dropped': 48136, 'crisis began': 217123, 'ongoing increasingly': 607648, 'have also dropped': 379210, 'also dropped significantly': 48137, 'dropped significantly since': 260628, 'since the crisis': 770874, 'the crisis began': 852348, 'crisis began the': 217127, 'began the economic': 123438, 'fallout from covid': 297381, 'is ongoing increasingly': 450518, 'ongoing increasingly difficult': 607649, '19 lagos': 8265, 'lagos market': 478937, 'market record': 516964, 'record drop': 704951, 'of perishable': 588047, 'perishable food': 651969, 'covid 19 lagos': 213331, '19 lagos market': 8267, 'lagos market record': 478938, 'market record drop': 516965, 'record drop in': 704952, 'drop in price': 260267, 'price of perishable': 675530, 'of perishable food': 588048, 'perishable food item': 651973, 'cousin in': 212086, 'holland sent': 400427, 'sent these': 750832, 'these photo': 880475, 'yesterday how': 1015768, 'they manage': 882654, 'manage it': 512398, 'it panicbuying': 460254, 'my cousin in': 547838, 'cousin in holland': 212087, 'in holland sent': 423774, 'holland sent these': 400428, 'sent these photo': 750833, 'these photo of': 880477, 'photo of her': 655204, 'of her local': 584578, 'local supermarket yesterday': 498622, 'supermarket yesterday how': 824172, 'yesterday how do': 1015769, 'how do they': 407728, 'do they manage': 250311, 'they manage it': 882655, 'manage it panicbuying': 512400, 'laboring': 478505, 'fulfill': 340396, 'intense': 441074, 'are shuttered': 90097, 'shuttered or': 768210, 'home other': 401795, 'other company': 619976, 'overdrive with': 631192, 'with warehouse': 1002020, 'worker laboring': 1007291, 'laboring behind': 478506, 'scene to': 741362, 'to fulfill': 906300, 'fulfill intense': 340405, 'intense demand': 441077, 'business are shuttered': 143386, 'are shuttered or': 90098, 'shuttered or keep': 768211, 'or keep their': 615902, 'keep their worker': 472099, 'their worker at': 875211, 'worker at home': 1006465, 'at home other': 99073, 'home other company': 401796, 'other company are': 619977, 'company are running': 190447, 'are running in': 89766, 'running in overdrive': 727979, 'in overdrive with': 426388, 'overdrive with warehouse': 631193, 'with warehouse worker': 1002021, 'warehouse worker laboring': 966823, 'worker laboring behind': 1007292, 'laboring behind the': 478507, 'the scene to': 866473, 'scene to fulfill': 741363, 'to fulfill intense': 906303, 'fulfill intense demand': 340406, 'intense demand for': 441078, 'for food cleaning': 321570, 'food cleaning supply': 313942, 'w1': 961330, 'schoolclosure': 742005, 'exhaustion': 290194, 'strangely': 812442, 'expansive': 290571, 'of w1': 592874, 'w1 schoolclosure': 961331, 'schoolclosure this': 742007, 'weekend wa': 977439, 'wa nothing': 962783, 'nothing like': 573094, 'like rest': 491079, 'rest the': 716230, 'opposite complete': 613777, 'complete exhaustion': 192086, 'exhaustion strangely': 290197, 'strangely gas': 812445, 'boston are': 135778, 'almost dollar': 46595, 'dollar more': 253036, 'more expansive': 539168, 'expansive than': 290573, 'than western': 841439, 'western mass': 980630, 'mass per': 519830, 'gallon check': 342989, 'check pricegouging': 174603, 'end of w1': 275923, 'of w1 schoolclosure': 592875, 'w1 schoolclosure this': 961332, 'schoolclosure this weekend': 742008, 'this weekend wa': 891324, 'weekend wa nothing': 977440, 'wa nothing like': 962785, 'nothing like rest': 573099, 'like rest the': 491080, 'rest the opposite': 716231, 'the opposite complete': 862409, 'opposite complete exhaustion': 613778, 'complete exhaustion strangely': 192087, 'exhaustion strangely gas': 290198, 'strangely gas price': 812446, 'price in boston': 674669, 'in boston are': 420911, 'boston are almost': 135779, 'are almost dollar': 84390, 'almost dollar more': 46596, 'dollar more expansive': 253037, 'more expansive than': 539169, 'expansive than western': 290574, 'than western mass': 841440, 'western mass per': 980631, 'mass per gallon': 519831, 'per gallon check': 650842, 'gallon check pricegouging': 342990, 'government response': 360537, 'be close': 114115, 'to ending': 905094, 'ending but': 276166, 'pandemic itself': 635835, 'not likely': 570408, 'end for': 275823, 'are sign that': 90125, 'sign that the': 769225, 'the government response': 856594, 'government response to': 360541, 'the pandemic may': 863021, 'may be close': 520960, 'be close to': 114116, 'close to ending': 182891, 'to ending but': 905095, 'ending but the': 276167, 'but the pandemic': 147380, 'the pandemic itself': 863008, 'pandemic itself is': 635836, 'itself is not': 463941, 'is not likely': 450123, 'not likely to': 570409, 'likely to end': 492147, 'to end for': 905079, 'end for some': 275825, 'for some time': 325771, 'metaphor': 529673, 'breaker': 138860, 'is metaphor': 449640, 'metaphor for': 529674, 'explaining why': 292195, 'flu to': 311477, 'parent spring': 641730, 'spring breaker': 791177, 'breaker replace': 138867, 'replace tp': 711595, 'tp with': 928036, 'with ventilator': 1001967, 'and maybe': 66807, 'll start': 497027, 'understand supply': 940721, 'demand deadly': 235212, 'consequence mom': 194870, 'maybe the run': 521835, 'the run on': 866076, 'run on toiletpaper': 727743, 'on toiletpaper is': 604790, 'toiletpaper is metaphor': 922138, 'is metaphor for': 449641, 'metaphor for explaining': 529675, 'for explaining why': 321335, 'explaining why is': 292196, 'why is worse': 991130, 'worse than the': 1011018, 'than the flu': 841236, 'the flu to': 855466, 'flu to parent': 311478, 'to parent spring': 911462, 'parent spring breaker': 641731, 'spring breaker replace': 791179, 'breaker replace tp': 138868, 'replace tp with': 711596, 'tp with ventilator': 928037, 'with ventilator and': 1001968, 'ventilator and maybe': 954526, 'and maybe they': 66821, 'maybe they ll': 521846, 'they ll start': 882612, 'll start to': 497032, 'start to understand': 794603, 'to understand supply': 917910, 'understand supply and': 940722, 'and demand deadly': 61148, 'demand deadly consequence': 235213, 'deadly consequence mom': 229257, 'lonely': 501293, 'called me': 156369, 'me neighbour': 523206, 'neighbour to': 557242, 'ask if': 95561, 'if she': 414773, 'wa ok': 962811, 'ok she': 597868, 'she is': 756141, 'is 83': 445247, '83 and': 22851, 'and lost': 66409, 'lost her': 503854, 'husband last': 411734, 'last summer': 480512, 'summer she': 818009, 'she cried': 755964, 'cried down': 216747, 'phone because': 654907, 'she feel': 756027, 'feel lonely': 302771, 'lonely said': 501307, 'said please': 731315, 'be sad': 116935, 'sad she': 729227, 'doing me': 252525, 'up list': 945329, 'there people': 878922, 'people let': 648622, 'just called me': 468413, 'called me neighbour': 156373, 'me neighbour to': 523207, 'neighbour to ask': 557243, 'to ask if': 900755, 'ask if she': 95564, 'if she wa': 414782, 'she wa ok': 756420, 'wa ok she': 962814, 'ok she is': 597869, 'she is 83': 756142, 'is 83 and': 445248, '83 and lost': 22852, 'and lost her': 66410, 'lost her husband': 503855, 'her husband last': 392125, 'husband last summer': 411735, 'last summer she': 480517, 'summer she cried': 818010, 'she cried down': 755966, 'cried down the': 216748, 'down the phone': 257293, 'the phone because': 863686, 'phone because she': 654908, 'because she feel': 119545, 'she feel lonely': 756029, 'feel lonely said': 302772, 'lonely said please': 501308, 'said please don': 731316, 'please don be': 659907, 'don be sad': 253365, 'be sad she': 116938, 'sad she is': 729228, 'she is doing': 756150, 'is doing me': 447283, 'doing me up': 252526, 'me up list': 523858, 'up list for': 945330, 'list for the': 494329, 'the supermarket be': 868480, 'supermarket be there': 819325, 'be there people': 117683, 'there people let': 878925, 'people let help': 648625, 'help the most': 390666, 'overcrowded': 631152, 'destination': 238970, 'stratospheric': 812756, 'bedsit': 120463, 'why so': 991352, 'uk one': 938585, 'one answer': 605932, 'answer according': 78003, 'to guardian': 907061, 'guardian is': 367894, 'is overcrowded': 450751, 'overcrowded housing': 631153, 'housing condition': 407062, 'condition in': 193467, 'in low': 424947, 'income household': 432366, 'household popular': 406906, 'popular migration': 664571, 'migration destination': 531246, 'destination stratospheric': 238986, 'stratospheric property': 812757, 'price crowded': 673355, 'crowded bedsit': 219300, 'bedsit similar': 120464, 'similar issue': 769901, 'issue in': 455798, 'other global': 620298, 'global city': 351773, 'why so many': 991354, 'so many case': 777642, 'many case in': 513878, 'case in uk': 165813, 'in uk one': 430393, 'uk one answer': 938586, 'one answer according': 605933, 'answer according to': 78004, 'according to guardian': 28549, 'to guardian is': 907062, 'guardian is overcrowded': 367896, 'is overcrowded housing': 450752, 'overcrowded housing condition': 631154, 'housing condition in': 407063, 'condition in low': 193470, 'in low income': 424949, 'low income household': 505349, 'income household popular': 432369, 'household popular migration': 406907, 'popular migration destination': 664572, 'migration destination stratospheric': 531247, 'destination stratospheric property': 238987, 'stratospheric property price': 812758, 'property price crowded': 684325, 'price crowded bedsit': 673356, 'crowded bedsit similar': 219301, 'bedsit similar issue': 120465, 'similar issue in': 769902, 'issue in other': 455802, 'in other global': 426242, 'other global city': 620299, 'bitter': 131903, 'else notice': 271808, 'notice how': 573283, 'how angry': 407367, 'angry bitter': 76464, 'bitter and': 131904, 'and rude': 70619, 'rude people': 727049, 're wearing': 699787, 'store some': 810260, 'just made': 469202, 'made for': 507741, 'socialdistancing stateofemergency': 780719, 'stateofemergency ppe': 796242, 'anyone else notice': 80277, 'else notice how': 271809, 'notice how angry': 573284, 'how angry bitter': 407368, 'angry bitter and': 76465, 'bitter and rude': 131905, 'and rude people': 70621, 'rude people are': 727050, 'are now that': 88606, 'they re wearing': 883151, 're wearing mask': 699789, 'wearing mask especially': 974690, 'grocery store some': 365785, 'store some people': 810262, 'some people were': 783545, 'people were just': 650208, 'were just made': 979819, 'just made for': 469206, 'made for socialdistancing': 507745, 'for socialdistancing stateofemergency': 325716, 'socialdistancing stateofemergency ppe': 780720, 'fir': 308048, 'honey': 403168, 'these shopping': 880686, 'website just': 975329, 'say use': 739426, 'use code': 949117, 'code covid': 185355, '19 fir': 7017, 'fir additional': 308049, 'additional saving': 31864, 'saving because': 737850, 'because honey': 119133, 'honey online': 403181, 'is where': 453925, 'where it': 984958, 'at right': 100321, 'here lately': 393289, 'these shopping website': 880687, 'shopping website just': 764360, 'website just need': 975330, 'need to say': 556058, 'to say use': 913850, 'say use code': 739427, 'use code covid': 949120, 'code covid 19': 185356, 'covid 19 fir': 213100, '19 fir additional': 7018, 'fir additional saving': 308050, 'additional saving because': 31865, 'saving because honey': 737851, 'because honey online': 119134, 'honey online is': 403182, 'online is where': 608439, 'is where it': 453929, 'where it at': 984959, 'it at right': 456624, 'at right here': 100322, 'right here lately': 721933, 'vdacs': 952795, 'market guidance': 516478, 'wa released': 963084, 'the virginia': 870779, 'virginia department': 957658, 'today this': 920333, 'information along': 437723, 'additional covid': 31799, 'the vdacs': 870655, 'vdacs website': 952796, 'farmer market guidance': 299448, 'market guidance that': 516479, 'guidance that wa': 368290, 'that wa released': 847308, 'wa released by': 963085, 'by the virginia': 154473, 'the virginia department': 870780, 'virginia department of': 957659, 'agriculture and consumer': 38932, 'and consumer service': 60429, 'consumer service today': 198953, 'service today this': 753003, 'today this information': 920338, 'this information along': 888109, 'information along with': 437724, 'along with additional': 47041, 'with additional covid': 997098, 'additional covid 19': 31800, '19 resource are': 10129, 'resource are available': 714712, 'are available on': 84714, 'available on the': 104535, 'on the vdacs': 604425, 'the vdacs website': 870656, 'vdacs website at': 952797, 'it our': 460163, 'our view': 625271, 'view that': 957161, 'being driven': 125084, 'by faltering': 152542, 'faltering consumer': 297493, 'confidence due': 193851, 'job insecurity': 465890, 'insecurity and': 439143, 'uncertainty amongst': 939646, 'amongst other': 53134, 'other bitcoin': 619896, 'bitcoin via': 131845, 'via insight': 956034, 'it our view': 460169, 'our view that': 625274, 'view that the': 957162, 'that the fall': 846721, 'fall in demand': 296944, 'in demand is': 422131, 'demand is being': 235716, 'is being driven': 446079, 'being driven by': 125085, 'driven by faltering': 259278, 'by faltering consumer': 152543, 'faltering consumer confidence': 297494, 'consumer confidence due': 196893, 'confidence due to': 193852, 'to job insecurity': 908669, 'job insecurity and': 465891, 'insecurity and economic': 439144, 'and economic uncertainty': 61914, 'economic uncertainty amongst': 267348, 'uncertainty amongst other': 939647, 'amongst other bitcoin': 53135, 'other bitcoin via': 619897, 'bitcoin via insight': 131846, 'stayhometexas': 798547, 'seriously buy': 751553, 'buy this': 149357, 'this shirt': 890069, 'shirt at': 758969, 'at alonetogether': 97929, 'alonetogether quarantine': 46962, 'quarantine toiletpaperpanic': 692659, 'toiletpaper funny': 922019, 'funny virus': 341811, 'virus washyourhands': 959003, 'washyourhands stayhometexas': 967919, 'stayhometexas meme': 798548, 'meme chinaliedandpeopledied': 528305, 'chinaliedandpeopledied shirt': 177105, 'shirt toiletpapercrisis': 759019, 'toiletpapercrisis stayhome': 923067, 'stayhome china': 797964, 'seriously buy this': 751554, 'buy this shirt': 149362, 'this shirt at': 890070, 'shirt at alonetogether': 758970, 'at alonetogether quarantine': 97930, 'alonetogether quarantine toiletpaperpanic': 46963, 'quarantine toiletpaperpanic toiletpaper': 692660, 'toiletpaperpanic toiletpaper funny': 923263, 'toiletpaper funny virus': 922022, 'funny virus washyourhands': 341812, 'virus washyourhands stayhometexas': 959004, 'washyourhands stayhometexas meme': 967920, 'stayhometexas meme meme': 798549, 'meme meme chinaliedandpeopledied': 528335, 'meme chinaliedandpeopledied shirt': 528306, 'chinaliedandpeopledied shirt toiletpapercrisis': 177106, 'shirt toiletpapercrisis stayhome': 759020, 'toiletpapercrisis stayhome china': 923068, 'afterthought': 36738, 'having entered': 384051, 'entered in': 278356, 'social crisis': 779479, 'is exposing': 447663, 'the forgotten': 855702, 'forgotten key': 329444, 'worker most': 1007394, 'by we': 154699, 'we demand': 971265, 'demand supply': 236290, 'supply more': 825569, 'amp testing': 54629, 'for uk': 327405, 'uk care': 938240, 'worker should': 1007771, 'an afterthought': 55181, 'having entered in': 384052, 'entered in social': 278357, 'in social crisis': 428043, 'social crisis covid': 779480, '19 is exposing': 7969, 'is exposing the': 447665, 'exposing the forgotten': 292938, 'the forgotten key': 855704, 'forgotten key worker': 329445, 'key worker most': 473497, 'worker most affected': 1007395, 'most affected by': 542071, 'affected by we': 34331, 'by we demand': 154701, 'we demand supply': 971269, 'demand supply more': 236296, 'supply more food': 825571, 'more food amp': 539237, 'food amp testing': 313151, 'amp testing kit': 54630, 'kit for uk': 475550, 'for uk care': 327407, 'uk care home': 938241, 'care home care': 163991, 'home care worker': 400878, 'care worker should': 164304, 'worker should not': 1007776, 'not be an': 568353, 'be an afterthought': 113591, 'alcoholicsoap': 41225, 'beatcovid19': 118594, 'coronaphilippines': 205172, 'after touching': 36439, 'surface use': 828082, 'sanitizer frequently': 734937, 'frequently sanitizer': 332873, 'sanitizer alcoholicsoap': 734341, 'alcoholicsoap beatcovid19': 41226, 'beatcovid19 coronaphilippines': 118595, 'after touching surface': 36441, 'touching surface use': 926722, 'surface use sanitizer': 828083, 'use sanitizer frequently': 949541, 'sanitizer frequently sanitizer': 734941, 'frequently sanitizer alcoholicsoap': 332874, 'sanitizer alcoholicsoap beatcovid19': 734342, 'alcoholicsoap beatcovid19 coronaphilippines': 41227, 'touchland': 926759, 'how hand': 407961, 'sanitizer company': 734674, 'company touchland': 191255, 'touchland is': 926760, 'is tackling': 452519, 'tackling unprecedented': 831656, 'how hand sanitizer': 407962, 'hand sanitizer company': 375348, 'sanitizer company touchland': 734677, 'company touchland is': 191256, 'touchland is tackling': 926761, 'is tackling unprecedented': 452520, 'tackling unprecedented demand': 831657, 'unprecedented demand from': 943116, 'rebound': 703295, 'oil rebound': 597388, 'rebound jump': 703319, 'jump more': 467878, 'than 20': 840188, 'oil rebound jump': 597390, 'rebound jump more': 703320, 'jump more than': 467879, 'more than 20': 540552, 'impoverished': 419430, 'liberia': 488036, 'cassava': 166750, 'disease outbreak': 245199, 'outbreak affect': 627962, 'which can': 985730, 'be devastating': 114433, 'devastating for': 239588, 'for impoverished': 322499, 'impoverished ppl': 419431, 'ppl after': 668150, 'after ebola': 35605, 'ebola in': 266548, 'in liberia': 424693, 'liberia rice': 488037, 'price increased': 674795, '30 while': 17265, 'while cassava': 986678, 'cassava price': 166751, 'rose 150': 726040, '150 in': 3914, 'china increased': 176733, 'disease outbreak affect': 245200, 'outbreak affect the': 627963, 'affect the price': 34249, 'of food which': 583816, 'food which can': 317585, 'which can be': 985731, 'can be devastating': 157611, 'be devastating for': 114435, 'devastating for impoverished': 239589, 'for impoverished ppl': 322500, 'impoverished ppl after': 419432, 'ppl after ebola': 668151, 'after ebola in': 35606, 'ebola in liberia': 266549, 'in liberia rice': 424694, 'liberia rice price': 488038, 'rice price increased': 721114, 'price increased by': 674799, 'increased by more': 433233, 'than 30 while': 840228, '30 while cassava': 17266, 'while cassava price': 986679, 'cassava price rose': 166752, 'price rose 150': 676263, 'rose 150 in': 726041, '150 in the': 3916, 'price in china': 674673, 'in china increased': 421408, 'china increased by': 176734, 'increased by 20': 433224, 'basket is': 112360, 'latest mass': 481432, 'mass grocery': 519782, 'offer special': 594805, '60 considered': 20917, 'considered high': 195300, 'the share': 866787, 'or tag': 617321, 'market basket is': 516080, 'basket is the': 112363, 'is the latest': 452845, 'the latest mass': 859125, 'latest mass grocery': 481433, 'mass grocery store': 519783, 'store to offer': 810789, 'to offer special': 910848, 'offer special shopping': 594807, 'hour to those': 406039, 'to those 60': 917492, 'those 60 considered': 891770, '60 considered high': 20918, 'considered high risk': 195301, 'high risk for': 395356, 'for the share': 326678, 'the share with': 866791, 'share with or': 755356, 'with or tag': 999935, 'or tag friend': 617322, 'tag friend who': 831756, 'friend who will': 333910, 'who will want': 990007, 'want to know': 966060, 'priced': 677720, '697': 21532, '1220': 3054, 'gouging hotline': 359340, 'hotline if': 405246, 'see excessively': 745099, 'excessively priced': 289431, 'priced consumer': 677727, 'used primarily': 949992, 'primarily for': 678034, 'personal family': 652841, 'or household': 615683, 'household purpose': 406918, 'purpose to': 690158, 'prevent or': 671676, 'or respond': 616875, 'virus please': 958636, 'report these': 712367, 'these incident': 880159, 'incident to': 431440, 'ny ag': 577831, 'ag office': 36819, 'office at': 595373, '800 697': 22682, '697 1220': 21533, 'price gouging hotline': 674286, 'gouging hotline if': 359341, 'hotline if you': 405247, 'you see excessively': 1021036, 'see excessively priced': 745100, 'excessively priced consumer': 289432, 'priced consumer good': 677728, 'and service that': 71318, 'service that are': 752915, 'that are used': 842839, 'are used primarily': 91398, 'used primarily for': 949993, 'primarily for personal': 678036, 'for personal family': 324498, 'personal family or': 652842, 'family or household': 298130, 'or household purpose': 615687, 'household purpose to': 406919, 'purpose to prevent': 690161, 'to prevent or': 912076, 'prevent or respond': 671682, 'or respond to': 616876, '19 virus please': 11828, 'virus please report': 958640, 'please report these': 660391, 'report these incident': 712368, 'these incident to': 880161, 'incident to the': 431441, 'the ny ag': 861994, 'ny ag office': 577833, 'ag office at': 36821, 'office at 800': 595376, 'at 800 697': 97767, '800 697 1220': 22683, 'over say': 630602, 'chain expert': 170685, 'expert we': 292018, 'buying over say': 150858, 'over say supply': 630603, 'say supply chain': 739197, 'supply chain expert': 824953, 'chain expert we': 170688, 'expert we re': 292020, 'ht': 409741, 'machinelearning': 507426, 'impact in': 417701, 'europe ht': 283452, 'ht machinelearning': 409742, 'machinelearning ai': 507427, 'ai iot': 39319, 'iot ht': 444477, '19 business and': 5478, 'and consumer impact': 60390, 'consumer impact in': 197804, 'impact in europe': 417704, 'in europe ht': 422638, 'europe ht machinelearning': 283453, 'ht machinelearning ai': 409743, 'machinelearning ai iot': 507428, 'ai iot ht': 39320, 'paignton': 634209, 'advice given': 33395, 'given to': 351183, 'new mother': 559116, 'mother and': 543050, 'and father': 62720, 'father with': 300324, 'baby shopping': 106693, 'in paignton': 426425, 'paignton do': 634210, 'with vulnerable': 1002005, 'vulnerable baby': 960879, 'baby will': 106731, 'you pick': 1020327, 'pick item': 655659, 'item up': 463782, 'up off': 945510, 'shelf push': 757443, 'push the': 690323, 'trolley then': 932480, 'then pick': 877419, 'nurse or': 577438, 'or comfort': 614767, 'comfort baby': 187821, 'baby stayathomesavelives': 106705, 'advice given to': 33396, 'given to new': 351188, 'to new mother': 910566, 'new mother and': 559117, 'mother and father': 543051, 'and father with': 62722, 'father with baby': 300325, 'with baby shopping': 997351, 'baby shopping in': 106694, 'supermarket in paignton': 820956, 'in paignton do': 426426, 'paignton do you': 634211, 'do you all': 250613, 'you all need': 1016894, 'go shopping stay': 354127, 'shopping stay at': 763968, 'home with vulnerable': 402544, 'with vulnerable baby': 1002006, 'vulnerable baby will': 960880, 'baby will you': 106732, 'will you pick': 995392, 'you pick item': 1020328, 'pick item up': 655660, 'item up off': 463783, 'up off shelf': 945512, 'off shelf push': 594149, 'shelf push the': 757444, 'push the trolley': 690324, 'the trolley then': 870011, 'trolley then pick': 932482, 'then pick up': 877420, 'pick up and': 655702, 'up and nurse': 944350, 'and nurse or': 67895, 'nurse or comfort': 577440, 'or comfort baby': 614768, 'comfort baby stayathomesavelives': 187822, 'about sending': 26162, 'sending new': 750057, 'new one': 559198, 'me instead': 522987, 'of breaking': 580856, 'breaking one': 139014, 'just father': 468689, 'and husband': 64888, 'husband working': 411797, 'the risking': 865893, 'risking it': 724076, 'how about sending': 407301, 'about sending new': 26163, 'sending new one': 750058, 'new one to': 559204, 'one to me': 607279, 'to me instead': 909936, 'me instead of': 522988, 'instead of breaking': 440239, 'of breaking one': 580857, 'breaking one just': 139015, 'one just father': 606547, 'just father and': 468690, 'father and husband': 300276, 'and husband working': 64890, 'husband working in': 411798, 'during the risking': 263182, 'the risking it': 865894, 'risking it all': 724077, 'teenager': 836530, 'civic': 179491, 'huge shoutout': 410200, 'of teenager': 590636, 'teenager working': 836565, 'on minimum': 602131, 'wage stocking': 963955, 'stocking supermarket': 803601, 'shelf without': 757824, 'without complaint': 1002554, 'complaint significant': 192027, 'significant player': 769488, 'player in': 659310, 'in avoiding': 420640, 'avoiding civic': 105435, 'civic unrest': 179498, 'unrest 19': 943333, 'huge shoutout to': 410201, 'shoutout to the': 766815, 'to the thousand': 917130, 'thousand of teenager': 893467, 'of teenager working': 590638, 'teenager working long': 836567, 'long hour on': 501442, 'hour on minimum': 405818, 'on minimum wage': 602132, 'minimum wage stocking': 533243, 'wage stocking supermarket': 963956, 'stocking supermarket shelf': 803602, 'supermarket shelf without': 822569, 'shelf without complaint': 757825, 'without complaint significant': 1002555, 'complaint significant player': 192028, 'significant player in': 769489, 'player in avoiding': 659311, 'in avoiding civic': 420641, 'avoiding civic unrest': 105436, 'civic unrest 19': 179499, 'tip provided': 898878, '19 scammer': 10356, 'are some tip': 90292, 'some tip provided': 784068, 'tip provided by': 898879, 'provided by to': 686581, 'by to help': 154555, 'help you keep': 390977, 'keep the covid': 472034, 'covid 19 scammer': 213749, '19 scammer at': 10358, 'cbot': 168362, 'weaker': 974096, 'xinhua': 1013854, 'chicago board': 175650, 'board of': 133656, 'of trade': 592393, 'trade cbot': 928431, 'cbot agricultural': 168363, 'agricultural future': 38885, 'future fell': 342321, 'trading week': 928953, 'week ending': 976185, 'ending april': 276164, 'april with': 83721, 'with weaker': 1002047, 'weaker ethanol': 974103, 'ethanol demand': 282972, 'order amid': 618015, 'outbreak pushing': 628554, 'pushing down': 690406, 'down corn': 256658, 'price xinhua': 677679, 'chicago board of': 175651, 'board of trade': 133661, 'of trade cbot': 592395, 'trade cbot agricultural': 928432, 'cbot agricultural future': 168364, 'agricultural future fell': 38886, 'future fell for': 342324, 'fell for the': 303194, 'for the trading': 326739, 'the trading week': 869871, 'trading week ending': 928954, 'week ending april': 976187, 'ending april with': 276165, 'april with weaker': 83723, 'with weaker ethanol': 1002048, 'weaker ethanol demand': 974104, 'ethanol demand due': 282974, 'due to stay': 261972, 'home order amid': 401763, 'order amid the': 618017, '19 outbreak pushing': 9172, 'outbreak pushing down': 628555, 'pushing down corn': 690407, 'down corn price': 256659, 'corn price xinhua': 203589, 'this what': 891344, 'want on': 965871, 'hand close': 374870, 'is this what': 453132, 'this what you': 891351, 'you are waiting': 1017285, 'are waiting for': 91519, 'waiting for how': 964319, 'for how many': 322420, 'many more life': 514307, 'more life do': 539679, 'life do you': 488606, 'do you want': 250694, 'you want on': 1022148, 'want on your': 965873, 'your hand close': 1024178, 'hand close harper': 374871, 'dy of covid': 263748, 'hmrc': 398711, 'for further': 321819, 'further info': 342069, 'on related': 603131, 'shopping email': 762567, 'email text': 272317, 'text post': 839932, 'post claiming': 666041, 'nh hmrc': 561974, 'hmrc charity': 398712, 'charity involving': 173646, 'involving fake': 444395, 'fake donation': 296609, 'donation sanitisers': 254685, 'mask vaccine': 519474, 'vaccine dangerous': 951685, 'dangerous fake': 225737, 'fake treatment': 296726, 'treatment kit': 931100, 'kit refund': 475622, 'refund bogus': 706868, 'bogus investment': 134027, 'investment scheme': 444056, 'for further info': 321822, 'further info on': 342070, 'info on related': 437537, 'on related scam': 603132, 'related scam and': 708546, 'scam and online': 740009, 'online shopping email': 609107, 'shopping email text': 762568, 'email text post': 272325, 'text post claiming': 839933, 'post claiming to': 666042, 'from the nh': 337805, 'the nh hmrc': 861743, 'nh hmrc charity': 561975, 'hmrc charity involving': 398713, 'charity involving fake': 173647, 'involving fake donation': 444396, 'fake donation sanitisers': 296610, 'donation sanitisers mask': 254686, 'sanitisers mask vaccine': 734089, 'mask vaccine dangerous': 519475, 'vaccine dangerous fake': 951686, 'dangerous fake treatment': 225738, 'fake treatment kit': 296727, 'treatment kit refund': 931101, 'kit refund bogus': 475623, 'refund bogus investment': 706869, 'bogus investment scheme': 134028, 'recession with': 704410, 'profit in': 682771, 'in emerging': 422547, 'market claudia': 516171, 'panseri of': 639481, 'of ubs': 592556, 'management we': 512651, 'be negatively': 116064, 'negatively impacted': 556860, 'impacted company': 418094, 'on preserving': 602892, 'preserving their': 670728, 'their balance': 872547, 'earnings recession with': 264928, 'recession with profit': 704414, 'with profit in': 1000337, 'profit in developed': 682775, 'developed market hit': 239719, 'market hit much': 516524, 'much harder than': 544980, 'than in emerging': 840777, 'in emerging market': 422549, 'emerging market claudia': 273130, 'market claudia panseri': 516172, 'claudia panseri of': 180400, 'panseri of ubs': 639482, 'of ubs global': 592557, 'wealth management we': 974175, 'management we also': 512652, 'to be negatively': 901403, 'be negatively impacted': 116066, 'negatively impacted company': 556862, 'impacted company focus': 418095, 'focus on preserving': 311891, 'on preserving their': 602893, 'preserving their balance': 670729, 'their balance sheet': 872548, 'socialsecurity': 781124, 'ssa': 791629, 'while consumer': 986704, 'been focused': 121163, 'on staying': 603655, 'of scammer': 589369, 'been just': 121421, 'just busy': 468379, 'busy trying': 145000, 'steal consumer': 799174, 'consumer including': 197842, 'including their': 432193, 'their socialsecurity': 874746, 'socialsecurity share': 781125, 'share these': 755274, 'customer avoid': 222155, 'avoid ssa': 105292, 'ssa scam': 791632, 'while consumer have': 986706, 'consumer have been': 197707, 'have been focused': 379546, 'been focused on': 121164, 'focused on staying': 311965, 'on staying safe': 603657, 'staying safe healthy': 798693, 'safe healthy since': 729749, 'healthy since the': 387765, 'since the outbreak': 770898, 'outbreak of scammer': 628486, 'of scammer have': 589372, 'have been just': 379590, 'been just busy': 121422, 'just busy trying': 468380, 'busy trying to': 145001, 'trying to steal': 934879, 'to steal consumer': 915360, 'steal consumer including': 799175, 'consumer including their': 197844, 'including their socialsecurity': 432195, 'their socialsecurity share': 874747, 'socialsecurity share these': 781126, 'share these tip': 755277, 'tip from to': 898806, 'help your customer': 391017, 'your customer avoid': 1023407, 'customer avoid ssa': 222156, 'avoid ssa scam': 105294, 'hill asks': 396460, 'asks hoosier': 96142, 'hoosier to': 403384, 'pandemic spread': 636523, 'world for': 1009561, 'for tip': 327202, 'avoid phishing': 105223, 'file consumer': 305340, 'complaint click': 191953, 'curtis hill asks': 221819, 'hill asks hoosier': 396461, 'asks hoosier to': 96143, 'hoosier to be': 403385, 'to be wary': 901628, 'of scam the': 589368, 'scam the covid': 740403, '19 pandemic spread': 9477, 'pandemic spread around': 636525, 'the world for': 871872, 'world for tip': 1009566, 'for tip on': 327205, 'to avoid phishing': 900925, 'avoid phishing scam': 105224, 'phishing scam and': 654830, 'scam and information': 740003, 'and information on': 65223, 'how to file': 409021, 'to file consumer': 905827, 'file consumer complaint': 305341, 'consumer complaint click': 196849, 'complaint click here': 191954, 'garbageman': 343544, 'acknowledgement': 29114, 'saying is': 739614, 'is showing': 451892, 'showing who': 767562, 'who the': 989747, 'the important': 857977, 'society medical': 781265, 'worker cleaning': 1006656, 'cleaning staff': 181063, 'staff garbageman': 792483, 'garbageman farm': 343545, 'farm hand': 299131, 'daily wheel': 224887, 'wheel turning': 983055, 'turning applaud': 935905, 'applaud and': 82249, 'and agree': 57782, 'the acknowledgement': 848295, 'acknowledgement but': 29115, 'people keep saying': 648575, 'keep saying is': 471905, 'saying is showing': 739619, 'is showing who': 451900, 'showing who the': 767563, 'who the important': 989754, 'the important people': 857981, 'important people are': 418917, 'our society medical': 624827, 'society medical professional': 781266, 'store worker cleaning': 811468, 'worker cleaning staff': 1006659, 'cleaning staff garbageman': 181064, 'staff garbageman farm': 792484, 'garbageman farm hand': 343546, 'farm hand and': 299132, 'hand and all': 374749, 'those who keep': 892647, 'who keep the': 989155, 'keep the daily': 472035, 'the daily wheel': 852787, 'daily wheel turning': 224888, 'wheel turning applaud': 983056, 'turning applaud and': 935906, 'applaud and agree': 82250, 'and agree with': 57783, 'agree with the': 38682, 'with the acknowledgement': 1001193, 'the acknowledgement but': 848296, 'dollartree': 253123, 'scream': 742633, 'this selfish': 890016, 'selfish evil': 748088, 'evil lady': 288445, 'lady purchased': 478814, 'purchased every': 689772, 'single paper': 771362, 'from dollartree': 335188, 'dollartree and': 253124, 'then scream': 877504, 'scream go': 742637, 'go donald': 353474, 'this selfish evil': 890019, 'selfish evil lady': 748089, 'evil lady purchased': 288446, 'lady purchased every': 478815, 'purchased every single': 689773, 'every single paper': 286188, 'single paper product': 771363, 'paper product from': 640627, 'product from dollartree': 681215, 'from dollartree and': 335189, 'dollartree and then': 253125, 'and then scream': 73803, 'then scream go': 877505, 'scream go donald': 742638, 'go donald trump': 353475, 'can people': 159210, 'and emptying': 62087, 'emptying store': 275285, 'everyone if': 287026, 'just shop': 469779, 'shop usual': 760997, 'usual am': 950879, 'of hearing': 584519, 'hearing that': 388238, 'very sick': 955531, 'sick mother': 768516, 'mother cannot': 543070, 'can people please': 159215, 'please stop buying': 660570, 'buying and emptying': 149902, 'and emptying store': 62091, 'emptying store in': 275286, 'store in panic': 808369, 'in panic there': 426494, 'for everyone if': 321215, 'everyone if we': 287030, 'if we just': 415289, 'we just shop': 972121, 'just shop usual': 469782, 'shop usual am': 760998, 'usual am so': 950880, 'am so sick': 50412, 'of this so': 592040, 'this so sick': 890222, 'sick of not': 768538, 'of not being': 587080, 'buy food so': 148672, 'food so sick': 316663, 'sick of hearing': 768536, 'of hearing that': 584521, 'hearing that my': 388241, 'that my parent': 845277, 'my parent and': 549687, 'parent and my': 641573, 'and my very': 67393, 'my very sick': 550496, 'very sick mother': 955534, 'sick mother cannot': 768517, 'mother cannot find': 543071, 'cannot find food': 161838, 'clerk go': 181708, 'work every': 1005108, 'and worry': 75904, 'making contract': 511001, 'contract with': 201720, 'and losing': 66400, 'losing my': 503574, 'and infecting': 65196, 'infecting my': 436687, 'who already': 988050, 'have serious': 382471, 'serious health': 751400, 'health problem': 386752, 'store clerk go': 807010, 'clerk go to': 181709, 'to work every': 918716, 'work every day': 1005109, 'day and worry': 227297, 'and worry about': 75905, 'worry about making': 1010644, 'about making contract': 25690, 'making contract with': 511002, 'contract with customer': 201721, 'with customer and': 997897, 'customer and losing': 222084, 'and losing my': 66402, 'losing my life': 503577, 'my life or': 549030, 'life or going': 488953, 'or going home': 615494, 'going home and': 355198, 'home and infecting': 400651, 'and infecting my': 65197, 'infecting my family': 436689, 'my family who': 548234, 'family who already': 298374, 'who already have': 988052, 'already have serious': 47431, 'have serious health': 382474, 'serious health problem': 751401, 'jen': 465061, 'faq': 298663, 'hi jen': 394680, 'jen see': 465064, 'see question': 745620, 'consumer faq': 197447, 'faq on': 298676, 'food thanks': 317082, 'hi jen see': 394682, 'jen see question': 465065, 'see question of': 745621, 'our consumer faq': 622533, 'consumer faq on': 197449, 'faq on covid': 298677, 'and food thanks': 63098, 'moderate': 535345, 'cuomo say': 220428, 'cannot handle': 161936, 'this at': 886446, 'at moderate': 99759, 'moderate level': 535351, 'level potus': 487680, 'potus say': 667292, 'say got': 738696, 'got business': 358458, 'make ppe': 510346, 'you equipment': 1018435, 'equipment you': 279878, 'you left': 1019584, 'left it': 485528, 'warehouse who': 966802, 'seems better': 746760, 'at handling': 98846, 'handling qanon': 376385, 'cuomo say we': 220429, 'say we cannot': 739454, 'we cannot handle': 971064, 'cannot handle this': 161939, 'handle this at': 376284, 'this at moderate': 886451, 'at moderate level': 99760, 'moderate level potus': 535352, 'level potus say': 487681, 'potus say got': 667293, 'say got business': 738697, 'got business that': 358459, 'business that do': 144478, 'do not make': 249781, 'not make ppe': 570504, 'make ppe and': 510347, 'ppe and sanitizer': 667906, 'sanitizer to make': 735934, 'make and to': 509692, 'and to give': 74172, 'give you equipment': 350855, 'you equipment you': 1018436, 'equipment you left': 279880, 'you left it': 1019585, 'left it in': 485530, 'it in warehouse': 458753, 'in warehouse who': 430688, 'warehouse who seems': 966803, 'who seems better': 989578, 'seems better at': 746761, 'better at handling': 128202, 'at handling qanon': 98847, 'breakthrough': 139126, 'timely': 898479, 'major breakthrough': 509249, 'breakthrough the': 139129, 'announced an': 76914, 'the gazette': 856186, 'gazette of': 344766, 'india fixing': 434403, 'fixing the': 309863, 'now ply': 575561, 'at ply': 100136, '10 hand': 1453, 'at 100': 97412, 'per 200': 650673, 'ml bottle': 534709, 'bottle timely': 136338, 'timely action': 898480, 'action by': 29981, 'prevent 19': 671574, 'major breakthrough the': 509250, 'breakthrough the government': 139130, 'india ha just': 434443, 'ha just announced': 371041, 'just announced an': 468190, 'announced an order': 76917, 'an order in': 56700, 'order in the': 618324, 'in the gazette': 429231, 'the gazette of': 856187, 'gazette of india': 344767, 'of india fixing': 585102, 'india fixing the': 434404, 'fixing the retail': 309866, 'the retail price': 865725, 'sanitizers and mask': 736202, 'and mask now': 66758, 'mask now ply': 519031, 'now ply mask': 575563, 'ply mask at': 661775, 'mask at ply': 518430, 'at ply surgical': 100137, 'mask at 10': 518409, 'at 10 hand': 97403, '10 hand sanitizers': 1454, 'hand sanitizers at': 375683, 'sanitizers at 100': 736222, 'at 100 per': 97416, '100 per 200': 2025, 'per 200 ml': 650674, '200 ml bottle': 13505, 'ml bottle timely': 534713, 'bottle timely action': 136339, 'timely action by': 898481, 'action by the': 29983, 'the government to': 856614, 'government to prevent': 360728, 'to prevent 19': 912043, 'chest': 175557, 'clinic': 182289, 'ekg': 270422, 'chest pain': 175567, 'pain and': 634216, 'and trouble': 74465, 'trouble breathing': 932593, 'breathing going': 139226, 'up clinic': 944607, 'clinic to': 182313, 'flu get': 311413, 'an ekg': 55631, 'ekg and': 270423, 'possibly be': 665897, '19 although': 4936, 'although ve': 49378, 'isolation went': 455499, 'store day': 807262, 'risk wish': 724023, 'luck more': 506466, 'more later': 539658, 'chest pain and': 175568, 'pain and trouble': 634218, 'and trouble breathing': 74466, 'trouble breathing going': 932594, 'breathing going to': 139227, 'going to drive': 355578, 'drive up clinic': 259240, 'up clinic to': 944608, 'clinic to be': 182314, 'for the flu': 326440, 'the flu get': 855459, 'flu get an': 311414, 'get an ekg': 346541, 'an ekg and': 55632, 'ekg and possibly': 270424, 'and possibly be': 69218, 'possibly be tested': 665899, 'tested for 19': 839301, 'for 19 although': 318697, '19 although ve': 4938, 'although ve been': 49379, 've been in': 952896, 'been in isolation': 121353, 'in isolation went': 424213, 'isolation went to': 455500, 'grocery store day': 365321, 'store day ago': 807263, 'day ago and': 227195, 'ago and high': 38338, 'and high risk': 64558, 'high risk wish': 395379, 'risk wish me': 724024, 'me luck more': 523129, 'luck more later': 506467, 'immunosuppressed': 417492, 'mass panic': 519821, 'panic around': 637351, 'nut covid': 577658, '19 isn': 8087, 'isn deadly': 454468, 'deadly we': 229310, 'think don': 885210, 'don hoard': 253633, 'hoard mask': 398832, 'food figure': 314465, 'figure out': 305216, 'the immunosuppressed': 857924, 'immunosuppressed stay': 417493, 'healthy covid': 387566, 'the mass panic': 860248, 'mass panic around': 519824, 'panic around the': 637353, 'world is nut': 1009708, 'is nut covid': 450373, 'nut covid 19': 577659, 'covid 19 isn': 213293, '19 isn deadly': 8090, 'isn deadly we': 454469, 'deadly we think': 229312, 'we think don': 973530, 'think don hoard': 885211, 'don hoard mask': 253640, 'hoard mask and': 398833, 'mask and food': 518326, 'and food figure': 63048, 'food figure out': 314466, 'figure out how': 305217, 'to help senior': 907623, 'help senior and': 390509, 'senior and the': 750211, 'and the immunosuppressed': 73416, 'the immunosuppressed stay': 857925, 'immunosuppressed stay healthy': 417494, 'stay healthy covid': 796896, 'healthy covid 19': 387567, '19 are we': 5208, 'are we the': 91597, 'fleeing': 310305, 'tinderbox': 898578, 'exacerbating': 288682, 'tension': 837972, 've spent': 953586, 'last couple': 480164, 'day reporting': 228275, 'reporting on': 712727, 'on city': 599927, 'city people': 179319, 'people fleeing': 647929, 'fleeing to': 310315, 'more remote': 540224, 'area this': 92231, 'just disaster': 468598, 'disaster tourism': 244257, 'tourism it': 926993, 'it far': 457949, 'more widespread': 540982, 'widespread and': 991824, 'it becoming': 456780, 'becoming tinderbox': 120345, 'tinderbox exacerbating': 898579, 'exacerbating tension': 288685, 'tension between': 837979, 'between rich': 128871, 'rich poor': 721252, 'poor urban': 664317, 'urban rural': 948124, 'rural thread': 728267, 've spent the': 953590, 'spent the last': 789173, 'the last couple': 859005, 'last couple day': 480165, 'couple day reporting': 211580, 'day reporting on': 228276, 'reporting on city': 712729, 'on city people': 599928, 'city people fleeing': 179320, 'people fleeing to': 647930, 'fleeing to more': 310316, 'to more remote': 910264, 'more remote area': 540225, 'remote area this': 710696, 'area this is': 92232, 'not just disaster': 570219, 'just disaster tourism': 468599, 'disaster tourism it': 244258, 'tourism it far': 926994, 'it far more': 457951, 'far more widespread': 298855, 'more widespread and': 540983, 'widespread and it': 991825, 'and it becoming': 65490, 'it becoming tinderbox': 456782, 'becoming tinderbox exacerbating': 120346, 'tinderbox exacerbating tension': 898580, 'exacerbating tension between': 288686, 'tension between rich': 837980, 'between rich poor': 128873, 'rich poor urban': 721253, 'poor urban rural': 664318, 'urban rural thread': 948125, 'wtop yes': 1013420, 'protection wtop yes': 685693, 'cheapest': 174300, 'servo': 753241, 'fifty': 304576, 'petrol is': 653746, 'the cheapest': 850735, 'cheapest price': 174309, 'in 20': 419736, 'year servo': 1014943, 'servo have': 753246, 'been selling': 121912, 'selling fuel': 749264, 'fuel with': 340317, 'price varying': 677294, 'varying by': 952680, '50 cent': 19649, 'litre some': 495186, 'some servo': 783833, 'servo are': 753242, 'making fifty': 511069, 'fifty percent': 304581, 'percent profit': 651172, 'profit at': 682667, 'income because': 432298, 'profiteering asshole': 683005, 'petrol is now': 653747, 'at the cheapest': 100908, 'the cheapest price': 850740, 'cheapest price in': 174310, 'price in 20': 674648, 'in 20 year': 419742, '20 year servo': 13425, 'year servo have': 1014944, 'servo have been': 753247, 'have been selling': 379674, 'been selling fuel': 121914, 'selling fuel with': 749265, 'fuel with price': 340318, 'with price varying': 1000318, 'price varying by': 677295, 'varying by 50': 952681, 'by 50 cent': 151661, '50 cent per': 19652, 'cent per litre': 169110, 'per litre some': 650930, 'litre some servo': 495187, 'some servo are': 783834, 'servo are making': 753243, 'are making fifty': 87980, 'making fifty percent': 511070, 'fifty percent profit': 304582, 'percent profit at': 651173, 'profit at time': 682669, 'time when hundred': 898287, 'people are struggling': 647094, 'struggling with no': 814544, 'no income because': 564490, 'income because of': 432299, '19 stop profiteering': 10869, 'stop profiteering asshole': 804942, 'tolietpaper': 923822, 'think ur': 885730, 'ur causing': 947986, 'causing more': 168071, 'panic then': 638691, 'then what': 877741, 'what already': 981012, 'already out': 47546, 'there hospital': 878484, 'are slow': 90174, 'slow case': 774326, 'low understand': 505712, 'understand to': 940794, 'be proactive': 116542, 'proactive but': 679152, 'shelf get': 757116, 'get ur': 348573, 'ur shit': 948058, 'shit together': 759267, 'together 19': 920661, '19 nofood': 8810, 'nofood tolietpaper': 566183, 'think ur causing': 885731, 'ur causing more': 947987, 'causing more panic': 168072, 'more panic then': 539989, 'panic then what': 638693, 'then what already': 877742, 'what already out': 981013, 'already out there': 47548, 'out there hospital': 627489, 'there hospital are': 878485, 'hospital are slow': 404307, 'are slow case': 90175, 'slow case are': 774327, 'case are low': 165641, 'are low understand': 87938, 'low understand to': 505714, 'understand to be': 940795, 'to be proactive': 901456, 'be proactive but': 116543, 'proactive but there': 679153, 'but there no': 147468, 'there no food': 878809, 'no food on': 564265, 'the shelf get': 866842, 'shelf get ur': 757119, 'get ur shit': 348575, 'ur shit together': 948059, 'shit together 19': 759268, 'together 19 nofood': 920663, '19 nofood tolietpaper': 8811, 'nit': 563377, 'only am': 610074, 'to dodge': 904612, 'dodge at': 251270, 'community pharmacy': 190039, 'pharmacy now': 654381, 'now having': 574892, 'dodge nit': 251278, 'nit nit': 563380, 'nit how': 563378, 'doe my': 251457, 'child manage': 176139, 'manage this': 512455, 'this in': 888033, 'lockdown why': 500142, 'why me': 991185, 'me why': 523972, 'why suppose': 991394, 'suppose worst': 827337, 'thing could': 884252, 'could happen': 209233, 'not only am': 570775, 'only am having': 610076, 'am having to': 50121, 'having to dodge': 384342, 'to dodge at': 904613, 'dodge at work': 251271, 'at work at': 101592, 'supermarket to from': 823373, 'to from the': 906268, 'from the community': 337649, 'the community pharmacy': 851291, 'community pharmacy now': 190040, 'pharmacy now having': 654382, 'now having to': 574897, 'to dodge nit': 904616, 'dodge nit nit': 251279, 'nit nit how': 563381, 'nit how doe': 563379, 'how doe my': 407744, 'doe my child': 251458, 'my child manage': 547679, 'child manage this': 176140, 'manage this in': 512456, 'this in lockdown': 888045, 'in lockdown why': 424859, 'lockdown why me': 500143, 'why me why': 991186, 'me why suppose': 523977, 'why suppose worst': 991395, 'suppose worst thing': 827338, 'worst thing could': 1011282, 'thing could happen': 884254, 'snotty': 776389, 'unwashed': 944062, 'just queuing': 469531, 'supermarket woman': 823959, 'front take': 338674, 'take snotty': 832591, 'snotty old': 776390, 'old tissue': 598503, 'tissue out': 899191, 'handbag blow': 376040, 'blow her': 133311, 'her nose': 392231, 'and place': 69045, 'place said': 657673, 'said tissue': 731509, 'tissue straight': 899215, 'straight back': 812205, 'into her': 442619, 'handbag she': 376045, 'she then': 756379, 'then put': 877452, 'put her': 690597, 'her unwashed': 392495, 'unwashed hand': 944065, 'back onto': 107209, 'trolley she': 932466, 'she pushing': 756274, 'just queuing to': 469533, 'queuing to go': 694239, 'go into my': 353759, 'into my local': 442783, 'local supermarket woman': 498619, 'supermarket woman in': 823961, 'in front take': 423137, 'front take snotty': 338675, 'take snotty old': 832592, 'snotty old tissue': 776391, 'old tissue out': 598504, 'tissue out of': 899192, 'out of her': 626752, 'of her handbag': 584574, 'her handbag blow': 392092, 'handbag blow her': 376041, 'blow her nose': 133312, 'her nose and': 392232, 'nose and place': 567872, 'and place said': 69050, 'place said tissue': 657674, 'said tissue straight': 731510, 'tissue straight back': 899216, 'straight back into': 812208, 'back into her': 107111, 'into her handbag': 442621, 'her handbag she': 392093, 'handbag she then': 376046, 'she then put': 756380, 'then put her': 877453, 'put her unwashed': 690599, 'her unwashed hand': 392496, 'unwashed hand back': 944066, 'hand back onto': 374817, 'back onto the': 107210, 'onto the the': 611683, 'the the handle': 869384, 'handle of the': 376242, 'of the trolley': 591558, 'the trolley she': 870010, 'trolley she pushing': 932467, 'gifting': 350059, 'foodgift': 317918, 'foodgifting': 317921, 'foodandbeverage': 317744, 'sale from': 732234, 'from fact': 335382, 'fact consumer': 295699, 'and corporate': 60576, 'corporate food': 207285, 'food gifting': 314664, 'gifting in': 350060, 'the 7th': 848192, '7th edition': 22524, 'edition foodgift': 268613, 'foodgift foodgifting': 317919, 'foodgifting foodandbeverage': 317922, 'foodandbeverage candy': 317745, 'candy chocolate': 161332, 'chocolate snack': 177703, 'snack amazon': 776000, 'now on sale': 575432, 'on sale from': 603266, 'sale from fact': 732235, 'from fact consumer': 335383, 'fact consumer and': 295700, 'consumer and corporate': 196205, 'and corporate food': 60579, 'corporate food gifting': 207286, 'food gifting in': 314665, 'gifting in the': 350061, 'in the 7th': 428960, 'the 7th edition': 848193, '7th edition foodgift': 22525, 'edition foodgift foodgifting': 268614, 'foodgift foodgifting foodandbeverage': 317920, 'foodgifting foodandbeverage candy': 317923, 'foodandbeverage candy chocolate': 317746, 'candy chocolate snack': 161333, 'chocolate snack amazon': 177704, 'democracy': 236678, 'general lockdown': 345399, 'lockdown announced': 499159, 'with report': 1000460, 'food buying': 313850, 'buying if': 150512, 'that poor': 845786, 'country the': 211123, 'only successful': 611216, 'successful arab': 816230, 'arab spring': 83836, 'spring democracy': 791197, 'democracy need': 236687, 'another blow': 77516, 'general lockdown announced': 345400, 'lockdown announced in': 499161, 'announced in today': 76964, 'in today with': 430170, 'today with report': 920559, 'with report of': 1000462, 'report of panic': 712117, 'of panic food': 587726, 'panic food buying': 638110, 'food buying if': 313852, 'buying if that': 150514, 'if that poor': 414943, 'that poor country': 845787, 'poor country the': 664156, 'country the only': 211130, 'the only successful': 862347, 'only successful arab': 611217, 'successful arab spring': 816231, 'arab spring democracy': 83837, 'spring democracy need': 791198, 'democracy need another': 236688, 'need another blow': 554447, 'touted': 927069, 'arena': 92608, 'major business': 509251, 'business trump': 144576, 'trump touted': 933933, 'touted saying': 927074, 'supply not': 825596, 'really online': 702472, 'ordering no': 618986, 'no critical': 563930, 'supply avail': 824825, 'avail online': 104112, 'best for': 127693, 'socialdistancing need': 780549, 'that arena': 842857, 'arena supply': 92611, 'supply via': 826065, 'online coronavir': 608060, 'all major business': 43432, 'major business trump': 509252, 'business trump touted': 144577, 'trump touted saying': 933934, 'touted saying they': 927075, 'they have supply': 882383, 'have supply not': 382861, 'supply not really': 825601, 'not really online': 571242, 'really online ordering': 702473, 'online ordering no': 608710, 'ordering no critical': 618987, 'no critical supply': 563931, 'critical supply avail': 218677, 'supply avail online': 824826, 'avail online shopping': 104113, 'is best for': 446141, 'best for socialdistancing': 127695, 'for socialdistancing need': 325712, 'socialdistancing need help': 780550, 'need help in': 554986, 'help in that': 389908, 'in that arena': 428912, 'that arena supply': 842858, 'arena supply via': 92612, 'supply via online': 826066, 'via online coronavir': 956134, 'weirdly': 977828, 'wasabi': 967417, 'tomorrow venture': 924227, 'store ve': 811039, 'been weirdly': 122367, 'weirdly anxious': 977829, 'she ll': 756196, 'find fully': 306932, 'stocked shelf': 803386, 'shelf or': 757381, 'but wasabi': 147727, 'wasabi pea': 967418, 'pea left': 645979, 'buy either': 148558, 'either way': 270405, 'way ll': 969685, 'll feel': 496755, 'better knowing': 128349, 'knowing what': 477146, 'tomorrow venture out': 924228, 'grocery store ve': 365909, 'store ve been': 811041, 've been weirdly': 952961, 'been weirdly anxious': 122368, 'weirdly anxious about': 977830, 'anxious about what': 78831, 'about what she': 26896, 'what she ll': 982166, 'she ll find': 756197, 'll find fully': 496766, 'find fully stocked': 306933, 'fully stocked shelf': 341100, 'stocked shelf or': 803390, 'shelf or long': 757383, 'or long line': 615999, 'long line to': 501509, 'get in and': 347289, 'in and nothing': 420377, 'and nothing but': 67800, 'nothing but wasabi': 572965, 'but wasabi pea': 147728, 'wasabi pea left': 967419, 'pea left to': 645980, 'left to buy': 485683, 'to buy either': 902220, 'buy either way': 148559, 'either way ll': 270409, 'way ll feel': 969687, 'll feel better': 496756, 'feel better knowing': 302582, 'better knowing what': 128350, 'knowing what we': 477151, 'what we re': 982562, 'we re facing': 972872, 'of stripping': 590305, 'stripping the': 813921, 'bare those': 110974, 'could perhaps': 209497, 'perhaps start': 651635, 'start using': 794621, 'using delivery': 950449, 'delivery apps': 233697, 'apps to': 83323, 'support their': 826892, 'restaurant let': 716547, 'all try': 45293, 'help each': 389616, 'can inittogether': 158754, 'inittogether panicbuying': 438682, 'instead of stripping': 440325, 'of stripping the': 590306, 'stripping the supermarket': 813924, 'supermarket shelf bare': 822433, 'shelf bare those': 756871, 'bare those who': 110975, 'afford it could': 34711, 'it could perhaps': 457366, 'could perhaps start': 209498, 'perhaps start using': 651636, 'start using delivery': 794622, 'using delivery apps': 950450, 'delivery apps to': 233706, 'apps to support': 83327, 'to support their': 915976, 'support their local': 826901, 'their local restaurant': 873874, 'local restaurant let': 498340, 'restaurant let all': 716548, 'let all try': 486575, 'all try and': 45294, 'try and help': 934444, 'and help each': 64445, 'help each other': 389617, 'other in any': 620406, 'we can inittogether': 970967, 'can inittogether panicbuying': 158755, 'ish': 454212, 'scooping': 742320, 'whilst many': 987653, 'you young': 1022491, 'young ish': 1022607, 'ish healthy': 454215, 'healthy ish': 387670, 'ish people': 454219, 'around scooping': 93475, 'scooping up': 742321, 'amp take': 54614, 'consider the': 195133, 'vulnerable ill': 961007, 'ill amp': 416099, 'the foodbanks': 855632, 'foodbanks that': 317849, 'struggling right': 814485, 'whilst many of': 987655, 'of you young': 593435, 'you young ish': 1022492, 'young ish healthy': 1022608, 'ish healthy ish': 454216, 'healthy ish people': 387671, 'ish people are': 454220, 'are going around': 86877, 'going around scooping': 355029, 'around scooping up': 93476, 'scooping up all': 742322, 'the food amp': 855530, 'food amp take': 313150, 'amp take minute': 54616, 'minute to consider': 533869, 'to consider the': 903239, 'consider the elderly': 195137, 'the elderly vulnerable': 854154, 'elderly vulnerable ill': 270931, 'vulnerable ill amp': 961008, 'ill amp the': 416100, 'amp the foodbanks': 54650, 'the foodbanks that': 855633, 'foodbanks that are': 317850, 'that are struggling': 842822, 'are struggling right': 90592, 'struggling right now': 814486, 'messaging': 529507, 'bayside': 113011, 'you hope': 1019247, 'hope local': 403537, 'government take': 360656, 'on some': 603553, 'some responsibility': 783749, 'responsibility for': 715944, 'for messaging': 323416, 'messaging in': 529510, 'space wa': 787185, 'many teenager': 514779, 'teenager were': 836558, 'in bayside': 420735, 'bayside the': 113012, 'the bubble': 850069, 'bubble won': 141625, 'won protect': 1003884, 'thank you hope': 841748, 'you hope local': 1019249, 'hope local government': 403538, 'local government take': 498031, 'government take on': 360658, 'take on some': 832408, 'on some responsibility': 603568, 'some responsibility for': 783750, 'responsibility for messaging': 715946, 'for messaging in': 323417, 'messaging in public': 529511, 'in public space': 427100, 'public space wa': 688331, 'space wa shocked': 787186, 'wa shocked at': 963191, 'shocked at how': 759555, 'how many teenager': 408285, 'many teenager were': 514780, 'teenager were in': 836559, 'were in the': 979782, 'the supermarket yesterday': 868922, 'supermarket yesterday in': 824173, 'yesterday in bayside': 1015773, 'in bayside the': 420736, 'bayside the bubble': 113013, 'the bubble won': 850071, 'bubble won protect': 141626, 'won protect you': 1003885, 'protect you from': 685049, 'you from covid': 1018714, 'tightening': 895850, 'financing': 306730, 'the twin': 870129, 'twin shock': 936579, 'shock of': 759481, 'have triggered': 383405, 'triggered tightening': 931930, 'tightening in': 895853, 'in financing': 422892, 'financing condition': 306731, 'condition and': 193392, 'potential wave': 667177, 'credit distress': 216376, 'distress in': 247928, 'european market': 283589, 'market view': 517299, 'our stress': 624973, 'stress scenario': 813389, 'scenario of': 741277, 'of varying': 592747, 'varying severity': 952686, 'severity here': 754125, 'the twin shock': 870133, 'twin shock of': 936580, 'shock of the': 759483, 'price have triggered': 674467, 'have triggered tightening': 383408, 'triggered tightening in': 931931, 'tightening in financing': 895854, 'in financing condition': 422893, 'financing condition and': 306732, 'condition and potential': 193400, 'and potential wave': 69265, 'potential wave of': 667178, 'wave of credit': 969371, 'of credit distress': 582132, 'credit distress in': 216377, 'distress in the': 247929, 'in the european': 429180, 'the european market': 854584, 'european market view': 283592, 'market view our': 517300, 'view our stress': 957147, 'our stress scenario': 624974, 'stress scenario of': 813391, 'scenario of varying': 741280, 'of varying severity': 592748, 'varying severity here': 952687, 'disabilitysucks': 243867, 'finally getting': 306017, 'getting money': 349116, 'money tomorrow': 537129, 'order since': 618582, 'since mostly': 770755, 'mostly homebound': 542963, 'homebound and': 402605, 'cannot shop': 162091, 'and virtually': 74972, 'virtually everything': 957838, 'stock no': 802495, 'no meat': 564744, 'meat no': 525661, 'pasta very': 643842, 'very little': 955316, 'else no': 271800, 'idea what': 413230, 'son after': 785344, 'after tomorrow': 36433, 'tomorrow disabilitysucks': 924067, 'finally getting money': 306018, 'getting money tomorrow': 349117, 'money tomorrow and': 537130, 'tomorrow and went': 924028, 'place my food': 657583, 'my food order': 548386, 'food order since': 315683, 'order since mostly': 618583, 'since mostly homebound': 770756, 'mostly homebound and': 542964, 'homebound and cannot': 402606, 'and cannot shop': 59519, 'cannot shop and': 162093, 'shop and virtually': 759877, 'and virtually everything': 74973, 'virtually everything is': 957839, 'everything is out': 287881, 'of stock no': 590175, 'stock no meat': 802496, 'no meat no': 564751, 'meat no pasta': 525664, 'no pasta very': 565078, 'pasta very little': 643843, 'very little of': 955324, 'little of anything': 495491, 'of anything else': 580288, 'anything else no': 80748, 'else no idea': 271802, 'no idea what': 564471, 'idea what going': 413231, 'going to feed': 355596, 'feed my son': 302340, 'my son after': 550149, 'son after tomorrow': 785345, 'after tomorrow disabilitysucks': 36434, 'clearer': 181440, '3p': 18378, 'hardware': 378314, 'plumber': 661230, 'electrician': 271139, 'teller': 837166, 'laundromat': 482089, 'more job': 539638, 'job deemed': 465775, 'deemed necessary': 231829, 'be clearer': 114107, 'clearer at': 181441, 'at 3p': 97634, '3p health': 18379, 'employee pharmacist': 274112, 'pharmacist hardware': 654141, 'hardware store': 378320, 'store plumber': 809600, 'plumber electrician': 661231, 'electrician day': 271140, 'day care': 227433, 'provider bank': 686699, 'bank teller': 110228, 'teller restaurant': 837169, 'restaurant staff': 716705, 'staff agriculture': 792088, 'agriculture sanitation': 39025, 'sanitation laundromat': 733851, 'laundromat open': 482096, 'more job deemed': 539639, 'job deemed necessary': 465776, 'deemed necessary and': 231830, 'necessary and all': 553950, 'all of this': 43719, 'of this will': 592072, 'will be clearer': 992398, 'be clearer at': 114108, 'clearer at 3p': 181442, 'at 3p health': 97635, '3p health care': 18380, 'store employee pharmacist': 807522, 'employee pharmacist hardware': 274115, 'pharmacist hardware store': 654142, 'hardware store plumber': 378328, 'store plumber electrician': 809601, 'plumber electrician day': 661232, 'electrician day care': 271141, 'day care provider': 227434, 'care provider bank': 164174, 'provider bank teller': 686700, 'bank teller restaurant': 110229, 'teller restaurant staff': 837170, 'restaurant staff agriculture': 716706, 'staff agriculture sanitation': 792089, 'agriculture sanitation laundromat': 39026, 'sanitation laundromat open': 733852, 'gown': 361362, 'liason': 487986, 'fire department': 308067, 'department hospital': 237206, 'my community': 547762, 'across our': 29416, 'asking it': 96016, 'it citizen': 457136, 'citizen for': 178895, 'mask gown': 518765, 'gown sanitizer': 361388, 'sanitizer why': 736099, 'why why': 991551, 'you fire': 1018587, 'fire the': 308121, 'national pandemic': 552574, 'pandemic team': 636623, 'chinese liason': 177291, 'liason where': 487987, 'test ppeshortage': 839136, 'fire department hospital': 308068, 'department hospital in': 237207, 'hospital in my': 404472, 'in my community': 425555, 'my community across': 547763, 'community across our': 189697, 'across our country': 29419, 'our country are': 622581, 'country are asking': 210458, 'are asking it': 84642, 'asking it citizen': 96017, 'it citizen for': 457137, 'citizen for mask': 178897, 'for mask gown': 323272, 'mask gown sanitizer': 518768, 'gown sanitizer why': 361389, 'sanitizer why why': 736100, 'why why did': 991553, 'why did you': 990922, 'did you fire': 240927, 'you fire the': 1018588, 'fire the national': 308122, 'the national pandemic': 861301, 'national pandemic team': 552575, 'pandemic team the': 636625, 'team the chinese': 835792, 'the chinese liason': 850861, 'chinese liason where': 177292, 'liason where are': 487988, 'where are the': 984739, 'are the mask': 90861, 'the mask where': 860233, 'mask where are': 519550, 'are the test': 90918, 'the test ppeshortage': 869318, 'coronajokes': 205019, 'great place': 362892, 'meet woman': 527657, 'woman now': 1003563, 'it basically': 456710, 'basically the': 112166, 'meet them': 527622, 'them coronajokes': 875561, 'used to hear': 950059, 'hear that the': 387998, 'that the produce': 846812, 'grocery store wa': 365921, 'store wa great': 811114, 'wa great place': 962251, 'great place to': 362893, 'place to meet': 657760, 'to meet woman': 910066, 'meet woman now': 527658, 'woman now it': 1003564, 'now it basically': 575106, 'it basically the': 456711, 'basically the only': 112170, 'only place to': 610987, 'to meet them': 910057, 'meet them coronajokes': 527623, 'people anyway': 646897, 'anyway we': 81060, 'am happy': 50114, 'chudy the': 178302, 'leader at': 483433, 'the portage': 864046, 'help people anyway': 390283, 'people anyway we': 646899, 'anyway we can': 81061, 'can so am': 159655, 'so am happy': 776489, 'am happy we': 50117, 'happy we are': 377725, 'we are able': 970463, 'help out in': 390252, 'jennifer chudy the': 465095, 'chudy the team': 178303, 'the team leader': 869209, 'team leader at': 835720, 'leader at the': 483436, 'at the portage': 101056, 'the portage store': 864047, 'issuing': 456120, 'state regulatory': 795889, 'regulatory agency': 708162, 'are issuing': 87591, 'issuing guidance': 456127, 'guidance to': 368292, 'finance company': 306175, 'company during': 190621, 'state regulatory agency': 795890, 'regulatory agency are': 708163, 'agency are issuing': 37985, 'are issuing guidance': 87593, 'issuing guidance to': 456128, 'guidance to consumer': 368293, 'to consumer finance': 903298, 'consumer finance company': 197474, 'finance company during': 306177, 'company during outbreak': 190622, 'thecustomerwhisperer': 872315, 'to on': 910893, 'on about': 599135, 'retail impact': 718195, 'buying non': 150764, 'non food': 566388, 'sale online': 732422, 'delivery what': 234734, 'will retail': 994682, 'retail look': 718298, 'look post': 502570, 'the peak': 863424, 'peak what': 646119, 'next for': 561367, 'supermarket thecustomerwhisperer': 823260, 'speaking to on': 787773, 'to on about': 910894, 'on about the': 599140, 'about the retail': 26501, 'the retail impact': 865719, 'retail impact of': 718196, 'panic buying non': 637821, 'buying non food': 150766, 'non food sale': 566395, 'food sale online': 316290, 'sale online delivery': 732424, 'online delivery what': 608094, 'delivery what will': 234735, 'what will retail': 982606, 'will retail look': 994683, 'retail look post': 718299, 'look post the': 502571, 'post the peak': 666354, 'the peak what': 863426, 'peak what next': 646120, 'what next for': 981929, 'next for supermarket': 561371, 'for supermarket thecustomerwhisperer': 326029, 'foottraffic': 318581, 'our data': 622694, 'data partner': 226334, 'partner have': 642828, 'have released': 382248, 'released dashboard': 709030, 'dashboard to': 226085, 'consumer activity': 196017, 'activity in': 30439, 'the showing': 867121, 'showing foottraffic': 767446, 'foottraffic by': 318582, 'by brand': 151992, 'brand industry': 137871, 'our data partner': 622697, 'data partner have': 226335, 'partner have released': 642829, 'have released dashboard': 382250, 'released dashboard to': 709031, 'dashboard to understand': 226087, 'affecting consumer activity': 34501, 'consumer activity in': 196023, 'activity in the': 30444, 'in the showing': 429549, 'the showing foottraffic': 867122, 'showing foottraffic by': 767447, 'foottraffic by brand': 318583, 'by brand industry': 151993, 'remodels': 710678, 'withdraws': 1002278, 'hanbury': 374698, 'target pull': 834498, 'pull back': 688849, 'on store': 603690, 'store remodels': 809814, 'remodels and': 710679, 'and opening': 68170, 'opening and': 612798, 'and withdraws': 75782, 'withdraws it': 1002285, 'it financial': 458004, 'financial forecast': 306416, 'forecast for': 328814, 'year the': 1014995, 'coronavirus spread': 206801, 'spread mary': 790618, 'mary hanbury': 518159, 'hanbury report': 374699, 'target pull back': 834499, 'pull back on': 688852, 'back on store': 107200, 'on store remodels': 603699, 'store remodels and': 809815, 'remodels and opening': 710681, 'and opening and': 68171, 'opening and withdraws': 612800, 'and withdraws it': 75783, 'withdraws it financial': 1002286, 'it financial forecast': 458006, 'financial forecast for': 306417, 'forecast for the': 328821, 'for the year': 326794, 'the year the': 872171, 'year the coronavirus': 1014997, 'the coronavirus spread': 851918, 'coronavirus spread mary': 206805, 'spread mary hanbury': 790619, 'mary hanbury report': 518160, 'hanbury report for': 374700, 'fighting 19': 305022, '19 shop': 10474, 'keeper are': 472337, 'are looting': 87889, 'looting vegetable': 503280, 'do support': 250197, 'the but': 850189, 'poor and': 664109, 'and needy': 67492, 'needy there': 556711, 'be plan': 116428, 'least should': 484626, 'should reach': 766368, 'reach home': 699928, 'in country where': 421830, 'country where we': 211224, 'where we all': 985336, 'we all are': 970311, 'all are fighting': 42042, 'are fighting 19': 86540, 'fighting 19 shop': 305024, '19 shop keeper': 10476, 'shop keeper are': 760388, 'keeper are looting': 472338, 'are looting vegetable': 87892, 'looting vegetable price': 503281, 'vegetable price are': 954069, 'up we do': 946543, 'we do support': 971351, 'do support the': 250198, 'support the but': 826862, 'the but what': 850206, 'but what will': 147803, 'happen to the': 377188, 'to the poor': 916965, 'the poor and': 863966, 'poor and needy': 664112, 'and needy there': 67494, 'needy there must': 556712, 'must be plan': 546529, 'be plan for': 116429, 'plan for them': 658129, 'for them they': 326924, 'them they at': 876411, 'they at least': 881504, 'at least should': 99544, 'least should reach': 484627, 'should reach home': 766369, 'websiteexpertsinghana': 975516, 'coronainghana': 204989, 'nanaaddo': 551779, 'this put': 889763, 'smile on': 775727, 'face in': 294468, 'time cheer': 896468, 'cheer to': 175120, 'great week': 363106, 'week wash': 977181, 'hand use': 375899, 'use alcohol': 949018, 'based sanitizer': 111732, 'sanitizer avoid': 734529, 'avoid taking': 105309, 'taking your': 833669, 'face most': 294623, 'importantly stay': 419142, 'home websiteexpertsinghana': 402467, 'websiteexpertsinghana coronainghana': 975517, 'coronainghana nanaaddo': 204990, 'nanaaddo stayathome': 551780, 'stayathome quarantinelife': 797586, 'we hope this': 972037, 'hope this put': 403724, 'this put smile': 889766, 'put smile on': 690819, 'smile on your': 775729, 'on your face': 605461, 'your face in': 1023747, 'face in these': 294471, 'trying time cheer': 934744, 'time cheer to': 896469, 'cheer to great': 175121, 'to great week': 906992, 'great week wash': 363107, 'week wash your': 977182, 'your hand use': 1024237, 'hand use alcohol': 375900, 'use alcohol based': 949019, 'alcohol based sanitizer': 40935, 'based sanitizer avoid': 111735, 'sanitizer avoid taking': 734530, 'avoid taking your': 105310, 'taking your face': 833674, 'your face most': 1023753, 'face most importantly': 294624, 'most importantly stay': 542424, 'importantly stay home': 419143, 'stay home websiteexpertsinghana': 797025, 'home websiteexpertsinghana coronainghana': 402468, 'websiteexpertsinghana coronainghana nanaaddo': 975518, 'coronainghana nanaaddo stayathome': 204991, 'nanaaddo stayathome quarantinelife': 551781, 'acct': 28840, 'ssns': 791669, 'phishers': 654790, 'scammer may': 740593, 'may use': 521591, 'use fake': 949206, 'or text': 617351, 'text to': 839953, 'share valuable': 755324, 'valuable personal': 952043, 'info like': 437511, 'like acct': 489722, 'acct number': 28841, 'number ssns': 577054, 'ssns or': 791670, 'your login': 1024736, 'login id': 500684, 'id and': 412924, 'password here': 643470, 'here real': 393508, 'world example': 1009525, 'of phishers': 588095, 'phishers pretending': 654791, 'pretending to': 671339, 'be learn': 115685, 'scammer may use': 740597, 'may use fake': 521592, 'use fake email': 949207, 'fake email or': 296617, 'email or text': 272262, 'or text to': 617355, 'text to get': 839955, 'get you to': 348686, 'you to share': 1021835, 'to share valuable': 914371, 'share valuable personal': 755326, 'valuable personal info': 952044, 'personal info like': 652884, 'info like acct': 437512, 'like acct number': 489723, 'acct number ssns': 28842, 'number ssns or': 577055, 'ssns or your': 791671, 'or your login': 617884, 'your login id': 1024737, 'login id and': 500685, 'id and password': 412925, 'and password here': 68751, 'password here real': 643472, 'here real world': 393509, 'real world example': 701465, 'world example of': 1009526, 'example of phishers': 288942, 'of phishers pretending': 588096, 'phishers pretending to': 654792, 'pretending to be': 671340, 'to be learn': 901359, 'be learn more': 115686, 'cv': 223832, 'walgreens': 964711, 'rite': 724144, 'radius': 695481, 'nada': 551367, 'backpackingbear': 107581, 've checked': 952993, 'checked every': 174749, 'every cv': 285778, 'cv walgreens': 223858, 'walgreens and': 964712, 'and rite': 70569, 'rite aid': 724145, 'five mile': 309637, 'mile radius': 531408, 'radius but': 695484, 'but nada': 146445, 'nada backpackingbear': 551370, 'backpackingbear shelterinplace': 107582, 'shelterinplace toiletpaper': 758030, 've checked every': 952994, 'checked every cv': 174750, 'every cv walgreens': 285780, 'cv walgreens and': 223859, 'walgreens and rite': 964714, 'and rite aid': 70570, 'rite aid in': 724146, 'aid in five': 39407, 'in five mile': 422918, 'five mile radius': 309638, 'mile radius but': 531409, 'radius but nada': 695485, 'but nada backpackingbear': 146446, 'nada backpackingbear shelterinplace': 551371, 'backpackingbear shelterinplace toiletpaper': 107583, 'dear mom': 229833, 'mom we': 535829, 'very sorry': 955570, 'sorry the': 786085, 'people crazy': 647576, 'crazy they': 215442, 'over toiletpaper': 630852, 'toiletpaper everywhere': 921961, 'everywhere can': 288181, 'we please': 972711, 'home toiletpaperapocalypse': 402359, 'dear mom we': 229834, 'mom we are': 535830, 'we are very': 970753, 'are very sorry': 91480, 'very sorry the': 955574, 'sorry the ha': 786087, 'the ha made': 857002, 'made people crazy': 507912, 'people crazy they': 647577, 'crazy they are': 215443, 'they are fighting': 881276, 'are fighting over': 86547, 'fighting over toiletpaper': 305112, 'over toiletpaper everywhere': 630853, 'toiletpaper everywhere can': 921962, 'everywhere can we': 288182, 'can we please': 160186, 'we please come': 972712, 'please come home': 659799, 'come home toiletpaperapocalypse': 187350, 'home toiletpaperapocalypse toilet': 402360, 'toiletpaperapocalypse toilet tissue': 922926, '3am': 18205, 'eminem': 273185, 'youneedgroceries': 1022554, '3am walk': 18210, 'walk to': 964897, 'with eminem': 998204, 'eminem fall': 273186, 'fall my': 296995, 'should worry': 766666, 'worry pandemia': 1010760, 'pandemia socialdistancing': 634753, 'socialdistancing youneedgroceries': 780893, 'youneedgroceries eminem': 1022555, '3am walk to': 18211, 'walk to grocery': 964898, 'store with eminem': 811373, 'with eminem fall': 998205, 'eminem fall my': 273187, 'fall my company': 296996, 'my company should': 547774, 'company should worry': 191082, 'should worry pandemia': 766668, 'worry pandemia socialdistancing': 1010761, 'pandemia socialdistancing youneedgroceries': 634754, 'socialdistancing youneedgroceries eminem': 780894, 'conte': 200754, 'contemplate': 200757, 'consumerbehaviour': 199628, 'be confident': 114179, 'confident in': 194003, 'the containment': 851650, 'place appreciate': 657331, 'appreciate that': 82751, 'that president': 845812, 'president conte': 670792, 'conte put': 200755, 'put his': 690600, 'his face': 397408, 'face use': 294837, 'use time': 949743, 'time at': 896343, 'to contemplate': 903373, 'contemplate and': 200758, 'and reflect': 70124, 'reflect on': 706615, 'the really': 865262, 'thing 37': 884078, '37 italy': 18071, 'italy consumerbehaviour': 462796, 'consumerbehaviour insight': 199636, 'insight mrx': 439596, 'we must be': 972404, 'must be confident': 546498, 'be confident in': 114180, 'confident in the': 194005, 'in the containment': 429092, 'the containment measure': 851653, 'containment measure in': 200604, 'in place appreciate': 426721, 'place appreciate that': 657332, 'appreciate that president': 82752, 'that president conte': 845813, 'president conte put': 670793, 'conte put his': 200756, 'put his face': 690602, 'his face use': 397411, 'face use time': 294838, 'use time at': 949744, 'time at home': 896348, 'at home to': 99149, 'home to contemplate': 402314, 'to contemplate and': 903374, 'contemplate and reflect': 200759, 'and reflect on': 70125, 'reflect on the': 706618, 'on the really': 604320, 'the really important': 865263, 'important thing 37': 419028, 'thing 37 italy': 884079, '37 italy consumerbehaviour': 18072, 'italy consumerbehaviour insight': 462797, 'consumerbehaviour insight mrx': 199637, 'restaurantnews': 716839, 'for restaurant': 325173, 'restaurant reaching': 716658, 'reaching older': 700097, 'older diner': 598593, 'diner intel': 242982, 'intel restaurantnews': 440971, '19 cure for': 6384, 'cure for restaurant': 220745, 'for restaurant reaching': 325177, 'restaurant reaching older': 716659, 'reaching older diner': 700098, 'older diner intel': 598596, 'diner intel restaurantnews': 242983, 'mongering': 537221, 'seen lot': 747123, 'of scare': 589384, 'scare mongering': 740894, 'mongering and': 537222, 'some client': 782548, 'client approach': 181999, 'approach me': 82967, 'me suggesting': 523564, 'suggesting house': 817598, 'drop up': 260442, 'to 60': 899785, '60 think': 21017, 'article highlight': 94351, 'highlight much': 395935, 'better the': 128548, 'the realistic': 865253, 'realistic impact': 701664, 've seen lot': 953537, 'seen lot of': 747124, 'lot of scare': 504274, 'of scare mongering': 589386, 'scare mongering and': 740895, 'mongering and some': 537223, 'and some client': 71955, 'some client approach': 782549, 'client approach me': 182000, 'approach me suggesting': 82968, 'me suggesting house': 523565, 'suggesting house price': 817599, 'price drop up': 673584, 'drop up to': 260443, 'up to 60': 946343, 'to 60 think': 899792, '60 think this': 21018, 'think this article': 885696, 'this article highlight': 886418, 'article highlight much': 94352, 'highlight much better': 395936, 'much better the': 544763, 'better the realistic': 128549, 'the realistic impact': 865254, 'realistic impact of': 701665, 'coronavirus on the': 206344, 'on the property': 604309, 'saudi based': 737246, 'based office': 111662, 'office lunch': 595480, 'lunch delivery': 506722, 'delivery platform': 234342, 'platform ha': 658970, 'ha rolled': 371778, 'customer gain': 222407, 'gain easier': 342766, 'easier access': 265129, 'to daily': 903895, 'daily supply': 224817, 'supply at': 824808, 'saudi based office': 737247, 'based office lunch': 111663, 'office lunch delivery': 595481, 'lunch delivery platform': 506723, 'delivery platform ha': 234344, 'platform ha rolled': 658972, 'ha rolled out': 371780, 'rolled out new': 725646, 'out new grocery': 626625, 'grocery delivery service': 364451, 'delivery service to': 234472, 'help customer gain': 389558, 'customer gain easier': 222408, 'gain easier access': 342767, 'easier access to': 265130, 'access to daily': 28226, 'to daily supply': 903896, 'daily supply at': 224819, 'supply at affordable': 824809, 'invokes': 444315, 'trump invokes': 933637, 'invokes defense': 444316, 'act allowing': 29586, 'allowing forced': 46288, 'forced production': 328595, 'production necessary': 682131, 'for defense': 320614, 'defense such': 232143, 'such drug': 816458, 'drug and': 260869, 'and complete': 60228, 'complete control': 192078, 'and real': 69995, 'estate credit': 282115, 'credit debt': 216374, 'debt holiday': 230500, 'holiday coming': 400271, 'trump invokes defense': 933638, 'invokes defense production': 444317, 'production act allowing': 681893, 'act allowing forced': 29587, 'allowing forced production': 46289, 'forced production necessary': 328596, 'production necessary for': 682132, 'necessary for defense': 553988, 'for defense such': 320616, 'defense such drug': 232144, 'such drug and': 816459, 'drug and food': 260872, 'and food production': 63082, 'food production and': 316039, 'production and complete': 681920, 'and complete control': 60230, 'complete control of': 192079, 'control of consumer': 202065, 'of consumer and': 581705, 'consumer and real': 196239, 'and real estate': 69996, 'real estate credit': 701142, 'estate credit debt': 282116, 'credit debt holiday': 216375, 'debt holiday coming': 230501, 'purposely': 690175, 'panews': 637218, 'hanovertownship': 377023, 'luzernecounty': 506994, 'papolice': 641185, 'pennsylvania grocery': 646567, 'store dump': 807394, 'dump 35': 262154, 'woman purposely': 1003587, 'purposely cough': 690176, 'cough on': 208516, 'it panews': 460245, 'panews hanovertownship': 637219, 'hanovertownship luzernecounty': 377024, 'luzernecounty grocerystore': 506995, 'grocerystore crime': 366297, 'crime police': 216794, 'police papolice': 663145, 'pennsylvania grocery store': 646568, 'grocery store dump': 365350, 'store dump 35': 807395, 'dump 35 00': 262155, 'after woman purposely': 36561, 'woman purposely cough': 1003588, 'purposely cough on': 690177, 'cough on it': 208521, 'on it panews': 601681, 'it panews hanovertownship': 460246, 'panews hanovertownship luzernecounty': 637220, 'hanovertownship luzernecounty grocerystore': 377025, 'luzernecounty grocerystore crime': 506996, 'grocerystore crime police': 366298, 'crime police papolice': 216795, 'kelly2': 472727, 'kelly2 if': 472728, 're germaphobe': 698723, 'germaphobe afraid': 346368, 'there don': 878333, 'don control': 253439, 'the freedom': 855773, 'freedom of': 332377, 'others stop': 621662, 'stop throwing': 805205, 'throwing used': 895117, 'mask wipe': 519572, 'wipe all': 996178, 'place advice': 657296, 'advice sneeze': 33498, 'cough into': 208488, 'into paper': 442847, 'towel and': 927291, 'and throw': 74093, 'throw in': 895028, 'in trash': 430270, 'trash it': 930159, 'kelly2 if you': 472729, 'you re germaphobe': 1020631, 're germaphobe afraid': 698724, 'germaphobe afraid of': 346369, 'store don go': 807361, 'don go there': 253573, 'go there don': 354223, 'there don control': 878334, 'don control the': 253440, 'control the freedom': 202164, 'the freedom of': 855774, 'freedom of others': 332380, 'of others stop': 587403, 'others stop throwing': 621665, 'stop throwing used': 805208, 'throwing used glove': 895118, 'used glove mask': 949923, 'glove mask wipe': 352787, 'mask wipe all': 519573, 'wipe all over': 996179, 'the place advice': 863766, 'place advice sneeze': 657297, 'advice sneeze or': 33499, 'or cough into': 614842, 'cough into paper': 208489, 'into paper towel': 442849, 'paper towel and': 640982, 'towel and throw': 927297, 'and throw in': 74095, 'throw in trash': 895029, 'in trash it': 430271, 'trash it ll': 930160, 'll be okay': 496604, 'buy dog': 148541, 'myself the': 550948, 'thing needed': 884613, 'needed are': 556300, 'stock because': 801905, 'you stupid': 1021460, 'stupid idiot': 815397, 'idiot have': 413522, 'to buy dog': 902216, 'buy dog food': 148542, 'dog food and': 252078, 'food for myself': 314556, 'for myself the': 323768, 'myself the thing': 550950, 'the thing needed': 869460, 'thing needed are': 884615, 'needed are not': 556301, 'not in stock': 570105, 'in stock because': 428284, 'stock because you': 801909, 'because you stupid': 119877, 'you stupid idiot': 1021461, 'stupid idiot have': 815399, 'idiot have panic': 413524, 'have panic bought': 381879, 'effected we': 269184, 'we explain': 971509, 'explain what': 292128, 'coronavirus pandemic what': 206506, 'pandemic what to': 636974, 'with you how': 1002154, 'you how fuel': 1019258, 'be effected we': 114649, 'effected we explain': 269185, 'we explain what': 971510, 'explain what the': 292129, 'thejake': 875280, 'sp': 787006, 'thejake people': 875281, 'people stockpiling': 649633, 'stockpiling and': 803906, 'and clearing': 59963, 'clearing supermarket': 181475, 'sure over': 827649, 'over reacting': 630553, 'reacting the': 700180, 'is fine': 447812, 'but regarding': 146911, 'regarding it': 707229, 'it definitely': 457495, 'definitely sensible': 232389, 'sensible to': 750667, 'the sp': 867525, 'thejake people stockpiling': 875282, 'people stockpiling and': 649634, 'stockpiling and clearing': 803907, 'and clearing supermarket': 59967, 'clearing supermarket shelf': 181476, 'shelf are for': 756800, 'are for sure': 86649, 'for sure over': 326074, 'sure over reacting': 827650, 'over reacting the': 630555, 'reacting the supply': 700181, 'chain is fine': 170833, 'is fine for': 447814, 'fine for the': 307638, 'for the moment': 326565, 'moment but regarding': 535891, 'but regarding it': 146912, 'regarding it definitely': 707230, 'it definitely sensible': 457496, 'definitely sensible to': 232390, 'sensible to take': 750668, 'to take every': 916176, 'take every precaution': 832103, 'every precaution to': 286123, 'precaution to stop': 669390, 'stop the sp': 805153, 'snd': 776182, 'longer lasting': 502014, 'outbreak on': 628493, 'are difficult': 85819, 'some company': 782566, 'already updating': 47744, 'updating strategy': 947484, 'strategy in': 812657, 'temporary snd': 837695, 'snd or': 776183, 'or permanent': 616550, 'permanent change': 652036, 'market or': 516816, 'model 19': 535222, '19 cfo': 5747, 'cfo pulse': 170339, 'pulse survey': 689000, 'survey pwc': 828927, 'the longer lasting': 859692, 'longer lasting effect': 502015, 'lasting effect of': 480764, 'the outbreak on': 862671, 'outbreak on consumer': 628495, 'on consumer habit': 600054, 'habit are difficult': 372570, 'are difficult to': 85822, 'predict but some': 669555, 'but some company': 147090, 'some company are': 782567, 'company are already': 190409, 'are already updating': 84432, 'already updating strategy': 47745, 'updating strategy in': 947485, 'strategy in the': 812661, 'face of temporary': 294676, 'of temporary snd': 590661, 'temporary snd or': 837696, 'snd or permanent': 776184, 'or permanent change': 616551, 'permanent change in': 652038, 'change in some': 172134, 'in some market': 428091, 'some market or': 783260, 'market or business': 516818, 'or business model': 614605, 'business model 19': 144052, 'model 19 cfo': 535223, '19 cfo pulse': 5748, 'cfo pulse survey': 170340, 'pulse survey pwc': 689001, 'novartis': 573725, 'dos': 255920, 'novartis stock': 573734, 'soaring co': 779315, 'co donated': 184828, 'donated the': 254357, '30 million': 17109, 'million dos': 532136, 'dos of': 255923, '19 drug': 6660, 'drug that': 261108, 'is pushing': 451145, 'novartis stock price': 573735, 'price are soaring': 672740, 'are soaring co': 90228, 'soaring co donated': 779316, 'co donated the': 184829, 'donated the 30': 254358, 'the 30 million': 848086, '30 million dos': 17110, 'million dos of': 532138, 'dos of covid': 255924, 'covid 19 drug': 212988, '19 drug that': 6664, 'drug that trump': 261112, 'trump is pushing': 933655, 'nonrefundable': 566716, 'and thought': 74049, 'thought wow': 893332, 'wow great': 1012560, 'can plan': 159242, 'trip and': 932041, 'to well': 918488, 'well after': 977994, 'after nope': 35961, 'nope travel': 566916, 'is valid': 453652, 'valid april': 951906, 'april through': 83702, 'through may': 894569, 'may or': 521407, 'or june': 615871, 'june of': 468009, 'and nonrefundable': 67684, 'received an email': 703589, 'email from and': 272180, 'from and thought': 334526, 'and thought wow': 74055, 'thought wow great': 893333, 'wow great price': 1012561, 'great price people': 362915, 'price people can': 675849, 'people can plan': 647405, 'can plan trip': 159245, 'plan trip and': 658335, 'trip and have': 932042, 'and have something': 64276, 'have something to': 382654, 'something to look': 785104, 'forward to well': 330045, 'to well after': 918489, 'well after nope': 977995, 'after nope travel': 35962, 'nope travel is': 566917, 'travel is valid': 930413, 'is valid april': 453653, 'valid april through': 951907, 'april through may': 83703, 'through may or': 894571, 'may or june': 521408, 'or june of': 615872, 'june of this': 468010, 'this year and': 891561, 'year and nonrefundable': 1014399, 'is announcing': 445721, 'announcing their': 77332, 'their offer': 874083, 'offer to': 594848, 'to launch': 909096, 'launch dtc': 481895, 'dtc store': 261401, 'help brand': 389425, 'brand struggling': 138020, 'struggling in': 814454, 'pandemic be': 634973, 'increase product': 433016, 'product availability': 680988, 'availability for': 104138, 'consumer read': 198647, 'is announcing their': 445722, 'announcing their offer': 77333, 'their offer to': 874086, 'offer to launch': 594851, 'to launch dtc': 909099, 'launch dtc store': 481896, 'dtc store in': 261402, 'store in just': 808326, 'in just 15': 424412, 'just 15 day': 468102, '15 day to': 3696, 'day to help': 228568, 'to help brand': 907465, 'help brand struggling': 389429, 'brand struggling in': 138021, 'struggling in light': 814455, '19 pandemic be': 9273, 'pandemic be able': 634974, 'able to increase': 24493, 'to increase product': 908294, 'increase product availability': 433017, 'product availability for': 680989, 'availability for their': 104140, 'for their consumer': 326813, 'their consumer read': 872864, 'consumer read more': 198649, 'screaming': 742653, 'let find': 486720, 'find where': 307388, 'this suit': 890414, 'suit run': 817782, 'supermarket screaming': 822344, 'screaming where': 742663, 'did he': 240630, 'go rwot': 354081, 'let find where': 486721, 'find where to': 307389, 'where to buy': 985301, 'to buy this': 902320, 'buy this suit': 149363, 'this suit run': 890415, 'suit run into': 817783, 'run into supermarket': 727682, 'into supermarket screaming': 443058, 'supermarket screaming where': 822345, 'screaming where did': 742664, 'where did he': 984819, 'did he go': 240636, 'he go rwot': 384993, 'financially': 306652, 'destitute': 238999, 'how rich': 408596, 'rich you': 721274, 'are ok': 88698, 'ok yeah': 597952, 'yeah but': 1014240, 'be financially': 114844, 'financially destitute': 306670, 'destitute if': 239000, 'actually commit': 30761, 'going outside': 355405, 'outside you': 629655, 'long is': 501453, 'necessary you': 554147, 'be fine': 114849, 'fine shut': 307686, 'fuck up': 339672, 'care about how': 163791, 'about how rich': 25465, 'how rich you': 408597, 'rich you are': 721275, 'you are ok': 1017183, 'are ok yeah': 88703, 'ok yeah but': 597953, 'yeah but you': 1014242, 'but you will': 148006, 'you will not': 1022345, 'not be financially': 568384, 'be financially destitute': 114846, 'financially destitute if': 306671, 'destitute if you': 239001, 'if you actually': 415386, 'you actually commit': 1016806, 'actually commit to': 30763, 'commit to not': 188981, 'to not going': 910693, 'not going outside': 569701, 'going outside you': 355409, 'outside you can': 629656, 'food for long': 314548, 'for long is': 323079, 'long is necessary': 501455, 'is necessary you': 449850, 'necessary you will': 554151, 'will be fine': 992462, 'be fine shut': 114853, 'fine shut the': 307687, 'shut the fuck': 767940, 'the fuck up': 855975, 'cant get': 162294, 'get if': 347279, 'you drink': 1018356, 'drink whole': 258903, 'whole bottle': 990147, 'cant get if': 162298, 'get if you': 347281, 'if you drink': 415426, 'you drink whole': 1018357, 'drink whole bottle': 258904, 'whole bottle of': 990148, 'wiser': 996725, 'happyhour': 377768, 'and wiser': 75749, 'wiser is': 996726, 'new happy': 558853, 'happy hour': 377632, 'hour toiletpapercrisis': 406045, 'toiletpapercrisis happyhour': 923029, '00 in the': 271, 'the older and': 862151, 'older and wiser': 598577, 'and wiser is': 75750, 'wiser is the': 996727, 'the new happy': 861515, 'new happy hour': 558854, 'happy hour toiletpapercrisis': 377635, 'hour toiletpapercrisis happyhour': 406046, 'toss': 926082, 'witcher': 996914, 'not toss': 572227, 'toss coin': 926086, 'coin to': 185644, 'your witcher': 1026362, 'witcher instead': 996915, 'instead toss': 440376, 'toss it': 926088, 'supermarket clerk': 819711, 'clerk or': 181745, 'or nh': 616246, 'member nhsstaff': 528133, 'nhsstaff stophoarding': 562259, 'do not toss': 249871, 'not toss coin': 572228, 'toss coin to': 926087, 'coin to your': 185645, 'to your witcher': 919036, 'your witcher instead': 1026363, 'witcher instead toss': 996916, 'instead toss it': 440377, 'toss it to': 926089, 'it to your': 461767, 'your supermarket clerk': 1026038, 'supermarket clerk or': 819715, 'clerk or nh': 181747, 'or nh staff': 616247, 'nh staff member': 562098, 'staff member nhsstaff': 792658, 'member nhsstaff stophoarding': 528134, 'explained': 292148, 'sophisticated': 785971, '30m': 17465, 'roll shortage': 725497, 'shortage explained': 764941, 'explained despite': 292153, 'despite sophisticated': 238858, 'sophisticated consumer': 785974, 'behaviour analysis': 124355, 'analysis supermarket': 57082, 'have overlooked': 381859, 'overlooked the': 631299, 'that 30m': 842455, '30m people': 17474, 'uk do': 938308, 'do their': 250272, 'their daily': 872965, 'daily business': 224532, 'the workplace': 871789, 'workplace so': 1009210, 'so wfh': 778707, 'wfh will': 980865, 'contribute an': 201865, 'extra 150': 293428, '150 00': 3886, '00 home': 249, 'home shit': 402051, 'shit per': 759191, 'week math': 976516, 'loo roll shortage': 502199, 'roll shortage explained': 725498, 'shortage explained despite': 764942, 'explained despite sophisticated': 292154, 'despite sophisticated consumer': 238859, 'sophisticated consumer behaviour': 785975, 'consumer behaviour analysis': 196552, 'behaviour analysis supermarket': 124356, 'analysis supermarket have': 57083, 'supermarket have overlooked': 820699, 'have overlooked the': 381860, 'overlooked the fact': 631300, 'fact that 30m': 295787, 'that 30m people': 842456, '30m people in': 17475, 'people in uk': 648445, 'in uk do': 430384, 'uk do their': 938310, 'do their daily': 250274, 'their daily business': 872966, 'daily business at': 224533, 'business at the': 143409, 'at the workplace': 101157, 'the workplace so': 871791, 'workplace so wfh': 1009211, 'so wfh will': 778708, 'wfh will contribute': 980866, 'will contribute an': 993028, 'contribute an extra': 201866, 'an extra 150': 56002, 'extra 150 00': 293429, '150 00 00': 3887, '00 00 home': 4, '00 home shit': 250, 'home shit per': 402052, 'shit per week': 759193, 'per week math': 651070, 'irresponsibly': 445096, 'well america': 978006, 'america get': 51533, 'buy meat': 148951, 'the far': 854926, 'far left': 298834, 'left news': 485565, 'channel is': 172895, 'is irresponsibly': 448991, 'irresponsibly covering': 445097, 'covering that': 212492, 'dying they': 263871, 'they create': 881851, 'and smile': 71807, 'smile when': 775749, 'they film': 882108, 'film the': 305710, 'well america get': 978007, 'america get out': 51534, 'get out to': 347748, 'out to panic': 627668, 'panic buy meat': 637501, 'buy meat the': 148953, 'meat the far': 525769, 'the far left': 854927, 'far left news': 298835, 'left news channel': 485566, 'news channel is': 560311, 'channel is irresponsibly': 172897, 'is irresponsibly covering': 448992, 'irresponsibly covering that': 445098, 'covering that there': 212494, 'that there will': 846907, 'will be food': 992464, 'be food shortage': 114897, 'shortage and that': 764830, 'and that the': 73211, 'that the cashier': 846675, 'the cashier are': 850482, 'cashier are dying': 166472, 'are dying they': 86056, 'dying they create': 263872, 'they create the': 881853, 'create the panic': 215755, 'the panic and': 863182, 'panic and smile': 637335, 'and smile when': 71811, 'smile when they': 775750, 'when they film': 984257, 'they film the': 882109, 'film the chaos': 305711, 'normally look': 567510, 'amazon for': 50946, 'for photo': 324534, 'photo gear': 655175, 'gear price': 344972, 've now': 953407, 'now graduated': 574821, 'graduated to': 361727, 'to looking': 909446, 'at loo': 99618, 'paper availability': 639913, 'normally look on': 567511, 'look on amazon': 502551, 'on amazon for': 599278, 'amazon for photo': 50950, 'for photo gear': 324535, 'photo gear price': 655176, 'gear price ve': 344973, 'price ve now': 677298, 've now graduated': 953409, 'now graduated to': 574822, 'graduated to looking': 361728, 'to looking at': 909447, 'looking at loo': 502812, 'at loo paper': 99619, 'loo paper availability': 502154, 'dumbest': 262134, 'cleanroom': 181161, 'tiny': 898647, 'supermarket seeing': 822362, 'seeing people': 746405, 'with face': 998354, 'is dumbest': 447406, 'dumbest thing': 262135, 'seen those': 747320, 'have worked': 383627, 'worked in': 1006118, 'in cleanroom': 421502, 'cleanroom environment': 181162, 'environment know': 279123, 'know particle': 476669, 'particle size': 642592, 'so tiny': 778525, 'tiny that': 898674, 'mask don': 518587, 'don matter': 253723, 'matter and': 520539, 'glove don': 352658, 'matter because': 520545, 'because your': 119883, 'your clothes': 1023239, 'clothes are': 184141, 'are contaminated': 85539, 'at supermarket seeing': 100766, 'supermarket seeing people': 822363, 'seeing people with': 746416, 'people with face': 650449, 'with face mask': 998355, 'glove on is': 352822, 'on is dumbest': 601630, 'is dumbest thing': 447407, 'dumbest thing ve': 262137, 've ever seen': 953095, 'ever seen those': 285492, 'seen those of': 747322, 'those of that': 892269, 'of that have': 590724, 'that have worked': 844244, 'have worked in': 383629, 'worked in cleanroom': 1006121, 'in cleanroom environment': 421503, 'cleanroom environment know': 181163, 'environment know particle': 279124, 'know particle size': 476670, 'particle size of': 642593, 'size of covid': 772786, '19 is so': 8051, 'is so tiny': 452038, 'so tiny that': 778526, 'tiny that mask': 898675, 'that mask don': 845055, 'mask don matter': 518589, 'don matter and': 253724, 'matter and glove': 520540, 'and glove don': 63716, 'glove don matter': 352659, 'don matter because': 253725, 'matter because your': 520546, 'because your clothes': 119884, 'your clothes are': 1023242, 'clothes are contaminated': 184142, 'confronted': 194302, 'pleads': 659592, 'tearful nurse': 835987, 'in york': 431043, 'york uk': 1016681, 'uk confronted': 938255, 'confronted with': 194308, 'shelf after': 756684, 'after 48': 35294, 'shift pleads': 758384, 'pleads for': 659593, 'for end': 321049, 'buying news': 150751, 'tearful nurse in': 835988, 'nurse in york': 577387, 'in york uk': 431044, 'york uk confronted': 1016682, 'uk confronted with': 938256, 'confronted with empty': 194309, 'with empty supermarket': 998223, 'supermarket shelf after': 822421, 'shelf after 48': 756685, 'after 48 hour': 35295, '48 hour shift': 19312, 'hour shift pleads': 405919, 'shift pleads for': 758385, 'pleads for end': 659594, 'for end to': 321051, 'end to coronavirus': 276006, 'to coronavirus panic': 903563, 'coronavirus panic buying': 206515, 'panic buying news': 637817, 'rhine': 720892, 'hall': 374325, 'pfe': 653910, 'rhinehall': 720897, 'help rhine': 390463, 'rhine hall': 720893, 'hall provide': 374344, 'handsanitizer distillery': 376511, 'distillery chicago': 247742, 'chicago gofundme': 175669, 'gofundme donate': 354922, 'donate pfe': 254218, 'pfe rhinehall': 653911, 'help rhine hall': 390464, 'rhine hall provide': 720894, 'hall provide sanitizer': 374345, 'provide sanitizer handsanitizer': 686463, 'sanitizer handsanitizer distillery': 735032, 'handsanitizer distillery chicago': 376512, 'distillery chicago gofundme': 247743, 'chicago gofundme donate': 175670, 'gofundme donate pfe': 354923, 'donate pfe rhinehall': 254219, 'email is': 272219, 'consumer communication': 196824, 'communication regarding': 189633, '19 explore': 6903, 'explore four': 292479, 'four approach': 330583, 'approach our': 82971, 'email marketing': 272232, 'marketing expert': 517598, 'expert suggest': 291976, 'keep top': 472147, 'you send': 1021114, 'send coronavirus': 749835, 'related message': 708484, 'message through': 529442, 'through email': 894440, 'email is on': 272221, 'line of consumer': 493294, 'of consumer communication': 581721, 'consumer communication regarding': 196827, 'communication regarding covid': 189635, 'covid 19 explore': 213062, '19 explore four': 6904, 'explore four approach': 292480, 'four approach our': 330585, 'approach our email': 82972, 'our email marketing': 622879, 'email marketing expert': 272233, 'marketing expert suggest': 517600, 'expert suggest you': 291977, 'suggest you keep': 817556, 'you keep top': 1019452, 'keep top of': 472148, 'top of mind': 925637, 'of mind you': 586548, 'mind you send': 532788, 'you send coronavirus': 1021115, 'send coronavirus related': 749836, 'coronavirus related message': 206636, 'related message through': 708485, 'message through email': 529443, 'barr': 111169, 'manipulate': 513200, 'whcovidbriefing': 982960, 'barr is': 111170, 'about business': 24900, 'consumer stocking': 199148, 'stocking for': 803561, 'own use': 632284, 'or normal': 616280, 'normal operation': 567235, 'operation he': 613200, 'he talking': 385499, 'about hoarding': 25399, 'hoarding to': 399612, 'to manipulate': 909808, 'manipulate price': 513201, 'etc whcovidbriefing': 282871, 'barr is not': 111172, 'is not talking': 450200, 'talking about business': 833959, 'about business or': 24903, 'business or consumer': 144159, 'or consumer stocking': 614799, 'consumer stocking for': 199149, 'stocking for their': 803562, 'for their own': 326857, 'their own use': 874213, 'own use or': 632285, 'use or normal': 949454, 'or normal operation': 616281, 'normal operation he': 567237, 'operation he talking': 613201, 'he talking about': 385500, 'talking about hoarding': 833971, 'about hoarding to': 25403, 'hoarding to manipulate': 399613, 'to manipulate price': 909809, 'manipulate price etc': 513202, 'price etc whcovidbriefing': 673708, '19 changed': 5767, 'changed lot': 172502, 'thing triggering': 884923, 'triggering huge': 931941, 'huge overnight': 410114, 'overnight peak': 631350, 'shopping why': 764406, 'not start': 571691, 'store stocked': 810391, 'stocked with': 803459, 'with product': 1000327, 'product ready': 681565, 'ship to': 758718, 'from medical': 336408, 'equipment to': 279854, 'essential household': 281134, 'covid 19 changed': 212786, '19 changed lot': 5769, 'changed lot of': 172503, 'lot of thing': 504306, 'of thing triggering': 591918, 'thing triggering huge': 884924, 'triggering huge overnight': 931942, 'huge overnight peak': 410115, 'overnight peak in': 631351, 'peak in online': 646076, 'online shopping why': 609346, 'shopping why not': 764408, 'why not start': 991234, 'not start new': 571693, 'start new online': 794398, 'online store stocked': 609470, 'store stocked with': 810393, 'stocked with product': 803468, 'with product ready': 1000330, 'product ready to': 681566, 'ready to ship': 700976, 'to ship to': 914432, 'ship to customer': 758721, 'to customer in': 903852, 'customer in need': 222499, 'in need from': 425745, 'need from medical': 554891, 'from medical equipment': 336409, 'medical equipment to': 526165, 'equipment to grocery': 279856, 'to grocery and': 907004, 'grocery and essential': 364235, 'and essential household': 62253, 'essential household item': 281135, 'whoever say': 990112, 'say grocery': 738707, 'employee retail': 274154, 'don deserve': 253452, 'deserve minimum': 238080, 'minimum 15': 533161, '15 hour': 3724, 'hour after': 405357, 'after everything': 35635, 'everything pass': 287967, 'pass with': 643235, 're holding': 698819, 'together rn': 920926, 'rn along': 724305, 'with medical': 999467, 'who also': 988054, 'also deserve': 48094, 'deserve pay': 238100, 'pay boost': 644791, 'whoever say grocery': 990113, 'say grocery store': 738709, 'store employee retail': 807528, 'employee retail employee': 274155, 'retail employee don': 718069, 'employee don deserve': 273782, 'don deserve minimum': 253455, 'deserve minimum 15': 238081, 'minimum 15 hour': 533162, '15 hour after': 3725, 'hour after everything': 405359, 'after everything pass': 35636, 'everything pass with': 287968, 'pass with covid': 643236, 'they re holding': 883052, 're holding society': 698820, 'society together rn': 781342, 'together rn along': 920927, 'rn along with': 724306, 'along with medical': 47064, 'with medical staff': 999473, 'medical staff who': 526410, 'staff who also': 793084, 'who also deserve': 988056, 'also deserve pay': 48097, 'deserve pay boost': 238101, 'ethanol producer': 283003, 'producer feeling': 680616, 'ethanol producer feeling': 283004, 'producer feeling the': 680617, 'feeling the weight': 303081, 'weight of low': 977708, 'oil price covid': 597091, 'advertise': 33151, 'competitor': 191791, 'is goodbye': 448157, 'goodbye from': 357992, 'me game': 522800, 'game you': 343303, 'you advertise': 1016831, 'advertise higher': 33152, 'than competitor': 840452, 'competitor but': 191792, 'but promise': 146856, 'promise next': 683681, 'delivery complete': 233818, 'complete scam': 192143, 'are profiteering': 89263, 'it disgusting': 457574, 'it is goodbye': 458965, 'is goodbye from': 448158, 'goodbye from me': 357993, 'from me game': 336393, 'me game you': 522801, 'game you advertise': 343304, 'you advertise higher': 1016832, 'advertise higher price': 33153, 'higher price than': 395693, 'price than competitor': 676777, 'than competitor but': 840453, 'competitor but promise': 191793, 'but promise next': 146857, 'promise next day': 683682, 'next day delivery': 561327, 'day delivery complete': 227514, 'delivery complete scam': 233819, 'complete scam you': 192144, 'scam you are': 740488, 'you are profiteering': 1017205, 'are profiteering from': 89265, 'profiteering from the': 683047, 'from the and': 337600, 'the and it': 848705, 'and it disgusting': 65513, 'pared': 641552, 'you operate': 1020218, 'operate co': 612985, 'op or': 611812, 'food retailer': 316218, 'retailer amp': 718952, 'amp need': 54166, 'extra hand': 293533, 'consider posting': 195070, 'posting job': 666660, 'to pared': 911458, 'pared we': 641553, 'have thousand': 383130, 'of hospitality': 584769, 'hospitality professional': 404790, 'professional looking': 682468, 'other work': 621219, 'work share': 1005708, 'with here': 998790, 'if you operate': 415486, 'you operate co': 1020219, 'operate co op': 612986, 'co op or': 184914, 'op or food': 611813, 'or food retailer': 615344, 'food retailer amp': 316220, 'retailer amp need': 718953, 'amp need extra': 54167, 'need extra hand': 554757, 'extra hand to': 293534, 'hand to keep': 375861, 'with demand due': 997975, 'due to consider': 261738, 'to consider posting': 903233, 'consider posting job': 195071, 'posting job to': 666661, 'job to pared': 466230, 'to pared we': 911459, 'pared we have': 641554, 'we have thousand': 971965, 'have thousand of': 383131, 'thousand of hospitality': 893447, 'of hospitality professional': 584772, 'hospitality professional looking': 404791, 'professional looking for': 682469, 'looking for other': 502887, 'for other work': 324180, 'other work share': 621221, 'work share what': 1005709, 'you need help': 1019999, 'need help with': 555000, 'help with here': 390914, 'practising more': 668783, 'our will': 625380, 'easyfundraising visit': 265824, 'all practising more': 44014, 'practising more of': 668784, 'of our will': 587592, 'our will be': 625381, 'to easyfundraising visit': 904863, 'memory': 528420, 'happiness': 377562, 'memory can': 528423, 'can smile': 159648, 'smile happy': 775715, 'happy your': 377739, 'your day': 1023465, 'day can': 227422, 'can dream': 158155, 'dream of': 258604, 'the old': 862129, 'old day': 598218, 'day life': 227898, 'wa beautiful': 961650, 'beautiful then': 118724, 'then remember': 877471, 'time knew': 897108, 'knew what': 476097, 'what happiness': 981572, 'happiness wa': 377568, 'wa let': 962528, 'the memory': 860469, 'memory live': 528430, 'live again': 495704, 'again memory': 37070, 'memory toiletpaper': 528436, 'toiletpaper memory': 922236, 'memory trumppandemic': 528438, 'trumppandemic trumpplague': 934115, 'memory can smile': 528424, 'can smile happy': 159649, 'smile happy your': 775716, 'happy your day': 377740, 'your day can': 1023466, 'day can dream': 227424, 'can dream of': 158156, 'dream of the': 258607, 'of the old': 591290, 'the old day': 862134, 'old day life': 598220, 'day life wa': 227903, 'life wa beautiful': 489179, 'wa beautiful then': 961653, 'beautiful then remember': 118725, 'then remember the': 877472, 'remember the time': 710320, 'the time knew': 869600, 'time knew what': 897109, 'knew what happiness': 476098, 'what happiness wa': 981573, 'happiness wa let': 377569, 'wa let the': 962529, 'let the memory': 487134, 'the memory live': 860470, 'memory live again': 528431, 'live again memory': 495705, 'again memory toiletpaper': 37071, 'memory toiletpaper memory': 528437, 'toiletpaper memory trumppandemic': 922237, 'memory trumppandemic trumpplague': 528439, 'how just': 408153, 'just how': 468992, 'can one': 159111, 'one be': 605984, 'be excited': 114720, 'excited about': 289521, 'this following': 887565, 'the brutal': 850063, 'brutal direction': 141405, 'direction of': 243470, 'week oilprice': 976659, 'oilprice oilpricewar': 597628, 'how just how': 408154, 'just how can': 468995, 'how can one': 407509, 'can one be': 159112, 'one be excited': 605985, 'be excited about': 114721, 'excited about this': 289528, 'about this following': 26637, 'this following the': 887567, 'following the brutal': 312874, 'the brutal direction': 850064, 'brutal direction of': 141406, 'direction of oil': 243473, 'oil price the': 597286, 'price the past': 676854, 'few week oilprice': 304157, 'week oilprice oilpricewar': 976660, 'readymade': 701001, 'heineken': 388844, 'observation in': 578545, 'buying pattern': 150891, 'pattern yesterday': 644529, 'in dunnes': 422416, 'dunnes besides': 262305, 'besides obvious': 127515, 'obvious no': 578795, 'no loo': 564673, 'roll or': 725436, 'or beef': 614519, 'beef there': 120553, 'no tinned': 565732, 'tinned tomato': 898635, 'tomato but': 923944, 'of readymade': 588782, 'readymade sauce': 701002, 'sauce more': 737153, 'people cooking': 647542, 'cooking sauce': 202904, 'sauce from': 737146, 'from scratch': 337186, 'scratch in': 742606, 'news plenty': 560702, 'of heineken': 584532, 'heineken but': 388847, 'other beer': 619882, 'observation in consumer': 578546, 'consumer buying pattern': 196708, 'buying pattern yesterday': 150893, 'pattern yesterday in': 644530, 'yesterday in dunnes': 1015774, 'in dunnes besides': 422417, 'dunnes besides obvious': 262306, 'besides obvious no': 127516, 'obvious no loo': 578796, 'no loo roll': 564675, 'loo roll or': 502193, 'roll or beef': 725438, 'or beef there': 614520, 'beef there wa': 120554, 'wa no tinned': 962737, 'no tinned tomato': 565734, 'tinned tomato but': 898636, 'tomato but plenty': 923945, 'plenty of readymade': 660972, 'of readymade sauce': 588783, 'readymade sauce more': 701003, 'sauce more people': 737154, 'more people cooking': 540012, 'people cooking sauce': 647543, 'cooking sauce from': 202905, 'sauce from scratch': 737148, 'from scratch in': 337188, 'scratch in other': 742607, 'other news plenty': 620582, 'news plenty of': 560703, 'plenty of heineken': 660955, 'of heineken but': 584533, 'heineken but no': 388848, 'but no other': 146494, 'no other beer': 565011, 'applied and': 82486, 'got job': 358656, 'job three': 466210, 'three hour': 893953, 'hour later': 405727, 'later applicant': 481023, 'applicant say': 82431, 'supermarket hire': 820758, 'hire thousand': 397029, 'thousand sky': 893487, 'applied and got': 82487, 'and got job': 63857, 'got job three': 358659, 'job three hour': 466211, 'three hour later': 893955, 'hour later applicant': 405728, 'later applicant say': 481024, 'applicant say supermarket': 82432, 'say supermarket hire': 739193, 'supermarket hire thousand': 820762, 'hire thousand sky': 397031, 'thousand sky news': 893488, 'cdnecon': 168654, 'consumer expectation': 197390, 'expectation asks': 290801, 'asks household': 96144, 'household for': 406809, 'their view': 875127, 'view on': 957132, 'on inflation': 601568, 'inflation the': 437249, 'job market': 465999, 'personal finance': 652843, 'finance we': 306297, 'we present': 972740, 'present snapshot': 670618, 'of sentiment': 589514, 'sentiment just': 750967, 'before became': 122657, 'became major': 118873, 'major concern': 509276, 'all cdnecon': 42324, 'cdnecon economy': 168655, 'survey of consumer': 828910, 'of consumer expectation': 581738, 'consumer expectation asks': 197392, 'expectation asks household': 290802, 'asks household for': 96145, 'household for their': 406810, 'for their view': 326881, 'their view on': 875129, 'view on inflation': 957137, 'on inflation the': 601570, 'inflation the job': 437250, 'the job market': 858666, 'job market and': 466000, 'market and personal': 515980, 'and personal finance': 68923, 'personal finance we': 652846, 'finance we present': 306298, 'we present snapshot': 972742, 'present snapshot of': 670619, 'snapshot of sentiment': 776162, 'of sentiment just': 589515, 'sentiment just before': 750968, 'just before became': 468314, 'before became major': 122658, 'became major concern': 118874, 'major concern for': 509279, 'concern for all': 192970, 'for all cdnecon': 319116, 'all cdnecon economy': 42325, 'food dumping': 314312, 'dumping in': 262228, 'of due': 582870, 'supply surplus': 825935, 'surplus due': 828477, '19 dairy': 6406, 'region are': 707388, 'more food dumping': 539240, 'food dumping in': 314313, 'dumping in time': 262229, 'time of due': 897327, 'of due to': 582871, 'to the supply': 917110, 'the supply surplus': 868962, 'supply surplus due': 825936, 'surplus due to': 828478, 'covid 19 dairy': 212905, '19 dairy farmer': 6407, 'dairy farmer in': 224983, 'in the region': 429508, 'the region are': 865425, 'region are being': 707389, 're lucky': 699019, 'lucky enough': 506550, 'sanitizer consider': 734685, 'this washyourhands': 891113, 'you re lucky': 1020673, 're lucky enough': 699021, 'lucky enough to': 506551, 'enough to have': 277706, 'to have some': 907310, 'hand sanitizer consider': 375351, 'sanitizer consider this': 734686, 'consider this washyourhands': 195166, 'pocketbook': 662220, 'snakeoil': 776061, 'scam are': 740034, 'reality protect': 701785, 'protect your': 685054, 'your pocketbook': 1025346, 'pocketbook by': 662221, 'following these': 312916, 'and fda': 62729, 'fda tip': 300934, 'tip risk': 898885, 'risk fraud': 723564, 'fraud pandemic': 331318, 'pandemic snakeoil': 636492, 'scam are on': 740040, 'the rise in': 865855, 'rise in our': 722895, 'our new reality': 624042, 'new reality protect': 559404, 'reality protect your': 701786, 'protect your health': 685064, 'health and your': 386166, 'and your pocketbook': 76092, 'your pocketbook by': 1025347, 'pocketbook by following': 662222, 'by following these': 152610, 'following these and': 312917, 'these and fda': 879599, 'and fda tip': 62733, 'fda tip risk': 300935, 'tip risk fraud': 898886, 'risk fraud pandemic': 723565, 'fraud pandemic snakeoil': 331319, 'frustrated': 339222, 'seriously frustrated': 751616, 'frustrated the': 339231, 'same person': 733225, 'been potentially': 121685, 'potentially exposed': 667208, 'is isolating': 449000, 'isolating and': 455052, 'is day': 447036, 'day into': 227829, 'into 14': 442348, '14 and': 3416, 'the gym': 856970, 'gym every': 369319, 'day cinema': 227447, 'cinema supermarket': 178545, 'etc is': 282615, 'today posting': 920057, 'posting his': 666652, 'his current': 397335, 'current trip': 221410, 'trip round': 932144, 'round ikea': 726328, 'seriously frustrated the': 751617, 'frustrated the same': 339232, 'the same person': 866278, 'same person who': 733226, 'person who ha': 652725, 'ha been potentially': 369871, 'been potentially exposed': 121686, 'potentially exposed to': 667209, 'and is isolating': 65410, 'is isolating and': 449001, 'isolating and is': 455056, 'and is day': 65398, 'is day into': 447037, 'day into 14': 227830, 'into 14 and': 442349, '14 and who': 3420, 'and who go': 75586, 'who go to': 988794, 'to the gym': 916762, 'the gym every': 856972, 'gym every day': 369320, 'every day cinema': 285798, 'day cinema supermarket': 227448, 'cinema supermarket etc': 178546, 'supermarket etc is': 820212, 'etc is today': 282619, 'is today posting': 453262, 'today posting his': 920058, 'posting his current': 666653, 'his current trip': 397337, 'current trip round': 221411, 'trip round ikea': 932145, 'uranium': 948087, 'uranium stock': 948090, 'on lately': 601796, 'lately further': 480955, 'further supply': 342175, 'shock due': 759442, 'pandemic have': 635587, 'have led': 381286, 'the steady': 867858, 'steady rise': 799140, 'of spot': 589995, 'spot uranium': 790136, 'uranium price': 948088, 'price some': 676549, 'some significant': 783872, 'development on': 239836, 'the chart': 850712, 'chart keep': 173835, 'my update': 550465, 'update soon': 947214, 'uranium stock have': 948091, 'stock have been': 802224, 'have been on': 379623, 'been on lately': 121596, 'on lately further': 601797, 'lately further supply': 480956, 'further supply shock': 342176, 'supply shock due': 825818, 'shock due to': 759443, '19 pandemic have': 9343, 'pandemic have led': 635591, 'have led to': 381288, 'led to the': 485304, 'to the steady': 917094, 'the steady rise': 867860, 'steady rise of': 799141, 'rise of spot': 722952, 'of spot uranium': 589996, 'spot uranium price': 790137, 'uranium price some': 948089, 'price some significant': 676556, 'some significant development': 783873, 'significant development on': 769430, 'development on the': 239837, 'on the chart': 604019, 'the chart keep': 850716, 'chart keep an': 173836, 'out for my': 626142, 'for my update': 323757, 'my update soon': 550466, 'doomed': 255445, 'they now': 882795, 'now know': 575167, 'know our': 476662, 'our weakness': 625318, 'weakness we': 974135, 're doomed': 698564, 'doomed uk': 255449, 'they now know': 882801, 'now know our': 575170, 'know our weakness': 476664, 'our weakness we': 625319, 'weakness we re': 974136, 'we re doomed': 972859, 're doomed uk': 698565, 'embracing': 272507, 'brake': 137636, 'track impact': 928202, 'on auto': 599508, 'industry car': 435718, 'car buyer': 163036, 'are embracing': 86113, 'embracing more': 272508, 'shopping activity': 761889, 'increasingly putting': 433799, 'the brake': 849935, 'brake via': 137642, 'track impact of': 928203, '19 on auto': 8930, 'on auto industry': 599509, 'auto industry car': 103876, 'industry car buyer': 435719, 'car buyer are': 163037, 'buyer are embracing': 149568, 'are embracing more': 86114, 'embracing more online': 272509, 'online shopping activity': 609014, 'shopping activity and': 761890, 'activity and increasingly': 30374, 'and increasingly putting': 65137, 'increasingly putting the': 433800, 'putting the brake': 691230, 'the brake via': 849936, 'makeourmark': 510803, 'helpourneighbors': 391623, 'bank food': 109836, 'in particular': 426530, 'particular expect': 642611, 'see increased': 745301, 'demand well': 236470, 'well drop': 978209, 'off in': 593921, 'in donated': 422354, 'donated excess': 254333, 'store choose': 806972, 'favorite charity': 300497, 'charity and': 173557, 'difference more': 241861, 'more idea': 539467, 'idea on': 413142, 'help at': 389386, 'at makeourmark': 99666, 'makeourmark helpourneighbors': 510804, 'food bank food': 313572, 'bank food pantry': 109837, 'pantry in particular': 639614, 'in particular expect': 426531, 'particular expect to': 642612, 'to see increased': 914027, 'see increased demand': 745302, 'increased demand well': 433291, 'demand well drop': 236471, 'well drop off': 978210, 'drop off in': 260335, 'off in donated': 593924, 'in donated excess': 422355, 'donated excess food': 254334, 'excess food from': 289340, 'food from local': 314607, 'from local store': 336258, 'local store choose': 498459, 'store choose your': 806974, 'choose your favorite': 177927, 'your favorite charity': 1023821, 'favorite charity and': 300498, 'charity and make': 173561, 'and make difference': 66551, 'make difference more': 509836, 'difference more idea': 241862, 'more idea on': 539468, 'idea on how': 413143, 'to help at': 907457, 'help at makeourmark': 389388, 'at makeourmark helpourneighbors': 99667, '30seconds': 17519, 'stockingup': 803631, 'best food': 127691, 'pantry with': 639717, 'with during': 998152, 'pandemic or': 636118, 'or anytime': 614383, 'anytime 30seconds': 80965, '30seconds pantry': 17520, 'pantry food': 639579, 'food stockingup': 316820, 'are the best': 90801, 'the best food': 849513, 'best food to': 127692, 'food to stock': 317293, 'stock your freezer': 803225, 'freezer and pantry': 332580, 'and pantry with': 68689, 'pantry with during': 639718, 'with during the': 998153, 'coronavirus pandemic or': 206481, 'pandemic or anytime': 636119, 'or anytime 30seconds': 614384, 'anytime 30seconds pantry': 80966, '30seconds pantry food': 17521, 'pantry food stockingup': 639583, 'subsidising': 815982, 'frieght': 333473, 'bulky': 142395, 'n3': 551118, 'should even': 765967, 'gone far': 356273, 'far subsidising': 298922, 'subsidising frieght': 815983, 'frieght if': 333474, 'if possible': 414661, 'possible this': 665827, 'major factor': 509324, 'that drive': 843625, 'drive price': 259131, 'up air': 944250, 'air frieght': 39744, 'frieght on': 333476, 'on bulky': 599724, 'bulky equipment': 142396, 'is even': 447562, 'expensive than': 291281, 'than actual': 840319, 'actual item': 30674, 'item price': 463581, '19 rapid': 9955, 'rapid test': 696936, 'about dollar': 25122, 'dollar per': 253052, 'per piece': 650982, 'piece that': 656366, 'that about': 842474, 'about n3': 25776, 'n3 600': 551119, '600 only': 21100, 'they should even': 883362, 'should even have': 765968, 'even have gone': 284165, 'have gone far': 380792, 'gone far subsidising': 356274, 'far subsidising frieght': 298923, 'subsidising frieght if': 815984, 'frieght if possible': 333475, 'if possible this': 414673, 'possible this is': 665829, 'is the major': 452857, 'the major factor': 859929, 'major factor that': 509326, 'factor that drive': 295902, 'that drive price': 843627, 'drive price up': 259133, 'price up air': 677219, 'up air frieght': 944251, 'air frieght on': 39745, 'frieght on bulky': 333477, 'on bulky equipment': 599725, 'bulky equipment is': 142397, 'equipment is even': 279766, 'is even more': 447565, 'even more expensive': 284354, 'more expensive than': 539182, 'expensive than actual': 291282, 'than actual item': 840322, 'actual item price': 30675, 'item price covid': 463583, 'covid 19 rapid': 213653, '19 rapid test': 9957, 'rapid test kit': 696937, 'test kit are': 839049, 'kit are about': 475494, 'are about dollar': 84158, 'about dollar per': 25123, 'dollar per piece': 253054, 'per piece that': 650985, 'piece that about': 656367, 'that about n3': 842476, 'about n3 600': 25777, 'n3 600 only': 551120, 'comon': 190298, 'vest': 955682, 'oo': 611719, 'jomo': 467219, 'jomotv': 467222, 'kingjomo': 475358, 'now comon': 574417, 'comon nose': 190299, 'nose cover': 567880, 'cover and': 212191, 'sanitizer our': 735506, 'our politician': 624385, 'politician no': 663726, 'no fit': 564227, 'fit share': 309492, 'share but': 754951, 'it election': 457784, 'election time': 271068, 'will share': 994829, 'share bag': 754939, 'rice cap': 721021, 'and vest': 74942, 'vest hmm': 955687, 'hmm god': 398680, 'is watching': 453780, 'watching oo': 968773, 'oo jomo': 611723, 'jomo tv': 467220, 'tv jomotv': 936131, 'jomotv kingjomo': 467223, 'now comon nose': 574418, 'comon nose cover': 190300, 'nose cover and': 567881, 'cover and sanitizer': 212192, 'and sanitizer our': 70880, 'sanitizer our politician': 735507, 'our politician no': 624386, 'politician no fit': 663727, 'no fit share': 564228, 'fit share but': 309493, 'share but if': 754952, 'but if it': 145992, 'if it election': 414300, 'it election time': 457785, 'election time they': 271069, 'time they will': 897908, 'they will share': 883886, 'will share bag': 994830, 'share bag of': 754940, 'of rice cap': 589093, 'rice cap and': 721022, 'cap and vest': 162406, 'and vest hmm': 74943, 'vest hmm god': 955688, 'hmm god is': 398681, 'god is watching': 354747, 'is watching oo': 453785, 'watching oo jomo': 968774, 'oo jomo tv': 611724, 'jomo tv jomotv': 467221, 'tv jomotv kingjomo': 936132, 'remembered': 710441, 'hope remembered': 403608, 'remembered that': 710450, 'is paying': 450821, 'paying higher': 645428, 'now bc': 574187, 'bc if': 113243, 'get chicken': 346767, 'chicken bc': 175750, 'bc there': 113293, 'isn any': 454434, 'get beef': 346657, 'beef bc': 120483, 'bc it': 113245, 'it there': 461609, 'spend extra': 788604, 'extra in': 293551, 'gas to': 344155, 'supply hoarder': 825371, 'let hope remembered': 486804, 'hope remembered that': 403609, 'remembered that everyone': 710451, 'that everyone is': 843767, 'everyone is paying': 287100, 'is paying higher': 450824, 'paying higher price': 645429, 'higher price for': 395674, 'price for supply': 674052, 'for supply now': 326050, 'supply now bc': 825604, 'now bc if': 574188, 'bc if you': 113244, 'cannot get chicken': 161879, 'get chicken bc': 346768, 'chicken bc there': 175751, 'bc there isn': 113296, 'there isn any': 878662, 'isn any you': 454436, 'any you have': 80060, 'to get beef': 906422, 'get beef bc': 346658, 'beef bc it': 120484, 'bc it there': 113249, 'it there and': 461610, 'there and spend': 878009, 'and spend extra': 72088, 'spend extra in': 788606, 'extra in gas': 293552, 'in gas to': 423224, 'gas to run': 344158, 'to run to': 913675, 'run to store': 727844, 'to store to': 915647, 'get supply hoarder': 348158, 'practiced': 668711, 'shopper waiting': 761801, 'toronto canada': 925926, 'canada practiced': 160528, 'practiced social': 668714, 'distancing leaving': 247278, 'leaving significant': 485129, 'significant space': 769522, 'space between': 787069, 'between one': 128838, 'another the': 77895, 'and canada': 59479, 'canada have': 160457, 'the border': 849868, 'border between': 135221, 'two country': 936852, 'to non': 910629, 'essential traffic': 281716, 'traffic the': 929144, 'spread 19': 790382, 'shopper waiting to': 761802, 'waiting to enter': 964400, 'store in toronto': 808406, 'in toronto canada': 430202, 'toronto canada practiced': 925928, 'canada practiced social': 160529, 'practiced social distancing': 668715, 'social distancing leaving': 779647, 'distancing leaving significant': 247279, 'leaving significant space': 485130, 'significant space between': 769523, 'space between one': 787072, 'between one another': 128839, 'one another the': 605926, 'another the and': 77896, 'the and canada': 848687, 'and canada have': 59481, 'canada have agreed': 160458, 'agreed to close': 38736, 'to close the': 902901, 'close the border': 182835, 'the border between': 849870, 'border between the': 135223, 'the two country': 870146, 'two country to': 936853, 'country to non': 211167, 'to non essential': 910630, 'non essential traffic': 566368, 'essential traffic the': 281717, 'traffic the spread': 929147, 'the spread 19': 867613, 'empty no': 274959, 'problem because': 679475, 'because is': 119167, 'is skilled': 451953, 'skilled with': 773009, 'store empty no': 807586, 'empty no problem': 274964, 'no problem because': 565189, 'problem because is': 679476, 'because is skilled': 119169, 'is skilled with': 451954, 'changer': 172616, 'don charge': 253430, 'charge extortionate': 173227, 'this test': 890492, 'test ideally': 839025, 'ideally they': 413294, 'be free': 114951, 'free coronavirus': 331732, 'coronavirus game': 205979, 'game changer': 343148, 'changer covid': 172619, 'day mp': 227994, 'mp told': 544280, 'let hope they': 486808, 'hope they don': 403706, 'they don charge': 881987, 'don charge extortionate': 253431, 'charge extortionate price': 173228, 'extortionate price for': 293393, 'for this test': 327072, 'this test ideally': 890493, 'test ideally they': 839026, 'ideally they should': 413295, 'should be free': 765630, 'be free coronavirus': 114952, 'free coronavirus game': 331733, 'coronavirus game changer': 205980, 'game changer covid': 343149, 'changer covid 19': 172620, '19 test could': 11071, 'test could be': 838963, 'could be available': 208845, 'be available in': 113757, 'available in day': 104437, 'in day mp': 422014, 'day mp told': 227995, 'buying empty': 150218, 'shelf food': 757090, 'bank have': 109891, 'seen donation': 747000, 'dwindle is': 263666, 'need 19': 554336, 'panic buying empty': 637715, 'buying empty shelf': 150219, 'empty shelf food': 275065, 'shelf food bank': 757091, 'food bank have': 313582, 'bank have seen': 109897, 'have seen donation': 382422, 'seen donation dwindle': 747001, 'donation dwindle is': 254597, 'dwindle is working': 263668, 'is working hard': 454037, 'vulnerable can get': 960899, 'can get hold': 158422, 'hold of the': 399973, 'they need 19': 882713, 'compatriot': 191507, 'dear compatriot': 229761, 'compatriot and': 191508, 'and compatriot': 60209, 'compatriot of': 191511, 'of genius': 584086, 'genius soap': 345800, 'work better': 1004939, 'than hand': 840723, 'necessary when': 554141, 'eat if': 265948, 'you stopped': 1021444, 'stopped going': 805710, 'dear compatriot and': 229762, 'compatriot and compatriot': 191510, 'and compatriot of': 60210, 'compatriot of genius': 191512, 'of genius soap': 584088, 'genius soap work': 345801, 'soap work better': 779188, 'work better than': 1004942, 'better than hand': 128524, 'than hand sanitizer': 840725, 'hand sanitizer toilet': 375630, 'paper is not': 640357, 'not necessary when': 570645, 'necessary when you': 554142, 'home and there': 400701, 'and there plenty': 73849, 'food to eat': 317245, 'to eat if': 904889, 'eat if you': 265949, 'if you stopped': 415530, 'you stopped going': 1021445, 'stopped going to': 805711, 'to the damn': 916623, 'store for few': 807804, 'doofancy': 255431, 'not order': 570849, 'order anything': 618044, 'anything from': 80768, 'from company': 334933, 'company doofancy': 190612, 'doofancy ordered': 255432, 'ordered and': 618820, 'never delivered': 557939, 'delivered just': 233352, 'just more': 469287, 'more excuse': 539166, 'excuse why': 289797, 'not could': 568895, 'only patrol': 610939, 'patrol the': 644391, 'internet avoid': 441911, 'do not order': 249790, 'not order anything': 570850, 'order anything from': 618045, 'anything from company': 80769, 'from company doofancy': 334934, 'company doofancy ordered': 190613, 'doofancy ordered and': 255433, 'ordered and wa': 618822, 'and wa never': 75092, 'wa never delivered': 962700, 'never delivered just': 557940, 'delivered just more': 233353, 'just more excuse': 469289, 'more excuse why': 539167, 'excuse why not': 289799, 'why not could': 991216, 'not could only': 568896, 'could only patrol': 209484, 'only patrol the': 610940, 'patrol the internet': 644392, 'the internet avoid': 858379, 'enquirer': 277794, 'whatthe': 982941, 'what guy': 981529, 'most encouraging': 542297, 'encouraging story': 275738, 'national enquirer': 552498, 'enquirer everything': 277795, 'fine now': 307667, 'now whatthe': 576389, 'whatthe humor': 982942, 'humor comedy': 410857, 'guess what guy': 368082, 'what guy at': 981530, 'guy at the': 368919, 'supermarket saw the': 822321, 'saw the most': 738270, 'the most encouraging': 860980, 'most encouraging story': 542298, 'encouraging story from': 275739, 'story from our': 811986, 'at the national': 101029, 'the national enquirer': 861293, 'national enquirer everything': 552499, 'enquirer everything will': 277797, 'everything will be': 288109, 'be fine now': 114851, 'fine now whatthe': 307668, 'now whatthe humor': 576390, 'whatthe humor comedy': 982943, 'give their': 350757, 'staff big': 792266, 'big bonus': 129647, 'done since': 255010, 'since will': 770997, 'you give': 1018821, 'all nh': 43634, 'big pay': 129905, 'pay rise': 645092, 'much thanks': 545342, 'thanks this': 842199, 'ha for': 370651, 'deserve it': 238067, 'some supermarket are': 784003, 'supermarket are going': 819160, 'to give their': 906718, 'give their staff': 350758, 'their staff big': 874790, 'staff big bonus': 792267, 'big bonus for': 129648, 'all the hard': 44776, 'the hard work': 857105, 'hard work they': 378132, 'work they have': 1005842, 'they have done': 882312, 'have done since': 380334, 'done since will': 255011, 'since will you': 770998, 'will you give': 995386, 'you give all': 1018823, 'give all nh': 350367, 'all nh staff': 43636, 'nh staff big': 562079, 'staff big pay': 792268, 'big pay rise': 129907, 'pay rise to': 645098, 'rise to show': 723037, 'to show how': 914559, 'show how much': 766985, 'how much thanks': 408372, 'much thanks this': 545343, 'thanks this country': 842200, 'this country ha': 886954, 'country ha for': 210714, 'ha for them': 370652, 'them they deserve': 876414, 'they deserve it': 881896, 'people avoid': 647197, 'panic love': 638293, 'love not': 504732, 'hate we': 378935, 'beat corona': 118514, 'corona but': 203836, 'but together': 147611, 'together do': 920762, 'do basic': 249114, 'basic wash': 112095, 'hand simple': 375758, 'simple life': 770049, 'life healthy': 488727, 'healthy food': 387623, 'and sound': 72016, 'sound sleep': 786333, 'sleep to': 773798, 'to built': 902099, 'built immunity': 142186, 'immunity against': 417388, 'against virus': 37733, 'help people avoid': 390286, 'people avoid panic': 647198, 'avoid panic love': 105209, 'panic love not': 638294, 'love not hate': 504733, 'not hate we': 569807, 'hate we can': 378936, 'can beat corona': 157719, 'beat corona but': 118515, 'corona but together': 203839, 'but together do': 147612, 'together do basic': 920763, 'do basic wash': 249115, 'basic wash hand': 112096, 'wash hand simple': 967496, 'hand simple life': 375759, 'simple life healthy': 770050, 'life healthy food': 488728, 'healthy food and': 387624, 'food and sound': 313338, 'and sound sleep': 72018, 'sound sleep to': 786334, 'sleep to built': 773800, 'to built immunity': 902100, 'built immunity against': 142187, 'immunity against virus': 417390, 'engineered': 276981, 'april about': 83531, 'about million': 25727, 'of homeless': 584728, 'homeless crude': 402742, 'crude per': 219578, 'day literally': 227915, 'literally have': 495016, 'have nowhere': 381742, 'go repeat': 354069, 'repeat engineered': 711511, 'engineered economic': 276982, 'economic crash': 267028, 'crash oil': 215015, 'in april about': 420464, 'april about million': 83532, 'about million barrel': 25728, 'million barrel of': 532086, 'barrel of homeless': 111254, 'of homeless crude': 584729, 'homeless crude per': 402744, 'crude per day': 219579, 'per day literally': 650802, 'day literally have': 227916, 'literally have nowhere': 495020, 'have nowhere to': 381743, 'to go repeat': 906846, 'go repeat engineered': 354070, 'repeat engineered economic': 711512, 'engineered economic crash': 276983, 'economic crash oil': 267029, 'now died': 574521, 'of coronavirus at': 581916, 'giant have now': 349796, 'have now died': 381730, 'now died from': 574522, '19 in recent': 7778, 'rip leilani': 722656, 'leilani and': 486113, 'and god': 63792, 'bless you': 132605, 'elderly during': 270667, 'this mess': 888832, 'mess grocery': 529226, 'rip leilani and': 722657, 'leilani and god': 486114, 'and god bless': 63793, 'god bless you': 354660, 'bless you for': 132608, 'you for helping': 1018642, 'for helping the': 322204, 'the elderly during': 854122, 'elderly during this': 270668, 'during this mess': 263300, 'this mess grocery': 888834, 'mess grocery clerk': 529227, 'prediction about': 669647, 'market also': 515926, 'also bitcoin': 47964, 'bitcoin very': 131843, 'prediction about and': 669648, 'about and the': 24804, 'and the market': 73471, 'the market also': 860084, 'market also bitcoin': 515927, 'also bitcoin very': 47965, 'bitcoin very interesting': 131844, 'ha really': 371646, 'really exposed': 702178, 'exposed lot': 292857, 'thing outside': 884667, 'that tp': 847106, 'tp sale': 927923, 'sale apparently': 732054, 'apparently match': 81966, 'match consumer': 520285, 'confidence it': 193913, 'really necessary': 702424, 'family that': 298291, 'that depend': 843498, 'on meal': 602077, 'meal poor': 524246, 'poor family': 664167, 'and worker': 75869, 'support we': 826982, 'are better': 84955, 'pandemic ha really': 635561, 'ha really exposed': 371650, 'really exposed lot': 702179, 'exposed lot of': 292858, 'of thing outside': 591909, 'thing outside of': 884668, 'outside of the': 629516, 'of the fact': 591007, 'fact that tp': 295816, 'that tp sale': 847108, 'tp sale apparently': 927924, 'sale apparently match': 732055, 'apparently match consumer': 81967, 'match consumer confidence': 520286, 'consumer confidence it': 196908, 'confidence it is': 193914, 'it is really': 459056, 'is really necessary': 451310, 'really necessary to': 702425, 'necessary to visit': 554131, 'to visit the': 918214, 'visit the number': 959391, 'of family that': 583410, 'family that depend': 298292, 'that depend on': 843499, 'depend on meal': 237320, 'on meal poor': 602078, 'meal poor family': 524247, 'poor family and': 664168, 'family and worker': 297614, 'and worker need': 75877, 'worker need support': 1007428, 'need support we': 555693, 'support we are': 826983, 'we are better': 970491, 'are better than': 84958, 'selfishly': 748317, 'about instead': 25539, 'of giving': 584137, 'giving tip': 351434, 'tip and': 898700, 'and praising': 69312, 'praising people': 668902, 'for hoarding': 322318, 'hoarding resource': 399493, 'resource that': 714887, 'disabled actually': 243869, 'need why': 556214, 'you try': 1021936, 'tell people': 837046, 'that now': 845416, 'now isnt': 575096, 'isnt the': 454787, 'be selfishly': 117066, 'selfishly stockpiling': 748322, 'stockpiling stoppanicbuying': 804081, 'how about instead': 407286, 'about instead of': 25540, 'instead of giving': 440265, 'of giving tip': 584142, 'giving tip and': 351435, 'tip and praising': 898706, 'and praising people': 69313, 'praising people for': 668903, 'people for hoarding': 647952, 'for hoarding resource': 322327, 'hoarding resource that': 399494, 'resource that many': 714889, 'that many of': 845027, 'and disabled actually': 61387, 'disabled actually need': 243870, 'actually need why': 30912, 'need why do': 556215, 'not you try': 572621, 'you try and': 1021937, 'try and tell': 934457, 'and tell people': 73096, 'tell people that': 837049, 'people that now': 649773, 'that now isnt': 845421, 'now isnt the': 575097, 'isnt the time': 454788, 'to be selfishly': 901527, 'be selfishly stockpiling': 117067, 'selfishly stockpiling stoppanicbuying': 748323, 'productive': 682287, 'can africa': 157414, 'africa work': 35160, 'line new': 493275, 'new survey': 559707, 'survey show': 828946, 'that 80': 842470, 'not productive': 571106, 'productive they': 682300, 'spending more': 788910, 'medium entertainment': 527092, 'entertainment and': 278550, 'shopping than': 764066, 'than working': 841474, 'working is': 1008745, 'is africa': 445409, 'africa ready': 35121, 'can africa work': 157415, 'africa work on': 35161, 'work on line': 1005536, 'on line new': 601860, 'line new survey': 493276, 'new survey show': 559712, 'survey show that': 828950, 'show that 80': 767175, 'that 80 of': 842471, '80 of the': 22611, 'asked to work': 95882, 'from home because': 335843, '19 are not': 5204, 'are not productive': 88442, 'not productive they': 571107, 'productive they are': 682301, 'they are spending': 881413, 'are spending more': 90325, 'spending more time': 788918, 'time on social': 897402, 'social medium entertainment': 779849, 'medium entertainment and': 527093, 'entertainment and shopping': 278552, 'and shopping than': 71552, 'shopping than working': 764070, 'than working is': 841476, 'working is africa': 1008746, 'is africa ready': 445410, 'africa ready to': 35122, 'ready to work': 700988, 'to work online': 918760, 'congratulation': 194440, 'malaysian': 511656, 'crave': 215161, 'congratulation malaysian': 194443, 'malaysian we': 511670, 'better let': 128353, 'have party': 381899, 'party tomorrow': 643051, 'tomorrow at': 924030, 'supermarket those': 823324, 'and join': 65672, 'join some': 466838, 'of crave': 582117, 'crave the': 215169, 'congratulation malaysian we': 194444, 'malaysian we can': 511671, 'can do better': 158096, 'do better let': 249137, 'better let have': 128354, 'let have party': 486773, 'have party tomorrow': 381900, 'party tomorrow at': 643052, 'tomorrow at the': 924039, 'the supermarket those': 868855, 'supermarket those who': 823326, 'those who covid': 892625, '19 please come': 9711, 'please come and': 659796, 'come and join': 187218, 'and join some': 65675, 'join some of': 466839, 'some of crave': 783393, 'of crave the': 582119, 'crave the virus': 215170, 'our founder': 623155, 'founder amp': 330520, 'ceo discussed': 169688, 'discussed our': 244963, 'our ongoing': 624137, 'ongoing online': 607665, 'behavior analysis': 123876, 'analysis with': 57093, 'our founder amp': 623156, 'founder amp ceo': 330521, 'amp ceo discussed': 53511, 'ceo discussed our': 169689, 'discussed our ongoing': 244964, 'our ongoing online': 624138, 'ongoing online shopping': 607666, 'shopping behavior analysis': 762195, 'behavior analysis with': 123878, 'midwife': 530836, 'carer': 164551, 'nursery': 577565, 'clapfornhs': 180004, 'thankyounhs': 842379, 'skilled worker': 773010, 'worker according': 1006195, 'government paramedic': 360450, 'paramedic nurse': 641391, 'nurse midwife': 577421, 'midwife social': 530839, 'worker carer': 1006607, 'carer supermarket': 164558, 'worker bus': 1006549, 'driver nursery': 259664, 'nursery teacher': 577576, 'teacher what': 835532, 'make clapfornhs': 509771, 'clapfornhs thankyounhs': 180009, 'low skilled worker': 505622, 'skilled worker according': 773011, 'worker according to': 1006196, 'to the uk': 917150, 'uk government paramedic': 938415, 'government paramedic nurse': 360451, 'paramedic nurse midwife': 641392, 'nurse midwife social': 577423, 'midwife social worker': 530840, 'social worker carer': 780018, 'worker carer supermarket': 1006608, 'carer supermarket worker': 164559, 'supermarket worker bus': 823998, 'worker bus driver': 1006550, 'bus driver nursery': 143022, 'driver nursery teacher': 259665, 'nursery teacher what': 577577, 'teacher what difference': 835533, 'month make clapfornhs': 537846, 'make clapfornhs thankyounhs': 509772, 'hysterical': 412496, 'dysfunctional': 263930, 'left wing': 485738, 'wing supermarket': 995990, 'right wing': 722425, 'now guess': 574833, 'guess which': 368091, 'which country': 985780, 'the press': 864280, 'press call': 671021, 'call hysterical': 155933, 'hysterical dysfunctional': 412497, 'dysfunctional 19': 263931, 'left wing supermarket': 485740, 'wing supermarket right': 995992, 'supermarket right wing': 822249, 'right wing supermarket': 722429, 'wing supermarket now': 995991, 'supermarket now guess': 821665, 'now guess which': 574835, 'guess which country': 368092, 'which country the': 985781, 'country the press': 211133, 'the press call': 864284, 'press call hysterical': 671022, 'call hysterical dysfunctional': 155934, 'hysterical dysfunctional 19': 412498, 'of cannabis': 581101, 'cannabis in': 161411, 'france have': 331004, 'have soared': 382605, 'soared in': 779295, 'price of cannabis': 675418, 'of cannabis in': 581103, 'cannabis in france': 161412, 'in france have': 423078, 'france have soared': 331005, 'have soared in': 382606, 'soared in the': 779296, 'wake of coronavirus': 964594, 'freeing': 332421, 'mandela': 513082, 'arr': 93677, 'like saying': 491136, 'saying covid': 739579, 'environment slowing': 279150, 'slowing climate': 774527, 'change while': 172394, 'while that': 987367, 'that true': 847131, 'true trump': 933198, 'with gas': 998600, 'price dropping': 673598, 'dropping or': 260712, 'or climate': 614742, 'change slowing': 172260, 'slowing next': 774560, 'next he': 561395, 'he ll': 385193, 'take credit': 832043, 'credit for': 216392, 'for freeing': 321743, 'freeing mandela': 332422, 'mandela by': 513083, 'by having': 152766, 'having been': 383994, 'been arr': 120682, 'like saying covid': 491138, 'saying covid 19': 739580, '19 is good': 7981, 'for the environment': 326413, 'the environment slowing': 854406, 'environment slowing climate': 279151, 'slowing climate change': 774528, 'climate change while': 182206, 'change while that': 172395, 'while that true': 987369, 'that true trump': 847132, 'true trump ha': 933199, 'trump ha nothing': 933592, 'do with gas': 250550, 'with gas price': 998601, 'gas price dropping': 343955, 'price dropping or': 673604, 'dropping or climate': 260713, 'or climate change': 614743, 'climate change slowing': 182201, 'change slowing next': 172261, 'slowing next he': 774561, 'next he ll': 561396, 'he ll take': 385201, 'll take credit': 497059, 'take credit for': 832044, 'credit for freeing': 216395, 'for freeing mandela': 321744, 'freeing mandela by': 332423, 'mandela by having': 513084, 'by having been': 152767, 'having been arr': 383995, 'wisconsin distillery': 996614, 'distillery across': 247721, 'gear amidst': 344938, 'now using': 576289, 'with recipe': 1000418, 'recipe provided': 704493, 'provided directly': 686594, 'directly from': 243547, 'wisconsin distillery across': 996615, 'distillery across the': 247723, 'across the state': 29523, 'the state are': 867747, 'state are switching': 795392, 'are switching gear': 90694, 'switching gear amidst': 830562, 'gear amidst the': 344939, 'amidst the global': 52827, 'global pandemic they': 352107, 'pandemic they re': 636738, 're now using': 699147, 'now using their': 576291, 'using their product': 950732, 'their product to': 874476, 'product to make': 681753, 'sanitizer with recipe': 736139, 'with recipe provided': 1000419, 'recipe provided directly': 704494, 'provided directly from': 686595, 'directly from the': 243551, 'thought with': 893320, 'with self': 1000621, 'self service': 747903, 'so popular': 778049, 'popular that': 664612, 'world would': 1010205, 'have thought with': 383128, 'thought with self': 893321, 'with self service': 1000625, 'self service so': 747906, 'service so popular': 752840, 'so popular that': 778050, 'popular that the': 664613, 'that the safest': 846825, 'the safest job': 866142, 'the world would': 872012, 'world would be': 1010206, 'would be that': 1011658, 'be that of': 117582, 'that of supermarket': 845454, 'of supermarket cashier': 590415, 'adi': 32244, 'enable': 275417, 'when asked': 983176, 'asked why': 95909, 'doe adi': 251318, 'adi continue': 32247, 'operate be': 612981, 'of adi': 579784, 'adi business': 32245, 'on healthcare': 601260, 'consumer system': 199208, 'system our': 831279, 'product enable': 681160, 'enable critical': 275422, 'critical medical': 218602, 'medical and': 526042, 'healthcare equipment': 387095, 'equipment used': 279865, 'and treat': 74415, 'patient suffering': 644264, 'when asked why': 983184, 'asked why doe': 95910, 'why doe adi': 990947, 'doe adi continue': 251319, 'adi continue to': 32248, 'continue to operate': 201225, 'to operate be': 911018, 'operate be proud': 612982, 'be proud to': 116586, 'proud to tell': 686064, 'to tell them': 916351, 'tell them that': 837104, 'them that one': 876381, 'one of adi': 606733, 'of adi business': 579785, 'adi business is': 32246, 'business is on': 143957, 'is on healthcare': 450467, 'on healthcare and': 601261, 'healthcare and consumer': 387026, 'and consumer system': 60433, 'consumer system our': 199209, 'system our product': 831280, 'our product enable': 624480, 'product enable critical': 681161, 'enable critical medical': 275423, 'critical medical and': 218603, 'medical and healthcare': 526046, 'and healthcare equipment': 64376, 'healthcare equipment used': 387097, 'equipment used to': 279866, 'used to test': 950095, 'to test and': 916390, 'test and treat': 838918, 'and treat patient': 74419, 'treat patient suffering': 930868, 'patient suffering from': 644265, 'suffering from covid': 817308, 'menards': 528577, 'cited': 178777, 'menards cited': 528578, 'cited by': 178780, 'by nessel': 153320, 'nessel for': 557506, 'for second': 325405, 'second time': 743844, 'for action': 319002, 'action during': 30002, 'menards cited by': 528579, 'cited by nessel': 178781, 'by nessel for': 153321, 'nessel for second': 557507, 'for second time': 325409, 'second time for': 743845, 'time for action': 896687, 'for action during': 319004, 'action during covid': 30003, 'starmer': 794177, 'starmer please': 794180, 'please before': 659719, 'before booking': 122666, 'booking that': 134743, 'that delivery': 843488, 'slot if': 774210, 'yourself think': 1026721, 'might need': 531080, 'it more': 459663, 'and consider': 60311, 'consider if': 195024, 'need delivery': 554665, 'starmer please before': 794181, 'please before booking': 659720, 'before booking that': 122667, 'booking that delivery': 134744, 'that delivery slot': 843489, 'delivery slot if': 234527, 'slot if you': 774211, 'you are able': 1017047, 'able to shop': 24545, 'to shop for': 914460, 'shop for yourself': 760215, 'for yourself think': 328240, 'yourself think of': 1026722, 'those who might': 892656, 'who might need': 989286, 'might need it': 531084, 'need it more': 555095, 'it more than': 459675, 'more than you': 540702, 'than you and': 841486, 'you and consider': 1016982, 'and consider if': 60314, 'consider if you': 195025, 'you really do': 1020835, 'really do need': 702126, 'do need delivery': 249636, 'need delivery or': 554667, 'delivery or if': 234284, 'you could go': 1018090, 'could go to': 209221, 'brainstorming': 137622, 'language': 479479, '903': 23406, '689': 21514, '1975': 12434, 'it nielsen': 459811, 'nielsen gonna': 562647, 'gonna get': 356527, 'data might': 226302, 'might dive': 530959, 'with brainstorming': 997463, 'brainstorming any': 137623, 'any opportunity': 79568, 'opportunity here': 613640, 'here because': 392804, 'because marketing': 119233, 'marketing language': 517636, 'language will': 479500, 'will shift': 994835, 'into these': 443204, 'these funnel': 880046, 'funnel want': 341681, 'that text': 846640, 'text yes': 839961, 'yes to': 1015573, 'to 903': 899868, '903 689': 23407, '689 1975': 21515, 'one thing about': 607215, 'about it nielsen': 25586, 'it nielsen gonna': 459812, 'nielsen gonna get': 562648, 'gonna get their': 356537, 'get their consumer': 348325, 'their consumer data': 872854, 'consumer data might': 197060, 'data might dive': 226304, 'might dive into': 530960, 'dive into this': 248491, 'into this if': 443215, 'this if have': 887996, 'if have time': 414205, 'to help with': 907668, 'help with brainstorming': 390901, 'with brainstorming any': 997464, 'brainstorming any opportunity': 137624, 'any opportunity here': 79570, 'opportunity here because': 613641, 'here because marketing': 392805, 'because marketing language': 119234, 'marketing language will': 517638, 'language will shift': 479501, 'will shift into': 994836, 'shift into these': 758337, 'into these funnel': 443205, 'these funnel want': 880047, 'funnel want that': 341682, 'want that text': 965954, 'that text yes': 846641, 'text yes to': 839962, 'yes to 903': 1015574, 'to 903 689': 899869, '903 689 1975': 23408, 'questioned': 693833, 'addiction my': 31644, 'husband still': 411761, 'not questioned': 571190, 'questioned the': 693834, 'of box': 580814, 'box ve': 137193, 'been receiving': 121788, 'receiving though': 703808, 'though so': 892885, 'that good': 844042, 'this quarantine is': 889774, 'quarantine is not': 692304, 'is not good': 450096, 'not good for': 569722, 'good for my': 357084, 'for my online': 323736, 'shopping addiction my': 761896, 'addiction my husband': 31645, 'my husband still': 548794, 'husband still ha': 411763, 'still ha not': 800618, 'ha not questioned': 371371, 'not questioned the': 571191, 'questioned the amount': 693835, 'amount of box': 53208, 'of box ve': 580816, 'box ve been': 137194, 've been receiving': 952922, 'been receiving though': 121789, 'receiving though so': 703809, 'though so that': 892888, 'so that good': 778372, 'mvp': 547108, 'doctor emergency': 250899, 'store amp': 806175, 'amp gas': 53857, 'employee banker': 273660, 'banker and': 110341, 'and anybody': 58221, 'anybody else': 80068, 'work right': 1005674, 'world running': 1009947, 'running thank': 728091, 'real mvp': 701272, 'mvp we': 547110, 'appreciate all': 82702, 'all keep': 43302, 'the nurse doctor': 861981, 'nurse doctor emergency': 577290, 'doctor emergency service': 250900, 'emergency service worker': 272973, 'service worker grocery': 753097, 'grocery store amp': 365195, 'store amp gas': 806177, 'amp gas station': 53862, 'station employee banker': 796391, 'employee banker and': 273661, 'banker and anybody': 110343, 'and anybody else': 58222, 'anybody else that': 80074, 'else that is': 271906, 'to work right': 918775, 'work right now': 1005678, 'now to keep': 576170, 'keep the world': 472079, 'the world running': 871956, 'world running thank': 1009949, 'running thank you': 728092, 'you all are': 1016865, 'the real mvp': 865226, 'real mvp we': 701274, 'mvp we appreciate': 547111, 'we appreciate all': 970450, 'appreciate all keep': 82704, 'all keep safe': 43303, 'taylor': 835217, 'taylor hard': 835222, 'dog need': 252131, 'food too': 317331, 'taylor hard time': 835223, 'hard time the': 378043, 'time the dog': 897851, 'the dog need': 853498, 'dog need to': 252132, 'stock food too': 802153, 'nears': 553873, 'could turn': 209798, 'turn negative': 935704, 'negative storage': 556827, 'storage nears': 805975, 'nears capacity': 553874, 'oil price could': 597089, 'price could turn': 673299, 'could turn negative': 209800, 'turn negative storage': 935706, 'negative storage nears': 556828, 'storage nears capacity': 805976, 'us': 948498, 'kr': 477612, 'rm16': 724257, '93': 23519, 'rm42': 724267, 'kelik': 472704, 'mekoh': 527892, 'balik': 109042, 'hari': 378360, 'denmark us': 237031, 'us price': 948538, 'price trick': 677118, 'avoid selfish': 105268, 'selfish buying': 748042, 'buying bottle': 150038, 'bottle 40': 136165, '40 kr': 18596, 'kr rm16': 477616, 'rm16 93': 724258, '93 if': 23522, 'if bottle': 413903, 'bottle 100': 136157, '100 kr': 1936, 'kr rm42': 477618, 'rm42 33': 724268, '33 malaysia': 17762, 'malaysia should': 511630, 'should apply': 765521, 'apply this': 82603, 'this instead': 888137, 'of selling': 589493, 'for kelik': 322822, 'kelik mekoh': 472705, 'mekoh balik': 527893, 'balik hari': 109043, 'hari handsanitizer': 378361, 'in denmark us': 422190, 'denmark us price': 237033, 'us price trick': 948539, 'price trick to': 677119, 'trick to avoid': 931715, 'to avoid selfish': 900937, 'avoid selfish buying': 105269, 'selfish buying bottle': 748043, 'buying bottle 40': 150039, 'bottle 40 kr': 136166, '40 kr rm16': 18598, 'kr rm16 93': 477617, 'rm16 93 if': 724259, '93 if bottle': 23523, 'if bottle 100': 413904, 'bottle 100 kr': 136158, '100 kr rm42': 1937, 'kr rm42 33': 477619, 'rm42 33 malaysia': 724269, '33 malaysia should': 17763, 'malaysia should apply': 511631, 'should apply this': 765522, 'apply this instead': 82604, 'this instead of': 888140, 'instead of selling': 440316, 'of selling for': 589494, 'selling for kelik': 749259, 'for kelik mekoh': 322823, 'kelik mekoh balik': 472706, 'mekoh balik hari': 527894, 'balik hari handsanitizer': 109044, 'desantis': 237896, 'statewide': 796257, 'grower': 367093, 'rotting': 726212, 'vine': 957428, 'march 20': 515126, '20 gov': 13081, 'gov desantis': 359571, 'desantis closed': 237897, 'room statewide': 725970, 'statewide amp': 796258, 'amp grower': 53894, 'grower went': 367115, 'into free': 442569, 'fall 85': 296801, '85 reduction': 22931, 'demand tomato': 236410, 'tomato sit': 923968, 'sit rotting': 771842, 'rotting on': 726219, 'the vine': 870772, 'vine restaurant': 957431, 'restaurant close': 716370, 'close amp': 182522, 'amp demand': 53628, 'demand plummet': 236039, 'plummet covid': 661268, '19 show': 10508, 'fact we': 295839, 'strengthen local': 813247, 'food resource': 316185, 'on march 20': 602015, 'march 20 gov': 515131, '20 gov desantis': 13082, 'gov desantis closed': 359572, 'desantis closed restaurant': 237898, 'restaurant dining room': 716423, 'dining room statewide': 243030, 'room statewide amp': 725971, 'statewide amp grower': 796259, 'amp grower went': 53895, 'grower went into': 367116, 'went into free': 979045, 'into free fall': 442570, 'free fall 85': 331802, 'fall 85 reduction': 296802, '85 reduction in': 22932, 'reduction in demand': 706360, 'in demand tomato': 422163, 'demand tomato sit': 236411, 'tomato sit rotting': 923969, 'sit rotting on': 771843, 'rotting on the': 726220, 'on the vine': 604433, 'the vine restaurant': 870773, 'vine restaurant close': 957432, 'restaurant close amp': 716371, 'close amp demand': 182524, 'amp demand plummet': 53632, 'demand plummet covid': 236040, 'plummet covid 19': 661269, 'covid 19 show': 213794, '19 show the': 10511, 'show the fact': 767208, 'the fact we': 854834, 'fact we need': 295842, 'need to strengthen': 556093, 'to strengthen local': 915667, 'strengthen local food': 813248, 'local food resource': 497971, 'uk when': 938881, 'of the uk': 591567, 'the uk when': 870299, 'uk when they': 938882, 'they get into': 882169, 'lime': 492253, 'lime and': 492254, 'and bird': 58980, 'bird are': 131324, 'are rethinking': 89667, 'rethinking their': 719669, 'business strategy': 144426, 'strategy travel': 812739, 'travel demand': 930332, 'lime and bird': 492255, 'and bird are': 58981, 'bird are rethinking': 131325, 'are rethinking their': 89668, 'rethinking their business': 719670, 'their business strategy': 872689, 'business strategy travel': 144428, 'strategy travel demand': 812740, 'travel demand plummet': 930335, 'do job': 249531, 'supermarket delivering': 819909, 'delivering grocery': 233506, 'people home': 648281, 'home out': 401803, 'of 11': 579330, '11 drop': 2516, 'today were': 920504, 'were self': 980095, 'person telling': 652628, 'telling they': 837282, 'to worse': 918846, 'worse before': 1010880, 'it get': 458213, 'do job for': 249532, 'job for local': 465825, 'for local supermarket': 323056, 'local supermarket delivering': 498515, 'supermarket delivering grocery': 819910, 'delivering grocery to': 233508, 'grocery to people': 366056, 'to people home': 911624, 'people home out': 648285, 'home out of': 401804, 'out of 11': 626666, 'of 11 drop': 579332, '11 drop today': 2517, 'drop today were': 260434, 'today were self': 920506, 'were self isolating': 980097, 'isolating with one': 455168, 'with one person': 999888, 'one person telling': 606868, 'person telling they': 652629, 'telling they have': 837283, 'they have covid': 882309, 'this is only': 888347, 'is only going': 450539, 'going to worse': 355763, 'to worse before': 918847, 'worse before it': 1010881, 'before it get': 122886, 'it get better': 458215, 'deactivated': 229117, 'canvas': 162389, '18x24cm': 4694, 'sickboy': 768693, 'sickonthewall': 768767, 'disposal': 246275, 'bomb': 134173, 'stencil': 799476, 'srencilart': 791589, 'popart': 664483, 'streetart': 813192, 'shopping deactivated': 762437, 'deactivated spray': 229120, 'spray on': 790315, 'on canvas': 599806, 'canvas 18x24cm': 162390, '18x24cm sickboy': 4695, 'sickboy sickonthewall': 768694, 'sickonthewall shopping': 768768, 'shopping disposal': 762486, 'disposal bomb': 246276, 'bomb supermarket': 134188, 'shop stencil': 760836, 'stencil srencilart': 799477, 'srencilart art': 791590, 'art popart': 94190, 'popart streetart': 664484, 'streetart quarantine': 813193, 'quarantine easter': 692165, 'shopping deactivated spray': 762438, 'deactivated spray on': 229121, 'spray on canvas': 790316, 'on canvas 18x24cm': 599807, 'canvas 18x24cm sickboy': 162391, '18x24cm sickboy sickonthewall': 4696, 'sickboy sickonthewall shopping': 768695, 'sickonthewall shopping disposal': 768769, 'shopping disposal bomb': 762487, 'disposal bomb supermarket': 246277, 'bomb supermarket shop': 134189, 'supermarket shop stencil': 822596, 'shop stencil srencilart': 760837, 'stencil srencilart art': 799478, 'srencilart art popart': 791591, 'art popart streetart': 94191, 'popart streetart quarantine': 664485, 'streetart quarantine easter': 813194, 'planner': 658485, 'group attack': 366615, 'attack on': 102133, 'on financial': 600790, 'financial planner': 306529, 'planner is': 658498, 'unjustified australian': 942491, 'australian battle': 103443, 'financial planning': 306533, 'planning association': 658516, 'association of': 96966, 'of australia': 580452, 'consumer group attack': 197655, 'group attack on': 366616, 'attack on financial': 102135, 'on financial planner': 600792, 'financial planner is': 306530, 'planner is unjustified': 658499, 'is unjustified australian': 453515, 'unjustified australian battle': 942492, 'australian battle the': 103445, '19 crisis the': 6334, 'crisis the financial': 218172, 'the financial planning': 855222, 'financial planning association': 306534, 'planning association of': 658517, 'association of australia': 96968, 'stabbings': 791776, '19th': 12532, 'coronavirus crime': 205732, 'crime from': 216779, 'supermarket stabbings': 822801, 'stabbings to': 791779, 'to toxic': 917664, 'toxic cure': 927642, 'and door': 61678, 'door virus': 255767, 'virus testing': 958856, 'testing attention': 839454, 'attention watch': 102503, 'watch today': 968589, 'the 19th': 847963, 'coronavirus crime from': 205733, 'crime from supermarket': 216780, 'from supermarket stabbings': 337504, 'supermarket stabbings to': 822802, 'stabbings to toxic': 791781, 'to toxic cure': 917665, 'toxic cure and': 927643, 'cure and door': 220698, 'and door to': 61681, 'to door virus': 904676, 'door virus testing': 255769, 'virus testing attention': 958857, 'testing attention watch': 839455, 'attention watch today': 102504, 'watch today on': 968592, 'today on the': 919973, 'on the 19th': 603954, 'the survey': 869022, 'consumer preference': 198406, 'east amid': 265285, 'the survey reveals': 869026, 'reveals consumer preference': 720313, 'consumer preference in': 198408, 'preference in the': 669788, 'the middle east': 860568, 'middle east amid': 530643, 'east amid covid': 265286, 'dial': 240281, 'referral': 706515, 'flexible': 310381, 'way mass': 969699, 'mass statewide': 519866, 'statewide consumer': 796263, 'consumer hotline': 197775, 'hotline will': 405269, 'provide consumer': 686244, 'consumer help': 197739, 'emergency dial': 272664, 'dial for': 240285, 'for information': 322573, 'and referral': 70118, 'referral related': 706520, 'virus including': 958337, 'including where': 432250, 'access flexible': 28114, 'flexible fund': 310388, 'fund through': 341516, 'family support': 298270, 'support fund': 826539, 'united way mass': 942264, 'way mass statewide': 969700, 'mass statewide consumer': 519867, 'statewide consumer hotline': 796264, 'consumer hotline will': 197778, 'hotline will provide': 405270, 'will provide consumer': 994509, 'provide consumer help': 686246, 'consumer help during': 197740, 'help during the': 389613, 'during the public': 263177, 'the public health': 864818, 'health emergency dial': 386396, 'emergency dial for': 272665, 'dial for information': 240286, 'for information and': 322575, 'information and referral': 437740, 'and referral related': 70119, 'referral related to': 706521, 'the virus including': 870847, 'virus including where': 958340, 'including where you': 432251, 'can access flexible': 157351, 'access flexible fund': 28115, 'flexible fund through': 310389, 'fund through the': 341517, 'through the covid': 894728, '19 family support': 6938, 'family support fund': 298271, 'reusuable': 720187, 'charlie': 173749, 'baker': 108785, 'in reusuable': 427485, 'reusuable shopping': 720188, 'bag have': 108312, 'been banned': 120725, 'banned for': 110567, 'use at': 949056, 'at store': 100647, 'by mass': 153179, 'mass gov': 519778, 'gov charlie': 359550, 'charlie baker': 173750, 'baker amid': 108788, 'outbreak store': 628664, 'not charge': 568738, 'paper amp': 639797, 'amp plastic': 54304, 'just in reusuable': 469046, 'in reusuable shopping': 427486, 'reusuable shopping bag': 720189, 'shopping bag have': 762144, 'bag have been': 108313, 'have been banned': 379474, 'been banned for': 120726, 'banned for use': 110568, 'for use at': 327494, 'use at store': 949058, 'at store by': 100649, 'store by mass': 806834, 'by mass gov': 153180, 'mass gov charlie': 519779, 'gov charlie baker': 359551, 'charlie baker amid': 173751, 'baker amid the': 108789, 'the outbreak store': 862700, 'outbreak store must': 628665, 'store must not': 809007, 'must not charge': 546777, 'not charge for': 568740, 'charge for paper': 173239, 'for paper amp': 324377, 'paper amp plastic': 639799, 'amp plastic bag': 54305, 'from profiting': 336990, 'virus uk': 958954, 'essential at': 280801, 'at grossly': 98819, 'grossly inflated': 366459, 'stop these people': 805176, 'these people from': 880438, 'people from profiting': 648003, 'from profiting from': 336991, 'profiting from the': 683127, '19 virus uk': 11841, 'virus uk and': 958955, 'uk and should': 938175, 'and should stop': 71597, 'should stop these': 766525, 'people from selling': 648007, 'from selling hand': 337209, 'sanitizer toilet roll': 735964, 'roll and other': 725181, 'other essential at': 620152, 'essential at grossly': 280805, 'at grossly inflated': 98821, 'grossly inflated price': 366460, 'adam': 31208, 'jonas': 467229, 'tsla': 934944, 'phrase': 655340, 'competitive': 191764, 'ev': 283664, 'tesla': 838882, 'edge': 268488, 'electrification': 271243, 'reading adam': 700731, 'adam jonas': 31220, 'jonas latest': 467230, 'latest about': 481194, 'help tsla': 390821, 'tsla he': 934945, 'he us': 385563, 'us some': 948549, 'interesting turn': 441642, 'turn of': 935709, 'of phrase': 588107, 'phrase the': 655347, 'the further': 856057, 'further along': 341997, 'along other': 47013, 'other competitive': 619982, 'competitive ev': 191774, 'ev program': 283671, 'program get': 683251, 'get pushed': 347863, 'more tesla': 540535, 'tesla will': 838889, 'will extend': 993386, 'extend it': 293110, 'it competitive': 457238, 'competitive edge': 191772, 'edge in': 268509, 'in electrification': 422526, 'electrification from': 271244, 'the perspective': 863599, 'perspective of': 653218, 'reading adam jonas': 700732, 'adam jonas latest': 31221, 'jonas latest about': 467231, 'latest about how': 481195, 'about how covid': 25430, '19 could help': 6157, 'could help tsla': 209298, 'help tsla he': 390822, 'tsla he us': 934946, 'he us some': 385564, 'us some interesting': 948550, 'some interesting turn': 783134, 'interesting turn of': 441643, 'turn of phrase': 935711, 'of phrase the': 588108, 'phrase the further': 655348, 'the further along': 856058, 'further along other': 341998, 'along other competitive': 47014, 'other competitive ev': 619983, 'competitive ev program': 191775, 'ev program get': 283673, 'program get pushed': 683252, 'get pushed out': 347864, 'pushed out the': 690380, 'out the more': 627394, 'the more tesla': 860895, 'more tesla will': 540536, 'tesla will extend': 838891, 'will extend it': 993387, 'extend it competitive': 293111, 'it competitive edge': 457239, 'competitive edge in': 191773, 'edge in electrification': 268511, 'in electrification from': 422527, 'electrification from the': 271245, 'from the perspective': 337830, 'the perspective of': 863600, 'perspective of the': 653219, '196': 12396, 'reliance': 709223, 'ratnadeep': 697887, 'hyd': 411897, 'of 196': 579431, '196 store': 12399, '50 are': 19614, 'closed amp': 182975, 'amp rest': 54396, 'rest selling': 716219, 'selling only': 749380, 'reason the': 702997, 'lower circuit': 505811, 'circuit today': 178642, 'like reliance': 491072, 'reliance fresh': 709228, 'fresh heritage': 333012, 'heritage fresh': 393897, 'fresh and': 332920, 'local chain': 497811, 'chain ratnadeep': 171024, 'ratnadeep in': 697888, 'in hyd': 423929, 'hyd are': 411900, 'open all': 612031, 'out of 196': 626667, 'of 196 store': 579432, '196 store of': 12400, 'store of 50': 809144, 'of 50 are': 579607, '50 are closed': 19615, 'are closed amp': 85329, 'closed amp rest': 182976, 'amp rest selling': 54397, 'rest selling only': 716220, 'selling only essential': 749381, 'only essential item': 610396, 'essential item that': 281230, 'item that is': 463695, 'that is one': 844631, 'of the reason': 591391, 'the reason the': 865276, 'reason the stock': 703000, 'the stock is': 867914, 'stock is in': 802308, 'is in lower': 448786, 'in lower circuit': 424954, 'lower circuit today': 505812, 'circuit today supermarket': 178643, 'today supermarket chain': 920233, 'chain like reliance': 170892, 'like reliance fresh': 491073, 'reliance fresh heritage': 709229, 'fresh heritage fresh': 333013, 'heritage fresh and': 393898, 'fresh and local': 332922, 'and local chain': 66289, 'local chain ratnadeep': 497812, 'chain ratnadeep in': 171025, 'ratnadeep in hyd': 697889, 'in hyd are': 423930, 'hyd are open': 411901, 'are open all': 88784, 'open all day': 612032, 'unlawfully': 942564, 'moved to': 543832, 'to regulate': 913116, 'regulate price': 707985, 'item sanitation': 463627, 'and pharmaceutical': 68957, 'pharmaceutical commodity': 654060, 'commodity after': 189115, 'outbreak sent': 628612, 'sent their': 750827, 'their cost': 872888, 'cost soaring': 208114, 'soaring warning': 779349, 'warning had': 967133, 'been issued': 121414, 'issued earlier': 456055, 'earlier and': 264419, 'trader were': 928793, 'were fined': 979632, 'for unlawfully': 327448, 'unlawfully hiking': 942565, 'price rwanda': 676283, 'govt ha moved': 361145, 'ha moved to': 371303, 'moved to regulate': 543840, 'to regulate price': 913117, 'regulate price of': 707988, 'food item sanitation': 315228, 'item sanitation and': 463628, 'sanitation and pharmaceutical': 733831, 'and pharmaceutical commodity': 68958, 'pharmaceutical commodity after': 654061, 'commodity after the': 189116, 'the outbreak sent': 862690, 'outbreak sent their': 628614, 'sent their cost': 750828, 'their cost soaring': 872892, 'cost soaring warning': 208115, 'soaring warning had': 779350, 'warning had been': 967134, 'had been issued': 372898, 'been issued earlier': 121416, 'issued earlier and': 456056, 'earlier and trader': 264425, 'and trader were': 74350, 'trader were fined': 928795, 'were fined for': 979633, 'fined for unlawfully': 307748, 'for unlawfully hiking': 327449, 'unlawfully hiking price': 942566, 'hiking price rwanda': 396406, 'q4': 691437, 'delinquency': 233057, 'lagging': 478904, 'q4 cc': 691444, 'cc delinquency': 168389, 'delinquency and': 233058, 'and charge': 59746, 'charge off': 173297, 'off rate': 594101, 'rate dismal': 697195, 'dismal enough': 245974, 'enough and': 277318, 'before these': 123207, 'are lagging': 87705, 'lagging indicator': 478908, 'indicator with': 435055, 'with leading': 999191, 'leading implication': 483712, 'and overall': 68567, 'overall liquidity': 631022, 'liquidity our': 494148, 'next potus': 561519, 'potus will': 667296, 'be served': 117099, 'served shit': 752002, 'shit sandwich': 759210, 'q4 cc delinquency': 691445, 'cc delinquency and': 168390, 'delinquency and charge': 233059, 'and charge off': 59748, 'charge off rate': 173298, 'off rate dismal': 594102, 'rate dismal enough': 697196, 'dismal enough and': 245975, 'enough and that': 277322, 'wa before these': 961670, 'before these are': 123208, 'these are lagging': 879622, 'are lagging indicator': 87706, 'lagging indicator with': 478909, 'indicator with leading': 435056, 'with leading implication': 999192, 'leading implication for': 483713, 'implication for consumer': 418552, 'for consumer spending': 320291, 'spending and overall': 788739, 'and overall liquidity': 68569, 'overall liquidity our': 631023, 'liquidity our next': 494149, 'our next potus': 624061, 'next potus will': 561520, 'potus will be': 667297, 'will be served': 992673, 'be served shit': 117102, 'served shit sandwich': 752003, 'want quarantine': 965906, 'quarantine at': 692039, 'at house': 99199, 'house we': 406667, 'out either': 626008, 'either we': 270410, 'we die': 971305, 'hunger cuz': 411086, 'cuz here': 223800, 'we search': 973151, 'our daily': 622684, 'daily consumer': 224556, 'consumer daily': 197047, 'they want quarantine': 883714, 'want quarantine at': 965907, 'quarantine at house': 692041, 'at house we': 99201, 'house we still': 406672, 'we still need': 973408, 'still need to': 800861, 'go out either': 353947, 'out either we': 626009, 'either we die': 270411, 'we die of': 971306, 'of hunger cuz': 584906, 'hunger cuz here': 411087, 'cuz here we': 223801, 'here we search': 393792, 'we search for': 973152, 'search for our': 743253, 'for our daily': 324225, 'our daily consumer': 622685, 'daily consumer daily': 224557, '25 of': 15922, 'of millennials': 586528, 'millennials and': 531998, 'and gen': 63505, 'gen want': 345235, 'see brand': 744976, 'brand help': 137855, 'them contribute': 875547, 'response view': 715908, 'view more': 957114, 'more rising': 540272, 'rising trend': 723312, 'report marketing': 712083, 'marketing consumer': 517559, '25 of millennials': 15923, 'of millennials and': 586529, 'millennials and gen': 532000, 'and gen want': 63506, 'gen want to': 345236, 'want to see': 966110, 'to see brand': 913991, 'see brand help': 744977, 'brand help them': 137856, 'help them contribute': 390701, 'them contribute to': 875548, 'contribute to the': 201885, 'to the 19': 916471, 'the 19 response': 847927, '19 response view': 10167, 'response view more': 715909, 'view more rising': 957115, 'more rising trend': 540273, 'rising trend in': 723313, 'trend in our': 931365, 'in our latest': 426309, 'our latest report': 623677, 'latest report marketing': 481528, 'report marketing consumer': 712084, 'is community': 446682, 'community one': 190016, 'one express': 606267, 'express empathy': 293033, 'community when': 190219, 'when considering': 983272, 'considering your': 195442, 'run stayathome': 727812, 'crisis is community': 217564, 'is community one': 446684, 'community one express': 190017, 'one express empathy': 606268, 'express empathy and': 293034, 'empathy and think': 273349, 'and think about': 73960, 'think about your': 885114, 'about your community': 26991, 'your community when': 1023278, 'community when considering': 190220, 'when considering your': 983275, 'considering your grocery': 195443, 'store run stayathome': 809937, 'cashless': 166686, 'markofthebeast': 517930, 'some retailer': 783763, 'have banned': 379404, 'banned the': 110598, 'of cash': 581180, 'keep employee': 471465, 'safe opting': 729863, 'payment instead': 645658, 'instead meanwhile': 440220, 'meanwhile for': 524969, 'those confined': 891886, 'confined to': 194050, 'home online': 401721, 'is lifeline': 449297, 'lifeline cashless': 489302, 'cashless markofthebeast': 166694, 'some retailer have': 783768, 'retailer have banned': 719177, 'have banned the': 379407, 'banned the use': 110602, 'use of cash': 949401, 'of cash in': 581182, 'cash in their': 166258, 'their store to': 874868, 'store to keep': 810781, 'to keep employee': 908782, 'keep employee and': 471466, 'employee and customer': 273561, 'and customer safe': 60863, 'customer safe opting': 222787, 'safe opting for': 729864, 'opting for contactless': 613968, 'for contactless payment': 320313, 'contactless payment instead': 200378, 'payment instead meanwhile': 645659, 'instead meanwhile for': 440221, 'meanwhile for those': 524971, 'for those confined': 327105, 'those confined to': 891887, 'confined to their': 194052, 'their home online': 873571, 'home online shopping': 401724, 'shopping is lifeline': 763056, 'is lifeline cashless': 449298, 'lifeline cashless markofthebeast': 489303, 'low can': 505175, 'go petrol': 354042, 'petrol could': 653722, 'soon dip': 785691, 'dip below': 243173, 'below per': 126707, 'litre thanks': 495188, 'and explains': 62514, 'explains when': 292253, 'see those': 745961, 'those price': 892364, 'pump econtwitter': 689043, 'how low can': 408230, 'low can they': 505177, 'can they go': 159974, 'they go petrol': 882205, 'go petrol could': 354043, 'petrol could soon': 653723, 'could soon dip': 209689, 'soon dip below': 785692, 'dip below per': 243175, 'below per litre': 126709, 'per litre thanks': 650931, 'litre thanks to': 495189, 'thanks to oil': 842247, 'to oil war': 910884, 'oil war and': 597501, 'war and explains': 966358, 'and explains when': 62515, 'explains when we': 292254, 'when we can': 984430, 'can expect to': 158279, 'to see those': 914088, 'see those price': 745963, 'those price at': 892365, 'price at the': 672815, 'the pump econtwitter': 864899, 'bout': 136913, 'itis': 463889, 'noposguau': 566924, 'quatantineandchill': 693297, 'all all': 41982, 'all working': 45510, 'people bout': 647299, 'bout to': 136923, 'the itis': 858621, 'itis from': 463890, 'from eating': 335250, 'eating your': 266344, 'your week': 1026333, 'business day': 143617, 'day chicago': 227443, 'chicago noposguau': 175688, 'noposguau nofood': 566925, 'nofood workingfromhome': 566186, 'workingfromhome quatantineandchill': 1009105, 'all all working': 41986, 'all working from': 45512, 'from home people': 335894, 'home people bout': 401832, 'people bout to': 647300, 'bout to have': 136926, 'have the itis': 382998, 'the itis from': 858622, 'itis from eating': 463891, 'from eating your': 335254, 'eating your week': 266346, 'your week worth': 1026334, 'food in business': 314928, 'in business day': 421072, 'business day chicago': 143619, 'day chicago noposguau': 227444, 'chicago noposguau nofood': 175689, 'noposguau nofood workingfromhome': 566926, 'nofood workingfromhome quatantineandchill': 566187, 'buy extra': 148607, 'extra freezer': 293524, 'freezer to': 332642, 'store more': 808981, 'you absolute': 1016777, 'absolute trash': 27304, 'trash of': 930165, 'human 19': 410399, '19 stophoarding': 10871, 'to buy extra': 902227, 'buy extra freezer': 148609, 'extra freezer to': 293526, 'freezer to store': 332645, 'to store more': 915631, 'store more food': 808984, 'more food you': 539258, 'food you absolute': 317703, 'you absolute trash': 1016781, 'absolute trash of': 27305, 'trash of human': 930166, 'of human 19': 584868, 'human 19 stophoarding': 410400, '19 stophoarding stayathome': 10875, 'dear uk': 229905, 'uk can': 938235, 'staff insist': 792566, 'insist that': 439699, 'customer accept': 222017, 'accept disinfectant': 27955, 'spray upon': 790341, 'upon entering': 947625, 'entering an': 278386, 'an establishment': 55843, 'establishment think': 282074, 'be easy': 114629, 'implement and': 418371, 'dear uk can': 229906, 'uk can store': 938236, 'can store supermarket': 159835, 'store supermarket staff': 810461, 'supermarket staff insist': 822858, 'staff insist that': 792567, 'insist that customer': 439700, 'that customer accept': 843416, 'customer accept disinfectant': 222019, 'accept disinfectant spray': 27956, 'disinfectant spray upon': 245760, 'spray upon entering': 790342, 'upon entering an': 947626, 'entering an establishment': 278387, 'an establishment think': 55844, 'establishment think this': 282075, 'think this would': 885710, 'would be easy': 1011577, 'be easy to': 114633, 'easy to implement': 265784, 'to implement and': 908167, 'implement and would': 418372, 'and would help': 75928, 'would help prevent': 1011915, 'lovequotes': 505020, 'world full': 1009574, 'my sanitizer': 549986, 'sanitizer lovequotes': 735313, 'lovequotes love': 505021, 'love lockdowneffect': 504721, 'the world full': 871874, 'world full of': 1009575, 'full of be': 340701, 'of be my': 580594, 'be my sanitizer': 116040, 'my sanitizer lovequotes': 549988, 'sanitizer lovequotes love': 735314, 'lovequotes love lockdowneffect': 505022, 'pierre': 656417, 'andurand': 76236, 'exclusive pierre': 289688, 'pierre andurand': 656418, 'andurand the': 76237, 'the hedge': 857229, 'manager known': 512741, 'his bullish': 397261, 'bullish oil': 142461, 'oil forecast': 596808, 'forecast won': 328882, 'won big': 1003754, 'big when': 130108, 'when price': 983901, 'fell to': 303239, 'to 18': 899526, 'low low': 505392, 'low 40': 505090, '40 in': 18579, 'first two': 309141, 'exclusive pierre andurand': 289689, 'pierre andurand the': 656419, 'andurand the hedge': 76238, 'the hedge fund': 857230, 'fund manager known': 341459, 'manager known for': 512742, 'known for his': 477215, 'for his bullish': 322298, 'his bullish oil': 397262, 'bullish oil forecast': 142463, 'oil forecast won': 596809, 'forecast won big': 328883, 'won big when': 1003756, 'big when price': 130109, 'when price fell': 983903, 'price fell to': 673856, 'fell to 18': 303242, 'to 18 year': 899530, 'year low low': 1014724, 'low low 40': 505393, 'low 40 in': 505091, '40 in the': 18582, 'the first two': 855360, 'first two week': 309145, 'week of march': 976626, 'treated': 930931, 'reverence': 720500, 'amd': 51357, 'deserves': 238166, 'first paper': 308851, 'towel in': 927332, 'being treated': 125978, 'treated with': 930977, 'the reverence': 865764, 'reverence amd': 720501, 'amd respect': 51358, 'respect it': 715017, 'it deserves': 457528, 'found my first': 330291, 'my first paper': 548347, 'first paper towel': 308852, 'paper towel in': 640995, 'towel in week': 927333, 'in week at': 430745, 'week at supermarket': 975964, 'at supermarket it': 100738, 'supermarket it being': 821163, 'it being treated': 456833, 'being treated with': 125983, 'treated with the': 930979, 'with the reverence': 1001457, 'the reverence amd': 865765, 'reverence amd respect': 720502, 'amd respect it': 51359, 'respect it deserves': 715019, 'msps': 544585, 'technews': 836188, 'msps think': 544586, 'before cutting': 122730, 'cutting price': 223760, 'via technews': 956282, 'msps think twice': 544587, 'twice before cutting': 936517, 'before cutting price': 122731, 'cutting price via': 223768, 'price via technews': 677312, 'intervening': 442172, 'trump take': 933880, 'for intervening': 322624, 'intervening to': 442173, 'increase oil': 432947, 'pandemic month': 635972, 'month after': 537526, 'after pointing': 36045, 'pointing out': 662752, 'out lower': 626528, 'trump take credit': 933881, 'credit for intervening': 216396, 'for intervening to': 322625, 'intervening to increase': 442174, 'to increase oil': 908289, 'increase oil and': 432948, 'gas price during': 343957, 'during pandemic month': 262880, 'pandemic month after': 635973, 'month after pointing': 537528, 'after pointing out': 36046, 'pointing out lower': 662753, 'out lower fuel': 626529, 'fuel price help': 340238, 'price help consumer': 674495, 'rerouted': 713547, 'cptpp': 214658, 'packer': 633673, 'profitable': 682918, 'newzealand beef': 561236, 'beef export': 120507, 'export to': 292719, 'surging export': 828424, 'export previously': 292686, 'previously going': 672039, 'to china': 902721, 'being rerouted': 125676, 'rerouted to': 713548, 'to canada': 902408, 'canada month': 160495, 'to month': 910240, 'month sale': 537983, 'sale up': 732617, 'up 48': 944180, '48 thanks': 19333, 'thanks cptpp': 842038, 'cptpp our': 214659, 'market going': 516467, 'down down': 256693, 'down price': 257107, 'price arbitrage': 672622, 'arbitrage with': 84013, 'zealand packer': 1027299, 'packer profitable': 633684, 'newzealand beef export': 561237, 'beef export to': 120509, 'export to and': 292720, 'to and canada': 900489, 'and canada are': 59480, 'canada are surging': 160369, 'are surging export': 90677, 'surging export previously': 828425, 'export previously going': 292688, 'previously going to': 672040, 'going to china': 355551, 'to china are': 902722, 'china are being': 176499, 'are being rerouted': 84912, 'being rerouted to': 125677, 'rerouted to canada': 713549, 'to canada month': 902411, 'canada month to': 160496, 'month to month': 538084, 'to month sale': 910246, 'month sale up': 537984, 'sale up 48': 732621, 'up 48 thanks': 944182, '48 thanks cptpp': 19334, 'thanks cptpp our': 842039, 'cptpp our market': 214660, 'our market going': 623865, 'market going down': 516468, 'going down down': 355118, 'down down down': 256694, 'down down price': 256695, 'down price arbitrage': 257108, 'price arbitrage with': 672623, 'arbitrage with new': 84014, 'with new zealand': 999716, 'new zealand packer': 559992, 'zealand packer profitable': 1027301, 'work retail': 1005666, 'next shipment': 561549, 'shipment that': 758781, 'just gonna': 468838, 'gonna dump': 356515, 'let people': 486970, 'work retail and': 1005667, 'retail and the': 717839, 'and the next': 73494, 'the next shipment': 861695, 'next shipment that': 561550, 'shipment that come': 758782, 'come in just': 187368, 'in just gonna': 424417, 'just gonna dump': 468839, 'gonna dump it': 356516, 'dump it in': 262166, 'middle of the': 530686, 'store and let': 806280, 'and let people': 66112, 'let people go': 486974, 'people go through': 648088, 'go through it': 354247, 'through it panicbuying': 894538, 'understand malaysian': 940676, 'malaysian sometimes': 511666, 'sometimes supermarket': 785237, 'supply sector': 825808, 'restricted movement': 717151, 'movement order': 543909, 'order period': 618508, 'period but': 651730, 'no let': 564593, 'today like': 919806, 'like close': 490019, 'crowd isn': 219188, 'isn how': 454549, 'do not understand': 249880, 'not understand malaysian': 572321, 'understand malaysian sometimes': 940677, 'malaysian sometimes supermarket': 511667, 'sometimes supermarket and': 785238, 'food supply sector': 316991, 'supply sector will': 825810, 'sector will remain': 744408, 'remain open throughout': 709826, 'throughout the restricted': 894982, 'the restricted movement': 865667, 'restricted movement order': 717152, 'movement order period': 543911, 'order period but': 618509, 'period but no': 651733, 'but no let': 146489, 'no let all': 564594, 'supermarket today like': 823454, 'today like close': 919807, 'like close contact': 490020, 'contact with large': 200276, 'with large crowd': 999170, 'large crowd isn': 479634, 'crowd isn how': 219189, 'isn how covid': 454550, 'irishman': 444904, 'happystpatricksday': 377778, 'guiness': 368588, 'corned': 203624, 'tradition': 928979, 'one american': 605891, 'american irishman': 52055, 'irishman to': 444905, 'others out': 621571, 'there happystpatricksday': 878463, 'happystpatricksday at': 377779, 'least bought': 484411, 'bought some': 136713, 'some guiness': 783016, 'guiness and': 368589, 'and corned': 60558, 'corned beef': 203625, 'beef and': 120475, 'and cabbage': 59385, 'cabbage at': 154943, 'day since': 228354, 'since sadly': 770809, 'sadly cannot': 729328, 'the irish': 858453, 'irish pub': 444891, 'pub per': 687750, 'per tradition': 651054, 'tradition thanks': 928986, 'to governor': 906942, 'pritzker and': 678773, 'from one american': 336680, 'one american irishman': 605892, 'american irishman to': 52056, 'irishman to others': 444906, 'to others out': 911138, 'others out there': 621572, 'out there happystpatricksday': 627486, 'there happystpatricksday at': 878464, 'happystpatricksday at least': 377780, 'at least bought': 99471, 'least bought some': 484412, 'bought some guiness': 136716, 'some guiness and': 783017, 'guiness and corned': 368590, 'and corned beef': 60559, 'corned beef and': 203626, 'beef and cabbage': 120476, 'and cabbage at': 59386, 'cabbage at the': 154944, 'store the other': 810611, 'other day since': 620081, 'day since sadly': 228356, 'since sadly cannot': 770810, 'sadly cannot go': 729329, 'to the irish': 916816, 'the irish pub': 858454, 'irish pub per': 444892, 'pub per tradition': 687751, 'per tradition thanks': 651055, 'tradition thanks to': 928987, 'thanks to governor': 842228, 'to governor pritzker': 906946, 'governor pritzker and': 360972, 'pritzker and the': 678774, 'and the damn': 73313, 'sad new': 729200, 'normal when': 567409, 'store everyday': 807657, 'everyday to': 286645, 'it sad new': 460825, 'sad new normal': 729201, 'new normal when': 559179, 'normal when you': 567412, 'when you have': 984567, 'grocery store everyday': 365380, 'store everyday to': 807660, 'everyday to see': 286647, 'see what you': 746051, 'what you may': 982681, 'you may need': 1019804, 'may need that': 521355, 'need that they': 555733, 'that they didn': 846930, 'they didn have': 881929, 'didn have the': 241100, 'have the day': 382975, 'postoffice': 666749, 'forth': 329790, 'sealing': 743190, 'envelope': 279053, 'hi postoffice': 394722, 'postoffice please': 666750, 'please could': 659861, 'you add': 1016820, 'add post': 31466, 'office counter': 595400, 'counter staff': 210257, 'hero list': 394034, 'list serving': 494530, 'serving everyone': 753176, 'everyone handling': 286987, 'handling 100': 376325, 'of pound': 588294, 'of filthy': 583519, 'filthy money': 305801, 'money passing': 536962, 'passing pen': 643390, 'pen back': 646404, 'back forth': 106999, 'forth sealing': 329793, 'sealing envelope': 743193, 'envelope parcel': 279054, 'parcel for': 641494, 'lazy customer': 482745, 'customer with': 223099, 'hi postoffice please': 394723, 'postoffice please could': 666751, 'please could you': 659862, 'could you add': 209841, 'you add post': 1016821, 'add post office': 31468, 'post office counter': 666236, 'office counter staff': 595401, 'counter staff to': 210258, 'staff to the': 793003, 'to the hero': 916772, 'the hero list': 857294, 'hero list serving': 394035, 'list serving everyone': 494531, 'serving everyone handling': 753177, 'everyone handling 100': 286988, 'handling 100 of': 376326, '100 of pound': 1992, 'of pound of': 588296, 'pound of filthy': 667394, 'of filthy money': 583520, 'filthy money passing': 305802, 'money passing pen': 536963, 'passing pen back': 643391, 'pen back forth': 646405, 'back forth sealing': 107001, 'forth sealing envelope': 329794, 'sealing envelope parcel': 743194, 'envelope parcel for': 279055, 'parcel for lazy': 641496, 'for lazy customer': 322908, 'lazy customer with': 482746, 'customer with no': 223103, 'with no hand': 999758, 'sanitizer glove etc': 734989, 'despite state': 238860, 'state wide': 796088, 'wide stay': 991764, 'some farmer': 782817, 'market are': 516011, 'open customer': 612172, 'customer went': 223053, 'get affordable': 346505, 'affordable produce': 34892, 'produce since': 680433, 'many price': 514591, 'increased in': 433347, 'store show': 810176, 'how market': 408293, 'are dealing': 85703, 'despite state wide': 238861, 'state wide stay': 796090, 'wide stay at': 991765, 'home order in': 401777, 'order in california': 618310, 'in california some': 421147, 'california some farmer': 155576, 'some farmer market': 782818, 'farmer market are': 299443, 'market are still': 516031, 'still open customer': 800956, 'open customer went': 612173, 'customer went to': 223054, 'went to get': 979154, 'to get affordable': 906404, 'get affordable produce': 346507, 'affordable produce since': 34893, 'produce since many': 680434, 'since many price': 770720, 'many price have': 514593, 'price have increased': 674432, 'have increased in': 381060, 'increased in the': 433350, 'grocery store show': 365773, 'store show how': 810178, 'show how market': 766983, 'how market are': 408295, 'market are dealing': 516017, 'casting': 166773, 'ballot': 109103, 'nhpolitics': 562207, 'critical we': 218717, 'we start': 973371, 'start preparing': 794435, 'preparing now': 670349, 'what an': 981032, 'an election': 55645, 'election will': 271075, 'like under': 491694, 'under we': 940379, 'need comprehensive': 554620, 'comprehensive review': 192644, 'review of': 720575, 'entire process': 278723, 'process from': 679903, 'from voter': 338265, 'voter registration': 960584, 'registration to': 707686, 'to casting': 902487, 'casting ballot': 166774, 'ballot in': 109104, 'to guarantee': 907054, 'guarantee safe': 367715, 'safe secure': 729925, 'secure election': 744435, 'election nhpolitics': 271049, 'it is critical': 458921, 'is critical we': 446947, 'critical we start': 218718, 'we start preparing': 973375, 'start preparing now': 794437, 'preparing now for': 670350, 'now for what': 574731, 'for what an': 327792, 'what an election': 981034, 'an election will': 55647, 'election will look': 271076, 'will look like': 994042, 'look like under': 502523, 'like under we': 491695, 'under we need': 940380, 'we need comprehensive': 972476, 'need comprehensive review': 554622, 'comprehensive review of': 192645, 'review of the': 720580, 'of the entire': 590988, 'the entire process': 854364, 'entire process from': 278724, 'process from voter': 679904, 'from voter registration': 338266, 'voter registration to': 960585, 'registration to casting': 707687, 'to casting ballot': 902488, 'casting ballot in': 166775, 'ballot in order': 109105, 'order to guarantee': 618684, 'to guarantee safe': 907057, 'guarantee safe secure': 367716, 'safe secure election': 729926, 'secure election nhpolitics': 744436, 'healey': 386078, 'debilitating': 230363, 'mome': 535865, 'healey totally': 386079, 'totally understand': 926404, 'understand have': 940633, 'have very': 383497, 'very severe': 955528, 'severe ocd': 754040, 'ocd and': 579090, 'other physical': 620712, 'physical health': 655424, 'problem highly': 679543, 'highly debilitating': 396052, 'debilitating and': 230364, 'help no': 390141, 'no access': 563576, 'shopping have': 762868, 'been fortunate': 121180, 'work around': 1004840, 'around it': 93361, 'this mome': 888864, 'healey totally understand': 386080, 'totally understand have': 926405, 'understand have very': 940634, 'have very severe': 383504, 'very severe ocd': 955530, 'severe ocd and': 754041, 'ocd and other': 579092, 'and other physical': 68380, 'other physical health': 620713, 'physical health problem': 655425, 'health problem highly': 386757, 'problem highly debilitating': 679544, 'highly debilitating and': 396053, 'debilitating and the': 230365, 'supermarket will not': 823886, 'not help no': 569930, 'help no access': 390142, 'no access to': 563577, 'access to online': 28265, 'online shopping have': 609142, 'shopping have been': 762869, 'have been fortunate': 379550, 'been fortunate to': 121181, 'fortunate to be': 329902, 'to work around': 918688, 'work around it': 1004841, 'around it at': 93362, 'it at this': 456629, 'at this mome': 101242, 'menace': 528566, 'stranger in': 812471, 'moscow ha': 541995, 'been my': 121552, 'my song': 550172, 'song since': 785516, 'since trump': 770949, 'trump became': 933432, 'became president': 118881, 'president his': 670829, 'his performance': 397698, 'performance piece': 651460, 'piece covid': 656289, 'empty street': 275152, 'shelf give': 757121, 'impression of': 419465, 'of cold': 581515, 'cold war': 185801, 'war if': 966460, 'if putin': 414708, 'putin is': 691029, 'is behind': 446054, 'behind it': 124650, 'have red': 382224, 'red scare': 705614, 'scare orange': 740901, 'orange menace': 617930, 'menace op': 528571, 'stranger in moscow': 812472, 'in moscow ha': 425463, 'moscow ha been': 541996, 'ha been my': 369857, 'been my song': 121555, 'my song since': 550174, 'song since trump': 785517, 'since trump became': 770950, 'trump became president': 933433, 'became president his': 118882, 'president his performance': 670830, 'his performance piece': 397699, 'performance piece covid': 651461, 'piece covid 19': 656290, '19 empty street': 6776, 'empty street supermarket': 275153, 'street supermarket shelf': 813133, 'supermarket shelf give': 822475, 'shelf give the': 757122, 'give the impression': 350742, 'the impression of': 857994, 'impression of cold': 419466, 'of cold war': 581517, 'cold war if': 185804, 'war if putin': 966463, 'if putin is': 414710, 'putin is behind': 691030, 'is behind it': 446056, 'behind it we': 124652, 'we have red': 971917, 'have red scare': 382225, 'red scare orange': 705615, 'scare orange menace': 740902, 'orange menace op': 617931, 'congrats malaysian': 194427, '19 do': 6594, 'do please': 249987, 'crave for': 215162, 'congrats malaysian we': 194428, 'tomorrow at supermarket': 924038, 'at supermarket those': 100783, 'covid 19 do': 212969, '19 do please': 6596, 'do please come': 249988, 'of crave for': 582118, 'crave for the': 215164, 'opportune': 613544, 'belly': 126510, 'quo': 694966, 'vadis': 951830, 'insane despicable': 439032, 'despicable profiting': 238640, 'from misery': 336444, 'misery the': 534017, 'rise price': 722980, 'very opportune': 955396, 'opportune for': 613545, 'for etc': 321135, 'etc greedy': 282571, 'greedy belly': 363487, 'belly quo': 126513, 'quo vadis': 694969, 'vadis human': 951831, 'human specie': 410622, 'insane despicable profiting': 439033, 'despicable profiting from': 238641, 'profiting from misery': 683123, 'from misery the': 336445, 'misery the market': 534018, 'market rise price': 517009, 'rise price on': 722981, 'price on 19': 675644, 'on 19 is': 599030, '19 is very': 8078, 'is very opportune': 453686, 'very opportune for': 955397, 'opportune for etc': 613546, 'for etc greedy': 321136, 'etc greedy belly': 282572, 'greedy belly quo': 363488, 'belly quo vadis': 126514, 'quo vadis human': 694970, 'vadis human specie': 951832, 'dennis': 237039, 'thompson': 891724, 'here great': 393058, 'great article': 362507, 'by dennis': 152335, 'dennis thompson': 237042, 'thompson about': 891725, 'challenge people': 171528, 'face paying': 294695, 'care especially': 163916, 've lost': 953345, 'or been': 614523, 'off agree': 593615, 'the ending': 854311, 'ending and': 276162, 'and urge': 74753, 'care you': 164317, 'here great article': 393059, 'great article by': 362509, 'article by dennis': 94278, 'by dennis thompson': 152336, 'dennis thompson about': 237043, 'thompson about the': 891726, 'about the challenge': 26349, 'the challenge people': 850648, 'challenge people face': 171530, 'people face paying': 647855, 'face paying for': 294696, 'paying for medical': 645412, 'for medical care': 323376, 'medical care especially': 526078, 'care especially if': 163917, 'especially if they': 280509, 'if they ve': 415135, 'they ve lost': 883664, 've lost their': 953350, 'their job or': 873729, 'job or been': 466064, 'or been laid': 614525, 'laid off agree': 479010, 'off agree with': 593616, 'with the ending': 1001284, 'the ending and': 854312, 'ending and urge': 276163, 'and urge people': 74758, 'urge people to': 948211, 'people to get': 649903, 'get the care': 348230, 'the care you': 850415, 'care you need': 164319, 'katsinawa': 471077, 'daura': 226948, 'unawares': 939486, 'dear katsinawa': 229825, 'katsinawa daura': 471078, 'daura ha': 226949, 'been locked': 121474, 'down today': 257392, 'today following': 919527, 'following positive': 312816, 'almost inevitable': 46678, 'that lockdown': 844930, 'lockdown will': 500145, 'state don': 795530, 'be caught': 114025, 'caught unawares': 167470, 'unawares stock': 939487, 'up much': 945408, 'can remember': 159430, 'remember wash': 710396, 'don touch': 253989, 'touch your': 926586, 'dear katsinawa daura': 229826, 'katsinawa daura ha': 471079, 'daura ha been': 226950, 'ha been locked': 369846, 'been locked down': 121475, 'locked down today': 500480, 'down today following': 257393, 'today following positive': 919529, 'following positive case': 312817, 'positive case of': 665277, 'it is almost': 458869, 'is almost inevitable': 445502, 'almost inevitable that': 46680, 'inevitable that lockdown': 436406, 'that lockdown will': 844932, 'lockdown will happen': 500151, 'will happen in': 993597, 'happen in the': 377106, 'the state don': 867765, 'state don be': 795531, 'don be caught': 253356, 'be caught unawares': 114028, 'caught unawares stock': 167471, 'unawares stock up': 939488, 'stock up much': 803098, 'up much food': 945410, 'much food you': 544913, 'you can remember': 1017767, 'can remember wash': 159431, 'remember wash your': 710397, 'your hand and': 1024163, 'hand and don': 374758, 'and don touch': 61641, 'don touch your': 253990, 'touch your face': 926587, 'noone': 566869, 'strangetimes': 812511, 'redballs': 705641, 'tyrone': 937686, 'interesting time': 441631, 'big city': 129700, 'city could': 179109, 'could stand': 209708, 'street butt': 812931, 'butt as': 148094, 'as naked': 94777, 'naked smoking': 551553, 'smoking crack': 775907, 'crack and': 214691, 'and noone': 67687, 'noone would': 566874, 'would notice': 1012083, 'notice nor': 573316, 'nor give': 566949, 'give flying': 350493, 'flying fuck': 311672, 'fuck strangetimes': 339646, 'strangetimes redballs': 812512, 'redballs tyrone': 705642, 'tyrone toiletpaper': 937689, 'interesting time in': 441632, 'time in big': 896980, 'in big city': 420826, 'big city could': 129701, 'city could stand': 179110, 'could stand in': 209709, 'stand in the': 793535, 'the street butt': 868221, 'street butt as': 812932, 'butt as naked': 148095, 'as naked smoking': 94778, 'naked smoking crack': 551554, 'smoking crack and': 775908, 'crack and noone': 214693, 'and noone would': 67688, 'noone would notice': 566875, 'would notice nor': 1012084, 'notice nor give': 573317, 'nor give flying': 566950, 'give flying fuck': 350494, 'flying fuck strangetimes': 311673, 'fuck strangetimes redballs': 339647, 'strangetimes redballs tyrone': 812513, 'redballs tyrone toiletpaper': 705643, 'stoking': 804256, 'sugary': 817493, 'to disrupt': 904419, 'disrupt these': 246382, 'these data': 879861, 'month so': 538006, 'far there': 298936, 'only limited': 610729, 'limited evidence': 492628, 'of surging': 590525, 'supermarket stoking': 822986, 'stoking price': 804259, 'price mostly': 675278, 'mostly non': 542980, 'and bread': 59163, 'bread meanwhile': 138524, 'meanwhile fruit': 524972, 'and sugary': 72670, 'sugary item': 817502, 'all crashed': 42490, '19 is likely': 8003, 'likely to disrupt': 492144, 'to disrupt these': 904423, 'disrupt these data': 246383, 'these data in': 879862, 'data in the': 226275, 'coming month so': 188144, 'month so far': 538009, 'so far there': 777060, 'far there is': 298937, 'there is only': 878604, 'is only limited': 450541, 'only limited evidence': 610731, 'limited evidence of': 492629, 'evidence of surging': 288371, 'of surging demand': 590526, 'surging demand in': 828419, 'demand in supermarket': 235678, 'in supermarket stoking': 428678, 'supermarket stoking price': 822987, 'stoking price mostly': 804260, 'price mostly non': 675279, 'mostly non food': 542981, 'non food and': 566389, 'food and bread': 313190, 'and bread meanwhile': 59168, 'bread meanwhile fruit': 138525, 'meanwhile fruit veg': 524973, 'fruit veg and': 339164, 'veg and sugary': 953716, 'and sugary item': 72671, 'sugary item price': 817503, 'item price have': 463585, 'price have all': 674409, 'have all crashed': 379153, 'you seen': 1021090, 'seen our': 747177, 'have you seen': 383689, 'you seen our': 1021095, 'seen our latest': 747178, 'our latest news': 623671, 'route': 726449, 'eager': 264352, 'ensure you': 278127, 'delivery route': 234400, 'route are': 726454, 'run normal': 727718, 'seen growth': 747045, 'are eager': 86063, 'eager to': 264353, 'deliver the': 233225, 'community need': 189995, 'want to ensure': 966030, 'to ensure you': 905204, 'ensure you know': 278130, 'that our home': 845584, 'our home delivery': 623445, 'home delivery route': 401041, 'delivery route are': 234401, 'route are continuing': 726455, 'continuing to run': 201571, 'to run normal': 913666, 'run normal we': 727719, 'normal we have': 567396, 'have seen growth': 382426, 'seen growth in': 747047, 'growth in demand': 367396, 'pandemic and we': 634918, 'we are eager': 970537, 'are eager to': 86064, 'eager to deliver': 264354, 'to deliver the': 904115, 'deliver the food': 233229, 'the food our': 855581, 'food our community': 315705, 'our community need': 622470, 'community need right': 189996, 'overuse': 631666, 'start talking': 794537, 'super bug': 818475, 'bug we': 141904, 'will create': 993067, 'create from': 215647, 'from overuse': 336825, 'overuse of': 631669, 'when will we': 984510, 'will we start': 995335, 'we start talking': 973377, 'start talking about': 794538, 'about the super': 26532, 'the super bug': 868426, 'super bug we': 818476, 'bug we will': 141905, 'we will create': 973847, 'will create from': 993069, 'create from overuse': 215648, 'from overuse of': 336826, 'overuse of hand': 631671, 'no elected': 564095, 'elected politician': 271002, 'politician of': 663728, 'any party': 79631, 'party should': 643039, 'should hold': 766112, 'hold or': 399988, 'or control': 614816, 'control stock': 202144, 'stock until': 803045, 'until they': 943888, 'they leave': 882545, 'leave office': 484879, 'office if': 595445, 'true it': 933115, 'wrong to': 1013131, 'given private': 351090, 'private senator': 678983, 'senator only': 749774, 'only briefing': 610194, 'briefing by': 139700, 'government on': 360416, 'affect stock': 34227, 'price amp': 672329, 'amp then': 54675, 'then sell': 877509, 'no elected politician': 564096, 'elected politician of': 271003, 'politician of any': 663729, 'of any party': 580268, 'any party should': 79632, 'party should hold': 643040, 'should hold or': 766113, 'hold or control': 399989, 'or control stock': 614817, 'control stock until': 202147, 'stock until they': 803047, 'until they leave': 943894, 'they leave office': 882546, 'leave office if': 484880, 'office if true': 595446, 'if true it': 415194, 'true it is': 933116, 'it is wrong': 459137, 'is wrong to': 454110, 'wrong to be': 1013132, 'to be given': 901275, 'be given private': 115032, 'given private senator': 351091, 'private senator only': 678984, 'senator only briefing': 749775, 'only briefing by': 610195, 'briefing by the': 139702, 'the government on': 856572, 'government on 19': 360417, 'on 19 that': 599036, '19 that can': 11151, 'that can affect': 843091, 'can affect stock': 157391, 'affect stock price': 34228, 'stock price amp': 802702, 'price amp then': 672342, 'amp then sell': 54677, 'callous': 156663, 'taxing': 835182, 'imposing': 419330, 'excise': 289510, 'merry': 529195, 'have collapsed': 380010, 'collapsed and': 186088, 'this callous': 886676, 'callous government': 156664, 'is taxing': 452581, 'taxing indian': 835183, 'indian by': 434789, 'by imposing': 152872, 'imposing excise': 419331, 'excise duty': 289513, 'duty on': 263600, 'on petrol': 602779, 'and diesel': 61339, 'diesel making': 241667, 'making merry': 511213, 'merry in': 529198, 'this depressing': 887210, 'depressing environment': 237609, 'environment this': 279162, 'is crude': 446964, 'crude government': 219537, 'government rude': 360559, 'rude government': 727037, 'price have collapsed': 674417, 'have collapsed and': 380012, 'collapsed and consumer': 186089, 'and consumer demand': 60371, 'consumer demand is': 197145, 'demand is low': 235732, 'is low but': 449474, 'low but this': 505166, 'but this callous': 147542, 'this callous government': 886677, 'callous government is': 156665, 'government is taxing': 360278, 'is taxing indian': 452582, 'taxing indian by': 835184, 'indian by imposing': 434790, 'by imposing excise': 152873, 'imposing excise duty': 419332, 'excise duty on': 289517, 'duty on petrol': 263602, 'on petrol and': 602780, 'petrol and diesel': 653711, 'and diesel making': 61341, 'diesel making merry': 241668, 'making merry in': 511214, 'merry in this': 529199, 'in this depressing': 429931, 'this depressing environment': 887211, 'depressing environment this': 237610, 'environment this is': 279163, 'this is crude': 888223, 'is crude government': 446965, 'crude government rude': 219538, 'government rude government': 360560, 'hatred': 378973, 'personally like': 653039, 'see le': 745355, 'le hatred': 482974, 'hatred panic': 378979, 'panic re': 638464, 're more': 699039, 'more practical': 540114, 'practical information': 668468, 'deal if': 229422, 'if or': 414562, 'know ha': 476401, 'med food': 525892, 'in close': 421508, 'close quarter': 182782, 'quarter what': 693269, 'what best': 981111, 'practice to': 668686, 'all safe': 44221, 'this info': 888101, 'info needed': 437520, 'personally like to': 653040, 'to see le': 914033, 'see le hatred': 745356, 'le hatred panic': 482976, 'hatred panic re': 378981, 'panic re more': 638465, 're more practical': 699043, 'more practical information': 540115, 'practical information about': 668469, 'information about how': 437708, 'how to deal': 409005, 'to deal if': 903967, 'deal if or': 229424, 'if or someone': 414564, 'or someone know': 617157, 'someone know ha': 784549, 'know ha what': 476404, 'ha what is': 372474, 'what is best': 981680, 'is best way': 446146, 'to get med': 906530, 'get med food': 347551, 'med food etc': 525893, 'food etc if': 314398, 'live in close': 495852, 'in close quarter': 421513, 'close quarter what': 182783, 'quarter what best': 693270, 'what best practice': 981113, 'best practice to': 127850, 'practice to keep': 668691, 'to keep all': 908749, 'keep all safe': 471299, 'all safe this': 44224, 'safe this info': 730034, 'this info needed': 888102, 'during do': 262606, 'not reduce': 571273, 'start reducing': 794459, 'reducing your': 706339, 'you why': 1022313, 'tip during do': 898749, 'during do not': 262607, 'do not reduce': 249817, 'not reduce price': 571274, 'reduce price if': 705898, 'you start reducing': 1021357, 'start reducing your': 794460, 'reducing your price': 706340, 'ask you why': 95680, 'you why this': 1022317, 'this is likely': 888303, 'emulating': 275360, 'worth emulating': 1011359, 'emulating executive': 275361, 'executive working': 289954, 'served grateful': 751988, 'worth emulating executive': 1011360, 'emulating executive working': 275362, 'executive working in': 289955, 'store so we': 810239, 'can be served': 157684, 'be served grateful': 117100, 'trellis': 931209, '19 novel': 8847, 'coronavirus post': 206565, 'post winery': 666409, 'winery retail': 995962, 'the trellis': 869949, 'trellis room': 931210, 'room will': 725992, 'public monday': 688166, 'monday march': 536316, 'march 16': 515081, '16 further': 4115, 'further closure': 342011, 'closure or': 183989, 'limited hour': 492644, 'be announced': 113623, 'following week': 312938, 'mon mar': 536195, 'mar 23rd': 514989, '23rd post': 15521, 'post wine': 666407, 'wine available': 995776, 'covid 19 novel': 213489, '19 novel coronavirus': 8848, 'novel coronavirus post': 573763, 'coronavirus post winery': 206566, 'post winery retail': 666410, 'winery retail store': 995963, 'retail store including': 718648, 'store including the': 808422, 'including the trellis': 432190, 'the trellis room': 869950, 'trellis room will': 931211, 'room will be': 725993, 'the public monday': 864832, 'public monday march': 688167, 'monday march 16': 536317, 'march 16 further': 515084, '16 further closure': 4116, 'further closure or': 342012, 'closure or limited': 183990, 'or limited hour': 615971, 'limited hour will': 492648, 'hour will be': 406099, 'will be announced': 992357, 'be announced the': 113625, 'announced the following': 77078, 'the following week': 855526, 'following week mon': 312939, 'week mon mar': 976536, 'mon mar 23rd': 536196, 'mar 23rd post': 514991, '23rd post wine': 15522, 'post wine available': 666408, 'wine available at': 995777, 'available at local': 104253, 'local store be': 498457, 'store be well': 806667, 'ghee': 349629, 'clarifying': 180091, 'wa empty': 962069, 'empty because': 274800, 'store asked': 806550, 'have butter': 379863, 'butter they': 148171, 'have ghee': 380765, 'ghee said': 349635, 'said thanks': 731389, 'for clarifying': 320099, 'store wa empty': 811109, 'wa empty because': 962070, 'empty because of': 274803, '19 so went': 10656, 'to the indian': 916807, 'the indian grocery': 858124, 'indian grocery store': 434846, 'grocery store asked': 365218, 'store asked if': 806552, 'asked if they': 95776, 'they have butter': 882298, 'have butter they': 379864, 'butter they said': 148172, 'said they only': 731482, 'they only have': 882824, 'only have ghee': 610580, 'have ghee said': 380766, 'ghee said thanks': 349636, 'said thanks for': 731390, 'thanks for clarifying': 842053, 'jerk': 465140, 'know someone': 476727, 'food tell': 317069, 're greedy': 698770, 'selfish jerk': 748156, 'jerk this': 465155, 'stop now': 804854, 'hoarding stophoarding': 399546, 'you know someone': 1019525, 'know someone who': 476732, 'someone who is': 784761, 'who is hoarding': 989082, 'is hoarding food': 448508, 'hoarding food tell': 399315, 'food tell them': 317070, 'tell them they': 837105, 'them they re': 876422, 'they re greedy': 883048, 're greedy selfish': 698772, 'greedy selfish jerk': 363592, 'selfish jerk this': 748157, 'jerk this ha': 465156, 'to stop now': 915548, 'stop now hoarding': 804855, 'now hoarding stophoarding': 574941, 'hoarding stophoarding stoppanicbuying': 399550, 'disregard': 246340, 'so not': 777897, 'only ha': 610552, 'ha mike': 371275, 'mike ashley': 531268, 'ashley got': 95108, 'got complete': 358495, 'complete disregard': 192084, 'disregard for': 246341, 'for human': 322437, 'life his': 488731, 'his company': 397304, 'company sport': 191100, 'direct want': 243401, 'profiteer from': 682958, 'from too': 338104, 'too by': 924635, 'price don': 673489, 'forget him': 329264, 'him or': 396685, 'or his': 615647, 'company when': 191303, 'over folk': 630216, 'so not only': 777898, 'not only ha': 570798, 'only ha mike': 610554, 'ha mike ashley': 371276, 'mike ashley got': 531269, 'ashley got complete': 95109, 'got complete disregard': 358496, 'complete disregard for': 192085, 'disregard for human': 246343, 'for human life': 322441, 'human life his': 410548, 'life his company': 488732, 'his company sport': 397307, 'company sport direct': 191101, 'sport direct want': 789922, 'direct want to': 243402, 'want to profiteer': 966089, 'to profiteer from': 912239, 'profiteer from too': 682960, 'from too by': 338105, 'too by hiking': 924637, 'by hiking their': 152811, 'their price don': 874390, 'price don forget': 673490, 'don forget him': 253527, 'forget him or': 329265, 'him or his': 396687, 'or his company': 615649, 'his company when': 397308, 'company when this': 191304, 'when this crisis': 984303, 'this crisis is': 887056, 'crisis is over': 217582, 'is over folk': 450698, 'your well': 1026344, 'being is': 125343, 'our top': 625167, 'top priority': 925673, 'priority while': 678693, 'others see': 621632, 'gouging but': 359270, 'priority amid': 678505, 'our personal': 624315, 'care item': 164036, '50 stay': 19863, 'stay well': 797389, 'well stay': 978585, 'your well being': 1026345, 'well being is': 978061, 'being is our': 125344, 'is our top': 450647, 'our top priority': 625170, 'top priority while': 925690, 'priority while others': 678694, 'while others see': 987125, 'others see it': 621633, 'see it an': 745324, 'an opportunity for': 56670, 'opportunity for price': 613627, 'for price gouging': 324718, 'price gouging but': 674264, 'gouging but for': 359271, 'but for the': 145755, 'our customer is': 622666, 'customer is our': 222540, 'top priority amid': 925675, 'priority amid covid': 678506, '19 situation for': 10576, 'situation for all': 772270, 'all our personal': 43826, 'our personal care': 624317, 'personal care item': 652801, 'care item we': 164038, 'item we have': 463801, 'reduced price up': 706158, 'price up to': 677265, 'to 50 stay': 899748, '50 stay well': 19864, 'stay well stay': 797395, 'well stay safe': 978586, 'insure': 440850, 'milage': 531305, 'dm for': 248888, 'for info': 322566, 'regarding delivery': 707203, 'extremely aware': 293859, 'covid we': 214247, 're here': 698805, 'every measure': 285998, 'measure possible': 525289, 'to insure': 908437, 'insure safe': 440857, 'safe delivery': 729578, 'delivery exchange': 233984, 'exchange of': 289458, 'good without': 357973, 'you having': 1019156, 'home dm': 401083, 'delivery price': 234362, 'price based': 672842, 'on time': 604704, 'time milage': 897210, 'milage stayhomesavelives': 531306, 'dm for info': 248891, 'for info regarding': 322571, 'info regarding delivery': 437569, 'regarding delivery we': 707204, 'we are extremely': 970555, 'are extremely aware': 86392, 'extremely aware of': 293860, 'of the danger': 590926, 'the danger of': 852826, 'danger of covid': 225679, 'of covid we': 582095, 'covid we re': 214249, 'we re here': 972894, 're here to': 698807, 'here to take': 393731, 'take every measure': 832101, 'every measure possible': 286000, 'measure possible to': 525290, 'possible to insure': 665846, 'to insure safe': 908440, 'insure safe delivery': 440858, 'safe delivery exchange': 729579, 'delivery exchange of': 233985, 'exchange of good': 289459, 'of good without': 584247, 'good without you': 357974, 'without you having': 1003068, 'you having to': 1019158, 'to leave your': 909172, 'leave your home': 485053, 'your home dm': 1024348, 'home dm for': 401084, 'dm for delivery': 248890, 'for delivery price': 320643, 'delivery price based': 234365, 'price based on': 672843, 'based on time': 111700, 'on time milage': 604711, 'time milage stayhomesavelives': 897211, 'knowthat': 477267, 'finlit': 307979, 'news but': 560282, 'but did': 145526, 'you knowthat': 1019548, 'knowthat scammer': 477268, 'health concern': 386283, 'concern the': 193117, 'offering tip': 595299, 'spot coronavirus': 790045, 'coronavirus scammer': 206726, 'scammer finlit': 740577, 'the is all': 858475, 'over the news': 630742, 'the news but': 861606, 'news but did': 560283, 'but did you': 145530, 'did you knowthat': 240937, 'you knowthat scammer': 1019549, 'knowthat scammer are': 477269, 'scammer are looking': 740536, 'looking to take': 503049, 'advantage of your': 33046, 'your health concern': 1024274, 'health concern the': 386286, 'concern the is': 193120, 'the is offering': 858515, 'is offering tip': 450429, 'offering tip on': 595300, 'to spot coronavirus': 915038, 'spot coronavirus scammer': 790046, 'coronavirus scammer finlit': 206727, 'thankyousomuch': 842397, 'firstresponders': 309218, 'so truly': 778578, 'truly thankful': 933348, 'professional first': 682445, 'have stepped': 382751, 'others thankyousomuch': 621693, 'thankyousomuch firstresponders': 842398, 'firstresponders beatcovid19': 309219, 'beatcovid19 quarantine': 118597, 'quarantine selfquarantine': 692514, 'selfquarantine flattenthecurve': 748565, 'are so truly': 90222, 'so truly thankful': 778579, 'truly thankful for': 933349, 'medical professional first': 526330, 'professional first responder': 682446, 'who have stepped': 988956, 'have stepped in': 382753, 'stepped in front': 799774, 'front of this': 338649, 'this virus to': 891034, 'virus to help': 958922, 'help others thankyousomuch': 390217, 'others thankyousomuch firstresponders': 621694, 'thankyousomuch firstresponders beatcovid19': 842399, 'firstresponders beatcovid19 quarantine': 309220, 'beatcovid19 quarantine selfquarantine': 118598, 'quarantine selfquarantine flattenthecurve': 692515, 'country risk': 211016, 'risk team': 723914, 'team ha': 835652, 'ha reduced': 371679, 'the forecast': 855686, 'for china': 320065, 'china overall': 176866, 'overall economic': 631008, 'economic growth': 267110, 'growth for': 367369, '2020 from': 14315, 'to due': 904794, 'ongoing impact': 607644, '19 mrx': 8703, 'marketresearch house': 517857, 'house home': 406341, 'the country risk': 852145, 'country risk team': 211019, 'risk team ha': 723915, 'team ha reduced': 835655, 'ha reduced the': 371686, 'reduced the forecast': 706182, 'the forecast for': 855687, 'forecast for china': 328818, 'for china overall': 320068, 'china overall economic': 176867, 'overall economic growth': 631009, 'economic growth for': 267112, 'growth for china': 367370, 'for china in': 320067, 'china in 2020': 176725, 'in 2020 from': 419836, '2020 from year': 14321, 'from year on': 338438, 'on year to': 605402, 'year to due': 1015040, 'to due to': 904795, 'the ongoing impact': 862245, 'ongoing impact of': 607645, 'of 19 mrx': 579404, '19 mrx marketresearch': 8704, 'mrx marketresearch house': 544483, 'marketresearch house home': 517858, 'disappointment': 244151, 'the lucky': 859829, 'lucky charm': 506543, 'charm were': 173787, 'all gone': 42959, 'gone disappointment': 356250, 'disappointment of': 244158, 'food shopper': 316504, 'shopper trying': 761788, 'up maga': 945353, 'the lucky charm': 859830, 'lucky charm were': 506544, 'charm were all': 173788, 'were all gone': 979283, 'all gone disappointment': 42961, 'gone disappointment of': 356251, 'disappointment of food': 244159, 'of food shopper': 583776, 'food shopper trying': 316506, 'shopper trying to': 761789, 'stock up maga': 803097, 'to afford': 900155, 'food right': 316237, 'buying can': 150086, 'eat cheap': 265880, 'cheap usually': 174223, 'usually do': 951110, 'expensive food': 291242, 'please dm': 659885, 'interested discount': 441447, 'discount are': 244446, 'on order': 602542, 'order with': 618782, 'with multiple': 999596, 'multiple art': 545726, 'art piece': 94184, '19 is making': 8006, 'is making it': 449547, 'making it hard': 511142, 'it hard for': 458485, 'for me to': 323344, 'me to afford': 523741, 'to afford food': 900158, 'afford food right': 34696, 'food right now': 316238, 'now with all': 576441, 'all the panic': 44855, 'panic buying can': 637670, 'buying can eat': 150087, 'can eat cheap': 158193, 'eat cheap usually': 265881, 'cheap usually do': 174224, 'usually do and': 951111, 'do and am': 249063, 'and am having': 58019, 'having to buy': 384333, 'to buy more': 902271, 'buy more expensive': 148968, 'more expensive food': 539177, 'expensive food please': 291243, 'food please dm': 315864, 'please dm me': 659887, 're interested discount': 698909, 'interested discount are': 441448, 'discount are available': 244447, 'available on order': 104531, 'on order with': 602545, 'order with multiple': 618784, 'with multiple art': 999597, 'multiple art piece': 545727, 'aest': 33929, '423': 18935, '322': 17712, '237': 15486, '232': 15454, 'story 12': 811879, '12 00': 2756, '18 00': 4478, '00 aest': 43, 'aest 450': 33930, '450 tweet': 19158, 'tweet 423': 936315, '423 tweet': 18936, 'tweet 322': 936313, '322 tweet': 17715, 'tweet 237': 936311, '237 tweet': 15489, 'tweet 232': 936309, '232 tweet': 15455, 'news story 12': 560831, 'story 12 00': 811880, '12 00 to': 2760, '00 to 18': 535, 'to 18 00': 899527, '18 00 aest': 4479, '00 aest 450': 44, 'aest 450 tweet': 33931, '450 tweet 423': 19159, 'tweet 423 tweet': 936316, '423 tweet 322': 18937, 'tweet 322 tweet': 936314, '322 tweet 237': 17716, 'tweet 237 tweet': 936312, '237 tweet 232': 15490, 'tweet 232 tweet': 936310, '232 tweet atnix': 15456, 'trumpliedpeopledied': 934070, 'poster': 666601, 'fkthebs': 309895, 'trumppressconference': 934144, 'worse being': 1010882, 'being sick': 125791, 'or being': 614534, 'the trumpliedpeopledied': 870075, 'trumpliedpeopledied toiletpaper': 934073, 'toiletpaper trumppandemic': 922773, 'trumppandemic politics': 934112, 'politics poster': 663795, 'poster shirt': 666612, 'shirt fkthebs': 758978, 'fkthebs workingfromhomelife': 309896, 'workingfromhomelife handsanitizer': 1009119, 'handsanitizer handwashing': 376544, 'handwashing fed': 376826, 'fed trumppressconference': 301916, 'what worse being': 982638, 'worse being sick': 1010883, 'being sick or': 125794, 'sick or being': 768552, 'or being sick': 614536, 'being sick of': 125793, 'sick of the': 768543, 'of the trumpliedpeopledied': 591560, 'the trumpliedpeopledied toiletpaper': 870077, 'trumpliedpeopledied toiletpaper trumppandemic': 934074, 'toiletpaper trumppandemic politics': 922774, 'trumppandemic politics poster': 934113, 'politics poster shirt': 663796, 'poster shirt fkthebs': 666613, 'shirt fkthebs workingfromhomelife': 758979, 'fkthebs workingfromhomelife handsanitizer': 309897, 'workingfromhomelife handsanitizer handwashing': 1009120, 'handsanitizer handwashing fed': 376545, 'handwashing fed trumppressconference': 376827, 'tendergreen': 837912, 'selling box': 749186, 'box to': 137182, 'go guy': 353628, 'guy different': 368978, 'different box': 241911, 'box different': 137046, 'different price': 242032, 'all come': 42391, 'one even': 606246, 'even come': 283961, 'with bottle': 997458, 'wine check': 995793, 'check them': 174663, 'essential tendergreen': 281649, 'is selling box': 451751, 'selling box to': 749187, 'box to go': 137187, 'to go guy': 906803, 'go guy different': 353629, 'guy different box': 368979, 'different box different': 241912, 'box different price': 137047, 'different price all': 242033, 'price all come': 672267, 'all come with': 42395, 'come with toilet': 187692, 'paper roll and': 640686, 'roll and one': 725180, 'and one even': 68086, 'one even come': 606247, 'even come with': 283963, 'come with bottle': 187676, 'with bottle of': 997459, 'of wine check': 593180, 'wine check them': 995794, 'check them out': 174664, 'them out if': 876128, 're in need': 698875, 'need of some': 555343, 'of some food': 589896, 'some food essential': 782858, 'food essential tendergreen': 314389, 'zipsak': 1027637, 'spreadthelovenotthevirus': 791115, 'customer returned': 222772, 'returned zipsak': 719991, 'zipsak to': 1027638, 'with surprise': 1001095, 'surprise in': 828531, 'box she': 137158, 'she didn': 755988, 'original packaging': 619570, 'packaging for': 633534, 'it added': 456269, 'added toiletpaper': 31618, 'and kleenex': 65869, 'kleenex token': 475907, 'token gift': 923476, 'gift lol': 349997, 'lol thank': 500957, 'you toiletpapercrisis': 1021874, 'toiletpapercrisis spreadthelovenotthevirus': 923066, 'customer returned zipsak': 222773, 'returned zipsak to': 719992, 'zipsak to today': 1027639, 'to today with': 917620, 'today with surprise': 920561, 'with surprise in': 1001096, 'surprise in the': 828532, 'in the box': 429035, 'the box she': 849923, 'box she didn': 137159, 'she didn have': 755989, 'have the original': 383008, 'the original packaging': 862487, 'original packaging for': 619571, 'packaging for the': 633536, 'for the item': 326514, 'the item and': 858601, 'item and to': 463080, 'and to make': 74183, 'to make up': 909760, 'make up for': 510685, 'up for it': 944943, 'for it added': 322690, 'it added toiletpaper': 456270, 'added toiletpaper and': 31619, 'toiletpaper and kleenex': 921723, 'and kleenex token': 65871, 'kleenex token gift': 475908, 'token gift lol': 923477, 'gift lol thank': 349998, 'lol thank you': 500958, 'thank you toiletpapercrisis': 841833, 'you toiletpapercrisis spreadthelovenotthevirus': 1021875, 'check flattening': 174433, 'scam curve': 740124, 'curve cybersecurity': 221847, 'cybersecurity privacy': 224005, 'privacy scam': 678835, 'check flattening the': 174434, 'flattening the scam': 310148, 'the scam curve': 866413, 'scam curve cybersecurity': 740125, 'curve cybersecurity privacy': 221848, 'cybersecurity privacy scam': 224006, 'this increasing': 888084, 'increasing evidence': 433603, 'evidence that': 288389, 'be considering': 114205, 'considering level': 195389, 'level ppe': 487682, 'for coughing': 320409, 'coughing patient': 208732, 'more evidence': 539159, 'evidence required': 288380, 'required but': 713357, 'pandemic better': 635004, 'over hype': 630304, 'hype than': 412275, 'than under': 841378, 'under who': 940388, 'is this increasing': 453100, 'this increasing evidence': 888085, 'increasing evidence that': 433604, 'evidence that we': 288395, 'should be considering': 765591, 'be considering level': 114207, 'considering level ppe': 195390, 'level ppe for': 487683, 'ppe for coughing': 667946, 'for coughing patient': 320411, 'coughing patient more': 208733, 'patient more evidence': 644214, 'more evidence required': 539160, 'evidence required but': 288381, 'required but in': 713358, 'but in the': 146037, 'face of pandemic': 294665, 'of pandemic better': 587690, 'pandemic better to': 635005, 'better to over': 128568, 'to over hype': 911294, 'over hype than': 630305, 'hype than under': 412276, 'than under who': 841380, 'under who know': 940389, 'maskup': 519700, 'russianpresident': 728682, 'did putin': 240774, 'putin deal': 691017, 'surge it': 828218, 'so putin': 778089, 'putin maskup': 691033, 'maskup russianpresident': 519703, 'how did putin': 407687, 'did putin deal': 240775, 'putin deal with': 691018, 'deal with mask': 229558, 'with mask price': 999413, 'mask price surge': 519152, 'price surge it': 676723, 'surge it so': 828219, 'it so putin': 461124, 'so putin maskup': 778091, 'putin maskup russianpresident': 691034, 'gb': 344783, 'uklockdown lockdownuk': 938998, 'lockdownuk corona': 500405, 'can uk': 160073, 'uk citizen': 938245, 'citizen accept': 178816, 'accept this': 28002, 'empty for': 274879, 'week gb': 976265, 'gb united': 344793, 'kingdom great': 475325, 'great britain': 362532, 'britain united': 140462, 'kingdom if': 475329, 'if indeed': 414259, 'indeed there': 434012, 'enough then': 277674, 'then where': 877749, 'where is': 984944, 'uklockdown lockdownuk corona': 938999, 'lockdownuk corona virus': 500406, 'corona virus how': 204317, 'how can uk': 407527, 'can uk citizen': 160074, 'uk citizen accept': 938246, 'citizen accept this': 178817, 'accept this supermarket': 28003, 'this supermarket shelf': 890436, 'shelf empty for': 757020, 'empty for week': 274882, 'for week gb': 327708, 'week gb united': 976267, 'gb united kingdom': 344794, 'united kingdom great': 942181, 'kingdom great britain': 475326, 'great britain united': 362536, 'britain united kingdom': 140463, 'united kingdom if': 942183, 'kingdom if indeed': 475330, 'if indeed there': 414261, 'indeed there is': 434014, 'is enough then': 447518, 'enough then where': 277675, 'then where is': 877750, 'where is it': 984949, 'tesco ha': 838707, 'definitely ramped': 232381, 'tesco ha definitely': 838709, 'ha definitely ramped': 370344, 'definitely ramped up': 232382, 'ramped up their': 696475, 'their price since': 874421, 'cashpoint': 166711, 'escalator': 280294, 'rail': 695670, '19 fuel': 7159, 'fuel pump': 340268, 'pump handle': 689051, 'handle supermarket': 376261, 'trolley cashpoint': 932387, 'cashpoint button': 166712, 'button door': 148211, 'handle light': 376224, 'light switch': 489602, 'switch escalator': 830484, 'escalator hand': 280297, 'hand rail': 375193, 'rail lift': 695676, 'lift button': 489433, 'button and': 148201, 'more seems': 540339, 'good case': 356868, 'for wearing': 327666, 'paying by': 645395, 'by card': 152073, 'card contactless': 163491, 'contactless for': 200372, 'now anyway': 574074, '19 fuel pump': 7160, 'fuel pump handle': 340269, 'pump handle supermarket': 689055, 'handle supermarket trolley': 376262, 'supermarket trolley cashpoint': 823561, 'trolley cashpoint button': 932388, 'cashpoint button door': 166713, 'button door handle': 148212, 'door handle light': 255609, 'handle light switch': 376225, 'light switch escalator': 489604, 'switch escalator hand': 830485, 'escalator hand rail': 280298, 'hand rail lift': 375194, 'rail lift button': 695677, 'lift button and': 489434, 'button and more': 148202, 'and more seems': 67214, 'more seems to': 540340, 'seems to make': 746883, 'to make good': 909669, 'make good case': 509943, 'good case for': 356869, 'case for wearing': 165747, 'for wearing glove': 327668, 'wearing glove and': 974627, 'glove and paying': 352573, 'and paying by': 68812, 'paying by card': 645396, 'by card contactless': 152074, 'card contactless for': 163492, 'contactless for now': 200373, 'for now anyway': 323962, 'sued': 817175, 'wando': 965584, 'evans': 283754, 'suing': 817738, 'notify': 573558, 'walmart sued': 965419, 'sued by': 817176, 'by family': 152544, 'employee killed': 274005, 'the brother': 850054, 'brother of': 141091, 'of wando': 592896, 'wando evans': 965585, 'evans who': 283761, 'is suing': 452446, 'suing walmart': 817739, 'walmart claiming': 965298, 'claiming chicago': 179901, 'chicago area': 175643, 'area store': 92201, 'store failed': 807694, 'to notify': 910730, 'notify employee': 573559, 'after several': 36174, 'several worker': 753968, 'worker began': 1006517, 'began showing': 123433, 'showing symptom': 767509, 'walmart sued by': 965420, 'sued by family': 817177, 'by family of': 152546, 'family of employee': 298095, 'of employee killed': 583075, 'employee killed by': 274006, 'killed by coronavirus': 474566, 'by coronavirus the': 152236, 'coronavirus the brother': 206903, 'the brother of': 850055, 'brother of wando': 141092, 'of wando evans': 592897, 'wando evans who': 965586, 'evans who died': 283762, 'who died of': 988604, '19 is suing': 8058, 'is suing walmart': 452447, 'suing walmart claiming': 817742, 'walmart claiming chicago': 965299, 'claiming chicago area': 179902, 'chicago area store': 175645, 'area store failed': 92203, 'store failed to': 807696, 'failed to notify': 296183, 'to notify employee': 910731, 'notify employee after': 573560, 'employee after several': 273529, 'after several worker': 36177, 'several worker began': 753969, 'worker began showing': 1006518, 'began showing symptom': 123434, 'cool story': 203045, 'story on': 812080, 'grocery exec': 364507, 'exec getting': 289814, 'getting taste': 349333, 'frontlines all': 338907, 'all hand': 43029, 'on deck': 600241, 'deck via': 231142, 'cool story on': 203046, 'story on grocery': 812085, 'on grocery exec': 601183, 'grocery exec getting': 364508, 'exec getting taste': 289815, 'getting taste of': 349334, 'taste of the': 834792, 'of the frontlines': 591047, 'the frontlines all': 855897, 'frontlines all hand': 338908, 'all hand on': 43031, 'hand on deck': 375131, 'on deck via': 600247, 'trace': 928123, 'using credit': 950439, 'card covid': 163493, 'have trace': 383387, 'trace on': 928135, 'cash please': 166306, 'please use': 660705, 'use credit': 949143, 'card over': 163609, 'online when': 609712, 'when possible': 983891, 'possible supermarket': 665795, 'trip there': 932176, 'shortage amp': 764807, 'amp if': 53970, 'so bodega': 776629, 'bodega great': 133783, 'regular item': 707801, 'using credit card': 950440, 'credit card covid': 216331, 'card covid 19': 163494, '19 can have': 5610, 'can have trace': 158591, 'have trace on': 383388, 'trace on cash': 928136, 'on cash please': 599844, 'cash please use': 166307, 'please use credit': 660708, 'use credit card': 949144, 'credit card over': 216346, 'card over the': 163610, 'phone or online': 654988, 'or online when': 616394, 'online when possible': 609714, 'when possible supermarket': 983896, 'possible supermarket trip': 665796, 'supermarket trip there': 823552, 'trip there is': 932177, 'food shortage amp': 316554, 'shortage amp if': 764808, 'amp if you': 53972, 'you can limit': 1017715, 'can limit your': 158879, 'supermarket please do': 822013, 'please do so': 659898, 'do so bodega': 250087, 'so bodega great': 776630, 'bodega great resource': 133784, 'great resource for': 362965, 'resource for regular': 714788, 'for regular item': 325075, 'retweet post': 720070, 'of local': 585924, 'doctor first': 250915, 'solidarity of': 781939, 'could mean': 209407, 'worker feeling': 1006923, 'feeling unappreciated': 303090, 'should retweet post': 766422, 'retweet post of': 720071, 'post of local': 666224, 'of local doctor': 585928, 'local doctor first': 497905, 'doctor first responder': 250916, 'in solidarity of': 428073, 'solidarity of their': 781941, 'of their tireless': 591710, 'protection it could': 685500, 'it could mean': 457363, 'could mean lot': 209411, 'overworked nurse grocery': 631793, 'store worker feeling': 811497, 'worker feeling unappreciated': 1006924, 'feeling unappreciated helpless': 303091, 'you getting': 1018811, 'more curbside': 538932, 'curbside order': 220639, 'store curbside': 807235, 'curbside service': 220671, 'rise with': 723069, 'new social': 559612, 'to retail': 913443, 'are you getting': 91796, 'you getting more': 1018813, 'getting more curbside': 349122, 'more curbside order': 538933, 'curbside order at': 220640, 'order at your': 618067, 'at your store': 101693, 'your store curbside': 1025966, 'store curbside service': 807237, 'curbside service may': 220672, 'service may be': 752583, 'the rise with': 865863, 'rise with new': 723072, 'with new social': 999713, 'new social distancing': 559613, 'distancing measure due': 247323, 'due to retail': 261926, 'question short': 693732, 'short answer': 764598, 'answer not': 78085, 'much amid': 544707, 're relying': 699373, 'on news': 602389, 'information but': 437774, 'we trust': 973577, 'trust them': 934321, 'them dig': 875600, 'dig into': 242434, 'latest consumer': 481256, 'consumer date': 197066, 'date here': 226640, 'very good question': 955194, 'good question short': 357611, 'question short answer': 693733, 'short answer not': 764599, 'answer not that': 78086, 'not that much': 571973, 'that much amid': 845241, 'much amid the': 544708, 'the crisis we': 852474, 'we re relying': 972948, 're relying on': 699374, 'relying on news': 709678, 'on news medium': 602391, 'news medium and': 560608, 'medium and government': 526986, 'and government for': 63880, 'government for information': 360100, 'for information but': 322576, 'information but do': 437775, 'but do we': 145564, 'do we trust': 250490, 'we trust them': 973578, 'trust them dig': 934322, 'them dig into': 875601, 'dig into the': 242435, 'into the latest': 443140, 'the latest consumer': 859082, 'latest consumer date': 481260, 'consumer date here': 197067, 'also proper': 48696, 'proper hand': 684109, 'surface cleaning': 827998, 'key wash': 473457, 'second are': 743660, 'more using': 540881, 'using scrubbing': 950640, 'scrubbing and': 742924, 'and hot': 64758, 'hot warm': 405061, 'warm water': 966889, 'water to': 969213, 'kill germ': 474400, 'germ if': 346122, 'if handwashing': 414195, 'handwashing not': 376851, 'not avail': 568292, 'avail use': 104120, 'wipe often': 996328, 'also proper hand': 48697, 'proper hand and': 684110, 'and surface cleaning': 72875, 'surface cleaning is': 828000, 'cleaning is key': 180971, 'is key wash': 449192, 'key wash your': 473458, 'your hand for': 1024188, '20 second are': 13324, 'second are more': 743661, 'are more using': 88125, 'more using scrubbing': 540883, 'using scrubbing and': 950641, 'scrubbing and hot': 742925, 'and hot warm': 64762, 'hot warm water': 405062, 'warm water to': 966891, 'water to kill': 969219, 'to kill germ': 908927, 'kill germ if': 474403, 'germ if handwashing': 346123, 'if handwashing not': 414196, 'handwashing not avail': 376852, 'not avail use': 568293, 'avail use hand': 104121, 'sanitizer or sanitizer': 735493, 'or sanitizer wipe': 616956, 'sanitizer wipe often': 736121, 'keepitreal': 472655, 'helpyourneighbour': 391664, '12weeks': 3140, 'dogood': 252212, 'few wise': 304181, 'wise word': 996703, 'word keepitreal': 1004512, 'keepitreal stoppanicbuying': 472656, 'stoppanicbuying helpyourneighbour': 805574, 'helpyourneighbour help': 391665, 'help 12weeks': 389282, '12weeks dogood': 3143, 'few wise word': 304182, 'wise word keepitreal': 996705, 'word keepitreal stoppanicbuying': 1004513, 'keepitreal stoppanicbuying helpyourneighbour': 472657, 'stoppanicbuying helpyourneighbour help': 805575, 'helpyourneighbour help 12weeks': 391666, 'help 12weeks dogood': 389283, 'suspicion': 829699, 'panic rightly': 638495, 'rightly so': 722477, 'so considering': 776782, 'considering what': 195440, 'with sanitize': 1000563, 'sanitize your': 734236, 'hand avoid': 374808, 'avoid crowd': 105067, 'crowd stay': 219257, 'indoors much': 435411, 'food drink': 314275, 'drink water': 258894, 'to beef': 901693, 'beef immunity': 120512, 'immunity up': 417443, 'up maintain': 945354, 'maintain high': 508977, 'high index': 395138, 'index of': 434225, 'of suspicion': 590547, 'suspicion stay': 829704, 'safe corona': 729564, 'corona pandemic': 204089, 'easy to panic': 265788, 'to panic rightly': 911423, 'panic rightly so': 638496, 'rightly so considering': 722479, 'so considering what': 776783, 'considering what we': 195441, 'what we are': 982540, 'we are dealing': 970520, 'are dealing with': 85704, 'dealing with sanitize': 229687, 'with sanitize your': 1000564, 'sanitize your hand': 734238, 'your hand avoid': 1024167, 'hand avoid crowd': 374809, 'avoid crowd stay': 105071, 'crowd stay indoors': 219259, 'stay indoors much': 797078, 'indoors much you': 435412, 'much you can': 545492, 'can eat good': 158195, 'good food drink': 357059, 'food drink water': 314283, 'drink water to': 258895, 'water to beef': 969215, 'to beef immunity': 901694, 'beef immunity up': 120513, 'immunity up maintain': 417444, 'up maintain high': 945355, 'maintain high index': 508978, 'high index of': 395139, 'index of suspicion': 434227, 'of suspicion stay': 590548, 'suspicion stay safe': 829705, 'stay safe corona': 797221, 'safe corona pandemic': 729565, 'good transport': 357914, 'transport skyrocket': 929940, 'of good transport': 584243, 'good transport skyrocket': 357916, 'transport skyrocket in': 929941, 'skyrocket in lagos': 773313, 'nylockdown': 578102, 'down cigarette': 256633, 'cigarette price': 178486, 'up 10': 944106, '10 more': 1550, 'more per': 540054, 'per carton': 650737, 'carton no': 165483, 'no place': 565115, 'go chain': 353410, 'chain smoking': 171114, 'smoking at': 775901, 'home perfect': 401840, 'perfect ny': 651316, 'ny nylockdown': 577905, 'nylockdown quarantinelife': 578103, 'quarantinelife chinavirus': 692938, 'gas price down': 343953, 'price down cigarette': 673520, 'down cigarette price': 256634, 'cigarette price up': 178488, 'price up 10': 677217, 'up 10 more': 944108, '10 more per': 1552, 'more per carton': 540055, 'per carton no': 650738, 'carton no place': 165484, 'no place to': 565118, 'place to go': 657755, 'to go chain': 906783, 'go chain smoking': 353411, 'chain smoking at': 171115, 'smoking at home': 775902, 'at home perfect': 99079, 'home perfect ny': 401841, 'perfect ny nylockdown': 651317, 'ny nylockdown quarantinelife': 577906, 'nylockdown quarantinelife chinavirus': 578104, 'petition for': 653602, '19 edition': 6719, 'petition for covid': 653604, 'covid 19 edition': 213007, '19 edition of': 6720, 'edition of supermarket': 268634, 'of supermarket sweep': 590448, 'ua': 937725, 'driveway': 259881, 'utilized': 951364, 'friendship': 334024, 'my college': 547741, 'college age': 186596, 'age daughter': 37813, 'daughter wa': 226916, 'wa missing': 962633, 'missing her': 534303, 'her ua': 392491, 'ua friend': 937726, 'friend so': 333811, 'much so': 545307, 'she made': 756211, 'made approved': 507640, 'approved chat': 83141, 'chat circle': 173927, 'circle in': 178608, 'our driveway': 622813, 'driveway only': 259882, 'only kid': 610680, 'kid involved': 474023, 'involved all': 444338, 'all were': 45432, 'were foot': 979651, 'apart and': 81224, 'were lot': 979857, 'and clorox': 59995, 'wipe utilized': 996412, 'utilized community': 951367, 'community over': 190028, 'over virus': 630886, 'virus friendship': 958209, 'friendship find': 334025, 'my college age': 547742, 'college age daughter': 186597, 'age daughter wa': 37815, 'daughter wa missing': 226917, 'wa missing her': 962638, 'missing her ua': 534304, 'her ua friend': 392492, 'ua friend so': 937727, 'friend so much': 333812, 'so much so': 777810, 'much so she': 545308, 'so she made': 778194, 'she made approved': 756212, 'made approved chat': 507641, 'approved chat circle': 83142, 'chat circle in': 173928, 'circle in our': 178609, 'in our driveway': 426283, 'our driveway only': 622814, 'driveway only kid': 259883, 'only kid involved': 610681, 'kid involved all': 474024, 'involved all were': 444339, 'all were foot': 45433, 'were foot apart': 979652, 'foot apart and': 318340, 'apart and there': 81226, 'there were lot': 879321, 'were lot of': 979859, 'sanitizer and clorox': 734395, 'and clorox wipe': 59996, 'clorox wipe utilized': 182475, 'wipe utilized community': 996413, 'utilized community over': 951368, 'community over virus': 190029, 'over virus friendship': 630887, 'virus friendship find': 958210, 'friendship find way': 334026, 'plowing': 661098, 'unimaginable': 941805, 'are plowing': 89117, 'plowing their': 661103, 'crop due': 218917, 'from restaurant': 337086, 'restaurant we': 716787, 'see unimaginable': 745995, 'unimaginable queue': 941810, 'desperate citizen': 238512, 'citizen outside': 178943, 'outside food': 629424, 'use some': 949598, 'wasted trillion': 968273, 'trillion to': 932009, 'buy crop': 148515, 'crop from': 218921, 'from farmer': 335414, 'and distribute': 61506, 'distribute them': 248016, 'to needy': 910516, 'needy citizen': 556674, 'farmer are plowing': 299290, 'are plowing their': 89120, 'plowing their crop': 661104, 'their crop due': 872924, 'crop due to': 218918, 'demand from restaurant': 235545, 'from restaurant we': 337097, 'restaurant we see': 716790, 'we see unimaginable': 973173, 'see unimaginable queue': 745997, 'unimaginable queue of': 941811, 'queue of desperate': 694019, 'of desperate citizen': 582555, 'desperate citizen outside': 238514, 'citizen outside food': 178944, 'outside food bank': 629425, 'food bank why': 313672, 'bank why not': 110309, 'why not use': 991239, 'not use some': 572359, 'use some of': 949602, 'of the wasted': 591604, 'the wasted trillion': 871120, 'wasted trillion to': 968274, 'trillion to buy': 932010, 'to buy crop': 902211, 'buy crop from': 148516, 'crop from farmer': 218922, 'from farmer and': 335415, 'farmer and distribute': 299252, 'and distribute them': 61512, 'distribute them to': 248018, 'them to needy': 876493, 'to needy citizen': 910517, 'dofe': 252020, 'and worrying': 75912, 'have concern': 380063, 'outbreak will': 628821, 'affect participant': 34206, 'participant dofe': 642541, 'dofe programme': 252021, 'programme for': 683339, 'anyone running': 80497, 'running the': 728093, 'the dofe': 853489, 'dofe read': 252023, 'our in': 623509, 'in depth': 422197, 'depth faq': 237762, 'we know this': 972161, 'know this is': 476893, 'is difficult and': 447171, 'difficult and worrying': 242188, 'and worrying time': 75913, 'worrying time for': 1010842, 'for everyone and': 321197, 'everyone and that': 286701, 'and that you': 73225, 'you will have': 1022337, 'will have concern': 993624, 'have concern about': 380064, 'concern about how': 192894, 'the outbreak will': 862725, 'outbreak will affect': 628822, 'will affect participant': 992214, 'affect participant dofe': 34207, 'participant dofe programme': 642542, 'dofe programme for': 252022, 'programme for anyone': 683340, 'for anyone running': 319447, 'anyone running the': 80498, 'running the dofe': 728095, 'the dofe read': 853490, 'dofe read our': 252024, 'read our in': 700511, 'our in depth': 623510, 'in depth faq': 422201, 'courage': 211776, 'now just': 575150, 'just want': 470221, 'give much': 350601, 'much courage': 544811, 'courage possible': 211783, 'worker retail': 1007689, 'clerk that': 181784, 'for now just': 323974, 'now just want': 575161, 'just want to': 470229, 'to give much': 906694, 'give much courage': 350602, 'much courage possible': 544812, 'courage possible to': 211784, 'possible to our': 665848, 'our healthcare worker': 623392, 'healthcare worker retail': 387380, 'worker retail worker': 1007692, 'retail worker delivery': 718879, 'worker delivery worker': 1006750, 'delivery worker and': 234767, 'worker and grocery': 1006300, 'store clerk that': 807029, 'clerk that all': 181785, 'that all thank': 842569, 'blueprint': 133502, 'dwindling': 263676, 'day18oflockdown': 228863, 'consumer who': 199516, 'who spoke': 989654, 'with blueprint': 997437, 'blueprint said': 133503, 'most annoying': 542102, 'annoying thing': 77373, 'of dwindling': 582889, 'dwindling income': 263692, 'income with': 432502, 'little hope': 495388, 'any flowing': 79225, 'flowing in': 311354, 'in day18oflockdown': 422028, 'consumer who spoke': 199530, 'who spoke with': 989655, 'spoke with blueprint': 789746, 'with blueprint said': 997438, 'blueprint said the': 133504, 'said the most': 731442, 'the most annoying': 860948, 'most annoying thing': 542104, 'annoying thing is': 77374, 'thing is that': 884483, 'that price are': 845822, 'going up in': 355785, 'face of dwindling': 294651, 'of dwindling income': 582890, 'dwindling income with': 263693, 'income with little': 432504, 'with little hope': 999256, 'little hope of': 495389, 'hope of any': 403563, 'of any flowing': 580258, 'any flowing in': 79226, 'flowing in day18oflockdown': 311356, 'scotland': 742412, 'newest panic': 560062, 'buy trend': 149396, 'in scotland': 427740, 'scotland freezer': 742419, 'store all': 806128, 'bought food': 136561, 'you fucking': 1018733, 'fucking serious': 339992, 'coronacrisis 19': 204491, 'newest panic buy': 560063, 'panic buy trend': 637541, 'buy trend in': 149397, 'trend in scotland': 931369, 'in scotland freezer': 427743, 'scotland freezer to': 742420, 'to store all': 915604, 'store all the': 806140, 'the panic bought': 863186, 'panic bought food': 637421, 'bought food are': 136563, 'food are you': 313415, 'are you fucking': 91795, 'you fucking serious': 1018739, 'fucking serious coronacrisis': 339993, 'serious coronacrisis 19': 751358, 'said oh': 731275, 'oh god': 596389, 'god it': 354748, 'supermarket day': 819892, 'it own': 460215, 'own day': 631938, 'now lockdown': 575237, 'lockdown supermarket': 499980, 'just said oh': 469669, 'said oh god': 731277, 'oh god it': 596392, 'god it supermarket': 354751, 'it supermarket day': 461360, 'supermarket day the': 819897, 'day the supermarket': 228501, 'supermarket ha it': 820634, 'ha it own': 371025, 'it own day': 460217, 'own day now': 631939, 'day now lockdown': 228036, 'now lockdown supermarket': 575241, 'lockdown supermarket socialdistancing': 499982, 'mp thought': 544278, 'fixed you': 309839, 'know being': 476299, 'being minister': 125434, 'country requires': 211004, 'requires more': 713482, 'just talk': 469952, 'talk after': 833770, 'after problem': 36075, 'problem this': 679717, 'this should': 890122, 'be stopped': 117379, 'stopped at': 805683, 'border even': 135244, 'crisis you': 218461, 'still allowing': 800184, 'allowing this': 46357, 'mp thought this': 544279, 'thought this wa': 893267, 'this wa going': 891067, 'to be fixed': 901258, 'be fixed you': 114880, 'fixed you know': 309840, 'you know being': 1019490, 'know being minister': 476300, 'being minister of': 125435, 'minister of this': 533431, 'this country requires': 886967, 'country requires more': 211005, 'requires more than': 713484, 'than just talk': 840821, 'just talk after': 469953, 'talk after problem': 833771, 'after problem this': 36076, 'problem this should': 679720, 'this should be': 890124, 'should be stopped': 765739, 'be stopped at': 117380, 'stopped at the': 805687, 'at the border': 100894, 'the border even': 849871, 'border even during': 135245, 'even during crisis': 284024, 'during crisis you': 262574, 'crisis you are': 218462, 'you are still': 1017242, 'are still allowing': 90391, 'still allowing this': 800185, 'howard': 409307, 'stay alert': 796753, 'alert during': 41398, '19 public': 9868, 'following infographic': 312765, 'infographic contains': 437633, 'contains relevant': 200638, 'relevant tip': 709180, 'the howard': 857675, 'howard county': 409312, 'county office': 211451, 'office of': 595497, 'protection regarding': 685586, 'regarding price': 707242, 'other fraudulent': 620269, 'fraudulent activity': 331448, 'stay alert during': 796755, 'alert during this': 41399, 'covid 19 public': 213627, '19 public health': 9869, 'health crisis the': 386348, 'crisis the following': 218173, 'the following infographic': 855511, 'following infographic contains': 312766, 'infographic contains relevant': 437634, 'contains relevant tip': 200639, 'relevant tip from': 709181, 'from the howard': 337751, 'the howard county': 857677, 'howard county office': 409314, 'county office of': 211452, 'office of consumer': 595500, 'consumer protection regarding': 198555, 'protection regarding price': 685587, 'regarding price gouging': 707243, 'gouging scam and': 359447, 'scam and other': 740010, 'and other fraudulent': 68331, 'other fraudulent activity': 620270, 'outfitter nike': 628965, 'nike and': 563219, 'other major': 620494, 'coronavirus retail': 206677, 'urban outfitter nike': 948119, 'outfitter nike and': 628966, 'nike and 14': 563220, '14 other major': 3513, 'other major retailer': 620496, 'temporarily closing their': 837484, 'closing their store': 183787, 'their store in': 874857, 'the coronavirus retail': 851901, 'bombarded': 134197, 'onetime': 607567, 'for stay': 325883, 'pretty hard': 671428, 'hard when': 378107, 'shop are': 759891, 'are bombarded': 85011, 'bombarded with': 134198, 'customer set': 222838, 'set law': 753416, 'law for': 482290, 'for certain': 319991, 'certain amount': 169969, 'at onetime': 99975, 'onetime please': 607568, 'all for stay': 42846, 'for stay at': 325884, 'home and social': 400688, 'social distancing but': 779574, 'distancing but work': 247064, 'but work at': 147924, 'work at supermarket': 1004902, 'at supermarket and': 100699, 'supermarket and it': 819009, 'and it pretty': 65571, 'it pretty hard': 460441, 'pretty hard when': 671430, 'hard when the': 378109, 'the shop are': 866979, 'shop are bombarded': 759893, 'are bombarded with': 85012, 'bombarded with customer': 134199, 'with customer set': 997902, 'customer set law': 222839, 'set law for': 753417, 'law for certain': 482291, 'for certain amount': 319992, 'certain amount of': 169970, 'of people at': 587877, 'people at onetime': 647178, 'at onetime please': 99976, 'bpd': 137451, 'producer confirmed': 680591, 'confirmed final': 194154, 'final deal': 305832, 'deal today': 229512, 'today after': 919152, 'after opec': 35988, 'opec talk': 611971, 'talk agreed': 833772, 'by million': 153220, 'million bpd': 532093, 'bpd to': 137456, 'and collapse': 60069, 'price saudi': 676293, 'arabia and': 83853, 'and mexico': 66977, 'mexico found': 530004, 'found compromise': 330176, 'compromise energy': 192659, 'oil producer confirmed': 597335, 'producer confirmed final': 680592, 'confirmed final deal': 194155, 'final deal today': 305833, 'deal today after': 229513, 'today after opec': 919155, 'after opec talk': 35993, 'opec talk agreed': 611972, 'talk agreed to': 833773, 'to cut the': 903891, 'cut the global': 223575, 'global oil output': 352050, 'oil output by': 596996, 'output by million': 629241, 'by million bpd': 153222, 'million bpd to': 532094, 'bpd to stabilize': 137457, 'to stabilize the': 915122, 'stabilize the market': 791863, 'the market amid': 860085, 'market amid outbreak': 515935, 'amid outbreak and': 52557, 'outbreak and collapse': 627990, 'and collapse of': 60072, 'of the price': 591363, 'the price saudi': 864408, 'price saudi arabia': 676294, 'saudi arabia and': 737184, 'arabia and mexico': 83857, 'and mexico found': 66978, 'mexico found compromise': 530005, 'found compromise energy': 330177, 'solve': 782144, '3dprinted': 18260, 'drill': 258769, 'attachment': 102064, 'spool': 789862, 'here practical': 393471, 'practical covid': 668456, '19 challenge': 5753, 'challenge for': 171456, 'for maker': 323172, 'maker solve': 510872, 'solve the': 782159, 'consumer tp': 199347, 'tp supply': 927959, 'chain issue': 170857, 'issue with': 456006, 'with 3dprinted': 997010, '3dprinted drill': 18261, 'drill attachment': 258770, 'attachment that': 102073, 'would let': 1011987, 're spool': 699561, 'spool an': 789863, 'empty consumer': 274842, 'tp tube': 928021, 'tube from': 935031, 'the giant': 856251, 'giant now': 349831, 'now plentiful': 575556, 'plentiful commercial': 660889, 'commercial roll': 188731, 'roll so': 725503, 'could do': 209092, 'here practical covid': 393472, 'practical covid 19': 668457, 'covid 19 challenge': 212783, '19 challenge for': 5756, 'challenge for maker': 171465, 'for maker solve': 323173, 'maker solve the': 510873, 'solve the consumer': 782160, 'the consumer tp': 851614, 'consumer tp supply': 199348, 'tp supply chain': 927960, 'supply chain issue': 824981, 'chain issue with': 170862, 'issue with 3dprinted': 456007, 'with 3dprinted drill': 997011, '3dprinted drill attachment': 18262, 'drill attachment that': 258771, 'attachment that would': 102074, 'that would let': 847683, 'would let you': 1011989, 'let you re': 487218, 'you re spool': 1020754, 're spool an': 699562, 'spool an empty': 789864, 'an empty consumer': 55722, 'empty consumer tp': 274843, 'consumer tp tube': 199349, 'tp tube from': 928022, 'tube from the': 935032, 'from the giant': 337721, 'the giant now': 856257, 'giant now plentiful': 349832, 'now plentiful commercial': 575557, 'plentiful commercial roll': 660890, 'commercial roll so': 188732, 'roll so people': 725505, 'so people could': 777997, 'people could do': 647556, 'could do it': 209096, 'do it at': 249462, 'researching': 713940, 'client are': 182001, 'happens next': 377490, 'next we': 561660, 'start researching': 794463, 'researching the': 713951, 'behaviour issue': 124460, 'number of my': 576962, 'of my client': 586744, 'my client are': 547703, 'client are struggling': 182006, 'struggling to know': 814507, 'know what happens': 476958, 'what happens next': 981567, 'happens next we': 377491, 'next we ve': 561662, 'we ve decided': 973652, 'decided to start': 230932, 'to start researching': 915218, 'start researching the': 794464, 'researching the impact': 713952, 'on consumer behaviour': 600029, 'consumer behaviour issue': 196582, 'behaviour issue is': 124461, 'issue is available': 455812, 'available from for': 104398, 'from for free': 335527, 'oilprices': 597654, 'mnuchin': 534838, 'treasury': 930780, 'norwegian analyst': 567845, 'analyst forecast': 57139, 'forecast oilprices': 328853, 'oilprices with': 597697, 'epidemic and': 279333, 'between russia': 128874, 'arabia they': 83942, 'were lowest': 979865, 'lowest to': 506236, '10 15': 1238, '15 mnuchin': 3781, 'mnuchin treasury': 534839, 'treasury secretary': 930789, 'secretary say': 743970, 'say waiting': 739445, 'make 10': 509628, '10 billion': 1340, 'billion or': 130882, 'or 20': 614180, '20 billion': 12966, 'in purchase': 427125, 'norwegian analyst forecast': 567846, 'analyst forecast oilprices': 57140, 'forecast oilprices with': 328854, 'oilprices with the': 597698, 'with the epidemic': 1001286, 'the epidemic and': 854428, 'epidemic and the': 279338, 'and the oil': 73498, 'the oil war': 862121, 'war between russia': 966378, 'between russia and': 128875, 'saudi arabia they': 737218, 'arabia they were': 83943, 'they were lowest': 883785, 'were lowest to': 979866, 'lowest to 10': 506237, 'to 10 15': 899420, '10 15 mnuchin': 1240, '15 mnuchin treasury': 3782, 'mnuchin treasury secretary': 534841, 'treasury secretary say': 930790, 'secretary say waiting': 743971, 'say waiting for': 739446, 'waiting for lower': 964323, 'for lower oil': 323137, 'price to make': 677012, 'to make 10': 909614, 'make 10 billion': 509629, '10 billion or': 1345, 'billion or 20': 130883, 'or 20 billion': 614181, '20 billion in': 12967, 'billion in purchase': 130851, 'basemetals': 111795, 'keep base': 471335, 'base metal': 111462, 'metal price': 529645, 'low concern': 505195, 'ultimate impact': 939115, 'crisis remain': 217960, 'remain too': 709891, 'too high': 924784, 'high and': 394917, 'keep basemetals': 471337, 'basemetals price': 111796, 'price relatively': 676160, 'relatively low': 708770, 'coronavirus crisis keep': 205756, 'crisis keep base': 217632, 'keep base metal': 471336, 'base metal price': 111463, 'metal price low': 529650, 'price low concern': 675116, 'low concern about': 505196, 'concern about the': 192901, 'about the ultimate': 26549, 'the ultimate impact': 870314, 'ultimate impact of': 939116, 'corona crisis remain': 203909, 'crisis remain too': 217961, 'remain too high': 709892, 'too high and': 924785, 'high and this': 394926, 'and this will': 74013, 'this will keep': 891423, 'will keep basemetals': 993890, 'keep basemetals price': 471338, 'basemetals price relatively': 111797, 'price relatively low': 676161, 'relatively low for': 708772, 'low for the': 505286, 'highschool': 396127, 'clerk don': 181688, '15 an': 3664, 'hour because': 405454, 'were highschool': 979746, 'highschool kid': 396128, 'kid working': 474183, 'for spending': 325824, 'spending cash': 788773, 'cash remember': 166329, 'you fight': 1018553, 'crowd at': 219128, 'time important': 896971, 'important job': 418856, 'aren open': 92468, 'remember when we': 710420, 'when we were': 984475, 'were told that': 980278, 'told that grocery': 923695, 'store clerk don': 807002, 'clerk don deserve': 181689, 'don deserve 15': 253453, 'deserve 15 an': 238023, '15 an hour': 3665, 'an hour because': 56077, 'hour because they': 405456, 'because they were': 119728, 'they were highschool': 883778, 'were highschool kid': 979747, 'highschool kid working': 396129, 'kid working for': 474185, 'working for spending': 1008645, 'for spending cash': 325825, 'spending cash remember': 788774, 'cash remember that': 166330, 'remember that when': 710296, 'that when you': 847499, 'when you fight': 984558, 'you fight the': 1018556, 'fight the crowd': 304889, 'the crowd at': 852519, 'crowd at grocery': 219129, 'during the time': 263209, 'the time important': 869596, 'time important job': 896972, 'important job aren': 418858, 'job aren open': 465668, 'inability': 431170, 'envision': 279211, 'keep positive': 471800, 'mindset amidst': 532842, 'the forced': 855683, 'forced self': 328597, 'isolation the': 455453, 'of daily': 582311, 'work let': 1005427, 'alone the': 46922, 'the inability': 858025, 'inability to': 431175, 'plan or': 658196, 'or envision': 615171, 'envision the': 279212, 'future here': 342349, 'five example': 309612, 'novel may': 573797, 'may shift': 521494, 'shift our': 758379, 'our culture': 622635, 'to keep positive': 908830, 'keep positive mindset': 471801, 'positive mindset amidst': 665370, 'mindset amidst the': 532843, 'amidst the forced': 52826, 'the forced self': 855684, 'forced self isolation': 328598, 'self isolation the': 747801, 'isolation the disruption': 455454, 'the disruption of': 853407, 'disruption of daily': 246512, 'of daily work': 582321, 'daily work let': 224902, 'work let alone': 1005428, 'let alone the': 486586, 'alone the inability': 46924, 'the inability to': 858028, 'inability to plan': 431177, 'to plan or': 911767, 'plan or envision': 658197, 'or envision the': 615172, 'envision the future': 279213, 'the future here': 856077, 'future here are': 342350, 'are five example': 86594, 'five example of': 309613, 'example of how': 288935, 'how the novel': 408857, 'the novel may': 861918, 'novel may shift': 573798, 'may shift our': 521495, 'shift our culture': 758380, 'fear to': 301397, 'call demanding': 155831, 'demanding payment': 236604, 'payment immediately': 645653, 'your energy': 1023676, 'energy bill': 276400, 'bill and': 130499, 'and threatening': 74073, 'threatening to': 893830, 'off service': 594141, 'is scam': 451663, 'covid scam': 214221, 'criminal are using': 216824, '19 fear to': 6959, 'fear to scam': 301399, 'to scam people': 913867, 'scam people if': 740297, 'people if you': 648322, 'if you get': 415443, 'you get call': 1018763, 'get call demanding': 346737, 'call demanding payment': 155833, 'demanding payment immediately': 236605, 'payment immediately for': 645654, 'immediately for your': 417097, 'for your energy': 328145, 'your energy bill': 1023677, 'energy bill and': 276401, 'bill and threatening': 130508, 'and threatening to': 74075, 'threatening to cut': 893831, 'cut off service': 223444, 'off service it': 594143, 'service it is': 752531, 'it is scam': 459069, 'is scam here': 451664, 'scam here is': 740190, 'here is another': 393214, 'is another covid': 445731, 'another covid scam': 77554, 'covid scam to': 214223, 'scam to watch': 740427, 'to watch out': 918388, '925': 23501, '957': 23647, '8608': 22980, 'reportfraud': 712649, 'alert update': 41532, 'update our': 947147, 'is updated': 453586, 'updated please': 947422, 'call 925': 155732, '925 957': 23502, '957 8608': 23650, '8608 or': 22981, 'email da': 272152, 'da reportfraud': 224235, 'reportfraud org': 712650, 'org for': 619183, 'any covid': 79080, 'issue from': 455760, 'from price': 336975, 'gouging to': 359476, 'to potential': 911930, 'potential violation': 667173, 'health officer': 386691, 'officer order': 595689, 'consumer alert update': 196161, 'alert update our': 41533, 'update our consumer': 947148, 'protection hotline is': 685480, 'hotline is updated': 405252, 'is updated please': 453587, 'updated please call': 947423, 'please call 925': 659749, 'call 925 957': 155733, '925 957 8608': 23503, '957 8608 or': 23651, '8608 or email': 22982, 'or email da': 615144, 'email da reportfraud': 272153, 'da reportfraud org': 224236, 'reportfraud org for': 712651, 'org for any': 619184, 'for any covid': 319399, 'any covid 19': 79081, 'related consumer issue': 708399, 'consumer issue from': 197949, 'issue from price': 455761, 'from price gouging': 336976, 'price gouging to': 674335, 'gouging to potential': 359481, 'to potential violation': 911933, 'potential violation of': 667174, 'of the health': 591097, 'the health officer': 857185, 'health officer order': 386695, 'permitted': 652166, 'police warning': 663259, 'warning the': 967209, 'uk police': 938632, 'have announced': 379279, 'will decide': 993107, 'decide which': 230856, 'which supermarket': 986352, 'are permitted': 89066, 'permitted to': 652183, 'purchase got': 689476, 'got that': 358891, 'police warning the': 663260, 'warning the uk': 967212, 'the uk police': 870267, 'uk police have': 938633, 'police have announced': 663039, 'have announced that': 379284, 'they will decide': 883837, 'will decide which': 993108, 'decide which supermarket': 230857, 'which supermarket grocery': 986354, 'supermarket grocery item': 820577, 'grocery item you': 364666, 'item you are': 463863, 'you are permitted': 1017196, 'are permitted to': 89067, 'permitted to purchase': 652186, 'to purchase got': 912533, 'purchase got that': 689477, 'venturing': 954697, 'socialquarantine': 781119, 'still venturing': 801370, 'venturing out': 954698, 'toiletry but': 923409, 'should you': 766669, 'do once': 249926, 'once you': 605817, 've brought': 952975, 'brought your': 141215, 'your haul': 1024257, 'haul home': 378994, 'home essential': 401160, 'essential stayhome': 281582, 'stayhome socialquarantine': 798122, 'socialquarantine food': 781120, 'of are still': 580355, 'are still venturing': 90498, 'still venturing out': 801371, 'venturing out to': 954702, 'out to stock': 627684, 'and toiletry but': 74250, 'toiletry but what': 923411, 'but what the': 147798, 'what the safest': 982362, 'pandemic and what': 634919, 'what should you': 982189, 'should you do': 766674, 'you do once': 1018264, 'do once you': 249929, 'once you ve': 605824, 'you ve brought': 1022030, 've brought your': 952977, 'brought your haul': 141216, 'your haul home': 1024258, 'haul home essential': 378995, 'home essential stayhome': 401163, 'essential stayhome socialquarantine': 281583, 'stayhome socialquarantine food': 798123, 'shaking': 754464, 'stretching': 813580, 'and russian': 70685, 'russian saudi': 728670, 'war have': 966453, 'triggered historic': 931916, 'historic drop': 397950, 'price shaking': 676354, 'shaking the': 754469, 'economic foundation': 267104, 'foundation of': 330496, 'oil dependent': 596748, 'dependent arab': 237358, 'arab gulf': 83830, 'gulf state': 368646, 'state and': 795353, 'and stretching': 72569, 'stretching their': 813589, 'their capacity': 872716, 'ongoing economic': 607629, 'economic and': 266975, 'the and russian': 848719, 'and russian saudi': 70689, 'russian saudi oil': 728672, 'saudi oil price': 737282, 'price war have': 677360, 'war have triggered': 966455, 'have triggered historic': 383407, 'triggered historic drop': 931917, 'historic drop in': 397951, 'oil price shaking': 597250, 'price shaking the': 676355, 'shaking the economic': 754470, 'the economic foundation': 853904, 'economic foundation of': 267105, 'foundation of the': 330498, 'of the oil': 591288, 'the oil dependent': 862107, 'oil dependent arab': 596749, 'dependent arab gulf': 237359, 'arab gulf state': 83831, 'gulf state and': 368647, 'state and stretching': 795372, 'and stretching their': 72570, 'stretching their capacity': 813590, 'their capacity to': 872717, 'capacity to respond': 162593, 'the ongoing economic': 862243, 'ongoing economic and': 607630, 'economic and public': 266986, 'chem': 175318, 'you confirm': 1018006, 'confirm whether': 194114, 'whether dis': 985503, 'dis chem': 243786, 'chem claim': 175319, 'claim based': 179702, 'the attached': 849019, 'attached image': 102039, 'image is': 416638, 'true or': 933147, 'not their': 572050, 'than doubled': 840520, 'this corona': 886862, 'virus period': 958627, 'period are': 651718, 'really trying': 702677, 'can you confirm': 160289, 'you confirm whether': 1018007, 'confirm whether dis': 194115, 'whether dis chem': 985504, 'dis chem claim': 243787, 'chem claim based': 175320, 'claim based on': 179703, 'based on the': 111697, 'on the attached': 603974, 'the attached image': 849020, 'attached image is': 102040, 'image is true': 416640, 'is true or': 453369, 'true or not': 933148, 'or not their': 616315, 'not their price': 572054, 'their price have': 874400, 'price have more': 674438, 'have more than': 381506, 'more than doubled': 540609, 'than doubled during': 840521, 'doubled during this': 256109, 'during this corona': 263269, 'this corona virus': 886870, 'corona virus period': 204341, 'virus period are': 958628, 'period are you': 651719, 'you really trying': 1020846, 'really trying to': 702678, 'profit from this': 682741, 'from this pandemic': 338003, 'fortunately able': 329909, 'home appreciation': 400721, 'staff government': 792496, 'government employee': 360056, 'employee supermarket': 274256, 'staff delivery': 792357, 'delivery personnel': 234336, 'who provide': 989465, 'provide essential': 686275, 'service staysafe': 752867, 'fortunately able to': 329910, 'from home appreciation': 335841, 'home appreciation to': 400722, 'appreciation to all': 82898, 'to all medical': 900262, 'all medical staff': 43494, 'medical staff government': 526395, 'staff government employee': 792497, 'government employee supermarket': 360060, 'employee supermarket staff': 274257, 'supermarket staff delivery': 822830, 'staff delivery personnel': 792359, 'delivery personnel and': 234337, 'personnel and anyone': 653077, 'anyone else who': 80301, 'else who can': 271982, 'who can and': 988371, 'can and who': 157500, 'and who provide': 75596, 'who provide essential': 989466, 'provide essential service': 686276, 'essential service staysafe': 281528, 'are hand': 86989, 'sanitizers so': 736399, 'important at': 418746, 'the quick': 865061, 'quick spread': 694384, 'skyrocketed the': 773384, 'sanitizers healthy': 736304, 'healthy read': 387743, 'why are hand': 990775, 'are hand sanitizers': 86990, 'hand sanitizers so': 375720, 'sanitizers so important': 736400, 'so important at': 777372, 'important at the': 418747, 'at the time': 101127, 'time of coronavirus': 897321, 'of coronavirus covid': 581928, '19 the quick': 11238, 'the quick spread': 865062, 'quick spread of': 694385, 'the coronavirus ha': 851862, 'coronavirus ha skyrocketed': 206036, 'ha skyrocketed the': 371962, 'skyrocketed the price': 773385, 'hand sanitizers healthy': 375699, 'sanitizers healthy read': 736305, 'healthy read more': 387744, 'happen time': 377174, 'time yesterday': 898394, 'yesterday by': 1015700, 'this dude': 887308, 'dude while': 261622, 'while getting': 986870, 'getting gas': 349002, 'gas damn': 343808, 'damn the': 225437, 'the struggle': 868302, 'struggle is': 814353, 'real but': 701053, 'dude 19': 261575, '19 toiletpaperpanic': 11500, 'toiletpaper toiletpaperemergency': 922675, 'toiletpaperemergency toiletpaperapocalypse': 923140, 'saw this happen': 738292, 'this happen time': 887839, 'happen time yesterday': 377175, 'time yesterday by': 898395, 'yesterday by this': 1015702, 'by this dude': 154526, 'this dude while': 887314, 'dude while getting': 261623, 'while getting gas': 986872, 'getting gas damn': 349003, 'gas damn the': 343809, 'damn the struggle': 225438, 'the struggle is': 868304, 'struggle is real': 814355, 'is real but': 451262, 'real but don': 701055, 'but don be': 145587, 'don be this': 253373, 'be this dude': 117702, 'this dude 19': 887309, 'dude 19 toiletpaperpanic': 261576, '19 toiletpaperpanic toiletpaper': 11501, 'toiletpaperpanic toiletpaper toiletpaperemergency': 923268, 'toiletpaper toiletpaperemergency toiletpaperapocalypse': 922676, 'affable': 33980, 'had supermarket': 373582, 'supermarket drop': 820032, 'off earlier': 593796, 'the affable': 848394, 'affable delivery': 33981, 'delivery guy': 234074, 'guy told': 369185, 'me many': 523138, 'his fellow': 397425, 'fellow driver': 303283, 'driver do': 259511, 'these strange': 880746, 'strange virus': 812437, 'virus filled': 958184, 'filled time': 305561, 'fulfill slot': 340419, 'slot he': 774205, 'on due': 600436, 'to faith': 905610, 'in god': 423352, 'had supermarket drop': 373583, 'supermarket drop off': 820033, 'drop off earlier': 260331, 'off earlier and': 593797, 'earlier and the': 264423, 'and the affable': 73237, 'the affable delivery': 848395, 'affable delivery guy': 33982, 'delivery guy told': 234078, 'guy told me': 369186, 'told me many': 923613, 'me many of': 523139, 'many of his': 514374, 'of his fellow': 584652, 'his fellow driver': 397426, 'fellow driver do': 303284, 'driver do not': 259512, 'want to work': 966155, 'to work in': 918738, 'work in these': 1005350, 'in these strange': 429859, 'these strange virus': 880749, 'strange virus filled': 812438, 'virus filled time': 958185, 'filled time so': 305562, 'time so it': 897693, 'so it hard': 777464, 'hard to fulfill': 378065, 'to fulfill slot': 906308, 'fulfill slot he': 340420, 'slot he carry': 774206, 'he carry on': 384827, 'carry on due': 165119, 'on due to': 600437, 'due to faith': 261782, 'to faith in': 905611, 'faith in god': 296515, 'on break': 599692, 'break because': 138681, 'of panicshopping': 587750, 'store worker on': 811550, 'worker on break': 1007486, 'on break because': 599696, 'break because of': 138683, 'because of panicshopping': 119389, '96': 23655, 'predisposed': 669699, '96 the': 23665, 'the may': 860311, 'more challenging': 538790, 'challenging when': 171656, 'when child': 983247, 'child teen': 176216, 'teen is': 836500, 'already suffering': 47700, 'an anxiety': 55340, 'anxiety disorder': 78684, 'disorder or': 246082, 'or predisposed': 616671, 'predisposed to': 669700, 'to feeling': 905759, 'feeling more': 303027, 'anxious awesome': 78842, 'awesome advice': 106149, '96 the may': 23666, 'the may be': 860313, 'may be more': 521009, 'be more challenging': 115967, 'more challenging when': 538792, 'challenging when child': 171657, 'when child teen': 983248, 'child teen is': 176217, 'teen is already': 836501, 'is already suffering': 445540, 'already suffering from': 47702, 'suffering from an': 817306, 'from an anxiety': 334479, 'an anxiety disorder': 55341, 'anxiety disorder or': 78685, 'disorder or predisposed': 246083, 'or predisposed to': 616672, 'predisposed to feeling': 669701, 'to feeling more': 905760, 'feeling more anxious': 303028, 'more anxious awesome': 538630, 'anxious awesome advice': 78843, 'gradschool': 361679, 'graduation': 361729, 'me stress': 523559, 'stress shopping': 813392, 'quarantine school': 692507, 'school gradschool': 741808, 'gradschool graduation': 361680, 'graduation being': 361730, 'footage of me': 318472, 'of me stress': 586344, 'me stress shopping': 523561, 'stress shopping online': 813394, 'online because of': 607919, 'because of quarantine': 119395, 'of quarantine school': 588665, 'quarantine school gradschool': 692508, 'school gradschool graduation': 741809, 'gradschool graduation being': 361681, 'graduation being cancelled': 361731, 'ravaged': 697915, 'news bad': 560261, 'bad news': 107948, 'consumer time': 199291, 'platform is': 658988, 'but ad': 145056, 'ad in': 31118, 'in ravaged': 427267, 'ravaged country': 697918, 'good news bad': 357440, 'news bad news': 560262, 'bad news for': 107953, 'news for consumer': 560429, 'for consumer time': 320296, 'consumer time on': 199292, 'on the platform': 604287, 'the platform is': 863823, 'platform is way': 658993, 'is way up': 453797, 'way up during': 970144, 'up during but': 944750, 'during but ad': 262481, 'but ad in': 145057, 'ad in ravaged': 31121, 'in ravaged country': 427268, 'ravaged country are': 697919, 'country are off': 210474, 'prospected': 684700, 'new time': 559756, 'time rwanda': 897599, 'rwanda more': 728743, 'rwandan opt': 728763, 'shopping amidst': 761945, 'pandemic rwandan': 636377, 'increasingly opting': 433793, 'shop owner': 760638, 'owner commit': 632428, 'to supplying': 915895, 'supplying for': 826289, 'the prospected': 864700, 'prospected high': 684701, 'new time rwanda': 559757, 'time rwanda more': 897600, 'rwanda more rwandan': 728744, 'more rwandan opt': 540290, 'rwandan opt for': 728764, 'opt for online': 613860, 'online shopping amidst': 609026, 'shopping amidst covid': 761947, '19 pandemic rwandan': 9452, 'pandemic rwandan are': 636378, 'rwandan are increasingly': 728759, 'are increasingly opting': 87504, 'increasingly opting for': 433794, '19 online shop': 8993, 'online shop owner': 608983, 'shop owner commit': 760644, 'owner commit to': 632429, 'commit to supplying': 188984, 'to supplying for': 915896, 'supplying for the': 826290, 'for the prospected': 326639, 'the prospected high': 864701, 'prospected high demand': 684702, 'high demand via': 395032, 'strictly': 813682, 'new supermarket': 559691, 'in rich': 427496, 'rich keep': 721231, 'distance you': 246904, 'you queue': 1020526, 'for entry': 321071, 'entry wait': 279038, 'disinfectant strictly': 245764, 'strictly behind': 813685, 'orange line': 617928, 'line take': 493439, 'take glove': 832149, 'two number': 937078, 'number and': 576816, 'go go': 353618, 'go flattenthecurve': 353543, 'the new supermarket': 861565, 'new supermarket experience': 559693, 'supermarket experience in': 820248, 'experience in rich': 291394, 'in rich keep': 427497, 'rich keep your': 721232, 'your distance you': 1023541, 'distance you queue': 246906, 'you queue for': 1020527, 'queue for entry': 693928, 'for entry wait': 321074, 'entry wait for': 279039, 'wait for disinfectant': 964113, 'for disinfectant strictly': 320754, 'disinfectant strictly behind': 245765, 'strictly behind the': 813686, 'behind the orange': 124722, 'the orange line': 862443, 'orange line take': 617929, 'line take glove': 493441, 'take glove or': 832150, 'glove or two': 352848, 'or two number': 617566, 'two number and': 937079, 'number and then': 576822, 'and then go': 73764, 'then go go': 877206, 'go go go': 353620, 'go go flattenthecurve': 353619, 'revolve': 720762, 'reason gas': 702915, 'dropped is': 260583, 'quarantine then': 692618, 'need rude': 555529, 'rude awakening': 727031, 'awakening because': 105567, 'not revolve': 571373, 'revolve around': 720763, 'more going': 539351, 'world than': 1010034, 'think the reason': 885650, 'the reason gas': 865271, 'reason gas price': 702916, 'gas price ha': 343975, 'price ha dropped': 674381, 'ha dropped is': 370462, 'dropped is because': 260584, 'of the quarantine': 591382, 'the quarantine then': 864979, 'quarantine then you': 692619, 'then you need': 877790, 'you need rude': 1020035, 'need rude awakening': 555530, 'rude awakening because': 727032, 'awakening because the': 105568, 'because the world': 119658, 'the world doe': 871858, 'world doe not': 1009494, 'doe not revolve': 251525, 'not revolve around': 571374, 'revolve around you': 720764, 'around you there': 93667, 'you there is': 1021631, 'is more going': 449709, 'more going on': 539352, 'the world than': 871981, 'world than covid': 1010035, 'oneocean': 607556, 'rts': 726868, 'of power': 588300, 'power cut': 667589, 'cut price': 223488, 'while donating': 986770, 'donating 10': 254410, '19 charity': 5777, 'charity relief': 173670, 'fund oneocean': 341472, 'oneocean ha': 607557, 'are cutting': 85690, 'cutting the': 223776, '50 for': 19688, 'their rts': 874604, 'rts game': 726871, 'game taste': 343259, 'power while': 667736, 'taste of power': 834789, 'of power cut': 588303, 'power cut price': 667590, 'cut price with': 223497, 'price with 50': 677604, 'with 50 while': 997036, '50 while donating': 19908, 'while donating 10': 986771, 'donating 10 to': 254412, '10 to covid': 1731, 'covid 19 charity': 212789, '19 charity relief': 5778, 'charity relief fund': 173671, 'relief fund oneocean': 709356, 'fund oneocean ha': 341473, 'oneocean ha just': 607558, 'just announced that': 468196, 'they are cutting': 881243, 'are cutting the': 85694, 'cutting the price': 223777, 'the price with': 864440, 'with 50 for': 997030, '50 for their': 19694, 'for their rts': 326866, 'their rts game': 874605, 'rts game taste': 726872, 'game taste of': 343260, 'of power while': 588306, 'power while donating': 667737, 'mickey': 530410, 'mouse': 543469, 'outta': 629706, 'dude at': 261577, 'store said': 809958, 'said looked': 731203, 'like clown': 490023, 'clown for': 184364, 'glove said': 352895, 'he looked': 385203, 'being grown': 125207, 'grown man': 367285, 'man with': 512353, 'with mickey': 999492, 'mickey mouse': 530411, 'mouse shirt': 543472, 'shirt on': 758999, 'on fuck': 601041, 'fuck outta': 339624, 'outta here': 629709, 'dude at the': 261578, 'grocery store said': 365740, 'store said looked': 809959, 'said looked like': 731204, 'looked like clown': 502731, 'like clown for': 490024, 'clown for wearing': 184366, 'for wearing mask': 327670, 'and glove said': 63735, 'glove said he': 352896, 'said he looked': 731111, 'he looked like': 385205, 'clown for being': 184365, 'for being grown': 319628, 'being grown man': 125208, 'grown man with': 367287, 'man with mickey': 512354, 'with mickey mouse': 999493, 'mickey mouse shirt': 530412, 'mouse shirt on': 543473, 'shirt on fuck': 759000, 'on fuck outta': 601042, 'fuck outta here': 339625, 'titled': 899302, 'today artwork': 919256, 'artwork is': 94665, 'is titled': 453172, 'titled consider': 899303, 'consider others': 195059, 'won hope': 1003843, 'rt 19': 726731, 'today artwork is': 919257, 'artwork is titled': 94666, 'is titled consider': 453173, 'titled consider others': 899304, 'consider others covid': 195060, '19 won hope': 12163, 'won hope you': 1003844, 'hope you like': 403800, 'you like it': 1019609, 'like it please': 490549, 'it please rt': 460362, 'please rt 19': 660426, 'workfromhomelife': 1008447, 'sanity': 736539, 'to youtube': 919046, 'youtube to': 1026919, 'cope while': 203337, 'distancing people': 247394, 'online video': 609677, 'video to': 956930, 'to adapt': 900037, 'adapt cope': 31253, 'cope and': 203303, 'and find': 62883, 'find community': 306851, 'community work': 190240, 'work workfromhomelife': 1006060, 'workfromhomelife sanity': 1008450, 'turning to youtube': 935982, 'to youtube to': 919048, 'youtube to cope': 1026920, 'to cope while': 903513, 'cope while social': 203338, 'social distancing people': 779685, 'distancing people are': 247395, 'turning to online': 935968, 'to online video': 910956, 'online video to': 609678, 'video to adapt': 956932, 'to adapt cope': 900039, 'adapt cope and': 31254, 'cope and find': 203304, 'and find community': 62885, 'find community work': 306852, 'community work workfromhomelife': 190243, 'work workfromhomelife sanity': 1006061, 'pemex': 646396, 'highway': 396142, 'bissonet': 131521, 'unleaded': 942567, 'remain in': 709765, 'the pemex': 863435, 'pemex gas': 646401, 'station off': 796470, 'off state': 594186, 'state highway': 795669, 'highway and': 396145, 'and bissonet': 58983, 'bissonet street': 131522, 'houston is': 407205, 'selling regular': 749423, 'regular unleaded': 707888, 'unleaded for': 942571, 'for 18': 318689, '18 per': 4574, 'gallon via': 343069, 'gasoline price remain': 344268, 'price remain in': 676165, 'remain in free': 709768, 'free fall the': 331812, 'fall the pemex': 297074, 'the pemex gas': 863436, 'pemex gas station': 646402, 'gas station off': 344122, 'station off state': 796471, 'off state highway': 594187, 'state highway and': 795670, 'highway and bissonet': 396147, 'and bissonet street': 58984, 'bissonet street in': 131523, 'street in houston': 812996, 'in houston is': 423870, 'houston is selling': 407206, 'is selling regular': 451763, 'selling regular unleaded': 749424, 'regular unleaded for': 707889, 'unleaded for 18': 942572, 'for 18 per': 318691, '18 per gallon': 4575, 'per gallon via': 650860, 'apologise': 81621, 'relieving': 709551, 'pda': 645935, 'to apologise': 900638, 'apologise after': 81622, 'after significantly': 36212, 'significantly increasing': 769589, 'such paracetamol': 816668, 'paracetamol and': 641218, 'and pain': 68632, 'pain relieving': 634249, 'relieving medication': 709552, 'medication for': 526647, 'child pda': 176173, 'forced to apologise': 328617, 'to apologise after': 900639, 'apologise after significantly': 81624, 'after significantly increasing': 36213, 'significantly increasing the': 769590, 'price of product': 675545, 'of product such': 588495, 'product such paracetamol': 681659, 'such paracetamol and': 816669, 'paracetamol and pain': 641219, 'and pain relieving': 68633, 'pain relieving medication': 634250, 'relieving medication for': 709553, 'medication for child': 526648, 'for child pda': 320057, 'washington post': 967786, 'post owned': 666272, 'owned by': 632329, 'by bezos': 151953, 'bezos amazon': 129271, 'amazon say': 51104, 'safe buying': 729531, '19 alert': 4886, 'alert no': 41469, 'surprise here': 828527, 'totally true': 926398, 'true what': 933220, 'do think': 250333, 'washington post owned': 967791, 'post owned by': 666273, 'owned by bezos': 632331, 'by bezos amazon': 151954, 'bezos amazon say': 129272, 'amazon say that': 51105, 'say that is': 739240, 'that is safe': 844648, 'is safe buying': 451616, 'safe buying online': 729532, 'covid 19 alert': 212607, '19 alert no': 4889, 'alert no surprise': 41470, 'no surprise here': 565643, 'surprise here is': 828528, 'here is it': 393232, 'is it totally': 449070, 'it totally true': 461820, 'totally true what': 926399, 'true what do': 933221, 'what do think': 981353, 'are locally': 87860, 'locally owned': 498771, 'owned and': 632323, 'and operated': 68177, 'public is': 688119, 'priority such': 678662, 'such we': 816865, 'closed our': 183274, 'being our': 125507, 'open click': 612149, 'click for': 181906, 'more vancouver': 540890, 'vancouver yvr': 952358, 'we are locally': 970615, 'are locally owned': 87861, 'locally owned and': 498772, 'owned and operated': 632324, 'and operated and': 68178, 'operated and the': 613039, 'and the health': 73407, 'customer and the': 222102, 'and the public': 73534, 'the public is': 864823, 'public is our': 688124, 'is our priority': 450636, 'our priority such': 624467, 'priority such we': 678663, 'such we have': 816866, 'we have closed': 971773, 'have closed our': 380000, 'closed our retail': 183276, 'retail store for': 718638, 'time being our': 896391, 'being our online': 125508, 'our online store': 624155, 'online store will': 609483, 'store will remain': 811341, 'remain open click': 709803, 'open click for': 612150, 'click for more': 181908, 'for more vancouver': 323606, 'more vancouver yvr': 540891, 'enters': 278476, 'here my': 393359, 'recent for': 703902, 'for britain': 319799, 'britain enters': 140396, 'enters the': 278495, 'most serious': 542732, 'serious phase': 751444, 'phase yet': 654648, 'fight to': 304923, 'the traditional': 869874, 'traditional selling': 929018, 'selling season': 749435, 'season in': 743402, 'but forgotten': 145763, 'forgotten what': 329466, 'will market': 994102, 'freeze mean': 332535, 'here my recent': 393368, 'my recent for': 549896, 'recent for britain': 703903, 'for britain enters': 319800, 'britain enters the': 140397, 'enters the most': 278496, 'the most serious': 861033, 'most serious phase': 542733, 'serious phase yet': 751445, 'phase yet in': 654649, 'yet in it': 1016104, 'in it fight': 424244, 'it fight to': 457994, 'fight to tackle': 304928, 'tackle the the': 831613, 'the the traditional': 869406, 'the traditional selling': 869877, 'traditional selling season': 929019, 'selling season in': 749436, 'season in the': 743405, 'in the housing': 429276, 'housing market ha': 407104, 'market ha been': 516481, 'ha been all': 369714, 'been all but': 120639, 'all but forgotten': 42248, 'but forgotten what': 145764, 'forgotten what will': 329467, 'what will market': 982604, 'will market freeze': 994103, 'market freeze mean': 516429, 'freeze mean for': 332536, 'mean for house': 524441, 'cashing': 166674, 'know to': 476902, 'to whom': 918582, 'whom can': 990544, 'can address': 157374, 'of registered': 588886, 'registered multi': 707649, 'multi specialty': 545670, 'specialty clinic': 788164, 'clinic mi': 182307, 'mi selling': 530137, 'mask with': 519576, 'with inflated': 998998, 'is cashing': 446404, 'cashing on': 166678, 'crisis bengaluru': 217128, 'could you let': 209849, 'you let me': 1019593, 'me know to': 523046, 'know to whom': 476908, 'to whom can': 918583, 'whom can address': 990545, 'can address the': 157378, 'address the issue': 32039, 'issue of registered': 455867, 'of registered multi': 588887, 'registered multi specialty': 707650, 'multi specialty clinic': 545671, 'specialty clinic mi': 788165, 'clinic mi selling': 182308, 'mi selling mask': 530138, 'selling mask with': 749343, 'mask with inflated': 519584, 'with inflated price': 998999, 'inflated price which': 437083, 'which is cashing': 985993, 'is cashing on': 446405, 'cashing on the': 166679, 'on the current': 604051, 'current crisis bengaluru': 221153, 'so some': 778242, 'some american': 782285, 'gun in': 368698, 'case there': 166062, 'family meanwhile': 298013, 'just throw': 470074, 'throw bog': 895018, 'at em': 98532, 'so some american': 778243, 'some american are': 782286, 'buying gun in': 150426, 'gun in case': 368699, 'in case there': 421279, 'case there is': 166063, 'food to protect': 317284, 'protect their family': 684994, 'their family meanwhile': 873260, 'family meanwhile in': 298014, 'meanwhile in the': 524993, 'the uk we': 870298, 'uk we just': 938870, 'we just throw': 972124, 'just throw bog': 470075, 'throw bog roll': 895019, 'bog roll at': 133947, 'roll at em': 725196, 'missile': 534270, 'waning': 965587, 'saavy': 728987, 'foreignpolicy': 329034, 'fpyc': 330834, 'only ongoing': 610894, 'ongoing global': 607635, 'with north': 999812, 'north korean': 567661, 'korean missile': 477526, 'missile flying': 534273, 'flying oil': 311682, 'dropping and': 260667, 'american leadership': 52069, 'leadership waning': 483668, 'waning how': 965588, 'we tackle': 973473, 'tackle foreign': 831573, 'foreign policy': 329000, 'policy with': 663544, 'every ounce': 286076, 'american saavy': 52171, 'saavy foreignpolicy': 728988, 'foreignpolicy fpyc': 329035, 'remember that covid': 710276, '19 isn the': 8096, 'the only ongoing': 862324, 'only ongoing global': 610895, 'ongoing global situation': 607637, 'situation with north': 772600, 'with north korean': 999813, 'north korean missile': 567662, 'korean missile flying': 477527, 'missile flying oil': 534274, 'flying oil price': 311683, 'oil price dropping': 597112, 'price dropping and': 673601, 'dropping and american': 260668, 'and american leadership': 58066, 'american leadership waning': 52070, 'leadership waning how': 483669, 'waning how can': 965589, 'can we tackle': 160205, 'we tackle foreign': 973474, 'tackle foreign policy': 831574, 'foreign policy with': 329002, 'policy with every': 663545, 'with every ounce': 998276, 'every ounce of': 286077, 'ounce of american': 621965, 'of american saavy': 580073, 'american saavy foreignpolicy': 52172, 'saavy foreignpolicy fpyc': 728989, 'decimate': 230970, 'caramilk': 163371, 'seen hysterical': 747061, 'hysterical people': 412503, 'people decimate': 647613, 'decimate supermarket': 230973, 'supermarket stock': 822963, 'stock like': 802354, 'this since': 890157, 'the caramilk': 850395, 'caramilk epidemic': 163372, 'epidemic of': 279420, 'of 2019': 579477, 'haven seen hysterical': 383884, 'seen hysterical people': 747062, 'hysterical people decimate': 412504, 'people decimate supermarket': 647614, 'decimate supermarket stock': 230974, 'supermarket stock like': 822966, 'stock like this': 802357, 'like this since': 491527, 'this since the': 890160, 'since the caramilk': 770868, 'the caramilk epidemic': 850396, 'caramilk epidemic of': 163373, 'epidemic of 2019': 279421, 'separating': 751106, '4am': 19430, 'good on': 357496, 'friday the': 333292, 'guard is': 367810, 'here separating': 393546, 'separating and': 751107, 'and weighing': 75384, 'weighing food': 977675, 'for hoosier': 322358, 'hoosier in': 403376, 'need thousand': 555836, 'thousand are': 893378, 'put food': 690579, 'table you': 831511, 'all donated': 42619, 'donated over': 254351, '00 since': 489, 'since 4am': 770486, '4am let': 19431, 'let continue': 486655, 'continue donate': 201024, 'doing good on': 252426, 'good on good': 357499, 'on good friday': 601145, 'good friday the': 357105, 'friday the national': 333294, 'the national guard': 861295, 'national guard is': 552526, 'guard is here': 367812, 'is here separating': 448429, 'here separating and': 393547, 'separating and weighing': 751108, 'and weighing food': 75385, 'weighing food for': 977676, 'food for hoosier': 314541, 'for hoosier in': 322359, 'hoosier in need': 403377, 'in need thousand': 425774, 'need thousand are': 555837, 'thousand are struggling': 893381, 'struggling to put': 814514, 'to put food': 912588, 'put food on': 690580, 'the table you': 869114, 'table you have': 831512, 'you have all': 1019011, 'have all donated': 379154, 'all donated over': 42620, 'donated over 100': 254352, '100 00 since': 1796, '00 since 4am': 490, 'since 4am let': 770487, '4am let continue': 19432, 'let continue donate': 486656, 'parson signed': 642218, 'signed an': 769353, 'an executive': 55938, 'executive order': 289919, 'order that': 618620, 'allows restaurant': 46391, 'sell unprepared': 748929, 'unprepared food': 943234, 'public parson': 688217, 'parson hope': 642216, 'help restaurant': 390446, 'restaurant financially': 716466, 'financially avoid': 306661, 'avoid waste': 105385, 'and meet': 66928, 'governor parson signed': 360964, 'parson signed an': 642219, 'signed an executive': 769354, 'an executive order': 55940, 'executive order that': 289926, 'order that allows': 618621, 'that allows restaurant': 842593, 'allows restaurant to': 46392, 'restaurant to sell': 716764, 'to sell unprepared': 914186, 'sell unprepared food': 748930, 'unprepared food to': 943235, 'food to the': 317298, 'the public parson': 864844, 'public parson hope': 688218, 'parson hope this': 642217, 'hope this will': 403731, 'this will help': 891418, 'will help restaurant': 993726, 'help restaurant financially': 390447, 'restaurant financially avoid': 716467, 'financially avoid waste': 306662, 'avoid waste and': 105386, 'waste and meet': 968076, 'and meet the': 66932, 'meet the increased': 527603, 'the negativity': 861422, 'negativity out': 556871, 'there the': 879144, 'job being': 465695, 'this people': 889501, 'people say': 649350, 'in feb': 422821, 'feb we': 301662, 'seen anything': 746949, 'seen what': 747352, 'panic just': 638244, 'store unitedstates': 811000, 'through all the': 894308, 'all the negativity': 44839, 'the negativity out': 861424, 'negativity out there': 556872, 'out there the': 627516, 'there the government': 879147, 'is doing great': 447276, 'great job being': 362782, 'job being on': 465696, 'on this people': 604627, 'this people say': 889506, 'people say we': 649354, 'say we should': 739458, 'we should have': 973275, 'should have done': 766073, 'done this in': 255055, 'this in feb': 888044, 'in feb we': 422832, 'feb we ve': 301663, 'we ve never': 973688, 'never seen anything': 558172, 'seen anything like': 746950, 'anything like this': 80823, 'like this we': 491546, 'this we ve': 891156, 've seen what': 953554, 'seen what happens': 747353, 'happens when people': 377523, 'when people panic': 983865, 'people panic just': 649059, 'panic just go': 638249, 'grocery store unitedstates': 365899, 'local friendly': 498000, 'friendly corner': 333951, 'bleach etc': 132496, 'for ridiculous': 325235, 'go take': 354189, 'take picture': 832494, 'picture post': 656187, 'tag your': 831776, 'local police': 498282, 'police department': 662967, 'department it': 237219, 'it completely': 457245, 'completely illegal': 192304, 'profit like': 682797, 'that in': 844444, 'your local friendly': 1024697, 'local friendly corner': 498001, 'friendly corner shop': 333952, 'corner shop is': 203670, 'shop is selling': 760366, 'is selling toilet': 451767, 'selling toilet roll': 749510, 'toilet roll or': 921592, 'roll or bleach': 725439, 'or bleach etc': 614562, 'bleach etc for': 132497, 'etc for ridiculous': 282548, 'for ridiculous price': 325236, 'ridiculous price please': 721596, 'price please go': 675884, 'please go take': 660039, 'go take picture': 354191, 'take picture post': 832496, 'picture post on': 656188, 'post on here': 666253, 'on here and': 601286, 'here and tag': 392709, 'and tag your': 72954, 'tag your local': 831778, 'your local police': 1024712, 'local police department': 498284, 'police department it': 662971, 'department it completely': 237220, 'it completely illegal': 457247, 'completely illegal to': 192305, 'illegal to make': 416253, 'to make profit': 909723, 'make profit like': 510364, 'profit like that': 682798, 'like that in': 491324, 'that in that': 844460, 'in that uk': 428936, 'freek': 332426, 'thezi': 883974, 'mabuza': 507306, 'halo': 374413, 'aviation': 104950, '19 chronicle': 5813, 'chronicle freek': 178257, 'freek robinson': 332427, 'robinson discus': 724742, 'discus panic': 244888, 'the acting': 848302, 'acting commissioner': 29863, 'commissioner of': 188955, 'national consumer': 552453, 'consumer commission': 196816, 'commission thezi': 188903, 'thezi mabuza': 883975, 'mabuza we': 507307, 'also take': 48944, 'at halo': 98839, 'halo aviation': 374414, 'aviation air': 104951, 'air ambulance': 39680, 'covid 19 chronicle': 212800, '19 chronicle freek': 5814, 'chronicle freek robinson': 178258, 'freek robinson discus': 332428, 'robinson discus panic': 724743, 'discus panic buying': 244889, 'panic buying with': 637968, 'buying with the': 151379, 'with the acting': 1001194, 'the acting commissioner': 848303, 'acting commissioner of': 29864, 'commissioner of the': 188956, 'of the national': 591263, 'the national consumer': 861287, 'national consumer commission': 552454, 'consumer commission thezi': 196822, 'commission thezi mabuza': 188904, 'thezi mabuza we': 883976, 'mabuza we also': 507308, 'we also take': 970412, 'also take look': 48946, 'look at halo': 502266, 'at halo aviation': 98840, 'halo aviation air': 374415, 'aviation air ambulance': 104952, '4x': 19558, 'medicalcannabis': 526517, 'survey give': 828873, 'give insight': 350538, 'into how': 442649, 'impacting cannabis': 418183, 'behaviour suggesting': 124526, 'suggesting medical': 817606, 'medical cannabis': 526072, 'cannabis patient': 161429, 'patient 4x': 644119, '4x more': 19561, 'increase their': 433118, 'their usage': 875090, 'usage in': 948831, 'month medicalcannabis': 537855, 'medicalcannabis coronacrisis': 526518, 'survey give insight': 828874, 'give insight into': 350539, 'insight into how': 439582, 'into how is': 442654, 'how is impacting': 408099, 'is impacting cannabis': 448694, 'impacting cannabis consumer': 418184, 'cannabis consumer behaviour': 161397, 'consumer behaviour suggesting': 196600, 'behaviour suggesting medical': 124527, 'suggesting medical cannabis': 817607, 'medical cannabis patient': 526074, 'cannabis patient 4x': 161430, 'patient 4x more': 644120, '4x more likely': 19562, 'likely to increase': 492161, 'to increase their': 908306, 'increase their usage': 433124, 'their usage in': 875092, 'usage in the': 948833, 'coming month medicalcannabis': 188139, 'month medicalcannabis coronacrisis': 537856, 'feast': 301520, 'make big': 509734, 'big feast': 129780, 'feast for': 301521, 'you after': 1016841, 'the zombie': 872226, 'zombie virus': 1027733, 'virus but': 958012, 'but please': 146790, 'that suppress': 846593, 'suppress your': 827402, 'system know': 831237, 'that love': 844957, 'will make big': 994074, 'make big feast': 509736, 'big feast for': 129781, 'feast for you': 301522, 'for you after': 328032, 'you after we': 1016844, 'after we get': 36516, 'we get rid': 971624, 'rid of the': 721396, 'of the zombie': 591634, 'the zombie virus': 872229, 'zombie virus but': 1027734, 'virus but please': 958016, 'but please do': 146796, 'not panic and': 570893, 'panic and stay': 637338, 'and stay away': 72288, 'drink that suppress': 258884, 'that suppress your': 846594, 'suppress your immune': 827403, 'immune system know': 417344, 'system know that': 831238, 'know that love': 476772, 'that love you': 844958, 'restore': 717047, 'trump administration': 933376, 'administration doing': 32459, 'help restore': 390451, 'restore the': 717056, 'shelf restaurant': 757464, 'restaurant food': 716474, 'food isn': 315165, 'isn healthy': 454541, 'healthy for': 387638, 'is the trump': 452965, 'the trump administration': 870062, 'trump administration doing': 933378, 'administration doing to': 32460, 'to help restore': 907612, 'help restore the': 390452, 'restore the empty': 717057, 'the empty grocery': 854285, 'store shelf restaurant': 810094, 'shelf restaurant food': 757465, 'restaurant food isn': 716477, 'food isn healthy': 315167, 'isn healthy for': 454543, 'healthy for anyone': 387639, 'hydropower': 411979, 'help ontario': 390191, 'ontario family': 611591, 'family by': 297677, 'my petition': 549745, 'petition on': 653619, 'on hydropower': 601454, 'hydropower time': 411982, 'of use': 592699, 'use rate': 949510, 'rate we': 697404, 'need hydropower': 555030, 'hydropower price': 411980, 'price capped': 673074, 'capped at': 162867, 'peak rate': 646096, 'rate while': 697413, 'help ontario family': 390192, 'ontario family by': 611592, 'family by sharing': 297679, 'by sharing my': 153968, 'sharing my petition': 755556, 'my petition on': 549746, 'petition on hydropower': 653620, 'on hydropower time': 601455, 'hydropower time of': 411983, 'time of use': 897372, 'of use rate': 592702, 'use rate we': 949511, 'rate we need': 697407, 'we need hydropower': 972497, 'need hydropower price': 555031, 'hydropower price capped': 411981, 'price capped at': 673075, 'capped at off': 162869, 'off peak rate': 594058, 'peak rate while': 646099, 'rate while we': 697414, 'while we do': 987547, 'we do our': 971345, 'part to stop': 642472, 'select': 747456, 'unlock': 942815, 'from other': 336724, 'customer select': 222804, 'select item': 747471, 'item behind': 463154, 'behind others': 124678, 'keep distance': 471448, 'from checkout': 334833, 'checkout person': 174979, 'person pay': 652573, 'with card': 997542, 'card walk': 163694, 'walk trolley': 964907, 'to car': 902451, 'car hand': 163116, 'sanitizer car': 734638, 'car remote': 163263, 'remote unlock': 710732, 'unlock car': 942816, 'load good': 497251, 'good return': 357665, 'return trolley': 719938, 'trolley hand': 932421, 'sanitizer get': 734973, 'into car': 442447, 'start engine': 794289, 'engine hand': 276936, 'away from other': 105899, 'from other customer': 336726, 'other customer select': 620063, 'customer select item': 222805, 'select item behind': 747472, 'item behind others': 463155, 'behind others keep': 124679, 'others keep distance': 621505, 'keep distance from': 471451, 'distance from checkout': 246712, 'from checkout person': 334834, 'checkout person pay': 174981, 'person pay with': 652574, 'pay with card': 645230, 'with card walk': 997543, 'card walk trolley': 163695, 'walk trolley to': 964908, 'trolley to car': 932487, 'to car hand': 902453, 'car hand sanitizer': 163117, 'hand sanitizer car': 375336, 'sanitizer car remote': 734639, 'car remote unlock': 163264, 'remote unlock car': 710733, 'unlock car and': 942817, 'car and load': 162997, 'and load good': 66275, 'load good return': 497252, 'good return trolley': 357666, 'return trolley hand': 719939, 'trolley hand sanitizer': 932422, 'hand sanitizer get': 375417, 'sanitizer get into': 734974, 'get into car': 347362, 'into car and': 442448, 'car and start': 163003, 'and start engine': 72239, 'start engine hand': 794290, 'engine hand sanitizer': 276937, 'cooped': 203112, 'the deeper': 853020, 'deeper the': 231974, 'impact is': 417714, 'is and': 445699, 'longer everybody': 501971, 'is cooped': 446834, 'cooped up': 203113, 'of shock': 589611, 'shock there': 759524, 'longer for': 501975, 'back an': 106845, 'the deeper the': 853021, 'deeper the economic': 231975, 'economic impact is': 267136, 'impact is and': 417715, 'is and the': 445711, 'and the longer': 73460, 'the longer everybody': 859691, 'longer everybody is': 501972, 'everybody is cooped': 286447, 'is cooped up': 446835, 'cooped up the': 203116, 'up the more': 946195, 'the more of': 860889, 'more of shock': 539880, 'of shock there': 589613, 'shock there will': 759525, 'will be to': 992730, 'be to the': 117735, 'to the system': 917114, 'the system and': 869088, 'system and it': 831098, 'and it may': 65552, 'take longer for': 832287, 'longer for the': 501977, 'the consumer to': 851612, 'consumer to come': 199313, 'to come back': 903020, 'come back an': 187231, 'back an interesting': 106846, 'interesting read on': 441603, 'read on the': 700484, 'on the post': 604295, 'the post pandemic': 864095, 'post pandemic consumer': 666275, 'unbelievable': 939497, 'dismayed': 245996, 'unbelievable two': 939515, 'two vancouver': 937296, 'vancouver dentist': 952335, 'dentist say': 237104, 'were dismayed': 979525, 'dismayed to': 245999, 'see box': 744974, 'glove for': 352687, 'sale at': 732084, 'at canadian': 98189, 'canadian tire': 160759, 'tire store': 899021, 'in short': 427913, 'short supply': 764700, 'hospital because': 404320, 'unbelievable two vancouver': 939516, 'two vancouver dentist': 937297, 'vancouver dentist say': 952336, 'dentist say they': 237105, 'say they were': 739355, 'they were dismayed': 883764, 'were dismayed to': 979526, 'dismayed to see': 246000, 'to see box': 913990, 'see box of': 744975, 'box of mask': 137124, 'and glove for': 63719, 'glove for sale': 352691, 'for sale at': 325312, 'sale at high': 732088, 'high price at': 395234, 'price at canadian': 672795, 'at canadian tire': 98190, 'canadian tire store': 160762, 'tire store at': 899022, 'time when they': 898306, 'they re in': 883059, 're in short': 698885, 'in short supply': 427914, 'short supply at': 764702, 'supply at hospital': 824813, 'at hospital because': 99190, 'hospital because of': 404322, 'glance': 351565, 'fca reveals': 300736, 'reveals priority': 720339, 'priority in': 678585, 'it annual': 456530, 'annual business': 77390, 'business plan': 144224, 'plan with': 658353, 'strong focus': 814033, 'protection in': 685485, 'plan mean': 658169, 'for firm': 321498, 'firm in': 308372, 'uk latest': 938504, 'latest at': 481223, 'at glance': 98764, 'fca reveals priority': 300737, 'reveals priority in': 720340, 'priority in it': 678587, 'in it annual': 424227, 'it annual business': 456531, 'annual business plan': 77391, 'business plan with': 144228, 'plan with strong': 658356, 'with strong focus': 1001023, 'strong focus on': 814034, 'focus on consumer': 311868, 'consumer protection in': 198537, 'protection in light': 685486, '19 find out': 7012, 'out what the': 627813, 'what the business': 982298, 'the business plan': 850178, 'business plan mean': 144226, 'plan mean for': 658170, 'mean for firm': 524438, 'for firm in': 321499, 'firm in uk': 308374, 'in uk latest': 430391, 'uk latest at': 938505, 'latest at glance': 481224, 'lowrate': 506254, 'buyersmarket': 149820, 'intrestrate': 443369, 'realatate': 701469, 'cronavirous': 218855, 'firsttimehomebuyer': 309227, 'buying house': 150501, 'pandemic low': 635915, 'low interest': 505361, 'rate le': 697290, 'le competition': 482879, 'competition between': 191674, 'between buyer': 128743, 'buyer negotiable': 149689, 'negotiable price': 556905, 'make now': 510253, 'now good': 574806, 'house 19': 406154, 'staysafe mortgage': 798847, 'mortgage lowrate': 541922, 'lowrate buyersmarket': 506255, 'buyersmarket intrestrate': 149821, 'intrestrate realatate': 443370, 'realatate cronavirous': 701470, 'cronavirous firsttimehomebuyer': 218856, 'buying house in': 150503, 'house in pandemic': 406361, 'in pandemic low': 426459, 'pandemic low interest': 635916, 'low interest rate': 505362, 'interest rate le': 441397, 'rate le competition': 697291, 'le competition between': 482880, 'competition between buyer': 191675, 'between buyer negotiable': 128744, 'buyer negotiable price': 149690, 'negotiable price make': 556906, 'price make now': 675155, 'make now good': 510254, 'now good time': 574808, 'good time to': 357867, 'time to buy': 897958, 'to buy house': 902244, 'buy house 19': 148799, 'house 19 stayathome': 406155, '19 stayathome staysafe': 10814, 'stayathome staysafe mortgage': 797662, 'staysafe mortgage lowrate': 798848, 'mortgage lowrate buyersmarket': 541923, 'lowrate buyersmarket intrestrate': 506256, 'buyersmarket intrestrate realatate': 149822, 'intrestrate realatate cronavirous': 443371, 'realatate cronavirous firsttimehomebuyer': 701471, 'winz': 996155, 'liveable': 496134, 'keep hearing': 471573, 'hearing story': 388234, 'access assistance': 28104, 'assistance or': 96728, 'or benefit': 614540, 'from winz': 338382, 'winz sometimes': 996156, 'sometimes going': 785206, 'going without': 355816, 'to urgently': 917994, 'urgently lift': 948389, 'lift benefit': 489431, 'to liveable': 909354, 'liveable level': 496137, 'level to': 487735, 'massive demand': 520011, 'food grant': 314713, 'grant caused': 362016, 'by poverty': 153634, 'we keep hearing': 972129, 'keep hearing story': 471575, 'hearing story of': 388235, 'of people unable': 588011, 'unable to access': 939320, 'to access assistance': 899948, 'access assistance or': 28105, 'assistance or benefit': 96729, 'or benefit from': 614542, 'benefit from winz': 126995, 'from winz sometimes': 338383, 'winz sometimes going': 996157, 'sometimes going without': 785207, 'going without food': 355818, 'without food for': 1002657, 'food for day': 314527, 'for day the': 320587, 'day the govt': 228488, 'the govt need': 856665, 'need to urgently': 556109, 'to urgently lift': 917996, 'urgently lift benefit': 948390, 'lift benefit to': 489432, 'benefit to liveable': 127117, 'to liveable level': 909355, 'liveable level to': 496138, 'level to alleviate': 487736, 'alleviate the massive': 45826, 'the massive demand': 860265, 'massive demand for': 520012, 'for food grant': 321586, 'food grant caused': 314714, 'grant caused by': 362017, 'caused by poverty': 167859, 'eastermonday': 265565, 'radiodust': 695472, 'radio': 695426, 'ballad': 109080, 'written': 1012948, 'audition': 102946, 'stayathome song': 797623, 'song eastermonday': 785489, 'eastermonday radiodust': 265568, 'radiodust radio': 695473, 'radio toiletpaper': 695464, 'toiletpaper wonderful': 922860, 'wonderful corona': 1004068, 'virus ballad': 957986, 'ballad written': 109081, 'written on': 1012962, 'paper audition': 639912, 'stayathome song eastermonday': 797624, 'song eastermonday radiodust': 785490, 'eastermonday radiodust radio': 265569, 'radiodust radio toiletpaper': 695474, 'radio toiletpaper wonderful': 695465, 'toiletpaper wonderful corona': 922861, 'wonderful corona virus': 1004069, 'corona virus ballad': 204289, 'virus ballad written': 957987, 'ballad written on': 109082, 'written on toilet': 1012963, 'toilet paper audition': 921196, 'the prediction': 864223, 'prediction around': 669655, 'their behavior': 872575, 'behavior after': 123858, 'on the prediction': 604299, 'the prediction around': 864224, 'prediction around the': 669656, 'around the consumer': 93529, 'consumer and their': 196252, 'and their behavior': 73670, 'their behavior after': 872576, 'behavior after covid': 123859, 'parchment': 641543, 'houseplant': 407015, 'the toiletpaperpanic': 869742, 'toiletpaperpanic purchase': 923234, 'purchase wonder': 689731, 'get replacement': 347916, 'replacement in': 711617, 'purchase parchment': 689620, 'parchment paper': 641544, 'paper houseplant': 640293, 'all the toiletpaperpanic': 44947, 'the toiletpaperpanic purchase': 869745, 'toiletpaperpanic purchase wonder': 923235, 'purchase wonder what': 689732, 'wonder what people': 1004012, 'what people could': 982010, 'people could get': 647558, 'could get replacement': 209204, 'get replacement in': 347917, 'replacement in their': 711618, 'in their online': 429759, 'their online purchase': 874106, 'online purchase parchment': 608828, 'purchase parchment paper': 689621, 'parchment paper houseplant': 641545, 'panic govt': 638141, 'govt fix': 361118, 'sanitizers hope': 736308, 'available thinking': 104626, 'thinking face': 885901, 'at nearest': 99859, 'nearest pharmacy': 553721, 'pharmacy coronachainscare': 654281, 'coronachainscare corona': 204462, 'to panic govt': 911399, 'panic govt fix': 638142, 'govt fix price': 361119, 'fix price for': 309745, 'for mask and': 323267, 'and sanitizers hope': 70900, 'sanitizers hope they': 736309, 'hope they are': 403702, 'are available thinking': 84719, 'available thinking face': 104627, 'thinking face at': 885902, 'face at nearest': 294322, 'at nearest pharmacy': 99860, 'nearest pharmacy coronachainscare': 553722, 'pharmacy coronachainscare corona': 654282, 'coronachainscare corona coronapandemic': 204463, 'designate': 238276, 'sir you': 771685, 'should designate': 765917, 'designate grocery': 238281, 'get help': 347204, 'with thing': 1001670, 'thing like': 884536, 'like childcare': 489991, 'childcare if': 176295, 'if supermarket': 414893, 'supermarket close': 819718, 'close or': 182744, 'or lack': 615918, 'lack staff': 478670, 'sir you should': 771687, 'you should designate': 1021190, 'should designate grocery': 765918, 'designate grocery store': 238282, 'worker emergency worker': 1006844, 'emergency worker so': 273064, 'can get help': 158421, 'get help with': 347209, 'help with thing': 390934, 'with thing like': 1001671, 'thing like childcare': 884538, 'like childcare if': 489992, 'childcare if supermarket': 176296, 'if supermarket close': 414895, 'supermarket close or': 819720, 'close or lack': 182746, 'or lack staff': 615919, 'lack staff there': 478671, 'staff there will': 792960, 'eradicating': 280105, 'we welcome': 973770, 'welcome the': 977897, 'response of': 715762, 'of amazon': 580025, 'amazon facebook': 50939, 'facebook google': 294924, 'google and': 358138, 'our call': 622304, 'for eradicating': 321084, 'eradicating online': 280106, 'online scam': 608935, 'scam amp': 739986, 'amp exploitation': 53764, 'exploitation of': 292387, 'people fear': 647875, 'all platform': 43969, 'the strong': 868293, 'strong measure': 814068, 'place until': 657789, 'over more': 630412, 'we welcome the': 973771, 'welcome the response': 977898, 'the response of': 865623, 'response of amazon': 715763, 'of amazon facebook': 580028, 'amazon facebook google': 50941, 'facebook google and': 294925, 'google and many': 358140, 'and many others': 66679, 'many others to': 514459, 'others to our': 621733, 'to our call': 911158, 'our call for': 622305, 'call for eradicating': 155867, 'for eradicating online': 321085, 'eradicating online scam': 280107, 'online scam amp': 608936, 'scam amp exploitation': 739989, 'amp exploitation of': 53765, 'exploitation of people': 292390, 'of people fear': 587913, 'people fear of': 647881, 'fear of we': 301263, 'of we call': 592959, 'we call on': 970885, 'call on all': 156030, 'on all platform': 599242, 'all platform to': 43970, 'platform to keep': 659047, 'keep the strong': 472074, 'the strong measure': 868296, 'strong measure in': 814069, 'in place until': 426772, 'place until the': 657792, 'until the crisis': 943851, 'is over more': 450713, 'negative side': 556823, 'pandemic disappear': 635304, 'disappear because': 244031, 'no worker': 565932, 'no space': 565558, 'store meanwhile': 808931, 'meanwhile food': 524967, 'seeing increased': 746342, 'have empty': 380425, 'and the negative': 73491, 'the negative side': 861421, 'negative side effect': 556824, 'side effect of': 768809, 'the pandemic disappear': 862947, 'pandemic disappear because': 635305, 'disappear because there': 244032, 'because there are': 119666, 'are no worker': 88291, 'no worker to': 565933, 'worker to pick': 1008017, 'up and no': 944349, 'and no space': 67643, 'no space to': 565561, 'to store meanwhile': 915630, 'store meanwhile food': 808932, 'meanwhile food bank': 524968, 'are seeing increased': 89903, 'seeing increased demand': 746344, 'demand and many': 234983, 'and many store': 66683, 'many store have': 514738, 'store have empty': 808079, 'have empty shelf': 380426, 'applepay': 82392, 'googlepay': 358211, 'something from': 784913, 'store consider': 807144, 'consider setting': 195092, 'using applepay': 950393, 'applepay or': 82393, 'or googlepay': 615506, 'googlepay on': 358212, 'your phone': 1025286, 'phone using': 655053, 'using contactless': 950431, 'payment can': 645573, 'help reduce': 390422, 'of transmission': 592419, 'transmission for': 929742, 'who come': 988470, 'with retail': 1000500, 'retail payment': 718386, 'payment terminal': 645754, 'you buy something': 1017581, 'buy something from': 149221, 'something from store': 784915, 'from store consider': 337441, 'store consider setting': 807146, 'consider setting up': 195093, 'setting up and': 753654, 'up and using': 944386, 'and using applepay': 74798, 'using applepay or': 950394, 'applepay or googlepay': 82394, 'or googlepay on': 615507, 'googlepay on your': 358213, 'on your phone': 605489, 'your phone using': 1025295, 'phone using contactless': 655054, 'using contactless payment': 950432, 'contactless payment can': 200376, 'payment can help': 645575, 'can help reduce': 158650, 'help reduce the': 390425, 'reduce the risk': 705975, 'risk of transmission': 723787, 'of transmission for': 592421, 'transmission for you': 929743, 'you and anyone': 1016977, 'anyone who come': 80614, 'who come in': 988471, 'come in contact': 187361, 'in contact with': 421738, 'contact with retail': 200286, 'with retail payment': 1000502, 'retail payment terminal': 718387, 'already stocked': 47681, 'food ammo': 313123, 'ammo wa': 52925, 'step sorry': 799618, 'sorry america': 786007, 'america you': 51755, 'cannot shoot': 162089, 'shoot your': 759757, 'already stocked up': 47683, 'stocked up on': 803440, 'on food ammo': 600838, 'food ammo wa': 313124, 'ammo wa just': 52926, 'wa just the': 962471, 'just the next': 470006, 'the next step': 861699, 'next step sorry': 561570, 'step sorry america': 799619, 'sorry america you': 786008, 'america you cannot': 51756, 'you cannot shoot': 1017877, 'cannot shoot your': 162090, 'shoot your way': 759758, 'your way out': 1026317, 'learns': 484264, 'thing hope': 884418, 'public learns': 688139, 'learns from': 484265, 'survive we': 829285, 'need police': 555449, 'police em': 662984, 'em fire': 272063, 'fire doctor': 308072, 'nurse truck': 577526, 'driver farmer': 259549, 'worker fridaythoughts': 1006990, 'fridaythoughts police': 333359, 'one thing hope': 607221, 'thing hope the': 884419, 'hope the public': 403685, 'the public learns': 864826, 'public learns from': 688140, 'learns from this': 484266, 'pandemic is that': 635798, 'that we don': 847372, 'don need people': 253767, 'need people like': 555422, 'people like or': 648647, 'like or to': 490936, 'or to survive': 617480, 'to survive we': 916053, 'survive we need': 829286, 'we need police': 972527, 'need police em': 555450, 'police em fire': 662985, 'em fire doctor': 272064, 'fire doctor nurse': 308073, 'doctor nurse truck': 251036, 'nurse truck driver': 577527, 'truck driver farmer': 932775, 'driver farmer and': 259550, 'farmer and grocery': 299258, 'store worker fridaythoughts': 811511, 'worker fridaythoughts police': 1006991, 'fact check': 295690, 'check can': 174391, 'can hand': 158543, 'sanitizer catch': 734642, 'catch fire': 166997, 'fact check can': 295691, 'check can hand': 174392, 'can hand sanitizer': 158544, 'hand sanitizer catch': 375338, 'sanitizer catch fire': 734643, 'occupational': 579001, 'is nurse': 450367, 'nurse she': 577476, 'she cannot': 755929, 'home my': 401638, 'va his': 951541, 'wife in': 991932, 'in occupational': 426047, 'occupational therapy': 579002, 'therapy they': 877933, 'mind when': 532774, 'when complaining': 983268, 'about line': 25649, 'other inconvenience': 620416, 'inconvenience you': 432599, 'daughter is nurse': 226870, 'is nurse she': 450370, 'nurse she cannot': 577477, 'she cannot stay': 755932, 'stay home my': 796986, 'home my son': 401642, 'son work at': 785461, 'at the va': 101138, 'the va his': 870613, 'va his wife': 951542, 'his wife in': 397915, 'wife in occupational': 991934, 'in occupational therapy': 426048, 'occupational therapy they': 579003, 'therapy they cannot': 877934, 'they cannot stay': 881716, 'home keep them': 401492, 'in mind when': 425348, 'mind when complaining': 532775, 'when complaining about': 983269, 'complaining about line': 191887, 'about line at': 25650, 'store or any': 809312, 'any other inconvenience': 79594, 'other inconvenience you': 620417, 'inconvenience you may': 432600, 'origin': 619538, 'antonio': 78608, 'regardless of': 707316, 'the origin': 862478, 'origin no': 619539, 'no doubt': 564045, 'doubt how': 256200, 'it spread': 461198, 'spread once': 790729, 'got here': 358600, 'here san': 393535, 'san antonio': 733516, 'antonio food': 78611, 'bank get': 109863, '00 family': 198, 'family golf': 297854, 'golf kept': 356135, 'kept trump': 473090, 'trump from': 933570, 'from focusing': 335498, '19 simulation': 10553, 'simulation show': 770357, 'regardless of the': 707326, 'of the origin': 591303, 'the origin no': 862479, 'origin no doubt': 619540, 'no doubt how': 564050, 'doubt how it': 256201, 'how it spread': 408141, 'it spread once': 461204, 'spread once it': 790730, 'once it got': 605666, 'it got here': 458316, 'got here san': 358601, 'here san antonio': 393536, 'san antonio food': 733518, 'antonio food bank': 78612, 'food bank get': 313578, 'bank get 10': 109864, 'get 10 00': 346452, '10 00 family': 1198, '00 family golf': 200, 'family golf kept': 297855, 'golf kept trump': 356136, 'kept trump from': 473091, 'trump from focusing': 933571, 'from focusing on': 335499, 'covid 19 simulation': 213806, '19 simulation show': 10554, 'simulation show how': 770358, 'can spread coronavirus': 159703, 'somewhat': 785255, 'breathed': 139206, 'frontlineemployees': 338876, 'if were': 415340, 'were rich': 980068, 'rich or': 721241, 'even like': 284296, 'like somewhat': 491223, 'somewhat comfortably': 785258, 'comfortably surviving': 187886, 'surviving would': 829380, 'give 50': 350356, '50 hazard': 19714, 'every employee': 285887, 'employee when': 274408, 'restaurant tip': 716755, 'people getting': 648064, 'getting breathed': 348882, 'breathed on': 139209, 'all frontlineemployees': 42886, 'if were rich': 415345, 'were rich or': 980069, 'rich or even': 721242, 'or even like': 615205, 'even like somewhat': 284297, 'like somewhat comfortably': 491224, 'somewhat comfortably surviving': 785259, 'comfortably surviving would': 187887, 'surviving would give': 829381, 'would give 50': 1011837, 'give 50 hazard': 350357, '50 hazard pay': 19715, 'hazard pay to': 384574, 'pay to every': 645184, 'to every employee': 905303, 'every employee when': 285889, 'employee when go': 274412, 'when go grocery': 983474, 'grocery shopping or': 365062, 'shopping or pick': 763551, 'pick up food': 655723, 'up food from': 944887, 'food from restaurant': 314614, 'from restaurant tip': 337094, 'restaurant tip the': 716757, 'tip the people': 898919, 'the people getting': 863473, 'people getting breathed': 648065, 'getting breathed on': 348883, 'breathed on all': 139210, 'the time all': 869573, 'time all frontlineemployees': 896225, 'ug': 937951, 'entebbe': 278222, 'kampala': 470754, 'ug cant': 937952, 'cant guy': 162309, 'guy regulate': 369123, 'regulate taxi': 707989, 'taxi operator': 835166, 'operator who': 613415, 'in such': 428519, 'such time': 816825, 'time imagine': 896965, 'imagine from': 416721, 'from entebbe': 335288, 'entebbe to': 278223, 'to kampala': 908741, 'kampala is': 470757, 'now 5k': 573912, '5k am': 20709, 'am wondering': 50570, 'of avoiding': 580481, 'ug cant guy': 937953, 'cant guy regulate': 162310, 'guy regulate taxi': 369124, 'regulate taxi operator': 707990, 'taxi operator who': 835167, 'operator who are': 613416, 'who are hiking': 988154, 'are hiking price': 87171, 'hiking price in': 396398, 'price in such': 674738, 'in such time': 428531, 'such time imagine': 816826, 'time imagine from': 896966, 'imagine from entebbe': 416723, 'from entebbe to': 335289, 'entebbe to kampala': 278224, 'to kampala is': 908742, 'kampala is now': 470758, 'is now 5k': 450251, 'now 5k am': 573913, '5k am wondering': 20710, 'am wondering if': 50572, 'wondering if this': 1004180, 'this is way': 888459, 'is way of': 453793, 'way of avoiding': 969739, 'lyft': 507051, 'reimbursement': 708232, 'micro': 530413, 'because nyc': 119298, 'nyc required': 578038, 'required uber': 713413, 'uber and': 937800, 'and lyft': 66490, 'lyft driver': 507052, 'get licensed': 347478, 'licensed they': 488180, 'their contact': 872868, 'contact info': 200110, 'info demand': 437463, 'for ride': 325227, 'ride ha': 721439, 'dropped nyc': 260601, 'nyc offered': 578024, 'offered them': 594970, 'them 15': 875297, 'hour gas': 405639, 'gas toll': 344161, 'toll reimbursement': 923875, 'reimbursement to': 708237, 'start doing': 794280, 'doing delivery': 252349, 'senior it': 750339, 'like modern': 490788, 'modern micro': 535392, 'micro new': 530428, 'because nyc required': 119299, 'nyc required uber': 578039, 'required uber and': 713414, 'uber and lyft': 937801, 'and lyft driver': 66491, 'lyft driver to': 507054, 'driver to get': 259803, 'to get licensed': 906522, 'get licensed they': 347479, 'licensed they have': 488181, 'have their contact': 383047, 'their contact info': 872869, 'contact info demand': 200111, 'info demand for': 437464, 'demand for ride': 235489, 'for ride ha': 325228, 'ride ha dropped': 721440, 'ha dropped nyc': 370463, 'dropped nyc offered': 260602, 'nyc offered them': 578025, 'offered them 15': 594971, 'them 15 hour': 875298, '15 hour gas': 3726, 'hour gas toll': 405640, 'gas toll reimbursement': 344162, 'toll reimbursement to': 923876, 'reimbursement to start': 708238, 'to start doing': 915194, 'start doing delivery': 794281, 'doing delivery of': 252350, 'food to senior': 317287, 'to senior it': 914235, 'senior it like': 750340, 'it like modern': 459370, 'like modern micro': 490789, 'modern micro new': 535393, 'micro new deal': 530429, 'mdma': 522308, 'thought everyone': 893036, 'should try': 766603, 'try little': 934503, 'little mdma': 495449, 'mdma while': 522309, 'world go': 1009585, 'everyone would': 287640, 'more relaxed': 540214, 'just thought everyone': 470063, 'thought everyone should': 893037, 'everyone should try': 287382, 'should try little': 766606, 'try little mdma': 934504, 'little mdma while': 495450, 'mdma while the': 522310, 'the world go': 871878, 'world go through': 1009587, 'go through the': 354254, 'the crisis there': 852461, 'crisis there would': 218206, 'would be more': 1011620, 'be more food': 115976, 'more food on': 539248, 'shelf and everyone': 756731, 'and everyone would': 62415, 'everyone would be': 287641, 'be much more': 116024, 'much more relaxed': 545123, 'decried': 231675, 'posho': 665129, 'salt': 732798, 'enyangyi': 279231, 'lockdown ugandan': 500082, 'ugandan have': 938009, 'have decried': 380206, 'decried high': 231676, 'of various': 592745, 'various good': 952604, 'good commodity': 356898, 'commodity especially': 189171, 'especially posho': 280580, 'posho flour': 665130, 'flour salt': 311156, 'salt rice': 732821, 'different shop': 242055, 'shop enyangyi': 760141, 'enyangyi sun': 279233, 'sun 12': 818050, '12 00pm': 2764, '00pm croozefmnews': 689, 'following the lockdown': 312893, 'the lockdown ugandan': 859636, 'lockdown ugandan have': 500083, 'ugandan have decried': 938010, 'have decried high': 380207, 'decried high price': 231677, 'price of various': 675601, 'of various good': 592746, 'various good commodity': 952605, 'good commodity especially': 356899, 'commodity especially posho': 189172, 'especially posho flour': 280581, 'posho flour salt': 665131, 'flour salt rice': 311157, 'salt rice and': 732822, 'rice and others': 720996, 'and others in': 68449, 'others in different': 621473, 'in different shop': 422256, 'different shop enyangyi': 242056, 'shop enyangyi sun': 760143, 'enyangyi sun 12': 279234, 'sun 12 00pm': 818051, '12 00pm croozefmnews': 2765, 'conspicuously': 195562, 'triage': 931619, 'forum': 329945, 'plenary': 660883, 'wa concerned': 961850, 'consumer voice': 199451, 'voice have': 959983, 'been conspicuously': 120879, 'conspicuously missing': 195563, 'missing from': 534296, 'from ethical': 335307, 'ethical triage': 283094, 'triage discussion': 931620, 'discussion so': 245043, 'far it': 298822, 'held forum': 388899, 'forum to': 329960, 'view front': 957092, 'front and': 338514, 'and centre': 59676, 'centre reporting': 169531, 'reporting back': 712675, 'can watch': 160150, 'the plenary': 863845, 'wa concerned that': 961852, 'concerned that consumer': 193216, 'that consumer voice': 843303, 'consumer voice have': 199452, 'voice have been': 959984, 'have been conspicuously': 379496, 'been conspicuously missing': 120880, 'conspicuously missing from': 195564, 'missing from ethical': 534299, 'from ethical triage': 335308, 'ethical triage discussion': 283095, 'triage discussion so': 931621, 'discussion so far': 245044, 'so far it': 777040, 'far it held': 298823, 'it held forum': 458531, 'held forum to': 388900, 'forum to put': 329961, 'put their view': 690886, 'their view front': 875128, 'view front and': 957093, 'front and centre': 338515, 'and centre reporting': 59679, 'centre reporting back': 169532, 'reporting back here': 712676, 'back here you': 107051, 'here you can': 393855, 'you can watch': 1017829, 'can watch the': 160152, 'watch the plenary': 968550, 'alert via': 41534, 'scam alert via': 739982, 'diarrhea': 240376, 'disrupting': 246419, 'ton thought': 924297, 'thought people': 893175, 'people compare': 647504, 'flu leading': 311433, 'an association': 55455, 'association with': 96991, 'with diarrhea': 998025, 'diarrhea fear': 240383, 'being locked': 125395, 'locked out': 500499, 'out closing': 625857, 'or disrupting': 615001, 'disrupting the': 246428, 'no tp': 565785, 'tp substitute': 927958, 'ton thought people': 924298, 'thought people compare': 893176, 'people compare covid': 647505, 'to the flu': 916717, 'the flu leading': 855460, 'flu leading to': 311434, 'leading to an': 483753, 'to an association': 900442, 'an association with': 55456, 'association with diarrhea': 96993, 'with diarrhea fear': 998026, 'diarrhea fear of': 240384, 'fear of being': 301223, 'of being locked': 580650, 'being locked out': 125398, 'locked out closing': 500500, 'out closing the': 625858, 'closing the grocery': 183775, 'store or disrupting': 809325, 'or disrupting the': 615002, 'disrupting the supply': 246429, 'chain no tp': 170946, 'no tp substitute': 565792, 'accounted': 28815, 'medium sized': 527282, 'sized business': 772823, 'high proportion': 395305, 'sector that': 744346, 'losing business': 503541, 'business because': 143431, 'they employ': 882035, 'employ 47': 273432, '47 worker': 19271, 'but during': 145629, 'last recession': 480469, 'recession they': 704382, 'they accounted': 881089, 'accounted for': 28816, '60 of': 20963, 'total job': 926176, 'job lost': 465989, 'lost here': 503857, 'our analysis': 622073, 'and medium sized': 66925, 'medium sized business': 527283, 'sized business have': 772824, 'business have high': 143828, 'have high proportion': 380942, 'high proportion of': 395306, 'proportion of job': 684429, 'of job in': 585533, 'job in consumer': 465875, 'consumer service sector': 198949, 'service sector that': 752800, 'sector that are': 744347, 'that are losing': 842774, 'are losing business': 87895, 'losing business because': 503542, 'business because they': 143434, 'because they employ': 119700, 'they employ 47': 882036, 'employ 47 worker': 273434, '47 worker but': 19272, 'worker but during': 1006555, 'but during the': 145630, 'during the last': 263148, 'the last recession': 859036, 'last recession they': 480472, 'recession they accounted': 704383, 'they accounted for': 881090, 'accounted for 60': 28818, 'for 60 of': 318889, '60 of the': 20968, 'of the total': 591551, 'the total job': 869816, 'total job lost': 926177, 'job lost here': 465990, 'lost here is': 503858, 'here is our': 393243, 'is our analysis': 450612, 'policymakers': 663554, 'cynthia': 224133, 'fisher': 309357, 'pricetransparency': 677899, 'policymakers can': 663559, 'patient and': 644129, 'and payer': 68809, 'payer even': 645347, 'by extending': 152526, 'extending this': 293238, 'this price': 889704, 'price transparency': 677107, 'transparency provision': 929835, 'provision to': 687286, 'treatment in': 931090, 'next stimulus': 561571, 'package cynthia': 633241, 'cynthia fisher': 224134, 'fisher via': 309367, 'via pricetransparency': 956185, 'pricetransparency healthcare': 677900, 'policymakers can help': 663560, 'can help patient': 158645, 'help patient and': 390271, 'patient and payer': 644137, 'and payer even': 68810, 'payer even more': 645348, 'even more by': 284344, 'more by extending': 538750, 'by extending this': 152527, 'extending this price': 293239, 'this price transparency': 889711, 'price transparency provision': 677111, 'transparency provision to': 929836, 'provision to coronavirus': 687287, 'to coronavirus treatment': 903570, 'coronavirus treatment in': 206964, 'treatment in the': 931094, 'the next stimulus': 861700, 'next stimulus package': 561572, 'stimulus package cynthia': 801577, 'package cynthia fisher': 633242, 'cynthia fisher via': 224135, 'fisher via pricetransparency': 309368, 'via pricetransparency healthcare': 956186, 'leavin': 485067, 'whoever would': 990124, 'of thought': 592133, 'thought leavin': 893116, 'leavin my': 485068, 'whoever would of': 990125, 'would of thought': 1012089, 'of thought leavin': 592134, 'thought leavin my': 893117, 'leavin my house': 485069, 'surge past': 828241, 'past 500': 643503, '500 for': 19989, 'for fish': 321505, 'fish tank': 309339, 'tank cleaner': 834194, 'cleaner that': 180843, 'that us': 847208, 'us same': 948544, 'same ingredient': 733125, 'ingredient anti': 438347, 'anti malaria': 78313, 'malaria drug': 511556, 'drug fast': 260944, 'fast tracked': 300063, 'tracked to': 928255, 'treat coronavirus': 930813, 'coronavirus patient': 206538, 'patient but': 644147, 'price surge past': 676725, 'surge past 500': 828243, 'past 500 for': 643504, '500 for fish': 19990, 'for fish tank': 321508, 'fish tank cleaner': 309343, 'tank cleaner that': 834196, 'cleaner that us': 180845, 'that us same': 847211, 'us same ingredient': 948546, 'same ingredient anti': 733126, 'ingredient anti malaria': 438348, 'anti malaria drug': 78314, 'malaria drug fast': 511557, 'drug fast tracked': 260945, 'fast tracked to': 300068, 'tracked to treat': 928256, 'to treat coronavirus': 917743, 'treat coronavirus patient': 930814, 'coronavirus patient but': 206539, 'patient but it': 644148, 'faceshield': 295190, 'ziplock': 1027631, 'make my': 510218, 'first grocery': 308694, 'so made': 777622, 'own faceshield': 631983, 'faceshield out': 295196, 'of ziplock': 593564, 'ziplock bag': 1027632, 'bag ll': 108334, 'll also': 496546, 'be wearing': 118072, 'deal diy': 229383, 'diy coronapocolypse': 248728, 'about to make': 26730, 'to make my': 909700, 'make my first': 510220, 'my first grocery': 548340, 'first grocery store': 308695, 'store run in': 809925, 'run in week': 727677, 'in week so': 430767, 'week so made': 976890, 'so made my': 777624, 'made my own': 507864, 'my own faceshield': 549641, 'own faceshield out': 631984, 'faceshield out of': 295197, 'out of ziplock': 626883, 'of ziplock bag': 593565, 'ziplock bag ll': 1027633, 'bag ll also': 108335, 'll also be': 496547, 'also be wearing': 47931, 'be wearing face': 118075, 'face mask no': 294568, 'mask no big': 519006, 'big deal diy': 129737, 'deal diy coronapocolypse': 229384, 'tear over': 835960, 'over soaring': 630625, 'soaring paracetamol': 779338, 'paracetamol price': 641263, '20 calpol': 12987, 'customer in tear': 222509, 'in tear over': 428844, 'tear over soaring': 835962, 'over soaring paracetamol': 630626, 'soaring paracetamol price': 779339, 'paracetamol price and': 641264, 'price and 20': 672354, 'and 20 calpol': 57396, 'cheshire': 175550, '19 self': 10393, 'loss will': 503802, 'will force': 993470, 'force people': 328477, 'between paying': 128848, 'paying bill': 645393, 'and buying': 59363, 'food mid': 315455, 'mid cheshire': 530560, 'cheshire foodbank': 175553, 'foodbank need': 317776, 'support struggling': 826840, 'supply due': 825190, 'please donate': 659928, 'can information': 158752, 'information at': 437752, 'covid 19 self': 213763, '19 self isolation': 10394, 'self isolation and': 747754, 'isolation and job': 455194, 'and job loss': 65663, 'job loss will': 465987, 'loss will force': 503803, 'will force people': 993473, 'force people to': 328479, 'people to choose': 649885, 'choose between paying': 177881, 'between paying bill': 128849, 'paying bill and': 645394, 'bill and buying': 130502, 'and buying food': 59366, 'buying food mid': 150322, 'food mid cheshire': 315456, 'mid cheshire foodbank': 530561, 'cheshire foodbank need': 175554, 'foodbank need support': 317778, 'need support struggling': 555689, 'support struggling to': 826841, 'get supply due': 348154, 'supply due to': 825191, 'buying please donate': 150910, 'please donate if': 659930, 'you can information': 1017704, 'can information at': 158753, 'punishable': 689225, 'of midnight': 586488, 'midnight tonight': 530761, 'country will': 211243, 'on total': 604815, 'total quarantine': 926232, 'quarantine any': 692029, 'any movement': 79494, 'movement outside': 543913, 'of seeking': 589455, 'seeking medical': 746648, 'medical treatment': 526482, 'treatment pulling': 931130, 'out cash': 625838, 'cash amp': 166152, 'amp visiting': 54787, 'visiting supermarket': 959552, 'be punishable': 116620, 'punishable with': 689230, 'with up': 1001916, 'in prison': 426998, 'announced that of': 77065, 'that of midnight': 845448, 'of midnight tonight': 586489, 'midnight tonight the': 530762, 'tonight the country': 924499, 'the country will': 852182, 'country will be': 211244, 'be on total': 116217, 'on total quarantine': 604817, 'total quarantine any': 926233, 'quarantine any movement': 692030, 'any movement outside': 79495, 'movement outside of': 543914, 'outside of seeking': 629513, 'of seeking medical': 589456, 'seeking medical treatment': 746649, 'medical treatment pulling': 526484, 'treatment pulling out': 931131, 'pulling out cash': 688946, 'out cash amp': 625839, 'cash amp visiting': 166153, 'amp visiting supermarket': 54788, 'visiting supermarket will': 959558, 'supermarket will be': 823880, 'will be punishable': 992625, 'be punishable with': 116622, 'punishable with up': 689231, 'with up to': 1001917, 'to 15 year': 899505, '15 year in': 3874, 'year in prison': 1014652, '19 no': 8793, 'for panic': 324364, 'pm assures': 661863, 'covid 19 no': 213478, '19 no need': 8803, 'need for panic': 554862, 'for panic buying': 324365, 'buying food available': 150303, 'food available at': 313471, 'available at all': 104243, 'all time pm': 45223, 'time pm assures': 897507, 'of hoax': 584700, 'hoax and': 399693, 'scam including': 740206, 'including stimulus': 432165, 'stimulus fraud': 801542, 'fraud treatment': 331366, 'treatment vaccine': 931161, 'vaccine amp': 951646, 'amp in': 53977, 'home test': 402197, 'test for': 838994, '19 none': 8814, 'these offer': 880362, 'currently proven': 221641, 'proven approved': 686150, 'approved or': 83182, 'or valid': 617640, 'valid read': 951912, 'protection blog': 685354, 'blog for': 132932, 'on navigating': 602344, 'navigating these': 553131, 'beware of hoax': 129083, 'of hoax and': 584701, 'hoax and scam': 399696, 'and scam including': 71029, 'scam including stimulus': 740208, 'including stimulus fraud': 432166, 'stimulus fraud treatment': 801544, 'fraud treatment vaccine': 331367, 'treatment vaccine amp': 931162, 'vaccine amp in': 951647, 'amp in home': 53979, 'in home test': 423788, 'home test for': 402199, 'test for covid': 838998, 'covid 19 none': 213481, '19 none of': 8815, 'of these offer': 591843, 'these offer are': 880363, 'offer are currently': 594527, 'are currently proven': 85673, 'currently proven approved': 221642, 'proven approved or': 686151, 'approved or valid': 83183, 'or valid read': 617641, 'valid read our': 951913, 'our latest consumer': 623656, 'latest consumer protection': 481263, 'consumer protection blog': 198513, 'protection blog for': 685355, 'blog for tip': 132938, 'tip on navigating': 898856, 'on navigating these': 602346, 'navigating these scam': 553132, 'persistence': 652265, 'unknowable': 942509, 'and persistence': 68914, 'persistence of': 652266, 'impact across': 417539, 'is unknowable': 453517, 'unknowable central': 942510, 'central florida': 169385, 'florida will': 311006, 'will directly': 993196, 'directly experience': 243543, 'of slowed': 589775, 'slowed consumer': 774487, 'demand our': 235990, 'our leadership': 623699, 'leadership team': 483656, 'team spoke': 835778, 'the about': 848239, 'this impact': 888014, 'while the size': 987416, 'the size and': 867294, 'size and persistence': 772759, 'and persistence of': 68915, 'persistence of covid': 652267, 'economic impact across': 267125, 'impact across the': 417540, 'country is unknowable': 210826, 'is unknowable central': 453518, 'unknowable central florida': 942511, 'central florida will': 169387, 'florida will directly': 311007, 'will directly experience': 993197, 'directly experience the': 243544, 'experience the effect': 291503, 'effect of slowed': 269061, 'of slowed consumer': 589777, 'slowed consumer demand': 774488, 'consumer demand our': 197154, 'demand our leadership': 235991, 'our leadership team': 623700, 'leadership team spoke': 483657, 'team spoke with': 835779, 'spoke with the': 789756, 'with the about': 1001190, 'the about this': 848240, 'about this impact': 26640, 'this impact and': 888015, 'impact and what': 417557, 'and what business': 75452, 'what business can': 981151, 'business can do': 143491, 'make mask': 510116, 'mask homemade': 518804, 'homemade or': 402844, 'anything and': 80681, 'sanitizers compulsory': 736246, 'compulsory for': 192714, 'business establishment': 143707, 'establishment entry': 282056, 'entry point': 279008, 'point after': 662403, 'after lockdown': 35880, 'lockdown be': 499188, 'be it': 115560, 'shop office': 760535, 'office etc': 595413, 'etc atleast': 282434, 'atleast for': 101882, 'make mask homemade': 510120, 'mask homemade or': 518805, 'homemade or anything': 402845, 'or anything and': 614374, 'anything and sanitizers': 80685, 'and sanitizers compulsory': 70897, 'sanitizers compulsory for': 736247, 'compulsory for all': 192715, 'for all business': 319114, 'all business establishment': 42233, 'business establishment entry': 143708, 'establishment entry point': 282057, 'entry point after': 279009, 'point after lockdown': 662404, 'after lockdown be': 35881, 'lockdown be it': 499189, 'be it supermarket': 115567, 'it supermarket shop': 461366, 'supermarket shop office': 822590, 'shop office etc': 760536, 'office etc atleast': 595414, 'etc atleast for': 282435, 'atleast for to': 101883, 'for to month': 327227, 'placing': 657938, 'teen arrested': 836474, 'allegedly placing': 45699, 'placing juice': 657943, 'juice they': 467763, 'they drank': 882016, 'video joke': 956800, 'teen arrested for': 836475, 'for allegedly placing': 319196, 'allegedly placing juice': 45700, 'placing juice they': 657944, 'juice they drank': 467764, 'they drank back': 882017, 'shelf in covid': 757190, '19 video joke': 11774, 'model suggests': 535310, 'suggests how': 817695, 'how airborne': 407329, 'airborne coronavirus': 39840, 'coronavirus particle': 206534, 'particle spread': 642594, 'store aisle': 806110, 'model suggests how': 535311, 'suggests how airborne': 817696, 'how airborne coronavirus': 407330, 'airborne coronavirus particle': 39841, 'coronavirus particle spread': 206535, 'particle spread in': 642595, 'spread in grocery': 790573, 'grocery store aisle': 365183, 'shame do': 754591, 'you recognise': 1020861, 'recognise these': 704598, 'two men': 937037, 'men police': 528517, 'are hunting': 87276, 'hunting the': 411422, 'the pair': 862868, 'pair after': 634322, 'after number': 35970, 'toiletpaper theft': 922594, 'theft from': 872350, 'in south': 428125, 'south west': 786789, 'and shame do': 71360, 'shame do you': 754592, 'do you recognise': 250669, 'you recognise these': 1020862, 'recognise these two': 704599, 'these two men': 880897, 'two men police': 937040, 'men police are': 528518, 'police are hunting': 662918, 'are hunting the': 87279, 'hunting the pair': 411423, 'the pair after': 862869, 'pair after number': 634323, 'after number of': 35971, 'number of toiletpaper': 577004, 'of toiletpaper theft': 592282, 'toiletpaper theft from': 922595, 'theft from supermarket': 872351, 'supermarket in south': 820983, 'in south west': 428134, 'keypad': 473551, 'inly': 438771, 'morning supermarket': 541473, 'and indeed': 65139, 'indeed trolley': 434017, 'trolley basket': 932377, 'basket keypad': 112364, 'keypad now': 473561, 'likely place': 492076, 'catch lockdownuk': 167007, 'lockdownuk it': 500418, 'the inly': 858298, 'inly place': 438772, 'place there': 657734, 'still mass': 800837, 'mass gathering': 519769, 'just me or': 469245, 'me or is': 523286, 'or is the': 615836, 'is the early': 452779, 'the early morning': 853820, 'early morning supermarket': 264654, 'morning supermarket queue': 541476, 'supermarket queue and': 822114, 'queue and indeed': 693866, 'and indeed trolley': 65142, 'indeed trolley basket': 434018, 'trolley basket keypad': 932378, 'basket keypad now': 112365, 'keypad now the': 473562, 'now the most': 576051, 'the most likely': 861006, 'most likely place': 542485, 'likely place to': 492077, 'place to catch': 657750, 'to catch lockdownuk': 902501, 'catch lockdownuk it': 167008, 'lockdownuk it the': 500419, 'it the inly': 461548, 'the inly place': 858299, 'inly place there': 438773, 'place there are': 657735, 'there are still': 878166, 'are still mass': 90449, 'still mass gathering': 800838, 'booming during': 134875, 'the however': 857678, 'however in': 409393, 'only consumer': 610264, 'consumer living': 198052, '12 state': 2957, 'state can': 795447, 'can fully': 158387, 'fully enjoy': 341037, 'enjoy alcohol': 277120, 'alcohol delivery': 40984, 'delivery at': 233730, 'home learn': 401517, 'more alcohol': 538582, 'alcohol spirit': 41116, 'spirit beer': 789456, 'beer wine': 122538, 'shopping is booming': 763038, 'is booming during': 446223, 'booming during the': 134877, 'during the however': 263140, 'the however in': 857679, 'however in the': 409394, 'in the only': 429419, 'the only consumer': 862294, 'only consumer living': 610265, 'consumer living in': 198053, 'living in 12': 496363, 'in 12 state': 419693, '12 state can': 2958, 'state can fully': 795449, 'can fully enjoy': 158388, 'fully enjoy alcohol': 341038, 'enjoy alcohol delivery': 277121, 'alcohol delivery at': 40985, 'delivery at home': 233732, 'at home learn': 99030, 'home learn more': 401518, 'learn more alcohol': 484014, 'more alcohol spirit': 538583, 'alcohol spirit beer': 41117, 'spirit beer wine': 789457, 'tobacco': 919073, 'smoker': 775884, 'cigarette user': 178495, 'user and': 950261, 'and tobacco': 74212, 'tobacco smoker': 919085, 'smoker are': 775885, 'danger from': 225649, 'coronavirus than': 206894, 'average healthy': 104848, 'healthy person': 387727, 'person here': 652458, 'cigarette user and': 178496, 'user and tobacco': 950262, 'and tobacco smoker': 74214, 'tobacco smoker are': 919086, 'smoker are more': 775886, 'are more in': 88114, 'more in danger': 539510, 'in danger from': 421973, 'danger from the': 225650, 'new coronavirus than': 558553, 'coronavirus than the': 206897, 'than the average': 841218, 'the average healthy': 849101, 'average healthy person': 104849, 'healthy person here': 387728, 'person here why': 652459, 'with respect': 1000479, 'respect mr': 715025, 'mr trump': 544408, 'trump with': 933987, 'of death': 582412, '19 rising': 10238, 'rising rapidly': 723277, 'rapidly in': 696988, 'the your': 872210, 'your focus': 1023905, 'focus should': 311919, 'on promoting': 602971, 'promoting public': 683854, 'health need': 386659, 'not propping': 571121, 'up oil': 945513, 'price once': 675740, 'you focus': 1018606, 'on money': 602195, 'money instead': 536835, 'of citizen': 581426, 'with respect mr': 1000482, 'respect mr trump': 715026, 'mr trump with': 544409, 'trump with case': 933988, 'with case of': 997559, 'case of death': 165899, 'of death from': 582419, 'death from covid': 230049, 'covid 19 rising': 213720, '19 rising rapidly': 10240, 'rising rapidly in': 723279, 'rapidly in the': 696991, 'in the your': 429701, 'the your focus': 872211, 'your focus should': 1023906, 'focus should be': 311920, 'should be on': 765680, 'be on promoting': 116208, 'on promoting public': 602972, 'promoting public health': 683855, 'public health need': 688075, 'health need not': 386660, 'need not propping': 555309, 'not propping up': 571122, 'propping up oil': 684584, 'up oil price': 945514, 'oil price once': 597208, 'price once again': 675741, 'once again you': 605584, 'again you focus': 37293, 'you focus on': 1018607, 'focus on money': 311885, 'on money instead': 602196, 'money instead of': 536836, 'of the well': 591614, 'being of citizen': 125465, 'yes 29': 1015363, '29 year': 16505, 'yes my': 1015490, 'mom won': 535848, 'me sit': 523476, 'sit in': 771825, 'lot while': 504413, 'while she': 987252, 'she grab': 756065, 'yes 29 year': 1015365, '29 year old': 16506, 'old and yes': 598144, 'and yes my': 75970, 'yes my mom': 1015491, 'my mom won': 549291, 'mom won let': 535849, 'won let me': 1003865, 'me get out': 522806, 'of the car': 590846, 'the car and': 850373, 'car and is': 162995, 'and is making': 65416, 'is making me': 449551, 'making me sit': 511201, 'me sit in': 523477, 'sit in the': 771828, 'in the parking': 429438, 'parking lot while': 642111, 'lot while she': 504414, 'while she grab': 987253, 'she grab few': 756066, 'few thing at': 304093, 'mainecdc': 508861, 'two set': 937203, 'most contact': 542204, 'other human': 620378, 'are hospital': 87240, 'employee only': 274081, 'is wearing': 453809, 'wearing protection': 974765, 'protection per': 685568, 'per cdc': 650740, 'cdc guideline': 168569, 'and mainecdc': 66519, 'the two set': 870157, 'two set of': 937204, 'set of worker': 753448, 'of worker with': 593289, 'worker with the': 1008267, 'with the most': 1001394, 'the most contact': 860962, 'most contact with': 542205, 'with other human': 999953, 'other human are': 620379, 'human are hospital': 410419, 'are hospital employee': 87242, 'hospital employee and': 404390, 'employee and supermarket': 273586, 'supermarket employee only': 820129, 'employee only one': 274082, 'only one is': 610876, 'one is wearing': 606532, 'is wearing protection': 453816, 'wearing protection per': 974766, 'protection per cdc': 685569, 'per cdc guideline': 650741, 'cdc guideline for': 168570, 'guideline for themselves': 368430, 'for themselves and': 326938, 'themselves and mainecdc': 876755, 'week stock': 976927, 'stock should': 802850, 'do there': 250287, 'buy large': 148886, 'chain isn': 170855, 'isn affected': 454420, 'affected due': 34345, 'buying of grocery': 150794, 'of grocery week': 584364, 'grocery week stock': 366121, 'week stock should': 976929, 'stock should do': 802851, 'should do there': 765934, 'do there no': 250289, 'to buy large': 902257, 'buy large quantity': 148888, 'of grocery because': 584346, 'grocery because the': 364317, 'because the food': 119625, 'supply chain isn': 824980, 'chain isn affected': 170856, 'isn affected due': 454421, 'affected due to': 34346, 'shark': 755638, 'handsanitiser': 376444, 'nothappyjan': 572908, 'roll no': 725397, 'no thanks': 565689, 'thanks love': 842132, 'love the': 504801, 'the aussie': 849051, 'aussie who': 103148, 'are standing': 90349, 'standing their': 793818, 'their ground': 873453, 'ground not': 366525, 'not shopping': 571562, 'the shark': 866796, 'shark selling': 755643, 'selling toiletpaper': 749511, 'toiletpaper handsanitiser': 922048, 'handsanitiser at': 376445, 'highly inflated': 396074, 'price nothappyjan': 675374, 'toilet roll no': 921588, 'roll no thanks': 725398, 'no thanks love': 565691, 'thanks love the': 842134, 'love the aussie': 504803, 'the aussie who': 849052, 'aussie who are': 103149, 'who are standing': 988222, 'are standing their': 90354, 'standing their ground': 793819, 'their ground not': 873454, 'ground not shopping': 366526, 'not shopping from': 571564, 'shopping from the': 762762, 'from the shark': 337874, 'the shark selling': 866797, 'shark selling toiletpaper': 755645, 'selling toiletpaper handsanitiser': 749512, 'toiletpaper handsanitiser at': 922049, 'handsanitiser at highly': 376446, 'at highly inflated': 98908, 'highly inflated price': 396075, 'inflated price nothappyjan': 437055, 'die licking': 241392, 'licking my': 488248, 'my finger': 548322, 'to get infected': 906506, 'get infected and': 347325, 'and die licking': 61333, 'die licking my': 241393, 'licking my finger': 488249, 'my finger so': 548327, 'reel': 706437, 'if ha': 414185, 'made you': 508074, 'you productive': 1020444, 'productive leave': 682298, 'leave comment': 484765, 'comment but': 188397, 'are back': 84738, 'the reel': 865402, 'reel world': 706440, 'world lol': 1009767, 'lol we': 500973, 'work know': 1005412, 'our area': 622109, 'suffering with': 817345, 'price sign': 676401, 'if ha made': 414186, 'ha made you': 371223, 'made you productive': 508078, 'you productive leave': 1020445, 'productive leave comment': 682299, 'leave comment but': 484766, 'comment but now': 188399, 'now that we': 576025, 'we are back': 970487, 'are back in': 84740, 'in the reel': 429505, 'the reel world': 865403, 'reel world lol': 706441, 'world lol we': 1009768, 'lol we have': 500974, 'to get back': 906416, 'get back to': 346634, 'to work know': 918747, 'work know our': 1005413, 'know our area': 476663, 'our area is': 622113, 'area is suffering': 92085, 'is suffering with': 452435, 'suffering with the': 817346, 'with the loss': 1001377, 'job and low': 465632, 'and low gas': 66439, 'gas price sign': 344023, 'price sign up': 676402, 'cooperative': 203167, 'puppy': 689304, 'bathe': 112609, 'been cooperative': 120895, 'cooperative with': 203178, 'our protocol': 624498, 'protocol when': 686005, 'when coming': 983264, 'view puppy': 957152, 'puppy we': 689311, 'each visitor': 264323, 'visitor use': 959603, 'sanitizer before': 734559, 'before picking': 123013, 'up puppy': 945865, 'we maintain': 972328, 'maintain at': 508937, 'foot of': 318408, 'distance after': 246623, 'after visit': 36492, 'visit we': 959426, 'we bathe': 970809, 'bathe the': 112610, 'the puppy': 864913, 'puppy lysol': 689307, 'lysol surface': 507194, 'surface just': 828038, 'everyone ha been': 286960, 'ha been cooperative': 369762, 'been cooperative with': 120896, 'cooperative with our': 203179, 'with our protocol': 1000014, 'our protocol when': 624499, 'protocol when coming': 686006, 'when coming to': 983265, 'coming to view': 188235, 'to view puppy': 918174, 'view puppy we': 957153, 'puppy we have': 689312, 'have each visitor': 380404, 'each visitor use': 264324, 'visitor use hand': 959604, 'hand sanitizer before': 375323, 'sanitizer before picking': 734563, 'before picking up': 123014, 'picking up puppy': 655883, 'up puppy we': 945866, 'puppy we maintain': 689313, 'we maintain at': 972329, 'maintain at least': 508939, 'least foot of': 484467, 'foot of social': 318411, 'social distance after': 779495, 'distance after visit': 246624, 'after visit we': 36493, 'visit we bathe': 959427, 'we bathe the': 970810, 'bathe the puppy': 112611, 'the puppy lysol': 864914, 'puppy lysol surface': 689308, 'lysol surface just': 507195, 'surface just to': 828039, 'just to be': 470083, 'tourist': 927022, 'membership': 528265, 'the pennsylvania': 863441, 'state police': 795865, 'police museum': 663099, 'museum is': 546249, 'to tourist': 917655, 'tourist due': 927026, 'still in': 800737, 'office which': 595590, 'which mean': 986143, 'mean our': 524598, 'and ready': 69987, 'shopping please': 763640, 'send membership': 749898, 'membership and': 528266, 'and brick': 59192, 'brick donation': 139583, 'donation too': 254723, 'too we': 925153, 'hope to': 403735, 'person soon': 652607, 'although the pennsylvania': 49367, 'the pennsylvania state': 863442, 'pennsylvania state police': 646580, 'state police museum': 795866, 'police museum is': 663100, 'museum is closed': 546250, 'is closed to': 446590, 'closed to tourist': 183402, 'to tourist due': 917656, 'tourist due to': 927027, 'are still in': 90438, 'still in the': 800745, 'in the office': 429412, 'the office which': 862084, 'office which mean': 595591, 'which mean our': 986147, 'mean our online': 524599, 'online store is': 609453, 'is open and': 450559, 'open and ready': 612073, 'and ready for': 69990, 'ready for shopping': 700871, 'for shopping please': 325593, 'shopping please continue': 763641, 'continue to send': 201253, 'to send membership': 914215, 'send membership and': 749899, 'membership and brick': 528267, 'and brick donation': 59193, 'brick donation too': 139584, 'donation too we': 254724, 'too we hope': 925156, 'we hope to': 972038, 'hope to see': 403744, 'see you in': 746109, 'you in person': 1019312, 'in person soon': 426641, 'dropping during': 260686, 'price dropping during': 673603, 'dropping during covid': 260687, 'rishi': 723133, 'sunak': 818094, 'decency': 230762, 'rishi sunak': 723134, 'sunak when': 818101, 'over and': 629978, 'and remember': 70218, 'small act': 774773, 'kindness done': 475194, 'done by': 254801, 'remember how': 710204, 'thought first': 893040, 'and acted': 57625, 'acted with': 29852, 'with decency': 997946, 'decency it': 230763, 'rishi sunak when': 723137, 'sunak when this': 818102, 'is over and': 450685, 'over and it': 629983, 'over we want': 630904, 'want to look': 966066, 'to look back': 909434, 'back on this': 107205, 'on this moment': 604621, 'this moment and': 888867, 'moment and remember': 535877, 'and remember the': 70221, 'remember the small': 710319, 'the small act': 867355, 'small act of': 774774, 'of kindness done': 585644, 'kindness done by': 475195, 'done by and': 254803, 'by and to': 151854, 'and to we': 74210, 'to we want': 918409, 'want to remember': 966102, 'to remember how': 913185, 'remember how we': 710208, 'how we thought': 409195, 'we thought first': 973541, 'thought first of': 893041, 'first of others': 308816, 'others and acted': 621251, 'and acted with': 57626, 'acted with decency': 29853, 'with decency it': 997947, 'decency it on': 230764, 'it on all': 460027, 'hibiscus': 394788, 'lone': 501274, 'texas star': 839823, 'star hardy': 794040, 'hardy hibiscus': 378350, 'hibiscus is': 394791, 'is unique': 453505, 'unique with': 942006, 'it flower': 458042, 'flower shape': 311326, 'shape beautiful': 754822, 'beautiful just': 118691, 'like our': 490949, 'our lone': 623799, 'lone star': 501285, 'star in': 794046, 'the texas star': 869344, 'texas star hardy': 839824, 'star hardy hibiscus': 794041, 'hardy hibiscus is': 378351, 'hibiscus is unique': 394792, 'is unique with': 453508, 'unique with it': 942007, 'with it flower': 999066, 'it flower shape': 458043, 'flower shape beautiful': 311327, 'shape beautiful just': 754823, 'beautiful just like': 118692, 'just like our': 469154, 'like our lone': 490950, 'our lone star': 623800, 'lone star in': 501286, 'star in stock': 794047, 'beneficial': 126878, 'cryptocurrency': 219967, 'be beneficial': 113827, 'beneficial for': 126879, 'for cryptocurrency': 320474, 'cryptocurrency because': 219970, 'allows investor': 46381, 'investor to': 444218, 'buy crypto': 148517, 'crypto asset': 219938, 'price force': 674082, 'force more': 328454, 'the blockchain': 849772, 'blockchain sector': 132841, 'encourages the': 275703, 'of digital': 582607, 'digital currency': 242545, 'the can be': 850308, 'can be beneficial': 157593, 'be beneficial for': 113828, 'beneficial for cryptocurrency': 126880, 'for cryptocurrency because': 320475, 'cryptocurrency because it': 219971, 'because it allows': 119173, 'it allows investor': 456395, 'allows investor to': 46382, 'investor to buy': 444219, 'to buy crypto': 902212, 'buy crypto asset': 148518, 'crypto asset at': 219939, 'asset at discounted': 96417, 'discounted price force': 244597, 'price force more': 674085, 'force more people': 328455, 'in the blockchain': 429028, 'the blockchain sector': 849773, 'blockchain sector and': 132842, 'sector and encourages': 744081, 'and encourages the': 62106, 'encourages the use': 275704, 'use of digital': 949405, 'of digital currency': 582609, 'sandwell': 733729, 'another chemist': 77533, 'chemist with': 175462, 'price sandwell': 676292, 'another chemist with': 77534, 'chemist with inflated': 175463, 'inflated price sandwell': 437066, 'sure everybody': 827537, 'everybody can': 286418, 'eat wouldn': 266119, 'wouldn it': 1012484, 'great if': 362738, 'cashier refused': 166590, 'asshole food': 96529, 'food 19': 313008, 'that are making': 842776, 'are making sure': 88005, 'making sure everybody': 511377, 'sure everybody can': 827538, 'everybody can eat': 286419, 'can eat wouldn': 158207, 'eat wouldn it': 266120, 'wouldn it be': 1012485, 'it be great': 456729, 'be great if': 115089, 'great if supermarket': 362741, 'if supermarket cashier': 414894, 'supermarket cashier refused': 819566, 'cashier refused to': 166591, 'refused to sell': 707076, 'to sell this': 914182, 'sell this asshole': 748914, 'this asshole food': 886438, 'asshole food 19': 96530, '9news': 23996, 'woolworth': 1004399, '9news woolworth': 23999, 'woolworth cole': 1004409, 'cole did': 185853, 'allow new': 46002, 'shopping account': 761882, 'account during': 28656, 'pandemic either': 635362, 'they know': 882520, 'know exactly': 476371, 'exactly who': 288769, 'who their': 989760, 'their regular': 874544, 'regular customer': 707757, 'the buy': 850217, 'buy spend': 149225, 'spend and': 788578, 'how often': 408421, '9news woolworth cole': 24000, 'woolworth cole did': 1004410, 'cole did not': 185854, 'have to allow': 383156, 'to allow new': 900345, 'allow new online': 46003, 'online shopping account': 609012, 'shopping account during': 761884, 'account during pandemic': 28657, 'during pandemic either': 262865, 'pandemic either they': 635363, 'either they know': 270394, 'they know exactly': 882525, 'know exactly who': 476373, 'exactly who their': 288770, 'who their regular': 989761, 'their regular customer': 874545, 'regular customer are': 707758, 'customer are and': 222113, 'are and what': 84552, 'and what the': 75487, 'what the buy': 982299, 'the buy spend': 850219, 'buy spend and': 149226, 'spend and how': 788580, 'and how often': 64828, 'whitehorse': 987939, 'yikes read': 1016396, 'what staff': 982241, 'seeing hopefully': 746322, 'hopefully bad': 403843, 'bad behaviour': 107785, 'behaviour end': 124410, 'end whitehorse': 276074, 'whitehorse grocery': 987940, 'manager want': 512824, 'people supposed': 649701, 'actually self': 30951, 'isolate cbc': 454836, 'yikes read what': 1016397, 'read what staff': 700655, 'what staff are': 982242, 'staff are seeing': 792205, 'are seeing hopefully': 89901, 'seeing hopefully bad': 746323, 'hopefully bad behaviour': 403844, 'bad behaviour end': 107786, 'behaviour end whitehorse': 124411, 'end whitehorse grocery': 276075, 'whitehorse grocery store': 987941, 'grocery store manager': 365552, 'store manager want': 808897, 'manager want people': 512825, 'want people supposed': 965898, 'people supposed to': 649702, 'supposed to self': 827374, 'isolate to actually': 454930, 'to actually self': 900032, 'actually self isolate': 30952, 'self isolate cbc': 747668, 'isolate cbc news': 454837, 'employee should': 274198, 'all supermarket employee': 44547, 'supermarket employee should': 820133, 'employee should be': 274201, 'have 240': 379086, '240 roll': 15713, 'can get if': 158423, 'get if have': 347280, 'if have 240': 414198, 'have 240 roll': 379087, '240 roll of': 15714, 'so restaurant': 778132, 'restaurant that': 716739, 'need cash': 554592, 'can seat': 159527, 'seat people': 743516, 'some cash': 782493, 'cash by': 166189, 'selling surplus': 749469, 'surplus toilet': 828507, 'paper tp': 641022, 'so restaurant that': 778133, 'restaurant that need': 716740, 'that need cash': 845297, 'need cash can': 554593, 'cash can seat': 166194, 'can seat people': 159528, 'seat people can': 743517, 'people can make': 647399, 'can make some': 158950, 'make some cash': 510470, 'some cash by': 782496, 'cash by selling': 166191, 'by selling surplus': 153933, 'selling surplus toilet': 749470, 'surplus toilet paper': 828508, 'toilet paper tp': 921504, 'paper tp toiletpaper': 641023, 'we send': 973200, 'am grateful': 50101, 'compassion during': 191483, 'we send special': 973202, 'all healthcare professional': 43079, 'healthcare professional grocery': 387233, 'worker and those': 1006347, 'and those on': 74034, 'front line in': 338584, 'line in our': 493199, '19 am grateful': 4943, 'am grateful for': 50103, 'grateful for your': 362280, 'your service and': 1025728, 'service and compassion': 752077, 'and compassion during': 60206, 'compassion during these': 191484, 'during these difficult': 263235, 'depletion': 237431, 'circulareconomy': 178653, 'chain crucial': 170632, 'crucial in': 219450, 'against are': 37332, 'not resilient': 571332, 'resilient we': 714544, 'might think': 531141, 'think imagine': 885302, 'we face': 971516, 'the depletion': 853149, 'depletion of': 237432, 'of scarce': 589379, 'scarce natural': 740801, 'natural resource': 552857, 'resource circulareconomy': 714745, 'circulareconomy offer': 178656, 'offer solution': 594799, 'supply chain crucial': 824943, 'chain crucial in': 170633, 'crucial in the': 219452, 'fight against are': 304605, 'against are not': 37333, 'are not resilient': 88456, 'not resilient we': 571333, 'resilient we might': 714545, 'we might think': 972378, 'might think imagine': 531143, 'think imagine what': 885303, 'imagine what will': 416825, 'will happen if': 993596, 'happen if we': 377100, 'if we face': 415281, 'we face shortage': 971519, 'face shortage in': 294750, 'shortage in food': 765014, 'in food supply': 422990, 'food supply due': 316949, 'to the depletion': 916636, 'the depletion of': 853150, 'depletion of scarce': 237433, 'of scarce natural': 589381, 'scarce natural resource': 740802, 'natural resource circulareconomy': 552858, 'resource circulareconomy offer': 714746, 'circulareconomy offer solution': 178657, 'ruthless': 728699, 'korea business': 477457, 'business aren': 143397, 'aren hiking': 92436, 'during fight': 262641, 'country business': 210526, 'extremely ruthless': 293921, 'in south korea': 428131, 'south korea business': 786737, 'korea business aren': 477458, 'business aren hiking': 143398, 'aren hiking price': 92437, 'price during fight': 673621, 'during fight in': 262642, 'fight in other': 304779, 'in other country': 426238, 'other country business': 620013, 'country business are': 210527, 'business are extremely': 143363, 'are extremely ruthless': 86397, 'conveniently': 202434, 'all experiencing': 42726, 'experiencing with': 291723, 'up page': 945733, 'page on': 633877, 'our app': 622086, 'to conveniently': 903464, 'conveniently buy': 202435, 'buy protection': 149110, 'protection gear': 685462, 'gear at': 344942, 'lowest possible': 506204, 'possible price': 665741, 'hello we are': 389247, 'we are here': 970588, 'here to help': 393715, 'help to step': 390793, 'step up in': 799691, 'face of what': 294681, 'are all experiencing': 84304, 'all experiencing with': 42727, 'experiencing with covid': 291724, 'have set up': 382491, 'set up page': 753570, 'up page on': 945734, 'page on our': 633880, 'on our app': 602575, 'our app for': 622087, 'app for you': 81712, 'you to conveniently': 1021763, 'to conveniently buy': 903465, 'conveniently buy protection': 202436, 'buy protection gear': 149111, 'protection gear at': 685463, 'gear at the': 344944, 'at the lowest': 101009, 'the lowest possible': 859818, 'lowest possible price': 506205, 'possible price and': 665742, 'surprise the': 828550, 'digital economy': 242558, 'been growing': 121239, 'growing faster': 367191, 'economy whole': 268351, 'whole in': 990244, 'fact ecommerce': 295709, 'huge surprise the': 410230, 'surprise the digital': 828551, 'the digital economy': 853284, 'digital economy ha': 242559, 'economy ha been': 267916, 'ha been growing': 369819, 'been growing faster': 121242, 'growing faster than': 367193, 'than the economy': 841231, 'the economy whole': 854040, 'economy whole in': 268352, 'whole in march': 990246, 'in march in': 425107, 'march in fact': 515391, 'in fact ecommerce': 422759, 'fact ecommerce ha': 295710, 'nickel': 562589, 'sulphate': 817858, 'q1': 691396, 'china impacted': 176720, 'impacted nickel': 418135, 'nickel sulphate': 562594, 'sulphate supply': 817859, 'in q1': 427149, 'q1 with': 691410, 'widespread closure': 991834, 'the nickel': 861790, 'nickel supply': 562596, 'chain likely': 170895, 'likely over': 492072, 'week read': 976789, 'latest price': 481507, 'price analysis': 672349, 'analysis here': 57051, 'the closure in': 851052, 'closure in china': 183908, 'in china impacted': 421406, 'china impacted nickel': 176721, 'impacted nickel sulphate': 418136, 'nickel sulphate supply': 562595, 'sulphate supply in': 817860, 'supply in q1': 825407, 'in q1 with': 427152, 'q1 with more': 691411, 'with more widespread': 999567, 'more widespread closure': 540984, 'widespread closure in': 991835, 'closure in the': 183912, 'in the nickel': 429398, 'the nickel supply': 861791, 'nickel supply chain': 562597, 'supply chain likely': 824986, 'chain likely over': 170896, 'likely over the': 492073, 'over the coming': 630704, 'coming week read': 188285, 'week read latest': 976791, 'read latest price': 700397, 'latest price analysis': 481509, 'price analysis here': 672351, 'nurse unable': 577528, 'long shift': 501623, 'shift make': 758351, 'make emotional': 509871, 'emotional plea': 273292, 'plea for': 659541, 'nurse unable to': 577529, 'buy food after': 148630, 'food after long': 313042, 'after long shift': 35888, 'long shift make': 501628, 'shift make emotional': 758352, 'make emotional plea': 509872, 'emotional plea for': 273294, 'plea for public': 659545, 'for public to': 324854, 'public to stop': 688378, 'all dressed': 42630, 'dressed up': 258702, 'weekend coronacrisisuk': 977335, 'how to beat': 408981, 'to beat the': 901657, 'beat the supermarket': 118563, 'queue and get': 693863, 'and get all': 63561, 'get all dressed': 346518, 'all dressed up': 42631, 'dressed up this': 258705, 'up this weekend': 946286, 'this weekend coronacrisisuk': 891308, 'tolerated': 923812, 'on tuesday': 604872, 'tuesday will': 935203, 'at placing': 100129, 'placing measure': 657945, 'consumer limit': 198045, 'limit for': 492344, 'certain essential': 169996, 'hiking will': 396431, 'be tolerated': 117753, 'tolerated panicbuying': 923815, 'meeting on tuesday': 527739, 'on tuesday will': 604894, 'tuesday will look': 935204, 'will look at': 994036, 'look at placing': 502285, 'at placing measure': 100130, 'placing measure on': 657946, 'measure on consumer': 525280, 'on consumer limit': 600060, 'consumer limit for': 198046, 'limit for certain': 492345, 'for certain essential': 319995, 'certain essential item': 169997, 'essential item and': 281187, 'item and retail': 463073, 'and retail price': 70440, 'retail price hiking': 718410, 'price hiking will': 674547, 'hiking will not': 396432, 'not be tolerated': 568474, 'be tolerated panicbuying': 117755, 'uob': 944096, 'uob construction': 944097, 'construction thailand': 195826, 'thailand minimal': 840102, 'minimal impact': 533064, 'outbreak share': 628617, 'cheap valuation': 174225, 'valuation sector': 952065, 'sector construction': 744131, 'construction small': 195818, 'small impact': 774994, 'outbreak sector': 628603, 'sector performance': 744295, 'performance on': 651457, 'of recovery': 588845, 'recovery maintain': 705357, 'maintain overweight': 509008, 'overweight on': 631698, 'on cheap': 599886, 'cheap equity': 174100, 'equity stock': 279970, 'uob construction thailand': 944098, 'construction thailand minimal': 195827, 'thailand minimal impact': 840103, 'minimal impact from': 533065, '19 outbreak share': 9184, 'outbreak share price': 628618, 'share price at': 755161, 'price at cheap': 672796, 'at cheap valuation': 98239, 'cheap valuation sector': 174226, 'valuation sector construction': 952066, 'sector construction small': 744132, 'construction small impact': 195819, 'small impact from': 774995, '19 outbreak sector': 9180, 'outbreak sector performance': 628604, 'sector performance on': 744296, 'performance on the': 651459, 'on the path': 604277, 'path of recovery': 644022, 'of recovery maintain': 588848, 'recovery maintain overweight': 705358, 'maintain overweight on': 509009, 'overweight on cheap': 631699, 'on cheap equity': 599887, 'cheap equity stock': 174101, 'meantime': 524918, 'stayathomechallenge': 797728, 'footy': 318593, 'meantime at': 524919, 'at tpchallenge': 101351, 'tpchallenge quarantinelife': 928051, 'quarantinelife stayathomechallenge': 693014, 'stayathomechallenge footy': 797731, 'footy toiletpaper': 318594, 'toiletpaper shelterinplace': 922452, 'shelterinplace boredom': 757988, 'boredom uklockdown': 135414, 'meantime at tpchallenge': 524920, 'at tpchallenge quarantinelife': 101352, 'tpchallenge quarantinelife stayathomechallenge': 928052, 'quarantinelife stayathomechallenge footy': 693015, 'stayathomechallenge footy toiletpaper': 797732, 'footy toiletpaper shelterinplace': 318595, 'toiletpaper shelterinplace boredom': 922453, 'shelterinplace boredom uklockdown': 757989, 'disappearing': 244076, 'article supermarket': 94471, 'supermarket shake': 822395, 'shake up': 754430, 'what disappearing': 981328, 'disappearing from': 244079, 'from shelf': 337241, 'shelf the': 757645, 'new daily': 558586, 'interesting article supermarket': 441514, 'article supermarket shake': 94472, 'supermarket shake up': 822396, 'shake up what': 754432, 'up what disappearing': 946565, 'what disappearing from': 981329, 'disappearing from shelf': 244080, 'from shelf the': 337244, 'shelf the new': 757652, 'the new daily': 861489, 'show egg': 766929, 'are significantly': 90126, 'significantly on': 769596, 'rise demand': 722821, 'increased amid': 433194, 'data show egg': 226408, 'show egg price': 766930, 'price are significantly': 672735, 'are significantly on': 90128, 'significantly on the': 769598, 'the rise demand': 865848, 'rise demand ha': 722823, 'demand ha increased': 235609, 'ha increased amid': 370943, 'increased amid the': 433195, 'at venezuelan': 101439, 'venezuelan grocery': 954458, 'section at': 743998, 'at dallas': 98404, 'dallas super': 225132, 'super market': 818540, 'empty shelf at': 275050, 'shelf at venezuelan': 756857, 'at venezuelan grocery': 101440, 'venezuelan grocery store': 954459, 'store no the': 809090, 'no the meat': 565697, 'meat section at': 525731, 'section at dallas': 743999, 'at dallas super': 98405, 'dallas super market': 225133, 'breaking union': 139077, 'union minister': 941908, 'amp public': 54348, 'distribution tweeted': 248245, 'sanitizer would': 736151, '100 while': 2128, 'while price': 987167, 'be and': 113618, 'mask 10': 518250, '10 till': 1716, 'till june': 896042, 'june 30': 467994, '30 2020': 16930, 'breaking union minister': 139078, 'union minister of': 941909, 'minister of consumer': 533424, 'affair food amp': 34036, 'food amp public': 313145, 'amp public distribution': 54349, 'public distribution tweeted': 687955, 'distribution tweeted that': 248246, 'tweeted that retail': 936452, 'that retail price': 846037, 'price of 200': 675395, 'ml bottle of': 534712, 'hand sanitizer would': 375674, 'sanitizer would not': 736153, 'than 100 while': 840165, '100 while price': 2129, 'while price of': 987173, 'of ply mask': 588184, 'ply mask to': 661777, 'mask to be': 519393, 'to be and': 901107, 'be and that': 113621, 'and that of': 73205, 'that of ply': 845451, 'ply mask 10': 661773, 'mask 10 till': 518251, '10 till june': 1717, 'till june 30': 896043, 'june 30 2020': 467995, 'pending': 646472, 'abates': 24232, 'building sale': 142135, 'sale number': 732376, 'of pending': 587856, 'pending sale': 646484, 'sale failed': 732203, 'happen when': 377201, 'get financing': 347013, 'financing many': 306737, 'have put': 382110, 'put sale': 690803, 'sale on': 732416, 'hold until': 400037, 'until buyer': 943704, 'buyer can': 149599, 'can look': 158902, 'at property': 100212, 'property some': 684361, 'some industry': 783110, 'say price': 739074, 'fall 25': 296798, '25 or': 15934, 'more once': 539936, 'once covid': 605612, '19 abates': 4778, 'building sale number': 142136, 'sale number of': 732378, 'number of pending': 576971, 'of pending sale': 587857, 'pending sale failed': 646485, 'sale failed to': 732204, 'failed to happen': 296177, 'to happen when': 907167, 'happen when they': 377206, 'when they could': 984250, 'could not get': 209443, 'not get financing': 569586, 'get financing many': 347014, 'financing many others': 306738, 'many others have': 514450, 'others have put': 621451, 'have put sale': 382118, 'put sale on': 690804, 'sale on hold': 732417, 'on hold until': 601344, 'hold until buyer': 400038, 'until buyer can': 943705, 'buyer can look': 149601, 'can look at': 158903, 'look at property': 502289, 'at property some': 100213, 'property some industry': 684362, 'some industry expert': 783112, 'industry expert say': 435816, 'expert say price': 291956, 'say price could': 739075, 'could fall 25': 209161, 'fall 25 or': 296799, '25 or more': 15935, 'or more once': 616182, 'more once covid': 539937, 'once covid 19': 605613, 'covid 19 abates': 212568, 'listener': 494784, 'tova': 927090, 'jessica': 465253, 'mutch': 547062, 'jenna': 465082, 'lynch': 507116, 'idea we': 413223, 'proper journalist': 684115, 'journalist from': 467435, 'the listener': 859476, 'listener metro': 494785, 'metro etc': 529918, 'do question': 250017, 'question time': 693771, 'time after': 896211, 'after each': 35593, 'each covid': 264024, 'update tova': 947277, 'tova brian': 927091, 'brian jessica': 139560, 'jessica mutch': 465256, 'mutch jenna': 547063, 'jenna lynch': 465083, 'lynch and': 507117, 'co can': 184820, 'go help': 353641, 'help stack': 390560, 'stack shelf': 791980, 'an idea we': 56136, 'idea we get': 413225, 'we get the': 971630, 'get the proper': 348287, 'the proper journalist': 864675, 'proper journalist from': 684116, 'journalist from the': 467436, 'from the listener': 337776, 'the listener metro': 859477, 'listener metro etc': 494786, 'metro etc to': 529919, 'etc to do': 282833, 'to do question': 904546, 'do question time': 250018, 'question time after': 693772, 'time after each': 896212, 'after each covid': 35594, 'each covid 19': 264025, '19 update tova': 11690, 'update tova brian': 947278, 'tova brian jessica': 927092, 'brian jessica mutch': 139561, 'jessica mutch jenna': 465257, 'mutch jenna lynch': 547064, 'jenna lynch and': 465084, 'lynch and co': 507118, 'and co can': 60037, 'co can go': 184821, 'can go help': 158498, 'go help stack': 353642, 'help stack shelf': 390561, 'stack shelf at': 791983, 'shelf at the': 756854, 'ncci': 553308, 'on ncci': 602347, 'ncci consumer': 553309, 'consumer directed': 197209, 'directed personal': 243413, 'personal assistance': 652787, 'assistance program': 96730, 'program during': 683237, 'update on ncci': 947124, 'on ncci consumer': 602348, 'ncci consumer directed': 553310, 'consumer directed personal': 197210, 'directed personal assistance': 243414, 'personal assistance program': 652788, 'assistance program during': 96733, 'shell': 757870, 'forgot': 329390, 'norwegian sovereign': 567852, 'sovereign wealth': 786947, 'wealth fund': 974162, 'fund double': 341394, 'double it': 256023, 'it share': 461005, 'share in': 755052, 'in shell': 427881, 'shell yes': 757885, 'yes share': 1015525, 'stay low': 797120, 'low already': 505111, 'already prior': 47590, 'amp oil': 54214, 'oil amp': 596602, 'gas sector': 344082, 'sector wa': 744387, 'wa showing': 963219, 'of permanent': 588051, 'permanent decline': 652044, 'decline have': 231334, 'have they': 383086, 'they forgot': 882133, 'forgot about': 329391, 'norwegian sovereign wealth': 567853, 'sovereign wealth fund': 786948, 'wealth fund double': 974163, 'fund double it': 341395, 'double it share': 256026, 'it share in': 461006, 'share in shell': 755056, 'in shell yes': 427882, 'shell yes share': 757886, 'yes share price': 1015526, 'share price are': 755160, 'are low but': 87922, 'low but they': 505165, 'they are likely': 881326, 'likely to stay': 492179, 'to stay low': 915297, 'stay low already': 797121, 'low already prior': 505112, 'already prior to': 47591, 'prior to 19': 678368, 'to 19 amp': 899533, '19 amp oil': 4964, 'amp oil price': 54217, 'price war the': 677375, 'war the oil': 966548, 'the oil amp': 862103, 'oil amp gas': 596603, 'amp gas sector': 53861, 'gas sector wa': 344088, 'sector wa showing': 744389, 'wa showing sign': 963220, 'sign of permanent': 769165, 'of permanent decline': 588052, 'permanent decline have': 652045, 'decline have they': 231335, 'have they forgot': 383088, 'they forgot about': 882134, 'forgot about the': 329393, 'it funny': 458188, 'say how': 738773, 'how carers': 407538, 'carers delivery': 164573, 'cleaner etc': 180776, 'all unskilled': 45323, 'risk our': 723806, '19 hmm': 7555, 'isn it funny': 454565, 'it funny how': 458190, 'funny how people': 341742, 'how people go': 408502, 'people go on': 648084, 'go on to': 353901, 'on to say': 604758, 'to say how': 913823, 'say how carers': 738774, 'how carers delivery': 407539, 'carers delivery driver': 164574, 'supermarket staff cleaner': 822826, 'staff cleaner etc': 792322, 'cleaner etc are': 180777, 'etc are all': 282416, 'are all unskilled': 84369, 'all unskilled worker': 45324, 'unskilled worker but': 943491, 'worker but now': 1006559, 'now you all': 576499, 'you all have': 1016885, 'all have to': 43064, 'have to rely': 383277, 'rely on to': 709656, 'on to risk': 604757, 'to risk our': 913602, 'risk our health': 723807, 'our health to': 623381, 'health to keep': 386920, 'you going through': 1018882, 'going through covid': 355498, 'covid 19 hmm': 213211, 'quyen': 695040, 'truong': 934228, 'weighs': 977684, 'stroock': 814250, 'quyen truong': 695041, 'truong weighs': 934229, 'weighs in': 977687, 'on discussion': 600339, 'discussion about': 245013, 'protect elderly': 684819, 'elderly consumer': 270633, 'consumer from': 197552, 'from fraud': 335555, 'fraud during': 331258, 'recent article': 703817, 'article read': 94436, 'here stroock': 393612, 'quyen truong weighs': 695042, 'truong weighs in': 934230, 'weighs in on': 977688, 'in on discussion': 426116, 'on discussion about': 600340, 'discussion about the': 245014, 'about the need': 26458, 'to protect elderly': 912301, 'protect elderly consumer': 684820, 'elderly consumer from': 270634, 'consumer from fraud': 197556, 'from fraud during': 335556, 'fraud during the': 331259, 'pandemic in recent': 635706, 'in recent article': 427314, 'recent article read': 703818, 'article read more': 94437, 'more here stroock': 539432, 'same nigerian': 733173, 'that standing': 846454, 'sun for': 818065, 'nigerian are': 562832, 'corona the': 204220, 'who send': 989593, 'you message': 1019841, 'message about': 529249, 'about religion': 26073, 'religion and': 709555, 'end it': 275854, 'with swearing': 1001102, 'swearing if': 830053, 'not forward': 569524, 'forward it': 329989, 'the same nigerian': 866264, 'same nigerian who': 733177, 'nigerian who believe': 562903, 'who believe that': 988312, 'believe that standing': 126351, 'that standing in': 846455, 'in the sun': 429584, 'the sun for': 868410, 'sun for three': 818068, 'for three hour': 327174, 'three hour will': 893956, 'hour will kill': 406100, 'kill the the': 474523, 'the the same': 869398, 'same nigerian are': 733174, 'nigerian are increasing': 562833, 'are increasing the': 87493, 'due to corona': 261742, 'to corona the': 903531, 'corona the same': 204224, 'nigerian who send': 562905, 'who send you': 989594, 'send you message': 749985, 'you message about': 1019842, 'message about religion': 529251, 'about religion and': 26074, 'religion and end': 709556, 'and end it': 62112, 'end it with': 275855, 'it with swearing': 462479, 'with swearing if': 1001103, 'swearing if you': 830054, 'do not forward': 249742, 'not forward it': 569525, 'fold': 312042, 'kes3': 473157, 'kes38': 473160, 'trying very': 934899, 'acquire protective': 29159, 'gear for': 344947, 'patient to': 644276, 'limit spread': 492497, 'some supplier': 784013, 'price ten': 676765, 'ten fold': 837779, 'fold surgical': 312059, 'mask used': 519469, 'cost kes3': 207991, 'kes3 each': 473158, 'each now': 264129, 'cheapest is': 174307, 'is kes38': 449183, 'hospital are trying': 404308, 'are trying very': 91222, 'trying very hard': 934900, 'very hard to': 955215, 'hard to acquire': 378048, 'to acquire protective': 900001, 'acquire protective gear': 29160, 'protective gear for': 685754, 'gear for healthcare': 344950, 'worker and for': 1006296, 'and for patient': 63153, 'for patient to': 324420, 'patient to limit': 644278, 'to limit spread': 909301, 'limit spread of': 492498, 'of 19 some': 579412, '19 some supplier': 10698, 'some supplier are': 784014, 'supplier are hoarding': 824495, 'are hoarding them': 87210, 'them and increasing': 875380, 'and increasing price': 65126, 'increasing price ten': 433681, 'price ten fold': 676766, 'ten fold surgical': 837781, 'fold surgical mask': 312060, 'surgical mask used': 828372, 'mask used to': 519471, 'used to cost': 950046, 'to cost kes3': 903597, 'cost kes3 each': 207992, 'kes3 each now': 473159, 'each now the': 264130, 'now the cheapest': 576033, 'the cheapest is': 850739, 'cheapest is kes38': 174308, 'damn straight': 225429, 'straight janitor': 812221, 'janitor grocery': 464551, 'personnel truck': 653166, 'driver cleaning': 259487, 'cleaning crew': 180927, 'crew and': 216678, 'professional are': 682403, 'true of': 933143, 'world thanks': 1010037, 'damn straight janitor': 225430, 'straight janitor grocery': 812222, 'janitor grocery store': 464552, 'store personnel truck': 809523, 'personnel truck driver': 653167, 'truck driver cleaning': 932768, 'driver cleaning crew': 259488, 'cleaning crew and': 180928, 'crew and most': 216680, 'most of all': 542540, 'of all medical': 579961, 'all medical professional': 43493, 'medical professional are': 526328, 'professional are the': 682406, 'are the true': 90924, 'the true of': 870055, 'true of this': 933144, 'of this world': 592075, 'this world thanks': 891518, 'world thanks to': 1010039, 'of you for': 593385, 'doing your job': 252885, 'potter': 667262, 'apothecary': 81659, 'peoria based': 650626, 'based potter': 111715, 'potter house': 667263, 'house apothecary': 406193, 'apothecary used': 81662, 'used their': 950020, 'their resource': 874561, 'for peoria': 324475, 'peoria police': 650631, 'and firefighter': 62918, 'firefighter thank': 308234, 'peoria based potter': 650627, 'based potter house': 111716, 'potter house apothecary': 667264, 'house apothecary used': 406194, 'apothecary used their': 81663, 'used their resource': 950021, 'their resource to': 874562, 'resource to make': 714910, 'sanitizer for peoria': 734919, 'for peoria police': 324476, 'peoria police and': 650632, 'police and firefighter': 662902, 'and firefighter thank': 62920, 'firefighter thank you': 308235, 'homebargains': 402596, 'ukgovernment': 938964, 'sainsburys telling': 731793, 'telling there': 837278, 'there over': 878910, '70 staff': 21842, 'with unpaid': 1001909, 'unpaid leave': 943027, 'leave they': 484995, 'only work': 611487, 'work day': 1005027, 'get by': 346727, 'by disgusting': 152361, 'disgusting if': 245414, 'if homebargains': 414240, 'homebargains can': 402597, 'you supermarket': 1021475, 'supermarket convid19uk': 819777, 'convid19uk ukgovernment': 202636, 'ukgovernment ssp': 938967, 'on sainsburys telling': 603259, 'sainsburys telling there': 731795, 'telling there over': 837279, 'there over 70': 878911, 'over 70 staff': 629920, '70 staff to': 21843, 'staff to stay': 792997, 'home with unpaid': 402543, 'with unpaid leave': 1001910, 'unpaid leave they': 943029, 'leave they only': 484996, 'they only work': 882831, 'only work day': 611489, 'work day to': 1005030, 'day to get': 228566, 'to get by': 906432, 'get by disgusting': 346730, 'by disgusting if': 152362, 'disgusting if homebargains': 245415, 'if homebargains can': 414241, 'homebargains can do': 402598, 'do it so': 249512, 'it so can': 461101, 'so can you': 776734, 'can you supermarket': 160340, 'you supermarket convid19uk': 1021478, 'supermarket convid19uk ukgovernment': 819779, 'convid19uk ukgovernment ssp': 202637, 'dejav': 232600, 'store tell': 810517, 'tell clerk': 836928, 'clerk if': 181719, 'you back': 1017365, 'back up': 107424, 'come closer': 187260, 'closer to': 183514, 'grab my': 361509, 'my order': 549607, 'order clerk': 618134, 'clerk step': 181769, 'step back': 799502, 'back customer': 106943, 'customer wow': 223119, 'wow dejav': 1012546, 'dejav of': 232601, 'my dating': 547918, 'dating life': 226801, 'life socialdistanacing': 489055, 'customer at retail': 222145, 'retail store tell': 718708, 'store tell clerk': 810518, 'tell clerk if': 836930, 'clerk if you': 181721, 'if you back': 415397, 'you back up': 1017369, 'back up can': 107426, 'up can come': 944572, 'can come closer': 157931, 'come closer to': 187261, 'closer to grab': 183518, 'to grab my': 906966, 'grab my order': 361510, 'my order clerk': 549609, 'order clerk step': 618135, 'clerk step back': 181770, 'step back customer': 799504, 'back customer wow': 106944, 'customer wow dejav': 223120, 'wow dejav of': 1012547, 'dejav of my': 232602, 'of my dating': 586753, 'my dating life': 547919, 'dating life socialdistanacing': 226802, 'think ve': 885736, 'read such': 700561, 'such disappointing': 816450, 'disappointing headline': 244138, 'headline in': 385998, 'time people': 897462, 'better if': 128336, 'can during': 158173, 'pandemic give': 635490, 'don think ve': 253986, 'think ve read': 885742, 've read such': 953477, 'read such disappointing': 700562, 'such disappointing headline': 816451, 'disappointing headline in': 244139, 'headline in long': 385999, 'long time people': 501775, 'time people can': 897465, 'people can do': 647387, 'can do so': 158117, 'do so much': 250099, 'much better if': 544757, 'better if you': 128337, 'you can during': 1017667, 'can during the': 158174, 'the pandemic give': 862974, 'pandemic give to': 635491, 'give to your': 350798, 'ditto': 248460, 'utensil': 951219, 'eternal': 282930, 'work am': 1004736, 'am fortunate': 50058, 'fortunate that': 329899, 'have job': 381164, 'job that': 466179, 'do from': 249323, 'mother speak': 543168, 'her almost': 391835, 'almost every': 46615, 'day friend': 227651, 'friend ditto': 333577, 'ditto online': 248461, 'become obsessed': 120082, 'with whether': 1002084, 'grocery cooking': 364406, 'cooking utensil': 202928, 'utensil etc': 951224, 'the eternal': 854541, 'eternal hope': 282933, 'work am fortunate': 1004737, 'am fortunate that': 50060, 'fortunate that have': 329900, 'that have job': 844218, 'have job that': 381177, 'job that can': 466181, 'that can do': 843103, 'can do from': 158104, 'do from home': 249324, 'from home my': 335883, 'home my mother': 401641, 'my mother speak': 549338, 'mother speak to': 543169, 'speak to her': 787712, 'to her almost': 907689, 'her almost every': 391836, 'almost every day': 46621, 'every day friend': 285807, 'day friend ditto': 227652, 'friend ditto online': 333578, 'ditto online shopping': 248462, 'online shopping to': 609313, 'shopping to become': 764168, 'to become obsessed': 901681, 'become obsessed with': 120083, 'obsessed with whether': 578674, 'with whether it': 1002085, 'whether it grocery': 985525, 'it grocery cooking': 458354, 'grocery cooking utensil': 364407, 'cooking utensil etc': 202929, 'utensil etc the': 951225, 'etc the eternal': 282796, 'the eternal hope': 854542, 'eternal hope that': 282934, 'whitehouse american': 987943, 'american should': 52191, 'should avoid': 765530, 'avoid groceryshopping': 105135, 'groceryshopping hit': 366266, 'hit apex': 398146, 'apex via': 81453, 'via this': 956323, 'might mean': 531078, 'mean the': 524691, 'whitehouse american should': 987944, 'american should avoid': 52192, 'should avoid groceryshopping': 765531, 'avoid groceryshopping hit': 105136, 'groceryshopping hit apex': 366267, 'hit apex via': 398147, 'apex via this': 81454, 'via this might': 956325, 'this might mean': 888853, 'might mean the': 531079, 'mean the toiletpaper': 524699, 'the toiletpaper shortage': 869735, 'toiletpaper shortage will': 922476, 'shortage will end': 765309, 'begged': 123475, 'theyre': 883964, 'sue': 817155, 'lmao my': 497158, 'job isn': 465913, 'even practicing': 284483, 'distancing 6ft': 246943, 'apart not': 81306, 'only that': 611253, 'time off': 897380, 'off is': 593932, 'is three': 453143, 'three day': 893904, 'no pay': 565084, 'pay wow': 645238, 'wow thanks': 1012597, 'thanks also': 842012, 'also union': 49045, 'union begged': 941871, 'begged the': 123478, 'put hand': 690594, 'sanitizer everywhere': 734840, 'everywhere theyre': 288272, 'theyre greedy': 883967, 'and inconsiderate': 65097, 'inconsiderate will': 432570, 'will sue': 995017, 'sue if': 817158, 'lmao my job': 497159, 'my job isn': 548918, 'job isn even': 465914, 'isn even practicing': 454499, 'even practicing social': 284484, 'social distancing 6ft': 779544, 'distancing 6ft apart': 246944, '6ft apart not': 21596, 'apart not only': 81307, 'not only that': 570833, 'only that our': 611255, 'that our time': 845599, 'our time off': 625147, 'time off is': 897383, 'off is three': 593933, 'is three day': 453144, 'three day with': 893921, 'day with no': 228780, 'with no pay': 999774, 'no pay wow': 565086, 'pay wow thanks': 645239, 'wow thanks also': 1012598, 'thanks also union': 842015, 'also union begged': 49046, 'union begged the': 941872, 'begged the company': 123479, 'the company to': 851356, 'company to put': 191238, 'to put hand': 912590, 'put hand sanitizer': 690596, 'hand sanitizer everywhere': 375390, 'sanitizer everywhere theyre': 734841, 'everywhere theyre greedy': 288273, 'theyre greedy and': 883968, 'greedy and inconsiderate': 363472, 'and inconsiderate will': 65098, 'inconsiderate will sue': 432571, 'will sue if': 995018, 'sue if get': 817159, 'if get sick': 414147, 'domestic steel': 253232, 'ha largely': 371097, 'largely remained': 479866, 'remained firm': 709928, 'firm till': 308436, 'till third': 896111, 'third week': 886112, 'march now': 515419, 'now appears': 574080, 'appears bleak': 82181, 'bleak lockdown': 132550, 'outlook for domestic': 629152, 'for domestic steel': 320814, 'domestic steel price': 253233, 'steel price which': 799356, 'which ha largely': 985889, 'ha largely remained': 371099, 'largely remained firm': 479867, 'remained firm till': 709929, 'firm till third': 308437, 'till third week': 896112, 'third week of': 886113, 'of march now': 586210, 'march now appears': 515420, 'now appears bleak': 574081, 'appears bleak lockdown': 82182, 'racial': 695229, 'the unfair': 870383, 'unfair racial': 941434, 'racial treatment': 695238, 'disease remember': 245218, 'that system': 846609, 'system political': 831292, 'political economic': 663641, 'health contributed': 386305, 'virus becoming': 957994, 'becoming pandemic': 120331, 'concern among': 192912, 'among people': 53044, 'coronavirus ha been': 206019, 'been the unfair': 122170, 'the unfair racial': 870385, 'unfair racial treatment': 941435, 'racial treatment of': 695239, 'treatment of the': 931113, 'the disease remember': 853372, 'disease remember that': 245219, 'remember that system': 710289, 'that system political': 846611, 'system political economic': 831293, 'political economic and': 663642, 'economic and health': 266980, 'and health contributed': 64352, 'health contributed to': 386306, 'the virus becoming': 870803, 'virus becoming pandemic': 957995, 'becoming pandemic and': 120332, 'pandemic and causing': 634863, 'and causing concern': 59645, 'causing concern among': 168010, 'concern among people': 192913, 'among people around': 53046, 'wewillgetthroughthis': 980800, 'at am': 97933, 'am this': 50497, 'morning trying': 541519, 'avoid other': 105199, 'other folk': 620229, 'folk nope': 312225, 'nope there': 566912, 'wa big': 961699, 'big line': 129853, 'line waiting': 493545, 'open shelf': 612493, 'shelf still': 757570, 'not stocked': 571738, 'stocked the': 803416, 'store limiting': 808742, 'limiting every': 492813, 'every item': 285958, 'to item': 908630, 'item only': 463522, 'only leaving': 610713, 'leaving house': 485092, 'supply wewillgetthroughthis': 826090, 'store at am': 806578, 'at am this': 97938, 'am this morning': 50498, 'this morning trying': 889034, 'morning trying to': 541520, 'to avoid other': 900920, 'avoid other folk': 105201, 'other folk nope': 620230, 'folk nope there': 312226, 'nope there wa': 566913, 'there wa big': 879232, 'wa big line': 961702, 'big line waiting': 129854, 'line waiting to': 493550, 'waiting to open': 964408, 'to open shelf': 911005, 'open shelf still': 612494, 'shelf still not': 757574, 'still not stocked': 800906, 'not stocked the': 571740, 'stocked the store': 803418, 'the store limiting': 868048, 'store limiting every': 808743, 'limiting every item': 492814, 'every item to': 285961, 'item to item': 463757, 'to item only': 908633, 'item only leaving': 463526, 'only leaving house': 610714, 'leaving house for': 485093, 'house for supply': 406310, 'for supply wewillgetthroughthis': 326060, 'ashtown': 95132, 'phoenix': 654854, 'nearly for': 553829, 'this tiny': 890718, 'tiny bottle': 898654, 'in ashtown': 420514, 'ashtown phoenix': 95133, 'phoenix park': 654863, 'nearly for this': 553830, 'for this tiny': 327077, 'this tiny bottle': 890719, 'tiny bottle of': 898655, 'sanitizer in ashtown': 735129, 'in ashtown phoenix': 420515, 'ashtown phoenix park': 95134, 'thread stayhomesavelives': 893603, 'stayhomesavelives we': 798489, 'told agree': 923518, 'agree but': 38596, 'but many': 146350, 'tried for': 931776, 'day not': 228024, 'been out': 121617, 'today am': 919176, 'am forced': 50054, 'forced out': 328589, 'told of': 923645, 'the highly': 857356, 'contagious nature': 200437, 'nature of': 552972, 'thread stayhomesavelives we': 893604, 'stayhomesavelives we are': 798490, 'are told agree': 91123, 'told agree but': 923519, 'agree but many': 38598, 'but many can': 146354, 'many can have': 513861, 'can have tried': 158592, 'have tried for': 383401, 'tried for food': 931779, 'delivery for the': 234033, 'last day not': 480181, 'day not been': 228025, 'not been out': 568513, 'been out in': 121621, 'out in day': 626374, 'in day but': 422007, 'day but today': 227412, 'but today am': 147599, 'today am forced': 919177, 'am forced out': 50055, 'forced out to': 328592, 'supermarket we are': 823741, 'are told of': 91125, 'told of the': 923646, 'of the highly': 591104, 'the highly contagious': 857357, 'highly contagious nature': 396048, 'contagious nature of': 200438, 'ate': 101714, 'post about': 665973, 'daughter having': 226856, 'having food': 384070, 'poisoning on': 662809, 'fb without': 300683, 'town flying': 927460, 'flying into': 311674, 'into panic': 442841, 'panic thinking': 638705, '19 she': 10440, 'she ate': 755869, 'ate some': 101729, 'pepperoni guy': 650656, 'even post about': 284480, 'post about my': 665979, 'about my daughter': 25762, 'my daughter having': 547926, 'daughter having food': 226857, 'having food poisoning': 384072, 'food poisoning on': 315880, 'poisoning on fb': 662810, 'on fb without': 600753, 'fb without people': 300684, 'my town flying': 550410, 'town flying into': 927461, 'flying into panic': 311675, 'into panic thinking': 442846, 'panic thinking it': 638706, 'covid 19 she': 213778, '19 she ate': 10441, 'she ate some': 755870, 'ate some bad': 101730, 'bad pepperoni guy': 107976, '14hrs': 3614, 'expressed': 293075, 'arriving': 93999, 'spaghetti': 787244, 'frontline staff': 338823, 'staff work': 793106, 'work upto': 1005955, 'upto 14hrs': 947922, '14hrs grocery': 3615, 'grocery often': 364764, 'often not': 596237, 'available by': 104276, 'by time': 154545, 'shop ha': 760249, 'ha real': 371637, 'real immediate': 701217, 'immediate impact': 416995, 'impact excitement': 417646, 'excitement expressed': 289585, 'expressed by': 293076, 'at central': 98218, 'central london': 169405, 'hospital when': 404711, 'when seen': 983982, 'seen arriving': 746954, 'arriving with': 94015, 'with spaghetti': 1000898, 'spaghetti egg': 787245, 'egg grocery': 269876, 'frontline staff work': 338834, 'staff work upto': 793109, 'work upto 14hrs': 1005956, 'upto 14hrs grocery': 947923, '14hrs grocery often': 3616, 'grocery often not': 364765, 'often not available': 596238, 'not available by': 568298, 'available by time': 104281, 'by time they': 154548, 'they get to': 882184, 'get to shop': 348490, 'to shop ha': 914462, 'shop ha real': 760255, 'ha real immediate': 371640, 'real immediate impact': 701218, 'immediate impact excitement': 416996, 'impact excitement expressed': 417647, 'excitement expressed by': 289586, 'expressed by member': 293077, 'of staff at': 590018, 'staff at central': 792231, 'at central london': 98219, 'central london hospital': 169406, 'london hospital when': 501093, 'hospital when seen': 404713, 'when seen arriving': 983983, 'seen arriving with': 746955, 'arriving with spaghetti': 94016, 'with spaghetti egg': 1000899, 'spaghetti egg grocery': 787246, 'spencer': 788536, 'some 100m': 782237, '100m in': 2193, 'in clothing': 421520, 'clothing order': 184272, 'order have': 618284, 'been cancelled': 120783, 'cancelled by': 161097, 'by mark': 153172, 'mark spencer': 515824, 'spencer the': 788543, 'chain prepares': 171006, 'for store': 325926, 'also frozen': 48243, 'frozen all': 338950, 'all pay': 43930, 'and suspended': 72909, 'suspended all': 829600, 'essential spending': 281572, 'some 100m in': 782238, '100m in clothing': 2194, 'in clothing order': 421521, 'clothing order have': 184273, 'order have been': 618285, 'have been cancelled': 379485, 'been cancelled by': 120786, 'cancelled by mark': 161098, 'by mark spencer': 153174, 'mark spencer the': 515826, 'spencer the chain': 788544, 'the chain prepares': 850632, 'chain prepares for': 171007, 'prepares for store': 670311, 'for store closure': 325927, 'closure amid the': 183829, '19 the company': 11178, 'company ha also': 190705, 'ha also frozen': 369523, 'also frozen all': 48244, 'frozen all pay': 338951, 'all pay rise': 43931, 'pay rise and': 645093, 'rise and suspended': 722785, 'and suspended all': 72910, 'suspended all non': 829602, 'all non essential': 43650, 'non essential spending': 566360, 'mombasa': 535858, 'post in': 666166, 'in mombasa': 425393, 'mombasa crime': 535859, 'crime alert': 216768, 'alert epra': 41400, 'new post in': 559325, 'post in mombasa': 666168, 'in mombasa crime': 425394, 'mombasa crime alert': 535860, 'crime alert epra': 216769, 'alert epra to': 41401, 'xd': 1013800, 'taobao already': 834302, 'already doesn': 47297, 'doesn ship': 251941, 'my country': 547809, 'country xd': 211276, 'xd remember': 1013803, 'isn online': 454607, 'taobao already doesn': 834303, 'already doesn ship': 47298, 'doesn ship to': 251942, 'ship to my': 758724, 'to my country': 910385, 'my country xd': 547817, 'country xd remember': 211277, 'xd remember that': 1013804, 'remember that there': 710291, 'that there isn': 846900, 'there isn online': 878671, 'isn online shopping': 454608, 'online shopping due': 609104, 'magically': 508393, 'not seeing': 571492, 'seeing much': 746371, 'much appreciation': 544726, 'farmer during': 299346, 'crisis most': 217735, 'think fruit': 885255, 'veg milk': 953764, 'meat magically': 525645, 'magically appears': 508396, 'appears on': 82196, 'shelf it': 757248, 'doesn someone': 251945, 'someone ha': 784489, 'ha worked': 372490, 'worked bloody': 1006106, 'bloody hard': 133204, 'your plate': 1025325, 'not seeing much': 571498, 'seeing much appreciation': 746373, 'much appreciation for': 544727, 'appreciation for farmer': 82877, 'for farmer during': 321403, 'farmer during this': 299350, 'this crisis most': 887066, 'crisis most people': 217736, 'most people think': 542627, 'people think fruit': 649831, 'think fruit veg': 885256, 'fruit veg milk': 339168, 'veg milk and': 953765, 'milk and meat': 531563, 'and meat magically': 66857, 'meat magically appears': 525647, 'magically appears on': 508397, 'appears on the': 82197, 'supermarket shelf it': 822485, 'shelf it doesn': 757253, 'it doesn someone': 457641, 'doesn someone ha': 251946, 'someone ha worked': 784494, 'ha worked bloody': 372492, 'worked bloody hard': 1006107, 'bloody hard to': 133205, 'get food on': 347056, 'food on your': 315611, 'on your plate': 605490, 'stabilized': 791869, 'the crypto': 852548, 'crypto market': 219953, 'market crashed': 516252, 'crashed last': 215076, 'month when': 538113, 'pandemic began': 634995, 'began it': 123397, 'it sweep': 461404, 'sweep through': 830173, 'the coin': 851138, 'coin price': 185642, 'have since': 382563, 'since stabilized': 770834, 'stabilized rakamoto': 791872, 'rakamoto saturdaythoughts': 696201, 'saturdaythoughts blockchain': 737111, 'the crypto market': 852550, 'crypto market crashed': 219954, 'market crashed last': 516253, 'crashed last month': 215077, 'last month when': 480346, 'month when the': 538116, 'when the pandemic': 984183, 'the pandemic began': 862918, 'pandemic began it': 634997, 'began it sweep': 123400, 'it sweep through': 461406, 'sweep through the': 830174, 'through the coin': 894725, 'the coin price': 851139, 'coin price have': 185643, 'price have since': 674459, 'have since stabilized': 382565, 'since stabilized rakamoto': 770835, 'stabilized rakamoto saturdaythoughts': 791873, 'rakamoto saturdaythoughts blockchain': 696202, 'saturdaythoughts blockchain crypto': 737112, 'randburg': 696591, '116': 2669, 'coronoavirus': 207146, 'woman doe': 1003471, 'doe her': 251410, 'in randburg': 427245, 'randburg south': 696592, 'africa now': 35113, 'ha 116': 369394, '116 confirmed': 2672, 'of 31': 579569, '31 new': 17597, 'case since': 166011, 'since tuesday': 770952, 'tuesday in': 935157, 'in total': 430216, 'total 14': 926119, '14 local': 3490, 'local transmission': 498659, 'transmission case': 929735, 'case had': 165759, 'been reported': 121824, 'reported coronoavirus': 712479, 'woman doe her': 1003472, 'doe her shopping': 251411, 'her shopping at': 392370, 'shopping at local': 762103, 'supermarket in randburg': 820964, 'in randburg south': 427246, 'randburg south africa': 696593, 'south africa now': 786656, 'africa now ha': 35114, 'now ha 116': 574838, 'ha 116 confirmed': 369395, '116 confirmed case': 2673, '19 an increase': 4973, 'an increase of': 56239, 'increase of 31': 432934, 'of 31 new': 579570, '31 new case': 17598, 'new case since': 558467, 'case since tuesday': 166012, 'since tuesday in': 770953, 'tuesday in total': 935158, 'in total 14': 430217, 'total 14 local': 926120, '14 local transmission': 3491, 'local transmission case': 498660, 'transmission case had': 929736, 'case had been': 165760, 'had been reported': 372908, 'been reported coronoavirus': 121830, 'behavioral': 124329, 'data reveals': 226384, 'reveals behavioral': 720303, 'behavioral impact': 124334, 'brand consumer': 137806, 'consumer relationship': 198682, 'relationship during': 708693, 'data reveals behavioral': 226385, 'reveals behavioral impact': 720304, 'behavioral impact of': 124335, 'impact of brand': 417754, 'of brand consumer': 580826, 'brand consumer relationship': 137808, 'consumer relationship during': 198683, 'relationship during covid': 708694, 'harvey': 378664, 'westbank': 980564, 'goody': 358113, 'pec': 646177, 'we completed': 971160, 'completed five': 192198, 'five below': 309587, 'below in': 126671, 'in harvey': 423562, 'harvey on': 378676, 'the westbank': 871402, 'westbank shout': 980565, 'our awesome': 622154, 'awesome repeat': 106194, 'repeat client': 711503, 'client retail': 182083, 'retail when': 718846, 'shopping restriction': 763747, 'restriction are': 717216, 'are lifted': 87784, 'lifted from': 489486, '19 reward': 10219, 'reward yourself': 720802, 'yourself with': 1026760, 'some goody': 782977, 'goody from': 358114, 'new store': 559664, 'store pec': 809481, 'pec construction': 646178, 'earlier this month': 264493, 'month we completed': 538105, 'we completed five': 971161, 'completed five below': 192199, 'five below in': 309589, 'below in harvey': 126672, 'in harvey on': 423563, 'harvey on the': 378677, 'on the westbank': 604448, 'the westbank shout': 871403, 'westbank shout out': 980566, 'out to our': 627667, 'to our awesome': 911152, 'our awesome repeat': 622156, 'awesome repeat client': 106195, 'repeat client retail': 711504, 'client retail when': 182084, 'retail when the': 718847, 'when the shopping': 984197, 'the shopping restriction': 867073, 'shopping restriction are': 763748, 'restriction are lifted': 717221, 'are lifted from': 87785, 'lifted from covid': 489487, 'covid 19 reward': 213713, '19 reward yourself': 10220, 'reward yourself with': 720803, 'yourself with some': 1026763, 'with some goody': 1000847, 'some goody from': 782978, 'goody from their': 358115, 'from their new': 337944, 'their new store': 874053, 'new store pec': 559669, 'store pec construction': 809482, 'pairing': 634353, 'lockdownextension': 500274, 'pairing my': 634354, 'store mask': 808913, 'with cute': 997908, 'cute shirt': 223669, 'shirt time': 759009, 'changed wednesdaywisdom': 172596, 'wednesdaywisdom lockdownextension': 975740, 'lockdownextension 19': 500275, 'pairing my grocery': 634355, 'grocery store mask': 365555, 'store mask with': 808915, 'mask with cute': 519580, 'with cute shirt': 997909, 'cute shirt time': 223670, 'shirt time have': 759010, 'time have changed': 896892, 'have changed wednesdaywisdom': 379948, 'changed wednesdaywisdom lockdownextension': 172597, 'wednesdaywisdom lockdownextension 19': 975741, 'protection in response': 685487, 'lyn88': 507113, 'sell certified': 748662, 'certified n95': 170245, 'n95 disposable': 551168, 'disposable mask': 246260, 'price free': 674096, 'free shipping': 332152, 'shipping worldwide': 758950, 'worldwide please': 1010406, 'out register': 627098, 'register with': 707629, 'with code': 997684, 'code lyn88': 185378, 'lyn88 to': 507114, 'get cash': 346746, 'cash coupon': 166204, 'coupon which': 211771, 'which you': 986530, 'use for': 949216, 'order corona': 618151, 'corona mask': 204059, 'mask facemasks': 518643, 'facemasks n95': 295154, 'we sell certified': 973193, 'sell certified n95': 748663, 'certified n95 disposable': 170246, 'n95 disposable mask': 551169, 'disposable mask at': 246262, 'mask at very': 518435, 'reasonable price free': 703120, 'price free shipping': 674099, 'free shipping worldwide': 332165, 'shipping worldwide please': 758953, 'worldwide please check': 1010407, 'check out register': 174574, 'out register with': 627100, 'register with code': 707630, 'with code lyn88': 997686, 'code lyn88 to': 185379, 'lyn88 to get': 507115, 'to get cash': 906434, 'get cash coupon': 346747, 'cash coupon which': 166205, 'coupon which you': 211772, 'which you can': 986531, 'can use for': 160092, 'use for your': 949224, 'for your order': 328184, 'your order corona': 1025100, 'order corona mask': 618152, 'corona mask facemasks': 204060, 'mask facemasks n95': 518644, 'naming': 551752, 'obscene': 578507, 'with store': 1000989, 'store raising': 809730, 'free market': 331948, 'market there': 517204, 'also nothing': 48580, 'with naming': 999672, 'naming and': 551753, 'and shaming': 71377, 'shaming store': 754762, 'that raise': 845932, 'by obscene': 153385, 'obscene amount': 578510, 'amount on': 53269, 'item solely': 463653, 'solely to': 781872, 'profit customer': 682704, 'customer may': 222596, 'may choose': 521084, 'business elsewhere': 143694, 'is nothing wrong': 450243, 'wrong with store': 1013163, 'with store raising': 1000995, 'store raising price': 809731, 'raising price but': 696109, 'price but in': 672977, 'but in free': 146025, 'in free market': 423100, 'free market there': 331956, 'market there is': 517206, 'is also nothing': 445569, 'also nothing wrong': 48581, 'wrong with naming': 1013156, 'with naming and': 999673, 'naming and shaming': 551754, 'and shaming store': 71379, 'shaming store that': 754763, 'store that raise': 810566, 'that raise price': 845933, 'raise price by': 695909, 'price by obscene': 673028, 'by obscene amount': 153386, 'obscene amount on': 578512, 'amount on essential': 53271, 'on essential item': 600589, 'essential item solely': 281228, 'item solely to': 463654, 'solely to make': 781874, 'make profit customer': 510361, 'profit customer may': 682706, 'customer may choose': 222598, 'may choose to': 521085, 'choose to take': 177918, 'take their business': 832688, 'their business elsewhere': 872679, 'spglobal': 789196, 'platts': 659085, 'argo': 92658, 'oversupplied': 631567, 'sophie': 785963, 'spglobal platts': 789197, 'platts valued': 659090, 'valued the': 952265, 'chicago argo': 175646, 'argo terminal': 92671, 'terminal market': 838364, 'market at': 516041, 'at 99': 97816, 'lowest value': 506240, 'value on': 952174, 'on record': 603097, 'demand fear': 235331, 'fear falling': 301108, 'falling gasoline': 297275, 'price put': 676035, 'put pressure': 690784, 'an oversupplied': 56760, 'oversupplied ethanol': 631568, 'ethanol market': 282990, 'market sophie': 517084, 'sophie sp': 785967, 'sp global': 787009, 'global platts': 352130, 'spglobal platts valued': 789199, 'platts valued the': 659091, 'valued the chicago': 952266, 'the chicago argo': 850802, 'chicago argo terminal': 175647, 'argo terminal market': 92672, 'terminal market at': 838365, 'market at 99': 516042, 'at 99 cent': 97818, 'the lowest value': 859824, 'lowest value on': 506242, 'value on record': 952175, 'on record demand': 603100, 'record demand fear': 704938, 'demand fear falling': 235332, 'fear falling gasoline': 301109, 'falling gasoline price': 297276, 'gasoline price put': 344267, 'price put pressure': 676037, 'put pressure on': 690785, 'pressure on an': 671200, 'on an oversupplied': 599336, 'an oversupplied ethanol': 56761, 'oversupplied ethanol market': 631569, 'ethanol market sophie': 282992, 'market sophie sp': 517086, 'sophie sp global': 785968, 'sp global platts': 787010, 'adobe': 32650, 'clickandcollect': 181967, 'phyigital': 655355, 'adobe ha': 32654, 'ha found': 370671, 'found that': 330391, '19 disease': 6563, 'disease online': 245195, 'increased including': 433352, 'including buy': 431897, 'online pickup': 608754, 'pickup in': 655974, 'store clickandcollect': 807042, 'clickandcollect ecommerce': 181968, 'ecommerce phyigital': 266832, 'phyigital logistics': 655356, 'logistics supplychain': 500803, 'adobe ha found': 32655, 'ha found that': 370676, 'found that due': 330399, 'covid 19 disease': 212960, '19 disease online': 6565, 'disease online shopping': 245196, 'shopping ha increased': 762827, 'ha increased including': 370949, 'increased including buy': 433353, 'including buy online': 431898, 'buy online pickup': 149049, 'online pickup in': 608757, 'pickup in store': 655977, 'in store clickandcollect': 428394, 'store clickandcollect ecommerce': 807043, 'clickandcollect ecommerce phyigital': 181969, 'ecommerce phyigital logistics': 266833, 'phyigital logistics supplychain': 655357, 'guy going': 369006, 'going crazy': 355093, 'crazy so': 215419, 'so tired': 778527, 'that cannot': 843135, 'anything cannot': 80705, 'job no': 466020, 'money anymore': 536610, 'guy going crazy': 369007, 'going crazy so': 355101, 'crazy so tired': 215421, 'so tired of': 778530, 'tired of being': 899040, 'of being at': 580634, 'being at home': 124877, 'home that cannot': 402215, 'that cannot do': 843139, 'cannot do anything': 161756, 'do anything cannot': 249088, 'anything cannot even': 80706, 'cannot even go': 161794, 'work and cannot': 1004766, 'cannot shop online': 162094, 'shop online because': 760563, 'online because do': 607917, 'not have job': 569846, 'have job no': 381174, 'job no money': 466023, 'no money anymore': 564779, 'outweigh': 629723, 'absurdity': 27515, 'captain log': 162920, 'log socialdistancing': 500622, 'day 26': 227131, 'what point': 982037, 'point doe': 662465, 'my desire': 547983, 'to bake': 901005, 'bake but': 108742, 'still avoid': 800231, 'store outweigh': 809412, 'outweigh the': 629724, 'the absurdity': 848261, 'absurdity of': 27516, 'of ordering': 587344, 'ordering 50': 618938, '50 pound': 19820, 'pound bag': 667360, 'captain log socialdistancing': 162922, 'log socialdistancing day': 500623, 'socialdistancing day 26': 780310, 'day 26 at': 227132, '26 at what': 16154, 'at what point': 101531, 'what point doe': 982039, 'point doe my': 662466, 'doe my desire': 251459, 'my desire to': 547984, 'desire to bake': 238425, 'to bake but': 901006, 'bake but still': 108743, 'but still avoid': 147156, 'still avoid the': 800233, 'avoid the grocery': 105323, 'grocery store outweigh': 365630, 'store outweigh the': 809413, 'outweigh the absurdity': 629725, 'the absurdity of': 848262, 'absurdity of ordering': 27517, 'of ordering 50': 587345, 'ordering 50 pound': 618939, '50 pound bag': 19821, 'pound bag of': 667361, 'on the internet': 604188, 'strategist': 812576, 'ellen': 271546, 'zentner': 1027384, 'investor reacted': 444197, 'reacted strongly': 700157, 'strongly price': 814235, 'worry disrupted': 1010690, 'disrupted market': 246404, 'market chief': 516165, 'chief cross': 175909, 'cross asset': 218984, 'asset strategist': 96474, 'strategist andrew': 812579, 'andrew sheet': 76198, 'and chief': 59821, 'economist ellen': 267544, 'ellen zentner': 271549, 'zentner debate': 1027385, 'debate what': 230323, 'investor reacted strongly': 444198, 'reacted strongly price': 700158, 'strongly price and': 814236, 'price and worry': 672585, 'and worry disrupted': 75908, 'worry disrupted market': 1010691, 'disrupted market chief': 246405, 'market chief cross': 516166, 'chief cross asset': 175910, 'cross asset strategist': 218985, 'asset strategist andrew': 96475, 'strategist andrew sheet': 812580, 'andrew sheet and': 76199, 'sheet and chief': 756594, 'and chief economist': 59822, 'chief economist ellen': 175916, 'economist ellen zentner': 267545, 'ellen zentner debate': 271550, 'zentner debate what': 1027386, 'debate what next': 230324, 'statist': 796566, 'this statist': 890306, 'statist probably': 796567, 'probably blame': 679222, 'blame capitalism': 132243, 'capitalism for': 162750, 'emptying shelf': 275276, 'shelf you': 757843, 'll hate': 496822, 'hate life': 378893, 'life when': 489201, 'when shit': 984012, 'shit really': 759200, 'really hit': 702297, 'isn replenished': 454644, 'replenished collapse': 711664, 'collapse what': 186071, 'this statist probably': 890307, 'statist probably blame': 796568, 'probably blame capitalism': 679223, 'blame capitalism for': 132244, 'capitalism for people': 162751, 'for people panic': 324459, 'and emptying shelf': 62090, 'emptying shelf you': 275282, 'shelf you ll': 757849, 'you ll hate': 1019656, 'll hate life': 496823, 'hate life when': 378894, 'life when shit': 489204, 'when shit really': 984013, 'shit really hit': 759202, 'really hit the': 702298, 'fan and food': 298500, 'and food isn': 63063, 'food isn replenished': 315168, 'isn replenished collapse': 454645, 'replenished collapse what': 711665, 'moisturize': 535607, 'irritation': 445115, 'dryness': 261345, 'it worldhealthday': 462539, 'worldhealthday so': 1010245, 'time especially': 896623, 'you wash': 1022173, 'thoroughly use': 891761, 'sanitizer moisturize': 735374, 'moisturize throughout': 535608, 'day read': 228268, 'read how': 700360, 'avoid irritation': 105162, 'irritation dryness': 445116, 'dryness on': 261346, 'it worldhealthday so': 462540, 'worldhealthday so we': 1010246, 'so we want': 778689, 'take this time': 832719, 'this time especially': 890634, 'time especially in': 896625, 'pandemic to remind': 636791, 'remind you wash': 710519, 'you wash your': 1022175, 'hand thoroughly use': 375851, 'thoroughly use hand': 891762, 'hand sanitizer moisturize': 375492, 'sanitizer moisturize throughout': 735375, 'moisturize throughout the': 535609, 'throughout the day': 894970, 'the day read': 852907, 'day read how': 228269, 'read how to': 700364, 'to avoid irritation': 900912, 'avoid irritation dryness': 105163, 'irritation dryness on': 445117, 'dryness on our': 261347, 'pvvnl': 691359, 'transition': 929663, 'the respected': 865604, 'respected consumer': 715101, 'of pvvnl': 588630, 'pvvnl are': 691360, 'are requested': 89606, 'requested to': 713256, 'pay their': 645156, 'outstanding electricity': 629695, 'electricity bill': 271151, 'bill also': 130495, 'also through': 49011, 'online facility': 608188, '19 corona': 6047, 'corona transition': 204259, 'transition please': 929680, 'please click': 659788, 'click on': 181930, 'all the respected': 44888, 'the respected consumer': 865605, 'respected consumer of': 715102, 'consumer of pvvnl': 198249, 'of pvvnl are': 588631, 'pvvnl are requested': 691361, 'are requested to': 89607, 'requested to pay': 713258, 'to pay their': 911565, 'pay their outstanding': 645160, 'their outstanding electricity': 874151, 'outstanding electricity bill': 629696, 'electricity bill also': 271152, 'bill also through': 130496, 'also through online': 49012, 'through online facility': 894599, 'online facility in': 608189, 'facility in view': 295349, 'covid 19 corona': 212864, '19 corona transition': 6056, 'corona transition please': 204260, 'transition please click': 929681, 'please click on': 659791, 'click on this': 181936, 'country music': 210909, 'music star': 546338, 'paisley are': 634373, 'ensure nashville': 277989, 'nashville senior': 552026, 'senior community': 750262, 'is taken': 452526, 'country music star': 210910, 'music star brad': 546339, 'williams paisley are': 995448, 'paisley are doing': 634375, 'are doing their': 85930, 'their part to': 874252, 'part to ensure': 642463, 'to ensure nashville': 905174, 'ensure nashville senior': 277990, 'nashville senior community': 552027, 'senior community is': 750263, 'community is taken': 189936, 'is taken care': 452527, 'coloradocovid19': 186828, 'of since': 589739, 'home bare': 400759, 'bare shelf': 110945, 'an insight': 56362, 'into what': 443288, 'what your': 982704, 'neighbor might': 557053, 'be cooking': 114241, 'cooking right': 202902, 'via com': 955869, 'com coloradocovid19': 186926, 'time of since': 897360, 'of since we': 589740, 'stay home bare': 796941, 'home bare shelf': 400760, 'bare shelf at': 110946, 'the supermarket offer': 868723, 'supermarket offer you': 821711, 'offer you an': 594894, 'you an insight': 1016970, 'an insight into': 56364, 'insight into what': 439586, 'into what your': 443291, 'what your neighbor': 982715, 'your neighbor might': 1024958, 'neighbor might be': 557054, 'might be cooking': 530885, 'be cooking right': 114242, 'cooking right now': 202903, 'right now via': 722172, 'now via com': 576302, 'via com coloradocovid19': 955870, 'licked': 488216, 'beaut': 118657, 'lotion': 504429, 'this clown': 886790, 'clown licked': 184369, 'licked toilet': 488227, 'toilet bowl': 921133, 'bowl part': 136974, 'coronavirus challenge': 205635, 'challenge he': 171475, 'he now': 385263, 'other beaut': 619877, 'beaut licking': 118658, 'licking baby': 488234, 'baby lotion': 106654, 'lotion bottle': 504430, 'bottle in': 136242, 'supermarket arrested': 819204, 'and charged': 59749, 'charged under': 173419, 'the terrorism': 869308, 'this clown licked': 886791, 'clown licked toilet': 184370, 'licked toilet bowl': 488228, 'toilet bowl part': 921135, 'bowl part of': 136975, 'part of coronavirus': 642340, 'of coronavirus challenge': 581922, 'coronavirus challenge he': 205636, 'challenge he now': 171476, 'he now ha': 385264, 'now ha the': 574847, 'ha the other': 372218, 'the other beaut': 862512, 'other beaut licking': 619878, 'beaut licking baby': 118659, 'licking baby lotion': 488235, 'baby lotion bottle': 106655, 'lotion bottle in': 504431, 'bottle in supermarket': 136245, 'in supermarket arrested': 428560, 'supermarket arrested and': 819205, 'arrested and charged': 93815, 'and charged under': 59750, 'charged under the': 173420, 'under the terrorism': 940336, 'retailalert': 718914, 'retailalert must': 718915, 'read learning': 700398, 'learning from': 484208, 'from iga': 336006, 'iga china': 415680, 'china coronavirus': 176591, 'coronavirus experience': 205897, 'experience retail': 291464, 'retail china': 717955, 'china grocery': 176681, 'grocerystore dataanalytics': 366299, 'retailalert must read': 718916, 'must read learning': 546834, 'read learning from': 700399, 'learning from iga': 484209, 'from iga china': 336007, 'iga china coronavirus': 415681, 'china coronavirus experience': 176592, 'coronavirus experience retail': 205900, 'experience retail china': 291465, 'retail china grocery': 717957, 'china grocery supermarket': 176683, 'grocery supermarket grocerystore': 365998, 'supermarket grocerystore dataanalytics': 820591, 'february it': 301728, 'wa blessing': 961715, 'find an': 306772, 'an affordable': 55173, 'affordable place': 34863, 'to rent': 913231, 'rent then': 711191, 'work wa': 1005973, 'wa finished': 962135, 'finished had': 307904, 'had job': 373216, 'job offer': 466043, 'offer when': 594887, 'son food': 785373, 'food server': 316397, 'server their': 752009, 'job closed': 465743, 'closed could': 183055, 'on but': 599748, 'but seeing': 146990, 'seeing this': 746514, 'in writing': 430997, 'writing give': 1012905, 'attack any': 102084, 'any hell': 79312, 'lost my house': 503890, 'my house in': 548732, 'house in february': 406355, 'in february it': 422846, 'february it wa': 301730, 'it wa blessing': 462079, 'wa blessing to': 961716, 'blessing to find': 132653, 'to find an': 905878, 'find an affordable': 306773, 'an affordable place': 55174, 'affordable place to': 34864, 'place to rent': 657768, 'to rent then': 913235, 'rent then the': 711192, 'then the work': 877628, 'the work wa': 871743, 'work wa finished': 1005974, 'wa finished had': 962136, 'finished had job': 307905, 'had job offer': 373217, 'job offer when': 466046, 'offer when covid': 594888, '19 hit my': 7547, 'hit my son': 398334, 'my son food': 550154, 'son food server': 785374, 'food server their': 316398, 'server their job': 752010, 'their job closed': 873707, 'job closed could': 465744, 'closed could go': 183056, 'could go on': 209220, 'go on but': 353880, 'on but seeing': 599750, 'but seeing this': 146993, 'seeing this in': 746516, 'this in writing': 888061, 'in writing give': 430998, 'writing give me': 1012906, 'give me panic': 350579, 'me panic attack': 523318, 'panic attack any': 637370, 'attack any hell': 102085, 'onward': 611703, 'workingforyou': 1009084, 'uktruckdrivers': 939068, 'truckinaround': 932977, 'truckerslife': 932972, 'rdc': 698149, 'avonmouth': 105522, 'lorry after': 503331, 'after lorry': 35890, 'lorry making': 503348, 'chain delivery': 170639, 'for onward': 324131, 'onward delivery': 611706, 'supermarket workingforyou': 824130, 'workingforyou dontpanicbuy': 1009085, 'dontpanicbuy uktruckdrivers': 255388, 'uktruckdrivers truckinaround': 939069, 'truckinaround truckerslife': 932978, 'truckerslife lidl': 932973, 'lidl rdc': 488300, 'rdc avonmouth': 698150, 'lorry after lorry': 503332, 'after lorry making': 35891, 'lorry making supply': 503349, 'making supply chain': 511369, 'supply chain delivery': 824944, 'chain delivery for': 170641, 'delivery for onward': 234028, 'for onward delivery': 324132, 'onward delivery to': 611707, 'local supermarket workingforyou': 498621, 'supermarket workingforyou dontpanicbuy': 824131, 'workingforyou dontpanicbuy uktruckdrivers': 1009086, 'dontpanicbuy uktruckdrivers truckinaround': 255389, 'uktruckdrivers truckinaround truckerslife': 939070, 'truckinaround truckerslife lidl': 932979, 'truckerslife lidl rdc': 932974, 'lidl rdc avonmouth': 488301, 'tally': 834081, '288': 16444, '117': 2679, 'outbreak live': 628424, 'update india': 947035, 'india covid': 434368, '19 tally': 11035, 'tally at': 834082, 'at 288': 97565, '288 with': 16447, 'with 117': 996940, '117 death': 2682, 'death oil': 230149, 'price slip': 676471, 'slip after': 774006, 'after output': 36005, 'cut deal': 223290, 'deal delayed': 229376, 'coronavirus outbreak live': 206397, 'outbreak live update': 628425, 'live update india': 496098, 'update india covid': 947036, 'india covid 19': 434369, 'covid 19 tally': 213910, '19 tally at': 11036, 'tally at 288': 834083, 'at 288 with': 97566, '288 with 117': 16448, 'with 117 death': 996941, '117 death oil': 2683, 'death oil price': 230150, 'oil price slip': 597261, 'price slip after': 676472, 'slip after output': 774007, 'after output cut': 36006, 'output cut deal': 629250, 'cut deal delayed': 223293, 'wholesale egg': 990437, 'price triple': 677122, 'triple in': 932251, 'wholesale egg price': 990438, 'egg price triple': 269968, 'price triple in': 677123, 'triple in march': 932253, 'workout it': 1009166, 'only day': 610311, 'related measure': 708482, 'and already': 57933, 'already starting': 47679, 'go bit': 353376, 'bit stir': 131702, 'crazy food': 215287, 'is flying': 447847, 'off supermarket': 594203, 'child may': 176141, 'be driving': 114609, 'driving you': 260041, 'you nut': 1020164, 'free at home': 331665, 'at home workout': 99177, 'home workout it': 402568, 'workout it only': 1009167, 'it only day': 460094, 'only day off': 610315, 'off work from': 594412, 'work from the': 1005196, '19 related measure': 10055, 'related measure and': 708483, 'measure and already': 525098, 'and already starting': 57939, 'already starting to': 47680, 'starting to go': 795025, 'to go bit': 906777, 'go bit stir': 353377, 'bit stir crazy': 131703, 'stir crazy food': 801697, 'crazy food is': 215289, 'food is flying': 315122, 'is flying off': 447848, 'flying off supermarket': 311680, 'off supermarket shelf': 594207, 'shelf and your': 756779, 'and your child': 76067, 'your child may': 1023204, 'child may be': 176142, 'may be driving': 520976, 'be driving you': 114611, 'driving you nut': 260043, 'hindsight': 396856, '2020 in': 14387, 'in hindsight': 423706, 'hindsight will': 396857, 'known the': 477249, 'protecting your': 685251, 'own as': 631889, 'as no': 94779, 'no pun': 565247, 'intended toiletpaper': 441063, '2020 in hindsight': 14392, 'in hindsight will': 423707, 'hindsight will be': 396858, 'will be known': 992529, 'be known the': 115645, 'known the year': 477250, 'the year of': 872164, 'year of protecting': 1014789, 'of protecting your': 588551, 'protecting your own': 685255, 'your own as': 1025125, 'own as no': 631890, 'as no pun': 94780, 'no pun intended': 565248, 'pun intended toiletpaper': 689153, 'unintended': 941844, 'unintended consequence': 941845, 'ebrahim': 266570, 'patel': 643958, 'stern': 799919, '21daylockdown': 15087, 'industry ebrahim': 435796, 'ebrahim patel': 266571, 'patel issued': 643973, 'issued stern': 456095, 'stern warning': 799922, 'warning to': 967223, 'good necessary': 357430, 'or coronavirus': 614829, 'coronavirus 21daylockdown': 205442, 'minister of trade': 533432, 'of trade and': 592394, 'trade and industry': 928408, 'and industry ebrahim': 65179, 'industry ebrahim patel': 435797, 'ebrahim patel issued': 266573, 'patel issued stern': 643974, 'issued stern warning': 456096, 'stern warning to': 799923, 'warning to business': 967224, 'to business that': 902137, 'that are hiking': 842759, 'of good necessary': 584228, 'good necessary to': 357431, 'necessary to help': 554118, 'help people during': 390291, 'people during this': 647746, 'time of fighting': 897331, 'of fighting covid': 583505, '19 or coronavirus': 9016, 'or coronavirus 21daylockdown': 614830, 'spoken': 789758, 'just spoken': 469853, 'spoken to': 789761, 'local support': 498627, 'support group': 826550, 'have supermarket': 382851, 'delivery coming': 233806, 'saturday so': 737060, 'so willing': 778781, 'add up': 31526, 'help help': 389852, 'help this': 390737, 'online shopper': 608999, 've just spoken': 953311, 'just spoken to': 469854, 'spoken to my': 789764, 'my local support': 549146, 'local support group': 498628, 'support group to': 826554, 'group to tell': 366937, 'tell them have': 837097, 'them have supermarket': 875826, 'have supermarket delivery': 382853, 'supermarket delivery coming': 819917, 'delivery coming up': 233810, 'up on saturday': 945615, 'on saturday so': 603305, 'saturday so willing': 737061, 'so willing to': 778782, 'willing to add': 995461, 'to add up': 900072, 'add up to': 31528, 'up to essential': 946374, 'to essential item': 905259, 'essential item to': 281233, 'item to my': 463760, 'to my shopping': 910435, 'my shopping if': 550056, 'shopping if it': 762944, 'if it help': 414309, 'it help help': 458541, 'help help this': 389853, 'help this is': 390739, 'this is something': 888407, 'is something all': 452105, 'something all online': 784841, 'all online shopper': 43751, 'online shopper could': 609002, 'shopper could do': 761470, '5am': 20612, 'donut': 255413, 'jockopodcast': 466386, 'jockowillink': 466389, 'futureleaders': 342541, 'dadlife': 224439, 'mom went': 535833, 'at 5am': 97697, '5am we': 20617, 're eating': 698582, 'eating donut': 266195, 'donut and': 255414, 'and hunting': 64880, 'hunting for': 411414, 'while listening': 987008, 'podcast jockopodcast': 662292, 'jockopodcast jockowillink': 466387, 'jockowillink futureleaders': 466390, 'futureleaders dadlife': 342542, 'dadlife toiletpaper': 224440, 'mom went to': 535836, 'went to work': 979205, 'work at 5am': 1004856, 'at 5am we': 97699, '5am we re': 20618, 'we re eating': 972862, 're eating donut': 698583, 'eating donut and': 266196, 'donut and hunting': 255415, 'and hunting for': 64881, 'hunting for toilet': 411418, 'paper while listening': 641093, 'while listening to': 987009, 'listening to the': 494815, 'to the podcast': 916962, 'the podcast jockopodcast': 863895, 'podcast jockopodcast jockowillink': 662293, 'jockopodcast jockowillink futureleaders': 466388, 'jockowillink futureleaders dadlife': 466391, 'futureleaders dadlife toiletpaper': 342543, 'clash': 180121, 'idiocy': 413424, 'guise': 368594, 'proclaim': 680082, 'benzykalkoniumchloride': 127269, 'clash of': 180124, 'of republican': 588954, 'republican idiocy': 713037, 'idiocy versus': 413433, 'versus actually': 954939, 'actually just': 30858, 'just expert': 468683, 'expert continues': 291807, 'continues in': 201402, 'in guise': 423474, 'guise of': 368595, 'of ever': 583231, 'ever willing': 285599, 'to proclaim': 912177, 'proclaim his': 680083, 'his ignorance': 397531, 'ignorance benzykalkoniumchloride': 415746, 'benzykalkoniumchloride isn': 127270, 'isn effective': 454484, 'against cdc': 37358, 'cdc recommends': 168608, 'recommends soap': 704842, 'soap water': 779154, 'water or': 969092, 'or 60': 614209, 'clash of republican': 180126, 'of republican idiocy': 588956, 'republican idiocy versus': 713038, 'idiocy versus actually': 413434, 'versus actually just': 954940, 'actually just expert': 30859, 'just expert continues': 468684, 'expert continues in': 291808, 'continues in guise': 201404, 'in guise of': 423475, 'guise of ever': 368598, 'of ever willing': 583232, 'ever willing to': 285600, 'willing to proclaim': 995475, 'to proclaim his': 912178, 'proclaim his ignorance': 680084, 'his ignorance benzykalkoniumchloride': 397532, 'ignorance benzykalkoniumchloride isn': 415747, 'benzykalkoniumchloride isn effective': 127271, 'isn effective against': 454485, 'effective against cdc': 269207, 'against cdc recommends': 37359, 'cdc recommends soap': 168611, 'recommends soap water': 704843, 'soap water or': 779160, 'water or 60': 969093, 'or 60 alcohol': 614210, 'one out': 606801, 'about much': 25759, 'much yet': 545485, 'yet probably': 1016205, 'probably all': 679197, 'all at': 42076, 'no one out': 564952, 'one out and': 606802, 'out and about': 625641, 'and about much': 57553, 'about much yet': 25760, 'much yet probably': 545486, 'yet probably all': 1016206, 'probably all at': 679198, 'all at the': 42081, 'the supermarket panic': 868742, 'it hilarious': 458591, 'hilarious except': 396435, 'except it': 289192, 'so scary': 778156, 'scary and': 741130, 'and tragic': 74356, 'tragic could': 929190, 'buy little': 148905, 'little le': 495435, 'le please': 483077, 'buying disrupts': 150192, 'disrupts food': 246567, 'distribution outbreak': 248188, 'guardian pandemic': 367901, 'it hilarious except': 458592, 'hilarious except it': 396436, 'except it so': 289193, 'it so scary': 461126, 'so scary and': 778158, 'scary and tragic': 741132, 'and tragic could': 74357, 'tragic could you': 929191, 'could you buy': 209843, 'you buy little': 1017576, 'buy little le': 148906, 'little le please': 495439, 'le please panic': 483078, 'please panic buying': 660274, 'panic buying disrupts': 637704, 'buying disrupts food': 150193, 'disrupts food distribution': 246568, 'food distribution outbreak': 314233, 'distribution outbreak the': 248189, 'outbreak the guardian': 628713, 'the guardian pandemic': 856911, 'hcin': 384658, 'spanning': 787428, 'hospitalisation': 404746, 'in hcin': 423590, 'hcin local': 384659, 'local arm': 497697, 'arm of': 92906, 'international consumer': 441776, 'finance provider': 306255, 'provider with': 686820, 'with operation': 999926, 'operation spanning': 613257, 'spanning over': 787429, 'over europe': 630192, 'and asia': 58421, 'asia ha': 95178, 'announced special': 77037, '19 hospitalisation': 7578, 'hospitalisation insurance': 404747, 'insurance cover': 440709, 'cover for': 212228, 'in hcin local': 423591, 'hcin local arm': 384660, 'local arm of': 497698, 'arm of the': 92908, 'of the international': 591153, 'the international consumer': 858365, 'international consumer finance': 441777, 'consumer finance provider': 197484, 'finance provider with': 306256, 'provider with operation': 686821, 'with operation spanning': 999927, 'operation spanning over': 613258, 'spanning over europe': 787430, 'over europe and': 630193, 'europe and asia': 283395, 'and asia ha': 58422, 'asia ha announced': 95179, 'ha announced special': 369565, 'announced special covid': 77038, 'covid 19 hospitalisation': 213221, '19 hospitalisation insurance': 7579, 'hospitalisation insurance cover': 404748, 'insurance cover for': 440710, 'cover for all': 212229, 'for all it': 319140, 'all it employee': 43268, 'irl': 444907, 'so irl': 777427, 'irl update': 444914, 'is scary': 451677, 'scary no': 741163, 'no shit': 565483, 'shit but': 759073, 'it terrifying': 461467, 'terrifying for': 838526, 'me since': 523471, 'since have': 770637, 'have elderly': 380419, 'elderly grandparent': 270691, 'grandparent do': 361968, 'for well': 327778, 'well baby': 978042, 'baby brother': 106579, 'brother with': 141113, 'with compromised': 997719, 'compromised immune': 192677, 'system not': 831259, 'but struggling': 147201, 'class since': 180258, 'are online': 88752, 'for once': 324070, 'so irl update': 777428, 'irl update covid': 444915, '19 is scary': 8042, 'is scary no': 451679, 'scary no shit': 741165, 'no shit but': 565484, 'shit but it': 759074, 'but it terrifying': 146169, 'it terrifying for': 461468, 'terrifying for me': 838527, 'for me since': 323336, 'me since have': 523472, 'since have elderly': 770639, 'have elderly grandparent': 380420, 'elderly grandparent do': 270692, 'grandparent do their': 361969, 'do their shopping': 250281, 'their shopping for': 874719, 'shopping for well': 762729, 'for well baby': 327779, 'well baby brother': 978043, 'baby brother with': 106580, 'brother with compromised': 141114, 'with compromised immune': 997720, 'compromised immune system': 192678, 'immune system not': 417346, 'system not only': 831260, 'only that but': 611254, 'that but struggling': 843067, 'but struggling with': 147202, 'struggling with my': 814543, 'with my college': 999615, 'my college class': 547743, 'college class since': 186607, 'class since we': 180259, 'since we are': 770975, 'we are online': 970646, 'are online for': 88753, 'online for once': 608233, 'breeding': 139281, 'been breeding': 120752, 'breeding ground': 139282, 'ground for': 366495, 'scammer and': 740523, 'with business': 997490, 'employee adjusting': 273517, 'change including': 172142, 'including working': 432254, 'more virtual': 540910, 'virtual meeting': 957756, 'meeting than': 527766, 'than before': 840390, 'have become': 379424, 'become key': 120044, 'key target': 473412, 'ha been breeding': 369733, 'been breeding ground': 120753, 'breeding ground for': 139283, 'ground for scammer': 366499, 'for scammer and': 325367, 'scammer and with': 740525, 'and with business': 75760, 'with business owner': 997495, 'business owner and': 144176, 'owner and their': 632380, 'and their employee': 73685, 'their employee adjusting': 873131, 'employee adjusting to': 273518, 'adjusting to change': 32365, 'to change including': 902608, 'change including working': 172143, 'including working at': 432255, 'home and more': 400665, 'and more virtual': 67227, 'more virtual meeting': 540911, 'virtual meeting than': 957758, 'meeting than before': 527767, 'than before they': 840397, 'before they have': 123217, 'they have become': 882294, 'have become key': 379440, 'become key target': 120045, 'the broke': 850044, 'broke out': 140851, 'out businessmen': 625782, 'businessmen doubled': 144768, 'amp sanitizers': 54440, 'sanitizers amp': 736189, 'amp doctor': 53658, 'doctor started': 251109, 'started giving': 794739, 'service free': 752402, 'free this': 332222, 'difference salute': 241871, 'all doctor': 42601, 'doctor for': 250917, 'life amp': 488469, 'amp being': 53443, 'being true': 125987, 'true soldier': 933165, 'soldier of': 781814, 'humanity in': 410737, 'this war': 891100, 'when the broke': 984130, 'the broke out': 850045, 'broke out businessmen': 140852, 'out businessmen doubled': 625783, 'businessmen doubled the': 144769, 'of mask amp': 586258, 'mask amp sanitizers': 518299, 'amp sanitizers amp': 54441, 'sanitizers amp doctor': 736190, 'amp doctor started': 53659, 'doctor started giving': 251110, 'started giving their': 794741, 'giving their service': 351417, 'their service free': 874660, 'service free this': 752404, 'free this is': 332223, 'is the difference': 452769, 'the difference salute': 853264, 'difference salute all': 241872, 'salute all doctor': 732848, 'all doctor for': 42603, 'doctor for risking': 250918, 'their life amp': 873821, 'life amp being': 488470, 'amp being true': 53445, 'being true soldier': 125988, 'true soldier of': 933166, 'soldier of humanity': 781815, 'of humanity in': 584887, 'humanity in this': 410740, 'in this war': 430042, 'condemn': 193354, 'considerably': 195192, 'stockpilinguk': 804133, 'panick buyer': 639189, 'buyer rightly': 149736, 'rightly being': 722461, 'also condemn': 48050, 'condemn all': 193355, 'shop out': 760633, 'there taking': 879125, 'situation by': 772208, 'by considerably': 152173, 'considerably inflating': 195199, 'price coronacrisisuk': 673253, 'coronacrisisuk stockpilinguk': 204909, 'panick buyer rightly': 639191, 'buyer rightly being': 149737, 'rightly being called': 722462, 'being called out': 124914, 'called out but': 156405, 'out but let': 625792, 'but let also': 146262, 'let also condemn': 486589, 'also condemn all': 48051, 'condemn all the': 193356, 'all the shop': 44906, 'the shop out': 867020, 'shop out there': 760634, 'out there taking': 627514, 'there taking advantage': 879126, 'advantage of this': 33037, 'of this situation': 592038, 'this situation by': 890173, 'situation by considerably': 772209, 'by considerably inflating': 152174, 'considerably inflating price': 195200, 'inflating price coronacrisisuk': 437113, 'price coronacrisisuk stockpilinguk': 673254, 'what crazy': 981284, 'crazy time': 215449, 'be high': 115241, 'high af': 394904, 'af in': 33954, 'what crazy time': 981285, 'crazy time to': 215456, 'to be high': 901304, 'be high af': 115242, 'high af in': 394906, 'af in the': 33955, 'disbelief': 244302, 'creep': 216615, 'just worse': 470347, 'worse am': 1010859, 'in disbelief': 422289, 'disbelief that': 244303, 'that amazon': 842621, 'everything that': 288023, 'need like': 555155, 'world coming': 1009437, 'to creep': 903734, 'creep me': 216618, 'the freak': 855760, 'freak out': 331512, 'out seriously': 627160, 'shopping is just': 763055, 'is just worse': 449158, 'just worse am': 470348, 'worse am in': 1010860, 'am in disbelief': 50135, 'in disbelief that': 422290, 'disbelief that amazon': 244304, 'that amazon is': 842623, 'amazon is out': 51004, 'of everything that': 583278, 'everything that need': 288031, 'that need like': 845302, 'need like what': 555157, 'like what is': 491794, 'what is this': 981733, 'is this world': 453134, 'this world coming': 891507, 'world coming to': 1009438, 'coming to people': 188225, 'to people are': 911613, 'people are beginning': 646934, 'beginning to creep': 123665, 'to creep me': 903735, 'creep me the': 216619, 'me the freak': 523645, 'the freak out': 855761, 'freak out seriously': 331514, 'reshoring': 714210, 'recognition': 704613, 'offshoring': 596138, 'makechinapay': 510780, 'reshoringusa': 714213, 'reshoring wa': 714211, '2018 is': 13884, 'enough global': 277450, 'pandemic corporate': 635235, 'corporate tax': 207346, 'tax regulatory': 835074, 'regulatory cut': 708171, 'cut rising': 223520, 'rising wage': 723323, 'wage price': 963943, 'increased recognition': 433448, 'recognition of': 704624, 'total cost': 926152, 'cost of': 208035, 'of offshoring': 587168, 'offshoring contributed': 596139, 'shift makechinapay': 758353, 'makechinapay reshoringusa': 510785, 'reshoring wa at': 714212, 'wa at record': 961606, 'at record level': 100269, 'level in 2018': 487591, 'in 2018 is': 419786, '2018 is it': 13885, 'is it enough': 449021, 'it enough global': 457824, 'enough global pandemic': 277451, 'global pandemic corporate': 352078, 'pandemic corporate tax': 635237, 'corporate tax regulatory': 207348, 'tax regulatory cut': 835075, 'regulatory cut rising': 708172, 'cut rising wage': 223521, 'rising wage price': 723324, 'wage price in': 963944, 'china increased recognition': 176735, 'increased recognition of': 433449, 'recognition of total': 704625, 'of total cost': 592329, 'total cost of': 926153, 'cost of offshoring': 208056, 'of offshoring contributed': 587169, 'offshoring contributed to': 596140, 'to the shift': 917057, 'the shift makechinapay': 866932, 'shift makechinapay reshoringusa': 758354, 'supermarket relatively': 822189, 'we impose': 972064, 'impose on': 419247, 'in supermarket relatively': 428655, 'supermarket relatively young': 822190, 'told me that': 923623, 'me that is': 523617, 'that is chinese': 844567, 'tariff we impose': 834627, 'we impose on': 972065, 'impose on them': 419248, 'america and the': 51453, 'and the american': 73242, 'the american medium': 848633, 'littlecaesers': 495660, 'unethical': 941333, 'douchebags': 256239, 'dickmove': 240492, 'it truth': 461872, 'truth checked': 934387, 'checked against': 174738, 'against recent': 37599, 'recent receipt': 703968, 'receipt actually': 703394, 'actually had': 30822, 'the ball': 849217, 'ball to': 109069, 'to proudly': 912363, 'proudly declare': 686074, 'declare they': 231208, 'they cut': 881861, 'cut delivery': 223299, 'delivery fee': 233990, 'fee during': 302159, 'during quarantine': 262932, 'quarantine crisis': 692114, 'crisis then': 218200, 'then they': 877649, 'they raised': 882974, 'price wtf': 677672, 'wtf littlecaesers': 1013300, 'littlecaesers unethical': 495661, 'unethical pricegouging': 941338, 'pricegouging douchebags': 677803, 'douchebags dickmove': 256241, 'it truth checked': 461873, 'truth checked against': 934388, 'checked against recent': 174739, 'against recent receipt': 37600, 'recent receipt actually': 703969, 'receipt actually had': 703395, 'actually had the': 30825, 'had the ball': 373608, 'the ball to': 849222, 'ball to proudly': 109071, 'to proudly declare': 912364, 'proudly declare they': 686075, 'declare they cut': 231209, 'they cut delivery': 881863, 'cut delivery fee': 223300, 'delivery fee during': 233991, 'fee during quarantine': 302160, 'during quarantine crisis': 262936, 'quarantine crisis then': 692115, 'crisis then they': 218201, 'then they raised': 877658, 'they raised their': 882975, 'their price wtf': 874441, 'price wtf littlecaesers': 677674, 'wtf littlecaesers unethical': 1013301, 'littlecaesers unethical pricegouging': 495662, 'unethical pricegouging douchebags': 941339, 'pricegouging douchebags dickmove': 677804, 'dontbeselfish': 255349, 'it tough': 461822, 'everyone right': 287321, 'not stock': 571728, 'buy if': 148804, 'need usual': 556152, 'usual there': 951034, 'be plenty': 116451, 'elderly dontbeselfish': 270666, 'it tough time': 461823, 'tough time for': 926851, 'for everyone right': 321232, 'everyone right now': 287322, 'now but please': 574290, 'do not stock': 249855, 'not stock up': 571737, 'stock up or': 803105, 'up or panic': 945684, 'panic buy if': 637491, 'buy if you': 148806, 'if you just': 415458, 'you just buy': 1019413, 'you need usual': 1020054, 'need usual there': 556153, 'usual there will': 951035, 'will be plenty': 992611, 'be plenty of': 116454, 'and essential supply': 62264, 'essential supply for': 281622, 'supply for everyone': 825263, 'for everyone think': 321244, 'everyone think of': 287477, 'of others especially': 587391, 'others especially the': 621381, 'especially the elderly': 280622, 'the elderly dontbeselfish': 854121, 'lsfo': 506353, 'to hurt': 908062, 'hurt bunker': 411549, 'bunker industry': 142683, 'industry lsfo': 435977, 'lsfo price': 506354, 'weak demand to': 974010, 'demand to hurt': 236399, 'to hurt bunker': 908063, 'hurt bunker industry': 411550, 'bunker industry lsfo': 142684, 'industry lsfo price': 435978, 'lsfo price fall': 506355, 'price fall 15': 673769, 'parallel': 641337, 'angsty': 76515, 'insanity': 439095, 'so blogging': 776625, 'blogging again': 133071, 'again to': 37232, 'cope gotta': 203315, 'gotta put': 359092, 'put that': 690844, 'that anxiety': 842670, 'anxiety shit': 78793, 'shit somewhere': 759222, 'somewhere weird': 785324, 'weird parallel': 977778, 'parallel between': 641338, 'between covid': 128753, 'and cancer': 59495, 'cancer moment': 161265, 'moment read': 536034, 'read me': 700412, 'me it': 523006, 'it guaranteed': 458362, 'guaranteed angsty': 367737, 'angsty fun': 76516, 'fun today': 341232, 'current insanity': 221237, 'insanity of': 439105, 'of takeout': 590578, 'takeout food': 833156, 'so blogging again': 776626, 'blogging again to': 133072, 'again to cope': 37234, 'to cope gotta': 903506, 'cope gotta put': 203316, 'gotta put that': 359093, 'put that anxiety': 690845, 'that anxiety shit': 842671, 'anxiety shit somewhere': 78794, 'shit somewhere weird': 759224, 'somewhere weird parallel': 785325, 'weird parallel between': 977779, 'parallel between covid': 641339, 'between covid 19': 128754, '19 panic and': 9538, 'panic and cancer': 637301, 'and cancer moment': 59496, 'cancer moment read': 161266, 'moment read me': 536035, 'read me it': 700413, 'me it guaranteed': 523012, 'it guaranteed angsty': 458363, 'guaranteed angsty fun': 367738, 'angsty fun today': 76517, 'fun today we': 341234, 'today we deal': 920472, 'the current insanity': 852642, 'current insanity of': 221238, 'insanity of takeout': 439107, 'of takeout food': 590579, 'echoing': 266638, 'major need': 509394, 'that hospital': 844368, 'are echoing': 86080, 'echoing ppe': 266639, 'is set': 451808, 'spike there': 789329, 'aren enough': 92394, 'ventilator bed': 954544, 'production over': 682178, 'life he': 488723, 'the major need': 859932, 'major need that': 509395, 'need that hospital': 555727, 'that hospital across': 844369, 'country are echoing': 210462, 'are echoing ppe': 86081, 'echoing ppe supply': 266640, 'covid is set': 214185, 'is set to': 451809, 'set to spike': 753536, 'to spike there': 915012, 'spike there aren': 789330, 'there aren enough': 878190, 'aren enough mask': 92396, 'mask glove ventilator': 518754, 'glove ventilator bed': 353002, 'ventilator bed etc': 954545, 'mass production over': 519841, 'production over week': 682179, 'over week ago': 630907, 'save life he': 737542, 'life he didn': 488724, 'our trucker': 625200, 'trucker and': 932894, 'ensure essential': 277925, 'for californian': 319879, 'californian during': 155641, 'this very': 890958, 'very challenging': 955047, 'to our trucker': 911250, 'our trucker and': 625201, 'trucker and grocery': 932896, 'store worker for': 811506, 'worker for all': 1006967, 'for all they': 319178, 'all they are': 45066, 'doing to ensure': 252790, 'to ensure essential': 905155, 'ensure essential supply': 277928, 'supply for californian': 825260, 'for californian during': 319880, 'californian during this': 155642, 'during this very': 263334, 'this very challenging': 890959, 'very challenging time': 955049, 'here coronamemes': 392899, 'coronamemes toiletpaper': 205073, 'end time are': 275998, 'time are here': 896326, 'are here coronamemes': 87116, 'here coronamemes toiletpaper': 392900, 'airport welcome': 40134, 'welcome center': 977875, 'center and': 169151, 'and train': 74363, 'train station': 929280, 'station are': 796342, 'feel the': 302878, 'reduced amount': 706025, 'airport welcome center': 40135, 'welcome center and': 977876, 'center and train': 169160, 'and train station': 74364, 'train station are': 929281, 'station are starting': 796344, 'starting to feel': 795023, 'to feel the': 905757, 'feel the impact': 302886, '19 with reduced': 12141, 'with reduced amount': 1000432, 'reduced amount of': 706026, 'amount of traffic': 53266, 'mkg': 534681, 'shortfall': 765361, 'translate': 929695, 'deficit': 232234, 'indian tea': 434893, 'tea export': 835354, 'export may': 292667, 'may decline': 521115, 'decline by': 231314, 'outbreak 20': 627940, '20 mkg': 13176, 'mkg shortfall': 534682, 'shortfall at': 765364, 'at last': 99416, 'year unit': 1015065, 'unit price': 942085, 'would translate': 1012340, 'translate into': 929700, 'into trade': 443253, 'trade deficit': 928480, 'deficit of': 232251, 'than 64': 840282, '64 million': 21315, 'indian tea export': 434894, 'tea export may': 835355, 'export may decline': 292668, 'may decline by': 521116, 'decline by up': 231318, 'up to over': 946412, 'to over covid': 911290, '19 outbreak 20': 9073, 'outbreak 20 mkg': 627941, '20 mkg shortfall': 13177, 'mkg shortfall at': 534683, 'shortfall at last': 765365, 'at last year': 99420, 'last year unit': 480741, 'year unit price': 1015066, 'unit price would': 942086, 'price would translate': 677668, 'would translate into': 1012341, 'translate into trade': 929702, 'into trade deficit': 443254, 'trade deficit of': 928481, 'deficit of more': 232252, 'more than 64': 540573, 'than 64 million': 840283, 'badly': 108136, 'so badly': 776585, 'badly want': 108175, 'then think': 877662, 'to packed': 911353, 'packed and': 633585, 'just dream': 468649, 'order pair': 618504, 'of shoe': 589614, 'so badly want': 776589, 'badly want to': 108176, 'to do some': 904557, 'shopping but then': 762257, 'but then think': 147452, 'then think if': 877663, 'think if people': 885292, 'if people who': 414636, 'people who would': 650363, 'would have to': 1011901, 'have to packed': 383259, 'to packed and': 911354, 'packed and deliver': 633586, 'and deliver it': 61081, 'deliver it so': 233153, 'it so just': 461117, 'so just dream': 777492, 'just dream of': 468650, 'the day can': 852873, 'day can order': 227426, 'can order pair': 159179, 'order pair of': 618505, 'pair of shoe': 634338, 'learn your': 484099, 'and important': 65028, 'yourself during': 1026587, 'during know': 262737, 'to paid': 911356, 'leave report': 484918, 'gouging understand': 359489, 'understand your': 940831, 'your civil': 1023229, 'right guard': 721918, 'guard against': 367771, 'against scam': 37611, 'scam stay': 740367, 'healthy learn': 387673, 'learn your right': 484101, 'your right and': 1025628, 'right and important': 721755, 'and important tip': 65031, 'important tip to': 419046, 'tip to protect': 898936, 'protect yourself during': 685089, 'yourself during know': 1026588, 'during know your': 262739, 'know your right': 477100, 'right to paid': 722349, 'to paid sick': 911357, 'sick leave report': 768504, 'leave report price': 484919, 'price gouging understand': 674338, 'gouging understand your': 359490, 'understand your civil': 940832, 'your civil right': 1023230, 'civil right guard': 179536, 'right guard against': 721919, 'guard against scam': 367773, 'against scam stay': 37612, 'scam stay healthy': 740368, 'stay healthy learn': 796907, 'healthy learn more': 387674, 'are overrun': 88931, 'overrun 19': 631445, '19 surge': 10984, 'surge demand': 828147, 'demand the': 236345, 'york time': 1016677, 'bank are overrun': 109652, 'are overrun 19': 88932, 'overrun 19 surge': 631446, '19 surge demand': 10985, 'surge demand the': 828149, 'demand the new': 236353, 'the new york': 861586, 'new york time': 559953, 'one two': 607317, 'two punch': 937170, 'new falling': 558721, 'price threaten': 676937, 'threaten iraq': 893755, 'one two punch': 607318, 'two punch of': 937171, 'punch of new': 689167, 'of new falling': 586966, 'new falling oil': 558722, 'oil price threaten': 597291, 'price threaten iraq': 676938, 'stellar': 799452, 'this community': 886815, 'community always': 189708, 'been stellar': 122036, 'stellar in': 799453, 'in how': 423873, 'they support': 883503, 'have le': 381271, 'this community always': 886816, 'community always ha': 189709, 'always ha been': 49590, 'ha been stellar': 369933, 'been stellar in': 122037, 'stellar in how': 799454, 'in how they': 423879, 'how they support': 408930, 'they support those': 883505, 'who have le': 988934, 'greatdepression': 363131, 'economicsinthenews': 267498, 'passionforeconomics': 643424, 'the imf': 857894, 'imf expects': 416899, 'expects to': 291121, 'to cause': 902530, 'worst economic': 1011172, 'downturn since': 257813, 'the greatdepression': 856740, 'greatdepression food': 363132, 'and unemployment': 74651, 'unemployment continues': 941188, 'rise stay': 723012, 'for economicsinthenews': 320950, 'economicsinthenews passionforeconomics': 267499, 'the imf expects': 857895, 'imf expects to': 416901, 'expects to cause': 291122, 'to cause the': 902543, 'cause the worst': 167767, 'the worst economic': 872048, 'worst economic downturn': 1011174, 'economic downturn since': 267080, 'downturn since the': 257815, 'since the greatdepression': 770884, 'the greatdepression food': 856741, 'greatdepression food delivery': 363133, 'food delivery company': 314116, 'delivery company are': 233813, 'company are struggling': 190452, 'demand and unemployment': 235007, 'and unemployment continues': 74652, 'unemployment continues to': 941189, 'to rise stay': 913578, 'rise stay tuned': 723013, 'tuned for economicsinthenews': 935435, 'for economicsinthenews passionforeconomics': 320951, 'polite': 663592, 'be polite': 116463, 'polite thank': 663606, 'bag your': 108464, 'own food': 631993, 'employee are some': 273629, 'of the hero': 591100, 'this pandemic be': 889370, 'pandemic be polite': 634976, 'be polite thank': 116465, 'polite thank them': 663607, 'thank them and': 841657, 'them and bag': 875372, 'and bag your': 58645, 'bag your own': 108465, 'your own food': 1025138, 'amarinder': 50604, 'malout': 511877, 'mukatsar': 545602, 'sahib': 730922, 'amarinder in': 50607, 'hometown malout': 402990, 'malout shri': 511878, 'shri mukatsar': 767675, 'mukatsar sahib': 545603, 'sahib all': 730923, 'medical store': 526413, 'closed they': 183383, 'saying police': 739661, 'police didn': 662980, 'didn allow': 240975, 'will give': 993527, 'give particular': 350639, 'particular time': 642644, 'of rush': 589183, 'rush of': 728312, 'amarinder in my': 50608, 'in my hometown': 425586, 'my hometown malout': 548701, 'hometown malout shri': 402991, 'malout shri mukatsar': 511879, 'shri mukatsar sahib': 767676, 'mukatsar sahib all': 545604, 'sahib all the': 730924, 'grocery and medical': 364246, 'and medical store': 66884, 'medical store are': 526415, 'store are closed': 806464, 'are closed they': 85371, 'closed they are': 183384, 'they are saying': 881396, 'are saying police': 89823, 'saying police didn': 739662, 'police didn allow': 662981, 'didn allow to': 240977, 'allow to open': 46102, 'to open they': 911008, 'open they said': 612570, 'said we will': 731574, 'we will give': 973866, 'will give particular': 993532, 'give particular time': 350640, 'particular time to': 642646, 'time to open': 898021, 'to open just': 910994, 'open just think': 612350, 'just think of': 470043, 'think of rush': 885458, 'of rush of': 589184, 'rush of people': 728316, 'people at that': 647182, 'at that time': 100863, 'bitch': 131739, 'these fuck': 880037, 'fuck keep': 339602, 'saying stay': 739687, 'distance bitch': 246672, 'bitch work': 131789, 'off have': 593885, 'have are': 379349, 'the scheduled': 866480, 'scheduled one': 741506, 'one got': 606361, 'got bill': 358437, 'school take': 741941, 'of myself': 586835, 'myself keep': 550899, 'keep clean': 471394, 'clean already': 180448, 'already fuck': 47365, 'off worry': 594427, 'about yourself': 27020, 'all these fuck': 45033, 'these fuck keep': 880038, 'fuck keep saying': 339603, 'keep saying stay': 471906, 'saying stay home': 739688, 'home and safe': 400682, 'and safe distance': 70708, 'safe distance bitch': 729585, 'distance bitch work': 246673, 'bitch work at': 131790, 'store the only': 810610, 'the only day': 862301, 'day off have': 228127, 'off have are': 593886, 'have are the': 379350, 'are the scheduled': 90904, 'the scheduled one': 866481, 'scheduled one got': 741507, 'one got bill': 606362, 'got bill to': 358438, 'bill to pay': 130703, 'to pay and': 911511, 'pay and school': 644740, 'and school take': 71079, 'school take care': 741942, 'care of myself': 164108, 'of myself keep': 586837, 'myself keep clean': 550900, 'keep clean already': 471395, 'clean already fuck': 180449, 'already fuck off': 47366, 'fuck off worry': 339618, 'off worry about': 594428, 'worry about yourself': 1010664, 'cltnews': 184393, 'ncnews': 553332, 'wccb': 970248, 'see full': 745140, 'the charlotte': 850708, 'charlotte area': 173762, 'offering delivery': 595066, 'the cltnews': 851075, 'cltnews ncnews': 184394, 'ncnews news': 553333, 'news shopping': 560789, 'shopping corona': 762397, 'corona health': 203982, 'health wccb': 386938, 'wccb clt': 970249, 'see full list': 745141, 'list of grocery': 494440, 'in the charlotte': 429065, 'the charlotte area': 850709, 'charlotte area that': 173763, 'area that are': 92214, 'that are offering': 842788, 'are offering delivery': 88662, 'offering delivery service': 595070, 'delivery service amid': 234424, 'service amid the': 752063, 'amid the cltnews': 52685, 'the cltnews ncnews': 851076, 'cltnews ncnews news': 184395, 'ncnews news shopping': 553334, 'news shopping corona': 560790, 'shopping corona health': 762398, 'corona health wccb': 203986, 'health wccb clt': 386939, 'read rt': 700535, 'rt plastic': 726796, 'bag provide': 108389, 'provide hygienic': 686354, 'hygienic and': 412207, 'and convenient': 60527, 'convenient way': 202430, 'to carry': 902464, 'carry our': 165133, 'grocery home': 364595, 'while protecting': 987180, 'protecting supermarket': 685230, 'customer from': 222394, 'please read rt': 660354, 'read rt plastic': 700536, 'rt plastic bag': 726797, 'plastic bag provide': 658809, 'bag provide hygienic': 108390, 'provide hygienic and': 686355, 'hygienic and convenient': 412208, 'and convenient way': 60530, 'convenient way to': 202431, 'way to carry': 969995, 'to carry our': 902469, 'carry our grocery': 165134, 'our grocery home': 623305, 'grocery home while': 364596, 'home while protecting': 402492, 'while protecting supermarket': 987181, 'protecting supermarket employee': 685231, 'supermarket employee and': 820108, 'and customer from': 60842, 'customer from covid': 222398, 'egede': 269736, 'egede season': 269737, 'season together': 743453, 'egede season together': 269738, 'season together we': 743454, 'stayhomesavelives please': 798430, 'cornwall we': 203763, 'cannot feed': 161821, 'feed you': 302406, 'you our': 1020247, 'nh is': 561994, 'needed for': 556355, 'local people': 498261, 'people thank': 649746, 'you nh': 1020096, 'nh carers': 561916, 'carers key': 164589, 'list go': 494342, 'on thank': 603924, 'stayhomesavelives please do': 798431, 'do not travel': 249873, 'not travel to': 572261, 'travel to cornwall': 930534, 'to cornwall we': 903523, 'cornwall we cannot': 203764, 'we cannot feed': 971059, 'cannot feed you': 161824, 'feed you our': 302408, 'you our nh': 1020251, 'our nh is': 624067, 'nh is needed': 561997, 'is needed for': 449861, 'needed for local': 556358, 'for local people': 323054, 'local people thank': 498264, 'people thank you': 649747, 'thank you nh': 841788, 'you nh carers': 1020097, 'nh carers key': 561917, 'carers key worker': 164590, 'key worker supermarket': 473516, 'staff delivery driver': 792358, 'driver the list': 259787, 'the list go': 859466, 'list go on': 494343, 'go on thank': 353896, 'on thank you': 603926, 'wa gone': 962222, 'gone all': 356194, 'you flour': 1018602, 'flour collector': 311088, 'collector are': 186549, 'bake their': 108752, 'own bread': 631905, 'bread now': 138545, 'all the flour': 44749, 'the flour wa': 855444, 'flour wa gone': 311184, 'wa gone all': 962224, 'gone all you': 356200, 'all you flour': 45539, 'you flour collector': 1018603, 'flour collector are': 311089, 'collector are going': 186550, 'going to bake': 355531, 'to bake their': 901007, 'bake their own': 108753, 'their own bread': 874163, 'own bread now': 631906, 'if alcohol': 413782, 'alcohol is': 41037, 'important content': 418771, 'content in': 200811, 'in sanitizer': 427691, 'sanitizer let': 735281, 'let alcohol': 486544, 'alcohol be': 40938, 'sold in': 781681, 'bulk because': 142244, 'sanitizer are': 734481, 'market curfew': 516263, 'if alcohol is': 413784, 'alcohol is the': 41038, 'most important content': 542398, 'important content in': 418772, 'content in sanitizer': 200813, 'in sanitizer let': 427692, 'sanitizer let alcohol': 735282, 'let alcohol be': 486545, 'alcohol be sold': 40939, 'be sold in': 117283, 'sold in bulk': 781684, 'in bulk because': 421029, 'bulk because the': 142245, 'because the sanitizer': 119643, 'the sanitizer are': 866350, 'sanitizer are not': 734484, 'not available in': 568303, 'available in the': 104455, 'the market curfew': 860101, 'productively': 682304, 'audience': 102902, 'good data': 356940, 'driven summary': 259364, 'way brand': 969502, 'brand can': 137780, 'can productively': 159313, 'productively engage': 682305, 'engage during': 276851, 'crisis from': 217400, 'from youtube': 338501, 'youtube creator': 1026897, 'creator inviting': 216243, 'inviting audience': 444287, 'audience to': 102916, 'by creating': 152255, 'creating content': 215989, 'content like': 200819, 'like bulk': 489937, 'bulk cook': 142292, 'cook with': 202790, 'or disinfect': 614989, 'disinfect with': 245582, 'good data driven': 356941, 'data driven summary': 226198, 'driven summary of': 259365, 'summary of way': 817941, 'of way brand': 592952, 'way brand can': 969503, 'brand can productively': 137791, 'can productively engage': 159314, 'productively engage during': 682306, 'engage during the': 276852, '19 crisis from': 6250, 'crisis from youtube': 217403, 'from youtube creator': 338502, 'youtube creator inviting': 1026898, 'creator inviting audience': 216244, 'inviting audience to': 444288, 'audience to join': 102917, 'to join by': 908675, 'join by creating': 466688, 'by creating content': 152256, 'creating content like': 215990, 'content like bulk': 200820, 'like bulk cook': 489938, 'bulk cook with': 142293, 'cook with me': 202791, 'with me or': 999448, 'me or disinfect': 523283, 'or disinfect with': 614990, 'disinfect with me': 245583, 'catherine': 167290, 'amato': 50617, 'wgbh': 980884, 'get chance': 346755, 'hear catherine': 387893, 'catherine amato': 167291, 'amato on': 50618, 'on boston': 599674, 'boston public': 135801, 'public radio': 688257, 'radio yesterday': 695468, 'yesterday well': 1015942, 'well you': 978775, 'can listen': 158886, 'to yesterday': 918878, 'yesterday interview': 1015780, 'interview online': 442228, 'at wgbh': 101516, 'wgbh tune': 980885, 'response effort': 715678, 'effort and': 269467, 'didn get chance': 241067, 'get chance to': 346757, 'chance to hear': 171803, 'to hear catherine': 907400, 'hear catherine amato': 387894, 'catherine amato on': 167292, 'amato on boston': 50619, 'on boston public': 599675, 'boston public radio': 135802, 'public radio yesterday': 688259, 'radio yesterday well': 695470, 'yesterday well you': 1015944, 'well you can': 978777, 'you can listen': 1017716, 'can listen to': 158887, 'listen to yesterday': 494761, 'to yesterday interview': 918879, 'yesterday interview online': 1015781, 'interview online at': 442229, 'online at wgbh': 607900, 'at wgbh tune': 101517, 'wgbh tune in': 980886, 'tune in to': 935407, 'in to hear': 430114, '19 response effort': 10144, 'response effort and': 715679, 'effort and how': 269470, 'grocery food': 364518, 'chain need': 170938, 'temperature of': 837385, 'shopper coming': 761463, 'coming into': 188107, 'store period': 809506, 'period if': 651786, 'if shopper': 414795, 'shopper ha': 761534, 'ha temp': 372168, 'temp do': 837322, 'them people': 876153, 'take risk': 832545, 'risk when': 724013, 'food co': 313950, 'all other grocery': 43781, 'other grocery food': 620317, 'grocery food chain': 364519, 'food chain need': 313912, 'chain need to': 170939, 'need to check': 555884, 'to check the': 902694, 'check the temperature': 174656, 'the temperature of': 869278, 'temperature of the': 837389, 'of the shopper': 591459, 'the shopper coming': 867050, 'shopper coming into': 761464, 'coming into the': 188113, 'the store period': 868080, 'store period if': 809507, 'period if shopper': 651787, 'if shopper ha': 414797, 'shopper ha temp': 761537, 'ha temp do': 372169, 'temp do their': 837323, 'do their food': 250275, 'their food shopping': 873349, 'food shopping for': 316521, 'shopping for them': 762718, 'for them people': 326914, 'them people will': 876155, 'people will take': 650418, 'will take risk': 995078, 'take risk when': 832549, 'risk when they': 724014, 'when they need': 984271, 'they need food': 882733, 'need food co': 554792, 'wht': 990707, 'navarro': 553044, 'repurposed': 713090, 'honeywell': 403189, 'gaynor': 344737, 'wht hse': 990708, 'hse navarro': 409728, 'navarro in': 553045, 'in charge': 421334, 'charge of': 173287, 'of building': 580925, 'building up': 142147, 'up rapidly': 945886, 'rapidly supply': 697025, 'supply capacity': 824884, 'capacity under': 162598, 'under defense': 940067, 'act factory': 29637, 'factory can': 295932, 'be repurposed': 116809, 'repurposed such': 713101, 'such distillery': 816452, 'distillery making': 247780, 'or opened': 616402, 'opened honeywell': 612735, 'honeywell opening': 403192, 'opening plant': 612893, 'plant for': 658650, 'mask gaynor': 518716, 'gaynor fema': 344738, 'wht hse navarro': 990709, 'hse navarro in': 409729, 'navarro in charge': 553046, 'in charge of': 421342, 'charge of building': 173288, 'of building up': 580927, 'building up rapidly': 142148, 'up rapidly supply': 945887, 'rapidly supply capacity': 697026, 'supply capacity under': 824885, 'capacity under defense': 162599, 'under defense production': 940068, 'production act factory': 681895, 'act factory can': 29638, 'factory can be': 295933, 'can be repurposed': 157676, 'be repurposed such': 116812, 'repurposed such distillery': 713102, 'such distillery making': 816453, 'distillery making hand': 247781, 'sanitizer or opened': 735491, 'or opened honeywell': 616403, 'opened honeywell opening': 612736, 'honeywell opening plant': 403193, 'opening plant for': 612894, 'plant for mask': 658651, 'for mask gaynor': 323270, 'mask gaynor fema': 518717, 'reid': 708199, 'overstate': 631544, 'gin': 350162, 'only dream': 610362, 'the reid': 865456, 'reid distillery': 708200, 'distillery would': 247835, 'to overstate': 911317, 'overstate the': 631545, 'had on': 373357, 'and every': 62368, 'other small': 620928, 'support is': 826599, 'to enjoy': 905128, 'enjoy reid': 277176, 'reid gin': 708202, 'gin at': 350167, 'open daily': 612174, 'daily from': 224624, '11 to': 2599, 'for long time': 323090, 'long time we': 501785, 'time we could': 898219, 'we could only': 971214, 'could only dream': 209481, 'only dream of': 610363, 'dream of what': 258608, 'of what the': 593063, 'what the reid': 982358, 'the reid distillery': 865457, 'reid distillery would': 708201, 'distillery would be': 247836, 'would be like': 1011614, 'like it hard': 490538, 'hard to overstate': 378076, 'to overstate the': 911318, 'overstate the impact': 631546, 'the impact covid': 857934, '19 ha had': 7350, 'ha had on': 370793, 'had on and': 373359, 'on and every': 599352, 'and every other': 62378, 'every other small': 286073, 'other small business': 620929, 'small business the': 774897, 'business the best': 144496, 'to support is': 915941, 'support is to': 826602, 'is to enjoy': 453200, 'to enjoy reid': 905131, 'enjoy reid gin': 277177, 'reid gin at': 708203, 'gin at home': 350168, 'at home our': 99074, 'home our retail': 401802, 'store is now': 808508, 'is now open': 450310, 'now open daily': 575459, 'open daily from': 612175, 'daily from 11': 224625, 'from 11 to': 334175, '11 to 11': 2600, 'msnbcanswers': 544571, 'shld': 759398, 'fr': 330835, 'grape': 362125, 'msnbcanswers q1': 544572, 'q1 shld': 691408, 'shld we': 759403, 'we no': 972588, 'reusable grocery': 720162, 'grocery bag': 364297, 'bag during': 108268, 'pandemic q2': 636263, 'q2 shld': 691427, 'shld fresh': 759401, 'produce fr': 680275, 'fr the': 330846, 'be avoided': 113768, 'avoided like': 105419, 'like grape': 490339, 'grape berry': 362128, 'berry lettuce': 127413, 'lettuce item': 487460, 'item not': 463475, 'not easily': 569131, 'easily washed': 265254, 'washed soap': 967620, 'water if': 969024, 'if ok': 414528, 'ok to': 597914, 'eat how': 265942, 'you recommend': 1020865, 'recommend cleaning': 704689, 'cleaning them': 181105, 'msnbcanswers q1 shld': 544573, 'q1 shld we': 691409, 'shld we no': 759404, 'we no longer': 972589, 'use reusable grocery': 949521, 'reusable grocery bag': 720163, 'grocery bag during': 364298, 'bag during the': 108271, '19 pandemic q2': 9437, 'pandemic q2 shld': 636264, 'q2 shld fresh': 691428, 'shld fresh produce': 759402, 'fresh produce fr': 333050, 'produce fr the': 680276, 'fr the grocery': 330847, 'grocery store be': 365241, 'store be avoided': 806659, 'be avoided like': 113769, 'avoided like grape': 105420, 'like grape berry': 490340, 'grape berry lettuce': 362129, 'berry lettuce item': 127414, 'lettuce item not': 487461, 'item not easily': 463478, 'not easily washed': 569132, 'easily washed soap': 265255, 'washed soap water': 967621, 'soap water if': 779158, 'water if ok': 969027, 'if ok to': 414529, 'ok to eat': 597918, 'to eat how': 904887, 'eat how do': 265943, 'do you recommend': 250670, 'you recommend cleaning': 1020866, 'recommend cleaning them': 704690, 'instantaneously': 440122, 'adjust': 32281, 'lookoutforothers': 503085, 'called in': 156349, 'on way': 605120, 'way home': 969631, 'are generation': 86780, 'generation who': 345647, 'to having': 907342, 'having plenty': 384225, 'plenty instantaneously': 660931, 'instantaneously now': 440123, 'and adjust': 57695, 'adjust our': 32286, 'our behaviour': 622178, 'behaviour lookoutforothers': 124468, 'called in supermarket': 156352, 'in supermarket on': 428641, 'supermarket on way': 821741, 'on way home': 605124, 'way home we': 969637, 'home we are': 402451, 'we are generation': 970575, 'are generation who': 86781, 'generation who are': 345648, 'who are used': 988254, 'used to having': 950058, 'to having plenty': 907344, 'having plenty instantaneously': 384226, 'plenty instantaneously now': 660932, 'instantaneously now is': 440124, 'time to think': 898085, 'about others and': 25876, 'others and adjust': 621252, 'and adjust our': 57696, 'adjust our behaviour': 32287, 'our behaviour lookoutforothers': 622179, 'neilson': 557307, 'their spending': 874774, 'spending habit': 788831, 'reflect new': 706612, 'standard of': 793685, 'living during': 496346, 'outbreak according': 627954, 'to neilson': 910544, 'neilson consumer': 557308, 'think beyond': 885159, 'beyond emergency': 129166, 'emergency item': 272764, 'and preparing': 69374, 'preparing their': 670360, 'pantry for': 639584, 'consumer are changing': 196286, 'are changing their': 85242, 'changing their spending': 172822, 'their spending habit': 874776, 'spending habit to': 788839, 'habit to reflect': 372700, 'to reflect new': 913065, 'reflect new standard': 706614, 'new standard of': 559641, 'standard of living': 793686, 'of living during': 585912, 'living during the': 496347, '19 outbreak according': 9077, 'outbreak according to': 627955, 'according to neilson': 28569, 'to neilson consumer': 910545, 'neilson consumer are': 557309, 'consumer are starting': 196312, 'starting to think': 795044, 'to think beyond': 917372, 'think beyond emergency': 885160, 'beyond emergency item': 129167, 'emergency item and': 272765, 'item and preparing': 463069, 'and preparing their': 69376, 'preparing their pantry': 670361, 'their pantry for': 874240, 'pantry for the': 639588, 'for the worst': 326791, '202': 14069, '224': 15287, '3121': 17621, 'more uncertain': 540840, 'uncertain for': 939585, 'for thousand': 327168, 'of wisconsin': 593199, 'wisconsin family': 996616, 'family access': 297550, 'food should': 316617, 'be uncertain': 117844, 'uncertain call': 939571, 'your senator': 1025716, 'senator at': 749739, 'at 202': 97516, '202 224': 14070, '224 3121': 15288, '3121 amp': 17622, '19 recovery': 10009, 'recovery package': 705377, 'package must': 633331, 'must increase': 546730, 'increase snap': 433064, 'snap benefit': 776078, 'benefit and': 126915, 'and accessibility': 57587, 'situation is getting': 772346, 'is getting more': 448032, 'getting more uncertain': 349127, 'more uncertain for': 540841, 'uncertain for thousand': 939586, 'for thousand of': 327170, 'thousand of wisconsin': 893472, 'of wisconsin family': 593200, 'wisconsin family access': 996617, 'family access to': 297551, 'to food should': 906098, 'food should not': 316619, 'not be uncertain': 568477, 'be uncertain call': 117845, 'uncertain call your': 939572, 'call your senator': 156266, 'your senator at': 1025717, 'senator at 202': 749740, 'at 202 224': 97517, '202 224 3121': 14071, '224 3121 amp': 15289, '3121 amp demand': 17623, 'amp demand that': 53634, 'demand that any': 236330, 'that any covid': 842674, 'covid 19 recovery': 213670, '19 recovery package': 10015, 'recovery package must': 705379, 'package must increase': 633332, 'must increase snap': 546731, 'increase snap benefit': 433065, 'snap benefit and': 776080, 'benefit and accessibility': 126916, 'being straight': 125858, 'up asshole': 944417, 'asshole to': 96572, 'if out': 414581, 'this happens': 887853, 'me you': 524044, 'will finally': 993438, 'finally get': 306009, 'me live': 523096, 'direct right': 243378, 'here on': 393407, 'twitter ease': 936650, 'get wrecked': 348663, 'wrecked we': 1012717, 'being straight up': 125859, 'straight up asshole': 812250, 'up asshole to': 944418, 'asshole to grocery': 96573, 'store retail worker': 809879, 'not the way': 572043, 'way to do': 970015, 'do this if': 250353, 'this if out': 887999, 'if out and': 414582, 'and about and': 57543, 'about and this': 24806, 'and this happens': 73995, 'this happens in': 887855, 'happens in front': 377479, 'of me you': 586353, 'me you will': 524052, 'you will finally': 1022334, 'will finally get': 993439, 'finally get to': 306015, 'get to see': 348489, 'see me live': 745409, 'me live and': 523097, 'live and direct': 495719, 'and direct right': 61372, 'direct right here': 243379, 'right here on': 721934, 'here on twitter': 393414, 'on twitter ease': 604918, 'twitter ease the': 936651, 'ease the fuck': 265106, 'fuck up or': 339675, 'up or get': 945681, 'or get wrecked': 615438, 'get wrecked we': 348664, 'wrecked we re': 1012718, 're all we': 698243, 'all we got': 45407, 'korea ha': 477476, 'been living': 121468, 'living with': 496485, 'it since': 461067, 'or hoarding': 615658, 'like in': 490485, 'there study': 879117, 'on why': 605304, 'why country': 990904, 'country respond': 211010, 'respond differently': 715295, 'differently to': 242169, 'to crisis': 903741, 'crisis study': 218107, 'no hoarding': 564428, 'hoarding in': 399381, 'crisis lead': 217646, 'normal food': 567148, 'supply being': 824849, 'being enough': 125112, 'south korea ha': 786742, 'korea ha been': 477478, 'ha been living': 369845, 'been living with': 121471, 'living with it': 496488, 'with it since': 999083, 'it since january': 461068, 'since january but': 770676, 'january but there': 464652, 'but there is': 147465, 'no panic or': 565046, 'panic or hoarding': 638366, 'or hoarding of': 615660, 'hoarding of supply': 399456, 'of supply like': 590488, 'supply like in': 825502, 'like in the': 490502, 'state is there': 795709, 'is there study': 453038, 'there study on': 879118, 'study on why': 814942, 'on why country': 605308, 'why country respond': 990905, 'country respond differently': 211011, 'respond differently to': 715296, 'differently to crisis': 242170, 'to crisis study': 903748, 'crisis study on': 218108, 'study on no': 814939, 'on no hoarding': 602416, 'no hoarding in': 564429, 'hoarding in crisis': 399382, 'in crisis lead': 421886, 'crisis lead to': 217647, 'lead to normal': 483371, 'to normal food': 910646, 'normal food supply': 567149, 'food supply being': 316938, 'supply being enough': 824850, 'being enough for': 125113, 'visual': 959621, 'interesting visual': 441646, 'visual of': 959630, 'of near': 586880, 'near term': 553597, 'term shopping': 838293, 'very interesting visual': 955279, 'interesting visual of': 441647, 'visual of near': 959632, 'of near term': 586882, 'near term shopping': 553604, 'term shopping trend': 838294, 'estimating': 282314, 'alexis': 41617, 'akira': 40537, 'toda': 919114, 'estimating the': 282317, 'the susceptible': 869032, 'susceptible infected': 829435, 'infected recovered': 436631, 'recovered sir': 705243, 'sir epidemic': 771559, 'epidemic model': 279416, 'model for': 535249, '19 dynamic': 6680, 'dynamic and': 263901, 'and asset': 58450, 'price alexis': 672261, 'alexis akira': 41618, 'akira toda': 40538, 'estimating the susceptible': 282319, 'the susceptible infected': 869034, 'susceptible infected recovered': 829436, 'infected recovered sir': 436632, 'recovered sir epidemic': 705244, 'sir epidemic model': 771560, 'epidemic model for': 279417, 'model for the': 535254, 'for the novel': 326589, 'novel coronavirus disease': 573758, 'coronavirus disease 19': 205825, 'disease 19 covid': 245072, 'covid 19 dynamic': 212995, '19 dynamic and': 6681, 'dynamic and asset': 263902, 'and asset price': 58452, 'asset price alexis': 96452, 'price alexis akira': 672262, 'alexis akira toda': 41619, 'idle': 413673, 'in western': 430811, 'western japan': 980622, 'japan are': 464709, 'to life': 909246, 'life under': 489155, 'under state': 940258, 'emergency with': 273051, 'with street': 1001008, 'street quiet': 813077, 'quiet taxi': 694703, 'taxi sitting': 835174, 'sitting idle': 772113, 'idle and': 413674, 'local official': 498224, 'official busy': 595766, 'busy turning': 145002, 'turning out': 935939, 'out homemade': 626308, 'homemade sanitizer': 402850, 'people in western': 648450, 'in western japan': 430816, 'western japan are': 980623, 'japan are adjusting': 464710, 'adjusting to life': 32367, 'to life under': 909256, 'life under state': 489158, 'under state of': 940259, 'of emergency with': 583064, 'emergency with street': 273052, 'with street quiet': 1001009, 'street quiet taxi': 813078, 'quiet taxi sitting': 694704, 'taxi sitting idle': 835175, 'sitting idle and': 772114, 'idle and local': 413675, 'and local official': 66300, 'local official busy': 498225, 'official busy turning': 595767, 'busy turning out': 145003, 'turning out homemade': 935940, 'out homemade sanitizer': 626309, 'unaffected': 939383, 'we stop': 973424, 'it serf': 460980, 'serf no': 751203, 'no purpose': 565256, 'purpose other': 690149, 'buying supermarket': 151119, 'are unaffected': 91257, 'unaffected by': 939386, 'vulnerable are': 960873, 'suffering or': 817332, 'with specific': 1000912, 'specific allergy': 788201, 'allergy to': 45795, 'to gluten': 906754, 'gluten lactose': 353133, 'lactose etc': 478705, 'please please can': 660299, 'please can we': 659763, 'can we stop': 160203, 'we stop panic': 973426, 'buying it serf': 150602, 'it serf no': 460982, 'serf no purpose': 751204, 'no purpose other': 565257, 'purpose other than': 690150, 'other than to': 621085, 'than to create': 841338, 'to create more': 903716, 'more panic buying': 539984, 'panic buying supermarket': 637916, 'buying supermarket supply': 151122, 'chain are unaffected': 170518, 'are unaffected by': 91258, 'unaffected by covid': 939387, '19 the elderly': 11188, 'and the vulnerable': 73643, 'the vulnerable are': 870975, 'vulnerable are the': 960876, 'one who are': 607433, 'who are suffering': 988233, 'are suffering or': 90632, 'suffering or those': 817333, 'or those with': 617440, 'those with specific': 892725, 'with specific allergy': 1000913, 'specific allergy to': 788202, 'allergy to gluten': 45796, 'to gluten lactose': 906755, 'gluten lactose etc': 353134, 'that exactly': 843784, 'what said': 982110, 'said because': 731000, 'and basically': 58723, 'basically work': 112186, 'when not': 983780, 'not full': 569555, 'time because': 896368, 'because everyone': 119048, 'is running': 451590, 'running around': 727912, 'head cut': 385735, 'off bc': 593679, 'that exactly what': 843785, 'exactly what said': 288765, 'what said because': 982113, 'said because work': 731002, 'because work at': 119843, 'store and basically': 806202, 'and basically work': 58727, 'basically work full': 112187, 'full time when': 340949, 'time when not': 898297, 'when not full': 983783, 'not full time': 569556, 'full time because': 340935, 'time because everyone': 896370, 'because everyone is': 119049, 'everyone is running': 287105, 'is running around': 451592, 'running around with': 727922, 'around with their': 93644, 'with their head': 1001576, 'their head cut': 873500, 'head cut off': 385736, 'cut off bc': 223438, 'off bc of': 593681, 'ptnyf': 687642, '059': 974, 'radr': 695498, 'parcelpal': 641534, 'ptnyf 059': 687643, '059 look': 975, 'with news': 999717, 'news under': 560921, 'the radr': 865102, 'radr parcelpal': 695499, 'parcelpal increase': 641535, 'increase operation': 432962, 'operation for': 613181, 'ptnyf 059 look': 687644, '059 look like': 976, 'look like food': 502477, 'like food delivery': 490260, 'delivery service sector': 234458, 'sector with news': 744413, 'with news under': 999719, 'news under the': 560922, 'under the radr': 940327, 'the radr parcelpal': 865103, 'radr parcelpal increase': 695500, 'parcelpal increase operation': 641536, 'increase operation for': 432963, 'operation for covid': 613183, 'why ha': 991029, 'ha there': 372249, 'been ban': 120723, 'ban placed': 109244, 'placed on': 657899, 'short selling': 764685, 'selling in': 749297, 'allowing large': 46298, 'large institution': 479706, 'institution to': 440475, 'and artificially': 58409, 'artificially drive': 94545, 'price lower': 675123, 'lower help': 505873, 'protect investor': 684856, 'investor and': 444102, 'and act': 57620, 'why ha there': 991036, 'ha there not': 372250, 'there not been': 878857, 'not been ban': 568505, 'been ban placed': 120724, 'ban placed on': 109245, 'placed on short': 657905, 'on short selling': 603446, 'short selling in': 764687, 'selling in the': 749301, 'the market we': 860174, 'market we are': 517317, 'we are allowing': 970473, 'are allowing large': 84385, 'allowing large institution': 46299, 'large institution to': 479707, 'institution to profit': 440478, 'pandemic and artificially': 634861, 'and artificially drive': 58410, 'artificially drive price': 94546, 'drive price lower': 259132, 'price lower help': 675126, 'lower help protect': 505874, 'help protect investor': 390371, 'protect investor and': 684857, 'investor and act': 444103, 'oxvent': 632667, 'price compare': 673198, 'compare to': 191411, 'to oxvent': 911338, 'oxvent how': 632668, 'uk plan': 938625, 'source 30': 786439, '00 ventilator': 582, 'ventilator for': 954554, 'how do these': 407727, 'do these price': 250294, 'these price compare': 880528, 'price compare to': 673199, 'compare to oxvent': 191413, 'to oxvent how': 911339, 'oxvent how the': 632669, 'how the uk': 408888, 'the uk plan': 870265, 'uk plan to': 938626, 'plan to source': 658321, 'to source 30': 914936, 'source 30 00': 786440, '30 00 ventilator': 16923, '00 ventilator for': 584, 'ventilator for the': 954561, 'tesco and': 838655, 'and waitrose': 75126, 'waitrose have': 964451, 'no collection': 563849, 'collection or': 186453, 'week same': 976834, 'same for': 733069, 'the ocado': 862025, 'ocado at': 578880, 'this rate': 889802, 'rate patient': 697337, 'patient will': 644306, 'soon be': 785634, 'get basic': 346644, 'necessity please': 554251, 'not reserve': 571330, 'reserve grocery': 714066, 'online unless': 609649, 'of if': 584970, 'sick stay': 768615, 'sainsburys tesco and': 731798, 'tesco and waitrose': 838661, 'and waitrose have': 75128, 'waitrose have had': 964452, 'had no collection': 373328, 'no collection or': 563850, 'collection or delivery': 186454, 'or delivery slot': 614948, 'for week same': 327745, 'week same for': 976835, 'same for the': 733073, 'for the ocado': 326594, 'the ocado at': 862026, 'ocado at this': 578881, 'at this rate': 101252, 'this rate patient': 889804, 'rate patient will': 697338, 'patient will soon': 644308, 'will soon be': 994890, 'soon be forced': 785638, 'their home to': 873576, 'to get basic': 906419, 'get basic necessity': 346649, 'basic necessity please': 112000, 'necessity please do': 554252, 'do not reserve': 249824, 'not reserve grocery': 571331, 'reserve grocery online': 714067, 'grocery online unless': 364790, 'online unless you': 609650, 'have to it': 383232, 'to it is': 908589, 'is better for': 446151, 'better for all': 128287, 'all of if': 43696, 'of if the': 584974, 'if the sick': 415031, 'the sick stay': 867153, 'sick stay home': 768616, 'stabilization': 791829, 'businesstransformation': 144794, 'term stabilization': 838301, 'stabilization business': 791830, 'business should': 144372, 'more thoroughly': 540743, 'make their': 510592, 'network more': 557740, 'resilient businesstransformation': 714519, 'businesstransformation stopthespread': 144795, 'stabilize the supply': 791864, 'chain for longer': 170716, 'for longer term': 323096, 'longer term stabilization': 502067, 'term stabilization business': 838302, 'stabilization business should': 791831, 'business should seek': 144375, 'should seek to': 766445, 'seek to plan': 746616, 'to plan for': 911765, 'plan for consumer': 658116, 'for consumer demand': 320251, 'consumer demand more': 197148, 'demand more thoroughly': 235895, 'more thoroughly and': 540744, 'thoroughly and make': 891754, 'and make their': 66580, 'make their supply': 510600, 'their supply network': 874918, 'supply network more': 825586, 'network more resilient': 557742, 'more resilient businesstransformation': 540233, 'resilient businesstransformation stopthespread': 714520, 'mercari': 528935, 'declutter': 231500, 'doing well': 252828, 'well during': 978213, 'up clothes': 944611, 'clothes for': 184161, 'on mercari': 602109, 'mercari at': 528936, 'very cheap': 955050, 'price way': 677389, 'to declutter': 904023, 'declutter my': 231503, 'my room': 549965, 'out those': 627596, 'buy clothing': 148496, 'clothing please': 184277, 'interested mercari': 441474, 'mercari clothing': 528938, 'is doing well': 447297, 'doing well during': 252831, 'well during these': 978215, 'tough time am': 926846, 'time am putting': 896243, 'am putting up': 50332, 'putting up clothes': 691276, 'up clothes for': 944612, 'clothes for sale': 184162, 'for sale on': 325321, 'sale on mercari': 732418, 'on mercari at': 602110, 'mercari at very': 528937, 'at very cheap': 101445, 'very cheap price': 955052, 'cheap price way': 174179, 'price way to': 677392, 'way to declutter': 970011, 'to declutter my': 904024, 'declutter my room': 231504, 'my room and': 549966, 'room and to': 725882, 'and to help': 74175, 'help out those': 390258, 'out those who': 627600, 'to buy clothing': 902206, 'buy clothing please': 148497, 'clothing please check': 184278, 'please check it': 659774, 'it out if': 460186, 'are interested mercari': 87557, 'interested mercari clothing': 441475, 'unpacking': 943012, 'detectable': 239334, 'infection control': 436734, 'control tip': 202193, 'share if': 755046, 'you order': 1020229, 'order shopping': 618576, 'online you': 609772, 'can minimise': 158996, 'minimise risk': 533080, 'risk by': 723435, 'not unpacking': 572337, 'unpacking it': 943013, 'or longer': 616001, 'longer by': 501952, 'by that': 154247, 'be detectable': 114427, 'detectable on': 239337, 'on packaging': 602671, 'packaging or': 633567, 'or bag': 614480, 'bag etc': 108276, 'infection control tip': 436737, 'control tip to': 202194, 'tip to share': 898938, 'to share if': 914348, 'share if you': 755049, 'if you order': 415488, 'you order shopping': 1020237, 'order shopping online': 618577, 'shopping online you': 763513, 'online you can': 609774, 'you can minimise': 1017727, 'can minimise risk': 158997, 'minimise risk by': 533081, 'risk by not': 723439, 'by not unpacking': 153367, 'not unpacking it': 572338, 'unpacking it for': 943014, 'it for day': 458073, 'for day or': 320582, 'day or longer': 228171, 'or longer by': 616003, 'longer by that': 501953, 'by that time': 154252, 'that time the': 847049, 'time the virus': 897882, 'the virus will': 870923, 'not be detectable': 568370, 'be detectable on': 114428, 'detectable on packaging': 239338, 'on packaging or': 602674, 'packaging or bag': 633568, 'or bag etc': 614481, 'elder': 270527, 'errand': 280185, 'presidency': 670741, 'fre': 331504, 'calling elder': 156535, 'elder to': 270549, 'taking daily': 833323, 'daily medicine': 224695, 'medicine running': 526877, 'running grocery': 727970, 'store errand': 807611, 'errand for': 280190, 'for folk': 321539, 'keeping myself': 472487, 'myself in': 550877, 'lockdown also': 499121, 'also keeping': 48450, 'keeping in': 472447, 'mind that': 532733, 'that under': 847164, 'under sander': 940234, 'sander presidency': 733691, 'presidency covid': 670742, 'test would': 839245, 'would already': 1011509, 'be fre': 114950, 'calling elder to': 156536, 'elder to make': 270550, 'sure they re': 827742, 'they re taking': 883138, 're taking daily': 699649, 'taking daily medicine': 833324, 'daily medicine running': 224696, 'medicine running grocery': 526878, 'running grocery store': 727971, 'grocery store errand': 365371, 'store errand for': 807612, 'errand for folk': 280191, 'for folk who': 321542, 'sick and keeping': 768369, 'and keeping myself': 65796, 'keeping myself in': 472488, 'myself in lockdown': 550880, 'in lockdown also': 424834, 'lockdown also keeping': 499122, 'also keeping in': 48452, 'keeping in mind': 472449, 'in mind that': 425342, 'mind that under': 532737, 'that under sander': 847165, 'under sander presidency': 940235, 'sander presidency covid': 733692, 'presidency covid 19': 670743, '19 test would': 11091, 'test would already': 839246, 'would already be': 1011510, 'already be fre': 47212, 'drastically': 258422, 'ntv': 576745, 'reduced drastically': 706060, 'drastically for': 258438, 'the third': 869476, 'third time': 886109, 'in roll': 427532, 'roll ntv': 725406, 'ntv ghana': 576746, 'fuel price reduced': 340249, 'price reduced drastically': 676130, 'reduced drastically for': 706061, 'drastically for the': 258439, 'for the third': 326728, 'the third time': 869482, 'third time in': 886110, 'time in roll': 897010, 'in roll ntv': 427533, 'roll ntv ghana': 725407, 'team helped': 835674, 'helped take': 391104, 'how industry': 408064, 'industry disrupted': 435773, 'disrupted by': 246391, 'can pivot': 159235, 'pivot their': 657098, 'outbreak from': 628240, 'from perfume': 336900, 'perfume manufacturer': 651530, 'manufacturer creating': 513448, 'creating hand': 216009, 'and distillery': 61499, 'distillery manufacturing': 247782, 'manufacturing disinfecting': 513573, 'disinfecting alcohol': 245835, 'alcohol here': 41023, 'our team helped': 625103, 'team helped take': 835676, 'helped take look': 391105, 'at how industry': 99218, 'how industry disrupted': 408065, 'industry disrupted by': 435774, 'disrupted by covid': 246392, 'by covid can': 152252, 'covid can pivot': 214133, 'can pivot their': 159236, 'pivot their resource': 657100, 'fight the outbreak': 304899, 'the outbreak from': 862629, 'outbreak from perfume': 628241, 'from perfume manufacturer': 336901, 'perfume manufacturer creating': 651531, 'manufacturer creating hand': 513449, 'creating hand sanitizer': 216010, 'sanitizer and distillery': 734401, 'and distillery manufacturing': 61500, 'distillery manufacturing disinfecting': 247783, 'manufacturing disinfecting alcohol': 513574, 'disinfecting alcohol here': 245836, 'alcohol here how': 41024, 'here how company': 393099, 'how company are': 407572, 'journal': 467378, 'via need': 956094, 'need gift': 554903, 'gift or': 350004, 'or write': 617851, 'write down': 1012762, 'down ur': 257423, 'ur thought': 948080, 'thought my': 893129, 'quarantinediaries quarantinediaries': 692903, 'quarantinediaries quarantinelife': 692905, 'journaling journal': 467401, 'journal quarantine': 467393, 'quarantineactivities corona': 692735, 'corona quarantinebirthday': 204130, 'toiletpaper writingcommnunity': 922869, 'via need gift': 956095, 'need gift or': 554904, 'gift or write': 350006, 'or write down': 617852, 'write down ur': 1012763, 'down ur thought': 257424, 'ur thought my': 948081, 'thought my life': 893131, '2020 quarantinediaries quarantinediaries': 14550, 'quarantinediaries quarantinediaries quarantinelife': 692904, 'quarantinediaries quarantinelife journaling': 692906, 'quarantinelife journaling journal': 692965, 'journaling journal quarantine': 467402, 'journal quarantine quarantineactivities': 467395, 'quarantine quarantineactivities corona': 692459, 'quarantineactivities corona quarantinebirthday': 692736, 'corona quarantinebirthday toiletpaper': 204131, 'quarantinebirthday toiletpaper writingcommnunity': 692786, 'firstrespondersfirst': 309225, 'from coast': 334905, 'coast to': 185121, 'to coast': 902932, 'coast company': 185097, 'coming together': 188240, 'community thank': 190147, 'for putting': 324873, 'putting our': 691186, 'our firstrespondersfirst': 623087, 'firstrespondersfirst handsanitizer': 309226, 'from coast to': 334906, 'coast to coast': 185122, 'to coast company': 902933, 'coast company are': 185098, 'company are coming': 190417, 'are coming together': 85443, 'coming together to': 188247, 'together to slow': 921002, 'spread of in': 790679, 'of in their': 585049, 'their community thank': 872828, 'community thank you': 190148, 'you for putting': 1018662, 'for putting our': 324875, 'putting our firstrespondersfirst': 691189, 'our firstrespondersfirst handsanitizer': 623088, 'our hidden': 623430, 'hidden hero': 394814, 'keep shelf': 471923, 'shelf stocked': 757575, 'and package': 68608, 'package delivered': 633245, 'delivered amid': 233287, 'clerk to': 181793, 'to truck': 917792, 'pharmacy staff': 654470, 'to our hidden': 911188, 'our hidden hero': 623431, 'hidden hero they': 394815, 'hero they continue': 394127, 'continue to keep': 201215, 'to keep shelf': 908844, 'keep shelf stocked': 471925, 'shelf stocked and': 757577, 'stocked and package': 803266, 'and package delivered': 68609, 'package delivered amid': 633246, 'delivered amid 19': 233288, 'amid 19 from': 52373, '19 from the': 7140, 'store clerk to': 807032, 'clerk to truck': 181797, 'to truck driver': 917793, 'truck driver pharmacy': 932790, 'driver pharmacy staff': 259693, 'pharmacy staff and': 654471, 'staff and delivery': 792137, 'delivery driver we': 233952, 'driver we thank': 259841, 'for helping our': 322201, '50k': 20159, 'weakens': 974089, 'we even': 971482, 'even missed': 284334, 'missed the': 534253, 'fact the': 295819, 'the leading': 859229, 'leading cause': 483690, 'death worldwide': 230279, 'still heart': 800686, 'heart attack': 388264, 'attack with': 102178, 'almost 50k': 46515, '50k death': 20162, 'death each': 230026, 'we stock': 973415, '19 yet': 12254, 'eat food': 265915, 'that weakens': 847411, 'weakens the': 974092, 'that true we': 847133, 'true we even': 933212, 'we even missed': 971483, 'even missed the': 284335, 'missed the fact': 534255, 'the fact the': 854833, 'fact the the': 295823, 'the the leading': 869387, 'the leading cause': 859231, 'leading cause of': 483691, 'cause of death': 167679, 'of death worldwide': 582423, 'death worldwide is': 230280, 'worldwide is still': 1010384, 'is still heart': 452282, 'still heart attack': 800687, 'heart attack with': 388268, 'attack with almost': 102179, 'with almost 50k': 997172, 'almost 50k death': 46516, '50k death each': 20163, 'death each day': 230027, 'each day so': 264050, 'day so we': 228371, 'so we stock': 778685, 'we stock up': 973421, 'on food to': 600923, 'food to avoid': 317233, 'going out and': 355357, 'out and get': 625663, 'and get covid': 63566, 'covid 19 yet': 214107, '19 yet we': 12258, 'yet we eat': 1016315, 'we eat food': 971431, 'eat food that': 265916, 'food that weakens': 317105, 'that weakens the': 847412, 'weakens the immune': 974093, 'rinse': 722568, '0711590279': 1029, 'ruto': 728703, 'mutahi': 547048, 'kagwe': 470634, 'kibe': 473770, 'kibaki': 473765, 'museveni': 546259, 'cleanse hand': 181167, 'sanitizer 70': 734301, '70 ipa': 21781, 'ipa amp': 444524, 'amp ethanol': 53748, 'ethanol rinse': 283010, 'rinse free': 722575, 'free non': 332001, 'non sticky': 566502, 'sticky call': 800122, 'call whatsapp': 156222, 'whatsapp me': 982897, 'me 0711590279': 522322, '0711590279 to': 1030, 'place your': 657862, 'order while': 618774, 'while stock': 987326, 'stock last': 802341, 'last william': 480705, 'william ruto': 995436, 'ruto mutahi': 728704, 'mutahi kagwe': 547049, 'kagwe kibe': 470637, 'kibe south': 473771, 'south kibaki': 786732, 'kibaki museveni': 473766, 'cleanse hand sanitizer': 181168, 'hand sanitizer 70': 375285, 'sanitizer 70 ipa': 734303, '70 ipa amp': 21782, 'ipa amp ethanol': 444525, 'amp ethanol rinse': 53749, 'ethanol rinse free': 283011, 'rinse free non': 722577, 'free non sticky': 332002, 'non sticky call': 566503, 'sticky call whatsapp': 800123, 'call whatsapp me': 156224, 'whatsapp me 0711590279': 982898, 'me 0711590279 to': 522323, '0711590279 to place': 1031, 'to place your': 911761, 'place your order': 657863, 'your order while': 1025110, 'order while stock': 618775, 'while stock last': 987328, 'stock last william': 802345, 'last william ruto': 480706, 'william ruto mutahi': 995437, 'ruto mutahi kagwe': 728705, 'mutahi kagwe kibe': 547051, 'kagwe kibe south': 470638, 'kibe south kibaki': 473772, 'south kibaki museveni': 786733, 'commute': 190262, 'elementary': 271353, 'usual commute': 950901, 'commute take': 190267, 'take an': 831933, 'and five': 62947, 'five to': 309677, 'to ten': 916370, 'ten minute': 837788, 'minute today': 533878, 'today 55': 919129, '55 minute': 20395, 'minute gas': 533765, 'low when': 505739, 'in elementary': 422528, 'elementary very': 271354, 'very unsettled': 955633, 'my usual commute': 550473, 'usual commute take': 950902, 'commute take an': 190268, 'take an hour': 831934, 'an hour and': 56075, 'hour and five': 405396, 'and five to': 62949, 'five to ten': 309678, 'to ten minute': 916372, 'ten minute today': 837790, 'minute today 55': 533879, 'today 55 minute': 919130, '55 minute gas': 20396, 'minute gas price': 533766, 'are low when': 87939, 'low when wa': 505740, 'wa in elementary': 962365, 'in elementary very': 422529, 'elementary very unsettled': 271355, 'lemon': 486173, 'remedy': 710143, 'price ginger': 674182, 'ginger lemon': 350203, 'lemon soar': 486193, 'soar turn': 779278, 'home remedy': 401961, 'remedy to': 710148, 'price ginger lemon': 674183, 'ginger lemon soar': 350206, 'lemon soar turn': 486194, 'soar turn to': 779279, 'turn to home': 935782, 'to home remedy': 907937, 'home remedy to': 401962, 'remedy to fight': 710149, 'ftc warns': 339469, 'scam if': 740197, 'government sends': 360581, 'sends check': 750126, 'of related': 588904, 'scam read': 740321, 'ftc warning': 339467, 'ftc warns of': 339470, 'warns of government': 967267, 'check scam if': 174609, 'scam if the': 740198, 'if the government': 414978, 'the government sends': 856598, 'government sends check': 360582, 'sends check to': 750127, 'check to help': 174685, '19 the ftc': 11195, 'the ftc warns': 855946, 'warns of related': 967271, 'of related scam': 588909, 'related scam read': 708555, 'scam read the': 740324, 'read the ftc': 700576, 'the ftc warning': 855945, 'ftc warning here': 339468, 'callon': 156660, 'cpe': 214576, '3bln': 18222, 'timed': 898439, 'acquisition': 29191, 'explorer': 292516, 'houston based': 407188, 'based callon': 111527, 'callon petroleum': 156661, 'petroleum cpe': 653813, 'cpe facing': 214577, 'facing triple': 295638, 'triple whammy': 932269, 'whammy it': 980937, 'it deal': 457482, 'deal 3bln': 229328, '3bln in': 18223, 'debt an': 230411, 'an ill': 56157, 'ill timed': 416178, 'timed acquisition': 898440, 'acquisition of': 29192, 'of rival': 589131, 'rival oil': 724170, 'gas explorer': 343841, 'explorer flat': 292517, 'flat lining': 310082, 'lining energy': 493731, 'amp french': 53840, 'houston based callon': 407189, 'based callon petroleum': 111528, 'callon petroleum cpe': 156662, 'petroleum cpe facing': 653814, 'cpe facing triple': 214578, 'facing triple whammy': 295639, 'triple whammy it': 932270, 'whammy it deal': 980938, 'it deal 3bln': 457483, 'deal 3bln in': 229329, '3bln in debt': 18224, 'in debt an': 422048, 'debt an ill': 230412, 'an ill timed': 56158, 'ill timed acquisition': 416179, 'timed acquisition of': 898441, 'acquisition of rival': 29194, 'of rival oil': 589132, 'rival oil amp': 724171, 'amp gas explorer': 53859, 'gas explorer flat': 343842, 'explorer flat lining': 292518, 'flat lining energy': 310083, 'lining energy price': 493732, 'energy price amp': 276536, 'price amp french': 672335, 'edc': 268471, 'pocketdump': 662227, 'ar15': 83808, 'ar15safespace': 83811, 'pewpewpew': 653901, 'gunsofinstagram': 368801, 'p365': 632809, 'p365sas': 632812, 'azliving': 106420, 'vairus': 951854, 'my edc': 548061, 'edc pocketdump': 268472, 'pocketdump have': 662228, 'have gotten': 380817, 'gotten weird': 359179, 'weird af': 977736, 'af damn': 33952, 'damn corona': 225334, 'corona carry': 203845, 'carry hand': 165084, 'the pocket': 863885, 'pocket ar15': 662155, 'ar15 ar15safespace': 83809, 'ar15safespace pewpewpew': 83812, 'pewpewpew purell': 653902, 'purell gunsofinstagram': 690011, 'gunsofinstagram p365': 368802, 'p365 p365sas': 632810, 'p365sas azliving': 632813, 'azliving corona': 106421, 'corona vairus': 204268, 'my edc pocketdump': 548062, 'edc pocketdump have': 268473, 'pocketdump have gotten': 662229, 'have gotten weird': 380824, 'gotten weird af': 359180, 'weird af damn': 977737, 'af damn corona': 33953, 'damn corona carry': 225335, 'corona carry hand': 203846, 'carry hand sanitizer': 165085, 'sanitizer in all': 735127, 'in all the': 420186, 'all the pocket': 44865, 'the pocket ar15': 863886, 'pocket ar15 ar15safespace': 662156, 'ar15 ar15safespace pewpewpew': 83810, 'ar15safespace pewpewpew purell': 83813, 'pewpewpew purell gunsofinstagram': 653903, 'purell gunsofinstagram p365': 690012, 'gunsofinstagram p365 p365sas': 368803, 'p365 p365sas azliving': 632811, 'p365sas azliving corona': 632814, 'azliving corona vairus': 106422, 'joes': 466475, 'employee starting': 274232, 'four employee': 330605, 'chain who': 171231, 'trader joes': 928726, 'joes and': 466476, 'store employee starting': 807539, 'employee starting to': 274233, 'starting to die': 795021, 'die from coronavirus': 241344, 'least four employee': 484475, 'four employee of': 330606, 'employee of major': 274066, 'of major supermarket': 586116, 'supermarket chain who': 819645, 'chain who worked': 171234, 'who worked at': 990048, 'walmart trader joes': 965454, 'trader joes and': 928727, 'joes and giant': 466477, 'day from the': 227660, 'earlier on': 264465, 'lot worse': 504417, 'than last': 840832, 'shocking enough': 759601, 'enough please': 277564, 'others when': 621770, 'shopping working': 764464, 'this not': 889171, 'not by': 568665, 'by being': 151941, 'selfish amp': 747979, 'amp hoarding': 53952, 'hoarding stuff': 399556, 'stuff so': 815185, 'rest can': 716153, 'supermarket earlier on': 820073, 'earlier on lot': 264467, 'on lot worse': 601942, 'lot worse than': 504418, 'worse than last': 1011012, 'than last week': 840835, 'week which wa': 977235, 'which wa shocking': 986451, 'wa shocking enough': 963195, 'shocking enough please': 759602, 'enough please please': 277567, 'please please think': 660316, 'of others when': 587414, 'others when you': 621773, 'you go shopping': 1018864, 'go shopping working': 354139, 'shopping working together': 764465, 'working together we': 1009012, 'through this not': 894833, 'this not by': 889173, 'not by being': 568666, 'by being selfish': 151949, 'being selfish amp': 125732, 'selfish amp hoarding': 747980, 'amp hoarding stuff': 53953, 'hoarding stuff so': 399558, 'stuff so the': 815189, 'so the rest': 778437, 'the rest can': 865632, 'rest can get': 716154, 'can get anything': 158402, 'mexico face': 529998, 'storm of': 811821, 'of possible': 588253, 'possible recession': 665755, 'the drastically': 853672, 'drastically lower': 258449, 'lower revenue': 505987, 'revenue from': 720416, 'it oil': 460008, 'producer pemex': 680686, 'pemex from': 646399, 'the rout': 866011, 'rout in': 726441, 'amp slump': 54514, 'in tourism': 430240, 'tourism traveler': 927014, 'traveler stay': 930625, 'economy could': 267783, 'could contract': 209045, 'contract by': 201640, 'mexico face the': 529999, 'face the perfect': 294800, 'perfect storm of': 651348, 'storm of possible': 811826, 'of possible recession': 588255, 'possible recession in': 665756, 'recession in the': 704298, 'in the drastically': 429150, 'the drastically lower': 853673, 'drastically lower revenue': 258450, 'lower revenue from': 505988, 'revenue from it': 720418, 'from it oil': 336125, 'it oil producer': 460011, 'oil producer pemex': 597344, 'producer pemex from': 680688, 'pemex from the': 646400, 'from the rout': 337864, 'the rout in': 866012, 'rout in crude': 726442, 'in crude price': 421927, 'crude price amp': 219581, 'price amp slump': 672340, 'amp slump in': 54515, 'slump in tourism': 774697, 'in tourism traveler': 430242, 'tourism traveler stay': 927015, 'traveler stay home': 930626, 'stay home due': 796955, 'to the economy': 916664, 'the economy could': 853954, 'economy could contract': 267784, 'could contract by': 209046, 'peppermint': 650651, 'sarah': 736720, 'westall': 980558, 'hand washing': 375940, 'washing for': 967660, 'is minute': 449662, 'minute so': 533837, 'put peppermint': 690774, 'peppermint or': 650652, 'disinfectant essential': 245653, 'oil in': 596871, 'your homemade': 1024390, 'homemade safer': 402848, 'safer hand': 730367, 'sanitizer say': 735702, 'say doctor': 738582, 'and scientist': 71080, 'scientist expert': 742214, 'expert sarah': 291939, 'sarah westall': 736721, 'westall youtube': 980559, 'hand washing for': 375946, 'washing for is': 967661, 'for is minute': 322669, 'is minute so': 449663, 'minute so you': 533839, 'so you need': 778847, 'need to put': 556023, 'to put peppermint': 912604, 'put peppermint or': 690775, 'peppermint or disinfectant': 650653, 'or disinfectant essential': 614993, 'disinfectant essential oil': 245654, 'essential oil in': 281348, 'oil in your': 596876, 'in your homemade': 431094, 'your homemade safer': 1024392, 'homemade safer hand': 402849, 'safer hand sanitizer': 730368, 'hand sanitizer say': 375578, 'sanitizer say doctor': 735703, 'say doctor and': 738583, 'doctor and scientist': 250824, 'and scientist expert': 71082, 'scientist expert sarah': 742215, 'expert sarah westall': 291940, 'sarah westall youtube': 736722, 'spectrum let': 788336, 'straight spectrum': 812234, 'spectrum is': 788334, 'advantage by': 32966, 'by raising': 153712, 'pandemic kinda': 635861, 'kinda fall': 475045, 'fall under': 297102, 'under price': 940210, 'gouging don': 359303, 'spectrum let me': 788337, 'this straight spectrum': 890374, 'straight spectrum is': 812235, 'spectrum is taking': 788335, 'is taking advantage': 452532, 'taking advantage by': 833253, 'advantage by raising': 32968, 'by raising their': 153715, 'price during this': 673636, 'this pandemic kinda': 889398, 'pandemic kinda fall': 635862, 'kinda fall under': 475046, 'fall under price': 297103, 'under price gouging': 940211, 'price gouging don': 674274, 'gouging don you': 359304, 'don you think': 254092, 'pregnant': 669828, 'vaccination': 951622, 'pregnant woman': 669843, 'woman should': 1003607, 'sure their': 827719, 'their vaccination': 875109, 'vaccination are': 951626, 'date wash': 226751, 'frequently stay': 332875, 'are coughing': 85585, 'coughing protect': 208740, 'health in': 386520, 'other common': 619967, 'sense way': 750610, 'way march': 969695, 'march of': 515421, 'of dime': 582620, 'dime chief': 242916, 'chief medical': 175943, 'medical health': 526206, 'pregnant woman should': 669848, 'woman should make': 1003609, 'should make sure': 766214, 'make sure their': 510531, 'sure their vaccination': 827724, 'their vaccination are': 875110, 'vaccination are up': 951627, 'are up to': 91371, 'to date wash': 903945, 'date wash their': 226752, 'hand frequently stay': 374958, 'frequently stay away': 332876, 'away from people': 105902, 'who are coughing': 988124, 'are coughing protect': 85588, 'coughing protect their': 208741, 'protect their health': 684995, 'their health in': 873519, 'health in other': 386524, 'in other common': 426237, 'other common sense': 619969, 'common sense way': 189470, 'sense way march': 750611, 'way march of': 969696, 'march of dime': 515423, 'of dime chief': 582621, 'dime chief medical': 242917, 'chief medical health': 175944, 'medical health officer': 526207, 'clubhousegolfstore': 184509, 'clubhousegolf': 184506, 'update unfortunately': 947289, 'unfortunately due': 941594, 'night government': 563001, 'government announcement': 359889, 'announcement our': 77181, 'will now': 994291, 'closed from': 183137, 'today until': 920412, 'notice please': 573337, 'other clubhousegolfstore': 619956, 'clubhousegolfstore clubhousegolf': 184510, 'clubhousegolf staysafe': 184507, 'staysafe helpeachother': 798825, 'store update unfortunately': 811021, 'update unfortunately due': 947290, 'unfortunately due to': 941595, 'due to last': 261842, 'to last night': 909071, 'last night government': 480374, 'night government announcement': 563002, 'government announcement our': 359890, 'announcement our retail': 77182, 'store will now': 811338, 'will now be': 994294, 'now be closed': 574195, 'be closed from': 114128, 'closed from today': 183142, 'from today until': 338084, 'today until further': 920413, 'further notice please': 342113, 'notice please stay': 573339, 'safe and take': 729489, 'each other clubhousegolfstore': 264165, 'other clubhousegolfstore clubhousegolf': 619957, 'clubhousegolfstore clubhousegolf staysafe': 184511, 'clubhousegolf staysafe helpeachother': 184508, 'kajang': 470680, 'shafwan': 754365, 'zaidon': 1027184, 'people seen': 649387, 'seen stocking': 747251, 'good into': 357277, 'into trolley': 443257, 'trolley after': 932353, 'buying rumour': 150975, 'rumour spread': 727525, 'spread today': 790860, 'at hypermarket': 99252, 'hypermarket in': 412335, 'in kajang': 424432, 'kajang march': 470681, '16 2020': 4065, '2020 picture': 14514, 'picture by': 656115, 'by shafwan': 153961, 'shafwan zaidon': 754366, 'people seen stocking': 649388, 'seen stocking up': 747252, 'on good into': 601147, 'good into trolley': 357278, 'into trolley after': 443258, 'trolley after the': 932354, 'after the panic': 36341, 'panic buying rumour': 637869, 'buying rumour spread': 150976, 'rumour spread today': 727526, 'spread today at': 790861, 'today at hypermarket': 919274, 'at hypermarket in': 99253, 'hypermarket in kajang': 412336, 'in kajang march': 424433, 'kajang march 16': 470682, 'march 16 2020': 515083, '16 2020 picture': 4070, '2020 picture by': 14515, 'picture by shafwan': 656116, 'by shafwan zaidon': 153962, 'introduces': 443466, 'ocado introduces': 578899, 'introduces new': 443473, 'new strict': 559677, 'strict delivery': 813620, 'delivery rule': 234405, 'rule amid': 727182, 'coronavirus government': 205999, 'ocado introduces new': 578900, 'introduces new strict': 443475, 'new strict delivery': 559678, 'strict delivery rule': 813621, 'delivery rule amid': 234406, 'rule amid coronavirus': 727183, 'amid coronavirus government': 52422, 'coronavirus government lockdown': 206000, 'profesionales': 682378, 'salud': 732842, 'hasta': 378825, 'empleados': 273428, 'camioneros': 157149, 'traen': 929037, 'suministros': 817900, 'gracias': 361617, 'professional on': 682474, 'frontlines to': 338927, 'and truck': 74473, 'are bring': 85055, 'bring supply': 140080, 'to fl': 905996, 'fl thankyou': 309927, 'thankyou desde': 842327, 'desde profesionales': 237993, 'profesionales de': 682379, 'de salud': 229103, 'salud hasta': 732843, 'hasta empleados': 378828, 'empleados de': 273429, 'de supermercados': 229111, 'supermercados camioneros': 824290, 'camioneros que': 157150, 'que traen': 693324, 'traen suministros': 929038, 'suministros fl': 817901, 'fl gracias': 309907, 'gracias stayhome': 361618, 'healthcare professional on': 387238, 'professional on the': 682475, 'the frontlines to': 855904, 'frontlines to grocery': 338929, 'employee and truck': 273592, 'and truck driver': 74474, 'truck driver who': 932804, 'who are bring': 988109, 'are bring supply': 85056, 'bring supply to': 140081, 'supply to fl': 826005, 'to fl thankyou': 905997, 'fl thankyou desde': 309928, 'thankyou desde profesionales': 842328, 'desde profesionales de': 237994, 'profesionales de salud': 682380, 'de salud hasta': 229104, 'salud hasta empleados': 732844, 'hasta empleados de': 378829, 'empleados de supermercados': 273430, 'de supermercados camioneros': 229112, 'supermercados camioneros que': 824291, 'camioneros que traen': 157151, 'que traen suministros': 693325, 'traen suministros fl': 929039, 'suministros fl gracias': 817902, 'fl gracias stayhome': 309908, 'appdome': 82046, 'tovar': 927093, 'appsec': 83336, 'mobileappsec': 535051, 'commerce shift': 188628, 'to mobile': 910205, 'mobile apps': 534945, 'apps consumer': 83271, 'risk appdome': 723386, 'appdome ceo': 82047, 'ceo tom': 169866, 'tom tovar': 923931, 'tovar say': 927094, 'follow basic': 312359, 'basic bill': 111835, 'bill of': 130635, 'of right': 589111, 'right cybersecurity': 721857, 'cybersecurity banking': 223988, 'banking appsec': 110409, 'appsec mobileappsec': 83337, 'commerce shift to': 188629, 'shift to mobile': 758440, 'to mobile apps': 910206, 'mobile apps consumer': 534947, 'apps consumer are': 83272, 'consumer are at': 196282, 'at risk appdome': 100339, 'risk appdome ceo': 723387, 'appdome ceo tom': 82048, 'ceo tom tovar': 169867, 'tom tovar say': 923932, 'tovar say you': 927095, 'say you must': 739517, 'you must protect': 1019926, 'protect the consumer': 684966, 'the consumer data': 851521, 'consumer data and': 197051, 'data and should': 226125, 'and should follow': 71591, 'should follow basic': 766003, 'follow basic bill': 312360, 'basic bill of': 111836, 'bill of right': 130637, 'of right cybersecurity': 589112, 'right cybersecurity banking': 721858, 'cybersecurity banking appsec': 223989, 'banking appsec mobileappsec': 110410, 'boycottrumppressconferences': 137392, 'stockup': 804163, 'creating drinking': 215995, 'drinking game': 258927, 'game in': 343187, 'take shot': 832575, 'shot every': 765423, 'trump change': 933473, 'change subject': 172267, 'subject on': 815742, 'or fails': 615256, 'answer question': 78096, 'question asked': 693541, 'asked of': 95803, 'of him': 584628, 'during one': 262827, 'his briefing': 397256, 'briefing it': 139725, 'bring joy': 140019, 'joy to': 467526, 'million billion': 532089, 'billion boycottrumppressconferences': 130783, 'boycottrumppressconferences stockup': 137393, 'stockup happyhour': 804177, 'creating drinking game': 215996, 'drinking game in': 258928, 'game in which': 343189, 'in which you': 430874, 'which you take': 986535, 'you take shot': 1021518, 'take shot every': 832576, 'shot every time': 765424, 'every time trump': 286321, 'time trump change': 898139, 'trump change subject': 933474, 'change subject on': 172268, 'subject on or': 815743, 'on or fails': 602538, 'or fails to': 615257, 'fails to answer': 296248, 'to answer question': 900586, 'answer question asked': 78098, 'question asked of': 693542, 'asked of him': 95804, 'of him during': 584632, 'him during one': 396593, 'during one of': 262828, 'of his briefing': 584647, 'his briefing it': 397257, 'briefing it ll': 139726, 'it ll bring': 459418, 'll bring joy': 496665, 'bring joy to': 140020, 'joy to million': 467527, 'to million billion': 910131, 'million billion boycottrumppressconferences': 532090, 'billion boycottrumppressconferences stockup': 130784, 'boycottrumppressconferences stockup happyhour': 137394, 'store be like': 806663, 'well people': 978473, 'posting empty': 666648, 'happening but': 377334, 'not helping': 569939, 'situation instead': 772335, 'instead you': 440387, 'are contributing': 85550, 'by posting': 153626, 'posting those': 666699, 'those photo': 892342, 'photo 19': 655114, 'well people need': 978476, 'stop posting empty': 804927, 'posting empty shelf': 666649, 'in supermarket we': 428708, 'supermarket we know': 823745, 'we know what': 972164, 'is happening but': 448276, 'happening but you': 377335, 'but you are': 147977, 'you are not': 1017179, 'are not helping': 88388, 'not helping the': 569944, 'helping the situation': 391499, 'the situation instead': 867261, 'situation instead you': 772336, 'instead you are': 440388, 'you are contributing': 1017098, 'are contributing to': 85552, 'to the panic': 916940, 'the panic by': 863192, 'panic by posting': 637985, 'by posting those': 153629, 'posting those photo': 666700, 'those photo 19': 892343, 'remembers': 710468, 'resetyourvalues': 714179, 'service health': 752451, 'staff supermarket': 792900, 'driver public': 259717, 'worker cleaner': 1006645, 'cleaner let': 180792, 'hope society': 403622, 'society remembers': 781296, 'remembers that': 710471, 'over resetyourvalues': 630583, 'essential worker emergency': 281828, 'emergency service health': 272964, 'service health care': 752452, 'health care staff': 386250, 'care staff supermarket': 164212, 'staff supermarket staff': 792907, 'delivery driver public': 233934, 'driver public transport': 259718, 'public transport worker': 688426, 'transport worker cleaner': 929979, 'worker cleaner let': 1006650, 'cleaner let hope': 180793, 'let hope society': 486805, 'hope society remembers': 403623, 'society remembers that': 781297, 'remembers that when': 710472, 'that when the': 847494, 'coronavirus crisis is': 205755, 'is over resetyourvalues': 450728, 'and person': 68916, 'me take': 523578, 'take off': 832391, 'off her': 593894, 'her mask': 392185, 'smoke first': 775861, 'first smoking': 309009, 'smoking and': 775898, 'then protection': 877448, 'protection priority': 685578, 'priority each': 678558, 'each person': 264246, 'person ha': 652449, 'ha 19': 369403, 'waiting in the': 964354, 'enter the grocery': 278312, 'store and person': 806318, 'and person in': 68918, 'person in front': 652480, 'of me take': 586345, 'me take off': 523579, 'take off her': 832393, 'off her mask': 593896, 'her mask to': 392187, 'to smoke first': 914776, 'smoke first smoking': 775862, 'first smoking and': 309010, 'smoking and then': 775900, 'and then protection': 73795, 'then protection priority': 877449, 'protection priority each': 685580, 'priority each person': 678559, 'each person ha': 264250, 'person ha 19': 652450, 'torbj': 925877, 'becker': 119895, 'how decline': 407668, 'outbreak can': 628082, 'russian economy': 728629, 'economy torbj': 268304, 'torbj rn': 925878, 'rn becker': 724317, 'becker director': 119896, 'director explains': 243615, 'that decline': 843465, 'price alone': 672280, 'alone could': 46839, 'in gdp': 423238, 'gdp of': 344903, 'than russia': 841104, 'russia economy': 728463, 'economy oilprice': 268120, 'how decline in': 407669, '19 outbreak can': 9093, 'outbreak can affect': 628083, 'affect the russian': 34252, 'the russian economy': 866097, 'russian economy torbj': 728634, 'economy torbj rn': 268305, 'torbj rn becker': 925879, 'rn becker director': 724318, 'becker director explains': 119897, 'director explains that': 243616, 'explains that decline': 292224, 'that decline in': 843466, 'oil price alone': 597041, 'price alone could': 672281, 'alone could lead': 46840, 'lead to drop': 483340, 'to drop in': 904773, 'drop in gdp': 260250, 'in gdp of': 423240, 'gdp of more': 344904, 'more than russia': 540668, 'than russia economy': 841105, 'russia economy oilprice': 728464, 'hey friend': 394383, 'friend the': 333828, 'the art': 848926, 'art and': 94133, 'and craft': 60680, 'craft store': 214778, 'close down': 182611, 'and claiming': 59914, 'claiming we': 179923, 'essential retail': 281459, 'retail because': 717874, 're ups': 699753, 'ups drop': 947744, 'petition and': 653584, 'spread it': 790588, 'hey friend the': 394384, 'friend the art': 333829, 'the art and': 848927, 'art and craft': 94134, 'and craft store': 60683, 'craft store work': 214782, 'at is refusing': 99308, 'refusing to close': 707088, 'to close down': 902868, 'close down it': 182615, 'down it store': 256897, 'it store and': 461284, 'store and claiming': 806216, 'and claiming we': 59916, 'claiming we re': 179924, 'we re essential': 972865, 're essential retail': 698620, 'essential retail because': 281462, 'retail because we': 717875, 'because we re': 119815, 'we re ups': 972995, 're ups drop': 699754, 'ups drop off': 947745, 'drop off and': 260326, 'off and we': 593652, 'and we support': 75326, 'we support small': 973455, 'support small business': 826821, 'small business please': 774886, 'business please sign': 144235, 'this petition and': 889540, 'petition and spread': 653587, 'and spread it': 72146, 'spread it around': 790589, '9yes': 24045, 'carefree': 164374, 'supply reduced': 825755, 'among other': 53031, 'the severe': 866751, 'severe tension': 754064, 'tension that': 837997, 'experiencing result': 291696, 'in 9yes': 419971, '9yes the': 24046, 'so isolated': 777452, 'isolated insensitive': 455012, 'insensitive carefree': 439189, 'effort in the': 269535, 'food supply reduced': 316984, 'supply reduced price': 825756, 'reduced price among': 706142, 'price among other': 672327, 'among other thing': 53037, 'other thing to': 621113, 'thing to reduce': 884899, 'reduce the severe': 705976, 'the severe tension': 866752, 'severe tension that': 754065, 'tension that people': 837998, 'are experiencing result': 86350, 'experiencing result of': 291697, 'but in 9yes': 146020, 'in 9yes the': 419972, '9yes the government': 24047, 'government is so': 360276, 'is so isolated': 452020, 'so isolated insensitive': 777453, 'isolated insensitive carefree': 455013, 'mam': 511911, 'alzheimer': 49822, 'advise': 33572, 'my mam': 549196, 'mam is': 511912, 'is living': 449408, 'with late': 999177, 'late stage': 480912, 'stage alzheimer': 793175, 'alzheimer with': 49824, 'dad caring': 224305, 'caring she': 164727, 'she also': 755849, 'also ha': 48303, 'ha an': 369536, 'an immunity': 56177, 'immunity issue': 417414, 'issue can': 455700, 'you advise': 1016833, 'advise on': 33595, 'aren allowed': 92311, 'out thanks': 627313, 'any help': 79313, 'you help my': 1019197, 'help my mam': 390127, 'my mam is': 549197, 'mam is living': 511913, 'is living with': 449411, 'living with late': 496489, 'with late stage': 999178, 'late stage alzheimer': 480913, 'stage alzheimer with': 793176, 'alzheimer with my': 49825, 'with my dad': 999620, 'my dad caring': 547885, 'dad caring she': 224306, 'caring she also': 164728, 'she also ha': 755851, 'also ha an': 48304, 'ha an immunity': 369545, 'an immunity issue': 56179, 'immunity issue can': 417415, 'issue can you': 455701, 'can you advise': 160272, 'you advise on': 1016834, 'advise on how': 33597, 'to get delivery': 906455, 'get delivery from': 346863, 'delivery from supermarket': 234048, 'from supermarket they': 337506, 'supermarket they aren': 823286, 'they aren allowed': 881470, 'aren allowed out': 92313, 'allowed out thanks': 46204, 'out thanks for': 627314, 'thanks for any': 842049, 'for any help': 319407, 'buying mean': 150707, 'mean those': 524723, 'frontline saving': 338819, 'saving life': 737903, 'working shift': 1008909, 'without these': 1002997, 'time over': 897438, 'over 150': 629788, '150 colleague': 3901, 'colleague are': 186190, 'business sec': 144349, 'sec retailer': 743632, 'do whatever': 250521, 'whatever it': 982771, 'ensure no': 277993, 'is left': 449266, 'panic buying mean': 637806, 'buying mean those': 150708, 'mean those on': 524724, 'the frontline saving': 855886, 'frontline saving life': 338820, 'saving life working': 737916, 'life working shift': 489234, 'working shift to': 1008910, 'shift to keep': 758437, 'food on shelf': 315600, 'on shelf are': 603399, 'shelf are going': 756804, 'are going without': 86905, 'going without these': 355821, 'without these are': 1002998, 'unprecedented time over': 943204, 'time over 150': 897439, 'over 150 colleague': 629789, '150 colleague are': 3902, 'colleague are calling': 186192, 'calling for the': 156562, 'for the business': 326327, 'the business sec': 850179, 'business sec retailer': 144350, 'sec retailer to': 743633, 'retailer to do': 719380, 'to do whatever': 904588, 'do whatever it': 250522, 'whatever it take': 982773, 'take to ensure': 832734, 'to ensure no': 905176, 'ensure no one': 277994, 'no one is': 564942, 'one is left': 606513, 'is left behind': 449271, 'nbc10responds': 553241, 'viewer': 957184, 'coworker': 214480, 'nbc10responds reporter': 553242, 'reporter continues': 712608, 'answer your': 78152, 'related question': 708527, 'question one': 693684, 'one viewer': 607339, 'viewer asked': 957187, 'if coworker': 414016, 'coworker test': 214487, 'nbc10responds reporter continues': 553243, 'reporter continues to': 712609, 'continues to answer': 201459, 'to answer your': 900593, 'answer your coronavirus': 78154, 'your coronavirus related': 1023352, 'coronavirus related question': 206637, 'related question one': 708530, 'question one viewer': 693685, 'one viewer asked': 607340, 'viewer asked what': 957188, 'asked what they': 95900, 'what they should': 982417, 'they should do': 883360, 'should do if': 765925, 'do if coworker': 249414, 'if coworker test': 414017, 'coworker test positive': 214488, 'serious flaw': 751386, 'defeat believe': 232037, 'stop grocery': 804698, 'shopping go': 762790, 'go online': 353911, 'online account': 607764, 'for of': 324017, 'simply not': 770247, 'not geared': 569569, 'geared up': 345014, 'there is serious': 878620, 'is serious flaw': 451784, 'serious flaw in': 751387, 'flaw in the': 310262, 'in the strategy': 429577, 'the strategy in': 868203, 'strategy in order': 812659, 'order to defeat': 618675, 'to defeat believe': 904054, 'defeat believe the': 232038, 'believe the country': 126358, 'country is going': 210804, 'have to stop': 383311, 'to stop grocery': 915530, 'stop grocery shopping': 804699, 'grocery shopping go': 365028, 'shopping go online': 762792, 'go online online': 353914, 'online online account': 608616, 'online account for': 607766, 'account for of': 28669, 'for of the': 324021, 'market is simply': 516641, 'is simply not': 451931, 'simply not geared': 770248, 'not geared up': 569570, 'ridiculously': 721643, 'thesis': 881019, 'are uk': 91253, 'uk allowing': 938154, 'allowing seller': 46329, 'seller on': 749051, 'their platform': 874322, 'sell paracetamol': 748846, 'at ridiculously': 100317, 'ridiculously inflated': 721652, 'disgusting watching': 245481, 'people trying': 650028, 'profit out': 682837, 'current can': 221112, 'can ebay': 158208, 'ebay at': 266434, 'least make': 484540, 'report thesis': 712370, 'thesis seller': 881024, 'why are uk': 990795, 'are uk allowing': 91254, 'uk allowing seller': 938155, 'allowing seller on': 46330, 'seller on their': 749053, 'on their platform': 604500, 'their platform to': 874323, 'platform to sell': 659049, 'to sell paracetamol': 914168, 'sell paracetamol at': 748847, 'paracetamol at ridiculously': 641227, 'at ridiculously inflated': 100318, 'ridiculously inflated price': 721653, 'inflated price it': 437050, 'price it disgusting': 674914, 'it disgusting watching': 457580, 'disgusting watching people': 245482, 'watching people trying': 968778, 'people trying to': 650029, 'make profit out': 510366, 'profit out of': 682838, 'the current can': 852614, 'current can ebay': 221113, 'can ebay at': 158209, 'ebay at least': 266436, 'at least make': 99517, 'least make it': 484541, 'make it possible': 510051, 'it possible to': 460394, 'possible to report': 665852, 'to report thesis': 913293, 'report thesis seller': 712371, 'coronavirus infection': 206136, 'india the': 434637, 'the northern': 861881, 'northern railway': 567775, 'announced 400': 76911, '400 percent': 18770, 'percent hike': 651130, 'in platform': 426787, 'the coronavirus infection': 851871, 'coronavirus infection in': 206137, 'infection in india': 436772, 'in india the': 424056, 'india the northern': 434641, 'the northern railway': 861883, 'northern railway ha': 567778, 'railway ha announced': 695703, 'ha announced 400': 369557, 'announced 400 percent': 76913, '400 percent hike': 18771, 'percent hike in': 651131, 'hike in platform': 396222, 'in platform ticket': 426788, 'underground': 940443, 'good to': 357870, 'see showing': 745681, 'showing leadership': 767474, 'leadership this': 483662, 'not travelling': 572262, 'travelling to': 930694, 'work an': 1004754, 'an nh': 56519, 'supermarket utility': 823631, 'utility transport': 951330, 'transport or': 929921, 'worker then': 1007950, 'then get': 877191, 'the underground': 870350, 'underground and': 940444, 'play our': 659197, 'in getting': 423292, 'getting through': 349386, 'good to see': 357899, 'to see showing': 914066, 'see showing leadership': 745682, 'showing leadership this': 767475, 'leadership this make': 483663, 'this make it': 888747, 'clear that if': 181345, 'are not travelling': 88488, 'not travelling to': 572263, 'travelling to work': 930697, 'to work an': 918685, 'work an nh': 1004755, 'an nh supermarket': 56525, 'nh supermarket utility': 562125, 'supermarket utility transport': 823632, 'utility transport or': 951331, 'transport or other': 929923, 'or other essential': 616432, 'essential worker then': 281858, 'worker then get': 1007951, 'then get off': 877196, 'off the underground': 594280, 'the underground and': 870351, 'underground and stay': 940445, 'and stay at': 72287, 'at home we': 99166, 'home we all': 402450, 'need to play': 556011, 'to play our': 911797, 'play our part': 659198, 'our part in': 624261, 'part in getting': 642297, 'in getting through': 423299, 'getting through the': 349389, 'need adding': 554367, 'the naughty': 861325, 'naughty list': 553020, 'list just': 494386, 'just had': 468896, 'had price': 373426, 'hike want': 396295, 'cancel subscription': 160884, 'subscription can': 815886, 'line can': 493026, 'call can': 155807, 'can text': 159937, 'text you': 839963, 'can pause': 159198, 'pause sport': 644616, 'sport package': 789960, 'package on': 633351, 'line apparently': 492959, 'apparently but': 81915, 'work raised': 1005641, 'need adding to': 554368, 'to the naughty': 916892, 'the naughty list': 861326, 'naughty list just': 553021, 'list just had': 494387, 'just had price': 468904, 'had price hike': 373427, 'price hike want': 674539, 'hike want to': 396296, 'want to cancel': 966007, 'to cancel subscription': 902430, 'cancel subscription can': 160885, 'subscription can do': 815887, 'do it on': 249498, 'it on line': 460049, 'on line can': 601855, 'line can call': 493027, 'can call can': 157852, 'call can text': 155808, 'can text you': 159938, 'text you can': 839964, 'you can pause': 1017741, 'can pause sport': 159199, 'pause sport package': 644617, 'sport package on': 789961, 'package on line': 633352, 'on line apparently': 601852, 'line apparently but': 492960, 'apparently but it': 81916, 'but it doesn': 146119, 'doesn work raised': 252000, 'land': 479251, 'commonplace': 189496, 'income economy': 432324, 'with basic': 997372, 'basic diet': 111860, 'diet international': 241731, 'international company': 441772, 'should explore': 765979, 'explore land': 292489, 'land rental': 479294, 'rental option': 711250, 'produce food': 680267, 'for staff': 325847, 'staff over': 792734, 'next 12': 561257, '12 24': 2788, '24 month': 15653, 'case panic': 165948, 'to becomes': 901685, 'becomes commonplace': 120212, 'low income economy': 505347, 'income economy with': 432325, 'economy with basic': 268363, 'with basic diet': 997373, 'basic diet international': 111861, 'diet international company': 241732, 'international company should': 441773, 'company should explore': 191077, 'should explore land': 765980, 'explore land rental': 292490, 'land rental option': 479295, 'rental option to': 711251, 'option to produce': 614129, 'to produce food': 912194, 'produce food for': 680270, 'food for staff': 314573, 'for staff over': 325854, 'staff over the': 792735, 'the next 12': 861643, 'next 12 24': 561258, '12 24 month': 2789, '24 month in': 15654, 'month in case': 537790, 'in case panic': 421267, 'case panic buying': 165949, 'due to becomes': 261709, 'to becomes commonplace': 901686, 'distiller': 247699, 'guild': 368521, 'is rough': 451574, 'rough but': 726243, 'fighting back': 305037, 'back glad': 107032, 'to partner': 911477, 'partner amp': 642760, 'amp to': 54709, 'get ton': 348517, 'production thanks': 682222, 'thanks rob': 842163, 'rob from': 724623, 'the pa': 862825, 'pa distiller': 632842, 'distiller guild': 247710, 'guild more': 368525, 'story to': 812138, 'the is rough': 858525, 'is rough but': 451575, 'rough but we': 726245, 'we are fighting': 970562, 'are fighting back': 86543, 'fighting back glad': 305038, 'back glad to': 107033, 'glad to partner': 351530, 'to partner amp': 911478, 'partner amp to': 642761, 'amp to get': 54711, 'to get ton': 906627, 'get ton of': 348518, 'ton of hand': 924275, 'sanitizer in production': 735152, 'in production thanks': 427025, 'production thanks rob': 682223, 'thanks rob from': 842164, 'rob from the': 724624, 'from the pa': 337822, 'the pa distiller': 862828, 'pa distiller guild': 632843, 'distiller guild more': 247711, 'guild more on': 368526, 'more on this': 539933, 'on this story': 604635, 'this story to': 890368, 'story to come': 812139, 'nigga': 562909, 'takin': 833234, 'strapup': 812525, 'purgin': 690054, 'shit real': 759198, 'real toiletpaper': 701423, 'toiletpaper ten': 922584, 'ten dollar': 837774, 'dollar nigga': 253039, 'nigga worry': 562914, 'about takin': 26299, 'takin shit': 833237, 'shit ya': 759302, 'ya better': 1013968, 'better strapup': 128501, 'strapup nigga': 812526, 'nigga purgin': 562912, 'purgin philadelphia': 690055, 'philadelphia pennsylvania': 654698, 'this shit real': 890086, 'shit real toiletpaper': 759199, 'real toiletpaper ten': 701424, 'toiletpaper ten dollar': 922585, 'ten dollar nigga': 837776, 'dollar nigga worry': 253040, 'nigga worry about': 562915, 'worry about takin': 1010655, 'about takin shit': 26300, 'takin shit ya': 833238, 'shit ya better': 759303, 'ya better strapup': 1013969, 'better strapup nigga': 128502, 'strapup nigga purgin': 812527, 'nigga purgin philadelphia': 562913, 'purgin philadelphia pennsylvania': 690056, 'cannatech': 161486, 'cannatechtoday': 161489, 'cannabisbusiness': 161459, 'cannabisscience': 161483, 'coronavirus cbd': 205631, 'cbd navigating': 168318, 'navigating shift': 553123, 'behavior cannatech': 123952, 'cannatech cannabis': 161487, 'cannabis cannatechtoday': 161387, 'cannatechtoday cannabisbusiness': 161490, 'cannabisbusiness cannabisscience': 161460, 'cannabisscience innovation': 161484, 'innovation tech': 438899, 'tech cbd': 836053, 'the coronavirus cbd': 851817, 'coronavirus cbd navigating': 205632, 'cbd navigating shift': 168319, 'navigating shift in': 553124, 'consumer behavior cannatech': 196454, 'behavior cannatech cannabis': 123953, 'cannatech cannabis cannatechtoday': 161488, 'cannabis cannatechtoday cannabisbusiness': 161388, 'cannatechtoday cannabisbusiness cannabisscience': 161491, 'cannabisbusiness cannabisscience innovation': 161461, 'cannabisscience innovation tech': 161485, 'innovation tech cbd': 438900, 'wuhancoronavirus': 1013537, 'japan is': 464745, 'taking different': 833325, 'different approach': 241897, 'approach at': 82929, 'moment everyone': 535930, 'everywhere but': 288179, 'open school': 612491, 'school start': 741931, 'start in': 794338, '19 wuhancoronavirus': 12237, 'japan is taking': 464748, 'is taking different': 452538, 'taking different approach': 833326, 'different approach at': 241899, 'approach at the': 82930, 'the moment everyone': 860752, 'moment everyone is': 535931, 'everyone is wearing': 287122, 'is wearing mask': 453814, 'mask and bottle': 518309, 'and bottle of': 59093, 'hand sanitizer are': 375308, 'sanitizer are everywhere': 734482, 'are everywhere but': 86289, 'everywhere but people': 288180, 'but people are': 146763, 'people are working': 647115, 'are working and': 91687, 'working and restaurant': 1008507, 'and restaurant are': 70367, 'restaurant are open': 716313, 'are open school': 88800, 'open school start': 612492, 'school start in': 741933, 'start in about': 794339, 'about week 19': 26866, 'week 19 wuhancoronavirus': 975796, 'goverment': 359750, 'shop closed': 760046, 'closed online': 183265, 'getting my': 349135, 'business still': 144416, 'still think': 801295, 'the goverment': 856497, 'goverment ha': 359751, 'over reacted': 630551, 'reacted on': 700155, 'the shop closed': 866986, 'shop closed online': 760048, 'closed online shopping': 183267, 'will be getting': 992474, 'be getting my': 115008, 'getting my business': 349136, 'my business still': 547581, 'business still think': 144419, 'still think the': 801298, 'think the goverment': 885635, 'the goverment ha': 856498, 'goverment ha really': 359752, 'ha really over': 371653, 'really over reacted': 702478, 'over reacted on': 630552, 'reacted on this': 700156, 'on this covid': 604605, 'unsurprisingly': 943591, 'sentiment survey': 751005, 'survey unsurprisingly': 828974, 'unsurprisingly show': 943592, 'show significant': 767132, 'significant hit': 769461, 'hit in': 398280, 'in confidence': 421645, 'but figure': 145722, 'figure are': 305190, 'are yet': 91755, 'yet to': 1016283, 'level seen': 487696, 'seen following': 747016, 'crisis more': 217728, 'and comment': 60126, 'comment for': 188413, 'uk business': 938223, 'uk consumer sentiment': 938269, 'consumer sentiment survey': 198929, 'sentiment survey unsurprisingly': 751006, 'survey unsurprisingly show': 828975, 'unsurprisingly show significant': 943593, 'show significant hit': 767133, 'significant hit in': 769462, 'hit in confidence': 398282, 'in confidence due': 421646, 'to but figure': 902151, 'but figure are': 145723, 'figure are yet': 305192, 'are yet to': 91756, 'yet to fall': 1016290, 'to fall to': 905643, 'fall to level': 297096, 'to level seen': 909231, 'level seen following': 487697, 'seen following the': 747017, 'following the 2008': 312870, 'the 2008 crisis': 847991, '2008 crisis more': 13655, 'crisis more update': 217731, 'more update and': 540857, 'update and comment': 946860, 'and comment for': 60128, 'comment for uk': 188415, 'for uk business': 327406, 'uk business here': 938224, 'kolkata': 477358, 'pricesindia': 677893, 'diesel to': 241699, 'cost more': 208019, 'in mumbai': 425510, 'bengaluru kolkata': 127212, 'kolkata due': 477359, 'in vat': 430542, 'vat check': 952726, 'your city': 1023226, 'city petrolprice': 179321, 'petrolprice diesel': 653853, 'diesel pricesindia': 241687, 'pricesindia read': 677894, 'petrol diesel to': 653730, 'diesel to cost': 241700, 'to cost more': 903601, 'cost more in': 208020, 'more in mumbai': 539518, 'in mumbai bengaluru': 425513, 'mumbai bengaluru kolkata': 545997, 'bengaluru kolkata due': 127213, 'kolkata due to': 477360, 'due to hike': 261810, 'to hike in': 907762, 'hike in vat': 396227, 'in vat check': 430543, 'vat check price': 952727, 'check price in': 174600, 'price in your': 674753, 'in your city': 431068, 'your city petrolprice': 1023228, 'city petrolprice diesel': 179322, 'petrolprice diesel pricesindia': 653854, 'diesel pricesindia read': 241688, 'pricesindia read more': 677895, 'octopus': 579154, 'your octopus': 1025047, 'can have your': 158595, 'have your octopus': 383715, 'sandbox': 733675, 'you keeping': 1019455, 'keeping pulse': 472533, 'retail trend': 718815, 'trend through': 931473, '19 see': 10384, 'brand alike': 137720, 'alike are': 41772, 'create new': 215697, 'new sandbox': 559537, 'sandbox article': 733676, 'article alonetogether': 94243, 'are you keeping': 91815, 'you keeping pulse': 1019456, 'keeping pulse on': 472534, 'pulse on retail': 688989, 'on retail trend': 603184, 'retail trend through': 718819, 'trend through covid': 931474, 'covid 19 see': 213760, '19 see how': 10387, 'see how consumer': 745220, 'consumer and brand': 196199, 'and brand alike': 59145, 'brand alike are': 137721, 'alike are working': 41774, 'working to create': 1008984, 'to create new': 903717, 'create new normal': 215699, 'normal in this': 567183, 'in this new': 429982, 'this new sandbox': 889125, 'new sandbox article': 559538, 'sandbox article alonetogether': 733677, 'important scammer': 418961, 'call and': 155758, 'email by': 272137, 'by using': 154646, 'resource prepared': 714858, 'prepared by': 670165, 'important scammer are': 418962, '19 learn how': 8296, 'yourself from scam': 1026622, 'from scam call': 337172, 'scam call and': 740095, 'call and email': 155762, 'and email by': 62026, 'email by using': 272138, 'by using the': 154650, 'using the resource': 950712, 'the resource prepared': 865596, 'resource prepared by': 714859, 'prepared by the': 670168, 'poco': 662236, 'dreamstime': 258647, 'the poco': 863889, 'poco grocery': 662237, 'market during': 516319, 'in check': 421349, 'my photo': 549761, 'photo on': 655223, 'on dreamstime': 600409, 'the poco grocery': 863890, 'poco grocery store': 662238, 'grocery store market': 365554, 'store market during': 808908, 'market during the': 516321, 'during the in': 263141, 'the in check': 857998, 'in check out': 421350, 'out my photo': 626607, 'my photo on': 549762, 'photo on dreamstime': 655224, 'epochtimes': 279567, 'mailbox': 508676, 'beauty some': 118792, 'some spare': 783910, 'spare toiletpaper': 787509, 'toiletpaper found': 922008, 'the epochtimes': 854455, 'epochtimes the': 279570, 'the ccp': 850556, 'ccp chinese': 168456, 'chinese communist': 177216, 'party virus': 643057, 'virus special': 958777, 'special edition': 787899, 'edition in': 268615, 'my mailbox': 549187, 'mailbox human': 508677, 'human pandemic': 410586, 'beauty some spare': 118793, 'some spare toiletpaper': 783912, 'spare toiletpaper found': 787510, 'toiletpaper found the': 922010, 'found the epochtimes': 330407, 'the epochtimes the': 854457, 'epochtimes the ccp': 279571, 'the ccp chinese': 850557, 'ccp chinese communist': 168457, 'chinese communist party': 177217, 'communist party virus': 189679, 'party virus special': 643058, 'virus special edition': 958778, 'special edition in': 787901, 'edition in my': 268616, 'in my mailbox': 425598, 'my mailbox human': 549188, 'mailbox human pandemic': 508678, 'shouldbeillegal': 766684, 'rogersripoff': 725023, 'really sad': 702531, 'sad pathetic': 729210, 'pathetic that': 644061, 'pandemic everyone': 635398, 'everyone isolating': 287126, 'isolating increased': 455116, 'their movie': 874025, 'movie price': 544055, 'new release': 559437, 'release from': 708948, 'from 99': 334353, '99 to': 23905, '24 99': 15553, '99 that': 23894, 'gouging shouldbeillegal': 359451, 'shouldbeillegal rogersripoff': 766685, 'rogersripoff so': 725024, 'sad do': 729165, 'it really sad': 460655, 'really sad pathetic': 702533, 'sad pathetic that': 729211, 'pathetic that with': 644064, 'that with the': 847631, 'with the pandemic': 1001421, 'the pandemic everyone': 862961, 'pandemic everyone isolating': 635400, 'everyone isolating increased': 287127, 'isolating increased their': 455117, 'increased their movie': 433498, 'their movie price': 874026, 'movie price for': 544056, 'price for new': 674011, 'for new release': 323829, 'new release from': 559438, 'release from 99': 708949, 'from 99 to': 334354, '99 to 24': 23906, 'to 24 99': 899624, '24 99 that': 15554, '99 that price': 23896, 'price gouging shouldbeillegal': 674323, 'gouging shouldbeillegal rogersripoff': 359452, 'shouldbeillegal rogersripoff so': 766686, 'rogersripoff so sad': 725025, 'so sad do': 778139, 'sad do better': 729166, 'chemistry': 175466, 'swedish': 830082, 'approvall': 83099, 'outbreak employee': 628191, 'of chemistry': 581322, 'chemistry have': 175469, 'begun producing': 123721, 'their laboratory': 873778, 'laboratory based': 478465, 'the who': 871467, 'who recipe': 989510, 'recipe the': 704504, 'the swedish': 869050, 'swedish chemical': 830083, 'chemical agency': 175332, 'agency gave': 38011, 'gave approvall': 344596, 'approvall yesterday': 83100, 'yesterday link': 1015793, 'in swedish': 428764, 'fight the covid': 304888, '19 outbreak employee': 9119, 'outbreak employee at': 628192, 'employee at the': 273654, 'at the department': 100926, 'department of chemistry': 237233, 'of chemistry have': 581323, 'chemistry have begun': 175470, 'have begun producing': 379757, 'begun producing hand': 123722, 'sanitizer in their': 735160, 'in their laboratory': 429752, 'their laboratory based': 873779, 'laboratory based on': 478466, 'on the who': 604451, 'the who recipe': 871474, 'who recipe the': 989511, 'recipe the swedish': 704505, 'the swedish chemical': 869051, 'swedish chemical agency': 830084, 'chemical agency gave': 175333, 'agency gave approvall': 38012, 'gave approvall yesterday': 344597, 'approvall yesterday link': 83101, 'yesterday link in': 1015794, 'link in swedish': 493859, 'dubai': 261457, '19 dubai': 6665, 'dubai economy': 261466, 'economy slap': 268216, 'slap fine': 773533, 'fine on': 307673, 'on 14': 599011, '14 merchant': 3494, 'merchant for': 529014, 'hiking face': 396371, '19 dubai economy': 6666, 'dubai economy slap': 261469, 'economy slap fine': 268217, 'slap fine on': 773535, 'fine on 14': 307674, 'on 14 merchant': 599012, '14 merchant for': 3496, 'merchant for hiking': 529015, 'for hiking face': 322276, 'hiking face mask': 396372, 'progression': 683396, 's7c4de5xnb': 728858, 'recession doe': 704257, 'always equal': 49540, 'equal housing': 279596, 'housing crisis': 407069, 'crisis residential': 217970, 'residential realestate': 714443, 'realestate progression': 701511, 'progression home': 683397, 'price value': 677289, 'value appreciated': 952090, 'appreciated investment': 82821, 'investment self': 444057, 'self declared': 747595, 'declared inventory': 231233, 'inventory http': 443672, 'http co': 409751, 'co s7c4de5xnb': 184954, 'recession doe not': 704258, 'doe not always': 251473, 'not always equal': 568178, 'always equal housing': 49541, 'equal housing crisis': 279597, 'housing crisis residential': 407070, 'crisis residential realestate': 217971, 'residential realestate progression': 714446, 'realestate progression home': 701512, 'progression home price': 683398, 'home price value': 401923, 'price value appreciated': 677290, 'value appreciated investment': 952091, 'appreciated investment self': 82822, 'investment self declared': 444058, 'self declared inventory': 747596, 'declared inventory http': 231234, 'inventory http co': 443673, 'http co s7c4de5xnb': 409771, 'will gold': 993565, 'of huge': 584858, 'huge unemployment': 410251, 'unemployment gold': 941216, 'gold market': 355928, 'market global': 516455, 'global pricing': 352144, 'will gold price': 993566, 'gold price rise': 355972, 'price rise with': 676251, 'rise with news': 723073, 'with news of': 999718, 'news of huge': 560650, 'of huge unemployment': 584864, 'huge unemployment gold': 410253, 'unemployment gold market': 941217, 'gold market global': 355929, 'market global pricing': 516457, 'laura': 482136, 'hi laura': 394694, 'laura well': 482145, 'hi laura well': 394695, 'laura well fargo': 482146, 'product at 800': 680961, 'pressuring': 671265, 'street is': 813007, 'is pressuring': 451003, 'pressuring key': 671268, 'key healthcare': 473303, 'healthcare company': 387065, 'crisis audio': 217099, 'audio here': 102927, 'here of': 393398, 'of banker': 580542, 'banker asking': 110346, 'asking pharmaceutical': 96040, 'company company': 190556, 'that supply': 846582, 'supply n95': 825574, 'emergency by': 272614, 'wall street is': 965183, 'street is pressuring': 813012, 'is pressuring key': 451004, 'pressuring key healthcare': 671269, 'key healthcare company': 473304, 'healthcare company to': 387066, 'company to raise': 191240, 'raise price due': 695913, 'coronavirus crisis audio': 205739, 'crisis audio here': 217100, 'audio here of': 102928, 'here of banker': 393399, 'of banker asking': 580543, 'banker asking pharmaceutical': 110349, 'asking pharmaceutical company': 96041, 'pharmaceutical company company': 654064, 'company company that': 190557, 'company that supply': 191192, 'that supply n95': 846586, 'supply n95 mask': 825575, 'n95 mask and': 551185, 'mask and ventilator': 518387, 'ventilator to find': 954627, 'how to profit': 409058, '19 emergency by': 6751, 'business they': 144513, 'struggle more': 814358, 'than big': 840406, 'shelf too': 757715, 'support local business': 826620, 'local business they': 497779, 'business they are': 144514, 'going to struggle': 355728, 'to struggle more': 915689, 'struggle more than': 814359, 'more than big': 540598, 'than big supermarket': 840407, 'chain and are': 170455, 'and are more': 58333, 'likely to still': 492180, 'to still have': 915410, 'still have stock': 800662, 'have stock on': 382763, 'stock on their': 802567, 'on their shelf': 604505, 'their shelf too': 874687, 'storeroom': 811751, 'risen since': 723123, 'since people': 770782, 'their fridge': 873377, 'fridge and': 333374, 'and storeroom': 72525, 'storeroom demand': 811752, 'increase may': 432908, 'the lord': 859727, 'lord help': 503310, 'demand ha risen': 235614, 'ha risen since': 371769, 'risen since people': 723124, 'since people are': 770783, 'people are filling': 646973, 'are filling up': 86560, 'filling up their': 305643, 'up their fridge': 946237, 'their fridge and': 873378, 'fridge and storeroom': 333378, 'and storeroom demand': 72526, 'storeroom demand increase': 811753, 'demand increase price': 235692, 'increase price increase': 433006, 'price increase may': 674778, 'increase may the': 432909, 'may the lord': 521565, 'the lord help': 859729, 'lord help the': 503312, 'help the poor': 390675, 'ctv': 220124, 'oh woman': 596492, 'on 35': 599091, 'store pa': 809444, 'pa police': 632875, 'police ctv': 662963, 'ctv news': 220125, 'oh woman intentionally': 596493, 'coughed on 35': 208618, 'on 35 00': 599092, '35 00 in': 17864, '00 in food': 262, 'in food at': 422964, 'food at grocery': 313445, 'grocery store pa': 365634, 'store pa police': 809445, 'pa police ctv': 632876, 'police ctv news': 662964, 'phony': 655096, 'phil': 654679, 'weiser': 977849, 'alwayswatchingoutforyou': 49817, 'are sending': 89976, 'sending phony': 750077, 'phony covid': 655097, '19 email': 6746, 'and text': 73148, 'text message': 839903, 'to infecting': 908358, 'infecting computer': 436681, 'computer with': 192771, 'with virus': 1001986, 'and ripping': 70537, 'ripping off': 722718, 'off nervous': 593989, 'nervous american': 557451, 'american colorado': 51870, 'ag phil': 36831, 'phil weiser': 654685, 'weiser say': 977850, 'say do': 738578, 'not download': 569100, 'download or': 257605, 'click the': 181947, 'link alwayswatchingoutforyou': 493788, 'scammer are sending': 740543, 'are sending phony': 89978, 'sending phony covid': 750078, 'phony covid 19': 655098, 'covid 19 email': 213015, '19 email and': 6747, 'email and text': 272114, 'and text message': 73150, 'text message to': 839917, 'message to infecting': 529452, 'to infecting computer': 908359, 'infecting computer with': 436682, 'computer with virus': 192772, 'with virus and': 1001987, 'virus and ripping': 957942, 'and ripping off': 70538, 'ripping off nervous': 722719, 'off nervous american': 593990, 'nervous american colorado': 557452, 'american colorado ag': 51871, 'colorado ag phil': 186775, 'ag phil weiser': 36832, 'phil weiser say': 654686, 'weiser say do': 977851, 'say do not': 738581, 'do not download': 249719, 'not download or': 569101, 'download or click': 257606, 'or click the': 614740, 'click the link': 181949, 'the link alwayswatchingoutforyou': 859434, 'context': 200896, 'this text': 890499, 'text from': 839892, 'mum for': 545895, 'for context': 320321, 'context my': 200908, 'dad work': 224412, 'hospital stop': 404652, 'stop stealing': 805066, 'stealing hand': 799233, 'got this text': 358944, 'this text from': 890500, 'text from my': 839896, 'from my mum': 336518, 'my mum for': 549373, 'mum for context': 545896, 'for context my': 320322, 'context my dad': 200909, 'my dad work': 547904, 'dad work in': 224414, 'work in hospital': 1005314, 'in hospital stop': 423819, 'hospital stop stealing': 404653, 'stop stealing hand': 805067, 'stealing hand sanitizer': 799234, 'sanitizer from hospital': 734947, 'unleashed': 942580, 'oval': 629736, 'why won': 991559, 'won he': 1003835, 'he unleashed': 385555, 'unleashed chaos': 942583, 'chaos during': 173011, 'pandemic telling': 636631, 'telling 50': 837174, '50 state': 19859, 'state governor': 795620, 'governor to': 361005, 'go it': 353777, 'it alone': 456405, 'he bidding': 384782, 'supply against': 824667, 'against them': 37687, 'them there': 876405, 'no bottom': 563711, 'bottom with': 136447, 'with donald': 998113, 'trump get': 933575, 'get him': 347226, 'him out': 396689, 'the oval': 862758, 'oval office': 629737, 'office now': 595495, 'why won he': 991560, 'won he unleashed': 1003836, 'he unleashed chaos': 385556, 'unleashed chaos during': 942584, 'chaos during pandemic': 173012, 'during pandemic telling': 262897, 'pandemic telling 50': 636632, 'telling 50 state': 837175, '50 state governor': 19860, 'state governor to': 795627, 'governor to go': 361008, 'to go it': 906815, 'go it alone': 353778, 'it alone now': 456406, 'alone now he': 46894, 'now he bidding': 574901, 'he bidding up': 384783, 'price on supply': 675722, 'on supply against': 603815, 'supply against them': 824669, 'against them there': 37691, 'them there is': 876406, 'is no bottom': 449913, 'no bottom with': 563712, 'bottom with donald': 136448, 'with donald trump': 998114, 'donald trump get': 254110, 'trump get him': 933576, 'get him out': 347227, 'him out of': 396690, 'of the oval': 591308, 'the oval office': 862759, 'oval office now': 629739, 'til': 895934, 'long til': 501756, 'til the': 895947, 'inevitable jacking': 436390, 'this mass': 888776, 'hysteria when': 412489, 'how long til': 408213, 'long til the': 501757, 'til the inevitable': 895950, 'the inevitable jacking': 858210, 'inevitable jacking up': 436391, 'jacking up if': 464185, 'up if this': 945137, 'if this mass': 415162, 'this mass hysteria': 888777, 'mass hysteria when': 519793, 'hysteria when the': 412490, 'when the first': 984154, 'the first grocery': 855312, 'store worker test': 811597, 'where saying': 985158, 'to frontline': 906272, 'and nhsstaff': 67587, 'nhsstaff isn': 562253, 'isn enough': 454486, 'enough stop': 277637, 'buying so': 151039, 'too stophoarding': 925088, 'now time where': 576160, 'time where saying': 898320, 'where saying thank': 985159, 'you to frontline': 1021780, 'to frontline worker': 906275, 'frontline worker and': 338858, 'worker and nhsstaff': 1006315, 'and nhsstaff isn': 67588, 'nhsstaff isn enough': 562254, 'isn enough stop': 454490, 'enough stop panic': 277638, 'panic buying so': 637890, 'buying so they': 151046, 'get food too': 347071, 'food too stophoarding': 317337, 'bbcnews': 113125, 'avoidingtheshops': 105505, 'pluckingupcourage': 661208, 'onlyforessentials': 611525, 'any excuse': 79198, 'afternoon oh': 36699, 'look is': 502443, 'on put': 603029, 'put car': 690541, 'car key': 163157, 'key down': 473273, 'take shoe': 832573, 'shoe off': 759677, 'off bbcnews': 593677, 'bbcnews avoidingtheshops': 113126, 'avoidingtheshops pluckingupcourage': 105506, 'pluckingupcourage socialdistancing': 661209, 'socialdistancing onlyforessentials': 780574, 'wa looking for': 962590, 'looking for any': 502850, 'for any excuse': 319403, 'any excuse to': 79199, 'excuse to avoid': 289778, 'this afternoon oh': 886234, 'afternoon oh look': 36700, 'oh look is': 596415, 'look is on': 502444, 'is on put': 450478, 'on put car': 603030, 'put car key': 690542, 'car key down': 163158, 'key down and': 473274, 'down and take': 256517, 'and take shoe': 72975, 'take shoe off': 832574, 'shoe off bbcnews': 759678, 'off bbcnews avoidingtheshops': 593678, 'bbcnews avoidingtheshops pluckingupcourage': 113127, 'avoidingtheshops pluckingupcourage socialdistancing': 105507, 'pluckingupcourage socialdistancing onlyforessentials': 661210, 'texan are': 839716, 'seriously and': 751525, 'using grocery': 950503, 'store entertainment': 807598, 'entertainment these': 278607, 'selling non': 749358, 'this behavior': 886535, 'behavior 19': 123850, 'texan are not': 839718, 'are not taking': 88482, 'this seriously and': 890034, 'seriously and are': 751526, 'and are using': 58373, 'are using grocery': 91421, 'using grocery store': 950505, 'store and big': 806205, 'and big box': 58956, 'box store entertainment': 137167, 'store entertainment these': 807599, 'entertainment these big': 278608, 'box store must': 137169, 'store must stop': 809008, 'must stop selling': 546924, 'stop selling non': 804992, 'selling non essential': 749359, 'non essential to': 566367, 'essential to help': 281700, 'help stop this': 390591, 'stop this behavior': 805184, 'this behavior 19': 886536, 'eoengland': 279252, 'deny': 237131, 'ffp3': 304282, 'ptocedure': 687652, 'apron': 83743, 'eoengland deny': 279253, 'deny need': 237138, 'for ffp3': 321461, 'ffp3 gown': 304283, 'gown for': 361374, 'for facing': 321361, 'facing frontline': 295475, 'frontline except': 338736, 'except aerosol': 289123, 'aerosol generating': 33909, 'generating ptocedure': 345593, 'ptocedure area': 687653, 'area staff': 92193, 'staff sick': 792867, 'sick amp': 768356, 'amp 32': 53330, '32 dead': 17662, 'dead staff': 229179, 'staff given': 792491, 'given useless': 351199, 'useless basic': 950220, 'basic surgical': 112073, 'plastic apron': 658794, 'apron which': 83752, 'say using': 739428, 'using too': 950770, 'much well': 545450, 'eoengland deny need': 279254, 'deny need for': 237139, 'need for ffp3': 554842, 'for ffp3 gown': 321462, 'ffp3 gown for': 304284, 'gown for facing': 361375, 'for facing frontline': 321362, 'facing frontline except': 295476, 'frontline except aerosol': 338737, 'except aerosol generating': 289124, 'aerosol generating ptocedure': 33911, 'generating ptocedure area': 345594, 'ptocedure area staff': 687654, 'area staff sick': 92194, 'staff sick amp': 792868, 'sick amp 32': 768357, 'amp 32 dead': 53331, '32 dead staff': 17663, 'dead staff given': 229180, 'staff given useless': 792492, 'given useless basic': 351200, 'useless basic surgical': 950221, 'basic surgical mask': 112074, 'surgical mask plastic': 828365, 'mask plastic apron': 519120, 'plastic apron which': 658796, 'apron which say': 83753, 'which say using': 986290, 'say using too': 739430, 'using too much': 950771, 'too much well': 924955, 'londonlockdown': 501251, 'distancing look': 247295, 'london give': 501076, 'stophoarding london': 805424, 'london londonlockdown': 501127, 'londonlockdown socialdistancing': 501263, 'stayhomesavelives retweet': 798434, 'retweet 19': 720036, 'coronacrisisuk stayathomechallenge': 204906, 'stay indoors this': 797081, 'indoors this is': 435430, 'is what social': 453894, 'social distancing look': 779654, 'distancing look like': 247296, 'look like in': 502486, 'like in london': 490495, 'in london give': 424880, 'london give the': 501077, 'give the mask': 350744, 'to the nh': 916902, 'nh and stop': 561882, 'stop hoarding stophoarding': 804742, 'hoarding stophoarding london': 399547, 'stophoarding london londonlockdown': 805425, 'london londonlockdown socialdistancing': 501128, 'londonlockdown socialdistancing stayathome': 501264, 'socialdistancing stayathome stayhomesavelives': 780726, 'stayathome stayhomesavelives retweet': 797651, 'stayhomesavelives retweet 19': 798435, 'retweet 19 coronacrisisuk': 720037, '19 coronacrisisuk stayathomechallenge': 6067, '19 pro': 9831, 'pro tip': 679128, 'tip eastern': 898754, 'eastern european': 265581, 'european are': 283538, 'are hard': 87012, 'hard fuck': 377924, 'fuck nothing': 339608, 'nothing panic': 573134, 'bought in': 136598, 'local polish': 498285, 'polish supermarket': 663586, 'supermarket easiest': 820080, 'easiest shop': 265177, 'shop ever': 760150, 'covid 19 pro': 213614, '19 pro tip': 9832, 'pro tip eastern': 679130, 'tip eastern european': 898755, 'eastern european are': 265582, 'european are hard': 283539, 'are hard fuck': 87014, 'hard fuck nothing': 377925, 'fuck nothing panic': 339609, 'nothing panic bought': 573135, 'panic bought in': 637422, 'bought in our': 136602, 'in our local': 426312, 'our local polish': 623783, 'local polish supermarket': 498286, 'polish supermarket easiest': 663588, 'supermarket easiest shop': 820081, 'easiest shop ever': 265178, 'lvmh': 507015, 'swapping': 829989, 'luxuryfashion': 506986, 'brandcsr': 138086, 'gartnermktg': 343721, 'lvmh is': 507026, 'is swapping': 452512, 'swapping luxury': 829992, 'luxury for': 506930, 'for wellness': 327783, 'wellness in': 978844, 'more luxuryfashion': 539737, 'luxuryfashion brandcsr': 506987, 'brandcsr gartnermktg': 138087, 'gartnermktg cmo': 343722, 'lvmh is swapping': 507028, 'is swapping luxury': 452513, 'swapping luxury for': 829993, 'luxury for wellness': 506931, 'for wellness in': 327784, 'wellness in the': 978845, 'the pandemic read': 863072, 'read more luxuryfashion': 700442, 'more luxuryfashion brandcsr': 539738, 'luxuryfashion brandcsr gartnermktg': 506988, 'brandcsr gartnermktg cmo': 138088, 'stophoarding this': 805503, 'literally happened': 495014, 'the 20': 847979, '20 percent': 13253, 'percent got': 651126, 'in first': 422908, 'first important': 308719, 'important lesson': 418865, 'everyone people': 287266, 'are worst': 91744, 'worst then': 1011276, 'virus shopping': 958738, 'stophoarding this ha': 805504, 'this ha literally': 887807, 'ha literally happened': 371164, 'literally happened to': 495015, 'happened to 80': 377271, 'to 80 percent': 899852, '80 percent of': 22622, 'percent of the': 651162, 'this country the': 886974, 'country the 20': 211124, 'the 20 percent': 847985, '20 percent got': 13255, 'percent got in': 651127, 'got in first': 358628, 'in first important': 422910, 'first important lesson': 308720, 'important lesson for': 418866, 'lesson for everyone': 486473, 'for everyone people': 321227, 'everyone people are': 287267, 'people are worst': 647117, 'are worst then': 91745, 'worst then the': 1011277, 'then the virus': 877627, 'the virus shopping': 870888, 'reserving': 714149, 'of choice': 581397, 'choice due': 177755, 'adjusting their': 32358, 'hour with': 406104, 'some reserving': 783733, 'reserving the': 714159, 'senior very': 750432, 'is considering': 446754, 'considering something': 195412, 'something similar': 785050, 'similar maybe': 769909, 'maybe day': 521661, 'week thanks': 976973, 'is our grocery': 450621, 'grocery store of': 365602, 'store of choice': 809146, 'of choice due': 581400, 'choice due to': 177756, '19 store are': 10882, 'store are adjusting': 806454, 'are adjusting their': 84234, 'adjusting their hour': 32359, 'their hour with': 873600, 'hour with some': 406107, 'with some reserving': 1000862, 'some reserving the': 783734, 'reserving the first': 714160, 'first hour for': 308713, 'for senior very': 325483, 'senior very grateful': 750433, 'very grateful for': 955199, 'grateful for this': 362276, 'for this is': 327041, 'this is considering': 888215, 'is considering something': 446763, 'considering something similar': 195413, 'something similar maybe': 785052, 'similar maybe day': 769910, 'maybe day week': 521662, 'day week thanks': 228700, 'british love': 140539, 'queue so': 694058, 'so with': 778789, 'park are': 641869, 'to hang': 907142, 'hang out': 376934, 'the british love': 850025, 'british love to': 140540, 'love to queue': 504853, 'to queue so': 912672, 'queue so with': 694061, 'so with all': 778790, 'with all this': 997166, 'all this socialdistancing': 45135, 'this socialdistancing supermarket': 890232, 'socialdistancing supermarket car': 780771, 'car park are': 163212, 'park are now': 641870, 'are now the': 88607, 'now the place': 576060, 'the place to': 863775, 'place to hang': 657756, 'to hang out': 907144, 'swim': 830350, 'drowning': 260817, 'whore': 990602, 'stophoarding hope': 805415, 'buyer feel': 149642, 'guilty all': 368545, 'bought now': 136656, 'now going': 574797, 'date unused': 226749, 'unused you': 943981, 'you total': 1021891, 'total muppets': 926196, 'muppets your': 546138, 'your the': 1026133, 'type that': 937612, 'would swim': 1012300, 'swim away': 830351, 'from drowning': 335220, 'drowning child': 260818, 'child you': 176280, 'corona ridden': 204145, 'ridden snake': 721417, 'snake loving': 776057, 'loving whore': 505071, 'whore of': 990607, 'stophoarding hope you': 805416, 'hope you panic': 403804, 'panic buyer feel': 637575, 'buyer feel guilty': 149643, 'feel guilty all': 302656, 'guilty all the': 368546, 'food you bought': 317706, 'you bought now': 1017508, 'bought now going': 136657, 'now going out': 574801, 'going out of': 355383, 'of date unused': 582370, 'date unused you': 226750, 'unused you total': 943982, 'you total muppets': 1021892, 'total muppets your': 926197, 'muppets your the': 546139, 'your the type': 1026134, 'the type that': 870166, 'type that would': 937613, 'that would swim': 847690, 'would swim away': 1012301, 'swim away from': 830352, 'away from drowning': 105874, 'from drowning child': 335221, 'drowning child you': 260819, 'child you corona': 176282, 'you corona ridden': 1018052, 'corona ridden snake': 204146, 'ridden snake loving': 721418, 'snake loving whore': 776058, 'loving whore of': 505072, 'whore of humanity': 990608, 'pfgc': 653912, 'ncmi': 553329, 'plnt': 661074, 'consumer related': 198674, 'related stock': 708575, 'stock trading': 803025, 'trading if': 928871, 'are never': 88214, 'never coming': 557929, 'quarantine pfgc': 692431, 'pfgc ncmi': 653913, 'ncmi plnt': 553330, 'plnt to': 661075, 'to name': 910465, 'name few': 551628, 'consumer related stock': 198678, 'related stock trading': 708577, 'stock trading if': 803026, 'trading if they': 928872, 'they are never': 881340, 'are never coming': 88217, 'never coming back': 557930, 'coming back because': 188001, 'because of and': 119309, 'of and quarantine': 580176, 'and quarantine pfgc': 69859, 'quarantine pfgc ncmi': 692432, 'pfgc ncmi plnt': 653914, 'ncmi plnt to': 553331, 'plnt to name': 661076, 'to name few': 910469, 'macy': 507504, 'herald': 392547, 'solitary': 781963, 'serious argument': 751336, 'argument about': 92745, 'being branded': 124901, 'branded chinesevirus': 138092, 'chinesevirus everywhere': 177434, 'nyc is': 577999, 'is pretty': 451005, 'much ghost': 544949, 'town and': 927432, 'retail giant': 718139, 'giant macy': 349824, 'macy flagship': 507505, 'flagship store': 309964, 'and herald': 64520, 'herald square': 392555, 'square is': 791483, 'is solitary': 452079, 'is serious argument': 451780, 'serious argument about': 751337, 'argument about the': 92746, 'about the pandemic': 26474, 'pandemic is being': 635759, 'is being branded': 446066, 'being branded chinesevirus': 124902, 'branded chinesevirus everywhere': 138093, 'chinesevirus everywhere in': 177435, 'everywhere in nyc': 288221, 'in nyc is': 426023, 'nyc is pretty': 578000, 'is pretty much': 451012, 'pretty much ghost': 671452, 'much ghost town': 544950, 'ghost town and': 349675, 'town and the': 927436, 'and the retail': 73553, 'the retail giant': 865718, 'retail giant macy': 718143, 'giant macy flagship': 349825, 'macy flagship store': 507506, 'flagship store is': 309967, 'store is closed': 808476, 'is closed and': 446570, 'closed and herald': 182985, 'and herald square': 64521, 'herald square is': 392556, 'square is solitary': 791484, 'bedlam': 120445, 'hustle': 411817, 'samaritan': 732941, 'gooders': 358013, 'huckster': 409890, 'it bedlam': 456783, 'bedlam in': 120446, 'mask market': 518948, 'market profiteer': 516919, 'profiteer out': 682972, 'out hustle': 626348, 'hustle good': 411820, 'good samaritan': 357686, 'samaritan scammer': 732944, 'scammer pricegouging': 740616, 'pricegouging hospital': 677818, 'hospital government': 404431, 'do gooders': 249351, 'gooders and': 358014, 'and huckster': 64848, 'huckster are': 409891, 'all competing': 42410, 'competing scam': 191641, 'it bedlam in': 456784, 'bedlam in the': 120447, 'in the mask': 429344, 'the mask market': 860222, 'mask market profiteer': 518949, 'market profiteer out': 516920, 'profiteer out hustle': 682973, 'out hustle good': 626349, 'hustle good samaritan': 411821, 'good samaritan scammer': 357688, 'samaritan scammer pricegouging': 732945, 'scammer pricegouging hospital': 740617, 'pricegouging hospital government': 677819, 'hospital government do': 404432, 'government do gooders': 360028, 'do gooders and': 249352, 'gooders and huckster': 358015, 'and huckster are': 64849, 'huckster are all': 409892, 'are all competing': 84294, 'all competing scam': 42411, 'competing scam and': 191642, 'scam and price': 740012, 'icliniq100hrs': 412780, 'celebrateyou': 168824, 'onlinedoctor': 609814, 'coronavirus ask': 205521, 'ask doctor': 95509, 'doctor now': 250991, 'socialdistancing virus': 780841, 'virus icliniq100hrs': 958308, 'icliniq100hrs life': 412785, 'life handwash': 488711, 'handwash sanitizer': 376788, 'sanitizer protection': 735617, 'protection prevention': 685574, 'prevention celebrateyou': 671844, 'celebrateyou safety': 168825, 'safety onlinedoctor': 730664, 'onlinedoctor home': 609815, 'home coronavillains': 400947, 'coronavirus ask doctor': 205522, 'ask doctor now': 95510, 'doctor now stayhome': 250993, 'now stayhome socialdistancing': 575896, 'stayhome socialdistancing virus': 798120, 'socialdistancing virus icliniq100hrs': 780842, 'virus icliniq100hrs life': 958310, 'icliniq100hrs life handwash': 412786, 'life handwash sanitizer': 488712, 'handwash sanitizer protection': 376792, 'sanitizer protection prevention': 735618, 'protection prevention celebrateyou': 685575, 'prevention celebrateyou safety': 671845, 'celebrateyou safety onlinedoctor': 168826, 'safety onlinedoctor home': 730665, 'onlinedoctor home coronavillains': 609816, 'husband will': 411791, 'mom house': 535747, 'house drop': 406273, 'toiletpaper stop': 922543, 'hoarding people': 399474, 'do ya': 250606, 'ya all': 1013961, 'much tp': 545408, 'so today my': 778551, 'today my husband': 919901, 'my husband will': 548802, 'husband will go': 411792, 'will go to': 993560, 'go to my': 354330, 'my mom house': 549274, 'mom house drop': 535748, 'house drop off': 406274, 'drop off some': 260341, 'off some toiletpaper': 594177, 'some toiletpaper stop': 784092, 'toiletpaper stop hoarding': 922544, 'stop hoarding people': 804735, 'hoarding people do': 399475, 'people do ya': 647684, 'do ya all': 250607, 'ya all really': 1013962, 'all really need': 44130, 'that much tp': 845251, 'solihull': 781960, 'north solihull': 567681, 'solihull social': 781961, 'supermarket providing': 822088, 'providing lifeline': 687044, 'lifeline during': 489304, '19 need': 8755, 'north solihull social': 567682, 'solihull social supermarket': 781962, 'social supermarket providing': 779981, 'supermarket providing lifeline': 822089, 'providing lifeline during': 687045, 'lifeline during covid': 489305, 'covid 19 need': 213468, '19 need your': 8759, 'need your support': 556274, 'breakfast': 138871, 'bureaucracy': 142815, 'the waste': 871114, 'need 170': 554334, '170 litre': 4419, 'milk dumped': 531646, 'dumped in': 262210, 'one province': 606928, 'province alone': 687156, 'alone we': 46946, 'have breakfast': 379841, 'breakfast club': 138879, 'club food': 184435, 'bank imagine': 109911, 'blame farmer': 132255, 'farmer blame': 299312, 'the bureaucracy': 850131, 'bureaucracy shame': 142818, 'all the waste': 44978, 'the waste and': 871115, 'waste and all': 968069, 'the need 170': 861389, 'need 170 litre': 554335, '170 litre of': 4420, 'litre of milk': 495167, 'of milk dumped': 586507, 'milk dumped in': 531647, 'dumped in one': 262211, 'in one province': 426154, 'one province alone': 606929, 'province alone we': 687157, 'alone we have': 46947, 'we have breakfast': 971770, 'have breakfast club': 379842, 'breakfast club food': 138881, 'club food bank': 184436, 'food bank imagine': 313587, 'bank imagine what': 109912, 'imagine what they': 416823, 'what they could': 982398, 'they could do': 881823, 'could do with': 209106, 'with this don': 1001692, 'this don blame': 887279, 'don blame farmer': 253392, 'blame farmer blame': 132256, 'farmer blame the': 299313, 'blame the bureaucracy': 132301, 'the bureaucracy shame': 850132, 'doling': 252933, 'begun doling': 123703, 'doling out': 252934, 'is defective': 447075, 'defective charging': 232075, 'charging money': 173503, 'money calling': 536656, 'it aid': 456317, 'aid china': 39367, 'have begun doling': 379751, 'begun doling out': 123704, 'doling out mask': 252935, 'which is defective': 986001, 'is defective charging': 447076, 'defective charging money': 232076, 'charging money calling': 173505, 'money calling it': 536657, 'calling it aid': 156584, 'it aid china': 456318, 'arrangement': 93706, 'enormously': 277299, 'and crew': 60743, 'crew might': 216700, 'might like': 531065, 'start working': 794654, 'current arrangement': 221099, 'arrangement are': 93709, 'working the': 1008937, 'the sheer': 866811, 'sheer crush': 756572, 'crush of': 219783, 'of number': 587103, 'number at': 576835, 'supermarket adding': 818779, 'adding enormously': 31670, 'enormously to': 277300, 'not coping': 568885, 'need system': 555700, 'and crew might': 60744, 'crew might like': 216701, 'might like to': 531066, 'like to start': 491625, 'to start working': 915233, 'start working with': 794656, 'working with supermarket': 1009070, 'with supermarket right': 1001060, 'now because the': 574215, 'because the current': 119619, 'the current arrangement': 852611, 'current arrangement are': 221100, 'arrangement are not': 93710, 'are not working': 88499, 'not working the': 572554, 'working the sheer': 1008941, 'the sheer crush': 866813, 'sheer crush of': 756573, 'crush of number': 219784, 'of number at': 587105, 'number at supermarket': 576836, 'at supermarket adding': 100695, 'supermarket adding enormously': 818780, 'adding enormously to': 31671, 'enormously to spread': 277301, 'to spread of': 915072, 'of 19 and': 579381, 'and supermarket not': 72726, 'supermarket not coping': 821642, 'not coping with': 568887, 'coping with demand': 203398, 'demand you need': 236537, 'you need system': 1020047, 'repacking': 711442, 'only in': 610630, 'the philippine': 863671, 'philippine will': 654748, 'supply repacking': 825764, 'repacking them': 711443, 'in smaller': 428028, 'smaller bag': 775254, 'bag container': 108256, 'container then': 200562, 'then selling': 877513, 'selling with': 749536, 'with overly': 1000044, 'overly high': 631317, 'price dear': 673393, 'dear fellow': 229787, 'fellow filipino': 303289, 'filipino who': 305447, 'are shame': 90012, 'shame to': 754658, 'and waste': 75213, 'of space': 589949, 'space in': 787119, 'this earth': 887329, 'only in the': 610639, 'in the philippine': 429450, 'the philippine will': 863676, 'philippine will you': 654749, 'will you see': 995396, 'see people hoarding': 745559, 'people hoarding supply': 648279, 'hoarding supply repacking': 399571, 'supply repacking them': 825765, 'repacking them in': 711444, 'them in smaller': 875914, 'in smaller bag': 428029, 'smaller bag container': 775255, 'bag container then': 108257, 'container then selling': 200563, 'then selling with': 877517, 'selling with overly': 749537, 'with overly high': 1000045, 'overly high price': 631318, 'high price dear': 395245, 'price dear fellow': 673394, 'dear fellow filipino': 229788, 'fellow filipino who': 303290, 'filipino who do': 305448, 'who do this': 988624, 'this you are': 891612, 'you are shame': 1017232, 'are shame to': 90013, 'shame to the': 754661, 'to the rest': 917023, 'rest of and': 716183, 'of and waste': 580190, 'and waste of': 75214, 'waste of space': 968162, 'of space in': 589952, 'space in this': 787122, 'in this earth': 429938, 'jeffrey': 465038, 'epstein': 279585, 'alleged': 45656, 'pimp': 656760, 'ghislaine': 349651, 'maxwell': 520860, 'germany merkel': 346320, 'merkel quarantine': 529169, 'quarantine supermarket': 692596, 'supermarket meeting': 821501, 'meeting covid': 527688, 'infected doctor': 436562, 'doctor senator': 251100, 'senator rand': 749778, 'rand paul': 696581, 'paul test': 644561, 'positive jeffrey': 665359, 'jeffrey epstein': 465039, 'epstein spent': 279588, 'spent thousand': 789178, 'thousand dollar': 893390, 'dollar funding': 252990, 'funding alleged': 341582, 'alleged pimp': 45663, 'pimp ghislaine': 656761, 'ghislaine maxwell': 349652, 'maxwell die': 520865, 'germany merkel quarantine': 346321, 'merkel quarantine supermarket': 529170, 'quarantine supermarket meeting': 692598, 'supermarket meeting covid': 821502, 'meeting covid 19': 527689, '19 infected doctor': 7839, 'infected doctor senator': 436563, 'doctor senator rand': 251101, 'senator rand paul': 749779, 'rand paul test': 696583, 'paul test positive': 644562, 'test positive jeffrey': 839129, 'positive jeffrey epstein': 665360, 'jeffrey epstein spent': 465040, 'epstein spent thousand': 279589, 'spent thousand dollar': 789179, 'thousand dollar funding': 893392, 'dollar funding alleged': 252991, 'funding alleged pimp': 341583, 'alleged pimp ghislaine': 45664, 'pimp ghislaine maxwell': 656762, 'ghislaine maxwell die': 349653, 'all ve': 45348, 'found so': 330369, 'far is': 298818, 'is which': 453934, 'which seems': 986298, 'aren worried': 92596, 'about more': 25749, 'insurance claim': 440688, 'claim due': 179726, 'about lower': 25674, 'lower return': 505985, 'return on': 719874, 'on investment': 601612, 'investment due': 443981, 'lower interest': 505897, 'be betting': 113846, 'betting we': 128644, 'll mostly': 496904, 'mostly live': 542975, 'all ve found': 45349, 've found so': 953142, 'found so far': 330370, 'so far is': 777039, 'far is which': 298821, 'is which seems': 453935, 'which seems to': 986299, 'seems to say': 746887, 'to say they': 913846, 'say they aren': 739334, 'they aren worried': 881488, 'aren worried about': 92597, 'worried about more': 1010505, 'about more life': 25752, 'more life insurance': 539680, 'life insurance claim': 488784, 'insurance claim due': 440689, 'claim due to': 179727, '19 but are': 5491, 'but are worried': 145225, 'worried about lower': 1010502, 'about lower return': 25676, 'lower return on': 505986, 'return on investment': 719877, 'on investment due': 601613, 'investment due to': 443982, 'due to lower': 261856, 'to lower interest': 909499, 'lower interest rate': 505898, 'rate and asset': 697150, 'asset price so': 96460, 'price so they': 676516, 'so they seem': 778480, 'to be betting': 901130, 'be betting we': 113847, 'betting we ll': 128645, 'we ll mostly': 972263, 'll mostly live': 496905, 'dakota': 225072, 'attorneygeneral': 102689, 'ag of': 36817, 'south dakota': 786712, 'dakota point': 225077, 'point to': 662664, 'fake home': 296638, 'virus really': 958668, 'really awful': 701995, 'awful who': 106253, 'who doe': 988627, 'this throw': 890601, 'throw the': 895051, 'book at': 134479, 'em 19': 272049, '19 attorneygeneral': 5265, 'ag of south': 36818, 'of south dakota': 589944, 'south dakota point': 786714, 'dakota point to': 225078, 'point to the': 662677, 'the latest coronavirus': 859085, 'latest coronavirus consumer': 481271, 'coronavirus consumer scam': 205687, 'consumer scam fake': 198868, 'scam fake home': 740156, 'fake home test': 296639, 'test for the': 839005, 'the virus really': 870882, 'virus really awful': 958669, 'really awful who': 701996, 'awful who doe': 106254, 'who doe this': 988634, 'doe this throw': 251645, 'this throw the': 890602, 'throw the book': 895052, 'the book at': 849838, 'book at em': 134480, 'at em 19': 98533, 'em 19 attorneygeneral': 272050, 'qeretail': 691544, 'changing online': 172763, 'behavior qeretail': 124158, 'qeretail onlineshopping': 691545, 'onlineshopping ecommerce': 609895, 'here is how': 393230, 'is how is': 448582, 'is changing online': 446478, 'changing online shopping': 172764, 'shopping behavior qeretail': 762210, 'behavior qeretail onlineshopping': 124159, 'qeretail onlineshopping ecommerce': 691546, 'watford': 969317, 'fridayfeeling': 333325, 'shoppingday': 764503, 'is 25': 445192, '25 am': 15831, 'main entrance': 508744, 'entrance to': 278903, 'the costco': 851989, 'costco at': 208202, 'at watford': 101499, 'watford is': 969320, 'still long': 800805, 'way away': 969478, 'away have': 105939, 'more word': 541002, 'word fridayfeeling': 1004490, 'fridayfeeling shoppingday': 333334, 'shoppingday panicbuyinguk': 764504, 'it is 25': 458856, 'is 25 am': 445193, '25 am to': 15832, 'am to those': 50508, 'those who know': 892648, 'who know the': 989187, 'know the main': 476834, 'the main entrance': 859902, 'main entrance to': 508745, 'entrance to the': 278906, 'to the costco': 916600, 'the costco at': 851990, 'costco at watford': 208204, 'at watford is': 101500, 'watford is still': 969321, 'is still long': 452293, 'still long way': 800807, 'long way away': 501819, 'way away have': 969479, 'away have no': 105940, 'have no more': 381638, 'no more word': 564829, 'more word fridayfeeling': 541003, 'word fridayfeeling shoppingday': 1004491, 'fridayfeeling shoppingday panicbuyinguk': 333335, 'shoppingday panicbuyinguk stophoarding': 764505, 'tcbasia': 835278, 'chinese consumption': 177232, 'consumption picture': 199929, 'picture impact': 656139, 'crisis get': 217413, 'your complimentary': 1023299, 'complimentary download': 192509, 'download of': 257603, 'the report': 865528, 'report here': 712009, 'here tcbasia': 393629, 'tcbasia consumer': 835279, 'consumer china': 196789, 'the chinese consumption': 850850, 'chinese consumption picture': 177233, 'consumption picture impact': 199930, 'picture impact of': 656140, 'the crisis get': 852385, 'crisis get your': 217417, 'get your complimentary': 348695, 'your complimentary download': 1023300, 'complimentary download of': 192510, 'download of the': 257604, 'of the report': 591404, 'the report here': 865532, 'report here tcbasia': 712015, 'here tcbasia consumer': 393630, 'tcbasia consumer china': 835280, 'consumer china economy': 196790, 'rushing': 728374, 'hear people': 387976, 'are rushing': 89777, 'rushing supermarket': 728388, 'supermarket door': 820010, 'and ignoring': 64968, 'elderly special': 270893, 'special need': 787996, 'need rule': 555531, 'rule panicbuying': 727319, 'you hear people': 1019179, 'hear people are': 387977, 'people are rushing': 647063, 'are rushing supermarket': 89779, 'rushing supermarket door': 728389, 'supermarket door and': 820011, 'door and ignoring': 255508, 'and ignoring the': 64969, 'the elderly special': 854147, 'elderly special need': 270894, 'special need rule': 787998, 'need rule panicbuying': 555532, 'rule panicbuying panicbuyinguk': 727320, 'soniashenoy': 785534, 'batra': 112716, 'anujsinghal': 78629, 'purchasin': 689822, 'soniashenoy batra': 785535, 'batra anujsinghal': 112717, 'anujsinghal big': 78630, 'question where': 693800, 'is corporate': 446847, 'corporate india': 207293, 'india in': 434461, 'against probably': 37590, 'probably offering': 679343, 'offering their': 595283, '20 80': 12923, 'or purchasin': 616747, 'soniashenoy batra anujsinghal': 785536, 'batra anujsinghal big': 112718, 'anujsinghal big question': 78631, 'big question where': 129944, 'question where is': 693801, 'where is corporate': 984947, 'is corporate india': 446848, 'corporate india in': 207294, 'india in the': 434462, 'fight against probably': 304634, 'against probably offering': 37591, 'probably offering their': 679344, 'offering their stock': 595286, 'stock at 20': 801871, 'at 20 80': 97498, '20 80 of': 12924, '80 of price': 22609, 'of price or': 588413, 'price or purchasin': 675786, 'foia': 312033, 'waiver': 964547, '19 additional': 4811, 'additional guidance': 31825, 'guidance regarding': 368273, 'regarding foia': 707209, 'foia timeline': 312034, 'timeline waiver': 898477, 'waiver and': 964548, 'budget extension': 141784, 'extension insurance': 293279, 'covid 19 additional': 212582, '19 additional guidance': 4812, 'additional guidance regarding': 31826, 'guidance regarding foia': 368274, 'regarding foia timeline': 707210, 'foia timeline waiver': 312035, 'timeline waiver and': 898478, 'waiver and budget': 964549, 'and budget extension': 59232, 'budget extension insurance': 141785, 'fritz': 334098, 'nix': 563398, 'garmentfactories': 343701, 'wassner': 968050, 'spending on': 788929, 'the fritz': 855828, 'fritz retailer': 334099, 'to nix': 910609, 'nix order': 563399, 'for spring': 325844, 'spring season': 791238, 'season that': 743444, 'that shaping': 846223, 'shaping up': 754889, 'be wash': 118051, 'wash fashion': 967458, 'fashion garmentfactories': 299810, 'garmentfactories wassner': 343702, 'with consumer spending': 997769, 'consumer spending on': 199080, 'spending on the': 788937, 'on the fritz': 604133, 'the fritz retailer': 855829, 'fritz retailer are': 334100, 'retailer are scrambling': 719015, 'scrambling to nix': 742570, 'to nix order': 910610, 'nix order for': 563400, 'order for spring': 618244, 'for spring season': 325846, 'spring season that': 791239, 'season that shaping': 743445, 'that shaping up': 846224, 'shaping up to': 754891, 'to be wash': 901629, 'be wash fashion': 118052, 'wash fashion garmentfactories': 967459, 'fashion garmentfactories wassner': 299811, 'cue': 220194, 'the name': 861190, 'name of': 551656, 'game right': 343236, 'now cue': 574485, 'cue online': 220199, 'that ll': 844906, 'shopping right': 763771, 'distancing is the': 247256, 'is the name': 452870, 'the name of': 861193, 'name of the': 551665, 'of the game': 591055, 'the game right': 856125, 'game right now': 343237, 'right now cue': 722051, 'now cue online': 574486, 'cue online shopping': 220200, 'shopping here list': 762886, 'list of online': 494458, 'of online store': 587264, 'online store that': 609474, 'store that ll': 810559, 'that ll deliver': 844908, 'll deliver your': 496699, 'deliver your shopping': 233278, 'your shopping right': 1025791, 'shopping right to': 763773, 'right to your': 722363, 'unnecessary question': 942927, 'question an': 693517, 'an atlanta': 55467, 'atlanta area': 101822, 'area grocery': 92030, 'store take': 810494, 'another level': 77695, 'level after': 487492, 'after yesterday': 36601, 'yesterday revised': 1015850, 'revised cdc': 720634, 'avoid unnecessary question': 105376, 'unnecessary question an': 942928, 'question an atlanta': 693518, 'an atlanta area': 55468, 'atlanta area grocery': 101823, 'area grocery store': 92031, 'grocery store take': 365834, 'store take to': 810499, 'take to another': 832731, 'to another level': 900569, 'another level after': 77697, 'level after yesterday': 487493, 'after yesterday revised': 36603, 'yesterday revised cdc': 1015851, 'revised cdc guideline': 720635, 'outlandish': 628998, 'else having': 271724, 'trouble with': 932661, 'with they': 1001664, 'they canceled': 881690, 'canceled our': 160951, 'our flight': 623092, 'flight without': 310565, 'without notice': 1002805, 'notice they': 573375, 'not answer': 568210, 'answer their': 78116, 'their phone': 874291, 'phone they': 655034, 'answer email': 78044, 'email twitter': 272354, 'twitter or': 936698, 'or facebook': 615246, 'facebook dm': 294901, 'dm same': 248927, 'still book': 800296, 'book flight': 134519, 'flight at': 310435, 'at outlandish': 100044, 'outlandish price': 628999, 'they scam': 883284, 'people trapped': 649999, 'trapped by': 930108, 'anyone else having': 80267, 'else having trouble': 271725, 'having trouble with': 384390, 'trouble with they': 932663, 'with they canceled': 1001667, 'they canceled our': 881691, 'canceled our flight': 160952, 'our flight without': 623094, 'flight without notice': 310566, 'without notice they': 1002807, 'notice they do': 573376, 'do not answer': 249666, 'not answer their': 568212, 'answer their phone': 78117, 'their phone they': 874293, 'phone they do': 655036, 'not answer email': 568211, 'answer email twitter': 78045, 'email twitter or': 272355, 'twitter or facebook': 936699, 'or facebook dm': 615247, 'facebook dm same': 294902, 'dm same time': 248928, 'time you can': 898403, 'can still book': 159764, 'still book flight': 800297, 'book flight at': 134520, 'flight at outlandish': 310436, 'at outlandish price': 100045, 'outlandish price do': 629000, 'price do they': 673473, 'do they scam': 250315, 'they scam people': 883285, 'scam people trapped': 740301, 'people trapped by': 650000, 'helper': 391120, 'nationalphysiciansweek': 552703, 'janitor food': 464549, 'driver sanitation': 259733, 'sanitation team': 733864, 'team security': 835770, 'guard grocery': 367800, 'clerk hero': 181714, 'hero and': 393926, 'and helper': 64487, 'helper thank': 391138, 'you gratitude': 1018930, 'gratitude nationalphysiciansweek': 362382, 'to the healthcare': 916769, 'healthcare worker janitor': 387364, 'worker janitor food': 1007259, 'janitor food worker': 464550, 'food worker truck': 317680, 'truck driver sanitation': 932793, 'driver sanitation team': 259735, 'sanitation team security': 733865, 'team security guard': 835771, 'security guard grocery': 744615, 'guard grocery store': 367801, 'store clerk hero': 807012, 'clerk hero and': 181715, 'hero and helper': 393929, 'and helper thank': 64488, 'helper thank you': 391139, 'thank you gratitude': 841735, 'you gratitude nationalphysiciansweek': 1018931, 'consumernews': 199727, 'centralbank': 169456, 'insurancecompanies': 440841, 'phishingscams': 654845, 'irishconsumers': 444901, 'consumernews from': 199728, 'from ireland': 336083, 'ireland and': 444809, 'and europeanunion': 62315, 'europeanunion march': 283622, '2020 centralbank': 14220, 'centralbank of': 169457, 'of ireland': 585302, 'ireland expectation': 444827, 'of insurancecompanies': 585238, 'insurancecompanies how': 440842, 'avoid phishingscams': 105225, 'phishingscams if': 654846, 'if workingfromhome': 415370, 'workingfromhome during': 1009094, 'during read': 262963, 'all irishconsumers': 43245, 'consumernews from ireland': 199729, 'from ireland and': 336084, 'ireland and europeanunion': 444810, 'and europeanunion march': 62316, 'europeanunion march 2020': 283623, 'march 2020 centralbank': 515151, '2020 centralbank of': 14221, 'centralbank of ireland': 169458, 'of ireland expectation': 585303, 'ireland expectation of': 444828, 'expectation of insurancecompanies': 290835, 'of insurancecompanies how': 585239, 'insurancecompanies how to': 440843, 'to avoid phishingscams': 900926, 'avoid phishingscams if': 105226, 'phishingscams if workingfromhome': 654847, 'if workingfromhome during': 415371, 'workingfromhome during read': 1009095, 'during read it': 262964, 'read it all': 700380, 'it all irishconsumers': 456355, 'katt': 471081, 'chef': 175246, 'shes': 758095, 'lovemykids': 505006, 'my 21': 547139, '21 year': 15039, 'daughter katt': 226877, 'katt who': 471082, 'who chef': 988449, 'chef just': 175263, 'came home': 157002, 'home her': 401369, 'her restaurant': 392329, 'closed today': 183405, 'her plan': 392302, 'plan from': 658132, 'tomorrow that': 924191, 'that shes': 846251, 'shes told': 758104, 'told is': 923589, 'is whilst': 453939, 'whilst there': 987698, 'start making': 794378, 'making soup': 511358, 'taking them': 833604, 'home make': 401574, 'make her': 509968, 'her twitter': 392489, 'twitter famous': 936654, 'famous folk': 298459, 'folk lovemykids': 312211, 'my 21 year': 547140, '21 year old': 15041, 'old daughter katt': 598213, 'daughter katt who': 226878, 'katt who chef': 471083, 'who chef just': 988450, 'chef just came': 175264, 'just came home': 468424, 'came home her': 157007, 'home her restaurant': 401370, 'her restaurant closed': 392330, 'restaurant closed today': 716378, 'closed today so': 183407, 'today so her': 920190, 'so her plan': 777293, 'her plan from': 392303, 'plan from tomorrow': 658137, 'from tomorrow that': 338100, 'tomorrow that shes': 924192, 'that shes told': 846252, 'shes told is': 758105, 'told is whilst': 923590, 'is whilst there': 453940, 'whilst there no': 987699, 'there no work': 878851, 'no work is': 565926, 'work is to': 1005378, 'is to start': 453248, 'to start making': 915207, 'start making soup': 794382, 'making soup and': 511359, 'soup and taking': 786371, 'and taking them': 73003, 'taking them to': 833607, 'them to care': 876459, 'to care home': 902460, 'care home make': 163995, 'home make her': 401576, 'make her twitter': 509971, 'her twitter famous': 392490, 'twitter famous folk': 936655, 'famous folk lovemykids': 298460, 'treating': 930983, 'keep track': 472151, 'are reacting': 89448, 'reacting and': 700165, 'and treating': 74428, 'treating employee': 930994, 'shift your': 758471, 'behaviour once': 124490, 'keep track of': 472152, 'track of how': 928210, 'of how company': 584815, 'company are reacting': 190443, 'are reacting and': 89449, 'reacting and treating': 700166, 'and treating employee': 74429, 'treating employee during': 930995, 'employee during this': 273797, 'pandemic and shift': 634901, 'and shift your': 71464, 'shift your consumer': 758472, 'your consumer behaviour': 1023315, 'consumer behaviour once': 196591, 'behaviour once this': 124491, 'tpmelection': 928075, 'tpmelection new': 928076, 'tpmelection new york': 928077, 'safdar': 729399, '78': 22322, 'safdar nike': 729400, 'nike sentiment': 563227, 'sentiment for': 750930, 'shopping 78': 761871, '78 58': 22323, '58 for': 20529, 'for brick': 319787, 'mortar shop': 541834, 'shop it': 760369, 'definitely see': 232385, 'see positive': 745590, 'positive trend': 665476, 'towards ecommerce': 927190, 'ecommerce god': 266780, 'safdar nike sentiment': 729401, 'nike sentiment for': 563228, 'sentiment for online': 750932, 'online shopping 78': 609011, 'shopping 78 58': 761872, '78 58 for': 22324, '58 for brick': 20530, 'for brick mortar': 319788, 'brick mortar shop': 139590, 'mortar shop it': 541835, 'shop it not': 760374, 'it not related': 459913, 'related to corona': 708598, 'to corona but': 903525, 'corona but we': 203840, 'but we definitely': 147744, 'we definitely see': 971256, 'definitely see positive': 232386, 'see positive trend': 745591, 'positive trend towards': 665477, 'trend towards ecommerce': 931485, 'towards ecommerce god': 927191, 'ecommerce god know': 266781, 'will happen after': 993594, 'happen after the': 377053, 'lysolwipes': 507212, 'to hoarding': 907894, 'hoarding like': 399412, 'like behavior': 489893, 'behavior it': 124106, 'buy whole': 149471, 'whole shelf': 990322, 'of lysolwipes': 586090, 'lysolwipes or': 507213, 'or toiletpaper': 617490, 'sell it': 748765, 'just keep': 469088, 'to yourself': 919037, 'yourself we': 1026744, 'need literally': 555160, 'more product': 540146, 'if asshole': 413877, 'asshole did': 96525, 'exist in': 290237, 'world stoppanicbuying': 1010010, 'this is due': 888241, 'is due to': 447403, 'due to hoarding': 261815, 'to hoarding like': 907899, 'hoarding like behavior': 399413, 'like behavior it': 489894, 'behavior it is': 124108, 'not necessary to': 570643, 'necessary to buy': 554110, 'to buy whole': 902339, 'buy whole shelf': 149472, 'whole shelf of': 990323, 'shelf of lysolwipes': 757362, 'of lysolwipes or': 586091, 'lysolwipes or toiletpaper': 507214, 'or toiletpaper and': 617491, 'toiletpaper and sell': 921728, 'and sell it': 71215, 'sell it online': 748770, 'it online or': 460084, 'online or just': 608659, 'or just keep': 615885, 'just keep all': 469089, 'keep all to': 471301, 'all to yourself': 45254, 'to yourself we': 919040, 'yourself we need': 1026746, 'we need literally': 972505, 'need literally have': 555161, 'literally have lot': 495017, 'have lot more': 381390, 'lot more product': 504114, 'more product if': 540151, 'product if asshole': 681272, 'if asshole did': 413878, 'asshole did not': 96526, 'did not exist': 240713, 'not exist in': 569324, 'exist in this': 290239, 'in this world': 430048, 'this world stoppanicbuying': 891517, 'voluntarily': 960181, 'supportsmallbusinesses': 827288, 'some vegetable': 784160, 'vegetable shopping': 954086, 'shopping most': 763295, 'most veggie': 542854, 'veggie vendor': 954221, 'vendor are': 954344, 'of haven': 584477, 'haven hiked': 383837, 'price unlike': 677202, 'unlike some': 942722, 'some greedy': 782994, 'greedy medical': 363544, 'medical shop': 526379, 'shop however': 760294, 'however voluntarily': 409512, 'voluntarily paid': 960188, 'paid them': 634146, 'them little': 875992, 'actual amount': 30629, 'amount just': 53199, 'just token': 470115, 'token of': 923478, 'of appreciation': 580318, 'appreciation supportsmallbusinesses': 82891, 'today went for': 920498, 'went for some': 979006, 'for some vegetable': 325776, 'some vegetable shopping': 784162, 'vegetable shopping most': 954087, 'shopping most veggie': 763297, 'most veggie vendor': 542855, 'veggie vendor are': 954222, 'vendor are aware': 954345, 'aware of haven': 105635, 'of haven hiked': 584478, 'haven hiked the': 383838, 'the price unlike': 864430, 'price unlike some': 677204, 'unlike some greedy': 942723, 'some greedy medical': 782995, 'greedy medical shop': 363545, 'medical shop however': 526380, 'shop however voluntarily': 760295, 'however voluntarily paid': 409513, 'voluntarily paid them': 960189, 'paid them little': 634147, 'them little more': 875993, 'little more than': 495472, 'more than the': 540682, 'than the actual': 841216, 'the actual amount': 848314, 'actual amount just': 30630, 'amount just token': 53201, 'just token of': 470116, 'token of appreciation': 923479, 'of appreciation supportsmallbusinesses': 580319, 'mcclintock': 522101, 'evaluation': 283730, 'nke': 563496, 'azo': 106423, 'lulu': 506644, 'tgt': 840036, 'tsco': 934924, 'resiliency': 714498, 'consumer analyst': 196193, 'analyst matt': 57155, 'matt mcclintock': 520526, 'mcclintock published': 522104, 'published the': 688698, 'the mcclintock': 860324, 'mcclintock model': 522102, 'model to': 535320, 'retail consumer': 717987, 'consumer investing': 197921, '19 world': 12181, 'with evaluation': 998265, 'evaluation of': 283733, 'his list': 397584, 'includes name': 431780, 'name such': 551677, 'such nke': 816650, 'nke azo': 563497, 'azo lulu': 106424, 'lulu tgt': 506652, 'tgt hd': 840037, 'hd and': 384680, 'and tsco': 74514, 'tsco according': 934925, 'of resiliency': 588979, 'resiliency and': 714499, 'and flexibility': 62965, 'consumer analyst matt': 196194, 'analyst matt mcclintock': 57156, 'matt mcclintock published': 520527, 'mcclintock published the': 522105, 'published the mcclintock': 688700, 'the mcclintock model': 860325, 'mcclintock model to': 522103, 'model to retail': 535323, 'to retail consumer': 913446, 'retail consumer investing': 717993, 'consumer investing in': 197922, 'investing in covid': 443931, 'covid 19 world': 214089, '19 world with': 12196, 'world with evaluation': 1010197, 'with evaluation of': 998266, 'evaluation of his': 283734, 'of his list': 584657, 'his list of': 397585, 'list of company': 494420, 'company that includes': 191174, 'that includes name': 844478, 'includes name such': 431781, 'name such nke': 551678, 'such nke azo': 816651, 'nke azo lulu': 563498, 'azo lulu tgt': 106425, 'lulu tgt hd': 506653, 'tgt hd and': 840038, 'hd and tsco': 384681, 'and tsco according': 74515, 'tsco according to': 934926, 'according to measure': 28565, 'to measure of': 909980, 'measure of resiliency': 525271, 'of resiliency and': 588980, 'resiliency and flexibility': 714500, 'arguing': 92723, 'so thing': 778488, 'not change': 568725, 'alone people': 46900, 'people arguing': 647135, 'arguing that': 92737, 'gouging will': 359498, 'not solve': 571640, 'problem are': 679462, 'are right': 89693, 'right because': 721803, 'the amp': 848655, 'amp state': 54555, 'state make': 795756, 'it illegal': 458682, 'first place': 308867, 'place post': 657662, 'so thing will': 778490, 'thing will not': 884993, 'will not change': 994195, 'not change with': 568729, 'change with high': 172403, 'with high price': 998805, 'high price alone': 395230, 'price alone people': 672282, 'alone people arguing': 46901, 'people arguing that': 647136, 'arguing that price': 92738, 'price gouging will': 674343, 'gouging will not': 359499, 'will not solve': 994271, 'not solve the': 571642, 'solve the problem': 782162, 'the problem are': 864508, 'problem are right': 679466, 'are right because': 89695, 'right because the': 721804, 'because the amp': 119611, 'the amp state': 848663, 'amp state make': 54558, 'state make it': 795757, 'make it illegal': 510038, 'it illegal to': 458685, 'make the stuff': 510587, 'the stuff in': 868327, 'stuff in the': 815100, 'the first place': 855335, 'first place post': 308870, 'shuttering': 768224, 'america with': 51749, 'with get': 998606, 'get taste': 348173, 'of socialism': 589858, 'socialism socialism': 780979, 'socialism loving': 780967, 'loving millennials': 505061, 'millennials look': 532015, 'look and': 502232, 'the clearing': 851001, 'clearing of': 181460, 'the closing': 851047, 'closing of': 183698, 'the shuttering': 867140, 'shuttering of': 768229, 'restaurant these': 716745, 'the outcome': 862731, 'outcome of': 628869, 'of mass': 586285, 'mass response': 519849, 'america with get': 51750, 'with get taste': 998608, 'get taste of': 348174, 'taste of socialism': 834790, 'of socialism socialism': 589859, 'socialism socialism loving': 780980, 'socialism loving millennials': 780968, 'loving millennials look': 505062, 'millennials look and': 532016, 'look and take': 502236, 'and take note': 72968, 'take note the': 832381, 'note the clearing': 572819, 'the clearing of': 851002, 'clearing of store': 181461, 'of store shelf': 590265, 'store shelf the': 810104, 'shelf the closing': 757646, 'the closing of': 851048, 'closing of retail': 183703, 'of retail the': 589056, 'retail the shuttering': 718777, 'the shuttering of': 867141, 'shuttering of restaurant': 768230, 'of restaurant these': 589023, 'restaurant these are': 716746, 'are the outcome': 90875, 'the outcome of': 862733, 'outcome of mass': 628871, 'of mass response': 586288, 'mass response to': 519850, 'response to coronavirus': 715837, 'interrupt': 442100, 'stared': 794136, 'interrupt the': 442103, 'bring you': 140120, 'latest episode': 481318, 'episode last': 279532, 'night went': 563127, 'my dog': 548017, 'dog already': 252026, 'already in': 47463, 'line woman': 493592, 'woman behind': 1003421, 'behind me': 124659, 'me asked': 522457, 'had dog': 373043, 'dog stared': 252164, 'stared at': 794137, 'interrupt the covid': 442104, 'pandemic to bring': 636771, 'to bring you': 902058, 'bring you my': 140125, 'you my latest': 1019941, 'my latest episode': 548984, 'latest episode last': 481322, 'episode last night': 279533, 'last night went': 480404, 'night went to': 563128, 'bag of food': 108353, 'of food for': 583693, 'food for my': 314555, 'for my dog': 323699, 'my dog already': 548018, 'dog already in': 252027, 'already in line': 47468, 'in line woman': 424786, 'line woman behind': 493593, 'woman behind me': 1003422, 'behind me asked': 124661, 'me asked me': 522459, 'asked me if': 95791, 'me if had': 522936, 'if had dog': 414188, 'had dog stared': 373044, 'dog stared at': 252165, 'deteriorated': 239399, 'home ha': 401320, 'ha further': 370696, 'further deteriorated': 342031, 'deteriorated my': 239400, 'my hygiene': 548809, 'hygiene but': 412056, 'but perhaps': 146779, 'get people': 347801, 'respect those': 715076, 'those meter': 892205, 'meter of': 529728, 'of distance': 582714, 'from home ha': 335866, 'home ha further': 401327, 'ha further deteriorated': 370697, 'further deteriorated my': 342032, 'deteriorated my hygiene': 239401, 'my hygiene but': 548810, 'hygiene but perhaps': 412058, 'but perhaps this': 146781, 'perhaps this will': 651658, 'this will finally': 891415, 'finally get people': 306012, 'get people in': 347803, 'supermarket to respect': 823408, 'to respect those': 913376, 'respect those meter': 715077, 'those meter of': 892206, 'meter of distance': 529729, 'lockdown threatens': 500040, 'housing sector': 407148, 'will india': 993835, 'india real': 434582, 'price finally': 673866, 'finally face': 305981, 'face reality': 294714, 'reality check': 701710, 'check now': 174500, 'now writes': 576487, '19 lockdown threatens': 8433, 'lockdown threatens the': 500041, 'threatens the housing': 893857, 'the housing sector': 857664, 'housing sector will': 407149, 'sector will india': 744406, 'will india real': 993836, 'india real estate': 434583, 'estate price finally': 282179, 'price finally face': 673867, 'finally face reality': 305982, 'face reality check': 294715, 'reality check now': 701714, 'check now writes': 174501, 'needed look': 556422, 'look this': 502616, 'this whole': 891374, 'whole pandemic': 990292, 'over quickly': 630545, 'quickly it': 694550, 'it started': 461223, 'and got everything': 63850, 'everything needed look': 287934, 'needed look this': 556423, 'look this whole': 502618, 'this whole pandemic': 891381, 'whole pandemic is': 990294, 'is over quickly': 450725, 'over quickly it': 630546, 'quickly it started': 694554, 'venezuelan supermarket': 954462, 'before there': 123202, 'there because': 878224, 'no product': 565211, 'venezuelan supermarket before': 954463, 'supermarket before there': 819352, 'before there is': 123204, 'buying there because': 151196, 'there because there': 878228, 'are no product': 88277, 'no product on': 565214, 'product on the': 681473, 'suburb': 816118, 'stayholmesglen': 797923, 'kew': 473218, 'mooroolbarking': 538357, 'melbourne suburb': 527939, 'suburb during': 816121, '19 stayholmesglen': 10823, 'stayholmesglen kew': 797924, 'kew metre': 473219, 'apart health': 81284, 'safety beach': 730482, 'beach lower': 118219, 'lower plenty': 505942, 'supermarket mooroolbarking': 821531, 'mooroolbarking cough': 538358, 'melbourne suburb during': 527940, 'suburb during covid': 816122, 'covid 19 stayholmesglen': 213861, '19 stayholmesglen kew': 10824, 'stayholmesglen kew metre': 797925, 'kew metre apart': 473220, 'metre apart health': 529823, 'apart health and': 81285, 'and safety beach': 70739, 'safety beach lower': 730483, 'beach lower plenty': 118220, 'lower plenty of': 505943, 'paper at our': 639899, 'local supermarket mooroolbarking': 498557, 'supermarket mooroolbarking cough': 821532, 'lynn': 507125, 'hagan': 373872, 'credit how': 216405, 'with anxiety': 997266, 'anxiety brought': 78676, 'from expert': 335361, 'expert lynn': 291879, 'lynn hagan': 507128, 'hagan on': 373873, 'on help': 601267, 'help start': 390564, 'start here': 794326, 'here consumer': 392885, 'consumer website': 199495, 'credit how can': 216406, 'how can people': 407510, 'can people deal': 159213, 'people deal with': 647608, 'deal with anxiety': 229536, 'with anxiety brought': 997269, 'anxiety brought on': 78677, 'on by this': 599767, 'by this here': 154530, 'this here are': 887912, 'are tip from': 91094, 'tip from expert': 898797, 'from expert lynn': 335363, 'expert lynn hagan': 291880, 'lynn hagan on': 507129, 'hagan on help': 373874, 'on help start': 601268, 'help start here': 390565, 'start here consumer': 794327, 'here consumer website': 392886, 'uncommon': 939854, 'uncommonsense': 939861, 'take child': 832030, 'child hand': 176098, 'hand who': 375987, 'wa approximately': 961569, 'approximately year': 83258, 'old or': 598401, 'to press': 912031, 'press the': 671086, 'the keypad': 858768, 'keypad at': 473553, 'checkout my': 174959, 'my term': 550341, 'term for': 838147, 'this uncommon': 890901, 'uncommon sense': 939859, 'sense strike': 750592, 'strike again': 813720, 'again socialdistancing': 37169, 'socialdistancing uncommonsense': 780836, 'saw woman at': 738328, 'the supermarket take': 868839, 'supermarket take child': 823124, 'take child hand': 832031, 'child hand who': 176100, 'hand who wa': 375989, 'who wa approximately': 989900, 'wa approximately year': 961570, 'approximately year old': 83259, 'year old or': 1014859, 'old or so': 598402, 'or so and': 617124, 'so and use': 776511, 'use the child': 949657, 'the child hand': 850818, 'child hand to': 176099, 'hand to press': 375866, 'to press the': 912033, 'press the keypad': 671088, 'the keypad at': 858769, 'keypad at checkout': 473554, 'at checkout my': 98250, 'checkout my term': 174960, 'my term for': 550342, 'term for this': 838153, 'for this uncommon': 327081, 'this uncommon sense': 890902, 'uncommon sense strike': 939860, 'sense strike again': 750593, 'strike again socialdistancing': 813721, 'again socialdistancing uncommonsense': 37170, 'yeah they': 1014303, 'be wiped': 118108, 'out by': 625813, 'the patent': 863383, 'patent the': 643997, 'yeah they ll': 1014304, 'they ll all': 882584, 'all be wiped': 42145, 'be wiped out': 118110, 'wiped out by': 996468, 'out by covid': 625814, '19 after the': 4858, 'after the patent': 36344, 'the patent the': 863385, 'patent the vaccine': 643998, 'the vaccine and': 870620, 'vaccine and sell': 951655, 'sell it at': 748766, 'it at exorbitant': 456613, 'shopping 24': 761868, '19 got me': 7252, 'got me online': 358700, 'online shopping 24': 609009, 'supermarket try': 823583, 'try these': 934585, 'these immunity': 880152, 'immunity boosting': 417397, 'boosting recipe': 135085, 'recipe using': 704513, 'using ingredient': 950520, 'ingredient that': 438404, 'your pantry': 1025185, 'pantry right': 639654, 'keeping you from': 472627, 'you from the': 1018723, 'the supermarket try': 868876, 'supermarket try these': 823585, 'try these immunity': 934589, 'these immunity boosting': 880153, 'immunity boosting recipe': 417400, 'boosting recipe using': 135086, 'recipe using ingredient': 704514, 'using ingredient that': 950521, 'ingredient that you': 438405, 'that you have': 847727, 'you have in': 1019060, 'have in your': 381042, 'in your pantry': 431111, 'your pantry right': 1025191, 'pantry right now': 639655, 'our program': 624487, 'program continue': 683231, 'operate during': 612989, 'during so': 263027, 'so our': 777969, 'team in': 835687, 'ethiopia are': 283101, 'partner the': 642879, 'we serve': 973205, 'serve protected': 751932, 'protected here': 685135, 'here they': 393679, 'providing protective': 687079, 'gear sanitizer': 344982, 'more they': 540727, 'use these': 949712, 'these during': 879945, 'it critical that': 457415, 'critical that our': 218688, 'that our program': 845590, 'our program continue': 624488, 'program continue to': 683232, 'to operate during': 911020, 'operate during so': 612992, 'during so our': 263028, 'so our team': 777971, 'our team in': 625104, 'team in ethiopia': 835688, 'in ethiopia are': 422615, 'ethiopia are working': 283102, 'keep our partner': 471740, 'our partner the': 624283, 'partner the people': 642881, 'the people we': 863517, 'people we serve': 650161, 'we serve protected': 973207, 'serve protected here': 751933, 'protected here they': 685136, 'here they are': 393680, 'they are providing': 881371, 'are providing protective': 89323, 'providing protective gear': 687080, 'protective gear sanitizer': 685761, 'gear sanitizer more': 344983, 'sanitizer more they': 735380, 'more they ll': 540731, 'they ll use': 882617, 'll use these': 497090, 'use these during': 949713, 'these during food': 879946, 'during food distribution': 262644, 'attestation': 102522, 'carrefourmarket': 164919, 'almost infinite': 46681, 'infinite line': 436944, 'door before': 255531, 'before total': 123245, 'total confinement': 926146, 'confinement but': 194058, 'why long': 991169, 'long they': 501741, 'they remain': 883192, 'open stayhomechallenge': 612516, 'stayhomechallenge attestation': 798259, 'attestation carrefourmarket': 102525, 'almost infinite line': 46682, 'infinite line in': 436945, 'line in front': 493196, 'front of supermarket': 338647, 'of supermarket door': 590420, 'supermarket door before': 820013, 'door before total': 255532, 'before total confinement': 123246, 'total confinement but': 926147, 'confinement but why': 194059, 'but why long': 147863, 'why long they': 991170, 'long they remain': 501745, 'they remain open': 883194, 'remain open stayhomechallenge': 709824, 'open stayhomechallenge attestation': 612517, 'stayhomechallenge attestation carrefourmarket': 798260, 'fg': 304335, 'nysc': 578123, 'pandemic people': 636164, 'fear panic': 301282, 'panic without': 638798, 'without money': 1002787, 'for medicine': 323394, 'medicine food': 526777, 'other complication': 619984, 'complication our': 192494, 'our lending': 623705, 'lending brother': 486272, 'brother china': 141045, 'is seriously': 451795, 'seriously fighting': 751608, 'fighting no': 305099, 'no serious': 565462, 'serious action': 751329, 'action from': 30028, 'from fg': 335459, 'fg creating': 304336, 'creating committee': 215987, 'committee is': 189075, 'enough nysc': 277539, 'if we look': 415291, 'at this pandemic': 101246, 'this pandemic people': 889413, 'pandemic people will': 636170, 'not die from': 569020, 'die from but': 241341, 'from but will': 334769, 'but will die': 147876, 'die from fear': 241347, 'from fear panic': 335437, 'fear panic without': 301287, 'panic without money': 638799, 'without money for': 1002788, 'money for medicine': 536752, 'for medicine food': 323395, 'medicine food and': 526778, 'and other complication': 68297, 'other complication our': 619985, 'complication our lending': 192496, 'our lending brother': 623706, 'lending brother china': 486273, 'brother china is': 141046, 'china is seriously': 176761, 'is seriously fighting': 451798, 'seriously fighting no': 751609, 'fighting no serious': 305100, 'no serious action': 565463, 'serious action from': 751331, 'action from fg': 30029, 'from fg creating': 335460, 'fg creating committee': 304337, 'creating committee is': 215988, 'committee is not': 189076, 'not enough nysc': 569187, 'wont': 1004236, 'over make': 630378, 'sure and': 827487, 'greedy shop': 363604, 'keeper who': 472347, 'who upped': 989854, 'upped their': 947682, 'vulnerable im': 961009, 'im one': 416564, 'who wont': 990023, 'wont shop': 1004264, 'local again': 497669, 'again 19': 36865, 'after all this': 35335, 'all this crisis': 45100, 'is over make': 450710, 'over make sure': 630379, 'make sure and': 510504, 'sure and think': 827488, 'and think of': 73967, 'think of all': 885434, 'all these greedy': 45037, 'these greedy shop': 880076, 'greedy shop keeper': 363605, 'shop keeper who': 760392, 'keeper who upped': 472348, 'who upped their': 989855, 'upped their price': 947683, 'price to profit': 677027, 'to profit on': 912234, 'profit on the': 682829, 'on the vulnerable': 604437, 'the vulnerable im': 870984, 'vulnerable im one': 961010, 'im one who': 416565, 'one who wont': 607466, 'who wont shop': 990024, 'wont shop at': 1004265, 'shop at my': 759950, 'my local again': 549094, 'local again 19': 497670, 'hi we': 394763, 'now offering': 575396, 'offering assistance': 595022, 'been negatively': 121559, 'hi we are': 394764, 'are now offering': 88576, 'now offering assistance': 575399, 'offering assistance to': 595023, 'assistance to anyone': 96752, 'to anyone who': 900631, 'ha been negatively': 369858, 'been negatively impacted': 121561, 'negatively impacted by': 556861, 'learn more here': 484030, 'carona': 164859, 'caronavirus': 164864, 'the carona': 850437, 'carona virus': 164860, 'virus you': 959077, 're afraid': 698199, 'crazy crowd': 215273, 'crowd once': 219225, 'paper are': 639884, 'are delivered': 85759, 'delivered caronavirus': 233307, 'caronavirus outbreak': 164866, 'if you work': 415563, 'store it no': 808587, 'it no longer': 459830, 'no longer the': 564668, 'longer the carona': 502084, 'the carona virus': 850438, 'carona virus you': 164863, 'virus you re': 959079, 'you re afraid': 1020559, 're afraid of': 698201, 'afraid of it': 35001, 'of it the': 585454, 'it the crazy': 461524, 'the crazy crowd': 852294, 'crazy crowd once': 215274, 'crowd once the': 219226, 'once the water': 605735, 'the water and': 871124, 'toilet paper are': 921193, 'paper are delivered': 639887, 'are delivered caronavirus': 85761, 'delivered caronavirus outbreak': 233308, 'interesting and': 441504, 'and thoughtful': 74056, 'thoughtful piece': 893358, 'piece from': 656302, 'from there': 337966, 'there psychology': 878969, 'an interesting and': 56401, 'interesting and thoughtful': 441505, 'and thoughtful piece': 74058, 'thoughtful piece from': 893359, 'piece from there': 656307, 'from there psychology': 337970, 'there psychology behind': 878970, 'psychology behind the': 687550, 'behind the food': 124713, 'the food we': 855621, 'not buy in': 568650, 'buy in crisis': 148813, 'maximize': 520791, 'cco': 168437, 'shea': 756492, 'our upcoming': 625234, 'upcoming webinar': 946817, 'webinar to': 975119, 'to leverage': 909232, 'leverage consumer': 487782, 'to improve': 908201, 'improve product': 419535, 'product performance': 681517, 'performance and': 651424, 'and maximize': 66792, 'maximize margin': 520792, 'margin during': 515626, 'during after': 262429, 'after hear': 35771, 'hear from': 387917, 'from fi': 335462, 'fi cco': 304357, 'cco jim': 168440, 'jim shea': 465505, 'shea and': 756493, 'and fellow': 62791, 'retail leader': 718268, 'leader from': 483455, 'register for our': 707564, 'for our upcoming': 324303, 'our upcoming webinar': 625236, 'upcoming webinar to': 946820, 'webinar to learn': 975120, 'to learn how': 909130, 'how to leverage': 409038, 'to leverage consumer': 909234, 'leverage consumer data': 487783, 'data to improve': 226463, 'to improve product': 908204, 'improve product performance': 419536, 'product performance and': 681518, 'performance and maximize': 651425, 'and maximize margin': 66793, 'maximize margin during': 520793, 'margin during after': 515627, 'during after hear': 262431, 'after hear from': 35772, 'hear from fi': 387923, 'from fi cco': 335463, 'fi cco jim': 304358, 'cco jim shea': 168441, 'jim shea and': 465506, 'shea and fellow': 756494, 'and fellow retail': 62794, 'fellow retail leader': 303328, 'retail leader from': 718269, 'leader from and': 483456, 'like are': 489826, 'not offering': 570727, 'offering cash': 595034, 'thought about': 892955, 'about we': 26852, 'travel bc': 930291, 'ticket do': 895607, 'is so wrong': 452047, 'airline like are': 39991, 'like are not': 489829, 'are not offering': 88423, 'not offering cash': 570729, 'offering cash refund': 595035, 'family it sad': 297967, 'it sad when': 460835, 'is not thought': 450208, 'not thought about': 572108, 'thought about we': 892961, 'about we can': 26853, 'we can travel': 971033, 'can travel bc': 160036, 'travel bc of': 930292, 'bc of and': 113257, 'of and future': 580156, 'future ticket do': 342478, 'ticket do not': 895608, 'do not help': 249754, 'is plummeting': 450909, 'plummeting because': 661366, 'reduced supply': 706177, 'supply will': 826107, 'will still': 994975, 'not bring': 568619, 'bring oil': 140035, 'year level': 1014696, 'level india': 487597, 'india should': 434606, 'should move': 766224, 'to fill': 905836, 'it strategic': 461310, 'strategic petroleum': 812552, 'petroleum reserve': 653838, 'reserve while': 714113, 'global demand is': 351868, 'demand is plummeting': 235736, 'is plummeting because': 450910, 'plummeting because of': 661367, 'pandemic and reduced': 634895, 'and reduced supply': 70105, 'reduced supply will': 706179, 'supply will still': 826115, 'will still not': 994983, 'still not bring': 800889, 'not bring oil': 568623, 'bring oil price': 140036, 'oil price up': 597306, 'up to last': 946394, 'to last year': 909079, 'last year level': 480728, 'year level india': 1014697, 'level india should': 487598, 'india should move': 434608, 'should move to': 766225, 'move to fill': 543753, 'to fill up': 905851, 'fill up it': 305512, 'up it strategic': 945249, 'it strategic petroleum': 461311, 'strategic petroleum reserve': 812553, 'petroleum reserve while': 653841, 'reserve while price': 714114, 'while price are': 987168, 'worstofpeople': 1011310, 'experience went': 291530, 'morning heard': 541285, 'from staff': 337397, 'verbally physically': 954758, 'abused by': 27689, 'by shopper': 153983, 'shopper when': 761821, 'when trying': 984352, 'to ration': 912757, 'ration item': 697701, 'item folk': 463262, 'get grip': 347152, 'grip they': 364039, 'their best': 872594, 'best be': 127588, 'everyone worstofpeople': 287638, 'worstofpeople coronacrisis': 1011311, 'supermarket experience went': 820250, 'experience went shopping': 291531, 'went shopping this': 979110, 'this morning heard': 888966, 'morning heard from': 541286, 'heard from staff': 388085, 'from staff they': 337399, 'staff they are': 792963, 'are being verbally': 84940, 'being verbally physically': 126029, 'verbally physically abused': 954759, 'physically abused by': 655508, 'abused by shopper': 27691, 'by shopper when': 153987, 'shopper when trying': 761822, 'when trying to': 984353, 'trying to ration': 934850, 'to ration item': 912764, 'ration item folk': 697702, 'item folk get': 463263, 'folk get grip': 312161, 'get grip they': 347157, 'grip they are': 364040, 'they are trying': 881441, 'to do their': 904569, 'do their best': 250273, 'their best be': 872595, 'best be fair': 127590, 'fair to everyone': 296388, 'to everyone worstofpeople': 905362, 'everyone worstofpeople coronacrisis': 287639, 'do journalist': 249535, 'journalist use': 467457, 'use covid': 949141, '19 briefing': 5440, 'briefing to': 139747, 'ask about': 95471, 'about fucking': 25284, 'fucking oil': 339960, 'why do journalist': 990930, 'do journalist use': 249536, 'journalist use covid': 467458, 'use covid 19': 949142, 'covid 19 briefing': 212728, '19 briefing to': 5441, 'briefing to ask': 139748, 'to ask about': 900747, 'ask about fucking': 95473, 'about fucking oil': 25285, 'fucking oil price': 339961, 'getting your': 349464, 'your work': 1026368, 'home system': 402182, 'system set': 831306, 'home during the': 401109, 'the outbreak you': 862730, 'outbreak you re': 628847, 'you re getting': 1020632, 're getting your': 698739, 'getting your work': 349469, 'your work at': 1026370, 'at home system': 99129, 'home system set': 402183, 'system set up': 831307, 'set up here': 753559, 'up here are': 945072, 'mabrouq': 507300, 'maldives': 511672, '200k': 13724, 'mabrouq regional': 507301, 'regional covid': 707503, 'fund ha': 341422, 'been established': 121092, 'established and': 282028, 'and maldives': 66606, 'maldives ha': 511675, 'donated 200k': 254308, '200k to': 13729, 'the fund': 856038, 'fund sto': 341508, 'sto ha': 801745, 'of diesel': 582589, 'diesel and': 241644, 'and petrol': 68950, 'mabrouq regional covid': 507302, 'regional covid 19': 707504, '19 emergency fund': 6756, 'emergency fund ha': 272722, 'fund ha been': 341423, 'ha been established': 369798, 'been established and': 121093, 'established and maldives': 282029, 'and maldives ha': 66607, 'maldives ha donated': 511676, 'ha donated 200k': 370411, 'donated 200k to': 254309, '200k to the': 13730, 'to the fund': 916738, 'the fund sto': 856042, 'fund sto ha': 341509, 'sto ha reduced': 801746, 'reduced the price': 706185, 'price of diesel': 675438, 'of diesel and': 582590, 'diesel and petrol': 241648, 'pandemic my': 635999, 'is hero': 448433, 'hero she': 394086, 'worked 14': 1006090, 'day straight': 228416, 'store healthy': 808127, 'happy it': 377638, 'so nice': 777875, 'to publicly': 912479, 'publicly scream': 688597, 'scream my': 742639, 'mother praise': 543150, 'but now with': 146619, 'now with this': 576457, '19 pandemic my': 9402, 'pandemic my mother': 636000, 'mother is hero': 543127, 'is hero she': 448434, 'hero she ha': 394087, 'she ha worked': 756087, 'ha worked 14': 372491, 'worked 14 day': 1006091, '14 day straight': 3459, 'day straight to': 228420, 'straight to get': 812243, 'to get people': 906559, 'people in and': 648346, 'grocery store healthy': 365457, 'store healthy and': 808128, 'healthy and happy': 387524, 'and happy it': 64177, 'happy it is': 377640, 'is so nice': 452027, 'so nice to': 777877, 'nice to publicly': 562493, 'to publicly scream': 912482, 'publicly scream my': 688598, 'scream my mother': 742640, 'my mother praise': 549336, 'goon': 358225, 'minded': 532793, 'wea': 973988, 'ug covid': 937954, 'be deadly': 114346, 'deadly bt': 229252, 'bt your': 141476, 'your worse': 1026394, 'worse at': 1010869, 'least mtn': 484565, 'mtn tried': 544640, 'tried lowering': 931793, 'lowering data': 506099, 'price bt': 672961, 'bt goon': 141466, 'goon are': 358226, 'are money': 88096, 'money minded': 536891, 'minded like': 532794, 'like shit': 491171, 'shit people': 759189, 'supported in': 827051, 'even at': 283846, 'worst moment': 1011217, 'moment wea': 536107, 'wea they': 973989, 'they expected': 882070, 'expected stand': 290942, 'stand with': 793609, 'them your': 876682, 'your all': 1022767, 'all like': 43379, 'like we': 491769, 'ug covid 19': 937955, 'could be deadly': 208857, 'be deadly bt': 114347, 'deadly bt your': 229253, 'bt your worse': 141477, 'your worse at': 1026395, 'worse at least': 1010871, 'at least mtn': 99527, 'least mtn tried': 484566, 'mtn tried lowering': 544641, 'tried lowering data': 931794, 'lowering data price': 506100, 'data price bt': 226353, 'price bt goon': 672962, 'bt goon are': 141467, 'goon are money': 358227, 'are money minded': 88097, 'money minded like': 536892, 'minded like shit': 532795, 'like shit people': 491172, 'shit people have': 759190, 'people have supported': 648202, 'have supported in': 382867, 'supported in year': 827052, 'in year and': 431018, 'year and even': 1014392, 'and even at': 62328, 'even at the': 283850, 'at the worst': 101158, 'the worst moment': 872061, 'worst moment wea': 1011219, 'moment wea they': 536108, 'wea they expected': 973990, 'they expected stand': 882071, 'expected stand with': 290943, 'stand with them': 793613, 'with them your': 1001621, 'them your all': 876683, 'your all like': 1022769, 'all like we': 43381, 'sore': 785977, 'sanitizing': 736461, 'else hand': 271718, 'hand getting': 374989, 'getting raw': 349213, 'raw and': 697955, 'and sore': 72006, 'sore from': 785978, 'from washing': 338297, 'washing and': 967644, 'and sanitizing': 70910, 'sanitizing so': 736504, 'much handwashing': 544972, 'handwashing socialdistancing': 376859, 'socialdistancing sanitizer': 780658, 'anyone else hand': 80265, 'else hand getting': 271719, 'hand getting raw': 374990, 'getting raw and': 349214, 'raw and sore': 697956, 'and sore from': 72007, 'sore from washing': 785979, 'from washing and': 338298, 'washing and sanitizing': 967649, 'and sanitizing so': 70913, 'sanitizing so much': 736505, 'so much handwashing': 777784, 'much handwashing socialdistancing': 544973, 'handwashing socialdistancing sanitizer': 376861, 'promised': 683714, 'runningfortheboarder': 728153, 'please arrange': 659668, 'arrange something': 93697, 'you promised': 1020459, 'promised at': 683715, 'least don': 484442, 'don hike': 253631, 'hike the': 396280, 'up stranded': 946082, 'stranded runningfortheboarder': 812362, 'please arrange something': 659670, 'arrange something to': 93698, 'something to get': 785102, 'get people home': 347802, 'people home that': 648286, 'home that you': 402222, 'that you promised': 847739, 'you promised at': 1020460, 'promised at the': 683716, 'very least don': 955297, 'least don hike': 484443, 'don hike the': 253632, 'hike the price': 396281, 'price up stranded': 677259, 'up stranded runningfortheboarder': 946083, 'can please': 159250, 'follow suit': 312506, 'suit coronacrisisuk': 817757, 'please can please': 659761, 'can please follow': 159251, 'please follow suit': 660008, 'follow suit coronacrisisuk': 312507, 'behaviour post': 124496, 'covid lockdown': 214188, 'lockdown my': 499681, 'consumer consumerbehaviour': 196956, 'consumer behaviour post': 196593, 'behaviour post the': 124497, 'post the covid': 666350, 'the covid lockdown': 852235, 'covid lockdown my': 214189, 'lockdown my thought': 499682, 'my thought consumer': 550354, 'thought consumer consumerbehaviour': 893007, 'headlong': 386016, 'curtailment': 221796, 'go negative': 353847, 'negative that': 556833, 'could combination': 209026, 'combination of': 187100, 'of saudi': 589324, 'russia flooding': 728478, 'flooding the': 310758, 'market with': 517373, 'increased oil': 433384, 'market running': 517022, 'running headlong': 727972, 'headlong into': 386017, 'into covid': 442492, '19 induced': 7827, 'induced curtailment': 435460, 'curtailment of': 221797, 'of activity': 579758, 'oil price can': 597072, 'price can go': 673061, 'can go negative': 158504, 'go negative that': 353849, 'negative that is': 556834, 'that is they': 844666, 'is they could': 453052, 'they could combination': 881820, 'could combination of': 209027, 'combination of saudi': 187107, 'of saudi arabia': 589325, 'arabia and russia': 83859, 'and russia flooding': 70668, 'russia flooding the': 728479, 'flooding the market': 310760, 'the market with': 860179, 'market with increased': 517377, 'with increased oil': 998976, 'increased oil and': 433385, 'oil and the': 596622, 'the market running': 860154, 'market running headlong': 517023, 'running headlong into': 727973, 'headlong into covid': 386018, 'into covid 19': 442493, 'covid 19 induced': 213263, '19 induced curtailment': 7829, 'induced curtailment of': 435461, 'curtailment of activity': 221798, 'getting ridiculous': 349240, 'ridiculous now': 721568, 'now food': 574707, 'sensible and': 750629, 'really human': 702319, 'human fighting': 410496, 'fighting each': 305061, 'other over': 620636, 'over fucking': 630239, 'fucking pack': 339963, 'get dinner': 346880, 'dinner at': 243050, 'moment it': 535974, 'it bloody': 456891, 'sorry but this': 786031, 'is getting ridiculous': 448040, 'getting ridiculous now': 349242, 'ridiculous now food': 721569, 'now food is': 574709, 'food is not': 315138, 'run out just': 727760, 'out just be': 626462, 'just be sensible': 468278, 'be sensible and': 117082, 'sensible and really': 750633, 'and really human': 70017, 'really human fighting': 702320, 'human fighting each': 410497, 'fighting each other': 305062, 'each other over': 264205, 'other over fucking': 620640, 'over fucking pack': 630240, 'fucking pack of': 339964, 'toilet roll can': 921559, 'roll can even': 725244, 'can even go': 158253, 'to get dinner': 906456, 'get dinner at': 346881, 'dinner at the': 243051, 'the moment it': 860764, 'moment it bloody': 535975, 'it bloody stupid': 456892, 'corrected': 207541, 'dec': 230650, 'thought crudeoil': 893014, 'crudeoil price': 219649, 'have corrected': 380120, 'corrected by': 207542, '60 since': 20998, 'since dec': 770561, 'dec 2019': 230651, '2019 result': 14005, 'crisis one': 217820, 'importer in': 419197, 'world india': 1009670, 'india import': 434459, 'import around': 418617, 'around 85': 93167, '85 of': 22928, 'fuel for thought': 340177, 'for thought crudeoil': 327158, 'thought crudeoil price': 893015, 'crudeoil price have': 219652, 'price have corrected': 674419, 'have corrected by': 380121, 'corrected by almost': 207543, 'by almost 60': 151802, 'almost 60 since': 46519, '60 since dec': 21000, 'since dec 2019': 770562, 'dec 2019 result': 230653, '2019 result of': 14006, 'the crisis one': 852422, 'crisis one of': 217822, 'the largest oil': 858971, 'largest oil importer': 479991, 'oil importer in': 596868, 'importer in the': 419199, 'the world india': 871895, 'world india import': 1009671, 'india import around': 434460, 'import around 85': 418618, 'around 85 of': 93168, '85 of it': 22929, 'of it oil': 585424, 'it oil demand': 460009, '2016': 13820, 'pace': 632922, 'goldman': 356087, 'wti dropped': 1013388, 'settle at': 753670, 'at 26': 97555, '26 95': 16146, '95 it': 23584, 'feb 2016': 301618, '2016 is': 13830, 'on pace': 602666, 'pace for': 632930, 'worst month': 1011220, 'record oott': 705042, 'oil goldman': 596843, 'goldman cut': 356090, 'cut it': 223400, 'it wti': 462622, 'wti forecast': 1013397, 'time today': 898104, 'price continue': 673222, 'wti dropped to': 1013389, 'dropped to settle': 260650, 'to settle at': 914300, 'settle at 26': 753671, 'at 26 95': 97557, '26 95 it': 16147, '95 it lowest': 23585, 'level since feb': 487708, 'since feb 2016': 770585, 'feb 2016 is': 301619, '2016 is currently': 13831, 'is currently on': 446997, 'currently on pace': 221609, 'on pace for': 602667, 'pace for it': 632932, 'for it worst': 322747, 'it worst month': 462558, 'worst month on': 1011222, 'month on record': 537925, 'on record oott': 603104, 'record oott oil': 705043, 'oott oil goldman': 611769, 'oil goldman cut': 596844, 'goldman cut it': 356091, 'cut it wti': 223412, 'it wti forecast': 462623, 'wti forecast for': 1013398, 'forecast for third': 328822, 'for third time': 327005, 'third time today': 886111, 'time today price': 898106, 'today price continue': 920068, 'price continue to': 673224, 'continue to fall': 201192, 'coronavirus could': 205709, 'have devastating': 380249, 'devastating effect': 239585, 'with depression': 998007, 'distancing to prevent': 247567, 'of coronavirus could': 581927, 'coronavirus could have': 205710, 'could have devastating': 209251, 'have devastating effect': 380250, 'devastating effect on': 239587, 'effect on people': 269091, 'on people with': 602760, 'people with depression': 650440, 'hampton': 374630, 'hudson': 409909, 'tripling': 932296, 'cnbc panicked': 184722, 'panicked wealthy': 639303, 'wealthy are': 974193, 'are fleeing': 86600, 'the hampton': 857050, 'hampton and': 374631, 'and hudson': 64850, 'hudson valley': 409914, 'valley wealthy': 952002, 'wealthy new': 974214, 'yorkers fleeing': 1016704, 'fleeing the': 310312, 'city are': 179057, 'are driving': 85999, 'of rental': 588934, 'rental in': 711233, 'valley with': 952004, 'with rate': 1000399, 'rate more': 697302, 'than tripling': 841358, 'tripling for': 932299, 'some property': 783661, 'cnbc panicked wealthy': 184723, 'panicked wealthy are': 639304, 'wealthy are fleeing': 974194, 'are fleeing to': 86601, 'fleeing to the': 310317, 'to the hampton': 916764, 'the hampton and': 857051, 'hampton and hudson': 374632, 'and hudson valley': 64851, 'hudson valley wealthy': 409917, 'valley wealthy new': 952003, 'wealthy new yorkers': 974215, 'new yorkers fleeing': 559966, 'yorkers fleeing the': 1016705, 'fleeing the city': 310313, 'the city are': 850918, 'city are driving': 179059, 'are driving up': 86004, 'driving up the': 260036, 'price of rental': 675555, 'of rental in': 588935, 'rental in the': 711234, 'in the hampton': 429253, 'hudson valley with': 409918, 'valley with rate': 952005, 'with rate more': 1000400, 'rate more than': 697303, 'more than tripling': 540692, 'than tripling for': 841359, 'tripling for some': 932300, 'for some property': 325762, 'essential might': 281308, 'might lead': 531061, 'inflation to': 437252, 'up coronacrisis': 944651, 'buying of essential': 150791, 'of essential might': 583180, 'essential might lead': 281309, 'might lead to': 531062, 'lead to world': 483396, 'to world food': 918825, 'world food inflation': 1009554, 'food inflation to': 315045, 'inflation to shoot': 437253, 'shoot up coronacrisis': 759751, 'scrolling': 742876, 'profitingfrompandemics': 683139, 'if social': 414838, 'medium influencers': 527145, 'influencers celebrity': 437342, 'celebrity will': 168913, 'be earning': 114623, 'earning more': 264871, 'more through': 540756, 'their paid': 874225, 'paid post': 634111, 'post they': 666359, 'have larger': 381248, 'larger audience': 479884, 'audience who': 102920, 'but scrolling': 146984, 'scrolling and': 742877, 'shopping 19': 761864, '19 profitingfrompandemics': 9844, 'wonder if social': 1003975, 'if social medium': 414840, 'social medium influencers': 779860, 'medium influencers celebrity': 527147, 'influencers celebrity will': 437343, 'celebrity will be': 168914, 'will be earning': 992440, 'be earning more': 114624, 'earning more through': 264872, 'more through their': 540758, 'through their paid': 894784, 'their paid post': 874226, 'paid post they': 634112, 'post they will': 666360, 'they will have': 883854, 'will have larger': 993643, 'have larger audience': 381249, 'larger audience who': 479885, 'audience who are': 102921, 'are doing nothing': 85912, 'nothing but scrolling': 572962, 'but scrolling and': 146985, 'scrolling and online': 742878, 'online shopping 19': 609008, 'shopping 19 profitingfrompandemics': 761867, 'sanjiv': 736565, 'hul to': 410368, 'to slash': 914714, 'of hygiene': 584942, 'have big': 379785, 'big role': 129969, 'play we': 659246, 'working closely': 1008570, 'closely with': 183481, 'partner to': 642884, 'we overcome': 972673, 'overcome this': 631135, 'crisis together': 218258, 'together sanjiv': 920930, 'sanjiv mehta': 736566, 'mehta chairman': 527868, 'chairman md': 171342, 'md hul': 522270, 'hul to slash': 410369, 'to slash price': 914723, 'slash price of': 773586, 'price of hygiene': 675472, 'of hygiene product': 584944, 'hygiene product in': 412155, 'product in crisis': 681281, 'in crisis like': 421887, 'like this company': 491476, 'this company have': 886824, 'company have big': 190732, 'have big role': 379790, 'big role to': 129970, 'to play we': 911806, 'play we are': 659247, 'are working closely': 91690, 'working closely with': 1008571, 'closely with the': 183485, 'with the government': 1001317, 'government and our': 359870, 'our partner to': 624285, 'partner to ensure': 642885, 'ensure that we': 278075, 'that we overcome': 847386, 'we overcome this': 972674, 'overcome this global': 631137, 'this global health': 887705, 'health crisis together': 386353, 'crisis together sanjiv': 218260, 'together sanjiv mehta': 920931, 'sanjiv mehta chairman': 736567, 'mehta chairman md': 527869, 'chairman md hul': 171343, 'ghmc': 349661, 'rythu': 728830, 'bazar': 113023, 'sai': 730938, 'baba': 106537, 'sharadanagar': 754895, 'ghmc mobile': 349662, 'mobile auto': 534948, 'auto selling': 103919, 'selling vegetable': 749524, 'vegetable at': 953938, 'at rythu': 100430, 'rythu bazar': 728831, 'bazar price': 113026, 'at sai': 100441, 'sai baba': 730939, 'baba colony': 106538, 'colony sharadanagar': 186717, 'sharadanagar for': 754896, 'making local': 511171, 'local resident': 498330, 'resident stay': 714365, 'their house': 873601, 'lockdown period': 499786, 'period and': 651707, 'and fight': 62824, 'against coronavirus': 37384, 'coronavirus mobile': 206288, 'auto vegetable': 103927, 'ghmc mobile auto': 349663, 'mobile auto selling': 534949, 'auto selling vegetable': 103920, 'selling vegetable at': 749525, 'vegetable at rythu': 953943, 'at rythu bazar': 100431, 'rythu bazar price': 728833, 'bazar price at': 113027, 'price at sai': 672811, 'at sai baba': 100442, 'sai baba colony': 730940, 'baba colony sharadanagar': 106539, 'colony sharadanagar for': 186718, 'sharadanagar for making': 754897, 'for making local': 323178, 'making local resident': 511173, 'local resident stay': 498331, 'resident stay at': 714366, 'stay at their': 796775, 'at their house': 101169, 'their house in': 873607, 'house in the': 406362, 'in the lockdown': 429328, 'the lockdown period': 859624, 'lockdown period and': 499788, 'period and fight': 651710, 'and fight against': 62825, 'fight against coronavirus': 304614, 'against coronavirus mobile': 37391, 'coronavirus mobile auto': 206289, 'mobile auto vegetable': 534950, 've lowered': 953352, 'our amazon': 622065, 'amazon price': 51068, 'safe out': 729873, 'crisis we ve': 218356, 'we ve lowered': 973684, 've lowered all': 953353, 'lowered all our': 506065, 'all our amazon': 43796, 'our amazon price': 622066, 'amazon price be': 51069, 'price be safe': 672860, 'be safe out': 116965, 'safe out there': 729874, 'husband called': 411692, 'called saying': 156434, 'saying he': 739598, 'he found': 384970, 'found he': 330232, 'so excited': 776982, 'excited like': 289547, 'found gold': 330219, 'gold apparently': 355855, 'apparently hear': 81943, 'hear bread': 387887, 'is hard': 448298, 'find among': 306770, 'thing during': 884289, 'the panicshopping': 863247, 'panicshopping even': 639427, 'even online': 284432, 'not easy': 569133, 'easy many': 265732, 'stock prayer': 802696, 'prayer be': 669052, 'my husband called': 548776, 'husband called saying': 411693, 'called saying he': 156435, 'saying he found': 739600, 'he found he': 384972, 'found he wa': 330233, 'he wa so': 385617, 'wa so excited': 963258, 'so excited like': 776988, 'excited like if': 289548, 'like if he': 490476, 'if he found': 414214, 'he found gold': 384971, 'found gold apparently': 330220, 'gold apparently hear': 355856, 'apparently hear bread': 81944, 'hear bread is': 387888, 'bread is hard': 138508, 'is hard to': 448305, 'to find among': 905877, 'find among other': 306771, 'other thing during': 621105, 'thing during the': 884293, 'during the panicshopping': 263170, 'the panicshopping even': 863248, 'panicshopping even online': 639428, 'even online shopping': 284433, 'shopping is not': 763064, 'is not easy': 450067, 'not easy many': 569135, 'easy many item': 265733, 'many item are': 514215, 'of stock prayer': 590186, 'stock prayer be': 802697, 'prayer be safe': 669054, 'life resident': 488990, 'resident should': 714360, 'should stay': 766493, 'out except': 626042, 'essential activity': 280753, 'activity such': 30501, 'such going': 816517, 'pharmacy more': 654378, 'staying home is': 798611, 'home is the': 401460, 'way to slow': 970096, '19 and save': 5099, 'save life resident': 737553, 'life resident should': 488991, 'resident should stay': 714362, 'should stay at': 766494, 'home and not': 400670, 'and not go': 67742, 'go out except': 353950, 'out except for': 626043, 'except for essential': 289157, 'for essential activity': 321091, 'essential activity such': 280756, 'activity such going': 30502, 'such going to': 816519, 'or pharmacy more': 616579, 'your finance': 1023863, 'finance during': 306189, 'protecting your finance': 685254, 'your finance during': 1023865, 'finance during the': 306190, 'pandemic consumer financial': 635190, 'unstable': 943526, 'chaldean': 171365, 'mensah': 528610, 'macewan': 507343, 'where sector': 985160, 'sector ha': 744201, 'completely collapsed': 192241, 'collapsed in': 186101, 'the revenue': 865760, 'revenue picture': 720466, 'picture is': 656143, 'looking very': 503066, 'very unstable': 955636, 'unstable going': 943534, 'forward said': 330010, 'said chaldean': 731022, 'chaldean mensah': 171366, 'mensah an': 528611, 'an associate': 55449, 'associate professor': 96884, 'of political': 588206, 'political science': 663673, 'science at': 742087, 'at macewan': 99658, 're in situation': 698886, 'situation where sector': 772580, 'where sector ha': 985161, 'sector ha completely': 744204, 'ha completely collapsed': 370222, 'completely collapsed in': 192242, 'collapsed in term': 186102, 'term of price': 838225, 'of price and': 588395, 'and the revenue': 73554, 'the revenue picture': 865763, 'revenue picture is': 720467, 'picture is going': 656144, 'to be looking': 901375, 'be looking very': 115826, 'looking very unstable': 503067, 'very unstable going': 955637, 'unstable going forward': 943535, 'going forward said': 355165, 'forward said chaldean': 330011, 'said chaldean mensah': 731023, 'chaldean mensah an': 171367, 'mensah an associate': 528612, 'an associate professor': 55450, 'associate professor of': 96886, 'professor of political': 682580, 'of political science': 588210, 'political science at': 663674, 'science at macewan': 742088, 'traveling': 930631, 'the traveling': 869936, 'traveling those': 930657, 'those old': 892278, 'old folk': 598253, 'folk do': 312140, 'in congress': 421656, 'congress that': 194535, 'been infected': 121376, 'all the traveling': 44952, 'the traveling those': 869937, 'traveling those old': 930658, 'those old folk': 892279, 'old folk do': 598255, 'folk do there': 312141, 'do there is': 250288, 'is no one': 449955, 'no one in': 564940, 'one in congress': 606468, 'in congress that': 421660, 'congress that ha': 194536, 'ha been infected': 369834, 'been infected with': 121379, 'infected with the': 436669, '10times': 2403, 'so stupid': 778293, 'stupid literally': 815419, 'literally change': 494967, 'change my': 172182, 'my glove': 548511, 'glove around': 352599, 'around 10times': 93103, '10times per': 2404, 'per every': 650825, 'every patient': 286090, 'patient see': 644250, 'so wearing': 778696, 'same glove': 733081, 'glove round': 352889, 'supermarket isn': 821149, 'help unless': 390834, 'changing them': 172824, 'them 24': 875303, '24 just': 15642, 'people wearing glove': 650176, 'wearing glove in': 974634, 'glove in public': 352733, 'in public are': 427071, 'public are so': 687870, 'are so stupid': 90220, 'so stupid literally': 778296, 'stupid literally change': 815420, 'literally change my': 494968, 'change my glove': 172183, 'my glove around': 548512, 'glove around 10times': 352600, 'around 10times per': 93104, '10times per every': 2405, 'per every patient': 650826, 'every patient see': 286091, 'patient see so': 644251, 'see so wearing': 745706, 'so wearing the': 778697, 'wearing the same': 974802, 'the same glove': 866231, 'same glove round': 733082, 'glove round the': 352890, 'the supermarket isn': 868649, 'supermarket isn going': 821150, 'going to help': 355620, 'to help unless': 907660, 'help unless you': 390835, 'you are changing': 1017086, 'are changing them': 85243, 'changing them 24': 172825, 'them 24 just': 875304, '24 just wash': 15644, 'just wash your': 470238, 'reflection': 706658, 'reflection from': 706663, 'from shelter': 337248, 'shelter at': 757904, 'home mandate': 401580, 'mandate to': 513009, 'what real': 982076, 'real look': 701260, 'like consumer': 490038, 'amp what': 54830, 'learn during': 483955, 'during amp': 262437, 'amp after': 53361, 'after crisis': 35520, 'reflection from shelter': 706664, 'from shelter at': 337249, 'shelter at home': 757905, 'at home mandate': 99042, 'home mandate to': 401581, 'mandate to contain': 513010, 'contain the on': 200499, 'the on what': 862179, 'on what real': 605237, 'what real look': 982077, 'real look like': 701261, 'look like consumer': 502472, 'like consumer amp': 490039, 'consumer amp what': 196192, 'amp what we': 54832, 'what we all': 982539, 'we all can': 970315, 'all can learn': 42284, 'can learn during': 158848, 'learn during amp': 483956, 'during amp after': 262438, 'amp after crisis': 53363, 'vh1': 955763, 'seen commercial': 746984, 'commercial for': 188704, 'for black': 319694, 'black ink': 132075, 'ink crew': 438743, 'crew chicago': 216688, 'chicago on': 175690, 'on vh1': 605042, 'vh1 whole': 955764, 'whole covid': 990174, 'food gone': 314684, 'panic episode': 638070, 'episode coming': 279516, 'coming may': 188130, 'may 6th': 520885, 'just seen commercial': 469740, 'seen commercial for': 746985, 'commercial for black': 188705, 'for black ink': 319695, 'black ink crew': 132076, 'ink crew chicago': 438744, 'crew chicago on': 216689, 'chicago on vh1': 175691, 'on vh1 whole': 605043, 'vh1 whole covid': 955765, 'whole covid 19': 990175, '19 all the': 4905, 'the food gone': 855555, 'food gone in': 314686, 'gone in the': 356311, 'the store panic': 868076, 'store panic episode': 809458, 'panic episode coming': 638071, 'episode coming may': 279517, 'coming may 6th': 188131, '2030': 14830, 'incl': 431461, 'if coronavirus': 414000, 'coronavirus had': 206047, 'had come': 372979, 'come 10': 187174, 'year later': 1014689, 'later in': 481075, 'in 2030': 419876, '2030 society': 14831, 'society buy': 781169, 'online incl': 608406, 'incl food': 431468, 'is week': 453821, 'week wait': 977176, 'wait you': 964257, 'you drive': 1018358, 'drive mile': 259097, 'mile to': 531416, 'supermarket warehouse': 823729, 'warehouse to': 966787, 'but so': 147071, 'whole town': 990366, 'town pandemic': 927537, 'what if coronavirus': 981625, 'if coronavirus had': 414002, 'coronavirus had come': 206048, 'had come 10': 372980, 'come 10 year': 187175, '10 year later': 1771, 'year later in': 1014690, 'later in 2030': 481076, 'in 2030 society': 419877, '2030 society buy': 14832, 'society buy everything': 781170, 'buy everything online': 148599, 'everything online incl': 287952, 'online incl food': 608407, 'incl food order': 431469, 'food order grocery': 315680, 'grocery online it': 364780, 'online it is': 608445, 'it is week': 459128, 'is week wait': 453826, 'week wait you': 977178, 'wait you drive': 964258, 'you drive mile': 1018360, 'drive mile to': 259098, 'mile to the': 531421, 'to the online': 916922, 'the online supermarket': 862283, 'online supermarket warehouse': 609506, 'supermarket warehouse to': 823733, 'warehouse to get': 966790, 'get food but': 347034, 'food but so': 313831, 'but so doe': 147074, 'doe the whole': 251625, 'the whole town': 871515, 'whole town pandemic': 990368, 'nietzsche': 562674, 'pathos': 644090, 'der': 237810, 'distanz': 247692, 'maintaining metre': 509115, 'metre distance': 529839, 'when using': 984374, 'supermarket give': 820519, 'give new': 350608, 'to nietzsche': 910598, 'nietzsche pathos': 562675, 'pathos der': 644091, 'der distanz': 237811, 'maintaining metre distance': 509116, 'metre distance from': 529840, 'distance from others': 246717, 'from others when': 336752, 'others when using': 621772, 'when using the': 984379, 'the supermarket give': 868610, 'supermarket give new': 820524, 'give new meaning': 350609, 'meaning to nietzsche': 524848, 'to nietzsche pathos': 910599, 'nietzsche pathos der': 562676, 'pathos der distanz': 644092, 'interesting podcast': 441590, 'podcast about': 662251, 'demand chain': 235119, 'interesting podcast about': 441591, 'podcast about food': 662252, 'and demand chain': 61143, 'demand chain during': 235120, 'chain during 19': 170665, 'menu': 528869, 'assclowns': 96340, 'add pricegouging': 31473, 'pricegouging on': 677831, 'on drop': 600423, 'drop down': 260176, 'down menu': 256957, 'menu it': 528880, 'it easier': 457734, 'easier to': 265156, 'the assclowns': 848975, 'assclowns gouging': 96341, 'emergency pricegougers': 272899, 'pricegougers toiletpaper': 677778, 'need to add': 555852, 'to add pricegouging': 900063, 'add pricegouging on': 31474, 'pricegouging on drop': 677833, 'on drop down': 600424, 'drop down menu': 260177, 'down menu it': 256958, 'menu it make': 528881, 'it make it': 459512, 'make it easier': 510029, 'it easier to': 457736, 'easier to report': 265163, 'to report the': 913289, 'report the assclowns': 712335, 'the assclowns gouging': 848976, 'assclowns gouging during': 96342, 'gouging during national': 359311, 'national emergency pricegougers': 552493, 'emergency pricegougers toiletpaper': 272900, 'lafayette': 478879, 'thenextgiantleap': 877813, 'for greater': 322008, 'greater lafayette': 363194, 'lafayette during': 478880, '100 liter': 1940, 'liter of': 494929, 'donated and': 254318, 'made available': 507644, 'purchase via': 689716, 'via thenextgiantleap': 956319, 'thenextgiantleap lafayette': 877814, 'sanitizer for greater': 734907, 'for greater lafayette': 322010, 'greater lafayette during': 363195, 'lafayette during the': 478881, 'the outbreak more': 862667, 'outbreak more than': 628461, 'than 100 liter': 840159, '100 liter of': 1941, 'liter of hand': 494932, 'sanitizer will be': 736102, 'be donated and': 114541, 'donated and made': 254320, 'and made available': 66505, 'made available for': 507646, 'available for purchase': 104380, 'for purchase via': 324869, 'purchase via thenextgiantleap': 689717, 'via thenextgiantleap lafayette': 956320, 'presume': 671300, 'spreader': 790902, 'criticism': 218760, 'are frontline': 86699, 'frontline police': 338809, 'police tested': 663232, 'tested and': 839261, 'and protected': 69665, 'protected from': 685131, '19 would': 12208, 'would presume': 1012115, 'presume they': 671304, 'are potential': 89160, 'potential super': 667144, 'super spreader': 818589, 'spreader supermarket': 790908, 'supermarket bus': 819433, 'not criticism': 568933, 'criticism just': 218765, 'just question': 469530, 'how are frontline': 407401, 'are frontline police': 86700, 'frontline police tested': 338810, 'police tested and': 663233, 'tested and protected': 839267, 'and protected from': 69667, 'protected from covid': 685132, 'covid 19 would': 214093, '19 would presume': 12216, 'would presume they': 1012116, 'presume they are': 671305, 'they are potential': 881364, 'are potential super': 89162, 'potential super spreader': 667145, 'super spreader supermarket': 818591, 'spreader supermarket bus': 790910, 'supermarket bus driver': 819434, 'bus driver are': 143015, 'driver are this': 259444, 'is not criticism': 450057, 'not criticism just': 568934, 'criticism just question': 218766, 'dear panic': 229841, 'buyer you': 149812, 'food away': 313489, 'family think': 298308, 'think before': 885153, 'dear panic buyer': 229842, 'panic buyer you': 637621, 'buyer you re': 149814, 'you re taking': 1020767, 're taking food': 699650, 'taking food away': 833365, 'food away from': 313491, 'from the people': 337828, 'that need the': 845311, 'need the strength': 555754, 'the strength to': 868266, 'strength to look': 813238, 'look after you': 502230, 'after you and': 36606, 'your family think': 1023804, 'family think before': 298309, 'think before you': 885155, 'before you take': 123337, 'store shoukd': 810153, 'shoukd go': 765462, 'on shopping': 603437, 'shopping schedule': 763814, 'schedule and': 741423, 'delivery during': 233965, 'allow no': 46008, '50 shopper': 19846, 'shopper into': 761573, 'per 15': 650671, 'minute temperature': 533850, 'temperature required': 837394, 'enter cleaning': 278238, 'cleaning occurs': 180989, 'occurs often': 579081, 'grocery store shoukd': 365771, 'store shoukd go': 810154, 'shoukd go on': 765463, 'go on shopping': 353892, 'on shopping schedule': 603442, 'shopping schedule and': 763815, 'schedule and or': 741425, 'and or delivery': 68209, 'or delivery during': 614935, 'delivery during the': 233969, 'during the to': 263210, 'the to allow': 869669, 'to allow no': 900347, 'allow no more': 46009, 'than 50 shopper': 840262, '50 shopper into': 19847, 'shopper into the': 761575, 'the store per': 868079, 'store per 15': 809500, 'per 15 minute': 650672, '15 minute temperature': 3779, 'minute temperature required': 533851, 'temperature required to': 837395, 'required to enter': 713397, 'to enter cleaning': 905213, 'enter cleaning occurs': 278239, 'cleaning occurs often': 180990, 'baked': 108754, 'throttle': 894275, 'gaseous': 344199, 'emission': 273202, 'tinned baked': 898604, 'baked bean': 108758, 'bean production': 118351, 'full throttle': 340929, 'throttle due': 894276, 'demand created': 235190, 'an infinite': 56306, 'infinite shelf': 436948, 'life good': 488695, 'the bean': 849393, 'bean grower': 118324, 'grower of': 367106, 'world bad': 1009343, 'environment massively': 279127, 'massively increased': 520181, 'increased gaseous': 433334, 'gaseous emission': 344200, 'emission lead': 273209, 'to global': 906737, 'tinned baked bean': 898605, 'baked bean production': 108762, 'bean production is': 118352, 'production is at': 682085, 'is at full': 445859, 'at full throttle': 98726, 'full throttle due': 340930, 'throttle due to': 894277, 'to the demand': 916633, 'the demand created': 853089, 'demand created by': 235191, 'created by covid': 215789, 'covid 19 for': 213113, '19 for food': 7065, 'for food with': 321654, 'food with an': 317640, 'with an infinite': 997219, 'an infinite shelf': 56307, 'infinite shelf life': 436949, 'shelf life good': 757279, 'life good news': 488696, 'news for the': 560443, 'for the bean': 326317, 'the bean grower': 849394, 'bean grower of': 118325, 'grower of the': 367107, 'the world bad': 871820, 'world bad news': 1009344, 'the environment massively': 854404, 'environment massively increased': 279128, 'massively increased gaseous': 520182, 'increased gaseous emission': 433335, 'gaseous emission lead': 344201, 'emission lead to': 273210, 'lead to global': 483347, 'to global warming': 906748, 'good try': 357918, 'woman pic': 1003577, 'pic wasn': 655632, 'wasn recent': 968013, 'recent nor': 703934, 'nor taken': 566978, 'taken at': 832951, 'at dollartree': 98474, 'dollartree you': 253135, 'you sure': 1021492, 'sure are': 827491, 'are easily': 86069, 'easily led': 265220, 'led stayathome': 485264, 'stayathome bernie': 797443, 'bernie voting': 127390, 'voting socialist': 960614, 'socialist cleared': 781007, 'toiletpaper at': 921762, 'dollartree stayathome': 253132, 'good try the': 357919, 'try the elderly': 934582, 'elderly woman pic': 270956, 'woman pic wasn': 1003578, 'pic wasn recent': 655633, 'wasn recent nor': 968014, 'recent nor taken': 703935, 'nor taken at': 566979, 'taken at dollartree': 832952, 'at dollartree you': 98478, 'dollartree you sure': 253136, 'you sure are': 1021493, 'sure are easily': 827492, 'are easily led': 86070, 'easily led stayathome': 265221, 'led stayathome bernie': 485265, 'stayathome bernie voting': 797444, 'bernie voting socialist': 127391, 'voting socialist cleared': 960615, 'socialist cleared out': 781008, 'cleared out toiletpaper': 181431, 'out toiletpaper at': 627713, 'toiletpaper at dollartree': 921763, 'at dollartree stayathome': 98476, 'me every': 522703, 'time someone': 897714, 'someone is': 784525, 'same aisle': 732958, 'aisle me': 40307, 'me every time': 522704, 'every time someone': 286317, 'time someone is': 897715, 'someone is in': 784532, 'the same aisle': 866194, 'same aisle me': 732959, 'aisle me at': 40308, 'grandfather': 361892, 'sneaking': 776207, 'oldpeoplearestubbornashell': 598721, 'who described': 988564, 'described old': 237948, 'people 80': 646733, 'old teenager': 598493, 'teenager because': 836538, 'because pretty': 119495, 'pretty sure': 671503, 'sure going': 827559, 'catch my': 167011, 'my 90': 547204, 'old grandfather': 598271, 'grandfather sneaking': 361893, 'sneaking out': 776208, 'quarantine oldpeoplearestubbornashell': 692398, 'is the person': 452891, 'the person who': 863595, 'person who described': 652723, 'who described old': 988565, 'described old people': 237949, 'old people 80': 598407, 'people 80 year': 646734, 'year old teenager': 1014870, 'old teenager because': 598494, 'teenager because pretty': 836539, 'because pretty sure': 119497, 'pretty sure going': 671504, 'sure going to': 827560, 'going to catch': 355548, 'to catch my': 902502, 'catch my 90': 167012, 'my 90 year': 547205, 'year old grandfather': 1014830, 'old grandfather sneaking': 598272, 'grandfather sneaking out': 361894, 'sneaking out of': 776209, 'of the house': 591111, 'house at to': 406209, 'at to go': 101328, 'to go at': 906772, 'go at the': 353323, 'store quarantine oldpeoplearestubbornashell': 809716, 'offended': 594464, 'sidestepping': 768945, 'being offended': 125473, 'offended by': 594465, 'people sidestepping': 649467, 'sidestepping me': 768946, 'me on': 523257, 'road or': 724487, 'first time not': 309106, 'time not being': 897287, 'not being offended': 568539, 'being offended by': 125474, 'offended by people': 594466, 'by people sidestepping': 153554, 'people sidestepping me': 649468, 'sidestepping me on': 768947, 'me on the': 523264, 'the road or': 865934, 'road or supermarket': 724488, 'elekworld': 271328, 'elekworldjulia': 271334, 'iphonerepair': 444592, 'elekworld supply': 271331, 'supply respirator': 825768, 'respirator panel': 715208, 'panel mask': 637190, 'price send': 676342, 'me private': 523357, 'private message': 678950, 'message for': 529304, 'price prevent': 675985, '19 elekworld': 6742, 'elekworld elekworldjulia': 271329, 'elekworldjulia iphonerepair': 271335, 'elekworld supply respirator': 271333, 'supply respirator panel': 825769, 'respirator panel mask': 715209, 'panel mask at': 637191, 'reasonable price send': 703126, 'price send me': 676344, 'send me private': 749887, 'me private message': 523358, 'private message for': 678953, 'message for the': 529308, 'for the best': 326319, 'best price prevent': 127868, 'price prevent the': 675987, 'covid 19 elekworld': 213014, '19 elekworld elekworldjulia': 6743, 'elekworld elekworldjulia iphonerepair': 271330, 'wk': 1003207, 'revives': 720697, 'also find': 48207, 'that wk': 847635, 'wk lockdown': 1003210, 'in given': 423316, 'given month': 351055, 'month period': 537956, 'period cut': 651742, 'cut consumer': 223275, 'spending by': 788766, 'by 16': 151551, 'and 12': 57361, '12 wk': 2992, 'lockdown cut': 499291, 'by 18': 151559, '18 32': 4499, '32 full': 17670, 'year effect': 1014538, 'effect depend': 268992, 'how quickly': 408546, 'quickly postponed': 694575, 'postponed consumption': 666802, 'consumption revives': 199939, 'revives outbreak': 720700, 'outbreak come': 628116, 'under control': 940041, 'we also find': 970398, 'also find that': 48208, 'find that wk': 307277, 'that wk lockdown': 847636, 'wk lockdown in': 1003212, 'lockdown in given': 499505, 'in given month': 423317, 'given month period': 351056, 'month period cut': 537958, 'period cut consumer': 651743, 'cut consumer spending': 223276, 'consumer spending by': 199048, 'spending by 16': 788767, 'by 16 and': 151553, '16 and 12': 4092, 'and 12 wk': 57365, '12 wk lockdown': 2993, 'wk lockdown cut': 1003211, 'lockdown cut it': 499293, 'cut it by': 223402, 'it by 18': 456972, 'by 18 32': 151560, '18 32 full': 4500, '32 full year': 17671, 'full year effect': 340989, 'year effect depend': 1014539, 'effect depend on': 268993, 'depend on how': 237316, 'on how quickly': 601418, 'how quickly postponed': 408554, 'quickly postponed consumption': 694576, 'postponed consumption revives': 666803, 'consumption revives outbreak': 199940, 'revives outbreak come': 720701, 'outbreak come under': 628118, 'come under control': 187642, 'vodafoneuk': 959937, 'sympatheticcapitalism': 830784, 'and vodafoneuk': 75013, 'vodafoneuk increase': 959938, 'price sympatheticcapitalism': 676741, 'of pandemic and': 587687, 'pandemic and vodafoneuk': 634915, 'and vodafoneuk increase': 75014, 'vodafoneuk increase their': 959939, 'increase their price': 433120, 'their price sympatheticcapitalism': 874426, 'custexp': 221952, 'hint': 396900, 'stick': 800020, 'start connecting': 794262, 'connecting customer': 194686, 'customer custexp': 222282, 'custexp thread': 221953, 'thread during': 893541, 'right hint': 721937, 'hint outside': 396917, 'right but': 721827, 'but stick': 147152, 'stick with': 800074, 'see retail': 745640, 'retail supermarket': 718749, 'are treated': 91191, 'treated terribly': 930971, 'terribly by': 838462, 'start connecting customer': 794263, 'connecting customer custexp': 194687, 'customer custexp thread': 222283, 'custexp thread during': 221954, 'thread during the': 893542, 'during the customer': 263112, 'the customer is': 852725, 'customer is not': 222539, 'is not always': 450030, 'not always right': 568181, 'always right hint': 49726, 'right hint outside': 721938, 'hint outside of': 396918, 'outside of pandemic': 629511, 'of pandemic they': 587711, 'pandemic they are': 636732, 'are not always': 88320, 'always right but': 49725, 'right but stick': 721830, 'but stick with': 147153, 'stick with me': 800075, 'with me we': 999459, 'me we see': 523916, 'we see retail': 973167, 'see retail supermarket': 745641, 'retail supermarket worker': 718753, 'worker are treated': 1006435, 'are treated terribly': 91195, 'treated terribly by': 930972, 'terribly by shopper': 838463, 'b4': 106505, 'wypipo': 1013729, 'if ghana': 414149, 'ghana law': 349573, 'law ppl': 482370, 'ppl must': 668281, 'must wash': 546985, 'wash amp': 967429, 'amp sanitize': 54436, 'sanitize hand': 734190, 'hand b4': 374813, 'b4 touching': 106514, 'touching food': 926678, 'mean wypipo': 524781, 'wypipo too': 1013730, 'too don': 924689, 'don use': 254012, 'use power': 949491, 'power for': 667609, 'me cc': 522571, 'cc 19': 168388, 'if ghana law': 414150, 'ghana law ppl': 349574, 'law ppl must': 482371, 'ppl must wash': 668282, 'must wash amp': 546986, 'wash amp sanitize': 967430, 'amp sanitize hand': 54437, 'sanitize hand b4': 734192, 'hand b4 touching': 374814, 'b4 touching food': 106515, 'touching food in': 926679, 'in supermarket that': 428686, 'supermarket that mean': 823190, 'that mean wypipo': 845124, 'mean wypipo too': 524782, 'wypipo too don': 1013731, 'too don use': 924691, 'don use power': 254016, 'use power for': 949492, 'power for me': 667610, 'for me cc': 323308, 'me cc 19': 522572, 'santa': 736594, 'you allow': 1016924, 'allow 200': 45908, 'time into': 897042, 'into farmer': 442550, 'in santa': 427697, 'santa monica': 736599, 'monica only': 537258, 'only 30': 609997, '30 are': 16970, 'are bigger': 84977, 'bigger than': 130173, 'market social': 517080, 'distancing fail': 247142, 'fail so': 296102, 'so plz': 778035, 'plz close': 661805, 'why would you': 991573, 'would you allow': 1012403, 'you allow 200': 1016925, 'allow 200 people': 45909, '200 people at': 13526, 'people at time': 647186, 'at time into': 101292, 'time into farmer': 897043, 'into farmer market': 442551, 'farmer market in': 299450, 'market in santa': 516571, 'in santa monica': 427699, 'santa monica only': 736601, 'monica only 30': 537259, 'only 30 are': 609998, '30 are allowed': 16971, 'are allowed in': 84379, 'store and those': 806379, 'and those are': 74018, 'those are bigger': 891800, 'are bigger than': 84978, 'bigger than the': 130175, 'than the market': 841251, 'the market social': 860159, 'market social distancing': 517081, 'social distancing fail': 779607, 'distancing fail so': 247143, 'fail so plz': 296103, 'so plz close': 778036, 'plz close the': 661806, 'close the market': 182842, 'someplace': 784810, 'mcag': 522084, 'muletown': 545631, 'latte': 481667, 'latteart': 481671, 're gonna': 698759, 'go when': 354492, 'when quarantine': 983916, 'over someplace': 630632, 'someplace that': 784813, 'store mcag': 808924, 'mcag muletown': 522085, 'muletown coffee': 545632, 'coffee latte': 185505, 'latte latteart': 481668, 'where is the': 984954, 'first place you': 308872, 'place you re': 657860, 'you re gonna': 1020636, 're gonna go': 698760, 'gonna go when': 356546, 'go when quarantine': 354493, 'when quarantine is': 983917, 'is over someplace': 450731, 'over someplace that': 630633, 'someplace that not': 784814, 'that not the': 845400, 'not the grocery': 572005, 'grocery store mcag': 365559, 'store mcag muletown': 808925, 'mcag muletown coffee': 522086, 'muletown coffee latte': 545633, 'coffee latte latteart': 185506, 'enjoying': 277223, 'buylocal': 151432, 'some australian': 782354, 'australian farmer': 103485, 'are enjoying': 86215, 'enjoying five': 277228, 'five fold': 309614, 'fold spike': 312057, 'in direct': 422276, 'consumer produce': 198443, 'produce sale': 680419, 'sale due': 732177, 'to buylocal': 902356, 'some australian farmer': 782355, 'australian farmer are': 103487, 'farmer are enjoying': 299276, 'are enjoying five': 86216, 'enjoying five fold': 277229, 'five fold spike': 309615, 'fold spike in': 312058, 'spike in direct': 789295, 'in direct to': 422280, 'to consumer produce': 903324, 'consumer produce sale': 198444, 'produce sale due': 680420, 'sale due to': 732178, 'due to buylocal': 261718, 'citi': 178787, 'yougov': 1022526, 'occurred': 579035, 'in expectation': 422726, 'expectation for': 290815, 'year ahead': 1014372, 'march from': 515369, 'feb reported': 301658, 'reported by': 712463, 'by citi': 152124, 'citi yougov': 178788, 'yougov occurred': 1022533, 'occurred despite': 579038, 'despite sharp': 238846, 'sharp drop': 755683, 'could reflect': 209584, 'reflect concern': 706600, 'concern that': 193109, 'that food': 843899, 'other staple': 620954, 'staple price': 793980, 'be pushed': 116635, 'pushed up': 690389, 'term by': 838082, 'by increased': 152893, 'increased related': 433452, 'jump in expectation': 467863, 'in expectation for': 422727, 'expectation for year': 290823, 'for year ahead': 327993, 'year ahead to': 1014374, 'ahead to in': 39217, 'to in march': 908227, 'in march from': 425104, 'march from in': 515372, 'from in feb': 336022, 'in feb reported': 422830, 'feb reported by': 301659, 'reported by citi': 712464, 'by citi yougov': 152125, 'citi yougov occurred': 178790, 'yougov occurred despite': 1022534, 'occurred despite sharp': 579039, 'despite sharp drop': 238847, 'sharp drop in': 755684, 'price could reflect': 673293, 'could reflect concern': 209585, 'reflect concern that': 706601, 'concern that food': 193112, 'that food amp': 843901, 'food amp other': 313142, 'amp other staple': 54247, 'other staple price': 620957, 'staple price will': 793982, 'will be pushed': 992627, 'be pushed up': 116638, 'pushed up in': 690391, 'up in near': 945168, 'in near term': 425705, 'near term by': 553599, 'term by increased': 838083, 'by increased related': 152895, 'increased related demand': 433453, 'announced temporary': 77054, 'temporary shutdown': 837690, 'shutdown of': 768063, 'it outlet': 460196, 'outlet over': 629056, 'over suspicion': 630675, 'suspicion of': 829702, 'case read': 165973, 'supermarket chain in': 819610, 'chain in the': 170818, 'country ha announced': 210707, 'ha announced temporary': 369567, 'announced temporary shutdown': 77057, 'temporary shutdown of': 837691, 'shutdown of one': 768070, 'one of it': 606748, 'of it outlet': 585426, 'it outlet over': 460197, 'outlet over suspicion': 629057, 'over suspicion of': 630676, 'suspicion of covid': 829703, '19 case read': 5694, 'case read more': 165974, 'hairworld': 374068, 'paulmitchell': 644568, 'the hairworld': 857042, 'hairworld ha': 374069, 'now joined': 575146, 'joined in': 466936, 'with paulmitchell': 1000114, 'paulmitchell produce': 644569, 'the hairworld ha': 857043, 'hairworld ha now': 374070, 'ha now joined': 371399, 'now joined in': 575147, 'joined in on': 466937, 'on the battle': 603981, 'the battle with': 849352, 'battle with paulmitchell': 112844, 'with paulmitchell produce': 1000115, 'paulmitchell produce hand': 644570, 'sanitizer for first': 734903, 'for first responder': 321503, 'toy we': 927704, 'comic toy we': 187952, 'toy we are': 927705, 'we are lowering': 970620, 'prosus': 684742, 'invested': 443776, 'swiggy': 830338, 'byju': 154813, 'helpdeskforcoronavirus': 391034, 'consumer internet': 197910, 'internet firm': 441939, 'firm prosus': 308406, 'prosus which': 684747, 'ha invested': 370995, 'invested in': 443783, 'company like': 190839, 'like swiggy': 491279, 'swiggy byju': 830339, 'byju etc': 154814, 'etc pledged': 282710, 'donate 100': 254143, 'crore to': 218970, 'the pm': 863873, 'pm relief': 661964, 'for supporting': 326067, 'supporting relief': 827179, 'relief work': 709503, 'work venture': 1005965, 'venture helpdeskforcoronavirus': 954668, 'consumer internet firm': 197913, 'internet firm prosus': 441940, 'firm prosus which': 308407, 'prosus which ha': 684748, 'which ha invested': 985887, 'ha invested in': 370996, 'invested in company': 443784, 'in company like': 421622, 'company like swiggy': 190847, 'like swiggy byju': 491280, 'swiggy byju etc': 830340, 'byju etc pledged': 154815, 'etc pledged to': 282711, 'pledged to donate': 660869, 'to donate 100': 904640, 'donate 100 crore': 254145, '100 crore to': 1878, 'crore to the': 218975, 'to the pm': 916961, 'the pm relief': 863878, 'pm relief fund': 661965, 'relief fund for': 709353, 'fund for supporting': 341409, 'for supporting relief': 326069, 'supporting relief work': 827180, 'relief work venture': 709505, 'work venture helpdeskforcoronavirus': 1005966, 'wutang': 1013609, 'grift': 363924, 'my prayer': 549828, 'prayer go': 669062, 'real victim': 701444, 'victim the': 956517, 'elderly who': 270945, 'being socially': 125824, 'socially isolated': 781068, 'isolated healthcare': 455001, 'provider doing': 686713, 'doing overtime': 252595, 'overtime supermarket': 631641, 'are stressed': 90558, 'out small': 627199, 'owner asking': 632397, 'for loan': 323035, 'loan people': 497500, 'people living': 648682, 'living paycheck': 496441, 'paycheck wutang': 645317, 'wutang flu': 1013610, 'flu grift': 311415, 'my prayer go': 549829, 'prayer go out': 669063, 'the real victim': 865246, 'real victim the': 701446, 'victim the elderly': 956518, 'the elderly who': 854160, 'elderly who are': 270946, 'who are being': 988105, 'are being socially': 84925, 'being socially isolated': 125826, 'socially isolated healthcare': 781070, 'isolated healthcare provider': 455002, 'healthcare provider doing': 387249, 'provider doing overtime': 686714, 'doing overtime supermarket': 252596, 'overtime supermarket employee': 631642, 'who are stressed': 988229, 'are stressed out': 90559, 'stressed out small': 813455, 'out small business': 627200, 'small business owner': 774884, 'business owner asking': 144179, 'owner asking for': 632398, 'asking for loan': 95991, 'for loan people': 323041, 'loan people living': 497502, 'people living paycheck': 648687, 'living paycheck to': 496442, 'to paycheck wutang': 911585, 'paycheck wutang flu': 645318, 'wutang flu grift': 1013612, 'underappreciated': 940406, 'underacknowledge': 940400, 'for remaining': 325100, 'remaining strong': 709983, 'uncertainty many': 939718, 'of underappreciated': 592609, 'underappreciated and': 940407, 'and underacknowledge': 74621, 'underacknowledge the': 940401, 'sacrifice that': 729108, 'individual are': 435136, 'thank all of': 841534, 'employee for remaining': 273867, 'for remaining strong': 325102, 'remaining strong during': 709984, 'of uncertainty many': 592599, 'uncertainty many of': 939719, 'many of underappreciated': 514397, 'of underappreciated and': 592610, 'underappreciated and underacknowledge': 940408, 'and underacknowledge the': 74622, 'underacknowledge the sacrifice': 940402, 'the sacrifice that': 866115, 'sacrifice that these': 729109, 'that these individual': 846914, 'these individual are': 880168, 'howtokeeppeoplehome': 409554, 'rideshare': 721494, 'cratering': 215156, 'to howtokeeppeoplehome': 908035, 'howtokeeppeoplehome is': 409555, 'easier for': 265142, 'item while': 463819, 'while at': 986622, 'home currently': 400977, 'currently demand': 221511, 'for rideshare': 325233, 'rideshare on': 721495, 'is cratering': 446885, 'cratering during': 215157, 'crisis delivery': 217280, 'delivery demand': 233860, 'increasing though': 433724, 'one way to': 607384, 'way to howtokeeppeoplehome': 970038, 'to howtokeeppeoplehome is': 908036, 'howtokeeppeoplehome is to': 409556, 'is to help': 453209, 'help make it': 390035, 'it easier for': 457735, 'easier for them': 265148, 'for them to': 326927, 'get delivery of': 346865, 'other item while': 620452, 'item while at': 463820, 'while at home': 986624, 'at home currently': 98966, 'home currently demand': 400978, 'currently demand for': 221513, 'demand for rideshare': 235490, 'for rideshare on': 325234, 'rideshare on and': 721496, 'on and is': 599358, 'and is cratering': 65396, 'is cratering during': 446886, 'cratering during the': 215158, '19 crisis delivery': 6234, 'crisis delivery demand': 217281, 'delivery demand is': 233863, 'demand is increasing': 235730, 'is increasing though': 448865, '14th': 3623, 'golden': 356042, 'leisurely': 486152, 'strolling': 813955, 'situation 14th': 772156, '14th april': 3624, '2020 golden': 14339, 'golden experience': 356049, 'experience took': 291521, 'took for': 925238, 'for granted': 321986, 'granted leisurely': 362079, 'leisurely strolling': 486155, 'strolling through': 813956, 'with cart': 997552, 'cart feeling': 165296, 'like ugh': 491692, 'ugh this': 938032, 'such chore': 816392, 'chore is': 178009, 'now one': 575445, 'one crave': 606131, '19 the situation': 11248, 'the situation 14th': 867239, 'situation 14th april': 772157, '14th april 2020': 3625, 'april 2020 golden': 83462, '2020 golden experience': 14340, 'golden experience took': 356050, 'experience took for': 291522, 'took for granted': 925239, 'for granted leisurely': 321996, 'granted leisurely strolling': 362080, 'leisurely strolling through': 486156, 'strolling through the': 813957, 'through the supermarket': 894769, 'supermarket with cart': 823913, 'with cart feeling': 997554, 'cart feeling like': 165297, 'feeling like ugh': 303015, 'like ugh this': 491693, 'ugh this is': 938033, 'this is such': 888415, 'is such chore': 452424, 'such chore is': 816393, 'chore is now': 178010, 'is now one': 450308, 'now one crave': 575446, 'one crave for': 606132, 'crave for now': 215163, 'for now it': 323973, 'now it done': 575112, 'it done to': 457671, 'done to get': 255069, 'can stay alive': 159735, 'march april': 515276, 'april month': 83639, 'month special': 538010, 'special no': 787999, 'no credit': 563928, 'card bill': 163477, 'bill no': 130630, 'delivery bill': 233750, 'no petrol': 565098, 'petrol bill': 653716, 'purchase bill': 689391, 'no restaurant': 565348, 'restaurant bill': 716334, 'no shopping': 565486, 'shopping bill': 762229, 'bill courtesy': 130543, 'courtesy lockdown21': 212046, 'lockdown21 by': 500202, 'by 19': 151563, 'march april month': 515277, 'april month special': 83640, 'month special no': 538011, 'special no credit': 788000, 'no credit card': 563929, 'credit card bill': 216328, 'card bill no': 163478, 'bill no online': 130631, 'no online food': 564991, 'food delivery bill': 314112, 'delivery bill no': 233751, 'bill no petrol': 130632, 'no petrol bill': 565099, 'petrol bill no': 653717, 'no online purchase': 564994, 'online purchase bill': 608820, 'purchase bill no': 689392, 'bill no restaurant': 130633, 'no restaurant bill': 565349, 'restaurant bill no': 716335, 'bill no shopping': 130634, 'no shopping bill': 565487, 'shopping bill courtesy': 762231, 'bill courtesy lockdown21': 130544, 'courtesy lockdown21 by': 212047, 'lockdown21 by 19': 500203, 'donald can': 254095, 'you explain': 1018491, 'fda is': 300877, 'still blocking': 800292, 'blocking ethanol': 132884, 'national crisis': 552463, 'crisis or': 217830, 'still want': 801384, 'to tweet': 917858, 'tweet about': 936323, 'about bernie': 24877, 'sander we': 733695, 'dying in': 263838, 'state donaldtrump': 795532, 'donald can you': 254096, 'can you explain': 160298, 'you explain why': 1018494, 'explain why the': 292139, 'why the fda': 991414, 'the fda is': 855019, 'fda is still': 300879, 'is still blocking': 452267, 'still blocking ethanol': 800293, 'blocking ethanol producer': 132885, 'ethanol producer from': 283005, 'producer from making': 680628, 'from making hand': 336311, 'sanitizer during national': 734800, 'during national crisis': 262808, 'national crisis or': 552466, 'crisis or do': 217832, 'do you still': 250682, 'you still want': 1021415, 'still want to': 801387, 'want to tweet': 966149, 'to tweet about': 917859, 'tweet about bernie': 936324, 'about bernie sander': 24878, 'bernie sander we': 127386, 'sander we have': 733696, 'we have people': 971895, 'have people dying': 381909, 'people dying in': 647751, 'dying in the': 263840, 'united state donaldtrump': 942213, 'many local': 514240, 'business offering': 144126, 'offering home': 595150, 'are just one': 87632, 'of many local': 586181, 'many local business': 514241, 'local business offering': 497770, 'business offering home': 144129, 'offering home delivery': 595151, 'smartphones': 775532, 'technology co': 836271, 'co said': 184955, 'it expects': 457896, 'expects revenue': 291099, 'business group': 143803, 'which includes': 985956, 'includes smartphones': 431810, 'smartphones personal': 775535, 'personal computer': 652808, 'computer and': 192727, 'and tablet': 72946, 'tablet to': 831532, 'grow fast': 367023, 'fast in': 299992, 'china despite': 176601, 'restriction http': 717288, 'technology co said': 836272, 'co said on': 184956, 'thursday that it': 895427, 'that it expects': 844706, 'it expects revenue': 457897, 'expects revenue from': 291100, 'from it consumer': 336110, 'it consumer business': 457281, 'consumer business group': 196673, 'business group which': 143806, 'group which includes': 366970, 'which includes smartphones': 985960, 'includes smartphones personal': 431811, 'smartphones personal computer': 775536, 'personal computer and': 652809, 'computer and tablet': 192728, 'and tablet to': 72947, 'tablet to grow': 831534, 'to grow fast': 907028, 'grow fast in': 367024, 'fast in china': 299993, 'in china despite': 421397, 'china despite the': 176604, 'despite the covid': 238875, 'the government restriction': 856596, 'government restriction http': 360545, 'anyone run': 80495, 'paper yet': 641122, 'yet toiletpaper': 1016299, 'anyone run out': 80496, 'toilet paper yet': 921536, 'paper yet toiletpaper': 641123, 'preciousmetals': 669479, 'forbes': 328278, 'trump2020landslide': 934013, 'democratsaredestroyingamerica': 236779, 'continue rising': 201119, 'rising coronavirus': 723186, 'coronavirus upends': 207002, 'upends global': 947515, 'economy gold': 267904, 'silver preciousmetals': 769845, 'preciousmetals forbes': 669480, 'forbes chinavirus': 328282, 'chinavirus trump2020landslide': 177175, 'trump2020landslide maga': 934014, 'maga democratsaredestroyingamerica': 508275, 'price to continue': 676978, 'to continue rising': 903404, 'continue rising coronavirus': 201120, 'rising coronavirus upends': 723187, 'coronavirus upends global': 207003, 'upends global economy': 947516, 'global economy gold': 351897, 'economy gold silver': 267905, 'gold silver preciousmetals': 356009, 'silver preciousmetals forbes': 769846, 'preciousmetals forbes chinavirus': 669481, 'forbes chinavirus trump2020landslide': 328283, 'chinavirus trump2020landslide maga': 177176, 'trump2020landslide maga democratsaredestroyingamerica': 934015, 'violated': 957486, 'disseminating': 246579, 'washington nonprofit': 967782, 'nonprofit ha': 566685, 'ha filed': 370617, 'filed lawsuit': 305404, 'news claiming': 560318, 'claiming the': 179913, 'news station': 560814, 'station it': 796444, 'it parent': 460258, 'parent company': 641608, 'company owner': 190954, 'owner violated': 632591, 'violated the': 957491, 'act acted': 29579, 'acted in': 29837, 'in bad': 420657, 'bad faith': 107852, 'faith by': 296498, 'by disseminating': 152369, 'disseminating false': 246580, 'false information': 297436, 'washington nonprofit ha': 967783, 'nonprofit ha filed': 566686, 'ha filed lawsuit': 370618, 'filed lawsuit against': 305405, 'fox news claiming': 330762, 'news claiming the': 560319, 'claiming the news': 179914, 'the news station': 861630, 'news station it': 560815, 'station it parent': 796445, 'it parent company': 460259, 'parent company owner': 641611, 'company owner violated': 190955, 'owner violated the': 632592, 'violated the state': 957492, 'the state consumer': 867758, 'protection act acted': 685270, 'act acted in': 29580, 'acted in bad': 29838, 'in bad faith': 420658, 'bad faith by': 107853, 'faith by disseminating': 296499, 'by disseminating false': 152370, 'disseminating false information': 246582, 'false information about': 297437, 'information about the': 437715, 'about the novel': 26462, 'lady at': 478740, 'glove but': 352617, 'but had': 145844, 'had her': 373176, 'her one': 392252, 'one hand': 606396, 'hand all': 374737, 'over her': 630276, 'her face': 392032, 'old lady at': 598319, 'lady at the': 478742, 'store wa wearing': 811130, 'wa wearing glove': 963676, 'wearing glove but': 974629, 'glove but had': 352619, 'but had her': 145845, 'had her one': 373178, 'her one hand': 392253, 'one hand all': 606397, 'hand all over': 374738, 'all over her': 43864, 'over her face': 630277, 'theshopritegroup': 881016, 'r150': 695069, 'turnover': 936004, 'regenesysbusinesschool': 707331, 'theshopritegroup the': 881017, 'largest food': 479951, 'southafrica with': 786814, 'with r150': 1000391, 'r150 billion': 695070, 'billion turnover': 130932, 'turnover 30': 936005, '30 market': 17102, 'market share': 517046, 'share is': 755068, 'is appealing': 445789, 'over linked': 630360, 'linked stockpiling': 493983, 'stockpiling regenesysbusinesschool': 804056, 'theshopritegroup the largest': 881018, 'the largest food': 858964, 'largest food retailer': 479954, 'food retailer in': 316224, 'retailer in southafrica': 719204, 'in southafrica with': 428137, 'southafrica with r150': 786815, 'with r150 billion': 1000392, 'r150 billion turnover': 695071, 'billion turnover 30': 130933, 'turnover 30 market': 936006, '30 market share': 17103, 'market share is': 517049, 'share is appealing': 755069, 'is appealing to': 445790, 'appealing to customer': 82108, 'to customer to': 903861, 'customer to only': 222973, 'to only buy': 910966, 'buy what they': 149457, 'wake of concern': 964591, 'of concern over': 581645, 'concern over linked': 193050, 'over linked stockpiling': 630361, 'linked stockpiling regenesysbusinesschool': 493984, 'the flattening': 855394, 'flattening of': 310144, 'curve but': 221836, 'the getting': 856242, 'virus if': 958311, 'if every': 414085, 'every human': 285942, 'being doesn': 125068, 'tested some': 839365, 'people show': 649459, 'show no': 767067, 'symptom showing': 830922, 'showing no': 767485, 'symptom people': 830900, 'store might': 808954, 'symptom some': 830929, 'are positive': 89148, 'get the flattening': 348243, 'the flattening of': 855395, 'flattening of the': 310145, 'of the curve': 590921, 'the curve but': 852687, 'curve but don': 221837, 'but don understand': 145598, 'understand the getting': 940755, 'the getting rid': 856245, 'the virus if': 870844, 'virus if every': 958313, 'if every human': 414087, 'every human being': 285944, 'human being doesn': 410440, 'being doesn get': 125069, 'doesn get tested': 251802, 'get tested some': 348192, 'tested some people': 839366, 'some people show': 783534, 'people show no': 649460, 'show no symptom': 767069, 'no symptom showing': 565662, 'symptom showing no': 830923, 'showing no symptom': 767487, 'no symptom people': 565660, 'symptom people at': 830901, 'grocery store might': 365568, 'store might be': 808955, 'might be showing': 530929, 'be showing no': 117168, 'no symptom some': 565664, 'symptom some are': 830930, 'some are positive': 782324, 'are positive for': 89149, 'monarchy': 536205, 'the shock': 866960, 'of collapsing': 581525, 'collapsing oil': 186143, 'is forcing': 447900, 'the arab': 848843, 'arab monarchy': 83832, 'monarchy to': 536206, 'rethink their': 719658, 'their policy': 874335, 'policy toward': 663530, 'toward immigration': 927131, 'immigration reuters': 417263, 'the shock of': 866964, 'shock of collapsing': 759482, 'of collapsing oil': 581526, 'collapsing oil price': 186144, 'and the pandemic': 73508, 'pandemic is forcing': 635770, 'is forcing the': 447905, 'forcing the arab': 328738, 'the arab monarchy': 848845, 'arab monarchy to': 83833, 'monarchy to rethink': 536207, 'to rethink their': 913468, 'rethink their policy': 719659, 'their policy toward': 874336, 'policy toward immigration': 663531, 'toward immigration reuters': 927132, 'ape': 81436, 'ruled': 727422, 'planetoftheapes': 658429, 'begun the': 123731, 'the ape': 848800, 'ape are': 81437, 'we who': 973826, 'who survive': 989718, 'survive will': 829292, 'on planet': 602809, 'planet ruled': 658419, 'ruled by': 727423, 'by ape': 151874, 'ape we': 81439, 'need massive': 555219, 'massive panic': 520061, 'and riot': 70532, 'riot everyone': 722607, 'everyone take': 287443, 'street social': 813116, 'solution planetoftheapes': 782068, 'everyone panic it': 287252, 'panic it ha': 638238, 'ha begun the': 370000, 'begun the ape': 123732, 'the ape are': 848801, 'ape are taking': 81438, 'are taking over': 90729, 'taking over soon': 833496, 'over soon we': 630636, 'soon we who': 785897, 'we who survive': 973827, 'who survive will': 989719, 'survive will be': 829293, 'will be living': 992540, 'be living on': 115783, 'living on planet': 496432, 'on planet ruled': 602811, 'planet ruled by': 658420, 'ruled by ape': 727424, 'by ape we': 151875, 'ape we need': 81440, 'we need massive': 972514, 'need massive panic': 555220, 'massive panic and': 520062, 'panic and riot': 637333, 'and riot everyone': 70533, 'riot everyone take': 722608, 'everyone take to': 287447, 'take to the': 832744, 'the street social': 868250, 'street social distancing': 813117, 'distancing is not': 247252, 'not the solution': 572031, 'the solution planetoftheapes': 867465, 'judith': 467691, 'schwartz': 742071, 'and judith': 65687, 'judith schwartz': 467692, 'schwartz explains': 742072, 'exposing about': 292919, 'fix it': 309731, 'and judith schwartz': 65688, 'judith schwartz explains': 467693, 'schwartz explains what': 742073, 'explains what covid': 292249, 'is exposing about': 447664, 'exposing about our': 292920, 'about our food': 25891, 'supply and what': 824765, 'and what we': 75495, 'do to fix': 250386, 'to fix it': 905990, 'consumerpr': 199730, 'crisispr': 218477, 'prtips': 687350, 'crisis new': 217751, 'new insight': 558940, 'insight on': 439603, '19 pr': 9769, 'pr consumerpr': 668420, 'consumerpr crisispr': 199731, 'crisispr consumerbehavior': 218478, 'consumerbehavior prtips': 199622, 'coronavirus crisis new': 205762, 'crisis new insight': 217752, 'new insight on': 558942, 'insight on the': 439609, 'covid 19 pr': 213600, '19 pr consumerpr': 9770, 'pr consumerpr crisispr': 668421, 'consumerpr crisispr consumerbehavior': 199732, 'crisispr consumerbehavior prtips': 218479, '12yrs': 3147, 'born': 135550, 'that 12yrs': 842433, '12yrs ago': 3148, 'ago for': 38381, 'reason unknown': 703046, 'unknown over': 942529, 'period 90': 651703, '90 more': 23313, 'more boy': 538732, 'boy than': 137288, 'than girl': 840693, 'girl were': 350292, 'were born': 979381, 'born again': 135551, 'again gov': 37008, 'gov and': 359530, 'medium attempting': 527011, 'turn people': 935750, 'people against': 646787, 'against each': 37423, 'other claim': 619952, 'claim corona': 179715, 'corona hoarding': 203995, 'shortage false': 764946, 'false toiletpaper': 297464, 'been confirmed that': 120868, 'confirmed that 12yrs': 194193, 'that 12yrs ago': 842434, '12yrs ago for': 3149, 'ago for reason': 38386, 'for reason unknown': 325007, 'reason unknown over': 703047, 'unknown over month': 942530, 'over month period': 630410, 'month period 90': 537957, 'period 90 more': 651704, '90 more boy': 23314, 'more boy than': 538733, 'boy than girl': 137289, 'than girl were': 840694, 'girl were born': 350293, 'were born again': 979382, 'born again gov': 135552, 'again gov and': 37009, 'gov and medium': 359531, 'and medium attempting': 66919, 'medium attempting to': 527012, 'attempting to turn': 102294, 'to turn people': 917848, 'turn people against': 935751, 'people against each': 646788, 'against each other': 37424, 'each other claim': 264163, 'other claim corona': 619953, 'claim corona hoarding': 179716, 'corona hoarding is': 203996, 'hoarding is to': 399397, 'is to blame': 453183, 'blame for toilet': 132260, 'paper shortage false': 640772, 'shortage false toiletpaper': 764947, 'now addicted': 573942, 'shopping thanks': 764073, 'thanks covid': 842036, 'am now addicted': 50261, 'now addicted to': 573943, 'addicted to online': 31628, 'online shopping thanks': 609301, 'shopping thanks covid': 764074, 'thanks covid 19': 842037, '2002': 13564, 'qe': 691530, 'relaunched': 708795, 'resumption': 717770, 'bernanke': 127365, 'yellen': 1015240, 'speed at': 788428, 'at which': 101543, 'is unfolding': 453492, 'unfolding is': 941522, 'incredible global': 433836, 'recession stock': 704367, '30 lowest': 17096, 'lowest oil': 506191, 'since 2002': 770435, '2002 fed': 13571, 'fed rate': 301879, 'rate at': 697163, 'at zero': 101700, 'zero qe': 1027483, 'qe relaunched': 691536, 'relaunched resumption': 708798, 'resumption of': 717771, 'emergency measure': 272792, 'measure from': 525202, 'from 2008': 334232, '2008 bernanke': 13645, 'bernanke yellen': 127368, 'yellen call': 1015241, 'for corporate': 320402, 'corporate debt': 207258, 'debt buyback': 230429, 'the speed at': 867560, 'speed at which': 788429, 'at which the': 101547, 'which the shock': 986380, 'the shock is': 866962, 'shock is unfolding': 759467, 'is unfolding is': 453493, 'unfolding is incredible': 941523, 'is incredible global': 448877, 'incredible global recession': 433837, 'global recession stock': 352163, 'recession stock down': 704368, 'stock down 30': 802056, 'down 30 lowest': 256410, '30 lowest oil': 17097, 'lowest oil price': 506192, 'oil price since': 597257, 'price since 2002': 676413, 'since 2002 fed': 770437, '2002 fed rate': 13572, 'fed rate at': 301880, 'rate at zero': 697165, 'at zero qe': 101701, 'zero qe relaunched': 1027484, 'qe relaunched resumption': 691538, 'relaunched resumption of': 708799, 'resumption of emergency': 717774, 'of emergency measure': 583042, 'emergency measure from': 272795, 'measure from 2008': 525203, 'from 2008 bernanke': 334234, '2008 bernanke yellen': 13646, 'bernanke yellen call': 127369, 'yellen call for': 1015242, 'call for corporate': 155860, 'for corporate debt': 320404, 'corporate debt buyback': 207259, 'see company': 745003, 'company raising': 190996, 'and profiteering': 69605, 'crisis report': 217964, 'to here': 907713, 'you see company': 1021029, 'see company raising': 745004, 'company raising price': 190997, 'raising price and': 696107, 'price and profiteering': 672506, 'and profiteering from': 69606, 'from the crisis': 337660, 'the crisis report': 852441, 'crisis report it': 217965, 'it to here': 461724, 'of publicly': 588594, 'traded company': 928628, 'company hit': 190753, 'the plummet': 863856, 'plummet and': 661256, 'fear grow': 301149, 'grow about': 367002, 'economic damage': 267042, 'damage it': 225207, 'could cause': 208997, 'cause private': 167710, 'private equity': 678900, 'equity firm': 279935, 'and activist': 57639, 'activist investor': 30347, 'buy into': 148828, 'and delay': 61066, 'delay change': 232689, 'change force': 172058, 'the stock price': 867921, 'stock price of': 802738, 'price of publicly': 675548, 'of publicly traded': 588595, 'publicly traded company': 688608, 'traded company hit': 928629, 'company hit hard': 190754, 'by the plummet': 154409, 'the plummet and': 863857, 'plummet and fear': 661258, 'and fear grow': 62738, 'fear grow about': 301150, 'grow about the': 367004, 'about the economic': 26382, 'the economic damage': 853899, 'economic damage it': 267047, 'damage it could': 225208, 'it could cause': 457355, 'could cause private': 209003, 'cause private equity': 167711, 'private equity firm': 678901, 'equity firm and': 279936, 'firm and activist': 308306, 'and activist investor': 57640, 'activist investor are': 30348, 'investor are planning': 444109, 'planning to buy': 658583, 'to buy into': 902251, 'buy into the': 148830, 'into the company': 443108, 'the company and': 851310, 'company and delay': 190377, 'and delay change': 61068, 'delay change force': 232690, 'medicate': 526610, 'cocktail': 185232, 'refugee often': 706851, 'often self': 596270, 'self diagnose': 747604, 'or medicate': 616108, 'medicate rather': 526611, 'than seek': 841121, 'seek medical': 746588, 'medical attention': 526058, 'attention due': 102437, 'and lack': 65923, 'affordable help': 34851, 'help said': 390475, 'said an': 730967, 'an aid': 55203, 'aid worker': 39485, 'anonymity it': 77445, 'bad cocktail': 107808, 'cocktail that': 185247, 'sure refugee': 827663, 'refugee often self': 706852, 'often self diagnose': 596271, 'self diagnose or': 747605, 'diagnose or medicate': 240218, 'or medicate rather': 616109, 'medicate rather than': 526612, 'rather than seek': 697548, 'than seek medical': 841122, 'seek medical attention': 746590, 'medical attention due': 526059, 'attention due to': 102438, 'to fear of': 905699, 'fear of high': 301240, 'of high cost': 584610, 'high cost and': 394972, 'cost and lack': 207859, 'and lack of': 65924, 'lack of information': 478629, 'of information on': 585195, 'information on where': 437929, 'on where to': 605269, 'where to get': 985306, 'get affordable help': 346506, 'affordable help said': 34852, 'help said an': 390476, 'said an aid': 730968, 'an aid worker': 55204, 'aid worker on': 39486, 'worker on condition': 1007487, 'of anonymity it': 580230, 'anonymity it bad': 77446, 'it bad cocktail': 456685, 'bad cocktail that': 107810, 'cocktail that for': 185248, 'that for sure': 843937, 'for sure refugee': 326075, 'supermarket anyone': 819127, 'anyone need': 80419, 'anything yes': 80955, 'yes it': 1015465, 'no not': 564884, 'not telling': 571950, 'telling you': 837295, 'you where': 1022283, 'where am': 984722, 'am shopping': 50391, 'just in the': 469049, 'the supermarket anyone': 868463, 'supermarket anyone need': 819129, 'anyone need anything': 80420, 'need anything yes': 554465, 'anything yes it': 80956, 'yes it well': 1015468, 'it well stocked': 462308, 'stocked and no': 803264, 'and no not': 67627, 'no not telling': 564887, 'not telling you': 571953, 'telling you where': 837301, 'you where am': 1022284, 'where am shopping': 984726, 'buying dog': 150200, 'food well': 317541, 'well come': 978110, 'others there': 621709, 'of do': 582744, 'other pet': 620709, 'pet go': 653407, 'hungry because': 411225, 'hoard bag': 398763, 'think do': 885208, 'panic buying dog': 637708, 'buying dog food': 150201, 'dog food well': 252096, 'food well come': 317542, 'well come on': 978111, 'come on think': 187449, 'on think of': 604596, 'of others there': 587407, 'others there is': 621710, 'enough for all': 277429, 'all of do': 43684, 'of do not': 582746, 'not make other': 570501, 'make other pet': 510285, 'other pet go': 620711, 'pet go hungry': 653408, 'go hungry because': 353689, 'hungry because you': 411228, 'because you want': 119880, 'want to hoard': 966050, 'to hoard bag': 907866, 'hoard bag of': 398764, 'of food please': 583750, 'food please think': 315871, 'please think do': 660672, 'think do not': 885209, 'not be selfish': 568450, 'cashew': 166416, 'cashew export': 166417, 'export hit': 292649, '30 since': 17218, 'since february': 770587, 'february india': 301727, 'cashew export hit': 166418, 'export hit by': 292650, 'hit by covid': 398176, '19 price down': 9809, 'price down by': 673519, 'down by over': 256601, 'by over 30': 153497, 'over 30 since': 629821, '30 since february': 17219, 'since february india': 770590, 'dhs': 240130, 'leaked': 483858, 'fema dhs': 303484, 'dhs food': 240133, 'shortage timeline': 765269, 'timeline leaked': 898471, 'leaked china': 483859, 'china food': 176659, 'panic have': 638162, 'fema dhs food': 303485, 'dhs food shortage': 240134, 'food shortage timeline': 316613, 'shortage timeline leaked': 765270, 'timeline leaked china': 898472, 'leaked china food': 483860, 'china food buying': 176660, 'food buying panic': 313853, 'buying panic have': 150867, 'coloradan': 186760, 'denver news': 237127, 'news ag': 560195, 'ag warns': 36854, 'warns coloradan': 967255, 'coloradan about': 186761, 'denver news ag': 237128, 'news ag warns': 560197, 'ag warns coloradan': 36855, 'warns coloradan about': 967256, 'coloradan about coronavirus': 186762, 'better protected': 128432, 'protected in': 685141, 'the busiest': 850153, 'busiest area': 143179, 'testing center': 839468, 'center clean': 169169, 'shopper are better': 761384, 'are better protected': 84957, 'better protected in': 128433, 'protected in the': 685142, 'in the busiest': 429041, 'the busiest area': 850154, 'busiest area of': 143180, 'checkout we have': 175051, 'we have just': 971848, 'have just received': 381208, 'antimicrobial testing center': 78537, 'testing center clean': 839469, 'center clean supermarket': 169170, 'trouble finding': 932607, 'video is': 956787, 'having trouble finding': 384387, 'trouble finding toilet': 932609, 'paper at the': 639904, 'the store this': 868124, 'store this video': 810705, 'this video is': 890982, 'video is just': 956789, 'is just what': 449156, 'just what you': 470291, 'you need 19': 1019960, 'need 19 toiletpaper': 554337, 'ecological': 266680, 'obesity': 578362, 'just these': 470028, 'these politics': 880504, 'politics have': 663786, 'have delayed': 380218, 'delayed the': 232814, 'necessary response': 554063, 'climate breakdown': 182185, 'breakdown ecological': 138837, 'ecological collapse': 266681, 'collapse air': 185955, 'water pollution': 969119, 'pollution obesity': 663910, 'obesity and': 578365, 'they appear': 881176, 'the effective': 854075, 'effective containment': 269236, 'containment of': 200610, 'just these politics': 470030, 'these politics have': 880505, 'politics have delayed': 663787, 'have delayed the': 380223, 'delayed the necessary': 232816, 'the necessary response': 861379, 'necessary response to': 554064, 'response to climate': 715834, 'to climate breakdown': 902842, 'climate breakdown ecological': 182186, 'breakdown ecological collapse': 138838, 'ecological collapse air': 266682, 'collapse air and': 185956, 'air and water': 39687, 'and water pollution': 75250, 'water pollution obesity': 969120, 'pollution obesity and': 663911, 'obesity and consumer': 578368, 'and consumer debt': 60370, 'consumer debt so': 197088, 'debt so they': 230563, 'so they appear': 778463, 'they appear to': 881177, 'to have delayed': 907228, 'delayed the effective': 232815, 'the effective containment': 854076, 'effective containment of': 269237, 'containment of covid': 200611, 'harassed': 377813, 'quarantinechronicles': 692800, 'crazypeople': 215495, 'even hang': 284157, 'own house': 632069, 'without getting': 1002679, 'getting harassed': 349021, 'harassed for': 377818, 'toiletpaper by': 921839, 'by random': 153721, 'random stranger': 696621, 'stranger be': 812459, 'there folk': 878394, 'folk ugh': 312285, 'ugh quarantine': 938026, 'quarantine quarantinechronicles': 692468, 'quarantinechronicles crazypeople': 692801, 'cannot even hang': 161795, 'even hang out': 284158, 'hang out in': 376936, 'out in front': 626379, 'of your own': 593506, 'your own house': 1025146, 'own house without': 632071, 'house without getting': 406699, 'without getting harassed': 1002682, 'getting harassed for': 349022, 'harassed for toiletpaper': 377819, 'for toiletpaper by': 327255, 'toiletpaper by random': 921840, 'by random stranger': 153722, 'random stranger be': 696622, 'stranger be safe': 812460, 'out there folk': 627480, 'there folk ugh': 878396, 'folk ugh quarantine': 312286, 'ugh quarantine quarantinechronicles': 938027, 'quarantine quarantinechronicles crazypeople': 692469, 'will you be': 995379, 'you be wearing': 1017404, 'be wearing mask': 118077, 'glove to the': 352978, 'handrail': 376438, 'not touch': 572231, 'face be': 294328, 'careful of': 164414, 'key cell': 473239, 'phone atm': 654899, 'atm and': 101915, 'store pin': 809566, 'pad paper': 633781, 'money door': 536713, 'handle handrail': 376201, 'handrail elevator': 376439, 'button common': 148205, 'common surface': 189476, 'surface gym': 828030, 'gym weight': 369360, 'hand and do': 374757, 'do not touch': 249872, 'not touch your': 572236, 'your face be': 1023743, 'face be careful': 294329, 'be careful of': 113991, 'careful of key': 164415, 'of key cell': 585611, 'key cell phone': 473240, 'cell phone atm': 168958, 'phone atm and': 654901, 'atm and grocery': 101916, 'grocery store pin': 365661, 'store pin pad': 809567, 'pin pad paper': 656777, 'pad paper money': 633782, 'paper money door': 640473, 'money door handle': 536714, 'door handle handrail': 255607, 'handle handrail elevator': 376202, 'handrail elevator button': 376440, 'elevator button common': 271376, 'button common surface': 148206, 'common surface gym': 189477, 'surface gym weight': 828031, 'justified': 470459, 'your pub': 1025467, 'pub open': 687741, 'not justified': 570268, 'justified tim': 470460, 'tim martin': 896161, 'martin don': 518098, 'think shutting': 885543, 'shutting pub': 768289, 'pub restaurant': 687756, 'restaurant down': 716432, 'down is': 256885, 'is sensible': 451776, 'sensible policy': 750646, 'policy think': 663520, 'it over': 460204, 'keeping your pub': 472640, 'your pub open': 1025468, 'pub open is': 687742, 'open is not': 612333, 'is not justified': 450118, 'not justified tim': 570269, 'justified tim martin': 470461, 'tim martin don': 896163, 'martin don think': 518099, 'don think shutting': 253981, 'think shutting pub': 885544, 'shutting pub restaurant': 768290, 'pub restaurant down': 687758, 'restaurant down is': 716433, 'down is sensible': 256888, 'is sensible policy': 451778, 'sensible policy think': 750647, 'policy think it': 663521, 'think it over': 885348, 'it over the': 460211, 'over the top': 630779, 'sillah': 769742, 'be killed': 115602, 'killed with': 474619, 'or soap': 617133, 'soap this': 779126, 'why hate': 991049, 'hate science': 378902, 'science sillah': 742137, 'is no cure': 449919, 'no cure for': 563946, 'cure for virus': 220749, 'for virus that': 327580, 'virus that can': 958871, 'can be killed': 157636, 'be killed with': 115604, 'killed with hand': 474621, 'sanitizer or soap': 735494, 'or soap this': 617135, 'soap this is': 779127, 'is why hate': 453963, 'why hate science': 991050, 'hate science sillah': 378903, 'detox': 239482, 'phoneaddiction': 655076, 'digitaldetox': 242711, 'lockdown how': 499475, 'beat your': 118587, 'smartphone addiction': 775512, 'addiction it': 31642, 'digital detox': 242550, 'detox phoneaddiction': 239485, 'phoneaddiction digitaldetox': 655077, 'coronavirus lockdown how': 206246, 'lockdown how to': 499478, 'to beat your': 901660, 'beat your smartphone': 118588, 'your smartphone addiction': 1025840, 'smartphone addiction it': 775513, 'addiction it time': 31643, 'time for digital': 896701, 'for digital detox': 320709, 'digital detox phoneaddiction': 242551, 'detox phoneaddiction digitaldetox': 239486, 'bame': 109146, 'live the': 496046, 'majority are': 509530, 'are white': 91624, 'white british': 987827, 'british we': 140618, 'all queue': 44109, 'queue meter': 693992, 'meter apart': 529684, 'our distance': 622770, 'we stay': 973384, 'any asian': 78943, 'asian community': 95262, 'uk but': 938229, 'affecting bame': 34487, 'bame people': 109149, 'people more': 648784, 'more because': 538709, 'it racist': 460591, 'racist virus': 695332, 'virus yes': 959073, 'that right': 846048, 'where live the': 984992, 'live the majority': 496050, 'the majority are': 859941, 'majority are white': 509531, 'are white british': 91625, 'white british we': 987829, 'british we all': 140619, 'we all queue': 970354, 'all queue meter': 44111, 'queue meter apart': 693993, 'meter apart we': 529692, 'apart we keep': 81366, 'we keep our': 972132, 'keep our distance': 471729, 'our distance in': 622771, 'supermarket we stay': 823755, 'we stay at': 973385, 'home this could': 402288, 'could be any': 208843, 'be any asian': 113644, 'any asian community': 78944, 'asian community in': 95263, 'community in the': 189919, 'the uk but': 870199, 'uk but covid': 938230, '19 is affecting': 7928, 'is affecting bame': 445379, 'affecting bame people': 34488, 'bame people more': 109150, 'people more because': 648786, 'more because it': 538710, 'because it racist': 119201, 'it racist virus': 460593, 'racist virus yes': 695334, 'virus yes that': 959074, 'yes that right': 1015545, 'one drop': 606215, 'germ of': 346134, 'germ be': 346102, 'one drop of': 606216, 'drop of sanitizer': 260324, 'of sanitizer kill': 589295, 'sanitizer kill 99': 735255, 'of germ of': 584098, 'germ of germ': 346135, 'of germ be': 584095, 'germ be like': 346103, 'krg': 477661, 'reform': 706706, 'longterm': 502137, 'baghdad': 108536, 'the downfall': 853627, 'downfall of': 257542, 'negative impact': 556786, 'impact ha': 417689, 'already left': 47504, 'the krg': 858862, 'krg economy': 477664, 'economy well': 268334, 'the failure': 854848, 'failure of': 296281, 'krg to': 477672, 'bring about': 139917, 'about needed': 25783, 'needed economic': 556343, 'economic reform': 267241, 'reform amp': 706707, 'amp tackling': 54612, 'tackling corruption': 831640, 'corruption amp': 207687, 'no authentic': 563636, 'authentic amp': 103612, 'amp longterm': 54083, 'longterm agreement': 502138, 'agreement baghdad': 38770, 'baghdad main': 108537, 'main cause': 508726, 'cause for': 167569, 'new crisis': 558569, 'the downfall of': 853628, 'downfall of oil': 257543, 'the negative impact': 861418, 'negative impact ha': 556788, 'impact ha already': 417690, 'ha already left': 369513, 'already left on': 47505, 'on the krg': 604198, 'the krg economy': 858863, 'krg economy well': 477665, 'economy well the': 268336, 'well the failure': 978657, 'the failure of': 854849, 'failure of the': 296285, 'of the krg': 591168, 'the krg to': 858864, 'krg to bring': 477673, 'to bring about': 902028, 'bring about needed': 139918, 'about needed economic': 25784, 'needed economic reform': 556344, 'economic reform amp': 267242, 'reform amp tackling': 706708, 'amp tackling corruption': 54613, 'tackling corruption amp': 831641, 'corruption amp no': 207688, 'amp no authentic': 54181, 'no authentic amp': 563637, 'authentic amp longterm': 103613, 'amp longterm agreement': 54084, 'longterm agreement baghdad': 502139, 'agreement baghdad main': 38771, 'baghdad main cause': 108538, 'main cause for': 508727, 'cause for the': 167571, 'for the new': 326580, 'the new crisis': 861487, 'adverse': 33124, 'have adverse': 379135, 'adverse impact': 33125, 'on sugar': 603739, 'sugar consumption': 817439, 'consumption price': 199931, 'price sugar': 676702, '19 outbreak to': 9201, 'outbreak to have': 628759, 'to have adverse': 907195, 'have adverse impact': 379136, 'adverse impact on': 33127, 'impact on sugar': 417892, 'on sugar consumption': 603740, 'sugar consumption price': 817441, 'consumption price sugar': 199932, 'steepen': 799402, 'the log': 859652, 'log graph': 500611, 'graph continues': 362144, 'to steepen': 915379, 'steepen that': 799403, 'more lockdown': 539717, 'suffer and': 817190, 'might plummet': 531103, 'plummet 19': 661244, 'if the log': 414996, 'the log graph': 859653, 'log graph continues': 500612, 'graph continues to': 362145, 'continues to steepen': 201499, 'to steepen that': 915380, 'steepen that when': 799404, 'that when there': 847495, 'when there will': 984235, 'be more lockdown': 115983, 'more lockdown in': 539718, 'lockdown in country': 499500, 'in country and': 421822, 'country and business': 210436, 'and business will': 59307, 'business will suffer': 144690, 'will suffer and': 995020, 'suffer and stock': 817192, 'and stock price': 72415, 'stock price might': 802734, 'price might plummet': 675245, 'might plummet 19': 531104, 'gas for': 343854, 'for 48': 318850, '48 not': 19319, 'telling all': 837180, 'all where': 45443, 'where because': 984755, 'because see': 119532, 'just got gas': 468855, 'got gas for': 358579, 'gas for 48': 343855, 'for 48 not': 318853, '48 not telling': 19320, 'not telling all': 571951, 'telling all where': 837182, 'all where because': 45444, 'where because see': 984756, 'because see how': 119533, 'see how you': 745260, 'how you did': 409279, 'you did with': 1018202, 'did with the': 240909, 'with the toiletpaper': 1001521, 'grocerydelivery': 366206, 'retailstore': 719544, 'amazon went': 51192, 'from convenient': 334992, 'convenient to': 202425, 'what cost': 981262, 'cost via': 208149, 'news pandemic': 560686, 'pandemic amazonfresh': 634833, 'amazonfresh walmart': 51232, 'walmart grocerydelivery': 965341, 'grocerydelivery retailstore': 366215, 'retailstore closure': 719545, 'amazon went from': 51193, 'went from convenient': 979013, 'from convenient to': 334993, 'convenient to essential': 202427, 'to essential during': 905256, 'during the at': 263088, 'the at what': 849005, 'at what cost': 101521, 'what cost via': 981263, 'cost via news': 208150, 'via news pandemic': 956103, 'news pandemic amazonfresh': 560687, 'pandemic amazonfresh walmart': 634834, 'amazonfresh walmart grocerydelivery': 51233, 'walmart grocerydelivery retailstore': 965342, 'grocerydelivery retailstore closure': 366216, 'astonishing': 97234, 'the spirit': 867582, 'spirit of': 789490, 'staff is': 792572, 'absolutely astonishing': 27321, 'astonishing please': 97235, 'rt if': 726772, 're proud': 699322, 'proud we': 686066, 'will beat': 992781, 'the spirit of': 867584, 'spirit of nh': 789493, 'nh staff is': 562094, 'staff is absolutely': 792573, 'is absolutely astonishing': 445291, 'absolutely astonishing please': 27322, 'astonishing please rt': 97236, 'please rt if': 660430, 'rt if you': 726774, 'you re proud': 1020713, 're proud we': 699324, 'proud we will': 686067, 'we will beat': 973836, 'will beat this': 992783, 'kalady': 470693, 'kalady student': 470694, 'student develop': 814674, 'develop low': 239649, 'cost hand': 207960, 'kalady student develop': 470695, 'student develop low': 814675, 'develop low cost': 239650, 'low cost hand': 505213, 'cost hand sanitizer': 207961, 'coop': 203095, 'impossible don': 419368, 'don leave': 253683, 'home use': 402409, 'medicine or': 526856, 'other necessity': 620566, 'necessity except': 554204, 'except that': 289228, 'delivery system': 234595, 'closed ocado': 183252, 'ocado etc': 578892, 'etc so': 282754, 'so had': 777228, 'into packed': 442833, 'packed little': 633619, 'little coop': 495300, 'impossible don leave': 419369, 'don leave home': 253685, 'leave home use': 484825, 'home use online': 402412, 'use online shopping': 949448, 'shopping for delivery': 762670, 'for delivery of': 320640, 'of food medicine': 583732, 'food medicine or': 315446, 'medicine or other': 526859, 'or other necessity': 616438, 'other necessity except': 620569, 'necessity except that': 554205, 'except that all': 289229, 'that all delivery': 842541, 'all delivery system': 42548, 'delivery system are': 234596, 'system are closed': 831114, 'are closed ocado': 85357, 'closed ocado etc': 183253, 'ocado etc so': 578893, 'etc so had': 282755, 'so had to': 777231, 'go into packed': 353761, 'into packed little': 442834, 'packed little coop': 633620, 'easy solution': 265760, 'buying close': 150117, 'close supermarket': 182818, 'park except': 641902, 'for blue': 319700, 'blue badge': 133435, 'badge owner': 108128, 'owner coronacrisis': 632434, 'easy solution to': 265761, 'solution to stop': 782113, 'panic buying close': 637679, 'buying close supermarket': 150118, 'close supermarket car': 182819, 'car park except': 163218, 'park except for': 641903, 'except for blue': 289151, 'for blue badge': 319701, 'blue badge owner': 133436, 'badge owner coronacrisis': 108129, 'join for': 466708, 'latest insight': 481404, 'virus we': 959005, 'provide an': 686221, 'current cannabis': 221114, 'cannabis market': 161421, 'market condition': 516204, 'condition sale': 193520, 'sale trend': 732602, 'trend unique': 931494, 'unique market': 941988, 'factor consumer': 295876, 'consumer response': 198784, 'response behavior': 715632, 'join for an': 466709, 'for an update': 319309, 'on the latest': 604205, 'the latest insight': 859120, 'latest insight and': 481405, 'insight and the': 439510, 'and the overall': 73506, '19 virus we': 11845, 'virus we will': 959011, 'we will provide': 973893, 'will provide an': 994507, 'provide an update': 686224, 'update on current': 947112, 'on current cannabis': 600184, 'current cannabis market': 221115, 'cannabis market condition': 161422, 'market condition sale': 516208, 'condition sale trend': 193521, 'sale trend unique': 732603, 'trend unique market': 931495, 'unique market factor': 941989, 'market factor consumer': 516371, 'factor consumer response': 295877, 'consumer response behavior': 198785, 'response behavior change': 715633, 'behavior change and': 123960, 'change and more': 171919, 'yup': 1027112, 'marketingconsultant': 517766, 'internetmarketing': 442063, 'mondaywisdom': 536520, 'newweek': 561157, 'yup pretty': 1027119, 'much still': 545320, 'it lol': 459449, 'lol marketing': 500926, 'marketing marketingconsultant': 517643, 'marketingconsultant digitalmarketing': 517767, 'digitalmarketing internetmarketing': 242776, 'internetmarketing socialmedia': 442064, 'socialmedia mondaywisdom': 781091, 'mondaywisdom mondaymotivation': 536521, 'mondaymotivation monday': 536467, 'monday newweek': 536339, 'newweek quarantineandchill': 561160, 'quarantineandchill toiletpaper': 692774, 'toiletpaper hoarding': 922073, 'yup pretty much': 1027120, 'pretty much still': 671462, 'much still do': 545321, 'not get it': 569594, 'get it lol': 347414, 'it lol marketing': 459450, 'lol marketing marketingconsultant': 500927, 'marketing marketingconsultant digitalmarketing': 517644, 'marketingconsultant digitalmarketing internetmarketing': 517768, 'digitalmarketing internetmarketing socialmedia': 242777, 'internetmarketing socialmedia mondaywisdom': 442065, 'socialmedia mondaywisdom mondaymotivation': 781092, 'mondaywisdom mondaymotivation monday': 536522, 'mondaymotivation monday newweek': 536468, 'monday newweek quarantineandchill': 536341, 'newweek quarantineandchill toiletpaper': 561161, 'quarantineandchill toiletpaper hoarding': 692775, 'civility': 179580, 'what desperately': 981313, 'desperately needed': 238577, 'needed from': 556367, 'our biz': 622218, 'biz leadership': 131941, 'leadership are': 483585, 'are effort': 86084, 'behave with': 123802, 'respect civility': 714972, 'civility and': 179581, 'and consideration': 60319, 'clerk and': 181635, 'other front': 620278, 'what desperately needed': 981314, 'desperately needed from': 238578, 'needed from our': 556368, 'from our biz': 336758, 'our biz leadership': 622219, 'biz leadership are': 131942, 'leadership are effort': 483586, 'are effort to': 86085, 'effort to remind': 269642, 'remind the public': 710508, 'the public to': 864862, 'public to behave': 688372, 'to behave with': 901727, 'behave with respect': 123803, 'with respect civility': 1000481, 'respect civility and': 714973, 'civility and consideration': 179582, 'and consideration for': 60321, 'consideration for grocery': 195248, 'store clerk and': 806994, 'clerk and other': 181640, 'and other front': 68332, 'other front line': 620279, 'line worker say': 493606, 'worker say on': 1007739, 'competition commission': 191685, 'ha set': 371867, 'up team': 946128, 'team to': 835800, 'investigate complaint': 443799, 'complaint after': 191934, 'government published': 360499, 'published regulation': 688688, 'regulation against': 708040, 'many complaint': 513923, 'complaint about': 191923, 'food health': 314800, 'and hygiene': 64901, 'the competition commission': 851378, 'competition commission say': 191690, 'it ha set': 458412, 'ha set up': 371872, 'set up team': 753581, 'up team to': 946129, 'team to investigate': 835805, 'to investigate complaint': 908491, 'investigate complaint after': 443800, 'complaint after the': 191936, 'after the government': 36318, 'the government published': 856590, 'government published regulation': 360500, 'published regulation against': 688689, 'regulation against price': 708042, 'gouging in light': 359346, 'the outbreak many': 862662, 'outbreak many complaint': 628438, 'many complaint about': 513924, 'complaint about the': 191933, 'about the increase': 26422, 'of food health': 583705, 'food health and': 314801, 'health and hygiene': 386144, 'and hygiene product': 64907, 'there dont': 878336, 'it shelterinplace': 461013, 'shelterinplace pandemic': 758011, 'store worker out': 811552, 'out there dont': 627477, 'there dont know': 878337, 'dont know how': 255241, 'know how you': 476466, 'how you do': 409280, 'you do it': 1018257, 'do it shelterinplace': 249510, 'it shelterinplace pandemic': 461014, 'limbo': 492246, 'the limbo': 859378, 'limbo dance': 492247, 'dance of': 225566, 'coronavirus may': 206269, 'send the': 749960, 'national average': 552422, 'average to': 104904, '30 per': 17183, 'gallon here': 343017, 'the limbo dance': 859379, 'limbo dance of': 492248, 'dance of oil': 225567, 'the coronavirus may': 851879, 'coronavirus may send': 206274, 'may send the': 521490, 'send the national': 749965, 'the national average': 861285, 'national average to': 552425, 'average to 30': 104905, 'to 30 per': 899672, '30 per gallon': 17187, 'per gallon here': 650848, 'gallon here why': 343018, 'we try': 973581, 'thing including': 884446, 'including buying': 431899, 'online unfortunately': 609647, 'unfortunately all': 941573, 'but one': 146664, 'one attempt': 605975, 'attempt ended': 102220, 'ended in': 276130, 'in failure': 422772, 'failure the': 296292, 'required product': 713382, 'available there': 104622, 'no available': 563646, 'slot we': 774292, 'were close': 979446, 'to tonight': 917631, 'but nope': 146520, 'nope corona': 566899, 'we try to': 973582, 'try to do': 934618, 'can to do': 160006, 'right thing including': 722312, 'thing including buying': 884447, 'including buying grocery': 431900, 'buying grocery online': 150416, 'grocery online unfortunately': 364789, 'online unfortunately all': 609648, 'unfortunately all but': 941574, 'all but one': 42254, 'but one attempt': 146666, 'one attempt ended': 605976, 'attempt ended in': 102221, 'ended in failure': 276131, 'in failure the': 422773, 'failure the required': 296293, 'the required product': 865557, 'required product are': 713383, 'product are not': 680944, 'not available there': 568307, 'available there are': 104623, 'are no available': 88242, 'no available delivery': 563648, 'available delivery slot': 104317, 'delivery slot we': 234547, 'slot we were': 774295, 'we were close': 973784, 'were close to': 979448, 'close to tonight': 182920, 'to tonight but': 917632, 'tonight but nope': 924386, 'but nope corona': 146521, 'nope corona virus': 566900, 'when restock': 983943, 'restock of': 716885, 'of wipe': 593194, 'and spray': 72136, 'spray is': 790301, 'anyone know when': 80405, 'know when restock': 477003, 'when restock of': 983944, 'restock of wipe': 716886, 'of wipe and': 593195, 'sanitizer and spray': 734437, 'and spray is': 72137, 'spray is coming': 790302, 'equivalent': 279976, 'million ton': 532394, 'is thrown': 453147, 'away each': 105826, 'each year': 264339, 'uk 70': 938148, 'is edible': 447439, 'edible stop': 268561, 'doing that': 252703, 'the equivalent': 854464, 'equivalent of': 279983, 'of putting': 588626, 'others stopstockpiling': 621668, 'million ton of': 532395, 'of food is': 583721, 'food is thrown': 315158, 'is thrown away': 453148, 'thrown away each': 895131, 'away each year': 105827, 'each year in': 264342, 'year in the': 1014657, 'the uk 70': 870186, 'uk 70 of': 938149, '70 of that': 21806, 'of that is': 590729, 'that is edible': 844579, 'is edible stop': 447440, 'edible stop doing': 268562, 'stop doing that': 804618, 'doing that now': 252707, 'that now and': 845417, 'now and it': 574040, 'and it the': 65590, 'it the equivalent': 461532, 'the equivalent of': 854466, 'equivalent of putting': 279992, 'of putting it': 588628, 'putting it on': 691157, 'it on supermarket': 460060, 'shelf for others': 757095, 'for others stopstockpiling': 324200, 'slayer': 773729, 'flickr': 310412, 'paper slayer': 640783, 'slayer flickr': 773730, 'flickr toiletpaper': 310413, 'toilet paper slayer': 921453, 'paper slayer flickr': 640784, 'slayer flickr toiletpaper': 773731, 'prosecution': 684655, 'prosecuted': 684631, 'it involves': 458842, 'involves lone': 444378, 'lone bad': 501277, 'actor coughing': 30574, 'coughing in': 208689, 'store prosecution': 809685, 'prosecution under': 684660, 'under federal': 940084, 'federal anti': 301953, 'anti terrorism': 78331, 'terrorism law': 838610, 'law would': 482456, 'be excessive': 114718, 'excessive they': 289424, 'be prosecuted': 116572, 'prosecuted but': 684636, 'but state': 147143, 'state law': 795726, 'local law': 498144, 'enforcement already': 276739, 'the tool': 869765, 'if it involves': 414312, 'it involves lone': 458843, 'involves lone bad': 444379, 'lone bad actor': 501278, 'bad actor coughing': 107745, 'actor coughing in': 30575, 'coughing in grocery': 208690, 'grocery store prosecution': 365685, 'store prosecution under': 809686, 'prosecution under federal': 684661, 'under federal anti': 940085, 'federal anti terrorism': 301954, 'anti terrorism law': 78333, 'terrorism law would': 838611, 'law would be': 482457, 'would be excessive': 1011580, 'be excessive they': 114719, 'excessive they deserve': 289425, 'they deserve to': 881907, 'deserve to be': 238135, 'to be prosecuted': 901465, 'be prosecuted but': 116574, 'prosecuted but state': 684637, 'but state law': 147144, 'state law and': 795727, 'law and local': 482209, 'and local law': 66297, 'local law enforcement': 498145, 'law enforcement already': 482265, 'enforcement already have': 276740, 'already have the': 47434, 'have the tool': 383038, 'the tool to': 869766, 'tool to deal': 925446, 'deal with them': 229583, 'underpaid': 940522, 'despite often': 238802, 'often being': 596166, 'being underpaid': 125999, 'underpaid these': 940526, 'providing family': 686990, 'holding community': 400097, 'community together': 190183, 'together during': 920767, 'shown how': 767588, 'how essential': 407808, 'here to the': 393733, 'store worker despite': 811478, 'worker despite often': 1006771, 'despite often being': 238803, 'often being underpaid': 596167, 'being underpaid these': 126000, 'underpaid these worker': 940527, 'worker are providing': 1006418, 'are providing family': 89318, 'providing family with': 686991, 'family with the': 298393, 'with the supply': 1001506, 'need and are': 554416, 'and are holding': 58323, 'are holding community': 87217, 'holding community together': 400098, 'community together during': 190184, 'together during these': 920769, 'crisis the pandemic': 218188, 'pandemic ha shown': 635569, 'ha shown how': 371917, 'shown how essential': 767589, 'how essential grocery': 407809, 'thursdaymotivation': 895463, 'thursdaymorning': 895460, 'secondwave': 743904, 'for foodbanks': 321657, 'foodbanks soar': 317842, 'soar thursdaymotivation': 779271, 'thursdaymotivation thursdaymorning': 895466, 'thursdaymorning thursday': 895461, 'thursday thursdaythoughts': 895436, 'thursdaythoughts thursdaythoughts': 895489, 'thursdaythoughts secondwave': 895483, 'demand for foodbanks': 235420, 'for foodbanks soar': 321658, 'foodbanks soar thursdaymotivation': 317844, 'soar thursdaymotivation thursdaymorning': 779272, 'thursdaymotivation thursdaymorning thursday': 895467, 'thursdaymorning thursday thursdaythoughts': 895462, 'thursday thursdaythoughts thursdaythoughts': 895437, 'thursdaythoughts thursdaythoughts secondwave': 895490, 'closeness': 183488, 'inaction': 431185, 'lockdown need': 499684, 'happen now': 377127, 'and tesco': 73127, 'tesco staff': 838807, 'supermarket an': 818916, 'of physical': 588110, 'physical closeness': 655391, 'closeness in': 183489, 'in huge': 423898, 'huge number': 410102, 'number to': 577067, 'spread between': 790454, 'worker this': 1007974, 'is killing': 449199, 'killing people': 474703, 'people through': 649860, 'through inaction': 894523, 'the lockdown need': 859618, 'lockdown need to': 499685, 'to happen now': 907154, 'happen now an': 377128, 'now an hour': 574020, 'an hour for': 56083, 'nh worker and': 562173, 'worker and tesco': 1006341, 'and tesco staff': 73131, 'tesco staff at': 838808, 'the supermarket an': 868459, 'supermarket an hour': 818917, 'an hour of': 56093, 'hour of physical': 405804, 'of physical closeness': 588111, 'physical closeness in': 655392, 'closeness in huge': 183490, 'in huge number': 423899, 'huge number to': 410104, 'number to spread': 577076, 'to spread between': 915055, 'spread between key': 790455, 'between key worker': 128815, 'key worker this': 473522, 'worker this government': 1007975, 'this government is': 887739, 'government is killing': 360259, 'is killing people': 449208, 'killing people through': 474710, 'people through inaction': 649861, 'wander': 965563, 'when grocery': 983494, 'manager allow': 512662, 'allow their': 46079, 'to wander': 918321, 'wander the': 965566, 'store freely': 807868, 'freely they': 332470, 'being irresponsible': 125339, 'irresponsible and': 445033, 'and contributing': 60511, 'this simulation': 890155, 'why source': 991367, 'when grocery store': 983497, 'grocery store owner': 365633, 'store owner manager': 809433, 'owner manager allow': 632497, 'manager allow their': 512663, 'allow their customer': 46080, 'their customer to': 872962, 'customer to wander': 222985, 'to wander the': 918322, 'wander the store': 965568, 'the store freely': 868023, 'store freely they': 807869, 'freely they are': 332471, 'are being irresponsible': 84877, 'being irresponsible and': 125340, 'irresponsible and contributing': 445034, 'and contributing to': 60512, 'of the this': 591539, 'the this simulation': 869491, 'this simulation show': 890156, 'simulation show why': 770360, 'show why source': 767283, 'nick': 562575, 'carroll': 165037, 'navigator': 553142, 'grocery sector': 364941, 'sector both': 744111, 'physical our': 655439, 'our associate': 622134, 'associate director': 96861, 'retail research': 718448, 'research nick': 713790, 'nick carroll': 562580, 'carroll share': 165038, 'share his': 755027, 'his analysis': 397193, 'food navigator': 315511, 'what impact is': 981647, 'impact is covid': 417716, '19 having on': 7461, 'having on the': 384207, 'the uk grocery': 870228, 'uk grocery sector': 938425, 'grocery sector both': 364942, 'sector both online': 744112, 'online and physical': 607839, 'and physical our': 69001, 'physical our associate': 655440, 'our associate director': 622137, 'associate director of': 96862, 'director of retail': 243655, 'of retail research': 589049, 'retail research nick': 718449, 'research nick carroll': 713791, 'nick carroll share': 562581, 'carroll share his': 165039, 'share his analysis': 755028, 'his analysis with': 397194, 'analysis with food': 57094, 'with food navigator': 998498, 'barrier': 111339, 'certificate': 170201, 'overnight on': 631346, 'monday our': 536359, 'local french': 497990, 'french supermarket': 332756, 'supermarket put': 822096, 'put up': 690959, 'up clear': 944605, 'clear plastic': 181301, 'plastic barrier': 658813, 'barrier at': 111348, 'the register': 865438, 'cashier set': 166604, 'up table': 946114, 'table with': 831509, 'with blank': 997420, 'blank certificate': 132367, 'certificate and': 170202, 'had staff': 373546, 'to explain': 905472, 'explain our': 292110, 'our experience': 622951, 'experience so': 291480, 'far ha': 298796, 'been calm': 120776, 'calm friendly': 156745, 'and clear': 59953, 'clear information': 181271, 'overnight on monday': 631347, 'on monday our': 602180, 'monday our local': 536360, 'our local french': 623772, 'local french supermarket': 497991, 'french supermarket put': 332759, 'supermarket put up': 822101, 'put up clear': 690963, 'up clear plastic': 944606, 'clear plastic barrier': 181302, 'plastic barrier at': 658814, 'barrier at the': 111349, 'at the register': 101075, 'the register to': 865443, 'register to protect': 707620, 'to protect customer': 912298, 'protect customer and': 684809, 'customer and cashier': 222068, 'and cashier set': 59613, 'cashier set up': 166605, 'set up table': 753580, 'up table with': 946115, 'table with blank': 831510, 'with blank certificate': 997422, 'blank certificate and': 132368, 'certificate and had': 170203, 'and had staff': 64105, 'had staff on': 373547, 'staff on hand': 792716, 'on hand to': 601239, 'hand to explain': 375859, 'to explain our': 905475, 'explain our experience': 292111, 'our experience so': 622952, 'experience so far': 291481, 'so far ha': 777032, 'far ha been': 298797, 'ha been calm': 369738, 'been calm friendly': 120777, 'calm friendly and': 156746, 'friendly and clear': 333939, 'and clear information': 59957, 'chant': 172974, 'diff': 241789, 'outsourced': 629676, 'insourced': 439754, '10x': 2406, 'poo': 663992, 'yeah so': 1014291, 'so chant': 776746, 'chant usa': 172977, 'usa made': 948686, 'usa all': 948581, 'it tho': 461659, 'tho the': 891690, 'the diff': 853253, 'diff in': 241794, 'in med': 425219, 'med price': 525912, 'price outsourced': 675810, 'outsourced and': 629677, 'and insourced': 65269, 'insourced is': 439755, 'is 10x': 445148, '10x wonder': 2415, 'why lady': 991157, 'lady got': 478770, 'got 40': 358373, '00 med': 327, 'med bill': 525877, 'her covid': 391970, 'treatment how': 931086, 'the poo': 863962, 'yeah so chant': 1014292, 'so chant usa': 776747, 'chant usa made': 172978, 'usa made in': 948687, 'made in usa': 507796, 'in usa all': 430485, 'usa all you': 948582, 'all you want': 45556, 'you want you': 1022166, 'want you ll': 966181, 'you ll pay': 1019666, 'pay for it': 644883, 'for it tho': 322741, 'it tho the': 461660, 'tho the diff': 891691, 'the diff in': 853254, 'diff in med': 241795, 'in med price': 425220, 'med price outsourced': 525913, 'price outsourced and': 675811, 'outsourced and insourced': 629678, 'and insourced is': 65270, 'insourced is 10x': 439756, 'is 10x wonder': 445149, '10x wonder why': 2416, 'wonder why lady': 1004042, 'why lady got': 991158, 'lady got 40': 478771, 'got 40 00': 358374, '40 00 med': 18511, '00 med bill': 328, 'med bill for': 525878, 'bill for her': 130574, 'for her covid': 322218, 'her covid 19': 391971, '19 treatment how': 11571, 'treatment how will': 931087, 'will the poo': 995151, 'layman': 482667, 'tact': 831679, 'poll': 663821, 'pers': 652242, 'in simple': 427961, 'simple layman': 770047, 'layman language': 482668, 'language change': 479482, 'change tact': 172275, 'tact to': 831680, 'match demand': 520287, 'supply across': 824658, 'market mood': 516731, 'mood do': 538273, 'do poll': 249994, 'poll right': 663853, 'what someone': 982221, 'someone will': 784777, 'will prefer': 994435, 'spend if': 788616, 'had loose': 373264, 'loose 00': 503185, '00 your': 625, 'your chocolate': 1023210, 'chocolate gift': 177675, 'gift food': 349970, '19 protective': 9859, 'gear pers': 344971, 'in simple layman': 427962, 'simple layman language': 770048, 'layman language change': 482669, 'language change tact': 479483, 'change tact to': 172276, 'tact to match': 831681, 'to match demand': 909892, 'match demand and': 520288, 'and supply across': 72773, 'supply across the': 824659, 'across the market': 29503, 'the market mood': 860135, 'market mood do': 516732, 'mood do poll': 538274, 'do poll right': 249995, 'poll right now': 663854, 'right now what': 722179, 'now what someone': 576384, 'what someone will': 982222, 'someone will prefer': 784779, 'will prefer to': 994437, 'prefer to spend': 669757, 'to spend if': 914991, 'spend if they': 788617, 'if they had': 415113, 'they had loose': 882248, 'had loose 00': 373265, 'loose 00 your': 503186, '00 your chocolate': 626, 'your chocolate gift': 1023211, 'chocolate gift food': 177676, 'gift food and': 349971, 'food and covid': 313204, 'covid 19 protective': 213624, '19 protective gear': 9860, 'protective gear pers': 685758, 'people exercising': 647836, 'in gym': 423490, 'gym family': 369321, 'of five': 583568, 'five together': 309679, 'together grocery': 920807, 'shopping retail': 763752, 'still half': 800627, 'half filled': 374166, 'filled with': 305572, 'with car': 997539, 'car not': 163183, 'not hard': 569798, 'why stricter': 991383, 'stricter restriction': 813671, 'restriction continue': 717246, 'continue being': 201004, 'being ordered': 125503, 'ordered by': 618831, 'by state': 154101, 'and federal': 62754, 'federal official': 302029, 'people exercising in': 647837, 'exercising in gym': 290125, 'in gym family': 423491, 'gym family of': 369322, 'family of five': 298096, 'of five together': 583571, 'five together grocery': 309680, 'together grocery shopping': 920808, 'grocery shopping retail': 365074, 'shopping retail store': 763756, 'retail store parking': 718680, 'lot still half': 504374, 'still half filled': 800628, 'half filled with': 374167, 'filled with car': 305575, 'with car not': 997540, 'car not hard': 163184, 'not hard to': 569800, 'hard to see': 378087, 'see why stricter': 746077, 'why stricter restriction': 991384, 'stricter restriction continue': 813672, 'restriction continue being': 717247, 'continue being ordered': 201005, 'being ordered by': 125504, 'ordered by state': 618834, 'by state and': 154102, 'state and federal': 795364, 'and federal official': 62759, 'sorta': 786163, 'fascinating': 299746, 'truth about': 934378, 'the tp': 869835, 'tp shortage': 927934, 'it sorta': 461180, 'sorta fascinating': 786164, 'fascinating toiletpaper': 299769, 'the truth about': 870087, 'truth about the': 934380, 'about the tp': 26542, 'the tp shortage': 869845, 'tp shortage it': 927936, 'shortage it sorta': 765046, 'it sorta fascinating': 461181, 'sorta fascinating toiletpaper': 786165, 'fascinating toiletpaper toiletpaperapocalypse': 299770, 'are constantly': 85516, 'constantly exposed': 195661, 'people infected': 648471, 'infected covid': 436556, '19 50': 4747, '50 asymptomatic': 19618, 'asymptomatic they': 97331, 'hour dealing': 405533, 'dealing panic': 229644, 'shopper which': 761823, 'will lower': 994062, 'lower their': 506029, 'system these': 831344, 'these folk': 880018, 'folk need': 312218, 'need testing': 555712, 'testing now': 839578, 'now need': 575339, 'need full': 554895, 'any missed': 79468, 'missed work': 534259, 'work after': 1004712, 'after positive': 36054, 'worker are constantly': 1006377, 'are constantly exposed': 85518, 'constantly exposed to': 195662, 'exposed to people': 292903, 'to people infected': 911627, 'people infected covid': 648472, 'infected covid 19': 436557, 'covid 19 50': 212561, '19 50 asymptomatic': 4748, '50 asymptomatic they': 19619, 'asymptomatic they re': 97332, 're working long': 699832, 'long hour dealing': 501439, 'hour dealing panic': 405534, 'dealing panic shopper': 229645, 'panic shopper which': 638559, 'shopper which will': 761824, 'which will lower': 986495, 'will lower their': 994065, 'lower their immune': 506030, 'immune system these': 417353, 'system these folk': 831345, 'these folk need': 880021, 'folk need testing': 312219, 'need testing now': 555714, 'testing now need': 839579, 'now need full': 575341, 'need full pay': 554896, 'full pay for': 340801, 'pay for any': 644868, 'for any missed': 319416, 'any missed work': 79469, 'missed work after': 534260, 'work after positive': 1004715, 'after positive test': 36057, 'biscuit': 131502, 'the biscuit': 849731, 'biscuit sandwich': 131512, 'sandwich always': 733733, 'always 15': 49451, '15 or': 3797, 'these covid': 879818, 'are the biscuit': 90803, 'the biscuit sandwich': 849732, 'biscuit sandwich always': 131513, 'sandwich always 15': 733734, 'always 15 or': 49452, '15 or are': 3798, 'or are these': 614420, 'are these covid': 90972, 'these covid 19': 879819, 'stayhomebutnotsilent': 798251, 'stayhomebutnotsilent support': 798252, 'local economy': 497912, 'economy instead': 267978, 'help farmer': 389687, 'get fair': 346984, 'stayhomebutnotsilent support the': 798253, 'support the local': 826876, 'the local economy': 859543, 'local economy instead': 497914, 'economy instead of': 267979, 'instead of supermarket': 440326, 'of supermarket and': 590410, 'supermarket and help': 818998, 'and help farmer': 64446, 'help farmer to': 389689, 'farmer to get': 299537, 'to get fair': 906475, 'get fair price': 346985, 'fall amid': 296818, 'petrol price continue': 653762, 'to fall amid': 905620, 'fall amid covid': 296821, 'kroger kr': 477750, 'kr the': 477622, 'country doe': 210583, 'offer paid': 594737, 'paid employee': 634001, 'employee sick': 274214, 'leave asymptomatic': 484741, 'asymptomatic covid': 97303, 'infected employee': 436569, 'employee may': 274043, 'be handling': 115131, 'handling food': 376348, 'people imagine': 648337, 'imagine the': 416793, 'result if': 717521, 'become proven': 120106, 'proven contagion': 686152, 'contagion vector': 200428, 'kroger kr the': 477752, 'kr the largest': 477623, 'the largest supermarket': 858981, 'the country doe': 852064, 'country doe not': 210584, 'doe not offer': 251512, 'not offer paid': 570723, 'offer paid employee': 594738, 'paid employee sick': 634002, 'employee sick leave': 274215, 'sick leave asymptomatic': 768484, 'leave asymptomatic covid': 484742, 'asymptomatic covid 19': 97304, '19 infected employee': 7840, 'infected employee may': 436570, 'employee may be': 274044, 'may be handling': 520986, 'be handling food': 115133, 'handling food for': 376351, 'food for million': 314551, 'of people imagine': 587926, 'people imagine the': 648338, 'imagine the result': 416801, 'the result if': 865692, 'result if they': 717522, 'if they become': 415095, 'they become proven': 881541, 'become proven contagion': 120107, 'proven contagion vector': 686153, 'non virtual': 566522, 'virtual easter': 957737, 'opened for non': 612728, 'for non virtual': 323907, 'non virtual easter': 566523, 'virtual easter service': 957738, 'convinced': 202658, 'hunch': 410969, 'all together': 45257, 'together convinced': 920753, 'convinced that': 202669, 'that sharing': 846230, 'sharing photo': 755567, 'then shouting': 877533, 'shouting at': 766788, 'work just': 1005402, 'just hunch': 469006, 'not all together': 568129, 'all together convinced': 45259, 'together convinced that': 920754, 'convinced that sharing': 202671, 'that sharing photo': 846231, 'sharing photo of': 755569, 'shelf and then': 756770, 'and then shouting': 73808, 'then shouting at': 877534, 'shouting at people': 766789, 'at people not': 100092, 'to panic is': 911404, 'panic is going': 638215, 'to work just': 918744, 'work just hunch': 1005404, 'rolling': 725663, 'story when': 812155, 'you consider': 1018011, 'consider shopping': 195100, 'shopping long': 763214, 'long the': 501725, 'truck keep': 932824, 'keep rolling': 471862, 'rolling the': 725685, 'there remember': 878995, 'remember everything': 710189, 'have purchased': 382107, 'purchased at': 689754, 'online ha': 608342, 'delivered on': 233365, 'on truck': 604859, 'truck at': 932731, 'watch this story': 968580, 'this story when': 890370, 'story when you': 812156, 'when you consider': 984549, 'you consider shopping': 1018014, 'consider shopping long': 195103, 'shopping long the': 763215, 'long the truck': 501732, 'the truck keep': 870034, 'truck keep rolling': 932825, 'keep rolling the': 471863, 'rolling the food': 725687, 'the food will': 855625, 'will be there': 992722, 'be there remember': 117685, 'there remember everything': 878996, 'remember everything you': 710191, 'everything you have': 288135, 'you have purchased': 1019099, 'have purchased at': 382108, 'purchased at store': 689755, 'at store or': 100660, 'or online ha': 616389, 'online ha been': 608343, 'ha been delivered': 369771, 'been delivered on': 120944, 'delivered on truck': 233367, 'on truck at': 604860, 'truck at some': 932732, 'defeating': 232061, 'stop taking': 805095, 'kid to': 474135, 'are totally': 91153, 'totally defeating': 926322, 'defeating the': 232064, 'the purpose': 864927, 'purpose of': 690142, 'of school': 589392, 'school closer': 741736, 'closer ireland': 183502, 'stop taking your': 805102, 'taking your kid': 833675, 'your kid to': 1024564, 'kid to the': 474143, 'supermarket store with': 823015, 'store with you': 811410, 'with you you': 1002173, 'you you are': 1022478, 'you are totally': 1017268, 'are totally defeating': 91154, 'totally defeating the': 926323, 'defeating the purpose': 232065, 'the purpose of': 864929, 'purpose of school': 690146, 'of school closer': 589396, 'school closer ireland': 741737, 'trumpliedpeopledied toilet': 934071, 'paper trumppandemic': 641028, 'being sick from': 125792, 'sick from the': 768454, 'from the trumpliedpeopledied': 337908, 'the trumpliedpeopledied toilet': 870076, 'trumpliedpeopledied toilet paper': 934072, 'toilet paper trumppandemic': 921507, 'paper trumppandemic politics': 641029, 'delivery which': 234739, 'you clearly': 1017971, 'clearly cannot': 181497, 'provide your': 686557, 'your profiteering': 1025451, 'day delivery which': 227520, 'delivery which you': 234741, 'which you clearly': 986532, 'you clearly cannot': 1017972, 'clearly cannot provide': 181499, 'cannot provide your': 162048, 'provide your profiteering': 686559, 'your profiteering from': 1025452, 'whipps': 987746, 'to whipps': 918564, 'whipps cross': 987747, 'cross hospital': 219009, 'hospital where': 404714, 'on one': 602509, 'the ward': 871074, 'ward why': 966656, 'why asked': 990815, 'asked because': 95721, 'people visiting': 650095, 'visiting patient': 959541, 'patient have': 644179, 'been stealing': 122032, 'stealing it': 799235, 'said staff': 731370, 'staff utterly': 793037, 'utterly shameful': 951458, 'shameful stophoarding': 754702, 'stophoarding stopstockpiling': 805489, 'stopstockpiling lockdownuk': 805872, 'been to whipps': 122234, 'to whipps cross': 918565, 'whipps cross hospital': 987748, 'cross hospital where': 219010, 'hospital where there': 404715, 'wa no hand': 962723, 'sanitizer on one': 735460, 'on one of': 602512, 'of the ward': 591600, 'the ward why': 871078, 'ward why asked': 966657, 'why asked because': 990816, 'asked because people': 95722, 'because people visiting': 119482, 'people visiting patient': 650096, 'visiting patient have': 959542, 'patient have been': 644180, 'have been stealing': 379693, 'been stealing it': 122034, 'stealing it said': 799236, 'it said staff': 460855, 'said staff utterly': 731372, 'staff utterly shameful': 793038, 'utterly shameful stophoarding': 951460, 'shameful stophoarding stopstockpiling': 754704, 'stophoarding stopstockpiling lockdownuk': 805494, 'during panic': 262910, 'time to visit': 898095, 'the supermarket during': 868564, 'supermarket during panic': 820055, 'during panic buying': 262911, 'if hit': 414233, 'hit your': 398522, 'your income': 1024472, 'mortgage there': 541966, 'help through': 390756, 'the trillion': 869987, 'trillion care': 931965, 'act passed': 29736, 'passed by': 643254, 'by congress': 152170, 'congress created': 194499, 'created this': 215913, 'this guide': 887779, 'guide for': 368321, 'consumer please': 198373, 'if hit your': 414234, 'hit your income': 398523, 'your income and': 1024473, 'income and you': 432287, 'and you cannot': 76007, 'you cannot pay': 1017872, 'your mortgage there': 1024887, 'mortgage there help': 541967, 'there help through': 878472, 'help through the': 390758, 'through the trillion': 894773, 'the trillion care': 869990, 'trillion care act': 931966, 'care act passed': 163819, 'act passed by': 29737, 'passed by congress': 643255, 'by congress created': 152171, 'congress created this': 194500, 'created this guide': 215915, 'this guide for': 887781, 'guide for consumer': 368323, 'for consumer please': 320278, 'consumer please share': 198377, 'share with friend': 755353, 'with friend who': 998563, 'friend who need': 333905, 'fruit being': 339073, 'sold high': 781675, 'price seller': 676338, 'seller caught': 748994, 'caught 19': 167406, 'fruit being sold': 339074, 'being sold high': 125831, 'sold high price': 781676, 'high price seller': 395272, 'price seller caught': 676339, 'seller caught 19': 748995, 'caught 19 via': 167407, 'unaware': 939479, 'real question': 701324, 'there secret': 879022, 'health cure': 386361, 'cure that': 220817, 'only 500': 610010, '500 roll': 20052, 'paper can': 640003, 'can fulfill': 158384, 'fulfill that': 340421, 'that completely': 843273, 'completely unaware': 192368, 'unaware of': 939480, 'your neighbour': 1024970, 'neighbour got': 557214, 'got 30': 358370, '30 packet': 17172, 'he still': 385473, 'coughing toiletpaper': 208759, 'real question is': 701327, 'question is there': 693633, 'is there secret': 453031, 'there secret health': 879023, 'secret health cure': 743922, 'health cure that': 386362, 'cure that only': 220818, 'that only 500': 845519, 'only 500 roll': 610011, '500 roll of': 20053, 'toilet paper can': 921220, 'paper can fulfill': 640005, 'can fulfill that': 158386, 'fulfill that completely': 340422, 'that completely unaware': 843274, 'completely unaware of': 192369, 'unaware of your': 939481, 'of your neighbour': 593501, 'your neighbour got': 1024976, 'neighbour got 30': 557215, 'got 30 packet': 358371, '30 packet of': 17173, 'packet of toilet': 633713, 'paper and he': 639828, 'and he still': 64327, 'he still coughing': 385474, 'still coughing toiletpaper': 800404, 'couple earlier': 211582, 'year opened': 1014891, 'support needy': 826668, 'needy family': 556677, 'paisley announced': 634371, 'mobilize delivery': 535104, 'the couple earlier': 852203, 'couple earlier this': 211583, 'this year opened': 891586, 'year opened free': 1014892, 'store to support': 810818, 'to support needy': 915948, 'support needy family': 826669, 'needy family in': 556679, 'family in nashville': 297922, 'now paisley announced': 575504, 'paisley announced that': 634372, 'will mobilize delivery': 994121, 'mobilize delivery of': 535105, 'delivery of week': 234241, 'of week worth': 593011, 'worth of grocery': 1011410, 'hackney': 372787, 'coronavirus hackney': 206045, 'hackney foodbank': 372788, 'foodbank up': 317801, 'against it': 37520, 'it emergency': 457794, 'package run': 633386, 'low charity': 505186, 'charity call': 173588, 'more donation': 539068, 'donation amid': 254534, 'amid unprecedented': 52742, 'and amazing': 58037, 'amazing community': 50662, 'community response': 190070, 'coronavirus hackney foodbank': 206046, 'hackney foodbank up': 372789, 'foodbank up against': 317802, 'up against it': 944243, 'against it emergency': 37521, 'it emergency food': 457795, 'emergency food package': 272707, 'food package run': 315734, 'package run low': 633387, 'run low charity': 727698, 'low charity call': 505187, 'charity call for': 173589, 'call for more': 155878, 'for more donation': 323569, 'more donation amid': 539069, 'donation amid unprecedented': 254537, 'amid unprecedented demand': 52743, 'unprecedented demand and': 943108, 'demand and amazing': 234950, 'and amazing community': 58038, 'amazing community response': 50663, 'conservation': 194897, 'paper conservation': 640040, 'conservation status': 194900, 'status toiletpaper': 796699, 'toilet paper conservation': 921235, 'paper conservation status': 640041, 'conservation status toiletpaper': 194901, 'status toiletpaper 19': 796700, 'toiletpaper 19 chinesevirus': 921669, '1609': 4221, 'gold 1609': 355846, '1609 price': 4222, 'price settle': 676350, 'settle lower': 753680, 'lower after': 505790, 'after sharpest': 36180, 'sharpest daily': 755721, 'daily rise': 224781, 'over decade': 630141, 'gold 1609 price': 355847, '1609 price settle': 4223, 'price settle lower': 676351, 'settle lower after': 753681, 'lower after sharpest': 505791, 'after sharpest daily': 36181, 'sharpest daily rise': 755722, 'daily rise in': 224782, 'rise in over': 722896, 'in over decade': 426379, 'username': 950333, 'nnesico': 563544, 'testified': 839402, 'my username': 550469, 'username name': 950334, 'is nnesico': 449906, 'nnesico will': 563545, 'be testified': 117566, 'testified to': 839403, 'help buy': 389457, 'stock house': 802246, 'kid because': 473878, 'my username name': 550470, 'username name is': 950335, 'name is nnesico': 551646, 'is nnesico will': 449907, 'nnesico will be': 563546, 'will be so': 992689, 'be so glad': 117256, 'to be testified': 901582, 'be testified to': 117567, 'testified to this': 839404, 'to this it': 917436, 'this it will': 888532, 'it will help': 462401, 'will help buy': 993702, 'help buy food': 389458, 'buy food to': 148683, 'to stock house': 915440, 'stock house for': 802247, 'house for my': 406308, 'for my kid': 323714, 'my kid because': 548941, 'kid because of': 473879, 'of this covid': 591958, 'is came': 446355, 'do another': 249079, 'another shop': 77846, 'for vulnerable': 327598, 'isolation on': 455366, 'my patch': 549728, 'patch this': 643946, 'supermarket fault': 820280, 'fault this': 300425, 'is down': 447338, 'to selfish': 914126, 'are panicbuying': 88962, 'panicbuying volunteer': 639109, 'volunteer on': 960306, 'ground can': 366489, 'this is came': 888202, 'is came to': 446356, 'came to do': 157066, 'to do another': 904479, 'do another shop': 249080, 'another shop after': 77847, 'shop after work': 759805, 'after work for': 36565, 'work for vulnerable': 1005180, 'for vulnerable people': 327602, 'people in isolation': 648387, 'in isolation on': 424206, 'isolation on my': 455368, 'on my patch': 602302, 'my patch this': 549730, 'patch this isn': 643947, 'this isn the': 888493, 'isn the supermarket': 454717, 'the supermarket fault': 868586, 'supermarket fault this': 820281, 'fault this is': 300426, 'this is down': 888239, 'is down to': 447353, 'down to selfish': 257379, 'to selfish people': 914129, 'who are panicbuying': 988191, 'are panicbuying volunteer': 88964, 'panicbuying volunteer on': 639110, 'volunteer on the': 960307, 'the ground can': 856845, 'ground can help': 366490, '19 already': 4921, 'already existing': 47320, 'existing virus': 290350, 'virus recently': 958673, 'recently enhanced': 704095, 'enhanced to': 277100, 'to effect': 904946, 'effect our': 269100, 'elderly to': 270917, 'to scare': 913885, 'scare the': 740916, 'world into': 1009677, 'into going': 442597, 'their nearest': 874039, 'nearest supermarket': 553725, 'product so': 681628, 'receive more': 703512, 'money the': 537059, 'is fucked': 447955, 'fucked globally': 339726, 'globally economically': 352382, 'economically and': 267383, 'and etc': 62280, 'etc sure': 282776, 'covid 19 already': 212615, '19 already existing': 4922, 'already existing virus': 47321, 'existing virus recently': 290351, 'virus recently enhanced': 958674, 'recently enhanced to': 704096, 'enhanced to effect': 277101, 'to effect our': 904947, 'effect our elderly': 269101, 'our elderly to': 622872, 'elderly to scare': 270920, 'to scare the': 913889, 'scare the world': 740919, 'the world into': 871897, 'world into going': 1009678, 'into going to': 442599, 'going to their': 355742, 'to their nearest': 917257, 'their nearest supermarket': 874040, 'nearest supermarket to': 553734, 'to buy product': 902289, 'buy product so': 149106, 'product so the': 681632, 'so the government': 778427, 'the government are': 856511, 'government are able': 359895, 'able to receive': 24533, 'to receive more': 912924, 'receive more money': 703513, 'more money the': 539794, 'money the world': 537064, 'world is fucked': 1009698, 'is fucked globally': 447956, 'fucked globally economically': 339727, 'globally economically and': 352383, 'economically and etc': 267384, 'and etc sure': 62284, 'etc sure you': 282777, 'sure you got': 827859, 'you got it': 1018902, 'got it by': 358645, 'reframe': 706755, 'obsessing': 578675, 'chaotic': 173090, 'wespeechies': 980446, 'reframe stuck': 706758, 'inside to': 439432, 'to now': 910737, 'now can': 574325, 'home myself': 401643, 'myself stay': 550935, 'stay close': 796836, 'normal routine': 567296, 'routine avoid': 726493, 'avoid obsessing': 105197, 'obsessing over': 578676, 'over endless': 630185, 'endless coverage': 276223, 'coverage chaotic': 212339, 'chaotic home': 173093, 'can lead': 158842, 'to chaotic': 902628, 'chaotic mind': 173095, 'mind start': 532724, 'new quarantine': 559383, 'quarantine ritual': 692498, 'ritual use': 724160, 'use telehealth': 949630, 'telehealth wespeechies': 836769, 'reframe stuck inside': 706759, 'stuck inside to': 814614, 'inside to now': 439434, 'to now can': 910741, 'now can focus': 574329, 'can focus on': 158361, 'focus on my': 311886, 'on my home': 602288, 'my home myself': 548692, 'home myself stay': 401644, 'myself stay close': 550936, 'stay close to': 796837, 'close to normal': 182910, 'to normal routine': 910656, 'normal routine avoid': 567297, 'routine avoid obsessing': 726494, 'avoid obsessing over': 105198, 'obsessing over endless': 578677, 'over endless coverage': 630187, 'endless coverage chaotic': 276224, 'coverage chaotic home': 212340, 'chaotic home can': 173094, 'home can lead': 400867, 'can lead to': 158844, 'lead to chaotic': 483330, 'to chaotic mind': 902629, 'chaotic mind start': 173096, 'mind start new': 532725, 'start new quarantine': 794399, 'new quarantine ritual': 559384, 'quarantine ritual use': 692499, 'ritual use telehealth': 724161, 'use telehealth wespeechies': 949632, '8am outside': 23148, 'outside aldi': 629359, 'aldi supermarket': 41303, 'supermarket coronacrisisuk': 819799, '8am outside aldi': 23149, 'outside aldi supermarket': 629360, 'aldi supermarket coronacrisisuk': 41305, 'it after': 456296, 'club announced': 184407, 'announced joint': 76978, 'joint appeal': 467001, 'for fund': 321818, 'and have donated': 64234, '00 to the': 552, 'to the to': 917133, 'the to help': 869681, 'the pandemic it': 863006, 'pandemic it after': 635817, 'it after the': 456299, 'after the club': 36296, 'the club announced': 851079, 'club announced joint': 184408, 'announced joint appeal': 76979, 'joint appeal for': 467002, 'appeal for fund': 82062, 'psa these': 687440, 'not direct': 569034, 'direct outcome': 243365, '19 point': 9736, 'the finger': 855243, 'finger at': 307789, 'at saudi': 100464, 'psa these low': 687441, 'gas price were': 344051, 'price were not': 677454, 'were not direct': 979916, 'not direct outcome': 569035, 'direct outcome of': 243366, 'outcome of covid': 628870, 'covid 19 point': 213592, '19 point the': 9737, 'point the finger': 662649, 'the finger at': 855244, 'finger at saudi': 307790, 'at saudi arabia': 100465, 'curtesy': 221809, 'and me': 66832, 'me seeing': 523429, 'seeing customer': 746261, 'customer how': 222472, 'acting the': 29910, 'do about': 249021, 'are quick': 89393, 'grab and': 361460, 'use sanitary': 949531, 'sanitary wipe': 733822, 'wipe but': 996209, 'have common': 380041, 'common curtesy': 189373, 'curtesy to': 221810, 'away used': 106090, 'wipe disgusting': 996223, 'while working at': 987575, 'working at grocery': 1008523, 'store and me': 806294, 'and me seeing': 66837, 'me seeing customer': 523430, 'seeing customer how': 746262, 'customer how they': 222475, 'how they are': 408910, 'they are acting': 881190, 'are acting the': 84198, 'acting the way': 29911, 'way they do': 969954, 'they do about': 881953, 'do about the': 249025, 'about the they': 26538, 'they are quick': 881374, 'are quick to': 89395, 'quick to grab': 694410, 'to grab and': 906957, 'grab and use': 361461, 'and use sanitary': 74781, 'use sanitary wipe': 949532, 'sanitary wipe but': 733824, 'wipe but don': 996210, 'but don have': 145591, 'don have common': 253593, 'have common curtesy': 380042, 'common curtesy to': 189374, 'curtesy to throw': 221811, 'to throw away': 917562, 'throw away used': 895017, 'away used glove': 106091, 'used glove and': 949920, 'glove and wipe': 352587, 'and wipe disgusting': 75733, 'affective': 34601, 'day affective': 227172, 'customer and our': 222093, 'and our employee': 68485, 'our employee we': 622893, '30 day affective': 17013, 'gov baker': 359539, 'baker prohibits': 108820, 'prohibits reusable': 683459, 'during emergency': 262622, 'gov baker prohibits': 359541, 'baker prohibits reusable': 108821, 'prohibits reusable shopping': 683460, 'shopping bag during': 762142, 'bag during emergency': 108270, '0113': 739, '3781877': 18114, 'those health': 892056, 'professional supermarket': 682499, 'volunteer who': 960367, 'been supporting': 122105, 'supporting people': 827174, 'across amp': 29254, 'amp this': 54694, 'easter bank': 265383, 'bank holiday': 109903, 'holiday weekend': 400379, 'weekend our': 977383, '19 hotline': 7582, 'on 0113': 598957, '0113 3781877': 740, 'you to those': 1021851, 'to those health': 917505, 'those health and': 892057, 'health and social': 386156, 'social care professional': 779454, 'care professional supermarket': 164166, 'professional supermarket worker': 682501, 'worker and volunteer': 1006352, 'and volunteer who': 75036, 'volunteer who have': 960371, 'have been supporting': 379704, 'been supporting people': 122106, 'supporting people across': 827175, 'people across amp': 646754, 'across amp this': 29255, 'amp this easter': 54696, 'this easter bank': 887336, 'easter bank holiday': 265384, 'bank holiday weekend': 109904, 'holiday weekend our': 400381, 'weekend our covid': 977384, 'covid 19 hotline': 213222, '19 hotline is': 7583, 'hotline is on': 405250, 'is on 0113': 450457, 'on 0113 3781877': 598958, 'atisha': 101808, 'lamrim': 479210, 'je': 464939, 'tsongkhapa': 934960, 'progress': 683365, 'enlightenment': 277263, 'practice atisha': 668531, 'atisha advice': 101809, 'and meditate': 66916, 'meditate on': 526946, 'the lamrim': 858923, 'lamrim according': 479211, 'to je': 908656, 'je tsongkhapa': 464942, 'tsongkhapa instruction': 934961, 'instruction we': 440576, 'will develop': 993174, 'develop pure': 239655, 'pure and': 689960, 'happy mind': 377651, 'mind and': 532617, 'and gradually': 63911, 'gradually progress': 361700, 'progress towards': 683384, 'ultimate peace': 939123, 'peace of': 646007, 'of full': 583999, 'full enlightenment': 340581, 'do our best': 249944, 'our best to': 622197, 'best to practice': 127955, 'to practice atisha': 911953, 'practice atisha advice': 668532, 'atisha advice and': 101810, 'advice and meditate': 33312, 'and meditate on': 66917, 'meditate on the': 526947, 'on the lamrim': 604201, 'the lamrim according': 858924, 'lamrim according to': 479212, 'according to je': 28558, 'to je tsongkhapa': 908657, 'je tsongkhapa instruction': 464943, 'tsongkhapa instruction we': 934962, 'instruction we will': 440578, 'we will develop': 973851, 'will develop pure': 993175, 'develop pure and': 239656, 'pure and happy': 689962, 'and happy mind': 64179, 'happy mind and': 377652, 'mind and gradually': 532618, 'and gradually progress': 63912, 'gradually progress towards': 361701, 'progress towards the': 683385, 'towards the ultimate': 927264, 'the ultimate peace': 870316, 'ultimate peace of': 939124, 'peace of full': 646008, 'of full enlightenment': 584001, 'carefully': 164462, 'kerala': 473105, 'virus speak': 958775, 'speak listen': 787690, 'listen carefully': 494671, 'carefully video': 164486, 'video courtesy': 956694, 'courtesy department': 212040, 'welfare government': 977953, 'of kerala': 585604, 'here the corona': 393645, 'corona virus speak': 204353, 'virus speak listen': 958776, 'speak listen carefully': 787691, 'listen carefully video': 494672, 'carefully video courtesy': 164487, 'video courtesy department': 956695, 'courtesy department of': 212041, 'department of health': 237241, 'of health and': 584503, 'health and family': 386138, 'and family welfare': 62676, 'family welfare government': 298365, 'welfare government of': 977954, 'government of kerala': 360399, 'pssresources': 687485, 'avoid trip': 105370, 'and next': 67575, 'next say': 561533, 'say public': 739080, 'health official': 386698, 'official pssresources': 595884, 'pssresources stayhome': 687486, 'socialdistancing panicbuying': 780592, 'panicbuying pandemic': 639002, 'avoid trip to': 105371, 'store this week': 810707, 'week and next': 975925, 'and next say': 67576, 'next say public': 561534, 'say public health': 739081, 'public health official': 688077, 'health official pssresources': 386705, 'official pssresources stayhome': 595885, 'pssresources stayhome socialdistancing': 687487, 'stayhome socialdistancing panicbuying': 798115, 'socialdistancing panicbuying pandemic': 780593, 'restaurant told': 716768, 'shut in': 767891, 'virus fight': 958182, 'fight more': 304799, 'and restaurant told': 70395, 'restaurant told to': 716769, 'told to shut': 923763, 'to shut in': 914606, 'shut in virus': 767896, 'in virus fight': 430605, 'virus fight more': 958183, 'fight more people': 304800, 'wa finally': 962124, 'finally going': 306024, 'supermarket out': 821853, 'of necessity': 586894, 'necessity but': 554191, 'some idiot': 783067, 'idiot broke': 413471, 'the glass': 856279, 'glass door': 351610, 'door with': 255783, 'with rock': 1000522, 'rock and': 724889, 'it closed': 457188, 'wa finally going': 962126, 'finally going to': 306025, 'going to visit': 355753, 'the supermarket out': 868734, 'supermarket out of': 821855, 'out of necessity': 626794, 'of necessity but': 586895, 'necessity but some': 554192, 'but some idiot': 147096, 'some idiot broke': 783069, 'idiot broke the': 413472, 'broke the glass': 140862, 'the glass door': 856280, 'glass door with': 351611, 'door with rock': 255785, 'with rock and': 1000523, 'rock and it': 724890, 'and it closed': 65498, 'unsupported': 943572, 'repressive': 712974, 'extremely worried': 293946, 'that govts': 844068, 'govts will': 361352, 'use cover': 949139, 'action unsupported': 30182, 'unsupported by': 943573, 'old repressive': 598448, 'repressive while': 712975, 'am extremely worried': 50040, 'extremely worried that': 293947, 'worried that govts': 1010582, 'that govts will': 844069, 'govts will use': 361353, 'will use cover': 995283, 'use cover to': 949140, 'take action unsupported': 831905, 'action unsupported by': 30183, 'unsupported by public': 943574, 'plain old repressive': 658011, 'old repressive while': 598449, 'repressive while the': 712976, 'after 11 not': 35262, 'orillia': 619618, 'cancelling': 161203, 'coronacrisis thank': 204807, 'you canada': 1017839, 'canada post': 160526, 'post retail': 666294, 'retail carrier': 717921, 'carrier orillia': 165006, 'orillia turning': 619619, 'turning customer': 935915, 'customer away': 222158, 'away day': 105816, 'day who': 228755, 'who break': 988337, 'break quarantine': 138789, 'quarantine rule': 692500, 'rule come': 727226, 'into public': 442906, 'public putting': 688255, 'putting all': 691081, 'all risk': 44199, 'risk because': 723400, 'because cancelling': 118980, 'cancelling their': 161225, 'their hold': 873549, 'hold mail': 399951, 'mail going': 508617, 'coronacrisis thank you': 204809, 'thank you canada': 841704, 'you canada post': 1017840, 'canada post retail': 160527, 'post retail carrier': 666295, 'retail carrier orillia': 717922, 'carrier orillia turning': 165007, 'orillia turning customer': 619620, 'turning customer away': 935916, 'customer away day': 222159, 'away day who': 105817, 'day who break': 228756, 'who break quarantine': 988338, 'break quarantine rule': 138790, 'quarantine rule come': 692502, 'rule come into': 727227, 'come into public': 187391, 'into public putting': 442907, 'public putting all': 688256, 'putting all risk': 691083, 'all risk because': 44200, 'risk because cancelling': 723401, 'because cancelling their': 118981, 'cancelling their hold': 161226, 'their hold mail': 873550, 'hold mail going': 399952, 'mail going to': 508618, 'marketeers': 517438, 'marketeers your': 517443, 'your selling': 1025714, 'selling point': 749406, 'point this': 662659, 'this season': 889985, 'season should': 743440, 'item plus': 463576, 'plus free': 661606, 'free sanitizer': 332132, 'marketeers your selling': 517444, 'your selling point': 1025715, 'selling point this': 749407, 'point this season': 662661, 'this season should': 889993, 'season should be': 743441, 'should be buy': 765574, 'buy the item': 149300, 'the item plus': 858611, 'item plus free': 463577, 'plus free sanitizer': 661608, 'jp': 467547, 'pmi': 662047, 'gloomy': 352504, 'well investing': 978325, 'investing sentiment': 443942, 'for eu': 321141, 'for jp': 322781, 'jp but': 467551, 'point pmi': 662594, 'pmi situation': 662050, 'in eu': 422619, 'eu also': 283194, 'also look': 48483, 'look gloomy': 502388, 'gloomy hopefully': 352507, 'hopefully we': 403903, 'already seen': 47635, 'seen peak': 747187, 'these country': 879815, 'well investing sentiment': 978326, 'investing sentiment for': 443943, 'sentiment for eu': 750931, 'for eu and': 321142, 'eu and consumer': 283197, 'and consumer for': 60383, 'consumer for jp': 197521, 'for jp but': 322782, 'jp but you': 467552, 'but you get': 147985, 'get the point': 348281, 'the point pmi': 863904, 'point pmi situation': 662595, 'pmi situation in': 662051, 'situation in eu': 772316, 'in eu also': 422620, 'eu also look': 283195, 'also look gloomy': 48485, 'look gloomy hopefully': 502389, 'gloomy hopefully we': 352508, 'hopefully we ve': 403904, 've already seen': 952827, 'already seen peak': 47639, 'seen peak in': 747188, 'peak in these': 646079, 'in these country': 429835, 'tray': 930727, 'emergency step': 272990, 'step for': 799536, 'for bangladesh': 319572, 'bangladesh dont': 109500, 'panic let': 638268, '19 together': 11474, 'together enforce': 920771, 'enforce personal': 276677, 'hygiene habit': 412102, 'habit using': 372705, 'using designated': 950455, 'designated utensil': 238315, 'utensil and': 951220, 'food tray': 317358, 'tray for': 930730, 'individual using': 435275, 'using tissue': 950758, 'tissue when': 899242, 'when cough': 983293, 'emergency step for': 272991, 'step for bangladesh': 799537, 'for bangladesh dont': 319573, 'bangladesh dont panic': 109501, 'dont panic let': 255266, 'panic let prepare': 638269, 'let prepare to': 486985, 'prepare to face': 670138, 'to face covid': 905564, 'covid 19 together': 213960, '19 together enforce': 11476, 'together enforce personal': 920772, 'enforce personal hygiene': 276678, 'personal hygiene habit': 652877, 'hygiene habit using': 412103, 'habit using designated': 372706, 'using designated utensil': 950456, 'designated utensil and': 238316, 'utensil and food': 951221, 'and food tray': 63103, 'food tray for': 317359, 'tray for every': 930731, 'every individual using': 285954, 'individual using tissue': 435276, 'using tissue when': 950760, 'tissue when cough': 899243, 'when cough or': 983294, 'recognised': 704602, 'the extremely': 854782, 'extremely vulnerable': 293938, 'vulnerable list': 961030, 'list had': 494346, 'had letter': 373244, 'letter from': 487313, 'govt nh': 361215, 'nh still': 562116, 'not recognised': 571259, 'recognised on': 704603, 'on any': 599395, 'supermarket website': 823766, 'website must': 975357, 'get shopping': 347978, 'shopping delivered': 762448, 'delivered vulnerable': 233443, 'on the extremely': 604106, 'the extremely vulnerable': 854783, 'extremely vulnerable list': 293941, 'vulnerable list had': 961033, 'list had letter': 494347, 'had letter from': 373245, 'letter from the': 487320, 'from the govt': 337728, 'the govt nh': 856666, 'govt nh still': 361216, 'nh still not': 562117, 'still not recognised': 800901, 'not recognised on': 571260, 'recognised on any': 704604, 'on any supermarket': 599408, 'any supermarket website': 79916, 'supermarket website must': 823767, 'website must stay': 975358, 'must stay in': 546906, '12 week but': 2980, 'week but can': 976031, 'can get shopping': 158448, 'get shopping delivered': 347979, 'shopping delivered vulnerable': 762453, 'inexcusable': 436439, 'flurry': 311544, 'at vulnerable': 101464, 'vulnerable time': 961208, 'quick buck': 694283, 'buck is': 141666, 'is inexcusable': 448900, 'inexcusable authority': 436440, 'authority are': 103686, 'are receiving': 89494, 'receiving flurry': 703767, 'flurry of': 311545, 'of report': 588944, 'report about': 711780, 'about merchant': 25722, 'merchant trying': 529054, 'with outrageous': 1000036, 'price fake': 673765, 'fake cure': 296598, 'other scam': 620871, 'people at vulnerable': 647187, 'at vulnerable time': 101465, 'vulnerable time to': 961209, 'time to make': 898017, 'make quick buck': 510378, 'quick buck is': 694289, 'buck is inexcusable': 141667, 'is inexcusable authority': 448901, 'inexcusable authority are': 436441, 'authority are receiving': 103688, 'are receiving flurry': 89498, 'receiving flurry of': 703768, 'flurry of report': 311546, 'of report about': 588945, 'report about merchant': 711783, 'about merchant trying': 25723, 'merchant trying to': 529055, 'the crisis with': 852483, 'crisis with outrageous': 218428, 'with outrageous price': 1000037, 'outrageous price fake': 629331, 'price fake cure': 673766, 'fake cure and': 296599, 'cure and other': 220702, 'and other scam': 68399, 'that deadly': 843449, 'deadly and': 229246, 'and contagious': 60473, 'contagious why': 200456, 'we allowed': 970386, 'people majority': 648722, 'distancing lockdown': 247291, 'if the is': 414989, 'the is that': 858537, 'is that deadly': 452639, 'that deadly and': 843450, 'deadly and contagious': 229247, 'and contagious why': 60474, 'contagious why are': 200457, 'are we allowed': 91558, 'we allowed to': 970387, 'store with so': 811402, 'with so many': 1000786, 'many people majority': 514517, 'people majority of': 648723, 'majority of them': 509570, 'of them do': 591733, 'them do not': 875609, 'not follow social': 569461, 'social distancing lockdown': 779653, 'paramedic force': 641385, 'force police': 328482, 'personnel transit': 653164, 'worker airline': 1006217, 'airline worker': 40062, 'nurse paramedic force': 577451, 'paramedic force police': 641386, 'force police officer': 328484, 'store personnel transit': 809522, 'personnel transit worker': 653165, 'transit worker airline': 929656, 'worker airline worker': 1006219, 'airline worker and': 40063, 'yb': 1014204, 'employed the': 273494, 'employed small': 273492, 'those laid': 892157, 'off from': 593846, 'our thanks': 625122, 'to nh': 910591, 'and television': 73089, 'television worker': 836876, 'worker help': 1007114, 'other much': 620552, 'can yb': 160262, 'love for the': 504668, 'self employed the': 747632, 'employed the self': 273496, 'self employed small': 747631, 'employed small business': 273493, 'owner and those': 632381, 'and those laid': 74029, 'those laid off': 892158, 'laid off from': 479021, 'off from covid': 593847, '19 our thanks': 9066, 'our thanks to': 625125, 'thanks to nh': 842246, 'to nh staff': 910593, 'nh staff and': 562076, 'staff and healthcare': 792144, 'and healthcare worker': 64381, 'delivery driver utility': 233950, 'driver utility worker': 259827, 'utility worker and': 951337, 'worker and television': 1006340, 'and television worker': 73090, 'television worker help': 836877, 'worker help each': 1007115, 'each other much': 264198, 'other much you': 620553, 'you can yb': 1017837, 'agenparl': 38130, 'iorestoacasa': 444456, 'household spending': 406944, 'spending percent': 788952, 'percent up': 651191, 'january agenparl': 464641, 'agenparl consumer': 38135, 'consumer consumption': 196960, 'consumption iorestoacasa': 199898, 'household spending percent': 406945, 'spending percent up': 788953, 'percent up in': 651192, 'up in january': 945162, 'in january agenparl': 424354, 'january agenparl consumer': 464642, 'agenparl consumer consumption': 38136, 'consumer consumption iorestoacasa': 196961, 'redesign': 705690, 'll surely': 497051, 'surely like': 827914, 'service regard': 752752, 'regard wix': 707164, 'wix professional': 1003199, 'professional website': 682516, 'website redesign': 975395, 'redesign in': 705691, 'fiverr with best': 309704, 'with best price': 997390, 'you ll surely': 1019674, 'll surely like': 497052, 'surely like my': 827915, 'like my service': 490828, 'my service regard': 550027, 'service regard wix': 752753, 'regard wix professional': 707165, 'wix professional website': 1003200, 'professional website redesign': 682517, 'website redesign in': 975396, 'redesign in wix': 705692, 'rat': 697128, 'been over': 121626, 'month since': 538002, 'since everybody': 770577, 'everybody freaked': 286432, 'still there': 801291, 'sanitizer meat': 735365, 'hell is': 389023, 'the doing': 853503, 'doing on': 252575, 'that personally': 845727, 'personally know': 653035, 'it smell': 461092, 'smell rat': 775615, 'rat sundaymorning': 697133, 'it been over': 456800, 'been over month': 121627, 'over month since': 630411, 'month since everybody': 538003, 'since everybody freaked': 770578, 'everybody freaked out': 286433, 'freaked out about': 331521, 'out about the': 625562, 'about the still': 26529, 'the still there': 867890, 'still there no': 801293, 'there no toilet': 878845, 'hand sanitizer meat': 375489, 'sanitizer meat and': 735366, 'meat and what': 525484, 'the hell is': 857244, 'hell is the': 389027, 'is the doing': 452773, 'the doing on': 853505, 'doing on top': 252579, 'top of that': 925641, 'of that personally': 590738, 'that personally know': 845728, 'personally know of': 653037, 'know of no': 476646, 'of no one': 587044, 'no one who': 564984, 'one who ha': 607447, 'who ha it': 988854, 'ha it smell': 371027, 'it smell rat': 461094, 'smell rat sundaymorning': 775616, 'mgvcl': 530104, 'tensional': 838004, '41171': 18881, 'mgvcl please': 530105, 'please advise': 659638, 'advise last': 33591, 'last date': 480174, 'date of': 226691, 'of paying': 587834, 'paying high': 645425, 'high tensional': 395459, 'tensional electricity': 838005, 'of last': 585721, 'month due': 537691, 'been delayed': 120939, 'delayed please': 232803, 'do advise': 249034, 'advise consumer': 33577, 'consumer no': 198217, 'no 41171': 563567, 'mgvcl please advise': 530106, 'please advise last': 659639, 'advise last date': 33592, 'last date of': 480175, 'date of paying': 226693, 'of paying high': 587838, 'paying high tensional': 645427, 'high tensional electricity': 395460, 'tensional electricity bill': 838006, 'electricity bill of': 271155, 'bill of last': 130636, 'of last month': 585722, 'last month due': 480332, 'month due to': 537692, '19 it ha': 8135, 'ha been delayed': 369770, 'been delayed please': 120940, 'delayed please do': 232804, 'please do advise': 659889, 'do advise consumer': 249035, 'advise consumer no': 33578, 'consumer no 41171': 198219, 'hookup': 403353, 'socialdistancingpickuplines': 780913, '2020 brings': 14186, 'brings about': 140226, 'about big': 24879, 'big change': 129695, 'change first': 172047, 'first date': 308608, 'date hookup': 226643, 'hookup netflix': 403354, 'netflix and': 557592, 'chill now': 176362, 'almost exclusively': 46642, 'exclusively at': 289710, 'you which': 1022291, 'which isle': 986069, 'isle suit': 454383, 'suit you': 817802, 'you socialdistancing': 1021294, 'socialdistancing socialdistancingpickuplines': 780706, '2020 brings about': 14187, 'brings about big': 140227, 'about big change': 24880, 'big change first': 129696, 'change first date': 172048, 'first date hookup': 308609, 'date hookup netflix': 226644, 'hookup netflix and': 403355, 'netflix and chill': 557593, 'and chill now': 59838, 'chill now almost': 176363, 'now almost exclusively': 573974, 'almost exclusively at': 46643, 'exclusively at supermarket': 289711, 'at supermarket near': 100749, 'near you which': 553647, 'you which isle': 1022292, 'which isle suit': 986070, 'isle suit you': 454384, 'suit you socialdistancing': 817804, 'you socialdistancing socialdistancingpickuplines': 1021296, 'parent told': 641758, 'isolate both': 454829, 'both are': 135851, 'risk driving': 723499, 'driving home': 259948, 'home mum': 401636, 'be dropped': 114612, 'dropped off': 260603, 'fine catherine': 307619, 'catherine know': 167297, 'know everyone': 476368, 'in there': 429806, 'there please': 878936, 'in having': 423572, 'to fully': 906318, 'fully explain': 341043, 'explain self': 292116, 'isolation to': 455463, 'elderly parent': 270805, 'parent told to': 641759, 'told to self': 923761, 'self isolate both': 747666, 'isolate both are': 454830, 'both are at': 135853, 'at risk driving': 100353, 'risk driving home': 723500, 'driving home mum': 259950, 'home mum asked': 401637, 'mum asked to': 545880, 'asked to be': 95859, 'to be dropped': 901224, 'be dropped off': 114613, 'dropped off at': 260604, 'the supermarket it': 868653, 'supermarket it fine': 821168, 'it fine catherine': 458008, 'fine catherine know': 307620, 'catherine know everyone': 167298, 'know everyone in': 476369, 'everyone in there': 287051, 'in there please': 429815, 'there please tell': 878938, 'tell me not': 837016, 'me not alone': 523225, 'not alone in': 568159, 'alone in having': 46870, 'in having to': 423574, 'having to fully': 384347, 'to fully explain': 906320, 'fully explain self': 341044, 'explain self isolation': 292117, 'self isolation to': 747804, 'isolation to elderly': 455464, 'to elderly parent': 904976, 'overreaction': 631425, 'mundogonemado': 546074, 'suitenoticias': 817833, 'this fuss': 887665, 'fuss is': 342240, 'elderly but': 270622, 'the overreaction': 862787, 'overreaction is': 631428, 'making thing': 511451, 'thing worse': 885018, 'worse mundogonemado': 1010966, 'mundogonemado elderly': 546075, 'elderly australian': 270605, 'australian woman': 103578, 'woman left': 1003545, 'left cry': 485444, 'cry on': 219892, 'on empty': 600550, 'amid plea': 52598, 'plea to': 659561, 'food suitenoticias': 316908, 'all this fuss': 45108, 'this fuss is': 887666, 'fuss is supposed': 342241, 'supposed to protect': 827371, 'protect the elderly': 684969, 'the elderly but': 854115, 'elderly but the': 270623, 'but the overreaction': 147378, 'the overreaction is': 862788, 'overreaction is making': 631429, 'is making thing': 449558, 'making thing worse': 511455, 'thing worse mundogonemado': 885020, 'worse mundogonemado elderly': 1010967, 'mundogonemado elderly australian': 546076, 'elderly australian woman': 270606, 'australian woman left': 103579, 'woman left cry': 1003546, 'left cry on': 485445, 'cry on empty': 219894, 'on empty supermarket': 600552, 'shelf amid plea': 756707, 'amid plea to': 52599, 'plea to stop': 659568, 'stop hoarding food': 804729, 'hoarding food suitenoticias': 399314, 'marijuananews': 515734, 'marijuanaindustry': 515733, 'interesting update': 441644, 'consumer cannabis': 196727, 'cannabis behavior': 161384, '19 cannabisnews': 5633, 'cannabisnews marijuananews': 161476, 'marijuananews marijuanaindustry': 515735, 'interesting update on': 441645, 'update on consumer': 947110, 'on consumer cannabis': 600032, 'consumer cannabis behavior': 196728, 'cannabis behavior during': 161385, 'behavior during covid': 124008, 'covid 19 cannabisnews': 212758, '19 cannabisnews marijuananews': 5634, 'cannabisnews marijuananews marijuanaindustry': 161477, 'must ban': 546485, 'ban some': 109256, 'the user': 870574, 'user that': 950320, 'some price': 783633, 'are outrageous': 88895, 'must ban some': 546486, 'ban some of': 109257, 'of the user': 591579, 'the user that': 870576, 'user that are': 950321, 'that are selling': 842813, 'paper some price': 640806, 'some price are': 783634, 'price are outrageous': 672711, 'carinsurance': 164736, 'current public': 221328, 'pandemic premium': 636221, 'premium in': 669956, 'insurance market': 440770, 'market continue': 516217, 'up over': 945723, 'month according': 537520, 'latest figure': 481334, 'figure carinsurance': 305193, 'amid the current': 52690, 'the current public': 852653, 'current public health': 221329, 'health crisis and': 386322, 'crisis and global': 217024, 'and global pandemic': 63698, 'global pandemic premium': 352101, 'pandemic premium in': 636222, 'premium in the': 669957, 'the car insurance': 850381, 'car insurance market': 163148, 'insurance market continue': 440771, 'market continue to': 516218, 'to rise with': 913583, 'rise with price': 723075, 'with price up': 1000317, 'price up over': 677250, 'up over the': 945728, 'past three month': 643627, 'three month according': 893991, 'month according to': 537521, 'according to our': 28573, 'to our latest': 911200, 'our latest figure': 623662, 'latest figure carinsurance': 481335, 'for eating': 320929, 'eating well': 266335, 'well amp': 978009, 'amp helping': 53929, 'from don': 335190, 'panic purchase': 638443, 'purchase do': 689425, 'do plan': 249985, 'plan plant': 658203, 'plant seed': 658699, 'seed if': 746150, 'possible green': 665662, 'green especially': 363663, 'especially consider': 280451, 'consider buying': 194962, 'buying direct': 150186, 'direct from': 243328, 'farmer with': 299576, 'with donate': 998115, 'bank if': 109909, 'tip for eating': 898764, 'for eating well': 320932, 'eating well amp': 266336, 'well amp helping': 978010, 'amp helping others': 53931, 'helping others in': 391411, 'others in the': 621480, 'time of from': 897335, 'of from don': 583967, 'from don panic': 335192, 'don panic purchase': 253810, 'panic purchase do': 638445, 'purchase do plan': 689429, 'do plan plant': 249986, 'plan plant seed': 658204, 'plant seed if': 658700, 'seed if possible': 746151, 'if possible green': 414667, 'possible green especially': 665663, 'green especially consider': 363664, 'especially consider buying': 280452, 'consider buying direct': 194964, 'buying direct from': 150187, 'direct from farmer': 243330, 'from farmer with': 335418, 'farmer with donate': 299577, 'with donate to': 998116, 'donate to food': 254255, 'food bank if': 313586, 'bank if you': 109910, 'newcastle': 560033, 'dawkins': 227039, 'shopkeeper in': 761182, 'in newcastle': 425837, 'newcastle city': 560034, 'city centre': 179092, 'centre exposed': 169489, 'exposed for': 292851, 'at extortionate': 98598, 'price anyone': 672597, 'anyone profiting': 80470, 'coronavirus should': 206762, 'themselves jack': 876845, 'jack dawkins': 464105, 'shopkeeper in newcastle': 761183, 'in newcastle city': 425838, 'newcastle city centre': 560035, 'city centre exposed': 179093, 'centre exposed for': 169490, 'exposed for selling': 292852, 'for selling hand': 325443, 'sanitizer at extortionate': 734506, 'at extortionate price': 98599, 'extortionate price anyone': 293388, 'price anyone profiting': 672599, 'anyone profiting from': 80471, 'profiting from coronavirus': 683120, 'from coronavirus should': 335021, 'coronavirus should be': 206763, 'be ashamed of': 113697, 'of themselves jack': 591785, 'themselves jack dawkins': 876846, 'you checked': 1017936, 'checked this': 174774, 'have you checked': 383660, 'you checked this': 1017939, 'checked this out': 174775, 'overturn': 631658, 'and selfish': 71190, 'selfish parent': 748199, 'parent have': 641640, 'to overturn': 911326, 'overturn ban': 631659, 'ban on': 109224, 'on buying': 599755, 'paper parenting': 640578, 'parenting self': 641802, 'greedy and selfish': 363474, 'and selfish parent': 71196, 'selfish parent have': 748200, 'parent have been': 641641, 'have been using': 379735, 'been using their': 122317, 'using their child': 950723, 'their child to': 872776, 'child to overturn': 176233, 'to overturn ban': 911327, 'overturn ban on': 631660, 'ban on buying': 109226, 'on buying toilet': 599759, 'toilet paper parenting': 921387, 'paper parenting self': 640579, 'parenting self isolation': 641803, 'will triple': 995237, 'triple worker': 932273, 'worker annual': 1006355, 'annual bonus': 77387, 'bonus thank': 134402, 'effort during': 269505, 'crisis full': 217406, 'time worker': 898378, 'get bonus': 346688, 'bonus on': 134386, 'on earnings': 600460, 'earnings for': 264905, '12 month': 2897, 'supermarket chain say': 819633, 'chain say it': 171086, 'it will triple': 462450, 'will triple worker': 995238, 'triple worker annual': 932274, 'worker annual bonus': 1006356, 'annual bonus thank': 77389, 'bonus thank you': 134403, 'you for their': 1018678, 'for their effort': 326819, 'their effort during': 873106, 'effort during the': 269507, 'the crisis full': 852383, 'crisis full time': 217408, 'full time worker': 340950, 'time worker will': 898380, 'worker will get': 1008249, 'will get bonus': 993498, 'get bonus on': 346689, 'bonus on earnings': 134387, 'on earnings for': 600461, 'earnings for the': 264907, 'next 12 month': 561259, 'underrated': 940551, 'underrated tweet': 940556, 'tweet listen': 936378, 'listen up': 494763, 'up uk': 946492, 'uk stophoarding': 938746, 'stophoarding toiletpaperapocalypse': 805510, 'underrated tweet listen': 940558, 'tweet listen up': 936379, 'listen up uk': 494766, 'up uk stophoarding': 946493, 'uk stophoarding toiletpaperapocalypse': 938747, 'asshats': 96495, 'these little': 880240, 'little asshats': 495240, 'asshats should': 96497, 'big trouble': 130084, 'these little asshats': 880241, 'little asshats should': 495241, 'asshats should be': 96498, 'be in big': 115392, 'in big trouble': 420831, 'kopn': 477438, 'spawned': 787661, 'vr': 960727, 'kopn covid': 477441, 'just spawned': 469837, 'spawned mass': 787662, 'mass market': 519807, 'for vr': 327595, 'vr not': 960743, 'but consumer': 145445, 'new world': 559898, 'world post': 1009905, 'very different': 955105, 'people being': 647264, 'being more': 125438, 'need vr': 556166, 'vr technology': 960749, 'technology for': 836300, 'for mental': 323408, 'and productivity': 69584, 'productivity remote': 682320, 'remote work': 710738, 'work kopn': 1005414, 'kopn and': 477439, 'and boe': 59044, 'boe own': 133926, 'own vr': 632293, 'kopn covid 19': 477442, '19 just spawned': 8207, 'just spawned mass': 469838, 'spawned mass market': 787663, 'mass market for': 519808, 'market for vr': 516415, 'for vr not': 327597, 'vr not just': 960744, 'just the government': 470002, 'the government but': 856513, 'government but consumer': 359954, 'but consumer market': 145450, 'consumer market the': 198102, 'market the new': 517195, 'the new world': 861585, 'new world post': 559904, 'world post coronavirus': 1009907, 'post coronavirus will': 666069, 'coronavirus will be': 207082, 'will be very': 992758, 'be very different': 117973, 'very different people': 955115, 'different people being': 242020, 'people being more': 647267, 'being more at': 125439, 'more at home': 538665, 'at home will': 99173, 'home will need': 402509, 'will need vr': 994152, 'need vr technology': 556167, 'vr technology for': 960750, 'technology for mental': 836303, 'for mental health': 323409, 'mental health and': 528636, 'health and productivity': 386151, 'and productivity remote': 69585, 'productivity remote work': 682321, 'remote work kopn': 710741, 'work kopn and': 1005415, 'kopn and boe': 477440, 'and boe own': 59045, 'boe own vr': 133927, 'jacob': 464220, 'driebergen': 258740, '1436': 3573, '1509': 3953, '1502': 3951, 'jacob van': 464221, 'van driebergen': 952295, 'driebergen 1436': 258741, '1436 1509': 3574, '1509 prepared': 3954, 'for he': 322142, 'he stocked': 385478, 'and hoarded': 64636, 'hoarded lot': 398953, 'his is': 397548, 'is part': 450802, 'this image': 888006, 'image 1502': 416617, '1502 coll': 3952, 'jacob van driebergen': 464222, 'van driebergen 1436': 952296, 'driebergen 1436 1509': 258742, '1436 1509 prepared': 3575, '1509 prepared for': 3955, 'prepared for he': 670196, 'for he stocked': 322143, 'he stocked up': 385479, 'stocked up and': 803433, 'up and hoarded': 944335, 'and hoarded lot': 64639, 'hoarded lot of': 398954, 'lot of his': 504203, 'of his is': 584656, 'his is part': 397550, 'is part of': 450803, 'part of this': 642390, 'of this image': 591988, 'this image 1502': 888007, 'image 1502 coll': 416618, 'motion': 543253, 'after pressure': 36064, 'worker organized': 1007512, 'la board': 478129, 'of supervisor': 590463, 'supervisor approved': 824391, 'approved motion': 83178, 'motion last': 543266, 'week intended': 976400, 'protect retail': 684937, 'grocery drug': 364477, 'worker via': 1008102, 'after pressure from': 36065, 'pressure from worker': 671167, 'from worker organized': 338423, 'worker organized the': 1007513, 'organized the la': 619480, 'the la board': 858873, 'la board of': 478130, 'board of supervisor': 133659, 'of supervisor approved': 590464, 'supervisor approved motion': 824392, 'approved motion last': 83179, 'motion last week': 543267, 'last week intended': 480656, 'week intended to': 976401, 'intended to protect': 441059, 'to protect retail': 912327, 'protect retail grocery': 684938, 'retail grocery drug': 718155, 'grocery drug store': 364478, 'drug store and': 261085, 'delivery worker via': 234781, 'naturalhair': 552897, 'camouflaging': 157161, 'wolverine': 1003387, 'brow': 141217, 'darnyourona': 226033, 'hopefully my': 403868, 'my naturalhair': 549412, 'naturalhair camouflaging': 552898, 'camouflaging my': 157162, 'my wolverine': 550629, 'wolverine brow': 1003388, 'brow could': 141218, 'grocery pickup': 364854, 'pickup so': 656019, 'so for': 777108, 'year have': 1014608, 'grocery darnyourona': 364417, 'hopefully my naturalhair': 403869, 'my naturalhair camouflaging': 549413, 'naturalhair camouflaging my': 552899, 'camouflaging my wolverine': 157163, 'my wolverine brow': 550630, 'wolverine brow could': 1003389, 'brow could not': 141219, 'not get slot': 569607, 'get slot for': 348018, 'slot for grocery': 774181, 'for grocery pickup': 322046, 'grocery pickup so': 364857, 'pickup so for': 656022, 'so for the': 777112, 'in year have': 431023, 'year have to': 1014612, 'the store to': 868127, 'to get all': 906407, 'of my grocery': 586774, 'my grocery darnyourona': 548571, 'work labor': 1005416, 'labor pandemic': 478427, '19 worker': 12175, 'more valuable': 540886, 'valuable than': 952049, 'than ceo': 840443, 'work labor pandemic': 1005417, 'labor pandemic 19': 478428, 'pandemic 19 worker': 634773, '19 worker are': 12176, 'worker are more': 1006404, 'are more valuable': 88126, 'more valuable than': 540887, 'valuable than ceo': 952050, 'clinician': 182336, 'hipaa': 396942, 'for clinician': 320131, 'clinician who': 182339, 'who wish': 990016, 'patient without': 644316, 'of hipaa': 584639, 'hipaa sanction': 396947, 'sanction thanks': 733642, 'to general': 906394, 'public virtual': 688455, 'virtual care': 957722, 'news for clinician': 560428, 'for clinician who': 320132, 'clinician who wish': 182340, 'who wish to': 990017, 'wish to treat': 996839, 'to treat patient': 917754, 'treat patient without': 930869, 'patient without risk': 644319, 'risk of hipaa': 723754, 'of hipaa sanction': 584640, 'hipaa sanction thanks': 396948, 'sanction thanks to': 733643, 'thanks to general': 842227, 'to general public': 906395, 'general public virtual': 345463, 'public virtual care': 688456, 'michigan unemployment': 530384, 'unemployment newly': 941253, 'newly eligible': 560104, 'eligible worker': 271438, 'can apply': 157522, 'apply online': 82581, 'online starting': 609420, 'starting monday': 794975, 'monday at': 536255, '8am michigan': 23140, 'unemployment website': 941315, 'website all': 975182, 'all morning': 43518, 'michigan unemployment newly': 530386, 'unemployment newly eligible': 941254, 'newly eligible worker': 560105, 'eligible worker can': 271439, 'worker can apply': 1006583, 'can apply online': 157524, 'apply online starting': 82583, 'online starting monday': 609421, 'starting monday at': 794976, 'monday at 8am': 536258, 'at 8am michigan': 97784, '8am michigan unemployment': 23141, 'michigan unemployment website': 530387, 'unemployment website all': 941316, 'website all morning': 975183, 'sacdamediaadvisory': 729029, 'sacdamediaadvisory covid': 729030, 'gouging alert': 359236, 'alert whenever': 41545, 'whenever federal': 984654, 'federal state': 302054, 'state or': 795838, 'or local': 615986, 'local authority': 497714, 'authority declare': 103703, 'declare state': 231204, 'emergency it': 272762, 'is unlawful': 453519, 'unlawful to': 942562, 'essential consumer': 280939, 'the existing': 854693, 'existing price': 290339, 'sacdamediaadvisory covid 19': 729031, 'crisis and price': 217041, 'and price gouging': 69451, 'price gouging alert': 674254, 'gouging alert whenever': 359237, 'alert whenever federal': 41546, 'whenever federal state': 984655, 'federal state or': 302058, 'state or local': 795839, 'or local authority': 615987, 'local authority declare': 497716, 'authority declare state': 103704, 'declare state of': 231205, 'of emergency it': 583040, 'emergency it is': 272763, 'it is unlawful': 459115, 'is unlawful to': 453520, 'unlawful to raise': 942563, 'raise price for': 695917, 'price for essential': 673957, 'for essential consumer': 321097, 'essential consumer good': 280940, 'and service by': 71298, 'service by more': 752198, 'than 10 of': 840149, '10 of the': 1573, 'of the existing': 591003, 'the existing price': 854694, 'gone absolutely': 356186, 'absolutely fucking': 27363, 'fucking mad': 339936, 'mad because': 507528, 'this no': 889149, 'shelf dickhead': 756982, 'dickhead panic': 240487, 'need we': 556178, 'get fuck': 347117, 'this world ha': 891511, 'ha gone absolutely': 370719, 'gone absolutely fucking': 356187, 'absolutely fucking mad': 27364, 'fucking mad because': 339937, 'mad because of': 507530, 'of this no': 592015, 'this no food': 889151, 'the shelf dickhead': 866831, 'shelf dickhead panic': 756983, 'dickhead panic buying': 240488, 'panic buying more': 637813, 'buying more than': 150734, 'more than they': 540685, 'than they need': 841302, 'they need we': 882768, 'need we have': 556185, 'have no food': 381628, 'no food in': 564258, 'food in and': 314924, 'in and can': 420355, 'and can not': 59462, 'can not get': 159046, 'not get fuck': 569589, 'get fuck all': 347118, 'fuck all because': 339514, 'all because of': 42152, 'because of these': 119416, 'primary': 678062, 'giveblood': 350926, 'thanked for': 841871, 'for successful': 325968, 'successful democratic': 816234, 'democratic primary': 236765, 'primary plus': 678083, 'plus emergency': 661592, 'during spread': 263040, 'spread he': 790561, 'give blood': 350416, 'blood give': 133113, 'blood giveblood': 133115, 'thanked for successful': 841872, 'for successful democratic': 325969, 'successful democratic primary': 816235, 'democratic primary plus': 236766, 'primary plus emergency': 678084, 'plus emergency and': 661593, 'emergency and grocery': 272601, 'store worker during': 811486, 'worker during spread': 1006818, 'during spread he': 263041, 'spread he say': 790562, 'he say give': 385392, 'say give blood': 738676, 'give blood give': 350417, 'blood give blood': 133114, 'give blood giveblood': 350418, 'depressed': 237571, 'fatalistic': 300235, 'else start': 271892, 'feel depressed': 302607, 'depressed and': 237572, 'and fatalistic': 62714, 'fatalistic between': 300236, 'entail from': 278220, 'store shortage': 810144, 'shortage to': 765271, 'economic collapse': 267011, 'collapse with': 186076, 'of losing': 586019, 'anyone else start': 80292, 'else start to': 271893, 'start to feel': 794582, 'to feel depressed': 905747, 'feel depressed and': 302608, 'depressed and fatalistic': 237573, 'and fatalistic between': 62715, 'fatalistic between the': 300237, 'between the threat': 128936, 'threat of social': 893701, 'distancing and all': 246962, 'and all that': 57895, 'all that entail': 44637, 'that entail from': 843717, 'entail from grocery': 278221, 'grocery store shortage': 365769, 'store shortage to': 810148, 'shortage to the': 765272, 'to the possibility': 916967, 'the possibility of': 864069, 'possibility of economic': 665544, 'of economic collapse': 582951, 'economic collapse with': 267014, 'collapse with so': 186078, 'many people at': 514489, 'risk of losing': 723762, 'of losing their': 586021, 'job it hard': 465919, 'hard to stay': 378092, 'to stay positive': 915307, 'together nice': 920876, 'nice collection': 562375, 'collection of': 186449, 'of house': 584784, 'price register': 676149, 'register since': 707606, 'january via': 464692, 'good for to': 357093, 'for to put': 327229, 'to put together': 912622, 'put together nice': 690943, 'together nice collection': 920877, 'nice collection of': 562376, 'collection of house': 186450, 'of house sale': 584790, 'house sale price': 406545, 'sale price that': 732466, 'have been in': 379577, 'been in the': 121363, 'estate price register': 282184, 'price register since': 676150, 'register since january': 707608, 'since january via': 770682, 'what cruel': 981288, 'cruel act': 219664, 'commit karma': 188971, 'karma is': 470946, 'real all': 701023, 'all don': 42615, 'what cruel act': 981289, 'cruel act to': 219665, 'act to commit': 29796, 'to commit karma': 903081, 'commit karma is': 188972, 'karma is real': 470948, 'is real all': 451259, 'real all don': 701025, 'all don be': 42616, 'don be like': 253363, 'be like this': 115750, 'firefighter are': 308199, 'are personally': 89071, 'personally going': 653029, 'firefighter are personally': 308200, 'are personally going': 89072, 'personally going to': 653030, 'store to purchase': 810804, 'purchase grocery and': 689479, 'grocery and other': 364251, 'essential good for': 281092, 'good for senior': 357088, 'senior and others': 750206, 'and others at': 68436, 'others at high': 621292, 'many elderly': 514025, 'out stayhome': 627247, 'grocery store too': 365877, 'store too many': 810912, 'too many elderly': 924886, 'many elderly people': 514026, 'elderly people out': 270831, 'people out stayhome': 649026, 'canadacovid19': 160618, 'coronacrisis canada': 204541, 'canada canadacovid19': 160384, 'store staff who': 810335, 'staff who keep': 793089, 'who keep going': 989151, 'keep going into': 471545, 'going into work': 355250, 'into work during': 443302, 'during this we': 263336, 'this we appreciate': 891142, 'appreciate you coronacrisis': 82782, 'you coronacrisis canada': 1018054, 'coronacrisis canada canadacovid19': 204542, 'grapple': 362186, 'bull': 142400, 'transitioned': 929687, 'bear': 118391, 'financialplanning': 306707, 'community grapple': 189869, 'grapple with': 362191, 'pandemic beast': 634983, 'beast known': 118489, 'known covid': 477206, 'the robust': 865946, 'robust bull': 724833, 'bull market': 142405, 'that began': 842965, 'began in': 123389, 'of 2009': 579465, '2009 ha': 13712, 'ha transitioned': 372355, 'transitioned into': 929688, 'into bear': 442424, 'bear market': 118409, '2020 financialplanning': 14308, 'global community grapple': 351787, 'community grapple with': 189870, 'grapple with the': 362197, 'the pandemic beast': 862915, 'pandemic beast known': 634984, 'beast known covid': 118490, 'known covid 19': 477207, 'store shortage and': 810145, 'shortage and quarantine': 764826, 'and quarantine the': 69861, 'quarantine the robust': 692612, 'the robust bull': 865947, 'robust bull market': 724834, 'bull market that': 142407, 'market that began': 517175, 'that began in': 842966, 'began in march': 123393, 'in march of': 425111, 'march of 2009': 515422, 'of 2009 ha': 579466, '2009 ha transitioned': 13713, 'ha transitioned into': 372356, 'transitioned into bear': 929689, 'into bear market': 442425, 'bear market of': 118411, 'market of march': 516779, 'march 2020 financialplanning': 515157, 'mustard': 547016, 'the mustard': 861162, 'mustard seed': 547025, 'seed ministry': 746152, 'ministry provide': 533559, 'provide food': 686301, 'food box': 313772, 'box and': 137007, 'necessity during': 554201, 'crisis their': 218196, 'their demand': 872997, 'the mustard seed': 861163, 'mustard seed ministry': 547026, 'seed ministry provide': 746153, 'ministry provide food': 533560, 'provide food box': 686304, 'food box and': 313773, 'box and other': 137010, 'and other necessity': 68369, 'other necessity during': 620568, 'necessity during the': 554202, '19 crisis their': 6335, 'crisis their demand': 218197, 'their demand ha': 872998, 'shortly': 765380, 'about bill': 24881, 'bill during': 130560, 'our insurer': 623569, 'insurer on': 440892, 'relief option': 709407, 'option and': 613979, 'discount we': 244564, 'will contact': 993002, 'contact our': 200168, 'customer shortly': 222850, 'shortly to': 765391, 'we know you': 972167, 'know you are': 477081, 'concerned about bill': 193150, 'about bill during': 24882, 'bill during covid': 130561, '19 and we': 5133, 'working with our': 1009066, 'with our insurer': 999999, 'our insurer on': 623570, 'insurer on relief': 440893, 'on relief option': 603138, 'relief option and': 709408, 'option and discount': 613980, 'and discount we': 61410, 'discount we will': 244567, 'we will contact': 973845, 'will contact our': 993003, 'contact our customer': 200169, 'our customer shortly': 622674, 'customer shortly to': 222851, 'shortly to let': 765392, 'let you know': 487216, 'know how we': 476464, 'how we can': 409167, 'socal': 779393, 'nbcla': 553245, 'socal community': 779394, 'community organization': 190022, 'organization are': 619342, 'for critical': 320453, 'critical service': 218653, 'pandemic nbcla': 636011, 'nbcla partner': 553246, 'partner with': 642901, 'fund if': 341430, 'can give': 158475, 'give please': 350650, 'checkout in': 174932, 'socal community organization': 779395, 'community organization are': 190023, 'organization are struggling': 619345, 'meet demand for': 527467, 'demand for critical': 235397, 'for critical service': 320460, 'critical service during': 218654, 'service during the': 752316, 'the pandemic nbcla': 863030, 'pandemic nbcla partner': 636012, 'nbcla partner with': 553247, 'partner with in': 642905, 'with in support': 998966, 'of the emergency': 590979, 'the emergency fund': 854226, 'emergency fund if': 272723, 'fund if you': 341431, 'you can give': 1017683, 'can give please': 158480, 'give please donate': 350651, 'please donate at': 659929, 'donate at checkout': 254160, 'at checkout in': 98248, 'checkout in store': 174935, 'announce partnership': 76858, 'partnership to': 642941, 'to enable': 905039, 'enable access': 275418, 'amp beverage': 53452, 'consumer collaboration': 196808, 'collaboration is': 185928, 'to success': 915722, 'success to': 816220, 'announce partnership to': 76859, 'partnership to enable': 642942, 'to enable access': 905040, 'enable access to': 275419, 'essential food amp': 281038, 'food amp beverage': 313129, 'amp beverage product': 53453, 'product to consumer': 681742, 'to consumer collaboration': 903279, 'consumer collaboration is': 196809, 'collaboration is key': 185929, 'key to success': 473446, 'to success to': 915723, 'success to ensure': 816221, 'littleproudmp': 495676, 'thei': 872407, 'littleproudmp another': 495677, 'another point': 77763, 'point sense': 662614, 'sense consumer': 750504, 'are fearful': 86506, 'fearful of': 301459, 'supermarket closure': 819727, 'closure due': 183876, 'infection had': 436766, 'had better': 372919, 'better stock': 128494, 'up while': 946592, 'open it': 612338, 'closed tomorrow': 183408, 'tomorrow border': 924044, 'border are': 135218, 'shut business': 767789, 'shutting thei': 768293, 'littleproudmp another point': 495678, 'another point sense': 77764, 'point sense consumer': 662615, 'sense consumer are': 750505, 'consumer are fearful': 196294, 'are fearful of': 86508, 'fearful of supermarket': 301461, 'of supermarket closure': 590417, 'supermarket closure due': 819728, 'closure due to': 183877, '19 infection had': 7852, 'infection had better': 436767, 'had better stock': 372921, 'better stock up': 128495, 'stock up while': 803133, 'up while the': 946598, 'while the supermarket': 987418, 'supermarket is open': 821109, 'is open it': 450570, 'open it may': 612341, 'it may be': 459548, 'be closed tomorrow': 114136, 'closed tomorrow border': 183409, 'tomorrow border are': 924045, 'border are being': 135219, 'are being shut': 84921, 'being shut business': 125787, 'shut business are': 767790, 'are shutting thei': 90103, 'british study': 140602, 'study terrifying': 814963, 'terrifying after': 838521, 'after two': 36460, 'two minute': 937056, 'minute cough': 533753, 'one isle': 606534, 'isle of': 454375, 'supermarket travel': 823537, 'travel over': 930459, 'next isle': 561417, 'isle and': 454343, 'and hang': 64165, 'hang there': 376944, 'british study terrifying': 140603, 'study terrifying after': 814964, 'terrifying after two': 838522, 'after two minute': 36463, 'two minute cough': 937057, 'minute cough in': 533754, 'cough in one': 208483, 'in one isle': 426148, 'one isle of': 606535, 'isle of supermarket': 454377, 'of supermarket travel': 590454, 'supermarket travel over': 823538, 'travel over to': 930460, 'to the next': 916901, 'the next isle': 861673, 'next isle and': 561418, 'isle and hang': 454344, 'and hang there': 64168, 'containing': 200575, 'preventative': 671772, '08162453243': 1133, 'schael': 741415, 'place it': 657530, 'it effort': 457771, 'effort on': 269565, 'on containing': 600093, 'containing the': 200593, 'take preventative': 832522, 'preventative measure': 671773, 'burden for': 142743, 'on size': 603491, 'order contact': 618148, 'contact 08162453243': 199987, '08162453243 email': 1134, 'email schael': 272295, 'schael com': 741416, 'the place it': 863769, 'place it effort': 657533, 'it effort on': 457772, 'effort on containing': 269566, 'on containing the': 600094, 'containing the spread': 200594, 'of 19 let': 579401, '19 let take': 8317, 'let take preventative': 487105, 'take preventative measure': 832523, 'preventative measure to': 671778, 'measure to alleviate': 525382, 'alleviate the burden': 45824, 'the burden for': 850124, 'burden for more': 142744, 'information on size': 437923, 'on size and': 603492, 'size and price': 772760, 'and price or': 69467, 'price or to': 675795, 'or to place': 617474, 'to place an': 911748, 'an order contact': 56694, 'order contact 08162453243': 618149, 'contact 08162453243 email': 199988, '08162453243 email schael': 1135, 'email schael com': 272296, 'cornteen': 203744, 'game called': 343144, 'called hot': 156345, 'hot or': 405037, 'covid edition': 214153, 'edition when': 268650, 'when im': 983586, 'im at': 416508, 'to guess': 907065, 'guess if': 367985, 'is hot': 448561, 'not under': 572307, 'under their': 940342, 'their face': 873219, 'mask cornteen': 518539, 'like to play': 491611, 'to play game': 911791, 'play game called': 659155, 'game called hot': 343145, 'called hot or': 156346, 'hot or not': 405038, 'or not covid': 616292, 'not covid edition': 568913, 'covid edition when': 214154, 'edition when im': 268651, 'when im at': 983587, 'im at the': 416510, 'store try to': 810966, 'try to guess': 934630, 'to guess if': 907066, 'guess if someone': 367986, 'if someone is': 414855, 'someone is hot': 784530, 'is hot or': 448562, 'or not under': 616317, 'not under their': 572310, 'under their face': 940343, 'their face mask': 873223, 'face mask cornteen': 294529, 'working so': 1008913, 'sure everyone': 827539, 'everyone get': 286929, 'them it': 875951, 'their fault': 873285, 'fault we': 300427, 'supply corona': 825105, 'employee for working': 273870, 'for working so': 327955, 'working so hard': 1008914, 'so hard to': 777255, 'make sure everyone': 510511, 'sure everyone get': 827542, 'everyone get what': 286932, 'they need please': 882753, 'need please be': 555437, 'kind to them': 475014, 'to them it': 917303, 'them it not': 875956, 'it not their': 459928, 'not their fault': 572051, 'their fault we': 873292, 'fault we re': 300428, 'on supply corona': 603821, 'extreme circumstance': 293783, 'circumstance often': 178736, 'often inspire': 596218, 'inspire innovation': 439822, 'innovation one': 438891, 'one current': 606135, 'current example': 221192, 'example is': 288908, 'the pivot': 863758, 'pivot by': 657075, 'by distiller': 152373, 'distiller from': 247704, 'making spirit': 511360, 'sanitizer report': 735649, 'extreme circumstance often': 293786, 'circumstance often inspire': 178737, 'often inspire innovation': 596219, 'inspire innovation one': 439823, 'innovation one current': 438892, 'one current example': 606136, 'current example is': 221193, 'example is the': 288909, 'is the pivot': 452894, 'the pivot by': 863759, 'pivot by distiller': 657076, 'by distiller from': 152374, 'distiller from making': 247705, 'from making spirit': 336314, 'making spirit to': 511361, 'hand sanitizer report': 375564, 'come one': 187455, 'one come': 606076, 'come all': 187196, 'huge floor': 410043, 'floor model': 310823, 'model on': 535290, 'offer we': 594885, 'best brand': 127601, 'brand at': 137762, 'miss it': 534155, 'come sleep': 187509, 'sleep better': 773760, 'better today': 128571, 'today 19': 919126, 'come one come': 187456, 'one come all': 606077, 'come all because': 187197, 'all because we': 42155, 'we have huge': 971840, 'have huge floor': 380994, 'huge floor model': 410044, 'floor model on': 310825, 'model on offer': 535291, 'on offer we': 602481, 'offer we have': 594886, 'we have the': 971960, 'have the best': 382962, 'the best brand': 849493, 'best brand at': 127602, 'brand at the': 137763, 'best price do': 127864, 'not miss it': 570586, 'miss it come': 534157, 'it come sleep': 457211, 'come sleep better': 187510, 'sleep better today': 773761, 'better today 19': 128572, 'geez': 345047, 'people geez': 648035, 'geez 65': 345048, '65 year': 21385, 'tackled after': 831626, 'with people geez': 1000148, 'people geez 65': 648036, 'geez 65 year': 345049, '65 year old': 21386, 'old man tackled': 598352, 'man tackled after': 512260, 'tackled after allegedly': 831627, 'allegedly coughing and': 45683, 'spitting on supermarket': 789606, 'tumble': 935291, '77': 22272, 'are set': 90002, 'to tumble': 917830, 'tumble again': 935294, 'tomorrow price': 924164, 'pump will': 689109, 'be 77': 113435, '77 cent': 22280, 'litre in': 495163, 'toronto say': 925987, 'say full': 738660, 'price are set': 672732, 'are set to': 90003, 'set to tumble': 753538, 'to tumble again': 917831, 'tumble again tomorrow': 935295, 'again tomorrow price': 37242, 'tomorrow price at': 924165, 'the pump will': 864908, 'pump will be': 689110, 'will be 77': 992338, 'be 77 cent': 113436, '77 cent per': 22281, 'per litre in': 650926, 'litre in toronto': 495165, 'in toronto say': 430213, 'toronto say full': 925988, 'say full story': 738661, 'full story on': 340901, '7038': 21943, '97': 23676, 'stole': 804261, 'emergency month': 272811, 'since tracking': 770947, 'tracking covid': 928329, 'case 7038': 165601, '7038 death': 21944, 'death 97': 229950, '97 we': 23687, 're shutting': 699512, 'down our': 257065, 'country because': 210503, 'this seasonal': 889995, 'seasonal flu': 743466, 'flu kill': 311430, 'kill 400': 474324, '400 citizen': 18725, 'citizen every': 178893, 'week who': 977242, 'who stole': 989692, 'stole our': 804276, 'our reason': 624550, 'is the emergency': 452785, 'the emergency month': 854231, 'emergency month since': 272812, 'month since tracking': 538005, 'since tracking covid': 770948, 'tracking covid 19': 928330, '19 case 7038': 5662, 'case 7038 death': 165602, '7038 death 97': 21945, 'death 97 we': 229951, '97 we re': 23688, 'we re shutting': 972964, 're shutting down': 699513, 'shutting down our': 768273, 'down our country': 257066, 'our country because': 622582, 'country because of': 210504, 'of this seasonal': 592032, 'this seasonal flu': 889996, 'seasonal flu kill': 743468, 'flu kill 400': 311432, 'kill 400 citizen': 474325, '400 citizen every': 18727, 'citizen every week': 178894, 'every week who': 286369, 'week who stole': 977244, 'who stole our': 989693, 'stole our reason': 804277, 'measles': 525062, 'pox': 667857, 'apollo': 81615, 'tuber': 935054, 'spice': 789200, 'bush': 143132, 'kill him': 474414, 'like measles': 490764, 'measles chicken': 525063, 'chicken pox': 175841, 'pox apollo': 667858, 'apollo like': 81616, '19 contagious': 6008, 'disease keep': 245173, 'your self': 1025700, 'self safe': 747895, 'safe but': 729526, 'if contact': 413988, 'contact it': 200114, 'panic will': 638790, 'soon get': 785721, 'get well': 348612, 'well eat': 978216, 'eat natural': 265993, 'food root': 316248, 'root tuber': 726020, 'tuber vegetable': 935055, 'fruit spice': 339150, 'spice flower': 789203, 'flower nut': 311315, 'nut bean': 577656, 'bean fish': 118318, 'fish bush': 309297, 'disease that will': 245250, 'will kill him': 993913, 'kill him her': 474415, 'him her like': 396624, 'her like measles': 392165, 'like measles chicken': 490765, 'measles chicken pox': 525064, 'chicken pox apollo': 175842, 'pox apollo like': 667859, 'apollo like covid': 81617, 'covid 19 contagious': 212848, '19 contagious disease': 6009, 'contagious disease keep': 200433, 'disease keep your': 245175, 'keep your self': 472284, 'your self safe': 1025705, 'self safe but': 747896, 'safe but if': 729527, 'but if contact': 145987, 'if contact it': 413989, 'contact it do': 200115, 'not panic will': 570947, 'panic will soon': 638793, 'will soon get': 994894, 'soon get well': 785723, 'get well eat': 348614, 'well eat natural': 978217, 'eat natural food': 265994, 'natural food root': 552828, 'food root tuber': 316249, 'root tuber vegetable': 726021, 'tuber vegetable fruit': 935056, 'vegetable fruit spice': 953994, 'fruit spice flower': 339151, 'spice flower nut': 789204, 'flower nut bean': 311316, 'nut bean fish': 577657, 'bean fish bush': 118319, 'were driven': 979542, 'driven to': 259368, 'two decade': 936871, 'decade after': 230659, 'and market': 66701, 'share battle': 754941, 'battle between': 112784, 'and watch': 75220, 'oil price were': 597318, 'price were driven': 677444, 'were driven to': 979543, 'driven to their': 259369, 'lowest in two': 506179, 'in two decade': 430356, 'two decade after': 936872, 'decade after the': 230660, 'after the spread': 36356, 'of the and': 590790, 'the and market': 848707, 'and market share': 66712, 'market share battle': 517048, 'share battle between': 754942, 'battle between and': 112785, 'between and watch': 128723, 'and watch this': 75227, 'this video to': 890988, 'video to know': 956933, 'to know how': 908981, 'know how it': 476446, 'how it happened': 408131, 'farmland': 299666, 'softened': 781502, 'canadian farmland': 160679, 'farmland price': 299669, 'price softened': 676547, 'softened in': 781503, 'that before': 842962, 'before any': 122635, 'any impact': 79341, 'pandemic for': 635446, 'more detail': 539011, 'detail visit': 239265, 'visit farm': 959246, 'farm credit': 299104, 'credit canada': 216324, 'canada website': 160608, 'canadian farmland price': 160680, 'farmland price softened': 299671, 'price softened in': 676548, 'softened in 2019': 781504, 'in 2019 and': 419800, '2019 and that': 13938, 'and that before': 73182, 'that before any': 842963, 'before any impact': 122637, 'any impact from': 79342, 'impact from the': 417667, '19 pandemic for': 9332, 'pandemic for more': 635448, 'for more detail': 323568, 'more detail visit': 539027, 'detail visit farm': 239266, 'visit farm credit': 959247, 'farm credit canada': 299105, 'credit canada website': 216325, 'be with': 118115, 'someone whose': 784775, 'whose money': 990660, 'money you': 537193, 'help manage': 390041, 'manage due': 512386, 'to prevention': 912105, 'prevention tactic': 671891, 'tactic like': 831702, 'like social': 491208, 'bureau cfpb': 142774, 'cfpb provides': 170359, 'provides few': 686844, 'you are unable': 1017274, 'unable to be': 939321, 'to be with': 901637, 'be with someone': 118120, 'with someone whose': 1000882, 'someone whose money': 784776, 'whose money you': 990661, 'money you help': 537198, 'you help manage': 1019196, 'help manage due': 390042, 'manage due to': 512387, 'due to prevention': 261912, 'to prevention tactic': 912107, 'prevention tactic like': 671892, 'tactic like social': 831703, 'like social distancing': 491209, 'distancing and quarantine': 246991, 'quarantine the consumer': 692609, 'protection bureau cfpb': 685360, 'bureau cfpb provides': 142777, 'cfpb provides few': 170360, 'provides few tip': 686845, 'still find': 800530, 'it mental': 459601, 'mental that': 528664, 'that queueing': 845928, 'queueing meter': 694174, 'human to': 410637, 'life now': 488913, 'now socialdistancing': 575856, 'still find it': 800531, 'find it mental': 306999, 'it mental that': 459602, 'mental that queueing': 528665, 'that queueing meter': 845929, 'queueing meter apart': 694175, 'meter apart from': 529686, 'apart from other': 81269, 'from other human': 336729, 'other human to': 620381, 'human to get': 410639, 'into supermarket is': 443047, 'supermarket is our': 821112, 'is our life': 450628, 'our life now': 623730, 'life now socialdistancing': 488914, 'fundamentally': 341563, 'evan': 283738, 'not fundamentally': 569561, 'fundamentally changed': 341568, 'changed our': 172522, 'or many': 616062, 'life basic': 488518, 'necessity we': 554290, 'we simply': 973325, 'simply panic': 770258, 'bought prof': 136689, 'prof evan': 682346, 'evan fraser': 283739, 'fraser amp': 331206, 'amp on': 54218, 'canada food': 160434, 'we have not': 971878, 'have not fundamentally': 381681, 'not fundamentally changed': 569562, 'fundamentally changed our': 341570, 'changed our demand': 172523, 'paper or many': 640553, 'or many of': 616063, 'many of life': 514378, 'of life basic': 585817, 'life basic necessity': 488519, 'basic necessity we': 112005, 'necessity we simply': 554291, 'we simply panic': 973326, 'simply panic bought': 770259, 'panic bought prof': 637432, 'bought prof evan': 136690, 'prof evan fraser': 682347, 'evan fraser amp': 283740, 'fraser amp on': 331207, 'amp on canada': 54220, 'on canada food': 599793, 'canada food supply': 160436, 'the get': 856238, 'my lawn': 548993, 'lawn guy': 482504, 'guy but': 368937, 'away their': 106051, 'their glove': 873410, 'local post': 498289, 'not the get': 572001, 'the get off': 856239, 'get off my': 347683, 'off my lawn': 593984, 'my lawn guy': 548994, 'lawn guy but': 482505, 'guy but people': 368940, 'but people need': 146769, 'to stop throwing': 915588, 'stop throwing away': 805206, 'throwing away their': 895088, 'away their glove': 106055, 'their glove in': 873411, 'parking lot and': 642077, 'lot and on': 503985, 'and on the': 68069, 'floor of some': 310832, 'of some local': 589899, 'some local post': 783213, 'local post office': 498290, 'are waking': 91522, 'to president': 912028, 'trump warns': 933964, 'warns citizen': 967253, 'citizen that': 178975, 'buying trump': 151267, 'trump assures': 933422, 'assures the': 97147, 'american people': 52120, 'fine and': 307598, 'looking great': 502927, 'world we are': 1010142, 'we are waking': 970755, 'are waking up': 91523, 'waking up to': 964668, 'up to president': 946415, 'to president trump': 912030, 'president trump warns': 670954, 'trump warns citizen': 933965, 'warns citizen that': 967254, 'citizen that there': 178976, 'stockpile food and': 803745, 'food and panic': 313300, 'panic buying trump': 637944, 'buying trump assures': 151268, 'trump assures the': 933423, 'assures the american': 97148, 'the american people': 848634, 'american people that': 52126, 'people that everything': 649761, 'that everything is': 843779, 'everything is fine': 287870, 'is fine and': 447813, 'fine and looking': 307600, 'and looking great': 66377, 'coronaout': 205097, 'confidence fall': 193861, 'to near': 910494, 'near year': 553633, 'low during': 505255, 'coronaoutbreak coronaout': 205117, 'coronaout lockdownuk': 205098, 'lockdownuk flattenthecurve': 500410, 'flattenthecurve coronaupdate': 310162, 'consumer confidence fall': 196896, 'confidence fall to': 193862, 'fall to near': 297099, 'to near year': 910496, 'near year low': 553634, 'year low during': 1014718, 'low during coronavirus': 505256, 'coronavirus pandemic coronaoutbreak': 206450, 'pandemic coronaoutbreak coronaout': 635226, 'coronaoutbreak coronaout lockdownuk': 205118, 'coronaout lockdownuk flattenthecurve': 205099, 'lockdownuk flattenthecurve coronaupdate': 500411, 'pointer': 662743, 'providing our': 687062, 'top pointer': 925663, 'pointer for': 662744, 'for adapting': 319006, 'adapting your': 31356, 'providing our top': 687066, 'our top pointer': 625169, 'top pointer for': 925664, 'pointer for adapting': 662745, 'for adapting your': 319007, 'adapting your business': 31357, 'your business to': 1023083, 'business to the': 144562, 'you cough': 1018062, 'cough at': 208456, 'to allergy': 900312, 'allergy and': 45766, 'and understand': 74633, 'you out': 1020255, 'when you cough': 984551, 'you cough at': 1018065, 'cough at the': 208459, 'due to allergy': 261699, 'to allergy and': 900313, 'allergy and understand': 45767, 'and understand why': 74637, 'understand why are': 940815, 'are you out': 91831, 'you out in': 1020260, 'edeka': 268475, 'appropriately': 83067, 'germany at': 346269, 'supermarket edeka': 820087, 'edeka the': 268481, 'will teach': 995095, 'teach you': 835414, 'to appropriately': 900673, 'appropriately social': 83074, 'you shit': 1021149, 'shit when': 759290, 'in germany at': 423275, 'germany at supermarket': 346270, 'at supermarket edeka': 100720, 'supermarket edeka the': 820089, 'edeka the will': 268482, 'the will teach': 871583, 'will teach you': 995097, 'teach you how': 835416, 'you how to': 1019262, 'how to appropriately': 408978, 'to appropriately social': 900674, 'appropriately social distance': 83075, 'distance and give': 246636, 'and give you': 63670, 'give you shit': 350866, 'you shit when': 1021153, 'shit when you': 759292, 'when you don': 984554, 'so potus': 778057, 'potus and': 667281, 'gop are': 358238, '19 stimulus': 10851, 'package check': 633233, 'check for': 174439, 'have them': 383063, 'them issued': 875949, 'issued monthly': 456072, 'monthly until': 538215, 'is created': 446906, 'created because': 215784, 'because literally': 119225, 'literally that': 495091, 'open our': 612430, 'so potus and': 778058, 'potus and the': 667282, 'and the gop': 73398, 'the gop are': 856461, 'gop are going': 358239, 'increase the covid': 433103, 'covid 19 stimulus': 213867, '19 stimulus package': 10852, 'stimulus package check': 801576, 'package check for': 633234, 'check for all': 174440, 'for all american': 319109, 'american to 00': 52260, 'to 00 and': 899408, '00 and have': 65, 'and have them': 64287, 'have them issued': 383069, 'them issued monthly': 875950, 'issued monthly until': 456073, 'monthly until vaccine': 538216, 'vaccine is created': 951725, 'is created because': 446907, 'created because literally': 215785, 'because literally that': 119226, 'literally that is': 495092, 'that is the': 844664, 'way to open': 970060, 'to open our': 911002, 'open our consumer': 612431, 'consumer based economy': 196408, 'inoculated': 438951, 'australian carbon': 103456, 'market inoculated': 516589, 'inoculated from': 438952, '19 european': 6852, 'european price': 283602, 'price tumble': 677142, 'australian carbon market': 103457, 'carbon market inoculated': 163406, 'market inoculated from': 516590, 'inoculated from covid': 438953, 'covid 19 european': 213044, '19 european price': 6853, 'european price tumble': 283603, 'morning because': 541185, 'service slot': 752836, 'slot are': 774115, 'are scheduled': 89861, 'scheduled until': 741525, 'until monday': 943779, 'monday kid': 536309, 'kid have': 473981, 'eat apparently': 265850, 'the lady': 858904, 'meat counter': 525528, 'counter must': 210241, 'been 80': 120584, 'old this': 598498, 'so broken': 776649, 'broken that': 140921, 'that high': 844323, 'risk elderly': 723511, 'this morning because': 888942, 'morning because the': 541189, 'because the delivery': 119621, 'the delivery service': 853074, 'delivery service slot': 234461, 'service slot are': 752837, 'slot are scheduled': 774120, 'are scheduled until': 89863, 'scheduled until monday': 741526, 'until monday kid': 943781, 'monday kid have': 536310, 'kid have to': 473983, 'to eat apparently': 904867, 'eat apparently the': 265851, 'apparently the lady': 82018, 'the lady at': 858905, 'at the meat': 101017, 'the meat counter': 860378, 'meat counter must': 525531, 'counter must have': 210242, 'must have been': 546695, 'have been 80': 379455, 'been 80 year': 120585, 'year old this': 1014871, 'old this country': 598499, 'this country is': 886956, 'country is so': 210822, 'is so broken': 451996, 'so broken that': 776651, 'broken that high': 140922, 'that high risk': 844327, 'high risk elderly': 395354, 'risk elderly person': 723513, 'elderly person ha': 270847, 'person ha to': 652454, 'ha to work': 372323, 'deepening': 231942, 'central ohio': 169413, 'ohio food': 596540, 'among those': 53094, 'those feeling': 891999, 'the strain': 868184, 'strain of': 812282, 'new sanitation': 559539, 'sanitation guideline': 733844, 'guideline and': 368392, 'and deepening': 61046, 'deepening economic': 231943, 'challenge caused': 171421, 'central ohio food': 169415, 'ohio food pantry': 596542, 'pantry are among': 639529, 'are among those': 84521, 'among those feeling': 53096, 'those feeling the': 892000, 'feeling the strain': 303079, 'the strain of': 868186, 'strain of new': 812284, 'of new sanitation': 586983, 'new sanitation guideline': 559540, 'sanitation guideline and': 733845, 'guideline and deepening': 368394, 'and deepening economic': 61047, 'deepening economic challenge': 231944, 'economic challenge caused': 267000, 'challenge caused by': 171422, 'medtech': 527367, 'meddevice': 525947, 'sue nj': 817160, 'nj company': 563424, 'company claim': 190550, 'claim it': 179752, 'it tried': 461852, 'sell n95': 748801, 'at six': 100538, 'six time': 772705, 'time usual': 898173, 'price medtech': 675223, 'medtech meddevice': 527368, 'sue nj company': 817161, 'nj company claim': 563425, 'company claim it': 190551, 'claim it tried': 179757, 'it tried to': 461853, 'tried to sell': 931848, 'to sell n95': 914161, 'sell n95 mask': 748802, 'n95 mask at': 551187, 'mask at six': 518433, 'at six time': 100539, 'six time usual': 772707, 'time usual price': 898174, 'usual price medtech': 951005, 'price medtech meddevice': 675224, 'scuffle break': 742960, 'break out': 138779, 'out outside': 627000, 'outside london': 629475, 'amid panicbuying': 52589, 'panicbuying imagine': 638968, 'imagine ppl': 416765, 'ppl inside': 668262, 'inside act': 439209, 'like their': 491413, 'their playing': 874326, 'playing supermarketsweep': 659450, 'supermarketsweep being': 824251, 'being very': 126032, 'very stupid': 955597, 'stupid they': 815476, 'so close': 776768, 'other being': 619885, 'extremely selfish': 293922, 'selfish greedy': 748109, 'greedy stoppanicbuying': 363614, 'scuffle break out': 742961, 'break out outside': 138783, 'out outside london': 627001, 'outside london supermarket': 629476, 'london supermarket amid': 501192, 'supermarket amid panicbuying': 818904, 'amid panicbuying imagine': 52590, 'panicbuying imagine ppl': 638969, 'imagine ppl inside': 416766, 'ppl inside act': 668263, 'inside act like': 439210, 'act like their': 29689, 'like their playing': 491414, 'their playing supermarketsweep': 874327, 'playing supermarketsweep being': 659451, 'supermarketsweep being very': 824252, 'being very stupid': 126036, 'very stupid they': 955598, 'stupid they are': 815477, 'they are so': 881410, 'are so close': 90192, 'so close to': 776770, 'close to each': 182890, 'each other being': 264159, 'other being extremely': 619886, 'being extremely selfish': 125132, 'extremely selfish greedy': 293923, 'selfish greedy stoppanicbuying': 748115, 'vary': 952664, 'receiving many': 703784, 'many enquiry': 514036, 'enquiry about': 277804, 'about issue': 25562, 'issue related': 455910, 'cancellation and': 161001, 'excessive pricing': 289411, 'pricing while': 678000, 'while individual': 986954, 'individual circumstance': 435158, 'circumstance will': 178761, 'will vary': 995294, 'vary we': 952673, 'urge consumer': 948173, 'our helpful': 623414, 'helpful advice': 391152, 'advice which': 33553, 'is continually': 446810, 'continually being': 200966, 'being updated': 126005, 'updated thing': 947445, 'thing change': 884228, 'we are receiving': 970682, 'are receiving many': 89503, 'receiving many enquiry': 703785, 'many enquiry about': 514037, 'enquiry about issue': 277805, 'about issue related': 25564, 'issue related to': 455911, 'related to travel': 708622, 'to travel event': 917729, 'event cancellation and': 284955, 'cancellation and excessive': 161005, 'and excessive pricing': 62457, 'excessive pricing while': 289412, 'pricing while individual': 678001, 'while individual circumstance': 986955, 'individual circumstance will': 435159, 'circumstance will vary': 178762, 'will vary we': 995297, 'vary we urge': 952674, 'we urge consumer': 973597, 'urge consumer to': 948174, 'consumer to read': 199322, 'to read our': 912837, 'read our helpful': 700510, 'our helpful advice': 623415, 'helpful advice which': 391154, 'advice which is': 33554, 'which is continually': 985997, 'is continually being': 446811, 'continually being updated': 200967, 'being updated thing': 126006, 'updated thing change': 947446, 'gandhi': 343376, 'dear greedy': 229797, 'give others': 350625, 'others chance': 621326, 'chance please': 171781, 'everyone greed': 286953, 'greed gandhi': 363376, 'gandhi stoppanicbuying': 343379, 'dear greedy people': 229798, 'greedy people please': 363565, 'people please give': 649134, 'please give others': 660030, 'give others chance': 350626, 'others chance please': 621327, 'chance please stop': 171782, 'panic buying the': 637926, 'buying the world': 151181, 'world ha enough': 1009607, 'ha enough for': 370496, 'for everyone need': 321223, 'everyone need but': 287202, 'need but not': 554574, 'but not enough': 146536, 'not enough for': 569182, 'for everyone greed': 321213, 'everyone greed gandhi': 286954, 'greed gandhi stoppanicbuying': 363377, 'doggy': 252202, 'hit doggy': 398215, 'doggy daycare': 252203, 'daycare start': 228896, 'start up': 794615, 'up about': 944214, 'celebrate successful': 168795, 'successful first': 816237, 'first year': 309194, '19 hit doggy': 7543, 'hit doggy daycare': 398216, 'doggy daycare start': 252204, 'daycare start up': 228897, 'start up about': 794616, 'up about to': 944218, 'about to celebrate': 26710, 'to celebrate successful': 902555, 'celebrate successful first': 168796, 'successful first year': 816238, 'first year of': 309196, 'year of operation': 1014787, 'schoolteacher': 742054, 'sb': 739784, 'australian thank': 103560, 'thank schoolteacher': 841628, 'schoolteacher working': 742055, 'pandemic sb': 636401, 'sb voice': 739790, 'voice via': 960007, 'australian thank schoolteacher': 103562, 'thank schoolteacher working': 841629, 'schoolteacher working through': 742056, 'working through the': 1008967, '19 pandemic sb': 9455, 'pandemic sb voice': 636402, 'sb voice via': 739792, 'granddaughter': 361886, 'intolerance': 443331, 'in despair': 422207, 'despair at': 238484, 'people behavior': 647249, 'behavior these': 124237, 'day my': 227998, 'my granddaughter': 548542, 'granddaughter ha': 361887, 'ha life': 371137, 'life threatening': 489121, 'threatening food': 893804, 'food intolerance': 315098, 'intolerance now': 443334, 'doesn eat': 251760, 'eat is': 265952, 'bought panic': 136678, 'buyer should': 149747, 'themselves selfish': 876883, 'in despair at': 422208, 'despair at people': 238485, 'at people behavior': 100091, 'people behavior these': 647254, 'behavior these day': 124238, 'these day my': 879885, 'day my granddaughter': 228000, 'my granddaughter ha': 548543, 'granddaughter ha life': 361888, 'ha life threatening': 371138, 'life threatening food': 489123, 'threatening food intolerance': 893806, 'food intolerance now': 315099, 'intolerance now even': 443335, 'now even the': 574622, 'even the one': 284663, 'one who doesn': 607443, 'who doesn eat': 988636, 'doesn eat is': 251761, 'eat is panic': 265953, 'is panic bought': 450786, 'panic bought panic': 637429, 'bought panic buyer': 136679, 'panic buyer should': 637601, 'buyer should be': 149748, 'of themselves selfish': 591788, 'themselves selfish asshole': 876884, 'worker stock': 1007825, 'responder help': 715480, 'need doctor': 554688, 'nurse help': 577366, 'those sick': 892472, '19 payroll': 9603, 'payroll make': 645824, 'paid and': 633963, 'can clock': 157919, 'clock your': 182429, 'your time': 1026162, 'people running': 649322, 'store worker stock': 811588, 'worker stock the': 1007827, 'stock the food': 802930, 'the food the': 855614, 'food the first': 317114, 'first responder help': 308949, 'responder help those': 715481, 'help those in': 390745, 'in need doctor': 425735, 'need doctor and': 554689, 'and nurse help': 67890, 'nurse help those': 577367, 'help those sick': 390751, 'those sick with': 892473, 'covid 19 payroll': 213561, '19 payroll make': 9604, 'payroll make sure': 645825, 'make sure people': 510522, 'sure people get': 827655, 'people get paid': 648055, 'get paid and': 347762, 'paid and make': 633968, 'and make sure': 66577, 'sure you can': 827851, 'you can clock': 1017646, 'can clock your': 157920, 'clock your time': 182430, 'your time so': 1026165, 'time so you': 897703, 'can get paid': 158441, 'paid and one': 633969, 'and one of': 68089, 'one of two': 606771, 'of two people': 592543, 'two people running': 937139, 'people running the': 649324, 'running the department': 728094, 'transference': 929539, 'reminder if': 710561, 'touch door': 926464, 'handle any': 376169, 'any surface': 79930, 'surface on': 828057, 'even can': 283930, 'can in': 158736, 'supermarket there': 823273, 'is risk': 451557, 'risk the': 723929, 'through transference': 894873, 'transference someone': 929540, 'someone coughing': 784421, 'coughing into': 208692, 'hand then': 375828, 'then touching': 877691, 'surface that': 828074, 'why washing': 991510, 'hand is': 375051, 'reminder if you': 710562, 'if you touch': 415543, 'you touch door': 1021896, 'touch door handle': 926465, 'door handle any': 255606, 'handle any surface': 376170, 'any surface on': 79932, 'surface on public': 828058, 'on public transport': 603002, 'public transport or': 688414, 'transport or even': 929922, 'or even can': 615191, 'even can in': 283931, 'can in supermarket': 158738, 'in supermarket there': 428689, 'supermarket there is': 823277, 'there is risk': 878616, 'is risk the': 451558, 'risk the virus': 723934, 'virus is on': 958395, 'is on it': 450470, 'on it through': 601690, 'it through transference': 461681, 'through transference someone': 894874, 'transference someone coughing': 929541, 'someone coughing into': 784423, 'coughing into their': 208695, 'into their hand': 443194, 'their hand then': 873484, 'hand then touching': 375834, 'then touching surface': 877693, 'touching surface that': 926721, 'surface that why': 828077, 'that why washing': 847549, 'why washing hand': 991511, 'washing hand is': 967671, 'hand is so': 375053, 'msg': 544515, 'guy joking': 369058, 'joking all': 467192, 'pandemic your': 637095, 'your sending': 1025718, 'me msg': 523180, 'msg saying': 544524, 'saying price': 739665, 'without doubt': 1002597, 'doubt will': 256231, 'will move': 994130, 'move on': 543699, 'you guy joking': 1018966, 'guy joking all': 369059, 'joking all that': 467193, 'all that is': 44641, 'world with the': 1010201, 'the pandemic your': 863170, 'pandemic your sending': 637098, 'your sending me': 1025719, 'sending me msg': 750048, 'me msg saying': 523181, 'msg saying price': 544525, 'saying price are': 739666, 'going up without': 355799, 'up without doubt': 946708, 'without doubt will': 1002600, 'doubt will move': 256232, 'will move on': 994133, 'lieu': 488428, 'stupid just': 815414, 'just left': 469125, 'still aren': 800205, 'aren socialdistancing': 92523, 'socialdistancing had': 780402, 'raise my': 695887, 'my voice': 550516, 'voice at': 959976, 'at few': 98639, 'few people': 303985, 'the up': 870483, 'that wearing': 847415, 'in lieu': 424702, 'lieu of': 488431, 'distancing rant': 247411, 'people so many': 649491, 'so many are': 777636, 'many are just': 513765, 'are just so': 87638, 'just so stupid': 469825, 'so stupid just': 778295, 'stupid just left': 815416, 'just left the': 469131, 'left the grocery': 485667, 'store and people': 806317, 'and people still': 68882, 'people still aren': 649582, 'still aren socialdistancing': 800209, 'aren socialdistancing had': 92524, 'socialdistancing had to': 780403, 'had to raise': 373716, 'to raise my': 912728, 'raise my voice': 695888, 'my voice at': 550517, 'voice at few': 959977, 'at few people': 98640, 'few people to': 303992, 'people to back': 649878, 'to back the': 900980, 'back the up': 107317, 'the up on': 870488, 'up on top': 945636, 'of that wearing': 590752, 'that wearing face': 847417, 'face mask is': 294554, 'mask is not': 518869, 'is not in': 450113, 'not in lieu': 570097, 'in lieu of': 424703, 'lieu of social': 488432, 'social distancing rant': 779693, 'this enough': 887387, 'enough the': 277666, 'this are': 886397, 'keeping going': 472429, 'this challenging': 886731, 'responder delivery': 715441, 'people trucker': 650013, 'trucker pharmacist': 932944, 'employee amp': 273548, 'amp everyone': 53756, 'everyone keeping': 287139, 'keeping supply': 472568, 'can say this': 159518, 'say this enough': 739365, 'this enough the': 887391, 'enough the true': 277673, 'true hero in': 933100, 'all this are': 45091, 'this are the': 886402, 'are the essential': 90821, 'essential worker who': 281864, 'are keeping going': 87655, 'keeping going in': 472431, 'going in this': 355223, 'in this challenging': 429917, 'this challenging time': 886733, 'challenging time to': 171651, 'time to first': 897987, 'first responder delivery': 308935, 'responder delivery people': 715442, 'delivery people trucker': 234326, 'people trucker pharmacist': 650014, 'trucker pharmacist grocery': 932945, 'store employee amp': 807455, 'employee amp everyone': 273549, 'amp everyone keeping': 53759, 'everyone keeping supply': 287141, 'keeping supply chain': 472569, 'chain running thank': 171070, 'thank you 19': 841682, 'reeling': 706442, 'adamneumann': 31240, 'kibbutz': 473767, 'outbreak real': 628575, 'estate company': 282110, 'company reeling': 191014, 'reeling from': 706445, 'the including': 858044, 'including pay': 432102, 'cut layoff': 223417, 'layoff furlough': 482694, 'furlough falling': 341888, 'falling stock': 297339, 'price even': 673712, 'even co': 283959, 'co founder': 184836, 'of former': 583874, 'former ceo': 329618, 'ceo adamneumann': 169630, 'adamneumann could': 31241, 'could lose': 209393, 'lose 970': 503421, '970 million': 23696, 'million back': 532079, 'the kibbutz': 858772, 'kibbutz for': 473768, 'for him': 322280, 'him via': 396765, 'breaking the outbreak': 139064, 'the outbreak real': 862686, 'outbreak real estate': 628576, 'real estate company': 701140, 'estate company reeling': 282112, 'company reeling from': 191015, 'reeling from the': 706448, 'from the including': 337754, 'the including pay': 858047, 'including pay cut': 432103, 'pay cut layoff': 644828, 'cut layoff furlough': 223419, 'layoff furlough falling': 482696, 'furlough falling stock': 341889, 'falling stock price': 297341, 'stock price even': 802713, 'price even co': 673713, 'even co founder': 283960, 'co founder of': 184839, 'founder of former': 330551, 'of former ceo': 583875, 'former ceo adamneumann': 329619, 'ceo adamneumann could': 169631, 'adamneumann could lose': 31242, 'could lose 970': 209395, 'lose 970 million': 503422, '970 million back': 23697, 'million back to': 532080, 'to the kibbutz': 916825, 'the kibbutz for': 858773, 'kibbutz for him': 473769, 'for him via': 322290, 'handy toilet': 376908, 'paper calculator': 639993, 'calculator help': 155332, 'you measure': 1019829, 'measure your': 525439, 'your supply': 1026072, 'supply find': 825239, 'day worth': 228804, 'roll you': 725610, 'this online': 889261, 'tool read': 925432, 'article here': 94345, 'handy toilet paper': 376909, 'toilet paper calculator': 921219, 'paper calculator help': 639994, 'calculator help you': 155333, 'help you measure': 390982, 'you measure your': 1019830, 'measure your supply': 525440, 'your supply find': 1026073, 'supply find out': 825240, 'out how many': 626328, 'many day worth': 513986, 'day worth of': 228805, 'worth of toiletpaper': 1011419, 'of toiletpaper roll': 592279, 'toiletpaper roll you': 922419, 'roll you have': 725612, 'have left with': 381302, 'left with this': 485749, 'with this online': 1001713, 'this online tool': 889267, 'online tool read': 609617, 'tool read more': 925433, 'read more in': 700438, 'more in my': 539519, 'in my article': 425537, 'my article here': 547321, 'customer wait': 223027, 'open this': 612571, 'the line outside': 859417, 'line outside in': 493347, 'outside in customer': 629460, 'in customer wait': 421948, 'customer wait for': 223028, 'store to open': 810792, 'to open this': 911009, 'open this morning': 612573, 'tucker': 935063, 'carlson': 164763, 'tucker carlson': 935064, 'carlson made': 164764, 'made great': 507763, 'great point': 362896, 'decided going': 230866, 'is somehow': 452096, 'somehow le': 784325, 'le dangerous': 482914, 'dangerous than': 225779, 'make no': 510242, 'no sense': 565456, 'tucker carlson made': 935065, 'carlson made great': 164765, 'made great point': 507764, 'great point we': 362898, 'point we ve': 662692, 've decided going': 953028, 'decided going to': 230867, 'store is somehow': 808529, 'is somehow le': 452097, 'somehow le dangerous': 784326, 'le dangerous than': 482915, 'dangerous than going': 225782, 'to work it': 918743, 'work it make': 1005389, 'it make no': 459515, 'make no sense': 510246, 'threw': 894160, 'store threw': 810724, 'threw out': 894167, 'out 35': 625537, 'on sparking': 603586, 'sparking fear': 787599, 'fear police': 301290, 'police said': 663185, 'store threw out': 810725, 'threw out 35': 894168, 'out 35 00': 625538, '00 in that': 270, 'in that woman': 428937, 'that woman intentionally': 847639, 'coughed on sparking': 208632, 'on sparking fear': 603588, 'sparking fear police': 787600, 'fear police said': 301291, 'phd': 654659, 'poloz': 663928, 'determining': 239466, 'my phd': 549751, 'phd isn': 654664, 'in economics': 422484, 'economics but': 267438, 'but ll': 146292, 'out bank': 625760, 'of canada': 581075, 'canada governor': 160445, 'governor poloz': 360969, 'poloz ha': 663929, 'ha stressed': 372083, 'stressed that': 813463, 'confidence will': 193985, 'critical in': 218574, 'in determining': 422229, 'determining whether': 239470, 'shock prof': 759502, 'prof to': 682376, 'be short': 117158, 'lived albeit': 496146, 'albeit deep': 40759, 'deep downturn': 231878, 'downturn or': 257810, 'lasting recession': 480778, 'my phd isn': 549753, 'phd isn in': 654665, 'isn in economics': 454555, 'in economics but': 422486, 'economics but ll': 267439, 'but ll help': 146297, 'help you out': 390987, 'you out bank': 1020256, 'out bank of': 625761, 'bank of canada': 110048, 'of canada governor': 581080, 'canada governor poloz': 160446, 'governor poloz ha': 360970, 'poloz ha stressed': 663931, 'ha stressed that': 372084, 'stressed that business': 813464, 'that business and': 843054, 'consumer confidence will': 196934, 'confidence will be': 193986, 'be critical in': 114296, 'critical in determining': 218576, 'in determining whether': 422231, 'determining whether the': 239471, 'whether the covid': 985581, '19 shock prof': 10470, 'shock prof to': 759503, 'prof to be': 682377, 'to be short': 901538, 'be short lived': 117160, 'short lived albeit': 764641, 'lived albeit deep': 496147, 'albeit deep downturn': 40760, 'deep downturn or': 231879, 'downturn or longer': 257811, 'or longer lasting': 616004, 'longer lasting recession': 502016, 'nab': 551340, 'cockburn': 185227, 'agribusiness': 38852, 'havoc around': 384421, 'world but': 1009381, 'real disruption': 701116, 'to australia': 900837, 'australia food': 103282, 'supply say': 825806, 'say nab': 738961, 'nab cockburn': 551344, 'cockburn agribusiness': 185228, 'wreaking havoc around': 1012696, 'havoc around the': 384422, 'the world but': 871827, 'world but there': 1009384, 'there no real': 878836, 'no real disruption': 565279, 'real disruption to': 701117, 'disruption to australia': 246539, 'to australia food': 900839, 'australia food supply': 103283, 'food supply say': 316990, 'supply say nab': 825807, 'say nab cockburn': 738962, 'nab cockburn agribusiness': 551345, 'time again': 896215, 'again there': 37216, 'last supermarket': 480522, 'still opened': 800983, 'opened and': 612704, 'even recruiting': 284513, 'recruiting stop': 705496, 'panicbuying coronacrisis': 638921, 'they have said': 882375, 'have said it': 382384, 'said it time': 731169, 'it time and': 461692, 'time and time': 896304, 'and time again': 74118, 'time again there': 896216, 'again there is': 37217, 'enough food supply': 277415, 'supply to last': 826014, 'to last supermarket': 909073, 'last supermarket are': 480523, 'are still opened': 90457, 'still opened and': 800984, 'opened and even': 612705, 'and even recruiting': 62343, 'even recruiting stop': 284515, 'recruiting stop panic': 705497, 'buying panicbuying coronacrisis': 150874, 'affirmative': 34637, 'billion pound': 130896, 'consumer home': 197762, 'home result': 401975, 'of stockpilinguk': 590223, 'stockpilinguk but': 804137, 'doesn think': 251974, 'this tory': 890820, 'tory government': 926069, 'to intervene': 908460, 'intervene christ': 442159, 'christ what': 178090, 'take affirmative': 831922, 'affirmative action': 34638, 'billion pound of': 130898, 'pound of extra': 667393, 'of extra food': 583344, 'extra food in': 293514, 'food in consumer': 314931, 'in consumer home': 421702, 'consumer home result': 197765, 'home result of': 401976, 'result of stockpilinguk': 717614, 'of stockpilinguk but': 590224, 'stockpilinguk but doesn': 804138, 'but doesn think': 145578, 'doesn think it': 251975, 'it the job': 461549, 'the job of': 858667, 'job of this': 466042, 'of this tory': 592056, 'this tory government': 890821, 'tory government to': 926070, 'government to intervene': 360721, 'to intervene christ': 908462, 'intervene christ what': 442160, 'christ what will': 178091, 'will it take': 993872, 'take for them': 832135, 'them to take': 876520, 'to take affirmative': 916156, 'take affirmative action': 831923, 'officially calling': 595991, 'every movie': 286034, 'movie ve': 544093, 'full grocery': 340621, 'pandemic toilet': 636807, 'becoming currency': 120288, 'currency here': 221035, 'what call': 981161, 'officially calling on': 595992, 'calling on every': 156611, 'on every movie': 600619, 'every movie ve': 286035, 'movie ve seen': 544094, 've seen with': 953556, 'seen with full': 747360, 'with full grocery': 998581, 'full grocery store': 340622, 'store during pandemic': 807407, 'during pandemic toilet': 262903, 'pandemic toilet paper': 636808, 'paper is becoming': 640348, 'is becoming currency': 446032, 'becoming currency here': 120289, 'currency here that': 221036, 'here that what': 393638, 'that what call': 847459, 'what call it': 981162, '206': 14863, 'teatowel': 836018, 'quarantine day': 692130, 'day 206': 227114, '206 roast': 14866, 'roast teatowel': 724599, 'teatowel chicken': 836019, 'veg uklockdown': 953796, 'uklockdown nofood': 939001, 'quarantine day 206': 692131, 'day 206 roast': 227115, '206 roast teatowel': 14867, 'roast teatowel chicken': 724600, 'teatowel chicken and': 836020, 'chicken and veg': 175743, 'and veg uklockdown': 74867, 'veg uklockdown nofood': 953797, 'hey remember': 394492, 'when posted': 983897, 'posted this': 666580, 'this they': 890553, 'our help': 623408, 'hey remember when': 394495, 'remember when posted': 710416, 'when posted this': 983898, 'posted this they': 666585, 'this they need': 890557, 'they need our': 882752, 'need our help': 555398, 'remark': 710099, 'are mainly': 87962, 'mainly produced': 508887, 'produced in': 680523, 'china this': 176997, 'this sentence': 890027, 'sentence is': 750864, 'completely misleading': 192322, 'misleading then': 534107, 'then my': 877345, 'my irresponsible': 548890, 'irresponsible remark': 445069, 'remark caused': 710102, 'caused panic': 167931, 'buying panickbuying': 150878, 'panickbuying toiletpaper': 639226, 'they are mainly': 881331, 'are mainly produced': 87963, 'mainly produced in': 508888, 'produced in china': 680524, 'in china this': 421441, 'china this sentence': 176999, 'this sentence is': 890028, 'sentence is completely': 750865, 'is completely misleading': 446707, 'completely misleading then': 192323, 'misleading then my': 534108, 'then my irresponsible': 877346, 'my irresponsible remark': 548892, 'irresponsible remark caused': 445070, 'remark caused panic': 710103, 'caused panic buying': 167933, 'panic buying panickbuying': 637841, 'buying panickbuying toiletpaper': 150880, 'all glad': 42930, 'glad gas': 351492, 'getting back': 348857, 'after 20': 35283, 'year funny': 1014581, 'funny it': 341753, 'stay this': 797351, 'aren we all': 92581, 'we all glad': 970328, 'all glad gas': 42931, 'glad gas price': 351493, 'price are getting': 672668, 'are getting back': 86793, 'getting back to': 348860, 'normal after 20': 567071, 'after 20 year': 35284, '20 year funny': 13421, 'year funny it': 1014582, 'funny it took': 341756, 'took the 19': 925338, 'the 19 to': 847931, '19 to get': 11428, 'get it all': 347391, 'it all in': 456354, 'all in check': 43193, 'in check price': 421351, 'check price should': 174602, 'price should stay': 676390, 'should stay this': 766498, 'stay this low': 797353, 'pillaging': 656671, 'just checked': 468471, 'checked and': 174740, 'and both': 59089, 'both asda': 135858, 'tesco do': 838693, 'slot in': 774212, 'patch for': 643934, 'week from': 976251, 'now how': 574952, 'how exactly': 407821, 'exactly are': 288725, 'are those': 91055, 'those self': 892432, 'isolating supposed': 455144, 'access vital': 28307, 'vital supply': 959725, 'supply if': 825383, 'only folk': 610454, 'folk would': 312319, 'would stop': 1012274, 'stop pillaging': 804911, 'pillaging their': 656676, 'their brick': 872649, 'mortar store': 541838, 'stop driving': 804626, 'driving demand': 259914, 've just checked': 953295, 'just checked and': 468472, 'checked and both': 174741, 'and both asda': 59090, 'both asda and': 135859, 'asda and tesco': 94909, 'and tesco do': 73129, 'tesco do not': 838694, 'not have delivery': 569825, 'have delivery slot': 380230, 'delivery slot in': 234528, 'slot in my': 774214, 'in my patch': 425610, 'my patch for': 549729, 'patch for three': 643936, 'three week from': 894103, 'week from now': 976256, 'from now how': 336608, 'now how exactly': 574954, 'how exactly are': 407822, 'exactly are those': 288727, 'are those self': 91059, 'those self isolating': 892433, 'self isolating supposed': 747738, 'isolating supposed to': 455145, 'supposed to access': 827349, 'to access vital': 899963, 'access vital supply': 28308, 'vital supply if': 959728, 'supply if only': 825385, 'if only folk': 414549, 'only folk would': 610455, 'folk would stop': 312320, 'would stop pillaging': 1012283, 'stop pillaging their': 804912, 'pillaging their brick': 656677, 'their brick and': 872650, 'and mortar store': 67249, 'mortar store it': 541842, 'store it would': 808600, 'it would stop': 462607, 'would stop driving': 1012277, 'stop driving demand': 804627, 'driving demand online': 259915, 'containment is': 200600, 'our normal': 624085, 'normal life': 567205, 'life all': 488451, 'by lot': 153098, 'power 19': 667551, 'once the containment': 605718, 'the containment is': 851652, 'containment is over': 200601, 'over and we': 629993, 'and we all': 75277, 'all go back': 42939, 'back to our': 107386, 'to our normal': 911222, 'our normal life': 624089, 'normal life all': 567206, 'life all the': 488453, 'all the price': 44871, 'up by lot': 944555, 'by lot of': 153101, 'lot of power': 504255, 'of power 19': 588301, 'it interesting': 458813, 'interesting that': 441626, 'that nearly': 845291, 'all essential': 42695, 'lowest paid': 506193, 'paid people': 634106, 'the fat': 854974, 'cat are': 166830, 'all crazy': 42493, 'crazy world': 215489, 'world time': 1010072, 'for radical': 324942, 'change 19': 171877, 'isn it interesting': 454566, 'it interesting that': 458815, 'interesting that nearly': 441627, 'that nearly all': 845294, 'nearly all essential': 553797, 'all essential worker': 42705, 'essential worker are': 281816, 'worker are some': 1006425, 'the lowest paid': 859816, 'lowest paid people': 506196, 'paid people and': 634107, 'people and all': 646842, 'all the fat': 44745, 'the fat cat': 854976, 'fat cat are': 300201, 'cat are not': 166831, 'are not essential': 88361, 'not essential at': 569212, 'essential at all': 280802, 'at all crazy': 97878, 'all crazy world': 42494, 'crazy world time': 215491, 'world time for': 1010073, 'time for radical': 896747, 'for radical change': 324943, 'radical change 19': 695399, 'discounting': 244609, 'lure': 506830, 'gmv': 353217, 'true sir': 933163, 'sir like': 771590, 'prefer buying': 669728, 'buying from': 150385, 'shop than': 760886, 'than online': 840985, 'see very': 745998, 'very aggressive': 954986, 'aggressive discounting': 38243, 'discounting by': 244610, 'by those': 154538, 'those online': 892292, 'portal to': 664956, 'to lure': 909527, 'lure customer': 506831, 'reduce loss': 705870, 'loss in': 503701, 'their gmv': 873412, 'true sir like': 933164, 'sir like to': 771591, 'to add post': 900062, 'add post covid': 31467, '19 people will': 9633, 'people will prefer': 650404, 'will prefer buying': 994436, 'prefer buying from': 669729, 'buying from local': 150387, 'from local shop': 336257, 'local shop than': 498419, 'shop than online': 760887, 'than online we': 840986, 'online we may': 609701, 'we may also': 972349, 'may also see': 520919, 'also see very': 48842, 'see very aggressive': 745999, 'very aggressive discounting': 954987, 'aggressive discounting by': 38244, 'discounting by those': 244611, 'by those online': 154540, 'those online shopping': 892293, 'shopping portal to': 763658, 'portal to lure': 664957, 'to lure customer': 909528, 'lure customer and': 506832, 'customer and reduce': 222096, 'and reduce loss': 70096, 'reduce loss in': 705871, 'loss in their': 503709, 'in their gmv': 429743, 'cust': 221937, 'aftercare': 36628, 'complicated': 192454, 'nausea': 553024, 'inducing': 435495, 'layout': 482720, 'mgmnt': 530091, 'direct always': 243283, 'always had': 49594, 'had lovely': 373268, 'lovely staff': 504992, 'staff but': 792280, 'but appalling': 145199, 'appalling policy': 81843, 'policy on': 663456, 'on cust': 600190, 'cust aftercare': 221938, 'aftercare complicated': 36629, 'complicated nausea': 192464, 'nausea inducing': 553025, 'inducing shop': 435497, 'shop floor': 760169, 'floor layout': 310813, 'layout vile': 482723, 'vile treatment': 957316, 'staff by': 792284, 'by mgmnt': 153208, 'mgmnt their': 530092, 'their action': 872457, 'pandemic just': 635844, 'just staggering': 469859, 'staggering vile': 793266, 'vile never': 957310, 'never shop': 558189, 'shop there': 760914, 'there again': 877959, 'direct always had': 243284, 'always had lovely': 49596, 'had lovely staff': 373269, 'lovely staff but': 504993, 'staff but appalling': 792281, 'but appalling policy': 145200, 'appalling policy on': 81844, 'policy on cust': 663457, 'on cust aftercare': 600191, 'cust aftercare complicated': 221939, 'aftercare complicated nausea': 36630, 'complicated nausea inducing': 192465, 'nausea inducing shop': 553026, 'inducing shop floor': 435498, 'shop floor layout': 760173, 'floor layout vile': 310814, 'layout vile treatment': 482724, 'vile treatment of': 957317, 'treatment of staff': 931112, 'of staff by': 590019, 'staff by mgmnt': 792285, 'by mgmnt their': 153209, 'mgmnt their action': 530093, 'their action during': 872460, 'action during pandemic': 30004, 'during pandemic just': 262876, 'pandemic just staggering': 635849, 'just staggering vile': 469860, 'staggering vile never': 793267, 'vile never shop': 957311, 'never shop there': 558194, 'shop there again': 760915, 'release curfew': 708933, 'press release curfew': 671073, 'release curfew for': 708934, 'curfew for delivery': 220882, 'for delivery to': 320652, 'delivery to supermarket': 234672, 'to supermarket auspol': 915773, '340million': 17839, 'this past': 889494, 'week story': 976937, 'over america': 629968, 'america show': 51675, 'show farmer': 766942, 'milk plowing': 531770, 'plowing under': 661105, 'under crop': 940063, 'crop because': 218898, 'because normal': 119280, 'demand shift': 236191, 'shift look': 758347, 'look we': 502661, 'have 340million': 379092, '340million hungry': 17840, 'hungry american': 411221, 'american without': 52316, 'income trump': 432484, 'trump fed': 933553, 'fed govt': 301825, 'is failing': 447708, 'failing again': 296192, 'if american': 413807, 'american survive': 52237, 'must face': 546647, 'face food': 294440, 'shortage next': 765082, 'this past week': 889496, 'past week story': 643651, 'week story from': 976938, 'story from all': 811981, 'from all over': 334435, 'all over america': 43851, 'over america show': 629971, 'america show farmer': 51676, 'show farmer dumping': 766943, 'dumping milk plowing': 262244, 'milk plowing under': 531771, 'plowing under crop': 661106, 'under crop because': 940064, 'crop because normal': 218899, 'because normal demand': 119281, 'normal demand shift': 567136, 'demand shift look': 236192, 'shift look we': 758348, 'look we have': 502662, 'we have 340million': 971741, 'have 340million hungry': 379093, '340million hungry american': 17841, 'hungry american without': 411222, 'american without income': 52317, 'without income trump': 1002733, 'income trump fed': 432485, 'trump fed govt': 933554, 'fed govt is': 301827, 'govt is failing': 361164, 'is failing again': 447709, 'failing again if': 296193, 'again if american': 37032, 'if american survive': 413809, 'american survive covid': 52238, '19 we must': 11941, 'we must face': 972413, 'must face food': 546648, 'face food shortage': 294443, 'food shortage next': 316589, 'say beware': 738457, 'fraudulent coronavirus': 331452, 'coronavirus test': 206878, 'treatment there': 931152, 'no vaccine': 565825, 'vaccine to': 951779, 'drug to': 261118, '19 approved': 5184, 'approved by': 83134, 'fda say beware': 300920, 'say beware of': 738458, 'of fraudulent coronavirus': 583902, 'fraudulent coronavirus test': 331453, 'coronavirus test vaccine': 206885, 'test vaccine and': 839224, 'vaccine and treatment': 951658, 'and treatment there': 74444, 'treatment there are': 931153, 'currently no vaccine': 221602, 'no vaccine to': 565828, 'vaccine to prevent': 951780, 'prevent or drug': 671678, 'or drug to': 615083, 'drug to treat': 261125, 'to treat covid': 917744, 'covid 19 approved': 212646, '19 approved by': 5185, 'approved by the': 83138, 'by the food': 154329, 'attacking': 102193, '006': 646, 'are attacking': 84693, 'attacking each': 102196, 'other when': 621197, 'have greater': 380838, 'greater chance': 363146, 'chance catching': 171711, 'catching it': 167093, 'than sunbathing': 841178, 'sunbathing the': 818126, 'rate is': 697274, 'is 006': 445140, '006 and': 647, 'that including': 844484, 'including people': 432106, 'agree but people': 38599, 'people are attacking': 646931, 'are attacking each': 84694, 'attacking each other': 102197, 'each other when': 264234, 'other when there': 621199, 'no need you': 564858, 'need you have': 556257, 'you have greater': 1019053, 'have greater chance': 380839, 'greater chance catching': 363147, 'chance catching it': 171712, 'catching it in': 167095, 'supermarket than sunbathing': 823165, 'than sunbathing the': 841179, 'sunbathing the death': 818127, 'the death rate': 852975, 'death rate is': 230175, 'rate is 006': 697275, 'is 006 and': 445141, '006 and that': 648, 'and that including': 73195, 'that including people': 844485, 'including people who': 432107, 'have died of': 380270, 'died of other': 241591, 'of other thing': 587378, 'other thing but': 621102, 'thing but have': 884205, 'but have covid': 145869, 'print': 678258, 'handsanitizing': 376708, 'hand sink': 375760, 'sink sanitizers': 771485, 'our vi': 625265, 'abuja branch': 27570, 'branch cheapest': 137668, 'quantity print': 691952, 'print healthylifestyle': 678273, 'health handwashing': 386479, 'handwashing handsanitizing': 376838, 'handsanitizing lagos': 376709, 'buy hand sink': 148773, 'hand sink sanitizers': 375761, 'sink sanitizers at': 771486, 'sanitizers at our': 736228, 'at our vi': 100038, 'our vi ikoyi': 625266, 'and abuja branch': 57569, 'abuja branch cheapest': 27571, 'branch cheapest price': 137669, 'cheapest price unlimited': 174311, 'unlimited quantity print': 942790, 'quantity print healthylifestyle': 691953, 'print healthylifestyle health': 678274, 'healthylifestyle health handwashing': 387849, 'health handwashing handsanitizing': 386480, 'handwashing handsanitizing lagos': 376839, 'handsanitizing lagos abuja': 376710, 'latest advice': 481202, 'shopping safely': 763795, 'safely at': 730259, 'not read': 571217, 'article and': 94250, 'you checked out': 1017938, 'out the latest': 627384, 'the latest advice': 859074, 'latest advice on': 481204, 'advice on shopping': 33458, 'on shopping safely': 603441, 'shopping safely at': 763796, 'safely at the': 730261, 'supermarket if not': 820832, 'if not read': 414504, 'not read this': 571219, 'read this article': 700608, 'this article and': 886411, 'article and find': 94253, 'and find out': 62891, 'out more about': 626562, 'more about keeping': 538513, 'about keeping safe': 25618, 'keeping safe during': 472544, 'safe during 19': 729610, 'he try': 385549, 'steal full': 799178, 'full trolley': 340953, 'trolley of': 932449, 'it turning': 461885, 'turning people': 935943, 'tackled to ground': 831633, 'to ground by': 907017, 'staff he try': 792518, 'he try to': 385550, 'to steal full': 915361, 'steal full trolley': 799179, 'full trolley of': 340954, 'trolley of food': 932450, 'of hand this': 584440, 'hand this covid': 375845, 'virus it becoming': 958415, 'it becoming mental': 456781, 'illness crisis it': 416358, 'crisis it turning': 217612, 'it turning people': 461886, 'turning people to': 935944, 'disappointed in': 244103, 'certain product': 170081, 'product diaper': 681120, 'diaper baby': 240355, 'wipe etc': 996246, 'etc during': 282501, 'time took': 898122, 'took my': 925295, 'disappointed in for': 244104, 'in for raising': 423025, 'for raising price': 324952, 'price on certain': 675659, 'on certain product': 599863, 'certain product diaper': 170085, 'product diaper baby': 681121, 'diaper baby wipe': 240356, 'baby wipe etc': 106736, 'wipe etc during': 996248, 'etc during these': 282504, 'uncertain time took': 939628, 'time took my': 898123, 'took my business': 925296, 'my business to': 547582, 'business to who': 144566, 'not taking advantage': 571921, 'turnip': 935987, 'animalcrossingnewhorizons': 76705, 'our turnip': 625212, 'turnip price': 935994, 'price animalcrossingnewhorizons': 672587, 'animalcrossingnewhorizons animalcrossing': 76706, 'animalcrossing lockdowneffect': 76699, 'what are our': 981062, 'are our turnip': 88874, 'our turnip price': 625213, 'turnip price animalcrossingnewhorizons': 935996, 'price animalcrossingnewhorizons animalcrossing': 672588, 'animalcrossingnewhorizons animalcrossing lockdowneffect': 76707, 'doing even': 252381, 'more great': 539368, 'great thing': 363044, 'time paisley': 897447, 'already putting': 47595, 'putting their': 691237, 'their free': 873369, 'good use': 357922, 'use amid': 949031, 'doing even more': 252383, 'even more great': 284359, 'more great thing': 539369, 'great thing during': 363047, 'thing during this': 884294, 'this time paisley': 890675, 'time paisley and': 897448, 'wife kimberly williams': 991944, 'paisley are already': 634374, 'are already putting': 84421, 'already putting their': 47597, 'putting their free': 691239, 'their free grocery': 873371, 'store to good': 810773, 'to good use': 906910, 'good use amid': 357923, 'use amid the': 949032, 'closebordersnow': 182949, 'hit dm': 398213, 'dm to': 248933, 'your sanitizers': 1025681, 'their actual': 872467, 'actual price': 30690, 'price quarantinelife': 676045, 'quarantinelife closebordersnow': 692940, 'hit dm to': 398214, 'dm to buy': 248934, 'to buy your': 902343, 'buy your sanitizers': 149499, 'your sanitizers at': 1025682, 'sanitizers at their': 736231, 'at their actual': 101161, 'their actual price': 872468, 'actual price quarantinelife': 30691, 'price quarantinelife closebordersnow': 676046, 'sefton': 747375, 'helpline': 391586, 'with picking': 1000206, 'medicine but': 526748, 'coronavirus call': 205598, 'call the': 156123, 'the sefton': 866644, 'sefton council': 747376, 'council helpline': 209987, 'helpline or': 391599, 'fill in': 305467, 'online form': 608254, 'form for': 329508, 'help with picking': 390922, 'with picking up': 1000207, 'picking up your': 655894, 'up your shopping': 946755, 'your shopping or': 1025788, 'shopping or medicine': 763548, 'or medicine but': 616115, 'medicine but are': 526749, 'but are at': 145208, 'risk of coronavirus': 723740, 'of coronavirus call': 581920, 'coronavirus call the': 205599, 'call the sefton': 156140, 'the sefton council': 866645, 'sefton council helpline': 747377, 'council helpline or': 209988, 'helpline or fill': 391600, 'or fill in': 615305, 'fill in their': 305469, 'their online form': 874100, 'online form for': 608257, 'form for support': 329510, 'crunchy': 219761, 'smh': 775666, 'limitedsupplies': 492798, 'just put': 469524, 'put me': 690680, 'real crunchy': 701093, 'crunchy mood': 219764, 'mood smh': 538285, 'smh people': 775682, 'so damn': 776834, 'damn inconsiderate': 225370, 'inconsiderate nofood': 432566, 'nofood limitedsupplies': 566156, 'store just put': 808624, 'just put me': 469527, 'put me in': 690682, 'me in real': 522973, 'in real crunchy': 427290, 'real crunchy mood': 701094, 'crunchy mood smh': 219765, 'mood smh people': 538286, 'smh people so': 775684, 'people so damn': 649490, 'so damn inconsiderate': 776836, 'damn inconsiderate nofood': 225371, 'inconsiderate nofood limitedsupplies': 432567, 'itchy': 463010, 'irritated': 445109, 'else skin': 271880, 'skin getting': 773066, 'getting really': 349224, 'really dry': 702152, 'dry itchy': 261280, 'itchy and': 463013, 'and irritated': 65383, 'irritated from': 445110, 'hand so': 375764, 'so often': 777931, 'using all': 950375, 'this sanitizer': 889954, 'with alcohol': 997129, 'is anyone else': 445764, 'anyone else skin': 80290, 'else skin getting': 271881, 'skin getting really': 773067, 'getting really dry': 349225, 'really dry itchy': 702153, 'dry itchy and': 261281, 'itchy and irritated': 463014, 'and irritated from': 65384, 'irritated from washing': 445111, 'from washing hand': 338299, 'washing hand so': 967680, 'hand so often': 375765, 'so often and': 777932, 'often and using': 596158, 'and using all': 74797, 'using all this': 950379, 'all this sanitizer': 45131, 'this sanitizer with': 889957, 'sanitizer with alcohol': 736129, 'with alcohol in': 997134, 'alcohol in it': 41032, 'in it 19': 424224, 'will coronavirus': 993035, 'impact nyc': 417747, 'estate it': 282144, 'it wait': 462224, 'see game': 745148, 'how will coronavirus': 409224, 'will coronavirus impact': 993037, 'coronavirus impact nyc': 206110, 'impact nyc real': 417748, 'real estate it': 701154, 'estate it wait': 282145, 'it wait and': 462225, 'and see game': 71135, 'see game right': 745149, 'on today': 604773, 'today health': 919629, 'health committee': 386276, 'committee meeting': 189081, 'meeting coming': 527683, 'news at': 560251, 'with also': 997180, 'figure on': 305214, 'should the': 766568, 'uk use': 938853, 'use drone': 949172, 'drone to': 260081, 'to disinfect': 904395, 'disinfect public': 245564, 'latest on today': 481479, 'on today health': 604778, 'today health committee': 919630, 'health committee meeting': 386277, 'committee meeting coming': 189082, 'meeting coming up': 527684, 'up on news': 945598, 'on news at': 602390, 'news at one': 560254, 'at one with': 99974, 'one with also': 607482, 'with also the': 997181, 'also the latest': 48976, 'the latest figure': 859102, 'latest figure on': 481336, 'figure on supermarket': 305215, 'on supermarket home': 603792, 'delivery slot and': 234504, 'slot and should': 774107, 'and should the': 71598, 'should the uk': 766576, 'the uk use': 870297, 'uk use drone': 938854, 'use drone to': 949173, 'drone to disinfect': 260083, 'to disinfect public': 904402, 'disinfect public space': 245565, 'fulfillment': 340437, 'autonomously': 104065, 'powered': 667755, 'automated': 103951, 'hyper': 412285, 'localization': 498745, 'algos': 41674, 'int': 440907, 'unreliable': 943328, 'the tech': 869220, 'tech changing': 836054, 'changing retail': 172786, 'retail is': 718237, 'important now': 418906, 'now given': 574789, 'given covid': 350973, '19 micro': 8647, 'micro fulfillment': 530420, 'fulfillment tiny': 340453, 'tiny warehouse': 898682, 'to autonomously': 900851, 'autonomously fulfill': 104068, 'fulfill online': 340412, 'order ai': 618007, 'ai powered': 39328, 'powered automated': 667756, 'automated inventory': 103958, 'inventory management': 443689, 'management hyper': 512579, 'hyper localization': 412293, 'localization algos': 498746, 'algos when': 41675, 'when int': 983602, 'int supply': 440915, 'are unreliable': 91336, 'the tech changing': 869221, 'tech changing retail': 836055, 'changing retail is': 172787, 'retail is more': 718243, 'more important now': 539492, 'important now given': 418907, 'now given covid': 574790, 'given covid 19': 350974, 'covid 19 micro': 213433, '19 micro fulfillment': 8648, 'micro fulfillment tiny': 530421, 'fulfillment tiny warehouse': 340454, 'tiny warehouse to': 898683, 'warehouse to autonomously': 966789, 'to autonomously fulfill': 900852, 'autonomously fulfill online': 104069, 'fulfill online order': 340413, 'online order ai': 608674, 'order ai powered': 618008, 'ai powered automated': 39329, 'powered automated inventory': 667757, 'automated inventory management': 103959, 'inventory management hyper': 443690, 'management hyper localization': 512580, 'hyper localization algos': 412294, 'localization algos when': 498747, 'algos when int': 41676, 'when int supply': 983603, 'int supply chain': 440916, 'chain are unreliable': 170519, 'myer': 550714, 'massive shock': 520106, 'shock to': 759528, 'week where': 977227, 'where ten': 985206, 'ten of': 837791, 'lost the': 503921, 'nation biggest': 552135, 'biggest department': 130212, 'store myer': 809019, 'myer is': 550715, 'standing down': 793763, 'massive shock to': 520107, 'shock to the': 759532, 'the retail sector': 865728, 'retail sector in': 718529, 'sector in week': 744237, 'in week where': 430777, 'week where ten': 977230, 'where ten of': 985207, 'ten of thousand': 837793, 'thousand of job': 893449, 'of job have': 585532, 'job have been': 465853, 'have been lost': 379601, 'been lost the': 121488, 'lost the nation': 503922, 'the nation biggest': 861221, 'nation biggest department': 552136, 'biggest department store': 130213, 'department store myer': 237280, 'store myer is': 809020, 'myer is closing': 550716, 'is closing all': 446603, 'all store for': 44496, 'store for four': 807806, 'four week and': 330699, 'week and standing': 975935, 'and standing down': 72226, 'standing down 10': 793764, 'down 10 00': 256370, '10 00 staff': 1209, 'that left': 844863, 'pilling in': 656693, 'all over no': 43873, 'football all that': 318483, 'all that left': 44642, 'that left is': 844865, 'stock pilling in': 802684, 'pilling in store': 656694, 'in store fuckoffcoronavirus': 428416, 'many grocery': 514108, 'retailer including': 719209, 'pandemic reserving': 636338, 'reserving earlier': 714150, 'earlier hour': 264456, 'risk customer': 723480, 'customer population': 222702, 'population to': 664744, 'many grocery retailer': 514109, 'grocery retailer including': 364903, 'retailer including our': 719210, 'including our customer': 432092, 'our customer have': 622663, 'customer have adjusted': 222436, 'adjusted their store': 32338, 'their store hour': 874855, 'store hour in': 808202, 'hour in light': 405689, 'the pandemic reserving': 863079, 'pandemic reserving earlier': 636339, 'reserving earlier hour': 714151, 'earlier hour of': 264457, 'hour of the': 405812, 'the day for': 852881, 'day for at': 227618, 'at risk customer': 100350, 'risk customer population': 723483, 'customer population to': 222703, 'population to do': 664746, 'drained': 258222, 'plowed': 661095, 'drained milk': 258223, 'milk broken': 531609, 'broken egg': 140891, 'egg plowed': 269953, 'plowed vegetable': 661096, 'vegetable food': 953980, 'waste during': 968105, 'drained milk broken': 258224, 'milk broken egg': 531610, 'broken egg plowed': 140892, 'egg plowed vegetable': 269954, 'plowed vegetable food': 661097, 'vegetable food waste': 953981, 'food waste during': 317476, 'waste during pandemic': 968106, 'during pandemic the': 262899, 'pandemic the new': 636690, 'highstreet': 396130, 'sbinsights': 739810, 'uk retail': 938673, 'sector is': 744240, 'it response': 460735, 'store choosing': 806975, 'door have': 255611, 'you noticed': 1020145, 'noticed store': 573473, 'your high': 1024317, 'street town': 813153, 'or village': 617674, 'village let': 957354, 'know footfall': 476380, 'footfall highstreet': 318541, 'highstreet sbinsights': 396133, 'sbinsights retail': 739811, 'the uk retail': 870274, 'uk retail sector': 938676, 'retail sector is': 718530, 'sector is stepping': 744252, 'stepping up it': 799817, 'up it response': 945246, 'it response to': 460737, '19 with many': 12136, 'with many store': 999392, 'many store choosing': 514734, 'store choosing to': 806976, 'choosing to close': 177943, 'their door have': 873070, 'door have you': 255613, 'have you noticed': 383680, 'you noticed store': 1020149, 'noticed store closure': 573475, 'store closure in': 807094, 'closure in your': 183913, 'in your high': 431091, 'your high street': 1024319, 'high street town': 395439, 'street town or': 813154, 'town or village': 927532, 'or village let': 617675, 'village let know': 957355, 'let know footfall': 486857, 'know footfall highstreet': 476381, 'footfall highstreet sbinsights': 318542, 'highstreet sbinsights retail': 396134, 'avb': 104730, 'harnessing': 378483, 'avb said': 104731, 'is harnessing': 448317, 'harnessing it': 378484, 'help it': 389942, 'it retailer': 460753, 'retailer member': 719246, 'member better': 528036, 'better transition': 128580, 'transition into': 929672, 'and drastically': 61718, 'drastically changing': 258429, 'buying habit': 150453, 'avb said it': 104732, 'said it is': 731157, 'it is harnessing': 458971, 'is harnessing it': 448318, 'harnessing it resource': 378485, 'it resource to': 460734, 'to help it': 907547, 'help it retailer': 389948, 'it retailer member': 460754, 'retailer member better': 719247, 'member better transition': 528037, 'better transition into': 128581, 'transition into the': 929673, 'into the new': 443151, 'new world of': 559902, 'world of and': 1009849, 'of and drastically': 580152, 'and drastically changing': 61719, 'drastically changing consumer': 258430, 'changing consumer buying': 172669, 'consumer buying habit': 196707, 'mckinsey estimate': 522195, 'estimate that': 282266, 'that africa': 842512, 'africa gdp': 35076, 'gdp growth': 344885, '2020 could': 14255, 'cut by': 223259, 'to percentage': 911657, 'percentage point': 651216, 'point because': 662435, 'could disrupt': 209086, 'disrupt supply': 246374, 'chain reduce': 171033, 'reduce demand': 705819, 'non oil': 566446, 'oil product': 597355, 'cause fall': 167555, 'mckinsey estimate that': 522196, 'estimate that africa': 282267, 'that africa gdp': 842513, 'africa gdp growth': 35077, 'gdp growth in': 344886, 'growth in 2020': 367392, 'in 2020 could': 419830, '2020 could be': 14256, 'could be cut': 208853, 'be cut by': 114318, 'cut by to': 223261, 'by to percentage': 154556, 'to percentage point': 911658, 'percentage point because': 651218, 'point because of': 662436, '19 the pandemic': 11230, 'pandemic could disrupt': 635244, 'could disrupt supply': 209087, 'disrupt supply chain': 246375, 'supply chain reduce': 825017, 'chain reduce demand': 171034, 'reduce demand for': 705820, 'demand for non': 235460, 'for non oil': 323902, 'non oil product': 566447, 'oil product and': 597356, 'product and cause': 680876, 'and cause fall': 59637, 'cause fall in': 167556, 'knowns': 477262, 'the known': 858847, 'known knowns': 477233, 'knowns we': 477265, 'have liquidity': 381330, 'liquidity crisis': 494131, 'crisis 70': 216968, 'spending woman': 789062, 'woman will': 1003691, 'will bear': 992779, 'bear the': 118421, 'brunt of': 141361, 'virus induced': 958346, 'induced financial': 435464, 'crisis unless': 218294, 'we act': 970273, 'act now': 29713, 'now this': 576129, 'are the known': 90847, 'the known knowns': 858848, 'known knowns we': 477234, 'knowns we have': 477266, 'we have liquidity': 971857, 'have liquidity crisis': 381331, 'liquidity crisis 70': 494132, 'crisis 70 of': 216969, 'is consumer spending': 446798, 'consumer spending woman': 199108, 'spending woman will': 789063, 'woman will bear': 1003693, 'will bear the': 992780, 'bear the brunt': 118422, 'the brunt of': 850061, 'brunt of the': 141363, 'the virus induced': 870848, 'virus induced financial': 958348, 'induced financial crisis': 435465, 'financial crisis unless': 306385, 'crisis unless we': 218295, 'unless we act': 942656, 'we act now': 970274, 'act now this': 29715, 'now this is': 576132, 'we should do': 973267, 'dirt': 243710, 'physical business': 655389, 'failing due': 296200, 'to can': 902403, 'can set': 159580, 'your shopify': 1025768, 'shopify online': 761159, 'at dirt': 98443, 'dirt cheap': 243711, 'cheap cost': 174088, 'can train': 160027, 'train you': 929292, 'in facebook': 422751, 'free retail': 332103, 'retail merchandise': 718316, 'merchandise restaurant': 528980, 'physical business are': 655390, 'business are failing': 143365, 'are failing due': 86446, 'failing due to': 296201, 'due to can': 261720, 'to can set': 902407, 'can set up': 159582, 'set up your': 753588, 'up your shopify': 946754, 'your shopify online': 1025769, 'shopify online store': 761160, 'online store at': 609443, 'store at dirt': 806581, 'at dirt cheap': 98444, 'dirt cheap cost': 243713, 'cheap cost and': 174089, 'cost and can': 207855, 'and can train': 59478, 'can train you': 160028, 'train you in': 929293, 'you in facebook': 1019302, 'in facebook ad': 422752, 'facebook ad for': 294886, 'ad for free': 31101, 'for free retail': 321725, 'free retail merchandise': 332104, 'retail merchandise restaurant': 718317, 'detected': 239339, 'seoul': 751054, 'first case': 308559, 'and south': 72024, 'korea wa': 477511, 'wa detected': 961963, 'detected on': 239340, 'by late': 153018, 'late january': 480883, 'january seoul': 464675, 'seoul had': 751055, 'had medical': 373292, 'medical company': 526099, 'company starting': 191111, 'on diagnostic': 600306, 'test one': 839113, 'wa approved': 961565, 'approved week': 83212, 'the isn': 858557, 'to meeting': 910068, 'meeting test': 527764, 'test demand': 838967, 'the first case': 855287, 'first case in': 308561, 'the and south': 848721, 'and south korea': 72027, 'south korea wa': 786754, 'korea wa detected': 477512, 'wa detected on': 961964, 'detected on the': 239341, 'same day by': 733024, 'day by late': 227420, 'by late january': 153019, 'late january seoul': 480885, 'january seoul had': 464676, 'seoul had medical': 751056, 'had medical company': 373293, 'medical company starting': 526103, 'company starting to': 191112, 'starting to work': 795048, 'work on diagnostic': 1005530, 'on diagnostic test': 600307, 'diagnostic test one': 240268, 'test one wa': 839114, 'one wa approved': 607342, 'wa approved week': 961568, 'approved week later': 83213, 'week later today': 976468, 'later today the': 481153, 'today the isn': 920294, 'the isn even': 858558, 'isn even close': 454497, 'close to meeting': 182907, 'to meeting test': 910069, 'meeting test demand': 527765, 'elevated': 271366, 'had instructed': 373204, 'introduce the': 443405, 'the elevated': 854195, 'elevated price': 271369, 'be store': 117384, 'store wide': 811320, 'wide ah': 991701, 'ah there': 39103, 'point answering': 662418, 'answering you': 78215, 'is bye': 446339, 'bye bye': 154799, 'management had instructed': 512574, 'had instructed to': 373205, 'instructed to introduce': 440530, 'to introduce the': 908473, 'introduce the elevated': 443406, 'the elevated price': 854196, 'elevated price it': 271370, 'price it seemed': 674924, 'it seemed to': 460937, 'seemed to be': 746728, 'to be store': 901565, 'be store wide': 117385, 'store wide ah': 811321, 'wide ah there': 991702, 'ah there no': 39104, 'there no point': 878830, 'no point answering': 565133, 'point answering you': 662419, 'answering you will': 78216, 'will be off': 992581, '19 is bye': 7943, 'is bye bye': 446340, 'bye bye jhoots': 154800, 'granter': 362100, 'local small': 498436, '19 shelter': 10448, 'place by': 657369, 'shopping granter': 762805, 'granter online': 362103, 'online stay': 609422, 'shop thank': 760888, 'support granter': 826545, 'granter on': 362101, 'support local small': 826633, 'local small business': 498437, 'small business during': 774856, 'covid 19 shelter': 213780, '19 shelter in': 10450, 'in place by': 426726, 'place by shopping': 657373, 'by shopping granter': 153994, 'shopping granter online': 762806, 'granter online stay': 362104, 'online stay safe': 609425, 'safe stay home': 729972, 'home and shop': 400685, 'and shop thank': 71517, 'shop thank you': 760889, 'continued support granter': 201346, 'support granter on': 826546, 'granter on ebay': 362102, 'just assume': 468237, 'save yourself': 737715, 'yourself some': 1026704, 'some sanity': 783798, 'sanity can': 736542, 'only imagine': 610626, 'potential bacteria': 667018, 'bacteria you': 107711, 're spreading': 699563, 'spreading by': 790938, 'and disinfecting': 61458, 'disinfecting all': 245837, 'let just assume': 486837, 'just assume that': 468239, 'assume that you': 97020, 'have the virus': 383041, 'virus if you': 958316, 're going into': 698752, 'going into the': 355247, 'store and save': 806336, 'and save yourself': 70962, 'save yourself some': 737717, 'yourself some sanity': 1026705, 'some sanity can': 783800, 'sanity can only': 736543, 'can only imagine': 159127, 'only imagine the': 610627, 'imagine the potential': 416800, 'the potential bacteria': 864116, 'potential bacteria you': 667019, 'bacteria you re': 107712, 'you re spreading': 1020755, 're spreading by': 699564, 'spreading by washing': 790939, 'by washing and': 154694, 'washing and disinfecting': 967646, 'and disinfecting all': 61459, 'disinfecting all your': 245838, 'all your grocery': 45567, 'professional hospital': 682457, 'worker essential': 1006858, 'service staff': 752849, 'staff people': 792743, 'people without': 650486, 'without whom': 1003047, 'whom isolation': 990560, 'isolation would': 455518, 'be impossible': 115383, 'impossible bless': 419358, 'bless them': 132601, 'all stayhome': 44450, 'bless the healthcare': 132596, 'healthcare professional hospital': 387234, 'professional hospital staff': 682458, 'hospital staff grocery': 404637, 'store staff delivery': 810309, 'staff delivery worker': 792361, 'delivery worker essential': 234772, 'worker essential service': 1006861, 'essential service staff': 281525, 'service staff people': 752853, 'staff people without': 792744, 'people without whom': 650495, 'without whom isolation': 1003049, 'whom isolation would': 990561, 'isolation would be': 455519, 'would be impossible': 1011605, 'be impossible bless': 115384, 'impossible bless them': 419359, 'bless them all': 132602, 'them all stayhome': 875350, 'money not': 536910, 'out being': 625774, 'being home': 125261, 'or spend': 617179, 'money online': 536944, 'shopping quarantinelife': 763708, 'going to save': 355696, 'to save money': 913784, 'save money not': 737585, 'money not going': 536911, 'not going out': 569700, 'going out being': 355360, 'out being home': 625775, 'being home or': 125266, 'home or spend': 401756, 'or spend more': 617180, 'spend more money': 788638, 'more money online': 539791, 'money online shopping': 536949, 'online shopping quarantinelife': 609241, 'are remaining': 89570, 'remaining open': 709973, 'open with': 612677, 'some change': 782508, 'april we': 83713, 're limiting': 698998, 'time introducing': 897045, 'introducing online': 443500, 'ordering and': 618940, 'experience safer': 291470, 'safer shop': 730378, 'online read': 608849, 'we are remaining': 970686, 'are remaining open': 89571, 'remaining open with': 709976, 'open with some': 612683, 'with some change': 1000837, 'some change to': 782509, 'change to our': 172356, 'to our operation': 911226, 'our operation in': 624166, 'operation in april': 613205, 'in april we': 420475, 'april we re': 83714, 'we re limiting': 972914, 're limiting the': 698999, 'limiting the number': 492878, 'number of customer': 576935, 'of customer at': 582266, 'customer at time': 222147, 'at time introducing': 101293, 'time introducing online': 897046, 'introducing online ordering': 443501, 'online ordering and': 608706, 'ordering and making': 618943, 'and making the': 66600, 'making the in': 511417, 'the in store': 858017, 'store shopping experience': 810134, 'shopping experience safer': 762619, 'experience safer shop': 291471, 'safer shop online': 730379, 'shop online read': 760583, 'online read more': 608850, 'lassie': 480078, 'my girl': 548496, 'girl made': 350263, 'post after': 665982, 'she came': 755911, 'home today': 402352, 'today she': 920164, 'she scared': 756330, 'scared every': 740957, 'single day': 771277, 'day going': 227677, 'work people': 1005601, 're treating': 699733, 'treating supermarket': 931013, 'worker my': 1007407, 'poor lassie': 664214, 'my girl made': 548499, 'girl made this': 350264, 'made this post': 508025, 'this post after': 889671, 'post after she': 665983, 'after she came': 36186, 'she came home': 755914, 'came home today': 157011, 'home today she': 402356, 'today she scared': 920167, 'she scared every': 756331, 'scared every single': 740959, 'every single day': 286181, 'single day going': 771280, 'day going to': 227680, 'to work people': 918766, 'work people need': 1005603, 'think about how': 885087, 'they re treating': 883144, 're treating supermarket': 699734, 'treating supermarket worker': 931014, 'supermarket worker my': 824052, 'worker my poor': 1007411, 'my poor lassie': 549807, 'please listen': 660195, 'to government': 906933, 'advice regarding': 33473, 'be mindful': 115940, 'are most': 88131, 'most susceptible': 542800, 'this strain': 890376, 'coronavirus stay': 206815, 'and responsible': 70359, 'responsible everyone': 716024, 'please listen to': 660197, 'listen to government': 494737, 'to government advice': 906934, 'government advice regarding': 359830, 'advice regarding covid': 33474, '19 and please': 5085, 'and please stop': 69116, 'buying food be': 150304, 'food be mindful': 313700, 'be mindful of': 115944, 'mindful of people': 532817, 'who are most': 988176, 'are most susceptible': 88141, 'most susceptible to': 542801, 'susceptible to this': 829447, 'to this strain': 917465, 'this strain of': 890377, 'strain of coronavirus': 812283, 'of coronavirus stay': 581964, 'coronavirus stay safe': 206817, 'safe and responsible': 729476, 'and responsible everyone': 70360, 'manifest': 513169, 'see human': 745266, 'human greed': 410500, 'greed manifest': 363403, 'manifest with': 513178, 'with massive': 999421, 'massive emptying': 520022, 'emptying of': 275264, 'and item': 65628, 'shelf pure': 757441, 'and unnecessary': 74694, 'unnecessary panic': 942918, 'panic while': 638783, 'who really': 989508, 'basic are': 111828, 'behind what': 124750, 'than or': 840989, 'public display': 687947, 'is sad to': 451606, 'sad to see': 729277, 'to see human': 914023, 'see human greed': 745267, 'human greed manifest': 410501, 'greed manifest with': 363404, 'manifest with massive': 513179, 'with massive emptying': 999422, 'massive emptying of': 520023, 'emptying of food': 275265, 'food and item': 313263, 'and item on': 65630, 'item on the': 463511, 'the shelf pure': 866870, 'shelf pure and': 757442, 'pure and unnecessary': 689963, 'and unnecessary panic': 74695, 'unnecessary panic while': 942921, 'panic while the': 638785, 'while the people': 987408, 'people who really': 650332, 'who really need': 989509, 'really need the': 702443, 'need the basic': 555739, 'the basic are': 849302, 'basic are left': 111829, 'are left behind': 87756, 'left behind what': 485427, 'behind what will': 124752, 'will be worse': 992776, 'be worse than': 118156, 'worse than or': 1011014, 'than or the': 840990, 'or the public': 617392, 'the public display': 864798, 'public display of': 687948, 'display of humanity': 246194, 'reprogramming': 712998, 'reprogramming of': 712999, 'the executive': 854682, 'executive how': 289901, 'long till': 501758, 'till there': 896106, 'but middle': 146386, 'middle lower': 530659, 'lower economic': 505848, 'economic job': 267160, 'job all': 465602, 'that probably': 845846, 'probably ha': 679276, 'infected 30': 436523, '30 40': 16937, 'of already': 580013, 'already without': 47761, 'without ever': 1002618, 'ever knowing': 285385, 'knowing stop': 477131, 'being sheep': 125773, 'reprogramming of the': 713000, 'of the executive': 591000, 'the executive how': 854684, 'executive how long': 289902, 'how long till': 408214, 'long till there': 501761, 'till there is': 896107, 'is nothing but': 450231, 'nothing but middle': 572958, 'but middle lower': 146387, 'middle lower economic': 530661, 'lower economic job': 505849, 'economic job all': 267161, 'job all for': 465603, 'all for virus': 42851, 'virus that probably': 958876, 'that probably ha': 845847, 'probably ha infected': 679277, 'ha infected 30': 370966, 'infected 30 40': 436524, '30 40 of': 16940, '40 of already': 18621, 'of already without': 580016, 'already without ever': 47762, 'without ever knowing': 1002619, 'ever knowing stop': 285386, 'knowing stop being': 477132, 'stop being sheep': 804497, 'quarantine isolation': 692310, 'isolation social': 455435, 'distancing disruption': 247103, 'disruption uncertainty': 246551, 'uncertainty people': 939740, 'must figure': 546653, 'out way': 627787, 'quarantine isolation social': 692316, 'isolation social distancing': 455436, 'social distancing disruption': 779591, 'distancing disruption uncertainty': 247104, 'disruption uncertainty people': 246552, 'uncertainty people are': 939741, 'people are forced': 646978, 'forced to distance': 328629, 'themselves from each': 876810, 'other and business': 619821, 'and business must': 59292, 'business must figure': 144075, 'must figure out': 546654, 'figure out way': 305221, 'out way to': 627789, 'to survive in': 916035, 'survive in the': 829194, 'wake of change': 964590, 'of change in': 581271, 'consumer behavior read': 196503, 'behavior read more': 124163, 'about it here': 25579, 'nation must': 552258, 'must we': 546995, 'be shit': 117143, 'shit at': 759065, 'at everything': 98577, 'everything stophoarding': 288013, 'nation must we': 552261, 'must we be': 546996, 'we be shit': 970821, 'be shit at': 117144, 'shit at everything': 759066, 'at everything stophoarding': 98578, 'the beer': 849420, 'wine spirit': 995897, 'spirit aisle': 789447, 'aisle so': 40369, 'so empty': 776949, 'empty worse': 275245, 'than xmas': 841477, 'xmas supermarket': 1013890, 'never seen the': 558181, 'seen the beer': 747276, 'the beer wine': 849424, 'beer wine spirit': 122542, 'wine spirit aisle': 995898, 'spirit aisle so': 789448, 'aisle so empty': 40370, 'so empty worse': 776952, 'empty worse than': 275246, 'worse than xmas': 1011021, 'than xmas supermarket': 841478, 'disney': 246026, 'yournerdsidepodcast': 1026440, 'yournerdside': 1026437, 'kblx1029': 471184, 'spreaker': 791119, 'tunein': 935450, 'applepodcast': 82395, 'disney warns': 246047, 'warns coronavirus': 967258, 'outbreak could': 628143, 'behavior at': 123918, 'at theme': 101190, 'theme park': 876698, 'business yournerdsidepodcast': 144731, 'yournerdsidepodcast yournerdside': 1026441, 'yournerdside kblx1029': 1026438, 'kblx1029 podcast': 471185, 'podcast disney': 662272, 'disney spreaker': 246045, 'spreaker spotify': 791120, 'spotify tunein': 790154, 'tunein applepodcast': 935451, 'disney warns coronavirus': 246048, 'warns coronavirus outbreak': 967259, 'coronavirus outbreak could': 206380, 'outbreak could change': 628145, 'could change consumer': 209009, 'change consumer behavior': 171980, 'consumer behavior at': 196443, 'behavior at theme': 123919, 'at theme park': 101191, 'theme park and': 876699, 'park and other': 641863, 'and other business': 68290, 'other business yournerdsidepodcast': 619920, 'business yournerdsidepodcast yournerdside': 144732, 'yournerdsidepodcast yournerdside kblx1029': 1026442, 'yournerdside kblx1029 podcast': 1026439, 'kblx1029 podcast disney': 471186, 'podcast disney spreaker': 662273, 'disney spreaker spotify': 246046, 'spreaker spotify tunein': 791121, 'spotify tunein applepodcast': 790155, 'tmr': 899368, 'eastside': 265634, 'supervised': 824374, 'tmr is': 899369, 'is cheque': 446510, 'cheque day': 175505, 'drug trade': 261128, 'trade continues': 928466, 'downtown eastside': 257743, 'eastside despite': 265635, 'despite covid': 238711, '19 though': 11362, 'though supply': 892902, 'is lower': 449480, 'lower and': 505796, 'higher supervised': 395740, 'supervised consumption': 824377, 'consumption site': 199943, 'doing what': 252843, 'can amid': 157487, 'amid more': 52534, 'more desperation': 539007, 'desperation fewer': 238592, 'fewer local': 304221, 'tmr is cheque': 899370, 'is cheque day': 446511, 'cheque day the': 175506, 'day the drug': 228486, 'the drug trade': 853743, 'drug trade continues': 261129, 'trade continues in': 928467, 'continues in the': 201405, 'in the downtown': 429149, 'the downtown eastside': 853635, 'downtown eastside despite': 257744, 'eastside despite covid': 265636, 'despite covid 19': 238712, 'covid 19 though': 213944, '19 though supply': 11365, 'though supply is': 892903, 'supply is lower': 825449, 'is lower and': 449481, 'lower and price': 505797, 'and price higher': 69453, 'price higher supervised': 674518, 'higher supervised consumption': 395741, 'supervised consumption site': 824378, 'consumption site are': 199944, 'site are doing': 771880, 'are doing what': 85939, 'doing what they': 252849, 'they can amid': 881610, 'can amid more': 157488, 'amid more desperation': 52535, 'more desperation fewer': 539008, 'desperation fewer local': 238593, 'fewer local service': 304222, 'presence': 670548, 'convert your': 202545, 'current website': 221432, 'website into': 975312, 'an commerce': 55520, 'commerce store': 188638, 'many shop': 514694, 'business premise': 144246, 'premise and': 669921, 'you quickly': 1020535, 'quickly build': 694484, 'online presence': 608786, 'presence corvid19uk': 670552, 'considering the current': 195425, 'current situation we': 221375, 'situation we would': 772573, 'we would like': 973971, 'like to offer': 491608, 'to offer you': 910860, 'offer you the': 594898, 'you the opportunity': 1021607, 'opportunity to convert': 613701, 'to convert your': 903469, 'convert your current': 202546, 'your current website': 1023400, 'current website into': 221433, 'website into an': 975313, 'into an commerce': 442391, 'an commerce store': 55523, 'commerce store we': 188641, 'store we know': 811174, 'we know that': 972158, 'know that many': 476773, 'that many shop': 845031, 'many shop and': 514695, 'shop and business': 759840, 'and business are': 59266, 'business are closing': 143360, 'are closing their': 85401, 'closing their business': 183782, 'their business premise': 872686, 'business premise and': 144247, 'premise and we': 669922, 'and we want': 75331, 'help you quickly': 390992, 'you quickly build': 1020536, 'quickly build an': 694485, 'build an online': 141948, 'an online presence': 56626, 'online presence corvid19uk': 608787, 'get everything': 346966, 'run errand': 727620, 'errand or': 280203, 'or buy': 614613, 'the shelterinplace': 866915, 'shelterinplace period': 758012, 'period consider': 651736, 'following go': 312734, 'go early': 353505, 'early and': 264541, 'take something': 832603, 'you wait': 1022098, 'go in and': 353700, 'in and get': 420364, 'and get everything': 63569, 'get everything needed': 346968, 'needed if you': 556397, 'trying to run': 934862, 'to run errand': 913659, 'run errand or': 727624, 'errand or buy': 280204, 'or buy food': 614615, 'buy food during': 148641, 'during the shelterinplace': 263189, 'the shelterinplace period': 866917, 'shelterinplace period consider': 758013, 'period consider the': 651737, 'consider the following': 195138, 'the following go': 855506, 'following go early': 312735, 'go early and': 353506, 'early and take': 264545, 'and take something': 72977, 'take something to': 832604, 'while you wait': 987596, 'you wait in': 1022100, 'brazil': 138327, 'triggered fall': 931914, 'of emerging': 583067, 'market currency': 516264, 'currency the': 221065, 'affected country': 34339, 'are mexico': 88072, 'mexico russia': 530020, 'russia brazil': 728448, 'brazil and': 138328, 'africa see': 35133, 'our emi': 622885, 'emi report': 273169, 'and the fall': 73364, 'the fall of': 854872, 'fall of oil': 297003, 'of oil and': 587176, 'oil and commodity': 596612, 'and commodity price': 60156, 'have triggered fall': 383406, 'triggered fall in': 931915, 'fall in the': 296967, 'in the value': 429643, 'value of emerging': 952160, 'of emerging market': 583068, 'emerging market currency': 273131, 'market currency the': 516269, 'currency the most': 221066, 'the most affected': 860943, 'most affected country': 542072, 'affected country are': 34340, 'country are mexico': 210472, 'are mexico russia': 88073, 'mexico russia brazil': 530021, 'russia brazil and': 728449, 'brazil and south': 138330, 'and south africa': 72025, 'south africa see': 786660, 'africa see more': 35134, 'see more in': 745427, 'in our emi': 426286, 'our emi report': 622886, 'globalized': 352357, 'inhumanely': 438497, 'caging': 155180, 'unsanitarily': 943411, 'butchering': 148076, 'blind': 132681, 'globalized society': 352358, 'society better': 781165, 'better demand': 128258, 'demand foodsafety': 235368, 'foodsafety 2020': 318051, 'still inhumanely': 800750, 'inhumanely hunting': 438498, 'hunting and': 411404, 'and caging': 59396, 'caging unsanitarily': 155181, 'unsanitarily butchering': 943412, 'butchering and': 148079, 'and processing': 69542, 'processing wild': 680046, 'wild animal': 992043, 'animal and': 76548, 'and pet': 68942, 'pet for': 653403, 'food do': 314249, 'not turn': 572299, 'turn blind': 935657, 'blind eye': 132688, 'on chinese': 599912, 'chinese sanitary': 177346, 'sanitary control': 733798, 'and authority': 58531, 'authority is': 103754, 'is chinesevirus': 446526, 'globalized society better': 352359, 'society better demand': 781166, 'better demand foodsafety': 128259, 'demand foodsafety 2020': 235369, 'foodsafety 2020 people': 318052, '2020 people still': 14507, 'people still inhumanely': 649598, 'still inhumanely hunting': 800751, 'inhumanely hunting and': 438499, 'hunting and caging': 411405, 'and caging unsanitarily': 59397, 'caging unsanitarily butchering': 155182, 'unsanitarily butchering and': 943413, 'butchering and processing': 148080, 'and processing wild': 69544, 'processing wild animal': 680047, 'wild animal and': 992044, 'animal and pet': 76549, 'and pet for': 68944, 'pet for food': 653404, 'for food do': 321576, 'food do not': 314251, 'do not turn': 249877, 'not turn blind': 572300, 'turn blind eye': 935658, 'blind eye on': 132689, 'eye on chinese': 294074, 'on chinese sanitary': 599916, 'chinese sanitary control': 177347, 'sanitary control and': 733799, 'control and authority': 201963, 'and authority is': 58532, 'authority is chinesevirus': 103755, 'canadian mask': 160708, 'mask supplier': 519320, 'supplier say': 824609, 'have ppe': 382010, 'ppe available': 667918, 'available and': 104220, 'we spoke': 973355, 'to three': 917543, 'three company': 893894, 'company including': 190775, 'including one': 432082, 'you hcw': 1019159, 'canadian mask supplier': 160709, 'mask supplier say': 519321, 'supplier say they': 824610, 'they have ppe': 882365, 'have ppe available': 382011, 'ppe available and': 667919, 'available and not': 104226, 'and not at': 67716, 'not at inflated': 568270, 'inflated price we': 437080, 'price we spoke': 677410, 'we spoke to': 973357, 'spoke to three': 789739, 'to three company': 917544, 'three company including': 893895, 'company including one': 190777, 'including one that': 432083, 'one that may': 607182, 'that may surprise': 845091, 'surprise you hcw': 828566, 'westside': 980720, 'take those': 832721, 'those distancing': 891935, 'distancing sign': 247478, 'sign amp': 769087, 'amp purell': 54355, 'purell at': 690007, 'granted but': 362065, 'there none': 878852, '19 protection': 9853, 'protection at': 685338, 'at corner': 98332, 'corner store': 203682, 'store westside': 811223, 'westside resident': 980721, 'resident on': 714347, 'black in': 132073, 'pandemic photo': 636180, 'you may take': 1019814, 'may take those': 521562, 'take those distancing': 832722, 'those distancing sign': 891936, 'distancing sign amp': 247479, 'sign amp purell': 769088, 'amp purell at': 54356, 'purell at the': 690008, 'supermarket for granted': 820399, 'for granted but': 321990, 'granted but there': 362066, 'but there none': 147469, 'there none of': 878854, 'none of those': 566601, 'of those covid': 592084, 'covid 19 protection': 213623, '19 protection at': 9854, 'protection at corner': 685340, 'at corner store': 98333, 'corner store westside': 203686, 'store westside resident': 811224, 'westside resident on': 980722, 'resident on the': 714349, 'on the real': 604319, 'real world need': 701466, 'world need of': 1009826, 'need of black': 555321, 'of black in': 580732, 'black in this': 132074, 'in this pandemic': 429991, 'this pandemic photo': 889415, 'itsnottheendoftheworld': 463984, 'just hope': 468980, 'your animal': 1022783, 'animal well': 76683, 'you plan': 1020342, 'of yourselves': 593549, 'yourselves and': 1026780, 'family itsnottheendoftheworld': 297970, 'just hope that': 468984, 'hope that in': 403644, 'that in this': 844462, 'in this panic': 429992, 'this panic to': 889464, 'panic to buy': 638716, 'to buy all': 902175, 'buy all of': 148292, 'of the toilet': 591547, 'paper sanitizer food': 640718, 'sanitizer food you': 734888, 'food you take': 317723, 'you take care': 1021508, 'care of your': 164123, 'of your animal': 593443, 'your animal well': 1022784, 'animal well you': 76684, 'well you plan': 978780, 'you plan to': 1020344, 'plan to take': 658329, 'care of yourselves': 164125, 'of yourselves and': 593552, 'yourselves and your': 1026785, 'your family itsnottheendoftheworld': 1023791, 'fingernail': 307826, 'often correctly': 596178, 'correctly wet': 207614, 'wet your': 980767, 'hand scrub': 375749, 'scrub everywhere': 742897, 'everywhere under': 288276, 'under those': 940357, 'those fingernail': 892005, 'fingernail too': 307829, 'too with': 925169, 'second then': 743834, 'then rinse': 877488, 'rinse dry': 722569, 'dry well': 261319, 'with clean': 997650, 'clean towel': 180665, 'towel if': 927330, 'to soap': 914806, 'water hand': 969022, 'sanitizer work': 736147, 'make sure to': 510535, 'sure to wash': 827790, 'hand often correctly': 375120, 'often correctly wet': 596179, 'correctly wet your': 207615, 'wet your hand': 980768, 'your hand scrub': 1024222, 'hand scrub everywhere': 375750, 'scrub everywhere under': 742898, 'everywhere under those': 288277, 'under those fingernail': 940358, 'those fingernail too': 892006, 'fingernail too with': 307830, 'too with soap': 925171, '20 second then': 13335, 'second then rinse': 743836, 'then rinse dry': 877489, 'rinse dry well': 722570, 'dry well with': 261320, 'well with clean': 978757, 'with clean towel': 997653, 'clean towel if': 180666, 'towel if you': 927331, 'access to soap': 28279, 'to soap and': 914807, 'and water hand': 75241, 'water hand sanitizer': 969023, 'hand sanitizer work': 375673, 'indianeconomy': 434937, 'unplanned': 943042, 'avant': 104724, 'garde': 343568, 'rbi govt': 698086, 'govt have': 361151, 'no clue': 563830, 'clue what': 184563, 'happening to': 377416, 'to indianeconomy': 908333, 'indianeconomy first': 434940, 'first they': 309065, 'they killed': 882516, 'killed demand': 474578, 'side but': 768782, 'but supported': 147231, 'supported supply': 827066, 'now unplanned': 576267, 'unplanned lockdown': 943043, 'killed both': 474563, 'both side': 136045, 'side retail': 768876, 'are 150': 84103, '150 economy': 3905, 'economy an': 267632, 'an avant': 55491, 'avant garde': 104725, 'garde rbi': 343569, 'rbi willing': 698099, 'go all': 353262, 'fight covid19': 304706, 'rbi govt have': 698087, 'govt have no': 361152, 'have no clue': 381617, 'no clue what': 563834, 'clue what is': 184564, 'is happening to': 448291, 'happening to indianeconomy': 377417, 'to indianeconomy first': 908334, 'indianeconomy first they': 434941, 'first they killed': 309067, 'they killed demand': 882517, 'killed demand side': 474580, 'demand side but': 236209, 'side but supported': 768784, 'but supported supply': 147232, 'supported supply now': 827067, 'supply now unplanned': 825609, 'now unplanned lockdown': 576268, 'unplanned lockdown ha': 943044, 'lockdown ha killed': 499450, 'ha killed both': 371079, 'killed both side': 474564, 'both side retail': 136047, 'side retail price': 768877, 'retail price are': 718406, 'price are 150': 672625, 'are 150 economy': 84104, '150 economy an': 3906, 'economy an avant': 267633, 'an avant garde': 55492, 'avant garde rbi': 104726, 'garde rbi willing': 343570, 'rbi willing to': 698100, 'willing to go': 995469, 'to go all': 906763, 'go all out': 353265, 'out to fight': 627645, 'to fight covid19': 905786, 'outbreak consumer': 628125, 'back their': 107319, 'spending but': 788761, 'grocery download': 364470, 'new infographic': 558931, 'infographic to': 437642, 'more change': 538797, 'purchase decision': 689420, 'decision and': 230998, 'with the outbreak': 1001418, 'the outbreak consumer': 862605, 'outbreak consumer are': 628126, 'consumer are cutting': 196289, 'are cutting back': 85691, 'cutting back their': 223715, 'back their spending': 107323, 'their spending but': 874775, 'spending but not': 788764, 'but not on': 146548, 'not on grocery': 570747, 'on grocery download': 601181, 'grocery download our': 364471, 'download our new': 257614, 'our new infographic': 624034, 'new infographic to': 558932, 'infographic to learn': 437644, 'learn about more': 483933, 'about more change': 25750, 'more change in': 538799, 'in consumer purchase': 421715, 'consumer purchase decision': 198613, 'purchase decision and': 689421, 'decision and behavior': 231000, 'fabliss': 294213, 'sheila': 756662, 'sendinglove': 750118, 'samantha': 732933, 'zara': 1027235, 'leon': 486394, 'fab': 294195, 'closertogetherstayingapart': 183529, 'writenow': 1012802, 'what came': 981163, 'post jessie': 666188, 'jessie wrote': 465265, 'wrote fabliss': 1013195, 'fabliss letter': 294214, 'letter thanks': 487353, 'thanks jessie': 842123, 'jessie sheila': 465263, 'sheila michael': 756663, 'michael wrote': 530269, 'wrote to': 1013226, 'to sendinglove': 914226, 'sendinglove andrew': 750119, 'andrew samantha': 76194, 'samantha zara': 732938, 'zara leon': 1027236, 'leon wrote': 486395, 'wrote another': 1013191, 'another fab': 77608, 'fab letter': 294196, 'letter yes': 487385, 'home closertogetherstayingapart': 400903, 'closertogetherstayingapart writenow': 183530, 'look what came': 502666, 'what came in': 981164, 'came in the': 157018, 'the post jessie': 864093, 'post jessie wrote': 666189, 'jessie wrote fabliss': 465266, 'wrote fabliss letter': 1013196, 'fabliss letter thanks': 294215, 'letter thanks jessie': 487354, 'thanks jessie sheila': 842124, 'jessie sheila michael': 465264, 'sheila michael wrote': 756664, 'michael wrote to': 530270, 'wrote to sendinglove': 1013227, 'to sendinglove andrew': 914227, 'sendinglove andrew samantha': 750120, 'andrew samantha zara': 76195, 'samantha zara leon': 732939, 'zara leon wrote': 1027237, 'leon wrote another': 486396, 'wrote another fab': 1013192, 'another fab letter': 77609, 'fab letter yes': 294197, 'letter yes we': 487386, 'we are hero': 970590, 'are hero and': 87128, 'hero and so': 393932, 'and so are': 71835, 'so are you': 776547, 'are you all': 91763, 'all for staying': 42847, 'for staying at': 325886, 'at home closertogetherstayingapart': 98955, 'home closertogetherstayingapart writenow': 400904, 'grossery': 366451, 'participation': 642576, 'dmart': 248948, 'tech driven': 836077, 'driven solution': 259360, 'distribute grossery': 247986, 'grossery part': 366452, 'part participation': 642404, 'participation of': 642579, 'chain dmart': 170656, 'dmart is': 248949, 'is equally': 447530, 'equally essential': 279633, 'should start': 766486, 'start push': 794445, 'push model': 690299, 'model delivery': 535241, 'to household': 908007, 'household stop': 406956, 'stop pull': 804946, 'pull model': 688869, 'model customer': 535239, 'customer visiting': 223019, 'visiting shop': 959547, 'prevent cu': 671611, 'tech driven solution': 836078, 'driven solution to': 259361, 'solution to distribute': 782097, 'to distribute grossery': 904444, 'distribute grossery part': 247987, 'grossery part participation': 366453, 'part participation of': 642405, 'participation of supermarket': 642580, 'of supermarket chain': 590416, 'supermarket chain dmart': 819602, 'chain dmart is': 170657, 'dmart is equally': 248950, 'is equally essential': 447531, 'equally essential they': 279634, 'essential they should': 281678, 'they should start': 883385, 'should start push': 766490, 'start push model': 794446, 'push model delivery': 690300, 'model delivery to': 535242, 'delivery to household': 234662, 'to household stop': 908010, 'household stop pull': 406957, 'stop pull model': 804947, 'pull model customer': 688870, 'model customer visiting': 535240, 'customer visiting shop': 223020, 'visiting shop to': 959548, 'shop to prevent': 760951, 'to prevent cu': 912054, 'been about': 120590, 'for most': 323618, 'of look': 586006, 'behavior ha': 124050, 'it been about': 456787, 'been about month': 120591, 'about month of': 25748, 'month of socialdistancing': 537904, 'of socialdistancing for': 589851, 'socialdistancing for most': 780373, 'for most of': 323622, 'most of look': 542551, 'of look at': 586007, 'at how consumer': 99208, 'how consumer behavior': 407591, 'consumer behavior ha': 196481, 'behavior ha changed': 124052, 'specify': 788314, 'lagar': 478892, 'extand': 293102, 'spreat': 791122, 'erbil': 280116, 'twitterkurds': 936755, 'if krg': 414365, 'krg specify': 477670, 'specify the': 788315, 'to hour': 908000, 'hour per': 405853, 'day this': 228530, 'make lagar': 510077, 'lagar number': 478893, 'people visit': 650092, 'cause extand': 167551, 'extand spreat': 293103, 'spreat of': 791123, 'outbreak stayhome': 628654, 'stayhome erbil': 797996, 'erbil twitterkurds': 280117, 'if krg specify': 414366, 'krg specify the': 477671, 'specify the market': 788316, 'the market opening': 860139, 'market opening time': 516810, 'opening time to': 612930, 'time to hour': 897998, 'to hour per': 908001, 'hour per day': 405854, 'per day this': 650811, 'day this will': 228540, 'this will make': 891428, 'will make lagar': 994084, 'make lagar number': 510078, 'lagar number of': 478894, 'of people visit': 588015, 'people visit the': 650093, 'time and this': 896303, 'this will cause': 891406, 'will cause extand': 992889, 'cause extand spreat': 167552, 'extand spreat of': 293104, 'spreat of the': 791124, 'the outbreak stayhome': 862698, 'outbreak stayhome erbil': 628655, 'stayhome erbil twitterkurds': 797997, 'kdka': 471216, 'eagle': 264365, 'occupancy': 578974, 'wolf': 1003367, 'kdka radio': 471217, 'radio morning': 695446, 'morning brief': 541199, 'brief for': 139674, 'for april': 319473, 'april 7th': 83517, '7th sponsored': 22528, 'sponsored by': 789836, 'giant eagle': 349765, 'eagle supermarket': 264383, 'supermarket location': 821361, 'location will': 498993, 'will admit': 992203, 'admit up': 32618, 'of maximum': 586306, 'maximum store': 520844, 'store occupancy': 809139, 'occupancy gov': 578983, 'gov tom': 359720, 'tom wolf': 923935, 'wolf urge': 1003375, 'urge pennsylvania': 948207, 'pennsylvania manufacturer': 646572, 'manufacturer to': 513526, 'produce covid': 680229, 'kdka radio morning': 471218, 'radio morning brief': 695447, 'morning brief for': 541200, 'brief for april': 139675, 'for april 7th': 319477, 'april 7th sponsored': 83519, '7th sponsored by': 22529, 'sponsored by giant': 789838, 'by giant eagle': 152678, 'giant eagle supermarket': 349769, 'eagle supermarket location': 264384, 'supermarket location will': 821362, 'location will admit': 498994, 'will admit up': 992204, 'admit up to': 32619, 'to 50 percent': 899744, '50 percent of': 19814, 'percent of maximum': 651159, 'of maximum store': 586307, 'maximum store occupancy': 520845, 'store occupancy gov': 809141, 'occupancy gov tom': 578984, 'gov tom wolf': 359721, 'tom wolf urge': 923936, 'wolf urge pennsylvania': 1003376, 'urge pennsylvania manufacturer': 948208, 'pennsylvania manufacturer to': 646573, 'manufacturer to produce': 513530, 'to produce covid': 912190, 'produce covid 19': 680230, '19 related supply': 10069, 'related supply and': 708582, 'supply and more': 824739, 'fcc ha': 300760, 'consumer warning': 199472, 'warning and': 967083, 'safety tip': 730758, 'at please': 100133, 'share not': 755110, 'only online': 610896, 'but by': 145331, 'by talking': 154212, 'your at': 1022867, 'risk family': 723533, 'be targeted': 117525, 'the fcc ha': 855000, 'fcc ha launched': 300761, 'launched new website': 482017, 'website with covid': 975489, '19 consumer warning': 5995, 'consumer warning and': 199474, 'warning and safety': 967084, 'and safety tip': 70759, 'safety tip at': 730761, 'tip at please': 898714, 'at please share': 100134, 'please share not': 660490, 'share not only': 755111, 'not only online': 570812, 'only online but': 610897, 'online but by': 607963, 'but by talking': 145333, 'by talking about': 154213, 'talking about these': 833990, 'about these scam': 26615, 'these scam to': 880628, 'scam to your': 740428, 'to your at': 918950, 'your at risk': 1022869, 'at risk family': 100359, 'risk family friend': 723534, 'family friend who': 297823, 'friend who may': 333903, 'may be targeted': 521037, 'itwire': 464029, 'datagovernance': 226532, 'cio': 178580, 'cdo': 168678, 'acc issue': 27812, 'issue advice': 455643, 'right obligation': 722194, 'obligation on': 578460, 'on event': 600612, 'event travel': 285099, 'cancellation due': 161013, '19 itwire': 8176, 'itwire acc': 464030, 'itwire datagovernance': 464035, 'datagovernance cio': 226533, 'cio cdo': 178581, 'acc issue advice': 27813, 'issue advice on': 455644, 'consumer right obligation': 198824, 'right obligation on': 722195, 'obligation on event': 578462, 'on event travel': 600614, 'event travel cancellation': 285100, 'travel cancellation due': 930310, 'cancellation due to': 161014, 'covid 19 itwire': 213303, '19 itwire acc': 8177, 'itwire acc issue': 464032, '19 itwire datagovernance': 8179, 'itwire datagovernance cio': 464036, 'datagovernance cio cdo': 226534, 'overorunder': 631375, 'subsides': 815952, 'stayingpositive': 798747, 'is song': 452126, 'song in': 785500, 'my series': 550020, 'series today': 751309, 'today song': 920207, 'song is': 785502, 'great toiletpaper': 363078, 'toiletpaper debate': 921910, 'debate overorunder': 230317, 'overorunder my': 631376, 'my plan': 549783, 'plan is': 658159, 'the song': 867476, 'song coming': 785483, 'coming until': 188256, 'virus subsides': 958829, 'subsides staysafe': 815965, 'staysafe stayingpositive': 798913, 'this is song': 888408, 'is song in': 452127, 'song in my': 785501, 'in my series': 425624, 'my series today': 550021, 'series today song': 751310, 'today song is': 920208, 'song is about': 785503, 'is about the': 445279, 'about the great': 26406, 'the great toiletpaper': 856736, 'great toiletpaper debate': 363079, 'toiletpaper debate overorunder': 921911, 'debate overorunder my': 230318, 'overorunder my plan': 631377, 'my plan is': 549785, 'plan is to': 658160, 'is to keep': 453215, 'keep the song': 472071, 'the song coming': 867477, 'song coming until': 785484, 'coming until the': 188257, 'until the virus': 943876, 'the virus subsides': 870903, 'virus subsides staysafe': 958830, 'subsides staysafe stayingpositive': 815966, 'fairly': 296426, 'pullback': 688902, 'wrought': 1013231, 'economy had': 267923, 'had fairly': 373099, 'fairly good': 296438, 'good head': 357171, 'of steam': 590111, 'steam coming': 799284, 'it heavy': 458525, 'heavy reliance': 388657, 'reliance on': 709237, 'it particularly': 460269, 'the pullback': 864887, 'pullback in': 688903, 'will result': 994677, 'change wrought': 172410, 'wrought by': 1013232, 'the rail': 865108, 'although the economy': 49358, 'the economy had': 853976, 'economy had fairly': 267925, 'had fairly good': 373100, 'fairly good head': 296439, 'good head of': 357172, 'head of steam': 385774, 'of steam coming': 590112, 'steam coming into': 799285, 'into the crisis': 443113, 'the crisis it': 852395, 'crisis it heavy': 217607, 'it heavy reliance': 458526, 'heavy reliance on': 388658, 'reliance on the': 709242, 'the consumer will': 851625, 'consumer will make': 199547, 'make it particularly': 510048, 'it particularly vulnerable': 460270, 'to the pullback': 916994, 'the pullback in': 864888, 'pullback in consumer': 688904, 'spending that will': 788999, 'that will result': 847605, 'will result from': 994678, 'result from the': 717513, 'from the change': 337635, 'the change wrought': 850677, 'change wrought by': 172411, 'wrought by the': 1013233, 'by the rail': 154420, 'always sneeze': 49740, 'into tissue': 443235, 'tissue or': 899183, 'your bent': 1022943, 'bent elbow': 127256, 'elbow ask': 270505, '19 question': 9934, 'doctor online': 251055, 'online virus': 609683, 'icliniq100hrs handwash': 412783, 'always sneeze or': 49741, 'cough into tissue': 208491, 'into tissue or': 443237, 'tissue or your': 899188, 'or your bent': 617875, 'your bent elbow': 1022944, 'bent elbow ask': 127257, 'elbow ask your': 270506, 'ask your coronavirus': 95684, 'your coronavirus covid': 1023348, 'covid 19 question': 213644, '19 question to': 9936, 'question to our': 693779, 'our doctor online': 622791, 'doctor online virus': 251057, 'online virus icliniq100hrs': 609684, 'virus icliniq100hrs handwash': 958309, 'icliniq100hrs handwash sanitizer': 412784, 'daddy': 224418, 'need sugar': 555668, 'sugar daddy': 817443, 'daddy fast': 224419, 'fast cause': 299930, 'cause this': 167773, '19 thing': 11319, 'thing isn': 884489, 'isn gonna': 454525, 'over any': 629994, 'any time': 79967, 'time soon': 897717, 'soon and': 785620, 'and love': 66423, 'love online': 504747, 'need sugar daddy': 555669, 'sugar daddy fast': 817444, 'daddy fast cause': 224420, 'fast cause this': 299931, 'cause this covid': 167774, 'covid 19 thing': 213938, '19 thing isn': 11327, 'thing isn gonna': 884490, 'isn gonna be': 454526, 'gonna be over': 356479, 'be over any': 116298, 'over any time': 629996, 'any time soon': 79978, 'time soon and': 897718, 'soon and love': 785622, 'and love online': 66424, 'love online shopping': 504748, 'realty': 702804, 'mitu': 534573, 'mathur': 520492, 'gpm': 361424, 'architect': 84050, 'lockdownextended': 500269, 'realty price': 702806, 'may suffer': 521541, 'suffer short': 817231, 'term shock': 838291, 'shock amid': 759417, 'pandemic share': 636434, 'share mitu': 755095, 'mitu mathur': 534574, 'mathur director': 520493, 'director gpm': 243625, 'gpm architect': 361425, 'architect planner': 84051, 'planner in': 658496, 'an exclusive': 55926, 'exclusive interview': 289673, 'with lockdownextended': 999295, 'realty price may': 702807, 'price may suffer': 675205, 'may suffer short': 521542, 'suffer short term': 817232, 'short term shock': 764751, 'term shock amid': 838292, 'shock amid pandemic': 759418, 'amid pandemic share': 52577, 'pandemic share mitu': 636435, 'share mitu mathur': 755096, 'mitu mathur director': 534575, 'mathur director gpm': 520494, 'director gpm architect': 243626, 'gpm architect planner': 361426, 'architect planner in': 84052, 'planner in an': 658497, 'in an exclusive': 420304, 'an exclusive interview': 55928, 'exclusive interview with': 289675, 'interview with lockdownextended': 442264, 'chevron': 175580, 'exxon': 293967, 'mobil': 534926, 'occidental': 578967, 'mb': 522017, 'trump meeting': 933705, 'meeting this': 527776, 'this hour': 887956, 'with energy': 998225, 'energy sector': 276574, 'sector ceo': 744118, 'ceo representing': 169818, 'representing chevron': 712944, 'chevron exxon': 175585, 'exxon mobil': 293972, 'mobil occidental': 534929, 'occidental petroleum': 578970, 'petroleum american': 653808, 'american petroleum': 52131, 'petroleum institute': 653817, 'institute and': 440408, 'others during': 621368, 'during photo': 262920, 'photo op': 655228, 'op heard': 611804, 'heard to': 388163, 'mention his': 528763, 'his recent': 397739, 'recent phone': 703953, 'phone call': 654919, 'call with': 156228, 'with putin': 1000368, 'putin and': 691005, 'and mb': 66828, 'mb about': 522018, 'pres trump meeting': 670454, 'trump meeting this': 933706, 'meeting this hour': 527777, 'this hour with': 887961, 'hour with energy': 406106, 'with energy sector': 998226, 'energy sector ceo': 276576, 'sector ceo representing': 744119, 'ceo representing chevron': 169819, 'representing chevron exxon': 712945, 'chevron exxon mobil': 175586, 'exxon mobil occidental': 293974, 'mobil occidental petroleum': 534930, 'occidental petroleum american': 578971, 'petroleum american petroleum': 653809, 'american petroleum institute': 52132, 'petroleum institute and': 653818, 'institute and others': 440410, 'and others during': 68442, 'others during photo': 621369, 'during photo op': 262921, 'photo op heard': 655229, 'op heard to': 611805, 'heard to mention': 388164, 'to mention his': 910085, 'mention his recent': 528764, 'his recent phone': 397740, 'recent phone call': 703954, 'phone call with': 654933, 'call with putin': 156235, 'with putin and': 1000369, 'putin and mb': 691007, 'and mb about': 66829, 'mb about oil': 522019, 'about oil production': 25839, 'oil production and': 597360, 'production and the': 681935, 'the global market': 856311, 'extent': 293317, 'piling essential': 656582, 'the extent': 854754, 'extent that': 293334, 'left barely': 485407, 'barely able': 110996, 'source thing': 786561, 'paper please': 640597, 'consider giving': 195003, 'giving some': 351391, 'your ration': 1025518, 'the people panic': 863498, 'buying and stock': 149931, 'and stock piling': 72413, 'stock piling essential': 802658, 'piling essential commodity': 656583, 'essential commodity to': 280932, 'commodity to the': 189323, 'to the extent': 916688, 'the extent that': 854757, 'extent that everyone': 293335, 'everyone is left': 287083, 'is left barely': 449270, 'left barely able': 485408, 'barely able to': 110997, 'able to source': 24547, 'to source thing': 914941, 'source thing like': 786562, 'thing like food': 884543, 'like food and': 490257, 'toilet paper please': 921395, 'paper please consider': 640598, 'please consider giving': 659814, 'consider giving some': 195006, 'giving some of': 351394, 'some of your': 783421, 'of your ration': 593516, 'your ration to': 1025519, 'ration to food': 697743, 'with learn': 999193, 'how marketer': 408298, 'marketer are': 517451, 'their strategy': 874875, 'behavior change with': 123968, 'change with learn': 172405, 'with learn how': 999194, 'learn how marketer': 483986, 'how marketer are': 408299, 'marketer are adjusting': 517452, 'adjusting their strategy': 32361, 'pantyhose': 639726, 'crossed': 219055, 'zz': 1027932, 'today greeted': 919589, 'greeted lady': 363797, 'me minute': 523156, 'minute later': 533787, 'and asked': 58431, 'have pantyhose': 381887, 'pantyhose work': 639727, 'not sell': 571521, 'sell that': 748890, 'she crossed': 755969, 'crossed her': 219058, 'and ordered': 68252, 'ordered me': 618869, 'back or': 107213, 'find someone': 307236, 'else to': 271935, 'help her': 389858, 'her lol': 392175, 'lol zz': 500986, 'zz retail': 1027935, 'today greeted lady': 919590, 'greeted lady who': 363798, 'who came back': 988362, 'came back to': 156980, 'back to look': 107377, 'look for me': 502364, 'for me minute': 323325, 'me minute later': 523157, 'minute later and': 533788, 'later and asked': 481019, 'and asked me': 58436, 'asked me why': 95795, 'me why we': 523979, 'why we didn': 991520, 'didn have pantyhose': 241094, 'have pantyhose work': 381888, 'pantyhose work at': 639728, 'store said we': 809962, 'do not sell': 249839, 'not sell that': 571525, 'sell that she': 748891, 'that she crossed': 846236, 'she crossed her': 755970, 'crossed her arm': 219059, 'her arm and': 391856, 'arm and ordered': 92884, 'and ordered me': 68254, 'ordered me to': 618870, 'me to look': 523764, 'look back or': 502316, 'back or find': 107215, 'or find someone': 615316, 'find someone else': 307237, 'someone else to': 784454, 'else to help': 271941, 'to help her': 907537, 'help her lol': 389859, 'her lol zz': 392176, 'lol zz retail': 500987, 'iwillstayathome': 464068, '30 health': 17066, 'is first': 447825, 'first personal': 308865, 'personal responsibility': 652946, 'responsibility carry': 715936, 'carry your': 165164, 'own sanitizer': 632185, 'sanitizer even': 734833, 'even you': 284842, 'make use': 510692, 'of freely': 583931, 'freely available': 332461, 'available option': 104551, 'option iwillstayathome': 614064, 'iwillstayathome stayathome': 464071, 'stayathome via': 797694, '12 30 health': 2795, '30 health is': 17067, 'health is first': 386565, 'is first personal': 447828, 'first personal responsibility': 308866, 'personal responsibility carry': 652947, 'responsibility carry your': 715937, 'carry your own': 165165, 'your own sanitizer': 1025159, 'own sanitizer even': 632189, 'sanitizer even you': 734836, 'even you make': 284843, 'you make use': 1019765, 'make use of': 510693, 'use of freely': 949410, 'of freely available': 583932, 'freely available option': 332462, 'available option iwillstayathome': 104552, 'option iwillstayathome stayathome': 614065, 'iwillstayathome stayathome via': 464072, 'vanessahudgens': 952399, 'quarantine vanessahudgens': 692670, 'vanessahudgens apparently': 952400, 'apparently stocked': 82002, 'on medicine': 602102, 'medicine covid': 526756, 'there are people': 878146, 'are people stocking': 89052, 'paper for quarantine': 640183, 'for quarantine vanessahudgens': 324901, 'quarantine vanessahudgens apparently': 692671, 'vanessahudgens apparently stocked': 952401, 'apparently stocked up': 82003, 'up on medicine': 945590, 'on medicine covid': 602104, 'medicine covid 19': 526757, 'toronto how': 925951, 'do grocery': 249356, 'if yes': 415380, 'yes where': 1015608, 'where how': 984931, 'how staying': 408742, 'staying all': 798567, 'line where': 493563, 'where which': 985354, 'store how': 808215, 'we not': 972594, 'hoard when': 398911, 'when simple': 984034, 'simple task': 770103, 'task basic': 834666, 'basic grocery': 111914, 'taking all': 833262, 'people from toronto': 648014, 'from toronto how': 338110, 'toronto how do': 925952, 'you do grocery': 1018253, 'do grocery shopping': 249359, 'online if yes': 608390, 'if yes where': 415382, 'yes where how': 1015609, 'where how staying': 984932, 'how staying all': 408743, 'staying all day': 798568, 'all day on': 42522, 'day on line': 228144, 'on line where': 601862, 'line where which': 493565, 'where which store': 985355, 'which store how': 986343, 'store how can': 808219, 'can we not': 160182, 'we not hoard': 972599, 'not hoard when': 569990, 'hoard when simple': 398912, 'when simple task': 984035, 'simple task basic': 770104, 'task basic grocery': 834667, 'basic grocery shopping': 111917, 'shopping is taking': 763083, 'is taking all': 452533, 'taking all day': 833263, 'mean key': 524517, 'by manufacturing': 153156, 'manufacturing galaxy': 513591, 'bar it': 110727, 'fun getting': 341169, 'chocolate mean key': 177687, 'mean key worker': 524518, 'but not by': 146529, 'not by manufacturing': 568667, 'by manufacturing galaxy': 153157, 'manufacturing galaxy bar': 513592, 'galaxy bar it': 342918, 'bar it wa': 110728, 'it wa fun': 462116, 'wa fun getting': 962188, 'fun getting the': 341170, 'getting the kid': 349351, 'the kid to': 858796, 'kid to say': 474141, 'to say that': 913843, 'say that wa': 739256, 'that wa key': 847292, 'louisville': 504552, 'is bottle': 446244, 'sanitizer made': 735327, 'distillery town': 247825, 'town branch': 927444, 'branch and': 137665, 'in louisville': 424942, 'louisville kentucky': 504553, 'here is bottle': 393217, 'is bottle of': 446245, 'hand sanitizer made': 375481, 'sanitizer made by': 735328, 'made by local': 507670, 'by local distillery': 153075, 'local distillery town': 497898, 'distillery town branch': 247826, 'town branch and': 927445, 'branch and delivered': 137666, 'delivered to hospital': 233424, 'to hospital in': 907972, 'hospital in louisville': 404470, 'in louisville kentucky': 424943, 'pod': 662239, 'bathtub': 112692, 'mommy': 536178, 'the dad': 852768, 'dad am': 224282, 'not changing': 568735, 'changing my': 172752, 'my clothes': 547711, 'clothes all': 184135, 'save on': 737601, 'on laundry': 601800, 'laundry pod': 482121, 'pod because': 662242, 'the toddler': 869700, 'toddler did': 920616, 'did poop': 240765, 'poop in': 664059, 'the bathtub': 849339, 'bathtub to': 112693, 'toiletpaper because': 921794, 'because mommy': 119245, 'mommy say': 536181, 'toiletpaperpanic toiletpapercrisis': 923280, 'the dad am': 852769, 'dad am not': 224283, 'am not changing': 50243, 'not changing my': 568737, 'changing my clothes': 172753, 'my clothes all': 547712, 'clothes all week': 184136, 'all week to': 45425, 'week to save': 977095, 'to save on': 913786, 'save on laundry': 737603, 'on laundry pod': 601801, 'laundry pod because': 482122, 'pod because we': 662243, 'we are running': 970694, 'running out the': 728031, 'out the toddler': 627430, 'the toddler did': 869701, 'toddler did poop': 920617, 'did poop in': 240766, 'poop in the': 664060, 'in the bathtub': 429011, 'the bathtub to': 849340, 'bathtub to save': 112694, 'save on toiletpaper': 737606, 'on toiletpaper because': 604785, 'toiletpaper because mommy': 921795, 'because mommy say': 119246, 'mommy say we': 536182, 'say we are': 739452, 'running out toiletpaperpanic': 728032, 'out toiletpaperpanic toiletpapercrisis': 627717, 'recessionary': 704430, 'turbulent': 935510, 'marketimpacts': 517505, '19 recessionary': 10003, 'recessionary impact': 704431, 'behaviour download': 124400, 'report today': 712392, 'the turbulent': 870106, 'turbulent time': 935514, 'time recession2020': 897557, 'recession2020 marketimpacts': 704425, 'marketimpacts market': 517506, 'market strategy': 517133, 'strategy free': 812647, 'covid 19 recessionary': 213667, '19 recessionary impact': 10004, 'recessionary impact and': 704432, 'impact and consumer': 417547, 'and consumer behaviour': 60353, 'consumer behaviour download': 196564, 'behaviour download the': 124401, 'download the free': 257628, 'the free report': 855769, 'free report today': 332098, 'report today and': 712393, 'today and stay': 919224, 'and stay on': 72299, 'top of the': 925642, 'of the turbulent': 591562, 'the turbulent time': 870107, 'turbulent time recession2020': 935516, 'time recession2020 marketimpacts': 897558, 'recession2020 marketimpacts market': 704426, 'marketimpacts market strategy': 517507, 'market strategy free': 517135, 'strategy free report': 812648, 'riveting': 724210, 'riveting webinar': 724211, 'webinar by': 975021, 'behaviour how': 124446, 'should brand': 765792, 'brand better': 137771, 'better engage': 128274, 'engage with': 276863, 'the aftermath': 848420, 'aftermath surely': 36663, 'surely thing': 827954, 'riveting webinar by': 724212, 'webinar by about': 975022, 'by about the': 151733, 'the coronavirus on': 851882, 'consumer behaviour how': 196578, 'behaviour how should': 124448, 'how should brand': 408677, 'should brand better': 765794, 'brand better engage': 137772, 'better engage with': 128275, 'engage with consumer': 276865, 'with consumer in': 997757, 'in the aftermath': 428970, 'the aftermath surely': 848422, 'aftermath surely thing': 36664, 'surely thing will': 827955, 'thing will never': 884992, 'same again 19': 732953, 'by eating': 152450, 'eating it': 266237, 'sure but': 827508, 'but might': 146388, 'supermarket meat': 821496, 'meat shortage': 525747, 'can you get': 160303, 'you get covid': 1018765, '19 by eating': 5557, 'by eating it': 152451, 'eating it because': 266238, 'it because not': 456754, 'because not sure': 119287, 'not sure but': 571835, 'sure but might': 827511, 'but might have': 146389, 'might have found': 531013, 'have found solution': 380702, 'solution to our': 782108, 'to our supermarket': 911246, 'our supermarket meat': 625023, 'supermarket meat shortage': 821498, 'ha this': 372256, 'this hit': 887923, 'supermarket yet': 824181, 'ha this hit': 372262, 'this hit your': 887924, 'hit your supermarket': 398524, 'your supermarket yet': 1026070, 'the recommends': 865356, 'wearing cloth': 974600, 'where socialdistancing': 985179, 'measure may': 525257, 'maintain such': 509048, '19 click': 5837, 'the recommends wearing': 865357, 'recommends wearing cloth': 704858, 'wearing cloth face': 974601, 'setting where socialdistancing': 753668, 'where socialdistancing measure': 985180, 'socialdistancing measure may': 780530, 'measure may be': 525258, 'may be difficult': 520973, 'to maintain such': 909598, 'maintain such the': 509049, 'such the grocery': 816801, 'or pharmacy to': 616586, 'pharmacy to slow': 654521, 'of 19 click': 579386, '19 click here': 5838, 'click here to': 181918, 'here to learn': 393717, 'wam': 965531, 'wam dubai': 965532, 'launched price': 482029, 'price monitor': 675258, 'monitor portal': 537307, 'to track': 917668, 'track daily': 928182, 'daily price': 224749, 'of staple': 590036, 'staple food': 793929, 'essential making': 281298, 'consumer continue': 196966, 'their basic': 872558, 'need at': 554489, 'at fair': 98616, 'wam dubai economy': 965533, 'dubai economy ha': 261468, 'economy ha launched': 267922, 'ha launched price': 371111, 'launched price monitor': 482030, 'price monitor portal': 675259, 'monitor portal to': 537308, 'portal to track': 664959, 'to track daily': 917675, 'track daily price': 928184, 'daily price of': 224750, 'price of staple': 675576, 'of staple food': 590038, 'staple food and': 793931, 'and essential making': 62256, 'essential making sure': 281299, 'making sure that': 511389, 'sure that consumer': 827692, 'that consumer continue': 843295, 'consumer continue to': 196967, 'continue to get': 201201, 'to get their': 906613, 'get their basic': 348322, 'their basic need': 872559, 'basic need at': 112009, 'need at fair': 554493, 'at fair price': 98619, 'fair price in': 296372, 'price in view': 674750, 'long until': 501798, 'until consumer': 943712, 'consumer leverage': 198037, 'leverage peak': 487792, 'how long until': 408215, 'long until consumer': 501799, 'until consumer leverage': 943713, 'consumer leverage peak': 198038, 'anticipates': 78470, '19 nyc': 8874, 'nyc anticipates': 577963, 'anticipates huge': 78473, 'huge decrease': 410017, 'decrease in': 231572, 'in renter': 427390, 'renter mortgage': 711304, 'mortgage price': 541940, 'the near': 861346, 'future the': 342472, 'fight for': 304731, 'for affordable': 319059, 'affordable housing': 34855, 'housing wa': 407162, 'being strongly': 125870, 'strongly ignored': 814231, 'ignored now': 415880, 'pandemic might': 635961, 'might just': 531054, 'just push': 469517, 'push nyc': 690301, 'nyc in': 577997, 'in newer': 425839, 'newer direction': 560050, 'direction anticipate': 243445, 'anticipate seeing': 78439, 'covid 19 nyc': 213497, '19 nyc anticipates': 8875, 'nyc anticipates huge': 577964, 'anticipates huge decrease': 78474, 'huge decrease in': 410018, 'decrease in renter': 231579, 'in renter mortgage': 427391, 'renter mortgage price': 711305, 'mortgage price in': 541941, 'in the near': 429385, 'the near future': 861349, 'near future the': 553510, 'future the fight': 342473, 'the fight for': 855165, 'fight for affordable': 304734, 'for affordable housing': 319061, 'affordable housing wa': 34856, 'housing wa being': 407163, 'wa being strongly': 961688, 'being strongly ignored': 125871, 'strongly ignored now': 814232, 'ignored now this': 415881, 'now this pandemic': 576134, 'this pandemic might': 889404, 'pandemic might just': 635963, 'might just push': 531056, 'just push nyc': 469518, 'push nyc in': 690302, 'nyc in newer': 577998, 'in newer direction': 425840, 'newer direction anticipate': 560051, 'direction anticipate seeing': 243446, 'anticipate seeing post': 78440, 'seeing post covid': 746424, 'if soap': 414836, 'available use': 104679, 'contains at': 200625, 'least 60': 484367, 'if soap and': 414837, 'water are not': 968900, 'not available use': 568309, 'available use an': 104680, 'based sanitizer that': 111740, 'that contains at': 843312, 'contains at least': 200626, 'at least 60': 99455, 'least 60 alcohol': 484368, '03454': 902, '05': 942, '06': 977, 'bought good': 136584, 'or paid': 616483, 'the whether': 871442, 'yourself or': 1026670, 're business': 698391, 'business needing': 144090, 'needing advice': 556609, 'advice you': 33560, 'get support': 348161, 'calling consumer': 156531, 'consumer helpline': 197743, 'helpline on': 391595, 'on 03454': 598975, '03454 04': 903, '04 05': 912, '05 06': 945, '06 business': 987, 'have you bought': 383658, 'you bought good': 1017505, 'bought good or': 136585, 'good or paid': 357526, 'or paid for': 616484, 'paid for service': 634021, 'for service that': 325499, 'service that ha': 752921, 'by the whether': 154480, 'the whether it': 871443, 'whether it for': 985523, 'it for yourself': 458110, 'for yourself or': 328236, 'yourself or you': 1026672, 'you re business': 1020582, 're business needing': 698392, 'business needing advice': 144091, 'needing advice you': 556610, 'advice you can': 33561, 'can get support': 158455, 'get support by': 348162, 'support by calling': 826399, 'by calling consumer': 152058, 'calling consumer helpline': 156532, 'consumer helpline on': 197745, 'helpline on 03454': 391596, 'on 03454 04': 598976, '03454 04 05': 904, '04 05 06': 913, '05 06 business': 946, '06 business can': 988, 'business can visit': 143498, 'allocates': 45889, 'fireman': 308242, 'local administration': 497667, 'administration allocates': 32446, 'allocates 100': 45890, '100 million': 1948, 'million financial': 532153, 'financial reward': 306560, 'reward to': 720796, 'to garbage': 906362, 'amp fireman': 53803, 'fireman for': 308245, 'crisis suspend': 218122, 'suspend export': 829563, 'export of': 292673, 'ministry of local': 533551, 'of local administration': 585925, 'local administration allocates': 497668, 'administration allocates 100': 32447, 'allocates 100 million': 45891, '100 million financial': 1951, 'million financial reward': 532154, 'financial reward to': 306562, 'reward to garbage': 720797, 'to garbage worker': 906363, 'garbage worker amp': 343541, 'worker amp fireman': 1006257, 'amp fireman for': 53804, 'fireman for their': 308246, 'their effort in': 873108, 'the crisis suspend': 852454, 'crisis suspend export': 218123, 'suspend export of': 829564, 'export of some': 292681, 'of some essential': 589895, 'some essential good': 782760, 'essential good to': 281101, 'good to reduce': 357898, 'thrilled': 894185, 'am confused': 49975, 'confused yesterday': 194360, 'yesterday at': 1015681, 'the briefing': 849994, 'briefing trump': 139749, 'wa saying': 963142, 'saying lower': 739638, 'price wa': 677332, 'wa tax': 963405, 'american in': 52044, 'in way': 430721, 'is he': 448347, 'he thrilled': 385528, 'thrilled to': 894188, 'be manipulating': 115905, 'manipulating the': 513223, 'man am confused': 511987, 'am confused yesterday': 49976, 'confused yesterday at': 194361, 'yesterday at the': 1015686, 'at the briefing': 100897, 'the briefing trump': 849997, 'briefing trump wa': 139750, 'trump wa saying': 933958, 'wa saying lower': 963145, 'saying lower gas': 739639, 'gas price wa': 344047, 'price wa tax': 677338, 'wa tax cut': 963406, 'tax cut for': 834955, 'cut for american': 223343, 'for american in': 319249, 'american in way': 52048, 'in way so': 430725, 'way so why': 969878, 'why is he': 991109, 'is he thrilled': 448352, 'he thrilled to': 385529, 'thrilled to be': 894189, 'to be manipulating': 901385, 'be manipulating the': 115906, 'manipulating the price': 513224, 'aerosolized': 33926, 'jama': 464366, 'fac': 294270, 'if well': 415333, 'well person': 978478, 'person without': 652749, 'mask walk': 519493, 'through air': 894300, 'air with': 39806, 'with aerosolized': 997111, 'aerosolized in': 33927, 'or self': 616991, 'self serve': 747899, 'serve gas': 751891, 'station infection': 796440, 'infection seems': 436841, 'seems more': 746827, 'more possible': 540103, 'possible given': 665658, 'given this': 351175, 'new jama': 558956, 'jama article': 464367, 'article info': 94369, 'info and': 437415, 'clothes fac': 184158, 'so if well': 777358, 'if well person': 415334, 'well person without': 978479, 'person without mask': 652750, 'without mask walk': 1002780, 'mask walk through': 519494, 'walk through air': 964889, 'through air with': 894301, 'air with aerosolized': 39807, 'with aerosolized in': 997112, 'aerosolized in grocery': 33928, 'store or self': 809369, 'or self serve': 616997, 'self serve gas': 747901, 'serve gas station': 751892, 'gas station infection': 344116, 'station infection seems': 796441, 'infection seems more': 436842, 'seems more possible': 746828, 'more possible given': 540104, 'possible given this': 665659, 'given this new': 351177, 'this new jama': 889117, 'new jama article': 558957, 'jama article info': 464368, 'article info and': 94370, 'info and why': 437419, 'and why would': 75638, 'would you think': 1012424, 'think to wash': 885718, 'wash your clothes': 967584, 'your clothes fac': 1023244, 'to quit': 912689, 'quit with': 694819, 'shopping food': 762649, 'it ain': 456321, 'ain helping': 39626, 'case number': 165879, 'need to quit': 556026, 'to quit with': 912697, 'quit with your': 694820, 'with your online': 1002215, 'online shopping food': 609123, 'shopping food delivery': 762651, 'delivery service it': 234444, 'service it ain': 752528, 'it ain helping': 456323, 'ain helping the': 39627, 'helping the covid': 391487, '19 case number': 5691, 'sideeffectsofquarantinelife': 768926, 'mum been': 545881, 'and from': 63344, 'she saying': 756328, 'sound like': 786295, 'been stressful': 122058, 'stressful situation': 813506, 'her sideeffectsofquarantinelife': 392384, 'my mum been': 549369, 'mum been to': 545882, 'morning and from': 541155, 'and from what': 63353, 'from what she': 338343, 'what she saying': 982169, 'she saying it': 756329, 'saying it sound': 739627, 'it sound like': 461184, 'sound like it': 786303, 'like it been': 490524, 'it been stressful': 456803, 'been stressful situation': 122059, 'stressful situation for': 813507, 'situation for her': 772273, 'for her sideeffectsofquarantinelife': 322235, 'curbsidetakeout': 220687, 'ampdeliveryoptions': 54872, 's101northeatery': 728848, 'so lucky': 777615, 'lucky this': 506578, 'year during': 1014533, 'during st': 263044, 'st patrick': 791743, 'patrick day': 644355, 'the nationwide': 861309, 'nationwide closing': 552717, 'place west': 657821, 'west coast': 980482, 'coast 101': 185091, '101 north': 2226, 'north eatery': 567642, 'eatery bar': 266154, 'bar adjusts': 110663, 'adjusts to': 32395, 'meet consumer': 527437, 'consumer need': 198185, 'need curbsidetakeout': 554653, 'curbsidetakeout ampdeliveryoptions': 220688, 'ampdeliveryoptions la': 54873, 'la s101northeatery': 478208, 'not so lucky': 571622, 'so lucky this': 777617, 'lucky this year': 506579, 'this year during': 891570, 'year during st': 1014534, 'during st patrick': 263045, 'st patrick day': 791745, 'patrick day in': 644356, 'of the nationwide': 591264, 'the nationwide closing': 861310, 'nationwide closing of': 552718, 'closing of restaurant': 183702, 'of restaurant and': 589013, 'restaurant and public': 716295, 'and public place': 69744, 'public place west': 688240, 'place west coast': 657822, 'west coast 101': 980483, 'coast 101 north': 185092, '101 north eatery': 2227, 'north eatery bar': 567643, 'eatery bar adjusts': 266155, 'bar adjusts to': 110664, 'adjusts to meet': 32396, 'to meet consumer': 910016, 'meet consumer need': 527440, 'consumer need curbsidetakeout': 198187, 'need curbsidetakeout ampdeliveryoptions': 554654, 'curbsidetakeout ampdeliveryoptions la': 220689, 'ampdeliveryoptions la s101northeatery': 54874, 'lahore': 478985, 'leading business': 483684, 'and emerging': 62041, 'emerging entrepreneur': 273115, 'entrepreneur handling': 278931, 'food point': 315874, 'point and': 662411, 'shopping venture': 764312, 'venture need': 954675, 'stop making': 804825, 'corona this': 204234, 'something serious': 785046, 'serious corona': 751355, 'corona lahore': 204031, 'lahore pakistan': 478992, 'pakistan pakistanfightscorona': 634484, 'pakistanfightscorona restaurant': 634525, 'the leading business': 859230, 'leading business and': 483685, 'business and emerging': 143298, 'and emerging entrepreneur': 62042, 'emerging entrepreneur handling': 273116, 'entrepreneur handling food': 278932, 'handling food point': 376352, 'food point and': 315875, 'point and online': 662416, 'online shopping venture': 609329, 'shopping venture need': 764313, 'venture need to': 954676, 'to stop making': 915544, 'stop making money': 804826, 'making money on': 511228, 'money on corona': 536928, 'on corona this': 600111, 'corona this is': 204235, 'is something serious': 452111, 'something serious corona': 785047, 'serious corona lahore': 751356, 'corona lahore pakistan': 204032, 'lahore pakistan pakistanfightscorona': 478993, 'pakistan pakistanfightscorona restaurant': 634485, 'vault': 952749, 'suspends': 829666, 'vault health': 952750, 'health launch': 386599, 'launch men': 481922, 'men consumer': 528473, 'health service': 386841, 'service with': 753080, 'million series': 532347, 'series but': 751232, 'but suspends': 147248, 'suspends some': 829679, 'person visit': 652681, 'visit due': 959238, 'vault health launch': 952751, 'health launch men': 386601, 'launch men consumer': 481923, 'men consumer health': 528474, 'consumer health service': 197731, 'health service with': 386843, 'service with 30': 753081, 'with 30 million': 996998, '30 million series': 17112, 'million series but': 532348, 'series but suspends': 751233, 'but suspends some': 147249, 'suspends some in': 829680, 'some in person': 783094, 'in person visit': 426644, 'person visit due': 652682, 'visit due to': 959239, 'seah': 743171, 'kian': 473763, 'peng': 646499, 'pray they': 669025, 're prepared': 699292, 'prepared they': 670242, 'be singapore': 117197, 'singapore parliament': 771139, 'parliament our': 642165, 'our warehouse': 625298, 'warehouse are': 966690, 'are quite': 89402, 'quite full': 694869, 'remain affordable': 709692, 'affordable say': 34898, 'say fairprice': 738625, 'fairprice chief': 296459, 'chief seah': 175969, 'seah kian': 743172, 'kian peng': 473764, 'pray they re': 669026, 'they re prepared': 883097, 're prepared they': 699293, 'prepared they claim': 670243, 'claim to be': 179846, 'to be singapore': 901543, 'be singapore parliament': 117198, 'singapore parliament our': 771140, 'parliament our warehouse': 642166, 'our warehouse are': 625299, 'warehouse are quite': 966693, 'are quite full': 89405, 'quite full and': 694870, 'full and price': 340480, 'and price to': 69480, 'price to remain': 677032, 'to remain affordable': 913155, 'remain affordable say': 709694, 'affordable say fairprice': 34899, 'say fairprice chief': 738626, 'fairprice chief seah': 296460, 'chief seah kian': 175970, 'seah kian peng': 743173, 'lloy': 497128, 'rb': 698052, 'barc': 110831, 'hsba': 409714, 'lloyd': 497131, 'barclays': 110845, 'can lloy': 158900, 'lloy rb': 497129, 'rb barc': 698053, 'barc and': 110832, 'and hsba': 64846, 'hsba recover': 409715, 'recover from': 705176, 'bank lloyd': 109982, 'lloyd barclays': 497132, 'can lloy rb': 158901, 'lloy rb barc': 497130, 'rb barc and': 698054, 'barc and hsba': 110833, 'and hsba recover': 64847, 'hsba recover from': 409716, 'recover from the': 705182, 'from the bank': 337610, 'the bank lloyd': 849247, 'bank lloyd barclays': 109983, 'hoard thing': 398886, 'that senior': 846194, 'senior need': 750360, 'need if': 555032, 'our national': 623989, 'national treasure': 552635, 'treasure and': 930763, 'not hoard thing': 569987, 'hoard thing that': 398887, 'thing that senior': 884820, 'that senior need': 846197, 'senior need if': 750361, 'need if you': 555036, 'see them in': 745915, 'them in grocery': 875903, 'store help them': 808137, 'help them they': 390715, 'they are our': 881352, 'are our national': 88865, 'our national treasure': 623990, 'national treasure and': 552636, 'treasure and we': 930764, 'and we must': 75307, 'must protect them': 546818, 'than toilet': 841347, 'paper take': 640863, 'easy on': 265740, 'paper say': 640727, 'say president': 739070, 'trump business': 933451, 'business stop': 144421, 'stop toiletpaper': 805230, 'better than toilet': 128541, 'than toilet paper': 841348, 'toilet paper take': 921481, 'paper take it': 640864, 'take it easy': 832243, 'it easy on': 457744, 'easy on the': 265742, 'on the toilet': 604407, 'toilet paper say': 921434, 'paper say president': 640728, 'say president trump': 739071, 'president trump business': 670934, 'trump business stop': 933452, 'business stop toiletpaper': 144422, 'stop toiletpaper tp': 805231, 'fundraise': 341640, 'overwhelm': 631705, 'love rt': 504764, 'rt plz': 726801, 'plz im': 661823, 'im trying': 416591, 'to fundraise': 906333, 'fundraise to': 341643, 'we fear': 971527, 'come when': 187666, 'will overwhelm': 994366, 'overwhelm ventilator': 631708, 'ventilator in': 954573, 'in whole': 430893, 'of country': 582028, 'country thank': 211102, 'love rt plz': 504765, 'rt plz im': 726802, 'plz im trying': 661824, 'im trying to': 416593, 'trying to fundraise': 934811, 'to fundraise to': 906335, 'fundraise to stock': 341644, 'up food for': 944886, 'my family support': 548225, 'family support we': 298272, 'support we fear': 826985, 'we fear that': 971529, 'fear that it': 301364, 'it will come': 462384, 'will come when': 992975, 'come when it': 187669, 'it doe it': 457614, 'doe it will': 251440, 'it will overwhelm': 462416, 'will overwhelm ventilator': 994368, 'overwhelm ventilator in': 631709, 'ventilator in whole': 954575, 'in whole of': 430894, 'whole of country': 990286, 'of country thank': 582032, 'country thank you': 211103, 'calm do': 156713, 'put yourselves': 690999, 'by rushing': 153848, 'rushing to': 728392, 'to rush': 913684, 'buy today': 149376, 'today or': 919994, 'that matter': 845064, 'matter this': 520638, 'weekend all': 977312, 'open come': 612157, 'come what': 187664, 'what may': 981858, 'may said': 521474, 'said mr': 731241, 'mr seah': 544405, 'stay calm do': 796806, 'calm do not': 156714, 'not put yourselves': 571179, 'put yourselves and': 691000, 'yourselves and others': 1026783, 'others at risk': 621293, 'at risk by': 100344, 'risk by rushing': 723441, 'by rushing to': 153849, 'rushing to buy': 728394, 'buy food there': 148679, 'food there is': 317151, 'need to rush': 556055, 'to rush to': 913687, 'to buy today': 902322, 'buy today or': 149377, 'today or for': 919996, 'or for that': 615368, 'for that matter': 326262, 'that matter this': 845070, 'matter this weekend': 520639, 'this weekend all': 891304, 'weekend all our': 977313, 'all our store': 43833, 'our store will': 624958, 'remain open come': 709804, 'open come what': 612161, 'come what may': 187665, 'what may said': 981859, 'may said mr': 521475, 'said mr seah': 731242, 'additive bleach': 31923, 'bleach crisp': 132492, 'linen scent': 493640, 'scent 90': 741385, '90 fl': 23294, 'sanitizer additive bleach': 734318, 'additive bleach crisp': 31924, 'bleach crisp linen': 132493, 'crisp linen scent': 218490, 'linen scent 90': 493643, 'scent 90 fl': 741386, '90 fl oz': 23295, 'madison': 508129, 'madison tv': 508136, 'tv station': 936202, 'station want': 796545, 'demand put': 236102, 'pantry because': 639542, 'you madison': 1019747, 'madison tv station': 508137, 'tv station want': 936203, 'station want to': 796546, 'ease the growing': 265107, 'growing demand put': 367169, 'demand put on': 236103, 'put on food': 690716, 'on food pantry': 600896, 'food pantry because': 315769, 'pantry because of': 639543, 'thank you madison': 841770, 'smelling': 775630, 'crimestoppers': 216816, 'lady wa': 478851, 'caught in': 167422, 'supermarket smelling': 822719, 'smelling all': 775631, 'the flower': 855449, 'flower breathing': 311283, 'breathing on': 139238, 'them deliberately': 875584, 'deliberately store': 232982, 'throw all': 895005, 'flower away': 311279, 'away crimestoppers': 105810, 'crimestoppers it': 216817, 'it deliberate': 457501, 'deliberate attempt': 232941, 'lady wa caught': 478854, 'wa caught in': 961794, 'caught in supermarket': 167427, 'in supermarket smelling': 428669, 'supermarket smelling all': 822720, 'smelling all the': 775632, 'all the flower': 44750, 'the flower breathing': 855452, 'flower breathing on': 311284, 'breathing on them': 139239, 'on them deliberately': 604531, 'them deliberately store': 875585, 'deliberately store had': 232983, 'store had to': 808047, 'to throw all': 917561, 'throw all the': 895006, 'the flower away': 855450, 'flower away crimestoppers': 311280, 'away crimestoppers it': 105811, 'crimestoppers it deliberate': 216818, 'it deliberate attempt': 457502, 'deliberate attempt to': 232942, 'attempt to spread': 102262, 'ink3gvurqk': 438753, 'quick excerpt': 694315, 'article coronavirus': 94294, 'how movie': 408333, 'entertainment http': 278573, 'co ink3gvurqk': 184858, 'quick excerpt from': 694316, 'good article coronavirus': 356778, 'article coronavirus is': 94295, 'triggering massive shift': 931945, 'shift in how': 758324, 'in how movie': 423875, 'how movie are': 408334, 'hollywood entertainment http': 400453, 'entertainment http co': 278574, 'http co ink3gvurqk': 409764, 'market kill': 516667, 'kill covid': 474377, 'or put': 616748, 'my table': 550303, 'table no': 831486, 'no so': 565537, 'so stfu': 778262, 'can the stock': 159962, 'stock market kill': 802408, 'market kill covid': 516668, 'kill covid 19': 474378, '19 or put': 9025, 'or put food': 616749, 'food on my': 315596, 'on my table': 602324, 'my table no': 550304, 'table no so': 831487, 'no so stfu': 565539, 'day6': 228878, 'day6 of': 228881, 'of selfisolating': 589488, 'selfisolating but': 748410, 'run quick': 727783, 'quick errand': 694311, 'errand to': 280206, 'essential cyprus': 280958, 'day6 of selfisolating': 228882, 'of selfisolating but': 589489, 'selfisolating but had': 748411, 'but had to': 145847, 'had to run': 373723, 'to run quick': 913670, 'run quick errand': 727784, 'quick errand to': 694312, 'errand to buy': 280207, 'buy some supermarket': 149216, 'some supermarket essential': 784006, 'supermarket essential cyprus': 820200, 'answered should': 78185, 'store foxnews': 807861, 'question answered should': 693535, 'answered should you': 78186, 'should you wear': 766683, 'you wear mask': 1022214, 'wear mask at': 974375, 'grocery store foxnews': 365411, 'librarian': 488053, 'waitress': 964432, 'fortnite': 329855, 'minecraft': 532948, 'lgbtq': 487922, 'lesbian': 486420, 'catholic': 167299, 'transgender': 929610, 'diabetes': 240161, 'all city': 42355, 'city around': 179066, 'lockdown you': 500179, 'may starve': 521526, 'starve to': 795228, 'to death': 903972, 'death if': 230070, 'water librarian': 969049, 'librarian lol': 488054, 'lol waitress': 500971, 'waitress fortnite': 964433, 'fortnite minecraft': 329864, 'minecraft canadian': 532949, 'canadian xbox': 160783, 'xbox lgbtq': 1013784, 'lgbtq lesbian': 487925, 'lesbian christian': 486421, 'christian catholic': 178113, 'catholic transgender': 167304, 'transgender diabetes': 929611, 'diabetes gay': 240177, 'gay trucker': 344712, 'trucker firefighter': 932915, 'when all city': 983127, 'all city around': 42356, 'city around the': 179067, 'world are in': 1009315, 'are in covid': 87368, '19 lockdown you': 8443, 'lockdown you may': 500182, 'you may starve': 1019812, 'may starve to': 521527, 'starve to death': 795229, 'to death if': 903981, 'death if you': 230071, 'if you did': 415419, 'you did not': 1018198, 'did not stock': 240734, 'food water librarian': 317510, 'water librarian lol': 969050, 'librarian lol waitress': 488055, 'lol waitress fortnite': 500972, 'waitress fortnite minecraft': 964434, 'fortnite minecraft canadian': 329865, 'minecraft canadian xbox': 532950, 'canadian xbox lgbtq': 160784, 'xbox lgbtq lesbian': 1013785, 'lgbtq lesbian christian': 487926, 'lesbian christian catholic': 486422, 'christian catholic transgender': 178114, 'catholic transgender diabetes': 167305, 'transgender diabetes gay': 929612, 'diabetes gay trucker': 240178, 'gay trucker firefighter': 344713, 'quickie': 694444, '3oz': 18373, 'excited saving': 289557, 'saving hundred': 737887, 'hundred on': 411024, 'gas although': 343753, 'although hit': 49319, 'the quickie': 865067, 'quickie market': 694445, 'market up': 517279, 'day paper': 228189, 'towel purchase': 927371, 'of 99': 579693, '99 each': 23807, 'day 11': 227092, '11 72': 2473, '72 mo': 22019, 'mo roll': 534866, 'roll ha': 725320, 'ha 10': 369385, '10 sheet': 1675, 'sheet it': 756604, 'that or': 845540, 'or 3oz': 614199, '3oz hand': 18376, 'so excited saving': 776989, 'excited saving hundred': 289558, 'saving hundred on': 737888, 'hundred on gas': 411025, 'on gas although': 601066, 'gas although hit': 343754, 'although hit the': 49320, 'hit the quickie': 398443, 'the quickie market': 865068, 'quickie market up': 694446, 'market up for': 517280, 'up for one': 944950, 'for one per': 324090, 'one per day': 606848, 'per day paper': 650805, 'day paper towel': 228190, 'paper towel purchase': 641008, 'towel purchase of': 927372, 'purchase of 99': 689572, 'of 99 each': 579695, '99 each day': 23808, 'each day 11': 264035, 'day 11 72': 227093, '11 72 mo': 2474, '72 mo roll': 22020, 'mo roll ha': 534867, 'roll ha 10': 725321, 'ha 10 sheet': 369387, '10 sheet it': 1676, 'sheet it that': 756605, 'it that or': 461497, 'that or 3oz': 845541, 'or 3oz hand': 614200, '3oz hand sanitizer': 18377, 'sanitizer for 99': 734892, 'frankly': 331165, 'group business': 366621, 'stop increasing': 804770, 'essential while': 281790, 'emergency situation': 272982, 'it frankly': 458128, 'frankly despicable': 331168, 'despicable and': 238625, 'totally void': 926408, 'void community': 960019, 'community spirit': 190102, 'spirit nameandshame': 789484, 'nameandshame 19uk': 551703, '19uk liverpool': 12560, 'seen in facebook': 747070, 'in facebook group': 422753, 'facebook group business': 294930, 'group business need': 366622, 'to stop increasing': 915539, 'stop increasing price': 804771, 'increasing price on': 433678, 'on essential while': 600598, 'essential while we': 281792, 'while we are': 987543, 'are in an': 87353, 'in an emergency': 420294, 'an emergency situation': 55689, 'emergency situation it': 272983, 'situation it frankly': 772359, 'it frankly despicable': 458129, 'frankly despicable and': 331169, 'despicable and is': 238626, 'and is totally': 65436, 'is totally void': 453310, 'totally void community': 926409, 'void community spirit': 960020, 'community spirit nameandshame': 190106, 'spirit nameandshame 19uk': 789485, 'nameandshame 19uk liverpool': 551704, 'obnormal': 578495, 'but isn': 146087, 'isn our': 454613, 'our really': 624548, 'really concerned': 702072, 'about pharmacy': 25949, 'pharmacy selling': 654445, 'selling sanitizers': 749431, 'at obnormal': 99934, 'obnormal price': 578496, 'price taking': 676751, 'but isn our': 146088, 'isn our really': 454614, 'our really concerned': 624549, 'really concerned about': 702073, 'concerned about pharmacy': 193167, 'about pharmacy selling': 25951, 'pharmacy selling sanitizers': 654447, 'selling sanitizers and': 749432, 'and mask at': 66744, 'mask at obnormal': 518428, 'at obnormal price': 99935, 'obnormal price taking': 578497, 'price taking advantage': 676752, 'smiled': 775753, 'supermarketapocalypse': 824215, 'man smiled': 512235, 'smiled when': 775760, 'he saw': 385387, 'saw me': 738171, 'my limit': 549064, 'limit of': 492391, 'of pack': 587645, 'said make': 731211, 'last use': 480615, 'use both': 949079, 'side supermarketapocalypse': 768896, 'man smiled when': 512236, 'smiled when he': 775761, 'when he saw': 983541, 'he saw me': 385389, 'saw me leaving': 738174, 'me leaving the': 523069, 'leaving the supermarket': 485157, 'supermarket with my': 823931, 'with my limit': 999636, 'my limit of': 549065, 'limit of pack': 492400, 'of pack of': 587646, 'paper and said': 639849, 'and said make': 70767, 'said make sure': 731212, 'make sure it': 510516, 'sure it last': 827601, 'it last use': 459304, 'last use both': 480616, 'use both side': 949080, 'both side supermarketapocalypse': 136048, 'dine': 242967, '20 cent': 12993, 'cent for': 169053, 'for slice': 325656, 'potato restaurant': 666972, 'restaurant price': 716642, 'increasing in': 433624, 'china following': 176657, 'the resumption': 865704, 'of dine': 582622, 'dine in': 242968, 'to offset': 910870, 'offset rising': 596107, 'rising food': 723219, 'and loss': 66404, 'loss caused': 503652, 'by pandemic': 153510, '20 cent for': 12994, 'cent for slice': 169054, 'for slice of': 325657, 'slice of potato': 773872, 'of potato restaurant': 588275, 'potato restaurant price': 666973, 'restaurant price are': 716643, 'price are increasing': 672683, 'are increasing in': 87486, 'increasing in china': 433625, 'in china following': 421400, 'china following the': 176658, 'following the resumption': 312904, 'the resumption of': 865705, 'resumption of dine': 717773, 'of dine in': 582623, 'dine in service': 242974, 'in service to': 427822, 'service to offset': 752985, 'to offset rising': 910873, 'offset rising food': 596108, 'rising food and': 723220, 'food and loss': 313275, 'and loss caused': 66405, 'loss caused by': 503653, 'caused by pandemic': 167854, 'several store': 753935, 'are pushing': 89342, 'pushing their': 690451, 'at green': 98805, 'green spring': 363697, 'spring station': 791240, 'station the': 796526, 'owner decided': 632437, 'door yesterday': 255793, 'yesterday because': 1015691, 'she urge': 756401, 'still support': 801258, 'their by': 872703, 'several store are': 753936, 'store are pushing': 806510, 'are pushing their': 89346, 'pushing their online': 690453, 'their online shopping': 874108, 'shopping like at': 763162, 'like at green': 489841, 'at green spring': 98806, 'green spring station': 363698, 'spring station the': 791241, 'station the owner': 796527, 'the owner decided': 862807, 'owner decided to': 632438, 'decided to close': 230906, 'their door yesterday': 873079, 'door yesterday because': 255794, 'yesterday because of': 1015692, 'of the but': 590837, 'the but she': 850200, 'but she urge': 147030, 'she urge you': 756402, 'you to still': 1021843, 'to still support': 915413, 'still support their': 801260, 'support their by': 826894, 'their by shopping': 872704, 'the clout': 851071, 'clout while': 184340, 'can grocery': 158534, 'clerk we': 181813, 'to slide': 914731, 'slide right': 773912, 'right back': 721794, 'back down': 106959, 'second that': 743829, 'enjoy the clout': 277185, 'the clout while': 851072, 'clout while you': 184341, 'while you can': 987586, 'you can grocery': 1017688, 'can grocery store': 158535, 'store clerk we': 807038, 'clerk we re': 181815, 'going to slide': 355710, 'to slide right': 914733, 'slide right back': 773913, 'right back down': 721796, 'back down the': 106960, 'down the second': 257300, 'the second that': 866592, 'second that is': 743830, 'that is over': 844637, 'moral dilemma': 538400, 'dilemma we': 242864, 'have couple': 380131, 'couple n95': 211628, 'mask leftover': 518908, 'leftover from': 485780, 'from smoke': 337321, 'smoke season': 775870, 'season rather': 743425, 'than donating': 840514, 'donating doe': 254444, 'make more': 510193, 'more sense': 540345, 'just wear': 470258, 'wear them': 974473, 'moral dilemma we': 538401, 'dilemma we have': 242865, 'we have couple': 971784, 'have couple n95': 380132, 'couple n95 mask': 211629, 'n95 mask leftover': 551198, 'mask leftover from': 518909, 'leftover from smoke': 485781, 'from smoke season': 337322, 'smoke season rather': 775871, 'season rather than': 743426, 'rather than donating': 697514, 'than donating doe': 840515, 'donating doe it': 254445, 'doe it make': 251434, 'it make more': 459514, 'make more sense': 510200, 'more sense for': 540346, 'sense for to': 750522, 'for to just': 327223, 'to just wear': 908734, 'just wear them': 470260, 'wear them at': 974474, 'them at the': 875447, 'injected': 438686, 'for stimulus': 325906, 'stimulus to': 801620, 'is intended': 448949, 'intended you': 441065, 'implement price': 418410, 'control otherwise': 202091, 'otherwise price': 621861, 'will simply': 994863, 'simply rise': 770276, 'the injected': 858291, 'injected uspoli': 438693, 'uspoli cdnpoli': 950846, 'for stimulus to': 325908, 'stimulus to do': 801621, 'do what is': 250513, 'what is intended': 981701, 'is intended you': 448950, 'intended you need': 441066, 'need to implement': 555968, 'to implement price': 908174, 'implement price control': 418411, 'price control otherwise': 673240, 'control otherwise price': 202092, 'otherwise price will': 621862, 'price will simply': 677586, 'will simply rise': 994864, 'simply rise to': 770277, 'rise to consume': 723032, 'consume the injected': 195950, 'the injected uspoli': 858293, 'injected uspoli cdnpoli': 438694, 'substance': 816035, 'thc': 847841, 'nicotine': 562620, 'vaping substance': 952494, 'substance that': 816038, 'that contain': 843305, 'contain thc': 200491, 'thc or': 847844, 'or nicotine': 616248, 'nicotine definitely': 562621, 'definitely ha': 232348, 'ha short': 371911, 'term health': 838163, 'health consequence': 386298, 'consequence said': 194883, 'said covid': 731033, 'infection likely': 436783, 'likely worse': 492197, 'for vapers': 327517, 'vapers smoker': 952478, 'vaping substance that': 952495, 'substance that contain': 816039, 'that contain thc': 843307, 'contain thc or': 200492, 'thc or nicotine': 847845, 'or nicotine definitely': 616249, 'nicotine definitely ha': 562622, 'definitely ha short': 232349, 'ha short term': 371912, 'short term health': 764738, 'term health consequence': 838164, 'health consequence said': 386299, 'consequence said covid': 194884, 'said covid 19': 731034, '19 infection likely': 7854, 'infection likely worse': 436784, 'likely worse for': 492198, 'worse for vapers': 1010934, 'for vapers smoker': 327518, 'even order': 284442, 'you book': 1017491, 'book slot': 134596, 'slot month': 774239, 'advance when': 32918, 'stock anyways': 801843, 'anyways this': 81075, 'becoming critical': 120286, 'critical urgent': 218714, 'urgent action': 948310, 'action need': 30076, 'place coronacrisis': 657395, 'you cannot even': 1017857, 'cannot even order': 161796, 'even order food': 284444, 'order food online': 618216, 'food online unless': 315627, 'unless you book': 942665, 'you book slot': 1017493, 'book slot month': 134598, 'slot month in': 774240, 'month in advance': 537786, 'in advance when': 420062, 'advance when it': 32919, 'when it will': 983657, 'of stock anyways': 590139, 'stock anyways this': 801844, 'anyways this situation': 81076, 'this situation with': 890198, 'situation with food': 772598, 'with food is': 998495, 'food is becoming': 315114, 'is becoming critical': 446031, 'becoming critical urgent': 120287, 'critical urgent action': 218715, 'urgent action need': 948313, 'action need to': 30077, 'take place coronacrisis': 832502, 'place coronacrisis panicbuyinguk': 657396, 'feta': 303611, 'mozzarella': 544231, 'beautiful but': 118670, 'have feta': 380603, 'feta and': 303612, 'and definitely': 61056, 'definitely will': 232415, '19 danger': 6418, 'danger zone': 225715, 'zone called': 1027752, 'called supermarket': 156446, 'have mozzarella': 381526, 'mozzarella do': 544234, 'beautiful but do': 118671, 'not have feta': 569834, 'have feta and': 380604, 'feta and definitely': 303614, 'and definitely will': 61059, 'definitely will not': 232417, 'be going back': 115050, 'back to that': 107398, 'to that covid': 916447, 'covid 19 danger': 212910, '19 danger zone': 6420, 'danger zone called': 225716, 'zone called supermarket': 1027753, 'called supermarket have': 156447, 'supermarket have mozzarella': 820695, 'have mozzarella do': 381527, 'mozzarella do you': 544235, 'think that will': 885618, 'that will work': 847619, 'every situation': 286197, 'situation including': 772329, 'including be': 431887, 'cautious and': 168210, 'that financial': 843870, 'institution will': 440480, 'never ask': 557869, 'provide personal': 686425, 'personal login': 652913, 'login or': 500686, 'or account': 614250, 'account information': 28704, 'information by': 437776, 'by text': 154243, 'text or': 839925, 'scammer will take': 740660, 'will take advantage': 995061, 'advantage of every': 33002, 'of every situation': 583242, 'every situation including': 286198, 'situation including be': 772330, 'including be cautious': 431888, 'be cautious and': 114032, 'cautious and know': 168211, 'know that financial': 476763, 'that financial institution': 843871, 'financial institution will': 306474, 'institution will never': 440481, 'will never ask': 994158, 'never ask you': 557870, 'you to provide': 1021824, 'to provide personal': 912421, 'provide personal login': 686426, 'personal login or': 652914, 'login or account': 500687, 'or account information': 614251, 'account information by': 28705, 'information by text': 437777, 'by text or': 154244, 'text or email': 839926, 'khaki': 473689, 'wardi': 966660, 'guiding': 368515, 'unecessary': 941078, 'tall': 834064, 'nagpurpolice': 551407, 'some angel': 782299, 'angel in': 76311, 'in khaki': 424492, 'khaki wardi': 473690, 'wardi serving': 966661, 'serving nation': 753195, 'nation 24': 552090, '24 risking': 15679, 'life health': 488725, 'health for': 386446, 'for guiding': 322086, 'guiding people': 368516, 'people politely': 649149, 'politely to': 663626, 'distancing using': 247585, 'using sanitizer': 950627, 'if unecessary': 415209, 'unecessary thanks': 941079, 'standing tall': 793815, 'tall strong': 834071, 'strong nagpurpolice': 814072, 'some angel in': 782300, 'angel in khaki': 76313, 'in khaki wardi': 424493, 'khaki wardi serving': 473691, 'wardi serving nation': 966662, 'serving nation 24': 753196, 'nation 24 risking': 552091, '24 risking their': 15680, 'their life health': 873833, 'life health for': 488726, 'health for guiding': 386449, 'for guiding people': 322087, 'guiding people politely': 368517, 'people politely to': 649150, 'politely to follow': 663627, 'to follow social': 906060, 'social distancing using': 779752, 'distancing using sanitizer': 247587, 'using sanitizer mask': 950631, 'sanitizer mask and': 735349, 'mask and not': 518352, 'and not to': 67783, 'not to leave': 572162, 'to leave home': 909153, 'leave home if': 484820, 'home if unecessary': 401402, 'if unecessary thanks': 415210, 'unecessary thanks for': 941080, 'thanks for standing': 842077, 'for standing tall': 325865, 'standing tall strong': 793817, 'tall strong nagpurpolice': 834072, 'colombian': 186696, 'colombia': 186691, 'gathered': 344414, 'colombian worker': 186697, 'worker demand': 1006751, 'demand protection': 236094, 'from hunger': 335977, 'in bogota': 420890, 'bogota colombia': 133996, 'colombia hundred': 186692, 'construction worker': 195831, 'worker gathered': 1007015, 'gathered to': 344424, 'protest the': 685928, 'colombian worker demand': 186698, 'worker demand protection': 1006755, 'demand protection from': 236095, 'protection from hunger': 685458, 'from hunger during': 335980, 'hunger during covid': 411100, '19 lockdown in': 8396, 'lockdown in bogota': 499499, 'in bogota colombia': 420891, 'bogota colombia hundred': 133997, 'colombia hundred of': 186693, 'hundred of construction': 410995, 'of construction worker': 581694, 'construction worker gathered': 195834, 'worker gathered to': 1007016, 'gathered to protest': 344425, 'to protest the': 912360, 'protest the lack': 685930, 'essential item in': 281206, 'item in the': 463356, 'the national quarantine': 861304, 'national quarantine due': 552594, 'havent': 383932, 'cardboard': 163710, 'aren supermarket': 92536, 'being required': 125674, 'where glove': 984886, 'even mask': 284324, 'when handling': 983516, 'food far': 314445, 'far know': 298828, 'they havent': 882411, 'havent won': 383941, 'won that': 1003922, 'that still': 846480, 'still help': 800690, 'on cardboard': 599823, 'cardboard for': 163721, 'for 24': 318772, 'right quarantine': 722242, 'why aren supermarket': 990803, 'aren supermarket worker': 92538, 'supermarket worker being': 823995, 'worker being required': 1006524, 'being required to': 125675, 'required to where': 713411, 'to where glove': 918537, 'where glove or': 984887, 'glove or even': 352838, 'or even mask': 615208, 'even mask when': 284325, 'mask when handling': 519537, 'when handling food': 983517, 'handling food far': 376350, 'food far know': 314446, 'far know they': 298829, 'know they havent': 476877, 'they havent won': 882412, 'havent won that': 383942, 'won that still': 1003923, 'that still help': 846482, 'still help spread': 800693, 'spread the virus': 790829, 'the virus we': 870917, 'virus we get': 959008, 'we get our': 971619, 'get our essential': 347724, 'our essential food': 622923, 'food item can': 315197, 'item can survive': 463174, 'survive on cardboard': 829210, 'on cardboard for': 599825, 'cardboard for 24': 163722, 'for 24 hour': 318774, '24 hour right': 15623, 'hour right quarantine': 405895, 'healthcomms': 387433, 'prpros': 687347, 'is hosting': 448555, 'hosting webinar': 404976, 'webinar right': 975092, 'confidence healthcomms': 193884, 'healthcomms and': 387434, 'and prpros': 69721, 'prpros head': 687348, 'and register': 70149, 'is hosting webinar': 448560, 'hosting webinar right': 404979, 'webinar right now': 975093, 'right now on': 722111, 'now on consumer': 575421, 'consumer habit and': 197681, 'habit and global': 372554, 'and global consumer': 63691, 'global consumer confidence': 351800, 'consumer confidence healthcomms': 196903, 'confidence healthcomms and': 193885, 'healthcomms and prpros': 387435, 'and prpros head': 69722, 'prpros head to': 687349, 'head to their': 385834, 'to their site': 917268, 'their site and': 874736, 'site and register': 771874, '15gb': 4016, 'apple verizon': 82377, 'is giving': 448058, 'giving customer': 351261, 'customer 15gb': 222008, '15gb of': 4017, 'of free': 583909, 'free data': 331746, 'data part': 226332, 'response verizon': 715903, 'verizon announced': 954820, 'announced on': 77006, 'it giving': 458246, 'giving all': 351230, 'customer an': 222063, 'additional 15gb': 31764, 'data for': 226211, 'free due': 331787, 'apple verizon is': 82378, 'verizon is giving': 954825, 'is giving customer': 448059, 'giving customer 15gb': 351262, 'customer 15gb of': 222009, '15gb of free': 4019, 'of free data': 583912, 'free data part': 331747, 'data part of': 226333, 'part of covid': 642341, '19 response verizon': 10166, 'response verizon announced': 715904, 'verizon announced on': 954821, 'announced on monday': 77007, 'on monday that': 602185, 'that it giving': 844710, 'it giving all': 458247, 'giving all consumer': 351231, 'all consumer and': 42426, 'business customer an': 143607, 'customer an additional': 222064, 'an additional 15gb': 55108, 'additional 15gb of': 31765, '15gb of data': 4018, 'of data for': 582354, 'data for free': 226215, 'for free due': 321713, 'free due to': 331788, 'seeing lot': 746354, 'who didn': 988591, 'have actual': 379120, 'actual job': 30676, 'job prior': 466101, '19 complaining': 5910, 'having money': 384169, 'store pretty': 809642, 'much every': 544859, 'is hiring': 448479, 'hiring right': 397123, 'seeing lot of': 746356, 'people who didn': 650286, 'who didn have': 988593, 'didn have actual': 241082, 'have actual job': 379122, 'actual job prior': 30677, 'job prior to': 466102, 'prior to the': 678381, 'covid 19 complaining': 212834, '19 complaining about': 5911, 'complaining about not': 191889, 'not having money': 569899, 'having money why': 384171, 'money why not': 537175, 'why not work': 991242, 'not work at': 572529, 'grocery store pretty': 365678, 'store pretty much': 809643, 'pretty much every': 671446, 'much every single': 544861, 'single one is': 771350, 'one is hiring': 606511, 'is hiring right': 448488, 'hiring right now': 397124, 'africaautoinsights': 35165, 'pandemic impact': 635684, 'is immediate': 448672, 'immediate and': 416968, 'and severe': 71341, 'severe what': 754070, 'of automotive': 580470, 'automotive executive': 104043, 'executive be': 289861, 'be download': 114590, 'here africaautoinsights': 392662, '19 pandemic impact': 9358, 'pandemic impact on': 635687, 'impact on business': 417828, 'on business is': 599740, 'business is immediate': 143955, 'is immediate and': 448673, 'immediate and severe': 416969, 'and severe what': 71344, 'severe what should': 754071, 'what should the': 982187, 'should the response': 766572, 'response of automotive': 715764, 'of automotive executive': 580471, 'automotive executive be': 104044, 'executive be download': 289862, 'be download our': 114591, 'download our latest': 257613, 'latest report here': 481527, 'report here africaautoinsights': 712010, 'deffo': 232219, 'online very': 609669, 'very naughty': 955373, 'naughty of': 553022, 'inflate the': 436998, 'your laptop': 1024586, 'laptop cashing': 479552, 'cashing in': 166675, 'on coronacrisis': 600114, 'is deffo': 447077, 'deffo no': 232220, 'online very naughty': 609670, 'very naughty of': 955374, 'naughty of you': 553023, 'you to inflate': 1021791, 'to inflate the': 908372, 'inflate the price': 436999, 'price on some': 675718, 'on some of': 603564, 'of your laptop': 593494, 'your laptop cashing': 1024588, 'laptop cashing in': 479553, 'cashing in on': 166676, 'in on coronacrisis': 426113, 'on coronacrisis is': 600115, 'coronacrisis is deffo': 204641, 'is deffo no': 447078, 'deffo no no': 232221, 'ppeshortages': 668143, 'we out': 972669, 'company who': 191312, 'are playing': 89101, 'playing state': 659446, 'state against': 795332, 'other to': 621132, 'to bid': 901805, 'bid on': 129479, 'is life': 449293, 'saving equipment': 737863, 'in national': 425689, 'paying loan': 645435, 'loan shark': 497530, 'shark price': 755641, 'price how': 674586, 'this right': 889902, 'right who': 722419, 'company ppeshortages': 190967, 'ppeshortages ppeshortages': 668144, 'can we out': 160184, 'we out the': 972670, 'out the company': 627357, 'the company who': 851361, 'company who are': 191314, 'who are playing': 988193, 'are playing state': 89103, 'playing state against': 659447, 'state against each': 795333, 'each other to': 264227, 'other to bid': 621133, 'to bid on': 901808, 'bid on what': 129480, 'on what is': 605228, 'what is life': 981706, 'is life saving': 449296, 'life saving equipment': 489012, 'saving equipment we': 737867, 'equipment we re': 279869, 're in national': 698874, 'in national crisis': 425691, 'national crisis and': 552464, 'government is paying': 360266, 'is paying loan': 450825, 'paying loan shark': 645436, 'loan shark price': 497531, 'shark price how': 755642, 'price how is': 674591, 'is this right': 453119, 'this right who': 889909, 'right who are': 722420, 'who are these': 988240, 'are these company': 90971, 'these company ppeshortages': 879791, 'company ppeshortages ppeshortages': 190968, 'distancer': 246928, 'sidewalk': 768948, 'coronapersona': 205169, 'sixfeetapart': 772721, 'social distancer': 779535, 'distancer very': 246929, 'very proactive': 955432, 'proactive about': 679144, 'about stepping': 26260, 'stepping off': 799802, 'the sidewalk': 867164, 'sidewalk to': 768957, 'others more': 621534, 'more room': 540281, 'room pay': 725948, 'pay strict': 645119, 'strict attention': 813614, 'attention to': 102493, 'floor tape': 310843, 'tape in': 834358, 'store checkout': 806956, 'checkout coronapersona': 174901, 'coronapersona socialdistance': 205170, 'socialdistance sixfeetapart': 780157, 'the social distancer': 867411, 'social distancer very': 779536, 'distancer very proactive': 246930, 'very proactive about': 955433, 'proactive about stepping': 679146, 'about stepping off': 26261, 'stepping off the': 799803, 'off the sidewalk': 594270, 'the sidewalk to': 867166, 'sidewalk to give': 768959, 'to give others': 906698, 'give others more': 350627, 'others more room': 621535, 'more room pay': 540283, 'room pay strict': 725949, 'pay strict attention': 645120, 'strict attention to': 813615, 'attention to the': 102497, 'to the floor': 916714, 'the floor tape': 855427, 'floor tape in': 310844, 'tape in the': 834360, 'grocery store checkout': 365280, 'store checkout coronapersona': 806958, 'checkout coronapersona socialdistance': 174902, 'coronapersona socialdistance sixfeetapart': 205171, 'buyingagent': 151420, 'propertyfinder': 684376, 'propertysearch': 684395, 'will uk': 995260, 'drop buyingagent': 260143, 'buyingagent propertyfinder': 151423, 'propertyfinder propertysearch': 684377, 'affecting the property': 34567, 'property market will': 684312, 'market will uk': 517366, 'will uk house': 995261, 'price drop buyingagent': 673562, 'drop buyingagent propertyfinder': 260144, 'buyingagent propertyfinder propertysearch': 151424, 'wakemed': 964641, 'requesting': 713262, 'wake county': 964581, 'county order': 211457, 'order salon': 618556, 'salon and': 732774, 'and gym': 64057, 'gym to': 369358, 'close amid': 182517, 'amid virus': 52747, 'virus wakemed': 958996, 'wakemed requesting': 964642, 'requesting donation': 713265, 'glove money': 352792, 'wake county order': 964582, 'county order salon': 211458, 'order salon and': 618557, 'salon and gym': 732776, 'and gym to': 64059, 'gym to close': 369359, 'to close amid': 902856, 'close amid virus': 182521, 'amid virus wakemed': 52750, 'virus wakemed requesting': 958997, 'wakemed requesting donation': 964643, 'requesting donation of': 713266, 'donation of hand': 254648, 'sanitizer glove money': 734991, 'glove money for': 352793, 'money for worker': 536761, 'correlate': 207620, 'vpn': 960721, 'surprising': 828623, 'outbreak correlate': 628141, 'correlate to': 207621, 'in vpn': 430627, 'vpn usage': 960722, 'usage one': 948847, 'the interesting': 858350, 'interesting but': 441522, 'but probably': 146848, 'not surprising': 571865, 'surprising change': 828628, 'consumer medium': 198114, 'medium behavior': 527017, 'behavior related': 124171, '19 outbreak correlate': 9109, 'outbreak correlate to': 628142, 'correlate to surge': 207622, 'surge in vpn': 828216, 'in vpn usage': 430628, 'vpn usage one': 960723, 'usage one of': 948848, 'of the interesting': 591152, 'the interesting but': 858351, 'interesting but probably': 441524, 'but probably not': 146849, 'probably not surprising': 679341, 'not surprising change': 571866, 'surprising change in': 828629, 'in consumer medium': 421708, 'consumer medium behavior': 198115, 'medium behavior related': 527018, 'behavior related to': 124172, 'inland': 438768, 'empire': 273406, 'the inland': 858296, 'inland empire': 438769, 'empire and': 273407, 'surrounding area': 828732, 'area adjust': 91914, 'adjust to': 32294, 'union representing': 941923, 'representing supermarket': 712948, 'on shopper': 603434, 'treat it': 930843, 'it member': 459593, 'member with': 528251, 'the respect': 865599, 'respect and': 714959, 'and appreciation': 58268, 'our un': 625224, 'the inland empire': 858297, 'inland empire and': 438770, 'empire and surrounding': 273408, 'and surrounding area': 72891, 'surrounding area adjust': 828733, 'area adjust to': 91915, 'adjust to life': 32299, 'to life in': 909251, 'pandemic the union': 636710, 'the union representing': 870409, 'union representing supermarket': 941925, 'representing supermarket and': 712949, 'supermarket and drug': 818965, 'store worker ha': 811520, 'worker ha called': 1007075, 'called on shopper': 156401, 'on shopper to': 603436, 'shopper to treat': 761778, 'to treat it': 917749, 'treat it member': 930844, 'it member with': 459598, 'member with the': 528256, 'with the respect': 1001453, 'the respect and': 865600, 'respect and appreciation': 714960, 'and appreciation they': 58270, 'appreciation they deserve': 82896, 'they deserve our': 881901, 'deserve our un': 238094, 'payday loan': 645335, 'loan are': 497394, 'most expensive': 542315, 'expensive form': 291246, 'credit available': 216314, 'with annual': 997257, 'annual interest': 77404, 'of up': 592676, 'to 390': 899703, '390 per': 18184, 'related online': 708497, 'online consumer': 608040, 'advice the': 33521, 'government warns': 360782, 'warns that': 967290, 'that payday': 845674, 'loan should': 497532, 'your absolute': 1022728, 'absolute last': 27250, 'last resort': 480473, 'payday loan are': 645336, 'loan are the': 497395, 'are the most': 90865, 'the most expensive': 860984, 'most expensive form': 542320, 'expensive form of': 291247, 'form of credit': 329534, 'of credit available': 582130, 'credit available with': 216315, 'available with annual': 104703, 'with annual interest': 997258, 'annual interest rate': 77405, 'interest rate of': 441400, 'rate of up': 697324, 'of up to': 592678, 'up to 390': 946336, 'to 390 per': 899704, '390 per cent': 18185, 'per cent in': 650752, 'cent in it': 169075, 'in it covid': 424235, '19 related online': 10058, 'related online consumer': 708498, 'online consumer advice': 608041, 'consumer advice the': 196049, 'advice the federal': 33522, 'federal government warns': 302006, 'government warns that': 360784, 'warns that payday': 967291, 'that payday loan': 845675, 'payday loan should': 645337, 'loan should be': 497533, 'should be your': 765774, 'be your absolute': 118173, 'your absolute last': 1022729, 'absolute last resort': 27251, 'stayhomesavelifes': 798322, 'northwales': 567824, 'preach more': 669228, 'suit food': 817760, 'food stayhomesavelifes': 316763, 'stayhomesavelifes northwales': 798325, 'preach more of': 669229, 'more of the': 539884, 'supermarket chain need': 819626, 'need to follow': 555941, 'to follow suit': 906062, 'follow suit food': 312508, 'suit food stayhomesavelifes': 817761, 'food stayhomesavelifes northwales': 316764, 'sccp': 741240, 'implemented': 418453, 'no trading': 565794, 'trading and': 928832, 'clearing and': 181454, 'and settlement': 71336, 'settlement at': 753714, 'the pse': 864749, 'pse sccp': 687464, 'sccp tomorrow': 741241, 'tomorrow march': 924125, 'march 17': 515093, '17 2020': 4311, '2020 until': 14684, 'the enhanced': 854336, 'quarantine implemented': 692283, 'implemented in': 418460, 'be no trading': 116114, 'no trading and': 565795, 'trading and clearing': 928833, 'and clearing and': 59964, 'clearing and settlement': 181455, 'and settlement at': 71337, 'settlement at the': 753715, 'at the pse': 101066, 'the pse sccp': 864750, 'pse sccp tomorrow': 687465, 'sccp tomorrow march': 741242, 'tomorrow march 17': 924126, 'march 17 2020': 515094, '17 2020 until': 4314, '2020 until further': 14685, 'to the enhanced': 916674, 'the enhanced community': 854337, 'community quarantine implemented': 190052, 'quarantine implemented in': 692284, 'implemented in luzon': 418462, 'ncovid': 553350, 'our laboratory': 623630, 'laboratory wa': 478485, 'wa closed': 961826, 'closed yesterday': 183450, 'yesterday we': 1015931, 'cannot resume': 162064, 'resume until': 717756, 'the ncovid': 861340, 'ncovid 19': 553351, 'control stay': 202141, 'safe eat': 729617, 'not spread': 571678, 'rumor keep': 727488, 'keep trust': 472161, 'trust in': 934267, 'in science': 427734, 'science and': 742082, 'our laboratory wa': 623631, 'laboratory wa closed': 478486, 'wa closed yesterday': 961829, 'closed yesterday we': 183452, 'yesterday we cannot': 1015933, 'we cannot resume': 971078, 'cannot resume until': 162065, 'resume until the': 717757, 'until the ncovid': 943862, 'the ncovid 19': 861341, 'ncovid 19 situation': 553352, '19 situation is': 10578, 'situation is under': 772353, 'is under control': 453458, 'under control stay': 940051, 'control stay safe': 202142, 'stay safe eat': 797228, 'safe eat good': 729618, 'good food do': 357057, 'do not spread': 249850, 'not spread rumor': 571684, 'spread rumor keep': 790776, 'rumor keep trust': 727489, 'keep trust in': 472162, 'trust in science': 934275, 'in science and': 427735, 'science and we': 742086, 'we will definitely': 973849, 'definitely get out': 232339, 'servey': 752013, 'mu': 544656, 'been 20': 120580, '20 day': 13026, 'day right': 228283, 'right everything': 721890, 'today plan': 920040, 'to servey': 914278, 'servey supermarket': 752014, 'or mu': 616206, 'mu superstore': 544659, 'superstore in': 824348, 'in mile': 425317, 'mile is': 531392, 'anyone there': 80561, 'there safe': 879008, 'from transmission': 338131, 'be rude': 116919, 'rude if': 727038, 'symptom do': 830838, 'others ok': 621564, 'home it been': 401469, 'it been 20': 456786, 'been 20 day': 120581, '20 day right': 13027, 'day right everything': 228284, 'right everything we': 721891, 'we do with': 971362, 'do with online': 250562, 'with online but': 999894, 'online but today': 607970, 'but today plan': 147604, 'today plan to': 920041, 'plan to go': 658293, 'go to servey': 354355, 'to servey supermarket': 914279, 'servey supermarket or': 752015, 'supermarket or mu': 821821, 'or mu superstore': 616207, 'mu superstore in': 544660, 'superstore in mile': 824349, 'in mile is': 425319, 'mile is anyone': 531393, 'is anyone there': 445769, 'anyone there safe': 80562, 'there safe from': 879009, 'safe from transmission': 729702, 'from transmission of': 338132, 'not be rude': 568446, 'be rude if': 116920, 'rude if you': 727039, 'you have covid': 1019032, '19 symptom do': 11015, 'symptom do not': 830839, 'do not close': 249697, 'not close the': 568777, 'close the others': 182843, 'the others ok': 862571, 'carded': 163731, 'got carded': 358470, 'carded at': 163732, 'mask but': 518492, 'but whatever': 147806, 'whatever facemasks': 982751, 'just got carded': 468851, 'got carded at': 358471, 'carded at the': 163733, 'wearing mask but': 974685, 'mask but whatever': 518499, 'but whatever facemasks': 147807, 'move come': 543632, 'come after': 187186, 'after passenger': 36022, 'passenger flight': 643330, 'flight were': 310558, 'were suspended': 980207, 'suspended in': 829620, 'the uae': 870171, 'uae to': 937778, 'the move come': 861084, 'move come after': 543633, 'come after passenger': 187188, 'after passenger flight': 36023, 'passenger flight were': 643331, 'flight were suspended': 310559, 'were suspended in': 980208, 'suspended in the': 829622, 'in the uae': 429634, 'the uae to': 870174, 'uae to battle': 937779, 'protection resource': 685590, 'resource via': 714921, '19 consumer protection': 5977, 'consumer protection resource': 198557, 'protection resource via': 685594, 'chap': 173107, 'knee': 476000, 'rummaging': 727470, 'many men': 514277, 'men will': 528544, 'the chap': 850698, 'chap seen': 173110, 'on his': 601316, 'and knee': 65875, 'knee rummaging': 476011, 'rummaging through': 727471, 'through hair': 894494, 'color while': 186756, 'while on': 987101, 'phone to': 655037, 'his other': 397667, 'other half': 620332, 'half is': 374192, 'dark or': 225973, 'or medium': 616119, 'medium ash': 527007, 'ash brown': 95025, 'brown irelandlockdown': 141241, 'how many men': 408273, 'many men will': 514280, 'men will be': 528545, 'be like the': 115749, 'like the chap': 491358, 'the chap seen': 850699, 'chap seen in': 173111, 'seen in the': 747085, 'supermarket now he': 821666, 'now he wa': 574908, 'he wa on': 385611, 'wa on his': 962825, 'on his hand': 601321, 'his hand and': 397487, 'hand and knee': 374764, 'and knee rummaging': 65876, 'knee rummaging through': 476012, 'rummaging through hair': 727472, 'through hair color': 894495, 'hair color while': 373970, 'color while on': 186757, 'while on the': 987104, 'the phone to': 863697, 'phone to his': 655040, 'to his other': 907821, 'his other half': 397668, 'other half is': 620334, 'half is it': 374194, 'is it dark': 449019, 'it dark or': 457468, 'dark or medium': 225974, 'or medium ash': 616120, 'medium ash brown': 527008, 'ash brown irelandlockdown': 95026, 'vibe': 956392, 'price doe': 673478, 'not qualify': 571182, 'any type': 79993, 'strategy selling': 812708, 'selling people': 749398, 'fear at': 301051, 'create bad': 215616, 'bad vibe': 108068, 'vibe among': 956393, 'mask at higher': 518420, 'higher price doe': 395672, 'price doe not': 673479, 'doe not qualify': 251520, 'not qualify for': 571183, 'qualify for any': 691723, 'for any type': 319428, 'any type of': 79995, 'type of business': 937547, 'of business strategy': 580969, 'business strategy selling': 144427, 'strategy selling people': 812709, 'selling people fear': 749399, 'people fear at': 647877, 'fear at high': 301053, 'high price will': 395293, 'price will create': 677559, 'will create bad': 993068, 'create bad vibe': 215617, 'bad vibe among': 108069, 'vibe among people': 956394, 'wil': 992041, 'cant to': 162346, 'pet and': 653354, 'or child': 614716, 'child not': 176151, 'sure where': 827827, 'where their': 985258, 'their next': 874055, 'next paycheck': 561501, 'paycheck is': 645292, 'from unable': 338172, 'get healthcare': 347202, 'healthcare for': 387120, 'for issue': 322683, 'issue non': 455845, 'non related': 566482, 'no in': 564481, 'care from': 163962, 'from nurse': 336618, 'nurse if': 577378, 'needed racking': 556471, 'up bill': 944497, 'bill price': 130662, 'home 24': 400537, '24 wil': 15707, 'cant to afford': 162347, 'to afford to': 900163, 'afford to care': 34791, 'care for pet': 163952, 'for pet and': 324508, 'pet and or': 653356, 'and or child': 68208, 'or child not': 614717, 'child not sure': 176152, 'not sure where': 571853, 'sure where their': 827828, 'where their next': 985259, 'their next paycheck': 874058, 'next paycheck is': 561503, 'paycheck is coming': 645293, 'is coming from': 446657, 'coming from unable': 188065, 'from unable to': 338173, 'to get healthcare': 906498, 'get healthcare for': 347203, 'healthcare for issue': 387123, 'for issue non': 322686, 'issue non related': 455846, 'non related to': 566483, '19 no in': 8798, 'no in home': 564482, 'in home care': 423779, 'home care from': 400875, 'care from nurse': 163963, 'from nurse if': 336621, 'nurse if needed': 577379, 'if needed racking': 414463, 'needed racking up': 556472, 'racking up bill': 695370, 'up bill price': 944498, 'bill price by': 130663, 'price by being': 673016, 'by being home': 151944, 'being home 24': 125262, 'home 24 wil': 400538, 'ticking': 895687, 'home these': 402263, 'these nutritious': 880357, 'supply amp': 824690, 'amp recipe': 54369, 'you ticking': 1021737, 'ticking keeping': 895688, 'your immunity': 1024457, 'immunity strong': 417434, 'strong is': 814057, 'key precaution': 473366, 'prevent here': 671640, 'even we': 284768, 'from home these': 335912, 'home these nutritious': 402267, 'these nutritious food': 880358, 'nutritious food supply': 577765, 'food supply amp': 316930, 'supply amp recipe': 824696, 'amp recipe will': 54370, 'recipe will keep': 704517, 'keep you ticking': 472249, 'you ticking keeping': 1021738, 'ticking keeping your': 895689, 'keeping your immunity': 472636, 'your immunity strong': 1024459, 'immunity strong is': 417435, 'strong is one': 814058, 'of the key': 591165, 'the key precaution': 858761, 'key precaution to': 473367, 'to prevent here': 912065, 'prevent here what': 671641, 'here what will': 393825, 'what will help': 982600, 'will help with': 993738, 'help with that': 390931, 'with that even': 1001170, 'that even we': 843744, 'even we all': 284769, 'we all stay': 970363, 'that feeling': 843856, 'feeling when': 303110, 'you finally': 1018561, 'finally find': 305985, 'ha toilet': 372331, 'that feeling when': 843857, 'feeling when you': 303111, 'when you finally': 984559, 'you finally find': 1018563, 'finally find grocery': 305986, 'store that ha': 810551, 'that ha toilet': 844140, 'ha toilet paper': 372333, 'stayprivate': 798770, 'mind with': 532782, 'coronavirus cough': 205707, 'into disposable': 442520, 'disposable tissue': 246267, 'tissue wash': 899236, 'second with': 743872, 'water phishing': 969112, 'scam attack': 740064, 'attack stayprivate': 102156, 'stayprivate phishing': 798771, 'in mind with': 425350, 'mind with the': 532783, 'the coronavirus cough': 851822, 'coronavirus cough and': 205708, 'cough and sneeze': 208449, 'and sneeze into': 71824, 'sneeze into disposable': 776249, 'into disposable tissue': 442521, 'disposable tissue wash': 246268, 'tissue wash your': 899237, '20 second with': 13336, 'second with soap': 743873, 'soap and hot': 778914, 'and hot water': 64763, 'hot water phishing': 405068, 'water phishing attack': 969113, 'phishing attack and': 654799, 'attack and scam': 102081, 'and scam attack': 71026, 'scam attack stayprivate': 740065, 'attack stayprivate phishing': 102157, 'stayprivate phishing scam': 798772, 'orlando': 619624, 'whengovernorsfail': 984694, 'orlando mayor': 619630, 'mayor call': 521935, '100 shut': 2075, 'down starting': 257206, 'thursday for': 895370, 'million resident': 532337, 'out effort': 626004, 'only trip': 611386, 'essential work': 281803, 'permitted whengovernorsfail': 652191, 'orlando mayor call': 619631, 'mayor call for': 521936, 'call for 100': 155848, 'for 100 shut': 318631, '100 shut down': 2076, 'shut down starting': 767852, 'down starting thursday': 257207, 'starting thursday for': 795010, 'thursday for million': 895372, 'for million resident': 323438, 'million resident in': 532341, 'resident in all': 714313, 'in all out': 420176, 'all out effort': 43839, 'out effort to': 626005, 'effort to stop': 269649, 'stop the only': 805142, 'the only trip': 862354, 'only trip to': 611387, 'store pharmacy and': 809533, 'pharmacy and essential': 654210, 'and essential work': 62269, 'essential work are': 281804, 'work are permitted': 1004833, 'are permitted whengovernorsfail': 89068, 'socialdistancing at': 780230, 'grocery liquor': 364693, 'practice it': 668599, 'at voting': 101460, 'voting booth': 960598, 'booth sorry': 135126, 'sorry sad': 786075, 'sad democrat': 729164, 'we can practice': 970990, 'can practice socialdistancing': 159280, 'practice socialdistancing at': 668656, 'socialdistancing at grocery': 780231, 'at grocery liquor': 98814, 'grocery liquor store': 364694, 'liquor store we': 494219, 'can practice it': 159277, 'practice it at': 668600, 'it at voting': 456631, 'at voting booth': 101461, 'voting booth sorry': 960599, 'booth sorry sad': 135127, 'sorry sad democrat': 786076, 'commercial trade': 188747, 'trade break': 928423, 'break in': 138744, 'necessarily bad': 553916, 'long run': 501605, 'run we': 727859, 'at 36': 97626, '36 month': 18018, 'month forecast': 537733, 'forecast not': 328846, 'not 36': 567999, '36 day': 18003, 'day forecast': 227641, 'consumer and commercial': 196202, 'and commercial trade': 60141, 'commercial trade break': 188748, 'trade break in': 928424, 'break in response': 138749, 'response to is': 715858, 'is not necessarily': 450135, 'not necessarily bad': 570624, 'necessarily bad thing': 553917, 'bad thing for': 108041, 'thing for the': 884337, 'for the economy': 326404, 'the economy in': 853982, 'economy in the': 267971, 'the long run': 859683, 'long run we': 501612, 'run we need': 727860, 'need to look': 555988, 'to look at': 909433, 'look at 36': 502251, 'at 36 month': 97627, '36 month forecast': 18019, 'month forecast not': 537734, 'forecast not 36': 328847, 'not 36 day': 568000, '36 day forecast': 18004, 'what lie': 981814, 'lie all': 488330, 'empty of': 274976, 'car either': 163070, 'either bbc': 270258, 'news coronavirus': 560334, 'buying no': 150757, 'what lie all': 981816, 'lie all my': 488331, 'all my local': 43563, 'my local shop': 549140, 'local shop are': 498393, 'shop are empty': 759900, 'are empty of': 86160, 'empty of essential': 274979, 'item and cannot': 463051, 'and cannot get': 59513, 'cannot get delivery': 161882, 'any supermarket you': 79921, 'supermarket you do': 824191, 'have car either': 379894, 'car either bbc': 163071, 'either bbc news': 270259, 'bbc news coronavirus': 113089, 'news coronavirus panic': 560340, 'panic buying no': 637820, 'buying no risk': 150760, 'no risk to': 565377, 'to food supply': 906101, 'aweful': 106144, 'last paycheck': 480442, 'paycheck 20': 645268, '20 aweful': 12956, 'last paycheck 20': 480443, 'paycheck 20 aweful': 645269, 'weirdest': 977819, 'unpredictable': 943223, 'the weirdest': 871359, 'weirdest thing': 977826, 'this market': 888771, 'see bad': 744951, 'news all': 560210, 'internet covid': 441928, 'lockdown unemployment': 500093, 'rate rising': 697362, 'rising oil': 723247, 'price falling': 673804, 'falling etc': 297250, 'market seems': 517035, 'in completely': 421637, 'different and': 241890, 'and unpredictable': 74699, 'unpredictable direction': 943228, 'what the weirdest': 982374, 'the weirdest thing': 871363, 'weirdest thing about': 977827, 'about this market': 26646, 'this market you': 888773, 'you see bad': 1021025, 'see bad news': 744952, 'bad news all': 107949, 'news all over': 560211, 'over the internet': 630736, 'the internet covid': 858381, 'internet covid 19': 441929, '19 lockdown unemployment': 8435, 'lockdown unemployment rate': 500094, 'unemployment rate rising': 941277, 'rate rising oil': 697363, 'rising oil price': 723248, 'oil price falling': 597127, 'price falling etc': 673811, 'falling etc but': 297251, 'etc but the': 282450, 'but the market': 147360, 'the market seems': 860156, 'market seems to': 517036, 'seems to go': 746879, 'go in completely': 353704, 'in completely different': 421638, 'completely different and': 192255, 'different and unpredictable': 241892, 'and unpredictable direction': 74700, 'financialy': 306725, 'cellphone': 168974, 'financialy speaking': 306728, 'speaking what': 787778, 'what measure': 981863, 'being taken': 125896, 'taken regarding': 833056, 'regarding consumer': 707188, 'consumer bill': 196631, 'this economic': 887341, 'economic issue': 267156, 'issue due': 455724, 'virus what': 959027, 'it verizon': 462021, 'verizon cellphone': 954822, 'financialy speaking what': 306729, 'speaking what measure': 787779, 'what measure are': 981864, 'are being taken': 84932, 'being taken regarding': 125899, 'taken regarding consumer': 833057, 'regarding consumer bill': 707190, 'consumer bill during': 196632, 'bill during this': 130563, 'during this economic': 263279, 'this economic issue': 887343, 'economic issue due': 267157, 'issue due to': 455725, 'corona virus what': 204376, 'virus what if': 959028, 'we cannot afford': 971047, 'afford it verizon': 34722, 'it verizon cellphone': 462022, 'allan': 45623, 'gr': 361445, 'very just': 955285, 'this allan': 886276, 'allan spent': 45624, 'spent yesterday': 789182, 'yesterday socialdistancing': 1015861, 'the gr': 856682, 'very just saw': 955286, 'just saw this': 469694, 'saw this allan': 738288, 'this allan spent': 886277, 'allan spent yesterday': 45625, 'spent yesterday socialdistancing': 789183, 'yesterday socialdistancing at': 1015862, 'socialdistancing at the': 780233, 'at the gr': 100964, 'tent': 838007, 'of incident': 585059, 'incident across': 431409, 'the paramedic': 863271, 'paramedic amp': 641368, 'amp nurse': 54199, 'nurse coughed': 577250, 'coughed amp': 208593, 'amp spat': 54541, 'spat on': 787640, 'on doctor': 600368, 'doctor forced': 250919, 'out amp': 625624, 'amp told': 54726, 'buy tent': 149276, 'tent police': 838014, 'officer coughed': 595651, 'on viral': 605053, 'viral trend': 957631, 'good contaminated': 356915, 'snapshot of incident': 776159, 'of incident across': 585060, 'incident across the': 431410, 'across the paramedic': 29510, 'the paramedic amp': 863272, 'paramedic amp nurse': 641369, 'amp nurse coughed': 54201, 'nurse coughed amp': 577251, 'coughed amp spat': 208594, 'amp spat on': 54542, 'spat on doctor': 787641, 'on doctor forced': 600369, 'doctor forced out': 250920, 'forced out amp': 328590, 'out amp told': 625625, 'amp told to': 54727, 'told to buy': 923745, 'to buy tent': 902315, 'buy tent police': 149277, 'tent police officer': 838015, 'police officer coughed': 663117, 'officer coughed on': 595652, 'coughed on viral': 208636, 'on viral trend': 605054, 'viral trend see': 957632, 'trend see supermarket': 931439, 'see supermarket good': 745768, 'supermarket good contaminated': 820543, 'fifteenth': 304558, 'impressive': 419478, 'fifteenth day': 304559, 'of confinement': 581657, 'confinement due': 194066, 'this beautiful': 886510, 'beautiful day': 118675, 'this impressive': 888029, 'impressive sun': 419489, 'sun before': 818056, 'before returning': 123041, 'returning home': 720011, 'remember stayhomesavelives': 710263, 'fifteenth day of': 304560, 'day of confinement': 228062, 'of confinement due': 581658, 'confinement due to': 194067, 'to and today': 900531, 'and today went': 74229, 'today went out': 920501, 'and the pharmacy': 73514, 'pharmacy and wanted': 654228, 'wanted to share': 966271, 'to share with': 914373, 'share with everyone': 755352, 'with everyone this': 998295, 'everyone this beautiful': 287481, 'this beautiful day': 886511, 'beautiful day with': 118678, 'day with this': 228786, 'with this impressive': 1001703, 'this impressive sun': 888030, 'impressive sun before': 419490, 'sun before returning': 818057, 'before returning home': 123042, 'returning home and': 720012, 'home and remember': 400681, 'and remember stayhomesavelives': 70219, 'yogi': 1016516, 'adityanath': 32258, 'khadi': 473685, 'upgovernment': 947525, 'permission': 652133, 'yogi adityanath': 1016517, 'adityanath government': 32259, 'ha decided': 370317, 'make 66': 509637, '66 million': 21420, 'million triple': 532398, 'triple layer': 932254, 'layer mask': 482629, 'mask of': 519035, 'of khadi': 585621, 'khadi it': 473686, 'poor will': 664327, 'given free': 350997, 'free upgovernment': 332291, 'upgovernment yogi': 947526, 'yogi cm': 1016519, 'cm mask': 184620, 'mask lockdown': 518922, 'lockdown permission': 499792, 'permission stayhome': 652138, 'yogi adityanath government': 1016518, 'adityanath government ha': 32260, 'government ha decided': 360144, 'ha decided that': 370318, 'decided that it': 230889, 'it will make': 462411, 'will make 66': 994072, 'make 66 million': 509638, '66 million triple': 21421, 'million triple layer': 532399, 'triple layer mask': 932255, 'layer mask of': 482630, 'mask of khadi': 519037, 'of khadi it': 585622, 'khadi it will': 473687, 'be available at': 113752, 'cheap price at': 174173, 'time the poor': 897867, 'the poor will': 863999, 'poor will be': 664328, 'will be given': 992476, 'be given free': 115025, 'given free upgovernment': 350999, 'free upgovernment yogi': 332292, 'upgovernment yogi cm': 947527, 'yogi cm mask': 1016520, 'cm mask lockdown': 184621, 'mask lockdown permission': 518924, 'lockdown permission stayhome': 499793, 'permission stayhome staysafe': 652139, 'calagione': 155277, 'there very': 879215, 'very specific': 955578, 'specific kind': 788224, 'alcohol that': 41134, 'that pretty': 845816, 'much everybody': 544862, 'everybody need': 286468, 'need say': 555541, 'say sam': 739112, 'sam calagione': 732910, 'calagione founder': 155278, 'of so': 589804, 'of crisis we': 582194, 'come to see': 187596, 'to see that': 914080, 'see that there': 745801, 'that there very': 846905, 'there very specific': 879217, 'very specific kind': 955580, 'specific kind of': 788225, 'kind of alcohol': 474872, 'of alcohol that': 579900, 'alcohol that pretty': 41135, 'that pretty much': 845817, 'pretty much everybody': 671447, 'much everybody need': 544863, 'everybody need say': 286469, 'need say sam': 555542, 'say sam calagione': 739113, 'sam calagione founder': 732911, 'calagione founder of': 155279, 'founder of so': 330558, 'of so they': 589814, 'so they started': 778482, 'they started making': 883444, 'started making hand': 794777, 'unilever': 941784, 'hindustan unilever': 396874, 'unilever to': 941797, 'product pledge': 681532, 'pledge 100': 660836, 'hindustan unilever to': 396880, 'unilever to slash': 941799, 'hygiene product pledge': 412160, 'product pledge 100': 681533, 'pledge 100 crore': 660838, 'crore to fight': 218972, 'food expert': 314432, 'expert and': 291773, 'and economist': 61918, 'economist about': 267515, 'about canada': 24924, 'seeing empty': 746282, 'purchasing they': 689935, 'say canada': 738487, 'canada ha': 160453, 'ha robust': 371771, 'robust food': 724843, 'these shortage': 880688, 'only temporary': 611247, 'spoke to of': 789732, 'to of food': 910812, 'of food expert': 583691, 'food expert and': 314433, 'expert and economist': 291775, 'and economist about': 61919, 'economist about canada': 267516, 'about canada food': 24925, 're seeing empty': 699454, 'seeing empty shelf': 746285, 'empty shelf and': 275047, 'and panic purchasing': 68662, 'panic purchasing they': 638455, 'purchasing they say': 689936, 'they say canada': 883262, 'say canada ha': 738488, 'canada ha robust': 160455, 'ha robust food': 371772, 'robust food supply': 724844, 'chain and these': 170479, 'and these shortage': 73884, 'these shortage are': 880689, 'shortage are only': 764837, 'are only temporary': 88776, 'rodahidup': 724999, 'benjamin': 127232, 'soh': 781560, 'government say': 360563, 'say delivery': 738553, 'of non': 587052, 'essential count': 280946, 'count essential': 210119, 'service rodahidup': 752776, 'rodahidup benjamin': 725000, 'benjamin aruna': 127233, 'aruna soh': 94681, 'government say delivery': 360564, 'say delivery of': 738555, 'delivery of online': 234232, 'of online purchase': 587259, 'online purchase of': 608827, 'purchase of non': 689584, 'of non food': 587055, 'non food essential': 566390, 'food essential count': 314378, 'essential count essential': 280947, 'count essential service': 210120, 'essential service rodahidup': 281522, 'service rodahidup benjamin': 752777, 'rodahidup benjamin aruna': 725001, 'benjamin aruna soh': 127234, 'stop fucking': 804673, 'fucking panic': 339967, 'food idiot': 314882, 'stop fucking panic': 804675, 'fucking panic buying': 339969, 'buying food idiot': 150315, 'ofcourse': 593581, 'soar under': 779280, 'threat in': 893667, 'in ofcourse': 426059, 'ofcourse don': 593582, 'what choice': 981212, 'choice do': 177752, 'have everyone': 380498, 'there le': 878696, 'le available': 482855, 'market soon': 517082, 'soon only': 785782, 'only wealthy': 611452, 'wealthy people': 974216, 'people might': 648767, 'food price soar': 315975, 'price soar under': 676532, 'soar under threat': 779281, 'under threat in': 940364, 'threat in ofcourse': 893670, 'in ofcourse don': 426060, 'ofcourse don want': 593583, 'want to increase': 966055, 'increase price but': 432998, 'price but what': 672992, 'but what choice': 147783, 'what choice do': 981213, 'choice do have': 177754, 'do have everyone': 249369, 'have everyone need': 380499, 'everyone need food': 287203, 'need food but': 554791, 'food but there': 313835, 'but there le': 147466, 'there le available': 878697, 'le available in': 482856, 'the market soon': 860160, 'market soon only': 517083, 'soon only wealthy': 785783, 'only wealthy people': 611453, 'wealthy people might': 974218, 'people might be': 648769, 'might be able': 530879, 'able to eat': 24476, 'drvd': 261231, 'waitr': 964429, 'aprn': 83736, 'whtr': 990710, 'cgc': 170376, 'pennystocks': 646640, 'drvd awesome': 261234, 'awesome news': 106186, 'news here': 560508, 'here mainstream': 393325, 'mainstream food': 508908, 'such waitr': 816855, 'waitr and': 964430, 'and blue': 59031, 'blue apron': 133433, 'apron have': 83746, 'reported major': 712499, 'major increase': 509362, 'demand driven': 235255, 'driven consumer': 259294, 'consumer facing': 197431, 'facing brand': 295408, 'all seen': 44267, 'seen week': 747350, 'week growth': 976292, 'growth of': 367428, '100 aprn': 1838, 'aprn whtr': 83739, 'whtr cgc': 990711, 'cgc stockmarket': 170377, 'stockmarket pennystocks': 803665, 'drvd awesome news': 261235, 'awesome news here': 106187, 'news here mainstream': 560509, 'here mainstream food': 393326, 'mainstream food delivery': 508909, 'delivery company such': 233816, 'company such waitr': 191130, 'such waitr and': 816856, 'waitr and blue': 964431, 'and blue apron': 59032, 'blue apron have': 133434, 'apron have reported': 83747, 'have reported major': 382269, 'reported major increase': 712500, 'major increase in': 509363, 'in demand driven': 422119, 'demand driven consumer': 235257, 'driven consumer facing': 259295, 'consumer facing brand': 197434, 'facing brand have': 295409, 'brand have all': 137850, 'have all seen': 379166, 'all seen week': 44270, 'seen week over': 747351, 'week over week': 976718, 'over week growth': 630912, 'week growth of': 976293, 'growth of over': 367434, 'of over 100': 587616, 'over 100 aprn': 629764, '100 aprn whtr': 1839, 'aprn whtr cgc': 83740, 'whtr cgc stockmarket': 990712, 'cgc stockmarket pennystocks': 170378, 'home movement': 401631, 'movement quarantining': 543919, 'quarantining retail': 693087, 'public gathering': 688027, 'gathering are': 344435, 'increasing our': 433649, 'our dependence': 622738, 'digital capability': 242519, 'from home movement': 335882, 'home movement quarantining': 401632, 'movement quarantining retail': 543920, 'quarantining retail store': 693088, 'closure and limit': 183839, 'and limit on': 66173, 'limit on public': 492422, 'on public gathering': 602998, 'public gathering are': 688029, 'gathering are increasing': 344437, 'are increasing our': 87488, 'increasing our dependence': 433650, 'our dependence on': 622739, 'dependence on digital': 237343, 'on digital capability': 600322, 'hyderabad ikea': 411925, 'ikea store': 416054, '19 hyderabad ikea': 7638, 'hyderabad ikea store': 411926, 'ikea store closed': 416055, 'store closed online': 807066, 'shopping to continue': 764170, 'urge everyone': 948177, 'buying all': 149875, 'food vegetable': 317419, 'fruit shop': 339145, 'shop pharmacy': 760662, 'pharmacy atm': 654244, 'atm petrol': 101948, 'petrol bank': 653714, 'bank etc': 109807, 'etc will': 282889, 'open please': 612449, 'please educate': 659948, 'educate everyone': 268753, 'everyone around': 286708, 'you indiafightscorona': 1019332, 'urge everyone to': 948180, 'everyone to stop': 287506, 'panic buying all': 637637, 'buying all essential': 149876, 'all essential like': 42700, 'essential like food': 281283, 'like food vegetable': 490265, 'food vegetable and': 317420, 'and fruit shop': 63377, 'fruit shop pharmacy': 339147, 'shop pharmacy atm': 760663, 'pharmacy atm petrol': 654245, 'atm petrol bank': 101949, 'petrol bank etc': 653715, 'bank etc will': 109809, 'etc will remain': 282894, 'remain open please': 709817, 'open please educate': 612450, 'please educate everyone': 659949, 'educate everyone around': 268754, 'everyone around you': 286709, 'around you indiafightscorona': 93663, 'trampoline': 929403, 'schoolclosuresuk': 742012, 'everyone been': 286734, 'buying bread': 150043, 'bread and': 138390, 'etc my': 282663, 'aunty panic': 103016, 'new trampoline': 559783, 'trampoline for': 929406, 'them entertained': 875655, 'entertained schoolclosuresuk': 278534, 'everyone been panic': 286735, 'panic buying bread': 637659, 'buying bread and': 150044, 'bread and food': 138398, 'and food etc': 63044, 'food etc my': 314401, 'etc my aunty': 282664, 'my aunty panic': 547358, 'aunty panic buy': 103017, 'buy new trampoline': 148995, 'new trampoline for': 559784, 'trampoline for the': 929407, 'for the kid': 326516, 'kid to keep': 474138, 'keep them entertained': 472107, 'them entertained schoolclosuresuk': 875656, 'ceased': 168714, 'boat': 133715, 'parent are': 641578, 'in family': 422787, 'work ha': 1005226, 'ha ceased': 370106, 'ceased to': 168717, 'be priority': 116540, 'priority travel': 678683, 'and leisure': 66091, 'leisure too': 486147, 'word solidarity': 1004577, 'solidarity we': 781945, 'we realize': 973014, 'same boat': 732981, 'boat rich': 133728, 'or poor': 616636, 'poor that': 664301, 'everyone coronacrisis': 286796, 'parent are with': 641587, 'are with their': 91654, 'with their child': 1001561, 'their child in': 872771, 'child in family': 176115, 'in family work': 422788, 'family work ha': 298399, 'work ha ceased': 1005228, 'ha ceased to': 370107, 'ceased to be': 168718, 'to be priority': 901455, 'be priority travel': 116541, 'priority travel and': 678684, 'travel and leisure': 930254, 'and leisure too': 66094, 'leisure too we': 486148, 'too we understand': 925157, 'value of the': 952170, 'of the word': 591625, 'the word solidarity': 871718, 'word solidarity we': 1004578, 'solidarity we realize': 781946, 'we realize that': 973015, 'realize that we': 701863, 'all in the': 43206, 'the same boat': 866201, 'same boat rich': 732984, 'boat rich or': 133729, 'rich or poor': 721243, 'or poor that': 616638, 'poor that the': 664302, 'that the supermarket': 846846, 'are empty for': 86149, 'empty for everyone': 274881, 'for everyone coronacrisis': 321203, 've notice': 953403, 'notice very': 573389, 'very steep': 955581, 'steep price': 799394, 'mask also': 518289, 'also suddenly': 48928, 'suddenly so': 817137, 'many new': 514338, 'new manufacturer': 559082, 'manufacturer popping': 513504, 'up let': 945301, 'these thug': 880833, 've notice very': 953404, 'notice very steep': 573390, 'very steep price': 955583, 'steep price on': 799395, 'price on hand': 675681, 'on hand sanitizers': 601235, 'and mask also': 66741, 'mask also suddenly': 518291, 'also suddenly so': 48929, 'suddenly so many': 817138, 'so many new': 777679, 'many new manufacturer': 514340, 'new manufacturer popping': 559083, 'manufacturer popping up': 513505, 'popping up let': 664522, 'up let all': 945302, 'all be careful': 42126, 'careful of these': 164417, 'of these thug': 591866, 'alot': 47121, 'dear doctor': 229774, 'doctor alot': 250802, 'alot of': 47128, 'of club': 581481, 'club and': 184401, 'hotel are': 405112, 'with over': 1000038, 'over 50': 629853, '50 crowded': 19661, 'crowded ignorant': 219318, 'ignorant nigerian': 415787, 'nigerian they': 562887, 'taking the': 833584, 'pandemic situation': 636474, 'situation seriously': 772474, 'seriously price': 751701, 'are be': 84794, 'dear doctor alot': 229775, 'doctor alot of': 250803, 'alot of club': 47129, 'of club and': 581482, 'club and hotel': 184403, 'and hotel are': 64765, 'hotel are open': 405113, 'are open with': 88810, 'open with over': 612681, 'with over 50': 1000039, 'over 50 crowded': 629856, '50 crowded ignorant': 19662, 'crowded ignorant nigerian': 219319, 'ignorant nigerian they': 415788, 'nigerian they are': 562888, 'not taking the': 571932, 'taking the covid': 833586, '19 pandemic situation': 9470, 'pandemic situation seriously': 636478, 'situation seriously price': 772476, 'seriously price of': 751702, 'sanitizers are be': 736212, 'wife and': 991888, 'are current': 85651, 'current betting': 221107, 'betting on': 128639, 'my wife and': 550582, 'wife and are': 991889, 'and are current': 58304, 'are current betting': 85652, 'current betting on': 221108, 'betting on supermarket': 128641, 'on supermarket sweep': 603810, 'eerily': 268945, 'bio': 131126, 'videoftheday': 956992, 'picoftheday': 656087, 'pasadena': 643179, 'scary toilet': 741212, 'paper lane': 640403, 'lane it': 479460, 'and eerily': 61946, 'eerily quite': 268950, 'quite check': 694835, 'video out': 956859, 'out guy': 626248, 'guy the': 369175, 'my bio': 547453, 'bio toiletpaper': 131169, 'toiletpaper shopping': 922459, 'shopping youtube': 764494, 'youtube youtuber': 1026929, 'youtuber videoftheday': 1026934, 'videoftheday picoftheday': 956993, 'picoftheday pasadena': 656090, 'pasadena corona': 643180, 'scary toilet paper': 741213, 'toilet paper lane': 921333, 'paper lane it': 640404, 'lane it so': 479461, 'it so empty': 461107, 'so empty and': 776950, 'empty and eerily': 274766, 'and eerily quite': 61947, 'eerily quite check': 268951, 'quite check the': 694836, 'check the video': 174660, 'the video out': 870751, 'video out guy': 956860, 'out guy the': 626249, 'guy the link': 369176, 'the link is': 859442, 'link is in': 493866, 'is in my': 448788, 'in my bio': 425542, 'my bio toiletpaper': 547456, 'bio toiletpaper shopping': 131170, 'toiletpaper shopping youtube': 922462, 'shopping youtube youtuber': 764495, 'youtube youtuber videoftheday': 1026930, 'youtuber videoftheday picoftheday': 1026935, 'videoftheday picoftheday pasadena': 956994, 'picoftheday pasadena corona': 656091, 'miserable': 533980, 'soo who': 785602, 'who working': 990054, 'digital queueing': 242632, 'queueing solution': 694182, 'supermarket entry': 820182, 'entry this': 279023, 'this ll': 888675, 'be miserable': 115945, 'miserable in': 533985, 'in wet': 430823, 'wet weather': 980755, 'weather get': 974871, 'car when': 163343, 'example lockdown': 288916, 'soo who working': 785603, 'who working on': 990055, 'working on digital': 1008803, 'on digital queueing': 600327, 'digital queueing solution': 242633, 'queueing solution for': 694183, 'solution for supermarket': 782032, 'for supermarket entry': 326009, 'supermarket entry this': 820185, 'entry this ll': 279024, 'this ll be': 888676, 'll be miserable': 496601, 'be miserable in': 115946, 'miserable in wet': 533986, 'in wet weather': 430824, 'wet weather get': 980756, 'weather get out': 974872, 'of your car': 593449, 'your car when': 1023143, 'car when it': 163344, 'when it your': 983658, 'it your turn': 462666, 'your turn for': 1026228, 'turn for example': 935669, 'for example lockdown': 321285, 'scientist and': 742193, 'and researcher': 70296, 'researcher battle': 713900, 'understand more': 940682, 'becoming an': 120271, 'important tool': 419084, 'for understanding': 327422, 'question for': 693584, 'for researcher': 325143, 'researcher then': 713933, 'then becomes': 877021, 'becomes where': 120268, 'this data': 887159, 'scientist and researcher': 742196, 'and researcher battle': 70298, 'researcher battle to': 713901, 'battle to understand': 112837, 'to understand more': 917907, 'understand more about': 940683, 'more about covid': 538502, 'data is becoming': 226284, 'is becoming an': 446028, 'becoming an even': 120272, 'even more important': 284363, 'more important tool': 539497, 'important tool for': 419085, 'tool for understanding': 925414, 'for understanding the': 327425, 'understanding the spread': 940894, 'pandemic the question': 636695, 'the question for': 865014, 'question for researcher': 693590, 'for researcher then': 325144, 'researcher then becomes': 713934, 'then becomes where': 877022, 'becomes where they': 120269, 'where they can': 985274, 'they can find': 881631, 'find this data': 307330, 'day if': 227777, 'can possibly': 159268, 'possibly avoid': 665895, 'avoid it': 105166, 'afford 14': 34666, 'day shop': 228347, 'shop do': 760098, 'do 14': 249015, 'shop then': 760909, 'then stay': 877567, 'for 14': 318658, 'need exercise': 554748, 'exercise there': 290106, 'of youtube': 593559, 'youtube video': 1026923, 'video workout': 956971, 'don go to': 253574, 'every day if': 285819, 'day if you': 227783, 'you can possibly': 1017750, 'can possibly avoid': 159269, 'possibly avoid it': 665896, 'avoid it if': 105168, 'can afford 14': 157394, 'afford 14 day': 34667, '14 day shop': 3458, 'day shop do': 228348, 'shop do 14': 760099, 'do 14 day': 249016, 'day shop then': 228350, 'shop then stay': 760912, 'then stay home': 877569, 'stay home for': 796965, 'home for 14': 401217, 'for 14 day': 318659, '14 day if': 3449, 'you need exercise': 1019988, 'need exercise there': 554749, 'exercise there are': 290107, 'lot of youtube': 504330, 'of youtube video': 593560, 'youtube video workout': 1026927, 'clare': 180049, 'connors': 194746, 'levins': 487814, '587': 20553, '4272': 18944, 'hawaii attorney': 384444, 'general clare': 345293, 'clare connors': 180050, 'connors and': 194747, 'and hawaii': 64303, 'hawaii office': 384454, 'protection executive': 685427, 'director stephen': 243668, 'stephen levins': 799737, 'levins are': 487815, 'urging the': 948451, 'the hawaii': 857153, 'hawaii public': 384458, 'to beware': 901796, 'ongoing covid': 607612, 'pandemic call': 635082, 'call 587': 155708, '587 4272': 20554, '4272 or': 18945, 'hawaii attorney general': 384445, 'attorney general clare': 102627, 'general clare connors': 345294, 'clare connors and': 180051, 'connors and hawaii': 194748, 'and hawaii office': 64304, 'hawaii office of': 384455, 'consumer protection executive': 198527, 'protection executive director': 685428, 'executive director stephen': 289887, 'director stephen levins': 243669, 'stephen levins are': 799738, 'levins are urging': 487816, 'are urging the': 91395, 'urging the hawaii': 948454, 'the hawaii public': 857154, 'hawaii public to': 384459, 'public to beware': 688373, 'to beware of': 901798, 'beware of and': 129074, 'of and report': 580177, 'report scam and': 712232, 'the ongoing covid': 862241, 'ongoing covid 19': 607613, '19 pandemic call': 9282, 'pandemic call 587': 635083, 'call 587 4272': 155709, '587 4272 or': 20555, 'to canceled': 902434, 'canceled blood': 160923, 'drive due': 259042, 'donating blood': 254440, 'blood when': 133149, 'due to canceled': 261721, 'to canceled blood': 902435, 'canceled blood drive': 160924, 'blood drive due': 133106, 'drive due to': 259043, 'to consider donating': 903223, 'consider donating blood': 194982, 'donating blood when': 254441, 'blood when you': 133150, 'scan': 740695, 'telier': 836888, 'stopscango': 805851, 'helpneedy': 391609, 'limitbuying': 492590, '2020rationing': 14752, 'beki': 126087, 'all please': 43976, 'the scan': 866429, 'scan and': 740696, 'go choice': 353412, 'choice making': 177791, 'the telier': 869270, 'telier the': 836889, 'only choice': 610244, 'choice will': 177830, 'limit buying': 492303, 'buying help': 150478, 'the needy': 861408, 'needy stopscango': 556707, 'stopscango stoppanicbuying': 805852, 'stoppanicbuying helpneedy': 805568, 'helpneedy limitbuying': 391610, 'limitbuying 2020rationing': 492591, '2020rationing beki': 14753, 'can you all': 160273, 'you all please': 1016899, 'all please stop': 43979, 'please stop the': 660592, 'stop the scan': 805151, 'the scan and': 866430, 'scan and go': 740697, 'and go choice': 63770, 'go choice making': 353413, 'choice making the': 177792, 'making the telier': 511433, 'the telier the': 869271, 'telier the only': 836890, 'the only choice': 862293, 'only choice will': 610246, 'choice will help': 177831, 'help with the': 390932, 'with the limit': 1001369, 'the limit buying': 859382, 'limit buying help': 492304, 'buying help the': 150479, 'help the needy': 390669, 'the needy stopscango': 861414, 'needy stopscango stoppanicbuying': 556708, 'stopscango stoppanicbuying helpneedy': 805853, 'stoppanicbuying helpneedy limitbuying': 805569, 'helpneedy limitbuying 2020rationing': 391611, 'limitbuying 2020rationing beki': 492592, 'domestica': 253247, 'malta': 511883, 'homefurnishings': 402700, 'bespokefurniture': 127554, 'bespoke': 127549, 'freedelivery': 332357, 'turn your': 935816, 'home into': 401444, 'into haven': 442616, 'haven domestica': 383790, 'domestica malta': 253248, 'malta home': 511884, 'home homefurnishings': 401371, 'homefurnishings sofa': 402701, 'sofa bespokefurniture': 781440, 'bespokefurniture bespoke': 127555, 'bespoke kitchen': 127550, 'kitchen online': 475732, 'online onlineshopping': 608622, 'onlineshopping offer': 609918, 'offer freedelivery': 594631, 'freedelivery shopping': 332360, 'how to turn': 409103, 'to turn your': 917853, 'turn your home': 935817, 'your home into': 1024359, 'home into haven': 401445, 'into haven domestica': 442617, 'haven domestica malta': 383791, 'domestica malta home': 253249, 'malta home homefurnishings': 511885, 'home homefurnishings sofa': 401372, 'homefurnishings sofa bespokefurniture': 402702, 'sofa bespokefurniture bespoke': 781441, 'bespokefurniture bespoke kitchen': 127556, 'bespoke kitchen online': 127551, 'kitchen online onlineshopping': 475733, 'online onlineshopping offer': 608623, 'onlineshopping offer freedelivery': 609919, 'offer freedelivery shopping': 594632, 'unfortunately there': 941652, 'been or': 121606, 'be scammed': 117011, 'scammed especially': 740510, 'especially our': 280572, 'unfortunately there are': 941653, 'are people that': 89055, 'people that have': 649767, 'have been or': 379625, 'been or will': 121608, 'or will be': 617804, 'will be scammed': 992663, 'be scammed especially': 117012, 'scammed especially our': 740511, 'especially our senior': 280574, 'our senior citizen': 624714, 'wrestling': 1012746, 'what bullshit': 981145, 'bullshit coronavirus': 142480, 'or whatever': 617773, 'whatever you': 982815, 'you call': 1017601, 'it caused': 457079, 'caused worldwide': 167979, 'worldwide shutdown': 1010423, 'shutdown no': 768061, 'and wrestling': 75940, 'wrestling with': 1012749, 'crowd shut': 219245, 'life make': 488861, 'no plan': 565119, 'plan stay': 658227, 'inside wash': 439444, 'know what bullshit': 476942, 'what bullshit coronavirus': 981146, 'bullshit coronavirus covid': 142481, '19 or whatever': 9033, 'or whatever you': 617774, 'whatever you call': 982816, 'you call it': 1017604, 'call it it': 155956, 'it it caused': 459168, 'it caused worldwide': 457080, 'caused worldwide shutdown': 167980, 'worldwide shutdown no': 1010424, 'shutdown no food': 768062, 'no food or': 564266, 'because of people': 119390, 'buying and wrestling': 149946, 'and wrestling with': 75942, 'wrestling with no': 1012750, 'with no crowd': 999744, 'no crowd shut': 563936, 'crowd shut down': 219246, 'shut down your': 767869, 'down your life': 257531, 'your life make': 1024640, 'life make no': 488862, 'make no plan': 510245, 'no plan stay': 565122, 'plan stay inside': 658229, 'stay inside wash': 797106, 'inside wash your': 439445, 'crzy': 220016, 'unproven': 943262, 'ven': 954322, 'crzy pushing': 220017, 'pushing bogus': 690396, 'bogus unproven': 134038, 'unproven drug': 943267, 'drug from': 260958, 'company he': 190744, 'he and': 384742, 'his kid': 397560, 'kid own': 474074, 'own share': 632202, 'say will': 739493, 'will cure': 993080, 'governor of': 360952, 'of florida': 583589, 'florida just': 310958, 'just bought': 468347, 'bought million': 136636, 'dos he': 255921, 'selling supply': 749463, 'supply mask': 825540, 'and ven': 74908, 'crzy pushing bogus': 220018, 'pushing bogus unproven': 690397, 'bogus unproven drug': 134039, 'unproven drug from': 943268, 'drug from the': 260959, 'from the drug': 337674, 'the drug company': 853733, 'drug company he': 260919, 'company he and': 190745, 'he and his': 384743, 'and his kid': 64603, 'his kid own': 397561, 'kid own share': 474075, 'own share in': 632203, 'share in that': 755059, 'in that he': 428921, 'that he say': 844268, 'he say will': 385403, 'say will cure': 739494, 'will cure covid': 993081, '19 the governor': 11200, 'the governor of': 856643, 'governor of florida': 360953, 'of florida just': 583591, 'florida just bought': 310959, 'just bought million': 468353, 'bought million dos': 136638, 'million dos he': 532137, 'dos he is': 255922, 'he is selling': 385145, 'is selling supply': 451765, 'selling supply mask': 749464, 'supply mask and': 825541, 'mask and ven': 518386, 'unsaleable': 943405, 'admin': 32407, 'pandemic impacted': 635689, 'impacted food': 418113, 'waste management': 968145, 'management in': 512581, 'business maybe': 144038, 'maybe you': 521890, 'have unsaleable': 383464, 'unsaleable product': 943406, 'product ingredient': 681315, 'ingredient or': 438388, 'increased production': 433428, 'production demand': 682011, 'demand if': 235659, 'if so': 414821, 'so get': 777157, 'touch we': 926572, 'can admin': 157382, 'admin co': 32414, 'ha the covid': 372193, '19 pandemic impacted': 9359, 'pandemic impacted food': 635690, 'impacted food waste': 418114, 'food waste management': 317483, 'waste management in': 968147, 'management in your': 512583, 'in your business': 431062, 'your business maybe': 1023068, 'business maybe you': 144039, 'maybe you have': 521895, 'you have unsaleable': 1019136, 'have unsaleable product': 383465, 'unsaleable product ingredient': 943407, 'product ingredient or': 681316, 'ingredient or are': 438389, 'or are experiencing': 614407, 'are experiencing increased': 86345, 'experiencing increased production': 291671, 'increased production demand': 433430, 'production demand if': 682013, 'demand if so': 235662, 'if so get': 414824, 'so get in': 777159, 'in touch we': 430234, 'touch we want': 926573, 'want to support': 966137, 'to support in': 915938, 'support in any': 826583, 'we can admin': 970901, 'can admin co': 157383, 'admin co uk': 32415, 'secondly': 743901, 'secondly there': 743902, 'there thing': 879163, 'stock when': 803180, 'there literally': 878713, 'literally ton': 495101, 'ton in': 924258, 'world you': 1010213, 'need ton': 556131, 'paper nor': 640507, 'nor do': 566943, 'need load': 555169, 'big family': 129776, 'but get': 145789, 'get without': 348636, 'without covid': 1002567, 'secondly there thing': 743903, 'there thing going': 879164, 'thing going out': 884368, 'of stock when': 590211, 'stock when there': 803182, 'when there literally': 984228, 'there literally ton': 878714, 'literally ton in': 495102, 'ton in the': 924259, 'the world you': 872014, 'world you don': 1010215, 'don need ton': 253775, 'need ton of': 556132, 'toilet paper nor': 921369, 'paper nor do': 640508, 'nor do you': 566944, 'you need load': 1020010, 'need load of': 555170, 'sanitizer and food': 734405, 'and food get': 63053, 'food get people': 314651, 'get people may': 347804, 'people may have': 648757, 'may have big': 521231, 'have big family': 379786, 'big family but': 129777, 'family but get': 297673, 'but get what': 145791, 'what you would': 982703, 'you would get': 1022449, 'would get without': 1011835, 'get without covid': 348637, 'without covid 19': 1002568, 'headquarters': 386027, 'will socialdistancing': 994882, 'socialdistancing accelerate': 780188, 'trend toward': 931481, 'home headquarters': 401348, 'headquarters by': 386028, 'will socialdistancing accelerate': 994883, 'socialdistancing accelerate trend': 780189, 'accelerate trend toward': 27871, 'trend toward home': 931482, 'toward home headquarters': 927129, 'home headquarters by': 401349, 'obnoxious': 578498, 'store your': 811700, 'talk back': 833780, 'customer that': 222913, 'that act': 842488, 'rude obnoxious': 727047, 'obnoxious ungrateful': 578505, 'you re working': 1020798, 're working at': 699824, 'for all that': 319174, 'all that you': 44651, 'grocery store your': 365982, 'store your employee': 811701, 'your employee deserve': 1023655, 'right to talk': 722356, 'to talk back': 916282, 'talk back and': 833781, 'back and or': 106860, 'any customer that': 79092, 'customer that act': 222914, 'that act like': 842489, 'like rude obnoxious': 491108, 'rude obnoxious ungrateful': 727048, 'obnoxious ungrateful piece': 578506, 'you justify': 1019437, 'justify your': 470467, 'for calpol': 319890, 'calpol why': 156918, 'big price': 129931, 'increase talk': 433092, 'about caring': 24932, 'can you justify': 160313, 'you justify your': 1019438, 'justify your price': 470468, 'your price for': 1025401, 'price for calpol': 673934, 'for calpol why': 319892, 'calpol why such': 156919, 'why such big': 991387, 'such big price': 816372, 'big price increase': 129933, 'price increase talk': 674789, 'increase talk about': 433093, 'talk about caring': 833729, 'about caring for': 24933, 'caring for the': 164718, 'for the local': 326536, 'severely': 754072, 'ha severely': 371879, 'severely impacted': 754091, 'impacted sale': 418149, 'of petrol': 588075, 'the three week': 869520, 'three week lockdown': 894108, 'week lockdown in': 976494, 'in india ha': 424038, 'india ha severely': 434446, 'ha severely impacted': 371881, 'severely impacted sale': 754094, 'impacted sale of': 418150, 'sale of petrol': 732405, 'of petrol and': 588076, 'unionize': 941955, 'cleaning food': 180947, 'food driving': 314295, 'driving and': 259895, 'and logistics': 66333, 'logistics people': 500778, 'time unionize': 898165, 'unionize and': 941956, 'demand this': 236380, 'economic system': 267332, 'system give': 831185, 'all decent': 42540, 'decent living': 230786, 'you child': 1017946, 'child do': 176059, 'ceo will': 169887, 'will toss': 995215, 'toss you': 926096, 'extra dime': 293499, 'dime when': 242920, 'over unionize': 630873, 'essential worker cleaning': 281823, 'worker cleaning food': 1006658, 'cleaning food driving': 180948, 'food driving and': 314296, 'driving and logistics': 259896, 'and logistics people': 66339, 'logistics people now': 500779, 'people now is': 648892, 'the time unionize': 869628, 'time unionize and': 898166, 'unionize and demand': 941957, 'and demand this': 61175, 'demand this economic': 236382, 'this economic system': 887345, 'economic system give': 267333, 'system give you': 831186, 'give you all': 350848, 'you all decent': 1016870, 'all decent living': 42541, 'decent living wage': 230788, 'living wage and': 496476, 'wage and future': 963808, 'and future for': 63448, 'future for you': 342328, 'for you child': 328046, 'you child do': 1017947, 'child do not': 176060, 'not think the': 572088, 'think the ceo': 885625, 'the ceo will': 850619, 'ceo will toss': 169889, 'will toss you': 995216, 'toss you an': 926097, 'an extra dime': 56011, 'extra dime when': 293500, 'dime when this': 242921, 'is over unionize': 450741, 'supreme': 827428, 'optical': 613873, 'the supreme': 868989, 'supreme committee': 827429, 'committee for': 189065, '19 closing': 5853, 'in commercial': 421599, 'complex except': 192401, 'consumer catering': 196745, 'catering store': 167271, 'store clinic': 807044, 'clinic pharmacy': 182311, 'and optical': 68199, 'optical store': 613882, 'the supreme committee': 868990, 'supreme committee for': 827430, 'committee for dealing': 189066, 'covid 19 closing': 212814, '19 closing all': 5854, 'store in commercial': 808290, 'in commercial complex': 421602, 'commercial complex except': 188683, 'complex except for': 192402, 'except for food': 289159, 'food and consumer': 313199, 'and consumer catering': 60359, 'consumer catering store': 196747, 'catering store clinic': 167272, 'store clinic pharmacy': 807045, 'clinic pharmacy and': 182312, 'pharmacy and optical': 654219, 'and optical store': 68201, 'ableism': 24585, 'visibly': 959140, 'stopablelism': 805304, 'supermarket listening': 821343, 'listening this': 494802, 'of ableism': 579703, 'ableism is': 24587, 'unacceptable in': 939359, 'not up': 572349, 'to decide': 903998, 'decide that': 230839, 'that visibly': 847256, 'visibly disabled': 959142, 'need stopablelism': 555652, 'other supermarket listening': 621021, 'supermarket listening this': 821345, 'listening this level': 494803, 'this level of': 888619, 'level of ableism': 487625, 'of ableism is': 579704, 'ableism is unacceptable': 24588, 'is unacceptable in': 453423, 'unacceptable in time': 939360, 'of need it': 586909, 'need it not': 555097, 'it not up': 459932, 'not up to': 572350, 'up to staff': 946429, 'to staff to': 915142, 'staff to decide': 792986, 'to decide that': 903999, 'decide that visibly': 230840, 'that visibly disabled': 847257, 'visibly disabled people': 959143, 'disabled people are': 243937, 'more in need': 539520, 'in need stopablelism': 425767, 'jamaica': 464369, 'service have': 752446, 'growing but': 367129, 'the growth': 856884, 'growth will': 367483, 'increase more': 432916, 'more after': 538568, 'in jamaica': 424346, 'jamaica will': 464378, 'become bigger': 119934, 'bigger business': 130147, 'people reducing': 649258, 'reducing face': 706284, 'face interaction': 294475, 'and grocery delivery': 63981, 'delivery service have': 234440, 'service have been': 752448, 'have been growing': 379563, 'been growing but': 121240, 'growing but the': 367130, 'but the growth': 147342, 'the growth will': 856886, 'growth will increase': 367485, 'will increase more': 993818, 'increase more after': 432917, 'more after covid': 538569, 'shopping in jamaica': 762974, 'in jamaica will': 424347, 'jamaica will become': 464379, 'will become bigger': 992792, 'become bigger business': 119935, 'bigger business with': 130148, 'business with people': 144703, 'with people reducing': 1000162, 'people reducing face': 649259, 'reducing face to': 706285, 'to face interaction': 905566, 'face interaction in': 294476, 'interaction in large': 441248, 'announce that': 76875, 'all hourly': 43155, 'hourly store': 406139, 'store manufacturing': 808900, 'manufacturing warehouse': 513685, 'and transportation': 74385, 'transportation partner': 930021, 'partner will': 642899, 'receive hour': 703496, 'hour texas': 405974, 'texas proud': 839810, 'proud pay': 686046, 'pay from': 644910, '16 to': 4183, 'to april': 900682, 'april 12': 83399, '12 to': 2965, 'to recognize': 912953, 'recognize their': 704655, 'commitment they': 189001, 'help serve': 390514, 'client community': 182018, 'we are proud': 970671, 'are proud to': 89306, 'proud to announce': 686053, 'to announce that': 900557, 'announce that all': 76876, 'that all hourly': 842551, 'all hourly store': 43156, 'hourly store manufacturing': 406140, 'store manufacturing warehouse': 808901, 'manufacturing warehouse and': 513686, 'warehouse and transportation': 966688, 'and transportation partner': 74388, 'transportation partner will': 930022, 'partner will receive': 642900, 'will receive hour': 994593, 'receive hour texas': 703497, 'hour texas proud': 405975, 'texas proud pay': 839811, 'proud pay from': 686047, 'pay from march': 644911, 'from march 16': 336344, 'march 16 to': 515088, '16 to april': 4184, 'to april 12': 900683, 'april 12 to': 83405, '12 to recognize': 2967, 'to recognize their': 912960, 'recognize their hard': 704656, 'hard work and': 378123, 'work and thank': 1004814, 'and thank them': 73160, 'for their commitment': 326811, 'their commitment they': 872811, 'commitment they help': 189002, 'they help serve': 882430, 'help serve our': 390516, 'our client community': 622393, 'rm': 724251, 'rm30': 724264, 'private laboratory': 678935, 'laboratory can': 478467, 'also play': 48656, 'play an': 659113, 'an important': 56192, 'important role': 418954, 'role here': 725081, 'here few': 392969, 'few can': 303741, 'afford the': 34766, 'the rm': 865909, 'rm 700': 724254, '700 900': 21874, '900 for': 23380, 'test consider': 838960, 'consider slashing': 195111, 'to bare': 901044, 'bare minimum': 110920, 'minimum of': 533202, 'of rm30': 589137, 'rm30 50': 724265, '50 you': 19921, 'been earning': 121056, 'earning from': 264867, 'public for': 688009, 'year time': 1015028, 'give back': 350399, 'private laboratory can': 678936, 'laboratory can also': 478468, 'can also play': 157465, 'also play an': 48657, 'play an important': 659115, 'an important role': 56205, 'important role here': 418955, 'role here few': 725082, 'here few can': 392970, 'few can afford': 303742, 'can afford the': 157408, 'afford the rm': 34774, 'the rm 700': 865910, 'rm 700 900': 724255, '700 900 for': 21875, '900 for test': 23382, 'for test consider': 326226, 'test consider slashing': 838961, 'consider slashing your': 195112, 'your price down': 1025398, 'down to bare': 257362, 'to bare minimum': 901046, 'bare minimum of': 110924, 'minimum of rm30': 533206, 'of rm30 50': 589138, 'rm30 50 you': 724266, '50 you have': 19922, 'you have been': 1019016, 'have been earning': 379523, 'been earning from': 121057, 'earning from the': 264868, 'from the public': 337847, 'the public for': 864810, 'public for year': 688017, 'for year time': 328017, 'year time to': 1015030, 'time to give': 897992, 'to give back': 906675, 'give back to': 350402, 'to the nation': 916890, 'nation in it': 552219, 'hallelujah': 374366, 'corkscrew': 203551, 'you picked': 1020331, 'up random': 945882, 'random bottle': 696600, 'bottle at': 136189, 'supermarket week': 823771, 'and discovered': 61417, 'discovered it': 244689, 'it screw': 460914, 'screw cap': 742789, 'cap hallelujah': 162421, 'hallelujah you': 374367, 'find corkscrew': 306863, 'corkscrew like': 203552, 'like easily': 490152, 'easily accessible': 265184, 'accessible wine': 28351, 'wine screw': 995884, 'cap wine': 162459, 'wine is': 995828, 'thought of the': 893153, 'the day you': 852928, 'day you picked': 228825, 'you picked up': 1020333, 'picked up random': 655818, 'up random bottle': 945883, 'random bottle at': 696601, 'bottle at the': 136191, 'the supermarket week': 868894, 'supermarket week ago': 823772, 'week ago and': 975836, 'ago and discovered': 38334, 'and discovered it': 61419, 'discovered it screw': 244690, 'it screw cap': 460915, 'screw cap hallelujah': 742790, 'cap hallelujah you': 162422, 'hallelujah you do': 374368, 'to find corkscrew': 905891, 'find corkscrew like': 306864, 'corkscrew like easily': 203553, 'like easily accessible': 490153, 'easily accessible wine': 265186, 'accessible wine screw': 28352, 'wine screw cap': 995885, 'screw cap wine': 742791, 'cap wine is': 162460, 'today shopping': 920175, 'shopping locally': 763205, 'locally online': 498767, 'phone is': 654966, 'to practise': 911970, 'practise ha': 668767, 'ha plan': 371491, 'for economic': 320943, 'economic support': 267330, 'amp recovery': 54371, 'recovery during': 705315, 'during together': 263358, 'this visit': 891042, 'today shopping locally': 920177, 'shopping locally online': 763206, 'locally online or': 498768, 'online or by': 608651, 'or by phone': 614627, 'by phone is': 153578, 'phone is the': 654967, 'way to practise': 970065, 'to practise ha': 911971, 'practise ha plan': 668768, 'ha plan for': 371493, 'plan for economic': 658118, 'for economic support': 320947, 'economic support amp': 267331, 'support amp recovery': 826348, 'amp recovery during': 54372, 'recovery during together': 705317, 'during together we': 263359, 'through this visit': 894855, 'obsolete': 578702, 'meansofproduction': 524877, 'soar crisis': 779236, 'crisis highlight': 217488, 'highlight class': 395901, 'class division': 180178, 'division based': 248665, 'on obsolete': 602471, 'obsolete capitalism': 578703, 'capitalism and': 162715, 'private ownership': 678958, 'ownership of': 632621, 'the meansofproduction': 860355, 'bank soar crisis': 110196, 'soar crisis highlight': 779237, 'crisis highlight class': 217489, 'highlight class division': 395902, 'class division based': 180179, 'division based on': 248666, 'based on obsolete': 111688, 'on obsolete capitalism': 602472, 'obsolete capitalism and': 578704, 'capitalism and private': 162722, 'and private ownership': 69526, 'private ownership of': 678959, 'ownership of the': 632622, 'of the meansofproduction': 591229, 'retreat': 719747, 'mode': 535151, 'chow': 178039, 'coronavirus from': 205954, 'china to': 177000, 'behaviour radically': 124498, 'altered world': 49168, 'world retreat': 1009933, 'retreat into': 719750, 'into survival': 443068, 'survival mode': 829055, 'mode report': 535195, 'report chow': 711862, 'chow china': 178040, 'china china': 176560, 'china chinavirus': 176566, 'coronavirus from china': 205955, 'from china to': 334872, 'china to the': 177006, 'the consumer behaviour': 851499, 'consumer behaviour radically': 196594, 'behaviour radically altered': 124499, 'radically altered world': 695416, 'altered world retreat': 49169, 'world retreat into': 1009934, 'retreat into survival': 719751, 'into survival mode': 443069, 'survival mode report': 829061, 'mode report chow': 535196, 'report chow china': 711863, 'chow china china': 178041, 'china china chinavirus': 176562, 'collated': 186166, 'uptodate': 947938, 'ha collated': 370195, 'collated uptodate': 186167, 'uptodate information': 947939, 'shopper right': 761668, 'right responsibility': 722254, 'responsibility which': 715992, 'which take': 986366, 'take into': 832229, 'account covid': 28649, 'the ha collated': 856984, 'ha collated uptodate': 370196, 'collated uptodate information': 186168, 'uptodate information on': 947940, 'information on your': 437930, 'on your online': 605485, 'your online shopper': 1025077, 'online shopper right': 609003, 'shopper right responsibility': 761669, 'right responsibility which': 722255, 'responsibility which take': 715993, 'which take into': 986368, 'take into account': 832230, 'into account covid': 442364, 'account covid 19': 28650, 'comodities': 190290, 'in2': 431165, 'one profiteering': 606926, 'profiteering taking': 683097, 'grocery kirana': 364680, 'kirana merchant': 475400, 'merchant they': 529052, 'having field': 384064, 'of most': 586670, 'the comodities': 851307, 'comodities by': 190293, 'last few': 480209, 'is civil': 446532, 'supply department': 825160, 'department looking': 237224, 'looking in2': 502938, 'in2 this': 431168, 'the one profiteering': 862218, 'one profiteering taking': 606927, 'profiteering taking advantage': 683098, 'advantage of are': 32988, 'of are the': 580356, 'are the grocery': 90837, 'the grocery kirana': 856816, 'grocery kirana merchant': 364681, 'kirana merchant they': 475401, 'merchant they are': 529053, 'they are having': 881293, 'are having field': 87032, 'having field day': 384065, 'field day they': 304464, 'day they have': 228521, 'they have increased': 882329, 'have increased price': 381063, 'increased price of': 433417, 'price of most': 675509, 'of most of': 586678, 'of the comodities': 590877, 'the comodities by': 851308, 'comodities by 30': 190294, 'by 30 40': 151626, '30 40 in': 16939, '40 in last': 18581, 'in last few': 424603, 'last few day': 480210, 'few day is': 303779, 'day is civil': 227835, 'is civil supply': 446533, 'civil supply department': 179557, 'supply department looking': 825161, 'department looking in2': 237225, 'looking in2 this': 502939, 'in2 this corona': 431169, 'li': 487940, 'definitely my': 232364, 'my man': 549199, 'man feel': 512059, 'this fall': 887505, 'fall when': 297109, 'about again': 24772, 'hero from': 393993, 'who they': 989766, 'healthcare people': 387204, 'people grocery': 648125, 'else putting': 271848, 'the li': 859316, 'you are definitely': 1017105, 'are definitely my': 85737, 'definitely my man': 232365, 'my man feel': 549200, 'man feel like': 512061, 'feel like this': 302753, 'like this fall': 491489, 'this fall when': 887506, 'fall when we': 297110, 'when we are': 984429, 'are out and': 88877, 'and about again': 57542, 'about again we': 24773, 'again we need': 37262, 'need to honor': 555965, 'honor our hero': 403252, 'our hero from': 623423, 'hero from covid': 393994, '19 you know': 12268, 'know who they': 477042, 'who they are': 989767, 'are our healthcare': 88861, 'our healthcare people': 623387, 'healthcare people grocery': 387205, 'people grocery store': 648127, 'owner and anyone': 632372, 'anyone else putting': 80284, 'else putting their': 271849, 'putting their life': 691241, 'their life on': 873841, 'on the li': 604209, 'trickle': 931728, 'chin': 176430, 'the crash': 852276, 'is directly': 447187, 'directly tied': 243583, 'number importer': 576890, 'world import': 1009652, 'import slowed': 418670, 'slowed to': 774501, 'to trickle': 917779, 'trickle global': 931732, 'supply increased': 825419, 'increased supply': 433481, 'demand economics': 235278, 'economics shale': 267481, 'shale oil': 754503, 'oil take': 597466, 'the chin': 850828, 'chin opec': 176433, 'opec cartel': 611847, 'cartel dependent': 165446, 'the crash in': 852277, 'crash in oil': 214995, 'price is directly': 674863, 'is directly tied': 447189, 'directly tied to': 243584, 'tied to covid': 895757, 'covid 19 china': 212795, '19 china is': 5794, 'china is the': 176764, 'is the number': 452874, 'the number importer': 861955, 'number importer of': 576891, 'importer of oil': 419206, 'of oil in': 587185, 'oil in the': 596874, 'the world import': 871892, 'world import slowed': 1009653, 'import slowed to': 418671, 'slowed to trickle': 774502, 'to trickle global': 917780, 'trickle global supply': 931733, 'global supply increased': 352235, 'supply increased supply': 825421, 'increased supply demand': 433482, 'supply demand economics': 825150, 'demand economics shale': 235279, 'economics shale oil': 267482, 'shale oil take': 754506, 'oil take it': 597467, 'take it on': 832251, 'it on the': 460061, 'on the chin': 604022, 'the chin opec': 850829, 'chin opec cartel': 176434, 'opec cartel dependent': 611848, 'kallanish': 470715, 'scrap weakens': 742588, 'weakens italy': 974090, 'italy extends': 462824, 'extends industry': 293253, 'industry lockdown': 435971, 'no scrap': 565434, 'scrap import': 742580, 'import from': 418634, 'other european': 620190, 'european country': 283550, 'country steel': 211081, 'steel kallanish': 799341, 'scrap weakens italy': 742589, 'weakens italy extends': 974091, 'italy extends industry': 462825, 'extends industry lockdown': 293254, 'industry lockdown today': 435972, 'lockdown today there': 500063, 'today there are': 920313, 'are no price': 88275, 'no price there': 565185, 'no market and': 564701, 'market and no': 515976, 'and no scrap': 67638, 'no scrap import': 565435, 'scrap import from': 742581, 'import from other': 418636, 'from other european': 336728, 'other european country': 620191, 'european country steel': 283556, 'country steel kallanish': 211082, 'withme': 1002467, 'support online': 826708, 'with withme': 1002115, 'withme 19': 1002468, '19 stayhome': 10825, 'stayhome trend': 798218, 'trend think': 931471, 'get support online': 348163, 'support online with': 826712, 'online with withme': 609756, 'with withme 19': 1002116, 'withme 19 stayhome': 1002469, '19 stayhome trend': 10831, 'stayhome trend think': 798219, 'trend think with': 931472, 'superheroes': 818669, 'hardworking': 378336, 'hailed': 373945, 'bushfires': 143150, 'supermarket superheroes': 823031, 'superheroes hardworking': 818679, 'hardworking employee': 378339, 'employee have': 273914, 'been hailed': 121245, 'hailed the': 373948, 'pandemic brave': 635019, 'brave worker': 138246, 'are compared': 85455, 'to firefighter': 905973, 'firefighter braving': 308203, 'braving bushfires': 138280, 'supermarket superheroes hardworking': 823032, 'superheroes hardworking employee': 818680, 'hardworking employee have': 378340, 'employee have been': 273917, 'have been hailed': 379564, 'been hailed the': 121246, 'hailed the unsung': 373949, 'coronavirus pandemic brave': 206438, 'pandemic brave worker': 635020, 'brave worker are': 138247, 'worker are compared': 1006375, 'are compared to': 85456, 'compared to firefighter': 191425, 'to firefighter braving': 905974, 'firefighter braving bushfires': 308204, 'axed': 106305, 'luxury seafood': 506955, 'seafood supply': 743150, 'supply hit': 825368, 'by axed': 151924, 'axed flight': 106306, 'flight bite': 310445, 'luxury seafood supply': 506956, 'seafood supply hit': 743152, 'supply hit by': 825369, 'hit by axed': 398174, 'by axed flight': 151925, 'axed flight bite': 106307, 'first store': 309036, 'this effort': 887348, 'effort could': 269501, 'could really': 209570, 'really win': 702713, 'the pr': 864184, 'pr game': 668431, 'make real': 510388, 'real difference': 701110, 'the first store': 855352, 'first store to': 309038, 'make this effort': 510637, 'this effort could': 887350, 'effort could really': 269502, 'could really win': 209576, 'really win the': 702714, 'win the pr': 995588, 'the pr game': 864186, 'pr game and': 668432, 'game and make': 343118, 'and make real': 66573, 'make real difference': 510390, 'panic malicious': 638297, 'malicious apps': 511713, 'apps email': 83277, 'email sm': 272297, 'phishing vulnerable': 654843, 'vulnerable software': 961171, 'software face': 781527, 'hand scam': 375747, 'scam discount': 740128, 'discount scam': 244531, 'way hacker and': 969612, 'hacker and scammer': 372762, 'and scammer are': 71039, 'the coronavirus panic': 851890, 'coronavirus panic malicious': 206523, 'panic malicious apps': 638298, 'malicious apps email': 511714, 'apps email sm': 83279, 'email sm phishing': 272299, 'sm phishing vulnerable': 774758, 'phishing vulnerable software': 654844, 'vulnerable software face': 961172, 'software face mask': 781528, 'mask hand scam': 518780, 'hand scam discount': 375748, 'scam discount scam': 740130, 'discount scam via': 244533, 'india announced': 434300, 'announced 1500': 76907, '1500 crore': 3938, 'crore for': 218956, 'health package': 386732, 'package india': 633309, 'india population': 434569, 'population around': 664652, 'around 130': 93107, '130 crore': 3292, 'crore indian': 218958, 'indian government': 434836, 'government aid': 359849, 'aid 115': 39351, '115 per': 2664, 'person meanwhile': 652532, 'meanwhile cost': 524961, '100 ml': 1955, 'ml sanitizer': 534724, 'is 150': 445160, '150 coronachainscare': 3903, 'coronachainscare prevention': 204464, 'prevention is': 671859, 'than depends': 840495, 'government package': 360444, 'india announced 1500': 434301, 'announced 1500 crore': 76908, '1500 crore for': 3939, 'crore for health': 218957, 'for health package': 322152, 'health package india': 386733, 'package india population': 633310, 'india population around': 434570, 'population around 130': 664653, 'around 130 crore': 93108, '130 crore indian': 3293, 'crore indian government': 218959, 'indian government aid': 434837, 'government aid 115': 359850, 'aid 115 per': 39352, '115 per person': 2665, 'per person meanwhile': 650975, 'person meanwhile cost': 652533, 'meanwhile cost of': 524962, 'cost of 100': 208036, 'of 100 ml': 579320, '100 ml sanitizer': 1956, 'ml sanitizer is': 534725, 'sanitizer is 150': 735180, 'is 150 coronachainscare': 445161, '150 coronachainscare prevention': 3904, 'coronachainscare prevention is': 204465, 'prevention is better': 671861, 'better than depends': 128519, 'than depends on': 840496, 'depends on government': 237387, 'on government package': 601163, 'food imagine': 314902, 'imagine all': 416688, 'waste people': 968171, 'told there': 923722, 'the selfish': 866658, 'bastard do': 112476, 'do stack': 250166, 'stack of': 791976, 'stock panic': 802610, 'buying coronacrisis': 150144, 'seeing all these': 746211, 'these people hoarding': 880442, 'people hoarding food': 648271, 'hoarding food imagine': 399307, 'food imagine all': 314903, 'imagine all the': 416690, 'the food waste': 855620, 'food waste people': 317488, 'waste people who': 968172, 'have been told': 379722, 'been told there': 122244, 'told there is': 923723, 'food for everyone': 314532, 'everyone if they': 287029, 'if they do': 415108, 'panic and buy': 637300, 'and buy so': 59351, 'buy so what': 149192, 'so what do': 778715, 'what do the': 981351, 'do the selfish': 250263, 'the selfish bastard': 866660, 'selfish bastard do': 748017, 'bastard do stack': 112477, 'do stack of': 250167, 'stack of stock': 791978, 'of stock panic': 590183, 'stock panic buying': 802611, 'panic buying coronacrisis': 637687, 'trolly': 932531, 'off down': 593776, 'on anyone': 599412, 'anyone that': 80555, 'had more': 373310, 'than roll': 841098, 'their trolly': 875041, 'trolly give': 932532, 'them reason': 876209, 'bought it': 136608, 'off down the': 593777, 'down the supermarket': 257307, 'supermarket to cough': 823363, 'to cough on': 903608, 'cough on anyone': 208517, 'on anyone that': 599413, 'anyone that had': 80556, 'that had more': 844153, 'had more than': 373313, 'more than roll': 540667, 'than roll of': 841099, 'paper in their': 640333, 'in their trolly': 429787, 'their trolly give': 875042, 'trolly give them': 932533, 'give them reason': 350771, 'them reason to': 876210, 'reason to have': 703029, 'to have bought': 907212, 'have bought it': 379827, 'are heartbreaking': 87072, 'necessary and those': 553955, 'and those photo': 74036, 'those photo of': 892344, 'old people looking': 598416, 'shelf are heartbreaking': 756806, 'are heartbreaking stoppanicbuying': 87073, 'expect that': 290738, 'change our': 172215, 'we should expect': 973269, 'should expect that': 765978, 'expect that the': 290742, '19 crisis will': 6354, 'crisis will change': 218406, 'will change our': 992914, 'change our business': 172216, 'our business and': 622285, 'succumbing': 816296, 'sha stock': 754317, 'with plenty': 1000232, 'plenty plenty': 660994, 'plenty food': 660915, 'food before': 313720, 'into self': 442968, 'isolation more': 455348, 'more chance': 538793, 'chance you': 171835, 'hunger than': 411191, 'than succumbing': 841176, 'succumbing to': 816297, 'sha stock the': 754318, 'stock the house': 802934, 'the house with': 857652, 'house with plenty': 406692, 'with plenty plenty': 1000234, 'plenty plenty food': 660995, 'plenty food before': 660916, 'food before going': 313722, 'before going into': 122827, 'going into self': 355242, 'into self isolation': 442969, 'self isolation more': 747785, 'isolation more chance': 455349, 'more chance you': 538796, 'chance you die': 171838, 'you die of': 1018219, 'of hunger than': 584920, 'hunger than succumbing': 411194, 'than succumbing to': 841177, 'succumbing to covid': 816298, 'scalper': 739944, 'justeatuk': 470396, 'did round': 240786, 'round robin': 726350, 'robin review': 724736, 'of takeaway': 590576, 'takeaway not': 832882, 'not impressed': 570078, 'impressed with': 419454, 'isolating but': 455069, 'but worse': 147936, 'worse is': 1010957, 'price across': 672209, 'board for': 133631, 'for scalper': 325357, 'scalper shame': 739945, 'shame shame': 754641, 'you uk': 1021953, 'uk takeaway': 938790, 'takeaway justeatuk': 832880, 'justeatuk take': 470397, 'note meet': 572753, 'just did round': 468584, 'did round robin': 240787, 'round robin review': 726352, 'robin review of': 724737, 'review of takeaway': 720579, 'of takeaway not': 590577, 'takeaway not impressed': 832883, 'not impressed with': 570080, 'impressed with the': 419458, 'with the lack': 1001360, 'lack of deal': 478616, 'of deal available': 582406, 'deal available for': 229352, 'for those self': 327134, 'self isolating but': 747714, 'isolating but worse': 455072, 'but worse is': 147938, 'worse is the': 1010958, 'is the rise': 452923, 'rise in price': 722900, 'in price across': 426946, 'price across the': 672211, 'the board for': 849808, 'board for scalper': 133632, 'for scalper shame': 325358, 'scalper shame shame': 739946, 'shame shame on': 754642, 'on you uk': 605442, 'you uk takeaway': 1021954, 'uk takeaway justeatuk': 938791, 'takeaway justeatuk take': 832881, 'justeatuk take note': 470398, 'take note meet': 832374, 'note meet up': 572754, 'meet up coronacrisis': 527646, 'establishes': 282038, 'ha meant': 371262, 'meant drop': 524882, 'donation for': 254606, 'some foodbanks': 782881, 'foodbanks while': 317855, 'while some': 987294, 'also struggling': 48920, 'buy supply': 149261, 'supply from': 825286, 'store feeding': 807705, 'feeding america': 302450, 'america establishes': 51516, 'establishes covid': 282039, 'bank during': 109798, 'buying in reaction': 150539, 'reaction to coronavirus': 700214, 'to coronavirus ha': 903551, 'coronavirus ha meant': 206029, 'ha meant drop': 371263, 'meant drop in': 524883, 'in donation for': 422360, 'donation for some': 254608, 'for some foodbanks': 325742, 'some foodbanks while': 782882, 'foodbanks while some': 317856, 'while some are': 987295, 'some are also': 782311, 'are also struggling': 84479, 'also struggling to': 48921, 'struggling to buy': 814496, 'to buy supply': 902313, 'buy supply from': 149266, 'supply from grocery': 825290, 'grocery store feeding': 365391, 'store feeding america': 807706, 'feeding america establishes': 302454, 'america establishes covid': 51517, 'establishes covid 19': 282040, 'response fund to': 715707, 'fund to help': 341524, 'food bank during': 313560, 'bank during coronavirus': 109799, 'dod': 251257, 'navy': 553149, 'dod preparing': 251260, 'preparing navy': 670347, 'navy hospital': 553150, 'ship for': 758665, 'response 19': 715610, 'dod preparing navy': 251261, 'preparing navy hospital': 670348, 'navy hospital ship': 553151, 'hospital ship for': 404608, 'ship for coronavirus': 758666, 'for coronavirus response': 320390, 'coronavirus response 19': 206664, 'cnnpolitics': 184787, 'great of': 362853, 'the cnnpolitics': 851098, 'is the great': 452812, 'the great of': 856727, 'great of the': 362854, 'of the is': 591158, 'fight the cnnpolitics': 304886, 'try watching': 934686, 'tv for': 936112, '20 minute': 13169, 'minute without': 533902, 'without seeing': 1002903, 'seeing car': 746250, 'insurance commercial': 440691, 'commercial but': 188678, 'but somehow': 147112, 'somehow their': 784338, 'very similar': 955543, 'similar it': 769903, 'been month': 121535, 'most have': 542365, 'done little': 254924, 'no driving': 564060, 'driving cannot': 259908, 'they give': 882192, 'give at': 350392, 'least month': 484558, 'month premium': 537962, 'premium credit': 669944, 'credit 19': 216291, 'try watching tv': 934687, 'watching tv for': 968818, 'tv for 20': 936113, 'for 20 minute': 318728, '20 minute without': 13175, 'minute without seeing': 533904, 'without seeing car': 1002904, 'seeing car insurance': 746251, 'car insurance commercial': 163144, 'insurance commercial but': 440692, 'commercial but somehow': 188679, 'but somehow their': 147115, 'somehow their price': 784339, 'their price are': 874376, 'price are very': 672763, 'are very similar': 91478, 'very similar it': 955544, 'similar it ha': 769904, 'ha been month': 369855, 'been month since': 121536, 'month since most': 538004, 'since most have': 770750, 'most have done': 542366, 'have done little': 380331, 'done little to': 254925, 'to no driving': 910620, 'no driving cannot': 564061, 'driving cannot they': 259909, 'cannot they give': 162181, 'they give at': 882193, 'give at least': 350393, 'at least month': 99525, 'least month premium': 484561, 'month premium credit': 537963, 'premium credit 19': 669945, 'grouping': 366988, 'singapore amp': 771099, 'amp grouping': 53892, 'grouping say': 366989, 'say 80': 738374, 'it 500': 456210, '500 member': 20014, 'member may': 528129, 'may close': 521088, 'to latest': 909085, 'latest rule': 481542, 'rule that': 727368, 'only or': 610917, 'allowed effectively': 46151, 'effectively forcing': 269349, 'of eatery': 582940, 'eatery which': 266162, 'the switch': 869067, 'singapore amp grouping': 771100, 'amp grouping say': 53893, 'grouping say 80': 366990, 'say 80 of': 738376, '80 of it': 22605, 'of it 500': 585358, 'it 500 member': 456211, '500 member may': 20015, 'member may close': 528130, 'may close in': 521089, 'close in month': 182671, 'in month due': 425414, 'due to latest': 261843, 'to latest rule': 909086, 'latest rule that': 481543, 'rule that only': 727370, 'that only or': 845525, 'only or order': 610919, 'or order will': 616416, 'be allowed effectively': 113562, 'allowed effectively forcing': 46152, 'effectively forcing the': 269350, 'forcing the closure': 328739, 'closure of eatery': 183960, 'of eatery which': 582941, 'eatery which are': 266163, 'which are unable': 985700, 'unable to make': 939335, 'make the switch': 510588, 'cf97': 170285, 'cffc': 170310, 'bureau foreclosure': 142786, 'foreclosure and': 328911, 'and eviction': 62437, 'eviction help': 288326, 'of moratorium': 586638, 'moratorium detail': 538438, 'follow adding': 312335, 'adding cf97': 31664, 'cf97 to': 170286, 'to alert': 900220, 'alert cffc': 41374, 'cffc friend': 170311, 'and fan': 62686, 'fan help': 298517, 'well done by': 978177, 'done by the': 254807, 'by the consumer': 154295, 'protection bureau foreclosure': 685363, 'bureau foreclosure and': 142787, 'foreclosure and eviction': 328913, 'and eviction help': 62438, 'eviction help in': 288327, 'form of moratorium': 329540, 'of moratorium detail': 586639, 'moratorium detail to': 538439, 'detail to follow': 239261, 'to follow adding': 906043, 'follow adding cf97': 312336, 'adding cf97 to': 31665, 'cf97 to alert': 170287, 'to alert cffc': 900222, 'alert cffc friend': 41375, 'cffc friend and': 170312, 'friend and fan': 333500, 'and fan help': 62688, 'fan help is': 298518, 'help is here': 389935, 'is here at': 448416, 'read in': 700368, 'the paper': 863260, 'paper people': 640586, 'milk to': 531865, 'in tea': 428830, 'tea coffee': 835345, 'coffee so': 185538, 'now baby': 574169, 'baby are': 106567, 'hungry this': 411320, 'disgusting people': 245438, 'going stupid': 355475, 'stupid stockpilinguk': 815468, 'stockpilinguk and': 804135, 'that increase': 844492, 'of should': 589690, 'read in the': 700371, 'in the paper': 429436, 'the paper people': 863264, 'paper people are': 640587, 'buying baby milk': 149982, 'baby milk to': 106669, 'milk to put': 531870, 'to put in': 912592, 'put in tea': 690621, 'in tea coffee': 428831, 'tea coffee so': 835347, 'coffee so now': 185539, 'so now baby': 777904, 'now baby are': 574170, 'baby are going': 106568, 'to go hungry': 906810, 'go hungry this': 353696, 'hungry this is': 411321, 'this is disgusting': 888236, 'is disgusting people': 447225, 'disgusting people are': 245439, 'are going stupid': 86900, 'going stupid stockpilinguk': 355476, 'stupid stockpilinguk and': 815469, 'stockpilinguk and people': 804136, 'and people that': 68886, 'people that increase': 649769, 'that increase price': 844494, 'increase price because': 432997, 'because of should': 119403, 'of should be': 589691, 'should be arrested': 765557, 'yep': 1015332, 'mulder': 545623, 'krychek': 477810, 'gunman': 368787, 'scully': 742964, 'clearance': 181392, 'skinner': 773107, 'file covid': 305342, '19 yep': 12245, 'yep it': 1015335, 'it alien': 456330, 'alien mulder': 41742, 'mulder is': 545624, 'in wuhan': 431001, 'wuhan somehow': 1013516, 'somehow with': 784349, 'with patient': 1000110, 'patient zero': 644326, 'zero alex': 1027402, 'alex krychek': 41581, 'krychek the': 477811, 'the lone': 859669, 'lone gunman': 501281, 'gunman have': 368788, 'get scully': 347960, 'scully clearance': 742965, 'clearance to': 181399, 'go save': 354084, 'save him': 737514, 'him cancer': 396566, 'cancer man': 161263, 'man release': 512201, 'release the': 708998, 'vaccine right': 951761, 'gonna kiss': 356570, 'kiss random': 475459, 'random scene': 696617, 'of skinner': 589762, 'skinner trying': 773108, 'open grocery': 612281, 'file covid 19': 305343, 'covid 19 yep': 214104, '19 yep it': 12246, 'yep it alien': 1015336, 'it alien mulder': 456331, 'alien mulder is': 41743, 'mulder is in': 545625, 'is in wuhan': 448830, 'in wuhan somehow': 431005, 'wuhan somehow with': 1013517, 'somehow with patient': 784350, 'with patient zero': 1000113, 'patient zero alex': 644327, 'zero alex krychek': 1027403, 'alex krychek the': 41582, 'krychek the lone': 477812, 'the lone gunman': 859671, 'lone gunman have': 501282, 'gunman have to': 368789, 'to get scully': 906584, 'get scully clearance': 347961, 'scully clearance to': 742966, 'clearance to go': 181400, 'to go save': 906849, 'go save him': 354085, 'save him cancer': 737515, 'him cancer man': 396567, 'cancer man release': 161264, 'man release the': 512202, 'release the vaccine': 708999, 'the vaccine right': 870625, 'vaccine right they': 951762, 'right they re': 722304, 'they re gonna': 883046, 're gonna kiss': 698762, 'gonna kiss random': 356571, 'kiss random scene': 475460, 'random scene of': 696618, 'scene of skinner': 741349, 'of skinner trying': 589763, 'skinner trying to': 773109, 'trying to find': 934807, 'find an open': 306776, 'an open grocery': 56655, 'open grocery store': 612282, 'workshop': 1009221, 'shopping basket': 762158, 'basket find': 112334, 'get confident': 346797, 'confident about': 193996, 'online workshop': 609762, 'workshop click': 1009222, 'at 30': 97585, 'you need some': 1020037, 'need some of': 555596, 'some of this': 783413, 'of this in': 591991, 'this in your': 888062, 'in your shopping': 431121, 'your shopping basket': 1025775, 'shopping basket find': 762161, 'basket find out': 112335, 'find out this': 307153, 'out this evening': 627564, 'evening at my': 284855, 'at my get': 99812, 'my get confident': 548490, 'get confident about': 346798, 'confident about online': 193997, 'about online workshop': 25852, 'online workshop click': 609763, 'workshop click on': 1009223, 'click on the': 181935, 'on the link': 604213, 'link below to': 493806, 'below to join': 126755, 'join me at': 466771, 'me at 30': 522463, 'world gone': 1009592, 'mad stayhomesavelives': 507570, 'wipe supermarket': 996379, 'the world gone': 871880, 'world gone mad': 1009593, 'gone mad stayhomesavelives': 356332, 'mad stayhomesavelives coronavirus': 507571, 'and wipe supermarket': 75741, 'wipe supermarket food': 996380, 'kikkerland': 474296, 'handsanitizer randomly': 376622, 'randomly found': 696645, 'on kikkerland': 601768, 'if anyone need': 413849, 'anyone need handsanitizer': 80421, 'need handsanitizer randomly': 554952, 'handsanitizer randomly found': 376623, 'randomly found it': 696646, 'it on kikkerland': 460047, 'jeeturaj': 464987, 'mumbaikiawaz': 546039, '22k': 15328, 'maharash': 508473, 'hi jeeturaj': 394674, 'jeeturaj please': 464988, 'be mumbaikiawaz': 116034, 'mumbaikiawaz tell': 546040, 'people where': 650245, 'test done': 838974, 'mumbai at': 545993, 'price currently': 673369, 'currently test': 221692, 'test rate': 839144, 'rate touching': 697400, 'touching sky': 926714, 'sky 22k': 773181, '22k which': 15329, 'than salary': 841108, 'salary of': 731987, 'mumbai maharash': 546013, 'hi jeeturaj please': 394675, 'jeeturaj please be': 464989, 'please be mumbaikiawaz': 659707, 'be mumbaikiawaz tell': 116035, 'mumbaikiawaz tell people': 546041, 'tell people where': 837051, 'people where can': 650246, 'where can we': 984770, 'we get test': 971627, 'get test done': 348180, 'test done in': 838975, 'done in mumbai': 254892, 'in mumbai at': 425512, 'mumbai at affordable': 545994, 'affordable price currently': 34874, 'price currently test': 673370, 'currently test rate': 221693, 'test rate touching': 839145, 'rate touching sky': 697401, 'touching sky 22k': 926715, 'sky 22k which': 773182, '22k which is': 15330, 'which is more': 986028, 'more than salary': 540670, 'than salary of': 841109, 'salary of many': 731988, 'of many people': 586184, 'people in mumbai': 648398, 'in mumbai maharash': 425516, 'thing price': 884695, 'price why': 677537, 'have self': 382455, 'checkout the': 175026, 'likely cause': 491962, 'cause innovation': 167615, 'innovation in': 438877, 'in solving': 428075, 'solving the': 782210, 'last mile': 480313, 'mile dilemma': 531380, 'dilemma faster': 242854, 'than we': 841425, 'going before': 355061, 'before your': 123341, 'your proposed': 1025462, 'proposed solution': 684543, 'solution will': 782136, 'will price': 994448, 'price out': 675807, 'those you': 892757, 'you claim': 1017958, 'for value': 327515, 'value will': 952246, 'funny thing price': 341802, 'thing price why': 884696, 'price why do': 677540, 'why do we': 990944, 'do we have': 250475, 'we have self': 971933, 'have self checkout': 382456, 'self checkout the': 747584, 'checkout the covid': 175027, 'crisis will likely': 218416, 'will likely cause': 993993, 'likely cause innovation': 491963, 'cause innovation in': 167616, 'innovation in solving': 438881, 'in solving the': 428076, 'solving the last': 782211, 'the last mile': 859021, 'last mile dilemma': 480315, 'mile dilemma faster': 531381, 'dilemma faster than': 242855, 'faster than we': 300131, 'than we were': 841434, 'were going before': 979687, 'going before your': 355062, 'before your proposed': 123344, 'your proposed solution': 1025463, 'proposed solution will': 684544, 'solution will price': 782138, 'will price out': 994449, 'price out those': 675809, 'out those you': 627601, 'those you claim': 892759, 'you claim to': 1017959, 'claim to fight': 179848, 'to fight for': 905788, 'fight for value': 304751, 'for value will': 327516, 'value will be': 952247, 'nothelpful': 572909, 'bellcanada': 126500, 'internet fee': 441937, 'fee increase': 302186, 'increase not': 432924, 'not what': 572481, 'need especially': 554739, 'especially not': 280551, 'not right': 571382, 'now your': 576522, 'reduced not': 706119, 'not increased': 570127, 'increased wfh': 433534, 'wfh nothelpful': 980847, 'nothelpful bekind': 572910, 'bekind bellcanada': 126091, 'with the internet': 1001351, 'the internet fee': 858383, 'internet fee increase': 441938, 'fee increase not': 302187, 'increase not what': 432926, 'not what people': 572486, 'what people need': 982016, 'people need especially': 648819, 'need especially not': 554740, 'especially not right': 280553, 'not right now': 571385, 'right now your': 722193, 'now your price': 576525, 'your price should': 1025414, 'should be reduced': 765708, 'be reduced not': 116739, 'reduced not increased': 706120, 'not increased wfh': 570131, 'increased wfh nothelpful': 433535, 'wfh nothelpful bekind': 980848, 'nothelpful bekind bellcanada': 572911, 'shpock': 767656, 'beautiful thing': 118726, 'with shpock': 1000712, 'shpock app': 767657, 'get this beautiful': 348402, 'this beautiful thing': 886514, 'beautiful thing with': 118727, 'thing with shpock': 885002, 'with shpock app': 1000713, 're wondering': 699815, 'wondering why': 1004207, 'why toiletpaper': 991486, 'shortage all': 764802, 'in msnbc': 425494, 'case you re': 166129, 'you re wondering': 1020796, 're wondering why': 699819, 'wondering why toiletpaper': 1004211, 'why toiletpaper is': 991487, 'toiletpaper is so': 922141, 'is so hard': 452013, 'to find the': 905944, 'find the truth': 307307, 'paper shortage all': 640763, 'shortage all in': 764803, 'all in msnbc': 43200, 'fewest': 304250, 'four different': 330599, 'most stock': 542769, 'the fewest': 855129, 'fewest customer': 304251, 'best hygiene': 127720, 'hygiene by': 412059, 'by employee': 152472, 'employee ve': 274372, 'learned from': 484109, 'from being': 334671, 'week that': 976974, 'that variety': 847225, 'variety is': 952558, 'market had': 516493, 'had that': 373599, 'that covered': 843381, 'covered coronacrisis': 212410, 'coronacrisis socialdistancing': 204763, 'socialdistancing food': 780368, 'of the four': 591040, 'the four different': 855736, 'four different store': 330600, 'different store ve': 242077, 've been to': 952946, 'been to today': 122232, 'to today the': 917615, 'today the asian': 920279, 'the asian market': 848963, 'asian market store': 95307, 'market store had': 517128, 'store had the': 808045, 'had the most': 373620, 'the most stock': 861040, 'most stock the': 542772, 'stock the fewest': 802929, 'the fewest customer': 855130, 'fewest customer and': 304252, 'and the best': 73257, 'the best hygiene': 849517, 'best hygiene by': 127721, 'hygiene by employee': 412060, 'by employee ve': 152475, 'employee ve learned': 274373, 've learned from': 953327, 'learned from being': 484111, 'from being home': 334678, 'being home for': 125265, 'home for week': 401248, 'for week that': 327751, 'week that variety': 976982, 'that variety is': 847226, 'variety is key': 952559, 'is key the': 449189, 'key the market': 473417, 'the market had': 860116, 'market had that': 516494, 'had that covered': 373600, 'that covered coronacrisis': 843382, 'covered coronacrisis socialdistancing': 212411, 'coronacrisis socialdistancing food': 204764, 'seattle': 743547, 'seattle to': 743575, 'provide 800': 686206, '800 in': 22704, 'voucher to': 960673, 'crisis mayor': 217712, 'mayor say': 521984, 'than 00': 840131, 'them buy': 875505, 'other household': 620369, 'household good': 406816, 'seattle to provide': 743577, 'to provide 800': 912374, 'provide 800 in': 686207, '800 in supermarket': 22707, 'in supermarket voucher': 428706, 'supermarket voucher to': 823677, 'voucher to thousand': 960680, 'thousand of family': 893438, 'of family during': 583403, 'family during coronavirus': 297755, 'coronavirus crisis mayor': 205759, 'crisis mayor say': 217713, 'mayor say to': 521985, 'say to more': 739392, 'more than 00': 540541, 'than 00 family': 840136, '00 family to': 203, 'family to help': 298328, 'help them buy': 390699, 'them buy food': 875507, 'buy food cleaning': 148637, 'and other household': 68342, 'other household good': 620370, 'interacting': 441219, 'treated fairly': 930950, 'fairly during': 296433, 'are interacting': 87552, 'interacting with': 441224, 'public hour': 688096, 'hour day': 405520, 'being exposed': 125120, 'exposed during': 292844, 'during those': 263341, 'those hour': 892071, 'hour 19': 405345, 'worker being treated': 1006527, 'being treated fairly': 125982, 'treated fairly during': 930951, 'fairly during the': 296434, 'coronavirus crisis because': 205740, 'crisis because they': 217122, 'they are interacting': 881313, 'are interacting with': 87553, 'interacting with the': 441227, 'the public hour': 864820, 'public hour day': 688097, 'hour day and': 405523, 'day and being': 227255, 'and being exposed': 58860, 'being exposed during': 125122, 'exposed during those': 292846, 'during those hour': 263342, 'those hour 19': 892072, 'ueno': 937916, 'asakusa': 94849, 'shinjuku': 758632, 'will show': 994850, 'show you': 767289, 'covid19 in': 214320, 'japan ueno': 464772, 'ueno asakusa': 937917, 'asakusa and': 94850, 'and shinjuku': 71467, 'shinjuku in': 758634, 'tokyo the': 923504, 'also quite': 48739, 'quite different': 694843, 'different japan': 241976, 'japan tokyo': 464769, 'tokyo ueno': 923508, 'asakusa shinjuku': 94852, 'shinjuku coronalockdown': 758633, 'will show you': 994851, 'show you the': 767296, 'you the current': 1021593, 'situation of covid19': 772411, 'of covid19 in': 582102, 'covid19 in japan': 214321, 'in japan ueno': 424377, 'japan ueno asakusa': 464773, 'ueno asakusa and': 937918, 'asakusa and shinjuku': 94851, 'and shinjuku in': 71468, 'shinjuku in tokyo': 758635, 'in tokyo the': 430184, 'tokyo the state': 923505, 'state of the': 795822, 'supermarket wa also': 823689, 'wa also quite': 961507, 'also quite different': 48741, 'quite different japan': 694844, 'different japan tokyo': 241977, 'japan tokyo ueno': 464770, 'tokyo ueno asakusa': 923509, 'ueno asakusa shinjuku': 937919, 'asakusa shinjuku coronalockdown': 94853, 'massive thanks': 520142, 'my delivery': 547977, 'you two': 1021947, 'two delivery': 936876, 'driver were': 259846, 'amazing excellent': 50686, 'excellent customer': 289076, 'service skill': 752834, 'skill not': 772965, 'why stopped': 991377, 'stopped having': 805712, 'having you': 384410, 'you delivery': 1018170, 'delivery my': 234196, 'you deliver': 1018167, 'deliver every': 233116, 'week once': 976681, 'once can': 605602, 'can once': 159109, 'once is': 605663, 'massive thanks to': 520143, 'to for my': 906147, 'for my delivery': 323698, 'my delivery of': 547979, 'delivery of my': 234229, 'my online food': 549578, 'online food shopping': 608216, 'food shopping you': 316548, 'shopping you two': 764491, 'you two delivery': 1021948, 'two delivery driver': 936877, 'delivery driver were': 233955, 'driver were amazing': 259847, 'were amazing excellent': 979324, 'amazing excellent customer': 50687, 'excellent customer service': 289077, 'customer service skill': 222834, 'service skill not': 752835, 'skill not sure': 772966, 'sure why stopped': 827839, 'why stopped having': 991378, 'stopped having you': 805713, 'having you delivery': 384412, 'you delivery my': 1018171, 'delivery my shopping': 234197, 'my shopping will': 550063, 'will be having': 992490, 'be having you': 115160, 'having you deliver': 384411, 'you deliver every': 1018168, 'deliver every week': 233117, 'every week once': 286365, 'week once can': 976682, 'once can once': 605603, 'can once is': 159110, 'once is over': 605664, 'innocence': 438818, 'is practicing': 450975, 'practicing safe': 668735, 'safe distancing': 729594, 'our fellow': 623055, 'fellow human': 303293, 'human from': 410498, 'difference when': 241882, 'online simply': 609366, 'simply shop': 770284, 'and amazonsmile': 58056, 'amazonsmile donates': 51263, 'order total': 618729, 'total to': 926259, 'to innocence': 908395, 'innocence project': 438819, 'project of': 683519, 'of texas': 590693, 'texas thank': 839838, 'everyone is practicing': 287102, 'is practicing safe': 450977, 'practicing safe distancing': 668736, 'safe distancing to': 729595, 'distancing to protect': 247568, 'protect our fellow': 684894, 'our fellow human': 623058, 'fellow human from': 303296, 'human from covid': 410499, 'make difference when': 509838, 'difference when shopping': 241883, 'shopping online simply': 763482, 'online simply shop': 609367, 'simply shop at': 770285, 'shop at and': 759940, 'at and amazonsmile': 97999, 'and amazonsmile donates': 58057, 'amazonsmile donates of': 51264, 'donates of your': 254402, 'of your order': 593505, 'your order total': 1025108, 'order total to': 618730, 'total to innocence': 926262, 'to innocence project': 908396, 'innocence project of': 438820, 'project of texas': 683521, 'of texas thank': 590695, 'texas thank you': 839839, 'everyone do': 286814, 'have hand': 380887, 'sanitizer literally': 735298, 'literally everyone': 494986, 'paper me': 640458, 'me essentialworker': 522702, 'everyone do you': 286817, 'you have hand': 1019054, 'have hand sanitizer': 380889, 'hand sanitizer literally': 375473, 'sanitizer literally everyone': 735299, 'literally everyone do': 494987, 'you have toilet': 1019132, 'toilet paper me': 921355, 'paper me essentialworker': 640459, 'great for': 362676, 'unemployed american': 941101, 'see increase': 745299, 'not so great': 571619, 'so great for': 777205, 'great for million': 362682, 'for million unemployed': 323440, 'million unemployed american': 532404, 'unemployed american who': 941103, 'american who will': 52307, 'who will see': 989996, 'will see increase': 994778, 'see increase in': 745300, 'increase in gas': 432836, 'hydrogen': 411967, 'peroxide': 652203, 'hacking': 372778, 'wisdomwednesday': 996665, 'new can': 558445, 'some surface': 784021, 'day dried': 227540, 'dried all': 258744, 'the fruit': 855908, 'vegetable store': 954099, 'bought packet': 136676, 'packet containing': 633690, 'containing hydrogen': 200587, 'hydrogen peroxide': 411968, 'peroxide because': 652204, 'because saw': 119525, 'saw people': 738205, 'people coughing': 647550, 'and hacking': 64092, 'hacking at': 372779, 'store wisdomwednesday': 811357, 'the new can': 861479, 'new can survive': 558446, 'survive on some': 829214, 'on some surface': 603573, 'some surface for': 784022, 'surface for day': 828025, 'for day dried': 320568, 'day dried all': 227541, 'dried all the': 258745, 'all the fruit': 44756, 'the fruit and': 855909, 'and vegetable store': 74895, 'vegetable store bought': 954100, 'store bought packet': 806758, 'bought packet containing': 136677, 'packet containing hydrogen': 633691, 'containing hydrogen peroxide': 200588, 'hydrogen peroxide because': 411969, 'peroxide because saw': 652205, 'because saw people': 119526, 'saw people coughing': 738208, 'people coughing and': 647551, 'coughing and hacking': 208660, 'and hacking at': 64093, 'hacking at the': 372780, 'grocery store wisdomwednesday': 365959, 'my lockdown': 549156, 'lockdown been': 499192, 'walk each': 964772, 'day whilst': 228753, 'whilst avoiding': 987611, 'people one': 648981, 'up prescription': 945797, 'prescription my': 670522, 'personal wine': 652996, 'wine lake': 995830, 'lake is': 479062, 'taking one': 833480, 'one hell': 606415, 'hell of': 389041, 'of hammering': 584419, 'on day of': 600223, 'day of my': 228084, 'of my lockdown': 586788, 'my lockdown been': 549157, 'lockdown been out': 499193, 'been out for': 121619, 'out for walk': 626169, 'for walk each': 327615, 'walk each day': 964773, 'each day whilst': 264054, 'day whilst avoiding': 228754, 'whilst avoiding people': 987612, 'avoiding people one': 105480, 'people one trip': 648984, 'supermarket and one': 819029, 'and one to': 68095, 'one to pick': 607281, 'pick up prescription': 655750, 'up prescription my': 945798, 'prescription my personal': 670523, 'my personal wine': 549744, 'personal wine lake': 652997, 'wine lake is': 995831, 'lake is taking': 479064, 'is taking one': 452556, 'taking one hell': 833481, 'one hell of': 606416, 'hell of hammering': 389043, 'watched': 968647, 'perpetrator': 652218, 'ethnicity': 283125, 'embarrassed': 272436, 'actually watched': 31012, 'watched the': 968670, 'and sheer': 71440, 'sheer selfishness': 756584, 'selfishness due': 748346, 'same perpetrator': 733222, 'perpetrator certain': 652219, 'certain ethnicity': 170000, 'ethnicity need': 283128, 'be told': 117746, 'sort themselves': 786153, 'themselves out': 876866, 'others embarrassed': 621378, 'embarrassed by': 272437, 'have people actually': 381906, 'people actually watched': 646771, 'actually watched the': 31013, 'watched the video': 968673, 'the video of': 870750, 'video of supermarket': 956834, 'of supermarket panic': 590438, 'supermarket panic and': 821899, 'panic and sheer': 637334, 'and sheer selfishness': 71441, 'sheer selfishness due': 756585, 'selfishness due to': 748347, 'of them the': 591766, 'them the same': 876394, 'the same perpetrator': 866277, 'same perpetrator certain': 733223, 'perpetrator certain ethnicity': 652220, 'certain ethnicity need': 170001, 'ethnicity need to': 283129, 'to be told': 901596, 'be told to': 117751, 'told to sort': 923765, 'to sort themselves': 914927, 'sort themselves out': 786154, 'themselves out and': 876867, 'out and think': 625702, 'of others embarrassed': 587390, 'others embarrassed by': 621379, 'embarrassed by our': 272438, 'by our country': 153479, 'donate some': 254226, 'some scammer': 783805, 'scammer use': 740639, 'use name': 949385, 'name that': 551684, 'that sound': 846416, 'sound lot': 786309, 'lot like': 504082, 'real charity': 701064, 'charity research': 173674, 'research money': 713788, 'money lost': 536876, 'to bogus': 901876, 'bogus charity': 134014, 'charity mean': 173652, 'mean le': 524519, 'le donation': 482935, 'way to donate': 970017, 'to donate some': 904653, 'donate some scammer': 254230, 'some scammer use': 783808, 'scammer use name': 740643, 'use name that': 949386, 'name that sound': 551685, 'that sound lot': 846419, 'sound lot like': 786310, 'lot like the': 504087, 'like the name': 491383, 'name of real': 551663, 'of real charity': 588785, 'real charity research': 701065, 'charity research money': 173675, 'research money lost': 713789, 'money lost to': 536878, 'lost to bogus': 503940, 'to bogus charity': 901877, 'bogus charity mean': 134015, 'charity mean le': 173653, 'mean le donation': 524521, 'le donation to': 482936, 'donation to help': 254709, 'secretly': 743978, 'raw video': 698004, 'video warning': 956951, 'warning mexico': 967151, 'mexico random': 530018, 'random person': 696610, 'person stop': 652620, 'stop inside': 804772, 'to secretly': 913961, 'secretly drink': 743981, 'drink restaurant': 258876, 'restaurant entire': 716447, 'entire bottle': 278650, 'lockdown follow': 499382, 'follow for': 312381, 'more raw': 540185, 'raw news': 697986, 'news video': 560941, 'raw video warning': 698005, 'video warning mexico': 956952, 'warning mexico random': 967152, 'mexico random person': 530019, 'random person stop': 696612, 'person stop inside': 652622, 'stop inside restaurant': 804774, 'inside restaurant to': 439371, 'restaurant to secretly': 716763, 'to secretly drink': 913962, 'secretly drink restaurant': 743982, 'drink restaurant entire': 258877, 'restaurant entire bottle': 716448, 'entire bottle of': 278651, 'sanitizer during coronavirus': 734798, 'during coronavirus lockdown': 262538, 'coronavirus lockdown follow': 206243, 'lockdown follow for': 499383, 'follow for more': 312384, 'for more raw': 323592, 'more raw news': 540186, 'raw news video': 697987, 'fine the': 307696, 'station for': 796408, 'for dropping': 320867, 'dropping their': 260739, 'price when': 677478, 'out unless': 627743, 'it shopping': 461026, 'one tank': 607165, 'tank last': 834216, 'month or': 537931, 'or essential': 615179, 'charged anyway': 173372, 'anyway can': 80991, 'can guarantee': 158538, 'guarantee the': 367721, 'fine the petrol': 307698, 'the petrol station': 863624, 'petrol station for': 653794, 'station for dropping': 796409, 'for dropping their': 320868, 'dropping their price': 260740, 'their price when': 874438, 'price when we': 677496, 'when we cannot': 984431, 'cannot go out': 161930, 'go out unless': 353997, 'out unless it': 627744, 'unless it shopping': 942624, 'it shopping and': 461027, 'shopping and one': 762006, 'and one tank': 68094, 'one tank last': 607166, 'tank last month': 834217, 'last month or': 480336, 'month or essential': 537932, 'or essential worker': 615185, 'essential worker should': 281851, 'should not have': 766248, 'to be charged': 901162, 'be charged anyway': 114064, 'charged anyway can': 173373, 'anyway can guarantee': 80992, 'can guarantee the': 158540, 'guarantee the price': 367724, 'go up when': 354448, 'up when it': 946577, 'ccsa': 168501, '650': 21387, 'enraged': 277817, 'dipa': 243214, 'commission sa': 188892, 'sa ccsa': 728880, 'ccsa ha': 168502, 'than 650': 840286, '650 complaint': 21392, 'complaint in': 191984, 'about three': 26687, 'from enraged': 335286, 'enraged consumer': 277818, 'the hiking': 857371, 'hiking of': 396383, 'outbreak in': 628334, 'country dipa': 210579, 'competition commission sa': 191689, 'commission sa ccsa': 188893, 'sa ccsa ha': 728881, 'ccsa ha received': 168503, 'more than 650': 540575, 'than 650 complaint': 840287, '650 complaint in': 21393, 'complaint in about': 191985, 'in about three': 419983, 'about three week': 26690, 'week from enraged': 976255, 'from enraged consumer': 335287, 'enraged consumer over': 277819, 'consumer over the': 198313, 'over the hiking': 630732, 'the hiking of': 857372, 'hiking of price': 396386, 'of essential good': 583170, 'essential good amid': 281082, 'coronavirus outbreak in': 206393, 'outbreak in the': 628351, 'the country dipa': 852063, 'aguete': 39077, 'service aguete': 752047, 'aguete look': 39080, 'how different': 407693, 'different sector': 242049, 'will fare': 993410, 'impact on digital': 417842, 'consumer service aguete': 198938, 'service aguete look': 752048, 'aguete look at': 39081, 'at how different': 99213, 'how different sector': 407696, 'different sector will': 242051, 'sector will fare': 744404, 'murray': 546217, 'kessler': 473164, 'cramer': 214834, 'perrigo': 652233, 'ceo murray': 169760, 'murray kessler': 546220, 'kessler joined': 473167, 'joined jim': 466940, 'jim cramer': 465496, 'cramer on': 214837, 'on cnbc': 599955, 'cnbc mad': 184720, 'mad money': 507555, 'about perrigo': 25945, 'perrigo role': 652234, 'role global': 725075, 'consumer self': 198893, 'care company': 163887, 'company especially': 190628, 'full interview': 340648, 'and ceo murray': 59689, 'ceo murray kessler': 169761, 'murray kessler joined': 546221, 'kessler joined jim': 473168, 'joined jim cramer': 466941, 'jim cramer on': 465497, 'cramer on cnbc': 214838, 'on cnbc mad': 599956, 'cnbc mad money': 184721, 'mad money to': 507556, 'money to talk': 537124, 'talk about perrigo': 833752, 'about perrigo role': 25946, 'perrigo role global': 652235, 'role global consumer': 725076, 'global consumer self': 351808, 'consumer self care': 198894, 'self care company': 747557, 'care company especially': 163888, 'company especially during': 190630, '19 crisis watch': 6346, 'crisis watch the': 218335, 'the full interview': 856012, 'credittrends': 216596, 'consumer face': 197427, 'face new': 294635, 'and rapidly': 69939, 'rapidly changing': 696962, 'changing pressure': 172776, 'pressure in': 671173, 'global uncertainty': 352272, 'uncertainty join': 939712, 'join our': 466808, 'our insight': 623556, 'insight driven': 439523, 'driven discussion': 259306, 'discussion into': 245028, 'behaviour credittrends': 124397, 'and consumer face': 60377, 'consumer face new': 197430, 'face new and': 294636, 'new and rapidly': 558344, 'and rapidly changing': 69940, 'rapidly changing pressure': 696967, 'changing pressure in': 172777, 'pressure in this': 671176, 'of global uncertainty': 584159, 'global uncertainty join': 352273, 'uncertainty join our': 939713, 'join our insight': 466813, 'our insight driven': 623557, 'insight driven discussion': 439524, 'driven discussion into': 259307, 'discussion into the': 245029, 'into the uk': 443183, 'the uk consumer': 870202, 'uk consumer credit': 938263, 'credit market and': 216429, 'market and the': 515997, '19 could have': 6156, 'could have on': 209262, 'have on consumer': 381765, 'consumer behaviour credittrends': 196563, 'week analysis': 975896, 'on ecommerce': 600498, 'ecommerce we': 266891, 'we compared': 971152, 'compared the': 191417, 'our 2019': 621985, '2019 benchmark': 13943, 'benchmark for': 126843, 'sector here': 744218, 'we found': 971590, 'in this week': 430044, 'this week analysis': 891185, 'week analysis of': 975897, 'analysis of on': 57067, 'of on ecommerce': 587215, 'on ecommerce we': 600503, 'ecommerce we compared': 266892, 'we compared the': 971153, 'compared the number': 191418, 'the number to': 861963, 'number to our': 577074, 'to our 2019': 911146, 'our 2019 benchmark': 621986, '2019 benchmark for': 13944, 'benchmark for the': 126844, 'the grocery sector': 856821, 'grocery sector here': 364943, 'sector here is': 744219, 'here is what': 393259, 'what we found': 982552, 'no bloody': 563704, 'bloody wonder': 133245, 'wonder people': 1003988, 'with shite': 1000675, 'shite like': 759316, 'daily rag': 224761, 'rag actually': 695516, 'actually encouraging': 30791, 'encouraging stockpiling': 275736, 'stockpiling coronacrisis': 803929, 'coronacrisis stophoarding': 204786, 'stophoarding here': 805410, 'stockpile for': 803750, 'isolation due': 455252, 'it no bloody': 459823, 'no bloody wonder': 563706, 'bloody wonder people': 133246, 'wonder people are': 1003989, 'buying with shite': 151378, 'with shite like': 1000676, 'shite like this': 759317, 'like this in': 491498, 'this in the': 888057, 'in the daily': 429119, 'the daily rag': 852783, 'daily rag actually': 224762, 'rag actually encouraging': 695517, 'actually encouraging stockpiling': 30792, 'encouraging stockpiling coronacrisis': 275737, 'stockpiling coronacrisis stophoarding': 803930, 'coronacrisis stophoarding here': 204787, 'stophoarding here how': 805411, 'here how much': 393107, 'how much food': 408347, 'to stockpile for': 915471, 'stockpile for two': 803751, 'two week in': 937334, 'week in self': 976384, 'self isolation due': 747764, 'isolation due to': 455253, 'perish': 651952, 'selfdiscipline': 747939, 'nourishment': 573683, 'criterion': 218499, 'sucked': 816952, 'spread panic': 790745, 'state where': 796078, 'where temperature': 985204, 'temperature are': 837361, 'are over': 88902, 'over 28': 629813, '28 30': 16372, '30 covid': 17010, 'will perish': 994406, 'perish right': 651955, 'right hygiene': 721944, 'hygiene selfdiscipline': 412166, 'selfdiscipline workout': 747940, 'workout nourishment': 1009170, 'nourishment healthy': 573686, 'boost immune': 134963, 'will define': 993132, 'define criterion': 232269, 'criterion of': 218500, 'of vulnerability': 592866, 'vulnerability stop': 960825, 'stop getting': 804684, 'getting sucked': 349316, 'sucked in': 816953, 'in by': 421110, 'the obsession': 862013, 'obsession be': 578679, 'strong stay': 814121, 'not spread panic': 571682, 'spread panic in': 790746, 'panic in state': 638203, 'in state where': 428248, 'state where temperature': 796080, 'where temperature are': 985205, 'temperature are over': 837363, 'are over 28': 88903, 'over 28 30': 629814, '28 30 covid': 16373, '30 covid 19': 17011, '19 will perish': 12108, 'will perish right': 994407, 'perish right hygiene': 651956, 'right hygiene selfdiscipline': 721945, 'hygiene selfdiscipline workout': 412167, 'selfdiscipline workout nourishment': 747941, 'workout nourishment healthy': 1009171, 'nourishment healthy food': 573687, 'healthy food to': 387636, 'food to boost': 317236, 'to boost immune': 901920, 'boost immune system': 134964, 'immune system will': 417358, 'system will define': 831379, 'will define criterion': 993133, 'define criterion of': 232270, 'criterion of vulnerability': 218501, 'of vulnerability stop': 592868, 'vulnerability stop getting': 960826, 'stop getting sucked': 804686, 'getting sucked in': 349317, 'sucked in by': 816954, 'in by the': 421113, 'by the obsession': 154394, 'the obsession be': 862014, 'obsession be strong': 578680, 'be strong stay': 117404, 'strong stay safe': 814122, 'my fear': 548292, 'is my fear': 449792, 'severest': 754119, '1930s': 12344, 'economy hit': 267940, 'by severest': 153955, 'severest shock': 754120, 'shock since': 759510, 'since 1930s': 770419, '1930s recession': 12349, 'recession shutdown': 704358, 'shutdown transportation': 768118, 'transportation business': 929994, 'business system': 144457, 'system oil': 831266, 'oil business': 596655, 'business consumer': 143567, 'global economy hit': 351899, 'economy hit by': 267941, 'hit by severest': 398187, 'by severest shock': 153956, 'severest shock since': 754121, 'shock since 1930s': 759511, 'since 1930s recession': 770420, '1930s recession shutdown': 12350, 'recession shutdown transportation': 704359, 'shutdown transportation business': 768119, 'transportation business system': 929995, 'business system oil': 144458, 'system oil business': 831267, 'oil business consumer': 596656, 'business consumer spending': 143574, 'allow community': 45930, 'community account': 189691, 'account to': 28769, 'be created': 114280, 'created for': 215827, 'with current': 997884, 'current restriction': 221337, 'item it': 463394, 'online being': 607928, 'have community': 380046, 'account would': 28787, 'can you allow': 160274, 'you allow community': 1016926, 'allow community account': 45931, 'community account to': 189693, 'account to be': 28770, 'to be created': 901186, 'be created for': 114281, 'created for online': 215829, 'shopping with current': 764431, 'with current restriction': 997887, 'current restriction on': 221339, 'restriction on item': 717345, 'on item it': 601706, 'item it difficult': 463398, 'it difficult for': 457552, 'difficult for many': 242223, 'for many to': 323239, 'many to shop': 514824, 'shop online being': 760564, 'online being able': 607929, 'able to have': 24490, 'to have community': 907219, 'have community account': 380047, 'community account would': 189694, 'account would help': 28788, 'kristin': 477701, 'grand': 361858, 'launching': 482057, 'kristin tovar': 477702, 'tovar wa': 927096, 'hold grand': 399931, 'grand opening': 361869, 'her new': 392227, 'store called': 806845, 'called why': 156484, 'why love': 991173, 'love where': 504871, 'weekend but': 977327, 'changed those': 172582, 'those plan': 892350, 'plan so': 658222, 'is launching': 449240, 'launching virtual': 482079, 'virtual shopping': 957789, 'experience instead': 291401, 'kristin tovar wa': 477703, 'tovar wa supposed': 927097, 'supposed to hold': 827363, 'to hold grand': 907909, 'hold grand opening': 399932, 'grand opening for': 361870, 'opening for her': 612833, 'for her new': 322225, 'her new store': 392230, 'new store called': 559665, 'store called why': 806847, 'called why love': 156485, 'why love where': 991176, 'love where live': 504872, 'where live this': 984994, 'live this weekend': 496063, 'this weekend but': 891307, 'weekend but covid': 977328, '19 ha changed': 7332, 'ha changed those': 370139, 'changed those plan': 172583, 'those plan so': 892351, 'plan so she': 658224, 'so she is': 778193, 'she is launching': 756155, 'is launching virtual': 449244, 'launching virtual shopping': 482080, 'virtual shopping experience': 957790, 'shopping experience instead': 762614, 'independent on': 434124, 'million brit': 532096, 'brit go': 140339, 'hungry job': 411273, 'supermarket strain': 823018, 'strain hit': 812278, 'hit those': 398464, 'risk poll': 723829, 'poll suggests': 663859, 'the independent on': 858107, 'independent on million': 434125, 'on million brit': 602128, 'million brit go': 532097, 'brit go hungry': 140340, 'go hungry job': 353693, 'hungry job loss': 411274, 'loss and supermarket': 503639, 'and supermarket strain': 72739, 'supermarket strain hit': 823019, 'strain hit those': 812279, 'hit those at': 398465, 'at risk poll': 100389, 'risk poll suggests': 723830, '19 difficult': 6547, 'moment thank': 536054, 'for choosing': 320074, 'price mid': 675232, 'mid term': 530591, 'for slashing': 325652, 'slashing saving': 773681, 'saving interest': 737893, 'rate choose': 697179, 'choose with': 177921, 'your foot': 1023937, 'foot in': 318388, '19 difficult time': 6548, 'difficult time at': 242278, 'time at the': 896350, 'the moment thank': 860780, 'moment thank for': 536055, 'thank for choosing': 841567, 'for choosing to': 320076, 'choosing to hike': 177944, 'hike price mid': 396265, 'price mid term': 675233, 'mid term and': 530592, 'term and for': 838059, 'and for slashing': 63158, 'for slashing saving': 325653, 'slashing saving interest': 773682, 'saving interest rate': 737894, 'interest rate choose': 441389, 'rate choose with': 697180, 'choose with your': 177922, 'with your foot': 1002200, 'your foot in': 1023939, 'foot in the': 318392, 'just donate': 468637, 'money already': 536577, 'already and': 47185, 'the shirt': 866948, 'shirt to': 759011, 'some deserving': 782676, 'deserving fan': 238190, 'fan that': 298542, 'that didn': 843524, 'it maybe': 459559, 'maybe to': 521860, 'to nurse': 910754, 'doctor delivery': 250885, 'delivery supermarket': 234583, 'etc worker': 282905, 'just donate the': 468638, 'donate the money': 254236, 'the money already': 860805, 'money already and': 536578, 'already and give': 47186, 'and give the': 63667, 'give the shirt': 350752, 'the shirt to': 866949, 'shirt to some': 759013, 'to some deserving': 914872, 'some deserving fan': 782677, 'deserving fan that': 238191, 'fan that didn': 298543, 'that didn have': 843528, 'didn have to': 241103, 'have to bid': 383164, 'to bid for': 901807, 'bid for it': 129471, 'for it maybe': 322718, 'it maybe to': 459561, 'maybe to nurse': 521862, 'to nurse doctor': 910756, 'nurse doctor delivery': 577289, 'doctor delivery supermarket': 250888, 'delivery supermarket etc': 234585, 'supermarket etc worker': 820218, '25k': 16083, 'say essential': 738613, 'should get': 766015, 'get 25k': 346477, '25k in': 16086, 'in hazard': 423583, 'compensate them': 191538, 'health during': 386385, 'pandemic this': 636742, 'this includes': 888067, 'includes health': 431756, 'clerk pharmacist': 181749, 'pharmacist postal': 654171, 'worker among': 1006250, 'say essential worker': 738614, 'worker should get': 1007775, 'should get 25k': 766016, 'get 25k in': 346478, '25k in hazard': 16087, 'in hazard pay': 423584, 'pay to compensate': 645179, 'to compensate them': 903116, 'compensate them for': 191539, 'them for risking': 875724, 'their health during': 873515, 'health during the': 386387, 'the pandemic this': 863125, 'pandemic this includes': 636744, 'this includes health': 888072, 'includes health care': 431758, 'store clerk pharmacist': 807020, 'clerk pharmacist postal': 181751, 'pharmacist postal worker': 654172, 'postal worker among': 666462, 'worker among others': 1006252, 'vandal': 952384, 'vir': 957579, 'pretty extreme': 671404, 'extreme so': 293828, 'so wash': 778647, 'hand like': 375070, 'like vandal': 491714, 'vandal bleach': 952385, 'bleach every': 132498, 'surface wipe': 828094, 'wipe the': 996383, 'floor and': 310770, 'handle vir': 376288, 'vir baby': 957580, 'baby vir': 106722, 'baby quarentinelife': 106683, 'quarentinelife coronacrisis': 693187, 'it pretty extreme': 460440, 'pretty extreme so': 671405, 'extreme so wash': 293829, 'so wash your': 778648, 'your hand like': 1024200, 'hand like vandal': 375071, 'like vandal bleach': 491715, 'vandal bleach every': 952386, 'bleach every surface': 132499, 'every surface wipe': 286276, 'surface wipe the': 828095, 'wipe the floor': 996384, 'the floor and': 855417, 'floor and door': 310771, 'and door handle': 61680, 'door handle vir': 255610, 'handle vir baby': 376289, 'vir baby vir': 957582, 'baby vir baby': 106723, 'vir baby quarentinelife': 957581, 'baby quarentinelife coronacrisis': 106684, 'quarentinelife coronacrisis stophoarding': 693188, 'coronacrisis stophoarding stoppanicbuying': 204789, 'the ration': 865172, 'ration book': 697644, 'book to': 134614, 'buying now': 150774, 'now normal': 575367, 'normal working': 567420, 'who just': 989138, 'want do': 965764, 'do weekly': 250496, 'shop cant': 760019, 'there hand': 878458, 'on nothing': 602444, 'nothing stophoarding': 573166, 'stophoarding ww2': 805519, 'ww2 coronacrisis': 1013644, 'bring back the': 139933, 'back the ration': 107316, 'the ration book': 865174, 'ration book to': 697650, 'book to stop': 134619, 'to stop this': 915587, 'stop this panic': 805194, 'panic buying now': 637823, 'buying now normal': 150776, 'now normal working': 575368, 'normal working class': 567421, 'class people who': 180243, 'people who just': 650309, 'who just want': 989147, 'just want do': 470223, 'want do weekly': 965765, 'do weekly shop': 250497, 'weekly shop cant': 977545, 'shop cant get': 760020, 'cant get there': 162303, 'get there hand': 348382, 'there hand on': 878459, 'hand on nothing': 375138, 'on nothing stophoarding': 602446, 'nothing stophoarding ww2': 573167, 'stophoarding ww2 coronacrisis': 805520, 'newzealand is': 561238, 'week our': 976705, 'should freeze': 766013, 'freeze food': 332524, 'out free': 626179, 'all kiwi': 43323, 'kiwi doubt': 475844, 'newzealand is and': 561239, 'is and will': 445717, 'and will stay': 75695, 'will stay in': 994963, 'stay in lockdown': 797052, 'in lockdown for': 424840, 'lockdown for the': 499399, 'the next week': 861712, 'next week our': 561694, 'week our government': 976708, 'our government should': 623275, 'government should freeze': 360602, 'should freeze food': 766014, 'freeze food price': 332525, 'food price and': 315920, 'price and hand': 672429, 'and hand out': 64142, 'hand out free': 375161, 'out free face': 626182, 'glove for all': 352688, 'for all kiwi': 319144, 'all kiwi doubt': 43324, 'kiwi doubt that': 475845, 'doubt that just': 256216, 'that just staying': 844796, 'just staying at': 469893, 'home will stop': 402510, 'will stop the': 995003, 'stop the virus': 805159, 'eseva': 280353, '14713': 3590, '15days': 4013, 'brat': 138194, 'mob983682234': 534917, 'eseva am': 280354, 'of bharat': 580688, 'bharat gas': 129346, 'gas consumer': 343794, 'no 14713': 563556, '14713 of': 3591, 'bengal my': 127201, 'my cylinder': 547875, 'cylinder last': 224121, 'last delivered': 480191, 'delivered 15days': 233283, '15days ago': 4014, 'now brat': 574269, 'brat gas': 138197, 'gas sending': 344089, 'sending sm': 750089, 'sm of': 774753, 'with 15': 996948, 'day which': 228743, 'already over': 47549, 'over plz': 630512, 'plz help': 661820, 'next cylinder': 561320, 'cylinder booking': 224115, 'booking mob983682234': 134735, 'eseva am consumer': 280355, 'am consumer of': 49980, 'consumer of bharat': 198237, 'of bharat gas': 580689, 'bharat gas consumer': 129347, 'gas consumer no': 343795, 'consumer no 14713': 198218, 'no 14713 of': 563557, '14713 of west': 3592, 'of west bengal': 593031, 'west bengal my': 980467, 'bengal my cylinder': 127202, 'my cylinder last': 547876, 'cylinder last delivered': 224122, 'last delivered 15days': 480192, 'delivered 15days ago': 233284, '15days ago now': 4015, 'ago now brat': 38437, 'now brat gas': 574270, 'brat gas sending': 138198, 'gas sending sm': 344090, 'sending sm of': 750090, 'sm of covid': 774754, '19 with 15': 12122, 'with 15 day': 996950, '15 day which': 3697, 'day which is': 228744, 'which is already': 985980, 'is already over': 445528, 'already over plz': 47550, 'over plz help': 630513, 'plz help me': 661822, 'help me in': 390069, 'me in my': 522971, 'in my next': 425606, 'my next cylinder': 549485, 'next cylinder booking': 561321, 'cylinder booking mob983682234': 224116, 'empowering': 274661, 'likelihood': 491926, 'feral': 303537, 'peop': 646717, 'worry can': 1010685, 'be empowering': 114666, 'empowering panic': 274662, 'panic isn': 638231, 'isn yes': 454765, 'yes highly': 1015456, 'highly concerned': 396041, 'concerned especially': 193196, 'especially about': 280424, 'the likelihood': 859373, 'likelihood of': 491927, 'of feral': 583486, 'feral gang': 303538, 'gang individual': 343403, 'individual robbing': 435246, 'robbing home': 724688, 'food other': 315694, 'staple fear': 793927, 'fear it': 301179, 'being out': 125509, 'the control': 851694, 'police army': 662924, 'army hope': 93012, 'hope peop': 403595, 'worry can be': 1010686, 'can be empowering': 157617, 'be empowering panic': 114667, 'empowering panic isn': 274663, 'panic isn yes': 638232, 'isn yes highly': 454766, 'yes highly concerned': 1015457, 'highly concerned especially': 396042, 'concerned especially about': 193197, 'especially about the': 280425, 'about the likelihood': 26435, 'the likelihood of': 859374, 'likelihood of feral': 491930, 'of feral gang': 583487, 'feral gang individual': 303539, 'gang individual robbing': 343404, 'individual robbing home': 435247, 'robbing home for': 724689, 'home for food': 401231, 'for food other': 321610, 'food other staple': 315697, 'other staple fear': 620956, 'staple fear it': 793928, 'fear it being': 301180, 'it being out': 456828, 'being out of': 125511, 'of the control': 590891, 'the control of': 851695, 'of the police': 591344, 'the police army': 863915, 'police army hope': 662925, 'army hope peop': 93013, 'focussed': 312005, 'consumer focussed': 197508, 'focussed startup': 312010, 'startup in': 795111, 'come hear': 187336, 'hear it': 387943, 'from founder': 335549, 'founder live': 330544, 'practice for consumer': 668564, 'for consumer focussed': 320258, 'consumer focussed startup': 197509, 'focussed startup in': 312011, 'startup in the': 795113, 'in the month': 429369, 'the month to': 860856, 'month to come': 538077, 'to come hear': 903031, 'come hear it': 187337, 'hear it from': 387945, 'it from founder': 458153, 'from founder live': 335550, 'founder live at': 330545, 'live at our': 495735, 'at our next': 100024, 'farmasi': 299222, 'luxurious': 506903, 'love farmasi': 504655, 'farmasi product': 299223, 'product super': 681663, 'super affordable': 818464, 'price luxurious': 675137, 'luxurious quality': 506906, 'quality get': 691792, 'your essential': 1023684, 'for self': 325418, 'care delivered': 163907, 'door cannot': 255544, 'family personal': 298155, 'personal need': 652919, 'need order': 555385, 'why love farmasi': 991174, 'love farmasi product': 504656, 'farmasi product super': 299224, 'product super affordable': 681664, 'super affordable price': 818465, 'affordable price luxurious': 34886, 'price luxurious quality': 675138, 'luxurious quality get': 506907, 'quality get your': 691793, 'get your essential': 348700, 'your essential for': 1023688, 'essential for self': 281062, 'for self care': 325419, 'self care delivered': 747558, 'care delivered to': 163908, 'your door cannot': 1023570, 'door cannot stop': 255545, 'cannot stop you': 162140, 'stop you from': 805293, 'you from getting': 1018716, 'from getting your': 335638, 'getting your family': 349465, 'your family personal': 1023798, 'family personal need': 298156, 'personal need order': 652920, 'need order today': 555386, 'yamal': 1014121, 'while curve': 986732, 'curve contract': 221845, 'contract rebound': 201691, 'rebound on': 703323, 'on optimism': 602533, 'optimism over': 613913, 'massive stimulus': 520125, 'package spot': 633401, 'spot gas': 790058, 'europe remain': 283504, 'remain weak': 709916, 'weak to': 974046, 'to driven': 904751, 'driven cut': 259298, 'demand despite': 235228, 'despite cold': 238701, 'cold weather': 185808, 'weather and': 974843, 'and downward': 61704, 'downward adjustment': 257828, 'adjustment in': 32376, 'in russian': 427594, 'russian gas': 728644, 'gas flow': 343849, 'flow through': 311261, 'the yamal': 872137, 'yamal pipeline': 1014122, 'pipeline since': 656910, 'since last': 770690, 'while curve contract': 986733, 'curve contract rebound': 221846, 'contract rebound on': 201692, 'rebound on optimism': 703324, 'on optimism over': 602534, 'optimism over the': 613914, 'over the massive': 630739, 'the massive stimulus': 860274, 'massive stimulus package': 520126, 'stimulus package spot': 801590, 'package spot gas': 633402, 'spot gas price': 790059, 'price in europe': 674681, 'in europe remain': 422650, 'europe remain weak': 283505, 'remain weak to': 709917, 'weak to driven': 974047, 'to driven cut': 904752, 'driven cut in': 259299, 'cut in demand': 223373, 'in demand despite': 422118, 'demand despite cold': 235229, 'despite cold weather': 238702, 'cold weather and': 185809, 'weather and downward': 974844, 'and downward adjustment': 61705, 'downward adjustment in': 257829, 'adjustment in russian': 32377, 'in russian gas': 427595, 'russian gas flow': 728645, 'gas flow through': 343850, 'flow through the': 311262, 'through the yamal': 894780, 'the yamal pipeline': 872138, 'yamal pipeline since': 1014123, 'pipeline since last': 656911, 'since last week': 770695, 'astrocyte': 97251, 'disinfecting wipe': 245893, 'wipe disappearing': 996221, 'shelf knowing': 757269, 'what soap': 982202, 'soap amp': 778900, 'amp cleaner': 53529, 'cleaner work': 180869, 'work best': 1004936, 'best against': 127566, 'against is': 37515, 'for keeping': 322809, 'household hygienic': 406835, 'hygienic see': 412229, 'see which': 746060, 'which household': 985939, 'household scrub': 406934, 'scrub amp': 742887, 'supply best': 824851, 'best combat': 127635, 'combat astrocyte': 186985, 'sanitizer and disinfecting': 734400, 'and disinfecting wipe': 61464, 'disinfecting wipe disappearing': 245895, 'wipe disappearing from': 996222, 'from shelf knowing': 337242, 'shelf knowing what': 757270, 'knowing what soap': 477150, 'what soap amp': 982203, 'soap amp cleaner': 778901, 'amp cleaner work': 53530, 'cleaner work best': 180870, 'work best against': 1004937, 'best against is': 127567, 'against is important': 37517, 'is important for': 448727, 'important for keeping': 418802, 'for keeping your': 322821, 'keeping your household': 472635, 'your household hygienic': 1024431, 'household hygienic see': 406836, 'hygienic see which': 412230, 'see which household': 746061, 'which household scrub': 985940, 'household scrub amp': 406935, 'scrub amp supply': 742888, 'amp supply best': 54592, 'supply best combat': 824852, 'best combat astrocyte': 127636, 'seriously stop': 751731, 'take thing': 832703, 'thing away': 884182, 'poor the': 664303, 'those working': 892744, 'also drive': 48131, 'price coronacrisis': 673249, 'seriously stop panic': 751732, 'buying there are': 151195, 'plenty of supply': 660981, 'of supply at': 590471, 'supply at the': 824820, 'moment it only': 535976, 'only take thing': 611235, 'take thing away': 832704, 'thing away from': 884183, 'away from those': 105917, 'from those who': 338035, 'it the poor': 461566, 'the poor the': 863991, 'poor the elderly': 664304, 'elderly those working': 270916, 'those working hard': 892747, 'help it will': 389953, 'it will also': 462370, 'will also drive': 992256, 'also drive up': 48133, 'drive up food': 259242, 'up food price': 944893, 'food price coronacrisis': 315929, 'wb': 970230, 'smooth': 775923, 'amitav': 52869, 'roy': 726602, 'it complete': 457242, 'complete panic': 192131, 'panic havoc': 638164, 'havoc which': 384436, 'in increase': 424010, 'price request': 676191, 'to kindly': 908953, 'kindly advice': 475104, 'advice instruct': 33411, 'instruct wb': 440522, 'wb govt': 970231, 'govt the': 361298, 'the ensure': 854340, 'ensure support': 278046, 'support smooth': 826826, 'smooth movement': 775930, 'movement of': 543895, 'have control': 380103, 'control on': 202079, 'price regard': 676143, 'regard amitav': 707127, 'amitav roy': 52870, 'it complete panic': 457244, 'complete panic havoc': 192132, 'panic havoc which': 638166, 'havoc which resulted': 384437, 'resulted in increase': 717678, 'in increase of': 424012, 'increase of essential': 432938, 'essential food price': 281046, 'food price request': 315967, 'price request you': 676192, 'you to kindly': 1021795, 'to kindly advice': 908954, 'kindly advice instruct': 475105, 'advice instruct wb': 33412, 'instruct wb govt': 440523, 'wb govt the': 970233, 'govt the ensure': 361299, 'the ensure support': 854341, 'ensure support smooth': 278047, 'support smooth movement': 826827, 'smooth movement of': 775931, 'movement of essential': 543897, 'of essential service': 583187, 'essential service to': 281535, 'service to have': 752977, 'to have control': 907221, 'have control on': 380105, 'control on food': 202080, 'on food price': 600898, 'food price regard': 315965, 'price regard amitav': 676144, 'regard amitav roy': 707128, 'wife work': 992010, 'interact with': 441201, 'asthma so': 97205, 'an increased': 56240, 'increased risk': 433456, 'of serious': 589518, 'serious complication': 751349, 'complication should': 192497, 'should contract': 765878, 'contract wa': 201716, 'wa laid': 962500, 'off month': 593975, 'insurance am': 440666, 'am terrified': 50477, 'wife work at': 992011, 'store so she': 810235, 'so she ha': 778192, 'she ha to': 756083, 'ha to continue': 372294, 'continue to interact': 201213, 'to interact with': 908450, 'interact with the': 441212, 'public have asthma': 688052, 'have asthma so': 379373, 'asthma so at': 97207, 'so at an': 776563, 'at an increased': 97988, 'an increased risk': 56246, 'increased risk of': 433458, 'risk of serious': 723774, 'of serious complication': 589519, 'serious complication should': 751351, 'complication should contract': 192498, 'should contract wa': 765879, 'contract wa laid': 201717, 'wa laid off': 962501, 'laid off month': 479024, 'off month ago': 593976, 'month ago and': 537531, 'ago and do': 38335, 'not have health': 569840, 'have health insurance': 380908, 'health insurance am': 386540, 'insurance am terrified': 440667, 'guideline we': 368496, 'our responsibility': 624624, 'responsibility to': 715985, 'keep ourselves': 471763, 'ourselves and': 625457, 'around safe': 93467, 'safe continue': 729562, 'continue shopping': 201127, 'on friend': 601020, 'stay thoughtful': 797355, '19 guideline we': 7318, 'guideline we believe': 368498, 'we believe that': 970849, 'believe that it': 126341, 'it is our': 459032, 'is our responsibility': 450639, 'our responsibility to': 624625, 'responsibility to keep': 715988, 'to keep ourselves': 908822, 'keep ourselves and': 471764, 'ourselves and the': 625460, 'and the people': 73512, 'the people around': 863455, 'people around safe': 647142, 'around safe continue': 93468, 'safe continue shopping': 729563, 'continue shopping online': 201130, 'shopping online and': 763408, 'online and practice': 607845, 'distancing when you': 247637, 'can check in': 157897, 'check in on': 174472, 'in on friend': 426119, 'on friend and': 601021, 'family and remember': 297600, 'and remember to': 70223, 'to stay thoughtful': 915325, 'isn call': 454451, 'buy but': 148454, 'for lot': 323116, 'up increased': 945194, 'demand coupled': 235180, 'covid causing': 214137, 'causing supply': 168107, 'shortage shipping': 765209, 'shipping issue': 758863, 'know we re': 476931, 'food in place': 314961, 'like the united': 491406, 'united state or': 942234, 'state or the': 795842, 'or the uk': 617405, 'uk so this': 938725, 'so this isn': 778500, 'this isn call': 888482, 'isn call to': 454452, 'call to panic': 156180, 'panic buy but': 637472, 'buy but price': 148457, 'but price for': 146842, 'price for lot': 673992, 'for lot of': 323117, 'of thing are': 591891, 'to go up': 906874, 'go up increased': 354434, 'up increased demand': 945195, 'increased demand coupled': 433266, 'demand coupled with': 235181, 'coupled with covid': 211728, 'with covid causing': 997839, 'covid causing supply': 214138, 'causing supply shortage': 168108, 'supply shortage shipping': 825837, 'shortage shipping issue': 765210, 'kungflu': 477930, 'sacked': 729057, 'behaved': 123804, 'be rightly': 116890, 'rightly judged': 722467, 'judged on': 467646, 'to kungflu': 909016, 'kungflu those': 477933, 'that hiked': 844335, 'price refused': 676141, 'pay out': 645030, 'on insurance': 601593, 'insurance policy': 440790, 'policy taken': 663508, 'taken in': 833010, 'in good': 423363, 'good faith': 357027, 'faith sacked': 296532, 'sacked staff': 729058, 'staff without': 793103, 'without warning': 1003038, 'warning or': 967172, 'just generally': 468797, 'generally behaved': 345525, 'behaved like': 123811, 'like asshole': 489837, 'asshole will': 96591, 'be remembered': 116780, 'remembered and': 710442, 'suffer long': 817214, 'company will be': 191328, 'will be rightly': 992655, 'be rightly judged': 116891, 'rightly judged on': 722468, 'judged on their': 467647, 'on their response': 604504, 'their response to': 874574, 'response to kungflu': 715862, 'to kungflu those': 909017, 'kungflu those that': 477934, 'those that hiked': 892535, 'that hiked price': 844336, 'hiked price refused': 396336, 'price refused to': 676142, 'refused to pay': 707074, 'to pay out': 911549, 'pay out on': 645032, 'out on insurance': 626907, 'on insurance policy': 601594, 'insurance policy taken': 440792, 'policy taken in': 663509, 'taken in good': 833012, 'in good faith': 423367, 'good faith sacked': 357028, 'faith sacked staff': 296533, 'sacked staff without': 729059, 'staff without warning': 793105, 'without warning or': 1003039, 'warning or just': 967173, 'or just generally': 615880, 'just generally behaved': 468798, 'generally behaved like': 345526, 'behaved like asshole': 123812, 'like asshole will': 489838, 'asshole will be': 96592, 'will be remembered': 992643, 'be remembered and': 116781, 'remembered and will': 710443, 'and will suffer': 75698, 'will suffer long': 995023, 'suffer long term': 817215, 'still part': 801026, 'life particularly': 488962, 'particularly when': 642729, 'concern make': 193013, 'difficult or': 242248, 'or impossible': 615745, 'house while': 406678, 'make tiny': 510658, 'tiny change': 898656, 'with huge': 998899, 'huge impact': 410065, 'impact use': 418036, 'use amazonsmile': 949030, 'for many of': 323228, 'many of online': 514381, 'shopping and delivery': 761975, 'and delivery are': 61110, 'delivery are still': 233723, 'are still part': 90465, 'still part of': 801027, 'part of life': 642357, 'of life particularly': 585831, 'life particularly when': 488963, 'particularly when covid': 642731, '19 concern make': 5920, 'concern make it': 193014, 'it difficult or': 457553, 'difficult or impossible': 242249, 'or impossible to': 615746, 'impossible to leave': 419402, 'to leave the': 909163, 'the house while': 857651, 'house while you': 406679, 'you shop on': 1021163, 'shop on amazon': 760541, 'on amazon you': 599297, 'can make tiny': 158954, 'make tiny change': 510659, 'tiny change with': 898657, 'change with huge': 172404, 'with huge impact': 998902, 'huge impact use': 410067, 'impact use amazonsmile': 418037, 'accordingly': 28605, 'hubby': 409862, 'didn panic': 241149, 'buy will': 149475, 'now create': 574477, 'create meal': 215680, 'meal menu': 524211, 'menu out': 528893, 'the cupboard': 852573, 'cupboard and': 220465, 'freezer then': 332637, 'then plan': 877423, 'plan my': 658178, 'next grocery': 561388, 'shop accordingly': 759795, 'accordingly although': 28606, 'although hubby': 49323, 'hubby did': 409867, 'did buy': 240576, 'buy packet': 149075, 'egg fried': 269864, 'fried rice': 333455, 'rice yesterday': 721179, 'yesterday when': 1015950, 'he went': 385655, 'buy loaf': 148909, 'loaf why': 497381, 'why stay': 991373, 'didn panic buy': 241151, 'panic buy will': 637545, 'buy will now': 149476, 'will now create': 994296, 'now create meal': 574478, 'create meal menu': 215682, 'meal menu out': 524212, 'menu out of': 528894, 'food we have': 317530, 'we have in': 971842, 'have in the': 381039, 'in the cupboard': 429114, 'the cupboard and': 852574, 'cupboard and freezer': 220466, 'and freezer then': 63290, 'freezer then plan': 332638, 'then plan my': 877424, 'plan my next': 658179, 'my next grocery': 549487, 'next grocery shop': 561391, 'grocery shop accordingly': 364964, 'shop accordingly although': 759796, 'accordingly although hubby': 28607, 'although hubby did': 49324, 'hubby did buy': 409868, 'did buy packet': 240577, 'buy packet of': 149076, 'packet of egg': 633704, 'of egg fried': 582995, 'egg fried rice': 269865, 'fried rice yesterday': 333458, 'rice yesterday when': 721180, 'yesterday when he': 1015951, 'when he went': 983550, 'he went out': 385657, 'to buy loaf': 902261, 'buy loaf why': 148910, 'loaf why stay': 497382, 'why stay safe': 991374, 'tshirt': 934930, 'followme': 312946, 'newtrend': 561151, 'your paper': 1025194, 'paper together': 640937, 'together toiletpaper': 921011, 'toiletpaper tshirt': 922779, 'tshirt top': 934931, 'top 2020': 925529, '2020 followme': 14309, 'followme newtrend': 312947, 'newtrend label': 561152, 'label corona': 478332, 'get your paper': 348722, 'your paper together': 1025195, 'paper together toiletpaper': 640938, 'together toiletpaper tshirt': 921012, 'toiletpaper tshirt top': 922780, 'tshirt top 2020': 934932, 'top 2020 followme': 925530, '2020 followme newtrend': 14310, 'followme newtrend label': 312948, 'newtrend label corona': 561153, 'supermarket supplier': 823042, 'supplier is': 824562, 'is reporting': 451439, 'reporting 500': 712659, '500 100': 19936, 'store demand': 807295, 'for bean': 319607, 'canada largest supermarket': 160486, 'largest supermarket supplier': 480032, 'supermarket supplier is': 823043, 'supplier is reporting': 824564, 'is reporting 500': 451440, 'reporting 500 100': 712660, '500 100 increase': 19938, 'increase in store': 432871, 'in store demand': 428402, 'store demand for': 807296, 'demand for bean': 235383, 'welch': 977861, 'added this': 31613, 'this great': 887749, 'health section': 386833, 'the welch': 871368, 'welch medical': 977862, 'medical library': 526243, 'library guide': 488067, 'guide well': 368378, 'just added this': 468155, 'added this great': 31614, 'this great resource': 887755, 'resource to the': 714916, 'the consumer health': 851543, 'consumer health section': 197730, 'health section of': 386834, 'of the welch': 591613, 'the welch medical': 871369, 'welch medical library': 977863, 'medical library guide': 526244, 'library guide well': 488068, 'these supermarket': 880774, 'hand stoppanicbuying': 375807, 'get anything in': 346589, 'anything in these': 80795, 'in these supermarket': 429862, 'these supermarket this': 880776, 'supermarket this is': 823314, 'of hand stoppanicbuying': 584438, 'bell': 126476, 'supportdailywagers': 827030, 'thanksitcreckitthuldaburgodrej': 842306, 'voice ring': 959998, 'ring the': 722535, 'the bell': 849457, 'bell all': 126479, 'all will': 45467, 'will listen': 994023, 'listen act': 494660, 'act indiafightscorona': 29663, 'indiafightscorona supportdailywagers': 434737, 'supportdailywagers thanksitcreckitthuldaburgodrej': 827031, 'thanksitcreckitthuldaburgodrej fmcg': 842307, 'fmcg company': 311721, 'company slash': 191086, 'slash sanitiser': 773594, 'sanitiser face': 733951, '70 via': 21852, 'raise your voice': 695981, 'your voice ring': 1026294, 'voice ring the': 959999, 'ring the bell': 722536, 'the bell all': 849458, 'bell all will': 126480, 'all will listen': 45470, 'will listen act': 994024, 'listen act indiafightscorona': 494661, 'act indiafightscorona supportdailywagers': 29664, 'indiafightscorona supportdailywagers thanksitcreckitthuldaburgodrej': 434738, 'supportdailywagers thanksitcreckitthuldaburgodrej fmcg': 827032, 'thanksitcreckitthuldaburgodrej fmcg company': 842308, 'fmcg company slash': 311725, 'company slash sanitiser': 191087, 'slash sanitiser face': 773595, 'sanitiser face mask': 733952, 'mask price by': 519141, 'price by up': 673044, 'to 70 via': 899815, 'scamwarning': 740685, 'asd': 94896, 'acsc': 29572, 'themed': 876719, 'scamwatch': 740692, 'scamwarning asd': 740686, 'asd australian': 94897, 'australian cyber': 103471, 'cyber security': 223939, 'security centre': 744565, 'centre acsc': 169476, 'acsc is': 29573, 'is aware': 445934, '19 themed': 11269, 'themed scam': 876724, 'scam being': 740078, 'being distributed': 125061, 'distributed via': 248065, 'via text': 956291, 'australian competition': 103465, 'commission acc': 188785, 'acc scamwatch': 27817, 'scamwatch ha': 740693, 'received multiple': 703651, 'multiple report': 545780, 'scamwarning asd australian': 740687, 'asd australian cyber': 94898, 'australian cyber security': 103472, 'cyber security centre': 223941, 'security centre acsc': 744566, 'centre acsc is': 169477, 'acsc is aware': 29574, 'is aware of': 445935, 'aware of covid': 105629, 'covid 19 themed': 213933, '19 themed scam': 11270, 'themed scam being': 876725, 'scam being distributed': 740079, 'being distributed via': 125063, 'distributed via text': 248067, 'via text message': 956293, 'text message we': 839919, 'message we understand': 529477, 'understand the australian': 940744, 'the australian competition': 849058, 'australian competition and': 103466, 'competition and consumer': 191663, 'and consumer commission': 60362, 'consumer commission acc': 196817, 'commission acc scamwatch': 188787, 'acc scamwatch ha': 27818, 'scamwatch ha received': 740694, 'ha received multiple': 371666, 'received multiple report': 703652, 'multiple report of': 545781, 'report of covid': 712110, 'photography': 655282, 'maharashtra': 508477, 'actually enjoying': 30793, 'enjoying this': 277245, 'this social': 890225, 'city is': 179213, 'is quiet': 451183, 'quiet and': 694673, 'and peaceful': 68821, 'peaceful and': 646025, 'time socialdistancing': 897706, 'socialdistancing stockup': 780754, 'stockup life': 804180, 'life virus': 489176, 'virus photography': 958631, 'photography morning': 655298, 'morning mumbai': 541360, 'mumbai mumbai': 546015, 'mumbai maharashtra': 546014, 'actually enjoying this': 30794, 'enjoying this social': 277246, 'this social distancing': 890227, 'distancing the city': 247533, 'the city is': 850943, 'city is quiet': 179217, 'is quiet and': 451184, 'quiet and peaceful': 694674, 'and peaceful and': 68822, 'peaceful and lot': 646026, 'lot of me': 504224, 'of me time': 586347, 'me time socialdistancing': 523733, 'time socialdistancing stockup': 897708, 'socialdistancing stockup life': 780755, 'stockup life virus': 804181, 'life virus photography': 489177, 'virus photography morning': 958632, 'photography morning mumbai': 655299, 'morning mumbai mumbai': 541361, 'mumbai mumbai maharashtra': 546016, 'attic': 102529, 'home self': 402030, 'isolation in': 455310, 'the attic': 849032, 'attic for': 102530, 'day complicated': 227471, 'complicated to': 192466, 'it mildly': 459621, 'mildly but': 531361, 'local friend': 497995, 'spare some': 787496, 'can maybe': 158976, 'maybe get': 521684, 'get stuff': 348137, 'stuff from': 815074, 'from kitchen': 336179, 'made it home': 507805, 'it home self': 458616, 'home self isolation': 402031, 'self isolation in': 747778, 'isolation in the': 455313, 'in the attic': 428994, 'the attic for': 849033, 'attic for 14': 102531, '14 day complicated': 3444, 'day complicated to': 227472, 'complicated to put': 192467, 'put it mildly': 690647, 'it mildly but': 459622, 'mildly but we': 531362, 'but we will': 147769, 'we will do': 973854, 'will do our': 993228, 'our best if': 622192, 'best if any': 127725, 'if any local': 413829, 'any local friend': 79420, 'local friend can': 497997, 'friend can spare': 333546, 'can spare some': 159687, 'spare some hand': 787497, 'sanitizer we could': 736043, 'we could use': 971219, 'could use some': 209807, 'use some so': 949603, 'some so can': 783901, 'so can maybe': 776717, 'can maybe get': 158977, 'maybe get stuff': 521686, 'get stuff from': 348139, 'stuff from kitchen': 815075, 'handsanitisers': 376458, 'conscience': 194774, 'outbreak local': 628426, 'local shopkeeper': 498427, 'shopkeeper started': 761190, 'started price': 794813, 'gouging for': 359320, 'for item': 322752, 'like handsanitisers': 490374, 'handsanitisers mask': 376461, 'mask cigarette': 518529, 'cigarette today': 178491, 'today local': 919820, 'shop increased': 760339, 'all vegetable': 45353, 'vegetable don': 953969, 'how their': 408897, 'their conscience': 872846, 'conscience allows': 194775, 'allows them': 46399, 'do profiting': 250005, '19 outbreak local': 9152, 'outbreak local shopkeeper': 628427, 'local shopkeeper started': 498428, 'shopkeeper started price': 761191, 'started price gouging': 794814, 'price gouging for': 674278, 'gouging for item': 359321, 'for item like': 322755, 'item like handsanitisers': 463414, 'like handsanitisers mask': 490375, 'handsanitisers mask cigarette': 376462, 'mask cigarette today': 518530, 'cigarette today local': 178492, 'today local grocery': 919821, 'grocery shop increased': 364974, 'shop increased price': 760340, 'increased price on': 433418, 'on all vegetable': 599254, 'all vegetable don': 45354, 'vegetable don understand': 953970, 'don understand how': 254006, 'understand how their': 940650, 'how their conscience': 408899, 'their conscience allows': 872847, 'conscience allows them': 194776, 'allows them do': 46400, 'them do profiting': 875610, 'do profiting from': 250006, 'afghanistan via': 34938, 'threat in afghanistan': 893668, 'in afghanistan via': 420079, 'on scam': 603324, 'scam be': 740071, 'aware that': 105656, 'going door': 355110, 'people or': 648997, 'or offer': 616350, 'offer virus': 594871, 'it scam': 460897, 'scam more': 740250, 'update on scam': 947131, 'on scam be': 603325, 'scam be aware': 740072, 'be aware that': 113780, 'aware that is': 105659, 'that is absolutely': 844548, 'is absolutely not': 445298, 'absolutely not going': 27409, 'not going door': 569697, 'going door to': 355111, 'to door to': 904675, 'door to check': 255748, 'to check on': 902690, 'check on people': 174511, 'on people or': 602745, 'people or offer': 649000, 'or offer virus': 616353, 'offer virus testing': 594872, 'virus testing it': 958859, 'testing it scam': 839527, 'it scam more': 460899, 'scam more info': 740252, 'more info on': 539559, 'info on coronavirus': 437525, 'on coronavirus scam': 600126, 'coronavirus scam from': 206716, 'scam from here': 740175, 'hoarding no': 399440, 'shortage except': 764935, 'except mask': 289194, 'mask plenty': 519124, 'but panic': 146747, 'shelf which': 757796, 'which creates': 985791, 'creates impression': 215947, 'impression shortage': 419470, 'shortage trigger': 765284, 'trigger more': 931875, 'buying store': 151096, 'store trouble': 810957, 'trouble keeping': 932625, 'keeping shelf': 472549, 'people stop hoarding': 649651, 'stop hoarding no': 804734, 'hoarding no shortage': 399441, 'no shortage except': 565491, 'shortage except mask': 764936, 'except mask plenty': 289195, 'mask plenty food': 519125, 'plenty food but': 660918, 'food but panic': 313828, 'but panic hoarding': 146749, 'panic hoarding empty': 638179, 'empty shelf which': 275110, 'shelf which creates': 757798, 'which creates impression': 985793, 'creates impression shortage': 215948, 'impression shortage trigger': 419471, 'shortage trigger more': 765285, 'trigger more panic': 931876, 'panic buying store': 637907, 'buying store trouble': 151097, 'store trouble keeping': 810958, 'trouble keeping shelf': 932626, 'keeping shelf stocked': 472550, 'springfashion': 791276, 'evahh': 283713, 'excited for': 289542, 'the springfashion': 867663, 'springfashion most': 791277, 'expensive and': 291218, 'and sought': 72014, 'after dress': 35583, 'dress evahh': 258664, 'evahh toiletpaper': 283714, 'toiletpaper fashion': 921977, 'fashion dress': 299802, 'dress spring': 258682, 'so excited for': 776986, 'excited for all': 289543, 'all the springfashion': 44918, 'the springfashion most': 867664, 'springfashion most expensive': 791278, 'most expensive and': 542317, 'expensive and sought': 291220, 'and sought after': 72015, 'sought after dress': 786206, 'after dress evahh': 35584, 'dress evahh toiletpaper': 258665, 'evahh toiletpaper fashion': 283715, 'toiletpaper fashion dress': 921978, 'fashion dress spring': 299803, 'congregation': 194475, 'many church': 513900, 'church are': 178337, 'are exposing': 86375, 'exposing their': 292940, 'their congregation': 872844, 'congregation to': 194480, 'people fast': 647870, 'worker etc': 1006865, 'sick die': 768414, 'die displaced': 241317, 'by unemployment': 154630, 'unemployment due': 941200, 'these congregation': 879799, 'congregation how': 194476, 'how many church': 408252, 'many church are': 513901, 'church are exposing': 178338, 'are exposing their': 86376, 'exposing their congregation': 292941, 'their congregation to': 872845, 'congregation to covid': 194481, 'and how many': 64824, 'many more supermarket': 514316, 'more supermarket worker': 540505, 'delivery people fast': 234315, 'people fast food': 647871, 'fast food worker': 299979, 'food worker etc': 317670, 'worker etc will': 1006875, 'etc will get': 282890, 'will get sick': 993520, 'get sick die': 347991, 'sick die displaced': 768415, 'die displaced by': 241318, 'displaced by unemployment': 246180, 'by unemployment due': 154631, 'unemployment due to': 941202, 'to the selfishness': 917048, 'the selfishness of': 866676, 'selfishness of these': 748372, 'of these congregation': 591820, 'these congregation how': 879800, 'congregation how much': 194477, 'cared': 164327, 'we cared': 971104, 'cared le': 164328, 'le about': 482826, 'about people': 25930, 'people c4news': 647369, 'really do not': 702127, 'about the stock': 26530, 'stock market we': 802453, 'market we be': 517318, 'we be better': 970815, 'be better off': 113839, 'better off of': 128388, 'off of we': 594013, 'of we cared': 592961, 'we cared le': 971105, 'cared le about': 164329, 'le about the': 482828, 'market and more': 515975, 'and more about': 67138, 'more about people': 538518, 'about people c4news': 25933, 'angeles county': 76370, 'county where': 211530, '00 case': 105, 'case official': 165936, 'official have': 595832, 'have urged': 383479, 'urged resident': 948274, 'los angeles county': 503363, 'angeles county where': 76372, 'county where there': 211532, 'where there are': 985262, 'there are more': 878127, 'than 00 case': 840133, '00 case official': 111, 'case official have': 165937, 'official have urged': 595837, 'have urged resident': 383480, 'urged resident to': 948276, 'resident to avoid': 714379, 'this week if': 891222, 'week if possible': 976354, 'frederick': 331588, 'more indispensable': 539533, 'indispensable than': 435115, 'pandemic ceo': 635119, 'to denver': 904174, 'denver frederick': 237118, 'frederick about': 331589, 'consumer amidst': 196183, 'consumer report more': 198714, 'report more indispensable': 712089, 'more indispensable than': 539534, 'indispensable than ever': 435116, 'ever during covid': 285284, '19 pandemic ceo': 9290, 'pandemic ceo of': 635120, 'ceo of talk': 169790, 'of talk to': 590589, 'talk to denver': 833874, 'to denver frederick': 904175, 'denver frederick about': 237119, 'frederick about the': 331590, 'about the importance': 26420, 'importance of consumer': 418699, 'of consumer amidst': 581703, 'consumer amidst the': 196184, 'startagarden': 794664, 'with nofood': 999804, 'nofood in': 566152, 'and spring': 72164, 'spring here': 791214, 'to startagarden': 915234, 'startagarden do': 794665, 'not wait': 572421, 'until you': 943937, 'other choice': 619941, 'choice start': 177806, 'start now': 794402, 'with nofood in': 999805, 'nofood in the': 566153, 'store and spring': 806356, 'and spring here': 72167, 'spring here it': 791215, 'it is time': 459104, 'is time to': 453164, 'time to startagarden': 898074, 'to startagarden do': 915235, 'startagarden do not': 794666, 'do not wait': 249884, 'not wait until': 572425, 'wait until you': 964248, 'until you have': 943942, 'you have no': 1019081, 'no other choice': 565014, 'other choice start': 619943, 'choice start now': 177807, 'fewer pasta': 304225, 'pasta shape': 643805, 'shape two': 754855, 'two variety': 937298, 'variety of': 952562, 'paper instead': 640341, 'five and': 309585, 'and focus': 63003, 'on basic': 599576, 'basic flour': 111877, 'flour food': 311101, 'manufacturer are': 513421, 'limiting production': 492851, 'to maximize': 909900, 'maximize volume': 520798, 'volume and': 960116, 'the skyrocketing': 867314, 'demand caused': 235113, 'fewer pasta shape': 304226, 'pasta shape two': 643806, 'shape two variety': 754856, 'two variety of': 937299, 'variety of toilet': 952572, 'toilet paper instead': 921320, 'paper instead of': 640342, 'instead of five': 440261, 'of five and': 583569, 'five and focus': 309586, 'and focus on': 63004, 'focus on basic': 311865, 'on basic flour': 599579, 'basic flour food': 111878, 'flour food manufacturer': 311102, 'food manufacturer are': 315373, 'manufacturer are limiting': 513427, 'are limiting production': 87819, 'limiting production to': 492852, 'production to maximize': 682249, 'to maximize volume': 909902, 'maximize volume and': 520799, 'volume and meet': 960119, 'meet the skyrocketing': 527611, 'the skyrocketing demand': 867316, 'skyrocketing demand caused': 773419, 'demand caused by': 235114, 'you one': 1020197, 'the five': 855385, 'five million': 309639, 'million worker': 532428, 'get statutory': 348109, 'you contract': 1018034, 'contract here': 201663, 'here nail': 393375, 'nail down': 551443, 'and aren': 58379, 'aren entitled': 92397, 'are you one': 91828, 'you one of': 1020200, 'of the five': 591033, 'the five million': 855387, 'five million worker': 309640, 'million worker who': 532430, 'worker who will': 1008237, 'not get statutory': 569609, 'get statutory sick': 348111, 'sick pay if': 768571, 'pay if you': 644952, 'if you contract': 415414, 'you contract here': 1018035, 'contract here nail': 201664, 'here nail down': 393376, 'nail down what': 551445, 'down what you': 257462, 'you are and': 1017059, 'are and aren': 84544, 'and aren entitled': 58382, 'aren entitled to': 92398, 'entitled to for': 278832, 'stayhome24in48': 798241, 'buying stayhome24in48': 151082, 'stayhome24in48 stophoarding': 798244, 'me when see': 523943, 'see people panic': 745564, 'panic buying stayhome24in48': 637901, 'buying stayhome24in48 stophoarding': 151083, 'switzerland': 830596, 'the ikea': 857865, 'ikea outlet': 416050, 'outlet in': 629048, 'in switzerland': 428767, 'switzerland are': 830599, 'from 17': 334200, 'march up': 515508, 'least 19': 484335, '19 april': 5186, 'april people': 83654, 'all the ikea': 44791, 'the ikea outlet': 857866, 'ikea outlet in': 416051, 'outlet in switzerland': 629049, 'in switzerland are': 428769, 'switzerland are closed': 830600, 'are closed from': 85345, 'closed from 17': 183138, 'from 17 march': 334202, '17 march up': 4357, 'march up to': 515509, 'up to at': 946358, 'to at least': 900805, 'at least 19': 99443, 'least 19 april': 484336, '19 april people': 5188, 'april people can': 83655, 'can do online': 158114, 'london your': 501235, 'behavior make': 124112, 'sense now': 750547, 'washing gone': 967662, 'gone it': 356318, 'the dishwasher': 853383, 'dishwasher turn': 245532, 'turn stop': 935765, 'idiot stophoarding': 413598, 'stophoarding panicbuy': 805436, 'london your behavior': 501236, 'your behavior make': 1022933, 'behavior make no': 124113, 'no sense now': 565461, 'sense now with': 750549, 'now with hand': 576444, 'with hand washing': 998726, 'hand washing gone': 375947, 'washing gone it': 967663, 'gone it the': 356319, 'it the dishwasher': 461527, 'the dishwasher turn': 853384, 'dishwasher turn stop': 245533, 'turn stop being': 935766, 'being selfish idiot': 125744, 'selfish idiot stophoarding': 748138, 'idiot stophoarding panicbuy': 413599, 'month from': 537744, 'from start': 337403, 'case stoppanicbuying': 166039, 'month from start': 537747, 'from start to': 337404, 'start to drop': 794580, 'drop in case': 260229, 'in case stoppanicbuying': 421277, 'siew': 769006, 'defy': 232500, 'gravity': 362449, 'bouncing': 136844, 'nice piece': 562460, 'colleague siew': 186236, 'siew can': 769007, 'can ironore': 158768, 'ironore continue': 444952, 'to defy': 904074, 'defy gravity': 232501, 'gravity despite': 362452, 'despite tanking': 238867, 'tanking steel': 834261, 'steel production': 799360, 'price scrap': 676314, 'scrap is': 742582, 'is bouncing': 446246, 'bouncing now': 136847, 'long can': 501363, 'can this': 159990, 'this continue': 886849, 'continue turkey': 201283, 'turkey catch': 935545, 'nice piece by': 562461, 'piece by my': 656284, 'by my colleague': 153278, 'my colleague siew': 547736, 'colleague siew can': 186237, 'siew can ironore': 769008, 'can ironore continue': 158769, 'ironore continue to': 444953, 'continue to defy': 201177, 'to defy gravity': 904075, 'defy gravity despite': 232502, 'gravity despite tanking': 362453, 'despite tanking steel': 238868, 'tanking steel production': 834262, 'steel production and': 799361, 'and price scrap': 69474, 'price scrap is': 676315, 'scrap is bouncing': 742583, 'is bouncing now': 446247, 'bouncing now but': 136848, 'now but how': 574285, 'but how long': 145972, 'how long can': 408193, 'long can this': 501367, 'can this continue': 159992, 'this continue turkey': 886850, 'continue turkey catch': 201284, 'turkey catch up': 935546, 'catch up on': 167053, 'on the curve': 604052, 'bombard': 134194, 'impotus': 419424, 'politicizing': 663768, 'drama no': 258247, 'no don': 564039, 'don watch': 254055, 'it instead': 458808, 'instead bombard': 440151, 'bombard wh': 134195, 'wh official': 980909, 'official office': 595861, 'office call': 595386, 'demanding impotus': 236596, 'impotus stop': 419425, 'stop politicizing': 804922, 'politicizing and': 663769, 'and lying': 66493, 'lying about': 507058, 'demand statewide': 236271, 'statewide closure': 796260, 'closure for': 183896, 'period test': 651891, 'test mask': 839083, 'mask ventilator': 519476, 'ventilator hospital': 954567, 'bed fund': 120400, 'fund food': 341400, 'for poor': 324612, 'poor time': 664309, 'drama no don': 258248, 'no don watch': 564040, 'don watch it': 254056, 'watch it instead': 968455, 'it instead bombard': 458809, 'instead bombard wh': 440152, 'bombard wh official': 134196, 'wh official office': 980910, 'official office call': 595862, 'office call demanding': 595387, 'call demanding impotus': 155832, 'demanding impotus stop': 236597, 'impotus stop politicizing': 419426, 'stop politicizing and': 804923, 'politicizing and lying': 663770, 'and lying about': 66494, 'lying about covid': 507060, '19 and demand': 5010, 'and demand statewide': 61172, 'demand statewide closure': 236272, 'statewide closure for': 796261, 'closure for period': 183898, 'for period test': 324484, 'period test mask': 651892, 'test mask ventilator': 839085, 'mask ventilator hospital': 519477, 'ventilator hospital bed': 954568, 'hospital bed fund': 404326, 'bed fund food': 120401, 'fund food for': 341401, 'food for poor': 314565, 'for poor time': 324616, 'relapsing': 708357, 'ha me': 371249, 'me relapsing': 523390, 'relapsing in': 708358, '19 ha me': 7365, 'ha me relapsing': 371254, 'me relapsing in': 523391, 'relapsing in my': 708359, 'in my online': 425607, 'decides': 230946, 'decides that': 230951, 'that during': 843650, 'during they': 263253, 'should raise': 766362, 'raise their': 695959, 'accommodate demand': 28427, 'demand order': 235988, 'that sat': 846119, 'sat in': 736899, 'in cart': 421249, 'cart overnight': 165353, 'overnight now': 631344, 'now cost': 574464, 'cost 100': 207813, '100 more': 1959, 'more nice': 539840, 'nice pull': 562467, 'decides that during': 230952, 'that during they': 843653, 'during they should': 263255, 'they should raise': 883380, 'should raise their': 766363, 'raise their price': 695960, 'their price overnight': 874411, 'price overnight to': 675820, 'overnight to accommodate': 631362, 'to accommodate demand': 899969, 'accommodate demand order': 28428, 'demand order that': 235989, 'order that sat': 618622, 'that sat in': 846120, 'sat in cart': 736900, 'in cart overnight': 421250, 'cart overnight now': 165354, 'overnight now cost': 631345, 'now cost 100': 574465, 'cost 100 more': 207817, '100 more nice': 1962, 'more nice pull': 539841, 'dtic': 261420, 'emergency price': 272896, 'control for': 202011, 'paper mask': 640451, 'good government': 357141, 'announced strict': 77048, 'strict new': 813641, 'new regulation': 559432, 'regulation to': 708120, 'gouging the': 359466, 'the dtic': 853754, 'dtic minister': 261421, 'minister ebrahim': 533360, 'patel signed': 643975, 'signed these': 769383, 'these part': 880402, 'the disaster': 853341, 'disaster management': 244223, 'management act': 512523, 'act read': 29751, 'emergency price control': 272897, 'price control for': 673236, 'control for toilet': 202013, 'toilet paper mask': 921352, 'paper mask and': 640452, 'mask and other': 518354, 'other good government': 620306, 'good government ha': 357142, 'government ha announced': 360139, 'ha announced strict': 369566, 'announced strict new': 77049, 'strict new regulation': 813642, 'new regulation to': 559434, 'regulation to prevent': 708123, 'to prevent price': 912082, 'prevent price gouging': 671702, 'price gouging the': 674331, 'gouging the dtic': 359467, 'the dtic minister': 853755, 'dtic minister ebrahim': 261422, 'minister ebrahim patel': 533361, 'ebrahim patel signed': 266574, 'patel signed these': 643977, 'signed these part': 769384, 'these part of': 880403, 'of the disaster': 590955, 'the disaster management': 853343, 'disaster management act': 244224, 'management act read': 512525, 'act read more': 29752, 'dodgy': 251304, 'cooling': 203079, 'money back': 536621, 'million dodgy': 532129, 'dodgy test': 251309, 'test that': 839190, 'don work': 254071, 'work under': 1005951, 'under believe': 940021, 'believe consumer': 126252, 'consumer legislation': 198022, 'legislation includes': 485975, 'includes cooling': 431734, 'cooling off': 203080, 'off period': 594066, 'period which': 651927, 'which give': 985862, 'mind after': 532613, 'made purchase': 507927, 'is the getting': 452808, 'the getting their': 856246, 'getting their money': 349369, 'their money back': 873994, 'money back on': 536623, 'back on million': 107191, 'on million dodgy': 602129, 'million dodgy test': 532130, 'dodgy test that': 251310, 'test that don': 839192, 'that don work': 843603, 'don work under': 254076, 'work under believe': 1005952, 'under believe consumer': 940022, 'believe consumer legislation': 126253, 'consumer legislation includes': 198023, 'legislation includes cooling': 485976, 'includes cooling off': 431735, 'cooling off period': 203081, 'off period which': 594067, 'period which give': 651928, 'which give you': 985865, 'give you the': 350871, 'you the freedom': 1021598, 'the freedom to': 855775, 'freedom to change': 332390, 'your mind after': 1024830, 'mind after you': 532614, 'after you have': 36607, 'you have made': 1019073, 'have made purchase': 381416, 'zambia': 1027206, 'salockdown': 732770, 'there one': 878893, 'one lesson': 606589, 'lesson zambia': 486525, 'zambia can': 1027209, 'take from': 832139, 'in manufacturing': 425042, 'industry this': 436158, 'is highlighting': 448459, 'highlighting how': 396010, 'consumer zambia': 199589, 'zambia wonder': 1027217, 'much impact': 545002, 'impact salockdown': 417950, 'salockdown will': 732771, 'have seeing': 382411, 'seeing we': 746551, 'we import': 972062, 'import lot': 418643, 'if there one': 415073, 'there one lesson': 878896, 'one lesson zambia': 606590, 'lesson zambia can': 486526, 'zambia can take': 1027210, 'can take from': 159897, 'take from the': 832141, 'pandemic is to': 635801, 'is to invest': 453213, 'invest in manufacturing': 443758, 'in manufacturing industry': 425045, 'manufacturing industry this': 513614, 'industry this period': 436160, 'this period is': 889522, 'period is highlighting': 651799, 'is highlighting how': 448461, 'highlighting how much': 396011, 'how much of': 408362, 'much of consumer': 545188, 'of consumer zambia': 581789, 'consumer zambia wonder': 199590, 'zambia wonder how': 1027218, 'wonder how much': 1003955, 'how much impact': 408354, 'much impact salockdown': 545003, 'impact salockdown will': 417951, 'salockdown will have': 732772, 'will have seeing': 993668, 'have seeing we': 382412, 'seeing we import': 746552, 'we import lot': 972063, 'import lot of': 418644, 'lot of product': 504261, 'of product from': 588489, 'product from them': 681218, 'impacted consumer': 418096, 'at how the': 99234, 'how the ha': 408832, 'the ha impacted': 856995, 'ha impacted consumer': 370912, 'impacted consumer spending': 418098, 'spending and worry': 788745, 'barton': 111414, 'assessment centre': 96384, 'centre will': 169564, 'begin operating': 123546, 'operating in': 613079, 'park in': 641932, 'in middleton': 425305, 'middleton next': 530719, 'the hot': 857559, 'hot hub': 405022, 'hub based': 409787, 'based at': 111512, 'tesco extra': 838702, 'extra on': 293591, 'on barton': 599568, 'barton road': 111415, 'road will': 724546, 'provide face': 686283, 'face appointment': 294313, 'appointment for': 82665, 'are believed': 84945, 'believed to': 126438, 'be carrying': 114013, 'assessment centre will': 96385, 'centre will begin': 169565, 'will begin operating': 992810, 'begin operating in': 123547, 'operating in supermarket': 613081, 'in supermarket car': 428572, 'car park in': 163225, 'park in middleton': 641935, 'in middleton next': 425306, 'middleton next week': 530720, 'next week the': 561699, 'week the hot': 976991, 'the hot hub': 857560, 'hot hub based': 405023, 'hub based at': 409788, 'based at tesco': 111514, 'at tesco extra': 100840, 'tesco extra on': 838703, 'extra on barton': 293592, 'on barton road': 599569, 'barton road will': 111416, 'road will provide': 724547, 'will provide face': 994512, 'provide face to': 686285, 'to face appointment': 905560, 'face appointment for': 294314, 'appointment for those': 82666, 'who are believed': 988106, 'are believed to': 84946, 'believed to be': 126439, 'to be carrying': 901153, 'be carrying the': 114015, 'carrying the virus': 165219, 'jersey are': 465188, 'insecure people': 439133, 'last in': 480273, 'case they': 166065, 'bank in new': 109923, 'in new jersey': 425820, 'new jersey are': 558964, 'jersey are working': 465189, 'working to ensure': 1008985, 'ensure that food': 278058, 'that food insecure': 843908, 'food insecure people': 315055, 'insecure people have': 439134, 'people have enough': 648177, 'have enough supply': 380468, 'enough supply to': 277654, 'to last in': 909065, 'last in case': 480274, 'in case they': 421280, 'case they are': 166066, 'they are confined': 881233, 'are confined to': 85489, 'their home for': 873562, 'home for while': 401249, 'savage': 737427, '48h': 19361, 'make angry': 509693, 'angry greedy': 76473, 'selfish savage': 748245, 'savage go': 737435, 'market they': 517209, 'they open': 882832, 'daily load': 224672, 'load their': 497299, 'limit permitted': 492449, 'permitted need': 652175, 'need or': 555380, 'not some': 571646, 'some sell': 783821, 'on at': 599494, 'at much': 99787, 'much inflated': 545014, 'this poor': 889658, 'poor nurse': 664238, 'after 48h': 35296, '48h shift': 19362, 'shift issue': 758340, 'issue an': 455658, 'an appeal': 55362, 'it make angry': 459509, 'make angry greedy': 509694, 'angry greedy selfish': 76474, 'greedy selfish savage': 363596, 'selfish savage go': 748246, 'savage go to': 737436, 'the market they': 860169, 'market they open': 517212, 'they open daily': 882835, 'open daily load': 612176, 'daily load their': 224673, 'load their trolley': 497301, 'their trolley to': 875037, 'trolley to the': 932492, 'to the limit': 916847, 'the limit permitted': 859389, 'limit permitted need': 492450, 'permitted need or': 652176, 'need or not': 555383, 'or not some': 616310, 'not some sell': 571648, 'some sell it': 783822, 'sell it on': 748769, 'it on at': 460031, 'on at much': 599499, 'at much inflated': 99790, 'much inflated price': 545015, 'inflated price this': 437076, 'price this poor': 676919, 'this poor nurse': 889661, 'poor nurse unable': 664239, 'food after 48h': 313038, 'after 48h shift': 35297, '48h shift issue': 19363, 'shift issue an': 758341, 'issue an appeal': 455659, 'emerged': 272551, 'gas renewed': 344078, 'renewed optimism': 711014, 'optimism after': 613901, 'after first': 35676, 'first sign': 309007, 'of slowdown': 589770, 'slowdown in': 774444, 'spread emerged': 790518, 'emerged in': 272562, 'in several': 427834, 'several european': 753840, '13 increase': 3223, 'price pushed': 676033, 'pushed european': 690359, 'higher on': 395638, 'gas renewed optimism': 344079, 'renewed optimism after': 711015, 'optimism after first': 613902, 'after first sign': 35678, 'first sign of': 309008, 'sign of slowdown': 769173, 'of slowdown in': 589773, 'slowdown in the': 774451, '19 spread emerged': 10744, 'spread emerged in': 790519, 'emerged in several': 272563, 'in several european': 427836, 'several european country': 753841, 'european country and': 283551, 'country and 13': 210432, 'and 13 increase': 57371, '13 increase in': 3224, 'increase in eua': 432833, 'eua price pushed': 283301, 'price pushed european': 676034, 'pushed european gas': 690360, 'gas price higher': 343979, 'price higher on': 674516, 'higher on monday': 395640, 'fiction': 304416, 'lovenowexplorelater': 505012, 'travellater': 930665, 'glaciermt': 351477, 'our small': 624798, 'before shop': 123073, 'shop local': 760422, 'local for': 497985, 'card fact': 163515, 'fact fiction': 295717, 'fiction book': 304417, 'book lovenowexplorelater': 134561, 'lovenowexplorelater travellater': 505014, 'travellater glaciermt': 930666, 'our small business': 624799, 'small business need': 774879, 'business need more': 144087, 'need more than': 555264, 'ever before shop': 285226, 'before shop local': 123074, 'shop local for': 760424, 'local for pickup': 497986, 'for pickup and': 324547, 'pickup and delivery': 655925, 'and delivery and': 61109, 'delivery and support': 233680, 'and support local': 72841, 'local store by': 498458, 'store by shopping': 806838, 'online and buying': 607808, 'and buying gift': 59367, 'gift card fact': 349941, 'card fact fiction': 163516, 'fact fiction book': 295718, 'fiction book lovenowexplorelater': 304418, 'book lovenowexplorelater travellater': 134562, 'lovenowexplorelater travellater glaciermt': 505015, 'the lovely': 859768, 'lovely clerk': 504948, 'clerk yesterday': 181833, 'yesterday for': 1015739, 'her service': 392357, 'service she': 752819, 'she seemed': 756337, 'seemed surprised': 746723, 'surprised said': 828600, 'don take': 253949, 'take tip': 832728, 'tip please': 898875, 'please thank': 660656, 'all any': 42025, 'thanked the lovely': 841891, 'the lovely clerk': 859769, 'lovely clerk yesterday': 504949, 'clerk yesterday for': 181834, 'yesterday for her': 1015741, 'for her service': 322232, 'her service she': 392358, 'service she seemed': 752820, 'she seemed surprised': 756338, 'seemed surprised said': 746724, 'surprised said it': 828601, 'said it these': 731167, 'it these folk': 461622, 'these folk are': 880019, 'folk are essential': 312090, 'essential and don': 280778, 'and don take': 61640, 'don take tip': 253954, 'take tip please': 832729, 'tip please thank': 898877, 'please thank them': 660660, 'thank them all': 841656, 'them all any': 875336, 'all any grocery': 42028, 'store you go': 811688, 'go to 19': 354268, 'joker': 467179, 'batman': 112697, 'the joker': 858691, 'joker wa': 467182, 'wa right': 963107, 'all started': 44426, 'started with': 794915, 'with bat': 997377, 'bat is': 112544, 'he the': 385510, 'good guy': 357155, 'guy irl': 369045, 'irl joker': 444912, 'joker batman': 467180, 'batman chaos': 112698, 'chaos society': 173059, 'society toiletpaper': 781345, 'toiletpaper quarantine': 922370, 'quarantine madness': 692359, 'the joker wa': 858692, 'joker wa right': 467183, 'wa right and': 963109, 'right and it': 721757, 'and it all': 65479, 'it all started': 456373, 'all started with': 44429, 'started with bat': 794916, 'with bat is': 997378, 'bat is he': 112545, 'is he the': 448351, 'he the good': 385511, 'the good guy': 856437, 'good guy irl': 357156, 'guy irl joker': 369046, 'irl joker batman': 444913, 'joker batman chaos': 467181, 'batman chaos society': 112699, 'chaos society toiletpaper': 173060, 'society toiletpaper quarantine': 781347, 'toiletpaper quarantine madness': 922374, 'the disinfecting': 853390, 'disinfecting personal': 245868, 'personal deployed': 652822, 'deployed in': 237460, 'in asian': 420528, 'asian street': 95352, 'street use': 813157, 'glove google': 352701, 'supermarket corona': 819790, 'why you see': 991598, 'you see the': 1021072, 'see the disinfecting': 745827, 'the disinfecting personal': 853391, 'disinfecting personal deployed': 245869, 'personal deployed in': 652823, 'deployed in asian': 237461, 'in asian street': 420529, 'asian street use': 95353, 'street use glove': 813158, 'use glove google': 949235, 'glove google and': 352702, 'google and face': 358139, 'face mask when': 294607, 'mask when going': 519535, 'the supermarket corona': 868529, 'supermarket corona 19': 819791, 'stopbulkbuying': 805314, 'food esp': 314368, 'esp if': 280397, 'everyone learns': 287152, 'learns to': 484267, 'be happening': 115135, 'happening heartbreaking': 377355, 'heartbreaking photo': 388393, 'of elderly': 583007, 'empty shop': 275120, 'shelf via': 757732, 'via stoppanicbuying': 956261, 'stoppanicbuying stopbulkbuying': 805626, 'people think there': 649836, 'think there will': 885672, 'of food esp': 583686, 'food esp if': 314369, 'esp if everyone': 280398, 'if everyone learns': 414094, 'everyone learns to': 287153, 'learns to share': 484268, 'to share this': 914369, 'share this should': 755294, 'this should not': 890132, 'not be happening': 568393, 'be happening heartbreaking': 115137, 'happening heartbreaking photo': 377356, 'heartbreaking photo of': 388394, 'photo of elderly': 655202, 'of elderly man': 583009, 'man looking at': 512147, 'at empty shop': 98538, 'empty shop shelf': 275122, 'shop shelf via': 760766, 'shelf via stoppanicbuying': 757733, 'via stoppanicbuying stopbulkbuying': 956262, 'par': 641196, 'boris should': 135491, 'supermarket see': 822359, 'crowd there': 219271, 'there supermarket': 879119, 'best place': 127829, 'get dose': 346904, 'now especially': 574611, 'especially after': 280428, 'after school': 36146, 'school shutting': 741925, 'shutting supermarket': 768291, 'be full': 114977, 'kid shopping': 474105, 'their par': 874244, 'boris should go': 135492, 'local supermarket see': 498584, 'supermarket see the': 822361, 'see the size': 745886, 'of the crowd': 590913, 'the crowd there': 852532, 'crowd there supermarket': 219272, 'there supermarket must': 879120, 'must be one': 546528, 'of the best': 590817, 'the best place': 849539, 'best place to': 127831, 'to get dose': 906462, 'get dose of': 346905, 'dose of covid': 255927, '19 now especially': 8852, 'now especially after': 574612, 'especially after school': 280431, 'after school shutting': 36148, 'school shutting supermarket': 741926, 'shutting supermarket will': 768292, 'will be full': 992471, 'be full of': 114978, 'full of kid': 340735, 'of kid shopping': 585630, 'kid shopping with': 474106, 'shopping with their': 764446, 'with their par': 1001589, 'poland': 662857, 'rzeczpospolita': 728841, 'ha shot': 371913, 'in poland': 426815, 'poland amid': 662858, 'the rzeczpospolita': 866108, 'rzeczpospolita daily': 728842, 'daily reported': 224779, 'reported on': 712509, 'shopping ha shot': 762832, 'ha shot up': 371914, 'shot up in': 765456, 'up in poland': 945170, 'in poland amid': 426816, 'poland amid fear': 662859, 'of the the': 591531, 'the the rzeczpospolita': 869397, 'the rzeczpospolita daily': 866109, 'rzeczpospolita daily reported': 728843, 'daily reported on': 224780, 'reported on wednesday': 712513, 'suffers': 817351, 'fibromyalgia': 304409, 'classed': 180291, 'mum suffers': 545949, 'suffers with': 817365, 'with fibromyalgia': 998428, 'fibromyalgia she': 304410, 'she in': 756135, 'her 50': 391819, '50 and': 19609, 'chain the': 171165, 'government classed': 359980, 'classed her': 180298, 'worried she': 1010573, 'could end': 209135, 'up very': 946523, 'very ill': 955238, 'ill if': 416134, 'she get': 756048, 'find anything': 306806, 'it recommended': 460666, 'my mum suffers': 549383, 'mum suffers with': 545950, 'suffers with fibromyalgia': 817366, 'with fibromyalgia she': 998429, 'fibromyalgia she in': 304411, 'she in her': 756137, 'in her 50': 423647, 'her 50 and': 391820, '50 and work': 19613, 'and work for': 75852, 'supermarket chain the': 819640, 'chain the government': 171168, 'the government classed': 856516, 'government classed her': 359981, 'classed her at': 180299, 'her at risk': 391865, 'at risk but': 100343, 'risk but we': 723432, 'we are worried': 970768, 'are worried she': 91736, 'worried she could': 1010574, 'she could end': 755957, 'could end up': 209136, 'end up very': 276047, 'up very ill': 946524, 'very ill if': 955241, 'ill if she': 416135, 'if she get': 414775, 'she get covid': 756049, '19 we cannot': 11922, 'we cannot find': 971061, 'cannot find anything': 161832, 'find anything about': 306807, 'it is it': 458994, 'is it recommended': 449055, 'soc': 779390, 'so done': 776912, 'done make': 254930, 'quick trip': 694412, 'week mask': 976511, 'glove washing': 353012, 'washing item': 967689, 'item before': 463152, 'they enter': 882046, 'house etc': 406285, 'etc prepared': 282718, 'battle prepare': 112815, 'for war': 327640, 'zone when': 1027780, 'there 90': 877949, 'nothing no': 573118, 'mask soc': 519287, 'so done make': 776913, 'done make quick': 254931, 'make quick trip': 510383, 'quick trip to': 694414, 'grocery store once': 365611, 'once week mask': 605797, 'week mask glove': 976512, 'mask glove washing': 518755, 'glove washing item': 353014, 'washing item before': 967690, 'item before they': 463153, 'before they enter': 123215, 'they enter the': 882051, 'enter the house': 278313, 'the house etc': 857605, 'house etc prepared': 406286, 'etc prepared for': 282719, 'prepared for battle': 670190, 'for battle prepare': 319602, 'battle prepare for': 112816, 'prepare for war': 670089, 'for war zone': 327642, 'war zone when': 966614, 'zone when get': 1027781, 'get there 90': 348379, 'there 90 of': 877950, '90 of ppl': 23318, 'of ppl are': 588329, 'ppl are doing': 668165, 'doing nothing no': 252562, 'nothing no glove': 573119, 'no glove mask': 564355, 'glove mask soc': 352782, 'investigating': 443838, 'uploaded': 947596, 'virginia police': 957677, 'department is': 237213, 'is investigating': 448969, 'investigating report': 443852, 'that teenager': 846625, 'teenager filmed': 836546, 'and uploaded': 74740, 'uploaded video': 947602, 'medium during': 527083, 'virginia police department': 957678, 'police department is': 662970, 'department is investigating': 237216, 'is investigating report': 448975, 'investigating report that': 443853, 'report that teenager': 712329, 'that teenager filmed': 846627, 'teenager filmed themselves': 836547, 'produce at local': 680197, 'store and uploaded': 806387, 'and uploaded video': 74741, 'uploaded video on': 947603, 'video on social': 956845, 'social medium during': 779846, 'medium during the': 527084, 'hagens': 373878, 'typo': 937673, 'watch fellow': 968401, 'fellow nate': 303308, 'nate hagens': 552077, 'hagens discus': 373879, 'pandemic short': 636450, 'impact will': 418044, 'behavior yes': 124321, 'yes they': 1015565, 'know there': 476862, 'is typo': 453411, 'typo in': 937674, 'video title': 956929, 'watch fellow nate': 968402, 'fellow nate hagens': 303309, 'nate hagens discus': 552078, 'hagens discus what': 373880, 'discus what the': 244944, 'the pandemic short': 863092, 'pandemic short and': 636451, 'term impact will': 838178, 'impact will be': 418045, 'the economy and': 853935, 'economy and consumer': 267640, 'consumer behavior yes': 196541, 'behavior yes they': 124322, 'yes they know': 1015567, 'they know there': 882532, 'know there is': 476865, 'there is typo': 878645, 'is typo in': 453412, 'typo in the': 937675, 'in the video': 429648, 'the video title': 870754, 'crazything': 215496, 'butticket': 148190, 'add little': 31441, 'humor crazything': 410859, 'crazything charmin': 215497, 'toiletpaper butticket': 921834, 'trying to add': 934762, 'to add little': 900059, 'add little humor': 31442, 'little humor crazything': 495395, 'humor crazything charmin': 410860, 'crazything charmin toiletpaper': 215498, 'charmin toiletpaper butticket': 173809, 'episode and': 279513, 'and debate': 60995, 'debate whether': 230325, 'the collective': 851153, 'collective memory': 186512, 'memory of': 528432, 'will remember': 994638, 'be business': 113925, 'usual after': 950877, 'all pass': 43923, 'pass listen': 643209, 'our latest episode': 623661, 'latest episode and': 481320, 'episode and debate': 279514, 'and debate whether': 60997, 'debate whether the': 230327, 'whether the collective': 985579, 'the collective memory': 851156, 'collective memory of': 186513, 'memory of the': 528433, 'consumer will remember': 199550, 'will remember the': 994642, 'remember the company': 710303, 'company who do': 191317, 'who do the': 988621, 'right thing in': 722311, 'thing in this': 884442, 'of crisis or': 582181, 'crisis or will': 217834, 'or will it': 617809, 'will it be': 993861, 'it be business': 456725, 'be business usual': 113926, 'business usual after': 144597, 'usual after this': 950878, 'after this all': 36399, 'this all pass': 886269, 'all pass listen': 43925, 'highlighted': 395981, 'really ha': 702248, 'ha highlighted': 370866, 'highlighted the': 396001, 'sheer stupidity': 756586, 'stupidity greed': 815532, 'greed and': 363358, 'and selfishness': 71201, 'particular panic': 642630, 'buying whilst': 151360, 'vulnerable get': 960972, 'get nothing': 347673, 'nothing why': 573222, 'shopping moron': 763294, 'this virus really': 891021, 'virus really ha': 958670, 'really ha highlighted': 702251, 'ha highlighted the': 370867, 'highlighted the sheer': 396003, 'the sheer stupidity': 866817, 'sheer stupidity greed': 756587, 'stupidity greed and': 815533, 'greed and selfishness': 363363, 'and selfishness of': 71204, 'uk and the': 938176, 'and the in': 73420, 'the in particular': 858013, 'in particular panic': 426535, 'particular panic buying': 642631, 'panic buying whilst': 637965, 'buying whilst the': 151361, 'whilst the elderly': 987695, 'and vulnerable get': 75054, 'vulnerable get nothing': 960974, 'get nothing why': 347676, 'nothing why there': 573223, 'why there will': 991447, 'there will still': 879366, 'will still be': 994976, 'still be food': 800252, 'be food and': 114894, 'food and you': 313387, 'and you will': 76057, 'you will still': 1022355, 'still be able': 800242, 'go shopping moron': 354119, 'makinde': 510932, 'upgrading': 947540, 'medica': 526011, 'alibaba': 41705, 'riseandshine': 723083, 'think makinde': 885385, 'makinde should': 510935, 'should tell': 766560, 'how he': 407977, 'he spent': 385460, 'spent billion': 789116, '19 lab': 8263, 'lab upgrading': 478312, 'upgrading that': 947545, 'that lab': 844833, 'lab doesn': 478256, 'doesn cost': 251737, '50 million': 19755, 'million you': 532436, 'can google': 158523, 'google the': 358192, 'those medica': 892198, 'medica equipment': 526012, 'equipment on': 279793, 'on alibaba': 599215, 'alibaba riseandshine': 41722, 'think makinde should': 885386, 'makinde should tell': 510936, 'should tell how': 766563, 'tell how he': 836981, 'how he spent': 407983, 'he spent billion': 385462, 'spent billion on': 789117, 'billion on covid': 130878, 'covid 19 lab': 213330, '19 lab upgrading': 8264, 'lab upgrading that': 478313, 'upgrading that lab': 947546, 'that lab doesn': 844834, 'lab doesn cost': 478257, 'doesn cost more': 251738, 'cost more than': 208021, 'than 50 million': 840259, '50 million you': 19757, 'million you can': 532437, 'you can google': 1017686, 'can google the': 158524, 'google the price': 358195, 'price of those': 675591, 'of those medica': 592101, 'those medica equipment': 892199, 'medica equipment on': 526013, 'equipment on alibaba': 279794, 'on alibaba riseandshine': 599216, 'create grocery': 215655, 'for only': 324119, 'only smart': 611157, 'smart people': 775405, 'that cheap': 843206, 'cheap walmart': 174228, 'walmart with': 965477, 'with name': 999669, 'name brand': 551618, 'brand product': 137974, 'product because': 681006, 'because ve': 119766, 'with walmart': 1002018, 'walmart customer': 965306, 'customer 19': 222010, 'they should create': 883358, 'should create grocery': 765887, 'create grocery store': 215656, 'store for only': 807826, 'for only smart': 324126, 'only smart people': 611158, 'smart people that': 775406, 'people that cheap': 649756, 'that cheap walmart': 843208, 'cheap walmart with': 174229, 'walmart with name': 965478, 'with name brand': 999670, 'name brand product': 551620, 'brand product because': 137975, 'product because ve': 681009, 'because ve had': 119769, 've had it': 953223, 'had it with': 373215, 'it with walmart': 462483, 'with walmart customer': 1002019, 'walmart customer 19': 965307, 'spanner': 787425, 'march 19': 515112, '19 put': 9891, 'put spanner': 690833, 'spanner on': 787426, 'chain raising': 171022, 'raising concern': 696070, 'of deflation': 582471, 'consumer price fell': 198420, 'price fell by': 673847, 'fell by the': 303184, 'most in year': 542440, 'in year in': 431025, 'in march 19': 425072, 'march 19 put': 515117, '19 put spanner': 9895, 'put spanner on': 690834, 'spanner on demand': 787427, 'on demand supply': 600289, 'demand supply chain': 236292, 'supply chain raising': 825014, 'chain raising concern': 171023, 'raising concern of': 696072, 'concern of deflation': 193021, 'daughter went': 226918, 'morning stood': 541469, 'stood outside': 804383, 'and when': 75507, 'when finally': 983415, 'finally allowed': 305938, 'were already': 979299, 'already empty': 47312, 'empty from': 274887, 'from bread': 334728, 'and ice': 64917, 'cream blue': 215532, 'blue in': 133448, 'my daughter went': 547939, 'daughter went to': 226919, 'this morning stood': 889021, 'morning stood outside': 541470, 'stood outside in': 804384, 'outside in long': 629462, 'line for more': 493109, 'more than half': 540626, 'than half hour': 840717, 'half hour and': 374184, 'hour and when': 405425, 'and when finally': 75512, 'when finally allowed': 983416, 'finally allowed in': 305939, 'in the shelf': 429544, 'shelf were already': 757764, 'were already empty': 979302, 'already empty from': 47313, 'empty from bread': 274888, 'from bread tp': 334730, 'bread tp and': 138627, 'tp and ice': 927742, 'and ice cream': 64918, 'ice cream blue': 412650, 'cream blue in': 215533, 'blue in texas': 133450, 'done news': 254945, 'news india': 560539, 'india want': 434672, 'want hear': 965806, 'hear positive': 387978, 'this hindustan': 887921, 'economic time': 267339, 'well done news': 978193, 'done news india': 254946, 'news india want': 560541, 'india want hear': 434673, 'want hear positive': 965807, 'hear positive thing': 387979, 'positive thing like': 665464, 'thing like this': 884552, 'like this hindustan': 491494, 'this hindustan unilever': 887922, '19 the economic': 11187, 'the economic time': 853921, 'chime': 176426, 'nice article': 562345, 'lost or': 503899, 'job chime': 465739, 'chime in': 176427, 'end urging': 276050, 'here is nice': 393240, 'is nice article': 449898, 'nice article by': 562346, 'challenge people are': 171529, 'going to face': 355594, 'to face paying': 905570, 've lost or': 953349, 'lost or been': 503900, 'off from their': 593852, 'from their job': 337941, 'their job chime': 873706, 'job chime in': 465740, 'chime in at': 176428, 'in at the': 420556, 'the end urging': 854309, 'end urging people': 276051, 'urging people to': 948444, 'surrogate': 828709, 'bodth': 133812, 'game for': 343172, 'most often': 542575, 'often picked': 596256, 'picked from': 655790, 'shelf by': 756913, 'by surrogate': 154184, 'surrogate shopper': 828712, 'and either': 61986, 'either picked': 270359, 'store bopis': 806746, 'bopis or': 135197, 'or delivered': 614925, 'home bodth': 400799, 'bodth supplychain': 133813, 'changed the game': 172565, 'the game for': 856120, 'game for grocery': 343173, 'shopping online grocery': 763437, 'online grocery order': 608323, 'grocery order are': 364809, 'order are most': 618053, 'are most often': 88139, 'most often picked': 542576, 'often picked from': 596257, 'picked from store': 655791, 'from store shelf': 337446, 'store shelf by': 810064, 'shelf by surrogate': 756919, 'by surrogate shopper': 154185, 'surrogate shopper and': 828713, 'shopper and either': 761360, 'and either picked': 61987, 'either picked up': 270360, 'picked up in': 655813, 'in store bopis': 428388, 'store bopis or': 806748, 'bopis or delivered': 135198, 'or delivered to': 614927, 'delivered to home': 233423, 'to home bodth': 907927, 'home bodth supplychain': 400800, 'stein': 799439, 'pandemic north': 636048, 'carolina attorney': 164832, 'general josh': 345389, 'josh stein': 467345, 'stein ha': 799442, 'ha reminded': 371716, 'reminded the': 710536, 'to charge': 902631, 'charge excessive': 173222, 'during state': 263048, '19 pandemic north': 9408, 'pandemic north carolina': 636049, 'north carolina attorney': 567628, 'carolina attorney general': 164833, 'attorney general josh': 102649, 'general josh stein': 345390, 'josh stein ha': 467347, 'stein ha reminded': 799443, 'ha reminded the': 371717, 'reminded the public': 710537, 'public that it': 688353, 'it is illegal': 458981, 'is illegal to': 448671, 'illegal to charge': 416249, 'to charge excessive': 902636, 'charge excessive price': 173223, 'excessive price during': 289403, 'price during state': 673632, 'during state of': 263049, 'gavin': 344685, 'governor gavin': 360903, 'gavin newsom': 344686, 'newsom announced': 561062, 'new public': 559373, 'public awareness': 687887, 'awareness campaign': 105693, 'campaign to': 157263, 'provide useful': 686531, 'useful information': 950168, 'information to': 438006, 'to californian': 902368, 'californian visit': 155658, 'new user': 559816, 'governor gavin newsom': 360904, 'gavin newsom announced': 344687, 'newsom announced the': 561063, 'announced the launch': 77081, 'launch of new': 481933, 'of new public': 586981, 'new public awareness': 559374, 'public awareness campaign': 687888, 'awareness campaign to': 105695, 'campaign to provide': 157265, 'to provide useful': 912447, 'provide useful information': 686533, 'useful information to': 950171, 'information to californian': 438008, 'to californian visit': 902370, 'californian visit the': 155659, 'visit the new': 959388, 'the new user': 861575, 'new user friendly': 559818, 'retweeting': 720108, 'congregating': 194466, 'retweeting this': 720115, 'video because': 956631, 'of dozen': 582807, 'dozen ve': 257926, 'seen on': 747166, 'twitter in': 936675, 'of asian': 580390, 'asian looking': 95299, 'looking men': 502970, 'men congregating': 528471, 'congregating in': 194471, 'supermarket stocking': 822972, 'roll pasta': 725467, 'pasta hand': 643736, 'gel etc': 345111, 'etc then': 282799, 'at huge': 99246, 'huge price': 410138, 'in corner': 421790, 'retweeting this video': 720116, 'this video because': 890976, 'video because it': 956632, 'because it one': 119197, 'it one of': 460076, 'one of dozen': 606740, 'of dozen ve': 582809, 'dozen ve seen': 257927, 've seen on': 953541, 'seen on twitter': 747169, 'on twitter in': 604921, 'twitter in recent': 936676, 'recent day of': 703864, 'day of asian': 228055, 'of asian looking': 580391, 'asian looking men': 95300, 'looking men congregating': 502971, 'men congregating in': 528472, 'congregating in supermarket': 194473, 'in supermarket stocking': 428677, 'supermarket stocking up': 822976, 'up on toilet': 945633, 'on toilet roll': 604782, 'toilet roll pasta': 921597, 'roll pasta hand': 725468, 'pasta hand gel': 643737, 'hand gel etc': 374978, 'gel etc then': 345112, 'etc then selling': 282802, 'then selling them': 877516, 'selling them at': 749491, 'them at huge': 875442, 'at huge price': 99249, 'huge price in': 410140, 'price in corner': 674676, 'in corner shop': 421792, 'corner shop supermarket': 203678, 'shop supermarket pharmacy': 760866, 'eustice': 283650, 'uk have': 938440, 'others such': 621676, 'such nh': 816648, 'worker after': 1006207, 'buying amid': 149887, 'outbreak environment': 628193, 'environment secretary': 279147, 'secretary eustice': 743950, 'eustice said': 283655, 'said there': 731462, 'around but': 93236, 'for shop': 325562, 'is keeping': 449169, 'the uk have': 870232, 'uk have been': 938442, 'told to be': 923744, 'responsible and think': 716004, 'of others such': 587405, 'others such nh': 621677, 'such nh worker': 816649, 'nh worker after': 562169, 'worker after panic': 1006209, 'panic buying amid': 637640, 'buying amid the': 149889, 'the outbreak environment': 862616, 'outbreak environment secretary': 628194, 'environment secretary eustice': 279148, 'secretary eustice said': 743951, 'eustice said there': 283656, 'said there is': 731463, 'enough food to': 277419, 'food to go': 317258, 'go around but': 353309, 'around but the': 93239, 'but the challenge': 147316, 'the challenge for': 850642, 'challenge for shop': 171467, 'for shop is': 325565, 'shop is keeping': 760359, 'is keeping shelf': 449177, 'eliminate': 271440, 'taking some': 833572, 'some precaution': 783619, 'precaution use': 669396, 'our alcohol': 622047, 'to eliminate': 904987, 'eliminate the': 271462, 'any medical': 79458, 'help contact': 389526, 'contact stayhome': 200208, 'staysafe indiafightscoronavirus': 798834, 'indiafightscoronavirus sanitizers': 434746, 'by taking some': 154207, 'taking some precaution': 833573, 'some precaution use': 783621, 'precaution use our': 669397, 'use our alcohol': 949456, 'our alcohol based': 622048, 'sanitizer to eliminate': 735917, 'to eliminate the': 904994, 'eliminate the coronavirus': 271463, 'the coronavirus from': 851853, 'coronavirus from your': 205959, 'from your hand': 338478, 'hand for any': 374944, 'for any medical': 319415, 'any medical help': 79459, 'medical help contact': 526209, 'help contact stayhome': 389529, 'contact stayhome staysafe': 200209, 'stayhome staysafe indiafightscoronavirus': 798169, 'staysafe indiafightscoronavirus sanitizers': 798835, 'london where': 501229, 'gone stophoarding': 356375, 'london where all': 501230, 'food gone stophoarding': 314688, 'gone stophoarding panicbuyinguk': 356376, 'chronic': 178229, 'mindful know': 532810, 'over stock': 630646, 'pls keep': 661147, 'will restock': 994671, 'restock there': 716931, 'are older': 88710, 'have chronic': 379970, 'chronic illness': 178232, 'illness that': 416398, 'home empty': 401135, 'please be mindful': 659706, 'be mindful know': 115943, 'mindful know it': 532811, 'know it easy': 476527, 'buy and over': 148329, 'and over stock': 68562, 'over stock for': 630648, 'stock for food': 802167, 'for food but': 321566, 'food but pls': 313829, 'but pls keep': 146813, 'pls keep in': 661148, 'mind that the': 532736, 'supermarket will restock': 823891, 'will restock there': 994672, 'restock there are': 716932, 'there are those': 878176, 'are those that': 91060, 'that are older': 842789, 'are older or': 88711, 'older or have': 598636, 'or have chronic': 615580, 'have chronic illness': 379971, 'chronic illness that': 178235, 'illness that can': 416399, 'that can not': 843112, 'afford to come': 34792, 'come back home': 187239, 'back home empty': 107056, 'home empty handed': 401136, '19 many': 8541, 'food may': 315415, 'may experience': 521157, 'experience wage': 291525, 'face unexpected': 294827, 'unexpected expense': 941366, 'such childcare': 816390, 'additional meal': 31841, 'meal let': 524205, 'other visit': 621173, 'give today': 350799, 'covid 19 many': 213399, '19 many people': 8547, 'many people cannot': 514496, 'on food may': 600883, 'food may experience': 315416, 'may experience wage': 521159, 'experience wage and': 291526, 'wage and job': 963813, 'loss and face': 503634, 'and face unexpected': 62587, 'face unexpected expense': 294828, 'unexpected expense such': 941367, 'expense such childcare': 291208, 'such childcare and': 816391, 'childcare and additional': 176287, 'and additional meal': 57681, 'additional meal let': 31842, 'meal let take': 524206, 'each other visit': 264231, 'other visit to': 621174, 'visit to give': 959409, 'to give today': 906723, 'leasing': 484312, 'arctic': 84074, 'drilling': 258781, 'precipitous': 669488, 'trump budget': 933449, 'budget call': 141763, 'in revenue': 427487, 'from leasing': 336206, 'leasing sale': 484319, 'the arctic': 848853, 'arctic national': 84077, 'national wildlife': 552641, 'wildlife refuge': 992137, 'refuge but': 706825, 'but between': 145296, 'between bank': 128730, 'bank saying': 110155, 'they won': 883904, 'won finance': 1003806, 'finance arctic': 306159, 'arctic drilling': 84075, 'drilling the': 258786, 'the precipitous': 864218, 'precipitous drop': 669489, 'coronavirus expert': 205901, 'that highly': 844328, 'highly unlikely': 396108, 'trump budget call': 933450, 'budget call for': 141764, 'call for billion': 155855, 'billion in revenue': 130853, 'in revenue from': 427489, 'revenue from leasing': 720419, 'from leasing sale': 336207, 'leasing sale in': 484320, 'sale in the': 732306, 'in the arctic': 428982, 'the arctic national': 848854, 'arctic national wildlife': 84078, 'national wildlife refuge': 552642, 'wildlife refuge but': 992138, 'refuge but between': 706826, 'but between bank': 145297, 'between bank saying': 128731, 'bank saying they': 110156, 'saying they won': 739733, 'they won finance': 883910, 'won finance arctic': 1003807, 'finance arctic drilling': 306160, 'arctic drilling the': 84076, 'drilling the precipitous': 258787, 'the precipitous drop': 864219, 'precipitous drop in': 669490, 'price and coronavirus': 672382, 'and coronavirus expert': 60572, 'coronavirus expert say': 205902, 'expert say that': 291960, 'say that highly': 739235, 'that highly unlikely': 844330, 'siege': 768978, 'work together': 1005914, 'together britain': 920731, 'britain supermarket': 140450, 'under siege': 940250, 'siege by': 768979, 'by customer': 152276, 'if we all': 415263, 'we all work': 970379, 'all work together': 45497, 'work together britain': 1005917, 'together britain supermarket': 920732, 'britain supermarket are': 140451, 'supermarket are under': 819191, 'are under siege': 91286, 'under siege by': 940251, 'siege by customer': 768980, 'aaron': 24142, 'smith hello': 775797, 'hello aaron': 389120, 'aaron we': 24151, 'have flexible': 380637, 'flexible relief': 310395, 'relief program': 709440, 'program for': 683245, 'card client': 163485, 'client we': 182126, 'client during': 182027, 'smith hello aaron': 775798, 'hello aaron we': 389121, 'aaron we have': 24152, 'we have flexible': 971817, 'have flexible relief': 380638, 'flexible relief program': 310396, 'relief program for': 709442, 'program for our': 683247, 'and business credit': 59276, 'business credit card': 143596, 'credit card client': 216329, 'card client we': 163486, 'client we encourage': 182128, 'encourage you visit': 275646, 'you visit to': 1022089, 'about how we': 25483, 'supporting our client': 827166, 'our client during': 622394, 'client during this': 182028, 'during this critical': 263275, 'talking to': 834039, 'got angry': 358403, 'angry she': 76493, 'you journalist': 1019410, 'journalist need': 467445, 'stop calling': 804563, 'calling hero': 156570, 'and angel': 58144, 'angel and': 76297, 'start asking': 794205, 'nh over': 562036, 'last ten': 480534, 'ten year': 837811, 'stop saying': 804975, 'while in line': 986948, 'the supermarket started': 868821, 'supermarket started talking': 822922, 'started talking to': 794847, 'talking to the': 834055, 'to the nurse': 916910, 'the nurse she': 861985, 'nurse she got': 577478, 'she got angry': 756058, 'got angry she': 358405, 'angry she said': 76494, 'she said you': 756316, 'said you journalist': 731609, 'you journalist need': 1019411, 'journalist need to': 467446, 'to stop calling': 915509, 'stop calling hero': 804564, 'calling hero and': 156571, 'hero and angel': 393927, 'and angel and': 58145, 'angel and start': 76298, 'and start asking': 72236, 'start asking the': 794206, 'asking the government': 96076, 'government what they': 360798, 'what they have': 982402, 'have done to': 380340, 'done to the': 255078, 'the nh over': 861754, 'nh over the': 562037, 'the last ten': 859046, 'last ten year': 480535, 'ten year and': 837813, 'year and stop': 1014404, 'and stop saying': 72484, 'stop saying it': 804977, 'saying it battle': 739623, 'lower income': 505882, 'income country': 432308, 'face perfect': 294704, 'lower commodity': 505813, 'now debt': 574503, 'debt cancellation': 230432, 'cancellation is': 161030, 'needed urgently': 556564, 'urgently great': 948387, 'great work': 363112, 'lower income country': 505884, 'income country face': 432309, 'country face perfect': 210635, 'face perfect storm': 294705, 'storm of lower': 811825, 'of lower commodity': 586050, 'lower commodity price': 505814, 'commodity price high': 189274, 'price high level': 674512, 'level of debt': 487629, 'of debt and': 582428, 'debt and now': 230422, 'and now debt': 67826, 'now debt cancellation': 574504, 'debt cancellation is': 230433, 'cancellation is needed': 161031, 'is needed urgently': 449868, 'needed urgently great': 556565, 'urgently great work': 948388, 'great work by': 363114, 'remind inform': 710485, 'inform your': 437675, 'member friend': 528087, 'friend neighbor': 333720, 'neighbor of': 557062, 'these persistent': 880469, 'persistent scammer': 652271, 'have absolutely': 379109, 'no moral': 564791, 'moral and': 538394, 'stop at': 804461, 'at nothing': 99921, 'money or': 536952, 'or personal': 616558, 'sure to remind': 827778, 'to remind inform': 913199, 'remind inform your': 710486, 'inform your family': 437678, 'your family member': 1023793, 'family member friend': 298033, 'member friend neighbor': 528088, 'friend neighbor of': 333722, 'neighbor of these': 557064, 'of these persistent': 591848, 'these persistent scammer': 880470, 'persistent scammer who': 652272, 'scammer who have': 740654, 'who have absolutely': 988904, 'have absolutely no': 379110, 'absolutely no moral': 27401, 'no moral and': 564792, 'moral and will': 538395, 'and will stop': 75697, 'will stop at': 994995, 'stop at nothing': 804463, 'at nothing to': 99922, 'nothing to get': 573192, 'get your money': 348715, 'your money or': 1024868, 'money or personal': 536957, 'or personal information': 616559, 'idahoan': 412976, '208': 14868, '334': 17789, 'the ag': 848427, 'ag consumer': 36777, 'office in': 595447, 'in boise': 420892, 'boise is': 134067, 'to visitor': 918218, 'visitor due': 959589, 'concern idahoan': 192995, 'idahoan with': 412979, 'question may': 693647, 'may continue': 521099, 'at 208': 97521, '208 334': 14869, '334 2424': 17790, '2424 and': 15732, 'and file': 62840, 'complaint at': 191946, 'the ag consumer': 848428, 'ag consumer protection': 36779, 'protection division office': 685399, 'division office in': 248686, 'office in boise': 595448, 'in boise is': 420893, 'boise is closed': 134068, 'closed to visitor': 183403, 'to visitor due': 918219, 'visitor due to': 959590, '19 concern idahoan': 5919, 'concern idahoan with': 192996, 'idahoan with consumer': 412980, 'with consumer related': 997765, 'consumer related question': 198677, 'related question may': 708529, 'question may continue': 693648, 'may continue to': 521100, 'continue to call': 201168, 'to call the': 902388, 'call the office': 156136, 'the office at': 862068, 'office at 208': 595374, 'at 208 334': 97522, '208 334 2424': 14870, '334 2424 and': 17791, '2424 and file': 15733, 'and file complaint': 62841, 'file complaint at': 305331, 'e14': 263964, 'in east': 422458, 'east india': 265311, 'india e14': 434385, 'e14 london': 263965, 'london ha': 501080, '20 on': 13223, 'on critical': 600166, 'critical food': 218559, 'item such': 463668, 'such egg': 816464, 'egg it': 269897, 'it shame': 460996, 'their advantage': 872473, 'advantage stockpilinguk': 33063, 'stockpilinguk coronacrisisuk': 804141, 'in east india': 422460, 'east india e14': 265312, 'india e14 london': 434386, 'e14 london ha': 263966, 'london ha increased': 501082, 'ha increased price': 370956, 'increased price by': 433411, 'price by 20': 673004, 'by 20 on': 151572, '20 on critical': 13224, 'on critical food': 600168, 'critical food item': 218560, 'food item such': 315232, 'item such egg': 463670, 'such egg it': 816465, 'egg it shame': 269898, 'it shame to': 460998, 'shame to be': 754659, 'to be using': 901618, 'be using this': 117948, 'using this situation': 950754, 'this situation for': 890175, 'situation for their': 772278, 'for their advantage': 326796, 'their advantage stockpilinguk': 872474, 'advantage stockpilinguk coronacrisisuk': 33064, 'hi jeff': 394676, 'jeff well': 465022, 'hi jeff well': 394677, 'jeff well fargo': 465023, 'postcruise': 666505, '98': 23716, 'telework': 836878, 'debating': 230331, '14daypostcruisecountdown': 3606, 'stopcorona': 805320, 'cruiseship': 219721, '14 postcruise': 3518, 'postcruise 98': 666506, '98 degree': 23725, 'degree all': 232563, 'all is': 43246, 'well in': 978311, 'in telework': 428860, 'telework land': 836879, 'land debating': 479260, 'debating if': 230334, 'if should': 414800, 'try grocery': 934486, 'cleaner bet': 180757, 'bet they': 128112, 'business 14daypostcruisecountdown': 143202, '14daypostcruisecountdown stopcorona': 3607, 'stopcorona 19': 805321, '19 cruise': 6367, 'cruise cruiseship': 219696, 'day of 14': 228047, 'of 14 postcruise': 579354, '14 postcruise 98': 3519, 'postcruise 98 degree': 666507, '98 degree all': 23726, 'degree all is': 232564, 'all is well': 43257, 'is well in': 453845, 'well in telework': 978314, 'in telework land': 428861, 'telework land debating': 836880, 'land debating if': 479261, 'debating if should': 230335, 'if should try': 414806, 'should try grocery': 766605, 'try grocery store': 934487, 'store do go': 807329, 'go to cleaner': 354291, 'to cleaner bet': 902819, 'cleaner bet they': 180758, 'bet they need': 128117, 'need the business': 555740, 'the business 14daypostcruisecountdown': 850159, 'business 14daypostcruisecountdown stopcorona': 143203, '14daypostcruisecountdown stopcorona 19': 3608, 'stopcorona 19 cruise': 805322, '19 cruise cruiseship': 6368, 'deodorant': 237168, 'overkill': 631263, 'can smell': 159645, 'smell your': 775627, 'your perfume': 1025253, 'perfume shampoo': 651536, 'shampoo deodorant': 754774, 'deodorant or': 237173, 're too': 699722, 'too fucking': 924757, 'fucking close': 339830, 'close also': 182513, 'also that': 48966, 'that overkill': 845621, 'if can smell': 413932, 'can smell your': 159647, 'smell your perfume': 775629, 'your perfume shampoo': 1025254, 'perfume shampoo deodorant': 651537, 'shampoo deodorant or': 754775, 'deodorant or hand': 237174, 'sanitizer you re': 736170, 'you re too': 1020777, 're too fucking': 699724, 'too fucking close': 924758, 'fucking close also': 339831, 'close also that': 182514, 'also that overkill': 48967, 'rundown': 727875, 'to event': 905293, 'cancellation read': 161055, 'read rundown': 700537, 'rundown of': 727878, 'store closure to': 807110, 'closure to event': 184049, 'to event cancellation': 905294, 'event cancellation read': 284958, 'cancellation read rundown': 161057, 'read rundown of': 700538, 'rundown of how': 727879, 'how the industry': 408838, 'the industry is': 858177, 'industry is coping': 435927, 'consumed': 195958, 'while supermarket': 987349, 'meat sale': 525726, 'up since': 945996, 'fish is': 309323, 'is consumed': 446784, 'consumed in': 195967, 'restaurant fishing': 716470, 'fishing revenue': 309410, 'revenue are': 720379, 'down 85': 256435, '85 percent': 22930, 'while supermarket meat': 987350, 'supermarket meat sale': 821497, 'meat sale are': 525727, 'sale are way': 732073, 'are way up': 91553, 'way up since': 970147, 'up since the': 946000, 'since the vast': 770912, 'majority of fish': 509559, 'of fish is': 583561, 'fish is consumed': 309324, 'is consumed in': 446785, 'consumed in restaurant': 195968, 'in restaurant fishing': 427434, 'restaurant fishing revenue': 716471, 'fishing revenue are': 309411, 'revenue are now': 720382, 'are now down': 88544, 'now down 85': 574563, 'down 85 percent': 256436, '2500': 16028, 'bedroom': 120454, '1700': 4423, 'serious discussion': 751369, 'discussion on': 245034, 'cause when': 167795, 'over most': 630414, 'the 1500': 847897, '1500 2500': 3932, '2500 in': 16031, 'in monthly': 425425, 'monthly rent': 538193, 'rent fee': 711083, 'fee my': 302198, 'my bedroom': 547418, 'bedroom is': 120459, 'is 1700': 445169, '1700 per': 4426, 'month what': 538110, 'do when': 250524, 'economy collapse': 267761, 'collapse it': 186025, 'it 5k': 456216, 'move or': 543707, 'be homeless': 115286, 'homeless loss': 402753, 'loss everything': 503668, 'can we have': 160176, 'we have serious': 971935, 'have serious discussion': 382473, 'serious discussion on': 751370, 'discussion on rent': 245037, 'on rent price': 603146, 'rent price cause': 711157, 'price cause when': 673092, 'cause when is': 167796, 'when is over': 983617, 'is over most': 450714, 'over most of': 630415, 'most of will': 542569, 'of will not': 593171, 'able to afford': 24447, 'to afford the': 900161, 'afford the 1500': 34767, 'the 1500 2500': 847898, '1500 2500 in': 3933, '2500 in monthly': 16032, 'in monthly rent': 425427, 'monthly rent fee': 538194, 'rent fee my': 711084, 'fee my bedroom': 302199, 'my bedroom is': 547419, 'bedroom is 1700': 120460, 'is 1700 per': 445170, '1700 per month': 4427, 'per month what': 650951, 'month what will': 538112, 'what will we': 982612, 'will we do': 995323, 'we do when': 971361, 'do when the': 250528, 'when the economy': 984147, 'the economy collapse': 853951, 'economy collapse it': 267763, 'collapse it 5k': 186026, 'it 5k to': 456217, '5k to move': 20721, 'to move or': 910314, 'move or be': 543708, 'or be homeless': 614511, 'be homeless loss': 115288, 'homeless loss everything': 402754, 'sympathiser': 830785, 'those ashley': 891813, 'ashley sympathiser': 95118, 'sympathiser amongst': 830786, 'amongst support': 53141, 'support forget': 826529, 'about his': 25391, 'his crime': 397331, 'crime against': 216766, 'against our': 37572, 'our beloved': 622180, 'beloved club': 126535, 'club remember': 184473, 'he put': 385316, 'up his': 945088, 'his price': 397728, '19 killing': 8239, 'for all those': 319180, 'all those ashley': 45158, 'those ashley sympathiser': 891814, 'ashley sympathiser amongst': 95119, 'sympathiser amongst support': 830787, 'amongst support forget': 53142, 'support forget about': 826530, 'forget about his': 329221, 'about his crime': 25394, 'his crime against': 397332, 'crime against our': 216767, 'against our beloved': 37573, 'our beloved club': 622181, 'beloved club remember': 126536, 'club remember how': 184474, 'remember how he': 710205, 'how he put': 407981, 'he put up': 385318, 'put up his': 690964, 'up his price': 945090, 'his price with': 397732, 'price with covid': 677607, 'covid 19 killing': 213321, '19 killing people': 8241, 'killing people in': 474706, 'those empty': 891964, 'empty aisle': 274743, 'america largest': 51589, 'explains why': 292257, 'worried about those': 1010525, 'about those empty': 26678, 'those empty aisle': 891965, 'empty aisle in': 274745, 'store we talk': 811182, 'talk to the': 833893, 'ceo of america': 169767, 'of america largest': 580042, 'america largest supermarket': 51593, 'chain and he': 170465, 'and he explains': 64315, 'he explains why': 384946, 'explains why you': 292265, 'should not panic': 766258, 'limited water': 492796, 'supply sign': 825858, 'sign during': 769112, 'limited water supply': 492797, 'water supply sign': 969189, 'supply sign during': 825859, '07708913141': 1045, 'ease consumer': 265076, 'consumer economic': 197291, 'economic plight': 267201, 'plight during': 661048, 'during uklockdown': 263374, 'uklockdown are': 938987, 'offering 25': 595000, '25 discount': 15860, 'discount off': 244501, 'new spirit': 559627, 'spirit natural': 789486, 'natural supplement': 552869, 'supplement see': 824424, 'see super': 745761, 'no membership': 564760, 'membership sign': 528286, 'up fee': 944845, 'fee get': 302179, 'get free': 347088, 'free nutrition': 332008, 'nutrition advice': 577709, 'advice before': 33327, 'buy uk': 149407, 'uk call': 938233, 'on 07708913141': 598984, 'help ease consumer': 389620, 'ease consumer economic': 265077, 'consumer economic plight': 197293, 'economic plight during': 267202, 'plight during uklockdown': 661049, 'during uklockdown are': 263375, 'uklockdown are offering': 938988, 'are offering 25': 88654, 'offering 25 discount': 595001, '25 discount off': 15861, 'discount off all': 244502, 'off all new': 593624, 'all new spirit': 43627, 'new spirit natural': 559629, 'spirit natural supplement': 789487, 'natural supplement see': 552870, 'supplement see super': 824425, 'see super low': 745762, 'super low price': 818537, 'low price with': 505553, 'price with no': 677620, 'with no membership': 999766, 'no membership sign': 564762, 'membership sign up': 528287, 'sign up fee': 769250, 'up fee get': 944846, 'fee get free': 302180, 'get free nutrition': 347093, 'free nutrition advice': 332009, 'nutrition advice before': 577710, 'advice before you': 33328, 'before you buy': 123317, 'you buy uk': 1017588, 'buy uk call': 149408, 'uk call on': 938234, 'call on 07708913141': 156025, 'unfairly': 941452, 'made criminal': 507701, 'criminal offence': 216861, 'offence for': 594457, 'to unfairly': 917931, 'unfairly profit': 941464, 'selling ordinary': 749386, 'ordinary product': 619095, 'at greatly': 98803, 'greatly inflated': 363323, 'price retweet': 676208, 'retweet if': 720054, 'you agree': 1016849, '19 it should': 8151, 'should be made': 765673, 'be made criminal': 115864, 'made criminal offence': 507702, 'criminal offence for': 216862, 'offence for people': 594458, 'people to unfairly': 649960, 'to unfairly profit': 917933, 'unfairly profit from': 941465, 'from this situation': 338010, 'situation by selling': 772213, 'by selling ordinary': 153929, 'selling ordinary product': 749387, 'ordinary product at': 619096, 'product at greatly': 680969, 'at greatly inflated': 98804, 'greatly inflated price': 363324, 'inflated price retweet': 437065, 'price retweet if': 676209, 'retweet if you': 720055, 'if you agree': 415388, '007': 649, '007 is': 650, 'crisis period': 217866, 'period when': 651922, 'and daily': 60910, 'daily wage': 224871, 'worker along': 1006230, 'with migrant': 999500, 'in ap': 420444, '007 is it': 651, 'is it very': 449073, 'it very bad': 462024, 'very bad to': 955003, 'bad to see': 108056, 'to see this': 914087, 'see this kind': 745948, 'kind of activity': 474871, 'of activity in': 579759, 'activity in this': 30445, '19 crisis period': 6299, 'crisis period when': 217867, 'period when our': 651923, 'when our farmer': 983826, 'our farmer are': 623021, 'farmer are in': 299282, 'are in panic': 87421, 'in panic and': 426474, 'panic and daily': 637307, 'and daily wage': 60916, 'daily wage worker': 224875, 'wage worker along': 963999, 'worker along with': 1006231, 'along with migrant': 47065, 'with migrant worker': 999502, 'migrant worker are': 531227, 'worker are not': 1006408, 'are not getting': 88378, 'not getting food': 569625, 'getting food in': 348984, 'food in ap': 314925, 'scamming': 740664, 'aft': 35255, 'hve': 411873, 'wa stupid': 963340, 'stupid in': 815404, 'in inflating': 424093, 'of scamming': 589377, 'scamming supplying': 740674, 'supplying fake': 826281, 'fake low': 296650, 'quality ppe': 691835, 'ppe mask': 667997, 'ventilator test': 954616, 'kit etc': 475538, 'very high': 955226, 'tech aft': 836028, 'aft bit': 35256, 'of struggle': 590313, 'struggle most': 814360, 'most nation': 542519, 'nation can': 552140, 'make them': 510601, 'them hve': 875875, 'hve started': 411876, 'started to': 794863, 'll know': 496873, 'they stand': 883434, 'china wa stupid': 177045, 'wa stupid in': 963341, 'stupid in inflating': 815405, 'in inflating price': 424094, 'inflating price of': 437120, 'price of scamming': 675567, 'of scamming supplying': 589378, 'scamming supplying fake': 740675, 'supplying fake low': 826282, 'fake low quality': 296651, 'low quality ppe': 505564, 'quality ppe mask': 691836, 'ppe mask ventilator': 667999, 'mask ventilator test': 519479, 'ventilator test kit': 954617, 'test kit etc': 839054, 'kit etc these': 475539, 'etc these are': 282809, 'these are not': 879626, 'are not very': 88494, 'not very high': 572390, 'very high tech': 955235, 'high tech aft': 395448, 'tech aft bit': 836029, 'aft bit of': 35257, 'bit of struggle': 131666, 'of struggle most': 590315, 'struggle most nation': 814361, 'most nation can': 542520, 'nation can make': 552141, 'can make them': 158952, 'make them hve': 510608, 'them hve started': 875876, 'hve started to': 411877, 'started to now': 794877, 'to now they': 910747, 'now they ll': 576111, 'they ll know': 882603, 'll know where': 496875, 'know where they': 477018, 'where they stand': 985286, 'confidence report': 193941, 'available including': 104459, 'including week': 432248, 'week change': 976082, 'new question': 559387, 'act some': 29770, 'some insurer': 783128, 'insurer decision': 440877, 'waive coronavirus': 964507, 'treatment cost': 931052, 'cost download': 207910, 'full summary': 340909, 'summary report': 817942, 'data from week': 226241, 'from week of': 338323, 'week of our': 976633, 'our consumer confidence': 622530, 'consumer confidence report': 196915, 'confidence report is': 193942, 'report is now': 712052, 'now available including': 574159, 'available including week': 104461, 'including week over': 432249, 'over week change': 630910, 'week change and': 976083, 'change and new': 171920, 'and new question': 67557, 'new question about': 559388, 'question about the': 693506, 'about the care': 26348, 'care act some': 163821, 'act some insurer': 29771, 'some insurer decision': 783129, 'insurer decision to': 440878, 'decision to waive': 231114, 'to waive coronavirus': 918282, 'waive coronavirus treatment': 964508, 'coronavirus treatment cost': 206963, 'treatment cost download': 931053, 'cost download the': 207911, 'download the full': 257629, 'the full summary': 856024, 'full summary report': 340910, 'shop that': 760890, 'making shopping': 511338, 'shopping even': 762589, 'more difficult': 539033, 'difficult by': 242193, 'by demanding': 152328, 'demanding card': 236579, 'card payment': 163617, 'payment only': 645694, 'only you': 611507, 'you reach': 1020803, 'reach the': 699986, 'checkout remember': 174990, 'if wanted': 415255, 'use card': 949091, 'card no': 163583, 'ha caught': 370069, 'from money': 336462, 'money their': 537065, 'attitude make': 102568, 'make another': 509697, 'for those shop': 327138, 'those shop that': 892464, 'shop that are': 760891, 'that are now': 842787, 'are now making': 88570, 'now making shopping': 575280, 'making shopping even': 511340, 'shopping even more': 762591, 'even more difficult': 284351, 'more difficult by': 539035, 'difficult by demanding': 242194, 'by demanding card': 152329, 'demanding card payment': 236580, 'card payment only': 163619, 'payment only you': 645695, 'only you reach': 611511, 'you reach the': 1020807, 'reach the checkout': 699987, 'the checkout remember': 850773, 'checkout remember this': 174991, 'remember this it': 710350, 'this it easier': 888514, 'easier to shop': 265164, 'online if wanted': 608389, 'if wanted to': 415256, 'wanted to use': 966281, 'to use card': 918008, 'use card no': 949092, 'card no one': 163585, 'one ha caught': 606385, 'ha caught covid': 370070, '19 from money': 7129, 'from money their': 336465, 'money their attitude': 537066, 'their attitude make': 872528, 'attitude make another': 102569, 'make another case': 509698, 'another case to': 77528, 'case to shop': 166077, 'must intervene': 546734, 'intervene to': 442165, 'and prosecute': 69642, 'prosecute speculator': 684625, 'speculator in': 788370, 'normal law': 567201, 'law of': 482350, 'demand create': 235188, 'create artificial': 215611, 'are recipe': 89506, 'the government must': 856566, 'government must intervene': 360369, 'must intervene to': 546736, 'intervene to regulate': 442166, 'regulate price and': 707986, 'price and prosecute': 672508, 'and prosecute speculator': 69644, 'prosecute speculator in': 684626, 'speculator in global': 788371, 'in global pandemic': 423336, 'global pandemic the': 352106, 'pandemic the normal': 636691, 'the normal law': 861862, 'normal law of': 567202, 'law of supply': 482354, 'and demand create': 61146, 'demand create artificial': 235189, 'create artificial scarcity': 215614, 'scarcity and are': 740820, 'and are recipe': 58348, 'are recipe for': 89507, 'recipe for disaster': 704459, 'underpaying': 940528, 'person consumer': 652368, 're only': 699195, 'only known': 610691, 'known consumer': 477202, 'who notice': 989344, 'notice which': 573406, 'which corporation': 985773, 'corporation are': 207384, 'are endangering': 86199, 'endangering underpaying': 276108, 'underpaying or': 940531, 'or otherwise': 616453, 'otherwise harming': 621841, 'harming their': 378466, 'taking note': 833461, 'note for': 572724, 'cannot be the': 161650, 'be the only': 117643, 'only person consumer': 610954, 'person consumer we': 652370, 'we re only': 972929, 're only known': 699197, 'only known consumer': 610692, 'known consumer who': 477203, 'consumer who notice': 199526, 'who notice which': 989345, 'notice which corporation': 573407, 'which corporation are': 985774, 'corporation are endangering': 207385, 'are endangering underpaying': 86202, 'endangering underpaying or': 276110, 'underpaying or otherwise': 940532, 'or otherwise harming': 616455, 'otherwise harming their': 621842, 'harming their workforce': 378468, 'their workforce in': 875230, 'workforce in crisis': 1008367, 'in crisis and': 421872, 'crisis and taking': 217053, 'and taking note': 73000, 'taking note for': 833462, 'note for later': 572727, 'cleaningsupplies': 181139, '19 cleaningsupplies': 5836, 'hand sanitizer 19': 375279, 'sanitizer 19 cleaningsupplies': 734281, 'netizens': 557678, 'mockery': 535127, 'melania': 527900, 'temper': 837348, 'priyanka': 679064, 'chopra': 177991, 'coronavirus better': 205558, 'better netizens': 128370, 'netizens mockery': 557681, 'mockery mode': 535128, 'mode melania': 535186, 'melania star': 527901, 'star pandemic': 794054, 'pandemic ad': 634797, 'ad watch': 31189, 'watch shop': 968524, 'shop staff': 760816, 'staff push': 792788, 'push elderly': 690258, 'man outside': 512177, 'store london': 808811, 'london public': 501160, 'public losing': 688149, 'losing temper': 503589, 'temper covid': 837349, '19 priyanka': 9829, 'priyanka chopra': 679065, 'chopra urge': 177994, 'urge fan': 948181, 'fan stock': 298540, 'up joy': 945263, 'joy love': 467512, 'love grocery': 504676, 'grocery pandemic': 364828, 'coronavirus better netizens': 205559, 'better netizens mockery': 128371, 'netizens mockery mode': 557682, 'mockery mode melania': 535129, 'mode melania star': 535187, 'melania star pandemic': 527902, 'star pandemic ad': 794055, 'pandemic ad watch': 634798, 'ad watch shop': 31190, 'watch shop staff': 968525, 'shop staff push': 760827, 'staff push elderly': 792789, 'push elderly man': 690259, 'elderly man outside': 270748, 'man outside store': 512178, 'outside store london': 629561, 'store london public': 808813, 'london public losing': 501161, 'public losing temper': 688150, 'losing temper covid': 503590, 'temper covid 19': 837350, 'covid 19 priyanka': 213613, '19 priyanka chopra': 9830, 'priyanka chopra urge': 679066, 'chopra urge fan': 177995, 'urge fan stock': 948182, 'fan stock up': 298541, 'stock up joy': 803092, 'up joy love': 945264, 'joy love grocery': 467513, 'love grocery pandemic': 504677, 'julianne': 467790, 'deb': 230287, 'companionship': 190333, 'whatweneed': 982953, 'careathome': 164324, 'safeathome': 730176, 'visitingangels': 959574, 'and here': 64526, 'here julianne': 393278, 'julianne she': 467791, 'frontline ensuring': 338734, 'ensuring her': 278179, 'her consumer': 391959, 'consumer deb': 197070, 'deb get': 230292, 'and companionship': 60184, 'companionship she': 190336, '19 whatweneed': 12011, 'whatweneed careathome': 982954, 'careathome safeathome': 164325, 'safeathome visitingangels': 730181, 'and here julianne': 64531, 'here julianne she': 393279, 'julianne she is': 467792, 'she is still': 756161, 'is still on': 452296, 'the frontline ensuring': 855867, 'frontline ensuring her': 338735, 'ensuring her consumer': 278180, 'her consumer deb': 391960, 'consumer deb get': 197071, 'deb get the': 230293, 'the care and': 850412, 'care and companionship': 163837, 'and companionship she': 60185, 'companionship she need': 190337, 'she need during': 756230, 'covid 19 whatweneed': 214063, '19 whatweneed careathome': 12012, 'whatweneed careathome safeathome': 982955, 'careathome safeathome visitingangels': 164326, 'saw pic': 738215, 'yesterday crowded': 1015709, 'crowded not': 219329, 'good these': 357832, 'these panic': 880388, 'panic moment': 638328, 'moment could': 535907, 'that spread': 846440, 'next person': 561504, 'que check': 693309, 'the thread': 869505, 'saw pic of': 738216, 'pic of people': 655615, 'supermarket yesterday crowded': 824167, 'yesterday crowded not': 1015710, 'crowded not good': 219330, 'not good these': 569733, 'good these panic': 357833, 'these panic moment': 880391, 'panic moment could': 638329, 'moment could be': 535908, 'could be the': 208931, 'be the one': 117642, 'one that spread': 607188, 'that spread 19': 846441, 'spread 19 please': 790383, '19 please don': 9716, 'please don panic': 659921, 'buy and remember': 148331, 'remember to leave': 710374, 'to leave space': 909161, 'leave space between': 484942, 'space between you': 787074, 'between you and': 128964, 'you and the': 1017009, 'the next person': 861686, 'next person in': 561506, 'person in the': 652490, 'in the que': 429491, 'the que check': 864999, 'que check the': 693310, 'check the thread': 174657, 'skynews': 773247, 'newsnight': 561048, 'lbc': 482781, 'did someone': 240817, 'someone say': 784634, 'be had': 115119, 'had applied': 372859, 'thousand wuhanvirus': 893502, 'wuhanvirus skynews': 1013582, 'skynews bbcnews': 773248, 'bbcnews newsnight': 113136, 'newsnight lbc': 561051, 'lbc c4news': 482782, 'did someone say': 240818, 'someone say there': 784635, 'say there no': 739323, 'no work to': 565931, 'to be had': 901290, 'be had applied': 115121, 'had applied and': 372860, 'hire thousand wuhanvirus': 397032, 'thousand wuhanvirus skynews': 893503, 'wuhanvirus skynews bbcnews': 1013583, 'skynews bbcnews newsnight': 773249, 'bbcnews newsnight lbc': 113137, 'newsnight lbc c4news': 561052, 'are american': 84515, 'hero get': 393996, 'and blow': 59026, 'blow one': 133331, 'one today': 607292, 'employee are american': 273604, 'are american hero': 84517, 'american hero get': 52032, 'hero get out': 393997, 'get out and': 347734, 'out and blow': 625645, 'and blow one': 59027, 'blow one today': 133334, 'fancy': 298550, 'upscale': 947786, 'maskmystery': 519654, 'can someone': 159669, 'someone tell': 784675, 'these fancy': 879998, 'fancy upscale': 298559, 'upscale hospital': 947789, 'hospital face': 404398, 'no shame': 565474, 'shame wearing': 754664, 'wearing them': 974805, 'them either': 875646, 'either knowing': 270327, 'knowing healthcare': 477115, 'same mask': 733150, 'mask maskmystery': 518956, 'maskmystery mask': 519655, 'mask mask': 518950, 'can someone tell': 159676, 'someone tell me': 784677, 'me where all': 523951, 'where all these': 984720, 'these people in': 880445, 'supermarket are getting': 819159, 'are getting these': 86828, 'getting these fancy': 349375, 'these fancy upscale': 879999, 'fancy upscale hospital': 298560, 'upscale hospital face': 947790, 'hospital face mask': 404399, 'mask they seem': 519376, 'seem to have': 746694, 'have no shame': 381656, 'no shame wearing': 565475, 'shame wearing them': 754665, 'wearing them either': 974806, 'them either knowing': 875647, 'either knowing healthcare': 270328, 'knowing healthcare worker': 477116, 'healthcare worker may': 387366, 'worker may not': 1007362, 'may not even': 521374, 'even have access': 284163, 'the same mask': 866255, 'same mask maskmystery': 733151, 'mask maskmystery mask': 518957, 'maskmystery mask mask': 519656, 'you angry': 1017016, 'angry or': 76485, 'or stressed': 617252, 'panicbuyers made you': 638865, 'made you angry': 508076, 'you angry or': 1017017, 'angry or stressed': 76486, 'blowing': 133366, 'btw for': 141534, 'who claim': 988453, 'claim wearing': 179861, 'mask doesn': 518584, 'help just': 389957, 'because medium': 119237, 'medium say': 527259, 'say so': 739146, 'so suggest': 778300, 'suggest thinking': 817545, 'thinking twice': 886020, 'twice about': 936508, 'the meaning': 860353, 'meaning of': 524823, 'of airborne': 579863, 'airborne or': 39848, 'even look': 284308, 'look it': 502445, 'up online': 945654, 'and imagine': 64988, 'imagine someone': 416779, 'someone blowing': 784386, 'blowing mouth': 133375, 'mouth water': 543576, 'water onto': 969089, 'onto your': 611690, 'face like': 294500, 'two staff': 937233, 'store did': 807305, 'btw for those': 141535, 'those who claim': 892621, 'who claim wearing': 988456, 'claim wearing mask': 179862, 'wearing mask doesn': 974689, 'mask doesn help': 518586, 'doesn help just': 251836, 'help just because': 389958, 'just because medium': 468285, 'because medium say': 119238, 'medium say so': 527260, 'say so suggest': 739147, 'so suggest thinking': 778301, 'suggest thinking twice': 817546, 'thinking twice about': 886021, 'twice about the': 936509, 'about the meaning': 26448, 'the meaning of': 860354, 'meaning of airborne': 524824, 'of airborne or': 579865, 'airborne or even': 39849, 'or even look': 615206, 'even look it': 284309, 'look it up': 502446, 'it up online': 461966, 'up online and': 945655, 'online and imagine': 607822, 'and imagine someone': 64989, 'imagine someone blowing': 416780, 'someone blowing mouth': 784387, 'blowing mouth water': 133376, 'mouth water onto': 543577, 'water onto your': 969091, 'onto your face': 611692, 'your face like': 1023751, 'face like these': 294501, 'like these two': 491440, 'these two staff': 880900, 'two staff at': 937234, 'grocery store did': 365328, 'withdrawing': 1002268, 'that starting': 846460, 'starting at': 794942, 'will enter': 993327, 'enter total': 278330, 'treatment withdrawing': 931176, 'withdrawing cash': 1002269, 'and visiting': 74990, 'punishable by': 689226, 'announced that starting': 77067, 'that starting at': 846461, 'starting at midnight': 794945, 'at midnight tonight': 99742, 'country will enter': 211247, 'will enter total': 993329, 'enter total quarantine': 278331, 'medical treatment withdrawing': 526485, 'treatment withdrawing cash': 931177, 'withdrawing cash and': 1002270, 'cash and visiting': 166164, 'and visiting supermarket': 74992, 'be punishable by': 116621, 'punishable by up': 689229, 'utilize': 951351, 'article discussing': 94302, 'diner le': 242984, 'to utilize': 918094, 'utilize off': 951356, 'demographic which': 236801, 'over of': 630451, 'interesting article discussing': 441510, 'article discussing the': 94303, 'discussing the impact': 245006, 'the impact is': 857939, 'impact is having': 417717, 'having on older': 384203, 'on older diner': 602503, 'older diner le': 598597, 'diner le inclined': 242985, 'inclined to utilize': 431496, 'to utilize off': 918096, 'utilize off premise': 951357, 'this demographic which': 887207, 'demographic which is': 236802, 'which is responsible': 986047, 'responsible for over': 716038, 'for over of': 324331, 'over of restaurant': 630453, 'of restaurant industry': 589018, 'acti': 29854, 'respected all': 715099, 'all after': 41965, 'this notification': 889178, 'notification flipkart': 573529, 'flipkart also': 310606, 'also not': 48573, 'following your': 312944, 'your given': 1024049, 'given price': 351085, 'price limit': 675054, 'limit price': 492460, 'on commerce': 599975, 'commerce please': 188612, 'please control': 659850, 'control online': 202083, 'shopping also': 761928, 'take strict': 832612, 'strict acti': 813610, 'respected all after': 715100, 'all after this': 41966, 'after this notification': 36408, 'this notification flipkart': 889179, 'notification flipkart also': 573530, 'flipkart also not': 310607, 'also not following': 48575, 'not following your': 569467, 'following your given': 312945, 'your given price': 1024050, 'given price limit': 351087, 'price limit price': 675055, 'limit price is': 492461, 'price is very': 674900, 'is very high': 453677, 'very high on': 955231, 'high on commerce': 395198, 'on commerce please': 599977, 'commerce please control': 188613, 'please control online': 659851, 'control online shopping': 202084, 'online shopping also': 609020, 'shopping also and': 761929, 'also and take': 47853, 'and take strict': 72978, 'take strict acti': 832613, 'colluding': 186675, 'botched': 135826, 'because good': 119081, 'friend russia': 333781, 'arabia are': 83860, 'are colluding': 85424, 'colluding to': 186676, 'put shale': 690807, 'producer out': 680682, 'and due': 61797, 'our botched': 622248, 'botched to': 135827, 'for gasoline': 321844, 'gasoline ha': 344234, 'collapsed but': 186091, 'but hey': 145928, 'hey get': 394388, 'get that': 348205, 'are down because': 85972, 'down because good': 256552, 'because good friend': 119082, 'good friend russia': 357110, 'friend russia and': 333782, 'saudi arabia are': 737185, 'arabia are colluding': 83861, 'are colluding to': 85425, 'colluding to put': 186677, 'to put shale': 912608, 'put shale oil': 690808, 'shale oil producer': 754505, 'oil producer out': 597342, 'producer out of': 680683, 'out of business': 626690, 'of business and': 580944, 'business and due': 143297, 'and due to': 61798, 'due to our': 261891, 'to our botched': 911155, 'our botched to': 622249, 'botched to covid': 135828, '19 demand for': 6483, 'demand for gasoline': 235427, 'for gasoline ha': 321845, 'gasoline ha collapsed': 344235, 'ha collapsed but': 370193, 'collapsed but hey': 186092, 'but hey get': 145931, 'hey get that': 394389, 'get that you': 348218, 'you don have': 1018318, 'additionally': 31903, 'realtime': 702754, 'world reeling': 1009927, 'it effect': 457765, 'effect and': 268965, 'therefore health': 879429, 'found socialdistancing': 330371, 'socialdistancing to': 780816, 'be best': 113831, 'practice additionally': 668517, 'additionally yougov': 31918, 'yougov realtime': 1022537, 'realtime ha': 702765, 'created tracker': 215919, 'tracker looking': 928282, 'in 25': 419894, '25 mar': 15904, 'pandemic ha the': 635574, 'ha the entire': 372197, 'entire world reeling': 278781, 'world reeling from': 1009928, 'reeling from it': 706446, 'from it effect': 336114, 'it effect and': 457766, 'effect and therefore': 268969, 'and therefore health': 73864, 'therefore health official': 879430, 'health official have': 386703, 'official have found': 595836, 'have found socialdistancing': 380701, 'found socialdistancing to': 330372, 'socialdistancing to be': 780818, 'to be best': 901128, 'be best practice': 113833, 'best practice additionally': 127841, 'practice additionally yougov': 668518, 'additionally yougov realtime': 31919, 'yougov realtime ha': 1022539, 'realtime ha created': 702766, 'ha created tracker': 370287, 'created tracker looking': 215921, 'tracker looking at': 928283, 'looking at consumer': 502801, 'at consumer behavior': 98313, 'behavior in 25': 124075, 'in 25 mar': 419895, 'such mask': 816629, 'of mask sanitizer': 586277, 'mask sanitizer amp': 519217, 'source supply such': 786550, 'supply such mask': 825920, 'such mask equipment': 816630, 'nakuru': 551555, 'oldest': 598695, 'nakuru oldest': 551559, 'oldest supermarket': 598700, 'supermarket join': 821212, 'join county': 466699, 'county in': 211414, '19 war': 11894, 'nakuru oldest supermarket': 551560, 'oldest supermarket join': 598701, 'supermarket join county': 821213, 'join county in': 466700, 'county in covid': 211415, 'covid 19 war': 214042, 'stake': 793298, 'succumb': 816287, 'superstition': 824337, 'quack': 691633, 'letsfightcoronatogether': 487258, 'coronafreeworld': 204950, 'srimspeaks': 791621, 'life are': 488496, 'at stake': 100625, 'stake including': 793314, 'including ours': 432095, 'ours and': 625431, 'one do': 606200, 'not succumb': 571791, 'succumb to': 816290, 'to superstition': 915865, 'superstition do': 824338, 'not listen': 570424, 'to fake': 905612, 'fake fraud': 296627, 'and quack': 69846, 'quack stay': 691637, 'safe sri': 729962, 'sri letsfightcoronatogether': 791599, 'letsfightcoronatogether coronafreeworld': 487259, 'coronafreeworld srimspeaks': 204952, 'million of human': 532269, 'of human life': 584875, 'human life are': 410546, 'life are at': 488497, 'are at stake': 84683, 'at stake including': 100630, 'stake including ours': 793316, 'including ours and': 432096, 'ours and our': 625432, 'and our loved': 68503, 'loved one do': 504908, 'one do not': 606201, 'do not succumb': 249860, 'not succumb to': 571792, 'succumb to superstition': 816292, 'to superstition do': 915866, 'superstition do not': 824339, 'do not listen': 249777, 'not listen to': 570429, 'listen to fake': 494734, 'to fake fraud': 905614, 'fake fraud and': 296628, 'fraud and quack': 331235, 'and quack stay': 69848, 'quack stay safe': 691638, 'stay safe sri': 797275, 'safe sri letsfightcoronatogether': 729963, 'sri letsfightcoronatogether coronafreeworld': 791600, 'letsfightcoronatogether coronafreeworld srimspeaks': 487260, 'growing inflation': 367207, 'inflation rising': 437231, 'and declining': 61021, 'declining purchasing': 231488, 'power are': 667563, 'already unavoidable': 47731, 'unavoidable due': 939471, 'with implication': 998954, 'for political': 324609, 'political stability': 663677, 'stability and': 791802, 'and election': 61996, 'election in': 271041, 'in russia': 427586, 'growing inflation rising': 367208, 'inflation rising price': 437232, 'rising price and': 723264, 'price and declining': 672390, 'and declining purchasing': 61026, 'declining purchasing power': 231489, 'purchasing power are': 689904, 'power are already': 667564, 'are already unavoidable': 84430, 'already unavoidable due': 47732, 'unavoidable due to': 939472, 'to 19 and': 899534, '19 and low': 5060, 'price with implication': 677617, 'with implication for': 998955, 'implication for political': 418554, 'for political stability': 324611, 'political stability and': 663678, 'stability and election': 791803, 'and election in': 61997, 'election in russia': 271043, 'webpage': 975167, 'for commission': 320187, 'commission update': 188913, 'update related': 947192, 'visit our': 959322, 'response webpage': 715917, 'webpage for': 975168, 'on agency': 599176, 'agency operation': 38053, 'operation consumer': 613166, 'program filing': 683243, 'filing and': 305417, 'more visit': 540919, 'looking for commission': 502858, 'for commission update': 320188, 'commission update related': 188914, 'update related to': 947193, '19 visit our': 11849, 'visit our response': 959329, 'our response webpage': 624623, 'response webpage for': 715918, 'webpage for update': 975170, 'update on agency': 947105, 'on agency operation': 599177, 'agency operation consumer': 38054, 'operation consumer assistance': 613167, 'consumer assistance program': 196330, 'assistance program filing': 96734, 'program filing and': 683244, 'filing and more': 305418, 'and more visit': 67228, 'phonecall': 655078, 'clarehall': 180057, 'extremely let': 293902, 'down tesco': 257254, 'tesco no': 838756, 'delivery no': 234203, 'no phonecall': 565104, 'phonecall no': 655079, 'no email': 564103, 'email have': 272196, 'no dog': 564037, 'no drinking': 564058, 'water water': 969247, 'water off': 969078, 'area today': 92241, 'today order': 919998, 'order placed': 618515, 'placed week': 657929, 'ago did': 38371, 'not stockpile': 571741, 'stockpile did': 803733, 'panic did': 638033, 'did everything': 240600, 'everything advised': 287672, 'advised ie': 33627, 'ie weekly': 413751, 'shop tesco': 760883, 'tesco clarehall': 838685, 'clarehall not': 180058, 'not responding': 571350, 'responding tesco': 715574, 'extremely let down': 293903, 'let down tesco': 486691, 'down tesco no': 257255, 'tesco no delivery': 838757, 'no delivery no': 563989, 'delivery no phonecall': 234208, 'no phonecall no': 565105, 'phonecall no email': 655080, 'no email have': 564104, 'email have no': 272197, 'food no dog': 315542, 'no dog food': 564038, 'dog food no': 252086, 'food no drinking': 315543, 'no drinking water': 564059, 'drinking water water': 258949, 'water water off': 969248, 'water off my': 969079, 'off my area': 593980, 'my area today': 547305, 'area today order': 92242, 'today order placed': 919999, 'order placed week': 618518, 'placed week ago': 657930, 'week ago did': 975844, 'ago did not': 38372, 'did not stockpile': 240735, 'not stockpile did': 571743, 'stockpile did not': 803734, 'did not panic': 240725, 'not panic did': 570905, 'panic did everything': 638034, 'did everything advised': 240601, 'everything advised ie': 287673, 'advised ie weekly': 33628, 'ie weekly shop': 413752, 'weekly shop tesco': 977554, 'shop tesco clarehall': 760884, 'tesco clarehall not': 838686, 'clarehall not responding': 180059, 'not responding tesco': 571351, 'cyclist': 224103, 'glovo': 353071, 'eats': 266357, 'sunny': 818390, 'cycling': 224088, 'quarantine in': 692285, 'downtown kyiv': 257749, 'ukraine on': 939045, '12 2020': 2785, '2020 cyclist': 14265, 'cyclist are': 224104, 'for glovo': 321901, 'glovo uber': 353074, 'uber eats': 937808, 'eats food': 266371, 'service ban': 752168, 'transport nice': 929912, 'nice sunny': 562473, 'sunny spring': 818394, 'spring weather': 791255, 'weather make': 974884, 'make cycling': 509811, 'cycling particularly': 224097, 'particularly inviting': 642705, 'quarantine in downtown': 692287, 'in downtown kyiv': 422378, 'downtown kyiv ukraine': 257750, 'kyiv ukraine on': 478090, 'ukraine on april': 939046, 'on april 12': 599430, 'april 12 2020': 83400, '12 2020 cyclist': 2786, '2020 cyclist are': 14266, 'cyclist are in': 224105, 'high demand for': 395009, 'demand for glovo': 235430, 'for glovo uber': 321902, 'glovo uber eats': 353075, 'uber eats food': 937812, 'eats food delivery': 266372, 'delivery service ban': 234427, 'service ban on': 752169, 'ban on public': 109232, 'public transport nice': 688411, 'transport nice sunny': 929913, 'nice sunny spring': 562475, 'sunny spring weather': 818395, 'spring weather make': 791256, 'weather make cycling': 974885, 'make cycling particularly': 509812, 'cycling particularly inviting': 224098, 'sarasota': 736729, 'manatee': 512929, 'lag': 478885, 'coronavirus florida': 205928, 'florida home': 310947, 'in sarasota': 427704, 'sarasota manatee': 736730, 'manatee lag': 512930, 'lag state': 478890, 'and nation': 67423, 'nation ahead': 552107, 'coronavirus florida home': 205929, 'florida home price': 310948, 'home price in': 401907, 'price in sarasota': 674728, 'in sarasota manatee': 427705, 'sarasota manatee lag': 736731, 'manatee lag state': 512931, 'lag state and': 478891, 'state and nation': 795370, 'and nation ahead': 67424, 'nation ahead of': 552108, 'quid': 694655, 'supermark': 818719, 'sure agree': 827483, 'past walk': 643637, 'walk about': 964726, 'about fully': 25286, 'adding up': 31716, 'up go': 945020, 'achieve amount': 29015, 'of meal': 586354, 'meal with': 524307, 'just 30': 468114, '30 quid': 17202, 'quid really': 694666, 'really feel': 702192, 'the breadline': 849967, 'breadline supermark': 138664, 'not sure agree': 571833, 'sure agree with': 827484, 'agree with you': 38686, 'with you there': 1002166, 'you there in': 1021630, 'there in the': 878508, 'the past walk': 863368, 'past walk about': 643638, 'walk about fully': 964727, 'about fully stocked': 25287, 'stocked supermarket adding': 803407, 'supermarket adding up': 818782, 'adding up go': 31717, 'up go to': 945022, 'go to have': 354316, 'have to achieve': 383148, 'to achieve amount': 899984, 'achieve amount of': 29016, 'amount of meal': 53233, 'of meal with': 586361, 'meal with just': 524308, 'with just 30': 999123, 'just 30 quid': 468115, '30 quid really': 17203, 'quid really feel': 694667, 'really feel for': 702193, 'feel for those': 302626, 'that are already': 842715, 'are already on': 84419, 'already on the': 47540, 'on the breadline': 603998, 'the breadline supermark': 849969, 'schooling': 742032, 'fianc': 304364, 'cog': 185575, 'also offered': 48598, 'offered to': 594975, 'support parent': 826751, 'parent home': 641646, 'home schooling': 402023, 'schooling online': 742037, 'online outside': 608723, 'outside school': 629541, 'school meanwhile': 741865, 'meanwhile her': 524980, 'her fianc': 392043, 'fianc work': 304365, 'so is': 777434, 'important cog': 418761, 'cog in': 185576, 'the wheel': 871423, 'wheel right': 983048, 'now although': 573988, 'doesn feel': 251791, 'when his': 983568, 'staff get': 792485, 'get so': 348027, 'much abuse': 544692, 'daughter ha also': 226849, 'ha also offered': 369527, 'also offered to': 48599, 'offered to support': 594983, 'to support parent': 915958, 'support parent home': 826752, 'parent home schooling': 641647, 'home schooling online': 402025, 'schooling online outside': 742038, 'online outside school': 608724, 'outside school meanwhile': 629542, 'school meanwhile her': 741866, 'meanwhile her fianc': 524981, 'her fianc work': 392044, 'fianc work in': 304366, 'work in local': 1005321, 'local supermarket so': 498590, 'supermarket so is': 822732, 'so is an': 777437, 'is an important': 445668, 'an important cog': 56195, 'important cog in': 418762, 'cog in the': 185577, 'in the wheel': 429676, 'the wheel right': 871428, 'wheel right now': 983049, 'right now although': 722017, 'now although it': 573989, 'although it doesn': 49328, 'it doesn feel': 457630, 'doesn feel like': 251792, 'feel like it': 302723, 'like it when': 490565, 'it when his': 462337, 'when his staff': 983569, 'his staff get': 397814, 'staff get so': 792488, 'get so much': 348028, 'so much abuse': 777756, 'begun to': 123734, 'but demand': 145520, 'high at': 394938, 'at most': 99776, 'most site': 542748, 'ha begun to': 370001, 'begun to provide': 123737, 'to provide food': 912394, 'provide food during': 686305, 'outbreak but demand': 628061, 'but demand is': 145521, 'demand is high': 235728, 'is high at': 448439, 'high at most': 394940, 'at most site': 99778, 'nativo': 552787, 'latest research': 481530, 'research on': 713796, 'consumption trend': 199958, 'trend courtesy': 931311, 'courtesy of': 212048, 'the nativo': 861313, 'nativo research': 552788, 'research analytics': 713664, 'analytics team': 57239, 'the latest research': 859142, 'latest research on': 481535, 'research on covid': 713798, '19 consumer content': 5964, 'content consumption trend': 200793, 'consumption trend courtesy': 199959, 'trend courtesy of': 931312, 'courtesy of the': 212054, 'of the nativo': 591265, 'the nativo research': 861314, 'nativo research analytics': 552789, 'research analytics team': 713665, 'myia': 550740, 'distance myself': 246769, 'myself from': 550862, 'pet because': 653364, 'hurt but': 411551, 'but understand': 147649, 'the condition': 851430, 'condition the': 193537, 'in would': 430994, 'never forgive': 558007, 'forgive myself': 329372, 'myself if': 550875, 'fault for': 300402, 'for bringing': 319795, 'my loved': 549166, 'especially my': 280547, 'little sister': 495570, 'sister myia': 771778, 'have to social': 383304, 'social distance myself': 779514, 'distance myself from': 246770, 'myself from my': 550865, 'my family friend': 548199, 'family friend and': 297815, 'friend and pet': 333508, 'and pet because': 68943, 'pet because work': 653366, 'store it hurt': 808578, 'it hurt but': 458664, 'hurt but understand': 411552, 'but understand the': 147650, 'understand the condition': 940750, 'the condition the': 851435, 'condition the world': 193540, 'is in would': 448829, 'in would never': 430996, 'would never forgive': 1012058, 'never forgive myself': 558008, 'forgive myself if': 329373, 'myself if it': 550876, 'if it wa': 414341, 'wa my fault': 962673, 'my fault for': 548256, 'fault for bringing': 300403, 'for bringing covid': 319797, '19 to my': 11442, 'to my loved': 910417, 'my loved one': 549167, 'loved one especially': 504910, 'one especially my': 606244, 'especially my little': 280548, 'my little sister': 549083, 'little sister myia': 495572, 'mirror': 533944, 'lhm': 487939, 'am about': 49842, 'just looked': 469190, 'at myself': 99836, 'the mirror': 860678, 'mirror and': 533945, 'to stick': 915395, 'stick the': 800052, 'place up': 657793, 'up mask': 945366, 'glove plastic': 352866, 'plastic booty': 658818, 'booty on': 135146, 'on shoe': 603426, 'shoe lhm': 759676, 'am about to': 49845, 'about to go': 26720, 'store just looked': 808619, 'just looked at': 469191, 'looked at myself': 502710, 'at myself in': 99838, 'myself in the': 550882, 'in the mirror': 429366, 'the mirror and': 860679, 'mirror and look': 533946, 'and look like': 66366, 'look like going': 502479, 'going to stick': 355722, 'to stick the': 915398, 'stick the place': 800054, 'the place up': 863776, 'place up mask': 657794, 'up mask glove': 945367, 'mask glove plastic': 518743, 'glove plastic booty': 352867, 'plastic booty on': 658819, 'booty on shoe': 135147, 'on shoe lhm': 603427, 'unclean': 939828, 'synergy': 830998, 'approaching ll': 83018, 'giving my': 351348, 'mum touching': 545959, 'touching gift': 926680, 'gift in': 349992, 'these unclean': 880915, 'unclean time': 939831, 'time synergy': 897793, 'synergy my': 830999, 'mum is': 545915, 'is soft': 452060, 'soft and': 781459, 'and strong': 72587, 'strong everytime': 814030, 'mother day is': 543082, 'day is approaching': 227833, 'is approaching ll': 445797, 'approaching ll be': 83019, 'll be giving': 496588, 'be giving my': 115037, 'giving my mum': 351349, 'my mum touching': 549385, 'mum touching gift': 545960, 'touching gift in': 926681, 'gift in these': 349994, 'in these unclean': 429876, 'these unclean time': 880916, 'unclean time synergy': 939832, 'time synergy my': 897794, 'synergy my mum': 831000, 'my mum is': 549377, 'mum is soft': 545919, 'is soft and': 452061, 'soft and strong': 781460, 'and strong everytime': 72590, 'durin': 262392, 'shoppin': 761858, 'feelin': 302952, 'thehungergames': 872404, 'worldwide all': 1010309, 'all alright': 41993, 'alright out': 47785, 'is indoors': 448887, 'indoors takin': 435426, 'takin care': 833235, 'of mamaghettoheat': 586136, 'scene durin': 741316, 'durin this': 262393, 'outbreak supermarket': 628674, 'supermarket shoppin': 822624, 'shoppin daily': 761859, 'daily feelin': 224617, 'feelin like': 302955, 'like thehungergames': 491411, 'thehungergames out': 872405, '20 bottle': 12976, 'ghettoheatmovement worldwide all': 349646, 'worldwide all alright': 1010310, 'all alright out': 41994, 'alright out there': 47786, 'there the hickson': 879148, 'hickson is indoors': 394798, 'is indoors takin': 448888, 'indoors takin care': 435427, 'takin care of': 833236, 'care of mamaghettoheat': 164106, 'of mamaghettoheat behind': 586137, 'the scene durin': 866464, 'scene durin this': 741317, 'durin this outbreak': 262394, 'this outbreak supermarket': 889329, 'outbreak supermarket shoppin': 628676, 'supermarket shoppin daily': 822625, 'shoppin daily feelin': 761860, 'daily feelin like': 224618, 'feelin like thehungergames': 302956, 'like thehungergames out': 491412, 'thehungergames out here': 872406, 'out here bought': 626273, 'bought 20 bottle': 136474, 'on toronto': 604812, 'toronto real': 925982, 'estate here': 282122, 'the 2003': 847987, '2003 sars': 13598, 'sars crisis': 736816, 'some are concerned': 782315, 'concerned about the': 193176, '19 coronavirus on': 6112, 'coronavirus on toronto': 206346, 'on toronto real': 604814, 'toronto real estate': 925983, 'real estate here': 701146, 'estate here is': 282123, 'here is look': 393235, 'is look back': 449440, 'look back at': 502314, 'at the impact': 100984, 'of the 2003': 590764, 'the 2003 sars': 847988, '2003 sars crisis': 13599, '19 energy': 6780, 'uncertainty around covid': 939659, 'covid 19 energy': 213022, '19 energy price': 6781, 'energy price are': 276538, 'are at all': 84662, 'carryout': 165225, 'sided': 768920, 'togetheralone': 921058, 'yard sign': 1014164, 'sign available': 769098, 'or carryout': 614674, 'carryout signage': 165230, 'signage single': 769283, 'single or': 771353, 'or double': 615061, 'double sided': 256047, 'sided one': 768921, 'one color': 606074, 'available price': 104564, 'at under': 101394, 'under 75': 939990, '75 sign': 22162, 'sign even': 769113, 'low quantity': 505565, 'quantity give': 691916, 'give message': 350588, 'special pricing': 788034, 'pricing signage': 677975, 'signage special': 769285, 'special togetheralone': 788080, 'yard sign available': 1014165, 'sign available for': 769099, 'available for delivery': 104366, 'for delivery or': 320641, 'delivery or carryout': 234278, 'or carryout signage': 614675, 'carryout signage single': 165231, 'signage single or': 769284, 'single or double': 771354, 'or double sided': 615062, 'double sided one': 256048, 'sided one color': 768922, 'one color available': 606075, 'color available price': 186729, 'available price start': 104565, 'price start at': 676609, 'start at under': 794215, 'at under 75': 101396, 'under 75 sign': 939991, '75 sign even': 22163, 'sign even for': 769114, 'even for low': 284080, 'for low quantity': 323131, 'low quantity give': 505566, 'quantity give message': 691917, 'give message for': 350589, 'message for special': 529306, 'for special pricing': 325810, 'special pricing signage': 788036, 'pricing signage special': 677976, 'signage special togetheralone': 769286, 'rotate': 726174, 'way if': 969647, 'food recommend': 316137, 'recommend taking': 704711, 'own seed': 632196, 'seed from': 746148, 'the vegetable': 870670, 'fruit it': 339107, 'it work': 462500, 'work too': 1005932, 'too truth': 925140, 'truth keep': 934400, 'keep stock': 471967, 'pile of': 656504, 'of seed': 589446, 'seed that': 746174, 'that rotate': 846069, 'rotate every': 726175, 'every few': 285896, 'few year': 304190, 'no way if': 565862, 'way if you': 969649, 'want to grow': 966044, 'to grow your': 907043, 'grow your own': 367089, 'own food recommend': 632000, 'food recommend taking': 316138, 'recommend taking your': 704712, 'taking your own': 833676, 'your own seed': 1025160, 'own seed from': 632197, 'seed from the': 746149, 'from the vegetable': 337914, 'the vegetable and': 870671, 'and fruit it': 63375, 'fruit it work': 339109, 'it work too': 462508, 'work too truth': 1005936, 'too truth keep': 925141, 'truth keep stock': 934401, 'keep stock pile': 471971, 'stock pile of': 802633, 'pile of seed': 656508, 'of seed that': 589447, 'seed that rotate': 746175, 'that rotate every': 846070, 'rotate every few': 726176, 'every few year': 285899, 'few year for': 304192, 'year for this': 1014569, 'isolationlife': 455541, 'my weekly': 550558, 'weekly supermarket': 977575, 'visit tesco': 959374, 'tesco stayathomeandstaysafe': 838810, 'stayathomeandstaysafe isolationlife': 797723, 'can believe the': 157744, 'believe the highlight': 126362, 'my week is': 550552, 'week is now': 976422, 'is now going': 450291, 'now going to': 574802, 'to be my': 901398, 'be my weekly': 116041, 'my weekly supermarket': 550566, 'weekly supermarket visit': 977579, 'supermarket visit tesco': 823663, 'visit tesco stayathomeandstaysafe': 959375, 'tesco stayathomeandstaysafe isolationlife': 838811, 'ninety': 563300, 'ninety per': 563305, 'cent of': 169092, 'move by': 543623, 'by truck': 154597, 'truck sometimes': 932852, 'they move': 882694, 'by ship': 153976, 'ship or': 758702, 'or train': 617514, 'train first': 929252, 'first but': 308553, 'but eventually': 145674, 'eventually they': 285173, 're delivered': 698512, 'delivered by': 233304, 'truck if': 932816, 'the saying': 866398, 'saying go': 739596, 'go truck': 354399, 'truck brought': 932739, 'ninety per cent': 563306, 'per cent of': 650755, 'cent of all': 169093, 'of all consumer': 579933, 'all consumer good': 42431, 'consumer good move': 197627, 'good move by': 357419, 'move by truck': 543627, 'by truck sometimes': 154600, 'truck sometimes they': 932853, 'sometimes they move': 785243, 'they move by': 882695, 'move by ship': 543626, 'by ship or': 153977, 'ship or train': 758704, 'or train first': 617515, 'train first but': 929253, 'first but eventually': 308555, 'but eventually they': 145675, 'eventually they re': 285174, 'they re delivered': 883019, 're delivered by': 698513, 'delivered by truck': 233306, 'by truck if': 154599, 'truck if you': 932817, 'if you got': 415447, 'got it the': 358653, 'it the saying': 461575, 'the saying go': 866399, 'saying go truck': 739597, 'go truck brought': 354400, 'truck brought it': 932740, 'howard community': 409310, 'community because': 189753, '19 howard': 7612, 'howard ha': 409316, 'ha laid': 371089, 'worker leaving': 1007301, 'leaving them': 485163, 'vulnerable join': 961026, 'of the howard': 591114, 'the howard community': 857676, 'howard community because': 409311, 'community because of': 189754, 'covid 19 howard': 213230, '19 howard ha': 7613, 'howard ha laid': 409317, 'ha laid off': 371090, 'off it food': 593937, 'service worker leaving': 753100, 'worker leaving them': 1007302, 'leaving them vulnerable': 485165, 'them vulnerable join': 876582, 'vulnerable join in': 961027, 'foodsystem': 318220, 'assuming': 97047, 'globalagenda': 352301, 'the foodsystem': 855641, 'foodsystem need': 318223, 'shift good': 758301, 'good from': 357111, 'chain to': 171189, 'even assuming': 283844, 'assuming that': 97056, 'food economy': 314333, 'economy can': 267734, 'can flip': 158354, 'flip switch': 310603, 'switch have': 830496, 'have retailer': 382310, 'retailer take': 719348, 'on 100': 598998, 'our need': 623999, 'need within': 556231, 'within day': 1002343, 'is unrealistic': 453548, 'unrealistic food': 943303, 'food globalagenda': 314668, 'the foodsystem need': 855643, 'foodsystem need to': 318224, 'need to shift': 556068, 'to shift good': 914414, 'shift good from': 758302, 'good from the': 357115, 'from the restaurant': 337856, 'the restaurant chain': 865648, 'restaurant chain to': 716362, 'chain to the': 171199, 'the retail chain': 865711, 'retail chain but': 717938, 'chain but even': 170562, 'but even assuming': 145666, 'even assuming that': 283845, 'assuming that the': 97057, 'that the food': 846732, 'the food economy': 855549, 'food economy can': 314336, 'economy can flip': 267735, 'can flip switch': 158355, 'flip switch have': 310604, 'switch have retailer': 830497, 'have retailer take': 382311, 'retailer take on': 719351, 'take on 100': 832400, 'on 100 of': 598999, '100 of our': 1989, 'of our need': 587520, 'our need within': 624003, 'need within day': 556232, 'within day is': 1002347, 'day is unrealistic': 227842, 'is unrealistic food': 453549, 'unrealistic food globalagenda': 943304, 'perfectly summarizes': 651399, 'summarizes trip': 817922, 'store lately': 808678, 'perfectly summarizes trip': 651400, 'summarizes trip to': 817923, 'grocery store lately': 365511, 'reckoned': 704576, 'liquor shop': 494191, 'owner reckoned': 632551, 'reckoned he': 704577, 'he be': 384763, 'be still': 117369, 'govt covid': 361099, '19 website': 11969, 'website mention': 975353, 'mention fast': 528753, 'fast moving': 300008, 'moving consumer': 544130, 'good including': 357254, 'including beverage': 431891, 'beverage not': 129020, 'taking chance': 833308, 'the liquor shop': 859460, 'liquor shop owner': 494193, 'shop owner reckoned': 760650, 'owner reckoned he': 632552, 'reckoned he be': 704578, 'he be still': 384765, 'be still opened': 117370, 'opened and the': 612707, 'and the govt': 73401, 'the govt covid': 856655, 'govt covid 19': 361100, 'covid 19 website': 214054, '19 website mention': 11970, 'website mention fast': 975354, 'mention fast moving': 528754, 'fast moving consumer': 300009, 'moving consumer good': 544131, 'consumer good including': 197621, 'good including beverage': 357255, 'including beverage not': 431892, 'beverage not taking': 129021, 'not taking chance': 571925, 'incoherent': 432266, 'please clarify': 659784, 'clarify you': 180089, 'it stupid': 461324, 'stupid to': 815483, 'let everyone': 486700, 'everyone go': 286940, 'more harmful': 539390, 'harmful not': 378447, 'get everyone': 346964, 'everyone back': 286726, 'work that': 1005798, 'that incoherent': 844486, 'incoherent to': 432267, 'me more': 523163, 'more human': 539458, 'human interaction': 410528, 'interaction equal': 441237, 'equal more': 279600, 'more infection': 539537, 'infection coro': 436738, 'please clarify you': 659785, 'clarify you said': 180090, 'you said it': 1020976, 'said it stupid': 731163, 'it stupid to': 461327, 'stupid to let': 815484, 'to let everyone': 909202, 'let everyone go': 486701, 'everyone go to': 286941, 'store but it': 806797, 'but it even': 146121, 'it even more': 457856, 'even more harmful': 284360, 'more harmful not': 539391, 'harmful not to': 378448, 'not to get': 572154, 'to get everyone': 906472, 'get everyone back': 346965, 'everyone back to': 286727, 'to work that': 918787, 'work that incoherent': 1005803, 'that incoherent to': 844487, 'incoherent to me': 432268, 'to me more': 909942, 'me more human': 523167, 'more human interaction': 539459, 'human interaction equal': 410530, 'interaction equal more': 441238, 'equal more infection': 279601, 'more infection coro': 539538, 'ecommercenews': 266909, 'time consumer': 896502, 'shifted to': 758504, 'time spent': 897729, 'spent at': 789114, 'family here': 297891, 'that shift': 846255, 'impacting commerce': 418187, 'commerce ecommerce': 188549, 'ecommerce ecommercenews': 266761, 'uncertain time consumer': 939615, 'time consumer shopping': 896507, 'shopping behavior ha': 762202, 'behavior ha shifted': 124053, 'ha shifted to': 371906, 'shifted to meet': 758505, 'meet the need': 527605, 'need of more': 555335, 'of more time': 586653, 'more time spent': 540774, 'time spent at': 897731, 'spent at home': 789115, 'at home for': 98995, 'whole family here': 990197, 'family here is': 297892, 'is how that': 448598, 'how that shift': 408795, 'that shift in': 846256, 'behavior is impacting': 124100, 'is impacting commerce': 448696, 'impacting commerce ecommerce': 418188, 'commerce ecommerce ecommercenews': 188552, 'buying some': 151053, 'local woolies': 498711, 'woolies and': 1004365, 'and iga': 64958, 'iga three': 415693, 'three cheer': 893892, 'worker always': 1006239, 'always in': 49628, 'good mood': 357394, 'mood and': 538265, 'and helpful': 64489, 'helpful 19': 391150, 'back from buying': 107004, 'from buying some': 334781, 'buying some essential': 151055, 'some essential at': 782759, 'essential at my': 280806, 'my local woolies': 549151, 'local woolies and': 498712, 'woolies and iga': 1004366, 'and iga three': 64959, 'iga three cheer': 415694, 'three cheer to': 893893, 'cheer to our': 175122, 'our supermarket worker': 625032, 'supermarket worker always': 823985, 'worker always in': 1006240, 'always in good': 49629, 'in good mood': 423369, 'good mood and': 357395, 'mood and helpful': 538268, 'and helpful 19': 64490, 'asi': 95147, 'nigerian stock': 562880, 'stock suffer': 802898, 'suffer another': 817193, 'another loss': 77706, 'loss asi': 503645, 'asi dip': 95148, 'dip on': 243205, 'nigerian stock suffer': 562881, 'stock suffer another': 802899, 'suffer another loss': 817194, 'another loss asi': 77707, 'loss asi dip': 503646, 'asi dip on': 95149, 'dip on covid': 243207, '19 fear falling': 6956, 'fear falling oil': 301110, 'messenger': 529533, 'dumbass': 262122, 'hometasking': 402979, 'pay attention': 644762, 'attention it': 102454, 'it where': 462342, 'covid 18': 212548, '18 bitch': 4522, 'bitch they': 131774, 'they hiding': 882432, 'hiding they': 394881, 'they getting': 882188, 'getting stronger': 349312, 'stronger 19': 814164, 'the messenger': 860532, 'messenger 18': 529534, '18 gon': 4538, 'gon fuck': 356177, 'up they': 946267, 'they coming': 881781, 'for hide': 322250, 'hide ya': 394854, 'ya kid': 1014003, 'kid hide': 473990, 'ya wife': 1014035, 'wife dumbass': 991916, 'dumbass 19': 262123, '19 hometasking': 7567, 'hometasking toiletpaper': 402980, 'need to pay': 556008, 'to pay attention': 911515, 'pay attention it': 644763, 'attention it where': 102455, 'it where covid': 462343, 'where covid 18': 984801, 'covid 18 bitch': 212549, '18 bitch they': 4523, 'bitch they hiding': 131775, 'they hiding they': 882433, 'hiding they getting': 394882, 'they getting stronger': 882190, 'getting stronger 19': 349313, 'stronger 19 wa': 814165, '19 wa the': 11876, 'wa the messenger': 963455, 'the messenger 18': 860533, 'messenger 18 gon': 529535, '18 gon fuck': 4539, 'gon fuck up': 356178, 'fuck up they': 339677, 'up they coming': 946268, 'they coming for': 881782, 'coming for hide': 188048, 'for hide ya': 322251, 'hide ya kid': 394855, 'ya kid hide': 1014004, 'kid hide ya': 473991, 'hide ya wife': 394856, 'ya wife dumbass': 1014036, 'wife dumbass 19': 991917, 'dumbass 19 hometasking': 262124, '19 hometasking toiletpaper': 7568, 'are stuck': 90596, 'running low': 727996, 'this toilet': 890791, 'calculator let': 155342, 'long your': 501881, 'your bathroom': 1022917, 'bathroom stash': 112669, 'stash will': 795304, 'last hoarding': 480269, 'hoarding pandemic': 399468, 'pandemic quaratinelife': 636276, 'quaratinelife toiletpaper': 693157, 'calculator wfh': 155364, 'who are stuck': 988232, 'are stuck inside': 90600, 'stuck inside and': 814609, 'inside and running': 439221, 'and running low': 70645, 'running low on': 728002, 'low on essential': 505455, 'on essential supply': 600596, 'essential supply this': 281630, 'supply this toilet': 825988, 'this toilet paper': 890792, 'paper calculator let': 639996, 'calculator let you': 155343, 'how long your': 408220, 'long your bathroom': 501882, 'your bathroom stash': 1022918, 'bathroom stash will': 112670, 'stash will last': 795305, 'will last hoarding': 993944, 'last hoarding pandemic': 480270, 'hoarding pandemic quaratinelife': 399469, 'pandemic quaratinelife toiletpaper': 636277, 'quaratinelife toiletpaper calculator': 693158, 'toiletpaper calculator wfh': 921845, 'stair': 793291, 'assessment when': 96407, 'when someone': 984052, 'someone cough': 784416, 'the lift': 859350, 'lift or': 489446, 'or escalator': 615173, 'escalator or': 280301, 'or stair': 617196, 'stair on': 793294, 'top floor': 925578, 'flat or': 310088, 'mall or': 511811, 'or hotel': 615681, 'hotel covid': 405134, 'risk assessment when': 723395, 'assessment when someone': 96408, 'when someone cough': 984055, 'someone cough in': 784418, 'cough in the': 208485, 'in the lift': 429319, 'the lift or': 859351, 'lift or escalator': 489447, 'or escalator or': 615174, 'escalator or stair': 280302, 'or stair on': 617197, 'stair on the': 793295, 'on the top': 604409, 'the top floor': 869780, 'top floor of': 925579, 'floor of flat': 310831, 'of flat or': 583583, 'flat or mall': 310089, 'or mall or': 616050, 'mall or hospital': 511812, 'or hospital or': 615673, 'hospital or hotel': 404541, 'or hotel covid': 615682, 'hotel covid 19': 405135, 'scp': 742521, 'scpmemes': 742524, 'pubgmobile': 687821, 'pubg': 687818, 'furries': 341974, 'besave': 127456, 'dragon': 258199, 'inst': 439875, 'meme coronamemes': 528307, 'coronamemes scp': 205068, 'scp scpmemes': 742522, 'scpmemes pubgmobile': 742525, 'pubgmobile pubg': 687822, 'pubg furries': 687819, 'furries game': 341975, 'game game': 343175, 'game besave': 343134, 'besave toiletpaper': 127457, 'toiletpaper toilet': 922627, 'toilet handsanitizer': 921150, 'handsanitizer dragon': 376518, 'dragon be': 258200, 'be save': 116994, 'save follow': 737500, 'my other': 549621, 'other account': 619794, 'account inst': 28706, 'meme coronamemes scp': 528308, 'coronamemes scp scpmemes': 205069, 'scp scpmemes pubgmobile': 742523, 'scpmemes pubgmobile pubg': 742526, 'pubgmobile pubg furries': 687823, 'pubg furries game': 687820, 'furries game game': 341976, 'game game besave': 343176, 'game besave toiletpaper': 343135, 'besave toiletpaper toilet': 127458, 'toiletpaper toilet handsanitizer': 922628, 'toilet handsanitizer dragon': 921151, 'handsanitizer dragon be': 376519, 'dragon be save': 258201, 'be save follow': 116995, 'save follow me': 737501, 'follow me and': 312458, 'me and my': 522418, 'and my other': 67382, 'my other account': 549622, 'other account inst': 619796, 'buy ice': 148802, 'cream at': 215528, 'delay due': 232691, 'not good time': 569734, 'to buy ice': 902245, 'buy ice cream': 148803, 'ice cream at': 412649, 'cream at the': 215529, 'supermarket with all': 823910, 'with all of': 997155, 'of the delay': 590939, 'the delay due': 853046, 'delay due to': 232692, 'netto': 557689, 'experience lot': 291414, 'lot if': 504060, 'if weird': 415331, 'weird thing': 977797, 'work doing': 1005056, 'some weird': 784196, 'weird story': 977787, 'story netto': 812048, 'experience lot if': 291415, 'lot if weird': 504061, 'if weird thing': 415332, 'weird thing at': 977798, 'thing at work': 884179, 'at work doing': 101596, 'work doing the': 1005057, 'doing the quarantine': 252722, 'the quarantine because': 864962, 'quarantine because work': 692048, 'at supermarket do': 100714, 'want to here': 966048, 'to here some': 907719, 'here some weird': 393588, 'some weird story': 784197, 'weird story netto': 977788, 'rhubarb': 720912, 'custard': 221944, 'job like': 465954, 'like rhubarb': 491089, 'rhubarb and': 720913, 'and custard': 60829, 'custard cream': 221945, 'cream 19': 215521, 'good job like': 357295, 'job like rhubarb': 465956, 'like rhubarb and': 491090, 'rhubarb and custard': 720914, 'and custard cream': 60830, 'custard cream 19': 221946, 'talk lot': 833817, 'about responsible': 26092, 'responsible use': 716068, 'with cannabis': 997532, 'cannabis during': 161409, 'some additional': 782256, 'additional tip': 31886, 'being responsible': 125684, 'responsible cannabis': 716009, 'we talk lot': 973493, 'talk lot about': 833818, 'lot about responsible': 503968, 'about responsible use': 26093, 'responsible use with': 716069, 'use with cannabis': 949817, 'with cannabis during': 997533, 'cannabis during we': 161410, 'during we wanted': 263397, 'to share some': 914363, 'share some additional': 755214, 'some additional tip': 782259, 'additional tip for': 31887, 'tip for being': 898760, 'for being responsible': 319636, 'being responsible cannabis': 125685, 'responsible cannabis consumer': 716010, 'human level': 410542, 'level what': 487749, 'what being': 981100, 'being left': 125375, 'behind show': 124692, 'show what': 767271, 'won eat': 1003791, 'eat even': 265905, 'scenario article': 741251, 'by psychology': 153682, 'psychology panicshopping': 687577, 'panicshopping food': 639429, 'food psychology': 316075, 'on basic human': 599582, 'basic human level': 111936, 'human level what': 410543, 'level what being': 487750, 'what being left': 981102, 'being left behind': 125376, 'left behind show': 485422, 'behind show what': 124693, 'show what people': 767274, 'what people just': 982012, 'just won eat': 470324, 'won eat even': 1003792, 'eat even in': 265906, 'in the worst': 429693, 'case scenario article': 166001, 'scenario article by': 741252, 'article by psychology': 94284, 'by psychology panicshopping': 153684, 'psychology panicshopping food': 687578, 'panicshopping food psychology': 639430, 'squeaking': 791519, 'is squeaking': 452205, 'squeaking it': 791520, 'it elderly': 457782, 'customer first': 222379, 'first stayhomechallenge': 309025, 'now that online': 576011, 'shopping is squeaking': 763080, 'is squeaking it': 452206, 'squeaking it time': 791521, 'put it elderly': 690644, 'it elderly customer': 457783, 'elderly customer first': 270651, 'customer first stayhomechallenge': 222380, 'freeport': 332484, '5th': 20820, 'newscentermaine': 561009, 'breaking all': 138911, 'close including': 182678, 'company flagship': 190660, 'in freeport': 423107, 'freeport starting': 332485, 'midnight through': 530757, 'through 29': 894293, '29 it': 16478, 'the 5th': 848159, '5th time': 20833, 'company history': 190751, 'history the': 398059, 'than 24': 840206, 'hour newscentermaine': 405777, 'breaking all store': 138912, 'all store to': 44504, 'store to close': 810763, 'to close including': 902880, 'close including the': 182679, 'including the company': 432180, 'the company flagship': 851326, 'company flagship store': 190661, 'flagship store in': 309966, 'store in freeport': 808304, 'in freeport starting': 423108, 'freeport starting at': 332486, 'at midnight through': 99741, 'midnight through 29': 530758, 'through 29 it': 894294, '29 it is': 16479, 'it is only': 459030, 'only the 5th': 611258, 'the 5th time': 848161, '5th time in': 20834, 'time in the': 897015, 'in the company': 429087, 'the company history': 851330, 'company history the': 190752, 'history the store': 398061, 'will close the': 992947, 'close the first': 182841, 'first time for': 309098, 'time for more': 896727, 'more than 24': 540555, 'than 24 hour': 840208, '24 hour newscentermaine': 15621, 'stoner': 804358, 'these best': 879688, 'on tight': 604691, 'tight budget': 895821, 'budget for': 141788, 'for stoner': 325921, 'out these best': 627534, 'these best way': 879690, 'way to save': 970087, 'save money on': 737586, 'money on tight': 536942, 'on tight budget': 604692, 'tight budget for': 895822, 'budget for stoner': 141790, 'samreen': 733496, 'taking extreme': 833358, 'extreme step': 293834, 'afloat amid': 34942, 'crisis samreen': 217998, 'company taking extreme': 191148, 'taking extreme step': 833359, 'extreme step to': 293835, 'step to continue': 799642, 'continue to stay': 201264, 'stay afloat amid': 796745, 'afloat amid covid': 34943, '19 crisis samreen': 6316, 'akdeniz': 40514, 'hoe': 399814, 'walthamstow': 965522, 'acumen': 31030, 'finest': 307770, 'congratulation to': 194445, 'to akdeniz': 900208, 'akdeniz on': 40515, 'on hoe': 601335, 'hoe street': 399817, 'in walthamstow': 430671, 'walthamstow for': 965523, 'for showing': 325608, 'showing admirable': 767409, 'admirable business': 32546, 'business acumen': 143225, 'acumen in': 31031, 'in taking': 428803, 'pandemic raising': 636285, 'price 99': 672187, 'for liter': 323005, 'liter bottle': 494917, 'of cooking': 581867, 'oil 99': 596586, 'an egg': 55624, 'egg tray': 270017, 'tray capitalism': 930728, 'capitalism at': 162724, 'it finest': 458011, 'congratulation to akdeniz': 194446, 'to akdeniz on': 900209, 'akdeniz on hoe': 40516, 'on hoe street': 601336, 'hoe street in': 399818, 'street in walthamstow': 813002, 'in walthamstow for': 430672, 'walthamstow for showing': 965524, 'for showing admirable': 325609, 'showing admirable business': 767410, 'admirable business acumen': 32547, 'business acumen in': 143226, 'acumen in taking': 31032, 'in taking advantage': 428804, 'advantage of and': 32985, 'of and the': 580186, 'the pandemic raising': 863071, 'pandemic raising their': 636287, 'their price 99': 874372, 'price 99 for': 672189, '99 for liter': 23826, 'for liter bottle': 323006, 'liter bottle of': 494918, 'bottle of cooking': 136277, 'of cooking oil': 581868, 'cooking oil 99': 202886, 'oil 99 for': 596587, '99 for an': 23822, 'for an egg': 319279, 'an egg tray': 55626, 'egg tray capitalism': 270018, 'tray capitalism at': 930729, 'capitalism at it': 162725, 'at it finest': 99322, 'antiseptic': 78554, 'instock': 440490, 'ordernow': 619065, 'dettol antiseptic': 239521, 'antiseptic disinfectant': 78557, 'disinfectant liquid': 245706, 'liquid for': 494086, 'first aid': 308489, 'aid surface': 39456, 'cleaning and': 180893, 'hygiene ad': 412041, 'ad instock': 31124, 'instock ordernow': 440493, 'ordernow amazon': 619066, 'amazon antiseptic': 50862, 'antiseptic soap': 78567, 'soap handsoap': 779025, 'handsoap sanitizer': 376736, 'sanitizer panicbuying': 735532, 'dettol antiseptic disinfectant': 239522, 'antiseptic disinfectant liquid': 78558, 'disinfectant liquid for': 245707, 'liquid for first': 494087, 'for first aid': 321501, 'first aid surface': 308491, 'aid surface cleaning': 39457, 'surface cleaning and': 827999, 'cleaning and personal': 180895, 'and personal hygiene': 68924, 'personal hygiene ad': 652871, 'hygiene ad instock': 412042, 'ad instock ordernow': 31126, 'instock ordernow amazon': 440494, 'ordernow amazon antiseptic': 619068, 'amazon antiseptic soap': 50863, 'antiseptic soap handsoap': 78568, 'soap handsoap sanitizer': 779026, 'handsoap sanitizer panicbuying': 376737, 'highland': 395885, 'highlandlakes': 395891, 'foodpantries': 318022, 'dailytrib': 224935, 'highland lake': 395886, 'lake area': 479054, 'area food': 92008, 'pantry struggle': 639678, 'shelf grocery': 757130, 'up amidst': 944284, 'pandemic highlandlakes': 635627, 'highlandlakes foodpantries': 395892, 'foodpantries dailytrib': 318023, 'highland lake area': 395887, 'lake area food': 479055, 'area food pantry': 92010, 'food pantry struggle': 315799, 'pantry struggle to': 639679, 'struggle to stock': 814394, 'stock shelf grocery': 802833, 'shelf grocery store': 757131, 'store shopper stock': 810126, 'stock up amidst': 803056, 'up amidst covid': 944285, '19 pandemic highlandlakes': 9349, 'pandemic highlandlakes foodpantries': 635628, 'highlandlakes foodpantries dailytrib': 395893, 'interesting information': 441565, 'from google': 335667, 'google on': 358180, 'on insight': 601582, 'google search': 358186, 'data via': 226483, 'interesting information from': 441566, 'information from google': 437838, 'from google on': 335668, 'google on insight': 358181, 'on insight from': 601583, 'insight from google': 439549, 'from google search': 335669, 'google search data': 358187, 'search data via': 743235, 'finder': 307419, 'for hospitality': 322371, 'staff help': 792525, 'for pub': 324849, 'pub staff': 687765, 'staff trust': 793025, 'trust advice': 934232, 'benefit debt': 126954, 'debt consumption': 230456, 'and consumption': 60457, 'consumption employment': 199867, 'employment issue': 274621, 'issue benefit': 455690, 'benefit calculator': 126939, 'calculator grant': 155329, 'grant finder': 362022, 'finder org': 307426, 'org debt': 619177, 'debt advice': 230406, 'help for hospitality': 389748, 'for hospitality staff': 322372, 'hospitality staff help': 404807, 'staff help for': 792526, 'help for pub': 389753, 'for pub staff': 324850, 'pub staff trust': 687766, 'staff trust advice': 793026, 'trust advice on': 934233, 'advice on benefit': 33453, 'on benefit debt': 599624, 'benefit debt consumption': 126956, 'debt consumption and': 230457, 'consumption and consumption': 199828, 'and consumption employment': 60460, 'consumption employment issue': 199868, 'employment issue benefit': 274622, 'issue benefit calculator': 455691, 'benefit calculator grant': 126940, 'calculator grant finder': 155330, 'grant finder org': 362023, 'finder org debt': 307427, 'org debt advice': 619178, 'pet food in': 653387, 'food in demand': 314935, 'real ya': 701467, 'there do': 878325, 'hygiene stuff': 412177, 'stuff if': 815092, 'any left': 79402, 'left wash': 485716, 'wash ya': 967575, 'ya hand': 1013999, 'ya face': 1013986, 'and ya': 75958, 'ya as': 1013963, 'as keep': 94770, 'it clean': 457151, 'clean ppl': 180619, 'ppl do': 668212, 'be asshole': 113711, 'the real ya': 865250, 'real ya ll': 701468, 'ya ll be': 1014012, 'll be safe': 496622, 'out there do': 627476, 'there do not': 878326, 'on food medicine': 600886, 'food medicine and': 315439, 'medicine and hygiene': 526718, 'and hygiene stuff': 64908, 'hygiene stuff if': 412178, 'stuff if there': 815093, 'there is any': 878525, 'is any left': 445759, 'any left wash': 79404, 'left wash ya': 485718, 'wash ya hand': 967577, 'ya hand wash': 1014000, 'hand wash ya': 375938, 'wash ya face': 967576, 'ya face and': 1013987, 'face and ya': 294306, 'and ya as': 75959, 'ya as keep': 1013965, 'as keep it': 94771, 'keep it clean': 471607, 'it clean ppl': 457153, 'clean ppl do': 180620, 'ppl do not': 668213, 'not be asshole': 568356, 'local corner': 497861, 'shop london': 760434, 'london just': 501103, 'posted sign': 666568, 'sign price': 769195, 'my local corner': 549108, 'local corner shop': 497862, 'corner shop london': 203672, 'shop london just': 760435, 'london just posted': 501104, 'just posted sign': 469476, 'posted sign price': 666569, 'sign price might': 769196, 'price might have': 675239, 'might have to': 531023, 'have to rise': 383284, 'to rise due': 913562, 'due to supply': 261983, 'to supply and': 915875, 'commandeering': 188333, 'astronomical': 97252, 'ridge': 721497, 'be commandeering': 114156, 'commandeering vehicle': 188334, 'vehicle which': 954296, 'road due': 724442, '19 loan': 8352, 'loan them': 497540, 'to etc': 905264, 'etc online': 282686, 'be astronomical': 113719, 'astronomical but': 97253, 'but vital': 147697, 'vital this': 959741, 'also create': 48078, 'create temporary': 215751, 'temporary employment': 837613, 'employment for': 274604, 'some marr': 783262, 'marr ridge': 517985, 'uk government should': 938417, 'should be commandeering': 765587, 'be commandeering vehicle': 114157, 'commandeering vehicle which': 188335, 'vehicle which are': 954297, 'which are off': 985691, 'are off the': 88650, 'off the road': 594264, 'the road due': 865926, 'road due to': 724443, 'covid 19 loan': 213363, '19 loan them': 8356, 'loan them out': 497541, 'out to etc': 627640, 'to etc online': 905265, 'etc online shopping': 282687, 'shopping delivery are': 762456, 'delivery are gonna': 233719, 'gonna be astronomical': 356465, 'be astronomical but': 113720, 'astronomical but vital': 97254, 'but vital this': 147698, 'vital this should': 959742, 'this should also': 890123, 'should also create': 765502, 'also create temporary': 48079, 'create temporary employment': 215752, 'temporary employment for': 837614, 'employment for some': 274606, 'for some marr': 325753, 'some marr ridge': 783263, 'parkinglot': 642127, 'of of': 587152, 'mind dedicated': 532652, 'to practicing': 911968, 'socialdistancing in': 780444, 'the parkinglot': 863300, 'parkinglot at': 642128, 'the pricegougers': 864446, 'pricegougers grocery': 677768, 'store coronavillains': 807187, 'with the health': 1001328, 'health of of': 386686, 'of of the': 587156, 'of the vulnerable': 591595, 'vulnerable in mind': 961015, 'in mind dedicated': 425339, 'mind dedicated to': 532653, 'dedicated to practicing': 231748, 'to practicing socialdistancing': 911969, 'practicing socialdistancing in': 668751, 'socialdistancing in the': 780448, 'in the parkinglot': 429439, 'the parkinglot at': 863301, 'parkinglot at the': 642129, 'at the pricegougers': 101063, 'the pricegougers grocery': 864447, 'pricegougers grocery store': 677769, 'grocery store coronavillains': 365305, 'askusanything': 96181, '17th': 4469, 'to confirm': 903190, 'confirm that': 194101, 'be holding': 115278, 'special askusanything': 787856, 'askusanything webinar': 96182, 'webinar on': 975063, 'april 17th': 83431, '17th with': 4473, 'with both': 997454, 'both ceo': 135876, 'ceo and': 169640, 'and key': 65817, 'advocacy leader': 33807, 'leader examine': 483449, 'examine the': 288820, 'utility industry': 951292, 'industry response': 436078, 'excited to confirm': 289572, 'to confirm that': 903192, 'confirm that will': 194106, 'will be holding': 992502, 'be holding special': 115279, 'holding special askusanything': 400160, 'special askusanything webinar': 787857, 'askusanything webinar on': 96183, 'webinar on april': 975068, 'on april 17th': 599434, 'april 17th with': 83432, '17th with both': 4474, 'with both ceo': 997455, 'both ceo and': 135877, 'ceo and key': 169645, 'and key consumer': 65818, 'key consumer advocacy': 473259, 'consumer advocacy leader': 196060, 'advocacy leader examine': 33808, 'leader examine the': 483450, 'examine the utility': 288821, 'the utility industry': 870601, 'utility industry response': 951293, 'industry response to': 436079, 'response to join': 715861, 'africa is': 35087, 'is food': 447862, 'food secure': 316332, 'secure and': 744426, 'are urged': 91387, 'south africa is': 786653, 'africa is food': 35089, 'is food secure': 447871, 'food secure and': 316333, 'secure and consumer': 744427, 'consumer are urged': 196322, 'are urged to': 91388, 'urged to stop': 948295, 'buying amid covid': 149888, 'ghaziabad': 349619, 'goi': 354954, 'proportionately': 684447, 'ghaziabad good': 349620, 'good the': 357824, 'the goi': 856407, 'goi ha': 354959, 'piece ply': 656358, 'at piece': 100122, 'piece and': 656266, 'hand sanitisers': 375257, 'sanitisers at': 734067, 'at not': 99917, 'not more': 570599, 'ml with': 534732, 'lower or': 505927, 'or higher': 615635, 'higher volume': 395788, 'volume pack': 960163, 'pack priced': 633137, 'priced proportionately': 677749, 'proportionately the': 684448, 'is effective': 447450, 'ghaziabad good the': 349621, 'good the goi': 357827, 'the goi ha': 856408, 'goi ha capped': 354960, 'capped the retail': 162884, 'at 10 per': 97408, '10 per piece': 1624, 'per piece ply': 650983, 'piece ply mask': 656359, 'mask at piece': 518429, 'at piece and': 100123, 'piece and hand': 656267, 'and hand sanitisers': 64144, 'hand sanitisers at': 375260, 'sanitisers at not': 734068, 'at not more': 99918, 'not more than': 570602, '200 ml with': 13509, 'ml with lower': 534733, 'with lower or': 999344, 'lower or higher': 505928, 'or higher volume': 615641, 'higher volume pack': 395790, 'volume pack priced': 960164, 'pack priced proportionately': 633138, 'priced proportionately the': 677750, 'proportionately the order': 684449, 'the order is': 862451, 'order is effective': 618334, 'lfk': 487889, 'maskedup': 519631, 'glovedup': 353064, 'abiding': 24356, 'maskupforothers': 519705, 'protectthevulnerable': 685860, 'in lfk': 424691, 'lfk at': 487890, 'today maskedup': 919862, 'maskedup glovedup': 519632, 'glovedup people': 353065, 'even abiding': 283801, 'abiding the': 24367, 'rule crowd': 727228, 'meat chatting': 525514, 'chatting in': 174015, 'dairy department': 224967, 'department socialdistancing': 237262, 'socialdistancing maskup': 780522, 'maskup maskupforothers': 519701, 'maskupforothers protectthevulnerable': 519706, 'in lfk at': 424692, 'lfk at the': 487891, 'store today maskedup': 810854, 'today maskedup glovedup': 919863, 'maskedup glovedup people': 519633, 'glovedup people were': 353066, 'people were even': 650201, 'were even abiding': 979589, 'even abiding the': 283802, 'abiding the rule': 24368, 'the rule crowd': 866044, 'rule crowd in': 727229, 'crowd in the': 219176, 'the produce meat': 864572, 'produce meat chatting': 680355, 'meat chatting in': 525515, 'chatting in the': 174018, 'in the dairy': 429120, 'the dairy department': 852792, 'dairy department socialdistancing': 224968, 'department socialdistancing maskup': 237263, 'socialdistancing maskup maskupforothers': 780523, 'maskup maskupforothers protectthevulnerable': 519702, 'and stripping': 72581, 'shelf like': 757282, 'like plague': 491007, 'plague of': 657971, 'of locust': 585971, 'locust you': 500583, 'yourselves nurse': 1026801, 'doctor need': 250984, 'too received': 925029, 'received today': 703699, 'ward where': 966654, 'where my': 985037, 'work random': 1005642, 'kindness that': 475224, 'that meant': 845127, 'meant so': 524899, 'much to': 545386, 'buying and stripping': 149935, 'and stripping supermarket': 72584, 'supermarket shelf like': 822490, 'shelf like plague': 757285, 'like plague of': 491008, 'plague of locust': 657973, 'of locust you': 585975, 'locust you should': 500584, 'ashamed of yourselves': 95069, 'of yourselves nurse': 593554, 'yourselves nurse doctor': 1026802, 'nurse doctor need': 577302, 'doctor need food': 250985, 'need food too': 554812, 'food too received': 317336, 'too received today': 925030, 'received today on': 703702, 'on the ward': 604439, 'the ward where': 871077, 'ward where my': 966655, 'where my daughter': 985041, 'daughter work random': 226929, 'work random act': 1005643, 'of kindness that': 585650, 'kindness that meant': 475226, 'that meant so': 845128, 'meant so much': 524900, 'so much to': 777820, 'much to the': 545394, 'to the staff': 917090, 'needtoeat': 556659, 'don meet': 253734, 'meet with': 527651, 'with come': 997693, 'to unless': 917953, 'contact nh': 200154, 'nh 11': 561863, '11 panic': 2574, 'essential we': 281761, 'all needtoeat': 43613, 'needtoeat amp': 556660, 'please don meet': 659919, 'don meet with': 253736, 'meet with come': 527653, 'with come to': 997694, 'come to unless': 187613, 'to unless it': 917954, 'unless it an': 942618, 'it an emergency': 456467, 'an emergency if': 55677, 'think you have': 885812, 'you have contact': 1019029, 'have contact nh': 380087, 'contact nh 11': 200155, 'nh 11 panic': 561864, '11 panic buy': 2575, 'panic buy essential': 637478, 'buy essential we': 148579, 'essential we all': 281762, 'we all needtoeat': 970347, 'all needtoeat amp': 43614, 'needtoeat amp the': 556661, 'amp the shop': 54668, 'the shop will': 867040, 'shop will get': 761052, 'will get more': 993512, 'get more supply': 347602, 'dominance': 253265, 'rebounded': 703330, 'fiscal': 309239, 'tempusfx': 837758, 'forexnews': 329185, 'usd continues': 948912, 'continues it': 201407, 'it dominance': 457652, 'dominance market': 253266, 'market rebounded': 516957, 'rebounded some': 703333, 'some after': 782267, 'major fiscal': 509331, 'fiscal stimulus': 309274, 'stimulus and': 801501, '2003 tempusfx': 13601, 'tempusfx payment': 837759, 'payment forexnews': 645626, 'forexnews full': 329187, 'usd continues it': 948913, 'continues it dominance': 201409, 'it dominance market': 457653, 'dominance market rebounded': 253267, 'market rebounded some': 516958, 'rebounded some after': 703334, 'some after the': 782268, 'the announcement of': 848757, 'announcement of major': 77175, 'of major fiscal': 586110, 'major fiscal stimulus': 509332, 'fiscal stimulus and': 309275, 'stimulus and oil': 801505, 'are at their': 84686, 'at their lowest': 101171, 'their lowest level': 873894, 'since 2003 tempusfx': 770447, '2003 tempusfx payment': 13602, 'tempusfx payment forexnews': 837760, 'payment forexnews full': 645627, 'forexnews full report': 329188, '19 retail': 10199, 'covid 19 retail': 213708, '19 retail store': 10207, 'barrf': 111326, 'corrupttrump': 207706, 'lyinking': 507097, 'disbarbarr': 244299, 'trumpliespeopledie': 934085, 'overdosing': 631175, 'leadi': 483672, 'bill barrf': 130518, 'barrf is': 111327, 'evil almost': 288429, 'almost worse': 46770, 'than corrupttrump': 840463, 'corrupttrump lyinking': 207707, 'lyinking disbarbarr': 507098, 'disbarbarr emphasis': 244300, 'on almost': 599259, 'almost trumpliespeopledie': 46755, 'trumpliespeopledie people': 934086, 'are overdosing': 88919, 'overdosing on': 631176, 'on hydroxychloroquine': 601456, 'hydroxychloroquine and': 411994, 'soaring trump': 779345, 'trump bad': 933430, 'bad advice': 107749, 'advice leadi': 33425, 'bill barrf is': 130519, 'barrf is evil': 111328, 'is evil almost': 447608, 'evil almost worse': 288430, 'almost worse than': 46771, 'worse than corrupttrump': 1011007, 'than corrupttrump lyinking': 840464, 'corrupttrump lyinking disbarbarr': 207708, 'lyinking disbarbarr emphasis': 507099, 'disbarbarr emphasis on': 244301, 'emphasis on almost': 273373, 'on almost trumpliespeopledie': 599261, 'almost trumpliespeopledie people': 46756, 'trumpliespeopledie people are': 934087, 'people are overdosing': 647038, 'are overdosing on': 88920, 'overdosing on hydroxychloroquine': 631177, 'on hydroxychloroquine and': 601457, 'hydroxychloroquine and the': 411995, 'are soaring trump': 90233, 'soaring trump bad': 779346, 'trump bad advice': 933431, 'bad advice leadi': 107750, 'bulkbuying': 142387, 'raise with': 695975, 'with boris': 997452, 'boris please': 135484, 'please that': 660661, 'that supermarket': 846558, 'supermarket control': 819769, 'for bulkbuying': 319816, 'bulkbuying are': 142388, 'working shelf': 1008907, 'limit still': 492499, 'still way': 801393, 'high people': 395214, 'people panicking': 649068, 'panicking they': 639388, 'eat they': 266077, 'supply how': 825374, 'you combating': 1017983, 'combating this': 187079, 'you raise with': 1020542, 'raise with boris': 695976, 'with boris please': 997453, 'boris please that': 135485, 'please that supermarket': 660662, 'that supermarket control': 846565, 'supermarket control for': 819770, 'control for bulkbuying': 202012, 'for bulkbuying are': 319817, 'bulkbuying are not': 142389, 'not working shelf': 572552, 'working shelf still': 1008908, 'shelf still empty': 757572, 'still empty limit': 800479, 'empty limit still': 274938, 'limit still way': 492500, 'still way too': 801396, 'way too high': 970126, 'too high people': 924787, 'high people panicking': 395216, 'people panicking they': 649074, 'panicking they need': 639389, 'need to eat': 555912, 'to eat they': 904905, 'eat they need': 266080, 'they need supply': 882760, 'need supply how': 555678, 'supply how are': 825375, 'are you combating': 91776, 'you combating this': 1017984, 'combating this coronacrisis': 187080, 'opecplus': 611987, 'even production': 284495, 'production cut': 681985, 'size will': 772811, 'be large': 115654, 'large enough': 479656, 'offset the': 596113, 'the induced': 858151, 'induced demand': 435462, 'shock and': 759421, 'could tumble': 209796, 'tumble in': 935307, 'week inventory': 976409, 'inventory rise': 443707, 'rise opec': 722964, 'opec opecplus': 611931, 'still even production': 800497, 'even production cut': 284496, 'production cut of': 681997, 'cut of this': 223436, 'this size will': 890202, 'size will not': 772812, 'not be large': 568410, 'be large enough': 115655, 'large enough to': 479659, 'enough to offset': 277715, 'to offset the': 910874, 'offset the induced': 596119, 'the induced demand': 858153, 'induced demand shock': 435463, 'demand shock and': 236196, 'shock and oil': 759426, 'price could tumble': 673298, 'could tumble in': 209797, 'tumble in the': 935308, 'coming week inventory': 188279, 'week inventory rise': 976410, 'inventory rise opec': 443708, 'rise opec opecplus': 722965, 'flavour': 310245, 'didn during': 241040, 'the helping': 857274, 'doing 10': 252247, 'hour night': 405778, 'shift on': 758369, 'my 5th': 547165, '5th in': 20827, 'row at': 726572, 'nh the': 562136, 'never heard': 558060, 'that flavour': 843889, 'flavour before': 310246, 'didn during the': 241041, 'during the helping': 263138, 'the helping out': 857275, 'helping out doing': 391423, 'out doing 10': 625972, 'doing 10 hour': 252248, '10 hour night': 1468, 'hour night shift': 405779, 'night shift on': 563071, 'shift on my': 758370, 'on my 5th': 602258, 'my 5th in': 547166, '5th in row': 20828, 'in row at': 427558, 'row at my': 726574, 'local supermarket filling': 498525, 'supermarket filling the': 820318, 'the shelf for': 866837, 'the nh the': 861767, 'nh the elderly': 562137, 'elderly and after': 270568, 'after the store': 36360, 'is open to': 450582, 'open to the': 612604, 'public and ve': 687860, 'and ve never': 74851, 've never heard': 953387, 'never heard of': 558061, 'of that flavour': 590720, 'that flavour before': 843890, 'rack': 695339, 'show little': 767033, 'little appreciation': 495236, 'appreciation and': 82867, 'and serve': 71289, 'serve others': 751920, 'others next': 621544, 'line checking': 493030, 'store ask': 806545, 'ask the': 95631, 'person bagger': 652325, 'bagger what': 108515, 'what snack': 982198, 'snack or': 776023, 'candy from': 161334, 'the rack': 865091, 'rack you': 695360, 'want to show': 966120, 'to show little': 914564, 'show little appreciation': 767034, 'little appreciation and': 495237, 'appreciation and serve': 82868, 'and serve others': 71291, 'serve others next': 751921, 'others next time': 621545, 'time you re': 898414, 're in line': 698872, 'in line checking': 424746, 'line checking out': 493031, 'checking out at': 174838, 'out at the': 625750, 'grocery store ask': 365217, 'store ask the': 806548, 'ask the checkout': 95632, 'the checkout person': 850771, 'checkout person bagger': 174980, 'person bagger what': 652326, 'bagger what snack': 108516, 'what snack or': 982199, 'snack or candy': 776024, 'or candy from': 614659, 'candy from the': 161335, 'from the rack': 337849, 'the rack you': 865094, 'rack you can': 695361, 'you can purchase': 1017756, 'can purchase for': 159343, 'purchase for them': 689459, 'minhas': 532990, 'great interview': 362770, 'interview this': 442247, 'evening to': 284916, 'our remarkable': 624586, 'remarkable team': 710117, 'is producing': 451061, 'producing million': 680784, 'million and': 532063, 'needed bottle': 556314, 'the minhas': 860642, 'minhas brewery': 532991, 'brewery and': 139429, 'fight stay': 304871, 'for the great': 326465, 'the great interview': 856722, 'great interview this': 362771, 'interview this evening': 442248, 'this evening to': 887448, 'evening to talk': 284919, 'talk about how': 833740, 'about how our': 25459, 'how our remarkable': 408465, 'our remarkable team': 624587, 'remarkable team is': 710118, 'team is producing': 835701, 'is producing million': 451066, 'producing million and': 680785, 'million and more': 532065, 'and more if': 67179, 'more if needed': 539476, 'if needed bottle': 414459, 'needed bottle of': 556315, 'at the minhas': 101021, 'the minhas brewery': 860643, 'minhas brewery and': 532992, 'brewery and distillery': 139430, 'and distillery to': 61501, 'distillery to fight': 247821, 'to fight stay': 905811, 'fight stay safe': 304872, 'newly hired': 560112, 'hired tesco': 397046, 'tesco worker': 838855, 'worker include': 1007215, 'include driver': 431552, 'driver helping': 259602, 'meet soaring': 527570, 'soaring demand': 779317, 'the newly hired': 861596, 'newly hired tesco': 560113, 'hired tesco worker': 397047, 'tesco worker include': 838857, 'worker include driver': 1007216, 'include driver helping': 431553, 'driver helping to': 259603, 'helping to meet': 391530, 'to meet soaring': 910050, 'meet soaring demand': 527571, 'soaring demand for': 779319, 'indebted': 433970, 'god without': 354847, 'without also': 1002481, 'also being': 47947, 'being grateful': 125190, 'pharmacist nurse': 654157, 'helping get': 391338, 'all indebted': 43213, 'indebted to': 433971, 'you can be': 1017628, 'can be grateful': 157626, 'grateful to god': 362321, 'to god without': 906899, 'god without also': 354848, 'without also being': 1002482, 'also being grateful': 47952, 'being grateful to': 125192, 'grateful to people': 362325, 'to people thank': 911639, 'of the doctor': 590959, 'the doctor pharmacist': 853469, 'doctor pharmacist nurse': 251074, 'pharmacist nurse grocery': 654158, 'employee delivery worker': 273768, 'are helping get': 87097, 'helping get through': 391341, 'through this we': 894856, 'this we are': 891143, 'are all indebted': 84318, 'all indebted to': 43214, 'indebted to you': 433973, 'beige': 124776, 'now stuck': 575924, 'with teenager': 1001136, 'teenager with': 836562, 'with autism': 997344, 'autism child': 103847, 'only eats': 610379, 'eats beige': 266363, 'beige dry': 124779, 'frozen food': 338967, 'store within': 811412, 'within 30': 1002320, '30 mile': 17106, 'radius of': 695488, 'house do': 406269, 'drive haven': 259068, 'been stockpiling': 122046, 'stockpiling fucking': 803971, 'now stuck in': 575925, 'house with teenager': 406697, 'with teenager with': 1001137, 'teenager with autism': 836563, 'with autism child': 997345, 'autism child who': 103848, 'child who only': 176266, 'who only eats': 989379, 'only eats beige': 610380, 'eats beige dry': 266364, 'beige dry food': 124780, 'dry food frozen': 261265, 'food frozen food': 314623, 'frozen food all': 338969, 'food all of': 313087, 'all of which': 43726, 'of which are': 593098, 'which are sold': 985695, 'sold out in': 781736, 'out in every': 626377, 'in every damn': 422675, 'every damn grocery': 285784, 'grocery store within': 365962, 'store within 30': 811413, 'within 30 mile': 1002321, '30 mile radius': 17108, 'mile radius of': 531410, 'radius of my': 695491, 'of my house': 586780, 'my house do': 548728, 'house do not': 406270, 'not drive haven': 569107, 'drive haven been': 259069, 'haven been stockpiling': 383762, 'been stockpiling fucking': 122047, 'perdue': 651254, 'randy': 696669, 're running': 699405, 'running much': 728007, 'much product': 545260, 'product we': 681815, 'can harvesting': 158565, 'harvesting many': 378658, 'many chicken': 513892, 'chicken we': 175876, 'working saturday': 1008903, 'saturday if': 737026, 'supply said': 825795, 'said perdue': 731311, 'perdue farm': 651255, 'farm ceo': 299098, 'ceo randy': 169816, 'randy day': 696670, 'we re running': 972955, 're running much': 699406, 'running much product': 728008, 'much product we': 545261, 'product we can': 681817, 'we can harvesting': 970958, 'can harvesting many': 158566, 'harvesting many chicken': 378659, 'many chicken we': 513894, 'chicken we can': 175878, 'we can and': 970907, 'can and we': 157499, 'are working saturday': 91716, 'working saturday if': 1008904, 'saturday if we': 737027, 'have the supply': 383032, 'the supply said': 868957, 'supply said perdue': 825796, 'said perdue farm': 731312, 'perdue farm ceo': 651256, 'farm ceo randy': 299099, 'ceo randy day': 169817, 'social recession': 779920, 'recession but': 704228, 'real damage': 701097, 'damage inflicted': 225205, 'inflicted is': 437281, 'yet being': 1016014, 'being felt': 125137, 'felt do': 303376, 'be surprised': 117482, 'surprised if': 828583, 'people before': 647240, 'before lining': 122910, 'lining up': 493763, 'supermarket first': 820328, 'first queued': 308897, 'queued for': 694151, 'an economic and': 55575, 'economic and social': 266987, 'and social recession': 71894, 'social recession but': 779921, 'recession but the': 704231, 'the real damage': 865213, 'real damage inflicted': 701098, 'damage inflicted is': 225206, 'inflicted is not': 437282, 'is not yet': 450226, 'not yet being': 572597, 'yet being felt': 1016015, 'being felt do': 125140, 'felt do not': 303377, 'not be surprised': 568466, 'be surprised if': 117483, 'surprised if people': 828586, 'if people before': 414609, 'people before lining': 647241, 'before lining up': 122911, 'lining up at': 493764, 'the supermarket first': 868593, 'supermarket first queued': 820329, 'first queued for': 308898, 'queued for food': 694152, 'for food stamp': 321635, 'assuage': 96995, 'loud': 504481, 'handsomely': 376739, 'seeing can': 746248, 'the bar': 849269, 'bar going': 110709, 'to assuage': 900788, 'assuage my': 96996, 'my need': 549421, 'by ordering': 153456, 'ordering complicated': 618950, 'complicated weight': 192468, 'of deli': 582480, 'deli cheese': 232920, 'cheese at': 175171, 'store while': 811278, 'while making': 987026, 'making loud': 511182, 'loud political': 504492, 'political comment': 663635, 'comment and': 188382, 'then handsomely': 877229, 'handsomely tipping': 376740, 'tipping the': 898995, 'person behind': 652327, 'counter quarentinelife': 210249, 'quarentinelife isolation': 693193, 'seeing can go': 746249, 'can go out': 158507, 'to the bar': 916508, 'the bar going': 849271, 'bar going to': 110710, 'going to assuage': 355527, 'to assuage my': 900789, 'assuage my need': 96997, 'my need by': 549423, 'need by ordering': 554584, 'by ordering complicated': 153457, 'ordering complicated weight': 618951, 'complicated weight of': 192469, 'weight of deli': 977707, 'of deli cheese': 582482, 'deli cheese at': 232921, 'cheese at the': 175173, 'grocery store while': 365949, 'store while making': 811285, 'while making loud': 987027, 'making loud political': 511183, 'loud political comment': 504493, 'political comment and': 663636, 'comment and then': 188387, 'and then handsomely': 73767, 'then handsomely tipping': 877230, 'handsomely tipping the': 376741, 'tipping the person': 898996, 'the person behind': 863579, 'person behind the': 652329, 'behind the counter': 124711, 'the counter quarentinelife': 852032, 'counter quarentinelife isolation': 210250, '19 side': 10538, 'morning now on': 541384, 'now on covid': 575422, 'covid 19 side': 213800, 'testy': 839699, 'begrateful': 123694, 'someone mentioned': 784566, 'mentioned today': 528849, 'that folk': 843895, 'folk working': 312316, 'store job': 808607, 'job costco': 465755, 'costco et': 208226, 'al are': 40558, 'are unsung': 91341, 'local are': 497686, 'working their': 1008943, 'their ass': 872514, 'ass off': 96260, 'off with': 594392, 'with testy': 1001160, 'testy customer': 839700, 'and freaked': 63262, 'out supply': 627284, 'good when': 357953, 'shopping begrateful': 762191, 'someone mentioned today': 784567, 'mentioned today that': 528850, 'today that folk': 920267, 'that folk working': 843896, 'folk working grocery': 312318, 'grocery store job': 365496, 'store job costco': 808609, 'job costco et': 465756, 'costco et al': 208227, 'et al are': 282348, 'al are unsung': 40560, 'are unsung hero': 91342, 'in this fight': 429948, 'this fight the': 887548, 'fight the folk': 304892, 'folk in our': 312196, 'our local are': 623765, 'local are working': 497689, 'are working their': 91720, 'working their ass': 1008945, 'their ass off': 872516, 'ass off with': 96262, 'off with testy': 594399, 'with testy customer': 1001161, 'testy customer and': 839701, 'customer and freaked': 222076, 'and freaked out': 63263, 'freaked out supply': 331526, 'out supply chain': 627285, 'chain be good': 170542, 'be good when': 115079, 'good when you': 357955, 'you re shopping': 1020743, 're shopping begrateful': 699502, '5pm': 20799, 'prophet': 684399, 'have probably': 382051, 'probably been': 679219, 'supermarket lately': 821275, 'lately and': 480946, 'and wondered': 75825, 'wondered what': 1004055, 'this sign': 890143, 'taken over': 833045, 'over tune': 630865, 'tune into': 935412, 'into living': 442704, 'living water': 496481, 'water today': 969223, 'at 5pm': 97702, '5pm with': 20812, 'the prophet': 864689, 'prophet presented': 684402, 'presented by': 670657, 'by living': 153062, 'we have probably': 971905, 'have probably been': 382052, 'probably been to': 679221, 'local supermarket lately': 498549, 'supermarket lately and': 821276, 'lately and wondered': 480948, 'and wondered what': 75826, 'wondered what happened': 1004056, 'what happened to': 981547, 'happened to all': 377272, 'paper is this': 640364, 'is this sign': 453123, 'this sign of': 890145, 'of the end': 590985, 'the end the': 854306, 'end the ha': 275974, 'the ha taken': 857023, 'ha taken over': 372148, 'taken over tune': 833048, 'over tune into': 630866, 'tune into living': 935413, 'into living water': 442705, 'living water today': 496482, 'water today at': 969224, 'today at 5pm': 919269, 'at 5pm with': 97705, '5pm with the': 20813, 'with the prophet': 1001441, 'the prophet presented': 864691, 'prophet presented by': 684403, 'presented by living': 670659, 'by living water': 153063, 'for flattening': 321520, 'curve and': 221830, 'but someone': 147117, 'someone at': 784376, 'risk covid': 723478, 'would kill': 1011975, 'me cannot': 522564, 'cannot keep': 161983, 'meet or': 527545, 'take bus': 832000, 'supermarket every': 820225, 'time leave': 897119, 'house risk': 406536, 'risk being': 723410, 'all for flattening': 42835, 'for flattening the': 321521, 'the curve and': 852685, 'curve and all': 221831, 'all that but': 44631, 'that but someone': 843066, 'but someone at': 147119, 'someone at risk': 784379, 'at risk covid': 100349, 'risk covid 19': 723479, '19 would kill': 12213, 'would kill me': 1011976, 'kill me cannot': 474439, 'me cannot keep': 522567, 'cannot keep going': 161984, 'to the convenience': 916589, 'the convenience store': 851702, 'convenience store to': 202361, 'end meet or': 275879, 'meet or try': 527546, 'or try to': 617548, 'to take bus': 916164, 'take bus to': 832001, 'bus to the': 143103, 'the nearest supermarket': 861364, 'nearest supermarket every': 553729, 'supermarket every time': 820229, 'every time leave': 286311, 'time leave the': 897120, 'the house risk': 857630, 'house risk being': 406537, 'risk being exposed': 723411, 'endometriosis': 276265, 'have type': 383444, 'type diabetes': 937518, 'diabetes care': 240171, 'for disabled': 320734, 'disabled son': 243966, 'wife who': 992006, 'with complication': 997715, 'complication from': 192486, 'from endometriosis': 335282, 'endometriosis should': 276266, 'really be': 702009, 'working front': 1008657, 'in busy': 421089, 'busy supermarket': 144972, 'if go': 414153, 'family won': 298394, 'won function': 1003812, 'function what': 341277, 'do say': 250058, 'need to reach': 556030, 'to reach out': 912804, 'reach out here': 699967, 'out here have': 626280, 'here have type': 393077, 'have type diabetes': 383445, 'type diabetes care': 937520, 'diabetes care for': 240172, 'care for disabled': 163945, 'for disabled son': 320735, 'disabled son and': 243967, 'and my wife': 67394, 'my wife who': 550608, 'wife who is': 992007, 'who is of': 989097, 'is of with': 450404, 'of with complication': 593204, 'with complication from': 997716, 'complication from endometriosis': 192487, 'from endometriosis should': 335283, 'endometriosis should really': 276267, 'should really be': 766375, 'really be working': 702016, 'be working front': 118142, 'working front line': 1008658, 'line in busy': 493192, 'in busy supermarket': 421091, 'busy supermarket if': 144976, 'supermarket if go': 820829, 'if go down': 414154, 'go down with': 353503, 'down with covid': 257493, '19 my family': 8726, 'my family won': 548237, 'family won function': 298396, 'won function what': 1003813, 'function what do': 341278, 'what do say': 981350, 'do say to': 250059, 'say to my': 739393, 'to my work': 910451, 'r1bn': 695073, 'business development': 143633, 'development minister': 239826, 'minister expected': 533362, 'announce r1bn': 76869, 'r1bn support': 695074, 'support package': 826747, 'critical consumer': 218533, 'good needed': 357434, 'effective control': 269238, 'manage possible': 512420, 'possible supply': 665797, 'small business development': 774854, 'business development minister': 143635, 'development minister expected': 239827, 'minister expected to': 533363, 'expected to announce': 290961, 'to announce r1bn': 900555, 'announce r1bn support': 76870, 'r1bn support package': 695075, 'support package to': 826750, 'package to produce': 633434, 'produce more of': 680366, 'of the critical': 590912, 'the critical consumer': 852492, 'critical consumer good': 218534, 'consumer good needed': 197628, 'good needed for': 357435, 'needed for the': 556363, 'for the effective': 326405, 'the effective control': 854077, 'effective control of': 269239, '19 coronavirus and': 6090, 'coronavirus and to': 205502, 'and to manage': 74184, 'to manage possible': 909796, 'manage possible supply': 512421, 'possible supply shortage': 665798, 'ip': 444519, 'angelo': 76402, 'mazza': 522014, 'intellectualproperty': 440976, 'ip partner': 444521, 'partner angelo': 642769, 'angelo mazza': 76403, 'mazza discus': 522015, 'discus online': 244883, 'online best': 607931, 'for protecting': 324819, 'protecting against': 685176, 'against counterfeit': 37399, 'counterfeit product': 210309, 'product when': 681828, '19 read': 9971, 'more intellectualproperty': 539607, 'intellectualproperty ip': 440977, 'ip http': 444520, 'ip partner angelo': 444522, 'partner angelo mazza': 642770, 'angelo mazza discus': 76404, 'mazza discus online': 522016, 'discus online best': 244884, 'online best practice': 607932, 'practice for protecting': 668567, 'for protecting against': 324820, 'protecting against counterfeit': 685177, 'against counterfeit product': 37400, 'counterfeit product when': 210310, 'product when shopping': 681830, 'online for supply': 608240, 'for supply during': 326041, 'covid 19 read': 213660, '19 read more': 9975, 'read more intellectualproperty': 700439, 'more intellectualproperty ip': 539608, 'intellectualproperty ip http': 440978, 'hazzard': 384628, 'harbour': 377845, 'accordance': 28505, 'swabbed': 829912, 'influenza': 437364, 'docked': 250789, 'brad hazzard': 137521, 'hazzard on': 384629, 'sky said': 773223, 'said nsw': 731268, 'nsw health': 576709, 'health allowed': 386111, 'allowed the': 46220, 'the ship': 866940, 'the harbour': 857099, 'harbour in': 377848, 'in accordance': 419998, 'accordance with': 28506, 'with federal': 998405, 'government protocol': 360495, 'protocol he': 685986, 'said more': 731235, 'than 40': 840237, '40 people': 18632, 'were swabbed': 980209, 'swabbed for': 829913, 'for influenza': 322564, 'influenza not': 437371, 'ship before': 758655, 'it docked': 457605, 'docked in': 250790, 'sydney about': 830686, 'about 15': 24646, 'brad hazzard on': 137522, 'hazzard on sky': 384630, 'on sky said': 603497, 'sky said nsw': 773224, 'said nsw health': 731269, 'nsw health allowed': 576710, 'health allowed the': 386112, 'allowed the ship': 46221, 'the ship to': 866943, 'ship to come': 758720, 'come into the': 187394, 'into the harbour': 443135, 'the harbour in': 857100, 'harbour in accordance': 377849, 'in accordance with': 419999, 'accordance with federal': 28507, 'with federal government': 998406, 'federal government protocol': 302000, 'government protocol he': 360496, 'protocol he said': 685987, 'he said more': 385369, 'said more than': 731236, 'more than 40': 540564, 'than 40 people': 840240, '40 people were': 18634, 'people were swabbed': 650225, 'were swabbed for': 980210, 'swabbed for influenza': 829914, 'for influenza not': 322565, 'influenza not covid': 437372, 'on the ship': 604357, 'the ship before': 866941, 'ship before it': 758656, 'before it docked': 122880, 'it docked in': 457606, 'docked in sydney': 250791, 'in sydney about': 428776, 'sydney about 15': 830687, 'pegging': 646331, 'ratcheting': 697137, 'economy came': 267732, 'came into': 157021, 'into sharp': 442976, 'sharp relief': 755699, 'relief on': 709402, 'thursday with': 895452, 'with government': 998654, 'government reading': 360505, 'reading pegging': 700795, 'pegging new': 646332, 'new jobless': 558993, 'claim at': 179698, 'record near': 705032, 'near million': 553545, 'million ratcheting': 532335, 'ratcheting up': 697138, 'the pressure': 864295, 'of the on': 591291, 'the on the': 862175, 'the economy came': 853946, 'economy came into': 267733, 'came into sharp': 157024, 'into sharp relief': 442977, 'sharp relief on': 755700, 'relief on thursday': 709404, 'on thursday with': 604684, 'thursday with government': 895453, 'with government reading': 998660, 'government reading pegging': 360506, 'reading pegging new': 700796, 'pegging new jobless': 646333, 'new jobless claim': 558994, 'jobless claim at': 466331, 'claim at record': 179699, 'at record near': 100271, 'record near million': 705033, 'near million ratcheting': 553546, 'million ratcheting up': 532336, 'ratcheting up the': 697140, 'up the pressure': 946203, 'the pressure on': 864300, 'pressure on demand': 671208, 'on demand and': 600272, 'facetimeing': 295227, 'mumbling': 546047, 'hahaha': 373907, 'saw these': 738284, 'these obnoxious': 880360, 'obnoxious italian': 578501, 'italian tourist': 462734, 'tourist facetimeing': 927028, 'facetimeing their': 295228, 'their friend': 873379, 'supermarket mumbling': 821547, 'mumbling look': 546048, 'america there': 51701, 'more toilet': 540807, 'paper hahaha': 640240, 'hahaha meanwhile': 373909, 'meanwhile everyone': 524963, 'everyone there': 287471, 'is looking': 449442, 'at them': 101182, 'them like': 875986, 'like italian': 490569, 'italian what': 462738, 'doing here': 252447, 'here uh': 393753, 'uh oh': 938084, 'saw these obnoxious': 738285, 'these obnoxious italian': 880361, 'obnoxious italian tourist': 578502, 'italian tourist facetimeing': 462735, 'tourist facetimeing their': 927029, 'facetimeing their friend': 295229, 'their friend at': 873381, 'the supermarket mumbling': 868706, 'supermarket mumbling look': 821548, 'mumbling look in': 546049, 'look in america': 502415, 'in america there': 420238, 'america there no': 51703, 'there no more': 878822, 'no more toilet': 564825, 'more toilet paper': 540808, 'toilet paper hahaha': 921295, 'paper hahaha meanwhile': 640241, 'hahaha meanwhile everyone': 373910, 'meanwhile everyone there': 524964, 'everyone there is': 287473, 'there is looking': 878586, 'is looking at': 449444, 'looking at them': 502828, 'at them like': 101185, 'them like italian': 875987, 'like italian what': 490571, 'italian what you': 462739, 'what you guy': 982676, 'guy doing here': 368986, 'doing here uh': 252449, 'here uh oh': 393754, 'sankey': 736577, 'mizuho': 534667, 'combo': 187155, 'paul sankey': 644559, 'sankey managing': 736578, 'director at': 243604, 'at mizuho': 99757, 'mizuho security': 534668, 'security is': 744650, 'is saying': 451653, 'saying oil': 739650, 'could combo': 209028, 'combo of': 187158, 'the saudi': 866375, 'saudi and': 737172, 'market increased': 516583, 'oil the': 597471, 'paul sankey managing': 644560, 'sankey managing director': 736579, 'managing director at': 512865, 'director at mizuho': 243605, 'at mizuho security': 99758, 'mizuho security is': 534669, 'security is saying': 744661, 'is saying oil': 451657, 'saying oil price': 739651, 'they could combo': 881821, 'could combo of': 209029, 'combo of the': 187160, 'of the saudi': 591436, 'the saudi and': 866376, 'saudi and russia': 737175, 'the market increased': 860123, 'market increased oil': 516584, 'increased oil the': 433386, 'oil the market': 597473, 'lowdown': 505760, 'judd': 467609, 'legum': 486087, 'the lowdown': 859789, 'lowdown on': 505761, 'on kroger': 601778, 'kroger sick': 477767, 'sick time': 768636, 'time policy': 897509, 'policy read': 663472, 'latest by': 481244, 'by judd': 152964, 'judd legum': 467610, 'legum update': 486091, 'update kroger': 947050, 'kroger expands': 477737, 'expands paid': 290539, '19 earlier': 6684, 'earlier post': 264477, 'post by': 666029, 'by legum': 153040, 'legum that': 486089, 'that exposed': 843803, 'exposed kroger': 292855, 'kroger policy': 477759, 'policy re': 663470, 'supermarket sick': 822694, 'for the lowdown': 326543, 'the lowdown on': 859790, 'lowdown on kroger': 505762, 'on kroger sick': 601779, 'kroger sick time': 477768, 'sick time policy': 768639, 'time policy read': 897510, 'policy read the': 663473, 'the latest by': 859079, 'latest by judd': 481245, 'by judd legum': 152965, 'judd legum update': 467612, 'legum update kroger': 486092, 'update kroger expands': 947051, 'kroger expands paid': 477738, 'expands paid sick': 290540, 'leave policy for': 484906, 'policy for covid': 663408, 'covid 19 earlier': 212997, '19 earlier post': 6685, 'earlier post by': 264478, 'post by legum': 666032, 'by legum that': 153041, 'legum that exposed': 486090, 'that exposed kroger': 843804, 'exposed kroger policy': 292856, 'kroger policy re': 477760, 'policy re sick': 663471, 're sick time': 699522, 'sick time supermarket': 768640, 'time supermarket sick': 897786, 'banger': 109471, 'randb': 696588, 'weeknd': 977600, 'theweeknd': 881069, 'rudygobert': 727074, 'tomhanks': 923981, 'this song': 890251, 'song gave': 785494, 'me lot': 523119, 'of hope': 584741, 'it banger': 456700, 'banger plz': 109474, 'plz retweet': 661830, 'retweet randb': 720072, 'randb pop': 696589, 'pop corona': 664419, 'corona weeknd': 204390, 'weeknd theweeknd': 977601, 'theweeknd pandemic': 881070, 'toiletpaper facemasks': 921967, 'facemasks handsanitizer': 295142, 'handsanitizer rudygobert': 376626, 'rudygobert nba': 727075, 'nba socialdistancing': 553219, 'socialdistancing quarantine': 780632, 'quarantine tomhanks': 692661, 'this song gave': 890252, 'song gave me': 785495, 'gave me lot': 344644, 'me lot of': 523120, 'lot of hope': 504205, 'of hope that': 584747, 'hope that we': 403660, 'that we can': 847366, 'beat the and': 118555, 'and it banger': 65487, 'it banger plz': 456701, 'banger plz retweet': 109475, 'plz retweet randb': 661832, 'retweet randb pop': 720073, 'randb pop corona': 696590, 'pop corona weeknd': 664420, 'corona weeknd theweeknd': 204391, 'weeknd theweeknd pandemic': 977602, 'theweeknd pandemic toiletpaper': 881071, 'pandemic toiletpaper facemasks': 636811, 'toiletpaper facemasks handsanitizer': 921968, 'facemasks handsanitizer rudygobert': 295143, 'handsanitizer rudygobert nba': 376627, 'rudygobert nba socialdistancing': 727076, 'nba socialdistancing quarantine': 553220, 'socialdistancing quarantine tomhanks': 780635, 'all agree': 41969, 'kind courteous': 474827, 'courteous to': 212026, 'hero working': 394180, 'working frantically': 1008651, 'frantically to': 331198, 'restock grocery': 716874, 'let all agree': 486548, 'all agree to': 41972, 'agree to be': 38657, 'to be kind': 901354, 'be kind courteous': 115615, 'kind courteous to': 474828, 'courteous to the': 212027, 'the hero working': 857303, 'hero working frantically': 394183, 'working frantically to': 1008652, 'frantically to restock': 331199, 'to restock grocery': 913403, 'restock grocery store': 716875, 'warehouse show': 966761, 'human toll': 410642, 'toll of': 923857, 'new case of': 558464, 'case of at': 165890, 'of at and': 580417, 'at and warehouse': 98014, 'and warehouse show': 75183, 'warehouse show the': 966762, 'show the human': 767211, 'the human toll': 857726, 'human toll of': 410643, 'toll of shopping': 923859, 'of shopping online': 589668, 'furloughing': 341927, 'based retail': 111725, 'retail craft': 718013, 'store giant': 807929, 'giant is': 349808, 'closing most': 183694, 'and furloughing': 63435, 'furloughing most': 341930, 'it workforce': 462524, 'workforce today': 1008394, 'and ending': 62120, 'ending emergency': 276172, 'employee so': 274219, 'can draw': 158153, 'draw unemployment': 258487, 'unemployment benefit': 941168, 'based retail craft': 111727, 'retail craft store': 718014, 'craft store giant': 214781, 'store giant is': 807930, 'giant is closing': 349811, 'is closing most': 446611, 'closing most of': 183695, 'most of it': 542549, 'store and furloughing': 806245, 'and furloughing most': 63436, 'furloughing most of': 341931, 'of it workforce': 585469, 'it workforce today': 462529, 'workforce today and': 1008395, 'today and ending': 919201, 'and ending emergency': 62121, 'ending emergency pay': 276173, 'pay and the': 644742, 'and the use': 73639, 'use of paid': 949420, 'of paid time': 587667, 'paid time off': 634156, 'time off by': 897381, 'off by employee': 593709, 'by employee so': 152474, 'employee so they': 274221, 'they can draw': 881626, 'can draw unemployment': 158154, 'draw unemployment benefit': 258488, 'stockpilling': 804151, 'and stocking': 72431, 'stocking on': 803576, 'need hope': 555019, 'you burn': 1017545, 'burn in': 142890, 'in hell': 423623, 'hell panicbuying': 389054, 'panicbuying stockpilling': 639056, 'buying and stocking': 149932, 'and stocking on': 72434, 'stocking on way': 803577, 'on way more': 605125, 'way more food': 969708, 'more food that': 539256, 'food that you': 317110, 'that you need': 847733, 'you need hope': 1020002, 'need hope you': 555020, 'hope you burn': 403791, 'you burn in': 1017546, 'burn in hell': 142891, 'in hell panicbuying': 423629, 'hell panicbuying stockpilling': 389055, 'ocr': 579126, 'updated consumer': 947357, 'right blog': 721821, 'blog today': 133037, 'include and': 431518, 'and empathy': 62051, 'empathy it': 273355, 'needed right': 556481, 'now ocr': 575391, 'ocr relevant': 579127, 'updated consumer right': 947359, 'consumer right blog': 198806, 'right blog today': 721822, 'blog today to': 133039, 'today to include': 920359, 'to include and': 908245, 'include and empathy': 431519, 'and empathy it': 62053, 'empathy it really': 273356, 'it really needed': 460650, 'really needed right': 702449, 'needed right now': 556482, 'right now ocr': 722110, 'now ocr relevant': 575392, 'ce': 168698, 'kn95': 475964, 'moq': 538385, '86159929736': 22991, 'ce ffp2': 168704, 'ffp2 kn95': 304275, 'kn95 face': 475966, 'sale with': 732655, 'price moq': 675265, 'moq 100pcs': 538386, '100pcs we': 2209, 'fight with': 304949, '19 whatsapp': 12009, 'whatsapp 86159929736': 982879, 'ce ffp2 kn95': 168705, 'ffp2 kn95 face': 304276, 'kn95 face mask': 475967, 'mask for sale': 518687, 'for sale with': 325328, 'sale with low': 732656, 'with low price': 999337, 'low price moq': 505525, 'price moq 100pcs': 675266, 'moq 100pcs we': 538387, '100pcs we can': 2210, 'help you to': 391003, 'to fight with': 905818, 'fight with covid': 304951, 'covid 19 whatsapp': 214062, '19 whatsapp 86159929736': 12010, 'stay apart': 796765, 'apart mean': 81302, 'store long': 808814, 'long you': 501870, 'in mandatory': 425029, 'mandatory isolation': 513041, 'isolation or': 455373, 'or quarantine': 616762, 'quarantine but': 692061, 'but limit': 146281, 'limit it': 492375, 'to once': 910902, 'once per': 605687, 'week otherwise': 976704, 'this together we': 890788, 'together we must': 921028, 'all stay apart': 44441, 'stay apart mean': 796766, 'apart mean you': 81303, 'still go to': 800582, 'grocery store long': 365540, 'store long you': 808816, 'long you re': 501877, 're not in': 699099, 'not in mandatory': 570099, 'in mandatory isolation': 425030, 'mandatory isolation or': 513042, 'isolation or quarantine': 455377, 'or quarantine but': 616764, 'quarantine but limit': 692062, 'but limit it': 146283, 'limit it to': 492377, 'it to once': 461738, 'to once per': 910904, 'once per week': 605688, 'per week otherwise': 651072, 'chad': 170408, 'borne the': 135572, 'covid update': 214243, 'update chad': 946894, 'chad butter': 170411, 'butter turn': 148173, 'turn his': 935675, 'his distillery': 397364, 'distillery into': 247767, 'sanitizer manufacturing': 735342, 'manufacturing facility': 513583, 'borne the battle': 135573, 'the battle covid': 849346, 'battle covid update': 112792, 'covid update chad': 214244, 'update chad butter': 946895, 'chad butter turn': 170412, 'butter turn his': 148174, 'turn his distillery': 935676, 'his distillery into': 397365, 'distillery into hand': 247768, 'hand sanitizer manufacturing': 375484, 'sanitizer manufacturing facility': 735343, 'pathanamthitta': 644039, 'asish': 95460, 'mohankumar': 535575, 'when family': 983406, 'of were': 593027, 'were detected': 979519, 'detected with': 239344, 'in kerala': 424483, 'kerala pathanamthitta': 473110, 'pathanamthitta there': 644040, 'wa panic': 962904, 'panic shop': 638540, 'shop shut': 760787, 'shut so': 767929, 'so getting': 777163, 'water became': 968912, 'became hard': 118871, 'hard now': 377978, 'is public': 451132, 'public support': 688345, 'support say': 826799, 'say medical': 738933, 'medical officer': 526275, 'officer asish': 595637, 'asish mohankumar': 95461, 'mohankumar with': 535576, 'local sending': 498380, 'sending in': 750032, 'in clothes': 421518, 'clothes amp': 184137, 'amp bed': 53437, 'bed sheet': 120418, 'when family of': 983408, 'family of were': 298110, 'of were detected': 593028, 'were detected with': 979520, 'detected with 19': 239345, 'with 19 in': 996965, '19 in kerala': 7761, 'in kerala pathanamthitta': 424484, 'kerala pathanamthitta there': 473111, 'pathanamthitta there wa': 644041, 'there wa panic': 879259, 'wa panic shop': 962907, 'panic shop shut': 638547, 'shop shut so': 760789, 'shut so getting': 767930, 'so getting food': 777164, 'getting food amp': 348977, 'amp water became': 54807, 'water became hard': 968913, 'became hard now': 118872, 'hard now there': 377979, 'there is public': 878609, 'is public support': 451134, 'public support say': 688346, 'support say medical': 826800, 'say medical officer': 738934, 'medical officer asish': 526276, 'officer asish mohankumar': 595638, 'asish mohankumar with': 95462, 'mohankumar with local': 535577, 'with local sending': 999284, 'local sending in': 498381, 'sending in clothes': 750033, 'in clothes amp': 421519, 'clothes amp bed': 184138, 'amp bed sheet': 53438, 'longboat': 501889, 'longboat key': 501890, 'key publix': 473376, 'publix store': 688775, 'put customer': 690549, 'customer limit': 222576, 'on water': 605113, 'water toilet': 969225, 'towel the': 927387, 'limiting each': 492809, 'each customer': 264026, 'one case': 606054, 'of water': 592933, 'water one': 969085, 'one package': 606823, 'of paper': 587754, 'longboat key publix': 501891, 'key publix store': 473377, 'publix store ha': 688777, 'store ha put': 808016, 'ha put customer': 371592, 'put customer limit': 690550, 'customer limit on': 222578, 'limit on water': 492433, 'on water toilet': 605118, 'water toilet paper': 969226, 'paper and paper': 639845, 'paper towel the': 641016, 'towel the grocery': 927388, 'store is limiting': 808502, 'is limiting each': 449368, 'limiting each customer': 492810, 'each customer to': 264032, 'customer to one': 222971, 'to one case': 910911, 'one case of': 606055, 'case of water': 165935, 'of water one': 592944, 'water one package': 969086, 'one package of': 606825, 'package of toilet': 633348, 'paper and one': 639843, 'and one package': 68090, 'package of paper': 633343, 'of paper towel': 587763, 'newfoundland': 560070, 'afterwards': 36742, 'the dropping': 853719, 'on newfoundland': 602387, 'newfoundland is': 560071, 'not now': 570707, 'for try': 327370, 'try focusing': 934478, 'with plan': 1000221, 'plan afterwards': 658044, 'afterwards to': 36751, 'fall out': 297019, 'our oil': 624124, 'oil re': 597386, 'think about what': 885112, 'about what effect': 26882, 'what effect the': 981402, 'effect the dropping': 269122, 'the dropping oil': 853720, 'to have on': 907285, 'have on newfoundland': 381772, 'on newfoundland is': 602388, 'newfoundland is not': 560072, 'is not now': 450139, 'not now this': 570709, 'this is just': 888299, 'is just the': 449150, 'just the beginning': 469992, 'beginning of covid': 123645, '19 for try': 7080, 'for try focusing': 327371, 'try focusing on': 934479, 'focusing on that': 312001, 'on that and': 603929, 'that and come': 842652, 'and come up': 60113, 'up with plan': 946674, 'with plan afterwards': 1000222, 'plan afterwards to': 658045, 'afterwards to deal': 36752, 'the fall out': 854873, 'fall out of': 297022, 'of our oil': 587524, 'our oil re': 624125, 'seetheday': 747366, 'thought seetheday': 893206, 'seetheday when': 747367, 'when weed': 984482, 'weed wa': 975776, 'wa easier': 962051, 'get than': 348201, 'than toiletpaper': 841349, 'and handsanitizer': 64156, 'handsanitizer 19': 376464, '19 panicshopping': 9573, 'panicshopping panicbuying': 639442, 'never thought seetheday': 558233, 'thought seetheday when': 893207, 'seetheday when weed': 747368, 'when weed wa': 984483, 'weed wa easier': 975777, 'wa easier to': 962052, 'easier to get': 265158, 'to get than': 906610, 'get than toiletpaper': 348202, 'than toiletpaper and': 841350, 'toiletpaper and handsanitizer': 921721, 'and handsanitizer 19': 64157, 'handsanitizer 19 panicshopping': 376465, '19 panicshopping panicbuying': 9574, 'bouquet': 136885, 'mom birthday': 535695, 'birthday bouquet': 131420, 'bouquet toiletpaper': 136890, 'quaratinelife 19': 693117, 'my mom birthday': 549260, 'mom birthday bouquet': 535696, 'birthday bouquet toiletpaper': 131421, 'bouquet toiletpaper quaratinelife': 136891, 'toiletpaper quaratinelife 19': 922386, 'foodie': 317943, 'moon': 538321, 'wa foodie': 962148, 'foodie before': 317944, 'ration ha': 697691, 'come down': 187271, 'because price': 119498, 'up above': 944219, 'above the': 27101, 'the moon': 860867, 'wa foodie before': 962149, 'foodie before but': 317945, 'before but you': 122683, 'but you see': 147998, 'see the ration': 745877, 'the ration ha': 865176, 'ration ha to': 697692, 'ha to come': 372293, 'to come down': 903025, 'come down because': 187272, 'down because price': 256554, 'because price of': 119501, 'price of item': 675480, 'of item are': 585477, 'item are up': 463107, 'are up above': 91356, 'up above the': 944220, 'above the moon': 27107, 'miracle': 533917, 'nailing': 551477, 'behave like': 123782, 'like everyone': 490188, 'covid this': 214236, 'be solved': 117291, 'solved in': 782180, 'community medic': 189977, 'medic cannot': 525993, 'do miracle': 249589, 'miracle going': 533923, 'supermarket coughing': 819819, 'of trolley': 592457, 'trolley that': 932478, 'an icu': 56118, 'icu bed': 412833, 'bed nailing': 120406, 'nailing it': 551478, 'on coronalockdown': 600117, 'behave like everyone': 123783, 'like everyone ha': 490190, 'everyone ha it': 286968, 'ha it covid': 371017, 'it covid this': 457385, 'covid this will': 214238, 'will be solved': 992691, 'be solved in': 117293, 'solved in the': 782181, 'in the community': 429086, 'the community medic': 851285, 'community medic cannot': 189978, 'medic cannot do': 525994, 'cannot do miracle': 161759, 'do miracle going': 249590, 'miracle going to': 533924, 'to supermarket coughing': 915783, 'supermarket coughing on': 819822, 'coughing on the': 208726, 'on the handle': 604156, 'handle of trolley': 376243, 'of trolley that': 592459, 'trolley that could': 932479, 'that could cause': 843343, 'could cause the': 209005, 'cause the use': 167766, 'use of an': 949398, 'of an icu': 580116, 'an icu bed': 56119, 'icu bed nailing': 412834, 'bed nailing it': 120407, 'nailing it on': 551479, 'it on coronalockdown': 460035, 'credit impact': 216409, 'the pipeline': 863749, 'pipeline sector': 656906, 'credit impact on': 216410, 'on the pipeline': 604283, 'the pipeline sector': 863751, 'pipeline sector from': 656907, 'sector from low': 744198, 'from low oil': 336286, 'price and global': 672426, 'global pandemic 19': 352069, 'processed': 679983, 'refined': 706573, 'calorically': 156886, 'dense': 237052, 'conditioning': 193581, 'supermarket plenty': 822026, 'whole non': 990277, 'non processed': 566465, 'processed food': 679986, 'option available': 613993, 'available meat': 104492, 'meat vegetable': 525790, 'the processed': 864554, 'processed highly': 679992, 'highly refined': 396094, 'refined calorically': 706574, 'calorically dense': 156887, 'dense shelf': 237057, 'were wiped': 980347, 'great example': 362660, 'of today': 592229, 'today society': 920203, 'society the': 781325, 'the conditioning': 851437, 'conditioning for': 193582, 'nutrition coronacrisis': 577713, 'the supermarket plenty': 868758, 'supermarket plenty of': 822027, 'plenty of whole': 660991, 'of whole non': 593141, 'whole non processed': 990278, 'non processed food': 566466, 'processed food option': 679989, 'food option available': 315640, 'option available meat': 613996, 'available meat vegetable': 104493, 'meat vegetable fruit': 525792, 'vegetable fruit it': 953991, 'fruit it the': 339108, 'it the processed': 461568, 'the processed highly': 864555, 'processed highly refined': 679993, 'highly refined calorically': 396095, 'refined calorically dense': 706575, 'calorically dense shelf': 156888, 'dense shelf that': 237058, 'shelf that were': 757643, 'that were wiped': 847451, 'were wiped out': 980348, 'wiped out great': 996472, 'out great example': 626235, 'great example of': 362661, 'example of today': 288952, 'of today society': 592238, 'today society the': 920204, 'society the conditioning': 781326, 'the conditioning for': 851438, 'conditioning for nutrition': 193583, 'for nutrition coronacrisis': 323999, 'markettrends': 517881, 'spending trend': 789028, 'trend impacted': 931357, 'consumerspending markettrends': 199770, 'consumer spending trend': 199099, 'spending trend impacted': 789029, 'trend impacted by': 931358, 'covid 19 consumerspending': 212845, '19 consumerspending markettrends': 6002, 'either going': 270308, 'money because': 536629, 'my favorite': 548265, 'favorite store': 300554, 'closing or': 183711, 'to finally': 905860, 'shopping stayathome': 763970, 'either going to': 270310, 'save money because': 737581, 'money because all': 536630, 'because all my': 118915, 'all my favorite': 43553, 'my favorite store': 548277, 'favorite store are': 300555, 'store are temporarily': 806528, 'temporarily closing or': 837480, 'closing or going': 183712, 'going to finally': 355599, 'to finally get': 905862, 'finally get into': 306011, 'get into online': 347369, 'online shopping stayathome': 609283, 'whether you': 985614, 'or heading': 615605, 'store directly': 807318, 'directly finding': 243545, 'finding thermometer': 307558, 'thermometer right': 879539, 'is next': 449890, 'to impossible': 908199, 'whether you re': 985621, 'shopping online or': 763466, 'online or heading': 608656, 'or heading to': 615606, 'the store directly': 868008, 'store directly finding': 807319, 'directly finding thermometer': 243546, 'finding thermometer right': 307559, 'thermometer right now': 879540, 'now is next': 575079, 'is next to': 449893, 'next to impossible': 561622, 'picky': 656062, 'ole': 598722, 'be picky': 116415, 'picky over': 656069, 'sanitizer scent': 735711, 'scent you': 741400, 'you wanted': 1022168, 'wanted ahh': 966192, 'ahh the': 39230, 'good ole': 357494, 'ole day': 598723, 'remember when you': 710422, 'when you could': 984552, 'could be picky': 208905, 'be picky over': 116417, 'picky over the': 656070, 'over the sanitizer': 630763, 'the sanitizer scent': 866356, 'sanitizer scent you': 735712, 'scent you wanted': 741401, 'you wanted ahh': 1022169, 'wanted ahh the': 966193, 'ahh the good': 39231, 'the good ole': 856446, 'good ole day': 357495, 'escalation': 280285, 'rapid escalation': 696912, 'escalation in': 280286, 'in negative': 425787, 'negative consumer': 556745, 'sentiment in': 750945, 'rapid escalation in': 696913, 'escalation in negative': 280287, 'in negative consumer': 425788, 'negative consumer sentiment': 556746, 'consumer sentiment in': 198916, 'sentiment in the': 750951, 'in the eu': 429178, 'di1tv': 240146, 'morocco': 541566, 'price list': 675062, 'of alcoholic': 579906, 'alcoholic antiseptic': 41202, 'antiseptic in': 78561, 'take temporary': 832627, 'measure against': 525072, 'price these': 676887, 'day source': 228384, 'source di1tv': 786473, 'di1tv morocco': 240147, 'morocco morocco': 541572, 'is the price': 452904, 'the price list': 864381, 'price list of': 675064, 'list of alcoholic': 494411, 'of alcoholic antiseptic': 579907, 'alcoholic antiseptic in': 41203, 'antiseptic in order': 78562, 'order to take': 618713, 'to take temporary': 916243, 'take temporary measure': 832628, 'temporary measure against': 837663, 'measure against the': 525076, 'against the high': 37661, 'high price these': 395282, 'price these day': 676888, 'these day source': 879891, 'day source di1tv': 228385, 'source di1tv morocco': 786474, 'di1tv morocco morocco': 240148, 'isolation grocery': 455282, 'online selfisolation': 608955, 'selfisolation selfquarantine': 748476, 'selfquarantine 14days': 748558, 'one of self': 606761, 'self isolation grocery': 747771, 'isolation grocery shopping': 455283, 'shopping online selfisolation': 763479, 'online selfisolation selfquarantine': 608956, 'selfisolation selfquarantine 14days': 748477, 'courthouse': 212060, 'update consumer': 946911, 'consumer bankruptcy': 196391, 'bankruptcy bankruptcy': 110509, 'bankruptcy court': 110522, 'court courthouse': 211984, 'courthouse entry': 212061, 'entry protocol': 279010, 'protocol and': 685971, '19 preparedness': 9783, 'preparedness bankruptcy': 670280, 'coronavirus update consumer': 206990, 'update consumer bankruptcy': 946912, 'consumer bankruptcy bankruptcy': 196392, 'bankruptcy bankruptcy court': 110510, 'bankruptcy court courthouse': 110523, 'court courthouse entry': 211985, 'courthouse entry protocol': 212062, 'entry protocol and': 279011, 'protocol and covid': 685972, 'covid 19 preparedness': 213605, '19 preparedness bankruptcy': 9784, 'it beautiful': 456740, 'take drive': 832082, 'beat standing': 118552, 'it beautiful day': 456741, 'beautiful day for': 118676, 'people to take': 649951, 'to take drive': 916173, 'take drive to': 832083, 'morell beat standing': 541053, 'beat standing in': 118553, 'glimmer': 351701, 'worry allow': 1010667, 'allow yourself': 46111, 'yourself to': 1026725, 'enjoy glimmer': 277135, 'glimmer of': 351702, 'hope and': 403416, 'and positivity': 69210, 'positivity with': 665518, 'story take': 812122, 'turning little': 935931, 'little free': 495354, 'free library': 331943, 'library into': 488073, 'into little': 442702, 'free pantry': 332043, 'panic and worry': 637345, 'and worry allow': 75906, 'worry allow yourself': 1010668, 'allow yourself to': 46112, 'yourself to enjoy': 1026729, 'to enjoy glimmer': 905129, 'enjoy glimmer of': 277136, 'glimmer of hope': 351703, 'of hope and': 584742, 'hope and positivity': 403420, 'and positivity with': 69211, 'positivity with some': 665519, 'with some good': 1000846, 'good news story': 357459, 'news story take': 560835, 'story take look': 812123, 'at how people': 99228, 'are turning little': 91225, 'turning little free': 935932, 'little free library': 495355, 'free library into': 331944, 'library into little': 488074, 'into little free': 442703, 'little free pantry': 495356, 'free pantry for': 332044, 'pantry for their': 639589, 'for their community': 326812, 'asian shop': 95334, 'shop the': 760899, 'the racist': 865089, 'racist want': 695335, 'absolutely brilliant': 27327, 'brilliant they': 139895, 'they take': 883520, 'are exactly': 86301, 'exactly the': 288754, 'same quiet': 733262, 'and reassuring': 70028, 'my local asian': 549098, 'local asian shop': 497702, 'asian shop the': 95337, 'shop the racist': 760905, 'the racist want': 865090, 'racist want to': 695336, 'want to call': 966006, 'to call it': 902381, 'call it is': 155955, 'it is absolutely': 458860, 'is absolutely brilliant': 445292, 'absolutely brilliant they': 27330, 'brilliant they take': 139896, 'they take care': 883522, 'care of all': 164093, 'all the local': 44813, 'the local and': 859533, 'local and the': 497683, 'price are exactly': 672660, 'are exactly the': 86302, 'exactly the same': 288755, 'the same quiet': 866287, 'same quiet and': 733263, 'quiet and reassuring': 694675, 'coronavirus worker': 207100, 'worker from': 1006992, 'from walmart': 338284, 'of coronavirus worker': 581979, 'coronavirus worker from': 207102, 'worker from walmart': 1006999, 'from walmart trader': 338286, 'isps': 455577, 'you nurse': 1020162, 'also people': 48650, 'store dental': 807297, 'dental worker': 237085, 'worker dealing': 1006724, 'limited mask': 492670, 'and spit': 72117, 'spit the': 789566, 'guy delivering': 368972, 'delivering my': 233528, 'team isps': 835710, 'isps emergency': 455578, 'and teacher': 73058, 'teacher doing': 835452, 'doing virtual': 252820, 'virtual thing': 957804, 'thank you nurse': 841792, 'you nurse doctor': 1020163, 'nurse doctor and': 577284, 'doctor and also': 250813, 'and also people': 57966, 'also people at': 48651, 'grocery store dental': 365326, 'store dental worker': 807298, 'dental worker dealing': 237086, 'worker dealing with': 1006725, 'dealing with limited': 229674, 'with limited mask': 999231, 'limited mask and': 492671, 'mask and spit': 518372, 'and spit the': 72119, 'spit the guy': 789567, 'the guy delivering': 856956, 'guy delivering my': 368973, 'delivering my food': 233529, 'food order delivery': 315678, 'order delivery team': 618169, 'delivery team isps': 234609, 'team isps emergency': 835711, 'isps emergency worker': 455579, 'emergency worker and': 273056, 'worker and teacher': 1006339, 'and teacher doing': 73059, 'teacher doing virtual': 835453, 'doing virtual thing': 252821, 'virtual thing during': 957805, 'techcrunch': 836171, 'privacymatters': 678853, 'rule surrounding': 727366, 'surrounding consumer': 828742, 'privacy during': 678810, '19 techcrunch': 11052, 'techcrunch ass': 836172, 'of method': 586454, 'method being': 529763, 'being used': 126014, 'used around': 949866, 'monitor social': 537316, 'distancing privacymatters': 247406, 'are the rule': 90898, 'the rule surrounding': 866052, 'rule surrounding consumer': 727367, 'surrounding consumer privacy': 828743, 'consumer privacy during': 198435, 'privacy during 19': 678811, 'during 19 techcrunch': 262410, '19 techcrunch ass': 11053, 'techcrunch ass the': 836173, 'ass the long': 96282, 'term impact of': 838175, 'impact of method': 417786, 'of method being': 586455, 'method being used': 529764, 'being used around': 126015, 'used around the': 949867, 'world to monitor': 1010084, 'to monitor social': 910236, 'monitor social distancing': 537317, 'social distancing privacymatters': 779690, 'profiling': 682631, 'happened in': 377251, 'town reminder': 927538, 'reminder once': 710579, 'again that': 37202, 'the wuhan': 872118, 'wuhan virus': 1013520, 'virus or': 958572, 'for racial': 324938, 'racial profiling': 695232, 'profiling there': 682636, 'is what happened': 453877, 'what happened in': 981544, 'happened in my': 377254, 'my town reminder': 550418, 'town reminder once': 927539, 'reminder once again': 710580, 'once again that': 605578, 'again that this': 37204, 'not the wuhan': 572046, 'the wuhan virus': 872122, 'wuhan virus or': 1013521, 'virus or anything': 958573, 'or anything like': 614378, 'like that it': 491326, '19 coronavirus the': 6133, 'coronavirus the virus': 206917, 'virus is also': 958363, 'is also no': 445568, 'also no excuse': 48571, 'no excuse for': 564162, 'excuse for racial': 289746, 'for racial profiling': 324939, 'racial profiling there': 695235, 'profiling there is': 682637, 'is no excuse': 449928, 'recruit': 705456, 'morrison ha': 541719, 'announced it': 76967, 'will recruit': 994604, 'recruit 500': 705459, '500 new': 20026, 'new staff': 559632, 'and boost': 59067, 'boost it': 134974, 'surge of': 828225, 'uk supermarket group': 938765, 'group morrison ha': 366769, 'morrison ha announced': 541720, 'ha announced it': 369560, 'announced it will': 76974, 'it will recruit': 462428, 'will recruit 500': 994605, 'recruit 500 new': 705460, '500 new staff': 20028, 'new staff and': 559634, 'staff and boost': 792125, 'and boost it': 59068, 'boost it home': 134976, 'it home delivery': 458612, 'service to cope': 752974, 'with the surge': 1001508, 'the surge of': 869003, 'surge of demand': 828229, 'of demand due': 582501, 'humankind': 410788, 'kill humankind': 474418, 'humankind it': 410791, 'own stupidity': 632243, 'selfishness stop': 748379, 'hoarding stay': 399531, 'fuck home': 339569, 'kind stophoarding': 474980, 'stophoarding 19': 805344, '19 bekind': 5363, 'it not that': 459926, 'not that will': 571977, 'will kill humankind': 993915, 'kill humankind it': 474419, 'humankind it our': 410792, 'it our own': 460167, 'our own stupidity': 624218, 'own stupidity greed': 632245, 'and selfishness stop': 71205, 'selfishness stop hoarding': 748380, 'stop hoarding stay': 804740, 'hoarding stay the': 399533, 'the fuck home': 855965, 'fuck home if': 339570, 'home if you': 401404, 'can be kind': 157637, 'be kind stophoarding': 115627, 'kind stophoarding 19': 474981, 'stophoarding 19 bekind': 805345, 'ongata': 607583, 'rongai': 725809, 'kware': 478044, 'imminent': 417266, 'mercy': 529076, 'fowarding': 330730, 'gikombacorona': 350098, 'alert ongata': 41481, 'ongata largest': 607584, 'largest wholesale': 480040, 'wholesale and': 990413, 'retail open': 718349, 'open air': 612025, 'air market': 39757, 'market rongai': 517016, 'rongai kware': 725810, 'kware face': 478045, 'face imminent': 294466, 'imminent closure': 417271, 'closure today': 184053, 'today amid': 919184, 'amid fight': 52479, 'move will': 543780, 'will leave': 993972, 'leave consumer': 484767, 'the mercy': 860496, 'mercy of': 529079, 'retailer who': 719417, 'set price': 753459, 'be fowarding': 114946, 'fowarding something': 330731, 'something gikombacorona': 784921, 'alert ongata largest': 41482, 'ongata largest wholesale': 607585, 'largest wholesale and': 480041, 'wholesale and retail': 990417, 'and retail open': 70437, 'retail open air': 718350, 'open air market': 612027, 'air market rongai': 39759, 'market rongai kware': 517017, 'rongai kware face': 725811, 'kware face imminent': 478046, 'face imminent closure': 294467, 'imminent closure today': 417272, 'closure today amid': 184054, 'today amid fight': 919186, 'amid fight against': 52480, 'against the spread': 37678, '19 the move': 11221, 'the move will': 861091, 'move will leave': 543781, 'will leave consumer': 993973, 'leave consumer at': 484768, 'consumer at the': 196338, 'at the mercy': 101019, 'the mercy of': 860497, 'mercy of local': 529080, 'of local retailer': 585936, 'local retailer who': 498357, 'retailer who will': 719425, 'who will benefit': 989982, 'will benefit from': 992822, 'benefit from the': 126993, 'from the freedom': 337712, 'freedom to set': 332394, 'to set price': 914293, 'set price to': 753465, 'price to be': 676968, 'to be fowarding': 901266, 'be fowarding something': 114947, 'fowarding something gikombacorona': 330732, 'saboteur': 729014, 'saboteur people': 729015, 'not living': 570441, 'living at': 496321, 'supermarket isle': 821144, 'isle stayhomesavelives': 454382, 'saboteur people are': 729016, 'are not living': 88411, 'not living at': 570443, 'living at the': 496323, 'at the side': 101097, 'side of supermarket': 768854, 'of supermarket isle': 590430, 'supermarket isle stayhomesavelives': 821147, 'than sanitizer': 841110, 'sanitizer gang': 734955, 'gang washyourhands': 343414, 'hand is better': 375052, 'better than sanitizer': 128533, 'than sanitizer gang': 841112, 'sanitizer gang washyourhands': 734956, 'btc': 141490, 'oio': 597742, 'dta': 261380, 'rcd': 698108, 'credit btc': 216317, 'btc oio': 141505, 'oio dta': 597743, 'dta storm': 261381, 'storm rcd': 811834, 'rcd the': 698109, 'reserve latest': 714079, 'report show': 712253, 'show american': 766854, 'american were': 52295, 'were borrowing': 979383, 'borrowing at': 135629, 'level just': 487605, 'crisis struck': 218104, 'struck read': 814274, 'credit btc oio': 216318, 'btc oio dta': 141506, 'oio dta storm': 597744, 'dta storm rcd': 261382, 'storm rcd the': 811835, 'rcd the federal': 698111, 'the federal reserve': 855077, 'federal reserve latest': 302044, 'reserve latest consumer': 714080, 'latest consumer credit': 481259, 'consumer credit report': 197026, 'credit report show': 216484, 'report show american': 712254, 'show american were': 766856, 'american were borrowing': 52296, 'were borrowing at': 979384, 'borrowing at record': 135630, 'record level just': 705001, 'level just the': 487607, 'just the covid': 469997, '19 crisis struck': 6329, 'crisis struck read': 218105, 'struck read more': 814275, 'costo': 208361, 'found enough': 330198, 'tissue to': 899221, 'month been': 537609, 'been going': 121218, 'to target': 916300, 'target walmart': 834527, 'walmart and': 965274, 'and costo': 60599, 'costo for': 208362, 'and stocked': 72422, 'up stockup': 946075, 'finally found enough': 305999, 'found enough toilet': 330200, 'enough toilet tissue': 277735, 'toilet tissue to': 921649, 'tissue to last': 899222, 'to last few': 909061, 'last few month': 480212, 'few month been': 303925, 'month been going': 537610, 'been going to': 121222, 'going to target': 355738, 'to target walmart': 916304, 'target walmart and': 834528, 'walmart and costo': 965275, 'and costo for': 60600, 'costo for the': 208363, 'past few day': 643540, 'few day and': 303768, 'day and stocked': 227283, 'and stocked up': 72426, 'stocked up stockup': 803444, 'mohammad': 535562, 'khani': 473720, 'civilised': 179576, 'mohammad khani': 535563, 'khani wrote': 473721, 'wrote on': 1013206, 'his instagram': 397542, 'page this': 633899, 'in civilised': 421492, 'civilised society': 179578, 'society look': 781261, 'like even': 490180, 'with 12': 996942, 'mohammad khani wrote': 535564, 'khani wrote on': 473722, 'wrote on his': 1013207, 'on his instagram': 601322, 'his instagram page': 397543, 'instagram page this': 439973, 'page this is': 633900, 'is what supermarket': 453897, 'what supermarket in': 982267, 'supermarket in civilised': 820880, 'in civilised society': 421493, 'civilised society look': 179579, 'society look like': 781262, 'look like even': 502474, 'like even with': 490181, 'even with 12': 284802, 'with 12 00': 996943, '12 00 people': 2759, '00 people infected': 413, 'people infected with': 648473, 'nctechmember': 553371, 'membershelpingmembers': 528261, 'yours': 1026447, 'nctechmember offering': 553372, 'offering six': 595244, 'free access': 331617, 'consumer security': 198887, 'security product': 744719, 'product during': 681143, 'pandemic learn': 635873, 'other membershelpingmembers': 620537, 'membershelpingmembers and': 528262, 'and learn': 66034, 'add yours': 31540, 'nctechmember offering six': 553373, 'offering six month': 595245, 'six month free': 772669, 'month free access': 537736, 'free access to': 331621, 'access to consumer': 28223, 'to consumer security': 903331, 'consumer security product': 198888, 'security product during': 744720, 'product during pandemic': 681147, 'during pandemic learn': 262877, 'pandemic learn more': 635876, 'more about this': 538525, 'about this and': 26629, 'this and other': 886340, 'and other membershelpingmembers': 68364, 'other membershelpingmembers and': 620538, 'membershelpingmembers and learn': 528264, 'and learn how': 66036, 'how to add': 408975, 'to add yours': 900074, 'getrich': 348805, 'paidfromhome': 634183, 'workfromanywhere': 1008404, 'internetrich': 442069, 'your new': 1024987, 'found free': 330215, 'free time': 332230, 'into paid': 442835, 'time link': 897141, 'the bio': 849716, 'bio quarantine': 131161, 'quarantine stayhome': 692567, 'stayhome getrich': 798010, 'getrich workfromhome': 348806, 'workfromhome paidfromhome': 1008424, 'paidfromhome workfromanywhere': 634184, 'workfromanywhere entrepreneur': 1008405, 'entrepreneur wealthy': 278959, 'wealthy internetrich': 974209, 'internetrich toiletpaper': 442070, 'time to turn': 898092, 'turn your new': 935818, 'your new found': 1024988, 'new found free': 558760, 'found free time': 330216, 'free time into': 332231, 'time into paid': 897044, 'into paid time': 442836, 'paid time link': 634155, 'time link in': 897142, 'link in the': 493860, 'in the bio': 429023, 'the bio quarantine': 849717, 'bio quarantine stayhome': 131162, 'quarantine stayhome getrich': 692570, 'stayhome getrich workfromhome': 798011, 'getrich workfromhome paidfromhome': 348807, 'workfromhome paidfromhome workfromanywhere': 1008425, 'paidfromhome workfromanywhere entrepreneur': 634185, 'workfromanywhere entrepreneur wealthy': 1008406, 'entrepreneur wealthy internetrich': 278960, 'wealthy internetrich toiletpaper': 974210, 'jay': 464883, 'prohibited': 683423, 'washingtonian': 967825, 'breaking washington': 139081, 'washington governor': 967775, 'governor jay': 360928, 'jay inslee': 464888, 'inslee issue': 439729, 'issue stay': 455935, 'order all': 618009, 'travel outside': 930457, 'is prohibited': 451083, 'prohibited washingtonian': 683432, 'washingtonian will': 967826, 'pharmacy doctor': 654287, 'breaking washington governor': 139082, 'washington governor jay': 967776, 'governor jay inslee': 360929, 'jay inslee issue': 464889, 'inslee issue stay': 439730, 'issue stay at': 455936, 'home order all': 401762, 'order all non': 618010, 'essential travel outside': 281723, 'travel outside the': 930458, 'the home is': 857448, 'home is prohibited': 401455, 'is prohibited washingtonian': 451085, 'prohibited washingtonian will': 683433, 'washingtonian will still': 967827, 'store pharmacy doctor': 809535, 'local highstreet': 498076, 'highstreet shop': 396135, 'really helping': 702286, 'elderly let': 270738, 'regularly stoppanicbuying': 707958, 'stoppanicbuying tear': 805649, 'tear at': 835928, 'till iceland': 896032, 'up just': 945267, 'am so happy': 50406, 'so happy to': 777246, 'see some of': 745718, 'some of my': 783403, 'my local highstreet': 549120, 'local highstreet shop': 498077, 'highstreet shop are': 396136, 'shop are really': 759911, 'are really helping': 89477, 'really helping the': 702287, 'the elderly let': 854130, 'elderly let see': 270739, 'let see more': 487034, 'see more of': 745432, 'more of this': 539889, 'of this regularly': 592029, 'this regularly stoppanicbuying': 889856, 'regularly stoppanicbuying tear': 707959, 'stoppanicbuying tear at': 805650, 'tear at the': 835933, 'the till iceland': 869558, 'till iceland store': 896033, 'iceland store open': 412722, 'store open up': 809267, 'open up just': 612633, 'up just for': 945268, 'just for the': 468760, 'fro': 334132, 'trollies': 932509, 'mike the': 531283, 'threat fro': 893663, 'fro covid': 334137, 'isn visiting': 454753, 'visiting the': 959560, 'and club': 60021, 'club it': 184451, 'supermarket too': 823509, 'those infected': 892114, 'infected trollies': 436657, 'trollies time': 932522, 'mike the biggest': 531284, 'biggest threat fro': 130345, 'threat fro covid': 893664, 'fro covid 19': 334138, '19 isn visiting': 8097, 'isn visiting the': 454754, 'visiting the pub': 959563, 'the pub and': 864764, 'pub and club': 687661, 'and club it': 60025, 'club it going': 184452, 'the supermarket too': 868869, 'supermarket too many': 823510, 'many people and': 514486, 'all those infected': 45166, 'those infected trollies': 892117, 'infected trollies time': 436658, 'trollies time to': 932523, 'time to wake': 898097, 'hunker': 411332, 'wisconsibly': 996596, 'wiunion': 1003184, 'hope from': 403489, 'from wisconsin': 338386, 'wisconsin land': 996623, 'land of': 479277, 'of brewery': 580871, 'brewery who': 139468, 'getting into': 349068, 'sanitizer business': 734601, 'and hunker': 64878, 'hunker down': 411333, 'down wisconsibly': 257484, 'wisconsibly shirt': 996597, 'shirt wiunion': 759033, 'wiunion fightcovid19': 1003185, 'hope from wisconsin': 403490, 'from wisconsin land': 338387, 'wisconsin land of': 996624, 'land of brewery': 479278, 'of brewery who': 580872, 'brewery who are': 139469, 'who are getting': 988146, 'are getting into': 86813, 'getting into the': 349072, 'into the hand': 443134, 'hand sanitizer business': 375331, 'sanitizer business and': 734602, 'business and hunker': 143311, 'and hunker down': 64879, 'hunker down wisconsibly': 411340, 'down wisconsibly shirt': 257485, 'wisconsibly shirt wiunion': 996598, 'shirt wiunion fightcovid19': 759034, 'just supermarket': 469925, 'husband is': 411720, 'night of': 563042, 'his off': 397652, 'off yesterday': 594431, 'today he': 919621, 'he hardly': 385073, 'hardly been': 378255, 'keep his': 471581, 'his eye': 397406, 'open 10pm': 612000, '10pm 6am': 2370, '6am him': 21560, 'restock the': 716920, 'shelf so': 757522, 'need be': 554522, 'them too': 876541, 'just supermarket worker': 469928, 'worker my husband': 1007410, 'my husband is': 548782, 'husband is on': 411725, 'is on night': 450475, 'on night of': 602411, 'night of his': 563043, 'of his off': 584661, 'his off yesterday': 397653, 'off yesterday and': 594432, 'and today he': 74223, 'today he hardly': 919625, 'he hardly been': 385074, 'hardly been able': 378256, 'to keep his': 908802, 'keep his eye': 471583, 'his eye open': 397407, 'eye open 10pm': 294082, 'open 10pm 6am': 612001, '10pm 6am him': 2371, '6am him and': 21561, 'him and his': 396539, 'and his colleague': 64593, 'his colleague are': 397295, 'colleague are working': 186202, 'working to restock': 1009001, 'to restock the': 913415, 'restock the shelf': 716924, 'the shelf so': 866876, 'shelf so you': 757530, 'can get everything': 158415, 'get everything you': 346971, 'you need be': 1019969, 'need be grateful': 554523, 'grateful for them': 362275, 'for them too': 326928, 'resupply': 717775, 'apocalyptic': 81591, 'industry scramble': 436091, 'scramble to': 742542, 'to resupply': 913440, 'resupply store': 717778, 'amid apocalyptic': 52391, 'apocalyptic surge': 81604, 'demand zero': 236541, 'food industry scramble': 315024, 'industry scramble to': 436092, 'scramble to resupply': 742549, 'to resupply store': 913442, 'resupply store amid': 717779, 'store amid apocalyptic': 806164, 'amid apocalyptic surge': 52392, 'apocalyptic surge in': 81605, 'in demand zero': 422170, 'demand zero hedge': 236543, 'price plummet': 675893, 'plummet by': 661263, '20 per': 13250, 'cent economist': 169049, 'economist warn': 267587, 'pandemic could see': 635252, 'could see house': 209635, 'house price plummet': 406500, 'price plummet by': 675898, 'plummet by 20': 661264, 'by 20 per': 151576, '20 per cent': 13252, 'per cent economist': 650749, 'cent economist warn': 169050, 'arbitrary': 84018, 'punitive': 689260, 'endangers': 276111, 'you deny': 1018176, 'deny curbside': 237132, 'up delivery': 944697, 'for ebt': 320935, 'ebt card': 266578, 'card holder': 163544, 'holder this': 400082, 'policy feel': 663405, 'feel arbitrary': 302568, 'arbitrary punitive': 84023, 'punitive since': 689263, 'since id': 770653, 'id are': 412929, 'shown inside': 767596, 'store when': 811234, 'using card': 950416, 'card this': 163673, 'policy endangers': 663393, 'endangers every': 276112, 'do you deny': 250623, 'you deny curbside': 1018177, 'deny curbside pick': 237133, 'pick up delivery': 655715, 'up delivery for': 944698, 'delivery for ebt': 234022, 'for ebt card': 320936, 'ebt card holder': 266580, 'card holder this': 163546, 'holder this policy': 400083, 'this policy feel': 889654, 'policy feel arbitrary': 663406, 'feel arbitrary punitive': 302569, 'arbitrary punitive since': 84024, 'punitive since id': 689264, 'since id are': 770654, 'id are not': 412930, 'are not shown': 88464, 'not shown inside': 571574, 'shown inside the': 767597, 'grocery store when': 365946, 'store when using': 811252, 'when using card': 984376, 'using card this': 950417, 'card this policy': 163674, 'this policy endangers': 889652, 'policy endangers every': 663394, 'mywifelife': 551080, 'bunghole': 142661, 'boo': 134426, 'luseelu': 506856, 'mywifelife if': 551081, 'find tp': 307351, 'tp for': 927815, 'your bunghole': 1023036, 'bunghole we': 142664, 'need having': 554958, 'having fun': 384081, 'fun drawing': 341157, 'drawing with': 258535, 'my boo': 547490, 'boo luseelu': 134427, 'luseelu do': 506857, 'let keep': 486840, 'with fam': 998372, 'fam friend': 297504, 'friend toiletpaper': 333855, 'toiletpaper art': 921753, 'mywifelife if you': 551082, 'cannot find tp': 161852, 'find tp for': 307354, 'tp for your': 927817, 'for your bunghole': 328124, 'your bunghole we': 1023037, 'bunghole we got': 142665, 'we got what': 971681, 'you need having': 1019997, 'need having fun': 554959, 'having fun drawing': 384083, 'fun drawing with': 341158, 'drawing with my': 258536, 'with my boo': 999611, 'my boo luseelu': 547491, 'boo luseelu do': 134428, 'luseelu do not': 506858, 'not let keep': 570370, 'let keep you': 486848, 'keep you from': 472237, 'you from having': 1018718, 'from having fun': 335733, 'having fun with': 384085, 'fun with fam': 341249, 'with fam friend': 998373, 'fam friend toiletpaper': 297505, 'friend toiletpaper art': 333856, 'proved': 686130, 'cn': 184703, 'order before': 618077, 'before sleeping': 123083, 'sleeping and': 773816, 'is delivered': 447097, 'in morning': 425450, 'morning this': 541499, 'many food': 514079, 'apps this': 83320, 'wuhan complete': 1013471, 'complete quarantine': 192137, 'testing tracking': 839679, 'tracking isolating': 928339, 'treating this': 931019, 'been proved': 121723, 'proved jp': 686135, 'jp kr': 467553, 'kr cn': 477615, 'use online grocery': 949444, 'shopping and order': 762008, 'and order before': 68243, 'order before sleeping': 618079, 'before sleeping and': 123084, 'sleeping and food': 773817, 'and grocery is': 63989, 'grocery is delivered': 364637, 'is delivered in': 447098, 'delivered in morning': 233348, 'in morning this': 425452, 'morning this should': 541501, 'should be done': 765605, 'be done with': 114574, 'done with so': 255122, 'so many food': 777661, 'many food delivery': 514080, 'food delivery apps': 314106, 'delivery apps this': 233705, 'apps this wa': 83321, 'done in wuhan': 254900, 'in wuhan complete': 431003, 'wuhan complete quarantine': 1013472, 'complete quarantine covid': 192138, '19 testing tracking': 11114, 'testing tracking isolating': 839680, 'tracking isolating and': 928340, 'isolating and treating': 455061, 'and treating this': 74431, 'treating this ha': 931020, 'this ha been': 887800, 'ha been proved': 369879, 'been proved jp': 121724, 'proved jp kr': 686136, 'jp kr cn': 467554, 'ra': 695116, 'absolutely take': 27454, 'the seriously': 866725, 'seriously do': 751582, 'panic take': 638661, 'precaution be': 669290, 'prepared do': 670177, 'mainstream medium': 508912, 'medium fear': 527096, 'fear tactic': 301355, 'paper buy': 639981, 'some rice': 783774, 'and ra': 69892, 'absolutely take the': 27456, 'take the seriously': 832674, 'the seriously do': 866726, 'seriously do not': 751583, 'not panic take': 570938, 'panic take the': 638663, 'take the proper': 832671, 'the proper precaution': 864678, 'proper precaution be': 684132, 'precaution be prepared': 669291, 'be prepared do': 116516, 'prepared do not': 670178, 'fall for the': 296915, 'for the mainstream': 326546, 'the mainstream medium': 859923, 'mainstream medium fear': 508914, 'medium fear tactic': 527098, 'fear tactic and': 301356, 'tactic and this': 831688, 'and this information': 73997, 'this information and': 888110, 'information and stop': 437742, 'and stop buying': 72469, 'stop buying so': 804547, 'buying so much': 151043, 'so much toilet': 777821, 'toilet paper buy': 921214, 'paper buy some': 639983, 'buy some rice': 149214, 'some rice and': 783775, 'rice and ra': 720999, '39': 18166, 'sleeper': 773812, 'recalled': 703364, 'fisher price': 309360, 'price 39': 672152, '39 baby': 18173, 'baby sleeper': 106697, 'sleeper is': 773813, 'being recalled': 125644, 'recalled across': 703365, 'across australia': 29273, 'australia after': 103218, 'being linked': 125388, 'to 32': 899686, '32 infant': 17676, 'infant death': 436474, 'state the': 795987, 'the popular': 864012, 'popular fisher': 664547, 'price baby': 672829, 'fisher price 39': 309361, 'price 39 baby': 672153, '39 baby sleeper': 18174, 'baby sleeper is': 106698, 'sleeper is being': 773814, 'is being recalled': 446106, 'being recalled across': 125645, 'recalled across australia': 703366, 'across australia after': 29274, 'australia after being': 103219, 'after being linked': 35414, 'being linked to': 125389, 'linked to 32': 493987, 'to 32 infant': 899687, '32 infant death': 17677, 'infant death in': 436475, 'death in the': 230083, 'united state the': 942245, 'state the popular': 795992, 'the popular fisher': 864014, 'popular fisher price': 664548, 'fisher price baby': 309362, 'price baby sleeper': 672830, 'will indeed': 993832, 'indeed be': 433978, 'case but': 165668, 'the travel': 869930, 'travel restriction': 930484, 'restriction in': 717289, 'risk even': 723517, 'also temper': 48958, 'temper our': 837351, 'our expectation': 622947, 'currency demand': 221024, 'normal year': 567423, 'year this': 1015017, 'be offset': 116168, 'by weaker': 154707, 'weaker consumer': 974097, 'consumer prospect': 198494, 'and broad': 59211, 'that will indeed': 847586, 'will indeed be': 993833, 'indeed be the': 433979, 'be the case': 117601, 'the case but': 850456, 'case but in': 165669, 'of the travel': 591555, 'the travel restriction': 869935, 'travel restriction in': 930489, 'restriction in place': 717295, 'place and global': 657313, 'and global covid': 63692, '19 risk even': 10244, 'risk even post': 723518, 'even post lockdown': 284481, 'post lockdown we': 666204, 'lockdown we should': 500121, 'we should also': 973255, 'should also temper': 765508, 'also temper our': 48959, 'temper our expectation': 837352, 'our expectation for': 622948, 'expectation for currency': 290818, 'for currency demand': 320492, 'currency demand the': 221025, 'demand the normal': 236354, 'the normal year': 861868, 'normal year this': 567424, 'year this will': 1015022, 'will be offset': 992584, 'be offset by': 116170, 'offset by weaker': 596096, 'by weaker consumer': 154708, 'weaker consumer prospect': 974100, 'consumer prospect and': 198495, 'prospect and broad': 684666, 'driverless': 259869, 'wariness': 966864, 'fleetmanagement': 310333, 'could covid': 209057, '19 accelerate': 4783, 'accelerate the': 27860, 'the adoption': 848364, 'adoption of': 32722, 'of driverless': 582828, 'driverless car': 259870, 'car or': 163198, 'consumer wariness': 199470, 'wariness still': 966865, 'still remain': 801113, 'remain barrier': 709706, 'barrier fleetmanagement': 111357, 'could covid 19': 209058, 'covid 19 accelerate': 212571, '19 accelerate the': 4784, 'accelerate the adoption': 27861, 'the adoption of': 848365, 'adoption of driverless': 32723, 'of driverless car': 582829, 'driverless car or': 259871, 'car or will': 163202, 'or will consumer': 617806, 'will consumer wariness': 993001, 'consumer wariness still': 199471, 'wariness still remain': 966866, 'still remain barrier': 801114, 'remain barrier fleetmanagement': 709707, 'illinois retail': 416301, 'retail merchant': 718320, 'merchant association': 529003, 'association announces': 96945, 'announces covid': 77244, 'illinois retail merchant': 416302, 'retail merchant association': 718321, 'merchant association announces': 529004, 'association announces covid': 96946, 'announces covid 19': 77245, 'store hour for': 808200, 'borisjohnsonlies': 135541, 'other condition': 619988, 'condition isolate': 193474, 'yourself they': 1026719, 'said stay': 731373, 'said then': 731460, 'left him': 485494, 'right there': 722294, 'there there': 879156, 'no provision': 565238, 'provision going': 687265, 'to larger': 909051, 'larger opening': 479897, 'opening supermarket': 612907, 'another dangerous': 77561, 'dangerous infectious': 225749, 'infectious fight': 436907, 'fight stophoarding': 304877, 'coronacrisis borisjohnsonlies': 204530, 'older people and': 598640, 'people and people': 646880, 'and people with': 68893, 'people with other': 650467, 'with other condition': 999948, 'other condition isolate': 619989, 'condition isolate yourself': 193475, 'isolate yourself they': 454963, 'yourself they said': 1026720, 'they said stay': 883245, 'said stay away': 731374, 'from people they': 336892, 'people they said': 649822, 'they said then': 883247, 'said then they': 731461, 'then they left': 877657, 'they left him': 882550, 'left him right': 485496, 'him right there': 396699, 'right there there': 722298, 'there there are': 879157, 'are no provision': 88278, 'no provision going': 565240, 'provision going to': 687266, 'going to larger': 355636, 'to larger opening': 909053, 'larger opening supermarket': 479898, 'opening supermarket just': 612908, 'supermarket just another': 821219, 'just another dangerous': 468201, 'another dangerous infectious': 77562, 'dangerous infectious fight': 225750, 'infectious fight stophoarding': 436908, 'fight stophoarding coronacrisis': 304878, 'stophoarding coronacrisis borisjohnsonlies': 805377, 'consumer manage': 198090, 'have therefore': 383079, 'therefore reduced': 879455, 'our package': 624225, 'reflect the': 706626, 'effort to help': 269627, 'help consumer manage': 389522, 'consumer manage the': 198091, 'manage the impact': 512440, 'we have therefore': 971961, 'have therefore reduced': 383080, 'therefore reduced the': 879456, 'price of our': 675526, 'of our package': 587528, 'our package to': 624226, 'package to reflect': 633435, 'to reflect the': 913069, 'learned in': 484123, 'live near': 495928, 'near grocery': 553516, 'store thank': 810536, 'you loblaws': 1019678, 'one thing have': 607220, 'thing have learned': 884406, 'have learned in': 381277, 'learned in this': 484125, 'that it good': 844712, 'it good to': 458306, 'good to live': 357889, 'to live near': 909344, 'live near grocery': 495929, 'near grocery store': 553517, 'grocery store thank': 365846, 'store thank you': 810537, 'thank you loblaws': 841764, 'there so': 879058, 'much we': 545435, 'but bottom': 145312, 'there so much': 879059, 'so much we': 777825, 'much we still': 545444, 'not know about': 570288, 'about the but': 26347, 'the but bottom': 850192, 'but bottom line': 145313, 'bottom line it': 136412, 'line it good': 493213, 'good to disinfect': 357874, 'invaluable': 443582, 'be thankful': 117571, 'nurse hospital': 577368, 'hospital personnel': 404557, 'personnel supermarket': 653156, 'worker pharmacy': 1007569, 'staff truck': 793021, 'others that': 621695, 'provide invaluable': 686366, 'invaluable assistance': 443583, 'should be thankful': 765749, 'be thankful to': 117573, 'thankful to our': 841931, 'to our first': 911181, 'responder doctor nurse': 715446, 'doctor nurse hospital': 251021, 'nurse hospital personnel': 577369, 'hospital personnel supermarket': 404559, 'personnel supermarket worker': 653158, 'supermarket worker pharmacy': 824069, 'worker pharmacy staff': 1007572, 'pharmacy staff truck': 654479, 'staff truck driver': 793022, 'driver and many': 259418, 'many others that': 514457, 'others that provide': 621700, 'that provide invaluable': 845886, 'provide invaluable assistance': 686367, 'invaluable assistance to': 443584, 'assistance to all': 96751, 'all of in': 43697, 'of in these': 585050, '55yr': 20445, 'don die': 253459, 'die amp': 241296, 'amp consultant': 53557, 'consultant dr': 195865, 'dr al': 257948, 'al told': 40606, 'told how': 923580, 'how 55yr': 407267, '55yr old': 20446, 'old work': 598552, 'home woman': 402552, 'made one': 507887, 'supermarket died': 819962, 'died yesterday': 241612, 'yesterday of': 1015818, '19 51': 4749, '51 16': 20198, '16 government': 4119, 'home save': 402014, 'life don': 488607, 'don die amp': 253460, 'die amp consultant': 241297, 'amp consultant dr': 53558, 'consultant dr al': 195866, 'dr al told': 257949, 'al told how': 40607, 'told how 55yr': 923581, 'how 55yr old': 407268, '55yr old work': 20447, 'old work from': 598553, 'from home woman': 335933, 'home woman who': 402553, 'woman who made': 1003681, 'who made one': 989243, 'made one trip': 507889, 'the supermarket died': 868553, 'supermarket died yesterday': 819963, 'died yesterday of': 241614, 'yesterday of covid': 1015819, 'covid 19 51': 212562, '19 51 16': 4750, '51 16 government': 20199, '16 government can': 4120, 'government can say': 359964, 'say this we': 739376, 'this we can': 891145, 'we can stay': 971019, 'stay home save': 797000, 'home save life': 402015, 'save life don': 737538, 'life don die': 488609, '19 impacting': 7721, 'impacting our': 418247, 'pattern new': 644484, 'new research': 559458, 'research reveals': 713830, 'reveals that': 720343, 'past 30': 643501, 'in people': 426585, 'who ordered': 989389, 'grocery were': 366125, 'were using': 980321, 'the service': 866730, 'covid 19 impacting': 213251, '19 impacting our': 7725, 'impacting our shopping': 418249, 'our shopping pattern': 624766, 'shopping pattern new': 763607, 'pattern new research': 644485, 'new research reveals': 559467, 'research reveals that': 713832, 'reveals that in': 720344, 'that in the': 844461, 'the past 30': 863347, 'past 30 day': 643502, '30 day in': 17018, 'day in people': 227806, 'in people who': 426605, 'people who ordered': 650325, 'who ordered online': 989390, 'ordered online grocery': 618881, 'online grocery were': 608336, 'grocery were using': 366126, 'were using the': 980323, 'using the service': 950713, 'the service for': 866735, 'laughter': 481836, 'dutch': 263488, 'toiletpaper laughter': 922176, 'laughter in': 481841, 'in dutch': 422426, 'dutch source': 263517, 'you think we': 1021687, 'think we will': 885777, 'out of toiletpaper': 626861, 'of toiletpaper laughter': 592271, 'toiletpaper laughter in': 922177, 'laughter in dutch': 481842, 'in dutch source': 422428, 'fluctuation': 311515, 'wisdom': 996651, 'collectiveness': 186543, 'reciprocate': 704544, 'market correction': 516225, 'correction currency': 207555, 'currency rate': 221056, 'rate correction': 697185, 'correction oil': 207566, 'correction interest': 207564, 'rate change': 697176, 'change currency': 171996, 'rate fluctuation': 697217, 'fluctuation is': 311523, 'is lifestyle': 449300, 'lifestyle correction': 489356, 'correction wisdom': 207588, 'wisdom is': 996654, 'in collectiveness': 421549, 'collectiveness respect': 186544, 'respect nature': 715027, 'nature for': 552950, 'to reciprocate': 912947, 'reciprocate no': 704545, 'is above': 445282, 'above other': 27091, 'stock market correction': 802383, 'market correction currency': 516227, 'correction currency rate': 207556, 'currency rate correction': 221058, 'rate correction oil': 697186, 'correction oil price': 207567, 'oil price correction': 597088, 'price correction interest': 673269, 'correction interest rate': 207565, 'interest rate change': 441388, 'rate change currency': 697177, 'change currency rate': 171997, 'currency rate fluctuation': 221059, 'rate fluctuation is': 697218, 'fluctuation is lifestyle': 311524, 'is lifestyle correction': 449301, 'lifestyle correction wisdom': 489357, 'correction wisdom is': 207589, 'wisdom is in': 996655, 'is in collectiveness': 448758, 'in collectiveness respect': 421550, 'collectiveness respect nature': 186545, 'respect nature for': 715028, 'nature for it': 552951, 'it to reciprocate': 461747, 'to reciprocate no': 912948, 'reciprocate no one': 704546, 'one is above': 606499, 'is above other': 445284, 'ccot': 168442, 'teaparty': 835911, 'hannity': 377003, 'kag2020': 470620, 'nra': 576626, 'oann': 578277, 'wnd': 1003297, 'ccot tcot': 168443, 'tcot pjnet': 835298, 'pjnet teaparty': 657240, 'teaparty hannity': 835912, 'hannity tucker': 377004, 'tucker christian': 935066, 'christian maga': 178121, 'maga maga2020': 508286, 'kag kag2020': 470614, 'kag2020 trump2020': 470623, 'trump2020 nra': 934010, 'nra oann': 576627, 'oann foxnews': 578278, 'foxnews wnd': 330817, 'wnd economics': 1003298, 'economics professor': 267477, 'professor why': 682596, 'should let': 766190, 'let price': 486989, 'rise during': 722834, 'during buying': 262489, 'ccot tcot pjnet': 168444, 'tcot pjnet teaparty': 835299, 'pjnet teaparty hannity': 657241, 'teaparty hannity tucker': 835913, 'hannity tucker christian': 377005, 'tucker christian maga': 935067, 'christian maga maga2020': 178122, 'maga maga2020 kag': 508287, 'maga2020 kag kag2020': 508306, 'kag kag2020 trump2020': 470615, 'kag2020 trump2020 nra': 470624, 'trump2020 nra oann': 934011, 'nra oann foxnews': 576628, 'oann foxnews wnd': 578279, 'foxnews wnd economics': 330818, 'wnd economics professor': 1003299, 'economics professor why': 267478, 'professor why you': 682597, 'you should let': 1021202, 'should let price': 766191, 'let price rise': 486990, 'price rise during': 676234, 'rise during buying': 722835, 'during buying panic': 262490, 'gauging': 344555, 'attention this': 102490, 'only merchant': 610783, 'merchant price': 529042, 'price gauging': 674154, 'gauging customer': 344560, 'call 311': 155699, '311 or': 17619, 'the inspector': 858322, 'inspector general': 439785, 'general if': 345361, 'feel your': 302947, 'over pricing': 630529, 'pricing on': 677951, 'tragedy disgusting': 929167, 'disgusting government': 245410, 'government stay': 360629, 'stay blessed': 796796, 'pay attention this': 644765, 'attention this is': 102491, 'the only merchant': 862321, 'only merchant price': 610784, 'merchant price gauging': 529043, 'price gauging customer': 674156, 'gauging customer please': 344561, 'customer please call': 222694, 'please call 311': 659746, 'call 311 or': 155700, '311 or the': 17620, 'or the inspector': 617379, 'the inspector general': 858323, 'inspector general if': 439786, 'general if you': 345362, 'you feel your': 1018546, 'feel your store': 302951, 'your store is': 1025972, 'store is over': 808513, 'is over pricing': 450724, 'over pricing on': 630530, 'pricing on this': 677953, 'on this tragedy': 604641, 'this tragedy disgusting': 890839, 'tragedy disgusting government': 929168, 'disgusting government stay': 245411, 'government stay blessed': 360630, 'robertson84': 724722, 'robertson84 live': 724723, 'stream sit': 812788, 'watch pattern': 968505, 'pattern of': 644486, 'much they': 545365, 'wearing protective': 974767, 'protective device': 685720, 'device interaction': 239913, 'interaction on': 441256, 'medium about': 526968, '19 versus': 11749, 'versus non': 954947, 'non covid': 566316, 'robertson84 live stream': 724724, 'live stream sit': 496031, 'stream sit in': 812789, 'sit in your': 771830, 'in your car': 431064, 'car at grocery': 163015, 'store and watch': 806398, 'and watch pattern': 75224, 'watch pattern of': 968506, 'pattern of who': 644488, 'of who go': 593130, 'who go in': 988790, 'go in out': 353712, 'in out and': 426356, 'out and how': 625671, 'and how much': 64825, 'how much they': 408376, 'much they get': 545368, 'they get and': 882157, 'get and if': 346553, 'and if they': 64953, 'if they re': 415124, 're wearing protective': 699791, 'wearing protective device': 974768, 'protective device interaction': 685721, 'device interaction on': 239914, 'interaction on social': 441257, 'social medium about': 779837, 'medium about covid': 526969, 'covid 19 versus': 214023, '19 versus non': 11750, 'versus non covid': 954948, 'non covid 19': 566317, 'think metre': 885393, 'metre is': 529852, 'enough check': 277352, 'this model': 888862, 'where someone': 985183, 'ha coughed': 370252, 'you think metre': 1021666, 'think metre is': 885394, 'metre is enough': 529854, 'is enough check': 447509, 'enough check out': 277353, 'out this model': 627578, 'this model of': 888863, 'model of supermarket': 535287, 'of supermarket where': 590457, 'supermarket where someone': 823826, 'where someone ha': 985184, 'someone ha coughed': 784491, 'publish': 688624, 'hello there': 389223, 'there trader': 879202, 'trader some': 928768, 'week ahead': 975868, 'ahead amid': 39130, 'pandemic april': 634936, '12 saudi': 2950, 'arabia will': 83970, 'will publish': 994524, 'publish it': 688633, 'official selling': 595920, 'crude april': 219507, 'april 13': 83406, '13 easter': 3214, 'easter monday': 265470, 'monday french': 536286, 'macron may': 507499, 'may extend': 521162, 'extend virus': 293137, 'virus lock': 958463, 'hello there trader': 389226, 'there trader some': 879203, 'trader some thing': 928769, 'thing to look': 884896, 'out for in': 626130, 'for in the': 322516, 'in the week': 429669, 'the week ahead': 871293, 'week ahead amid': 975869, 'ahead amid the': 39131, 'the pandemic april': 862910, 'pandemic april 12': 634937, 'april 12 saudi': 83404, '12 saudi arabia': 2951, 'saudi arabia will': 737230, 'arabia will publish': 83971, 'will publish it': 994526, 'publish it official': 688634, 'it official selling': 460000, 'official selling price': 595921, 'selling price for': 749411, 'price for crude': 673945, 'for crude april': 320469, 'crude april 13': 219508, 'april 13 easter': 83408, '13 easter monday': 3215, 'easter monday french': 265471, 'monday french president': 536287, 'emmanuel macron may': 273239, 'macron may extend': 507500, 'may extend virus': 521163, 'extend virus lock': 293138, 'virus lock down': 958464, 'closure expands': 183886, 'expands worker': 290547, 'worker furlough': 1007003, 'furlough program': 341896, 'program retail': 683290, 'retail jcpenney': 718250, 'jcpenney housewares': 464923, 'store closure expands': 807091, 'closure expands worker': 183887, 'expands worker furlough': 290548, 'worker furlough program': 1007004, 'furlough program retail': 341897, 'program retail jcpenney': 683291, 'retail jcpenney housewares': 718251, 'jcpenney housewares homeworld': 464924, 'eating during': 266197, 'it fair': 457933, 'say these': 739327, 'uncertain and': 939563, 'and anxious': 58207, 'either having': 270316, 'shop facing': 760163, 'facing limited': 295524, 'stock basically': 801903, 'aren always': 92319, 'always able': 49453, 'healthy eating during': 387592, 'eating during covid': 266198, '19 it fair': 8134, 'it fair to': 457935, 'fair to say': 296390, 'to say these': 913845, 'say these are': 739328, 'are uncertain and': 91268, 'uncertain and anxious': 939564, 'and anxious time': 58208, 'anxious time and': 78871, 'we are either': 970538, 'are either having': 86094, 'either having to': 270317, 'having to self': 384363, 'isolate and rely': 454815, 'rely on food': 709640, 'on food delivery': 600855, 'food delivery or': 314138, 'delivery or are': 234276, 'or are running': 614414, 'are running around': 89760, 'running around the': 727918, 'around the shop': 93557, 'the shop facing': 866993, 'shop facing limited': 760164, 'facing limited stock': 295525, 'limited stock basically': 492724, 'stock basically we': 801904, 'basically we aren': 112179, 'we aren always': 970770, 'aren always able': 92320, 'always able to': 49454, 'longtime': 502140, '750': 22177, 'persists': 652276, 'our longtime': 623803, 'longtime supporter': 502145, 'supporter ha': 827091, 'made generous': 507759, 'generous donation': 345721, 'donation providing': 254677, 'providing 750': 686925, '750 00': 22178, '00 meal': 323, 'meal so': 524275, 'distribution the': 248235, 'crisis persists': 217868, 'persists thank': 652281, 'support at': 826375, 'our longtime supporter': 623804, 'longtime supporter ha': 502146, 'supporter ha made': 827092, 'ha made generous': 371207, 'made generous donation': 507760, 'generous donation providing': 345723, 'donation providing 750': 254678, 'providing 750 00': 686926, '750 00 meal': 22179, '00 meal so': 325, 'meal so we': 524276, 'we can continue': 970924, 'continue to help': 201206, 'for food distribution': 321575, 'food distribution the': 314238, 'distribution the covid': 248236, '19 crisis persists': 6300, 'crisis persists thank': 217869, 'persists thank you': 652282, 'your support at': 1026080, 'support at time': 826376, 'time when it': 898290, 'when it needed': 983640, 'it needed more': 459758, 'cantonment': 162375, 'meerut': 527396, 'setup': 753728, 'sanitizes': 736452, 'toe': 920639, 'pradesh cantonment': 668807, 'cantonment board': 162376, 'in meerut': 425241, 'meerut setup': 527397, 'setup sanitization': 753738, 'sanitization cabin': 734137, 'cabin for': 154971, 'it sanitizes': 460865, 'sanitizes one': 736455, 'time from': 896802, 'from head': 335742, 'to toe': 917621, 'uttar pradesh cantonment': 951404, 'pradesh cantonment board': 668808, 'cantonment board in': 162377, 'board in meerut': 133646, 'in meerut setup': 425242, 'meerut setup sanitization': 527398, 'setup sanitization cabin': 753739, 'sanitization cabin for': 734138, 'cabin for staff': 154972, 'for staff it': 325853, 'staff it sanitizes': 792587, 'it sanitizes one': 460866, 'sanitizes one person': 736456, 'one person at': 606855, 'person at time': 652324, 'at time from': 101289, 'time from head': 896807, 'from head to': 335744, 'head to toe': 385835, 'forgot like': 329400, 'the teacher': 869192, 'teacher you': 835540, 're legend': 698988, 'case they forgot': 166067, 'they forgot like': 882135, 'forgot like to': 329401, 'like to say': 491619, 'to the teacher': 917117, 'the teacher you': 869198, 'teacher you re': 835542, 'you re legend': 1020667, 'sirius': 771695, 'xm': 1013874, 'free sirius': 332172, 'sirius xm': 771696, 'xm til': 1013875, 'til may': 895945, 'may 15': 520867, '15 many': 3762, 'many firm': 514068, 'firm doing': 308337, 'doing nice': 252548, 'nice thing': 562480, 'people right': 649304, 'now during': 574570, 'during anyone': 262465, 'eg discounted': 269701, 'discounted good': 244584, 'service help': 752453, 'help very': 390845, 'are shooting': 90049, 'shooting to': 759778, 'roof smaller': 725840, 'smaller package': 775287, 'free sirius xm': 332173, 'sirius xm til': 771697, 'xm til may': 1013876, 'til may 15': 895946, 'may 15 many': 520868, '15 many firm': 3763, 'many firm doing': 514069, 'firm doing nice': 308338, 'doing nice thing': 252549, 'nice thing for': 562481, 'thing for people': 884335, 'for people right': 324460, 'people right now': 649306, 'right now during': 722057, 'now during anyone': 574572, 'during anyone know': 262466, 'anyone know of': 80403, 'know of others': 476647, 'of others eg': 587389, 'others eg discounted': 621377, 'eg discounted good': 269702, 'discounted good service': 244585, 'good service help': 357711, 'service help very': 752454, 'help very important': 390846, 'very important right': 955253, 'right now grocery': 722072, 'now grocery price': 574826, 'price are shooting': 672734, 'are shooting to': 90050, 'shooting to the': 759779, 'to the roof': 917031, 'the roof smaller': 865975, 'roof smaller package': 725841, 'smaller package for': 775288, 'package for more': 633277, 'so when': 778729, 'see story': 745754, 'the arising': 848891, 'arising from': 92809, 'seeing is': 746347, 'demand disruption': 235243, 'disruption for': 246473, 'good it': 357288, 'to note': 910722, 'that more': 845214, 'people aren': 647120, 'aren starving': 92528, 'starving to': 795271, 'death specifically': 230208, 'specifically due': 788275, 'this supply': 890440, 'chain disruption': 170648, 'disruption 19': 246432, 'so when we': 778732, 'when we see': 984463, 'we see story': 973169, 'see story about': 745755, 'story about food': 811887, 'about food insecurity': 25257, 'in the arising': 428985, 'the arising from': 848892, 'arising from covid': 92812, '19 what we': 12005, 're seeing is': 699458, 'seeing is demand': 746348, 'is demand disruption': 447110, 'demand disruption for': 235244, 'disruption for perishable': 246474, 'for perishable good': 324488, 'perishable good it': 651983, 'good it very': 357291, 'it very important': 462033, 'very important to': 955256, 'important to note': 419062, 'to note that': 910724, 'note that more': 572804, 'that more people': 845217, 'more people aren': 540007, 'people aren starving': 647127, 'aren starving to': 92529, 'starving to death': 795272, 'to death specifically': 903984, 'death specifically due': 230209, 'specifically due to': 788276, 'to this supply': 917466, 'this supply chain': 890441, 'supply chain disruption': 824946, 'chain disruption 19': 170649, 'in name': 425668, 'sydney south': 830708, 'just in name': 469040, 'in name and': 425669, 'supermarket in sydney': 820988, 'in sydney south': 428780, 'sydney south west': 830709, 'proximity': 687322, 'to stayathome': 915333, 'stayathome and': 797432, 'yet so': 1016229, 'many retail': 514643, 'store remain': 809795, 'to mass': 909878, 'mass gather': 519767, 'gather and': 344368, 'are actually': 84211, 'actually queuing': 30926, 'close proximity': 182774, 'proximity to': 687331, 'food stay': 316751, 'stay 2m': 796733, 'panic get': 638133, 'get king': 347458, 'king grip': 475265, 'what don get': 981383, 'don get is': 253539, 'get is that': 347386, 'is that everyone': 452647, 'everyone is being': 287067, 'is being told': 446122, 'told to stayathome': 923767, 'to stayathome and': 915334, 'stayathome and yet': 797435, 'and yet so': 75992, 'yet so many': 1016230, 'so many retail': 777698, 'many retail store': 514644, 'retail store remain': 718691, 'store remain open': 809799, 'open for people': 612254, 'people to mass': 649920, 'to mass gather': 909880, 'mass gather and': 519768, 'gather and go': 344369, 'and go shopping': 63783, 'go shopping people': 354125, 'shopping people are': 763619, 'people are actually': 646917, 'are actually queuing': 84217, 'actually queuing in': 30927, 'queuing in close': 694216, 'in close proximity': 421512, 'close proximity to': 182778, 'proximity to go': 687332, 'go and buy': 353278, 'and buy food': 59335, 'buy food stay': 148673, 'food stay 2m': 316752, 'stay 2m apart': 796734, '2m apart and': 16659, 'apart and don': 81225, 'and don panic': 61637, 'don panic get': 253804, 'panic get king': 638134, 'get king grip': 347459, 'where to shop': 985311, 'shop in these': 760328, 'bank is': 109946, 'increasing paid': 433651, 'paid visit': 634174, 'which provides': 986245, 'provides many': 686874, 'my district': 548006, 'district with': 248392, 'with access': 997089, 'to nutritious': 910765, 'during hard': 262672, 'their mission': 873983, 'crisis the demand': 218168, 'the demand on': 853103, 'food bank is': 313590, 'bank is increasing': 109950, 'is increasing paid': 448859, 'increasing paid visit': 433652, 'paid visit to': 634175, 'the which provides': 871446, 'which provides many': 986246, 'provides many people': 686875, 'people in my': 648399, 'in my district': 425564, 'my district with': 548007, 'district with access': 248393, 'with access to': 997090, 'access to nutritious': 28263, 'to nutritious food': 910767, 'nutritious food during': 577764, 'food during hard': 314322, 'during hard time': 262673, 'hard time to': 378044, 'time to see': 898060, 'see how we': 745259, 'can help their': 158662, 'help their mission': 390693, 'carafoil': 163369, 'fachado': 295231, 'coronavirus gas': 205982, 'price road': 676259, 'road traffic': 724533, 'traffic dropping': 929083, 'dropping because': 260673, 'insider oil': 439478, 'oil oilprices': 596982, 'oilprices carafoil': 597660, 'carafoil fachado': 163370, 'coronavirus gas price': 205983, 'gas price road': 344019, 'price road traffic': 676260, 'road traffic dropping': 724534, 'traffic dropping because': 929084, 'dropping because of': 260674, '19 business insider': 5482, 'business insider oil': 143929, 'insider oil oilprices': 439479, 'oil oilprices carafoil': 596983, 'oilprices carafoil fachado': 597661, 'undoubtedly': 941040, 'abundantly': 27608, 'is undoubtedly': 453477, 'undoubtedly creating': 941041, 'creating challenge': 215983, 'term but': 838077, 'also making': 48507, 'it abundantly': 456252, 'abundantly clear': 27609, 'that understanding': 847168, 'understanding consumer': 940867, 'ever we': 285590, 'you covered': 1018112, 'covered check': 212404, 'latest consumerbehavior': 481267, 'pandemic is undoubtedly': 635805, 'is undoubtedly creating': 453478, 'undoubtedly creating challenge': 941042, 'creating challenge for': 215984, 'challenge for brand': 171458, 'for brand in': 319762, 'short term but': 764726, 'term but it': 838080, 'it is also': 458871, 'is also making': 445564, 'also making it': 48509, 'making it abundantly': 511135, 'it abundantly clear': 456253, 'abundantly clear that': 27610, 'clear that understanding': 181354, 'that understanding consumer': 847169, 'understanding consumer is': 940869, 'consumer is more': 197937, 'than ever we': 840620, 'ever we ve': 285593, 've got you': 953204, 'got you covered': 359029, 'you covered check': 1018114, 'covered check out': 212405, 'out our blog': 626968, 'our blog for': 622225, 'blog for the': 132937, 'the latest consumerbehavior': 859083, 'sniper': 776354, 'weapon': 974230, 'annihilate': 76809, 'pistol': 656987, 'covid sniper': 214225, 'sniper strange': 776357, 'strange american': 812374, 'american we': 52291, 'italy because': 462774, 'we queue': 972801, 'food disinfectant': 314218, 'disinfectant glove': 245675, 'they instead': 882466, 'instead queue': 440348, 'on ammunition': 599307, 'ammunition and': 52937, 'and weapon': 75348, 'weapon do': 974241, 'they believe': 881554, 'believe to': 126390, 'to annihilate': 900543, 'annihilate the': 76810, 'virus with': 959050, 'with shot': 1000708, 'shot and': 765411, 'and pistol': 69032, 'covid sniper strange': 214226, 'sniper strange american': 776358, 'strange american we': 812375, 'american we in': 52292, 'we in italy': 972068, 'in italy because': 424293, 'italy because of': 462776, '19 we queue': 11946, 'we queue to': 972803, 'queue to buy': 694092, 'buy food disinfectant': 148640, 'food disinfectant glove': 314219, 'disinfectant glove and': 245676, 'glove and mask': 352569, 'and mask they': 66765, 'mask they instead': 519370, 'they instead queue': 882467, 'instead queue to': 440349, 'queue to stock': 694100, 'up on ammunition': 945523, 'on ammunition and': 599308, 'ammunition and weapon': 52938, 'and weapon do': 75349, 'weapon do they': 974242, 'do they believe': 250299, 'they believe to': 881555, 'believe to annihilate': 126391, 'to annihilate the': 900544, 'annihilate the virus': 76811, 'the virus with': 870925, 'virus with shot': 959053, 'with shot and': 1000709, 'shot and pistol': 765413, 'ndia': 553414, 've updated': 953644, 'updated our': 947411, '19 information': 7879, 'information page': 437942, 'including link': 432035, 'from dhs': 335139, 'dhs and': 240131, 'and ndia': 67446, 'ndia well': 553417, 'well what': 978742, 'we currently': 971238, 'currently know': 221576, 'supermarket rule': 822263, 'rule change': 727224, 'we ve updated': 973720, 've updated our': 953645, 'updated our covid': 947414, 'covid 19 information': 213272, '19 information page': 7883, 'information page including': 437944, 'page including link': 633861, 'including link to': 432036, 'latest update from': 481589, 'update from dhs': 946976, 'from dhs and': 335140, 'dhs and ndia': 240132, 'and ndia well': 67448, 'ndia well what': 553418, 'well what we': 978744, 'what we currently': 982546, 'we currently know': 971240, 'currently know about': 221577, 'know about supermarket': 476223, 'about supermarket rule': 26287, 'supermarket rule change': 822264, 'soak': 778878, 'rub': 726908, 'caution': 168152, 'to soak': 914804, 'soak it': 778881, 'in bleach': 420873, 'bleach solution': 132519, 'kill do': 474385, 'use heavy': 949259, 'heavy duty': 388635, 'duty disinfectant': 263564, 'spray want': 790343, 'to rub': 913649, 'rub aggressively': 726909, 'aggressively no': 38268, 'problem caution': 679498, 'caution do': 168163, 'not try': 572290, 'want to soak': 966121, 'to soak it': 914805, 'soak it in': 778882, 'it in bleach': 458726, 'in bleach solution': 420875, 'bleach solution to': 132521, 'solution to kill': 782105, 'to kill do': 908926, 'kill do it': 474386, 'do it you': 249527, 'it you want': 462652, 'want to use': 966151, 'to use heavy': 918034, 'use heavy duty': 949260, 'heavy duty disinfectant': 388636, 'duty disinfectant spray': 263565, 'disinfectant spray want': 245761, 'spray want to': 790344, 'want to rub': 966105, 'to rub aggressively': 913650, 'rub aggressively no': 726910, 'aggressively no problem': 38269, 'no problem caution': 565191, 'problem caution do': 679499, 'caution do not': 168164, 'do not try': 249876, 'not try this': 572295, 'try this with': 934595, 'this with your': 891468, 'with your consumer': 1002188, 'day 31': 227141, '31 toiletpaper': 17607, 'toiletpaper me': 922226, 'store wife': 811322, 'wife toilet': 991982, 'paper if': 640304, 'it me': 459562, 'some cheap': 782512, 'cheap tp': 174219, 'at dollar': 98471, 'dollar store': 253083, 'wife oh': 991952, 'oh we': 596474, 'cheap stuff': 174203, 'stuff me': 815126, 'day 31 toiletpaper': 227142, '31 toiletpaper me': 17608, 'toiletpaper me do': 922227, 'me do we': 522664, 'we need anything': 972467, 'need anything from': 554456, 'anything from store': 80771, 'from store wife': 337449, 'store wife toilet': 811324, 'wife toilet paper': 991983, 'toilet paper if': 921313, 'paper if you': 640305, 'if you find': 415440, 'you find it': 1018572, 'find it me': 306998, 'it me got': 459564, 'me got some': 522831, 'got some cheap': 358849, 'some cheap tp': 782515, 'cheap tp at': 174220, 'tp at dollar': 927751, 'at dollar store': 98473, 'dollar store wife': 253086, 'store wife oh': 811323, 'wife oh we': 991953, 'oh we have': 596476, 'we have some': 971943, 'have some cheap': 382622, 'some cheap stuff': 782514, 'cheap stuff me': 174204, 'topsmarket': 925864, 'wherearethedeliveries': 985413, 'far now': 298869, 'now topsmarket': 576215, 'topsmarket didn': 925865, 'didn restock': 241181, 'restock last': 716878, 'night wherearethedeliveries': 563130, 'wherearethedeliveries went': 985414, 'new product': 559355, 'this ha gone': 887802, 'ha gone to': 370732, 'gone to far': 356390, 'to far now': 905671, 'far now topsmarket': 298871, 'now topsmarket didn': 576216, 'topsmarket didn restock': 925866, 'didn restock last': 241182, 'restock last night': 716879, 'last night wherearethedeliveries': 480405, 'night wherearethedeliveries went': 563131, 'wherearethedeliveries went to': 985415, 'supermarket to load': 823386, 'load up and': 497303, 'up and there': 944381, 'wa no new': 962731, 'no new product': 564867, 'get quickly': 347875, 'quickly out': 694565, 'thing can get': 884223, 'can get quickly': 158446, 'get quickly out': 347876, 'quickly out of': 694566, 'britney': 140632, 'britney pause': 140633, 'pause have': 644595, 'fight at': 304664, 'store first': 807732, 'worry honey': 1010724, 'honey feel': 403171, 'feel you': 302943, 'you later': 1019556, 'britney pause have': 140634, 'pause have to': 644596, 'have to fight': 383209, 'to fight at': 905779, 'fight at the': 304667, 'grocery store first': 365399, 'store first but': 807733, 'first but do': 308554, 'not worry honey': 572567, 'worry honey feel': 1010725, 'honey feel you': 403172, 'feel you later': 302944, 'before someone': 123091, 'someone us': 784732, 'us firearm': 948517, 'firearm just': 308146, 'how long before': 408192, 'long before someone': 501353, 'before someone us': 123093, 'someone us firearm': 784733, 'us firearm just': 948518, 'firearm just to': 308147, 'to the front': 916729, 'of supermarket queue': 590440, 'by driving': 152427, 'driving down': 259916, 'down commodity': 256645, 'is draining': 447363, 'draining 50': 258228, '50 90': 19597, '90 an': 23271, 'an acre': 55075, 'acre from': 29205, 'and revenue': 70486, 'revenue that': 720481, 'farmer expect': 299361, 'receive this': 703566, 'by driving down': 152428, 'driving down commodity': 259917, 'down commodity price': 256646, 'commodity price the': 189291, 'price the outbreak': 676852, 'outbreak is draining': 628373, 'is draining 50': 447364, 'draining 50 90': 258229, '50 90 an': 19598, '90 an acre': 23272, 'an acre from': 55076, 'acre from the': 29207, 'the and revenue': 848718, 'and revenue that': 70488, 'revenue that farmer': 720482, 'that farmer expect': 843842, 'farmer expect to': 299362, 'expect to receive': 290773, 'to receive this': 912936, 'receive this year': 703567, 'receive delivery': 703461, 'delivery package': 234297, 'package and': 633209, 'shopping anyway': 762047, 'anyway during': 81006, 'is it safe': 449057, 'safe to receive': 730057, 'to receive delivery': 912914, 'receive delivery package': 703462, 'delivery package and': 234298, 'package and should': 633216, 'and should you': 71601, 'should you be': 766671, 'you be online': 1017393, 'online shopping anyway': 609030, 'shopping anyway during': 762048, 'anyway during the': 81007, 'the crisis via': 852471, 'abilene': 24369, 'abilene bar': 24370, 'bar feel': 110704, 'feel economic': 302611, 'abilene bar feel': 24371, 'bar feel economic': 110705, 'feel economic impact': 302612, 'messing': 529545, 'hidradenitissuppurativa': 394888, 'really hoping': 702315, 'hoping once': 403934, 'once april': 605595, '1st come': 12723, 'come around': 187222, 'around all': 93178, 'government or': 360425, 'just whoever': 470299, 'whoever owns': 990103, 'owns the': 632638, 'and tp': 74331, 'tp just': 927865, 'were messing': 979877, 'messing with': 529550, 'with tired': 1001777, 'stress it': 813350, 'my skin': 550123, 'skin lol': 773070, 'lol hidradenitissuppurativa': 500912, 'really hoping once': 702316, 'hoping once april': 403935, 'once april 1st': 605596, 'april 1st come': 83440, '1st come around': 12724, 'come around all': 187223, 'around all these': 93181, 'in the government': 429238, 'the government or': 856575, 'government or just': 360428, 'or just whoever': 615897, 'just whoever owns': 470300, 'whoever owns the': 990104, 'owns the most': 632640, 'most stock in': 542771, 'stock in hand': 802266, 'in hand sanitizer': 423526, 'sanitizer and tp': 734448, 'and tp just': 74334, 'tp just say': 927867, 'just say they': 469703, 'they were messing': 883786, 'were messing with': 979878, 'messing with tired': 529552, 'with tired of': 1001778, 'tired of all': 899039, 'all the stress': 44930, 'the stress it': 868273, 'stress it not': 813351, 'it not good': 459882, 'for my skin': 323749, 'my skin lol': 550124, 'skin lol hidradenitissuppurativa': 773071, 'discrepancy': 244744, 'oman': 598824, 'muscat': 546223, 'pacp': 633753, 'noticed any': 573424, 'any discrepancy': 79121, 'discrepancy in': 244745, 'across oman': 29414, 'oman since': 598845, 'crisis oman': 217804, 'oman muscat': 598839, 'muscat pacp': 546224, 'you noticed any': 1020146, 'noticed any discrepancy': 573425, 'any discrepancy in': 79122, 'discrepancy in the': 244746, 'in the price': 429471, 'of good in': 584224, 'in shop across': 427891, 'shop across oman': 759798, 'across oman since': 29415, 'oman since the': 598846, 'the crisis oman': 852420, 'crisis oman muscat': 217805, 'oman muscat pacp': 598840, 'ren': 710921, 'trip my': 932112, 'wife make': 991948, 'my shoe': 550040, 'shoe outside': 759680, 'outside and': 629365, 'go directly': 353467, 'shower this': 767391, 'shift the': 758413, 'think movie': 885407, 'movie nope': 544034, 'nope concert': 566897, 'concert not': 193273, 'are disney': 85862, 'disney annual': 246031, 'annual pas': 77415, 'pas holder': 643108, 'holder not': 400078, 'not ren': 571305, 'after supermarket trip': 36262, 'supermarket trip my': 823545, 'trip my wife': 932113, 'my wife make': 550595, 'wife make me': 991949, 'make me take': 510147, 'take off my': 832394, 'off my shoe': 593987, 'my shoe outside': 550042, 'shoe outside and': 759681, 'outside and go': 629367, 'and go directly': 63772, 'go directly to': 353468, 'to the shower': 917064, 'the shower this': 867118, 'shower this is': 767392, 'going to shift': 355702, 'to shift the': 914416, 'shift the way': 758420, 'way people think': 969812, 'people think movie': 649833, 'think movie nope': 885408, 'movie nope concert': 544035, 'nope concert not': 566898, 'concert not this': 193274, 'not this year': 572104, 'year we are': 1015084, 'we are disney': 970530, 'are disney annual': 85863, 'disney annual pas': 246032, 'annual pas holder': 77416, 'pas holder not': 643110, 'holder not ren': 400079, 'shopper told': 761782, 'buy responsibly': 149124, 'responsibly like': 716103, 'we normally': 972590, 'normally have': 567505, 've not': 953393, 'not and': 568203, 'cannot for': 161856, 'matter increased': 520582, 'increased that': 433487, 'that problem': 845851, 'problem local': 679593, 'now running': 575715, 'on milk': 602122, 'is stupid': 452407, 'shopper told to': 761783, 'to buy responsibly': 902291, 'buy responsibly like': 149126, 'responsibly like we': 716104, 'like we normally': 491778, 'we normally have': 972592, 'normally have enough': 567506, 'have enough for': 380448, 'enough for week': 277444, 'for week in': 327719, 'week in the': 976386, 'the house we': 857648, 'house we ve': 406673, 'we ve not': 973690, 've not and': 953394, 'not and cannot': 568204, 'and cannot for': 59512, 'cannot for that': 161857, 'that matter increased': 845066, 'matter increased that': 520583, 'increased that problem': 433488, 'that problem local': 845852, 'problem local supermarket': 679594, 'local supermarket is': 498544, 'supermarket is now': 821108, 'is now running': 450329, 'now running low': 575716, 'low on milk': 505463, 'on milk this': 602126, 'milk this is': 531861, 'this is stupid': 888414, 'mnfrg': 534825, 'distrbtn': 247922, 'gutka': 368862, 'will maharashtra': 994066, 'maharashtra govt': 508478, 'govt show': 361285, 'show gut': 766961, 'gut to': 368856, 'ban mnfrg': 109220, 'mnfrg distrbtn': 534826, 'distrbtn of': 247923, 'of liquor': 585879, 'liquor gutka': 494172, 'gutka tobacco': 368865, 'tobacco product': 919079, 'product saliva': 681589, 'saliva spit': 732737, 'spit from': 789552, 'from gutka': 335711, 'gutka consuming': 368863, 'consuming people': 199806, 'major carrier': 509253, 'carrier of': 165000, 'now will maharashtra': 576429, 'will maharashtra govt': 994067, 'maharashtra govt show': 508480, 'govt show gut': 361286, 'show gut to': 766962, 'gut to ban': 368857, 'to ban mnfrg': 901021, 'ban mnfrg distrbtn': 109221, 'mnfrg distrbtn of': 534827, 'distrbtn of liquor': 247924, 'of liquor gutka': 585880, 'liquor gutka tobacco': 494173, 'gutka tobacco product': 368866, 'tobacco product saliva': 919082, 'product saliva spit': 681590, 'saliva spit from': 732739, 'spit from gutka': 789553, 'from gutka consuming': 335712, 'gutka consuming people': 368864, 'consuming people can': 199807, 'can be major': 157644, 'be major carrier': 115880, 'major carrier of': 509255, 'carrier of co': 165001, 'earner': 264839, 'precious': 669459, 'savetheday': 737822, 'not high': 569961, 'high earner': 395053, 'earner but': 264842, 'what available': 981080, 'please start': 660537, 'start wearing': 794635, 'glove your': 353056, 'are precious': 89181, 'precious boss': 669464, 'boss take': 135753, 'note coronacrisis': 572714, 'supermarket savetheday': 822318, 'supermarket worker they': 824096, 'worker they re': 1007969, 're not high': 699096, 'not high earner': 569962, 'high earner but': 395054, 'earner but they': 264843, 'they re still': 883132, 're still there': 699601, 'still there to': 801294, 'there to make': 879188, 'sure people can': 827653, 'people can get': 647391, 'can get what': 158470, 'get what available': 348620, 'what available please': 981082, 'available please start': 104561, 'please start wearing': 660541, 'start wearing mask': 794636, 'and glove your': 63751, 'glove your life': 353057, 'your life are': 1024628, 'life are precious': 488502, 'are precious boss': 89182, 'precious boss take': 669465, 'boss take note': 135754, 'take note coronacrisis': 832372, 'note coronacrisis supermarket': 572715, 'coronacrisis supermarket savetheday': 204803, 'betterthanpants': 128627, 'funnyshirt': 341830, 'you didn': 1018203, 'didn hoard': 241107, 'shirt toiletpaper': 759016, 'toiletpaper betterthanpants': 921805, 'betterthanpants funnyshirt': 128628, 'if you didn': 415420, 'you didn hoard': 1018209, 'didn hoard toilet': 241109, 'hoard toilet paper': 398893, 'paper you may': 641131, 'may need this': 521358, 'need this shirt': 555822, 'this shirt toiletpaper': 890071, 'shirt toiletpaper betterthanpants': 759017, 'toiletpaper betterthanpants funnyshirt': 921806, 'racismisavirus': 695299, 'happening especially': 377353, 'also frustrated': 48245, 'frustrated that': 339229, 'just watched': 470243, 'watched and': 968650, 'let it': 486823, 'happen like': 377114, 'like there': 491420, 'wrong toronto': 1013137, 'toronto racismisavirus': 925981, 'be happening especially': 115136, 'happening especially in': 377354, 'especially in canada': 280523, 'in canada and': 421183, 'canada and also': 160354, 'and also frustrated': 57952, 'also frustrated that': 48246, 'frustrated that people': 339230, 'that people just': 845698, 'people just watched': 648566, 'just watched and': 470244, 'watched and let': 968651, 'and let it': 66107, 'let it happen': 486827, 'it happen like': 458463, 'happen like there': 377115, 'like there nothing': 491422, 'nothing wrong toronto': 573235, 'wrong toronto racismisavirus': 1013138, 'menstrual': 528615, 'woman your': 1003714, 'your symptom': 1026095, 'symptom and': 830805, 'post viral': 666387, 'viral recovery': 957624, 'recovery may': 705359, 'your menstrual': 1024811, 'menstrual cycle': 528616, 'cycle can': 224044, 'can confirm': 157956, 'confirm the': 194107, 'the experience': 854720, 'experience by': 291329, 'day mentioned': 227974, 'mentioned in': 528830, 'this study': 890386, 'study to': 814973, 'woman your symptom': 1003715, 'your symptom and': 1026096, 'symptom and post': 830812, 'and post viral': 69233, 'post viral recovery': 666388, 'viral recovery may': 957625, 'recovery may be': 705360, 'may be affected': 520942, 'affected by your': 34332, 'by your menstrual': 154792, 'your menstrual cycle': 1024812, 'menstrual cycle can': 528617, 'cycle can confirm': 224045, 'can confirm the': 157958, 'confirm the experience': 194108, 'the experience by': 854721, 'experience by day': 291331, 'by day mentioned': 152302, 'day mentioned in': 227975, 'mentioned in this': 528831, 'in this study': 430020, 'this study to': 890387, 'goodwill': 358099, 'fairness': 296452, 'today published': 920084, 'right regarding': 722249, 'general advice': 345274, 'condition is': 193472, 'is contact': 446800, 'the provider': 864721, 'provider for': 686717, 'for refund': 325056, 'refund voucher': 706981, 'voucher acc': 960626, 'acc asking': 27796, 'for goodwill': 321949, 'goodwill and': 358103, 'and fairness': 62621, 'fairness read': 296453, 'the ha today': 857026, 'ha today published': 372328, 'today published information': 920085, 'published information on': 688660, 'consumer right regarding': 198826, 'right regarding the': 722251, 'regarding the general': 707289, 'the general advice': 856203, 'general advice for': 345275, 'advice for people': 33372, 'people with underlying': 650478, 'health condition is': 386292, 'condition is contact': 193473, 'is contact the': 446801, 'contact the provider': 200227, 'the provider for': 864722, 'provider for refund': 686720, 'for refund voucher': 325064, 'refund voucher acc': 706982, 'voucher acc asking': 960627, 'acc asking for': 27797, 'asking for goodwill': 95988, 'for goodwill and': 321950, 'goodwill and fairness': 358104, 'and fairness read': 62622, 'caption': 162926, 'posting photo': 666679, 'with caption': 997536, 'caption about': 162927, 'buying fuel': 150395, 'fuel more': 340204, 'buying stop': 151091, 'it thing': 461634, 'difficult we': 242355, 'use social': 949593, 'make each': 509866, 'other laugh': 620470, 'laugh not': 481745, 'panic ll': 638282, 'started enjoy': 794730, 'enjoy this': 277202, 'this meme': 888830, 'posting photo of': 666680, 'supermarket with caption': 823912, 'with caption about': 997537, 'caption about panic': 162928, 'panic buying fuel': 637746, 'buying fuel more': 150396, 'fuel more panic': 340206, 'panic buying stop': 637905, 'buying stop doing': 151093, 'doing it thing': 252496, 'it thing are': 461635, 'to be difficult': 901204, 'be difficult we': 114460, 'difficult we should': 242356, 'we should use': 973302, 'should use social': 766618, 'use social medium': 949595, 'medium to make': 527328, 'to make each': 909655, 'make each other': 509868, 'each other laugh': 264190, 'other laugh not': 620471, 'laugh not panic': 481746, 'not panic ll': 570919, 'panic ll get': 638283, 'll get started': 496792, 'get started enjoy': 348103, 'started enjoy this': 794731, 'enjoy this meme': 277204, 'owed': 631831, 'will eventually': 993336, 'eventually go': 285154, 'go away': 353326, 'away but': 105798, 'over 14': 629782, '14 trillion': 3538, 'trillion in': 931985, 'debt owed': 230531, 'owed to': 631834, 'the treasury': 869938, 'the will eventually': 871572, 'will eventually go': 993339, 'eventually go away': 285155, 'go away but': 353327, 'away but there': 105801, 'but there will': 147475, 'still be over': 800263, 'be over 14': 116297, 'over 14 trillion': 629785, '14 trillion in': 3539, 'trillion in consumer': 931986, 'in consumer debt': 421691, 'consumer debt owed': 197086, 'debt owed to': 230532, 'owed to the': 631836, 'to the treasury': 917140, 'affiliate': 34607, 'amazon ha': 50967, 'ha significantly': 371939, 'significantly cut': 769562, 'google ad': 358132, 'ad due': 31091, 'trend covid': 931313, 'spike over': 789319, 'over other': 630464, 'product it': 681332, 'these trend': 880880, 'trend may': 931389, 'may affect': 520890, 'affect affiliate': 34105, 'affiliate marketing': 34620, 'amazon ha significantly': 50971, 'ha significantly cut': 371941, 'significantly cut spending': 769563, 'cut spending on': 223549, 'spending on google': 788931, 'on google ad': 601153, 'google ad due': 358133, 'ad due to': 31092, 'due to change': 261725, 'to change in': 902607, 'in consumer trend': 421725, 'consumer trend covid': 199370, 'trend covid 19': 931314, '19 ha made': 7363, 'ha made the': 371217, 'made the purchase': 507996, 'the purchase of': 864917, 'purchase of household': 689581, 'household item and': 406862, 'item and medical': 463060, 'and medical supply': 66885, 'medical supply to': 526463, 'supply to spike': 826028, 'to spike over': 915010, 'spike over other': 789320, 'over other product': 630465, 'other product it': 620773, 'product it is': 681335, 'is possible that': 450951, 'possible that these': 665810, 'that these trend': 846920, 'these trend may': 880881, 'trend may affect': 931390, 'may affect affiliate': 520891, 'affect affiliate marketing': 34106, 'yourenergyyourvoice': 1026428, 'protect dc': 684812, 'dc resident': 228968, 'resident and': 714244, 'emergency we': 273043, 'to inform': 908384, 'inform dc': 437658, 'dc consumer': 228942, 'and enforce': 62129, 'enforce utility': 276695, 'utility consumer': 951275, 'protection yourenergyyourvoice': 685696, 'support the and': 826861, 'the and in': 848703, 'and in their': 65075, 'in their effort': 429738, 'effort to protect': 269638, 'to protect dc': 912299, 'protect dc resident': 684813, 'dc resident and': 228969, 'resident and business': 714246, 'and business during': 59280, 'health emergency we': 386405, 'emergency we will': 273044, 'continue to inform': 201211, 'to inform dc': 908385, 'inform dc consumer': 437659, 'dc consumer and': 228943, 'consumer and enforce': 196208, 'and enforce utility': 62133, 'enforce utility consumer': 276696, 'utility consumer protection': 951276, 'consumer protection yourenergyyourvoice': 198585, '934': 23534, 'rama': 696331, 'are 934': 84147, '934 case': 23535, 'thailand the': 840107, 'declared an': 231219, 'emergency closing': 272631, 'store office': 809164, 'shopping mall': 763226, 'chicken egg': 175777, 'egg available': 269787, 'big rama': 129952, 'rama supermarket': 696332, 'there are 934': 878058, 'are 934 case': 84148, '934 case of': 23536, 'of in thailand': 585046, 'in thailand the': 428902, 'thailand the government': 840108, 'government ha declared': 360145, 'ha declared an': 370325, 'declared an emergency': 231220, 'an emergency closing': 55670, 'emergency closing store': 272632, 'closing store office': 183763, 'store office and': 809165, 'office and shopping': 595360, 'and shopping mall': 71546, 'shopping mall and': 763227, 'mall and today': 511744, 'and today there': 74228, 'are no chicken': 88245, 'no chicken egg': 563797, 'chicken egg available': 175778, 'egg available at': 269788, 'at the big': 100889, 'the big rama': 849618, 'big rama supermarket': 129953, 'dear we': 229913, 'closed during': 183088, 'and bean': 58776, 'bean which': 118387, 'take two': 832758, 'two month': 937058, 'more every': 539157, 'every bit': 285687, 'is helpful': 448386, 'any contribution': 79064, 'dear we need': 229915, 'your help the': 1024309, 'help the country': 390646, 'country is closed': 210798, 'is closed during': 446576, 'closed during this': 183091, 'up on lot': 945589, 'food and bean': 313183, 'and bean which': 58780, 'bean which will': 118388, 'which will take': 986508, 'will take two': 995085, 'take two month': 832761, 'two month or': 937063, 'month or more': 537935, 'or more every': 616171, 'more every bit': 539158, 'every bit of': 285690, 'bit of help': 131645, 'of help is': 584544, 'help is helpful': 389934, 'is helpful and': 448387, 'helpful and you': 391158, 'can make any': 158923, 'make any contribution': 509703, 'frequent': 332813, 'taskmanagement': 834757, 'from frequent': 335562, 'frequent cleaning': 332816, 'sanitizing to': 736527, 'to keeping': 908885, 'stocked store': 803403, 'store intelligence': 808441, 'intelligence solution': 441007, 'solution can': 782005, 'keep team': 472012, 'member on': 528159, 'on task': 603886, 'task 19': 834662, 'retail retailtech': 718486, 'retailtech technology': 719564, 'technology tech': 836381, 'tech taskmanagement': 836158, 'from frequent cleaning': 335563, 'frequent cleaning and': 332817, 'cleaning and sanitizing': 180899, 'and sanitizing to': 70917, 'sanitizing to keeping': 736528, 'to keeping shelf': 908889, 'shelf stocked store': 757585, 'stocked store intelligence': 803405, 'store intelligence solution': 808443, 'intelligence solution can': 441008, 'solution can help': 782007, 'can help keep': 158629, 'help keep team': 389974, 'keep team member': 472013, 'team member on': 835728, 'member on task': 528162, 'on task 19': 603887, 'task 19 retail': 834663, '19 retail retailtech': 10204, 'retail retailtech technology': 718488, 'retailtech technology tech': 719565, 'technology tech taskmanagement': 836383, 'perlis': 652030, 'kuala': 477858, 'sanglang': 733785, 'grandma': 361903, 'perintahkawalanpergerakan': 651692, 'now already': 573981, 'already at': 47197, 'village perlis': 957364, 'perlis kuala': 652031, 'kuala sanglang': 477861, 'sanglang my': 733786, 'my grandma': 548544, 'grandma opened': 361912, 'opened grocery': 612733, 'earn living': 264789, 'living since': 496450, 'since wa': 770967, 'wa kid': 962485, 'kid that': 474126, 'is situation': 451946, 'situation now': 772406, 'now perintahkawalanpergerakan': 575535, 'now already at': 573982, 'already at my': 47201, 'at my village': 99833, 'my village perlis': 550510, 'village perlis kuala': 957365, 'perlis kuala sanglang': 652032, 'kuala sanglang my': 477862, 'sanglang my grandma': 733787, 'my grandma opened': 548546, 'grandma opened grocery': 361913, 'opened grocery store': 612734, 'store to earn': 810768, 'to earn living': 904836, 'earn living since': 264791, 'living since wa': 496451, 'since wa kid': 770971, 'wa kid that': 962487, 'kid that is': 474127, 'that is situation': 844652, 'is situation now': 451947, 'situation now perintahkawalanpergerakan': 772408, 'hurdle': 411446, 'retail trade': 718800, 'trade in': 928507, 'in milk': 425324, 'milk cheese': 531621, 'cheese butter': 175178, 'butter is': 148153, 'is rising': 451548, 'rising among': 723159, 'but producer': 146850, 'the farm': 854928, 'farm and': 299081, 'other hurdle': 620382, 'retail trade in': 718801, 'trade in milk': 928509, 'in milk cheese': 425325, 'milk cheese butter': 531622, 'cheese butter is': 175180, 'butter is rising': 148154, 'is rising among': 451549, 'rising among many': 723160, 'among many other': 53020, 'many other food': 514430, 'other food during': 620238, 'the pandemic but': 862925, 'pandemic but producer': 635051, 'but producer are': 146851, 'producer are struggling': 680577, 'struggling with lower': 814541, 'lower price at': 505953, 'at the farm': 100942, 'the farm and': 854930, 'farm and other': 299088, 'and other hurdle': 68343, 'glycerin': 353155, 'own hand': 632044, 'work against': 1004720, '19 yes': 12247, 'possible you': 665884, 'use strong': 949615, 'strong alcohol': 813963, 'alcohol base': 40921, 'then add': 876966, 'add some': 31487, 'some aloe': 782279, 'vera or': 954735, 'or glycerin': 615483, 'glycerin via': 353160, 'via staysafe': 956258, 'you make your': 1019767, 'your own hand': 1025143, 'own hand sanitizer': 632047, 'sanitizer that work': 735866, 'that work against': 847647, 'work against virus': 1004725, 'against virus like': 37734, 'virus like covid': 958460, 'covid 19 yes': 214105, '19 yes that': 12250, 'yes that possible': 1015544, 'that possible you': 845792, 'possible you should': 665887, 'you should use': 1021229, 'should use strong': 766619, 'use strong alcohol': 949616, 'strong alcohol base': 813964, 'alcohol base and': 40922, 'base and then': 111435, 'and then add': 73738, 'then add some': 876968, 'add some aloe': 31488, 'some aloe vera': 782280, 'aloe vera or': 46794, 'vera or glycerin': 954736, 'or glycerin via': 615484, 'glycerin via staysafe': 353161, 'perilously': 651684, '19 green': 7281, 'green new': 363687, 'deal the': 229498, 'this facility': 887497, 'facility combined': 295319, 'with growing': 998699, 'growing list': 367211, 'other shuttered': 620910, 'shuttered plant': 768212, 'our industry': 623532, 'pushing our': 690436, 'country perilously': 210955, 'perilously close': 651685, 'the edge': 854048, 'our meat': 623888, 'meat supply': 525763, 'more meat': 539766, 'meat green': 525599, 'covid 19 green': 213166, '19 green new': 7282, 'green new deal': 363688, 'new deal the': 558606, 'deal the closure': 229499, 'closure of this': 183979, 'of this facility': 591971, 'this facility combined': 887498, 'facility combined with': 295320, 'combined with growing': 187145, 'with growing list': 998701, 'growing list of': 367212, 'list of other': 494460, 'of other shuttered': 587374, 'other shuttered plant': 620911, 'shuttered plant across': 768213, 'plant across our': 658610, 'across our industry': 29422, 'our industry is': 623534, 'industry is pushing': 435937, 'is pushing our': 451149, 'pushing our country': 690437, 'our country perilously': 622601, 'country perilously close': 210956, 'perilously close to': 651686, 'close to the': 182918, 'to the edge': 916665, 'the edge in': 854051, 'edge in term': 268512, 'term of our': 838224, 'of our meat': 587510, 'our meat supply': 623889, 'meat supply no': 525765, 'supply no more': 825591, 'no more meat': 564812, 'more meat green': 539768, 'meat green new': 525600, 'q7': 691455, 'jen please': 465062, 'see q7': 745618, 'q7 on': 691456, 'faq in': 298673, 'hi jen please': 394681, 'jen please see': 465063, 'please see q7': 660456, 'see q7 on': 745619, 'q7 on our': 691457, 'on our consumer': 602586, 'consumer faq in': 197448, 'faq in relation': 298674, 'coverage continues': 212343, 'now released': 575667, 'released him': 709041, 'him from': 396607, 'special coverage continues': 787875, 'coverage continues speaks': 212344, 'ha now released': 371402, 'now released him': 575668, 'released him from': 709042, 'him from the': 396608, 'from the hospital': 337746, 'the hospital latest': 857525, 'nebraska': 553891, 'the nebraska': 861369, 'nebraska department': 553898, 'of insurance': 585232, 'insurance on': 440782, 'on scammer': 603328, 'scammer abusing': 740519, 'abusing the': 27723, 'alert from the': 41436, 'from the nebraska': 337798, 'the nebraska department': 861370, 'nebraska department of': 553899, 'department of insurance': 237242, 'of insurance on': 585236, 'insurance on scammer': 440784, 'on scammer abusing': 603329, 'scammer abusing the': 740520, 'abusing the covid': 27724, 'breheny': 139293, 'freemarkets': 332480, 'probs': 679792, 'neoliberal': 557390, 'libertarian': 488039, 'ok according': 597760, 'to breheny': 902009, 'breheny freemarkets': 139294, 'freemarkets no': 332481, 'no probs': 565204, 'probs neoliberal': 679793, 'neoliberal libertarian': 557393, 'libertarian do': 488040, 'not act': 568039, 'act in': 29659, 'public good': 688035, 'this is ok': 888343, 'is ok according': 450443, 'ok according to': 597761, 'according to breheny': 28523, 'to breheny freemarkets': 902010, 'breheny freemarkets no': 139295, 'freemarkets no probs': 332482, 'no probs neoliberal': 565205, 'probs neoliberal libertarian': 679794, 'neoliberal libertarian do': 557394, 'libertarian do not': 488041, 'do not act': 249655, 'not act in': 568040, 'act in the': 29660, 'in the public': 429488, 'the public good': 864813, 'public good for': 688037, 'good for lettuce': 357079, 'invading': 443568, 'phoning': 655093, 'mana': 512371, 'doing an': 252278, 'an amazing': 55264, 'amazing job': 50719, 'experienced this': 291614, 'space invading': 787129, 'invading life': 443571, 'life risking': 489000, 'risking tactic': 724091, 'tactic please': 831710, 'help all': 389316, 'all email': 42671, 'down ve': 257427, 'been phoning': 121660, 'phoning the': 655094, 'the mana': 859988, 'know the majority': 476835, 'majority of other': 509565, 'of other supermarket': 587377, 'other supermarket worker': 621027, 'worker are doing': 1006381, 'are doing an': 85885, 'doing an amazing': 252279, 'an amazing job': 55268, 'amazing job but': 50720, 'job but have': 465709, 'but have experienced': 145870, 'have experienced this': 380524, 'experienced this space': 291615, 'this space invading': 890272, 'space invading life': 787130, 'invading life risking': 443572, 'life risking tactic': 489001, 'risking tactic please': 724092, 'tactic please help': 831711, 'please help all': 660062, 'help all email': 389320, 'all email are': 42672, 'email are down': 272125, 'are down ve': 85984, 'down ve been': 257428, 've been phoning': 952918, 'been phoning the': 121661, 'phoning the store': 655095, 'store for day': 807797, 'for day for': 320570, 'for the mana': 326548, 'skidded': 772938, 'oversupply': 631570, 'price skidded': 676429, 'skidded on': 772939, 'monday after': 536228, 'after negotiation': 35953, 'negotiation to': 556957, 'output were': 629301, 'were delayed': 979503, 'delayed keeping': 232786, 'keeping oversupply': 472513, 'oversupply concern': 631585, 'concern alive': 192908, 'alive while': 41849, 'stock jumped': 802334, 'jumped investor': 467935, 'investor were': 444228, 'were encouraged': 979580, 'encouraged by': 275650, 'by slowdown': 154038, 'related death': 708409, 'death and': 229961, 'price skidded on': 676430, 'skidded on monday': 772940, 'on monday after': 602153, 'monday after negotiation': 536231, 'after negotiation to': 35954, 'negotiation to cut': 556958, 'cut output were': 223475, 'output were delayed': 629302, 'were delayed keeping': 979504, 'delayed keeping oversupply': 232787, 'keeping oversupply concern': 472514, 'oversupply concern alive': 631586, 'concern alive while': 192909, 'alive while stock': 41850, 'while stock jumped': 987327, 'stock jumped investor': 802335, 'jumped investor were': 467936, 'investor were encouraged': 444229, 'were encouraged by': 979581, 'encouraged by slowdown': 275651, 'by slowdown in': 154039, 'slowdown in related': 774450, 'in related death': 427366, 'related death and': 708410, 'death and new': 229967, 'and new case': 67549, 'suo': 818452, 'moto': 543326, 'fauci': 300349, 'than 22': 840202, '22 00': 15149, '00 american': 58, 'american 11': 51761, '00 british': 90, 'british have': 140532, 'died but': 241523, 'but supreme': 147233, 'supreme court': 827431, 'court and': 211970, 'and uk': 74574, 'uk high': 938446, 'high court': 394976, 'court have': 211990, 'have neither': 381567, 'neither taken': 557351, 'taken any': 832946, 'any suo': 79885, 'suo moto': 818453, 'moto nor': 543327, 'nor fired': 566947, 'fired dr': 308167, 'dr fauci': 258011, 'fauci how': 300362, 'how incompetent': 408052, 'incompetent american': 432525, 'american british': 51844, 'british court': 140513, 'court are': 211973, 'not playing': 571038, 'playing any': 659385, 'any role': 79766, 'in fixing': 422924, 'fixing scientific': 309861, 'scientific challenge': 742167, 'challenge may': 171501, 'be busy': 113927, 'busy in': 144914, 'in legal': 424669, 'legal issue': 485878, 'more than 22': 540554, 'than 22 00': 840203, '22 00 american': 15150, '00 american 11': 59, 'american 11 00': 51762, '11 00 british': 2431, '00 british have': 91, 'british have died': 140533, 'have died but': 380264, 'died but supreme': 241525, 'but supreme court': 147234, 'supreme court and': 827432, 'court and uk': 211972, 'and uk high': 74575, 'uk high court': 938447, 'high court have': 394978, 'court have neither': 211991, 'have neither taken': 381568, 'neither taken any': 557352, 'taken any suo': 832948, 'any suo moto': 79886, 'suo moto nor': 818454, 'moto nor fired': 543328, 'nor fired dr': 566948, 'fired dr fauci': 308168, 'dr fauci how': 258018, 'fauci how incompetent': 300363, 'how incompetent american': 408053, 'incompetent american british': 432526, 'american british court': 51845, 'british court are': 140514, 'court are not': 211975, 'are not playing': 88437, 'not playing any': 571039, 'playing any role': 659386, 'any role in': 79767, 'role in fixing': 725093, 'in fixing scientific': 422925, 'fixing scientific challenge': 309862, 'scientific challenge may': 742168, 'challenge may be': 171502, 'may be busy': 520954, 'be busy in': 113928, 'busy in legal': 144915, 'in legal issue': 424671, 'il': 416067, 'wls': 1003270, 'chicago il': 175673, 'il wls': 416076, 'wls what': 1003271, 'expect gas': 290648, 'plummet during': 661272, 'more energy': 539132, 'energy news': 276512, 'chicago il wls': 175674, 'il wls what': 416077, 'wls what to': 1003272, 'to expect gas': 905446, 'expect gas price': 290649, 'gas price plummet': 344010, 'price plummet during': 675902, 'plummet during covid': 661273, '19 pandemic more': 9395, 'pandemic more energy': 635976, 'more energy news': 539133, 'twat': 936252, 'have tweet': 383435, 'how human': 408018, 'human take': 410631, 'other instead': 620431, 'greedy stupid': 363618, 'stupid asshole': 815352, 'asshole who': 96588, 'who think': 989771, 'own selfishness': 632198, 'selfishness twat': 748385, 'can have tweet': 158594, 'have tweet about': 383436, 'tweet about how': 936326, 'about how human': 25445, 'how human take': 408020, 'human take care': 410632, 'each other instead': 264186, 'other instead of': 620432, 'instead of these': 440329, 'these greedy stupid': 880077, 'greedy stupid asshole': 363619, 'stupid asshole who': 815353, 'asshole who think': 96590, 'who think it': 989773, 'think it okay': 885346, 'okay to empty': 598023, 'to empty supermarket': 905036, 'shelf for their': 757097, 'their own selfishness': 874202, 'own selfishness twat': 632199, 'one fallout': 606277, 'fallout is': 297384, 'sure due': 827527, 'pandemic thousand': 636754, 'flat in': 310076, 'in prime': 426991, 'prime location': 678123, 'location in': 498919, 'mumbai and': 545991, 'other metro': 620541, 'metro will': 529953, 'be up': 117884, 'for re': 324971, 're sale': 699418, 'at bargain': 98087, 'bargain bottom': 111049, 'is once': 450496, 'once in': 605653, 'in lifetime': 424717, 'lifetime opportunity': 489404, 'one fallout is': 606278, 'fallout is for': 297385, 'is for sure': 447892, 'for sure due': 326073, 'sure due to': 827528, 'the corona pandemic': 851770, 'corona pandemic thousand': 204097, 'pandemic thousand of': 636755, 'thousand of flat': 893439, 'of flat in': 583582, 'flat in prime': 310078, 'in prime location': 426992, 'prime location in': 678124, 'location in mumbai': 498924, 'in mumbai and': 425511, 'mumbai and other': 545992, 'and other metro': 68365, 'other metro will': 620543, 'metro will be': 529954, 'will be up': 992749, 'be up for': 117886, 'up for re': 944957, 'for re sale': 324974, 're sale at': 699419, 'sale at bargain': 732086, 'at bargain bottom': 98088, 'bargain bottom price': 111050, 'bottom price this': 136440, 'this is once': 888345, 'is once in': 450498, 'once in lifetime': 605654, 'in lifetime opportunity': 424720, 'globalism': 352331, 'togetherness': 921076, 'shop raising': 760698, 'essential prof': 281430, 'prof that': 682373, 'that globalism': 844020, 'globalism failed': 352334, 'failed there': 296166, 'no togetherness': 565752, 'togetherness we': 921080, 'not community': 568810, 'community this': 190161, 'virus would': 959065, 'would bring': 1011692, 'bring together': 140105, 'together 100': 920659, '100 year': 2138, 'it keeping': 459266, 'keeping apart': 472381, 'togetherness fightcovid19': 921078, 'your local shop': 1024718, 'local shop raising': 498414, 'shop raising the': 760699, 'raising the price': 696146, 'of essential prof': 583184, 'essential prof that': 281431, 'prof that globalism': 682374, 'that globalism failed': 844021, 'globalism failed there': 352335, 'failed there is': 296167, 'is no togetherness': 449984, 'no togetherness we': 565754, 'togetherness we are': 921081, 'are not community': 88342, 'not community this': 568811, 'community this virus': 190164, 'this virus would': 891041, 'virus would bring': 959066, 'would bring together': 1011698, 'bring together 100': 140106, 'together 100 year': 920660, '100 year ago': 2139, 'ago and today': 38345, 'and today it': 74224, 'today it keeping': 919742, 'it keeping apart': 459267, 'keeping apart and': 472382, 'no togetherness fightcovid19': 565753, 'counterbalanced': 210289, 'indeed but': 433982, 'of travel': 592430, 'for fx': 321831, 'fx demand': 342590, 'demand normal': 235927, 'normal yr': 567428, 'yr will': 1027051, 'be counterbalanced': 114257, 'counterbalanced by': 210290, 'consumer outlook': 198307, 'outlook and': 629132, 'it will indeed': 462405, 'will indeed but': 993834, 'indeed but in': 433983, 'light of travel': 489566, 'of travel restriction': 592432, 'lockdown we have': 500120, 'have to also': 383157, 'to also temper': 900380, 'expectation for fx': 290819, 'for fx demand': 321832, 'fx demand normal': 342591, 'demand normal yr': 235928, 'normal yr will': 567429, 'yr will be': 1027052, 'will be counterbalanced': 992409, 'be counterbalanced by': 114258, 'counterbalanced by weaker': 210291, 'weaker consumer outlook': 974099, 'consumer outlook and': 198308, 'outlook and broad': 629133, 'battleground': 112855, 'the battleground': 849355, 'battleground in': 112856, 'are first': 86584, 'first the': 309056, 'hospital then': 404680, 'the frozen': 855906, 'aisle via': 40413, 'the battleground in': 849356, 'battleground in the': 112857, 'against this pandemic': 37700, 'this pandemic are': 889369, 'pandemic are first': 634943, 'are first the': 86586, 'first the hospital': 309058, 'the hospital then': 857538, 'hospital then the': 404681, 'then the frozen': 877614, 'the frozen food': 855907, 'frozen food aisle': 338968, 'food aisle via': 313079, 'blitz': 132737, 'brexiteers': 139542, 'stiff': 800129, 'tragic where': 929202, 'the blitz': 849765, 'blitz spirit': 132740, 'spirit that': 789507, 'the brexiteers': 849985, 'brexiteers were': 139545, 'invoke in': 444306, 'crisis visit': 218323, 'visit developing': 959232, 'developing country': 239771, 'country without': 211260, 'without panic': 1002817, 'service store': 752871, 'remain fully': 709750, 'stocked despite': 803301, 'despite case': 238687, 'case the': 166053, 'the famous': 854911, 'famous british': 298453, 'british stiff': 140600, 'stiff upper': 800130, 'upper lip': 947692, 'lip should': 494052, 'should now': 766273, 'be changed': 114049, 'tragic where is': 929203, 'is the blitz': 452741, 'the blitz spirit': 849766, 'blitz spirit that': 132742, 'spirit that the': 789509, 'that the brexiteers': 846671, 'the brexiteers were': 849986, 'brexiteers were going': 139546, 'going to invoke': 355629, 'to invoke in': 908498, 'invoke in the': 444307, 'the crisis visit': 852472, 'crisis visit developing': 218324, 'visit developing country': 959233, 'developing country without': 239779, 'country without panic': 211261, 'without panic shop': 1002820, 'panic shop and': 638541, 'shop and service': 759865, 'and service store': 71317, 'service store remain': 752873, 'store remain fully': 809797, 'remain fully stocked': 709752, 'fully stocked despite': 341087, 'stocked despite case': 803302, 'despite case the': 238688, 'case the famous': 166054, 'the famous british': 854912, 'famous british stiff': 298454, 'british stiff upper': 140601, 'stiff upper lip': 800131, 'upper lip should': 947695, 'lip should now': 494053, 'should now be': 766274, 'now be changed': 574194, 'be changed to': 114053, 'paper one': 640537, 'only effective': 610381, 'effective for': 269249, 'for 45': 318845, 'be put': 116639, 'in bin': 420836, 'bin on': 131028, 'out ultimately': 627739, 'ultimately face': 939139, 'don offer': 253781, 'offer 100': 594497, '100 protection': 2054, 'protection the': 685644, 'virus can': 958030, 'can enter': 158234, 'enter through': 278325, 'the eye': 854784, 'eye europe': 294042, 'europe uk': 283522, 'the paper one': 863263, 'paper one are': 640538, 'one are only': 605945, 'are only effective': 88765, 'only effective for': 610382, 'effective for 45': 269250, 'for 45 minute': 318847, '45 minute and': 19116, 'minute and should': 533729, 'should be put': 765704, 'be put in': 116641, 'put in bin': 690613, 'in bin on': 420838, 'bin on the': 131030, 'way out ultimately': 969797, 'out ultimately face': 627740, 'ultimately face mask': 939140, 'face mask don': 294535, 'mask don offer': 518590, 'don offer 100': 253782, 'offer 100 protection': 594498, '100 protection the': 2055, 'protection the virus': 685648, 'the virus can': 870809, 'virus can enter': 958032, 'can enter through': 158240, 'enter through the': 278327, 'through the eye': 894734, 'the eye europe': 854787, 'eye europe uk': 294043, 'europe uk supermarket': 283523, 'cahfsweeklyupdate': 155186, 'impacting agriculture': 418175, 'agriculture in': 38984, 'midwest the': 530833, 'agricultural product': 38910, 'product ha': 681238, 'ha fallen': 370585, 'fallen due': 297149, 'of downturn': 582805, 'and recession': 70044, 'recession lower': 704321, 'lower demand': 505830, 'demand there': 236368, 'be lower': 115843, 'product consumer': 681076, 'consumer eat': 197276, 'restaurant cahfsweeklyupdate': 716349, 'is impacting agriculture': 448691, 'impacting agriculture in': 418176, 'agriculture in the': 38985, 'in the midwest': 429360, 'the midwest the': 860585, 'midwest the future': 530834, 'future of agricultural': 342387, 'of agricultural product': 579840, 'agricultural product ha': 38911, 'product ha fallen': 681239, 'ha fallen due': 370591, 'fallen due to': 297150, 'fear of downturn': 301229, 'of downturn and': 582806, 'downturn and recession': 257788, 'and recession lower': 70049, 'recession lower demand': 704322, 'lower demand there': 505839, 'demand there may': 236369, 'may be lower': 521004, 'be lower demand': 115846, 'lower demand for': 505834, 'for some food': 325741, 'some food product': 782871, 'food product consumer': 316017, 'product consumer eat': 681078, 'consumer eat at': 197277, 'eat at home': 265855, 'of in restaurant': 585040, 'in restaurant cahfsweeklyupdate': 427427, 'fantasygrainmarketleague': 298633, 'yield': 1016357, 'with sport': 1000922, 'sport being': 789903, 'many market': 514264, 'market struggle': 517139, 'struggle right': 814370, 'mention we': 528803, 'about putting': 26031, 'putting out': 691195, 'out fantasygrainmarketleague': 626055, 'fantasygrainmarketleague with': 298634, 'with perfect': 1000183, 'perfect weather': 651367, 'weather high': 974876, 'high yield': 395528, 'yield strong': 1016377, 'strong demand': 814009, 'price thought': 676935, 'with sport being': 1000923, 'sport being shut': 789904, 'shut down and': 767802, 'down and so': 256514, 'so many market': 777674, 'many market struggle': 514266, 'market struggle right': 517141, 'struggle right now': 814371, 'now not to': 575379, 'to mention we': 910096, 'mention we re': 528804, 'we re thinking': 972988, 'thinking about putting': 885852, 'about putting out': 26032, 'putting out fantasygrainmarketleague': 691196, 'out fantasygrainmarketleague with': 626056, 'fantasygrainmarketleague with perfect': 298635, 'with perfect weather': 1000184, 'perfect weather high': 651368, 'weather high yield': 974877, 'high yield strong': 395529, 'yield strong demand': 1016378, 'strong demand and': 814010, 'demand and high': 234972, 'and high price': 64556, 'high price thought': 395285, 'thisisamess': 891640, 'twitter my': 936691, 'my 84': 547197, '84 year': 22882, 'grandfather take': 361895, 'take his': 832180, 'his also': 397187, 'also older': 48609, 'older friend': 598604, 'go can': 353403, 'you healthy': 1019174, 'healthy responsibly': 387747, 'responsibly isolating': 716101, 'isolating young': 455173, 'take part': 832483, 'offer walk': 594879, 'walk etc': 964774, 'etc take': 282781, 'other cleveland': 619954, 'cleveland thisisamess': 181855, 'twitter my 84': 936692, 'my 84 year': 547199, '84 year old': 22883, 'old grandfather take': 598273, 'grandfather take his': 361896, 'take his also': 832181, 'his also older': 397188, 'also older friend': 48610, 'older friend to': 598605, 'friend to work': 333852, 'store because she': 806686, 'to go can': 906782, 'go can all': 353404, 'can all of': 157430, 'of you healthy': 593390, 'you healthy responsibly': 1019176, 'healthy responsibly isolating': 387748, 'responsibly isolating young': 716102, 'isolating young people': 455175, 'young people take': 1022649, 'people take part': 649720, 'take part in': 832484, 'part in and': 642295, 'in and others': 420380, 'and others to': 68465, 'others to offer': 621732, 'to offer walk': 910858, 'offer walk etc': 594880, 'walk etc take': 964775, 'etc take care': 282782, 'each other cleveland': 264164, 'other cleveland thisisamess': 619955, 'undergoing': 940436, 'after undergoing': 36467, 'undergoing temperature': 940441, 'temperature test': 837405, 'test glove': 839010, 'regular doctor': 707766, 'appointment then': 82691, 'left my': 485557, 'law believe': 482230, 'believe thank': 126332, 'after undergoing temperature': 36468, 'undergoing temperature test': 940442, 'temperature test glove': 837406, 'test glove and': 839011, 'mask for regular': 518686, 'for regular doctor': 325072, 'regular doctor appointment': 707767, 'doctor appointment then': 250834, 'appointment then go': 82692, 'then go to': 877210, 'there wa nothing': 879257, 'wa nothing left': 962784, 'nothing left my': 573085, 'left my in': 485562, 'my in law': 548834, 'in law believe': 424631, 'law believe thank': 482231, 'believe thank god': 126333, 'financialhealth': 306643, 'fcac': 300741, '19 managing': 8534, 'managing financial': 512870, 'financial health': 306436, 'time financial': 896655, 'financial consumer': 306358, 'consumer agency': 196116, 'agency of': 38047, 'canada financialhealth': 160432, 'financialhealth fcac': 306644, 'covid 19 managing': 213397, '19 managing financial': 8535, 'managing financial health': 512871, 'financial health in': 306438, 'health in challenging': 386521, 'challenging time financial': 171636, 'time financial consumer': 896656, 'financial consumer agency': 306359, 'consumer agency of': 196117, 'agency of canada': 38048, 'of canada financialhealth': 581079, 'canada financialhealth fcac': 160433, 'greek gov': 363645, 'gov announces': 359537, 'announces change': 77240, 'hour no': 405780, 'more sunday': 540492, 'sunday opening': 818248, 'greek gov announces': 363646, 'gov announces change': 359538, 'announces change to': 77241, 'change to supermarket': 172364, 'to supermarket hour': 915800, 'supermarket hour no': 820803, 'hour no more': 405783, 'no more sunday': 564820, 'more sunday opening': 540493, 'facilitate': 295255, 'group this': 366925, 'go hard': 353637, 'hard on': 377980, 'shopping africa': 761902, 'africa need': 35110, 'to facilitate': 905585, 'facilitate commerce': 295258, 'commerce during': 188547, 'period show': 651878, 'and show': 71606, 'show out': 767087, 'group this is': 366926, 'to go hard': 906804, 'go hard on': 353638, 'hard on online': 377983, 'online shopping africa': 609017, 'shopping africa need': 761903, 'africa need you': 35112, 'you to facilitate': 1021774, 'to facilitate commerce': 905588, 'facilitate commerce during': 295259, 'commerce during this': 188548, '19 period show': 9650, 'period show up': 651879, 'show up and': 767252, 'up and show': 944372, 'and show out': 71615, 'mammal': 511946, 'right about': 721730, 'about limiting': 25647, 'customer inside': 222520, 'inside grocery': 439270, 'the transfer': 869898, 'the from': 855830, 'from human': 335965, 'human back': 410427, 'other mammal': 620500, 'mammal right': 511947, 'the thief': 869442, 'thief too': 884014, 'wa right about': 963108, 'right about limiting': 721731, 'about limiting the': 25648, 'of customer inside': 582275, 'customer inside grocery': 222521, 'inside grocery store': 439272, 'store wa right': 811122, 'right about the': 721733, 'about the transfer': 26543, 'the transfer of': 869900, 'transfer of the': 929523, 'of the from': 591044, 'the from human': 855831, 'from human back': 335966, 'human back to': 410428, 'back to other': 107385, 'to other mammal': 911116, 'other mammal right': 620501, 'mammal right about': 511948, 'about the thief': 26539, 'the thief too': 869444, 'to friend': 906255, 'who supermarket': 989710, 'manager in': 512731, 'uk today': 938831, 'today people': 920029, 'queuing 20': 694190, '20 deep': 13028, 'deep before': 231845, 'stripping it': 813903, 'it bare': 456702, 'bare within': 110984, 'few hour': 303864, 'hour every': 405576, 'day what': 228712, 'people moron': 648790, 'moron panicbuying': 541620, 'spoke to friend': 789727, 'to friend who': 906257, 'friend who supermarket': 333906, 'who supermarket manager': 989711, 'supermarket manager in': 821454, 'manager in the': 512736, 'the uk today': 870295, 'uk today people': 938832, 'today people are': 920030, 'are queuing 20': 89390, 'queuing 20 deep': 694191, '20 deep before': 13029, 'deep before the': 231846, 'before the shop': 123186, 'the shop open': 867018, 'shop open and': 760603, 'open and stripping': 612082, 'and stripping it': 72582, 'stripping it bare': 813904, 'it bare within': 456703, 'bare within few': 110985, 'within few hour': 1002353, 'few hour every': 303866, 'hour every single': 405578, 'single day what': 771283, 'day what the': 228717, 'hell is wrong': 389029, 'wrong with these': 1013166, 'with these people': 1001651, 'these people moron': 880452, 'people moron panicbuying': 648791, 'gonna die': 356506, 'the symptom': 869076, 'symptom fever': 830844, 'fever and': 303647, 'and cough': 60603, 'cough what': 208582, 'do buy': 249162, 'are we all': 91557, 'we all gonna': 970330, 'all gonna die': 42968, 'gonna die from': 356507, 'from coronavirus what': 335025, 'coronavirus what are': 207060, 'are the symptom': 90917, 'the symptom fever': 869078, 'symptom fever and': 830845, 'fever and cough': 303650, 'and cough what': 60606, 'cough what should': 208583, 'what should we': 982188, 'should we do': 766645, 'we do buy': 971328, 'do buy all': 249163, '299': 16523, '2020 test': 14627, 'for completed': 320218, 'completed 288': 192194, '288 confirmed': 16445, 'case 299': 165587, '299 death': 16526, 'death key': 230104, 'key concern': 473254, 'concern testing': 193103, 'testing capacity': 839463, 'capacity protective': 162564, 'equipment for': 279724, 'worker commodity': 1006674, 'price risk': 676257, 'risk communication': 723464, 'communication amp': 189574, 'amp rumour': 54416, 'rumour management': 727520, 'of april 2020': 580323, 'april 2020 test': 83475, '2020 test for': 14628, 'test for completed': 838997, 'for completed 288': 320219, 'completed 288 confirmed': 192195, '288 confirmed case': 16446, 'confirmed case 299': 194135, 'case 299 death': 165588, '299 death key': 16527, 'death key concern': 230105, 'key concern testing': 473255, 'concern testing capacity': 193104, 'testing capacity protective': 839465, 'capacity protective equipment': 162565, 'protective equipment for': 685725, 'equipment for frontline': 279726, 'frontline worker commodity': 338861, 'worker commodity price': 1006675, 'commodity price risk': 189285, 'price risk communication': 676258, 'risk communication amp': 723465, 'communication amp rumour': 189575, 'amp rumour management': 54417, 'cua': 220141, 'the catholic': 850531, 'catholic university': 167306, 'university community': 942419, 'community thanks': 190149, '19 cua': 6375, 'cua food': 220142, 'now without': 576460, 'without work': 1003055, 'work join': 1005398, 'on provide': 602987, 'of the catholic': 590853, 'the catholic university': 850532, 'catholic university community': 167308, 'university community thanks': 942421, 'community thanks to': 190150, 'covid 19 cua': 212895, '19 cua food': 6376, 'cua food service': 220143, 'service worker are': 753087, 'are now without': 88617, 'now without work': 576462, 'without work join': 1003056, 'work join in': 1005399, 'calling on provide': 156613, 'on provide their': 602988, 'checkpoint': 175069, 'today essential': 919487, 'essential shopping': 281549, 'shopping run': 763789, 'run included': 727678, 'included over': 431698, 'over 10': 629754, '10 road': 1659, 'road security': 724507, 'security checkpoint': 744567, 'checkpoint good': 175070, 'of google': 584252, 'google translate': 358197, 'translate hand': 929698, 'sanitiser glove': 733962, 'supermarket temperature': 823148, 'temperature taken': 837402, 'plenty space': 660998, 'and sensible': 71261, 'sensible shopping': 750657, 'today essential shopping': 919488, 'essential shopping run': 281556, 'shopping run included': 763790, 'run included over': 727679, 'included over 10': 431699, 'over 10 road': 629760, '10 road security': 1660, 'road security checkpoint': 724508, 'security checkpoint good': 744568, 'checkpoint good use': 175071, 'good use of': 357926, 'use of google': 949412, 'of google translate': 584253, 'google translate hand': 358198, 'translate hand sanitiser': 929699, 'hand sanitiser glove': 375232, 'sanitiser glove at': 733963, 'glove at supermarket': 352604, 'at supermarket temperature': 100778, 'supermarket temperature taken': 823149, 'temperature taken at': 837403, 'taken at supermarket': 832954, 'at supermarket plenty': 100759, 'supermarket plenty space': 822028, 'plenty space and': 660999, 'space and sensible': 787050, 'and sensible shopping': 71262, 'sensible shopping lot': 750658, 'shopping lot of': 763218, 'lot of flour': 504190, 'questioning': 693836, 'without having': 1002707, 'to question': 912662, 'question why': 693806, 'empty you': 275249, 're week': 699793, 'from questioning': 337023, 'questioning why': 693840, 'purchased so': 689808, 'many non': 514350, 'non shelf': 566496, 'stable item': 791929, 'that went': 847431, 'went bad': 978964, 'bad before': 107780, 'before consumption': 122708, 'consumption 19': 199817, 'week away from': 975970, 'away from being': 105862, 'from being able': 334672, 'able to walk': 24567, 'to walk into': 918303, 'walk into grocery': 964817, 'store without having': 811420, 'without having to': 1002710, 'having to question': 384357, 'to question why': 912665, 'question why are': 693807, 'are the aisle': 90793, 'the aisle are': 848513, 'aisle are empty': 40206, 'are empty you': 86177, 'empty you re': 275251, 'you re week': 1020790, 're week away': 699794, 'away from questioning': 105907, 'from questioning why': 337024, 'questioning why you': 693842, 'why you purchased': 991596, 'you purchased so': 1020500, 'purchased so many': 689809, 'so many non': 777680, 'many non shelf': 514351, 'non shelf stable': 566497, 'shelf stable item': 757547, 'stable item that': 791930, 'item that went': 463702, 'that went bad': 847432, 'went bad before': 978965, 'bad before consumption': 107781, 'before consumption 19': 122709, 'noon': 566833, '76': 22225, '969': 23673, 'gbp': 344800, 'pm fight': 661902, 'his health': 397503, 'in intensive': 424118, 'care the': 164229, 'face peak': 294697, 'peak of': 646085, 'pandemic noon': 636044, 'noon price': 566856, 'price 76': 672173, '76 14': 22226, '14 969': 3407, '969 watch': 23674, 'for gbp': 321848, 'gbp 19': 344801, 'pm fight for': 661903, 'fight for his': 304740, 'for his health': 322305, 'his health in': 397504, 'health in intensive': 386523, 'in intensive care': 424119, 'intensive care the': 441135, 'care the country': 164230, 'country face peak': 210634, 'face peak of': 294698, 'peak of the': 646086, 'the pandemic noon': 863035, 'pandemic noon price': 636045, 'noon price 76': 566859, 'price 76 14': 672174, '76 14 969': 22227, '14 969 watch': 3408, '969 watch out': 23675, 'out for gbp': 626125, 'for gbp 19': 321849, 'know more': 476600, 'more please': 540080, 'please comment': 659800, 'below we': 126775, 'appreciate our': 82742, 'store have special': 808102, 'senior and people': 750208, 'you know more': 1019510, 'know more please': 476609, 'more please comment': 540082, 'please comment below': 659802, 'comment below we': 188394, 'below we appreciate': 126776, 'we appreciate our': 970455, 'appreciate our grocery': 82744, 'worker who work': 1008238, 'who work around': 990031, 'work around the': 1004844, 'shelf keep your': 757268, 'keep your store': 472286, 'your store clean': 1025964, 'store clean and': 806985, 'clean and help': 180460, 'aging': 38285, 'having same': 384256, 'same problem': 733245, 'problem here': 679541, 'here haven': 393078, 'gotten grocery': 359141, 'grocery in': 364609, 'tried online': 931806, 'shopping out': 763571, 'stock called': 801969, 'called agency': 156280, 'agency on': 38050, 'on aging': 599178, 'aging to': 38288, 'what help': 981594, 'help wa': 390853, 'wa available': 961617, 'told program': 923662, 'having same problem': 384257, 'same problem here': 733246, 'problem here haven': 679542, 'here haven gotten': 393079, 'haven gotten grocery': 383815, 'gotten grocery in': 359142, 'grocery in two': 364621, 'two week tried': 937372, 'week tried online': 977124, 'tried online shopping': 931809, 'online shopping out': 609214, 'shopping out of': 763573, 'of stock called': 590147, 'stock called agency': 801970, 'called agency on': 156281, 'agency on aging': 38051, 'on aging to': 599179, 'aging to see': 38289, 'see what help': 746033, 'what help wa': 981596, 'help wa available': 390854, 'wa available and': 961618, 'available and wa': 104231, 'wa told program': 963541, '1919': 12316, 'affordability council': 34830, 'council are': 209965, 'the 1919': 847935, '1919 crisis': 12317, 'the pa proposed': 862830, 'proposed affordability council': 684518, 'affordability council are': 34831, 'council are just': 209966, 'just the 1919': 469989, 'the 1919 crisis': 847936, '1919 crisis peak': 12318, 'patron': 644407, 'felt in': 303398, 'pantry not': 639638, 'the desire': 853188, 'their patron': 874254, 'patron healthy': 644411, 'healthy well': 387809, 'well one': 978438, 'one local': 606616, 'local club': 497829, 'completely shifting': 192353, 'shifting their': 758559, 'help limit': 389997, '19 is also': 7933, 'is also being': 445550, 'also being felt': 47950, 'being felt in': 125142, 'felt in local': 303400, 'in local food': 424819, 'local food pantry': 497967, 'food pantry not': 315791, 'pantry not only': 639639, 'not only by': 570782, 'only by increased': 610212, 'by increased demand': 152894, 'increased demand but': 433264, 'demand but the': 235084, 'but the desire': 147331, 'the desire to': 853189, 'desire to keep': 238428, 'keep their patron': 472092, 'their patron healthy': 874255, 'patron healthy well': 644412, 'healthy well one': 387810, 'well one local': 978440, 'one local club': 606617, 'local club is': 497830, 'club is completely': 184449, 'is completely shifting': 446709, 'completely shifting their': 192354, 'shifting their business': 758560, 'their business model': 872684, 'business model to': 144062, 'model to help': 535322, 'to help limit': 907552, 'help limit spread': 389999, 'manslaughter': 513341, 'work cashier': 1004979, 'supermarket dozen': 820019, 'customer pas': 222675, 'pas within': 643174, 'within meter': 1002379, 'her the': 392432, 'install the': 440006, 'protective screen': 685809, 'screen if': 742700, 'she develops': 755981, 'develops high': 239861, 'high viral': 395509, 'viral load': 957602, 'load and': 497239, 'and dy': 61821, 'dy is': 263738, 'supermarket guilty': 820608, 'guilty of': 368562, 'of manslaughter': 586159, 'manslaughter ppe': 513344, 'daughter work cashier': 226926, 'work cashier in': 1004981, 'cashier in supermarket': 166552, 'in supermarket dozen': 428587, 'supermarket dozen of': 820020, 'dozen of customer': 257891, 'of customer pas': 582277, 'customer pas within': 222676, 'pas within meter': 643176, 'within meter of': 1002380, 'meter of her': 529730, 'of her the': 584585, 'her the store': 392435, 'the store failed': 868019, 'failed to install': 296179, 'to install the': 908421, 'install the protective': 440007, 'the protective screen': 864713, 'protective screen if': 685810, 'screen if she': 742701, 'if she develops': 414774, 'she develops high': 755982, 'develops high viral': 239862, 'high viral load': 395510, 'viral load and': 957603, 'load and dy': 497241, 'and dy is': 61822, 'dy is the': 263739, 'is the supermarket': 452953, 'the supermarket guilty': 868617, 'supermarket guilty of': 820609, 'guilty of manslaughter': 368568, 'of manslaughter ppe': 586160, 'selfisolation online': 748467, 'really an': 701965, 'option many': 614066, 'many place': 514562, 'place not': 657591, 'not accepting': 568029, 'accepting new': 28080, 'order week': 618760, 'half wait': 374294, 'wait if': 964136, 'selfisolation online shopping': 748468, 'shopping not really': 763354, 'not really an': 571230, 'really an option': 701967, 'an option many': 56686, 'option many place': 614067, 'many place not': 514565, 'place not accepting': 657592, 'not accepting new': 568031, 'accepting new order': 28083, 'new order week': 559232, 'order week and': 618761, 'and half wait': 64127, 'half wait if': 374295, 'wait if you': 964137, 'get an order': 346547, 'evolution': 288483, 'renewable': 710966, 'drive crude': 259022, 'price into': 674840, 'barrel range': 111274, 'range the': 696741, 'energy evolution': 276447, 'evolution team': 288496, 'team take': 835786, 'slowdown mean': 774456, 'for fossil': 321683, 'fuel utility': 340304, 'utility and': 951256, 'and renewable': 70238, 'renewable energy': 710967, 'pandemic drive crude': 635334, 'drive crude oil': 259023, 'oil price into': 597169, 'price into the': 674843, 'into the 30': 443094, 'the 30 per': 848087, '30 per barrel': 17184, 'per barrel range': 650707, 'barrel range the': 111275, 'range the energy': 696743, 'the energy evolution': 854318, 'energy evolution team': 276448, 'evolution team take': 288497, 'team take look': 835787, 'what the global': 982320, 'the global economic': 856299, 'global economic slowdown': 351886, 'economic slowdown mean': 267308, 'slowdown mean for': 774457, 'mean for fossil': 524439, 'for fossil fuel': 321684, 'fossil fuel utility': 330084, 'fuel utility and': 340305, 'utility and renewable': 951257, 'and renewable energy': 70239, 'wipeyourarse': 996493, 'mate': 520334, 'morale': 538413, 'repost stoppanicbuying': 712840, 'stoppanicbuying wipeyourarse': 805658, 'wipeyourarse washyourhands': 996494, 'washyourhands coronamemes': 967864, 'coronamemes corona': 205060, 'corona wuflu': 204402, 'wuflu wuhan': 1013456, 'wuhan kungflu': 1013501, 'kungflu tag': 477931, 'tag mate': 831761, 'mate to': 520349, 'raise morale': 695880, 'repost stoppanicbuying wipeyourarse': 712841, 'stoppanicbuying wipeyourarse washyourhands': 805659, 'wipeyourarse washyourhands coronamemes': 996495, 'washyourhands coronamemes corona': 967865, 'coronamemes corona wuflu': 205061, 'corona wuflu wuhan': 204403, 'wuflu wuhan kungflu': 1013457, 'wuhan kungflu tag': 1013502, 'kungflu tag mate': 477932, 'tag mate to': 831762, 'mate to raise': 520351, 'to raise morale': 912725, 'hamster': 374637, 'nonstop': 566756, 'accent': 27929, 'thomasandfriends': 891720, 'isolation we': 455493, 'have eaten': 380411, 'eaten most': 266135, 'our toiletpaper': 625157, 'supply the': 825958, 'old refuse': 598444, 'giant hamster': 349789, 'hamster wheel': 374656, 'wheel we': 983058, 'dog is': 252119, 'very over': 955400, 'over having': 630273, 'having all': 383963, 'all here': 43099, 'here nonstop': 393388, 'nonstop the': 566757, 'child now': 176153, 'have british': 379843, 'british accent': 140487, 'accent thanks': 27930, 'to thomasandfriends': 917487, 'week two of': 977135, 'two of isolation': 937088, 'of isolation we': 585345, 'isolation we have': 455494, 'we have eaten': 971805, 'have eaten most': 380412, 'eaten most of': 266136, 'of our toiletpaper': 587579, 'our toiletpaper supply': 625160, 'toiletpaper supply the': 922567, 'supply the year': 825969, 'the year old': 872165, 'year old refuse': 1014862, 'old refuse to': 598445, 'refuse to use': 707045, 'use the giant': 949668, 'the giant hamster': 856255, 'giant hamster wheel': 349790, 'hamster wheel we': 374658, 'wheel we made': 983059, 'we made for': 972320, 'made for him': 507742, 'for him the': 322288, 'him the dog': 396731, 'the dog is': 853496, 'dog is very': 252122, 'is very over': 453687, 'very over having': 955401, 'over having all': 630274, 'having all here': 383964, 'all here nonstop': 43103, 'here nonstop the': 393389, 'nonstop the child': 566758, 'the child now': 850822, 'child now have': 176154, 'now have british': 574867, 'have british accent': 379844, 'british accent thanks': 140488, 'accent thanks to': 27931, 'thanks to thomasandfriends': 842269, 'bangalore': 109452, 'antibody': 78402, 'rs2500': 726689, 'aidan': 39490, 'inf': 436461, 'bangalore based': 109453, 'based startup': 111746, 'startup is': 795114, 'rapid antibody': 696898, 'antibody screening': 78409, 'for rs2500': 325265, 'rs2500 on': 726690, 'website aidan': 975180, 'aidan ha': 39491, 'raised concern': 695996, 'concern to': 193127, 'to india': 908325, 'india inf': 434474, 'inf about': 436462, 'about direct': 25098, 'consumer marketing': 198104, 'marketing of': 517660, 'bangalore based startup': 109454, 'based startup is': 111749, 'startup is selling': 795115, 'is selling at': 451750, 'selling at home': 749169, '19 rapid antibody': 9956, 'rapid antibody screening': 696899, 'antibody screening test': 78410, 'screening test for': 742774, 'test for rs2500': 839004, 'for rs2500 on': 325266, 'rs2500 on it': 726691, 'on it website': 601695, 'it website aidan': 462288, 'website aidan ha': 975181, 'aidan ha raised': 39492, 'ha raised concern': 371626, 'raised concern to': 695997, 'concern to india': 193128, 'to india inf': 908328, 'india inf about': 434475, 'inf about direct': 436463, 'about direct to': 25099, 'to consumer marketing': 903315, 'consumer marketing of': 198106, 'marketing of test': 517661, 'of test kit': 590684, 'test kit to': 839070, 'kit to investigate': 475654, 'to investigate this': 908494, 'yous': 1026833, 'fact yous': 295847, 'yous are': 1026834, 'and raising': 69911, 'ridiculous lot': 721565, 'on 80': 599120, '80 pay': 22615, 're making': 699022, 'this harder': 887862, 'class sort': 180264, 'sort yourselves': 786162, 'the fact yous': 854835, 'fact yous are': 295848, 'yous are taking': 1026836, 'pandemic and raising': 634893, 'and raising food': 69912, 'food price is': 315953, 'price is ridiculous': 674884, 'is ridiculous lot': 451520, 'ridiculous lot of': 721566, 'of people have': 587920, 'people have lost': 648183, 'job or are': 466063, 'or are on': 614410, 'are on 80': 88713, 'on 80 pay': 599122, '80 pay and': 22616, 'pay and you': 644745, 'you re making': 1020674, 're making this': 699028, 'making this harder': 511461, 'this harder for': 887863, 'harder for the': 378169, 'for the working': 326786, 'the working class': 871778, 'working class sort': 1008565, 'class sort yourselves': 180265, 'krugman': 477807, 'stonewalling': 804364, 'paul krugman': 644545, 'krugman bash': 477808, 'bash trump': 111808, 'trump scheme': 933830, 'scheme to': 741589, 'boost oil': 134983, 'oil profit': 597375, 'profit while': 682890, 'while stonewalling': 987332, 'stonewalling post': 804365, 'office aid': 595347, 'aid via': 39477, 'paul krugman bash': 644546, 'krugman bash trump': 477809, 'bash trump scheme': 111809, 'trump scheme to': 933831, 'scheme to boost': 741590, 'to boost oil': 901923, 'boost oil profit': 134986, 'oil profit while': 597376, 'profit while stonewalling': 682893, 'while stonewalling post': 987333, 'stonewalling post office': 804366, 'post office aid': 666232, 'office aid via': 595348, 'ha seriously': 371864, 'seriously damaged': 751576, 'damaged supply': 225261, 'line between': 493012, 'rise result': 722989, 'the ha seriously': 857018, 'ha seriously damaged': 371866, 'seriously damaged supply': 751577, 'damaged supply line': 225262, 'supply line between': 825509, 'line between the': 493014, 'between the and': 128923, 'the and china': 848690, 'and china and': 59844, 'china and price': 176490, 'to rise result': 913575, 'bielefeld': 129595, 'nrw': 576648, 'stabbed': 791762, 'knife': 476102, 'fled': 310274, 'how stupid': 408759, 'stupid can': 815366, 'be germany': 114997, 'germany bielefeld': 346278, 'bielefeld nrw': 129596, 'nrw in': 576649, 'in bielefeld': 420823, 'bielefeld young': 129598, 'man stabbed': 512243, 'stabbed supermarket': 791766, 'the leg': 859271, 'leg with': 485823, 'with knife': 999159, 'knife during': 476105, 'during dispute': 262601, 'dispute about': 246317, 'about corona': 25021, 'corona rule': 204153, 'rule the': 727373, 'the perpetrator': 863575, 'perpetrator fled': 652221, 'how stupid can': 408760, 'stupid can people': 815367, 'can people be': 159212, 'people be germany': 647225, 'be germany bielefeld': 114998, 'germany bielefeld nrw': 346279, 'bielefeld nrw in': 129597, 'nrw in bielefeld': 576650, 'in bielefeld young': 420824, 'bielefeld young man': 129599, 'young man stabbed': 1022619, 'man stabbed supermarket': 512245, 'stabbed supermarket employee': 791767, 'supermarket employee in': 820125, 'employee in the': 273973, 'in the leg': 429313, 'the leg with': 859274, 'leg with knife': 485824, 'with knife during': 999160, 'knife during dispute': 476106, 'during dispute about': 262602, 'dispute about corona': 246318, 'about corona rule': 25022, 'corona rule the': 204154, 'rule the perpetrator': 727375, 'the perpetrator fled': 863576, 'anthony': 78238, 'fensom': 303528, 'shopper shut': 761688, 'their wallet': 875147, 'wallet consumer': 965215, 'driven global': 259318, 'recession could': 704244, 'next threat': 561591, 'threat posed': 893715, 'pandemic warns': 636919, 'warns anthony': 967250, 'anthony fensom': 78245, 'shopper shut their': 761689, 'shut their wallet': 767950, 'their wallet consumer': 875148, 'wallet consumer driven': 965216, 'consumer driven global': 197250, 'driven global recession': 259319, 'global recession could': 352155, 'recession could be': 704245, 'be the next': 117640, 'the next threat': 861702, 'next threat posed': 561592, 'threat posed by': 893716, 'the pandemic warns': 863147, 'pandemic warns anthony': 636920, 'warns anthony fensom': 967251, 'monopoly': 537421, 'gouge': 359185, 'faulty': 300433, 'neverforget': 558292, 'exploited': 292402, 'decouplefromchina': 231544, 'china company': 176574, 'their near': 874037, 'near monopoly': 553549, 'monopoly on': 537433, 'on ppe': 602869, 'price gouge': 674233, 'gouge charging': 359188, 'charging astronomical': 173457, 'astronomical price': 97259, 'for ppe': 324663, 'ppe which': 668109, 'is often': 450438, 'often counterfeit': 596180, 'counterfeit or': 210307, 'or faulty': 615280, 'faulty neverforget': 300435, 'neverforget how': 558295, 'they exploited': 882076, 'exploited in': 292413, 'must diversify': 546622, 'diversify supply': 248544, 'line or': 493338, 'or decouplefromchina': 614917, 'china company are': 176575, 'company are using': 190461, 'using their near': 950728, 'their near monopoly': 874038, 'near monopoly on': 553551, 'monopoly on ppe': 537436, 'on ppe to': 602871, 'ppe to price': 668084, 'to price gouge': 912118, 'price gouge charging': 674234, 'gouge charging astronomical': 359189, 'charging astronomical price': 173458, 'astronomical price for': 97262, 'price for ppe': 674028, 'for ppe which': 324672, 'ppe which is': 668110, 'which is often': 986035, 'is often counterfeit': 450439, 'often counterfeit or': 596181, 'counterfeit or faulty': 210308, 'or faulty neverforget': 615281, 'faulty neverforget how': 300436, 'neverforget how they': 558296, 'how they exploited': 408916, 'they exploited in': 882077, 'exploited in our': 292414, 'in our time': 426348, 'our time of': 625146, 'of need we': 586918, 'need we must': 556187, 'we must diversify': 972410, 'must diversify supply': 546623, 'diversify supply line': 248545, 'supply line or': 825511, 'line or decouplefromchina': 493339, 'abundance': 27585, 'totinosarelifenow': 926422, 'socialdistancing called': 780269, 'called the': 156453, 'were busy': 979404, 'busy before': 144873, 'only grab': 610538, 'grab necessity': 361511, 'necessity apparently': 554167, 'apparently frozen': 81937, 'now necessity': 575337, 'necessity not': 554245, 'because needed': 119268, 'needed it': 556410, 'in abundance': 419992, 'abundance totinosarelifenow': 27594, 'day of socialdistancing': 228103, 'of socialdistancing called': 589849, 'socialdistancing called the': 780270, 'called the grocery': 156456, 'store to see': 810812, 'if they were': 415137, 'they were busy': 883756, 'were busy before': 979405, 'busy before going': 144874, 'going to only': 355664, 'to only grab': 910971, 'only grab necessity': 610539, 'grab necessity apparently': 361512, 'necessity apparently frozen': 554168, 'apparently frozen pizza': 81938, 'frozen pizza is': 339005, 'pizza is now': 657178, 'is now necessity': 450304, 'now necessity not': 575338, 'necessity not because': 554246, 'not because needed': 568490, 'because needed it': 119270, 'needed it but': 556411, 'it but because': 456946, 'but because it': 145270, 'only thing in': 611306, 'thing in abundance': 884428, 'in abundance totinosarelifenow': 419995, 'wiping store': 996529, 'wipe is': 996304, 'is faster': 447751, 'faster hard': 300104, 'put item': 690652, 'the uv': 870608, 'uv box': 951467, 'box with': 137203, 'of sight': 589719, 'sight the': 769060, 'box is': 137094, 'for mail': 323153, 'mail and': 508571, 'package outside': 633363, 'outside first': 629420, 'first then': 309061, 'then item': 877290, 'item inside': 463376, 'inside still': 439386, 'out process': 627069, 'process have': 679907, 'still use': 801360, 'sanitizer throw': 735900, 'away bag': 105790, 'wiping store item': 996530, 'store item with': 808606, 'item with disinfectant': 463838, 'with disinfectant wipe': 998086, 'disinfectant wipe is': 245814, 'wipe is faster': 996306, 'is faster hard': 447753, 'faster hard to': 300105, 'hard to put': 378082, 'to put item': 912594, 'put item in': 690653, 'in the uv': 429642, 'the uv box': 870609, 'uv box with': 951469, 'box with line': 137204, 'with line of': 999239, 'line of sight': 493312, 'of sight the': 589720, 'sight the uv': 769061, 'uv box is': 951468, 'box is great': 137095, 'is great for': 448196, 'great for mail': 362681, 'for mail and': 323154, 'mail and package': 508573, 'and package outside': 68611, 'package outside first': 633364, 'outside first then': 629421, 'first then item': 309062, 'then item inside': 877291, 'item inside still': 463377, 'inside still working': 439387, 'still working out': 801439, 'working out process': 1008850, 'out process have': 627070, 'process have to': 679908, 'have to still': 383308, 'to still use': 915414, 'still use hand': 801361, 'hand sanitizer throw': 375626, 'sanitizer throw away': 735901, 'throw away bag': 895010, 'the affect': 848396, 'affect those': 34264, 'those entering': 891970, 'entering public': 278413, 'public bus': 687903, 'bus if': 143050, 'city like': 179240, 'like lagos': 490619, 'lagos and': 478920, 'enter public': 278281, 'bus please': 143069, 'of how doe': 584821, 'how doe the': 407750, 'doe the affect': 251604, 'the affect those': 848402, 'affect those entering': 34265, 'those entering public': 891971, 'entering public bus': 278414, 'public bus if': 687904, 'bus if you': 143051, 'live in city': 495851, 'in city like': 421480, 'city like lagos': 179241, 'like lagos and': 490620, 'lagos and you': 478922, 'and you enter': 76016, 'you enter public': 1018427, 'enter public bus': 278282, 'public bus please': 687905, 'bus please listen': 143071, 'listen to this': 494757, 'to this post': 917453, 'with brave': 997467, 'worker compared': 1006678, 'pandemic with brave': 637025, 'with brave worker': 997468, 'brave worker compared': 138248, 'worker compared to': 1006679, 'wastage': 968054, 'derry': 237891, 'londonderry': 501238, 'belfast': 126150, 'food how': 314865, 'about donating': 25124, 'bank it': 109956, 'it concern': 457253, 'concern me': 193015, 'purchasing there': 689931, 'be terrible': 117548, 'terrible wastage': 838454, 'wastage of': 968057, 'strain and': 812263, 'family will': 298380, 'be suffering': 117440, 'suffering derry': 817293, 'derry londonderry': 237892, 'londonderry belfast': 501239, 'can of food': 159088, 'of food how': 583713, 'food how about': 314866, 'how about donating': 407278, 'about donating to': 25126, 'donating to food': 254521, 'food bank it': 313591, 'bank it concern': 109957, 'it concern me': 457254, 'concern me that': 193016, 'me that in': 523616, 'that in all': 844446, 'the panic purchasing': 863215, 'panic purchasing there': 638454, 'purchasing there will': 689932, 'will be terrible': 992718, 'be terrible wastage': 117549, 'terrible wastage of': 838455, 'wastage of food': 968058, 'of food so': 583780, 'business are feeling': 143366, 'the strain and': 868185, 'strain and family': 812264, 'and family will': 62678, 'family will be': 298381, 'will be suffering': 992710, 'be suffering derry': 117441, 'suffering derry londonderry': 817294, 'derry londonderry belfast': 237893, 'mexican': 529976, 'tamale': 834089, 'bugin': 141920, 'dinnerandamovie': 243120, 'flinn': 310586, 'mexican be': 529977, 'like tamale': 491296, 'tamale bugin': 834090, 'bugin dinnerandamovie': 141921, 'dinnerandamovie tp': 243121, 'toiletpaper flinn': 921988, 'flinn spring': 310587, 'spring california': 791184, 'mexican be like': 529978, 'be like tamale': 115747, 'like tamale bugin': 491297, 'tamale bugin dinnerandamovie': 834091, 'bugin dinnerandamovie tp': 141922, 'dinnerandamovie tp toiletpaper': 243122, 'tp toiletpaper flinn': 927995, 'toiletpaper flinn spring': 921989, 'flinn spring california': 310588, 'the what': 871415, 'surrounding the what': 828780, 'the what the': 871418, 'qsrs': 691606, 'drivethru': 259873, 'qsr': 691601, 'industry leader': 435958, 'leader are': 483421, 'see self': 745657, 'service the': 752928, 'protect staff': 684950, 'and guest': 64036, 'guest however': 368162, 'however qsrs': 409444, 'qsrs see': 691609, 'new operational': 559219, 'operational challenge': 613296, 'ensure great': 277954, 'great guest': 362707, 'guest experience': 368154, 'experience drivethru': 291346, 'drivethru qsr': 259876, 'qsr fastfood': 691604, 'industry leader are': 435959, 'leader are beginning': 483424, 'beginning to see': 123674, 'to see self': 914063, 'see self service': 745658, 'self service the': 747907, 'service the best': 752930, 'way to protect': 970074, 'to protect staff': 912332, 'protect staff and': 684951, 'staff and guest': 792143, 'and guest however': 64037, 'guest however qsrs': 368163, 'however qsrs see': 409445, 'qsrs see an': 691610, 'in demand they': 422161, 'demand they must': 236375, 'they must face': 882705, 'must face new': 546649, 'face new operational': 294637, 'new operational challenge': 559220, 'operational challenge to': 613297, 'challenge to ensure': 171577, 'to ensure great': 905163, 'ensure great guest': 277955, 'great guest experience': 362708, 'guest experience drivethru': 368155, 'experience drivethru qsr': 291347, 'drivethru qsr fastfood': 259877, 'pooping': 664080, 'illustrator': 416471, 'illustration': 416449, 'cartoonist': 165535, 'doodle': 255426, 'cartoonofinstagram': 165538, 'sketchbook': 772902, 'home cartoon': 400885, 'cartoon pooping': 165529, 'pooping 12': 664081, '12 stayhome': 2959, 'stayhome drawing': 797986, 'drawing drawing': 258512, 'drawing illustrator': 258518, 'illustrator illustration': 416472, 'illustration illustration': 416457, 'illustration cartoon': 416450, 'cartoon cartoonist': 165507, 'cartoonist doodle': 165536, 'doodle cartoonofinstagram': 255427, 'cartoonofinstagram sketch': 165539, 'sketch sketchbook': 772891, 'sketchbook toiletpaper': 772905, 'home stay home': 402122, 'stay home cartoon': 796948, 'home cartoon pooping': 400886, 'cartoon pooping 12': 165530, 'pooping 12 stayhome': 664082, '12 stayhome drawing': 2960, 'stayhome drawing drawing': 797987, 'drawing drawing illustrator': 258513, 'drawing illustrator illustration': 258519, 'illustrator illustration illustration': 416473, 'illustration illustration cartoon': 416458, 'illustration cartoon cartoonist': 416451, 'cartoon cartoonist doodle': 165508, 'cartoonist doodle cartoonofinstagram': 165537, 'doodle cartoonofinstagram sketch': 255428, 'cartoonofinstagram sketch sketchbook': 165540, 'sketch sketchbook toiletpaper': 772892, 'just saying': 469710, 'saying work': 739766, 'in little': 424800, 'little store': 495585, 'have fresh': 380718, 'veg bread': 953730, 'product daily': 681109, 'daily small': 224803, 'small instore': 775000, 'instore bakery': 440496, 'bakery we': 108892, 'every morning': 286024, 'morning much': 541358, 'shop get': 760235, 'get angry': 346558, 'angry at': 76459, 'staff we': 793054, 'doing our': 252590, 'just saying work': 469717, 'saying work in': 739768, 'work in little': 1005320, 'in little store': 424802, 'little store we': 495587, 'store we have': 811173, 'we have fresh': 971821, 'have fresh fruit': 380720, 'fruit veg bread': 339165, 'veg bread milk': 953732, 'bread milk grocery': 138529, 'milk grocery product': 531695, 'grocery product daily': 364878, 'product daily small': 681110, 'daily small instore': 224804, 'small instore bakery': 775001, 'instore bakery we': 440497, 'bakery we stock': 108893, 'stock up every': 803079, 'up every morning': 944807, 'every morning much': 286029, 'morning much we': 541359, 'much we have': 545439, 'we have so': 971942, 'have so please': 382601, 'so please do': 778019, 'not come into': 568796, 'come into my': 187390, 'into my shop': 442789, 'my shop get': 550047, 'shop get angry': 760236, 'get angry at': 346559, 'angry at my': 76461, 'at my staff': 99830, 'my staff we': 550188, 'staff we are': 793056, 'are doing our': 85917, 'doing our best': 252591, 'iceberg': 412687, 'scam top': 740431, 'top 15': 925521, '00 news': 365, 'news feed': 560400, 'feed american': 302272, 'lost nearly': 503894, 'nearly 12': 553755, 'likely just': 492039, 'the tip': 869651, 'tip of': 898844, 'the iceberg': 857813, 'iceberg get': 412688, 'get helpful': 347212, 'tip here': 898816, 'consumer complaint about': 196848, 'complaint about covid': 191927, '19 scam top': 10351, 'scam top 15': 740432, 'top 15 00': 925522, '15 00 news': 3631, '00 news feed': 366, 'news feed american': 560401, 'feed american consumer': 302273, 'american consumer have': 51893, 'consumer have already': 197706, 'have already lost': 379193, 'already lost nearly': 47514, 'lost nearly 12': 503895, 'nearly 12 million': 553756, '12 million to': 2890, 'million to covid': 532383, 'scam and this': 740022, 'is likely just': 449349, 'likely just the': 492040, 'just the tip': 470017, 'the tip of': 869652, 'tip of the': 898845, 'of the iceberg': 591118, 'the iceberg get': 857814, 'iceberg get helpful': 412689, 'get helpful tip': 347213, 'helpful tip here': 391237, 'amidst 19': 52771, 'shopping amidst 19': 761946, 'amidst 19 pandemic': 52772, 'testimonial': 839410, 'and condition': 60262, 're introducing': 698915, 'introducing new': 443496, 'new series': 559562, 'series on': 751283, 'website on': 975372, 'on work': 605363, 'coronavirus for': 205941, 'first feature': 308668, 'feature we': 301566, 'have testimonial': 382944, 'testimonial of': 839411, 'have story': 382797, 'share dm': 754983, 'to highlight the': 907756, 'highlight the life': 395970, 'the life and': 859336, 'life and condition': 488473, 'and condition of': 60265, 'condition of worker': 193501, 'of worker we': 593285, 'worker we re': 1008147, 'we re introducing': 972900, 're introducing new': 698917, 'introducing new series': 443499, 'new series on': 559564, 'series on our': 751286, 'our website on': 625347, 'website on work': 975373, 'on work in': 605367, 'of coronavirus for': 581936, 'coronavirus for our': 205943, 'for our first': 324242, 'our first feature': 623080, 'first feature we': 308669, 'feature we have': 301567, 'we have testimonial': 971959, 'have testimonial of': 382945, 'testimonial of grocery': 839412, 'store worker do': 811482, 'worker do you': 1006794, 'you have story': 1019121, 'have story to': 382798, 'story to share': 812141, 'to share dm': 914339, 'capital economics': 162651, 'economics that': 267488, 'it lower': 459476, 'lower than': 506005, 'than during': 840528, 'early 2016': 264525, '2016 or': 13838, 'or late': 615927, 'late 2018': 480840, '2018 price': 13890, 'crash while': 215051, 'the hit': 857392, 'is weighing': 453830, 'weighing heavily': 977677, 'fall also': 296816, 'also reflect': 48773, 'reflect potentially': 706620, 'potentially seismic': 667241, 'seismic shift': 747422, 'market more': 516733, 'more below': 538717, 'below cdnecon': 126611, 'capital economics that': 162653, 'economics that left': 267489, 'that left it': 844866, 'left it lower': 485531, 'it lower than': 459478, 'lower than during': 506008, 'than during the': 840529, 'during the early': 263119, 'the early 2016': 853818, 'early 2016 or': 264526, '2016 or late': 13839, 'or late 2018': 615928, 'late 2018 price': 480842, '2018 price crash': 13891, 'price crash while': 673330, 'crash while the': 215052, 'while the hit': 987394, 'the hit to': 857397, 'hit to demand': 398473, 'to demand from': 904144, 'from the outbreak': 337819, 'outbreak is weighing': 628389, 'is weighing heavily': 453831, 'weighing heavily on': 977678, 'heavily on price': 388596, 'on price the': 602919, 'price the fall': 676833, 'the fall also': 854866, 'fall also reflect': 296817, 'also reflect potentially': 48774, 'reflect potentially seismic': 706621, 'potentially seismic shift': 667242, 'seismic shift in': 747423, 'shift in the': 758330, 'in the global': 429235, 'oil market more': 596949, 'market more below': 516734, 'more below cdnecon': 538718, 'injecting': 438697, 'withdraw': 1002254, 'injecting money': 438698, 'money into': 536837, 'and lowering': 66464, 'lowering interest': 506113, 'rate will': 697415, 'economic problem': 267213, 'problem people': 679647, 'longer earning': 501969, 'earning they': 264879, 'they withdraw': 883902, 'withdraw fund': 1002255, 'from bank': 334631, 'food government': 314700, 'government measure': 360352, 'measure have': 525213, 'stopped demand': 805695, 'injecting money into': 438699, 'money into the': 536839, 'into the economy': 443120, 'economy and lowering': 267650, 'and lowering interest': 66467, 'lowering interest rate': 506114, 'interest rate will': 441406, 'rate will not': 697418, 'solve the economic': 782161, 'the economic problem': 853910, 'economic problem people': 267214, 'problem people are': 679648, 'are losing their': 87901, 'job and no': 465636, 'and no longer': 67622, 'no longer earning': 564645, 'longer earning they': 501970, 'earning they withdraw': 264881, 'they withdraw fund': 883903, 'withdraw fund from': 1002256, 'fund from bank': 341417, 'from bank to': 334633, 'bank to buy': 110254, 'buy food government': 148651, 'food government measure': 314702, 'government measure have': 360355, 'measure have stopped': 525216, 'have stopped demand': 382785, 'stopped demand for': 805696, 'for non essential': 323900, 'non essential product': 566351, 'changing track': 172835, 'track to': 928231, '19 how company': 7599, 'company are changing': 190416, 'are changing track': 85245, 'changing track to': 172836, 'track to join': 928234, 'to join the': 908684, 'protects': 685834, 'gotta hit': 359083, 'today hope': 919659, 'mask protects': 519165, 'protects me': 685839, 'me mask': 523144, 'mask safetyfirst': 519207, 'safetyfirst hollywood': 730801, 'gotta hit the': 359084, 'store today hope': 810846, 'today hope the': 919662, 'hope the mask': 403681, 'the mask protects': 860225, 'mask protects me': 519166, 'protects me mask': 685840, 'me mask safetyfirst': 523145, 'mask safetyfirst hollywood': 519208, 'liveblog': 496139, 'the liveblog': 859505, 'liveblog free': 496140, 'free software': 332186, 'software open': 781542, 'to iga': 908105, 'iga shopper': 415686, 'shopper update': 761790, 'on changing': 599870, 'hour food': 405591, 'retail restaurant': 718454, 'restaurant distributor': 716424, 'distributor partner': 248308, 'partner up': 642888, 'on the liveblog': 604216, 'the liveblog free': 859506, 'liveblog free software': 496141, 'free software open': 332187, 'software open letter': 781543, 'letter to iga': 487364, 'to iga shopper': 908106, 'iga shopper update': 415687, 'shopper update on': 761791, 'update on changing': 947109, 'on changing store': 599873, 'changing store hour': 172804, 'store hour food': 808199, 'hour food retail': 405592, 'food retail restaurant': 316211, 'retail restaurant distributor': 718457, 'restaurant distributor partner': 716425, 'distributor partner up': 248309, 'partner up more': 642889, 'reflects': 706678, 'mobile app': 534939, 'app usage': 81790, 'usage reflects': 948851, 'reflects people': 706684, 'people daily': 647598, 'likely that': 492112, 'behaviour across': 124347, 'across many': 29382, 'many industry': 514187, 'industry via': 436209, 'mobile app usage': 534943, 'app usage reflects': 81791, 'usage reflects people': 948852, 'reflects people daily': 706685, 'people daily need': 647600, 'daily need and': 224711, 'need and it': 554428, 'and it is': 65542, 'is likely that': 449353, 'likely that the': 492115, 'that the outbreak': 846792, 'outbreak will cause': 628823, 'will cause more': 992893, 'cause more change': 167657, 'in the consumer': 429091, 'consumer behaviour across': 196549, 'behaviour across many': 124348, 'across many industry': 29383, 'many industry via': 514191, 'carrot': 165040, 'supermarket bunch': 819431, 'of pharmacy': 588088, 'up basic': 944455, 'basic stuff': 112064, 'stuff need': 815136, 'need learned': 555151, 'learned today': 484156, 'like carrot': 489966, 'carrot bc': 165044, 'of carrot': 581157, 'carrot carrot': 165046, 'carrot nyc': 165058, 'ok so went': 597890, 'the supermarket bunch': 868496, 'supermarket bunch of': 819432, 'bunch of pharmacy': 142633, 'of pharmacy and': 588089, 'pharmacy and grocery': 654213, 'store to pick': 810794, 'pick up basic': 655705, 'up basic stuff': 944458, 'basic stuff need': 112066, 'stuff need learned': 815137, 'need learned today': 555152, 'learned today no': 484158, 'today no one': 919933, 'one like carrot': 606599, 'like carrot bc': 489967, 'carrot bc there': 165045, 'bc there are': 113294, 'plenty of carrot': 660944, 'of carrot carrot': 581158, 'carrot carrot nyc': 165047, 'infra': 438164, 'panic thing': 638703, 'thing remain': 884712, 'lockdown transportation': 500074, 'transportation allowed': 929987, 'allowed with': 46261, 'with restriction': 1000496, 'restriction essential': 717265, 'only enforcement': 610391, 'enforcement infra': 276773, 'infra amp': 438165, 'amp chemist': 53523, 'chemist cashier': 175415, 'cashier amp': 166443, 'amp atm': 53418, 'atm item': 101941, 'item ration': 463597, 'ration amp': 697628, 'amp milk': 54137, 'milk shop': 531811, 'shop delivery': 760093, 'food pump': 316078, 'dont panic thing': 255268, 'panic thing remain': 638704, 'thing remain open': 884713, 'remain open during': 709807, 'open during lockdown': 612197, 'during lockdown transportation': 262777, 'lockdown transportation allowed': 500075, 'transportation allowed with': 929988, 'allowed with restriction': 46262, 'with restriction essential': 1000497, 'restriction essential item': 717266, 'essential item only': 281219, 'item only enforcement': 463523, 'only enforcement infra': 610392, 'enforcement infra amp': 276774, 'infra amp chemist': 438166, 'amp chemist cashier': 53524, 'chemist cashier amp': 175416, 'cashier amp atm': 166444, 'amp atm item': 53420, 'atm item ration': 101942, 'item ration amp': 463598, 'ration amp milk': 697629, 'amp milk shop': 54139, 'milk shop delivery': 531812, 'shop delivery food': 760094, 'delivery food pump': 234011, 'sniffed': 776343, 'wa toilet': 963533, '30am in': 17417, 'in safeway': 427626, 'safeway woman': 730860, 'me looked': 523111, 'looked sniffed': 502746, 'sniffed and': 776344, 'said only': 731298, 'only use': 611407, 'use ply': 949489, 'ply the': 661786, 'great toilet': 363076, 'paper rush': 640706, '2020 is': 14404, 'is finally': 447804, 'finally over': 306065, 'there wa toilet': 879278, 'wa toilet paper': 963534, 'morning at 30am': 541177, 'at 30am in': 97605, '30am in safeway': 17418, 'in safeway woman': 427627, 'safeway woman in': 730861, 'of me looked': 586335, 'me looked sniffed': 523112, 'looked sniffed and': 502747, 'sniffed and said': 776345, 'and said only': 70772, 'said only use': 731299, 'only use ply': 611410, 'use ply the': 949490, 'ply the great': 661787, 'the great toilet': 856735, 'great toilet paper': 363077, 'toilet paper rush': 921427, 'paper rush of': 640707, 'rush of 2020': 728313, 'of 2020 is': 579496, '2020 is finally': 14405, 'is finally over': 447807, 'finally over toiletpaper': 306066, 'over toiletpaper hoarding': 630854, 'flooded': 310725, 'shell egg': 757873, 'have doubled': 380347, 'doubled over': 256131, 'past two': 643631, 'week related': 976805, 'related concern': 708393, 'concern have': 192989, 'have flooded': 380639, 'flooded retail': 310730, 'with shopper': 1000687, 'in pursuit': 427136, 'pursuit of': 690225, 'household necessity': 406885, 'necessity being': 554183, 'being one': 125491, 'most widely': 542912, 'widely targeted': 991788, 'targeted item': 834550, 'shell egg price': 757874, 'egg price have': 269960, 'price have doubled': 674425, 'have doubled over': 380350, 'doubled over the': 256132, 'the past two': 863367, 'past two week': 643632, 'two week related': 937357, 'week related concern': 976806, 'related concern have': 708394, 'concern have flooded': 192990, 'have flooded retail': 380640, 'flooded retail store': 310731, 'retail store with': 718731, 'store with shopper': 811401, 'with shopper in': 1000689, 'shopper in pursuit': 761565, 'in pursuit of': 427137, 'pursuit of household': 690226, 'of household necessity': 584798, 'household necessity being': 406886, 'necessity being one': 554184, 'being one of': 125492, 'the most widely': 861064, 'most widely targeted': 542913, 'widely targeted item': 991789, 'by tipping': 154550, 'tipping extra': 898986, 'extra and': 293451, 'and signing': 71663, 'support your food': 827015, 'your food service': 1023925, 'service worker by': 753090, 'worker by tipping': 1006575, 'by tipping extra': 154551, 'tipping extra and': 898987, 'extra and signing': 293452, 'and signing this': 71664, 'signing this please': 769651, 'outdoor': 628885, 'zoek': 1027677, 'ha over': 371463, '200 outdoor': 13523, 'outdoor location': 628898, 'location throughout': 498969, 'throughout uk': 894999, 'uk ha': 938427, 'ha pledged': 371502, 'keep many': 471649, 'many possible': 514569, 'possible open': 665731, 'public over': 688210, 'week will': 977250, 'charge it': 173269, 'it usual': 462002, 'usual ticket': 951040, 'price read': 676095, 'more zoek': 541036, 'zoek cov': 1027678, 'which ha over': 985894, 'ha over 200': 371464, 'over 200 outdoor': 629806, '200 outdoor location': 13524, 'outdoor location throughout': 628900, 'location throughout uk': 498970, 'throughout uk ha': 895000, 'uk ha pledged': 938434, 'ha pledged to': 371503, 'pledged to keep': 660870, 'to keep many': 908811, 'keep many possible': 471650, 'many possible open': 514570, 'possible open to': 665732, 'the public over': 864842, 'public over the': 688211, 'coming week will': 188289, 'week will not': 977255, 'will not charge': 994196, 'not charge it': 568741, 'charge it usual': 173270, 'it usual ticket': 462003, 'usual ticket price': 951041, 'ticket price read': 895656, 'price read more': 676100, 'read more zoek': 700460, 'more zoek cov': 541037, 'delirious': 233067, 'distributed 47': 248028, '47 covid': 19253, 'relief grant': 709360, 'grant in': 362033, 'in 24': 419888, 'little delirious': 495310, 'delirious from': 233068, 'constant email': 195613, 'call but': 155803, 'it worth': 462562, 'what most': 981886, 'store gift': 807931, 'card because': 163470, 'cannot buy': 161686, 'distributed 47 covid': 248029, '47 covid 19': 19254, '19 relief grant': 10081, 'relief grant in': 709361, 'grant in 24': 362034, 'in 24 hour': 419889, '24 hour and': 15611, 'hour and little': 405402, 'and little delirious': 66240, 'little delirious from': 495311, 'delirious from all': 233069, 'all the constant': 44695, 'the constant email': 851475, 'constant email and': 195614, 'email and call': 272110, 'and call but': 59412, 'call but it': 155804, 'but it worth': 146181, 'it worth it': 462568, 'worth it you': 1011386, 'it you know': 462644, 'know what most': 476967, 'what most people': 981887, 'most people need': 542621, 'people need grocery': 648825, 'need grocery store': 554931, 'grocery store gift': 365428, 'store gift card': 807932, 'gift card because': 349936, 'card because they': 163472, 'they are running': 881394, 'food and cannot': 313192, 'and cannot buy': 59507, 'cannot buy more': 161694, 'economy politico': 268144, 'politico politics': 663774, 'the economy politico': 854006, 'economy politico politics': 268145, 'will you still': 995399, 'you still be': 1021399, 'still be paid': 800264, 'be paid and': 116331, 'paid and if': 633965, 'and if so': 64949, 'if so how': 414827, 'so how much': 777342, 'paper wa': 641049, 'late there': 480923, 'were only': 979938, 'only empty': 610387, 'shelf did': 756984, 'not post': 571059, 'shelf on': 757375, 'any social': 79825, 'platform you': 659065, 're welcome': 699795, 'supermarket today to': 823471, 'today to buy': 920350, 'toilet paper wa': 921515, 'paper wa too': 641055, 'wa too late': 963551, 'too late there': 924839, 'late there were': 480924, 'there were only': 879327, 'were only empty': 979942, 'only empty shelf': 610388, 'empty shelf did': 275057, 'shelf did not': 756985, 'did not post': 240727, 'not post photo': 571060, 'empty shelf on': 275082, 'shelf on any': 757376, 'on any social': 599407, 'any social medium': 79827, 'medium platform you': 527227, 'platform you re': 659067, 'you re welcome': 1020791, 'browne': 141264, '1840': 4638, 'browne drug': 141265, 'drug co': 260906, 'co is': 184861, 'nation oldest': 552276, 'oldest skincare': 598698, 'skincare company': 773093, 'company it': 190819, 'business since': 144382, 'since 1840': 770411, '1840 now': 4641, 'browne drug co': 141266, 'drug co is': 260908, 'co is one': 184863, 'the nation oldest': 861254, 'nation oldest skincare': 552277, 'oldest skincare company': 598699, 'skincare company it': 773094, 'company it been': 190820, 'it been in': 456795, 'been in business': 121336, 'in business since': 421080, 'business since 1840': 144383, 'since 1840 now': 770412, '1840 now it': 4642, 'now it making': 575123, 'it making hand': 459523, 'sanitizer in response': 735154, 'wfp': 980871, 'rome italy': 725746, 'programme wfp': 683353, 'rome italy the': 725748, 'italy the unfolding': 462945, 'food programme wfp': 316061, 'competiscan': 191649, 'the competiscan': 851369, 'competiscan insight': 191650, 'insight team': 439642, 'team just': 835714, 'released study': 709084, 'perception regarding': 651246, '19 client': 5841, 'client can': 182013, 'on competiscan': 599998, 'the competiscan insight': 851370, 'competiscan insight team': 191651, 'insight team just': 439644, 'team just released': 835715, 'just released study': 469600, 'released study on': 709085, 'study on consumer': 814938, 'on consumer perception': 600065, 'consumer perception regarding': 198354, 'perception regarding covid': 651247, 'covid 19 client': 212809, '19 client can': 5842, 'client can access': 182014, 'access the full': 28205, 'full report on': 340855, 'report on competiscan': 712141, 'rep': 711410, 'someone contact': 784410, 'were working': 980355, 'retail job': 718254, 'wa refusing': 963077, 'fear about': 301003, 'getting paid': 349175, 'leave employee': 484776, 'were having': 979723, 'cut employee': 223315, 'employee called': 273700, 'called their': 156463, 'their governor': 873428, 'and rep': 70246, 'rep within': 711434, 'within 24': 1002314, 'hour store': 405960, 'closed paid': 183281, 'had someone contact': 373532, 'someone contact me': 784411, 'contact me they': 200143, 'me they were': 523693, 'they were working': 883819, 'were working retail': 980359, 'working retail job': 1008893, 'retail job at': 718255, 'job at store': 465680, 'at store that': 100663, 'store that wa': 810580, 'that wa refusing': 847307, 'wa refusing to': 963078, 'to close despite': 902866, 'close despite fear': 182606, 'despite fear about': 238738, 'fear about covid': 301004, 'instead of getting': 440264, 'of getting paid': 584126, 'getting paid leave': 349180, 'paid leave employee': 634055, 'leave employee were': 484777, 'employee were having': 274403, 'were having their': 979724, 'having their hour': 384323, 'hour cut employee': 405514, 'cut employee called': 223316, 'employee called their': 273701, 'called their governor': 156464, 'their governor and': 873429, 'governor and rep': 360859, 'and rep within': 70247, 'rep within 24': 711435, 'within 24 hour': 1002315, '24 hour store': 15624, 'hour store closed': 405961, 'store closed paid': 807068, 'closed paid leave': 183282, 'unli': 942685, 'patience': 644098, 'declation': 231290, 'unli stupidity': 942686, 'stupidity run': 815554, 'this admin': 886203, 'admin specially': 32422, 'specially in': 788146, 'crisis historical': 217490, 'historical data': 397981, 'poor food': 664174, 'is recipe': 451344, 'recipe to': 704508, 'social unrest': 779995, 'unrest fear': 943347, 'panic amp': 637287, 'amp chaos': 53517, 'chaos stretching': 173061, 'stretching citizen': 813581, 'citizen patience': 178947, 'patience for': 644102, 'easy ml': 265736, 'ml declation': 534714, 'unli stupidity run': 942687, 'stupidity run in': 815555, 'run in this': 727676, 'in this admin': 429899, 'this admin specially': 886204, 'admin specially in': 32423, 'specially in time': 788148, 'of crisis historical': 582162, 'crisis historical data': 217491, 'historical data reveals': 397982, 'data reveals that': 226389, 'reveals that poor': 720345, 'that poor food': 845788, 'poor food security': 664176, 'food security is': 316357, 'security is recipe': 744660, 'is recipe to': 451346, 'recipe to social': 704510, 'to social unrest': 914827, 'social unrest fear': 779999, 'unrest fear panic': 943348, 'fear panic amp': 301283, 'panic amp chaos': 637288, 'amp chaos stretching': 53518, 'chaos stretching citizen': 173062, 'stretching citizen patience': 813582, 'citizen patience for': 178948, 'patience for an': 644103, 'for an easy': 319276, 'an easy ml': 55566, 'easy ml declation': 265737, 'underemployed': 940420, 'be several': 117111, 'several thousand': 753942, 'thousand healthy': 893398, 'healthy unemployed': 387797, 'unemployed or': 941125, 'or underemployed': 617589, 'underemployed people': 940421, 'why isn': 991132, 'government setting': 360588, 'up temporary': 946134, 'temporary job': 837650, 'job portal': 466092, 'match them': 520308, 'with much': 999590, 'needed vacancy': 556566, 'driver carers': 259476, 'carers and': 164565, 'there will soon': 879365, 'soon be several': 785648, 'be several thousand': 117112, 'several thousand healthy': 753943, 'thousand healthy unemployed': 893399, 'healthy unemployed or': 387798, 'unemployed or underemployed': 941126, 'or underemployed people': 617590, 'underemployed people why': 940422, 'people why isn': 650374, 'why isn the': 991134, 'isn the government': 454708, 'the government setting': 856600, 'government setting up': 360589, 'setting up temporary': 753659, 'up temporary job': 946135, 'temporary job portal': 837652, 'job portal to': 466093, 'portal to match': 664958, 'to match them': 909894, 'match them with': 520309, 'them with much': 876651, 'with much needed': 999593, 'much needed vacancy': 545172, 'needed vacancy for': 556567, 'vacancy for delivery': 951561, 'for delivery driver': 320633, 'delivery driver carers': 233895, 'driver carers and': 259477, 'carers and supermarket': 164567, 'and supermarket shelf': 72736, 'supermarket shelf stacker': 822533, 'credited': 216565, 'story wa': 812151, 'wa published': 963008, 'published by': 688642, 'person credited': 652390, 'credited did': 216566, 'not seem': 571500, 'write it': 1012770, 'it memo': 459599, 'memo from': 528402, 'manager re': 512775, 're panicbuying': 699238, 'this story wa': 890369, 'story wa published': 812152, 'wa published by': 963009, 'published by but': 688643, 'by but the': 152032, 'but the person': 147382, 'the person credited': 863581, 'person credited did': 652391, 'credited did not': 216567, 'did not seem': 240732, 'not seem to': 571502, 'seem to write': 746702, 'to write it': 918863, 'write it memo': 1012771, 'it memo from': 459600, 'memo from grocery': 528403, 'store manager re': 808887, 'manager re panicbuying': 512776, 'gamestop': 343320, 'believe have': 126271, 'but on': 146655, 'my best': 547431, 'is stuck': 452400, 'in gamestop': 423213, 'gamestop retail': 343340, 'retail hell': 718180, 'hell because': 388986, 'because her': 119123, 'store refuse': 809779, 'close if': 182664, 'are quarantined': 89371, 'quarantined because': 692828, 'were exposed': 979602, 'buy video': 149430, 'game selfish': 343240, 'cannot believe have': 161667, 'believe have to': 126273, 'to say this': 913847, 'this but on': 886645, 'but on behalf': 146657, 'behalf of my': 123759, 'of my best': 586734, 'my best friend': 547434, 'best friend who': 127704, 'who is stuck': 989118, 'is stuck in': 452402, 'stuck in gamestop': 814592, 'in gamestop retail': 423214, 'gamestop retail hell': 343341, 'retail hell because': 718181, 'hell because her': 388987, 'because her store': 119124, 'her store refuse': 392411, 'store refuse to': 809780, 'refuse to close': 707032, 'to close if': 902878, 'close if you': 182668, 'you are quarantined': 1017210, 'are quarantined because': 89372, 'quarantined because you': 692829, 'because you were': 119881, 'you were exposed': 1022246, 'were exposed to': 979603, '19 do not': 6595, 'do not leave': 249774, 'not leave your': 570354, 'your house to': 1024421, 'house to buy': 406624, 'to buy video': 902333, 'buy video game': 149431, 'video game selfish': 956760, 'game selfish asshole': 343241, 'of 900': 579682, '900 consumer': 23370, 'retail business': 717899, 'find million': 307061, 'in lost': 424932, 'lost sale': 503911, 'sale so': 732531, 'far due': 298758, 'survey of 900': 828909, 'of 900 consumer': 579684, '900 consumer product': 23371, 'product and retail': 680905, 'and retail business': 70426, 'retail business find': 717906, 'business find million': 143740, 'find million in': 307062, 'million in lost': 532195, 'in lost sale': 424934, 'lost sale so': 503914, 'sale so far': 732533, 'so far due': 777024, 'far due to': 298759, 'ghl': 349654, 'paradigm': 641299, 'rm2': 724261, 'extensive': 293295, 'company update': 191271, 'update ghl': 946999, 'ghl system': 349659, 'system paradigm': 831282, 'paradigm shift': 641300, 'in contactless': 421739, 'payment buy': 645571, 'buy rm2': 149134, 'rm2 15': 724262, '15 we': 3862, 'we remain': 973066, 'remain optimistic': 709835, 'optimistic on': 613934, 'on ghl': 601088, 'ghl long': 349657, 'business prospect': 144275, 'prospect amidst': 684663, 'see increasing': 745303, 'increasing shift': 433691, 'behaviour towards': 124545, 'towards digital': 927180, 'digital payment': 242618, 'payment ghl': 645643, 'ghl extensive': 349655, 'extensive presence': 293310, 'presence in': 670554, 'company update ghl': 191272, 'update ghl system': 947000, 'ghl system paradigm': 349660, 'system paradigm shift': 831283, 'paradigm shift in': 641301, 'shift in contactless': 758321, 'in contactless payment': 421740, 'contactless payment buy': 200375, 'payment buy rm2': 645572, 'buy rm2 15': 149135, 'rm2 15 we': 724263, '15 we remain': 3863, 'we remain optimistic': 973073, 'remain optimistic on': 709837, 'optimistic on ghl': 613935, 'on ghl long': 601089, 'ghl long term': 349658, 'long term business': 501673, 'term business prospect': 838075, 'business prospect amidst': 144276, 'prospect amidst covid': 684664, 'pandemic we see': 636949, 'we see increasing': 973161, 'see increasing shift': 745304, 'increasing shift in': 433692, 'in consumer behaviour': 421685, 'consumer behaviour towards': 196605, 'behaviour towards digital': 124546, 'towards digital payment': 927182, 'digital payment ghl': 242621, 'payment ghl extensive': 645644, 'ghl extensive presence': 349656, 'extensive presence in': 293311, 'artisan': 94559, 'buttock': 148194, 'sandpaper': 733712, 'woodworking': 1004333, 'cabinetry': 155004, 'all wipe': 45476, 'wipe our': 996340, 'our artisan': 622123, 'artisan buttock': 94560, 'buttock with': 148197, 'with only': 999910, 'slightly refined': 773972, 'refined wood': 706578, 'wood based': 1004272, 'based paper': 111711, 'start whole': 794642, 'new line': 559038, 'it buttock': 456966, 'buttock in': 148195, 'the raw': 865187, 'raw toiletpaper': 697996, 'toiletpaper artisan': 921754, 'artisan toiletpaper': 94562, 'toiletpaper sandpaper': 922434, 'sandpaper woodworking': 733715, 'woodworking cabinetry': 1004334, 'let all wipe': 486576, 'all wipe our': 45477, 'wipe our artisan': 996342, 'our artisan buttock': 622124, 'artisan buttock with': 94561, 'buttock with only': 148198, 'with only slightly': 999916, 'only slightly refined': 611154, 'slightly refined wood': 773973, 'refined wood based': 706579, 'wood based paper': 1004273, 'based paper think': 111712, 'paper think we': 640903, 'think we should': 885772, 'we should start': 973294, 'should start whole': 766492, 'start whole new': 794643, 'whole new line': 990271, 'new line of': 559039, 'line of tp': 493319, 'tp and call': 927739, 'and call it': 59414, 'call it buttock': 155950, 'it buttock in': 456967, 'buttock in the': 148196, 'in the raw': 429498, 'the raw toiletpaper': 865190, 'raw toiletpaper artisan': 697997, 'toiletpaper artisan toiletpaper': 921755, 'artisan toiletpaper sandpaper': 94563, 'toiletpaper sandpaper woodworking': 922435, 'sandpaper woodworking cabinetry': 733716, 'worshipping': 1011132, 'madmax': 508138, 'next mad': 561437, 'mad max': 507549, 'max movie': 520760, 'movie they': 544080, 'be fighting': 114833, 'paper social': 640796, 'distancing worshipping': 247661, 'worshipping the': 1011135, 'to purell': 912561, 'purell madmax': 690017, 'madmax toiletpaper': 508143, 'the next mad': 861678, 'next mad max': 561438, 'mad max movie': 507552, 'max movie they': 520761, 'movie they ll': 544082, 'll be fighting': 496586, 'be fighting for': 114834, 'fighting for toilet': 305085, 'toilet paper social': 921456, 'paper social distancing': 640797, 'social distancing worshipping': 779773, 'distancing worshipping the': 247662, 'worshipping the road': 1011136, 'the road to': 865937, 'road to purell': 724525, 'to purell madmax': 912562, 'purell madmax toiletpaper': 690018, 'florida pandemic': 310967, 'gouging 10': 359228, '10 pack': 1598, '90 and': 23273, 'and 90': 57520, 'ship it': 758690, 'florida pandemic price': 310968, 'pandemic price gouging': 636234, 'price gouging 10': 674250, 'gouging 10 pack': 359229, '10 pack of': 1600, 'paper for 90': 640173, 'for 90 and': 318946, '90 and 90': 23274, 'and 90 to': 57521, '90 to ship': 23352, 'to ship it': 914427, 'my mind': 549241, 'mind how': 532674, 'doe journalism': 251443, 'journalism survive': 467416, 'and mean': 66842, 'mean journalism': 524515, 'journalism not': 467412, 'not news': 570691, 'news because': 560267, 'there whole': 879351, 'whole lot': 990255, 'of value': 592737, 'value we': 952234, 've under': 953642, 'under estimated': 940077, 'estimated in': 282294, 'in under': 430413, 'threat b2b': 893646, 'b2b and': 106453, 'consumer title': 199301, 'title too': 899299, 'here the big': 393642, 'the big question': 849616, 'big question on': 129943, 'question on my': 693677, 'on my mind': 602296, 'my mind how': 549243, 'mind how doe': 532675, 'how doe journalism': 407743, 'doe journalism survive': 251444, 'journalism survive the': 467417, 'crisis and mean': 217034, 'and mean journalism': 66845, 'mean journalism not': 524516, 'journalism not news': 467413, 'not news because': 570692, 'news because there': 560268, 'because there whole': 119678, 'there whole lot': 879352, 'whole lot of': 990257, 'lot of value': 504319, 'of value we': 592740, 'value we ve': 952236, 'we ve under': 973719, 've under estimated': 953643, 'under estimated in': 940078, 'estimated in under': 282295, 'in under threat': 430417, 'under threat b2b': 940362, 'threat b2b and': 893647, 'b2b and consumer': 106454, 'and consumer title': 60437, 'consumer title too': 199303, 'behavior researcher': 124176, 'researcher explains': 713908, 'consumer behavior researcher': 196509, 'behavior researcher explains': 124177, 'researcher explains why': 713909, 'explains why people': 292261, 'paper amid the': 639794, 'hoodi': 403322, 'tia': 895568, 'bangalore folk': 109459, 'folk how': 312180, 'you managing': 1019776, 'managing to': 512910, 'vegetable almost': 953918, 'almost all': 46529, 'portal are': 664939, 'are non': 88294, 'non functional': 566400, 'functional in': 341302, 'area hoodi': 92055, 'hoodi pls': 403323, 'pls suggest': 661186, 'suggest if': 817516, 'help tia': 390759, 'tia lockdown': 895569, 'bangalore folk how': 109460, 'folk how are': 312181, 'are you managing': 91820, 'you managing to': 1019778, 'managing to get': 512911, 'get grocery and': 347162, 'grocery and vegetable': 364267, 'and vegetable almost': 74876, 'vegetable almost all': 953919, 'almost all of': 46537, 'of the online': 591294, 'shopping portal are': 763653, 'portal are non': 664940, 'are non functional': 88296, 'non functional in': 566401, 'functional in my': 341303, 'my area hoodi': 547296, 'area hoodi pls': 92056, 'hoodi pls suggest': 403324, 'pls suggest if': 661187, 'suggest if you': 817517, 'have any idea': 379307, 'any idea that': 79339, 'idea that could': 413180, 'that could help': 843353, 'could help tia': 209296, 'help tia lockdown': 390760, 'anticipating': 78477, 'washington are': 967765, 'are anticipating': 84570, 'anticipating surge': 78482, 'service business': 752183, 'business closure': 143541, 'layoff related': 482705, '19 continue': 6025, 'to ramp': 912744, 'up throughout': 946299, 'bank in washington': 109930, 'in washington are': 430708, 'washington are anticipating': 967766, 'are anticipating surge': 84571, 'anticipating surge in': 78483, 'demand for their': 235506, 'their service business': 874656, 'service business closure': 752184, 'business closure and': 143542, 'closure and layoff': 183838, 'and layoff related': 66002, 'layoff related to': 482706, 'covid 19 continue': 212855, '19 continue to': 6026, 'continue to ramp': 201240, 'to ramp up': 912745, 'ramp up throughout': 696448, 'up throughout the': 946300, 'throughout the state': 894983, 'watering': 969281, '2023': 14814, 'catapulted': 166928, 'retail sale': 718500, 'reach an': 699893, 'eye watering': 294121, 'watering trillion': 969284, 'trillion by': 931963, 'by 2023': 151587, '2023 the': 14817, 'ecommerce sector': 266860, 'already booming': 47236, 'booming but': 134869, 'but visual': 147695, 'visual capitalist': 959622, 'capitalist katie': 162807, 'katie jones': 471051, 'jones detail': 467241, 'below since': 126729, 'outbreak online': 628502, 'shopping been': 762182, 'been catapulted': 120804, 'catapulted into': 166929, 'into overdrive': 442828, 'with online retail': 999903, 'online retail sale': 608873, 'retail sale estimated': 718506, 'to reach an': 912793, 'reach an eye': 699895, 'an eye watering': 56039, 'eye watering trillion': 294122, 'watering trillion by': 969285, 'trillion by 2023': 931964, 'by 2023 the': 151588, '2023 the ecommerce': 14818, 'the ecommerce sector': 853881, 'ecommerce sector wa': 266861, 'sector wa already': 744388, 'wa already booming': 961482, 'already booming but': 47237, 'booming but visual': 134871, 'but visual capitalist': 147696, 'visual capitalist katie': 959624, 'capitalist katie jones': 162808, 'katie jones detail': 471052, 'jones detail below': 467242, 'detail below since': 239166, 'below since the': 126730, 'the outbreak online': 862672, 'outbreak online shopping': 628503, 'online shopping been': 609049, 'shopping been catapulted': 762183, 'been catapulted into': 120805, 'catapulted into overdrive': 166931, 'ambassador': 51281, 'moncada': 536214, 'ambassador moncada': 51286, 'moncada top': 536215, 'top drug': 925567, 'drug producer': 261064, 'producer consumer': 680593, 'consumer gang': 197567, 'gang up': 343412, 'to block': 901861, 'block venezuela': 132803, 'venezuela amid': 954429, 'ambassador moncada top': 51287, 'moncada top drug': 536216, 'top drug producer': 925568, 'drug producer consumer': 261065, 'producer consumer gang': 680595, 'consumer gang up': 197568, 'gang up to': 343413, 'up to block': 946361, 'to block venezuela': 901864, 'block venezuela amid': 132804, 'venezuela amid covid': 954430, 'appeared': 82141, 'past year': 643658, 've called': 952982, 'called for': 156312, 'an end': 55731, 'the irresponsible': 858467, 'irresponsible way': 445090, 'handle it': 376215, 'it plastic': 460342, 'plastic waste': 658886, 'waste new': 968153, 'much the': 545351, 'the continues': 851675, 'export right': 292700, 'right another': 721763, 'another reason': 77788, 'end export': 275817, 'of plastic': 588157, 'waste ha': 968130, 'ha appeared': 369597, 'appeared covid': 82144, 'the past year': 863370, 'past year we': 643662, 'year we ve': 1015090, 'we ve called': 973643, 've called for': 952984, 'called for an': 156314, 'for an end': 319282, 'an end to': 55736, 'end to the': 276012, 'to the irresponsible': 916817, 'the irresponsible way': 858468, 'irresponsible way the': 445091, 'way the handle': 969936, 'the handle it': 857072, 'handle it plastic': 376218, 'it plastic waste': 460343, 'plastic waste new': 658888, 'waste new report': 968154, 'new report show': 559452, 'report show how': 712255, 'how much the': 408373, 'much the continues': 545352, 'the continues to': 851677, 'continues to export': 201475, 'to export right': 905508, 'export right another': 292701, 'right another reason': 721764, 'another reason to': 77792, 'reason to end': 703026, 'to end export': 905077, 'end export of': 275818, 'export of plastic': 292678, 'of plastic waste': 588160, 'plastic waste ha': 658887, 'waste ha appeared': 968131, 'ha appeared covid': 369599, 'appeared covid 19': 82145, 'paterson': 644006, 'how wonderful': 409251, 'wonderful community': 1004064, 'community foodbank': 189855, 'foodbank of': 317781, 'jersey delivered': 465195, 'delivered 16': 233285, '16 00': 4051, 'to st': 915103, 'st paul': 791746, 'paul community': 644537, 'community development': 189815, 'development corporation': 239812, 'corporation paterson': 207454, 'paterson to': 644009, 'stock their': 802945, 'pantry so': 639664, 'can assist': 157534, 'assist people': 96638, 'people impacted': 648339, 'how wonderful community': 409252, 'wonderful community foodbank': 1004065, 'community foodbank of': 189856, 'foodbank of new': 317782, 'of new jersey': 586973, 'new jersey delivered': 558967, 'jersey delivered 16': 465196, 'delivered 16 00': 233286, '16 00 pound': 4056, 'food to st': 317291, 'to st paul': 915105, 'st paul community': 791747, 'paul community development': 644538, 'community development corporation': 189817, 'development corporation paterson': 239813, 'corporation paterson to': 207455, 'paterson to stock': 644010, 'to stock their': 915455, 'stock their pantry': 802950, 'their pantry so': 874242, 'pantry so they': 639665, 'they can assist': 881613, 'can assist people': 157535, 'assist people impacted': 96639, 'people impacted by': 648340, 'disinfectant kill': 245702, 'and germ': 63550, 'germ sanitizers': 346148, 'sanitizers sanitize': 736383, 'sanitize the': 734221, 'surface of': 828054, 're invaluable': 698918, 'invaluable in': 443585, 'against and': 37326, 'keeping everyone': 472414, 'everyone safe': 287329, 'disinfectant kill bacteria': 245703, 'kill bacteria virus': 474356, 'bacteria virus and': 107708, 'virus and germ': 957926, 'and germ sanitizers': 63552, 'germ sanitizers sanitize': 346149, 'sanitizers sanitize the': 736384, 'sanitize the surface': 734222, 'the surface of': 868998, 'surface of what': 828055, 'of what they': 593064, 'what they come': 982396, 'they come in': 881777, 'contact with they': 200293, 'with they re': 1001669, 'they re invaluable': 883062, 're invaluable in': 698919, 'invaluable in the': 443586, 'fight against and': 304604, 'against and in': 37327, 'and in keeping': 65057, 'in keeping everyone': 424455, 'keeping everyone safe': 472416, 'everyone safe healthy': 287332, 'healthy and protected': 387528, 'wirbleibenzuhause': 996539, 'homeoffice': 402874, 'just ran': 469551, 'paper now': 640516, 'any from': 79257, 'work home': 1005257, 'home at': 400743, 'moment wirbleibenzuhause': 536125, 'wirbleibenzuhause stayathomechallenge': 996542, 'stayathomechallenge homeoffice': 797734, 'just ran out': 469552, 'toilet paper now': 921372, 'paper now know': 640519, 'now know why': 575172, 'know why there': 477058, 'is no more': 449953, 'no more at': 564797, 'more at the': 538673, 'supermarket you can': 824188, 'can take any': 159895, 'take any from': 831945, 'any from work': 79259, 'from work home': 338409, 'work home at': 1005258, 'home at the': 400749, 'the moment wirbleibenzuhause': 860793, 'moment wirbleibenzuhause stayathomechallenge': 536126, 'wirbleibenzuhause stayathomechallenge homeoffice': 996543, 'affected the': 34441, 'elderly aren': 270596, 'even able': 283803, 'essential supermarket': 281612, 'being abused': 124807, 'abused the': 27702, 'thing everyone': 884316, 'do atm': 249108, 'atm is': 101937, 'selfish twat': 748301, 'twat coronacrisis': 936260, 're in crisis': 698867, 'in crisis the': 421897, 'world is affected': 1009684, 'is affected the': 445374, 'affected the elderly': 34443, 'the elderly aren': 854108, 'elderly aren even': 270597, 'aren even able': 92400, 'even able to': 283804, 'buy their essential': 149315, 'their essential supermarket': 873177, 'essential supermarket staff': 281615, 'staff are being': 792179, 'are being abused': 84826, 'being abused the': 124810, 'abused the one': 27703, 'the one thing': 862228, 'one thing everyone': 607218, 'thing everyone can': 884317, 'everyone can do': 286767, 'can do atm': 158094, 'do atm is': 249109, 'atm is work': 101940, 'is work together': 454029, 'work together and': 1005916, 'together and stop': 920701, 'and stop being': 72468, 'being selfish twat': 125749, 'selfish twat coronacrisis': 748303, 'be immune': 115367, 'but ask': 145230, 'yourself are': 1026532, 'dad immune': 224344, 'immune are': 417305, 'grandparent immune': 361977, 'immune is': 417323, 'that old': 845480, 'lady pas': 478807, 'pas at': 643084, 'store immune': 808257, 'immune try': 417373, 'selfish for': 748091, 'life stop': 489063, 'stop hording': 804757, 'hording use': 404033, 'your brain': 1023010, 'may be immune': 520991, 'be immune to': 115368, 'immune to but': 417363, 'to but ask': 902147, 'but ask yourself': 145232, 'ask yourself are': 95690, 'yourself are my': 1026533, 'are my mom': 88180, 'my mom and': 549255, 'mom and dad': 535681, 'and dad immune': 60899, 'dad immune are': 224345, 'immune are my': 417306, 'are my grandparent': 88177, 'my grandparent immune': 548559, 'grandparent immune is': 361978, 'immune is that': 417324, 'is that old': 452676, 'that old lady': 845481, 'old lady pas': 598325, 'lady pas at': 478808, 'pas at the': 643085, 'grocery store immune': 365482, 'store immune try': 808258, 'immune try not': 417374, 'try not being': 934520, 'not being selfish': 568547, 'being selfish for': 125741, 'selfish for the': 748092, 'time in your': 897022, 'in your life': 431101, 'your life stop': 1024645, 'life stop hording': 489066, 'stop hording use': 804759, 'hording use your': 404034, 'use your brain': 949830, 'forecasting': 328896, 'fantastic analysis': 298578, 'analysis and': 57013, 'and forecasting': 63188, 'forecasting ever': 328905, 'ever from': 285314, 'this report': 889873, 'on post': 602859, 'it free': 458130, 'fantastic analysis and': 298579, 'analysis and forecasting': 57016, 'and forecasting ever': 63190, 'forecasting ever from': 328906, 'ever from in': 285315, 'from in this': 336028, 'in this report': 430005, 'this report on': 889875, 'report on post': 712149, 'on post pandemic': 602862, 'pandemic consumer trend': 635197, 'consumer trend and': 199365, 'trend and it': 931270, 'and it free': 65529, 'it free to': 458132, 'free to download': 332239, 'eea': 268926, 'airtravel': 40150, 'consumercomplaint': 199646, 'provides help': 686858, 'to irishconsumers': 908512, 'irishconsumers who': 444902, 'who bought': 988329, 'bought fight': 136557, 'eu uk': 283288, 'uk eea': 938320, 'eea and': 268927, 'expect refund': 290712, 'if based': 413895, 'based in': 111616, 'in ireland': 424155, 'ireland read': 444847, 'your airtravel': 1022763, 'airtravel consumerrights': 40153, 'consumerrights here': 199762, 'here if': 393122, 'have consumercomplaint': 380085, 'provides help to': 686859, 'help to irishconsumers': 390779, 'to irishconsumers who': 908513, 'irishconsumers who bought': 444903, 'who bought fight': 988332, 'bought fight in': 136558, 'fight in eu': 304777, 'in eu uk': 422623, 'eu uk eea': 283289, 'uk eea and': 938321, 'eea and expect': 268928, 'and expect refund': 62482, 'expect refund if': 290713, 'refund if based': 706920, 'if based in': 413896, 'based in ireland': 111619, 'in ireland read': 424160, 'ireland read about': 444848, 'read about your': 700261, 'about your airtravel': 26986, 'your airtravel consumerrights': 1022764, 'airtravel consumerrights here': 40154, 'consumerrights here if': 199764, 'here if you': 393124, 'you have consumercomplaint': 1019028, 'just suggestion': 469922, 'suggestion but': 817629, 'roll stockpile': 725522, 'stockpile is': 803765, 'not quite': 571192, 'quite large': 694883, 'the drama': 853655, 'of visiting': 592835, 'supermarket leave': 821286, 'home stockpilinguk': 402154, 'stockpilinguk stopthespread': 804149, 'stopthespread stopstockpiling': 805923, 'just suggestion but': 469923, 'suggestion but if': 817630, 'feel your food': 302950, 'your food and': 1023908, 'toilet roll stockpile': 921606, 'roll stockpile is': 725523, 'stockpile is not': 803766, 'is not quite': 450167, 'not quite large': 571193, 'quite large enough': 694884, 'large enough and': 479657, 'enough and need': 277321, 'and need the': 67482, 'need the drama': 555742, 'the drama of': 853656, 'drama of visiting': 258251, 'of visiting supermarket': 592841, 'visiting supermarket leave': 959555, 'supermarket leave the': 821288, 'leave the rest': 484975, 'of the family': 591011, 'at home stockpilinguk': 99124, 'home stockpilinguk stopthespread': 402155, 'stockpilinguk stopthespread stopstockpiling': 804150, '19 still': 10846, 'still haunted': 800639, 'haunted my': 379036, 'virus itself': 958423, 'food need': 315516, 'least wont': 484702, 'wont die': 1004241, 'by hunger': 152850, 'hunger while': 411207, 'while im': 986932, 'im in': 416549, 'quarantine thanks': 692603, 'covid 19 still': 213866, '19 still haunted': 10849, 'still haunted my': 800640, 'haunted my country': 379037, 'my country and': 547810, 'country and the': 210448, 'and the scariest': 73568, 'scariest thing is': 741105, 'thing is not': 884478, 'the virus itself': 870853, 'virus itself but': 958424, 'itself but food': 463923, 'but food need': 145738, 'food need to': 315521, 'stock food so': 802147, 'food so at': 316646, 'at least wont': 99567, 'least wont die': 484703, 'wont die by': 1004242, 'die by hunger': 241308, 'by hunger while': 152852, 'hunger while im': 411208, 'while im in': 986933, 'im in quarantine': 416550, 'in quarantine thanks': 427191, 'and haven': 64290, 'gotten single': 359169, 'single thing': 771416, 'thing store': 884776, 'open at': 612093, '6am shelf': 21575, 'empty by': 274830, 'by 7am': 151706, '7am if': 22420, 'stockpiling rn': 804061, 'rn you': 724356, 'are trash': 91187, 'trash coronacrisis': 930150, 'the supermarket day': 868547, 'supermarket day in': 819895, 'row and haven': 726567, 'and haven gotten': 64292, 'haven gotten single': 383817, 'gotten single thing': 359170, 'single thing store': 771417, 'thing store open': 884777, 'store open at': 809251, 'open at 6am': 612095, 'at 6am shelf': 97728, '6am shelf are': 21576, 'are empty by': 86144, 'empty by 7am': 274831, 'by 7am if': 151707, '7am if you': 22421, 'you are stockpiling': 1017244, 'are stockpiling rn': 90525, 'stockpiling rn you': 804062, 'rn you are': 724357, 'you are trash': 1017269, 'are trash coronacrisis': 91188, 'assured': 97106, 'the our': 862576, 'ha immediately': 370907, 'immediately and': 417053, 'notice stopped': 573359, 'stopped accepting': 805674, 'accepting walk': 28094, 'customer rest': 222764, 'rest assured': 716149, 'assured we': 97130, 'remain committed': 709727, 'are encouraging': 86195, 'encouraging you': 275747, 'other available': 619862, 'available mean': 104490, 'contacting our': 200346, 'affair unit': 34095, 'since the threat': 770910, 'threat of coronavirus': 893690, '19 the our': 11228, 'the our ha': 862577, 'our ha immediately': 623335, 'ha immediately and': 370908, 'immediately and until': 417056, 'and until further': 74717, 'further notice stopped': 342115, 'notice stopped accepting': 573360, 'stopped accepting walk': 805675, 'accepting walk in': 28095, 'walk in customer': 964802, 'in customer rest': 421946, 'customer rest assured': 222765, 'rest assured we': 716152, 'assured we remain': 97131, 'we remain committed': 973068, 'remain committed to': 709728, 'committed to you': 189050, 'to you and': 918890, 'you and so': 1017004, 'and so we': 71855, 'we are encouraging': 970541, 'are encouraging you': 86198, 'encouraging you to': 275748, 'use the other': 949685, 'the other available': 862511, 'other available mean': 619863, 'available mean of': 104491, 'mean of contacting': 524581, 'of contacting our': 581806, 'contacting our consumer': 200347, 'our consumer affair': 622517, 'consumer affair unit': 196104, 'thunder': 895305, 'doris': 255891, 'saino': 731637, '376': 18108, 'your queuing': 1025506, 'park before': 641878, 'before 7am': 122593, '7am your': 22448, 'your massive': 1024792, 'massive thunder': 520146, 'thunder cunt': 895306, 'cunt driving': 220362, 'driving past': 259986, 'past sainsbury': 643598, 'and never': 67532, 'on doris': 600395, 'doris let': 255892, 'get saino': 347948, 'saino for': 731638, 'for 7am': 318923, '7am don': 22414, 'think 376': 885067, '376 toilet': 18109, 'if your queuing': 415604, 'your queuing to': 1025507, 'get on supermarket': 347697, 'car park before': 163213, 'park before 7am': 641879, 'before 7am your': 122595, '7am your massive': 22449, 'your massive thunder': 1024793, 'massive thunder cunt': 520147, 'thunder cunt driving': 895307, 'cunt driving past': 220363, 'driving past sainsbury': 259987, 'past sainsbury this': 643599, 'morning and never': 541161, 'and never seen': 67540, 'anything like it': 80821, 'like it come': 490528, 'it come on': 457208, 'come on doris': 187429, 'on doris let': 600396, 'doris let get': 255893, 'let get saino': 486735, 'get saino for': 347949, 'saino for 7am': 731639, 'for 7am don': 318924, '7am don think': 22415, 'don think 376': 253970, 'think 376 toilet': 885068, '376 toilet roll': 18110, 'toilet roll is': 921576, 'roll is enough': 725351, 'gearing': 345023, 'the predicts': 864226, 'predicts scammer': 669693, 'are gearing': 86773, 'gearing up': 345026, 'advantage should': 33057, 'government enact': 360062, 'enact plan': 275489, 'american amid': 51778, 'ftc say': 339443, 'keep these': 472122, 'potential plan': 667114, 'plan take': 658235, 'the predicts scammer': 864227, 'predicts scammer are': 669694, 'scammer are gearing': 740534, 'are gearing up': 86774, 'gearing up to': 345028, 'up to take': 946434, 'take advantage should': 831918, 'advantage should the': 33058, 'should the government': 766570, 'the government enact': 856532, 'government enact plan': 360063, 'enact plan to': 275490, 'plan to send': 658320, 'to send money': 914217, 'send money to': 749909, 'money to all': 537084, 'all american amid': 42001, 'american amid the': 51779, 'the ftc say': 855938, 'ftc say to': 339444, 'say to keep': 739390, 'to keep these': 908867, 'keep these thing': 472125, 'these thing in': 880816, 'thing in mind': 884436, 'mind the potential': 532743, 'the potential plan': 864123, 'potential plan take': 667115, 'plan take shape': 658236, 'jobforone': 466318, 'aretwonecessary': 92633, 'suck seeing': 816924, 'seeing so': 746468, 'many pair': 514468, 'pair couple': 634326, 'couple walking': 211699, 'rethink the': 719655, 'daily habit': 224630, 'personal exposure': 652837, 'exposure and': 292954, 'spread jobforone': 790597, 'jobforone aretwonecessary': 466319, 'aretwonecessary trumpvirus': 92634, 'suck seeing so': 816925, 'seeing so many': 746469, 'so many pair': 777688, 'many pair couple': 514469, 'pair couple walking': 634327, 'couple walking into': 211700, 'walking into supermarket': 965067, 'into supermarket people': 443053, 'supermarket people need': 821952, 'need to rethink': 556049, 'to rethink the': 913467, 'rethink the impact': 719656, 'impact of their': 417805, 'of their daily': 591656, 'their daily habit': 872967, 'daily habit and': 224631, 'habit and the': 372563, 'impact on their': 417895, 'on their personal': 604496, 'their personal exposure': 874280, 'personal exposure and': 652838, 'exposure and potential': 292959, 'and potential spread': 69261, 'potential spread jobforone': 667140, 'spread jobforone aretwonecessary': 790598, 'jobforone aretwonecessary trumpvirus': 466320, 'had grocery': 373153, 'supermarket should': 822675, 'wash the': 967543, 'food container': 314005, 'container dr': 200539, 'dr williams': 258127, 'williams of': 995443, 'of say': 589347, 'evidence is': 288362, 'spread that': 790811, 'way but': 969507, 'can wash': 160147, 'hand after': 374727, 'handling to': 376404, 'lower risk': 505989, 'risk more': 723694, 'had grocery delivered': 373154, 'grocery delivered from': 364423, 'delivered from supermarket': 233331, 'from supermarket should': 337502, 'supermarket should wash': 822682, 'should wash the': 766633, 'wash the food': 967546, 'the food container': 855540, 'food container dr': 314007, 'container dr williams': 200540, 'dr williams of': 258128, 'williams of say': 995444, 'of say no': 589348, 'say no evidence': 738980, 'no evidence is': 564144, 'evidence is being': 288364, 'being spread that': 125849, 'spread that way': 790813, 'that way but': 847341, 'way but you': 969510, 'you can wash': 1017828, 'can wash hand': 160148, 'wash hand after': 967475, 'hand after handling': 374732, 'after handling to': 35748, 'handling to lower': 376405, 'to lower risk': 909509, 'lower risk more': 505990, 'on positive': 602850, 'positive note': 665380, 'note offer': 572774, 'offer golden': 594639, 'golden opportunity': 356057, 'quit tobacco': 694815, 'amp alcohol': 53364, 'alcohol consumer': 40963, 'of either': 583003, 'either one': 270341, 'them or': 876109, 'or both': 614571, 'both will': 136093, 'have tough': 383379, 'time dealing': 896544, 'virus once': 958555, 'once affected': 605552, 'affected quit': 34419, 'quit smoking': 694813, 'smoking amp': 775896, 'amp drinking': 53677, 'on positive note': 602852, 'positive note offer': 665383, 'note offer golden': 572775, 'offer golden opportunity': 594640, 'golden opportunity to': 356058, 'opportunity to quit': 613718, 'to quit tobacco': 912695, 'quit tobacco product': 694816, 'tobacco product amp': 919080, 'product amp alcohol': 680860, 'amp alcohol consumer': 53365, 'alcohol consumer of': 40964, 'consumer of either': 198239, 'of either one': 583005, 'either one of': 270343, 'of them or': 591756, 'them or both': 876110, 'or both will': 614573, 'both will have': 136094, 'will have tough': 993680, 'have tough time': 383380, 'tough time dealing': 926849, 'time dealing with': 896545, 'dealing with the': 229696, 'the virus once': 870869, 'virus once affected': 958556, 'once affected quit': 605553, 'affected quit smoking': 34420, 'quit smoking amp': 694814, 'smoking amp drinking': 775897, 'proppa': 684574, 'love it': 504708, 'quarantine proppa': 692448, 'proppa to': 684575, 'the honey': 857481, 'honey getting': 403173, 'getting wiser': 349445, 'wiser using': 996728, 'love it when': 504715, 'when you quarantine': 984592, 'you quarantine proppa': 1020522, 'quarantine proppa to': 692449, 'proppa to the': 684576, 'to the honey': 916782, 'the honey getting': 857482, 'honey getting wiser': 403174, 'getting wiser using': 349446, 'wiser using hand': 996729, 'prebagged': 669240, 'grocer effort': 364120, 'accelerate online': 27850, 'and parking': 68719, 'lot pickup': 504343, 'pickup can': 655948, 'come soon': 187511, 'soon enough': 785699, 'enough ve': 277747, 've also': 952828, 'also seen': 48845, 'seen store': 747253, 'offer prebagged': 594749, 'prebagged essential': 669241, 'least let': 484530, 'people reserve': 649286, 'reserve shopping': 714094, 'window via': 995729, 'internet to': 442031, 'limit traffic': 492543, 'grocer effort to': 364121, 'effort to accelerate': 269609, 'to accelerate online': 899931, 'accelerate online ordering': 27851, 'ordering and parking': 618944, 'and parking lot': 68720, 'parking lot pickup': 642100, 'lot pickup can': 504344, 'pickup can come': 655949, 'can come soon': 157936, 'come soon enough': 187512, 'soon enough ve': 785701, 'enough ve also': 277748, 've also seen': 952832, 'also seen store': 48846, 'seen store offer': 747254, 'store offer prebagged': 809155, 'offer prebagged essential': 594750, 'prebagged essential at': 669242, 'essential at the': 280808, 'very least let': 955298, 'least let people': 484531, 'let people reserve': 486976, 'people reserve shopping': 649287, 'reserve shopping window': 714095, 'shopping window via': 764423, 'window via phone': 995730, 'via phone and': 956168, 'and internet to': 65335, 'internet to limit': 442032, 'to limit traffic': 909305, 'eff': 268955, 'grass': 362209, 'shauntel': 755801, 'sure this': 827751, 'lady felt': 478757, 'felt great': 303390, 'about her': 25372, 'her little': 392169, 'little service': 495560, 'service project': 752718, 'project but': 683478, 'the eff': 854060, 'eff did': 268956, '80 extra': 22569, 'extra roll': 293625, 'neighbor wouldn': 557098, 'wouldn need': 1012493, 'need donation': 554701, 'your crazy': 1023373, 'crazy grass': 215299, 'grass hadn': 362220, 'hadn been': 373842, 'been hoarding': 121301, 'hoarding shauntel': 399512, 'shauntel toiletpaper': 755802, 'sure this lady': 827755, 'this lady felt': 888586, 'lady felt great': 478758, 'felt great about': 303391, 'great about her': 362481, 'about her little': 25376, 'her little service': 392170, 'little service project': 495561, 'service project but': 752719, 'project but why': 683479, 'but why the': 147865, 'why the eff': 991413, 'the eff did': 854061, 'eff did you': 268957, 'did you have': 240932, 'you have 80': 1019010, 'have 80 extra': 379104, '80 extra roll': 22570, 'extra roll of': 293626, 'paper to begin': 640918, 'begin with your': 123607, 'with your neighbor': 1002214, 'your neighbor wouldn': 1024964, 'neighbor wouldn need': 557099, 'wouldn need donation': 1012494, 'need donation of': 554705, 'donation of your': 254657, 'of your crazy': 593455, 'your crazy grass': 1023374, 'crazy grass hadn': 215300, 'grass hadn been': 362221, 'hadn been hoarding': 373845, 'been hoarding shauntel': 121303, 'hoarding shauntel toiletpaper': 399513, 'recent day the': 703866, 'day the washington': 228502, 'the washington post': 871108, 'uneasy': 941065, 'snowstorm': 776415, 'ha many': 371234, 'people feeling': 647897, 'feeling uneasy': 303092, 'uneasy and': 941066, 'and helpless': 64499, 'helpless building': 391577, 'building supply': 142143, 'water will': 969260, 'ease some': 265100, 'stress and': 813295, 'help georgian': 389796, 'georgian prepare': 346060, 'emergency be': 272610, 'it medical': 459589, 'medical quarantine': 526352, 'quarantine snowstorm': 692542, 'snowstorm or': 776418, 'coronavirus ha many': 206027, 'ha many people': 371239, 'many people feeling': 514503, 'people feeling uneasy': 647898, 'feeling uneasy and': 303093, 'uneasy and helpless': 941067, 'and helpless building': 64500, 'helpless building supply': 391578, 'building supply of': 142144, 'supply of emergency': 825621, 'of emergency food': 583035, 'emergency food and': 272699, 'and water will': 75265, 'water will help': 969262, 'will help ease': 993708, 'help ease some': 389622, 'ease some of': 265101, 'of the stress': 591503, 'the stress and': 868268, 'stress and help': 813299, 'and help georgian': 64451, 'help georgian prepare': 389797, 'georgian prepare for': 346061, 'prepare for any': 670067, 'for any kind': 319413, 'any kind of': 79390, 'kind of emergency': 474890, 'of emergency be': 583028, 'emergency be it': 272611, 'be it medical': 115563, 'it medical quarantine': 459590, 'medical quarantine snowstorm': 526353, 'quarantine snowstorm or': 692543, 'rv': 728709, 'curtin': 221812, 'member tune': 528225, 'in wed': 430737, 'special webinar': 788094, 'webinar longtime': 975055, 'longtime rv': 502143, 'rv industry': 728717, 'analyst dr': 57124, 'dr curtin': 257990, 'curtin discus': 221813, 'confidence in': 193895, 'won want': 1003931, 'to miss': 910186, 'miss this': 534204, 'today webinar': 920491, 'member tune in': 528226, 'tune in wed': 935409, 'in wed for': 430738, 'wed for special': 975550, 'for special webinar': 325813, 'special webinar longtime': 788096, 'webinar longtime rv': 975056, 'longtime rv industry': 502144, 'rv industry analyst': 728718, 'industry analyst dr': 435623, 'analyst dr curtin': 57125, 'dr curtin discus': 257991, 'curtin discus consumer': 221814, 'discus consumer confidence': 244837, 'consumer confidence in': 196905, 'confidence in the': 193901, '19 you won': 12279, 'you won want': 1022406, 'won want to': 1003932, 'want to miss': 966069, 'to miss this': 910187, 'miss this sign': 534210, 'this sign up': 890148, 'sign up today': 769258, 'up today webinar': 946459, 'petfood': 653572, 'petfoodlidding': 653579, 'petadoption': 653488, 'booming right': 134893, 'in pet': 426661, 'pet adoption': 653349, 'adoption the': 32728, 'is boosting': 446234, 'boosting the': 135089, 'food commerce': 313967, 'commerce channel': 188529, 'channel petfood': 172917, 'petfood petfoodlidding': 653573, 'petfoodlidding petadoption': 653580, 'market is booming': 516617, 'is booming right': 446228, 'booming right now': 134894, 'now with an': 576442, 'with an increase': 997215, 'increase in pet': 432856, 'in pet adoption': 426662, 'pet adoption the': 653351, 'adoption the demand': 32729, 'demand for pet': 235473, 'for pet food': 324509, 'pet food is': 653389, 'food is at': 315111, 'is at an': 445854, 'time high and': 896927, 'high and it': 394923, 'it is boosting': 458889, 'is boosting the': 446236, 'boosting the pet': 135090, 'the pet food': 863608, 'pet food commerce': 653383, 'food commerce channel': 313968, 'commerce channel petfood': 188532, 'channel petfood petfoodlidding': 172918, 'petfood petfoodlidding petadoption': 653574, 'guardrail': 367921, 'confidentiality': 194022, 'monetizing': 536560, 'sound promising': 786321, 'promising same': 683752, 'same apply': 732967, 'privacy what': 678845, 'the guardrail': 856916, 'guardrail established': 367922, 'established to': 282036, 'non sale': 566488, 'and confidentiality': 60280, 'confidentiality of': 194023, 'my dna': 548013, 'dna data': 248982, 'data used': 226481, 'testing are': 839447, 'you protecting': 1020471, 'protecting my': 685214, 'my privacy': 549847, 'privacy or': 678825, 'or monetizing': 616149, 'monetizing my': 536562, 'my illness': 548821, 'sound promising same': 786322, 'promising same apply': 683753, 'same apply to': 732968, 'apply to about': 82607, 'to about consumer': 899910, 'about consumer privacy': 25000, 'consumer privacy what': 198438, 'privacy what are': 678846, 'are the guardrail': 90838, 'the guardrail established': 856917, 'guardrail established to': 367923, 'established to ensure': 282037, 'ensure the non': 278087, 'the non sale': 861842, 'non sale and': 566489, 'sale and confidentiality': 732036, 'and confidentiality of': 60281, 'confidentiality of my': 194024, 'of my dna': 586757, 'my dna data': 548014, 'dna data used': 248983, 'data used for': 226482, 'used for testing': 949911, 'for testing are': 326235, 'testing are you': 839449, 'are you protecting': 91837, 'you protecting my': 1020472, 'protecting my privacy': 685215, 'my privacy or': 549848, 'privacy or monetizing': 678826, 'or monetizing my': 616150, 'monetizing my illness': 536563, 'fox 10': 330740, '10 news': 1558, 'news phoenix': 560697, 'phoenix chandler': 654859, 'fox 10 news': 330741, '10 news phoenix': 1559, 'news phoenix chandler': 560698, 'phoenix chandler restaurant': 654860, 'cratered': 215147, 'poised': 662783, 'quarterly': 693271, 'financialmarkets': 306702, 'the 500': 848140, '500 ended': 19983, 'ended another': 276125, 'another volatile': 77942, 'volatile day': 960039, 'day down': 227536, 'price cratered': 673335, 'cratered the': 215154, 'is poised': 450922, 'poised for': 662784, 'worst quarterly': 1011252, 'quarterly contraction': 693274, 'contraction ever': 201798, 'ever trump': 285568, 'trump financialmarkets': 933559, 'financialmarkets oilprices': 306703, 'the 500 ended': 848143, '500 ended another': 19984, 'ended another volatile': 276126, 'another volatile day': 77943, 'volatile day down': 960040, 'day down and': 227537, 'down and oil': 256506, 'oil price cratered': 597094, 'price cratered the': 673336, 'cratered the economy': 215155, 'economy is poised': 268011, 'is poised for': 450923, 'poised for it': 662785, 'it worst quarterly': 462559, 'worst quarterly contraction': 1011253, 'quarterly contraction ever': 693275, 'contraction ever trump': 201799, 'ever trump financialmarkets': 285569, 'trump financialmarkets oilprices': 933560, 'conserve': 194928, 'stopped watching': 805777, 'house shit': 406552, 'show briefing': 766882, 'briefing watching': 139751, 'watching trump': 968814, 'trump speak': 933855, 'speak make': 787692, 'take dump': 832086, 'dump need': 262178, 'to conserve': 903215, 'conserve toiletpaper': 194931, 'stopped watching the': 805778, 'watching the white': 968807, 'white house shit': 987861, 'house shit show': 406553, 'shit show briefing': 759221, 'show briefing watching': 766883, 'briefing watching trump': 139752, 'watching trump speak': 968815, 'trump speak make': 933856, 'speak make me': 787693, 'to take dump': 916174, 'take dump need': 832087, 'dump need to': 262179, 'need to conserve': 555891, 'to conserve toiletpaper': 903216, 'doing is': 252471, 'isolating the': 455148, 'others most': 621536, 'most at': 542120, 'economy while': 268349, 'elderly continue': 270635, 'most important thing': 542413, 'important thing we': 419033, 'be doing is': 114519, 'doing is isolating': 252476, 'is isolating the': 449004, 'isolating the old': 455149, 'the old and': 862130, 'old and others': 598139, 'and others most': 68450, 'others most at': 621537, 'most at risk': 542122, 'but we re': 147758, 're not doing': 699086, 'not doing that': 569090, 'doing that we': 252711, 'we re killing': 972907, 're killing the': 698965, 'killing the economy': 474715, 'the economy while': 854039, 'economy while the': 268350, 'while the elderly': 987383, 'the elderly continue': 854117, 'elderly continue to': 270636, 'continue to shop': 201258, 'to shop at': 914449, 'shop at the': 759959, 'mlb': 534749, 'wahl': 964040, 'mlb ticket': 534750, 'change alex': 171897, 'alex wahl': 41591, 'wahl tag': 964041, 'tag mlb': 831763, 'mlb ticket price': 534751, 'ticket price covid': 895646, '19 what need': 12002, 'what need to': 981909, 'need to change': 555882, 'to change alex': 902591, 'change alex wahl': 171898, 'alex wahl tag': 41592, 'wahl tag mlb': 964042, 'tsunami': 934966, 'related monetary': 708488, 'monetary tsunami': 536555, 'tsunami impact': 934971, 'on bitcoin': 599650, 'bitcoin and': 131797, 'and gold': 63813, '19 related monetary': 10056, 'related monetary tsunami': 708489, 'monetary tsunami impact': 536556, 'tsunami impact on': 934972, 'impact on bitcoin': 417826, 'on bitcoin and': 599651, 'bitcoin and gold': 131800, 'and gold price': 63817, 'many story': 514743, 'supermarket even': 820219, 'even pharmacy': 284466, 'pharmacy hiking': 654346, 'essential such': 281605, 'such cleaning': 816400, 'product medicine': 681405, 'medicine just': 526826, 'just remember': 469602, 'remember who': 710427, 'they avoid': 881515, 'avoid them': 105339, 'whole panic': 990296, 'least calm': 484417, 'far too many': 298955, 'too many story': 924893, 'many story of': 514744, 'story of store': 812073, 'of store supermarket': 590268, 'store supermarket even': 810455, 'supermarket even pharmacy': 820223, 'even pharmacy hiking': 284467, 'pharmacy hiking up': 654347, 'on essential such': 600595, 'essential such cleaning': 281606, 'such cleaning product': 816401, 'cleaning product medicine': 181033, 'product medicine just': 681406, 'medicine just remember': 526827, 'just remember who': 469611, 'remember who are': 710428, 'who are they': 988241, 'are they avoid': 90992, 'they avoid them': 881517, 'avoid them when': 105340, 'them when this': 876608, 'when this whole': 984314, 'this whole panic': 891382, 'whole panic is': 990297, 'panic is over': 638220, 'over or at': 630460, 'at least calm': 99474, 'least calm down': 484418, 'man lick': 512137, 'lick his': 488199, 'his finger': 397429, 'finger before': 307791, 'before walking': 123275, 'assume all': 96999, 'been touched': 122253, 'touched by': 926606, 'by person': 153567, 'who licked': 989199, 'licked themselves': 488225, 'me down': 522680, 'down here': 256829, 'anxiety hole': 78722, 'hole wtf': 400243, 'wtf anxiety': 1013267, 'saw man lick': 738164, 'man lick his': 512138, 'lick his finger': 488200, 'his finger before': 397431, 'finger before walking': 307793, 'before walking into': 123276, 'walking into the': 965068, 'today so just': 920191, 'so just assume': 777489, 'just assume all': 468238, 'assume all your': 97000, 'all your product': 45580, 'your product have': 1025438, 'product have been': 681250, 'have been touched': 379723, 'been touched by': 122254, 'touched by person': 926610, 'by person who': 153568, 'person who licked': 652728, 'who licked themselves': 989202, 'licked themselves and': 488226, 'themselves and join': 876754, 'and join me': 65673, 'join me down': 466773, 'me down here': 522681, 'down here in': 256830, 'here in my': 393164, 'in my anxiety': 425533, 'my anxiety hole': 547276, 'anxiety hole wtf': 78723, 'hole wtf anxiety': 400244, 'beaver': 118832, 'royal dutch': 726614, 'dutch shell': 263513, 'shell the': 757883, 'company building': 190500, 'building beaver': 142058, 'beaver county': 118833, 'county petrochemical': 211470, 'petrochemical complex': 653678, 'complex plan': 192409, 'cut billion': 223251, 'it operating': 460135, 'operating cost': 613063, 'combat covid': 186999, 'royal dutch shell': 726615, 'dutch shell the': 263514, 'shell the company': 757884, 'the company building': 851316, 'company building beaver': 190501, 'building beaver county': 142059, 'beaver county petrochemical': 118834, 'county petrochemical complex': 211471, 'petrochemical complex plan': 653679, 'complex plan to': 192410, 'to cut billion': 903868, 'cut billion from': 223252, 'billion from it': 130824, 'from it operating': 336126, 'it operating cost': 460136, 'operating cost to': 613066, 'cost to combat': 208134, 'to combat covid': 902991, 'combat covid 19': 187000, '19 hit to': 7552, 'hit to global': 398474, 'to global oil': 906746, 'arrogant': 94022, 'beatty': 118637, 'stokenewington': 804245, 'fat arrogant': 300196, 'arrogant bastard': 94023, 'bastard who': 112516, 'of beatty': 580597, 'beatty road': 118638, 'in stokenewington': 428363, 'stokenewington ha': 804246, 'put all': 690497, 'all his': 43118, 'selling gel': 749266, 'gel for': 345116, '99 wait': 23913, 'the fat arrogant': 854975, 'fat arrogant bastard': 300197, 'arrogant bastard who': 94024, 'bastard who owns': 112521, 'who owns the': 989401, 'owns the corner': 632639, 'the corner shop': 851750, 'corner shop at': 203669, 'at the top': 101130, 'the top of': 869788, 'top of beatty': 925631, 'of beatty road': 580598, 'beatty road in': 118639, 'road in stokenewington': 724460, 'in stokenewington ha': 428364, 'stokenewington ha put': 804247, 'ha put all': 371588, 'put all his': 690501, 'all his price': 43126, 'his price up': 397730, 'price up and': 677220, 'up and selling': 944369, 'and selling gel': 71234, 'selling gel for': 749267, 'gel for 99': 345118, 'for 99 wait': 318966, '99 wait until': 23914, 'wait until this': 964246, 'until this is': 943901, 'freehold': 332414, 'terroristic': 838619, 'freehold man': 332419, 'been charged': 120816, 'with making': 999366, 'making terroristic': 511399, 'terroristic threat': 838620, 'threat after': 893627, 'after purposely': 36093, 'purposely coughing': 690180, 'grocery employee': 364488, 'claiming he': 179903, 'freehold man ha': 332420, 'ha been charged': 369746, 'been charged with': 120818, 'charged with making': 173429, 'with making terroristic': 999367, 'making terroristic threat': 511400, 'terroristic threat after': 838621, 'threat after purposely': 893630, 'after purposely coughing': 36094, 'purposely coughing on': 690181, 'coughing on grocery': 208718, 'on grocery employee': 601182, 'grocery employee and': 364490, 'employee and claiming': 273557, 'and claiming he': 59915, 'claiming he had': 179905, 'he had covid': 385046, '19 full story': 7165, 'spicier': 789230, 'spicier democrat': 789231, 'democrat will': 236752, 'probably say': 679365, 'are killing': 87683, 'killing fish': 474675, 'fish by': 309298, 'taking chloroquine': 833311, 'spicier democrat will': 789232, 'democrat will probably': 236753, 'will probably say': 994468, 'probably say we': 679366, 'we are killing': 970604, 'are killing fish': 87684, 'killing fish by': 474676, 'fish by taking': 309299, 'by taking chloroquine': 154205, 'parched': 641540, 'scratcher': 742622, 'be special': 117322, 'special place': 788018, 'who panic': 989404, 'now knowing': 575173, 'knowing full': 477113, 'full well': 340977, 'well that': 978647, 'are deliberately': 85747, 'deliberately depriving': 232963, 'depriving others': 237716, 'others of': 621556, 'their pet': 874283, 'those parched': 892310, 'parched as': 641541, 'as scratcher': 94801, 'scratcher who': 742623, 'who raise': 989489, 'for take': 326121, 'will be special': 992694, 'be special place': 117323, 'special place in': 788019, 'place in hell': 657508, 'in hell for': 423626, 'hell for people': 389007, 'people who panic': 650327, 'who panic buy': 989407, 'panic buy now': 637512, 'buy now knowing': 149016, 'now knowing full': 575174, 'knowing full well': 477114, 'full well that': 340978, 'well that they': 978651, 'they are deliberately': 881247, 'are deliberately depriving': 85748, 'deliberately depriving others': 232964, 'depriving others of': 237717, 'others of essential': 621557, 'essential and food': 280780, 'food for their': 314577, 'for their pet': 326859, 'their pet and': 874285, 'pet and for': 653355, 'and for those': 63165, 'for those parched': 327129, 'those parched as': 892311, 'parched as scratcher': 641542, 'as scratcher who': 94802, 'scratcher who raise': 742624, 'who raise price': 989490, 'price for take': 674053, 'for take advantage': 326122, 'buggy': 141913, 'demolished': 236803, 'store made': 808845, 'panic more': 638332, 'than anything': 840358, 'anything the': 80901, 'the scarcity': 866438, 'scarcity of': 740840, 'of resource': 588985, 'resource we': 714926, 'this saw': 889963, 'with gallon': 998598, 'milk in': 531696, 'her buggy': 391902, 'buggy the': 141918, 'the egg': 854086, 'egg were': 270027, 'gone bread': 356230, 'aisle wa': 40417, 'wa demolished': 961948, 'demolished coronapocolypse': 236804, 'grocery store made': 365548, 'store made me': 808848, 'made me panic': 507841, 'me panic more': 523320, 'panic more than': 638333, 'more than anything': 540592, 'than anything the': 840361, 'anything the scarcity': 80902, 'the scarcity of': 866439, 'scarcity of resource': 740848, 'of resource we': 588989, 'resource we do': 714927, 'hoard food like': 398792, 'food like this': 315315, 'like this saw': 491524, 'this saw woman': 889964, 'woman with gallon': 1003697, 'with gallon of': 998599, 'gallon of milk': 343046, 'of milk in': 586511, 'milk in her': 531698, 'in her buggy': 423652, 'her buggy the': 391904, 'buggy the egg': 141919, 'the egg were': 854091, 'egg were gone': 270028, 'were gone bread': 979691, 'gone bread aisle': 356231, 'bread aisle wa': 138385, 'aisle wa demolished': 40420, 'wa demolished coronapocolypse': 961949, 'alertnotanxious': 41565, 'hard not': 377976, 'panic when': 638774, 'empty alertnotanxious': 274748, 'it hard not': 458488, 'hard not to': 377977, 'to panic when': 911435, 'panic when grocery': 638778, 'are empty alertnotanxious': 86135, 'ha gas': 370703, 'california seen': 155567, 'local costco': 497863, 'costco gas': 208228, 'gas tonight': 344163, 'tonight costco': 924394, '19 ha gas': 7347, 'ha gas price': 370704, 'price down in': 673525, 'down in california': 256854, 'in california seen': 421146, 'california seen at': 155568, 'seen at my': 746958, 'my local costco': 549109, 'local costco gas': 497864, 'costco gas tonight': 208229, 'gas tonight costco': 344164, 'iri': 444881, 'specializing': 788135, 'from iri': 336085, 'iri market': 444882, 'market analytics': 515946, 'analytics firm': 57225, 'firm specializing': 308419, 'specializing in': 788136, 'trend ha': 931347, 'ha shared': 371885, 'shared national': 755430, 'national finding': 552508, 'finding on': 307517, 'how shopper': 408672, 'which sector': 986293, 'sector are': 744093, 'you finding': 1018585, 'finding yourself': 307578, 'in learn': 424657, 'data from iri': 226230, 'from iri market': 336086, 'iri market analytics': 444883, 'market analytics firm': 515948, 'analytics firm specializing': 57226, 'firm specializing in': 308420, 'specializing in consumer': 788137, 'consumer trend ha': 199375, 'trend ha shared': 931348, 'ha shared national': 371886, 'shared national finding': 755431, 'national finding on': 552509, 'finding on how': 307520, 'on how shopper': 601423, 'how shopper are': 408673, 'shopper are dealing': 761387, '19 which sector': 12040, 'which sector are': 986294, 'sector are you': 744101, 'are you finding': 91792, 'you finding yourself': 1018586, 'finding yourself in': 307579, 'yourself in learn': 1026644, 'in learn more': 424658, 'purchasing trend': 689939, 'trend article': 931282, 'by tonight': 154572, 'tonight fascinating': 924410, 'chain and consumer': 170457, 'and consumer purchasing': 60421, 'consumer purchasing trend': 198628, 'purchasing trend article': 689940, 'trend article by': 931283, 'article by tonight': 94287, 'by tonight fascinating': 154573, 'warning from': 967127, 'the want': 871058, 'your relief': 1025558, 'relief check': 709299, 'check scammer': 174613, 'scammer do': 740563, 'do too': 250418, 'warning from the': 967132, 'from the want': 337917, 'the want to': 871059, 'get your relief': 348729, 'your relief check': 1025559, 'relief check scammer': 709306, 'check scammer do': 174615, 'scammer do too': 740565, 'tip 13': 898685, '13 stock': 3265, 'supply enough': 825213, 'last you': 480746, 'you week': 1022223, 'out tip': 627613, 'tip staysafestayhome': 898904, 'staysafestayhome ghana': 798998, 'tip 13 stock': 898686, '13 stock up': 3266, 'on food supply': 600917, 'food supply enough': 316951, 'supply enough to': 825214, 'enough to last': 277710, 'to last you': 909080, 'last you week': 480749, 'you week or': 1022224, 'week or more': 976700, 'or more during': 616169, 'more during this': 539091, 'during this quarantine': 263311, 'this quarantine period': 889776, 'quarantine period to': 692430, 'period to avoid': 651909, 'going out tip': 355395, 'out tip staysafestayhome': 627615, 'tip staysafestayhome ghana': 898905, 'nd': 553377, 'nd day': 553380, 'need immediately': 555038, 'immediately close': 417073, 'hour allow': 405375, 'allow shelf': 46054, 'shelf be': 756874, 'restocked then': 716971, 'then set': 877522, 'up ration': 945891, 'ration card': 697652, 'card people': 163620, 'starting go': 794963, 'go without': 354514, 'greedy bulk': 363491, 'bulk buyer': 142264, 'nd day of': 553381, 'day of empty': 228067, 'shelf in need': 757208, 'in need immediately': 425748, 'need immediately close': 555039, 'immediately close supermarket': 417074, 'close supermarket for': 182820, 'supermarket for 48': 820380, 'for 48 hour': 318852, '48 hour allow': 19304, 'hour allow shelf': 405376, 'allow shelf be': 46055, 'shelf be restocked': 756876, 'be restocked then': 116847, 'restocked then set': 716972, 'then set up': 877523, 'set up ration': 753573, 'up ration card': 945892, 'ration card people': 697657, 'card people are': 163621, 'people are starting': 647085, 'are starting go': 90356, 'starting go without': 794964, 'go without food': 354515, 'without food with': 1002664, 'food with no': 317644, 'with no thanks': 999795, 'no thanks to': 565693, 'to the greedy': 916751, 'the greedy bulk': 856765, 'greedy bulk buyer': 363492, 'got dedicated': 358523, 'dedicated page': 231728, 'page with': 633917, 'our 19': 621978, '19 content': 6015, 'content insight': 200815, 'insight including': 439573, 'weekly consumer': 977483, 've got dedicated': 953174, 'got dedicated page': 358524, 'dedicated page with': 231729, 'page with all': 633918, 'of our 19': 587419, 'our 19 content': 621979, '19 content insight': 6016, 'content insight including': 200816, 'insight including our': 439574, 'including our weekly': 432094, 'our weekly consumer': 625364, 'weekly consumer tracker': 977484, 'line 10': 492927, 'are beyond': 84964, 'beyond rude': 129226, 'rude by': 727033, 'time get': 896825, 'left what': 485724, 'people started': 649542, 'work on the': 1005542, 'front line 10': 338556, 'line 10 hour': 492928, '10 hour day': 1467, 'hour day with': 405531, 'day with people': 228781, 'with people who': 1000179, 'who are beyond': 988107, 'are beyond rude': 84969, 'beyond rude by': 129227, 'rude by the': 727034, 'the time get': 869589, 'time get to': 896828, 'to supermarket there': 915847, 'nothing left what': 573092, 'left what if': 485725, 'what if people': 981631, 'if people started': 414630, 'people started to': 649546, 'started to have': 794872, 'to have little': 907266, 'have little more': 381352, 'little more respect': 495471, 'more respect and': 540242, 'respect and consideration': 714962, 'price 800': 672177, '800 dead': 22697, 'dead today': 229181, 'today doe': 919457, 'anyone care': 80229, 'oil price 800': 597031, 'price 800 dead': 672178, '800 dead today': 22698, 'dead today doe': 229182, 'today doe anyone': 919458, 'doe anyone care': 251336, 'anyone care about': 80230, 'care about oil': 163798, 'nowplaying': 576585, 'reprogram': 712988, 'beep': 122414, 'economicterrorism': 267511, 'consumerism': 199706, 'earthhour2020': 265025, 'climatechange': 182238, 'nowplaying channel': 576586, 'channel live': 172901, 'live reprogram': 496002, 'reprogram beep': 712989, 'beep stayathomeandstaysafe': 122419, 'stayathomeandstaysafe economy': 797721, 'economy climate': 267759, 'climate consumer': 182209, 'consumer economicterrorism': 197297, 'economicterrorism citizen': 267512, 'citizen consumerism': 178877, 'consumerism economiccrisis': 199711, 'economiccrisis climatecrisis': 267404, 'climatecrisis earthhour2020': 182250, 'earthhour2020 coronalockdown': 265026, 'coronalockdown climatechange': 205031, 'nowplaying channel live': 576587, 'channel live reprogram': 172902, 'live reprogram beep': 496003, 'reprogram beep stayathomeandstaysafe': 712990, 'beep stayathomeandstaysafe economy': 122420, 'stayathomeandstaysafe economy climate': 797722, 'economy climate consumer': 267760, 'climate consumer economicterrorism': 182210, 'consumer economicterrorism citizen': 197298, 'economicterrorism citizen consumerism': 267513, 'citizen consumerism economiccrisis': 178878, 'consumerism economiccrisis climatecrisis': 199712, 'economiccrisis climatecrisis earthhour2020': 267405, 'climatecrisis earthhour2020 coronalockdown': 182251, 'earthhour2020 coronalockdown climatechange': 265027, 'valchoice': 951868, 'autoinsurance': 103940, 'you big': 1017475, 'big buck': 129670, 'buck on': 141670, 'on car': 599818, 'insurance check': 440685, 'the valchoice': 870628, 'valchoice autoinsurance': 951869, 'autoinsurance calculator': 103941, 'calculator to': 155354, 'much then': 545359, 'then contact': 877088, 'your agent': 1022759, 'agent for': 38166, 'the discount': 853351, 'discount workfromhome': 244568, 'workfromhome shelterinplace': 1008435, 'from home can': 335847, 'home can save': 400868, 'save you big': 737705, 'you big buck': 1017476, 'big buck on': 129671, 'buck on car': 141671, 'on car insurance': 599819, 'car insurance check': 163143, 'insurance check out': 440686, 'out the valchoice': 627433, 'the valchoice autoinsurance': 870629, 'valchoice autoinsurance calculator': 951870, 'autoinsurance calculator to': 103942, 'calculator to see': 155356, 'see how much': 745240, 'how much then': 408374, 'much then contact': 545360, 'then contact your': 877089, 'contact your agent': 200306, 'your agent for': 1022760, 'agent for the': 38168, 'for the discount': 326387, 'the discount workfromhome': 853353, 'discount workfromhome shelterinplace': 244569, 'cochrane': 185204, 'surprised to': 828616, 'of q2': 588632, 'q2 being': 691419, 'being lower': 125405, 'april said': 83668, 'said ryan': 731337, 'ryan cochrane': 728808, 'cochrane of': 185211, 'of investing': 585281, 'investing copper': 443918, 'would be surprised': 1011654, 'be surprised to': 117486, 'surprised to see': 828617, 'see price at': 745597, 'end of q2': 275912, 'of q2 being': 588633, 'q2 being lower': 691420, 'being lower than': 125406, 'lower than we': 506018, 'than we are': 841428, 'are seeing in': 89902, 'seeing in march': 746335, 'in march april': 425081, 'march april said': 515278, 'april said ryan': 83669, 'said ryan cochrane': 731338, 'ryan cochrane of': 728809, 'cochrane of investing': 185212, 'of investing copper': 585282, 'trumpgenocide': 934046, 'still hoard': 800708, 'paper diarrhea': 640087, 'diarrhea is': 240385, 'not symptom': 571892, 'no diarrhea': 564002, 'diarrhea epidemic': 240381, 'epidemic people': 279429, 'crazy trumpgenocide': 215469, 'trumpgenocide trumpvirus': 934047, 'do people still': 249975, 'people still hoard': 649596, 'still hoard toilet': 800709, 'toilet paper diarrhea': 921253, 'paper diarrhea is': 640088, 'diarrhea is not': 240386, 'is not symptom': 450197, 'not symptom of': 571893, 'symptom of there': 830889, 'of there is': 591799, 'is no diarrhea': 449921, 'no diarrhea epidemic': 564003, 'diarrhea epidemic people': 240382, 'epidemic people stop': 279430, 'people stop going': 649650, 'stop going crazy': 804688, 'going crazy trumpgenocide': 355102, 'crazy trumpgenocide trumpvirus': 215470, 'remain on': 709793, 'on edge': 600516, 'edge after': 268491, 'after saudiarabia': 36144, 'russia postponed': 728542, 'postponed meeting': 666815, 'meeting scheduled': 527755, 'scheduled to': 741518, 'be held': 115189, 'monday about': 536224, 'about deal': 25078, 'output the': 629290, 'hit demand': 398207, 'demand it': 235753, 'oil price remain': 597234, 'price remain on': 676167, 'remain on edge': 709794, 'on edge after': 600518, 'edge after saudiarabia': 268492, 'after saudiarabia and': 36145, 'and russia postponed': 70679, 'russia postponed meeting': 728543, 'postponed meeting scheduled': 666817, 'meeting scheduled to': 527757, 'scheduled to be': 741519, 'to be held': 901299, 'be held on': 115192, 'held on monday': 388912, 'on monday about': 602151, 'monday about deal': 536225, 'about deal to': 25079, 'cut output the': 223473, 'output the pandemic': 629291, 'the pandemic hit': 862990, 'pandemic hit demand': 635638, 'hit demand it': 398209, 'demand it wa': 235760, 'pasted': 643869, 'keephopealive': 472349, 'staysafesavelives': 798977, 'staysafestayhealthy': 798982, 'today pasted': 920025, 'pasted by': 643870, 'local laundromat': 498142, 'laundromat by': 482092, 'see business': 744983, 'business taking': 144462, 'taking much': 833445, 'much effort': 544855, 'distancing keephopealive': 247272, 'keephopealive socialdistancing': 472350, 'staysafe staysafesavelives': 798917, 'staysafesavelives staysafestayhealthy': 798978, 'the way home': 871157, 'way home from': 969634, 'store today pasted': 810861, 'today pasted by': 920026, 'pasted by local': 643871, 'by local laundromat': 153077, 'local laundromat by': 498143, 'laundromat by the': 482093, 'by the house': 154351, 'house and saw': 406183, 'and saw this': 70987, 'saw this must': 738294, 'this must say': 889069, 'must say it': 546872, 'say it good': 738843, 'to see business': 913992, 'see business taking': 744985, 'business taking much': 144464, 'taking much effort': 833446, 'much effort in': 544856, 'effort in social': 269534, 'social distancing keephopealive': 779644, 'distancing keephopealive socialdistancing': 247273, 'keephopealive socialdistancing staysafe': 472351, 'socialdistancing staysafe staysafesavelives': 780750, 'staysafe staysafesavelives staysafestayhealthy': 798918, 'rudeness': 727066, 'aw': 105529, 'mum work': 545983, 'most popular': 542639, 'overwhelmed by': 631717, 'the rudeness': 866031, 'rudeness of': 727067, 'people since': 649473, 'outbreak my': 628462, 'dad just': 224359, 'after going': 35716, 'on hunt': 601450, 'hunt for': 411358, 'mum favourite': 545893, 'favourite wine': 300615, 'and along': 57931, 'wine bouquet': 995787, 'bouquet of': 136886, 'of flower': 583607, 'flower guy': 311297, 'guy cue': 368968, 'cue the': 220205, 'the aw': 849118, 'mum work in': 545984, 'the most popular': 861017, 'most popular supermarket': 542645, 'popular supermarket in': 664608, 'the state and': 867746, 'state and ha': 795365, 'and ha been': 64064, 'ha been overwhelmed': 369863, 'been overwhelmed by': 121635, 'overwhelmed by the': 631722, 'by the rudeness': 154427, 'the rudeness of': 866032, 'rudeness of people': 727068, 'of people since': 587985, 'people since the': 649474, '19 outbreak my': 9158, 'outbreak my dad': 628463, 'my dad just': 547896, 'dad just came': 224360, 'came home after': 157003, 'home after going': 400566, 'after going on': 35718, 'going on hunt': 355321, 'on hunt for': 601451, 'hunt for my': 411360, 'my mum favourite': 549372, 'mum favourite wine': 545894, 'favourite wine and': 300616, 'wine and along': 995762, 'and along with': 57932, 'along with the': 47082, 'with the wine': 1001547, 'the wine bouquet': 871603, 'wine bouquet of': 995788, 'bouquet of flower': 136887, 'of flower guy': 583611, 'flower guy cue': 311298, 'guy cue the': 368969, 'cue the aw': 220206, 'mackie': 507452, 'du': 261435, 'mackie in': 507453, 'simple term': 770108, 'term yes': 838351, 'yes people': 1015510, 'are drinking': 85993, 'drinking le': 258933, 'le restaurant': 483101, 'hotel fast': 405143, 'food outlet': 315714, 'outlet closed': 629036, 'closed creating': 183061, 'creating le': 216024, 'le demand': 482923, 'there usually': 879210, 'usually surplus': 951157, 'spring anyway': 791161, 'anyway and': 80979, 'much is': 545020, 'is dumped': 447410, 'dumped covid': 262202, 'created le': 215844, 'demand du': 235266, 'mackie in simple': 507454, 'in simple term': 427963, 'simple term yes': 770109, 'term yes people': 838352, 'yes people are': 1015511, 'people are drinking': 646957, 'are drinking le': 85994, 'drinking le restaurant': 258934, 'le restaurant hotel': 483102, 'restaurant hotel fast': 716514, 'hotel fast food': 405144, 'fast food outlet': 299972, 'food outlet closed': 315717, 'outlet closed creating': 629037, 'closed creating le': 183062, 'creating le demand': 216025, 'le demand there': 482927, 'demand there usually': 236370, 'there usually surplus': 879212, 'usually surplus of': 951158, 'surplus of milk': 828492, 'milk in the': 531704, 'the spring anyway': 867655, 'spring anyway and': 791162, 'anyway and much': 80980, 'and much is': 67306, 'much is dumped': 545021, 'is dumped covid': 447411, 'dumped covid 19': 262203, '19 ha created': 7336, 'ha created le': 370273, 'created le demand': 215845, 'le demand du': 482925, 'saw employee': 738102, 'employee without': 274449, 'without glove': 1002688, 'sanitizer asked': 734496, 'to correct': 903586, 'correct this': 207533, 'answer wa': 78141, 'nothing this': 573181, 'is criminal': 446927, 'criminal exposing': 216834, 'exposing employee': 292923, 'without protective': 1002864, 'saw employee without': 738103, 'employee without glove': 274450, 'without glove mask': 1002691, 'glove mask and': 352770, 'and no hand': 67618, 'hand sanitizer asked': 375312, 'sanitizer asked what': 734497, 'asked what your': 95902, 'what your company': 982709, 'your company is': 1023284, 'company is doing': 190798, 'doing to correct': 252788, 'to correct this': 903587, 'correct this the': 207534, 'this the answer': 890514, 'the answer wa': 848776, 'answer wa nothing': 78143, 'wa nothing this': 962788, 'nothing this is': 573182, 'this is criminal': 888221, 'is criminal exposing': 446928, 'criminal exposing employee': 216835, 'exposing employee without': 292924, 'employee without protective': 274455, 'without protective gear': 1002865, 'activate': 30217, 'dpa': 257930, 'gouged': 359196, 'why must': 991195, 'must activate': 546457, 'activate the': 30224, 'the dpa': 853643, 'dpa life': 257931, 'life depend': 488584, 'it gouged': 458319, 'gouged price': 359201, 'price middleman': 675234, 'middleman and': 530705, 'supply chaos': 825076, 'chaos why': 173078, 'why governor': 991020, 'governor are': 360868, 'so upset': 778614, 'upset with': 947832, 'with trump': 1001852, 'why must activate': 991196, 'must activate the': 546458, 'activate the dpa': 30225, 'the dpa life': 853644, 'dpa life depend': 257932, 'life depend on': 488585, 'depend on it': 237317, 'on it gouged': 601663, 'it gouged price': 458320, 'gouged price middleman': 359203, 'price middleman and': 675235, 'middleman and medical': 530706, 'medical supply chaos': 526432, 'supply chaos why': 825077, 'chaos why governor': 173079, 'why governor are': 991021, 'governor are so': 360870, 'are so upset': 90224, 'so upset with': 778616, 'upset with trump': 947833, 'convince': 202643, 'smallbiz': 775196, 'smallbiztips': 775205, 'to trying': 917825, 'keep selling': 471920, 'selling through': 749500, 'to convince': 903470, 'convince customer': 202644, 'that purchasing': 845907, 'purchasing from': 689865, 'from you': 338452, 'you is': 1019376, 'safe smallbiz': 729943, 'smallbiz smallbiztips': 775201, 'smallbiztips smallbusiness': 775206, 'smallbusiness owner': 775229, 'owner business': 632412, 'business safety': 144342, 'safety grocery': 730560, 'are you trying': 91874, 'trying to trying': 934894, 'to trying to': 917827, 'to keep selling': 908843, 'keep selling through': 471922, 'selling through the': 749502, '19 crisis learn': 6275, 'crisis learn how': 217650, 'how to convince': 409000, 'to convince customer': 903471, 'convince customer that': 202645, 'customer that purchasing': 222920, 'that purchasing from': 845908, 'purchasing from you': 689867, 'from you is': 338462, 'you is safe': 1019378, 'is safe smallbiz': 451622, 'safe smallbiz smallbiztips': 729944, 'smallbiz smallbiztips smallbusiness': 775202, 'smallbiztips smallbusiness owner': 775207, 'smallbusiness owner business': 775230, 'owner business safety': 632414, 'business safety grocery': 144343, 'safety grocery supermarket': 730561, 'ml 100': 534707, '100 30': 1817, '2020 indiafightscorona': 14395, '200 ml 100': 13504, 'ml 100 30': 534708, '100 30 2020': 1818, '30 2020 indiafightscorona': 16933, 'extortionist': 293414, 'stop extortionist': 804645, 'extortionist shop': 293417, 'shop uklockdown': 760985, 'uklockdown report': 939005, 'the cma': 851090, 'cma if': 184646, 'if shop': 414790, 'shop charge': 760027, 'or make': 616036, 'make misleading': 510172, 'claim coronacrisis': 179717, 'stop extortionist shop': 804646, 'extortionist shop uklockdown': 293418, 'shop uklockdown report': 760986, 'uklockdown report them': 939006, 'report them to': 712364, 'them to the': 876522, 'to the cma': 916571, 'the cma if': 851091, 'cma if shop': 184647, 'if shop charge': 414792, 'shop charge excessive': 760028, 'price or make': 675782, 'or make misleading': 616040, 'make misleading claim': 510173, 'misleading claim coronacrisis': 534093, 'billionaire': 130946, 'ackman': 29091, 'hoovering': 403389, 'justification': 470454, 'billionaire bill': 130949, 'bill ackman': 130487, 'ackman is': 29094, 'is hoovering': 448533, 'hoovering up': 403392, 'share at': 754932, 'price he': 674478, 'll make': 496892, 'million from': 532162, 'no justification': 564558, 'justification for': 470455, 'for treating': 327334, 'treating the': 931015, 'market essential': 516340, 'essential it': 281183, 'it pure': 460553, 'pure profiteering': 689981, 'from death': 335115, 'and misery': 67060, 'billionaire bill ackman': 130950, 'bill ackman is': 130489, 'ackman is hoovering': 29095, 'is hoovering up': 448534, 'hoovering up share': 403394, 'up share at': 945970, 'share at rock': 754934, 'bottom price he': 136436, 'price he ll': 674482, 'he ll make': 385196, 'll make million': 496896, 'make million from': 510164, 'million from there': 532165, 'from there is': 337969, 'is no justification': 449945, 'no justification for': 564559, 'justification for treating': 470458, 'for treating the': 327337, 'treating the stock': 931018, 'stock market essential': 802395, 'market essential it': 516341, 'essential it pure': 281184, 'it pure profiteering': 460555, 'pure profiteering from': 689982, 'profiteering from death': 683042, 'from death and': 335116, 'death and misery': 229966, 'soviet': 786955, 'agony': 38569, 'service could': 752257, 'the soviet': 867521, 'soviet practice': 786958, 'practice of': 668614, 'of providing': 588570, 'providing internal': 687036, 'internal food': 441727, 'to spare': 914953, 'spare them': 787502, 'them this': 876429, 'this agony': 886252, 'agony panicbuying': 38570, 'panicbuying panicbuyers': 639009, 'emergency service could': 272956, 'service could follow': 752258, 'could follow the': 209190, 'follow the soviet': 312546, 'the soviet practice': 867522, 'soviet practice of': 786959, 'practice of providing': 668617, 'of providing internal': 588572, 'providing internal food': 687037, 'internal food package': 441728, 'food package to': 315735, 'package to frontline': 633429, 'to frontline staff': 906274, 'frontline staff to': 338832, 'staff to spare': 792996, 'to spare them': 914956, 'spare them this': 787503, 'them this agony': 876430, 'this agony panicbuying': 886253, 'agony panicbuying panicbuyers': 38571, 'virtue': 957860, 'signaling': 769329, 'of virtue': 592820, 'virtue signaling': 957866, 'signaling in': 769330, 'brand communication': 137801, 'communication about': 189569, 'your message': 1024819, 'message really': 529402, 'really consumer': 702074, 'consumer centered': 196757, 'centered or': 169343, 'or mere': 616127, 'mere brand': 529085, 'brand commitment': 137798, 'beware of virtue': 129098, 'of virtue signaling': 592821, 'virtue signaling in': 957867, 'signaling in brand': 769331, 'in brand communication': 420946, 'brand communication about': 137802, 'communication about is': 189571, 'about is your': 25558, 'is your message': 454155, 'your message really': 1024820, 'message really consumer': 529403, 'really consumer centered': 702075, 'consumer centered or': 196758, 'centered or mere': 169344, 'or mere brand': 616128, 'mere brand commitment': 529086, 'shopworkersunite': 764568, 'staff aren': 792213, 'aren is': 92443, 'it case': 457068, 'just opening': 469395, 'opening the': 612909, 'the lorry': 859731, 'lorry and': 503333, 'helping themselves': 391505, 'themselves keyworkers': 876847, 'keyworkers shopworkersunite': 473601, 'so see supermarket': 778164, 'see supermarket delivery': 745765, 'driver are key': 259435, 'are key worker': 87678, 'key worker but': 473472, 'worker but supermarket': 1006561, 'but supermarket staff': 147221, 'supermarket staff aren': 822813, 'staff aren is': 792215, 'aren is it': 92444, 'is it case': 449015, 'it case of': 457069, 'case of just': 165913, 'of just opening': 585574, 'just opening the': 469397, 'opening the back': 612910, 'back of the': 107176, 'of the lorry': 591201, 'the lorry and': 859732, 'lorry and everyone': 503334, 'and everyone helping': 62400, 'everyone helping themselves': 287006, 'helping themselves keyworkers': 391506, 'themselves keyworkers shopworkersunite': 876848, 'rubbing': 726961, 'that planet': 845757, 'earth is': 264988, 'totally out': 926380, 'of lysol': 586088, 'lysol spray': 507190, 'spray rubbing': 790323, 'rubbing alcohol': 726962, 'alcohol hand': 41018, 'being lied': 125381, 'lied to': 488420, 'find it really': 307003, 'it really hard': 460640, 'to believe that': 901751, 'believe that planet': 126345, 'that planet earth': 845758, 'planet earth is': 658400, 'earth is totally': 264992, 'is totally out': 453307, 'totally out of': 926381, 'out of lysol': 626780, 'of lysol spray': 586089, 'lysol spray rubbing': 507192, 'spray rubbing alcohol': 790324, 'rubbing alcohol hand': 726966, 'alcohol hand sanitizer': 41020, 'think we re': 885770, 'we re being': 972834, 're being lied': 698360, 'being lied to': 125382, 'masterpiece': 520228, 'teenage': 836520, 'readsteadycook': 700834, 'ainsleyharriott': 39670, 'creating kitchen': 216020, 'kitchen masterpiece': 475726, 'masterpiece from': 520229, 'like living': 490656, 'living my': 496418, 'my teenage': 550335, 'teenage dream': 836523, 'of appearing': 580308, 'on ready': 603084, 'ready steady': 700920, 'steady cook': 799115, 'cook readsteadycook': 202771, 'readsteadycook ainsleyharriott': 700835, 'creating kitchen masterpiece': 216021, 'kitchen masterpiece from': 475727, 'masterpiece from what': 520230, 'what left on': 981810, 'shelf is like': 757238, 'is like living': 449321, 'like living my': 490657, 'living my teenage': 496419, 'my teenage dream': 550336, 'teenage dream of': 836524, 'dream of appearing': 258605, 'of appearing on': 580309, 'appearing on ready': 82175, 'on ready steady': 603085, 'ready steady cook': 700921, 'steady cook readsteadycook': 799117, 'cook readsteadycook ainsleyharriott': 202772, 'market meet': 516715, '19 explained': 6901, 'explained by': 292149, 'by pretend': 153646, 'pretend the': 671317, 'is shopping': 451868, 'mall marketplace': 511802, 'marketplace supply': 517840, 'shop demand': 760095, 'stuff thread': 815221, 'financial market meet': 306508, 'market meet covid': 516716, 'covid 19 explained': 213061, '19 explained by': 6902, 'explained by pretend': 292150, 'by pretend the': 153647, 'pretend the global': 671318, 'global economy is': 351902, 'economy is shopping': 268013, 'is shopping mall': 451874, 'shopping mall marketplace': 763233, 'mall marketplace supply': 511803, 'marketplace supply is': 517841, 'supply is the': 825458, 'is the stuff': 452952, 'the shop demand': 866990, 'shop demand is': 760096, 'demand is the': 235744, 'consumer buying the': 196711, 'buying the stuff': 151174, 'the stuff thread': 868334, 'vp': 960703, 'anand': 57277, 'siddiqui': 768776, 'time entertainment': 896621, 'entertainment amp': 278547, 'amp connectivity': 53551, 'connectivity are': 194730, 'global vp': 352284, 'vp of': 960713, 'of insight': 585222, 'insight amp': 439501, 'amp analytics': 53388, 'analytics anand': 57206, 'anand siddiqui': 57282, 'siddiqui reveals': 768777, 'consumer search': 198877, 'search behavior': 743225, 'behavior that': 124223, 'first time entertainment': 309096, 'time entertainment amp': 896622, 'entertainment amp connectivity': 278548, 'amp connectivity are': 53552, 'connectivity are being': 194731, 'are being held': 84868, 'held up basic': 388946, 'up basic need': 944456, 'basic need in': 112012, 'need in global': 555042, 'in global vp': 423345, 'global vp of': 352285, 'vp of insight': 960714, 'of insight amp': 585223, 'insight amp analytics': 439502, 'amp analytics anand': 53389, 'analytics anand siddiqui': 57207, 'anand siddiqui reveals': 57283, 'siddiqui reveals the': 768778, 'reveals the real': 720353, 'the real time': 865241, 'real time consumer': 701403, 'time consumer search': 896506, 'consumer search behavior': 198878, 'search behavior that': 743227, 'behavior that is': 124226, 'is seeing in': 451711, 'seeing in light': 746334, 'running ad': 727891, 'hot sale': 405039, 'sale toilet': 732594, 'stock against': 801770, 'against article': 37334, 'article must': 94390, 'be scammer': 117013, 'should just assume': 766160, 'assume that anyone': 97015, 'that anyone who': 842685, 'who is running': 989107, 'is running ad': 451591, 'running ad for': 727892, 'ad for hand': 31102, 'sanitizer and hot': 734411, 'and hot sale': 64761, 'hot sale toilet': 405040, 'sale toilet paper': 732595, 'in stock against': 428278, 'stock against article': 801771, 'against article must': 37335, 'article must be': 94391, 'must be scammer': 546544, 'francisco curfew': 331107, 'curfew resident': 220920, 'resident banned': 714260, 'from leaving': 336208, 'after midnight': 35930, 'midnight on': 530753, 'tuesday for': 935149, 'for anything': 319456, 'but doctor': 145567, 'doctor visit': 251147, 'visit or': 959318, 'coronavirus sanfrancisco': 206698, 'sanfrancisco curfew': 733776, 'curfew lockdown': 220900, 'san francisco curfew': 733539, 'francisco curfew resident': 331108, 'curfew resident banned': 220921, 'resident banned from': 714261, 'banned from leaving': 110573, 'from leaving home': 336209, 'leaving home after': 485086, 'home after midnight': 400570, 'after midnight on': 35931, 'midnight on tuesday': 530754, 'on tuesday for': 604883, 'tuesday for anything': 935150, 'for anything but': 319458, 'anything but doctor': 80695, 'but doctor visit': 145568, 'doctor visit or': 251148, 'visit or grocery': 959319, 'or grocery shop': 615525, 'grocery shop to': 364979, 'shop to fight': 760944, 'to fight coronavirus': 905784, 'fight coronavirus sanfrancisco': 304703, 'coronavirus sanfrancisco curfew': 206699, 'sanfrancisco curfew lockdown': 733777, 'oculus': 579156, 'craving': 215177, 'novelty': 573833, 'there long': 878732, 'long fb': 501413, 'fb position': 300664, 'position on': 665185, 'on accelerating': 599146, 'accelerating vr': 27924, 'vr adoption': 960728, 'adoption few': 32716, 'ago tech': 38486, 'tech circle': 836056, 'circle were': 178624, 'were excited': 979594, 'about oculus': 25829, 'oculus it': 579161, 'appears that': 82205, 'that real': 845954, 'real progress': 701322, 'progress ha': 683370, 'consumer if': 197794, 'quarantined for': 692851, 'people craving': 647574, 'craving for': 215183, 'for visual': 327588, 'visual novelty': 959627, 'novelty could': 573836, 'be turning': 117837, 'turning point': 935945, 'is there long': 453017, 'there long fb': 878733, 'long fb position': 501414, 'fb position on': 300665, 'position on accelerating': 665186, 'on accelerating vr': 599148, 'accelerating vr adoption': 27925, 'vr adoption few': 960729, 'adoption few month': 32717, 'few month ago': 303923, 'month ago tech': 537544, 'ago tech circle': 38487, 'tech circle were': 836057, 'circle were excited': 178626, 'were excited about': 979595, 'excited about oculus': 289526, 'about oculus it': 25830, 'oculus it appears': 579162, 'it appears that': 456565, 'appears that real': 82209, 'that real progress': 845956, 'real progress ha': 701323, 'progress ha been': 683371, 'been made for': 121510, 'made for the': 507747, 'the consumer if': 851546, 'consumer if we': 197796, 'if we are': 415266, 'we are quarantined': 970677, 'are quarantined for': 89373, 'quarantined for more': 692856, 'than month people': 840907, 'month people craving': 537954, 'people craving for': 647575, 'craving for visual': 215184, 'for visual novelty': 327589, 'visual novelty could': 959628, 'novelty could be': 573837, 'could be turning': 208933, 'be turning point': 117838, 'go digital': 353462, 'digital nike': 242610, 'nike strategy': 563229, 'strategy to': 812726, 'china offer': 176856, 'offer lesson': 594683, 'group and': 366600, 'retailer around': 719023, 'go digital nike': 353463, 'digital nike strategy': 242611, 'nike strategy to': 563230, 'strategy to weather': 812736, 'weather the covid': 974897, '19 outbreak in': 9139, 'outbreak in china': 628338, 'in china offer': 421421, 'china offer lesson': 176857, 'offer lesson for': 594684, 'lesson for consumer': 486472, 'for consumer group': 320263, 'consumer group and': 197654, 'group and retailer': 366604, 'and retailer around': 70454, 'retailer around the': 719024, 'the world via': 871999, 'jizzed': 465543, 'binge': 131069, 'the doomsdaypreppers': 853556, 'doomsdaypreppers been': 255485, 'for they': 326986, 've jizzed': 953286, 'jizzed their': 465544, 'their pant': 874235, 'pant watching': 639503, 'drama over': 258252, 'shortage while': 765302, 'while binge': 986653, 'binge eating': 131074, 'eating their': 266314, 'they watch': 883729, 'watch empty': 968395, 'shelf from': 757100, 'their bunker': 872666, 'bunker flat': 142679, 'flat screen': 310097, 'screen trumpvirus': 742735, 'trumpvirus stayhome': 934186, 'is what the': 453898, 'what the doomsdaypreppers': 982307, 'the doomsdaypreppers been': 853557, 'doomsdaypreppers been waiting': 255486, 'waiting for they': 964340, 'for they ve': 326989, 'they ve jizzed': 883659, 've jizzed their': 953287, 'jizzed their pant': 465545, 'their pant watching': 874237, 'pant watching the': 639504, 'watching the drama': 968795, 'the drama over': 853657, 'drama over the': 258253, 'over the tp': 630780, 'tp shortage while': 927940, 'shortage while binge': 765303, 'while binge eating': 986654, 'binge eating their': 131076, 'eating their food': 266315, 'their food they': 873354, 'food they watch': 317182, 'they watch empty': 883730, 'watch empty supermarket': 968396, 'supermarket shelf from': 822473, 'shelf from their': 757104, 'from their bunker': 337936, 'their bunker flat': 872667, 'bunker flat screen': 142680, 'flat screen trumpvirus': 310098, 'screen trumpvirus stayhome': 742736, 'what dental': 981311, 'dental office': 237083, 'what dental office': 981312, 'dental office are': 237084, 'office are doing': 595367, 'doing to prevent': 252797, 'to prevent infection': 912072, 'and disinfectant': 61439, 'are provided': 89313, 'liberal blame': 488004, 'blame their': 132306, 'mask and disinfectant': 518318, 'and disinfectant are': 61440, 'disinfectant are sold': 245615, 'doctor are provided': 250839, 'are provided with': 89314, 'provided with the': 686671, 'the best safety': 849549, 'pakistani liberal blame': 634531, 'liberal blame their': 488005, 'blame their own': 132307, 'morning spoke': 541453, 'with on': 999870, 'recent research': 703975, 'research report': 713823, 'this morning spoke': 889017, 'morning spoke with': 541455, 'spoke with on': 789750, 'with on about': 999871, 'on about how': 599138, 'how the public': 408867, 'the public are': 864788, 'responding to and': 715576, 'to and about': 900484, 'and about the': 57554, 'about the result': 26500, 'the result of': 865697, 'result of our': 717605, 'of our most': 587516, 'most recent research': 542686, 'recent research report': 703977, 'outsourcing': 629679, 'doing ur': 252815, 'ur own': 948045, 'shopping now': 763358, 'now like': 575205, 'like regular': 491070, 'regular person': 707829, 'still outsourcing': 801013, 'outsourcing it': 629680, 'working poor': 1008876, 'poor at': 664118, 'risk getting': 723575, 'getting at': 348853, 'so dont': 776915, 'are doing ur': 85935, 'doing ur own': 252816, 'ur own grocery': 948046, 'own grocery shopping': 632030, 'grocery shopping now': 365059, 'shopping now like': 763362, 'now like regular': 575208, 'like regular person': 491071, 'regular person or': 707830, 'person or are': 652562, 'or are still': 614415, 'are still outsourcing': 90461, 'still outsourcing it': 801014, 'outsourcing it to': 629681, 'to the working': 917201, 'the working poor': 871784, 'working poor at': 1008877, 'poor at to': 664119, 'at to risk': 101332, 'to risk getting': 913595, 'risk getting at': 723576, 'getting at the': 348854, 'the store so': 868106, 'store so dont': 810221, 'so dont have': 776916, 'dont have to': 255231, 'advancing': 32950, 'bolstering': 134153, 'dairy product': 225026, 'rose advancing': 726048, 'advancing for': 32951, 'and bolstering': 59052, 'bolstering optimism': 134154, 'optimism about': 613899, 'for demand': 320657, 'world continues': 1009445, 'to grapple': 906984, 'dairy product price': 225030, 'product price rose': 681547, 'price rose advancing': 676265, 'rose advancing for': 726049, 'advancing for the': 32952, 'first time since': 309112, 'time since january': 897668, 'since january and': 770675, 'january and bolstering': 464647, 'and bolstering optimism': 59053, 'bolstering optimism about': 134155, 'optimism about the': 613900, 'about the outlook': 26472, 'outlook for demand': 629151, 'for demand the': 320658, 'demand the world': 236362, 'the world continues': 871845, 'world continues to': 1009446, 'continues to grapple': 201479, 'to grapple with': 906985, 'grapple with covid': 362193, 'tumble at': 935296, 'the open': 862378, 'open in': 612317, 'asia after': 95155, 'after trillion': 36447, 'dollar senate': 253067, 'senate proposal': 749720, 'hit american': 398132, 'economy wa': 268320, 'wa defeated': 961929, 'defeated and': 232054, 'toll soared': 923881, 'soared across': 779289, 'price tumble at': 677144, 'tumble at the': 935298, 'at the open': 101041, 'the open in': 862380, 'open in asia': 612318, 'in asia after': 420517, 'asia after trillion': 95156, 'after trillion dollar': 36448, 'trillion dollar senate': 931981, 'dollar senate proposal': 253068, 'senate proposal to': 749721, 'proposal to help': 684481, 'help the hit': 390656, 'the hit american': 857394, 'hit american economy': 398133, 'american economy wa': 51938, 'economy wa defeated': 268322, 'wa defeated and': 961930, 'defeated and death': 232055, 'and death toll': 60993, 'death toll soared': 230254, 'toll soared across': 923882, 'soared across europe': 779290, 'vladimir': 959858, 'see vladimir': 746004, 'vladimir putin': 959859, 'putin response': 691042, 'outbreak no': 628468, 'no nonsense': 564878, 'nonsense ghana': 566724, 'ghana putin': 349584, 'putin coronacrisis': 691016, 'see vladimir putin': 746005, 'vladimir putin response': 959861, 'putin response to': 691043, 'to the hiking': 916777, 'hiking of face': 396384, 'mask price after': 519138, 'price after the': 672237, 'the outbreak no': 862669, 'outbreak no nonsense': 628469, 'no nonsense ghana': 564879, 'nonsense ghana putin': 566725, 'ghana putin coronacrisis': 349585, 'coded': 185404, 'recall': 703359, 'illegally': 416260, 'she coded': 755941, 'coded in': 185405, 'arm mother': 92900, 'mother recall': 543151, 'recall 27': 703360, 'daughter last': 226881, 'last moment': 480322, 'moment cried': 535915, 'cried and': 216743, 'am sad': 50356, 'sad lord': 729196, 'lord please': 503315, 'let donald': 486686, 'trump lose': 933689, 'lose so': 503473, 'have real': 382175, 'real leader': 701245, 'leader he': 483470, 'he fired': 384962, 'fired fine': 308171, 'fine while': 307722, 'while people': 987148, 'is dying': 447417, 'dying because': 263785, 'because he': 119108, 'he want': 385635, 'used illegally': 949934, 'illegally america': 416261, 'america wake': 51734, 'she coded in': 755942, 'coded in my': 185406, 'in my arm': 425536, 'my arm mother': 547310, 'arm mother recall': 92901, 'mother recall 27': 543152, 'recall 27 year': 703361, 'old daughter last': 598214, 'daughter last moment': 226883, 'last moment cried': 480323, 'moment cried and': 535916, 'cried and am': 216744, 'and am sad': 58027, 'am sad lord': 50357, 'sad lord please': 729197, 'lord please let': 503316, 'please let donald': 660177, 'let donald trump': 486687, 'donald trump lose': 254113, 'trump lose so': 933690, 'lose so we': 503474, 'can have real': 158584, 'have real leader': 382178, 'real leader he': 701246, 'leader he fired': 483471, 'he fired fine': 384963, 'fired fine while': 308172, 'fine while people': 307724, 'while people is': 987151, 'people is dying': 648515, 'is dying because': 447419, 'dying because he': 263786, 'because he want': 119122, 'he want the': 385640, 'want the money': 965960, 'the money to': 860830, 'money to be': 537085, 'to be used': 901616, 'be used illegally': 117916, 'used illegally america': 949935, 'illegally america wake': 416262, 'america wake up': 51735, 'sentinel': 751036, 'hey join': 394443, 'at mustard': 99801, 'seed sentinel': 746170, 'sentinel on': 751037, 'the wix': 871648, 'wix app': 1003193, 'read consumer': 700317, 'news tip': 560890, 'on surviving': 603856, 'surviving pay': 829367, 'or job': 615861, 'loss during': 503664, 'more post': 540105, 'go job': 353782, 'job work': 466309, 'hey join me': 394444, 'me at mustard': 522474, 'at mustard seed': 99802, 'mustard seed sentinel': 547027, 'seed sentinel on': 746171, 'sentinel on the': 751038, 'on the wix': 604456, 'the wix app': 871649, 'wix app to': 1003194, 'app to read': 81777, 'to read consumer': 912828, 'read consumer news': 700318, 'consumer news tip': 198216, 'news tip on': 560891, 'tip on surviving': 898863, 'on surviving pay': 603857, 'surviving pay cut': 829368, 'pay cut or': 644829, 'cut or job': 223461, 'or job loss': 615862, 'job loss during': 465971, 'loss during covid': 503665, 'and more post': 67203, 'more post on': 540106, 'on the go': 604143, 'the go job': 856384, 'go job work': 353783, 'scamdemic': 740501, 'you filed': 1018557, 'filed tax': 305410, 'tax in': 835008, '2018 or': 13888, 'or 2019': 614185, '2019 you': 14052, 'your check': 1023187, 'check do': 174417, 'give anyone': 350390, 'anyone personal': 80464, 'receive your': 703574, 'check scamdemic': 174612, 'if you filed': 415439, 'you filed tax': 1018558, 'filed tax in': 305411, 'tax in 2018': 835009, 'in 2018 or': 419788, '2018 or 2019': 13889, 'or 2019 you': 614186, '2019 you do': 14053, 'do anything to': 249091, 'anything to get': 80913, 'get your check': 348694, 'your check do': 1023188, 'check do not': 174418, 'not give anyone': 569636, 'give anyone personal': 350391, 'anyone personal information': 80465, 'personal information to': 652902, 'information to sign': 438016, 'to receive your': 912939, 'receive your check': 703575, 'your check scamdemic': 1023191, 'baking': 108897, 'powder': 667530, 'no baking': 563661, 'baking powder': 108919, 'powder on': 667540, 'people baking': 647211, 'baking away': 108900, 'insecurity socialdistancing': 439179, 'today there wa': 920315, 'wa no baking': 962716, 'no baking powder': 563662, 'baking powder on': 108920, 'powder on the': 667541, 'supermarket are people': 819178, 'are people baking': 89025, 'people baking away': 647212, 'baking away their': 108901, 'away their fear': 106053, 'their fear and': 873300, 'and insecurity socialdistancing': 65253, 'in morocco': 425454, 'morocco remain': 541573, 'stable despite': 791899, 'price in morocco': 674710, 'in morocco remain': 425455, 'morocco remain stable': 541574, 'remain stable despite': 709856, 'stable despite covid': 791900, 'deadliest': 229203, 'by attempting': 151905, 'from higher': 335791, 'price anti': 672593, 'anti price': 78320, 'gouging practice': 359432, 'practice might': 668608, 'be increasing': 115464, 'increasing exposure': 433605, 'the deadliest': 852938, 'deadliest virus': 229206, 'in generation': 423261, 'by attempting to': 151906, 'attempting to protect': 102288, 'protect consumer from': 684805, 'consumer from higher': 197557, 'from higher price': 335794, 'higher price anti': 395664, 'price anti price': 672594, 'anti price gouging': 78321, 'price gouging practice': 674315, 'gouging practice might': 359434, 'practice might be': 668609, 'might be increasing': 530906, 'be increasing exposure': 115465, 'increasing exposure to': 433606, 'exposure to one': 293011, 'of the deadliest': 590930, 'the deadliest virus': 852939, 'deadliest virus in': 229207, 'virus in generation': 958322, 'vet': 955699, 'elanco': 270487, 'farmer vet': 299558, 'vet matter': 955704, 'matter farmer': 520559, 'are delivering': 85764, 'delivering the': 233547, 'need store': 555658, 'store continue': 807157, 'meat milk': 525657, 'milk egg': 531653, 'egg vet': 270023, 'vet continue': 955702, 'our pet': 624322, 'pet healthy': 653410, 'at elanco': 98526, 'elanco we': 270488, 'stand by': 793501, 'farmer vet matter': 299559, 'vet matter farmer': 955705, 'matter farmer are': 520560, 'farmer are delivering': 299272, 'are delivering the': 85767, 'delivering the food': 233549, 'food supply we': 317012, 'we need store': 972548, 'need store continue': 555659, 'store continue to': 807158, 'continue to stock': 201266, 'stock for the': 802176, 'for the demand': 326378, 'for meat milk': 323363, 'meat milk egg': 525658, 'milk egg vet': 531661, 'egg vet continue': 270024, 'vet continue to': 955703, 'keep our pet': 471741, 'our pet healthy': 624325, 'pet healthy at': 653411, 'healthy at elanco': 387536, 'at elanco we': 98527, 'elanco we stand': 270489, 'we stand by': 973362, 'stand by our': 793503, 'by our customer': 153480, 'our customer in': 622665, 'customer in this': 222511, 'in this unprecedented': 430037, 'jwn': 470544, 'retailapocalypse2020': 718918, 'rack store': 695350, 'washington st': 967801, 'st market': 791728, 'market to': 517226, 'drive store': 259158, 'sale this': 732576, 'weekend jwn': 977366, 'jwn retail': 470545, 'retail retailapocalypse2020': 718469, 'retailapocalypse2020 retailnews': 718919, 'rack store making': 695352, 'store making effort': 808858, 'effort in washington': 269536, 'in washington st': 430711, 'washington st market': 967802, 'st market to': 791729, 'market to drive': 517235, 'to drive store': 904747, 'drive store sale': 259160, 'store sale this': 809975, 'sale this weekend': 732577, 'this weekend jwn': 891313, 'weekend jwn retail': 977367, 'jwn retail retailapocalypse2020': 470546, 'retail retailapocalypse2020 retailnews': 718470, 'mcas': 522087, 'the mcas': 860322, 'mcas have': 522088, 'also claimed': 48024, 'claimed that': 179887, 'the official': 862089, 'official at': 595763, 'county of': 211448, 'of bungoma': 580936, 'bungoma are': 142667, 'inflate price': 436986, 'good some': 357751, 'even purchased': 284502, 'the mcas have': 860323, 'mcas have also': 522089, 'have also claimed': 379208, 'also claimed that': 48025, 'claimed that some': 179888, 'of the official': 591287, 'the official at': 862090, 'official at the': 595764, 'at the county': 100917, 'the county of': 852195, 'county of bungoma': 211449, 'of bungoma are': 580937, 'bungoma are using': 142668, 'using the fight': 950700, '19 to inflate': 11435, 'to inflate price': 908371, 'inflate price of': 436992, 'of good some': 584237, 'good some of': 357753, 'some of which': 783417, 'which are not': 985689, 'not even purchased': 569272, 'linda': 492914, 'bud': 141718, 'staysa': 798775, 'morning linda': 541337, 'linda and': 492915, 'everyone mother': 287191, 'mother nature': 543139, 'nature is': 552958, 'is moving': 449754, 'moving along': 544117, 'along happy': 47001, 'the bud': 850078, 'bud on': 141729, 'the tree': 869945, 'tree heading': 931190, 'store then': 810637, 'then outside': 877397, 'flower bed': 311281, 'bed staysa': 120420, 'good morning linda': 357408, 'morning linda and': 541338, 'linda and everyone': 492916, 'and everyone mother': 62405, 'everyone mother nature': 287192, 'mother nature is': 543140, 'nature is moving': 552960, 'is moving along': 449755, 'moving along happy': 544118, 'along happy to': 47002, 'see the bud': 745814, 'the bud on': 850080, 'bud on all': 141730, 'all the tree': 44953, 'the tree heading': 869946, 'tree heading to': 931191, 'grocery store then': 365851, 'store then outside': 810642, 'then outside to': 877398, 'outside to clean': 629615, 'clean up the': 180674, 'up the flower': 946172, 'the flower bed': 855451, 'flower bed staysa': 311282, 'toiletpaperhoarding': 923173, 'my dream': 548036, 'dream would': 258636, 'be about': 113445, 'about toiletpaper': 26747, 'toiletpaper due': 921930, 'to toiletpaperhoarding': 917627, 'toiletpaperhoarding during': 923174, 'never thought my': 558229, 'thought my dream': 893130, 'my dream would': 548037, 'dream would be': 258637, 'would be about': 1011542, 'be about toiletpaper': 113449, 'about toiletpaper due': 26751, 'toiletpaper due to': 921931, 'due to toiletpaperhoarding': 262001, 'to toiletpaperhoarding during': 917628, 'toiletpaperhoarding during this': 923175, 'zamahni': 1027200, 'zamahni if': 1027201, 'if price': 414684, 'low which': 505741, 'last up': 480611, 'month then': 538052, 'definitely recession': 232383, 'recession covid': 704247, 'also leading': 48469, 'to low': 909477, 'low demand': 505232, 'oil while': 597514, 'while oil': 987097, 'oil power': 597020, 'power increase': 667626, 'production simple': 682209, 'simple economy': 770010, 'economy free': 267882, 'zamahni if price': 1027202, 'if price remain': 414689, 'price remain low': 676166, 'remain low which': 709784, 'low which is': 505742, 'which is expected': 986007, 'expected to last': 290987, 'to last up': 909077, 'last up to': 480612, 'up to month': 946403, 'to month then': 910247, 'month then it': 538053, 'then it is': 877282, 'it is definitely': 458927, 'is definitely recession': 447087, 'definitely recession covid': 232384, 'recession covid 19': 704248, 'is also leading': 445563, 'also leading to': 48470, 'leading to low': 483765, 'to low demand': 909484, 'low demand for': 505238, 'demand for oil': 235464, 'for oil while': 324046, 'oil while oil': 597515, 'while oil power': 987099, 'oil power increase': 597021, 'power increase production': 667627, 'increase production simple': 433023, 'production simple economy': 682210, 'simple economy free': 770011, 'opinion please': 613489, 'please government': 660041, 'government give': 360123, 'give small': 350704, 'small trader': 775168, 'trader tax': 928774, 'tax break': 834940, 'break amid': 138672, 'amid this': 52721, 'this lockdown': 888684, 'lockdown ask': 499174, 'ask landlord': 95573, 'landlord to': 479371, 'give mortgage': 350599, 'mortgage break': 541868, 'break direct': 138696, 'direct money': 243357, 'money transfer': 537135, 'transfer to': 929531, 'to remove': 913213, 'remove commission': 710812, 'commission assist': 188793, 'assist internet': 96632, 'provider to': 686800, 'to double': 904679, 'double down': 256006, 'price freeze': 674100, 'for main': 323157, 'main food': 508752, 'opinion please government': 613490, 'please government give': 660042, 'government give small': 360124, 'give small trader': 350705, 'small trader tax': 775169, 'trader tax break': 928775, 'tax break amid': 834941, 'break amid this': 138673, 'amid this lockdown': 52723, 'this lockdown ask': 888687, 'lockdown ask landlord': 499175, 'ask landlord to': 95574, 'landlord to give': 479372, 'to give mortgage': 906693, 'give mortgage break': 350600, 'mortgage break direct': 541870, 'break direct money': 138697, 'direct money transfer': 243358, 'money transfer to': 537136, 'transfer to remove': 929534, 'to remove commission': 913217, 'remove commission assist': 710813, 'commission assist internet': 188794, 'assist internet provider': 96633, 'internet provider to': 442000, 'provider to double': 686803, 'to double down': 904681, 'double down price': 256009, 'down price freeze': 257113, 'price freeze price': 674103, 'freeze price for': 332549, 'price for main': 673994, 'for main food': 323158, 'main food item': 508753, 'boycotted': 137362, 'shitstorm': 759345, 'these shop': 880672, 'basic thing': 112083, 'roll need': 725393, 'be boycotted': 113898, 'boycotted once': 137365, 'this shitstorm': 890095, 'shitstorm is': 759346, 'all these shop': 45056, 'these shop who': 880681, 'shop who are': 761040, 'are putting price': 89358, 'price up for': 677233, 'up for basic': 944919, 'for basic thing': 319592, 'basic thing like': 112085, 'thing like toilet': 884554, 'like toilet roll': 491644, 'toilet roll need': 921587, 'roll need to': 725394, 'to be boycotted': 901136, 'be boycotted once': 113899, 'boycotted once this': 137366, 'once this shitstorm': 605758, 'this shitstorm is': 890096, 'shitstorm is over': 759347, 'from european': 335311, 'inoculated from european': 438954, 'from european price': 335312, 'mortality': 541796, 'onset': 611543, 'ralph': 696304, 'koijen': 477341, 'mothiro': 543247, 'yogo': 1016523, 'fact stock': 295784, 'company which': 191308, 'which safeguard': 986281, 'safeguard long': 730206, 'term saving': 838280, 'saving and': 737843, 'and insure': 65306, 'insure health': 440853, 'health mortality': 386653, 'mortality risk': 541805, 'risk declined': 723487, 'sharply during': 755737, 'the onset': 862360, 'onset of': 611544, '19 ralph': 9949, 'ralph koijen': 696307, 'koijen mothiro': 477342, 'mothiro yogo': 543248, 'yogo discus': 1016524, 'policy implication': 663425, 'fact stock price': 295785, 'price of life': 675488, 'of life insurance': 585826, 'life insurance company': 488785, 'insurance company which': 440703, 'company which safeguard': 191311, 'which safeguard long': 986282, 'safeguard long term': 730207, 'long term saving': 501714, 'term saving and': 838281, 'saving and insure': 737844, 'and insure health': 65307, 'insure health mortality': 440854, 'health mortality risk': 386654, 'mortality risk declined': 541807, 'risk declined sharply': 723488, 'declined sharply during': 231440, 'sharply during the': 755738, 'during the onset': 263165, 'the onset of': 862361, 'onset of covid': 611546, 'covid 19 ralph': 213650, '19 ralph koijen': 9950, 'ralph koijen mothiro': 696308, 'koijen mothiro yogo': 477343, 'mothiro yogo discus': 543249, 'yogo discus the': 1016525, 'discus the fragility': 244919, 'fragility of the': 330915, 'of the industry': 591140, 'the industry and': 858161, 'industry and policy': 435645, 'and policy implication': 69167, 'can sleep': 159637, 'sleep because': 773756, 'because scared': 119529, 'nervous because': 557456, 'because have': 119095, 'get couple': 346822, 'couple thing': 211688, 'think just': 885365, 'just going': 468831, 'no sleep': 565517, 'sleep scared': 773786, 'scared anxiety': 740946, 'can sleep because': 159638, 'sleep because scared': 773757, 'because scared and': 119530, 'and nervous because': 67519, 'nervous because have': 557457, 'because have to': 119106, 'to get couple': 906450, 'get couple thing': 346824, 'couple thing from': 211690, 'store think just': 810687, 'think just going': 885366, 'just going to': 468834, 'to go now': 906829, 'go now on': 353859, 'now on no': 575430, 'on no sleep': 602420, 'no sleep scared': 565518, 'sleep scared anxiety': 773787, 'periodt': 651949, 'stayingathomechallenge': 798733, 'thankshealthheroes': 842302, 'and bus': 59259, 'here taking': 393627, 'taking risk': 833547, 'risk while': 724018, 'while am': 986599, 'family thank': 298287, 'else need': 271798, 'stay tf': 797341, 'tf home': 840000, 'home periodt': 401847, 'periodt stayhome': 651950, 'stayhome stayhomesavelives': 798152, 'stayhomesavelives stayingathomechallenge': 798460, 'stayingathomechallenge thankshealthheroes': 798734, 'thankshealthheroes california': 842303, 'and nurse and': 67884, 'nurse and grocery': 577198, 'clerk and bus': 181636, 'and bus driver': 59260, 'driver are out': 259438, 'are out here': 88885, 'out here taking': 626297, 'here taking risk': 393628, 'taking risk while': 833549, 'risk while am': 724019, 'while am at': 986600, 'am at home': 49911, 'home with my': 402530, 'my family thank': 548228, 'family thank you': 298288, 'you and everyone': 1016984, 'everyone else need': 286867, 'else need to': 271799, 'to stay tf': 915321, 'stay tf home': 797342, 'tf home periodt': 840002, 'home periodt stayhome': 401848, 'periodt stayhome stayhomesavelives': 651951, 'stayhome stayhomesavelives stayingathomechallenge': 798156, 'stayhomesavelives stayingathomechallenge thankshealthheroes': 798461, 'stayingathomechallenge thankshealthheroes california': 798735, 'kroger you': 477786, 'should only': 766289, 'only order': 610924, 'and purchase': 69778, 'online ask': 607878, 'pick them': 655691, 'them up': 876564, 'up curbside': 944678, 'curbside my': 220633, 'hard and': 377859, 'are baby': 84734, 'baby in': 106641, 'and hundred': 64871, 'shopping she': 763853, 'she going': 756055, 'kroger you should': 477787, 'you should only': 1021210, 'should only order': 766292, 'only order and': 610925, 'order and purchase': 618034, 'and purchase online': 69782, 'purchase online ask': 689600, 'online ask them': 607879, 'ask them to': 95647, 'them to pick': 876497, 'to pick them': 911728, 'pick them up': 655692, 'them up curbside': 876567, 'up curbside my': 944679, 'curbside my sister': 220634, 'sister work hard': 771804, 'work hard and': 1005236, 'hard and there': 377865, 'there are baby': 878069, 'are baby in': 84736, 'baby in the': 106642, 'house and hundred': 406181, 'and hundred of': 64872, 'are shopping she': 90063, 'shopping she going': 763854, 'she going to': 756056, 'scenario it': 741271, 'scale focus': 739889, 'focus group': 311843, 'group that': 366906, 'one asked': 605957, 'case scenario it': 166003, 'scenario it the': 741273, 'it the large': 461551, 'the large scale': 858951, 'large scale focus': 479785, 'scale focus group': 739890, 'focus group that': 311844, 'group that no': 366912, 'no one asked': 564919, 'one asked for': 605958, 'oneself': 607562, 'ffodbanks': 304273, 'single bar': 771241, 'bar pub': 110748, 'pub club': 687693, 'club coffee': 184427, 'coffee shop': 185530, 'shop restaurant': 760717, 'restaurant should': 716698, 'be donating': 114544, 'donating it': 254470, 'it stock': 461260, 'on table': 603862, 'table outside': 831492, 'help oneself': 390187, 'oneself ffodbanks': 607563, 'every single bar': 286178, 'single bar pub': 771243, 'bar pub club': 110749, 'pub club coffee': 687696, 'club coffee shop': 184428, 'coffee shop restaurant': 185537, 'shop restaurant should': 760720, 'restaurant should be': 716699, 'should be donating': 765604, 'be donating it': 114545, 'donating it stock': 254472, 'it stock to': 461266, 'stock to food': 802996, 'food bank or': 313609, 'bank or on': 110079, 'or on table': 616373, 'on table outside': 603866, 'table outside to': 831493, 'outside to help': 629620, 'to help oneself': 907574, 'help oneself ffodbanks': 390188, '701': 21927, 'nyc administrative': 577955, 'administrative code': 32516, 'code 20': 185329, '20 701': 12921, '701 make': 21930, 'percent or': 651166, 'during 60': 262425, 've witnessed': 953658, 'witnessed pricegouging': 1003166, 'like handsanitizer': 490376, 'handsanitizer during': 376521, 'the attorney': 849034, 'general learn': 345395, 'nyc administrative code': 577956, 'administrative code 20': 32517, 'code 20 701': 185330, '20 701 make': 12922, '701 make it': 21931, 'illegal to increase': 416252, 'increase price by': 432999, 'price by 10': 673001, 'by 10 percent': 151519, '10 percent or': 1629, 'percent or more': 651167, 'more during 60': 539088, 'during 60 day': 262426, 'day period if': 228212, 'period if you': 651788, 'you ve witnessed': 1022071, 've witnessed pricegouging': 953659, 'witnessed pricegouging on': 1003167, 'pricegouging on item': 677834, 'item like handsanitizer': 463415, 'like handsanitizer during': 490377, 'handsanitizer during the': 376522, 'during the you': 263220, 'report it the': 712067, 'it the attorney': 461511, 'the attorney general': 849035, 'attorney general learn': 102652, 'general learn how': 345396, 'expert share': 291970, 'share tip': 755298, 'eat during': 265891, 'expert share tip': 291973, 'share tip for': 755299, 'tip for how': 898769, 'for how to': 322423, 'how to shop': 409082, 'shop and make': 759854, 'sure your food': 827882, 'your food is': 1023920, 'food is safe': 315148, 'is safe to': 451623, 'safe to eat': 730048, 'to eat during': 904879, 'eat during the': 265893, 'news nervous': 560626, 'nervous consumer': 557466, 'consumer hoard': 197756, 'restaurant go': 716483, 'out while': 627834, 'while unemployment': 987495, 'unemployment skyrocket': 941296, 'skyrocket and': 773287, 'pantry suffer': 639680, 'suffer but': 817197, 'but solution': 147086, 'solution exist': 782015, 'exist look': 290241, 'at rising': 100327, 'waste food': 968119, 'insecurity amid': 439140, 'waste news': 968155, 'in the news': 429394, 'the news nervous': 861620, 'news nervous consumer': 560627, 'nervous consumer hoard': 557468, 'consumer hoard grocery': 197757, 'hoard grocery and': 398805, 'grocery and restaurant': 364255, 'and restaurant go': 70378, 'restaurant go take': 716484, 'go take out': 354190, 'take out while': 832464, 'out while unemployment': 627836, 'while unemployment skyrocket': 987496, 'unemployment skyrocket and': 941297, 'skyrocket and food': 773288, 'and food pantry': 63073, 'food pantry suffer': 315800, 'pantry suffer but': 639681, 'suffer but solution': 817198, 'but solution exist': 147088, 'solution exist look': 782016, 'exist look at': 290242, 'look at rising': 502292, 'at rising food': 100328, 'rising food waste': 723222, 'food waste food': 317480, 'waste food insecurity': 968124, 'food insecurity amid': 315058, 'insecurity amid panic': 439142, 'amid panic food': 52583, 'panic food waste': 638114, 'food waste news': 317485, 'brainless': 137615, 'nice one': 562450, 'one let': 606591, 'but show': 147052, 'show ppl': 767097, 'ppl in': 668255, 'france queueing': 331018, 'queueing for': 694169, 'food brainless': 313781, 'brainless ffs': 137616, 'nice one let': 562451, 'one let not': 606592, 'let not panic': 486943, 'panic but show': 637450, 'but show ppl': 147053, 'show ppl in': 767098, 'ppl in france': 668256, 'in france queueing': 423083, 'france queueing for': 331019, 'queueing for food': 694170, 'for food brainless': 321563, 'food brainless ffs': 313782, 'be wonderful': 118127, 'wonderful if': 1004088, 'prepare your': 670151, 'up folk': 944867, 'folk could': 312130, 'could refrain': 209586, 'hoarding extra': 399288, 'extra this': 293672, 'go long': 353807, 'ensure there': 278098, 'would be wonderful': 1011670, 'be wonderful if': 118128, 'wonderful if you': 1004089, 'if you prepare': 415495, 'you prepare your': 1020413, 'prepare your family': 670153, 'family and stock': 297606, 'stock up folk': 803082, 'up folk could': 944868, 'folk could refrain': 312131, 'could refrain from': 209587, 'and hoarding extra': 64653, 'hoarding extra this': 399289, 'extra this go': 293673, 'this go long': 887714, 'go long way': 353808, 'way to ensure': 970025, 'to ensure there': 905197, 'ensure there is': 278100, 'one minute': 606669, 'minute video': 533888, 'video about': 956595, 'to prepare': 911997, 'prepare hand': 670096, 'here is one': 393242, 'is one minute': 450504, 'one minute video': 606672, 'minute video about': 533889, 'video about how': 956596, 'how to prepare': 409055, 'to prepare hand': 912002, 'prepare hand sanitizer': 670097, 'sanitizer in one': 735149, 'in one minute': 426149, 'yoghurt': 1016509, 'inhaler': 438430, 'ventilon': 954650, 'suffer with': 817249, 'with chest': 997616, 'chest infection': 175564, 'infection work': 436888, 'if work': 415365, 'work the': 1005806, 'the cold': 851140, 'cold fridge': 185760, 'fridge stocking': 333426, 'stocking yoghurt': 803626, 'yoghurt and': 1016510, 'cheese my': 175205, 'my chest': 547671, 'chest get': 175560, 'get real': 347888, 'real wheezy': 701453, 'wheezy after': 983093, 'after my': 35941, 'shift and': 758230, 'following day': 312711, 'day ve': 228643, 've an': 952841, 'an inhaler': 56334, 'inhaler ventilon': 438445, 'ventilon but': 954651, 'no doctor': 564034, 'doctor ha': 250939, 've asthma': 952851, 'asthma am': 97177, 'suffer with chest': 817250, 'with chest infection': 997617, 'chest infection work': 175566, 'infection work in': 436889, 'and if work': 64956, 'if work the': 415367, 'work the cold': 1005807, 'the cold fridge': 851142, 'cold fridge stocking': 185761, 'fridge stocking yoghurt': 333427, 'stocking yoghurt and': 803627, 'yoghurt and cheese': 1016511, 'and cheese my': 59802, 'cheese my chest': 175206, 'my chest get': 547673, 'chest get real': 175561, 'get real wheezy': 347896, 'real wheezy after': 701454, 'wheezy after my': 983094, 'after my shift': 35945, 'my shift and': 550036, 'shift and the': 758237, 'and the following': 73382, 'the following day': 855503, 'following day ve': 312714, 'day ve an': 228644, 've an inhaler': 952843, 'an inhaler ventilon': 56336, 'inhaler ventilon but': 438446, 'ventilon but no': 954652, 'but no doctor': 146483, 'no doctor ha': 564035, 'doctor ha said': 250941, 'ha said you': 371800, 'said you ve': 731612, 'you ve asthma': 1022026, 've asthma am': 952852, 'asthma am at': 97178, 'am at risk': 49912, 'price opec': 675756, 'opec to': 611978, 'hold emergency': 399918, 'emergency meeting': 272805, 'meeting with': 527793, 'russia others': 728531, 'on output': 602650, 'oil price opec': 597210, 'price opec to': 675757, 'opec to hold': 611980, 'to hold emergency': 907908, 'hold emergency meeting': 399919, 'emergency meeting with': 272808, 'meeting with russia': 527798, 'with russia others': 1000533, 'russia others on': 728532, 'others on output': 621566, 'on output cut': 602651, 'do understand': 250428, 'understand please': 940698, 'our support': 625042, 'you during': 1018380, 'time adp': 896207, 'we do understand': 971358, 'do understand please': 250430, 'understand please check': 940699, 'out our support': 626997, 'our support for': 625045, 'support for you': 826528, 'for you during': 328052, 'you during this': 1018384, 'this time adp': 890616, 'moscow relies': 542005, 'it energy': 457818, 'energy export': 276452, 'export low': 292662, 'it nervous': 459770, 'nervous no': 557472, 'one need': 606706, 'need oil': 555357, 'oil now': 596977, 'writes one': 1012858, 'one russian': 606978, 'russian paper': 728656, 'paper today': 640933, 'doesn cure': 251742, 'cure people': 220789, 'of another': 580231, 'another warns': 77950, 'warns the': 967297, 'the commodity': 851240, 'commodity market': 189216, 'face collapse': 294356, 'moscow relies on': 542006, 'relies on it': 709519, 'on it energy': 601657, 'it energy export': 457819, 'energy export low': 276453, 'export low oil': 292663, 'price are making': 672697, 'are making it': 87986, 'making it nervous': 511146, 'it nervous no': 459772, 'nervous no one': 557473, 'no one need': 564950, 'one need oil': 606708, 'need oil now': 555358, 'oil now writes': 596978, 'now writes one': 576488, 'writes one russian': 1012859, 'one russian paper': 606979, 'russian paper today': 728658, 'paper today after': 640934, 'today after all': 919153, 'after all it': 35326, 'all it doesn': 43267, 'it doesn cure': 457626, 'doesn cure people': 251743, 'cure people of': 220790, 'people of another': 648909, 'of another warns': 580234, 'another warns the': 77952, 'warns the commodity': 967298, 'the commodity market': 851243, 'commodity market face': 189219, 'market face collapse': 516366, 'staff today': 793005, 'that new': 845325, 'new look': 559066, 'look have': 502399, 'been letting': 121454, 'letting staff': 487441, 'staff go': 792493, 'without pay': 1002826, 'pay due': 644835, 'so bare': 776592, 'bare that': 110958, 'maybe check': 521654, 'out different': 625953, 'different high': 241961, 'store website': 811198, 'website instead': 975311, 'from staff today': 337400, 'staff today that': 793006, 'today that new': 920271, 'that new look': 845329, 'new look have': 559067, 'look have been': 502400, 'have been letting': 379596, 'been letting staff': 121455, 'letting staff go': 487442, 'staff go without': 792495, 'go without pay': 354518, 'without pay due': 1002828, 'pay due to': 644836, '19 so bare': 10636, 'so bare that': 776594, 'bare that in': 110959, 'that in mind': 844453, 'mind when you': 532777, 'you re doing': 1020602, 're doing your': 698556, 'doing your online': 252887, 'shopping and maybe': 762000, 'and maybe check': 66808, 'maybe check out': 521655, 'check out different': 174545, 'out different high': 625954, 'different high street': 241962, 'street store website': 813129, 'store website instead': 811199, 'motor': 543329, 'me disabled': 522651, 'disabled severe': 243960, 'severe motor': 754035, 'motor problem': 543336, 'husband asthma': 411681, 'asthma cancer': 97191, 'cancer self': 161274, 'self isolated': 747701, 'isolated cannot': 454985, 'get fast': 346992, 'fast delivery': 299941, 'delivery cannot': 233779, 'get they': 348395, 'they let': 882557, 'bulk so': 142356, 'stop hoarder': 804718, 'hoarder the': 399117, 'coronavirus walk': 207040, 'me disabled severe': 522652, 'disabled severe motor': 243961, 'severe motor problem': 754037, 'motor problem my': 543337, 'problem my husband': 679608, 'my husband asthma': 548772, 'husband asthma cancer': 411682, 'asthma cancer self': 97192, 'cancer self isolated': 161275, 'self isolated cannot': 747704, 'isolated cannot get': 454986, 'cannot get fast': 161886, 'get fast delivery': 346993, 'fast delivery cannot': 299942, 'delivery cannot get': 233780, 'cannot get they': 161910, 'get they let': 348396, 'they let people': 882559, 'let people buy': 486972, 'people buy in': 647334, 'buy in bulk': 148810, 'in bulk so': 421046, 'bulk so how': 142357, 'so how do': 777338, 'do you stop': 250683, 'you stop hoarder': 1021437, 'stop hoarder the': 804721, 'hoarder the coronavirus': 399118, 'the coronavirus walk': 851940, 'coronavirus walk through': 207041, 'walk through the': 964894, 'the supermarket like': 868673, 'anything worse': 80951, 'than being': 840398, 'with dickhead': 998027, 'dickhead of': 240485, 'customer pilling': 222689, 'pilling their': 656698, 'with pasta': 1000107, 'and bog': 59046, 'could not think': 209462, 'not think of': 572080, 'think of anything': 885437, 'of anything worse': 580297, 'anything worse than': 80952, 'worse than being': 1011006, 'than being on': 840402, 'being on minimum': 125487, 'wage in supermarket': 963902, 'supermarket with dickhead': 823918, 'with dickhead of': 998028, 'dickhead of customer': 240486, 'of customer pilling': 582278, 'customer pilling their': 222690, 'pilling their trolley': 656699, 'their trolley with': 875038, 'trolley with pasta': 932505, 'with pasta and': 1000108, 'pasta and bog': 643676, 'and bog roll': 59047, 'virus highly': 958283, 'highly recommend': 396091, 'recommend this': 704721, 'your website': 1026320, 'is simple': 451923, 'task you': 834737, '19 the corona': 11181, 'corona virus highly': 204315, 'virus highly recommend': 958284, 'highly recommend this': 396093, 'recommend this company': 704722, 'this company for': 886822, 'company for your': 190678, 'for your website': 328225, 'your website it': 1026323, 'website it is': 975327, 'it is simple': 459079, 'is simple task': 451925, 'simple task you': 770107, 'task you can': 834738, 'can do yourself': 158130, 'eaglenews': 264385, 'in berlin': 420795, 'here eaglenews': 392943, 'shelf in berlin': 757187, 'in berlin supermarket': 420798, 'berlin supermarket amid': 127348, 'supermarket amid covid': 818901, 'outbreak read here': 628571, 'read here eaglenews': 700349, 'proceeded': 679840, 'and tried': 74454, 'que until': 693328, 'until woman': 943934, 'woman walk': 1003654, 'walk and': 964737, 'up behind': 944484, 'asked her': 95756, 'her if': 392132, 'she watch': 756454, 'and proceeded': 69537, 'proceeded to': 679841, 'ask her': 95552, 'back socialdistancing': 107274, 'been to supermarket': 122227, 'supermarket and tried': 819091, 'and tried to': 74455, 'tried to distance': 931831, 'to distance myself': 904431, 'distance myself in': 246771, 'the que until': 865001, 'que until woman': 693329, 'until woman walk': 943935, 'woman walk and': 1003655, 'walk and stand': 964739, 'and stand right': 72221, 'right up behind': 722382, 'up behind me': 944485, 'me asked her': 522458, 'asked her if': 95758, 'her if she': 392133, 'if she watch': 414784, 'she watch the': 756455, 'watch the news': 968549, 'the news and': 861602, 'news and proceeded': 560235, 'and proceeded to': 69538, 'proceeded to ask': 679842, 'to ask her': 900754, 'ask her to': 95553, 'her to step': 392474, 'to step back': 915385, 'step back socialdistancing': 799508, 'been emptied': 121075, 'emptied case': 274674, 'case spike': 166027, 'spike across': 789257, 'what time': 982444, 'time will': 898338, 'supermarket shelf have': 822479, 'shelf have been': 757142, 'have been emptied': 379526, 'been emptied case': 121076, 'emptied case spike': 274675, 'case spike across': 166028, 'spike across the': 789258, 'uk but what': 938232, 'but what time': 147800, 'what time will': 982447, 'time will open': 898342, 'will open and': 994342, 'and close in': 60000, 'close in the': 182675, 'fascism': 299776, 'grim': 363957, 'of gen': 584073, 'gen and': 345207, 'millennials high': 532011, 'unemployment low': 941246, 'wage unaffordable': 963978, 'unaffordable apartment': 939392, 'apartment price': 81418, 'price few': 673860, 'few job': 303892, 'job prospect': 466109, 'prospect fascism': 684672, 'fascism growing': 299777, 'growing mental': 367213, 'problem year': 679776, 'of dismantling': 582697, 'net and': 557535, '19 imagine': 7680, 'the grim': 856790, 'grim prospect': 363968, 'prospect now': 684686, 'face of gen': 294654, 'of gen and': 584074, 'gen and millennials': 345208, 'and millennials high': 67024, 'millennials high unemployment': 532012, 'high unemployment low': 395497, 'unemployment low wage': 941248, 'low wage unaffordable': 505735, 'wage unaffordable apartment': 963979, 'unaffordable apartment price': 939393, 'apartment price few': 81419, 'price few job': 673861, 'few job prospect': 303893, 'job prospect fascism': 466110, 'prospect fascism growing': 684673, 'fascism growing mental': 299778, 'growing mental health': 367214, 'mental health problem': 528648, 'health problem year': 386758, 'problem year of': 679777, 'year of dismantling': 1014776, 'of dismantling the': 582698, 'dismantling the social': 245995, 'the social safety': 867417, 'safety net and': 730634, 'net and all': 557536, 'and all this': 57900, 'all this before': 45093, 'this before covid': 886528, 'covid 19 imagine': 213247, '19 imagine the': 7683, 'imagine the grim': 416799, 'the grim prospect': 856793, 'grim prospect now': 363969, 'grosser': 366448, 'it long': 459454, 'been clear': 120828, 'clear cash': 181235, 'cash is': 166260, 'disgusting mode': 245424, 'mode of': 535188, 'of payment': 587840, 'but paying': 146756, 'paying with': 645524, 'card is': 163561, 'is possibly': 450954, 'possibly even': 665918, 'even grosser': 284143, 'it long been': 459455, 'long been clear': 501340, 'been clear cash': 120829, 'clear cash is': 181236, 'cash is disgusting': 166262, 'is disgusting mode': 447222, 'disgusting mode of': 245425, 'mode of payment': 535191, 'of payment but': 587841, 'payment but paying': 645568, 'but paying with': 146758, 'paying with credit': 645525, 'credit card is': 216341, 'card is possibly': 163563, 'is possibly even': 450955, 'possibly even grosser': 665919, 'mummy': 546053, 'to dan': 903906, 'dan murphy': 225540, 'murphy to': 546212, 'being stuck': 125872, 'stuck home': 814585, 'kid without': 474177, 'without mummy': 1002793, 'mummy medicine': 546060, 'off to dan': 594319, 'to dan murphy': 903907, 'dan murphy to': 225541, 'murphy to stock': 546214, 'stock up can': 803067, 'up can think': 944577, 'can think of': 159988, 'than being stuck': 840404, 'being stuck home': 125874, 'stuck home with': 814587, 'home with the': 402539, 'the kid without': 858799, 'kid without mummy': 474178, 'without mummy medicine': 1002794, 'tread': 930753, '806': 22741, '464': 19236, '9197': 23458, 'pandemic tread': 636835, 'tread connection': 930754, 'connection is': 194702, 'open providing': 612467, 'providing tire': 687121, 'tire service': 899019, 'and waiving': 75131, 'waiving on': 964568, 'on site': 603479, 'site fee': 771913, 'fee for': 302169, 'driver please': 259697, 'contact 806': 199996, '806 464': 22742, '464 9197': 19237, '9197 or': 23459, '19 pandemic tread': 9507, 'pandemic tread connection': 636836, 'tread connection is': 930755, 'connection is open': 194704, 'is open providing': 450576, 'open providing tire': 612468, 'providing tire service': 687122, 'tire service and': 899020, 'service and waiving': 752115, 'and waiving on': 75133, 'waiving on site': 964569, 'on site fee': 603484, 'site fee for': 771914, 'fee for emergency': 302172, 'for emergency service': 321022, 'emergency service for': 272962, 'service for healthcare': 752380, 'responder and delivery': 715409, 'delivery driver please': 233929, 'driver please contact': 259698, 'please contact 806': 659828, 'contact 806 464': 199997, '806 464 9197': 22743, '464 9197 or': 19238, '9197 or visit': 23460, 'fightingcoronavirus': 305166, 'an almost': 55246, 'store safeway': 809955, 'safeway so': 730854, 'so decided': 776847, 'to print': 912136, 'print it': 678277, 'shoe with': 759698, 'with hope': 998875, 'away wishing': 106117, 'wishing all': 996871, 'good health': 357173, 'health fightingcoronavirus': 386431, 'came home to': 157010, 'home to an': 402305, 'to an almost': 900440, 'an almost empty': 55247, 'almost empty grocery': 46607, 'grocery store safeway': 365739, 'store safeway so': 809957, 'safeway so decided': 730855, 'so decided to': 776848, 'decided to print': 230927, 'to print it': 912137, 'print it on': 678278, 'it on my': 460051, 'on my shoe': 602314, 'my shoe with': 550043, 'shoe with hope': 759699, 'with hope that': 998876, 'hope that it': 403645, 'it will go': 462398, 'will go away': 993540, 'go away wishing': 353335, 'away wishing all': 106118, 'wishing all of': 996873, 'all of good': 43690, 'of good health': 584222, 'good health fightingcoronavirus': 357177, 'criticalpersonnel': 218744, 'reclassified groceryworkers': 704587, 'groceryworkers criticalpersonnel': 366397, 'criticalpersonnel they': 218745, 'need ppe': 555455, 'ppe badly': 667920, 'have reclassified groceryworkers': 382217, 'reclassified groceryworkers criticalpersonnel': 704588, 'groceryworkers criticalpersonnel they': 366398, 'criticalpersonnel they need': 218746, 'they need ppe': 882754, 'need ppe badly': 555457, 'llc': 497111, 'seen photo': 747193, 'store meat': 808935, 'meat case': 525512, 'case caused': 165680, 'consumer panic': 198328, 'pandemic 210': 634780, '210 analytics': 15045, 'analytics llc': 57231, 'llc say': 497114, 'say meat': 738931, 'department sale': 237258, 'sale without': 732659, 'without deli': 1002587, 'deli surged': 232936, 'surged by': 828295, 'by 76': 151704, '76 over': 22236, 'ending march': 276185, '15 2020': 3648, 'by now you': 153377, 'now you ve': 576520, 'you ve probably': 1022057, 'probably seen photo': 679371, 'seen photo of': 747195, 'of empty grocery': 583090, 'grocery store meat': 365562, 'store meat case': 808936, 'meat case caused': 525513, 'case caused by': 165681, 'caused by consumer': 167831, 'by consumer panic': 152191, 'consumer panic buying': 198329, 'buying over the': 150859, '19 pandemic 210': 9247, 'pandemic 210 analytics': 634781, '210 analytics llc': 15046, 'analytics llc say': 57232, 'llc say meat': 497115, 'say meat department': 738932, 'meat department sale': 525540, 'department sale without': 237259, 'sale without deli': 732661, 'without deli surged': 1002588, 'deli surged by': 232937, 'surged by 76': 828297, 'by 76 over': 151705, '76 over the': 22237, 'over the week': 630783, 'the week ending': 871299, 'week ending march': 976188, 'ending march 15': 276187, 'march 15 2020': 515074, 'aegis': 33881, 'ngf': 561818, 'telecommunication': 836701, 'disbursement': 244311, 'the 36': 848093, '36 state': 18026, 'state under': 796052, 'the aegis': 848390, 'aegis of': 33882, 'nigeria governor': 562746, 'governor forum': 360901, 'forum ngf': 329956, 'ngf have': 561821, 'have resolved': 382286, 'resolved to': 714652, 'the telecommunication': 869258, 'telecommunication industry': 836705, 'industry mean': 435988, 'mean to': 524727, 'vulnerable nigerian': 961053, 'nigerian for': 562844, 'the disbursement': 853345, 'disbursement of': 244312, 'of palliative': 587683, 'governor of the': 360956, 'of the 36': 590769, 'the 36 state': 848094, '36 state under': 18027, 'state under the': 796053, 'under the aegis': 940289, 'the aegis of': 848391, 'aegis of the': 33883, 'the nigeria governor': 861798, 'nigeria governor forum': 562747, 'governor forum ngf': 360902, 'forum ngf have': 329957, 'ngf have resolved': 561822, 'have resolved to': 382287, 'resolved to rely': 714653, 'rely on consumer': 709637, 'on consumer data': 600038, 'consumer data in': 197056, 'in the telecommunication': 429597, 'the telecommunication industry': 869259, 'telecommunication industry mean': 836706, 'industry mean to': 435989, 'mean to reach': 524741, 'to vulnerable nigerian': 918247, 'vulnerable nigerian for': 961054, 'nigerian for the': 562846, 'for the disbursement': 326385, 'the disbursement of': 853346, 'disbursement of palliative': 244313, 'article for': 94315, 'report explains': 711923, 'explains exactly': 292206, 'exactly how': 288733, 'you or your': 1020228, 'or your loved': 617885, 'loved one is': 504915, 'one is at': 606500, 'is at high': 445864, '19 my article': 8719, 'my article for': 547319, 'article for consumer': 94316, 'for consumer report': 320286, 'consumer report explains': 198708, 'report explains exactly': 711924, 'explains exactly how': 292207, 'exactly how to': 288737, 'priscillaconsolo': 678699, 'to priscillaconsolo': 912148, 'priscillaconsolo and': 678700, 'and adam': 57657, 'adam for': 31216, 'helping my': 391393, 'mom stock': 535804, 'food true': 317370, 'hero let': 394028, 'let beat': 486623, 'virus handwashing': 958256, 'socialdistancing orlando': 780579, 'orlando florida': 619629, 'thanks to priscillaconsolo': 842254, 'to priscillaconsolo and': 912149, 'priscillaconsolo and adam': 678701, 'and adam for': 57659, 'adam for helping': 31217, 'for helping my': 322200, 'helping my mom': 391395, 'my mom stock': 549281, 'mom stock up': 535805, 'on food true': 600924, 'food true hero': 317371, 'true hero let': 933101, 'hero let beat': 394029, 'let beat this': 486625, 'beat this virus': 118573, 'this virus handwashing': 891009, 'virus handwashing socialdistancing': 958257, 'handwashing socialdistancing orlando': 376860, 'socialdistancing orlando florida': 780580, 'caput': 162966, 'case count': 165699, 'count in': 210129, 'in louisiana': 424939, 'louisiana on': 504545, 'on per': 602763, 'per caput': 650734, 'caput basis': 162967, 'basis is': 112250, 'is among': 445624, 'highest in': 395825, 'country this': 211145, 'serious situation': 751473, 'the case count': 850457, 'case count in': 165700, 'count in louisiana': 210130, 'in louisiana on': 424941, 'louisiana on per': 504546, 'on per caput': 602764, 'per caput basis': 650735, 'caput basis is': 162968, 'basis is among': 112252, 'is among the': 445626, 'among the highest': 53063, 'the highest in': 857340, 'highest in the': 395826, 'the country this': 852165, 'country this is': 211146, 'is very very': 453703, 'very very serious': 955650, 'very serious situation': 955521, 'saw on': 738189, 'news how': 560517, 'how those': 408961, 'those reusable': 892402, 'grocery sack': 364924, 'sack people': 729055, 'bring to': 140100, 'home could': 400956, 'transmit time': 929790, 'for governor': 321965, 'governor store': 360996, 'owner etc': 632447, 'who banned': 988294, 'banned plastic': 110594, 'lift that': 489460, 'that ban': 842922, 'ban for': 109204, 'just saw on': 469687, 'saw on the': 738191, 'the news how': 861612, 'news how those': 560519, 'how those reusable': 408965, 'those reusable grocery': 892403, 'reusable grocery sack': 720164, 'grocery sack people': 364925, 'sack people bring': 729056, 'people bring to': 647307, 'bring to and': 140101, 'to and from': 900503, 'and from home': 63346, 'from home could': 335850, 'home could transmit': 400959, 'could transmit time': 209787, 'transmit time for': 929791, 'time for governor': 896712, 'for governor store': 321966, 'governor store owner': 360997, 'store owner etc': 809429, 'owner etc who': 632448, 'etc who banned': 282881, 'who banned plastic': 988295, 'banned plastic bag': 110595, 'plastic bag to': 658811, 'bag to lift': 108428, 'to lift that': 909265, 'lift that ban': 489461, 'that ban for': 842923, 'ban for such': 109206, 'for such time': 325977, 'such time this': 816829, 'to listen': 909326, 'saying here': 739606, 'it compare': 457235, 'news socialmedia': 560804, 'socialmedia branding': 781076, 'branding analytics': 138122, 'uncertain time it': 939618, 'time it important': 897081, 'important to listen': 419058, 'to listen to': 909330, 'listen to what': 494760, 'to what people': 918523, 'people are saying': 647064, 'are saying here': 89821, 'saying here how': 739607, 'here how consumer': 393100, 'consumer are talking': 196319, 'coronavirus crisis and': 205737, 'crisis and how': 217030, 'and how it': 64820, 'how it compare': 408127, 'it compare to': 457237, 'compare to the': 191414, 'to the news': 916900, 'the news socialmedia': 861629, 'news socialmedia branding': 560805, 'socialmedia branding analytics': 781077, 'fook': 318276, 'pissed': 656962, 'jammed': 464430, 'fook panic': 318281, 'need loo': 555177, 'sanitizer also': 734348, 'being pissed': 125547, 'pissed off': 656973, 'off co': 593732, 'co tesco': 184969, 'tesco car': 838681, 'park is': 641937, 'is jammed': 449087, 'jammed if': 464433, 'period ha': 651777, 'ha thought': 372270, 'thought nothing': 893135, 'else it': 271763, 'that life': 844878, 'under no': 940174, 'no obligation': 564895, 'obligation to': 578465, 'give what': 350833, 'expect stockpile': 290730, 'stockpile on': 803786, 'hope stayhome': 403632, 'fook panic buying': 318282, 'buying thing that': 151208, 'thing that we': 884824, 'that we do': 847370, 'not need loo': 570662, 'need loo roll': 555178, 'hand sanitizer also': 375296, 'sanitizer also being': 734349, 'also being pissed': 47955, 'being pissed off': 125548, 'pissed off co': 656974, 'off co tesco': 593733, 'co tesco car': 184970, 'tesco car park': 838682, 'car park is': 163226, 'park is jammed': 641938, 'is jammed if': 449088, 'jammed if this': 464434, 'if this period': 415166, 'this period ha': 889519, 'period ha thought': 651778, 'ha thought nothing': 372271, 'thought nothing else': 893136, 'nothing else it': 572993, 'else it that': 271765, 'it that life': 461492, 'that life is': 844880, 'life is under': 488820, 'is under no': 453464, 'under no obligation': 940175, 'no obligation to': 564896, 'obligation to give': 578467, 'to give what': 906727, 'give what we': 350834, 'what we expect': 982550, 'we expect stockpile': 971499, 'expect stockpile on': 290731, 'stockpile on hope': 803788, 'on hope stayhome': 601360, 'korea see': 477500, 'see steep': 745743, 'steep rise': 799396, 'korea see steep': 477501, 'see steep rise': 745744, 'steep rise in': 799397, 'rise in online': 722894, 'shopping during covid': 762533, 'reckless': 704547, 'ii': 415969, 'explosive': 292568, 'expansion': 290549, 'suppressed': 827404, 'recovery expect': 705323, 'expect strong': 290732, 'strong recovery': 814102, 'recovery once': 705372, 'this reckless': 889839, 'reckless hysteria': 704552, 'hysteria end': 412441, 'end economist': 275815, 'economist expected': 267550, 'expected depression': 290885, 'depression after': 237622, 'after world': 36585, 'war ii': 966464, 'ii only': 415982, 'an explosive': 55978, 'explosive economic': 292569, 'economic expansion': 267092, 'expansion long': 290561, 'long suppressed': 501664, 'suppressed consumer': 827409, 'demand turned': 236420, '19 recovery expect': 10014, 'recovery expect strong': 705324, 'expect strong recovery': 290733, 'strong recovery once': 814103, 'recovery once this': 705374, 'once this reckless': 605757, 'this reckless hysteria': 889840, 'reckless hysteria end': 704553, 'hysteria end economist': 412442, 'end economist expected': 275816, 'economist expected depression': 267551, 'expected depression after': 290886, 'depression after world': 237623, 'after world war': 36586, 'world war ii': 1010136, 'war ii only': 966468, 'ii only to': 415983, 'see an explosive': 744895, 'an explosive economic': 55979, 'explosive economic expansion': 292570, 'economic expansion long': 267093, 'expansion long suppressed': 290562, 'long suppressed consumer': 501665, 'suppressed consumer demand': 827410, 'consumer demand turned': 197171, 'demand turned to': 236421, 'turned to supply': 935890, 'coordinating': 203204, '43': 18952, 'foodbanking': 317808, 'bank around': 109664, 'experiencing unprecedented': 291713, 'demand million': 235869, 'and hunger': 64873, 'hunger rise': 411181, 'rise is': 722921, 'is coordinating': 446836, 'coordinating technical': 203205, 'technical and': 836194, 'financial assistance': 306327, 'member food': 528078, 'in 43': 419930, '43 country': 18961, 'country foodbanking': 210662, 'food bank around': 313523, 'bank around the': 109665, 'world are experiencing': 1009313, 'are experiencing unprecedented': 86354, 'experiencing unprecedented demand': 291714, 'unprecedented demand million': 943120, 'demand million of': 235871, 'of people lose': 587942, 'job and hunger': 465631, 'and hunger rise': 64875, 'hunger rise is': 411182, 'rise is coordinating': 722922, 'is coordinating technical': 446837, 'coordinating technical and': 203206, 'technical and financial': 836195, 'and financial assistance': 62869, 'financial assistance to': 306334, 'assistance to it': 96756, 'to it member': 908597, 'it member food': 459596, 'member food bank': 528079, 'bank in 43': 109914, 'in 43 country': 419931, '43 country foodbanking': 18962, 'innovative': 438915, 'to shifting': 914420, 'spending during': 788792, '19 non': 8812, 'are furloughing': 86760, 'furloughing employee': 341928, 'close store': 182806, 'production facility': 682030, 'facility due': 295323, 'to infection': 908360, 'infection resulting': 436830, 'resulting in': 717702, 'in innovative': 424108, 'innovative action': 438916, 'response to shifting': 715880, 'to shifting consumer': 914421, 'shifting consumer spending': 758524, 'consumer spending during': 199056, 'spending during covid': 788793, 'covid 19 non': 213480, '19 non food': 8813, 'non food retailer': 566394, 'food retailer are': 316222, 'retailer are furloughing': 719000, 'are furloughing employee': 86761, 'furloughing employee while': 341929, 'employee while some': 274417, 'while some food': 987296, 'some food retailer': 782872, 'to close store': 902896, 'close store and': 182808, 'store and production': 806323, 'and production facility': 69580, 'production facility due': 682032, 'facility due to': 295324, 'due to infection': 261829, 'to infection resulting': 908364, 'infection resulting in': 436831, 'resulting in innovative': 717708, 'in innovative action': 424109, 'innovative action from': 438917, 'action from the': 30030, 'from the industry': 337756, 'across britain': 29278, 'britain at': 140379, 'of disruption': 582707, 'disruption amid': 246435, 'outbreak it': 628391, 'essential that': 281654, 'all shop': 44314, 'shop take': 760876, 'disinfect the': 245577, 'of shop': 589617, 'shop trolley': 760975, 'uk supermarket across': 938755, 'supermarket across britain': 818766, 'across britain at': 29279, 'britain at risk': 140380, 'risk of disruption': 723742, 'of disruption amid': 582708, 'disruption amid covid': 246436, '19 outbreak it': 9143, 'outbreak it is': 628392, 'it is essential': 458947, 'is essential that': 447553, 'essential that all': 281655, 'that all shop': 842561, 'all shop take': 44322, 'shop take step': 760877, 'step to disinfect': 799645, 'to disinfect the': 904404, 'disinfect the handle': 245578, 'handle of shop': 376240, 'of shop trolley': 589627, 'shop trolley basket': 760976, 'kazatomprom': 471176, 'nuclear': 576753, 'reactor': 700238, 'kazatomprom slash': 471177, 'slash 2020': 773551, '2020 production': 14536, 'production guidance': 682062, 'guidance by': 368209, 'over 10m': 629774, '10m pound': 2355, 'pound due': 667363, 'crisis morning': 217733, 'morning spot': 541456, 'spot price': 790094, 'price jump': 674951, 'jump to': 467899, 'per pound': 650991, 'pound nuclear': 667388, 'nuclear reactor': 576758, 'reactor keep': 700239, 'keep producing': 471821, 'producing clean': 680747, 'clean carbon': 180492, 'carbon free': 163398, 'free electricity': 331794, 'electricity and': 271145, 'and consuming': 60455, 'consuming uranium': 199810, 'kazatomprom slash 2020': 471178, 'slash 2020 production': 773552, '2020 production guidance': 14537, 'production guidance by': 682063, 'guidance by over': 368210, 'by over 10m': 153494, 'over 10m pound': 629775, '10m pound due': 2356, 'pound due to': 667364, '19 crisis morning': 6286, 'crisis morning spot': 217734, 'morning spot price': 541457, 'spot price jump': 790098, 'price jump to': 674958, 'jump to near': 467901, 'to near 30': 910495, 'near 30 per': 553457, '30 per pound': 17188, 'per pound nuclear': 650993, 'pound nuclear reactor': 667389, 'nuclear reactor keep': 576759, 'reactor keep producing': 700240, 'keep producing clean': 471822, 'producing clean carbon': 680748, 'clean carbon free': 180493, 'carbon free electricity': 163400, 'free electricity and': 331795, 'electricity and consuming': 271146, 'and consuming uranium': 60456, 'petersburg': 653564, 'ah nothing': 39094, 'like government': 490337, 'government propaganda': 360487, 'propaganda all': 684056, 'well comrade': 978114, 'comrade via': 192782, 'via en': 955956, 'en st': 275401, 'st petersburg': 791749, 'petersburg governor': 653565, 'governor visit': 361020, 'visit grocery': 959263, 'to verify': 918144, 'verify stocked': 954792, 'and speaks': 72061, 'speaks to': 787804, 'to random': 912746, 'random shopper': 696619, 'who randomly': 989498, 'randomly turn': 696655, 'an actress': 55089, 'actress russia': 30620, 'ah nothing like': 39095, 'nothing like government': 573096, 'like government propaganda': 490338, 'government propaganda all': 360488, 'propaganda all is': 684057, 'is well comrade': 453841, 'well comrade via': 978115, 'comrade via en': 192783, 'via en st': 955957, 'en st petersburg': 275402, 'st petersburg governor': 791750, 'petersburg governor visit': 653566, 'governor visit grocery': 361021, 'visit grocery store': 959264, 'store to verify': 810825, 'to verify stocked': 918145, 'verify stocked shelf': 954793, 'stocked shelf and': 803387, 'shelf and speaks': 756763, 'and speaks to': 72062, 'speaks to random': 787808, 'to random shopper': 912747, 'random shopper who': 696620, 'shopper who randomly': 761829, 'who randomly turn': 989499, 'randomly turn out': 696656, 'turn out to': 935744, 'be an actress': 113589, 'an actress russia': 55090, 'magazine': 508330, 'theglobe': 872373, 'nationalenquirer': 552650, 'newsoftheworld': 561057, 'completely irresponsible': 192314, 'and unacceptable': 74590, 'unacceptable that': 939371, 'supermarket rag': 822152, 'rag magazine': 695526, 'magazine theglobe': 508347, 'theglobe nationalenquirer': 872374, 'nationalenquirer newsoftheworld': 552651, 'newsoftheworld etc': 561058, 'etc sell': 282738, 'sell cure': 748672, 'their cover': 872910, 'cover every': 212218, 'supermarket need': 821584, 'eliminate this': 271467, 'shitty paper': 759378, 'it is completely': 458909, 'is completely irresponsible': 446706, 'completely irresponsible and': 192315, 'irresponsible and unacceptable': 445036, 'and unacceptable that': 74591, 'unacceptable that supermarket': 939372, 'that supermarket rag': 846573, 'supermarket rag magazine': 822154, 'rag magazine theglobe': 695527, 'magazine theglobe nationalenquirer': 508348, 'theglobe nationalenquirer newsoftheworld': 872375, 'nationalenquirer newsoftheworld etc': 552652, 'newsoftheworld etc sell': 561059, 'etc sell cure': 282739, 'sell cure for': 748673, 'for the on': 326597, 'the on their': 862176, 'on their cover': 604473, 'their cover every': 872912, 'cover every supermarket': 212219, 'every supermarket need': 286260, 'supermarket need to': 821586, 'need to eliminate': 555915, 'to eliminate this': 904995, 'eliminate this shitty': 271469, 'this shitty paper': 890099, 'shitty paper now': 759379, 'boarder': 133688, 'declaration': 231146, 'nosedive': 567946, 'callouts': 156671, 'wto': 1013413, 'let sum': 487088, 'sum it': 817870, 'far outbreak': 298879, 'outbreak turned': 628768, 'into pandemic': 442837, 'pandemic closure': 635159, 'of boarder': 580755, 'boarder declaration': 133691, 'declaration of': 231161, 'of state': 590062, 'of war': 592904, 'war nosedive': 966489, 'nosedive of': 567949, 'price financial': 673869, 'market collapse': 516182, 'collapse callouts': 185979, 'callouts for': 156672, 'for recession': 325014, 'recession world': 704417, 'politics who': 663811, 'who wto': 990069, 'let sum it': 487089, 'sum it up': 817871, 'it up so': 461967, 'up so far': 946014, 'so far outbreak': 777049, 'far outbreak turned': 298880, 'outbreak turned into': 628769, 'turned into pandemic': 935850, 'into pandemic closure': 442838, 'pandemic closure of': 635160, 'closure of boarder': 183956, 'of boarder declaration': 580756, 'boarder declaration of': 133692, 'declaration of state': 231163, 'of state of': 590069, 'state of war': 795825, 'of war nosedive': 592907, 'war nosedive of': 966490, 'nosedive of oil': 567950, 'oil price financial': 597130, 'price financial market': 673871, 'financial market collapse': 306499, 'market collapse callouts': 516184, 'collapse callouts for': 185980, 'callouts for recession': 156673, 'for recession world': 325019, 'recession world economy': 704418, 'world economy politics': 1009510, 'economy politics who': 268149, 'politics who wto': 663812, 'unfolding pandemic': 941525, 'hold ha': 399935, 'warned in': 967005, 'report foodsecurity': 711949, 'the unfolding pandemic': 870391, 'unfolding pandemic is': 941527, 'take hold ha': 832190, 'hold ha warned': 399936, 'ha warned in': 372455, 'warned in new': 967006, 'in new report': 425827, 'new report foodsecurity': 559447, 'wear glass': 974330, 'glass and': 351596, 'and shower': 71620, 'shower cap': 767369, 'cap when': 162457, 'tell me you': 837034, 'me you re': 524051, 'to wear glass': 918430, 'wear glass and': 974331, 'glass and shower': 351599, 'and shower cap': 71621, 'shower cap when': 767370, 'cap when you': 162458, 'when you want': 984616, 'go shopping or': 354124, 'shopping or something': 763554, 'word stay': 1004579, 'healthy jane': 387672, 'wise word stay': 996706, 'word stay healthy': 1004580, 'stay healthy jane': 796906, 'reissue': 708283, 'michigan ag': 530311, 'ag nessel': 36811, 'nessel reissue': 557515, 'reissue consumer': 708284, 'alert coronavirus': 41389, 'scam spread': 740365, 'spread scam': 790783, 'michigan ag nessel': 530314, 'ag nessel reissue': 36814, 'nessel reissue consumer': 557516, 'reissue consumer alert': 708285, 'consumer alert coronavirus': 196140, 'alert coronavirus scam': 41395, 'coronavirus scam spread': 206721, 'scam spread scam': 740366, 'elab': 270471, 'alumnus': 49441, 'ithaca': 463881, 'ithacaisstartups': 463887, 'pandemic elab': 635364, 'elab alumnus': 270472, 'alumnus is': 49442, 'is using': 453631, 'it platform': 460346, 'community learn': 189961, 'the ithaca': 858619, 'ithaca based': 463882, 'startup and': 795088, 'it delivery': 457507, 'delivery area': 233727, 'area ithacaisstartups': 92091, '19 pandemic elab': 9315, 'pandemic elab alumnus': 635365, 'elab alumnus is': 270473, 'alumnus is using': 49443, 'is using it': 453634, 'using it platform': 950533, 'it platform to': 460347, 'platform to provide': 659048, 'provide food supply': 686314, 'food supply from': 316954, 'supply from local': 825291, 'store to community': 810764, 'to community learn': 903101, 'community learn more': 189962, 'about the ithaca': 26428, 'the ithaca based': 858620, 'ithaca based startup': 463884, 'based startup and': 111747, 'startup and it': 795089, 'and it delivery': 65511, 'it delivery area': 457508, 'delivery area ithacaisstartups': 233729, 'bingo': 131094, 'consumer learn': 198015, 'learn and': 483947, 'and spot': 72134, 'spot scam': 790102, 'well some': 978567, 'common fraud': 189385, 'fraud the': 331357, 'the created': 852304, 'ftc bingo': 339384, 'bingo card': 131095, 'card once': 163594, 'once they': 605740, 'have bingo': 379801, 'bingo share': 131104, 'share it': 755071, 'help consumer learn': 389521, 'consumer learn and': 198016, 'learn and spot': 483948, 'and spot scam': 72135, 'spot scam related': 790104, 'to the well': 917186, 'the well some': 871380, 'well some of': 978570, 'of the other': 591305, 'the other common': 862517, 'other common fraud': 619968, 'common fraud the': 189386, 'fraud the created': 331358, 'the created the': 852305, 'created the ftc': 215907, 'the ftc bingo': 855925, 'ftc bingo card': 339385, 'bingo card once': 131097, 'card once they': 163595, 'once they have': 605743, 'they have bingo': 882296, 'have bingo share': 379802, 'bingo share it': 131105, 'share it with': 755080, 'it with the': 462480, 'with the ftc': 1001312, 'can honor': 158693, 'honor grocery': 403246, 'did 11': 240535, '11 first': 2524, 'responder 19': 715396, 'we can honor': 970964, 'can honor grocery': 158694, 'honor grocery store': 403247, 'store worker like': 811538, 'worker like we': 1007325, 'like we did': 491771, 'we did 11': 971290, 'did 11 first': 240536, '11 first responder': 2525, 'first responder 19': 308924, 'mx': 547117, 'topstories': 925867, 'top story': 925725, 'retail news': 718329, 'business headline': 143837, 'headline that': 386013, 'that interest': 844525, 'interest today': 441422, 'today launch': 919786, 'launch dedicated': 481891, 'dedicated covid': 231700, '19 supply': 10965, 'supply store': 825909, 'store expands': 807680, 'expands no': 290535, 'contact service': 200201, 'service mx': 752604, 'mx halting': 547122, 'halting production': 374504, 'of beer': 580617, 'beer retailnews': 122500, 'retailnews headline': 719521, 'headline topstories': 386015, 'top story in': 925728, 'story in retail': 812015, 'in retail news': 427462, 'retail news and': 718330, 'news and the': 560239, 'the business headline': 850168, 'business headline that': 143838, 'headline that interest': 386014, 'that interest today': 844526, 'interest today launch': 441423, 'today launch dedicated': 919787, 'launch dedicated covid': 481892, 'dedicated covid 19': 231701, 'covid 19 supply': 213891, '19 supply store': 10970, 'supply store expands': 825910, 'store expands no': 807681, 'expands no contact': 290536, 'no contact service': 563893, 'contact service mx': 200202, 'service mx halting': 752605, 'mx halting production': 547123, 'halting production of': 374505, 'production of beer': 682139, 'of beer retailnews': 580622, 'beer retailnews headline': 122501, 'retailnews headline topstories': 719522, 'cooperate': 203132, 'eradicate': 280091, 'let cooperate': 486659, 'cooperate to': 203139, 'to eradicate': 905240, 'eradicate this': 280098, 'this fast': 887517, 'fast so': 300036, 'so president': 778067, 'trump can': 933464, 'economy booming': 267708, 'booming again': 134866, 'supermarket today let': 823453, 'today let cooperate': 919797, 'let cooperate to': 486660, 'cooperate to eradicate': 203140, 'to eradicate this': 905244, 'eradicate this fast': 280099, 'this fast so': 887518, 'fast so president': 300038, 'so president trump': 778068, 'president trump can': 670935, 'trump can get': 933466, 'can get our': 158438, 'get our economy': 347723, 'our economy booming': 622841, 'economy booming again': 267709, 'punished': 689232, 'of increasing': 585081, 'increasing your': 433749, 'might come': 530947, 'to haunt': 907188, 'haunt you': 379029, 'you brand': 1017518, 'brand that': 138030, 'that treat': 847117, 'treat customer': 930820, 'customer unfairly': 223005, 'unfairly during': 941453, 'be punished': 116623, 'punished per': 689239, 'thinking of increasing': 885963, 'of increasing your': 585085, 'increasing your price': 433751, 'your price during': 1025399, 'this time that': 890698, 'time that might': 897835, 'that might come': 845157, 'might come back': 530948, 'come back to': 187245, 'back to haunt': 107369, 'to haunt you': 907190, 'haunt you brand': 379030, 'you brand that': 1017519, 'brand that treat': 138036, 'that treat customer': 847118, 'treat customer unfairly': 930823, 'customer unfairly during': 223006, 'unfairly during the': 941454, 'crisis will be': 218405, 'will be punished': 992626, 'be punished per': 116625, 'chester': 175570, 'sealand': 743182, 'far in': 298812, 'in chester': 421361, 'chester for': 175571, 'shop so': 760802, 'so been': 776612, 'been pretty': 121701, 'pretty lucky': 671439, 'lucky long': 506562, 'into tesco': 443082, 'tesco on': 838768, 'on sealand': 603343, 'sealand right': 743183, 'first time ve': 309118, 'time ve had': 898182, 've had to': 953239, 'had to queue': 373714, 'queue so far': 694059, 'so far in': 777038, 'far in chester': 298813, 'in chester for': 421362, 'chester for supermarket': 175572, 'for supermarket shop': 326022, 'supermarket shop so': 822595, 'shop so been': 760803, 'so been pretty': 776613, 'been pretty lucky': 121702, 'pretty lucky long': 671440, 'lucky long queue': 506563, 'get into tesco': 347375, 'into tesco on': 443083, 'tesco on sealand': 838770, 'on sealand right': 603344, 'sealand right now': 743184, 'abpoli': 27120, 'cut expense': 223325, 'expense and': 291173, 'salary more': 731985, 'more oil': 539908, 'producer cut': 680601, 'cut their': 223582, 'their capital': 872718, 'capital plan': 162675, 'with oil': 999858, 'oil at': 596625, 'low canada': 505179, 'canada is': 160476, 'war abpoli': 966334, 'abpoli cdnecon': 27121, 'the latest to': 859153, 'latest to cut': 481583, 'to cut expense': 903873, 'cut expense and': 223326, 'expense and salary': 291177, 'and salary more': 70788, 'salary more oil': 731986, 'more oil producer': 539909, 'oil producer cut': 597337, 'producer cut their': 680603, 'cut their capital': 223583, 'their capital plan': 872719, 'capital plan with': 162676, 'plan with oil': 658354, 'with oil at': 999859, 'oil at record': 596630, 'at record low': 100270, 'record low canada': 705008, 'low canada is': 505180, 'canada is the': 160478, 'first victim of': 309161, 'victim of the': 956504, 'the price war': 864433, 'price war abpoli': 677347, 'war abpoli cdnecon': 966335, 'hovers': 407250, 'producer advised': 680550, 'spend nothing': 788654, 'nothing on': 573126, 'on drilling': 600412, 'drilling oil': 258784, 'price hovers': 674584, 'hovers at': 407253, 'at 25': 97545, '25 amid': 15833, 'producer advised to': 680551, 'advised to spend': 33652, 'to spend nothing': 914997, 'spend nothing on': 788655, 'nothing on drilling': 573127, 'on drilling oil': 600413, 'drilling oil price': 258785, 'oil price hovers': 597161, 'price hovers at': 674585, 'hovers at 25': 407254, 'at 25 amid': 97548, '25 amid covid': 15834, 'danwel': 225908, 'danwel in': 225909, 'pandemic their': 636716, 'their government': 873423, 'giving isolating': 351324, 'isolating people': 455134, 'people free': 647977, 'they test': 883540, 'test anyone': 838922, 'who show': 989616, 'free all': 331631, 'stocked so': 803394, 'so in': 777380, 'eye they': 294105, 'danwel in this': 225910, 'this pandemic their': 889436, 'pandemic their government': 636717, 'their government are': 873424, 'government are giving': 359897, 'are giving isolating': 86857, 'giving isolating people': 351325, 'isolating people free': 455135, 'people free food': 647978, 'food and they': 313358, 'and they test': 73945, 'they test anyone': 883541, 'test anyone who': 838923, 'anyone who show': 80632, 'who show symptom': 989619, '19 for free': 7066, 'for free all': 321703, 'free all the': 331632, 'supermarket are fully': 819158, 'fully stocked so': 341102, 'stocked so in': 803395, 'so in my': 777385, 'in my eye': 425571, 'my eye they': 548141, 'eye they are': 294106, 'sailed': 731626, 'make anybody': 509712, 'anybody getting': 80080, 'getting off': 349149, 'off plane': 594074, 'plane any': 658374, 'any different': 79114, 'different to': 242107, 'work key': 1005408, 'worker if': 1007152, 'spain but': 787283, 'uk get': 938401, 'that ship': 846257, 'ship ha': 758674, 'ha sailed': 371801, 'sailed hasn': 731627, 'yes but how': 1015392, 'but how doe': 145970, 'how doe that': 407749, 'doe that make': 251596, 'that make anybody': 844989, 'make anybody getting': 509713, 'anybody getting off': 80081, 'getting off plane': 349150, 'off plane any': 594075, 'plane any different': 658375, 'any different to': 79115, 'different to me': 242109, 'to me going': 909928, 'supermarket or going': 821810, 'to work key': 918745, 'work key worker': 1005409, 'key worker if': 473488, 'worker if covid': 1007153, '19 wa in': 11867, 'wa in spain': 962383, 'in spain but': 428168, 'spain but not': 787284, 'but not the': 146572, 'not the uk': 572040, 'the uk get': 870224, 'uk get it': 938402, 'get it but': 347399, 'it but think': 456960, 'but think that': 147535, 'think that ship': 885609, 'that ship ha': 846258, 'ship ha sailed': 758675, 'ha sailed hasn': 371802, 'doe everyone': 251387, 'everyone agree': 286677, 'agree these': 38651, 'these class': 879763, 'class are': 180149, 'harder online': 378179, 'they easier': 882024, 'let discus': 486676, 'doe everyone agree': 251388, 'everyone agree these': 286678, 'agree these class': 38652, 'these class are': 879764, 'class are harder': 180150, 'are harder online': 87019, 'harder online or': 378180, 'online or are': 608649, 'or are they': 614421, 'are they easier': 90997, 'they easier for': 882025, 'easier for you': 265149, 'for you let': 328072, 'you let discus': 1019589, 'scam based': 740066, 'based around': 111508, 'current pandemic': 221287, 'pandemic like': 635885, 'like excessive': 490203, 'or fake': 615260, 'fake if': 296642, 'any complaint': 79038, 'complaint contact': 191957, 'information go': 437850, 'to uk': 917878, 'out for scam': 626155, 'for scam based': 325363, 'scam based around': 740067, 'based around the': 111509, 'around the current': 93534, 'the current pandemic': 852649, 'current pandemic like': 221294, 'pandemic like excessive': 635887, 'like excessive price': 490204, 'price or fake': 675773, 'or fake if': 615261, 'fake if you': 296643, 'have any complaint': 379297, 'any complaint contact': 79039, 'complaint contact and': 191958, 'contact and for': 200011, 'and for more': 63149, 'more information go': 539585, 'information go to': 437851, 'go to uk': 354377, 'day reminds': 228273, 'of queing': 588680, 'queing for': 693434, 'club back': 184411, 'day feel': 227597, 'feel little': 302768, 'little exciting': 495331, 'exciting once': 289599, 'guard wave': 367862, 'wave you': 969400, 'in socialdistancing': 428049, 'queuing to enter': 694237, 'enter into the': 278264, 'the supermarket these': 868850, 'these day reminds': 879890, 'day reminds me': 228274, 'me of queing': 523244, 'of queing for': 588681, 'queing for the': 693435, 'for the club': 326348, 'the club back': 851080, 'club back in': 184412, 'the day feel': 852880, 'day feel little': 227598, 'feel little exciting': 302769, 'little exciting once': 495332, 'exciting once you': 289600, 'once you make': 605823, 'the front and': 855841, 'front and the': 338516, 'and the security': 73572, 'security guard wave': 744631, 'guard wave you': 367863, 'wave you in': 969401, 'you in socialdistancing': 1019317, 'sufficiency': 817370, 'gratefully': 362345, 'crisis project': 217916, 'project self': 683531, 'self sufficiency': 747914, 'sufficiency will': 817371, 'will gratefully': 993571, 'gratefully accept': 362346, 'accept monetary': 27975, 'monetary donation': 536540, 'donation well': 254729, 'well new': 978417, 'new non': 559134, 'non perishable': 566452, 'perishable item': 651994, 'pantry monday': 639634, 'monday friday': 536288, 'friday 9am': 333189, '9am noon': 23960, 'noon donate': 566838, 'donate online': 254214, 'health crisis project': 386345, 'crisis project self': 217917, 'project self sufficiency': 683532, 'self sufficiency will': 747915, 'sufficiency will gratefully': 817372, 'will gratefully accept': 993572, 'gratefully accept monetary': 362347, 'accept monetary donation': 27976, 'monetary donation well': 536544, 'donation well new': 254730, 'well new non': 978418, 'new non perishable': 559135, 'non perishable item': 566458, 'perishable item to': 651998, 'item to stock': 463767, 'to stock our': 915444, 'our food pantry': 623119, 'food pantry monday': 315790, 'pantry monday friday': 639635, 'monday friday 9am': 536289, 'friday 9am noon': 333190, '9am noon donate': 23961, 'noon donate online': 566839, 'aapl': 24127, 'discretionary': 244761, 'why analyst': 990746, 'are upgrading': 91380, 'upgrading aapl': 947541, 'aapl based': 24130, 'on upcoming': 604989, 'upcoming iphone': 946795, 'iphone who': 444581, 'new iphone': 558945, 'iphone in': 444571, 'current environment': 221182, 'environment re': 279133, 're outbreak': 699227, 'outbreak are': 628025, 'likely thru': 492122, 'thru year': 895249, 'year end': 1014540, 'end at': 275781, 'least and': 484386, 'consumer discretionary': 197213, 'discretionary spending': 244776, 'spending will': 789052, 'be way': 118066, 'not understand why': 572328, 'understand why analyst': 940814, 'why analyst are': 990747, 'analyst are upgrading': 57108, 'are upgrading aapl': 91381, 'upgrading aapl based': 947542, 'aapl based on': 24131, 'based on upcoming': 111701, 'on upcoming iphone': 604990, 'upcoming iphone who': 946796, 'iphone who is': 444582, 'who is going': 989076, 'going to buy': 355545, 'to buy new': 902275, 'buy new iphone': 148993, 'new iphone in': 558947, 'iphone in the': 444572, 'the current environment': 852628, 'current environment re': 221183, 'environment re outbreak': 279134, 're outbreak are': 699228, 'outbreak are likely': 628027, 'are likely thru': 87806, 'likely thru year': 492123, 'thru year end': 895250, 'year end at': 1014542, 'end at least': 275783, 'at least and': 99462, 'least and consumer': 484387, 'and consumer discretionary': 60372, 'consumer discretionary spending': 197218, 'discretionary spending will': 244780, 'spending will be': 789053, 'will be way': 992768, 'be way down': 118067, 'monye': 538253, 'morris': 541681, 'remedial': 710137, 'monye thanks': 538254, 'thanks morris': 842141, 'morris who': 541686, 'need fitch': 554780, 'fitch to': 309514, 'in recession': 427325, 'recession meanwhile': 704325, 'care policy': 164150, 'policy might': 663448, 'be remedial': 116778, 'remedial with': 710138, '19 most': 8688, 'most economy': 542280, 'economy have': 267930, 'have zero': 383723, 'zero chance': 1027415, 'chance didn': 171715, 'any provision': 79704, 'monye thanks morris': 538255, 'thanks morris who': 842142, 'morris who need': 541687, 'who need fitch': 989311, 'need fitch to': 554781, 'fitch to know': 309515, 'to know we': 909001, 'know we are': 476927, 'are in recession': 87429, 'in recession meanwhile': 427327, 'recession meanwhile for': 704326, 'meanwhile for all': 524970, 'for all you': 319192, 'all you care': 45534, 'you care policy': 1017896, 'care policy might': 164151, 'policy might not': 663449, 'not be remedial': 568442, 'be remedial with': 116779, 'remedial with the': 710139, 'with the crash': 1001253, 'crash in crude': 214989, 'covid 19 most': 213448, '19 most economy': 8689, 'most economy have': 542281, 'economy have zero': 267933, 'have zero chance': 383724, 'zero chance didn': 1027416, 'chance didn see': 171716, 'see any provision': 744921, 'any provision for': 79705, 'besides leaving': 127511, 'leaving store': 485137, 'bare the': 110960, 'buying happening': 150465, 'happening across': 377311, 'an extremely': 56024, 'extremely damaging': 293865, 'damaging effect': 225273, 'besides leaving store': 127512, 'leaving store shelf': 485139, 'store shelf bare': 810060, 'shelf bare the': 756869, 'bare the panic': 110963, 'panic buying happening': 637756, 'buying happening across': 150466, 'happening across our': 377312, 'country is having': 210805, 'having an extremely': 383971, 'an extremely damaging': 56026, 'extremely damaging effect': 293866, 'damaging effect on': 225274, 'effect on food': 269085, 'expanding': 290499, 'iwanttospeaktoyourmana': 464057, 'fda everyone': 300852, 'everyone including': 287052, 'including cashier': 431903, 'clerk at': 181661, 'store touch': 810924, 'touch surface': 926542, 'that covid19': 843387, 'covid19 can': 214279, 'aren you': 92600, 'you expanding': 1018474, 'expanding the': 290517, 'to glove': 906751, 'worker why': 1008241, 'beyond iwanttospeaktoyourmana': 129194, 'fda everyone including': 300853, 'everyone including cashier': 287053, 'including cashier and': 431904, 'cashier and stock': 166463, 'stock clerk at': 801989, 'clerk at grocery': 181662, 'grocery store touch': 365881, 'store touch surface': 810927, 'touch surface that': 926544, 'surface that covid19': 828076, 'that covid19 can': 843388, 'covid19 can live': 214280, 'live on why': 495968, 'on why aren': 605306, 'why aren you': 990808, 'aren you expanding': 92601, 'you expanding the': 1018475, 'expanding the need': 290519, 'need to glove': 555952, 'to glove for': 906753, 'for all worker': 319189, 'all worker why': 45509, 'worker why aren': 1008242, 'aren you going': 92602, 'you going above': 1018878, 'and beyond iwanttospeaktoyourmana': 58947, 'westlake': 980676, 'junior': 468020, 'reversal': 720514, 'order ha': 618276, 'ha left': 371127, 'left road': 485621, 'empty business': 274819, 'business closed': 143536, 'store line': 808746, 'line long': 493237, 'long westlake': 501843, 'westlake junior': 980677, 'junior sophie': 468027, 'sophie robson': 785965, 'robson photo': 724826, 'photo essay': 655159, 'essay reflects': 280716, 'reflects this': 706691, 'this reversal': 889894, 'reversal of': 720517, 'of ordinary': 587349, 'ordinary life': 619089, 'home order ha': 401775, 'order ha left': 618278, 'ha left road': 371131, 'left road empty': 485622, 'road empty business': 724445, 'empty business closed': 274820, 'business closed and': 143538, 'closed and grocery': 182984, 'grocery store line': 365527, 'store line long': 808754, 'line long westlake': 493238, 'long westlake junior': 501844, 'westlake junior sophie': 980678, 'junior sophie robson': 468028, 'sophie robson photo': 785966, 'robson photo essay': 724827, 'photo essay reflects': 655161, 'essay reflects this': 280717, 'reflects this reversal': 706692, 'this reversal of': 889895, 'reversal of ordinary': 720518, 'of ordinary life': 587350, 'amazon prime': 51073, 'prime pantry': 678171, 'pantry temporarily': 639682, 'close online': 182739, 'shopping surge': 764026, 'amazon prime pantry': 51079, 'prime pantry temporarily': 678172, 'pantry temporarily close': 639683, 'temporarily close online': 837451, 'close online shopping': 182740, 'online shopping surge': 609293, 'shopping surge amid': 764028, 'surge amid outbreak': 828123, 'saudi are': 737237, 'to break': 901996, 'state lower': 795752, 'price aim': 672253, 'to bankrupt': 901036, 'bankrupt our': 110495, 'our energy': 622904, 'sector chinaliedpeopledied': 744122, 'the saudi are': 866377, 'saudi are collaborating': 737239, 'collaborating with china': 185922, 'with china to': 997633, 'china to try': 177007, 'try to break': 934607, 'to break the': 902006, 'break the united': 138809, 'united state lower': 942228, 'state lower oil': 795753, 'oil price aim': 597037, 'price aim to': 672254, 'aim to bankrupt': 39544, 'to bankrupt our': 901038, 'bankrupt our energy': 110496, 'our energy sector': 622907, 'energy sector chinaliedpeopledied': 276577, 'castle': 166776, 'tower': 927409, 'switched': 830531, 'point pretty': 662598, 'case at': 165646, 'at castle': 98207, 'castle tower': 166781, 'tower which': 927420, 'center near': 169264, 'near my': 553554, 'there almost': 877960, 'day also': 227230, 'also had': 48313, 'to university': 917949, 'university on': 942455, 'monday before': 536263, 'it switched': 461411, 'switched to': 830551, 'so being': 776618, 'this point pretty': 889641, 'point pretty sure': 662599, 'pretty sure it': 671506, 'sure it not': 827603, 'it not covid': 459868, '19 but there': 5535, 'but there wa': 147473, 'there wa confirmed': 879235, 'wa confirmed case': 961854, 'confirmed case at': 194137, 'case at castle': 165647, 'at castle tower': 98208, 'castle tower which': 166782, 'tower which is': 927421, 'which is shopping': 986053, 'is shopping center': 451870, 'shopping center near': 762344, 'center near my': 169265, 'near my house': 553557, 'my house and': 548722, 'house and there': 406186, 'and there almost': 73827, 'there almost every': 877961, 'every day also': 285790, 'day also had': 227233, 'also had to': 48315, 'had to travel': 373737, 'travel to university': 930543, 'to university on': 917950, 'university on monday': 942456, 'on monday before': 602161, 'monday before it': 536264, 'before it switched': 122895, 'it switched to': 461412, 'switched to online': 830554, 'to online so': 910951, 'online so being': 609387, 'so being careful': 776619, 'other true': 621143, 'true death': 933065, 'shopping is the': 763084, 'is the other': 452882, 'the other true': 862561, 'other true death': 621144, 'true death of': 933066, 'death of covid': 230142, 'sedalia': 744817, 'wood supermarket': 1004285, 'in sedalia': 427774, 'sedalia is': 744818, 'is maintaining': 449517, 'maintaining accessibility': 509093, 'accessibility for': 28321, 'during stressful': 263062, 'is dealing': 447048, 'wood supermarket in': 1004286, 'supermarket in sedalia': 820974, 'in sedalia is': 427775, 'sedalia is maintaining': 744819, 'is maintaining accessibility': 449518, 'maintaining accessibility for': 509094, 'accessibility for customer': 28322, 'for customer during': 320506, 'customer during stressful': 222319, 'during stressful time': 263063, 'stressful time read': 813521, 'time read more': 897551, 'how the local': 408842, 'the local store': 859572, 'store is dealing': 808483, 'is dealing with': 447049, 'shorted': 765325, 'restored': 717058, 'full month': 340686, 'still shorted': 801192, 'shorted my': 765326, 'my pickup': 549769, 'order out': 618498, 'paper rubbing': 640702, 'alcohol shampoo': 41100, 'shampoo hand': 754778, 'hand soap': 375767, 'and chunky': 59883, 'chunky soup': 178327, 'soup placed': 786403, 'placed order': 657909, 'order day': 618157, 'ago get': 38395, 'chain restored': 171051, 'restored or': 717065, 'or ration': 616782, 'ration fairly': 697671, 'fairly not': 296440, 'by who': 154738, 'there 1st': 877940, '1st food': 12740, 'food news': 315532, 'full month in': 340687, 'month in to': 537798, 'in to panic': 430130, 'buying and still': 149930, 'and still shorted': 72389, 'still shorted my': 801193, 'shorted my pickup': 765327, 'my pickup order': 549770, 'pickup order out': 656004, 'order out of': 618499, 'toilet paper rubbing': 921425, 'paper rubbing alcohol': 640703, 'rubbing alcohol shampoo': 726968, 'alcohol shampoo hand': 41101, 'shampoo hand soap': 754779, 'hand soap and': 375769, 'soap and chunky': 778907, 'and chunky soup': 59884, 'chunky soup placed': 178328, 'soup placed order': 786404, 'placed order day': 657910, 'order day ago': 618158, 'day ago get': 227200, 'ago get supply': 38396, 'get supply chain': 348152, 'supply chain restored': 825023, 'chain restored or': 171052, 'restored or ration': 717066, 'or ration fairly': 616783, 'ration fairly not': 697672, 'fairly not by': 296441, 'not by who': 568669, 'by who get': 154741, 'who get there': 988776, 'get there 1st': 348378, 'there 1st food': 877941, '1st food news': 12741, 'grapevine': 362136, 'do an': 249054, 'an investigation': 56443, 'the gamestop': 856130, 'gamestop warehouse': 343342, 'warehouse in': 966732, 'in grapevine': 423406, 'grapevine hearing': 362137, 'hearing at': 388196, 'least employee': 484450, 'gotten in': 359143, 'you do an': 1018244, 'do an investigation': 249059, 'an investigation into': 56444, 'investigation into the': 443879, 'into the gamestop': 443129, 'the gamestop warehouse': 856131, 'gamestop warehouse in': 343343, 'warehouse in grapevine': 966733, 'in grapevine hearing': 423407, 'grapevine hearing at': 362138, 'hearing at least': 388197, 'at least employee': 99487, 'least employee have': 484451, 'employee have gotten': 273921, 'have gotten in': 380821, 'gotten in recent': 359144, 'recent day also': 703855, 'day also making': 227235, 'also making fake': 48508, 'fake hand sanitizer': 296636, 'just felt': 468700, 'like so': 491205, 'much racism': 545273, 'racism it': 695286, 'much racial': 545271, 'profiling felt': 682634, 'were targeted': 980219, 'targeted black': 834536, 'woman speaks': 1003614, 'speaks out': 787799, 'on video': 605048, 'went viral': 979227, 'viral of': 957610, 'her being': 391879, 'being accused': 124815, 'of stealing': 590109, 'stealing while': 799266, 'while prepping': 987165, 'prepping for': 670421, 'it just felt': 459221, 'just felt like': 468701, 'felt like so': 303413, 'like so much': 491207, 'so much racism': 777807, 'much racism it': 545274, 'racism it just': 695287, 'so much racial': 777806, 'much racial profiling': 545272, 'racial profiling felt': 695234, 'profiling felt like': 682635, 'felt like we': 303418, 'like we were': 491781, 'we were targeted': 973812, 'were targeted black': 980220, 'targeted black woman': 834537, 'black woman speaks': 132156, 'woman speaks out': 1003615, 'speaks out on': 787801, 'out on video': 626924, 'on video that': 605049, 'video that went': 956918, 'that went viral': 847434, 'went viral of': 979228, 'viral of her': 957611, 'of her being': 584567, 'her being accused': 391880, 'being accused of': 124816, 'accused of stealing': 28956, 'of stealing while': 590110, 'stealing while prepping': 799267, 'while prepping for': 987166, 'exceptional': 289293, 'commend the': 188368, 'their exceptional': 873190, 'exceptional service': 289303, 'no government': 564373, 'government support': 360649, 'support consumer': 826437, 'commend the medical': 188369, 'medical staff and': 526385, 'staff and hospital': 792145, 'for their exceptional': 326824, 'their exceptional service': 873191, 'exceptional service even': 289304, 'shortage of essential': 765109, 'essential supply and': 281619, 'and no government': 67617, 'no government support': 564374, 'government support consumer': 360651, 'support consumer people': 826439, 'krishnan': 477692, 'sickening': 768707, 'resorting': 714690, 'krishnan food': 477693, 'who spread': 989656, 'spread rumour': 790778, 'rumour and': 727510, 'and create': 60701, 'create unnecessary': 215763, 'unnecessary tension': 942943, 'tension and': 837975, 'panic use': 638746, 'use common': 949125, 'sense put': 750579, 'your education': 1023621, 'education to': 268874, 'use sickening': 949572, 'sickening to': 768720, 'see even': 745081, 'even educated': 284037, 'people resorting': 649290, 'resorting to': 714691, 'these stunt': 880760, 'krishnan food for': 477694, 'for thought for': 327159, 'thought for those': 893052, 'those who spread': 892674, 'who spread rumour': 989658, 'spread rumour and': 790779, 'rumour and create': 727511, 'and create unnecessary': 60705, 'create unnecessary tension': 215765, 'unnecessary tension and': 942944, 'tension and panic': 837977, 'and panic use': 68667, 'panic use common': 638747, 'use common sense': 949126, 'common sense put': 189465, 'sense put your': 750580, 'put your education': 690989, 'your education to': 1023622, 'education to good': 268875, 'good use sickening': 357928, 'use sickening to': 949573, 'sickening to see': 768721, 'to see even': 914004, 'see even educated': 745083, 'even educated people': 284038, 'educated people resorting': 268787, 'people resorting to': 649291, 'resorting to these': 714692, 'to these stunt': 917353, 'cardi': 163746, 'cardi by': 163747, 'by official': 153404, 'official coronavirus': 595792, 'coronavirus music': 206300, 'music video': 546351, 'cardi by official': 163748, 'by official coronavirus': 153405, 'official coronavirus music': 595793, 'coronavirus music video': 206301, 'ontarians': 611569, 'tou': 926435, 'are pleased': 89109, 'province decision': 687166, 'provide electricity': 686269, 'electricity relief': 271208, 'support ontarians': 826713, 'ontarians impacted': 611574, '19 of': 8888, 'today household': 919667, 'household farm': 406792, 'farm small': 299183, 'who pay': 989418, 'pay tou': 645193, 'tou rate': 926436, 'charged off': 173405, 'peak price': 646091, 'price 24': 672134, '24 for': 15595, '45 day': 19082, 'day full': 227663, 'we are pleased': 970661, 'are pleased to': 89110, 'pleased to support': 660804, 'support the province': 826882, 'the province decision': 864727, 'province decision to': 687167, 'decision to provide': 231109, 'to provide electricity': 912388, 'provide electricity relief': 686270, 'electricity relief to': 271209, 'relief to support': 709482, 'to support ontarians': 915952, 'support ontarians impacted': 826714, 'ontarians impacted by': 611575, 'covid 19 of': 213504, '19 of today': 8891, 'of today household': 592235, 'today household farm': 919668, 'household farm small': 406793, 'farm small business': 299184, 'business who pay': 144671, 'who pay tou': 989419, 'pay tou rate': 645194, 'tou rate will': 926437, 'rate will be': 697416, 'will be charged': 992394, 'be charged off': 114066, 'charged off peak': 173406, 'off peak price': 594057, 'peak price 24': 646092, 'price 24 for': 672135, '24 for 45': 15596, 'for 45 day': 318846, '45 day full': 19084, 'day full detail': 227664, 'seasoning': 743489, 'department ha': 237198, 'emptied out': 274690, 'the spice': 867571, 'spice and': 789201, 'and seasoning': 71111, 'seasoning shelf': 743497, 'full what': 340980, 'that tell': 846628, 'while the meat': 987404, 'meat department ha': 525537, 'department ha been': 237199, 'ha been emptied': 369794, 'been emptied out': 121078, 'emptied out at': 274691, 'out at every': 625742, 'store the spice': 810624, 'the spice and': 867572, 'spice and seasoning': 789202, 'and seasoning shelf': 71112, 'seasoning shelf are': 743498, 'are full what': 86739, 'full what doe': 340981, 'doe that tell': 251601, 'that tell you': 846631, 'largest decline': 479943, 'state in': 795680, 'is the largest': 452843, 'the largest decline': 858962, 'largest decline in': 479944, 'united state in': 942224, 'state in year': 795688, 'alberta announces': 40777, 'announces new': 77268, 'new emergency': 558671, 'emergency payment': 272857, 'payment because': 645560, '19 falling': 6931, 'alberta announces new': 40778, 'announces new emergency': 77269, 'new emergency payment': 558675, 'emergency payment because': 272858, 'payment because of': 645561, 'covid 19 falling': 213071, '19 falling oil': 6932, 'thankthemeveryday': 842314, 'fuck doe': 339545, 'take pandemic': 832479, 'thank doctor': 841550, 'people postal': 649165, 'discovered these': 244702, 'people existed': 647838, 'existed thankthemeveryday': 290269, 'why the fuck': 991417, 'the fuck doe': 855962, 'fuck doe it': 339547, 'it take pandemic': 461428, 'take pandemic to': 832480, 'pandemic to thank': 636795, 'to thank doctor': 916421, 'thank doctor nurse': 841551, 'store worker delivery': 811476, 'delivery people postal': 234323, 'people postal worker': 649166, 'postal worker etc': 666472, 'worker etc you': 1006876, 'etc you think': 282918, 'the world just': 871903, 'world just discovered': 1009734, 'just discovered these': 468605, 'discovered these people': 244703, 'these people existed': 880434, 'people existed thankthemeveryday': 647839, 'extending the': 293234, 'the transition': 869903, 'transition period': 929676, 'period johnson': 651807, 'johnson chance': 466584, 'to lead': 909117, 'lead today': 483399, 'today new': 919919, 'my brexit': 547538, 'brexit blog': 139492, 'blog on': 132974, 'why brexit': 990846, 'brexit still': 139521, 'still matter': 800841, 'matter extension': 520557, 'extension isn': 293282, 'isn about': 454415, 'about stopping': 26267, 'just commonsense': 468508, 'commonsense and': 189501, 'it near': 459742, 'near inevitable': 553524, 'inevitable johnson': 436392, 'johnson should': 466622, 'make virtue': 510699, 'virtue of': 957861, 'extending the transition': 293237, 'the transition period': 869905, 'transition period johnson': 929677, 'period johnson chance': 651808, 'johnson chance to': 466585, 'chance to lead': 171807, 'to lead today': 909120, 'lead today new': 483400, 'today new post': 919921, 'post on my': 666255, 'on my brexit': 602268, 'my brexit blog': 547539, 'brexit blog on': 139493, 'blog on why': 132977, 'on why brexit': 605307, 'why brexit still': 990847, 'brexit still matter': 139522, 'still matter extension': 800842, 'matter extension isn': 520558, 'extension isn about': 293283, 'isn about stopping': 454416, 'about stopping it': 26268, 'stopping it it': 805816, 'it it just': 459175, 'it just commonsense': 459219, 'just commonsense and': 468509, 'commonsense and it': 189502, 'and it near': 65558, 'it near inevitable': 459743, 'near inevitable johnson': 553525, 'inevitable johnson should': 436393, 'johnson should make': 466623, 'should make virtue': 766219, 'make virtue of': 510700, 'virtue of necessity': 957863, 'pandemonium': 637136, 'melanoma': 527910, 'week began': 975999, 'began with': 123464, 'ultimate fear': 939107, 'fear socialdistancing': 301332, 'shortage snd': 765211, 'snd pandemonium': 776185, 'pandemonium at': 637139, 'ending even': 276174, 'worse amongst': 1010861, 'amongst all': 53121, 'this husband': 887984, 'husband had': 411708, 'had surgery': 373586, 'surgery for': 828328, 'for melanoma': 323401, 'melanoma and': 527911, 'coronacrisis grows': 204619, 'week began with': 976000, 'began with this': 123465, 'this ultimate fear': 890895, 'ultimate fear socialdistancing': 939108, 'fear socialdistancing and': 301333, 'socialdistancing and shortage': 780217, 'and shortage snd': 71574, 'shortage snd pandemonium': 765212, 'snd pandemonium at': 776186, 'pandemonium at the': 637140, 'store and it': 806272, 'it is ending': 458946, 'is ending even': 447489, 'ending even worse': 276175, 'even worse amongst': 284821, 'worse amongst all': 1010862, 'amongst all of': 53122, 'of this husband': 591987, 'this husband had': 887985, 'husband had surgery': 411710, 'had surgery for': 373587, 'surgery for melanoma': 828329, 'for melanoma and': 323402, 'melanoma and the': 527912, 'and the danger': 73314, 'danger of coronacrisis': 225677, 'of coronacrisis grows': 581906, 'how felt': 407861, 'felt when': 303476, 'when bought': 983204, 'bought the': 136733, 'last can': 480132, 'of refried': 588872, 'bean at': 118302, 'how felt when': 407862, 'felt when bought': 303477, 'when bought the': 983206, 'bought the last': 136740, 'the last can': 858997, 'last can of': 480133, 'can of refried': 159092, 'of refried bean': 588873, 'refried bean at': 706775, 'bean at the': 118303, 'subcmte': 815699, 'national institute': 552543, 'institute on': 440426, 'on drug': 600425, 'drug abuse': 260844, 'abuse say': 27653, 'say amp': 738414, 'amp smoking': 54519, 'smoking cause': 775903, 'cause serious': 167724, 'serious risk': 751468, 'patient that': 644272, 'why economic': 990975, 'economic amp': 266972, 'policy subcmte': 663506, 'subcmte chair': 815700, 'chair asked': 171293, 'asked fda': 95738, 'of cigarette': 581420, 'cigarette amid': 178474, 'the national institute': 861296, 'national institute on': 552545, 'institute on drug': 440427, 'on drug abuse': 600426, 'drug abuse say': 260845, 'abuse say amp': 27654, 'say amp smoking': 738416, 'amp smoking cause': 54520, 'smoking cause serious': 775904, 'cause serious risk': 167725, 'serious risk for': 751470, 'risk for patient': 723554, 'for patient that': 324419, 'patient that why': 644273, 'that why economic': 847533, 'why economic amp': 990976, 'economic amp consumer': 266973, 'amp consumer policy': 53569, 'consumer policy subcmte': 198384, 'policy subcmte chair': 663507, 'subcmte chair asked': 815701, 'chair asked fda': 171294, 'asked fda to': 95739, 'fda to clear': 300937, 'to clear the': 902834, 'clear the market': 181360, 'the market of': 860136, 'market of cigarette': 516777, 'of cigarette amid': 581421, 'cigarette amid the': 178475, 'ing': 438275, 'pirate': 656930, 'proper taking': 684158, 'taking going': 833372, 'had look': 373260, 'ebay for': 266454, 'soap out': 779076, 'interest number': 441376, 'joke would': 467172, 'rather go': 697465, 'without than': 1002957, 'than buy': 840425, 'buy of': 149023, 'these ing': 880170, 'ing pirate': 438289, 'pirate coronacrisisuk': 656931, 'proper taking going': 684159, 'taking going on': 833373, 'going on just': 355326, 'on just had': 601749, 'just had look': 468900, 'had look on': 373263, 'look on ebay': 502553, 'on ebay for': 600491, 'ebay for toilet': 266464, 'roll and hand': 725175, 'and hand soap': 64147, 'hand soap out': 375774, 'soap out of': 779077, 'out of interest': 626762, 'of interest number': 585254, 'interest number of': 441377, 'who are selling': 988214, 'selling at ridiculous': 749174, 'ridiculous price and': 721587, 'is joke would': 449111, 'joke would rather': 467173, 'would rather go': 1012154, 'rather go without': 697467, 'go without than': 354524, 'without than buy': 1002958, 'than buy of': 840426, 'buy of these': 149024, 'of these ing': 591835, 'these ing pirate': 880172, 'ing pirate coronacrisisuk': 438290, 'cannot actually': 161589, 'actually get': 30801, 'anyone to': 80577, 'to organise': 911095, 'at serious': 100490, 'risk due': 723501, 'health issue': 386573, 'issue already': 455652, 'already sick': 47656, 'sick self': 768598, 'isolating while': 455162, 'for result': 325184, 'being tested': 125903, 'of those vulnerable': 592126, 'those vulnerable people': 892596, 'vulnerable people cannot': 961084, 'people cannot actually': 647425, 'cannot actually get': 161592, 'actually get hold': 30802, 'hold of anyone': 399964, 'of anyone to': 580284, 'anyone to organise': 80579, 'to organise online': 911096, 'organise online shopping': 619305, 'shopping at serious': 762110, 'at serious risk': 100491, 'serious risk due': 751469, 'risk due to': 723502, 'due to health': 261802, 'to health issue': 907372, 'health issue already': 386574, 'issue already sick': 455653, 'already sick self': 47660, 'sick self isolating': 768599, 'self isolating while': 747745, 'isolating while waiting': 455163, 'waiting for result': 964331, 'for result after': 325185, 'result after being': 717471, 'after being tested': 35416, 'being tested for': 125909, 'store ration': 809741, 'ration of': 697713, 'paper were': 641071, 'on better': 599631, 'better check': 128230, 'roll calculator': 725238, 'calculator toiletpapercrisis': 155360, 'back from the': 107017, 'grocery store ration': 365701, 'store ration of': 809742, 'ration of toilet': 697714, 'toilet paper were': 921522, 'paper were going': 641072, 'were going on': 979688, 'going on better': 355305, 'on better check': 599632, 'better check the': 128232, 'check the toilet': 174659, 'toilet roll calculator': 921558, 'roll calculator toiletpapercrisis': 725240, 'calculator toiletpapercrisis toiletpaperpanic': 155361, 'toiletpapercrisis toiletpaperpanic toiletpaper': 923116, 'long doe': 501400, 'virus last': 958450, 'last new': 480360, 'new study': 559679, 'study look': 814930, 'at survival': 100803, 'survival time': 829091, 'the germ': 856225, 'germ that': 346159, 'cause covid': 167531, '19 outside': 9217, 'living body': 496326, 'how long doe': 408199, 'long doe the': 501403, 'doe the virus': 251624, 'the virus last': 870857, 'virus last new': 958451, 'last new study': 480361, 'new study look': 559684, 'study look at': 814931, 'look at survival': 502296, 'at survival time': 100804, 'survival time of': 829092, 'of the germ': 591062, 'the germ that': 856228, 'germ that cause': 346160, 'that cause covid': 843180, 'cause covid 19': 167532, 'covid 19 outside': 213536, '19 outside of': 9218, 'outside of living': 629508, 'of living body': 585909, 'shopped': 761294, '19 everyone': 6868, 'who shopped': 989606, 'shopped there': 761321, 'have touched': 383375, 'touched anything': 926600, 'anything he': 80779, 'he touched': 385542, 'touched be': 926602, 'what matter': 981854, 'matter is': 520586, 'getting people': 349192, 'work before': 1004929, 'before this': 123223, 'economy by': 267728, 'by making': 153137, 'disease spread': 245234, 'spread fast': 790529, 'employee at local': 273648, 'store ha covid': 808002, 'covid 19 everyone': 213048, '19 everyone who': 6871, 'everyone who shopped': 287602, 'who shopped there': 989607, 'shopped there could': 761322, 'there could have': 878293, 'could have touched': 209272, 'have touched anything': 383376, 'touched anything he': 926601, 'anything he touched': 80781, 'he touched be': 385543, 'touched be infected': 926603, 'be infected but': 115478, 'infected but what': 436542, 'but what matter': 147794, 'what matter is': 981855, 'matter is getting': 520587, 'is getting people': 448036, 'getting people back': 349193, 'people back to': 647210, 'to work before': 918696, 'work before this': 1004930, 'before this is': 123229, 'is over to': 450739, 'over to help': 630834, 'help the economy': 390648, 'the economy by': 853945, 'economy by making': 267729, 'by making sure': 153146, 'making sure the': 511390, 'sure the disease': 827709, 'the disease spread': 853373, 'disease spread fast': 245235, 'spread fast possible': 790530, 'loom': 503086, 'ihs': 415959, 'markit': 517927, 'stockmarketcrash2020': 803691, 'can fall': 158286, '300 an': 17284, 'an ounce': 56724, 'ounce recession': 621969, 'recession loom': 704319, 'loom ihs': 503095, 'ihs markit': 415960, 'markit stockmarketcrash2020': 517928, 'stockmarketcrash2020 stockmarket': 803701, 'gold price can': 355951, 'price can fall': 673059, 'can fall to': 158287, 'fall to 300': 297091, 'to 300 an': 899675, '300 an ounce': 17285, 'an ounce recession': 56727, 'ounce recession loom': 621970, 'recession loom ihs': 704320, 'loom ihs markit': 503096, 'ihs markit stockmarketcrash2020': 415961, 'markit stockmarketcrash2020 stockmarket': 517929, 'story time': 812135, 'time woke': 898371, 'up around': 944407, 'am and': 49888, 'who got': 988805, 'got her': 358596, 'her period': 392296, 'period went': 651920, 'bathroom no': 112653, 'toiletpaper viral': 922802, 'story time woke': 812137, 'time woke up': 898372, 'woke up around': 1003356, 'up around 00': 944408, 'around 00 am': 93091, '00 am and': 53, 'am and guess': 49890, 'and guess who': 64033, 'guess who got': 368096, 'who got her': 988810, 'got her period': 358598, 'her period went': 392297, 'period went to': 651921, 'to the bathroom': 916510, 'the bathroom no': 849332, 'bathroom no toilet': 112654, 'paper toiletpaper viral': 640962, 'of public': 588584, 'public emergency': 687968, 'emergency why': 273049, 'the gst': 856891, 'gst on': 367556, 'such sanitizer': 816729, 'sanitizer 18': 734278, '18 and': 4516, 'mask 12': 518252, 'time of public': 897355, 'of public emergency': 588586, 'public emergency why': 687969, 'emergency why is': 273050, 'is the gst': 452815, 'the gst on': 856893, 'gst on essential': 367557, 'essential such sanitizer': 281607, 'such sanitizer 18': 816730, 'sanitizer 18 and': 734279, '18 and mask': 4518, 'and mask 12': 66738, 'phnom': 654851, 'penh': 646513, 'cambodian': 156933, 'started across': 794672, 'across phnom': 29429, 'phnom penh': 654852, 'penh cambodian': 646514, 'cambodian border': 156934, 'border closure': 135230, 'cause fear': 167561, 'country resulting': 211012, 'food staple': 316741, 'staple to': 794004, 'to almost': 900366, 'almost double': 46597, 'buying ha started': 150450, 'ha started across': 372040, 'started across phnom': 794673, 'across phnom penh': 29430, 'phnom penh cambodian': 654853, 'penh cambodian border': 646515, 'cambodian border closure': 156935, 'border closure due': 135233, '19 cause fear': 5718, 'cause fear of': 167563, 'shortage in the': 765023, 'the country resulting': 852143, 'country resulting in': 211013, 'resulting in price': 717709, 'price for some': 674048, 'some food staple': 782874, 'food staple to': 316744, 'staple to almost': 794005, 'to almost double': 900370, 'of fortunate': 583881, 'fortunate enough': 329887, 'stable employment': 791901, 'employment have': 274607, 'those of fortunate': 892263, 'of fortunate enough': 583882, 'fortunate enough to': 329888, 'have stable employment': 382706, 'stable employment have': 791902, 'employment have duty': 274608, 'community here are': 189893, 'albertans': 40834, 'negative while': 556843, 'while alberta': 986578, 'alberta deficit': 40785, 'deficit is': 232249, 'to triple': 917786, 'triple all': 932238, 'province battle': 687162, 'battle virus': 112840, 'that official': 845468, 'official expect': 595807, 'expect could': 290619, 'could kill': 209364, 'kill between': 474357, 'between 400': 128685, 'and 100': 57350, '100 albertans': 1830, 'albertans by': 40835, 'the summer': 868405, 'turn negative while': 935708, 'negative while alberta': 556844, 'while alberta deficit': 986579, 'alberta deficit is': 40786, 'deficit is expected': 232250, 'expected to triple': 291009, 'to triple all': 917787, 'triple all this': 932239, 'all this the': 45139, 'this the province': 890534, 'the province battle': 864726, 'province battle virus': 687163, 'battle virus that': 112841, 'virus that official': 958875, 'that official expect': 845469, 'official expect could': 595808, 'expect could kill': 290620, 'could kill between': 209365, 'kill between 400': 474358, 'between 400 and': 128686, '400 and 100': 18718, 'and 100 albertans': 57351, '100 albertans by': 1831, 'albertans by the': 40836, 'of the summer': 591508, 'stubborn': 814558, 're walking': 699775, 'walking through': 965110, 'average age': 104799, 'age is': 37840, 'over 60': 629871, '60 unbelievable': 21035, 'unbelievable do': 939500, 'so stubborn': 778287, 'stubborn and': 814559, 'you re walking': 1020787, 're walking through': 699779, 'walking through the': 965113, 'and the average': 73251, 'the average age': 849095, 'average age is': 104800, 'age is over': 37842, 'is over 60': 450681, 'over 60 unbelievable': 629883, '60 unbelievable do': 21036, 'unbelievable do not': 939501, 'not be so': 568459, 'be so stubborn': 117266, 'so stubborn and': 778288, 'stubborn and go': 814560, 'and go home': 63775, 'go home please': 353670, 'chapati': 173112, '22 day': 15201, 'of chapati': 581282, 'chapati flour': 173113, 'pay shipping': 645105, 'when you haven': 984568, 'you haven been': 1019145, 'haven been to': 383766, 'store in 22': 808262, 'in 22 day': 419884, '22 day but': 15203, 'day but now': 227408, 'out of chapati': 626693, 'of chapati flour': 581283, 'chapati flour and': 173114, 'flour and don': 311068, 'to pay shipping': 911557, 'lightly': 489656, 'saut': 737421, 'bagel': 108469, 'you lightly': 1019601, 'lightly saut': 489663, 'saut tp': 737422, 'add everything': 31426, 'everything except': 287781, 'except trader': 289252, 'joe bagel': 466405, 'bagel seasoning': 108479, 'seasoning you': 743499, 'of make': 586120, 'people coronapocolypse': 647548, 'coronapocolypse coronavid19': 205227, 'coronavid19 toiletpaperpanic': 205400, 'toiletpaperpanic 19': 923196, 'know that if': 476766, 'if you lightly': 415464, 'you lightly saut': 1019602, 'lightly saut tp': 489664, 'saut tp and': 737423, 'tp and then': 927748, 'then add everything': 876967, 'add everything except': 31428, 'everything except trader': 287785, 'except trader joe': 289253, 'trader joe bagel': 928709, 'joe bagel seasoning': 466406, 'bagel seasoning you': 108481, 'seasoning you can': 743500, 'you can have': 1017691, 'can have enough': 158576, 'have enough food': 380447, 'food for family': 314533, 'for family of': 321391, 'family of make': 298102, 'of make people': 586121, 'make people coronapocolypse': 510314, 'people coronapocolypse coronavid19': 647549, 'coronapocolypse coronavid19 toiletpaperpanic': 205228, 'coronavid19 toiletpaperpanic 19': 205401, 'neighbor went': 557086, '70 slot': 21840, 'slot saw': 774256, 'twenty and': 936491, 'him should': 396709, 'be here': 115223, 'here give': 393041, 'give old': 350615, 'old guy': 598279, 'guy chance': 368956, 'chance the': 171788, 'man responded': 512209, 'responded off': 715355, 'off they': 594301, 'they gave': 882150, 'gave their': 344666, 'life so': 489049, 'one now': 606726, 'now our': 575487, 'our action': 622019, 'action could': 29992, 'save theirs': 737677, 'my neighbor went': 549430, 'neighbor went to': 557087, 'morning for the': 541262, 'over 70 slot': 629919, '70 slot saw': 21841, 'slot saw young': 774257, 'saw young man': 738340, 'his twenty and': 397882, 'twenty and said': 936492, 'said to him': 731515, 'to him should': 907776, 'him should you': 396710, 'you be here': 1017390, 'be here give': 115225, 'here give old': 393042, 'give old guy': 350617, 'old guy chance': 598280, 'guy chance the': 368957, 'chance the man': 171789, 'the man responded': 859982, 'man responded off': 512210, 'responded off they': 715356, 'off they gave': 594303, 'they gave their': 882154, 'gave their life': 344667, 'their life so': 873846, 'life so we': 489052, 'so we could': 778662, 'we could have': 971208, 'could have one': 209263, 'have one now': 381793, 'one now our': 606727, 'now our action': 575488, 'our action could': 622020, 'action could save': 29994, 'could save theirs': 209621, 'relative': 708715, 'essential you': 281874, 'out self': 627158, 'isolate completely': 454840, 'completely if': 192302, 'symptom be': 830822, 'considerate in': 195216, 'supermarket check': 819656, 'neighbour give': 557210, 'give any': 350387, 'vulnerable relative': 961140, 'relative call': 708719, 'call write': 156244, 'write nice': 1012776, 'nice letter': 562431, 'local care': 497801, 'at home unless': 99155, 'unless it is': 942622, 'is essential you': 447559, 'essential you go': 281877, 'go out self': 353980, 'out self isolate': 627159, 'self isolate completely': 747669, 'isolate completely if': 454841, 'completely if you': 192303, 'have any of': 379310, 'any of the': 79538, 'of the symptom': 591518, 'the symptom be': 869077, 'symptom be considerate': 830823, 'be considerate in': 114196, 'considerate in the': 195217, 'the supermarket check': 868514, 'supermarket check in': 819657, 'in on your': 426133, 'on your neighbour': 605483, 'your neighbour give': 1024975, 'neighbour give any': 557211, 'give any elderly': 350389, 'any elderly vulnerable': 79171, 'elderly vulnerable relative': 270933, 'vulnerable relative call': 961142, 'relative call write': 708720, 'call write nice': 156245, 'write nice letter': 1012777, 'nice letter to': 562432, 'letter to your': 487375, 'your local care': 1024686, 'local care home': 497802, 'twgrp': 936503, 'leadright': 483786, 'trump2020landslidevictory': 934016, 'that healthcare': 844283, 'than actor': 840315, 'actor professional': 30591, 'professional athlete': 682420, 'athlete and': 101756, 'and famous': 62683, 'famous musician': 298478, 'musician corona': 546369, 'virus twgrp': 958952, 'twgrp whitehouse': 936504, 'whitehouse leadright': 987949, 'leadright maga': 483787, 'kag2020 trump2020landslidevictory': 470625, 'and just like': 65706, 'just like that': 469156, 'like that healthcare': 491322, 'that healthcare worker': 844284, 'truck driver have': 932782, 'driver have become': 259593, 'have become more': 379441, 'become more important': 120057, 'important than actor': 418985, 'than actor professional': 840318, 'actor professional athlete': 30592, 'professional athlete and': 682422, 'athlete and famous': 101758, 'and famous musician': 62685, 'famous musician corona': 298480, 'musician corona virus': 546370, 'corona virus twgrp': 204369, 'virus twgrp whitehouse': 958953, 'twgrp whitehouse leadright': 936505, 'whitehouse leadright maga': 987950, 'leadright maga maga2020': 483788, 'kag kag2020 trump2020landslidevictory': 470616, 'explanation': 292268, 'doe anybody': 251332, 'anybody have': 80088, 'have sound': 382663, 'sound explanation': 786281, 'explanation for': 292273, 'buying yet': 151401, 'yet our': 1016183, 'is swimming': 452514, 'swimming in': 830357, 'food food': 314486, 'food availability': 313464, 'availability probably': 104169, 'probably hasn': 679281, 'changed how': 172491, 'much pasta': 545223, 'actually use': 30998, 'use and': 949040, 'we throw': 973544, 'away ton': 106078, 'food year': 317691, 'year coronacrisis': 1014485, 'doe anybody have': 251333, 'anybody have sound': 80090, 'have sound explanation': 382664, 'sound explanation for': 786282, 'explanation for the': 292274, 'for the panic': 326609, 'panic buying yet': 637976, 'buying yet our': 151402, 'yet our country': 1016184, 'country is swimming': 210824, 'is swimming in': 452515, 'swimming in food': 830358, 'in food food': 422970, 'food food availability': 314487, 'food availability probably': 313467, 'availability probably hasn': 104170, 'probably hasn changed': 679282, 'hasn changed how': 378733, 'changed how much': 172492, 'how much pasta': 408365, 'much pasta and': 545224, 'pasta and toilet': 643689, 'roll can you': 725246, 'can you actually': 160271, 'you actually use': 1016817, 'actually use and': 30999, 'use and store': 949047, 'and store we': 72520, 'store we throw': 811183, 'we throw away': 973545, 'throw away ton': 895016, 'away ton of': 106079, 'of food year': 583825, 'food year coronacrisis': 317692, 'betw': 128659, 'compartmentalized': 191471, 'cursed': 221758, 'supermarket line': 821322, 'line space': 493414, 'space betw': 787067, 'betw customer': 128660, 'customer waiting': 223031, 'enter store': 278291, 'normal our': 567242, 'life compartmentalized': 488562, 'compartmentalized human': 191472, 'human solidarity': 410620, 'solidarity killed': 781937, 'distancing break': 247051, 'get cursed': 346843, 'cursed oh': 221761, 'oh it': 596410, 'll stay': 497035, 'just came from': 468423, 'came from the': 157000, 'the supermarket line': 868674, 'supermarket line space': 821329, 'line space betw': 493415, 'space betw customer': 787068, 'betw customer waiting': 128661, 'customer waiting to': 223033, 'to enter store': 905224, 'enter store the': 278292, 'store the new': 810607, 'new normal our': 559166, 'normal our life': 567244, 'our life compartmentalized': 623719, 'life compartmentalized human': 488563, 'compartmentalized human solidarity': 191473, 'human solidarity killed': 410621, 'solidarity killed by': 781938, 'killed by psychology': 474572, 'by psychology of': 153683, 'psychology of social': 687571, 'social distancing break': 779573, 'distancing break the': 247052, 'break the distance': 138805, 'the distance and': 853415, 'distance and you': 246645, 'and you get': 76020, 'you get cursed': 1018766, 'get cursed oh': 346844, 'cursed oh it': 221762, 'oh it ll': 596412, 'it ll stay': 459432, 'cpuc': 214661, 'compile': 191805, 'the cpuc': 852256, 'cpuc ha': 214662, 'created new': 215857, 'new webpage': 559864, 'webpage to': 975171, 'to compile': 903126, 'compile the': 191806, 'protection your': 685694, 'your water': 1026309, 'water energy': 968981, 'and telecommunication': 73083, 'telecommunication company': 836702, 'providing to': 687123, 'the cpuc ha': 852257, 'cpuc ha created': 214663, 'ha created new': 370276, 'created new webpage': 215860, 'new webpage to': 559865, 'webpage to compile': 975173, 'to compile the': 903127, 'compile the consumer': 191807, 'consumer protection your': 198584, 'protection your water': 685695, 'your water energy': 1026310, 'water energy and': 968982, 'energy and telecommunication': 276393, 'and telecommunication company': 73084, 'telecommunication company are': 836703, 'company are providing': 190441, 'are providing to': 89325, 'providing to help': 687125, 'help you during': 390966, 'up pretty': 945800, 'much where': 545455, 'where those': 985296, 'those paper': 892308, 'bag are': 108228, 'are sitting': 90145, 'and sitting': 71705, 'sitting right': 772143, 'right in': 721952, 'is 12': 445154, '12 roll': 2946, 'toiletpaper faith': 921973, 'faith humor': 296512, 'humor life': 410897, 'happen to look': 377183, 'to look up': 909443, 'look up pretty': 502651, 'up pretty much': 945801, 'pretty much where': 671466, 'much where those': 545456, 'where those paper': 985297, 'those paper bag': 892309, 'paper bag are': 639919, 'bag are sitting': 108232, 'are sitting in': 90146, 'sitting in this': 772124, 'in this picture': 429996, 'this picture and': 889577, 'picture and sitting': 656107, 'and sitting right': 71708, 'sitting right in': 772144, 'right in front': 721953, 'of me is': 586334, 'me is 12': 522994, 'is 12 roll': 445155, '12 roll of': 2947, 'paper toiletpaper faith': 640947, 'toiletpaper faith humor': 921974, 'faith humor life': 296513, 'bangkok': 109486, 'varies': 952547, '4usd': 19555, 'all chain': 42334, 'chain pharmacy': 170985, 'in bangkok': 420693, 'bangkok that': 109497, 'to are': 900687, 'independent pharmacy': 434126, 'them quality': 876199, 'quality varies': 691868, 'varies and': 952548, 'are ridiculous': 89687, 'ridiculous one': 721572, 'them tried': 876550, 'sell me': 748790, 'one mask': 606644, 'for 4usd': 318858, '4usd ended': 19556, 'buying 10': 149832, 'for 50': 318860, '50 somewhere': 19855, 'somewhere else': 785292, 'all chain pharmacy': 42335, 'chain pharmacy in': 170986, 'pharmacy in bangkok': 654356, 'in bangkok that': 420695, 'bangkok that have': 109498, 'have been to': 379721, 'been to are': 122211, 'to are sold': 900692, 'of mask but': 586262, 'mask but the': 518497, 'but the independent': 147346, 'the independent pharmacy': 858108, 'independent pharmacy have': 434127, 'pharmacy have them': 654339, 'have them quality': 383071, 'them quality varies': 876200, 'quality varies and': 691869, 'varies and some': 952549, 'and some price': 71976, 'price are ridiculous': 672722, 'are ridiculous one': 89690, 'ridiculous one of': 721573, 'of them tried': 591769, 'them tried to': 876551, 'to sell me': 914159, 'sell me one': 748791, 'me one mask': 523268, 'one mask for': 606645, 'mask for 4usd': 518668, 'for 4usd ended': 318859, '4usd ended up': 19557, 'ended up buying': 276139, 'up buying 10': 944534, 'buying 10 for': 149833, '10 for 50': 1430, 'for 50 somewhere': 318868, '50 somewhere else': 19856, 'it clearer': 457165, 'clearer than': 181445, 'than sunny': 841180, 'sunny day': 818391, 'now farmer': 574668, 'farmer nurse': 299469, 'all 1st': 41892, 'responder should': 715519, 'in mansion': 425040, 'mansion not': 513339, 'not athlete': 568276, 'athlete actor': 101754, 'it clearer than': 457166, 'clearer than sunny': 181446, 'than sunny day': 841181, 'sunny day now': 818393, 'day now farmer': 228035, 'now farmer nurse': 574669, 'farmer nurse grocery': 299470, 'worker all 1st': 1006221, 'all 1st responder': 41893, '1st responder should': 12799, 'responder should be': 715520, 'should be living': 765663, 'living in mansion': 496381, 'in mansion not': 425041, 'mansion not athlete': 513340, 'not athlete actor': 568277, 'kindle': 475096, 'today free': 919552, 'free book': 331677, 'book on': 134573, 'on kindle': 601769, 'today free book': 919553, 'free book on': 331678, 'book on kindle': 134574, '19 hygienic': 7639, 'hygienic company': 412210, 'now dealing': 574501, 'with 10x': 996936, '10x influx': 2407, 'sanitizer read': 735633, 'full case': 340522, 'study here': 814908, 'how rpa': 408607, 'rpa software': 726660, 'helping company': 391292, 'covid 19 hygienic': 213239, '19 hygienic company': 7640, 'hygienic company is': 412211, 'company is now': 190805, 'is now dealing': 450276, 'now dealing with': 574502, 'dealing with 10x': 229654, 'with 10x influx': 996937, '10x influx of': 2408, 'influx of order': 437389, 'of order for': 587335, 'order for hand': 618230, 'hand sanitizer read': 375558, 'sanitizer read the': 735635, 'the full case': 856001, 'full case study': 340525, 'case study here': 166042, 'study here to': 814909, 'here to see': 393727, 'see how rpa': 745247, 'how rpa software': 408608, 'rpa software is': 726661, 'software is helping': 781535, 'is helping company': 448393, 'helping company during': 391293, 'pantry here': 639603, 'our pack': 624223, 'pack the': 633161, 'the pantry': 863249, 'pantry drive': 639561, 'help support local': 390614, 'support local food': 826625, 'food pantry here': 315784, 'pantry here how': 639604, 'donate to our': 254265, 'to our pack': 911228, 'our pack the': 624224, 'pack the pantry': 633162, 'the pantry drive': 863253, 'kolonya': 477364, 'fragrance': 330916, 'bienetre': 129600, 'who remembers': 989527, 'remembers the': 710473, 'the kolonya': 858849, 'kolonya that': 477367, 'our grandparent': 623293, 'grandparent had': 361975, 'had sprayed': 373540, 'sprayed on': 790358, 'on kid': 601764, 'kid this': 474132, 'this traditional': 890835, 'traditional turkish': 929023, 'turkish home': 935595, 'made fragrance': 507748, 'fragrance is': 330923, 'made sanitizer': 507947, 'sanitizer long': 735306, 'long it': 501464, 'it contains': 457303, 'contains 70': 200619, '70 ethanol': 21762, 'ethanol kolonya': 282988, 'kolonya bienetre': 477365, 'bienetre publichealth': 129601, 'who remembers the': 989529, 'remembers the kolonya': 710474, 'the kolonya that': 858850, 'kolonya that our': 477368, 'that our grandparent': 845581, 'our grandparent had': 623295, 'grandparent had sprayed': 361976, 'had sprayed on': 373541, 'sprayed on kid': 790359, 'on kid this': 601765, 'kid this traditional': 474134, 'this traditional turkish': 890836, 'traditional turkish home': 929024, 'turkish home made': 935596, 'home made fragrance': 401566, 'made fragrance is': 507749, 'fragrance is your': 330924, 'is your home': 454150, 'your home made': 1024362, 'home made sanitizer': 401571, 'made sanitizer long': 507948, 'sanitizer long it': 735307, 'long it contains': 501465, 'it contains 70': 457304, 'contains 70 ethanol': 200620, '70 ethanol kolonya': 21763, 'ethanol kolonya bienetre': 282989, 'kolonya bienetre publichealth': 477366, 'yumyumsbakery': 1027107, 'yqg': 1026989, 'our heart': 623396, 'heart to': 388346, 'professional delivery': 682438, 'worker caregiver': 1006605, 'caregiver grocery': 164506, 'scientist who': 742272, 'pandemic thankshealthheroes': 636646, 'thankshealthheroes yumyumsbakery': 842304, 'yumyumsbakery yqg': 1027108, 'thank you from': 841729, 'from the bottom': 337618, 'bottom of our': 136419, 'of our heart': 587486, 'our heart to': 623398, 'heart to all': 388347, 'healthcare professional delivery': 387230, 'professional delivery worker': 682440, 'delivery worker caregiver': 234770, 'worker caregiver grocery': 1006606, 'caregiver grocery store': 164507, 'employee and scientist': 273581, 'and scientist who': 71085, 'scientist who are': 742273, 'are working the': 91719, 'working the frontlines': 1008939, 'this pandemic thankshealthheroes': 889433, 'pandemic thankshealthheroes yumyumsbakery': 636647, 'thankshealthheroes yumyumsbakery yqg': 842305, 'squeeze': 791527, 'seamlessly': 743204, 'digitalcapitalism': 242701, 'profitability of': 682914, 'the everything': 854627, 'everything store': 288015, 'store empire': 807447, 'empire rest': 273415, 'rest not': 716175, 'only on': 610852, 'it ability': 456232, 'to squeeze': 915097, 'squeeze worker': 791541, 'and exploit': 62516, 'exploit economy': 292337, 'of scale': 589352, 'scale but': 739877, 'also on': 48611, 'to seamlessly': 913948, 'seamlessly connect': 743205, 'connect million': 194609, 'to amazon': 900392, 'amazon digitalcapitalism': 50915, 'the profitability of': 864625, 'profitability of the': 682915, 'of the everything': 590997, 'the everything store': 854628, 'everything store empire': 288016, 'store empire rest': 807448, 'empire rest not': 273416, 'rest not only': 716176, 'not only on': 570811, 'only on it': 610857, 'on it ability': 601647, 'it ability to': 456233, 'ability to squeeze': 24404, 'to squeeze worker': 915100, 'squeeze worker and': 791542, 'worker and exploit': 1006292, 'and exploit economy': 62517, 'exploit economy of': 292338, 'economy of scale': 268114, 'of scale but': 589353, 'scale but also': 739878, 'but also on': 145130, 'also on it': 48614, 'ability to seamlessly': 24401, 'to seamlessly connect': 913949, 'seamlessly connect million': 743206, 'connect million of': 194610, 'people to amazon': 649875, 'to amazon digitalcapitalism': 900393, 'today going': 919575, 'off please': 594076, 'please wish': 660776, 'me well': 523920, 'well all': 977998, 'very popular': 955423, 'been stretched': 122063, 'stretched to': 813578, 'the max': 860302, 'today going back': 919576, 'to work after': 918678, 'work after two': 1004717, 'after two day': 36462, 'two day off': 936866, 'day off please': 228129, 'off please wish': 594078, 'please wish me': 660777, 'wish me well': 996793, 'me well all': 523921, 'well all work': 978001, 'all work for': 45493, 'work for very': 1005179, 'for very popular': 327546, 'very popular grocery': 955424, 'store and we': 806399, 've been stretched': 952934, 'been stretched to': 122064, 'stretched to the': 813579, 'to the max': 916873, 'the max of': 860304, 'max of late': 520766, 'monday 23': 536220, '23 mar': 15403, 'mar 2020': 514976, '2020 covid': 14259, 'update is': 947039, 'order only': 618486, 'only click': 610247, 'collect is': 186289, 'open by': 612137, 'by appointment': 151878, 'appointment only': 82673, 'only we': 611448, 'not open': 570842, 'for physical': 324538, 'physical visit': 655476, 'please expect': 659977, 'expect delivery': 290629, 'staff shortage': 792851, 'shortage especially': 764928, 'especially within': 280677, 'delivery industry': 234123, 'monday 23 mar': 536221, '23 mar 2020': 15404, 'mar 2020 covid': 514977, '2020 covid 19': 14260, '19 update is': 11668, 'update is open': 947041, 'is open for': 450566, 'open for online': 612253, 'online order only': 608696, 'order only click': 618487, 'only click collect': 610248, 'click collect is': 181896, 'collect is open': 186291, 'is open by': 450562, 'open by appointment': 612138, 'by appointment only': 151879, 'appointment only we': 82676, 'only we are': 611449, 'are not open': 88427, 'not open for': 570843, 'open for physical': 612255, 'for physical visit': 324541, 'physical visit and': 655477, 'visit and shopping': 959181, 'and shopping please': 71550, 'shopping please expect': 763644, 'please expect delivery': 659978, 'expect delivery delay': 290630, 'delivery delay due': 233855, 'due to staff': 261968, 'to staff shortage': 915138, 'staff shortage especially': 792853, 'shortage especially within': 764930, 'especially within the': 280678, 'within the delivery': 1002433, 'the delivery industry': 853067, 'get weird': 348609, 'weird we': 977810, 'we adjust': 970287, 'normal amid': 567081, 'shopping get weird': 762778, 'get weird we': 348611, 'weird we adjust': 977811, 'we adjust to': 970288, 'adjust to new': 32300, 'new normal amid': 559147, 'normal amid pandemic': 567082, 'of town': 592351, 'town for': 927462, 'past day': 643515, 'am struggling': 50441, 'our fridge': 623174, 'fridge with': 333440, 'essential just': 281252, 'family through': 298313, 'we empty': 971444, 'before trip': 123251, 'trip so': 932160, 'so food': 777106, 'food doesn': 314257, 'doesn go': 251809, 'waste speechless': 968191, 'speechless quarantinelife': 788422, 'after being out': 35415, 'out of town': 626865, 'of town for': 592352, 'town for the': 927464, 'the past day': 863351, 'past day am': 643516, 'day am struggling': 227241, 'am struggling to': 50442, 'struggling to stock': 814519, 'stock our fridge': 802600, 'our fridge with': 623176, 'fridge with the': 333443, 'the essential just': 854509, 'essential just to': 281254, 'get my family': 347629, 'my family through': 548230, 'family through the': 298314, 'through the week': 894776, 'the week we': 871320, 'week we empty': 977191, 'we empty our': 971445, 'empty our fridge': 274989, 'our fridge before': 623175, 'fridge before trip': 333384, 'before trip so': 123252, 'trip so food': 932161, 'so food doesn': 777107, 'food doesn go': 314259, 'doesn go to': 251812, 'to waste speechless': 918372, 'waste speechless quarantinelife': 968192, 'notmypresident': 573589, 'toiletpaperchallenge': 922972, 'gotta thank': 359107, 'thank my': 841609, 'my bro': 547543, 'bro for': 140679, 'for giving': 321889, 'giving these': 351429, 'these tp': 880872, 'tp roll': 927918, 'roll joke': 725362, 'joke for': 467077, 'for xmas': 327981, 'xmas came': 1013878, 'in handy': 423533, 'handy notmypresident': 376896, 'notmypresident 19': 573590, '19 trump': 11588, 'trump toiletpaperchallenge': 933929, 'toiletpaperchallenge toiletpaper': 922980, 'gotta thank my': 359108, 'thank my bro': 841610, 'my bro for': 547544, 'bro for giving': 140680, 'for giving these': 321892, 'giving these tp': 351431, 'these tp roll': 880873, 'tp roll joke': 927919, 'roll joke for': 725363, 'joke for xmas': 467079, 'for xmas came': 327982, 'xmas came in': 1013879, 'came in handy': 157016, 'in handy notmypresident': 423536, 'handy notmypresident 19': 376897, 'notmypresident 19 trump': 573591, '19 trump toiletpaperchallenge': 11589, 'trump toiletpaperchallenge toiletpaper': 933930, 'for signing': 325620, 'signing our': 769642, 'our pledge': 624369, 'pledge and': 660844, 'your comment': 1023256, 'comment signing': 188448, 'signing because': 769629, 'have spent': 382683, 'last 16': 480093, 'year working': 1015117, 'you for signing': 1018670, 'for signing our': 325621, 'signing our pledge': 769644, 'our pledge and': 624370, 'pledge and for': 660845, 'and for your': 63168, 'for your comment': 328131, 'your comment signing': 1023257, 'comment signing because': 188449, 'signing because have': 769630, 'because have spent': 119103, 'have spent the': 382690, 'the last 16': 858989, 'last 16 year': 480094, '16 year working': 4197, 'year working in': 1015118, 'in retail via': 427472, 'people became': 647232, 'became nicer': 118879, 'nicer during': 562548, 'time without': 898365, 'same mission': 733161, 'mission bit': 534347, 'put an': 690508, 'this nonsense': 889157, 'nonsense hopefully': 566732, 'hopefully this': 403894, 'put thing': 690907, 'thing into': 884456, 'into perspective': 442866, 'perspective for': 653194, 'many quarantine': 514609, 'noticed that some': 573484, 'that some people': 846392, 'some people became': 783507, 'people became nicer': 647233, 'became nicer during': 118880, 'nicer during these': 562549, 'these time without': 880855, 'time without the': 898368, 'without the grocery': 1002969, 'grocery store if': 365480, 'store if we': 808249, 'we were on': 973799, 'the same mission': 866259, 'same mission bit': 733162, 'mission bit to': 534348, 'bit to put': 131720, 'to put an': 912580, 'put an end': 690509, 'end to this': 276013, 'to this nonsense': 917444, 'this nonsense hopefully': 889159, 'nonsense hopefully this': 566733, 'hopefully this put': 403896, 'this put thing': 889767, 'put thing into': 690908, 'thing into perspective': 884457, 'into perspective for': 442868, 'perspective for many': 653195, 'for many quarantine': 323232, 'favour': 300568, 'gu': 367676, 'and shelter': 71452, 'shelter is': 757934, 'lockdown pg': 499794, 'pg owner': 653950, 'owner demand': 632439, 'demand money': 235877, 'money plz': 536976, 'plz do': 661809, 'do favour': 249290, 'favour for': 300569, 'while address': 986566, 'address to': 32057, 'to nation': 910475, 'nation on': 552279, 'today 10am': 919120, '10am request': 2299, 'request government': 713169, 'in waiving': 430651, 'waiving off': 964566, 'our paying': 624299, 'paying gu': 645422, 'food and shelter': 313331, 'and shelter is': 71457, 'shelter is necessary': 757936, 'is necessary to': 449849, 'necessary to survive': 554129, '19 lockdown pg': 8417, 'lockdown pg owner': 499795, 'pg owner demand': 653952, 'owner demand money': 632440, 'demand money plz': 235878, 'money plz do': 536977, 'plz do favour': 661810, 'do favour for': 249291, 'favour for while': 300570, 'for while address': 327836, 'while address to': 986567, 'address to nation': 32059, 'to nation on': 910476, 'nation on today': 552282, 'on today 10am': 604774, 'today 10am request': 919121, '10am request government': 2300, 'request government can': 713170, 'government can help': 359960, 'help in waiving': 389914, 'in waiving off': 430653, 'waiving off our': 964567, 'off our paying': 594040, 'our paying gu': 624300, 'of gallon': 584028, 'of unleaded': 592650, 'unleaded gas': 942573, 'gas in': 343868, 'some part': 783496, 'of minnesota': 586567, 'minnesota is': 533614, 'below 00': 126547, '00 per': 426, 'price of gallon': 675458, 'of gallon of': 584031, 'gallon of unleaded': 343049, 'of unleaded gas': 592651, 'unleaded gas in': 942574, 'gas in some': 343872, 'in some part': 428094, 'some part of': 783497, 'part of minnesota': 642361, 'of minnesota is': 586568, 'minnesota is below': 533615, 'is below 00': 446126, 'below 00 per': 126552, '00 per gallon': 430, 'spelling': 788530, 'about bad': 24841, 'bad spelling': 108014, 'spelling price': 788531, 'close ct': 182603, 'ct food': 220100, 'food business': 313796, 'business down': 143656, 'complaint about bad': 191925, 'about bad spelling': 24843, 'bad spelling price': 108015, 'spelling price help': 788532, 'price help to': 674499, 'help to close': 390769, 'to close ct': 902865, 'close ct food': 182604, 'ct food business': 220101, 'food business down': 313798, 'coronavirus here': 206070, 'surrounding the coronavirus': 828767, 'the coronavirus here': 851865, 'coronavirus here are': 206071, '19why': 12571, '50ft': 20150, 'publix walmart': 688790, 'walmart thats': 965429, 'thats how': 847810, 'it spreading': 461206, 'spreading through': 791070, 'community you': 190246, 'home all': 400580, 'week then': 977015, 'get gallon': 347129, 'milk with': 531914, 'with side': 1000725, 'covid 19why': 214113, '19why would': 12572, 'you set': 1021130, 'of boat': 580757, 'boat in': 133720, 'stay 50ft': 796736, '50ft apart': 20151, 'apart but': 81234, 'not regulate': 571286, 'publix walmart thats': 688791, 'walmart thats how': 965430, 'thats how it': 847811, 'how it spreading': 408142, 'it spreading through': 461207, 'spreading through our': 791072, 'through our community': 894613, 'our community you': 622492, 'community you may': 190247, 'you may stay': 1019813, 'may stay home': 521530, 'stay home all': 796935, 'home all week': 400585, 'all week then': 45424, 'week then go': 977018, 'then go get': 877205, 'go get gallon': 353607, 'get gallon of': 347130, 'of milk with': 586525, 'milk with side': 531915, 'with side of': 1000726, 'side of covid': 768846, 'of covid 19why': 582093, 'covid 19why would': 214114, '19why would you': 12573, 'would you set': 1012422, 'you set limit': 1021131, 'set limit of': 753420, 'limit of boat': 492394, 'of boat in': 580758, 'boat in the': 133723, 'in the water': 429663, 'the water to': 871129, 'water to stay': 969221, 'to stay 50ft': 915264, 'stay 50ft apart': 796737, '50ft apart but': 20152, 'apart but not': 81235, 'but not regulate': 146558, 'not regulate the': 571288, 'regulate the amount': 707993, 'people in supermarket': 648434, 'blu': 133414, 'this fucking': 887642, 'fucking joke': 339921, 'joke these': 467142, 'are usually': 91437, 'usually the': 951161, 'with dvd': 998155, 'dvd or': 263634, 'or blu': 614565, 'blu ray': 133418, 'ray price': 698031, 'investigate you': 443812, 'you pretty': 1020421, 'all digital': 42574, 'digital bu': 242516, 'is this fucking': 453088, 'this fucking joke': 887644, 'fucking joke these': 339922, 'joke these price': 467143, 'these price are': 880524, 'price are usually': 672760, 'are usually the': 91439, 'usually the buy': 951162, 'the buy and': 850218, 'buy and keep': 148324, 'and keep with': 65787, 'keep with dvd': 472212, 'with dvd or': 998156, 'dvd or blu': 263635, 'or blu ray': 614566, 'blu ray price': 133419, 'ray price need': 698032, 'price need to': 675318, 'need to investigate': 555976, 'to investigate you': 908496, 'investigate you pretty': 443813, 'you pretty sure': 1020422, 'pretty sure they': 671510, 'sure they make': 827741, 'they make it': 882647, 'illegal to hike': 416251, 'hike price during': 396257, '19 and you': 5143, 'done this with': 255060, 'this with all': 891456, 'with all digital': 997148, 'all digital bu': 42575, 'kano': 470795, 'shebi': 756498, 'kano hand': 470796, 'sanitizer go': 734993, 'go dey': 353455, 'dey cure': 240021, 'cure shebi': 220801, 'kano hand sanitizer': 470797, 'hand sanitizer go': 375421, 'sanitizer go dey': 734994, 'go dey cure': 353456, 'dey cure shebi': 240022, 'so imagine': 777367, 'imagine everyone': 416718, 'everyone getting': 286933, 'same supermarket': 733309, 'supermarket ignoring': 820846, 'ignoring all': 415898, 'the socialdistancing': 867423, 'socialdistancing you': 780890, 'happen more': 377118, 'more death': 538971, 'death curfew': 230012, 'curfew cannot': 220862, 'cannot just': 161976, 'just happen': 468923, 'happen planned': 377141, 'planned at': 658441, 'least more': 484563, 'so imagine everyone': 777368, 'imagine everyone getting': 416719, 'everyone getting out': 286934, 'of their car': 591645, 'their car and': 872721, 'car and going': 162994, 'and going to': 63812, 'the same supermarket': 866304, 'same supermarket ignoring': 733313, 'supermarket ignoring all': 820847, 'ignoring all the': 415899, 'all the socialdistancing': 44914, 'the socialdistancing you': 867430, 'socialdistancing you know': 780892, 'will happen more': 993600, 'happen more death': 377119, 'more death curfew': 538972, 'death curfew cannot': 230013, 'curfew cannot just': 220865, 'cannot just happen': 161979, 'just happen planned': 468924, 'happen planned at': 377142, 'planned at least': 658442, 'at least more': 99526, 'least more than': 484564, 'chalet': 171372, 'queenston': 693420, 'the swiss': 869060, 'swiss chalet': 830450, 'chalet in': 171373, 'in hamilton': 423518, 'hamilton on': 374560, 'on queenston': 603048, 'queenston road': 693421, 'latest example': 481326, 'of stepping': 590122, 'those battling': 891840, 'battling on': 112865, 'restaurant is': 716535, 'free dinner': 331766, 'dinner to': 243098, 'to bus': 902118, 'worker way': 1008135, 'of saying': 589350, 'saying thanks': 739694, 'the swiss chalet': 869062, 'swiss chalet in': 830451, 'chalet in hamilton': 171374, 'in hamilton on': 423520, 'hamilton on queenston': 374561, 'on queenston road': 603049, 'queenston road is': 693422, 'road is just': 724465, 'just the latest': 470004, 'the latest example': 859100, 'latest example of': 481327, 'example of stepping': 288948, 'of stepping up': 590123, 'up to support': 946432, 'to support those': 915980, 'support those battling': 826931, 'those battling on': 891841, 'battling on the': 112867, 'crisis the restaurant': 218190, 'the restaurant is': 865655, 'restaurant is offering': 716538, 'is offering free': 450420, 'offering free dinner': 595118, 'free dinner to': 331767, 'dinner to bus': 243100, 'to bus driver': 902119, 'bus driver and': 143014, 'store worker way': 811617, 'worker way of': 1008136, 'way of saying': 969765, 'of saying thanks': 589351, 'louis based': 504520, 'based is': 111634, 'selling grocery': 749278, 'the rising': 865865, 'food created': 314054, 'st louis based': 791723, 'louis based is': 504521, 'based is selling': 111635, 'is selling grocery': 451756, 'selling grocery to': 749279, 'grocery to help': 366052, 'meet the rising': 527610, 'the rising demand': 865867, 'for food created': 321573, 'food created by': 314055, 'created by the': 215795, 'store employee at': 807460, 'employee at risk': 273650, 'dailyneeds': 224925, 'hyd how': 411904, 'without vegetable': 1003029, 'vegetable dailyneeds': 953965, 'dailyneeds please': 224926, 'please look': 660208, 'into today': 443243, 'have vegetable': 383493, 'price double': 673498, 'difficult know': 242243, 'know please': 476684, 'this anna': 886364, 'anna hope': 76772, 'are understand': 91296, 'understand tq': 940796, 'hyd how we': 411905, 'we can survive': 971026, 'can survive without': 159882, 'survive without vegetable': 829304, 'without vegetable dailyneeds': 1003030, 'vegetable dailyneeds please': 953966, 'dailyneeds please look': 224927, 'please look into': 660211, 'look into today': 502438, 'into today we': 443244, 'today we have': 920474, 'we have vegetable': 971981, 'have vegetable market': 383494, 'vegetable market price': 954031, 'market price double': 516884, 'price double it': 673501, 'double it is': 256025, 'is difficult know': 447172, 'difficult know please': 242244, 'know please look': 476686, 'look into this': 502437, 'into this anna': 443209, 'this anna hope': 886365, 'anna hope you': 76773, 'you are understand': 1017276, 'are understand tq': 91297, 'mechanical': 525840, 'shop price': 760680, 'getting over': 349173, 'over charged': 630077, 'for mechanical': 323368, 'mechanical work': 525843, '19 floating': 7026, 'floating around': 310663, 'around now': 93420, 'to hmu': 907860, 'hmu between': 398716, 'between myself': 128829, 'myself and': 550815, 'my folk': 548367, 'folk got': 312165, 'got hook': 358617, 'hook ups': 403346, 'ups going': 947748, 'on dm': 600363, 'for need': 323798, 'need pricing': 555471, 'tired of shop': 899051, 'of shop price': 589623, 'shop price getting': 760682, 'price getting over': 674176, 'getting over charged': 349174, 'over charged for': 630078, 'charged for mechanical': 173382, 'for mechanical work': 323369, 'mechanical work with': 525844, 'covid 19 floating': 213104, '19 floating around': 7027, 'floating around now': 310664, 'around now is': 93421, 'time to hmu': 897997, 'to hmu between': 907861, 'hmu between myself': 398717, 'between myself and': 128830, 'myself and my': 550823, 'and my folk': 67366, 'my folk got': 548369, 'folk got hook': 312166, 'got hook ups': 358618, 'hook ups going': 403347, 'ups going on': 947749, 'going on dm': 355313, 'on dm me': 600364, 'dm me for': 248905, 'me for need': 522756, 'for need pricing': 323800, 'literal': 494943, 'fuckery': 339758, 're telling': 699669, 'telling me': 837220, 'me work': 524012, 'yet putting': 1016215, 'putting my': 691166, 'my literal': 549077, 'literal fucking': 494946, 'fucking life': 339930, 'line almost': 492940, 'almost just': 46684, 'just much': 469292, 'much doctor': 544837, 'doctor or': 251058, 'or nurse': 616328, 'nurse with': 577552, 'shit right': 759206, 'yet still': 1016244, 'wage what': 963990, 'of fuckery': 583988, 'fuckery is': 339759, 'you re telling': 1020770, 're telling me': 699671, 'telling me work': 837233, 'me work in': 524014, 'supermarket and yet': 819110, 'and yet putting': 75991, 'yet putting my': 1016216, 'putting my literal': 691167, 'my literal fucking': 549078, 'literal fucking life': 494947, 'fucking life on': 339931, 'the line almost': 859399, 'line almost just': 492941, 'almost just much': 46685, 'just much doctor': 469293, 'much doctor or': 544839, 'doctor or nurse': 251060, 'or nurse with': 616333, 'nurse with covid': 577553, '19 shit right': 10465, 'shit right and': 759207, 'right and yet': 721762, 'and yet still': 75993, 'yet still on': 1016245, 'still on minimum': 800934, 'minimum wage what': 533250, 'wage what kind': 963991, 'kind of fuckery': 474897, 'of fuckery is': 583989, 'fuckery is this': 339760, 'youllneverwalkalone': 1022549, 'ausgangssperrejetzt': 103051, 'ynwa': 1016415, 'afterhours': 36637, 'davido': 227010, 'now receiving': 575653, 'receiving patient': 703790, 'from chloroquine': 334878, 'chloroquine poisoning': 177615, 'poisoning lagos': 662804, 'lagos state': 478949, 'state govt': 795628, 'govt youllneverwalkalone': 361340, 'youllneverwalkalone ausgangssperrejetzt': 1022550, 'ausgangssperrejetzt ynwa': 103052, 'ynwa afterhours': 1016416, 'afterhours davido': 36640, 'davido calockdown': 227011, 'calockdown stophoarding': 156884, 'stophoarding fridayfeeling': 805399, 'fridayfeeling coronacrisis': 333326, 'are now receiving': 88587, 'now receiving patient': 575655, 'receiving patient suffering': 703791, 'suffering from chloroquine': 817307, 'from chloroquine poisoning': 334879, 'chloroquine poisoning lagos': 177616, 'poisoning lagos state': 662805, 'lagos state govt': 478952, 'state govt youllneverwalkalone': 795632, 'govt youllneverwalkalone ausgangssperrejetzt': 361341, 'youllneverwalkalone ausgangssperrejetzt ynwa': 1022551, 'ausgangssperrejetzt ynwa afterhours': 103053, 'ynwa afterhours davido': 1016417, 'afterhours davido calockdown': 36641, 'davido calockdown stophoarding': 227012, 'calockdown stophoarding fridayfeeling': 156885, 'stophoarding fridayfeeling coronacrisis': 805400, '1million': 12667, 'unemployment amp': 941151, 'amp inflation': 53989, 'the pop': 864009, 'pop below': 664409, 'below poverty': 126713, 'is while': 453936, 'stolen over': 804300, 'over 3b': 629840, '3b to': 18217, 'fund proxy': 341481, 'yet spends': 1016240, 'spends only': 789075, 'only 1million': 609986, '1million on': 12668, 'price unemployment amp': 677188, 'unemployment amp inflation': 941152, 'amp inflation have': 53990, 'of the pop': 591349, 'the pop below': 864010, 'pop below poverty': 664410, 'below poverty line': 126714, 'line this is': 493470, 'this is while': 888467, 'is while khamenei': 453938, 'ha stolen over': 372072, 'stolen over 3b': 804301, 'over 3b to': 629841, '3b to fund': 18218, 'to fund proxy': 906332, 'fund proxy yet': 341482, 'proxy yet spends': 687346, 'yet spends only': 1016241, 'spends only 1million': 789076, 'only 1million on': 609987, '1million on the': 12669, 'on the ppl': 604297, 'destructive': 239128, 'ideology': 413417, 'exceptionalism': 289307, 'absurd': 27487, 'self destructive': 747602, 'destructive ideology': 239131, 'ideology of': 413418, 'british exceptionalism': 140519, 'exceptionalism ha': 289308, 'done enough': 254826, 'enough damage': 277359, 'damage already': 225173, 'this how': 887967, 'how absurd': 407317, 'absurd that': 27509, 'turning on': 935937, 'on back': 599532, 'for easier': 320917, 'essential medical': 281300, 'the self destructive': 866652, 'self destructive ideology': 747603, 'destructive ideology of': 239132, 'ideology of british': 413419, 'of british exceptionalism': 580893, 'british exceptionalism ha': 140520, 'exceptionalism ha done': 289309, 'ha done enough': 370415, 'done enough damage': 254827, 'enough damage already': 277360, 'damage already in': 225174, 'already in this': 47477, 'in this how': 429963, 'this how absurd': 887968, 'how absurd that': 407318, 'absurd that we': 27510, 'we are turning': 970746, 'are turning on': 91227, 'turning on back': 935938, 'on back on': 599533, 'on the chance': 604017, 'the chance for': 850660, 'chance for easier': 171724, 'for easier access': 320918, 'access to more': 28258, 'to more essential': 910254, 'more essential medical': 539148, 'essential medical equipment': 281301, 'equipment and at': 279677, 'and at lower': 58480, 'at lower price': 99640, 'information hub': 437857, 'hub from': 409798, 'from information': 336062, 'information hub from': 437859, 'hub from information': 409801, 'from information about': 336063, 'right and obligation': 721760, 'and obligation on': 67925, 'obligation on business': 578461, 'on business in': 599739, 'business in relation': 143899, 'place cap': 657381, 'cap on': 162437, 'daily essential': 224595, 'have private': 382049, 'private pharmacy': 678962, 'pharmacy charging': 654275, 'charging time': 173526, 'price nh': 675333, 'need to place': 556009, 'to place cap': 911750, 'place cap on': 657382, 'cap on medicine': 162438, 'on medicine and': 602103, 'medicine and daily': 526712, 'and daily essential': 60911, 'daily essential good': 224599, 'essential good price': 281097, 'good price in': 357589, 'we have private': 971904, 'have private pharmacy': 382050, 'private pharmacy charging': 678963, 'pharmacy charging time': 654277, 'charging time the': 173527, 'time the price': 897869, 'the price nh': 864389, 'quadcities': 691646, 'thriving': 894220, 'quadcities are': 691647, 'you small': 1021274, 'owner looking': 632492, 'or restaurant': 616877, 'restaurant thriving': 716753, 'thriving maybe': 894225, 'are local': 87855, 'local consumer': 497852, 'consumer looking': 198072, 'some valuable': 784154, 'valuable information': 952026, 'do both': 249149, 'quadcities are you': 691648, 'are you small': 91857, 'you small business': 1021276, 'business owner looking': 144188, 'owner looking for': 632493, 'your store or': 1025982, 'store or restaurant': 809365, 'or restaurant thriving': 616883, 'restaurant thriving maybe': 716754, 'thriving maybe you': 894226, 'maybe you are': 521892, 'you are local': 1017164, 'are local consumer': 87856, 'local consumer looking': 497854, 'consumer looking to': 198073, 'looking to support': 503048, 'to support this': 915979, 'support this type': 826929, 'of business here': 580956, 'business here some': 143844, 'here some valuable': 393587, 'some valuable information': 784155, 'valuable information from': 952027, 'information from on': 437844, 'how to do': 409010, 'to do both': 904490, 'ok worst': 597950, 'about socialdistancing': 26215, 'socialdistancing nobody': 780560, 'nobody is': 566020, 'helping me': 391382, 'top shelf': 925717, 'ok worst thing': 597951, 'worst thing about': 1011281, 'thing about socialdistancing': 884092, 'about socialdistancing nobody': 26219, 'socialdistancing nobody is': 780561, 'nobody is helping': 566023, 'is helping me': 448403, 'helping me to': 391383, 'me to reach': 523771, 'to reach the': 912808, 'reach the thing': 699990, 'the thing on': 869462, 'thing on top': 884643, 'on top shelf': 604809, 'top shelf at': 925718, 'traditionl': 929034, 'bankfee': 110399, 'traditionl bank': 929035, 'bank screw': 110161, 'screw over': 742798, 'consumer with': 199559, 'every possible': 286116, 'possible bankfee': 665583, 'bankfee imaginable': 110400, 'imaginable there': 416674, 'other resource': 620836, 'resource apps': 714708, 'apps available': 83267, 'available now': 104514, 'now screw': 575741, 'screw the': 742805, 'money lender': 536867, 'lender their': 486251, 'their bank': 872551, 'bank fee': 109826, 'fee banking': 302146, 'banking nationalemergency': 110443, 'traditionl bank screw': 929036, 'bank screw over': 110162, 'screw over the': 742799, 'over the consumer': 630705, 'the consumer with': 851626, 'consumer with every': 199561, 'with every possible': 998277, 'every possible bankfee': 286117, 'possible bankfee imaginable': 665584, 'bankfee imaginable there': 110401, 'imaginable there other': 416675, 'there other resource': 878906, 'other resource apps': 620837, 'resource apps available': 714709, 'apps available now': 83268, 'available now screw': 104521, 'now screw the': 575742, 'screw the money': 742806, 'the money lender': 860817, 'money lender their': 536868, 'lender their bank': 486252, 'their bank fee': 872553, 'bank fee banking': 109828, 'fee banking nationalemergency': 302147, 'gra': 361450, 'gra supply': 361453, 'supply innovative': 825426, 'innovative consumer': 438921, 'consumer healthcare': 197735, 'healthcare product': 387221, 'product gra': 681232, 'gra goal': 361451, 'goal is': 354571, 'world best': 1009355, 'best performing': 127826, 'performing and': 651491, 'and trusted': 74500, 'trusted emergency': 934337, 'emergency supply': 273001, 'supply company': 825089, 'company gra': 190703, 'gra supply innovative': 361454, 'supply innovative consumer': 825427, 'innovative consumer healthcare': 438922, 'consumer healthcare product': 197737, 'healthcare product gra': 387224, 'product gra goal': 681233, 'gra goal is': 361452, 'goal is to': 354572, 'is to be': 453182, 'the world best': 871822, 'world best performing': 1009356, 'best performing and': 127827, 'performing and trusted': 651492, 'and trusted emergency': 74501, 'trusted emergency supply': 934338, 'emergency supply company': 273004, 'supply company gra': 825091, 'psychosis': 687588, 'while this': 987451, 'doesn answer': 251699, 'question here': 693609, 'ever read': 285461, 'paper supermarket': 640848, 'supermarket psychosis': 822090, 'psychosis fascinating': 687589, 'fascinating piece': 299763, 'while this doesn': 987453, 'this doesn answer': 887273, 'doesn answer all': 251700, 'answer all the': 78007, 'all the question': 44878, 'the question here': 865016, 'question here the': 693611, 'here the best': 393641, 'best thing ve': 127929, 've ever read': 953094, 'ever read about': 285462, 'read about toilet': 700258, 'toilet paper supermarket': 921476, 'paper supermarket psychosis': 640850, 'supermarket psychosis fascinating': 822091, 'psychosis fascinating piece': 687590, 'seriously can': 751557, 'buying free': 150370, 'food cause': 313888, 'cause they': 167768, 'already hoarded': 47451, 'medical issue': 526227, 'issue please': 455890, 'buy there': 149338, 'is need': 449854, 'seriously can people': 751558, 'can people stop': 159216, 'people stop buying': 649649, 'stop buying free': 804537, 'buying free from': 150371, 'from food cause': 335505, 'food cause they': 313891, 'cause they have': 167772, 'they have already': 882290, 'have already hoarded': 379191, 'already hoarded the': 47452, 'hoarded the other': 398965, 'the other food': 862527, 'other food people': 620246, 'people need the': 648836, 'need the free': 555745, 'from food due': 335507, 'due to medical': 261866, 'to medical issue': 909997, 'medical issue please': 526228, 'issue please stop': 455893, 'stop panic buy': 804881, 'panic buy there': 637537, 'buy there is': 149341, 'there is need': 878593, 'foodshortage': 318126, 'got new': 358734, 'new posted': 559329, 'posted on': 666554, 'my youtube': 550671, 'channel please': 172919, 'please sub': 660602, 'sub and': 815673, 'would enjoy': 1011788, 'my content': 547796, 'content appreciate': 200781, 'appreciate it': 82728, 'it quarentinelife': 460576, 'quarentinelife supermarket': 693214, 'supermarket foodshortage': 820371, 'got new posted': 358736, 'new posted on': 559330, 'posted on my': 666558, 'on my youtube': 602331, 'my youtube channel': 550672, 'youtube channel please': 1026893, 'channel please sub': 172920, 'please sub and': 660603, 'sub and share': 815675, 'and share with': 71397, 'share with anyone': 755351, 'with anyone you': 997287, 'anyone you think': 80669, 'you think would': 1021690, 'think would enjoy': 885797, 'would enjoy my': 1011789, 'enjoy my content': 277153, 'my content appreciate': 547797, 'content appreciate it': 200782, 'appreciate it quarentinelife': 82734, 'it quarentinelife supermarket': 460577, 'quarentinelife supermarket foodshortage': 693215, 'having huge': 384114, 'life from': 488674, 'from pension': 336871, 'pension and': 646644, 'and investment': 65359, 'job security': 466140, 'security mortgage': 744670, 'mortgage payment': 541934, 'right we': 722405, 'got plenty': 358788, 'of guidance': 584384, 'pandemic is having': 635774, 'is having huge': 448329, 'having huge impact': 384115, 'huge impact on': 410066, 'impact on our': 417878, 'on our way': 602642, 'of life from': 585822, 'life from pension': 488676, 'from pension and': 336872, 'pension and investment': 646645, 'and investment to': 65364, 'investment to job': 444073, 'to job security': 908670, 'job security mortgage': 466145, 'security mortgage payment': 744671, 'mortgage payment and': 541935, 'payment and consumer': 645543, 'and consumer right': 60425, 'consumer right we': 198832, 'right we ve': 722409, 've got plenty': 953193, 'got plenty of': 358790, 'plenty of guidance': 660953, 'of guidance and': 584386, 'guidance and tip': 368208, 'help you through': 391002, 'you through it': 1021728, 'kinda weird': 475083, 'weird the': 977795, 'the feeling': 855099, 'feeling that': 303066, 'age your': 37925, 'your playing': 1025332, 'playing you': 659475, 'you bet': 1017458, 'bet your': 128132, 'life you': 489244, 'your mail': 1024760, 'mail your': 508674, 'family come': 297710, 'kinda weird the': 475084, 'weird the feeling': 977796, 'the feeling that': 855103, 'feeling that at': 303067, 'that at my': 842880, 'at my age': 99804, 'my age your': 547240, 'age your playing': 37926, 'your playing you': 1025333, 'playing you bet': 659476, 'you bet your': 1017459, 'bet your life': 128137, 'your life you': 1024654, 'life you go': 489245, 'store you check': 811682, 'you check your': 1017935, 'check your mail': 174734, 'your mail your': 1024763, 'mail your family': 508675, 'your family come': 1023776, 'family come in': 297711, 'identification': 413317, 'people action': 646763, 'so selfish': 778171, 'selfish if': 748142, 'people over': 649035, 'over 65': 629889, '65 could': 21347, 'shop show': 760785, 'show identification': 766999, 'identification just': 413318, 'young couple': 1022580, 'with 300': 997002, '300 roll': 17343, 'tp no': 927876, 'shit well': 759288, 'well maybe': 978388, 'maybe epidemic': 521670, 'some people action': 783501, 'people action are': 646764, 'action are so': 29963, 'are so selfish': 90217, 'so selfish if': 778174, 'selfish if were': 748143, 'if were the': 415348, 'were the ceo': 980238, 'ceo of grocery': 169780, 'grocery store from': 365414, 'store from to': 807883, 'from to people': 338063, 'to people over': 911634, 'people over 65': 649036, 'over 65 could': 629890, '65 could shop': 21348, 'could shop show': 209673, 'shop show identification': 760786, 'show identification just': 767000, 'identification just saw': 413319, 'just saw young': 469697, 'saw young couple': 738338, 'young couple with': 1022583, 'couple with 300': 211720, 'with 300 roll': 997003, '300 roll of': 17344, 'of tp no': 592373, 'tp no one': 927877, 'one is that': 606527, 'is that full': 452649, 'that full of': 843973, 'of shit well': 589606, 'shit well maybe': 759289, 'well maybe epidemic': 978389, 'beleaguered': 126144, 'nowaste': 576541, 'why wouldn': 991574, 'govt buy': 361084, 'food pay': 315825, 'pay beleaguered': 644775, 'beleaguered airline': 126145, 'fly it': 311618, 'needed probably': 556464, 'probably cost': 679240, 'than other': 840996, 'other measure': 620516, 'measure put': 525297, 'needed sustainability': 556513, 'sustainability nowaste': 829773, 'nowaste supply': 576542, 'why wouldn the': 991576, 'wouldn the govt': 1012510, 'the govt buy': 856652, 'govt buy the': 361085, 'buy the food': 149297, 'the food pay': 855586, 'food pay beleaguered': 315826, 'pay beleaguered airline': 644776, 'beleaguered airline to': 126146, 'airline to fly': 40050, 'to fly it': 906033, 'fly it where': 311620, 'it where it': 462344, 'where it needed': 984970, 'it needed probably': 459759, 'needed probably cost': 556465, 'probably cost le': 679241, 'cost le than': 207998, 'le than other': 483185, 'than other measure': 840999, 'other measure put': 620517, 'measure put people': 525299, 'put people back': 690768, 'to work get': 918726, 'work get food': 1005208, 'get food to': 347070, 'food to where': 317303, 'to where it': 918538, 'it needed sustainability': 459760, 'needed sustainability nowaste': 556514, 'sustainability nowaste supply': 829774, 'nowaste supply demand': 576543, 'generate': 345556, 'customer willing': 223097, 'pay how': 644945, 'we set': 973210, 'set our': 753449, 'can generate': 158393, 'generate value': 345569, 'value stayhomesavelives': 952202, 'how much is': 408355, 'much is the': 545022, 'is the customer': 452761, 'the customer willing': 852740, 'customer willing to': 223098, 'willing to pay': 995474, 'to pay how': 911537, 'pay how do': 644946, 'how do we': 407730, 'do we set': 250486, 'we set our': 973211, 'set our price': 753450, 'our price are': 624438, 'price are there': 672751, 'are there other': 90959, 'there other way': 878907, 'other way we': 621189, 'we can generate': 970953, 'can generate value': 158395, 'generate value stayhomesavelives': 345570, 'keyboard': 473535, 'r3m': 695091, 'retract': 719738, 'lockdownsa': 500362, 'slander': 773519, 'checkfacts': 174802, 'valuable lesson': 952037, 'all keyboard': 43314, 'keyboard warrior': 473536, 'warrior pay': 967370, 'pay r3m': 645064, 'r3m or': 695092, 'or retract': 616895, 'retract scare': 719739, 'scare for': 740874, 'for joburg': 322770, 'joburg dad': 466374, 'dad who': 224406, 'who accused': 988020, 'accused spar': 28960, 'spar of': 787454, 'of hiking': 584626, 'price lockdownsa': 675083, 'lockdownsa business': 500363, 'business socialmedia': 144395, 'socialmedia slander': 781093, 'slander legal': 773520, 'legal checkfacts': 485852, 'checkfacts process': 174803, 'process retail': 679953, 'retail consequence': 717982, 'valuable lesson to': 952038, 'lesson to all': 486512, 'to all keyboard': 900260, 'all keyboard warrior': 43315, 'keyboard warrior pay': 473537, 'warrior pay r3m': 967371, 'pay r3m or': 645065, 'r3m or retract': 695093, 'or retract scare': 616896, 'retract scare for': 719740, 'scare for joburg': 740876, 'for joburg dad': 322771, 'joburg dad who': 466375, 'dad who accused': 224407, 'who accused spar': 988021, 'accused spar of': 28961, 'spar of hiking': 787455, 'of hiking price': 584627, 'hiking price lockdownsa': 396399, 'price lockdownsa business': 675084, 'lockdownsa business socialmedia': 500364, 'business socialmedia slander': 144397, 'socialmedia slander legal': 781094, 'slander legal checkfacts': 773521, 'legal checkfacts process': 485853, 'checkfacts process retail': 174804, 'process retail consequence': 679954, 'vision': 959148, 'new vision': 559839, 'vision for': 959149, 'for district': 320775, 'district 11': 248343, '11 in': 2539, 'must follow': 546664, 'rule and': 727185, 'and guideline': 64046, 'together stayhome': 920953, 'stayhome and': 797941, 'selfish in': 748146, 'supermarket let': 821293, 'pandemic community': 635177, 'not immune': 570065, 'immune no': 417327, 'new vision for': 559840, 'vision for district': 959150, 'for district 11': 320776, 'district 11 in': 248344, '11 in these': 2541, 'crisis we must': 218350, 'we must follow': 972416, 'must follow all': 546665, 'follow all the': 312348, 'all the rule': 44894, 'the rule and': 866039, 'rule and guideline': 727187, 'and guideline to': 64047, 'guideline to overcome': 368485, 'to overcome this': 911300, 'overcome this crisis': 631136, 'this crisis together': 887101, 'crisis together stayhome': 218261, 'together stayhome and': 920954, 'stayhome and do': 797942, 'be selfish in': 117061, 'selfish in the': 748147, 'the supermarket let': 868671, 'supermarket let fight': 821294, 'this pandemic community': 889379, 'pandemic community we': 635178, 'are not immune': 88393, 'not immune no': 570067, 'immune no one': 417328, 'queue my': 693998, 'in right': 427512, 'elderly store': 270897, 'all doing': 42605, 'best public': 127873, 'public trying': 688442, 'done scary': 254998, 'supermarket queue my': 822126, 'queue my friend': 693999, 'my friend in': 548436, 'friend in right': 333656, 'in right now': 427513, 'right now see': 722129, 'now see the': 575752, 'see the ambulance': 745808, 'the ambulance crew': 848620, 'ambulance crew and': 51325, 'crew and elderly': 216679, 'and elderly store': 61994, 'elderly store all': 270898, 'store all doing': 806132, 'all doing their': 42612, 'doing their best': 252733, 'their best public': 872602, 'best public trying': 127874, 'public trying to': 688443, 'buy essential what': 148580, 'essential what can': 281782, 'what can be': 981167, 'be done scary': 114567, 'done scary time': 254999, 'ohiosafeohioworking': 596566, 'product line': 681378, 'from is': 336091, 'only designed': 610327, 'bacteria but': 107663, 'but cold': 145425, 'cold and': 185732, 'and flu': 62998, 'flu virus': 311491, 'virus well': 959025, 'well microban': 978397, 'microban 24': 530433, '24 is': 15638, 'is home': 448524, 'home sanitizer': 402012, 'is formulated': 447913, 'formulated to': 329744, 'kill some': 474493, 'some form': 782899, 'human ohiosafeohioworking': 410577, 'new product line': 559360, 'product line from': 681380, 'line from is': 493124, 'from is not': 336098, 'not only designed': 570786, 'only designed to': 610328, 'designed to kill': 238359, 'to kill bacteria': 908920, 'kill bacteria but': 474349, 'bacteria but cold': 107665, 'but cold and': 145426, 'cold and flu': 185734, 'and flu virus': 63000, 'flu virus well': 311493, 'virus well microban': 959026, 'well microban 24': 978398, 'microban 24 is': 530434, '24 is home': 15639, 'is home sanitizer': 448527, 'home sanitizer that': 402013, 'sanitizer that is': 735861, 'that is formulated': 844587, 'is formulated to': 447914, 'formulated to kill': 329745, 'to kill some': 908940, 'kill some form': 474494, 'some form of': 782900, 'form of the': 329546, 'the human ohiosafeohioworking': 857720, 'fraud watch': 331374, 'watch group': 968430, 'group update': 366949, 'update ha': 947009, 'been released': 121811, 'released you': 709106, 'access it': 28152, 'our latest covid': 623657, '19 fraud watch': 7104, 'fraud watch group': 331375, 'watch group update': 968432, 'group update ha': 366950, 'update ha now': 947011, 'now been released': 574229, 'been released you': 121815, 'released you can': 709107, 'can access it': 157353, 'access it here': 28153, 'honeymoon': 403185, 'only positive': 611001, 'positive so': 665431, 'far about': 298689, 'are drastically': 85989, 'drastically dropping': 258434, 'dropping for': 260690, 'for hotel': 322377, 'hotel flight': 405145, 'flight in': 310495, 'europe if': 283454, 'if my': 414429, 'my honeymoon': 548706, 'honeymoon happens': 403186, 'happens leave': 377488, 'leave july': 484852, 'july 3rd': 467808, '3rd then': 18448, 'then we': 877721, 'be saving': 116997, 'saving over': 737943, 'worth the': 1011444, 'risk honeymoon': 723606, 'honeymoon wedding': 403188, 'only positive so': 611004, 'positive so far': 665432, 'so far about': 777007, 'far about covid': 298690, 'that the price': 846809, 'price are drastically': 672656, 'are drastically dropping': 85990, 'drastically dropping for': 258435, 'dropping for hotel': 260691, 'for hotel flight': 322380, 'hotel flight in': 405147, 'flight in europe': 310496, 'in europe if': 422639, 'europe if my': 283455, 'if my honeymoon': 414435, 'my honeymoon happens': 548707, 'honeymoon happens leave': 403187, 'happens leave july': 377489, 'leave july 3rd': 484853, 'july 3rd then': 467809, '3rd then we': 18449, 'then we will': 877733, 'will be saving': 992662, 'be saving over': 116999, 'saving over 500': 737944, 'over 500 100': 629864, '500 100 but': 19937, '100 but is': 1851, 'but is it': 146076, 'is it worth': 449079, 'it worth the': 462574, 'worth the risk': 1011447, 'the risk honeymoon': 865875, 'risk honeymoon wedding': 723607, 'loaded': 497306, 'qui': 694256, 'sonne': 785539, 'cloche': 182392, '60 minute': 20961, 'minute current': 533755, 'current program': 221324, 'program tv': 683310, 'tv add': 936074, 'add we': 31530, 'to starve': 915242, 'starve because': 795192, 'because charity': 118996, 'charity are': 173566, 'even getting': 284112, 'getting enough': 348952, 'demand loaded': 235810, 'loaded question': 497315, 'question how': 693614, '19 last': 8271, 'last fear': 480207, 'fear fear': 301115, 'fear qui': 301298, 'qui sonne': 694257, 'sonne la': 785540, 'la cloche': 478145, '60 minute current': 20962, 'minute current program': 533756, 'current program tv': 221325, 'program tv add': 683311, 'tv add we': 936075, 'add we are': 31531, 'are all going': 84308, 'going to starve': 355719, 'to starve because': 915243, 'starve because charity': 795193, 'because charity are': 118997, 'charity are not': 173568, 'not even getting': 569248, 'even getting enough': 284113, 'getting enough food': 348953, 'enough food because': 277386, 'because of huge': 119354, 'of huge demand': 584859, 'huge demand loaded': 410022, 'demand loaded question': 235811, 'loaded question how': 497316, 'question how long': 693617, 'long will covid': 501852, 'covid 19 last': 213334, '19 last fear': 8272, 'last fear fear': 480208, 'fear fear qui': 301116, 'fear qui sonne': 301299, 'qui sonne la': 694258, 'sonne la cloche': 785541, '877': 23029, '764': 22264, '2535': 16058, 'touching without': 926750, 'without sanitizing': 1002898, 'sanitizing guess': 736475, 'top 10': 925512, '10 surface': 1691, 'surface to': 828080, 'sanitizing during': 736468, 'outbreak 30': 627942, '30 45': 16942, '45 877': 19061, '877 764': 23032, '764 2535': 22265, '2535 sanitizer': 16059, 'should you avoid': 766670, 'you avoid touching': 1017356, 'avoid touching without': 105358, 'touching without sanitizing': 926751, 'without sanitizing guess': 1002900, 'sanitizing guess the': 736476, 'guess the top': 368058, 'the top 10': 869770, 'top 10 surface': 925515, '10 surface to': 1692, 'surface to avoid': 828081, 'to avoid touching': 900952, 'without sanitizing during': 1002899, 'sanitizing during the': 736469, 'coronavirus outbreak 30': 206368, 'outbreak 30 45': 627943, '30 45 877': 16943, '45 877 764': 19062, '877 764 2535': 23033, '764 2535 sanitizer': 22266, 'linus': 494020, 'apologizing': 81648, 'quick shout': 694380, 'to linus': 909319, 'linus eats': 494021, 'eats prescription': 266382, 'prescription cat': 670497, 'outbreak covid': 628149, '19 ve': 11735, 'been super': 122103, 'super scared': 818577, 'his food': 397443, 'they sent': 883320, 'sent me': 750770, 'email apologizing': 272122, 'apologizing that': 81649, 'order would': 618790, 'would take': 1012306, 'longer but': 501948, 'still got': 800601, 'guy rock': 369129, 'just quick shout': 469538, 'quick shout out': 694381, 'out to linus': 627658, 'to linus eats': 909320, 'linus eats prescription': 494022, 'eats prescription cat': 266383, 'prescription cat food': 670498, 'food and and': 313174, 'and and with': 58139, 'and with the': 75780, 'the outbreak covid': 862609, 'outbreak covid 19': 628150, 'covid 19 ve': 214019, '19 ve been': 11736, 've been super': 952937, 'been super scared': 122104, 'super scared and': 818578, 'scared and trying': 740943, 'up on his': 945578, 'on his food': 601320, 'his food they': 397445, 'food they sent': 317177, 'they sent me': 883321, 'sent me an': 750771, 'an email apologizing': 55654, 'email apologizing that': 272123, 'apologizing that my': 81650, 'that my order': 845276, 'my order would': 549617, 'order would take': 618794, 'would take longer': 1012311, 'take longer but': 832286, 'longer but still': 501949, 'but still got': 147166, 'still got my': 800603, 'got my order': 358730, 'my order in': 549612, 'order in day': 618311, 'in day you': 422027, 'day you guy': 228822, 'you guy rock': 1018972, 'the partnership': 863318, 'partnership will': 642945, 'will allow': 992239, 'allow consumer': 45934, 'use to': 949750, 'buy different': 148531, 'different combo': 241924, 'combo pack': 187161, 'such beverage': 816365, 'beverage and': 128984, 'item offered': 463497, 'offered by': 594911, 'the partnership will': 863319, 'partnership will allow': 642946, 'will allow consumer': 992242, 'allow consumer to': 45936, 'consumer to use': 199334, 'to use to': 918076, 'use to buy': 949753, 'to buy different': 902215, 'buy different combo': 148532, 'different combo pack': 241925, 'combo pack of': 187162, 'pack of essential': 633096, 'essential product such': 281425, 'product such beverage': 681652, 'such beverage and': 816366, 'beverage and food': 128986, 'and food item': 63064, 'food item offered': 315220, 'item offered by': 463498, 'offered by consumer': 594912, 'by consumer product': 152192, 'use toilet': 949765, 'paper zero': 641140, 'zero waste': 1027514, 'waste family': 968117, 'via toiletpaper': 956330, 'toiletpaper looroll': 922205, 'looroll toiletroll': 503179, 'not use toilet': 572363, 'use toilet paper': 949766, 'toilet paper zero': 921539, 'paper zero waste': 641141, 'zero waste family': 1027515, 'waste family of': 968118, 'family of via': 298108, 'of via toiletpaper': 592794, 'via toiletpaper looroll': 956331, 'toiletpaper looroll toiletroll': 922207, 'austerity': 103155, 'will reduce': 994606, 'reduce it': 705863, 'budget in': 141800, 'first austerity': 308520, 'austerity measure': 103162, 'measure the': 525364, 'economy reel': 268174, 'reel from': 706438, 'the fast': 854962, 'fast spreading': 300043, 'spreading and': 790920, 'and crashing': 60692, 'crashing oil': 215118, 'arabia will reduce': 83973, 'will reduce it': 994607, 'reduce it 2020': 705864, 'it 2020 budget': 456195, '2020 budget in': 14194, 'budget in it': 141801, 'in it first': 424246, 'it first austerity': 458022, 'first austerity measure': 308521, 'austerity measure the': 103163, 'measure the economy': 525366, 'the economy reel': 854012, 'economy reel from': 268175, 'reel from the': 706439, 'from the fast': 337692, 'the fast spreading': 854967, 'fast spreading and': 300044, 'spreading and crashing': 790921, 'and crashing oil': 60694, 'crashing oil price': 215119, 'turner join': 935898, 'join grocery': 466723, 'chain representative': 171044, 'representative to': 712919, 'to update': 917977, 'update public': 947182, 'public on': 688195, 'turner join grocery': 935899, 'join grocery chain': 466724, 'grocery chain representative': 364369, 'chain representative to': 171045, 'representative to update': 712923, 'to update public': 917979, 'update public on': 947183, 'public on supply': 688196, 'on supply and': 603816, 'supply and store': 824753, 'and store hour': 72507, 'rancher': 696531, 'and gratitude': 63928, 'farmer rancher': 299483, 'rancher truck': 696547, 'driver grocer': 259585, 'grocer and': 364090, 'who ensure': 988700, 'ensure our': 277997, 'supply remains': 825759, 'one 19': 605848, 'you and gratitude': 1016990, 'and gratitude to': 63930, 'gratitude to american': 362397, 'to american farmer': 900416, 'american farmer rancher': 51972, 'farmer rancher truck': 299487, 'rancher truck driver': 696548, 'truck driver grocer': 932780, 'driver grocer and': 259586, 'grocer and grocer': 364093, 'and grocer and': 63971, 'grocer and many': 364094, 'many more who': 514324, 'more who ensure': 540973, 'who ensure our': 988701, 'ensure our food': 277999, 'food supply remains': 316986, 'supply remains strong': 825761, 'remains strong we': 710068, 'are one 19': 88746, 'refinery': 706585, 'insight europe': 439529, 'crash 32': 214948, '32 of': 17684, 'of refinery': 588869, 'refinery capacity': 706586, 'capacity restricted': 162568, 'restricted offline': 717154, 'offline icis': 596041, 'price refinery': 676137, 'refinery oil': 706590, 'oil ethylene': 596770, 'ethylene propylene': 283145, 'propylene benzene': 684602, 'insight europe chemical': 439530, 'chemical price crash': 175374, 'price crash 32': 673314, 'crash 32 of': 214949, '32 of refinery': 17685, 'of refinery capacity': 588870, 'refinery capacity restricted': 706587, 'capacity restricted offline': 162569, 'restricted offline icis': 717155, 'offline icis europe': 596042, 'icis europe chemical': 412754, 'chemical price refinery': 175375, 'price refinery oil': 676138, 'refinery oil ethylene': 706591, 'oil ethylene propylene': 596771, 'ethylene propylene benzene': 283146, 'devised': 239978, 'hike amidst': 396194, 'amidst is': 52803, 'is crime': 446924, 'crime we': 216809, 'have devised': 380255, 'devised plan': 239979, 'plan the': 658246, 'business association': 143405, 'association community': 96951, 'community leader': 189958, 'leader municipality': 483491, 'municipality to': 546107, 'help alleviate': 389327, 'alleviate burden': 45805, 'burden am': 142730, 'am glad': 50080, 'our necessary': 623993, 'necessary step': 554091, 'step have': 799552, 'already shown': 47654, 'shown result': 767607, 'result within': 717659, 'price hike amidst': 674526, 'hike amidst is': 396195, 'amidst is crime': 52804, 'is crime we': 446926, 'crime we have': 216810, 'we have devised': 971799, 'have devised plan': 380256, 'devised plan the': 239980, 'plan the help': 658248, 'help of local': 390160, 'of local business': 585926, 'local business association': 497752, 'business association community': 143406, 'association community leader': 96952, 'community leader municipality': 189960, 'leader municipality to': 483492, 'municipality to control': 546108, 'control price and': 202111, 'price and help': 672432, 'and help alleviate': 64441, 'help alleviate burden': 389328, 'alleviate burden am': 45806, 'burden am glad': 142731, 'am glad to': 50082, 'see our necessary': 745530, 'our necessary step': 623994, 'necessary step have': 554093, 'step have already': 799553, 'have already shown': 379202, 'already shown result': 47655, 'shown result within': 767608, 'result within day': 717660, 'within day afghanistan': 1002344, 'duh': 262058, 'panadol': 634672, 'cotton': 208402, 'dye': 263759, 'in popular': 426836, 'popular health': 664556, 'health beauty': 386186, 'australia and': 103222, 'order of': 618434, '19 happened': 7427, 'happened hand': 377247, 'sanitiser duh': 733943, 'duh panadol': 262059, 'panadol paracetamol': 634673, 'paracetamol thermometer': 641272, 'thermometer cotton': 879512, 'cotton ball': 208403, 'ball hand': 109055, 'wash lock': 967517, 'down happened': 256817, 'happened hair': 377245, 'hair dye': 373978, 'dye and': 263760, 'work in popular': 1005336, 'in popular health': 426837, 'popular health beauty': 664557, 'health beauty retail': 386187, 'beauty retail store': 118781, 'store in australia': 808269, 'in australia and': 420595, 'australia and this': 103225, 'is the order': 452880, 'the order of': 862452, 'order of item': 618444, 'of item that': 585491, 'item that were': 463703, 'that were sold': 847446, 'sold out since': 781747, 'out since covid': 627196, 'covid 19 happened': 213183, '19 happened hand': 7428, 'happened hand sanitiser': 377248, 'hand sanitiser duh': 375227, 'sanitiser duh panadol': 733944, 'duh panadol paracetamol': 262060, 'panadol paracetamol thermometer': 634674, 'paracetamol thermometer cotton': 641273, 'thermometer cotton ball': 879513, 'cotton ball hand': 208404, 'ball hand wash': 109056, 'hand wash lock': 375929, 'wash lock down': 967518, 'lock down happened': 499034, 'down happened hair': 256818, 'happened hair dye': 377246, 'hair dye and': 373979, 'dye and bleach': 263761, 'nyc it': 578004, 'on real': 603086, 'estate begin': 282104, 'coronavirus spread in': 206804, 'spread in nyc': 790578, 'in nyc it': 426024, 'nyc it impact': 578005, 'impact on real': 417883, 'on real estate': 603089, 'real estate begin': 701138, 'estate begin to': 282105, 'begin to take': 123596, 'to take shape': 916233, 'predictably': 669596, 'marijuana': 515711, 'jobstobedone': 466370, 'predictably consumer': 669597, 'preference have': 669782, 'have shifted': 382509, 'shifted during': 758486, 'pandemic retail': 636356, 'retail travel': 718812, 'leisure are': 486137, 'down while': 257471, 'while demand': 986744, 'grocery gun': 364577, 'and marijuana': 66696, 'marijuana skyrocket': 515721, 'skyrocket the': 773334, 'prevailing jobstobedone': 671549, 'jobstobedone are': 466371, 'feeling safe': 303049, 'being entertained': 125114, 'entertained at': 278524, 'predictably consumer preference': 669598, 'consumer preference have': 198407, 'preference have shifted': 669783, 'have shifted during': 382510, 'shifted during the': 758487, 'the pandemic retail': 863081, 'pandemic retail travel': 636361, 'retail travel and': 718813, 'and leisure are': 66092, 'leisure are down': 486138, 'are down while': 85986, 'down while demand': 257473, 'while demand for': 986745, 'for grocery gun': 322032, 'grocery gun and': 364578, 'gun and marijuana': 368687, 'and marijuana skyrocket': 66697, 'marijuana skyrocket the': 515722, 'skyrocket the prevailing': 773335, 'the prevailing jobstobedone': 864306, 'prevailing jobstobedone are': 671550, 'jobstobedone are feeling': 466372, 'are feeling safe': 86519, 'feeling safe and': 303050, 'safe and being': 729435, 'and being entertained': 58859, 'being entertained at': 125115, 'entertained at home': 278525, 'whiplash': 987734, 'halfway': 374304, 'after having': 35757, 'having kid': 384133, 'kid grocery': 473970, 'mom superpower': 535806, 'superpower she': 824312, 'through those': 894858, 'those aisle': 891782, 'so fast': 777076, 'fast it': 299998, 'you whiplash': 1022298, 'whiplash today': 987735, 'today teaching': 920245, 'teaching her': 835553, 'online hour': 608377, 're halfway': 698778, 'halfway through': 374305, 'after having kid': 35759, 'having kid grocery': 384134, 'kid grocery shopping': 473971, 'shopping in person': 762982, 'in person is': 426630, 'person is my': 652503, 'is my mom': 449802, 'my mom superpower': 549282, 'mom superpower she': 535807, 'superpower she can': 824313, 'she can go': 755922, 'can go through': 158516, 'go through those': 354256, 'through those aisle': 894859, 'those aisle so': 891783, 'aisle so fast': 40371, 'so fast it': 777077, 'fast it will': 300001, 'it will give': 462397, 'will give you': 993536, 'give you whiplash': 350875, 'you whiplash today': 1022299, 'whiplash today teaching': 987736, 'today teaching her': 920246, 'teaching her to': 835554, 'her to shop': 392471, 'shop online hour': 760573, 'online hour and': 608378, 'hour and we': 405424, 'we re halfway': 972888, 're halfway through': 698779, 'halfway through the': 374306, 'through the list': 894747, 'suspend any': 829549, 'new legislation': 559018, 'legislation which': 486000, 'which would': 986512, 'store sector': 810013, 'call on to': 156049, 'on to suspend': 604765, 'to suspend any': 916066, 'suspend any new': 829550, 'any new legislation': 79510, 'new legislation which': 559019, 'legislation which would': 486001, 'which would have': 986517, 'would have an': 1011866, 'on the convenience': 604037, 'convenience store sector': 202356, 'store sector in': 810014, 'sector in scotland': 744235, '996': 23930, '514': 20220, '11 only': 2570, 'only killed': 610685, 'killed 996': 474561, '996 people': 23931, 'killing more': 474696, 'more 514': 538485, '514 dead': 20221, 'dead restaurant': 229169, 'closed city': 183043, 'closed country': 183057, 'are crashing': 85607, 'crashing market': 215116, 'paper water': 641060, 'no end': 564116, 'sight store': 769058, '11 only killed': 2571, 'only killed 996': 610686, 'killed 996 people': 474562, '996 people but': 23932, 'people but is': 647318, 'but is killing': 146077, 'is killing more': 449207, 'killing more 514': 474697, 'more 514 dead': 538486, '514 dead restaurant': 20222, 'dead restaurant and': 229170, 'restaurant and store': 716301, 'and store are': 72501, 'are closed school': 85364, 'closed school are': 183321, 'are closed city': 85334, 'closed city are': 183044, 'city are closed': 179058, 'are closed country': 85336, 'closed country are': 183058, 'country are shut': 210480, 'are shut down': 90090, 'shut down stock': 767853, 'down stock market': 257213, 'stock market are': 802379, 'market are crashing': 516016, 'are crashing market': 85608, 'crashing market are': 215117, 'market are running': 516029, 'toilet paper water': 921518, 'paper water and': 641061, 'water and food': 968862, 'and food with': 63108, 'with no end': 999747, 'no end in': 564118, 'in sight store': 427948, 'sight store now': 769059, 'beggar': 123469, 'autoimmune': 103930, 'pm me': 661934, 'be beggar': 113823, 'beggar but': 123473, 'but really': 146897, 'an autoimmune': 55485, 'autoimmune disease': 103931, 'and cant': 59527, 'cant leave': 162318, 'house im': 406350, 'im running': 416574, 'family cant': 297688, 'cant afford': 162261, 'more my': 539820, 'probably be': 679214, 'be raised': 116672, 'raised until': 696054, 'thing clear': 884237, 'clear up': 181378, 'pm me not': 661935, 'to be beggar': 901127, 'be beggar but': 113824, 'beggar but really': 123474, 'but really need': 146899, 'need the in': 555749, 'the in this': 858020, 'this pandemic have': 889392, 'pandemic have an': 635588, 'have an autoimmune': 379242, 'an autoimmune disease': 55486, 'autoimmune disease and': 103932, 'disease and cant': 245084, 'and cant leave': 59529, 'cant leave the': 162319, 'the house im': 857614, 'house im running': 406351, 'im running out': 416575, 'food and my': 313288, 'my family cant': 548189, 'family cant afford': 297689, 'cant afford to': 162264, 'buy more my': 148973, 'more my price': 539821, 'price will probably': 677579, 'will probably be': 994461, 'probably be raised': 679217, 'be raised until': 116673, 'raised until this': 696055, 'until this covid': 943899, '19 thing clear': 11323, 'thing clear up': 884238, 'repetitive': 711572, 'on man': 601975, 'man have': 512092, 'you shown': 1021240, 'shown chart': 767580, '2020 this': 14653, 'not chart': 568746, 'chart pattern': 173846, 'pattern it': 644480, 'that occurred': 845438, 'occurred due': 579040, 'price classic': 673137, 'classic bullshit': 180315, 'bullshit tech': 142513, 'tech analysis': 836032, 'analysis is': 57057, 'is repetitive': 451431, 'come on man': 187440, 'on man have': 601976, 'man have you': 512093, 'have you shown': 383690, 'you shown chart': 1021241, 'shown chart for': 767581, 'chart for march': 173829, 'for march 2020': 323245, 'march 2020 this': 515166, '2020 this is': 14655, 'is not chart': 450043, 'not chart pattern': 568747, 'chart pattern it': 173847, 'pattern it is': 644481, 'is the crisis': 452759, 'the crisis that': 852459, 'crisis that occurred': 218152, 'that occurred due': 845439, 'occurred due to': 579041, 'oil price classic': 597076, 'price classic bullshit': 673138, 'classic bullshit tech': 180316, 'bullshit tech analysis': 142514, 'tech analysis is': 836033, 'analysis is repetitive': 57058, 'legit nothing': 486039, 'got good': 358585, 'good delivery': 356966, 'slot but': 774152, 'but hardly': 145859, 'buyer coronacrisis': 149616, 'legit nothing on': 486040, 'nothing on the': 573128, 'on the online': 604261, 'the online delivery': 862269, 'online delivery shop': 608091, 'delivery shop on': 234489, 'shop on and': 760542, 'on and ve': 599380, 'and ve got': 74849, 've got good': 953178, 'got good delivery': 358586, 'good delivery slot': 356967, 'delivery slot but': 234513, 'slot but hardly': 774153, 'but hardly any': 145860, 'hardly any food': 378249, 'any food because': 79234, 'of these panic': 591845, 'these panic buyer': 880389, 'panic buyer coronacrisis': 637565, 'cld': 180439, 'solution resource': 782069, 'for distribution': 320770, 'be added': 113481, 'added at': 31544, 'when resource': 983939, 'resource cld': 714747, 'cld become': 180440, 'become thin': 120168, 'thin the': 884070, 'state controlled': 795485, 'also good': 48279, 'move can': 543628, 'can figure': 158300, 'yes that could': 1015543, 'that could be': 843339, 'be the solution': 117659, 'the solution resource': 867466, 'solution resource for': 782070, 'resource for distribution': 714780, 'for distribution should': 320773, 'distribution should be': 248215, 'should be added': 765543, 'be added at': 113482, 'added at time': 31546, 'time when resource': 898302, 'when resource cld': 983940, 'resource cld become': 714748, 'cld become thin': 180441, 'become thin the': 120169, 'thin the state': 884071, 'the state controlled': 867759, 'state controlled the': 795488, 'controlled the price': 202261, 'the price which': 864437, 'which is also': 985981, 'is also good': 445557, 'also good move': 48281, 'good move can': 357420, 'move can figure': 543629, 'demystdata': 236905, 'datasets': 226567, 'geolocation': 345962, 'externaldata': 293354, 'at demystdata': 98420, 'demystdata we': 236906, 'to multiple': 910346, 'multiple datasets': 545742, 'datasets and': 226568, 'and data': 60955, 'data product': 226367, 'that track': 847109, 'track consumer': 928175, 'behavior demographic': 123993, 'demographic profile': 236793, 'profile and': 682604, 'and geolocation': 63543, 'geolocation detail': 345963, 'help understand': 390828, 'understand which': 940810, 'impacted the': 418159, 'the hardest': 857108, 'hardest pandemic': 378225, 'pandemic externaldata': 635417, 'at demystdata we': 98421, 'demystdata we have': 236907, 'we have access': 971746, 'access to multiple': 28259, 'to multiple datasets': 910347, 'multiple datasets and': 545743, 'datasets and data': 226569, 'and data product': 60956, 'data product that': 226368, 'product that track': 681702, 'that track consumer': 847110, 'track consumer behavior': 928176, 'consumer behavior demographic': 196464, 'behavior demographic profile': 123994, 'demographic profile and': 236794, 'profile and geolocation': 682606, 'and geolocation detail': 63544, 'geolocation detail to': 345964, 'detail to help': 239262, 'to help understand': 907658, 'help understand which': 390831, 'understand which sector': 940811, 'sector are and': 744094, 'be impacted the': 115372, 'impacted the hardest': 418162, 'the hardest pandemic': 857112, 'hardest pandemic externaldata': 378226, 'unsafe': 943383, 'store unsafe': 811005, 'unsafe too': 943401, 'people too': 649984, 'grocery store unsafe': 365901, 'store unsafe too': 811006, 'unsafe too many': 943402, 'many people too': 514541, 'people too close': 649985, 'fart': 299726, 'thanos': 842408, 'avenger': 104757, 'funnymemes': 341822, 'sarcasm': 736742, 'dank': 225860, 'dankmemes': 225878, 'tuesdathoughts': 935097, 'them bath': 875460, 'bath and': 112594, 'and body': 59041, 'body work': 133913, 'work sanitizers': 1005687, 'sanitizers smell': 736397, 'like unicorn': 491696, 'unicorn fart': 941730, 'fart stayhome': 299729, 'staysafe sanitizer': 798874, 'sanitizer thanos': 735853, 'thanos avenger': 842409, 'avenger funnymemes': 104764, 'funnymemes sarcasm': 341826, 'sarcasm dank': 736743, 'dank dankmemes': 225861, 'dankmemes tuesdathoughts': 225887, 'them bath and': 875461, 'bath and body': 112595, 'and body work': 59043, 'body work sanitizers': 133914, 'work sanitizers smell': 1005688, 'sanitizers smell like': 736398, 'smell like unicorn': 775610, 'like unicorn fart': 491697, 'unicorn fart stayhome': 941731, 'fart stayhome staysafe': 299730, 'stayhome staysafe sanitizer': 798171, 'staysafe sanitizer thanos': 798876, 'sanitizer thanos avenger': 735854, 'thanos avenger funnymemes': 842411, 'avenger funnymemes sarcasm': 104765, 'funnymemes sarcasm dank': 341827, 'sarcasm dank dankmemes': 736744, 'dank dankmemes tuesdathoughts': 225862, 'advisor': 33718, 'johnson advisor': 466578, 'advisor on': 33735, 'the insurance': 858332, 'insurance side': 440812, 'side should': 768882, 'get rush': 347942, 'business of': 144115, 'thing stock': 884768, 'market take': 517155, 'take biggest': 831992, 'biggest drop': 130214, 'while insurance': 986958, 'insurance is': 440761, 'still steady': 801228, 'steady along': 799113, 'that allow': 842584, 'allow investor': 45985, 'johnson advisor on': 466579, 'advisor on the': 33736, 'on the insurance': 604184, 'the insurance side': 858333, 'insurance side should': 440813, 'side should get': 768883, 'should get rush': 766035, 'get rush of': 347943, 'rush of business': 728314, 'of business of': 580962, 'business of this': 144122, '19 thing stock': 11328, 'thing stock market': 884769, 'stock market take': 802440, 'market take biggest': 517156, 'take biggest drop': 831993, 'biggest drop in': 130215, 'drop in long': 260260, 'long time while': 501787, 'time while insurance': 898327, 'while insurance is': 986959, 'insurance is still': 440762, 'is still steady': 452313, 'still steady along': 801229, 'steady along with': 799114, 'with the other': 1001417, 'the other benefit': 862513, 'other benefit that': 619889, 'benefit that allow': 127099, 'that allow investor': 842585, 'allow investor to': 45986, 'investor to take': 444221, 'geopolitically': 345978, 'distant': 247674, 'week market': 976508, 'been volatile': 122336, 'volatile due': 960041, 'both covid': 135888, 'the geopolitically': 856219, 'geopolitically driven': 345979, 'driven collapse': 259292, 'price ultimately': 677169, 'ultimately we': 939164, 'will recover': 994599, 'this recent': 889831, 'recent correction': 703846, 'correction will': 207586, 'will one': 994316, 'day be': 227350, 'be distant': 114496, 'distant memory': 247681, 'few week market': 304153, 'week market have': 976509, 'market have been': 516497, 'have been volatile': 379739, 'been volatile due': 122337, 'volatile due to': 960042, 'impact of both': 417753, 'of both covid': 580793, 'both covid 19': 135889, '19 fear and': 6952, 'fear and the': 301040, 'and the geopolitically': 73393, 'the geopolitically driven': 856220, 'geopolitically driven collapse': 345980, 'driven collapse in': 259293, 'oil price ultimately': 597303, 'price ultimately we': 677171, 'ultimately we will': 939165, 'we will recover': 973897, 'will recover from': 994601, 'recover from this': 705183, 'from this crisis': 337990, 'crisis and this': 217057, 'and this recent': 74008, 'this recent correction': 889832, 'recent correction will': 703847, 'correction will one': 207587, 'will one day': 994317, 'one day be': 606149, 'day be distant': 227351, 'be distant memory': 114497, 'unravelled': 943281, 'revisit': 720664, 'piece wa': 656377, 'wa written': 963747, 'written in': 1012960, 'january 2008': 464621, '2008 by': 13649, 'by few': 152576, 'before massive': 122940, 'massive financial': 520032, 'crisis unravelled': 218296, 'unravelled across': 943282, 'world good': 1009594, 'to revisit': 913502, 'revisit this': 720667, 'this piece wa': 889591, 'piece wa written': 656378, 'wa written in': 963748, 'written in january': 1012961, 'in january 2008': 424353, 'january 2008 by': 464622, '2008 by few': 13650, 'by few month': 152577, 'few month before': 303926, 'month before massive': 537614, 'before massive financial': 122941, 'massive financial crisis': 520033, 'financial crisis unravelled': 306386, 'crisis unravelled across': 218297, 'unravelled across the': 943283, 'the world good': 871881, 'world good time': 1009595, 'time to revisit': 898055, 'to revisit this': 913503, 'paris': 641825, 'koronavirus': 477546, 'thephotohour': 877877, 'to stage': 915143, 'the now': 861933, 'work go': 1005211, 'health reason': 386782, 'reason exercise': 702893, 'exercise bit': 290031, 'bit or': 131670, 'or walk': 617710, 'dog paris': 252152, 'paris photography': 641832, 'photography koronavirus': 655292, 'koronavirus coronaoutbreak': 477547, 'coronaoutbreak socialdistancing': 205133, 'socialdistancing thephotohour': 780800, 'france ha moved': 331002, 'moved to stage': 543841, 'to stage of': 915144, 'stage of the': 793208, 'of the now': 591280, 'the now you': 861944, 'to work go': 918727, 'work go grocery': 1005212, 'shopping and for': 761985, 'and for health': 63140, 'for health reason': 322153, 'health reason exercise': 386783, 'reason exercise bit': 702894, 'exercise bit or': 290032, 'bit or walk': 131672, 'or walk the': 617712, 'walk the dog': 964879, 'the dog paris': 853500, 'dog paris photography': 252153, 'paris photography koronavirus': 641833, 'photography koronavirus coronaoutbreak': 655293, 'koronavirus coronaoutbreak socialdistancing': 477548, 'coronaoutbreak socialdistancing thephotohour': 205134, 'had held': 373172, 'he had held': 385053, 'had held on': 373173, 'whyt': 991624, 'gotdamit': 359050, 'law say': 482392, 'say ppl': 739064, 'wash and': 967431, 'before touching': 123247, 'too whyt': 925167, 'whyt ppl': 991625, 'ppl wash': 668364, 'hand gotdamit': 374998, 'gotdamit or': 359051, 'or ghana': 615443, 'ghana ppl': 349580, 'ppl may': 668279, 'may ask': 520932, 'ghana law say': 349575, 'law say ppl': 482393, 'say ppl must': 739065, 'must wash and': 546987, 'wash and sanitize': 967434, 'and sanitize your': 70851, 'hand before touching': 374833, 'before touching food': 123248, 'wypipo too whyt': 1013732, 'too whyt ppl': 925168, 'whyt ppl wash': 991626, 'ppl wash your': 668365, 'your hand gotdamit': 1024193, 'hand gotdamit or': 374999, 'gotdamit or ghana': 359052, 'or ghana ppl': 615444, 'ghana ppl may': 349581, 'ppl may ask': 668280, 'may ask you': 520933, 'you to leave': 1021798, 'polowczyk': 663925, 'asked by': 95723, 'by if': 152863, 'is sending': 451768, 'sending ppe': 750079, 'sector for': 744195, 'distribution polowczyk': 248194, 'polowczyk said': 663926, 'that normally': 845377, 'normally how': 567508, 'thing work': 885014, 'not here': 569947, 'when asked by': 983178, 'asked by if': 95724, 'by if the': 152864, 'government is sending': 360274, 'is sending ppe': 451772, 'sending ppe to': 750080, 'ppe to the': 668088, 'to the private': 916983, 'private sector for': 678978, 'sector for distribution': 744196, 'for distribution polowczyk': 320772, 'distribution polowczyk said': 248195, 'polowczyk said that': 663927, 'said that normally': 731410, 'that normally how': 845378, 'normally how thing': 567509, 'how thing work': 408941, 'thing work right': 885016, 'work right not': 1005677, 'right not here': 722008, 'not here to': 569951, 'here to disrupt': 393706, 'to disrupt supply': 904421, 'shopresponsibly': 764533, 'juststayhome': 470524, 'this break': 886611, 'heart it': 388309, 'so difficult': 776864, 'place please': 657659, 'shop responsibly': 760708, 'responsibly shopresponsibly': 716113, 'shopresponsibly juststayhome': 764534, 'juststayhome elderly': 470525, 'this break my': 886612, 'break my heart': 138771, 'my heart it': 548657, 'heart it must': 388310, 'be so difficult': 117254, 'so difficult for': 776865, 'difficult for her': 242222, 'for her to': 322237, 'her to get': 392460, 'first place please': 308869, 'place please shop': 657660, 'please shop responsibly': 660510, 'shop responsibly shopresponsibly': 760715, 'responsibly shopresponsibly juststayhome': 716114, 'shopresponsibly juststayhome elderly': 764535, 'open 19': 612004, 'in supermarket before': 428565, 'supermarket before it': 819348, 'before it open': 122891, 'it open 19': 460120, 'naa': 551333, 'breakfast serf': 138895, 'serf best': 751191, 'best on': 127804, 'on don': 600382, 'take ur': 832771, 'ur precaution': 948050, 'precaution today': 669392, 'today against': 919163, 'the taking': 869131, 'taking ur': 833655, 'washing ur': 967746, 'frequently under': 332882, 'water maintain': 969053, 'distance gm': 246725, 'gm naa': 353177, 'breakfast serf best': 138896, 'serf best on': 751192, 'best on don': 127805, 'on don forget': 600383, 'forget to take': 329334, 'to take ur': 916256, 'take ur precaution': 832772, 'ur precaution today': 948051, 'precaution today against': 669393, 'today against the': 919164, 'against the taking': 37680, 'the taking ur': 869132, 'taking ur hand': 833656, 'ur hand sanitizer': 948012, 'hand sanitizer washing': 375649, 'sanitizer washing ur': 736033, 'washing ur hand': 967747, 'ur hand frequently': 948011, 'hand frequently under': 374959, 'frequently under running': 332883, 'running water maintain': 728131, 'water maintain social': 969054, 'maintain social distance': 509032, 'social distance gm': 779505, 'distance gm naa': 246726, 'frontlines their': 338925, 'their just': 873748, 'temporary hour': 837640, 'hour pay': 405848, 'pay raise': 645066, 'raise from': 695851, 'from grocer': 335697, 'grocer for': 364130, 'employee dedication': 273762, 'dedication and': 231772, 'and hard': 64183, 'thank your local': 841852, 'the frontlines their': 855903, 'frontlines their just': 338926, 'their just announced': 873749, 'just announced temporary': 468195, 'announced temporary hour': 77055, 'temporary hour pay': 837641, 'hour pay raise': 405849, 'pay raise from': 645069, 'raise from grocer': 695852, 'from grocer for': 335698, 'grocer for the': 364131, 'the employee dedication': 854258, 'employee dedication and': 273763, 'dedication and hard': 231773, 'and hard work': 64188, 'only info': 610642, 'info people': 437551, 'must socially': 546892, 'distance keep': 246753, 'others safety': 621630, 'safety what': 730780, 'what today': 982470, 'saw while': 738322, 'while going': 986878, 'disappointed govt': 244101, 'doing everything': 252386, 'their safety': 874610, 'safety but': 730487, 'not responsible': 571352, 'responsible citizen': 716011, 'the only info': 862313, 'only info people': 610643, 'info people need': 437552, 'people need is': 648829, 'need is that': 555074, 'is that they': 452698, 'that they must': 846938, 'they must socially': 882709, 'must socially distance': 546893, 'socially distance keep': 781045, 'distance keep away': 246754, 'from people for': 336877, 'people for their': 647960, 'their own and': 874159, 'own and others': 631885, 'and others safety': 68459, 'others safety what': 621631, 'safety what today': 730782, 'what today saw': 982471, 'today saw while': 920146, 'saw while going': 738323, 'while going to': 986881, 'store wa really': 811121, 'wa really disappointed': 963062, 'really disappointed govt': 702117, 'disappointed govt is': 244102, 'govt is doing': 361163, 'is doing everything': 447272, 'doing everything for': 252388, 'everything for their': 287793, 'for their safety': 326868, 'their safety but': 874613, 'safety but they': 730488, 'are not responsible': 88458, 'not responsible citizen': 571353, 'occured': 579030, 'you clean': 1017964, 'clean your': 180692, 'supermarket item': 821187, 'item due': 463221, 'situation or': 772427, 'you done': 1018339, 'done it': 254905, 'it before': 456809, 'virus occured': 958544, 'occured or': 579031, 'or poll': 616634, 'poll poll': 663850, 'do you clean': 250619, 'you clean your': 1017966, 'clean your supermarket': 180699, 'your supermarket item': 1026050, 'supermarket item due': 821191, 'item due to': 463222, 'to the situation': 917068, 'the situation or': 867270, 'situation or have': 772428, 'or have you': 615592, 'have you done': 383664, 'you done it': 1018341, 'done it before': 254907, 'it before the': 456813, 'before the virus': 123196, 'the virus occured': 870867, 'virus occured or': 958545, 'occured or poll': 579032, 'or poll poll': 616635, 'mobilityrevolution': 535100, 'uber share': 937828, 'share are': 754928, 'up 33': 944157, '33 in': 17758, 'market like': 516686, 'like hong': 490449, 'kong sign': 477406, 'recovery uber': 705412, 'uber is': 937820, 'seeing growth': 746311, 'it eats': 457748, 'delivery business': 233754, 'business even': 143711, 'in hard': 423545, 'hit market': 398314, 'like seattle': 491145, 'seattle the': 743573, 'the mobilityrevolution': 860718, 'mobilityrevolution doe': 535101, 'stop with': 805276, 'uber share are': 937829, 'share are up': 754931, 'are up 33': 91352, 'up 33 in': 944158, '33 in some': 17759, 'some market like': 783259, 'market like hong': 516687, 'like hong kong': 490450, 'hong kong sign': 403208, 'kong sign of': 477407, 'sign of recovery': 769170, 'of recovery uber': 588849, 'recovery uber is': 705413, 'uber is seeing': 937821, 'is seeing growth': 451710, 'seeing growth in': 746313, 'growth in it': 367399, 'in it eats': 424240, 'it eats food': 457749, 'food delivery business': 314113, 'delivery business even': 233756, 'business even in': 143712, 'even in hard': 284238, 'in hard hit': 423546, 'hard hit market': 377939, 'hit market like': 398315, 'market like seattle': 516688, 'like seattle the': 491146, 'seattle the mobilityrevolution': 743574, 'the mobilityrevolution doe': 860719, 'mobilityrevolution doe not': 535102, 'doe not stop': 251533, 'not stop with': 571762, 'from face': 335377, 'related phishing': 708511, 'attack outline': 102140, 'outline way': 629100, 'that hacker': 844145, 'are exploiting': 86364, 'exploiting pandemic': 292437, 'from face mask': 335378, 'sanitizer scam to': 735708, 'scam to 19': 740417, 'to 19 related': 899550, '19 related phishing': 10060, 'related phishing attack': 708513, 'phishing attack outline': 654801, 'attack outline way': 102141, 'outline way that': 629101, 'way that hacker': 969922, 'that hacker and': 844146, 'scammer are exploiting': 740533, 'are exploiting pandemic': 86367, 'carter': 165465, 'child clothing': 176049, 'clothing chain': 184250, 'chain carter': 170582, 'carter furlough': 165466, 'furlough all': 341876, 'employee take': 274262, 'take additional': 831909, 'additional step': 31875, 'step due': 799530, 'via carter': 955849, 'furlough layoff': 341890, 'layoff economy': 482690, 'economy retail': 268180, 'child clothing chain': 176050, 'clothing chain carter': 184251, 'chain carter furlough': 170583, 'carter furlough all': 165467, 'furlough all store': 341877, 'all store employee': 44494, 'store employee take': 807547, 'employee take additional': 274263, 'take additional step': 831910, 'additional step due': 31876, 'step due to': 799531, '19 via carter': 11758, 'via carter furlough': 955850, 'carter furlough layoff': 165468, 'furlough layoff economy': 341891, 'layoff economy retail': 482691, 'economy retail business': 268181, 'surge to': 828267, 'record depleting': 704941, 'depleting inventory': 237423, 'easter price': 265479, 'double grocery': 256019, 'grocery sale': 364929, 'sale run': 732503, 'run time': 727839, 'time normal': 897282, 'normal level': 567203, 'level amid': 487500, 'breaking egg price': 138943, 'egg price surge': 269967, 'price surge to': 676727, 'surge to record': 828271, 'to record depleting': 912977, 'record depleting inventory': 704942, 'depleting inventory for': 237424, 'inventory for easter': 443669, 'for easter price': 320921, 'easter price double': 265480, 'price double grocery': 673500, 'double grocery sale': 256020, 'grocery sale run': 364935, 'sale run time': 732504, 'run time normal': 727840, 'time normal level': 897283, 'normal level amid': 567204, 'level amid panic': 487501, 'supermarket restriction': 822224, 'restriction ahead': 717200, 'weekend 9news': 977308, '9news au': 23997, 'au australia': 102778, '19 supermarket restriction': 10955, 'supermarket restriction ahead': 822226, 'restriction ahead of': 717201, 'ahead of easter': 39178, 'of easter weekend': 582929, 'easter weekend 9news': 265523, 'weekend 9news au': 977309, '9news au australia': 23998, 'case surge': 166048, 'surge globally': 828170, 'globally there': 352404, 'product critical': 681098, 'the humble': 857734, 'humble soap': 410828, 'soap here': 779032, 'how corona': 407608, 'case surge globally': 166049, 'surge globally there': 828171, 'globally there one': 352405, 'there one consumer': 878895, 'one consumer product': 606099, 'consumer product critical': 198452, 'product critical to': 681099, 'critical to the': 218712, 'pandemic the humble': 636685, 'the humble soap': 857736, 'humble soap here': 410829, 'soap here how': 779033, 'here how corona': 393101, 'world rich': 1009937, 'the world rich': 871951, 'world rich are': 1009938, 'rich are struggling': 721193, 'get their hand': 348334, 'hand on gold': 375134, 'deceased': 230717, 'walmart employee': 965317, 'employee agree': 273530, 'family we': 298358, 'ppe the': 668071, 'not cleaned': 568758, 'cleaned no': 180716, 'no paid': 565034, 'leave dougmcmillon': 484771, 'dougmcmillon we': 256290, 'frontline exposed': 338738, 'to hundred': 908053, 'hundred day': 410979, 'day sued': 228427, 'sued death': 817179, 'death by': 229990, 'of deceased': 582430, 'deceased employee': 230718, 'walmart employee agree': 965318, 'employee agree with': 273531, 'with the family': 1001299, 'the family we': 854908, 'family we have': 298361, 'have no ppe': 381645, 'no ppe the': 565170, 'ppe the store': 668073, 'the store not': 868063, 'store not cleaned': 809101, 'not cleaned no': 568759, 'cleaned no paid': 180717, 'no paid leave': 565035, 'paid leave dougmcmillon': 634054, 'leave dougmcmillon we': 484772, 'dougmcmillon we are': 256291, 'are the frontline': 90832, 'the frontline exposed': 855868, 'frontline exposed to': 338739, 'exposed to hundred': 292896, 'to hundred day': 908054, 'hundred day sued': 410980, 'day sued death': 228428, 'sued death by': 817180, 'death by family': 229991, 'family of deceased': 298094, 'of deceased employee': 582431, 'understandably': 940850, 'hung': 411037, 'world deal': 1009472, 'seems people': 746833, 'still comfortable': 800381, 'comfortable shopping': 187874, 'online today': 609603, 'today shipped': 920171, 'these pretty': 880519, 'pretty amber': 671354, 'amber ring': 51297, 'ring but': 722515, 'is understandably': 453471, 'understandably slowing': 940853, 'slowing my': 774558, 'is toronto': 453293, 'toronto realtor': 925985, 'realtor am': 702776, 'am but': 49959, 'have hung': 381004, 'hung my': 411038, 'my license': 549007, 'license for': 488134, 'the world deal': 871852, 'world deal with': 1009473, '19 it seems': 8150, 'it seems people': 460950, 'seems people are': 746834, 'are still comfortable': 90406, 'still comfortable shopping': 800382, 'comfortable shopping online': 187875, 'shopping online today': 763500, 'online today shipped': 609607, 'today shipped out': 920172, 'shipped out of': 758805, 'out of these': 626853, 'of these pretty': 591854, 'these pretty amber': 880520, 'pretty amber ring': 671355, 'amber ring but': 51298, 'ring but it': 722516, 'it is understandably': 459113, 'is understandably slowing': 453472, 'understandably slowing my': 940854, 'slowing my husband': 774559, 'husband is toronto': 411728, 'is toronto realtor': 453294, 'toronto realtor am': 925986, 'realtor am but': 702777, 'am but have': 49961, 'but have hung': 145876, 'have hung my': 381005, 'hung my license': 411039, 'my license for': 549008, 'and throughout': 74089, 'throughout run': 894956, 'run smoothly': 727803, 'time remember': 897565, 'say thanks': 739218, 'thanks the': 842193, 'grocery and stock': 364261, 'stock clerk are': 801988, 'clerk are working': 181660, 'to ensure our': 905178, 'and supply chain': 72779, 'supply chain in': 824976, 'chain in and': 170797, 'in and throughout': 420396, 'and throughout run': 74091, 'throughout run smoothly': 894957, 'run smoothly during': 727804, 'smoothly during these': 775956, 'difficult time remember': 242305, 'time remember to': 897568, 'remember to say': 710383, 'to say thanks': 913841, 'say thanks the': 739220, 'thanks the next': 842194, 'time you see': 898417, 'refer': 706471, 'also refer': 48770, 'refer to': 706474, 'to guide': 907071, 'guide and': 368304, 'prevent transmission': 671750, 'can also refer': 157467, 'also refer to': 48771, 'refer to guide': 706475, 'to guide and': 907072, 'guide and share': 368305, 'share with your': 755361, 'with your supermarket': 1002238, 'your supermarket pharmacy': 1026056, 'supermarket pharmacy to': 821979, 'pharmacy to help': 654518, 'help them with': 390720, 'them with best': 876644, 'with best practice': 997389, 'practice to prevent': 668692, 'to prevent transmission': 912095, 'prevent transmission of': 671751, 'project joined': 683507, 'joined this': 466958, 'fight because': 304673, 'because being': 118948, 'prison is': 678729, 'death sentence': 230190, 'sentence during': 750859, 'pandemic black': 635009, 'black people': 132112, 'over criminalized': 630128, 'criminalized and': 216900, 'and stuck': 72603, 'prison without': 678745, 'without soap': 1002920, 'project joined this': 683508, 'joined this fight': 466959, 'this fight because': 887543, 'fight because being': 304674, 'because being in': 118949, 'being in prison': 125302, 'in prison is': 427003, 'prison is death': 678730, 'is death sentence': 447053, 'death sentence during': 230191, 'sentence during pandemic': 750860, 'during pandemic black': 262858, 'pandemic black people': 635010, 'black people are': 132113, 'people are over': 647037, 'are over criminalized': 88908, 'over criminalized and': 630129, 'criminalized and stuck': 216901, 'and stuck in': 72604, 'stuck in prison': 814599, 'in prison without': 427005, 'prison without soap': 678746, 'without soap sanitizer': 1002922, 'soap sanitizer and': 779105, 'sanitizer and unable': 734449, 'unable to socially': 939347, 'is bitcoin': 446195, 'bitcoin safe': 131837, 'haven what': 383922, 'is bitcoin safe': 446196, 'bitcoin safe haven': 131838, 'safe haven what': 729741, 'haven what covid': 383923, '19 pandemic mean': 9391, 'mean for price': 524448, 'basmati': 112441, 'flyer': 311645, 'office closed': 595392, 'closed no': 183239, 'no package': 565030, 'delivered soon': 233392, 'soon there': 785848, 'more affordable': 538563, 'store nor': 809097, 'nor poultry': 566970, 'poultry except': 667314, 'few package': 303976, 'package extra': 633266, 'extra large': 293564, 'large basmati': 479598, 'basmati bag': 112442, 'bag no': 108340, 'no sale': 565396, 'sale by': 732115, 'by flyer': 152603, 'flyer nofood': 311656, 'nofood at': 566137, 'at foodpantries': 98679, 'foodpantries supply': 318024, 'supply staple': 825889, 'staple safeway': 793985, 'safeway delay': 730834, 'and uncertain': 74600, 'uncertain product': 939604, 'my office closed': 549547, 'office closed no': 595393, 'closed no package': 183243, 'no package delivered': 565031, 'package delivered soon': 633248, 'delivered soon there': 233393, 'soon there will': 785850, 'be no more': 116103, 'no more affordable': 564795, 'more affordable food': 538564, 'affordable food at': 34842, 'grocery store nor': 365595, 'store nor poultry': 809098, 'nor poultry except': 566971, 'poultry except for': 667316, 'except for few': 289158, 'for few package': 321458, 'few package extra': 303978, 'package extra large': 633267, 'extra large basmati': 293565, 'large basmati bag': 479599, 'basmati bag no': 112443, 'bag no sale': 108342, 'no sale by': 565397, 'sale by flyer': 732117, 'by flyer nofood': 152604, 'flyer nofood at': 311657, 'nofood at foodpantries': 566138, 'at foodpantries supply': 98680, 'foodpantries supply staple': 318025, 'supply staple safeway': 825890, 'staple safeway delay': 793986, 'safeway delay and': 730835, 'delay and uncertain': 232673, 'and uncertain product': 74602, 'uncertain product on': 939605, 'product on my': 681468, 'on my delivery': 602276, 'being done': 125072, 'done virtually': 255096, 'virtually and': 957830, 'online right': 608895, 'right school': 722258, 'school work': 741993, 'work family': 1005119, 'family connection': 297715, 'connection shopping': 194719, 'shopping maybe': 763259, 'just guess': 468887, 'guess though': 368068, 'though trumpgenocide': 892938, 'realize that everything': 701852, 'everything is being': 287865, 'is being done': 446078, 'being done virtually': 125077, 'done virtually and': 255097, 'virtually and online': 957831, 'and online right': 68117, 'online right school': 608897, 'right school work': 722260, 'school work family': 741994, 'work family connection': 1005120, 'family connection shopping': 297716, 'connection shopping maybe': 194720, 'shopping maybe it': 763261, 'maybe it ha': 521723, 'it ha something': 458415, 'do with just': 250555, 'with just guess': 999125, 'just guess though': 468889, 'guess though trumpgenocide': 368069, 'attention senior': 102479, 'senior if': 750331, 'pharmacy due': 654290, 'and prescription': 69379, 'prescription delivered': 670499, 'through new': 894589, 'new volunteer': 559843, 'volunteer program': 960323, 'program click': 683225, 'attention senior if': 102481, 'senior if you': 750332, 'or pharmacy due': 616572, 'pharmacy due to': 654291, 'due to you': 262037, 'to you can': 918895, 'you can now': 1017734, 'can now have': 159064, 'now have your': 574889, 'have your food': 383710, 'food and prescription': 313312, 'and prescription delivered': 69380, 'prescription delivered to': 670500, 'delivered to you': 233427, 'to you through': 918932, 'you through new': 1021729, 'through new volunteer': 894590, 'new volunteer program': 559844, 'volunteer program click': 960324, 'program click to': 683226, 'click to learn': 181961, 'aucklanders': 102836, 'fucken': 339741, 'licensing': 488186, 'merit': 529127, 'ta': 831428, 'west aucklanders': 980457, 'aucklanders before': 102839, '19 fucken': 7155, 'fucken trust': 339742, 'trust we': 934327, 'get booze': 346690, 'booze at': 135157, 'supermarket wtf': 824145, 'wtf west': 1013340, 'aucklanders after': 102837, '19 well': 11980, 'well actually': 977992, 'actually think': 30982, 'the licensing': 859326, 'licensing trust': 488189, 'trust system': 934315, 'many merit': 514281, 'merit it': 529132, 'it benefit': 456844, 'benefit the': 127101, 'many way': 514856, 'll explain': 496748, 'explain in': 292104, 'ted ta': 836418, 'west aucklanders before': 980459, 'aucklanders before covid': 102840, 'covid 19 fucken': 213131, '19 fucken trust': 7156, 'fucken trust we': 339743, 'trust we cannot': 934328, 'we cannot get': 971062, 'cannot get booze': 161876, 'get booze at': 346691, 'booze at the': 135158, 'the supermarket wtf': 868918, 'supermarket wtf west': 824147, 'wtf west aucklanders': 1013341, 'west aucklanders after': 980458, 'aucklanders after covid': 102838, 'covid 19 well': 214057, '19 well actually': 11981, 'well actually think': 977993, 'actually think you': 30984, 'think you ll': 885814, 'll find that': 496771, 'that the licensing': 846761, 'the licensing trust': 859327, 'licensing trust system': 488190, 'trust system ha': 934316, 'system ha many': 831193, 'ha many merit': 371237, 'many merit it': 514282, 'merit it benefit': 529133, 'it benefit the': 456847, 'benefit the community': 127102, 'the community in': 851279, 'community in many': 189916, 'in many way': 425064, 'many way ll': 514859, 'way ll explain': 969686, 'll explain in': 496750, 'explain in my': 292105, 'in my ted': 425635, 'my ted ta': 550331, 'morning just': 541331, 'teacher janitor': 835474, 'amazing of': 50749, 'of irvine': 585310, 'irvine staff': 445133, 'not survive': 571872, 'this without': 891469, 'you irvine': 1019375, 'this morning just': 888979, 'morning just want': 541333, 'store worker teacher': 811594, 'worker teacher janitor': 1007887, 'teacher janitor and': 835475, 'janitor and our': 464532, 'and our amazing': 68475, 'our amazing of': 622062, 'amazing of irvine': 50750, 'of irvine staff': 585311, 'irvine staff you': 445134, 'are the backbone': 90799, 'backbone of our': 107505, 'society and we': 781158, 'and we could': 75288, 'we could not': 971213, 'could not survive': 209460, 'not survive this': 571880, 'survive this without': 829274, 'this without you': 891473, 'without you thank': 1003071, 'thank you irvine': 841754, 'dependant': 237332, 'of continued': 581820, 'continued hand': 201321, 'sanitizer usage': 735990, 'usage it': 948839, 'hand have': 375005, 'become alcohol': 119911, 'alcohol dependant': 40986, 'week of continued': 976608, 'of continued hand': 581821, 'continued hand sanitizer': 201322, 'hand sanitizer usage': 375637, 'sanitizer usage it': 735991, 'usage it fair': 948840, 'say that my': 739245, 'that my hand': 845267, 'my hand have': 548607, 'hand have become': 375007, 'have become alcohol': 379426, 'become alcohol dependant': 119912, 'ffinancialadvisors': 304267, '19 ffinancialadvisors': 6980, 'covid 19 ffinancialadvisors': 213087, 'lithium': 495125, 'looming': 503099, 'electricvehicleindustry': 271242, 'for lithium': 323011, 'lithium is': 495126, 'rapidly however': 696986, 'now uncertain': 576244, 'uncertain due': 939578, 'the looming': 859711, 'looming economic': 503104, 'the electricvehicleindustry': 854185, 'demand for lithium': 235449, 'for lithium is': 323012, 'lithium is rising': 495127, 'is rising rapidly': 451556, 'rising rapidly however': 723278, 'rapidly however the': 696987, 'however the increase': 409477, 'demand is now': 235735, 'is now uncertain': 450351, 'now uncertain due': 576246, 'uncertain due to': 939579, 'outbreak the looming': 628716, 'the looming economic': 859713, 'looming economic downturn': 503105, 'economic downturn and': 267073, 'downturn and the': 257789, 'oil price what': 597319, 'price what is': 677471, 'is the effect': 452783, 'the effect on': 854068, 'on the electricvehicleindustry': 604090, 'departmental': 237295, 'hereby': 393867, 'obliged': 578476, 'selflessly': 748539, 'let warn': 487203, 'warn all': 966925, 'and departmental': 61212, 'departmental store': 237296, 'that take': 846612, 'are hereby': 87125, 'hereby also': 393868, 'also obliged': 48589, 'obliged to': 578479, 'all hospital': 43148, 'who selflessly': 989584, 'selflessly touch': 748544, 'touch and': 926450, 'treat all': 930798, 'all patient': 43926, 'and let warn': 66117, 'let warn all': 487204, 'warn all medical': 966926, 'all medical and': 43487, 'medical and departmental': 526043, 'and departmental store': 61213, 'departmental store that': 237297, 'store that take': 810576, 'that take the': 846615, 'take the risk': 832673, 'risk of increasing': 723756, 'of increasing the': 585084, 'hygiene product during': 412151, 'product during this': 681150, 'this period we': 889533, 'period we are': 651918, 'we are hereby': 970589, 'are hereby also': 87126, 'hereby also obliged': 393869, 'also obliged to': 48590, 'obliged to thank': 578484, 'thank all hospital': 841533, 'all hospital employee': 43149, 'hospital employee who': 404393, 'employee who selflessly': 274433, 'who selflessly touch': 989585, 'selflessly touch and': 748545, 'touch and treat': 926452, 'and treat all': 74416, 'treat all patient': 930799, 'anecdote': 76262, 'yeltsin': 1015305, 'amazed': 50620, 'that anecdote': 842661, 'anecdote about': 76263, 'about yeltsin': 26963, 'yeltsin shopping': 1015306, 'western grocery': 980620, 'being amazed': 124837, 'amazed at': 50621, 'variety capitalism': 952556, 'capitalism offered': 162774, 'offered people': 594957, 'remember that anecdote': 710275, 'that anecdote about': 842662, 'anecdote about yeltsin': 76264, 'about yeltsin shopping': 26964, 'yeltsin shopping in': 1015307, 'shopping in western': 762998, 'in western grocery': 430815, 'western grocery store': 980621, 'store and being': 806204, 'and being amazed': 58858, 'being amazed at': 124838, 'amazed at the': 50623, 'at the variety': 101139, 'the variety capitalism': 870644, 'variety capitalism offered': 952557, 'capitalism offered people': 162775, 'thankfully': 841943, 'to prep': 911993, 'prep for': 670005, 'the thankfully': 869359, 'thankfully no': 841955, 'little prep': 495533, 'prep talk': 670017, 'store last week': 808675, 'last week to': 480685, 'week to prep': 977090, 'to prep for': 911994, 'prep for the': 670006, 'for the thankfully': 326724, 'the thankfully no': 869360, 'thankfully no one': 841956, 'one wa just': 607347, 'wa just little': 962464, 'just little prep': 469173, 'little prep talk': 495534, 'immense': 417180, 'given me': 351047, 'an immense': 56172, 'immense hatred': 417183, 'hatred for': 378977, 'know could': 476338, 'retail store open': 718673, 'store open during': 809258, '19 ha given': 7348, 'ha given me': 370713, 'given me an': 351048, 'me an immense': 522399, 'an immense hatred': 56173, 'immense hatred for': 417184, 'hatred for people': 378978, 'people that didn': 649758, 'that didn even': 843527, 'didn even know': 241047, 'even know could': 284277, 'know could have': 476339, 'pham': 653989, 'thu pham': 895276, 'pham our': 653990, 'our brand': 622256, 'brand performance': 137966, 'performance consultant': 651437, 'consultant ha': 195871, 'ha gathered': 370705, 'gathered in': 344419, 'depth data': 237760, 'data insight': 226280, 'from key': 336169, 'key market': 473340, 'behaviour get': 124425, 'more insight': 539601, 'insight here': 439561, 'thu pham our': 895277, 'pham our brand': 653991, 'our brand performance': 622257, 'brand performance consultant': 137967, 'performance consultant ha': 651438, 'consultant ha gathered': 195872, 'ha gathered in': 370706, 'gathered in depth': 344421, 'in depth data': 422200, 'depth data insight': 237761, 'data insight from': 226281, 'insight from key': 439551, 'from key market': 336170, 'key market to': 473342, 'market to show': 517243, 'to show the': 914577, 'show the impact': 767212, 'consumer behaviour get': 196571, 'behaviour get more': 124426, 'get more insight': 347592, 'more insight here': 539603, 'observed': 578603, 'anthropologist': 78251, 'margaret': 515584, 'mead': 524066, 'do are': 249098, 'are entirely': 86232, 'entirely different': 278786, 'thing observed': 884630, 'observed the': 578632, 'the anthropologist': 848780, 'anthropologist margaret': 78252, 'margaret mead': 515588, 'mead if': 524067, 'only more': 610800, 'more marketer': 539751, 'marketer were': 517501, 'were aware': 979359, 'what people say': 982017, 'people say what': 649355, 'say what people': 739471, 'what people do': 982011, 'people do and': 647677, 'do and what': 249074, 'what they say': 982416, 'say they do': 739340, 'they do are': 881954, 'do are entirely': 249099, 'are entirely different': 86233, 'entirely different thing': 278788, 'different thing observed': 242098, 'thing observed the': 884631, 'observed the anthropologist': 578633, 'the anthropologist margaret': 848781, 'anthropologist margaret mead': 78253, 'margaret mead if': 515589, 'mead if only': 524068, 'if only more': 414553, 'only more marketer': 610801, 'more marketer were': 539752, 'marketer were aware': 517502, 'were aware of': 979360, 'aware of it': 105636, 'safeway is': 730848, 'hiring safeway': 397125, 'hiring for': 397097, 'for 00': 318597, 'the maryland': 860204, 'maryland virginia': 518214, 'virginia dc': 957656, 'dc and': 228938, 'and delaware': 61064, 'delaware area': 232643, 'area to': 92233, 'pandemic find': 635429, 'safeway is hiring': 730849, 'is hiring safeway': 448489, 'hiring safeway is': 397126, 'is hiring for': 448486, 'hiring for 00': 397098, 'for 00 job': 318600, '00 job in': 286, 'in the maryland': 429343, 'the maryland virginia': 860206, 'maryland virginia dc': 518215, 'virginia dc and': 957657, 'dc and delaware': 228939, 'and delaware area': 61065, 'delaware area to': 232644, 'area to keep': 92238, 'with the food': 1001310, 'supply demand during': 825149, 'demand during the': 235274, 'the pandemic find': 862966, 'pandemic find out': 635431, 'you can apply': 1017622, 'you inflating': 1019342, 'real enemy': 701126, 'enemy of': 276362, 'of you inflating': 593397, 'you inflating price': 1019343, 'and service due': 71300, '19 pandemic are': 9266, 'pandemic are the': 634950, 'the real enemy': 865218, 'real enemy of': 701127, 'enemy of humanity': 276363, 'will oil': 994312, 'price boost': 672938, 'boost be': 134927, 'be lost': 115831, 'will oil price': 994313, 'oil price boost': 597063, 'price boost be': 672939, 'boost be lost': 134928, 'be lost to': 115833, 'lost to the': 503943, 'azeri': 106402, 'manat': 512926, '588': 20556, 'coronarvirusitalia': 205266, 'azeri president': 106404, 'president ordered': 670878, 'billion manat': 130862, 'manat 588': 512927, '588 million': 20557, 'state budget': 795436, 'economy amid': 267626, 'declining oil': 231481, 'price coronapocolypse': 673258, 'coronapocolypse coronarvirusitalia': 205226, 'azeri president ordered': 106405, 'president ordered the': 670879, 'ordered the provision': 618914, 'provision of billion': 687275, 'of billion manat': 580712, 'billion manat 588': 130863, 'manat 588 million': 512928, '588 million from': 20558, 'million from the': 532164, 'from the state': 337887, 'the state budget': 867755, 'state budget to': 795438, 'budget to support': 141826, 'support the economy': 826868, 'the economy amid': 853934, 'economy amid the': 267628, 'of and declining': 580148, 'and declining oil': 61023, 'declining oil price': 231482, 'oil price coronapocolypse': 597087, 'price coronapocolypse coronarvirusitalia': 673259, 'charity fighting': 173617, 'fighting do': 305057, 'not lose': 570465, 'process be': 679886, 'careful when': 164451, 'when donating': 983360, 'avoid charity': 105031, 'charity fraud': 173624, 'fraud learn': 331300, 'avoid fraud': 105111, 'fraud moleg': 331308, 'you like to': 1019612, 'like to donate': 491584, 'donate to charity': 254251, 'to charity fighting': 902655, 'charity fighting do': 173618, 'fighting do not': 305058, 'do not lose': 249780, 'not lose your': 570469, 'lose your money': 503504, 'personal information in': 652894, 'information in the': 437868, 'the process be': 864546, 'process be careful': 679887, 'be careful when': 114003, 'careful when donating': 164452, 'when donating to': 983361, 'donating to avoid': 254517, 'to avoid charity': 900875, 'avoid charity fraud': 105032, 'charity fraud learn': 173625, 'fraud learn more': 331302, 'learn more for': 484024, 'more for information': 539267, 'information and tip': 437744, 'and tip on': 74134, 'to avoid fraud': 900898, 'avoid fraud moleg': 105112, 'hoarding toiletpaper': 399617, 'ha shit': 371909, 'for brain': 319756, 'brain panicbuying': 137600, 'panicbuying coronapocalypse': 638922, 'anyone hoarding toiletpaper': 80369, 'hoarding toiletpaper ha': 399618, 'toiletpaper ha shit': 922044, 'ha shit for': 371910, 'shit for brain': 759097, 'for brain panicbuying': 319757, 'brain panicbuying coronapocalypse': 137601, '492': 19411, 'considering an': 195354, 'of 492': 579601, '492 kg': 19412, 'kg person': 473663, 'buying doe': 150196, 'amount food': 53178, 'already expected': 47326, 'increase even': 432760, 'shop smart': 760795, 'considering an average': 195355, 'average of 492': 104879, 'of 492 kg': 579602, '492 kg person': 19413, 'kg person of': 473664, 'thoughtless panic buying': 893368, 'panic buying doe': 637706, 'buying doe not': 150197, 'doe not increase': 251502, 'this amount food': 886310, 'amount food waste': 53179, 'waste is already': 968140, 'is already expected': 445519, 'already expected to': 47327, 'to increase even': 908277, 'increase even in': 432761, 'even in difficult': 284235, 'difficult time we': 242316, 'you to shop': 1021836, 'to shop smart': 914487, 'shop smart and': 760796, 'smart and try': 775342, 'agaisnt': 37764, 'recipe is': 704481, 'anyone looking': 80413, 'yourself agaisnt': 1026509, 'agaisnt corona': 37765, 'recipe is anyone': 704482, 'is anyone looking': 445765, 'anyone looking for': 80414, 'looking for how': 502872, 'protect yourself agaisnt': 685079, 'yourself agaisnt corona': 1026510, 'agaisnt corona virus': 37766, 'corona virus 19': 204279, 'angelus': 76408, 'teetering': 836595, 'tyee': 937492, 'angelus 19': 76409, '19 march': 8550, 'other emergency': 620129, 'is crashing': 446880, 'crashing oilprices': 215120, 'oilprices the': 597695, 'other factor': 620207, 'factor have': 295881, 'world teetering': 1010032, 'teetering on': 836598, 'on economic': 600505, 'economic depression': 267051, 'depression say': 237668, 'say expert': 738622, 'expert the': 291982, 'the tyee': 870163, 'angelus 19 march': 76410, '19 march 2020': 8551, '2020 the other': 14640, 'the other emergency': 862524, 'other emergency is': 620131, 'emergency is crashing': 272760, 'is crashing oilprices': 446883, 'crashing oilprices the': 215121, 'oilprices the and': 597696, 'the and other': 848713, 'and other factor': 68323, 'other factor have': 620209, 'factor have the': 295882, 'have the world': 383043, 'the world teetering': 871980, 'world teetering on': 1010033, 'teetering on economic': 836599, 'on economic depression': 600507, 'economic depression say': 267054, 'depression say expert': 237669, 'say expert the': 738623, 'expert the tyee': 291983, 'alabanza': 40628, 'fedex': 302110, 'alabanza supermarket': 40629, 'supermarket stocker': 822970, 'stocker and': 803488, 'cashier pharmacist': 166582, 'pharmacist pharmacy': 654169, 'pharmacy tech': 654495, 'tech worker': 836169, 'worker ups': 1008084, 'ups fedex': 947746, 'fedex public': 302116, 'public work': 688493, 'work public': 1005632, 'our electric': 622875, 'electric phone': 271118, 'phone cable': 654917, 'cable working': 155031, 'alabanza supermarket stocker': 40630, 'supermarket stocker and': 822971, 'stocker and cashier': 803489, 'and cashier pharmacist': 59612, 'cashier pharmacist pharmacy': 166583, 'pharmacist pharmacy tech': 654170, 'pharmacy tech worker': 654496, 'tech worker ups': 836170, 'worker ups fedex': 1008085, 'ups fedex public': 947747, 'fedex public work': 302117, 'public work public': 688498, 'work public health': 1005633, 'public health worker': 688086, 'health worker people': 386987, 'worker people who': 1007559, 'keep our electric': 471730, 'our electric phone': 622876, 'electric phone cable': 271119, 'phone cable working': 654918, 'see your': 746119, 'your tremendous': 1026212, 'tremendous effort': 931219, 'effort we': 269664, 'you to grocery': 1021784, 'to grocery worker': 907013, 'grocery worker around': 366163, 'world we see': 1010149, 'we see your': 973177, 'see your tremendous': 746126, 'your tremendous effort': 1026213, 'tremendous effort we': 931223, 'effort we appreciate': 269665, 'appreciate you and': 82781, 'you and we': 1017012, 'wish you all': 996857, 'you all the': 1016912, 'all the best': 44672, 'ali': 41688, 'naka': 551541, 'rwandatrade': 728765, 'sayentrepreneur rt': 739535, 'rt ali': 726732, 'ali naka': 41697, 'naka the': 551545, 'of rwandatrade': 589196, 'rwandatrade ha': 728766, 'fixed food': 309790, 'prevent market': 671672, 'market from': 516434, 'from hiking': 335800, 'hiking them': 396420, 'outbreak leadership': 628411, 'sayentrepreneur rt ali': 739536, 'rt ali naka': 726733, 'ali naka the': 41698, 'naka the ministry': 551546, 'ministry of rwandatrade': 533552, 'of rwandatrade ha': 589197, 'rwandatrade ha fixed': 728767, 'ha fixed food': 370630, 'fixed food price': 309791, 'price in order': 674719, 'order to prevent': 618696, 'to prevent market': 912074, 'prevent market from': 671673, 'market from hiking': 516436, 'from hiking them': 335801, 'hiking them during': 396421, 'them during the': 875636, 'the outbreak leadership': 862656, 'saturday off': 737053, 'in age': 420102, 'age doing': 37816, 'doing stock': 252679, 'stock take': 802907, 'take and': 831938, 'seeing how': 746324, 'can physically': 159228, 'physically survive': 655522, 'spent the first': 789172, 'the first saturday': 855343, 'first saturday off': 308990, 'saturday off in': 737054, 'off in age': 593922, 'in age doing': 420103, 'age doing stock': 37817, 'doing stock take': 252680, 'stock take and': 802908, 'take and seeing': 831939, 'and seeing how': 71160, 'seeing how long': 746326, 'how long we': 408216, 'long we can': 501832, 'we can physically': 970985, 'can physically survive': 159229, 'physically survive without': 655524, 'survive without having': 829301, 'to supermarket the': 915845, 'supermarket the new': 823233, 'rampage': 696453, 'india could': 434363, 'could experience': 209146, 'experience steep': 291488, 'steep slump': 799398, 'slump due': 774686, '19 rampage': 9952, 'property price in': 684330, 'in india could': 424028, 'india could experience': 434364, 'could experience steep': 209147, 'experience steep slump': 291489, 'steep slump due': 799399, 'slump due to': 774687, 'covid 19 rampage': 213651, '18bn': 4670, '15bn': 4010, 'opex': 613423, 'oil french': 596812, 'french major': 332738, 'major total': 509513, 'total cut': 926156, 'capital spending': 162682, 'spending 20': 788711, '20 reduction': 13295, 'reduction form': 706352, 'form 18bn': 329482, '18bn to': 4671, 'to 15bn': 899512, '15bn announces': 4011, 'announces opex': 77275, 'opex saving': 613424, 'the buyback': 850221, 'buyback oott': 149520, 'oott oilpricewar': 611772, 'oilpricewar statement': 597718, 'big oil french': 129888, 'oil french major': 596813, 'french major total': 332739, 'major total cut': 509514, 'total cut capital': 926157, 'cut capital spending': 223266, 'capital spending 20': 162683, 'spending 20 reduction': 788713, '20 reduction form': 13296, 'reduction form 18bn': 706353, 'form 18bn to': 329483, '18bn to 15bn': 4672, 'to 15bn announces': 899513, '15bn announces opex': 4012, 'announces opex saving': 77276, 'opex saving and': 613425, 'saving and stop': 737845, 'stop the buyback': 805126, 'the buyback oott': 850222, 'buyback oott oilpricewar': 149521, 'oott oilpricewar statement': 611774, 'defenseag': 232147, 'alcoholsanitizer': 41235, 'new defenseag': 558614, 'defenseag reliable': 232148, 'reliable 75': 709191, '75 alcoholic': 22110, 'alcoholic professional': 41218, 'professional handsanitizer': 682449, 'handsanitizer available': 376486, 'in pack': 426409, 'and pack': 68602, 'of visit': 592833, 'order sanitizer': 618558, 'sanitizer quarantine': 735626, 'quarantine stayhomestaysafe': 692575, 'corona usa': 204264, 'usa alcoholsanitizer': 948577, 'alcoholsanitizer sanity': 41236, 'introducing new defenseag': 443497, 'new defenseag reliable': 558615, 'defenseag reliable 75': 232149, 'reliable 75 alcoholic': 709192, '75 alcoholic professional': 22111, 'alcoholic professional handsanitizer': 41219, 'professional handsanitizer available': 682450, 'handsanitizer available in': 376487, 'available in pack': 104450, 'in pack of': 426412, 'pack of and': 633087, 'of and pack': 580173, 'and pack of': 68604, 'pack of visit': 633117, 'of visit to': 592834, 'visit to order': 959414, 'to order sanitizer': 911081, 'order sanitizer quarantine': 618559, 'sanitizer quarantine stayhomestaysafe': 735628, 'quarantine stayhomestaysafe corona': 692576, 'stayhomestaysafe corona usa': 798505, 'corona usa alcoholsanitizer': 204265, 'usa alcoholsanitizer sanity': 948578, 'landscaping': 479420, 'montco': 537499, 'please suspend': 660622, 'suspend or': 829577, 'or stop': 617240, 'stop landscaping': 804805, 'landscaping in': 479423, 'in hardest': 423548, 'hit area': 398150, 'or statewide': 617204, 'statewide philly': 796277, 'philly montco': 654772, 'montco is': 537500, 'is mess': 449634, 'mess people': 529235, 'per truck': 651060, 'truck with': 932881, 'ppe sanitizer': 668043, 'major safety': 509453, 'safety issue': 730596, 'issue cannot': 455702, 'cannot social': 162109, 'distance please': 246800, 'help ve': 390843, 'please suspend or': 660624, 'suspend or stop': 829578, 'or stop landscaping': 617241, 'stop landscaping in': 804806, 'landscaping in hardest': 479424, 'in hardest hit': 423549, 'hardest hit area': 378215, 'hit area or': 398152, 'area or statewide': 92151, 'or statewide philly': 617205, 'statewide philly montco': 796278, 'philly montco is': 654773, 'montco is mess': 537501, 'is mess people': 449635, 'mess people per': 529236, 'people per truck': 649097, 'per truck with': 651061, 'truck with no': 932882, 'with no ppe': 999778, 'no ppe sanitizer': 565168, 'ppe sanitizer is': 668046, 'sanitizer is major': 735197, 'is major safety': 449528, 'major safety issue': 509454, 'safety issue cannot': 730597, 'issue cannot social': 455703, 'cannot social distance': 162110, 'social distance please': 779518, 'distance please help': 246801, 'please help ve': 660089, 'petition is': 653613, 'is le': 449246, 'than halfway': 840721, 'halfway to': 374307, 'it goal': 458269, 'goal please': 354581, 'sign tell': 769218, 'tell congress': 836933, 'congress and': 194485, 'from financial': 335468, 'hardship due': 378285, 'pandemic sign': 636469, 'report advocacy': 711786, 'advocacy petition': 33810, 'this petition is': 889544, 'petition is le': 653614, 'is le than': 449251, 'le than halfway': 483174, 'than halfway to': 840722, 'halfway to it': 374309, 'to it goal': 908583, 'it goal please': 458271, 'goal please sign': 354582, 'please sign tell': 660518, 'sign tell congress': 769219, 'tell congress and': 836934, 'congress and the': 194486, 'and the white': 73653, 'white house to': 987863, 'house to protect': 406630, 'people from financial': 647989, 'from financial hardship': 335473, 'financial hardship due': 306432, 'hardship due to': 378286, 'the pandemic sign': 863095, 'pandemic sign the': 636470, 'sign the consumer': 769229, 'consumer report advocacy': 198698, 'report advocacy petition': 711787, 'magnetic': 508428, 'depressing scene': 237613, 'store photo': 809550, 'photo the': 655252, 'should issue': 766148, 'issue temporary': 455951, 'temporary magnetic': 837660, 'magnetic ration': 508429, 'than of': 840960, 'anything per': 80859, 'week card': 976070, 'card slipped': 163647, 'slipped into': 774042, 'into box': 442434, 'box once': 137136, 'limit is': 492373, 'is reached': 451246, 'reached that': 700056, 'and allow': 57914, 'allow thing': 46086, 'depressing scene in': 237614, 'scene in supermarket': 741333, 'in supermarket food': 428600, 'supermarket food store': 820364, 'food store photo': 316857, 'store photo the': 809551, 'photo the government': 655253, 'government should issue': 360606, 'should issue temporary': 766149, 'issue temporary magnetic': 455952, 'temporary magnetic ration': 837661, 'magnetic ration card': 508430, 'ration card no': 697655, 'card no more': 163584, 'more than of': 540653, 'than of anything': 840961, 'of anything per': 580293, 'anything per person': 80860, 'per week card': 651065, 'week card slipped': 976071, 'card slipped into': 163648, 'slipped into box': 774043, 'into box once': 442435, 'box once the': 137137, 'once the limit': 605725, 'the limit is': 859386, 'limit is reached': 492374, 'is reached that': 451247, 'reached that it': 700057, 'that it that': 844749, 'it that would': 461504, 'that would stop': 847689, 'would stop panic': 1012282, 'stop panic buyer': 804882, 'panic buyer and': 637554, 'buyer and allow': 149555, 'and allow thing': 57918, 'allow thing for': 46087, 'thing for everyone': 884330, 'highlander': 395888, 'government tell': 360664, 'without essential': 1002616, 'essential function': 281075, 'function to': 341274, 'home company': 400909, 'like retail': 491083, 'sending representative': 750081, 'busiest store': 143187, 'stock book': 801928, 'book with': 134636, 'with title': 1001781, 'title like': 899288, 'the lusty': 859832, 'lusty highlander': 506870, 'amid the coronacrisis': 52686, 'the coronacrisis the': 851788, 'the government tell': 856606, 'government tell people': 360665, 'tell people without': 837052, 'people without essential': 650489, 'without essential function': 1002617, 'essential function to': 281077, 'function to stay': 341276, 'stay home company': 796949, 'home company like': 400910, 'company like retail': 190845, 'like retail and': 491084, 'retail and are': 717813, 'and are sending': 58358, 'are sending representative': 89979, 'sending representative to': 750082, 'representative to the': 712922, 'to the busiest': 916534, 'the busiest store': 850156, 'busiest store where': 143188, 'store where people': 811260, 'where people buy': 985095, 'to stock book': 915429, 'stock book with': 801931, 'book with title': 134638, 'with title like': 1001782, 'title like the': 899289, 'like the lusty': 491379, 'the lusty highlander': 859833, 'loosen': 503209, 'of reassuring': 588812, 'reassuring ourselves': 703231, 'ourselves of': 625485, 'our luxury': 623826, 'luxury we': 506977, 'after our': 36001, 'our necessity': 623995, 'necessity the': 554270, 'system won': 831392, 'won disappear': 1003784, 'disappear if': 244040, 'you loosen': 1019710, 'loosen your': 503210, 'your grip': 1024114, 'grip on': 364028, 'll flourish': 496774, 'instead of reassuring': 440310, 'of reassuring ourselves': 588813, 'reassuring ourselves of': 703232, 'ourselves of our': 625486, 'of our luxury': 587507, 'our luxury we': 623827, 'luxury we should': 506979, 'should be looking': 765669, 'be looking after': 115820, 'looking after our': 502781, 'after our necessity': 36002, 'our necessity the': 623996, 'necessity the system': 554272, 'the system won': 869101, 'system won disappear': 831393, 'won disappear if': 1003786, 'disappear if you': 244041, 'if you loosen': 415471, 'you loosen your': 1019711, 'loosen your grip': 503211, 'your grip on': 1024115, 'grip on it': 364029, 'on it it': 601671, 'it it ll': 459177, 'it ll flourish': 459424, 'love socialdistancing': 504784, 'socialdistancing can': 780271, 'supermarket without': 823948, 'without fear': 1002642, 'fear can': 301079, 'it permanent': 460316, 'love socialdistancing can': 504785, 'socialdistancing can now': 780273, 'can now go': 159063, 'the supermarket without': 868912, 'supermarket without fear': 823950, 'without fear can': 1002643, 'fear can we': 301080, 'can we make': 160181, 'make it permanent': 510049, 'another is': 77678, 'to jail': 908643, 'jail twisted': 464285, 'twisted coronavirus': 936600, 'coronavirus prank': 206570, 'prank pa': 668942, 'pa supermarket': 632883, 'supermarket forced': 820434, 'to destroy': 904214, 'destroy more': 239018, 'than 35': 840232, 'intentionally cough': 441162, 'cough all': 208441, 'over it': 630339, 'another is going': 77679, 'going to jail': 355631, 'to jail twisted': 908647, 'jail twisted coronavirus': 464286, 'twisted coronavirus prank': 936601, 'coronavirus prank pa': 206573, 'prank pa supermarket': 668943, 'pa supermarket forced': 632884, 'supermarket forced to': 820435, 'forced to destroy': 328628, 'to destroy more': 904216, 'destroy more than': 239020, 'more than 35': 540562, 'than 35 00': 840233, 'in food after': 422963, 'woman intentionally cough': 1003526, 'intentionally cough all': 441163, 'cough all over': 208442, 'all over it': 43869, 'ok this': 597909, 'is crazy': 446889, 'have buddy': 379852, 'buddy who': 141743, 'direct contact': 243301, 'with person': 1000185, 'for company': 320203, 'who produce': 989450, 'being force': 125163, 'work still': 1005765, 'still after': 800171, 'he let': 385185, 'let his': 486797, 'company know': 190832, 'not lay': 570332, 'lay him': 482595, 'him off': 396676, 'off because': 593682, 'ok this shit': 597911, 'shit is crazy': 759139, 'is crazy now': 446897, 'crazy now have': 215361, 'now have buddy': 574868, 'have buddy who': 379853, 'buddy who ha': 141744, 'ha been in': 369832, 'been in direct': 121342, 'in direct contact': 422279, 'direct contact with': 243302, 'contact with person': 200283, 'with person who': 1000187, 'who ha tested': 988866, '19 and work': 5140, 'work for company': 1005143, 'for company who': 320208, 'company who produce': 191322, 'who produce food': 989451, 'produce food and': 680268, 'food and he': 313249, 'and he is': 64320, 'he is being': 385114, 'is being force': 446085, 'being force to': 125164, 'force to work': 328535, 'to work still': 918785, 'work still after': 1005766, 'still after he': 800172, 'after he let': 35765, 'he let his': 385186, 'let his company': 486798, 'his company know': 397306, 'company know they': 190833, 'know they will': 476882, 'will not lay': 994241, 'not lay him': 570333, 'lay him off': 482596, 'him off because': 396677, 'off because of': 593683, 'because of demand': 119330, 'buying business': 150058, 'business tripling': 144574, 'tripling even': 932297, 'even quadrupling': 284507, 'people basically': 647216, 'basically do': 112122, 'not caring': 568701, 'caring about': 164694, 'hygiene probably': 412144, 'probably spreading': 679382, 'really losing': 702388, 'losing any': 503539, 'any faith': 79211, 'faith had': 296510, 'had in': 373197, 'in humanity': 423908, 'general 19': 345271, 'panic buying business': 637664, 'buying business tripling': 150059, 'business tripling even': 144575, 'tripling even quadrupling': 932298, 'even quadrupling price': 284508, 'quadrupling price people': 691675, 'price people basically': 675848, 'people basically do': 647217, 'basically do not': 112123, 'do not caring': 249690, 'not caring about': 568702, 'caring about social': 164696, 'about social contact': 26212, 'social contact and': 779473, 'contact and basic': 200009, 'and basic hygiene': 58718, 'basic hygiene probably': 111941, 'hygiene probably spreading': 412145, 'probably spreading the': 679383, 'spreading the virus': 791059, 'virus really losing': 958671, 'really losing any': 702389, 'losing any faith': 503540, 'any faith had': 79212, 'faith had in': 296511, 'had in humanity': 373198, 'in humanity in': 423911, 'humanity in general': 410738, 'in general 19': 423244, 'naturalrubber': 552933, 'nr': 576624, 'natural rubber': 552861, 'rubber market': 726946, 'market monitor': 516728, 'monitor price': 537309, 'tumble naturalrubber': 935309, 'naturalrubber rubber': 552934, 'rubber nr': 726948, 'nr price': 576625, 'natural rubber market': 552862, 'rubber market monitor': 726947, 'market monitor price': 516730, 'monitor price tumble': 537311, 'price tumble naturalrubber': 677146, 'tumble naturalrubber rubber': 935310, 'naturalrubber rubber nr': 552935, 'rubber nr price': 726949, 'rig': 721707, 'oil rig': 597398, 'rig worker': 721720, 'worker hit': 1007128, 'hit with': 398509, 'oil rig worker': 597401, 'rig worker hit': 721721, 'worker hit with': 1007129, 'hit with one': 398512, 'with one two': 999891, 'punch of and': 689165, 'of and plummeting': 580174, 'and plummeting oil': 69128, 'plin': 661055, 'hrl': 409693, 'safm': 730870, 'lway': 507039, 'tsn': 934954, 'brfs': 139550, 'bsn': 141448, 'plin like': 661058, 'this meat': 888826, 'stock after': 801766, 'after reading': 36105, 'reading new': 700787, 'new goldman': 558811, 'goldman coverage': 356088, 'coverage rumor': 212379, 'rumor have': 727486, 'been pointing': 121672, 'pointing to': 662757, 'to activity': 900023, 'activity since': 30493, 'since plin': 770786, 'plin sell': 661060, 'this coverage': 886989, 'coverage with': 212388, 'price target': 676757, 'target hint': 834465, 'hint this': 396925, 'of roll': 589148, 'roll up': 725577, 'up opportunity': 945670, 'opportunity may': 613658, 'coming hrl': 188079, 'hrl safm': 409694, 'safm lway': 730871, 'lway ppc': 507040, 'ppc tsn': 667883, 'tsn brfs': 934955, 'brfs bsn': 139551, 'plin like this': 661059, 'like this meat': 491506, 'this meat food': 888827, 'meat food stock': 525577, 'food stock after': 316774, 'stock after reading': 801767, 'after reading new': 36106, 'reading new goldman': 700788, 'new goldman coverage': 558812, 'goldman coverage rumor': 356089, 'coverage rumor have': 212380, 'rumor have been': 727487, 'have been pointing': 379635, 'been pointing to': 121673, 'pointing to activity': 662758, 'to activity since': 900024, 'activity since plin': 30494, 'since plin sell': 770787, 'plin sell off': 661061, 'sell off and': 748813, 'off and now': 593645, 'and now this': 67868, 'now this coverage': 576130, 'this coverage with': 886991, 'coverage with price': 212389, 'with price target': 1000314, 'price target hint': 676758, 'target hint this': 834467, 'hint this kind': 396926, 'kind of roll': 474934, 'of roll up': 589150, 'roll up opportunity': 725579, 'up opportunity may': 945671, 'opportunity may be': 613659, 'be coming hrl': 114153, 'coming hrl safm': 188080, 'hrl safm lway': 409695, 'safm lway ppc': 730872, 'lway ppc tsn': 507041, 'ppc tsn brfs': 667884, 'tsn brfs bsn': 934956, '4th': 19518, 'sindh': 771066, 'alhamdolillah': 41680, '4th patient': 19533, 'patient of': 644221, 'in sindh': 427967, 'sindh ha': 771073, 'ha recovered': 371677, 'recovered tested': 705247, 'tested negative': 839325, 'negative twice': 556841, 'this case': 886707, 'case is': 165825, 'another ray': 77786, 'ray of': 698029, 'hope for': 403477, 'for since': 325630, 'home isolation': 401464, 'isolation alhamdolillah': 455183, '4th patient of': 19534, 'patient of corona': 644222, 'of corona virus': 581901, 'corona virus in': 204320, 'virus in sindh': 958329, 'in sindh ha': 427968, 'sindh ha recovered': 771074, 'ha recovered tested': 371678, 'recovered tested negative': 705248, 'tested negative twice': 839327, 'negative twice this': 556842, 'twice this case': 936548, 'this case is': 886709, 'case is another': 165826, 'is another ray': 445738, 'another ray of': 77787, 'ray of hope': 698030, 'of hope for': 584743, 'hope for since': 403485, 'for since the': 325631, 'since the person': 770900, 'the person wa': 863593, 'person wa under': 652693, 'wa under home': 963601, 'under home isolation': 940118, 'home isolation alhamdolillah': 401465, 'standstill': 793839, 'restricts': 717426, 'reporting price': 712739, 'were flat': 979635, 'flat month': 310084, 'on month': 602198, 'march giving': 515373, 'giving year': 351454, 'year increase': 1014660, 'now essentially': 574615, 'essentially coming': 281899, 'to standstill': 915174, 'standstill severely': 793855, 'severely restricts': 754111, 'restricts activity': 717427, 'our analysis of': 622074, 'of the reporting': 591405, 'the reporting price': 865543, 'reporting price were': 712740, 'price were flat': 677446, 'were flat month': 979636, 'flat month on': 310085, 'month on month': 537924, 'on month in': 602201, 'in march giving': 425105, 'march giving year': 515374, 'giving year on': 351455, 'on year increase': 605400, 'year increase of': 1014661, 'increase of market': 432939, 'of market now': 586234, 'market now essentially': 516767, 'now essentially coming': 574616, 'essentially coming to': 281900, 'coming to standstill': 188231, 'to standstill severely': 915179, 'standstill severely restricts': 793856, 'severely restricts activity': 754112, 'well dang': 978135, 'dang it': 225617, 'no home': 564437, 'are zero': 91902, 'zero slot': 1027497, 'the foreseeable': 855694, 'foreseeable future': 329060, 'future any': 342258, 'other idea': 620386, 'idea before': 413014, 'before brave': 122668, 'limit and': 492280, 'show most': 767060, 'most thing': 542809, 'likely out': 492070, 'well dang it': 978136, 'dang it look': 225618, 'look like there': 502516, 'like there is': 491421, 'is no home': 449940, 'no home delivery': 564438, 'home delivery or': 401037, 'delivery or pick': 234286, 'up in and': 945146, 'in and there': 420394, 'there are zero': 878187, 'are zero slot': 91904, 'zero slot for': 1027498, 'for the foreseeable': 326445, 'the foreseeable future': 855696, 'foreseeable future any': 329061, 'future any other': 342259, 'any other idea': 79593, 'other idea before': 620387, 'idea before brave': 413015, 'before brave the': 122669, 'brave the grocery': 138235, 'grocery store set': 365761, 'set limit and': 753419, 'limit and show': 492287, 'and show most': 71613, 'show most thing': 767062, 'most thing are': 542810, 'thing are likely': 884159, 'are likely out': 87802, 'likely out 19': 492071, 'worth reading': 1011426, 'reading hopefully': 700775, 'hopefully at': 403841, 'shopping more': 763285, 'more locally': 539711, 'locally in': 498756, 'course if': 211876, 'store like': 808720, 'like survive': 491276, 'it worth reading': 462571, 'worth reading hopefully': 1011427, 'reading hopefully at': 700776, 'hopefully at the': 403842, 'very least the': 955299, 'least the public': 484649, 'the public will': 864875, 'public will want': 688486, 'want to consider': 966017, 'to consider shopping': 903235, 'consider shopping more': 195104, 'shopping more locally': 763288, 'more locally in': 539712, 'locally in the': 498758, 'future of course': 342393, 'of course if': 582056, 'course if store': 211879, 'if store like': 414885, 'store like survive': 808732, 'and wash': 75201, 'clothes after': 184130, 'store groceryshopping': 807978, 'to change and': 902592, 'change and wash': 171927, 'and wash your': 75205, 'your clothes after': 1023240, 'clothes after visiting': 184132, 'after visiting the': 36497, 'visiting the grocery': 959562, 'grocery store groceryshopping': 365443, 'lockthemallup': 500541, 'stillrelevant': 801465, 'oneworld': 607575, 'forever on': 329131, 'repeat stophoarding': 711533, 'stophoarding lockthemallup': 805422, 'lockthemallup stillrelevant': 500542, 'stillrelevant fridaythoughts': 801466, 'fridaythoughts oneworld': 333358, 'forever on repeat': 329132, 'on repeat stophoarding': 603152, 'repeat stophoarding lockthemallup': 711534, 'stophoarding lockthemallup stillrelevant': 805423, 'lockthemallup stillrelevant fridaythoughts': 500543, 'stillrelevant fridaythoughts oneworld': 801467, 'moronic': 541661, 'numpties': 577149, 'wakeupandsmelltheconsumerism': 964661, 'seeing tweet': 746531, 'tweet that': 936406, 'that suggest': 846553, 'suggest is': 817518, 'is trial': 453351, 'trial socialism': 931658, 'socialism it': 780963, 'it what': 462320, 'what hiking': 981599, 'is moronic': 449733, 'moronic and': 541662, 'show lack': 767027, 'knowledge of': 477176, 'how capitalism': 407535, 'capitalism work': 162790, 'work these': 1005836, 'shop aren': 759922, 'aren owned': 92469, 'state numpties': 795787, 'numpties wakeupandsmelltheconsumerism': 577153, 'seeing tweet that': 746532, 'tweet that suggest': 936409, 'that suggest is': 846554, 'suggest is trial': 817519, 'is trial socialism': 453353, 'trial socialism it': 931659, 'socialism it what': 780964, 'it what hiking': 462323, 'what hiking up': 981600, 'hiking up food': 396427, 'food price to': 315982, 'price to think': 677055, 'that is moronic': 844619, 'is moronic and': 449734, 'moronic and show': 541663, 'and show lack': 71612, 'show lack of': 767028, 'of knowledge of': 585676, 'knowledge of how': 477178, 'of how capitalism': 584814, 'how capitalism work': 407537, 'capitalism work these': 162791, 'work these shop': 1005838, 'these shop aren': 880676, 'shop aren owned': 759924, 'aren owned by': 92470, 'owned by the': 632335, 'by the state': 154445, 'the state numpties': 867796, 'state numpties wakeupandsmelltheconsumerism': 795788, 'portco': 664969, 'kangaroohealth': 470788, 'our portco': 624399, 'portco kangaroohealth': 664970, 'kangaroohealth ha': 470789, 'launched consumer': 481974, 'consumer enterprise': 197370, 'enterprise focused': 278449, 'focused intelligent': 311941, 'intelligent quarantine': 441031, 'quarantine management': 692360, 'management solution': 512628, 'for remote': 325109, 'remote risk': 710726, 'risk monitoring': 723691, 'monitoring early': 537353, 'early virtual': 264741, 'virtual triage': 957811, 'triage more': 931622, 'info for': 437477, 'for employer': 321037, 'our portco kangaroohealth': 624400, 'portco kangaroohealth ha': 664971, 'kangaroohealth ha launched': 470790, 'ha launched consumer': 371103, 'launched consumer enterprise': 481976, 'consumer enterprise focused': 197371, 'enterprise focused intelligent': 278450, 'focused intelligent quarantine': 311942, 'intelligent quarantine management': 441032, 'quarantine management solution': 692361, 'management solution for': 512629, 'solution for remote': 782031, 'for remote risk': 325111, 'remote risk monitoring': 710727, 'risk monitoring early': 723693, 'monitoring early virtual': 537354, 'early virtual triage': 264742, 'virtual triage more': 957812, 'triage more info': 931623, 'more info for': 539554, 'info for employer': 437478, 'loosing': 503223, 'mayoroflondon': 521998, 've inflated': 953278, 'inflated their': 437089, 'be loosing': 115827, 'loosing their': 503226, 'their licence': 873809, 'licence epidemic': 488105, 'epidemic ukgoverment': 279463, 'ukgoverment london': 938956, 'london uk': 501211, 'uk mayoroflondon': 938544, 'so all these': 776480, 'all these local': 45040, 'these local shop': 880247, 'local shop owner': 498411, 'shop owner who': 760654, 'owner who ve': 632604, 'who ve inflated': 989881, 've inflated their': 953279, 'inflated their price': 437090, 'price on product': 675710, 'on product during': 602951, 'difficult time will': 242321, 'time will soon': 898344, 'soon be loosing': 785641, 'be loosing their': 115828, 'loosing their licence': 503227, 'their licence epidemic': 873810, 'licence epidemic ukgoverment': 488106, 'epidemic ukgoverment london': 279464, 'ukgoverment london uk': 938957, 'london uk mayoroflondon': 501212, 'extenders': 293216, 'pres promised': 670445, 'promised to': 683731, 'lower rx': 505991, 'rx price': 728788, 'he been': 384767, 'been leader': 121440, 'leader in': 483476, 'fight passing': 304840, 'passing surprise': 643398, 'billing health': 130761, 'health extenders': 386423, 'extenders out': 293217, 'out rx': 627126, 'rx reform': 728792, 'reform will': 706737, 'make keeping': 510075, 'keeping that': 472570, 'that pledge': 845770, 'pledge nearly': 660846, 'nearly impossible': 553835, 'pres promised to': 670446, 'promised to lower': 683733, 'to lower rx': 909510, 'lower rx price': 505992, 'rx price he': 728790, 'price he been': 674479, 'he been leader': 384770, 'been leader in': 121441, 'leader in the': 483478, 'the fight passing': 855167, 'fight passing surprise': 304841, 'passing surprise billing': 643399, 'surprise billing health': 828516, 'billing health extenders': 130762, 'health extenders out': 386424, 'extenders out rx': 293218, 'out rx reform': 627127, 'rx reform will': 728793, 'reform will make': 706738, 'will make keeping': 994083, 'make keeping that': 510076, 'keeping that pledge': 472571, 'that pledge nearly': 845771, 'pledge nearly impossible': 660847, 'minneapolis': 533589, 'gas slip': 344093, 'slip below': 774010, 'below gallon': 126655, 'in minnesota': 425358, 'minnesota in': 533609, 'in sign': 427951, 'of where': 593089, 'year minneapolis': 1014751, 'minneapolis mn': 533590, 'gas slip below': 344094, 'slip below gallon': 774011, 'below gallon in': 126658, 'gallon in minnesota': 343024, 'in minnesota in': 425361, 'minnesota in sign': 533610, 'in sign of': 427952, 'sign of where': 769178, 'of where the': 593093, 'where the economy': 985224, 'the next year': 861717, 'next year minneapolis': 561733, 'year minneapolis mn': 1014752, 'expert warn': 292012, 'warn that': 966964, 'crisis could': 217262, 'to economic': 904926, 'social collapse': 779463, 'expert warn that': 292015, 'warn that the': 966968, 'by the crisis': 154299, 'the crisis could': 852363, 'crisis could lead': 217265, 'lead to economic': 483341, 'to economic and': 904927, 'and social collapse': 71882, 'rise cost': 722815, 'cost increase': 207979, 'increase take': 433090, '19 grocery price': 7289, 'grocery price start': 364873, 'price start to': 676614, 'start to rise': 794594, 'to rise cost': 913558, 'rise cost increase': 722816, 'cost increase take': 207980, 'increase take hold': 433091, 'staff keeping': 792597, 'keeping food': 472425, 'driver getting': 259578, 'smart stay': 775428, 'home do': 401085, 'dick stayathome': 240471, 'supermarket staff keeping': 822860, 'staff keeping food': 792599, 'keeping food on': 472427, 'the shelf all': 866820, 'shelf all the': 756696, 'delivery driver getting': 233912, 'driver getting food': 259579, 'food to store': 317296, 'to store be': 915606, 'store be smart': 806664, 'be smart stay': 117236, 'smart stay at': 775429, 'at home do': 98975, 'home do not': 401086, 'not be dick': 568371, 'be dick stayathome': 114441, 'dick stayathome stayhomesavelives': 240472, 'infuriates': 438249, 'what infuriates': 981664, 'infuriates me': 438252, 'me most': 523173, 'most about': 542060, 'british panic': 140554, 'is perishable': 450857, 'perishable it': 651991, 'up thrown': 946301, 'away before': 105794, 'eaten while': 266143, 'are faced': 86402, 'faced with': 295039, 'what infuriates me': 981665, 'infuriates me most': 438253, 'me most about': 523174, 'most about the': 542061, 'about the british': 26344, 'the british panic': 850027, 'british panic buying': 140555, 'stripping supermarket of': 813919, 'of everything is': 583273, 'everything is that': 287888, 'is that most': 452669, 'most of that': 542560, 'of that food': 590722, 'that food is': 843909, 'food is perishable': 315143, 'is perishable it': 450858, 'perishable it will': 651993, 'it will end': 462393, 'will end up': 993308, 'end up thrown': 276046, 'up thrown away': 946302, 'thrown away before': 895130, 'away before it': 105795, 'before it is': 122890, 'it is eaten': 458943, 'is eaten while': 447435, 'eaten while others': 266144, 'while others who': 987128, 'others who need': 621791, 'need it are': 555082, 'it are faced': 456583, 'are faced with': 86403, 'faced with empty': 295042, 'with empty shelf': 998220, 'cybercriminals': 223965, 'cybercriminals are': 223970, 'uncertainty surrounding': 939763, 'sell fake': 748707, 'text and': 839873, 'and message': 66961, 'message social': 529419, 'medium post': 527232, 'money get': 536779, 'information follow': 437819, 'help avoid': 389398, 'cybercriminals are taking': 223971, 'of the uncertainty': 591568, 'the uncertainty surrounding': 870343, 'uncertainty surrounding the': 939765, '19 to sell': 11456, 'to sell fake': 914151, 'sell fake product': 748713, 'fake product or': 296694, 'product or use': 681499, 'or use fake': 617617, 'fake email text': 296618, 'email text and': 272319, 'text and message': 839875, 'and message social': 66963, 'message social medium': 529420, 'social medium post': 779875, 'medium post to': 527236, 'post to get': 666372, 'your money get': 1024860, 'money get your': 536781, 'personal information follow': 652891, 'information follow these': 437820, 'follow these tip': 312560, 'these tip to': 880861, 'to help avoid': 907459, 'help avoid covid': 389400, 'harris': 378502, 'teeter': 836592, 'two visit': 937304, 'to harris': 907178, 'harris teeter': 378509, 'teeter and': 836593, '450 later': 19154, 'later don': 481048, 'in another': 420407, 'another damn': 77559, 'two visit to': 937305, 'visit to harris': 959411, 'to harris teeter': 907179, 'harris teeter and': 378510, 'teeter and 450': 836594, 'and 450 later': 57485, '450 later don': 19155, 'later don want': 481049, 'go in another': 353701, 'in another damn': 420408, 'another damn grocery': 77560, 'airline pilot': 39993, 'pilot offering': 656737, 'offering to': 595301, 'stock supermarket': 802900, 'in nz': 426033, 'nz lockdown': 578195, 'lockdown 19': 499092, 'airline pilot offering': 39994, 'pilot offering to': 656738, 'offering to stock': 595307, 'to stock supermarket': 915452, 'stock supermarket shelf': 802902, 'shelf in nz': 757209, 'in nz lockdown': 426036, 'nz lockdown 19': 578196, 'india set': 434604, 'to import': 908186, 'import record': 418662, 'record volume': 705079, 'of lng': 585922, 'lng spot': 497218, 'to impact': 908146, 'india set to': 434605, 'set to import': 753524, 'to import record': 908187, 'import record volume': 418663, 'record volume of': 705080, 'volume of lng': 960157, 'of lng spot': 585923, 'lng spot price': 497219, 'spot price fall': 790096, 'price fall due': 673784, 'due to impact': 261823, 'to impact of': 908154, 'their self': 874643, 'self on': 747826, 'sure our': 827645, 'family have': 297876, 'if you go': 415445, 'grocery store make': 365549, 'store make sure': 808855, 'sure you thank': 827874, 'you thank the': 1021556, 'thank the worker': 841651, 'the worker they': 871763, 'they are putting': 881372, 'are putting their': 89363, 'putting their self': 691245, 'their self on': 874644, 'self on the': 747827, 'line to make': 493488, 'make sure our': 510521, 'sure our family': 827647, 'our family have': 622997, 'family have what': 297884, 'have what they': 383578, 'just online': 469387, 'be transformed': 117791, 'transformed during': 929584, 'will online': 994318, 'could prioritise': 209531, 'prioritise to': 678399, 'to keyworker': 908902, 'keyworker with': 473588, 'with thanks': 1001164, 'just online education': 469388, 'online education will': 608163, 'education will be': 268885, 'will be transformed': 992735, 'be transformed during': 117792, 'transformed during so': 929585, 'during so will': 263029, 'so will online': 778773, 'will online shopping': 994322, 'shopping could prioritise': 762407, 'could prioritise to': 209532, 'prioritise to keyworker': 678400, 'to keyworker with': 908903, 'keyworker with thanks': 473589, 'peer': 646305, 'playspace': 659495, 'spread we': 790877, 'we join': 972094, 'our peer': 624301, 'peer in': 646308, 'in shutting': 427926, 'our playspace': 624367, 'playspace cancelling': 659496, 'cancelling all': 161204, 'all event': 42711, 'event to': 285092, 'support government': 826543, 'government led': 360306, 'led social': 485259, 'distancing directive': 247099, 'directive walk': 243517, 'and video': 74954, 'video content': 956689, 'content so': 200842, 'so follow': 777104, 'follow to': 312571, 'our year': 625420, 'year journey': 1014686, '19 spread we': 10756, 'spread we join': 790880, 'we join our': 972097, 'join our peer': 466814, 'our peer in': 624302, 'peer in shutting': 646309, 'in shutting down': 427927, 'down our playspace': 257070, 'our playspace cancelling': 624368, 'playspace cancelling all': 659497, 'cancelling all event': 161205, 'all event to': 42713, 'event to support': 285095, 'to support government': 915934, 'support government led': 826544, 'government led social': 360308, 'led social distancing': 485260, 'social distancing directive': 779589, 'distancing directive walk': 247100, 'directive walk in': 243518, 'walk in retail': 964807, 'in retail is': 427458, 'retail is still': 718246, 'still open is': 800964, 'open is our': 612334, 'is our online': 450633, 'online store and': 609442, 'store and video': 806391, 'and video content': 74956, 'video content so': 956691, 'content so follow': 200843, 'so follow to': 777105, 'follow to join': 312572, 'join the next': 466863, 'next step in': 561567, 'step in our': 799563, 'in our year': 426354, 'our year journey': 625421, 'lid': 488263, 'kroger close': 477728, 'close meat': 182721, 'and seafood': 71098, 'seafood counter': 743127, 'counter add': 210186, 'add new': 31456, 'new lid': 559025, 'lid for': 488266, 'and hire': 64583, '00 additional': 40, 'additional worker': 31901, 'address crisis': 31963, 'crisis kroger': 217638, 'kroger panicshopping': 477757, 'panicshopping grocerystores': 639431, 'grocerystores groceryworkers': 366368, 'kroger close meat': 477729, 'close meat and': 182722, 'meat and seafood': 525482, 'and seafood counter': 71099, 'seafood counter add': 743128, 'counter add new': 210187, 'add new lid': 31457, 'new lid for': 559026, 'lid for essential': 488267, 'for essential product': 321117, 'product and hire': 680889, 'and hire 10': 64584, '10 00 additional': 1189, '00 additional worker': 42, 'additional worker to': 31902, 'worker to address': 1007994, 'to address crisis': 900087, 'address crisis kroger': 31964, 'crisis kroger panicshopping': 217639, 'kroger panicshopping grocerystores': 477758, 'panicshopping grocerystores groceryworkers': 639432, 'world on': 1009863, 'physical aspect': 655372, 'of consumerism': 581790, 'consumerism from': 199713, 'online experience': 608184, 'experience for': 291361, 'for fashion': 321412, 'fashion retailer': 299841, 'latest post': 481501, 'to discover': 904363, 'discover fact': 244655, 'fact opportunity': 295765, 'industry retail': 436080, 'with the world': 1001550, 'the world on': 871929, 'world on lockdown': 1009864, 'on lockdown the': 601922, 'lockdown the physical': 500015, 'the physical aspect': 863708, 'physical aspect of': 655373, 'aspect of consumerism': 96215, 'of consumerism from': 581791, 'consumerism from in': 199714, 'from in store': 336026, 'store shopping will': 810141, 'shopping will change': 764411, 'will change to': 992924, 'change to an': 172338, 'an online experience': 56617, 'online experience for': 608185, 'experience for fashion': 291362, 'for fashion retailer': 321413, 'fashion retailer have': 299842, 'retailer have look': 719181, 'look at our': 502281, 'at our latest': 100017, 'our latest post': 623675, 'latest post to': 481503, 'post to discover': 666370, 'to discover fact': 904367, 'discover fact opportunity': 244656, 'fact opportunity for': 295766, 'opportunity for the': 613631, 'the industry retail': 858187, 'behavior the': 124229, 'world more': 1009801, 'more video': 540905, 'content savvy': 200840, 'savvy and': 738022, 'and apple': 58261, 'apple shake': 82363, 'up ar': 944404, 'consumer behavior the': 196524, 'behavior the world': 124234, 'the world more': 871914, 'world more video': 1009803, 'more video content': 540907, 'video content savvy': 956690, 'content savvy and': 200841, 'savvy and apple': 738023, 'and apple shake': 58262, 'apple shake up': 82364, 'shake up ar': 754431, 'conservative': 194902, 'pande': 634733, 'wow what': 1012619, 'what bitch': 981121, 'bitch well': 131783, 'too capitalism': 924641, 'capitalism huh': 162760, 'huh conservative': 410308, 'conservative toiletpaper': 194921, 'trumpmeltdown trump': 934094, 'and conservative': 60307, 'conservative say': 194917, 'say liberal': 738889, 'being over': 125515, 'over dramatic': 630162, 'dramatic about': 258265, 'the pande': 862885, 'wow what bitch': 1012620, 'what bitch well': 981122, 'bitch well the': 131784, 'well the store': 978666, 'the store owner': 868075, 'store owner is': 809432, 'owner is responsible': 632483, 'responsible for this': 716042, 'this too capitalism': 890804, 'too capitalism huh': 924642, 'capitalism huh conservative': 162761, 'huh conservative toiletpaper': 410309, 'conservative toiletpaper trumpmeltdown': 194922, 'toiletpaper trumpmeltdown trump': 922771, 'trumpmeltdown trump and': 934095, 'trump and conservative': 933407, 'and conservative say': 60308, 'conservative say liberal': 194918, 'say liberal are': 738890, 'liberal are being': 487999, 'are being over': 84890, 'being over dramatic': 125516, 'over dramatic about': 630163, 'dramatic about the': 258266, 'about the pande': 26473, 'ridiculous just': 721563, 'everything single': 287993, 'single food': 771298, 'wa sold': 963270, 'even possible': 284476, 'beyond ridiculous just': 129224, 'ridiculous just went': 721564, 'make my usual': 510230, 'at and everything': 98002, 'and everything single': 62428, 'everything single food': 287994, 'single food wa': 771300, 'food wa sold': 317446, 'wa sold out': 963272, 'is that even': 452646, 'that even possible': 843740, 'even possible you': 284478, 'possible you feed': 665886, 'now responsible': 575692, 'economic disruption': 267068, 'disruption since': 246523, '2008 financial': 13661, 'and clean': 59931, 'clean energy': 180518, 'energy investment': 276485, 'investment is': 444022, 'suffer result': 817228, 'coronavirus is now': 206169, 'is now responsible': 450327, 'now responsible for': 575693, 'worst economic disruption': 1011173, 'economic disruption since': 267071, 'disruption since the': 246524, 'the 2008 financial': 847992, '2008 financial crisis': 13662, 'financial crisis and': 306368, 'crisis and clean': 217016, 'and clean energy': 59933, 'clean energy investment': 180522, 'energy investment is': 276486, 'investment is likely': 444024, 'likely to suffer': 492181, 'to suffer result': 915737, 'virus19': 959080, 'together all': 920672, 'country of': 210926, 'covid virus19': 214245, 'virus19 punishment': 959081, 'punishment country': 689253, 'on dog': 600373, 'other exotic': 620196, 'exotic animal': 290437, 'animal without': 76689, 'without limit': 1002762, 'limit food': 492342, 'chain only': 170973, 'only cattle': 610227, 'cattle pig': 167363, 'pig chicken': 656439, 'chicken who': 175879, 'pay covid': 644819, 'bring together all': 140107, 'together all the': 920673, 'all the country': 44699, 'the country of': 852124, 'country of the': 210929, 'world to demand': 1010077, 'demand from china': 235532, 'china the spread': 176988, 'the covid virus19': 852240, 'covid virus19 punishment': 214246, 'virus19 punishment country': 959082, 'punishment country that': 689254, 'country that feed': 211113, 'feed on dog': 302348, 'on dog and': 600374, 'dog and other': 252035, 'and other exotic': 68318, 'other exotic animal': 620197, 'exotic animal without': 290438, 'animal without limit': 76690, 'without limit food': 1002763, 'limit food chain': 492343, 'food chain only': 313914, 'chain only cattle': 170974, 'only cattle pig': 610228, 'cattle pig chicken': 167364, 'pig chicken who': 656440, 'chicken who will': 175880, 'who will pay': 989995, 'will pay covid': 994390, 'buckwheat': 141704, 'zelensky': 1027354, 'ukraine facing': 939041, 'facing pandemic': 295558, 'price significantly': 676405, 'significantly increased': 769586, 'increased the': 433489, 'popular buckwheat': 664538, 'buckwheat increased': 141711, '50 potato': 19818, 'potato by': 666922, 'by 60': 151690, '60 onion': 20970, 'onion by': 607716, '50 sugar': 19867, 'sugar by': 817432, '16 zelensky': 4200, 'zelensky government': 1027355, 'must control': 546608, 'during health': 262678, 'ukraine facing pandemic': 939042, 'facing pandemic food': 295559, 'pandemic food price': 635439, 'food price significantly': 315971, 'price significantly increased': 676406, 'significantly increased the': 769588, 'increased the price': 433495, 'price of popular': 675537, 'of popular buckwheat': 588231, 'popular buckwheat increased': 664539, 'buckwheat increased by': 141712, 'increased by 50': 433228, 'by 50 potato': 151668, '50 potato by': 19819, 'potato by 60': 666923, 'by 60 onion': 151692, '60 onion by': 20971, 'onion by 50': 607717, 'by 50 sugar': 151672, '50 sugar by': 19868, 'sugar by 16': 817434, 'by 16 zelensky': 151556, '16 zelensky government': 4201, 'zelensky government must': 1027356, 'government must control': 360366, 'must control price': 546609, 'control price during': 202113, 'price during health': 673623, 'during health emergency': 262681, 'emerging health': 273123, 'economic risk': 267260, 'risk resulting': 723847, 'and decline': 61018, 'price pose': 675958, 'pose existential': 665095, 'existential threat': 290286, 'to nigeria': 910600, 'nigeria economy': 562734, 'economy healthcare': 267936, 'system national': 831255, 'national security': 552611, 'security well': 744789, 'our citizen': 622368, 'the emerging health': 854240, 'emerging health and': 273124, 'and economic risk': 61907, 'economic risk resulting': 267261, 'risk resulting from': 723848, 'pandemic and decline': 634869, 'and decline in': 61019, 'decline in international': 231359, 'in international oil': 424125, 'oil price pose': 597220, 'price pose existential': 675959, 'pose existential threat': 665096, 'existential threat to': 290287, 'threat to nigeria': 893738, 'to nigeria economy': 910602, 'nigeria economy healthcare': 562736, 'economy healthcare system': 267937, 'healthcare system national': 387312, 'system national security': 831256, 'national security well': 552615, 'security well the': 744790, 'well the life': 978663, 'life of our': 488924, 'of our citizen': 587433, 'scummy': 743011, 'moan': 534885, 'carp': 164875, 'scott well': 742469, 'well said': 978533, 'said tom': 731527, 'tom stay': 923925, 'we middle': 972367, 'class must': 180216, 'must stick': 546913, 'stick together': 800067, 'and hide': 64546, 'hide away': 394830, 'away in': 105945, 'our isolated': 623586, 'isolated safe': 455022, 'safe space': 729957, 'let those': 487183, 'those scummy': 892427, 'scummy working': 743014, 'class transport': 180278, 'supermarket folk': 820346, 'folk take': 312260, 'health risk': 386805, 'we blog': 970858, 'blog moan': 132968, 'moan and': 534886, 'and carp': 59575, 'scott well said': 742470, 'well said tom': 978537, 'said tom stay': 731528, 'tom stay safe': 923926, 'safe we middle': 730117, 'we middle class': 972368, 'middle class must': 530636, 'class must stick': 180217, 'must stick together': 546914, 'stick together and': 800068, 'together and hide': 920693, 'and hide away': 64547, 'hide away in': 394831, 'away in our': 105948, 'in our isolated': 426307, 'our isolated safe': 623587, 'isolated safe space': 455023, 'safe space and': 729958, 'space and let': 787048, 'and let those': 66116, 'let those scummy': 487185, 'those scummy working': 892429, 'scummy working class': 743015, 'working class transport': 1008566, 'class transport worker': 180279, 'transport worker and': 929978, 'worker and supermarket': 1006337, 'and supermarket folk': 72718, 'supermarket folk take': 820347, 'folk take all': 312261, 'take all the': 831930, 'all the health': 44778, 'the health risk': 857187, 'health risk while': 386814, 'risk while we': 724020, 'while we blog': 987544, 'we blog moan': 970859, 'blog moan and': 132969, 'moan and carp': 534887, 'hygeinic': 412032, 'sterilizing': 799879, 'response we': 715914, 'also saw': 48823, 'saw early': 738097, 'early hoarding': 264614, 'of important': 585003, 'important hygeinic': 418826, 'hygeinic and': 412033, 'like hand': 490366, 'sanitizer sterilizing': 735811, 'sterilizing wipe': 799884, 'importantly surgical': 419145, 'should note': 766271, 'these hoarding': 880126, 'hoarding behavior': 399218, 'behavior were': 124300, 'were global': 979685, 'the consumer response': 851586, 'consumer response we': 198790, 'response we also': 715915, 'we also saw': 970408, 'also saw early': 48825, 'saw early hoarding': 738098, 'early hoarding of': 264615, 'hoarding of important': 399453, 'of important hygeinic': 585004, 'important hygeinic and': 418827, 'hygeinic and medical': 412034, 'medical supply like': 526449, 'supply like hand': 825501, 'like hand sanitizer': 490367, 'hand sanitizer sterilizing': 375602, 'sanitizer sterilizing wipe': 735812, 'sterilizing wipe and': 799885, 'wipe and most': 996190, 'most importantly surgical': 542426, 'importantly surgical mask': 419146, 'surgical mask we': 828373, 'mask we should': 519514, 'we should note': 973283, 'should note that': 766272, 'note that these': 572814, 'that these hoarding': 846913, 'these hoarding behavior': 880127, 'hoarding behavior were': 399221, 'behavior were global': 124301, 'washinghands': 967759, 'warned about': 966984, 'about wearing': 26863, 'supermarket sound': 822788, 'sound advice': 786257, 'advice but': 33335, 'think most': 885405, 'most will': 542917, 'will bin': 992830, 'bin them': 131041, 'or home': 615663, 'home wiping': 402514, 'wiping any': 996503, 'any possible': 79668, 'possible off': 665723, 'off one': 594027, 'one shopping': 607020, 'shopping when': 764373, 'when home': 983570, 'then washinghands': 877719, 'washinghands key': 967760, 'key too': 473448, 'being warned about': 126046, 'warned about wearing': 966987, 'about wearing glove': 26864, 'wearing glove at': 974628, 'the supermarket sound': 868816, 'supermarket sound advice': 822789, 'sound advice but': 786258, 'advice but think': 33336, 'but think most': 147532, 'think most will': 885406, 'most will bin': 542918, 'will bin them': 992831, 'bin them before': 131042, 'them before they': 875471, 'before they get': 123216, 'they get in': 882167, 'get in their': 347312, 'their car or': 872728, 'car or home': 163199, 'or home wiping': 615666, 'home wiping any': 402515, 'wiping any possible': 996504, 'any possible off': 79671, 'possible off one': 665724, 'off one shopping': 594028, 'one shopping when': 607021, 'shopping when home': 764376, 'when home then': 983572, 'home then washinghands': 402256, 'then washinghands key': 877720, 'washinghands key too': 967761, 'time online': 897406, 'we isolate': 972087, 'ourselves meaning': 625483, 'meaning more': 524820, 'to fraud': 906222, 'fraud you': 331378, 'victim if': 956478, 'buy good': 148741, 'online seller': 608957, 'seller that': 749086, 'that never': 845320, 'never arrives': 557867, 'arrives more': 93997, 'information can': 437778, 'found at': 330166, 'of are spending': 580353, 'more time online': 540772, 'time online we': 897412, 'online we isolate': 609699, 'we isolate ourselves': 972090, 'isolate ourselves meaning': 454907, 'ourselves meaning more': 625484, 'meaning more people': 524821, 'more people could': 540013, 'people could fall': 647557, 'could fall victim': 209171, 'victim to fraud': 956521, 'to fraud you': 906226, 'fraud you are': 331379, 'are the victim': 90931, 'the victim if': 870730, 'victim if you': 956479, 'you buy good': 1017569, 'buy good from': 148742, 'good from an': 357112, 'from an online': 334493, 'an online seller': 56631, 'online seller that': 608961, 'seller that never': 749090, 'that never arrives': 845322, 'never arrives more': 557868, 'arrives more information': 93998, 'more information can': 539580, 'information can be': 437779, 'can be found': 157624, 'be found at': 114935, 'paknsave': 634545, 'countdown': 210154, 'newworld': 561165, 'nzlockdown': 578225, 'world supermarket': 1010021, 'zealand provide': 1027304, 'provide staff': 686495, 'with life': 999208, 'saving measure': 737923, 'measure foodstuff': 525194, 'foodstuff grocery': 318173, 'grocery paknsave': 364826, 'paknsave countdown': 634546, 'countdown newworld': 210163, 'newworld newzealand': 561168, 'newzealand nzlockdown': 561245, 'nzlockdown lockdownnz': 578226, 'new world supermarket': 559907, 'world supermarket in': 1010022, 'supermarket in new': 820943, 'new zealand provide': 559994, 'zealand provide staff': 1027305, 'provide staff with': 686496, 'staff with life': 793098, 'with life saving': 999213, 'life saving measure': 489015, 'saving measure foodstuff': 737924, 'measure foodstuff grocery': 525195, 'foodstuff grocery paknsave': 318174, 'grocery paknsave countdown': 364827, 'paknsave countdown newworld': 634547, 'countdown newworld newzealand': 210164, 'newworld newzealand nzlockdown': 561169, 'newzealand nzlockdown lockdownnz': 561246, 'fencepeace': 303523, 'is absolute': 445286, 'in lidl': 424699, 'lidl fencepeace': 488288, 'fencepeace rd': 303524, 'rd people': 698141, 'fighting and': 305033, 'and arguing': 58388, 'arguing over': 92734, 'and queue': 69867, 'queue lane': 693977, 'lane front': 479448, 'front to': 338676, 'store stress': 810423, 'level are': 487508, 'it is absolute': 458859, 'is absolute panic': 445288, 'absolute panic in': 27269, 'panic in lidl': 638197, 'in lidl fencepeace': 424700, 'lidl fencepeace rd': 488289, 'fencepeace rd people': 303525, 'rd people are': 698142, 'people are fighting': 646972, 'are fighting and': 86542, 'fighting and arguing': 305034, 'and arguing over': 58389, 'arguing over food': 92735, 'over food and': 630218, 'food and queue': 313320, 'and queue lane': 69871, 'queue lane front': 693978, 'lane front to': 479449, 'front to back': 338677, 'to back of': 900978, 'back of store': 107174, 'of store stress': 590267, 'store stress level': 810424, 'stress level are': 813355, 'level are very': 487513, 'are very high': 91466, 'pple': 668386, 'while lockdown': 987010, 'lockdown might': 499658, 'contain this': 200504, 'this deadly': 887173, 'deadly covid': 229261, 'difficult without': 242357, 'without bare': 1002510, 'essential of': 281342, 'life utility': 489167, 'utility like': 951296, 'like water': 491764, 'power aren': 667566, 'aren there': 92557, 'most family': 542329, 'live from': 495827, 'enough provision': 277587, 'provision pple': 687282, 'pple have': 668391, 'while lockdown might': 987011, 'lockdown might help': 499659, 'might help contain': 531030, 'help contain this': 389534, 'contain this deadly': 200506, 'this deadly covid': 887174, 'deadly covid 19': 229262, '19 it very': 8160, 'it very difficult': 462028, 'very difficult without': 955125, 'difficult without bare': 242358, 'without bare essential': 1002511, 'bare essential of': 110898, 'essential of life': 281345, 'of life utility': 585837, 'life utility like': 489168, 'utility like water': 951297, 'like water and': 491765, 'water and power': 968876, 'and power aren': 69276, 'power aren there': 667567, 'aren there and': 92558, 'there and most': 878005, 'and most family': 67268, 'most family live': 542330, 'family live from': 297992, 'live from hand': 495829, 'to mouth and': 910293, 'mouth and can': 543482, 'and can afford': 59447, 'to stock enough': 915431, 'stock enough provision': 802085, 'enough provision pple': 277589, 'provision pple have': 687283, 'pple have no': 668392, 'have no money': 381637, 'upside': 947849, 'the upside': 870513, 'upside of': 947859, 'in third': 429893, 'third world': 886116, 'world country': 1009459, 'is people': 450835, 'actually make': 30880, 'sell dodgy': 748688, 'dodgy looking': 251307, 'looking sorta': 503005, 'sorta legit': 786168, 'legit alcohol': 486026, 'gel themselves': 345153, 'themselves when': 876936, 'stock run': 802802, 'guess the upside': 368059, 'the upside of': 870514, 'upside of living': 947861, 'of living in': 585914, 'living in third': 496395, 'in third world': 429894, 'third world country': 886118, 'world country is': 1009463, 'country is people': 210815, 'is people can': 450836, 'people can actually': 647379, 'can actually make': 157366, 'actually make and': 30881, 'make and sell': 509690, 'and sell dodgy': 71213, 'sell dodgy looking': 748689, 'dodgy looking sorta': 251308, 'looking sorta legit': 503006, 'sorta legit alcohol': 786169, 'legit alcohol gel': 486027, 'alcohol gel themselves': 41014, 'gel themselves when': 345154, 'themselves when supermarket': 876937, 'when supermarket stock': 984096, 'supermarket stock run': 822967, 'stock run out': 802803, 'unelected': 941095, 'if unelected': 415211, 'unelected and': 941096, 'had done': 373045, 'done their': 255047, 'job two': 466245, 'and taken': 72988, 'protect america': 684771, 'america from': 51527, 'from we': 338303, 'we wouldn': 973981, 'mass quantity': 519844, 'today american': 919182, 'if unelected and': 415212, 'unelected and had': 941097, 'and had done': 64098, 'had done their': 373046, 'done their job': 255050, 'their job two': 873743, 'job two month': 466246, 'two month ago': 937059, 'ago and taken': 38343, 'and taken step': 72989, 'to protect america': 912291, 'protect america from': 684772, 'america from we': 51528, 'from we wouldn': 338308, 'we wouldn need': 973985, 'wouldn need mass': 1012496, 'need mass quantity': 555218, 'mass quantity of': 519846, 'sanitizer today american': 735959, 'today american are': 919183, 'fisherman': 309369, 'organisation': 619247, 'scottish fisherman': 742474, 'fisherman are': 309370, 'welfare organisation': 977963, 'organisation the': 619277, 'to plummeting': 911832, 'for seafood': 325397, 'seafood leaving': 743138, 'leaving many': 485102, 'many unable': 514832, 'family grim': 297858, 'grim wait': 363974, 'they hear': 882416, 'hear what': 388020, 'what brexit': 981137, 'brexit will': 139538, 'scottish fisherman are': 742475, 'fisherman are turning': 309371, 'turning to food': 935963, 'bank and welfare': 109625, 'and welfare organisation': 75396, 'welfare organisation the': 977964, 'organisation the coronavirus': 619278, 'coronavirus crisis ha': 205752, 'led to plummeting': 485293, 'to plummeting demand': 911833, 'plummeting demand for': 661374, 'demand for seafood': 235493, 'for seafood leaving': 325400, 'seafood leaving many': 743139, 'leaving many unable': 485104, 'many unable to': 514833, 'unable to work': 939354, 'work to feed': 1005887, 'their family grim': 873255, 'family grim wait': 297860, 'grim wait until': 363975, 'wait until they': 964245, 'until they hear': 943892, 'they hear what': 882418, 'hear what brexit': 388022, 'what brexit will': 981138, 'brexit will bring': 139539, 'pyramid': 691392, 'my weekend': 550555, 'weekend plan': 977387, 'plan are': 658072, 'cancelled who': 161193, 'who down': 988659, 'hang apart': 376925, 'make eye': 509895, 'eye contact': 294022, 'contact across': 200002, 'the pyramid': 864940, 'pyramid of': 691393, 'since all my': 770495, 'all my weekend': 43576, 'my weekend plan': 550557, 'weekend plan are': 977388, 'plan are cancelled': 658073, 'are cancelled who': 85164, 'cancelled who down': 161194, 'who down to': 988660, 'down to hang': 257368, 'to hang apart': 907143, 'hang apart at': 376926, 'apart at the': 81230, 'we can make': 970975, 'can make eye': 158929, 'make eye contact': 509896, 'eye contact across': 294023, 'contact across the': 200003, 'across the pyramid': 29516, 'the pyramid of': 864941, 'pyramid of orange': 691395, 'infused': 438266, 'vaycay': 952767, '2020 social': 14604, 'distancing sanitizer': 247455, 'sanitizer infused': 735168, 'infused vaycay': 438267, '2020 social distancing': 14605, 'social distancing sanitizer': 779707, 'distancing sanitizer infused': 247456, 'sanitizer infused vaycay': 735169, 'customer didn': 222302, 'didn appreciate': 240984, 'you coughing': 1018071, 'coughing without': 208772, 'without covering': 1002564, 'your mouth': 1024895, 'mouth in': 543523, 'same isle': 733129, 'isle we': 454393, 'cough coughing': 208467, 'coughing shopping': 208750, 'store food': 807760, 'food customer': 314070, 'customer virus': 223017, 'virus sick': 958750, 'sick flu': 768447, 'flu cold': 311396, 'cold sanitizing': 185785, 'sanitizing pandemic': 736490, 'sense people and': 750571, 'people and the': 646887, 'the other customer': 862519, 'other customer didn': 620058, 'customer didn appreciate': 222303, 'didn appreciate you': 240985, 'appreciate you coughing': 82783, 'you coughing without': 1018072, 'coughing without covering': 208773, 'without covering your': 1002566, 'covering your mouth': 212511, 'your mouth in': 1024899, 'mouth in the': 543524, 'the same isle': 866246, 'same isle we': 733130, 'isle we were': 454394, 'we were shopping': 973809, 'shopping in cough': 762957, 'in cough coughing': 421817, 'cough coughing shopping': 208468, 'coughing shopping grocery': 208751, 'shopping grocery store': 762809, 'grocery store food': 365407, 'store food customer': 807765, 'food customer virus': 314071, 'customer virus sick': 223018, 'virus sick flu': 958751, 'sick flu cold': 768448, 'flu cold sanitizing': 311398, 'cold sanitizing pandemic': 185786, 'goddess': 354866, 'ganjagoddess': 343421, 'goddessorders': 354873, 'love corona': 504638, 'down street': 257224, 'street are': 812907, 'empty parking': 274997, 'parking available': 642060, 'available everywhere': 104346, 'everywhere have': 288213, 'keep everyone': 471474, 'everyone foot': 286916, 'touch the': 926545, 'the goddess': 856403, 'goddess without': 354871, 'without permission': 1002836, 'permission ganjagoddess': 652134, 'ganjagoddess goddess': 343422, 'goddess goddessorders': 354869, 'goddessorders 19': 354874, 'love corona virus': 504639, 'virus 19 gas': 957888, 'are down street': 85982, 'down street are': 257225, 'street are empty': 812909, 'are empty parking': 86162, 'empty parking available': 274998, 'parking available everywhere': 642061, 'available everywhere have': 104347, 'everywhere have an': 288214, 'have an excuse': 379249, 'an excuse to': 55936, 'excuse to keep': 289784, 'to keep everyone': 908784, 'keep everyone foot': 471477, 'everyone foot away': 286917, 'away from me': 105895, 'from me do': 336391, 'me do not': 522662, 'not touch the': 572234, 'touch the goddess': 926550, 'the goddess without': 856404, 'goddess without permission': 354872, 'without permission ganjagoddess': 1002837, 'permission ganjagoddess goddess': 652135, 'ganjagoddess goddess goddessorders': 343423, 'goddess goddessorders 19': 354870, 'goddessorders 19 socialdistancing': 354875, 'when those': 984315, 'and bakery': 58663, 'bakery are': 108837, 'are stripped': 90568, 'stripped bare': 813844, 'bare of': 110932, 'food by': 313856, 'little left': 495443, 'increase learn': 432894, 'about why': 26929, 'happens when those': 377528, 'when those supermarket': 984316, 'those supermarket and': 892506, 'supermarket and bakery': 818937, 'and bakery are': 58664, 'bakery are stripped': 108839, 'are stripped bare': 90569, 'stripped bare of': 813849, 'bare of all': 110933, 'all their food': 44999, 'their food by': 873340, 'food by people': 313858, 'by people panic': 153553, 'there is little': 878585, 'is little left': 449402, 'little left for': 495444, 'left for those': 485471, 'it most at': 459680, 'most at time': 542124, 'time when demand': 898283, 'will increase learn': 993815, 'increase learn more': 432895, 'more about why': 538531, 'about why we': 26936, 'why we shouldn': 991529, 'shouldn be panic': 766726, 'adulteration': 32876, 'dal': 225081, 'atta': 102012, 'rava': 697906, 'adulterate': 32869, 'for govts': 321970, 'govts kindly': 361345, 'kindly avoid': 475108, 'avoid shortage': 105278, 'shortage adulteration': 764799, 'adulteration control': 32877, 'good milk': 357389, 'milk rice': 531802, 'rice dal': 721031, 'dal atta': 225082, 'atta rava': 102027, 'rava oil': 697907, 'oil during': 596761, 'lockdown due': 499325, 'some trader': 784110, 'trader selling': 928762, 'selling good': 749274, 'with adulterate': 997102, 'adulterate hike': 32870, 'it burden': 456931, 'burden of': 142747, 'need denatured': 554672, 'denatured are': 236918, 'are harmful': 87021, 'harmful to': 378455, 'health thanks': 386901, 'appeal for govts': 82063, 'for govts kindly': 321971, 'govts kindly avoid': 361346, 'kindly avoid shortage': 475109, 'avoid shortage adulteration': 105279, 'shortage adulteration control': 764800, 'adulteration control price': 32878, 'control price of': 202116, 'price of consumer': 675428, 'consumer good milk': 197626, 'good milk rice': 357391, 'milk rice dal': 531803, 'rice dal atta': 721032, 'dal atta rava': 225083, 'atta rava oil': 102028, 'rava oil during': 697908, 'oil during lockdown': 596762, 'during lockdown due': 262761, 'lockdown due to': 499326, '19 some trader': 10699, 'some trader selling': 784113, 'trader selling good': 928764, 'selling good with': 749277, 'good with adulterate': 357966, 'with adulterate hike': 997103, 'adulterate hike price': 32871, 'hike price it': 396261, 'price it burden': 674912, 'it burden of': 456932, 'burden of people': 142748, 'of people need': 587948, 'people need denatured': 648817, 'need denatured are': 554673, 'denatured are harmful': 236919, 'are harmful to': 87022, 'harmful to health': 378457, 'to health thanks': 907375, 'bridging': 139647, 'start bridging': 794230, 'bridging the': 139648, 'be wasted': 118058, 'wasted and': 968227, 'pushed into': 690368, 'the warns': 871096, 'warns oxfam': 967276, 'oxfam wasting': 632654, 'wasting food': 968307, 'can we start': 160200, 'we start bridging': 973373, 'start bridging the': 794231, 'bridging the gap': 139649, 'gap between food': 343434, 'between food that': 128782, 'food that would': 317109, 'would be wasted': 1011665, 'be wasted and': 118059, 'wasted and growing': 968228, 'growing need in': 367219, 'need in food': 555041, 'in food bank': 422965, 'could be pushed': 208909, 'be pushed into': 116636, 'pushed into poverty': 690369, 'poverty by the': 667490, 'by the warns': 154476, 'the warns oxfam': 871097, 'warns oxfam wasting': 967277, 'oxfam wasting food': 632655, 'wasting food to': 968312, 'introvert': 443519, 'lifeadjustment': 489251, 'not difficult': 569026, 'an introvert': 56433, 'introvert my': 443525, 'but going': 145801, 'have difficult': 380272, 'time standing': 897744, 'up few': 944851, 'few item': 303885, 'item lifeadjustment': 463409, 'staying in the': 798646, 'the house is': 857616, 'house is not': 406376, 'is not difficult': 450062, 'not difficult for': 569027, 'difficult for me': 242224, 'for me an': 323304, 'me an introvert': 522400, 'an introvert my': 56436, 'introvert my home': 443526, 'my home but': 548684, 'home but going': 400834, 'but going to': 145803, 'to have difficult': 907231, 'have difficult time': 380273, 'difficult time standing': 242308, 'time standing in': 897745, 'standing in long': 793777, 'long line outside': 501502, 'outside the grocery': 629593, 'pick up few': 655721, 'up few item': 944853, 'few item lifeadjustment': 303889, 'conquered': 194761, 'tmall': 899355, 'finally conquered': 305961, 'conquered brand': 194762, 'brand thanks': 138028, 'the both': 849893, 'and launched': 65980, 'launched tmall': 482044, 'tmall store': 899356, 'sale drop': 732175, 'drop caused': 260151, 'by closing': 152135, 'finally conquered brand': 305962, 'conquered brand thanks': 194763, 'brand thanks to': 138029, 'to the both': 916524, 'the both and': 849894, 'both and launched': 135849, 'and launched tmall': 65982, 'launched tmall store': 482045, 'tmall store to': 899357, 'make up the': 510690, 'up the sale': 946211, 'the sale drop': 866175, 'sale drop caused': 732176, 'drop caused by': 260152, 'caused by closing': 167830, 'by closing down': 152137, 'closing down of': 183623, 'down of store': 257000, 'united donate': 942154, 'donate 50': 254148, '50 00': 19569, 'each in': 264098, 'demand following': 235353, 'outbreak corona': 628135, 'manchester united donate': 512963, 'united donate 50': 942156, 'donate 50 00': 254149, '50 00 each': 19573, '00 each in': 180, 'each in support': 264099, 'support of local': 826690, 'of local food': 585930, 'bank in response': 109925, 'to the growing': 916757, 'growing demand following': 367163, 'demand following the': 235354, '19 outbreak corona': 9107, 'tuebrook': 935084, 'heron': 394217, 'mortuary': 541986, 'in serving': 427823, 'serving me': 753192, 'in tuebrook': 430315, 'tuebrook liverpool': 935085, 'liverpool heron': 496243, 'heron supermarket': 394218, 'she and': 755856, 'her colleague': 391947, 'and thanked': 73162, 'queue said': 694052, 'said so': 731359, 'am love': 50199, 'love so': 504779, 'so asked': 776555, 'asked where': 95903, 'where she': 985162, 'worked and': 1006094, 'the mortuary': 860931, 'the woman in': 871664, 'woman in serving': 1003520, 'in serving me': 427824, 'serving me in': 753194, 'me in tuebrook': 522982, 'in tuebrook liverpool': 430316, 'tuebrook liverpool heron': 935086, 'liverpool heron supermarket': 496244, 'heron supermarket that': 394219, 'supermarket that she': 823196, 'that she and': 846233, 'she and her': 755857, 'and her colleague': 64509, 'her colleague are': 391948, 'colleague are essential': 186193, 'are essential worker': 86262, 'essential worker now': 281844, 'worker now and': 1007457, 'now and thanked': 574059, 'and thanked her': 73163, 'thanked her the': 841876, 'her the woman': 392436, 'the woman behind': 871661, 'behind me in': 124665, 'the queue said': 865051, 'queue said so': 694053, 'said so am': 731360, 'so am love': 776491, 'am love so': 50200, 'love so asked': 504780, 'so asked where': 776556, 'asked where she': 95904, 'where she worked': 985170, 'she worked and': 756479, 'worked and she': 1006095, 'and she said': 71425, 'said the mortuary': 731441, 'emergency country': 272645, 'country must': 210912, 'must ensure': 546640, 'time information': 897033, 'information is': 437874, 'includes food': 431748, 'food trade': 317350, 'trade measure': 928527, 'measure level': 525250, 'of production': 588506, 'production amp': 681911, 'amp consumption': 53574, 'consumption food': 199873, 'during emergency country': 262624, 'emergency country must': 272646, 'country must ensure': 210913, 'must ensure that': 546642, 'ensure that real': 278068, 'that real time': 845957, 'real time information': 701409, 'time information is': 897035, 'information is available': 437875, 'is available to': 445929, 'available to all': 104638, 'to all this': 900295, 'all this includes': 45112, 'this includes food': 888070, 'includes food trade': 431749, 'food trade measure': 317352, 'trade measure level': 928528, 'measure level of': 525251, 'level of production': 487654, 'of production amp': 588507, 'production amp consumption': 681912, 'amp consumption food': 53575, 'consumption food stock': 199874, 'food stock food': 316788, 'stock food price': 802144, 'usable': 948806, 'sanjana': 736559, '140': 3549, 'continue and': 200999, 'and remain': 70212, 'remain functional': 709753, 'functional don': 341290, '12 am': 2817, 'am all': 49855, 'item will': 463830, 'be usable': 117907, 'usable sanjana': 948807, 'sanjana singh': 736560, 'singh writes': 771203, 'writes 140': 1012823, '140 on': 3554, 'all essential service': 42703, 'service to continue': 752973, 'to continue and': 903378, 'continue and remain': 201000, 'and remain functional': 70214, 'remain functional don': 709754, 'functional don panic': 341291, 'don panic even': 253800, 'panic even after': 638078, 'even after 12': 283808, 'after 12 am': 35268, '12 am all': 2818, 'am all food': 49856, 'food item will': 315243, 'item will be': 463831, 'will be usable': 992753, 'be usable sanjana': 117908, 'usable sanjana singh': 948808, 'sanjana singh writes': 736561, 'singh writes 140': 771204, 'writes 140 on': 1012824, '140 on 19': 3555, 'mississippian': 534411, 'your attorney': 1022874, 'general want': 345495, 'want all': 965692, 'all mississippian': 43514, 'mississippian to': 534412, 'the various': 870646, 'various scam': 952635, 'that threaten': 847023, 'threaten to': 893763, 'your identity': 1024447, 'hard earned': 377906, 'earned money': 264830, 'below you': 126780, 'seeing during': 746276, 'your attorney general': 1022875, 'attorney general want': 102661, 'general want all': 345496, 'want all mississippian': 965694, 'all mississippian to': 43515, 'mississippian to be': 534413, 'of the various': 591585, 'the various scam': 870650, 'various scam that': 952636, 'scam that threaten': 740401, 'that threaten to': 847024, 'threaten to steal': 893764, 'steal your identity': 799216, 'your identity or': 1024448, 'identity or your': 413410, 'or your hard': 617882, 'your hard earned': 1024253, 'hard earned money': 377907, 'earned money in': 264831, 'in the link': 429323, 'link below you': 493807, 'below you can': 126781, 'can read about': 159382, 'read about the': 700257, 'the scam the': 866420, 'scam the ftc': 740404, 'ftc is seeing': 339414, 'is seeing during': 451709, 'seeing during the': 746277, 'could quarantine': 209550, 'myself would': 550985, 'would but': 1011699, 'me who': 523963, 'supermarket still': 822954, 'afford not': 34735, 'patient when': 644297, 'when line': 983693, 'line get': 493129, 'get long': 347498, 'long or': 501541, 'you right': 1020938, 'right away': 721784, 'away quarantine': 106015, 'quarantine commerce': 692091, 'if could quarantine': 414009, 'could quarantine myself': 209551, 'quarantine myself would': 692380, 'myself would but': 550986, 'would but people': 1011700, 'but people like': 146768, 'people like me': 648646, 'like me who': 490759, 'me who work': 523971, 'in supermarket still': 428676, 'supermarket still have': 822956, 'to work cannot': 918700, 'work cannot afford': 1004973, 'cannot afford not': 161606, 'afford not to': 34736, 'not to please': 572173, 'to please be': 911813, 'kind to and': 475004, 'to and be': 900487, 'and be patient': 58762, 'be patient when': 116375, 'patient when line': 644298, 'when line get': 983694, 'line get long': 493130, 'get long or': 347499, 'long or if': 501542, 'or if we': 615723, 'we cannot help': 971066, 'help you right': 390994, 'you right away': 1020939, 'right away quarantine': 721791, 'away quarantine commerce': 106016, 'you any': 1017026, 'any plan': 79658, 'introduce online': 443388, 'with tesco': 1001153, 'tesco you': 838860, 'the option': 862426, 'available thanks': 104615, 'hi there have': 394750, 'there have you': 878469, 'have you any': 383655, 'you any plan': 1017028, 'any plan to': 79661, 'plan to introduce': 658298, 'to introduce online': 908470, 'introduce online shopping': 443389, 'shopping because of': 762177, '19 emergency just': 6758, 'emergency just had': 272767, 'just had to': 468910, 'had to do': 373685, 'my grocery shop': 548580, 'grocery shop online': 364975, 'shop online with': 760597, 'online with tesco': 609750, 'with tesco you': 1001155, 'tesco you don': 838861, 'don have the': 253619, 'have the option': 383007, 'the option available': 862428, 'option available thanks': 613997, 'senfeinstein': 750164, 'kamalaharris': 470733, 'speakerpelosi': 787750, 'repadamschiff': 711445, 'ericsawell': 280161, 'californiacoronavirus': 155619, 'maggienyt': 508377, 'washingtonpost': 967828, 'latimes': 481638, 'gasprices why': 344306, 'in southern': 428148, 'southern california': 786852, 'california pricegouging': 155561, 'pricegouging pricegouging': 677841, 'pricegouging gavinnewsom': 677812, 'gavinnewsom senfeinstein': 344692, 'senfeinstein kamalaharris': 750165, 'kamalaharris speakerpelosi': 470734, 'speakerpelosi repadamschiff': 787751, 'repadamschiff ericsawell': 711446, 'ericsawell californiacoronavirus': 280162, 'californiacoronavirus maggienyt': 155621, 'maggienyt washingtonpost': 508378, 'washingtonpost latimes': 967829, 'gasprices why the': 344307, 'why the gas': 991419, 'price are still': 672745, 'still high in': 800703, 'high in southern': 395133, 'in southern california': 428149, 'southern california pricegouging': 786854, 'california pricegouging pricegouging': 155562, 'pricegouging pricegouging gavinnewsom': 677842, 'pricegouging gavinnewsom senfeinstein': 677813, 'gavinnewsom senfeinstein kamalaharris': 344693, 'senfeinstein kamalaharris speakerpelosi': 750166, 'kamalaharris speakerpelosi repadamschiff': 470735, 'speakerpelosi repadamschiff ericsawell': 787752, 'repadamschiff ericsawell californiacoronavirus': 711447, 'ericsawell californiacoronavirus maggienyt': 280163, 'californiacoronavirus maggienyt washingtonpost': 155622, 'maggienyt washingtonpost latimes': 508379, 'price rate': 676082, 'rate just': 697286, 'revive tourism': 720688, 'tourism demand': 926981, 'already declining': 47281, 'declining due': 231471, 'restriction could': 717248, 'more damaging': 538945, 'damaging cost': 225271, 'cost trap': 208145, 'trap company': 930089, 'company may': 190882, 'may miss': 521346, 'miss opportunity': 534169, 'charge higher': 173256, 'industry could': 435752, 'have allowed': 379179, 'allowed it': 46182, 'lower price rate': 505968, 'price rate just': 676083, 'rate just to': 697287, 'just to revive': 470101, 'to revive tourism': 913508, 'revive tourism demand': 720689, 'tourism demand that': 926982, 'that is already': 844552, 'is already declining': 445515, 'already declining due': 47282, 'declining due to': 231472, 'to 19 travel': 899556, '19 travel restriction': 11555, 'travel restriction could': 930487, 'restriction could be': 717249, 'could be more': 208897, 'be more damaging': 115969, 'more damaging cost': 538946, 'damaging cost trap': 225272, 'cost trap company': 208146, 'trap company may': 930090, 'company may miss': 190884, 'may miss opportunity': 521347, 'miss opportunity to': 534170, 'opportunity to charge': 613698, 'to charge higher': 902640, 'charge higher price': 173257, 'higher price when': 395699, 'price when the': 677491, 'when the industry': 984164, 'the industry could': 858168, 'industry could have': 435753, 'could have allowed': 209239, 'have allowed it': 379180, 'accurate': 28886, 'not suggesting': 571800, 'suggesting everything': 817596, 'everything this': 288054, 'this guy': 887783, 'guy say': 369132, 'is accurate': 445315, 'accurate just': 28902, 'thought some': 893221, 'thing he': 884412, 'he mentioned': 385232, 'mentioned were': 528851, 'were interesting': 979799, 'interesting some': 441611, 'really going': 702228, 'panic merchant': 638308, 'merchant lie': 529030, 'lie conspiracy': 488344, 'conspiracy and': 195570, 'and statistic': 72284, 'statistic oh': 796583, 'and sc': 71020, 'sc via': 739860, 'via video': 956356, 'not suggesting everything': 571801, 'suggesting everything this': 817597, 'everything this guy': 288055, 'this guy say': 887795, 'guy say is': 369133, 'say is accurate': 738815, 'is accurate just': 445316, 'accurate just thought': 28903, 'just thought some': 470068, 'thought some thing': 893222, 'some thing he': 784041, 'thing he mentioned': 884413, 'he mentioned were': 385234, 'mentioned were interesting': 528852, 'were interesting some': 979800, 'interesting some food': 441613, 'some food for': 782859, 'for thought on': 327162, 'thought on what': 893166, 'what is really': 981720, 'is really going': 451298, 'really going on': 702229, 'going on 19': 355293, 'on 19 panic': 599032, '19 panic merchant': 9554, 'panic merchant lie': 638309, 'merchant lie conspiracy': 529031, 'lie conspiracy and': 488345, 'conspiracy and statistic': 195571, 'and statistic oh': 72285, 'statistic oh and': 796584, 'oh and sc': 596358, 'and sc via': 71021, 'sc via video': 739861, 'lethal': 487231, 'medically': 526529, 'complicating': 192474, 'enfo': 276654, 'it every': 457870, 'day work': 228796, 'many older': 514412, 'older resident': 598671, 'resident view': 714393, 'view covid': 957085, '19 joke': 8191, 'joke even': 467075, 'more potentially': 540107, 'potentially lethal': 667219, 'lethal or': 487238, 'least medically': 484550, 'medically complicating': 526532, 'complicating than': 192475, 're willing': 699804, 'to admit': 900114, 'admit and': 32590, 'and bet': 58912, 'bet local': 128081, 'police aren': 662922, 'aren going': 92422, 'to enfo': 905111, 'see it every': 745329, 'it every day': 457872, 'every day work': 285864, 'day work at': 228797, 'work at my': 1004885, 'my supermarket so': 550277, 'supermarket so many': 822734, 'so many older': 777683, 'many older resident': 514414, 'older resident view': 598673, 'resident view covid': 714394, 'view covid 19': 957086, 'covid 19 joke': 213309, '19 joke even': 8193, 'joke even though': 467076, 'even though it': 284709, 'though it more': 892841, 'it more potentially': 459673, 'more potentially lethal': 540108, 'potentially lethal or': 667221, 'lethal or at': 487239, 'at least medically': 99522, 'least medically complicating': 484551, 'medically complicating than': 526533, 'complicating than they': 192476, 'than they re': 841303, 'they re willing': 883152, 're willing to': 699805, 'willing to admit': 995462, 'to admit and': 900115, 'admit and bet': 32591, 'and bet local': 58913, 'bet local police': 128082, 'local police aren': 498283, 'police aren going': 662923, 'aren going to': 92424, 'going to enfo': 355586, 'vermont will': 954861, 'will classify': 992937, 'classify grocery': 180373, 'worker cnn': 1006667, 'cnn smart': 184777, 'and vermont will': 74933, 'vermont will classify': 954862, 'will classify grocery': 992938, 'classify grocery store': 180374, 'employee emergency worker': 273816, 'emergency worker cnn': 273057, 'worker cnn smart': 1006668, 'stop sharing': 805006, 'sharing medium': 755553, 'stop sharing medium': 805007, 'sharing medium post': 755554, 'been tough': 122255, '19 nowhere': 8863, 'nowhere more': 576567, 'more so': 540411, 'so than': 778345, 'bank where': 110293, 'where demand': 984814, 'up new': 945446, 'new food': 558745, 'drive is': 259080, 'now underway': 576259, 'in hope': 423798, 'of easing': 582921, 'easing some': 265273, 'that burden': 843052, 'it been tough': 456805, 'been tough time': 122257, 'for everyone with': 321253, 'everyone with covid': 287622, 'covid 19 nowhere': 213491, '19 nowhere more': 8864, 'nowhere more so': 576568, 'more so than': 540417, 'so than food': 778347, 'than food bank': 840659, 'food bank where': 313667, 'bank where demand': 110294, 'where demand is': 984816, 'demand is up': 235746, 'is up new': 453577, 'up new food': 945448, 'new food drive': 558746, 'food drive is': 314288, 'drive is now': 259082, 'is now underway': 450353, 'now underway in': 576260, 'underway in hope': 940968, 'in hope of': 423801, 'hope of easing': 403566, 'of easing some': 582922, 'easing some of': 265274, 'some of that': 783407, 'of that burden': 590714, 'finally after': 305934, 'after 30': 35287, '30 year': 17267, 'france shopping': 331026, 'shopping today': 764202, 'the metre': 860544, 'metre rule': 529867, 'rule is': 727278, 'norm my': 567051, 'my north': 549514, 'north american': 567609, 'american sense': 52187, 'personal space': 652969, 'space feel': 787093, 'feel almost': 302556, 'almost in': 46674, 'french behaviour': 332718, 'finally after 30': 305935, 'after 30 year': 35289, '30 year in': 17272, 'year in france': 1014649, 'in france shopping': 423085, 'france shopping today': 331027, 'shopping today in': 764210, 'today in supermarket': 919694, 'supermarket where the': 823827, 'where the metre': 985238, 'the metre rule': 860548, 'metre rule is': 529869, 'rule is the': 727281, 'is the norm': 452873, 'the norm my': 861856, 'norm my north': 567052, 'my north american': 549515, 'north american sense': 567616, 'american sense of': 52188, 'sense of personal': 750564, 'of personal space': 588064, 'personal space feel': 652971, 'space feel almost': 787094, 'feel almost in': 302557, 'almost in line': 46677, 'line with french': 493575, 'with french behaviour': 998546, 'average consumer': 104817, 'consumer weird': 199498, 'weird time': 977803, 'time find': 896657, 'consumer think': 199283, 'average consumer weird': 104821, 'consumer weird time': 199499, 'weird time find': 977804, 'time find out': 896658, 'what the average': 982295, 'the average consumer': 849097, 'average consumer think': 104820, 'consumer think about': 199284, 'rishisunak': 723138, 'warehousing': 966832, 'stop online': 804868, 'amid uk': 52735, 'uk restriction': 938669, 'restriction the': 717388, 'clear many': 181283, 'many worker': 514894, 'worker feel': 1006920, 'feel they': 302895, 'climate retailing': 182231, 'retailing borisjohnson': 719474, 'borisjohnson chinavirus': 135513, 'chinavirus rishisunak': 177170, 'rishisunak warehousing': 723139, 'warehousing distribution': 966843, 'next stop online': 561574, 'stop online shopping': 804870, 'shopping amid uk': 761944, 'amid uk restriction': 52736, 'uk restriction the': 938670, 'restriction the company': 717389, 'company said it': 191043, 'it is clear': 458904, 'is clear many': 446548, 'clear many worker': 181284, 'many worker feel': 514896, 'worker feel they': 1006922, 'feel they should': 302899, 'should be at': 765560, 'be at home': 113733, 'at home in': 99012, 'home in the': 401421, 'current climate retailing': 221130, 'climate retailing borisjohnson': 182232, 'retailing borisjohnson chinavirus': 719475, 'borisjohnson chinavirus rishisunak': 135514, 'chinavirus rishisunak warehousing': 177171, 'rishisunak warehousing distribution': 723140, 'ecopies': 268392, 'paperback': 641144, 'righteousness': 722441, 'abideth': 24353, 'icicle': 412738, 'moonbeam': 538334, 'romance': 725721, 'suspense': 829683, 'my ecopies': 548059, 'ecopies are': 268393, 'are 99': 84149, '99 paperback': 23875, 'paperback path': 641147, 'of righteousness': 589114, 'righteousness 50': 722442, '50 there': 19875, 'there abideth': 877951, 'abideth hope': 24354, 'hope 50': 403406, '50 very': 19897, 'very present': 955429, 'present help': 670595, 'help 99': 389289, '99 his': 23841, 'his perfect': 397696, 'perfect love': 651313, 'love 50': 504582, '50 amp': 19605, 'amp icicle': 53968, 'icicle to': 412739, 'to moonbeam': 910248, 'moonbeam 50': 538335, '50 read': 19828, 'read stay': 700555, 'safe amp': 729428, 'amp busy': 53477, 'busy christian': 144886, 'christian romance': 178128, 'romance suspense': 725726, '19 all price': 4900, 'all price on': 44040, 'price on my': 675697, 'on my ecopies': 602278, 'my ecopies are': 548060, 'ecopies are 99': 268394, 'are 99 paperback': 84150, '99 paperback path': 23876, 'paperback path of': 641148, 'path of righteousness': 644023, 'of righteousness 50': 589115, 'righteousness 50 there': 722443, '50 there abideth': 19876, 'there abideth hope': 877952, 'abideth hope 50': 24355, 'hope 50 very': 403407, '50 very present': 19898, 'very present help': 955430, 'present help 99': 670596, 'help 99 his': 389290, '99 his perfect': 23842, 'his perfect love': 397697, 'perfect love 50': 651314, 'love 50 amp': 504583, '50 amp icicle': 19606, 'amp icicle to': 53969, 'icicle to moonbeam': 412740, 'to moonbeam 50': 910249, 'moonbeam 50 read': 538336, '50 read stay': 19829, 'read stay safe': 700556, 'stay safe amp': 797210, 'safe amp busy': 729429, 'amp busy christian': 53478, 'busy christian romance': 144887, 'christian romance suspense': 178129, 'who abuse': 988011, 'abuse grocery': 27637, 'solid kick': 781920, 'as something': 94811, 'done while': 255110, 'while safely': 987231, 'safely socialdistancing': 730320, 'socialdistancing if': 780435, 'are tall': 90744, 'tall and': 834065, 'and flexible': 62966, 'flexible enough': 310384, 'anyone who abuse': 80611, 'who abuse grocery': 988012, 'abuse grocery store': 27638, 'store staff should': 810327, 'staff should get': 792862, 'should get solid': 766038, 'get solid kick': 348038, 'solid kick in': 781921, 'kick in the': 473791, 'the as something': 848953, 'as something that': 94812, 'something that can': 785072, 'be done while': 114572, 'done while safely': 255111, 'while safely socialdistancing': 987232, 'safely socialdistancing if': 730321, 'socialdistancing if you': 780438, 'you are tall': 1017253, 'are tall and': 90745, 'tall and flexible': 834066, 'and flexible enough': 62967, 'everyone wa': 287532, 'wa pushing': 963014, 'pushing the': 690447, 'the trollies': 870013, 'trollies with': 932526, 'that panama': 845636, 'panama hasn': 634684, 'hasn informed': 378752, 'informed people': 438118, 'yet that': 1016249, 'that plastic': 845762, 'plastic can': 658824, 'carry bacteria': 165068, 'bacteria for': 107670, 'day wash': 228662, 'yesterday and everyone': 1015660, 'and everyone wa': 62411, 'everyone wa pushing': 287541, 'wa pushing the': 963015, 'pushing the trollies': 690450, 'the trollies with': 870014, 'trollies with their': 932528, 'with their hand': 1001575, 'their hand and': 873471, 'hand and realized': 374768, 'realized that panama': 701912, 'that panama hasn': 845637, 'panama hasn informed': 634685, 'hasn informed people': 378753, 'informed people yet': 438119, 'people yet that': 650563, 'yet that plastic': 1016250, 'that plastic can': 845763, 'plastic can carry': 658825, 'can carry bacteria': 157870, 'carry bacteria for': 165069, 'bacteria for day': 107671, 'for day wash': 320592, 'day wash your': 228663, 'scanning': 740739, 'somebody out': 784276, 'there know': 878688, 'answer to': 78126, 'one why': 607469, 'not scanning': 571450, 'scanning people': 740747, 'for fever': 321444, 'store takeout': 810501, 'takeout place': 833179, 'pharmacy instant': 654361, 'instant read': 440113, 'read thermometer': 700599, 'thermometer are': 879508, 'that expensive': 843793, 'somebody out there': 784277, 'out there know': 627495, 'there know the': 878689, 'know the answer': 476809, 'the answer to': 848775, 'answer to this': 78135, 'to this one': 917445, 'this one why': 889256, 'one why are': 607470, 'are we not': 91579, 'we not scanning': 972604, 'not scanning people': 571451, 'scanning people for': 740748, 'people for fever': 647950, 'for fever at': 321445, 'the entrance to': 854387, 'entrance to every': 278904, 'to every grocery': 905304, 'grocery store takeout': 365835, 'store takeout place': 810502, 'takeout place and': 833180, 'place and pharmacy': 657320, 'and pharmacy instant': 68973, 'pharmacy instant read': 654362, 'instant read thermometer': 440114, 'read thermometer are': 700600, 'thermometer are not': 879509, 'are not that': 88483, 'not that expensive': 571969, 'guard at': 367785, 'requires guard': 713464, 'guard to': 367851, 'poor checkout': 664143, 'checkout staff': 175010, 'security guard at': 744612, 'guard at the': 367787, 'supermarket wtf is': 824146, 'with people that': 1000174, 'people that requires': 649776, 'that requires guard': 846010, 'requires guard to': 713465, 'guard to protect': 367854, 'protect the poor': 684982, 'the poor checkout': 863972, 'poor checkout staff': 664144, 'adqcc': 32762, 'qccabudhabi': 691527, 'abudhabi': 27561, 'inabudhabi': 431179, 'market service': 517041, 'sector of': 744278, 'of adqcc': 579794, 'adqcc conducted': 32763, 'conducted inspection': 193669, 'inspection to': 439778, 'verify the': 954794, 'the effectiveness': 854078, 'effectiveness of': 269390, 'the procedure': 864539, 'procedure to': 679822, '19 qccabudhabi': 9898, 'qccabudhabi stayhome': 691528, 'stayhome uae': 798220, 'uae abudhabi': 937731, 'abudhabi inabudhabi': 27562, 'inabudhabi together': 431180, 'win covid19': 995545, 'consumer and market': 196224, 'and market service': 66711, 'market service sector': 517042, 'service sector of': 752797, 'sector of adqcc': 744279, 'of adqcc conducted': 579795, 'adqcc conducted inspection': 32764, 'conducted inspection to': 193670, 'inspection to verify': 439779, 'to verify the': 918146, 'verify the effectiveness': 954796, 'the effectiveness of': 854079, 'effectiveness of the': 269393, 'of the procedure': 591367, 'the procedure to': 864540, 'procedure to fight': 679825, 'against the new': 37668, 'new coronavirus pandemic': 558549, 'coronavirus pandemic covid': 206453, 'covid 19 qccabudhabi': 213639, '19 qccabudhabi stayhome': 9899, 'qccabudhabi stayhome uae': 691529, 'stayhome uae abudhabi': 798221, 'uae abudhabi inabudhabi': 937732, 'abudhabi inabudhabi together': 27563, 'inabudhabi together we': 431181, 'will win covid19': 995349, 'tantrum': 834280, 'cuntmom': 220379, 'that mom': 845196, 'mom in': 535751, 'store trying': 810967, 'to reason': 912879, 'child throw': 176229, 'throw tantrum': 895047, 'tantrum and': 834281, 'and called': 59422, 'called her': 156337, 'her cuntmom': 391974, 'she is that': 756164, 'is that mom': 452668, 'that mom in': 845197, 'mom in the': 535753, 'grocery store trying': 365888, 'store trying to': 810968, 'trying to reason': 934854, 'to reason with': 912882, 'reason with her': 703067, 'with her child': 998773, 'her child throw': 391933, 'child throw tantrum': 176230, 'throw tantrum and': 895048, 'tantrum and called': 834282, 'and called her': 59424, 'called her cuntmom': 156338, 'seminar': 749653, 'bough': 136461, 'day saturday': 228303, 'saturday we': 737079, 'had seminar': 373484, 'seminar awareness': 749654, 'awareness re': 105731, 're covid': 698476, 'office it': 595466, 'wa informative': 962403, 'informative we': 438072, 'we then': 973524, 'then bough': 877038, 'bough grocery': 136464, 'the nearby': 861353, 'medicine everything': 526773, 'day saturday we': 228304, 'saturday we had': 737080, 'we had seminar': 971721, 'had seminar awareness': 373485, 'seminar awareness re': 749655, 'awareness re covid': 105732, 're covid 19': 698477, 'covid 19 at': 212660, '19 at the': 5251, 'at the office': 101037, 'the office it': 862073, 'office it wa': 595467, 'it wa informative': 462132, 'wa informative we': 962404, 'informative we then': 438073, 'we then bough': 973525, 'then bough grocery': 877039, 'bough grocery at': 136465, 'grocery at the': 364288, 'at the nearby': 101031, 'the nearby supermarket': 861356, 'nearby supermarket grocery': 553686, 'supermarket grocery medicine': 820579, 'grocery medicine everything': 364724, 'medicine everything we': 526774, 'for the quarantine': 326643, 'the quarantine period': 864971, 'dont hoard': 255233, 'that elderly': 843688, 'please dont hoard': 659937, 'dont hoard thing': 255234, 'thing that elderly': 884802, 'that elderly people': 843690, 'elderly people need': 270830, 'people need if': 648827, 'grocery store please': 365665, 'store please help': 809587, 'please help them': 660084, 'and we need': 75308, 'service need': 752612, 'store stayhomesavelives': 810364, 'thought on grocery': 893162, 'on grocery delivery': 601180, 'delivery service need': 234450, 'service need to': 752613, 'need to not': 555997, 'to not go': 910692, 'the store stayhomesavelives': 868110, 'to while': 918561, 'while there': 987427, 'around many': 93388, 'product service': 681606, 'free of': 332010, 'of charge': 581285, 'charge or': 173304, 'an ultimate': 56816, 'ultimate list': 939119, '200 such': 13548, 'such resource': 816713, 'we re living': 972916, 're living in': 699005, 'living in challenging': 496367, 'challenging time due': 171635, 'due to while': 262027, 'to while there': 918563, 'while there lot': 987429, 'of uncertainty around': 592589, 'uncertainty around many': 939660, 'around many company': 93389, 'many company are': 513915, 'company are offering': 190437, 'are offering their': 88680, 'offering their product': 595285, 'their product service': 874474, 'product service free': 681608, 'service free of': 752403, 'free of charge': 332012, 'of charge or': 581288, 'charge or at': 173305, 'or at discounted': 614442, 'discounted price here': 244598, 'price here an': 674505, 'here an ultimate': 392695, 'an ultimate list': 56817, 'ultimate list of': 939120, 'list of 200': 494406, 'of 200 such': 579457, '200 such resource': 13549, 'unreasonably': 943320, 'with significant': 1000734, 'significant following': 769452, 'following should': 312845, 'should spread': 766484, 'rumour that': 727529, 'that virus': 847253, 'spread more': 790636, 'with stocked': 1000979, 'stocked food': 803317, 'food maybe': 315420, 'maybe this': 521850, 'from stocking': 337423, 'food unreasonably': 317403, 'unreasonably stophoarding': 943321, 'someone with significant': 784790, 'with significant following': 1000735, 'significant following should': 769453, 'following should spread': 312846, 'should spread rumour': 766485, 'spread rumour that': 790780, 'rumour that virus': 727530, 'that virus spread': 847255, 'virus spread more': 958787, 'spread more in': 790638, 'more in house': 539516, 'in house with': 423858, 'house with stocked': 406695, 'with stocked food': 1000980, 'stocked food maybe': 803319, 'food maybe this': 315422, 'maybe this will': 521852, 'this will stop': 891447, 'will stop people': 995001, 'people from stocking': 648009, 'from stocking food': 337424, 'stocking food unreasonably': 803560, 'food unreasonably stophoarding': 317404, 'best part': 127822, 'nonsense is': 566734, 'stock they': 802965, 'should keep': 766166, 'keep so': 471939, 'so stock': 778267, 'bargain price': 111061, 'already positioned': 47576, 'positioned my': 665218, 'my 401k': 547159, '401k to': 18797, 'make 7k': 509641, '7k in': 22478, 'two when': 937379, 'it rebound': 460660, 'the best part': 849537, 'best part of': 127824, 'of this nonsense': 592017, 'this nonsense is': 889160, 'nonsense is everyone': 566735, 'is everyone is': 447585, 'everyone is thing': 287118, 'is thing they': 453064, 'thing they don': 884848, 'they don need': 881995, 'don need and': 253753, 'need and stock': 554437, 'and stock they': 72417, 'stock they should': 802971, 'they should keep': 883373, 'should keep so': 766168, 'keep so stock': 471940, 'so stock are': 778268, 'stock are at': 801850, 'are at bargain': 84664, 'at bargain price': 98090, 'bargain price right': 111064, 'right now already': 722016, 'now already positioned': 573984, 'already positioned my': 47577, 'positioned my 401k': 665219, 'my 401k to': 547160, '401k to make': 18798, 'to make 7k': 909617, 'make 7k in': 509642, '7k in the': 22479, 'next month or': 561458, 'month or two': 537936, 'or two when': 617579, 'two when it': 937380, 'when it rebound': 983647, 'covdhousearrest': 212160, 'housearrestnotquarantine': 406716, 'corinahysteria': 203541, 'coronahoax': 204971, 'pennsylvania allowed': 646553, 'allowed limited': 46184, 'limited sale': 492711, 'spirit via': 789518, 'of volume': 592854, 'volume duh': 960133, 'duh politician': 262061, 'politician get': 663713, 'the bunker': 850120, 'bunker covdhousearrest': 142677, 'covdhousearrest housearrestnotquarantine': 212161, 'housearrestnotquarantine 19': 406717, '19 corinahysteria': 6041, 'corinahysteria coronahoax': 203542, 'pennsylvania allowed limited': 646554, 'allowed limited sale': 46185, 'limited sale of': 492712, 'of wine spirit': 593188, 'wine spirit via': 995900, 'spirit via online': 789519, 'via online shopping': 956137, 'shopping only the': 763520, 'only the website': 611283, 'the website is': 871279, 'website is down': 975320, 'is down of': 447350, 'down of volume': 257003, 'of volume duh': 592855, 'volume duh politician': 960134, 'duh politician get': 262062, 'politician get the': 663714, 'get the bunker': 348229, 'the bunker covdhousearrest': 850121, 'bunker covdhousearrest housearrestnotquarantine': 142678, 'covdhousearrest housearrestnotquarantine 19': 212162, 'housearrestnotquarantine 19 corinahysteria': 406718, '19 corinahysteria coronahoax': 6042, 'truffle': 933246, 'environ': 279069, 'lett': 487278, 'black truffle': 132146, 'truffle sale': 933251, 'at low': 99628, 'france regional': 331020, 'regional market': 707517, '20 the': 13371, 'outbreak may': 628443, 'been factor': 121127, 'factor though': 295907, 'though truffle': 892936, 'truffle price': 933247, 'were high': 979736, 'high climate': 394960, 'causing french': 168037, 'french truffle': 332762, 'truffle production': 933249, 'decline over': 231389, 'term see': 838285, 'see environ': 745077, 'environ re': 279070, 're lett': 698991, 'lett 14': 487279, '14 2019': 3388, 'black truffle sale': 132147, 'truffle sale were': 933252, 'sale were at': 732641, 'were at low': 979354, 'at low in': 99630, 'low in france': 505332, 'in france regional': 423084, 'france regional market': 331021, 'regional market in': 707518, 'market in 2019': 516546, 'in 2019 20': 419796, '2019 20 the': 13921, '20 the covid': 13372, '19 outbreak may': 9154, 'outbreak may have': 628445, 'have been factor': 379535, 'been factor though': 121128, 'factor though truffle': 295908, 'though truffle price': 892937, 'truffle price were': 933248, 'price were high': 677449, 'were high climate': 979737, 'high climate change': 394961, 'climate change is': 182199, 'change is causing': 172150, 'is causing french': 446422, 'causing french truffle': 168038, 'french truffle production': 332763, 'truffle production to': 933250, 'production to decline': 682240, 'to decline over': 904017, 'decline over the': 231390, 'over the longer': 630738, 'longer term see': 502066, 'term see environ': 838286, 'see environ re': 745078, 'environ re lett': 279071, 're lett 14': 698992, 'lett 14 2019': 487280, 'spewing': 789186, 'adderall': 31620, 'uttered': 951440, 'reverential': 720506, 'sympathetic': 830779, 'obama': 578322, 'sulfuric': 817850, 'dying by': 263787, 'and trump': 74485, 'trump spewing': 933861, 'spewing adderall': 789187, 'adderall speak': 31621, 'speak on': 787699, 'ha he': 370836, 'he once': 385276, 'once uttered': 605775, 'uttered reverential': 951441, 'reverential sympathetic': 720507, 'sympathetic gesture': 830780, 'gesture to': 346443, 'the deceased': 852991, 'deceased you': 230721, 'know in': 476497, 'that caring': 843163, 'caring way': 164731, 'way obama': 969735, 'obama did': 578323, 'did sulfuric': 240827, 'sulfuric ignorant': 817851, 'ignorant buffoon': 415777, 'people are dying': 646960, 'are dying by': 86041, 'dying by the': 263788, 'by the minute': 154377, 'minute and trump': 533731, 'and trump spewing': 74491, 'trump spewing adderall': 933862, 'spewing adderall speak': 789188, 'adderall speak on': 31622, 'speak on gas': 787701, 'on gas price': 601070, 'price ha he': 674385, 'ha he once': 370838, 'he once uttered': 385277, 'once uttered reverential': 605776, 'uttered reverential sympathetic': 951442, 'reverential sympathetic gesture': 720508, 'sympathetic gesture to': 830781, 'gesture to the': 346444, 'the family of': 854899, 'family of the': 298106, 'of the deceased': 590935, 'the deceased you': 852992, 'deceased you know': 230722, 'you know in': 1019503, 'know in that': 476499, 'in that caring': 428914, 'that caring way': 843164, 'caring way obama': 164732, 'way obama did': 969736, 'obama did sulfuric': 578324, 'did sulfuric ignorant': 240828, 'sulfuric ignorant buffoon': 817852, 'saas': 728979, 'prescriptive': 670545, 'marketer start': 517493, 'start shifting': 794491, 'shifting budget': 758514, 'budget strategy': 141820, 'strategy now': 812690, 'set yourselves': 753596, 'yourselves up': 1026819, 'for success': 325966, 'success say': 816218, 'say hello': 738743, 'hello to': 389230, 'your b2b': 1022886, 'b2b saas': 106472, 'saas playbook': 728980, 'playbook for': 659266, 'for marketing': 323262, 'marketing mitigating': 517651, 'mitigating disruption': 534550, 'disruption during': 246464, 'during prescriptive': 262926, 'prescriptive tactic': 670546, 'tactic new': 831704, 'data everything': 226203, 'marketer start shifting': 517494, 'start shifting budget': 794492, 'shifting budget strategy': 758515, 'budget strategy now': 141821, 'strategy now to': 812691, 'now to set': 576185, 'to set yourselves': 914298, 'set yourselves up': 753597, 'yourselves up for': 1026821, 'up for success': 944963, 'for success say': 325967, 'success say hello': 816219, 'say hello to': 738746, 'hello to your': 389235, 'to your b2b': 918952, 'your b2b saas': 1022887, 'b2b saas playbook': 106473, 'saas playbook for': 728981, 'playbook for marketing': 659267, 'for marketing mitigating': 323263, 'marketing mitigating disruption': 517652, 'mitigating disruption during': 534551, 'disruption during prescriptive': 246465, 'during prescriptive tactic': 262927, 'prescriptive tactic new': 670547, 'tactic new consumer': 831705, 'new consumer data': 558521, 'consumer data everything': 197053, 'data everything you': 226204, 'you need via': 1020055, 'wheat despite': 982980, 'despite consumer': 238705, 'buying world': 151385, 'world wheat': 1010161, 'wheat stockpile': 983018, 'stockpile seen': 803796, 'seen rising': 747208, 'record in': 704985, '2020 21': 14105, '21 season': 15025, 'season pandemic': 743423, 'ha boosted': 370017, 'boosted near': 135049, 'term demand': 838117, 'for wheat': 327815, 'world will have': 1010189, 'will have lot': 993647, 'lot of wheat': 504325, 'of wheat despite': 593081, 'wheat despite consumer': 982981, 'despite consumer panic': 238706, 'panic buying world': 637970, 'buying world wheat': 151386, 'world wheat stockpile': 1010162, 'wheat stockpile seen': 983019, 'stockpile seen rising': 803797, 'seen rising to': 747209, 'rising to record': 723308, 'to record in': 912980, 'record in 2020': 704986, 'in 2020 21': 419816, '2020 21 season': 14107, '21 season pandemic': 15026, 'season pandemic ha': 743424, 'pandemic ha boosted': 635532, 'ha boosted near': 370018, 'boosted near term': 135050, 'near term demand': 553600, 'term demand for': 838118, 'demand for wheat': 235516, 'jd': 464927, 'pdd': 645938, 'tcehy': 835281, 'tcom': 835290, 'wynn': 1013723, 'lvs': 507036, 'mlco': 534752, 'bili': 130480, 'yumc': 1027090, 'craig': 214803, 'consumer baba': 196379, 'baba jd': 106540, 'jd pdd': 464934, 'pdd tcehy': 645941, 'tcehy tcom': 835282, 'tcom wynn': 835291, 'wynn lvs': 1013724, 'lvs mlco': 507037, 'mlco iq': 534753, 'iq bili': 444647, 'bili yumc': 130481, 'yumc dm': 1027091, 'email craig': 272150, 'craig com': 214804, 'com for': 186934, 'more data': 538959, '19 on chinese': 8933, 'on chinese consumer': 599914, 'chinese consumer baba': 177224, 'consumer baba jd': 196380, 'baba jd pdd': 106541, 'jd pdd tcehy': 464935, 'pdd tcehy tcom': 645942, 'tcehy tcom wynn': 835283, 'tcom wynn lvs': 835292, 'wynn lvs mlco': 1013725, 'lvs mlco iq': 507038, 'mlco iq bili': 534754, 'iq bili yumc': 444648, 'bili yumc dm': 130482, 'yumc dm or': 1027092, 'dm or email': 248915, 'or email craig': 615143, 'email craig com': 272151, 'craig com for': 214805, 'com for more': 186937, 'for more data': 323563, 'only been': 610162, 'been week': 122361, 'but tough': 147620, 'tough start': 926842, 'start for': 794295, 'big policy': 129927, 'policy to': 663522, 'coronavirus recession': 206624, 'it only been': 460092, 'only been week': 610167, 'been week but': 122363, 'week but tough': 976045, 'but tough start': 147621, 'tough start for': 926843, 'start for every': 794296, 'for every big': 321160, 'every big policy': 285686, 'big policy to': 129928, 'policy to mitigate': 663525, 'mitigate the coronavirus': 534540, 'the coronavirus recession': 851896, 'damning': 225481, 'world coronavirus': 1009455, 'solution thread': 782088, 'thread look': 893573, 'world affected': 1009265, 'is common': 446680, 'common lockdown': 189405, 'lockdown however': 499480, 'economic effect': 267082, 'effect is': 269019, 'is damning': 447021, 'damning fall': 225482, 'some developed': 782680, 'developed country': 239695, 'country go': 210687, 'go far': 353524, 'the world coronavirus': 871849, 'world coronavirus the': 1009456, 'coronavirus the solution': 206915, 'the solution thread': 867468, 'solution thread look': 782089, 'thread look at': 893574, 'at all the': 97910, 'all the nation': 44835, 'the nation of': 861253, 'nation of the': 552275, 'the world affected': 871807, 'world affected by': 1009266, '19 one thing': 8981, 'thing is common': 884467, 'is common lockdown': 446681, 'common lockdown however': 189406, 'lockdown however the': 499481, 'however the economic': 409474, 'the economic effect': 853901, 'economic effect is': 267086, 'effect is damning': 269021, 'is damning fall': 447022, 'damning fall in': 225483, 'oil price increase': 597168, 'price increase in': 674775, 'in food price': 422979, 'food price some': 315977, 'price some developed': 676553, 'some developed country': 782681, 'developed country go': 239696, 'country go far': 210688, 'wa 30': 961368, '30 something': 17222, 'something guy': 784929, 'guy complaining': 368964, 'complaining abt': 191895, 'abt no': 27538, 'are ppl': 89167, 'ppl hoarding': 668248, 'hoarding egg': 399274, 'could he': 209275, 'he use': 385565, 'use wic': 949809, 'wic on': 991655, 'on brand': 599685, 'brand egg': 137831, 'egg he': 269883, 'had six': 373510, 'six gallon': 772648, 'of lactose': 585702, 'lactose milk': 478708, 'cart stophoarding': 165385, 'store there wa': 810652, 'there wa 30': 879221, 'wa 30 something': 961370, '30 something guy': 17223, 'something guy complaining': 784930, 'guy complaining abt': 368965, 'complaining abt no': 191896, 'abt no egg': 27539, 'no egg and': 564088, 'egg and why': 269776, 'and why are': 75621, 'why are ppl': 990783, 'are ppl hoarding': 89169, 'ppl hoarding egg': 668249, 'hoarding egg and': 399275, 'egg and could': 269762, 'and could he': 60615, 'could he use': 209276, 'he use wic': 385566, 'use wic on': 949810, 'wic on brand': 991656, 'on brand egg': 599686, 'brand egg he': 137832, 'egg he had': 269884, 'he had six': 385056, 'had six gallon': 373512, 'six gallon of': 772649, 'gallon of lactose': 343045, 'of lactose milk': 585703, 'lactose milk in': 478709, 'milk in his': 531699, 'in his cart': 423723, 'his cart stophoarding': 397282, 'cart stophoarding 19': 165386, 'everyone hoarding': 287013, 'hoarding rice': 399497, 'rice who': 721170, 'who until': 989852, 'now doesn': 574550, 'eat rice': 266037, 'rice remember': 721123, 'all left': 43358, 'left over': 485600, 've hoarded': 953265, 'hoarded to': 398966, 'bank near': 110019, 'you food': 1018611, 'waste should': 968185, 'be side': 117184, 'of irrational': 585306, 'irrational panic': 444990, 'buying coronavir': 150145, 'to everyone hoarding': 905339, 'everyone hoarding rice': 287014, 'hoarding rice who': 399499, 'rice who until': 721171, 'who until now': 989853, 'until now doesn': 943799, 'now doesn eat': 574551, 'doesn eat rice': 251763, 'eat rice remember': 266038, 'rice remember to': 721124, 'remember to donate': 710371, 'to donate it': 904648, 'donate it and': 254192, 'it and all': 456481, 'and all left': 57873, 'all left over': 43362, 'left over food': 485601, 'over food you': 630227, 'food you ve': 317724, 'you ve hoarded': 1022046, 've hoarded to': 953268, 'hoarded to food': 398967, 'food bank near': 313602, 'bank near you': 110020, 'near you food': 553639, 'you food waste': 1018616, 'food waste should': 317493, 'waste should not': 968186, 'not be side': 568456, 'be side effect': 117185, '19 result of': 10194, 'result of irrational': 717599, 'of irrational panic': 585307, 'irrational panic buying': 444991, 'panic buying coronavir': 637688, 'tackle keep': 831577, 'keep maldives': 471645, 'maldives safe': 511679, 'to tackle keep': 916130, 'tackle keep maldives': 831580, 'keep maldives safe': 471646, 'tru': 932701, 'applauds': 82281, 'nyse': 578126, 'tru transunion': 932702, 'transunion applauds': 930075, 'applauds regulatory': 82286, 'consumer relief': 198686, 'relief nyse': 709398, 'nyse tru': 578140, 'tru transunion applauds': 932703, 'transunion applauds regulatory': 930076, 'applauds regulatory guidance': 82287, 'regulatory guidance on': 708177, 'guidance on covid': 368263, 'related consumer relief': 708401, 'consumer relief nyse': 198690, 'relief nyse tru': 709399, 'studying': 814989, 'idiotic': 413646, 'rumination': 727469, 'tank product': 834226, 'same chemical': 732991, 'chemical is': 175365, 'is studying': 452403, 'studying for': 814990, 'please trump': 660689, 'trump idiotic': 933617, 'idiotic rumination': 413654, 'fish tank product': 309345, 'tank product ha': 834227, 'product ha the': 681243, 'ha the same': 372225, 'the same chemical': 866205, 'same chemical is': 732993, 'chemical is studying': 175366, 'is studying for': 452404, 'studying for covid': 814991, '19 to please': 11446, 'to please trump': 911822, 'please trump idiotic': 660690, 'trump idiotic rumination': 933618, 'tele': 836660, 'et ftc': 282359, 'ftc will': 339473, 'will join': 993873, 'join aarp': 466661, 'aarp weekly': 24156, 'weekly live': 977509, 'live information': 495897, 'information tele': 437990, 'tele town': 836667, 'town hall': 927474, 'hall gov': 374330, 'gov official': 359647, 'official will': 595977, 'will answer': 992287, 'about avoiding': 24839, 'providing resource': 687085, 'family caregiver': 297690, 'today at 1pm': 919267, '1pm et ftc': 12693, 'et ftc will': 282361, 'ftc will join': 339474, 'will join aarp': 993874, 'join aarp weekly': 466662, 'aarp weekly live': 24157, 'weekly live information': 977510, 'live information tele': 495898, 'information tele town': 437991, 'tele town hall': 836668, 'town hall gov': 927476, 'hall gov official': 374331, 'gov official will': 359648, 'official will answer': 595978, 'will answer your': 992288, 'answer your question': 78156, 'question about avoiding': 693493, 'about avoiding scam': 24840, 'avoiding scam and': 105490, 'scam and providing': 740015, 'and providing resource': 69713, 'providing resource for': 687086, 'resource for family': 714782, 'for family caregiver': 321385, 'hugged': 410279, 'dave': 226956, 'whamond': 980945, 'distancing have': 247194, 'have hugged': 380999, 'hugged the': 410282, 'found toilet': 330444, 'at marianos': 99675, 'marianos best': 515685, 'best easter': 127672, 'easter gift': 265434, 'gift ever': 349968, 'ever lol': 285395, 'lol art': 500875, 'by dave': 152295, 'dave whamond': 226966, 'whamond toiletpaper': 980946, 'toiletpaperpanic socialdistancing': 923241, 'socialdistancing easter': 780341, 'easter groceryworkers': 265442, 'groceryworkers washyourhands': 366411, 'washyourhands stayathome': 967913, 'wasn for social': 967976, 'social distancing have': 779629, 'distancing have hugged': 247196, 'have hugged the': 381000, 'hugged the grocery': 410283, 'worker we found': 1008141, 'we found toilet': 971593, 'found toilet paper': 330445, 'paper at marianos': 639896, 'at marianos best': 99676, 'marianos best easter': 515686, 'best easter gift': 127673, 'easter gift ever': 265435, 'gift ever lol': 349969, 'ever lol art': 285396, 'lol art by': 500876, 'art by dave': 94146, 'by dave whamond': 152296, 'dave whamond toiletpaper': 226967, 'whamond toiletpaper toiletpaperpanic': 980947, 'toiletpaper toiletpaperpanic socialdistancing': 922704, 'toiletpaperpanic socialdistancing easter': 923242, 'socialdistancing easter groceryworkers': 780342, 'easter groceryworkers washyourhands': 265443, 'groceryworkers washyourhands stayathome': 366412, 'soo are': 785563, 'you telling': 1021544, 'not cure': 568940, 'disinfectant covid': 245639, 'soo are you': 785564, 'are you telling': 91869, 'you telling me': 1021545, 'telling me that': 837229, 'me that this': 523632, 'is not cure': 450058, 'not cure for': 568941, 'be killed by': 115603, 'by soap and': 154058, 'soap and disinfectant': 778909, 'and disinfectant covid': 61444, 'disinfectant covid 19': 245640, 'latest new': 481443, 'york city': 1016587, 'city grocer': 179160, 'grocer to': 364175, 'hold special': 399999, 'especially vulnerable': 280650, 'it the latest': 461553, 'the latest new': 859130, 'latest new york': 481444, 'new york city': 559922, 'york city grocer': 1016590, 'city grocer to': 179162, 'grocer to hold': 364176, 'to hold special': 907915, 'hold special hour': 400000, 'senior who are': 750441, 'who are especially': 988138, 'are especially vulnerable': 86241, 'especially vulnerable to': 280652, 'wandering': 965569, 'dontstockpile': 255401, 'fucking stock': 340009, 'pile ve': 656518, 'seen elder': 747006, 'elder people': 270542, 'people wandering': 650136, 'wandering around': 965576, 'like zombie': 491901, 'zombie trying': 1027731, 'find something': 307240, 'eat dontstockpile': 265888, 'do not fucking': 249743, 'not fucking stock': 569549, 'fucking stock pile': 340010, 'stock pile ve': 802634, 'pile ve seen': 656519, 've seen elder': 953526, 'seen elder people': 747007, 'elder people wandering': 270544, 'people wandering around': 650138, 'wandering around the': 965577, 'supermarket like zombie': 821319, 'like zombie trying': 491903, 'zombie trying to': 1027732, 'to find something': 905937, 'find something to': 307243, 'something to eat': 785100, 'to eat dontstockpile': 904878, 'family fear': 297781, 'fear nursing': 301217, 'could collapse': 209023, 'collapse under': 186068, 'under pressure': 940200, 'family fear nursing': 297783, 'fear nursing home': 301218, 'nursing home could': 577613, 'home could collapse': 400957, 'could collapse under': 209025, 'collapse under pressure': 186069, 'spain 15': 787265, '15 people': 3811, 'people enter': 647800, 'enter at': 278233, 'rest wait': 716236, 'outside meter': 629484, 'store in spain': 808394, 'in spain 15': 428165, 'spain 15 people': 787266, '15 people enter': 3814, 'people enter at': 647801, 'enter at time': 278235, 'at time and': 101283, 'time and the': 896299, 'the rest wait': 865640, 'rest wait outside': 716237, 'wait outside meter': 964175, 'outside meter apart': 629485, 'timeforplanb': 898450, 'ricecrypto': 721181, 'o0dsd66xjz': 578230, 'using crypto': 950441, 'crypto for': 219946, 'wa designed': 961958, 'do used': 250437, 'used bitcoin': 949872, 'bitcoin to': 131839, 'some ball': 782376, 'ball with': 109078, 'my card': 547608, 'card glad': 163534, 'glad did': 351483, 'did price': 240767, 'skyrocketing now': 773438, 'everyone timeforplanb': 287492, 'timeforplanb crypto': 898451, 'crypto ricecrypto': 219962, 'ricecrypto o0dsd66xjz': 721182, 'using crypto for': 950442, 'crypto for what': 219947, 'for what it': 327799, 'what it wa': 981760, 'it wa designed': 462101, 'wa designed to': 961960, 'designed to do': 238353, 'to do used': 904578, 'do used bitcoin': 250438, 'used bitcoin to': 949873, 'bitcoin to buy': 131840, 'buy some ball': 149195, 'some ball with': 782377, 'ball with my': 109079, 'with my card': 999612, 'my card glad': 547610, 'card glad did': 163535, 'glad did price': 351484, 'did price are': 240768, 'are skyrocketing now': 90167, 'skyrocketing now with': 773440, 'now with stay': 576455, 'with stay safe': 1000953, 'safe everyone timeforplanb': 729653, 'everyone timeforplanb crypto': 287493, 'timeforplanb crypto ricecrypto': 898452, 'crypto ricecrypto o0dsd66xjz': 219963, 'alice': 41723, 'chan': 171688, 'bumped': 142579, 'joel': 466460, 'alicechan': 41728, 'joelchan': 466465, 'destiny': 238998, 'alice chan': 41724, 'chan bumped': 171689, 'bumped into': 142580, 'into joel': 442681, 'joel chan': 466461, 'chan when': 171693, 'supermarket alicechan': 818862, 'alicechan joelchan': 41729, 'joelchan grocery': 466466, 'supermarket destiny': 819954, 'alice chan bumped': 41725, 'chan bumped into': 171690, 'bumped into joel': 142581, 'into joel chan': 442682, 'joel chan when': 466462, 'chan when buying': 171694, 'when buying grocery': 983225, 'buying grocery at': 150410, 'the supermarket alicechan': 868452, 'supermarket alicechan joelchan': 818863, 'alicechan joelchan grocery': 41730, 'joelchan grocery supermarket': 466467, 'grocery supermarket destiny': 365994, 'cosmetic': 207784, 'onlineshop': 609872, 'your beauty': 1022923, 'beauty regime': 118774, 'regime shop': 707366, 'shop offer': 760531, 'delivery now': 234213, 'now staysafestayhome': 575902, 'staysafestayhome stayathome': 799019, 'stayathome fridayfeeling': 797480, 'fridayfeeling staysafe': 333338, 'staysafe beauty': 798784, 'beauty washyourhands': 118818, 'washyourhands cosmetic': 967866, 'cosmetic onlineshop': 207790, 'onlineshop shopping': 609878, 'shopping dontbeaspreader': 762510, 'staying safe at': 798689, 'home still want': 402147, 'want to keep': 966058, 'up with your': 946703, 'with your beauty': 1002179, 'your beauty regime': 1022924, 'beauty regime shop': 118775, 'regime shop offer': 707367, 'shop offer online': 760532, 'offer online with': 594727, 'online with free': 609746, 'with free delivery': 998534, 'free delivery now': 331756, 'delivery now staysafestayhome': 234216, 'now staysafestayhome stayathome': 575903, 'staysafestayhome stayathome fridayfeeling': 799020, 'stayathome fridayfeeling staysafe': 797481, 'fridayfeeling staysafe beauty': 333339, 'staysafe beauty washyourhands': 798785, 'beauty washyourhands cosmetic': 118819, 'washyourhands cosmetic onlineshop': 967867, 'cosmetic onlineshop shopping': 207791, 'onlineshop shopping dontbeaspreader': 609879, 'mustread': 547036, 'important step': 418969, 'step keep': 799581, 'hand when': 375976, 'get home': 347236, 'via mustread': 956086, 'mustread health': 547039, 'health 19': 386094, 'important step keep': 418970, 'step keep distance': 799582, 'keep distance and': 471449, 'distance and wash': 246643, 'your hand when': 1024242, 'hand when you': 375979, 'when you get': 984563, 'you get home': 1018777, 'get home via': 347251, 'home via mustread': 402428, 'via mustread health': 956087, 'mustread health 19': 547040, 'with milk': 999505, 'price plunging': 675938, 'plunging to': 661548, 'low dairy': 505225, 'dairy cooperative': 224965, 'cooperative are': 203170, 'dumping the': 262252, 'curb an': 220548, 'an oversupply': 56762, 'oversupply during': 631591, 'lockdown more': 499668, 'with milk price': 999506, 'milk price plunging': 531784, 'price plunging to': 675939, 'plunging to low': 661549, 'to low dairy': 909483, 'low dairy cooperative': 505226, 'dairy cooperative are': 224966, 'cooperative are dumping': 203171, 'are dumping the': 86027, 'dumping the product': 262253, 'the product to': 864598, 'product to curb': 681743, 'to curb an': 903797, 'curb an oversupply': 220549, 'an oversupply during': 56764, 'oversupply during the': 631592, 'during the lockdown': 263150, 'the lockdown more': 859617, 'ro': 724376, 'cranberry': 214851, 'desperatetimescallfordesperatemeasures': 238586, 'technicallynolongerboxwine': 836216, 'ratapiko': 697134, 'slot left': 774228, 'left so': 485639, 'made ro': 507943, 'ro from': 724379, 'from box': 334721, 'box wine': 137201, 'and cranberry': 60688, 'cranberry juice': 214852, 'juice desperatetimescallfordesperatemeasures': 467737, 'desperatetimescallfordesperatemeasures selfisolation': 238587, 'selfisolation technicallynolongerboxwine': 748505, 'technicallynolongerboxwine ratapiko': 836217, 'ratapiko new': 697135, 'ha no delivery': 371338, 'delivery slot left': 234531, 'slot left so': 774230, 'left so made': 485641, 'so made ro': 777625, 'made ro from': 507944, 'ro from box': 724380, 'from box wine': 334723, 'box wine and': 137202, 'wine and cranberry': 995765, 'and cranberry juice': 60689, 'cranberry juice desperatetimescallfordesperatemeasures': 214853, 'juice desperatetimescallfordesperatemeasures selfisolation': 467738, 'desperatetimescallfordesperatemeasures selfisolation technicallynolongerboxwine': 238588, 'selfisolation technicallynolongerboxwine ratapiko': 748506, 'technicallynolongerboxwine ratapiko new': 836218, 'ratapiko new zealand': 697136, 'ding': 242992, 'tonic': 924333, 'illusion': 416429, 'ding ding': 242993, 'ding we': 242997, 'we noticed': 972607, 'noticed this': 573496, 'too specifically': 925079, 'specifically tonic': 788292, 'tonic water': 924341, 'water strange': 969174, 'strange hopefully': 812394, 'hopefully people': 403874, 'aren under': 92576, 'the illusion': 857886, 'illusion that': 416430, 'that tonic': 847090, 'tonic will': 924346, 'will actually': 992190, 'actually cure': 30769, 'ding ding we': 242994, 'ding we noticed': 242998, 'we noticed this': 972608, 'noticed this in': 573497, 'this in our': 888052, 'local supermarket too': 498606, 'supermarket too specifically': 823511, 'too specifically tonic': 925080, 'specifically tonic water': 788293, 'tonic water strange': 924344, 'water strange hopefully': 969175, 'strange hopefully people': 812395, 'hopefully people aren': 403875, 'people aren under': 647130, 'aren under the': 92577, 'under the illusion': 940313, 'the illusion that': 857887, 'illusion that tonic': 416432, 'that tonic will': 847091, 'tonic will actually': 924347, 'will actually cure': 992192, 'actually cure covid': 30770, '2qfy2020': 16856, 'qoq': 691580, 'research rubber': 713833, 'rubber glove': 726936, 'glove producer': 352872, 'producer top': 680706, 'top glove': 925584, 'glove record': 352885, 'record better': 704913, 'better 2qfy2020': 128172, '2qfy2020 result': 16857, 'result qoq': 717633, 'qoq without': 691581, 'without much': 1002790, 'much contribution': 544807, 'contribution from': 201935, '19 healthcare': 7486, 'system switch': 831327, 'switch from': 830490, 'from cheaper': 334831, 'cheaper vinyl': 174292, 'vinyl glove': 957473, 'to safer': 913724, 'safer rubber': 730376, 'glove lower': 352763, 'price mean': 675211, 'mean lower': 524542, 'lower input': 505893, 'input cost': 438972, 'research rubber glove': 713834, 'rubber glove producer': 726941, 'glove producer top': 352873, 'producer top glove': 680707, 'top glove record': 925585, 'glove record better': 352886, 'record better 2qfy2020': 704914, 'better 2qfy2020 result': 128173, '2qfy2020 result qoq': 16858, 'result qoq without': 717634, 'qoq without much': 691582, 'without much contribution': 1002791, 'much contribution from': 544808, 'contribution from covid': 201936, 'covid 19 healthcare': 213196, '19 healthcare system': 7490, 'healthcare system switch': 387314, 'system switch from': 831328, 'switch from cheaper': 830491, 'from cheaper vinyl': 334832, 'cheaper vinyl glove': 174293, 'vinyl glove to': 957474, 'glove to safer': 352975, 'to safer rubber': 913725, 'safer rubber glove': 730377, 'rubber glove lower': 726939, 'glove lower oil': 352764, 'oil price mean': 597191, 'price mean lower': 675212, 'mean lower input': 524543, 'lower input cost': 505894, 'input cost more': 438974, 'totnes': 926423, 'of totnes': 592334, 'totnes shop': 926424, 'place offering': 657609, 'offering collection': 595036, 'delivery please': 234347, 'ensure they': 278101, 'list of totnes': 494485, 'of totnes shop': 592335, 'totnes shop and': 926425, 'shop and food': 759846, 'and food place': 63075, 'food place offering': 315855, 'place offering collection': 657610, 'offering collection or': 595037, 'or delivery please': 614946, 'delivery please contact': 234348, 'contact the business': 200220, 'the business in': 850169, 'business in advance': 143876, 'advance to ensure': 32916, 'to ensure they': 905198, 'ensure they are': 278102, 'they are open': 881350, 'shopping cannot': 762279, 'time felt': 896651, 'attack while grocery': 102176, 'while grocery shopping': 986888, 'grocery shopping cannot': 365005, 'shopping cannot remember': 762280, 'last time felt': 480561, 'time felt so': 896652, 'lewisville': 487848, '225': 15293, 'mound': 543389, 'in lewisville': 424683, 'lewisville they': 487852, 'they donated': 882009, 'donated 225': 254310, '225 individual': 15296, 'individual bottle': 435147, '15 large': 3758, 'large container': 479624, 'container for': 200543, 'for refill': 325052, 'refill to': 706555, 'flower mound': 311311, 'mound fire': 543390, 'department thank': 237284, 'you to in': 1021790, 'to in lewisville': 908226, 'in lewisville they': 424684, 'lewisville they donated': 487853, 'they donated 225': 882010, 'donated 225 individual': 254311, '225 individual bottle': 15297, 'individual bottle of': 435148, 'sanitizer and about': 734378, 'and about 15': 57540, 'about 15 large': 24648, '15 large container': 3759, 'large container for': 479625, 'container for refill': 200544, 'for refill to': 325053, 'refill to the': 706556, 'to the flower': 916716, 'the flower mound': 855455, 'flower mound fire': 311312, 'mound fire department': 543391, 'fire department thank': 308070, 'department thank you': 237285, 'dummy': 262145, '8105473545': 22781, 'earn easily': 264783, 'easily just': 265218, 'just by': 468394, 'creating dummy': 215997, 'dummy purchase': 262146, 'purchase list': 689537, 'and earn': 61845, 'earn coin': 264779, 'coin which': 185646, 'can later': 158836, 'later me': 481096, 'me transferred': 523827, 'transferred directly': 929547, 'account give': 28683, 'give missed': 350592, 'missed call': 534227, 'to 8105473545': 899855, '8105473545 and': 22782, 'will set': 994823, 'set your': 753593, 'business live': 144004, 'in 30': 419906, '30 min': 17113, 'min download': 532531, 'download app': 257579, 'app restaurant': 81752, 'earn easily just': 264784, 'easily just by': 265219, 'just by creating': 468397, 'by creating dummy': 152257, 'creating dummy purchase': 215998, 'dummy purchase list': 262147, 'purchase list and': 689538, 'list and earn': 494268, 'and earn coin': 61846, 'earn coin which': 264780, 'coin which can': 185647, 'which can later': 985735, 'can later me': 158837, 'later me transferred': 481097, 'me transferred directly': 523828, 'transferred directly to': 929548, 'directly to your': 243595, 'to your bank': 918953, 'bank account give': 109552, 'account give missed': 28684, 'give missed call': 350593, 'missed call to': 534228, 'call to 8105473545': 156163, 'to 8105473545 and': 899856, '8105473545 and we': 22783, 'we will set': 973906, 'will set your': 994826, 'set your business': 753594, 'your business live': 1023065, 'business live in': 144006, 'live in 30': 495844, 'in 30 min': 419909, '30 min download': 17116, 'min download app': 532532, 'download app restaurant': 257580, 'app restaurant food': 81753, 'restaurant food retail': 716478, 'really maybe': 702409, 'maybe that': 521821, 'do make': 249579, 'big difference': 129755, 'difference but': 241821, 'know wear': 476935, 'thick shit really': 883990, 'shit really maybe': 759203, 'really maybe that': 702410, 'maybe that you': 521826, 'that you and': 847712, 'you and face': 1016986, 'face mask do': 294534, 'mask do make': 518582, 'do make big': 249580, 'make big difference': 509735, 'big difference but': 129756, 'difference but of': 241822, 'but of course': 146636, 'of course you': 582081, 'course you know': 211968, 'you know wear': 1019539, 'know wear mask': 476936, 'own urban': 632282, 'urban farming': 948109, 'farming flourish': 299621, 'flourish in': 311194, 'your own urban': 1025167, 'own urban farming': 632283, 'urban farming flourish': 948110, 'farming flourish in': 299622, 'flourish in lockdown': 311195, 'healthdaynews': 387440, 'smartphone apps': 775518, 'apps might': 83296, 'might track': 531149, 'track slow': 928221, 'slow spread': 774394, '19 thanks': 11140, 'to healthdaynews': 907390, 'healthdaynews for': 387441, 'for including': 322518, 'including my': 432066, 'my quote': 549881, 'smartphone apps might': 775519, 'apps might track': 83297, 'might track slow': 531150, 'track slow spread': 928222, 'slow spread of': 774395, 'covid 19 thanks': 213929, '19 thanks to': 11144, 'thanks to healthdaynews': 842234, 'to healthdaynews for': 907391, 'healthdaynews for including': 387442, 'for including my': 322520, 'including my quote': 432067, 'unfortunately in': 941611, 'any alternative': 78913, 'least try': 484673, 'get another': 346561, 'another provider': 77780, 'provider and': 686684, 'and obviously': 67940, 'obviously we': 578864, 'need access': 554358, 'internet even': 441933, 'so these': 778456, 'pandemic going': 635501, 'yourself for': 1026601, 'for charging': 320021, 'charging these': 173524, 'such slow': 816757, 'slow internet': 774367, 'internet service': 442017, 'unfortunately in my': 941613, 'in my home': 425585, 'my home do': 548685, 'not have any': 569810, 'have any alternative': 379294, 'any alternative to': 78914, 'alternative to at': 49267, 'at least try': 99560, 'least try to': 484674, 'to get another': 906410, 'get another provider': 346564, 'another provider and': 77781, 'provider and obviously': 686686, 'and obviously we': 67947, 'obviously we need': 578865, 'we need access': 972460, 'need access to': 554359, 'to the internet': 916814, 'the internet even': 858382, 'internet even more': 441934, 'even more so': 284377, 'more so these': 540418, 'so these day': 778457, 'these day with': 879903, 'day with the': 228784, '19 pandemic going': 9337, 'pandemic going on': 635502, 'going on you': 355348, 'on you should': 605437, 'ashamed of yourself': 95068, 'of yourself for': 593544, 'yourself for charging': 1026602, 'for charging these': 320023, 'charging these price': 173525, 'these price for': 880531, 'price for such': 674051, 'for such slow': 325976, 'such slow internet': 816758, 'slow internet service': 774368, 'your pet': 1025268, 'pet get': 653405, 'get board': 346682, 'bathroom toiletpaper': 112679, 'toiletpaper quarantinelife': 922381, 'quarantinelife toiletpaperapocalypse': 693035, 'when your pet': 984637, 'your pet get': 1025272, 'pet get board': 653406, 'get board in': 346683, 'board in the': 133647, 'the bathroom toiletpaper': 849337, 'bathroom toiletpaper quarantinelife': 112680, 'toiletpaper quarantinelife toiletpaperapocalypse': 922382, 'trucker working': 932969, 'chain moving': 170933, 'moving to': 544201, 'meet surging': 527584, 'surging consumer': 828411, 'finding it': 307491, 'navigate growing': 553066, 'of challenge': 581261, 'trucker working overtime': 932970, 'overtime to keep': 631647, 'supply chain moving': 824993, 'chain moving to': 170935, 'moving to meet': 544209, 'to meet surging': 910054, 'meet surging consumer': 527585, 'surging consumer demand': 828412, 'consumer demand during': 197129, 'pandemic are finding': 634942, 'are finding it': 86571, 'finding it more': 307495, 'it more difficult': 459668, 'more difficult to': 539040, 'difficult to navigate': 242341, 'to navigate growing': 910488, 'navigate growing list': 553068, 'list of challenge': 494418, 'schneider': 741634, 're adapting': 698181, 'living working': 496490, 'moment md': 535990, 'md mike': 522277, 'mike schneider': 531281, 'schneider retailer': 741639, 'retailer ha': 719170, 'good more': 357397, 'australian work': 103580, 'to socialdistanacing': 914828, 'we re adapting': 972815, 're adapting to': 698184, 'adapting to new': 31348, 'of living working': 585919, 'living working at': 496491, 'the moment md': 860768, 'moment md mike': 535991, 'md mike schneider': 522278, 'mike schneider retailer': 531282, 'schneider retailer ha': 741640, 'retailer ha seen': 719171, 'demand for good': 235432, 'for good more': 321938, 'good more australian': 357398, 'more australian work': 538689, 'australian work and': 103581, 'work and spend': 1004808, 'and spend time': 72090, 'spend time at': 788688, 'due to socialdistanacing': 261959, 'duality': 261449, 'jungian': 468017, 'selfie': 747959, 'to suggest': 915742, 'suggest something': 817532, 'the duality': 853761, 'duality of': 261450, 'of man': 586138, 'man the': 512268, 'the jungian': 858706, 'jungian thing': 468018, 'thing sir': 884746, 'sir weird': 771674, 'weird feeling': 977760, 'feeling myself': 303031, 'myself waiting': 550966, 'sister at': 771717, 'because socialdistancing': 119566, 'socialdistancing selfie': 780667, 'selfie felt': 747962, 'felt might': 303424, 'might take': 531136, 'down quarantine': 257133, 'think wa trying': 885750, 'trying to suggest': 934883, 'to suggest something': 915744, 'suggest something about': 817533, 'something about the': 784833, 'about the duality': 26380, 'the duality of': 853762, 'duality of man': 261451, 'of man the': 586139, 'man the jungian': 512269, 'the jungian thing': 858707, 'jungian thing sir': 468019, 'thing sir weird': 884747, 'sir weird feeling': 771675, 'weird feeling myself': 977761, 'feeling myself waiting': 303032, 'myself waiting in': 550967, 'the car for': 850375, 'car for my': 163088, 'my sister at': 550104, 'sister at the': 771718, 'store because socialdistancing': 806687, 'because socialdistancing selfie': 119568, 'socialdistancing selfie felt': 780668, 'selfie felt might': 747963, 'felt might take': 303425, 'might take it': 531138, 'take it down': 832242, 'it down quarantine': 457695, 'invade': 443556, 'distancing while': 247642, 'go against': 353253, 'against everything': 37431, 'everything society': 288001, 'society taught': 781318, 'taught about': 834886, 'about standing': 26245, 'to invade': 908475, 'invade people': 443559, 'people space': 649513, 'space socialdistanacing': 787163, 'trying to practice': 934841, 'social distancing while': 779768, 'distancing while in': 247643, 'store go against': 807942, 'go against everything': 353254, 'against everything society': 37432, 'everything society taught': 288002, 'society taught about': 781319, 'taught about standing': 834887, 'about standing in': 26246, 'in line we': 424783, 'line we love': 493552, 'we love to': 972311, 'love to invade': 504850, 'to invade people': 908477, 'invade people space': 443560, 'people space socialdistanacing': 649514, 'staff cannot': 792300, 'handle debit': 376190, 'debit credit': 230378, 'credit store': 216516, 'store card': 806869, 'card etc': 163513, 'transmission but': 929733, 'problem touching': 679726, 'touching all': 926655, 'food packaging': 315737, 'packaging which': 633577, 'which also': 985656, 'also touched': 49026, 'touched and': 926597, 'by others': 153469, 'others stranger': 621671, 'so supermarket checkout': 778307, 'supermarket checkout staff': 819670, 'checkout staff cannot': 175012, 'staff cannot handle': 792301, 'cannot handle debit': 161937, 'handle debit credit': 376191, 'debit credit store': 230379, 'credit store card': 216517, 'store card etc': 806870, 'card etc to': 163514, 'etc to reduce': 282837, '19 transmission but': 11545, 'transmission but no': 929734, 'but no problem': 146495, 'no problem touching': 565200, 'problem touching all': 679727, 'touching all that': 926657, 'all that food': 44638, 'that food packaging': 843912, 'food packaging which': 315741, 'packaging which also': 633578, 'which also touched': 985658, 'also touched and': 49027, 'touched and who': 926599, 'and who may': 75592, 'who may also': 989268, 'may also have': 520918, 'also have been': 48324, 'affected by others': 34319, 'by others stranger': 153473, 'covid falling': 214159, 'force canadian': 328354, 'oil to': 597475, 'spending 19': 788709, '19 news': 8774, 'news market': 560599, 'covid falling price': 214160, 'falling price force': 297323, 'price force canadian': 674083, 'force canadian oil': 328355, 'canadian oil to': 160722, 'oil to cut': 597476, 'to cut spending': 903888, 'cut spending 19': 223546, 'spending 19 news': 788710, '19 news market': 8777, 'ioc': 444432, 'exclusive the': 289698, '2020 tokyo': 14670, 'tokyo olympics': 923497, 'olympics will': 598800, 'be postponed': 116486, 'postponed likely': 666813, 'to 2021': 899600, '2021 veteran': 14801, 'veteran ioc': 955717, 'ioc member': 444435, 'member dick': 528056, 'dick pound': 240467, 'pound say': 667402, 'the basis': 849322, 'basis of': 112259, 'information the': 438000, 'the ioc': 858433, 'ioc ha': 444433, 'ha postponement': 371517, 'postponement ha': 666848, 'been decided': 120926, 'decided pound': 230877, 'pound told': 667410, 'exclusive the 2020': 289699, 'the 2020 tokyo': 848027, '2020 tokyo olympics': 14671, 'tokyo olympics will': 923499, 'olympics will be': 598801, 'will be postponed': 992615, 'be postponed likely': 116489, 'postponed likely to': 666814, 'likely to 2021': 492125, 'to 2021 veteran': 899601, '2021 veteran ioc': 14802, 'veteran ioc member': 955718, 'ioc member dick': 444436, 'member dick pound': 528057, 'dick pound say': 240468, 'pound say on': 667403, 'on the basis': 603980, 'the basis of': 849323, 'basis of the': 112262, 'the information the': 858260, 'information the ioc': 438003, 'the ioc ha': 858434, 'ioc ha postponement': 444434, 'ha postponement ha': 371518, 'postponement ha been': 666849, 'ha been decided': 369767, 'been decided pound': 120927, 'decided pound told': 230878, 'trench': 931245, 'don expect': 253498, 'this horrible': 887947, 'horrible pandemic': 404112, 'pandemic without': 637036, 'getting sick': 349270, 'sick at': 768385, 'point supermarket': 662634, 'worker explains': 1006890, 'coronavirus trench': 206967, 'don expect to': 253499, 'expect to get': 290768, 'through this horrible': 894821, 'this horrible pandemic': 887949, 'horrible pandemic without': 404113, 'pandemic without getting': 637037, 'without getting sick': 1002683, 'getting sick at': 349272, 'sick at some': 768387, 'some point supermarket': 783589, 'point supermarket worker': 662637, 'supermarket worker explains': 824019, 'worker explains what': 1006891, 'explains what it': 292250, 'it like in': 459365, 'the coronavirus trench': 851935, 'brenden': 139315, 'brenden me': 139316, 'because were': 119823, 'were lockdown': 979848, 'lockdown here': 499463, 'here due': 392938, 'brenden me want': 139317, 'want to stock': 966131, 'stock food because': 802125, 'food because were': 313718, 'because were lockdown': 119824, 'were lockdown here': 979849, 'lockdown here due': 499466, 'here due to': 392939, 'dgp': 240075, 'karnataka': 470956, 'kind dgp': 474831, 'dgp karnataka': 240076, 'karnataka say': 470963, 'essential shop': 281542, 'shop can': 760015, '24 across': 15557, 'across karnataka': 29365, 'karnataka so': 470965, 'not crowd': 568935, 'crowd just': 219192, 'and evening': 62356, 'evening up': 284924, 'up government': 945029, 'also follow': 48220, 'it kind dgp': 459273, 'kind dgp karnataka': 474832, 'dgp karnataka say': 240077, 'karnataka say grocery': 470964, 'say grocery shop': 738708, 'and food essential': 63042, 'food essential shop': 314386, 'essential shop can': 281546, 'shop can be': 760016, 'can be open': 157652, 'be open 24': 116239, 'open 24 across': 612006, '24 across karnataka': 15558, 'across karnataka so': 29366, 'karnataka so that': 470966, 'do not crowd': 249711, 'not crowd just': 568937, 'crowd just in': 219194, 'the morning and': 860909, 'morning and evening': 541154, 'and evening up': 62357, 'evening up government': 284925, 'up government should': 945031, 'government should also': 360597, 'should also follow': 765503, 'also follow this': 48221, 'follow this it': 312564, 'it will stop': 462444, 'will stop panic': 994999, 'been empty': 121079, 'no hero': 564421, 'hero gram': 394000, 'gram for': 361822, 'is national': 449823, 'falling coronacrisis': 297223, 'coronacrisis panicbuying': 204690, 'come on your': 187454, 'on your supermarket': 605505, 'your supermarket shelf': 1026060, 'have been empty': 379527, 'been empty for': 121080, 'empty for day': 274880, 'for day no': 320577, 'day no hero': 228019, 'no hero gram': 564422, 'hero gram for': 394001, 'gram for you': 361824, 'for you this': 328093, 'you this is': 1021702, 'this is national': 888327, 'is national crisis': 449825, 'crisis and you': 217062, 'you are falling': 1017120, 'are falling coronacrisis': 86461, 'falling coronacrisis panicbuying': 297224, 'everywhere lockdown': 288232, 'lockdown staysafe': 499962, 'staysafe panicbuying': 798861, 'panicbuying supermarket': 639066, 'here to my': 393721, 'to my supermarket': 910440, 'my supermarket worker': 550288, 'worker everywhere lockdown': 1006884, 'everywhere lockdown staysafe': 288233, 'lockdown staysafe panicbuying': 499963, 'staysafe panicbuying supermarket': 798862, 'panicbuying supermarket coronacrisis': 639068, 'morning had': 541276, 'or pickup': 616610, 'pickup available': 655938, 'available all': 104208, 'you those': 1021711, 'those employee': 891960, 'very exhausted': 955146, 'exhausted my': 290160, 'favorite cashier': 300495, 'cashier looked': 166564, 'he hadn': 385064, 'hadn slept': 373860, 'slept in': 773845, 'they keep': 882507, 'keep afloat': 471287, 'afloat and': 34944, 'risk lot': 723672, 'lot 19': 503964, 'to my grocery': 910405, 'this morning had': 888962, 'morning had to': 541277, 'had to no': 373708, 'to no delivery': 910619, 'no delivery or': 563991, 'delivery or pickup': 234287, 'or pickup available': 616612, 'pickup available all': 655939, 'available all of': 104210, 'of you those': 593426, 'you those employee': 1021712, 'those employee are': 891961, 'employee are very': 273632, 'are very exhausted': 91459, 'very exhausted my': 955147, 'exhausted my favorite': 290161, 'my favorite cashier': 548267, 'favorite cashier looked': 300496, 'cashier looked like': 166565, 'looked like he': 502733, 'like he hadn': 490399, 'he hadn slept': 385065, 'hadn slept in': 373861, 'slept in day': 773846, 'in day please': 422018, 'day please thank': 228226, 'thank them they': 841663, 'them they keep': 876418, 'they keep afloat': 882508, 'keep afloat and': 471288, 'afloat and risk': 34945, 'and risk lot': 70556, 'risk lot 19': 723673, 'page will': 633915, 'be for': 114906, 'for exposing': 321338, 'exposing shopkeeper': 292934, 'shopkeeper who': 761201, 'who increase': 989030, 'would also': 1011511, 'also like': 48476, 'include picture': 431608, 'of honest': 584734, 'honest shopkeeper': 403075, 'this page will': 889358, 'page will be': 633916, 'will be for': 992465, 'be for exposing': 114909, 'for exposing shopkeeper': 321339, 'exposing shopkeeper who': 292935, 'shopkeeper who increase': 761203, 'who increase price': 989031, 'increase price of': 433009, 'price of necessity': 675517, 'of necessity during': 586896, '19 pandemic but': 9278, 'pandemic but we': 635061, 'we would also': 973964, 'would also like': 1011513, 'also like to': 48477, 'like to include': 491599, 'to include picture': 908250, 'include picture and': 431609, 'picture and video': 656108, 'and video of': 74957, 'video of honest': 956826, 'of honest shopkeeper': 584736, 'honest shopkeeper who': 403076, 'shopkeeper who care': 761202, 'who care about': 988436, 'care about their': 163807, 'about their community': 26577, 'yes stay': 1015536, 'indoors for': 435399, 'week without': 977270, 'clean water': 180679, 'water again': 968846, 'again hunger': 37029, 'kill depression': 474383, 'depression kill': 237653, 'your antibody': 1022790, 'antibody week': 78413, 'are okay': 88704, 'okay it': 597988, 'virus flu': 958188, 'flu be': 311383, 'wise there': 996696, 'and misinformation': 67061, 'yes stay indoors': 1015537, 'stay indoors for': 797075, 'indoors for week': 435402, 'for week without': 327767, 'week without food': 977272, 'without food and': 1002653, 'food and clean': 313195, 'and clean water': 59937, 'clean water again': 180680, 'water again hunger': 968847, 'again hunger kill': 37030, 'hunger kill depression': 411142, 'kill depression kill': 474384, 'depression kill the': 237654, 'kill the cure': 474513, 'cure for covid': 220739, '19 is your': 8086, 'is your antibody': 454132, 'your antibody week': 1022791, 'antibody week you': 78414, 'week you are': 977295, 'you are okay': 1017184, 'are okay it': 88706, 'okay it virus': 597990, 'it virus flu': 462042, 'virus flu be': 958189, 'flu be wise': 311384, 'be wise there': 118114, 'wise there is': 996697, 'lot of panic': 504245, 'of panic and': 587718, 'panic and misinformation': 637323, 'tip check': 898729, 'sanitizer according': 734312, 'cdc it': 168583, 'have minimum': 381475, 'of 60': 579641, 'alcohol content': 40970, 'content to': 200850, 'tip check your': 898731, 'check your hand': 174732, 'hand sanitizer according': 375288, 'sanitizer according to': 734313, 'to the cdc': 916546, 'the cdc it': 850573, 'cdc it must': 168584, 'it must have': 459710, 'must have minimum': 546702, 'have minimum of': 381476, 'minimum of 60': 533204, 'of 60 alcohol': 579643, '60 alcohol content': 20889, 'alcohol content to': 40973, 'content to be': 200851, 'to be effective': 901231, 'be effective against': 114651, 'unfortunate hand': 941561, 'dispenser ripped': 246148, 'off wall': 594369, 'wall at': 965152, 'at kansa': 99356, 'kansa city': 470805, 'city international': 179211, 'international airport': 441748, 'airport amid': 40084, 'unfortunate hand sanitizer': 941562, 'sanitizer dispenser ripped': 734767, 'dispenser ripped off': 246149, 'ripped off wall': 722707, 'off wall at': 594370, 'wall at kansa': 965153, 'at kansa city': 99357, 'kansa city international': 470806, 'city international airport': 179212, 'international airport amid': 441749, 'airport amid outbreak': 40085, 'mf': 530051, 'you mf': 1019845, 'mf are': 530052, 'are shameless': 90014, 'going up on': 355789, 'up on grocery': 945571, 'on grocery and': 601178, 'grocery and cleaning': 364225, 'supply you mf': 826146, 'you mf are': 1019846, 'mf are shameless': 530053, 'cdn': 168648, 'generic': 345684, 'cdn federal': 168649, 'and provincial': 69716, 'provincial gov': 687210, 'gov ought': 359653, 'use 19': 949003, 'patent act': 643981, 'allow the': 46070, 'the generic': 856207, 'generic manufacture': 345687, 'product needed': 681430, 'cannot ensure': 161778, 'all or': 43764, 'or charge': 614700, 'cdn federal and': 168650, 'federal and provincial': 301951, 'and provincial gov': 69717, 'provincial gov ought': 687211, 'gov ought to': 359654, 'ought to make': 621946, 'clear that they': 181353, 'they will use': 883898, 'will use 19': 995278, 'use 19 of': 949004, '19 of the': 8890, 'of the patent': 591326, 'the patent act': 863384, 'patent act to': 643982, 'to allow the': 900359, 'allow the generic': 46075, 'the generic manufacture': 856208, 'generic manufacture of': 345688, 'manufacture of any': 513382, 'of any and': 580246, 'any and all': 78924, 'and all product': 57886, 'all product needed': 44064, 'product needed to': 681431, 'needed to deal': 556531, '19 virus if': 11810, 'virus if company': 958312, 'company cannot ensure': 190535, 'cannot ensure supply': 161780, 'ensure supply to': 278045, 'supply to all': 825996, 'to all or': 900274, 'all or charge': 43765, 'or charge high': 614702, 'consumer responds': 198782, 'responds team': 715594, 'done ton': 255083, 'of story': 590274, 'story over': 812100, 'so like': 777553, 'share them': 755272, 'many source': 514718, 'source who': 786584, 've helped': 953257, 'helped help': 391075, 'public stay': 688335, 'stay savvy': 797312, 'savvy healthy': 738026, 'healthy 19': 387506, 'at the consumer': 100913, 'the consumer responds': 851585, 'consumer responds team': 198783, 'responds team ha': 715595, 'team ha done': 835654, 'ha done ton': 370423, 'done ton of': 255084, 'ton of story': 924285, 'of story over': 590280, 'story over the': 812101, 'or so like': 617128, 'so like to': 777555, 'like to share': 491622, 'to share them': 914368, 'share them here': 755273, 'them here and': 875847, 'here and thank': 392711, 'and thank the': 73159, 'thank the many': 841644, 'the many source': 860053, 'many source who': 514720, 'source who ve': 786585, 'who ve helped': 989880, 've helped help': 953259, 'helped help the': 391076, 'help the public': 390677, 'the public stay': 864856, 'public stay savvy': 688337, 'stay savvy healthy': 797313, 'savvy healthy 19': 738027, 'rise up': 723049, 'hero your': 394189, 'need read': 555501, 'special article': 787853, 'about situation': 26202, 'rise up and': 723050, 'up and be': 944307, 'and be the': 58772, 'be the hero': 117618, 'the hero your': 857304, 'hero your consumer': 394190, 'your consumer need': 1023323, 'consumer need read': 198196, 'need read our': 555502, 'read our special': 700520, 'our special article': 624857, 'special article about': 787854, 'article about situation': 94237, 'about situation here': 26203, '34 since': 17831, 'january although': 464643, 'consumer spending grocery': 199063, 'spending grocery store': 788820, 'store spending ha': 810275, 'spending ha increased': 788828, 'about 34 since': 24702, '34 since january': 17832, 'since january although': 770674, 'january although the': 464644, 'closetherange': 183557, 'boycottherange': 137370, 'therange': 877897, 'uaz05hc3ev': 937793, 'retweet mate': 720061, 'mate closetherange': 520339, 'closetherange no': 183558, 'ppe no': 668016, 'cleaning no': 180987, 'no screen': 565436, 'screen people': 742715, 'coughing no': 208709, 'distancing essential': 247128, 'essential priced': 281410, 'priced not': 677742, 'essential boycottherange': 280835, 'boycottherange stayhomesavelives': 137372, 'stayhomesavelives therange': 798478, 'therange co': 877898, 'co uaz05hc3ev': 184991, 'please retweet mate': 660412, 'retweet mate closetherange': 720062, 'mate closetherange no': 520340, 'closetherange no ppe': 183559, 'no ppe no': 565165, 'ppe no cleaning': 668017, 'no cleaning no': 563819, 'cleaning no screen': 180988, 'no screen people': 565438, 'screen people coughing': 742716, 'people coughing no': 647552, 'coughing no social': 208711, 'no social distancing': 565547, 'social distancing essential': 779601, 'distancing essential priced': 247129, 'essential priced not': 281411, 'priced not essential': 677743, 'not essential boycottherange': 569213, 'essential boycottherange stayhomesavelives': 280836, 'boycottherange stayhomesavelives therange': 137373, 'stayhomesavelives therange co': 798479, 'therange co uaz05hc3ev': 877899, 'trend have': 931349, 'changed amid': 172429, 'pandemic stockmarket': 636559, 'how consumer trend': 407601, 'consumer trend have': 199376, 'trend have changed': 931350, 'have changed amid': 379931, 'changed amid the': 172430, 'coronavirus pandemic stockmarket': 206490, 'pandemic stockmarket stockmarketcrash': 636560, 'what pandemic': 981993, 'what been': 981092, 'been tight': 122200, 'tight housing': 895825, 'market explains': 516363, 'explains today': 292244, 'today isn': 919729, 'isn stopping': 454676, 'stopping coloradan': 805798, 'coloradan from': 186765, 'selling their': 749483, 'even still': 284607, 'for premium': 324691, 'premium via': 669981, 'what pandemic when': 981994, 'pandemic when it': 636979, 'come to what': 187616, 'to what been': 918508, 'what been tight': 981095, 'been tight housing': 122201, 'tight housing market': 895826, 'housing market explains': 407103, 'market explains today': 516364, 'explains today isn': 292245, 'today isn stopping': 919730, 'isn stopping coloradan': 454677, 'stopping coloradan from': 805799, 'coloradan from selling': 186766, 'from selling their': 337215, 'selling their home': 749487, 'home and some': 400689, 'some are even': 782318, 'are even still': 86279, 'even still going': 284608, 'still going for': 800587, 'going for premium': 355146, 'for premium via': 324692, 'corovid19': 207167, 'store wasn': 811159, 'wasn bad': 967959, 'wa sunday': 963355, 'sunday but': 818178, 'but far': 145697, 'far tissue': 298946, 'towel it': 927339, 'still clean': 800372, 'clean out': 180602, 'out corovid19': 625901, 'so today at': 778548, 'today at the': 919287, 'grocery store wasn': 365933, 'store wasn bad': 811160, 'wasn bad it': 967960, 'bad it wa': 107915, 'it wa sunday': 462203, 'wa sunday but': 963356, 'sunday but far': 818179, 'but far tissue': 145698, 'far tissue paper': 298947, 'paper towel it': 640998, 'towel it still': 927340, 'it still clean': 461247, 'still clean out': 800373, 'clean out corovid19': 180604, 'indiaunderlockdown': 434957, 'davanagere': 226953, 'exorbitantly': 290432, 'indiaunderlockdown low': 434958, 'low footfall': 505280, 'footfall witnessed': 318545, 'witnessed at': 1003136, 'at market': 99679, 'in davanagere': 421998, 'davanagere the': 226954, 'fix the': 309752, 'vegetable official': 954049, 'against vendor': 37720, 'vendor if': 954379, 'they charge': 881744, 'charge exorbitantly': 173226, 'indiaunderlockdown low footfall': 434959, 'low footfall witnessed': 505281, 'footfall witnessed at': 318546, 'witnessed at market': 1003137, 'at market in': 99684, 'market in davanagere': 516554, 'in davanagere the': 421999, 'davanagere the district': 226955, 'the district administration': 853429, 'district administration ha': 248348, 'administration ha taken': 32475, 'step to fix': 799649, 'to fix the': 905993, 'fix the price': 309753, 'of vegetable official': 592763, 'vegetable official to': 954050, 'official to take': 595950, 'action against vendor': 29941, 'against vendor if': 37721, 'vendor if they': 954380, 'if they charge': 415100, 'they charge exorbitantly': 881745, 'frying': 339302, 'and following': 63017, 'following close': 312697, 'close behind': 182567, 'behind are': 124596, 'are frying': 86709, 'frying they': 339303, 'won talk': 1003920, 'out and following': 625661, 'and following close': 63018, 'following close behind': 312698, 'close behind are': 182568, 'behind are frying': 124597, 'are frying they': 86710, 'frying they won': 339305, 'they won talk': 883913, 'won talk about': 1003921, 'because they know': 119707, 'they know it': 882527, 'know it true': 476547, 're calling': 698405, 'no patent': 565080, 'patent or': 643994, 'or profiteering': 616720, 'drug test': 261104, 'and vaccine': 74829, 'vaccine rationing': 951756, 'rationing because': 697793, 'and insufficient': 65296, 'insufficient supply': 440609, 'will prolong': 994485, 'prolong the': 683616, 'we re calling': 972838, 're calling for': 698407, 'calling for no': 156555, 'for no patent': 323892, 'no patent or': 565081, 'patent or profiteering': 643995, 'or profiteering on': 616722, 'profiteering on drug': 683075, 'on drug test': 600430, 'drug test and': 261105, 'test and vaccine': 838920, 'and vaccine rationing': 74835, 'vaccine rationing because': 951757, 'rationing because of': 697794, 'high price and': 395231, 'price and insufficient': 672446, 'and insufficient supply': 65298, 'insufficient supply will': 440611, 'supply will prolong': 826114, 'will prolong the': 994486, 'are imagine': 87306, 'imagine most': 416757, 'most place': 542635, 'same if': 733118, 'extra personal': 293606, 'ppe in': 667976, 'particular mask': 642621, 'sanitizer please': 735552, 'your healthcare': 1024280, 'system help': 831197, 'help now': 390149, 'it later': 459308, 'later plz': 481110, 'plz rt': 661833, 'you are imagine': 1017147, 'are imagine most': 87307, 'imagine most place': 416758, 'most place are': 542636, 'place are the': 657338, 'the same if': 866244, 'same if you': 733119, 'have any extra': 379302, 'any extra personal': 79207, 'extra personal protection': 293607, 'equipment ppe in': 279808, 'ppe in particular': 667980, 'in particular mask': 426534, 'particular mask and': 642622, 'hand sanitizer please': 375536, 'sanitizer please donate': 735553, 'please donate to': 659931, 'donate to your': 254274, 'to your healthcare': 918991, 'your healthcare system': 1024282, 'healthcare system help': 387310, 'system help now': 831198, 'help now so': 390154, 'now so we': 575854, 'need it later': 555093, 'it later plz': 459309, 'later plz rt': 481111, 'plz rt 19': 661834, 'start tackling': 794531, 'tackling selfish': 831650, 'selfish customer': 748065, 'customer behaviour': 222182, 'during by': 262491, 'by limiting': 153053, 'limiting online': 492839, 'slot to': 774277, 'per customer': 650772, 'at any': 98019, 'time clearly': 896484, 'clearly people': 181541, 'are block': 84993, 'block booking': 132769, 'booking them': 134749, 'them making': 876004, 'making availability': 510971, 'availability impossible': 104145, 'impossible for': 419374, 'for sensible': 325487, 'sensible sh': 750654, 'start tackling selfish': 794532, 'tackling selfish customer': 831651, 'selfish customer behaviour': 748066, 'customer behaviour during': 222184, 'behaviour during by': 124405, 'during by limiting': 262492, 'by limiting online': 153054, 'limiting online shopping': 492840, 'shopping slot to': 763910, 'slot to one': 774280, 'one per customer': 606847, 'per customer at': 650775, 'customer at any': 222142, 'at any one': 98027, 'any one time': 79560, 'one time clearly': 607253, 'time clearly people': 896485, 'clearly people are': 181542, 'people are block': 646938, 'are block booking': 84994, 'block booking them': 132770, 'booking them making': 134750, 'them making availability': 876005, 'making availability impossible': 510972, 'availability impossible for': 104146, 'impossible for sensible': 419376, 'for sensible sh': 325488, 'pricewar': 677901, 'price closed': 673151, 'closed high': 183157, 'high come': 394962, 'come weekend': 187662, 'weekend brent': 977325, 'crude closed': 219513, 'closed at': 183002, 'at 34': 97621, '34 11': 17795, '11 per': 2576, 'barrel gain': 111225, 'gain more': 342796, 'war ending': 966422, 'ending pricewar': 276196, 'pricewar marketcrash': 677902, 'marketcrash trump': 517427, 'trump oil': 933734, 'oil brent': 596653, 'brent saudiarabia': 139353, 'saudiarabia saudiaramco': 737363, 'saudiaramco barrel': 737374, 'barrel russia': 111276, 'russia poll': 728539, 'oil price closed': 597079, 'price closed high': 673154, 'closed high come': 183158, 'high come weekend': 394963, 'come weekend brent': 187663, 'weekend brent crude': 977326, 'brent crude closed': 139329, 'crude closed at': 219514, 'closed at 34': 183004, 'at 34 11': 97622, '34 11 per': 17796, '11 per barrel': 2577, 'per barrel gain': 650697, 'barrel gain more': 111226, 'gain more than': 342797, 'more than is': 540635, 'than is the': 840794, 'price war ending': 677356, 'war ending pricewar': 966423, 'ending pricewar marketcrash': 276197, 'pricewar marketcrash trump': 677903, 'marketcrash trump oil': 517428, 'trump oil brent': 933735, 'oil brent saudiarabia': 596654, 'brent saudiarabia saudiaramco': 139354, 'saudiarabia saudiaramco barrel': 737365, 'saudiaramco barrel russia': 737375, 'barrel russia poll': 111277, 'watermelon': 969294, 'harrow': 378525, 'weald': 974137, 'well managed': 978381, 'get watermelon': 348604, 'watermelon at': 969295, 'at waitrose': 101468, 'waitrose in': 964455, 'in harrow': 423557, 'harrow weald': 378531, 'weald today': 974138, 'today which': 920523, 'nice no': 562440, 'no milk': 564770, 'bread egg': 138449, 'roll aisle': 725160, 'wa completely': 961843, 'completely empty': 192277, 'empty usual': 275219, 'usual toiletpaper': 951046, 'toiletpaperpanic supermarket': 923255, 'well managed to': 978382, 'to get watermelon': 906640, 'get watermelon at': 348605, 'watermelon at waitrose': 969296, 'at waitrose in': 101469, 'waitrose in harrow': 964457, 'in harrow weald': 423558, 'harrow weald today': 378532, 'weald today which': 974139, 'today which wa': 920524, 'which wa nice': 986447, 'wa nice no': 962706, 'nice no milk': 562441, 'no milk bread': 564771, 'milk bread egg': 531598, 'bread egg and': 138450, 'egg and the': 269770, 'and the toilet': 73619, 'toilet roll aisle': 921548, 'roll aisle wa': 725165, 'aisle wa completely': 40419, 'wa completely empty': 961845, 'completely empty usual': 192283, 'empty usual toiletpaper': 275220, 'usual toiletpaper toiletpapercrisis': 951047, 'toiletpapercrisis toiletpaperpanic supermarket': 923114, 'albertsons': 40845, '1u': 12840, 'outbreak washington': 628786, 'and 38': 57460, '38 have': 18130, 'reached an': 700033, 'an agreement': 55193, 'agreement and': 38768, 'and understanding': 74639, 'understanding with': 940903, 'with safeway': 1000546, 'safeway and': 730829, 'and albertsons': 57827, 'albertsons that': 40855, 'should better': 765775, 'better protect': 128429, 'support grocery': 826547, 'employee 1u': 273507, '19 outbreak washington': 9203, 'outbreak washington state': 628787, 'washington state and': 967804, 'state and 38': 795354, 'and 38 have': 57461, '38 have reached': 18131, 'have reached an': 382166, 'reached an agreement': 700034, 'an agreement and': 55194, 'agreement and understanding': 38769, 'and understanding with': 74643, 'understanding with safeway': 940905, 'with safeway and': 1000548, 'safeway and albertsons': 730830, 'and albertsons that': 57828, 'albertsons that should': 40856, 'that should better': 846284, 'should better protect': 765776, 'better protect and': 128430, 'protect and support': 684784, 'and support grocery': 72839, 'support grocery store': 826549, 'store employee 1u': 807451, 'cbsnews': 168383, 'make home': 509985, 'sanitizer which': 736076, 'the trending': 869970, 'trending news': 931553, 'news cbsnews': 560303, 'to make home': 909676, 'make home made': 509986, 'hand sanitizer which': 375662, 'sanitizer which is': 736079, 'which is effective': 986005, 'is effective against': 447451, 'effective against the': 269212, 'against the trending': 37683, 'the trending news': 869971, 'trending news cbsnews': 931554, 'encountering': 275564, 'ever business': 285237, 'school close': 741722, 'outbreak demand': 628164, 'growing at': 367127, 'at rapid': 100252, 'rapid rate': 696925, 'are encountering': 86191, 'encountering higher': 275565, 'higher cost': 395557, 'and longer': 66355, 'longer delivery': 501964, 'time through': 897930, 'our supplier': 625033, 'supplier please': 824590, 'make donation': 509855, 'donation today': 254721, 'bank need your': 110028, 'your help now': 1024307, 'help now more': 390152, 'than ever business': 840573, 'ever business and': 285238, 'business and school': 143328, 'and school close': 71073, 'school close due': 741724, '19 outbreak demand': 9114, 'outbreak demand for': 628165, 'food is growing': 315127, 'is growing at': 448232, 'growing at rapid': 367128, 'at rapid rate': 100253, 'rapid rate we': 696926, 'rate we are': 697405, 'we are encountering': 970539, 'are encountering higher': 86192, 'encountering higher cost': 275566, 'higher cost and': 395558, 'cost and longer': 207861, 'and longer delivery': 66357, 'longer delivery time': 501965, 'delivery time through': 234645, 'time through our': 897931, 'through our supplier': 894620, 'our supplier please': 625035, 'supplier please make': 824592, 'please make donation': 660219, 'make donation today': 509859, 'coronaupdates': 205334, 'leftist': 485765, 'umarakmalquotes': 939217, 'dr wash': 258122, 'wash sanitizer': 967535, 'hand coronaupdates': 374881, 'coronaupdates meme': 205336, 'meme english': 528312, 'english liberal': 277057, 'liberal leftist': 488013, 'leftist umarakmalquotes': 485768, 'dr wash sanitizer': 258123, 'wash sanitizer with': 967536, 'sanitizer with your': 736144, 'with your hand': 1002203, 'your hand coronaupdates': 1024180, 'hand coronaupdates meme': 374882, 'coronaupdates meme english': 205337, 'meme english liberal': 528313, 'english liberal leftist': 277058, 'liberal leftist umarakmalquotes': 488014, 'potable': 666895, 'wud': 1013440, 'watercrisis': 969279, 'il shocked': 416072, 'shocked if': 759573, 'if in': 414253, 'we told': 973547, 'be water': 118064, 'water crisis': 968956, 'crisis price': 217900, 'for potable': 324647, 'potable water': 666896, 'reason they': 703005, 'give wud': 350844, 'wud be': 1013441, 'be we': 118069, 'we wasted': 973758, 'wasted too': 968271, 'much water': 545433, 'water during': 968969, 'the cornavirusoutbreak': 851739, 'cornavirusoutbreak so': 203617, 'be ready': 116694, 'ready water': 700993, 'water watercrisis': 969250, 'watercrisis soon': 969280, 'il shocked if': 416073, 'shocked if in': 759574, 'if in the': 414258, 'the future we': 856095, 'future we told': 342517, 'we told there': 973548, 'told there will': 923726, 'will be water': 992767, 'be water crisis': 118065, 'water crisis price': 968957, 'crisis price for': 217902, 'price for potable': 674027, 'for potable water': 324648, 'potable water will': 666897, 'water will go': 969261, 'go up the': 354440, 'up the reason': 946205, 'the reason they': 865278, 'reason they will': 703009, 'they will give': 883852, 'will give wud': 993535, 'give wud be': 350845, 'wud be we': 1013442, 'be we wasted': 118071, 'we wasted too': 973759, 'wasted too much': 968272, 'too much water': 924954, 'much water during': 545434, 'water during the': 968970, 'during the cornavirusoutbreak': 263100, 'the cornavirusoutbreak so': 851740, 'cornavirusoutbreak so be': 203618, 'so be ready': 776606, 'be ready water': 116700, 'ready water watercrisis': 700994, 'water watercrisis soon': 969251, 'ho': 398728, 'latest shock': 481548, 'chain that': 171159, 'but 19': 145027, 'being under': 125997, 'under prepared': 940198, 'for risk': 325240, 'risk say': 723861, 'say associate': 738441, 'professor william': 682598, 'william ho': 995432, 'ho read': 398739, 'coronavirus pandemic is': 206468, 'pandemic is only': 635787, 'only the latest': 611268, 'the latest shock': 859145, 'latest shock to': 481549, 'shock to supply': 759531, 'to supply chain': 915876, 'supply chain that': 825048, 'chain that stock': 171163, 'that stock our': 846493, 'stock our supermarket': 802605, 'supermarket shelf but': 822435, 'shelf but 19': 756899, 'but 19 is': 145028, 'up call to': 944569, 'call to business': 156166, 'business in term': 143904, 'term of the': 838228, 'of the cost': 590899, 'the cost of': 851986, 'cost of being': 208039, 'of being under': 580663, 'being under prepared': 125998, 'under prepared for': 940199, 'prepared for risk': 670201, 'for risk say': 325242, 'risk say associate': 723862, 'say associate professor': 738442, 'associate professor william': 96887, 'professor william ho': 682599, 'william ho read': 995433, 'ho read more': 398740, 'earth where': 265016, 'where now': 985061, 'now ventilator': 576297, 'ventilator are': 954534, 'are made': 87956, 'by ppe': 153635, 'ppe medical': 668004, 'medical vest': 526496, 'vest by': 955683, 'only country on': 610281, 'country on earth': 210936, 'on earth where': 600476, 'earth where now': 265017, 'where now ventilator': 985062, 'now ventilator are': 576298, 'ventilator are made': 954536, 'are made by': 87957, 'made by ppe': 507673, 'by ppe medical': 153637, 'ppe medical vest': 668005, 'medical vest by': 526497, 'vest by ppe': 955684, 'by ppe mask': 153636, 'ppe mask by': 667998, 'mask by and': 518504, 'by and hand': 151839, 'sanitizer by 19': 734618, 'rise make': 722932, 'your guard': 1024143, 'guard please': 367828, 'important article': 418741, 'article it': 94375, 'really save': 702539, 'save someone': 737642, 'someone from': 784472, 'from becoming': 334654, 'victim 19': 956453, 'the rise make': 865857, 'rise make sure': 722933, 'sure you know': 827863, 'know what to': 476983, 'for and be': 319318, 'and be on': 58761, 'be on your': 116218, 'on your guard': 605471, 'your guard please': 1024144, 'guard please share': 367829, 'share this important': 755282, 'this important article': 888020, 'important article it': 418742, 'article it could': 94376, 'it could really': 457368, 'could really save': 209574, 'really save someone': 702540, 'save someone from': 737643, 'someone from becoming': 784473, 'from becoming victim': 334656, 'becoming victim 19': 120350, 'health professional': 386764, 'professional around': 682411, '19 meanwhile': 8601, 'meanwhile pharmacist': 525022, 'pharmacist in': 654149, 'in naija': 425659, 'naija are': 551436, 'of medicine': 586410, 'medicine that': 526898, 'help save': 390481, 'life saying': 489023, 'saying like': 739634, 'just business': 468378, 'health professional around': 386765, 'professional around the': 682412, 'world are doing': 1009312, 'are doing everything': 85895, 'doing everything they': 252392, 'everything they can': 288047, 'they can to': 881684, 'can to contain': 160004, 'covid 19 meanwhile': 213418, '19 meanwhile pharmacist': 8604, 'meanwhile pharmacist in': 525023, 'pharmacist in naija': 654150, 'in naija are': 425660, 'naija are taking': 551437, 'the situation by': 867245, 'situation by raising': 772212, 'by raising the': 153714, 'price of medicine': 675504, 'of medicine that': 586415, 'medicine that can': 526900, 'can help save': 158652, 'help save life': 390483, 'save life saying': 737555, 'life saying like': 489024, 'saying like it': 739635, 'like it just': 490545, 'it just business': 459216, 'el': 270439, 'plz see': 661835, 'my post': 549819, 'pandemic collapse': 635165, 'people survive': 649705, 'green zone': 363719, 'zone el': 1027754, 'plz see my': 661836, 'see my post': 745459, 'my post on': 549821, '19 pandemic collapse': 9296, 'pandemic collapse of': 635168, 'iraqi people survive': 444798, 'people survive the': 649707, 'survive the demise': 829247, 'the green zone': 856781, 'green zone el': 363720, 'ryvita': 728838, 'move next': 543697, 'next door': 561341, 'me spreading': 523528, 'spreading shoe': 791038, 'shoe polish': 759682, 'polish on': 663584, 'on ryvita': 603245, 'ryvita co': 728839, 'co that': 184972, 'move next door': 543698, 'next door to': 561346, 'door to the': 255758, 'supermarket near me': 821574, 'near me spreading': 553542, 'me spreading shoe': 523529, 'spreading shoe polish': 791039, 'shoe polish on': 759683, 'polish on ryvita': 663585, 'on ryvita co': 603246, 'ryvita co that': 728840, 'co that the': 184973, 'only thing they': 611319, 'thing they have': 884849, 'they have left': 882337, 'have left on': 381297, 'left on their': 485592, 'their shelf coronacrisis': 874681, '250ml': 16050, '105': 2255, '0330': 881, '124': 3060, '1733': 4435, 'sanitiser in': 733975, 'in litre': 424798, 'litre or': 495173, 'or 250ml': 614189, '250ml next': 16053, '99 250ml': 23756, '250ml 105': 16051, '105 99': 2256, '99 litre': 23855, 'litre pallet': 495175, 'pallet quantity': 634595, 'quantity available': 691912, 'order call': 618100, 'call now': 156008, 'on 0330': 598973, '0330 124': 882, '124 1733': 3061, '1733 or': 4436, 'or mail': 616028, 'mail sale': 508650, 'sale com': 732126, 'hand sanitiser in': 375236, 'sanitiser in stock': 733979, 'stock now available': 802507, 'now available in': 574158, 'available in litre': 104446, 'in litre or': 424799, 'litre or 250ml': 495174, 'or 250ml next': 614190, '250ml next day': 16054, 'day delivery price': 227519, 'delivery price 99': 234363, 'price 99 250ml': 672188, '99 250ml 105': 23757, '250ml 105 99': 16052, '105 99 litre': 2257, '99 litre pallet': 23858, 'litre pallet quantity': 495176, 'pallet quantity available': 634596, 'quantity available to': 691913, 'available to order': 104652, 'to order call': 911065, 'order call now': 618103, 'call now on': 156011, 'now on 0330': 575415, 'on 0330 124': 598974, '0330 124 1733': 883, '124 1733 or': 3062, '1733 or mail': 4437, 'or mail sale': 616029, 'mail sale com': 508651, 'amanda': 50591, 'prevents': 671929, 'increasin': 433542, 'hi amanda': 394594, 'amanda we': 50596, 'strongly condemn': 814223, 'condemn price': 193359, 'gouging and': 359243, 'and posted': 69237, 'posted price': 666566, 'we placed': 972709, 'placed chain': 657878, 'chain wide': 171238, 'wide price': 991743, 'change hold': 172083, 'on over': 602654, 'over 900': 629941, '900 item': 23385, 'march which': 515532, 'which prevents': 986234, 'prevents item': 671937, 'from increasin': 336036, 'hi amanda we': 394595, 'amanda we strongly': 50597, 'we strongly condemn': 973436, 'strongly condemn price': 814224, 'condemn price gouging': 193360, 'price gouging and': 674257, 'gouging and posted': 359250, 'and posted price': 69240, 'posted price are': 666567, 'price are our': 672710, 'are our normal': 88866, 'our normal price': 624090, 'normal price in': 567274, 'price in response': 674725, 'pandemic we placed': 636946, 'we placed chain': 972710, 'placed chain wide': 657879, 'chain wide price': 171239, 'wide price change': 991744, 'price change hold': 673108, 'change hold on': 172084, 'hold on over': 399978, 'on over 900': 602655, 'over 900 item': 629942, '900 item the': 23386, 'item the week': 463708, 'the week of': 871306, 'of march which': 586218, 'march which prevents': 515533, 'which prevents item': 986235, 'prevents item from': 671938, 'item from increasin': 463284, 'shutter': 768194, 'city shutter': 179362, 'shutter business': 768195, 'stop spreading': 805055, 'spreading there': 791064, 'provide income': 686362, 'income for': 432340, 'don provide': 253838, 'spread amp': 790400, 'amp tank': 54621, 'tank our': 834221, 'city shutter business': 179363, 'shutter business to': 768196, 'business to stop': 144558, 'to stop spreading': 915577, 'stop spreading there': 805059, 'spreading there is': 791065, 'is no plan': 449957, 'no plan in': 565120, 'plan in place': 658152, 'in place to': 426771, 'place to provide': 657764, 'to provide income': 912407, 'provide income for': 686363, 'income for those': 432346, 'for those out': 327128, 'of work if': 593253, 'work if we': 1005282, 'we don provide': 971391, 'don provide relief': 253839, 'relief for the': 709345, 'most vulnerable group': 542879, 'vulnerable group of': 960986, 'group of our': 366798, 'of our nation': 587519, 'our nation we': 623986, 'nation we will': 552373, 'we will allow': 973832, 'will allow the': 992244, 'allow the virus': 46078, 'virus to spread': 958927, 'to spread amp': 915051, 'spread amp tank': 790401, 'amp tank our': 54622, 'tank our consumer': 834222, 'our consumer driven': 622531, 'girlfriend': 350305, 'my girlfriend': 548502, 'girlfriend who': 350318, 'is japanese': 449090, 'japanese asked': 464784, 'she should': 756341, 'be worried': 118149, 'that someone': 846405, 'will punch': 994528, 'punch her': 689158, 'face if': 294464, 'la so': 478215, 'went with': 979235, 'her ridiculous': 392331, 'ridiculous that': 721612, 'this thought': 890582, 'thought ha': 893068, 'even cross': 283986, 'cross her': 219007, 'her mind': 392194, 'mind chinavirus': 532647, 'my girlfriend who': 548506, 'girlfriend who is': 350319, 'who is japanese': 989086, 'is japanese asked': 449091, 'japanese asked me': 464785, 'me if she': 522941, 'if she should': 414780, 'she should be': 756343, 'should be worried': 765773, 'be worried that': 118151, 'worried that someone': 1010586, 'that someone will': 846407, 'someone will punch': 784780, 'will punch her': 994529, 'punch her in': 689159, 'her in the': 392141, 'the face if': 854803, 'face if she': 294465, 'if she wore': 414785, 'wore her mask': 1004660, 'in la so': 424565, 'la so went': 478216, 'so went with': 778704, 'went with her': 979236, 'with her ridiculous': 998777, 'her ridiculous that': 392332, 'ridiculous that this': 721615, 'that this thought': 847003, 'this thought ha': 890583, 'thought ha to': 893069, 'ha to even': 372298, 'to even cross': 905286, 'even cross her': 283987, 'cross her mind': 219008, 'her mind chinavirus': 392195, 'etiquette': 283149, 'store etiquette': 807634, 'etiquette in': 283152, 'grocery store etiquette': 365377, 'store etiquette in': 807635, 'etiquette in the': 283153, 'age of covid': 37864, 'just cause': 468446, 'cause bored': 167502, 'online shopping just': 609163, 'shopping just cause': 763115, 'just cause bored': 468447, 'latest possible': 481499, 'possible positive': 665739, 'test involves': 839035, 'involves retail': 444382, 'on rainbow': 603069, 'latest possible positive': 481500, 'possible positive test': 665740, 'positive test involves': 665452, 'test involves retail': 839036, 'involves retail store': 444383, 'retail store on': 718671, 'store on rainbow': 809203, 'running smallbusiness': 728067, 'smallbusiness you': 775238, 'hoard the': 398878, 'important asset': 418744, 'asset you': 96493, 'no do': 564031, 'mean toiletpaper': 524749, 'toiletpaper mean': 922228, 'mean cash': 524389, 'this urge': 890943, 'these action': 879574, 'action right': 30126, 'away thursdaymotivation': 106067, 'you re running': 1020728, 're running smallbusiness': 699408, 'running smallbusiness you': 728068, 'smallbusiness you need': 775239, 'to hoard the': 907880, 'hoard the most': 398881, 'most important asset': 542397, 'important asset you': 418745, 'asset you have': 96494, 'have no do': 381622, 'no do not': 564032, 'do not mean': 249784, 'not mean toiletpaper': 570557, 'mean toiletpaper mean': 524750, 'toiletpaper mean cash': 922229, 'mean cash to': 524390, 'cash to do': 166355, 'do this urge': 250372, 'this urge you': 890944, 'take these action': 832700, 'these action right': 879576, 'action right away': 30127, 'right away thursdaymotivation': 721793, 'idc': 412987, 'see someone': 745727, 'or costco': 614837, 'costco gonna': 208232, 'gonna call': 356490, 'call them': 156146, 'out idc': 626354, 'idc groceryshopping': 412988, 've decided that': 953030, 'decided that if': 230888, 'that if see': 844422, 'if see someone': 414765, 'see someone hoarding': 745731, 'someone hoarding supply': 784506, 'hoarding supply at': 399564, 'store or costco': 809321, 'or costco gonna': 614838, 'costco gonna call': 208233, 'gonna call them': 356491, 'call them out': 156149, 'them out idc': 876127, 'out idc groceryshopping': 626355, 'psa from': 687402, 'worker stop': 1007832, 'replace toilet': 711593, 'paper real': 640661, 'real baby': 701045, 'baby need': 106672, 'them more': 876030, 'more con': 538849, 'psa from grocery': 687404, 'store worker stop': 811590, 'worker stop buying': 1007833, 'stop buying baby': 804529, 'buying baby wipe': 149983, 'baby wipe to': 106743, 'wipe to replace': 996396, 'to replace toilet': 913252, 'replace toilet paper': 711594, 'toilet paper real': 921414, 'paper real baby': 640662, 'real baby need': 701046, 'baby need them': 106673, 'need them more': 555779, 'them more con': 876031, 'hotchick': 405092, 'badasswoman': 108101, 'dirtypeople': 243775, 'filth': 305783, 'living above': 496311, 'above your': 27118, 'your mean': 1024800, 'mean corona': 524399, 'toiletpaper bidet': 921807, 'bidet comedy': 129556, 'comedy hotchick': 187750, 'hotchick badasswoman': 405093, 'badasswoman washyourhands': 108102, 'washyourhands lockdown': 967880, 'lockdown debt': 499308, 'debt cleanliness': 230436, 'cleanliness dirtypeople': 181151, 'dirtypeople filth': 243777, 'filth germ': 305786, 'germ virus': 346171, 'virus antiviral': 957953, 'antiviral quarantine': 78597, 'quarantine mentalhealth': 692371, 'mentalhealth hygiene': 528679, 'not living above': 570442, 'living above your': 496312, 'above your mean': 27119, 'your mean corona': 1024801, 'mean corona 19': 524400, 'corona 19 toiletpaper': 203785, '19 toiletpaper bidet': 11487, 'toiletpaper bidet comedy': 921809, 'bidet comedy hotchick': 129557, 'comedy hotchick badasswoman': 187751, 'hotchick badasswoman washyourhands': 405094, 'badasswoman washyourhands lockdown': 108103, 'washyourhands lockdown debt': 967881, 'lockdown debt cleanliness': 499309, 'debt cleanliness dirtypeople': 230437, 'cleanliness dirtypeople filth': 181152, 'dirtypeople filth germ': 243778, 'filth germ virus': 305787, 'germ virus antiviral': 346172, 'virus antiviral quarantine': 957954, 'antiviral quarantine mentalhealth': 78598, 'quarantine mentalhealth hygiene': 692372, 'situation regarding': 772459, 'virus hustler': 958304, 'hustler hollywood': 411838, 'hollywood ha': 400456, 'of helping': 584555, 'spread closure': 790470, 'closure will': 184067, 'begin on': 123544, 'sunday 22': 818153, '22 at': 15183, '23 until': 15438, 'until 31': 943656, '31 learn': 17581, 'continue to monitor': 201222, 'monitor the situation': 537324, 'the situation regarding': 867273, 'situation regarding the': 772461, 'regarding the covid': 707285, '19 virus hustler': 11809, 'virus hustler hollywood': 958305, 'hustler hollywood ha': 411839, 'hollywood ha decided': 400457, 'ha decided to': 370320, 'decided to temporarily': 230935, 'to temporarily close': 916356, 'temporarily close our': 837452, 'close our retail': 182754, 'store in hope': 808314, 'hope of helping': 403568, 'of helping to': 584560, 'helping to mitigate': 391531, 'the spread closure': 867620, 'spread closure will': 790471, 'closure will begin': 184069, 'will begin on': 992809, 'begin on sunday': 123545, 'on sunday 22': 603748, 'sunday 22 at': 818154, '22 at 23': 15186, 'at 23 until': 97538, '23 until 31': 15439, 'until 31 learn': 943657, '31 learn more': 17582, 'testing support': 839653, 'support following': 826496, 'following more': 312794, 'than 60': 840272, '60 slide': 21004, 'slide in': 773902, 'in since': 427965, 'market is testing': 516645, 'is testing support': 452620, 'testing support following': 839654, 'support following more': 826497, 'following more than': 312795, 'more than 60': 540571, 'than 60 slide': 840277, '60 slide in': 21005, 'slide in since': 773905, 'in since the': 427966, 'the year due': 872154, 'the on global': 862167, 'on global demand': 601103, 'what the first': 982316, 'first thing you': 309082, 'thing you re': 885040, 'to do once': 904536, 'do once this': 249928, '221': 15266, 'have hear': 380913, 'hear our': 387971, 'our story': 624961, 'latest show': 481550, 'show episode': 766937, 'episode 221': 279507, '221 is': 15267, 'now link': 575219, 'in bio': 420843, 'bio featuring': 131136, 'featuring shopping': 301606, 'shopping story': 763993, 'in kentucky': 424467, 'kentucky and': 472844, 'and reporting': 70274, 'coast more': 185109, 'did you go': 240929, 'we have hear': 971832, 'have hear our': 380914, 'hear our story': 387973, 'our story in': 624963, 'story in our': 812013, 'our latest show': 623679, 'latest show episode': 481551, 'show episode 221': 766938, 'episode 221 is': 279508, '221 is available': 15268, 'is available now': 445926, 'available now link': 104519, 'now link in': 575220, 'link in bio': 493854, 'in bio featuring': 420847, 'bio featuring shopping': 131137, 'featuring shopping story': 301607, 'shopping story in': 763994, 'story in kentucky': 812010, 'in kentucky and': 424468, 'kentucky and reporting': 472845, 'and reporting from': 70275, 'from the west': 337926, 'the west coast': 871394, 'west coast more': 980485, 'faceshields': 295198, 'preventive': 671909, 'wear faceshields': 974322, 'faceshields while': 295201, 'while serving': 987248, 'customer preventive': 222710, 'preventive measure': 671916, 'cashier in retail': 166551, 'retail store wear': 718724, 'store wear faceshields': 811190, 'wear faceshields while': 974323, 'faceshields while serving': 295202, 'while serving their': 987249, 'serving their customer': 753224, 'their customer preventive': 872957, 'customer preventive measure': 222711, 'preventive measure against': 671918, 'crazy on': 215365, 'supermarket floor': 820336, 'floor for': 310796, 'big sweep': 130043, 'sweep supermarket': 830164, 'sweep via': 830181, 'via wait': 956359, 'wait walmart': 964251, 'starting one': 794989, 'out bullshit': 625780, 'bullshit so': 142511, 'sweep now': 830141, 'we gonna': 971662, 'be timed': 117719, 'timed next': 898442, 'next is': 561413, 'there prize': 878961, 'going crazy on': 355098, 'crazy on the': 215366, 'the supermarket floor': 868595, 'supermarket floor for': 820337, 'floor for the': 310799, 'for the big': 326322, 'the big sweep': 849627, 'big sweep supermarket': 130044, 'sweep supermarket sweep': 830166, 'supermarket sweep via': 823113, 'sweep via wait': 830182, 'via wait walmart': 956360, 'wait walmart is': 964252, 'walmart is starting': 965365, 'is starting one': 452233, 'starting one in': 794990, 'one in one': 606481, 'in one out': 426152, 'one out bullshit': 606805, 'out bullshit so': 625781, 'bullshit so we': 142512, 'all in supermarket': 43204, 'in supermarket sweep': 428682, 'supermarket sweep now': 823098, 'sweep now are': 830142, 'now are we': 574102, 'are we gonna': 91571, 'we gonna be': 971663, 'gonna be timed': 356484, 'be timed next': 117720, 'timed next is': 898443, 'next is there': 561416, 'is there prize': 453023, 'client to': 182114, 'provide additional': 686212, 'additional assistance': 31774, 'assistance for': 96691, 'those impacted': 892089, 'coronavirus through': 206940, 'client assistance': 182007, 'we re working': 973003, 're working closely': 699825, 'closely with our': 183483, 'with our client': 999979, 'our client to': 622401, 'client to provide': 182115, 'to provide additional': 912377, 'provide additional assistance': 686213, 'additional assistance for': 31775, 'assistance for those': 96696, 'for those impacted': 327116, 'those impacted by': 892090, 'by coronavirus through': 152237, 'coronavirus through our': 206941, 'through our client': 894612, 'our client assistance': 622392, 'client assistance program': 182008, 'feat': 301525, 'bojo': 134069, 'livingdead': 496492, 'it mark': 459531, 'mark new': 515805, 'new era': 558707, 'era in': 280056, 'in tv': 430341, 'tv film': 936110, 'film making': 305688, 'making feat': 511067, 'feat zombie': 301526, 'zombie bojo': 1027704, 'bojo madmax': 134072, 'toiletpaper bikers': 921810, 'bikers cat': 130435, 'cat hoarding': 166881, 'many livingdead': 514238, 'livingdead more': 496493, 'more sundaythoughts': 540494, 'sundaythoughts isolation': 818340, '19 how it': 7605, 'how it mark': 408135, 'it mark new': 459532, 'mark new era': 515806, 'new era in': 558708, 'era in tv': 280057, 'in tv film': 430342, 'tv film making': 936111, 'film making feat': 305689, 'making feat zombie': 511068, 'feat zombie bojo': 301527, 'zombie bojo madmax': 1027705, 'bojo madmax toiletpaper': 134073, 'madmax toiletpaper bikers': 508144, 'toiletpaper bikers cat': 921811, 'bikers cat hoarding': 130436, 'cat hoarding and': 166882, 'hoarding and many': 399181, 'and many livingdead': 66672, 'many livingdead more': 514239, 'livingdead more sundaythoughts': 496494, 'more sundaythoughts isolation': 540495, 'center of': 169270, 'of riyadh': 589133, 'riyadh the': 724228, 'great saudi': 362977, 'arabia 21': 83845, '21 03': 14947, '03 2020': 857, '2020 stayathome': 14612, 'this supermarket is': 890431, 'in the center': 429062, 'the center of': 850597, 'center of riyadh': 169275, 'of riyadh the': 589134, 'riyadh the great': 724229, 'the great saudi': 856731, 'great saudi arabia': 362978, 'saudi arabia 21': 737180, 'arabia 21 03': 83846, '21 03 2020': 14949, '03 2020 stayathome': 860, 'otc': 619772, 'before heading': 122847, 'store learn': 808695, 'item make': 463440, 'sense to': 750604, '19 canned': 5635, 'canned good': 161529, 'good prescription': 357579, 'prescription medication': 670516, 'medication otc': 526668, 'otc medication': 619775, 'before heading to': 122850, 'heading to your': 385969, 'grocery store learn': 365515, 'store learn what': 808697, 'learn what item': 484089, 'what item make': 981767, 'item make sense': 463441, 'make sense to': 510445, 'sense to stock': 750609, 'on and other': 599366, 'and other way': 68432, 'other way to': 621188, 'way to prepare': 970066, 'to prepare for': 912000, 'prepare for covid': 670071, 'covid 19 canned': 212759, '19 canned good': 5636, 'canned good prescription': 161543, 'good prescription medication': 357580, 'prescription medication otc': 670517, 'medication otc medication': 526669, 'reasoned': 703154, 'named': 551709, 'baby father': 106600, 'father reasoned': 300308, 'reasoned that': 703155, 'he named': 385241, 'named his': 551719, 'his son': 397801, 'son sanitizer': 785430, 'sanitizer because': 734553, 'the baby father': 849135, 'baby father reasoned': 106601, 'father reasoned that': 300309, 'reasoned that he': 703156, 'that he named': 844263, 'he named his': 385242, 'named his son': 551720, 'his son sanitizer': 397804, 'son sanitizer because': 785431, 'sanitizer because it': 734555, 'because it had': 119190, 'it had the': 458436, 'had the capacity': 373611, 'capacity to fight': 162586, 'jesuschristonacracker': 465323, 'this jesuschristonacracker': 888539, 'jesuschristonacracker my': 465324, 'store manages': 808898, 'manages to': 512842, 'ration egg': 697663, 'to carton': 902473, 'carton per': 165492, 'so maybe': 777733, 'maybe we': 521868, 'can fairly': 158284, 'fairly distribute': 296431, 'distribute covid': 247966, 'test too': 839215, 'if only wa': 414560, 'able to do': 24472, 'about this jesuschristonacracker': 26643, 'this jesuschristonacracker my': 888540, 'jesuschristonacracker my grocery': 465325, 'grocery store manages': 365553, 'store manages to': 808899, 'manages to ration': 512845, 'to ration egg': 912761, 'ration egg to': 697664, 'egg to carton': 270008, 'to carton per': 902474, 'carton per customer': 165493, 'per customer per': 650781, 'customer per day': 222681, 'per day so': 650808, 'day so maybe': 228368, 'so maybe we': 777734, 'maybe we can': 521870, 'we can fairly': 970947, 'can fairly distribute': 158285, 'fairly distribute covid': 296432, 'distribute covid 19': 247967, '19 test too': 11086, 'totalsocial': 926413, 'consumerconversations': 199660, 'pandemic causing': 635112, 'causing widespread': 168150, 'widespread anxiety': 991826, 'disruption engagement': 246467, 'engagement lab': 276898, 'lab is': 478271, 'is monitoring': 449689, 'monitoring it': 537357, 'national conversation': 552457, 'conversation in': 202469, 'affecting brand': 34493, 'brand totalsocial': 138055, 'totalsocial consumerconversations': 926414, 'consumerconversations consumerinsights': 199661, 'the pandemic causing': 862929, 'pandemic causing widespread': 635115, 'causing widespread anxiety': 168151, 'widespread anxiety and': 991827, 'anxiety and disruption': 78651, 'and disruption engagement': 61493, 'disruption engagement lab': 246468, 'engagement lab is': 276899, 'lab is monitoring': 478272, 'is monitoring it': 449691, 'monitoring it impact': 537358, 'on the national': 604247, 'the national conversation': 861288, 'national conversation in': 552458, 'conversation in the': 202470, 'the and also': 848681, 'and also how': 57959, 'also how it': 48377, 'it is affecting': 458864, 'is affecting brand': 445382, 'affecting brand totalsocial': 34495, 'brand totalsocial consumerconversations': 138056, 'totalsocial consumerconversations consumerinsights': 926415, 'scum': 742970, 'farther': 299735, 'isolation of': 455362, 'of now': 587093, 'search various': 743301, 'various store': 952649, 'find stuff': 307256, 'stuff for': 815068, 'dinner if': 243069, 'people didn': 647645, 'buy we': 149438, 'shop but': 759994, 'but since': 147058, 'since those': 770943, 'those scum': 892425, 'scum buying': 742974, 'travel farther': 930359, 'farther each': 299736, 'time fuck': 896814, 'all stockpilinguk': 44476, 'self isolation of': 747787, 'isolation of now': 455364, 'of now have': 587096, 'now have symptom': 574881, 'symptom but we': 830829, 'but we need': 147754, 'need to search': 556060, 'to search various': 913954, 'search various store': 743302, 'various store to': 952651, 'store to find': 810770, 'to find stuff': 905939, 'find stuff for': 307258, 'stuff for dinner': 815069, 'for dinner if': 320719, 'dinner if people': 243070, 'if people didn': 414614, 'people didn panic': 647648, 'panic buy we': 637542, 'buy we could': 149439, 'we could go': 971207, 'to shop but': 914451, 'shop but since': 760003, 'but since those': 147062, 'since those scum': 770944, 'those scum buying': 892426, 'scum buying all': 742975, 'buying all the': 149879, 'have to travel': 383325, 'to travel farther': 917730, 'travel farther each': 930360, 'farther each time': 299737, 'each time fuck': 264296, 'time fuck all': 896815, 'fuck all stockpilinguk': 339519, 'the 47': 848125, '47 respondent': 19266, 'respondent with': 715393, 'disability who': 243862, 'have used': 383481, 'crisis 45': 216960, '45 believe': 19069, 'are performing': 89063, 'performing poorly': 651501, 'poorly to': 664398, 'to very': 918151, 'very poorly': 955421, 'of the 47': 590771, 'the 47 respondent': 848127, '47 respondent with': 19267, 'respondent with disability': 715394, 'with disability who': 998067, 'disability who have': 243865, 'who have used': 988969, 'have used online': 383483, 'used online shopping': 949985, 'the crisis 45': 852338, 'crisis 45 believe': 216961, '45 believe they': 19071, 'believe they are': 126375, 'they are performing': 881359, 'are performing poorly': 89064, 'performing poorly to': 651503, 'poorly to very': 664400, 'to very poorly': 918154, 'refreshingly': 706770, 'bewell': 129115, 'what refreshingly': 982090, 'refreshingly generous': 706771, 'generous and': 345715, 'and practical': 69297, 'practical approach': 668454, 'approach compared': 82933, 'shopping giant': 762779, 'giant and': 349740, 'many major': 514256, 'store dogood': 807351, 'dogood bewell': 252213, 'bewell trader': 129116, 'joe is': 466421, 'giving it': 351326, 'employee bonus': 273682, 'for record': 325024, 'record sale': 705058, 'sale during': 732179, 'what refreshingly generous': 982091, 'refreshingly generous and': 706772, 'generous and practical': 345718, 'and practical approach': 69298, 'practical approach compared': 668455, 'approach compared to': 82934, 'compared to the': 191440, 'online shopping giant': 609130, 'shopping giant and': 762780, 'giant and many': 349741, 'and many major': 66673, 'many major grocery': 514258, 'grocery store dogood': 365337, 'store dogood bewell': 807352, 'dogood bewell trader': 252214, 'bewell trader joe': 129117, 'trader joe is': 928715, 'joe is giving': 466422, 'is giving it': 448063, 'giving it employee': 351329, 'it employee bonus': 457798, 'employee bonus for': 273683, 'bonus for record': 134377, 'for record sale': 325029, 'record sale during': 705060, 'sale during the': 732182, 'smoother': 775946, 'fm': 311690, 'tomor': 923995, 'really starting': 702609, 'home town': 402365, 'town empty': 927456, 'supermarket empty': 820155, 'empty station': 275136, 'station in': 796431, 'in rush': 427582, 'rush hour': 728299, 'hour shout': 405930, 'that unseen': 847189, 'unseen work': 943472, 'work behind': 1004931, 'scene making': 741340, 'making our': 511257, 'our transition': 625183, 'transition to': 929682, 'home smoother': 402079, 'smoother hoping': 775947, 'working fm': 1008627, 'fm home': 311701, 'from tomor': 338090, 'really starting to': 702610, 'see the impact': 745845, '19 on my': 8956, 'my home town': 548697, 'home town empty': 402366, 'town empty shelf': 927457, 'the supermarket empty': 868571, 'supermarket empty road': 820157, 'empty road empty': 275030, 'road empty station': 724446, 'empty station in': 275137, 'station in rush': 796436, 'in rush hour': 427584, 'rush hour shout': 728300, 'hour shout out': 405931, 'to all that': 900291, 'all that unseen': 44648, 'that unseen work': 847190, 'unseen work behind': 943473, 'work behind the': 1004932, 'the scene making': 866469, 'scene making our': 741341, 'making our transition': 511261, 'our transition to': 625184, 'transition to work': 929686, 'from home smoother': 335904, 'home smoother hoping': 402080, 'smoother hoping to': 775948, 'hoping to be': 403951, 'to be working': 901639, 'be working fm': 118141, 'working fm home': 1008628, 'fm home from': 311702, 'home from tomor': 401275, 'hannaford': 376994, 'hannaford supermarket': 376995, 'is donating': 447308, 'donating 250': 254421, 'local area': 497690, '19 global': 7217, 'health pandemic': 386734, 'hannaford supermarket is': 376996, 'supermarket is donating': 821086, 'is donating 250': 447312, 'donating 250 00': 254422, '250 00 to': 16011, '00 to local': 547, 'to local area': 909370, 'local area food': 497692, 'area food bank': 92009, 'food bank to': 313658, 'bank to help': 110259, 'the demand caused': 853088, 'covid 19 global': 213146, '19 global health': 7220, 'global health pandemic': 351977, '301': 17378, '324': 17717, '9500': 23616, '681': 21497, '9797': 23713, 'pgcounty': 653957, 'visualeyes': 959638, 'product alert': 680842, 'alert vision': 41535, 'vision source': 959156, 'source pure': 786537, 'pure clean': 689967, 'clean disinfectant': 180500, 'kill coronavirus': 474373, 'coronavirus product': 206594, 'product info': 681312, 'info to': 437590, 'order 301': 617987, '301 324': 17379, '324 9500': 17718, '9500 301': 23617, '301 681': 17381, '681 9797': 21498, '9797 order': 23714, 'online disinfectant': 608110, 'disinfectant pgcounty': 245724, 'pgcounty sanitizer': 653958, 'sanitizer visualeyes': 736017, 'new product alert': 559356, 'product alert vision': 680843, 'alert vision source': 41536, 'vision source pure': 959157, 'source pure clean': 786538, 'pure clean disinfectant': 689968, 'clean disinfectant kill': 180502, 'disinfectant kill coronavirus': 245704, 'kill coronavirus product': 474376, 'coronavirus product info': 206595, 'product info to': 681313, 'info to order': 437594, 'to order 301': 911059, 'order 301 324': 617988, '301 324 9500': 17380, '324 9500 301': 17719, '9500 301 681': 23618, '301 681 9797': 17382, '681 9797 order': 21499, '9797 order online': 23715, 'order online disinfectant': 618467, 'online disinfectant pgcounty': 608111, 'disinfectant pgcounty sanitizer': 245725, 'pgcounty sanitizer visualeyes': 653959, 'rebreathing': 703342, 'great thought': 363055, 'thought tonight': 893282, 'tonight on': 924462, 'why shutdown': 991346, 'shutdown is': 768049, 'the wrong': 872099, 'wrong reaction': 1013092, 'reaction but': 700191, 'far your': 298987, 'store easy': 807428, 'see they': 745931, 'are different': 85814, 'different most': 241996, 'most work': 542925, 'work done': 1005058, 'done for': 254837, 'in confined': 421649, 'confined space': 194046, 'space rebreathing': 787157, 'rebreathing others': 703343, 'others air': 621244, 'air most': 39766, 'great thought tonight': 363056, 'thought tonight on': 893283, 'tonight on why': 924467, 'on why shutdown': 605316, 'why shutdown is': 991347, 'shutdown is the': 768051, 'is the wrong': 452982, 'the wrong reaction': 872109, 'wrong reaction but': 1013093, 'reaction but far': 700192, 'but far your': 145699, 'far your work': 298988, 'your work grocery': 1026373, 'grocery store easy': 365355, 'store easy to': 807429, 'easy to see': 265789, 'to see they': 914086, 'see they are': 745932, 'they are different': 881250, 'are different most': 85816, 'different most work': 241997, 'most work done': 542926, 'work done for': 1005059, 'done for hr': 254840, 'for hr day': 322426, 'hr day week': 409608, 'day week in': 228696, 'week in confined': 976367, 'in confined space': 421650, 'confined space rebreathing': 194047, 'space rebreathing others': 787158, 'rebreathing others air': 703344, 'others air most': 621245, 'air most grocery': 39767, 'most grocery trip': 542358, 'esterson': 282226, 'why doesn': 990956, 'doesn the': 251969, 'government enforce': 360066, 'enforce everyone': 276666, 'use click': 949115, 'collect that': 186328, 'way no': 969726, 'walk around': 964740, 'around supermarket': 93498, 'can queue': 159360, 'at specific': 100607, 'time 2m': 896185, 'apart esterson': 81250, 'why doesn the': 990959, 'doesn the government': 251970, 'the government enforce': 856534, 'government enforce everyone': 360067, 'enforce everyone who': 276667, 'everyone who can': 287582, 'who can go': 988386, 'store to use': 810824, 'to use click': 918015, 'use click and': 949116, 'and collect that': 60092, 'collect that way': 186329, 'that way no': 847346, 'way no one': 969728, 'one need to': 606709, 'need to walk': 556114, 'to walk around': 918299, 'walk around supermarket': 964744, 'around supermarket and': 93499, 'supermarket and can': 818952, 'and can queue': 59467, 'can queue for': 159361, 'queue for their': 693933, 'for their good': 326830, 'their good at': 873418, 'good at specific': 356801, 'at specific time': 100608, 'specific time 2m': 788260, 'time 2m apart': 896186, '2m apart esterson': 16660, 'only letting': 610726, 'letting in': 487414, 'in limited': 424736, 'limited number': 492680, 'good those': 357859, 'those waiting': 892597, 'outside were': 629640, 'standing right': 793805, 'right next': 722004, 'other that': 621091, 'bad socialdistancing': 108012, 'store which wa': 811277, 'which wa only': 986448, 'wa only letting': 962856, 'only letting in': 610728, 'letting in limited': 487416, 'in limited number': 424737, 'limited number of': 492681, 'of customer that': 582284, 'customer that good': 222916, 'that good those': 844051, 'good those waiting': 357861, 'those waiting in': 892598, 'in line outside': 424766, 'line outside were': 493352, 'outside were standing': 629641, 'were standing right': 980164, 'standing right next': 793807, 'right next to': 722006, 'each other that': 264223, 'other that bad': 621092, 'that bad socialdistancing': 842921, 'commented': 188490, 'just commented': 468502, 'commented on': 188495, 'on ie': 601476, 'ie supermarket': 413742, 'hiring hundred': 397106, 'just commented on': 468504, 'commented on ie': 188497, 'on ie supermarket': 601478, 'ie supermarket hiring': 413743, 'supermarket hiring hundred': 820765, 'hiring hundred of': 397107, 'hundred of employee': 410999, 'of employee to': 583079, 'employee to meet': 274330, 'to meet covid': 910019, 'backlogged': 107567, 'cant believe': 162268, 'said but': 731008, 'but keep': 146210, 'grocery are': 364278, 'are backlogged': 84743, 'backlogged for': 107568, 'week please': 976754, 'own essential': 631970, 'shopping responsibly': 763742, 'responsibly save': 716109, 'save that': 737649, 'cant believe this': 162270, 'believe this ha': 126383, 'to be said': 901519, 'be said but': 116983, 'said but keep': 731010, 'but keep hearing': 146214, 'keep hearing that': 471576, 'hearing that online': 388242, 'that online grocery': 845510, 'online grocery are': 608313, 'grocery are backlogged': 364279, 'are backlogged for': 84744, 'backlogged for week': 107569, 'for week please': 327741, 'week please if': 976755, 'please if you': 660103, 'do your own': 250709, 'your own essential': 1025135, 'own essential shopping': 631971, 'essential shopping responsibly': 281555, 'shopping responsibly save': 763743, 'responsibly save that': 716110, 'save that service': 737650, 'that service for': 846212, 'for those at': 327099, 'those at high': 891820, 'high risk and': 395345, 'risk and unable': 723380, 'unable to venture': 939352, 'plead': 659569, 'buying trigger': 151263, 'trigger supermarket': 931891, 'hike retailer': 396276, 'retailer plead': 719274, 'plead for': 659570, 'for calm': 319883, 'calm pricegouging': 156782, 'pricegouging auspol': 677788, 'panic buying trigger': 637943, 'buying trigger supermarket': 151264, 'trigger supermarket price': 931892, 'supermarket price hike': 822057, 'price hike retailer': 674536, 'hike retailer plead': 396277, 'retailer plead for': 719275, 'plead for calm': 659571, 'for calm pricegouging': 319888, 'calm pricegouging auspol': 156783, 'maisano': 509184, 'protection update': 685669, 'update tune': 947283, 'in tomorrow': 430186, '7pm director': 22500, 'director jim': 243631, 'jim maisano': 465500, 'maisano join': 509185, 'answer viewer': 78139, 'viewer question': 957191, 'protect resident': 684933, 'resident during': 714289, 'consumer protection update': 198573, 'protection update tune': 685670, 'update tune in': 947284, 'tune in tomorrow': 935408, 'in tomorrow at': 430187, 'tomorrow at 7pm': 924033, 'at 7pm director': 97756, '7pm director jim': 22501, 'director jim maisano': 243632, 'jim maisano join': 465501, 'maisano join to': 509186, 'join to answer': 466884, 'to answer viewer': 900592, 'answer viewer question': 78140, 'viewer question on': 957192, 'question on the': 693681, 'on the work': 604459, 'the work the': 871740, 'work the department': 1005809, 'the department is': 853143, 'department is doing': 237214, 'to protect resident': 912326, 'protect resident during': 684935, 'resident during the': 714290, 'tavern': 834919, 'samorning': 733449, 'sally': 732746, 'burdett': 142768, 'xoli': 1013891, 'mngambi': 534828, 'ha published': 371574, 'published strict': 688696, 'strict regulation': 813650, 'includes closing': 431729, 'closing bar': 183595, 'bar tavern': 110772, 'tavern and': 834920, 'sent to': 750840, 'jail for': 464264, 'spreading fake': 790962, 'news samorning': 560770, 'samorning with': 733450, 'with sally': 1000561, 'sally burdett': 732747, 'burdett and': 142769, 'and xoli': 75954, 'xoli mngambi': 1013892, 'government ha published': 360163, 'ha published strict': 371577, 'published strict regulation': 688697, 'strict regulation to': 813652, 'the this includes': 869486, 'this includes closing': 888069, 'includes closing bar': 431730, 'closing bar tavern': 183596, 'bar tavern and': 110773, 'tavern and restaurant': 834921, 'and restaurant and': 70366, 'restaurant and being': 716275, 'and being sent': 58869, 'being sent to': 125760, 'sent to jail': 750843, 'to jail for': 908645, 'jail for spreading': 464267, 'for spreading fake': 325839, 'spreading fake news': 790963, 'fake news samorning': 296674, 'news samorning with': 560771, 'samorning with sally': 733451, 'with sally burdett': 1000562, 'sally burdett and': 732748, 'burdett and xoli': 142770, 'and xoli mngambi': 75955, 'passenger too': 643353, 'too add': 924564, 'canceled travel': 160965, 'line let make': 493230, 'let make sure': 486885, 'protect passenger too': 684916, 'passenger too add': 643354, 'too add consumer': 924565, 'for canceled travel': 319905, 'struggling nationally': 814464, 'nationally and': 552689, 'and locally': 66307, 'locally please': 498773, 'give and': 350385, 'and encourage': 62096, 'encourage others': 275612, 'same they': 733328, 'ever food': 285307, 'bank supply': 110216, 'supply decrease': 825141, 'increased and': 433196, 'are struggling nationally': 90590, 'struggling nationally and': 814465, 'nationally and locally': 552690, 'and locally please': 66308, 'locally please continue': 498774, 'continue to give': 201202, 'to give and': 906673, 'give and encourage': 350386, 'and encourage others': 62098, 'encourage others to': 275613, 'others to do': 621725, 'the same they': 866308, 'same they are': 733329, 'they are needed': 881339, 'are needed more': 88200, 'than ever food': 840581, 'ever food bank': 285308, 'food bank supply': 313650, 'bank supply decrease': 110217, 'supply decrease and': 825142, 'decrease and demand': 231548, 'and demand ha': 61155, 'ha increased and': 370944, 'increased and will': 433198, 'and will increase': 75671, 'the shameful': 866777, 'shameful legislation': 754689, 'legislation proposed': 485979, 'proposed by': 684521, 'consumer attorney': 196352, 'attorney of': 102678, 'of california': 581040, 'california amid': 155456, 'the shameful legislation': 866778, 'shameful legislation proposed': 754690, 'legislation proposed by': 485980, 'proposed by the': 684523, 'the consumer attorney': 851495, 'consumer attorney of': 196353, 'attorney of california': 102679, 'of california amid': 581041, 'california amid the': 155457, 'until rationing': 943816, 'rationing is': 697827, 'is introduced': 448958, 'current state': 221383, 'only last': 610698, 'last so': 480498, 'long and': 501327, 'are clearly': 85315, 'clearly benefiting': 181493, 'benefiting from': 127164, 'price rationing': 676085, 'long until rationing': 501800, 'until rationing is': 943817, 'rationing is introduced': 697829, 'is introduced the': 448959, 'introduced the current': 443458, 'the current state': 852667, 'current state of': 221384, 'the store can': 867992, 'store can only': 806860, 'can only last': 159129, 'only last so': 610699, 'last so long': 480499, 'so long and': 777581, 'long and people': 501329, 'people are clearly': 646946, 'are clearly benefiting': 85316, 'clearly benefiting from': 181494, 'benefiting from buying': 127165, 'from buying in': 334778, 'bulk and then': 142243, 'and then selling': 73805, 'then selling it': 877514, 'it at inflated': 456620, 'inflated price rationing': 437064, 'nation have': 552203, 'lowest point': 506201, 'the nation have': 861238, 'nation have fallen': 552204, 'their lowest point': 873895, 'lowest point in': 506202, 'point in at': 662515, 'done multiple': 254943, 'multiple story': 545797, 'supply lately': 825491, 'despite empty': 238728, 'empty store': 275147, 'shelf here': 757155, 'here psa': 393485, 'psa don': 687396, 'not running': 571409, 'ha up': 372405, 'to four': 906212, 'four month': 330628, 've done multiple': 953063, 'done multiple story': 254944, 'multiple story about': 545798, 'food supply lately': 316965, 'supply lately and': 825492, 'lately and despite': 480947, 'and despite empty': 61268, 'despite empty store': 238731, 'empty store shelf': 275150, 'store shelf here': 810078, 'shelf here psa': 757157, 'here psa don': 393486, 'psa don panic': 687397, 'don panic we': 253816, 'panic we are': 638761, 'are not running': 88459, 'not running out': 571410, 'food expert say': 314434, 'expert say the': 291961, 'say the food': 739278, 'food industry ha': 315014, 'industry ha up': 435868, 'ha up to': 372406, 'up to four': 946379, 'to four month': 906213, 'four month of': 330633, 'month of staple': 537905, 'of staple in': 590041, 'staple in stock': 793960, 'diplomatic': 243220, 'dictate': 240499, 'now those': 576137, 'infected nation': 436602, 'nation are': 552124, 'at often': 99944, 'often highly': 596208, 'to various': 918120, 'various report': 952633, 'report handing': 711997, 'handing the': 376142, 'chinese diplomatic': 177240, 'diplomatic if': 243221, 'not commercial': 568805, 'commercial coup': 188690, 'coup they': 211546, 'they dictate': 881912, 'dictate where': 240508, 'where supply': 985196, 'essential life': 281280, 'isn shipped': 454663, 'now those covid': 576138, '19 infected nation': 7842, 'infected nation are': 436603, 'nation are having': 552125, 'buy it back': 148846, 'it back at': 456664, 'back at often': 106892, 'at often highly': 99945, 'often highly inflated': 596209, 'inflated price according': 437023, 'according to various': 28601, 'to various report': 918122, 'various report handing': 952634, 'report handing the': 711998, 'handing the chinese': 376143, 'the chinese diplomatic': 850851, 'chinese diplomatic if': 177241, 'diplomatic if not': 243222, 'if not commercial': 414490, 'not commercial coup': 568806, 'commercial coup they': 188691, 'coup they dictate': 211547, 'they dictate where': 881913, 'dictate where supply': 240509, 'where supply of': 985198, 'supply of essential': 825622, 'of essential life': 583177, 'essential life saving': 281281, 'saving equipment is': 737865, 'equipment is and': 279762, 'is and isn': 445706, 'and isn shipped': 65449, 'my gp': 548538, 'gp agreed': 361398, 'agreed wa': 38755, 'wa vulnerable': 963655, 'and filled': 62847, 'filled in': 305540, 'your site': 1025813, 'package it': 633314, 'now look': 575251, 'supermarket thanks': 823171, 'guy cross': 368966, 'cross your': 219043, 'your finger': 1023878, 'finger for': 307800, 'me lockdownextension': 523103, 'lockdownextension lockdown': 500282, 'hey my gp': 394464, 'my gp agreed': 548539, 'gp agreed wa': 361399, 'agreed wa vulnerable': 38756, 'wa vulnerable and': 963656, 'vulnerable and filled': 960859, 'and filled in': 62848, 'filled in the': 305543, 'the form on': 855709, 'form on your': 329551, 'on your site': 605502, 'your site where': 1025819, 'site where are': 772059, 'are the care': 90805, 'the care package': 850414, 'care package it': 164137, 'package it been': 633315, 'it been week': 456806, 'been week now': 122365, 'week now look': 976591, 'now look like': 575252, 'the supermarket thanks': 868844, 'supermarket thanks guy': 823173, 'thanks guy cross': 842098, 'guy cross your': 368967, 'cross your finger': 219044, 'your finger for': 1023882, 'finger for me': 307801, 'for me lockdownextension': 323320, 'me lockdownextension lockdown': 523104, 'condominium': 193622, 'since may': 770728, 'may 2018': 520873, '2018 home': 13880, 'have declined': 380198, 'in both': 420917, 'the freehold': 855776, 'freehold and': 332415, 'and condominium': 60267, 'condominium segment': 193625, 'segment result': 747391, 'mar 15': 514970, '15 the': 3845, 'for freehold': 321741, 'freehold home': 332417, 'toronto hit': 925945, 'hit 36': 398110, '36 million': 18015, 'million they': 532373, 've dropped': 953069, '25 million': 15908, 'on apr': 599424, 'time since may': 897669, 'since may 2018': 770730, 'may 2018 home': 520874, '2018 home price': 13881, 'home price have': 401905, 'price have declined': 674423, 'have declined in': 380201, 'declined in both': 231430, 'in both the': 420928, 'both the freehold': 136063, 'the freehold and': 855777, 'freehold and condominium': 332416, 'and condominium segment': 60268, 'condominium segment result': 193626, 'segment result of': 747392, '19 on mar': 8953, 'on mar 15': 602002, 'mar 15 the': 514971, '15 the average': 3846, 'average price for': 104889, 'price for freehold': 673968, 'for freehold home': 321742, 'freehold home in': 332418, 'home in toronto': 401423, 'in toronto hit': 430204, 'toronto hit 36': 925946, 'hit 36 million': 398111, '36 million they': 18017, 'million they ve': 532374, 'they ve dropped': 883647, 've dropped to': 953070, 'dropped to 25': 260640, 'to 25 million': 899639, '25 million on': 15912, 'million on apr': 532298, 'market doesn': 516304, 'run it': 727688, 'about share': 26169, 'price an': 672345, 'hour from': 405629, 'now stockpiling': 575910, 'stockpiling ventilator': 804111, 'for rare': 324958, 'rare pandemic': 697091, 'is against': 445417, 'market stand': 517108, 'the market doesn': 860103, 'market doesn care': 516305, 'care about our': 163799, 'about our health': 25894, 'our health in': 623373, 'health in the': 386525, 'long run it': 501609, 'run it care': 727689, 'it care about': 457064, 'care about share': 163802, 'about share price': 26170, 'share price an': 755158, 'price an hour': 672348, 'an hour from': 56084, 'hour from now': 405634, 'from now stockpiling': 336613, 'now stockpiling ventilator': 575912, 'stockpiling ventilator for': 804112, 'ventilator for rare': 954559, 'for rare pandemic': 324959, 'rare pandemic is': 697092, 'pandemic is against': 635753, 'is against everything': 445418, 'against everything the': 37433, 'everything the market': 288040, 'the market stand': 860163, 'market stand for': 517109, 'attendee': 102398, 'are canceling': 85157, 'canceling our': 160990, 'next event': 561356, 'event due': 284975, 'our attendee': 622142, 'attendee speaker': 102399, 'speaker and': 787735, 'our ultimate': 625222, 'ultimate priority': 939127, 'priority sorry': 678656, 'any cause': 79001, 'of disappointment': 582648, 'disappointment answer': 244152, 'the faq': 854924, 'faq are': 298666, 'unfortunately we are': 941661, 'we are canceling': 970497, 'are canceling our': 85158, 'canceling our next': 160991, 'our next event': 624058, 'next event due': 561357, 'event due to': 284976, '19 the health': 11206, 'health and well': 386163, 'of our attendee': 587423, 'our attendee speaker': 622143, 'attendee speaker and': 102400, 'speaker and staff': 787737, 'and staff is': 72194, 'staff is our': 792578, 'is our ultimate': 450649, 'our ultimate priority': 625223, 'ultimate priority sorry': 939128, 'priority sorry for': 678657, 'sorry for any': 786041, 'for any cause': 319397, 'any cause of': 79002, 'cause of disappointment': 167680, 'of disappointment answer': 582649, 'disappointment answer to': 244153, 'answer to the': 78134, 'to the faq': 916698, 'the faq are': 854925, 'faq are available': 298668, 'are available in': 84711, 'jesuschrist': 465319, 'religiousfreedom': 709593, 'keepput': 472663, 'starwars': 795282, 'justkidding': 470498, 'happy easter': 377604, 'easter good': 265438, 'friday easter': 333214, 'easter away': 265380, 'away game': 105929, 'game anticipation': 343122, 'anticipation sunday': 78498, 'sunday jesus': 818224, 'jesus jesuschrist': 465302, 'jesuschrist religion': 465321, 'religion religiousfreedom': 709563, 'religiousfreedom world': 709594, 'world stayhome': 1010000, 'stayhome keepput': 798027, 'keepput starwars': 472664, 'starwars justkidding': 795285, 'justkidding toiletpaper': 470501, 'toiletpaper fact': 921969, 'fact place': 295777, 'happy easter good': 377607, 'easter good friday': 265439, 'good friday easter': 357100, 'friday easter away': 333215, 'easter away game': 265381, 'away game anticipation': 105930, 'game anticipation sunday': 343123, 'anticipation sunday jesus': 78499, 'sunday jesus jesuschrist': 818225, 'jesus jesuschrist religion': 465303, 'jesuschrist religion religiousfreedom': 465322, 'religion religiousfreedom world': 709564, 'religiousfreedom world stayhome': 709595, 'world stayhome keepput': 1010001, 'stayhome keepput starwars': 798028, 'keepput starwars justkidding': 472665, 'starwars justkidding toiletpaper': 795286, 'justkidding toiletpaper fact': 470502, 'toiletpaper fact place': 921970, 'lenin': 486343, 'nonetheless': 566629, 'are decade': 85707, 'decade where': 230706, 'where nothing': 985059, 'nothing happens': 573031, 'happens and': 377445, 'are week': 91605, 'where decade': 984812, 'decade happen': 230681, 'happen lenin': 377112, 'lenin while': 486344, 'while not': 987085, 'not intended': 570153, 'brand under': 138059, '19 siege': 10539, 'siege should': 768989, 'note nonetheless': 572761, 'nonetheless this': 566630, 'this three': 890594, 'three part': 894022, 'part series': 642420, 'series tackle': 751303, 'tackle some': 831599, 'implication advertising': 418542, 'advertising marketing': 33248, 'there are decade': 878089, 'are decade where': 85708, 'decade where nothing': 230707, 'where nothing happens': 985060, 'nothing happens and': 573032, 'happens and there': 377447, 'there are week': 878185, 'are week where': 91606, 'week where decade': 977228, 'where decade happen': 984813, 'decade happen lenin': 230682, 'happen lenin while': 377113, 'lenin while not': 486345, 'while not intended': 987086, 'not intended for': 570154, 'intended for brand': 441051, 'for brand under': 319768, 'brand under covid': 138060, 'covid 19 siege': 213801, '19 siege should': 10540, 'siege should take': 768990, 'should take note': 766549, 'take note nonetheless': 832376, 'note nonetheless this': 572762, 'nonetheless this three': 566631, 'this three part': 890595, 'three part series': 894023, 'part series tackle': 642421, 'series tackle some': 751304, 'tackle some of': 831600, 'of the implication': 591130, 'the implication advertising': 857967, 'implication advertising marketing': 418543, 'leavenlaw': 485058, 'yourself facing': 1026594, 'facing foreclosure': 295473, 'foreclosure or': 328926, 'or debt': 614903, 'collection call': 186421, 'mortgage company': 541878, 'pandemic leavenlaw': 635877, 'leavenlaw consumer': 485059, 'protection attorney': 685343, 'attorney can': 102614, 'you find yourself': 1018584, 'find yourself facing': 307414, 'yourself facing foreclosure': 1026595, 'facing foreclosure or': 295474, 'foreclosure or debt': 328927, 'or debt collection': 614904, 'debt collection call': 230440, 'collection call from': 186422, 'call from your': 155912, 'from your mortgage': 338483, 'your mortgage company': 1024884, 'mortgage company during': 541880, 'company during this': 190624, '19 pandemic leavenlaw': 9379, 'pandemic leavenlaw consumer': 635878, 'leavenlaw consumer protection': 485060, 'consumer protection attorney': 198510, 'protection attorney can': 685344, 'attorney can help': 102615, 'onassignment': 605543, 'woman wearing': 1003661, 'protective glove': 685769, 'mask precaution': 519132, 'precaution against': 669265, 'shop grocery': 760244, 'in miami': 425275, 'miami florida': 530174, 'florida united': 310994, 'state on': 795830, '20 2020': 12879, '2020 onassignment': 14484, 'onassignment for': 605544, 'for photojournalism': 324536, 'woman wearing protective': 1003664, 'wearing protective glove': 974770, 'protective glove and': 685770, 'and mask precaution': 66759, 'mask precaution against': 519133, 'precaution against coronavirus': 669267, 'against coronavirus covid': 37387, 'covid 19 shop': 213787, '19 shop grocery': 10475, 'shop grocery at': 760245, 'grocery at supermarket': 364287, 'supermarket in miami': 820933, 'in miami florida': 425279, 'miami florida united': 530176, 'florida united state': 310995, 'united state on': 942233, 'state on march': 795832, 'march 20 2020': 515127, '20 2020 onassignment': 12884, '2020 onassignment for': 14485, 'onassignment for photojournalism': 605545, 'for photojournalism documentary': 324537, 'slope': 774084, 'jumping': 467961, 'sane': 733754, 'bite found': 131865, 'great off': 362855, 'off road': 594111, 'road route': 724501, 'route to': 726473, 'anyone come': 80234, 'come walking': 187656, 'walking towards': 965116, 'towards me': 927215, 'in opposite': 426194, 'direction either': 243457, 'the slope': 867334, 'slope or': 774086, 'or jumping': 615869, 'jumping in': 467962, 'the river': 865899, 'river nature': 724187, 'nature keep': 552961, 'keep me': 471651, 'me relatively': 523392, 'relatively sane': 708776, 'bite found this': 131866, 'found this great': 330433, 'this great off': 887753, 'great off road': 362856, 'off road route': 594112, 'road route to': 724502, 'route to the': 726476, 'supermarket if anyone': 820828, 'if anyone come': 413843, 'anyone come walking': 80235, 'come walking towards': 187657, 'walking towards me': 965117, 'towards me in': 927216, 'me in opposite': 522972, 'in opposite direction': 426195, 'opposite direction either': 613781, 'direction either going': 243458, 'either going up': 270311, 'going up the': 355795, 'up the slope': 946215, 'the slope or': 867335, 'slope or jumping': 774087, 'or jumping in': 615870, 'jumping in the': 467963, 'in the river': 429519, 'the river nature': 865900, 'river nature keep': 724188, 'nature keep me': 552963, 'keep me relatively': 471654, 'me relatively sane': 523393, 'fairytale': 296488, 'brownie': 141267, '531': 20304, '5209': 20262, 'hi arizona': 394602, 'arizona customer': 92833, 'customer beginning': 222180, 'today march': 919853, '18 the': 4586, 'the fairytale': 854854, 'fairytale brownie': 296489, 'brownie retail': 141272, '19 brownie': 5458, 'brownie and': 141268, 'gift still': 350023, 'still can': 800329, 'be ordered': 116271, 'or 800': 614222, '800 531': 22674, '531 5209': 20307, 'hi arizona customer': 394603, 'arizona customer beginning': 92834, 'customer beginning today': 222181, 'beginning today march': 123681, 'today march 18': 919854, 'march 18 the': 515110, '18 the fairytale': 4587, 'the fairytale brownie': 854855, 'fairytale brownie retail': 296490, 'brownie retail store': 141273, 'covid 19 brownie': 212736, '19 brownie and': 5459, 'brownie and gift': 141269, 'and gift still': 63646, 'gift still can': 350024, 'still can be': 800330, 'can be ordered': 157654, 'be ordered online': 116272, 'ordered online at': 618880, 'online at or': 607891, 'at or 800': 99988, 'or 800 531': 614224, '800 531 5209': 22675, 'clientele': 182146, 'utmost': 951383, 'and wellbeing': 75416, 'our clientele': 622406, 'clientele and': 182147, 'our utmost': 625247, 'utmost priority': 951390, 'priority due': 678553, '19 william': 12117, 'william amp': 995423, 'amp son': 54535, 'son have': 785385, 'have taken': 382903, 'the difficult': 853273, 'difficult decision': 242207, 'on 19th': 599040, '19th march': 12539, 'march until': 515504, 'until 6th': 943663, '6th april': 21679, 'april when': 83716, 'are hoping': 87230, 'and safety and': 70736, 'safety and wellbeing': 730468, 'and wellbeing of': 75417, 'wellbeing of our': 978798, 'of our clientele': 587435, 'our clientele and': 622407, 'clientele and staff': 182148, 'is our utmost': 450651, 'our utmost priority': 625248, 'utmost priority due': 951391, 'priority due to': 678554, 'covid 19 william': 214078, '19 william amp': 12118, 'william amp son': 995425, 'amp son have': 54536, 'son have taken': 785387, 'have taken the': 382917, 'taken the difficult': 833073, 'the difficult decision': 853274, 'difficult decision to': 242208, 'decision to temporarily': 231112, 'close the retail': 182844, 'store on 19th': 809183, 'on 19th march': 599041, '19th march until': 12541, 'march until 6th': 515505, 'until 6th april': 943664, '6th april when': 21681, 'april when we': 83717, 'we are hoping': 970591, 'are hoping to': 87232, 'hoping to reopen': 403957, 'insult': 440634, 'injury': 438713, 'today dude': 919467, 'dude were': 261620, 'using thermometer': 950741, 'thermometer to': 879547, 'fever before': 303660, 'before allowing': 122619, 'allowing for': 46285, 'add insult': 31437, 'insult to': 440639, 'the injury': 858294, 'injury everything': 438716, 'wa wiped': 963710, 'supermarket today dude': 823442, 'today dude were': 919468, 'dude were using': 261621, 'were using thermometer': 980324, 'using thermometer to': 950742, 'thermometer to test': 879550, 'to test for': 916392, 'test for fever': 839000, 'for fever before': 321446, 'fever before allowing': 303661, 'before allowing for': 122621, 'allowing for entry': 46286, 'for entry to': 321073, 'entry to add': 279031, 'to add insult': 900058, 'add insult to': 31438, 'insult to the': 440640, 'to the injury': 916811, 'the injury everything': 858295, 'injury everything wa': 438717, 'everything wa wiped': 288079, 'wa wiped out': 963711, 'out by the': 625819, 'by the panic': 154403, 'the panic buyer': 863190, 'minder': 532801, 'await': 105532, 'fate': 300263, 'big up': 130090, 'up anyone': 944395, 'anyone working': 80653, 'teacher child': 835444, 'child minder': 176145, 'minder carers': 532802, 'worker without': 1008270, 'country would': 211271, 'would simply': 1012243, 'simply stop': 770294, 'stop and': 804449, 'and await': 58587, 'await it': 105533, 'it fate': 457961, 'fate you': 300270, 'all hero': 43104, 'hero 19': 393917, 'big up anyone': 130091, 'up anyone working': 944396, 'anyone working on': 80655, 'the frontline nh': 855881, 'nh staff teacher': 562105, 'staff teacher child': 792921, 'teacher child minder': 835445, 'child minder carers': 176146, 'minder carers supermarket': 532803, 'carers supermarket worker': 164617, 'and all essential': 57862, 'essential worker without': 281866, 'worker without you': 1008272, 'without you the': 1003073, 'you the country': 1021592, 'the country would': 852188, 'country would simply': 211273, 'would simply stop': 1012244, 'simply stop and': 770295, 'stop and await': 804450, 'and await it': 58588, 'await it fate': 105534, 'it fate you': 457963, 'fate you guy': 300271, 'guy are all': 368895, 'are all hero': 84314, 'all hero 19': 43105, 'postcovid19': 666501, 'behavior stabilize': 124198, 'stabilize once': 791851, 'once we': 605777, 'we flatten': 971574, 'curve or': 221881, 'this our': 889305, 'normal postcovid19': 567263, 'will this drastic': 995195, 'this drastic change': 887293, 'consumer behavior stabilize': 196515, 'behavior stabilize once': 124199, 'stabilize once we': 791852, 'once we flatten': 605780, 'we flatten the': 971575, 'the curve or': 852701, 'curve or is': 221882, 'or is this': 615838, 'is this our': 453108, 'this our new': 889307, 'our new normal': 624036, 'new normal postcovid19': 559167, 'facebook about': 294878, 'about thing': 26622, '1919 depression': 12319, 'cashier at supermarket': 166487, 'supermarket and posted': 819041, 'and posted on': 69239, 'posted on facebook': 666556, 'on facebook about': 600698, 'facebook about thing': 294880, 'about thing to': 26623, 'to do when': 904589, 'do when grocery': 250525, 'when grocery shopping': 983496, 'during the 1919': 263078, 'the 1919 depression': 847937, 'staythefuckhome': 799068, 'cult': 220252, 'cinephile': 178558, 'geo': 345926, 'staythefuckhome we': 799073, 'up special': 946053, 'special section': 788046, 'section with': 744057, 'great cult': 362599, 'cult film': 220255, 'film on': 305698, 'also reduced': 48768, 'movie pack': 544045, 'pack movie': 633074, 'movie movie': 544022, 'movie 10': 543974, '15 20': 3642, '20 20': 12872, '20 stay': 13361, 'safe cinephile': 729544, 'cinephile stayathome': 178559, 'stayathome some': 797621, 'some title': 784073, 'title are': 899281, 'are geo': 86784, 'geo blocked': 345927, 'staythefuckhome we have': 799074, 'set up special': 753578, 'up special section': 946054, 'special section with': 788048, 'section with great': 744059, 'with great cult': 998669, 'great cult film': 362600, 'cult film on': 220256, 'film on we': 305699, 'on we have': 605134, 'we have also': 971754, 'have also reduced': 379219, 'also reduced the': 48769, 'price of movie': 675510, 'of movie pack': 586700, 'movie pack movie': 544046, 'pack movie movie': 633075, 'movie movie 10': 544023, 'movie 10 15': 543975, '10 15 20': 1239, '15 20 20': 3643, '20 20 stay': 12875, '20 stay home': 13362, 'stay safe cinephile': 797219, 'safe cinephile stayathome': 729545, 'cinephile stayathome some': 178560, 'stayathome some title': 797622, 'some title are': 784074, 'title are geo': 899282, 'are geo blocked': 86785, 'annihilates': 76812, 'how soap': 408702, 'soap absolutely': 778891, 'absolutely annihilates': 27313, 'annihilates the': 76813, 'how soap absolutely': 408703, 'soap absolutely annihilates': 778892, 'absolutely annihilates the': 27314, 'annihilates the coronavirus': 76814, 'saraimrieart': 736723, 'artoftheday': 94646, 'artseries': 94652, 'toiletpaperart': 922962, 'kitchener': 475784, 'one hundred': 606449, 'hundred dollar': 410981, 'dollar saraimrieart': 253065, 'saraimrieart toiletpaper': 736724, 'toiletpaper artoftheday': 921756, 'artoftheday quarantine': 94647, 'quarantine toiletpapercrisis': 692656, 'toiletpapercrisis selfisolation': 923059, 'selfisolation artseries': 748438, 'artseries toiletpaperart': 94653, 'toiletpaperart kitchener': 922963, 'kitchener ontario': 475785, 'one hundred dollar': 606450, 'hundred dollar saraimrieart': 410982, 'dollar saraimrieart toiletpaper': 253066, 'saraimrieart toiletpaper artoftheday': 736725, 'toiletpaper artoftheday quarantine': 921757, 'artoftheday quarantine toiletpapercrisis': 94648, 'quarantine toiletpapercrisis selfisolation': 692657, 'toiletpapercrisis selfisolation artseries': 923060, 'selfisolation artseries toiletpaperart': 748439, 'artseries toiletpaperart kitchener': 94654, 'toiletpaperart kitchener ontario': 922964, 'stock alert': 801774, 'alert 80': 41336, '80 pack': 22613, 'free prime': 332078, 'prime delivery': 678107, 'from affiliate': 334405, 'affiliate link': 34618, 'link see': 493904, 'see profile': 745615, 'profile toiletpaper': 682629, 'toiletpaper prepper': 922354, 'in stock alert': 428279, 'stock alert 80': 801775, 'alert 80 pack': 41337, '80 pack of': 22614, 'paper with free': 641102, 'with free prime': 998539, 'free prime delivery': 332079, 'prime delivery from': 678109, 'delivery from affiliate': 234042, 'from affiliate link': 334406, 'affiliate link see': 34619, 'link see profile': 493905, 'see profile toiletpaper': 745617, 'profile toiletpaper prepper': 682630, 'loonie': 503130, 'newswatch': 561140, 'sector help': 744216, 'help toronto': 390813, 'toronto market': 925966, 'rise oil': 722955, 'climb loonie': 182265, 'loonie edge': 503131, 'edge higher': 268506, 'higher national': 395629, 'national newswatch': 552573, 'energy sector help': 276578, 'sector help toronto': 744217, 'help toronto market': 390814, 'toronto market rise': 925967, 'market rise oil': 517007, 'rise oil price': 722957, 'oil price climb': 597078, 'price climb loonie': 673147, 'climb loonie edge': 182266, 'loonie edge higher': 503132, 'edge higher national': 268508, 'higher national newswatch': 395630, 'honestly have': 403104, 'an emotional': 55693, 'emotional quarantine': 273297, 'quarantine since': 692540, 'mid 2018': 530541, '2018 which': 13910, 'the different': 853266, 'different from': 241952, 'only real': 611047, 'difference is': 241854, 'is go': 448075, 'supermarket once': 821745, 'once month': 605678, 'month once': 537928, 'trump era': 933541, 'honestly have been': 403105, 'been in an': 121332, 'in an emotional': 420295, 'an emotional quarantine': 55694, 'emotional quarantine since': 273298, 'quarantine since mid': 692541, 'since mid 2018': 770737, 'mid 2018 which': 530542, '2018 which ha': 13911, 'which ha not': 985893, 'ha not been': 371360, 'not been all': 568504, 'been all the': 120642, 'all the different': 44719, 'the different from': 853269, 'different from this': 241955, 'from this covid': 337988, '19 quarantine the': 9918, 'quarantine the only': 692611, 'the only real': 862335, 'only real difference': 611048, 'real difference is': 701112, 'difference is go': 241855, 'is go to': 448076, 'the supermarket once': 868727, 'supermarket once month': 821748, 'once month once': 605679, 'month once week': 537930, 'once week the': 605803, 'week the trump': 977010, 'the trump era': 870065, 'indulges': 435511, 'macrobond': 507480, 'asset value': 96484, 'value fluctuation': 952122, 'fluctuation during': 311516, 'the 21daylockdown': 848037, '21daylockdown in': 15101, 'post indulges': 666169, 'indulges in': 435512, 'some economic': 782723, 'economic history': 267118, 'history chart': 398011, 'chart and': 173815, 'and discus': 61422, 'shock short': 759508, 'on asset': 599487, 'price macrobond': 675141, 'asset value fluctuation': 96485, 'value fluctuation during': 952123, 'fluctuation during the': 311517, 'during the 21daylockdown': 263085, 'the 21daylockdown in': 848038, '21daylockdown in our': 15102, 'blog post indulges': 132991, 'post indulges in': 666170, 'indulges in some': 435513, 'in some economic': 428087, 'some economic history': 782724, 'economic history chart': 267119, 'history chart and': 398012, 'chart and discus': 173816, 'and discus the': 61423, 'discus the shock': 244933, 'the shock short': 866966, 'shock short and': 759509, 'effect on asset': 269078, 'on asset price': 599489, 'asset price macrobond': 96457, 'cannot top': 162187, 'prepayment meter': 670373, 'meter visit': 529739, 'visit citizen': 959214, 'you cannot top': 1017884, 'cannot top up': 162188, 'your prepayment meter': 1025381, 'prepayment meter visit': 670375, 'meter visit citizen': 529740, 'visit citizen advice': 959215, 'citizen advice for': 178820, 'advice for information': 33370, 'for information on': 322579, 'information on what': 437928, 'more will': 540985, 'lost by': 503831, 'the combination': 851172, 'many more will': 514326, 'more will be': 540986, 'will be lost': 992546, 'be lost by': 115832, 'lost by the': 503832, 'by the combination': 154287, 'the combination of': 851173, 'combination of oil': 187104, 'appetite': 82229, 'bombing': 134206, 'syria': 831033, 'pentagon': 646704, 'recourse': 705152, 'no public': 565243, 'public of': 688184, 'any western': 80042, 'western country': 980608, 'will contest': 993005, 'contest usa': 200881, 'usa appetite': 948591, 'appetite for': 82232, 'for bombing': 319714, 'bombing iran': 134207, 'maybe syria': 521815, 'syria too': 831044, 'too seems': 925046, 'for pentagon': 324439, 'pentagon the': 646705, 'emergency plan': 272876, 'bring under': 140108, 'control oil': 202077, 'and recourse': 70065, 'light of no': 489560, 'of no public': 587045, 'no public of': 565246, 'public of any': 688185, 'of any western': 580276, 'any western country': 80043, 'western country will': 980610, 'country will contest': 211245, 'will contest usa': 993006, 'contest usa appetite': 200882, 'usa appetite for': 948592, 'appetite for bombing': 82233, 'for bombing iran': 319715, 'bombing iran and': 134208, 'iran and maybe': 444670, 'and maybe syria': 66819, 'maybe syria too': 521816, 'syria too seems': 831045, 'too seems to': 925047, 'to be for': 901262, 'be for pentagon': 114912, 'for pentagon the': 324440, 'pentagon the emergency': 646706, 'the emergency plan': 854232, 'emergency plan to': 272880, 'plan to bring': 658272, 'to bring under': 902056, 'bring under control': 140109, 'under control oil': 940049, 'control oil price': 202078, 'price and recourse': 672519, 'tracing': 928149, 'you trace': 1021904, 'trace and': 928124, 'and isolate': 65451, 'isolate when': 454941, 'who served': 989599, 'served man': 751998, 'doe doesn': 251377, 'know should': 476714, 'put privacy': 690791, 'privacy ahead': 678794, 'of tracing': 592389, 'tracing testing': 928156, 'and isolating': 65459, 'isolating in': 455112, 'positive exposed': 665312, 'exposed others': 292861, 'others how': 621462, 'suggest th': 817534, 'do you trace': 250691, 'you trace and': 1021905, 'trace and isolate': 928125, 'and isolate when': 65455, 'isolate when the': 454943, 'when the supermarket': 984202, 'worker who served': 1008228, 'who served man': 989600, 'served man who': 751999, 'man who doe': 512326, 'who doe doesn': 988628, 'doe doesn know': 251378, 'doesn know should': 251864, 'know should we': 476715, 'should we put': 766651, 'we put privacy': 972794, 'put privacy ahead': 690792, 'privacy ahead of': 678795, 'ahead of tracing': 39195, 'of tracing testing': 592390, 'tracing testing and': 928157, 'testing and isolating': 839436, 'and isolating in': 65460, 'isolating in sa': 455114, 'in sa people': 427605, 'sa people have': 728921, 'people have tested': 648204, 'tested positive exposed': 839348, 'positive exposed others': 665313, 'exposed others how': 292863, 'others how do': 621463, 'you suggest th': 1021471, 'spider': 789241, 'roach': 724383, 'eventually the': 285171, 'only toilet': 611375, 'paper left': 640407, 'left will': 485736, 'in those': 430050, 'those forest': 892018, 'forest park': 329083, 'park bathroom': 641874, 'bathroom where': 112686, 'giant spider': 349865, 'spider and': 789242, 'and roach': 70577, 'roach go': 724384, 'for vacation': 327507, 'vacation then': 951594, 'then and': 876987, 'only then': 611289, 'the survivor': 869030, 'survivor are': 829386, 'this society': 890234, 'eventually the only': 285172, 'the only toilet': 862352, 'only toilet paper': 611376, 'toilet paper left': 921335, 'paper left will': 640411, 'left will be': 485737, 'be in those': 115442, 'in those forest': 430052, 'those forest park': 892019, 'forest park bathroom': 329084, 'park bathroom where': 641875, 'bathroom where all': 112687, 'all the giant': 44763, 'the giant spider': 856260, 'giant spider and': 349866, 'spider and roach': 789243, 'and roach go': 70578, 'roach go for': 724385, 'go for vacation': 353577, 'for vacation then': 327508, 'vacation then and': 951595, 'then and only': 876990, 'and only then': 68152, 'only then will': 611293, 'then will we': 877770, 'will we see': 995334, 'we see who': 973174, 'see who the': 746070, 'who the survivor': 989757, 'the survivor are': 869031, 'survivor are in': 829387, 'are in this': 87451, 'in this society': 430015, 'this society toiletpaper': 890235, 'massachusetts man': 519915, 'man accused': 511971, 'of spitting': 589982, 'spitting coughing': 789588, 'massachusetts man accused': 519916, 'man accused of': 511972, 'accused of spitting': 28955, 'of spitting coughing': 589983, 'spitting coughing in': 789590, 'store during outbreak': 807406, 'prominent': 683655, 'lappet': 479533, 'beak': 118265, 'seetheworld': 747369, 'kilimanjaro': 474314, 'safari': 729396, 'very prominent': 955436, 'prominent bird': 683656, 'bird of': 131340, 'of prey': 588391, 'prey lappet': 672067, 'lappet faced': 479534, 'faced vulture': 295035, 'vulture strong': 961299, 'strong always': 813966, 'always active': 49458, 'active with': 30293, 'with hook': 998873, 'hook like': 403340, 'like beak': 489881, 'beak for': 118266, 'for opening': 324137, 'the prey': 864324, 'prey stay': 672074, 'strong to': 814141, 'fight safeathome': 304858, 'safeathome seetheworld': 730177, 'seetheworld kilimanjaro': 747370, 'kilimanjaro travel': 474315, 'travel holiday': 930378, 'holiday nature': 400334, 'nature safari': 552980, 'safari adventure': 729397, 'adventure journey': 33103, 'very prominent bird': 955437, 'prominent bird of': 683657, 'bird of prey': 131341, 'of prey lappet': 588392, 'prey lappet faced': 672068, 'lappet faced vulture': 479535, 'faced vulture strong': 295036, 'vulture strong always': 961300, 'strong always active': 813967, 'always active with': 49459, 'active with hook': 30294, 'with hook like': 998874, 'hook like beak': 403341, 'like beak for': 489882, 'beak for opening': 118267, 'for opening the': 324138, 'opening the prey': 612911, 'the prey stay': 864325, 'prey stay safe': 672075, 'safe be strong': 729514, 'be strong to': 117405, 'strong to fight': 814142, 'to fight safeathome': 905808, 'fight safeathome seetheworld': 304859, 'safeathome seetheworld kilimanjaro': 730178, 'seetheworld kilimanjaro travel': 747371, 'kilimanjaro travel holiday': 474316, 'travel holiday nature': 930381, 'holiday nature safari': 400335, 'nature safari adventure': 552981, 'safari adventure journey': 729398, 'business we': 144634, 'how marketing': 408300, 'marketing need': 517656, 'adapt to': 31277, 'remain relevant': 709849, 'relevant research': 709172, 'shopping medium': 763275, 'medium transport': 527333, 'transport will': 929972, 'all afford': 41955, 'afford opportunity': 34739, 'on business we': 599743, 'business we need': 144638, 'at how marketing': 99225, 'how marketing need': 408301, 'marketing need to': 517657, 'need to adapt': 555851, 'to adapt to': 900046, 'adapt to remain': 31286, 'to remain relevant': 913171, 'remain relevant research': 709850, 'relevant research online': 709173, 'research online shopping': 713806, 'online shopping medium': 609187, 'shopping medium transport': 763277, 'medium transport will': 527334, 'transport will all': 929973, 'will all afford': 992229, 'all afford opportunity': 41956, 'afford opportunity for': 34740, 'opportunity for innovation': 613616, 'just print': 469492, 'print three': 678302, 'set it': 753410, 'who print': 989446, 'print 3t': 678259, 'is disturbing': 447251, 'sense just print': 750540, 'just print three': 469493, 'print three trillion': 678303, 'response to this': 715890, 'to this while': 917479, 'this while the': 891366, 'while the country': 987379, 'country ha no': 210721, 'cannot set it': 162087, 'set it own': 753411, 'it own price': 460222, 'set by the': 753364, 'by the same': 154431, 'same people who': 733217, 'people who print': 650328, 'who print 3t': 989447, 'print 3t but': 678260, '7b is disturbing': 22454, 'pam': 634643, 'farrare': 299723, 'wilmore': 995507, 'hygiene is': 412110, 'disease such': 245241, 'disinfectant when': 245800, 'when done': 983362, 'done right': 254990, 'right both': 721823, 'are possible': 89152, 'possible say': 665767, 'say infection': 738802, 'control expert': 202007, 'expert pam': 291908, 'pam farrare': 634644, 'farrare wilmore': 299724, 'wilmore via': 995508, 'hand hygiene is': 375027, 'hygiene is the': 412115, 'is the way': 452977, 'way to prevent': 970068, 'prevent the transmission': 671737, 'transmission of disease': 929751, 'of disease such': 582675, 'disease such the': 245243, 'such the hand': 816802, 'the hand soap': 857065, 'hand soap or': 375773, 'soap or disinfectant': 779071, 'or disinfectant when': 614996, 'disinfectant when done': 245801, 'when done right': 983363, 'done right both': 254991, 'right both are': 721824, 'both are possible': 135856, 'are possible say': 89153, 'possible say infection': 665768, 'say infection control': 738803, 'infection control expert': 436735, 'control expert pam': 202008, 'expert pam farrare': 291909, 'pam farrare wilmore': 634645, 'farrare wilmore via': 299725, 'embraceyourcommunity': 272504, 'selfish please': 748225, 'hoarding think': 399606, 'others think': 621715, 'nh think': 562143, 'elderly think': 270905, 'vulnerable stophoarding': 961180, 'stophoarding dontpanicbuy': 805394, 'dontpanicbuy stoppanicbuying': 255386, 'stoppanicbuying dontbeselfish': 805559, 'dontbeselfish embraceyourcommunity': 255350, 'embraceyourcommunity corvid19uk': 272505, 'corvid19uk please': 207753, 'so selfish please': 778175, 'selfish please stop': 748226, 'please stop hoarding': 660579, 'stop hoarding think': 804748, 'hoarding think of': 399607, 'of others think': 587408, 'others think of': 621716, 'the nh think': 861768, 'nh think of': 562144, 'the elderly think': 854150, 'elderly think of': 270906, 'the vulnerable stophoarding': 870996, 'vulnerable stophoarding dontpanicbuy': 961181, 'stophoarding dontpanicbuy stoppanicbuying': 805395, 'dontpanicbuy stoppanicbuying dontbeselfish': 255387, 'stoppanicbuying dontbeselfish embraceyourcommunity': 805560, 'dontbeselfish embraceyourcommunity corvid19uk': 255351, 'embraceyourcommunity corvid19uk please': 272506, 'corvid19uk please rt': 207754, 'do realize': 250027, 'realize if': 701843, 'touch everything': 926470, 'everything then': 288042, 'then touch': 877686, 'your item': 1024516, 'yourself there': 1026717, 'there really': 878984, 'really no': 702456, 'you wearing': 1022219, 'wearing those': 974811, 'those glove': 892026, 'the people at': 863456, 'wearing glove you': 974649, 'glove you do': 353052, 'you do realize': 1018268, 'do realize if': 250028, 'realize if you': 701844, 'you touch everything': 1021897, 'touch everything then': 926474, 'everything then touch': 288043, 'then touch your': 877687, 'touch your item': 926588, 'your item and': 1024517, 'item and yourself': 463084, 'and yourself there': 76109, 'yourself there really': 1026718, 'there really no': 878989, 'really no point': 702457, 'no point to': 565138, 'point to you': 662680, 'to you wearing': 918937, 'you wearing those': 1022221, 'wearing those glove': 974813, 'time had': 896885, 'buy bread': 148439, 'bread from': 138473, 'from polish': 336946, 'of literally': 585889, 'literally nowhere': 495055, 'nowhere having': 576563, 'having any': 383980, 'any thanks': 79953, 'thanks panic': 842155, 'buyer enjoy': 149638, 'your quickly': 1025510, 'quickly running': 694589, 'date hoarded': 226641, 'hoarded bread': 398933, 'first time had': 309099, 'time had to': 896886, 'go to buy': 354285, 'to buy bread': 902193, 'buy bread from': 148442, 'bread from polish': 138475, 'from polish supermarket': 336947, 'polish supermarket because': 663587, 'because of literally': 119365, 'of literally nowhere': 585890, 'literally nowhere having': 495056, 'nowhere having any': 576564, 'having any thanks': 383981, 'any thanks panic': 79954, 'thanks panic buyer': 842156, 'panic buyer enjoy': 637573, 'buyer enjoy your': 149639, 'enjoy your quickly': 277214, 'your quickly running': 1025511, 'quickly running out': 694590, 'of date hoarded': 582367, 'date hoarded bread': 226642, 'for lockdown': 323062, 'lockdown food': 499384, 'are rising': 89705, 'rising how': 723232, 'survive people': 829224, 'virus because': 957990, 'for kaduna': 322803, 'kaduna state': 470594, 'state how': 795671, 'we fighting': 971550, 'not sure we': 571850, 'sure we are': 827804, 'are ready for': 89459, 'ready for lockdown': 700865, 'for lockdown food': 323065, 'lockdown food price': 499386, 'price are rising': 672724, 'are rising how': 89714, 'rising how many': 723233, 'many people can': 514495, 'people can survive': 647414, 'can survive people': 159877, 'survive people will': 829225, 'people will die': 650384, 'will die of': 993187, 'of hunger and': 584905, 'hunger and not': 411076, 'and not the': 67780, 'not the virus': 572041, 'the virus because': 870802, 'virus because they': 957993, 'because they won': 119730, 'they won be': 883905, 'won be able': 1003734, 'stock their house': 802948, 'their house do': 873605, 'house do you': 406272, 'have any plan': 379312, 'any plan for': 79659, 'plan for kaduna': 658121, 'for kaduna state': 322804, 'kaduna state how': 470596, 'state how are': 795672, 'are we fighting': 91568, 'we fighting covid': 971551, 'lecturer': 485209, 'lecturer at': 485210, 'at south': 100597, 'african university': 35231, 'university are': 942409, 'move teaching': 543734, 'teaching online': 835557, 'crisis yet': 218458, 'our student': 624982, 'student lack': 814717, 'lack internet': 478595, 'access because': 28106, 'for data': 320546, 'data charged': 226172, 'sa we': 728963, 'on sa': 603247, 'sa mobile': 728910, 'mobile network': 534998, 'network provider': 557758, 'to zero': 919049, 'zero rate': 1027485, 'rate all': 697145, 'all university': 45318, 'university site': 942461, 'site now': 771983, 'lecturer at south': 485211, 'at south african': 100598, 'south african university': 786680, 'african university are': 35232, 'university are told': 942412, 'are told to': 91129, 'told to move': 923755, 'to move teaching': 910319, 'move teaching online': 543735, 'teaching online during': 835558, '19 crisis yet': 6358, 'crisis yet our': 218459, 'yet our student': 1016187, 'our student lack': 624984, 'student lack internet': 814718, 'lack internet access': 478596, 'internet access because': 441895, 'access because they': 28107, 'because they can': 119691, 'they can pay': 881660, 'can pay the': 159205, 'pay the high': 645149, 'price for data': 673948, 'for data charged': 320548, 'data charged in': 226173, 'charged in sa': 173397, 'in sa we': 427608, 'sa we call': 728964, 'call on sa': 156044, 'on sa mobile': 603248, 'sa mobile network': 728911, 'mobile network provider': 535000, 'network provider to': 557759, 'provider to zero': 686808, 'to zero rate': 919054, 'zero rate all': 1027486, 'rate all university': 697146, 'all university site': 45319, 'university site now': 942462, 'ontpoli': 611693, 'the wage': 871020, 'wage of': 963930, 'crisis many': 217698, 'life fr': 488672, 'fr themselves': 330848, 'risk we': 724004, 'get wage': 348592, 'wage increase': 963904, 'increase etc': 432758, 'etc ontpoli': 282690, 'ontpoli cdnpoli': 611694, 'fight for increase': 304742, 'for increase the': 322527, 'increase the wage': 433117, 'the wage of': 871022, 'wage of grocery': 963932, 'worker during this': 1006821, 'of crisis many': 582172, 'crisis many are': 217699, 'many are putting': 513775, 'their life fr': 873832, 'life fr themselves': 488673, 'fr themselves and': 330849, 'themselves and family': 876752, 'family at risk': 297643, 'at risk we': 100413, 'risk we need': 724005, 'to demand they': 904162, 'demand they get': 236372, 'they get wage': 882186, 'get wage increase': 348593, 'wage increase etc': 963905, 'increase etc ontpoli': 432759, 'etc ontpoli cdnpoli': 282691, '4h': 19454, 'hospital don': 404379, 'have visitor': 383515, 'visitor at': 959581, 'moment how': 535960, 'their gift': 873406, 'gift shop': 350016, 'get turned': 348546, 'supermarket express': 820257, 'express store': 293063, 'closest to': 183543, 'each hospital': 264091, 'hospital restock': 404586, 'restock it': 716876, 'every 4h': 285654, '4h it': 19455, 'our hardworking': 623356, 'hardworking staff': 378343, 'staff nh': 792677, 'hospital don have': 404380, 'don have visitor': 253624, 'have visitor at': 383516, 'visitor at the': 959582, 'the moment how': 860761, 'moment how about': 535961, 'how about their': 407308, 'about their gift': 26586, 'their gift shop': 873407, 'gift shop get': 350017, 'shop get turned': 760238, 'get turned into': 348547, 'turned into supermarket': 935853, 'into supermarket express': 443041, 'supermarket express store': 820258, 'express store the': 293066, 'store the closest': 810591, 'the closest to': 851043, 'closest to each': 183544, 'to each hospital': 904824, 'each hospital restock': 264092, 'hospital restock it': 404587, 'restock it every': 716877, 'it every 4h': 457871, 'every 4h it': 285655, '4h it only': 19456, 'it only for': 460098, 'only for our': 610471, 'for our hardworking': 324254, 'our hardworking staff': 623358, 'hardworking staff nh': 378344, 'agfunder': 38208, 'agfunder quick': 38209, 'quick look': 694323, 'produce and': 680172, 'and ag': 57766, 'ag commodity': 36775, 'agfunder quick look': 38210, 'quick look at': 694324, '19 on fresh': 8945, 'on fresh produce': 600993, 'fresh produce and': 333045, 'produce and ag': 680173, 'and ag commodity': 57767, 'ag commodity price': 36776, 'declares': 231251, 'govt declares': 361101, 'declares 16': 231252, 'service commodity': 752247, 'commodity essential': 189173, 'service jammu': 752537, 'jammu march': 464449, 'march 22': 515177, '22 in': 15213, 'govt declares 16': 361102, 'declares 16 service': 231253, '16 service commodity': 4166, 'service commodity essential': 752248, 'commodity essential service': 189174, 'essential service jammu': 281512, 'service jammu march': 752538, 'jammu march 22': 464450, 'march 22 in': 515181, '22 in view': 15215, 'to doing': 904623, 'doing business': 252318, 'business amid': 143272, 'food where': 317577, 'needed but': 556319, 'also warning': 49079, 'warning lawmaker': 967142, 'lawmaker and': 482481, 'agency that': 38081, 'will require': 994660, 'require much': 713318, 'more help': 539399, 'and week': 75377, 'bank are adapting': 109636, 'adapting to doing': 31346, 'to doing business': 904625, 'doing business amid': 252319, 'business amid the': 143273, 'pandemic in order': 635704, 'order to get': 618683, 'get food where': 347077, 'food where it': 317579, 'it needed but': 459757, 'needed but are': 556320, 'but are also': 145207, 'are also warning': 84488, 'also warning lawmaker': 49080, 'warning lawmaker and': 967143, 'lawmaker and government': 482482, 'and government agency': 63874, 'government agency that': 359846, 'agency that they': 38083, 'they will require': 883879, 'will require much': 994662, 'require much more': 713319, 'much more help': 545108, 'more help in': 539401, 'the day and': 852869, 'day and week': 227294, 'and week ahead': 75378, 'important medical': 418876, 'hygiene supply': 412179, 'must note': 546787, 'consumer response to': 198789, 'to we also': 918400, 'of important medical': 585005, 'important medical and': 418877, 'medical and hygiene': 526048, 'and hygiene supply': 64909, 'hygiene supply like': 412180, 'mask we must': 519512, 'we must note': 972430, 'must note that': 546788, 'chelsea': 175306, 'the chelsea': 850789, 'chelsea special': 175311, 'people 60': 646728, 'of age': 579822, 'age and': 37801, 'older began': 598584, 'began other': 123419, 'other location': 620483, 'also offering': 48600, 'offering this': 595295, 'this due': 887315, 'earlier this morning': 264494, 'morning at the': 541183, 'at the chelsea': 100911, 'the chelsea special': 850790, 'chelsea special shopping': 175312, 'hour for people': 405614, 'for people 60': 324443, 'people 60 year': 646730, '60 year of': 21049, 'year of age': 1014772, 'of age and': 579823, 'age and older': 37802, 'and older began': 68040, 'older began other': 598585, 'began other location': 123420, 'other location and': 620484, 'location and other': 498853, 'and other supermarket': 68418, 'other supermarket chain': 621014, 'supermarket chain are': 819594, 'chain are also': 170494, 'are also offering': 84468, 'also offering this': 48601, 'offering this due': 595296, 'this due to': 887316, 'america are': 51463, 'one helping': 606417, 'hold american': 399887, 'american society': 52200, 'together restaurant': 920919, 'teacher let': 835481, 'let remember': 487007, 'get past': 347790, 'past this': 643622, 'amazing how some': 50710, 'how some of': 408718, 'paid people in': 634108, 'people in america': 648344, 'in america are': 420216, 'america are the': 51469, 'the one helping': 862204, 'one helping to': 606418, 'helping to hold': 391527, 'to hold american': 907905, 'hold american society': 399888, 'american society together': 52201, 'society together restaurant': 781341, 'together restaurant worker': 920920, 'restaurant worker grocery': 716819, 'worker teacher let': 1007888, 'teacher let remember': 835482, 'let remember that': 487008, 'that when we': 847497, 'we get past': 971622, 'get past this': 347791, '80k': 22757, 'what lucrative': 981842, 'lucrative business': 506590, 'someone start': 784666, 'with 80k': 997065, '80k asking': 22758, 'for friend': 321765, 'what lucrative business': 981843, 'lucrative business can': 506591, 'business can someone': 143497, 'can someone start': 159675, 'someone start with': 784668, 'start with 80k': 794647, 'with 80k asking': 997066, '80k asking for': 22759, 'asking for friend': 95985, 'employee our': 274093, 'line wherever': 493566, 'all our medical': 43816, 'store employee our': 807518, 'employee our first': 274094, 'responder and all': 715406, 'all those in': 45164, 'those in the': 892103, 'in the front': 429221, 'front line wherever': 338621, 'line wherever you': 493567, 'world we thank': 1010151, 'beetroot': 122564, 'getagripbritishpeople': 348757, 'aren great': 92427, 'great here': 362717, 'here either': 392952, 'either queuing': 270363, 'queuing outside': 694225, 'outside seems': 629545, 'seems fine': 746782, 'fine then': 307699, 'then suddenly': 877581, 'suddenly in': 817110, 'it oh': 460006, 'oh forgot': 596382, 'forgot the': 329410, 'the beetroot': 849425, 'beetroot it': 122565, 'it perfectly': 460308, 'perfectly ok': 651393, 'risk killing': 723659, 'people by': 647357, 'by breaching': 151996, 'breaching socialdistancing': 138371, 'socialdistancing getagripbritishpeople': 780377, 'people aren great': 647125, 'aren great here': 92429, 'great here either': 362718, 'here either queuing': 392953, 'either queuing outside': 270364, 'queuing outside seems': 694226, 'outside seems fine': 629546, 'seems fine then': 746784, 'fine then suddenly': 307701, 'then suddenly in': 877582, 'suddenly in the': 817111, 'supermarket it oh': 821175, 'it oh forgot': 460007, 'oh forgot the': 596384, 'forgot the beetroot': 329411, 'the beetroot it': 849426, 'beetroot it perfectly': 122567, 'it perfectly ok': 460309, 'perfectly ok to': 651394, 'ok to risk': 597927, 'to risk killing': 913598, 'risk killing people': 723660, 'killing people by': 474704, 'people by breaching': 647358, 'by breaching socialdistancing': 151997, 'breaching socialdistancing getagripbritishpeople': 138372, 'masque': 519723, 'arrivent': 93981, 'dessindepresse': 238952, 'pour': 667426, 'sur': 827454, 'histoire': 397936, 'une': 941059, 'nurie': 577172, 'racont': 695372, 'ici': 412735, 'le masque': 483022, 'masque arrivent': 519724, 'arrivent dessindepresse': 93982, 'dessindepresse pour': 238953, 'pour fr': 667436, 'fr sur': 330844, 'sur histoire': 827455, 'histoire une': 397937, 'une nurie': 941060, 'nurie racont': 577173, 'racont par': 695373, 'par ici': 641200, 'le masque arrivent': 483023, 'masque arrivent dessindepresse': 519725, 'arrivent dessindepresse pour': 93983, 'dessindepresse pour fr': 238954, 'pour fr sur': 667437, 'fr sur histoire': 330845, 'sur histoire une': 827456, 'histoire une nurie': 397938, 'une nurie racont': 941061, 'nurie racont par': 577174, 'racont par ici': 695374, 'pharmacy unless': 654535, 'unless absolutely': 942595, 'absolutely necessary': 27391, 'or pharmacy unless': 616591, 'pharmacy unless absolutely': 654536, 'unless absolutely necessary': 942597, 'new career': 558452, 'career wear': 164364, 'wear since': 974457, 'since ll': 770703, 'be teaching': 117530, 'teaching completely': 835548, 'completely online': 192326, 'future college': 342287, 'college professor': 186642, 'for new career': 323819, 'new career wear': 558453, 'career wear since': 164365, 'wear since ll': 974458, 'since ll be': 770704, 'll be teaching': 496634, 'be teaching completely': 117531, 'teaching completely online': 835549, 'completely online for': 192327, 'online for the': 608241, 'foreseeable future college': 329062, 'future college professor': 342288, 'glanced': 351576, 'copy': 203454, 'meaningfully': 524868, 'glanced at': 351577, 'few provision': 304023, 'provision in': 687269, 'the stimulus': 867891, 'stimulus bill': 801514, 'bill many': 130615, 'provision appear': 687250, 'be copy': 114247, 'copy from': 203457, '2008 09': 13634, '09 crisis': 1153, 'and resulting': 70420, 'resulting stimulus': 717721, 'ha missed': 371279, 'missed yet': 534261, 'another opportunity': 77744, 'to meaningfully': 909976, 'meaningfully reform': 524869, 'reform consumer': 706715, 'protection esp': 685419, 'esp in': 280400, 'glanced at few': 351578, 'at few provision': 98641, 'few provision in': 304024, 'provision in the': 687271, 'in the stimulus': 429573, 'the stimulus bill': 867894, 'stimulus bill many': 801516, 'bill many of': 130618, 'of the provision': 591376, 'the provision appear': 864741, 'provision appear to': 687251, 'to be copy': 901183, 'be copy from': 114248, 'copy from 2008': 203458, 'from 2008 09': 334233, '2008 09 crisis': 13635, '09 crisis and': 1154, 'crisis and resulting': 217046, 'and resulting stimulus': 70423, 'resulting stimulus package': 717722, 'stimulus package the': 801593, 'package the ha': 633420, 'the ha missed': 857003, 'ha missed yet': 371280, 'missed yet another': 534262, 'yet another opportunity': 1015996, 'another opportunity to': 77745, 'opportunity to meaningfully': 613713, 'to meaningfully reform': 909977, 'meaningfully reform consumer': 524870, 'reform consumer protection': 706716, 'consumer protection esp': 198525, 'protection esp in': 685421, 'esp in the': 280401, 'in the travel': 429626, 'the travel industry': 869934, 'haha': 373890, 'hollywood show': 400468, 'all supply': 44563, 'equipment are': 279689, 'ready and': 700839, 'and available': 58544, 'dream trump': 258628, 'trump said': 933801, 'said week': 731575, 'ago that': 38490, 'are well': 91609, 'for yes': 328022, 'yes well': 1015602, 'prepared you': 670270, 'find hand': 306951, 'sanitizer haha': 735017, 'hollywood show that': 400469, 'show that all': 767176, 'that all supply': 842568, 'all supply equipment': 44564, 'supply equipment are': 825218, 'equipment are ready': 279691, 'are ready and': 89458, 'ready and available': 700840, 'and available for': 58548, 'available for american': 104358, 'for american people': 319252, 'american people but': 52121, 'people but it': 647319, 'is just dream': 449126, 'just dream trump': 468651, 'dream trump said': 258629, 'trump said week': 933811, 'said week ago': 731576, 'week ago that': 975856, 'ago that we': 38493, 'we are well': 970760, 'are well prepared': 91612, 'well prepared for': 978503, 'prepared for yes': 670206, 'for yes well': 328023, 'yes well prepared': 1015603, 'well prepared you': 978506, 'prepared you can': 670271, 'can find hand': 158325, 'find hand sanitizer': 306952, 'hand sanitizer haha': 375426, 'staycation': 797838, '19 list': 8342, 'list support': 494546, 'independent shop': 434134, 'shop support': 760874, 'local charity': 497816, 'charity have': 173636, 'have staycation': 382741, 'staycation in': 797839, 'in independent': 424015, 'independent hotel': 434114, 'emptied supermarket': 274697, 'local high': 498074, 'street whilst': 813175, 'whilst you': 987711, 'your pasta': 1025225, 'covid 19 list': 213359, '19 list support': 8343, 'list support local': 494547, 'support local independent': 826628, 'local independent shop': 498118, 'independent shop support': 434136, 'shop support local': 760875, 'support local charity': 826622, 'local charity have': 497817, 'charity have staycation': 173637, 'have staycation in': 382742, 'staycation in independent': 797840, 'in independent hotel': 424016, 'independent hotel and': 434115, 'hotel and to': 405111, 'and to all': 74149, 'all the selfish': 44903, 'selfish bastard who': 748023, 'bastard who emptied': 112518, 'who emptied supermarket': 988692, 'emptied supermarket shelf': 274698, 'supermarket shelf how': 822481, 'shelf how about': 757167, 'about you support': 26980, 'you support your': 1021487, 'your local high': 1024699, 'local high street': 498075, 'high street whilst': 395440, 'street whilst you': 813176, 'whilst you re': 987712, 'you re eating': 1020609, 're eating your': 698586, 'eating your pasta': 266345, 'have focused': 380642, 'their heroic': 873537, 'heroic fight': 394198, 'against but': 37348, 'keep grocery': 471558, 'your thought': 1026145, 'thought and': 892967, 'and prayer': 69323, 'prayer well': 669079, 'well their': 978669, 'more dangerous': 538953, 'dangerous these': 225789, 'have focused on': 380643, 'focused on and': 311946, 'on and their': 599376, 'and their heroic': 73690, 'their heroic fight': 873538, 'heroic fight against': 394199, 'fight against but': 304607, 'against but please': 37349, 'but please keep': 146800, 'please keep grocery': 660152, 'keep grocery and': 471559, 'essential worker in': 281838, 'in your thought': 431133, 'your thought and': 1026146, 'thought and prayer': 892969, 'and prayer well': 69328, 'prayer well their': 669080, 'well their job': 978670, 'their job are': 873698, 'job are lot': 465660, 'are lot more': 87909, 'lot more dangerous': 504104, 'more dangerous these': 538957, 'dangerous these day': 225790, 'consumer cell': 196752, 'phone location': 654970, 'location data': 498883, 'data ha': 226255, 'proven to': 686181, 'be hugely': 115319, 'hugely lucrative': 410275, 'lucrative for': 506592, 'marketing sector': 517699, 'and law': 65988, 'enforcement community': 276752, 'community it': 189941, 'also useful': 49053, 'useful to': 950201, 'to urban': 917987, 'urban planner': 948120, 'planner and': 658486, 'other researcher': 620831, 'researcher hoping': 713914, 'of population': 588235, 'in sophisticated': 428121, 'sophisticated detail': 785976, 'consumer cell phone': 196753, 'cell phone location': 168961, 'phone location data': 654971, 'location data ha': 498885, 'data ha proven': 226258, 'ha proven to': 371567, 'proven to be': 686182, 'to be hugely': 901317, 'be hugely lucrative': 115320, 'hugely lucrative for': 410276, 'lucrative for the': 506593, 'for the marketing': 326551, 'the marketing sector': 860189, 'marketing sector and': 517700, 'sector and law': 744085, 'and law enforcement': 65989, 'law enforcement community': 482268, 'enforcement community it': 276753, 'community it also': 189942, 'it also useful': 456439, 'also useful to': 49054, 'useful to urban': 950202, 'to urban planner': 917988, 'urban planner and': 948121, 'planner and other': 658487, 'and other researcher': 68394, 'other researcher hoping': 620832, 'researcher hoping to': 713915, 'hoping to track': 403961, 'to track the': 917682, 'track the movement': 928227, 'the movement of': 861099, 'movement of population': 543901, 'of population in': 588236, 'population in sophisticated': 664695, 'in sophisticated detail': 428122, 'sanitizer change': 734648, 'verify can hand': 954790, 'hand sanitizer change': 375341, 'sanitizer change skin': 734649, 'vince': 957415, 'troyjohnson': 932698, 'feedingsandiego': 302508, 'sandiegostrong': 733702, 'essential human': 281138, 'need ceo': 554598, 'ceo vince': 169875, 'vince hall': 957416, 'hall explains': 374328, '19 troyjohnson': 11581, 'troyjohnson feedingsandiego': 932699, 'feedingsandiego sandiegostrong': 302509, 'food is the': 315157, 'the most essential': 860981, 'most essential human': 542301, 'essential human need': 281139, 'human need ceo': 410571, 'need ceo vince': 554599, 'ceo vince hall': 169876, 'vince hall explains': 957417, 'hall explains the': 374329, 'explains the challenge': 292230, 'the challenge to': 850653, 'challenge to meet': 171579, 'rising demand during': 723197, 'demand during 19': 235270, 'during 19 troyjohnson': 262411, '19 troyjohnson feedingsandiego': 11582, 'troyjohnson feedingsandiego sandiegostrong': 932700, 'digitatmarketing': 242822, 'webdevelopment': 974995, 'intelligent pricing': 441029, 'pricing keep': 677946, 'business alive': 143257, 'alive during': 41812, 'during epidemic': 262631, 'epidemic price': 279435, 'price business': 672967, 'business epidemic': 143703, 'epidemic socialmediamarketing': 279441, 'socialmediamarketing seo': 781116, 'seo digitatmarketing': 751046, 'digitatmarketing webdevelopment': 242823, 'webdevelopment smo': 974996, 'smo ppc': 775846, 'intelligent pricing keep': 441030, 'pricing keep your': 677947, 'keep your business': 472254, 'your business alive': 1023047, 'business alive during': 143258, 'alive during epidemic': 41814, 'during epidemic price': 262632, 'epidemic price business': 279436, 'price business epidemic': 672968, 'business epidemic socialmediamarketing': 143704, 'epidemic socialmediamarketing seo': 279442, 'socialmediamarketing seo digitatmarketing': 781118, 'seo digitatmarketing webdevelopment': 751047, 'digitatmarketing webdevelopment smo': 242824, 'webdevelopment smo ppc': 974997, 'glasgow': 351590, 'pondering': 663966, 'near glasgow': 553514, 'glasgow yesterday': 351593, 'yesterday it': 1015786, 'wa packed': 962899, 'people blocking': 647289, 'aisle studying': 40378, 'studying the': 814994, 'and pondering': 69184, 'pondering whether': 663967, 'whether to': 985601, 'buy have': 148776, 'heard about': 388045, 'pandemic glasgow': 635494, 'glasgow sundaymorning': 351591, 'sundaymorning stayathomeandstaysafe': 818312, 'stayathomeandstaysafe qu': 797724, 'to supermarket near': 915815, 'supermarket near glasgow': 821572, 'near glasgow yesterday': 553515, 'glasgow yesterday it': 351594, 'yesterday it wa': 1015787, 'it wa packed': 462169, 'wa packed with': 962903, 'with people blocking': 1000139, 'people blocking the': 647290, 'the aisle studying': 848535, 'aisle studying the': 40380, 'studying the item': 814995, 'item and pondering': 463067, 'and pondering whether': 69185, 'pondering whether to': 663968, 'whether to buy': 985602, 'to buy have': 902241, 'buy have they': 148778, 'have they heard': 383089, 'they heard about': 882420, 'heard about the': 388053, 'the pandemic glasgow': 862975, 'pandemic glasgow sundaymorning': 635495, 'glasgow sundaymorning stayathomeandstaysafe': 351592, 'sundaymorning stayathomeandstaysafe qu': 818313, 'stayathomeandstaysafe qu dateencasa': 797725, 'friction': 333169, 'fraudprevention': 331386, 'fight fraud': 304753, 'fraud customer': 331254, 'customer friction': 222392, 'friction to': 333172, 'post economy': 666101, 'economy fraudprevention': 267880, 'fraudprevention riskmanagement': 331391, 'riskmanagement banking': 724107, 'to fight fraud': 905789, 'fight fraud customer': 304754, 'fraud customer friction': 331255, 'customer friction to': 222393, 'friction to survive': 333173, 'the post economy': 864086, 'post economy fraudprevention': 666102, 'economy fraudprevention riskmanagement': 267881, 'fraudprevention riskmanagement banking': 331392, 'skyrocketing and': 773408, 'and costing': 60597, 'costing consumer': 208324, 'consumer according': 196002, '5m some': 20773, 'scam involve': 740211, 'involve fake': 444331, 'fake virus': 296737, 'virus treatment': 958946, 'fake vaccination': 296729, 'vaccination and': 951623, 'and scheme': 71067, 'trick the': 931712, 'into providing': 442902, 'providing personal': 687071, 'complaint about scam': 191932, 'about scam are': 26137, 'scam are skyrocketing': 740044, 'are skyrocketing and': 90161, 'skyrocketing and costing': 773409, 'and costing consumer': 60598, 'costing consumer according': 208325, 'consumer according to': 196003, 'according to 5m': 28515, 'to 5m some': 899781, '5m some of': 20774, 'the scam involve': 866415, 'scam involve fake': 740212, 'involve fake virus': 444332, 'fake virus treatment': 296738, 'virus treatment and': 958947, 'treatment and fake': 931030, 'and fake vaccination': 62632, 'fake vaccination and': 296730, 'vaccination and scheme': 951625, 'and scheme to': 71068, 'scheme to trick': 741593, 'to trick the': 917777, 'trick the virus': 931713, 'the virus into': 870850, 'virus into providing': 958356, 'into providing personal': 442903, 'providing personal information': 687072, 'downturn cheap': 257792, 'price global': 674193, 'disruption will': 246555, 'likely have': 492011, 'have major': 381423, 'major consequence': 509281, 'for clean': 320105, 'energy development': 276435, 'development climate': 239808, 'climate action': 182177, 'action at': 29965, 'at 00': 97346, 'pm today': 662013, 'today host': 919663, 'host covid': 404867, '19 clean': 5832, 'and climate': 59990, 'climate impact': 182226, 'the economic downturn': 853900, 'economic downturn cheap': 267075, 'downturn cheap oil': 257793, 'cheap oil gas': 174157, 'oil gas price': 596828, 'gas price global': 343971, 'price global supply': 674196, 'chain disruption will': 170655, 'disruption will likely': 246556, 'will likely have': 994002, 'likely have major': 492017, 'have major consequence': 381424, 'major consequence for': 509282, 'consequence for clean': 194853, 'for clean energy': 320106, 'clean energy development': 180520, 'energy development climate': 276436, 'development climate action': 239809, 'climate action at': 182178, 'action at 00': 29966, 'at 00 pm': 97353, '00 pm today': 443, 'pm today host': 662014, 'today host covid': 919664, 'host covid 19': 404868, 'covid 19 clean': 212807, '19 clean energy': 5833, 'clean energy and': 180519, 'energy and climate': 276386, 'and climate impact': 59992, 'procuring': 680129, 'minimizing': 533152, 'are best': 84952, 'practice suggestion': 668671, 'for procuring': 324763, 'procuring grocery': 680134, 'and minimizing': 67050, 'minimizing risk': 533154, 'of spreading': 590004, 'boston area': 135780, 'if relevant': 414723, 'relevant seems': 709174, 'that going': 844030, 'is worst': 454076, 'worst idea': 1011202, 'but grocery': 145825, 'delivery also': 233639, 'also come': 48040, 'what are best': 981056, 'are best practice': 84954, 'best practice suggestion': 127849, 'practice suggestion for': 668672, 'suggestion for procuring': 817639, 'for procuring grocery': 324765, 'procuring grocery and': 680135, 'grocery and minimizing': 364247, 'and minimizing risk': 67051, 'minimizing risk of': 533155, 'risk of spreading': 723779, 'of spreading covid': 590006, 're in boston': 698865, 'in boston area': 420912, 'boston area if': 135781, 'area if relevant': 92062, 'if relevant seems': 414724, 'relevant seems that': 709175, 'seems that going': 746856, 'that going to': 844033, 'store is worst': 808549, 'is worst idea': 454077, 'worst idea but': 1011203, 'idea but grocery': 413020, 'but grocery and': 145826, 'and other food': 68329, 'other food delivery': 620237, 'food delivery also': 314104, 'delivery also come': 233641, 'also come with': 48041, 'come with plenty': 187687, 'with plenty of': 1000233, 'plenty of risk': 660974, 'goodness': 358048, 'survived': 829312, 'herdmentality': 392632, 'relaxpeople': 708901, 'thisisamerica': 891637, 'whyworry': 991627, 'freakingout': 331555, 'lovenotfear': 505008, 'thank goodness': 841586, 'goodness me': 358055, 'my 72': 547171, '72 roll': 22023, 'paper survived': 640859, 'survived coronavirus': 829313, 'coronavirus 2020': 205440, 'toiletpaper merica': 922238, 'merica relax': 529119, 'relax herdmentality': 708814, 'herdmentality calmdown': 392633, 'calmdown relaxpeople': 156836, 'relaxpeople sheeple': 708902, 'sheeple thisisamerica': 756565, 'thisisamerica irrational': 891638, 'irrational whyworry': 444992, 'whyworry freakingout': 991628, 'freakingout lovenotfear': 331556, 'lovenotfear love': 505009, 'love fear': 504657, 'thank goodness me': 841588, 'goodness me and': 358056, 'and my 72': 67350, 'my 72 roll': 547172, '72 roll of': 22024, 'toilet paper survived': 921479, 'paper survived coronavirus': 640860, 'survived coronavirus 2020': 829314, 'coronavirus 2020 toiletpaper': 205441, '2020 toiletpaper merica': 14668, 'toiletpaper merica relax': 922239, 'merica relax herdmentality': 529120, 'relax herdmentality calmdown': 708815, 'herdmentality calmdown relaxpeople': 392634, 'calmdown relaxpeople sheeple': 156837, 'relaxpeople sheeple thisisamerica': 708903, 'sheeple thisisamerica irrational': 756566, 'thisisamerica irrational whyworry': 891639, 'irrational whyworry freakingout': 444993, 'whyworry freakingout lovenotfear': 991629, 'freakingout lovenotfear love': 331557, 'lovenotfear love fear': 505010, 'redtree': 705778, 'gallery': 342944, 'sterilization': 799852, 'crosby': 218978, 'compounding': 192603, 'columbus': 186891, 'feel good': 302643, 'friday thank': 333290, 'you true': 1021933, 'true tattoo': 933178, 'tattoo supply': 834869, 'supply redtree': 825753, 'redtree tattoo': 705779, 'tattoo gallery': 834863, 'gallery who': 342949, 'who donated': 988653, 'donated glove': 254343, 'glove sterilization': 352926, 'sterilization wipe': 799857, 'wipe mask': 996314, 'mask thank': 519337, 'to crosby': 903757, 'crosby drug': 218979, 'drug home': 260974, 'home health': 401352, 'care compounding': 163890, 'compounding pharmacy': 192606, 'pharmacy for': 654311, 'donating hand': 254466, 'appreciate columbus': 82716, 'feel good friday': 302646, 'good friday thank': 357104, 'friday thank you': 333291, 'thank you true': 841836, 'you true tattoo': 1021934, 'true tattoo supply': 933179, 'tattoo supply redtree': 834870, 'supply redtree tattoo': 825754, 'redtree tattoo gallery': 705780, 'tattoo gallery who': 834864, 'gallery who donated': 342950, 'who donated glove': 988654, 'donated glove sterilization': 254344, 'glove sterilization wipe': 352927, 'sterilization wipe mask': 799858, 'wipe mask thank': 996316, 'mask thank you': 519339, 'you to crosby': 1021766, 'to crosby drug': 903758, 'crosby drug home': 218980, 'drug home health': 260975, 'home health care': 401355, 'health care compounding': 386223, 'care compounding pharmacy': 163891, 'compounding pharmacy for': 192607, 'pharmacy for donating': 654313, 'for donating hand': 320819, 'donating hand sanitizer': 254467, 'sanitizer we appreciate': 736041, 'we appreciate columbus': 970452, 'mof': 535535, 'international crude': 441779, 'low our': 505474, 'our govt': 623284, 'govt under': 361322, 'under pm': 940196, 'pm modi': 661939, 'modi fm': 535451, 'fm mof': 311705, 'mof raise': 535536, 'raise petrol': 695900, 'by during': 152439, 'crisis instead': 217552, 'boosting economy': 135070, 'in critical': 421906, 'situation implementing': 772313, 'implementing negative': 418511, 'negative policy': 556814, 'policy is': 663429, 'when international crude': 983605, 'international crude price': 441781, 'crude price are': 219583, 'price are all': 672630, 'are all time': 84365, 'time low our': 897165, 'low our govt': 505475, 'our govt under': 623288, 'govt under pm': 361323, 'under pm modi': 940197, 'pm modi fm': 661942, 'modi fm mof': 535452, 'fm mof raise': 311706, 'mof raise petrol': 535537, 'raise petrol diesel': 695901, 'diesel price by': 241676, 'price by during': 673019, 'by during time': 152440, '19 crisis instead': 6265, 'crisis instead of': 217553, 'instead of boosting': 440238, 'of boosting economy': 580786, 'boosting economy in': 135071, 'economy in critical': 267964, 'in critical situation': 421909, 'critical situation implementing': 218662, 'situation implementing negative': 772314, 'implementing negative policy': 418512, 'negative policy is': 556815, 'policy is this': 663431, 'this the way': 890542, 'the way forward': 871152, 'hit everyone': 398227, 'everyone hard': 286989, 'all shed': 44303, 'shed tear': 756520, 'tear for': 835942, 'really suffering': 702634, 'suffering result': 817338, 'price government': 674347, 'government really': 360509, 'should prioritise': 766331, 'prioritise state': 678397, 'state support': 795963, 'pandemic ha hit': 635550, 'ha hit everyone': 370880, 'hit everyone hard': 398228, 'everyone hard but': 286990, 'hard but let': 377881, 'but let all': 146261, 'let all shed': 486569, 'all shed tear': 44304, 'shed tear for': 756521, 'tear for the': 835944, 'for the oil': 326595, 'the oil company': 862106, 'oil company they': 596695, 'company they re': 191207, 'they re really': 883108, 're really suffering': 699363, 'really suffering result': 702636, 'suffering result of': 817339, 'result of low': 717600, 'oil price government': 597153, 'price government really': 674349, 'government really should': 360512, 'really should prioritise': 702583, 'should prioritise state': 766332, 'prioritise state support': 678398, 'state support for': 795964, 'support for them': 826526, 'hefty': 388784, 'mahn': 508517, 'that organization': 845557, 'organization that': 619426, 'that charge': 843202, 'charge hefty': 173251, 'hefty price': 388789, 'ridiculous mahn': 721567, 'fact that organization': 295806, 'that organization that': 845559, 'organization that charge': 619428, 'that charge hefty': 843203, 'charge hefty price': 173253, 'hefty price to': 388790, 'to make use': 909761, 'of their service': 591701, 'their service are': 874655, 'service are now': 752139, 'now asking for': 574115, 'asking for donation': 95983, 'for donation amid': 320824, 'donation amid the': 254536, 'virus is ridiculous': 958400, 'is ridiculous mahn': 451521, 'imagery': 416666, 'see ton': 745978, 'of picture': 588115, 'buying moment': 150722, 'moment then': 536063, 'available ve': 104683, 'that imagery': 844430, 'imagery when': 416667, 'when really': 983927, 'not indicative': 570137, 'actual availability': 30631, 'you see ton': 1021075, 'see ton of': 745979, 'ton of picture': 924281, 'of picture of': 588116, 'empty shelf during': 275060, 'shelf during panic': 757002, 'panic buying moment': 637810, 'buying moment then': 150723, 'moment then you': 536064, 'then you re': 877792, 'going to think': 355745, 'think that there': 885612, 'that there no': 846903, 'no food available': 564252, 'food available ve': 313481, 'available ve seen': 104684, 'lot of that': 504301, 'of that imagery': 590728, 'that imagery when': 844431, 'imagery when really': 416668, 'when really that': 983928, 'really that not': 702646, 'that not indicative': 845392, 'not indicative of': 570138, 'indicative of the': 435039, 'of the actual': 590777, 'the actual availability': 848315, 'actual availability of': 30632, 'baffling': 108199, 'devastate': 239562, 'why nigerian': 991205, 'nigerian aren': 562834, 'aren completely': 92367, 'completely mad': 192318, 'russian and': 728609, 'saudi for': 737263, 'for crushing': 320472, 'crushing oil': 219817, 'is bit': 446186, 'bit baffling': 131535, 'baffling to': 108204, 'me their': 523667, 'their feud': 873307, 'feud along': 303634, 'the worsening': 872033, 'worsening covid': 1011090, 'will devastate': 993172, 'devastate the': 239563, 'the nigerian': 861800, 'nigerian economy': 562843, 'why nigerian aren': 991206, 'nigerian aren completely': 562835, 'aren completely mad': 92368, 'completely mad at': 192319, 'mad at the': 507525, 'at the russian': 101084, 'the russian and': 866093, 'russian and saudi': 728610, 'and saudi for': 70937, 'saudi for crushing': 737264, 'for crushing oil': 320473, 'crushing oil price': 219818, 'price is bit': 674860, 'is bit baffling': 446187, 'bit baffling to': 131536, 'baffling to me': 108205, 'to me their': 909959, 'me their feud': 523669, 'their feud along': 873308, 'feud along with': 303635, 'with the worsening': 1001551, 'the worsening covid': 872034, 'worsening covid 19': 1011091, 'crisis will devastate': 218409, 'will devastate the': 993173, 'devastate the nigerian': 239565, 'the nigerian economy': 861801, 'lfc75': 487886, 'lfc75 judge': 487887, 'judge tell': 467637, 'tell her': 836966, 'her you': 392543, 'supermarket had': 820655, 'had sold': 373524, 'lfc75 judge tell': 487888, 'judge tell her': 467638, 'tell her you': 836969, 'her you checked': 392544, 'you checked and': 1017937, 'checked and the': 174742, 'and the local': 73455, 'local supermarket had': 498532, 'supermarket had sold': 820659, 'had sold out': 373525, 'ultralow': 939180, 'lend': 486201, 'condemned': 193361, 'deceived by': 230729, 'by ultralow': 154628, 'ultralow interest': 939181, 'rate american': 697147, 'american borrow': 51842, 'borrow amp': 135596, 'amp lend': 54065, 'lend in': 486205, 'the kind': 858810, 'of false': 583395, 'false economy': 297423, 'that candidate': 843128, 'candidate trump': 161305, 'trump properly': 933768, 'properly condemned': 684176, 'condemned in': 193362, 'in 2016': 419775, '2016 covid': 13828, 'will sooner': 994905, 'sooner or': 785919, 'or later': 615930, 'later beat': 481033, 'beat retreat': 118548, 'retreat for': 719748, 'honest price': 403072, 'amp true': 54744, 'true value': 933202, 'value it': 952141, 'well if': 978302, 'if central': 413952, 'central banker': 169379, 'banker did': 110359, 'deceived by ultralow': 230730, 'by ultralow interest': 154629, 'ultralow interest rate': 939182, 'interest rate american': 441386, 'rate american borrow': 697148, 'american borrow amp': 51843, 'borrow amp lend': 135597, 'amp lend in': 54066, 'lend in the': 486206, 'in the kind': 429299, 'the kind of': 858812, 'kind of false': 474894, 'of false economy': 583397, 'false economy that': 297424, 'economy that candidate': 268263, 'that candidate trump': 843129, 'candidate trump properly': 161306, 'trump properly condemned': 933769, 'properly condemned in': 684177, 'condemned in 2016': 193363, 'in 2016 covid': 419776, '2016 covid 19': 13829, '19 will sooner': 12111, 'will sooner or': 994906, 'sooner or later': 785920, 'or later beat': 615931, 'later beat retreat': 481034, 'beat retreat for': 118549, 'retreat for the': 719749, 'sake of honest': 731866, 'of honest price': 584735, 'honest price amp': 403073, 'price amp true': 672344, 'amp true value': 54745, 'true value it': 933203, 'value it would': 952144, 'would be well': 1011667, 'be well if': 118085, 'well if central': 978304, 'if central banker': 413953, 'central banker did': 169380, 'banker did the': 110360, 'did the same': 240854, 'g2': 342660, 'exploding': 292320, 'the traffic': 869878, 'our category': 622326, 'on g2': 601063, 'g2 is': 342661, 'is exploding': 447655, 'exploding result': 292325, 'quarantine think': 692623, 'think what': 885779, 'largest shift': 480017, 'the traffic to': 869880, 'traffic to some': 929156, 'of our category': 587430, 'our category on': 622328, 'category on g2': 167201, 'on g2 is': 601064, 'g2 is exploding': 342662, 'is exploding result': 447657, 'exploding result of': 292326, 'result of everyone': 717588, 'of everyone working': 583263, 'everyone working from': 287634, '19 quarantine think': 9919, 'quarantine think what': 692624, 'think what we': 885781, 'seeing is the': 746349, 'is the beginning': 452735, 'beginning of one': 123651, 'the largest shift': 858976, 'largest shift of': 480018, 'behavior in history': 124079, 'wfp warned': 980876, 'warned on': 967017, 'programme wfp warned': 683354, 'wfp warned on': 980877, 'warned on friday': 967018, 'food what': 317556, 'buying nobody': 150762, 'nobody ha': 566007, 'of starvation': 590052, 'starvation in': 795171, 'lockdown they': 500025, 've died': 953046, 'coronavirus stoppanicbuying': 206836, 'even in lockdown': 284241, 'lockdown in other': 499510, 'other country people': 620024, 'country people can': 210953, 'people can still': 647411, 'can still get': 159775, 'still get food': 800553, 'get food what': 347075, 'food what is': 317564, 'with people stop': 1000172, 'stop buying nobody': 804544, 'buying nobody ha': 150763, 'nobody ha died': 566009, 'died of starvation': 241593, 'of starvation in': 590057, 'starvation in lockdown': 795172, 'in lockdown they': 424854, 'lockdown they ve': 500028, 'they ve died': 883645, 've died of': 953047, 'died of coronavirus': 241586, 'of coronavirus stoppanicbuying': 581966, 'human in': 410513, 'these scary': 880632, 'income people': 432430, 'cannot panic': 162025, 'buy they': 149347, 'it consider': 457269, 'bank group': 109879, 'that support': 846590, 'support nutrition': 826682, 'nutrition program': 577736, 'program quarter': 683286, 'our child': 622362, 'receive regular': 703534, 'regular meal': 707812, 'meal all': 524085, 'all year': 45524, 'year round': 1014933, 'buying it human': 150596, 'it human in': 458658, 'human in these': 410517, 'in these scary': 429854, 'these scary time': 880633, 'scary time low': 741208, 'time low income': 897164, 'low income people': 505355, 'income people cannot': 432432, 'people cannot panic': 647436, 'cannot panic buy': 162026, 'panic buy they': 637539, 'buy they cannot': 149349, 'afford it consider': 34710, 'it consider donating': 457270, 'food bank group': 313580, 'bank group that': 109880, 'group that support': 366915, 'that support nutrition': 846591, 'support nutrition program': 826683, 'nutrition program quarter': 577738, 'program quarter of': 683287, 'quarter of our': 693258, 'of our child': 587432, 'our child do': 622363, 'do not receive': 249814, 'not receive regular': 571250, 'receive regular meal': 703535, 'regular meal all': 707813, 'meal all year': 524087, 'all year round': 45525, 'have terrible': 382938, 'terrible habit': 838403, 'of touching': 592340, 'touching my': 926699, 'face doesn': 294403, 'farm or': 299153, 'or now': 616326, 'to wearing': 918449, 'wearing because': 974594, 'because for': 119066, 'whatever reason': 982790, 'reason it': 702947, 'help remind': 390435, 'have terrible habit': 382939, 'terrible habit of': 838404, 'habit of touching': 372662, 'of touching my': 592341, 'touching my face': 926700, 'my face doesn': 548154, 'face doesn matter': 294404, 'matter if out': 520579, 'if out on': 414585, 'out on the': 626921, 'on the farm': 604110, 'the farm or': 854934, 'farm or now': 299156, 'or now in': 616327, 'now in grocery': 575001, 'store ve taken': 811046, 've taken to': 953624, 'taken to wearing': 833111, 'to wearing because': 918451, 'wearing because for': 974595, 'because for whatever': 119067, 'for whatever reason': 327813, 'whatever reason it': 982791, 'reason it help': 702949, 'it help remind': 458550, 'help remind me': 390436, 'remind me not': 710488, 'movementcontrolorder': 543947, 'just wondering': 470328, 'if hotel': 414242, 'still operating': 800991, 'operating or': 613097, 'they allowed': 881125, 'during movementcontrolorder': 262799, 'movementcontrolorder and': 543948, 'just sharing': 469774, 'thought do': 893021, 'very risky': 955476, 'now someone': 575869, 'someone might': 784568, 'affected and': 34287, 'and touched': 74303, 'touched you': 926653, 'just wondering if': 470330, 'wondering if hotel': 1004169, 'if hotel are': 414243, 'hotel are still': 405115, 'are still operating': 90458, 'still operating or': 800994, 'operating or are': 613098, 'are they allowed': 90987, 'they allowed to': 881128, 'allowed to operate': 46241, 'operate during movementcontrolorder': 612990, 'during movementcontrolorder and': 262800, 'movementcontrolorder and just': 543949, 'and just sharing': 65720, 'just sharing my': 469775, 'sharing my thought': 755558, 'my thought do': 550355, 'thought do you': 893022, 'think it very': 885357, 'it very risky': 462038, 'very risky to': 955478, 'risky to go': 724129, 'go and stock': 353289, 'on grocery at': 601179, 'at supermarket now': 100752, 'supermarket now someone': 821675, 'now someone might': 575870, 'someone might have': 784570, 'might have been': 531008, 'been affected and': 120620, 'affected and touched': 34288, 'and touched you': 74304, 'used inside': 949946, 'inside knowledge': 439304, 'looming crisis': 503102, 'price crashed': 673331, 'they used inside': 883622, 'used inside knowledge': 949947, 'inside knowledge about': 439305, 'about the looming': 26439, 'the looming crisis': 859712, 'looming crisis to': 503103, 'before price crashed': 123022, 'no people': 565092, 'people licking': 648627, 'supermarket simply': 822700, 'not participating': 570965, 'are no people': 88274, 'no people licking': 565094, 'people licking apple': 648628, 'the supermarket simply': 868803, 'supermarket simply because': 822701, 'simply because of': 770184, '19 you are': 12263, 'are not participating': 88432, 'not participating in': 570966, 'participating in reality': 642574, 'sustainable': 829787, 'aapl warned': 24136, 'china impact': 176718, 'impact to': 418027, 'ha yet': 372502, 'to warn': 918337, 'warn on': 966949, 'on worldwide': 605382, 'worldwide impact': 1010373, 'impact do': 417636, 'think 5g': 885069, '5g phone': 20677, 'phone will': 655066, 'be big': 113852, 'big seller': 129981, 'are introducing': 87561, 'introducing cheaper': 443488, 'cheaper phone': 174260, 'phone would': 655072, 'if current': 414020, 'price aren': 672769, 'aren sustainable': 92541, 'sustainable 270': 829788, '270 call': 16325, 'call flying': 155843, 'shelf sell': 757494, 'sell or': 748831, 'aapl warned on': 24137, 'warned on the': 967019, 'on the china': 604023, 'the china impact': 850834, 'china impact to': 176719, 'impact to 19': 418028, 'to 19 but': 899538, '19 but ha': 5504, 'but ha yet': 145843, 'ha yet to': 372504, 'yet to warn': 1016298, 'to warn on': 918340, 'warn on worldwide': 966950, 'on worldwide impact': 605383, 'worldwide impact do': 1010374, 'impact do not': 417637, 'not think 5g': 572074, 'think 5g phone': 885071, '5g phone will': 20678, 'phone will be': 655067, 'will be big': 992379, 'be big seller': 113853, 'big seller and': 129982, 'seller and the': 748968, 'only reason they': 611058, 'reason they are': 703006, 'they are introducing': 881314, 'are introducing cheaper': 87562, 'introducing cheaper phone': 443489, 'cheaper phone would': 174261, 'phone would be': 655073, 'be if current': 115348, 'if current price': 414021, 'current price aren': 221310, 'price aren sustainable': 672772, 'aren sustainable 270': 92542, 'sustainable 270 call': 829789, '270 call flying': 16326, 'call flying off': 155844, 'the shelf sell': 866874, 'shelf sell or': 757495, 'sell or buy': 748833, 'strengthens': 813272, 'forexsignals': 329193, 'forextrader': 329198, 'forex news': 329172, 'news dollar': 560367, 'dollar strengthens': 253088, 'strengthens oil': 813275, 'off record': 594109, 'record session': 705061, 'session forexsignals': 753281, 'forexsignals forextrader': 329194, 'forextrader currency': 329199, 'currency stockmarket': 221064, 'forex news dollar': 329173, 'news dollar strengthens': 560368, 'dollar strengthens oil': 253089, 'strengthens oil price': 813276, 'oil price come': 597082, 'price come off': 673190, 'come off record': 187425, 'off record session': 594110, 'record session forexsignals': 705062, 'session forexsignals forextrader': 753282, 'forexsignals forextrader currency': 329195, 'forextrader currency stockmarket': 329200, 'stop stock': 805070, 'stock buying': 801961, 'selling on': 749372, 'ashamed seen': 95075, 'seen cleaning': 746979, 'product toilet': 681772, 'worse baby': 1010872, 'and nappy': 67419, 'nappy all': 551874, 'world stop stock': 1010009, 'stop stock buying': 805071, 'stock buying and': 801962, 'and selling on': 71238, 'selling on you': 749374, 'be ashamed seen': 113700, 'ashamed seen cleaning': 95076, 'seen cleaning product': 746980, 'cleaning product toilet': 181040, 'product toilet roll': 681773, 'toilet roll but': 921557, 'roll but the': 725229, 'but the worse': 147430, 'the worse baby': 872028, 'worse baby formula': 1010873, 'formula and nappy': 329696, 'and nappy all': 67420, 'nappy all selling': 551875, 'please believe': 659725, 'believe walked': 126404, 'past local': 643560, 'pub today': 687787, 'my way': 550531, 'inside drinking': 439253, 'drinking there': 258941, 'be stricter': 117395, 'place clearly': 657383, 'clearly some': 181570, 'please believe walked': 659726, 'believe walked past': 126405, 'walked past local': 964972, 'past local pub': 643561, 'local pub today': 498311, 'pub today on': 687788, 'today on my': 919971, 'on my way': 602328, 'my way to': 550539, 'way to stock': 970104, 'on food there': 600920, 'food there were': 317156, 'were people inside': 979974, 'people inside drinking': 648481, 'inside drinking there': 439254, 'drinking there need': 258942, 'to be stricter': 901567, 'be stricter measure': 117396, 'stricter measure in': 813668, 'in place clearly': 426727, 'place clearly some': 657384, 'clearly some people': 181571, 'some people aren': 783505, 'people aren taking': 647129, 'preying': 672085, 'consumer what': 199504, 'yourself against': 1026504, 'against hacker': 37479, 'hacker preying': 372771, 'preying on': 672086, 'on based': 599574, 'based fear': 111574, 'fear get': 301139, 'get tip': 348454, 'from perspective': 336907, 'perspective gt': 653200, 'consumer what can': 199505, 'what can you': 981185, 'you do to': 1018276, 'do to protect': 250398, 'protect yourself against': 685078, 'yourself against hacker': 1026506, 'against hacker preying': 37480, 'hacker preying on': 372772, 'preying on based': 672087, 'on based fear': 599575, 'based fear get': 111575, 'fear get tip': 301140, 'get tip to': 348456, 'tip to get': 898929, 'get you through': 348685, 'you through the': 1021731, 'through the from': 894739, 'the from perspective': 855835, 'from perspective gt': 336908, 'apparel': 81854, 'we hear': 972001, 'all mall': 43446, 'mall retail': 511820, 'retail board': 717888, 'of director': 582640, 'director and': 243600, 'and top': 74284, 'top management': 925611, 'taken pay': 833049, 'cut after': 223217, 'the numerous': 861970, 'numerous furlough': 577136, 'furlough personal': 341894, 'personal uncertainty': 652987, 'uncertainty shouldn': 939757, 'shouldn just': 766739, 'just hit': 468972, 'associate retail': 96892, 'retail apparel': 717845, 'apparel fashion': 81857, 'will we hear': 995330, 'we hear that': 972002, 'hear that all': 387985, 'that all mall': 842554, 'all mall retail': 43447, 'mall retail board': 511821, 'retail board of': 717889, 'board of director': 133658, 'of director and': 582641, 'director and top': 243603, 'and top management': 74286, 'top management have': 925612, 'management have taken': 512577, 'have taken pay': 382914, 'taken pay cut': 833050, 'pay cut after': 644825, 'cut after the': 223219, 'after the numerous': 36337, 'the numerous furlough': 861972, 'numerous furlough personal': 577137, 'furlough personal uncertainty': 341895, 'personal uncertainty shouldn': 652988, 'uncertainty shouldn just': 939758, 'shouldn just hit': 766740, 'just hit the': 468974, 'hit the store': 398450, 'the store associate': 867982, 'store associate retail': 806566, 'associate retail apparel': 96893, 'retail apparel fashion': 717846, 'hid': 394800, 'spoon': 789865, 'mypov love': 550791, 'price removed': 676179, 'removed egg': 710858, 'egg from': 269866, 'the fried': 855821, 'rice reduced': 721121, 'the portion': 864050, 'portion and': 665018, 'and hid': 64544, 'hid the': 394801, 'the spoon': 867591, 'spoon service': 789871, 'le portion': 483079, 'portion smaller': 665026, 'smaller price': 775291, 'up how': 945123, 'how fight': 407865, 'fight racism': 304852, 'mypov love them': 550792, 'love them but': 504815, 'them but they': 875500, 'but they raised': 147513, 'their price removed': 874414, 'price removed egg': 676180, 'removed egg from': 710859, 'egg from the': 269867, 'from the fried': 337713, 'the fried rice': 855822, 'fried rice reduced': 333457, 'rice reduced the': 721122, 'reduced the portion': 706184, 'the portion and': 864051, 'portion and hid': 665019, 'and hid the': 64545, 'hid the spoon': 394802, 'the spoon service': 867592, 'spoon service is': 789872, 'service is le': 752518, 'is le portion': 449248, 'le portion smaller': 483080, 'portion smaller price': 665027, 'smaller price up': 775292, 'price up how': 677238, 'up how fight': 945124, 'how fight racism': 407866, 'donnie': 255148, 'donnie work': 255149, 'work thinking': 1005851, 'face face': 294430, 'face with': 294859, 'medical mask': 526252, 'mask face': 518634, 'face screaming': 294720, 'screaming in': 742661, 'in fear': 422811, 'fear grocery': 301147, 'from covi': 335047, 'donnie work thinking': 255151, 'work thinking face': 1005852, 'thinking face face': 885903, 'face face with': 294431, 'face with medical': 294862, 'with medical mask': 999471, 'medical mask face': 526256, 'mask face screaming': 518635, 'face screaming in': 294721, 'screaming in fear': 742662, 'in fear grocery': 422816, 'fear grocery worker': 301148, 'worker are starting': 1006426, 'die from the': 241357, 'the coronavirus at': 851806, 'died from covi': 241551, 'patchogue': 643950, 'kullen': 477904, 'raid': 695594, 'flea': 310268, 'tick': 895573, 'paperproducts': 641153, 'ghost supermarket': 349672, 'supermarket patchogue': 821939, 'patchogue march': 643951, '2020 empty': 14292, 'empty paper': 274995, 'product shelf': 681613, 'king kullen': 475274, 'kullen in': 477905, 'in patchogue': 426547, 'patchogue plenty': 643953, 'of raid': 588719, 'raid flea': 695597, 'flea tick': 310269, 'tick spray': 895576, 'spray if': 790296, 'supermarket emptyshelves': 820160, 'emptyshelves paperproducts': 275311, 'ghost supermarket patchogue': 349673, 'supermarket patchogue march': 821940, 'patchogue march 20': 643952, '20 2020 empty': 12881, '2020 empty paper': 14293, 'empty paper product': 274996, 'paper product shelf': 640632, 'product shelf at': 681614, 'shelf at king': 756848, 'at king kullen': 99384, 'king kullen in': 475275, 'kullen in patchogue': 477906, 'in patchogue plenty': 426548, 'patchogue plenty of': 643954, 'plenty of raid': 660970, 'of raid flea': 588720, 'raid flea tick': 695598, 'flea tick spray': 310270, 'tick spray if': 895577, 'spray if you': 790297, 'you could use': 1018104, 'could use it': 209804, 'use it supermarket': 949314, 'it supermarket emptyshelves': 461361, 'supermarket emptyshelves paperproducts': 820161, 'alright swiss': 47787, 'swiss government': 830452, 'government just': 360295, 'called emergency': 156301, 'emergency status': 272988, 'status all': 796657, 'all unnecessary': 45320, 'unnecessary store': 942938, 'still the': 801285, 'doctor don': 250893, 'alright swiss government': 47788, 'swiss government just': 830454, 'government just called': 360297, 'just called emergency': 468411, 'called emergency status': 156302, 'emergency status all': 272989, 'status all unnecessary': 796658, 'all unnecessary store': 45322, 'unnecessary store are': 942939, 'are closed and': 85330, 'closed and you': 183001, 'have to disinfect': 383195, 'to disinfect your': 904405, 'hand before you': 374835, 'before you enter': 123319, 'the supermarket but': 868498, 'supermarket but still': 819457, 'but still the': 147184, 'still the doctor': 801288, 'the doctor don': 853461, 'doctor don want': 250894, 'to take in': 916190, 'experiment': 291730, 'small experiment': 774941, 'experiment facebook': 291731, 'facebook approved': 294892, 'approved seven': 83194, 'seven scheduled': 753766, 'scheduled ad': 741480, 'ad with': 31196, 'with content': 997773, 'content that': 200846, 'that violated': 847251, 'violated company': 957487, 'company rule': 191038, 'rule about': 727171, '19 indicating': 7823, 'indicating flaw': 435008, 'in automated': 420635, 'automated ad': 103952, 'ad screening': 31153, 'screening consumer': 742762, 'in small experiment': 428015, 'small experiment facebook': 774942, 'experiment facebook approved': 291732, 'facebook approved seven': 294894, 'approved seven scheduled': 83195, 'seven scheduled ad': 753767, 'scheduled ad with': 741481, 'ad with content': 31197, 'with content that': 997774, 'content that violated': 200847, 'that violated company': 847252, 'violated company rule': 957488, 'company rule about': 191039, 'rule about covid': 727172, 'covid 19 indicating': 213261, '19 indicating flaw': 7824, 'indicating flaw in': 435009, 'flaw in automated': 310260, 'in automated ad': 420636, 'automated ad screening': 103953, 'ad screening consumer': 31154, 'screening consumer report': 742763, '973': 23705, '504': 20128, '6240': 21250, 'njcoronavirus': 563477, 'who suspect': 989720, 'other fraud': 620267, 'can file': 158302, 'complaint online': 192006, 'state division': 795524, 'at 973': 97812, '973 504': 23706, '504 6240': 20129, '6240 call': 21252, 'call leave': 155969, 'name message': 551654, 'company name': 190898, 'address njcoronavirus': 32000, 'anyone who suspect': 80633, 'who suspect price': 989721, 'gouging and other': 359249, 'and other fraud': 68330, 'other fraud related': 620268, '19 can file': 5609, 'can file complaint': 158303, 'file complaint online': 305335, 'complaint online at': 192007, 'at or contact': 99990, 'or contact the': 614804, 'contact the state': 200230, 'the state division': 867763, 'state division of': 795525, 'affair at 973': 34004, 'at 973 504': 97813, '973 504 6240': 23707, '504 6240 call': 20131, '6240 call leave': 21253, 'call leave your': 155970, 'leave your name': 485056, 'your name message': 1024929, 'name message and': 551655, 'message and the': 529267, 'and the company': 73290, 'the company name': 851338, 'company name and': 190899, 'name and address': 551605, 'and address njcoronavirus': 57688, 'main thing': 508839, 'thing brit': 884200, 'brit want': 140353, 'over download': 630158, 'report tracking': 712397, 'sentiment on': 750973, 'are the main': 90860, 'the main thing': 859914, 'main thing brit': 508840, 'thing brit want': 884201, 'brit want to': 140354, 'do once the': 249927, 'is over download': 450696, 'over download our': 630159, 'free report tracking': 332099, 'report tracking consumer': 712398, 'consumer sentiment on': 198920, 'sentiment on the': 750975, 'get the answer': 348221, 'spouse': 790224, 'the spouse': 867609, 'spouse keep': 790227, 'keep making': 471643, 'me use': 523868, 'sanitizer isn': 735218, 'isn virus': 454751, 'virus using': 958970, 'like throwing': 491564, 'throwing salt': 895105, 'salt over': 732819, 'your shoulder': 1025797, 'shoulder or': 766698, 'or knocking': 615909, 'knocking on': 476184, 'on wood': 605362, 'the spouse keep': 867610, 'spouse keep making': 790228, 'keep making me': 471644, 'making me use': 511205, 'me use hand': 523869, 'hand sanitizer isn': 375459, 'sanitizer isn virus': 735221, 'isn virus using': 454752, 'virus using hand': 958971, 'sanitizer is like': 735195, 'is like throwing': 449336, 'like throwing salt': 491565, 'throwing salt over': 895106, 'salt over your': 732820, 'over your shoulder': 630973, 'your shoulder or': 1025800, 'shoulder or knocking': 766699, 'or knocking on': 615910, 'knocking on wood': 476185, 'for god': 321905, 'god sake': 354793, 'sake we': 731877, 'pandemic stop': 636561, 'stop running': 804964, 'thing every': 884312, 'house you': 406708, 'risking your': 724101, 'safety is': 730587, 'is loaf': 449412, 'fresh bread': 332930, 'bread worth': 138645, 'worth your': 1011462, 'for god sake': 321906, 'god sake we': 354795, 'sake we are': 731878, 'middle of pandemic': 530683, 'of pandemic stop': 587708, 'pandemic stop running': 636562, 'stop running to': 804967, 'supermarket for couple': 820386, 'of thing every': 591897, 'thing every time': 884315, 'time you leave': 898406, 'your house you': 1024425, 'house you are': 406709, 'you are risking': 1017218, 'are risking your': 89728, 'risking your safety': 724103, 'your safety is': 1025665, 'safety is loaf': 730591, 'is loaf of': 449413, 'loaf of fresh': 497366, 'of fresh bread': 583942, 'fresh bread worth': 332934, 'bread worth your': 138646, 'worth your life': 1011463, 'your life 19': 1024626, '19 get': 7194, 'get protected': 347857, 'protected face': 685129, 'mask on': 519042, 'on stock': 603670, 'stock regular': 802782, '19 get protected': 7200, 'get protected face': 347858, 'protected face mask': 685130, 'face mask on': 294570, 'mask on stock': 519054, 'on stock regular': 603676, 'stock regular price': 802783, 'oil call': 596663, 'call won': 156238, 'crashed to': 215091, 'low up': 505717, 'up 40': 944168, 'bullish oil call': 142462, 'oil call won': 596664, 'call won big': 156239, 'won big price': 1003755, 'big price crashed': 129932, 'price crashed to': 673334, 'crashed to 18': 215092, 'year low up': 1014740, 'low up 40': 505718, 'up 40 in': 944170, 'bender': 126864, 'from supplier': 337515, 'for private': 324748, 'private shop': 678985, 'shop such': 760857, 'such my': 816646, 'dad butcher': 224301, 'butcher because': 148035, 'longer we': 502107, 'we ignore': 972054, 'ignore the': 415842, 'higher the': 395765, 'of private': 588445, 'owner becoming': 632402, 'becoming broke': 120278, 'broke and': 140821, 'and struggling': 72599, 'struggling self': 814488, 'isolate mean': 454883, 'mean stay': 524652, 'inside not': 439324, 'on bender': 599621, 'going up from': 355783, 'up from supplier': 944992, 'from supplier for': 337517, 'supplier for private': 824536, 'for private shop': 324755, 'private shop such': 678987, 'shop such my': 760858, 'such my dad': 816647, 'my dad butcher': 547883, 'dad butcher because': 224302, 'butcher because of': 148036, '19 the longer': 11216, 'the longer we': 859697, 'longer we ignore': 502108, 'we ignore the': 972055, 'ignore the severity': 415847, 'severity of this': 754133, 'of this the': 592050, 'this the higher': 890524, 'the higher the': 857332, 'higher the chance': 395766, 'the chance of': 850661, 'chance of private': 171766, 'of private shop': 588449, 'private shop owner': 678986, 'shop owner becoming': 760641, 'owner becoming broke': 632403, 'becoming broke and': 120279, 'broke and struggling': 140822, 'and struggling self': 72601, 'struggling self isolate': 814489, 'self isolate mean': 747683, 'isolate mean stay': 454884, 'mean stay inside': 524654, 'stay inside not': 797102, 'inside not go': 439325, 'go out on': 353970, 'out on bender': 626897, 'addressing': 32085, 'rutte': 728706, 'the dutch': 853793, 'dutch prime': 263509, 'minister visiting': 533487, 'with camera': 997519, 'camera addressing': 157108, 'addressing the': 32106, 'paper issue': 640372, 'can poop': 159263, 'poop for': 664055, 'year coronanl': 1014490, 'coronanl rutte': 205094, 'the dutch prime': 853796, 'dutch prime minister': 263510, 'prime minister visiting': 678164, 'minister visiting supermarket': 533488, 'visiting supermarket with': 959559, 'supermarket with camera': 823911, 'with camera addressing': 997520, 'camera addressing the': 157109, 'addressing the toilet': 32109, 'toilet paper issue': 921326, 'paper issue we': 640373, 'issue we can': 455997, 'we can poop': 970989, 'can poop for': 159264, 'poop for 10': 664056, 'for 10 year': 318621, '10 year coronanl': 1767, 'year coronanl rutte': 1014491, 'california and': 155461, 'york have': 1016621, 'have stay': 382738, 'worker what': 1008172, 'work not': 1005499, 'school you': 741998, 'pharmacy you': 654586, 'california and new': 155463, 'and new york': 67564, 'new york have': 559933, 'york have stay': 1016622, 'have stay at': 382739, 'order for non': 618234, 'non essential worker': 566372, 'essential worker what': 281863, 'worker what doe': 1008175, 'that mean stay': 845120, 'mean stay home': 524653, 'to work not': 918757, 'work not going': 1005501, 'going to school': 355698, 'to school you': 913905, 'school you can': 741999, 'the pharmacy you': 863667, 'pharmacy you can': 654587, 'go out but': 353938, 'out but keep': 625791, 'but keep your': 146220, 'distance you can': 246905, 'you can tell': 1017808, 'can tell the': 159922, 'tell the people': 837088, 'people you love': 650575, 'thought see': 893198, 'that start': 846456, 'start shopping': 794497, 'grocery using': 366093, 'using store': 950668, 'so could': 776799, 'could avoid': 208830, 'avoid entering': 105087, 'entering what': 278439, 'now germ': 574765, 'germ central': 346108, 'central station': 169425, 'station just': 796446, 'just don': 468628, 'touch card': 926462, 'card terminal': 163661, 'terminal ever': 838362, 'never thought see': 558232, 'thought see the': 893201, 'see the day': 745824, 'the day that': 852917, 'day that start': 228474, 'that start shopping': 846457, 'start shopping online': 794499, 'online for grocery': 608228, 'for grocery using': 322056, 'grocery using store': 366094, 'using store pickup': 950669, 'store pickup so': 809561, 'pickup so could': 656020, 'so could avoid': 776800, 'could avoid entering': 208831, 'avoid entering what': 105088, 'entering what is': 278440, 'what is now': 981714, 'is now germ': 450288, 'now germ central': 574766, 'germ central station': 346109, 'central station just': 169426, 'station just don': 796447, 'just don want': 468636, 'want to touch': 966147, 'to touch card': 917648, 'touch card terminal': 926463, 'card terminal ever': 163662, 'terminal ever again': 838363, 'rapporteur': 697057, 'spexperts': 789195, 'of may': 586308, 'may will': 521615, 'new special': 559625, 'special rapporteur': 788040, 'rapporteur on': 697058, 'highlighted what': 396005, 'what many': 981851, 'knew we': 476093, 'all depend': 42552, 'food housing': 314863, 'housing well': 407168, 'being hunger': 125271, 'hunger is': 411135, 'political failure': 663646, 'failure not': 296277, 'not lack': 570323, 'supply spexperts': 825881, 'of may will': 586310, 'may will be': 521616, 'the new special': 861558, 'new special rapporteur': 559626, 'special rapporteur on': 788041, 'rapporteur on the': 697059, 'on the right': 604336, 'right to food': 722340, 'to food this': 906102, 'food this pandemic': 317195, 'pandemic ha highlighted': 635549, 'ha highlighted what': 370868, 'highlighted what many': 396006, 'what many of': 981852, 'many of already': 514365, 'of already knew': 580015, 'already knew we': 47495, 'knew we all': 476094, 'we all depend': 970320, 'all depend on': 42553, 'depend on each': 237312, 'on each other': 600453, 'other for food': 620257, 'for food housing': 321592, 'food housing well': 314864, 'housing well being': 407169, 'well being hunger': 978059, 'being hunger is': 125272, 'hunger is always': 411136, 'is always the': 445602, 'always the result': 49772, 'result of political': 717609, 'of political failure': 588208, 'political failure not': 663647, 'failure not lack': 296278, 'not lack of': 570324, 'lack of supply': 478660, 'of supply spexperts': 590500, 'csr': 220060, 'fantasized': 298574, 'deck grocery': 231136, 'store executive': 807676, 'executive get': 289897, 'hard life': 377961, 'coronavirus front': 205960, 'line via': 493540, 'moment many': 535988, 'many front': 514088, 'line csr': 493045, 'csr ha': 220061, 'ha fantasized': 370601, 'fantasized about': 298575, 'about they': 26619, 'come work': 187697, 'on deck grocery': 600244, 'deck grocery store': 231137, 'grocery store executive': 365385, 'store executive get': 807678, 'executive get taste': 289898, 'of the hard': 591091, 'the hard life': 857103, 'hard life on': 377963, 'life on coronavirus': 488933, 'on coronavirus front': 600123, 'coronavirus front line': 205961, 'front line via': 338619, 'line via this': 493541, 'via this is': 956324, 'is the moment': 452865, 'the moment many': 860767, 'moment many front': 535989, 'many front line': 514089, 'front line csr': 338565, 'line csr ha': 493046, 'csr ha fantasized': 220062, 'ha fantasized about': 370602, 'fantasized about they': 298576, 'about they should': 26621, 'they should come': 883355, 'should come work': 765848, 'come work and': 187698, 'work and see': 1004802, 'and see what': 71149, 'see what it': 746036, 'consumergoods': 199677, 'and consumergoods': 60448, 'consumergoods supplychain': 199684, 'supplychain strain': 826231, 'keep pace': 471770, 'pace especially': 632925, 'especially when': 280656, 'when relying': 983933, 'from quarantined': 337021, 'quarantined area': 692821, 'area here': 92047, 'stay resilient': 797198, 'resilient ai': 714511, 'retail and consumergoods': 717816, 'and consumergoods supplychain': 60449, 'consumergoods supplychain strain': 199685, 'supplychain strain to': 826232, 'strain to keep': 812306, 'to keep pace': 908824, 'keep pace especially': 471771, 'pace especially when': 632926, 'especially when relying': 280659, 'when relying on': 983934, 'relying on good': 709675, 'on good from': 601146, 'good from quarantined': 357114, 'from quarantined area': 337022, 'quarantined area here': 692822, 'area here how': 92049, 'how to stay': 409090, 'to stay resilient': 915312, 'stay resilient ai': 797199, 'attorney office': 102680, 'office take': 595561, 'maintain mission': 508993, 'mission amidst': 534340, 'emergency official': 272825, 'official announced': 595748, 'of step': 590119, 'step aimed': 799489, 'at protecting': 100214, 'protecting consumer': 685184, 'financial safety': 306566, 'and preventing': 69420, 'preventing civil': 671802, 'violation amidst': 957512, 'attorney office take': 102682, 'office take step': 595562, 'step to maintain': 799656, 'to maintain mission': 909582, 'maintain mission amidst': 508994, 'mission amidst covid': 534341, 'health emergency official': 386400, 'emergency official announced': 272826, 'official announced series': 595749, 'series of step': 751277, 'of step aimed': 590120, 'step aimed at': 799490, 'aimed at protecting': 39575, 'at protecting consumer': 100215, 'protecting consumer financial': 685188, 'consumer financial safety': 197490, 'financial safety and': 306568, 'safety and preventing': 730460, 'and preventing civil': 69421, 'preventing civil right': 671803, 'civil right violation': 179539, 'right violation amidst': 722392, 'violation amidst the': 957514, 'amidst the covid': 52822, 'in world': 430981, 'virus wanna': 958998, 'wanna be': 965612, 'in world full': 430983, 'full of corona': 340708, 'corona virus wanna': 204373, 'virus wanna be': 958999, 'wanna be your': 965616, 'be your hand': 118174, 'carphone': 164900, 'retailapocalypse': 718917, 'more gap': 539329, 'gap appear': 343430, 'appear on': 82114, 'the highstreet': 857362, 'highstreet carphone': 396131, 'carphone warehouse': 164901, 'warehouse shut': 966763, 'shut up': 767957, 'shop changing': 760025, 'behaviour not': 124482, 'blame cx': 132251, 'cx customerexperience': 223904, 'customerexperience retail': 223139, 'retail retailapocalypse': 718468, 'more gap appear': 539330, 'gap appear on': 343431, 'appear on the': 82116, 'on the highstreet': 604160, 'the highstreet carphone': 857363, 'highstreet carphone warehouse': 396132, 'carphone warehouse shut': 164902, 'warehouse shut up': 966765, 'shut up shop': 767961, 'up shop changing': 945976, 'shop changing consumer': 760026, 'changing consumer behaviour': 172668, 'consumer behaviour not': 196590, 'behaviour not covid': 124483, '19 to blame': 11416, 'to blame cx': 901844, 'blame cx customerexperience': 132252, 'cx customerexperience retail': 223905, 'customerexperience retail retailapocalypse': 223140, 'superstar': 824328, 'nashville country': 552012, 'music superstar': 546343, 'superstar free': 824333, 'free supermarket': 332201, 'is providing': 451116, 'providing free': 687002, 'delivering them': 233553, 'in nashville country': 425681, 'nashville country music': 552013, 'country music superstar': 210911, 'music superstar free': 546345, 'superstar free supermarket': 824334, 'free supermarket is': 332202, 'supermarket is providing': 821116, 'is providing free': 451119, 'providing free grocery': 687004, 'free grocery and': 331881, 'grocery and delivering': 364231, 'and delivering them': 61103, 'delivering them to': 233554, 'them to senior': 876507, 'to senior during': 914232, 'food here': 314813, 'should buy': 765802, 'store listed': 808779, 'listed well': 494653, 'you still need': 1021405, 'on food here': 600869, 'food here are': 314814, 'thing you should': 885041, 'you should buy': 1021186, 'should buy there': 765809, 'buy there are': 149339, 'there are online': 878136, 'are online store': 88756, 'online store listed': 609456, 'store listed well': 808780, 'never give': 558015, 'life face': 488645, 'sanitizer never': 735401, 'never knew': 558081, 'knew they': 476084, 'would blow': 1011685, 'never give up': 558016, 'give up in': 350814, 'up in life': 945164, 'in life face': 424706, 'life face mask': 488646, 'hand sanitizer never': 375500, 'sanitizer never knew': 735402, 'never knew they': 558084, 'knew they would': 476087, 'they would blow': 883937, 'would blow one': 1011686, 'blow one day': 133332, 'one day 19': 606145, 'mankind': 513254, 'prudential': 687363, 'magnanimous': 508419, 'with very': 1001969, 'very first': 955165, 'of retreat': 589072, 'retreat the': 719756, 'will sore': 994907, 'sore to': 785982, 'new high': 558877, 'high very': 395507, 'very rapidly': 955449, 'rapidly that': 697027, 'never witnessed': 558275, 'witnessed in': 1003148, 'history of': 398038, 'of mankind': 586153, 'mankind in': 513268, 'in highly': 423697, 'highly prudential': 396087, 'prudential way': 687364, 'way usa': 970149, 'usa pumped': 948726, 'pumped magnanimous': 689116, 'magnanimous amount': 508420, 'of liquidity': 585876, 'liquidity by': 494125, 'by mainly': 153126, 'mainly monetary': 508881, 'monetary and': 536535, 'and fiscal': 62935, 'fiscal action': 309242, 'with very first': 1001973, 'very first sign': 955167, 'sign of retreat': 769171, 'of retreat the': 589073, 'retreat the asset': 719757, 'the asset price': 848978, 'asset price will': 96465, 'price will sore': 677589, 'will sore to': 994908, 'sore to the': 785984, 'the new high': 861519, 'new high very': 558881, 'high very rapidly': 395508, 'very rapidly that': 955450, 'rapidly that never': 697028, 'that never witnessed': 845324, 'never witnessed in': 558276, 'witnessed in the': 1003149, 'in the history': 429268, 'the history of': 857391, 'history of mankind': 398040, 'of mankind in': 586154, 'mankind in highly': 513269, 'in highly prudential': 423699, 'highly prudential way': 396088, 'prudential way usa': 687365, 'way usa pumped': 970150, 'usa pumped magnanimous': 948727, 'pumped magnanimous amount': 689117, 'magnanimous amount of': 508421, 'amount of liquidity': 53232, 'of liquidity by': 585877, 'liquidity by mainly': 494126, 'by mainly monetary': 153127, 'mainly monetary and': 508882, 'monetary and fiscal': 536536, 'and fiscal action': 62936, 'another great': 77642, 'coronavirus insight': 206146, 'data think': 226447, 'google brand': 358143, 'another great article': 77643, 'great article from': 362510, 'article from coronavirus': 94326, 'from coronavirus insight': 335017, 'coronavirus insight from': 206147, 'search data think': 743234, 'data think with': 226448, 'with google brand': 998646, 'tesco able': 838649, 'pay uk': 645201, 'uk dividend': 938306, 'dividend sale': 248631, 'sale soar': 732537, 'tesco able to': 838650, 'to pay uk': 911570, 'pay uk dividend': 645202, 'uk dividend sale': 938307, 'dividend sale soar': 248632, 'sale soar due': 732539, 'been demand': 120948, 'for ethanol': 321137, 'ethanol which': 283018, 'been subsidy': 122090, 'subsidy fraud': 816011, 'fraud from': 331273, 'from day': 335106, 'is disastrous': 447198, 'disastrous for': 244288, 'for engine': 321061, 'engine that': 276944, 'cause pollution': 167704, 'pollution by': 663899, 'by running': 153845, 'running them': 728100, 'them poorly': 876171, 'poorly corn': 664381, 'fall back': 296849, 'to 2016': 899593, '2016 level': 13832, 'level covid': 487543, 'lockdown reduce': 499848, 'reduce ethanol': 705830, 'there ha never': 878453, 'never been demand': 557892, 'been demand for': 120949, 'demand for ethanol': 235413, 'for ethanol which': 321140, 'ethanol which ha': 283019, 'which ha been': 985877, 'ha been subsidy': 369941, 'been subsidy fraud': 122091, 'subsidy fraud from': 816012, 'fraud from day': 331274, 'from day one': 335110, 'day one it': 228153, 'one it is': 606539, 'it is disastrous': 458932, 'is disastrous for': 447201, 'disastrous for engine': 244289, 'for engine that': 321062, 'engine that cause': 276945, 'that cause pollution': 843183, 'cause pollution by': 167705, 'pollution by running': 663901, 'by running them': 153847, 'running them poorly': 728101, 'them poorly corn': 876172, 'poorly corn price': 664382, 'corn price fall': 203584, 'price fall back': 673776, 'fall back to': 296853, 'back to 2016': 107349, 'to 2016 level': 899594, '2016 level covid': 13833, 'level covid 19': 487544, '19 lockdown reduce': 8421, 'lockdown reduce ethanol': 499849, 'reduce ethanol demand': 705831, 'utakaa': 951211, 'kwa': 478024, 'nyumba': 578166, 'ukule': 939071, 'nini': 563307, 'ha even': 370519, 'even considered': 283968, 'reduce tax': 705952, 'bring price': 140048, 'down utakaa': 257425, 'utakaa kwa': 951212, 'kwa nyumba': 478025, 'nyumba ukule': 578167, 'ukule nini': 939072, 'nini there': 563308, 'is chance': 446458, 'chance with': 171831, 'with starvation': 1000945, 'government ha even': 360149, 'ha even considered': 370520, 'even considered to': 283971, 'considered to reduce': 195342, 'to reduce tax': 913044, 'reduce tax to': 705953, 'tax to bring': 835110, 'to bring price': 902045, 'bring price down': 140049, 'price down utakaa': 673535, 'down utakaa kwa': 257426, 'utakaa kwa nyumba': 951213, 'kwa nyumba ukule': 478026, 'nyumba ukule nini': 578168, 'ukule nini there': 939073, 'nini there is': 563309, 'there is chance': 878536, 'is chance you': 446460, 'chance you can': 171837, 'you can survive': 1017804, 'can survive covid': 159873, '19 but no': 5516, 'but no chance': 146479, 'no chance with': 563785, 'chance with starvation': 171832, 'riverfront': 724193, 'cody': 185426, 'pfister': 653915, 'missouri': 534417, 'terrorist': 838614, 'riverfront time': 724194, 'time cody': 896489, 'cody pfister': 185429, 'pfister the': 653919, 'the 26': 848055, '26 year': 16200, 'old who': 598538, 'the by': 850237, 'licking product': 488250, 'at missouri': 99755, 'missouri walmart': 534444, 'walmart in': 965353, '11 wa': 2611, 'with terrorist': 1001149, 'terrorist threat': 838617, 'riverfront time cody': 724195, 'time cody pfister': 896490, 'cody pfister the': 185432, 'pfister the 26': 653920, 'the 26 year': 848057, '26 year old': 16202, 'year old who': 1014878, 'old who did': 598540, 'who did the': 988590, 'did the by': 240845, 'the by licking': 850244, 'by licking product': 153052, 'licking product at': 488251, 'product at missouri': 680977, 'at missouri walmart': 99756, 'missouri walmart in': 534445, 'walmart in march': 965357, 'in march 11': 425071, 'march 11 wa': 515057, '11 wa charged': 2612, 'wa charged with': 961809, 'charged with terrorist': 173431, 'with terrorist threat': 1001150, 'patriotic': 644369, 'merciless': 529067, 'elsewhere natural': 272019, 'natural disaster': 552820, 'disaster or': 244225, 'or situation': 617098, 'situation like': 772369, '19 give': 7212, 'how patriotic': 408488, 'patriotic they': 644372, 'are but': 85105, 'are merciless': 88068, 'merciless and': 529068, 'than 500': 840265, 'elsewhere natural disaster': 272020, 'natural disaster or': 552824, 'disaster or situation': 244228, 'or situation like': 617099, 'situation like covid': 772370, 'covid 19 give': 213144, '19 give people': 7214, 'give people the': 350647, 'people the opportunity': 649793, 'opportunity to show': 613725, 'show how patriotic': 766989, 'how patriotic they': 408489, 'patriotic they are': 644373, 'they are but': 881219, 'are but here': 85107, 'we are merciless': 970627, 'are merciless and': 88069, 'merciless and price': 529069, 'and price increase': 69456, 'increase by more': 432709, 'more than 500': 540569, 'disconnected': 244412, 'are mad': 87953, 'mad disconnected': 507541, 'disconnected from': 244413, 'world gas': 1009576, 'low because': 505156, 'some of all': 783388, 'of all are': 579921, 'all are mad': 42046, 'are mad disconnected': 87954, 'mad disconnected from': 507542, 'disconnected from the': 244416, 'from the world': 337929, 'the world gas': 871875, 'world gas price': 1009577, 'gas price aren': 343932, 'price aren low': 672771, 'aren low because': 92455, 'low because of': 505157, 'commuter': 190274, 'belt': 126790, 'how working': 409257, 'hit commuter': 398201, 'commuter belt': 190275, 'belt house': 126797, 'price property': 676013, 'property lockdown': 684291, 'lockdown realestate': 499842, 'realestate pandemic': 701507, 'pandemic lockdown': 635899, 'lockdown wfh': 500126, 'wfh workfromhome': 980867, 'how working from': 409258, 'home could hit': 400958, 'could hit commuter': 209303, 'hit commuter belt': 398202, 'commuter belt house': 190276, 'belt house price': 126798, 'house price property': 406502, 'price property lockdown': 676015, 'property lockdown realestate': 684292, 'lockdown realestate pandemic': 499843, 'realestate pandemic lockdown': 701508, 'pandemic lockdown wfh': 635905, 'lockdown wfh workfromhome': 500127, '599': 20599, 'egypt': 270094, 'senegal': 750155, 'tunisia': 935464, 'burkina': 142872, 'faso': 299894, 'update 599': 946837, '599 case': 20600, 'africa egypt': 35068, 'egypt 196': 270096, '196 dead': 12397, 'dead 27': 229124, '27 recover': 16303, 'recover southafrica': 705202, 'southafrica 116': 786795, '116 algeria': 2670, 'algeria 72': 41631, '72 dead': 22004, 'dead morocco': 229162, 'morocco 49': 541567, '49 dead': 19381, 'dead senegal': 229175, 'senegal 29': 750156, '29 recover': 16493, 'recover tunisia': 705215, 'tunisia 29': 935465, '29 burkina': 16470, 'burkina faso': 142873, 'faso 27': 299895, '27 dead': 16272, 'dead cameroon': 229141, 'cameroon 10': 157143, '10 nigeria': 1562, 'nigeria recover': 562789, 'recover thread': 705212, 'update 599 case': 946838, '599 case in': 20601, 'case in africa': 165782, 'in africa egypt': 420084, 'africa egypt 196': 35069, 'egypt 196 dead': 270097, '196 dead 27': 12398, 'dead 27 recover': 229125, '27 recover southafrica': 16304, 'recover southafrica 116': 705203, 'southafrica 116 algeria': 786796, '116 algeria 72': 2671, 'algeria 72 dead': 41632, '72 dead morocco': 22005, 'dead morocco 49': 229163, 'morocco 49 dead': 541568, '49 dead senegal': 19382, 'dead senegal 29': 229176, 'senegal 29 recover': 750157, '29 recover tunisia': 16494, 'recover tunisia 29': 705216, 'tunisia 29 burkina': 935466, '29 burkina faso': 16471, 'burkina faso 27': 142874, 'faso 27 dead': 299896, '27 dead cameroon': 16273, 'dead cameroon 10': 229142, 'cameroon 10 nigeria': 157144, '10 nigeria recover': 1563, 'nigeria recover thread': 562790, 'decently': 230810, 'use consumer': 949130, 'consumer power': 198390, 'to force': 906165, 'force company': 328360, 'behave decently': 123773, 'time to use': 898094, 'to use consumer': 918018, 'use consumer power': 949132, 'consumer power to': 198393, 'power to force': 667707, 'to force company': 906167, 'force company to': 328361, 'company to behave': 191220, 'to behave decently': 901722, 'band': 109327, 'lombardia': 500995, 'distantimauniti': 247689, 'europa': 283384, 'resilienza': 714549, 'staystrong': 799052, 'having breakfast': 384000, 'breakfast with': 138903, 'the kill': 858803, 'the beast': 849397, 'beast band': 118478, 'band shop': 109349, 'here lombardia': 393309, 'lombardia distantimauniti': 500996, 'distantimauniti italy': 247690, 'italy europa': 462818, 'europa iorestoacasa': 283385, 'iorestoacasa socialdistancing': 444466, 'socialdistancing workfromhome': 780881, 'workfromhome resilienza': 1008431, 'resilienza facemask': 714550, 'facemask staysafe': 295103, 'staysafe online': 798855, 'online war': 609691, 'war culture': 966407, 'culture staystrong': 220308, 'staystrong rock': 799053, 'rock shopping': 724919, 'having breakfast with': 384001, 'breakfast with the': 138905, 'with the kill': 1001358, 'the kill the': 858805, 'kill the beast': 474511, 'the beast band': 849398, 'beast band shop': 118480, 'band shop here': 109350, 'shop here lombardia': 760276, 'here lombardia distantimauniti': 393310, 'lombardia distantimauniti italy': 500997, 'distantimauniti italy europa': 247691, 'italy europa iorestoacasa': 462819, 'europa iorestoacasa socialdistancing': 283386, 'iorestoacasa socialdistancing workfromhome': 444467, 'socialdistancing workfromhome resilienza': 780882, 'workfromhome resilienza facemask': 1008432, 'resilienza facemask staysafe': 714551, 'facemask staysafe online': 295104, 'staysafe online war': 798856, 'online war culture': 609693, 'war culture staystrong': 966408, 'culture staystrong rock': 220309, 'staystrong rock shopping': 799054, 'any chicken': 79018, 'or ground': 615531, 'ground beef': 366479, 'beef in': 120514, 'outbreak don': 628176, 'worry just': 1010741, 'can find any': 158313, 'find any chicken': 306788, 'any chicken or': 79019, 'chicken or ground': 175825, 'or ground beef': 615532, 'ground beef in': 366482, 'beef in your': 120515, 'store during this': 807412, 'this outbreak don': 889320, 'outbreak don worry': 628177, 'don worry just': 254083, 'worry just go': 1010742, 'have the meat': 383001, 'cardholder': 163739, 'and pension': 68844, 'pension cardholder': 646650, 'cardholder have': 163740, 'of dedicated': 582447, 'hour set': 405902, 'senior and pension': 750207, 'and pension cardholder': 68846, 'pension cardholder have': 646651, 'cardholder have tried': 163741, 'have tried to': 383403, 'tried to make': 931837, 'make the most': 510574, 'the most of': 861009, 'most of dedicated': 542544, 'of dedicated shopping': 582448, 'shopping hour set': 762927, 'hour set up': 405904, 'set up by': 753548, 'up by major': 944556, 'by major supermarket': 153134, 'supermarket chain for': 819604, 'chain for vulnerable': 170720, 'thread about': 893515, 'about someone': 26232, 'someone on': 784588, 'on budget': 599717, 'budget cannot': 141767, 'everything on': 287943, 'being to': 125959, 'another please': 77761, 'thread about someone': 893517, 'about someone on': 26233, 'someone on budget': 784589, 'on budget cannot': 599718, 'budget cannot afford': 141768, 'stockpile food or': 803748, 'food or other': 315665, 'other essential so': 620176, 'essential so for': 281564, 'so for those': 777113, 'of you who': 593432, 'you who panic': 1022308, 'panic buy everything': 637480, 'buy everything on': 148598, 'everything on the': 287946, 'the shelf from': 866838, 'shelf from human': 757102, 'from human being': 335967, 'human being to': 410445, 'being to another': 125960, 'to another please': 900573, 'another please stop': 77762, 'understands': 940908, 'pm say': 661975, 'say stay': 739170, 'but nobody': 146507, 'nobody understands': 566071, 'understands that': 940913, 'that common': 843264, 'is jobless': 449098, 'jobless because': 466327, 'worried price': 1010571, 'and veggie': 74901, 'veggie ha': 954187, 'pm say stay': 661977, 'say stay home': 739172, 'home keep all': 401489, 'keep all the': 471300, 'all the essential': 44738, 'the essential but': 854499, 'essential but nobody': 280873, 'but nobody understands': 146508, 'nobody understands that': 566072, 'understands that common': 940914, 'that common man': 843265, 'common man who': 189413, 'man who work': 512345, 'work to run': 1005900, 'to run the': 913673, 'run the house': 727823, 'house is jobless': 406374, 'is jobless because': 449099, 'jobless because of': 466328, '19 and ha': 5037, 'and ha no': 64078, 'ha no money': 371345, 'money to buy': 537088, 'buy the essential': 149296, 'the essential what': 854526, 'essential what are': 281781, 'to do people': 904543, 'do people are': 249967, 'people are worried': 647116, 'are worried price': 91735, 'worried price of': 1010572, 'price of grocery': 675464, 'grocery and veggie': 364268, 'and veggie ha': 74904, 'veggie ha gone': 954188, 'at lidl': 99580, 'lidl it': 488292, '10 customer': 1373, 'customer allowed': 222048, 'happened two': 377292, 'ago lockdown': 38420, 'returned from supermarket': 719964, 'from supermarket shop': 337501, 'supermarket shop at': 822585, 'shop at lidl': 759949, 'at lidl it': 99582, 'lidl it one': 488293, 'it one in': 460074, 'one out no': 606808, 'out no more': 626642, 'than 10 customer': 840144, '10 customer allowed': 1374, 'customer allowed in': 222049, 'allowed in store': 46168, 'in store the': 428462, 'store the shelf': 810622, 'wa no panic': 962732, 'no panic it': 565043, 'panic it what': 638242, 'it what should': 462325, 'what should have': 982186, 'should have happened': 766080, 'have happened two': 380901, 'happened two week': 377293, 'two week ago': 937316, 'week ago lockdown': 975851, '19 spain': 10711, 'spain other': 787332, 'other hero': 620357, 'hero supermarket': 394098, 'coronavirus via': 207013, 'nice to supermarket': 562498, 'supermarket worker 19': 823979, 'worker 19 spain': 1006186, '19 spain other': 10712, 'spain other hero': 787333, 'other hero supermarket': 620360, 'hero supermarket cashier': 394099, 'supermarket cashier on': 819563, 'line against coronavirus': 492935, 'against coronavirus via': 37396, 'something positive': 785011, 'positive what': 665487, 'something you': 785156, 'learned to': 484154, 'to appreciate': 900665, 'appreciate more': 82737, 'more since': 540396, 'took over': 925308, 'over our': 630466, 'let do something': 486680, 'do something positive': 250149, 'something positive what': 785015, 'positive what is': 665488, 'what is something': 981728, 'is something you': 452118, 'something you have': 785159, 'you have learned': 1019068, 'have learned to': 381280, 'learned to appreciate': 484155, 'to appreciate more': 900667, 'appreciate more since': 82738, 'more since covid': 540397, '19 took over': 11513, 'took over our': 925310, 'over our life': 630469, 'our life for': 623722, 'life for me': 488665, 'for me it': 323319, 'me it grocery': 523011, 'worker and local': 1006310, 'and local small': 66304, 'aetna': 33937, 'marketing101': 517758, 'customerjourney': 223151, 'cv health': 223839, 'health release': 386789, 'release covid': 708931, 'for aetna': 319054, 'aetna member': 33940, 'member drug': 528064, 'news innovation': 560544, 'innovation marketing101': 438885, 'marketing101 customerjourney': 517761, 'customerjourney retail': 223152, 'cv health release': 223840, 'health release covid': 386790, 'release covid 19': 708932, '19 resource for': 10131, 'resource for aetna': 714777, 'for aetna member': 319055, 'aetna member drug': 33941, 'member drug store': 528065, 'drug store news': 261092, 'store news innovation': 809066, 'news innovation marketing101': 560545, 'innovation marketing101 customerjourney': 438886, 'marketing101 customerjourney retail': 517762, 'customerjourney retail via': 223153, 'capitalize': 162834, 'to capitalize': 902446, 'capitalize on': 162835, 'some scam': 783803, 'trying to capitalize': 934775, 'to capitalize on': 902447, 'capitalize on people': 162839, 'on people fear': 602740, 'people fear over': 647882, 'are some scam': 90286, 'some scam to': 783804, 'aired': 39887, 'wa last': 962502, 'last saturday': 480481, 'saturday in': 737030, 'other word': 621211, 'word lifetime': 1004514, 'lifetime ago': 489390, 'ago in': 38409, 'the evolution': 854640, 'evolution of': 288486, '19 best': 5378, 'practice fb': 668554, 'fb wa': 300681, 'wa doing': 961998, 'protect it': 684858, 'customer based': 222167, 'had at': 372863, 'time cbc': 896459, 'cbc aired': 168268, 'aired great': 39890, 'great clip': 362575, 'clip on': 182369, 'it wa last': 462137, 'wa last saturday': 962504, 'last saturday in': 480483, 'saturday in other': 737032, 'in other word': 426253, 'other word lifetime': 621213, 'word lifetime ago': 1004515, 'lifetime ago in': 489391, 'ago in the': 38413, 'in the evolution': 429184, 'the evolution of': 854641, 'evolution of covid': 288490, 'covid 19 best': 212699, '19 best practice': 5380, 'best practice fb': 127843, 'practice fb wa': 668555, 'fb wa doing': 300682, 'wa doing it': 962004, 'best to protect': 127958, 'to protect it': 912313, 'protect it customer': 684859, 'it customer based': 457447, 'customer based on': 222168, 'on the information': 604182, 'information we had': 438034, 'we had at': 971701, 'had at the': 372866, 'the time cbc': 869581, 'time cbc aired': 896460, 'cbc aired great': 168269, 'aired great clip': 39891, 'great clip on': 362577, 'clip on how': 182370, 'spoke my': 789720, 'my good': 548535, 'friend about': 333479, 'the fed': 855053, 'fed response': 301884, 'we touched': 973561, 'touched on': 926632, 'on number': 602455, 'of recent': 588816, 'recent development': 703882, 'development including': 239820, 'the act': 848299, 'act amp': 29590, 'amp new': 54172, 'new tariff': 559720, 'tariff relief': 834617, 'relief aimed': 709267, 'at increasing': 99284, 'morning spoke my': 541454, 'spoke my good': 789721, 'my good friend': 548536, 'good friend about': 357107, 'friend about the': 333481, 'about the fed': 26397, 'the fed response': 855067, 'fed response to': 301885, 'the we touched': 871222, 'we touched on': 973562, 'touched on number': 926633, 'on number of': 602456, 'number of recent': 576984, 'of recent development': 588819, 'recent development including': 703883, 'development including the': 239821, 'including the act': 432178, 'the act amp': 848300, 'act amp new': 29592, 'amp new tariff': 54174, 'new tariff relief': 559722, 'tariff relief aimed': 834618, 'relief aimed at': 709268, 'aimed at increasing': 39570, 'at increasing the': 99286, 'increasing the distribution': 433708, 'distribution of hand': 248175, 'who declared': 988545, 'declared covid': 231221, 'pandemic on': 636083, 'on 12': 599005, '12 03': 2766, '20 le': 13125, 'ago many': 38423, 'many tourist': 514825, 'tourist were': 927046, 'from then': 337961, 'then on': 877375, 'on airline': 599200, 'airline started': 40032, 'started canceling': 794700, 'canceling flight': 160985, 'flight many': 310509, 'tourist are': 927023, 'stuck and': 814577, 'and trapped': 74393, 'trapped some': 930116, 'some cannot': 782477, 'the who declared': 871470, 'who declared covid': 988546, 'declared covid 19': 231222, '19 pandemic on': 9414, 'pandemic on 12': 636085, 'on 12 03': 599006, '12 03 20': 2767, '03 20 le': 852, '20 le than': 13126, 'le than 30': 483160, 'than 30 day': 840223, '30 day ago': 17015, 'day ago many': 227202, 'ago many tourist': 38424, 'many tourist were': 514827, 'tourist were already': 927047, 'were already here': 979303, 'already here from': 47439, 'here from then': 393031, 'from then on': 337962, 'then on airline': 877376, 'on airline started': 599202, 'airline started canceling': 40033, 'started canceling flight': 794701, 'canceling flight many': 160986, 'flight many tourist': 310511, 'many tourist are': 514826, 'tourist are stuck': 927024, 'are stuck and': 90597, 'stuck and trapped': 814578, 'and trapped some': 74394, 'trapped some cannot': 930117, 'hospitalized': 404835, 'baby end': 106596, 'up hospitalized': 945109, 'hospitalized for': 404840, 'after father': 35649, 'father visited': 300316, 'visited the': 959502, 'store read': 809747, 'baby end up': 106597, 'end up hospitalized': 276032, 'up hospitalized for': 945110, 'hospitalized for covid': 404841, '19 after father': 4854, 'after father visited': 35650, 'father visited the': 300317, 'visited the grocery': 959503, 'grocery store read': 365703, 'store read more': 809748, 'telecommuting': 836713, 'telecommuting online': 836714, 'and streaming': 72542, 'streaming video': 812853, 'video are': 956618, 'good bet': 356827, 'bet the': 128107, 'crisis spread': 218077, 'live our': 495978, 'telecommuting online shopping': 836715, 'shopping and streaming': 762027, 'and streaming video': 72545, 'streaming video are': 812854, 'video are all': 956619, 'are all good': 84310, 'all good bet': 42976, 'good bet the': 356828, 'bet the crisis': 128108, 'the crisis spread': 852450, 'crisis spread and': 218078, 'spread and change': 790405, 'way we live': 970174, 'we live our': 972220, 'live our life': 495979, 'grandad': 361878, '11pm': 2739, 'my grandad': 548540, 'grandad is': 361881, 'is 85': 445249, '85 high': 22924, 'high blood': 394947, 'blood pressure': 133135, 'pressure post': 671229, 'post cancer': 666035, 'cancer he': 161254, 'he life': 385189, 'opposite side': 613807, 'country there': 211137, 'one slot': 607050, 'delivery between': 233748, 'between 7am': 128691, '7am and': 22408, 'and 11pm': 57359, '11pm for': 2740, 'week can': 976058, 'choose if': 177890, 'are young': 91884, 'young fit': 1022595, 'fit and': 309464, 'healthy please': 387731, 'my grandad is': 548541, 'grandad is 85': 361882, 'is 85 high': 445250, '85 high blood': 22925, 'high blood pressure': 394948, 'blood pressure post': 133136, 'pressure post cancer': 671230, 'post cancer he': 666036, 'cancer he life': 161255, 'he life on': 385190, 'on the opposite': 604264, 'the opposite side': 862417, 'opposite side of': 613808, 'the country there': 852163, 'country there is': 211139, 'is not one': 450143, 'not one slot': 570767, 'one slot for': 607051, 'slot for food': 774180, 'food delivery between': 314111, 'delivery between 7am': 233749, 'between 7am and': 128693, '7am and 11pm': 22409, 'and 11pm for': 57360, '11pm for the': 2741, 'for the three': 326730, 'three week can': 894100, 'week can choose': 976060, 'can choose if': 157905, 'choose if you': 177891, 'you are young': 1017296, 'are young fit': 91887, 'young fit and': 1022596, 'fit and healthy': 309466, 'and healthy please': 64397, 'healthy please think': 387732, 'please think before': 660671, 'think before panic': 885154, 'before panic buying': 123001, 'skillful': 773019, 'imagination': 416679, 'edward': 268914, 'hopper': 403976, 'supportyourlocals': 827298, 'conceptstore': 192880, 'restart': 716238, 'newconcept': 560043, 'no amount': 563613, 'of skillful': 589758, 'skillful invention': 773020, 'invention can': 443627, 'can replace': 159441, 'essential element': 280992, 'element of': 271342, 'of imagination': 584983, 'imagination edward': 416680, 'edward hopper': 268919, 'hopper 19': 403977, '19 supportyourlocals': 10980, 'supportyourlocals retail': 827299, 'restaurant hopper': 716508, 'hopper conceptstore': 403979, 'conceptstore restart': 192881, 'restart newconcept': 716241, 'no amount of': 563614, 'amount of skillful': 53257, 'of skillful invention': 589759, 'skillful invention can': 773021, 'invention can replace': 443628, 'can replace the': 159442, 'replace the essential': 711586, 'the essential element': 854503, 'essential element of': 280993, 'element of imagination': 271344, 'of imagination edward': 584984, 'imagination edward hopper': 416681, 'edward hopper 19': 268920, 'hopper 19 supportyourlocals': 403978, '19 supportyourlocals retail': 10981, 'supportyourlocals retail store': 827300, 'retail store restaurant': 718696, 'store restaurant hopper': 809847, 'restaurant hopper conceptstore': 716509, 'hopper conceptstore restart': 403980, 'conceptstore restart newconcept': 192882, 'starting tonight': 795063, 'tonight not': 924458, 'only ticket': 611344, 'ticket but': 895599, 'also face': 48186, 'be required': 116814, 'required if': 713378, 'to board': 901873, 'board nj': 133652, 'nj transit': 563462, 'transit gov': 929636, 'gov murphy': 359635, 'murphy is': 546202, 'is expanding': 447639, 'expanding exec': 290500, 'exec order': 289826, 'face during': 294416, 'pandemic store': 636566, 'supermarket restaurant': 822213, 'restaurant for': 716479, 'for pick': 324542, 'up public': 945862, 'public transportation': 688427, 'starting tonight not': 795064, 'tonight not only': 924459, 'not only ticket': 570836, 'only ticket but': 611345, 'ticket but also': 895600, 'but also face': 145111, 'also face mask': 48189, 'mask is going': 518867, 'to be required': 901503, 'be required if': 116815, 'required if you': 713379, 'want to board': 965999, 'to board nj': 901875, 'board nj transit': 133653, 'nj transit gov': 563463, 'transit gov murphy': 929637, 'gov murphy is': 359636, 'murphy is expanding': 546203, 'is expanding exec': 447640, 'expanding exec order': 290501, 'exec order to': 289828, 'order to cover': 618674, 'your face during': 1023746, 'face during covid': 294417, '19 pandemic store': 9482, 'pandemic store supermarket': 636567, 'store supermarket restaurant': 810460, 'supermarket restaurant for': 822217, 'restaurant for pick': 716481, 'for pick up': 324543, 'pick up public': 655753, 'up public transportation': 945864, 'often can': 596172, 'what count': 981273, 'count an': 210097, 'item leave': 463405, 'question in': 693624, 'comment section': 188445, 'article our': 94418, 'our expert': 622953, 'some precious': 783623, 'precious advice': 669460, 'how often can': 408422, 'often can go': 596173, 'can go shopping': 158511, 'shopping and what': 762042, 'and what count': 75457, 'what count an': 981274, 'count an essential': 210098, 'an essential item': 55825, 'essential item leave': 281210, 'item leave your': 463406, 'leave your question': 485057, 'your question in': 1025499, 'question in the': 693627, 'the comment section': 851215, 'comment section at': 188447, 'section at the': 744001, 'at the bottom': 100895, 'bottom of this': 136421, 'of this article': 591938, 'this article our': 886426, 'article our expert': 94419, 'our expert will': 622963, 'expert will give': 292030, 'give you some': 350868, 'you some precious': 1021303, 'some precious advice': 783624, 'certain industry': 170032, 'industry during': 435788, 'pandemic pandemic': 636142, 'pandemic consumerbehaviour': 635199, 'an interesting take': 56410, 'interesting take on': 441623, 'take on consumer': 832401, 'behaviour and it': 124364, 'on certain industry': 599858, 'certain industry during': 170033, 'industry during the': 435790, '19 pandemic pandemic': 9423, 'pandemic pandemic consumerbehaviour': 636143, 'conserved': 194934, 'nygobernador': 578097, 'you encourage': 1018404, 'encourage price': 275621, 'encourage manufacturer': 275600, 'raise ppe': 695902, 'ppe price': 668027, 'government resource': 360535, 'resource need': 714832, 'be conserved': 114191, 'conserved we': 194935, 'bad price': 107993, 'crisis nygobernador': 217774, 'would you encourage': 1012409, 'you encourage price': 1018407, 'encourage price gouging': 275622, 'gouging and would': 359255, 'and would you': 75935, 'you encourage manufacturer': 1018406, 'encourage manufacturer to': 275601, 'manufacturer to raise': 513531, 'to raise ppe': 912730, 'raise ppe price': 695903, 'ppe price government': 668028, 'price government resource': 674350, 'government resource need': 360536, 'resource need to': 714834, 'to be conserved': 901176, 'be conserved we': 114192, 'conserved we are': 194936, 'in crisis this': 421899, 'crisis this is': 218224, 'this is bad': 888185, 'is bad price': 445971, 'bad price should': 107994, 'price should not': 676387, 'should not increase': 766250, 'not increase due': 570119, 'due to crisis': 261747, 'to crisis nygobernador': 903745, 'uofchicago': 944099, 'from uofchicago': 338200, 'uofchicago on': 944100, 'affected stock': 34431, '18 our': 4570, 'our forecast': 623151, 'forecast of': 328848, 'of annual': 580222, 'annual growth': 77398, 'in dividend': 422326, 'dividend is': 248627, 'down 28': 256403, '28 in': 16394, 'and 25': 57426, '25 in': 15885, 'of gdp': 584064, 'growth is': 367413, 'both in': 135937, 'from uofchicago on': 338201, 'uofchicago on how': 944101, 'on how ha': 601401, 'ha affected stock': 369467, 'affected stock price': 34432, 'price of march': 675499, 'of march 18': 586194, 'march 18 our': 515109, '18 our forecast': 4571, 'our forecast of': 623152, 'forecast of annual': 328849, 'of annual growth': 580223, 'annual growth in': 77399, 'growth in dividend': 367397, 'in dividend is': 422327, 'dividend is down': 248628, 'is down 28': 447340, 'down 28 in': 256404, '28 in the': 16396, 'the and 25': 848680, 'and 25 in': 57427, '25 in the': 15889, 'eu and our': 283199, 'and our forecast': 68488, 'forecast of gdp': 328850, 'of gdp growth': 584067, 'gdp growth is': 344887, 'growth is down': 367414, 'is down by': 447344, 'down by both': 256595, 'by both in': 151990, 'both in the': 135941, 'creatives': 216204, 'friend dr': 333585, 'dr birx': 257968, 'birx say': 131482, 'pharmacy but': 654262, 'but doing': 145581, 'healthy creatives': 387568, 'to my friend': 910401, 'my friend dr': 548429, 'friend dr birx': 333586, 'dr birx say': 257975, 'birx say this': 131483, 'say this is': 739368, 'the moment to': 860786, 'store not going': 809105, 'the pharmacy but': 863651, 'pharmacy but doing': 654263, 'but doing everything': 145582, 'doing everything you': 252394, 'everything you can': 288132, 'you can to': 1017814, 'can to keep': 160010, 'friend safe stay': 333789, 'home stay healthy': 402121, 'stay healthy creatives': 796897, 'getting up': 349423, '30am so': 17427, 'can attend': 157545, 'attend the': 102321, 'risk hour': 723608, '6am going': 21558, 'going about': 354984, 'about every': 25191, 'every two': 286345, 'getting up at': 349424, 'at 30am so': 97607, '30am so can': 17428, 'so can attend': 776701, 'can attend the': 157546, 'attend the 60': 102322, 'the 60 and': 848164, '60 and at': 20899, 'and at risk': 58485, 'at risk hour': 100366, 'risk hour at': 723609, 'the supermarket starting': 868822, 'supermarket starting at': 822924, 'starting at 6am': 794944, 'at 6am going': 97722, '6am going about': 21559, 'going about every': 354985, 'about every two': 25193, 'every two week': 286347, 'ang': 76281, 'lu': 506406, 'bora': 135203, 'grooming': 366421, 'barber': 110805, 'waxing': 969415, 'mani': 513147, 'pedi': 646217, 'aesthetic': 33934, 'derma': 237871, 'kbbq': 471181, 'buffet': 141870, 'inom': 438955, 'iba': 412563, 'done which': 255108, 'which industry': 985964, 'industry do': 435777, 'think ang': 885143, 'ang may': 76286, 'may spike': 521519, 'demand tourism': 236412, 'tourism lu': 926995, 'lu bora': 506407, 'bora hotel': 135204, 'flight grooming': 310476, 'grooming salon': 366426, 'salon barber': 732779, 'barber waxing': 110813, 'waxing mani': 969416, 'mani pedi': 513150, 'pedi medical': 646218, 'medical aesthetic': 526035, 'aesthetic dentist': 33935, 'dentist derma': 237096, 'derma food': 237872, 'etc kbbq': 282635, 'kbbq buffet': 471182, 'buffet milk': 141874, 'milk tea': 531845, 'tea inom': 835364, 'inom if': 438956, 'if iba': 414251, 'iba reply': 412564, 'reply here': 711739, '19 is done': 7962, 'is done which': 447328, 'done which industry': 255109, 'which industry do': 985966, 'industry do you': 435778, 'you think ang': 1021647, 'think ang may': 885144, 'ang may spike': 76287, 'may spike in': 521521, 'in demand tourism': 422164, 'demand tourism lu': 236413, 'tourism lu bora': 926996, 'lu bora hotel': 506408, 'bora hotel flight': 135205, 'hotel flight grooming': 405146, 'flight grooming salon': 310477, 'grooming salon barber': 366427, 'salon barber waxing': 732780, 'barber waxing mani': 110814, 'waxing mani pedi': 969417, 'mani pedi medical': 513151, 'pedi medical aesthetic': 646219, 'medical aesthetic dentist': 526036, 'aesthetic dentist derma': 33936, 'dentist derma food': 237097, 'derma food etc': 237873, 'food etc kbbq': 314400, 'etc kbbq buffet': 282636, 'kbbq buffet milk': 471183, 'buffet milk tea': 141875, 'milk tea inom': 531846, 'tea inom if': 835365, 'inom if iba': 438957, 'if iba reply': 414252, 'iba reply here': 412565, 'parasitic': 641470, 'commoning': 189490, 'corona show': 204172, 'our modern': 623935, 'modern economic': 535382, 'and political': 69173, 'political system': 663683, 'system must': 831253, 'our drug': 622815, 'drug development': 260935, 'development system': 239844, 'system should': 831312, 'should promote': 766338, 'promote innovation': 683777, 'innovation not': 438887, 'not parasitic': 570959, 'parasitic corporate': 641471, 'corporate monopoly': 207311, 'monopoly resulting': 537442, 'price commoning': 673196, 'commoning pandemic': 189491, 'survival strategy': 829084, 'corona show that': 204173, 'show that our': 767191, 'that our modern': 845587, 'our modern economic': 623936, 'modern economic and': 535383, 'economic and political': 266984, 'and political system': 69175, 'political system must': 663684, 'system must change': 831254, 'must change our': 546581, 'change our drug': 172218, 'our drug development': 622816, 'drug development system': 260936, 'development system should': 239845, 'system should promote': 831314, 'should promote innovation': 766339, 'promote innovation not': 683778, 'innovation not parasitic': 438888, 'not parasitic corporate': 570960, 'parasitic corporate monopoly': 641472, 'corporate monopoly resulting': 207312, 'monopoly resulting in': 537443, 'resulting in high': 717707, 'high price commoning': 395240, 'price commoning pandemic': 673197, 'commoning pandemic survival': 189492, 'pandemic survival strategy': 636609, 'the section': 866609, 'website ha': 975287, 'been updated': 122302, 'updated with': 947463, 'with information': 999005, 'consumer agriculture': 196128, 'agriculture producer': 39016, 'producer and': 680559, 'business visit': 144625, 'visit for': 959248, 'the loan': 859521, 'loan for': 497436, 'for small': 325662, 'business crop': 143600, 'crop insurance': 218932, 'insurance update': 440829, 'update the section': 947255, 'the section of': 866610, 'section of our': 744026, 'of our website': 587590, 'our website ha': 625339, 'website ha been': 975289, 'ha been updated': 369974, 'been updated with': 122305, 'updated with information': 947465, 'with information for': 999009, 'information for consumer': 437824, 'for consumer agriculture': 320238, 'consumer agriculture producer': 196129, 'agriculture producer and': 39017, 'producer and small': 680565, 'small business visit': 774899, 'business visit for': 144626, 'visit for info': 959251, 'for info on': 322570, 'info on the': 437539, 'on the loan': 604217, 'the loan for': 859523, 'loan for small': 497438, 'for small business': 325663, 'small business crop': 774852, 'business crop insurance': 143601, 'crop insurance update': 218933, 'insurance update and': 440830, 'update and more': 946862, 'anyone cannot': 80227, 'sanitizer just': 735239, 'just ordered': 469403, 'ordered some': 618898, 'some from': 782915, 'hemp good': 391705, 'product you': 681879, 'also support': 48936, 'business while': 144662, 'protecting yourself': 685259, 'yourself coronacrisis': 1026568, 'if anyone cannot': 413842, 'anyone cannot find': 80228, 'cannot find hand': 161840, 'hand sanitizer just': 375463, 'sanitizer just ordered': 735241, 'just ordered some': 469405, 'ordered some from': 618899, 'some from hemp': 782916, 'from hemp good': 335764, 'hemp good price': 391706, 'good price for': 357587, 'price for great': 673973, 'for great product': 322005, 'great product you': 362932, 'product you can': 681882, 'can also support': 157471, 'also support small': 48938, 'small business while': 774902, 'business while protecting': 144665, 'while protecting yourself': 987183, 'protecting yourself coronacrisis': 685261, 'jersey slap': 465231, 'slap terror': 773544, 'charge on': 173299, 'man over': 512179, 'over alleged': 629958, 'alleged supermarket': 45669, 'supermarket covid': 819850, 'cough threat': 208577, 'new jersey slap': 558981, 'jersey slap terror': 465232, 'slap terror charge': 773545, 'terror charge on': 838589, 'charge on man': 173300, 'on man over': 601978, 'man over alleged': 512180, 'over alleged supermarket': 629960, 'alleged supermarket covid': 45670, 'supermarket covid 19': 819851, '19 cough threat': 6150, 'lovely should': 504986, 'your covid': 1023368, 'what all of': 981008, 'you lovely should': 1019736, 'lovely should do': 504987, 'should do with': 765937, 'do with your': 250578, 'with your covid': 1002189, 'your covid 19': 1023369, 'also asks': 47889, 'asks people': 96156, 'food say': 316306, 'say shop': 739130, 'commodity usual': 189334, 'usual these': 951036, 'not run': 571406, 'in shortage': 427916, 'also asks people': 47890, 'asks people to': 96157, 'people to not': 649922, 'panic and stock': 637339, 'and stock food': 72406, 'stock food say': 802145, 'food say shop': 316310, 'say shop for': 739131, 'for essential commodity': 321096, 'essential commodity usual': 280934, 'commodity usual these': 189335, 'usual these will': 951037, 'these will not': 880975, 'will not run': 994266, 'not run in': 571407, 'run in shortage': 727674, 'are leaving': 87750, 'leaving testing': 485142, 'testing queue': 839624, 'queue when': 694130, 'they find': 882110, 'out testing': 627307, 'people are leaving': 647011, 'are leaving testing': 87753, 'leaving testing queue': 485143, 'testing queue when': 839625, 'queue when they': 694131, 'when they find': 984258, 'they find out': 882111, 'find out testing': 307149, 'out testing price': 627308, 'longest': 502119, 'vegancupboard': 953895, 'fun new': 341193, 'new game': 558791, 'game who': 343291, 'the longest': 859698, 'longest surviving': 502120, 'surviving only': 829365, 'they stocked': 883475, 'without another': 1002490, 'another trip': 77919, 'trip have': 932086, 'have day': 380183, 'far without': 298978, 'without going': 1002693, 'store vegancupboard': 811048, 'fun new game': 341194, 'new game who': 558794, 'game who can': 343292, 'can go the': 158514, 'go the longest': 354207, 'the longest surviving': 859699, 'longest surviving only': 502121, 'surviving only on': 829366, 'only on food': 610855, 'food they stocked': 317179, 'they stocked up': 883476, 'up on at': 945527, 'on at the': 599501, 'store without another': 811418, 'without another trip': 1002491, 'another trip have': 77920, 'trip have day': 932087, 'have day so': 380184, 'day so far': 228365, 'so far without': 777069, 'far without going': 298979, 'without going to': 1002694, 'the store vegancupboard': 868135, 'kev': 473196, 'and kev': 65815, 'kev have': 473197, 'have ordered': 381828, 'ordered soo': 618900, 'soo much': 785587, 'much fresh': 544931, 'lockdown rather': 499836, 'just having': 468939, 'having supermarket': 384295, 'be continuing': 114223, 'continuing this': 201551, 'this once': 889225, 'over loving': 630375, 'loving all': 505047, 'the cooking': 851715, 'and baking': 58666, 'baking too': 108929, 'too supportlocalbusiness': 925097, 'me and kev': 522413, 'and kev have': 65816, 'kev have ordered': 473198, 'have ordered soo': 381831, 'ordered soo much': 618901, 'soo much fresh': 785588, 'much fresh fish': 544932, 'fish and other': 309289, 'other food from': 620240, 'from local business': 336246, 'local business since': 497775, 'business since lockdown': 144384, 'since lockdown rather': 770707, 'lockdown rather than': 499837, 'rather than just': 697532, 'than just having': 840815, 'just having supermarket': 468941, 'having supermarket food': 384296, 'supermarket food will': 820368, 'food will definitely': 317621, 'definitely be continuing': 232308, 'be continuing this': 114224, 'continuing this once': 201552, 'this once it': 889226, 'once it over': 605669, 'it over loving': 460208, 'over loving all': 630376, 'loving all the': 505048, 'all the cooking': 44696, 'the cooking and': 851716, 'cooking and baking': 202843, 'and baking too': 58668, 'baking too supportlocalbusiness': 108930, 'sanitizer 21daylockdown': 734288, 'full of will': 340769, 'your sanitizer 21daylockdown': 1025676, 'describe': 237924, 'uncertainty is': 939707, 'to describe': 904200, 'describe the': 237931, 'economic condition': 267018, 'condition caused': 193429, 'by effort': 152460, 'consumer ha': 197674, 'ha essentially': 370511, 'essentially been': 281897, 'while economic': 986785, 'activity will': 30536, 'stop but': 804521, 'ha slowed': 371973, 'uncertainty is not': 939709, 'not enough to': 569197, 'enough to describe': 277697, 'to describe the': 904203, 'describe the economic': 237932, 'the economic condition': 853896, 'economic condition caused': 267021, 'condition caused by': 193430, 'caused by effort': 167839, 'by effort to': 152461, 'effort to slow': 269645, '19 the american': 11167, 'the american consumer': 848627, 'american consumer ha': 51891, 'consumer ha essentially': 197676, 'ha essentially been': 370512, 'essentially been told': 281898, 'told to stay': 923766, 'for while economic': 327840, 'while economic activity': 986786, 'economic activity will': 266967, 'activity will not': 30538, 'not stop but': 571752, 'stop but there': 804522, 'is no doubt': 449923, 'no doubt that': 564055, 'doubt that it': 256215, 'it ha slowed': 458414, 'pap': 639733, 'shopping became': 762171, 'became convenient': 118863, 'convenient long': 202404, 'time effort': 896602, 'effort saved': 269581, 'saved plus': 737755, 'plus you': 661725, 'you usually': 1022018, 'usually find': 951117, 'find item': 307014, 'online that': 609524, 'of though': 592131, 'nothing quite': 573144, 'like touching': 491654, 'touching the': 926726, 'the pap': 863259, 'online shopping became': 609046, 'shopping became convenient': 762172, 'became convenient long': 118864, 'convenient long before': 202405, 'long before covid': 501347, '19 because of': 5332, 'because of time': 119418, 'of time effort': 592171, 'time effort saved': 896603, 'effort saved plus': 269582, 'saved plus you': 737756, 'plus you usually': 661727, 'you usually find': 1022019, 'usually find item': 951118, 'find item online': 307015, 'item online that': 463520, 'online that the': 609528, 'that the physical': 846800, 'the physical store': 863712, 'physical store have': 655468, 'store have run': 808097, 'out of though': 626856, 'of though there': 592132, 'though there nothing': 892918, 'there nothing quite': 878876, 'nothing quite like': 573145, 'quite like touching': 694887, 'like touching the': 491655, 'touching the pap': 926728, 'caritasuganda': 164740, 'promoted': 683809, 'adapting how': 31331, 'our work': 625395, 'our seed': 624700, 'seed fair': 746146, 'fair at': 296318, 'at rural': 100428, 'rural market': 728255, 'uganda today': 937995, 'with caritasuganda': 997548, 'caritasuganda we': 164741, 'we provided': 972777, 'provided hand': 686611, 'washing station': 967720, 'station sanitizer': 796506, 'sanitizer promoted': 735612, 'promoted social': 683812, 'distancing so': 247484, 'so farmer': 777071, 'farmer could': 299327, 'could acquire': 208790, 'due to we': 262020, 'to we re': 918406, 're adapting how': 698183, 'adapting how we': 31332, 'how we do': 409169, 'do our work': 249953, 'our work at': 625396, 'work at our': 1004888, 'at our seed': 100032, 'our seed fair': 624701, 'seed fair at': 746147, 'fair at rural': 296319, 'at rural market': 100429, 'rural market in': 728256, 'market in uganda': 516580, 'in uganda today': 430377, 'uganda today with': 937996, 'today with caritasuganda': 920549, 'with caritasuganda we': 997549, 'caritasuganda we provided': 164742, 'we provided hand': 972778, 'provided hand washing': 686612, 'hand washing station': 375958, 'washing station sanitizer': 967725, 'station sanitizer promoted': 796507, 'sanitizer promoted social': 735613, 'promoted social distancing': 683813, 'social distancing so': 779720, 'distancing so farmer': 247485, 'so farmer could': 777073, 'farmer could acquire': 299328, 'onlinegrocerybusiness': 609822, 'crisis long': 217677, 'expect permanent': 290698, 'behavior therefore': 124235, 'therefore setting': 879461, 'an onlinegrocerybusiness': 56643, 'onlinegrocerybusiness is': 609823, 'perfect idea': 651303, 'idea learn': 413110, 'grocery industry will': 364631, 'will be feeling': 992458, 'be feeling the': 114820, 'feeling the impact': 303074, 'the crisis long': 852403, 'crisis long after': 217678, 'after the quarantine': 36348, 'the quarantine we': 864986, 'quarantine we can': 692691, 'can expect permanent': 158278, 'expect permanent change': 290699, 'consumer behavior therefore': 196525, 'behavior therefore setting': 124236, 'therefore setting up': 879462, 'up an onlinegrocerybusiness': 944298, 'an onlinegrocerybusiness is': 56644, 'onlinegrocerybusiness is perfect': 609824, 'is perfect idea': 450845, 'perfect idea learn': 651304, 'idea learn more': 413111, 'learn more visit': 484042, 'optimum': 613959, 'utilisation': 951236, 'roti': 726191, 'sabzi': 729020, 'daal': 224251, 'chawal': 174045, 'khaao': 473682, 'biting': 131889, 'not experiment': 569335, 'experiment on': 291737, 'on making': 601968, 'making food': 511073, 'the grain': 856687, 'grain pulse': 361794, 'pulse are': 688973, 'everyone optimum': 287240, 'optimum utilisation': 613964, 'utilisation of': 951239, 'done roti': 254993, 'roti sabzi': 726192, 'sabzi daal': 729021, 'daal chawal': 224252, 'chawal khaao': 174048, 'khaao do': 473683, 'not attempt': 568280, 'attempt cheese': 102218, 'cheese garlic': 175191, 'bread stuff': 138598, 'stuff cheese': 815043, 'cheese is': 175199, 'important biting': 418750, 'biting item': 131896, 'pls do not': 661126, 'do not experiment': 249732, 'not experiment on': 569336, 'experiment on making': 291738, 'on making food': 601969, 'making food all': 511074, 'food all the': 313090, 'all the grain': 44768, 'the grain pulse': 856689, 'grain pulse are': 361795, 'pulse are very': 688974, 'are very important': 91467, 'important to everyone': 419052, 'to everyone optimum': 905346, 'everyone optimum utilisation': 287241, 'optimum utilisation of': 613965, 'utilisation of resource': 951240, 'of resource need': 588986, 'be done roti': 114566, 'done roti sabzi': 254994, 'roti sabzi daal': 726193, 'sabzi daal chawal': 729022, 'daal chawal khaao': 224253, 'chawal khaao do': 174049, 'khaao do not': 473684, 'do not attempt': 249672, 'not attempt cheese': 568281, 'attempt cheese garlic': 102219, 'cheese garlic bread': 175192, 'garlic bread stuff': 343676, 'bread stuff cheese': 138599, 'stuff cheese is': 815044, 'cheese is an': 175200, 'an important biting': 56194, 'important biting item': 418751, 'biting item do': 131897, 'item do not': 463210, 'underprivileged': 940544, 'imp': 417524, 'thread request': 893595, 'on mask': 602041, 'mask sanitizers': 519231, 'sanitizers etc': 736268, 'do provide': 250010, 'to underprivileged': 917895, 'underprivileged people': 940549, 'educate those': 268766, 'how imp': 408027, 'imp to': 417525, 'wear these': 974477, 'these mask': 880275, 'and such': 72651, 'such precaution': 816691, 'thread request to': 893596, 'request to keep': 713215, 'to keep an': 908752, 'an eye on': 56036, 'eye on the': 294080, 'on the increasing': 604178, 'the increasing price': 858088, 'price on mask': 675691, 'on mask sanitizers': 602045, 'mask sanitizers etc': 519235, 'sanitizers etc please': 736269, 'etc please do': 282704, 'please do provide': 659896, 'do provide mask': 250011, 'and sanitizers to': 70907, 'sanitizers to underprivileged': 736429, 'to underprivileged people': 917896, 'underprivileged people please': 940550, 'people please educate': 649133, 'please educate those': 659950, 'educate those people': 268767, 'those people that': 892330, 'people that how': 649768, 'that how imp': 844380, 'how imp to': 408028, 'imp to wear': 417526, 'to wear these': 918445, 'wear these mask': 974478, 'these mask and': 880276, 'mask and such': 518374, 'and such precaution': 72652, 'then protective': 877450, 'certainly have': 170156, 'sent through': 750838, 'true then protective': 933190, 'then protective face': 877451, 'household would certainly': 406999, 'would certainly have': 1011711, 'certainly have been': 170157, 'have been better': 379477, 'letter sent through': 487349, 'sent through the': 750839, 'through the post': 894764, 'petbarn': 653496, 'bestfriends': 128026, 'furmum': 341934, 'furbaby': 341846, 'hey doe': 394361, 'doe shutting': 251575, 'down non': 256986, 'business include': 143912, 'include pet': 431606, 'like petbarn': 490992, 'petbarn and': 653497, 'and bestfriends': 58910, 'bestfriends because': 128027, 'because this': 119736, 'guy ha': 369014, 'ha intolerance': 370987, 'intolerance and': 443332, 'cannot eat': 161767, 'eat supermarket': 266060, 'supermarket sh': 822393, 'sh furmum': 754289, 'furmum furbaby': 341935, 'hey doe shutting': 394362, 'doe shutting down': 251576, 'shutting down non': 768268, 'down non essential': 256987, 'essential business include': 280851, 'business include pet': 143913, 'include pet food': 431607, 'pet food store': 653399, 'food store like': 316852, 'store like petbarn': 808731, 'like petbarn and': 490993, 'petbarn and bestfriends': 653498, 'and bestfriends because': 58911, 'bestfriends because this': 128028, 'because this guy': 119739, 'this guy ha': 887788, 'guy ha intolerance': 369016, 'ha intolerance and': 370988, 'intolerance and cannot': 443333, 'and cannot eat': 59509, 'cannot eat supermarket': 161774, 'eat supermarket sh': 266061, 'supermarket sh furmum': 822394, 'sh furmum furbaby': 754290, 'buy item': 148868, 'bulk you': 142376, 'bank for': 109839, 'the remains': 865497, 'remains of': 710035, 'leave behind': 484752, 'behind stop': 124700, 'being so': 125812, 'selfish we': 748308, 'together 19uk': 920664, '19uk panicshopping': 12562, 'afford to panic': 34803, 'panic buy item': 637495, 'buy item in': 148869, 'item in bulk': 463342, 'in bulk you': 421054, 'bulk you can': 142378, 'afford to donate': 34793, 'food bank for': 313574, 'bank for those': 109843, 'have to try': 383327, 'try and pick': 934448, 'pick up the': 655765, 'up the remains': 946207, 'the remains of': 865498, 'remains of what': 710036, 'of what you': 593070, 'what you leave': 982679, 'you leave behind': 1019574, 'leave behind stop': 484754, 'behind stop being': 124701, 'stop being so': 804498, 'being so selfish': 125823, 'so selfish we': 778176, 'selfish we are': 748310, 'this together 19uk': 890756, 'together 19uk panicshopping': 920665, 'hanes': 376921, 'clothing company': 184252, 'company hanes': 190725, 'hanes will': 376922, 'begin producing': 123550, 'producing mask': 680777, 'clothing company hanes': 184253, 'company hanes will': 190726, 'hanes will begin': 376923, 'will begin producing': 992811, 'begin producing mask': 123553, 'producing mask for': 680778, 'mask for health': 518678, 'for health care': 322148, 'health care professional': 386245, 'care professional on': 164163, 'frontlines of the': 338922, 'problematic': 679781, 'is problematic': 451056, 'problematic is': 679786, 'the behavior': 849440, 'behavior of': 124129, 'of australian': 580457, 'australian in': 103507, 'supermarket prime': 822059, 'minister scott': 533456, 'scott morrison': 742454, 'morrison once': 541741, 'again call': 36936, 'buying auspol': 149975, 'auspol panicbuying': 103089, 'is no problem': 449961, 'problem with australia': 679751, 'with australia food': 997338, 'food supply what': 317014, 'supply what is': 826092, 'what is problematic': 981719, 'is problematic is': 451057, 'problematic is the': 679787, 'is the behavior': 452736, 'the behavior of': 849442, 'behavior of australian': 124130, 'of australian in': 580460, 'australian in supermarket': 103508, 'in supermarket prime': 428651, 'supermarket prime minister': 822060, 'prime minister scott': 678158, 'minister scott morrison': 533457, 'scott morrison once': 742457, 'morrison once again': 541742, 'once again call': 605559, 'again call on': 36937, 'call on people': 156041, 'on people to': 602756, 'panic buying auspol': 637649, 'buying auspol panicbuying': 149976, 'springmarket': 791286, 'pre virus': 669221, 'virus home': 958296, 'home market': 401584, 'market across': 515909, 'across region': 29434, 'region seeing': 707456, 'via real': 956197, 'estate housing': 282126, 'housing springmarket': 407152, 'pre virus home': 669222, 'virus home market': 958297, 'home market across': 401585, 'market across region': 515910, 'across region seeing': 29436, 'region seeing higher': 707457, 'seeing higher price': 746318, 'higher price via': 395697, 'price via real': 677310, 'via real estate': 956198, 'real estate housing': 701148, 'estate housing springmarket': 282128, 'striving': 813929, 'alexa': 41593, 'been striving': 122072, 'striving for': 813930, 'live off': 495946, 'off sofa': 594170, 'sofa online': 781446, 'shopping streaming': 763998, 'streaming deliveroo': 812811, 'deliveroo amazon': 233571, 'amazon google': 50959, 'google alexa': 358134, 'alexa work': 41598, 'home social': 402092, 'medium pj': 527221, 'pj day': 657230, 'day vr': 228651, 'vr now': 960745, 'queue 19': 693849, 'we have been': 971765, 'have been striving': 379698, 'been striving for': 122073, 'striving for year': 813931, 'for year to': 328018, 'year to live': 1015045, 'to live off': 909345, 'live off sofa': 495948, 'off sofa online': 594171, 'sofa online shopping': 781447, 'online shopping streaming': 609289, 'shopping streaming deliveroo': 763999, 'streaming deliveroo amazon': 812812, 'deliveroo amazon google': 233573, 'amazon google alexa': 50960, 'google alexa work': 358135, 'alexa work from': 41599, 'from home social': 335905, 'home social medium': 402094, 'social medium pj': 779873, 'medium pj day': 527222, 'pj day vr': 657231, 'day vr now': 228652, 'vr now we': 960746, 'now we are': 576334, 'we are being': 970490, 'asked to do': 95862, 'do so we': 250105, 'want to stand': 966126, 'stand in queue': 793532, 'in queue 19': 427217, 'message infecting': 529346, 'text message infecting': 839909, 'message infecting computer': 529347, 'spread mass': 790622, 'hysteria and': 412429, 'what lead': 981801, 'causing shortage': 168094, 'guard won': 367872, 'be placing': 116426, 'placing military': 657947, 'military lockdown': 531477, 'lockdown should': 499913, 'some extra': 782798, 'store get': 807916, 'get raided': 347880, 'raided yes': 695645, 'is just way': 449154, 'way to spread': 970100, 'to spread mass': 915070, 'spread mass hysteria': 790623, 'mass hysteria and': 519787, 'hysteria and panic': 412433, 'and panic and': 68642, 'panic and is': 637320, 'and is what': 65442, 'is what lead': 453884, 'what lead to': 981802, 'lead to people': 483376, 'to people buying': 911616, 'people buying out': 647352, 'buying out the': 150853, 'out the shelf': 627418, 'the shelf and': 866823, 'shelf and causing': 756722, 'and causing shortage': 59646, 'causing shortage the': 168096, 'shortage the national': 765256, 'national guard won': 552532, 'guard won be': 367873, 'won be placing': 1003747, 'be placing military': 116427, 'placing military lockdown': 657948, 'military lockdown should': 531478, 'lockdown should you': 499915, 'should you have': 766677, 'you have some': 1019114, 'have some extra': 382627, 'some extra food': 782799, 'extra food and': 293512, 'and supply just': 72798, 'supply just in': 825479, 'in case the': 421278, 'case the store': 166058, 'the store get': 868026, 'store get raided': 807921, 'get raided yes': 347881, 'overview': 631678, '19 everything': 6872, 'down listing': 256928, 'listing sale': 494878, 'demand find': 235346, 'find quick': 307196, 'quick overview': 694336, 'overview of': 631681, 'number what': 577082, 'mean via': 524753, 'via our': 956145, 'covid 19 everything': 213049, '19 everything is': 6873, 'everything is down': 287869, 'is down listing': 447349, 'down listing sale': 256929, 'listing sale price': 494879, 'sale price and': 732456, 'and demand find': 61153, 'demand find quick': 235347, 'find quick overview': 307197, 'quick overview of': 694337, 'overview of the': 631685, 'of the number': 591281, 'the number what': 861964, 'number what they': 577084, 'they mean via': 882671, 'mean via our': 524754, 'via our latest': 956148, 'ozon': 632783, 'ozon is': 632786, 'gauging and': 344556, 'offering contactless': 595040, 'option customer': 614012, 'customer turn': 223001, 'to ecommerce': 904919, 'ecommerce platform': 266835, 'amid via': 52746, 'ozon is taking': 632787, 'is taking measure': 452554, 'measure to prevent': 525401, 'prevent price gauging': 671701, 'price gauging and': 674155, 'gauging and is': 344557, 'is offering contactless': 450417, 'offering contactless delivery': 595041, 'contactless delivery option': 200366, 'delivery option customer': 234272, 'option customer turn': 614013, 'customer turn to': 223002, 'turn to ecommerce': 935779, 'to ecommerce platform': 904920, 'ecommerce platform to': 266837, 'platform to buy': 659039, 'their essential good': 873175, 'good amid via': 356717, 'bronchitis': 140954, 'saturated': 736976, 'coworkers': 214493, 'wa likely': 962556, 'likely bronchitis': 491958, 'bronchitis and': 140955, 'negative for': 556777, 'for pneumonia': 324592, 'pneumonia but': 662092, 'didn or': 241145, 'or couldn': 614850, 'couldn test': 209926, 'very saturated': 955499, 'saturated retail': 736981, '50 other': 19792, 'other employee': 620133, 'employee god': 273889, 'god willing': 354843, 'willing didn': 995456, 'didn pas': 241152, 'pas it': 643113, 'to anybody': 900614, 'but coworkers': 145480, 'it wa likely': 462141, 'wa likely bronchitis': 962557, 'likely bronchitis and': 491959, 'bronchitis and tested': 140956, 'and tested negative': 73139, 'tested negative for': 839326, 'negative for pneumonia': 556779, 'for pneumonia but': 324593, 'pneumonia but they': 662093, 'but they didn': 147501, 'they didn or': 881931, 'didn or couldn': 241146, 'or couldn test': 614851, 'couldn test for': 209927, 'work in very': 1005353, 'in very saturated': 430571, 'very saturated retail': 955500, 'saturated retail store': 736982, 'store with 50': 811362, 'with 50 other': 997035, '50 other employee': 19793, 'other employee god': 620136, 'employee god willing': 273890, 'god willing didn': 354844, 'willing didn pas': 995457, 'didn pas it': 241153, 'pas it on': 643115, 'it on to': 460064, 'on to anybody': 604726, 'to anybody else': 900615, 'anybody else but': 80069, 'else but coworkers': 271648, 'up complaint': 944627, 'complaint form': 191971, 'potential price': 667118, 'you believe': 1017443, 'believe store': 126330, 'increased it': 433356, 'it price': 460456, 'price unfairly': 677190, 'unfairly please': 941461, 'please file': 659989, 'complaint here': 191980, 'set up complaint': 753551, 'up complaint form': 944628, 'complaint form for': 191973, 'form for potential': 329509, 'for potential price': 324655, 'potential price gouging': 667119, 'gouging by business': 359276, 'by business because': 152025, 'business because of': 143433, 'because of if': 119357, 'of if you': 584975, 'if you believe': 415400, 'you believe store': 1017449, 'believe store ha': 126331, 'ha increased it': 370950, 'increased it price': 433359, 'it price unfairly': 460469, 'price unfairly please': 677192, 'unfairly please file': 941463, 'please file complaint': 659990, 'file complaint here': 305333, 'accident': 28389, 'socialdistance is': 780150, 'really failing': 702180, 'failing because': 296198, 'because someone': 119573, 'someone wa': 784734, 'in car': 421231, 'car accident': 162976, 'accident near': 28396, 'socialdistance is really': 780152, 'is really failing': 451297, 'really failing because': 702182, 'failing because someone': 296199, 'because someone wa': 119576, 'someone wa in': 784737, 'wa in car': 962360, 'in car accident': 421232, 'car accident near': 162978, 'accident near grocery': 28397, 'attract': 102692, 'gigantic': 350067, 'primark': 678053, 'not publish': 571168, 'publish an': 688625, 'about concern': 24985, 'staff instead': 792568, 'instead your': 440390, 'store attract': 806612, 'attract gigantic': 102697, 'gigantic number': 350070, 'even offer': 284416, 'shopping an': 761957, 'alternative what': 49283, 'what corporate': 981260, 'corporate joke': 207301, 'joke primark': 467124, 'primark co': 678056, 'why not publish': 991230, 'not publish an': 571169, 'publish an article': 688626, 'an article about': 55417, 'article about concern': 94232, 'about concern about': 24986, 'about the safety': 26507, 'safety of your': 730659, 'your own retail': 1025155, 'own retail staff': 632164, 'retail staff instead': 718595, 'staff instead your': 792569, 'instead your store': 440391, 'your store attract': 1025961, 'store attract gigantic': 806613, 'attract gigantic number': 102699, 'gigantic number of': 350071, 'of customer and': 582265, 'customer and you': 222106, 'and you do': 76012, 'not even offer': 569267, 'even offer online': 284418, 'online shopping an': 609028, 'shopping an alternative': 761958, 'an alternative what': 55261, 'alternative what corporate': 49284, 'what corporate joke': 981261, 'corporate joke primark': 207302, 'joke primark co': 467125, 'chip are': 177503, 'for dutch': 320885, 'dutch sector': 263511, 'sector demand': 744164, 'for french': 321749, 'french fry': 332732, 'fry plummet': 339295, 'plummet amid': 661249, 'amid closure': 52402, 'chip are down': 177504, 'are down for': 85976, 'down for dutch': 256771, 'for dutch sector': 320886, 'dutch sector demand': 263512, 'sector demand for': 744165, 'demand for french': 235422, 'for french fry': 321750, 'french fry plummet': 332733, 'fry plummet amid': 339296, 'plummet amid closure': 661250, 'commercialization': 188758, 'china ha': 176687, 'been stupid': 122082, 'stupid with': 815502, 'gouging fraud': 359325, 'and commercialization': 60143, 'commercialization supply': 188759, 'ventilator virus': 954632, 'high technology': 395451, 'technology but': 836264, 'after some': 36224, 'some effort': 782728, 'effort most': 269552, 'country can': 210535, 'can produce': 159307, 'produce them': 680459, 'started now': 794786, 'will know': 993929, 'china ha been': 176689, 'ha been stupid': 369940, 'been stupid with': 122083, 'stupid with price': 815503, 'with price gouging': 1000306, 'price gouging fraud': 674279, 'gouging fraud and': 359326, 'fraud and commercialization': 331228, 'and commercialization supply': 60144, 'commercialization supply of': 188760, 'supply of fake': 825624, 'of fake low': 583382, 'mask ventilator virus': 519481, 'ventilator virus testing': 954633, 'virus testing kit': 958860, 'testing kit etc': 839538, 'very high technology': 955236, 'high technology but': 395452, 'technology but after': 836265, 'but after some': 145069, 'after some effort': 36225, 'some effort most': 782730, 'effort most country': 269553, 'most country can': 542216, 'country can produce': 210539, 'can produce them': 159312, 'produce them and': 680460, 'them and have': 875379, 'and have started': 64279, 'have started now': 382725, 'started now they': 794789, 'now they will': 576119, 'they will know': 883859, 'will know where': 993932, 'where they are': 985271, 'caronavirus2020': 164869, 'healthyathome': 387826, '19 ccpvirus': 5732, 'ccpvirus caronavirus2020': 168490, 'caronavirus2020 order': 164870, 'order healthyathome': 618292, 'healthyathome sanitizer': 387827, 'sanitizers mask': 736341, 'others from covid': 621418, 'covid 19 ccpvirus': 212773, '19 ccpvirus caronavirus2020': 5733, 'ccpvirus caronavirus2020 order': 168491, 'caronavirus2020 order healthyathome': 164871, 'order healthyathome sanitizer': 618293, 'healthyathome sanitizer sanitizers': 387828, 'sanitizer sanitizers mask': 735697, 'lung': 506779, 'organ': 619200, 'component': 192544, 'vu': 960781, 'our lung': 623823, 'lung are': 506782, 'are much': 88160, 'vulnerable organ': 961072, 'organ to': 619207, 'the component': 851406, 'component of': 192551, 'disinfectant unlike': 245790, 'unlike the': 942726, 'hand also': 374739, 'moment covid': 535913, 'it way': 462267, 'way into': 969662, 'lung comfort': 506789, 'comfort zone': 187862, 'zone it': 1027762, 'becomes monster': 120234, 'monster for': 537460, 'hand the': 375821, 'is vu': 453725, 'our lung are': 623824, 'lung are much': 506784, 'are much more': 88164, 'much more vulnerable': 545131, 'more vulnerable organ': 540932, 'vulnerable organ to': 961073, 'organ to support': 619208, 'support the component': 826864, 'the component of': 851407, 'component of disinfectant': 192552, 'of disinfectant unlike': 582689, 'disinfectant unlike the': 245791, 'unlike the hand': 942729, 'the hand also': 857056, 'hand also the': 374741, 'also the moment': 48980, 'the moment covid': 860748, 'moment covid 19': 535914, '19 find it': 7010, 'find it way': 307011, 'it way into': 462270, 'way into our': 969663, 'into our lung': 442822, 'our lung comfort': 623825, 'lung comfort zone': 506790, 'comfort zone it': 187863, 'zone it becomes': 1027763, 'it becomes monster': 456777, 'becomes monster for': 120235, 'monster for our': 537461, 'for our hand': 324253, 'our hand the': 623352, 'hand the virus': 375825, 'virus is vu': 958413, 'bcg first': 113331, 'first weekly': 309177, 'sentiment snapshot': 750995, 'snapshot reveals': 776166, 'reveals fear': 720316, 'also many': 48515, 'many sign': 514705, 'bcg first weekly': 113332, 'first weekly covid': 309178, 'consumer sentiment snapshot': 198926, 'sentiment snapshot reveals': 750999, 'snapshot reveals fear': 776168, 'reveals fear of': 720317, 'virus and recession': 957941, 'and recession but': 70045, 'recession but also': 704229, 'but also many': 145127, 'also many sign': 48518, 'many sign of': 514706, 'sign of business': 769155, 'of business usual': 580974, 'are others': 88849, 'others required': 621617, 'shield from': 758154, '19 getting': 7204, 'now supposed': 575946, 'nh list': 562003, 'given priority': 351088, 'priority delivery': 678546, 'only existing': 610412, 'to depend': 904182, 'friend volunteer': 333870, 'volunteer until': 960365, 'how are others': 407409, 'are others required': 88850, 'others required to': 621618, 'required to shield': 713407, 'to shield from': 914406, 'shield from covid': 758155, 'covid 19 getting': 213142, '19 getting on': 7207, 'on with supermarket': 605347, 'with supermarket delivery': 1001051, 'supermarket delivery they': 819935, 'delivery they are': 234625, 'are now supposed': 88602, 'now supposed to': 575947, 'supposed to have': 827361, 'have an nh': 379262, 'an nh list': 56523, 'nh list of': 562004, 'list of people': 494461, 'be given priority': 115031, 'given priority delivery': 351089, 'priority delivery but': 678547, 'delivery but only': 233762, 'but only existing': 146687, 'only existing customer': 610413, 'existing customer how': 290305, 'customer how we': 222476, 'want to depend': 966023, 'to depend on': 904183, 'depend on friend': 237313, 'on friend volunteer': 601022, 'friend volunteer until': 333871, 'volunteer until vaccine': 960366, 'popped': 664494, 'notright': 573627, 'disgusted after': 245357, 'my visit': 550512, 'visit yesterday': 959434, 'so popped': 778047, 'popped in': 664497, 'man made': 512149, 'our ice': 623501, 'ice coffee': 412645, 'coffee after': 185447, 'after wiped': 36546, 'wiped his': 996457, 'his nose': 397646, 'nose no': 567904, 'no washing': 565854, 'hand notright': 375099, 'disgusted after my': 245358, 'after my visit': 35948, 'my visit yesterday': 550513, 'visit yesterday wa': 959435, 'yesterday wa out': 1015926, 'wa out at': 962877, 'store so popped': 810233, 'so popped in': 778048, 'popped in with': 664500, 'in with mask': 430946, 'with mask on': 999410, 'mask on man': 519053, 'on man made': 601977, 'man made our': 512152, 'made our ice': 507896, 'our ice coffee': 623502, 'ice coffee after': 412646, 'coffee after wiped': 185448, 'after wiped his': 36548, 'wiped his nose': 996458, 'his nose no': 397649, 'nose no glove': 567905, 'glove no washing': 352810, 'no washing hand': 565855, 'washing hand notright': 967673, 'elegance our': 271323, 'article explores': 94310, 'executive should': 289939, 'be africaautoinsights': 113527, 'the lockdown where': 859640, 'than elegance our': 840542, 'elegance our latest': 271324, 'latest article explores': 481216, 'article explores what': 94313, 'explores what the': 292539, 'what the response': 982359, 'automotive executive should': 104045, 'executive should be': 289940, 'should be africaautoinsights': 765548, 'pymnts': 691387, 'what 2k': 980956, 'consumer told': 199339, 'told pymnts': 923665, 'pymnts about': 691388, 'changed their': 172574, 'life via': 489173, 'what 2k consumer': 980957, '2k consumer told': 16621, 'consumer told pymnts': 199340, 'told pymnts about': 923666, 'pymnts about how': 691389, 'ha changed their': 370138, 'changed their daily': 172576, 'their daily life': 872968, 'daily life via': 224669, 'coronadebat': 204928, 'know are': 476275, 'being overworked': 125522, 'overworked by': 631788, 'by grocery': 152731, 'making crazy': 511008, 'crazy money': 215356, 'money right': 536999, 'still paying': 801031, 'paying these': 645507, 'worker minimum': 1007389, 'minimum and': 533172, 'them take': 876360, 'take public': 832532, 'transit putting': 929643, 'putting everyone': 691110, 'risk at': 723396, 'least pay': 484594, 'their uber': 875064, 'uber coronadebat': 937802, 'of people know': 587935, 'people know are': 648595, 'know are being': 476276, 'are being overworked': 84891, 'being overworked by': 125523, 'overworked by grocery': 631789, 'by grocery store': 152732, 'store chain the': 806936, 'chain the store': 171171, 'store owner are': 809424, 'owner are making': 632389, 'are making crazy': 87976, 'making crazy money': 511009, 'crazy money right': 215357, 'money right now': 537001, 'now and they': 574063, 'are still paying': 90467, 'still paying these': 801033, 'paying these worker': 645509, 'these worker minimum': 880993, 'worker minimum and': 1007390, 'minimum and making': 533173, 'and making them': 66601, 'making them take': 511446, 'them take public': 876363, 'take public transit': 832533, 'public transit putting': 688397, 'transit putting everyone': 929644, 'putting everyone at': 691111, 'everyone at risk': 286717, 'at risk at': 100340, 'risk at least': 723397, 'at least pay': 99534, 'least pay their': 484595, 'pay their uber': 645163, 'their uber coronadebat': 875065, 'could supermarket': 209735, 'run get': 727648, 'worse coronavirus': 1010908, 'coronavirus measure': 206277, 'measure could': 525163, 'cause global': 167576, 'shortage un': 765286, 'un warns': 939302, 'could supermarket run': 209738, 'supermarket run get': 822272, 'run get worse': 727649, 'get worse coronavirus': 348648, 'worse coronavirus measure': 1010909, 'coronavirus measure could': 206278, 'measure could cause': 525164, 'could cause global': 208998, 'cause global food': 167577, 'global food shortage': 351949, 'food shortage un': 316614, 'shortage un warns': 765287, 'masksforall': 519683, 'gobills': 354617, 'buffalonian': 141857, 'ready if': 700895, 'go brave': 353380, 'brave grocery': 138217, 'store masksforall': 808916, 'masksforall gobills': 519684, 'gobills buffalonian': 354618, 'ready if have': 700896, 'to go brave': 906778, 'go brave grocery': 353381, 'brave grocery store': 138218, 'grocery store masksforall': 365556, 'store masksforall gobills': 808917, 'masksforall gobills buffalonian': 519685, 'ward because': 966634, 'because asked': 118939, 'it staff': 461209, 'staff said': 792816, 'said totally': 731533, 'totally embarrassing': 926330, 'embarrassing stophoarding': 272452, 'no hand sanitiser': 564396, 'sanitiser in one': 733977, 'in one of': 426151, 'the ward because': 871076, 'ward because asked': 966635, 'because asked because': 118940, 'stealing it staff': 799237, 'it staff said': 461212, 'staff said totally': 792817, 'said totally embarrassing': 731534, 'totally embarrassing stophoarding': 926331, 'embarrassing stophoarding stopstockpiling': 272453, 'resistance': 714588, 'twd': 936272, 'an enforced': 55748, 'enforced lockdown': 276711, 'better smh': 128468, 'smh resist': 775685, 'resist resistance': 714576, 'resistance twd': 714593, 'this is another': 888177, 'is another reason': 445739, 'another reason why': 77793, 'reason why we': 703064, 'we need an': 972465, 'need an enforced': 554404, 'an enforced lockdown': 55749, 'enforced lockdown they': 276714, 'lockdown they know': 500027, 'they know better': 882523, 'know better smh': 476309, 'better smh resist': 128469, 'smh resist resistance': 775686, 'resist resistance twd': 714577, 'medicine in': 526813, 'impending financial': 418318, 'financial and': 306320, 'collapse thank': 186058, 'helping people': 391431, 'buying food water': 150344, 'water and medicine': 968869, 'and medicine in': 66909, 'medicine in stock': 526817, 'in stock not': 428317, 'stock not because': 802500, 'of the impending': 591129, 'the impending financial': 857957, 'impending financial and': 418319, 'financial and economic': 306322, 'and economic collapse': 61898, 'economic collapse thank': 267013, 'collapse thank you': 186059, 'for helping people': 322202, 'helping people get': 391437, 'people get ready': 648056, 'superbug': 818632, 'the overuse': 862795, 'antibacterial going': 78358, 'new problem': 559346, 'problem like': 679591, 'like superbug': 491263, 'is the overuse': 452885, 'the overuse of': 862796, 'sanitizer and antibacterial': 734382, 'and antibacterial going': 58178, 'antibacterial going to': 78359, 'going to lead': 355638, 'to lead to': 909119, 'to new problem': 910571, 'new problem like': 559348, 'problem like superbug': 679592, 'seeing empty grocery': 746284, 'shelf here why': 757159, 'fundraiser': 341645, 'for nonprofit': 323908, 'nonprofit marketer': 566694, 'marketer and': 517448, 'and fundraiser': 63419, 'fundraiser how': 341650, 'impact overall': 417916, 'overall consumer': 631001, 'their charitable': 872762, 'charitable giving': 173546, 'giving and': 351235, 'and greg': 63958, 'greg fox': 363825, 'fox share': 330774, 'share more': 755101, 'for nonprofit marketer': 323909, 'nonprofit marketer and': 566695, 'marketer and fundraiser': 517450, 'and fundraiser how': 63420, 'fundraiser how will': 341651, 'how will covid': 409225, '19 impact overall': 7706, 'impact overall consumer': 417917, 'overall consumer behavior': 631002, 'consumer behavior and': 196439, 'behavior and their': 123907, 'and their charitable': 73674, 'their charitable giving': 872763, 'charitable giving and': 173547, 'giving and greg': 351237, 'and greg fox': 63959, 'greg fox share': 363826, 'fox share more': 330775, 'mm': 534755, 'justsa': 470510, 'market hey': 516520, 'look love': 502535, 'the milk': 860602, 'milk market': 531722, 'an asset': 55441, 'city but': 179077, 'the mm': 860699, 'mm cannot': 534758, 'cannot control': 161728, 'control number': 202061, 'to le': 909115, '100 and': 1832, 'supermarket keep': 821238, 'distance otherwise': 246794, 'otherwise we': 621885, 'well have': 978269, 'one big': 605998, 'big street': 130021, 'street gathering': 812978, 'gathering justsa': 344475, 'market hey look': 516521, 'hey look love': 394454, 'look love the': 502536, 'love the milk': 504809, 'the milk market': 860609, 'milk market it': 531723, 'market it an': 516652, 'it an asset': 456466, 'an asset to': 55442, 'asset to the': 96483, 'to the city': 916563, 'the city but': 850921, 'city but the': 179079, 'but the mm': 147365, 'the mm cannot': 860700, 'mm cannot control': 534759, 'cannot control number': 161730, 'control number to': 202062, 'number to le': 577073, 'to le than': 909116, 'le than 100': 483154, 'than 100 and': 840156, '100 and it': 1833, 'and it not': 65562, 'not like supermarket': 570400, 'like supermarket keep': 491271, 'supermarket keep your': 821242, 'social distance otherwise': 779516, 'distance otherwise we': 246795, 'otherwise we might': 621886, 'we might well': 972379, 'might well have': 531169, 'well have one': 978271, 'have one big': 381784, 'one big street': 606002, 'big street gathering': 130022, 'street gathering justsa': 812979, 'flex': 310340, 'bargaining': 111075, 'kyuu': 478110, 'aree': 92298, 'milta': 532470, 'rupaye': 728178, 'aapke': 24124, 'yahan': 1014043, 'kyu': 478107, 'sucha': 816879, 'cutie': 223680, 'rashamidesai': 697124, 'watch flex': 968407, 'flex her': 310343, 'her bargaining': 391873, 'bargaining skill': 111084, 'skill kyuu': 772963, 'kyuu 40': 478111, '40 aree': 18531, 'aree internet': 92299, 'internet pe': 441982, 'pe milta': 645964, 'milta 30': 532471, '30 rupaye': 17210, 'rupaye me': 728179, 'me aapke': 522342, 'aapke yahan': 24125, 'yahan kyu': 1014044, 'kyu 40': 478108, '40 sucha': 18668, 'sucha cutie': 816880, 'cutie rashamidesai': 223681, 'watch flex her': 968408, 'flex her bargaining': 310344, 'her bargaining skill': 391874, 'bargaining skill kyuu': 111085, 'skill kyuu 40': 772964, 'kyuu 40 aree': 478112, '40 aree internet': 18532, 'aree internet pe': 92300, 'internet pe milta': 441983, 'pe milta 30': 645965, 'milta 30 rupaye': 532472, '30 rupaye me': 17211, 'rupaye me aapke': 728180, 'me aapke yahan': 522343, 'aapke yahan kyu': 24126, 'yahan kyu 40': 1014045, 'kyu 40 sucha': 478109, '40 sucha cutie': 18669, 'sucha cutie rashamidesai': 816881, 'wa wondering': 963719, 'everyone gas': 286927, 'are have': 87023, 'seen such': 747257, 'such low': 816606, 'time gasoline': 896821, 'gasoline 19': 344215, 'wa wondering what': 963721, 'wondering what everyone': 1004191, 'what everyone gas': 981427, 'everyone gas price': 286928, 'price are have': 672674, 'are have never': 87025, 'never seen such': 558179, 'seen such low': 747258, 'such low gas': 816607, 'price in long': 674705, 'long time gasoline': 501770, 'time gasoline 19': 896822, 'shopping online during': 763426, 'spread while': 790885, 'the spread while': 867644, 'spread while shopping': 790886, 'shopping in our': 762981, 'payout': 645792, 'vikez': 957286, 'government 00': 359806, '00 minimum': 331, 'minimum payout': 533213, 'payout to': 645795, 'american which': 52299, 'is designed': 447132, 'outbreak market': 628441, 'market insider': 516591, 'insider economy': 439465, 'economy aid': 267622, 'aid vikez': 39478, 'vikez business': 957287, 'consumer link': 198049, 'the government 00': 856502, 'government 00 minimum': 359807, '00 minimum payout': 333, 'minimum payout to': 533214, 'payout to all': 645796, 'all american which': 42005, 'american which is': 52300, 'which is designed': 986002, 'is designed to': 447133, 'designed to fight': 238355, 'fight the coronavirus': 304887, 'coronavirus outbreak market': 206399, 'outbreak market insider': 628442, 'market insider economy': 516592, 'insider economy aid': 439466, 'economy aid vikez': 267623, 'aid vikez business': 39479, 'vikez business consumer': 957288, 'business consumer link': 143570, 'my 26': 547143, 'son arrived': 785353, 'arrived back': 93949, 'his flat': 397436, 'flat after': 310062, 'london for': 501068, 'find his': 306963, 'his fridge': 397454, 'fridge freezer': 333396, 'freezer wa': 332646, 'wa broken': 961748, 'broken and': 140880, 'food wasted': 317496, 'wasted this': 968267, 'wa devastating': 961967, 'devastating he': 239591, 'on low': 601943, 'wage but': 963833, 'today my 26': 919899, 'my 26 year': 547144, 'old son arrived': 598472, 'son arrived back': 785354, 'arrived back to': 93950, 'back to his': 107371, 'to his flat': 907812, 'his flat after': 397437, 'flat after working': 310064, 'after working and': 36579, 'working and staying': 1008510, 'and staying in': 72321, 'staying in london': 798639, 'in london for': 424879, 'london for day': 501069, 'for day to': 320589, 'day to find': 228565, 'to find his': 905908, 'find his fridge': 306964, 'his fridge freezer': 397455, 'fridge freezer wa': 333401, 'freezer wa broken': 332647, 'wa broken and': 961749, 'broken and all': 140881, 'and all his': 57867, 'all his food': 43121, 'his food wasted': 397446, 'food wasted this': 317499, 'wasted this wa': 968268, 'this wa devastating': 891059, 'wa devastating he': 961968, 'devastating he is': 239592, 'he is on': 385136, 'is on low': 450473, 'on low wage': 601946, 'low wage but': 505727, 'wage but when': 963834, 'but when he': 147816, 'he went to': 385658, 'the supermarket there': 868849, 'supermarket there wa': 823281, 'ronn': 725814, 'torossian': 926029, '5wpr': 20839, 'dara': 225917, 'busch': 143119, 'hear tomorrow': 388016, 'tomorrow ronn': 924175, 'ronn torossian': 725815, 'torossian 5wpr': 926030, '5wpr ceo': 20840, 'ceo president': 169810, 'and dara': 60948, 'dara busch': 225918, 'busch president': 143123, 'consumer practice': 198398, 'practice will': 668705, 'be hosting': 115306, 'hosting beauty': 404948, 'beauty matter': 118765, 'matter live': 520593, 'live covid': 495779, 'crisis communication': 217229, 'communication seminar': 189640, 'seminar register': 749656, 'join them': 466876, 'them march': 876008, '26th 00pm': 16238, '00pm et': 690, 'did you hear': 240933, 'you hear tomorrow': 1019182, 'hear tomorrow ronn': 388017, 'tomorrow ronn torossian': 924176, 'ronn torossian 5wpr': 725816, 'torossian 5wpr ceo': 926031, '5wpr ceo president': 20841, 'ceo president and': 169811, 'president and dara': 670760, 'and dara busch': 60949, 'dara busch president': 225919, 'busch president of': 143124, 'president of our': 670871, 'our consumer practice': 622542, 'consumer practice will': 198403, 'practice will be': 668706, 'will be hosting': 992504, 'be hosting beauty': 115307, 'hosting beauty matter': 404949, 'beauty matter live': 118766, 'matter live covid': 520594, 'live covid 19': 495780, '19 crisis communication': 6230, 'crisis communication seminar': 217231, 'communication seminar register': 189641, 'seminar register here': 749657, 'register here and': 707576, 'here and join': 392708, 'and join them': 65676, 'join them march': 466877, 'them march 26th': 876009, 'march 26th 00pm': 515221, '26th 00pm et': 16239, 'if dc': 414024, 'dc is': 228962, 'be sued': 117437, 'sued their': 817185, 'their council': 872895, 'council had': 209985, 'the courage': 852209, 'courage to': 211787, 'they probably': 882912, 'probably won': 679421, 'see if dc': 745277, 'if dc is': 414025, 'dc is going': 228963, 'to be sued': 901570, 'be sued their': 117439, 'sued their council': 817186, 'their council had': 872896, 'council had the': 209986, 'had the courage': 373613, 'the courage to': 852210, 'courage to stand': 211790, 'stand up for': 793603, 'up for the': 944965, 'for the people': 326616, 'the people and': 863453, 'people and they': 646890, 'and they probably': 73925, 'they probably won': 882915, 'probably won be': 679422, 'won be sued': 1003752, 'prowl': 687314, 'tax tip': 835107, 'tip tuesday': 898947, 'tuesday scammer': 935180, 'the prowl': 864745, 'prowl if': 687315, 'call or': 156053, 'verify your': 954802, 'security number': 744682, 'number or': 577029, 'bank info': 109940, 'avoid go': 105126, 'tax tip tuesday': 835108, 'tip tuesday scammer': 898948, 'tuesday scammer are': 935181, 'scammer are on': 740538, 'on the prowl': 604312, 'the prowl if': 864746, 'prowl if you': 687316, 'receive call or': 703453, 'call or email': 156054, 'or email to': 615149, 'email to verify': 272342, 'to verify your': 918148, 'verify your social': 954803, 'your social security': 1025856, 'social security number': 779948, 'security number or': 744684, 'number or bank': 577030, 'or bank info': 614492, 'bank info to': 109942, 'info to receive': 437596, 'your check it': 1023189, 'check it scam': 174479, 'it scam for': 460898, 'to avoid go': 900904, 'avoid go to': 105127, 'chemist to': 175455, 'some med': 783272, 'med and': 525870, 'they strictly': 883486, 'strictly imposed': 813696, 'imposed meter': 419295, 'meter away': 529695, 'customer same': 222794, 'with sainsbury': 1000549, 'sainsbury supermarket': 731723, 'been to chemist': 122213, 'to chemist to': 902711, 'chemist to buy': 175456, 'buy some med': 149211, 'some med and': 783273, 'med and they': 525874, 'and they strictly': 73943, 'they strictly imposed': 883487, 'strictly imposed meter': 813697, 'imposed meter away': 419296, 'meter away from': 529696, 'from each customer': 335240, 'each customer same': 264030, 'customer same with': 222795, 'same with sainsbury': 733427, 'with sainsbury supermarket': 1000550, 'sainsbury supermarket socialdistancing': 731727, 'collateral': 186169, '19 collateral': 5877, 'collateral damage': 186170, 'damage panic': 225213, 'panic stock': 638630, 'piling of': 656616, 'fruit is': 339105, 'is adding': 445351, 'inflation rbi': 437228, 'covid 19 collateral': 212822, '19 collateral damage': 5878, 'collateral damage panic': 186171, 'damage panic stock': 225215, 'panic stock piling': 638631, 'stock piling of': 802669, 'piling of vegetable': 656617, 'and fruit is': 63374, 'fruit is adding': 339106, 'is adding to': 445355, 'adding to food': 31709, 'food inflation rbi': 315043, 'irresponsibility': 445029, 'flame': 309984, 'purely': 690037, 'hyperbole': 412295, 'the irresponsibility': 858465, 'irresponsibility of': 445030, 'british medium': 140541, 'medium trying': 527338, 'to fan': 905663, 'fan the': 298544, 'the flame': 855392, 'flame of': 309985, 'by asking': 151894, 'asking when': 96106, 'when food': 983436, 'out purely': 627082, 'purely for': 690040, 'for hyperbole': 322458, 'hyperbole headline': 412296, 'headline bbc': 385989, 'bbc coronacrisis': 113073, 'coronacrisis coronacrisisuk': 204568, 'the irresponsibility of': 858466, 'irresponsibility of the': 445031, 'of the british': 590833, 'the british medium': 850026, 'british medium trying': 140543, 'medium trying to': 527339, 'trying to fan': 934803, 'to fan the': 905664, 'fan the flame': 298545, 'the flame of': 855393, 'flame of panic': 309986, 'of panic by': 587724, 'panic by asking': 637979, 'by asking when': 151895, 'asking when food': 96107, 'when food will': 983440, 'food will run': 317630, 'run out purely': 727766, 'out purely for': 627083, 'purely for hyperbole': 690041, 'for hyperbole headline': 322459, 'hyperbole headline bbc': 412297, 'headline bbc coronacrisis': 385990, 'bbc coronacrisis coronacrisisuk': 113074, 'overcame the': 631084, 'their labor': 873776, 'labor so': 478447, 'who overcame the': 989396, 'overcame the panic': 631085, 'put in their': 690623, 'in their labor': 429751, 'their labor so': 873777, 'labor so that': 478448, 'so that we': 778403, 'can all have': 157424, 'all have food': 43046, 'essential supply in': 281624, 'supply in this': 825416, 'athabasca': 101737, 'oilsands': 597726, 'athabasca oil': 101738, 'down oilsands': 257011, 'oilsands project': 597729, 'project due': 683487, 'pandemic yyc': 637100, 'athabasca oil to': 101740, 'oil to shut': 597478, 'to shut down': 914603, 'shut down oilsands': 767841, 'down oilsands project': 257012, 'oilsands project due': 597731, 'project due to': 683488, 'due to drop': 261768, '19 pandemic yyc': 9533, 'scammer exploiting': 740572, 'exploiting panic': 292438, 'panic with': 638794, 'these common': 879776, 'out for scammer': 626156, 'for scammer exploiting': 325368, 'scammer exploiting panic': 740573, 'exploiting panic with': 292440, 'panic with these': 638797, 'with these common': 1001636, 'these common scam': 879777, 'just visited': 470183, 'local hardly': 498065, 'any mask': 79451, 'mask people': 519104, 'just talking': 469954, 'talking out': 834028, 'out loud': 626525, 'loud and': 504484, 'and breathing': 59180, 'breathing supermarket': 139247, 'should demand': 765912, 'demand hazard': 235627, 'hazard out': 384554, 'out fitting': 626075, 'fitting and': 309553, 'and minimum': 67052, '50 an': 19607, 'hour hazard': 405665, 'pay plus': 645047, 'plus health': 661619, 'insurance essentialworkers': 440724, 'essentialworkers plandemic': 281959, 'just visited the': 470189, 'visited the local': 959505, 'the local hardly': 859554, 'local hardly any': 498066, 'hardly any mask': 378250, 'any mask people': 79452, 'mask people just': 519106, 'people just talking': 648562, 'just talking out': 469957, 'talking out loud': 834029, 'out loud and': 626527, 'loud and breathing': 504485, 'and breathing supermarket': 59181, 'breathing supermarket worker': 139248, 'supermarket worker should': 824083, 'worker should demand': 1007773, 'should demand hazard': 765913, 'demand hazard out': 235628, 'hazard out fitting': 384555, 'out fitting and': 626076, 'fitting and minimum': 309554, 'and minimum of': 67053, 'minimum of 50': 533203, 'of 50 an': 579606, '50 an hour': 19608, 'an hour hazard': 56085, 'hour hazard pay': 405666, 'hazard pay plus': 384572, 'pay plus health': 645048, 'plus health benefit': 661620, 'health benefit and': 386191, 'benefit and life': 126919, 'and life insurance': 66139, 'life insurance essentialworkers': 488786, 'insurance essentialworkers plandemic': 440725, 'dire': 243246, 'half as': 374144, 'as mask': 94775, 'if aren': 413875, 'aren health': 92432, 'professional or': 682476, 'or ur': 617609, 'ur immune': 948019, 'system isn': 831229, 'isn compromised': 454466, 'compromised you': 192694, 're kinda': 698969, 'kinda that': 475079, 'that jerk': 844767, 'jerk hospital': 465149, 'responder are': 715419, 'in dire': 422273, 'dire need': 243256, 'those supply': 892511, 'so funny': 777147, 'funny when': 341815, 'phone with': 655068, 'glove and half': 352560, 'and half as': 64120, 'half as mask': 374145, 'as mask to': 94776, 'mask to grocery': 519406, 'store if aren': 808242, 'if aren health': 413876, 'aren health care': 92433, 'care professional or': 164164, 'professional or ur': 682477, 'or ur immune': 617610, 'ur immune system': 948020, 'immune system isn': 417343, 'system isn compromised': 831230, 'isn compromised you': 454467, 'compromised you re': 192695, 'you re kinda': 1020665, 're kinda that': 698970, 'kinda that jerk': 475080, 'that jerk hospital': 844768, 'jerk hospital staff': 465150, 'hospital staff and': 404627, 'staff and first': 792139, 'first responder are': 308930, 'responder are in': 715421, 'are in dire': 87377, 'in dire need': 422274, 'dire need of': 243257, 'need of those': 555347, 'of those supply': 592119, 'those supply so': 892512, 'supply so funny': 825865, 'so funny when': 777151, 'funny when you': 341818, 'when you check': 984546, 'check your phone': 174735, 'your phone with': 1025297, 'phone with your': 655071, 'with your glove': 1002202, 'your glove on': 1024060, 'comprise': 192650, 'restaurant banned': 716325, 'house dining': 406267, 'dining university': 243037, 'university cafeteria': 942415, 'cafeteria cruise': 155145, 'cruise ship': 219703, 'ship hotel': 758676, 'more make': 539743, 'up 42': 944173, 'demand while': 236485, 'while export': 986818, 'export also': 292607, 'also banned': 47904, 'banned comprise': 110561, 'comprise around': 192651, '25 supplychain': 15966, 'supplychain foodsecurity': 826179, 'foodsecurity farmer': 318076, 'shuttered school restaurant': 768215, 'school restaurant banned': 741906, 'restaurant banned from': 716326, 'banned from in': 110571, 'from in house': 336023, 'in house dining': 423848, 'house dining university': 406268, 'dining university cafeteria': 243039, 'university cafeteria cruise': 942416, 'cafeteria cruise ship': 155146, 'cruise ship hotel': 219706, 'ship hotel and': 758677, 'hotel and more': 405107, 'and more make': 67191, 'more make up': 539744, 'make up 42': 510681, 'up 42 of': 944174, '42 of food': 18909, 'of food demand': 583676, 'food demand while': 314183, 'demand while export': 236487, 'while export also': 986819, 'export also banned': 292608, 'also banned comprise': 47906, 'banned comprise around': 110562, 'comprise around 25': 192652, 'around 25 supplychain': 93137, '25 supplychain foodsecurity': 15967, 'supplychain foodsecurity farmer': 826180, 'controversial': 202288, 'israeli': 455607, 'spyware': 791418, 'nso': 576671, 'controversial israeli': 202289, 'israeli spyware': 455623, 'spyware company': 791419, 'company nso': 190915, 'nso is': 576674, 'creating mobile': 216030, 'mobile data': 534957, 'data tracking': 226472, 'tracking analysis': 928317, 'analysis software': 57080, 'software to': 781548, 'to map': 909832, 'map the': 514948, 'outbreak source': 628638, 'source told': 786570, 'me he': 522868, 'currently being': 221481, 'tested this': 839376, 'this come': 886801, 'come amid': 187206, 'of privacy': 588442, 'privacy violation': 678843, 'violation state': 957525, 'state use': 796062, 'our smartphones': 624805, 'smartphones to': 775539, 'detect infected': 239330, 'infected people': 436612, 'controversial israeli spyware': 202290, 'israeli spyware company': 455624, 'spyware company nso': 791420, 'company nso is': 190916, 'nso is creating': 576675, 'is creating mobile': 446913, 'creating mobile data': 216031, 'mobile data tracking': 534961, 'data tracking analysis': 226473, 'tracking analysis software': 928318, 'analysis software to': 57081, 'software to map': 781550, 'to map the': 909834, 'map the outbreak': 514949, 'the outbreak source': 862693, 'outbreak source told': 628639, 'source told me': 786571, 'told me he': 923607, 'me he is': 522872, 'he is currently': 385119, 'is currently being': 446987, 'currently being tested': 221483, 'being tested this': 125915, 'tested this come': 839377, 'this come amid': 886804, 'come amid growing': 187207, 'amid growing fear': 52495, 'fear of privacy': 301254, 'of privacy violation': 588444, 'privacy violation state': 678844, 'violation state use': 957526, 'state use our': 796063, 'use our smartphones': 949467, 'our smartphones to': 624806, 'smartphones to detect': 775540, 'to detect infected': 904228, 'detect infected people': 239331, 'shopping priority': 763676, 'priority for': 678567, 'loss group': 503684, 'of charity': 581292, 'and organisation': 68267, 'organisation for': 619263, 'loss have': 503686, 'have teamed': 382929, 'launch petition': 481939, 'petition calling': 653595, 'for priority': 324740, 'priority access': 678498, 'petition for online': 653606, 'online shopping priority': 609233, 'shopping priority for': 763677, 'priority for people': 678570, 'sight loss group': 769044, 'loss group of': 503685, 'group of charity': 366787, 'of charity and': 581293, 'charity and organisation': 173563, 'and organisation for': 68268, 'organisation for people': 619264, 'sight loss have': 769045, 'loss have teamed': 503688, 'have teamed up': 382930, 'teamed up to': 835855, 'up to launch': 946395, 'to launch petition': 909103, 'launch petition calling': 481940, 'petition calling for': 653596, 'calling for priority': 156558, 'for priority access': 324741, 'priority access to': 678500, 'the outbreak read': 862685, 'edited': 268589, 'recorded video': 705124, 'store yesterday': 811663, 'and edited': 61940, 'edited them': 268593, 'them into': 875933, 'this short': 890113, 'short film': 764616, 'film about': 305657, 'recorded video on': 705125, 'video on my': 956842, 'way to the': 970114, 'grocery store yesterday': 365979, 'store yesterday and': 811664, 'yesterday and edited': 1015659, 'and edited them': 61941, 'edited them into': 268594, 'them into this': 875941, 'into this short': 443222, 'this short film': 890114, 'short film about': 764617, 'film about the': 305658, 'about the corona': 26361, 'virus in nigeria': 958325, 'approx': 83223, 'thought approx': 892973, 'approx 300': 83230, '300 death': 17295, 'with approx': 997299, 'approx 30': 83228, 'case 80': 165603, '00 death': 161, 'from various': 338221, 'various flu': 952602, 'flu in': 311422, 'the 2018': 848009, '2018 winter': 13912, 'winter there': 996148, 'were 11': 979248, 'million case': 532104, 'of influenza': 585186, 'influenza in': 437369, 'the winter': 871614, 'winter of': 996135, '2019 where': 14043, 'for thought approx': 327157, 'thought approx 300': 892974, 'approx 300 death': 83231, '300 death in': 17296, 'in the this': 429604, 'the this year': 869494, 'year with approx': 1015112, 'with approx 30': 997300, 'approx 30 00': 83229, '30 00 case': 16917, '00 case 80': 107, 'case 80 00': 165604, '80 00 death': 22539, '00 death in': 163, 'in the from': 429220, 'the from various': 855838, 'from various flu': 338222, 'various flu in': 952603, 'flu in the': 311424, 'in the 2018': 428950, 'the 2018 winter': 848010, '2018 winter there': 13913, 'winter there were': 996149, 'there were 11': 879304, 'were 11 million': 979249, '11 million case': 2557, 'million case of': 532106, 'case of influenza': 165910, 'of influenza in': 585187, 'influenza in the': 437370, 'in the winter': 429684, 'the winter of': 871616, 'winter of 2019': 996137, 'of 2019 where': 579482, 'biggest online': 130284, 'increase since': 433061, 'the started': 867737, 'started charted': 794709, 'product that have': 681692, 'that have seen': 844233, 'seen the biggest': 747277, 'the biggest online': 849666, 'biggest online shopping': 130285, 'shopping increase since': 763008, 'increase since the': 433063, 'since the started': 770907, 'the started charted': 867738, 'on webinar': 605156, 'webinar regarding': 975085, 'regarding real': 707246, 'estate covid': 282113, 'interesting question': 441596, 'what change': 981201, 'change do': 172016, 'see grocery': 745164, 'grocery when': 366131, 'when many': 983714, 'get used': 348578, 'shopping how': 762931, 'convenience and': 202316, 'back do': 106953, 'le neighbourhood': 483037, 'neighbourhood grocery': 557274, 'on webinar regarding': 605157, 'webinar regarding real': 975087, 'regarding real estate': 707247, 'real estate covid': 701141, 'estate covid 19': 282114, 'the interesting question': 858352, 'interesting question what': 441597, 'question what change': 693794, 'what change do': 981204, 'change do we': 172017, 'do we see': 250485, 'we see grocery': 973157, 'see grocery when': 745166, 'grocery when many': 366132, 'when many more': 983716, 'more people get': 540021, 'people get used': 648062, 'get used to': 348579, 'used to online': 950072, 'to online grocery': 910934, 'grocery shopping how': 365037, 'shopping how many': 762933, 'many people see': 514531, 'see the convenience': 745819, 'the convenience and': 851700, 'convenience and never': 202318, 'and never go': 67536, 'never go back': 558019, 'go back do': 353343, 'back do we': 106954, 'we see le': 973163, 'see le neighbourhood': 745357, 'le neighbourhood grocery': 483038, 'neighbourhood grocery in': 557275, 'grocery in the': 364620, 'mco': 522223, 'malaysia dip': 511602, 'in fuel': 423149, 'price mco': 675209, 'mco may': 522226, 'may see': 521478, 'see petrol': 745575, 'station close': 796373, 'close say': 182788, 'say group': 738711, 'malaysia dip in': 511603, 'dip in fuel': 243190, 'in fuel price': 423151, 'fuel price mco': 340240, 'price mco may': 675210, 'mco may see': 522227, 'may see petrol': 521481, 'see petrol station': 745576, 'petrol station close': 653789, 'station close say': 796375, 'close say group': 182789, 've shopped': 953564, 'shopped online': 761313, 'local walmart': 498688, 'walmart for': 965328, 'for about': 318975, 'about year': 26959, 'saw no': 738183, 'no change': 563786, 'from before': 334660, 'after now': 35967, 're price': 699301, 'gouging they': 359470, 've shopped online': 953565, 'shopped online at': 761314, 'online at the': 607895, 'the local walmart': 859579, 'local walmart for': 498689, 'walmart for about': 965329, 'for about year': 318984, 'about year and': 26960, 'year and saw': 1014402, 'and saw no': 70983, 'saw no change': 738184, 'no change in': 563788, 'change in price': 172128, 'in price from': 426965, 'price from before': 674110, 'from before covid': 334662, '19 and after': 4982, 'and after now': 57755, 'after now if': 35968, 'now if they': 574974, 'they re price': 883099, 're price gouging': 699303, 'price gouging they': 674332, 'gouging they re': 359471, 'not doing it': 569087, 'doing it here': 252483, 'bbcyourquestions': 113159, 'am supermarket': 50451, 'my year': 550658, 'old niece': 598395, 'niece is': 562630, 'risk category': 723454, 'category is': 167188, 'of passing': 587802, 'passing on': 643384, 'member bbcyourquestions': 528033, 'am supermarket worker': 50453, 'worker my year': 1007412, 'my year old': 550661, 'year old niece': 1014857, 'old niece is': 598396, 'niece is in': 562631, 'is in high': 448776, 'high risk category': 395351, 'risk category is': 723457, 'category is it': 167189, 'it safe for': 460840, 'safe for me': 729678, 'me to go': 523754, 'to work are': 918687, 'work are supermarket': 1004835, 'are supermarket worker': 90656, 'supermarket worker at': 823992, 'worker at high': 1006464, 'risk of passing': 723768, 'of passing on': 587803, 'passing on covid': 643386, '19 to family': 11426, 'to family member': 905658, 'family member bbcyourquestions': 298027, 'yesterday grocery': 1015759, 'worker really': 1007664, 'high praise': 395221, 'praise pay': 668860, 'raise something': 695949, 'something they': 785091, 'wa there': 963477, 'there yesterday': 879387, 'yesterday everyone': 1015725, 'very kind': 955287, 'and patient': 68770, 'patient worker': 644320, 'supermarket yesterday grocery': 824170, 'yesterday grocery store': 1015760, 'store worker really': 811571, 'worker really need': 1007665, 'really need high': 702436, 'need high praise': 555010, 'high praise pay': 395222, 'praise pay raise': 668861, 'pay raise something': 645070, 'raise something they': 695950, 'something they are': 785092, 'they are some': 881412, 'of the true': 591559, 'true hero and': 933099, 'hero and when': 393934, 'and when wa': 75526, 'when wa there': 984408, 'wa there yesterday': 963483, 'there yesterday everyone': 879388, 'yesterday everyone wa': 1015726, 'everyone wa very': 287545, 'wa very kind': 963643, 'very kind and': 955288, 'kind and patient': 474808, 'and patient worker': 68777, 'patient worker and': 644321, 'worker and customer': 1006284, 'supermarket couple': 819844, 'ago told': 38523, 'queue that': 694080, 'whole nonsense': 990279, 'nonsense wa': 566751, 'wa hoax': 962316, 'hoax lady': 399726, 'lady agreed': 478731, 'agreed with': 38759, 'ha very': 372425, 'ill child': 416110, 'child by': 176028, 'that something': 846409, 'local supermarket couple': 498513, 'supermarket couple of': 819845, 'of day ago': 582375, 'day ago told': 227212, 'ago told everyone': 38525, 'told everyone in': 923550, 'the queue that': 865054, 'queue that the': 694082, 'the whole nonsense': 871499, 'whole nonsense wa': 990280, 'nonsense wa hoax': 566752, 'wa hoax lady': 962321, 'hoax lady agreed': 399727, 'lady agreed with': 478732, 'agreed with me': 38760, 'with me she': 999450, 'me she ha': 523444, 'she ha very': 756085, 'ha very ill': 372427, 'very ill child': 955240, 'ill child by': 416111, 'child by the': 176029, 'by the way': 154477, 'the way so': 871186, 'way so guess': 969874, 'so guess that': 777216, 'guess that something': 368042, 'wm': 1003273, 'petrides': 653656, 'making new': 511248, 'new 52': 558311, '52 week': 20257, 'week high': 976328, 'high it': 395145, 'high right': 395340, 'real demand': 701106, 'for wm': 327903, 'wm share': 1003276, 'share 2020': 754904, '2020 we': 14700, 'store wm': 811426, 'wm ha': 1003274, 'ha about': 369426, 'grocery sold': 365139, 'sold throughout': 781785, 'country petrides': 210957, 'petrides via': 653657, 'walmart is making': 965363, 'is making new': 449553, 'making new 52': 511249, 'new 52 week': 558312, '52 week high': 20258, 'week high it': 976330, 'high it at': 395146, 'it at it': 456621, 'at it all': 99313, 'it all time': 456380, 'time high right': 896932, 'high right so': 395341, 'right so there': 722276, 'there is real': 878611, 'is real demand': 451265, 'real demand for': 701107, 'demand for wm': 235518, 'for wm share': 327904, 'wm share 2020': 1003277, 'share 2020 we': 754905, '2020 we have': 14701, 'have run on': 382370, 'run on the': 727741, 'on the grocery': 604150, 'grocery store wm': 365964, 'store wm ha': 811427, 'wm ha about': 1003275, 'ha about 50': 369427, 'about 50 of': 24723, '50 of the': 19776, 'the grocery sold': 856825, 'grocery sold throughout': 365140, 'sold throughout the': 781786, 'throughout the country': 894967, 'the country petrides': 852128, 'country petrides via': 210958, 'store rightly': 809896, 'rightly limit': 722469, 'grateful just': 362290, 'selfish needy': 748179, 'needy asshole': 556671, 'terrified of': 838493, 'shopping without': 764449, 'without their': 1002984, 'their significant': 874731, 'significant other': 769484, 'get over': 347751, 'over themselves': 630802, 'themselves get': 876816, 'get fucking': 347119, 'fucking big': 339812, 'big weird': 130102, 'weird beyond': 977744, 'beyond stayhomesavelives': 129234, 'message from the': 529324, 'supermarket store rightly': 823011, 'store rightly limit': 809897, 'rightly limit the': 722470, 'same time am': 733346, 'time am grateful': 896240, 'am grateful just': 50104, 'grateful just want': 362291, 'just want the': 470227, 'want the selfish': 965962, 'the selfish needy': 866668, 'selfish needy asshole': 748180, 'needy asshole who': 556673, 'asshole who are': 96589, 'who are terrified': 988237, 'are terrified of': 90778, 'terrified of shopping': 838496, 'of shopping without': 589675, 'shopping without their': 764452, 'without their significant': 1002988, 'their significant other': 874732, 'significant other to': 769485, 'other to get': 621134, 'to get over': 906553, 'get over themselves': 347756, 'over themselves and': 630803, 'themselves and get': 876753, 'and get over': 63593, 'over themselves get': 630804, 'themselves get fucking': 876817, 'get fucking big': 347120, 'fucking big weird': 339813, 'big weird beyond': 130103, 'weird beyond stayhomesavelives': 977745, 'there discussion': 878321, 'market what': 517334, 'there discussion on': 878322, 'discussion on how': 245036, '19 will affect': 12077, 'will affect the': 992216, 'affect the real': 34250, 'estate market what': 282160, 'market what do': 517335, 'think the effect': 885631, 'the effect will': 854072, 'fiji': 305271, 'fijian': 305296, 'saulevu': 737387, 'jiko': 465478, 'kada': 470579, 'ga': 342679, 'kakana': 470683, 'viti': 959834, 'dou': 255965, 'qai': 691458, 'raica': 695591, 'kina': 474789, 'the fiji': 855176, 'fiji competition': 305274, 'commission fcc': 188817, 'fcc is': 300762, 'urging fijian': 948422, 'fijian not': 305303, 'happen sa': 377151, 'sa saulevu': 728930, 'saulevu jiko': 737388, 'jiko kada': 465479, 'kada ga': 470580, 'ga na': 342682, 'na kakana': 551293, 'kakana viti': 470684, 'viti maybe': 959835, 'all lowered': 43424, 'lowered the': 506081, 'price ya': 677680, 'ya dou': 1013978, 'dou na': 255966, 'na qai': 551315, 'qai raica': 691459, 'raica kina': 695592, 'kina na': 474790, 'na panic': 551307, 'they say the': 883280, 'say the fiji': 739277, 'the fiji competition': 855177, 'fiji competition and': 305275, 'consumer commission fcc': 196819, 'commission fcc is': 188818, 'fcc is urging': 300763, 'is urging fijian': 453603, 'urging fijian not': 948423, 'fijian not to': 305304, 'not to engage': 572147, 'engage in panic': 276859, '19 like it': 8328, 'like it wa': 490563, 'to happen sa': 907158, 'happen sa saulevu': 377152, 'sa saulevu jiko': 728931, 'saulevu jiko kada': 737389, 'jiko kada ga': 465480, 'kada ga na': 470581, 'ga na kakana': 342683, 'na kakana viti': 551294, 'kakana viti maybe': 470685, 'viti maybe you': 959837, 'maybe you all': 521891, 'you all lowered': 1016890, 'all lowered the': 43426, 'lowered the price': 506083, 'the price ya': 864442, 'price ya dou': 677681, 'ya dou na': 1013979, 'dou na qai': 255967, 'na qai raica': 551316, 'qai raica kina': 691460, 'raica kina na': 695593, 'kina na panic': 474791, 'na panic buying': 551308, 'anarchy': 57290, 'crtitcal': 219437, 'ger': 346065, 'nl': 563509, 'if want': 415250, 'avoid globally': 105124, 'globally social': 352398, 'unrest anarchy': 943334, 'anarchy then': 57291, 'should add': 765476, 'add couple': 31418, 'our bank': 622159, 'bank statement': 110203, 'statement and': 796159, 'price stable': 676598, 'stable this': 791963, 'fear away': 301055, 'from humanity': 335973, 'humanity and': 410700, 'them confidence': 875539, 'confidence to': 193964, 'to pas': 911483, 'pas this': 643159, 'this crtitcal': 887127, 'crtitcal time': 219438, 'time ger': 896823, 'ger nl': 346068, 'nl eu': 563510, 'if want to': 415254, 'want to avoid': 965991, 'to avoid globally': 900903, 'avoid globally social': 105125, 'globally social unrest': 352399, 'social unrest anarchy': 779996, 'unrest anarchy then': 943335, 'anarchy then they': 57292, 'then they should': 877659, 'they should add': 883351, 'should add couple': 765477, 'add couple of': 31419, 'couple of in': 211641, 'in our bank': 426262, 'our bank statement': 622162, 'bank statement and': 110204, 'statement and keep': 796160, 'and keep the': 65784, 'the price stable': 864419, 'price stable this': 676602, 'stable this will': 791965, 'this will take': 891448, 'will take the': 995082, 'take the fear': 832646, 'the fear away': 855033, 'fear away from': 301056, 'away from humanity': 105891, 'from humanity and': 335974, 'humanity and give': 410701, 'give them confidence': 350764, 'them confidence to': 875540, 'confidence to pas': 193965, 'to pas this': 911489, 'pas this crtitcal': 643160, 'this crtitcal time': 887128, 'crtitcal time ger': 219439, 'time ger nl': 896824, 'ger nl eu': 346069, 'vancouvercorona': 952362, 'canadalockdown': 160623, 'friend work': 333920, 'large grocery': 479677, 'in vancouvercorona': 430530, 'vancouvercorona this': 952363, 'this person': 889535, 'been at': 120700, 'with fever': 998412, 'fever coughing': 303669, 'coughing etc': 208681, 'tested can': 839280, 'you imagine': 1019289, 'with canadalockdown': 997526, 'canadalockdown yvr': 160626, 'yvr vancouver': 1027145, 'friend work in': 333921, 'work in large': 1005319, 'in large grocery': 424585, 'large grocery store': 479679, 'store in vancouvercorona': 808411, 'in vancouvercorona this': 430531, 'vancouvercorona this person': 952364, 'this person ha': 889536, 'person ha been': 652451, 'ha been at': 369726, 'been at home': 120703, 'home with fever': 402521, 'with fever coughing': 998415, 'fever coughing etc': 303670, 'coughing etc for': 208682, 'etc for four': 282547, 'for four day': 321686, 'four day and': 330597, 'day and ha': 227263, 'and ha not': 64079, 'not been tested': 568521, 'been tested can': 122150, 'tested can you': 839281, 'can you imagine': 160310, 'you imagine all': 1019290, 'the people they': 863510, 'people they have': 649820, 'they have come': 882303, 'have come in': 380030, 'contact with canadalockdown': 200268, 'with canadalockdown yvr': 997527, 'canadalockdown yvr vancouver': 160627, 'leveling': 487765, 'something very': 785128, 'very strange': 955586, 'strange is': 812402, 'number china': 576848, 'china say': 176926, 'case people': 165953, 'running scenario': 728053, 'scenario saying': 741285, 'saying 10m': 739542, '10m 100m': 2347, '100m dead': 2187, 'dead italy': 229154, 'italy is': 462854, 'in chaos': 421328, 'chaos but': 173005, 'but death': 145510, 'death are': 229972, 'are leveling': 87772, 'leveling out': 487766, 'out korea': 626479, 'korea china': 477461, 'china singapore': 176945, 'singapore are': 771105, 'week none': 976574, 'this add': 886196, 'something very strange': 785129, 'very strange is': 955587, 'strange is going': 812403, 'on with the': 605348, 'the number china': 861952, 'number china say': 576849, 'china say no': 176928, 'say no new': 738984, 'no new case': 564864, 'new case people': 558465, 'case people are': 165954, 'people are running': 647062, 'are running scenario': 89769, 'running scenario saying': 728054, 'scenario saying 10m': 741286, 'saying 10m 100m': 739543, '10m 100m dead': 2348, '100m dead italy': 2188, 'dead italy is': 229155, 'italy is in': 462859, 'is in chaos': 448754, 'in chaos but': 421329, 'chaos but death': 173006, 'but death are': 145511, 'death are leveling': 229975, 'are leveling out': 87773, 'leveling out korea': 487767, 'out korea china': 626480, 'korea china singapore': 477462, 'china singapore are': 176946, 'singapore are back': 771106, 'are back to': 84742, 'to normal in': 910650, 'normal in week': 567184, 'in week none': 430759, 'week none of': 976575, 'none of this': 566600, 'of this add': 591933, 'this add up': 886198, 'latest driver': 481302, 'nj around': 563411, 'around country': 93262, 'country still': 211083, 'seeing gas': 746303, 'drop amid': 260118, 'covid mar': 214190, 'mar 21': 514980, '21 10': 14950, '10 28': 1261, '28 am': 16378, 'am et': 50023, 'coronavirus latest driver': 206207, 'latest driver in': 481303, 'driver in nj': 259615, 'in nj around': 425898, 'nj around country': 563412, 'around country still': 93263, 'country still seeing': 211084, 'still seeing gas': 801155, 'seeing gas price': 746304, 'gas price drop': 343954, 'price drop amid': 673558, 'drop amid covid': 260120, 'amid covid mar': 52433, 'covid mar 21': 214191, 'mar 21 10': 514981, '21 10 28': 14951, '10 28 am': 1262, '28 am et': 16379, '018': 783, '233': 15457, 'diseasecontrol': 245283, 'people walk': 650120, 'walk by': 964759, 'london britain': 501040, 'britain march': 140422, '21 2020': 14953, '2020 britain': 14188, 'britain of': 140431, 'which 67': 985639, '67 800': 21452, '800 were': 22726, 'were confirmed': 979472, 'confirmed negative': 194174, 'negative and': 556737, 'and 018': 57337, '018 were': 784, 'confirmed positive': 194182, 'positive 233': 665242, '233 patient': 15460, 'patient tested': 644270, 'died britain': 241521, 'britain london': 140420, 'london diseasecontrol': 501055, 'people walk by': 650122, 'walk by almost': 964760, 'by almost empty': 151803, 'almost empty shelf': 46610, 'shelf of supermarket': 757370, 'in london britain': 424878, 'london britain march': 501041, 'britain march 21': 140424, 'march 21 2020': 515171, '21 2020 britain': 14955, '2020 britain of': 14189, 'britain of which': 140432, 'of which 67': 593097, 'which 67 800': 985640, '67 800 were': 21453, '800 were confirmed': 22727, 'were confirmed negative': 979473, 'confirmed negative and': 194175, 'negative and 018': 556738, 'and 018 were': 57338, '018 were confirmed': 785, 'were confirmed positive': 979474, 'confirmed positive 233': 194183, 'positive 233 patient': 665243, '233 patient tested': 15461, 'patient tested positive': 644271, 'the virus have': 870839, 'virus have died': 958265, 'have died britain': 380263, 'died britain london': 241522, 'britain london diseasecontrol': 140421, 'outage': 627918, 'internet outage': 441980, 'outage during': 627921, '19th will': 12546, 'will facilitate': 993396, 'facilitate the': 295274, 'urge government': 948189, 'government around': 359911, 'ensure free': 277947, 'free open': 332031, 'access during': 28110, 'internet outage during': 441981, 'outage during the': 627922, 'during the 19th': 263080, 'the 19th will': 847967, '19th will facilitate': 12547, 'will facilitate the': 993397, 'facilitate the spread': 295277, 'virus we urge': 959010, 'we urge government': 973598, 'urge government around': 948191, 'government around the': 359912, 'world to ensure': 1010080, 'to ensure free': 905161, 'ensure free open': 277949, 'free open and': 332032, 'open and secure': 612076, 'and secure internet': 71120, 'internet access during': 441896, 'access during this': 28111, 'during this global': 263289, 'this global pandemic': 887708, 'writingcommunity': 1012943, 'hugging': 410284, 'authorslife': 103845, 'writingcommunity today': 1012945, 'husband came': 411695, 'supermarket beaming': 819328, 'beaming hugging': 118274, 'hugging pack': 410292, 'paper victory': 641047, 'victory is': 956571, 'so sweet': 778326, 'sweet who': 830261, '2020 buying': 14207, 'buying single': 151034, 'single pack': 771357, 'paper would': 641111, 'bring so': 140068, 'much joy': 545027, 'joy and': 467499, 'and relief': 70198, 'relief toiletpaper': 709489, 'toiletpaper authorslife': 921770, 'writingcommunity today my': 1012946, 'my husband came': 548777, 'husband came home': 411696, 'came home from': 157006, 'the supermarket beaming': 868481, 'supermarket beaming hugging': 819329, 'beaming hugging pack': 118275, 'hugging pack of': 410293, 'toilet paper victory': 921514, 'paper victory is': 641048, 'victory is so': 956572, 'is so sweet': 452037, 'so sweet who': 778327, 'sweet who would': 830262, 'thought that in': 893232, 'that in 2020': 844445, 'in 2020 buying': 419826, '2020 buying single': 14208, 'buying single pack': 151035, 'single pack of': 771358, 'toilet paper would': 921534, 'paper would bring': 641112, 'would bring so': 1011697, 'bring so much': 140069, 'so much joy': 777788, 'much joy and': 545028, 'joy and relief': 467501, 'and relief toiletpaper': 70201, 'relief toiletpaper authorslife': 709490, 'scar': 740761, 'scab': 739862, 'growfearless': 367117, 'creativity in': 216210, 'quarantine our': 692416, 'of innovation': 585212, 'innovation consumer': 438863, 'technology share': 836360, 'brand response': 137993, 'between scar': 128883, 'scar and': 740764, 'and scab': 71022, 'scab of': 739864, 'behavior growfearless': 124049, 'creativity in quarantine': 216212, 'in quarantine our': 427188, 'quarantine our head': 692417, 'our head of': 623361, 'head of innovation': 385771, 'of innovation consumer': 585214, 'innovation consumer technology': 438864, 'consumer technology share': 199239, 'technology share the': 836361, 'share the evolution': 755246, 'evolution of brand': 288488, 'of brand response': 580828, 'brand response to': 137994, 'and the difference': 73324, 'difference between scar': 241816, 'between scar and': 128884, 'scar and scab': 740765, 'and scab of': 71023, 'scab of consumer': 739865, 'consumer behavior growfearless': 196480, 'trump admin': 933372, 'admin to': 32426, 'supply worker': 826135, 'worker step': 1007818, 'meet growing': 527496, 'are vital': 91491, 'vital great': 959692, 'people part': 649077, 'critical infrastructure': 218589, 'infrastructure show': 438219, 'job poultry': 466097, 'poultry worker': 667350, 'worker death': 1006726, 'death highlight': 230064, 'highlight spread': 395955, 'in meat': 425217, 'meat plant': 525688, 'the trump admin': 870061, 'trump admin to': 933374, 'admin to food': 32427, 'food supply worker': 317020, 'supply worker step': 826137, 'worker step up': 1007819, 'to meet growing': 910026, 'meet growing demand': 527498, 'growing demand you': 367170, 'you are vital': 1017283, 'are vital great': 91493, 'vital great service': 959693, 'great service to': 362987, 'service to people': 752987, 'to people part': 911636, 'people part of': 649078, 'part of critical': 642342, 'of critical infrastructure': 582205, 'critical infrastructure show': 218592, 'infrastructure show up': 438220, 'up and do': 944319, 'do your job': 250705, 'your job poultry': 1024536, 'job poultry worker': 466098, 'poultry worker death': 667351, 'worker death highlight': 1006727, 'death highlight spread': 230065, 'highlight spread of': 395956, 'of in meat': 585033, 'in meat plant': 425218, 'dewine': 240006, 'elitist': 271524, 'fyi snap': 342646, 'recipient are': 704522, 'now allowed': 573968, 'reduce community': 705798, 'community spread': 190109, '19 per': 9635, 'per gov': 650865, 'gov dewine': 359573, 'dewine don': 240007, 'all elitist': 42667, 'elitist people': 271525, 'people this': 649843, 'risk community': 723466, 'spread just': 790601, 'use food': 949213, 'fyi snap recipient': 342647, 'snap recipient are': 776109, 'recipient are now': 704523, 'are now allowed': 88519, 'now allowed to': 573970, 'allowed to use': 46252, 'to use online': 918053, 'shopping to pay': 764187, 'pay for grocery': 644879, 'for grocery to': 322054, 'to help reduce': 907605, 'help reduce community': 390423, 'reduce community spread': 705799, 'community spread of': 190112, 'covid 19 per': 213567, '19 per gov': 9637, 'per gov dewine': 650866, 'gov dewine don': 359574, 'dewine don get': 240008, 'don get all': 253535, 'get all elitist': 346519, 'all elitist people': 42668, 'elitist people this': 271526, 'people this is': 649845, 'is good thing': 448153, 'good thing people': 357850, 'thing people should': 884677, 'people should have': 649446, 'should have to': 766101, 'have to risk': 383285, 'to risk community': 913591, 'risk community spread': 723467, 'community spread just': 190110, 'spread just because': 790602, 'just because they': 468293, 'because they use': 119724, 'they use food': 883613, 'use food stamp': 949214, 'be furious': 114989, 'furious not': 341857, 'he expose': 384947, 'expose you': 292820, 'he also': 384726, 'also exposed': 48180, 'exposed his': 292853, 'now expose': 574649, 'expose more': 292791, 'will expose': 993383, 'expose nurse': 292793, 'provider garbage': 686724, 'garbage collector': 343517, 'collector supermarket': 186586, 'farmer etc': 299358, 'should be furious': 765632, 'be furious not': 114990, 'furious not only': 341858, 'only did he': 610332, 'did he expose': 240632, 'he expose you': 384948, 'expose you to': 292821, 'you to covid': 1021765, '19 he also': 7469, 'he also exposed': 384730, 'also exposed his': 48181, 'exposed his friend': 292854, 'his friend who': 397459, 'who will now': 989994, 'will now expose': 994299, 'now expose more': 574650, 'expose more people': 292792, 'people who will': 650359, 'who will expose': 989986, 'will expose nurse': 993385, 'expose nurse doctor': 292794, 'nurse doctor healthcare': 577297, 'doctor healthcare provider': 250952, 'healthcare provider garbage': 387250, 'provider garbage collector': 686725, 'garbage collector supermarket': 343525, 'collector supermarket worker': 186587, 'delivery driver farmer': 233906, 'driver farmer etc': 259552, 'craic': 214800, 'arguement': 92708, '30mins': 17483, 'mothersday is': 543236, 'no craic': 563926, 'craic when': 214801, 'two mam': 937026, 'mam it': 511914, 'just long': 469184, 'long arguement': 501336, 'arguement about': 92709, 'about which': 26921, 'of deserves': 582548, 'deserves the': 238181, 'and nobody': 67657, 'nobody win': 566088, 'win and': 995539, 'be fight': 114831, 'fight over': 304825, 'over who': 630930, 'and parent': 68709, 'escape to': 280317, 'virus infected': 958350, 'infected supermarket': 436641, 'for 30mins': 318815, 'mothersday is no': 543237, 'is no craic': 449918, 'no craic when': 563927, 'craic when it': 214802, 'when it two': 983655, 'it two mam': 461893, 'two mam it': 937027, 'mam it just': 511915, 'it just long': 459230, 'just long arguement': 469185, 'long arguement about': 501337, 'arguement about which': 92710, 'about which one': 26922, 'which one of': 986202, 'one of deserves': 606739, 'of deserves the': 582549, 'deserves the day': 238182, 'the day off': 852901, 'day off and': 228121, 'off and nobody': 593644, 'and nobody win': 67664, 'nobody win and': 566089, 'win and now': 995540, 'and now with': 67873, 'now with it': 576447, 'with it will': 999091, 'will be fight': 992459, 'be fight over': 114832, 'fight over who': 304834, 'over who get': 630931, 'who get to': 988777, 'get to stay': 348493, 'in and parent': 420382, 'and parent and': 68710, 'parent and who': 641577, 'and who get': 75585, 'get to escape': 348465, 'to escape to': 905251, 'escape to virus': 280320, 'to virus infected': 918198, 'virus infected supermarket': 958351, 'infected supermarket for': 436642, 'supermarket for 30mins': 820379, 'buyer this': 149775, 'aftermath of': 36653, 'going shop': 355442, 'shop trying': 760979, 'get toilet': 348512, 'paper 19': 639755, 'fuck all you': 339521, 'all you panic': 45550, 'panic buyer this': 637607, 'buyer this wa': 149777, 'wa the aftermath': 963440, 'the aftermath of': 848421, 'aftermath of going': 36657, 'of going shop': 584195, 'going shop to': 355443, 'shop to shop': 760954, 'to shop trying': 914497, 'shop trying to': 760980, 'to get toilet': 906626, 'get toilet paper': 348513, 'toilet paper 19': 921172, 'paper 19 toiletpaper': 639758, 'sadly there': 729364, 'are scammer': 89832, 'scammer trying': 740637, 'misinformation surrounding': 534075, 'take few': 832114, 'few min': 303911, 'min here': 532543, 'to arm': 900710, 'arm yourself': 92921, 'some helpful': 783040, 'helpful info': 391190, 'sadly there are': 729365, 'there are scammer': 878156, 'are scammer trying': 89835, 'scammer trying to': 740638, 'of fear and': 583453, 'fear and misinformation': 301035, 'and misinformation surrounding': 67063, 'misinformation surrounding covid': 534076, '19 take few': 11026, 'take few min': 832115, 'few min here': 303912, 'min here to': 532544, 'here to arm': 393705, 'to arm yourself': 900711, 'arm yourself with': 92922, 'with some helpful': 1000848, 'some helpful info': 783041, 'helpful info from': 391191, 'from the the': 337898, 'the the fda': 869381, 'toast': 919060, '19 toiletpaperapocalypse': 11497, 'toiletpaperapocalypse went': 922957, 'towel no': 927349, 'milk no': 531740, 'no heavy': 564415, 'heavy cream': 388626, 'cream damn': 215540, 'damn no': 225404, 'no toast': 565748, 'toast or': 919065, 'bread no': 138539, 'no flour': 564235, 'flour at': 311074, 'supermarket lot': 821406, 'rice noodle': 721084, 'noodle me': 566804, 'me packet': 523315, 'rice bag': 721012, 'of noodle': 587058, 'noodle female': 566794, 'female dog': 303502, 'dog panic': 252148, 'panic 10': 637238, '10 bag': 1329, 'covid 19 toiletpaperapocalypse': 213962, '19 toiletpaperapocalypse went': 11499, 'toiletpaperapocalypse went to': 922958, 'to supermarket no': 915816, 'supermarket no paper': 821615, 'no paper no': 565058, 'paper no paper': 640500, 'paper towel no': 641002, 'towel no milk': 927351, 'no milk no': 564773, 'milk no heavy': 531743, 'no heavy cream': 564416, 'heavy cream damn': 388627, 'cream damn no': 215541, 'damn no toast': 225405, 'no toast or': 565749, 'toast or bread': 919066, 'or bread no': 614580, 'bread no flour': 138541, 'no flour at': 564236, 'flour at least': 311075, 'least in supermarket': 484518, 'in supermarket lot': 428628, 'supermarket lot of': 821408, 'lot of rice': 504271, 'of rice noodle': 589100, 'rice noodle me': 721085, 'noodle me packet': 566805, 'me packet of': 523316, 'packet of rice': 633711, 'of rice bag': 589092, 'rice bag of': 721013, 'bag of noodle': 108358, 'of noodle female': 587059, 'noodle female dog': 566795, 'female dog panic': 303503, 'dog panic 10': 252149, 'panic 10 bag': 637239, '10 bag of': 1330, 'actively': 30296, 'in four': 423061, 'four american': 330581, 'are actively': 84203, 'actively avoiding': 30297, 'avoiding eating': 105447, 'restaurant crisis': 716407, 'crisis worsens': 218447, 'worsens via': 1011121, 'via restaurant': 956205, 'more than one': 540656, 'than one in': 840979, 'one in four': 606473, 'in four american': 423062, 'four american are': 330582, 'american are actively': 51793, 'are actively avoiding': 84204, 'actively avoiding eating': 30298, 'avoiding eating out': 105448, 'eating out in': 266272, 'out in restaurant': 626393, 'in restaurant crisis': 427431, 'restaurant crisis worsens': 716409, 'crisis worsens via': 218449, 'worsens via restaurant': 1011122, 'bible': 129430, 'loon': 503123, 'remember wherever': 710423, 're from': 698715, 'world it': 1009725, 'worse you': 1011062, 'american bible': 51838, 'bible loon': 129433, 'just remember wherever': 469610, 'remember wherever you': 710424, 'wherever you re': 985477, 'you re from': 1020628, 're from in': 698716, 'from in the': 336027, 'the world it': 871901, 'world it could': 1009726, 'could be much': 208899, 'be much worse': 116029, 'much worse you': 545479, 'worse you could': 1011063, 'could be an': 208841, 'be an american': 113594, 'an american bible': 55282, 'american bible loon': 51839, 'doin': 252241, 'tongue': 924326, 'who doin': 988643, 'doin dumb': 252242, 'dumb shit': 262113, 'shit like': 759164, 'like coughing': 490054, 'and licking': 66135, 'licking their': 488254, 'their nasty': 874033, 'nasty as': 552054, 'as tongue': 94819, 'tongue on': 924331, 'guess ll': 367999, 'll wait': 497091, 'guess who doin': 368095, 'who doin dumb': 988644, 'doin dumb shit': 252243, 'dumb shit like': 262114, 'shit like coughing': 759165, 'like coughing on': 490055, 'on food in': 600873, 'store and licking': 806281, 'and licking their': 66136, 'licking their nasty': 488256, 'their nasty as': 874034, 'nasty as tongue': 552055, 'as tongue on': 94820, 'tongue on product': 924332, 'product in store': 681298, 'in store just': 428424, 'store just guess': 808616, 'just guess ll': 468888, 'guess ll wait': 368005, 'slipping': 774059, '19 brings': 5446, 'brings country': 140236, 'standstill consumer': 793847, 'confidence continued': 193842, 'continued it': 201327, 'it drastic': 457702, 'drastic decline': 258397, 'decline slipping': 231398, 'slipping to': 774060, 'year read': 1014921, 'full economic': 340574, 'economic sentiment': 267268, 'sentiment index': 750952, 'index reading': 434234, 'covid 19 brings': 212731, '19 brings country': 5448, 'brings country and': 140237, 'global economy to': 351908, 'economy to standstill': 268299, 'to standstill consumer': 915177, 'standstill consumer confidence': 793848, 'consumer confidence continued': 196889, 'confidence continued it': 193843, 'continued it drastic': 201328, 'it drastic decline': 457703, 'drastic decline slipping': 258399, 'decline slipping to': 231399, 'slipping to it': 774061, 'it lowest point': 459483, 'point in over': 662523, 'in over year': 426382, 'over year read': 630958, 'year read the': 1014923, 'the full economic': 856005, 'full economic sentiment': 340576, 'economic sentiment index': 267269, 'sentiment index reading': 750957, 'medicating': 526613, 'morning equally': 541244, 'equally long': 279637, 'long for': 501417, 'for amp': 319257, 'amp bottle': 53464, 'bottle store': 136326, 'store south': 810268, 'african self': 35224, 'self medicating': 747816, 'medicating through': 526614, 'queue at 9am': 693881, 'this morning equally': 888955, 'morning equally long': 541245, 'equally long for': 279638, 'long for amp': 501418, 'for amp bottle': 319258, 'amp bottle store': 53465, 'bottle store south': 136327, 'store south african': 810269, 'south african self': 786677, 'african self medicating': 35225, 'self medicating through': 747817, 'enough food etc': 277394, 'food etc for': 314397, 'etc for everyone': 282544, '61': 21177, 'week catherine': 976073, 'catherine and': 167293, 'others will': 621797, 'have vital': 383519, 'vital food': 959682, 'food access': 313028, 'access via': 28304, 'online snap': 609383, 'snap purchasing': 776106, 'purchasing the': 689929, 'the 61': 848170, '61 year': 21192, 'old lung': 598336, 'lung cancer': 506785, 'cancer patient': 161269, 'patient is': 644191, 'home per': 401838, 'per she': 651013, 'threatening illness': 893809, 'illness if': 416370, 'if exposed': 414105, 'few week catherine': 304141, 'week catherine and': 976074, 'catherine and others': 167294, 'and others will': 68468, 'others will have': 621799, 'will have vital': 993682, 'have vital food': 383520, 'vital food access': 959683, 'food access via': 313029, 'access via online': 28305, 'via online snap': 956138, 'online snap purchasing': 609385, 'snap purchasing the': 776107, 'purchasing the 61': 689930, 'the 61 year': 848171, '61 year old': 21193, 'year old lung': 1014845, 'old lung cancer': 598337, 'lung cancer patient': 506788, 'cancer patient is': 161272, 'patient is staying': 644192, 'is staying at': 452249, 'at home per': 99078, 'home per she': 401839, 'per she ha': 651014, 'ha very high': 372426, 'very high risk': 955234, 'risk of life': 723760, 'of life threatening': 585835, 'life threatening illness': 489124, 'threatening illness if': 893811, 'illness if exposed': 416371, 'if exposed to': 414106, 'columbia': 186875, 'update unemployment': 947287, 'unemployment application': 941162, 'application in': 82468, 'in missouri': 425377, 'missouri are': 534420, 'soaring the': 779342, 'the mo': 860703, 'mo attorney': 534852, 'general ha': 345344, 'ha ordered': 371456, 'ordered man': 618864, 'man to': 512275, 'selling n95': 749356, 'price drive': 673549, 'thru test': 895223, 'test site': 839173, 'site in': 771952, 'in columbia': 421572, 'columbia mo': 186880, 'mo tested': 534874, 'tested more': 839321, 'live update unemployment': 496103, 'update unemployment application': 947288, 'unemployment application in': 941163, 'application in missouri': 82469, 'in missouri are': 425378, 'missouri are soaring': 534421, 'are soaring the': 90232, 'soaring the mo': 779344, 'the mo attorney': 860704, 'mo attorney general': 534853, 'attorney general ha': 102640, 'general ha ordered': 345345, 'ha ordered man': 371458, 'ordered man to': 618865, 'man to stop': 512276, 'to stop selling': 915568, 'stop selling n95': 804991, 'selling n95 mask': 749357, 'mask at inflated': 518423, 'inflated price drive': 437038, 'price drive thru': 673550, 'drive thru test': 259206, 'thru test site': 895224, 'test site in': 839174, 'site in columbia': 771954, 'in columbia mo': 421573, 'columbia mo tested': 186881, 'mo tested more': 534875, 'tested more than': 839322, 'than 00 people': 840137, '00 people in': 411, 'people in one': 648409, 'knowingly': 477159, 'cincinnati': 178513, 'they arrested': 881491, 'arrested woman': 93882, 'who told': 989799, 'them she': 876272, 'she recently': 756286, 'recently tested': 704163, 'and accused': 57607, 'accused her': 28938, 'of knowingly': 585670, 'knowingly exposing': 477161, 'exposing several': 292932, 'several people': 753918, 'at cincinnati': 98268, 'cincinnati area': 178518, 'area supermarket': 92210, 'police said they': 663186, 'said they arrested': 731471, 'they arrested woman': 881492, 'arrested woman who': 93883, 'woman who told': 1003685, 'who told them': 989801, 'told them she': 923716, 'them she recently': 876274, 'she recently tested': 756288, 'recently tested positive': 704164, '19 and accused': 4981, 'and accused her': 57608, 'accused her of': 28939, 'her of knowingly': 392240, 'of knowingly exposing': 585671, 'knowingly exposing several': 477162, 'exposing several people': 292933, 'several people to': 753919, 'people to the': 649955, 'to the highly': 916776, 'highly contagious virus': 396051, 'contagious virus at': 200454, 'virus at cincinnati': 957973, 'at cincinnati area': 98269, 'cincinnati area supermarket': 178519, 'duster': 263470, 'suffocation': 817411, 'meanwhile scene': 525028, 'scene from': 741324, 'from socialdistancing': 337332, 'socialdistancing do': 780321, 'have scarf': 382403, 'scarf or': 741081, 'or dog': 615033, 'dog bandana': 252045, 'bandana where': 109390, 'so wore': 778801, 'wore duster': 1004650, 'duster held': 263471, 'held in': 388901, 'by hair': 152739, 'hair tie': 374013, 'tie to': 895747, 'store thought': 810714, 'would die': 1011757, 'of suffocation': 590380, 'suffocation before': 817412, 'meanwhile scene from': 525029, 'scene from socialdistancing': 741326, 'from socialdistancing do': 337333, 'socialdistancing do not': 780322, 'not have scarf': 569867, 'have scarf or': 382404, 'scarf or dog': 741082, 'or dog bandana': 615034, 'dog bandana where': 252046, 'bandana where am': 109391, 'where am so': 984727, 'am so wore': 50415, 'so wore duster': 778804, 'wore duster held': 1004651, 'duster held in': 263472, 'held in place': 388903, 'place by hair': 657371, 'by hair tie': 152741, 'hair tie to': 374015, 'tie to go': 895748, 'grocery store thought': 365860, 'store thought would': 810717, 'thought would die': 893325, 'would die of': 1011758, 'die of suffocation': 241430, 'of suffocation before': 590381, 'suffocation before the': 817413, 'virus could kill': 958094, 'could kill me': 209366, 'that simple': 846316, 'simple trip': 770129, 'be terrifying': 117550, 'terrifying life': 838532, 'threatening experience': 893800, 'experience pandemic': 291454, 'pandemic socialdistancing': 636500, 'thought that simple': 893234, 'that simple trip': 846317, 'simple trip to': 770130, 'would be terrifying': 1011657, 'be terrifying life': 117551, 'terrifying life threatening': 838533, 'life threatening experience': 489122, 'threatening experience pandemic': 893801, 'experience pandemic socialdistancing': 291455, 'overwhelmingly': 631772, 'the incredible': 858092, 'incredible business': 433822, 'business community': 143550, 'community for': 189857, 'an overwhelmingly': 56767, 'overwhelmingly positive': 631773, 'positive response': 665421, 'american company': 51874, 'company wanting': 191283, 'through in': 894520, 'in kind': 424510, 'kind donation': 474835, 'donation or': 254658, 'or contract': 614814, 'contract at': 201636, 'at cut': 98395, 'cut rate': 223515, 'rate price': 697345, 'to the incredible': 916805, 'the incredible business': 858093, 'incredible business community': 433823, 'business community for': 143552, 'community for it': 189858, 'for it support': 322738, 'it support of': 461382, 'of the american': 590788, 'american people during': 52122, 'pandemic we ve': 636954, 've had an': 953216, 'had an overwhelmingly': 372845, 'an overwhelmingly positive': 56768, 'overwhelmingly positive response': 631774, 'positive response from': 665422, 'response from american': 715693, 'from american company': 334464, 'american company wanting': 51880, 'company wanting to': 191284, 'wanting to help': 966305, 'to help through': 907653, 'help through in': 390757, 'through in kind': 894521, 'in kind donation': 424511, 'kind donation or': 474836, 'donation or contract': 254659, 'or contract at': 614815, 'contract at cut': 201637, 'at cut rate': 98397, 'cut rate price': 223519, 'myquarantineinsixwords': 550802, 'survivor40': 829408, 'bleach2020': 132534, 'facemask n95': 295090, 'n95 myquarantineinsixwords': 551210, 'myquarantineinsixwords quarantine': 550803, 'quarantine chinesecoronavirus': 692082, 'chinesecoronavirus socialdistancing': 177409, 'socialdistancing survivor40': 780776, 'survivor40 bleach2020': 829409, 'bleach2020 face': 132535, 'stock soon': 802871, 'soon ton': 785877, 'of stuff': 590325, 'stuff follow': 815064, 'detail best': 239167, 'facemask n95 myquarantineinsixwords': 295091, 'n95 myquarantineinsixwords quarantine': 551211, 'myquarantineinsixwords quarantine chinesecoronavirus': 550804, 'quarantine chinesecoronavirus socialdistancing': 692083, 'chinesecoronavirus socialdistancing survivor40': 177410, 'socialdistancing survivor40 bleach2020': 780777, 'survivor40 bleach2020 face': 829410, 'bleach2020 face mask': 132536, 'sanitizer in stock': 735157, 'in stock soon': 428329, 'stock soon ton': 802873, 'soon ton of': 785878, 'ton of stuff': 924286, 'of stuff follow': 590328, 'stuff follow for': 815065, 'follow for detail': 312383, 'for detail best': 320677, 'detail best price': 239168, 'best price available': 127863, 'all wanted': 45392, 'do wa': 250447, 'wa kill': 962489, 'kill myself': 474456, 'myself happy': 550871, 'happy time': 377703, 'today and all': 919193, 'and all wanted': 57904, 'all wanted to': 45393, 'to do wa': 904581, 'do wa kill': 250450, 'wa kill myself': 962490, 'kill myself happy': 474457, 'myself happy time': 550872, 'youdrugstore': 1022523, 'onlinepharmacy': 609854, 'canadianpharmacy': 160785, 'safe indoors': 729774, 'indoors by': 435387, 'having your': 384413, 'family medication': 298015, 'delivered we': 233447, 'offer low': 594693, 'top brand': 925541, 'brand name': 137920, 'and generic': 63520, 'generic product': 345694, 'product youdrugstore': 681883, 'youdrugstore onlinepharmacy': 1022524, 'onlinepharmacy canadianpharmacy': 609855, 'canadianpharmacy pandemic': 160786, 'stay safe indoors': 797246, 'safe indoors by': 729775, 'indoors by having': 435388, 'by having your': 152770, 'having your family': 384415, 'your family medication': 1023792, 'family medication delivered': 298016, 'medication delivered we': 526640, 'delivered we offer': 233449, 'we offer low': 972626, 'offer low price': 594694, 'low price on': 505529, 'price on top': 675730, 'on top brand': 604807, 'top brand name': 925542, 'brand name and': 137921, 'name and generic': 551607, 'and generic product': 63521, 'generic product youdrugstore': 345695, 'product youdrugstore onlinepharmacy': 681884, 'youdrugstore onlinepharmacy canadianpharmacy': 1022525, 'onlinepharmacy canadianpharmacy pandemic': 609856, 'is reducing': 451379, 'reducing it': 706298, '2020 capital': 14213, 'percent and': 651110, 'lowering cash': 506097, 'cash operating': 166287, 'operating expense': 613069, 'expense by': 291182, 'by 15': 151543, '15 percent': 3820, 'low commodity': 505190, 'price resulting': 676201, 'from oversupply': 336823, 'oversupply and': 631573, 'demand weakness': 236463, 'weakness from': 974131, 'said today it': 731523, 'today it is': 919741, 'it is reducing': 459059, 'is reducing it': 451381, 'reducing it 2020': 706299, 'it 2020 capital': 456196, '2020 capital spending': 14215, 'capital spending by': 162686, 'spending by 30': 788769, 'by 30 percent': 151632, '30 percent and': 17190, 'percent and lowering': 651112, 'and lowering cash': 66465, 'lowering cash operating': 506098, 'cash operating expense': 166289, 'operating expense by': 613070, 'expense by 15': 291183, 'by 15 percent': 151547, '15 percent in': 3821, 'percent in response': 651134, 'response to low': 715865, 'to low commodity': 909481, 'low commodity price': 505192, 'commodity price resulting': 189284, 'price resulting from': 676202, 'resulting from oversupply': 717694, 'from oversupply and': 336824, 'oversupply and demand': 631576, 'and demand weakness': 61177, 'demand weakness from': 236464, 'weakness from the': 974132, 'authorized': 103828, 'consumer medical': 198112, 'selling expensive': 749228, 'expensive at': 291223, 'home testing': 402204, 'kit the': 475645, 'fda ha': 300866, 'ha stated': 372054, 'stated that': 796140, 'not authorized': 568288, 'authorized any': 103829, 'any test': 79947, 'testing yourself': 839693, 'yourself at': 1026534, 'to consumer medical': 903316, 'consumer medical company': 198113, 'medical company are': 526100, 'company are trying': 190459, 'capitalize on the': 162840, 'on the by': 604006, 'the by selling': 850247, 'by selling expensive': 153925, 'selling expensive at': 749229, 'expensive at home': 291225, 'at home testing': 99135, 'home testing kit': 402206, 'testing kit the': 839547, 'kit the fda': 475647, 'the fda ha': 855018, 'fda ha stated': 300871, 'ha stated that': 372055, 'stated that it': 796142, 'it ha not': 458403, 'ha not authorized': 371359, 'not authorized any': 568289, 'authorized any test': 103830, 'any test that': 79948, 'test that is': 839195, 'that is available': 844558, 'available to purchase': 104655, 'to purchase for': 912529, 'purchase for testing': 689458, 'for testing yourself': 326239, 'testing yourself at': 839694, 'yourself at home': 1026536, 'bourbon': 136895, 'up hour': 945113, 'hour before': 405458, 'paper hard': 640256, 'hard pas': 377991, 'can walk': 160139, 'walk right': 964869, 'get bourbon': 346703, 'bourbon some': 136900, 'clue how': 184540, 'quarantine guess': 692235, 'guess enjoy': 367972, 'enjoy that': 277182, 'have to line': 383240, 'to line up': 909318, 'line up hour': 493524, 'up hour before': 945114, 'hour before the': 405462, 'before the grocery': 123168, 'store open to': 809266, 'open to get': 612596, 'toilet paper hard': 921301, 'paper hard pas': 640257, 'hard pas but': 377992, 'pas but can': 643089, 'but can walk': 145366, 'can walk right': 160145, 'walk right into': 964870, 'right into the': 721966, 'into the liquor': 443141, 'liquor store to': 494217, 'to get bourbon': 906428, 'get bourbon some': 346704, 'bourbon some people': 136901, 'people have no': 648185, 'no clue how': 563833, 'clue how to': 184543, 'how to self': 409078, 'self quarantine guess': 747858, 'quarantine guess enjoy': 692236, 'guess enjoy that': 367973, 'enjoy that toilet': 277183, 'all make': 43437, 'outbreak by': 628071, 'checking on': 174832, 'on elderly': 600532, 'vulnerable neighbour': 961051, 'neighbour donating': 557198, 'bank church': 109726, 'church and': 178330, 'leaving that': 485144, 'that loaf': 844917, 'of bread': 580833, 'bread you': 138649, 'you dont': 1018343, 'dont need': 255256, 'for someone': 325777, 'else bekind': 271641, 'bekind stockpiling': 126114, 'can all make': 157428, 'all make difference': 43438, '19 outbreak by': 9091, 'outbreak by checking': 628072, 'by checking on': 152115, 'checking on elderly': 174833, 'on elderly vulnerable': 600533, 'elderly vulnerable neighbour': 270932, 'vulnerable neighbour donating': 961052, 'neighbour donating to': 557199, 'food bank church': 313538, 'bank church and': 109727, 'church and leaving': 178332, 'and leaving that': 66071, 'leaving that loaf': 485145, 'that loaf of': 844918, 'loaf of bread': 497365, 'of bread you': 580853, 'bread you dont': 138651, 'you dont need': 1018347, 'dont need in': 255258, 'supermarket for someone': 820419, 'for someone else': 325778, 'someone else bekind': 784445, 'else bekind stockpiling': 271642, 'frazzled': 331496, 'morrissons': 541793, 'would just': 1011970, 'retail who': 718852, 'be frazzled': 114948, 'frazzled by': 331497, 'by stupid': 154144, 'stupid people': 815438, 'are appreciated': 84601, 'appreciated tesco': 82838, 'tesco morrissons': 838746, 'morrissons sainsbury': 541794, 'sainsbury lidl': 731693, 'lidl and': 488279, 'and aldi': 57841, 'aldi amongst': 41249, 'amongst others': 53136, 'others people': 621577, 'take more': 832338, 'need normally': 555305, 'would just like': 1011972, 'just like to': 469158, 'like to thank': 491629, 'thank everyone working': 841562, 'everyone working in': 287635, 'in retail who': 427474, 'retail who must': 718855, 'who must be': 989301, 'must be frazzled': 546507, 'be frazzled by': 114949, 'frazzled by stupid': 331498, 'by stupid people': 154145, 'stupid people stock': 815442, 'people stock piling': 649617, 'piling food and': 656587, 'and essential you': 62271, 'essential you are': 281875, 'you are appreciated': 1017061, 'are appreciated tesco': 84602, 'appreciated tesco morrissons': 82840, 'tesco morrissons sainsbury': 838747, 'morrissons sainsbury lidl': 541795, 'sainsbury lidl and': 731694, 'lidl and aldi': 488280, 'and aldi amongst': 57843, 'aldi amongst others': 41250, 'amongst others people': 53138, 'others people please': 621579, 'people please don': 649131, 'please don take': 659924, 'don take more': 253952, 'take more than': 832341, 'than you need': 841495, 'you need normally': 1020020, 'took le': 925269, 'than wk': 841466, 'wk for': 1003208, 'worker 1st': 1006187, 'responder truck': 715541, 'driver amp': 259398, 'employee become': 273671, 'important in': 418831, 'america than': 51690, 'than nba': 840924, 'nba player': 553208, 'player actor': 659296, 'actor amp': 30559, 'influencers 19': 437337, 'took le than': 925270, 'le than wk': 483194, 'than wk for': 841467, 'wk for healthcare': 1003209, 'healthcare worker 1st': 387340, 'worker 1st responder': 1006189, '1st responder truck': 12801, 'responder truck driver': 715542, 'truck driver amp': 932763, 'driver amp grocery': 259400, 'amp grocery store': 53891, 'store employee become': 807462, 'employee become more': 273672, 'more important in': 539491, 'important in america': 418832, 'in america than': 420236, 'america than nba': 51691, 'than nba player': 840925, 'nba player actor': 553209, 'player actor amp': 659297, 'actor amp social': 30560, 'amp social medium': 54526, 'medium influencers 19': 527146, 'month panicked': 537949, 'have caused': 379916, 'now independent': 575036, 'grocer serving': 364162, 'serving low': 753190, 'income bay': 432294, 'bay area': 112906, 'area area': 91956, 'area say': 92180, 'with staple': 1000941, 'since last month': 770692, 'last month panicked': 480338, 'month panicked shopper': 537950, 'shopper have caused': 761540, 'have caused panic': 379919, 'caused panic and': 167932, 'panic and now': 637325, 'and now independent': 67845, 'now independent grocer': 575037, 'independent grocer serving': 434111, 'grocer serving low': 364163, 'serving low income': 753191, 'low income bay': 505343, 'income bay area': 432295, 'bay area area': 112908, 'area area say': 91957, 'area say they': 92181, 'say they cannot': 739337, 'they cannot stock': 881717, 'cannot stock their': 162131, 'stock their store': 802952, 'their store with': 874871, 'store with staple': 811404, 'with staple food': 1000942, 'staple food item': 793935, 'food item in': 315212, 'item in high': 463346, '19 russian': 10276, 'russian president': 728659, 'president vladimir': 670963, 'putin revoke': 691044, 'mask video': 519483, '19 russian president': 10277, 'russian president vladimir': 728660, 'president vladimir putin': 670964, 'vladimir putin revoke': 959862, 'putin revoke license': 691045, 'license of company': 488149, 'of company for': 581606, 'price of face': 675450, 'face mask video': 294605, 'hoc': 399794, 'compiling': 191829, 'proposes': 684551, 'averting': 104930, 'incorporating': 432621, 'senate ad': 749686, 'ad hoc': 31116, 'hoc committee': 399795, 'committee led': 189077, 'by sen': 153936, 'sen is': 749669, 'is compiling': 446689, 'compiling report': 191834, 'that proposes': 845878, 'proposes rent': 684556, 'rent waiver': 711205, 'waiver slashing': 964554, 'slashing of': 773669, 'price protecting': 676018, 'protecting healthcare': 685198, 'worker averting': 1006486, 'averting job': 104931, 'loss etc': 503666, 'etc while': 282876, 'while also': 986588, 'also incorporating': 48406, 'incorporating public': 432624, 'sector view': 744383, 'senate ad hoc': 749687, 'ad hoc committee': 31117, 'hoc committee led': 399796, 'committee led by': 189078, 'led by sen': 485223, 'by sen is': 153937, 'sen is compiling': 749670, 'is compiling report': 446690, 'compiling report that': 191835, 'report that proposes': 712327, 'that proposes rent': 845879, 'proposes rent waiver': 684557, 'rent waiver slashing': 711206, 'waiver slashing of': 964555, 'slashing of food': 773670, 'of food price': 583754, 'food price protecting': 315963, 'price protecting healthcare': 676019, 'protecting healthcare worker': 685199, 'healthcare worker averting': 387346, 'worker averting job': 1006487, 'averting job loss': 104932, 'job loss etc': 465972, 'loss etc while': 503667, 'etc while also': 282877, 'while also incorporating': 986591, 'also incorporating public': 48407, 'incorporating public and': 432625, 'public and private': 687853, 'private sector view': 678982, 'sector view on': 744384, 'view on how': 957136, 'how to mitigate': 409047, 'antimalarial': 78523, '250mg': 16047, '500mg': 20097, 'company increased': 190778, 'of chloroquine': 581385, 'chloroquine an': 177586, 'an antimalarial': 55336, 'antimalarial which': 78528, 'tested against': 839259, 'on jan': 601718, 'jan 23': 464459, '23 the': 15433, 'rose 98': 726046, '98 to': 23735, 'to 66': 899803, '66 per': 21424, 'per 250mg': 650675, '250mg pill': 16048, 'pill and': 656647, '19 88': 4767, '88 per': 23058, 'per 500mg': 650679, '500mg pill': 20098, 'pharmaceutical company increased': 654068, 'company increased the': 190779, 'price of chloroquine': 675423, 'of chloroquine an': 581387, 'chloroquine an antimalarial': 177587, 'an antimalarial which': 55337, 'antimalarial which is': 78529, 'which is one': 986037, 'of the drug': 590967, 'the drug that': 853740, 'drug that is': 261109, 'that is being': 844560, 'is being tested': 446117, 'being tested against': 125904, 'tested against covid': 839260, '19 on jan': 8952, 'on jan 23': 601719, 'jan 23 the': 464460, '23 the drug': 15435, 'the drug price': 853737, 'drug price rose': 261053, 'price rose 98': 676264, 'rose 98 to': 726047, '98 to 66': 23736, 'to 66 per': 899804, '66 per 250mg': 21425, 'per 250mg pill': 650676, '250mg pill and': 16049, 'pill and 19': 656648, 'and 19 88': 57390, '19 88 per': 4768, '88 per 500mg': 23059, 'per 500mg pill': 650680, 'slagging': 773475, 'three middle': 893984, 'aged people': 37954, 'with packed': 1000059, 'packed trolley': 633657, 'trolley in': 932430, 'supermarket slagging': 822711, 'slagging off': 773476, 'off people': 594060, 'pub hypocrisy': 687712, 'hypocrisy panicbuying': 412402, 'three middle aged': 893985, 'middle aged people': 530618, 'aged people with': 37955, 'people with packed': 650468, 'with packed trolley': 1000060, 'packed trolley in': 633658, 'trolley in the': 932434, 'the supermarket slagging': 868807, 'supermarket slagging off': 822712, 'slagging off people': 773477, 'off people going': 594061, 'people going to': 648103, 'the pub hypocrisy': 864770, 'pub hypocrisy panicbuying': 687713, 'keepyourlocalpubalive': 472686, 'pubsclosed': 688799, 'isolation forget': 455276, 'forget going': 329256, 'your beer': 1022927, 'beer etc': 122456, 'etc go': 282561, 'pub take': 687773, 'take some': 832597, 'some empty': 782745, 'empty bottle': 274807, 'bottle and': 136178, 'what stock': 982258, 'got keepyourlocalpubalive': 358661, 'keepyourlocalpubalive pubsclosed': 472687, 'of you not': 593405, 'you not in': 1020123, 'not in isolation': 570095, 'in isolation forget': 424196, 'isolation forget going': 455277, 'forget going to': 329257, 'to the big': 916518, 'big supermarket for': 130030, 'supermarket for your': 820433, 'for your beer': 328121, 'your beer etc': 1022928, 'beer etc go': 122457, 'etc go to': 282562, 'go to your': 354386, 'your local pub': 1024713, 'local pub take': 498309, 'pub take some': 687774, 'take some empty': 832599, 'some empty bottle': 782746, 'empty bottle and': 274808, 'bottle and buy': 136179, 'and buy what': 59357, 'buy what stock': 149456, 'what stock they': 982259, 'stock they ve': 802972, 'they ve got': 883654, 've got keepyourlocalpubalive': 953182, 'got keepyourlocalpubalive pubsclosed': 358662, 'pack available': 633023, 'for collection': 320150, 'collection in': 186437, 'in range': 427249, 'price our': 675803, 'our takeout': 625075, 'takeout selection': 833185, 'selection is': 747521, 'with load': 999272, 'spirit and': 789449, 'and non': 67667, 'non alcoholic': 566299, 'alcoholic option': 41216, 'have our': 381843, 'our tap': 625079, 'tap available': 834316, 'for takeout': 326131, 'takeout come': 833142, 'come support': 187517, 're still open': 699599, 'open we have': 612651, 'we have pack': 971891, 'have pack available': 381863, 'pack available for': 633024, 'available for collection': 104361, 'for collection in': 320151, 'collection in range': 186438, 'in range of': 427250, 'of price our': 588414, 'price our takeout': 675806, 'our takeout selection': 625076, 'takeout selection is': 833186, 'selection is still': 747522, 'is still available': 452264, 'still available with': 800229, 'available with load': 104705, 'with load of': 999273, 'load of beer': 497258, 'of beer wine': 580624, 'wine spirit and': 995899, 'spirit and non': 789450, 'and non alcoholic': 67668, 'non alcoholic option': 566300, 'alcoholic option we': 41217, 'option we also': 614142, 'we also have': 970399, 'also have our': 48334, 'have our tap': 381850, 'our tap available': 625080, 'tap available for': 834317, 'available for takeout': 104382, 'for takeout come': 326132, 'takeout come support': 833143, 'nallan': 551570, 'suresh': 827965, 'expect at': 290605, 'at in': 99270, 'ahead expert': 39151, 'expert nallan': 291887, 'nallan suresh': 551571, 'suresh talk': 827968, 'grocery supply': 366008, 'chain appear': 170485, 'be reacting': 116689, 'reacting fast': 700170, 'increasing upstream': 433732, 'upstream production': 947888, 'production volume': 682272, 'to expect at': 905442, 'expect at in': 290606, 'at in the': 99276, 'week ahead expert': 975871, 'ahead expert nallan': 39152, 'expert nallan suresh': 291888, 'nallan suresh talk': 551572, 'suresh talk about': 827969, 'talk about supply': 833759, 'about supply chain': 26293, 'chain and covid': 170458, '19 grocery supply': 7292, 'grocery supply chain': 366009, 'supply chain appear': 824904, 'chain appear to': 170486, 'to be reacting': 901483, 'be reacting fast': 116690, 'reacting fast and': 700171, 'fast and increasing': 299914, 'and increasing upstream': 65133, 'increasing upstream production': 433733, 'upstream production volume': 947889, 'production volume and': 682273, 'volume and capacity': 960117, 'resonating': 714664, 'adivasi': 32261, 'saira': 731830, 'hooghly': 403336, 'fightcovid': 304981, 'amp ration': 54363, 'ration for': 697681, 'is resonating': 451465, 'resonating across': 714665, 'country adivasi': 210407, 'adivasi agricultural': 32262, 'agricultural labourer': 38893, 'labourer in': 478546, 'in saira': 427638, 'saira village': 731831, 'village hooghly': 957348, 'hooghly west': 403337, 'bengal with': 127207, 'with poster': 1000266, 'poster demanding': 666604, 'demanding food': 236585, 'amp wage': 54793, 'wage to': 963969, 'fight 19': 304594, '19 fightcovid': 6991, 'for food amp': 321548, 'food amp ration': 313146, 'amp ration for': 54364, 'ration for all': 697684, 'for all is': 319139, 'all is resonating': 43252, 'is resonating across': 451466, 'resonating across the': 714666, 'the country adivasi': 852041, 'country adivasi agricultural': 210408, 'adivasi agricultural labourer': 32263, 'agricultural labourer in': 38894, 'labourer in saira': 478547, 'in saira village': 427639, 'saira village hooghly': 731832, 'village hooghly west': 957349, 'hooghly west bengal': 403338, 'west bengal with': 980470, 'bengal with poster': 127208, 'with poster demanding': 1000267, 'poster demanding food': 666605, 'demanding food ration': 236586, 'food ration amp': 316115, 'ration amp wage': 697630, 'amp wage to': 54794, 'wage to fight': 963973, 'to fight 19': 905772, 'fight 19 fightcovid': 304596, 'compounded': 192599, 'phenomenon': 654666, 'is compounded': 446716, 'compounded by': 192600, 'stock effect': 802076, 'effect phenomenon': 269104, 'phenomenon which': 654671, 'which suggests': 986350, 'suggests that': 817713, 'when consumer': 983276, 'of specific': 589972, 'specific product': 788240, 'hand they': 375837, 'in higher': 423690, 'volume than': 960169, 'under usual': 940371, 'usual circumstance': 950900, 'demand is compounded': 235718, 'is compounded by': 446717, 'compounded by the': 192602, 'by the stock': 154447, 'the stock effect': 867908, 'stock effect phenomenon': 802077, 'effect phenomenon which': 269105, 'phenomenon which suggests': 654672, 'which suggests that': 986351, 'suggests that when': 817717, 'that when consumer': 847481, 'when consumer have': 983279, 'consumer have more': 197711, 'have more of': 381502, 'more of specific': 539881, 'of specific product': 589973, 'specific product on': 788242, 'product on hand': 681467, 'on hand they': 601238, 'hand they ll': 375839, 'll use the': 497089, 'use the good': 949669, 'good in higher': 357245, 'in higher volume': 423692, 'higher volume than': 395791, 'volume than under': 960170, 'than under usual': 841379, 'under usual circumstance': 940372, 'brawling': 138321, 'vinegar': 957433, 'shoppingwars': 764528, 'over worked': 630950, 'worked run': 1006140, 'run off': 727728, 'off their': 594284, 'their foot': 873364, 'foot it': 318398, 'have this': 383097, 'with mass': 999418, 'mass brawling': 519748, 'brawling which': 138322, 'which started': 986336, 'started over': 794797, 'over white': 630928, 'white vinegar': 987915, 'vinegar well': 957438, 'well street': 978616, 'street tesco': 813136, 'tesco metro': 838741, 'metro in': 529922, 'in hackney': 423499, 'hackney london': 372790, 'london shoppingwars': 501173, 'shoppingwars london': 764529, 'staff are over': 792201, 'are over worked': 88913, 'over worked run': 630951, 'worked run off': 1006141, 'run off their': 727730, 'off their foot': 594288, 'their foot it': 873365, 'foot it is': 318400, 'is with the': 454016, 'coronavirus panic shopping': 206525, 'panic shopping now': 638580, 'shopping now they': 763368, 'now they have': 576110, 'they have this': 882392, 'have this to': 383109, 'this to deal': 890732, 'deal with mass': 229559, 'with mass brawling': 999419, 'mass brawling which': 519749, 'brawling which started': 138323, 'which started over': 986337, 'started over white': 794798, 'over white vinegar': 630929, 'white vinegar well': 987916, 'vinegar well street': 957439, 'well street tesco': 978617, 'street tesco metro': 813137, 'tesco metro in': 838742, 'metro in hackney': 529923, 'in hackney london': 423500, 'hackney london shoppingwars': 372791, 'london shoppingwars london': 501174, 'privileged': 679044, 'least privileged': 484607, 'privileged enough': 679047, 'these place': 880488, 'place can': 657376, 'can stop': 159814, 'stop thinking': 805181, 'without easy': 1002605, 'easy access': 265641, 'to transport': 917712, 'are le': 87732, 'le able': 482821, 'multiple shop': 545788, 'shop please': 760668, 'start thinking': 794563, 'and stoppanicbuying': 72496, 'at least privileged': 99536, 'least privileged enough': 484608, 'privileged enough to': 679048, 'enough to drive': 277700, 'drive to all': 259216, 'to all these': 900293, 'all these place': 45048, 'these place can': 880489, 'place can stop': 657378, 'can stop thinking': 159827, 'stop thinking about': 805182, 'thinking about those': 885863, 'about those without': 26686, 'those without easy': 892732, 'without easy access': 1002606, 'easy access to': 265642, 'access to transport': 28293, 'to transport or': 917714, 'transport or who': 929925, 'or who are': 617795, 'who are le': 988168, 'are le able': 87733, 'le able to': 482823, 'able to travel': 24563, 'travel to multiple': 930537, 'to multiple shop': 910348, 'multiple shop please': 545790, 'shop please people': 760671, 'please people start': 660285, 'people start thinking': 649539, 'start thinking of': 794565, 'thinking of others': 885966, 'others and stoppanicbuying': 621264, 'one behaviour': 605992, 'behaviour change': 124381, 'is hygiene': 448645, 'hygiene culture': 412079, 'culture in': 220294, 'india we': 434684, 'many change': 513886, 'around also': 93185, 'also huge': 48379, 'huge change': 409999, 'their changing': 872758, 'changing need': 172754, 'need new': 555295, 'new startup': 559644, 'in healthcare': 423606, 'the one behaviour': 862192, 'one behaviour change': 605993, 'behaviour change that': 124384, 'change that we': 172283, 'can see is': 159540, 'see is hygiene': 745319, 'is hygiene culture': 448646, 'hygiene culture in': 412080, 'culture in india': 220295, 'in india we': 424063, 'india we will': 434687, 'will see so': 994793, 'so many change': 777643, 'many change in': 513887, 'change in business': 172108, 'in business around': 421070, 'business around also': 143402, 'around also huge': 93186, 'also huge change': 48380, 'huge change in': 410000, 'behaviour and their': 124368, 'and their changing': 73673, 'their changing need': 872759, 'changing need new': 172755, 'need new startup': 555296, 'new startup and': 559645, 'startup and new': 795090, 'and new product': 67555, 'new product in': 559359, 'product in healthcare': 681285, 'stayh': 797885, 'isolation because': 455214, 'because showing': 119558, 'testing is': 839519, 'limited here': 492640, 'here so': 393565, 'tested it': 839316, 'getting scary': 349252, 'scary now': 741166, 'now hope': 574945, 'hope don': 403449, 'don pas': 253821, 'kid stayh': 474120, 'store in self': 808387, 'self isolation because': 747757, 'isolation because showing': 455216, 'because showing symptom': 119559, 'showing symptom of': 767512, '19 testing is': 11102, 'testing is limited': 839521, 'is limited here': 449363, 'limited here so': 492641, 'here so can': 393566, 'so can get': 776710, 'can get tested': 158457, 'get tested it': 348190, 'tested it getting': 839318, 'it getting scary': 458234, 'getting scary now': 349253, 'scary now hope': 741167, 'now hope don': 574947, 'hope don pas': 403450, 'don pas this': 253822, 'pas this on': 643161, 'this on to': 889220, 'on to my': 604748, 'to my kid': 910412, 'my kid stayh': 548959, 'in bengaluru': 420788, 'bengaluru stock': 127218, 'week bangalore': 975979, 'bangalore mirror': 109463, '19 in bengaluru': 7732, 'in bengaluru stock': 420789, 'bengaluru stock up': 127219, 'on food item': 600878, 'food item for': 315207, 'item for week': 463278, 'for week bangalore': 327692, 'week bangalore mirror': 975980, 'shutthemdown': 768236, 'people pharmacy': 649104, 'in birmingham': 420859, 'birmingham are': 131377, 'selling calpol': 749190, 'for kid': 322834, 'kid how': 474001, 'can any': 157505, 'any pharmacist': 79652, 'pay that': 645138, 'that shutthemdown': 846308, 'with people pharmacy': 1000159, 'people pharmacy chain': 649106, 'pharmacy chain in': 654271, 'chain in birmingham': 170801, 'in birmingham are': 420860, 'birmingham are selling': 131378, 'are selling calpol': 89952, 'selling calpol for': 749192, 'is for kid': 447884, 'for kid how': 322843, 'kid how can': 474002, 'how can any': 407492, 'can any pharmacist': 157507, 'any pharmacist allow': 79653, 'afford to pay': 34804, 'to pay that': 911563, 'pay that shutthemdown': 645139, 'elderly where': 270941, 'where ever': 984860, 'ever possible': 285453, 'or veggie': 617654, 'veggie or': 954203, 'or what': 617764, 'what ever': 981421, 'ever help': 285352, 'help required': 390441, 'the elderly where': 854158, 'elderly where ever': 270942, 'where ever possible': 984861, 'ever possible to': 285454, 'grocery or veggie': 364807, 'or veggie or': 617655, 'veggie or what': 954204, 'or what ever': 617765, 'what ever help': 981422, 'ever help required': 285354, 'macys': 507509, 'macys temporarily': 507512, 'nationwide in': 552732, 'macys temporarily close': 507513, 'temporarily close store': 837453, 'close store nationwide': 182813, 'store nationwide in': 809030, 'nationwide in response': 552733, 'response to outbreak': 715877, 'to outbreak online': 911268, 'shopping will remain': 764416, 'ally led': 46435, 'by russia': 153850, 'russia agreed': 728414, 'in output': 426363, 'unprecedented deal': 943103, 'with fellow': 998407, 'fellow oil': 303319, 'oil nation': 596965, 'nation including': 552223, 'unitedstates that': 942299, 'could curb': 209064, 'curb global': 220556, 'supply by': 824874, 'and ally led': 57924, 'ally led by': 46436, 'led by russia': 485222, 'by russia agreed': 153851, 'russia agreed on': 728415, 'sunday to record': 818288, 'record cut in': 704929, 'cut in output': 223382, 'in output to': 426367, 'output to prop': 629295, 'prop up oil': 684047, 'the pandemic in': 862996, 'pandemic in an': 635693, 'an unprecedented deal': 56884, 'unprecedented deal with': 943105, 'deal with fellow': 229549, 'with fellow oil': 998408, 'fellow oil nation': 303320, 'oil nation including': 596967, 'nation including the': 552224, 'including the unitedstates': 432191, 'the unitedstates that': 870424, 'unitedstates that could': 942300, 'that could curb': 843345, 'could curb global': 209065, 'curb global oil': 220557, 'oil supply by': 597461, 'supply by 20': 824875, 'new post covid': 559321, '19 and commodity': 5000, 'entice': 278637, 'amazon offer': 51048, 'offer higher': 594654, 'higher pay': 395647, 'for switching': 326111, 'grocery work': 366155, 'work amid': 1004742, 'amid increased': 52510, 'increased food': 433319, 'demand amazon': 234924, 'to entice': 905234, 'entice it': 278638, 'own warehouse': 632296, 'pick and': 655639, 'pack whole': 633198, 'food grocery': 314717, 'grocery with': 366148, 'with higher': 998810, 'food an': 313156, 'an internal': 56413, 'internal document': 441723, 'document reveals': 251203, 'amazon offer higher': 51049, 'offer higher pay': 594655, 'higher pay for': 395651, 'pay for switching': 644904, 'for switching to': 326112, 'switching to grocery': 830579, 'to grocery work': 907012, 'grocery work amid': 366156, 'work amid increased': 1004744, 'amid increased food': 52512, 'increased food demand': 433320, 'food demand amazon': 314165, 'demand amazon is': 234925, 'amazon is trying': 51011, 'trying to entice': 934800, 'to entice it': 905235, 'entice it own': 278639, 'it own warehouse': 460227, 'own warehouse worker': 632297, 'warehouse worker to': 966831, 'to pick and': 911718, 'pick and pack': 655640, 'and pack whole': 68606, 'pack whole food': 633199, 'whole food grocery': 990212, 'food grocery with': 314727, 'grocery with higher': 366149, 'with higher pay': 998812, 'higher pay amid': 395648, 'pay amid increased': 644721, 'amid increased demand': 52511, 'for food an': 321549, 'food an internal': 313159, 'an internal document': 56414, 'internal document reveals': 441724, 'kindleunlimited': 475100, 'kindlebook': 475097, 'starting tomorrow': 795057, '8am you': 23171, 'can download': 158146, 'download my': 257597, 'my book': 547494, 'only 99': 610022, 'cent end': 169051, 'world price': 1009910, 'price kindleunlimited': 674993, 'kindleunlimited kindlebook': 475101, 'kindlebook coronapocalypse': 475098, 'coronapocalypse wednesdaythoughts': 205206, 'starting tomorrow at': 795058, 'tomorrow at 8am': 924034, 'at 8am you': 97789, '8am you can': 23172, 'you can download': 1017663, 'can download my': 158149, 'download my book': 257598, 'my book for': 547496, 'book for only': 134528, 'for only 99': 324122, 'only 99 cent': 610023, '99 cent end': 23792, 'cent end of': 169052, 'the world price': 871943, 'world price kindleunlimited': 1009912, 'price kindleunlimited kindlebook': 674994, 'kindleunlimited kindlebook coronapocalypse': 475102, 'kindlebook coronapocalypse wednesdaythoughts': 475099, '24hr': 15759, '0200hrs': 806, 'or offline': 616363, 'offline yesterday': 596064, 'to 24hr': 899630, '24hr supermarket': 15762, 'at 0200hrs': 97371, '0200hrs there': 807, '50 customer': 19665, 'from 20': 334225, '20 60': 12910, '60 yr': 21051, 'yr age': 1027000, 'age handwash': 37824, 'handwash before': 376758, 'before driving': 122747, 'driving the': 260004, 'what your shopping': 982720, 'your shopping story': 1025793, 'shopping story online': 763995, 'story online or': 812096, 'online or offline': 608662, 'or offline yesterday': 616364, 'offline yesterday went': 596065, 'went to 24hr': 979136, 'to 24hr supermarket': 899631, '24hr supermarket at': 15763, 'supermarket at 0200hrs': 819223, 'at 0200hrs there': 97372, '0200hrs there were': 808, 'there were about': 879308, 'were about 50': 979270, 'about 50 customer': 24719, '50 customer from': 19666, 'customer from 20': 222395, 'from 20 60': 334227, '20 60 yr': 12911, '60 yr age': 21052, 'yr age handwash': 1027001, 'age handwash before': 37825, 'handwash before left': 376759, 'before left for': 122904, 'left for the': 485469, 'for the car': 326335, 'the car hand': 850376, 'sanitizer before driving': 734562, 'before driving the': 122748, 'driving the car': 260005, 'weirdest most': 977824, 'american moment': 52090, 'distancing my': 247344, 'all butter': 42258, 'butter but': 148136, 'still had': 800624, 'in the weirdest': 429670, 'the weirdest most': 871362, 'weirdest most american': 977825, 'most american moment': 542091, 'american moment of': 52091, 'moment of this': 536022, 'of this social': 592041, 'social distancing my': 779668, 'distancing my grocery': 247346, 'store wa completely': 811106, 'wa completely out': 961849, 'of all butter': 579926, 'all butter but': 42259, 'butter but still': 148137, 'but still had': 147167, 'still had plenty': 800625, 'plenty of rice': 660973, 'staff which': 793079, 'which job': 986084, 'safe now': 729845, 'nh worker delivery': 562182, 'supermarket staff which': 822905, 'staff which job': 793080, 'which job are': 986085, 'job are safe': 465662, 'are safe now': 89792, 'vividly': 959844, 'mpls': 544327, 'ha vividly': 372432, 'vividly highlighted': 959845, 'provide our': 686416, 'our critical': 622629, 'service like': 752565, 'personnel our': 653144, 'our mpls': 623957, 'mpls public': 544332, 'work folk': 1005131, 'there getting': 878431, '19 ha vividly': 7403, 'ha vividly highlighted': 372433, 'vividly highlighted the': 959846, 'highlighted the importance': 396002, 'importance of the': 418715, 'people who provide': 650330, 'who provide our': 989469, 'provide our critical': 686417, 'our critical service': 622630, 'critical service like': 218657, 'service like grocery': 752566, 'responder and medical': 715413, 'and medical personnel': 66878, 'medical personnel our': 526296, 'personnel our mpls': 653145, 'our mpls public': 623958, 'mpls public work': 544333, 'public work folk': 688496, 'work folk are': 1005132, 'folk are out': 312095, 'are out there': 88890, 'out there getting': 627483, 'there getting it': 878432, 'have water': 383550, 'water use': 969234, 'alcohol stay': 41118, 'if you dont': 415425, 'you dont have': 1018344, 'dont have water': 255232, 'have water use': 383551, 'water use hand': 969235, 'sanitizer with over': 736137, 'with over 60': 1000040, 'over 60 alcohol': 629872, '60 alcohol stay': 20894, 'alcohol stay at': 41119, 'warns we': 967311, 'our bit': 622213, 'prevent this': 671744, 'by avoiding': 151920, 'avoiding panic': 105477, 'food cutting': 314072, 'cutting down': 223722, 'waste buying': 968091, 'buying only': 150824, 'un warns we': 939305, 'warns we can': 967312, 'can do our': 158115, 'do our bit': 249945, 'our bit to': 622215, 'bit to prevent': 131719, 'to prevent this': 912094, 'prevent this by': 671746, 'this by avoiding': 886657, 'by avoiding panic': 151922, 'avoiding panic buying': 105478, 'and hoarding food': 64654, 'hoarding food cutting': 399302, 'food cutting down': 314073, 'cutting down on': 223723, 'down on food': 257020, 'on food waste': 600926, 'food waste buying': 317473, 'waste buying only': 968092, 'buying only what': 150827, 'only what you': 611468, 'you need read': 1020034, 'sleuth': 773849, 'chasing': 173904, 'jeweller': 465375, 'whereabouts': 985407, 'recd': 703388, 'tax sleuth': 835095, 'sleuth are': 773850, 'are chasing': 85256, 'chasing the': 173914, 'the jeweller': 858645, 'jeweller for': 465376, 'the whereabouts': 871440, 'whereabouts of': 985408, 'cash recd': 166315, 'recd during': 703389, 'during 2016': 262418, '2016 will': 13842, 'extra ordinary': 293595, 'ordinary revenue': 619097, 'revenue earned': 720407, 'earned through': 264834, 'through exorbitant': 894450, '19 scare': 10359, 'way the tax': 969943, 'the tax sleuth': 869174, 'tax sleuth are': 835096, 'sleuth are chasing': 773851, 'are chasing the': 85257, 'chasing the jeweller': 173915, 'the jeweller for': 858646, 'jeweller for the': 465377, 'for the whereabouts': 326778, 'the whereabouts of': 871441, 'whereabouts of cash': 985409, 'of cash recd': 581184, 'cash recd during': 166316, 'recd during 2016': 703390, 'during 2016 will': 262419, '2016 will they': 13843, 'will they do': 995178, 'they do the': 881975, 'the same for': 866227, 'same for extra': 733070, 'for extra ordinary': 321346, 'extra ordinary revenue': 293596, 'ordinary revenue earned': 619098, 'revenue earned through': 720408, 'earned through exorbitant': 264836, 'through exorbitant price': 894451, 'exorbitant price during': 290408, 'the period of': 863566, 'period of covid': 651837, 'covid 19 scare': 213750, 'overhears': 631250, 'me practising': 523351, 'practising social': 668785, 'supermarket overhears': 821869, 'overhears two': 631251, 'two old': 937095, 'old dude': 598233, 'dude in': 261591, 'milk aisle': 531543, 'aisle saying': 40358, 'isolate because': 454825, 'because covid': 119008, 'sell newspaper': 748807, 'newspaper also': 561080, 'also me': 48523, 'me increase': 522985, 'increase social': 433071, 'to five': 905985, 'five metre': 309636, 'me practising social': 523352, 'practising social distancing': 668786, 'the supermarket overhears': 868737, 'supermarket overhears two': 821870, 'overhears two old': 631252, 'two old dude': 937096, 'old dude in': 598234, 'dude in the': 261592, 'in the milk': 429363, 'the milk aisle': 860603, 'milk aisle saying': 531544, 'aisle saying they': 40359, 'saying they re': 739728, 'going to self': 355700, 'self isolate because': 747665, 'isolate because covid': 454826, 'because covid 19': 119009, '19 is just': 7998, 'way to sell': 970088, 'to sell newspaper': 914164, 'sell newspaper also': 748808, 'newspaper also me': 561081, 'also me increase': 48525, 'me increase social': 522986, 'increase social distancing': 433072, 'distancing to five': 247563, 'to five metre': 905987, 'po': 662121, 'allegedly spitting': 45707, 'in cop': 421784, 'cop face': 203265, 'face seriously': 294726, 'seriously spitting': 751725, 'coughing criminal': 208675, 'criminal new': 216859, 'new weapon': 559858, 'weapon of': 974247, 'choice against': 177722, 'against po': 37583, 'po bus': 662124, 'driver security': 259740, 'security person': 744708, 'or retail': 616886, 'employee more': 274045, 'serious crime': 751363, 'crime more': 216788, 'serious consequence': 751352, 'consequence frontline': 194861, 'man charged for': 512021, 'charged for allegedly': 173378, 'for allegedly spitting': 319197, 'allegedly spitting in': 45708, 'spitting in cop': 789592, 'in cop face': 421785, 'cop face seriously': 203266, 'face seriously spitting': 294727, 'seriously spitting coughing': 751726, 'spitting coughing criminal': 789589, 'coughing criminal new': 208676, 'criminal new weapon': 216860, 'new weapon of': 559859, 'weapon of choice': 974248, 'of choice against': 581398, 'choice against po': 177723, 'against po bus': 37584, 'po bus driver': 662125, 'bus driver security': 143028, 'driver security person': 259742, 'security person or': 744709, 'person or retail': 652565, 'or retail store': 616888, 'retail store employee': 718635, 'store employee more': 807511, 'employee more serious': 274046, 'more serious crime': 540355, 'serious crime more': 751364, 'crime more serious': 216789, 'more serious consequence': 540354, 'serious consequence frontline': 751354, 'that get': 843995, 'get excited': 346972, 'excited when': 289578, 'mom be': 535689, 'be walking': 118037, 'excited by': 289537, 'by looking': 153094, 'quarantine shit': 692527, 'shit got': 759117, 'me fucked': 522792, 'up quarantine': 945875, 'it kind of': 459275, 'kind of sad': 474935, 'of sad that': 589212, 'sad that get': 729251, 'that get excited': 843998, 'get excited when': 346977, 'excited when go': 289579, 'grocery shopping with': 365109, 'shopping with my': 764439, 'with my mom': 999638, 'my mom be': 549257, 'mom be walking': 535690, 'be walking around': 118038, 'store and get': 806247, 'and get excited': 63570, 'get excited by': 346975, 'excited by looking': 289538, 'by looking at': 153095, 'at the stuff': 101114, 'the stuff at': 868325, 'store this quarantine': 810703, 'this quarantine shit': 889779, 'quarantine shit got': 692529, 'shit got me': 759118, 'got me fucked': 358696, 'me fucked up': 522793, 'fucked up quarantine': 339734, 've discovered': 953052, 'discovered why': 244706, 'have toiletpapercrisis': 383358, 'think ve discovered': 885737, 've discovered why': 953054, 'discovered why we': 244708, 'why we have': 991524, 'we have toiletpapercrisis': 971971, 'have toiletpapercrisis toiletpaperpanic': 383359, 'toiletpapercrisis toiletpaperpanic toiletpaperapocalypse': 923117, 'toiletpaperpanic toiletpaperapocalypse toiletpaper': 923275, 'excerise': 289319, 'daily reminder': 224774, 'reminder every': 710545, 'day until': 228637, 'settled down': 753703, 'down please': 257095, 'home go': 401301, 'for excerise': 321304, 'excerise and': 289320, 'emergency or': 272831, 'shopping be': 762165, 'hand don': 374898, 'buy get': 148732, 'week keep': 976451, 'distance follow': 246701, 'is your daily': 454141, 'your daily reminder': 1023446, 'daily reminder every': 224775, 'reminder every day': 710546, 'every day until': 285856, 'day until the': 228638, 'pandemic ha settled': 635567, 'ha settled down': 371875, 'settled down please': 753704, 'down please stay': 257097, 'please stay at': 660544, 'at home go': 98999, 'home go out': 401302, 'out for excerise': 626116, 'for excerise and': 321305, 'excerise and emergency': 289321, 'and emergency or': 62036, 'emergency or food': 272832, 'or food shopping': 615348, 'food shopping be': 316512, 'shopping be safe': 762169, 'be safe and': 116941, 'safe and wash': 729492, 'your hand don': 1024183, 'hand don panic': 374900, 'panic buy get': 637486, 'buy get what': 148734, 'you need this': 1020052, 'need this week': 555827, 'this week keep': 891227, 'week keep your': 976453, 'your distance follow': 1023530, 'distance follow this': 246702, 'follow this please': 312567, 'claw': 180420, 'of socially': 589863, 'isolated elderly': 454991, 'people healthcare': 648224, 'provider working': 686822, 'overtime stressed': 631639, 'stressed supermarket': 813459, 'employee small': 274217, 'owner apply': 632382, 'people live': 648671, 'flu claw': 311395, 'real victim of': 701445, 'victim of socially': 956502, 'of socially isolated': 589864, 'socially isolated elderly': 781069, 'isolated elderly people': 454992, 'elderly people healthcare': 270824, 'people healthcare provider': 648225, 'healthcare provider working': 387260, 'provider working overtime': 686823, 'working overtime stressed': 1008864, 'overtime stressed supermarket': 631640, 'stressed supermarket employee': 813460, 'supermarket employee small': 820134, 'employee small business': 274218, 'business owner apply': 144177, 'owner apply for': 632383, 'apply for loan': 82560, 'loan people live': 497501, 'people live paycheck': 648676, 'wutang flu claw': 1013611, 'changed some': 172554, 'it shipping': 461019, 'shipping procedure': 758899, 'procedure due': 679807, 'current rise': 221342, 'shopping check': 762366, 'amazon new': 51041, 'new shipping': 559579, 'shipping status': 758917, 'status and': 796659, 'few step': 304073, 'ensure your': 278132, 'your amazon': 1022774, 'amazon advertising': 50835, 'advertising effort': 33226, 'effort can': 269495, 'amazon ha changed': 50968, 'ha changed some': 370136, 'changed some of': 172555, 'some of it': 783399, 'of it shipping': 585443, 'it shipping procedure': 461020, 'shipping procedure due': 758900, 'procedure due to': 679808, 'the current rise': 852659, 'current rise in': 221343, 'online shopping check': 609071, 'shopping check out': 762367, 'blog post on': 132993, 'post on amazon': 666248, 'on amazon new': 599282, 'amazon new shipping': 51042, 'new shipping status': 559580, 'shipping status and': 758918, 'status and few': 796660, 'and few step': 62818, 'few step you': 304075, 'to ensure your': 905205, 'ensure your amazon': 278133, 'your amazon advertising': 1022776, 'amazon advertising effort': 50836, 'advertising effort can': 33227, 'effort can still': 269496, 'still be effective': 800251, 'plunging even': 661531, 'more today': 540804, 'today bad': 919298, 'for canada': 319898, 'are plunging even': 89125, 'plunging even more': 661532, 'even more today': 284384, 'more today bad': 540805, 'today bad news': 919299, 'news for canada': 560426, 'kmc': 475954, 'equality': 279617, 'rio': 722582, 'kmc order': 475955, 'order dated': 618155, 'dated 27': 226776, '27 03': 16252, 'in each': 422436, 'each city': 264008, 'city price': 179331, 'vegetable must': 954044, 'controlled even': 202238, 'after is': 35828, 'over let': 630357, 'create equality': 215638, 'equality in': 279620, 'sense rio': 750583, 'rio goi': 722587, 'goi india': 354961, 'kmc order dated': 475956, 'order dated 27': 618156, 'dated 27 03': 226777, '27 03 2020': 16253, '03 2020 this': 861, 'is how in': 448580, 'how in each': 408046, 'in each city': 422437, 'each city price': 264009, 'city price of': 179332, 'of vegetable must': 592762, 'vegetable must be': 954045, 'must be controlled': 546499, 'be controlled even': 114227, 'controlled even after': 202239, 'even after is': 283814, 'after is over': 35830, 'is over let': 450707, 'over let create': 630358, 'let create equality': 486667, 'create equality in': 215639, 'equality in real': 279621, 'in real sense': 427294, 'real sense rio': 701357, 'sense rio goi': 750584, 'rio goi india': 722588, 'desperation state': 238613, 'in desperation state': 422218, 'desperation state pay': 238614, 'byron': 154831, 'value ever': 952116, 'ever recorded': 285463, 'recorded demand': 705099, 'fear linked': 301186, 'on glut': 601119, 'glut ethanol': 353101, 'sophie byron': 785964, 'lowest value ever': 506241, 'value ever recorded': 952117, 'ever recorded demand': 285464, 'recorded demand fear': 705100, 'demand fear linked': 235333, 'fear linked to': 301187, 'linked to and': 493989, 'to and falling': 900496, 'and falling gasoline': 62642, 'pressure on glut': 671212, 'on glut ethanol': 601120, 'glut ethanol market': 353102, 'market sophie byron': 517085, 'devil': 239955, 'cctv': 168513, 'resisting': 714609, 'agent of': 38182, 'the devil': 853230, 'devil this': 239967, 'chinese wa': 177390, 'caught on': 167444, 'on cctv': 599848, 'cctv spitting': 168518, 'some fruit': 782922, 'wa resisting': 963088, 'resisting arrest': 714610, 'after helping': 35778, 'helping her': 391352, 'her country': 391968, 'country china': 210543, '19 round': 10254, 'world she': 1009971, 'she tested': 756377, 'positive to': 665470, 'to covid19': 903672, 'agent of the': 38183, 'of the devil': 590949, 'the devil this': 853234, 'devil this chinese': 239968, 'this chinese wa': 886767, 'chinese wa caught': 177391, 'wa caught on': 961795, 'caught on cctv': 167447, 'on cctv spitting': 599850, 'cctv spitting on': 168519, 'spitting on some': 789605, 'on some fruit': 603558, 'some fruit in': 782924, 'fruit in uk': 339102, 'in uk supermarket': 430398, 'uk supermarket she': 938775, 'supermarket she wa': 822411, 'she wa resisting': 756424, 'wa resisting arrest': 963089, 'resisting arrest after': 714611, 'arrest after helping': 93746, 'after helping her': 35779, 'helping her country': 391353, 'her country china': 391969, 'country china to': 210544, 'china to spread': 177005, 'to spread covid': 915057, 'covid 19 round': 213723, '19 round the': 10255, 'round the world': 726367, 'the world she': 871963, 'world she tested': 1009972, 'she tested positive': 756378, 'tested positive to': 839355, 'positive to covid19': 665472, 'and cattle': 59632, 'cattle price': 167365, 'aren the': 92552, 'got hit': 358608, 'market and cattle': 515952, 'and cattle price': 59634, 'cattle price aren': 167367, 'price aren the': 672773, 'aren the only': 92554, 'one who got': 607446, 'who got hit': 988811, 'got hit by': 358609, 'by the virus': 154474, 'socialresponsibility': 781121, 'russian commerce': 728618, 'commerce platform': 188606, 'platform ozon': 659018, 'ozon ha': 632784, 'ha focused': 370638, 'on protecting': 602979, 'by capping': 152069, 'capping price': 162894, 'contactless door': 200370, 'door delivery': 255568, 'service socialresponsibility': 752846, 'russian commerce platform': 728619, 'commerce platform ozon': 188611, 'platform ozon ha': 659019, 'ozon ha focused': 632785, 'ha focused on': 370639, 'focused on protecting': 311961, 'on protecting consumer': 602980, 'protecting consumer by': 685186, 'consumer by capping': 196714, 'by capping price': 152070, 'capping price to': 162895, 'price to prevent': 677025, 'gouging and offering': 359248, 'and offering contactless': 67982, 'offering contactless door': 595042, 'contactless door delivery': 200371, 'door delivery service': 255569, 'delivery service socialresponsibility': 234463, 'naturaldisaster': 552888, 'disaster buy': 244188, 'buy milk': 148956, 'bread pandemic': 138558, 'pandemic buy': 635064, 'on pandemic': 602684, 'pandemic naturaldisaster': 636007, 'naturaldisaster toiletpaper': 552889, 'natural disaster buy': 552821, 'disaster buy milk': 244189, 'buy milk and': 148957, 'milk and bread': 531556, 'and bread pandemic': 59169, 'bread pandemic buy': 138559, 'pandemic buy all': 635065, 'paper can get': 640006, 'get my hand': 347631, 'my hand on': 548610, 'hand on pandemic': 375140, 'on pandemic naturaldisaster': 602686, 'pandemic naturaldisaster toiletpaper': 636008, 'brings to': 140282, 'brings to it': 140283, '1980s': 12448, 'supermarket look': 821386, 'like russia': 491114, 'russia in': 728497, 'the 1980s': 847950, '1980s uk': 12453, 'it 2020 in': 456197, '2020 in the': 14394, 'uk and yet': 938180, 'and yet every': 75984, 'yet every supermarket': 1016063, 'every supermarket look': 286258, 'supermarket look like': 821389, 'look like russia': 502507, 'like russia in': 491115, 'russia in the': 728499, 'in the 1980s': 428945, 'the 1980s uk': 847953, 'gurgaon': 368819, 'are charging': 85249, 'charging double': 173465, 'double and': 255975, 'and triple': 74462, 'triple price': 932257, 'for daily': 320523, 'daily use': 224857, 'vegetable item': 954023, 'item demand': 463201, 'surged in': 828308, 'in gurgaon': 423484, 'gurgaon impact': 368822, 'impact please': 417930, 'please act': 659631, 'act these': 29790, 'and grocery shop': 64001, 'grocery shop are': 364967, 'shop are charging': 759896, 'are charging double': 85251, 'charging double and': 173466, 'double and triple': 255977, 'and triple price': 74464, 'triple price for': 932258, 'price for daily': 673947, 'for daily use': 320531, 'daily use and': 224858, 'use and food': 949042, 'and food vegetable': 63104, 'food vegetable item': 317421, 'vegetable item demand': 954024, 'item demand of': 463202, 'demand of item': 235950, 'of item ha': 585482, 'item ha surged': 463307, 'ha surged in': 372126, 'surged in gurgaon': 828309, 'in gurgaon impact': 423486, 'gurgaon impact please': 368823, 'impact please act': 417931, 'please act these': 659632, 'act these are': 29791, 'these are essential': 879615, 'are essential item': 86251, 'of feb': 583466, 'feb consumer': 301639, 'spending wa': 789044, 'wa growing': 962262, 'growing roughly': 367234, 'roughly yoy': 726298, 'yoy when': 1026975, 'consumer began': 196422, 'we saw': 973132, 'saw partial': 738203, 'partial return': 642523, 'to growth': 907047, 'growth before': 367350, 'before significant': 123081, 'significant decline': 769414, 'decline through': 231411, 'march check': 515316, 'through the first': 894736, 'half of feb': 374224, 'of feb consumer': 583467, 'feb consumer spending': 301641, 'consumer spending wa': 199104, 'spending wa growing': 789046, 'wa growing roughly': 962263, 'growing roughly yoy': 367235, 'roughly yoy when': 726299, 'yoy when consumer': 1026976, 'when consumer began': 983277, 'consumer began to': 196424, 'began to stock': 123448, 'stock up due': 803075, 'to we saw': 918407, 'we saw partial': 973137, 'saw partial return': 738204, 'partial return to': 642524, 'return to growth': 719917, 'to growth before': 907048, 'growth before significant': 367351, 'before significant decline': 123082, 'significant decline through': 769416, 'decline through the': 231412, 'half of march': 374228, 'of march check': 586204, 'march check out': 515317, 'check out more': 174559, 'out more insight': 626572, 'basil': 112196, 'vacuum': 951812, 'and basil': 58728, 'basil to': 112197, 'who vacuum': 989871, 'vacuum pasta': 951825, 'pasta flour': 643717, 'flour hand': 311113, 'soap whatever': 779173, 'whatever look': 982780, 'at yourselves': 101696, 'are disgrace': 85852, 'disgrace to': 245319, 'the specie': 867548, 'specie you': 788198, 'selfish and': 747982, 'and ignorant': 64963, 'ignorant idiot': 415782, 'idiot oh': 413560, 'forgot idiot': 329398, 'idiot panic': 413564, 'to supermarket to': 915851, 'buy egg and': 148555, 'egg and basil': 269758, 'and basil to': 58729, 'basil to all': 112198, 'people who vacuum': 650353, 'who vacuum pasta': 989872, 'vacuum pasta flour': 951826, 'pasta flour hand': 643718, 'flour hand soap': 311114, 'hand soap whatever': 375779, 'soap whatever look': 779174, 'whatever look at': 982781, 'look at yourselves': 502311, 'at yourselves you': 101697, 'yourselves you are': 1026823, 'you are disgrace': 1017109, 'are disgrace to': 85855, 'disgrace to the': 245320, 'to the specie': 917083, 'the specie you': 867549, 'specie you are': 788199, 'are selfish and': 89934, 'selfish and ignorant': 747985, 'and ignorant idiot': 64964, 'ignorant idiot oh': 415784, 'idiot oh forgot': 413561, 'oh forgot idiot': 596383, 'forgot idiot panic': 329399, 'idiot panic buying': 413567, 'abroad': 27146, 'nzpol': 578227, 'reminder from': 710556, 'minister that': 533467, 'we give': 971642, 'them time': 876442, 'restock food': 716872, 'be brought': 113918, 'brought from': 141152, 'from abroad': 334366, 'abroad there': 27166, 'buying nzpol': 150784, 'reminder from the': 710557, 'from the prime': 337843, 'the prime minister': 864459, 'prime minister that': 678159, 'minister that our': 533468, 'that our supermarket': 845597, 'our supermarket will': 625031, 'supermarket will continue': 823881, 'continue to have': 201205, 'food on their': 315605, 'their shelf if': 874682, 'shelf if we': 757179, 'if we give': 415284, 'we give them': 971643, 'give them time': 350775, 'them time to': 876443, 'time to restock': 898052, 'to restock food': 913402, 'restock food will': 716873, 'food will continue': 317620, 'continue to be': 201165, 'to be brought': 901141, 'be brought from': 113919, 'brought from abroad': 141153, 'from abroad there': 334369, 'abroad there is': 27167, 'panic when buying': 638775, 'when buying nzpol': 983226, 'eroding': 280179, 'extinct': 293359, 'brokerage': 140945, 'lepage': 486411, 'outbreak combined': 628114, 'with collapse': 997689, 'is slowly': 451979, 'slowly eroding': 774593, 'eroding demand': 280180, 'in key': 424485, 'market open': 516805, 'open house': 612310, 'house are': 406195, 'are quickly': 89396, 'quickly becoming': 694470, 'becoming extinct': 120294, 'extinct said': 293362, 'said chief': 731024, 'chief executive': 175926, 'executive of': 289915, 'of brokerage': 580906, 'brokerage lepage': 140946, 'lepage via': 486412, 'the outbreak combined': 862603, 'outbreak combined with': 628115, 'combined with collapse': 187143, 'with collapse in': 997690, 'collapse in price': 186019, 'price is slowly': 674890, 'is slowly eroding': 451980, 'slowly eroding demand': 774594, 'eroding demand in': 280181, 'demand in key': 235672, 'in key market': 424490, 'key market open': 473341, 'market open house': 516808, 'open house are': 612311, 'house are quickly': 406197, 'are quickly becoming': 89397, 'quickly becoming extinct': 694471, 'becoming extinct said': 120295, 'extinct said chief': 293363, 'said chief executive': 731025, 'chief executive of': 175930, 'executive of brokerage': 289916, 'of brokerage lepage': 580907, 'brokerage lepage via': 140947, 'experimenting': 291752, 'recording': 705127, 'vlog': 959864, 'upload': 947589, 'home try': 402371, 'try experimenting': 934472, 'experimenting with': 291753, 'online content': 608047, 'content try': 200853, 'try recording': 934548, 'recording that': 705136, 'house vlog': 406657, 'vlog video': 959876, 'video upload': 956941, 'upload the': 947592, 'trying new': 934719, 'new hair': 558844, 'hair style': 374009, 'style screen': 815625, 'screen record': 742721, 'record your': 705085, 'experience all': 291305, 'all content': 42437, 'content doe': 200798, 'the or': 862432, 're at home': 698326, 'at home try': 99152, 'home try experimenting': 402372, 'try experimenting with': 934473, 'experimenting with your': 291755, 'your online content': 1025070, 'online content try': 608049, 'content try recording': 200854, 'try recording that': 934549, 'recording that house': 705137, 'that house vlog': 844377, 'house vlog video': 406658, 'vlog video upload': 959878, 'video upload the': 956942, 'upload the video': 947593, 'video of you': 956838, 'of you trying': 593429, 'you trying new': 1021940, 'trying new hair': 934720, 'new hair style': 558845, 'hair style screen': 374010, 'style screen record': 815626, 'screen record your': 742722, 'record your online': 705087, 'online shopping experience': 609117, 'shopping experience all': 762605, 'experience all content': 291306, 'all content doe': 42438, 'content doe not': 200799, 'to be about': 901085, 'be about the': 113448, 'about the or': 26468, 'the or quarantine': 862440, 'takeup': 833227, 'aswell': 97278, 'sudden closure': 816991, 'market rumor': 517018, 'rumor mill': 727490, 'mill running': 531973, 'running recently': 728043, 'recently observed': 704127, 'observed price': 578624, 'of 300': 579564, '300 in': 17312, 'use commodity': 949123, 'commodity by': 189141, 'local vendor': 498673, 'vendor after': 954335, 'seeing efficient': 746278, 'efficient takeup': 269435, 'takeup on': 833228, 'on would': 605384, 'would urge': 1012356, 'urge look': 948201, 'this aswell': 886445, 'with the sudden': 1001503, 'the sudden closure': 868381, 'sudden closure of': 816992, 'closure of market': 183970, 'of market rumor': 586238, 'market rumor mill': 517019, 'rumor mill running': 727491, 'mill running recently': 531974, 'running recently observed': 728044, 'recently observed price': 704128, 'observed price hike': 578625, 'hike of 300': 396236, 'of 300 in': 579565, '300 in price': 17313, 'price of daily': 675434, 'of daily use': 582319, 'daily use commodity': 224859, 'use commodity by': 949124, 'commodity by local': 189143, 'by local vendor': 153081, 'local vendor after': 498674, 'vendor after seeing': 954336, 'after seeing efficient': 36157, 'seeing efficient takeup': 746279, 'efficient takeup on': 269436, 'takeup on would': 833229, 'on would urge': 605385, 'would urge look': 1012357, 'urge look into': 948202, 'into this aswell': 443210, 'brace': 137482, 'crisis consumer': 217236, 'internet startup': 442026, 'startup brace': 795094, 'brace for': 137483, 'for salary': 325308, 'salary cut': 731963, 'layoff economiccrisis': 482689, 'crisis consumer internet': 217242, 'consumer internet startup': 197916, 'internet startup brace': 442027, 'startup brace for': 795095, 'brace for salary': 137489, 'for salary cut': 325309, 'salary cut layoff': 731964, 'cut layoff economiccrisis': 223418, 'need government': 554918, 'government intervention': 360234, 'food stuff': 316882, 'stuff ha': 815082, 'skyrocketed seller': 773378, 'make double': 509860, 'double gain': 256018, 'we need government': 972489, 'need government intervention': 554920, 'government intervention price': 360235, 'intervention price of': 442198, 'of food stuff': 583788, 'food stuff ha': 316890, 'stuff ha skyrocketed': 815083, 'ha skyrocketed seller': 371959, 'skyrocketed seller are': 773379, 'seller are taking': 748981, '19 situation to': 10598, 'situation to make': 772540, 'to make double': 909653, 'make double gain': 509861, 'suddenlyscaredofpeople': 817149, 'should blame': 765779, 'blame socialdistanacing': 132288, 'socialdistanacing or': 780083, 'having moment': 384166, 'trip just': 932104, 'just led': 469123, 'what believe': 981105, 'believe wa': 126400, 'first panic': 308849, 'attack like': 102127, 'like didn': 490120, 'didn already': 240978, 'have mentalhealth': 381462, 'mentalhealth issue': 528680, 'issue to': 455972, 'being dick': 125047, 'dick suddenlyscaredofpeople': 240474, 'know if should': 476481, 'if should blame': 414801, 'should blame socialdistanacing': 765781, 'blame socialdistanacing or': 132289, 'socialdistanacing or just': 780084, 'or just having': 615883, 'just having moment': 468940, 'having moment but': 384167, 'moment but my': 535888, 'but my grocery': 146430, 'store trip just': 810949, 'trip just led': 932105, 'just led to': 469124, 'led to what': 485307, 'to what believe': 918509, 'what believe wa': 981106, 'believe wa my': 126401, 'my first panic': 548346, 'first panic attack': 308850, 'panic attack like': 637379, 'attack like didn': 102128, 'like didn already': 490121, 'didn already have': 240979, 'already have mentalhealth': 47427, 'have mentalhealth issue': 381463, 'mentalhealth issue to': 528681, 'issue to deal': 455974, 'deal with thanks': 229580, 'with thanks for': 1001165, 'thanks for being': 842051, 'for being dick': 319626, 'being dick suddenlyscaredofpeople': 125048, 'hope everybody': 403455, 'safe make': 729812, 'hand 10': 374716, 'also eat': 48144, 'eat healthy': 265932, 'virus dont': 958147, 'dont worry': 255321, 'worry it': 1010737, 'world caution': 1009406, 'caution yes': 168187, 'yes panic': 1015504, 'hope everybody is': 403457, 'everybody is safe': 286450, 'is safe make': 451621, 'safe make sure': 729813, 'your hand 10': 1024157, 'hand 10 per': 374717, '10 per day': 1622, 'per day also': 650793, 'day also eat': 227232, 'also eat healthy': 48145, 'eat healthy food': 265934, 'food to fight': 317251, '19 virus dont': 11798, 'virus dont worry': 958148, 'dont worry it': 255322, 'worry it not': 1010740, 'the world caution': 871833, 'world caution yes': 1009407, 'caution yes panic': 168188, 'yes panic no': 1015505, 'ghar': 349611, 'bihiv': 130395, 'te': 835320, 'nyabar': 577938, 'mah': 508464, 'neeriv': 556713, 'mumkinhaiyeh': 546050, 'that cover': 843379, 'with disposable': 998088, 'disposable cap': 246234, 'cap wear': 162455, 'keep bottle': 471349, 'safe ghar': 729708, 'ghar bihiv': 349612, 'bihiv te': 130396, 'te nyabar': 835322, 'nyabar mah': 577939, 'mah neeriv': 508465, 'neeriv mumkinhaiyeh': 556714, 'mumkinhaiyeh jammu': 546051, 'jammu kashmir': 464447, 'kashmir awareness': 470980, 'awareness stayhome': 105733, 'for that cover': 326253, 'that cover your': 843380, 'cover your head': 212325, 'your head with': 1024268, 'head with disposable': 385869, 'with disposable cap': 998089, 'disposable cap wear': 246235, 'cap wear mask': 162456, 'mask and keep': 518340, 'and keep bottle': 65752, 'keep bottle of': 471350, 'bottle of sanitizer': 136294, 'of sanitizer with': 589304, 'sanitizer with you': 736143, 'with you at': 1002144, 'you at all': 1017332, 'all time stay': 45225, 'time stay home': 897751, 'stay safe ghar': 797238, 'safe ghar bihiv': 729709, 'ghar bihiv te': 349613, 'bihiv te nyabar': 130397, 'te nyabar mah': 835323, 'nyabar mah neeriv': 577940, 'mah neeriv mumkinhaiyeh': 508466, 'neeriv mumkinhaiyeh jammu': 556715, 'mumkinhaiyeh jammu kashmir': 546052, 'jammu kashmir awareness': 464448, 'kashmir awareness stayhome': 470981, 'awareness stayhome staysafe': 105734, 'bjp': 131998, 'will bjp': 992834, 'bjp govt': 131999, 'spit fr': 789551, 'now will bjp': 576423, 'will bjp govt': 992835, 'bjp govt show': 132000, 'saliva spit fr': 732738, 'risingprices': 723333, 'those raising': 892384, 'article look': 94384, 'the guidance': 856918, 'market authority': 516056, 'authority risingprices': 103777, 'consequence for those': 194859, 'for those raising': 327130, 'those raising price': 892385, 'raising price unfairly': 696131, 'price unfairly during': 677191, 'pandemic this article': 636743, 'this article look': 886422, 'article look at': 94385, 'at the guidance': 100970, 'the guidance issued': 856922, 'guidance issued by': 368252, 'by the competition': 154294, 'competition and market': 191666, 'and market authority': 66704, 'market authority risingprices': 516064, 'safe to go': 730052, 'normality': 567451, 'cannot wait': 162211, 'wait till': 964210, 'till this': 896113, 'finished and': 307889, 'life return': 488992, 'to normality': 910674, 'day that you': 228477, 'need to queue': 556024, 'to queue for': 912669, 'queue for over': 693930, 'for over an': 324327, 'over an hour': 629975, 'an hour to': 56108, 'hour to enter': 406021, 'enter supermarket cannot': 278298, 'supermarket cannot wait': 819524, 'cannot wait till': 162213, 'wait till this': 964216, 'till this is': 896115, 'this is finished': 888259, 'is finished and': 447819, 'finished and life': 307890, 'and life return': 66141, 'life return to': 488993, 'return to normality': 719925, 'fox5dc': 330789, 'damascusmd': 225293, 'nice we': 562513, 'we weren': 973821, 'weren hording': 980401, 'hording toiletpaper': 404031, 'toiletpaper but': 921829, 'purchase some': 689657, 'some you': 784240, 'you doubled': 1018349, 'pandemic wtf': 637075, 'wtf no': 1013306, 'people horde': 648295, 'horde taking': 404007, 'tragedy foxnews': 929171, 'foxnews fox5dc': 330802, 'fox5dc douchebags': 330790, 'douchebags damascusmd': 256240, 'nice we weren': 562515, 'we weren hording': 973822, 'weren hording toiletpaper': 980402, 'hording toiletpaper but': 404032, 'toiletpaper but when': 921833, 'but when we': 147827, 'when we went': 984474, 'to purchase some': 912549, 'purchase some you': 689658, 'some you doubled': 784241, 'you doubled the': 1018350, 'the price during': 864346, 'this pandemic wtf': 889451, 'pandemic wtf no': 637076, 'wtf no wonder': 1013307, 'no wonder people': 565913, 'wonder people horde': 1003990, 'people horde taking': 648296, 'horde taking advantage': 404008, 'this tragedy foxnews': 890840, 'tragedy foxnews fox5dc': 929172, 'foxnews fox5dc douchebags': 330803, 'fox5dc douchebags damascusmd': 330791, 'delicious': 233007, 'be keeping': 115588, 'keeping after': 472366, 'after end': 35622, 'the polish': 863944, 'polish deli': 663578, 'deli where': 232938, 'where have': 984910, 'you been': 1017417, 'life your': 489248, 'your meat': 1024802, 'meat are': 525489, 'are delicious': 85754, 'delicious your': 233030, 'coffee is': 185502, 'and tasty': 73042, 'tasty why': 834824, 'have wasted': 383546, 'wasted so': 968260, 'life shopping': 489036, 'thing will be': 884987, 'will be keeping': 992526, 'be keeping after': 115589, 'keeping after end': 472367, 'after end the': 35625, 'end the polish': 275979, 'the polish deli': 863945, 'polish deli where': 663579, 'deli where have': 232939, 'where have you': 984913, 'have you been': 383657, 'you been all': 1017418, 'been all my': 120640, 'my life your': 549052, 'life your meat': 489249, 'your meat are': 1024803, 'meat are delicious': 525490, 'are delicious your': 85755, 'delicious your coffee': 233031, 'your coffee is': 1023250, 'coffee is cheap': 185503, 'is cheap and': 446493, 'cheap and tasty': 174078, 'and tasty why': 73043, 'tasty why have': 834825, 'why have wasted': 991055, 'have wasted so': 383547, 'wasted so much': 968261, 'so much of': 777796, 'of my life': 586785, 'my life shopping': 549035, 'life shopping in': 489037, 'norc': 566999, 'madtweets': 508239, 'ap norc': 81206, 'norc poll': 567000, 'poll about': 663822, 'lose income': 503439, 'income due': 432316, 'to since': 914663, 'since 70': 770492, 'is based': 445999, 'spending consider': 788777, 'impact this': 418024, 'before investing': 122873, 'investing madtweets': 443934, 'ap norc poll': 81207, 'norc poll about': 567001, 'poll about half': 663823, 'half of worker': 374239, 'of worker will': 593288, 'worker will lose': 1008251, 'will lose income': 994052, 'lose income due': 503440, 'income due to': 432317, 'due to since': 261954, 'to since 70': 914665, 'since 70 of': 770493, 'economy is based': 267989, 'is based on': 446001, 'based on consumer': 111671, 'consumer spending consider': 199050, 'spending consider the': 788778, 'consider the impact': 195139, 'the impact this': 857949, 'impact this will': 418026, 'have on stock': 381776, 'on stock before': 603672, 'stock before investing': 801911, 'before investing madtweets': 122874, 'bag that': 108410, 'back could': 106939, 'transmit it': 929786, 'lift this': 489469, 'this ban': 886489, 'period like': 651815, 'grocery bag that': 364300, 'bag that people': 108413, 'that people take': 845707, 'people take home': 649717, 'take home and': 832203, 'home and back': 400613, 'and back could': 58615, 'back could transmit': 106940, 'could transmit it': 209786, 'transmit it time': 929787, 'etc who have': 282883, 'who have banned': 988910, 'have banned plastic': 379406, 'to lift this': 909266, 'lift this ban': 489470, 'this ban for': 886490, 'ban for period': 109205, 'for period like': 324482, 'period like this': 651816, 'homemade natural': 402842, 'natural hand': 552842, 'sanitizer diy': 734771, 'diy recipe': 248767, 'infection with': 436885, 'with natural': 999680, 'natural ingredient': 552845, 'everyday use': 286649, 'sanitizers handsanitizer': 736297, 'handsanitizer handsanitizers': 376541, 'handsanitizers coronavir': 376696, 'your homemade natural': 1024391, 'homemade natural hand': 402843, 'natural hand sanitizer': 552843, 'hand sanitizer diy': 375374, 'sanitizer diy recipe': 734773, 'diy recipe to': 248769, 'recipe to protect': 704509, 'yourself and prevent': 1026525, 'prevent infection with': 671663, 'infection with natural': 436886, 'with natural ingredient': 999681, 'natural ingredient for': 552846, 'ingredient for everyday': 438364, 'for everyday use': 321191, 'everyday use sanitizer': 286650, 'use sanitizer sanitizers': 949548, 'sanitizer sanitizers handsanitizer': 735696, 'sanitizers handsanitizer handsanitizers': 736298, 'handsanitizer handsanitizers coronavir': 376543, 'reviewed': 720603, 'news kaduna': 560573, 'ha reviewed': 371756, 'reviewed the': 720611, 'movement imposed': 543881, 'imposed to': 419318, 'enable people': 275428, 'essential curfew': 280954, 'curfew limited': 220896, 'limited every': 492626, 'every tuesday': 286341, 'and wednesday': 75375, 'breaking news kaduna': 139006, 'news kaduna state': 560574, 'kaduna state government': 470595, 'state government ha': 795612, 'government ha reviewed': 360166, 'ha reviewed the': 371757, 'reviewed the restriction': 720612, 'the restriction of': 865673, 'of movement imposed': 586694, 'movement imposed to': 543882, 'imposed to curb': 419319, 'curb the spread': 220585, 'spread of to': 790717, 'of to enable': 592210, 'to enable people': 905041, 'enable people to': 275430, 'other essential curfew': 620156, 'essential curfew limited': 280955, 'curfew limited every': 220897, 'limited every tuesday': 492627, 'every tuesday and': 286342, 'tuesday and wednesday': 935119, 'crushed': 219796, 'fnv': 311796, 'sbsw': 739833, 'kgc': 473678, 'btg': 141513, 'auy': 104088, 'drd': 258557, 'just crushed': 468543, 'crushed new': 219808, 'new year': 559909, 'high now': 395180, 'watch gold': 968428, 'gold fnv': 355890, 'fnv sbsw': 311797, 'sbsw kgc': 739834, 'kgc btg': 473679, 'btg auy': 141514, 'auy drd': 104089, 'gold price just': 355963, 'price just crushed': 674972, 'just crushed new': 468544, 'crushed new year': 219809, 'new year high': 559911, 'year high now': 1014623, 'high now what': 395182, 'now what to': 576385, 'what to watch': 982469, 'to watch gold': 918382, 'watch gold fnv': 968429, 'gold fnv sbsw': 355891, 'fnv sbsw kgc': 311798, 'sbsw kgc btg': 739835, 'kgc btg auy': 473680, 'btg auy drd': 141515, 'depository': 237526, 'chicagoland': 175707, 'bank amp': 109596, 'amp depository': 53638, 'depository are': 237527, 'pandemic appreciated': 634934, 'appreciated my': 82827, 'my discussion': 547997, 'with greater': 998675, 'greater chicago': 363152, 'chicago this': 175696, 'week about': 975812, 'of addressing': 579780, 'addressing food': 32092, 'insecurity for': 439155, 'thousand across': 893371, 'across chicagoland': 29295, 'our food bank': 623101, 'food bank amp': 313516, 'bank amp depository': 109597, 'amp depository are': 53639, 'depository are experiencing': 237528, 'increased demand during': 433269, 'the pandemic appreciated': 862909, 'pandemic appreciated my': 634935, 'appreciated my discussion': 82829, 'my discussion with': 547999, 'discussion with greater': 245060, 'with greater chicago': 998676, 'greater chicago this': 363153, 'chicago this week': 175697, 'this week about': 891181, 'week about the': 975814, 'importance of addressing': 418693, 'of addressing food': 579781, 'addressing food insecurity': 32093, 'food insecurity for': 315063, 'insecurity for thousand': 439156, 'for thousand across': 327169, 'thousand across chicagoland': 893372, 'ifrs': 415647, 'honestly don': 403096, 'why ve': 991497, 'been thinking': 122179, 'on ifrs': 601486, 'ifrs 13': 415648, '13 fair': 3216, 'fair value': 296396, 'value quoted': 952185, 'quoted price': 695023, 'honestly don know': 403097, 'don know why': 253679, 'know why ve': 477062, 'why ve been': 991498, 've been thinking': 952944, 'been thinking about': 122180, '19 on ifrs': 8949, 'on ifrs 13': 601487, 'ifrs 13 fair': 415649, '13 fair value': 3217, 'fair value quoted': 296397, 'value quoted price': 952186, 'price won': 677636, 'won reduce': 1003888, 'reduce for': 705838, 'fix fuel': 309723, 'price build': 672965, 'build energy': 141968, 'energy stability': 276587, 'stability fund': 791811, 'fund amid': 341352, '19 crude': 6364, 'crude collapse': 219515, 'fuel price won': 340264, 'price won reduce': 677640, 'won reduce for': 1003889, 'reduce for year': 705839, 'year to fix': 1015041, 'to fix fuel': 905989, 'fix fuel price': 309724, 'fuel price build': 340222, 'price build energy': 672966, 'build energy stability': 141969, 'energy stability fund': 276588, 'stability fund amid': 791812, 'fund amid 19': 341353, 'amid 19 crude': 52371, '19 crude collapse': 6365, 'bothered': 136137, 'finance minister': 306228, 'minister doesn': 533356, 'eat onion': 266003, 'onion so': 607738, 'not bothered': 568600, 'bothered about': 136138, 'price she': 676363, 'not suffering': 571796, 'would she': 1012235, 'she be': 755875, 'be bothered': 113889, 'finance minister doesn': 306229, 'minister doesn eat': 533357, 'doesn eat onion': 251762, 'eat onion so': 266004, 'onion so she': 607739, 'she is not': 756158, 'is not bothered': 450040, 'not bothered about': 568601, 'bothered about price': 136140, 'about price she': 25997, 'price she is': 676364, 'is not suffering': 450194, 'not suffering from': 571797, '19 so why': 10658, 'so why would': 778763, 'why would she': 991569, 'would she be': 1012236, 'she be bothered': 755876, 'stage if': 793189, 'government doe': 360035, 'not financially': 569414, 'financially support': 306688, 'need what': 556196, 'when thousand': 984317, 'left without': 485750, 'have grocery': 380843, 'store left': 808703, 'at even': 98559, 'have income': 381045, 'income onpoli': 432423, 'early stage if': 264700, 'stage if the': 793191, 'the government doe': 856528, 'government doe not': 360037, 'doe not financially': 251492, 'not financially support': 569415, 'financially support those': 306689, 'support those in': 826934, 'in need what': 425782, 'need what do': 556198, 'will happen when': 993605, 'happen when thousand': 377207, 'when thousand of': 984319, 'are left without': 87761, 'left without money': 485752, 'without money you': 1002789, 'money you will': 537200, 'will not have': 994228, 'not have grocery': 569837, 'have grocery store': 380845, 'grocery store left': 365518, 'store left to': 808704, 'left to shop': 485692, 'shop at even': 759943, 'at even if': 98560, 'even if you': 284224, 'to have income': 907259, 'have income onpoli': 381047, 'originally': 619593, 'the 3d': 848099, '3d of': 18243, 'of virus': 592822, 'in average': 420637, 'average grocery': 104846, 'with run': 1000526, 'run of': 727725, 'the mill': 860614, 'mill apparently': 531952, 'apparently aerosol': 81903, 'aerosol carrying': 33900, 'can remain': 159425, 'than originally': 840993, 'originally thought': 619602, 'thought gt': 893066, 'gt avoid': 367583, 'avoid busy': 105018, 'busy indoor': 144920, 'indoor space': 435363, 'for yr': 328247, 'yr own': 1027042, 'own good': 632020, 'see the 3d': 745807, 'the 3d of': 848101, '3d of virus': 18244, 'of virus spreading': 592830, 'virus spreading in': 958796, 'spreading in average': 790982, 'in average grocery': 420639, 'average grocery store': 104847, 'store with run': 811398, 'with run of': 1000527, 'run of the': 727727, 'of the mill': 591244, 'the mill apparently': 860615, 'mill apparently aerosol': 531953, 'apparently aerosol carrying': 81904, 'aerosol carrying the': 33901, 'carrying the can': 165217, 'the can remain': 850313, 'can remain in': 159426, 'remain in the': 709771, 'in the longer': 429330, 'the longer than': 859694, 'longer than originally': 502074, 'than originally thought': 840995, 'originally thought gt': 619603, 'thought gt avoid': 893067, 'gt avoid busy': 367584, 'avoid busy indoor': 105019, 'busy indoor space': 144921, 'indoor space for': 435364, 'space for yr': 787105, 'for yr own': 328248, 'yr own good': 1027043, 'worker share': 1007757, 'key worker share': 473510, 'worker share your': 1007760, 'share your coronavirus': 755373, 'your coronavirus experience': 1023350, 'grandpa': 361950, 'takecareofeachother': 832925, '84 grandpa': 22874, 'grandpa is': 361955, 'taking his': 833385, 'all healthy': 43082, 'responsibly self': 716111, 'young folk': 1022597, 'offer ride': 594769, 'ride etc': 721430, 'etc takecareofeachother': 282783, 'takecareofeachother cleveland': 832926, 'my 84 grandpa': 547198, '84 grandpa is': 22875, 'grandpa is taking': 361956, 'is taking his': 452545, 'taking his also': 833386, 'can all healthy': 157425, 'all healthy responsibly': 43083, 'healthy responsibly self': 387749, 'responsibly self isolating': 716112, 'self isolating young': 747749, 'isolating young folk': 455174, 'young folk get': 1022598, 'folk get on': 312163, 'get on and': 347696, 'on and the': 599375, 'and the like': 73448, 'the like to': 859371, 'to offer ride': 910846, 'offer ride etc': 594770, 'ride etc takecareofeachother': 721431, 'etc takecareofeachother cleveland': 282784, 'takecareofeachother cleveland thisisamess': 832927, 'matty': 520703, 'stanton': 793884, 'foodwaste': 318246, 'reducewaste': 706258, 'new on': 559193, 'the blog': 849774, 'blog panic': 132980, 'buying fighting': 150289, 'fighting food': 305067, 'waste amid': 968065, 'amid matty': 52530, 'matty stanton': 520704, 'stanton examines': 793885, 'uk food': 938364, 'chain read': 171028, 'here foodwaste': 392993, 'foodwaste reducewaste': 318260, 'reducewaste stayhomesavelives': 706259, 'stayhomesavelives uk': 798483, 'uk hospitality': 938454, 'new on the': 559197, 'on the blog': 603991, 'the blog panic': 849778, 'blog panic buying': 132981, 'panic buying fighting': 637730, 'buying fighting food': 150290, 'fighting food waste': 305068, 'food waste amid': 317468, 'waste amid matty': 968067, 'amid matty stanton': 52531, 'matty stanton examines': 520705, 'stanton examines the': 793886, 'the crisis on': 852421, 'crisis on uk': 217819, 'on uk food': 604947, 'uk food supply': 938370, 'supply chain read': 825016, 'chain read more': 171029, 'more here foodwaste': 539421, 'here foodwaste reducewaste': 392994, 'foodwaste reducewaste stayhomesavelives': 318261, 'reducewaste stayhomesavelives uk': 706260, 'stayhomesavelives uk hospitality': 798484, 'miss going': 534142, 'and offline': 68002, 'offline need': 596043, 'normal corona': 567121, 'corona ha': 203969, 'created such': 215896, 'such barrier': 816357, 'barrier public': 111363, 'transport just': 929900, 'just ain': 468174, 'ain it': 39632, 'already so': 47668, 'can enjoy': 158222, 'enjoy myself': 277155, 'myself man': 550906, 'man coronapocolypse': 512037, 'miss going shopping': 534144, 'going shopping online': 355452, 'online and offline': 607829, 'and offline need': 68003, 'offline need all': 596044, 'need all of': 554384, 'of this to': 592053, 'this to go': 890735, 'to normal corona': 910645, 'normal corona ha': 567122, 'corona ha created': 203971, 'ha created such': 370283, 'created such barrier': 215897, 'such barrier public': 816358, 'barrier public transport': 111364, 'public transport just': 688410, 'transport just ain': 929901, 'just ain it': 468175, 'ain it we': 39633, 'it we need': 462280, 'need this to': 555825, 'be done already': 114550, 'done already so': 254766, 'already so can': 47669, 'so can enjoy': 776709, 'can enjoy myself': 158224, 'enjoy myself man': 277156, 'myself man coronapocolypse': 550907, 'homequarantine': 402909, 'cleanlife': 181143, 'cleancity': 180700, 'cleanworld': 181199, 'stay clean': 796827, 'clean homequarantine': 180563, 'homequarantine earth': 402910, 'earth peace': 264997, 'peace mask': 646003, 'mask cleanlife': 518531, 'cleanlife cleancity': 181144, 'cleancity cleanworld': 180701, 'cleanworld stopthespread': 181200, 'stoppanicbuying designer': 805555, 'designer awareness': 238375, 'home stay clean': 402119, 'stay clean homequarantine': 796834, 'clean homequarantine earth': 180564, 'homequarantine earth peace': 402911, 'earth peace mask': 264998, 'peace mask cleanlife': 646004, 'mask cleanlife cleancity': 518532, 'cleanlife cleancity cleanworld': 181145, 'cleancity cleanworld stopthespread': 180702, 'cleanworld stopthespread stoppanicbuying': 181201, 'stopthespread stoppanicbuying designer': 805922, 'stoppanicbuying designer awareness': 805556, 'po3': 662140, 'premier shop': 669908, 'shop po3': 760672, 'po3 put': 662141, 'his beer': 397237, 'beer price': 122498, 'been regular': 121807, 'regular for': 707776, '20 yr': 13433, 'yr hope': 1027018, 'hope he': 403495, 'he get': 384980, 'get aid': 346514, 'premier shop po3': 669909, 'shop po3 put': 760673, 'po3 put his': 662142, 'put his beer': 690601, 'his beer price': 397238, 'beer price up': 122499, 'up ve been': 946516, 've been regular': 952923, 'been regular for': 121808, 'regular for 20': 707777, 'for 20 yr': 318737, '20 yr hope': 13434, 'yr hope he': 1027019, 'hope he get': 403496, 'he get aid': 384981, 'align': 41757, 'uncertainty small': 939759, 'small brand': 774821, 'brand and': 137724, 'are re': 89443, 'evaluating their': 283727, 'their go': 873413, 'better align': 128186, 'align with': 41760, 'current market': 221249, 'behavior could': 123991, 'could some': 209683, 'these strategy': 880750, 'strategy be': 812619, 'be helpful': 115206, 'helpful for': 391177, 'for growing': 322073, 'your brand': 1023012, 'of uncertainty small': 592601, 'uncertainty small brand': 939760, 'small brand and': 774822, 'brand and business': 137727, 'business are re': 143383, 'are re evaluating': 89444, 're evaluating their': 698626, 'evaluating their go': 283729, 'their go to': 873414, 'to market strategy': 909860, 'market strategy to': 517136, 'strategy to better': 812728, 'to better align': 901784, 'better align with': 128187, 'align with current': 41762, 'with current market': 997886, 'current market condition': 221251, 'market condition and': 516205, 'condition and consumer': 193395, 'consumer behavior could': 196463, 'behavior could some': 123992, 'could some of': 209685, 'of these strategy': 591861, 'these strategy be': 880751, 'strategy be helpful': 812620, 'be helpful for': 115209, 'helpful for growing': 391178, 'for growing your': 322074, 'growing your brand': 367263, 'releasing': 709114, 'owning': 632623, 'like guess': 490356, 'the console': 851469, 'console will': 195539, 'be releasing': 116768, 'releasing in': 709119, 'post or': 666267, 'or still': 617225, 'still ongoing': 800938, 'world not': 1009840, 'if most': 414425, 'it or': 460139, 'or feel': 615288, 'feel content': 302599, 'in owning': 426396, 'owning one': 632624, 'one depends': 606175, 'the release': 865477, 'release library': 708961, 'library and': 488059, 'whatever you like': 982820, 'you like guess': 1019607, 'like guess the': 490357, 'guess the console': 368048, 'the console will': 851470, 'console will be': 195540, 'will be releasing': 992639, 'be releasing in': 116769, 'releasing in post': 709120, 'in post or': 426863, 'post or still': 666268, 'or still ongoing': 617226, 'still ongoing covid': 800939, '19 world not': 12190, 'world not sure': 1009841, 'not sure if': 571840, 'sure if most': 827585, 'if most people': 414426, 'most people can': 542611, 'people can buy': 647382, 'can buy it': 157826, 'buy it or': 148859, 'it or feel': 460142, 'or feel content': 615289, 'feel content in': 302600, 'content in owning': 200812, 'in owning one': 426397, 'owning one depends': 632625, 'one depends on': 606176, 'depends on the': 237391, 'on the release': 604332, 'the release library': 865478, 'release library and': 708962, 'library and the': 488060, 'the consumer purchasing': 851581, 'consumer purchasing power': 198623, 'kid clean': 473902, 'after themselves': 36380, 'time make': 897179, 'them earn': 875640, 'earn their': 264815, 'toiletpaper parentinginapandemic': 922330, 'make your kid': 510760, 'your kid clean': 1024554, 'kid clean up': 473903, 'clean up after': 180670, 'up after themselves': 944230, 'after themselves when': 36381, 'themselves when they': 876938, 'they re home': 883053, 're home all': 698823, 'home all the': 400584, 'the time make': 869605, 'time make them': 897182, 'make them earn': 510604, 'them earn their': 875642, 'earn their toilet': 264816, 'paper toiletpaper parentinginapandemic': 640951, 'no consumer': 563880, 'buy ticket': 149370, 'ticket from': 895620, 'or they': 617424, 'situation putting': 772455, 'in vulnerable': 430632, 'vulnerable situation': 961167, 'is fraud': 447919, 'fraud 19': 331213, 'are no consumer': 88248, 'no consumer right': 563885, 'right when you': 722418, 'you buy ticket': 1017586, 'buy ticket from': 149371, 'ticket from or': 895622, 'from or they': 336716, 'or they are': 617425, 'the pandemic situation': 863096, 'pandemic situation putting': 636477, 'situation putting their': 772456, 'putting their customer': 691238, 'their customer in': 872953, 'customer in vulnerable': 222513, 'in vulnerable situation': 430634, 'vulnerable situation this': 961168, 'this is fraud': 888263, 'is fraud 19': 447920, 'piano': 655562, 'drum': 261198, 'studio': 814828, 'if trump': 415197, 'trump sends': 933836, 'sends 00': 750122, '00 relief': 463, 'check then': 174665, 'then already': 876983, 'the gear': 856198, 'gear wanted': 345007, 'wanted in': 966211, 'cart lol': 165330, 'lol let': 500919, 'get brand': 346709, 'brand new': 137927, 'new piano': 559272, 'piano drum': 655563, 'drum and': 261199, 'the studio': 868317, 'studio block': 814833, 'block haha': 132782, 'if trump sends': 415199, 'trump sends 00': 933837, 'sends 00 relief': 750123, '00 relief check': 464, 'relief check then': 709307, 'check then already': 174666, 'then already have': 876984, 'have the gear': 382989, 'the gear wanted': 856199, 'gear wanted in': 345008, 'wanted in the': 966212, 'in the online': 429418, 'shopping cart lol': 762305, 'cart lol let': 165331, 'lol let me': 500920, 'me get brand': 522803, 'get brand new': 346710, 'brand new piano': 137934, 'new piano drum': 559273, 'piano drum and': 655564, 'drum and buy': 261200, 'and buy up': 59356, 'buy up the': 149416, 'up the studio': 946222, 'the studio block': 868319, 'studio block haha': 814834, 'tumultuous': 935363, 'rocketing': 724966, 'set aside': 753343, 'aside supply': 95435, 'bank after': 109574, 'after tumultuous': 36458, 'tumultuous few': 935364, 'which several': 986310, 'several emergency': 753833, 'aid charity': 39365, 'charity closed': 173596, 'others struggled': 621674, 'meet rocketing': 527566, 'rocketing demand': 724967, 'people hit': 648261, 'the fallout': 854879, 'uk supermarket have': 938766, 'supermarket have been': 820679, 'asked to set': 95877, 'to set aside': 914288, 'set aside supply': 753348, 'aside supply for': 95437, 'supply for food': 825264, 'food bank after': 313512, 'bank after tumultuous': 109576, 'after tumultuous few': 36459, 'tumultuous few day': 935365, 'few day in': 303778, 'day in which': 227815, 'in which several': 430868, 'which several emergency': 986311, 'several emergency food': 753834, 'emergency food aid': 272698, 'food aid charity': 313065, 'aid charity closed': 39366, 'charity closed and': 173597, 'closed and others': 182994, 'and others struggled': 68461, 'others struggled to': 621675, 'struggled to meet': 814413, 'to meet rocketing': 910048, 'meet rocketing demand': 527567, 'rocketing demand from': 724968, 'demand from people': 235544, 'from people hit': 336880, 'people hit by': 648262, 'by the fallout': 154324, 'the fallout from': 854880, 'fallout from coronavirus': 297380, 'tuesdaythoughts be': 935217, 'careful shopping': 164429, 'are focusing': 86614, 'on fear': 600756, 'the these': 869430, 'these can': 879718, 'can include': 158739, 'include cure': 431545, 'cure there': 220825, 'isn one': 454604, 'one yet': 607535, 'yet equipment': 1016057, 'equipment such': 279835, 'such facemasks': 816486, 'facemasks which': 295178, 'which may': 986135, 'may never': 521360, 'never arrive': 557862, 'arrive and': 93900, 'more stay': 540451, 'on official': 602482, 'official site': 595928, 'be led': 115690, 'led off': 485249, 'off them': 594294, 'tuesdaythoughts be careful': 935218, 'be careful shopping': 113995, 'careful shopping online': 164430, 'online and scam': 607848, 'and scam that': 71033, 'that are focusing': 842751, 'are focusing on': 86615, 'focusing on fear': 311993, 'on fear over': 600761, 'over the these': 630777, 'the these can': 869431, 'these can include': 879720, 'can include cure': 158740, 'include cure there': 431546, 'cure there isn': 220827, 'there isn one': 878670, 'isn one yet': 454606, 'one yet equipment': 607536, 'yet equipment such': 1016058, 'equipment such facemasks': 279836, 'such facemasks which': 816487, 'facemasks which may': 295179, 'which may never': 986140, 'may never arrive': 521361, 'never arrive and': 557863, 'arrive and many': 93901, 'many more stay': 514315, 'more stay on': 540453, 'stay on official': 797145, 'on official site': 602484, 'official site do': 595929, 'site do not': 771906, 'not be led': 568412, 'be led off': 115691, 'led off them': 485250, 'essary': 280697, 're kind': 698967, 'of starting': 590049, 'starting all': 794936, 'over again': 629947, 'do co': 249191, 'owner tim': 632580, 'tim essary': 896152, 'essary said': 280698, 'said except': 731062, 'except now': 289206, 'sell toilet': 748922, 'we re kind': 972908, 're kind of': 698968, 'kind of starting': 474942, 'of starting all': 590050, 'starting all over': 794937, 'all over again': 43850, 'over again and': 629948, 'again and that': 36893, 'that the best': 846668, 'best thing we': 127930, 'can do co': 158098, 'do co owner': 249192, 'co owner tim': 184938, 'owner tim essary': 632581, 'tim essary said': 896153, 'essary said except': 280699, 'said except now': 731063, 'except now we': 289208, 'now we sell': 576354, 'we sell toilet': 973198, 'sell toilet paper': 748923, 'farmed': 299228, 'salmon': 732764, 'shrimp': 767679, 'iu49tbeund': 464037, 'news call': 560292, 'call global': 155913, 'global farmed': 351931, 'farmed salmon': 299229, 'salmon market': 732765, 'market disaster': 516294, 'disaster while': 244263, 'india there': 434643, 'is some': 452083, 'low shrimp': 505602, 'shrimp price': 767682, 'indeed they': 434015, 'have http': 380991, 'co iu49tbeund': 184864, 'latest news call': 481453, 'news call global': 560293, 'call global farmed': 155914, 'global farmed salmon': 351932, 'farmed salmon market': 299230, 'salmon market disaster': 732766, 'market disaster while': 516295, 'disaster while in': 244264, 'while in india': 986945, 'in india there': 424057, 'india there is': 434644, 'there is some': 878626, 'is some concern': 452086, 'about how low': 25452, 'how low shrimp': 408234, 'low shrimp price': 505603, 'shrimp price could': 767683, 'could fall and': 209162, 'fall and indeed': 296831, 'and indeed they': 65141, 'indeed they have': 434016, 'they have http': 882326, 'have http co': 380992, 'http co iu49tbeund': 409765, '2months': 16741, 'biko': 130442, 'pooh': 664006, 'can personally': 159224, 'personally have': 653031, 'been quarantined': 121759, 'almost 2months': 46496, '2months straight': 16742, 'straight and': 812200, 'still breathing': 800298, 'breathing this': 139249, 'this life': 888621, 'one biko': 606003, 'biko stay': 130445, 'indoors pooh': 435417, 'food and stay': 313344, 'and stay indoors': 72296, 'you can personally': 1017743, 'can personally have': 159225, 'personally have been': 653032, 'have been quarantined': 379650, 'been quarantined for': 121760, 'quarantined for almost': 692854, 'for almost 2months': 319209, 'almost 2months straight': 46497, '2months straight and': 16743, 'straight and still': 812201, 'and still breathing': 72368, 'still breathing this': 800299, 'breathing this life': 139250, 'this life is': 888623, 'life is only': 488815, 'only one biko': 610865, 'one biko stay': 606004, 'biko stay indoors': 130446, 'stay indoors pooh': 797080, 'country fighting': 210652, 'lady fight': 478759, 'country fighting for': 210653, 'fighting for medical': 305076, 'for medical supply': 323385, 'supply like lady': 825505, 'like lady fight': 490618, 'lady fight in': 478760, 'supermarket for toilet': 820427, 'my dollar': 548023, 'now charging': 574375, 'charging 25': 173445, '25 for': 15866, 'tissue that': 899217, 'normally okay': 567515, 'okay toiletpaper': 598028, 'so my dollar': 777834, 'my dollar store': 548024, 'dollar store is': 253084, 'is now charging': 450270, 'now charging 25': 574376, 'charging 25 for': 173446, '25 for pack': 15867, 'for pack of': 324347, 'of toilet tissue': 592254, 'toilet tissue that': 921647, 'tissue that is': 899218, 'that is normally': 844624, 'is normally okay': 450016, 'normally okay toiletpaper': 567516, 'cornfed': 203708, 'peru': 653293, 'dejected': 232603, 'cornfedinperu': 203712, 'cornfed and': 203709, 'in peru': 426656, 'peru no': 653296, 'no flight': 564229, 'flight no': 310512, 'no how': 564452, 'how dejected': 407674, 'dejected we': 232604, 'we return': 973099, 'their hotel': 873589, 'hotel the': 405204, 'news break': 560277, 'break that': 138799, 'the exception': 854670, 'exception of': 289274, 'doctor pharmacy': 251077, 'are required': 89611, 'inside cornfedinperu': 439248, 'cornfedinperu cornfed': 203713, 'cornfed peru': 203711, 'cornfed and covid': 203710, '19 in peru': 7775, 'in peru no': 426658, 'peru no flight': 653297, 'no flight no': 564231, 'flight no way': 310514, 'no way no': 565865, 'way no how': 969727, 'no how dejected': 564453, 'how dejected we': 407675, 'dejected we return': 232605, 'we return to': 973100, 'return to their': 719933, 'to their hotel': 917240, 'their hotel the': 873590, 'hotel the news': 405206, 'the news break': 861605, 'news break that': 560278, 'break that with': 138800, 'with the exception': 1001290, 'the exception of': 854671, 'exception of going': 289275, 'of going to': 584197, 'the doctor pharmacy': 853470, 'doctor pharmacy or': 251079, 'store we are': 811168, 'we are required': 970689, 'are required to': 89613, 'required to stay': 713409, 'to stay inside': 915296, 'stay inside cornfedinperu': 797096, 'inside cornfedinperu cornfed': 439249, 'cornfedinperu cornfed peru': 203714, 'news204': 560986, 'post for': 666130, 'on news204': 602395, 'new post for': 559323, 'post for lettuce': 666134, 'buying ha been': 150431, 'published on news204': 688678, 'tucson': 935070, 'in tucson': 430311, 'tucson are': 935071, 'are apparently': 84590, 'apparently desperate': 81929, 'desperate for': 238523, 'people in tucson': 648442, 'in tucson are': 430312, 'tucson are apparently': 935072, 'are apparently desperate': 84591, 'apparently desperate for': 81930, 'desperate for toiletpaper': 238530, 'for toiletpaper they': 327265, 'toiletpaper they could': 922609, 'they could just': 881832, 'could just stay': 209360, 'just stay home': 469887, 'stay home order': 796990, 'home order online': 401782, 'just afraid': 468168, 'afraid when': 35031, 'this decides': 887181, 'decides to': 230953, 'leave these': 484991, 'will too': 995212, 'too to': 925128, 'like gallon': 490292, 'gallon you': 343075, 'when everybody': 983394, 'station will': 796556, 'will scream': 994761, 'scream supply': 742641, 'just afraid when': 468169, 'afraid when this': 35032, 'when this decides': 984304, 'this decides to': 887182, 'decides to leave': 230955, 'to leave these': 909165, 'leave these price': 484994, 'these price at': 880525, 'pump will too': 689112, 'will too to': 995214, 'too to like': 925129, 'to like gallon': 909276, 'like gallon you': 490293, 'gallon you know': 343076, 'you know when': 1019542, 'know when everybody': 476997, 'when everybody can': 983395, 'everybody can get': 286420, 'get out the': 347747, 'out the station': 627421, 'the station will': 867835, 'station will scream': 796557, 'will scream supply': 994762, 'scream supply and': 742642, 'and demand and': 61138, 'demand and jack': 234977, 'commentary how': 188481, 'how switzerland': 408774, 'switzerland ended': 830604, 'second highest': 743734, 'highest coronavirus': 395816, 'infection rate': 436821, 'rate in': 697261, 'commentary how switzerland': 188482, 'how switzerland ended': 408775, 'switzerland ended up': 830605, 'ended up with': 276145, 'with the second': 1001470, 'the second highest': 866582, 'second highest coronavirus': 743735, 'highest coronavirus infection': 395817, 'coronavirus infection rate': 206139, 'infection rate in': 436823, 'rate in the': 697268, 'the sport': 867593, 'sport ban': 789901, 'ban just': 109213, 'just turn': 470149, 'early at': 264550, 'tomorrow live': 924120, 'live mma': 495922, 'mma coronacrisis': 534768, 'with the sport': 1001489, 'the sport ban': 867594, 'sport ban just': 789902, 'ban just turn': 109215, 'just turn up': 470150, 'turn up early': 935804, 'up early at': 944767, 'early at your': 264551, 'local supermarket tomorrow': 498604, 'supermarket tomorrow live': 823500, 'tomorrow live mma': 924121, 'live mma coronacrisis': 495923, 'seriously is': 751650, 'there shortage': 879040, 'paper where': 641086, 'are 19': 84107, 'but seriously is': 147014, 'seriously is there': 751651, 'is there shortage': 453032, 'there shortage of': 879042, 'toilet paper where': 921525, 'paper where you': 641087, 'you are 19': 1017046, 'coveryourface': 212520, 'weekly trip': 977586, 'store covered': 807211, 'covered my': 212434, 'same 19': 732947, '19 coveryourface': 6179, 'coveryourface socialdistancing': 212521, 'made my weekly': 507865, 'my weekly trip': 550567, 'weekly trip to': 977587, 'grocery store covered': 365311, 'store covered my': 807213, 'covered my face': 212435, 'my face for': 548156, 'face for myself': 294445, 'for myself and': 323763, 'myself and for': 550818, 'and for others': 63152, 'for others you': 324208, 'others you should': 621814, 'the same 19': 866191, 'same 19 coveryourface': 732948, '19 coveryourface socialdistancing': 6180, 'sewage': 754148, 'hsr': 409738, 'to water': 918396, 'water sewage': 969149, 'sewage worker': 754154, 'who remain': 989524, 'job so': 466158, 'have chance': 379925, 'practice adequate': 668519, 'adequate hygiene': 32170, 'hygiene to': 412183, 'pharmacist truck': 654186, 'driver doctor': 259513, 'nurse hsr': 577373, 'hsr delivery': 409739, 'you to water': 1021854, 'to water sewage': 918397, 'water sewage worker': 969150, 'sewage worker who': 754155, 'worker who remain': 1008224, 'who remain on': 989525, 'remain on the': 709796, 'the job so': 858672, 'job so that': 466160, 'we have chance': 971772, 'have chance to': 379927, 'chance to practice': 171811, 'to practice adequate': 911952, 'practice adequate hygiene': 668520, 'adequate hygiene to': 32171, 'hygiene to avoid': 412184, 'avoid the spread': 105334, 'clerk pharmacist truck': 181752, 'pharmacist truck driver': 654187, 'truck driver doctor': 932771, 'driver doctor nurse': 259514, 'doctor nurse hsr': 251022, 'nurse hsr delivery': 577374, 'hsr delivery driver': 409740, 'china cautious': 176547, 'cautious return': 168231, 'lockdown wuhan': 500171, 'china life': 176796, 'life asia': 488503, 'asia economy': 95170, 'economy business': 267716, 'consumer publichealth': 198603, 'publichealth vikez': 688546, 'vikez millennials': 957289, 'millennials genz': 532007, 'genz health': 345921, 'health news': 386666, 'wuhan china cautious': 1013466, 'china cautious return': 176548, 'cautious return to': 168232, 'normal after the': 567073, 'after the end': 36310, 'end of coronavirus': 275893, 'of coronavirus lockdown': 581949, 'coronavirus lockdown wuhan': 206257, 'lockdown wuhan china': 500172, 'wuhan china life': 1013469, 'china life asia': 176797, 'life asia economy': 488504, 'asia economy business': 95171, 'economy business consumer': 267718, 'business consumer publichealth': 143572, 'consumer publichealth vikez': 198604, 'publichealth vikez millennials': 688547, 'vikez millennials genz': 957290, 'millennials genz health': 532008, 'genz health news': 345922, 'horrific': 404155, 'grandesynthe': 361889, 'vigilante': 957263, 'and horrific': 64737, 'horrific headline': 404156, 'headline from': 385996, 'from grandesynthe': 335687, 'grandesynthe to': 361890, 'avoid tension': 105313, 'tension vigilante': 838002, 'vigilante and': 957264, 'police filter': 662992, 'filter migrant': 305772, 'migrant entrance': 531204, 'incredible and horrific': 433816, 'and horrific headline': 64738, 'horrific headline from': 404157, 'headline from grandesynthe': 385997, 'from grandesynthe to': 335688, 'grandesynthe to avoid': 361891, 'to avoid tension': 900946, 'avoid tension vigilante': 105315, 'tension vigilante and': 838003, 'vigilante and police': 957265, 'and police filter': 69158, 'police filter migrant': 662993, 'filter migrant entrance': 305773, 'migrant entrance to': 531205, 'be local': 115787, 'local to': 498649, 'doubled there': 256149, 'were plenty': 979981, 'plenty in': 660929, 'stock though': 802979, 'though still': 892894, 'other paper': 620642, 'so might': 777739, 'might wanna': 531163, 'wanna grab': 965641, 'grab egg': 361475, 'egg next': 269927, 'might just be': 531055, 'just be local': 468274, 'be local to': 115789, 'local to my': 498650, 'to my area': 910373, 'my area but': 547292, 'area but just': 91966, 'but just went': 146206, 'supermarket and because': 818939, 'because of egg': 119335, 'of egg price': 582999, 'have doubled there': 380354, 'doubled there were': 256150, 'there were plenty': 879329, 'were plenty in': 979982, 'plenty in stock': 660930, 'in stock though': 428338, 'stock though still': 802980, 'though still no': 892895, 'still no tp': 800883, 'no tp or': 565789, 'tp or other': 927896, 'or other paper': 616440, 'other paper product': 620644, 'paper product so': 640633, 'product so might': 681629, 'so might wanna': 777741, 'might wanna grab': 531164, 'wanna grab egg': 965642, 'grab egg next': 361476, 'egg next time': 269928, 'consumer opinion': 198271, 'opinion of': 613479, 'of socialmedia': 589865, 'socialmedia ha': 781086, 'ha declined': 370329, 'another shift': 77840, 'in thinking': 429890, 'thinking thanks': 885992, 'recent demand': 703879, 'digital connection': 242532, 'connection amid': 194693, 'amid socialdistancing': 52663, 'socialdistancing could': 780297, 'could positive': 209516, 'positive messaging': 665367, 'messaging and': 529508, 'and content': 60485, 'content bring': 200785, 'back consumer': 106933, 'consumer trust': 199397, 'consumer opinion of': 198274, 'opinion of socialmedia': 613480, 'of socialmedia ha': 589866, 'socialmedia ha declined': 781087, 'ha declined in': 370330, 'declined in recent': 231432, 'in recent year': 427322, 'recent year but': 704032, 'year but we': 1014451, 'but we could': 147743, 'we could see': 971217, 'could see another': 209630, 'see another shift': 744912, 'another shift in': 77841, 'shift in thinking': 758331, 'in thinking thanks': 429891, 'thinking thanks to': 885993, 'to the recent': 917008, 'the recent demand': 865305, 'recent demand for': 703880, 'demand for digital': 235404, 'for digital connection': 320708, 'digital connection amid': 242533, 'connection amid socialdistancing': 194694, 'amid socialdistancing could': 52664, 'socialdistancing could positive': 780298, 'could positive messaging': 209517, 'positive messaging and': 665368, 'messaging and content': 529509, 'and content bring': 60486, 'content bring back': 200786, 'bring back consumer': 139928, 'back consumer trust': 106936, 'lincoln': 492908, 'concern raise': 193060, 'raise demand': 695829, 'of lincoln': 585868, 'lincoln food': 492911, '19 concern raise': 5924, 'concern raise demand': 193061, 'raise demand of': 695831, 'demand of lincoln': 235951, 'of lincoln food': 585869, 'lincoln food bank': 492912, 'axiety': 106308, 'give everyone': 350476, 'everyone axiety': 286724, 'axiety right': 106309, 'now tp': 576219, 'how to give': 409027, 'to give everyone': 906684, 'give everyone axiety': 350478, 'everyone axiety right': 286725, 'axiety right now': 106310, 'right now tp': 722165, 'now tp toiletpaper': 576220, 'coronaquarantine': 205259, 'missyoudad': 534459, 'dad stop': 224382, 'hi while': 394769, 'while walking': 987531, 'walking home': 965055, 'store newnormal': 809062, 'newnormal coronaquarantine': 560137, 'coronaquarantine missyoudad': 205260, 'missyoudad new': 534460, 'york new': 1016641, 'dad stop by': 224383, 'stop by to': 804560, 'by to say': 154561, 'to say hi': 913822, 'say hi while': 738756, 'hi while walking': 394770, 'while walking home': 987534, 'walking home from': 965056, 'grocery store newnormal': 365590, 'store newnormal coronaquarantine': 809063, 'newnormal coronaquarantine missyoudad': 560138, 'coronaquarantine missyoudad new': 205261, 'missyoudad new york': 534461, 'new york new': 559942, 'york new york': 1016642, 'dontrunoutoftoiletpaper': 255394, 'dontneedatherapist': 255368, 'digiscrapthat': 242472, 'paper shirt': 640758, 'shirt via': 759025, 'via dontrunoutoftoiletpaper': 955929, 'dontrunoutoftoiletpaper toiletpaper': 255395, 'toiletpaper dontneedatherapist': 921922, 'dontneedatherapist pandemic': 255369, 'pandemic toiletpapershortage': 636823, 'toiletpapershortage digiscrapthat': 923318, 'do not run': 249833, 'not run out': 571408, 'toilet paper shirt': 921449, 'paper shirt via': 640760, 'shirt via dontrunoutoftoiletpaper': 759026, 'via dontrunoutoftoiletpaper toiletpaper': 955930, 'dontrunoutoftoiletpaper toiletpaper dontneedatherapist': 255396, 'toiletpaper dontneedatherapist pandemic': 921923, 'dontneedatherapist pandemic toiletpapershortage': 255370, 'pandemic toiletpapershortage digiscrapthat': 636824, 'judgement': 467653, 'iamdjblaque': 412542, 'iamlegend': 412545, 'in couple': 421835, 'couple week': 211703, 'week feel': 976207, 'feel this': 302900, 'how ll': 408178, 'supermarket practice': 822048, 'practice good': 668572, 'good judgement': 357301, 'judgement and': 467654, 'and proper': 69626, 'proper social': 684151, 'distancing iamdjblaque': 247206, 'iamdjblaque iamlegend': 412543, 'iamlegend will': 412546, 'in couple week': 421837, 'couple week feel': 211705, 'week feel this': 976209, 'feel this is': 302901, 'is how ll': 448584, 'how ll be': 408180, 'll be walking': 496645, 'be walking to': 118039, 'local supermarket practice': 498577, 'supermarket practice good': 822049, 'practice good judgement': 668575, 'good judgement and': 357302, 'judgement and proper': 467655, 'and proper social': 69629, 'proper social distancing': 684152, 'social distancing iamdjblaque': 779633, 'distancing iamdjblaque iamlegend': 247207, 'iamdjblaque iamlegend will': 412544, 'iamlegend will socialdistancing': 412547, 'mdoc': 522311, 'horhn': 404035, 'ms65': 544500, 'prisoner': 678751, 'inhuman': 438477, 'kw': 478021, 'ality': 41792, 'amplifier': 54896, 'msleg': 544542, 'finalize': 305911, '2123': 15063, 'mdoc horhn': 522312, 'horhn ms65': 404036, 'ms65 50': 544501, '50 brown': 19639, 'brown mississippi': 141242, 'mississippi prisoner': 534406, 'prisoner go': 678757, 'official food': 595809, 'water strike': 969176, 'strike on': 813755, '2020 to': 14661, 'protest against': 685909, 'pandemic amp': 634846, 'amp lack': 54057, 'of preventive': 588386, 'by mdoc': 153190, 'mdoc staff': 522314, 'shortage inhuman': 765027, 'inhuman living': 438480, 'living condition': 496329, 'condition poor': 193512, 'food quality': 316095, 'quality kw': 691813, 'kw ality': 478022, 'ality abuse': 41793, 'abuse amplifier': 27614, 'amplifier question': 54901, 'question msleg': 693656, 'msleg finalize': 544543, 'finalize amplifier': 305914, 'amplifier enact': 54897, 'enact sb': 275493, 'sb 2123': 739785, 'mdoc horhn ms65': 522313, 'horhn ms65 50': 404037, 'ms65 50 brown': 544502, '50 brown mississippi': 19640, 'brown mississippi prisoner': 141243, 'mississippi prisoner go': 534408, 'prisoner go on': 678758, 'go on official': 353888, 'on official food': 602483, 'official food and': 595811, 'and water strike': 75256, 'water strike on': 969178, 'strike on april': 813756, 'on april 2020': 599438, 'april 2020 to': 83478, '2020 to protest': 14664, 'to protest against': 912358, 'protest against the': 685910, 'against the covid': 37651, '19 pandemic amp': 9263, 'pandemic amp lack': 634849, 'amp lack of': 54058, 'lack of preventive': 478647, 'of preventive measure': 588387, 'preventive measure taken': 671925, 'taken by mdoc': 832971, 'by mdoc staff': 153191, 'mdoc staff shortage': 522315, 'staff shortage inhuman': 792854, 'shortage inhuman living': 765028, 'inhuman living condition': 438481, 'living condition poor': 496331, 'condition poor food': 193513, 'poor food quality': 664175, 'food quality kw': 316096, 'quality kw ality': 691814, 'kw ality abuse': 478023, 'ality abuse amplifier': 41794, 'abuse amplifier question': 27615, 'amplifier question msleg': 54902, 'question msleg finalize': 693657, 'msleg finalize amplifier': 544545, 'finalize amplifier enact': 305915, 'amplifier enact sb': 54898, 'enact sb 2123': 275494, 'donators': 254740, 'native': 552777, 'chickasaw': 175725, 'hardman': 378265, 'supply asap': 824802, 'asap any': 94861, 'any donators': 79135, 'donators are': 254741, 'are encouraged': 86193, 'contact this': 200239, 'this native': 889088, 'native american': 552778, 'company chickasaw': 190546, 'chickasaw rep': 175726, 'rep jason': 711419, 'jason hardman': 464842, 'hardman com': 378266, 'com they': 186958, 'plenty bed': 660907, 'bed and': 120378, 'gallon coronavirus': 342991, 'america need supply': 51622, 'need supply asap': 555676, 'supply asap any': 824803, 'asap any donators': 94862, 'any donators are': 79136, 'donators are encouraged': 254742, 'are encouraged to': 86194, 'encouraged to contact': 275664, 'to contact this': 903359, 'contact this native': 200240, 'this native american': 889089, 'native american company': 552779, 'american company chickasaw': 51876, 'company chickasaw rep': 190547, 'chickasaw rep jason': 175727, 'rep jason hardman': 711420, 'jason hardman com': 464843, 'hardman com they': 378267, 'com they have': 186959, 'they have plenty': 882364, 'have plenty bed': 381964, 'plenty bed and': 660908, 'bed and hand': 120381, 'sanitizer by the': 734624, 'the gallon coronavirus': 856112, 'goodfriday': 358016, 'easterweekend': 265614, 'reminder it': 710565, 'friday not': 333265, 'just any': 468205, 'any friday': 79253, 'friday it': 333243, 'friday have': 333231, 'wonderful easter': 1004077, 'weekend you': 977460, 'you move': 1019898, 'move from': 543651, 'from room': 337127, 'room to': 725978, 'to room': 913633, 'room at': 725886, 'an exciting': 55923, 'exciting trip': 289611, 'supermarket thrown': 823334, 'thrown in': 895135, 'good measure': 357378, 'measure stay': 525341, 'safe good': 729719, 'good goodfriday': 357139, 'goodfriday 19': 358017, '19 easterweekend': 6690, 'easterweekend stayhomesavelives': 265621, 'daily reminder it': 224776, 'reminder it friday': 710566, 'it friday not': 458141, 'friday not just': 333266, 'not just any': 570212, 'just any friday': 468206, 'any friday it': 79254, 'friday it good': 333244, 'it good friday': 458297, 'good friday have': 357101, 'friday have wonderful': 333233, 'have wonderful easter': 383619, 'wonderful easter weekend': 1004078, 'easter weekend you': 265527, 'weekend you move': 977462, 'you move from': 1019899, 'move from room': 543656, 'from room to': 337128, 'room to room': 725981, 'to room at': 913634, 'room at home': 725887, 'home with an': 402517, 'with an exciting': 997212, 'an exciting trip': 55925, 'exciting trip to': 289613, 'the supermarket thrown': 868858, 'supermarket thrown in': 823335, 'thrown in for': 895136, 'in for good': 423015, 'for good measure': 321936, 'good measure stay': 357379, 'measure stay safe': 525342, 'stay safe good': 797239, 'safe good goodfriday': 729720, 'good goodfriday 19': 357140, 'goodfriday 19 easterweekend': 358018, '19 easterweekend stayhomesavelives': 6691, 'at current': 98388, 'price add': 672218, 'at current price': 98391, 'current price add': 221309, 'mobie': 534923, 'genie': 345751, 'folding': 312074, '2299': 15325, '2699': 16234, 'also negotiated': 48558, 'negotiated better': 556920, 'the reduced': 865393, 'reduced travel': 706205, 'the mobie': 860711, 'mobie and': 534924, 'and genie': 63526, 'genie folding': 345754, 'folding mobility': 312075, 'mobility scooter': 535089, 'scooter have': 742324, 'reduced to': 706193, 'to 2299': 899618, '2299 2699': 15326, '2699 respectively': 16235, 'respectively find': 715166, 'news we have': 560954, 'have also negotiated': 379216, 'also negotiated better': 48559, 'negotiated better price': 556921, 'better price in': 128426, 'price in light': 674704, 'of the reduced': 591397, 'the reduced travel': 865396, 'reduced travel demand': 706207, 'travel demand caused': 930333, 'caused by covid': 167835, '19 the price': 11236, 'price of the': 675584, 'of the mobie': 591246, 'the mobie and': 860712, 'mobie and genie': 534925, 'and genie folding': 63528, 'genie folding mobility': 345755, 'folding mobility scooter': 312076, 'mobility scooter have': 535090, 'scooter have now': 742325, 'now been reduced': 574228, 'been reduced to': 121800, 'reduced to 2299': 706194, 'to 2299 2699': 899619, '2299 2699 respectively': 15327, '2699 respectively find': 16236, 'respectively find out': 715167, 'on the look': 604221, 'the look out': 859708, 'out for covid': 626106, 'rizk': 724230, 'zouzou': 1027875, 'shakib': 754459, '1946': 12369, 'dir': 243239, 'hassan': 378811, 'imam': 416861, 'samir': 733440, 'farid': 299060, 'archive': 84058, 'amina rizk': 52846, 'rizk and': 724231, 'and zouzou': 76124, 'zouzou shakib': 1027876, 'shakib demonstrate': 754460, 'demonstrate proper': 236837, 'proper queuing': 684145, 'queuing etiquette': 694205, 'etiquette at': 283150, 'socialdistancing image': 780439, 'image from': 416629, 'from angel': 334532, 'hell 1946': 388975, '1946 dir': 12370, 'dir hassan': 243242, 'hassan al': 378812, 'al imam': 40574, 'imam from': 416862, 'the samir': 866326, 'samir farid': 733441, 'farid collection': 299061, 'collection archive': 186402, 'archive egypt': 84059, 'egypt film': 270104, 'amina rizk and': 52847, 'rizk and zouzou': 724232, 'and zouzou shakib': 76125, 'zouzou shakib demonstrate': 1027877, 'shakib demonstrate proper': 754461, 'demonstrate proper queuing': 236838, 'proper queuing etiquette': 684146, 'queuing etiquette at': 694206, 'etiquette at the': 283151, 'the supermarket socialdistancing': 868811, 'supermarket socialdistancing image': 822756, 'socialdistancing image from': 780440, 'image from angel': 416630, 'from angel in': 334533, 'angel in hell': 76312, 'in hell 1946': 423624, 'hell 1946 dir': 388976, '1946 dir hassan': 12371, 'dir hassan al': 243243, 'hassan al imam': 378813, 'al imam from': 40575, 'imam from the': 416863, 'from the samir': 337869, 'the samir farid': 866327, 'samir farid collection': 733442, 'farid collection archive': 299062, 'collection archive egypt': 186403, 'archive egypt film': 84060, 'brookside': 141011, '1litre': 12640, 'maize': 509193, 'conned': 194739, 'so brookside': 776652, 'brookside buy': 141012, 'buy 1litre': 148250, '1litre of': 12641, 'milk from': 531681, 'farmer at': 299304, 'about 35': 24703, '35 remove': 17915, 'remove fat': 710824, 'fat to': 300217, 'make ghee': 509936, 'ghee butter': 349633, 'butter and': 148122, 'back water': 107449, 'water of': 969074, 'of 1litre': 579440, '1litre same': 12643, 'same happens': 733097, 'happens for': 377463, 'for maize': 323161, 'maize and': 509194, 'and wheat': 75502, 'wheat kenyan': 982994, 'kenyan so': 472988, 'your leader': 1024599, 'always get': 49569, 'get conned': 346805, 'so brookside buy': 776653, 'brookside buy 1litre': 141013, 'buy 1litre of': 148251, '1litre of milk': 12642, 'of milk from': 586510, 'milk from farmer': 531682, 'from farmer at': 335416, 'farmer at about': 299305, 'at about 35': 97833, 'about 35 remove': 24705, '35 remove fat': 17916, 'remove fat to': 710825, 'fat to make': 300218, 'to make ghee': 909668, 'make ghee butter': 509937, 'ghee butter and': 349634, 'butter and give': 148124, 'give you back': 350851, 'you back water': 1017370, 'back water of': 107450, 'water of 1litre': 969075, 'of 1litre same': 579441, '1litre same happens': 12644, 'same happens for': 733098, 'happens for maize': 377464, 'for maize and': 323162, 'maize and wheat': 509196, 'and wheat kenyan': 75505, 'wheat kenyan so': 982995, 'kenyan so long': 472989, 'so long your': 777591, 'long your leader': 501883, 'your leader are': 1024600, 'leader are in': 483426, 'are in business': 87358, 'in business with': 421087, 'business with we': 144709, 'with we will': 1002044, 'we will always': 973834, 'will always get': 992274, 'always get conned': 49570, 'stopwastingtests': 805946, 'testgrocerystoreworkers': 839401, 'get smart': 348023, 'start testing': 794542, 'testing grocery': 839502, 'high exposure': 395068, 'one asymptomatic': 605961, 'asymptomatic worker': 97339, 'can infect': 158742, 'infect thousand': 436513, 'day forget': 227642, 'forget testing': 329287, 'testing traveler': 839683, 'traveler and': 930614, 'the already': 848596, 'can isolate': 158772, 'isolate stopwastingtests': 454917, 'stopwastingtests testgrocerystoreworkers': 805947, 'get smart and': 348024, 'smart and start': 775341, 'and start testing': 72249, 'start testing grocery': 794545, 'testing grocery store': 839503, 'worker now they': 1007461, 'they have high': 882325, 'have high exposure': 380941, 'high exposure and': 395069, 'exposure and just': 292957, 'and just one': 65710, 'just one asymptomatic': 469371, 'one asymptomatic worker': 605962, 'asymptomatic worker can': 97340, 'worker can infect': 1006589, 'can infect thousand': 158744, 'infect thousand in': 436514, 'thousand in day': 893401, 'in day forget': 422010, 'day forget testing': 227643, 'forget testing traveler': 329288, 'testing traveler and': 839684, 'traveler and the': 930615, 'and the already': 73240, 'the already sick': 848598, 'already sick they': 47661, 'sick they can': 768630, 'they can isolate': 881640, 'can isolate stopwastingtests': 158773, 'isolate stopwastingtests testgrocerystoreworkers': 454918, 'fifth': 304561, 'yes dr': 1015419, 'dr dr': 258001, 'dr is': 258034, 'me sane': 523413, 'sane how': 733759, 'how dare': 407666, 'dare they': 225930, 'they fail': 882088, 'to screen': 913931, 'screen it': 742704, 'wednesday night': 975666, 'night in': 563013, 'in favour': 422804, 'favour of': 300571, '19 piece': 9680, 'piece am': 656263, 'still recovering': 801104, 'recovering from': 705260, 'my fifth': 548311, 'fifth supermarket': 304574, 'shop without': 761068, 'seeing toilet': 746521, 'yes dr dr': 1015420, 'dr dr is': 258002, 'dr is keeping': 258036, 'is keeping me': 449173, 'keeping me sane': 472478, 'me sane how': 523414, 'sane how dare': 733760, 'how dare they': 407667, 'dare they fail': 225931, 'they fail to': 882089, 'fail to screen': 296113, 'to screen it': 913932, 'screen it last': 742705, 'it last wednesday': 459306, 'last wednesday night': 480622, 'wednesday night in': 975668, 'night in favour': 563014, 'in favour of': 422805, 'favour of covid': 300572, 'covid 19 piece': 213580, '19 piece am': 9681, 'piece am still': 656264, 'am still recovering': 50434, 'still recovering from': 801105, 'recovering from my': 705263, 'from my fifth': 336507, 'my fifth supermarket': 548312, 'fifth supermarket shop': 304575, 'supermarket shop without': 822601, 'shop without seeing': 761074, 'without seeing toilet': 1002905, 'seeing toilet roll': 746522, 'sumer': 817897, 'previous': 671955, 'hemisphere': 391688, 'so hearing': 777282, 'hearing many': 388214, 'many myth': 514329, 'myth about': 551043, 'about 19': 24657, 'quickly clear': 694499, 'record coronavirus': 704921, 'in sumer': 428536, 'sumer month': 817898, 'month wrong': 538148, 'wrong previous': 1013087, 'previous pandemic': 671987, 'pandemic didn': 635302, 'didn follow': 241063, 'follow weather': 312583, 'weather pattern': 974886, 'pattern plus': 644495, 'plus we': 661714, 'we enter': 971466, 'enter summer': 278293, 'summer there': 818015, 'be winter': 118106, 'winter in': 996129, 'the southern': 867516, 'southern hemisphere': 786858, 'hemisphere virus': 391689, 'so hearing many': 777283, 'hearing many myth': 388215, 'many myth about': 514330, 'myth about 19': 551044, 'about 19 and': 24658, '19 and would': 5142, 'like to quickly': 491614, 'to quickly clear': 912679, 'quickly clear the': 694500, 'clear the record': 181362, 'the record coronavirus': 865360, 'record coronavirus will': 704923, 'coronavirus will go': 207085, 'go away in': 353328, 'away in sumer': 105950, 'in sumer month': 428537, 'sumer month wrong': 817899, 'month wrong previous': 538149, 'wrong previous pandemic': 1013088, 'previous pandemic didn': 671988, 'pandemic didn follow': 635303, 'didn follow weather': 241064, 'follow weather pattern': 312584, 'weather pattern plus': 974887, 'pattern plus we': 644496, 'plus we enter': 661715, 'we enter summer': 971468, 'enter summer there': 278294, 'summer there will': 818016, 'will be winter': 992772, 'be winter in': 118107, 'winter in the': 996130, 'in the southern': 429555, 'the southern hemisphere': 867517, 'southern hemisphere virus': 786859, 'hemisphere virus is': 391690, 'virus is global': 958374, 'coastal': 185125, 'holidaymaker': 400397, 'victorian': 956555, 'in coastal': 421528, 'coastal community': 185126, 'already being': 47229, 'being inundated': 125333, 'with holidaymaker': 998859, 'holidaymaker from': 400400, 'from melbourne': 336414, 'melbourne in': 527933, 'advance of': 32906, 'the victorian': 870732, 'victorian school': 956558, 'school holiday': 741819, 'holiday which': 400382, 'will ultimately': 995263, 'ultimately put': 939152, 'put strain': 690838, 'our already': 622054, 'already strained': 47684, 'strained supermarket': 812323, 'not staying': 571709, 'live in coastal': 495853, 'in coastal community': 421529, 'coastal community and': 185127, 'we are already': 970474, 'are already being': 84400, 'already being inundated': 47231, 'being inundated with': 125334, 'inundated with holidaymaker': 443548, 'with holidaymaker from': 998860, 'holidaymaker from melbourne': 400401, 'from melbourne in': 336415, 'melbourne in advance': 527934, 'in advance of': 420057, 'advance of the': 32908, 'of the victorian': 591589, 'the victorian school': 870733, 'victorian school holiday': 956559, 'school holiday which': 741821, 'holiday which will': 400383, 'which will ultimately': 986509, 'will ultimately put': 995265, 'ultimately put strain': 939153, 'put strain on': 690839, 'strain on our': 812292, 'on our already': 602573, 'our already strained': 622055, 'already strained supermarket': 47686, 'strained supermarket supply': 812324, 'supermarket supply this': 823054, 'supply this is': 825987, 'is not staying': 450191, 'foodhall': 317927, 'stayingopen': 798744, 'stayingassafeaswecan': 798731, 'of shitty': 589608, 'shitty day': 759374, 'frontline keyworker': 338771, 'keyworker corona': 473577, 'corona foodhall': 203947, 'foodhall supermarket': 317932, 'supermarket stayingopen': 822945, 'stayingopen stayingassafeaswecan': 798745, 'stayingassafeaswecan belfast': 798732, 'bit of shitty': 131662, 'of shitty day': 589609, 'shitty day at': 759375, 'the frontline keyworker': 855875, 'frontline keyworker corona': 338772, 'keyworker corona foodhall': 473578, 'corona foodhall supermarket': 203948, 'foodhall supermarket stayingopen': 317933, 'supermarket stayingopen stayingassafeaswecan': 822946, 'stayingopen stayingassafeaswecan belfast': 798746, 'shapiro': 754892, 'coalition': 185077, 'general shapiro': 345470, 'shapiro led': 754893, 'led coalition': 485225, 'coalition of': 185080, '23 attorney': 15378, 'general to': 345489, 'bureau enforce': 142782, 'enforce the': 276687, 'and require': 70287, 'require credit': 713303, 'credit reporting': 216487, 'reporting agency': 712663, 'the fair': 854851, 'fair credit': 296327, 'reporting act': 712661, 'act during': 29630, 'attorney general shapiro': 102657, 'general shapiro led': 345471, 'shapiro led coalition': 754894, 'led coalition of': 485226, 'coalition of 23': 185081, 'of 23 attorney': 579527, '23 attorney general': 15379, 'attorney general to': 102659, 'general to demand': 345490, 'to demand the': 904161, 'demand the consumer': 236346, 'protection bureau enforce': 685361, 'bureau enforce the': 142783, 'enforce the care': 276688, 'care act and': 163815, 'act and require': 29598, 'and require credit': 70288, 'require credit reporting': 713304, 'credit reporting agency': 216489, 'reporting agency to': 712664, 'agency to follow': 38088, 'follow the fair': 312524, 'the fair credit': 854852, 'fair credit reporting': 296328, 'credit reporting act': 216488, 'reporting act during': 712662, 'act during the': 29631, 'angie': 76420, 'kim': 474760, 'volunteered': 960381, 'humiliation': 410846, 'enduring': 276324, 'angie kim': 76421, 'kim is': 474763, 'is loblaw': 449416, 'loblaw executive': 497614, 'executive who': 289952, 'who volunteered': 989892, 'volunteered to': 960384, 'month she': 537996, 'been shocked': 121947, 'little humiliation': 495392, 'humiliation and': 410847, 'and cruel': 60773, 'cruel comment': 219671, 'comment that': 188458, 'that clerk': 843245, 'are enduring': 86207, 'enduring every': 276329, 'angie kim is': 76422, 'kim is loblaw': 474764, 'is loblaw executive': 449417, 'loblaw executive who': 497615, 'executive who volunteered': 289953, 'who volunteered to': 989893, 'volunteered to work': 960387, 'work in store': 1005345, 'crisis for the': 217394, 'last month she': 480340, 'month she been': 537997, 'she been shocked': 755886, 'been shocked by': 121948, 'by the little': 154365, 'the little humiliation': 859488, 'little humiliation and': 495393, 'humiliation and cruel': 410848, 'and cruel comment': 60774, 'cruel comment that': 219672, 'comment that clerk': 188459, 'that clerk are': 843246, 'clerk are enduring': 181654, 'are enduring every': 86208, 'enduring every day': 276330, 'every day in': 285820, 'middle of all': 530670, 'of all this': 579986, '2metres': 16735, 'nobogroll': 566090, 'coughonmeandillnutya': 208783, 'uk closing': 938249, 'closing because': 183597, 'poor sap': 664282, 'sap that': 736680, 'supermarket 2metres': 818749, '2metres nobogroll': 16736, 'nobogroll coughonmeandillnutya': 566091, 'these company in': 879789, 'the uk closing': 870201, 'uk closing because': 938250, 'closing because of': 183598, 'and the poor': 73517, 'the poor sap': 863987, 'poor sap that': 664283, 'sap that work': 736681, 'in supermarket 2metres': 428553, 'supermarket 2metres nobogroll': 818750, '2metres nobogroll coughonmeandillnutya': 16737, 'hi well': 394767, 'facing challenge': 295423, 'challenge related': 171540, 'need assistance': 554483, 'assistance qualified': 96735, 'qualified specialist': 691706, 'consumer small': 199003, 'deposit loan': 237504, 'loan product': 497509, 'hi well fargo': 394768, 'helping customer facing': 391301, 'customer facing challenge': 222371, 'facing challenge related': 295425, 'challenge related to': 171541, 'know need assistance': 476619, 'need assistance qualified': 554488, 'assistance qualified specialist': 96736, 'qualified specialist are': 691708, 'discus consumer small': 244842, 'consumer small business': 199005, 'and deposit loan': 61226, 'deposit loan product': 237505, 'loan product at': 497510, 'mtr': 544647, 'cannot everyone': 161805, 'everyone obey': 287219, 'supermarket could': 819824, 'it any': 456539, 'any easier': 79153, 'easier way': 265166, 'way aisle': 969439, 'aisle mtr': 40311, 'mtr marker': 544648, 'marker both': 515879, 'both of': 135984, 'often ignored': 596212, 'ignored come': 415870, 'people these': 649810, 'life let': 488844, 'safe 19': 729403, 'why cannot everyone': 990871, 'cannot everyone obey': 161806, 'everyone obey the': 287220, 'obey the shopping': 578392, 'the shopping rule': 867074, 'shopping rule the': 763787, 'rule the supermarket': 727376, 'the supermarket could': 868537, 'supermarket could not': 819827, 'could not make': 209449, 'not make it': 570496, 'make it any': 510020, 'it any easier': 456540, 'any easier way': 79154, 'easier way aisle': 265167, 'way aisle mtr': 969442, 'aisle mtr marker': 40312, 'mtr marker both': 544649, 'marker both of': 515880, 'both of which': 135987, 'which are often': 985692, 'are often ignored': 88690, 'often ignored come': 596213, 'ignored come on': 415871, 'on people these': 602755, 'people these supermarket': 649813, 'these supermarket worker': 880778, 'worker are key': 1006401, 'key to our': 473439, 'to our life': 911203, 'our life let': 623727, 'life let help': 488845, 'help keep them': 389976, 'keep them all': 472102, 'them all safe': 875349, 'all safe 19': 44222, 'davy': 227030, 'will davy': 993096, 'davy said': 227031, 'said at': 730985, 'one point': 606894, 'point last': 662538, 'month their': 538050, 'service wa': 753046, 'wa up': 963612, 'up 70': 944200, '70 compared': 21745, 'time last': 897112, 'year some': 1014964, 'business saw': 144344, 'saw an': 738056, 'uptick due': 947903, 'ceo will davy': 169888, 'will davy said': 993097, 'davy said at': 227032, 'said at one': 730986, 'at one point': 99970, 'one point last': 606896, 'point last month': 662539, 'last month their': 480345, 'month their service': 538051, 'their service wa': 874667, 'service wa up': 753047, 'wa up 70': 963614, 'up 70 compared': 944201, '70 compared to': 21746, 'same time last': 733360, 'time last year': 897113, 'last year some': 480734, 'year some business': 1014965, 'some business saw': 782451, 'business saw an': 144345, 'saw an uptick': 738061, 'an uptick due': 56948, 'uptick due to': 947904, 'apple is': 82332, 'considering delay': 195371, 'delay to': 232752, 'it iphone': 458844, 'iphone launch': 444573, 'launch by': 481870, 'by month': 153239, 'month because': 537603, 'of issue': 585354, 'and aftermath': 57764, 'aftermath there': 36665, 'would entertain': 1011790, 'entertain moving': 278510, 'moving forward': 544145, 'forward right': 330008, 'apple is considering': 82333, 'is considering delay': 446757, 'considering delay to': 195372, 'delay to it': 232753, 'to it iphone': 908588, 'it iphone launch': 458845, 'iphone launch by': 444574, 'launch by month': 481871, 'by month because': 153240, 'month because of': 537604, 'because of issue': 119361, 'of issue related': 585355, 'related to consumer': 708597, 'to consumer demand': 903288, '19 coronavirus crisis': 6098, 'crisis and aftermath': 217010, 'and aftermath there': 57765, 'aftermath there is': 36666, 'is no way': 449989, 'no way they': 565871, 'way they would': 969968, 'they would entertain': 883939, 'would entertain moving': 1011791, 'entertain moving forward': 278511, 'moving forward right': 544148, 'forward right now': 330009, 'binge shopping': 131083, 'online quarantinelife': 608837, 'binge shopping online': 131084, 'shopping online quarantinelife': 763471, 'dearcustomer': 229927, 'ha arrow': 369622, 'reason follow': 702897, 'them then': 876403, 'then people': 877413, 'you dirty': 1018227, 'look staythefhome': 502601, 'staythefhome dearcustomer': 799060, 'if the grocery': 414982, 'store ha arrow': 807996, 'ha arrow on': 369624, 'the ground for': 856848, 'ground for reason': 366498, 'for reason follow': 324999, 'reason follow them': 702898, 'follow them then': 312551, 'them then people': 876404, 'then people will': 877415, 'will not give': 994225, 'not give you': 569648, 'give you dirty': 350854, 'you dirty look': 1018228, 'dirty look staythefhome': 243763, 'look staythefhome dearcustomer': 502602, 'to dc': 903961, 'dc for': 228949, 'for vote': 327593, 'vote this': 960512, 'week on': 976663, 'on regular': 603125, 'regular sunday': 707877, 'sunday this': 818280, 'this plane': 889603, 'plane is': 658384, 'is usually': 453638, 'usually completely': 951104, 'completely full': 192294, 'full congress': 340537, 'congress must': 194511, 'act quickly': 29748, 'quickly to': 694621, 'to rescue': 913324, 'rescue our': 713626, 'our tourism': 625173, 'industry small': 436115, 'business american': 143270, 'headed to dc': 385917, 'to dc for': 903962, 'dc for vote': 228950, 'for vote this': 327594, 'vote this week': 960513, 'this week on': 891243, 'week on regular': 976674, 'on regular sunday': 603127, 'regular sunday this': 707878, 'sunday this plane': 818281, 'this plane is': 889604, 'plane is usually': 658385, 'is usually completely': 453642, 'usually completely full': 951105, 'completely full congress': 192295, 'full congress must': 340538, 'congress must act': 194512, 'must act quickly': 546455, 'act quickly to': 29750, 'quickly to rescue': 694629, 'to rescue our': 913327, 'rescue our tourism': 713627, 'our tourism industry': 625174, 'tourism industry small': 926992, 'industry small business': 436116, 'small business american': 774835, 'business american in': 143271, 'american in need': 52046, 'sightx': 769075, 'automatingcuriosity': 104008, 'another piece': 77759, 'piece in': 656312, 'consumer psychology': 198594, 'psychology puzzle': 687579, 'puzzle trying': 691339, 'the changing': 850678, 'changing consumption': 172680, 'spending pattern': 788944, 'pattern during': 644461, '19 sightx': 10541, 'sightx automatingcuriosity': 769076, 'automatingcuriosity mrx': 104009, 'consumerinsights insight': 199700, 'insight analytics': 439505, 'another piece in': 77760, 'piece in the': 656314, 'the consumer psychology': 851580, 'consumer psychology puzzle': 198601, 'psychology puzzle trying': 687580, 'puzzle trying to': 691340, 'trying to understand': 934895, 'understand the changing': 940748, 'the changing consumption': 850680, 'changing consumption and': 172681, 'consumption and spending': 199833, 'and spending pattern': 72094, 'spending pattern during': 788948, 'pattern during and': 644462, 'and after covid': 57753, 'covid 19 sightx': 213802, '19 sightx automatingcuriosity': 10542, 'sightx automatingcuriosity mrx': 769077, 'automatingcuriosity mrx marketresearch': 104010, 'marketresearch consumerinsights insight': 517854, 'consumerinsights insight analytics': 199701, 'shedding': 756525, 'catchup the': 167140, 'amp 500': 53338, '500 future': 19991, 'future rise': 342447, 'oil benchmark': 596650, 'benchmark are': 126830, 'are sea': 89874, 'of red': 588853, 'red with': 705632, 'with down': 998128, 'down more': 256961, 'than shedding': 841133, 'shedding of': 756528, 'it value': 462013, 'value watch': 952230, 'watch these': 968564, 'news catchup the': 560301, 'catchup the amp': 167141, 'the amp 500': 848656, 'amp 500 future': 53341, '500 future rise': 19992, 'future rise oil': 342448, 'rise oil benchmark': 722956, 'oil benchmark are': 596651, 'benchmark are sea': 126831, 'are sea of': 89875, 'sea of red': 743100, 'of red with': 588857, 'red with down': 705633, 'with down more': 998129, 'down more than': 256963, 'more than shedding': 540674, 'than shedding of': 841134, 'shedding of it': 756529, 'of it value': 585461, 'it value watch': 462016, 'value watch these': 952231, 'watch these price': 968565, 'these price read': 880539, 'price read the': 676101, 'core': 203516, 'who faced': 988722, 'faced financial': 295017, 'financial housing': 306444, 'housing and': 407050, 'food instability': 315083, 'instability in': 439893, 'in college': 421551, 'college the': 186653, 'my summer': 550259, 'summer employment': 817971, 'employment is': 274617, 'longer guaranteed': 501983, 'guaranteed at': 367739, 'is frightening': 447937, 'frightening shake': 334066, 'shake me': 754415, 'the core': 851733, 'core cause': 203519, 'cause me': 167651, 'me distress': 522655, 'distress and': 247926, 'someone who faced': 784755, 'who faced financial': 988723, 'faced financial housing': 295018, 'financial housing and': 306445, 'housing and food': 407051, 'and food instability': 63060, 'food instability in': 315084, 'instability in college': 439894, 'in college the': 421553, 'college the fact': 186654, 'fact that my': 295804, 'that my summer': 845281, 'my summer employment': 550260, 'summer employment is': 817972, 'employment is no': 274620, 'no longer guaranteed': 564648, 'longer guaranteed at': 501984, 'guaranteed at this': 367740, 'this point in': 889636, 'point in time': 662528, 'in time due': 430079, '19 is frightening': 7973, 'is frightening shake': 447939, 'frightening shake me': 334067, 'shake me to': 754416, 'me to the': 523790, 'to the core': 916591, 'the core cause': 851734, 'core cause me': 203520, 'cause me distress': 167652, 'me distress and': 522656, 'distress and panic': 247927, 'takingmore': 833678, 'everyone taking': 287448, 'in desperate': 422211, 'desperate need': 238537, 'to high': 907732, 'by hope': 152827, 'people boycott': 647301, 'boycott your': 137353, 'once thing': 605744, 'thing return': 884717, 'normal no': 567219, 'no room': 565380, 'room for': 725910, 'for greed': 322011, 'and takingmore': 73004, 'to everyone taking': 905353, 'everyone taking advantage': 287449, 'people in desperate': 648367, 'in desperate need': 422213, 'desperate need and': 238538, 'need and driving': 554424, 'driving up product': 260035, 'up product price': 945849, 'product price due': 681541, 'due to high': 261808, 'to high demand': 907733, 'high demand caused': 394997, 'caused by hope': 167843, 'by hope people': 152828, 'hope people boycott': 403597, 'people boycott your': 647302, 'boycott your store': 137354, 'your store once': 1025980, 'store once thing': 809214, 'once thing return': 605745, 'thing return to': 884718, 'to normal no': 910653, 'normal no room': 567220, 'no room for': 565381, 'room for greed': 725913, 'for greed and': 322012, 'greed and takingmore': 363364, 'still commuting': 800389, 'commuting to': 190279, 'work loved': 1005450, 'still shopping': 801189, 'don put': 253842, 'put more': 690694, 'driving too': 260024, 'too fast': 924731, 'fast the': 300050, 'last thing': 480540, 'those taking': 892515, 'taking unnecessary': 833648, 'unnecessary risk': 942929, 'are still commuting': 90408, 'still commuting to': 800390, 'commuting to work': 190280, 'to work loved': 918752, 'work loved one': 1005451, 'loved one are': 504903, 'one are still': 605947, 'are still shopping': 90481, 'still shopping for': 801190, 'food don put': 314263, 'don put more': 253844, 'put more life': 690695, 'more life at': 539678, 'risk by driving': 723436, 'by driving too': 152430, 'driving too fast': 260025, 'too fast the': 924732, 'fast the last': 300052, 'the last thing': 859047, 'last thing the': 480546, 'thing the need': 884835, 'the need is': 861397, 'need is more': 555071, 'is more demand': 449701, 'more demand from': 538990, 'demand from those': 235549, 'from those taking': 338034, 'those taking unnecessary': 892518, 'taking unnecessary risk': 833649, 'damn right': 225416, 'right am': 721744, 'am theft': 50490, 'theft is': 872354, 'is theft': 452983, 'theft just': 872356, 'had our': 373376, 'our shop': 624747, 'shop broken': 759990, 'broken into': 140897, 'into with': 443298, 'stuff theft': 815205, 'theft doesn': 872344, 'help anyone': 389371, 'anyone it': 80394, 'not hurt': 570037, 'hurt the': 411612, 'higher ups': 395786, 'ups of': 947756, 'business but': 143466, 'when hour': 983573, 'hour get': 405643, 'get cu': 346840, 'damn right am': 225417, 'right am theft': 721745, 'am theft is': 50491, 'theft is theft': 872355, 'is theft just': 452984, 'theft just had': 872357, 'just had our': 468903, 'had our shop': 373377, 'our shop broken': 624749, 'shop broken into': 759991, 'broken into with': 140900, 'into with all': 443299, '19 stuff theft': 10922, 'stuff theft doesn': 815206, 'theft doesn help': 872345, 'doesn help anyone': 251831, 'help anyone it': 389373, 'anyone it may': 80395, 'it may not': 459553, 'may not hurt': 521381, 'not hurt the': 570038, 'hurt the higher': 411616, 'the higher ups': 857333, 'higher ups of': 395787, 'ups of business': 947757, 'of business but': 580948, 'business but it': 143468, 'but it hurt': 146131, 'it hurt the': 458666, 'hurt the employee': 411614, 'employee and the': 273588, 'the consumer when': 851622, 'consumer when hour': 199509, 'when hour get': 983574, 'hour get cu': 405644, 'mobilising': 535066, 'retrain': 719744, 'to british': 902062, 'british company': 140506, 'is mobilising': 449673, 'mobilising virtual': 535069, 'virtual reality': 957779, 'reality training': 701808, 'training solution': 929361, 'help retrain': 390457, 'retrain nh': 719745, 'kudos to british': 477882, 'to british company': 902063, 'british company that': 140507, 'company that ha': 191171, 'that ha cut': 844115, 'ha cut it': 370305, 'cut it price': 223410, 'it price and': 460458, 'price and is': 672450, 'and is mobilising': 65417, 'is mobilising virtual': 449674, 'mobilising virtual reality': 535070, 'virtual reality training': 957783, 'reality training solution': 701809, 'training solution to': 929362, 'solution to help': 782099, 'to help retrain': 907614, 'help retrain nh': 390458, 'retrain nh worker': 719746, 'nh worker during': 562185, '19 safe': 10284, 'safe weekend': 730125, 'buy anymore': 148357, 'anymore leave': 80141, 'nh people': 562042, 'covid 19 safe': 213735, '19 safe weekend': 10286, 'safe weekend and': 730126, 'weekend and don': 977317, 'and don forget': 61633, 'panic buy anymore': 637467, 'buy anymore leave': 148358, 'anymore leave some': 80142, 'leave some food': 484932, 'food for emergency': 314530, 'for emergency and': 321014, 'emergency and nh': 272602, 'and nh people': 67584, 'anyone only': 80447, 'only money': 610798, 'care too': 164241, 'too loose': 924872, 'loose customer': 503187, 'whole home': 990236, 'gym came': 369303, 'about anyone only': 24823, 'anyone only money': 80449, 'only money people': 610799, 'work there are': 1005827, 'there are getting': 878110, 'are getting sick': 86822, 'getting sick they': 349277, 'even care too': 283941, 'care too loose': 164242, 'too loose customer': 924873, 'loose customer like': 503188, 'me my whole': 523199, 'my whole home': 550578, 'whole home gym': 990237, 'home gym came': 401318, 'gym came from': 369304, 'came from them': 157001, 'from them this': 337960, 'them this is': 876431, 'is all to': 445473, 'all to try': 45253, 'try and save': 934451, 'and save the': 70960, 'save the store': 737667, '19 free': 7107, 'guidance under': 368299, 'under which': 940385, 'which eligible': 985842, 'eligible child': 271411, 'and young': 76061, 'meal or': 524228, 'covid 19 free': 213124, '19 free school': 7110, 'meal guidance under': 524176, 'guidance under which': 368300, 'under which eligible': 940387, 'which eligible child': 985843, 'eligible child and': 271412, 'child and young': 176005, 'and young people': 76063, 'young people will': 1022651, 'people will continue': 650382, 'continue to receive': 201243, 'to receive free': 912918, 'receive free school': 703483, 'school meal or': 741859, 'meal or supermarket': 524233, 'or supermarket voucher': 617289, 'mentioning': 528853, 'farm labourer': 299147, 'production operative': 682167, 'operative working': 613335, 'keep supermarket': 471987, 'supermarket stocked': 822968, 'stocked while': 803454, 'is mentioning': 449632, 'mentioning them': 528860, 'deserve recognition': 238110, 'recognition wereinthistogether': 704629, 'all the farm': 44743, 'the farm labourer': 854933, 'farm labourer and': 299148, 'labourer and food': 478534, 'food production operative': 316048, 'production operative working': 682168, 'operative working hard': 613336, 'to keep supermarket': 908858, 'keep supermarket stocked': 471991, 'supermarket stocked while': 822969, 'stocked while everyone': 803455, 'everyone panic buying': 287251, 'buying no one': 150759, 'one is mentioning': 606514, 'is mentioning them': 449633, 'mentioning them and': 528861, 'them and they': 875405, 'and they deserve': 73900, 'they deserve recognition': 881904, 'deserve recognition wereinthistogether': 238112, 'petchemindustry': 653499, 'oilcrash': 597569, 'listed share': 494644, 'company fell': 190655, 'fell even': 303188, 'even oil': 284419, 'the prospect': 864696, 'prospect that': 684697, 'world major': 1009775, 'producer could': 680599, 'could reach': 209563, 'reach deal': 699908, 'limit output': 492438, 'output petchemindustry': 629280, 'petchemindustry petrochemical': 653500, 'petrochemical stockmarket': 653703, 'stockmarket oilcrash': 803664, 'listed share of': 494645, 'share of chemical': 755117, 'of chemical company': 581318, 'chemical company fell': 175343, 'company fell even': 190656, 'fell even oil': 303189, 'even oil price': 284420, 'price rose for': 676267, 'second day on': 743692, 'day on the': 228148, 'on the prospect': 604311, 'the prospect that': 864699, 'prospect that the': 684699, 'the world major': 871907, 'world major oil': 1009776, 'oil producer could': 597336, 'producer could reach': 680600, 'could reach deal': 209567, 'reach deal to': 699910, 'deal to limit': 229509, 'to limit output': 909292, 'limit output petchemindustry': 492440, 'output petchemindustry petrochemical': 629281, 'petchemindustry petrochemical stockmarket': 653501, 'petrochemical stockmarket oilcrash': 653704, 'tenner': 837937, 'apiece': 81460, 'have college': 380017, 'college and': 186598, 'business all': 143260, 'over ireland': 630333, 'ireland donating': 444821, 'donating their': 254511, 'their ppe': 874345, 'the hse': 857682, 'hse for': 409726, 'then wa': 877714, 'in pharmacy': 426672, 'pharmacy today': 654523, 'today where': 920521, 'for tenner': 326210, 'tenner apiece': 837938, 'apiece somehow': 81463, 'somehow disgusting': 784312, 'so you have': 778843, 'you have college': 1019025, 'have college and': 380018, 'college and business': 186600, 'and business all': 59265, 'business all over': 143261, 'all over ireland': 43867, 'over ireland donating': 630334, 'ireland donating their': 444822, 'donating their ppe': 254512, 'their ppe to': 874346, 'to the hse': 916787, 'the hse for': 857683, 'hse for the': 409727, 'for the fight': 326433, 'the fight and': 855163, 'fight and then': 304658, 'and then wa': 73819, 'then wa in': 877715, 'wa in pharmacy': 962378, 'in pharmacy today': 426676, 'pharmacy today where': 654525, 'today where they': 920522, 'where they were': 985289, 'they were selling': 883800, 'were selling mask': 980101, 'and sanitiser for': 70831, 'sanitiser for tenner': 733958, 'for tenner apiece': 326211, 'tenner apiece somehow': 837939, 'apiece somehow disgusting': 81464, 'distanced': 246911, 'great all': 362492, 'these socially': 880704, 'socially distanced': 781053, 'distanced lonely': 246918, 'lonely people': 501304, 'day except': 227583, 'except me': 289196, 'pay which': 645227, 'mean get': 524459, 'talk all': 833774, 'supermarket during time': 820062, 'during time is': 263345, 'time is great': 897057, 'is great all': 448186, 'great all of': 362494, 'of these socially': 591860, 'these socially distanced': 880705, 'socially distanced lonely': 781056, 'distanced lonely people': 246919, 'lonely people have': 501305, 'have no one': 381641, 'no one to': 564971, 'one to talk': 607285, 'to talk to': 916289, 'talk to all': 833868, 'to all day': 900239, 'all day except': 42518, 'day except me': 227584, 'except me when': 289197, 'me when they': 523945, 'when they come': 984247, 'they come to': 881779, 'come to pay': 187587, 'to pay which': 911573, 'pay which mean': 645228, 'which mean get': 986145, 'mean get to': 524460, 'get to talk': 348496, 'to talk all': 916280, 'talk all day': 833775, 'sneaky': 776211, 'addition': 31721, 'senatecorruption': 749730, 'the illegal': 857874, 'illegal stock': 416244, 'trading is': 928886, 'is huge': 448612, 'huge issue': 410075, 'for after': 319071, 'senate just': 749712, 'do simple': 250079, 'simple bill': 769993, 'bill without': 130735, 'the sneaky': 867388, 'sneaky addition': 776212, 'addition senatecorruption': 31726, 'the illegal stock': 857875, 'illegal stock trading': 416245, 'stock trading is': 803027, 'trading is huge': 928887, 'is huge issue': 448613, 'huge issue for': 410076, 'issue for after': 455754, 'for after we': 319075, 'we have for': 971819, 'have for food': 380678, 'for food can': 321567, 'food can the': 313874, 'can the senate': 159961, 'the senate just': 866706, 'senate just do': 749713, 'just do simple': 468616, 'do simple bill': 250080, 'simple bill without': 769994, 'bill without all': 130736, 'without all the': 1002479, 'all the sneaky': 44913, 'the sneaky addition': 867389, 'sneaky addition senatecorruption': 776213, 'binning': 131119, 'now binning': 574258, 'binning out': 131120, 'date food': 226625, 'food panicbuying': 315757, 'panicbuying foodwaste': 638948, 'buyer are now': 149572, 'are now binning': 88531, 'now binning out': 574259, 'binning out of': 131121, 'of date food': 582366, 'date food panicbuying': 226629, 'food panicbuying foodwaste': 315758, 'snatching': 776176, 'gird': 350224, 'anxious shopper': 78861, 'shopper snatching': 761690, 'snatching up': 776179, 'up gun': 945048, 'and ammo': 58071, 'to gird': 906665, 'gird for': 350225, 'potential chaos': 667030, 'chaos related': 173049, 'leading in': 483714, 'some case': 782482, 'to long': 909423, 'line short': 493394, 'purchase limit': 689528, 'anxious shopper snatching': 78862, 'shopper snatching up': 761691, 'snatching up gun': 776180, 'up gun and': 945049, 'gun and ammo': 368685, 'and ammo to': 58076, 'ammo to gird': 52919, 'to gird for': 906666, 'gird for potential': 350226, 'for potential chaos': 324653, 'potential chaos related': 667032, 'chaos related to': 173050, 'the pandemic are': 862911, 'pandemic are leading': 634944, 'are leading in': 87740, 'leading in some': 483715, 'in some case': 428082, 'some case to': 782492, 'case to long': 166075, 'to long line': 909424, 'long line short': 501505, 'line short supply': 493395, 'short supply and': 764701, 'supply and purchase': 824749, 'and purchase limit': 69781, 'coronawuhanvirus': 207134, 'pricegouging continues': 677800, 'continues on': 201423, 'on 50': 599106, '12 double': 2846, 'double roll': 256042, 'roll there': 725538, 'many posting': 514572, 'posting of': 666671, 'different brand': 241913, 'brand stayathomeorder': 138014, 'stayathomeorder coronawuhanvirus': 797774, 'coronawuhanvirus toiletpaperpanic': 207135, 'toiletpaper democratsaredestroyingamerica': 921914, 'pricegouging continues on': 677801, 'continues on 50': 201424, 'on 50 for': 599107, '50 for 12': 19689, 'for 12 double': 318640, '12 double roll': 2847, 'double roll there': 256044, 'roll there are': 725539, 'are many posting': 88033, 'many posting of': 514573, 'posting of different': 666672, 'of different brand': 582597, 'different brand stayathomeorder': 241915, 'brand stayathomeorder coronawuhanvirus': 138015, 'stayathomeorder coronawuhanvirus toiletpaperpanic': 797775, 'coronawuhanvirus toiletpaperpanic toiletpaper': 207136, 'toiletpaperpanic toiletpaper democratsaredestroyingamerica': 923262, 'afar': 33961, 'geography': 345950, 'europe ha': 283446, 'observe the': 578598, 'the hurricane': 857766, 'hurricane flood': 411474, 'flood and': 310701, 'and epidemic': 62215, 'recent decade': 703873, 'decade from': 230679, 'from afar': 334401, 'afar but': 33962, 'but geography': 145787, 'geography or': 345953, 'or wealth': 617745, 'wealth do': 974156, 'not protect': 571123, 'now treat': 576223, 'treat our': 930860, 'our least': 623703, 'least powerful': 484604, 'powerful will': 667811, 'will tell': 995100, 'can hope': 158700, 'for read': 324980, 'europe ha been': 283447, 'ha been fortunate': 369811, 'fortunate to observe': 329905, 'to observe the': 910796, 'observe the hurricane': 578600, 'the hurricane flood': 857767, 'hurricane flood and': 411475, 'flood and epidemic': 310702, 'and epidemic of': 62216, 'epidemic of recent': 279422, 'of recent decade': 588818, 'recent decade from': 703874, 'decade from afar': 230680, 'from afar but': 334402, 'afar but geography': 33963, 'but geography or': 145788, 'geography or wealth': 345954, 'or wealth do': 617746, 'wealth do not': 974157, 'do not protect': 249806, 'not protect from': 571124, 'protect from how': 684845, 'from how we': 335962, 'how we now': 409183, 'we now treat': 972617, 'now treat our': 576224, 'treat our least': 930861, 'our least powerful': 623704, 'least powerful will': 484606, 'powerful will tell': 667812, 'will tell what': 995102, 'tell what we': 837132, 'we can hope': 970965, 'can hope for': 158701, 'hope for read': 403483, 'for read it': 324981, 'read it at': 700381, 'dermatitis': 237874, 'know too': 476913, 'much hand': 544969, 'amp handwashing': 53905, 'handwashing can': 376822, 'to dermatitis': 904194, 'dermatitis expert': 237875, 'share prevention': 755155, 'prevention tip': 671897, 'you know too': 1019534, 'know too much': 476914, 'too much hand': 924923, 'much hand sanitizer': 544971, 'sanitizer amp handwashing': 734365, 'amp handwashing can': 53906, 'handwashing can lead': 376823, 'lead to dermatitis': 483339, 'to dermatitis expert': 904195, 'dermatitis expert share': 237876, 'expert share prevention': 291971, 'share prevention tip': 755156, 'amwalalghaden': 54972, 'octane': 579131, 'amwalalghaden egypt': 54973, 'egypt lower': 270109, 'lower 92': 505784, '92 95': 23471, '95 octane': 23596, 'octane petrol': 579132, 'outbreak egypt': 628187, 'egypt petrolprice': 270115, 'petrolprice petrol': 653857, 'amwalalghaden egypt lower': 54974, 'egypt lower 92': 270110, 'lower 92 95': 505785, '92 95 octane': 23472, '95 octane petrol': 23597, 'octane petrol price': 579133, 'petrol price by': 653761, 'price by in': 673024, 'by in bid': 152879, 'bid to mitigate': 129494, 'mitigate the impact': 534541, 'coronavirus outbreak egypt': 206383, 'outbreak egypt petrolprice': 628188, 'egypt petrolprice petrol': 270116, 'petrolprice petrol fuel': 653858, 'yourself disinfecting': 1026577, 'disinfecting hand': 245852, 'sanitizer wholesale': 736093, 'wholesale need': 990457, 'need contact': 554639, 'protect yourself disinfecting': 685088, 'yourself disinfecting hand': 1026578, 'disinfecting hand sanitizer': 245853, 'hand sanitizer wholesale': 375665, 'sanitizer wholesale need': 736094, 'wholesale need contact': 990458, 'need contact diy': 554640, 'und': 939923, 'hello covid': 389144, 'ha spread': 372026, 've recently': 953494, 'recently seen': 704144, 'online some': 609400, 'our delivery': 622723, 'delivery promise': 234373, 'promise are': 683669, 'usual but': 950896, 'ship item': 758691, 'item quickly': 463592, 'quickly we': 694634, 'your und': 1026242, 'hello covid 19': 389145, '19 ha spread': 7391, 'ha spread we': 372029, 'spread we ve': 790882, 'we ve recently': 973703, 've recently seen': 953495, 'recently seen an': 704145, 'seen an increase': 746932, 'increase in people': 432854, 'in people shopping': 426599, 'people shopping online': 649436, 'shopping online some': 763485, 'online some of': 609401, 'of our delivery': 587449, 'our delivery promise': 622728, 'delivery promise are': 234374, 'promise are longer': 683670, 'are longer than': 87877, 'than usual but': 841390, 'usual but we': 950897, 're working around': 699823, 'clock to ship': 182419, 'to ship item': 914428, 'ship item quickly': 758692, 'item quickly we': 463594, 'quickly we re': 694636, 'we re able': 972813, 'able to thank': 24560, 'for your und': 328223, 'massive amount': 519962, 'italy mean': 462875, 'mean it': 524506, 'it airborne': 456328, 'airborne lockdown': 39844, 'lockdown isnt': 499562, 'isnt working': 454789, 'working or': 1008836, 'or people': 616537, 'people went': 650186, 'into lockdown': 442708, 'ready sick': 700916, 'sick genuinely': 768457, 'genuinely confused': 345882, 'confused they': 194352, 'cannot all': 161622, 'by going': 152699, 'pharmacy etc': 654297, 'do the massive': 250248, 'the massive amount': 860261, 'massive amount of': 519964, 'amount of new': 53239, 'of new case': 586957, 'new case in': 558462, 'case in italy': 165796, 'in italy mean': 424309, 'italy mean it': 462876, 'mean it airborne': 524507, 'it airborne lockdown': 456329, 'airborne lockdown isnt': 39845, 'lockdown isnt working': 499563, 'isnt working or': 454790, 'working or people': 1008837, 'or people went': 616542, 'people went into': 650189, 'went into lockdown': 979048, 'into lockdown all': 442709, 'lockdown all ready': 499115, 'all ready sick': 44123, 'ready sick genuinely': 700917, 'sick genuinely confused': 768458, 'genuinely confused they': 345883, 'confused they cannot': 194353, 'they cannot all': 881699, 'cannot all be': 161623, 'all be getting': 42131, 'be getting it': 115005, 'getting it by': 349075, 'it by going': 456975, 'by going to': 152703, 'supermarket pharmacy etc': 821975, 'mimbling': 532493, 'lark': 480050, 'bloke': 133076, 'one still': 607104, 'ha clue': 370181, 'clue all': 184527, 'all just': 43293, 'just mimbling': 469276, 'mimbling about': 532494, 'great lark': 362794, 'lark no': 480051, 'you weird': 1022226, 'weird when': 977812, 'do one': 249930, 'one bloke': 606007, 'bloke in': 133085, 'though good': 892817, 'good effort': 356995, 'food had to': 314758, 'had to risk': 373722, 'to risk the': 913604, 'risk the supermarket': 723933, 'supermarket no one': 821612, 'no one still': 564965, 'one still ha': 607105, 'still ha clue': 800614, 'ha clue all': 370182, 'clue all just': 184528, 'all just mimbling': 43300, 'just mimbling about': 469277, 'mimbling about if': 532495, 'about if it': 25498, 'it wa great': 462122, 'wa great lark': 962250, 'great lark no': 362795, 'lark no social': 480052, 'distancing people look': 247396, 'people look at': 648698, 'look at you': 502309, 'at you weird': 101663, 'you weird when': 1022227, 'weird when you': 977813, 'you do one': 1018265, 'do one bloke': 249931, 'one bloke in': 606008, 'bloke in mask': 133086, 'in mask though': 425168, 'mask though good': 519381, 'though good effort': 892818, 'labeled': 478362, 'deficiency': 232230, 'panic upon': 638744, 'upon covid': 947619, '19 being': 5358, 'being labeled': 125366, 'labeled pandemic': 478371, 'pandemic showcase': 636460, 'showcase very': 767314, 'real deficiency': 701104, 'deficiency in': 232232, 'emergency preparedness': 272894, 'preparedness from': 670285, 'individual level': 435210, 'level get': 487566, 'get prepared': 347835, 'prepared first': 670181, 'aid training': 39475, 'training self': 929359, 'self defense': 747597, 'defense training': 232145, 'training supply': 929363, 'supply food': 825246, 'water med': 969057, 'med etc': 525888, 'etc bug': 282443, 'bug out': 141902, 'out bag': 625758, 'bag bag': 108238, 'bag stay': 108406, 'think that the': 885611, 'that the panic': 846795, 'the panic upon': 863226, 'panic upon covid': 638745, 'upon covid 19': 947620, 'covid 19 being': 212692, '19 being labeled': 5361, 'being labeled pandemic': 125367, 'labeled pandemic showcase': 478372, 'pandemic showcase very': 636461, 'showcase very real': 767315, 'very real deficiency': 955452, 'real deficiency in': 701105, 'deficiency in emergency': 232233, 'in emergency preparedness': 422546, 'emergency preparedness from': 272895, 'preparedness from an': 670286, 'from an individual': 334487, 'an individual level': 56283, 'individual level get': 435211, 'level get prepared': 487567, 'get prepared first': 347836, 'prepared first aid': 670182, 'first aid training': 308492, 'aid training self': 39476, 'training self defense': 929360, 'self defense training': 747599, 'defense training supply': 232146, 'training supply food': 929364, 'supply food water': 825257, 'food water med': 317511, 'water med etc': 969058, 'med etc bug': 525889, 'etc bug out': 282444, 'bug out bag': 141903, 'out bag bag': 625759, 'bag bag stay': 108239, 'bag stay safe': 108407, 'now delivering': 574508, 'these guy are': 880088, 'guy are now': 368904, 'are now delivering': 88541, 'now delivering to': 574510, 'delivering to your': 233560, 'your home stayhomesavelives': 1024376, 'make much': 510207, 'room and make': 725878, 'and make much': 66564, 'make much food': 510208, 'arrested man': 93859, 'man for': 512064, 'email scam': 272290, 'scam selling': 740354, 'arrested man for': 93860, 'man for email': 512066, 'for email scam': 321011, 'email scam selling': 272294, 'scam selling mask': 740355, 'selling mask sanitizer': 749341, 'daw': 227033, 'auang': 102806, 'suu': 829844, 'kyi': 478082, 'state counsellor': 795496, 'counsellor daw': 210081, 'daw auang': 227034, 'auang san': 102807, 'san suu': 733567, 'suu kyi': 829845, 'kyi said': 478083, 'said profiteer': 731318, 'profiteer taking': 682986, 'prosecuted mask': 684646, 'mask other': 519084, 'are need': 88195, 'public excessive': 687983, 'tolerated people': 923816, 'should file': 765988, 'government link': 360320, 'state counsellor daw': 795497, 'counsellor daw auang': 210082, 'daw auang san': 227035, 'auang san suu': 102808, 'san suu kyi': 733568, 'suu kyi said': 829846, 'kyi said profiteer': 478084, 'said profiteer taking': 731319, 'profiteer taking advantage': 682987, 'will be prosecuted': 992620, 'be prosecuted mask': 116578, 'prosecuted mask other': 684647, 'mask other product': 519087, 'other product are': 620767, 'product are need': 680943, 'are need for': 88196, 'for the public': 326641, 'the public excessive': 864806, 'public excessive price': 687984, 'excessive price will': 289410, 'price will not': 677576, 'be tolerated people': 117756, 'tolerated people should': 923817, 'people should file': 649444, 'should file complaint': 765989, 'complaint with government': 192053, 'with government link': 998658, 'to bar': 901039, 'bar again': 110665, 'again pre': 37122, '19 economics': 6707, 'economics fantasy': 267449, 'fantasy now': 298631, 'see total': 745982, 'total shift': 926240, 'habit after': 372540, 'covid more': 214194, 'home purchase': 401929, 'purchase movie': 689557, 'movie watch': 544095, 'out to bar': 627621, 'to bar again': 901040, 'bar again pre': 110666, 'again pre covid': 37123, 'covid 19 economics': 213003, '19 economics fantasy': 6708, 'economics fantasy now': 267450, 'fantasy now see': 298632, 'now see total': 575753, 'see total shift': 745983, 'total shift in': 926241, 'consumer spending habit': 199066, 'spending habit after': 788832, 'habit after covid': 372541, 'after covid more': 35519, 'covid more at': 214195, 'at home purchase': 99088, 'home purchase movie': 401930, 'purchase movie watch': 689558, 'protecting it': 685200, 'workforce during': 1008355, 'online preparing': 608784, 'preparing order': 670351, 'hasn even': 378741, 'even been': 283865, 'given hand': 351008, 'driver how': 259606, 'he meant': 385228, 'ensure his': 277967, 'hand are': 374797, 'are kept': 87670, 'kept clean': 473026, 'clean during': 180512, 'during his': 262690, 'his 5am': 397174, '5am 12': 20613, '12 noon': 2914, 'noon shift': 566864, 'like to know': 491603, 'know how is': 476445, 'how is protecting': 408105, 'is protecting it': 451108, 'protecting it workforce': 685203, 'it workforce during': 462526, 'workforce during this': 1008356, 'this time my': 890665, 'time my son': 897249, 'work in online': 1005331, 'in online preparing': 426171, 'online preparing order': 608785, 'preparing order and': 670352, 'order and hasn': 618027, 'and hasn even': 64210, 'hasn even been': 378742, 'even been given': 283866, 'been given hand': 121208, 'given hand sanitizer': 351009, 'sanitizer it only': 735229, 'it only the': 460110, 'only the driver': 611263, 'the driver how': 853695, 'driver how is': 259607, 'how is he': 408096, 'is he meant': 448348, 'he meant to': 385229, 'meant to ensure': 524908, 'to ensure his': 905168, 'ensure his hand': 277968, 'his hand are': 397488, 'hand are kept': 374799, 'are kept clean': 87671, 'kept clean during': 473027, 'clean during his': 180514, 'during his 5am': 262691, 'his 5am 12': 397175, '5am 12 noon': 20614, '12 noon shift': 2916, 'you wild': 1022320, 'wild asshole': 992045, 'asshole never': 96538, 'never wash': 558267, 'no reason': 565281, 'why damn': 990910, 'did you wild': 240953, 'you wild asshole': 1022321, 'wild asshole never': 992046, 'asshole never wash': 96539, 'never wash your': 558268, 'hand before covid': 374830, '19 there no': 11288, 'there no reason': 878837, 'no reason why': 565301, 'reason why damn': 703058, 'why damn supermarket': 990911, 'damn supermarket should': 225434, 'supermarket should be': 822676, 'should be out': 765683, 'out of soap': 626830, '19 across': 4791, 'nation and': 552117, 'help fellow': 389700, 'fellow neighbor': 303310, 'neighbor down': 557001, 'covid 19 across': 212575, '19 across the': 4795, 'the nation and': 861218, 'nation and the': 552122, 'and the need': 73490, 'need for essential': 554837, 'for essential in': 321108, 'essential in high': 281152, 'high demand many': 395019, 'business are doing': 143361, 'are doing it': 85909, 'doing it part': 252488, 'it part to': 460268, 'part to help': 642467, 'to help fellow': 907513, 'help fellow neighbor': 389702, 'fellow neighbor down': 303312, 'neighbor down the': 557002, 'smearing': 775596, 'are wanted': 91526, 'wanted after': 966190, 'after licking': 35864, 'and smearing': 71802, 'smearing them': 775597, 'them over': 876138, 'in morecambe': 425448, 'morecambe supermarket': 541042, 'supermarket crime': 819862, 'two men are': 937038, 'men are wanted': 528458, 'are wanted after': 91527, 'wanted after licking': 966191, 'after licking their': 35867, 'licking their hand': 488255, 'hand and smearing': 374775, 'and smearing them': 71803, 'smearing them over': 775598, 'them over food': 876140, 'over food in': 630221, 'food in morecambe': 314952, 'in morecambe supermarket': 425449, 'morecambe supermarket crime': 541043, 'need armed': 554479, 'armed police': 92944, 'and soldier': 71940, 'soldier to': 781822, 'buyer before': 149587, 'late stopstockpiling': 480917, 'stoppanicbuying stophoarding': 805632, 'coronacrisis socialdistanacing': 204760, 'we need armed': 972468, 'need armed police': 554480, 'armed police and': 92945, 'police and soldier': 662911, 'and soldier to': 71941, 'soldier to stop': 781825, 'panic buyer before': 637558, 'buyer before it': 149588, 'it is too': 459107, 'is too late': 453279, 'too late stopstockpiling': 924836, 'late stopstockpiling stoppanicbuying': 480918, 'stopstockpiling stoppanicbuying stophoarding': 805888, 'stoppanicbuying stophoarding coronacrisis': 805634, 'stophoarding coronacrisis socialdistanacing': 805380, 'misinformation smm': 534071, 'smm socialmediamarketing': 775835, 'socialmediamarketing digitalmarketing': 781113, 'digitalmarketing facebook': 242775, '19 misinformation smm': 8659, 'misinformation smm socialmediamarketing': 534072, 'smm socialmediamarketing digitalmarketing': 775836, 'socialmediamarketing digitalmarketing facebook': 781114, 'sector come': 744125, 'the plate': 863817, 'plate and': 658904, 'four item': 330618, 'be sufficient': 117443, 'sufficient speak': 817391, 'the sector come': 866613, 'sector come up': 744126, 'to the plate': 916958, 'the plate and': 863818, 'plate and help': 658906, 'or four item': 615385, 'four item will': 330619, 'item will not': 463832, 'not be sufficient': 568464, 'be sufficient speak': 117444, 'sufficient speak to': 817392, 'speak to and': 787709, 'put online': 690736, 'shopping into': 763027, 'overdrive worker': 631194, 'warehouse community': 966703, 'are demanding': 85773, 'demanding stronger': 236612, 'stronger environmental': 814176, 'environmental health': 279193, 'and increased': 65111, 'increased corporate': 433254, 'corporate responsibility': 207332, 'put online shopping': 690737, 'online shopping into': 609159, 'shopping into overdrive': 763028, 'into overdrive worker': 442830, 'overdrive worker and': 631195, 'worker and warehouse': 1006353, 'and warehouse community': 75179, 'warehouse community are': 966704, 'community are demanding': 189735, 'are demanding stronger': 85777, 'demanding stronger environmental': 236613, 'stronger environmental health': 814177, 'environmental health protection': 279195, 'health protection and': 386773, 'protection and increased': 685319, 'and increased corporate': 65114, 'increased corporate responsibility': 433255, 'infectiousdisease': 436919, 'wage earner': 963845, 'earner in': 264844, 'country likely': 210866, 'be hit': 115264, 'hit hardest': 398258, 'hardest by': 378203, 'america look': 51596, 'more susceptible': 540514, 'infected die': 436560, 'die pandemia': 241438, 'pandemia inequality': 634746, 'inequality infectiousdisease': 436346, 'low wage earner': 505728, 'wage earner in': 963847, 'earner in any': 264845, 'in any country': 420423, 'any country likely': 79079, 'country likely to': 210867, 'to be hit': 901308, 'be hit hardest': 115269, 'hit hardest by': 398259, 'hardest by in': 378206, 'by in america': 152878, 'in america look': 420229, 'america look like': 51597, 'look like grocery': 502481, 'worker are among': 1006367, 'among the more': 53067, 'the more susceptible': 860894, 'more susceptible to': 540515, 'susceptible to get': 829442, 'get infected die': 347328, 'infected die pandemia': 436561, 'die pandemia inequality': 241439, 'pandemia inequality infectiousdisease': 634747, 'installation': 440010, 'trackingworld': 928379, 'navigation': 553139, 'let share': 487046, 'share burden': 754949, 'burden enjoy': 142740, 'enjoy flat': 277133, 'flat 10': 310057, 'off free': 593843, 'shipping and': 758822, 'and installation': 65276, 'installation hurry': 440011, 'hurry and': 411502, 'shop our': 760628, 'at flat': 98665, 'off term': 594214, 'condition apply': 193402, 'apply trackingworld': 82622, 'trackingworld sale': 928380, 'sale tracker': 732600, 'tracker navigation': 928284, 'navigation fleet': 553140, 'fleet shopping': 310326, 'shopping tracking': 764239, '19 let share': 8316, 'let share burden': 487047, 'share burden enjoy': 754950, 'burden enjoy flat': 142742, 'enjoy flat 10': 277134, 'flat 10 off': 310059, '10 off free': 1577, 'off free shipping': 593845, 'free shipping and': 332153, 'shipping and installation': 758823, 'and installation hurry': 65277, 'installation hurry and': 440012, 'hurry and shop': 411504, 'and shop our': 71506, 'shop our product': 760631, 'our product at': 624476, 'product at flat': 680967, 'at flat 10': 98666, '10 off term': 1582, 'off term and': 594215, 'term and condition': 838055, 'and condition apply': 60263, 'condition apply trackingworld': 193404, 'apply trackingworld sale': 82623, 'trackingworld sale tracker': 928381, 'sale tracker navigation': 732601, 'tracker navigation fleet': 928285, 'navigation fleet shopping': 553141, 'fleet shopping tracking': 310327, 'feminine': 303514, 'vaunrable': 952752, 'believe ebay': 126262, 'ebay are': 266431, 'roll feminine': 725296, 'feminine product': 303515, 'price shame': 676356, 'all panic': 43905, 'buying caused': 150103, 'caused this': 167974, 'this sorry': 890259, 'sorry state': 786077, 'of affair': 579809, 'affair cashing': 34011, 'in when': 430845, 'when vaunrable': 984381, 'vaunrable people': 952753, 'are scared': 89847, 'scared is': 740975, 'absolute disgrace': 27233, 'cannot believe ebay': 161666, 'believe ebay are': 126264, 'ebay are allowing': 266432, 'to sell toilet': 914184, 'sell toilet roll': 748924, 'toilet roll feminine': 921570, 'roll feminine product': 725297, 'feminine product at': 303516, 'product at extortionate': 680965, 'extortionate price shame': 293402, 'price shame on': 676357, 'shame on them': 754629, 'on them all': 604526, 'them all panic': 875347, 'all panic buying': 43907, 'panic buying caused': 637675, 'buying caused this': 150105, 'caused this sorry': 167975, 'this sorry state': 890260, 'sorry state of': 786078, 'state of affair': 795794, 'of affair cashing': 579810, 'affair cashing in': 34012, 'cashing in when': 166677, 'in when vaunrable': 430848, 'when vaunrable people': 984382, 'vaunrable people are': 952754, 'people are scared': 647065, 'are scared is': 89849, 'scared is an': 740976, 'is an absolute': 445632, 'an absolute disgrace': 55038, 'temporary shut': 837688, 'department store ha': 237275, 'store ha announced': 807995, 'announced temporary shut': 77056, 'temporary shut down': 837689, 'shut down of': 767839, 'down of all': 256995, 'of all of': 579965, 'of it physical': 585429, 'store amid 19': 806163, 'amid 19 outbreak': 52375, 'generalinsurance': 345515, 'consumer about': 195991, 'their buying': 872700, 'buying behaviour': 150018, 'here our': 393426, 'first insight': 308731, 'insight insurance': 439577, 'insurance generalinsurance': 440738, 'we are talking': 970732, 'are talking to': 90743, 'talking to consumer': 834042, 'to consumer about': 903261, 'consumer about how': 195994, 'about how is': 25447, 'is affecting their': 445398, 'affecting their life': 34578, 'their life and': 873822, 'life and their': 488489, 'and their buying': 73672, 'their buying behaviour': 872701, 'buying behaviour here': 150021, 'behaviour here our': 124445, 'here our first': 393429, 'our first insight': 623081, 'first insight insurance': 308732, 'insight insurance generalinsurance': 439578, 'spurt': 791357, 'ocado stock': 578920, 'stock spurt': 802874, 'spurt face': 791358, 'face big': 294333, 'big test': 130055, 'test in': 839031, 'security rethink': 744733, 'rethink via': 719662, 'via foodsecurity': 955984, 'ocado stock spurt': 578921, 'stock spurt face': 802875, 'spurt face big': 791359, 'face big test': 294334, 'big test in': 130056, 'test in food': 839034, 'in food security': 422985, 'food security rethink': 316364, 'security rethink via': 744734, 'rethink via foodsecurity': 719663, 'fax': 300620, 'scam identity': 740195, 'identity thief': 413411, 'thief work': 884017, 'obtain your': 578743, 'information do': 437796, 'to unsolicited': 917966, 'unsolicited email': 943513, 'message phone': 529396, 'call letter': 155971, 'letter fax': 487308, 'fax or': 300621, 'medium asking': 527009, 'beware of scam': 129094, 'of scam identity': 589359, 'scam identity thief': 740196, 'identity thief work': 413413, 'thief work hard': 884018, 'hard to obtain': 378075, 'to obtain your': 910804, 'obtain your personal': 578744, 'personal information do': 652888, 'information do not': 437797, 'not respond to': 571349, 'respond to unsolicited': 715333, 'to unsolicited email': 917967, 'unsolicited email text': 943515, 'email text message': 272322, 'text message phone': 839912, 'message phone call': 529397, 'phone call letter': 654925, 'call letter fax': 155972, 'letter fax or': 487309, 'fax or social': 300622, 'or social medium': 617141, 'social medium asking': 779841, 'medium asking for': 527010, 'asking for personal': 95995, 'for personal information': 324503, 'feel it': 302687, 'francisco had': 331111, 'to hustle': 908069, 'hustle my': 411824, 'different grocery': 241957, 'find grass': 306943, 'grass fed': 362214, 'fed organic': 301863, 'organic milk': 619227, 'milk ton': 531883, 'perishable on': 651999, 'empty expect': 274866, 'expect price': 290702, 'skyrocket too': 773339, 'too during': 924698, 'duration of': 262369, 'plague sanfrancisco': 657984, 'starting to really': 795033, 'to really feel': 912865, 'really feel it': 702194, 'feel it in': 302688, 'it in san': 458743, 'san francisco had': 733541, 'francisco had to': 331112, 'had to hustle': 373700, 'to hustle my': 908070, 'hustle my way': 411825, 'way to different': 970014, 'to different grocery': 904286, 'different grocery store': 241958, 'to find grass': 905904, 'find grass fed': 306944, 'grass fed organic': 362217, 'fed organic milk': 301864, 'organic milk ton': 619228, 'milk ton of': 531884, 'ton of perishable': 924280, 'of perishable on': 588050, 'perishable on shelf': 652000, 'on shelf empty': 603403, 'shelf empty expect': 757019, 'empty expect price': 274867, 'expect price to': 290705, 'price to skyrocket': 677040, 'to skyrocket too': 914710, 'skyrocket too during': 773340, 'too during the': 924700, 'during the duration': 263118, 'the duration of': 853785, 'duration of the': 262370, 'of the plague': 591338, 'the plague sanfrancisco': 863786, 'calculate how': 155293, 'll last': 496877, 'you currently': 1018135, 'currently have': 221555, 'the advanced': 848366, 'advanced feature': 32927, 'feature my': 301554, 'my result': 549940, 'result day': 717495, 'day 29': 227133, '29 of': 16486, 'my quarantine': 549872, 'calculate how long': 155294, 'how long you': 408219, 'long you ll': 501876, 'you ll last': 1019659, 'll last in': 496878, 'last in quarantine': 480277, 'in quarantine with': 427197, 'quarantine with the': 692710, 'number of roll': 576987, 'of roll of': 589149, 'roll of you': 725425, 'of you currently': 593378, 'you currently have': 1018137, 'currently have on': 221559, 'have on hand': 381770, 'on hand be': 601228, 'sure to use': 827789, 'use the advanced': 949650, 'the advanced feature': 848367, 'advanced feature my': 32928, 'feature my result': 301555, 'my result day': 549941, 'result day 29': 717496, 'day 29 of': 227135, '29 of my': 16489, 'of my quarantine': 586810, 'almost year': 46774, 'low meaning': 505405, 'meaning american': 524802, 'american had': 52015, 'had le': 373229, 'le confidence': 482882, 'confidence with': 193989, 'with obama': 999841, 'obama in': 578331, 'in normal': 425932, 'normal time': 567365, 'time than': 897816, 'than with': 841464, 'with under': 1001893, 'fall to an': 297094, 'an almost year': 55248, 'almost year low': 46775, 'year low meaning': 1014725, 'low meaning american': 505406, 'meaning american had': 524803, 'american had le': 52016, 'had le confidence': 373230, 'le confidence with': 482883, 'confidence with obama': 193990, 'with obama in': 999842, 'obama in normal': 578332, 'in normal time': 425934, 'normal time than': 567370, 'time than with': 897819, 'than with under': 841465, 'with under the': 1001894, 'under the threat': 940337, 'courier': 211796, 'instituting': 440445, 'worry free': 1010712, 'understand stress': 940719, 'and precaution': 69333, 'precaution is': 669324, 'of utmost': 592729, 'utmost importance': 951387, 'importance which': 418722, 'why online': 991257, 'go our': 353926, 'our courier': 622615, 'courier partner': 211814, 'partner are': 642773, 'are instituting': 87550, 'instituting the': 440448, 'the no': 861824, 'delivery concept': 233820, 'concept for': 192853, 'info read': 437564, 'worry free online': 1010714, 'free online shopping': 332027, 'online shopping we': 609337, 'shopping we understand': 764354, 'we understand stress': 973589, 'understand stress level': 940720, 'level are high': 487511, 'are high and': 87149, 'high and precaution': 394925, 'and precaution is': 69335, 'precaution is of': 669326, 'is of utmost': 450403, 'of utmost importance': 592730, 'utmost importance which': 951389, 'importance which is': 418723, 'is why online': 453971, 'why online shopping': 991258, 'to go our': 906836, 'go our courier': 353927, 'our courier partner': 622617, 'courier partner are': 211815, 'partner are instituting': 642776, 'are instituting the': 87551, 'instituting the no': 440449, 'the no contact': 861825, 'no contact delivery': 563889, 'contact delivery concept': 200062, 'delivery concept for': 233821, 'concept for more': 192854, 'more info read': 539562, 'info read here': 437565, 'rajendras': 696184, 'namaka': 551579, 'jam': 464349, 'midway': 530807, 'rajendras at': 696185, 'at namaka': 99843, 'namaka wa': 551584, 'wa jam': 962440, 'jam packed': 464360, 'packed from': 633604, 'from midway': 336430, 'midway just': 530808, 'just closed': 468488, 'closed minute': 183224, 'minute ago': 533717, 'restock and': 716864, 'and open': 68163, 'open again': 612020, 'again at': 36909, '5pm till': 20809, '8pm tonight': 23240, 'tonight informed': 924428, 'informed by': 438087, 'rajendras at namaka': 696186, 'at namaka wa': 99844, 'namaka wa jam': 551585, 'wa jam packed': 962441, 'jam packed from': 464361, 'packed from midway': 633605, 'from midway just': 336431, 'midway just closed': 530809, 'just closed minute': 468489, 'closed minute ago': 183225, 'minute ago to': 533720, 'ago to restock': 38517, 'to restock and': 913399, 'restock and open': 716866, 'and open again': 68164, 'open again at': 612022, 'again at 5pm': 36910, 'at 5pm till': 97704, '5pm till 8pm': 20810, 'till 8pm tonight': 895987, '8pm tonight informed': 23241, 'tonight informed by': 924429, 'informed by one': 438089, 'by one of': 153429, 'of their staff': 591703, 'their staff supermarket': 874798, 'staff supermarket owner': 792905, 'supermarket owner must': 821877, 'owner must be': 632502, 'must be happy': 546509, 'be happy with': 115144, 'with this panic': 1001715, 'brjl203': 140672, 'brjl309': 140675, 'dodgemojo': 251289, 'dispelling': 246114, 'brjl203 brjl309': 140673, 'brjl309 dodgemojo': 140676, 'dodgemojo good': 251290, 'good interview': 357274, 'interview especially': 442212, 'especially second': 280589, 'second question': 743802, 'question response': 693722, 'response dispelling': 715674, 'dispelling fear': 246115, 'fear many': 301190, 'have can': 379878, 'by touching': 154578, 'from amazon': 334456, 'brjl203 brjl309 dodgemojo': 140674, 'brjl309 dodgemojo good': 140677, 'dodgemojo good interview': 251291, 'good interview especially': 357275, 'interview especially second': 442213, 'especially second question': 280590, 'second question response': 743803, 'question response dispelling': 693723, 'response dispelling fear': 715675, 'dispelling fear many': 246116, 'fear many people': 301191, 'many people have': 514508, 'people have can': 648166, 'have can you': 379880, 'you get by': 1018762, 'get by touching': 346731, 'by touching item': 154579, 'touching item at': 926688, 'item at grocery': 463126, 'store is it': 808500, 'safe to get': 730051, 'delivery from amazon': 234043, 'were telling': 980225, 'telling grocery': 837198, 'real job': 701237, 're praising': 699290, 'praising them': 668906, 'their contribution': 872878, 'to society': 914847, 'society all': 781146, 'all fake': 42749, 'fake af': 296566, 'af better': 33950, 'not hear': 569914, 'hear word': 388029, 'word from': 1004492, 'again coronacrisis': 36958, 'ago all were': 38326, 'all were telling': 45435, 'were telling grocery': 980226, 'telling grocery store': 837199, 'worker they didn': 1007962, 'didn have real': 241096, 'have real job': 382177, 'real job and': 701238, 'job and now': 465637, 'and now you': 67874, 'you re praising': 1020707, 're praising them': 699291, 'praising them for': 668907, 'for their contribution': 326815, 'their contribution to': 872879, 'contribution to society': 201944, 'to society all': 914848, 'society all fake': 781147, 'all fake af': 42750, 'fake af better': 296567, 'af better not': 33951, 'better not hear': 128379, 'not hear word': 569915, 'hear word from': 388030, 'word from you': 1004498, 'from you ever': 338458, 'ever again coronacrisis': 285187, 'drugstore': 261179, 'hydroxide': 411984, 'in brazil': 420952, 'brazil the': 138339, 'the drugstore': 853747, 'drugstore are': 261180, 'buying day': 150178, 'after it': 35835, 'that chloroquine': 843216, 'chloroquine hydroxide': 177601, 'hydroxide wa': 411985, 'wa effective': 962054, 'treating covid': 930987, 'imagine similar': 416773, 'similar situation': 769927, 'situation exists': 772262, 'exists in': 290357, 'company could': 190571, 'here in brazil': 393136, 'in brazil the': 420953, 'brazil the drugstore': 138340, 'the drugstore are': 853748, 'drugstore are out': 261181, 'of stock because': 590141, 'stock because of': 801907, 'panic buying day': 637700, 'buying day after': 150179, 'day after it': 227182, 'after it wa': 35844, 'it wa announced': 462065, 'wa announced that': 961545, 'announced that chloroquine': 77059, 'that chloroquine hydroxide': 843218, 'chloroquine hydroxide wa': 177602, 'hydroxide wa effective': 411986, 'wa effective for': 962056, 'effective for treating': 269252, 'for treating covid': 327336, 'treating covid 19': 930988, '19 imagine similar': 7682, 'imagine similar situation': 416774, 'similar situation exists': 769928, 'situation exists in': 772263, 'exists in the': 290358, 'in the or': 429421, 'the or drug': 862435, 'or drug company': 615081, 'drug company could': 260915, 'essentialoils': 281917, 'stayinghealthy': 798736, 'great recipe': 362951, 'for diy': 320781, 'sanitizer check': 734650, 'on using': 605001, 'using essential': 950468, 'oil more': 596961, 'more recipe': 540199, 'recipe included': 704479, 'included handsanitizer': 431684, 'handsanitizer essentialoils': 376525, 'essentialoils stayinghealthy': 281922, 'anyone is looking': 80390, 'is looking for': 449445, 'looking for great': 502870, 'for great recipe': 322006, 'great recipe for': 362952, 'recipe for diy': 704460, 'for diy hand': 320783, 'hand sanitizer check': 375342, 'sanitizer check out': 734651, 'out my blog': 626594, 'my blog post': 547479, 'post on using': 666262, 'on using essential': 605002, 'using essential oil': 950469, 'essential oil more': 281350, 'oil more recipe': 596962, 'more recipe included': 540200, 'recipe included handsanitizer': 704480, 'included handsanitizer essentialoils': 431685, 'handsanitizer essentialoils stayinghealthy': 376526, 'nstworld': 576697, 'nstworld amazon': 576698, 'amazon said': 51097, 'wa boosting': 961733, 'boosting pay': 135078, 'and hiring': 64586, 'hiring 100': 397056, 'to strain': 915656, 'workforce caused': 1008345, 'by surge': 154180, 'shopping prompted': 763691, 'by fear': 152566, 'nstworld amazon said': 576699, 'amazon said it': 51098, 'it wa boosting': 462082, 'wa boosting pay': 961734, 'boosting pay and': 135079, 'pay and hiring': 644733, 'and hiring 100': 64587, 'hiring 100 00': 397057, '00 worker due': 606, 'due to strain': 261978, 'to strain on': 915657, 'strain on it': 812290, 'on it workforce': 601697, 'it workforce caused': 462525, 'workforce caused by': 1008346, 'caused by surge': 167869, 'by surge in': 154181, 'online shopping prompted': 609238, 'shopping prompted by': 763692, 'prompted by fear': 683928, 'successfully': 816255, 'concludes': 193313, 'opec the': 611975, 'the group': 856859, 'group composed': 366654, 'composed of': 192568, 'nation successfully': 552322, 'successfully concludes': 816258, 'concludes deal': 193314, 'bpd which': 137458, 'which amount': 985661, 'amount to': 53287, 'supply after': 824662, 'after compromise': 35484, 'compromise with': 192666, 'with mexico': 999487, 'mexico oott': 530014, 'opec the group': 611976, 'the group composed': 856863, 'group composed of': 366655, 'composed of opec': 192569, 'of opec russia': 587289, 'producing nation successfully': 680794, 'nation successfully concludes': 552323, 'successfully concludes deal': 816259, 'concludes deal to': 193315, 'to cut oil': 903881, 'cut oil output': 223450, 'million bpd which': 532095, 'bpd which amount': 137459, 'which amount to': 985662, 'amount to 10': 53288, 'to 10 percent': 899431, '10 percent of': 1628, 'percent of global': 651157, 'global supply after': 352231, 'supply after compromise': 824663, 'after compromise with': 35485, 'compromise with mexico': 192667, 'with mexico oott': 999488, 'mexico oott saudiarabia': 530015, 'kungfu': 477941, 'only at': 610126, 'appointment otherwise': 82680, 'otherwise be': 621826, 'home kungfu': 401509, 'kungfu chinesecoronavirus': 477942, 'chinesecoronavirus glove': 177406, 'only at the': 610129, 'store and doctor': 806230, 'and doctor appointment': 61574, 'doctor appointment otherwise': 250832, 'appointment otherwise be': 82681, 'otherwise be safe': 621827, 'stay home kungfu': 796981, 'home kungfu chinesecoronavirus': 401510, 'kungfu chinesecoronavirus glove': 477943, 'sure food': 827554, '19 before': 5344, 'you store': 1021447, 'good video': 357934, 'making sure food': 511380, 'sure food from': 827556, 'supermarket is free': 821090, 'is free of': 447927, 'free of covid': 332013, 'covid 19 before': 212688, '19 before you': 5346, 'before you store': 123336, 'you store it': 1021450, 'store it good': 808574, 'it good video': 458307, 'good video have': 357935, 'photooftheday': 655321, 'photographyeveryday': 655309, 'day your': 228831, 'your purchase': 1025476, 'purchase help': 689490, 'are donating': 85945, 'donating of': 254485, 'all purchase': 44096, '19 solidarity': 10688, 'solidarity response': 781942, 'fund photo': 341477, 'photo photooftheday': 655232, 'photooftheday photographyeveryday': 655326, 'photographyeveryday photo': 655310, 'photo dmart': 655153, 'dmart superstore': 248951, 'the day your': 852929, 'day your purchase': 228833, 'your purchase help': 1025480, 'purchase help fight': 689491, 'we are donating': 970532, 'are donating of': 85948, 'donating of all': 254486, 'of all purchase': 579972, 'all purchase to': 44098, 'purchase to who': 689705, 'to who covid': 918569, 'covid 19 solidarity': 213830, '19 solidarity response': 10689, 'solidarity response fund': 781943, 'response fund photo': 715705, 'fund photo photooftheday': 341478, 'photo photooftheday photographyeveryday': 655233, 'photooftheday photographyeveryday photo': 655327, 'photographyeveryday photo dmart': 655311, 'photo dmart superstore': 655154, 'massacre': 519934, 'wtf we': 1013338, 'london since': 501175, 'tuesday we': 935201, 'we only': 972645, 'eat exercise': 265911, 'exercise outdoors': 290082, 'outdoors with': 628929, 'distancing our': 247385, 'our son': 624843, 'son had': 785383, 'had fever': 373107, 'fever for': 303672, 'other symptom': 621052, 'the gp': 856680, 'gp telephone': 361419, 'telephone appointment': 836798, 'appointment belief': 82655, 'belief it': 126203, 'not after': 568084, 'supermarket massacre': 821471, 'massacre at': 519935, 'wtf we are': 1013339, 'in london since': 424895, 'london since tuesday': 501176, 'since tuesday we': 770954, 'tuesday we only': 935202, 'we only go': 972648, 'to eat exercise': 904881, 'eat exercise outdoors': 265912, 'exercise outdoors with': 290084, 'outdoors with social': 628930, 'social distancing our': 779681, 'distancing our son': 247387, 'our son had': 624845, 'son had fever': 785384, 'had fever for': 373108, 'fever for day': 303673, 'day no other': 228022, 'no other symptom': 565019, 'other symptom and': 621053, 'symptom and had': 830808, 'and had fever': 64100, 'day the gp': 228489, 'the gp telephone': 856681, 'gp telephone appointment': 361420, 'telephone appointment belief': 836799, 'appointment belief it': 82656, 'belief it wa': 126205, 'wa not after': 962755, 'not after the': 568085, 'the supermarket massacre': 868697, 'supermarket massacre at': 821472, 'changing marketer': 172743, 'marketer must': 517470, 'start there': 794558, 'keep moving': 471683, 'both now': 135981, 'always it': 49634, 'vital to': 959743, 'to tune': 917835, 'through understanding': 894879, 'understanding their': 940895, 'their need': 874041, 'offer the': 594824, 'right solution': 722278, 'and behavior are': 58834, 'behavior are changing': 123909, 'are changing marketer': 85237, 'changing marketer must': 172744, 'marketer must start': 517471, 'must start there': 546901, 'start there in': 794559, 'there in order': 878507, 'to keep moving': 908813, 'keep moving forward': 471684, 'moving forward both': 544146, 'forward both now': 329973, 'both now and': 135982, 'and always it': 57997, 'always it vital': 49635, 'it vital to': 462047, 'vital to tune': 959746, 'to tune in': 917836, 'the customer through': 852735, 'customer through understanding': 222950, 'through understanding their': 894880, 'understanding their need': 940896, 'their need you': 874045, 'need you ll': 556259, 'll be able': 496565, 'able to offer': 24512, 'to offer the': 910851, 'offer the right': 594829, 'the right solution': 865826, 'plunge with': 661476, 'crude future': 219532, 'future hitting': 342353, 'hitting an': 398554, 'low government': 505307, 'government worldwide': 360827, 'worldwide accelerated': 1010307, 'accelerated lockdown': 27888, 'counter the': 210265, 'causing global': 168039, 'global fuel': 351957, 'to collapse': 902949, 'price plunge with': 675934, 'plunge with crude': 661477, 'with crude future': 997865, 'crude future hitting': 219533, 'future hitting an': 342355, 'hitting an 18': 398555, 'year low government': 1014720, 'low government worldwide': 505309, 'government worldwide accelerated': 360828, 'worldwide accelerated lockdown': 1010308, 'accelerated lockdown to': 27889, 'lockdown to counter': 500053, 'to counter the': 903627, 'counter the pandemic': 210267, 'that is causing': 844566, 'is causing global': 446423, 'causing global fuel': 168042, 'global fuel demand': 351959, 'fuel demand to': 340158, 'demand to collapse': 236391, 'is america': 445618, 'america milk': 51614, 'food soap': 316673, 'soap toilet': 779132, 'paper medicine': 640462, 'medicine social': 526889, 'distance no': 246775, 'no some': 565555, 'some stock': 783946, 'ammunition during': 52941, 'this is america': 888174, 'is america milk': 445620, 'america milk and': 51615, 'milk and other': 531564, 'other food soap': 620249, 'food soap toilet': 316677, 'soap toilet paper': 779133, 'toilet paper medicine': 921357, 'paper medicine social': 640463, 'medicine social distance': 526890, 'social distance no': 779515, 'distance no some': 246777, 'no some stock': 565557, 'some stock up': 783951, 'on gun and': 601208, 'and ammunition during': 58080, 'ammunition during crisis': 52942, 'improvise': 419605, 'any or': 79573, 'or 95': 614230, 'to improvise': 908212, 'improvise cannot': 419606, 'to rock': 913619, 'rock this': 724926, 'cannot find any': 161831, 'find any or': 306799, 'any or 95': 79574, 'or 95 mask': 614231, '95 mask so': 23590, 'mask so it': 519283, 'so it time': 777480, 'time to improvise': 898001, 'to improvise cannot': 908213, 'improvise cannot wait': 419607, 'cannot wait to': 162214, 'wait to rock': 964231, 'to rock this': 913624, 'rock this at': 724927, 'this at the': 886454, 'hello and': 389126, 'store out': 809401, 'there impose': 878501, 'impose limit': 419240, 'limit do': 492330, 'part canadian': 642255, 'canadian company': 160652, 'support citizen': 826415, 'during rather': 262961, 'than fill': 840650, 'fill your': 305517, 'hello and every': 389127, 'every other grocery': 286066, 'grocery store out': 365627, 'store out there': 809403, 'out there impose': 627490, 'there impose limit': 878502, 'impose limit do': 419241, 'limit do your': 492332, 'your part canadian': 1025212, 'part canadian company': 642256, 'canadian company to': 160654, 'company to support': 191246, 'to support citizen': 915912, 'support citizen during': 826416, 'citizen during rather': 178886, 'during rather than': 262962, 'rather than fill': 697517, 'than fill your': 840651, 'fill your bank': 305518, 'practically': 668497, 'how 3m': 407263, '3m doubled': 18319, 'doubled n95': 256123, 'mask production': 519159, 'production practically': 682184, 'practically overnight': 668508, 'is how 3m': 448569, 'how 3m doubled': 407264, '3m doubled n95': 18320, 'doubled n95 mask': 256124, 'n95 mask production': 551204, 'mask production practically': 519160, 'production practically overnight': 682185, 'practically overnight to': 668510, 'overnight to fight': 631364, 'benchmark brent': 126832, 'oil future': 596820, 'future rose': 342449, 'rose high': 726069, 'high 33': 394898, '33 37': 17742, '37 barrel': 18069, 'barrel on': 111257, 'on rising': 603202, 'rising hope': 723230, 'new global': 558804, 'global deal': 351853, 'global crude': 351843, 'crude supply': 219615, 'benchmark brent crude': 126833, 'brent crude oil': 139333, 'crude oil future': 219558, 'oil future rose': 596822, 'future rose high': 342450, 'rose high 33': 726070, 'high 33 37': 394899, '33 37 barrel': 17743, '37 barrel on': 18070, 'barrel on rising': 111260, 'on rising hope': 603203, 'rising hope of': 723231, 'hope of new': 403571, 'of new global': 586968, 'new global deal': 558806, 'global deal to': 351856, 'cut global crude': 223357, 'global crude supply': 351847, 'shunned': 767773, 'digitalpayment': 242793, 'creditcard': 216558, 'debitcard': 230386, 'financialservices': 306716, 'home shopping': 402058, 'paper currency': 640072, 'currency being': 221014, 'being shunned': 125784, 'shunned due': 767776, 'to curious': 903822, 'how digitalpayment': 407703, 'digitalpayment platform': 242794, 'like and': 489777, 'and creditcard': 60736, 'creditcard debitcard': 216559, 'debitcard usage': 230387, 'usage will': 948861, 'will rise': 994706, 'rise banking': 722791, 'banking financialservices': 110428, 'with everyone at': 998286, 'everyone at home': 286715, 'at home shopping': 99105, 'home shopping online': 402060, 'online and paper': 607835, 'and paper currency': 68693, 'paper currency being': 640073, 'currency being shunned': 221015, 'being shunned due': 125785, 'shunned due to': 767777, 'due to curious': 261749, 'to curious to': 903823, 'curious to see': 220991, 'see how digitalpayment': 745225, 'how digitalpayment platform': 407704, 'digitalpayment platform like': 242795, 'platform like and': 658997, 'like and creditcard': 489781, 'and creditcard debitcard': 60737, 'creditcard debitcard usage': 216560, 'debitcard usage will': 230388, 'usage will rise': 948862, 'will rise banking': 994709, 'rise banking financialservices': 722792, 'dribble': 258733, 'warmup': 966915, '028': 826, 'dribbleweeklywarmup': 258736, 'dribble weekly': 258734, 'weekly warmup': 977592, 'warmup 028': 966916, '028 message': 827, 'message of': 529375, 'week challenge': 976080, 'challenge wa': 171586, 'create message': 215687, 'is mine': 449657, 'mine dribbleweeklywarmup': 532888, 'dribbleweeklywarmup hope': 258737, 'hope tp': 403753, 'toiletpaper illustration': 922110, 'dribble weekly warmup': 258735, 'weekly warmup 028': 977593, 'warmup 028 message': 966917, '028 message of': 828, 'message of hope': 529377, 'of hope this': 584748, 'hope this week': 403730, 'this week challenge': 891199, 'week challenge wa': 976081, 'challenge wa to': 171587, 'wa to create': 963517, 'to create message': 903715, 'create message of': 215688, 'hope for our': 403481, 'for our community': 324219, 'our community this': 622485, 'community this is': 190162, 'this is mine': 888320, 'is mine dribbleweeklywarmup': 449659, 'mine dribbleweeklywarmup hope': 532889, 'dribbleweeklywarmup hope tp': 258738, 'hope tp toiletpaper': 403754, 'tp toiletpaper illustration': 927998, 'first contacted': 308591, 'contacted three': 200341, 'they never': 882777, 'never got': 558032, 'me but': 522531, 'today kroger': 919776, 'kroger ceo': 477726, 'ceo announced': 169654, 'that two': 847147, 'employee tested': 274278, 'first contacted three': 308592, 'contacted three day': 200342, 'three day ago': 893906, 'ago and they': 38344, 'and they never': 73923, 'they never got': 882778, 'never got back': 558033, 'got back to': 358428, 'back to me': 107379, 'to me but': 909921, 'me but today': 522538, 'but today kroger': 147603, 'today kroger ceo': 919777, 'kroger ceo announced': 477727, 'ceo announced that': 169655, 'announced that two': 77073, 'that two kroger': 847148, 'two kroger employee': 936998, 'kroger employee tested': 477736, 'employee tested positive': 274279, 'luke': 506632, 'tilley': 896135, 'wilmington': 995504, 'seen said': 747210, 'said luke': 731209, 'luke tilley': 506637, 'tilley chief': 896136, 'economist at': 267523, 'at wilmington': 101568, 'wilmington trust': 995505, 'trust auspol': 934244, 'auspol how': 103081, 'how transformed': 409111, 'transformed the': 929594, 'way american': 969455, 'american spend': 52206, 'ever seen said': 285491, 'seen said luke': 747211, 'said luke tilley': 731210, 'luke tilley chief': 506638, 'tilley chief economist': 896137, 'chief economist at': 175912, 'economist at wilmington': 267526, 'at wilmington trust': 101569, 'wilmington trust auspol': 995506, 'trust auspol how': 934245, 'auspol how transformed': 103082, 'how transformed the': 409112, 'transformed the way': 929596, 'the way american': 871141, 'way american spend': 969456, 'american spend their': 52207, 'their money the': 874002, 'money the new': 537062, 'toiletpaper planet': 922347, 'earth toiletpaper planet': 265009, 'toiletpaper planet earth': 922348, 'the walking': 871044, 'walking dead': 965040, 'dead went': 229185, 'and struck': 72596, 'struck the': 814282, 'the jackpot': 858627, 'jackpot toilet': 464198, 'it like it': 459366, 'like it the': 490559, 'it the walking': 461585, 'the walking dead': 871045, 'walking dead went': 965043, 'dead went out': 229186, 'went out for': 979083, 'out for supply': 626162, 'for supply run': 326052, 'supply run and': 825781, 'run and struck': 727563, 'and struck the': 72598, 'struck the jackpot': 814283, 'the jackpot toilet': 858628, 'jackpot toilet paper': 464199, 'odisha sir': 579248, 'sir online': 771615, 'may immediately': 521279, 'immediately be': 417061, 'stopped to': 805769, 'check covid': 174405, 'odisha sir online': 579249, 'sir online shopping': 771616, 'shopping may immediately': 763257, 'may immediately be': 521280, 'immediately be stopped': 417062, 'be stopped to': 117383, 'stopped to check': 805770, 'to check covid': 902681, 'check covid 19': 174406, 'ninja': 563313, 'keepyourdistance': 472677, 'like ninja': 490855, 'ninja when': 563315, 'store these': 810656, 'day anyone': 227309, 'anyone stopped': 80536, 'stopped chatting': 805693, 'chatting will': 174029, 'be run': 116926, 'run over': 727776, 'over stayhomesavelives': 630642, 'stayhomesavelives keepyourdistance': 798405, 'like ninja when': 490856, 'ninja when go': 563316, 'grocery store these': 365854, 'store these day': 810658, 'these day anyone': 879866, 'day anyone stopped': 227310, 'anyone stopped chatting': 80537, 'stopped chatting will': 805694, 'chatting will be': 174030, 'will be run': 992660, 'be run over': 116928, 'run over stayhomesavelives': 727777, 'over stayhomesavelives keepyourdistance': 630643, 'slim': 773984, 'amused': 54953, 'dislike': 245960, 'macaroni': 507325, 'annoyed by': 77349, 'the slim': 867330, 'slim picking': 773989, 'picking in': 655857, 'store also': 806155, 'also amused': 47844, 'amused by': 54956, 'by what': 154719, 'left apparently': 485390, 'apparently people': 81988, 'an intense': 56386, 'intense dislike': 441079, 'dislike for': 245961, 'for organic': 324160, 'organic macaroni': 619223, 'macaroni and': 507326, 'cheese and': 175162, 'canned pork': 161556, 'pork and': 664782, 'annoyed by the': 77351, 'by the slim': 154440, 'the slim picking': 867331, 'slim picking in': 773990, 'picking in the': 655859, 'grocery store also': 365188, 'store also amused': 806156, 'also amused by': 47845, 'amused by what': 54957, 'by what is': 154720, 'what is left': 981705, 'is left apparently': 449268, 'left apparently people': 485391, 'apparently people have': 81991, 'people have an': 648161, 'have an intense': 379259, 'an intense dislike': 56388, 'intense dislike for': 441080, 'dislike for organic': 245962, 'for organic macaroni': 324162, 'organic macaroni and': 619224, 'macaroni and cheese': 507327, 'and cheese and': 59798, 'cheese and canned': 175164, 'and canned pork': 59503, 'canned pork and': 161557, 'pork and bean': 664783, 'hay': 384496, 'comida': 187970, 'casa': 165550, 'positive of': 665385, 'down 79': 256433, '79 today': 22379, 'today costco': 919408, 'doing 15': 252249, 'out 15': 625525, '15 in': 3738, 'most relaxing': 542690, 'relaxing shopping': 708895, 'trip ve': 932209, 'at costco': 98345, 'costco cooked': 208214, 'cooked and': 202808, 'and ate': 58492, 'ate home': 101721, 'home everyday': 401167, 'everyday this': 286640, 'week maybe': 976521, 'maybe hay': 521697, 'hay comida': 384499, 'comida en': 187971, 'en la': 275382, 'la casa': 478141, 'casa ain': 165551, 'ain that': 39661, 'positive of covid': 665387, 'price down 79': 673515, 'down 79 today': 256434, '79 today costco': 22380, 'today costco wa': 919410, 'costco wa doing': 208287, 'wa doing 15': 961999, 'doing 15 people': 252250, '15 people out': 3816, 'people out 15': 649014, 'out 15 in': 625526, '15 in and': 3739, 'wa the most': 963457, 'the most relaxing': 861024, 'most relaxing shopping': 542691, 'relaxing shopping trip': 708896, 'shopping trip ve': 764257, 'trip ve ever': 932210, 've ever had': 953093, 'ever had at': 285339, 'had at costco': 372864, 'at costco cooked': 98347, 'costco cooked and': 208215, 'cooked and ate': 202809, 'and ate home': 58493, 'ate home everyday': 101722, 'home everyday this': 401168, 'everyday this week': 286642, 'this week maybe': 891232, 'week maybe hay': 976522, 'maybe hay comida': 521698, 'hay comida en': 384500, 'comida en la': 187972, 'en la casa': 275383, 'la casa ain': 478142, 'casa ain that': 165552, 'ain that bad': 39662, 'line ups': 493532, 'ups to': 947777, 'than line': 840843, 'paper never': 640491, 'never on': 558134, 'on special': 603591, 'when line ups': 983695, 'line ups to': 493537, 'ups to the': 947780, 'store are longer': 806497, 'longer than line': 502072, 'than line ups': 840844, 'the club and': 851078, 'club and toilet': 184406, 'toilet paper never': 921366, 'paper never on': 640492, 'never on special': 558135, 'tyson': 937693, 'cwt': 223892, '94': 23540, 'grid': 363885, 'tyson announced': 937694, 'adding per': 31691, 'per cwt': 650788, 'cwt over': 223895, 'base price': 111471, 'live cattle': 495762, 'and 94': 57524, '94 per': 23546, 'cwt for': 223893, 'for dressed': 320850, 'dressed and': 258693, 'and grid': 63960, 'grid cattle': 363888, 'cattle due': 167343, 'tyson announced it': 937695, 'announced it is': 76972, 'it is adding': 458862, 'is adding per': 445354, 'adding per cwt': 31692, 'per cwt over': 650790, 'cwt over the': 223896, 'over the base': 630697, 'the base price': 849294, 'base price for': 111472, 'price for live': 673990, 'for live cattle': 323020, 'live cattle and': 495763, 'cattle and 94': 167337, 'and 94 per': 57525, '94 per cwt': 23547, 'per cwt for': 650789, 'cwt for dressed': 223894, 'for dressed and': 320851, 'dressed and grid': 258694, 'and grid cattle': 63961, 'grid cattle due': 363889, 'cattle due to': 167344, 'acityunited': 29085, 'acityunited and': 29088, 'acityunited and have': 29089, 'counterbalance': 210286, 'digitalizes': 242735, 'izberg': 464093, 'to counterbalance': 903631, 'counterbalance the': 210287, 'of revenue': 589081, 'revenue with': 720493, 'pandemic sonae': 636514, 'sonae sierra': 785470, 'sierra digitalizes': 768997, 'digitalizes it': 242736, 'mall through': 511843, 'marketplace powered': 517829, 'powered by': 667758, 'by izberg': 152953, 'to counterbalance the': 903632, 'counterbalance the loss': 210288, 'loss of revenue': 503752, 'of revenue with': 589086, 'revenue with the': 720494, 'with the closure': 1001236, 'closure of the': 183978, 'of the physical': 591334, 'physical store due': 655466, '19 pandemic sonae': 9476, 'pandemic sonae sierra': 636515, 'sonae sierra digitalizes': 785471, 'sierra digitalizes it': 768998, 'digitalizes it shopping': 242737, 'it shopping mall': 461028, 'shopping mall through': 763238, 'mall through the': 511844, 'through the online': 894759, 'the online marketplace': 862274, 'online marketplace powered': 608530, 'marketplace powered by': 517830, 'powered by izberg': 667761, 'with student': 1001026, 'student reporter': 814762, 'reporter at': 712602, 'whether we': 985609, 'shortage no': 765083, 'no supply': 565629, 'good shape': 357721, 'shape best': 754824, 'do stay': 250172, 'inside if': 439283, 'out wash': 627781, 'often amp': 596153, 'amp maintain': 54091, 'spoke with student': 789755, 'with student reporter': 1001028, 'student reporter at': 814763, 'reporter at about': 712603, 'at about why': 97836, 'about why people': 26934, 'why people panic': 991288, 'buy and whether': 148338, 'and whether we': 75551, 'whether we should': 985611, 'we should worry': 973304, 'should worry about': 766667, 'food shortage no': 316590, 'shortage no supply': 765087, 'no supply chain': 565631, 'chain are in': 170503, 'are in good': 87386, 'in good shape': 423370, 'good shape best': 357722, 'shape best thing': 754825, 'to do stay': 904560, 'do stay inside': 250173, 'stay inside if': 797099, 'inside if you': 439284, 'must go out': 546687, 'go out wash': 353998, 'out wash hand': 627782, 'wash hand often': 967490, 'hand often amp': 375119, 'often amp maintain': 596154, 'amp maintain distance': 54092, 'tencent': 837869, 'tencent see': 837872, 'in user': 430505, 'user due': 950274, 'tencent see surge': 837873, 'surge in user': 828214, 'in user due': 430506, 'user due to': 950275, 'ml for': 534717, 'update 19': 946829, '200 ml for': 13506, 'ml for the': 534719, 'latest update 19': 481586, 'e3': 263970, 'momar': 535855, 'against bacteria': 37338, 'virus learn': 958454, 'sanitizer han': 735020, 'han size': 374696, 'size spray': 772799, 'spray e3': 790288, 'e3 shoot': 263971, 'shoot message': 759738, 'message or': 529386, 'local momar': 498188, 'momar representative': 535856, 'order yours': 618807, 'yours today': 1026482, 'info visit': 437607, 'help protect against': 390366, 'protect against bacteria': 684758, 'against bacteria and': 37339, 'and virus learn': 74977, 'virus learn the': 958456, 'learn the best': 484067, 'way to use': 970118, 'to use our': 918054, 'use our hand': 949462, 'our hand sanitizer': 623351, 'hand sanitizer han': 375428, 'sanitizer han size': 735021, 'han size spray': 374697, 'size spray e3': 772800, 'spray e3 shoot': 790289, 'e3 shoot message': 263972, 'shoot message or': 759739, 'message or contact': 529389, 'or contact your': 614805, 'contact your local': 200309, 'your local momar': 1024706, 'local momar representative': 498189, 'momar representative to': 535857, 'representative to order': 712921, 'to order yours': 911091, 'order yours today': 618810, 'yours today for': 1026485, 'today for product': 919539, 'for product info': 324772, 'product info visit': 681314, 'fci': 300784, 'fci had': 300787, 'had 77': 372809, '77 million': 22291, 'million metric': 532240, 'metric ton': 529886, 'on 1st': 599042, '1st march': 12764, '2020 how': 14368, 'been distributed': 121008, 'case increasing': 165820, 'increasing govt': 433616, 'is contemplating': 446806, 'contemplating an': 200768, 'an extension': 55991, 'lockdown with': 500162, 'state already': 795345, 'already doing': 47299, 'fci had 77': 300788, 'had 77 million': 372810, '77 million metric': 22292, 'million metric ton': 532241, 'metric ton of': 529887, 'food stock on': 316802, 'stock on 1st': 802556, 'on 1st march': 599043, '1st march 2020': 12765, 'march 2020 how': 515160, '2020 how much': 14369, 'much of it': 545192, 'of it ha': 585404, 'ha been distributed': 369787, 'been distributed to': 121009, 'distributed to the': 248062, 'people now with': 648897, '19 case increasing': 5683, 'case increasing govt': 165821, 'increasing govt is': 433617, 'govt is contemplating': 361162, 'is contemplating an': 446807, 'contemplating an extension': 200769, 'an extension of': 55992, 'of lockdown with': 585965, 'lockdown with many': 500166, 'with many state': 999391, 'many state already': 514724, 'state already doing': 795346, 'dracula': 258135, 'countdracula': 210179, 'loveatfirstbite': 504894, 'wa love': 962596, 'love at': 504610, 'first ply': 308873, 'ply little': 661770, 'little wednesday': 495646, 'wednesday humor': 975643, 'humor for': 410871, 'you toiletpaper': 1021871, 'toiletpaper dracula': 921926, 'dracula countdracula': 258136, 'countdracula satire': 210180, 'satire humor': 736942, 'humor loveatfirstbite': 410898, 'it wa love': 462145, 'wa love at': 962597, 'love at first': 504611, 'at first ply': 98657, 'first ply little': 308874, 'ply little wednesday': 661771, 'little wednesday humor': 495647, 'wednesday humor for': 975644, 'humor for you': 410872, 'for you toiletpaper': 328096, 'you toiletpaper dracula': 1021872, 'toiletpaper dracula countdracula': 921927, 'dracula countdracula satire': 258137, 'countdracula satire humor': 210181, 'satire humor loveatfirstbite': 736943, 'mktgsales': 534704, 'mckinsey study': 522203, 'study italian': 814920, 'crisis by': 217167, 'by mktgsales': 153233, 'mktgsales via': 534705, 'mckinsey study italian': 522204, 'study italian consumer': 814921, 'italian consumer sentiment': 462691, 'the crisis by': 852353, 'crisis by mktgsales': 217174, 'by mktgsales via': 153234, 'beside': 127473, 'alabama went': 40626, 'tell woman': 837142, 'in aisle': 420127, 'aisle waiting': 40424, 'distancing she': 247471, 'she say': 756321, 'stop watching': 805262, 'watching liberal': 968753, 'liberal medium': 488015, 'medium there': 527315, 'nothing going': 573022, 'on alabama': 599206, 'alabama is': 40620, 'is beside': 446135, 'beside georgia': 127474, 'georgia where': 346050, 'friend in alabama': 333647, 'in alabama went': 420138, 'alabama went to': 40627, 'grocery store he': 365456, 'store he tell': 808122, 'he tell woman': 385504, 'tell woman in': 837143, 'woman in aisle': 1003512, 'in aisle waiting': 420129, 'aisle waiting for': 40425, 'waiting for you': 964346, 'to move to': 910322, 'move to observe': 543761, 'social distancing she': 779714, 'distancing she say': 247472, 'she say you': 756327, 'say you need': 739518, 'to stop watching': 915592, 'stop watching liberal': 805263, 'watching liberal medium': 968754, 'liberal medium there': 488016, 'medium there nothing': 527317, 'there nothing going': 878871, 'nothing going on': 573023, 'going on alabama': 355297, 'on alabama is': 599207, 'alabama is beside': 40621, 'is beside georgia': 446136, 'beside georgia where': 127475, 'georgia where there': 346051, 'there are high': 878113, 'are high number': 87151, 'outlining': 629115, 'article outlining': 94424, 'outlining how': 629116, 'great article outlining': 362511, 'article outlining how': 94425, 'outlining how consumer': 629117, 'how consumer behaviour': 407592, 'behaviour and market': 124365, 'and market are': 66703, 'market are affected': 516012, 'onlineclasses': 609794, 'quarantinecats': 692790, 'totallockdown': 926288, 'assignment': 96606, 'labreports': 478559, 'annotated': 76828, 'bibliography': 129442, 'venmo': 954477, 'conquer': 194756, 'new alert': 558335, 'alert reduced': 41497, 'to onlineclasses': 910960, 'onlineclasses quarantinecats': 609797, 'quarantinecats totallockdown': 692795, 'totallockdown hire': 926290, 'hire me': 397013, 'your assignment': 1022863, 'assignment research': 96609, 'research paper': 713809, 'paper essay': 640131, 'essay labreports': 280705, 'labreports annotated': 478560, 'annotated bibliography': 76829, 'bibliography spring': 129443, 'spring class': 791185, 'class my': 180218, 'my response': 549935, 'response team': 715803, 'is 24': 445189, '24 take': 15689, 'take cashapp': 832017, 'cashapp venmo': 166389, 'venmo and': 954478, 'and paypal': 68818, 'paypal we': 645809, 'will conquer': 992989, 'new alert reduced': 558336, 'alert reduced price': 41498, 'due to onlineclasses': 261885, 'to onlineclasses quarantinecats': 910961, 'onlineclasses quarantinecats totallockdown': 609799, 'quarantinecats totallockdown hire': 692796, 'totallockdown hire me': 926291, 'hire me for': 397014, 'me for your': 522771, 'for your assignment': 328119, 'your assignment research': 1022864, 'assignment research paper': 96611, 'research paper essay': 713810, 'paper essay labreports': 640132, 'essay labreports annotated': 280706, 'labreports annotated bibliography': 478561, 'annotated bibliography spring': 76830, 'bibliography spring class': 129444, 'spring class my': 791186, 'class my response': 180219, 'my response team': 549936, 'response team is': 715806, 'team is 24': 835697, 'is 24 take': 445191, '24 take cashapp': 15690, 'take cashapp venmo': 832018, 'cashapp venmo and': 166390, 'venmo and paypal': 954480, 'and paypal we': 68819, 'paypal we will': 645810, 'we will conquer': 973843, 'touring': 926954, 'retailstong': 719542, 'grocery ceo': 364350, 'essential retailer': 281475, 'retailer that': 719354, 'open right': 612489, 'store floor': 807744, 'and touring': 74313, 'touring location': 926955, 'location if': 498915, 'you expect': 1018476, 'expect your': 290788, 'put themselves': 690895, 'there at': 878197, 'same retailstong': 733271, 'retailstong retailing': 719543, 'convenience store grocery': 202348, 'store grocery ceo': 807971, 'grocery ceo of': 364351, 'ceo of essential': 169776, 'of essential retailer': 583186, 'essential retailer that': 281480, 'retailer that are': 719356, 'that are remaining': 842805, 'remaining open right': 709974, 'open right now': 612490, 'now you should': 576518, 'be out on': 116288, 'on the store': 604387, 'the store floor': 868021, 'store floor and': 807745, 'floor and touring': 310774, 'and touring location': 74314, 'touring location if': 926956, 'location if you': 498916, 'if you expect': 415432, 'you expect your': 1018485, 'expect your employee': 290790, 'your employee to': 1023663, 'employee to put': 274331, 'to put themselves': 912619, 'put themselves out': 690900, 'themselves out there': 876869, 'out there at': 627470, 'there at this': 878199, 'this time you': 890717, 'time you do': 898404, 'you do the': 1018275, 'the same retailstong': 866291, 'same retailstong retailing': 733272, 'blacked': 132169, 'group reliant': 366856, 'order blacked': 618086, 'blacked out': 132170, 'out non': 626645, 'essential do': 280970, 'about tp': 26769, 'point please': 662591, 'buying tesco': 151141, 'tesco stophoarding': 838812, 'isolation for the': 455271, 'next 12 week': 561260, '12 week due': 2983, 'being in vulnerable': 125309, 'in vulnerable group': 430633, 'vulnerable group reliant': 960988, 'group reliant on': 366857, 'reliant on online': 709258, 'grocery order blacked': 364810, 'order blacked out': 618087, 'blacked out non': 132171, 'out non essential': 626646, 'non essential do': 566337, 'essential do not': 280971, 'care about tp': 163808, 'about tp at': 26770, 'tp at this': 927754, 'this point please': 889640, 'point please stop': 662593, 'panic buying tesco': 637922, 'buying tesco stophoarding': 151142, 'hemsworth': 391723, 'harlow': 378378, 'homedelivery': 402673, 'shop home': 760284, 'delivery new': 234201, 'new location': 559055, 'location added': 498842, 'added reading': 31600, 'reading hemsworth': 700773, 'hemsworth harlow': 391724, 'harlow check': 378379, 'your post': 1025360, 'post code': 666047, 'code below': 185340, 'below delivery': 126628, 'delivery day': 233850, 'day available': 227342, 'available next': 104504, 'over 600': 629885, '600 product': 21108, 'product available': 680990, 'including 100': 431840, 'essential homedelivery': 281132, 'homedelivery foodshopping': 402676, 'food shop home': 316481, 'shop home delivery': 760285, 'home delivery new': 401031, 'delivery new location': 234202, 'new location added': 559056, 'location added reading': 498843, 'added reading hemsworth': 31601, 'reading hemsworth harlow': 700774, 'hemsworth harlow check': 391725, 'harlow check your': 378380, 'check your post': 174736, 'your post code': 1025361, 'post code below': 666048, 'code below delivery': 185341, 'below delivery day': 126629, 'delivery day available': 233851, 'day available next': 227343, 'available next week': 104506, 'next week over': 561695, 'week over 600': 976715, 'over 600 product': 629887, '600 product available': 21109, 'product available including': 680992, 'available including 100': 104460, 'including 100 of': 431841, '100 of your': 1997, 'of your daily': 593459, 'your daily essential': 1023439, 'daily essential homedelivery': 224600, 'essential homedelivery foodshopping': 281133, 'bindu': 131066, 'mayi': 521919, 'expertise': 292036, 'store dr': 807386, 'dr bindu': 257966, 'bindu mayi': 131067, 'mayi offer': 521920, 'offer up': 594865, 'up her': 945069, 'her expertise': 392024, 'you do when': 1018279, 'do when you': 250530, 'grocery store dr': 365346, 'store dr bindu': 807387, 'dr bindu mayi': 257967, 'bindu mayi offer': 131068, 'mayi offer up': 521921, 'offer up her': 594866, 'up her expertise': 945070, 'confidence ha': 193875, 'plummeted to': 661355, 'seen during': 747004, '2008 2009': 13637, '2009 recession': 13716, 'recession the': 704377, 'pandemic unfolds': 636864, 'unfolds and': 941532, 'and force': 63169, 'force britain': 328346, 'britain into': 140412, 'consumer confidence ha': 196901, 'confidence ha plummeted': 193879, 'ha plummeted to': 371511, 'plummeted to level': 661356, 'to level not': 909229, 'not seen during': 571507, 'seen during the': 747005, 'during the 2008': 263081, 'the 2008 2009': 847990, '2008 2009 recession': 13639, '2009 recession the': 13717, 'recession the covid': 704379, '19 pandemic unfolds': 9510, 'pandemic unfolds and': 636865, 'unfolds and force': 941533, 'and force britain': 63170, 'force britain into': 328347, 'britain into lockdown': 140413, 'our guide': 623322, 'guide on': 368339, 'money option': 536950, 'option during': 614018, 'outbreak inc': 628352, 'inc new': 431294, 'new benefit': 558394, 'benefit info': 127016, 'we have updated': 971978, 'have updated our': 383474, 'updated our guide': 947415, 'our guide on': 623324, 'guide on your': 368344, 'on your money': 605481, 'your money option': 1024867, 'money option during': 536951, 'option during the': 614020, 'the outbreak inc': 862648, 'outbreak inc new': 628353, 'inc new benefit': 431295, 'new benefit info': 558395, 'benefit info and': 127017, 'info and update': 437418, 'and update on': 74736, 'update on online': 947127, 'online shopping option': 609210, 'takitaki': 833679, 'being urged': 126011, 'urged not': 948263, 'panic after': 637269, 'worker wa': 1008107, 'wa tested': 963423, '19 takitaki': 11032, 'kaikohe local are': 470664, 'local are being': 497687, 'are being urged': 84938, 'being urged not': 126012, 'urged not to': 948264, 'to panic after': 911381, 'panic after supermarket': 637270, 'supermarket worker wa': 824112, 'worker wa tested': 1008111, 'wa tested positive': 963425, 'covid 19 takitaki': 213908, 'ontario food': 611593, 'bank who': 110304, 'to with': 918639, 'box find': 137059, 'already given': 47373, 'given we': 351205, 'we have plan': 971898, 'to help ontario': 907576, 'help ontario food': 390193, 'ontario food bank': 611594, 'food bank who': 313671, 'bank who ve': 110307, 'who ve been': 989877, 'been working tirelessly': 122402, 'tirelessly to meet': 899091, 'meet the surge': 527614, 'due to with': 262030, 'to with our': 918643, 'with our new': 1000007, 'our new emergency': 624029, 'new emergency food': 558672, 'emergency food box': 272702, 'food box find': 313776, 'box find out': 137060, 'can help to': 158667, 'help to those': 390797, 'who have already': 988907, 'have already given': 379189, 'already given we': 47375, 'given we are': 351206, 'are so grateful': 90201, 'so grateful for': 777201, 'scared but': 740949, 'but italy': 146185, 'italy manages': 462871, 'keep store': 471976, 'store supplied': 810466, 'supplied we': 824474, 'the collection': 851151, 'collection baby': 186413, 'is stocked': 452335, 'and distributed': 61513, 'distributed by': 248040, 'bank perhaps': 110093, 'perhaps by': 651576, 'pharmacy that': 654497, 'that know': 844831, 'know local': 476577, 'local family': 497933, 'family crazy': 297731, 'crazy panic': 215381, 'are scared but': 89848, 'scared but italy': 740950, 'but italy manages': 146186, 'italy manages to': 462872, 'manages to keep': 512844, 'to keep store': 908856, 'keep store supplied': 471980, 'store supplied we': 810468, 'supplied we must': 824475, 'we must stop': 972442, 'must stop the': 546926, 'stop the collection': 805127, 'the collection baby': 851152, 'collection baby food': 186414, 'baby food is': 106606, 'food is stocked': 315155, 'is stocked and': 452336, 'stocked and distributed': 803260, 'and distributed by': 61516, 'distributed by food': 248041, 'by food bank': 152613, 'food bank perhaps': 313614, 'bank perhaps by': 110094, 'perhaps by local': 651577, 'by local pharmacy': 153079, 'local pharmacy that': 498276, 'pharmacy that know': 654500, 'that know local': 844832, 'know local family': 476578, 'local family crazy': 497935, 'family crazy panic': 297732, 'crazy panic buying': 215382, 'product cleared': 681063, 'supermarket re': 822164, 're sold': 699543, 'price supermarket': 676703, 'ebay need': 266473, 'end all': 275761, 'all listing': 43392, 'listing for': 494846, 'item or': 463529, 'continue asda': 201002, 'asda tesco': 94985, 'tesco nh': 838754, 'nh boris': 561903, 'cleaning product cleared': 181026, 'product cleared out': 681064, 'cleared out of': 181429, 'out of uk': 626868, 'uk supermarket re': 938772, 'supermarket re sold': 822165, 're sold at': 699544, 'sold at inflated': 781637, 'inflated price supermarket': 437070, 'price supermarket and': 676704, 'supermarket and ebay': 818968, 'and ebay need': 61888, 'ebay need to': 266474, 'need to end': 555918, 'to end all': 905071, 'end all listing': 275763, 'all listing for': 43393, 'listing for item': 494847, 'for item or': 322756, 'item or will': 463539, 'or will continue': 617807, 'will continue asda': 993010, 'continue asda tesco': 201003, 'asda tesco nh': 94987, 'tesco nh boris': 838755, 'chronically': 178241, 'honored': 403275, 'time chronically': 896478, 'chronically ill': 178242, 'given voice': 351203, 'voice worldwide': 960010, 'are honored': 87228, 'honored superheroes': 403278, 'superheroes and': 818670, 'small child': 774914, 'child can': 176030, 'world simply': 1009979, 'simply by': 770190, 'washing their': 967730, 'hand wow': 376025, 'first time chronically': 309094, 'time chronically ill': 896479, 'chronically ill people': 178247, 'ill people are': 416162, 'people are given': 646988, 'are given voice': 86850, 'given voice worldwide': 351204, 'voice worldwide food': 960011, 'worldwide food service': 1010351, 'food service grocery': 316417, 'employee are honored': 273618, 'are honored superheroes': 87229, 'honored superheroes and': 403279, 'superheroes and small': 818671, 'and small child': 71775, 'small child can': 774915, 'child can help': 176031, 'help save the': 390485, 'save the world': 737671, 'the world simply': 871966, 'world simply by': 1009980, 'simply by washing': 770192, 'by washing their': 154695, 'washing their hand': 967731, 'their hand wow': 873490, 'line so': 493409, 'staying ft': 798593, 'ft away': 339327, 'store before it': 806699, 'it opened and': 460127, 'opened and people': 612706, 'and people were': 68890, 'in line so': 424772, 'line so much': 493410, 'much for staying': 544924, 'for staying ft': 325887, 'staying ft away': 798594, 'ft away from': 339329, 'sule': 817844, 'chsl': 178267, 'sule news': 817845, 'news food': 560415, 'of veggie': 592770, 'veggie to': 954219, 'to kirana': 908958, 'store veggie': 811051, 'vendor in': 954382, 'in versova': 430560, 'versova village': 954934, 'village are': 957331, 'basic household': 111930, 'item rose': 463625, 'rose chsl': 726060, 'chsl versova': 178268, 'sule news food': 817846, 'news food supply': 560417, 'food supply of': 316974, 'supply of veggie': 825656, 'of veggie to': 592771, 'veggie to kirana': 954220, 'to kirana store': 908959, 'kirana store veggie': 475409, 'store veggie vendor': 811052, 'veggie vendor in': 954223, 'vendor in versova': 954383, 'in versova village': 430561, 'versova village are': 954935, 'village are totally': 957333, 'are totally out': 91157, 'of stock we': 590208, 'stock we are': 803156, 'get basic household': 346647, 'basic household item': 111931, 'household item rose': 406869, 'item rose chsl': 463626, 'rose chsl versova': 726061, 've launched': 953320, 'launched covid': 481979, 'with lot': 999318, 'money saving': 537007, 'saving tip': 737974, 'to relevant': 913140, 'relevant financial': 709156, 'we ve launched': 973683, 've launched covid': 953322, 'launched covid 19': 481980, 'information page with': 437945, 'page with lot': 633921, 'with lot of': 999320, 'of money saving': 586616, 'money saving tip': 537009, 'saving tip and': 737975, 'tip and link': 898705, 'link to relevant': 493942, 'to relevant financial': 913141, 'relevant financial information': 709157, 'interlocutor': 441700, 'nicole': 562613, 'newborn': 560022, 'describes': 237959, 'mie': 530841, 'our interlocutor': 623575, 'interlocutor nicole': 441701, 'nicole who': 562618, 'ha toddler': 372329, 'toddler and': 920612, 'and newborn': 67566, 'newborn struggle': 560027, 'contain her': 200476, 'her emotion': 392012, 'emotion when': 273267, 'when she': 983992, 'she describes': 755977, 'describes to': 237968, 'to mie': 910122, 'mie the': 530844, 'the difficulty': 853275, 'difficulty she': 242405, 'ha finding': 370625, 'finding food': 307469, 'of panicked': 587746, 'our interlocutor nicole': 623576, 'interlocutor nicole who': 441702, 'nicole who ha': 562619, 'who ha toddler': 988871, 'ha toddler and': 372330, 'toddler and newborn': 920613, 'and newborn struggle': 67567, 'newborn struggle to': 560028, 'struggle to contain': 814384, 'to contain her': 903364, 'contain her emotion': 200477, 'her emotion when': 392013, 'emotion when she': 273268, 'when she describes': 983995, 'she describes to': 755978, 'describes to mie': 237969, 'to mie the': 910123, 'mie the difficulty': 530845, 'the difficulty she': 853277, 'difficulty she ha': 242406, 'she ha finding': 756075, 'ha finding food': 370626, 'finding food because': 307470, 'because of panicked': 119388, 'of panicked shopper': 587747, 'hiatus': 394784, 'the canada': 850315, 'canada through': 160584, 'through april': 894333, 'april 3rd': 83501, '3rd due': 18425, 'concern they': 193122, 'll continue': 496686, 'continue paying': 201095, 'paying regular': 645470, 'regular wage': 707894, 'wage benefit': 963827, 'to employee': 905019, 'employee online': 274079, 'open shipping': 612495, 'shipping fee': 758848, 'fee return': 302219, 'policy will': 663541, 'be adjusted': 113492, 'adjusted around': 32317, 'around this': 93583, 'this hiatus': 887918, 'close all store': 182508, 'all store across': 44486, 'across the canada': 29485, 'the canada through': 850318, 'canada through april': 160585, 'through april 3rd': 894336, 'april 3rd due': 83502, '3rd due to': 18426, 'to concern they': 903172, 'concern they ll': 193123, 'they ll continue': 882590, 'll continue paying': 496687, 'continue paying regular': 201098, 'paying regular wage': 645471, 'regular wage benefit': 707895, 'wage benefit to': 963828, 'benefit to employee': 127115, 'to employee online': 905023, 'employee online shopping': 274080, 'remain open shipping': 709821, 'open shipping fee': 612496, 'shipping fee return': 758849, 'fee return policy': 302220, 'return policy will': 719887, 'policy will be': 663542, 'will be adjusted': 992344, 'be adjusted around': 113494, 'adjusted around this': 32318, 'around this hiatus': 93584, 'googletranslate': 358214, 'digestive': 242460, 'toiletpaper knew': 922168, 'knew since': 476070, 'january that': 464677, 'would need': 1012046, 'prepared tweet': 670262, 'tweet from': 936364, 'from chinese': 334875, 'chinese people': 177316, 'people used': 650072, 'used googletranslate': 949926, 'googletranslate to': 358215, 'them sometimes': 876308, 'sometimes mentioned': 785221, 'mentioned digestive': 528822, 'digestive issue': 242461, 'issue going': 455768, 'with infected': 998993, 'people 19': 646721, 'toiletpaper knew since': 922169, 'knew since january': 476071, 'since january that': 770679, 'january that you': 464679, 'that you would': 847755, 'you would need': 1022454, 'would need to': 1012052, 'be prepared tweet': 116522, 'prepared tweet from': 670263, 'tweet from chinese': 936365, 'from chinese people': 334877, 'chinese people used': 177318, 'people used googletranslate': 650073, 'used googletranslate to': 949927, 'googletranslate to read': 358216, 'to read them': 912842, 'read them sometimes': 700598, 'them sometimes mentioned': 876309, 'sometimes mentioned digestive': 785222, 'mentioned digestive issue': 528823, 'digestive issue going': 242462, 'issue going on': 455769, 'on with infected': 605343, 'with infected people': 998994, 'infected people 19': 436613, 'grotesque': 366467, 'disgustingly': 245488, 'egregious': 270085, 'representation': 712884, 'hoarding grotesque': 399344, 'grotesque amount': 366468, 'of vital': 592846, 'mass at': 519743, 'at disgustingly': 98452, 'disgustingly inflated': 245489, 'for egregious': 320976, 'egregious profit': 270090, 'profit isn': 682789, 'perfect representation': 651333, 'representation of': 712887, 'capitalism do': 162738, 'if people buying': 414610, 'buying out and': 150850, 'out and hoarding': 625669, 'and hoarding grotesque': 64657, 'hoarding grotesque amount': 399345, 'grotesque amount of': 366469, 'amount of vital': 53267, 'of vital supply': 592848, 'vital supply in': 959729, 'supply in order': 825405, 'order to resell': 618702, 'to the mass': 916869, 'the mass at': 860240, 'mass at disgustingly': 519744, 'at disgustingly inflated': 98453, 'disgustingly inflated price': 245490, 'price for egregious': 673956, 'for egregious profit': 320977, 'egregious profit isn': 270091, 'profit isn the': 682790, 'isn the perfect': 454713, 'the perfect representation': 863544, 'perfect representation of': 651334, 'representation of capitalism': 712888, 'of capitalism do': 581120, 'capitalism do not': 162739, 'inequity': 436357, 'kirkham': 475421, 'crisis drive': 217314, 'drive inequity': 259076, 'inequity home': 436358, 'home cf': 400887, 'cf kirkham': 170284, 'the crisis drive': 852368, 'crisis drive inequity': 217317, 'drive inequity home': 259077, 'inequity home cf': 436359, 'home cf kirkham': 400888, 'bongkhao': 134310, 'duda': 261571, 'lakh': 479092, 'tobu': 919106, 'shri bongkhao': 767671, 'bongkhao advisor': 134311, 'advisor duda': 33729, 'duda on': 261572, 'monday donated': 536271, 'donated general': 254341, 'general medicine': 345406, 'medicine hand': 526798, 'and sum': 72678, 'sum of': 817874, '00 two': 569, 'two lakh': 937001, 'lakh towards': 479121, 'community of': 190009, 'of tobu': 592227, 'tobu area': 919107, 'shri bongkhao advisor': 767672, 'bongkhao advisor duda': 134312, 'advisor duda on': 33730, 'duda on monday': 261573, 'on monday donated': 602163, 'monday donated general': 536272, 'donated general medicine': 254342, 'general medicine hand': 345407, 'medicine hand sanitizer': 526799, 'mask and sum': 518375, 'and sum of': 72679, 'sum of 00': 817875, 'of 00 00': 579292, '00 00 two': 11, '00 two lakh': 570, 'two lakh towards': 937002, 'lakh towards the': 479122, 'the community of': 851288, 'community of tobu': 190011, 'of tobu area': 592228, 'downloads': 257651, 'surpassing': 828469, 'ha sent': 371852, 'sent walmart': 750852, 'grocery app': 364272, 'record downloads': 704947, 'downloads surpassing': 257671, 'surpassing amazon': 828470, 'amazon by': 50889, '20 demand': 13030, 'downloads sur': 257670, 'grocery shopping amid': 364994, 'pandemic ha sent': 635566, 'ha sent walmart': 371859, 'sent walmart grocery': 750853, 'walmart grocery app': 965335, 'grocery app to': 364274, 'app to record': 81778, 'to record downloads': 912978, 'record downloads surpassing': 704950, 'downloads surpassing amazon': 257672, 'surpassing amazon by': 828471, 'amazon by 20': 50890, 'by 20 demand': 151568, '20 demand for': 13031, 'record downloads sur': 704949, 'malawi': 511569, 'mutharika': 547068, 'malawi president': 511580, 'president peter': 670882, 'peter mutharika': 653527, 'mutharika order': 547069, 'order reduction': 618534, 'following growing': 312742, 'recent hike': 703910, 'in transport': 430268, 'transport fare': 929884, 'malawi president peter': 511581, 'president peter mutharika': 670884, 'peter mutharika order': 653528, 'mutharika order reduction': 547070, 'order reduction of': 618535, 'reduction of fuel': 706389, 'fuel price following': 340232, 'price following growing': 673908, 'following growing concern': 312743, 'concern over recent': 193051, 'over recent hike': 630564, 'recent hike in': 703911, 'hike in transport': 396226, 'in transport fare': 430269, 'andhra': 76150, 'lockdown paddy': 499755, 'paddy price': 633799, 'drop with': 260452, 'with closure': 997674, 'of inter': 585244, 'inter state': 441190, 'state border': 795428, 'border in': 135253, 'in andhra': 420399, 'andhra pradesh': 76151, 'pradesh via': 668813, '19 lockdown paddy': 8412, 'lockdown paddy price': 499756, 'paddy price drop': 633800, 'price drop with': 673585, 'drop with closure': 260453, 'with closure of': 997675, 'closure of inter': 183967, 'of inter state': 585245, 'inter state border': 441191, 'state border in': 795431, 'border in andhra': 135254, 'in andhra pradesh': 420400, 'andhra pradesh via': 76152, 'reverse': 720519, 'world equity': 1009518, 'likely pricing': 492083, '30 drop': 17031, 'in earnings': 422455, 'earnings per': 264922, 'per share': 651008, 'the 58': 848154, '58 collapse': 20527, 'collapse seen': 186053, 'crisis strategist': 218102, 'strategist say': 812583, 'say however': 738777, 'speed of': 788452, 'this decline': 887190, 'decline is': 231372, 'is unprecedented': 453538, 'unprecedented may': 943158, 'not reverse': 571371, 'reverse until': 720527, 'until peak': 943808, 'world equity market': 1009519, 'equity market are': 279955, 'market are likely': 516025, 'are likely pricing': 87804, 'likely pricing in': 492084, 'pricing in 30': 677936, 'in 30 drop': 419907, '30 drop in': 17032, 'drop in earnings': 260239, 'in earnings per': 422457, 'earnings per share': 264923, 'per share but': 651009, 'share but not': 754953, 'not the 58': 571980, 'the 58 collapse': 848156, '58 collapse seen': 20528, 'collapse seen in': 186054, 'in the financial': 429201, 'the financial crisis': 855211, 'financial crisis strategist': 306382, 'crisis strategist say': 218103, 'strategist say however': 812584, 'say however the': 738778, 'however the speed': 409483, 'the speed of': 867561, 'speed of this': 788454, 'of this decline': 591962, 'this decline is': 887191, 'decline is unprecedented': 231375, 'is unprecedented may': 453542, 'unprecedented may not': 943159, 'may not reverse': 521387, 'not reverse until': 571372, 'reverse until peak': 720528, 'until peak in': 943809, 'visuals': 959656, 'pict': 656096, 'waiting on': 964362, 'more visuals': 540921, 'visuals wa': 959661, 'wa hoping': 962330, 'long version': 501805, 'version too': 954927, 'too this': 925124, 'online challenge': 608000, 'challenge on': 171520, 'on also': 599264, 'also waiting': 49073, 'ask me': 95579, 'toiletpaper had': 922046, 'clarify that': 180083, 'home pict': 401859, 'waiting on more': 964366, 'on more visuals': 602217, 'more visuals wa': 540922, 'visuals wa hoping': 959662, 'wa hoping for': 962331, 'hoping for the': 403928, 'the long version': 859685, 'long version too': 501806, 'version too this': 954928, 'too this is': 925125, 'is the online': 452877, 'the online challenge': 862266, 'online challenge on': 608001, 'challenge on also': 171521, 'on also waiting': 599265, 'also waiting for': 49074, 'waiting for parent': 964329, 'for parent to': 324392, 'parent to ask': 641749, 'to ask me': 900758, 'ask me for': 95581, 'me for toiletpaper': 522767, 'for toiletpaper had': 327256, 'toiletpaper had to': 922047, 'had to clarify': 373677, 'to clarify that': 902799, 'clarify that it': 180084, 'that it not': 844729, 'it not my': 459898, 'not my home': 570620, 'my home pict': 548694, 'tinto': 898644, 'crisis lower': 217684, 'price dollar': 673483, 'dollar help': 253003, 'help rio': 390467, 'rio tinto': 722589, 'tinto meet': 898645, 'meet cost': 527445, 'of workplace': 593307, 'workplace change': 1009190, 'curb spread': 220575, 'coronavirus crisis lower': 205757, 'crisis lower oil': 217686, 'oil price dollar': 597107, 'price dollar help': 673484, 'dollar help rio': 253004, 'help rio tinto': 390468, 'rio tinto meet': 722590, 'tinto meet cost': 898646, 'meet cost of': 527446, 'cost of workplace': 208067, 'of workplace change': 593308, 'workplace change to': 1009191, 'change to curb': 172344, 'to curb spread': 903804, 'curb spread of': 220576, 'kaplan': 470847, 'federalreserve': 302092, 'dallas fed': 225125, 'fed kaplan': 301843, 'kaplan asks': 470848, 'asks how': 96146, 'will behave': 992814, 'behave the': 123792, 'crisis subsides': 218109, 'subsides federalreserve': 815957, 'federalreserve economy': 302093, 'economy via': 268318, 'dallas fed kaplan': 225127, 'fed kaplan asks': 301844, 'kaplan asks how': 470849, 'asks how consumer': 96147, 'business will behave': 144678, 'will behave the': 992816, 'behave the crisis': 123793, 'the crisis subsides': 852453, 'crisis subsides federalreserve': 218110, 'subsides federalreserve economy': 815958, 'federalreserve economy via': 302094, 'richest': 721336, 'amazon 800': 50827, '800 00': 22650, 'safety we': 730778, 'should ask': 765524, 'ask jeff': 95571, 'jeff bezos': 464999, 'bezos the': 129287, 'the richest': 865788, 'richest man': 721344, 'world if': 1009646, 'he can': 384809, 'guarantee paid': 367713, 'leave hazard': 484810, 'safety condition': 730506, 'condition for': 193452, 'majority of amazon': 509548, 'of amazon 800': 580026, 'amazon 800 00': 50828, '800 00 worker': 22653, '00 worker work': 613, 'worker work in': 1008283, 'work in warehouse': 1005356, 'warehouse and worry': 966689, 'worry about their': 1010657, 'about their safety': 26593, 'their safety we': 874618, 'safety we should': 730779, 'we should ask': 973257, 'should ask jeff': 765525, 'ask jeff bezos': 95572, 'jeff bezos the': 465004, 'bezos the richest': 129288, 'the richest man': 865792, 'richest man in': 721347, 'man in the': 512118, 'the world if': 871890, 'world if he': 1009647, 'if he can': 414209, 'he can afford': 384810, 'afford to guarantee': 34797, 'to guarantee paid': 907056, 'guarantee paid sick': 367714, 'sick leave hazard': 768495, 'leave hazard pay': 484811, 'hazard pay and': 384558, 'pay and safety': 644739, 'and safety condition': 70742, 'safety condition for': 730507, 'condition for all': 193453, 'for all his': 319132, 'all his worker': 43127, 'emarketer here': 272400, 'changed because': 172441, 'emarketer here how': 272401, 'ha changed because': 370118, 'changed because of': 172442, 'manpower': 513329, 'hema': 391673, 'china alibaba': 176455, 'alibaba introduced': 41716, 'introduced resource': 443445, 'resource leasing': 714828, 'leasing model': 484315, 'share manpower': 755090, 'manpower for': 513332, 'chain hema': 170777, 'hema to': 391676, 'facilitate massive': 295268, 'massive increase': 520042, 'epidemic part': 279427, 'blog series': 133009, 'china alibaba introduced': 176456, 'alibaba introduced resource': 41717, 'introduced resource leasing': 443446, 'resource leasing model': 714829, 'leasing model to': 484316, 'model to share': 535324, 'to share manpower': 914352, 'share manpower for': 755091, 'manpower for it': 513333, 'for it grocery': 322708, 'it grocery chain': 458352, 'grocery chain hema': 364364, 'chain hema to': 170778, 'hema to facilitate': 391677, 'to facilitate massive': 905592, 'facilitate massive increase': 295269, 'massive increase in': 520043, 'in demand during': 422121, '19 epidemic part': 6811, 'epidemic part of': 279428, 'part of new': 642365, 'of new blog': 586955, 'new blog series': 558408, 'theoldman': 877827, 'destined': 238992, 'pandemic washyourhands': 636923, 'washyourhands okay': 967889, 'my psa': 549862, 'psa had': 687405, 'for theoldman': 326951, 'theoldman today': 877828, 'grab grocery': 361493, 'him ten': 396720, 'ten thing': 837807, 'thing long': 884563, 'and while': 75564, 'while really': 987203, 'get along': 346528, 'him sometimes': 396715, 'sometimes and': 785184, 'likely destined': 491985, 'destined to': 238996, 'pandemic washyourhands okay': 636924, 'washyourhands okay so': 967890, 'okay so here': 598003, 'so here my': 777299, 'here my psa': 393367, 'my psa had': 549863, 'psa had to': 687406, 'store for theoldman': 807846, 'for theoldman today': 326952, 'theoldman today to': 877829, 'to grab grocery': 906964, 'grab grocery list': 361494, 'grocery list for': 364699, 'list for him': 494326, 'for him ten': 322287, 'him ten thing': 396721, 'ten thing long': 837808, 'thing long and': 884564, 'long and while': 501333, 'and while really': 75570, 'while really don': 987204, 'really don get': 702140, 'don get along': 253536, 'get along with': 346529, 'along with him': 47056, 'with him sometimes': 998826, 'him sometimes and': 396716, 'sometimes and think': 785185, 'and think that': 73970, 'think that one': 885603, 'one of is': 606747, 'of is likely': 585321, 'is likely destined': 449346, 'likely destined to': 491986, 'destined to kill': 238997, 'letsgetafterit': 487264, 'cuomoprimetime': 220436, 'amc': 51354, 'syfy': 830744, 'logo': 500819, 'lockdown letsgetafterit': 499592, 'letsgetafterit cuomoprimetime': 487265, 'cuomoprimetime cnn': 220437, 'cnn nbc': 184765, 'nbc shutdown': 553239, 'shutdown toiletpaper': 768115, 'toiletpaperapocalypse amc': 922897, 'amc syfy': 51355, 'syfy 19': 830745, 'nation new': 552264, 'new logo': 559061, 'logo think': 500838, 'lockdown letsgetafterit cuomoprimetime': 499593, 'letsgetafterit cuomoprimetime cnn': 487266, 'cuomoprimetime cnn nbc': 220438, 'cnn nbc shutdown': 184767, 'nbc shutdown toiletpaper': 553240, 'shutdown toiletpaper toiletpaperapocalypse': 768117, 'toiletpaper toiletpaperapocalypse amc': 922633, 'toiletpaperapocalypse amc syfy': 922898, 'amc syfy 19': 51356, 'syfy 19 our': 830746, '19 our nation': 9055, 'our nation new': 623983, 'nation new logo': 552265, 'new logo think': 559063, 'logo think that': 500839, 'think that say': 885607, 'that say it': 846137, 'say it all': 738831, 'last on': 480417, 'various item': 952610, 'supermarket eg': 820097, 'eg fruit': 269709, 'vegetable package': 954064, 'package also': 633206, 'the newspaper': 861637, 'newspaper that': 561102, 'that delivered': 843483, 'long doe covid': 501402, '19 last on': 8273, 'last on the': 480420, 'on the various': 604424, 'the various item': 870648, 'various item from': 952611, 'the supermarket eg': 868568, 'supermarket eg fruit': 820098, 'eg fruit vegetable': 269710, 'fruit vegetable package': 339186, 'vegetable package also': 954065, 'package also the': 633207, 'also the newspaper': 48982, 'the newspaper that': 861638, 'newspaper that delivered': 561103, 'scared trump': 741033, 're terrible': 699675, 'terrible reporter': 838424, 'reporter that': 712636, 'what say': 982123, 'say unreal': 739423, 'do you say': 250674, 'you say to': 1021005, 'say to american': 739384, 'to american who': 900422, 'american who are': 52302, 'who are scared': 988211, 'are scared trump': 89856, 'scared trump say': 741034, 'say that you': 739261, 'that you re': 847740, 'you re terrible': 1020772, 're terrible reporter': 699676, 'terrible reporter that': 838425, 'reporter that what': 712637, 'that what say': 847466, 'what say unreal': 982124, 'crisis last': 217641, 'last my': 480356, 'ha hour': 370889, 'from 00': 334148, '00 exclusively': 192, 'senior over': 750380, 'old came': 598172, '09 45': 1149, '45 and': 19067, 'didn challenge': 241007, 'challenge me': 171503, 'me now': 523235, 'now really': 575647, 'feel old': 302799, 'old reading': 598442, 'reading writing': 700827, 'the crisis last': 852399, 'crisis last my': 217643, 'last my local': 480357, 'supermarket ha hour': 820630, 'ha hour from': 370890, 'hour from 00': 405630, 'from 00 to': 334151, '00 to 10': 534, 'to 10 00': 899419, '10 00 exclusively': 1196, '00 exclusively for': 193, 'exclusively for senior': 289721, 'for senior over': 325472, 'senior over 60': 750381, 'over 60 year': 629884, 'year old came': 1014815, 'old came in': 598173, 'came in at': 157014, 'in at 09': 420547, 'at 09 45': 97393, '09 45 and': 1150, '45 and they': 19068, 'and they didn': 73901, 'they didn challenge': 881926, 'didn challenge me': 241008, 'challenge me now': 171504, 'me now really': 523238, 'now really feel': 575648, 'really feel old': 702196, 'feel old reading': 302800, 'old reading writing': 598443, 'su': 815658, 'su student': 815665, 'student this': 814787, 'who serve': 989595, 'food every': 314416, 'su student this': 815666, 'student this is': 814788, 'is what happens': 453879, 'people who serve': 650339, 'who serve you': 989598, 'serve you food': 751972, 'you food every': 1018613, 'food every day': 314417, 'spending dropped': 788789, 'dropped 15': 260503, '15 yoy': 3880, 'yoy in': 1026956, 'nyc from': 577989, '19 25': 4738, '25 hobby': 15883, 'hobby and': 399764, 'and toy': 74329, 'toy sale': 927695, 'up 39': 944166, '39 while': 18181, 'while travel': 987475, 'travel spending': 930514, 'dropped 76': 260520, '76 see': 22246, 'weekly update': 977588, 'city industry': 179209, 'business most': 144068, 'most impacted': 542389, 'consumer spending dropped': 199055, 'spending dropped 15': 788790, 'dropped 15 yoy': 260504, '15 yoy in': 3881, 'yoy in nyc': 1026958, 'in nyc from': 426020, 'nyc from march': 577990, 'from march 19': 336346, 'march 19 25': 515113, '19 25 hobby': 4739, '25 hobby and': 15884, 'hobby and toy': 399765, 'and toy sale': 74330, 'toy sale up': 927696, 'sale up 39': 732620, 'up 39 while': 944167, '39 while travel': 18182, 'while travel spending': 987476, 'travel spending dropped': 930515, 'spending dropped 76': 788791, 'dropped 76 see': 260521, '76 see our': 22247, 'see our weekly': 745535, 'our weekly update': 625369, 'weekly update on': 977589, 'on the city': 604026, 'the city industry': 850942, 'city industry and': 179210, 'industry and business': 435630, 'and business most': 59291, 'business most impacted': 144069, 'most impacted by': 542390, 'staygreetingstayathome': 797884, 'teacher nurse': 835487, 'and shelf': 71442, 'shelf stocker': 757594, 'stocker nursing': 803512, 'on duty': 600446, 'duty performing': 263605, 'performing critical': 651495, 'critical work': 218723, 'are amazing': 84511, 'amazing and': 50639, 'great deal': 362612, 'deal staygreetingstayathome': 229489, 'out to teacher': 627688, 'to teacher nurse': 916315, 'teacher nurse doctor': 835489, 'nurse doctor grocery': 577295, 'staff and shelf': 792160, 'and shelf stocker': 71451, 'shelf stocker nursing': 757595, 'stocker nursing home': 803513, 'nursing home staff': 577619, 'home staff and': 402112, 'staff and anyone': 792123, 'and anyone on': 58228, 'anyone on duty': 80443, 'on duty performing': 600447, 'duty performing critical': 263606, 'performing critical work': 651496, 'critical work during': 218725, 'work during these': 1005072, 'difficult time you': 242323, 'time you all': 898399, 'all are amazing': 42037, 'are amazing and': 84512, 'amazing and we': 50645, 'and we thank': 75328, 'you for great': 1018640, 'for great deal': 322002, 'great deal staygreetingstayathome': 362615, 'sanitizer there': 735876, 'another golden': 77634, 'golden commodity': 356045, 'commodity fast': 189177, 'fast disappearing': 299944, 'crisis firearm': 217373, 'store around the': 806542, 'around the nation': 93546, 'the nation are': 861219, 'nation are struggling': 552128, 'for food toilet': 321645, 'hand sanitizer there': 375619, 'sanitizer there is': 735877, 'there is another': 878524, 'is another golden': 445736, 'another golden commodity': 77635, 'golden commodity fast': 356046, 'commodity fast disappearing': 189178, 'fast disappearing from': 299945, 'disappearing from the': 244081, 'the shelf amid': 866822, 'shelf amid the': 756709, 'the crisis firearm': 852377, 'sdw': 743040, 'stagedancewearuk': 793232, 'stagedancewearonline': 793229, 'keepdancing': 472330, 'swipe our': 830428, 'our popular': 624394, 'popular online': 664577, 'online product': 608808, 'product take': 681677, 'look through': 502621, 'through and': 894324, 'maybe treat': 521864, 'treat yourself': 930927, 'your dancer': 1023459, 'dancer price': 225593, 'online include': 608408, 'include delivery': 431549, 'delivery sdw': 234411, 'sdw stagedancewearuk': 743041, 'stagedancewearuk stagedancewearonline': 793233, 'stagedancewearonline socialdistancing': 793230, 'socialdistancing keepdancing': 780485, 'swipe our popular': 830429, 'our popular online': 624395, 'popular online product': 664578, 'online product take': 608810, 'product take look': 681678, 'take look through': 832297, 'look through and': 502622, 'through and maybe': 894326, 'and maybe treat': 66823, 'maybe treat yourself': 521865, 'treat yourself or': 930928, 'yourself or your': 1026673, 'or your dancer': 617879, 'your dancer price': 1023460, 'dancer price online': 225594, 'price online include': 675749, 'online include delivery': 608409, 'include delivery sdw': 431551, 'delivery sdw stagedancewearuk': 234412, 'sdw stagedancewearuk stagedancewearonline': 743042, 'stagedancewearuk stagedancewearonline socialdistancing': 793234, 'stagedancewearonline socialdistancing keepdancing': 793231, 'closed through': 183389, 'march we': 515517, 'fulfill and': 340399, 'and ship': 71469, 'out order': 626960, 'placed online': 657907, 'pickup will': 656049, 'to regular': 913110, 'regular hour': 707791, 'be closed through': 114134, 'closed through the': 183391, 'of march we': 586217, 'march we are': 515518, 'doing this to': 252773, 'this to keep': 890740, 'keep our staff': 471752, 'customer safe during': 222785, 'crisis we will': 218357, 'continue to fulfill': 201200, 'to fulfill and': 906301, 'fulfill and ship': 340400, 'and ship out': 71471, 'ship out order': 758709, 'out order placed': 626961, 'order placed online': 618516, 'placed online pickup': 657908, 'online pickup will': 608759, 'pickup will not': 656050, 'not be available': 568358, 'be available until': 113765, 'available until we': 104678, 'until we return': 943928, 'return to regular': 719928, 'to regular hour': 913111, 'gorman': 358331, 'creatively': 216195, 'our account': 622017, 'account planner': 28745, 'planner marie': 658500, 'marie gorman': 515704, 'gorman share': 358332, 'share about': 754906, 'some sharp': 783837, 'sharp brand': 755667, 'are creatively': 85623, 'creatively pivoting': 216198, 'better meet': 128365, 'in com': 421574, 'com and': 186917, 'here marketing': 393336, 'our account planner': 622018, 'account planner marie': 28746, 'planner marie gorman': 658501, 'marie gorman share': 515705, 'gorman share about': 358333, 'share about how': 754907, 'about how some': 25473, 'how some sharp': 408720, 'some sharp brand': 783838, 'sharp brand are': 755668, 'brand are creatively': 137741, 'are creatively pivoting': 85624, 'creatively pivoting to': 216199, 'pivoting to better': 657132, 'to better meet': 901785, 'better meet consumer': 128366, 'consumer need during': 198190, 'crisis read it': 217942, 'read it in': 700385, 'it in com': 458728, 'in com and': 421575, 'com and here': 186919, 'and here marketing': 64532, 'to hawaii': 907346, 'hawaii have': 384450, 'dropped but': 260545, 'asking tourist': 96100, 'tourist to': 927042, 'postpone trip': 666789, 'trip for': 932070, 'for 30': 318799, 'ticket price to': 895658, 'price to hawaii': 676998, 'to hawaii have': 907347, 'hawaii have dropped': 384451, 'have dropped but': 380377, 'dropped but is': 260546, 'but is asking': 146071, 'is asking tourist': 445835, 'asking tourist to': 96101, 'tourist to postpone': 927045, 'to postpone trip': 911929, 'postpone trip for': 666790, 'trip for 30': 932071, 'for 30 day': 318800, '30 day to': 17023, 'day to slow': 228586, 'dailyfx': 224912, 'policy dailyfx': 663373, '19 policy dailyfx': 9744, 'china reserve': 176905, 'reserve fell': 714056, 'second consecutive': 743682, 'consecutive month': 194819, 'march to': 515497, 'to 06': 899416, '06 trillion': 995, 'trillion the': 932006, 'of reserve': 588970, 'reserve in': 714070, 'other currency': 620048, 'currency fell': 221029, 'novel outbreak': 573801, 'china reserve fell': 176906, 'reserve fell for': 714057, 'the second consecutive': 866576, 'second consecutive month': 743683, 'consecutive month in': 194820, 'in march to': 425124, 'march to 06': 515498, 'to 06 trillion': 899417, '06 trillion the': 996, 'trillion the value': 932008, 'value of reserve': 952168, 'of reserve in': 588971, 'reserve in other': 714072, 'in other currency': 426240, 'other currency fell': 620049, 'currency fell due': 221030, 'the global financial': 856302, 'global financial market': 351941, 'financial market turmoil': 306514, 'market turmoil and': 517267, 'turmoil and decline': 935614, 'amid the novel': 52703, 'the novel outbreak': 861919, 'corner grocery': 203646, 'people officially': 648945, 'not from': 569535, 'easily people': 265238, 'are manipulated': 88022, 'manipulated how': 513206, 'even serious': 284559, 'braving the corner': 138286, 'the corner grocery': 851746, 'corner grocery store': 203648, '55 00 people': 20355, '00 people officially': 414, 'people officially scared': 648946, 'scared not from': 740988, 'not from but': 569537, 'from but from': 334765, 'but from people': 145781, 'from people how': 336881, 'how easily people': 407776, 'easily people are': 265239, 'people are manipulated': 647019, 'are manipulated how': 88023, 'manipulated how selfish': 513207, 'isn even serious': 454501, 'uk still': 938738, 'still being': 800272, 'being stripped': 125864, 'including toilet': 432211, 'paper official': 640526, 'the uk still': 870284, 'uk still being': 938739, 'still being stripped': 800280, 'being stripped of': 125866, 'essential item including': 281207, 'item including toilet': 463371, 'including toilet paper': 432212, 'toilet paper official': 921375, 'paper official said': 640527, 'official said there': 595904, 'said there wa': 731464, 'wa no need': 962730, 'starch': 794115, 'marchmadness': 515561, 'fridayvibes': 333372, 'bread pasta': 138562, 'pasta potato': 643787, 'potato rice': 666974, 'rice cereal': 721023, 'cereal flour': 169922, 'flour emptied': 311094, 'emptied from': 274682, 'shelf we': 757748, 're officially': 699166, 'of starch': 590045, 'starch madness': 794116, 'madness marchmadness': 508190, 'marchmadness quaratineandchill': 515562, 'quaratineandchill coronacrisis': 693106, 'coronacrisis fridayvibes': 204608, 'of the bread': 590831, 'the bread pasta': 849962, 'bread pasta potato': 138566, 'pasta potato rice': 643788, 'potato rice cereal': 666975, 'rice cereal flour': 721024, 'cereal flour emptied': 169923, 'flour emptied from': 311095, 'emptied from our': 274683, 'from our grocery': 336775, 'store shelf we': 810108, 'shelf we re': 757753, 'we re officially': 972927, 're officially in': 699167, 'officially in the': 596007, 'middle of starch': 530685, 'of starch madness': 590046, 'starch madness marchmadness': 794117, 'madness marchmadness quaratineandchill': 508191, 'marchmadness quaratineandchill coronacrisis': 515563, 'quaratineandchill coronacrisis fridayvibes': 693107, 'we mean': 972358, 'starve in': 795201, 'home crazy': 400967, 'birx say you': 131484, 'say you now': 739519, 'you now can': 1020154, 'now can go': 574331, 'store so are': 810213, 'are we mean': 91577, 'we mean to': 972359, 'mean to starve': 524744, 'to starve in': 915245, 'starve in our': 795202, 'our home crazy': 623444, 'torkham': 925900, 'chaman': 171662, 'dawood': 227072, 'the torkham': 869804, 'torkham and': 925901, 'and chaman': 59713, 'chaman crossing': 171663, 'crossing point': 219087, 'point will': 662715, 'will reopen': 994651, 'reopen for': 711359, 'and transit': 74372, 'transit after': 929620, 'of developing': 582568, 'developing procedure': 239790, 'procedure well': 679829, 'well strong': 978618, 'strong spirit': 814117, 'of partnership': 587798, 'with dawood': 997931, 'dawood trade': 227073, 'trade can': 928429, 'can resume': 159472, 'resume between': 717736, 'between our': 128844, 'breaking news the': 139009, 'news the torkham': 560872, 'the torkham and': 869805, 'torkham and chaman': 925902, 'and chaman crossing': 59714, 'chaman crossing point': 171664, 'crossing point will': 219088, 'point will reopen': 662716, 'will reopen for': 994652, 'reopen for trade': 711361, 'for trade and': 327304, 'trade and transit': 928413, 'and transit after': 74373, 'transit after week': 929621, 'week of developing': 976609, 'of developing procedure': 582569, 'developing procedure well': 239791, 'procedure well strong': 679830, 'well strong spirit': 978619, 'strong spirit of': 814118, 'spirit of partnership': 789494, 'of partnership with': 587799, 'partnership with dawood': 642949, 'with dawood trade': 997932, 'dawood trade can': 227074, 'trade can resume': 928430, 'can resume between': 159475, 'resume between our': 717737, 'between our country': 128845, 'our country thank': 622603, 'you the business': 1021587, 'the business community': 850162, 'criminal target': 216882, 'target the': 834512, 'the desperate': 853192, 'desperate with': 238563, 'with loan': 999274, 'loan scam': 497526, 'criminal target the': 216883, 'target the desperate': 834513, 'the desperate with': 853195, 'desperate with loan': 238564, 'with loan scam': 999275, 'loan scam and': 497527, 'scam and fake': 739996, 'and fake home': 62629, 'home test kit': 402200, 'vegetarianrecipes': 954153, 'tofurkey': 920657, 'say sick': 739136, 'and luckily': 66476, 'luckily still': 506516, 'job had': 465847, 'of fun': 584006, 'fun doing': 341155, 'it dinner': 457559, 'dinner pasta': 243087, 'pasta vegetarianrecipes': 643840, 'vegetarianrecipes tofurkey': 954154, 'to say sick': 913836, 'say sick of': 739137, 'of this because': 591941, 'this because of': 886517, 'the quarantine but': 864963, 'quarantine but work': 692068, 'store and luckily': 806288, 'and luckily still': 66477, 'luckily still have': 506517, 'still have job': 800655, 'have job had': 381170, 'job had lot': 465849, 'lot of fun': 504195, 'of fun doing': 584007, 'fun doing it': 341156, 'doing it dinner': 252482, 'it dinner pasta': 457560, 'dinner pasta vegetarianrecipes': 243088, 'pasta vegetarianrecipes tofurkey': 643841, 'tillys': 896141, 'you making': 1019768, 'making customer': 511010, 'customer pay': 222677, 'for shipping': 325549, 'shipping when': 758942, 'ha control': 370241, 'control over': 202094, 'why put': 991308, 'burden on': 142750, 'consumer smh': 199009, 'smh tillys': 775689, 'are you making': 91819, 'you making customer': 1019769, 'making customer pay': 511012, 'customer pay for': 222678, 'pay for shipping': 644900, 'for shipping when': 325552, 'shipping when all': 758943, 'when all your': 983139, 'all your store': 45586, 'your store are': 1025960, 'are closed no': 85355, 'closed no one': 183242, 'one ha control': 606386, 'ha control over': 370242, 'control over covid': 202096, '19 but why': 5544, 'but why put': 147864, 'why put the': 991309, 'put the burden': 690853, 'the burden on': 850127, 'burden on the': 142753, 'the consumer smh': 851596, 'consumer smh tillys': 199010, 'go supermarket': 354174, 'please bring': 659735, 'bring mask': 140021, 'least medical': 484548, 'medical level': 526241, 'level normal': 487620, 'normal mask': 567217, 'to go supermarket': 906858, 'go supermarket please': 354180, 'supermarket please bring': 822010, 'please bring mask': 659736, 'bring mask at': 140022, 'mask at least': 518425, 'at least medical': 99521, 'least medical level': 484549, 'medical level normal': 526242, 'level normal mask': 487621, 'normal mask is': 567218, 'is not available': 450033, 'not available for': 568301, 'available for covid': 104363, 'loyal': 506266, 'kindly review': 475165, 'review your': 720601, 'your token': 1026181, 'token price': 923480, 'taking into': 833404, 'account people': 28741, 'on necessity': 602355, 'necessity there': 554273, 'money going': 536787, 'your loyal': 1024749, 'loyal player': 506277, 'player now': 659324, 'kindly review your': 475166, 'review your token': 720602, 'your token price': 1026182, 'token price taking': 923481, 'price taking into': 676753, 'taking into account': 833405, 'into account people': 442367, 'account people are': 28742, 'people are trying': 647104, 'up on necessity': 945596, 'on necessity there': 602357, 'necessity there is': 554274, 'is no money': 449952, 'no money going': 564783, 'money going around': 536788, 'going around what': 355031, 'around what are': 93620, 'you doing to': 1018301, 'doing to stand': 252800, 'to stand by': 915157, 'stand by your': 793504, 'by your loyal': 154790, 'your loyal player': 1024751, 'loyal player now': 506278, 'mohr': 535578, 'cascade': 165559, 'economy begin': 267698, 'contract and': 201631, 'and enter': 62176, 'enter recession': 278283, 'recession some': 704362, 'economist fear': 267552, 'debt burden': 230427, 'burden could': 142736, 'more pressing': 540126, 'pressing issue': 671116, 're starting': 699576, 'some crack': 782627, 'crack in': 214701, 'the armor': 848901, 'armor mohr': 92977, 'mohr said': 535579, 'said fear': 731070, 'will trigger': 995231, 'trigger cascade': 931867, 'cascade of': 165560, 'loan default': 497426, 'if the economy': 414969, 'the economy begin': 853940, 'economy begin to': 267699, 'begin to contract': 123579, 'to contract and': 903422, 'contract and enter': 201632, 'and enter recession': 62177, 'enter recession some': 278284, 'recession some economist': 704363, 'some economist fear': 782727, 'economist fear the': 267553, 'fear the debt': 301375, 'the debt burden': 852985, 'debt burden could': 230428, 'burden could be': 142737, 'be more pressing': 115990, 'more pressing issue': 540127, 'pressing issue we': 671117, 'issue we re': 455998, 'we re starting': 972972, 're starting to': 699577, 'see some crack': 745714, 'some crack in': 782628, 'crack in the': 214702, 'in the armor': 428986, 'the armor mohr': 848902, 'armor mohr said': 92978, 'mohr said fear': 535580, 'said fear that': 731072, 'fear that covid': 301360, '19 will trigger': 12116, 'will trigger cascade': 995233, 'trigger cascade of': 931868, 'cascade of consumer': 165561, 'of consumer loan': 581753, 'consumer loan default': 198060, 'loorollgate': 503181, 'placard': 657280, 'loorollgate strike': 503182, 'again spotted': 37176, 'spotted today': 790217, 'supermarket desperate': 819952, 'desperate poet': 238547, 'poet dump': 662363, 'dump protest': 262182, 'protest placard': 685921, 'placard in': 657283, 'in trolley': 430291, 'trolley bay': 932381, 'bay panicbuying': 112960, 'panicbuying hoarding': 638963, 'loorollgate strike again': 503183, 'strike again spotted': 813722, 'again spotted today': 37177, 'spotted today at': 790218, 'today at supermarket': 919285, 'at supermarket desperate': 100713, 'supermarket desperate poet': 819953, 'desperate poet dump': 238548, 'poet dump protest': 662364, 'dump protest placard': 262183, 'protest placard in': 685922, 'placard in trolley': 657284, 'in trolley bay': 430292, 'trolley bay panicbuying': 932382, 'bay panicbuying hoarding': 112961, 'good coverage': 356927, 'coverage main': 212362, 'main page': 508783, 'page here': 633855, 'packaging here': 633547, 'report ha good': 711993, 'ha good coverage': 370738, 'good coverage main': 356928, 'coverage main page': 212363, 'main page here': 508785, 'page here the': 633856, 'the one about': 862187, 'one about food': 605853, 'about food packaging': 25259, 'food packaging here': 315739, 'downloading': 257648, 'teamukcbcdubai': 835887, 'mydubai': 550708, 'dubai take': 261490, 'hike you': 396301, 'on 600': 599110, '600 54': 21057, '54 55': 20311, '55 55': 20356, '55 learn': 20389, 'by downloading': 152413, 'downloading the': 257649, 'the dubai': 853763, 'dubai consumer': 261464, 'app stay': 81762, 'responsibly teamukcbcdubai': 716115, 'teamukcbcdubai dubai': 835888, 'dubai uae': 261494, 'uae mydubai': 937764, 'mydubai health': 550709, 'health safety': 386817, 'safety solidarity': 730733, 'solidarity humanity': 781933, 'dubai take care': 261491, 'of their consumer': 591652, 'their consumer if': 872858, 'consumer if you': 197797, 'you see price': 1021059, 'see price hike': 745601, 'price hike you': 674541, 'hike you can': 396302, 'report it on': 712065, 'it on 600': 460026, 'on 600 54': 599111, '600 54 55': 21058, '54 55 55': 20312, '55 55 learn': 20357, '55 learn more': 20390, 'learn more by': 484018, 'more by downloading': 538749, 'by downloading the': 152414, 'downloading the dubai': 257650, 'the dubai consumer': 853764, 'dubai consumer app': 261465, 'consumer app stay': 196263, 'app stay safe': 81763, 'safe and shop': 729481, 'and shop responsibly': 71509, 'shop responsibly teamukcbcdubai': 760716, 'responsibly teamukcbcdubai dubai': 716116, 'teamukcbcdubai dubai uae': 835889, 'dubai uae mydubai': 261496, 'uae mydubai health': 937765, 'mydubai health safety': 550710, 'health safety solidarity': 386820, 'safety solidarity humanity': 730734, '2020undefeated': 14757, 'revivetheeconomy': 720702, 'helptheearth': 391632, 'over plan': 630507, 'drop some': 260393, 'some pretty': 783629, 'pretty heavy': 671431, 'heavy coin': 388624, 'coin at': 185625, 'at restaurant': 100297, 'retailer besides': 719039, 'who with': 990018, 'me 2020undefeated': 522332, '2020undefeated revivetheeconomy': 14758, 'revivetheeconomy push': 720703, 'push helptheearth': 690277, '19 is over': 8022, 'is over plan': 450720, 'over plan to': 630508, 'plan to drop': 658284, 'to drop some': 904778, 'drop some pretty': 260396, 'some pretty heavy': 783630, 'pretty heavy coin': 671432, 'heavy coin at': 388625, 'coin at restaurant': 185626, 'at restaurant and': 100298, 'restaurant and retailer': 716297, 'and retailer besides': 70455, 'retailer besides the': 719040, 'besides the wonderful': 127528, 'wonderful supermarket who': 1004124, 'supermarket who with': 823862, 'who with me': 990020, 'with me 2020undefeated': 999438, 'me 2020undefeated revivetheeconomy': 522333, '2020undefeated revivetheeconomy push': 14759, 'revivetheeconomy push helptheearth': 720704, 'and actually': 57651, 'actually have': 30828, 'have human': 381001, 'human fight': 410494, 'fight each': 304712, 'over damn': 630137, 'damn package': 225407, 'paper cannot': 640012, 'dinner right': 243091, 'it fucking': 458166, 'fucking stupid': 340018, 'stupid covid': 815374, 'ridiculous now the': 721571, 'now the food': 576042, 'the food isn': 855565, 'food isn going': 315166, 'sensible and actually': 750630, 'and actually have': 57654, 'actually have human': 30830, 'have human fight': 381003, 'human fight each': 410495, 'fight each other': 304713, 'other over damn': 620638, 'over damn package': 630138, 'damn package of': 225408, 'toilet paper cannot': 921222, 'paper cannot even': 640014, 'supermarket for dinner': 820390, 'for dinner right': 320722, 'dinner right now': 243092, 'right now it': 722089, 'now it fucking': 575115, 'it fucking stupid': 458171, 'fucking stupid covid': 340020, 'stupid covid 19': 815375, 'precarious': 669243, 'to lock': 909393, 'one know': 606560, 'happening around': 377326, 'rising everyone': 723208, 'in precarious': 426911, 'precarious fear': 669246, 'fear may': 301192, 'allah help': 45601, 'country is about': 210795, 'about to lock': 26728, 'to lock down': 909394, 'lock down due': 499027, '19 no one': 8804, 'no one know': 564943, 'one know what': 606563, 'is happening around': 448275, 'happening around the': 377327, 'around the market': 93545, 'the market price': 860143, 'market price is': 516891, 'price is rising': 674886, 'is rising everyone': 451553, 'rising everyone is': 723209, 'everyone is in': 287082, 'is in precarious': 448802, 'in precarious fear': 426912, 'precarious fear may': 669247, 'fear may allah': 301193, 'may allah help': 520904, 'via panicked': 956158, 'stockpiling toilet': 804102, 'is impossible': 448739, 'find anywhere': 306812, 'anywhere is': 81126, 'and hysteria': 64913, 'hysteria greater': 412446, 'greater than': 363243, 'via panicked people': 956159, 'panicked people are': 639276, 'people are emptying': 646963, 'are emptying supermarket': 86186, 'shelf and stockpiling': 756765, 'and stockpiling toilet': 72456, 'stockpiling toilet paper': 804103, 'sanitizer is impossible': 735193, 'is impossible to': 448745, 'impossible to find': 419397, 'to find anywhere': 905882, 'find anywhere is': 306813, 'anywhere is the': 81127, 'is the impact': 452826, 'the fear and': 855032, 'fear and hysteria': 301031, 'and hysteria greater': 64914, 'hysteria greater than': 412447, 'greater than the': 363248, 'than the risk': 841269, 'risk of the': 723783, 'quail': 691683, 'newnormalisveryposh': 560153, 'store egg': 807441, 'egg shelf': 269982, 'shelf completely': 756952, 'empty forced': 274883, 'buy last': 148890, 'two carton': 936823, 'of quail': 588641, 'quail egg': 691684, 'egg newnormalisveryposh': 269926, 'grocery store egg': 365359, 'store egg shelf': 807442, 'egg shelf completely': 269983, 'shelf completely empty': 756953, 'completely empty forced': 192278, 'empty forced to': 274884, 'forced to buy': 328619, 'to buy last': 902258, 'buy last two': 148891, 'last two carton': 480601, 'two carton of': 936824, 'carton of quail': 165489, 'of quail egg': 588642, 'quail egg newnormalisveryposh': 691685, 'leaking': 483866, 'se': 743043, 'spied': 789250, 'apple maintaining': 82338, 'maintaining that': 509137, '19 hasn': 7439, 'hasn disrupted': 378739, 'disrupted it': 246402, 'it chance': 457091, 'launch the': 481953, 'iphone even': 444566, 'even leaking': 284292, 'leaking that': 483867, 'iphone se': 444579, 'se will': 743067, 'will launch': 993959, 'launch next': 481927, 'week hasn': 976305, 'hasn spied': 378782, 'spied confidence': 789251, 'confidence if': 193893, 'their 2020': 872428, '2020 target': 14625, 'iphone 11': 444555, '11 series': 2592, 'series wil': 751316, 'apple maintaining that': 82339, 'maintaining that covid': 509138, 'covid 19 hasn': 213188, '19 hasn disrupted': 7440, 'hasn disrupted it': 378740, 'disrupted it chance': 246403, 'it chance to': 457092, 'chance to launch': 171806, 'to launch the': 909104, 'launch the new': 481954, 'the new iphone': 861521, 'new iphone even': 558946, 'iphone even leaking': 444567, 'even leaking that': 284293, 'leaking that the': 483868, 'that the iphone': 846754, 'the iphone se': 858441, 'iphone se will': 444580, 'se will launch': 743068, 'will launch next': 993960, 'launch next week': 481928, 'next week hasn': 561684, 'week hasn spied': 976306, 'hasn spied confidence': 378783, 'spied confidence if': 789252, 'confidence if they': 193894, 'not make their': 570508, 'make their 2020': 510593, 'their 2020 target': 872429, '2020 target the': 14626, 'target the iphone': 834515, 'the iphone 11': 858439, 'iphone 11 series': 444559, '11 series wil': 2593, 'report hint': 712016, 'hint the': 396921, 'may mail': 521332, 'mail check': 508590, 'support income': 826587, 'income lost': 432405, 'lost due': 503839, 'ha tip': 372283, 'using those': 950756, 'those rumor': 892412, 'rumor cover': 727482, 'cover never': 212262, 'your number': 1025045, 'number bank': 576837, 'info over': 437547, 'never pay': 558144, 'pay fee': 644862, 'fee tax': 302235, 'advance for': 32896, 'loan grant': 497446, 'report hint the': 712017, 'hint the government': 396922, 'government may mail': 360349, 'may mail check': 521333, 'mail check to': 508591, 'check to support': 174689, 'to support income': 915939, 'support income lost': 826588, 'income lost due': 432406, 'lost due to': 503840, 'due to ha': 261797, 'to ha tip': 907087, 'ha tip to': 372286, 'tip to spot': 898940, 'scammer using those': 740646, 'using those rumor': 950757, 'those rumor cover': 892413, 'rumor cover never': 727483, 'cover never give': 212263, 'never give your': 558017, 'give your number': 350888, 'your number bank': 1025046, 'number bank info': 576838, 'bank info over': 109941, 'info over the': 437548, 'the phone and': 863684, 'phone and never': 654883, 'and never pay': 67539, 'never pay fee': 558145, 'pay fee tax': 644863, 'fee tax in': 302236, 'tax in advance': 835010, 'in advance for': 420052, 'advance for loan': 32897, 'for loan grant': 323037, 'reaffirm': 701012, 'leader reaffirm': 483521, 'reaffirm the': 701013, 'country supplychain': 211095, 'supplychain is': 826197, 'industry leader reaffirm': 435961, 'leader reaffirm the': 483522, 'reaffirm the country': 701014, 'the country supplychain': 852159, 'country supplychain is': 211096, 'supplychain is prepared': 826198, 'prepared to meet': 670256, 'can right': 159484, 'keeping this': 472601, 'country moving': 210904, 'moving spare': 544182, 'supermarket worker can': 824000, 'worker can right': 1006593, 'can right now': 159485, 'they are critical': 881240, 'are critical in': 85628, 'critical in keeping': 218577, 'in keeping this': 424458, 'keeping this country': 472602, 'this country moving': 886961, 'country moving spare': 210907, 'moving spare thought': 544183, 'thought for them': 893050, 'for them and': 326892, 'them and give': 875378, 'and give your': 63671, 'give your support': 350891, 'the 13': 847883, '13 who': 3281, 'care ok': 164126, 'ok that': 597902, 'problem those': 679722, 'those greedy': 892032, 'selfish prick': 748231, 'prick should': 678009, 'and pelted': 68833, 'pelted with': 646391, 'the rotting': 865995, 'rotting food': 726213, 'this ridiculous': 889898, 'ridiculous panic': 721578, 'it the 13': 461509, 'the 13 who': 847884, '13 who care': 3282, 'who care ok': 988440, 'care ok that': 164127, 'ok that is': 597903, 'is the problem': 452907, 'the problem those': 864528, 'problem those greedy': 679723, 'those greedy selfish': 892034, 'greedy selfish prick': 363595, 'selfish prick should': 748234, 'prick should be': 678010, 'put in stock': 690620, 'stock and pelted': 801826, 'and pelted with': 68834, 'pelted with the': 646392, 'with the rotting': 1001462, 'the rotting food': 865996, 'rotting food that': 726215, 'food that result': 317100, 'result from this': 717514, 'from this ridiculous': 338007, 'this ridiculous panic': 889899, 'ridiculous panic buying': 721579, 'kotler': 477567, 'joemandese': 466470, 'great column': 362578, 'column on': 186906, 'on consumerism': 600085, 'consumerism and': 199707, 'by marketing': 153177, 'marketing guru': 517612, 'guru phil': 368836, 'phil kotler': 654680, 'kotler joemandese': 477568, 'read this great': 700615, 'this great column': 887750, 'great column on': 362579, 'column on consumerism': 186907, 'on consumerism and': 600086, 'consumerism and the': 199708, 'and the effect': 73341, '19 by marketing': 5565, 'by marketing guru': 153178, 'marketing guru phil': 517613, 'guru phil kotler': 368837, 'phil kotler joemandese': 654681, 'meera': 527392, 'poly': 663932, 'qatarnews': 691516, 'of al': 579874, 'al meera': 40588, 'meera consumer': 527393, 'good co': 356891, 'co have': 184848, 'started poly': 794807, 'poly bagging': 663933, 'bagging commodity': 108525, 'commodity such': 189314, 'such vegetable': 816850, 'fruit to': 339158, 'extra layer': 293566, 'from contamination': 334985, 'contamination by': 200704, 'by touch': 154576, 'touch qatar': 926523, 'qatar qatarnews': 691498, 'qatarnews yoursafetyismysafety': 691520, 'yoursafetyismysafety doha': 1026493, 'supermarket of al': 821696, 'of al meera': 579875, 'al meera consumer': 40589, 'meera consumer good': 527394, 'consumer good co': 197605, 'good co have': 356892, 'co have started': 184850, 'have started poly': 382728, 'started poly bagging': 794808, 'poly bagging commodity': 663934, 'bagging commodity such': 108526, 'commodity such vegetable': 189315, 'such vegetable and': 816851, 'and fruit to': 63378, 'fruit to provide': 339159, 'to provide an': 912379, 'provide an extra': 686222, 'an extra layer': 56014, 'extra layer of': 293567, 'of protection from': 588555, 'protection from contamination': 685455, 'from contamination by': 334986, 'contamination by touch': 200705, 'by touch qatar': 154577, 'touch qatar qatarnews': 926524, 'qatar qatarnews yoursafetyismysafety': 691500, 'qatarnews yoursafetyismysafety doha': 691521, 'overheard': 631229, 'atlanta whole': 101850, 'worker interviewed': 1007231, 'interviewed overheard': 442290, 'overheard customer': 631236, 'customer walk': 223034, 'say into': 738810, 'his phone': 397702, 'phone pretty': 654999, 'sure have': 827561, 'just have': 468932, 'at whole': 101554, 'food first': 314473, 'the atlanta whole': 849010, 'atlanta whole food': 101851, 'whole food worker': 990218, 'food worker interviewed': 317674, 'worker interviewed overheard': 1007232, 'interviewed overheard customer': 442291, 'overheard customer walk': 631237, 'customer walk into': 223035, 'walk into the': 964822, 'store and say': 806338, 'and say into': 70999, 'say into his': 738811, 'into his phone': 442635, 'his phone pretty': 397704, 'phone pretty sure': 655000, 'pretty sure have': 671505, 'sure have it': 827562, 'have it going': 381149, 'the doctor now': 853465, 'doctor now just': 250992, 'now just have': 575153, 'just have to': 468936, 'to stop at': 915500, 'stop at whole': 804466, 'at whole food': 101555, 'whole food first': 990211, 'really boosted': 702033, 'boosted my': 135047, 'time which': 898321, 'is is': 448995, 'way something': 969883, 'something needed': 784973, 'needed thanks': 556515, 'being stuck at': 125873, 'at home ha': 99001, 'home ha really': 401330, 'ha really boosted': 371647, 'really boosted my': 702034, 'boosted my online': 135048, 'online shopping time': 609309, 'shopping time which': 764149, 'time which is': 898325, 'which is is': 986021, 'is is no': 448997, 'no way something': 565868, 'way something needed': 969884, 'something needed thanks': 784974, 'needed thanks covid': 556516, 'stubbornaf': 814567, 'safea': 730175, 'parent age': 641565, 'age 73': 37799, '73 85': 22059, '85 are': 22910, 'still doing': 800445, 'run even': 727630, 'after la': 35852, 'la mayor': 478191, 'mayor ha': 521961, 'two stubbornaf': 937243, 'stubbornaf losangeles': 814568, 'losangeles california': 503389, 'california safea': 155565, 'my parent age': 549686, 'parent age 73': 641566, 'age 73 85': 37800, '73 85 are': 22060, '85 are still': 22911, 'are still doing': 90414, 'still doing grocery': 800446, 'doing grocery store': 252437, 'store run even': 809919, 'run even after': 727631, 'even after la': 283815, 'after la mayor': 35853, 'la mayor ha': 478193, 'mayor ha told': 521963, 'ha told not': 372339, 'house for the': 406311, 'next week or': 561693, 'or two stubbornaf': 617572, 'two stubbornaf losangeles': 937244, 'stubbornaf losangeles california': 814569, 'losangeles california safea': 503390, 'cooky': 202960, 'carol heading': 164820, 'get ingredient': 347339, 'ingredient to': 438408, 'more cooky': 538889, 'cooky twd': 202974, 'twd thewalkingdead': 936275, 'carol heading to': 164821, 'to get ingredient': 906509, 'get ingredient to': 347340, 'ingredient to make': 438410, 'to make more': 909697, 'make more cooky': 510195, 'more cooky twd': 538890, 'cooky twd thewalkingdead': 202975, 'have reality': 382182, 'serious this': 751492, 'not extra': 569341, 'extra holiday': 293544, 'holiday stay': 400357, 'example to': 288988, 'themselves panic': 876872, 'sight lockdownuknow': 769042, 'need to have': 555957, 'to have reality': 907297, 'have reality check': 382183, 'reality check this': 701716, 'check this 19': 174673, 'this 19 pandemic': 886154, 'pandemic is serious': 635795, 'is serious this': 451790, 'serious this is': 751494, 'is not extra': 450076, 'not extra holiday': 569342, 'extra holiday stay': 293545, 'holiday stay at': 400358, 'unless you need': 942671, 'out for example': 626115, 'for example to': 321294, 'example to get': 288989, 'some food people': 782867, 'food people should': 315837, 'people should be': 649440, 'of themselves panic': 591787, 'themselves panic buying': 876873, 'buying and visiting': 149942, 'and visiting the': 74993, 'visiting the sight': 959564, 'the sight lockdownuknow': 867173, 'of 1kg': 579438, '1kg basmati': 12630, 'basmati rice': 112446, 'rice doesn': 721033, 'cost we': 208155, 'when there no': 984229, 'there no queue': 878835, 'no queue at': 565262, 'supermarket and bag': 818936, 'and bag of': 58643, 'bag of 1kg': 108344, 'of 1kg basmati': 579439, '1kg basmati rice': 12631, 'basmati rice doesn': 112447, 'rice doesn cost': 721034, 'doesn cost we': 251739, 'cost we can': 208156, 'we can only': 970982, 'can only dream': 159124, 'celebs': 168917, 'holed': 400247, 'advert': 33142, 'perhaps some': 651633, 'these celebs': 879728, 'celebs holed': 168920, 'holed up': 400248, 'up could': 944663, 'could shut': 209677, 'down there': 257326, 'there instagram': 878511, 'instagram for': 439960, 'for bit': 319686, 'bit make': 131614, 'make plea': 510335, 'stop stripping': 805088, 'shelf advert': 756682, 'advert to': 33149, 'before 7pm': 122596, '7pm corona': 22498, 'corona fightcovid19': 203943, 'perhaps some of': 651634, 'of these celebs': 591817, 'these celebs holed': 879729, 'celebs holed up': 168921, 'holed up could': 400250, 'up could shut': 944664, 'could shut down': 209678, 'shut down there': 767859, 'down there instagram': 257327, 'there instagram for': 878512, 'instagram for bit': 439961, 'for bit make': 319690, 'bit make plea': 131615, 'make plea for': 510336, 'plea for people': 659544, 'to stop stripping': 915579, 'stop stripping supermarket': 805089, 'supermarket shelf advert': 822420, 'shelf advert to': 756683, 'advert to go': 33150, 'go out just': 353964, 'out just before': 626463, 'just before 7pm': 468312, 'before 7pm corona': 122597, '7pm corona fightcovid19': 22499, 'distancing learn': 247276, 'social distancing learn': 779646, 'distancing learn more': 247277, 'learn more via': 484041, 'bow': 136947, 'will patrol': 994383, 'patrol supermarket': 644388, 'supermarket island': 821142, 'island wake': 454320, 'up australian': 944447, 'australian you': 103584, 'are bunch': 85084, 'idiot who': 413636, 'be locked': 115799, 'up there': 946257, 'behavior bow': 123934, 'bow your': 136954, '19 police will': 9740, 'police will patrol': 663269, 'will patrol supermarket': 994384, 'patrol supermarket island': 644390, 'supermarket island wake': 821143, 'island wake up': 454321, 'wake up australian': 964618, 'up australian you': 944448, 'australian you are': 103585, 'you are bunch': 1017077, 'are bunch of': 85085, 'bunch of selfish': 142636, 'of selfish idiot': 589478, 'selfish idiot who': 748141, 'idiot who deserve': 413640, 'who deserve to': 988569, 'to be locked': 901373, 'be locked up': 115801, 'locked up there': 500508, 'up there is': 946261, 'excuse for your': 289749, 'for your behavior': 328122, 'your behavior bow': 1022930, 'behavior bow your': 123935, 'bow your head': 136955, 'syaysafe': 830659, 'indialockdown': 434752, 'kandlasagarmala': 470780, 'kandla': 470777, 'tranship': 929613, 'cargostevedores': 164670, 'shorehandling': 764587, 'containerhandling': 200566, 'totallogistics': 926295, 'gandhidham': 343384, 'water sanitizer': 969145, 'sanitizer stay': 735794, 'safe stayhome': 729980, 'stayathome virus': 797695, 'virus syaysafe': 958845, 'syaysafe indialockdown': 830660, 'indialockdown kandlasagarmala': 434757, 'kandlasagarmala kandla': 470781, 'kandla tranship': 470778, 'tranship cargostevedores': 929614, 'cargostevedores shorehandling': 164671, 'shorehandling containerhandling': 764588, 'containerhandling totallogistics': 200567, 'totallogistics gandhidham': 926296, 'with soap water': 1000809, 'soap water sanitizer': 779162, 'water sanitizer stay': 969146, 'sanitizer stay home': 735795, 'stay safe stayhome': 797278, 'safe stayhome stayathome': 729982, 'stayhome stayathome virus': 798140, 'stayathome virus syaysafe': 797697, 'virus syaysafe indialockdown': 958846, 'syaysafe indialockdown kandlasagarmala': 830661, 'indialockdown kandlasagarmala kandla': 434758, 'kandlasagarmala kandla tranship': 470782, 'kandla tranship cargostevedores': 470779, 'tranship cargostevedores shorehandling': 929615, 'cargostevedores shorehandling containerhandling': 164672, 'shorehandling containerhandling totallogistics': 764589, 'containerhandling totallogistics gandhidham': 200568, 'concern grows': 192987, 'over safety': 630596, 'worker following': 1006955, 'following death': 312717, 'death inside': 230092, 'inside edition': 439255, 'concern grows over': 192988, 'grows over safety': 367323, 'over safety of': 630598, 'safety of grocery': 730647, 'store worker following': 811504, 'worker following death': 1006956, 'following death inside': 312718, 'death inside edition': 230093, 'supply prepare': 825723, 'prepare kit': 670106, 'event of': 285031, 'emergency your': 273072, 'your emergency': 1023645, 'emergency kit': 272769, 'kit should': 475634, 'should include': 766126, 'include 30': 431503, 'day supply': 228434, 'pet medication': 653419, 'medication well': 526693, 'well at': 978034, 'least two': 484677, 'on pet supply': 602778, 'pet supply prepare': 653466, 'supply prepare kit': 825725, 'prepare kit with': 670107, 'kit with essential': 475677, 'with essential supply': 998258, 'essential supply to': 281631, 'supply to have': 826009, 'on hand in': 601230, 'the event of': 854603, 'event of an': 285032, 'an emergency your': 55692, 'emergency your emergency': 273073, 'your emergency kit': 1023646, 'emergency kit should': 272770, 'kit should include': 475635, 'should include 30': 766127, 'include 30 day': 431504, '30 day supply': 17021, 'day supply of': 228438, 'supply of your': 825657, 'of your pet': 593511, 'your pet medication': 1025273, 'pet medication well': 653420, 'medication well at': 526694, 'well at least': 978036, 'at least two': 99562, 'least two week': 484678, 'two week worth': 937376, 'community through': 190167, 'through hope': 894514, 'hope south': 403628, 'bay nutrition': 112956, 'nutrition hub': 577726, 'hub is': 409808, 'doing drive': 252361, 'through food': 894467, 'distribution demand': 248142, 'skyrocketed smaller': 773382, 'smaller food': 775269, 'pantry have': 639601, 'risk thank': 723921, 'you of': 1020173, 'of for': 583853, 'morning distribution': 541237, 'community through hope': 190169, 'through hope south': 894515, 'hope south bay': 403629, 'south bay nutrition': 786698, 'bay nutrition hub': 112957, 'nutrition hub is': 577727, 'hub is doing': 409809, 'is doing drive': 447268, 'doing drive through': 252362, 'drive through food': 259179, 'through food distribution': 894469, 'food distribution demand': 314226, 'distribution demand ha': 248144, 'demand ha skyrocketed': 235616, 'ha skyrocketed smaller': 371961, 'skyrocketed smaller food': 773383, 'smaller food pantry': 775271, 'food pantry have': 315783, 'pantry have closed': 639602, 'have closed due': 379997, '19 risk thank': 10247, 'risk thank you': 723922, 'thank you of': 841793, 'you of for': 1020174, 'of for coming': 583855, 'for coming out': 320175, 'coming out we': 188168, 'out we prepare': 627799, 'we prepare for': 972735, 'prepare for this': 670088, 'for this morning': 327050, 'this morning distribution': 888952, 'goko': 355838, 'gust': 368843, 'now give': 574786, 'give everybody': 350473, 'everybody panic': 286475, 'and chaos': 59741, 'coronavirus goko': 205995, 'goko trying': 355841, 'minimize footprint': 533109, 'footprint and': 318570, 'get best': 346659, 'best condition': 127637, 'our gust': 623330, 'gust we': 368844, 'will serve': 994814, 'serve the': 751943, 'food until': 317405, 'get government': 347144, 'government announce': 359881, 'announce god': 76839, 'family goko': 297852, 'goko restaurant': 355839, 'restaurant goko': 716485, 'now give everybody': 574787, 'give everybody panic': 350475, 'everybody panic and': 286476, 'panic and chaos': 637302, 'and chaos but': 59742, 'chaos but we': 173008, 'will get over': 993517, 'get over the': 347755, 'the coronavirus goko': 851858, 'coronavirus goko trying': 205996, 'goko trying to': 355842, 'trying to minimize': 934829, 'to minimize footprint': 910163, 'minimize footprint and': 533110, 'footprint and get': 318571, 'and get best': 63564, 'get best condition': 346660, 'best condition for': 127638, 'condition for our': 193455, 'for our gust': 324252, 'our gust we': 623331, 'gust we will': 368845, 'we will serve': 973905, 'will serve the': 994818, 'serve the food': 751946, 'the food until': 855619, 'food until we': 317409, 'until we get': 943923, 'we get government': 971612, 'get government announce': 347145, 'government announce god': 359882, 'announce god bless': 76840, 'bless you and': 132607, 'your family goko': 1023783, 'family goko restaurant': 297853, 'goko restaurant goko': 355840, 'and honestly': 64702, 'never wanted': 558264, 'to punch': 912505, 'punch piece': 689169, 'paper more': 640475, 'entire life': 278696, 'saw this at': 738289, 'today and honestly': 919214, 'and honestly have': 64704, 'honestly have never': 403106, 'have never wanted': 381587, 'never wanted to': 558266, 'wanted to punch': 966266, 'to punch piece': 912506, 'punch piece of': 689170, 'piece of paper': 656341, 'of paper more': 587758, 'paper more in': 640476, 'in my entire': 425568, 'my entire life': 548101, 'the fijian': 855179, 'fijian competition': 305299, 'commission ha': 188837, 'ha reassured': 371656, 'reassured fijian': 703206, 'fijian that': 305305, 'isn shortage': 454666, 'paper because': 639933, 'the fijian competition': 855180, 'fijian competition and': 305300, 'consumer commission ha': 196820, 'commission ha reassured': 188838, 'ha reassured fijian': 371657, 'reassured fijian that': 703207, 'fijian that there': 305306, 'there isn shortage': 878673, 'isn shortage of': 454667, 'toilet paper because': 921202, 'paper because of': 639934, 'coronavirus pandemic more': 206474, 'lastone': 480796, 'remembers these': 710475, 'these my': 880331, 'grandma still': 361914, 'ha one': 371435, 'one repost': 606953, 'repost meme': 712826, 'toiletpaper hidden': 922066, 'hidden lastone': 394818, 'lastone life': 480797, 'who remembers these': 989530, 'remembers these my': 710476, 'these my grandma': 880332, 'my grandma still': 548547, 'grandma still ha': 361915, 'still ha one': 800620, 'ha one repost': 371439, 'one repost meme': 606954, 'repost meme toiletpaper': 712827, 'meme toiletpaper hidden': 528369, 'toiletpaper hidden lastone': 922067, 'hidden lastone life': 394819, '59pm': 20605, '11 59pm': 2465, '59pm tonight': 20610, 'tonight new': 924454, 'zealand will': 1027321, 'of here': 584590, 'available during': 104333, 'from 11 59pm': 334173, '11 59pm tonight': 2468, '59pm tonight new': 20611, 'tonight new zealand': 924455, 'new zealand will': 560001, 'zealand will be': 1027322, 'will be going': 992478, 'be going into': 115053, 'going into lockdown': 355240, 'into lockdown to': 442720, 'lockdown to prevent': 500059, 'spread of here': 790678, 'of here what': 584591, 'about the essential': 26390, 'the essential service': 854520, 'essential service available': 281498, 'service available during': 752166, 'available during this': 104335, 'borough': 135583, 'greenwich': 363779, 'plumstead': 661398, 'se18': 743073, 'newsletter apr': 561021, 'apr supermarket': 83373, 'hour coronavirus': 405504, '19 royal': 10256, 'royal borough': 726610, 'borough of': 135590, 'of greenwich': 584335, 'greenwich plumstead': 363782, 'plumstead se18': 661399, 'newsletter apr supermarket': 561022, 'apr supermarket hour': 83374, 'supermarket hour coronavirus': 820798, 'hour coronavirus covid': 405505, 'covid 19 royal': 213724, '19 royal borough': 10257, 'royal borough of': 726611, 'borough of greenwich': 135591, 'of greenwich plumstead': 584336, 'greenwich plumstead se18': 363783, 'subbed': 815696, 'elastic': 270490, 'sewing': 754169, 'janky': 464579, 'stitching': 801709, 'rock little': 724902, 'little red': 495537, 'red number': 705604, 'store used': 811029, 'the nytimes': 862007, 'nytimes pattern': 578156, 'pattern but': 644451, 'but subbed': 147207, 'subbed in': 815697, 'in elastic': 422520, 'elastic hair': 270491, 'tie for': 895737, 'ear piece': 264399, 'piece the': 656370, 'whole hand': 990231, 'hand sewing': 375753, 'sewing thing': 754186, 'real trip': 701433, 'trip check': 932053, 'my total': 550404, 'total janky': 926174, 'janky stitching': 464582, 'stitching newnormal': 801712, 'newnormal maskup': 560139, 'maskup staythefhome': 519704, 'excuse to rock': 289789, 'to rock little': 913620, 'rock little red': 724903, 'little red number': 495538, 'red number to': 705605, 'number to the': 577077, 'grocery store used': 365906, 'store used the': 811030, 'used the nytimes': 950015, 'the nytimes pattern': 862008, 'nytimes pattern but': 578157, 'pattern but subbed': 644452, 'but subbed in': 147208, 'subbed in elastic': 815698, 'in elastic hair': 422521, 'elastic hair tie': 270492, 'hair tie for': 374014, 'tie for the': 895738, 'for the ear': 326400, 'the ear piece': 853811, 'ear piece the': 264400, 'piece the whole': 656372, 'the whole hand': 871493, 'whole hand sewing': 990232, 'hand sewing thing': 375754, 'sewing thing wa': 754187, 'thing wa real': 884950, 'wa real trip': 963057, 'real trip check': 701434, 'trip check out': 932054, 'out my total': 626611, 'my total janky': 550405, 'total janky stitching': 926175, 'janky stitching newnormal': 464583, 'stitching newnormal maskup': 801713, 'newnormal maskup staythefhome': 560140, 'abating': 24233, 'announced new': 77002, 'both shopper': 136043, 'spain show': 787340, 'no sign': 565508, 'of abating': 579696, 'ha announced new': 369562, 'announced new series': 77003, 'new series of': 559563, 'series of guideline': 751272, 'of guideline to': 584389, 'guideline to maintain': 368484, 'maintain the health': 509060, 'safety of both': 730643, 'of both shopper': 580797, 'both shopper and': 136044, 'shopper and worker': 761375, 'and worker the': 75883, 'worker the crisis': 1007923, 'crisis in spain': 217540, 'in spain show': 428179, 'spain show no': 787341, 'show no sign': 767068, 'no sign of': 565510, 'sign of abating': 769154, 'unclear': 939833, 'erstwhile': 280235, 'today lockdown': 919823, 'will ease': 993279, 'ease at': 265072, 'point though': 662662, 'it unclear': 461911, 'unclear when': 939842, 'when perhaps': 983872, 'perhaps even': 651584, 'uncertain is': 939598, 'the mindset': 860638, 'mindset of': 532852, 'of erstwhile': 583152, 'erstwhile customer': 280236, 'today lockdown will': 919824, 'lockdown will ease': 500149, 'will ease at': 993280, 'ease at some': 265073, 'some point though': 783590, 'point though it': 662663, 'though it unclear': 892844, 'it unclear when': 461912, 'unclear when perhaps': 939843, 'when perhaps even': 983873, 'perhaps even more': 651586, 'even more uncertain': 284385, 'more uncertain is': 540842, 'uncertain is what': 939599, 'what the mindset': 982341, 'the mindset of': 860639, 'mindset of erstwhile': 532853, 'of erstwhile customer': 583153, 'erstwhile customer will': 280237, 'reiwa': 708311, 'cdt': 168684, 'online event': 608176, 'event japan': 285008, 'japan changing': 464716, 'of reiwa': 588902, 'reiwa and': 708312, '19 tuesday': 11595, 'tuesday april': 935120, 'april 14': 83410, '14 2020': 3389, '2020 00': 14077, 'pm dallas': 661889, 'dallas cdt': 225117, 'online event japan': 608178, 'event japan changing': 285009, 'japan changing consumer': 464717, 'changing consumer in': 172674, 'age of reiwa': 37873, 'of reiwa and': 588903, 'reiwa and covid': 708313, 'covid 19 tuesday': 213987, '19 tuesday april': 11596, 'tuesday april 14': 935121, 'april 14 2020': 83412, '14 2020 00': 3390, '2020 00 00': 14078, '00 00 pm': 8, '00 pm dallas': 440, 'pm dallas cdt': 661890, 'recording of': 705134, 'my webinar': 550540, 'on channel': 599874, 'channel thanks': 172935, 'to prof': 912229, 'prof from': 682348, 'his contribution': 397311, 'recording of my': 705135, 'of my webinar': 586830, 'my webinar on': 550541, 'webinar on right': 975078, 'on right and': 603194, 'right and is': 721756, 'and is on': 65422, 'is on channel': 450461, 'on channel thanks': 599877, 'channel thanks to': 172936, 'thanks to prof': 842255, 'to prof from': 912230, 'prof from for': 682349, 'from for his': 335529, 'for his contribution': 322300, 'video seen': 956884, 'seen by': 746977, 'by many': 153158, 'people possible': 649155, 'possible nh': 665719, 'this brave': 886607, 'brave woman': 138244, 'woman cannot': 1003431, 'and something': 71991, 'something need': 784971, 'done about': 254754, 'it urgently': 461986, 'please help get': 660068, 'help get this': 389802, 'get this video': 348416, 'this video seen': 890986, 'video seen by': 956885, 'seen by many': 746978, 'by many people': 153164, 'many people possible': 514528, 'people possible nh': 649157, 'possible nh staff': 665720, 'nh staff like': 562096, 'staff like this': 792620, 'like this brave': 491472, 'this brave woman': 886608, 'brave woman cannot': 138245, 'woman cannot get': 1003432, 'cannot get the': 161908, 'need and something': 554436, 'and something need': 71993, 'something need to': 784972, 'be done about': 114549, 'done about it': 254755, 'about it urgently': 25602, 'covid legislation': 214186, 'legislation in': 485974, 'proposed covid legislation': 684528, 'covid legislation in': 214187, 'meadia': 524069, 'fuckthemedia': 340079, 'fucknews': 340070, 'virus didn': 958122, 'didn send': 241194, 'send running': 749939, 'the meadia': 860337, 'meadia did': 524070, 'did never': 240701, 'medium fuckthemedia': 527114, 'fuckthemedia fucknews': 340080, 'fucknews fuckcovid19': 340071, 'fuckcovid19 vancouver': 339720, 'vancouver british': 952328, 'british columbia': 140500, 'the virus didn': 870822, 'virus didn send': 958123, 'didn send running': 241195, 'send running to': 749940, 'supermarket the meadia': 823229, 'the meadia did': 860338, 'meadia did never': 524071, 'did never forget': 240702, 'never forget that': 558005, 'forget that fuck': 329291, 'that fuck the': 843966, 'fuck the medium': 339660, 'the medium fuckthemedia': 860422, 'medium fuckthemedia fucknews': 527115, 'fuckthemedia fucknews fuckcovid19': 340081, 'fucknews fuckcovid19 vancouver': 340072, 'fuckcovid19 vancouver british': 339721, 'vancouver british columbia': 952329, 'quick question': 694349, 'isolate if': 454871, 're homeless': 698828, 'homeless answer': 402731, 'answer you': 78150, 'also can': 48005, 'usual place': 950996, 'free meal': 331967, 'meal social': 524277, 'social support': 779984, 'support etc': 826480, 'etc because': 282438, 're closing': 698431, 'offering limited': 595175, 'limited service': 492713, 'service suck': 752877, 'suck to': 816937, 'homeless at': 402736, 'time suck': 897777, 'suck really': 816920, 'quick question how': 694351, 'question how do': 693616, 'do you self': 250676, 'self isolate if': 747679, 'isolate if you': 454874, 'you re homeless': 1020648, 're homeless answer': 698829, 'homeless answer you': 402732, 'answer you can': 78151, 'you can you': 1017838, 'can you also': 160275, 'you also can': 1016944, 'also can go': 48007, 'to the usual': 917165, 'the usual place': 870590, 'usual place for': 950997, 'place for free': 657441, 'for free meal': 321720, 'free meal social': 331970, 'meal social support': 524278, 'social support etc': 779985, 'support etc because': 826481, 'etc because they': 282440, 'they re closing': 883011, 're closing or': 698433, 'closing or offering': 183714, 'or offering limited': 616356, 'offering limited service': 595178, 'limited service suck': 492714, 'service suck to': 752878, 'suck to be': 816938, 'to be homeless': 901312, 'be homeless at': 115287, 'homeless at any': 402737, 'at any time': 98031, 'any time suck': 79979, 'time suck really': 897778, 'suck really hard': 816921, 'really hard now': 702260, 'freakin': 331529, 'coronatimes': 205309, 'spreadjoy': 791104, 'worker dress': 1006806, 'up super': 946091, 'super hero': 818516, 'hero it': 394025, 'make life': 510082, 'life more': 488883, 'more fun': 539322, 'fun and': 341126, 'honest they': 403083, 'they freakin': 882146, 'freakin are': 331530, 'of hero': 584594, 'now coronatimes': 574460, 'coronatimes spreadjoy': 205310, 'let have grocery': 486770, 'store worker dress': 811485, 'worker dress up': 1006807, 'dress up super': 258687, 'up super hero': 946092, 'super hero it': 818517, 'hero it ll': 394026, 'it ll make': 459428, 'll make life': 496895, 'make life more': 510085, 'life more fun': 488885, 'more fun and': 539324, 'fun and to': 341131, 'and to be': 74153, 'to be honest': 901313, 'be honest they': 115297, 'honest they freakin': 403085, 'they freakin are': 882147, 'freakin are bunch': 331531, 'bunch of hero': 142628, 'of hero right': 584596, 'right now coronatimes': 722048, 'now coronatimes spreadjoy': 574461, '16mar20': 4269, '16mar20 russia': 4270, 'russia consumer': 728451, 'watchdog reported': 968639, 'high arctic': 394932, 'arctic where': 84079, 'where man': 985005, 'who traveled': 989819, 'traveled to': 930611, 'to iran': 908503, 'iran ha': 444685, 'and 101': 57353, '101 are': 2219, 'are observed': 88632, '16mar20 russia consumer': 4271, 'russia consumer watchdog': 728453, 'consumer watchdog reported': 199486, 'watchdog reported case': 968640, 'reported case in': 712475, 'the high arctic': 857316, 'high arctic where': 394933, 'arctic where man': 84080, 'where man who': 985007, 'man who traveled': 512340, 'who traveled to': 989821, 'traveled to iran': 930612, 'to iran ha': 908504, 'iran ha covid': 444686, '19 and 101': 4977, 'and 101 are': 57354, '101 are observed': 2220, 'best online': 127808, 'from tokyo': 338087, 'tokyo and': 923484, 'and japan': 65644, 'japan tip': 464764, 'tip japan': 898830, 'japan stayhome': 464760, 'stayhomestaysafe stayhomesavelives': 798528, 'stayhomesavelives stayathomeandstaysafe': 798451, 'best online store': 127810, 'online store to': 609478, 'buy thing from': 149353, 'thing from tokyo': 884350, 'from tokyo and': 338088, 'tokyo and japan': 923485, 'and japan tip': 65646, 'japan tip japan': 464765, 'tip japan stayhome': 898831, 'japan stayhome stayathome': 464761, 'stayhome stayathome stayhomestaysafe': 798138, 'stayathome stayhomestaysafe stayhomesavelives': 797656, 'stayhomestaysafe stayhomesavelives stayathomeandstaysafe': 798529, 'emergency mo': 272809, 'mo since': 534870, '19 tracked': 11531, 'tracked case': 928244, 'country over': 210949, 'over this': 630812, 'flu is': 311425, 'killing 400': 474652, 'citizen each': 178889, 'each week': 264327, 'our sanity': 624676, 'the emergency mo': 854230, 'emergency mo since': 272810, 'mo since covid': 534871, 'covid 19 tracked': 213972, '19 tracked case': 11533, 'tracked case 7038': 928245, 'our country over': 622600, 'country over this': 210950, 'over this seasonal': 630817, 'seasonal flu is': 743467, 'flu is killing': 311426, 'is killing 400': 449200, 'killing 400 citizen': 474653, '400 citizen each': 18726, 'citizen each week': 178890, 'each week who': 264333, 'stole our sanity': 804278, 'reasor': 703160, 'head up': 385849, 'during your': 263429, 'run at': 727572, 'at reasor': 100261, 'reasor the': 703161, 'asking all': 95935, 'wear one': 974434, 'head up you': 385858, 'up you ll': 946726, 'wear mask during': 974384, 'mask during your': 518599, 'during your next': 263434, 'your next grocery': 1025001, 'next grocery run': 561390, 'grocery run at': 364914, 'run at reasor': 727575, 'at reasor the': 100262, 'reasor the grocery': 703162, 'store is asking': 808467, 'is asking all': 445823, 'asking all employee': 95937, 'all employee and': 42678, 'and customer to': 60870, 'customer to wear': 222986, 'to wear one': 918437, 'wear one to': 974437, 'one to prevent': 607282, 'profitting': 683143, 'breaking call': 138923, 'or profitting': 616724, 'profitting on': 683146, 'vaccine during': 951689, 'pandemic rationing': 636290, 'rationing due': 697808, 'breaking call for': 138924, 'call for no': 155879, 'patent or profitting': 643996, 'or profitting on': 616725, 'profitting on drug': 683147, 'and vaccine during': 74830, 'vaccine during pandemic': 951690, 'during pandemic rationing': 262888, 'pandemic rationing due': 636292, 'rationing due to': 697809, 'to high price': 907737, 'prolong the pandemic': 683617, 'good folk': 357045, 'folk have': 312173, 'at never': 99871, 'seen before': 746966, 'before low': 122926, 'is recommended': 451349, 'recommended are': 704773, 'at 70': 97736, '70 to': 21846, 'the good folk': 856434, 'good folk have': 357047, 'folk have at': 312174, 'have at never': 379378, 'at never seen': 99872, 'never seen before': 558173, 'seen before low': 746968, 'before low low': 122927, 'low low price': 505394, 'low price is': 505521, 'price is recommended': 674883, 'is recommended are': 451350, 'recommended are selling': 704774, 'selling at 70': 749161, 'at 70 to': 97737, '70 to cash': 21847, 'angela': 76325, 'angela merkel': 76330, 'merkel spotted': 529174, 'spotted buying': 790185, 'shop amid': 759830, 'coronavirus chaos': 205641, 'chaos angela': 172995, 'merkel ha': 529159, 'been spotted': 122018, 'angela merkel spotted': 76339, 'merkel spotted buying': 529175, 'spotted buying toilet': 790186, 'roll and wine': 725192, 'and wine in': 75718, 'wine in local': 995827, 'in local shop': 424826, 'local shop amid': 498391, 'shop amid coronavirus': 759831, 'amid coronavirus chaos': 52416, 'coronavirus chaos angela': 205642, 'chaos angela merkel': 172996, 'angela merkel ha': 76335, 'merkel ha been': 529160, 'ha been spotted': 369930, 'been spotted at': 122019, 'spotted at local': 790182, 'local supermarket during': 498519, 'vanquish': 952442, 'darkness': 225999, 'unites': 942311, 'candle': 161313, 'diya': 248782, '9minutes': 23993, 'lightacandle': 489624, 'hopemed': 403913, 'to vanquish': 918116, 'vanquish the': 952443, 'the darkness': 852838, 'darkness this': 226011, 'this sunday': 890422, 'sunday the': 818277, 'nation unites': 552363, 'unites for': 942312, 'for minute': 323461, 'minute light': 533796, 'light candle': 489517, 'candle or': 161321, 'or diya': 615007, 'diya and': 248783, 'show your': 767298, 'your strength': 1026009, 'strength in': 813225, 'in fighting': 422876, '19 ratnadeep': 9961, 'ratnadeep supermarket': 697890, 'supermarket 9minutes': 818755, '9minutes lightacandle': 23994, 'lightacandle flattenthecurve': 489625, 'flattenthecurve hopemed': 310168, 'hopemed togetherness': 403914, 'togetherness india': 921079, 'we re spreading': 972971, 're spreading the': 699566, 'spreading the light': 791055, 'the light to': 859359, 'light to vanquish': 489614, 'to vanquish the': 918117, 'vanquish the darkness': 952444, 'the darkness this': 852840, 'darkness this sunday': 226012, 'this sunday the': 890423, 'sunday the nation': 818278, 'the nation unites': 861273, 'nation unites for': 552364, 'unites for minute': 942313, 'for minute light': 323463, 'minute light candle': 533797, 'light candle or': 489518, 'candle or diya': 161322, 'or diya and': 615008, 'diya and show': 248784, 'and show your': 71619, 'show your strength': 767305, 'your strength in': 1026010, 'strength in fighting': 813226, 'in fighting covid': 422877, 'covid 19 ratnadeep': 213655, '19 ratnadeep supermarket': 9962, 'ratnadeep supermarket 9minutes': 697891, 'supermarket 9minutes lightacandle': 818756, '9minutes lightacandle flattenthecurve': 23995, 'lightacandle flattenthecurve hopemed': 489626, 'flattenthecurve hopemed togetherness': 310169, 'hopemed togetherness india': 403915, 'hurray': 411465, 'kinda suck': 475074, 'suck work': 816949, 'am constantly': 49977, 'shit fucking': 759101, 'fucking hurray': 339908, 'hurray for': 411466, 'me guess': 522844, 'kinda suck work': 475076, 'suck work at': 816950, 'store and am': 806192, 'and am constantly': 58009, 'am constantly exposed': 49978, 'exposed to this': 292910, 'to this covid': 917414, '19 shit fucking': 10461, 'shit fucking hurray': 759102, 'fucking hurray for': 339909, 'hurray for me': 411467, 'for me guess': 323315, 'lifebuoy': 489264, 'jai': 464251, 'hind': 396832, 'hul reduces': 410358, 'of lifebuoy': 585842, 'lifebuoy sanitizers': 489270, 'sanitizers liquid': 736335, 'liquid handwash': 494095, 'handwash floor': 376766, 'floor cleaner': 310783, 'cleaner by': 180759, '15 pledge': 3824, '100 cr': 1873, 'cr to': 214672, 'fight appreciate': 304662, 'appreciate thank': 82749, 'thank news': 841613, 'when india': 983594, 'india need': 434531, 'most now': 542533, 'now other': 575485, 'other fmcg': 620227, 'fmcg co': 311717, 'co must': 184890, 'act jai': 29672, 'jai hind': 464252, 'hul reduces price': 410359, 'reduces price of': 706244, 'price of lifebuoy': 675489, 'of lifebuoy sanitizers': 585843, 'lifebuoy sanitizers liquid': 489271, 'sanitizers liquid handwash': 736336, 'liquid handwash floor': 494096, 'handwash floor cleaner': 376767, 'floor cleaner by': 310784, 'cleaner by 15': 180760, 'by 15 pledge': 151548, '15 pledge 100': 3825, 'pledge 100 cr': 660837, '100 cr to': 1874, 'cr to fight': 214673, 'to fight appreciate': 905778, 'fight appreciate thank': 304663, 'appreciate thank news': 82750, 'thank news to': 841614, 'news to listen': 560896, 'listen to our': 494745, 'to our demand': 911169, 'our demand when': 622733, 'demand when india': 236479, 'when india need': 983595, 'india need it': 434533, 'it most now': 459686, 'most now other': 542534, 'now other fmcg': 575486, 'other fmcg co': 620228, 'fmcg co must': 311720, 'co must act': 184891, 'must act jai': 546453, 'act jai hind': 29673, 'eurozone': 283632, 'ing bank': 438276, 'bank largest': 109966, 'largest monthly': 479979, 'monthly drop': 538167, 'in eurozone': 422662, 'eurozone consumer': 283633, 'confidence ever': 193857, 'ever in': 285361, 'march eurozone': 515353, 'confidence dropped': 193848, 'dropped from': 260568, 'march providing': 515445, 'providing glimpse': 687012, 'ing bank largest': 438277, 'bank largest monthly': 109967, 'largest monthly drop': 479981, 'monthly drop in': 538168, 'drop in eurozone': 260244, 'in eurozone consumer': 422663, 'eurozone consumer confidence': 283634, 'consumer confidence ever': 196895, 'confidence ever in': 193858, 'ever in march': 285364, 'in march eurozone': 425099, 'march eurozone consumer': 515354, 'consumer confidence dropped': 196892, 'confidence dropped from': 193850, 'dropped from to': 260570, 'to 11 in': 899450, '11 in march': 2540, 'in march providing': 425114, 'march providing glimpse': 515446, 'providing glimpse of': 687013, 'of the economic': 590972, 'clap': 179954, 'posties': 666629, 'binmen': 131108, 'sweeper': 830189, 'clapforall': 179980, 'maybe people': 521771, 'should clap': 765830, 'clap for': 179957, 'for bus': 319818, 'driver delivery': 259503, 'driver posties': 259709, 'posties binmen': 666632, 'binmen supermarket': 131109, 'worker road': 1007706, 'road sweeper': 724516, 'sweeper shop': 830192, 'the copper': 851728, 'copper on': 203434, 'the beat': 849403, 'beat too': 118577, 'too every': 924714, 'bit essential': 131562, 'keeping nation': 472489, 'nation alive': 552109, 'alive clapforall': 41809, 'maybe people should': 521774, 'people should clap': 649441, 'should clap for': 765831, 'clap for bus': 179958, 'for bus driver': 319819, 'bus driver delivery': 143018, 'driver delivery driver': 259504, 'delivery driver posties': 233933, 'driver posties binmen': 259710, 'posties binmen supermarket': 666633, 'binmen supermarket worker': 131110, 'supermarket worker road': 824079, 'worker road sweeper': 1007707, 'road sweeper shop': 724518, 'sweeper shop worker': 830193, 'shop worker the': 761094, 'worker the copper': 1007922, 'the copper on': 851729, 'copper on the': 203435, 'on the beat': 603984, 'the beat too': 849404, 'beat too every': 118578, 'too every bit': 924715, 'every bit essential': 285689, 'bit essential to': 131563, 'essential to keeping': 281702, 'to keeping nation': 908887, 'keeping nation alive': 472490, 'nation alive clapforall': 552110, 'where line': 984981, 'are long': 87867, 'long some': 501646, 'some shelf': 783839, 'and patience': 68768, 'patience is': 644106, 'supply authority': 824823, 'receiving wave': 703812, 'country where line': 211218, 'where line are': 984982, 'line are long': 492967, 'are long some': 87874, 'long some shelf': 501647, 'some shelf are': 783840, 'empty and patience': 274772, 'and patience is': 68769, 'patience is in': 644107, 'is in short': 448814, 'short supply authority': 764703, 'supply authority are': 824824, 'are receiving wave': 89505, 'receiving wave of': 703813, 'wave of report': 969380, 'honor the': 403253, 'responder of': 715499, '11 19': 2446, 'can honor the': 158695, 'honor the grocery': 403254, 'we did the': 971295, 'did the first': 240847, 'first responder of': 308956, 'responder of 11': 715500, 'of 11 19': 579331, 'bhagwantumhesadhbudhide': 129327, 'coronaindia': 204983, 'coronainindia': 204992, 'are knowingly': 87696, 'knowingly spreading': 477163, 'virus remember': 958679, 'also human': 48384, 'human you': 410664, 'pay high': 644929, 'price bhagwantumhesadhbudhide': 672922, 'bhagwantumhesadhbudhide corona': 129328, 'corona coronaindia': 203878, 'coronaindia coronainindia': 204984, 'heard that many': 388140, 'that many are': 845023, 'many are knowingly': 513767, 'are knowingly spreading': 87697, 'knowingly spreading the': 477164, 'the virus remember': 870883, 'virus remember you': 958680, 'you are also': 1017054, 'are also human': 84460, 'also human you': 48386, 'human you ll': 410665, 'to pay high': 911534, 'pay high price': 644930, 'high price bhagwantumhesadhbudhide': 395236, 'price bhagwantumhesadhbudhide corona': 672923, 'bhagwantumhesadhbudhide corona coronaindia': 129329, 'corona coronaindia coronainindia': 203879, 'and cancel': 59489, 'cancel over': 160876, 'over 80': 629930, '80 train': 22641, 'train including': 929261, 'including 23': 431846, '23 central': 15382, 'central railway': 169418, 'railway 29': 695689, '29 south': 16501, 'south central': 786704, 'railway 10': 695687, '10 western': 1754, 'western railway': 980636, 'railway south': 695713, 'south eastern': 786718, 'eastern railway': 265595, 'railway and': 695691, 'railway at': 695695, 'at amid': 97956, 'by 50 from': 151665, '50 from 10': 19698, 'from 10 and': 334163, '10 and cancel': 1313, 'and cancel over': 59491, 'cancel over 80': 160877, 'over 80 train': 629933, '80 train including': 22642, 'train including 23': 929262, 'including 23 central': 431847, '23 central railway': 15383, 'central railway 29': 169420, 'railway 29 south': 695690, '29 south central': 16502, 'south central railway': 786707, 'central railway 10': 169419, 'railway 10 western': 695688, '10 western railway': 1755, 'western railway south': 980637, 'railway south eastern': 695714, 'south eastern railway': 786719, 'eastern railway and': 265596, 'railway and northern': 695692, 'and northern railway': 67699, 'northern railway at': 567777, 'railway at amid': 695696, 'at amid the': 97958, 'amid the fear': 52693, 'fear of more': 301250, 'hungrier': 411217, 'is alcohol': 445442, 'alcohol the': 41136, 'thing actually': 884104, 'actually left': 30872, 'that also': 842600, 'also sold': 48888, 'out can': 625822, 'actually buy': 30748, 'buy any': 148346, 'item sold': 463651, 'out cant': 625834, 'delivery until': 234707, 'until 14': 943638, 'day time': 228552, 'time either': 896604, 'we suddenly': 973440, 'suddenly hungrier': 817106, 'hungrier nation': 411218, 'nation people': 552288, 'eating more': 266254, 'that cure': 843413, 'cure madness': 220771, 'madness coronacrisis': 508172, 'is alcohol the': 445443, 'alcohol the only': 41139, 'only thing actually': 611300, 'thing actually left': 884105, 'actually left in': 30873, 'left in stock': 485517, 'in stock at': 428283, 'at supermarket or': 100756, 'supermarket or is': 821816, 'is that also': 452629, 'that also sold': 842606, 'also sold out': 48889, 'sold out can': 781728, 'out can actually': 625823, 'can actually buy': 157362, 'actually buy any': 30749, 'buy any food': 148347, 'any food all': 79231, 'food all item': 313086, 'all item sold': 43284, 'item sold out': 463652, 'sold out cant': 781729, 'out cant get': 625835, 'cant get delivery': 162297, 'get delivery until': 346871, 'delivery until 14': 234708, 'until 14 day': 943639, '14 day time': 3462, 'day time either': 228553, 'time either we': 896605, 'either we suddenly': 270414, 'we suddenly hungrier': 973441, 'suddenly hungrier nation': 817107, 'hungrier nation people': 411219, 'nation people eating': 552289, 'people eating more': 647766, 'eating more is': 266255, 'more is that': 539624, 'is that cure': 452638, 'that cure madness': 843414, 'cure madness coronacrisis': 220772, 'which videoconferencing': 986433, 'videoconferencing software': 956987, 'is winning': 454001, 'winning the': 996084, 'the race': 865082, 'race in': 695188, 'the mind': 860632, 'mind of': 532699, 'which videoconferencing software': 986434, 'videoconferencing software is': 956988, 'software is winning': 781537, 'is winning the': 454002, 'winning the race': 996089, 'the race in': 865083, 'race in the': 695190, 'in the mind': 429365, 'the mind of': 860635, 'mind of the': 532704, 'the consumer in': 851549, 'of the epidemic': 590990, 'president also': 670753, 'also needed': 48556, 'to direct': 904320, 'direct the': 243392, 'community not': 190005, 'of especially': 583154, 'especially essential': 280472, 'item required': 463609, 'required be': 713347, 'in safeguarding': 427619, 'safeguarding transmission': 730242, 'imagine packet': 416763, 'of facemasks': 583363, 'facemasks 150k': 295119, '150k now': 3964, 'now packet': 575501, 'chloroquine 100k': 177583, 'the president also': 864252, 'president also needed': 670754, 'also needed to': 48557, 'needed to direct': 556532, 'to direct the': 904322, 'direct the business': 243393, 'business community not': 143554, 'community not take': 190006, 'not take advantage': 571897, 'the situation to': 867280, 'situation to hike': 772537, 'price of especially': 675444, 'of especially essential': 583156, 'especially essential item': 280473, 'essential item required': 281226, 'item required be': 463610, 'required be used': 713348, 'be used in': 117917, 'used in safeguarding': 949943, 'in safeguarding transmission': 427620, 'safeguarding transmission of': 730243, '19 imagine packet': 7681, 'imagine packet of': 416764, 'packet of facemasks': 633705, 'of facemasks 150k': 583364, 'facemasks 150k now': 295120, '150k now packet': 3965, 'now packet of': 575502, 'packet of chloroquine': 633703, 'of chloroquine 100k': 581386, 'loosened': 503212, 'shopper wearing': 761812, 'gear returned': 344980, 'wuhan the': 1013518, 'city loosened': 179248, 'loosened related': 503215, 'related restriction': 708538, 'shopper wearing protective': 761813, 'wearing protective gear': 974769, 'protective gear returned': 685760, 'gear returned to': 344981, 'returned to supermarket': 719981, 'supermarket in wuhan': 821004, 'in wuhan the': 431006, 'wuhan the city': 1013519, 'the city loosened': 850945, 'city loosened related': 179250, 'loosened related restriction': 503216, 'toiletpanicpanic': 921665, 'maybe those': 521853, 'who buy': 988356, 'could try': 209793, 'instead how': 440208, 'own toilet': 632274, 'paper coronacrisis': 640049, 'coronacrisis toiletpaperapocalypse': 204837, 'toiletpaperapocalypse toiletpanicpanic': 922927, 'maybe those people': 521855, 'people who buy': 650269, 'who buy all': 988357, 'all the tp': 44949, 'the tp at': 869838, 'supermarket could try': 819830, 'could try this': 209795, 'try this instead': 934593, 'this instead how': 888139, 'instead how to': 440209, 'your own toilet': 1025166, 'own toilet paper': 632275, 'toilet paper coronacrisis': 921240, 'paper coronacrisis toiletpaperapocalypse': 640050, 'coronacrisis toiletpaperapocalypse toiletpanicpanic': 204838, 'meet alan': 527406, 'alan supermarket': 40662, 'like him': 490431, 'him are': 396547, 'stocked without': 803472, 'there wouldn': 879379, 'fridge during': 333387, 'meet alan supermarket': 527407, 'alan supermarket staff': 40663, 'supermarket staff like': 822862, 'staff like him': 792617, 'like him are': 490432, 'him are working': 396548, 'clock to keep': 182415, 'keep the shelf': 472070, 'the shelf stocked': 866882, 'shelf stocked without': 757590, 'stocked without them': 803473, 'without them there': 1002994, 'them there wouldn': 876408, 'there wouldn be': 879380, 'wouldn be any': 1012437, 'be any food': 113648, 'any food in': 79237, 'food in your': 314984, 'your fridge during': 1023962, 'fridge during the': 333389, 'my pharmacy': 549748, 'so crowded': 776819, 'crowded in': 219320, 'life like': 488846, 'all what': 45439, 'distancing stayhomechallenge': 247505, 'stayhomechallenge quarantinelife': 798273, 'never seen my': 558176, 'seen my pharmacy': 747147, 'my pharmacy and': 549749, 'store so crowded': 810218, 'so crowded in': 776820, 'crowded in my': 219321, 'my life like': 549025, 'life like all': 488847, 'like all what': 489748, 'all what happened': 45440, 'happened to social': 377281, 'social distancing stayhomechallenge': 779728, 'distancing stayhomechallenge quarantinelife': 247506, 'rwanda so': 728749, 're stuck': 699626, 'society to': 781334, 'spreading cannot': 790940, 'believe you': 126425, 'offering discount': 595075, 'discount kindly': 244488, 'kindly slash': 475167, 'slash your': 773605, 'please this': 660675, 'not profit': 571108, 'profit making': 682799, 'making event': 511050, 'event for': 284981, 'rwanda so we': 728750, 'we re stuck': 972977, 're stuck at': 699627, 'home to help': 402323, 'help our society': 390238, 'our society to': 624834, 'society to stop': 781335, 'stop spreading cannot': 805056, 'spreading cannot believe': 790941, 'cannot believe you': 161677, 'believe you re': 126428, 're not offering': 699107, 'not offering discount': 570730, 'offering discount kindly': 595078, 'discount kindly slash': 244489, 'kindly slash your': 475168, 'slash your price': 773606, 'your price please': 1025412, 'price please this': 675888, 'please this is': 660677, 'is not profit': 450161, 'not profit making': 571110, 'profit making event': 682802, 'making event for': 511051, 'event for you': 284986, 'nephron': 557423, 'you drug': 1018369, 'drug healthcare': 260970, 'healthcare sarscov2': 387268, 'sarscov2 medicine': 736848, 'medicine nephron': 526845, 'nephron southcarolina': 557424, 'thank you drug': 841719, 'you drug healthcare': 1018370, 'drug healthcare sarscov2': 260971, 'healthcare sarscov2 medicine': 387269, 'sarscov2 medicine nephron': 736849, 'medicine nephron southcarolina': 526846, 'makoya': 511520, 'mian': 530208, 'chol': 177856, 'recommending': 704812, 'despised': 238652, 'jieng': 465466, 'ssot': 791672, 'so makoya': 777632, 'makoya mian': 511521, 'mian chol': 530209, 'chol is': 177857, 'is recommending': 451354, 'recommending the': 704817, 'sanitizer capable': 734636, 'of killing': 585637, 'killing virus': 474726, 'hand went': 375974, 'what ha': 981531, 'been despised': 120961, 'despised by': 238653, 'by jieng': 152960, 'jieng all': 465467, 'along next': 47009, 'time never': 897254, 'never discourage': 557956, 'discourage me': 244621, 'me from': 522779, 'taking makoya': 833432, 'makoya ssot': 511523, 'so makoya mian': 777633, 'makoya mian chol': 511522, 'mian chol is': 530210, 'chol is what': 177858, 'what the world': 982375, 'world is recommending': 1009716, 'is recommending the': 451356, 'recommending the only': 704818, 'the only sanitizer': 862337, 'only sanitizer capable': 611084, 'sanitizer capable of': 734637, 'capable of killing': 162483, 'of killing virus': 585639, 'killing virus covid': 474727, '19 in our': 7773, 'in our hand': 426300, 'our hand went': 623354, 'hand went to': 375975, 'to buy what': 902336, 'buy what ha': 149453, 'what ha been': 981532, 'ha been despised': 369775, 'been despised by': 120962, 'despised by jieng': 238654, 'by jieng all': 152961, 'jieng all along': 465468, 'all along next': 41991, 'along next time': 47010, 'next time never': 561605, 'time never discourage': 897255, 'never discourage me': 557957, 'discourage me from': 244622, 'me from taking': 522790, 'from taking makoya': 337543, 'taking makoya ssot': 833433, 'ei': 270151, 'some reliable': 783720, 'managing your': 512919, 'epidemic includes': 279391, 'includes link': 431772, 'link explaining': 493826, 'explaining the': 292188, 'rule regarding': 727333, 'regarding ei': 707205, 'ei health': 270158, 'health coverage': 386315, 'coverage thank': 212381, 'for sharing': 325523, 'sharing widely': 755625, 'some reliable information': 783721, 'reliable information on': 709210, 'information on managing': 437918, 'on managing your': 601988, 'managing your finance': 512920, 'the epidemic includes': 854439, 'epidemic includes link': 279392, 'includes link explaining': 431773, 'link explaining the': 493827, 'explaining the new': 292190, 'new rule regarding': 559527, 'rule regarding ei': 727334, 'regarding ei health': 707206, 'ei health coverage': 270159, 'health coverage thank': 386316, 'coverage thank you': 212382, 'you for sharing': 1018668, 'for sharing widely': 325533, 'pmmodi': 662057, 'pmoindia': 662072, 'honorable pm': 403267, 'pm sir': 661982, 'sir with': 771680, 'current scenario': 221352, 'scenario regarding': 741283, '19 sir': 10559, 'sir our': 771619, 'our company': 622495, 'ha developed': 370367, 'developed online': 239725, 'to realtime': 912870, 'realtime shopping': 702771, 'shopping solution': 763940, 'solution involving': 782048, 'involving local': 444404, 'be only': 116234, 'only solution': 611163, 'to current': 903824, 'crisis well': 218364, 'for future': 321823, 'future market': 342383, 'market pmmodi': 516866, 'pmmodi pmoindia': 662060, 'pmoindia onlineshopping': 662073, 'onlineshopping ad': 609881, 'honorable pm sir': 403270, 'pm sir with': 661985, 'sir with current': 771681, 'with current scenario': 997888, 'current scenario regarding': 221353, 'scenario regarding covid': 741284, 'covid 19 sir': 213808, '19 sir our': 10560, 'sir our company': 771620, 'our company ha': 622498, 'company ha developed': 190708, 'ha developed online': 370372, 'developed online to': 239726, 'online to realtime': 609596, 'to realtime shopping': 912871, 'realtime shopping solution': 702772, 'shopping solution involving': 763942, 'solution involving local': 782049, 'involving local business': 444405, 'local business which': 497782, 'business which will': 144661, 'will be only': 992590, 'be only solution': 116236, 'only solution to': 611164, 'solution to current': 782095, 'to current crisis': 903825, 'current crisis well': 221163, 'crisis well for': 218365, 'well for future': 978247, 'for future market': 321826, 'future market pmmodi': 342385, 'market pmmodi pmoindia': 516867, 'pmmodi pmoindia onlineshopping': 662061, 'pmoindia onlineshopping ad': 662074, 'amsterdam': 54935, 'from amsterdam': 334471, 'amsterdam ikea': 54936, 'news from amsterdam': 560451, 'from amsterdam ikea': 334472, 'amsterdam ikea close': 54937, 'need hazard': 554960, 'pay right': 645090, 'with healthcare': 998750, 'society will': 781363, 'literally collapse': 494971, 'collapse without': 186079, 'somehow it': 784323, 'worth minimum': 1011399, 'wage fight': 963860, 'and strike': 72573, 'strike for': 813739, '30 hour': 17072, 'paid benefit': 633983, 'and sick': 71636, 'store worker need': 811546, 'worker need hazard': 1007423, 'need hazard pay': 554961, 'hazard pay right': 384573, 'pay right now': 645091, 'they are on': 881347, 'front line with': 338623, 'line with healthcare': 493578, 'with healthcare and': 998751, 'healthcare and society': 387033, 'and society will': 71925, 'society will literally': 781365, 'will literally collapse': 994028, 'literally collapse without': 494972, 'collapse without them': 186081, 'without them but': 1002991, 'them but somehow': 875499, 'but somehow it': 147114, 'somehow it worth': 784324, 'it worth minimum': 462569, 'worth minimum wage': 1011400, 'minimum wage fight': 533230, 'wage fight and': 963861, 'fight and strike': 304657, 'and strike for': 72574, 'strike for 30': 813740, 'for 30 hour': 318801, '30 hour of': 17074, 'hour of paid': 405803, 'of paid benefit': 587663, 'paid benefit and': 633984, 'benefit and sick': 126921, 'and sick leave': 71638, 'txlege': 937466, 'of email': 583020, 'my inbox': 548836, 'inbox trying': 431261, 'scam me': 740246, 'me into': 522989, 'into buying': 442440, 'buying item': 150612, 'novel cyber': 573771, 'criminal never': 216857, 'take break': 831994, 'break they': 138810, 'they switch': 883516, 'switch tactic': 830508, 'alert here': 41446, 'texas ag': 839735, 'ag txlege': 36848, 'have seen an': 382418, 'increase in the': 432873, 'in the number': 429408, 'number of email': 576940, 'of email in': 583022, 'email in my': 272209, 'in my inbox': 425589, 'my inbox trying': 548838, 'inbox trying to': 431262, 'trying to scam': 934865, 'to scam me': 913864, 'scam me into': 740247, 'me into buying': 522991, 'into buying item': 442441, 'buying item in': 150614, 'item in response': 463352, 'the novel cyber': 861911, 'novel cyber criminal': 573772, 'cyber criminal never': 223927, 'criminal never take': 216858, 'never take break': 558213, 'take break they': 831999, 'break they switch': 138811, 'they switch tactic': 883517, 'switch tactic please': 830509, 'tactic please stay': 831712, 'please stay alert': 660543, 'stay alert here': 796756, 'alert here is': 41447, 'here is good': 393227, 'is good info': 448145, 'from the texas': 337897, 'the texas ag': 869338, 'texas ag txlege': 839736, 'ny 18': 577829, '18 to': 4593, 'to 49': 899732, '49 year': 19409, 'old make': 598338, 'all case': 42308, 'state price': 795869, 'of surgical': 590523, 'mask triple': 519448, 'triple due': 932245, 'demand over': 235998, 'over supply': 630665, 'supply capitalism': 824886, 'ny 18 to': 577830, '18 to 49': 4594, 'to 49 year': 899733, '49 year old': 19410, 'year old make': 1014846, 'old make up': 598339, 'make up more': 510687, 'up more than': 945407, 'than half of': 840719, 'half of all': 374217, 'of all case': 579930, 'all case in': 42311, 'the state price': 867804, 'state price of': 795871, 'price of surgical': 675580, 'of surgical mask': 590524, 'surgical mask triple': 828371, 'mask triple due': 519449, 'triple due to': 932246, 'to demand over': 904151, 'demand over supply': 235999, 'over supply capitalism': 630666, 'supply capitalism at': 824887, 'flew': 310337, 'aren screening': 92511, 'screening at': 742759, 'the airport': 848504, 'airport my': 40110, 'brother just': 141077, 'just flew': 468732, 'flew back': 310338, 'from nz': 336623, 'nz through': 578209, 'through la': 894548, 'la and': 478125, 'and absolutely': 57565, 'absolutely nothing': 27411, 'nothing he': 573035, 'he thankfully': 385508, 'thankfully is': 841951, 'quarantine right': 692496, 'going straight': 355471, 'just wondering why': 470333, 'wondering why we': 1004212, 'why we aren': 991517, 'we aren screening': 970774, 'aren screening at': 92512, 'screening at the': 742760, 'at the airport': 100873, 'the airport my': 848509, 'airport my brother': 40111, 'my brother just': 547561, 'brother just flew': 141078, 'just flew back': 468733, 'flew back from': 310339, 'back from nz': 107012, 'from nz through': 336624, 'nz through la': 578210, 'through la and': 894549, 'la and absolutely': 478126, 'and absolutely nothing': 57567, 'absolutely nothing he': 27412, 'nothing he thankfully': 573037, 'he thankfully is': 385509, 'thankfully is going': 841952, 'going to quarantine': 355682, 'to quarantine right': 912647, 'quarantine right away': 692497, 'right away but': 721786, 'away but some': 105800, 'some people are': 783504, 'are going straight': 86899, 'going straight to': 355472, 'straight to the': 812245, 'homeschoolbandandtunes': 402926, 'governorandrewcuomo': 361032, 'funniesttweets': 341691, 'funniest': 341686, 'the with': 871635, 'with humor': 998912, 'humor diff': 410862, 'diff size': 241796, 'size style': 772803, 'style color': 815598, 'available homeschoolbandandtunes': 104423, 'homeschoolbandandtunes governorandrewcuomo': 402927, 'governorandrewcuomo toiletpaper': 361033, 'toiletpaperpanic humor': 923219, 'humor funniesttweets': 410874, 'funniesttweets funniest': 341692, 'fight the with': 304910, 'the with humor': 871638, 'with humor diff': 998913, 'humor diff size': 410863, 'diff size style': 241797, 'size style color': 772804, 'style color available': 815599, 'color available homeschoolbandandtunes': 186728, 'available homeschoolbandandtunes governorandrewcuomo': 104424, 'homeschoolbandandtunes governorandrewcuomo toiletpaper': 402928, 'governorandrewcuomo toiletpaper toiletpaperpanic': 361034, 'toiletpaper toiletpaperpanic humor': 922696, 'toiletpaperpanic humor funniesttweets': 923220, 'humor funniesttweets funniest': 410875, 'ttxs': 935005, 'modelling': 535334, 'anticipatory': 78500, 'regional grocery': 707508, 'store started': 810344, 'started watching': 794900, 'watching for': 968739, 'second week': 743868, 'january when': 464695, 'started popping': 794809, 'china an': 176474, 'issue heb': 455784, 'heb responded': 388683, 'responded with': 715368, 'with ttxs': 1001856, 'ttxs transmission': 935006, 'transmission modelling': 929746, 'modelling and': 535335, 'and anticipatory': 58189, 'anticipatory policy': 78501, 'change ahead': 171891, 'most government': 542353, 'regional grocery store': 707509, 'grocery store started': 365798, 'store started watching': 810348, 'started watching for': 794901, 'watching for the': 968740, 'for the the': 326726, 'the the second': 869399, 'the second week': 866597, 'second week in': 743869, 'week in january': 976374, 'in january when': 424366, 'january when it': 464696, 'when it started': 983649, 'it started popping': 461225, 'started popping up': 794810, 'popping up in': 664521, 'up in china': 945150, 'in china an': 421387, 'china an issue': 176475, 'an issue heb': 56481, 'issue heb responded': 455785, 'heb responded with': 388684, 'responded with ttxs': 715370, 'with ttxs transmission': 1001857, 'ttxs transmission modelling': 935007, 'transmission modelling and': 929747, 'modelling and anticipatory': 535336, 'and anticipatory policy': 58190, 'anticipatory policy change': 78502, 'policy change ahead': 663364, 'change ahead of': 171892, 'ahead of most': 39188, 'of most government': 586674, 'snakepark': 776062, 'doornkop': 255833, 'the resident': 865577, 'of snakepark': 589795, 'snakepark doornkop': 776063, 'doornkop are': 255834, 'are queueing': 89387, 'queueing at': 694166, 'without following': 1002648, 'following necessary': 312798, 'precaution this': 669378, 'currently happening': 221553, 'might get': 530987, 'get mass': 347530, 'mass infection': 519797, 'an informal': 56321, 'informal settlement': 437691, 'settlement no': 753718, 'the resident of': 865579, 'resident of snakepark': 714345, 'of snakepark doornkop': 589796, 'snakepark doornkop are': 776064, 'doornkop are queueing': 255835, 'are queueing at': 89388, 'queueing at local': 694167, 'local supermarket without': 498618, 'supermarket without following': 823951, 'without following necessary': 1002649, 'following necessary precaution': 312799, 'necessary precaution this': 554047, 'precaution this is': 669379, 'this is currently': 888225, 'is currently happening': 446993, 'currently happening outside': 221554, 'supermarket we might': 823748, 'we might get': 972371, 'might get mass': 530989, 'get mass infection': 347531, 'mass infection in': 519798, 'infection in an': 436771, 'in an informal': 420313, 'an informal settlement': 56322, 'informal settlement no': 437692, 'settlement no one': 753719, 'wearing mask or': 974705, 'ensured': 278141, 'disgusted they': 245375, 'now trying': 576229, 'an error': 55804, 'error but': 280224, 'but bet': 145291, 'changed price': 172534, 'if hadn': 414191, 'hadn exposed': 373849, 'exposed them': 292881, 'may just': 521304, 'have ensured': 380475, 'ensured that': 278144, 'only pharmacy': 610968, 'disgusted they now': 245376, 'they now trying': 882805, 'now trying to': 576230, 'trying to say': 934864, 'say it wa': 738863, 'wa an error': 961530, 'an error but': 55805, 'error but bet': 280225, 'but bet they': 145293, 'bet they wouldn': 128119, 'wouldn have changed': 1012475, 'have changed price': 379941, 'changed price if': 172535, 'price if hadn': 674615, 'if hadn exposed': 414192, 'hadn exposed them': 373850, 'exposed them they': 292882, 'them they may': 876419, 'they may just': 882664, 'may just have': 521305, 'just have ensured': 468933, 'have ensured that': 380477, 'ensured that they': 278147, 'they re the': 883142, 're the only': 699698, 'the only pharmacy': 862329, 'only pharmacy to': 610969, 'pharmacy to go': 654517, 'of business in': 580958, 'business in this': 143907, 'gogglebox': 354933, 'gilbey': 350106, 'gogglebox george': 354934, 'george gilbey': 346007, 'gilbey reveals': 350107, 'reveals he': 720320, 'he working': 385688, 'he join': 385157, 'gogglebox george gilbey': 354935, 'george gilbey reveals': 346008, 'gilbey reveals he': 350108, 'reveals he working': 720322, 'he working in': 385689, 'supermarket he join': 820725, 'he join the': 385159, 'seriously my': 751671, 'of regular': 588888, 'regular sugar': 707875, 'sugar and': 817422, 'and flour': 62983, 'flour apparently': 311072, 'gonna fight': 356523, 'with baked': 997361, 'baked good': 108769, 'seriously my grocery': 751672, 'store wa out': 811118, 'out of regular': 626818, 'of regular sugar': 588892, 'regular sugar and': 707876, 'sugar and flour': 817423, 'and flour apparently': 62985, 'flour apparently we': 311073, 'we are gonna': 970579, 'are gonna fight': 86916, 'gonna fight with': 356524, 'fight with baked': 304950, 'with baked good': 997362, 'is hit': 448499, 'nursing assistant': 577598, 'assistant grocery': 96780, 'worker garbage': 1007009, 'fed and': 301777, 'and supplied': 72763, 'supplied take': 824468, 'economy is hit': 268005, 'is hit by': 448500, 'seeing the real': 746505, 'real hero of': 701203, 'doctor nursing assistant': 251041, 'nursing assistant grocery': 577600, 'assistant grocery store': 96781, 'ups worker garbage': 947784, 'worker garbage collector': 1007010, 'garbage collector people': 343523, 'healthy fed and': 387606, 'fed and supplied': 301782, 'and supplied take': 72765, 'supplied take care': 824469, 'care of them': 164119, 'revamping': 720229, 'another big': 77514, 'retail announcement': 717843, 'announcement in': 77163, 'pandemic release': 636322, 'release this': 709000, 'this official': 889204, 'official statement': 595936, 'statement regarding': 796211, 'closure while': 184065, 'while revamping': 987220, 'revamping it': 720230, 'presence so': 670562, 'enjoy their': 277193, 'their favorite': 873293, 'favorite selection': 300550, 'selection bathandbodyworks': 747518, 'another big retail': 77515, 'big retail announcement': 129961, 'retail announcement in': 717844, 'announcement in the': 77165, 'the pandemic release': 863075, 'pandemic release this': 636323, 'release this official': 709001, 'this official statement': 889205, 'official statement regarding': 595940, 'statement regarding store': 796212, 'regarding store closure': 707269, 'store closure while': 807114, 'closure while revamping': 184066, 'while revamping it': 987221, 'revamping it online': 720231, 'it online presence': 460085, 'online presence so': 608790, 'presence so customer': 670563, 'so customer can': 776824, 'customer can continue': 222224, 'continue to enjoy': 201186, 'to enjoy their': 905133, 'enjoy their favorite': 277196, 'their favorite selection': 873295, 'favorite selection bathandbodyworks': 300551, 'all practice': 44009, 'very simple': 955546, 'simple free': 770022, 'through easyfundraising': 894436, 'easyfundraising we': 265825, 'receive donation': 703465, 'do visit': 250442, 'we all practice': 970353, 'all practice socialdistancing': 44011, 'practice socialdistancing more': 668661, 'shopping will take': 764418, 'will take place': 995077, 'take place online': 832505, 'place online very': 657624, 'online very simple': 609671, 'very simple free': 955547, 'simple free way': 770023, 'is to shop': 453240, 'to shop through': 914495, 'shop through easyfundraising': 760934, 'through easyfundraising we': 894438, 'easyfundraising we will': 265826, 'we will receive': 973896, 'will receive donation': 994591, 'receive donation from': 703467, 'donation from the': 254617, 'from the retailer': 337858, 'the retailer if': 865741, 'you do visit': 1018277, 'mistake': 534462, 'may get': 521201, 'get lot': 347501, 'lot harder': 504058, 'harder one': 378177, 'biggest mistake': 130275, 'mistake supermarket': 534478, 'made early': 507720, 'on wa': 605080, 'not allowing': 568151, 'allowing employee': 46280, 'glove the': 352945, 'they wanted': 883719, 'buying food may': 150321, 'food may get': 315417, 'may get lot': 521205, 'get lot harder': 347502, 'lot harder one': 504059, 'harder one of': 378178, 'of the biggest': 590820, 'the biggest mistake': 849664, 'biggest mistake supermarket': 130277, 'mistake supermarket made': 534479, 'supermarket made early': 821420, 'made early on': 507721, 'early on wa': 264667, 'on wa not': 605081, 'wa not allowing': 962757, 'not allowing employee': 568153, 'allowing employee to': 46281, 'employee to wear': 274340, 'and glove the': 63739, 'glove the way': 352946, 'way they wanted': 969965, 'they wanted to': 883724, 'iwaya': 464062, 'slum': 774662, 'our door': 622799, 'door covid': 255558, 'to iwaya': 908637, 'iwaya slum': 464063, 'slum you': 774669, 'too can': 924639, 'the lagos': 858917, 'lagos food': 478927, 'bank meet': 110001, 'donating below': 254437, 'below if': 126669, 'part our': 642400, 'food relief': 316156, 'relief intervention': 709369, 'intervention and': 442176, 'and pr': 69295, 'our door to': 622800, 'to door covid': 904666, 'door covid 19': 255559, '19 emergency relief': 6763, 'emergency relief package': 272917, 'relief package to': 709428, 'package to iwaya': 633431, 'to iwaya slum': 908638, 'iwaya slum you': 464064, 'slum you too': 774670, 'you too can': 1021882, 'too can help': 924640, 'help the lagos': 390660, 'the lagos food': 858918, 'lagos food bank': 478928, 'food bank meet': 313599, 'bank meet the': 110004, '19 crisis by': 6222, 'crisis by donating': 217170, 'by donating below': 152401, 'donating below if': 254438, 'below if you': 126670, 'wish to be': 996834, 'be part our': 116359, 'part our food': 642401, 'our food relief': 623124, 'food relief intervention': 316160, 'relief intervention and': 709370, 'intervention and pr': 442177, 'chatted': 173988, 'today chatted': 919366, 'chatted with': 173992, 'folk and': 312081, 'and almost': 57925, 'almost everyone': 46626, 'wa afraid': 961450, 'afraid but': 34974, 'but very': 147686, 'very friendly': 955175, 'even kinda': 284273, 'kinda casual': 475039, 'casual if': 166795, 'family when': 298370, 'thing blow': 884192, 'over really': 630560, 'this feeling': 887533, 'feeling of': 303033, 'of cooperation': 581869, 'cooperation amp': 203155, 'amp empathy': 53710, 'empathy outside': 273359, 'store today chatted': 810837, 'today chatted with': 919367, 'chatted with so': 173993, 'so many folk': 777660, 'many folk and': 514076, 'folk and almost': 312082, 'and almost everyone': 57928, 'almost everyone wa': 46629, 'everyone wa afraid': 287533, 'wa afraid but': 961451, 'afraid but very': 34976, 'but very friendly': 147688, 'very friendly and': 955176, 'friendly and even': 333941, 'and even kinda': 62340, 'even kinda casual': 284274, 'kinda casual if': 475040, 'casual if we': 166796, 'we were all': 973780, 'were all family': 979281, 'all family when': 42756, 'family when the': 298371, 'when the thing': 984206, 'the thing blow': 869452, 'thing blow over': 884193, 'blow over really': 133343, 'over really going': 630561, 'really going to': 702230, 'going to miss': 355655, 'miss this feeling': 534206, 'this feeling of': 887535, 'feeling of cooperation': 303034, 'of cooperation amp': 581870, 'cooperation amp empathy': 203156, 'amp empathy outside': 53711, 'monies': 537262, 'looted': 503240, 'post nigeria': 666220, 'nigeria will': 562824, 'tested to': 839380, 'how sustainable': 408772, 'sustainable we': 829810, 'are dwindling': 86034, 'dwindling oil': 263694, 'price monies': 675256, 'monies being': 537263, 'being spent': 125842, 'spent for': 789124, 'more expense': 539173, 'expense whether': 291213, 'whether used': 985605, 'used or': 949986, 'or looted': 616010, 'looted on': 503245, 'what footing': 981464, 'footing are': 318551, 'with when': 1002082, 'post nigeria will': 666221, 'nigeria will be': 562825, 'will be tested': 992719, 'be tested to': 117565, 'tested to see': 839382, 'see how sustainable': 745250, 'how sustainable we': 408773, 'sustainable we are': 829811, 'we are dwindling': 970536, 'are dwindling oil': 86036, 'dwindling oil price': 263695, 'oil price monies': 597194, 'price monies being': 675257, 'monies being spent': 537264, 'being spent for': 125843, 'spent for the': 789125, 'pandemic and more': 634884, 'and more expense': 67168, 'more expense whether': 539174, 'expense whether used': 291214, 'whether used or': 985606, 'used or looted': 949987, 'or looted on': 616011, 'looted on what': 503246, 'on what footing': 605221, 'what footing are': 981465, 'footing are we': 318552, 'going to begin': 355537, 'begin with when': 123605, 'with when is': 1002083, 'when is all': 983612, 'someone telling': 784680, 'me story': 523556, 'story earlier': 811957, 'earlier about': 264416, 'about home': 25407, 'home carer': 400879, 'carer they': 164560, 'employ in': 273443, 'edinburgh having': 268570, 'trolley stolen': 932473, 'from behind': 334664, 'behind their': 124730, 'their back': 872543, 'for client': 320125, 'client in': 182051, 'supermarket some': 822771, 'folk really': 312242, 'really have': 702268, 'someone telling me': 784681, 'telling me story': 837228, 'me story earlier': 523558, 'story earlier about': 811958, 'earlier about home': 264417, 'about home carer': 25408, 'home carer they': 400880, 'carer they employ': 164561, 'they employ in': 882037, 'employ in edinburgh': 273444, 'in edinburgh having': 422497, 'edinburgh having their': 268571, 'having their trolley': 384327, 'their trolley stolen': 875036, 'trolley stolen from': 932474, 'stolen from behind': 804289, 'from behind their': 334670, 'behind their back': 124731, 'their back while': 872544, 'back while shopping': 107466, 'while shopping for': 987265, 'shopping for client': 762663, 'for client in': 320128, 'client in supermarket': 182052, 'in supermarket some': 428673, 'supermarket some folk': 822773, 'some folk really': 782850, 'folk really have': 312243, 'really have no': 702270, 'intensifies': 441106, 'scarsdale': 741117, 'largo': 480042, '1st related': 12784, 'related employee': 708432, 'employee death': 273757, 'death at': 229978, 'chain lead': 170884, 'closure increasing': 183919, 'increasing anxiety': 433552, 'anxiety among': 78647, 'among grocery': 53008, 'pandemic intensifies': 635744, 'intensifies trader': 441111, 'joe scarsdale': 466438, 'scarsdale ny': 741122, 'ny giant': 577866, 'giant store': 349867, 'store largo': 808668, 'largo md': 480047, 'md walmart': 522294, 'walmart chicago': 965296, '1st related employee': 12785, 'related employee death': 708433, 'employee death at': 273758, 'death at major': 229980, 'supermarket chain lead': 819618, 'chain lead to': 170885, 'lead to store': 483390, 'to store closure': 915611, 'store closure increasing': 807096, 'closure increasing anxiety': 183920, 'increasing anxiety among': 433553, 'anxiety among grocery': 78648, 'among grocery worker': 53010, 'worker pandemic intensifies': 1007541, 'pandemic intensifies trader': 635747, 'intensifies trader joe': 441112, 'trader joe scarsdale': 928719, 'joe scarsdale ny': 466439, 'scarsdale ny giant': 741123, 'ny giant store': 577867, 'giant store largo': 349869, 'store largo md': 808669, 'largo md walmart': 480049, 'md walmart chicago': 522295, 'walmart chicago area': 965297, 'even person': 284464, 'on isolation': 601639, 'stuff and': 815003, 'and expose': 62539, 'this crowd': 887123, 'cannot simply': 162096, 'simply order': 770251, 'online high': 608371, 'even person who': 284465, 'person who might': 652732, 'might be on': 530920, 'be on isolation': 116200, 'on isolation because': 601640, 'isolation because of': 455215, '19 ha to': 7397, 'go to these': 354372, 'to these supermarket': 917355, 'these supermarket to': 880777, 'buy the stuff': 149309, 'the stuff and': 868324, 'stuff and expose': 815005, 'and expose themselves': 62542, 'themselves to this': 876916, 'to this crowd': 917417, 'this crowd just': 887125, 'crowd just because': 219193, 'because they cannot': 119692, 'they cannot simply': 881715, 'cannot simply order': 162097, 'simply order online': 770252, 'order online high': 618470, 'online high risk': 608372, 'lingo': 493723, 'with travel': 1001838, 'travel agent': 930237, 'agent adviser': 38144, 'adviser thanks': 33667, 'to centre': 902569, 'centre and': 169479, 'the insider': 858315, 'insider lingo': 439476, 'lingo they': 493724, 'they shared': 883333, 'shared might': 755428, 'help ton': 390803, 'people whose': 650364, 'whose travel': 990682, 'adviser are': 33659, 'are overwhelmed': 88934, 'overwhelmed 18': 631711, '18 19': 4487, 'dealing with travel': 229699, 'with travel agent': 1001840, 'travel agent adviser': 930238, 'agent adviser thanks': 38146, 'adviser thanks to': 33668, 'thanks to centre': 842212, 'to centre and': 902570, 'centre and the': 169483, 'and the insider': 73429, 'the insider lingo': 858317, 'insider lingo they': 439477, 'lingo they shared': 493725, 'they shared might': 883335, 'shared might help': 755429, 'might help ton': 531037, 'help ton of': 390804, 'ton of people': 924279, 'of people whose': 588025, 'people whose travel': 650370, 'whose travel agent': 990683, 'agent adviser are': 38145, 'adviser are overwhelmed': 33660, 'are overwhelmed 18': 88935, 'overwhelmed 18 19': 631712, 'empathizes': 273339, 'periodically': 651944, 'egift': 270060, 'we empathizes': 971440, 'empathizes those': 273340, '19 periodically': 9653, 'periodically we': 651947, 'to adjust': 900103, 'adjust fee': 32282, 'fee in': 302183, 'same level': 733141, 'service customer': 752267, 'customer expect': 222349, 'offer variety': 594867, 'no fee': 564206, 'fee egift': 302161, 'egift card': 270061, 'card that': 163664, 'or re': 616784, 'we empathizes those': 971441, 'empathizes those impacted': 273341, 'covid 19 periodically': 213570, '19 periodically we': 9654, 'periodically we need': 651948, 'need to adjust': 555855, 'to adjust fee': 900104, 'adjust fee in': 32283, 'fee in order': 302185, 'maintain the same': 509064, 'the same level': 866252, 'same level of': 733142, 'level of service': 487660, 'of service customer': 589531, 'service customer expect': 752268, 'customer expect from': 222350, 'expect from we': 290647, 'from we offer': 338306, 'we offer variety': 972629, 'offer variety of': 594868, 'variety of no': 952567, 'of no fee': 587038, 'no fee egift': 564208, 'fee egift card': 302162, 'egift card that': 270062, 'card that can': 163665, 'used for online': 949908, 'shopping or re': 763553, 'smash': 775553, 'depending': 237375, 'price reached': 676088, 'reached 24': 700025, '24 per': 15673, 'barrel these': 111293, 'these tension': 880791, 'tension of': 837989, 'will smash': 994875, 'smash economy': 775556, 'country depending': 210577, 'depending on': 237376, 'oil an': 596605, 'essential support': 281635, 'their economy': 873099, 'economy iraq': 267983, 'iraq iran': 444769, 'iran kurdistan': 444693, 'kurdistan saudiarabia': 477961, 'russia golf': 728484, 'golf corona': 356117, 'corona market': 204055, 'oil price reached': 597228, 'price reached 24': 676089, 'reached 24 per': 700026, '24 per barrel': 15674, 'per barrel these': 650711, 'barrel these tension': 111294, 'these tension of': 880792, 'tension of will': 837990, 'of will smash': 593172, 'will smash economy': 994876, 'smash economy of': 775557, 'economy of country': 268111, 'of country depending': 582030, 'country depending on': 210578, 'depending on oil': 237379, 'on oil an': 602487, 'oil an essential': 596607, 'an essential support': 55837, 'essential support to': 281636, 'support to their': 826954, 'to their economy': 917230, 'their economy iraq': 873101, 'economy iraq iran': 267984, 'iraq iran kurdistan': 444770, 'iran kurdistan saudiarabia': 444694, 'kurdistan saudiarabia russia': 477962, 'saudiarabia russia golf': 737360, 'russia golf corona': 728485, 'golf corona market': 356118, 'it entertainment': 457831, 'entertainment going': 278565, 'had week': 373789, 'two shelf': 937205, 'buy then': 149335, 'last worst': 480714, 'it entertainment going': 457832, 'entertainment going through': 278566, 'going through the': 355508, 'through the store': 894767, 'store and seeing': 806342, 'and seeing people': 71163, 'seeing people panic': 746409, 'panic buying stuff': 637913, 'buying stuff that': 151112, 'stuff that had': 815195, 'that had week': 844158, 'had week or': 373791, 'or two shelf': 617571, 'two shelf life': 937206, 'shelf life if': 757281, 'life if you': 488744, 'going to panic': 355665, 'panic buy then': 637536, 'buy then get': 149336, 'then get stuff': 877197, 'get stuff that': 348141, 'stuff that will': 815200, 'that will last': 847589, 'will last worst': 993957, 'last worst case': 480715, 'worst case at': 1011154, 'case at the': 165648, 'end of this': 275920, 'of this you': 592077, 'can donate it': 158139, 'transmitting': 929806, 'crud': 219494, 'government not': 360382, 'not transmitting': 572255, 'transmitting benefit': 929807, 'of fall': 583386, 'in crud': 421921, 'crud oil': 219495, 'mean not': 524571, 'not big': 568569, 'big slash': 130004, 'slash but': 773555, 'but atleast': 145249, 'atleast bring': 101880, 'down like': 256917, 'like petrol': 490994, 'at 60': 97706, '60 per': 20986, 'litre crudeoil': 495141, 'crudeoil petrolprice': 219644, 'why is government': 991106, 'is government not': 448170, 'government not transmitting': 360385, 'not transmitting benefit': 572256, 'transmitting benefit of': 929808, 'benefit of fall': 127042, 'of fall in': 583388, 'fall in crud': 296942, 'in crud oil': 421922, 'crud oil price': 219496, 'price mean not': 675213, 'mean not big': 524572, 'not big slash': 568571, 'big slash but': 130005, 'slash but atleast': 773556, 'but atleast bring': 145250, 'atleast bring it': 101881, 'bring it down': 140011, 'it down like': 457692, 'down like petrol': 256919, 'like petrol price': 490995, 'petrol price at': 653759, 'price at 60': 672790, 'at 60 per': 97708, '60 per litre': 20987, 'per litre crudeoil': 650921, 'litre crudeoil petrolprice': 495142, 'oriented stimulus': 619531, 'stimulus now': 801570, '19 afterwards': 4862, 'afterwards when': 36753, 'confidence return': 193944, 'return package': 719879, 'package stimulus': 633408, 'will temporarily': 995104, 'temporarily reduce': 837526, 'reduce sale': 705924, 'time for consumer': 896699, 'for consumer oriented': 320276, 'consumer oriented stimulus': 198298, 'oriented stimulus now': 619532, 'stimulus now is': 801571, 'time to focus': 897988, 'focus on small': 311897, 'small business hit': 774862, 'hard by covid': 377886, 'covid 19 afterwards': 212595, '19 afterwards when': 4864, 'afterwards when consumer': 36754, 'when consumer confidence': 983278, 'consumer confidence return': 196917, 'confidence return package': 193945, 'return package stimulus': 719880, 'package stimulus package': 633409, 'stimulus package that': 801592, 'that will temporarily': 847615, 'will temporarily reduce': 995106, 'temporarily reduce sale': 837528, 'reduce sale tax': 705925, 'is rolling': 451570, 'rolling out': 725679, 'more new': 539836, 'pandemic expands': 635403, 'expands and': 290521, 'le access': 482829, 'at is rolling': 99309, 'is rolling out': 451571, 'rolling out more': 725681, 'out more new': 626574, 'more new measure': 539837, 'new measure the': 559098, 'measure the covid': 525365, '19 pandemic expands': 9321, 'pandemic expands and': 635404, 'expands and that': 290522, 'and that mean': 73202, 'that mean le': 845113, 'mean le access': 524520, 'le access to': 482830, 'access to it': 28250, 'to it retail': 908610, 'it retail shop': 460747, 'endured': 276317, 'persian': 652252, 'protester': 685943, 'this animation': 886362, 'animation about': 76726, 'the iranian': 858444, 'people endured': 647793, 'endured during': 276318, 'the passing': 863333, 'passing persian': 643394, 'persian year': 652253, 'and heartbreaking': 64417, 'heartbreaking from': 388377, 'from flooding': 335488, 'flooding to': 310762, 'rising gas': 723226, 'of protester': 588567, 'protester to': 685948, 'the plane': 863796, 'plane being': 658378, 'being shot': 125778, 'shot down': 765421, 'this animation about': 886363, 'animation about what': 76727, 'what the iranian': 982327, 'the iranian people': 858446, 'iranian people endured': 444733, 'people endured during': 647794, 'endured during the': 276319, 'during the passing': 263171, 'the passing persian': 863335, 'passing persian year': 643395, 'persian year is': 652254, 'year is well': 1014673, 'is well done': 453843, 'well done and': 978175, 'done and heartbreaking': 254773, 'and heartbreaking from': 64418, 'heartbreaking from flooding': 388379, 'from flooding to': 335489, 'flooding to rising': 310763, 'to rising gas': 913587, 'rising gas price': 723227, 'gas price to': 344040, 'price to the': 677052, 'to the death': 916628, 'death of protester': 230144, 'of protester to': 588568, 'protester to the': 685949, 'to the plane': 916957, 'the plane being': 863797, 'plane being shot': 658379, 'being shot down': 125779, 'shot down and': 765422, 'down and then': 256520, 'reunited': 720136, 'tony': 924547, 'stark': 794152, 'endgame': 276153, 'nhscovidheroes': 562211, 'fortheworld': 329808, 'hope family': 403467, 'are reunited': 89671, 'reunited hope': 720137, 'back sort': 107283, 'normal version': 567391, 'planet ha': 658406, 'been restored': 121844, 'restored if': 717061, 'there ever': 878368, 'ever wa': 285582, 'wa such': 963345, 'such thing': 816811, 'thing tony': 884917, 'tony stark': 924552, 'stark avenger': 794153, 'avenger endgame': 104762, 'endgame bekindtoeachother': 276154, 'bekindtoeachother nhscovidheroes': 126125, 'nhscovidheroes fortheworld': 562216, 'fortheworld stophoarding': 329809, 'hope family are': 403468, 'family are reunited': 297629, 'are reunited hope': 89672, 'reunited hope we': 720138, 'hope we get': 403766, 'get it back': 347395, 'it back sort': 456673, 'back sort of': 107284, 'sort of like': 786127, 'of like normal': 585855, 'like normal version': 490873, 'normal version of': 567392, 'version of the': 954920, 'of the planet': 591340, 'the planet ha': 863802, 'planet ha been': 658407, 'ha been restored': 369901, 'been restored if': 121845, 'restored if there': 717062, 'if there ever': 415067, 'there ever wa': 878369, 'ever wa such': 285584, 'wa such thing': 963350, 'such thing tony': 816814, 'thing tony stark': 884918, 'tony stark avenger': 924553, 'stark avenger endgame': 794154, 'avenger endgame bekindtoeachother': 104763, 'endgame bekindtoeachother nhscovidheroes': 276155, 'bekindtoeachother nhscovidheroes fortheworld': 126126, 'nhscovidheroes fortheworld stophoarding': 562217, 'uk intensive': 938477, 'nurse cry': 577258, 'cry at': 219853, 'shelf coronavirus': 756966, 'panic pile': 638417, 'pile up': 656515, 'up purchase': 945867, 'uk intensive care': 938478, 'intensive care nurse': 441134, 'care nurse cry': 164082, 'nurse cry at': 577260, 'cry at empty': 219854, 'at empty supermarket': 98539, 'supermarket shelf coronavirus': 822451, 'shelf coronavirus panic': 756967, 'coronavirus panic pile': 206524, 'panic pile up': 638418, 'pile up purchase': 656517, 'cyberscout': 223984, 'schoolchildren': 742000, 'datasecurity': 226560, 'cyberscout consumer': 223985, 'alert five': 41404, 'five tip': 309674, 'protect schoolchildren': 684941, 'schoolchildren from': 742001, 'from cyber': 335088, 'cyber threat': 223946, 'threat during': 893658, 'quarantine cybersecurity': 692122, 'cybersecurity cyberthreats': 223994, 'cyberthreats datasecurity': 224015, 'datasecurity phishing': 226562, 'phishing infosec': 654823, 'infosec cybercrime': 438154, 'cybercrime technews': 223962, 'cyberscout consumer alert': 223986, 'consumer alert five': 196142, 'alert five tip': 41405, 'five tip to': 309676, 'to protect schoolchildren': 912329, 'protect schoolchildren from': 684942, 'schoolchildren from cyber': 742002, 'from cyber threat': 335089, 'cyber threat during': 223947, 'threat during covid': 893659, '19 quarantine cybersecurity': 9906, 'quarantine cybersecurity cyberthreats': 692123, 'cybersecurity cyberthreats datasecurity': 223995, 'cyberthreats datasecurity phishing': 224016, 'datasecurity phishing infosec': 226563, 'phishing infosec cybercrime': 654824, 'infosec cybercrime technews': 438155, 'anubis': 78626, 'little online': 495504, 'quarantine gonna': 692224, 'gonna put': 356597, 'put anubis': 690511, 'anubis in': 78627, 'doing little online': 252513, 'little online shopping': 495505, 'shopping here in': 762885, 'here in china': 393143, 'in china in': 421407, 'china in quarantine': 176730, 'in quarantine gonna': 427181, 'quarantine gonna put': 692225, 'gonna put anubis': 356598, 'put anubis in': 690512, 'anubis in this': 78628, 'bushcraft': 143140, 'outbreak show': 628625, 'show housing': 766969, 'market 19': 515892, 'corona prepper': 204113, 'prepper survival': 670387, 'survival bushcraft': 829021, 'bushcraft rt': 143141, 'rt follow': 726762, 'rental price during': 711264, 'price during coronavirus': 673616, 'coronavirus outbreak show': 206409, 'outbreak show housing': 628626, 'show housing market': 766970, 'housing market 19': 407096, 'market 19 corona': 515894, '19 corona prepper': 6053, 'corona prepper survival': 204114, 'prepper survival bushcraft': 670388, 'survival bushcraft rt': 829022, 'bushcraft rt follow': 143142, 'howtospendyourstimulus': 409565, 'some basic': 782382, 'basic research': 112041, 'perception of': 651234, 'of telehealth': 590645, 'telehealth service': 836760, 'service many': 752578, 'minute survey': 533846, 'survey consider': 828842, 'helping learn': 391378, 'matter to': 520640, 'you howtospendyourstimulus': 1019264, 'we re doing': 972857, 're doing some': 698546, 'doing some basic': 252669, 'some basic research': 782385, 'basic research on': 112042, 'research on consumer': 713797, 'consumer perception of': 198351, 'perception of telehealth': 651238, 'of telehealth service': 590646, 'telehealth service many': 836763, 'service many people': 752580, 'people have taken': 648203, 'taken the time': 833076, 'time to fill': 897986, 'to fill out': 905845, 'out the minute': 627392, 'the minute survey': 860675, 'minute survey consider': 533847, 'survey consider helping': 828843, 'consider helping learn': 195018, 'helping learn more': 391379, 'about what matter': 26891, 'what matter to': 981857, 'matter to you': 520641, 'to you howtospendyourstimulus': 918902, 'extraordinary': 293732, 'backwards': 107615, 'truly extraordinary': 933301, 'extraordinary if': 293737, 'not rewarded': 571375, 'rewarded after': 720805, 'some sort': 783903, 'of compensation': 581618, 'compensation like': 191568, 'like bonus': 489923, 'bonus or': 134388, 'or pay': 616523, 'raise then': 695962, 'going backwards': 355049, 'backwards covid': 107616, 'store the people': 810613, 'who work are': 990030, 'work are truly': 1004836, 'are truly extraordinary': 91216, 'truly extraordinary if': 933302, 'extraordinary if they': 293738, 're not rewarded': 699117, 'not rewarded after': 571376, 'rewarded after all': 720806, 'all this with': 45150, 'this with some': 891464, 'with some sort': 1000866, 'some sort of': 783904, 'sort of compensation': 786120, 'of compensation like': 581619, 'compensation like bonus': 191569, 'like bonus or': 489924, 'bonus or pay': 134389, 'or pay raise': 616526, 'pay raise then': 645071, 'raise then think': 695963, 'then think we': 877665, 're going backwards': 698748, 'going backwards covid': 355050, 'backwards covid 19': 107617, 'businesstravel': 144799, 'corona effect': 203927, 'effect italy': 269026, 'worst compared': 1011159, 'other world': 621226, 'offering an': 595013, 'all person': 43947, 'access high': 28145, 'quality service': 691847, 'service at': 752154, 'at economical': 98518, 'economical price': 267374, 'price businesstravel': 672969, 'businesstravel price': 144800, 'price italy': 674931, 'corona effect italy': 203928, 'effect italy the': 269027, 'italy the worst': 462946, 'the worst compared': 872045, 'worst compared to': 1011160, 'the other world': 862565, 'other world people': 621227, 'world people are': 1009887, 'people are stuck': 647095, 'are stuck in': 90599, 'stuck in their': 814601, 'their home we': 873580, 'are offering an': 88655, 'offering an opportunity': 595014, 'opportunity for all': 613605, 'for all person': 319160, 'all person to': 43949, 'person to access': 652652, 'to access high': 899955, 'access high quality': 28146, 'high quality service': 395320, 'quality service at': 691848, 'service at economical': 752155, 'at economical price': 98519, 'economical price businesstravel': 267375, 'price businesstravel price': 672970, 'businesstravel price italy': 144801, 'upi': 947577, 'to transfer': 917705, 'do payment': 249964, 'payment using': 645773, 'using upi': 950785, 'upi if': 947578, 'not possible': 571052, 'possible then': 665818, 'then wash': 877716, 'after taking': 36264, 'taking cash': 833301, 'due to transfer': 262002, 'to transfer of': 917707, 'transfer of cash': 929520, 'of cash can': 581181, 'cash can spread': 166195, 'can spread so': 159710, 'spread so do': 790798, 'so do payment': 776885, 'do payment using': 249965, 'payment using upi': 645774, 'using upi if': 950786, 'upi if possible': 947579, 'if possible and': 414662, 'possible and if': 665571, 'and if it': 64937, 'if it not': 414325, 'it not possible': 459911, 'not possible then': 571057, 'possible then wash': 665819, 'then wash hand': 877717, 'hand after taking': 374733, 'after taking cash': 36265, 'taking cash or': 833302, 'cash or use': 166295, 'appropriate': 83024, 'trump re': 933780, 're oil': 699171, 'industry never': 436003, 'would see': 1012222, 'so low': 777599, 'low help': 505314, 'consumer but': 196684, 'but hurt': 145982, 'hurt great': 411578, 'great industry': 362752, 'some medium': 783274, 'medium ground': 527122, 'ground very': 366555, 'very harmful': 955217, 'harmful for': 378442, 'for russia': 325274, 'get involved': 347382, 'involved at': 444340, 'at appropriate': 98036, 'appropriate time': 83058, 'pres trump re': 670455, 'trump re oil': 933782, 're oil industry': 699172, 'oil industry never': 596890, 'industry never thought': 436004, 'thought would see': 893329, 'would see price': 1012224, 'see price so': 745605, 'price so low': 676508, 'so low help': 777604, 'low help consumer': 505315, 'help consumer but': 389516, 'consumer but hurt': 196686, 'but hurt great': 145983, 'hurt great industry': 411579, 'great industry and': 362753, 'industry and trying': 435651, 'find some medium': 307229, 'some medium ground': 783275, 'medium ground very': 527123, 'ground very harmful': 366556, 'very harmful for': 955218, 'harmful for russia': 378444, 'for russia to': 325280, 'russia to get': 728589, 'to get involved': 906516, 'get involved at': 347383, 'involved at appropriate': 444341, 'at appropriate time': 98037, 'appropriate time trump': 83059, 'time trump oil': 898141, '24 quarantine': 15677, 'quarantine isolated': 692308, 'isolated stayhome': 455028, 'stayhome 14days': 797928, 'online shopping are': 609035, 'shopping are open': 762064, 'are open 24': 88782, 'open 24 quarantine': 612010, '24 quarantine isolated': 15678, 'quarantine isolated stayhome': 692309, 'isolated stayhome 14days': 455029, 'climate dealing': 182215, 'uncertainty across': 939641, 'country some': 211066, 'reach their': 699991, 'with the business': 1001220, 'the business climate': 850161, 'business climate dealing': 143531, 'climate dealing with': 182216, 'dealing with uncertainty': 229700, 'with uncertainty across': 1001890, 'uncertainty across the': 939642, 'the country some': 852157, 'country some local': 211067, 'some local business': 783209, 'business are finding': 143367, 'way to reach': 970077, 'to reach their': 912809, 'reach their consumer': 699992, 'their consumer base': 872852, 'shop normal': 760488, 'normal give': 567161, 'replenish after': 711636, 'buying make': 150694, 'time easier': 896598, 'everyone stoppanicbuying': 287426, 'shop normal give': 760489, 'normal give the': 567162, 'give the supermarket': 350754, 'supermarket the chance': 823211, 'chance to replenish': 171814, 'to replenish after': 913254, 'replenish after all': 711637, 'after all the': 35334, 'panic buying make': 637804, 'buying make these': 150695, 'make these difficult': 510620, 'difficult time easier': 242283, 'time easier for': 896599, 'easier for everyone': 265144, 'for everyone stoppanicbuying': 321239, 'postponing': 666857, 'bureau today': 142813, 'is postponing': 450967, 'postponing some': 666862, 'some data': 782659, 'data collection': 226178, 'collection from': 186433, 'financial industry': 306456, 'allow company': 45932, 'protection bureau today': 685371, 'bureau today announced': 142814, 'today announced that': 919239, 'it is postponing': 459041, 'is postponing some': 450968, 'postponing some data': 666863, 'some data collection': 782661, 'data collection from': 226180, 'collection from the': 186434, 'from the financial': 337698, 'the financial industry': 855218, 'financial industry to': 306458, 'industry to allow': 436165, 'to allow company': 900327, 'allow company to': 45933, 'company to focus': 191227, 'on consumer who': 600084, 'consumer who have': 199521, 'by the economic': 154314, 'the economic slowdown': 853918, 'economic slowdown in': 267306, 'faves': 300451, 'my faves': 548263, 'faves full': 300452, 'full collection': 340531, 'collection online': 186451, 'online please': 608768, 'retweet soap': 720078, 'soap washyourhands': 779152, 'washyourhands supportsmallbusiness': 967927, 'please consider shopping': 659821, 'consider shopping from': 195102, 'shopping from one': 762757, 'from one of': 336685, 'of my faves': 586764, 'my faves full': 548264, 'faves full collection': 300453, 'full collection online': 340532, 'collection online please': 186452, 'online please retweet': 608770, 'please retweet soap': 660413, 'retweet soap washyourhands': 720079, 'soap washyourhands supportsmallbusiness': 779153, 'lota': 504421, 'save toilet': 737690, 'paper how': 640294, 'use lota': 949351, 'lota complete': 504422, 'complete guide': 192098, 'guide full': 368327, 'full link': 340662, 'link toiletpaper': 493953, 'toiletpaper toiletpaperchallenge': 922643, 'toiletpaperchallenge toilet': 922978, 'save toilet paper': 737691, 'toilet paper how': 921310, 'paper how to': 640299, 'how to use': 409105, 'to use lota': 918044, 'use lota complete': 949352, 'lota complete guide': 504423, 'complete guide full': 192099, 'guide full link': 368328, 'full link toiletpaper': 340663, 'link toiletpaper toiletpaperchallenge': 493954, 'toiletpaper toiletpaperchallenge toilet': 922645, 'killer': 474624, 'stealing someone': 799254, 'someone share': 784647, 'you unnecessarily': 1021976, 'unnecessarily store': 942877, 'poor they': 664305, 'they buy': 881586, 'food daily': 314077, 'daily if': 224634, 'empty how': 274914, 'how would': 409259, 'would they': 1012326, 'they survive': 883512, 'survive do': 829149, 'be killer': 115605, 'killer please': 474640, 'please responsible': 660403, 'pakistan epidemic': 634447, 'stealing someone share': 799255, 'someone share if': 784648, 'if you unnecessarily': 415547, 'you unnecessarily store': 1021977, 'unnecessarily store food': 942878, 'store food in': 807769, 'your home think': 1024380, 'home think about': 402281, 'the poor they': 863992, 'poor they buy': 664306, 'they buy food': 881589, 'buy food daily': 148639, 'food daily if': 314078, 'daily if the': 224635, 'the market are': 860087, 'market are empty': 516018, 'are empty how': 86151, 'empty how would': 274916, 'how would they': 409263, 'would they survive': 1012328, 'they survive do': 883513, 'survive do not': 829150, 'not be killer': 568408, 'be killer please': 115606, 'killer please responsible': 474641, 'please responsible citizen': 660404, 'responsible citizen of': 716015, 'of pakistan epidemic': 587673, 'pinto': 656859, 'with pinto': 1000219, 'pinto bean': 656860, 'bean and': 118287, 'and lettuce': 66119, 'lettuce hoarder': 487455, 'know what can': 476943, 'can do with': 158127, 'do with pinto': 250566, 'with pinto bean': 1000220, 'pinto bean and': 656861, 'bean and lettuce': 118288, 'and lettuce hoarder': 66120, 'to real': 912845, 'predict 20': 669548, 'job cannot': 465723, 'over savetheeconomy': 630601, 'do to real': 250400, 'to real estate': 912846, 'estate price predict': 282182, 'price predict 20': 675974, 'predict 20 30': 669549, '20 30 drop': 12899, 'in price and': 426949, 'price and if': 672437, 'your job cannot': 1024526, 'job cannot pay': 465725, 'to sell it': 914155, 'sell it over': 748771, 'it over savetheeconomy': 460210, 'reckoning': 704579, 'ahmed': 39248, 'mukhaini': 545613, 'our gulf': 623328, 'gulf insight': 368642, 'insight no': 439598, 'out covid': 625916, 'price time': 676950, 'of reckoning': 588832, 'reckoning for': 704582, 'for oman': 324059, 'oman by': 598826, 'by ahmed': 151777, 'ahmed ali': 39251, 'ali al': 41691, 'al mukhaini': 40593, 'our gulf insight': 623329, 'gulf insight no': 368643, 'insight no 19': 439599, 'no 19 is': 563560, '19 is out': 8021, 'is out covid': 450658, 'out covid 19': 625917, '19 and plummeting': 5086, 'oil price time': 597292, 'price time of': 676951, 'time of reckoning': 897357, 'of reckoning for': 588833, 'reckoning for oman': 704583, 'for oman by': 324060, 'oman by ahmed': 598827, 'by ahmed ali': 151778, 'ahmed ali al': 39252, 'ali al mukhaini': 41692, 'downturn oil': 257806, 'plummet due': 661270, 'arabia is bracing': 83897, 'an economic downturn': 55580, 'economic downturn oil': 267078, 'downturn oil price': 257807, 'oil price plummet': 597214, 'price plummet due': 675901, 'plummet due to': 661271, 'shalelaw': 754511, 'hotlink': 405280, 'deepens': 231949, 'widening': 991799, 'shalelaw hotlink': 754512, 'hotlink oil': 405283, 'oil collapse': 596676, 'collapse deepens': 185989, 'deepens on': 231950, 'on widening': 605320, 'widening virus': 991807, 'virus measure': 958499, 'measure oilandgas': 525273, 'oilandgas price': 597555, 'price market': 675171, 'market demand': 516279, 'demand trade': 236414, 'trade impact': 928506, 'shalelaw hotlink oil': 754513, 'hotlink oil collapse': 405284, 'oil collapse deepens': 596678, 'collapse deepens on': 185990, 'deepens on widening': 231951, 'on widening virus': 605321, 'widening virus measure': 991808, 'virus measure oilandgas': 958500, 'measure oilandgas price': 525274, 'oilandgas price market': 597556, 'price market demand': 675172, 'market demand trade': 516282, 'demand trade impact': 236415, 'walmart after': 965268, 'after chicago': 35462, 'employee began': 273675, 'suing walmart after': 817740, 'walmart after chicago': 965269, 'after chicago area': 35463, 'after several employee': 36176, 'several employee began': 753836, 'employee began showing': 273676, 'purrell': 690192, 'overhyping': 631258, 'manner': 513291, 'if purrell': 414704, 'purrell is': 690193, 'say indeed': 738798, 'indeed is': 433994, 'is challenge': 446451, 'challenge but': 171416, 'but overhyping': 146737, 'overhyping it': 631259, 'in misleading': 425369, 'misleading manner': 534102, 'manner would': 513311, 'do bad': 249110, 'bad than': 108024, 'than good': 840703, 'the myth': 861176, 'myth in': 551050, 'thread are': 893520, 'really in': 702334, 'air since': 39788, 'case diagnosed': 165714, 'don worry if': 254082, 'worry if purrell': 1010728, 'if purrell is': 414705, 'purrell is sold': 690195, 'sold out at': 781725, 'out at your': 625754, 'your supermarket say': 1026059, 'supermarket say indeed': 822326, 'say indeed is': 738799, 'indeed is challenge': 433995, 'is challenge but': 446452, 'challenge but overhyping': 171418, 'but overhyping it': 146738, 'overhyping it in': 631260, 'it in misleading': 458736, 'in misleading manner': 425370, 'misleading manner would': 534103, 'manner would do': 513312, 'would do bad': 1011764, 'do bad than': 249111, 'bad than good': 108025, 'than good the': 840704, 'good the myth': 357829, 'the myth in': 861178, 'myth in the': 551051, 'in the thread': 429607, 'the thread are': 869506, 'thread are really': 893521, 'are really in': 89479, 'really in air': 702335, 'in air since': 420124, 'air since the': 39789, 'since the first': 770881, 'first case diagnosed': 308560, 'treatment fda': 931068, 'fda cornavirusoutbreak': 300847, 'and treatment fda': 74437, 'treatment fda cornavirusoutbreak': 931069, 'anxiety inducing': 78728, 'inducing event': 435496, 'is now an': 450259, 'now an anxiety': 574016, 'an anxiety inducing': 55342, 'anxiety inducing event': 78729, 'priti': 678768, 'roadblock': 724550, 'protectthenhs': 685850, 'priti patel': 678769, 'patel end': 643967, 'end police': 275939, 'police threat': 663247, 'of tougher': 592343, 'tougher lockdown': 926892, 'lockdown measure': 499648, 'measure such': 525350, 'such roadblock': 816727, 'roadblock and': 724553, 'trolley check': 932389, 'check stayhomesavelives': 174628, 'stayhomesavelives protectthenhs': 798432, 'protectthenhs inthistogether': 685851, 'inthistogether 19': 442310, 'priti patel end': 678771, 'patel end police': 643968, 'end police threat': 275940, 'police threat of': 663248, 'threat of tougher': 893704, 'of tougher lockdown': 592344, 'tougher lockdown measure': 926893, 'lockdown measure such': 499655, 'measure such roadblock': 525351, 'such roadblock and': 816728, 'roadblock and supermarket': 724554, 'and supermarket trolley': 72747, 'supermarket trolley check': 823562, 'trolley check stayhomesavelives': 932390, 'check stayhomesavelives protectthenhs': 174629, 'stayhomesavelives protectthenhs inthistogether': 798433, 'protectthenhs inthistogether 19': 685852, 'trivial': 932321, 'penultimate': 646710, 'whereupon': 985454, 'cordonedbycorona': 203512, 'few said': 304051, 'time thought': 897927, 'wa we': 963670, 'on living': 601885, 'living our': 496436, 'our trivial': 625194, 'trivial life': 932322, 'life until': 489161, 'the penultimate': 863446, 'penultimate moment': 646711, 'our demise': 622735, 'demise whereupon': 236661, 'whereupon we': 985455, 'realize we': 701877, 'we spent': 973351, 'spent our': 789159, 'store buying': 806825, 'paper cordonedbycorona': 640048, 'few said it': 304052, 'wa the end': 963445, 'end time thought': 276002, 'time thought even': 897928, 'thought even if': 893035, 'even if it': 284207, 'it wa we': 462219, 'wa we all': 963671, 'all go on': 42945, 'go on living': 353886, 'on living our': 601888, 'living our trivial': 496438, 'our trivial life': 625195, 'trivial life until': 932323, 'life until the': 489162, 'until the penultimate': 943866, 'the penultimate moment': 863447, 'penultimate moment of': 646712, 'moment of our': 536017, 'of our demise': 587450, 'our demise whereupon': 622737, 'demise whereupon we': 236662, 'whereupon we realize': 985456, 'we realize we': 973016, 'realize we spent': 701880, 'we spent our': 973354, 'spent our last': 789160, 'our last day': 623644, 'last day at': 480178, 'grocery store buying': 365262, 'store buying toilet': 806826, 'toilet paper cordonedbycorona': 921239, 'staring': 794141, 'nocturne': 566111, 'shinmegamitensei': 758636, 'store staring': 810340, 'staring at': 794144, 'paper hoarder': 640272, 'toiletpaper nocturne': 922262, 'nocturne shinmegamitensei': 566112, 'grocery store staring': 365796, 'store staring at': 810341, 'staring at the': 794148, 'at the toilet': 101128, 'toilet paper hoarder': 921306, 'paper hoarder toiletpaper': 640278, 'hoarder toiletpaper nocturne': 399133, 'toiletpaper nocturne shinmegamitensei': 922263, 'lifting': 489498, 'supermarket atm': 819258, 'atm queue': 101952, 'queue following': 693918, 'the lifting': 859352, 'lifting of': 489501, 'of curfew': 582252, 'curfew covid': 220872, '19 sri': 10770, 'sri via': 791605, 'via sl': 956242, 'supermarket atm queue': 819259, 'atm queue following': 101953, 'queue following the': 693919, 'following the lifting': 312891, 'the lifting of': 859353, 'lifting of curfew': 489502, 'of curfew covid': 582253, 'curfew covid 19': 220873, 'covid 19 sri': 213850, '19 sri via': 10771, 'sri via sl': 791606, 'just stopped': 469915, 'stopped by': 805690, 'normal store': 567342, 'saw ve': 738315, 'photo but': 655137, 'yourself it': 1026651, 'it disappointing': 457563, 'disappointing lot': 244140, 'lot ha': 504055, 'just stopped by': 469916, 'stopped by the': 805692, 'supermarket for normal': 820407, 'for normal store': 323917, 'normal store shocked': 567344, 'shocked by what': 759563, 'by what saw': 154721, 'what saw ve': 982122, 'saw ve seen': 738316, 've seen photo': 953544, 'seen photo but': 747194, 'photo but when': 655138, 'but when you': 147830, 'see them for': 745913, 'them for yourself': 875732, 'for yourself it': 328234, 'yourself it disappointing': 1026652, 'it disappointing lot': 457564, 'disappointing lot ha': 244142, 'lot ha changed': 504056, 'ha changed in': 370126, 'changed in week': 172497, 'paidsickleave': 634194, 'for sick': 325613, 'leave kroger': 484854, 'state their': 795994, 'incredible job': 433847, 'job supporting': 466175, 'this health': 887885, 'least kroger': 484528, 'kroger can': 477724, 'is make': 449531, 'have paidsickleave': 381873, 'paidsickleave please': 634197, 'request for sick': 713164, 'for sick leave': 325615, 'sick leave kroger': 768499, 'leave kroger is': 484855, 'kroger is the': 477749, 'united state their': 942246, 'state their worker': 795995, 'their worker do': 875213, 'worker do an': 1006792, 'do an incredible': 249058, 'an incredible job': 56258, 'incredible job supporting': 433848, 'job supporting our': 466176, 'supporting our community': 827168, 'our community despite': 622456, 'community despite this': 189812, 'despite this health': 238915, 'this health crisis': 887886, 'crisis the least': 218179, 'the least kroger': 859252, 'least kroger can': 484529, 'kroger can do': 477725, 'do is make': 249449, 'is make sure': 449532, 'sure their employee': 827720, 'their employee have': 873147, 'employee have paidsickleave': 273923, 'have paidsickleave please': 381874, 'paidsickleave please sign': 634198, 'is trump': 453381, 'trump talking': 933884, 'now press': 575586, 'conference on': 193747, 'about gas': 25292, 'are fucking': 86716, 'fucking dying': 339855, 'hell is trump': 389028, 'is trump talking': 453385, 'trump talking about': 933885, 'talking about right': 833983, 'about right now': 26104, 'right now press': 722121, 'now press conference': 575587, 'press conference on': 671031, 'conference on coronavirus': 193748, 'on coronavirus and': 600119, 'coronavirus and he': 205492, 'and he talking': 64328, 'talking about gas': 833965, 'about gas price': 25293, 'gas price people': 344008, 'price people are': 675846, 'people are fucking': 646984, 'are fucking dying': 86717, 'fucking dying corona': 339856, 'dying corona virus': 263795, 'from ceo': 334815, 'ceo among': 169636, 'among their': 53080, 'their many': 873911, 'change they': 172320, 'providing back': 686948, 'up childcare': 944598, 'employee every': 273825, 'can should': 159611, 'should step': 766499, 'way another': 969465, 'support target': 826851, 'just got letter': 468862, 'got letter from': 358668, 'letter from ceo': 487315, 'from ceo among': 334816, 'ceo among their': 169637, 'among their many': 53081, 'their many change': 873912, 'many change they': 513889, 'change they are': 172321, 'are providing back': 89316, 'providing back up': 686949, 'back up childcare': 107427, 'up childcare for': 944599, 'childcare for all': 176293, 'all of their': 43716, 'their employee every': 873143, 'employee every business': 273826, 'every business that': 285707, 'business that can': 144474, 'that can should': 843122, 'can should step': 159612, 'should step up': 766500, 'up in this': 945188, 'this way another': 891128, 'way another reason': 969466, 'reason to support': 703038, 'to support target': 915974, 'support target consumer': 826852, 'supermarket soo': 822780, 'soo bare': 785565, 'bare apparently': 110863, 'at door': 98479, 'work supermarket soo': 1005783, 'supermarket soo bare': 822781, 'soo bare apparently': 785566, 'bare apparently it': 110864, 'apparently it ha': 81955, 'ha been hell': 369824, 'hell for staff': 389008, 'for staff during': 325850, 'staff during day': 792396, 'during day queue': 262589, 'queue at door': 693885, 'at door at': 98480, 'escalating': 280277, 'powerless': 667827, 'heed': 388750, 'showing the': 767520, 'what socialism': 982210, 'socialism is': 780960, 'like mass': 490726, 'panic escalating': 638072, 'escalating price': 280282, 'price loss': 675102, 'work loss': 1005448, 'of earnings': 582915, 'earnings falling': 264903, 'an absolutely': 55044, 'absolutely powerless': 27431, 'powerless world': 667830, 'no freedom': 564299, 'freedom heed': 332366, 'heed the': 388755, 'the warning': 871091, 'warning this': 967219, '19 is showing': 8048, 'is showing the': 451899, 'showing the world': 767529, 'the world what': 872003, 'world what socialism': 1010159, 'what socialism is': 982211, 'socialism is like': 780961, 'is like mass': 449323, 'like mass panic': 490727, 'mass panic escalating': 519826, 'panic escalating price': 638073, 'escalating price loss': 280283, 'price loss of': 675103, 'loss of work': 503758, 'of work loss': 593256, 'work loss of': 1005449, 'loss of earnings': 503741, 'of earnings falling': 582916, 'earnings falling price': 264904, 'falling price no': 297329, 'price no food': 675343, 'no food an': 564248, 'food an absolutely': 313157, 'an absolutely powerless': 55046, 'absolutely powerless world': 27433, 'powerless world with': 667831, 'world with no': 1010199, 'with no freedom': 999754, 'no freedom heed': 564300, 'freedom heed the': 332367, 'heed the warning': 388756, 'the warning this': 871095, 'warning this is': 967220, 'is just another': 449118, 'another day in': 77567, 'frame': 330937, 'conveying': 202583, 'oye': 632687, 'ekiti': 270425, 'ibadan': 412566, 'avert': 104923, 'inadan': 431193, 'first frame': 308685, 'frame is': 330940, 'is picture': 450871, 'of truck': 592463, 'truck conveying': 932752, 'conveying student': 202584, 'student from': 814690, 'from oye': 336827, 'oye ekiti': 632688, 'ekiti to': 270431, 'to ibadan': 908073, 'ibadan and': 412567, 'and lagos': 65933, 'lagos respectively': 478945, 'respectively for': 715168, 'to avert': 900860, 'avert covid': 104924, 'second frame': 743721, 'the hiked': 857369, 'of bus': 580938, 'to inadan': 908236, 'inadan which': 431194, 'which on': 986190, 'on norm': 602427, 'norm is': 567047, 'is 1500': 445162, '1500 lot': 3940, 'of student': 590320, 'student are': 814646, 'are stranded': 90547, 'in oye': 426400, 'ekiti and': 270426, 'the first frame': 855311, 'first frame is': 308686, 'frame is picture': 330941, 'is picture of': 450872, 'picture of truck': 656174, 'of truck conveying': 592465, 'truck conveying student': 932753, 'conveying student from': 202585, 'student from oye': 814693, 'from oye ekiti': 336828, 'oye ekiti to': 632690, 'ekiti to ibadan': 270432, 'to ibadan and': 908074, 'ibadan and lagos': 412568, 'and lagos respectively': 65934, 'lagos respectively for': 478946, 'respectively for 100': 715169, 'for 100 and': 318625, '100 and we': 1836, 'we are trying': 970745, 'trying to avert': 934768, 'to avert covid': 900861, 'avert covid 19': 104925, '19 the second': 11247, 'the second frame': 866579, 'second frame is': 743722, 'frame is the': 330942, 'is the hiked': 452820, 'the hiked price': 857370, 'price of bus': 675417, 'of bus to': 580940, 'bus to inadan': 143100, 'to inadan which': 908237, 'inadan which on': 431195, 'which on norm': 986191, 'on norm is': 602428, 'norm is 1500': 567048, 'is 1500 lot': 445163, '1500 lot of': 3941, 'lot of student': 504291, 'of student are': 590322, 'student are stranded': 814648, 'are stranded in': 90550, 'stranded in oye': 812358, 'in oye ekiti': 426401, 'oye ekiti and': 632689, 'look right': 502584, 'right dick': 721868, 'dick if': 240465, 'to eventually': 905296, 'my 3m': 547151, '3m diy': 18317, 'mask below': 518477, 'and nitrile': 67595, 'glove ll': 352757, 'be anxious': 113641, 'anxious enough': 78848, 'enough without': 277771, 'what look': 981833, 'like too': 491653, 'gonna look right': 356580, 'look right dick': 502585, 'right dick if': 721869, 'dick if have': 240466, 'have to eventually': 383204, 'to eventually go': 905297, 'eventually go outside': 285156, 'go outside for': 354011, 'outside for the': 629430, 'in month and': 425412, 'month and visit': 537587, 'supermarket in my': 820938, 'in my 3m': 425529, 'my 3m diy': 547152, '3m diy mask': 18318, 'diy mask below': 248753, 'mask below and': 518478, 'below and nitrile': 126591, 'and nitrile glove': 67596, 'nitrile glove ll': 563393, 'glove ll be': 352758, 'll be anxious': 496570, 'be anxious enough': 113642, 'anxious enough without': 78849, 'enough without having': 277772, 'having to worry': 384377, 'about what look': 26890, 'what look like': 981834, 'look like too': 502520, '50am': 20142, 'cheer buddy': 175099, 'buddy just': 141739, 'had lunch': 373272, 'at 50am': 97688, '50am working': 20143, 'shift at': 758243, 'supermarket stacking': 822806, 'stacking shelf': 792038, 'shelf needed': 757326, 'bit during': 131556, 're looking': 699009, 'after yourself': 36621, 'yourself keepsafe': 1026654, 'keepsafe mate': 472670, 'cheer buddy just': 175100, 'buddy just had': 141740, 'just had lunch': 468901, 'had lunch at': 373273, 'lunch at 50am': 506710, 'at 50am working': 97689, '50am working the': 20144, 'working the night': 1008940, 'the night shift': 861808, 'night shift at': 563069, 'shift at supermarket': 758248, 'at supermarket stacking': 100771, 'supermarket stacking shelf': 822807, 'stacking shelf needed': 792042, 'shelf needed to': 757327, 'needed to do': 556533, 'do my bit': 249625, 'my bit during': 547464, 'bit during the': 131558, 'during the hope': 263139, 'the hope you': 857498, 'you re looking': 1020670, 're looking after': 699010, 'looking after yourself': 502788, 'after yourself keepsafe': 36622, 'yourself keepsafe mate': 1026655, 'savagexbunni': 737446, 'veganrecipes': 953897, 'cookinginquarantine': 202954, 'know item': 476552, 'dairy aisle': 224945, 'are scarce': 89840, 'scarce these': 740811, 'for cooking': 320347, 'but try': 147629, 'try give': 934482, 'give some': 350706, 'some vegan': 784157, 'vegan recipe': 953880, 'recipe try': 704511, 'try find': 934476, 'find them': 307310, 'my ig': 548819, 'ig savagexbunni': 415670, 'savagexbunni or': 737447, 'or veganrecipes': 617648, 'veganrecipes worldwide': 953898, 'worldwide coronalockdown': 1010336, 'coronalockdown quarantinelife': 205041, 'quarantinelife supermarket': 693027, 'supermarket cookinginquarantine': 819783, 'know item in': 476554, 'the dairy aisle': 852790, 'dairy aisle are': 224946, 'aisle are scarce': 40210, 'are scarce these': 89843, 'scarce these day': 740812, 'these day for': 879874, 'day for cooking': 227620, 'for cooking at': 320348, 'at home but': 98952, 'home but try': 400852, 'but try give': 147630, 'try give some': 934483, 'give some vegan': 350711, 'some vegan recipe': 784159, 'vegan recipe try': 953881, 'recipe try find': 704512, 'try find them': 934477, 'find them on': 307314, 'them on my': 876092, 'on my ig': 602289, 'my ig savagexbunni': 548820, 'ig savagexbunni or': 415671, 'savagexbunni or veganrecipes': 737448, 'or veganrecipes worldwide': 617649, 'veganrecipes worldwide coronalockdown': 953899, 'worldwide coronalockdown quarantinelife': 1010337, 'coronalockdown quarantinelife supermarket': 205042, 'quarantinelife supermarket cookinginquarantine': 693028, 'letter being': 487288, 'today regarding': 920105, 'supermarket information': 821031, 'the previous': 864314, 'previous tweet': 672008, 'letter being sent': 487289, 'being sent home': 125757, 'sent home today': 750760, 'home today regarding': 402355, 'today regarding covid': 920106, '19 the social': 11249, 'the social supermarket': 867421, 'social supermarket information': 779980, 'supermarket information can': 821032, 'be found in': 114940, 'in the previous': 429470, 'the previous tweet': 864320, 'garri': 343713, 'effurun': 269682, 'regulating': 708028, 'paint rubber': 634301, 'rubber of': 726950, 'of garri': 584042, 'garri wa': 343716, 'for 500': 318870, '500 yesterday': 20073, 'yesterday somewhere': 1015865, 'somewhere at': 785288, 'at effurun': 98522, 'effurun regulating': 269683, 'regulating price': 708029, 'item should': 463642, 'taken seriously': 833058, 'seriously so': 751721, 'day hunger': 227774, 'paint rubber of': 634302, 'rubber of garri': 726951, 'of garri wa': 584044, 'garri wa sold': 343717, 'wa sold for': 963271, 'sold for 500': 781666, 'for 500 yesterday': 318872, '500 yesterday somewhere': 20074, 'yesterday somewhere at': 1015866, 'somewhere at effurun': 785289, 'at effurun regulating': 98523, 'effurun regulating price': 269684, 'regulating price of': 708030, 'food item should': 315230, 'item should be': 463643, 'be taken seriously': 117504, 'taken seriously so': 833061, 'seriously so that': 751724, 'so that at': 778361, 'the day hunger': 852891, 'fake test': 296716, 'test fake': 838989, 'treatment price': 931128, 'gouging people': 359424, 'check there': 174667, 'about also': 24783, 'life they': 489113, 'more isolated': 539625, 'and susceptible': 72902, 'fake test fake': 296719, 'test fake treatment': 838991, 'fake treatment price': 296728, 'treatment price gouging': 931129, 'price gouging people': 674312, 'gouging people after': 359425, 'people after the': 646784, 'after the stimulus': 36359, 'the stimulus check': 867895, 'stimulus check there': 801526, 'check there are': 174668, 'lot of consumer': 504162, 'of consumer concern': 581724, 'consumer concern about': 196865, 'concern about covid': 192890, '19 that you': 11164, 'know about also': 476207, 'about also share': 24784, 'also share this': 48870, 'share this with': 755297, 'with the elderly': 1001281, 'elderly in your': 270718, 'your life they': 1024647, 'life they are': 489114, 'are more isolated': 88115, 'more isolated and': 539626, 'isolated and susceptible': 454973, 'honge': 403214, 'kamiyab': 470748, 'contestalert': 200883, 'hum honge': 410384, 'honge kamiyab': 403215, 'kamiyab india': 470749, 'india wash': 434676, 'frequently with': 332889, 'alcohol sanitizer': 41090, 'sanitizer always': 734352, 'use face': 949202, 'hand glove': 374991, 'glove contestalert': 352642, 'contestalert contest': 200884, 'contest join': 200874, 'hum honge kamiyab': 410385, 'honge kamiyab india': 403216, 'kamiyab india wash': 470750, 'india wash hand': 434677, 'wash hand frequently': 967484, 'hand frequently with': 374962, 'frequently with alcohol': 332890, 'with alcohol sanitizer': 997137, 'alcohol sanitizer always': 41092, 'sanitizer always use': 734353, 'always use face': 49779, 'use face mask': 949203, 'mask hand glove': 518775, 'hand glove contestalert': 374993, 'glove contestalert contest': 352643, 'contestalert contest join': 200886, 'propose': 684492, 'senate democrat': 749696, 'democrat propose': 236737, 'propose 25': 684493, '00 hazard': 243, 'pay plan': 645044, 'the proposal': 864692, 'proposal would': 684488, 'give doctor': 350459, 'clerk up': 181807, 'pay part': 645038, 'the phase': 863668, 'phase four': 654607, 'four relief': 330662, 'senate democrat propose': 749698, 'democrat propose 25': 236738, 'propose 25 00': 684494, '25 00 hazard': 15791, '00 hazard pay': 244, 'hazard pay plan': 384571, 'pay plan for': 645045, 'plan for essential': 658119, 'for essential worker': 321129, 'essential worker the': 281857, 'worker the proposal': 1007935, 'the proposal would': 864695, 'proposal would give': 684489, 'would give doctor': 1011838, 'give doctor nurse': 350460, 'doctor nurse other': 251029, 'nurse other essential': 577445, 'essential worker like': 281840, 'worker like grocery': 1007316, 'store clerk up': 807035, 'clerk up to': 181808, 'up to 25': 946329, 'to 25 00': 899633, '25 00 in': 15792, '00 in hazard': 264, 'hazard pay part': 384570, 'pay part of': 645039, 'of the phase': 591332, 'the phase four': 863669, 'phase four relief': 654609, 'four relief bill': 330663, 'supermarketshuffle': 824232, 'strictlycomeshopping': 813707, 'finally finished': 305990, 'finished doctor': 307896, 'doctor order': 251062, 'order 14': 617979, 'of quarantinelife': 588672, 'quarantinelife so': 693008, 'walk popped': 964865, 'popped into': 664501, 'grocery learned': 364683, 'learned the': 484150, 'the supermarketshuffle': 868927, 'supermarketshuffle strictlycomeshopping': 824233, 'strictlycomeshopping and': 813708, 'and straight': 72530, 'home london': 401551, 'finally finished doctor': 305991, 'finished doctor order': 307897, 'doctor order 14': 251063, 'order 14 day': 617980, '14 day of': 3454, 'day of quarantinelife': 228094, 'of quarantinelife so': 588673, 'quarantinelife so today': 693009, 'so today went': 778554, 'went for walk': 979007, 'for walk popped': 327626, 'walk popped into': 964866, 'popped into the': 664505, 'supermarket for some': 820418, 'some grocery learned': 783003, 'grocery learned the': 364684, 'learned the supermarketshuffle': 484151, 'the supermarketshuffle strictlycomeshopping': 868928, 'supermarketshuffle strictlycomeshopping and': 824234, 'strictlycomeshopping and straight': 813709, 'and straight back': 72531, 'straight back home': 812206, 'back home london': 107062, 'home london uk': 401552, 'nauseating': 553027, 'nauseating this': 553028, 'government fault': 360079, 'fault if': 300404, 'government clearly': 359984, 'clearly said': 181559, 'close then': 182858, 'buying instead': 150556, 'instead they': 440368, 'afraid and': 34967, 'then behave': 877026, 'like selfish': 491153, 'selfish animal': 747999, 'animal panicbuy': 76640, 'nauseating this is': 553029, 'the government fault': 856536, 'government fault if': 360080, 'fault if government': 300405, 'if government clearly': 414172, 'government clearly said': 359985, 'clearly said you': 181560, 'said you will': 731613, 'buy food if': 148653, 'food if we': 314896, 'to close then': 902903, 'close then people': 182859, 'then people would': 877416, 'people would stop': 650547, 'panic buying instead': 637777, 'buying instead they': 150557, 'instead they are': 440369, 'they are afraid': 881192, 'are afraid and': 84261, 'afraid and then': 34970, 'and then behave': 73746, 'then behave like': 877027, 'behave like selfish': 123786, 'like selfish animal': 491154, 'selfish animal panicbuy': 748000, 'pandemicprofiteering': 637130, 'medium focus': 527103, 'on individual': 601558, 'individual taking': 435261, 'sanitizers while': 736446, 'while bank': 986637, 'pressure healthcare': 671170, 'healthcare firm': 387110, 'critical drug': 218542, 'drug supply': 261101, 'supply profit': 825739, 'are fine': 86579, 'fine but': 307610, 'not insane': 570149, 'insane pandemicprofiteering': 439056, 'medium focus on': 527104, 'focus on individual': 311880, 'on individual taking': 601561, 'individual taking advantage': 435262, 'advantage of market': 33013, 'of market for': 586230, 'market for hand': 516412, 'for hand sanitizers': 322109, 'hand sanitizers while': 375732, 'sanitizers while bank': 736447, 'while bank pressure': 986638, 'bank pressure healthcare': 110111, 'pressure healthcare firm': 671172, 'healthcare firm to': 387112, 'price on critical': 675663, 'on critical drug': 600167, 'critical drug supply': 218547, 'drug supply profit': 261103, 'supply profit are': 825740, 'profit are fine': 682664, 'are fine but': 86580, 'fine but not': 307613, 'but not insane': 146540, 'not insane pandemicprofiteering': 570150, 'improved': 419562, 'underwriting': 941001, 'post insurance': 666173, 'insurance world': 440837, 'see improved': 745292, 'improved experience': 419566, 'experience online': 291447, 'online policy': 608771, 'policy shopping': 663494, 'shopping product': 763684, 'product mix': 681411, 'mix and': 534584, 'and underwriting': 74646, 'the post insurance': 864092, 'post insurance world': 666174, 'insurance world will': 440838, 'world will see': 1010192, 'will see improved': 994777, 'see improved experience': 745293, 'improved experience online': 419567, 'experience online policy': 291449, 'online policy shopping': 608772, 'policy shopping product': 663495, 'shopping product mix': 763686, 'product mix and': 681412, 'mix and underwriting': 534586, 'strongly believe': 814221, 'it lot': 459464, 'lot lot': 504094, 'lot le': 504078, 'being published': 125600, 'published right': 688690, 'now stay': 575889, 'country back': 210497, 'back open': 107211, 'panic nh': 638341, 'nh virus': 562158, 'uk school': 938693, 'school food': 741792, 'food money': 315471, 'money struggling': 537041, 'struggling pmqs': 814481, 'pmqs government': 662078, 'government pm': 360472, 'strongly believe it': 814222, 'believe it lot': 126302, 'it lot lot': 459466, 'lot lot lot': 504096, 'lot lot le': 504095, 'lot le than': 504081, 'le than is': 483178, 'than is being': 840791, 'is being published': 446099, 'being published right': 125602, 'published right now': 688691, 'right now stay': 722141, 'now stay safe': 575892, 'safe and let': 729459, 'and let get': 66105, 'let get this': 486738, 'get this country': 348404, 'this country back': 886942, 'country back open': 210498, 'back open and': 107212, 'open and not': 612065, 'and not panic': 67762, 'not panic nh': 570921, 'panic nh virus': 638342, 'nh virus uk': 562159, 'virus uk school': 958957, 'uk school food': 938694, 'school food money': 741793, 'food money struggling': 315472, 'money struggling pmqs': 537043, 'struggling pmqs government': 814482, 'pmqs government pm': 662079, 'hauled': 379009, 'throughout this': 894991, 'thing am': 884111, 'am most': 50227, 'most impressed': 542431, 'no american': 563607, 'american ha': 52013, 'ha hauled': 370834, 'hauled off': 379010, 'and shot': 71584, 'shot someone': 765443, 'someone over': 784597, 'last tin': 480580, 'tin of': 898546, 'of baked': 580519, 'baked bin': 108763, 'shelf this': 757683, 'situation will': 772585, 'last sadly': 480478, 'throughout this pandemic': 894995, 'this pandemic the': 889435, 'pandemic the thing': 636707, 'the thing am': 869449, 'thing am most': 884112, 'am most impressed': 50228, 'most impressed with': 542432, 'impressed with is': 419456, 'with is that': 999050, 'is that so': 452690, 'that so far': 846358, 'far no american': 298864, 'no american ha': 563609, 'american ha hauled': 52014, 'ha hauled off': 370835, 'hauled off and': 379011, 'off and shot': 593646, 'and shot someone': 71586, 'shot someone over': 765444, 'someone over the': 784598, 'the last tin': 859050, 'last tin of': 480581, 'tin of baked': 898549, 'of baked bin': 580521, 'baked bin on': 108764, 'bin on supermarket': 131029, 'supermarket shelf this': 822546, 'shelf this situation': 757686, 'this situation will': 890197, 'situation will not': 772589, 'not last sadly': 570329, 'distribute the': 248012, 'free kit': 331939, 'kit which': 475667, 'include face': 431556, 'and thermometer': 73871, 'it contract': 457313, 'contract worker': 201724, 'will distribute the': 993217, 'distribute the free': 248014, 'the free kit': 855767, 'free kit which': 331940, 'kit which include': 475668, 'which include face': 985954, 'include face mask': 431557, 'sanitizer and thermometer': 734442, 'and thermometer to': 73874, 'thermometer to it': 879549, 'to it contract': 908574, 'it contract worker': 457314, 'contract worker in': 201725, 'disadvantage': 243993, 'ha european': 370517, 'country at': 210492, 'at disadvantage': 98445, 'disadvantage but': 243994, 'is begging': 446044, 'begging spain': 123486, 'spain for': 787294, 'bragging about how': 137561, 'about how he': 25442, 'how he ha': 407979, 'he ha european': 385022, 'ha european country': 370518, 'european country at': 283552, 'country at disadvantage': 210493, 'at disadvantage but': 98446, 'disadvantage but in': 243995, 'but in reality': 146034, 'in reality is': 427300, 'reality is begging': 701750, 'is begging spain': 446046, 'begging spain for': 123487, 'spain for hand': 787295, 'disparity': 246089, 'ukgoverment there': 938960, 'is disparity': 447232, 'disparity between': 246090, 'between what': 128957, 'ask of': 95597, 'public we': 688459, 'from ppl': 336962, 'ppl and': 668158, 'hoarder are': 398984, 'are clearing': 85311, 'clearing shelf': 181469, 'shelf before': 756883, 'chance we': 171826, 'won die': 1003782, 'll die': 496700, 'ukgoverment there is': 938961, 'there is disparity': 878549, 'is disparity between': 447233, 'disparity between what': 246092, 'between what you': 128959, 'what you ask': 982663, 'you ask of': 1017318, 'ask of the': 95598, 'of the self': 591448, 'the self isolating': 866654, 'self isolating and': 747711, 'isolating and the': 455060, 'the public we': 864867, 'public we can': 688460, 'can get online': 158437, 'slot to stay': 774281, 'away from ppl': 105904, 'from ppl and': 336963, 'ppl and hoarder': 668160, 'and hoarder are': 64642, 'hoarder are clearing': 398986, 'are clearing shelf': 85312, 'clearing shelf before': 181471, 'shelf before we': 756885, 'before we get': 123286, 'we get chance': 971606, 'get chance we': 346758, 'chance we won': 171828, 'we won die': 973935, 'won die of': 1003783, 'die of covid': 241419, 'we ll die': 972243, 'll die of': 496703, 'die of starvation': 241428, 'avoidance': 105405, 'hey are': 394324, 'make fortune': 509914, 'from boom': 334707, 'they pay': 882872, 'pay fair': 644860, 'fair uk': 296392, 'uk tax': 938795, 'tax we': 835117, 'that income': 844488, 'for recovery': 325034, 'recovery wouldn': 705428, 'eu tax': 283277, 'tax avoidance': 834933, 'avoidance directive': 105406, 'directive be': 243501, 'be useful': 117929, 'useful right': 950187, 'hey are likely': 394325, 'likely to make': 492164, 'to make fortune': 909665, 'make fortune from': 509915, 'fortune from boom': 329930, 'from boom in': 334708, 'boom in online': 134811, 'due to are': 261705, 'to are you': 900695, 'you going to': 1018883, 'going to ensure': 355588, 'ensure they pay': 278107, 'they pay fair': 882873, 'pay fair uk': 644861, 'fair uk tax': 296393, 'uk tax we': 938796, 'tax we ll': 835118, 'we ll need': 972264, 'll need that': 496911, 'need that income': 555729, 'that income for': 844489, 'income for recovery': 432345, 'for recovery wouldn': 325036, 'recovery wouldn the': 705429, 'wouldn the eu': 1012509, 'the eu tax': 854565, 'eu tax avoidance': 283278, 'tax avoidance directive': 834934, 'avoidance directive be': 105407, 'directive be useful': 243502, 'be useful right': 117932, 'useful right now': 950188, 'rendered': 710941, 'netizens in': 557679, 'in oman': 426106, 'oman were': 598856, 'were rendered': 980052, 'rendered speechless': 710944, 'speechless after': 788416, 'after video': 36486, 'video showing': 956893, 'showing people': 767492, 'what seemed': 982141, 'supermarket went': 823780, 'viral on': 957612, 'netizens in oman': 557680, 'in oman were': 426110, 'oman were rendered': 598857, 'were rendered speechless': 980053, 'rendered speechless after': 710945, 'speechless after video': 788417, 'after video showing': 36488, 'video showing people': 956895, 'showing people panic': 767493, 'buying at what': 149974, 'at what seemed': 101533, 'what seemed to': 982142, 'to be local': 901370, 'be local supermarket': 115788, 'local supermarket went': 498611, 'supermarket went viral': 823782, 'went viral on': 979229, 'viral on social': 957613, 'aap': 24115, 'scholarly': 741664, 'aap publisher': 24116, 'publisher response': 688726, 'response page': 715779, 'page includes': 633857, 'includes numerous': 431784, 'numerous example': 577131, 'of publisher': 588596, 'publisher from': 688724, 'consumer book': 196636, 'book education': 134508, 'education scholarly': 268861, 'scholarly community': 741665, 'community stepping': 190122, 'provide extra': 686281, 'extra support': 293667, 'aap publisher response': 24117, 'publisher response page': 688727, 'response page includes': 715780, 'page includes numerous': 633859, 'includes numerous example': 431785, 'numerous example of': 577132, 'example of publisher': 288945, 'of publisher from': 588597, 'publisher from consumer': 688725, 'from consumer book': 334955, 'consumer book education': 196637, 'book education scholarly': 134509, 'education scholarly community': 268862, 'scholarly community stepping': 741666, 'community stepping up': 190123, 'to provide extra': 912390, 'provide extra support': 686282, 'extra support online': 293668, 'support online resource': 826709, '5kg': 20722, '4800': 19339, 'aruna food': 94679, 'food grain': 314705, 'grain stock': 361799, 'stock kept': 802339, 'crisis 5kg': 216962, '5kg rice': 20735, 'rice not': 721087, 'enough 4800': 277309, '4800 ton': 19342, 'ton rice': 924292, 'than coronavirus': 840460, 'aladi aruna food': 40636, 'aruna food grain': 94680, 'food grain stock': 314711, 'grain stock kept': 361801, 'stock kept is': 802340, 'enormous it should': 277289, 'should be released': 765711, 'of crisis 5kg': 582146, 'crisis 5kg rice': 216963, '5kg rice not': 20736, 'rice not enough': 721088, 'not enough 4800': 569179, 'enough 4800 ton': 277310, '4800 ton rice': 19343, 'ton rice stock': 924294, 'rice stock is': 721148, 'stock is there': 802312, 'is there more': 453018, 'there more people': 878766, 'may die of': 521126, 'die of food': 241423, 'shortage than coronavirus': 765245, 'than coronavirus sars': 840462, 'giver': 351212, 'beautifully': 118732, 'great giver': 362705, 'giver so': 351217, 'so thoughtful': 778516, 'thoughtful just': 893354, 'what needed': 981910, 'needed two': 556558, 'two roll': 937189, 'of wrapped': 593331, 'wrapped beautifully': 1012674, 'beautifully brilliant': 118733, 'brilliant lol': 139872, 'lol life': 500921, 'to have friend': 907242, 'friend who are': 333891, 'who are great': 988148, 'are great giver': 86951, 'great giver so': 362706, 'giver so thoughtful': 351218, 'so thoughtful just': 778517, 'thoughtful just what': 893355, 'just what needed': 470286, 'what needed two': 981916, 'needed two roll': 556559, 'two roll of': 937190, 'roll of wrapped': 725424, 'of wrapped beautifully': 593332, 'wrapped beautifully brilliant': 1012675, 'beautifully brilliant lol': 118734, 'brilliant lol life': 139873, 'lol life during': 500922, 'life during 19': 488616, 'cat milk': 166887, 'milk shortage': 531814, 'shortage reported': 765197, 'in oklahoma': 426095, 'oklahoma price': 598073, 'crisis only': 217823, 'from private': 336979, 'private dairy': 678889, 'cat milk shortage': 166888, 'milk shortage reported': 531815, 'shortage reported in': 765198, 'reported in oklahoma': 712490, 'in oklahoma price': 426097, 'oklahoma price skyrocket': 598074, '19 crisis only': 6293, 'crisis only available': 217824, 'only available from': 610132, 'available from private': 104401, 'from private dairy': 336980, 'tribalism': 931669, 'political tribalism': 663686, 'tribalism impact': 931672, 'political tribalism impact': 663687, 'tribalism impact consumer': 931673, 'impact consumer sentiment': 417611, 'sentiment on covid': 750974, 'circulate': 178658, 'you provided': 1020484, 'provided adequate': 686561, 'adequate guidance': 32168, 'have prepared': 382026, 'prepared free': 670207, 'free user': 332293, 'friendly retail': 333997, 'store hygiene': 808235, 'hygiene guideline': 412100, 'guideline document': 368414, 'document for': 251189, 'download you': 257642, 'are welcome': 91607, 'to circulate': 902761, 'circulate this': 178663, 'have you provided': 383683, 'you provided adequate': 1020485, 'provided adequate guidance': 686563, 'adequate guidance to': 32169, 'guidance to your': 368296, 'to your store': 919032, 'your store staff': 1025990, 'store staff during': 810311, 'coronavirus pandemic we': 206504, 'we have prepared': 971902, 'have prepared free': 382027, 'prepared free user': 670208, 'free user friendly': 332294, 'user friendly retail': 950284, 'friendly retail store': 333998, 'retail store hygiene': 718646, 'store hygiene guideline': 808236, 'hygiene guideline document': 412101, 'guideline document for': 368415, 'document for you': 251191, 'you to download': 1021770, 'to download you': 904693, 'download you are': 257643, 'you are welcome': 1017288, 'are welcome to': 91608, 'welcome to circulate': 977902, 'to circulate this': 902763, 'circulate this with': 178664, 'with your retail': 1002230, 'your retail staff': 1025609, 'all stepped': 44457, 'stepped up': 799782, 'then increase': 877265, 'by roughly': 153835, 'roughly 25': 726272, '25 on': 15927, 'baby supply': 106706, 'supply despicable': 825164, 'see how have': 745233, 'how have all': 407969, 'have all stepped': 379167, 'all stepped up': 44458, 'stepped up to': 799788, 'up to try': 946441, 'and help people': 64463, 'pandemic it give': 635819, 'it give you': 458241, 'give you hope': 350860, 'you hope for': 1019248, 'hope for big': 403479, 'for big business': 319672, 'big business and': 129677, 'business and then': 143338, 'and then increase': 73774, 'then increase the': 877266, 'the price by': 864336, 'price by roughly': 673036, 'by roughly 25': 153836, 'roughly 25 on': 726273, '25 on toilet': 15929, 'roll and baby': 725172, 'and baby supply': 58611, 'baby supply despicable': 106709, 'bastion': 112527, '2good2btrue': 16614, 'cyberstronghold': 224013, 'during here': 262686, 'making your': 511504, 'home bastion': 400764, 'bastion of': 112528, 'of cybersecurity': 582302, 'cybersecurity if': 223997, 'online do': 608116, 'it safely': 460842, 'safely because': 730262, 'be 2good2btrue': 113424, '2good2btrue staysafe': 16615, 'staysafe cyberstronghold': 798797, 'at home during': 98980, 'home during here': 401106, 'during here are': 262687, 'some tip for': 784064, 'tip for making': 898771, 'for making your': 323184, 'making your home': 511506, 'your home bastion': 1024342, 'home bastion of': 400765, 'bastion of cybersecurity': 112529, 'of cybersecurity if': 582303, 'cybersecurity if you': 223998, 'shopping online do': 763422, 'online do it': 608117, 'do it safely': 249509, 'it safely because': 460844, 'safely because it': 730263, 'because it could': 119181, 'could be 2good2btrue': 208835, 'be 2good2btrue staysafe': 113425, '2good2btrue staysafe cyberstronghold': 16616, 'loui': 504509, 'selsey': 749567, 'clapped': 180027, 'to jason': 908654, 'jason jay': 464844, 'jay and': 464884, 'and loui': 66416, 'loui who': 504512, 'who showed': 989621, 'showed john': 767337, 'john one': 466544, 'our executive': 622944, 'director the': 243674, 'way this': 969974, 'morning john': 541329, 'john spent': 466549, 'morning emptying': 541240, 'emptying bin': 275257, 'bin in': 131006, 'in selsey': 427793, 'selsey he': 749568, 'completely impressed': 192306, 'impressed thanks': 419452, 'resident who': 714402, 'who clapped': 988457, 'clapped and': 180030, 'and left': 66079, 'left note': 485570, 'chocolate they': 177705, 'were very': 980327, 'very moved': 955354, 'thanks to jason': 842238, 'to jason jay': 908655, 'jason jay and': 464845, 'jay and loui': 464885, 'and loui who': 66418, 'loui who showed': 504513, 'who showed john': 989622, 'showed john one': 767338, 'john one of': 466545, 'of our executive': 587465, 'our executive director': 622945, 'executive director the': 289888, 'director the way': 243676, 'the way this': 871199, 'way this morning': 969976, 'this morning john': 888978, 'morning john spent': 541330, 'john spent the': 466550, 'spent the morning': 789174, 'the morning emptying': 860911, 'morning emptying bin': 541241, 'emptying bin in': 275258, 'bin in selsey': 131007, 'in selsey he': 427794, 'selsey he wa': 749569, 'he wa completely': 385591, 'wa completely impressed': 961846, 'completely impressed thanks': 192307, 'impressed thanks to': 419453, 'to the resident': 917020, 'the resident who': 865580, 'resident who clapped': 714403, 'who clapped and': 988458, 'clapped and left': 180031, 'and left note': 66083, 'left note and': 485571, 'note and chocolate': 572697, 'and chocolate they': 59872, 'chocolate they were': 177706, 'they were very': 883816, 'were very moved': 980330, 'either almost': 270250, 'or available': 614469, 'free in': 331918, 'britain covid': 140392, 'many item in': 514218, 'the uk are': 870193, 'uk are either': 938187, 'are either almost': 86091, 'either almost impossible': 270251, 'almost impossible to': 46672, 'get in short': 347309, 'short supply or': 764712, 'supply or available': 825681, 'or available at': 614470, 'available at inflated': 104252, 'inflated price what': 437081, 'price what can': 677468, 'you get for': 1018772, 'get for free': 347083, 'for free in': 321718, 'free in britain': 331919, 'in britain covid': 420991, 'britain covid 19': 140393, 'cuppa': 220514, 'oatmilk': 578312, 'mum came': 545885, 'came through': 157061, 'through for': 894471, 'for cuppa': 320482, 'cuppa on': 220519, 'the doorstep': 853598, 'doorstep and': 255837, 'deliver some': 233210, 'some oatmilk': 783375, 'oatmilk to': 578313, 'out socialdistancing': 627212, 'my mum came': 549370, 'mum came through': 545886, 'came through for': 157062, 'through for cuppa': 894472, 'for cuppa on': 320483, 'cuppa on the': 220520, 'on the doorstep': 604075, 'the doorstep and': 853599, 'doorstep and to': 255839, 'and to deliver': 74161, 'to deliver some': 904112, 'deliver some oatmilk': 233211, 'some oatmilk to': 783376, 'oatmilk to me': 578314, 'to me my': 909943, 'me my local': 523193, 'supermarket wa out': 823704, 'wa out socialdistancing': 962881, 'vineyard': 957440, 'wa severely': 963174, 'severely hit': 754085, 'by natural': 153304, 'disaster in': 244214, '2019 which': 14044, 'have impacted': 381022, 'impacted vineyard': 418167, 'vineyard australian': 957441, 'australian will': 103574, 'face another': 294307, 'another hurdle': 77663, 'hurdle the': 411451, 'ha limited': 371145, 'limited access': 492594, 'it biggest': 456873, 'biggest export': 130234, 'export market': 292664, 'wa severely hit': 963175, 'severely hit by': 754086, 'hit by natural': 398182, 'by natural disaster': 153305, 'natural disaster in': 552823, 'disaster in 2019': 244215, 'in 2019 which': 419813, '2019 which have': 14045, 'which have impacted': 985917, 'have impacted vineyard': 381025, 'impacted vineyard australian': 418168, 'vineyard australian will': 957442, 'australian will have': 103575, 'have to face': 383208, 'to face another': 905559, 'face another hurdle': 294309, 'another hurdle the': 77664, 'hurdle the ha': 411452, 'the ha limited': 857001, 'ha limited access': 371146, 'limited access to': 492595, 'to it biggest': 908570, 'it biggest export': 456875, 'biggest export market': 130236, 'leaning': 483897, 'mind if': 532676, 'more asshole': 538656, 'asshole wearing': 96582, 'wearing scrub': 974777, 'scrub in': 742899, 'spread not': 790642, 'not walk': 572426, 'around in': 93342, 'in disease': 422299, 'disease filthy': 245141, 'filthy clothing': 305795, 'clothing leaning': 184264, 'leaning on': 483903, 'surface can': 827991, 'do psa': 250012, 'psa and': 687392, 'losing my mind': 503578, 'my mind if': 549244, 'mind if see': 532677, 'see one more': 745504, 'one more asshole': 606686, 'more asshole wearing': 538657, 'asshole wearing scrub': 96583, 'wearing scrub in': 974778, 'scrub in the': 742901, 'store or in': 809340, 'or in line': 615753, 'line to pick': 493490, 'up food the': 944901, 'food the idea': 317119, 'is to stop': 453251, 'the spread not': 867634, 'spread not walk': 790643, 'not walk around': 572427, 'walk around in': 964743, 'around in disease': 93344, 'in disease filthy': 422300, 'disease filthy clothing': 245142, 'filthy clothing leaning': 305796, 'clothing leaning on': 184265, 'leaning on every': 483904, 'on every surface': 600623, 'every surface can': 286274, 'surface can we': 827992, 'we do psa': 971346, 'do psa and': 250013, 'psa and stop': 687393, 'and stop it': 72477, 'predatory': 669528, 'in addition': 420033, 'addition to': 31729, 'now also': 573986, 'also banning': 47907, 'banning hand': 110631, 'sanitizer surface': 735835, 'surface disinfecting': 828012, 'ad and': 31054, 'commerce listing': 188586, 'listing this': 494886, 'another step': 77867, 'and predatory': 69341, 'predatory behavior': 669531, 'in addition to': 420036, 'addition to mask': 31740, 'to mask we': 909877, 'mask we re': 519513, 're now also': 699136, 'now also banning': 573987, 'also banning hand': 47908, 'banning hand sanitizer': 110632, 'hand sanitizer surface': 375610, 'sanitizer surface disinfecting': 735836, 'surface disinfecting wipe': 828013, 'disinfecting wipe and': 245894, 'wipe and covid': 996186, 'test kit in': 839060, 'kit in ad': 475570, 'in ad and': 420024, 'ad and commerce': 31055, 'and commerce listing': 60133, 'commerce listing this': 188587, 'listing this is': 494887, 'is another step': 445742, 'another step to': 77869, 'inflated price and': 437024, 'price and predatory': 672499, 'and predatory behavior': 69342, 'predatory behavior we': 669532, 'behavior we re': 124295, 'for cleaning': 320109, 'cleaning health': 180960, 'health medical': 386636, 'against some': 37623, 'seller at': 748984, 'or abroad': 614242, 'abroad may': 27162, 'may claim': 521086, 'demand product': 236083, 'don report': 253869, 'report international': 712046, 'to econsumergov': 904936, 'shopping for cleaning': 762662, 'for cleaning health': 320111, 'cleaning health medical': 180961, 'health medical supply': 386638, 'supply to protect': 826024, 'protect against some': 684766, 'against some online': 37624, 'some online seller': 783446, 'online seller at': 608959, 'seller at home': 748985, 'home or abroad': 401733, 'or abroad may': 614243, 'abroad may claim': 27163, 'may claim to': 521087, 'claim to have': 179849, 'to have in': 907258, 'have in demand': 381034, 'in demand product': 422148, 'demand product in': 236085, 'product in stock': 681296, 'in stock when': 428343, 'stock when they': 803183, 'when they don': 984253, 'they don report': 882000, 'don report international': 253870, 'report international scam': 712047, 'international scam to': 441854, 'scam to econsumergov': 740421, 'heaping': 387864, 'breaking is': 138980, 'is heaping': 448368, 'heaping praise': 387865, 'praise on': 668854, 'way most': 969712, 'outbreak healthcare': 628293, 'responder get': 715465, 'get big': 346672, 'breaking is heaping': 138981, 'is heaping praise': 448369, 'heaping praise on': 387866, 'praise on the': 668855, 'the way most': 871166, 'way most american': 969713, 'most american are': 542088, 'american are responding': 51813, 'the outbreak healthcare': 862637, 'outbreak healthcare worker': 628294, 'healthcare worker transit': 387392, 'transit worker grocery': 929659, 'worker and first': 1006294, 'first responder get': 308944, 'responder get big': 715466, 'get big shout': 346674, 'bht': 129396, 'greedy grab': 363520, 'grab delivery': 361473, 'service forced': 752398, 'their obscene': 874079, 'obscene 35': 578508, '35 commission': 17883, 'commission on': 188868, 'now take': 575952, 'take only': 832423, '30 even': 17039, 'surging because': 828405, 'driver make': 259647, 'make le': 510079, 'le money': 483026, 'grab never': 361513, 'never paid': 558140, 'paid the': 634140, 'the promised': 864660, 'promised extra': 683719, 'extra 10': 293422, '10 bht': 1338, 'bht per': 129397, 'per delivery': 650816, 'their driver': 873085, 'greedy grab delivery': 363521, 'grab delivery service': 361474, 'delivery service forced': 234438, 'service forced to': 752399, 'forced to cut': 328625, 'to cut their': 903892, 'cut their obscene': 223584, 'their obscene 35': 874080, 'obscene 35 commission': 578509, '35 commission on': 17884, 'commission on food': 188869, 'food delivery they': 314153, 'delivery they now': 234628, 'they now take': 882804, 'now take only': 575953, 'take only 30': 832424, 'only 30 even': 609999, '30 even though': 17040, 'though the demand': 892908, 'demand is surging': 235743, 'is surging because': 452488, 'surging because of': 828406, 'of the driver': 590965, 'the driver make': 853698, 'driver make le': 259648, 'make le money': 510080, 'le money and': 483027, 'money and grab': 536597, 'and grab never': 63905, 'grab never paid': 361514, 'never paid the': 558141, 'paid the promised': 634143, 'the promised extra': 864662, 'promised extra 10': 683720, 'extra 10 bht': 293423, '10 bht per': 1339, 'bht per delivery': 129398, 'per delivery to': 650817, 'delivery to their': 234674, 'to their driver': 917227, 'diversity': 248558, 'scale of': 739901, 'major role': 509446, 'in helping': 423635, 'country feed': 210646, 'feed itself': 302329, 'itself during': 463926, 'may involve': 521298, 'involve change': 444329, 'change diversity': 172014, 'diversity to': 248563, 'or indeed': 615780, 'indeed maintain': 434000, 'business feel': 143732, 'for regulatory': 325081, 'regulatory technical': 708184, 'the scale of': 866406, 'scale of our': 739903, 'our food industry': 623112, 'food industry mean': 315018, 'industry mean we': 435990, 'mean we have': 524762, 'we have major': 971866, 'have major role': 381426, 'major role in': 509447, 'role in helping': 725094, 'in helping the': 423641, 'helping the country': 391486, 'the country feed': 852078, 'country feed itself': 210647, 'feed itself during': 302330, 'itself during after': 463927, 'during after covid': 262430, '19 this may': 11347, 'this may involve': 888791, 'may involve change': 521299, 'involve change diversity': 444330, 'change diversity to': 172015, 'diversity to meet': 248564, 'meet demand or': 527474, 'demand or indeed': 235986, 'or indeed maintain': 615781, 'indeed maintain business': 434001, 'maintain business feel': 508946, 'business feel free': 143733, 'free to contact': 332238, 'to contact for': 903352, 'contact for regulatory': 200082, 'for regulatory technical': 325082, 'regulatory technical support': 708185, 'technical support during': 836210, '568': 20471, '089': 1141, '238': 15491, 'in belgium': 420783, 'belgium saturday': 126186, 'saturday figure': 737021, 'figure 815': 305182, '815 confirmed': 22788, 'case up': 166088, 'up 568': 944194, '568 in': 20472, 'day 67': 227162, '67 death': 21463, 'death up': 230264, 'up 30': 944149, '30 089': 16924, '089 people': 1142, 'hospital up': 404696, 'up 299': 944147, '299 of': 16528, 'whom 238': 990540, '238 are': 15492, 'care up': 164248, 'up 74': 944205, 'in belgium saturday': 420784, 'belgium saturday figure': 126187, 'saturday figure 815': 737022, 'figure 815 confirmed': 305183, '815 confirmed case': 22789, 'confirmed case up': 194147, 'case up 568': 166089, 'up 568 in': 944195, '568 in day': 20473, 'in day 67': 422004, 'day 67 death': 227163, '67 death up': 21464, 'death up 30': 230265, 'up 30 089': 944150, '30 089 people': 16925, '089 people are': 1143, 'are in hospital': 87397, 'in hospital up': 423821, 'hospital up 299': 404697, 'up 299 of': 944148, '299 of whom': 16529, 'of whom 238': 593146, 'whom 238 are': 990541, '238 are in': 15493, 'are in intensive': 87401, 'intensive care up': 441137, 'care up 74': 164249, 'ftc revealed': 339439, 'revealed that': 720279, '00 complaint': 138, 'scam with': 740483, 'almost 12': 46477, 'million lost': 532228, 'fraud each': 331260, 'person lost': 652525, 'lost an': 503823, '500 the': 20057, 'most common': 542183, 'fraud with': 331376, 'commission ftc revealed': 188835, 'ftc revealed that': 339440, 'revealed that it': 720280, 'it ha received': 458409, '15 00 complaint': 3630, '00 complaint about': 139, 'complaint about coronavirus': 191926, 'about coronavirus related': 25030, 'related scam with': 708565, 'scam with total': 740486, 'with total of': 1001821, 'total of almost': 926211, 'of almost 12': 580010, 'almost 12 million': 46478, '12 million lost': 2886, 'million lost due': 532229, 'due to fraud': 261790, 'to fraud each': 906223, 'fraud each person': 331261, 'each person lost': 264252, 'person lost an': 652526, 'lost an average': 503824, 'average of over': 104882, 'of over 500': 587618, 'over 500 the': 629868, '500 the most': 20058, 'the most common': 860960, 'most common fraud': 542185, 'common fraud with': 189387, 'fraud with online': 331377, 'smp': 775962, 'smp covid': 775963, 'consumer tip': 199294, 'smp covid 19': 775964, '19 consumer tip': 5991, 'balancing': 109013, '19 balancing': 5296, 'balancing consideration': 109014, 'consideration in': 195256, '12 school': 2952, 'closing insurance': 183666, 'covid 19 balancing': 212676, '19 balancing consideration': 5297, 'balancing consideration in': 109015, 'consideration in 12': 195257, 'in 12 school': 419692, '12 school closing': 2953, 'school closing insurance': 741741, 'gibbs48': 349904, 'impotus45': 419427, 'deceive': 230723, 'gibbs48 impotus45': 349905, 'impotus45 also': 419428, 'is smart': 451984, 'smart genius': 775381, 'genius hell': 345784, 'hell he': 389017, 'even said': 284540, 'wa stable': 963295, 'stable genius': 791916, 'genius just': 345788, 'remember liar': 710223, 'liar will': 487977, 'will lie': 993982, 'lie fraudsters': 488357, 'will deceive': 993105, 'deceive however': 230726, 'however assume': 409346, 'least 00': 484322, '00 just': 288, 'gibbs48 impotus45 also': 349906, 'impotus45 also say': 419429, 'also say is': 48828, 'say is smart': 738823, 'is smart genius': 451985, 'smart genius hell': 775382, 'genius hell he': 345785, 'hell he even': 389019, 'he even said': 384932, 'even said he': 284541, 'he wa stable': 385618, 'wa stable genius': 963296, 'stable genius just': 791918, 'genius just remember': 345789, 'just remember liar': 469604, 'remember liar will': 710225, 'liar will lie': 487978, 'will lie fraudsters': 993983, 'lie fraudsters will': 488358, 'fraudsters will deceive': 331442, 'will deceive however': 993106, 'deceive however assume': 230727, 'however assume that': 409347, 'assume that gas': 97016, 'are at least': 84671, 'at least 00': 99437, 'least 00 just': 484323, '00 just one': 290, 'just one more': 469379, 'traumatic': 930213, 'consequence stockmarketcrash2020': 194885, 'stockmarketcrash2020 short': 803699, 'term credit': 838104, 'credit is': 216418, 'up employer': 944788, 'pay worker': 645236, 'buy inventory': 148831, 'inventory pay': 443701, 'pay supplier': 645127, 'supplier bankruptcy': 824504, 'bankruptcy layoff': 110533, 'layoff fall': 482692, 'demand end': 235287, 'consumption traumatic': 199956, 'traumatic damage': 930214, 'damage civil': 225186, 'war dowjones': 966420, 'sp500 united': 787032, 'state trump': 796045, 'trump sick': 933842, 'sick depression': 768413, 'consequence stockmarketcrash2020 short': 194886, 'stockmarketcrash2020 short term': 803700, 'short term credit': 764729, 'term credit is': 838106, 'credit is drying': 216419, 'drying up employer': 261340, 'up employer have': 944789, 'employer have no': 274514, 'money to pay': 537114, 'to pay worker': 911575, 'pay worker buy': 645237, 'worker buy inventory': 1006566, 'buy inventory pay': 148832, 'inventory pay supplier': 443702, 'pay supplier bankruptcy': 645128, 'supplier bankruptcy layoff': 824505, 'bankruptcy layoff fall': 110535, 'layoff fall in': 482693, 'in demand end': 422123, 'demand end of': 235288, 'end of consumption': 275892, 'of consumption traumatic': 581798, 'consumption traumatic damage': 199957, 'traumatic damage civil': 930215, 'damage civil war': 225187, 'civil war dowjones': 179564, 'war dowjones sp500': 966421, 'dowjones sp500 united': 256354, 'sp500 united state': 787033, 'united state trump': 942250, 'state trump sick': 796046, 'trump sick depression': 933843, 'techinally': 836178, 'techinally 1st': 836179, 'quarantine went': 692695, 'the vet': 870714, 'vet aka': 955700, 'aka just': 40493, 'to parking': 911468, 'farm the': 299196, 'for flour': 321533, 'techinally 1st day': 836180, '1st day of': 12731, 'of quarantine went': 588668, 'quarantine went to': 692696, 'to the vet': 917169, 'the vet aka': 870715, 'vet aka just': 955701, 'aka just went': 40494, 'went to parking': 979179, 'to parking lot': 911469, 'parking lot to': 642107, 'lot to the': 504396, 'to the farm': 916699, 'the farm the': 854936, 'farm the grocery': 299197, 'grocery store still': 365808, 'store still on': 810382, 'on the search': 604348, 'search for flour': 743247, 'excluded': 289626, 'pkgs': 657255, 'classifie': 180342, 'with farmer': 998389, 'market closed': 516177, 'closed migrant': 183222, 'migrant restriction': 531220, 'restriction farmer': 717271, 'rancher excluded': 696539, 'excluded from': 289627, 'relief pkgs': 709435, 'pkgs they': 657258, 'need dire': 554678, 'dire support': 243263, 'farmer migrant': 299460, 'migrant farmer': 531208, 'farmer should': 299505, 'get relief': 347914, 'pkgs and': 657256, 'be classifie': 114091, 'with farmer market': 998390, 'farmer market closed': 299445, 'market closed migrant': 516179, 'closed migrant restriction': 183223, 'migrant restriction farmer': 531221, 'restriction farmer rancher': 717272, 'farmer rancher excluded': 299484, 'rancher excluded from': 696540, 'excluded from covid': 289629, '19 relief pkgs': 10086, 'relief pkgs they': 709437, 'pkgs they need': 657259, 'they need dire': 882726, 'need dire support': 554679, 'dire support food': 243264, 'support food production': 826501, 'food production is': 316046, 'production is in': 682089, 'high demand so': 395030, 'demand so farmer': 236242, 'so farmer migrant': 777075, 'farmer migrant farmer': 299461, 'migrant farmer should': 531210, 'farmer should get': 299506, 'should get relief': 766034, 'get relief pkgs': 347915, 'relief pkgs and': 709436, 'pkgs and be': 657257, 'and be classifie': 58747, 'drew': 258713, 'noticed item': 573451, 'paper sanitizers': 640720, 'household cleaning': 406761, 'off grocery': 593872, 'prospect of': 684687, 'order drew': 618176, 'drew closer': 258716, 'to reality': 912857, 'reality buyinghabits': 701706, 'buyinghabits toiletpaper': 151427, 'toiletpaper sanitizer': 922436, 'have noticed item': 381715, 'noticed item like': 573452, 'toilet paper sanitizers': 921431, 'paper sanitizers and': 640721, 'sanitizers and household': 736198, 'and household cleaning': 64782, 'household cleaning product': 406763, 'cleaning product flying': 181030, 'flying off grocery': 311678, 'off grocery store': 593873, 'shelf the prospect': 757656, 'the prospect of': 864698, 'prospect of self': 684694, 'self isolation or': 747789, 'isolation or stay': 455378, 'or stay at': 617207, 'home order drew': 401771, 'order drew closer': 618177, 'drew closer to': 258717, 'closer to reality': 183521, 'to reality buyinghabits': 912859, 'reality buyinghabits toiletpaper': 701707, 'buyinghabits toiletpaper sanitizer': 151428, 'deleted': 232849, 'optic': 613870, 'he probably': 385306, 'probably deleted': 679242, 'deleted it': 232850, 'better optic': 128393, 'optic to': 613871, 'helping those': 391515, 'than spending': 841158, 'spending extra': 788807, 'money purchasing': 536987, 'purchasing stock': 689922, 'but yeah': 147955, 'yeah the': 1014302, 'he probably deleted': 385307, 'probably deleted it': 679243, 'deleted it because': 232851, 'because it better': 119176, 'it better optic': 456863, 'better optic to': 128394, 'optic to focus': 613872, 'focus on helping': 311877, 'on helping those': 601273, 'helping those affected': 391516, 'those affected by': 891777, '19 than spending': 11131, 'than spending extra': 841159, 'spending extra money': 788808, 'extra money purchasing': 293583, 'money purchasing stock': 536988, 'purchasing stock when': 689923, 'stock when the': 803181, 'low but yeah': 505171, 'but yeah the': 147956, 'audit': 102939, 'least grocery': 484492, 'food company': 313988, 'an audit': 55473, 'audit of': 102940, 'stock sell': 802813, 'sell if': 748756, 'if folk': 414118, 'leaving your': 485172, 'this then': 890544, 'industry probably': 436054, 'probably isn': 679298, 'isn your': 454767, 'your calling': 1023112, 'at least grocery': 99501, 'least grocery store': 484493, 'store chain and': 806910, 'chain and food': 170464, 'and food company': 63033, 'food company can': 313989, 'company can do': 190521, 'can do an': 158092, 'do an audit': 249057, 'an audit of': 55474, 'audit of the': 102941, 'the product they': 864597, 'product they stock': 681724, 'they stock sell': 883473, 'stock sell if': 802815, 'sell if folk': 748757, 'if folk are': 414119, 'folk are leaving': 312093, 'are leaving your': 87754, 'leaving your product': 485174, 'your product on': 1025441, 'shelf in time': 757222, 'like this then': 491538, 'this then the': 890546, 'then the food': 877613, 'food industry probably': 315021, 'industry probably isn': 436055, 'probably isn your': 679300, 'isn your calling': 454768, 'you grocery': 1018939, 'employee farmer': 273838, 'farmer trucker': 299550, 'trucker healthcare': 932924, 'essential individual': 281169, 'individual offering': 435231, 'offering your': 595331, 'thank you grocery': 841737, 'you grocery store': 1018941, 'store employee farmer': 807486, 'employee farmer trucker': 273839, 'farmer trucker healthcare': 299551, 'trucker healthcare worker': 932925, 'worker retail employee': 1007691, 'retail employee that': 718077, 'employee that are': 274287, 'are still working': 90501, 'working and all': 1008494, 'other essential individual': 620166, 'essential individual offering': 281170, 'individual offering your': 435232, 'offering your life': 595334, 'your life to': 1024649, 'unwelcome': 944070, 'selecting': 747509, 'extract': 293709, 'desired': 238431, 'is unwelcome': 453561, 'unwelcome when': 944071, 'when man': 983712, 'man hit': 512098, 'hit on': 398352, 'been watching': 122354, 'watching you': 968827, 'you while': 1022294, 'were selecting': 980093, 'selecting vanilla': 747510, 'vanilla extract': 952412, 'extract from': 293710, 'get closer': 346787, 'than foot': 840661, 'press forward': 671051, 'forward with': 330053, 'with conversation': 997781, 'conversation that': 202487, 'never desired': 557943, 'it is unwelcome': 459117, 'is unwelcome when': 453562, 'unwelcome when man': 944072, 'when man hit': 983713, 'man hit on': 512099, 'hit on you': 398357, 'on you in': 605425, 'store during and': 807399, 'during and make': 262455, 'clear that he': 181343, 'that he been': 844253, 'he been watching': 384777, 'been watching you': 122357, 'watching you while': 968829, 'you while you': 1022297, 'while you were': 987597, 'you were selecting': 1022256, 'were selecting vanilla': 980094, 'selecting vanilla extract': 747511, 'vanilla extract from': 952413, 'extract from the': 293711, 'shelf and try': 756773, 'to get closer': 906444, 'get closer than': 346788, 'closer than foot': 183509, 'than foot to': 840663, 'foot to press': 318447, 'to press forward': 912032, 'press forward with': 671052, 'forward with conversation': 330055, 'with conversation that': 997782, 'conversation that wa': 202488, 'that wa never': 847300, 'wa never desired': 962701, 'moab': 534882, 'boarded': 133684, 'steadthread': 799111, 'and shit': 71484, 'getting real': 349218, 'real in': 701221, 'rural ut': 728270, 'ut moab': 951180, 'moab basically': 534883, 'basically boarded': 112116, 'boarded up': 133685, 'told tourist': 923777, 'there yet': 879389, 'any item': 79371, 'tp still': 927953, 'no case': 563765, 'county good': 211390, 'news steadthread': 560821, 'grocery and shit': 364258, 'and shit is': 71485, 'shit is getting': 759142, 'is getting real': 448039, 'getting real in': 349221, 'real in rural': 701223, 'in rural ut': 427579, 'rural ut moab': 728271, 'ut moab basically': 951181, 'moab basically boarded': 534884, 'basically boarded up': 112117, 'boarded up and': 133686, 'up and told': 944384, 'and told tourist': 74262, 'told tourist to': 923778, 'tourist to get': 927044, 'get out we': 347749, 'out we aren': 627792, 'we aren there': 970776, 'aren there yet': 92560, 'there yet but': 879390, 'yet but the': 1016026, 'is limiting purchase': 449372, 'limiting purchase to': 492858, 'purchase to two': 689704, 'to two of': 917866, 'two of any': 937081, 'of any item': 580261, 'any item and': 79372, 'item and out': 463064, 'out of tp': 626866, 'of tp still': 592380, 'tp still no': 927954, 'still no case': 800865, 'no case in': 563766, 'case in our': 165804, 'our county good': 622612, 'county good news': 211391, 'good news steadthread': 357458, 'the anxiety': 848789, 'and depression': 61233, 'depression association': 237633, 'america provides': 51649, 'provides tip': 686902, 'manage anxiety': 512375, 'anxiety while': 78819, 'while practicing': 987163, 'the anxiety and': 848790, 'anxiety and depression': 78650, 'and depression association': 61234, 'depression association of': 237634, 'association of america': 96967, 'of america provides': 580044, 'america provides tip': 51650, 'provides tip to': 686905, 'to manage anxiety': 909788, 'manage anxiety while': 512377, 'anxiety while practicing': 78820, 'while practicing social': 987164, 'much fear': 544881, 'ammo for': 52898, 'for protection': 324826, 'against home': 37498, 'home break': 400813, 'than 98': 840311, '98 of': 23727, 'all who': 45458, 'it recover': 460669, 'recover it': 705184, 'only high': 610601, 'those bad': 891832, 'bad respiratory': 107995, 'respiratory problem': 715250, 'that mostly': 845236, 'mostly in': 542969, 'so much fear': 777774, 'much fear panic': 544883, 'fear panic over': 301286, 'panic over covid': 638386, '19 it to': 8156, 'to the point': 916963, 'point of buying': 662554, 'of buying gun': 581013, 'buying gun ammo': 150425, 'gun ammo for': 368681, 'ammo for protection': 52899, 'for protection against': 324827, 'protection against home': 685293, 'against home break': 37499, 'home break in': 400814, 'break in fighting': 138747, 'in fighting over': 422878, 'fighting over food': 305107, 'over food at': 630219, 'food at store': 313451, 'at store more': 100657, 'store more than': 808989, 'more than 98': 540586, 'than 98 of': 840312, '98 of all': 23728, 'of all who': 579995, 'all who get': 45461, 'who get it': 988773, 'get it recover': 347421, 'it recover it': 460670, 'recover it only': 705185, 'it only high': 460101, 'only high risk': 610602, 'risk to those': 723973, 'to those bad': 917496, 'those bad respiratory': 891833, 'bad respiratory problem': 107996, 'respiratory problem that': 715252, 'problem that mostly': 679703, 'that mostly in': 845238, 'mostly in the': 542970, 'in the elderly': 429163, 'professor spoke': 682590, 'are updating': 91378, 'updating their': 947490, 'their process': 874457, 'process amid': 679876, 'amid store': 52671, 'professor spoke with': 682591, 'spoke with about': 789743, 'with about how': 997084, 'about how are': 25421, 'how are updating': 407419, 'are updating their': 91379, 'updating their process': 947491, 'their process amid': 874458, 'process amid store': 679877, 'amid store closure': 52672, 'be building': 113921, 'building list': 142100, 'are hyper': 87286, 'hyper inflating': 412286, 'pandemic so': 636493, 'we come': 971147, 'side we': 768915, 'fuck out': 339621, 'them coronacrisis': 875556, 'coronacrisis rt': 204735, 'should be building': 765573, 'be building list': 113922, 'building list of': 142101, 'list of shop': 494471, 'of shop and': 589618, 'the like that': 859370, 'like that are': 491312, 'that are hyper': 842761, 'are hyper inflating': 87287, 'hyper inflating their': 412287, 'this pandemic so': 889424, 'pandemic so that': 636497, 'when we come': 984433, 'we come out': 971148, 'come out the': 187476, 'out the other': 627402, 'other side we': 620919, 'side we can': 768916, 'we can avoid': 970910, 'can avoid the': 157560, 'avoid the fuck': 105322, 'the fuck out': 855970, 'fuck out of': 339622, 'out of them': 626852, 'of them coronacrisis': 591730, 'them coronacrisis rt': 875558, 'kallang': 470712, 'ntuc': 576741, 'yoday': 1016473, 'socialdistancingfailz': 780901, 'at kallang': 99354, 'kallang wave': 470713, 'wave ntuc': 969361, 'ntuc fairprice': 576742, 'supermarket yoday': 824183, 'yoday queue': 1016474, 'queue were': 694128, 'about 20': 24661, '20 cart': 12991, 'cart deep': 165283, 'deep all': 231840, 'all senior': 44276, 'senior because': 750227, 'because today': 119743, 'their day': 872977, 'day 20': 227110, '30 minute': 17120, 'clear socialdistancingfailz': 181326, 'the queue at': 865035, 'queue at kallang': 693889, 'at kallang wave': 99355, 'kallang wave ntuc': 470714, 'wave ntuc fairprice': 969362, 'ntuc fairprice supermarket': 576744, 'fairprice supermarket yoday': 296463, 'supermarket yoday queue': 824184, 'yoday queue were': 1016475, 'queue were about': 694129, 'were about 20': 979269, 'about 20 cart': 24662, '20 cart deep': 12992, 'cart deep all': 165284, 'deep all senior': 231841, 'all senior because': 44277, 'senior because today': 750228, 'because today is': 119744, 'today is their': 919726, 'is their day': 452987, 'their day 20': 872978, 'day 20 30': 227111, '20 30 minute': 12901, '30 minute to': 17126, 'minute to clear': 533868, 'to clear socialdistancingfailz': 902833, 'harare': 377808, 'situation right': 772468, 'the harare': 857095, 'harare city': 377811, 'council office': 210017, 'office there': 595566, 'is zero': 454180, 'zero precaution': 1027479, 'situation right now': 772469, 'right now no': 722107, 'now no hand': 575349, 'at the harare': 100972, 'the harare city': 857096, 'harare city council': 377812, 'city council office': 179115, 'council office there': 210018, 'office there is': 595567, 'there is zero': 878658, 'is zero precaution': 454181, '2ply': 16829, 'surgicalmask': 828392, 'announced gazette': 76952, 'india order': 434559, 'order fixing': 618207, 'fixing retail': 309858, 'now 2ply': 573906, '2ply mask': 16832, 'ply surgicalmask': 661784, 'surgicalmask at': 828393, '10 handsanitizer': 1456, 'ml timely': 534728, 'by govt': 152720, 'indian government ha': 434839, 'government ha just': 360156, 'just announced gazette': 468192, 'announced gazette of': 76953, 'of india order': 585113, 'india order fixing': 434560, 'order fixing retail': 618208, 'fixing retail price': 309859, 'price of handsanitizer': 675467, 'of handsanitizer and': 584443, 'handsanitizer and mask': 376477, 'mask now 2ply': 519028, 'now 2ply mask': 573907, '2ply mask at': 16833, 'at ply surgicalmask': 100138, 'ply surgicalmask at': 661785, 'surgicalmask at 10': 828394, 'at 10 handsanitizer': 97404, '10 handsanitizer at': 1457, 'handsanitizer at 100': 376480, '200 ml timely': 13508, 'ml timely action': 534729, 'action by govt': 29982, 'by govt to': 152723, 'govt to prevent': 361316, 'consultation': 195873, 'proposed that': 684549, 'that minister': 845178, 'minister patel': 533435, 'patel after': 643959, 'after consultation': 35492, 'consultation with': 195890, 'with min': 999511, 'min of': 532555, 'health may': 386628, 'may set': 521491, 'set maximum': 753425, 'maximum price': 520831, 'private medical': 678948, 'medical good': 526194, 'service relating': 752760, 'testing prevention': 839614, 'it associated': 456605, 'associated disease': 96921, 'disease during': 245129, 'disaster period': 244231, 'proposed that minister': 684550, 'that minister patel': 845179, 'minister patel after': 533436, 'patel after consultation': 643960, 'after consultation with': 35493, 'consultation with min': 195891, 'with min of': 999512, 'min of health': 532556, 'of health may': 584510, 'health may set': 386629, 'may set maximum': 521492, 'set maximum price': 753426, 'maximum price of': 520833, 'price of private': 675542, 'of private medical': 588448, 'private medical good': 678949, 'medical good and': 526195, 'and service relating': 71313, 'service relating to': 752761, 'relating to testing': 708657, 'to testing prevention': 916406, 'testing prevention and': 839615, 'prevention and treatment': 671843, 'and treatment of': 74440, '19 and and': 4986, 'and and it': 58134, 'and it associated': 65485, 'it associated disease': 456606, 'associated disease during': 96922, 'disease during the': 245130, 'during the national': 263157, 'the national disaster': 861291, 'national disaster period': 552480, 'to small': 914754, 'small office': 775044, 'office minimize': 595489, 'risk with': 724025, 'with mandatory': 999374, 'mandatory mask': 513045, 'mask use': 519464, 'use sanitizing': 949556, 'sanitizing station': 736513, 'station at': 796348, 'every door': 285877, 'door mandatory': 255644, 'mandatory cleaning': 513031, 'crew but': 216684, 'but open': 146701, 'economy soon': 268224, 'soon possible': 785796, 'supermarket but not': 819453, 'but not safe': 146559, 'not safe to': 571421, 'go to small': 354360, 'to small office': 914761, 'small office minimize': 775045, 'office minimize the': 595491, 'minimize the risk': 533130, 'the risk with': 865888, 'risk with mandatory': 724026, 'with mandatory mask': 999375, 'mandatory mask use': 513046, 'mask use sanitizing': 519468, 'use sanitizing station': 949557, 'sanitizing station at': 736514, 'station at every': 796349, 'at every door': 98567, 'every door mandatory': 285878, 'door mandatory cleaning': 255645, 'mandatory cleaning crew': 513032, 'cleaning crew but': 180929, 'crew but open': 216685, 'but open up': 146703, 'open up the': 612638, 'up the economy': 946167, 'the economy soon': 854019, 'economy soon possible': 268225, 'underestimated': 940430, 'invented': 443614, 'crisis toiletpaper': 218262, 'become one': 120089, 'world most': 1009804, 'most underestimated': 542833, 'underestimated cultural': 940431, 'cultural asset': 220268, 'asset this': 96478, 'video clip': 956673, 'clip ha': 182356, 'gone viral': 356439, 'viral when': 957638, 'paper invented': 640343, 'invented and': 443615, 'did people': 240756, 'use before': 949070, 'the crisis toiletpaper': 852466, 'crisis toiletpaper ha': 218263, 'ha become one': 369688, 'become one of': 120091, 'the world most': 871915, 'world most underestimated': 1009809, 'most underestimated cultural': 542834, 'underestimated cultural asset': 940432, 'cultural asset this': 220269, 'asset this video': 96479, 'this video clip': 890977, 'video clip ha': 956674, 'clip ha gone': 182357, 'ha gone viral': 370735, 'gone viral when': 356441, 'viral when wa': 957640, 'when wa toilet': 984409, 'toilet paper invented': 921321, 'paper invented and': 640344, 'invented and what': 443616, 'and what did': 75459, 'what did people': 981317, 'did people use': 240760, 'people use before': 650065, 'use before that': 949071, 'blossom': 133284, 'only white': 611474, 'white wine': 987923, 'wine left': 995832, 'wa blossom': 961723, 'blossom hill': 133287, 'hill blossom': 396462, 'hill this': 396490, 'shit just': 759158, 'got real': 358807, 'the only white': 862357, 'only white wine': 611475, 'white wine left': 987924, 'wine left in': 995833, 'supermarket wa blossom': 823692, 'wa blossom hill': 961724, 'blossom hill blossom': 133288, 'hill blossom hill': 396463, 'blossom hill this': 133290, 'hill this shit': 396491, 'this shit just': 890084, 'shit just got': 759160, 'just got real': 468868, 'thursday to': 895440, 'shopper down': 761484, 'down during': 256708, 'sydney supermarket on': 830715, 'supermarket on thursday': 821737, 'on thursday to': 604681, 'thursday to try': 895441, 'calm shopper down': 156797, 'shopper down during': 761485, 'down during the': 256710, 'the outbreak in': 862647, 'outbreak in australia': 628336, 'cashappfriday': 166392, 'cashtag': 166716, 'away 100': 105757, '00 this': 529, 'this cashappfriday': 886716, 'cashappfriday rt': 166395, 'rt this': 726825, 'your cashtag': 1023163, 'cashtag or': 166719, 'or cashtag': 614682, 'cashtag for': 166717, 'for chance': 320008, 'receive 250': 703433, '250 in': 16018, 'or bitcoin': 614558, 'bitcoin must': 131827, 'be following': 114891, 'to qualify': 912630, 'qualify no': 691733, 'purchase necessary': 689561, 'necessary void': 554139, 'void where': 960028, 'where prohibited': 985135, 'prohibited official': 683428, 'official rule': 595896, 'giving away 100': 351239, 'away 100 00': 105758, '100 00 this': 1798, '00 this cashappfriday': 530, 'this cashappfriday rt': 886717, 'cashappfriday rt this': 166396, 'rt this with': 726830, 'with your cashtag': 1002181, 'your cashtag or': 1023164, 'cashtag or cashtag': 166720, 'or cashtag for': 614683, 'cashtag for chance': 166718, 'for chance to': 320009, 'chance to receive': 171812, 'to receive 250': 912908, 'receive 250 in': 703434, '250 in cash': 16019, 'cash or bitcoin': 166293, 'or bitcoin must': 614559, 'bitcoin must be': 131828, 'must be following': 546505, 'be following to': 114892, 'following to qualify': 312927, 'to qualify no': 912631, 'qualify no purchase': 691734, 'no purchase necessary': 565250, 'purchase necessary void': 689562, 'necessary void where': 554140, 'void where prohibited': 960029, 'where prohibited official': 985136, 'prohibited official rule': 683429, 'telecommute': 836707, 'remotework': 710786, 'will social': 994880, 'distancing accelerate': 246945, 'headquarters socialdistancing': 386035, 'workfromhome telecommute': 1008441, 'telecommute remotework': 836709, 'will social distancing': 994881, 'social distancing accelerate': 779545, 'distancing accelerate trend': 246946, 'home headquarters socialdistancing': 401351, 'headquarters socialdistancing workfromhome': 386036, 'socialdistancing workfromhome telecommute': 780883, 'workfromhome telecommute remotework': 1008442, 'tie up': 895750, 'with courier': 997833, 'courier company': 211801, 'and step': 72344, 'tie up with': 895751, 'up with courier': 946625, 'with courier company': 997834, 'courier company and': 211802, 'company and step': 190392, 'and step up': 72346, 'step up your': 799700, 'up your online': 946744, 'shopping but for': 762245, 'those who cannot': 892618, 'who cannot shop': 988430, 'healthinsurance': 387466, 'politicaleconomy': 663694, 'medicareforall': 526607, 'bullshitjobs': 142522, 'unemployment in': 941224, '20 employer': 13045, 'employer based': 274491, 'based healthinsurance': 111610, 'healthinsurance is': 387471, 'is clearly': 446553, 'clearly failure': 181511, 'failure is': 296275, 'highlighting already': 396008, 'already exposed': 47332, 'exposed crisis': 292842, 'our politicaleconomy': 624383, 'politicaleconomy need': 663695, 'for medicareforall': 323392, 'medicareforall healthcare': 526608, 'healthcare housing': 387143, 'housing consumer': 407064, 'spending bullshitjobs': 788759, 'bullshitjobs etc': 142523, 'unemployment in the': 941227, 'in the may': 429347, 'the may hit': 860316, 'may hit 20': 521274, 'hit 20 employer': 398095, '20 employer based': 13046, 'employer based healthinsurance': 274493, 'based healthinsurance is': 111611, 'healthinsurance is clearly': 387472, 'is clearly failure': 446555, 'clearly failure is': 181512, 'failure is highlighting': 296276, 'is highlighting already': 448460, 'highlighting already exposed': 396009, 'already exposed crisis': 47333, 'exposed crisis of': 292843, 'crisis of our': 217787, 'of our politicaleconomy': 587539, 'our politicaleconomy need': 624384, 'politicaleconomy need for': 663696, 'need for medicareforall': 554854, 'for medicareforall healthcare': 323393, 'medicareforall healthcare housing': 526609, 'healthcare housing consumer': 387144, 'housing consumer spending': 407066, 'consumer spending bullshitjobs': 199046, 'spending bullshitjobs etc': 788760, 'gotta have': 359081, 'have sense': 382464, 'humor during': 410864, 'time flight': 896672, 'flight haha': 310480, 'haha price': 373898, 'gotta have sense': 359082, 'have sense of': 382465, 'of humor during': 584894, 'humor during these': 410867, 'these time flight': 880839, 'time flight haha': 896673, 'flight haha price': 310481, 'farmar': 299221, 'to so': 914799, 'many farmer': 514061, 'many problem': 514594, 'with society': 1000828, 'society because': 781163, 'when farmer': 983409, 'in market': 425138, 'coming le': 188125, 'much wastage': 545429, 'our farmar': 623018, 'due to so': 261956, 'to so many': 914802, 'so many farmer': 777659, 'many farmer are': 514062, 'farmer are suffering': 299296, 'are suffering from': 90629, 'suffering from so': 817312, 'from so many': 337325, 'so many problem': 777692, 'many problem with': 514595, 'problem with society': 679759, 'with society because': 1000829, 'society because when': 781164, 'because when farmer': 119828, 'when farmer are': 983410, 'farmer are coming': 299271, 'are coming in': 85436, 'coming in market': 188095, 'in market the': 425148, 'market the people': 517198, 'people are coming': 646947, 'are coming le': 85439, 'coming le and': 188126, 'le and farmer': 482843, 'and farmer are': 62699, 'farmer are not': 299286, 'not getting their': 569632, 'getting their price': 349370, 'their price and': 874375, 'price and so': 672543, 'and so much': 71847, 'so much wastage': 777824, 'much wastage of': 545430, 'wastage of vegetable': 968059, 'of vegetable in': 592761, 'vegetable in our': 954012, 'our market so': 623869, 'market so please': 517077, 'so please think': 778029, 'think about our': 885094, 'about our farmar': 25889, 'ironic': 444929, 'most ironic': 542457, 'ironic part': 444935, 'go coronacrisis': 353427, 'the most ironic': 861003, 'most ironic part': 542458, 'ironic part of': 444936, 'part of all': 642328, 'of this is': 591995, 'this is that': 888423, 'time low but': 897162, 'low but there': 505164, 'is literally no': 449392, 'literally no where': 495049, 'where to go': 985307, 'to go coronacrisis': 906786, 'generationz': 345676, 'thedumbestgeneration': 872321, 'theevilgeneration': 872331, 'from generation': 335610, 'who eats': 988675, 'eats laundry': 266375, 'laundry detergent': 482106, 'detergent and': 239387, 'funny to': 341804, 'lick ice': 488201, 'cream for': 215546, 'sale generationz': 732242, 'generationz thedumbestgeneration': 345677, 'thedumbestgeneration theevilgeneration': 872322, 'what would you': 982647, 'would you expect': 1012410, 'you expect from': 1018477, 'expect from generation': 290646, 'from generation who': 335611, 'generation who eats': 345649, 'who eats laundry': 988676, 'eats laundry detergent': 266376, 'laundry detergent and': 482107, 'detergent and think': 239389, 'and think it': 73965, 'think it funny': 885331, 'it funny to': 458192, 'funny to lick': 341806, 'to lick ice': 909236, 'lick ice cream': 488202, 'ice cream for': 412652, 'cream for sale': 215548, 'for sale generationz': 325316, 'sale generationz thedumbestgeneration': 732243, 'generationz thedumbestgeneration theevilgeneration': 345678, 'esteemed': 282216, 'ethiopianairlines': 283119, 'inform our': 437662, 'our esteemed': 622928, 'esteemed customer': 282217, 'stopped flight': 805701, 'flight to': 310544, '30 country': 17008, 'covid19 virus': 214396, 'virus ethiopianairlines': 958163, 'like to inform': 491600, 'to inform our': 908386, 'inform our esteemed': 437663, 'our esteemed customer': 622929, 'esteemed customer that': 282218, 'customer that we': 222923, 'we have stopped': 971953, 'have stopped flight': 382786, 'stopped flight to': 805702, 'flight to 30': 310545, 'to 30 country': 899667, '30 country due': 17009, 'due to covid19': 261746, 'to covid19 virus': 903676, 'covid19 virus ethiopianairlines': 214397, 'q3': 691434, 'normalization': 567460, 'allocated': 45874, 'q3 we': 691435, 'some normalization': 783361, 'normalization begin': 567461, 'to fade': 905601, 'fade back': 296056, 'back rent': 107252, 'and loan': 66282, 'loan begin': 497400, 'paid back': 633976, 'back pulling': 107240, 'pulling from': 688933, 'discretionary fund': 244765, 'fund early': 341396, 'and mid': 66991, 'mid career': 530556, 'career worker': 164366, 'worker had': 1007078, 'had allocated': 372823, 'allocated labor': 45879, 'market begin': 516099, 'to rebound': 912899, 'rebound but': 703301, 'but supply': 147226, 'of labor': 585693, 'labor is': 478416, 'is expanded': 447637, 'expanded wage': 290497, 'wage fall': 963857, 'q3 we begin': 691436, 'begin to see': 123591, 'see some normalization': 745717, 'some normalization begin': 783362, 'normalization begin to': 567462, 'begin to fade': 123582, 'to fade back': 905602, 'fade back rent': 296057, 'back rent and': 107253, 'rent and loan': 711036, 'and loan begin': 66283, 'loan begin to': 497401, 'begin to be': 123577, 'to be paid': 901431, 'be paid back': 116332, 'paid back pulling': 633977, 'back pulling from': 107241, 'pulling from the': 688934, 'the consumer discretionary': 851524, 'consumer discretionary fund': 197215, 'discretionary fund early': 244766, 'fund early and': 341397, 'early and mid': 264543, 'and mid career': 66992, 'mid career worker': 530557, 'career worker had': 164367, 'worker had allocated': 1007079, 'had allocated labor': 372824, 'allocated labor market': 45880, 'labor market begin': 478425, 'market begin to': 516100, 'begin to rebound': 123589, 'to rebound but': 912900, 'rebound but supply': 703303, 'but supply of': 147228, 'supply of labor': 825633, 'of labor is': 585694, 'labor is expanded': 478417, 'is expanded wage': 447638, 'expanded wage fall': 290498, 'opening tomorrow': 612938, 'tomorrow those': 924204, 'those store': 892494, 'personnel are': 653083, 'in harm': 423554, 'harm way': 378423, 'way covid': 969532, 'be played': 116437, 'played with': 659294, 'why are at': 990762, 'are at retail': 84679, 'retail store still': 718705, 'store still opening': 810384, 'still opening tomorrow': 800987, 'opening tomorrow those': 612939, 'tomorrow those store': 924205, 'those store personnel': 892496, 'store personnel are': 809517, 'personnel are being': 653084, 'put in harm': 690617, 'in harm way': 423556, 'harm way covid': 378424, 'way covid 19': 969533, 'is not to': 450210, 'to be played': 901442, 'be played with': 116438, 'smashing': 775572, 'bowtie': 136989, 'goingout': 355831, 've reached': 953472, 'this isolation': 888501, 'isolation that': 455450, 'out feel': 626063, 'feel should': 302838, 'be putting': 116645, 'putting on': 691177, 'my sunday': 550261, 'sunday clothes': 818180, 'clothes and': 184139, 'and smashing': 71796, 'smashing bowtie': 775573, 'bowtie because': 136992, 'because bowtie': 118958, 'bowtie are': 136990, 'been cool': 120891, 'cool goingout': 203011, 've reached the': 953473, 'point in this': 662527, 'in this isolation': 429967, 'this isolation that': 888502, 'isolation that going': 455452, 'supermarket is going': 821093, 'is going out': 448098, 'going out feel': 355371, 'out feel should': 626064, 'feel should be': 302839, 'should be putting': 765705, 'be putting on': 116647, 'putting on my': 691178, 'on my sunday': 602322, 'my sunday clothes': 550262, 'sunday clothes and': 818181, 'clothes and smashing': 184140, 'and smashing bowtie': 71797, 'smashing bowtie because': 775574, 'bowtie because bowtie': 136993, 'because bowtie are': 118959, 'bowtie are and': 136991, 'are and always': 84542, 'and always have': 57996, 'always have been': 49609, 'have been cool': 379497, 'been cool goingout': 120892, 'hell make': 389034, 'make toiletpaper': 510663, 'toiletpaper sale': 922431, 'sale hit': 732280, 'hit worldwide': 398515, 'worldwide you': 1010444, 'eat it': 265956, 'it guess': 458364, 'guess 19': 367962, 'is primarily': 451024, 'primarily not': 678045, 'not diarrhea': 569012, 'diarrhea wtf': 240393, 'wtf toiletpaperpanic': 1013330, 'the hell make': 857245, 'hell make toiletpaper': 389035, 'make toiletpaper sale': 510664, 'toiletpaper sale hit': 922432, 'sale hit worldwide': 732283, 'hit worldwide you': 398516, 'worldwide you cannot': 1010445, 'you cannot eat': 1017854, 'cannot eat it': 161769, 'eat it guess': 265963, 'it guess 19': 458365, 'guess 19 is': 367963, '19 is primarily': 8024, 'is primarily not': 451028, 'primarily not diarrhea': 678046, 'not diarrhea wtf': 569013, 'diarrhea wtf toiletpaperpanic': 240394, 'wtf toiletpaperpanic toiletpapercrisis': 1013331, 'eradicated': 280100, 'babawiin': 106547, 'nagasto': 551392, 'noong': 566878, 'other health': 620346, 'health expense': 386415, 'expense suppose': 291209, 'suppose covid': 827304, 'will had': 993589, 'already eradicated': 47318, 'eradicated worldwide': 280103, 'worldwide it': 1010387, 'all sum': 44533, 'sum up': 817878, 'up into': 945215, 'of tax': 590607, 'tax babawiin': 834935, 'babawiin ni': 106548, 'ni govt': 562300, 'govt ang': 361077, 'ang nagasto': 76288, 'nagasto noong': 551393, 'noong covid': 566879, 'covid price': 214209, 'to tax': 916307, 'tax increase': 835014, 'private business': 678867, 'aftermath of free': 36656, 'of free mass': 583919, 'mass testing and': 519880, 'testing and other': 839439, 'and other health': 68337, 'other health expense': 620348, 'health expense suppose': 386416, 'expense suppose covid': 291210, 'suppose covid 19': 827305, '19 will had': 12093, 'will had been': 993590, 'had been already': 372884, 'been already eradicated': 120647, 'already eradicated worldwide': 47319, 'eradicated worldwide it': 280104, 'worldwide it would': 1010389, 'it would all': 462579, 'would all sum': 1011502, 'all sum up': 44534, 'sum up into': 817879, 'up into an': 945216, 'into an increase': 442394, 'increase of tax': 432946, 'of tax babawiin': 590608, 'tax babawiin ni': 834936, 'babawiin ni govt': 106549, 'ni govt ang': 562301, 'govt ang nagasto': 361078, 'ang nagasto noong': 76289, 'nagasto noong covid': 551394, 'noong covid price': 566880, 'covid price of': 214210, 'due to tax': 261988, 'to tax increase': 916308, 'tax increase for': 835015, 'increase for private': 432786, 'for private business': 324749, 'fapri': 298658, 'univ': 942336, 'pfnews': 653933, 'fapri expects': 298661, 'expects covid': 291073, 'cut crop': 223286, 'crop price': 218938, '10 in': 1475, '21 the': 15027, 'agricultural policy': 38897, 'policy research': 663482, 'research institute': 713771, 'institute fapri': 440415, 'fapri at': 298659, 'the univ': 870427, 'univ of': 942339, 'of mo': 586589, 'mo put': 534862, 'together some': 920941, 'some analysis': 782288, 'analysis on': 57071, 'ag sector': 36839, 'sector pfnews': 744297, 'fapri expects covid': 298662, 'expects covid 19': 291074, '19 to cut': 11418, 'to cut crop': 903871, 'cut crop price': 223287, 'crop price to': 218939, 'price to 10': 676953, 'to 10 in': 899426, '10 in 2020': 1476, '2020 21 the': 14108, '21 the food': 15028, 'the food agricultural': 855528, 'food agricultural policy': 313059, 'agricultural policy research': 38901, 'policy research institute': 663483, 'research institute fapri': 713773, 'institute fapri at': 440416, 'fapri at the': 298660, 'at the univ': 101135, 'the univ of': 870428, 'univ of mo': 942341, 'of mo put': 586590, 'mo put together': 534863, 'put together some': 690947, 'together some analysis': 920942, 'some analysis on': 782290, 'analysis on the': 57072, 'on the ag': 603961, 'the ag sector': 848430, 'ag sector pfnews': 36840, 'nginews': 561826, 'withering': 1002293, 'in shape': 427858, 'shape but': 754826, 'easy if': 265714, 'not cooperate': 568879, 'cooperate nginews': 203135, 'nginews survival': 561827, 'survival of': 829066, 'sector said': 744320, 'coronavirus withering': 207094, 'withering wti': 1002294, 'wti price': 1013402, 'the energy sector': 854326, 'energy sector is': 276581, 'sector is doing': 744244, 'is doing what': 447298, 'doing what it': 252845, 'what it can': 981744, 'it can to': 457035, 'keep the bottom': 472026, 'the bottom line': 849909, 'bottom line in': 136411, 'line in shape': 493202, 'in shape but': 427859, 'shape but it': 754827, 'but it not': 146145, 'it not going': 459880, 'to be easy': 901227, 'be easy if': 114630, 'easy if price': 265715, 'if price do': 414685, 'do not cooperate': 249708, 'not cooperate nginews': 568880, 'cooperate nginews survival': 203136, 'nginews survival of': 561828, 'survival of oil': 829067, 'of oil gas': 587182, 'oil gas sector': 596830, 'gas sector said': 344087, 'sector said at': 744321, 'said at risk': 730987, 'risk from coronavirus': 723570, 'from coronavirus withering': 335027, 'coronavirus withering wti': 207095, 'withering wti price': 1002295, 'everyone good': 286948, 'good human': 357191, 'and humble': 64867, 'humble muslim': 410818, 'muslim until': 546444, 'challenge yesterday': 171602, 'yesterday fda': 1015729, 'approved chloroquine': 83143, 'chloroquine the': 177632, 'treatment drug': 931064, 'drug for': 260952, 'price doubled': 673503, 'doubled for': 256110, 'it either': 457777, 'either you': 270417, 'everyone good human': 286950, 'good human and': 357192, 'human and humble': 410407, 'and humble muslim': 64868, 'humble muslim until': 410819, 'muslim until they': 546445, 'until they face': 943889, 'they face the': 882087, 'face the challenge': 294791, 'the challenge yesterday': 850655, 'challenge yesterday fda': 171603, 'yesterday fda approved': 1015730, 'fda approved chloroquine': 300831, 'approved chloroquine the': 83144, 'chloroquine the treatment': 177634, 'the treatment drug': 869943, 'treatment drug for': 931065, 'drug for and': 260953, 'for and today': 319347, 'today it price': 919745, 'it price doubled': 460462, 'price doubled for': 673504, 'doubled for no': 256112, 'for no reason': 323893, 'no reason it': 565291, 'reason it either': 702948, 'it either you': 457781, 'either you buy': 270418, 'buy the drug': 149293, 'the drug for': 853734, 'drug for double': 260954, 'for double price': 320839, 'double price or': 256039, 'price or you': 675797, 'or you don': 617859, 'crisis test': 218136, 'retailer leading': 719232, 'to temporary': 916367, 'closure at': 183854, 'like apple': 489819, 'and nike': 67592, 'the crisis test': 852456, 'crisis test all': 218137, 'test all retailer': 838907, 'all retailer leading': 44192, 'retailer leading to': 719233, 'leading to temporary': 483777, 'to temporary store': 916369, 'store closure at': 807085, 'closure at company': 183855, 'at company like': 98303, 'company like apple': 190842, 'like apple and': 489820, 'apple and nike': 82309, 'microban multi': 530435, 'multi purpose': 545665, 'purpose cleaner': 690106, 'cleaner qt': 180824, 'qt sanitizer': 691616, 'microban multi purpose': 530436, 'multi purpose cleaner': 545666, 'purpose cleaner qt': 690107, 'cleaner qt sanitizer': 180825, 'qt sanitizer disinfectant': 691617, 'foodbanks are': 317810, 'foodbanks are struggling': 317816, 'meet demand during': 527463, 'weaver': 974929, 'to port': 911896, 'port house': 664883, 'house grill': 406333, 'grill and': 363942, 'and weaver': 75362, 'weaver liquor': 974930, 'liquor for': 494168, 'the combined': 851174, 'combined effort': 187124, 'local volunteer': 498680, 'volunteer fire': 960261, 'fire company': 308065, 'with homemade': 998865, 'so awesome': 776570, 'you to port': 1021821, 'to port house': 911897, 'port house grill': 664884, 'house grill and': 406334, 'grill and weaver': 363943, 'and weaver liquor': 75363, 'weaver liquor for': 974931, 'liquor for the': 494169, 'for the combined': 326350, 'the combined effort': 851175, 'combined effort to': 187125, 'effort to provide': 269639, 'to provide our': 912420, 'provide our local': 686418, 'our local volunteer': 623791, 'local volunteer fire': 498681, 'volunteer fire company': 960262, 'fire company and': 308066, 'company and with': 190397, 'and with homemade': 75773, 'with homemade hand': 998866, 'sanitizer so awesome': 735748, 'floridian': 311022, 'no employee': 564108, 'employee wa': 274380, 'glove how': 352723, 'many floridian': 514071, 'floridian must': 311033, 'must suffer': 546931, 'suffer or': 817224, 'or die': 614961, 'die bc': 241301, 'your lack': 1024584, 'for florida': 321528, 'florida voter': 311002, 'store no employee': 809075, 'no employee wa': 564110, 'employee wa wearing': 274383, 'or glove how': 615474, 'glove how many': 352724, 'how many floridian': 408259, 'many floridian must': 514073, 'floridian must suffer': 311035, 'must suffer or': 546933, 'suffer or die': 817225, 'or die bc': 614963, 'die bc of': 241302, 'bc of your': 113271, 'of your lack': 593493, 'your lack of': 1024585, 'lack of concern': 478610, 'concern for florida': 192972, 'for florida voter': 321532, 'colonial': 186707, 'opportunist': 613552, 'boycotthul at': 137378, 'global fmcg': 351942, 'fmcg giant': 311733, 'giant hul': 349801, 'hul ha': 410347, 'it soap': 461141, 'soap upto': 779144, 'upto 10': 947920, '10 just': 1492, 'of rising': 589120, 'demand must': 235909, 'must take': 546937, 'this colonial': 886799, 'colonial opportunist': 186708, 'opportunist thank': 613557, 'you ji': 1019405, 'ji for': 465442, 'raising voice': 696158, 'voice of': 959990, 'boycotthul at the': 137379, 'the global fmcg': 856303, 'global fmcg giant': 351943, 'fmcg giant hul': 311734, 'giant hul ha': 349802, 'hul ha increased': 410349, 'price on it': 675687, 'on it soap': 601686, 'it soap upto': 461143, 'soap upto 10': 779145, 'upto 10 just': 947921, '10 just to': 1494, 'just to take': 470110, 'advantage of rising': 33030, 'of rising demand': 589121, 'rising demand must': 723200, 'demand must take': 235911, 'must take action': 546938, 'action against this': 29939, 'against this colonial': 37696, 'this colonial opportunist': 886800, 'colonial opportunist thank': 186709, 'opportunist thank you': 613558, 'thank you ji': 841759, 'you ji for': 1019406, 'ji for raising': 465443, 'for raising voice': 324955, 'raising voice of': 696159, 'voice of consumer': 959991, 'shopping consumer': 762393, 'yourself from grocery': 1026616, 'from grocery shopping': 335700, 'grocery shopping consumer': 365008, 'shopping consumer report': 762395, 'ke requires': 471237, 'requires all': 713453, 'all liquefied': 43386, 'lpg trader': 506328, 'behave responsibly': 123788, 'responsibly and': 716076, 'exploit consumer': 292334, 'hiking lpg': 396381, 'country dc': 210571, 'ke requires all': 471238, 'requires all liquefied': 713454, 'all liquefied petroleum': 43387, 'gas lpg trader': 343896, 'lpg trader to': 506329, 'trader to behave': 928779, 'to behave responsibly': 901724, 'behave responsibly and': 123790, 'responsibly and not': 716078, 'not to exploit': 572151, 'to exploit consumer': 905492, 'exploit consumer by': 292335, 'consumer by hiking': 196716, 'by hiking lpg': 152808, 'hiking lpg price': 396382, 'lpg price in': 506323, 'wake of corona': 964593, 'corona virus covid': 204297, 'the country dc': 852061, 'decor': 231522, 'is round': 451576, 'small home': 774991, 'and decor': 61027, 'decor shop': 231526, 'online while': 609722, 'while staying': 987314, 'also keep': 48447, 'it updated': 461974, 'more shop': 540377, 'show our': 767082, 'our love': 623813, 'the latest story': 859148, 'latest story on': 481557, 'story on is': 812087, 'on is round': 601634, 'is round up': 451577, 'up of small': 945505, 'of small home': 589787, 'small home and': 774992, 'home and decor': 400630, 'and decor shop': 61028, 'decor shop that': 231527, 'shop that have': 760893, 'that have closed': 844201, 'to but you': 902159, 'can still support': 159797, 'still support online': 801259, 'support online while': 826711, 'online while staying': 609724, 'while staying at': 987315, 'home we ll': 402454, 'we ll also': 972232, 'll also keep': 496548, 'also keep it': 48449, 'keep it updated': 471625, 'it updated with': 461975, 'updated with more': 947466, 'with more shop': 999563, 'more shop to': 540379, 'shop to show': 760955, 'to show our': 914569, 'show our love': 767086, 'be trillion': 117818, 'trillion cover': 931972, 'cover medical': 212253, 'medical debt': 526123, 'debt student': 230569, 'student debt': 814664, 'debt except': 230479, 'for car': 319930, 'to be trillion': 901602, 'be trillion cover': 117819, 'trillion cover medical': 931973, 'cover medical debt': 212254, 'medical debt student': 526127, 'debt student debt': 230570, 'student debt and': 814665, 'debt and consumer': 230416, 'consumer debt except': 197078, 'debt except for': 230480, 'except for car': 289153, 'for car and': 319931, 'car and mortgage': 163000, 'and mortgage relief': 67256, 'deadline': 229210, 'sep': 751057, 'tax filing': 834984, 'filing deadline': 305423, 'deadline extends': 229216, 'extends to': 293267, 'to june': 908711, 'june 1st': 467986, '1st 2020': 12705, 'pay until': 645204, 'until sep': 943824, 'sep 1st': 751058, 'chain working': 171267, 'well and': 978013, 'and fair': 62617, 'maintained so': 509087, 'so buy': 776670, 'buy sensibly': 149160, 'tax filing deadline': 834985, 'filing deadline extends': 305424, 'deadline extends to': 229217, 'extends to june': 293269, 'to june 1st': 908712, 'june 1st 2020': 467987, '1st 2020 will': 12707, '2020 will not': 14725, 'to pay until': 911571, 'pay until sep': 645205, 'until sep 1st': 943825, 'sep 1st 2020': 751059, '1st 2020 on': 12706, '2020 on grocery': 14482, 'supply chain working': 825071, 'chain working well': 171268, 'working well and': 1009039, 'well and fair': 978014, 'and fair price': 62618, 'fair price will': 296375, 'be maintained so': 115877, 'maintained so buy': 509088, 'so buy sensibly': 776671, 'supportindies': 827100, 'indiebookstores': 435064, 'publisher are': 688716, 'finding way': 307570, 'discount online': 244517, 'online promotion': 608813, 'of indie': 585129, 'indie book': 435058, 'book store': 134602, 'store virtual': 811069, 'virtual festival': 957741, 'festival author': 303593, 'author supportindies': 103647, 'supportindies indiebookstores': 827101, 'indiebookstores by': 435065, 'publisher are finding': 688717, 'are finding way': 86578, 'finding way to': 307571, 'help out during': 390249, 'out during covid': 625987, '19 discount online': 6561, 'discount online promotion': 244518, 'online promotion of': 608814, 'promotion of indie': 683872, 'of indie book': 585130, 'indie book store': 435059, 'book store virtual': 134603, 'store virtual festival': 811070, 'virtual festival author': 957742, 'festival author supportindies': 303594, 'author supportindies indiebookstores': 103648, 'supportindies indiebookstores by': 827102, 'indiebookstores by shopping': 435066, 'pressbriefing': 671091, 'pressbriefing would': 671094, 'really happening': 702255, 'in nh': 425861, 'nh hospital': 561978, 'hospital from': 404416, 'from actual': 334389, 'actual doctor': 30641, 'doctor who': 251157, 'keep patient': 471778, 'patient alive': 644125, 'alive not': 41823, 'of matt': 586302, 'matt ve': 520534, 'had covid19': 373000, 'covid19 hancock': 214308, 'pressbriefing would rather': 671095, 'rather have the': 697470, 'have the truth': 383039, 'truth about what': 934381, 'about what is': 26888, 'is really happening': 451301, 'really happening in': 702256, 'happening in nh': 377365, 'in nh hospital': 425862, 'nh hospital from': 561979, 'hospital from actual': 404417, 'from actual doctor': 334390, 'actual doctor who': 30642, 'doctor who are': 251158, 'are fighting to': 86550, 'fighting to keep': 305149, 'to keep patient': 908825, 'keep patient alive': 471779, 'patient alive not': 644126, 'alive not the': 41824, 'not the like': 572011, 'like of matt': 490903, 'of matt ve': 586303, 'matt ve had': 520535, 've had covid19': 953219, 'had covid19 hancock': 373001, 'snapchat': 776128, 'installs': 440060, 'snapchatads': 776137, 'socialmediaads': 781104, 'add snapchat': 31483, 'snapchat to': 776135, 'marketing campaign': 517544, 'campaign in': 157229, 'new stay': 559652, 'home economy': 401124, 'economy snapchat': 268220, 'snapchat is': 776131, 'reporting increase': 712700, 'in installs': 424114, 'installs for': 440063, 'for app': 319463, 'app ad': 81667, 'ad online': 31135, 'shopping learn': 763149, 'more snapchatads': 540409, 'snapchatads snapchat': 776138, 'snapchat smm': 776133, 'smm socialmediaads': 775834, 'is it time': 449067, 'time to add': 897941, 'to add snapchat': 900066, 'add snapchat to': 31484, 'snapchat to your': 776136, 'to your marketing': 919000, 'your marketing campaign': 1024778, 'marketing campaign in': 517545, 'campaign in the': 157230, 'the new stay': 861561, 'new stay at': 559653, 'at home economy': 98983, 'home economy snapchat': 401126, 'economy snapchat is': 268221, 'snapchat is reporting': 776132, 'is reporting increase': 451441, 'reporting increase in': 712701, 'increase in installs': 432841, 'in installs for': 424115, 'installs for app': 440064, 'for app ad': 319464, 'app ad online': 81668, 'ad online shopping': 31136, 'online shopping learn': 609169, 'shopping learn more': 763150, 'learn more snapchatads': 484038, 'more snapchatads snapchat': 540410, 'snapchatads snapchat smm': 776139, 'snapchat smm socialmediaads': 776134, 'mask wa': 519488, 'wa weird': 963684, 'weird seeing': 977782, 'seeing others': 746399, 'others wearing': 621767, 'mask shopping': 519265, 'normal sanitizing': 567300, 'sanitizing everything': 736470, 'before putting': 123028, 'it away': 456650, 'away it': 105952, 'it weird': 462300, 'time quarantinelife': 897543, 'quarantinelife azliving': 692933, 'around the grocery': 93541, 'wearing mask wa': 974723, 'mask wa weird': 519492, 'wa weird seeing': 963685, 'weird seeing others': 977783, 'seeing others wearing': 746400, 'others wearing mask': 621768, 'wearing mask shopping': 974711, 'mask shopping normal': 519266, 'shopping normal sanitizing': 763344, 'normal sanitizing everything': 567301, 'sanitizing everything before': 736471, 'everything before putting': 287709, 'before putting it': 123030, 'putting it away': 691153, 'it away it': 456653, 'away it weird': 105957, 'it weird time': 462304, 'weird time quarantinelife': 977806, 'time quarantinelife azliving': 897544, 'read last': 700393, 'night grocery': 563005, 'stocking and': 803541, 'sanitizing at': 736464, 'opening at': 612801, 'at 7am': 97746, '7am to': 22438, 'allow only': 46018, 'only their': 611284, 'their 65': 872441, '65 customer': 21349, 'one hour': 606433, 'their younger': 875257, 'younger customer': 1022682, 'customer think': 222941, 'read last night': 700394, 'last night grocery': 480376, 'night grocery store': 563006, 'store in houston': 808315, 'houston is stocking': 407207, 'is stocking and': 452339, 'stocking and sanitizing': 803543, 'and sanitizing at': 70911, 'sanitizing at night': 736465, 'at night and': 99881, 'night and opening': 562945, 'and opening at': 68172, 'opening at 7am': 612802, 'at 7am to': 97751, '7am to allow': 22440, 'to allow only': 900350, 'allow only their': 46019, 'only their 65': 611285, 'their 65 customer': 872442, '65 customer in': 21350, 'customer in to': 222512, 'in to shop': 430137, 'shop for what': 760210, 'for what they': 327807, 'they need for': 882734, 'need for one': 554859, 'for one hour': 324085, 'one hour before': 606435, 'hour before opening': 405460, 'before opening the': 122978, 'opening the store': 612912, 'store to their': 810821, 'to their younger': 917282, 'their younger customer': 875258, 'younger customer think': 1022683, 'customer think that': 222943, 'that is great': 844592, 'is great thing': 448209, 'great thing to': 363049, 'idtheft': 413718, 'fpm2020': 330830, 'while adjusting': 986570, 'yourself checking': 1026558, 'out digital': 625956, 'digital shopping': 242646, 'cart more': 165335, 'before follow': 122805, 'these simple': 880695, 'simple tip': 770124, 'with confidence': 997725, 'confidence idtheft': 193891, 'idtheft fpm2020': 413719, 'while adjusting to': 986571, 'adjusting to the': 32372, 'to the evolving': 916686, 'the evolving situation': 854650, 'evolving situation of': 288585, 'situation of covid': 772410, '19 you may': 12270, 'may find yourself': 521194, 'find yourself checking': 307412, 'yourself checking out': 1026559, 'checking out digital': 174839, 'out digital shopping': 625957, 'digital shopping cart': 242648, 'shopping cart more': 762308, 'cart more than': 165336, 'ever before follow': 285223, 'before follow these': 122806, 'follow these simple': 312558, 'these simple tip': 880697, 'simple tip to': 770125, 'tip to shop': 898939, 'online with confidence': 609743, 'with confidence idtheft': 997726, 'confidence idtheft fpm2020': 193892, 'that tesco': 846634, 'own employee': 631963, 'like leyton': 490638, 'line dealing': 493047, '19 limited': 8338, 'limited supply': 492731, 'distributing food': 248074, 'bit help': 131579, 'especially now that': 280564, 'now that tesco': 576019, 'that tesco own': 846635, 'tesco own employee': 838776, 'own employee in': 631964, 'employee in store': 273970, 'in store like': 428426, 'store like leyton': 808729, 'like leyton and': 490639, 'front line dealing': 338566, 'line dealing with': 493048, 'covid 19 limited': 213357, '19 limited supply': 8339, 'limited supply and': 492732, 'supply and distributing': 824711, 'and distributing food': 61520, 'distributing food to': 248078, 'every little bit': 285980, 'little bit help': 495255, 'bit help indeed': 131581, 'hampering': 374620, 'that fill': 843866, 'fill the': 305495, 'weekend hunger': 977354, 'hunger gap': 411121, 'child living': 176135, 'in poverty': 426874, 'poverty say': 667514, 'say panic': 739044, 'been hampering': 121251, 'hampering it': 374621, 'charity that fill': 173694, 'that fill the': 843867, 'fill the weekend': 305504, 'the weekend hunger': 871330, 'weekend hunger gap': 977355, 'hunger gap for': 411122, 'gap for child': 343443, 'for child living': 320055, 'child living in': 176136, 'living in poverty': 496385, 'in poverty say': 426878, 'poverty say panic': 667516, 'say panic buying': 739045, 'amid the global': 52695, 'pandemic ha been': 635531, 'ha been hampering': 369821, 'been hampering it': 121252, 'hampering it work': 374622, 'so incredibly': 777397, 'stupid there': 815474, 'word maybe': 1004522, 'maybe go': 521689, 'and touch': 74296, 'touch every': 926468, 'every piece': 286105, 'not wash': 572452, 'hand if': 375031, 'you end': 1018408, 'the icu': 857819, 'icu with': 412857, 'and pneumonia': 69142, 'pneumonia then': 662101, 'you are just': 1017156, 'just so incredibly': 469824, 'so incredibly stupid': 777399, 'incredibly stupid there': 433932, 'stupid there are': 815475, 'are no other': 88273, 'no other word': 565022, 'other word maybe': 621214, 'word maybe go': 1004523, 'maybe go to': 521690, 'supermarket without glove': 823952, 'without glove and': 1002689, 'glove and without': 352588, 'and without mask': 75795, 'without mask and': 1002769, 'mask and touch': 518381, 'and touch every': 74297, 'touch every piece': 926469, 'every piece of': 286106, 'piece of product': 656344, 'of product and': 588481, 'product and do': 680883, 'do not wash': 249888, 'not wash your': 572454, 'your hand if': 1024195, 'hand if you': 375034, 'if you end': 415428, 'you end up': 1018409, 'in the icu': 429279, 'the icu with': 857821, 'icu with covid': 412858, '19 and pneumonia': 5088, 'and pneumonia then': 69143, 'gone little': 356324, 'little crazy': 495305, 'crazy when': 215483, 'when got': 983484, 'got genuinely': 358581, 'genuinely excited': 345888, 'excited that': 289563, 'that found': 843948, 'found packet': 330332, 'mince in': 532605, 'know the world': 476855, 'ha gone little': 370726, 'gone little crazy': 356325, 'little crazy when': 495308, 'crazy when got': 215484, 'when got genuinely': 983485, 'got genuinely excited': 358582, 'genuinely excited that': 345889, 'excited that found': 289565, 'that found packet': 843949, 'found packet of': 330333, 'packet of mince': 633707, 'of mince in': 586540, 'mince in the': 532606, 'speculation': 788349, 'many lupus': 514252, 'patient take': 644266, 'take hydroxychloroquine': 832210, 'hydroxychloroquine on': 412006, 'basis to': 112281, 'our disease': 622762, 'disease under': 245264, 'control if': 202022, 'work also': 1004732, '19 great': 7279, 'doesn then': 251972, 'then trump': 877695, 'trump speculation': 933859, 'speculation will': 788364, 'in increased': 424013, 'shortage for': 764958, 'who depend': 988562, 'many lupus patient': 514253, 'lupus patient take': 506824, 'patient take hydroxychloroquine': 644267, 'take hydroxychloroquine on': 832211, 'hydroxychloroquine on daily': 412008, 'daily basis to': 224513, 'basis to keep': 112283, 'keep our disease': 471728, 'our disease under': 622763, 'disease under control': 245265, 'under control if': 940046, 'control if it': 202023, 'if it work': 414346, 'it work also': 462501, 'work also for': 1004733, 'also for covid': 48225, 'covid 19 great': 213165, '19 great if': 7280, 'great if it': 362739, 'if it doesn': 414298, 'it doesn then': 457645, 'doesn then trump': 251973, 'then trump speculation': 877697, 'trump speculation will': 933860, 'speculation will result': 788365, 'will result in': 994679, 'result in increased': 717532, 'in increased price': 424014, 'and shortage for': 71569, 'shortage for those': 764966, 'of who depend': 593129, 'who depend on': 988563, 'on it and': 601649, 'and all for': 57864, 'all for no': 42841, 'how time': 408970, 'changed and': 172431, 'price not': 675366, 'sure these': 827730, 'any good': 79282, '19 mind': 8652, 'how time have': 408972, 'have changed and': 379932, 'changed and price': 172434, 'and price not': 69464, 'price not sure': 675370, 'not sure these': 571847, 'sure these are': 827731, 'these are any': 879607, 'are any good': 84577, 'any good for': 79284, 'good for covid': 357075, 'covid 19 mind': 213435, 'punted': 689287, 'leant': 483912, 'macabre': 507322, 'game while': 343289, 'queue who': 694134, 'die first': 241331, 'first punted': 308889, 'punted for': 689288, 'who despite': 988577, 'despite wearing': 238925, 'mask kept': 518893, 'kept touching': 473088, 'touching her': 926682, 'her phone': 392299, 'phone face': 654951, 'and leant': 66032, 'leant on': 483913, 'surface going': 828028, 'going little': 355261, 'little macabre': 495447, 'macabre but': 507323, 'it passed': 460275, 'passed the': 643303, 'time lockdowneffect': 897149, 'lockdowneffect socialdistancing': 500266, 'thought of new': 893146, 'of new game': 586967, 'new game while': 558793, 'game while waiting': 343290, 'while waiting in': 987529, 'supermarket queue who': 822140, 'queue who will': 694135, 'who will die': 989984, 'will die first': 993179, 'die first punted': 241332, 'first punted for': 308890, 'punted for the': 689289, 'for the woman': 326783, 'the woman who': 871670, 'woman who despite': 1003676, 'who despite wearing': 988580, 'despite wearing mask': 238926, 'wearing mask kept': 974699, 'mask kept touching': 518895, 'kept touching her': 473089, 'touching her phone': 926683, 'her phone face': 392301, 'phone face and': 654952, 'face and leant': 294300, 'and leant on': 66033, 'leant on any': 483914, 'on any surface': 599409, 'any surface going': 79931, 'surface going little': 828029, 'going little macabre': 355263, 'little macabre but': 495448, 'macabre but it': 507324, 'but it passed': 146152, 'it passed the': 460276, 'passed the time': 643305, 'the time lockdowneffect': 869603, 'time lockdowneffect socialdistancing': 897150, 'oh good': 596395, 'good so': 357742, 'so price': 778071, 'oh good so': 596396, 'good so price': 357744, 'so price will': 778074, 'price will rise': 677585, 'specialise': 788101, 'vacant': 951568, 'dont let': 255249, 'let your': 487219, 'business be': 143427, 'be target': 117522, 'target if': 834468, 'close temporarily': 182823, 'temporarily due': 837486, 'coronavirus security': 206737, 'security specialise': 744749, 'specialise in': 788102, 'in protecting': 427048, 'protecting vacant': 685243, 'vacant property': 951569, 'property construction': 684259, 'construction site': 195815, 'site we': 772054, 'special discounted': 787895, 'business effected': 143690, 'effected at': 269169, 'very tough': 955620, 'dont let your': 255253, 'let your business': 487221, 'your business be': 1023050, 'business be target': 143430, 'be target if': 117524, 'target if you': 834469, 'to close temporarily': 902898, 'close temporarily due': 182824, 'temporarily due to': 837487, 'to coronavirus security': 903566, 'coronavirus security specialise': 206738, 'security specialise in': 744750, 'specialise in protecting': 788103, 'in protecting vacant': 427050, 'protecting vacant property': 685244, 'vacant property construction': 951570, 'property construction site': 684260, 'construction site we': 195817, 'site we are': 772055, 'are offering special': 88677, 'offering special discounted': 595257, 'special discounted price': 787896, 'discounted price for': 244596, 'all business effected': 42232, 'business effected at': 143691, 'effected at this': 269170, 'at this very': 101265, 'this very tough': 890968, 'very tough time': 955621, 'anetafelix': 76274, 'didn believe': 240988, 'believe is': 126295, 'real or': 701285, 'nigeria here': 562752, 'here proof': 393478, 'proof kindly': 683997, 'kindly wash': 475179, 'hand off': 375116, 'off your': 594440, 'mouth nose': 543536, 'eye and': 293999, 'and maintain': 66522, '19 totallockdown': 11522, 'totallockdown anetafelix': 926289, 'you didn believe': 1018204, 'didn believe is': 240989, 'believe is real': 126296, 'is real or': 451276, 'real or in': 701286, 'or in nigeria': 615756, 'in nigeria here': 425876, 'nigeria here proof': 562753, 'here proof kindly': 393479, 'proof kindly wash': 683998, 'kindly wash your': 475180, 'hand often or': 375123, 'or use sanitizer': 617622, 'use sanitizer keep': 949545, 'sanitizer keep your': 735250, 'your hand off': 1024206, 'hand off your': 375117, 'off your mouth': 594447, 'your mouth nose': 1024901, 'mouth nose and': 543537, 'nose and eye': 567869, 'and eye and': 62571, 'eye and maintain': 294002, 'and maintain distance': 66524, 'maintain distance from': 508957, 'distance from people': 246718, 'from people to': 336893, 'stay safe 19': 797206, 'safe 19 totallockdown': 729404, '19 totallockdown anetafelix': 11523, 'killed with sanitizer': 474622, 'with sanitizer and': 1000566, 'sanitizer and soap': 734434, 'superlative': 818706, 'compassionate': 191500, 'to cell': 902559, 'cell for': 168950, 'the excellent': 854667, 'excellent service': 289110, 'in dealing': 422041, 'my worry': 550654, 'worry ve': 1010791, 'had nothing': 373353, 'but superlative': 147213, 'superlative experience': 818707, 'since joining': 770684, 'joining and': 466965, 'and salute': 70804, 'salute their': 732861, 'their immediate': 873622, 'immediate compassionate': 416978, 'compassionate response': 191502, '19 catastrophe': 5711, 'out to cell': 627627, 'to cell for': 902560, 'cell for the': 168952, 'for the excellent': 326420, 'the excellent service': 854668, 'excellent service in': 289111, 'service in dealing': 752475, 'in dealing with': 422042, 'dealing with my': 229678, 'with my worry': 999660, 'my worry ve': 550655, 'worry ve had': 1010792, 've had nothing': 953231, 'had nothing but': 373354, 'nothing but superlative': 572964, 'but superlative experience': 147214, 'superlative experience with': 818708, 'experience with the': 291546, 'with the company': 1001240, 'the company since': 851351, 'company since joining': 191084, 'since joining and': 770685, 'joining and salute': 466966, 'and salute their': 70805, 'salute their immediate': 732862, 'their immediate compassionate': 873623, 'immediate compassionate response': 416979, 'compassionate response to': 191503, 'covid 19 catastrophe': 212766, 'you allowing': 1016932, 'gauge price': 344547, 'this 64': 886167, 'amazonprime pricegouging': 51246, 'hey how are': 394421, 'are you allowing': 91764, 'you allowing this': 1016935, 'allowing this third': 46359, 'seller to gauge': 749098, 'to gauge price': 906387, 'gauge price like': 344548, 'like this 64': 491462, 'this 64 99': 886168, 'pill amazonprime pricegouging': 656646, 'yourcustomerssaythankyou': 1026410, 'your appreciation': 1022803, 'supermarket yourcustomerssaythankyou': 824211, 'yourcustomerssaythankyou 19': 1026411, '19 keepyourdistance': 8222, 'keepyourdistance stayhomesavelives': 472683, 'show your appreciation': 767299, 'your appreciation to': 1022806, 'appreciation to your': 82902, 'local supermarket yourcustomerssaythankyou': 498624, 'supermarket yourcustomerssaythankyou 19': 824212, 'yourcustomerssaythankyou 19 keepyourdistance': 1026412, '19 keepyourdistance stayhomesavelives': 8223, 'tear now': 835956, 'share be': 754945, 'sick struggling': 768618, 'struggling or': 814470, 'or simply': 617085, 'simply different': 770214, 'for america': 319234, 'america to': 51710, 'best chance': 127624, 'of surviving': 590535, 'surviving the': 829371, 'all support': 44566, 'other pandemic': 620641, 'are in tear': 87447, 'in tear now': 428842, 'tear now at': 835957, 'store please share': 809593, 'please share be': 660481, 'share be kind': 754946, 'kind to those': 475015, 'are sick struggling': 90116, 'sick struggling or': 768619, 'struggling or simply': 814472, 'or simply different': 617087, 'simply different from': 770215, 'different from you': 241956, 'from you for': 338459, 'you for america': 1018625, 'for america to': 319237, 'america to have': 51713, 'the best chance': 849498, 'best chance of': 127626, 'chance of surviving': 171772, 'of surviving the': 590537, 'surviving the coronavirus': 829372, 'pandemic we must': 636944, 'must all support': 546470, 'all support each': 44567, 'each other pandemic': 264206, 'fluidity': 311540, 'fao government': 298650, 'keep trade': 472153, 'trade route': 928568, 'route open': 726467, 'open supplychains': 612531, 'supplychains alive': 826253, 'alive designate': 41810, 'designate agriculture': 238277, 'agriculture labourer': 38995, 'labourer critical': 478540, 'critical staff': 218667, 'staff ensure': 792411, 'of info': 585188, 'price cooperate': 673242, 'cooperate preserve': 203137, 'preserve fluidity': 670698, 'fluidity of': 311541, 'market foodsecurity': 516404, 'fao government must': 298651, 'government must keep': 360370, 'must keep trade': 546747, 'keep trade route': 472154, 'trade route open': 928569, 'route open supplychains': 726468, 'open supplychains alive': 612532, 'supplychains alive designate': 826254, 'alive designate agriculture': 41811, 'designate agriculture labourer': 238278, 'agriculture labourer critical': 38996, 'labourer critical staff': 478541, 'critical staff ensure': 218668, 'staff ensure the': 792412, 'ensure the flow': 278084, 'flow of info': 311253, 'of info on': 585190, 'info on food': 437528, 'food price cooperate': 315928, 'price cooperate preserve': 673243, 'cooperate preserve fluidity': 203138, 'preserve fluidity of': 670699, 'fluidity of global': 311542, 'of global food': 584153, 'global food market': 351946, 'food market foodsecurity': 315396, 'nylag': 578099, 'undocumented': 941022, 'they deliver': 881877, 'deliver our': 233185, 'and care': 59556, 'our kid': 623620, 'kid so': 474109, 'the luxury': 859834, 'luxury of': 506943, 'of practicing': 588344, 'distancing nylag': 247361, 'nylag advocate': 578100, 'for undocumented': 327426, 'undocumented immigrant': 941023, 'immigrant to': 417237, 'receive in': 703498, 'this op': 889273, 'ed via': 268466, 'they deliver our': 881878, 'deliver our food': 233186, 'our food stock': 623132, 'food stock our': 316804, 'store and care': 806214, 'and care for': 59557, 'for our kid': 324265, 'our kid so': 623622, 'kid so the': 474111, 'rest of may': 716197, 'of may have': 586309, 'may have the': 521259, 'have the luxury': 382999, 'the luxury of': 859835, 'luxury of practicing': 506945, 'of practicing social': 588345, 'social distancing nylag': 779672, 'distancing nylag advocate': 247362, 'nylag advocate for': 578101, 'advocate for undocumented': 33838, 'for undocumented immigrant': 327427, 'undocumented immigrant to': 941024, 'immigrant to receive': 417239, 'to receive in': 912922, 'receive in this': 703499, 'in this op': 429989, 'this op ed': 889274, 'op ed via': 611799, 'reveal': 720232, 'puraphy': 689317, 'hempoil': 391719, 'for hemp': 322207, 'hemp oil': 391709, 'oil cbd': 596669, 'cbd product': 168323, 'product booming': 681016, 'booming two': 134904, 'two new': 937074, 'study reveal': 814948, 'reveal these': 720255, 'these retail': 880596, 'retail change': 717949, 'change may': 172178, 'more permanent': 540057, 'permanent for': 652052, 'for much': 323643, 'more go': 539347, 'to puraphy': 912512, 'puraphy cbd': 689318, 'cbd hempoil': 168313, 'hempoil hemp': 391722, 'with online sale': 999904, 'online sale for': 608915, 'sale for hemp': 732230, 'for hemp oil': 322208, 'hemp oil cbd': 391710, 'oil cbd product': 596670, 'cbd product booming': 168324, 'product booming two': 681017, 'booming two new': 134905, 'two new study': 937077, 'new study reveal': 559685, 'study reveal these': 814949, 'reveal these retail': 720256, 'these retail change': 880597, 'retail change may': 717950, 'change may be': 172179, 'be more permanent': 115987, 'more permanent for': 540059, 'permanent for much': 652053, 'for much more': 323646, 'much more go': 545107, 'more go to': 539348, 'go to puraphy': 354344, 'to puraphy cbd': 912513, 'puraphy cbd hempoil': 689319, 'cbd hempoil hemp': 168315, 'still exists': 800501, 'exists and': 290353, 'and bernie': 58901, 'bernie dropped': 127374, 'dropped out': 260616, 'out fuck': 626202, 'fuck it': 339596, '19 still exists': 10847, 'still exists and': 800502, 'exists and bernie': 290354, 'and bernie dropped': 58902, 'bernie dropped out': 127375, 'dropped out fuck': 260617, 'out fuck it': 626203, 'fuck it shopping': 339601, 'it shopping online': 461029, 'pay my': 645005, 'bill credit': 130545, 'what if do': 981627, 'if do not': 414053, 'do not pay': 249798, 'not pay my': 570979, 'pay my bill': 645006, 'my bill credit': 547451, 'bill credit and': 130546, 'credit and my': 216309, 'and my credit': 67361, 'my credit report': 547857, 'product money': 681414, 'money price': 536979, 'stop price': 804932, 'gouging 33': 359230, '33 attorney': 17748, 'general tell': 345485, 'tell others': 837043, 'product money price': 681415, 'money price 19': 536980, 'price 19 stop': 672118, '19 stop price': 10868, 'stop price gouging': 804933, 'price gouging 33': 674251, 'gouging 33 attorney': 359231, '33 attorney general': 17749, 'attorney general tell': 102658, 'general tell others': 345488, 'deliverydriver': 234789, 'hatfield': 378964, 'hertfordshire': 394256, 'ocado shuts': 578915, 'until saturday': 943820, 'saturday due': 737017, 'to simply': 914657, 'simply staggering': 770288, 'staggering amount': 793254, 'traffic ocado': 929120, 'ocado ecommerce': 578890, 'ecommerce corona': 266743, 'corona delivery': 203916, 'delivery retail': 234396, 'supermarket supplyanddemand': 823056, 'supplyanddemand deliverydriver': 826153, 'deliverydriver hatfield': 234790, 'hatfield hertfordshire': 378965, 'ocado shuts down': 578916, 'shuts down until': 768188, 'down until saturday': 257415, 'until saturday due': 943821, 'saturday due to': 737018, 'due to simply': 261952, 'to simply staggering': 914660, 'simply staggering amount': 770289, 'staggering amount of': 793255, 'of traffic ocado': 592412, 'traffic ocado ecommerce': 929121, 'ocado ecommerce corona': 578891, 'ecommerce corona delivery': 266744, 'corona delivery retail': 203917, 'delivery retail supermarket': 234397, 'retail supermarket supplyanddemand': 718752, 'supermarket supplyanddemand deliverydriver': 823057, 'supplyanddemand deliverydriver hatfield': 826154, 'deliverydriver hatfield hertfordshire': 234791, 'transnsformed': 929811, 'commerce business': 188524, 'business ha': 143807, 'ha greatly': 370768, 'greatly transnsformed': 363330, 'transnsformed the': 929812, 'covid19 avoid': 214268, 'avoid mall': 105185, 'center visit': 169312, 'visit today': 959422, 'shop agri': 759810, 'agri product': 38844, 'product online': 681476, 'online 19': 607753, 'the commerce business': 851218, 'commerce business ha': 188525, 'business ha greatly': 143809, 'ha greatly transnsformed': 370769, 'greatly transnsformed the': 363331, 'transnsformed the fight': 929813, 'fight against covid19': 304616, 'against covid19 avoid': 37405, 'covid19 avoid mall': 214269, 'avoid mall and': 105186, 'mall and shopping': 511741, 'and shopping center': 71538, 'shopping center visit': 762347, 'center visit today': 169313, 'visit today at': 959423, 'today at shop': 919284, 'at shop agri': 100508, 'shop agri product': 759811, 'agri product online': 38845, 'product online 19': 681477, 'understood': 940926, 'boss are': 135733, 'are understood': 91302, 'understood to': 940933, 'in negotiation': 425791, 'the stormont': 868167, 'stormont executive': 811871, 'executive to': 289945, 'aside bespoke': 95401, 'bespoke online': 127552, 'group during': 366678, 'supermarket boss are': 819397, 'boss are understood': 135736, 'are understood to': 91303, 'understood to have': 940934, 'to have been': 907208, 'been in negotiation': 121357, 'in negotiation with': 425792, 'negotiation with the': 556965, 'with the stormont': 1001500, 'the stormont executive': 868168, 'stormont executive to': 811872, 'executive to set': 289947, 'set aside bespoke': 753345, 'aside bespoke online': 95402, 'bespoke online delivery': 127553, 'slot for at': 774176, 'risk group during': 723590, 'group during the': 366679, 'becki': 119898, 'batter': 112732, 'piece today': 656373, 'today from': 919555, 'market intel': 516602, 'intel team': 440974, 'on lesson': 601823, 'lesson we': 486518, 'experience becki': 291323, 'becki batter': 119899, 'fascinating piece today': 299764, 'piece today from': 656374, 'today from market': 919559, 'from market intel': 336362, 'market intel team': 516603, 'intel team on': 440975, 'team on lesson': 835749, 'on lesson we': 601824, 'lesson we can': 486519, 'we can take': 971029, 'take from experience': 832140, 'from experience becki': 335358, 'experience becki batter': 291324, 'loading': 497325, 'ha fast': 370603, 'tracked change': 928246, 'our planning': 624359, 'planning law': 658555, 'supermarket distribution': 819971, 'distribution center': 248120, 'and loading': 66279, 'loading dock': 497333, 'dock can': 250775, 'can operate': 159151, 'operate 24': 612972, '24 these': 15694, 'these change': 879737, 'change allow': 171899, 'to relax': 913130, 'relax truck': 708836, 'truck delivery': 932754, 'delivery curfew': 233840, 'curfew meaning': 220901, 'product can': 681039, 'can reach': 159378, 'reach our': 699962, 'supermarket faster': 820277, 'our government ha': 623270, 'government ha fast': 360152, 'ha fast tracked': 370604, 'fast tracked change': 300066, 'tracked change to': 928247, 'to our planning': 911232, 'our planning law': 624360, 'planning law so': 658556, 'law so that': 482401, 'so that supermarket': 778395, 'that supermarket distribution': 846568, 'supermarket distribution center': 819972, 'distribution center and': 248121, 'center and loading': 169156, 'and loading dock': 66281, 'loading dock can': 497334, 'dock can operate': 250776, 'can operate 24': 159152, 'operate 24 these': 612973, '24 these change': 15695, 'these change allow': 879738, 'change allow to': 171900, 'allow to relax': 46103, 'to relax truck': 913133, 'relax truck delivery': 708837, 'truck delivery curfew': 932755, 'delivery curfew meaning': 233841, 'curfew meaning more': 220902, 'meaning more product': 524822, 'more product can': 540148, 'product can reach': 681044, 'can reach our': 159380, 'reach our supermarket': 699963, 'our supermarket faster': 625016, 'foodstores': 318152, 'hvac': 411864, 'store small': 810206, 'family operated': 298126, 'operated foodstores': 613042, 'foodstores chain': 318153, 'chain franchise': 170721, 'franchise throughout': 331075, 'throughout nyc': 894950, 'nyc clean': 577971, 'and disinfect': 61435, 'your property': 1025460, 'property and': 684234, 'and hvac': 64891, 'hvac system': 411869, 'system we': 831366, 'are stronger': 90577, 'grocery store small': 365777, 'store small family': 810208, 'small family operated': 774945, 'family operated foodstores': 298127, 'operated foodstores chain': 613043, 'foodstores chain franchise': 318154, 'chain franchise throughout': 170722, 'franchise throughout nyc': 331076, 'throughout nyc clean': 894951, 'nyc clean and': 577972, 'clean and disinfect': 180456, 'and disinfect your': 61438, 'disinfect your property': 245591, 'your property and': 1025461, 'property and hvac': 684236, 'and hvac system': 64892, 'hvac system we': 411870, 'system we are': 831367, 'we are stronger': 970726, 'are stronger than': 90578, 'remember those': 710358, 'essential front': 281073, 'the thank': 869357, 'them call': 875518, 'them hero': 875851, 'demand your': 236538, 'your politician': 1025353, 'politician start': 663743, 'start instituting': 794349, 'instituting living': 440446, 'wage legislation': 963918, 'legislation for': 485968, 'them well': 876595, 'remember those who': 710362, 'store are essential': 806474, 'are essential front': 86249, 'essential front line': 281074, 'line worker during': 493602, 'during the thank': 263206, 'the thank them': 869358, 'thank them call': 841658, 'them call them': 875520, 'call them hero': 156148, 'them hero and': 875852, 'hero and demand': 393928, 'and demand your': 61183, 'demand your politician': 236539, 'your politician start': 1025354, 'politician start instituting': 663744, 'start instituting living': 794350, 'instituting living wage': 440447, 'living wage legislation': 496479, 'wage legislation for': 963919, 'legislation for them': 485969, 'for them well': 326929, 'mcdonalds': 522158, 'r30': 695085, 'ubereats': 937836, 'bigmacza': 130362, 'nothing beat': 572945, 'beat classic': 118512, 'classic food': 180329, 'on wheel': 605255, 'wheel you': 983062, 'the mcdonalds': 860326, 'mcdonalds big': 522159, 'big mac': 129859, 'mac meal': 507319, 'just r30': 469541, 'r30 when': 695086, 'order via': 618737, 'the ubereats': 870177, 'ubereats app': 937837, 'app promotional': 81750, 'promotional code': 683882, 'code bigmacza': 185342, 'bigmacza term': 130364, 'nothing beat classic': 572946, 'beat classic food': 118513, 'classic food on': 180330, 'food on wheel': 315610, 'on wheel you': 605260, 'wheel you can': 983063, 'can now get': 159061, 'now get the': 574775, 'get the mcdonalds': 348264, 'the mcdonalds big': 860327, 'mcdonalds big mac': 522160, 'big mac meal': 129862, 'mac meal for': 507320, 'meal for just': 524154, 'for just r30': 322796, 'just r30 when': 469542, 'r30 when you': 695087, 'when you order': 984586, 'you order via': 1020238, 'order via the': 618740, 'via the ubereats': 956311, 'the ubereats app': 870178, 'ubereats app promotional': 937839, 'app promotional code': 81751, 'promotional code bigmacza': 683883, 'code bigmacza term': 185344, 'bigmacza term and': 130365, 'reigned': 708209, 'across all': 29225, 'all actor': 41943, 'actor of': 30583, 'society including': 781248, 'including politician': 432112, 'both party': 136004, 'party denial': 642990, 'denial reigned': 236945, 'reigned huge': 708210, 'huge mistake': 410098, 'mistake not': 534470, 'providing supermarket': 687103, 'worker safeguard': 1007723, 'safeguard grocery': 730196, 'across all actor': 29226, 'all actor of': 41944, 'actor of society': 30584, 'of society including': 589873, 'society including politician': 781249, 'including politician of': 432113, 'politician of both': 663730, 'of both party': 580796, 'both party denial': 136005, 'party denial reigned': 642991, 'denial reigned huge': 236946, 'reigned huge mistake': 708211, 'huge mistake not': 410099, 'mistake not providing': 534471, 'not providing supermarket': 571164, 'providing supermarket worker': 687104, 'supermarket worker safeguard': 824080, 'worker safeguard grocery': 1007724, 'safeguard grocery worker': 730197, 'die of the': 241431, 'of the washington': 591602, 'leger': 485947, 'lg2': 487897, 'unveiling': 944022, 'leger in': 485948, 'with lg2': 999205, 'lg2 is': 487898, 'is unveiling': 453559, 'unveiling study': 944025, 'study focused': 814885, 'the behaviour': 849445, 'behaviour mainly': 124469, 'mainly online': 508885, 'online of': 608601, 'of canadian': 581091, 'canadian consumer': 160655, 'consumer discover': 197211, 'discover the': 244665, 'leger in partnership': 485949, 'partnership with lg2': 642953, 'with lg2 is': 999206, 'lg2 is unveiling': 487899, 'is unveiling study': 453560, 'unveiling study focused': 944026, 'study focused on': 814886, 'focused on how': 311959, 'how the crisis': 408812, 'crisis is impacting': 217576, 'impacting the behaviour': 418262, 'the behaviour mainly': 849447, 'behaviour mainly online': 124470, 'mainly online of': 508886, 'online of canadian': 608602, 'of canadian consumer': 581092, 'canadian consumer discover': 160658, 'consumer discover the': 197212, 'discover the post': 244667, 'the post crisis': 864085, 'post crisis consumer': 666082, '19 supermarket sweep': 10959, 'money selling': 537010, 'selling baby': 749175, 'milk medicine': 531727, 'medicine toilet': 526913, 'an entrepreneur': 55780, 'entrepreneur you': 278963, 're an': 698280, 'an arsehole': 55411, 'arsehole 19': 94082, 'you are making': 1017169, 'are making money': 87994, 'making money selling': 511231, 'money selling baby': 537011, 'selling baby milk': 749176, 'baby milk medicine': 106664, 'milk medicine toilet': 531729, 'medicine toilet roll': 526914, 'roll or food': 725441, 'or food at': 615338, 'food at ridiculously': 313449, 'inflated price you': 437086, 'price you are': 677689, 'are not an': 88322, 'not an entrepreneur': 568194, 'an entrepreneur you': 55783, 'entrepreneur you re': 278965, 'you re an': 1020568, 're an arsehole': 698282, 'an arsehole 19': 55412, 'globe food': 352458, 'and sustainability': 72914, 'sustainability is': 829771, 'is increasingly': 448868, 'increasingly on': 433791, 'people mind': 648772, 'mind lawmaker': 532684, 'lawmaker issue': 482492, 'are frequently': 86680, 'frequently low': 332859, 'on staple': 603635, '19 virus spread': 11835, 'virus spread across': 958782, 'spread across the': 790393, 'and the globe': 73396, 'the globe food': 856353, 'globe food security': 352459, 'security and sustainability': 744542, 'and sustainability is': 72915, 'sustainability is increasingly': 829772, 'is increasingly on': 448873, 'increasingly on people': 433792, 'on people mind': 602743, 'people mind lawmaker': 648774, 'mind lawmaker issue': 532685, 'lawmaker issue stay': 482493, 'home order and': 401764, 'order and grocery': 618026, 'store are frequently': 806478, 'are frequently low': 86682, 'frequently low on': 332860, 'low on staple': 505464, 'bumbling': 142550, 'string': 813788, 'bernie wa': 127392, 'wa born': 961735, 'born for': 135557, 'moment he': 535951, 'beat bumbling': 118510, 'bumbling fool': 142551, 'is unable': 453420, 'to string': 915676, 'string sentence': 813795, 'sentence together': 750874, 'together like': 920851, 'like biden': 489904, 'biden in': 129534, 'the primary': 864450, 'primary but': 678065, 'real solution': 701366, 'solution on': 782062, 'every communist': 285743, 'communist in': 189673, 'russia did': 728462, 'bernie wa born': 127393, 'wa born for': 961736, 'born for this': 135558, 'this moment he': 888871, 'moment he can': 535952, 'he can beat': 384812, 'can beat bumbling': 157718, 'beat bumbling fool': 118511, 'bumbling fool who': 142552, 'fool who is': 318309, 'who is unable': 989124, 'is unable to': 453421, 'unable to string': 939349, 'to string sentence': 915677, 'string sentence together': 813796, 'sentence together like': 750875, 'together like biden': 920852, 'like biden in': 489905, 'biden in the': 129535, 'in the primary': 429473, 'the primary but': 864451, 'primary but ha': 678066, 'but ha real': 145838, 'ha real solution': 371641, 'real solution on': 701367, 'solution on empty': 782063, 'shelf like every': 757284, 'like every communist': 490183, 'every communist in': 285744, 'communist in russia': 189674, 'in russia did': 427588, 'un we': 939306, 'enough of': 277540, 'world reserve': 1009929, 'must commit': 546595, 'not stockpiling': 571748, 'stockpiling or': 804038, 'or banning': 614499, 'banning export': 110626, 'export or': 292682, 'will threaten': 995199, 'world poorest': 1009900, 'poorest community': 664363, 'to the un': 917152, 'the un we': 870332, 'un we have': 939307, 'have enough of': 380458, 'enough of the': 277545, 'the world reserve': 871948, 'world reserve and': 1009930, 'reserve and we': 714035, 'we must commit': 972407, 'must commit to': 546596, 'to not stockpiling': 910711, 'not stockpiling or': 571749, 'stockpiling or banning': 804039, 'or banning export': 614500, 'banning export or': 110627, 'export or we': 292683, 'we will threaten': 973917, 'will threaten the': 995200, 'threaten the world': 893762, 'the world poorest': 871941, 'world poorest community': 1009901, 'dallas co': 225118, 'co also': 184802, 'also starting': 48902, 'starting neighbor': 794980, 'neighbor helping': 557033, 'helping neighbor': 391398, 'neighbor virtual': 557081, 'drive with': 259261, 'facing furlough': 295477, 'furlough and': 341878, 'layoff the': 482712, 'more that': 540710, 'already increased': 47479, 'increased to': 433514, 'dallas co also': 225119, 'co also starting': 184803, 'also starting neighbor': 48903, 'starting neighbor helping': 794981, 'neighbor helping neighbor': 557034, 'helping neighbor virtual': 391399, 'neighbor virtual food': 557082, 'food drive with': 314293, 'drive with with': 259263, 'with with thousand': 1002112, 'of people facing': 587912, 'people facing furlough': 647859, 'facing furlough and': 295478, 'furlough and layoff': 341880, 'and layoff the': 66004, 'layoff the more': 482713, 'the more that': 860897, 'more that demand': 540711, 'that demand is': 843493, 'demand is going': 235727, 'to increase and': 908268, 'increase and it': 432677, 'and it already': 65481, 'it already increased': 456414, 'already increased to': 47480, 'increased to an': 433516, 'to an all': 900439, 'the exhausted': 854685, 'her car': 391913, 'car left': 163165, 'left me': 485547, 'others she': 621636, 'hour almost': 405377, 'almost 48': 46513, 'hour went': 406083, 'to asda': 900740, 'asda for': 94915, 'shelf had': 757137, 'been stripped': 122065, 'stripped these': 813890, 'piling coronacrisis': 656577, 'video of the': 956836, 'of the exhausted': 591001, 'the exhausted nurse': 854686, 'exhausted nurse cry': 290163, 'nurse cry in': 577262, 'cry in her': 219878, 'in her car': 423653, 'her car left': 391918, 'car left me': 163166, 'left me in': 485549, 'me in tear': 522976, 'in tear for': 428840, 'tear for her': 835943, 'for her and': 322212, 'her and all': 391843, 'all the others': 44853, 'the others she': 862572, 'others she had': 621637, 'she had been': 756092, 'had been working': 372918, 'been working in': 122397, 'working in critical': 1008709, 'in critical care': 421907, 'critical care for': 218524, 'care for hour': 163947, 'for hour almost': 322387, 'hour almost 48': 405378, 'almost 48 hour': 46514, '48 hour went': 19316, 'hour went to': 406084, 'went to asda': 979140, 'to asda for': 900741, 'asda for basic': 94917, 'for basic food': 319584, 'basic food the': 111896, 'food the shelf': 317130, 'the shelf had': 866843, 'shelf had been': 757138, 'had been stripped': 372911, 'been stripped these': 122070, 'stripped these are': 813891, 'are the consequence': 90811, 'the consequence of': 851464, 'consequence of stock': 194877, 'stock piling coronacrisis': 802655, '16pm': 4278, 'bourgeois': 136904, 'inconvenienced': 432601, 'ea': 263973, 'it 16pm': 456177, '16pm so': 4279, 'so buckle': 776656, 'buckle up': 141699, 'for horde': 322360, 'of bourgeois': 580808, 'bourgeois arsehole': 136905, 'arsehole mildly': 94093, 'mildly inconvenienced': 531363, 'inconvenienced by': 432602, 'to complain': 903128, 'their mid': 873963, 'mid century': 530558, 'century furniture': 169616, 'furniture dog': 341953, 'dog child': 252061, 'child high': 176106, 'high speed': 395415, 'speed internet': 788444, 'internet multiple': 441968, 'multiple streaming': 545799, 'streaming service': 812845, 'service online': 752653, 'shopping uber': 764279, 'uber ea': 937807, 'it 16pm so': 456178, '16pm so buckle': 4280, 'so buckle up': 776657, 'buckle up it': 141700, 'up it is': 945241, 'is now time': 450347, 'time for horde': 896715, 'for horde of': 322361, 'horde of bourgeois': 403998, 'of bourgeois arsehole': 580809, 'bourgeois arsehole mildly': 136906, 'arsehole mildly inconvenienced': 94094, 'mildly inconvenienced by': 531364, 'inconvenienced by to': 432603, 'by to complain': 154553, 'to complain about': 903129, 'complain about being': 191843, 'about being stuck': 24870, 'being stuck inside': 125875, 'stuck inside all': 814608, 'inside all day': 439213, 'all day with': 42533, 'day with their': 228785, 'with their mid': 1001585, 'their mid century': 873964, 'mid century furniture': 530559, 'century furniture dog': 169617, 'furniture dog child': 341954, 'dog child high': 252062, 'child high speed': 176107, 'high speed internet': 395417, 'speed internet multiple': 788445, 'internet multiple streaming': 441969, 'multiple streaming service': 545800, 'streaming service online': 812846, 'service online shopping': 752655, 'online shopping uber': 609321, 'shopping uber ea': 764280, 'commission will': 188919, 'have hotline': 380982, 'hotline where': 405267, 'where customer': 984807, 'being hiked': 125246, 'hiked by': 396304, 'by retailer': 153798, 'retailer company': 719091, 'company found': 190679, 'found on': 330312, 'wrong side': 1013100, 'of law': 585733, 'law will': 482452, 'face penalty': 294701, 'the consumer commission': 851511, 'consumer commission will': 196823, 'commission will have': 188921, 'will have hotline': 993640, 'have hotline where': 380983, 'hotline where customer': 405268, 'where customer can': 984808, 'customer can report': 222228, 'report any price': 711806, 'any price which': 79684, 'which are being': 985671, 'are being hiked': 84871, 'being hiked by': 125247, 'hiked by retailer': 396306, 'by retailer company': 153799, 'retailer company found': 719092, 'company found on': 190680, 'found on the': 330315, 'on the wrong': 604462, 'the wrong side': 872111, 'wrong side of': 1013101, 'side of law': 768849, 'of law will': 585737, 'law will face': 482453, 'will face penalty': 993393, 'radar': 695378, 'and anxiety': 58197, 'anxiety surrounding': 78798, 'are popping': 89144, 'national radar': 552596, 'radar to': 695385, 'fear and anxiety': 301023, 'and anxiety surrounding': 58206, 'anxiety surrounding the': 78799, 'coronavirus here quick': 206072, '19 that are': 11149, 'that are popping': 842798, 'are popping up': 89145, 'popping up on': 664523, 'the national radar': 861305, 'national radar to': 552597, 'radar to learn': 695386, 'recurring': 705519, 'dontwanttostarve': 255412, 'just cancelled': 468432, 'brother recurring': 141095, 'recurring food': 705520, 'is blind': 446203, 'blind he': 132691, 'have assistance': 379368, 'distancing please': 247401, 'help vulnerable': 390850, 'customer dontwanttostarve': 222310, 'you just cancelled': 1019415, 'just cancelled my': 468433, 'cancelled my brother': 161138, 'my brother recurring': 547564, 'brother recurring food': 141096, 'recurring food delivery': 705521, 'food delivery slot': 314145, 'delivery slot he': 234525, 'slot he is': 774207, 'he is blind': 385115, 'is blind he': 446204, 'blind he cannot': 132692, 'he cannot have': 384824, 'cannot have assistance': 161948, 'have assistance in': 379369, 'assistance in the': 96708, 'social distancing please': 779688, 'distancing please help': 247402, 'please help vulnerable': 660090, 'help vulnerable customer': 390851, 'vulnerable customer dontwanttostarve': 960923, 'diligently': 242875, 'afbf': 33968, 'americanfarmbureau': 52341, 'agriculture is': 38991, 'working diligently': 1008588, 'diligently to': 242880, 'the stability': 867676, 'stability of': 791820, 'supply concern': 825095, 'item news': 463471, 'news agriculture': 560203, 'agriculture usa': 39043, 'usa afbf': 948575, 'afbf americanfarmbureau': 33969, 'agriculture is working': 38992, 'is working diligently': 454034, 'working diligently to': 1008589, 'diligently to maintain': 242881, 'maintain the stability': 509065, 'the stability of': 867677, 'stability of our': 791822, 'food supply concern': 316942, 'supply concern over': 825096, 'concern over covid': 193048, 'lead to increased': 483354, 'to increased consumer': 908311, 'increased consumer purchase': 433252, 'consumer purchase of': 198617, 'purchase of grocery': 689580, 'other item news': 620447, 'item news agriculture': 463472, 'news agriculture usa': 560204, 'agriculture usa afbf': 39044, 'usa afbf americanfarmbureau': 948576, 'good surged': 357807, 'surged with': 828317, 'continued spread': 201341, 'and household good': 64785, 'household good surged': 406822, 'good surged with': 357808, 'surged with the': 828318, 'with the continued': 1001245, 'the continued spread': 851673, 'continued spread of': 201342, 'vodaf': 959919, 'received text': 703687, 'text that': 839946, 're increasing': 698895, 'increasing my': 433639, 'monthly plan': 538187, 'uk inflation': 938475, 'inflation rate': 437221, 'rate are': 697158, 'you seriously': 1021127, 'seriously raising': 751707, 'raising your': 696162, 'lockdown when': 500128, 'so reliant': 778120, 'on phone': 602788, 'touch vodaf': 926571, 'just received text': 469579, 'received text that': 703689, 'text that you': 839948, 'you re increasing': 1020654, 're increasing my': 698896, 'increasing my monthly': 433640, 'my monthly plan': 549305, 'monthly plan by': 538188, 'plan by in': 658085, 'by in line': 152883, 'line with the': 493588, 'with the uk': 1001525, 'the uk inflation': 870238, 'uk inflation rate': 938476, 'inflation rate are': 437222, 'rate are you': 697162, 'are you seriously': 91853, 'you seriously raising': 1021128, 'seriously raising your': 751708, 'raising your price': 696164, 'coronavirus lockdown when': 206256, 'lockdown when people': 500130, 'people are so': 647079, 'are so reliant': 90215, 'so reliant on': 778121, 'reliant on phone': 709259, 'on phone to': 602791, 'phone to keep': 655041, 'in touch vodaf': 430233, 'aberdeen': 24321, 'aberdeen charity': 24324, 'charity triple': 173709, 'triple food': 932247, 'food pack': 315728, 'pack production': 633139, 'production due': 682022, 'to surging': 916006, 'aberdeen charity triple': 24325, 'charity triple food': 173710, 'triple food pack': 932248, 'food pack production': 315729, 'pack production due': 633140, 'production due to': 682023, 'due to surging': 261986, 'to surging demand': 916007, 'pianist': 655555, 'barcelona': 110834, 'balcony': 109021, 'saxophonist': 738358, 'neighboring': 557168, 'pianist from': 655556, 'from barcelona': 334634, 'barcelona went': 110843, 'his balcony': 397223, 'balcony during': 109022, 'play song': 659215, 'song for': 785491, 'neighborhood saxophonist': 557147, 'saxophonist from': 738359, 'the neighboring': 861435, 'neighboring building': 557169, 'building saw': 142137, 'saw what': 738319, 'and joined': 65679, 'joined him': 466934, 'pianist from barcelona': 655557, 'from barcelona went': 334635, 'barcelona went to': 110844, 'went to his': 979160, 'to his balcony': 907807, 'his balcony during': 397224, 'balcony during quarantine': 109023, 'during quarantine to': 262947, 'quarantine to play': 692638, 'to play song': 911800, 'play song for': 659216, 'song for the': 785493, 'for the neighborhood': 326579, 'the neighborhood saxophonist': 861433, 'neighborhood saxophonist from': 557148, 'saxophonist from the': 738360, 'from the neighboring': 337802, 'the neighboring building': 861436, 'neighboring building saw': 557170, 'building saw what': 142138, 'saw what wa': 738320, 'what wa happening': 982513, 'wa happening and': 962273, 'happening and joined': 377317, 'and joined him': 65680, 'joined him and': 466935, 'him and it': 396540, 'hey there': 394520, 'anyone being': 80199, 'being extra': 125128, 'extra cautious': 293477, 'cautious with': 168240, 'they bring': 881582, 'bring home': 139985, 'article ha': 94342, 'tip because': 898722, 'because remember': 119516, 'remember lot': 710226, 'people touched': 649994, 'touched that': 926640, 'that head': 844275, 'of broccoli': 580904, 'broccoli before': 140796, 'you brought': 1017532, 'hey there is': 394521, 'there is anyone': 878526, 'is anyone being': 445763, 'anyone being extra': 80200, 'being extra cautious': 125129, 'extra cautious with': 293479, 'cautious with the': 168241, 'food they bring': 317164, 'they bring home': 881583, 'bring home from': 139986, 'store this article': 810695, 'this article ha': 886417, 'article ha some': 94344, 'great tip because': 363064, 'tip because remember': 898723, 'because remember lot': 119517, 'remember lot of': 710227, 'of people touched': 588009, 'people touched that': 649996, 'touched that head': 926642, 'that head of': 844276, 'head of broccoli': 385765, 'of broccoli before': 580905, 'broccoli before you': 140797, 'before you brought': 123316, 'you brought it': 1017533, 'brought it home': 141172, 'it home via': 458618, 'day when': 228718, 'just drive': 468652, 'need without': 556233, 'without needing': 1002799, 'mask ya': 519602, 'ya me': 1014019, 'too miss': 924906, 'miss those': 534211, 'those day': 891915, 'day quarantinelife': 228264, 'remember the day': 710304, 'the day when': 852924, 'day when it': 228723, 'it wa so': 462194, 'wa so easy': 963257, 'so easy to': 776933, 'easy to just': 265785, 'to just drive': 908723, 'just drive to': 468653, 'grocery store get': 365426, 'store get what': 807923, 'you need without': 1020059, 'need without needing': 556234, 'without needing to': 1002800, 'needing to wear': 556639, 'wear glove mask': 974342, 'glove mask ya': 352789, 'mask ya me': 519603, 'ya me too': 1014020, 'me too miss': 523824, 'too miss those': 924907, 'miss those day': 534212, 'those day quarantinelife': 891917, 'dropping so': 260725, 'low see': 505596, 'huge increase': 410070, 'increase happening': 432804, 'happening when': 377426, 'over but': 630040, 'could keep': 209362, 'it low': 459471, 'low if': 505326, 'everyone kept': 287144, 'wasn big': 967964, 'would make': 1012019, 'life easier': 488619, 'easier when': 265170, 'price dropping so': 673607, 'dropping so low': 260726, 'so low see': 777609, 'low see huge': 505597, 'see huge increase': 745264, 'huge increase happening': 410071, 'increase happening when': 432805, 'happening when all': 377427, 'when all of': 983131, 'is over but': 450689, 'over but we': 630043, 'we could keep': 971210, 'could keep it': 209363, 'keep it low': 471615, 'it low if': 459474, 'low if everyone': 505327, 'if everyone kept': 414093, 'everyone kept working': 287145, 'kept working at': 473099, 'home if it': 401397, 'it wasn big': 462254, 'wasn big deal': 967965, 'big deal for': 129739, 'deal for them': 229404, 'for them or': 326913, 'them or the': 876116, 'or the company': 617370, 'the company it': 851334, 'company it would': 190822, 'it would make': 462600, 'would make life': 1012024, 'make life easier': 510083, 'life easier when': 488623, 'easier when all': 265171, 'of this stuff': 592045, 'stuff is over': 815104, 'powell': 667547, 'price suffer': 676697, 'suffer severe': 817229, 'severe sell': 754054, 'off hit': 593904, 'market if': 516536, 'if ever': 414081, 'ever there': 285541, 'wa blood': 961719, 'blood in': 133122, 'street gold': 812982, 'mining trade': 533299, 'trade investment': 928515, 'market powell': 516872, 'powell profit': 667548, 'profit money': 682813, 'money oil': 536924, 'oil putin': 597384, 'putin trump': 691062, 'trump stock': 933871, 'china italy': 176771, 'gold price suffer': 355975, 'price suffer severe': 676698, 'suffer severe sell': 817230, 'severe sell off': 754055, 'sell off hit': 748816, 'off hit the': 593905, 'the market if': 860121, 'market if ever': 516537, 'if ever there': 414084, 'ever there wa': 285543, 'there wa blood': 879233, 'wa blood in': 961720, 'blood in the': 133123, 'the street gold': 868230, 'street gold silver': 812983, 'silver mining trade': 769836, 'mining trade investment': 533300, 'trade investment speculator': 928516, 'speculator market powell': 788375, 'market powell profit': 516873, 'powell profit money': 667549, 'profit money oil': 682814, 'money oil putin': 536925, 'oil putin trump': 597385, 'putin trump stock': 691063, 'trump stock china': 933872, 'stock china italy': 801984, 'have my': 381540, 'my student': 550244, 'debt wiped': 230609, 'point would': 662722, 'be perfectly': 116392, 'perfectly content': 651386, 'content if': 200809, 'every healthcare': 285923, 'store debt': 807276, 'debt were': 230597, 'were completely': 979463, 'completely wiped': 192378, 'they owe': 882856, 'owe this': 631826, 'government nothing': 360386, 'much would love': 545484, 'love to have': 504847, 'to have my': 907280, 'have my student': 381548, 'my student debt': 550245, 'student debt wiped': 814669, 'debt wiped out': 230611, 'wiped out at': 996467, 'out at this': 625751, 'this point would': 889648, 'point would be': 662723, 'would be perfectly': 1011630, 'be perfectly content': 116393, 'perfectly content if': 651387, 'content if every': 200810, 'if every healthcare': 414086, 'every healthcare grocery': 285924, 'grocery store debt': 365323, 'store debt were': 807277, 'debt were completely': 230598, 'were completely wiped': 979464, 'completely wiped out': 192379, 'wiped out they': 996476, 'out they owe': 627550, 'they owe this': 882857, 'owe this government': 631827, 'this government nothing': 887740, 'government nothing else': 360387, 'class from': 180192, 'dutch stock': 263518, 'pile for': 656496, 'food nah': 315501, 'nah stock': 551416, 'roll nah': 725391, 'for weed': 327686, 'weed absolutely': 975754, 'absolutely it': 27379, 'will fight': 993429, 'fight off': 304812, 'off queue': 594097, 'for cannabis': 319915, 'cannabis before': 161382, 'class from the': 180193, 'from the dutch': 337676, 'the dutch stock': 853798, 'dutch stock pile': 263519, 'stock pile for': 802630, 'pile for food': 656497, 'for food nah': 321607, 'food nah stock': 315502, 'nah stock pile': 551417, 'pile for toilet': 656498, 'toilet roll nah': 921586, 'roll nah stock': 725392, 'pile for weed': 656499, 'for weed absolutely': 327687, 'weed absolutely it': 975755, 'absolutely it what': 27380, 'it what will': 462328, 'what will fight': 982597, 'will fight off': 993433, 'fight off queue': 304815, 'off queue for': 594098, 'queue for cannabis': 693923, 'for cannabis before': 319916, 'cannabis before lockdown': 161383, 'mishandling': 534039, 'meanwhile the': 525036, 'your mishandling': 1024845, 'mishandling of': 534040, 'higher gas': 395601, 'price nice': 675336, 'nice move': 562437, 'move idiot': 543661, 'meanwhile the people': 525042, 'people who lost': 650316, 'who lost their': 989239, 'their job due': 873711, 'due to your': 262038, 'to your mishandling': 919002, 'your mishandling of': 1024846, 'mishandling of covid': 534041, '19 will now': 12105, 'now be forced': 574198, 'forced to pay': 328644, 'pay higher gas': 644933, 'higher gas price': 395602, 'gas price nice': 344000, 'price nice move': 675338, 'nice move idiot': 562438, 'if walk': 415244, 'through fart': 894457, 'fart in': 299727, 'be concerned': 114174, 'if walk through': 415245, 'walk through fart': 964893, 'through fart in': 894458, 'fart in the': 299728, 'grocery store should': 365772, 'store should be': 810158, 'should be concerned': 765589, 'here the detail': 393646, 'the detail on': 853208, 'protect customer especially': 684810, 'customer especially vulnerable': 222345, 'pamdemic': 634646, 'null': 576789, 'china made': 176812, 'the trade': 869853, 'trade agreement': 928402, 'agreement they': 38797, 'they put': 882947, 'put if': 690608, 'if pamdemic': 414591, 'pamdemic happens': 634647, 'happens trade': 377518, 'agreement is': 38776, 'is null': 450365, 'null void': 576792, 'void china': 960017, 'control american': 201959, 'china made this': 176814, 'made this virus': 508026, 'this virus covid': 891003, '19 and in': 5047, 'in the trade': 429621, 'the trade agreement': 869854, 'trade agreement they': 928404, 'agreement they put': 38798, 'they put if': 882950, 'put if pamdemic': 690609, 'if pamdemic happens': 414592, 'pamdemic happens trade': 634648, 'happens trade agreement': 377519, 'trade agreement is': 928403, 'agreement is null': 38777, 'is null void': 450366, 'null void china': 576793, 'void china is': 960018, 'china is now': 176757, 'is now buying': 450267, 'now buying all': 574307, 'the stock at': 867906, 'stock at low': 801881, 'at low price': 99633, 'low price to': 505543, 'price to control': 676979, 'to control american': 903441, 'control american company': 201960, 'mandms': 513095, 'candybar': 161355, 'iphonepic': 444589, 'sawtelle': 738349, 'you gotta': 1018911, 'gotta pick': 359090, 'pick priority': 655678, 'priority beer': 678522, 'beer section': 122504, 'section next': 744019, 'next mandms': 561439, 'mandms candybar': 513096, 'candybar supermarket': 161356, 'supermarket iphonepic': 821062, 'iphonepic sawtelle': 444590, 'sawtelle los': 738350, 'when shopping in': 984023, 'shopping in preparation': 762984, 'preparation for the': 670036, 'world you gotta': 1010216, 'you gotta pick': 1018916, 'gotta pick priority': 359091, 'pick priority beer': 655679, 'priority beer section': 678523, 'beer section next': 122505, 'section next mandms': 744020, 'next mandms candybar': 561440, 'mandms candybar supermarket': 513097, 'candybar supermarket iphonepic': 161357, 'supermarket iphonepic sawtelle': 821063, 'iphonepic sawtelle los': 444591, 'sawtelle los angeles': 738351, 'moscow my': 541999, 'wa installed': 962414, 'installed potus': 440031, 'potus his': 667286, 'his covid': 397325, '19 performance': 9638, 'performance the': 651468, 'shelf ha': 757132, 'ha cold': 370189, 'war feel': 966429, 'feel if': 302671, 'putin behind': 691012, 'in moscow my': 425464, 'moscow my song': 542000, 'since trump wa': 770951, 'trump wa installed': 933956, 'wa installed potus': 962415, 'installed potus his': 440032, 'potus his covid': 667287, 'his covid 19': 397326, 'covid 19 performance': 213568, '19 performance the': 9639, 'performance the empty': 651469, 'the empty street': 854290, 'supermarket shelf ha': 822478, 'shelf ha cold': 757134, 'ha cold war': 370191, 'cold war feel': 185803, 'war feel if': 966430, 'feel if putin': 302673, 'if putin behind': 414709, 'putin behind this': 691013, 'behind this we': 124742, 'this we have': 891149, 'vancouver table': 952350, 'table put': 831494, 'put between': 690533, 'cashier station': 166618, 'station and': 796330, 'force minimum': 328450, 'minimum distance': 533184, 'distance apart': 246648, 'apart reaction': 81325, 'downtown vancouver table': 257765, 'vancouver table put': 952351, 'table put between': 831495, 'put between the': 690534, 'between the cashier': 128925, 'the cashier station': 850497, 'cashier station and': 166619, 'station and the': 796341, 'and the customer': 73310, 'the customer to': 852736, 'customer to force': 222963, 'to force minimum': 906170, 'force minimum distance': 328451, 'minimum distance apart': 533185, 'distance apart reaction': 246650, 'apart reaction to': 81326, 'contrast': 201839, 'goodbadugly': 357988, 'quiet sydney': 694701, 'sydney commute': 830693, 'commute today': 190272, 'today enough': 919479, 'enough room': 277600, 'isolate no': 454898, 'one coughing': 606111, 'no on': 564908, 'on touching': 604820, 'touching anything': 926663, 'anything with': 80945, 'in contrast': 421756, 'contrast to': 201848, 'to stabbings': 915109, 'stabbings beating': 791777, 'beating in': 118620, 'supermarket tourist': 823527, 'tourist raiding': 927038, 'raiding country': 695654, 'country town': 211188, 'town goodbadugly': 927468, 'quiet sydney commute': 694702, 'sydney commute today': 830694, 'commute today enough': 190273, 'today enough room': 919480, 'enough room to': 277603, 'room to isolate': 725980, 'to isolate no': 908541, 'isolate no one': 454900, 'no one coughing': 564926, 'one coughing no': 606113, 'coughing no on': 208710, 'no on touching': 564911, 'on touching anything': 604821, 'touching anything with': 926664, 'anything with their': 80947, 'their hand this': 873485, 'hand this in': 375846, 'this in contrast': 888041, 'in contrast to': 421757, 'contrast to stabbings': 201849, 'to stabbings beating': 915110, 'stabbings beating in': 791778, 'beating in supermarket': 118621, 'in supermarket the': 428687, 'supermarket the emergence': 823220, 'emergence of supermarket': 272576, 'of supermarket tourist': 590452, 'supermarket tourist raiding': 823529, 'tourist raiding country': 927039, 'raiding country town': 695655, 'country town goodbadugly': 211190, 'chemist have': 175429, 'have solution': 382618, 'chemist have solution': 175430, 'gsma': 367546, 'the gsma': 856889, 'gsma we': 367547, 'provide recommendation': 686446, 'operator during': 613356, 'our privacy': 624468, 'privacy guideline': 678814, 'guideline relating': 368463, 'government request': 360533, 'for access': 318993, 'data during': 226199, 'at the gsma': 100969, 'the gsma we': 856890, 'gsma we are': 367548, 'hard to provide': 378081, 'to provide recommendation': 912427, 'provide recommendation for': 686447, 'recommendation for mobile': 704747, 'mobile operator during': 535006, 'operator during here': 613357, 'here are our': 392750, 'are our privacy': 88869, 'our privacy guideline': 624469, 'privacy guideline relating': 678815, 'guideline relating to': 368464, 'relating to government': 708654, 'to government request': 906938, 'government request for': 360534, 'request for access': 713157, 'for access to': 318995, 'access to mobile': 28257, 'to mobile data': 910208, 'mobile data during': 534958, 'data during this': 226200, 'help may': 390056, 'may soon': 521513, 'way for': 969576, 'economy sent': 268207, 'sent reeling': 750801, 'reeling by': 706443, 'senate have': 749708, 'to roughly': 913637, 'roughly trillion': 726296, 'trillion rescue': 932000, 'largest in': 479965, 'in american': 420245, 'american history': 52034, 'history report': 398050, 'help may soon': 390057, 'may soon be': 521514, 'soon be on': 785642, 'the way for': 871151, 'way for an': 969580, 'for an american': 319274, 'an american economy': 55285, 'american economy sent': 51936, 'economy sent reeling': 268208, 'sent reeling by': 750802, 'reeling by the': 706444, 'by the the': 154458, 'the the white': 869408, 'white house and': 987844, 'house and the': 406185, 'and the senate': 73574, 'the senate have': 866704, 'senate have agreed': 749709, 'agreed to roughly': 38747, 'to roughly trillion': 913638, 'roughly trillion rescue': 726297, 'trillion rescue package': 932001, 'package the largest': 633422, 'the largest in': 858967, 'largest in american': 479966, 'in american history': 420248, 'american history report': 52035, 'deglobalization': 232534, 'second covid': 743684, 'accelerate deglobalization': 27840, 'deglobalization when': 232535, 'not every': 569292, 'every country': 285764, 'doe what': 251669, 'doe best': 251351, 'but want': 147720, 'produce everything': 680259, 'everything itself': 287896, 'itself the': 463957, 'good rise': 357671, 'second covid 19': 743685, 'will accelerate deglobalization': 992179, 'accelerate deglobalization when': 27841, 'deglobalization when not': 232536, 'when not every': 983782, 'not every country': 569294, 'every country doe': 285765, 'country doe what': 210585, 'doe what it': 251670, 'what it doe': 981748, 'it doe best': 457610, 'doe best but': 251352, 'best but want': 127608, 'but want to': 147722, 'want to produce': 966087, 'to produce everything': 912192, 'produce everything itself': 680260, 'everything itself the': 287897, 'itself the price': 463958, 'of good rise': 584233, 'falloff': 297366, 'staub': 796725, '19 spur': 10766, 'spur falloff': 791328, 'falloff in': 297367, 'expectation covid': 290809, '19 past': 9583, 'past shock': 643604, 'shock vanloon': 759537, 'vanloon staub': 952435, 'covid 19 spur': 213849, '19 spur falloff': 10767, 'spur falloff in': 791329, 'falloff in consumer': 297368, 'in consumer expectation': 421694, 'consumer expectation covid': 197394, 'expectation covid 19': 290810, 'covid 19 past': 213556, '19 past shock': 9584, 'past shock vanloon': 643605, 'shock vanloon staub': 759538, 'theater': 872242, 'moreso': 541074, 'premiering': 669912, '2020 03': 14080, '03 23': 862, '23 theater': 15436, 'theater in': 872254, 'era have': 280047, 'lost leverage': 503882, 'leverage with': 487795, 'with film': 998434, 'film studio': 305706, 'studio so': 814838, 'so studio': 778291, 'studio like': 814836, 'like disney': 490122, 'disney and': 246029, 'and universal': 74679, 'universal experimenting': 942360, 'with direct': 998045, 'consumer release': 198684, 'release universal': 709005, 'universal moreso': 942365, 'moreso premiering': 541077, 'premiering troll': 669913, 'troll world': 932347, 'world tour': 1010106, 'tour in': 926925, 'in theater': 429703, 'theater on': 872263, 'apr 10': 83355, 'and simultaneously': 71683, 'simultaneously offering': 770384, 'offering it': 595169, 'it 20': 456188, '20 home': 13090, 'home rental': 401967, '2020 03 23': 14082, '03 23 theater': 863, '23 theater in': 15437, 'theater in covid': 872256, '19 era have': 6819, 'era have lost': 280048, 'have lost leverage': 381381, 'lost leverage with': 503883, 'leverage with film': 487796, 'with film studio': 998435, 'film studio so': 305707, 'studio so studio': 814839, 'so studio like': 778292, 'studio like disney': 814837, 'like disney and': 490124, 'disney and universal': 246030, 'and universal experimenting': 74680, 'universal experimenting with': 942361, 'experimenting with direct': 291754, 'with direct to': 998048, 'to consumer release': 903327, 'consumer release universal': 198685, 'release universal moreso': 709006, 'universal moreso premiering': 942366, 'moreso premiering troll': 541078, 'premiering troll world': 669914, 'troll world tour': 932348, 'world tour in': 1010108, 'tour in theater': 926926, 'in theater on': 429704, 'theater on apr': 872264, 'on apr 10': 599425, 'apr 10 and': 83356, '10 and simultaneously': 1316, 'and simultaneously offering': 71684, 'simultaneously offering it': 770385, 'offering it 20': 595170, 'it 20 home': 456189, '20 home rental': 13092, 'not agree': 568090, 'his policy': 397713, 'policy but': 663354, 'they certainly': 881737, 'certainly agree': 170133, 'his stance': 397816, 'stance on': 793473, 'were limited': 979844, 'product only': 681490, 'only 10': 609961, '10 allowed': 1299, 'they may not': 882666, 'may not agree': 521369, 'not agree with': 568092, 'agree with all': 38676, 'with all his': 997151, 'all his policy': 43125, 'his policy but': 397714, 'policy but they': 663357, 'but they certainly': 147497, 'they certainly agree': 881738, 'certainly agree with': 170134, 'agree with his': 38677, 'with his stance': 998845, 'his stance on': 397817, 'stance on covid': 793474, 'supermarket today people': 823460, 'today people were': 920035, 'people were limited': 650212, 'were limited to': 979845, 'limited to of': 492774, 'same product only': 733254, 'product only 10': 681491, 'only 10 allowed': 609963, '10 allowed in': 1300, 'restriction sparking': 717378, 'sparking run': 787605, 'weekend preparing': 977392, 'what could': 981264, 'more retail': 540254, 'store restriction': 809860, 'in coming': 421584, '19 restriction sparking': 10182, 'restriction sparking run': 717379, 'sparking run on': 787606, 'run on cannabis': 727733, 'this weekend preparing': 891318, 'weekend preparing for': 977393, 'preparing for what': 670343, 'for what could': 327796, 'what could be': 981265, 'be more retail': 115993, 'more retail store': 540255, 'retail store restriction': 718697, 'store restriction in': 809862, 'restriction in coming': 717290, 'in coming day': 421586, 'cosgrove': 207778, 'uproar': 947724, 'lo': 497230, 'cosgrove uproar': 207779, 'uproar over': 947725, 'over here': 630278, 'in kurdistan': 424547, 'kurdistan regarding': 477957, 'regarding one': 707234, 'one funeral': 606334, 'funeral which': 341673, 'which took': 986404, 'took place': 925318, 'place couple': 657398, 'ago 40': 38315, '40 plus': 18645, 'plus people': 661654, 'now positive': 575570, 'positive because': 665263, 'one event': 606248, 'event meaning': 285021, 'meaning million': 524818, 'under complete': 940031, 'complete lockdown': 192112, 'lockdown even': 499346, 'even lo': 284305, 'cosgrove uproar over': 207780, 'uproar over here': 947726, 'over here in': 630284, 'here in kurdistan': 393155, 'in kurdistan regarding': 424548, 'kurdistan regarding one': 477958, 'regarding one funeral': 707235, 'one funeral which': 606335, 'funeral which took': 341674, 'which took place': 986405, 'took place couple': 925320, 'place couple of': 657399, 'of week ago': 592994, 'week ago 40': 975832, 'ago 40 plus': 38316, '40 plus people': 18646, 'plus people are': 661655, 'are now positive': 88586, 'now positive because': 575571, 'positive because of': 665264, 'because of that': 119412, 'of that one': 590733, 'that one event': 845494, 'one event meaning': 606249, 'event meaning million': 285022, 'meaning million of': 524819, 'are now under': 88612, 'now under complete': 576248, 'under complete lockdown': 940033, 'complete lockdown even': 192113, 'lockdown even lo': 499347, '24h': 15750, 'big 24h': 129609, '24h supermarket': 15755, 'supermarket nearby': 821579, 'nearby now': 553672, 'hour also': 405379, 'ha max': 371245, 'max number': 520762, 'any given': 79275, 'given time': 351179, 'time estimating': 896626, 'wa about': 961406, 'about an': 24789, 'hour long': 405746, 'long toronto': 501796, 'toronto city': 925930, 'million ha': 532176, 'ha 42': 369412, '42 non': 18905, 'non nursing': 566442, 'death so': 230194, 'the big 24h': 849594, 'big 24h supermarket': 129610, '24h supermarket nearby': 15756, 'supermarket nearby now': 821581, 'nearby now ha': 553673, 'now ha limited': 574844, 'ha limited hour': 371148, 'limited hour also': 492645, 'hour also ha': 405380, 'also ha max': 48310, 'ha max number': 371246, 'max number of': 520763, 'people allowed inside': 646810, 'allowed inside the': 46178, 'inside the store': 439420, 'store at any': 806579, 'at any given': 98021, 'any given time': 79279, 'given time estimating': 351181, 'time estimating the': 896627, 'estimating the line': 282318, 'the line in': 859409, 'store wa about': 811096, 'wa about an': 961408, 'about an hour': 24791, 'an hour long': 56091, 'hour long toronto': 405749, 'long toronto city': 501797, 'toronto city of': 925931, 'city of million': 179287, 'of million ha': 586533, 'million ha 42': 532177, 'ha 42 non': 369413, '42 non nursing': 18906, 'non nursing home': 566443, 'nursing home covid': 577614, '19 death so': 6454, 'death so far': 230195, 'over 84': 629936, '84 900': 22871, 'with diagnosed': 998021, 'diagnosed case': 240223, 'case have': 165761, 'have recovered': 382220, 'recovered look': 705237, 'positive in': 665352, 'corona 44': 203788, '44 in': 19006, 'my state': 550191, 'positive with': 665490, 'with 800': 997062, '800 pending': 22714, 'pending case': 646473, 'everything here': 287836, 'here medical': 393342, 'food lack': 315271, 'over 84 900': 629937, '84 900 people': 22872, '900 people with': 23391, 'people with diagnosed': 650441, 'with diagnosed case': 998022, 'diagnosed case have': 240224, 'case have recovered': 165765, 'have recovered look': 382223, 'recovered look at': 705238, 'at the positive': 101057, 'the positive in': 864061, 'positive in this': 665356, 'in this corona': 429919, 'this corona 44': 886863, 'corona 44 in': 203789, '44 in my': 19007, 'in my state': 425631, 'my state are': 550192, 'state are positive': 795389, 'are positive with': 89151, 'positive with 800': 665491, 'with 800 pending': 997064, '800 pending case': 22715, 'pending case we': 646474, 'case we have': 166095, 'we have shortage': 971938, 'have shortage of': 382526, 'shortage of everything': 765110, 'of everything here': 583272, 'everything here medical': 287838, 'here medical and': 393343, 'medical and food': 526045, 'and food lack': 63065, 'food lack of': 315272, 'lack of test': 478662, 'malamjumat': 511541, 'sondurum': 785472, 'gntm': 353228, 'shopeeth': 761134, 'onto hope': 611664, 'for cure': 320487, 'cure let': 220766, 'been affecting': 120627, 'affecting you': 34588, 'comment malamjumat': 188430, 'malamjumat sondurum': 511542, 'sondurum gntm': 785473, 'gntm coronacrisis': 353229, 'coronacrisis online': 204682, 'shopping shoplocal': 763868, 'shoplocal shopeeth': 761226, 'shopeeth coronacrisis': 761135, 'hold onto hope': 399986, 'onto hope for': 611665, 'hope for cure': 403480, 'for cure let': 320488, 'cure let know': 220768, 'let know how': 486858, 'know how ha': 476440, 'how ha been': 407943, 'ha been affecting': 369712, 'been affecting you': 120629, 'affecting you in': 34592, 'the comment malamjumat': 851213, 'comment malamjumat sondurum': 188431, 'malamjumat sondurum gntm': 511543, 'sondurum gntm coronacrisis': 785474, 'gntm coronacrisis online': 353231, 'coronacrisis online shop': 204683, 'online shop shopping': 608987, 'shop shopping shoplocal': 760779, 'shopping shoplocal shopeeth': 763869, 'shoplocal shopeeth coronacrisis': 761227, 'for speaking': 325804, 'speaking tell': 787768, 'are creating': 85616, 'panic leaving': 638266, 'vulnerable older': 961059, 'hunger instead': 411133, 'you for speaking': 1018671, 'for speaking tell': 325806, 'speaking tell people': 787769, 'tell people to': 837050, 'supply and do': 824712, 'and do their': 61564, 'do their regular': 250280, 'their regular shopping': 874546, 'regular shopping they': 707867, 'shopping they are': 764117, 'they are creating': 881239, 'are creating shortage': 85620, 'and panic leaving': 68658, 'panic leaving the': 638267, 'leaving the most': 485153, 'most vulnerable older': 542887, 'vulnerable older people': 961060, 'older people dying': 598645, 'people dying of': 647752, 'of hunger instead': 584909, 'hunger instead of': 411134, 'instead of dying': 440257, 'of dying of': 582895, 'kiev': 474280, 'in kiev': 424500, 'kiev hey': 474281, 'hey we': 394535, 'at would': 101639, 'worker worker': 1008285, 'can fill': 158305, 'form here': 329513, 'in kiev hey': 424501, 'kiev hey we': 474282, 'hey we at': 394536, 'we at would': 970802, 'at would love': 101641, 'love to talk': 504856, 'talk to you': 833897, 'and your worker': 76102, 'your worker worker': 1026386, 'worker worker can': 1008286, 'worker can fill': 1006586, 'can fill out': 158306, 'out this form': 627568, 'this form here': 887602, 'serve so': 751940, 'be checkout': 114079, 'checkout operator': 174969, 'operator in': 613369, 'with self serve': 1000624, 'self serve so': 747902, 'serve so popular': 751942, 'would be checkout': 1011567, 'be checkout operator': 114080, 'checkout operator in': 174971, 'operator in supermarket': 613373, 'everyo': 286665, 'point did': 662461, 'miss there': 534200, 'be problem': 116547, 'chain if': 170791, 'buy none': 149006, 'will matter': 994104, 'matter we': 520647, 'in uklockdown': 430402, 'uklockdown soon': 939009, 'soon anyway': 785625, 'anyway upside': 81050, 'upside to': 947866, 'least there': 484655, 'there ll': 878718, 'enough left': 277505, 'for everyo': 321192, 'what point did': 982038, 'point did miss': 662462, 'did miss there': 240687, 'miss there will': 534201, 'will be problem': 992618, 'be problem with': 116549, 'problem with the': 679765, 'supply chain if': 824974, 'chain if people': 170792, 'continue to panic': 201227, 'panic buy none': 637510, 'buy none of': 149007, 'none of which': 566603, 'of which will': 593113, 'which will matter': 986497, 'will matter we': 994105, 'matter we ll': 520649, 'all be in': 42133, 'be in uklockdown': 115446, 'in uklockdown soon': 430403, 'uklockdown soon anyway': 939010, 'soon anyway upside': 785626, 'anyway upside to': 81051, 'upside to that': 947868, 'to that is': 916452, 'that is at': 844557, 'at least there': 99554, 'least there ll': 484656, 'there ll be': 878720, 'll be enough': 496583, 'be enough left': 114687, 'enough left for': 277506, 'left for everyo': 485463, 'thriller': 894193, 'f2f': 294180, 'assc': 96337, 'mean this': 524720, 'whole thing': 990352, 'like scene': 491141, 'scene straight': 741358, 'of horror': 584759, 'movie ok': 544038, 'ok maybe': 597834, 'maybe thriller': 521856, 'thriller movie': 894194, 'movie either': 544003, 'it cause': 457074, 'cause some': 167737, 'of anxiety': 580241, 'anxiety had': 78718, 'had f2f': 373095, 'f2f communication': 294181, 'communication good': 189595, 'good assc': 356783, 'assc today': 96338, 'all place': 43962, 'we talked': 973498, 'talked across': 833935, 'across car': 29289, 'mean this is': 524722, 'this is crazy': 888220, 'is crazy this': 446901, 'crazy this whole': 215446, 'this whole thing': 891389, 'whole thing it': 990357, 'thing it like': 884497, 'it like scene': 459372, 'like scene straight': 491142, 'scene straight out': 741359, 'out of horror': 626755, 'of horror movie': 584760, 'horror movie ok': 404203, 'movie ok maybe': 544039, 'ok maybe thriller': 597836, 'maybe thriller movie': 521857, 'thriller movie either': 894195, 'movie either way': 544004, 'either way it': 270407, 'way it cause': 969672, 'it cause some': 457076, 'cause some form': 167738, 'form of anxiety': 329527, 'of anxiety had': 580244, 'anxiety had f2f': 78719, 'had f2f communication': 373096, 'f2f communication good': 294182, 'communication good assc': 189596, 'good assc today': 356784, 'assc today at': 96339, 'store of all': 809145, 'of all place': 579969, 'all place we': 43966, 'place we talked': 657818, 'we talked across': 973500, 'talked across car': 833936, 'marching': 515552, 'mete': 529676, 'shithole': 759322, 'iso': 454793, 'day8oflockdown': 228886, 'safe football': 729673, 'football song': 318512, 'song you': 785527, 'will walk': 995310, 'alone marching': 46884, 'marching on': 515555, 'on two': 604933, 'two mete': 937043, 'mete apart': 529677, 'apart that': 81350, 'that place': 845748, 'place wa': 657798, 'wa shithole': 963188, 'shithole glad': 759325, 'glad stayed': 351514, 'stayed home': 797862, 'home oh': 401709, 'oh when': 596485, 'the saint': 866169, 'saint go': 731816, 'so so': 778230, 'so iso': 777450, 'iso isolation': 454796, 'isolation stayhomesavelives': 455444, 'stayhomesavelives day8oflockdown': 798368, '19 safe football': 10285, 'safe football song': 729674, 'football song you': 318513, 'song you will': 785528, 'you will walk': 1022361, 'will walk alone': 995311, 'walk alone marching': 964732, 'alone marching on': 46885, 'marching on two': 515556, 'on two mete': 604936, 'two mete apart': 937044, 'mete apart that': 529678, 'apart that place': 81351, 'that place wa': 845750, 'place wa shithole': 657801, 'wa shithole glad': 963189, 'shithole glad stayed': 759326, 'glad stayed home': 351515, 'stayed home oh': 797863, 'home oh when': 401710, 'oh when the': 596486, 'when the saint': 984193, 'the saint go': 866170, 'saint go shopping': 731817, 'go shopping online': 354123, 'shopping online so': 763484, 'online so so': 609394, 'so so so': 778237, 'so so iso': 778235, 'so iso isolation': 777451, 'iso isolation stayhomesavelives': 454797, 'isolation stayhomesavelives day8oflockdown': 455445, 'people isolating': 648531, 'isolating from': 455100, 'cannot book': 161682, 'delivery because': 233743, 'slot have': 774203, 'son are': 785351, 'vulnerable people isolating': 961096, 'people isolating from': 648532, 'isolating from covid': 455101, '19 cannot book': 5640, 'cannot book food': 161683, 'food delivery because': 314110, 'delivery because all': 233744, 'because all the': 118919, 'the delivery slot': 853075, 'delivery slot have': 234524, 'slot have been': 774204, 'been taken by': 122128, 'taken by others': 832973, 'by others who': 153474, 'who can get': 988384, 'out to go': 627648, 'go shopping my': 354120, 'shopping my husband': 763311, 'husband and and': 411671, 'and and our': 58137, 'and our son': 68519, 'our son are': 624844, 'son are in': 785352, 'in the vulnerable': 429651, 'the vulnerable group': 870983, 'vulnerable group and': 960981, 'group and cannot': 366602, 'really annoying': 701972, 'annoying related': 77369, 'related thing': 708586, 'thing couple': 884255, 'couple at': 211564, 'person need': 652543, 'need big': 554540, 'big shopping': 129989, 'cart to': 165399, 'of couple': 582037, 'two cart': 936820, 'cart so': 165380, 'shopping together': 764217, 'together that': 920970, 'that absolutely': 842477, 'absolutely fine': 27360, 'list of really': 494466, 'of really annoying': 588803, 'really annoying related': 701973, 'annoying related thing': 77370, 'related thing couple': 708587, 'thing couple at': 884256, 'couple at grocery': 211565, 'store there the': 810651, 'there the rule': 879152, 'the rule that': 866053, 'rule that person': 727371, 'that person need': 845721, 'person need big': 652544, 'need big shopping': 554541, 'big shopping cart': 129990, 'shopping cart to': 762319, 'cart to enter': 165400, 'enter the store': 278318, 'the store there': 868120, 'lot of couple': 504165, 'of couple who': 582039, 'couple who take': 211718, 'who take two': 989733, 'take two cart': 832760, 'two cart so': 936822, 'cart so that': 165381, 'can do their': 158122, 'their shopping together': 874725, 'shopping together that': 764219, 'together that absolutely': 920971, 'that absolutely fine': 842478, 'tauler': 834908, 'llp': 497137, 'ionic': 444450, 'herbal': 392579, 'eucalyptus': 283304, 'hocked': 399797, 'robert tauler': 724713, 'tauler of': 834909, 'of tauler': 590605, 'tauler smith': 834911, 'smith llp': 775800, 'llp told': 497138, 'told we': 923785, 'explosion in': 292557, 'in colloidal': 421554, 'silver ionic': 769810, 'ionic silver': 444451, 'silver herbal': 769806, 'herbal tea': 392584, 'tea even': 835350, 'even essential': 284045, 'oil like': 596925, 'like eucalyptus': 490178, 'eucalyptus all': 283305, 'all hocked': 43134, 'hocked treatment': 399798, 'treatment or': 931115, 'their claim': 872787, 'robert tauler of': 724714, 'tauler of tauler': 834910, 'of tauler smith': 590606, 'tauler smith llp': 834912, 'smith llp told': 775801, 'llp told we': 497139, 'told we ve': 923787, 've seen an': 953524, 'seen an explosion': 746930, 'an explosion in': 55976, 'explosion in colloidal': 292559, 'in colloidal silver': 421555, 'colloidal silver ionic': 186668, 'silver ionic silver': 769811, 'ionic silver herbal': 444452, 'silver herbal tea': 769807, 'herbal tea even': 392585, 'tea even essential': 835351, 'even essential oil': 284046, 'essential oil like': 281349, 'oil like eucalyptus': 596926, 'like eucalyptus all': 490179, 'eucalyptus all hocked': 283306, 'all hocked treatment': 43135, 'hocked treatment or': 399799, 'treatment or cure': 931116, 'or cure there': 614872, 'cure there is': 220826, 'is no evidence': 449925, 'no evidence to': 564148, 'evidence to support': 288401, 'support their claim': 826895, 'futuristic': 342560, 'irrelevant': 445007, 'now being': 574238, 'being futuristic': 125177, 'futuristic with': 342561, 'shopping nobody': 763338, 'nobody will': 566083, 'will ever': 993342, 'need mall': 555191, 'mall the': 511837, 'been game': 121194, 'changer this': 172627, 'proven that': 686178, 'so renting': 778126, 'renting premise': 711320, 'premise is': 669929, 'is irrelevant': 448983, 'irrelevant office': 445011, 'you re now': 1020684, 're now being': 699137, 'now being futuristic': 574241, 'being futuristic with': 125178, 'futuristic with lot': 342562, 'online shopping nobody': 609197, 'shopping nobody will': 763339, 'nobody will ever': 566085, 'will ever need': 993347, 'ever need mall': 285428, 'need mall the': 555192, 'mall the covid': 511838, 'ha been game': 369813, 'been game changer': 121195, 'game changer this': 343152, 'changer this lockdown': 172628, 'this lockdown ha': 888688, 'lockdown ha proven': 499452, 'ha proven that': 371566, 'proven that people': 686179, 'people can work': 647419, 'can work at': 160242, 'at home so': 99111, 'home so renting': 402085, 'so renting premise': 778127, 'renting premise is': 711321, 'premise is irrelevant': 669930, 'is irrelevant office': 448984, 'hinge': 396887, 'estate will': 282202, 'vary by': 952667, 'by sector': 153905, 'the magnitude': 859886, 'will hinge': 993743, 'hinge on': 396888, 'economic shutdown': 267280, 'shutdown this': 768108, 'shoot at': 759731, 'real estate will': 701167, 'estate will vary': 282203, 'will vary by': 995295, 'vary by sector': 952669, 'by sector and': 153906, 'sector and market': 744087, 'and market and': 66702, 'and the magnitude': 73466, 'the magnitude of': 859887, 'magnitude of the': 508451, 'of the effect': 590974, 'effect will hinge': 269163, 'will hinge on': 993744, 'hinge on the': 396890, 'on the length': 604208, 'length of the': 486321, 'the economic shutdown': 853915, 'economic shutdown this': 267288, 'shutdown this is': 768109, 'time to invest': 898005, 'invest in real': 443763, 'in real estate': 427292, 'estate price are': 282173, 'likely to shoot': 492176, 'to shoot at': 914439, 'shoot at the': 759732, 'end of covid': 275894, 'need congratulation': 554629, 'deserve lot': 238075, 'that help people': 844301, 'people get what': 648063, 'they need congratulation': 882724, 'need congratulation to': 554630, 'congratulation to the': 194451, 'the store worker': 868150, 'worker who deserve': 1008203, 'who deserve lot': 988568, 'deserve lot of': 238076, 'lot of credit': 504168, 'hazemat': 384606, 'fullmoon': 341004, 'mask hazemat': 518790, 'hazemat suit': 384607, 'glove protect': 352877, 'worker hospital': 1007138, 'hospital worker': 404729, 'worker driver': 1006810, 'worker store': 1007835, 'clerk how': 181716, 'about everyday': 25194, 'everyday citizen': 286544, 'citizen america': 178825, 'america fullmoon': 51531, 'fullmoon stayhome': 341007, 'stayhome shutitdown': 798109, 'the mask hazemat': 860216, 'mask hazemat suit': 518791, 'hazemat suit glove': 384608, 'suit glove protect': 817766, 'glove protect our': 352878, 'our grocery worker': 623311, 'grocery worker hospital': 366177, 'worker hospital worker': 1007140, 'hospital worker driver': 404733, 'worker driver postal': 1006811, 'driver postal worker': 259708, 'postal worker store': 666481, 'worker store clerk': 1007836, 'store clerk how': 807013, 'clerk how about': 181717, 'how about everyday': 407279, 'about everyday citizen': 25195, 'everyday citizen america': 286545, 'citizen america fullmoon': 178826, 'america fullmoon stayhome': 51532, 'fullmoon stayhome shutitdown': 341008, 'rona': 725776, 'pandemicin5words': 637118, 'strongertogether': 814197, 'sometimes we': 785249, 'help weareinthistogether': 390871, 'weareinthistogether rona': 974549, 'rona pandemic': 725792, 'pandemic pandemicin5words': 636147, 'pandemicin5words strongertogether': 637119, 'strongertogether toiletpaper': 814200, 'sometimes we all': 785250, 'all need help': 43597, 'need help weareinthistogether': 554999, 'help weareinthistogether rona': 390873, 'weareinthistogether rona pandemic': 974550, 'rona pandemic pandemicin5words': 725793, 'pandemic pandemicin5words strongertogether': 636148, 'pandemicin5words strongertogether toiletpaper': 637120, 'store yep': 811657, 'yep this': 1015348, 'really happened': 702253, 'happened toiletpaperpanic': 377286, 'toiletpaperpanic toiletpaperpanic': 923291, 'toiletpaperpanic grocery': 923211, 'customer strict': 222884, 'limit ration': 492470, 'ration virus': 697747, 'toiletpaperemergency toiletpapershortage': 923142, 'toiletpapershortage mom': 923319, 'mom mother': 535776, 'grocery store yep': 365977, 'store yep this': 811658, 'yep this really': 1015350, 'this really happened': 889824, 'really happened toiletpaperpanic': 702254, 'happened toiletpaperpanic toiletpaperpanic': 377287, 'toiletpaperpanic toiletpaperpanic grocery': 923292, 'toiletpaperpanic grocery store': 923212, 'store customer strict': 807249, 'customer strict limit': 222885, 'strict limit ration': 813632, 'limit ration virus': 492471, 'ration virus sick': 697748, 'sanitizing pandemic toiletpaper': 736491, 'pandemic toiletpaper toiletpaperemergency': 636819, 'toiletpaper toiletpaperemergency toiletpapershortage': 922677, 'toiletpaperemergency toiletpapershortage mom': 923143, 'toiletpapershortage mom mother': 923320, 'oc': 578873, 'influence is': 437309, 'is powerful': 450971, 'powerful and': 667769, 'love when': 504869, 'when celebrity': 983243, 'celebrity use': 168907, 'use theirs': 949702, 'theirs for': 875269, 'good put': 357602, 'up money': 945394, 'money she': 537012, 'she earned': 756013, 'earned from': 264824, 'from cbs': 334812, 'cbs so': 168376, 'the oc': 862023, 'oc distillery': 578874, 'distillery she': 247808, 'is co': 446627, 'of could': 582012, 'could pivot': 209501, 'pivot from': 657083, 'making alcohol': 510942, 'influence is powerful': 437310, 'is powerful and': 450972, 'powerful and love': 667770, 'and love when': 66427, 'love when celebrity': 504870, 'when celebrity use': 983244, 'celebrity use theirs': 168908, 'use theirs for': 949703, 'theirs for good': 875270, 'for good put': 321940, 'good put up': 357603, 'put up money': 690965, 'up money she': 945397, 'money she earned': 537013, 'she earned from': 756014, 'earned from cbs': 264825, 'from cbs so': 334814, 'cbs so the': 168377, 'so the oc': 778433, 'the oc distillery': 862024, 'oc distillery she': 578875, 'distillery she is': 247809, 'she is co': 756147, 'is co owner': 446628, 'owner of could': 632509, 'of could pivot': 582014, 'could pivot from': 209502, 'pivot from making': 657084, 'from making alcohol': 336309, 'making alcohol to': 510944, 'alcohol to hand': 41149, 'sanitizer during the': 734802, 'bellends': 126505, 'start you': 794659, 'butcher buy': 148039, 'local none': 498210, 'that queuing': 845930, 'queuing round': 694229, 'park rubbish': 641976, 'rubbish like': 726991, 'like bunch': 489939, 'of bellends': 580669, 'bellends buylocal': 126506, 'buylocal stayhomesavelives': 151434, 'stayhomesavelives easterweekend': 798375, 'start you mean': 794660, 'you mean to': 1019827, 'mean to go': 524735, 'to go on': 906831, 'go on all': 353876, 'on all from': 599228, 'all from the': 42877, 'from the local': 337778, 'the local butcher': 859537, 'local butcher buy': 497794, 'butcher buy local': 148040, 'buy local none': 148915, 'local none of': 498211, 'none of that': 566595, 'of that queuing': 590739, 'that queuing round': 845931, 'queuing round the': 694230, 'the supermarket car': 868507, 'car park rubbish': 163233, 'park rubbish like': 641977, 'rubbish like bunch': 726992, 'like bunch of': 489940, 'bunch of bellends': 142618, 'of bellends buylocal': 580670, 'bellends buylocal stayhomesavelives': 126507, 'buylocal stayhomesavelives easterweekend': 151435, 'runny': 728154, 'wa paranoid': 962909, 'paranoid the': 641454, 'entire time': 278757, 'time thinking': 897915, 'thinking that': 885994, 'would think': 1012329, 'wa sick': 963225, 'sick because': 768389, 'had runny': 373468, 'runny nose': 728155, 'nose fear': 567889, 'showing allergy': 767411, 'allergy that': 45793, 'that always': 842607, 'always make': 49659, 'make him': 509976, 'him run': 396703, 'run hahaha': 727661, 'hahaha allergy': 373908, 'went shopping at': 979106, 'shopping at grocery': 762100, 'store with empty': 811374, 'shelf and wa': 756774, 'and wa paranoid': 75094, 'wa paranoid the': 962910, 'paranoid the entire': 641455, 'the entire time': 854370, 'entire time thinking': 278761, 'time thinking that': 897917, 'thinking that someone': 886000, 'that someone would': 846408, 'someone would think': 784804, 'would think wa': 1012333, 'think wa sick': 885749, 'wa sick because': 963226, 'sick because had': 768390, 'because had runny': 119093, 'had runny nose': 373469, 'runny nose fear': 728156, 'nose fear of': 567890, 'fear of showing': 301259, 'of showing allergy': 589697, 'showing allergy that': 767412, 'allergy that always': 45794, 'that always make': 842610, 'always make him': 49660, 'make him run': 509978, 'him run hahaha': 396704, 'run hahaha allergy': 727662, 'busier': 143166, 'buy few': 148619, 'wa fine': 962127, 'fine no': 307663, 'no raised': 565267, 'raised tension': 696041, 'tension no': 837987, 'shortage much': 765076, 'much busier': 544772, 'busier than': 143169, 'but nothing': 146587, 'be alarmed': 113538, 'alarmed about': 40688, 'safe sensible': 729929, 'and reasonable': 70021, 'reasonable while': 703141, 'we wait': 973733, 'to buy few': 902229, 'buy few thing': 148623, 'thing and it': 884125, 'it wa fine': 462111, 'wa fine no': 962129, 'fine no panic': 307666, 'panic no raised': 638345, 'no raised tension': 565268, 'raised tension no': 696042, 'tension no shortage': 837988, 'no shortage much': 565496, 'shortage much busier': 765077, 'much busier than': 544773, 'busier than normal': 143171, 'than normal for': 840945, 'normal for sure': 567155, 'for sure but': 326072, 'sure but nothing': 827512, 'but nothing to': 146592, 'nothing to be': 573187, 'to be alarmed': 901098, 'be alarmed about': 113539, 'alarmed about we': 40689, 'can all stay': 157436, 'stay safe sensible': 797273, 'safe sensible and': 729930, 'sensible and reasonable': 750634, 'and reasonable while': 70025, 'reasonable while we': 703142, 'while we wait': 987558, 'we wait out': 973736, 'telling over': 837246, '70 employee': 21760, 'home on': 401711, 'on unpaid': 604977, 'survive gross': 829179, 'gross if': 366435, 'can too': 160023, 'sainsburys telling over': 731794, 'telling over 70': 837247, 'over 70 employee': 629907, '70 employee to': 21761, 'employee to stay': 274335, 'stay home on': 796987, 'home on unpaid': 401718, 'on unpaid leave': 604978, 'day to survive': 228589, 'to survive gross': 916032, 'survive gross if': 829180, 'gross if homebargains': 366436, 'it you can': 462639, 'you can too': 1017815, 'can too supermarket': 160024, 'too supermarket convid19uk': 925096, 'sablaka': 729003, 'vinita': 957450, 'in friend': 423122, 'friend sablaka': 333783, 'sablaka rm': 729004, 'rm vinita': 724256, 'puzzle join in': 691328, 'join in friend': 466747, 'in friend sablaka': 423123, 'friend sablaka rm': 333784, 'sablaka rm vinita': 729005, 'admittedly': 32634, 'admittedly it': 32635, 'great worker': 363120, 'being supported': 125890, 'supported but': 827039, 'but seems': 146994, 'seems unfair': 746889, 'unfair that': 941440, 'on higher': 601301, 'higher wage': 395792, 'wage will': 963994, 'more while': 540970, 'working than': 1008931, 'than those': 841322, 'those nh': 892250, 'cashier delivery': 166507, 'worker keeping': 1007279, 'admittedly it great': 32636, 'it great worker': 458342, 'great worker are': 363121, 'are being supported': 84930, 'being supported but': 125891, 'supported but seems': 827040, 'but seems unfair': 146996, 'seems unfair that': 746890, 'unfair that those': 941442, 'that those on': 847014, 'those on higher': 892286, 'on higher wage': 601304, 'higher wage will': 395795, 'wage will be': 963996, 'will be paid': 992597, 'paid more while': 634091, 'more while not': 540971, 'while not working': 987087, 'not working than': 572553, 'working than those': 1008932, 'than those nh': 841323, 'those nh staff': 892251, 'nh staff supermarket': 562103, 'staff supermarket cashier': 792901, 'supermarket cashier delivery': 819554, 'cashier delivery driver': 166508, 'all the key': 44803, 'the key worker': 858767, 'key worker keeping': 473493, 'worker keeping the': 1007283, 'keeping the country': 472574, 'the country going': 852087, 'the homeless': 857462, 'homeless people': 402768, 'cannot work': 162233, 'home undocumented': 402392, 'undocumented refugee': 941031, 'refugee low': 706849, 'food let': 315298, 'alone stock': 46911, 'many people that': 514536, 'that are more': 842779, 'are more vulnerable': 88127, '19 virus the': 11838, 'virus the homeless': 958886, 'the homeless people': 857471, 'homeless people who': 402775, 'who cannot work': 988432, 'cannot work from': 162234, 'from home undocumented': 335923, 'home undocumented refugee': 402393, 'undocumented refugee low': 941032, 'refugee low income': 706850, 'income people who': 432435, 'who cannot afford': 988418, 'cannot afford food': 161600, 'afford food let': 34695, 'food let alone': 315299, 'let alone stock': 486584, 'alone stock up': 46912, 'stock up and': 803057, 'up and so': 944373, 'so many others': 777687, 'tampa': 834118, 'birthday gift': 131431, 'gift dropped': 349964, 'by dear': 152304, 'dear friend': 229791, 'friend will': 333911, 'forever grateful': 329119, 'grateful can': 362247, 'the pack': 862836, 'pack thankful': 633159, 'thankful toiletpaper': 841933, 'toiletpaper birthday': 921814, 'birthday tampa': 131454, 'tampa florida': 834123, 'birthday gift dropped': 131432, 'gift dropped off': 349965, 'dropped off by': 260606, 'off by dear': 593708, 'by dear friend': 152305, 'dear friend will': 229792, 'friend will be': 333913, 'be forever grateful': 114921, 'forever grateful can': 329120, 'grateful can get': 362248, 'can get the': 158458, 'get the rest': 348290, 'of the pack': 591313, 'the pack thankful': 862839, 'pack thankful toiletpaper': 633160, 'thankful toiletpaper birthday': 841934, 'toiletpaper birthday tampa': 921815, 'birthday tampa florida': 131455, '635': 21288, 'far arrested': 298709, 'arrested 635': 93799, '635 individual': 21291, 'individual for': 435183, 'hoarding profiteering': 399488, 'or manipulation': 616058, 'supply amid': 824684, 'crisis gripping': 217425, 'authority have so': 103740, 'have so far': 382598, 'so far arrested': 777012, 'far arrested 635': 298710, 'arrested 635 individual': 93800, '635 individual for': 21292, 'individual for hoarding': 435184, 'for hoarding profiteering': 322326, 'hoarding profiteering and': 399489, 'profiteering and or': 683001, 'and or manipulation': 68219, 'or manipulation of': 616059, 'manipulation of price': 513232, 'of basic good': 580569, 'basic good and': 111907, 'good and medical': 356736, 'medical supply amid': 526425, 'supply amid the': 824687, '19 crisis gripping': 6254, 'crisis gripping the': 217426, 'gripping the country': 364061, 'counterfeiter': 210313, 'of counterfeiter': 582023, 'counterfeiter the': 210320, 'with law': 999185, 'enforcement to': 276792, 'warn about': 966920, 'prevent criminal': 671609, 'criminal from': 216838, 'from exploiting': 335369, 'exploiting the': 292450, 'fda are': 300836, 'are monitoring': 88101, 'monitoring to': 537384, 'halt fraudulent': 374437, 'product sale': 681588, 'beware of counterfeiter': 129075, 'of counterfeiter the': 582024, 'counterfeiter the is': 210321, 'the is working': 858547, 'working with law': 1009059, 'with law enforcement': 999186, 'law enforcement to': 482278, 'enforcement to warn': 276793, 'to warn about': 918338, 'warn about how': 966922, 'be prepared to': 116521, 'prepared to prevent': 670257, 'to prevent criminal': 912053, 'prevent criminal from': 671610, 'criminal from exploiting': 216839, 'from exploiting the': 335370, 'exploiting the pandemic': 292457, 'pandemic and fda': 634877, 'and fda are': 62730, 'fda are monitoring': 300837, 'are monitoring to': 88104, 'monitoring to halt': 537385, 'to halt fraudulent': 907101, 'halt fraudulent product': 374438, 'fraudulent product sale': 331469, 'ig1': 415678, 'bare shop': 110951, 'who been': 988303, 'been fined': 121150, 'in ig1': 423971, 'bare shop who': 110952, 'shop who been': 761041, 'who been fined': 988304, 'been fined for': 121151, 'fined for increasing': 307745, 'for increasing price': 322534, 'increasing price during': 433670, '19 outbreak are': 9084, 'outbreak are in': 628026, 'are in ig1': 87400, '265': 16220, 'bats99': 112719, 'supp': 824407, '265 bats99': 16223, 'bats99 13': 112720, '13 we': 3279, 'help due': 389602, 'our place': 624349, 'place is': 657522, 'is lockdown': 449420, 'lockdown now': 499700, 'family safe': 298198, 'off course': 593746, 'course want': 211954, 'and supp': 72759, '265 bats99 13': 16224, 'bats99 13 we': 112722, '13 we need': 3280, 'need help due': 554979, 'help due to': 389603, '19 our place': 9058, 'our place is': 624351, 'place is lockdown': 657526, 'is lockdown now': 449422, 'lockdown now want': 499705, 'now want my': 576322, 'want my family': 965858, 'my family safe': 548220, 'family safe and': 298199, 'safe and off': 729464, 'and off course': 67964, 'off course want': 593747, 'course want to': 211955, 'food and supp': 313351, 'mondelez is': 536529, 'hiring 00': 397052, '00 employee': 185, 'help maintain': 390026, 'maintain supply': 509052, 'chain amid': 170446, 'amid surging': 52677, 'for packaged': 324351, 'mondelez is hiring': 536530, 'is hiring 00': 448480, 'hiring 00 employee': 397053, '00 employee to': 189, 'employee to help': 274328, 'to help maintain': 907554, 'help maintain supply': 390028, 'maintain supply chain': 509053, 'supply chain amid': 824901, 'chain amid surging': 170448, 'amid surging demand': 52678, 'demand for packaged': 235469, 'for packaged good': 324353, 'packaged good because': 633488, 'continues we': 201516, 'should ration': 766366, 'ration the': 697736, 'grocery you': 366200, 'also solve': 48892, 'of obesity': 587140, 'greed at': 363366, 'think if this': 885295, 'if this panic': 415165, 'buying continues we': 150141, 'continues we should': 201517, 'we should ration': 973288, 'should ration the': 766367, 'ration the grocery': 697739, 'the grocery you': 856836, 'grocery you actually': 366201, 'you actually need': 1016812, 'actually need this': 30907, 'need this will': 555828, 'this will also': 891404, 'will also solve': 992268, 'also solve the': 48893, 'the problem of': 864521, 'problem of obesity': 679628, 'of obesity and': 587141, 'obesity and greed': 578369, 'and greed at': 63942, 'greed at the': 363367, 'tp be': 927759, 'like toiletpaper': 491645, 'toiletpaper coronacrisis': 921883, 'people buying all': 647340, 'the tp be': 869839, 'tp be like': 927760, 'be like toiletpaper': 115751, 'like toiletpaper coronacrisis': 491646, 'cndns': 184738, 'dairy processor': 225024, 'processor and': 680057, 'feed canadian': 302290, 'canadian while': 160771, 'while they': 987433, 'they respond': 883209, 'unforeseen fluctuation': 941544, 'fluctuation in': 311518, 'including donating': 431941, 'donating milk': 254474, 'milk product': 531792, 'foodbanks to': 317851, 'support cndns': 826419, 'cndns in': 184739, 'dairy processor and': 225025, 'processor and farmer': 680058, 'farmer are doing': 299274, 'can to feed': 160007, 'to feed canadian': 905719, 'feed canadian while': 302291, 'canadian while they': 160772, 'while they respond': 987442, 'they respond to': 883210, 'to the unforeseen': 917157, 'the unforeseen fluctuation': 870394, 'unforeseen fluctuation in': 941545, 'fluctuation in the': 311522, 'in the demand': 429128, 'demand for milk': 235455, 'for milk in': 323429, 'milk in grocery': 531697, 'store including donating': 808418, 'including donating milk': 431942, 'donating milk product': 254475, 'milk product to': 531794, 'product to foodbanks': 681746, 'to foodbanks to': 906116, 'foodbanks to support': 317852, 'to support cndns': 915914, 'support cndns in': 826420, 'cndns in need': 184740, 'need during 19': 554717, 'meeting india': 527716, 'india being': 434320, 'oil but': 596658, 'but due': 145627, 'demand saudi': 236169, 'saudi in': 737273, 'in turn': 430335, 'turn keep': 935699, 'keep pumping': 471836, 'pumping oil': 689128, 'oil into': 596896, 'incredible 11': 433811, 'opec is having': 611904, 'having an online': 383974, 'an online meeting': 56621, 'online meeting india': 608536, 'meeting india being': 527717, 'india being the': 434321, 'being the largest': 125930, 'the largest consumer': 858960, 'largest consumer of': 479937, 'consumer of oil': 198246, 'of oil but': 587179, 'oil but due': 596659, 'but due to': 145628, 'pandemic ha reduced': 635562, 'ha reduced their': 371687, 'reduced their demand': 706188, 'their demand saudi': 873001, 'demand saudi in': 236171, 'saudi in turn': 737274, 'in turn keep': 430338, 'turn keep pumping': 935700, 'keep pumping oil': 471837, 'pumping oil into': 689129, 'oil into the': 596897, 'into the market': 443148, 'the market and': 860086, 'market and oil': 515977, 'fell to an': 303245, 'to an incredible': 900462, 'an incredible 11': 56254, 'incredible 11 per': 433812, 'cerealismyeverything': 169951, 'all fun': 42897, 'fun game': 341167, 'game when': 343284, 'when folk': 983431, 'folk panicked': 312232, 'panicked and': 639245, 'started hoarding': 794748, 'hoarding but': 399232, 'life cereal': 488551, 'cereal and': 169915, 'nothing shelf': 573154, 'empty what': 275234, 'this need': 889099, 'fixed immediately': 309794, 'immediately cerealismyeverything': 417069, 'it wa all': 462060, 'wa all fun': 961465, 'all fun game': 42898, 'fun game when': 341168, 'game when folk': 343285, 'when folk panicked': 983433, 'folk panicked and': 312233, 'panicked and started': 639247, 'and started hoarding': 72257, 'started hoarding but': 794749, 'hoarding but went': 399235, 'buy some life': 149209, 'some life cereal': 783195, 'life cereal and': 488552, 'cereal and there': 169916, 'wa nothing shelf': 962787, 'nothing shelf empty': 573155, 'shelf empty what': 757043, 'empty what am': 275235, 'what am supposed': 981022, 'to do now': 904534, 'do now this': 249914, 'now this need': 576133, 'this need to': 889101, 'be fixed immediately': 114876, 'fixed immediately cerealismyeverything': 309795, 'wanna feel': 965629, 'like teenager': 491302, 'teenager again': 836531, 'again hang': 37012, 'hang around': 376927, 'around outside': 93443, 'ask someone': 95617, 'you alcohol': 1016859, 'alcohol because': 40940, 'you aren': 1017297, 'inside quaratinelife': 439368, 'wanna feel like': 965630, 'feel like teenager': 302750, 'like teenager again': 491303, 'teenager again hang': 836532, 'again hang around': 37013, 'hang around outside': 376928, 'around outside grocery': 93444, 'store ask someone': 806547, 'ask someone to': 95620, 'someone to buy': 784698, 'to buy you': 902342, 'buy you alcohol': 149487, 'you alcohol because': 1016861, 'alcohol because you': 40941, 'because you aren': 119860, 'you aren allowed': 1017299, 'aren allowed inside': 92312, 'allowed inside quaratinelife': 46175, 'be fucking': 114972, 'serious if': 751405, 'if toilet': 415183, 'paper price': 640610, 'price didn': 673435, 'didn go': 241074, 'up well': 946555, 'fucking know': 339927, 'why forgot': 991002, 'so ll': 777568, 'make one': 510264, 'one up': 607326, 'but ink': 146056, 'ink cartridge': 438738, 'cartridge for': 165545, 'example cost': 288880, 'cost like': 208002, 'make but': 509758, 'but sell': 147002, 'for like': 322978, 'like 50': 489704, '50 so': 19852, 'why toilet': 991484, 'paper isn': 640369, 'to be fucking': 901270, 'be fucking serious': 114973, 'fucking serious if': 339994, 'serious if toilet': 751406, 'if toilet paper': 415184, 'toilet paper price': 921400, 'paper price didn': 640611, 'price didn go': 673436, 'didn go up': 241080, 'go up well': 354446, 'up well do': 946556, 'well do not': 978170, 'not fucking know': 569548, 'fucking know why': 339928, 'know why forgot': 477048, 'why forgot the': 991003, 'forgot the price': 329412, 'the price so': 864416, 'price so ll': 676507, 'so ll make': 777570, 'll make one': 496897, 'make one up': 510270, 'one up but': 607327, 'up but ink': 944524, 'but ink cartridge': 146057, 'ink cartridge for': 438740, 'cartridge for example': 165546, 'for example cost': 321274, 'example cost like': 288882, 'cost like to': 208003, 'like to make': 491607, 'to make but': 909633, 'make but sell': 509759, 'but sell for': 147003, 'sell for like': 748732, 'for like 50': 322979, 'like 50 so': 489706, '50 so do': 19853, 'so do not': 776884, 'know why toilet': 477061, 'why toilet paper': 991485, 'toilet paper isn': 921325, 'paper isn the': 640371, 'isn the same': 454715, 'discount supermarket': 244543, 'supermarket aldi': 818860, 'donating almost': 254430, 'almost half': 46661, 'million surplus': 532361, 'surplus easter': 828479, 'discount supermarket aldi': 244544, 'supermarket aldi is': 818861, 'aldi is donating': 41276, 'is donating almost': 447314, 'donating almost half': 254431, 'almost half million': 46662, 'half million surplus': 374205, 'million surplus easter': 532362, 'surplus easter egg': 828480, 'easter egg to': 265426, 'egg to charity': 270009, 'to charity and': 902650, 'charity and food': 173560, 'and food bank': 63031, 'privateer': 679002, 'predator': 669521, 'analytica': 57202, 'intimate': 442327, 'dna privateer': 248989, 'privateer are': 679003, 'are predator': 89183, 'predator think': 669526, 'think cambridge': 885177, 'cambridge analytica': 156939, 'analytica but': 57203, 'your intimate': 1024508, 'intimate personal': 442328, 'data not': 226310, 'just your': 470382, 'social graph': 779795, 'graph and': 362142, 'data we': 226486, 'need guardrail': 554940, 'guardrail on': 367924, 'any testing': 79949, 'testing website': 839685, 'website or': 975378, 'or database': 614887, 'database also': 226512, 'dna privateer are': 248990, 'privateer are predator': 679004, 'are predator think': 89184, 'predator think cambridge': 669527, 'think cambridge analytica': 885178, 'cambridge analytica but': 156940, 'analytica but with': 57204, 'but with your': 147904, 'with your intimate': 1002208, 'your intimate personal': 1024509, 'intimate personal data': 442329, 'personal data not': 652818, 'data not just': 226311, 'not just your': 570266, 'just your social': 470385, 'your social graph': 1025854, 'social graph and': 779796, 'graph and consumer': 362143, 'and consumer data': 60369, 'consumer data we': 197064, 'data we need': 226487, 'we need guardrail': 972492, 'need guardrail on': 554941, 'guardrail on any': 367925, 'on any testing': 599410, 'any testing website': 79950, 'testing website or': 839686, 'website or database': 975381, 'or database also': 614888, 'supply are': 824777, 'under strain': 940267, 'strain during': 812274, 'calm is': 156753, 'shortage buy': 764864, 'support safe': 826797, 'safe food': 729666, 'help cf': 389486, 'food system and': 317042, 'system and food': 831096, 'food supply are': 316933, 'supply are under': 824797, 'are under strain': 91288, 'under strain during': 940270, 'strain during the': 812275, 'pandemic situation we': 636480, 'situation we call': 772567, 'we call for': 970883, 'call for calm': 155857, 'for calm is': 319886, 'calm is there': 156754, 'is there enough': 453009, 'there enough for': 878356, 'for everyone there': 321243, 'no shortage buy': 565490, 'shortage buy local': 764865, 'buy local to': 148918, 'local to support': 498652, 'to support safe': 915965, 'support safe food': 826798, 'safe food supply': 729670, 'supply we also': 826075, 'we also need': 970401, 'also need your': 48555, 'your help cf': 1024297, 'all point': 43987, 'finger of': 307807, 'of blame': 580734, 'blame at': 132241, 'own government': 632022, 'outbreak remember': 628581, 'remember chinaliedpeopledied': 710174, 'before we all': 123283, 'we all point': 970352, 'all point the': 43988, 'the finger of': 855245, 'finger of blame': 307808, 'of blame at': 580735, 'blame at our': 132242, 'at our own': 100026, 'our own government': 624205, 'own government for': 632024, 'government for the': 360102, 'for the outbreak': 326602, 'the outbreak remember': 862688, 'outbreak remember chinaliedpeopledied': 628582, 'war dealt': 966409, 'dealt blow': 229711, 'blow to': 133354, 'to copper': 903516, 'copper price': 203436, 'price then': 676874, 'hit supply': 398416, 'demand mining': 235872, 'first the china': 309057, 'trade war dealt': 928606, 'war dealt blow': 966410, 'dealt blow to': 229712, 'blow to copper': 133356, 'to copper price': 903517, 'copper price then': 203444, 'price then the': 676877, 'then the hit': 877616, 'the hit supply': 857396, 'hit supply and': 398417, 'and demand mining': 61162, 'heather': 388521, 'mallick': 511866, 'death may': 230124, 'may increase': 521290, 'increase day': 432728, 'the terror': 869306, 'terror lie': 838594, 'lie the': 488380, 'true terror': 933180, 'terror is': 838592, 'is mass': 449592, 'mass death': 519753, 'could become': 208948, 'become reality': 120113, 'reality if': 701743, 'don tackle': 253947, 'tackle climate': 831562, 'change heather': 172075, 'heather mallick': 388522, 'mallick writes': 511867, '19 death may': 6447, 'death may increase': 230125, 'may increase day': 521292, 'increase day by': 432729, 'by day but': 152300, 'day but that': 227410, 'but that not': 147293, 'that not where': 845406, 'not where the': 572495, 'where the terror': 985253, 'the terror lie': 869307, 'terror lie the': 838595, 'lie the true': 488384, 'the true terror': 870056, 'true terror is': 933181, 'terror is mass': 838593, 'is mass death': 449593, 'mass death and': 519754, 'death and that': 229968, 'and that could': 73186, 'that could become': 843340, 'could become reality': 208954, 'become reality if': 120115, 'reality if we': 701744, 'we don tackle': 971396, 'don tackle climate': 253948, 'tackle climate change': 831563, 'climate change heather': 182195, 'change heather mallick': 172076, 'heather mallick writes': 388523, 'about imposing': 25507, 'imposing temporary': 419339, 'temporary 30': 837572, '30 gal': 17058, 'gal gas': 342903, 'gas tax': 344144, 'tax right': 835087, 'help fund': 389785, 'benefit gas': 126997, 'went so': 979115, 'fast most': 300006, 'american wouldn': 52328, 'wouldn feel': 1012462, 'what about imposing': 980978, 'about imposing temporary': 25508, 'imposing temporary 30': 419340, 'temporary 30 gal': 837573, '30 gal gas': 17059, 'gal gas tax': 342904, 'gas tax right': 344148, 'tax right now': 835088, 'now to help': 576169, 'to help fund': 907526, 'help fund covid': 389786, '19 benefit gas': 5373, 'benefit gas price': 126998, 'gas price went': 344050, 'price went so': 677436, 'went so low': 979116, 'so low so': 777610, 'low so fast': 505626, 'so fast most': 777078, 'fast most american': 300007, 'most american wouldn': 542094, 'american wouldn feel': 52329, 'wouldn feel it': 1012463, 'qataren': 691508, 'qataren limit': 691509, 'supermarket hypermarket': 820821, 'hypermarket and': 412324, 'grocery especially': 364494, 'during wed': 263398, 'wed thu': 975553, 'thu and': 895274, 'and fri': 63307, 'fri shop': 333159, 'shop like': 760403, 'like family': 490218, 'family food': 297805, 'food center': 313898, 'center lulu': 169251, 'lulu hypermarket': 506645, 'hypermarket are': 412326, 'fully packed': 341072, 'packed please': 633637, 'please take': 660627, 'this suggestion': 890411, 'qataren limit the': 691510, 'limit the amount': 492506, 'of people that': 587999, 'that can enter': 843104, 'can enter supermarket': 158238, 'enter supermarket hypermarket': 278301, 'supermarket hypermarket and': 820822, 'hypermarket and grocery': 412325, 'and grocery especially': 63983, 'grocery especially during': 364495, 'especially during wed': 280469, 'during wed thu': 263399, 'wed thu and': 975554, 'thu and fri': 895275, 'and fri shop': 63308, 'fri shop like': 333160, 'shop like family': 760405, 'like family food': 490219, 'family food center': 297806, 'food center lulu': 313899, 'center lulu hypermarket': 169252, 'lulu hypermarket are': 506646, 'hypermarket are fully': 412327, 'are fully packed': 86748, 'fully packed please': 341073, 'packed please take': 633638, 'please take this': 660641, 'take this suggestion': 832717, 'store re': 809743, 'ups on': 947758, 'on ground': 601194, 'when the grocery': 984157, 'grocery store re': 365702, 'store re ups': 809744, 're ups on': 699755, 'ups on ground': 947759, 'on ground beef': 601195, 'gear paid': 344969, 'paid aid': 633959, 'aid ccp': 39363, 'ccp chin': 168450, 'defective gear paid': 232081, 'gear paid aid': 344970, 'paid aid ccp': 633960, 'aid ccp chin': 39364, 'occupant': 578995, 'ok getting': 597805, 'another supply': 77889, 'run head': 727663, 'to walmart': 918311, 'walmart then': 965435, 'then our': 877393, 'then ll': 877315, 'll buy': 496666, 'big stuff': 130025, 'from sam': 337150, 'club like': 184453, 'like egg': 490158, 'egg can': 269812, 'eat see': 266045, 'everything need': 287925, 'my occupant': 549538, 'occupant today': 578996, 'today staysafestayhome': 920218, 'ok getting ready': 597806, 'getting ready for': 349216, 'ready for another': 700856, 'for another supply': 319377, 'another supply run': 77890, 'supply run head': 825783, 'run head to': 727664, 'head to walmart': 385836, 'to walmart then': 918314, 'walmart then our': 965436, 'then our local': 877395, 'our local grocery': 623775, 'store then ll': 810640, 'then ll buy': 877316, 'll buy the': 496670, 'buy the big': 149285, 'the big stuff': 849625, 'big stuff from': 130026, 'stuff from sam': 815077, 'from sam club': 337151, 'sam club like': 732917, 'club like egg': 184454, 'like egg and': 490159, 'egg and egg': 269763, 'and egg can': 61975, 'egg can eat': 269813, 'can eat see': 158199, 'eat see if': 266046, 'see if can': 745274, 'if can get': 413925, 'get everything need': 346967, 'everything need for': 287926, 'need for of': 554857, 'for of my': 324020, 'of my occupant': 586797, 'my occupant today': 549539, 'occupant today staysafestayhome': 578997, 'coronavirus fueled': 205968, 'fueled panic': 340332, 'buying cleared': 150115, 'cleared the': 181436, 'market via': 517295, 'via network': 956097, 'coronavirus fueled panic': 205969, 'fueled panic buying': 340333, 'panic buying cleared': 637678, 'buying cleared the': 150116, 'cleared the shelf': 181437, 'egg what next': 270031, 'next for egg': 561368, 'egg market via': 269913, 'market via network': 517297, 'kenttonight': 472835, 'kentsays': 472831, 'kenttonight poll': 472836, 'poll supermarket': 663860, 'ha restricted': 371745, 'restricted online': 717156, '80 item': 22591, 'item per': 463558, 'per shopper': 651017, 'shopper they': 761746, 'they hope': 882441, 'will protect': 994493, 'think let': 885369, 'thought kentsays': 893109, 'kenttonight poll supermarket': 472837, 'poll supermarket ha': 663861, 'supermarket ha restricted': 820646, 'ha restricted online': 371746, 'restricted online order': 717157, 'online order to': 608701, 'order to 80': 618658, 'to 80 item': 899850, '80 item per': 22592, 'item per shopper': 463562, 'per shopper they': 651018, 'shopper they hope': 761747, 'they hope this': 882443, 'this will protect': 891436, 'will protect people': 994496, 'protect people and': 684921, 'people and supply': 646885, 'and supply during': 72784, 'pandemic but what': 635062, 'but what do': 147784, 'you think let': 1021665, 'think let know': 885370, 'let know your': 486865, 'know your thought': 477101, 'your thought kentsays': 1026147, 'auspost': 103106, 'an overseas': 56751, 'overseas based': 631463, 'during iso': 262728, 'iso auspost': 454794, 'auspost is': 103107, 'delivering but': 233474, 'some mail': 783247, 'mail is': 508625, 'is impacted': 448686, 'by flight': 152599, 'flight restriction': 310532, 'wondering if you': 1004183, 'you order online': 1020234, 'order online from': 618469, 'online from an': 608268, 'from an overseas': 334496, 'an overseas based': 56752, 'overseas based business': 631464, 'based business if': 111523, 'if you will': 415561, 'will get it': 993508, 'get it during': 347405, 'it during iso': 457722, 'during iso auspost': 262729, 'iso auspost is': 454795, 'auspost is delivering': 103108, 'is delivering but': 447101, 'delivering but some': 233475, 'but some mail': 147101, 'some mail is': 783248, 'mail is impacted': 508626, 'is impacted by': 448688, 'impacted by flight': 418080, 'by flight restriction': 152600, 'shoplocalraleigh': 761247, 'raleigh': 696233, 'great local': 362811, 'retail online': 718345, 'from link': 336226, 'our bio': 622211, 'bio flattenthecurve': 131138, 'flattenthecurve shoplocalraleigh': 310199, 'shoplocalraleigh supportsmallbusiness': 761248, 'supportsmallbusiness raleigh': 827286, 'raleigh north': 696234, 'another great local': 77645, 'great local retail': 362813, 'local retail online': 498347, 'retail online shopping': 718347, 'online shopping list': 609174, 'shopping list from': 763187, 'list from link': 494334, 'from link is': 336228, 'in our bio': 426264, 'our bio flattenthecurve': 622212, 'bio flattenthecurve shoplocalraleigh': 131139, 'flattenthecurve shoplocalraleigh supportsmallbusiness': 310200, 'shoplocalraleigh supportsmallbusiness raleigh': 761249, 'supportsmallbusiness raleigh north': 827287, 'raleigh north carolina': 696235, 'peta': 653485, 'unacceptable where': 939376, 'where peta': 985113, 'peta hand': 653486, 'like vaccine': 491710, 'vaccine everyone': 951694, 'effective vaccination': 269322, 'is unacceptable where': 453427, 'unacceptable where peta': 939377, 'where peta hand': 985114, 'peta hand sanitizer': 653487, 'is like vaccine': 449339, 'like vaccine everyone': 491711, 'vaccine everyone must': 951695, 'everyone must have': 287195, 'must have access': 546692, 'to it in': 908587, 'it in order': 458739, 'in order for': 426214, 'order for it': 618231, 'it to be': 461707, 'be an effective': 113600, 'an effective vaccination': 55617, 'stomach': 804313, 'am also': 49870, 'also absolutely': 47807, 'absolutely sick': 27448, 'my stomach': 550209, 'stomach about': 804314, 'owner said': 632558, 'am also absolutely': 49871, 'also absolutely sick': 47808, 'absolutely sick to': 27449, 'sick to my': 768643, 'to my stomach': 910438, 'my stomach about': 550210, 'stomach about the': 804315, 'about the loss': 26441, 'loss of the': 503754, 'store owner said': 809439, 'burglary': 142848, 'ukbidscv19': 938927, 'watching national': 968766, 'national news': 552570, 'news coverage': 560347, 'coverage am': 212331, 'now aware': 574165, 'of fraudsters': 583897, 'fraudsters going': 331417, 'door offering': 255671, 'offering counterfeit': 595045, 'counterfeit cleaning': 210298, 'cleaning chemical': 180910, 'chemical to': 175390, 'prevent contamination': 671603, 'contamination this': 200735, 'risk is': 723639, 'that victim': 847244, 'victim have': 956476, 'is distracting': 447244, 'distracting burglary': 247897, 'burglary if': 142851, 'any problem': 79687, 'problem please': 679652, 'call 99': 155738, '99 ukbidscv19': 23908, 'watching national news': 968767, 'national news coverage': 552572, 'news coverage am': 560348, 'coverage am now': 212332, 'am now aware': 50262, 'now aware of': 574166, 'aware of fraudsters': 105633, 'of fraudsters going': 583898, 'fraudsters going door': 331418, 'to door offering': 904669, 'door offering counterfeit': 255672, 'offering counterfeit cleaning': 595046, 'counterfeit cleaning chemical': 210299, 'cleaning chemical to': 180911, 'chemical to prevent': 175391, 'to prevent contamination': 912051, 'prevent contamination this': 671604, 'contamination this is': 200736, 'this is scam': 888390, 'is scam the': 451668, 'scam the risk': 740407, 'the risk is': 865876, 'risk is that': 723644, 'is that victim': 452703, 'that victim have': 847245, 'victim have to': 956477, 'high price or': 395267, 'price or that': 675793, 'or that there': 617362, 'there is distracting': 878550, 'is distracting burglary': 447245, 'distracting burglary if': 247898, 'burglary if there': 142852, 'are any problem': 84579, 'any problem please': 79689, 'problem please call': 679653, 'please call 99': 659750, 'call 99 ukbidscv19': 155739, 'buyer leave': 149677, 'vulnerable without': 961262, 'coronavirus uk panic': 206986, 'uk panic buyer': 938608, 'panic buyer leave': 637585, 'buyer leave the': 149678, 'leave the vulnerable': 484980, 'the vulnerable without': 871006, 'vulnerable without food': 961263, 'without food 19': 1002651, 'food 19 corona': 313010, 'idiom': 413435, 'hamsterk': 374666, 'ufe': 937937, '19 hysteria': 7641, 'hysteria learned': 412459, 'learned new': 484132, 'new german': 558799, 'german idiom': 346228, 'idiom hamsterk': 413436, 'hamsterk ufe': 374667, 'ufe it': 937938, 'it literally': 459408, 'literally mean': 495040, 'mean hamster': 524469, 'hamster shopping': 374648, 'it actually': 456260, 'actually mean': 30884, 'mean panic': 524604, 'hoarding because': 399210, 'because real': 119511, 'real hamster': 701189, 'hamster are': 374638, 'are known': 87698, 'covid 19 hysteria': 213240, '19 hysteria learned': 7645, 'hysteria learned new': 412460, 'learned new german': 484133, 'new german idiom': 558800, 'german idiom hamsterk': 346229, 'idiom hamsterk ufe': 413437, 'hamsterk ufe it': 374668, 'ufe it literally': 937939, 'it literally mean': 459410, 'literally mean hamster': 495041, 'mean hamster shopping': 524471, 'hamster shopping it': 374649, 'shopping it actually': 763094, 'it actually mean': 456262, 'actually mean panic': 30885, 'mean panic buying': 524605, 'and hoarding because': 64650, 'hoarding because real': 399212, 'because real hamster': 119513, 'real hamster are': 701190, 'hamster are known': 374639, 'are known for': 87700, 'known for hoarding': 477216, 'for hoarding food': 322322, 'whole support': 990350, 'business via': 144617, 'via ordering': 956141, 'online however': 608381, 'however you': 409532, 'putting yourself': 691297, 'ordering outside': 619001, 'get the whole': 348312, 'the whole support': 871511, 'whole support local': 990351, 'local business via': 497780, 'business via ordering': 144618, 'via ordering food': 956142, 'ordering food online': 618970, 'food online however': 315623, 'online however you': 608382, 'however you re': 409534, 'you re putting': 1020717, 're putting yourself': 699339, 'putting yourself at': 691298, 'yourself at risk': 1026539, 'risk just by': 723655, 'just by ordering': 468399, 'by ordering outside': 153459, 'ordering outside food': 619002, 'blackmonday': 132201, 'hyperpoland': 412370, 'after blackmonday': 35421, 'blackmonday march': 132202, 'market plummeted': 516858, 'plummeted result': 661350, 'about hyperpoland': 25493, 'hyperpoland is': 412371, 'worth supporting': 1011438, 'our innovative': 623554, 'innovative transportation': 438936, 'transportation technology': 930039, 'technology now': 836340, 'now yeah': 576495, 'after blackmonday march': 35422, 'blackmonday march stock': 132204, 'march stock market': 515478, 'stock market plummeted': 802421, 'market plummeted result': 516859, 'plummeted result of': 661351, 'result of concern': 717583, 'of concern about': 581638, 'about the and': 26338, 'the and falling': 848699, 'price what about': 677465, 'what about hyperpoland': 980977, 'about hyperpoland is': 25494, 'hyperpoland is it': 412372, 'it worth supporting': 462573, 'worth supporting the': 1011439, 'supporting the development': 827207, 'development of our': 239832, 'of our innovative': 587490, 'our innovative transportation': 623555, 'innovative transportation technology': 438937, 'transportation technology now': 930040, 'technology now yeah': 836341, 'from because': 334652, 'because trader': 119749, 'joe it': 466423, 'it reflects': 460679, 'reflects the': 706687, 'hoard it': 398817, 'love this photo': 504832, 'this photo from': 889558, 'photo from because': 655168, 'from because trader': 334653, 'because trader joe': 119750, 'trader joe it': 928716, 'joe it reflects': 466424, 'it reflects the': 460680, 'reflects the fact': 706688, 'fact that there': 295813, 'of food available': 583651, 'food available and': 313470, 'available and people': 104228, 'and people do': 68859, 'to hoard it': 907872, 'coronvirusireland': 207160, 'many hotel': 514148, 'restaurant or': 716614, 'close may': 182716, 'or stock': 617229, 'not keep': 570272, 'keep is': 471602, 'there anyway': 878040, 'anyway they': 81044, 'could put': 209545, 'use rather': 949512, 'than have': 840728, 'to discard': 904345, 'discard it': 244320, 'thought coronvirusireland': 893009, 'many hotel restaurant': 514149, 'hotel restaurant or': 405188, 'restaurant or other': 716616, 'or other place': 616442, 'place that have': 657712, 'that have had': 844210, 'to close may': 902886, 'close may have': 182718, 'may have food': 521236, 'food or stock': 315670, 'or stock that': 617233, 'stock that will': 802925, 'will not keep': 994237, 'not keep is': 570273, 'keep is there': 471603, 'is there anyway': 453000, 'there anyway they': 878041, 'anyway they could': 81046, 'they could put': 881834, 'could put it': 209546, 'put it to': 690649, 'it to good': 461719, 'good use rather': 357927, 'use rather than': 949513, 'rather than have': 697527, 'than have to': 840731, 'have to discard': 383194, 'to discard it': 904347, 'discard it just': 244321, 'it just thought': 459251, 'just thought coronvirusireland': 470061, 'group distance': 366670, 'distance against': 246625, 'enough driver': 277365, 'deliver online': 233183, 'no friend': 564309, 'friend or': 333741, 'or relative': 616838, 'relative my': 708732, 'my position': 549815, 'position all': 665157, 'same group': 733094, 'how can someone': 407518, 'can someone in': 159672, 'someone in high': 784514, 'risk group distance': 723589, 'group distance against': 366671, 'distance against 19': 246626, 'against 19 when': 37308, '19 when not': 12023, 'when not enough': 983781, 'not enough driver': 569180, 'enough driver to': 277366, 'to deliver online': 904109, 'deliver online shopping': 233184, 'shopping ha no': 762829, 'ha no friend': 371340, 'no friend or': 564310, 'friend or relative': 333746, 'or relative my': 616839, 'relative my position': 708733, 'my position all': 549816, 'position all here': 665158, 'all here are': 43100, 'here are in': 392743, 'are in same': 87431, 'in same group': 427676, 'neptune': 557425, 'laidlaw': 479045, 'interesting quote': 441598, 'quote by': 694983, 'by neptune': 153316, 'neptune chairman': 557426, 'chairman sam': 171351, 'sam laidlaw': 732924, 'laidlaw our': 479046, 'our sector': 624696, 'sector deal': 744156, 'twin challenge': 936567, 'and lower': 66449, 'price sustainability': 676737, 'sustainability ha': 829769, 'very interesting quote': 955276, 'interesting quote by': 441599, 'quote by neptune': 694984, 'by neptune chairman': 153317, 'neptune chairman sam': 557427, 'chairman sam laidlaw': 171352, 'sam laidlaw our': 732925, 'laidlaw our sector': 479047, 'our sector deal': 624697, 'sector deal with': 744157, 'with the twin': 1001523, 'the twin challenge': 870130, 'twin challenge posed': 936569, 'pandemic and lower': 634883, 'and lower commodity': 66450, 'commodity price sustainability': 189290, 'price sustainability ha': 676738, 'sustainability ha never': 829770, 'oklahoman': 598090, 'administer': 32435, 'general hunter': 345356, 'hunter said': 411395, 'said oklahoman': 731279, 'oklahoman need': 598091, 'high alert': 394913, 'alert for': 41413, 'scam artist': 740054, 'artist trying': 94626, 'or administer': 614263, 'administer home': 32436, 'attorney general hunter': 102642, 'general hunter said': 345358, 'hunter said oklahoman': 411396, 'said oklahoman need': 731280, 'oklahoman need to': 598092, 'be on high': 116197, 'on high alert': 601295, 'high alert for': 394914, 'alert for scam': 41422, 'for scam artist': 325362, 'scam artist trying': 740058, 'artist trying to': 94627, 'trying to sell': 934869, 'to sell or': 914166, 'sell or administer': 748832, 'or administer home': 614264, 'administer home testing': 32437, 'kit for covid': 475542, 'paper security': 640733, 'now top': 576213, 'feel like supermarket': 302747, 'like supermarket toilet': 491273, 'toilet paper security': 921437, 'paper security is': 640734, 'security is now': 744658, 'is now top': 450350, 'now top priority': 576214, 'top priority for': 925680, 'shrtage': 767722, '2nd time': 16805, 'or meat': 616098, 'meat at': 525491, 'hell there': 389071, 'food shrtage': 316624, 'shrtage is': 767723, '2nd time in': 16806, 'in week could': 430749, 'week could not': 976118, 'not get bread': 569579, 'bread or meat': 138554, 'or meat at': 616099, 'meat at grocery': 525492, 'at grocery what': 98818, 'grocery what the': 366130, 'the hell there': 857249, 'hell there no': 389073, 'no food shrtage': 564271, 'food shrtage is': 316625, 'shrtage is there': 767724, 'fibre2fashion': 304406, 'steeply': 799417, 'fibre2fashion say': 304407, 'say demand': 738558, 'ha steeply': 372058, 'steeply declined': 799418, 'in fashion': 422798, 'fashion retail': 299838, 'retail with': 718863, 'consumer showing': 198985, 'showing limited': 767476, 'limited or': 492690, 'no buying': 563747, 'buying activity': 149857, 'activity which': 30534, 'on raw': 603080, 'raw material': 697969, 'material price': 520406, 'the cancellation': 850331, 'cancellation of': 161036, 'order store': 618601, 'potential labour': 667097, 'labour unemployment': 478529, 'fibre2fashion say demand': 304408, 'say demand ha': 738560, 'demand ha steeply': 235618, 'ha steeply declined': 372059, 'steeply declined in': 799419, 'declined in fashion': 231431, 'in fashion retail': 422799, 'fashion retail with': 299840, 'retail with consumer': 718864, 'with consumer showing': 997768, 'consumer showing limited': 198986, 'showing limited or': 767477, 'limited or no': 492692, 'or no buying': 616257, 'no buying activity': 563748, 'buying activity which': 149858, 'activity which ha': 30535, 'which ha led': 985890, 'led to an': 485271, 'to an impact': 900459, 'impact on raw': 417882, 'on raw material': 603081, 'raw material price': 697979, 'material price the': 520410, 'price the cancellation': 676823, 'the cancellation of': 850333, 'cancellation of order': 161041, 'of order store': 587339, 'order store closure': 618602, 'closure and potential': 183842, 'and potential labour': 69259, 'potential labour unemployment': 667098, 'furnace': 341939, 'resuming': 717763, 'utilization': 951348, 'dampen': 225489, 'mar 13': 514968, '13 blast': 3191, 'blast furnace': 132412, 'furnace operation': 341940, 'operation are': 613138, 'are resuming': 89659, 'resuming and': 717766, 'capacity utilization': 162602, 'utilization rate': 951349, 'rate ha': 697240, 'ha reached': 371633, 'reached 75': 700027, '75 will': 22169, 'this boost': 886595, 'boost iron': 134972, 'ore sale': 619124, 'sale or': 732431, 'or dampen': 614885, 'dampen steel': 225498, 'on mar 13': 602001, 'mar 13 blast': 514969, '13 blast furnace': 3192, 'blast furnace operation': 132413, 'furnace operation are': 341941, 'operation are resuming': 613143, 'are resuming and': 89660, 'resuming and capacity': 717767, 'and capacity utilization': 59536, 'capacity utilization rate': 162603, 'utilization rate ha': 951350, 'rate ha reached': 697241, 'ha reached 75': 371634, 'reached 75 will': 700028, '75 will this': 22170, 'will this boost': 995192, 'this boost iron': 886596, 'boost iron ore': 134973, 'iron ore sale': 444922, 'ore sale or': 619125, 'sale or dampen': 732432, 'or dampen steel': 614886, 'dampen steel price': 225499, 'notallheroeswearcapes': 572658, 'that minimum': 845176, 'wage grocery': 963883, 'worker were': 1008161, 'were signing': 980127, 'signing up': 769654, 'apocalypse and': 81507, 'save all': 737464, 'starvation notallheroeswearcapes': 795175, 'knew that minimum': 476074, 'that minimum wage': 845177, 'minimum wage grocery': 533233, 'wage grocery store': 963884, 'store worker were': 811620, 'worker were signing': 1008170, 'were signing up': 980128, 'signing up to': 769655, 'work through the': 1005866, 'through the apocalypse': 894718, 'the apocalypse and': 848803, 'apocalypse and save': 81509, 'and save all': 70948, 'save all from': 737465, 'all from starvation': 42875, 'from starvation notallheroeswearcapes': 337410, 'dirkvandenbroek': 243707, 'vakkenvuller': 951865, 'naar': 551334, 'huis': 410330, 'gestuurd': 346447, 'om': 598805, 'dragen': 258170, 'mondkapje': 536531, 'jongen': 467265, 'wilde': 992103, 'hij': 396178, 'puur': 691305, 'uit': 938131, 'veiligheid': 954303, 'eigen': 270174, 'gezondheid': 349492, 'niet': 562669, 'spel': 788512, 'zetten': 1027525, 'triest': 931859, 'dirkvandenbroek vakkenvuller': 243708, 'vakkenvuller naar': 951866, 'naar huis': 551335, 'huis gestuurd': 410331, 'gestuurd om': 346448, 'om dragen': 598806, 'dragen mondkapje': 258171, 'mondkapje jongen': 536532, 'jongen wilde': 467266, 'wilde dat': 992104, 'dat hij': 226092, 'hij puur': 396179, 'puur uit': 691306, 'uit veiligheid': 938132, 'veiligheid en': 954304, 'en om': 275394, 'om zijn': 598808, 'zijn eigen': 1027557, 'eigen gezondheid': 270175, 'gezondheid niet': 349493, 'niet op': 562672, 'op het': 611806, 'het spel': 394297, 'spel te': 788513, 'te zetten': 835326, 'zetten triest': 1027526, 'triest 19': 931860, 'dirkvandenbroek vakkenvuller naar': 243709, 'vakkenvuller naar huis': 951867, 'naar huis gestuurd': 551336, 'huis gestuurd om': 410332, 'gestuurd om dragen': 346449, 'om dragen mondkapje': 598807, 'dragen mondkapje jongen': 258172, 'mondkapje jongen wilde': 536533, 'jongen wilde dat': 467267, 'wilde dat hij': 992105, 'dat hij puur': 226093, 'hij puur uit': 396180, 'puur uit veiligheid': 691307, 'uit veiligheid en': 938133, 'veiligheid en om': 954305, 'en om zijn': 275395, 'om zijn eigen': 598809, 'zijn eigen gezondheid': 1027558, 'eigen gezondheid niet': 270176, 'gezondheid niet op': 349494, 'niet op het': 562673, 'op het spel': 611807, 'het spel te': 394298, 'spel te zetten': 788514, 'te zetten triest': 835327, 'zetten triest 19': 1027527, 'sukuk': 817837, 'no announcement': 563618, 'announcement have': 77159, 'or institution': 615809, 'to declare': 904003, 'declare pandemic': 231200, 'but given': 145794, 'rising budget': 723172, 'budget deficit': 141773, 'some gcc': 782941, 'gcc country': 344818, 'country amid': 210426, 'amid weaker': 52756, 'weaker oil': 974111, 'and slowing': 71756, 'slowing economy': 774539, 'economy due': 267819, 'crisis sukuk': 218115, 'sukuk activity': 817838, 'activity is': 30450, 'third quarter': 886098, 'no announcement have': 563619, 'announcement have been': 77160, 'have been made': 379604, 'been made by': 121508, 'made by government': 507669, 'by government or': 152714, 'government or institution': 360427, 'or institution to': 615810, 'institution to declare': 440476, 'to declare pandemic': 904009, 'declare pandemic but': 231201, 'pandemic but given': 635044, 'but given the': 145795, 'given the rising': 351151, 'the rising budget': 865866, 'rising budget deficit': 723173, 'budget deficit of': 141776, 'deficit of some': 232253, 'of some gcc': 589897, 'some gcc country': 782942, 'gcc country amid': 344819, 'country amid weaker': 210428, 'amid weaker oil': 52757, 'weaker oil price': 974112, 'price and slowing': 672540, 'and slowing economy': 71758, 'slowing economy due': 774540, 'economy due to': 267820, '19 crisis sukuk': 6330, 'crisis sukuk activity': 218116, 'sukuk activity is': 817840, 'activity is expected': 30451, 'to increase in': 908284, 'in the third': 429603, 'the third quarter': 869480, 'curtailed': 221785, 'nephew': 557415, 'it criminal': 457406, 'criminal that': 216884, 'she still': 756357, 've curtailed': 953023, 'curtailed store': 221788, 'store hr': 808229, 'hr to': 409669, '11 am': 2485, 'am pm': 50311, 'pm but': 661870, 'essential place': 281394, 'note my': 572755, 'my nephew': 549448, 'nephew is': 557418, 'fine though': 307706, 'though he': 892821, 'he need': 385243, 'inhaler no': 438439, 'no covid': 563920, 'sister work in': 771805, 'retail and find': 717819, 'and find it': 62887, 'find it criminal': 306986, 'it criminal that': 457410, 'criminal that she': 216885, 'that she still': 846243, 'she still ha': 756358, 'still ha to': 800621, 'work they ve': 1005845, 'they ve curtailed': 883643, 've curtailed store': 953024, 'curtailed store hr': 221789, 'store hr to': 808231, 'hr to be': 409670, 'be from 11': 114965, 'from 11 am': 334174, '11 am pm': 2486, 'am pm but': 50313, 'pm but it': 661871, 'it not an': 459858, 'not an essential': 568195, 'an essential place': 55828, 'essential place on': 281395, 'place on more': 657617, 'on more positive': 602211, 'more positive note': 540100, 'positive note my': 665382, 'note my nephew': 572756, 'my nephew is': 549449, 'nephew is fine': 557420, 'is fine though': 447816, 'fine though he': 307707, 'though he need': 892822, 'he need an': 385244, 'need an inhaler': 554407, 'an inhaler no': 56335, 'inhaler no covid': 438440, 'no covid 19': 563921, 'won run': 1003893, 'paper during': 640112, 'how you won': 409293, 'you won run': 1022403, 'won run out': 1003894, 'toilet paper during': 921263, 'proliferation': 683606, 'before in': 122863, 'in previous': 426938, 'previous epidemic': 671971, 'and pandemic': 68638, 'fear racism': 301300, 'racism panic': 695290, 'medicine conspiracy': 526752, 'theory the': 877866, 'the proliferation': 864653, 'proliferation of': 683607, 'of quack': 588638, 'quack cure': 691634, 'everything we re': 288095, 'seeing in the': 746338, 'outbreak ha been': 628264, 'ha been seen': 369913, 'been seen before': 121897, 'seen before in': 746967, 'before in previous': 122866, 'in previous epidemic': 426939, 'previous epidemic and': 671973, 'epidemic and pandemic': 279337, 'and pandemic the': 68640, 'pandemic the rise': 636698, 'rise of fear': 722947, 'of fear racism': 583460, 'fear racism panic': 301301, 'racism panic buying': 695291, 'food and medicine': 313283, 'and medicine conspiracy': 66904, 'medicine conspiracy theory': 526753, 'conspiracy theory the': 195585, 'theory the proliferation': 877867, 'the proliferation of': 864654, 'proliferation of quack': 683608, 'of quack cure': 588639, 'workingthefrontlines': 1009138, 'country need': 210917, 'to band': 901025, 'band together': 109360, 'tip grocery': 898809, 'worker massive': 1007358, 'money workingthefrontlines': 537189, 'workingthefrontlines stayhomechallenge': 1009139, 'stayhomechallenge stayhome': 798283, 'stayhome quarantinelife': 798078, 'quarantinelife grocerystores': 692953, 'this country need': 886962, 'country need to': 210919, 'need to band': 555866, 'to band together': 901026, 'band together and': 109361, 'together and tip': 920707, 'and tip grocery': 74133, 'tip grocery store': 898810, 'store worker massive': 811542, 'worker massive amount': 1007359, 'amount of money': 53237, 'of money workingthefrontlines': 586623, 'money workingthefrontlines stayhomechallenge': 537190, 'workingthefrontlines stayhomechallenge stayhome': 1009140, 'stayhomechallenge stayhome quarantinelife': 798284, 'stayhome quarantinelife grocerystores': 798079, 'help do': 389593, 'help do your': 389597, 'your part to': 1025216, 'ornatejewels': 619651, 'jewellery': 465378, 'sanitizer bad': 734543, 'your jewelry': 1024519, 'jewelry if': 465391, 'here video': 393770, 'hygiene and': 412046, 'safe without': 730156, 'without damaging': 1002576, 'damaging your': 225281, 'jewelry ornatejewels': 465397, 'ornatejewels jewellery': 619652, 'jewellery sanitizer': 465381, 'hygiene staysafe': 412173, 'staysafe damage': 798800, 'damage pandemic': 225211, 'pandemic lockdown21': 635906, 'lockdown21 inthistogether': 500210, 'hand sanitizer bad': 375319, 'sanitizer bad for': 734544, 'bad for your': 107868, 'for your jewelry': 328169, 'your jewelry if': 1024520, 'jewelry if so': 465392, 'if so here': 414826, 'so here video': 777301, 'here video on': 393771, 'video on what': 956849, 'on what you': 605250, 'can do right': 158116, 'to practice good': 911955, 'practice good hygiene': 668574, 'good hygiene and': 357195, 'hygiene and stay': 412051, 'stay safe without': 797301, 'safe without damaging': 730157, 'without damaging your': 1002578, 'damaging your jewelry': 225282, 'your jewelry ornatejewels': 1024521, 'jewelry ornatejewels jewellery': 465398, 'ornatejewels jewellery sanitizer': 619653, 'jewellery sanitizer hygiene': 465382, 'sanitizer hygiene staysafe': 735110, 'hygiene staysafe damage': 412174, 'staysafe damage pandemic': 798801, 'damage pandemic lockdown21': 225212, 'pandemic lockdown21 inthistogether': 635907, 'savoury': 738012, 'try our': 934533, 'our savoury': 624678, 'savoury slice': 738013, 'slice base': 773861, 'base but': 111438, 'but mix': 146401, 'mix amp': 534582, 'amp match': 54117, 'match any': 520283, 'any fresh': 79250, 'fresh frozen': 332992, 'frozen veggie': 339031, 'veggie you': 954230, 'find time': 307338, 'tough but': 926801, 'creative in': 216144, 'our pantry': 624246, 'pantry during': 639564, 'struggling to find': 814503, 'find food at': 306903, 'the supermarket why': 868907, 'supermarket why not': 823871, 'why not try': 991238, 'not try our': 572293, 'try our savoury': 934539, 'our savoury slice': 624679, 'savoury slice base': 738014, 'slice base but': 773862, 'base but mix': 111439, 'but mix amp': 146402, 'mix amp match': 534583, 'amp match any': 54118, 'match any fresh': 520284, 'any fresh frozen': 79252, 'fresh frozen veggie': 332993, 'frozen veggie you': 339033, 'veggie you can': 954231, 'can find time': 158342, 'find time are': 307339, 'are tough but': 91168, 'tough but that': 926802, 'can be creative': 157605, 'be creative in': 114288, 'creative in our': 216146, 'in our pantry': 426327, 'our pantry during': 624248, 'pantry during 19': 639565, 'are ill': 87301, 'ill struggling': 416174, 'just different': 468595, 'other back': 619864, 'back pandemic': 107221, 'who are ill': 988157, 'are ill struggling': 87303, 'ill struggling or': 416175, 'struggling or just': 814471, 'or just different': 615878, 'just different than': 468597, 'different than you': 242089, 'than you in': 841491, 'you in order': 1019311, 'order for america': 618223, 'pandemic we all': 636930, 'to have each': 907235, 'each other back': 264157, 'other back pandemic': 619866, 'notion': 573580, 'scammer already': 740521, 'already exploiting': 47330, 'exploiting notion': 292435, 'notion of': 573581, 'government relief': 360528, 'payment via': 645777, 'scammer already exploiting': 740522, 'already exploiting notion': 47331, 'exploiting notion of': 292436, 'notion of government': 573582, 'of government relief': 584277, 'government relief payment': 360530, 'relief payment via': 709431, 'up wear': 946550, 'mask wash': 519500, 'frequently but': 332847, 'important pls': 418926, 'pls stay': 661180, '19 socialdistancingnow': 10683, 'prayer go up': 669064, 'go up wear': 354445, 'up wear your': 946551, 'your mask wash': 1024791, 'mask wash your': 519501, 'hand with hand': 376008, 'hand sanitizer frequently': 375413, 'sanitizer frequently but': 734938, 'frequently but most': 332848, 'but most important': 146415, 'most important pls': 542410, 'important pls stay': 418927, 'pls stay at': 661181, 'home 19 socialdistancingnow': 400536, 'worker seem': 1007753, 'be hoping': 115300, 'this bullshit': 886622, 'store worker seem': 811579, 'worker seem to': 1007754, 'to be hoping': 901314, 'be hoping for': 115301, 'hoping for covid': 403923, '19 so they': 10654, 'have to deal': 383189, 'deal with all': 229533, 'all this bullshit': 45095, 'texas response': 839816, 'law is': 482317, 'more regulation': 540207, 'regulation but': 708061, 'rather more': 697484, 'more freedom': 539285, 'freedom restaurant': 332383, 'now deliver': 574505, 'deliver alcohol': 233083, 'home along': 400592, 'governor waived': 361022, 'waived the': 964545, 'the regulation': 865450, 'regulation today': 708125, 'today big': 919317, 'big idea': 129827, 'to relieve': 913144, 'relieve demand': 709526, 'for bar': 319578, 'bar and': 110667, 'texas response to': 839817, 'to the law': 916838, 'the law is': 859186, 'law is not': 482321, 'is not more': 450133, 'not more regulation': 570600, 'more regulation but': 540208, 'regulation but rather': 708062, 'but rather more': 146886, 'rather more freedom': 697485, 'more freedom restaurant': 539286, 'freedom restaurant can': 332384, 'restaurant can now': 716356, 'can now deliver': 159059, 'now deliver alcohol': 574506, 'deliver alcohol to': 233084, 'alcohol to home': 41151, 'to home along': 907924, 'home along with': 400593, 'along with food': 47054, 'with food the': 998511, 'food the governor': 317116, 'the governor waived': 856649, 'governor waived the': 361023, 'waived the regulation': 964546, 'the regulation today': 865453, 'regulation today big': 708126, 'today big idea': 919318, 'big idea to': 129828, 'idea to relieve': 413206, 'to relieve demand': 913145, 'relieve demand for': 709527, 'demand for bar': 235382, 'for bar and': 319579, 'bar and restaurant': 110671, 'and restaurant in': 70383, 'restaurant in texas': 716526, 'hyperbolic': 412298, 'stockist': 803634, 'the hyperbolic': 857791, 'hyperbolic hysteria': 412299, 'hysteria is': 412452, 'exactly right': 288747, 'right this': 722321, 'grocery stockist': 365161, 'stockist are': 803635, 'crisis wouldn': 218452, 'if laid': 414367, 'employee could': 273737, 'be hired': 115260, 'hired to': 397048, 'the hyperbolic hysteria': 857792, 'hyperbolic hysteria is': 412300, 'hysteria is exactly': 412453, 'is exactly right': 447624, 'exactly right this': 288748, 'right this time': 722322, 'this time grocery': 890641, 'time grocery stockist': 896867, 'grocery stockist are': 365162, 'stockist are unsung': 803637, 'this crisis wouldn': 887113, 'crisis wouldn it': 218453, 'great if laid': 362740, 'if laid off': 414368, 'laid off service': 479031, 'off service employee': 594142, 'service employee could': 752326, 'employee could be': 273738, 'could be hired': 208879, 'be hired to': 115261, 'hired to help': 397049, 'to help stock': 907636, 'help stock the': 390581, 'stock the store': 802943, 'umkc': 939236, 'kc': 471190, 'with shelter': 1000673, 'place order': 657631, 'order our': 618495, 'struggling if': 814452, 'entrepreneur the': 278957, 'the umkc': 870325, 'umkc innovation': 939237, 'innovation center': 438857, 'center ha': 169220, 'ha hotline': 370886, 'hotline survey': 405261, 'survey and': 828810, 're consumer': 698454, 'consumer here': 197749, 'business strong': 144429, 'strong kc': 814061, 'kc economy': 471191, 'economy going': 267901, 'with shelter in': 1000674, 'in place order': 426754, 'place order our': 657642, 'order our small': 618497, 'small business are': 774838, 'business are struggling': 143390, 'are struggling if': 90588, 'struggling if you': 814453, 're an entrepreneur': 698286, 'an entrepreneur the': 55782, 'entrepreneur the umkc': 278958, 'the umkc innovation': 870326, 'umkc innovation center': 939238, 'innovation center ha': 438858, 'center ha hotline': 169222, 'ha hotline survey': 370887, 'hotline survey and': 405262, 'survey and resource': 828814, 'and resource to': 70328, 'you re consumer': 1020594, 're consumer here': 698457, 'consumer here how': 197750, 'how to keep': 409036, 'keep our small': 471750, 'small business strong': 774895, 'business strong kc': 144430, 'strong kc economy': 814062, 'kc economy going': 471192, 'essentialgoods': 281891, 'sat outside': 736909, 'it ridiculous': 460770, 'ridiculous what': 721638, 'people class': 647471, 'class essential': 180180, 'shopping so': 763922, 'far seen': 298916, 'seen garden': 747028, 'garden seat': 343619, 'seat stand': 743518, 'stand light': 793543, 'light tv': 489617, 'item stayhomesavelives': 463659, 'stayhomesavelives essentialgoods': 798380, 'sat outside supermarket': 736911, 'outside supermarket and': 629565, 'and it ridiculous': 65579, 'it ridiculous what': 460774, 'ridiculous what people': 721640, 'what people class': 982009, 'people class essential': 647472, 'class essential shopping': 180181, 'essential shopping so': 281557, 'shopping so far': 763925, 'so far seen': 777057, 'far seen garden': 298917, 'seen garden seat': 747029, 'garden seat stand': 343620, 'seat stand light': 743519, 'stand light tv': 793544, 'light tv and': 489618, 'tv and other': 936086, 'other item stayhomesavelives': 620450, 'item stayhomesavelives essentialgoods': 463660, 'cowboy': 214474, 'looking like': 502949, 'like cross': 490077, 'cross between': 218986, 'between gang': 128785, 'gang member': 343405, 'member and': 528004, 'and cowboy': 60668, 'cowboy from': 214475, 'old west': 598529, 'west then': 980542, 'that half': 844161, 'how your': 409294, 'store looking like': 808829, 'looking like cross': 502955, 'like cross between': 490078, 'cross between gang': 218987, 'between gang member': 128786, 'gang member and': 343406, 'member and cowboy': 528007, 'and cowboy from': 60669, 'cowboy from the': 214476, 'from the old': 337813, 'the old west': 862146, 'old west then': 598530, 'west then had': 980543, 'had to wait': 373739, 'to wait in': 918265, 'store only to': 809248, 'only to find': 611360, 'find that half': 307268, 'that half the': 844163, 'half the stuff': 374278, 'the stuff wa': 868335, 'stuff wa looking': 815239, 'looking for they': 502910, 'for they were': 326990, 'they were sold': 883803, 'out of so': 626829, 'of so how': 589809, 'so how your': 777346, 'how your day': 409300, 'your day going': 1023467, 'youcantseeme': 1022518, 'new easter': 558659, 'basket idea': 112352, 'idea this': 413192, 'year quarantinelife': 1014919, 'quarantinelife quarantine': 692987, 'quarantine youcantseeme': 692721, 'youcantseeme toiletpaper': 1022519, 'toiletpapercrisis toiletpaperchallenge': 923094, 'toiletpaperchallenge toiletpaperapocalypse': 922984, 'new easter basket': 558660, 'easter basket idea': 265389, 'basket idea this': 112353, 'idea this year': 413195, 'this year quarantinelife': 891589, 'year quarantinelife quarantine': 1014920, 'quarantinelife quarantine youcantseeme': 692991, 'quarantine youcantseeme toiletpaper': 692722, 'youcantseeme toiletpaper toiletpapercrisis': 1022520, 'toiletpaper toiletpapercrisis toiletpaperchallenge': 922669, 'toiletpapercrisis toiletpaperchallenge toiletpaperapocalypse': 923095, 'condone': 193627, 'not condone': 568824, 'condone people': 193630, 'people profiteering': 649194, 'profiteering but': 683014, 'people paying': 649086, 'paying such': 645488, 'such stupid': 816777, 'be ripped': 116894, 'do not condone': 249703, 'not condone people': 568826, 'condone people profiteering': 193631, 'people profiteering but': 649195, 'profiteering but why': 683015, 'but why are': 147857, 'are people paying': 89045, 'people paying such': 649087, 'paying such stupid': 645489, 'such stupid price': 816778, 'stupid price if': 815445, 'not pay you': 570984, 'pay you cannot': 645246, 'you cannot be': 1017846, 'cannot be ripped': 161645, 'be ripped off': 116895, 'whr': 990701, 'override': 631435, 'twitterchat': 936747, 'publicrelations': 688615, 'my 4th': 547161, '4th one': 19531, 'there list': 878710, 'of exceptional': 583284, 'exceptional scenario': 289301, 'scenario whr': 741297, 'whr ur': 990702, 'ur company': 947990, 'company override': 190948, 'override the': 631438, 'the brand': 849937, 'communication guideline': 189597, 'guideline what': 368502, 'these scenario': 880634, 'scenario husain': 741259, 'ray twitterchat': 698035, 'twitterchat publicrelations': 936748, 'here my 4th': 393360, 'my 4th one': 547162, '4th one is': 19532, 'one is there': 606529, 'is there list': 453016, 'there list of': 878712, 'list of exceptional': 494431, 'of exceptional scenario': 583286, 'exceptional scenario whr': 289302, 'scenario whr ur': 741298, 'whr ur company': 990703, 'ur company override': 947991, 'company override the': 190949, 'override the brand': 631440, 'the brand communication': 849938, 'brand communication guideline': 137803, 'communication guideline what': 189598, 'guideline what are': 368503, 'what are these': 981069, 'are these scenario': 90979, 'these scenario husain': 880635, 'scenario husain ray': 741260, 'husain ray twitterchat': 411663, 'ray twitterchat publicrelations': 698036, 'greenstimulus': 363763, 'action today': 30180, 'today demand': 919435, 'demand greenstimulus': 235586, 'greenstimulus for': 363764, 'to healthy': 907392, 'take action today': 831904, 'action today demand': 30181, 'today demand greenstimulus': 919436, 'demand greenstimulus for': 235587, 'greenstimulus for the': 363765, 'right to healthy': 722342, 'to healthy food': 907394, 'healthy food during': 387629, 'the 19 epidemic': 847916, '19 epidemic and': 6802, 'epidemic and beyond': 279334, 'defcon': 232033, 'grew': 363846, 'flushing': 311583, 'septic': 751165, 'biohazardous': 131222, 'receptacle': 704182, 'defcon we': 232034, 'last packet': 480436, 'toiletpaper paper': 922314, 'towel thankfully': 927383, 'thankfully grew': 841948, 'grew up': 363861, 'in venezuela': 430550, 'venezuela not': 954451, 'not flushing': 569457, 'flushing used': 311594, 'used toilet': 950106, 'paper septic': 640743, 'septic tank': 751168, 'tank could': 834199, 'keeping potentially': 472525, 'potentially biohazardous': 667190, 'biohazardous receptacle': 131223, 'receptacle of': 704183, 'of used': 592706, 'used tp': 950114, 'tp next': 927874, 'toilet stayhome': 921627, 'defcon we are': 232035, 'we are down': 970534, 'are down to': 85983, 'down to our': 257375, 'to our last': 911199, 'our last packet': 623646, 'last packet of': 480437, 'packet of toiletpaper': 633714, 'of toiletpaper paper': 592275, 'toiletpaper paper towel': 922319, 'paper towel thankfully': 641014, 'towel thankfully grew': 927384, 'thankfully grew up': 841949, 'grew up in': 363862, 'up in venezuela': 945192, 'in venezuela not': 430551, 'venezuela not flushing': 954452, 'not flushing used': 569458, 'flushing used toilet': 311595, 'used toilet paper': 950107, 'toilet paper septic': 921442, 'paper septic tank': 640744, 'septic tank could': 751169, 'tank could not': 834200, 'could not take': 209461, 'not take it': 571902, 'take it keeping': 832248, 'it keeping potentially': 459269, 'keeping potentially biohazardous': 472526, 'potentially biohazardous receptacle': 667191, 'biohazardous receptacle of': 131224, 'receptacle of used': 704184, 'of used tp': 592707, 'used tp next': 950115, 'tp next to': 927875, 'to the toilet': 917134, 'the toilet stayhome': 869713, 'appalachian': 81811, 'appalachian college': 81812, 'college of': 186633, 'pharmacy produce': 654427, 'sanitizer need': 735398, 'need community': 554616, 'community partner': 190032, 'appalachian college of': 81813, 'college of pharmacy': 186634, 'of pharmacy produce': 588090, 'pharmacy produce hand': 654428, 'hand sanitizer need': 375499, 'sanitizer need community': 735399, 'need community partner': 554617, 'better time': 128555, 'lockdown on': 499730, 'demand tv': 236422, 'tv social': 936194, 'medium skype': 527284, 'skype facetime': 773259, 'facetime etc': 295213, 'etc food': 282538, 'delivery etc': 233977, 'come week': 187660, 'week into': 976402, 'our lockdown': 623797, 'lockdown it': 499566, 'fine just': 307655, 'never been better': 557888, 'been better time': 120741, 'better time to': 128556, 'under lockdown on': 940151, 'lockdown on demand': 499731, 'on demand tv': 600291, 'demand tv social': 236423, 'tv social medium': 936195, 'social medium skype': 779882, 'medium skype facetime': 527285, 'skype facetime etc': 773260, 'facetime etc food': 295214, 'etc food delivery': 282539, 'food delivery etc': 314123, 'delivery etc this': 233979, 'etc this come': 282822, 'this come week': 886808, 'come week into': 187661, 'week into our': 976404, 'into our lockdown': 442820, 'our lockdown it': 623798, 'lockdown it fine': 499568, 'it fine just': 458009, 'fine just stay': 307656, 'just stay at': 469885, 'at home coronacrisis': 98960, 'kicked': 473804, 'video asian': 956621, 'asian woman': 95377, 'woman kicked': 1003543, 'kicked out': 473816, 'in ghana': 423300, 'ghana for': 349566, 'for refusing': 325067, 'video asian woman': 956622, 'asian woman kicked': 95378, 'woman kicked out': 1003544, 'kicked out of': 473818, 'supermarket in ghana': 820904, 'in ghana for': 423301, 'ghana for refusing': 349567, 'for refusing to': 325069, 'now control': 574441, 'control how': 202019, 'spain now control': 787330, 'now control how': 574442, 'control how many': 202021, 'people can enter': 647389, 'can enter grocery': 158236, 'store at one': 806589, 'at one time': 99973, 'some cabbage': 782466, 'carolina not': 164848, 'see post': 745592, 'about amazing': 24785, 'go get some': 353614, 'get some cabbage': 348045, 'some cabbage and': 782467, 'how can grocery': 407501, 'store in north': 808354, 'in north carolina': 425942, 'north carolina not': 567635, 'carolina not have': 164849, 'better see post': 128457, 'see post about': 745593, 'post about amazing': 665974, 'about amazing meal': 24786, 'end soon': 275958, 'soon my': 785774, 'account is': 28707, 'gonna suffer': 356627, 'suffer from': 817205, 'from balance': 334627, 'balance with': 109000, 'shopping ve': 764309, '19 doesn end': 6611, 'doesn end soon': 251767, 'end soon my': 275961, 'soon my bank': 785775, 'bank account is': 109553, 'account is gonna': 28708, 'is gonna suffer': 448134, 'gonna suffer from': 356628, 'suffer from balance': 817206, 'from balance with': 334628, 'balance with all': 109001, 'all the quarantine': 44877, 'the quarantine online': 864970, 'online shopping ve': 609328, 'shopping ve been': 764310, 've been doing': 952879, 'test my': 839094, 'girlfriend ha': 350312, 'literally every': 494980, 'every symptom': 286277, 'symptom ha': 830850, 'been around': 120675, 'from out': 336807, 'been refused': 121803, 'refused test': 707063, 'she hasn': 756111, 'hasn traveled': 378796, 'traveled out': 930603, 'state this': 796001, 'ridiculous and': 721514, 'and dangerous': 60942, 'dangerous work': 225803, 'are the covid': 90814, '19 test my': 11078, 'test my girlfriend': 839096, 'my girlfriend ha': 548503, 'girlfriend ha literally': 350313, 'ha literally every': 371163, 'literally every symptom': 494985, 'every symptom ha': 286278, 'symptom ha been': 830851, 'ha been around': 369721, 'been around people': 120679, 'around people from': 93453, 'people from out': 647999, 'from out of': 336808, 'out of state': 626838, 'of state and': 590064, 'ha been refused': 369894, 'been refused test': 121804, 'refused test because': 707064, 'test because she': 838940, 'because she hasn': 119548, 'she hasn traveled': 756113, 'hasn traveled out': 378797, 'traveled out of': 930604, 'of state this': 590073, 'state this is': 796003, 'this is ridiculous': 888384, 'is ridiculous and': 451515, 'ridiculous and dangerous': 721515, 'and dangerous work': 60945, 'dangerous work at': 225804, 'store and cannot': 806213, 'cannot get tested': 161907, 'to stopping': 915596, 'stopping this': 805835, 'this insanity': 888126, 'of reselling': 588966, 'reselling much': 713994, 'needed product': 556466, 'price chinesevirus': 673132, 'happened to stopping': 377283, 'to stopping this': 915599, 'stopping this insanity': 805836, 'this insanity of': 888128, 'insanity of reselling': 439106, 'of reselling much': 588967, 'reselling much needed': 713995, 'much needed product': 545163, 'needed product for': 556469, 'product for inflated': 681200, 'inflated price chinesevirus': 437032, 'tho authority': 891673, 'authority advised': 103680, 'advised against': 33615, 'against crowding': 37409, 'crowding people': 219404, 'people flooded': 647933, 'flooded supermarket': 310734, 'amp bakery': 53426, 'bakery price': 108873, 'increased bit': 433214, 'bit yet': 131734, 'yet they': 1016269, 'still arent': 800210, 'arent taking': 92630, 'seriously or': 751687, 'or taking': 617330, 'taking enough': 833344, 'enough preventive': 277577, 'measure despite': 525177, 'despite finding': 238741, 'finding case': 307444, 'even tho authority': 284693, 'tho authority advised': 891674, 'authority advised against': 103681, 'advised against crowding': 33616, 'against crowding people': 37410, 'crowding people flooded': 219405, 'people flooded supermarket': 647934, 'flooded supermarket amp': 310735, 'supermarket amp bakery': 818908, 'amp bakery price': 53427, 'bakery price increased': 108874, 'price increased bit': 674798, 'increased bit yet': 433215, 'bit yet they': 131735, 'yet they still': 1016278, 'they still arent': 883459, 'still arent taking': 800211, 'arent taking this': 92631, 'this seriously or': 890042, 'seriously or taking': 751688, 'or taking enough': 617331, 'taking enough preventive': 833345, 'enough preventive measure': 277578, 'preventive measure despite': 671921, 'measure despite finding': 525178, 'despite finding case': 238742, 'finding case in': 307445, 'breaking confirmed': 138933, 'case pas': 165950, 'pas 200': 643075, '200 00': 13437, 'died eu': 241539, 'eu country': 283217, 'begun turning': 123742, 'turning away': 935907, 'away traveller': 106082, 'traveller from': 930672, 'from outside': 336809, 'the bloc': 849767, 'bloc share': 132760, 'asia stimulus': 95227, 'package fail': 633270, 'reassure market': 703192, 'breaking confirmed case': 138934, 'confirmed case pas': 194144, 'case pas 200': 165951, 'pas 200 00': 643076, '200 00 more': 13441, '00 more than': 347, 'have died eu': 380266, 'died eu country': 241540, 'eu country have': 283220, 'country have begun': 210735, 'have begun turning': 379761, 'begun turning away': 123743, 'turning away traveller': 935908, 'away traveller from': 106083, 'traveller from outside': 930673, 'from outside the': 336811, 'outside the bloc': 629586, 'the bloc share': 849768, 'bloc share price': 132761, 'share price fall': 755171, 'price fall in': 673786, 'fall in europe': 296948, 'and asia stimulus': 58423, 'asia stimulus package': 95228, 'stimulus package fail': 801580, 'package fail to': 633271, 'fail to reassure': 296112, 'to reassure market': 912891, 'andrex': 76211, '9pcs': 24001, 'contained': 200516, 'benefitting from': 127180, 'on scarce': 603333, 'scarce product': 740805, 'like andrex': 489794, 'andrex 9pcs': 76212, '9pcs bog': 24002, 'roll imagine': 725338, 'imagine their': 416806, 'their profit': 874485, 'profit recently': 682847, 'recently now': 704125, 'now 75': 573914, '75 boycott': 22119, 'boycott tesco': 137340, 'tesco now': 838760, 'now after': 573949, 'is contained': 446804, 'benefitting from by': 127181, 'from by inflating': 334785, 'by inflating price': 152921, 'inflating price on': 437121, 'price on scarce': 675714, 'on scarce product': 603334, 'scarce product like': 740806, 'product like andrex': 681358, 'like andrex 9pcs': 489795, 'andrex 9pcs bog': 76213, '9pcs bog roll': 24003, 'bog roll imagine': 133954, 'roll imagine their': 725339, 'imagine their profit': 416807, 'their profit recently': 874490, 'profit recently now': 682848, 'recently now 75': 704126, 'now 75 boycott': 573915, '75 boycott tesco': 22120, 'boycott tesco now': 137341, 'tesco now after': 838761, 'now after is': 573953, 'after is contained': 35829, 'covin18': 214430, 'restaurant strategy': 716719, 'strategy during': 812639, 'outbreak think': 628744, 'google food': 358146, 'restaurant covin18': 716406, 'restaurant strategy during': 716720, 'strategy during coronavirus': 812640, 'coronavirus outbreak think': 206416, 'outbreak think with': 628745, 'with google food': 998648, 'google food restaurant': 358147, 'food restaurant covin18': 316193, 'yest': 1015630, '197': 12413, '4577': 19181, 'evacuee': 283699, 'waf': 963782, 'carting': 165477, 'amp update': 54764, 'update total': 947275, 'total case': 926139, 'case 15': 165579, '15 53': 3658, '53 arrest': 20291, 'arrest yest': 93793, 'yest 18': 1015631, '18 curfew': 4526, 'curfew 33': 220856, '33 social': 17769, 'gathering lockdown': 344483, 'lockdown 197': 499093, '197 evacuation': 12414, 'evacuation centre': 283693, 'centre with': 169566, 'with 4577': 997022, '4577 evacuee': 19182, 'evacuee around': 283700, 'around fiji': 93281, 'fiji waf': 305292, 'waf carting': 963783, 'carting water': 165478, 'to affected': 900150, 'affected area': 34289, 'area fruit': 92020, 'fruit amp': 339053, 'amp veggie': 54776, 'veggie price': 954205, '25 covid': 15856, '19 curfew': 6388, 'curfew still': 220932, 'amp update total': 54765, 'update total case': 947276, 'total case 15': 926140, 'case 15 53': 165580, '15 53 arrest': 3659, '53 arrest yest': 20292, 'arrest yest 18': 93794, 'yest 18 curfew': 1015632, '18 curfew 33': 4527, 'curfew 33 social': 220857, '33 social gathering': 17770, 'social gathering lockdown': 779793, 'gathering lockdown 197': 344484, 'lockdown 197 evacuation': 499094, '197 evacuation centre': 12415, 'evacuation centre with': 283694, 'centre with 4577': 169567, 'with 4577 evacuee': 997023, '4577 evacuee around': 19183, 'evacuee around fiji': 283701, 'around fiji waf': 93282, 'fiji waf carting': 305293, 'waf carting water': 963784, 'carting water to': 165479, 'water to affected': 969214, 'to affected area': 900151, 'affected area fruit': 34291, 'area fruit amp': 92021, 'fruit amp veggie': 339056, 'amp veggie price': 54778, 'veggie price by': 954207, 'by 25 covid': 151606, '25 covid 19': 15857, 'covid 19 curfew': 212899, '19 curfew still': 6391, 'curfew still in': 220933, 'still in place': 800744, 'comfortfood': 187898, 'they meant': 882672, 'meant by': 524879, 'by comfort': 152153, 'comfort food': 187834, 'demand selfisolation': 236185, 'selfisolation comfortfood': 748441, 'comfortfood toronto': 187899, 'this what they': 891349, 'what they meant': 982408, 'they meant by': 882673, 'meant by comfort': 524880, 'by comfort food': 152154, 'comfort food is': 187838, 'food is in': 315132, 'high demand selfisolation': 395029, 'demand selfisolation comfortfood': 236186, 'selfisolation comfortfood toronto': 748442, 'sketchlife': 772909, 'pencil': 646459, 'sketchwork': 772913, 'sketchart': 772899, 'charcoaldrawing': 173175, 'graphite': 362178, 'sketchaday': 772896, 'sketchoftheday': 772912, 'drawing on': 258520, 'mask sketchlife': 519276, 'sketchlife drawing': 772910, 'drawing pencil': 258522, 'pencil sketchwork': 646460, 'sketchwork sketchart': 772914, 'sketchart sketch': 772900, 'sketch charcoaldrawing': 772875, 'charcoaldrawing graphite': 173176, 'graphite sketchbook': 362183, 'sketchbook sketchaday': 772903, 'sketchaday mask': 772897, 'sanitizer handwashing': 735044, 'handwashing lockdown': 376845, 'stayhome sketchoftheday': 798110, 'drawing on covid': 258521, 'pandemic the man': 636688, 'the man with': 859987, 'man with the': 512357, 'with the mask': 1001383, 'the mask sketchlife': 860227, 'mask sketchlife drawing': 519277, 'sketchlife drawing pencil': 772911, 'drawing pencil sketchwork': 258523, 'pencil sketchwork sketchart': 646461, 'sketchwork sketchart sketch': 772915, 'sketchart sketch charcoaldrawing': 772901, 'sketch charcoaldrawing graphite': 772876, 'charcoaldrawing graphite sketchbook': 173177, 'graphite sketchbook sketchaday': 362184, 'sketchbook sketchaday mask': 772904, 'sketchaday mask sanitizer': 772898, 'mask sanitizer handwashing': 519223, 'sanitizer handwashing lockdown': 735046, 'handwashing lockdown stayhome': 376846, 'lockdown stayhome sketchoftheday': 499956, 'notifies': 573553, '19 government': 7260, 'government notifies': 360388, 'notifies price': 573554, 'sanitizers under': 736432, 'under essential': 940073, 'commodity act': 189111, 'covid 19 government': 213157, '19 government notifies': 7262, 'government notifies price': 360389, 'notifies price of': 573555, 'hand sanitizers under': 375727, 'sanitizers under essential': 736433, 'under essential commodity': 940075, 'essential commodity act': 280909, 'work via': 1005970, '19 work via': 12174, 'dlx': 248861, 'tunaweza': 935391, 'uchumi': 937883, 'hasa': 378683, 'utalii': 951214, 'dlx with': 248862, 'these falling': 879994, 'price je': 674943, 'je tunaweza': 464944, 'tunaweza survive': 935392, 'survive expense': 829162, 'expense due': 291186, 'month covid': 537662, 'will hurt': 993763, 'hurt uchumi': 411624, 'uchumi hasa': 937884, 'hasa utalii': 378684, 'dlx with these': 248863, 'with these falling': 1001638, 'these falling oil': 879995, 'oil price je': 597174, 'price je tunaweza': 674944, 'je tunaweza survive': 464945, 'tunaweza survive expense': 935393, 'survive expense due': 829163, 'expense due to': 291187, 'to the fact': 916690, 'fact that next': 295805, 'that next month': 845337, 'next month covid': 561452, 'month covid 19': 537663, '19 will hurt': 12095, 'will hurt uchumi': 993767, 'hurt uchumi hasa': 411625, 'uchumi hasa utalii': 937885, 'the bcg': 849368, 'bcg on': 113335, 'from the bcg': 337613, 'the bcg on': 849369, 'bcg on consumer': 113336, 'on consumer reaction': 600070, 'reaction to covid': 700215, 'sir retail': 771640, 'worker facing': 1006898, 'facing lot': 295532, 'challenge reach': 171538, 'reach da': 699904, 'da store': 224242, 'day neither': 228011, 'neither supporting': 557347, 'supporting nor': 827158, 'nor taking': 566980, 'taking strong': 833582, 'strong call': 813990, 'shop why': 761047, 'we ar': 970460, 'odisha sir retail': 579250, 'sir retail shop': 771641, 'retail shop worker': 718557, 'shop worker facing': 761085, 'worker facing lot': 1006899, 'facing lot of': 295533, 'lot of challenge': 504153, 'of challenge reach': 581263, 'challenge reach da': 171539, 'reach da store': 699905, 'da store every': 224243, 'every day neither': 285831, 'day neither supporting': 228013, 'neither supporting nor': 557348, 'supporting nor taking': 827159, 'nor taking strong': 566981, 'taking strong call': 833583, 'strong call to': 813991, 'call to close': 156168, 'the retail shop': 865729, 'retail shop why': 718555, 'shop why we': 761048, 'why we do': 991521, 'have family we': 380585, 'family we ar': 298359, 'wnycosh': 1003302, 'worker wnycosh': 1008273, 'wnycosh guide': 1003303, 'for cashier': 319951, 'establishment during': 282054, 'help protect grocery': 390370, 'protect grocery worker': 684851, 'grocery worker wnycosh': 366197, 'worker wnycosh guide': 1008274, 'wnycosh guide for': 1003304, 'guide for cashier': 368322, 'for cashier in': 319953, 'in retail establishment': 427453, 'retail establishment during': 718097, 'establishment during the': 282055, 'bridgend': 139633, 'staff in': 792544, 'in bridgend': 420970, 'bridgend and': 139634, 'uk it': 938489, 'this from': 887625, 'from even': 335313, 'even bigger': 283891, 'bigger company': 130151, 'news for staff': 560442, 'for staff in': 325852, 'staff in bridgend': 792547, 'in bridgend and': 420971, 'bridgend and across': 139635, 'the uk it': 870240, 'uk it would': 938492, 'be good to': 115077, 'to see more': 914044, 'of this from': 591976, 'this from even': 887627, 'from even bigger': 335314, 'even bigger company': 283892, 'bigger company that': 130152, 'company that can': 191162, 'that can afford': 843092, '1950': 12372, 'crock': 218837, 'low the': 505667, 'the 1950': 847942, '1950 if': 12384, 'not paying': 570985, 'paying 25': 645372, '25 cent': 15852, 'gallon doe': 342994, 'not sound': 571658, 'like crock': 490073, 'crock that': 218838, 'what trump': 982491, 'his address': 397180, 'address today': 32061, 'oil price low': 597183, 'price low the': 675121, 'low the 1950': 505668, 'the 1950 if': 847945, '1950 if they': 12385, 'they re that': 883141, 're that low': 699685, 'that low why': 844967, 'low why are': 505747, 'we not paying': 972603, 'not paying 25': 570986, 'paying 25 cent': 645373, '25 cent gallon': 15853, 'cent gallon doe': 169061, 'gallon doe that': 342995, 'doe that not': 251598, 'that not sound': 845398, 'not sound like': 571660, 'sound like crock': 786298, 'like crock that': 490074, 'crock that what': 218839, 'that what trump': 847473, 'what trump said': 982493, 'trump said in': 933803, 'said in his': 731136, 'in his address': 423713, 'his address today': 397181, 'rohit': 725046, 'pawar': 644678, 'you mla': 1019873, 'mla rohit': 534744, 'rohit pawar': 725047, 'pawar and': 644679, 'thank you mla': 841778, 'you mla rohit': 1019874, 'mla rohit pawar': 534745, 'rohit pawar and': 725048, 'pawar and baramati': 644680, 'replicate': 711695, 'fixlethalloopholes': 309876, 'banishthebeastusa': 109531, 'womenofthesentry': 1003720, 'is extremely': 447676, 'extremely difficult': 293867, 'to replicate': 913262, 'replicate what': 711697, 'wa successful': 963343, 'successful in': 816245, 'in flattening': 422930, 'curve am': 221824, 'am writing': 50580, 'writing this': 1012924, 'of 2nd': 579553, 'wave fixlethalloopholes': 969346, 'fixlethalloopholes banishthebeastusa': 309877, 'banishthebeastusa womenofthesentry': 109532, 'womenofthesentry 19': 1003721, 'sanitizer is extremely': 735187, 'is extremely difficult': 447677, 'extremely difficult to': 293869, 'difficult to find': 242335, 'find the people': 307299, 'need to replicate': 556043, 'to replicate what': 913263, 'replicate what wa': 711698, 'what wa successful': 982523, 'wa successful in': 963344, 'successful in flattening': 816246, 'in flattening the': 422931, 'the curve am': 852682, 'curve am writing': 221825, 'am writing this': 50581, 'writing this to': 1012926, 'this to help': 890737, 'reduce the possibility': 705972, 'possibility of 2nd': 665540, 'of 2nd wave': 579555, '2nd wave fixlethalloopholes': 16811, 'wave fixlethalloopholes banishthebeastusa': 969347, 'fixlethalloopholes banishthebeastusa womenofthesentry': 309878, 'banishthebeastusa womenofthesentry 19': 109533, 'chick': 175711, 'despite how': 238758, 'serious the': 751487, 'headline sound': 386011, 'sound the': 786338, 'baby chick': 106583, 'chick video': 175721, 'video in': 956782, 'pretty cute': 671386, 'despite how serious': 238759, 'how serious the': 408646, 'serious the headline': 751488, 'the headline sound': 857173, 'headline sound the': 386012, 'sound the baby': 786339, 'the baby chick': 849133, 'baby chick video': 106584, 'chick video in': 175722, 'video in this': 956786, 'in this story': 430018, 'this story is': 890364, 'story is pretty': 812023, 'is pretty cute': 451009, 'my 76': 547178, '76 year': 22248, 'mother in': 543119, 'living alone': 496315, 'and self': 71178, 'week close': 976090, 'close elderly': 182625, 'elderly relative': 270866, 'relative went': 708752, 'went online': 979076, 'for both': 319733, 'so booked': 776633, 'booked could': 134659, 'be delivered': 114394, 'delivered for': 233324, 'recommended to': 704803, 'advance craziness': 32893, 'my 76 year': 547179, '76 year old': 22249, 'old mother in': 598374, 'mother in london': 543121, 'in london is': 424884, 'london is living': 501101, 'is living alone': 449409, 'living alone and': 496316, 'alone and self': 46818, 'and self isolating': 71184, 'isolating for 12': 455093, '12 week close': 2981, 'week close elderly': 976091, 'close elderly relative': 182626, 'elderly relative went': 270869, 'relative went online': 708753, 'went online to': 979079, 'online to do': 609584, 'to do grocery': 904512, 'do grocery delivery': 249357, 'grocery delivery for': 364442, 'delivery for both': 234019, 'for both of': 319738, 'both of so': 135986, 'of so booked': 589805, 'so booked could': 776634, 'booked could not': 134660, 'not be delivered': 568369, 'be delivered for': 114397, 'delivered for week': 233325, 'for week due': 327701, 'increased demand it': 433278, 'demand it is': 235755, 'it is recommended': 459057, 'is recommended to': 451353, 'recommended to order': 704805, 'to order week': 911090, 'order week in': 618762, 'week in advance': 976361, 'in advance craziness': 420051, 'however even': 409366, 'even this': 284690, 'this production': 889734, 'shock caused': 759434, 'however even this': 409367, 'even this production': 284691, 'this production cut': 889735, 'production cut will': 682003, 'cut will not': 223631, 'offset the demand': 596116, 'the demand shock': 853109, 'demand shock caused': 236198, 'shock caused by': 759435, 'caused by and': 167828, 'by and oil': 151844, 'could fall in': 209168, 'freiburg': 332676, 'sharing picture': 755571, 'picture from': 656121, 'in freiburg': 423111, 'freiburg germany': 332677, 'germany only': 346333, 'one customer': 606139, 'is allowed': 445480, 'allowed at': 46134, 'the belt': 849459, 'belt at': 126793, 'time nobody': 897276, 'come close': 187258, 'to german': 906396, 'german when': 346256, 'when following': 983434, 'rule are': 727198, 'sharing picture from': 755572, 'picture from supermarket': 656124, 'from supermarket here': 337486, 'here in freiburg': 393149, 'in freiburg germany': 423112, 'freiburg germany only': 332678, 'germany only one': 346334, 'only one customer': 610868, 'one customer is': 606140, 'customer is allowed': 222535, 'is allowed at': 445482, 'allowed at the': 46135, 'at the belt': 100887, 'the belt at': 849460, 'belt at time': 126795, 'at time nobody': 101299, 'time nobody come': 897277, 'nobody come close': 565993, 'come close to': 187259, 'close to german': 182897, 'to german when': 906397, 'german when following': 346257, 'when following the': 983435, 'following the rule': 312905, 'the rule are': 866040, 'rule are concerned': 727201, 'piecemakers': 656390, 'quilting': 694738, '19 culinary': 6379, 'culinary staff': 220227, 'open cafe': 612141, 'cafe but': 155098, 'can serve': 159576, 'serve meal': 751913, 'meal to': 524286, 'to md': 909910, 'md worker': 522298, 'worker piecemakers': 1007576, 'piecemakers quilting': 656391, 'quilting club': 694739, 'club can': 184419, 'meet but': 527425, 'pantry staff': 639666, 'can socially': 159661, 'socially interact': 781066, 'interact but': 441195, 'thru demand': 895178, 'demand 700': 234896, 'proud of member': 686034, 'of member and': 586429, 'member and staff': 528020, 'and staff during': 72193, 'covid 19 culinary': 212896, '19 culinary staff': 6380, 'culinary staff can': 220228, 'staff can open': 792296, 'can open cafe': 159146, 'open cafe but': 612142, 'cafe but can': 155099, 'but can serve': 145362, 'can serve meal': 159577, 'serve meal to': 751914, 'meal to md': 524291, 'to md worker': 909911, 'md worker piecemakers': 522299, 'worker piecemakers quilting': 1007577, 'piecemakers quilting club': 656392, 'quilting club can': 694740, 'club can meet': 184420, 'can meet but': 158987, 'meet but can': 527426, 'but can make': 145356, 'can make mask': 158935, 'make mask food': 510119, 'mask food pantry': 518661, 'food pantry staff': 315797, 'pantry staff can': 639667, 'staff can socially': 792297, 'can socially interact': 159662, 'socially interact but': 781067, 'interact but can': 441196, 'but can provide': 145360, 'can provide food': 159331, 'provide food to': 686315, 'food to drive': 317244, 'to drive thru': 904748, 'drive thru demand': 259194, 'thru demand 700': 895179, 'online rant': 608845, 'rant about': 696840, 'elderly pregnant': 270862, 'healthy have': 387657, 'it their': 461591, 'leave others': 484887, 'nothing shame': 573153, 'haven had an': 383820, 'had an online': 372843, 'an online rant': 56628, 'online rant about': 608846, 'rant about this': 696841, 'about this whole': 26674, 'whole thing but': 990355, 'thing but my': 884209, 'but my heart': 146433, 'my heart go': 548653, 'the elderly pregnant': 854140, 'elderly pregnant woman': 270863, 'pregnant woman who': 669849, 'woman who cannot': 1003674, 'need the young': 555761, 'the young and': 872203, 'young and healthy': 1022565, 'and healthy have': 64392, 'healthy have made': 387658, 'have made it': 381411, 'made it their': 507808, 'it their mission': 461594, 'their mission to': 873984, 'mission to empty': 534379, 'shelf and leave': 756739, 'and leave others': 66057, 'leave others with': 484888, 'others with nothing': 621804, 'with nothing shame': 999824, 'shutoff': 768161, 'of phone': 588101, 'message concerning': 529286, 'concerning home': 193243, '19 assistance': 5234, 'in applying': 420454, 'applying for': 82634, 'check and': 174363, 'utility being': 951260, 'being shutoff': 125789, 'shutoff don': 768162, 'don become': 253378, 'become victim': 120183, 'victim rv': 956516, 'beware of phone': 129092, 'of phone call': 588102, 'phone call email': 654924, 'call email and': 155841, 'text message concerning': 839906, 'message concerning home': 529287, 'concerning home testing': 193244, 'home testing for': 402205, 'testing for covid': 839495, 'covid 19 assistance': 212659, '19 assistance in': 5235, 'assistance in applying': 96706, 'in applying for': 420455, 'applying for government': 82636, 'for government relief': 321962, 'government relief check': 360529, 'relief check and': 709301, 'check and utility': 174367, 'and utility being': 74807, 'utility being shutoff': 951261, 'being shutoff don': 125790, 'shutoff don become': 768163, 'don become victim': 253382, 'become victim rv': 120184, 'the absolutely': 848259, 'have item': 381160, 'the absolutely must': 848260, 'absolutely must have': 27389, 'must have item': 546700, 'have item in': 381161, 'item in and': 463340, 'paper isle': 640366, 'isle at': 454348, 'at coronapocolypse': 98336, 'toilet paper isle': 921324, 'paper isle at': 640367, 'isle at the': 454349, 'work at coronapocolypse': 1004865, 'at coronapocolypse panicshopping': 98337, 'yearly': 1015135, 'resonable': 714661, 'bestiptv': 128032, 'iptvdeals': 444638, 'hotmovies': 405289, 'iptvlinks': 444641, '18movies': 4686, 'have amazing': 379229, 'amazing cheap': 50659, 'cheap deal': 174090, 'the going': 856409, 'you trial': 1021924, 'trial monthly': 931648, 'monthly yearly': 538221, 'yearly and': 1015136, 'and resonable': 70316, 'resonable price': 714662, 'price subscription': 676686, 'subscription just': 815895, 'just dm': 468608, 'dm bestiptv': 248881, 'bestiptv iptv': 128033, 'iptv service': 444634, 'service iptv': 752508, 'iptv iptvdeals': 444630, 'iptvdeals cheap': 444639, 'cheap iptv': 174130, 'iptv football': 444628, 'football hd': 318491, 'hd movie': 384688, 'movie adult': 543984, 'adult cinema': 32812, 'cinema hotmovies': 178539, 'hotmovies iptv': 405292, 'iptv iptvlinks': 444632, 'iptvlinks 18movies': 444642, 'we have amazing': 971755, 'have amazing cheap': 379231, 'amazing cheap deal': 50660, 'cheap deal for': 174091, 'deal for the': 229403, 'for the going': 326461, 'the going on': 856410, 'going on to': 355340, 'on to help': 604739, 'help you trial': 391006, 'you trial monthly': 1021925, 'trial monthly yearly': 931649, 'monthly yearly and': 538222, 'yearly and resonable': 1015137, 'and resonable price': 70317, 'resonable price subscription': 714663, 'price subscription just': 676687, 'subscription just dm': 815896, 'just dm bestiptv': 468611, 'dm bestiptv iptv': 248882, 'bestiptv iptv service': 128034, 'iptv service iptv': 444635, 'service iptv iptvdeals': 752509, 'iptv iptvdeals cheap': 444631, 'iptvdeals cheap iptv': 444640, 'cheap iptv football': 174131, 'iptv football hd': 444629, 'football hd movie': 318493, 'hd movie adult': 384689, 'movie adult cinema': 543985, 'adult cinema hotmovies': 32813, 'cinema hotmovies iptv': 178541, 'hotmovies iptv iptvlinks': 405293, 'iptv iptvlinks 18movies': 444633, 'belgian': 126161, 'belgian retail': 126166, 'brussels died': 141385, 'their sleep': 874739, 'sleep after': 773745, 'after contracting': 35501, 'belgian retail chain': 126167, 'retail chain ha': 717939, 'chain ha confirmed': 170747, 'confirmed that one': 194199, 'of their supermarket': 591706, 'their supermarket employee': 874901, 'employee in brussels': 273957, 'in brussels died': 421010, 'brussels died in': 141386, 'died in their': 241575, 'in their sleep': 429778, 'their sleep after': 874740, 'sleep after contracting': 773746, 'after contracting the': 35504, 'contracting the new': 201790, 'new coronavirus covid': 558546, 'solicitor': 781892, 'for will': 327879, 'will ha': 993585, 'past month': 643568, 'fear sparked': 301337, 'sparked people': 787586, 'into getting': 442585, 'their affair': 872477, 'affair in': 34055, 'order eg': 618189, 'eg solicitor': 269723, 'solicitor at': 781895, 'receiving 00': 703742, '00 request': 465, 'request per': 713186, 'week up': 977145, 'from just': 336161, 'just 700': 468120, '700 before': 21876, 'demand for will': 235517, 'for will ha': 327881, 'will ha soared': 993586, 'ha soared in': 371982, 'the past month': 863359, 'past month after': 643569, 'month after fear': 537527, 'after fear sparked': 35654, 'fear sparked people': 301338, 'sparked people into': 787587, 'people into getting': 648498, 'into getting their': 442587, 'getting their affair': 349364, 'their affair in': 872478, 'affair in order': 34056, 'in order eg': 426213, 'order eg solicitor': 618190, 'eg solicitor at': 269724, 'solicitor at are': 781896, 'now receiving 00': 575654, 'receiving 00 request': 703744, '00 request per': 466, 'request per week': 713187, 'per week up': 651077, 'week up from': 977146, 'up from just': 944987, 'from just 700': 336163, 'just 700 before': 468121, '700 before the': 21877, 'before the outbreak': 123179, 'tar': 834406, 'secured': 744480, 'greenlight': 363757, 'over 45': 629850, '45 tar': 19135, 'tar sand': 834409, 'sand project': 733663, 'already secured': 47630, 'secured greenlight': 744485, 'greenlight could': 363758, 'in limbo': 424733, 'limbo oil': 492249, 'company face': 190643, 'face plunging': 294708, 'plunging price': 661544, 'over 45 tar': 629852, '45 tar sand': 19136, 'tar sand project': 834411, 'sand project that': 733665, 'project that have': 683541, 'that have already': 844194, 'have already secured': 379200, 'already secured greenlight': 47631, 'secured greenlight could': 744486, 'greenlight could be': 363759, 'could be in': 208885, 'be in limbo': 115413, 'in limbo oil': 424734, 'limbo oil company': 492250, 'oil company face': 596691, 'company face plunging': 190644, 'face plunging price': 294709, 'laughlin': 481831, 'edmontonians': 268719, 'yegcc': 1015183, 'yeg': 1015178, 'laughlin say': 481832, 'fixing not': 309849, 'yet necessary': 1016157, 'necessary edmontonians': 553977, 'edmontonians and': 268720, 'business work': 144715, 'together yegcc': 921052, 'yegcc yeg': 1015184, 'laughlin say price': 481834, 'say price fixing': 739076, 'price fixing not': 673891, 'fixing not yet': 309850, 'not yet necessary': 572600, 'yet necessary edmontonians': 1016158, 'necessary edmontonians and': 553978, 'edmontonians and business': 268721, 'and business work': 59308, 'business work together': 144716, 'work together yegcc': 1005921, 'together yegcc yeg': 921053, 'mirza': 533951, 'schoolfee': 742029, 'hv': 411857, 'fulf': 340389, 'mirza parent': 533954, 'parent demand': 641614, 'waive off': 964520, 'off schoolfee': 594122, 'schoolfee due': 742030, 'pandemic govt': 635507, 'work business': 1004952, 'we hv': 972052, 'hv very': 411862, 'to fulf': 906296, 'mirza parent demand': 533955, 'parent demand to': 641615, 'demand to waive': 236407, 'to waive off': 918283, 'waive off schoolfee': 964521, 'off schoolfee due': 594123, 'schoolfee due to': 742031, 'to corona pandemic': 903529, 'corona pandemic govt': 204093, 'pandemic govt have': 635508, 'govt have stop': 361153, 'have stop to': 382782, 'stop to do': 805216, 'to do our': 904539, 'our work business': 625397, 'work business we': 1004953, 'business we hv': 144637, 'we hv very': 972053, 'hv very little': 411863, 'very little to': 955327, 'little to fulf': 495621, 'price jumped': 674960, 'jumped on': 467939, 'tuesday at': 935126, 'at 29': 97569, '29 82': 16462, '82 barrel': 22805, 'barrel amid': 111192, 'amid hope': 52504, 'of reaching': 588770, 'reaching production': 700110, 'deal between': 229354, 'nation saudi': 552303, 'arabia russia': 83918, 'and america': 58060, 'america read': 51653, 'read full': 700345, 'here oilpricewar': 393405, 'oilpricewar crudeoil': 597705, 'crudeoil commodity': 219632, 'oil price jumped': 597176, 'price jumped on': 674963, 'jumped on tuesday': 467942, 'on tuesday at': 604878, 'tuesday at 29': 935127, 'at 29 82': 97570, '29 82 barrel': 16463, '82 barrel amid': 22806, 'barrel amid hope': 111193, 'amid hope of': 52505, 'hope of reaching': 403575, 'of reaching production': 588771, 'reaching production cut': 700111, 'production cut deal': 681991, 'cut deal between': 223291, 'deal between the': 229356, 'between the world': 128938, 'world biggest oil': 1009367, 'biggest oil producing': 130283, 'producing nation saudi': 680793, 'nation saudi arabia': 552304, 'saudi arabia russia': 737209, 'arabia russia and': 83919, 'russia and america': 728424, 'and america read': 58063, 'america read full': 51654, 'read full report': 700347, 'full report here': 340853, 'report here oilpricewar': 712014, 'here oilpricewar crudeoil': 393406, 'oilpricewar crudeoil commodity': 597706, '12m': 3109, 'report 12m': 711770, '12m in': 3110, 'scam loss': 740236, 'loss since': 503780, 'january the': 464680, 'consumer report 12m': 198695, 'report 12m in': 711771, '12m in covid': 3111, '19 scam loss': 10346, 'scam loss since': 740237, 'loss since january': 503781, 'since january the': 770680, 'january the federal': 464682, 'hostage': 404905, 'crazy is': 215338, 'is mobilizing': 449675, 'and bail': 58657, 'out industry': 626414, 'taking consumer': 833313, 'consumer hostage': 197772, 'hostage while': 404910, 'is crazy is': 446896, 'crazy is mobilizing': 215339, 'is mobilizing to': 449676, 'mobilizing to support': 535114, 'to support and': 915905, 'support and bail': 826353, 'and bail out': 58658, 'bail out industry': 108589, 'out industry in': 626416, 'industry in need': 435903, 'in need and': 425726, 'need and is': 554427, 'and is taking': 65432, 'is taking consumer': 452536, 'taking consumer hostage': 833314, 'consumer hostage while': 197774, 'hostage while we': 404911, 'while we want': 987559, 'want to protect': 966091, 'protect our loved': 684899, 'will farmland': 993412, 'will farmland price': 993413, 'farmland price fall': 299670, 'you temporarily': 1021546, 'temporarily lost': 837508, 'job check': 465736, 'out amazon': 625613, 'amazon they': 51151, 'hiring to': 397140, 'handle surge': 376263, 'related buying': 708383, 'if you temporarily': 415537, 'you temporarily lost': 1021547, 'temporarily lost your': 837509, 'your job check': 1024527, 'job check out': 465737, 'check out amazon': 174534, 'out amazon they': 625615, 'amazon they are': 51152, 'are hiring to': 87186, 'hiring to handle': 397141, 'to handle surge': 907133, 'handle surge of': 376264, 'surge of coronavirus': 828227, 'of coronavirus related': 581959, 'coronavirus related buying': 206631, 'antitrust': 78572, 'imposes': 419323, 'nelson': 557370, 'price pharmacy': 675866, 'pharmacy antitrust': 654230, 'antitrust lawsuit': 78579, 'lawsuit in': 482534, 'zealand appears': 1027270, 'appears likely': 82188, 'postponed the': 666830, 'country imposes': 210769, 'imposes tough': 419328, 'tough new': 926819, 'emergency the': 273016, 'the nelson': 861444, 'nelson based': 557371, 'based pharmacy': 111713, 'pharmacy ha': 654330, 'been accused': 120600, 'fixing by': 309842, 'commerce commission': 188533, 'commission competition': 188799, 'price pharmacy antitrust': 675867, 'pharmacy antitrust lawsuit': 654231, 'antitrust lawsuit in': 78580, 'lawsuit in new': 482535, 'new zealand appears': 559978, 'zealand appears likely': 1027271, 'appears likely to': 82189, 'to be postponed': 901448, 'be postponed the': 116490, 'postponed the country': 666831, 'the country imposes': 852098, 'country imposes tough': 210770, 'imposes tough new': 419329, 'tough new restriction': 926820, 'new restriction in': 559484, 'restriction in response': 717296, '19 emergency the': 6765, 'emergency the nelson': 273018, 'the nelson based': 861445, 'nelson based pharmacy': 557372, 'based pharmacy ha': 111714, 'pharmacy ha been': 654331, 'ha been accused': 369705, 'been accused of': 120601, 'of price fixing': 588399, 'price fixing by': 673889, 'fixing by the': 309843, 'by the commerce': 154289, 'the commerce commission': 851220, 'commerce commission competition': 188534, 'avid': 104967, 'amateur': 50612, 'thisexplanation': 891633, 'an avid': 55498, 'avid amateur': 104968, 'amateur baker': 50613, 'baker ve': 108826, 'been confused': 120871, 'confused to': 194354, 'flour in': 311122, 'thanks and': 842016, 'for thisexplanation': 327092, 'thisexplanation panicbuyinguk': 891634, 'an avid amateur': 55499, 'avid amateur baker': 104969, 'amateur baker ve': 50614, 'baker ve been': 108827, 've been confused': 952875, 'been confused to': 120872, 'confused to why': 194355, 'to why there': 918595, 'why there still': 991445, 'there still no': 879100, 'still no flour': 800868, 'no flour in': 564238, 'flour in the': 311124, 'supermarket thanks and': 823172, 'thanks and for': 842018, 'and for thisexplanation': 63164, 'for thisexplanation panicbuyinguk': 327093, 'mum want': 545969, 'her tomorrow': 392478, 'tomorrow don': 924068, 'why she': 991330, 'she bothering': 755898, 'bothering there': 136147, 'there gonna': 878435, 'be nothing': 116127, 'shelf nofood': 757341, 'nofood 19': 566134, 'my mum want': 549389, 'mum want me': 545970, 'food shopping with': 316547, 'shopping with her': 764434, 'with her tomorrow': 998783, 'her tomorrow don': 392479, 'tomorrow don know': 924070, 'know why she': 477056, 'why she bothering': 991331, 'she bothering there': 755899, 'bothering there gonna': 136148, 'there gonna be': 878436, 'gonna be nothing': 356478, 'be nothing on': 116130, 'the shelf nofood': 866860, 'shelf nofood 19': 757342, 'flag': 309937, 'rollercoaster': 725653, 'sixflags': 772729, 'beatcorona': 118591, 'austintx': 103198, 'if heb': 414224, 'heb had': 388677, 'had fast': 373105, 'fast pas': 300011, 'pas like': 643121, 'like six': 491196, 'six flag': 772630, 'flag would': 309953, 'would totally': 1012338, 'totally buy': 926305, 'buy one': 149036, 'so don': 776903, 'this dang': 887155, 'dang line': 225622, 'line man': 493250, 'man this': 512273, 'is rollercoaster': 451568, 'rollercoaster see': 725659, 'did there': 240862, 'there sixflags': 879056, 'sixflags 19': 772730, '19 beatcorona': 5324, 'beatcorona austintx': 118592, 'austintx austin': 103199, 'austin texas': 103189, 'texas heb': 839785, 'heb toiletpaper': 388689, 'if heb had': 414225, 'heb had fast': 388678, 'had fast pas': 373106, 'fast pas like': 300012, 'pas like six': 643122, 'like six flag': 491198, 'six flag would': 772631, 'flag would totally': 309954, 'would totally buy': 1012339, 'totally buy one': 926306, 'buy one just': 149038, 'one just so': 606548, 'just so don': 469820, 'so don have': 776908, 'have to stand': 383305, 'stand in this': 793536, 'in this dang': 429929, 'this dang line': 887156, 'dang line man': 225623, 'line man this': 493251, 'man this whole': 512274, 'whole thing is': 990356, 'thing is rollercoaster': 884481, 'is rollercoaster see': 451569, 'rollercoaster see what': 725660, 'see what did': 746028, 'what did there': 981318, 'did there sixflags': 240863, 'there sixflags 19': 879057, 'sixflags 19 beatcorona': 772731, '19 beatcorona austintx': 5325, 'beatcorona austintx austin': 118593, 'austintx austin texas': 103200, 'austin texas heb': 103190, 'texas heb toiletpaper': 839786, 'carlos': 164750, 'torelli': 925893, 'psychological': 687515, 'you miss': 1019866, 'miss professor': 534181, 'professor carlos': 682539, 'carlos torelli': 164755, 'torelli webinar': 925896, 'on hear': 601263, 'hear him': 387929, 'him discus': 396580, 'discus how': 244858, 'how global': 407916, 'global crisis': 351835, 'crisis impact': 217519, 'the psychological': 864753, 'psychological response': 687526, 'consider how': 195021, 'how organization': 408446, 'organization can': 619356, 'can overcome': 159185, 'overcome and': 631120, 'address consumer': 31957, 'did you miss': 240939, 'you miss professor': 1019868, 'miss professor carlos': 534182, 'professor carlos torelli': 682540, 'carlos torelli webinar': 164757, 'torelli webinar on': 925898, 'webinar on hear': 975072, 'on hear him': 601264, 'hear him discus': 387930, 'him discus how': 396581, 'discus how global': 244863, 'how global crisis': 407917, 'global crisis impact': 351838, 'crisis impact the': 217523, 'impact the psychological': 418002, 'the psychological response': 864756, 'psychological response of': 687527, 'response of consumer': 715766, 'of consumer in': 581745, 'consumer in global': 197821, 'in global market': 423334, 'global market and': 352021, 'market and consider': 515956, 'and consider how': 60313, 'consider how organization': 195022, 'how organization can': 408448, 'organization can overcome': 619357, 'can overcome and': 159186, 'overcome and address': 631121, 'and address consumer': 57686, 'address consumer concern': 31958, 'consumer concern and': 196867, 'concern and need': 192917, 'alerted': 41557, 'affair alerted': 33990, 'alerted new': 41560, 'jersey resident': 465225, 'vigilant of': 957250, 'fraud fueled': 331276, 'consumer affair alerted': 196075, 'affair alerted new': 33991, 'alerted new jersey': 41561, 'new jersey resident': 558980, 'jersey resident to': 465226, 'resident to remain': 714383, 'remain vigilant of': 709911, 'vigilant of consumer': 957251, 'of consumer fraud': 581742, 'consumer fraud fueled': 197536, 'fraud fueled by': 331277, 'fueled by the': 340323, 'backwardshat': 107622, 'oakley': 578269, 'woof': 1004338, 'alameda': 40649, 'survived the': 829331, 'or pt': 616735, 'pt paper': 687607, 'towel survivor': 927381, 'survivor anxiety': 829384, 'anxiety backwardshat': 78671, 'backwardshat oakley': 107623, 'oakley woof': 578270, 'woof alameda': 1004339, 'alameda safeway': 40650, 'grocery safeway': 364926, 'survived the grocery': 829333, 'store no tp': 809091, 'tp or pt': 927897, 'or pt paper': 616736, 'pt paper towel': 687608, 'paper towel survivor': 641013, 'towel survivor anxiety': 927382, 'survivor anxiety backwardshat': 829385, 'anxiety backwardshat oakley': 78672, 'backwardshat oakley woof': 107624, 'oakley woof alameda': 578271, 'woof alameda safeway': 1004340, 'alameda safeway grocery': 40651, 'safeway grocery safeway': 730842, 'specification': 788296, 'moisturizing': 535615, 'handmade': 376412, 'sanitizer follows': 734882, 'follows cdc': 312950, 'cdc specification': 168624, 'specification made': 788300, 'with isopropyl': 999054, 'alcohol soothing': 41114, 'soothing organic': 785955, 'organic aloe': 619210, 'vera gel': 954730, 'gel glycerin': 345125, 'glycerin for': 353158, 'extra moisturizing': 293576, 'moisturizing property': 535622, 'vitamin handmade': 959782, 'handmade handsanitizer': 376415, 'hand sanitizer follows': 375408, 'sanitizer follows cdc': 734883, 'follows cdc specification': 312951, 'cdc specification made': 168625, 'specification made with': 788301, 'made with isopropyl': 508067, 'with isopropyl alcohol': 999055, 'isopropyl alcohol soothing': 455562, 'alcohol soothing organic': 41115, 'soothing organic aloe': 785956, 'organic aloe vera': 619211, 'aloe vera gel': 46792, 'vera gel glycerin': 954732, 'gel glycerin for': 345126, 'glycerin for extra': 353159, 'for extra moisturizing': 321345, 'extra moisturizing property': 293577, 'moisturizing property and': 535623, 'property and vitamin': 684238, 'and vitamin handmade': 75009, 'vitamin handmade handsanitizer': 959783, 'trump saying': 933827, 'saying right': 739671, 'now coronavirus': 574462, 'coronavirus press': 206582, 'conference and': 193719, 'about gasoline': 25294, 'is trump saying': 453384, 'trump saying right': 933828, 'saying right now': 739672, 'right now coronavirus': 722049, 'now coronavirus press': 574463, 'coronavirus press conference': 206583, 'press conference and': 671027, 'conference and he': 193720, 'talking about gasoline': 833966, 'about gasoline price': 25295, 'gasoline price people': 344266, 'jeffbezos': 465024, 'company doing': 190601, 'amazon jeffbezos': 51018, 'jeffbezos swedish': 465025, 'swedish ikea': 830085, 'store find': 807725, 'find 50': 306757, '00 forgotten': 218, 'forgotten face': 329435, 'mask give': 518718, 'hospital via': 404700, 'are our company': 88857, 'our company doing': 622497, 'company doing this': 190604, 'doing this amazon': 252757, 'this amazon jeffbezos': 886307, 'amazon jeffbezos swedish': 51019, 'jeffbezos swedish ikea': 465026, 'swedish ikea store': 830086, 'ikea store find': 416056, 'store find 50': 807726, 'find 50 00': 306758, '50 00 forgotten': 19574, '00 forgotten face': 219, 'forgotten face mask': 329436, 'face mask give': 294542, 'mask give them': 518719, 'give them to': 350776, 'them to local': 876488, 'local hospital via': 498093, 'responsibly during': 716091, 'collect item': 186294, 'or sell': 616998, 'sell good': 748743, 'price abusing': 672202, 'abusing other': 27715, 'customer or': 222653, 'service personnel': 752694, 'personnel make': 653134, 'not practice': 571067, 'hygiene when': 412194, 'public more': 688170, 'the nt': 861947, 'shop responsibly during': 760711, 'responsibly during the': 716093, 'during the it': 263147, 'the it is': 858586, 'is not okay': 450142, 'not okay to': 570742, 'okay to collect': 598022, 'to collect item': 902969, 'collect item or': 186296, 'item or sell': 463535, 'or sell good': 617000, 'sell good at': 748744, 'good at exorbitant': 356789, 'exorbitant price abusing': 290400, 'price abusing other': 672203, 'abusing other customer': 27716, 'other customer or': 620062, 'customer or service': 222655, 'or service personnel': 617022, 'service personnel make': 752695, 'personnel make sure': 653135, 'sure you do': 827856, 'do not practice': 249803, 'not practice good': 571068, 'good hygiene when': 357203, 'hygiene when you': 412195, 'are in public': 87426, 'in public more': 427091, 'public more about': 688171, 'in the nt': 429407, 'briton warned': 140659, 'warned coronavirus': 966999, 'is nowhere': 450361, 'nowhere near': 576569, 'near end': 553492, 'case set': 166007, 'rise for': 722859, 'week latest': 976471, 'briton warned coronavirus': 140660, 'warned coronavirus lockdown': 967000, 'coronavirus lockdown is': 206247, 'lockdown is nowhere': 499550, 'is nowhere near': 450362, 'nowhere near end': 576570, 'near end with': 553493, 'end with case': 276080, 'with case set': 997560, 'case set to': 166008, 'set to rise': 753533, 'to rise for': 913567, 'rise for week': 722863, 'for week latest': 327724, 'week latest update': 976472, 'payload': 645532, 'while queuing': 987195, 'and down': 61694, 'down an': 256484, 'at two': 101374, 'two metre': 937047, 'apart take': 81347, 'therefore increase': 879441, 'of someone': 589914, 'someone receiving': 784622, 'receiving payload': 703795, 'payload shopping': 645533, 'shopping logic': 763210, 'logic uk': 500668, 'uk nh': 938569, 'but while queuing': 147847, 'while queuing up': 987198, 'queuing up to': 694245, 'up to go': 946382, 'go up and': 354420, 'up and down': 944320, 'and down an': 61696, 'down an aisle': 256485, 'aisle at two': 40217, 'at two metre': 101377, 'two metre apart': 937048, 'metre apart take': 529828, 'apart take more': 81348, 'take more time': 832342, 'more time and': 540765, 'time and therefore': 896301, 'and therefore increase': 73866, 'therefore increase the': 879442, 'increase the likelihood': 433107, 'likelihood of someone': 491934, 'of someone receiving': 589922, 'someone receiving payload': 784623, 'receiving payload shopping': 703796, 'payload shopping logic': 645534, 'shopping logic uk': 763211, 'logic uk nh': 500669, 'uk nh supermarket': 938571, 'anecdotal': 76255, 'there proven': 878967, 'proven treatment': 686184, 'or treat': 617524, '19 dr': 6649, 'dr anthony': 257956, 'anthony fauci': 78239, 'fauci there': 300381, 'not proven': 571136, 'proven and': 686148, 'the underlying': 870354, 'underlying word': 940496, 'word proven': 1004561, 'or prevention': 616687, 'prevention there': 671893, 'some anecdotal': 782297, 'anecdotal information': 76260, 'information that': 437994, 'these may': 880281, 'may possibly': 521432, 'possibly have': 665927, 'some benefit': 782401, 'is there proven': 453025, 'there proven treatment': 878968, 'proven treatment to': 686186, 'treatment to prevent': 931157, 'prevent or treat': 671683, 'or treat covid': 617525, 'covid 19 dr': 212984, '19 dr anthony': 6650, 'dr anthony fauci': 257957, 'anthony fauci there': 78241, 'fauci there is': 300382, 'is not proven': 450163, 'not proven and': 571137, 'proven and that': 686149, 'that the underlying': 846857, 'the underlying word': 870358, 'underlying word proven': 940497, 'word proven treatment': 1004562, 'proven treatment or': 686185, 'treatment or prevention': 931118, 'or prevention there': 616688, 'prevention there some': 671894, 'there some anecdotal': 879069, 'some anecdotal information': 782298, 'anecdotal information that': 76261, 'information that one': 437998, 'that one or': 845501, 'or two of': 617567, 'two of these': 937092, 'of these may': 591839, 'these may possibly': 880282, 'may possibly have': 521433, 'possibly have some': 665928, 'have some benefit': 382621, 'afternoon myself': 36697, 'and large': 65946, 'large amount': 479589, 'people walked': 650123, 'walked straight': 964977, 'out including': 626409, 'including many': 432047, 'anything come': 80709, 're better': 698365, 'absolutely nothing to': 27415, 'nothing to buy': 573188, 'to buy in': 902248, 'buy in the': 148821, 'this afternoon myself': 886233, 'afternoon myself and': 36698, 'myself and large': 550819, 'and large amount': 65947, 'large amount of': 479590, 'of people walked': 588018, 'people walked straight': 650124, 'walked straight out': 964978, 'straight out including': 812224, 'out including many': 626410, 'including many elderly': 432048, 'elderly people unable': 270839, 'to get anything': 906412, 'get anything come': 346587, 'anything come on': 80710, 'come on uk': 187451, 'on uk we': 604950, 'uk we re': 938871, 'we re better': 972835, 're better than': 698366, 'than this this': 841320, 'this this ha': 890576, 'meatfree': 525812, 'dairyfree': 225064, 'go meatfree': 353835, 'meatfree and': 525813, 'and dairyfree': 60932, 'dairyfree forever': 225065, 'destroy the market': 239036, 'market and go': 515969, 'and go meatfree': 63778, 'go meatfree and': 353836, 'meatfree and dairyfree': 525814, 'and dairyfree forever': 60933, 'ripoffbritain': 722694, 'anyone noticed': 80437, 'noticed in': 573445, 'uk that': 938801, 'that tescos': 846636, 'tescos unlike': 838880, 'unlike all': 942689, 'other multiple': 620554, 'multiple have': 545752, 'on tissue': 604718, 'tissue kitchen': 899168, 'kitchen paper': 475738, 'paper toilet': 640939, 'were charging': 979429, 'charging for': 173477, 'for roll': 325251, 'of kitchen': 585656, 'paper yesterday': 641120, 'yesterday heron': 1015766, 'heron wa': 394222, 'wa for': 962154, 'roll ripoffbritain': 725490, 'ha anyone noticed': 369587, 'anyone noticed in': 80438, 'noticed in uk': 573446, 'in uk that': 430399, 'uk that tescos': 938802, 'that tescos unlike': 846637, 'tescos unlike all': 838881, 'unlike all the': 942690, 'the other multiple': 862541, 'other multiple have': 620555, 'multiple have hiked': 545753, 'have hiked price': 380950, 'hiked price on': 396334, 'price on tissue': 675729, 'on tissue kitchen': 604720, 'tissue kitchen paper': 899169, 'kitchen paper toilet': 475740, 'paper toilet roll': 640942, 'and other stuff': 68417, 'other stuff in': 621003, 'stuff in short': 815099, 'short supply they': 764715, 'supply they were': 825984, 'they were charging': 883758, 'were charging for': 979430, 'charging for roll': 173480, 'for roll of': 325252, 'roll of kitchen': 725413, 'of kitchen paper': 585658, 'kitchen paper yesterday': 475742, 'paper yesterday heron': 641121, 'yesterday heron wa': 1015767, 'heron wa for': 394223, 'wa for roll': 962159, 'for roll ripoffbritain': 325253, 'wreaks': 1012699, 'than 37': 840234, '37 million': 18077, 'american or': 52112, 'or about': 614238, 'people struggled': 649673, 'table in': 831476, '2018 that': 13898, 'that number': 845427, 'number could': 576854, 'soon double': 785695, 'outbreak wreaks': 628840, 'wreaks havoc': 1012700, 'country another': 210451, 'another strong': 77877, 'strong piece': 814083, 'more than 37': 540563, 'than 37 million': 840236, '37 million american': 18078, 'million american or': 532056, 'american or about': 52113, 'or about in': 614241, 'about in people': 25512, 'in people struggled': 426601, 'people struggled to': 649674, 'struggled to put': 814414, 'the table in': 869109, 'table in 2018': 831477, 'in 2018 that': 419792, '2018 that number': 13899, 'that number could': 845428, 'number could soon': 576856, 'could soon double': 209690, 'soon double the': 785696, 'double the outbreak': 256070, 'the outbreak wreaks': 862729, 'outbreak wreaks havoc': 628841, 'wreaks havoc on': 1012702, 'havoc on worker': 384435, 'on worker around': 605370, 'around the country': 93532, 'the country another': 852047, 'country another strong': 210452, 'another strong piece': 77878, 'strong piece by': 814084, 'piece by 19': 656279, 'argh': 92655, 'brewed': 139415, 'granule': 362116, 'mug': 545564, 'caffeine': 155153, 'argh brewed': 92656, 'brewed the': 139416, 'good coffee': 356894, 'coffee this': 185548, 'counter couple': 210201, 'couple spoon': 211676, 'spoon of': 789869, 'of instant': 585228, 'instant granule': 440093, 'granule in': 362117, 'my mug': 549361, 'mug today': 545577, 'it caffeine': 456985, 'caffeine how': 155154, 'your morning': 1024879, 'morning going': 541268, 'going one': 355349, 'more day': 538960, 'argh brewed the': 92657, 'brewed the good': 139417, 'the good coffee': 856430, 'good coffee this': 356895, 'coffee this morning': 185549, 'morning and left': 541160, 'and left it': 66080, 'left it on': 485532, 'on the counter': 604046, 'the counter couple': 852023, 'counter couple spoon': 210202, 'couple spoon of': 211677, 'spoon of instant': 789870, 'of instant granule': 585229, 'instant granule in': 440094, 'granule in my': 362118, 'in my mug': 425603, 'my mug today': 549362, 'mug today at': 545578, 'today at least': 919275, 'least it caffeine': 484523, 'it caffeine how': 456986, 'caffeine how your': 155155, 'how your morning': 409305, 'your morning going': 1024880, 'morning going one': 541269, 'going one more': 355350, 'one more day': 606687, 'more day until': 538963, 'until the weekend': 943877, 'the weekend we': 871340, 'weekend we got': 977442, 'we got this': 971679, 'unitelive': 942303, 'steward': 799993, 'sixth most': 772743, 'most read': 542674, 'read story': 700557, 'on unitelive': 604967, 'unitelive in': 942304, '2020 hero': 14362, 'supermarket lorry': 821402, 'driver unite': 259821, 'unite shop': 942129, 'shop steward': 760838, 'steward john': 799996, 'john evans': 466524, 'evans on': 283759, 'on delivering': 600259, 'sixth most read': 772744, 'most read story': 542675, 'read story on': 700558, 'story on unitelive': 812090, 'on unitelive in': 604968, 'unitelive in 2020': 942305, 'in 2020 hero': 419837, '2020 hero the': 14363, 'hero the supermarket': 394120, 'the supermarket lorry': 868685, 'supermarket lorry driver': 821403, 'lorry driver unite': 503344, 'driver unite shop': 259822, 'unite shop steward': 942130, 'shop steward john': 760839, 'steward john evans': 799997, 'john evans on': 466525, 'evans on delivering': 283760, 'on delivering food': 600260, 'delivering food during': 233493, 'avg': 104939, 'sq': 791423, '182': 4635, '388': 18161, '622': 21244, 'home value': 402418, 'value trend': 952227, 'for gilbert': 321885, 'gilbert arizona': 350102, 'arizona avg': 92826, 'avg per': 104946, 'per sq': 651023, 'sq ft': 791428, 'ft 182': 339321, '182 64': 4636, '64 avg': 21310, 'avg home': 104942, 'price 388': 672150, '388 622': 18162, '622 covid': 21245, 'buying home': 150496, 'of seller': 589490, 'seller listing': 749041, 'listing ha': 494851, 'dropped so': 260629, 'so housing': 777332, 'housing inventory': 407086, 'inventory remains': 443705, 'remains very': 710081, 'low home': 505318, 'strong so': 814113, 'home value trend': 402419, 'value trend for': 952228, 'trend for gilbert': 931338, 'for gilbert arizona': 321886, 'gilbert arizona avg': 350103, 'arizona avg per': 92827, 'avg per sq': 104947, 'per sq ft': 651024, 'sq ft 182': 791430, 'ft 182 64': 339322, '182 64 avg': 4637, '64 avg home': 21311, 'avg home price': 104943, 'home price 388': 401890, 'price 388 622': 672151, '388 622 covid': 18163, '622 covid 19': 21246, 'impact the number': 417999, 'of people buying': 587881, 'people buying home': 647346, 'buying home ha': 150497, 'home ha dropped': 401325, 'ha dropped but': 370459, 'dropped but the': 260547, 'but the number': 147370, 'number of seller': 576990, 'of seller listing': 589492, 'seller listing ha': 749042, 'listing ha also': 494852, 'ha also dropped': 369522, 'also dropped so': 48138, 'dropped so housing': 260630, 'so housing inventory': 777333, 'housing inventory remains': 407089, 'inventory remains very': 443706, 'remains very low': 710082, 'very low home': 955339, 'low home price': 505319, 'price remain strong': 676169, 'remain strong so': 709872, 'strong so far': 814114, 'driver medical': 259655, 'professional restaurant': 682484, 'worker healthcare': 1007108, 'truck driver medical': 932788, 'driver medical professional': 259656, 'medical professional restaurant': 526334, 'professional restaurant worker': 682486, 'restaurant worker healthcare': 716820, 'worker healthcare worker': 1007113, 'worker and everyone': 1006291, 'to keep safe': 908840, 'keep safe right': 471888, 'right now please': 722120, 'now please stay': 575553, 'lube': 506416, 'jk': 465546, 'if use': 415226, 'sanitizer lube': 735317, 'lube can': 506417, 'for booty': 319725, 'booty call': 135140, 'call rona': 156098, 'rona jk': 725784, 'if use sanitizer': 415227, 'use sanitizer lube': 949546, 'sanitizer lube can': 735318, 'lube can you': 506418, 'can you still': 160338, 'you still go': 1021402, 'out for booty': 626102, 'for booty call': 319726, 'booty call rona': 135141, 'call rona jk': 156099, 'stuffed': 815273, 'plush': 661728, 'teddy': 836430, 'pillow': 656711, 'cashappfriday online': 166393, 'for stuffed': 325955, 'stuffed animal': 815274, 'animal plush': 76642, 'plush toy': 661737, 'toy from': 927680, 'from great': 335691, 'great selection': 362981, 'of stuffed': 590336, 'animal teddy': 76665, 'teddy bear': 836431, 'bear plush': 118417, 'plush figure': 661731, 'figure plush': 305226, 'plush pillow': 661733, 'pillow plush': 656722, 'plush puppet': 661735, 'puppet more': 689302, 'at everyday': 98573, 'everyday 10': 286514, '10 via': 1748, 'cashappfriday online shopping': 166394, 'shopping for stuffed': 762713, 'for stuffed animal': 325956, 'stuffed animal plush': 815279, 'animal plush toy': 76644, 'plush toy from': 661738, 'toy from great': 927681, 'from great selection': 335692, 'great selection of': 362983, 'selection of stuffed': 747527, 'of stuffed animal': 590337, 'stuffed animal teddy': 815281, 'animal teddy bear': 76666, 'teddy bear plush': 836432, 'bear plush figure': 118418, 'plush figure plush': 661732, 'figure plush pillow': 305227, 'plush pillow plush': 661734, 'pillow plush puppet': 656723, 'plush puppet more': 661736, 'puppet more at': 689303, 'more at everyday': 538662, 'at everyday 10': 98574, 'everyday 10 via': 286515, 'run supermarket': 727813, 'other shopping': 620904, 'shopping facility': 762625, 'facility here': 295342, 'of er': 583148, 'er kenya': 280014, 'kenya guideline': 472905, 'do you run': 250673, 'you run supermarket': 1020960, 'run supermarket or': 727816, 'or other shopping': 616448, 'other shopping facility': 620905, 'shopping facility here': 762627, 'facility here how': 295344, 'can help stop': 158658, 'spread of er': 790667, 'of er kenya': 583149, 'er kenya guideline': 280015, 'gotta go': 359078, 'go stock': 354166, 'on roy': 603227, 'roy covid': 726603, '19 pet': 9666, 'so leaving': 777532, 'house pray': 406461, 'gotta go stock': 359079, 'go stock up': 354167, 'up on roy': 945614, 'on roy covid': 603228, 'roy covid 19': 726604, 'covid 19 pet': 213575, '19 pet food': 9667, 'pet food so': 653398, 'food so leaving': 316657, 'so leaving the': 777533, 'the house pray': 857626, 'house pray for': 406462, 'pray for me': 669002, 'candid': 161283, 'very candid': 955035, 'candid conversation': 161286, 'an la': 56501, 'la based': 478127, 'based er': 111567, 'er doctor': 280007, 'doctor on': 251051, 'listen to my': 494744, 'to my very': 910447, 'my very candid': 550493, 'very candid conversation': 955036, 'candid conversation with': 161287, 'conversation with an': 202498, 'with an la': 997221, 'an la based': 56502, 'la based er': 478128, 'based er doctor': 111568, 'er doctor on': 280008, 'doctor on the': 251052, 'texas is': 839792, 'considering cutting': 195369, 'output for': 629267, 'in nearly': 425712, 'nearly 50': 553780, 'year oil': 1014802, 'plunged amid': 661481, 'texas is considering': 839793, 'is considering cutting': 446756, 'considering cutting it': 195370, 'cutting it oil': 223739, 'it oil output': 460010, 'oil output for': 596999, 'output for the': 629268, 'time in nearly': 897004, 'in nearly 50': 425713, 'nearly 50 year': 553782, '50 year oil': 19918, 'year oil market': 1014803, 'oil market price': 596950, 'market price have': 516889, 'price have plunged': 674446, 'have plunged amid': 381984, 'plunged amid the': 661482, 'amid the and': 52681, 'the and saudi': 848720, '19 help': 7496, 'ordering takeout': 619032, 'delivery shopping': 234493, 'shopping local': 763200, 'local online': 498229, 'purchase gift': 689471, 'later use': 481160, 'use tag': 949625, 'thru service': 895220, 'business are some': 143388, 'of the hardest': 591092, 'the hardest hit': 857110, 'covid 19 help': 213199, '19 help support': 7500, 'help support them': 390619, 'support them by': 826906, 'them by ordering': 875514, 'by ordering takeout': 153460, 'ordering takeout delivery': 619033, 'takeout delivery shopping': 833154, 'delivery shopping local': 234494, 'shopping local online': 763203, 'local online purchase': 498231, 'online purchase gift': 608824, 'purchase gift card': 689472, 'gift card for': 349942, 'card for later': 163522, 'for later use': 322898, 'later use tag': 481161, 'use tag your': 949627, 'tag your business': 831777, 'your business in': 1023062, 'the comment and': 851208, 'comment and if': 188384, 're offering curbside': 699157, 'offering curbside delivery': 595054, 'curbside delivery or': 220620, 'delivery or drive': 234282, 'drive thru service': 259204, 'line financial': 493087, 'front line financial': 338573, 'line financial post': 493088, 'breach': 138358, 'maralago': 515030, 'sabotage': 729006, 'nk': 563490, 'retribution': 719779, 'xijingping': 1013844, 'soleimani': 781857, 'cluster': 184582, 'yes chinese': 1015404, 'chinese attempt': 177197, 'to breach': 901994, 'breach maralago': 138359, 'maralago chinese': 515031, 'chinese sabotage': 177344, 'sabotage of': 729009, 'of nk': 587032, 'nk initiative': 563491, 'initiative trade': 438664, 'war retribution': 966521, 'retribution for': 719780, 'for loss': 323108, 'face by': 294344, 'by xijingping': 154773, 'xijingping takeout': 1013845, 'takeout of': 833171, 'of ally': 580006, 'ally soleimani': 46437, 'soleimani around': 781858, 'iran cluster': 444681, 'cluster if': 184589, 'if usa': 415224, 'usa not': 948704, 'not consumer': 568844, 'consumer addicted': 196029, 'addicted we': 31631, 'yes chinese attempt': 1015405, 'chinese attempt to': 177198, 'attempt to breach': 102238, 'to breach maralago': 901995, 'breach maralago chinese': 138360, 'maralago chinese sabotage': 515032, 'chinese sabotage of': 177345, 'sabotage of nk': 729010, 'of nk initiative': 587033, 'nk initiative trade': 563492, 'initiative trade war': 438665, 'trade war retribution': 928612, 'war retribution for': 966522, 'retribution for loss': 719781, 'for loss of': 323110, 'loss of face': 503743, 'of face by': 583357, 'face by xijingping': 294345, 'by xijingping takeout': 154774, 'xijingping takeout of': 1013846, 'takeout of ally': 833172, 'of ally soleimani': 580007, 'ally soleimani around': 46438, 'soleimani around time': 781859, 'around time of': 93590, 'time of iran': 897343, 'of iran cluster': 585295, 'iran cluster if': 444682, 'cluster if usa': 184590, 'if usa not': 415225, 'usa not consumer': 948706, 'not consumer addicted': 568845, 'consumer addicted we': 196030, 'addicted we would': 31632, 'report prevent': 712189, 'while doing': 986761, 'doing laundry': 252508, 'consumer report prevent': 198720, 'report prevent the': 712190, '19 while doing': 12047, 'while doing laundry': 986763, 'petri': 653651, 'dish': 245493, 'hazardpay': 384598, 'need corona': 554642, 'virus woman': 959055, 'woman told': 1003641, 'me store': 523554, 'are like': 87786, 'like big': 489908, 'big petri': 129910, 'petri dish': 653652, 'dish truth': 245510, 'truth lockdownnow': 934402, 'lockdownnow groceryworkers': 500332, 'groceryworkers hazardpay': 366402, 'worker need corona': 1007422, 'need corona virus': 554643, 'corona virus woman': 204378, 'virus woman told': 959057, 'woman told me': 1003643, 'told me store': 923620, 'me store are': 523555, 'store are like': 806494, 'are like big': 87787, 'like big petri': 489910, 'big petri dish': 129911, 'petri dish truth': 653655, 'dish truth lockdownnow': 245511, 'truth lockdownnow groceryworkers': 934403, 'lockdownnow groceryworkers hazardpay': 500333, 'cnbctv18market': 184732, 'delaying': 232822, 'cnbctv18market oil': 184733, 'drop after': 260109, 'opec announced': 611845, 'wa delaying': 961935, 'delaying it': 232829, 'it meeting': 459591, 'meeting initially': 527720, 'initially scheduled': 438577, 'scheduled for': 741488, 'for monday': 323488, 'cnbctv18market oil price': 184734, 'price drop after': 673556, 'drop after opec': 260110, 'after opec announced': 35989, 'opec announced it': 611846, 'announced it wa': 76973, 'it wa delaying': 462099, 'wa delaying it': 961936, 'delaying it meeting': 232830, 'it meeting initially': 459592, 'meeting initially scheduled': 527721, 'initially scheduled for': 438578, 'scheduled for monday': 741492, '10th emergency': 2388, 'texas supreme': 839834, 'court certain': 211980, 'collection limited': 186446, '10th emergency order': 2389, 'emergency order of': 272835, 'order of the': 618448, 'outbreak by the': 628077, 'by the texas': 154457, 'the texas supreme': 869345, 'texas supreme court': 839835, 'supreme court certain': 827433, 'court certain consumer': 211981, 'certain consumer debt': 169984, 'consumer debt collection': 197076, 'debt collection limited': 230447, 'bahn': 108559, 'all get': 42909, 'head together': 385841, 'together on': 920886, 'get corporation': 346820, 'like bahn': 489857, 'bahn to': 108560, 'issue appropriate': 455675, 'appropriate refund': 83045, 'refund to': 706964, 'consumer affected': 196107, 'crisis refusing': 217954, 'refusing refund': 707083, 'service not': 752622, 'not rendered': 571306, 'rendered and': 710942, 'and prohibited': 69613, 'let all get': 486557, 'all get our': 42914, 'get our head': 347727, 'our head together': 623364, 'head together on': 385844, 'together on consumer': 920887, 'protection in time': 685488, 'crisis and get': 217023, 'and get corporation': 63565, 'get corporation like': 346821, 'corporation like bahn': 207439, 'like bahn to': 489858, 'bahn to issue': 108561, 'to issue appropriate': 908552, 'issue appropriate refund': 455676, 'appropriate refund to': 83046, 'refund to consumer': 706965, 'to consumer affected': 903264, 'consumer affected by': 196108, '19 crisis refusing': 6310, 'crisis refusing refund': 217955, 'refusing refund for': 707084, 'refund for service': 706913, 'for service not': 325498, 'service not rendered': 752625, 'not rendered and': 571307, 'rendered and prohibited': 710943, 'official can': 595770, 'can reduce': 159409, 'because peop': 119464, 'peop won': 646718, 'won stop': 1003909, 'official can reduce': 595771, 'can reduce price': 159413, 'reduce price because': 705895, 'price because peop': 672865, 'because peop won': 119465, 'peop won stop': 646719, 'won stop going': 1003911, 'going out can': 355363, 'out can stop': 625826, 'can stop taking': 159824, 'stop taking advantage': 805096, 'lansing': 479513, 'msusocialscience': 544589, 'student need': 814738, 'resource available': 714719, 'we compiled': 971154, 'compiled list': 191823, 'of campus': 581064, 'campus and': 157325, 'and greater': 63937, 'greater lansing': 363196, 'lansing area': 479514, 'area resource': 92176, 'student on': 814745, 'will update': 995273, 'update this': 947262, 'develops msusocialscience': 239863, 'our student need': 624985, 'student need to': 814739, 'to know the': 908996, 'know the resource': 476845, 'the resource available': 865592, 'resource available to': 714721, 'available to them': 104664, 'to them in': 917301, 'them in real': 875912, 'real time we': 701421, 'time we compiled': 898218, 'we compiled list': 971155, 'compiled list of': 191824, 'list of campus': 494416, 'of campus and': 581065, 'campus and greater': 157326, 'and greater lansing': 63938, 'greater lansing area': 363197, 'lansing area resource': 479515, 'area resource for': 92177, 'resource for our': 714785, 'for our student': 324297, 'our student on': 624986, 'student on our': 814746, 'our website will': 625357, 'website will update': 975486, 'will update this': 995276, 'update this list': 947263, 'this list the': 888662, 'list the covid': 494554, '19 situation develops': 10572, 'situation develops msusocialscience': 772240, 'it heartbreaking': 458520, 'heartbreaking to': 388424, 'how due': 407765, 'nurse left': 577403, 'left her': 485492, 'her 48': 391817, 'bare these': 110970, 'we rely': 973063, 'of think': 591923, 'think panicbuying': 885483, 'it heartbreaking to': 458522, 'heartbreaking to see': 388425, 'see how due': 745226, 'how due to': 407766, 'to the selfish': 917047, 'the selfish panic': 866669, 'selfish panic of': 748190, 'panic of shopper': 638355, 'of shopper this': 589653, 'shopper this nurse': 761751, 'this nurse left': 889195, 'nurse left her': 577404, 'left her 48': 485493, 'her 48 hour': 391818, 'hour shift and': 405911, 'shift and wa': 758239, 'and wa unable': 75105, 'buy food because': 148634, 'food because the': 313713, 'because the shelf': 119646, 'been stripped bare': 122067, 'stripped bare these': 813853, 'bare these are': 110971, 'people we rely': 650159, 'we rely on': 973064, 'on to take': 604766, 'care of think': 164121, 'of think panicbuying': 591926, 'out trying': 627735, 'trying find': 934705, 'find cow': 306865, 'cow to': 214460, 'to milk': 910127, 'milk instead': 531707, 'of risking': 589127, 'risking catching': 724058, '19 queuing': 9937, 'could be out': 208901, 'be out trying': 116293, 'out trying find': 627736, 'trying find cow': 934706, 'find cow to': 306866, 'cow to milk': 214461, 'to milk instead': 910129, 'milk instead of': 531708, 'instead of risking': 440314, 'of risking catching': 589128, 'risking catching covid': 724060, 'covid 19 queuing': 213645, '19 queuing in': 9938, 'queuing in supermarket': 694219, 'orr': 619675, 'test please': 839124, 'please supermarket': 660608, 'tested every': 839296, 'day every': 227575, 'every shift': 286164, 'shift orr': 758377, 'orr this': 619678, 'the test please': 869317, 'test please supermarket': 839125, 'please supermarket employee': 660609, 'supermarket employee need': 820128, 'be tested every': 117556, 'tested every day': 839297, 'every day every': 285805, 'day every shift': 227577, 'every shift orr': 286166, 'shift orr this': 758378, 'orr this is': 619679, 'nuisance': 576779, 'loudly': 504499, 'never felt': 557991, 'like rushing': 491112, 'rushing stranger': 728386, 'stranger with': 812506, 'with blow': 997433, 'blow much': 133319, 'did about': 240537, 'ago when': 38543, 'this nuisance': 889187, 'nuisance wa': 576784, 'wa laughing': 962509, 'laughing loudly': 481816, 'loudly about': 504500, 'he so': 385452, 'happy there': 377691, 'how shebi': 408662, 'shebi christian': 756499, 'christian are': 178109, 'always praying': 49688, 'praying and': 669110, 'll finally': 496762, 'finally see': 306090, 'no god': 564359, 'never felt like': 557993, 'felt like rushing': 303412, 'like rushing stranger': 491113, 'rushing stranger with': 728387, 'stranger with blow': 812507, 'with blow much': 997434, 'blow much did': 133320, 'much did about': 544827, 'did about 15': 240538, 'about 15 minute': 24649, '15 minute ago': 3774, 'minute ago when': 533721, 'ago when went': 38549, 'when went to': 984490, 'supermarket and this': 819085, 'and this nuisance': 74003, 'this nuisance wa': 889188, 'nuisance wa laughing': 576785, 'wa laughing loudly': 962510, 'laughing loudly about': 481817, 'loudly about how': 504501, 'how he so': 407982, 'he so happy': 385453, 'so happy there': 777245, 'happy there covid': 377692, '19 how shebi': 7608, 'how shebi christian': 408663, 'shebi christian are': 756500, 'christian are always': 178110, 'are always praying': 84506, 'always praying and': 49689, 'praying and now': 669111, 'and now they': 67867, 'they ll finally': 882596, 'll finally see': 496763, 'finally see there': 306092, 'see there no': 745927, 'there no god': 878811, 'auspoi': 103069, 'worse after': 1010852, 'pm said': 661968, 'said stophoarding': 731375, 'stophoarding almost': 805348, 'shelf containing': 756954, 'containing food': 200583, 'food stripped': 316874, 'bare panicshopping': 110937, 'panicshopping auspoi': 639416, 'auspoi panic': 103070, 'and if anything': 64932, 'if anything it': 413863, 'anything it worse': 80807, 'it worse after': 462545, 'worse after the': 1010854, 'after the pm': 36346, 'the pm said': 863880, 'pm said stophoarding': 661970, 'said stophoarding almost': 731376, 'stophoarding almost every': 805349, 'almost every shelf': 46625, 'every shelf containing': 286160, 'shelf containing food': 756955, 'containing food stripped': 200584, 'food stripped bare': 316875, 'stripped bare panicshopping': 813850, 'bare panicshopping auspoi': 110938, 'panicshopping auspoi panic': 639417, 'ruined abuse': 727123, 'abuse supermarket': 27659, 'staff because': 792254, 'not received': 571252, 'do hope': 249407, 'feel stupid': 302866, 'christmas ruined abuse': 178197, 'ruined abuse supermarket': 727124, 'abuse supermarket staff': 27660, 'supermarket staff because': 822818, 'staff because they': 792257, 'because they had': 119704, 'they had not': 882252, 'had not received': 373351, 'not received certain': 571254, 'in the delivery': 429127, 'delivery of their': 234238, 'of their purchase': 591693, 'their purchase do': 874512, 'purchase do hope': 689426, 'do hope those': 249410, 'people feel stupid': 647895, 'feel stupid now': 302867, 'stupid now 19': 815428, 'crisiscommunications': 218471, 'another healthcare': 77653, 'marketing matter': 517646, 'matter blog': 520547, 'post hospital': 666157, 'decision hospital': 231038, 'hospital crisiscommunications': 404364, 'crisiscommunications strategy': 218472, 'strategy publicrelations': 812697, 'publicrelations future': 688616, 'another healthcare marketing': 77654, 'healthcare marketing matter': 387175, 'marketing matter blog': 517647, 'matter blog post': 520548, 'blog post hospital': 132989, 'post hospital covid': 666158, 'consumer decision hospital': 197100, 'decision hospital crisiscommunications': 231039, 'hospital crisiscommunications strategy': 404365, 'crisiscommunications strategy publicrelations': 218473, 'strategy publicrelations future': 812698, 'fekking': 303129, 'creeping': 216623, 'supermarketbands': 824216, 'priceincrease': 677880, 'understand and': 940592, 'job the': 466188, 'it greatly': 458346, 'greatly appreciated': 363310, 'appreciated too': 82845, 'too but': 924628, 'but whats': 147809, 'whats with': 982851, 'the fekking': 855106, 'fekking price': 303130, 'increase people': 432978, 'people struggle': 649670, 'struggle price': 814366, 'price creeping': 673341, 'creeping up': 216624, 'and up': 74724, 'up supermarketbands': 946099, 'supermarketbands priceincrease': 824217, 'priceincrease eastersunday': 677881, 'understand and get': 940595, 'and get the': 63604, 'get the wonderful': 348314, 'the wonderful job': 871677, 'wonderful job the': 1004093, 'job the supermarket': 466192, 'and it greatly': 65534, 'it greatly appreciated': 458347, 'greatly appreciated too': 363311, 'appreciated too but': 82846, 'too but whats': 924633, 'but whats with': 147810, 'whats with the': 982852, 'with the fekking': 1001303, 'the fekking price': 855107, 'fekking price increase': 303131, 'price increase people': 674781, 'increase people struggle': 432980, 'people struggle price': 649671, 'struggle price creeping': 814367, 'price creeping up': 673342, 'creeping up and': 216625, 'up and up': 944385, 'and up supermarketbands': 74729, 'up supermarketbands priceincrease': 946100, 'supermarketbands priceincrease eastersunday': 824218, 'avery': 104935, 'infection possible': 436815, 'possible sir': 665778, 'sir ray': 771632, 'ray avery': 698019, '19 infection possible': 7857, 'infection possible sir': 436816, 'possible sir ray': 665779, 'sir ray avery': 771633, 'roll me': 725385, 'just stocked': 469902, 'on stamp': 603629, 'stamp in': 793423, 'case can': 165675, 'toilet roll me': 921585, 'roll me ve': 725386, 'me ve just': 523875, 've just stocked': 953312, 'just stocked up': 469903, 'up on stamp': 945620, 'on stamp in': 603630, 'stamp in case': 793424, 'in case can': 421256, 'case can get': 165676, 'to the post': 916969, 'the post office': 864094, 'do like': 249564, 'do like covid': 249565, 'khushabu': 473748, 'khushabu we': 473749, 'we request': 973090, 'khushabu we can': 473750, 'safe we request': 730119, 'we request to': 973093, 'request to pm': 713218, 'heatmap': 388536, 'grocer fail': 364124, 'demand pandemic': 236010, 'spread heatmap': 790563, 'heatmap column': 388537, 'grocer fail to': 364125, 'fail to keep': 296108, 'with demand pandemic': 997985, 'demand pandemic spread': 236011, 'pandemic spread heatmap': 636527, 'spread heatmap column': 790564, 'heatmap column food': 388538, 'column food economy': 186901, 'jsc': 467567, '13th': 3361, 'bad because': 107777, 'because placed': 119487, 'placed jsc': 657895, 'jsc order': 467568, 'the 13th': 847886, '13th without': 3370, 'thinking at': 885881, '19 thought': 11366, 'thought shopping': 893213, 'online would': 609764, 'okay but': 597960, 'happening okay': 377388, 'okay with': 598035, 'with waiting': 1002010, 'waiting because': 964298, 'because understand': 119760, 'understand since': 940710, 'since thing': 770935, 'thing end': 884307, 'end still': 275967, 'item lol': 463435, 'feel so bad': 302854, 'so bad because': 776577, 'bad because placed': 107778, 'because placed jsc': 119488, 'placed jsc order': 657896, 'jsc order on': 467569, 'order on the': 618459, 'on the 13th': 603949, 'the 13th without': 847889, '13th without thinking': 3371, 'without thinking at': 1003001, 'thinking at all': 885882, 'at all because': 97873, 'all because covid': 42150, 'covid 19 thought': 213945, '19 thought shopping': 11369, 'thought shopping online': 893214, 'shopping online would': 763512, 'online would be': 609765, 'would be okay': 1011625, 'be okay but': 116179, 'okay but now': 597964, 'but now what': 146618, 'now what is': 576381, 'is happening okay': 448284, 'happening okay with': 377389, 'okay with waiting': 598037, 'with waiting because': 1002011, 'waiting because understand': 964299, 'because understand since': 119761, 'understand since thing': 940711, 'since thing end': 770937, 'thing end still': 884308, 'end still want': 275968, 'still want the': 801386, 'want the item': 965959, 'the item lol': 858608, 'semantics': 749590, 'kor': 477443, 're into': 698913, 'into something': 443003, 'something there': 785088, 'there what': 879335, 'what journalist': 981780, 'journalist call': 467427, 'call report': 156092, 'the intel': 858337, 'intel community': 440965, 'community call': 189772, 'call reporting': 156094, 'reporting semantics': 712752, 'semantics wa': 749591, 'with dod': 998101, 'dod held': 251258, 'held top': 388943, 'top secret': 925713, 'secret clearance': 743914, 'clearance and': 181393, 'have read': 382169, 'read lot': 700406, 'of dia': 582575, 'dia reporting': 240150, 'reporting gi': 712692, 'gi in': 349715, 'and kor': 65899, 'you re into': 1020657, 're into something': 698914, 'into something there': 443004, 'something there what': 785090, 'there what journalist': 879336, 'what journalist call': 981781, 'journalist call report': 467428, 'call report the': 156093, 'report the intel': 712341, 'the intel community': 858338, 'intel community call': 440966, 'community call reporting': 189773, 'call reporting semantics': 156095, 'reporting semantics wa': 712753, 'semantics wa consumer': 749592, 'wa consumer with': 961871, 'consumer with dod': 199560, 'with dod held': 998102, 'dod held top': 251259, 'held top secret': 388944, 'top secret clearance': 925714, 'secret clearance and': 743915, 'clearance and have': 181394, 'and have read': 64269, 'have read lot': 382171, 'read lot of': 700408, 'lot of dia': 504173, 'of dia reporting': 582576, 'dia reporting gi': 240151, 'reporting gi in': 712693, 'gi in italy': 349716, 'in italy and': 424290, 'italy and kor': 462763, 'nalgonda': 551567, 'ranga': 696681, 'garu': 343726, 'donthikevegetableprices': 255358, 'sp good': 787011, 'job nalgonda': 466018, 'nalgonda sp': 551568, 'sp ranga': 787015, 'ranga garu': 696682, 'garu warning': 343729, 'warning trader': 967230, 'trader and': 928644, 'ensure price': 278007, 'not hiked': 569970, 'hiked up': 396351, 'all district': 42582, 'district sp': 248386, 'sp and': 787007, 'police across': 662886, 'across nation': 29402, 'same donthikevegetableprices': 733046, 'donthikevegetableprices association': 255359, 'sp good job': 787012, 'good job nalgonda': 357296, 'job nalgonda sp': 466019, 'nalgonda sp ranga': 551569, 'sp ranga garu': 787016, 'ranga garu warning': 696683, 'garu warning trader': 343730, 'warning trader and': 967231, 'trader and others': 928650, 'others to ensure': 621726, 'to ensure price': 905180, 'ensure price of': 278009, 'of vegetable are': 592759, 'vegetable are not': 953936, 'are not hiked': 88389, 'not hiked up': 569973, 'hiked up all': 396352, 'up all district': 944253, 'all district sp': 42583, 'district sp and': 248387, 'sp and police': 787008, 'and police across': 69156, 'police across nation': 662887, 'across nation must': 29404, 'nation must do': 552259, 'must do the': 546633, 'the same donthikevegetableprices': 866219, 'same donthikevegetableprices association': 733047, 'grubhub': 367512, 'city our': 179315, 'business wa': 144627, 'wa affected': 961446, 'affected more': 34396, 'area due': 91992, 'that market': 845041, 'market grubhub': 516476, 'grubhub official': 367516, 'statement monday': 796191, 'york city our': 1016593, 'city our consumer': 179316, 'our consumer business': 622526, 'consumer business wa': 196683, 'business wa affected': 144628, 'wa affected more': 961447, 'affected more than': 34397, 'more than in': 540634, 'than in other': 840779, 'in other metro': 426245, 'other metro area': 620542, 'metro area due': 529899, 'area due to': 91993, '19 impact in': 7699, 'impact in that': 417709, 'in that market': 428924, 'that market grubhub': 845043, 'market grubhub official': 516477, 'grubhub official said': 367517, 'official said in': 595900, 'in statement monday': 428251, 'food worth': 317685, 'worth 35': 1011326, '00 deliberately': 164, 'deliberately coughed': 232955, 'food worth 35': 317686, 'worth 35 00': 1011327, '35 00 deliberately': 17863, '00 deliberately coughed': 165, 'deliberately coughed on': 232956, 'on in supermarket': 601535, 'york don': 1016607, 'new york don': 559926, 'york don panic': 1016608, 'coronacrisis there': 204816, 'to boycott': 901967, 'boycott shop': 137337, 'shop which': 761033, 'which increase': 985961, 'price extortionately': 673746, 'extortionately because': 293410, 'coronacrisis there is': 204817, 'is need to': 449857, 'need to boycott': 555871, 'to boycott shop': 901969, 'boycott shop which': 137339, 'shop which increase': 761035, 'which increase price': 985962, 'increase price extortionately': 433002, 'price extortionately because': 673748, 'extortionately because of': 293411, 'because of shortage': 119401, 'keda': 471255, 'ceramic': 169904, 'sunda': 818143, 'cedi': 168741, 'ghc': 349622, 'keda ceramic': 471256, 'ceramic ghana': 169905, 'ghana and': 349556, 'and sunda': 72684, 'sunda international': 818144, 'international dealer': 441782, 'dealer in': 229607, 'in fast': 422800, 'good have': 357164, 'donated five': 254335, 'five hundred': 309622, 'hundred thousand': 411030, 'thousand ghana': 893396, 'ghana cedi': 349558, 'cedi ghc': 168742, 'ghc 500': 349623, 'keda ceramic ghana': 471257, 'ceramic ghana and': 169906, 'ghana and sunda': 349557, 'and sunda international': 72685, 'sunda international dealer': 818145, 'international dealer in': 441783, 'dealer in fast': 229609, 'in fast moving': 422801, 'consumer good have': 197619, 'good have donated': 357166, 'have donated five': 380318, 'donated five hundred': 254336, 'five hundred thousand': 309623, 'hundred thousand ghana': 411031, 'thousand ghana cedi': 893397, 'ghana cedi ghc': 349559, 'cedi ghc 500': 168743, 'down many': 256941, 'worried who': 1010604, 'become exposed': 119988, 'it daily': 457461, 'daily with': 224897, 'coronacrisis iowa': 204638, 'iowa fight': 444489, 'it down many': 457693, 'down many people': 256942, 'are worried who': 91738, 'worried who work': 1010605, 'retail who can': 718853, 'who can become': 988373, 'can become exposed': 157732, 'become exposed to': 119989, 'exposed to it': 292897, 'to it daily': 908576, 'it daily with': 457462, 'daily with thousand': 224899, 'people in our': 648410, 'our store coronacrisis': 624943, 'store coronacrisis iowa': 807179, 'coronacrisis iowa fight': 204639, 'iowa fight for': 444490, 'fight for health': 304739, 'but essential': 145662, 'personnel restricted': 653152, 'etc pay': 282696, 'pay employed': 644841, 'employed their': 273497, 'quarantine sooner': 692556, 'done sooner': 255021, 'sooner thing': 785928, 'quarantine everyone but': 692182, 'everyone but essential': 286747, 'but essential personnel': 145663, 'essential personnel restricted': 281388, 'personnel restricted to': 653153, 'restricted to home': 717167, 'to home unless': 907940, 'facility etc pay': 295329, 'etc pay employed': 282697, 'pay employed their': 644842, 'employed their average': 273498, 'under quarantine sooner': 940220, 'quarantine sooner this': 692557, 'is done sooner': 447324, 'done sooner thing': 255022, 'sooner thing return': 785929, 'lrw': 506342, 'pov': 667467, 'assembled': 96344, 'chief research': 175963, 'research officer': 713794, 'officer at': 595639, 'at lrw': 99645, 'lrw client': 506343, 'client have': 182047, 'asking me': 96022, 'my pov': 549824, 'pov on': 667468, 'handle their': 376279, 'their brand': 872640, 'brand tracking': 138057, 'tracking mrx': 928345, 'mrx during': 544475, 'we assembled': 970794, 'assembled data': 96345, 'and advice': 57724, 'chief research officer': 175964, 'research officer at': 713795, 'officer at lrw': 595642, 'at lrw client': 99646, 'lrw client have': 506344, 'client have been': 182048, 'have been asking': 379470, 'been asking me': 120699, 'asking me for': 96023, 'me for my': 522755, 'for my pov': 323742, 'my pov on': 549825, 'pov on how': 667469, 'how to handle': 409028, 'to handle their': 907135, 'handle their brand': 376280, 'their brand tracking': 872641, 'brand tracking mrx': 138058, 'tracking mrx during': 928346, 'mrx during the': 544476, 'the pandemic so': 863099, 'pandemic so we': 636498, 'so we assembled': 778658, 'we assembled data': 970795, 'assembled data and': 96346, 'data and advice': 226117, 'and advice in': 57730, 'advice in this': 33408, 'love in': 504705, '19 went': 11986, 'bought you': 136785, 'love in time': 504707, 'covid 19 went': 214058, '19 went to': 11987, 'supermarket and bought': 818944, 'and bought you': 59116, 'bought you few': 136786, 'you few thing': 1018551, 'enraging': 277820, 'seriously cannot': 751559, 'believe how': 126274, 'how fucking': 407894, 'quit twitter': 694817, 'twitter it': 936677, 'it too': 461788, 'too enraging': 924713, 'seriously cannot believe': 751560, 'cannot believe how': 161668, 'believe how fucking': 126275, 'how fucking stupid': 407897, 'fucking stupid and': 340019, 'stupid and selfish': 815340, 'and selfish people': 71197, 'selfish people are': 748205, 'have to quit': 383272, 'to quit twitter': 912696, 'quit twitter it': 694818, 'twitter it too': 936679, 'it too enraging': 461790, 'panchetta': 634715, 'goosebump': 358234, 'lost power': 503907, 'power last': 667636, 'hour usda': 406060, 'usda recommends': 948965, 'recommends throwing': 704846, 'the panchetta': 862882, 'panchetta dairy': 634716, 'fridge it': 333411, 'it stayed': 461237, 'stayed cool': 797860, 'cool it': 203020, 'the goosebump': 856458, 'goosebump choose': 358235, 'own ending': 631966, 'ending scenario': 276200, 'scenario stay': 741289, 'poisoning or': 662811, 'lost power last': 503908, 'power last night': 667637, 'last night for': 480372, 'night for 10': 562994, 'for 10 hour': 318614, '10 hour usda': 1471, 'hour usda recommends': 406061, 'usda recommends throwing': 948966, 'recommends throwing out': 704847, 'throwing out the': 895104, 'out the panchetta': 627403, 'the panchetta dairy': 862883, 'panchetta dairy and': 634717, 'dairy and egg': 224952, 'and egg in': 61976, 'egg in my': 269893, 'my fridge it': 548415, 'fridge it stayed': 333412, 'it stayed cool': 461238, 'stayed cool it': 797861, 'cool it one': 203021, 'of the goosebump': 591069, 'the goosebump choose': 856459, 'goosebump choose your': 358236, 'choose your own': 177930, 'your own ending': 1025134, 'own ending scenario': 631967, 'ending scenario stay': 276201, 'scenario stay home': 741290, 'home and maybe': 400662, 'and maybe get': 66812, 'maybe get food': 521685, 'get food poisoning': 347060, 'food poisoning or': 315881, 'poisoning or go': 662812, 'store at some': 806592, 'some point and': 783581, 'point and get': 662415, 'kinda company': 475041, 'care much': 164068, 'much about': 544687, 'it clientele': 457178, 'clientele reduce': 182151, 'data bundle': 226150, 'bundle if': 142650, 'so wish': 778787, 'wish that': 996814, 'customer stay': 222874, 'home amp': 400600, 'amp aren': 53408, 'aren infected': 92441, 'kinda company that': 475042, 'company that don': 191167, 'that don care': 843597, 'don care much': 253424, 'care much about': 164069, 'much about it': 544690, 'about it clientele': 25571, 'it clientele reduce': 457179, 'clientele reduce the': 182152, 'reduce the price': 705973, 'for data bundle': 320547, 'data bundle if': 226151, 'bundle if you': 142651, 'if you so': 415521, 'you so wish': 1021290, 'so wish that': 778788, 'wish that your': 996819, 'your customer stay': 1023425, 'customer stay home': 222875, 'stay home amp': 796937, 'home amp aren': 400601, 'amp aren infected': 53409, 'aren infected with': 92442, 'socialism fearing': 780958, 'fearing covid': 301477, 'from leader': 336202, 'leader quarantined': 483517, 'quarantined at': 692825, 'home shortage': 402063, 'good shopping': 357734, 'at designated': 98426, 'designated time': 238311, 'time healthcare': 896905, 'ill public': 416171, 'gathering limit': 344478, '10 hospital': 1462, 'demand gov': 235579, 'gov pay': 359657, 'to earner': 904840, 'socialism fearing covid': 780959, 'fearing covid 19': 301478, '19 piece of': 9683, 'piece of information': 656337, 'of information from': 585193, 'information from leader': 437842, 'from leader quarantined': 336203, 'leader quarantined at': 483518, 'quarantined at home': 692827, 'at home shortage': 99106, 'home shortage of': 402064, 'food and good': 313244, 'and good shopping': 63835, 'good shopping at': 357735, 'shopping at designated': 762092, 'at designated time': 98429, 'designated time healthcare': 238312, 'time healthcare for': 896906, 'healthcare for the': 387124, 'for the ill': 326491, 'the ill public': 857873, 'ill public gathering': 416172, 'public gathering limit': 688031, 'gathering limit of': 344480, 'limit of 10': 492392, 'of 10 hospital': 579308, '10 hospital bed': 1463, 'hospital bed and': 404324, 'bed and medical': 120382, 'medical supply in': 526448, 'supply in demand': 825397, 'in demand gov': 422127, 'demand gov pay': 235580, 'gov pay to': 359658, 'pay to earner': 645183, 'lockdownaustralia': 500218, 'forget toiletpaper': 329341, 'toiletpaper the': 922589, 've stocked': 953603, 'is tea': 452583, 'tea just': 835366, 'without my': 1002795, 'my morning': 549313, 'morning cuppa': 541233, 'cuppa lockdown': 220517, 'lockdown lockdownaustralia': 499610, 'lockdownaustralia stayathomesavelives': 500223, 'stayathomesavelives stayathome': 797805, 'stayathome selfisolation': 797605, 'forget toiletpaper the': 329344, 'toiletpaper the only': 922591, 'only thing ve': 611322, 'thing ve stocked': 884945, 've stocked up': 953604, 'up on is': 945583, 'on is tea': 601636, 'is tea just': 452584, 'tea just can': 835367, 'just can live': 468430, 'can live without': 158899, 'live without my': 496125, 'without my morning': 1002798, 'my morning cuppa': 549314, 'morning cuppa lockdown': 541234, 'cuppa lockdown lockdownaustralia': 220518, 'lockdown lockdownaustralia stayathomesavelives': 499611, 'lockdownaustralia stayathomesavelives stayathome': 500224, 'stayathomesavelives stayathome selfisolation': 797806, 'socio': 781379, 'implosion': 418602, 'hastened': 378834, 'shiite': 758581, 'kurdish': 477953, 'sunni': 818387, 'independence': 434067, 'are socio': 90243, 'socio economic': 781380, 'economic implosion': 267145, 'implosion hastened': 418603, 'hastened by': 378835, 'the decline': 853004, 'price terrorism': 676771, 'terrorism amp': 838598, 'amp shiite': 54484, 'shiite militia': 758582, 'militia kurdish': 531525, 'kurdish amp': 477954, 'amp arab': 53402, 'arab sunni': 83840, 'sunni independence': 818388, 'independence prompted': 434076, 'above iran': 27077, 'iran war': 444717, 'on iraqi': 601625, 'iraqi territory': 444799, 'territory covid': 838556, 'new addition': 558320, 'long list': 501512, 'of existential': 583306, 'existential issue': 290284, 'issue facing': 455744, 'facing iraq': 295509, 'these are socio': 879635, 'are socio economic': 90244, 'socio economic implosion': 781382, 'economic implosion hastened': 267146, 'implosion hastened by': 418604, 'hastened by the': 378836, 'by the decline': 154304, 'the decline in': 853006, 'oil price terrorism': 597284, 'price terrorism amp': 676772, 'terrorism amp shiite': 838599, 'amp shiite militia': 54485, 'shiite militia kurdish': 758583, 'militia kurdish amp': 531526, 'kurdish amp arab': 477955, 'amp arab sunni': 53403, 'arab sunni independence': 83841, 'sunni independence prompted': 818389, 'independence prompted by': 434077, 'prompted by the': 683929, 'by the above': 154257, 'the above iran': 848247, 'above iran war': 27078, 'iran war on': 444718, 'war on iraqi': 966504, 'on iraqi territory': 601626, 'iraqi territory covid': 444800, 'territory covid 19': 838557, '19 new addition': 8768, 'new addition to': 558321, 'addition to the': 31752, 'to the long': 916857, 'the long list': 859680, 'long list of': 501513, 'list of existential': 494432, 'of existential issue': 583307, 'existential issue facing': 290285, 'issue facing iraq': 455745, 'pudding': 688803, 'coronavirus food': 205932, 'parcel demand': 641486, 'we fed': 971530, 'fed twice': 301917, 'twice many': 936530, 'people last': 648607, 'did during': 240594, 'support now': 826680, 'product this': 681726, 'week custard': 976128, 'custard jam': 221948, 'jam amp': 464350, 'spread rice': 790773, 'rice pudding': 721117, 'pudding tinned': 688807, 'tinned fruit': 898619, 'coronavirus food parcel': 205936, 'food parcel demand': 315813, 'parcel demand due': 641487, 'pandemic we fed': 636940, 'we fed twice': 971531, 'fed twice many': 301918, 'twice many people': 936531, 'many people last': 514515, 'people last week': 648608, 'last week we': 480691, 'week we did': 977189, 'we did during': 971291, 'did during the': 240595, 'during the same': 263184, 'last year we': 480744, 'year we need': 1015087, 'your support now': 1026089, 'support now more': 826681, 'ever and will': 285196, 'and will run': 75691, 'of these product': 591856, 'these product this': 880563, 'product this week': 681729, 'this week custard': 891205, 'week custard jam': 976129, 'custard jam amp': 221949, 'jam amp spread': 464351, 'amp spread rice': 54546, 'spread rice pudding': 790774, 'rice pudding tinned': 721118, 'pudding tinned fruit': 688808, 'creepy': 216630, 'embraced': 272497, 'portland': 665033, 'pdx': 645955, 'made mask': 507826, 'responsibly walked': 716121, 'walked to': 964983, 'on along': 599262, 'with pair': 1000066, 'of sunglass': 590398, 'sunglass sure': 818380, 'sure looked': 827611, 'looked creepy': 502718, 'creepy but': 216631, 'but embraced': 145643, 'embraced it': 272498, 'because portland': 119491, 'portland socialdistancing': 665040, 'socialdistancing pdx': 780595, 'made mask so': 507829, 'mask so can': 519281, 'so can go': 776711, 'can go grocery': 158497, 'grocery shopping responsibly': 365073, 'shopping responsibly walked': 763744, 'responsibly walked to': 716122, 'walked to the': 964985, 'store with it': 811384, 'with it on': 999078, 'it on along': 460028, 'on along with': 599263, 'along with pair': 47072, 'with pair of': 1000067, 'pair of sunglass': 634339, 'of sunglass sure': 590400, 'sunglass sure looked': 818381, 'sure looked creepy': 827612, 'looked creepy but': 502719, 'creepy but embraced': 216632, 'but embraced it': 145644, 'embraced it because': 272499, 'it because portland': 456757, 'because portland socialdistancing': 119492, 'portland socialdistancing pdx': 665041, 'argentinian': 92652, 'ginning': 350212, 'he describes': 384869, 'describes the': 237966, 'the harvest': 857134, 'harvest in': 378621, 'different province': 242037, 'province how': 687176, 'the argentinian': 848887, 'argentinian government': 92653, 'affect harvesting': 34154, 'harvesting ginning': 378652, 'ginning and': 350213, 'and marketing': 66719, 'course where': 211959, 'where price': 985130, 'go you': 354535, 'can view': 160118, 'view it': 957105, 'he describes the': 384870, 'describes the status': 237967, 'status of the': 796688, 'of the harvest': 591093, 'the harvest in': 857135, 'harvest in different': 378622, 'in different province': 422255, 'different province how': 242038, 'province how the': 687177, 'how the argentinian': 408802, 'the argentinian government': 848888, 'argentinian government is': 92654, 'government is responding': 360273, '19 how the': 7609, 'crisis will affect': 218403, 'will affect harvesting': 992213, 'affect harvesting ginning': 34155, 'harvesting ginning and': 378653, 'ginning and marketing': 350214, 'and marketing and': 66721, 'marketing and of': 517522, 'of course where': 582079, 'course where price': 211960, 'where price are': 985131, 'likely to go': 492157, 'to go you': 906890, 'go you can': 354536, 'you can view': 1017824, 'can view it': 160119, 'view it here': 957106, 'igd': 415698, 'for igd': 322474, 'igd resource': 415699, 'resource find': 714769, 're engaging': 698612, 'with industry': 998989, 'and read': 69976, 'read news': 700473, 'good sector': 357701, 'sector on': 744284, 'is developing': 447157, 'developing follow': 239782, 'more regular': 540205, 'regular content': 707756, 'the link for': 859439, 'link for igd': 493833, 'for igd resource': 322475, 'igd resource find': 415700, 'resource find out': 714770, 'out how we': 626340, 'how we re': 409186, 'we re engaging': 972864, 're engaging with': 698613, 'engaging with industry': 276925, 'with industry and': 998990, 'industry and read': 435647, 'and read news': 69980, 'read news from': 700474, 'news from the': 560460, 'and consumer good': 60386, 'consumer good sector': 197637, 'good sector on': 357704, 'sector on how': 744285, 'how the situation': 408876, 'situation is developing': 772344, 'is developing follow': 447159, 'developing follow for': 239783, 'for more regular': 323593, 'more regular content': 540206, 'starbucks move': 794099, 'go only': 353918, 'crisis starbucks move': 218080, 'starbucks move to': 794100, 'move to to': 543769, 'to to go': 917591, 'to go only': 906833, 'hi why': 394772, 'still offer': 800918, 'offer such': 594814, 'such cheap': 816388, '100 usd': 2109, 'usd on': 948925, 'cruise that': 219711, 'could potentially': 209522, 'potentially lock': 667224, 'lock people': 499077, 'into miserable': 442759, 'miserable quarantine': 533987, 'quarantine did': 692144, 'not learn': 570337, 'your lesson': 1024612, 'lesson already': 486465, 'hi why do': 394773, 'you still offer': 1021407, 'still offer such': 800921, 'offer such cheap': 594815, 'such cheap price': 816389, 'cheap price 100': 174171, 'price 100 usd': 672102, '100 usd on': 2110, 'usd on cruise': 948926, 'on cruise that': 600178, 'cruise that could': 219712, 'that could potentially': 843360, 'could potentially lock': 209525, 'potentially lock people': 667225, 'lock people into': 499078, 'people into miserable': 648503, 'into miserable quarantine': 442760, 'miserable quarantine did': 533988, 'quarantine did you': 692145, 'did you not': 240940, 'you not learn': 1020124, 'not learn your': 570339, 'learn your lesson': 484100, 'your lesson already': 1024613, 'regoing': 707693, 'shame he': 754602, 'didn say': 241185, 'say if': 738781, 'you regoing': 1020890, 'regoing to': 707694, 'are restricted': 89651, 'to would': 918854, 'job easier': 465811, 'easier coronacrisis': 265137, 'shame he didn': 754603, 'he didn say': 384884, 'didn say if': 241187, 'say if you': 738788, 'if you regoing': 415508, 'you regoing to': 1020891, 'regoing to supermarket': 707695, 'to supermarket item': 915806, 'supermarket item are': 821188, 'item are restricted': 463104, 'are restricted to': 89654, 'restricted to would': 717172, 'to would make': 918856, 'would make my': 1012025, 'make my job': 510223, 'my job easier': 548912, 'job easier coronacrisis': 465812, 'foaming': 311815, 'of liquid': 585874, 'liquid hand': 494091, 'soap foaming': 779001, 'foaming hand': 311816, 'soap didn': 778979, 'didn people': 241159, 'people wash': 650142, '19 madness': 8506, 'empty of liquid': 274983, 'of liquid hand': 585875, 'liquid hand soap': 494093, 'hand soap foaming': 375771, 'soap foaming hand': 779002, 'foaming hand soap': 311818, 'soap and bar': 778906, 'bar soap didn': 110768, 'soap didn people': 778980, 'didn people wash': 241161, 'people wash their': 650143, 'their hand before': 873472, 'covid 19 madness': 213388, 'correction supermarket': 207572, 'shelf aren': 756835, 'aren cleared': 92358, 'cleared across': 181405, 'world plenty': 1009896, 'italy for': 462830, 'for eg': 320965, 'eg co': 269699, 'co ppl': 184950, 'ppl aren': 668178, 'aren panic': 92471, 'country most': 210899, 'correction supermarket shelf': 207573, 'supermarket shelf aren': 822429, 'shelf aren cleared': 756836, 'aren cleared across': 92359, 'cleared across the': 181406, 'the world plenty': 871939, 'world plenty of': 1009897, 'of food on': 583740, 'on shelf in': 603404, 'shelf in italy': 757201, 'in italy for': 424301, 'italy for eg': 462831, 'for eg co': 320966, 'eg co ppl': 269700, 'co ppl aren': 184951, 'ppl aren panic': 668179, 'aren panic buying': 92472, 'buying in the': 150547, 'the country most': 852118, 'country most affected': 210900, 'celebrating': 168827, 'easter to': 265515, 'all celebrating': 42328, 'celebrating today': 168844, 'happy easter to': 377610, 'easter to all': 265516, 'to all celebrating': 900234, 'all celebrating today': 42329, 'just served': 469768, 'served lady': 751996, 'lady she': 478824, 'glove face': 352674, 'had sanitiser': 373476, 'her served': 392355, 'served her': 751989, 'she paid': 756258, 'paid me': 634076, 'with cash': 997561, 'cash people': 166303, 'understand it': 940666, 'boat protect': 133726, 'others melbourne': 621533, 'just served lady': 469769, 'served lady she': 751997, 'lady she wa': 478825, 'she wa wearing': 756435, 'wearing glove face': 974631, 'glove face mask': 352675, 'mask and had': 518332, 'and had sanitiser': 64104, 'had sanitiser with': 373477, 'sanitiser with her': 734052, 'with her served': 998778, 'her served her': 392356, 'served her and': 751990, 'her and she': 391853, 'and she paid': 71424, 'she paid me': 756259, 'paid me with': 634077, 'me with cash': 523989, 'with cash people': 997564, 'cash people have': 166304, 'have to understand': 383329, 'to understand it': 917905, 'understand it we': 940669, 'it we are': 462274, 'same boat protect': 732983, 'boat protect yourself': 133727, 'yourself and protect': 1026526, 'and protect others': 69658, 'protect others melbourne': 684883, 'anyone comment': 80240, 'comment on': 188436, 'on whether': 605272, 'whether special': 985566, 'hour which': 406093, 'vulnerable elderly': 960943, 'people together': 649972, 'place nh': 657589, 'is terribly': 452612, 'terribly good': 838466, 'can anyone comment': 157509, 'anyone comment on': 80241, 'comment on whether': 188443, 'on whether special': 605275, 'whether special supermarket': 985567, 'special supermarket opening': 788063, 'opening hour which': 612863, 'hour which put': 406094, 'which put the': 986253, 'put the most': 690864, 'most vulnerable elderly': 542877, 'vulnerable elderly people': 960948, 'elderly people together': 270838, 'people together in': 649973, 'together in the': 920836, 'same place nh': 733231, 'place nh staff': 657590, 'nh staff who': 562112, 'staff who have': 793087, 'have been working': 379745, 'been working with': 122404, 'working with covid': 1009055, '19 patient is': 9590, 'patient is terribly': 644193, 'is terribly good': 452614, 'terribly good idea': 838467, 'fuelprice': 340364, 'tell all': 836902, 'that petrol': 845731, 'are touching': 91161, 'touching per': 926708, 'uk fuelprice': 938396, 'just to tell': 470111, 'to tell all': 916333, 'tell all of': 836903, 'you that petrol': 1021575, 'that petrol diesel': 845732, 'diesel price are': 241674, 'price are touching': 672756, 'are touching per': 91163, 'touching per litre': 926709, 'litre in the': 495164, 'the uk fuelprice': 870222, 'gazettement': 344771, 'read some': 700548, 'supermarket increased': 821019, 'much 10': 544664, '10 ahead': 1297, 'the gazettement': 856188, 'gazettement of': 344772, 'price rule': 676279, 'rule under': 727394, 'act related': 29757, 'read some supermarket': 700550, 'some supermarket increased': 784008, 'supermarket increased food': 821020, 'increased food price': 433322, 'food price by': 315926, 'price by much': 673027, 'by much 10': 153261, 'much 10 ahead': 544665, '10 ahead of': 1298, 'of the gazettement': 591057, 'the gazettement of': 856189, 'gazettement of price': 344773, 'of price rule': 588415, 'price rule under': 676280, 'rule under the': 727395, 'under the disaster': 940303, 'management act related': 512526, 'act related to': 29758, 'main question': 508804, 'wasted it': 968243, 'like panicked': 490964, 'panicked food': 639268, 'buying people': 150894, 'buying canned': 150090, 'canned and': 161493, 're even': 698630, 'even buying': 283924, 'my main question': 549192, 'main question is': 508805, 'is how much': 448588, 'much food is': 544906, 'food is going': 315125, 'to be wasted': 901631, 'be wasted it': 118060, 'wasted it not': 968244, 'not like panicked': 570398, 'like panicked food': 490965, 'panicked food buying': 639269, 'food buying people': 313854, 'buying people are': 150895, 'people are just': 647007, 'are just buying': 87620, 'just buying canned': 468391, 'buying canned and': 150091, 'canned and shelf': 161495, 'and shelf stable': 71447, 'stable food they': 791909, 'food they re': 317175, 'they re even': 883026, 're even buying': 698632, 'even buying all': 283925, 'business after': 143250, 'after coronacrisis': 35505, 'coronacrisis digital': 204587, 'digital becomes': 242514, 'becomes core': 120213, 'core strategy': 203527, 'strategy made': 812675, 'china no': 176846, 'only source': 611173, 'source remote': 786539, 'work becomes': 1004925, 'becomes part': 120245, 'of strategy': 590290, 'strategy direct': 812637, 'consumer online': 198265, 'shopping becomes': 762180, 'becomes norm': 120241, 'norm strategy': 567057, 'strategy marketing': 812677, 'marketing business': 517538, 'business online': 144140, 'online digital': 608103, 'future of business': 342389, 'of business after': 580943, 'business after coronacrisis': 143252, 'after coronacrisis digital': 35506, 'coronacrisis digital becomes': 204588, 'digital becomes core': 242515, 'becomes core strategy': 120214, 'core strategy made': 203528, 'strategy made in': 812676, 'in china no': 421418, 'china no longer': 176847, 'longer the only': 502085, 'the only source': 862343, 'only source remote': 611175, 'source remote work': 786540, 'remote work becomes': 710740, 'work becomes part': 1004926, 'becomes part of': 120246, 'part of strategy': 642383, 'of strategy direct': 590292, 'strategy direct to': 812638, 'to consumer online': 903319, 'consumer online shopping': 198268, 'online shopping becomes': 609048, 'shopping becomes norm': 762181, 'becomes norm strategy': 120242, 'norm strategy marketing': 567058, 'strategy marketing business': 812678, 'marketing business online': 517539, 'business online digital': 144141, 'utah': 951184, 'utah food': 951190, 'pantry and': 639516, 'kitchen are': 475696, 'utah food pantry': 951191, 'food pantry and': 315766, 'pantry and kitchen': 639522, 'and kitchen are': 65865, 'kitchen are experiencing': 475697, 'experiencing high demand': 291657, 'high demand due': 395004, 'crisis change': 217207, 'consumer eating': 197278, 'eating behavior': 266179, 'will the covid': 995133, '19 crisis change': 6224, 'crisis change consumer': 217208, 'change consumer eating': 171984, 'consumer eating behavior': 197279, 'she is an': 756144, 'is an idiot': 445665, 'pandemic over': 636137, 'over half': 630268, 'half 58': 374134, '58 agreed': 20519, 'more pandemic': 539977, 'hope not': 403553, 'the consumer trend': 851615, 'consumer trend during': 199372, 'trend during this': 931328, 'this pandemic over': 889412, 'pandemic over half': 636138, 'over half 58': 630269, 'half 58 agreed': 374135, '58 agreed that': 20520, 'agreed that we': 38728, 'will see more': 994785, 'see more pandemic': 745434, 'more pandemic like': 539978, 'pandemic like this': 635889, 'future we hope': 342515, 'we hope not': 972032, 'bottled': 136365, 'real life': 701249, 'life photo': 488967, 'get bottled': 346699, 'bottled water': 136370, 'water stayhome': 969165, 'real life photo': 701253, 'life photo of': 488968, 'of me going': 586329, 'to get bottled': 906426, 'get bottled water': 346700, 'bottled water stayhome': 136375, 'closetheschoolsnow': 183561, 'coronacrisis australian': 204519, 'australian are': 103435, 'seriously could': 751571, 'me space': 523520, 'supermarket mixed': 821525, 'mixed messaging': 534634, 'messaging to': 529524, 'blame closetheschoolsnow': 132248, 'coronacrisis australian are': 204520, 'australian are not': 103436, 'this seriously could': 890039, 'seriously could not': 751572, 'not get people': 569603, 'get people to': 347806, 'people to give': 649904, 'give me space': 350583, 'me space at': 523521, 'space at local': 787059, 'local supermarket mixed': 498556, 'supermarket mixed messaging': 821526, 'mixed messaging to': 534636, 'messaging to blame': 529525, 'to blame closetheschoolsnow': 901843, 'limiting my': 492833, 'week like': 976484, 'go longer': 353809, 'between shop': 128891, 'restock my': 716882, 'fruit weekly': 339196, 'weekly friend': 977497, 'mine who': 532943, 'supermarket told': 823492, 'she cry': 755971, 'work eve': 1005107, 'limiting my grocery': 492834, 'grocery shopping to': 365095, 'shopping to once': 764185, 'per week like': 651069, 'week like to': 976485, 'like to go': 491593, 'to go longer': 906821, 'go longer in': 353810, 'longer in between': 501997, 'in between shop': 420809, 'between shop but': 128892, 'shop but need': 759999, 'need to restock': 556047, 'to restock my': 913405, 'restock my fresh': 716884, 'my fresh fruit': 548411, 'fresh fruit weekly': 333003, 'fruit weekly friend': 339197, 'weekly friend of': 977498, 'of mine who': 586562, 'mine who work': 532945, 'in supermarket told': 428697, 'supermarket told me': 823494, 'told me she': 923616, 'me she cry': 523443, 'she cry at': 755972, 'cry at work': 219855, 'at work eve': 101600, 'brockless': 140808, 'timberdine': 896171, 'worcester': 1004435, 'harvey amp': 378665, 'amp brockless': 53472, 'brockless now': 140809, 'now selling': 575768, 'struggle seen': 814374, 'selling dairy': 749212, 'product cheese': 681053, 'cheese amp': 175159, 'amp deli': 53619, 'deli item': 232930, 'price avoid': 672827, 'crowd come': 219141, 'see for': 745127, 'yourself 26': 1026498, 'the timberdine': 869567, 'timberdine pub': 896172, 'pub worcester': 687811, 'harvey amp brockless': 378666, 'amp brockless now': 53473, 'brockless now selling': 140810, 'now selling to': 575775, 'selling to the': 749507, 'to the community': 916575, 'community in light': 189915, '19 situation and': 10568, 'situation and the': 772187, 'and the struggle': 73599, 'the struggle seen': 868306, 'struggle seen at': 814375, 'seen at the': 746959, 're now selling': 699146, 'now selling dairy': 575769, 'selling dairy product': 749213, 'dairy product cheese': 225027, 'product cheese amp': 681054, 'cheese amp deli': 175160, 'amp deli item': 53620, 'deli item at': 232931, 'item at reduced': 463133, 'reduced price avoid': 706144, 'price avoid the': 672828, 'avoid the crowd': 105320, 'the crowd come': 852521, 'crowd come and': 219142, 'and see for': 71134, 'see for yourself': 745131, 'for yourself 26': 328230, 'yourself 26 the': 1026499, '26 the timberdine': 16194, 'the timberdine pub': 869568, 'timberdine pub worcester': 896173, 'icky': 412777, 'amiright': 52851, 'idiotinchief': 413657, 'food naturally': 315509, 'naturally the': 552926, 'need according': 554360, 'to republican': 913306, 'republican is': 713041, 'more icky': 539465, 'icky brown': 412778, 'brown people': 141254, 'people picking': 649112, 'picking fruit': 655853, 'vegetable mean': 954033, 'mean who': 524773, 'food amiright': 313121, 'amiright gop': 52852, 'gop idiotinchief': 358255, 'idiotinchief racism': 413658, 'since we have': 770979, 'have people panic': 381913, 'hoarding food naturally': 399308, 'food naturally the': 315510, 'naturally the last': 552927, 'last thing we': 480550, 'thing we need': 884966, 'we need according': 972461, 'need according to': 554361, 'according to republican': 28583, 'to republican is': 913307, 'republican is more': 713042, 'is more icky': 449710, 'more icky brown': 539466, 'icky brown people': 412779, 'brown people picking': 141255, 'people picking fruit': 649113, 'picking fruit and': 655854, 'and vegetable mean': 74890, 'vegetable mean who': 954034, 'mean who need': 524774, 'who need more': 989320, 'need more food': 555257, 'more food amiright': 539236, 'food amiright gop': 313122, 'amiright gop idiotinchief': 52853, 'gop idiotinchief racism': 358256, 'distancing thing': 247546, 'great can': 362563, 'supermarket this social': 823320, 'social distancing thing': 779742, 'distancing thing is': 247547, 'thing is great': 884469, 'is great can': 448192, 'great can we': 362564, 'we keep it': 972131, 'keep it after': 471605, 'it after all': 456297, 'portacabin': 664932, 'up portacabin': 945785, 'portacabin supermarket': 664933, 'park panicbuyinguk': 641967, 'can you set': 160330, 'you set up': 1021132, 'set up portacabin': 753572, 'up portacabin supermarket': 945786, 'portacabin supermarket for': 664934, 'supermarket for frontline': 820397, 'for frontline staff': 321780, 'frontline staff in': 338826, 'staff in the': 792559, 'car park panicbuyinguk': 163231, 'mob': 534911, 'con yes': 192816, 'yes much': 1015488, 'much gratitude': 544955, 'gratitude for': 362369, 'staff also': 792102, 'also all': 47830, 'chain clerk': 170595, 'clerk working': 181831, 'with irrational': 999040, 'irrational mob': 444986, 'mob leave': 534914, 'tp people': 927903, 'con yes much': 192817, 'yes much gratitude': 1015489, 'much gratitude for': 544957, 'gratitude for our': 362371, 'for our healthcare': 324256, 'our healthcare staff': 623390, 'healthcare staff also': 387286, 'staff also all': 792103, 'also all the': 47832, 'the grocery supply': 856829, 'supply chain clerk': 824930, 'chain clerk working': 170596, 'clerk working the': 181832, 'working the store': 1008942, 'store with irrational': 811383, 'with irrational mob': 999041, 'irrational mob leave': 444987, 'mob leave some': 534915, 'leave some tp': 484936, 'some tp people': 784104, 'contentsquare': 200867, 'provide understanding': 686525, 'understanding during': 940874, 'monitoring the': 537377, 'behavior contentsquare': 123984, 'to provide understanding': 912444, 'provide understanding during': 686526, 'understanding during this': 940875, 'uncertain time we': 939630, 'we are monitoring': 970631, 'are monitoring the': 88103, 'monitoring the impact': 537380, 'of on online': 587222, 'on online consumer': 602517, 'online consumer behavior': 608042, 'consumer behavior contentsquare': 196459, 'tractor': 928391, 'trailer': 929212, 'police find': 662995, 'find stolen': 307251, 'stolen tractor': 804304, 'tractor trailer': 928392, 'trailer full': 929213, 'police find stolen': 662996, 'find stolen tractor': 307253, 'stolen tractor trailer': 804305, 'tractor trailer full': 928393, 'trailer full of': 929214, 'full of toilet': 340762, 'fortnum': 329875, 'mason': 519714, 'is deepening': 447068, 'deepening fortnum': 231945, 'fortnum and': 329876, 'and mason': 66774, 'mason put': 519719, 'put 700': 690492, '700 worker': 21909, 'on furlough': 601059, 'fellow department': 303281, 'store company': 807124, 'company debenhams': 190583, 'debenhams call': 230353, 'in administrator': 420044, 'administrator for': 32532, 'help read': 390410, 'about both': 24889, 'both story': 136057, 'story here': 812000, 'crisis on the': 217818, 'high street is': 395431, 'street is deepening': 813009, 'is deepening fortnum': 447069, 'deepening fortnum and': 231946, 'fortnum and mason': 329877, 'and mason put': 66775, 'mason put 700': 519720, 'put 700 worker': 690493, '700 worker on': 21910, 'worker on furlough': 1007488, 'on furlough and': 601060, 'furlough and fellow': 341879, 'and fellow department': 62792, 'fellow department store': 303282, 'department store company': 237270, 'store company debenhams': 807126, 'company debenhams call': 190584, 'debenhams call in': 230354, 'call in administrator': 155938, 'in administrator for': 420045, 'administrator for help': 32533, 'for help read': 322187, 'help read more': 390411, 'more about both': 538497, 'about both story': 24890, 'both story here': 136058, 've friend': 953147, 'is worried': 454059, 'worried they': 1010591, 'be laid': 115652, 'of underlying': 592613, 'condition due': 193444, 'work part': 1005596, 'local op': 498236, 'op supermarket': 611816, 'ha asthma': 369640, 'and diabetes': 61301, 'diabetes what': 240191, 'what her': 981597, 'her right': 392333, 'right over': 722213, 'can she': 159590, 've friend who': 953148, 'who is worried': 989131, 'is worried they': 454061, 'worried they will': 1010593, 'will be laid': 992531, 'be laid off': 115653, 'laid off because': 479013, 'because of underlying': 119421, 'of underlying health': 592614, 'health condition due': 386291, 'condition due to': 193445, '19 work part': 12171, 'work part time': 1005597, 'part time at': 642444, 'time at local': 896349, 'at local op': 99607, 'local op supermarket': 498237, 'op supermarket and': 611817, 'supermarket and ha': 818994, 'and ha asthma': 64063, 'ha asthma and': 369641, 'asthma and diabetes': 97180, 'and diabetes what': 61303, 'diabetes what her': 240192, 'what her right': 981598, 'her right over': 392334, 'right over this': 722215, 'over this and': 630814, 'this and what': 886358, 'and what can': 75453, 'what can she': 981178, 'can she do': 159591, 'auburn': 102814, 'about seriously': 26165, 'seriously losing': 751665, 'losing the': 503591, 'the plot': 863850, 'plot these': 661090, 'clown are': 184357, 'queuing for': 694208, 'western suburb': 980638, 'suburb of': 816123, 'of auburn': 580441, 'talk about seriously': 833754, 'about seriously losing': 26166, 'seriously losing the': 751666, 'losing the plot': 503593, 'the plot these': 863851, 'plot these clown': 661091, 'these clown are': 879769, 'clown are queuing': 184358, 'are queuing for': 89391, 'queuing for at': 694209, 'for at in': 319517, 'the western suburb': 871406, 'western suburb of': 980639, 'suburb of auburn': 816124, 'scary stuff': 741189, 'stuff israeli': 815111, 'israeli grocery': 455613, 'stock there': 802957, 'produce is': 680322, 'is old': 450453, 'and chinese': 59859, 'chinese food': 177261, 'stuff are': 815015, 'find but': 306839, 'not starving': 571699, 'starving god': 795252, 'god help': 354735, 'scary stuff israeli': 741190, 'stuff israeli grocery': 815112, 'israeli grocery store': 455614, 'store are low': 806498, 'low on stock': 505465, 'on stock there': 603677, 'stock there no': 802960, 'there no fresh': 878810, 'no fresh fish': 564302, 'fish and the': 309292, 'and the produce': 73529, 'the produce is': 864570, 'produce is old': 680325, 'is old and': 450455, 'old and chinese': 598134, 'and chinese food': 59860, 'chinese food stuff': 177264, 'food stuff are': 316885, 'stuff are hard': 815016, 'are hard to': 87017, 'to find but': 905887, 'find but not': 306840, 'but not starving': 146564, 'not starving god': 571700, 'starving god help': 795253, 'god help the': 354738, 'throat': 894230, 'cleared my': 181417, 'my throat': 550363, 'throat in': 894241, 'day swear': 228447, 'swear when': 830044, 'when turned': 984356, 'turned around': 935826, 'other patron': 620649, 'patron were': 644426, 'were like': 979842, 'cleared my throat': 181418, 'my throat in': 550366, 'throat in the': 894243, 'other day swear': 620082, 'day swear when': 228448, 'swear when turned': 830045, 'when turned around': 984357, 'turned around other': 935828, 'around other patron': 93436, 'other patron were': 620650, 'patron were like': 644427, 'incarcerated': 431319, 'dade': 224431, 'rigorous': 722489, 'breaking incarcerated': 138968, 'incarcerated people': 431322, 'miami dade': 530167, 'dade county': 224432, 'county sue': 211497, 'sue over': 817162, 'over condition': 630100, 'metro west': 529951, 'west jail': 980512, 'jail demanding': 464262, 'demanding more': 236602, 'more rigorous': 540266, 'rigorous disease': 722490, 'disease prevention': 245214, 'prevention measure': 671871, 'immediate release': 417020, 'of medically': 586401, 'medically vulnerable': 526541, 'vulnerable individual': 961022, 'individual their': 435263, 'continued detention': 201311, 'detention is': 239377, 'is grave': 448183, 'grave risk': 362430, 'breaking incarcerated people': 138969, 'incarcerated people in': 431323, 'people in miami': 648396, 'in miami dade': 425277, 'miami dade county': 530168, 'dade county sue': 224433, 'county sue over': 211498, 'sue over condition': 817163, 'over condition in': 630101, 'condition in the': 193471, 'in the metro': 429357, 'the metro west': 860553, 'metro west jail': 529952, 'west jail demanding': 980513, 'jail demanding more': 464263, 'demanding more rigorous': 236603, 'more rigorous disease': 540267, 'rigorous disease prevention': 722491, 'disease prevention measure': 245215, 'prevention measure and': 671872, 'measure and the': 525105, 'and the immediate': 73415, 'the immediate release': 857907, 'immediate release of': 417021, 'release of medically': 708984, 'of medically vulnerable': 586402, 'medically vulnerable individual': 526542, 'vulnerable individual their': 961023, 'individual their continued': 435264, 'their continued detention': 872873, 'continued detention is': 201312, 'detention is grave': 239378, 'is grave risk': 448184, 'grave risk to': 362431, 'risk to their': 723972, 'to their life': 917248, 'month try': 538089, 'try year': 934690, 'year coronamemes': 1014488, 'month try year': 538090, 'try year coronamemes': 934691, 'year coronamemes toiletpaper': 1014489, 'could the': 209756, 'sudden travel': 817053, 'travel downturn': 930340, 'downturn equal': 257798, 'equal surge': 279608, 'in unit': 430439, 'unit available': 942044, 'for traditional': 327308, 'traditional rental': 929013, 'rental potentially': 711256, 'potentially lower': 667226, 'lower rental': 505981, 'could the sudden': 209759, 'the sudden travel': 868392, 'sudden travel downturn': 817054, 'travel downturn equal': 930342, 'downturn equal surge': 257799, 'equal surge in': 279609, 'surge in unit': 828213, 'in unit available': 430440, 'unit available for': 942045, 'available for traditional': 104387, 'for traditional rental': 327309, 'traditional rental potentially': 929014, 'rental potentially lower': 711257, 'potentially lower rental': 667228, 'lower rental price': 505982, 'rental price 19': 711260, 'azerbaijani': 106398, 'smuggle': 775984, 'married': 517998, 'azerbaijan': 106397, 'azerbaijani authority': 106399, 'have arrested': 379353, 'arrested five': 93836, 'five people': 309650, 'who allegedly': 988045, 'allegedly tried': 45715, 'to smuggle': 914779, 'smuggle mask': 775987, 'mask into': 518857, 'into china': 442457, 'price one': 675742, 'the accused': 848291, 'accused supplier': 28962, 'is married': 449587, 'married to': 518005, 'the former': 855713, 'former director': 329629, 'major pharmaceutical': 509417, 'in azerbaijan': 420652, 'azerbaijani authority have': 106401, 'authority have arrested': 103736, 'have arrested five': 379354, 'arrested five people': 93837, 'five people who': 309652, 'people who allegedly': 650258, 'who allegedly tried': 988047, 'allegedly tried to': 45716, 'tried to smuggle': 931851, 'to smuggle mask': 914781, 'smuggle mask into': 775988, 'mask into china': 518858, 'into china to': 442458, 'china to sell': 177003, 'to sell them': 914180, 'sell them at': 748905, 'them at inflated': 875443, 'inflated price one': 437059, 'price one of': 675744, 'of the accused': 590776, 'the accused supplier': 848292, 'accused supplier is': 28963, 'supplier is married': 824563, 'is married to': 449588, 'married to the': 518007, 'to the former': 916724, 'the former director': 855714, 'former director of': 329631, 'director of major': 243652, 'of major pharmaceutical': 586114, 'major pharmaceutical company': 509418, 'pharmaceutical company in': 654067, 'company in azerbaijan': 190757, '48oz': 19367, 'lysol lot': 507180, 'lot disinfectant': 504032, 'sanitizer clean': 734657, 'clean fresh': 180538, 'fresh 48oz': 332904, '48oz kill': 19368, 'virus spray': 958779, 'spray cleaner': 790281, 'lysol lot disinfectant': 507182, 'lot disinfectant sanitizer': 504033, 'disinfectant sanitizer clean': 245747, 'sanitizer clean fresh': 734658, 'clean fresh 48oz': 180539, 'fresh 48oz kill': 332905, '48oz kill virus': 19370, 'kill virus spray': 474546, 'virus spray cleaner': 958780, '45uk': 19212, 'kate 45uk': 471014, 'amok': 52975, 'murder': 546151, 'teenager run': 836550, 'run amok': 727552, 'amok coughing': 52976, 'and spewing': 72101, 'spewing spit': 789193, 'to possibly': 911903, 'possibly spread': 665955, 'and murder': 67328, 'murder people': 546157, 'underlying condition': 940468, 'condition sue': 193528, 'sue the': 817166, 'crap out': 214903, 'their parent': 874245, 'teenager run amok': 836551, 'run amok coughing': 727553, 'amok coughing and': 52977, 'coughing and spewing': 208666, 'and spewing spit': 72102, 'spewing spit on': 789194, 'spit on fruit': 789561, 'on fruit and': 601036, 'and vegetable produce': 74894, 'vegetable produce in': 954080, 'store to possibly': 810796, 'to possibly spread': 911904, 'possibly spread and': 665956, 'spread and murder': 790416, 'and murder people': 67329, 'murder people with': 546158, 'with underlying condition': 1001896, 'underlying condition sue': 940471, 'condition sue the': 193529, 'sue the crap': 817167, 'the crap out': 852272, 'crap out of': 214904, 'of their parent': 591687, 'stayathome chicago': 797452, 'chicago newyork': 175686, 'newyork newyorkcity': 561196, 'newyorkcity america': 561207, 'worker are hero': 1006394, 'are hero stayathome': 87137, 'hero stayathome chicago': 394094, 'stayathome chicago newyork': 797453, 'chicago newyork newyorkcity': 175687, 'newyork newyorkcity america': 561197, 'stayhomestaysafeugadi': 798544, 'make panic': 510300, 'buying spread': 151070, 'spread awareness': 790441, 'awareness among': 105682, 'among your': 53116, 'family contribute': 297723, 'contribute your': 201890, 'support against': 826332, 'by social': 154060, 'staying indoor': 798649, 'indoor at': 435346, 'sharing some': 755581, 'food india': 315000, 'die starving': 241457, 'starving stayhomestaysafeugadi': 795266, 'not make panic': 570502, 'make panic buying': 510301, 'panic buying spread': 637896, 'buying spread awareness': 151071, 'spread awareness among': 790442, 'awareness among your': 105683, 'among your friend': 53117, 'and family contribute': 62655, 'family contribute your': 297724, 'contribute your support': 201891, 'your support against': 1026078, 'support against covid': 826333, '19 by social': 5575, 'by social distancing': 154061, 'distancing and staying': 246998, 'and staying indoor': 72322, 'staying indoor at': 798650, 'indoor at home': 435347, 'home try to': 402375, 'try to help': 934632, 'to help poor': 907590, 'help poor people': 390338, 'poor people on': 664256, 'people on street': 648972, 'on street by': 603714, 'street by sharing': 812935, 'by sharing some': 153971, 'sharing some food': 755582, 'some food india': 782862, 'food india should': 315001, 'india should not': 434609, 'should not die': 766238, 'not die starving': 569025, 'die starving stayhomestaysafeugadi': 241458, 'eco': 266652, 'access your': 28309, 'your consumption': 1023330, 'consumption when': 199961, 'the extra': 854760, 'extra hope': 293546, 'actually consume': 30766, 'consume what': 195954, 'what luxury': 981844, 'luxury item': 506938, 'need perspective': 555432, 'perspective rethink': 653229, 'rethink eco': 719644, 'now is time': 575087, 'time to access': 897938, 'to access your': 899964, 'access your consumption': 28310, 'your consumption when': 1023331, 'consumption when you': 199962, 'option to go': 614123, 'and do supermarket': 61561, 'do supermarket shop': 250194, 'supermarket shop for': 822586, 'shop for everything': 760186, 'for everything the': 321258, 'everything the extra': 288039, 'the extra hope': 854762, 'extra hope you': 293547, 'hope you think': 403810, 'you think about': 1021641, 'about what you': 26906, 'what you actually': 982658, 'you actually consume': 1016807, 'actually consume what': 30767, 'consume what you': 195955, 'what you waste': 982699, 'you waste and': 1022181, 'waste and what': 968079, 'and what luxury': 75475, 'what luxury item': 981845, 'luxury item you': 506940, 'item you do': 463866, 'not really need': 571241, 'really need perspective': 702440, 'need perspective rethink': 555433, 'perspective rethink eco': 653230, 'molina': 535662, 'partnered': 642918, 'alleviate supply': 45819, 'shortage caused': 764877, 'the molina': 860732, 'molina healthcare': 535663, 'healthcare of': 387195, 'of michigan': 586471, 'michigan partnered': 530357, 'partnered with': 642919, 'with motor': 999577, 'motor city': 543330, 'city gas': 179158, 'donate nearly': 254204, 'nearly 25': 553772, 'hospital including': 404476, 'including amp': 431874, 'amp we': 54816, 'our healthcareheroes': 623393, 'to help alleviate': 907447, 'help alleviate supply': 389332, 'alleviate supply shortage': 45820, 'supply shortage caused': 825831, 'shortage caused by': 764878, 'by the molina': 154378, 'the molina healthcare': 860733, 'molina healthcare of': 535664, 'healthcare of michigan': 387196, 'of michigan partnered': 586474, 'michigan partnered with': 530358, 'partnered with motor': 642923, 'with motor city': 999578, 'motor city gas': 543331, 'city gas to': 179159, 'gas to donate': 344157, 'to donate nearly': 904652, 'donate nearly 25': 254205, 'nearly 25 gallon': 553773, '25 gallon of': 15874, 'gallon of hand': 343042, 'sanitizer to local': 735933, 'local hospital including': 498089, 'hospital including amp': 404477, 'including amp we': 431875, 'amp we thank': 54822, 'we thank our': 973513, 'thank our healthcareheroes': 841619, 'brain for': 137592, 'her please': 392306, 'please 19': 659628, 'stop hoarding and': 804724, 'hoarding and use': 399194, 'and use your': 74788, 'your brain for': 1023011, 'brain for your': 137593, 'for your own': 328186, 'your own good': 1025140, 'own good if': 632021, 'good if you': 357235, 'do it for': 249477, 'it for her': 458079, 'for her please': 322227, 'her please 19': 392307, 'nancychokeswhilepeoplegobroke': 551798, 'not strategic': 571773, 'strategic reserve': 812560, 'reserve supply': 714100, 'toiletpaper nancychokeswhilepeoplegobroke': 922254, 'is there not': 453020, 'there not strategic': 878863, 'not strategic reserve': 571774, 'strategic reserve supply': 812562, 'reserve supply of': 714101, 'supply of toiletpaper': 825655, 'of toiletpaper nancychokeswhilepeoplegobroke': 592273, 'obstructing': 578717, 'by obstructing': 153387, 'obstructing the': 578720, '19 throughout': 11389, 'idiot trump': 413622, 'trying keep': 934713, 'infection death': 436741, 'death low': 230120, 'so he': 777269, 'keep manipulating': 471647, 'stock markt': 802461, 'markt price': 517944, 'guy didn': 368976, 'didn count': 241027, 'the resolve': 865587, 'resolve of': 714636, 'of ny': 587120, 'ny governor': 577870, 'by obstructing the': 153389, 'obstructing the testing': 578721, 'the testing of': 869332, 'testing of covid': 839582, 'covid 19 throughout': 213952, '19 throughout the': 11390, 'the country the': 852162, 'country the idiot': 211126, 'the idiot trump': 857849, 'idiot trump is': 413623, 'trump is trying': 933659, 'is trying keep': 453395, 'trying keep the': 934714, 'keep the number': 472058, 'number of covid': 576934, '19 infection death': 7849, 'infection death low': 436742, 'death low so': 230121, 'low so he': 505627, 'so he can': 777270, 'he can keep': 384816, 'can keep manipulating': 158809, 'keep manipulating the': 471648, 'manipulating the stock': 513225, 'the stock markt': 867916, 'stock markt price': 802462, 'markt price the': 517945, 'price the guy': 676837, 'the guy didn': 856958, 'guy didn count': 368977, 'didn count on': 241028, 'count on the': 210147, 'on the resolve': 604333, 'the resolve of': 865588, 'resolve of ny': 714637, 'of ny governor': 587121, 'were and': 979328, 'living like': 496409, 'sudden they': 817051, 'they wanna': 883702, 'wanna buy': 965619, 'buy hoard': 148789, 'hoard cleaning': 398769, 'supply hand': 825344, 'paper cuz': 640078, 'cuz of': 223810, 'there were and': 879310, 'were and are': 979329, 'and are people': 58340, 'are people living': 89039, 'people living like': 648686, 'living like this': 496410, 'like this for': 491491, 'this for long': 887592, 'long time and': 501764, 'time and now': 896284, 'all of sudden': 43711, 'of sudden they': 590376, 'sudden they wanna': 817052, 'they wanna buy': 883703, 'wanna buy hoard': 965620, 'buy hoard cleaning': 148790, 'hoard cleaning supply': 398770, 'cleaning supply hand': 181078, 'supply hand sanitizer': 825345, 'toilet paper cuz': 921249, 'paper cuz of': 640079, 'cuz of the': 223812, 'see meme': 745415, 'meme of': 528344, 'of fat': 583443, 'fat guy': 300206, 'how good': 407924, 'good look': 357342, 'look kingdom': 502452, 'kingdom without': 475353, 'without realizing': 1002874, 'realizing it': 701932, 'received lot': 703639, 'of attention': 580434, 'attention trying': 102501, 'the immunocompromised': 857921, 'immunocompromised in': 417464, 'if any of': 413830, 'of you see': 593420, 'you see meme': 1021049, 'see meme of': 745416, 'meme of fat': 528345, 'of fat guy': 583445, 'fat guy in': 300207, 'guy in gas': 369034, 'in gas mask': 423222, 'gas mask in': 343903, 'in supermarket please': 428649, 'supermarket please share': 822020, 'please share it': 660487, 'it with me': 462477, 'with me want': 999458, 'see how good': 745232, 'how good look': 407925, 'good look kingdom': 357344, 'look kingdom without': 502453, 'kingdom without realizing': 475354, 'without realizing it': 1002875, 'realizing it received': 701933, 'it received lot': 460663, 'received lot of': 703640, 'lot of attention': 504141, 'of attention trying': 580435, 'attention trying to': 102502, 'trying to protect': 934846, 'protect the immunocompromised': 684973, 'the immunocompromised in': 857922, 'immunocompromised in my': 417465, 'in my family': 425574, 'scale is': 739893, 'is different': 447166, 'anything we': 80932, 'before said': 123049, 'said judith': 731182, 'judith smith': 467694, 'smith meyer': 775802, 'meyer foodbank': 530033, 'foodbank sbc': 317794, 'sbc marketing': 739801, 'marketing communication': 517553, 'communication manager': 189609, 'manager thank': 512803, 'community understand': 190190, 'understand our': 940690, 'our effort': 622856, 'the scale is': 866404, 'scale is different': 739894, 'is different than': 447169, 'different than anything': 242085, 'than anything we': 840362, 'anything we ve': 80935, 'we ve ever': 973661, 'ever seen before': 285485, 'seen before said': 746970, 'before said judith': 123051, 'said judith smith': 731183, 'judith smith meyer': 467695, 'smith meyer foodbank': 775803, 'meyer foodbank sbc': 530034, 'foodbank sbc marketing': 317795, 'sbc marketing communication': 739802, 'marketing communication manager': 517554, 'communication manager thank': 189611, 'manager thank you': 512804, 'helping the community': 391485, 'the community understand': 851303, 'community understand our': 190191, 'understand our effort': 940691, 'the could': 851999, 'cause house': 167601, 'to plunge': 911834, 'plunge by': 661418, 'much 80': 544682, '80 in': 22588, 'some spring': 783927, 'spring month': 791226, 'month last': 537814, 'year ha': 1014599, 'ha predicted': 371530, 'predicted the': 669620, 'website found': 975281, 'that buyer': 843069, 'buyer demand': 149624, 'demand dropped': 235262, 'dropped by': 260548, 'by 40': 151647, 'to march': 909837, '22 read': 15241, 'read analysis': 700276, 'the could cause': 852002, 'could cause house': 208999, 'cause house sale': 167602, 'house sale to': 406546, 'sale to plunge': 732590, 'to plunge by': 911835, 'plunge by much': 661422, 'by much 80': 153265, 'much 80 in': 544684, '80 in some': 22589, 'in some spring': 428103, 'some spring month': 783928, 'spring month last': 791227, 'month last year': 537815, 'last year ha': 480724, 'year ha predicted': 1014602, 'ha predicted the': 371531, 'predicted the website': 669622, 'the website found': 871277, 'website found that': 975282, 'found that buyer': 330395, 'that buyer demand': 843070, 'buyer demand dropped': 149625, 'demand dropped by': 235263, 'dropped by 40': 260550, 'by 40 in': 151648, 'the week to': 871317, 'week to march': 977088, 'to march 22': 909839, 'march 22 read': 515184, '22 read analysis': 15242, 'read analysis here': 700278, 'shielding': 758194, 'vulnerable ha': 960991, 'is shielding': 451846, 'shielding been': 758197, 'been offered': 121590, 'offered delivery': 594915, 'slot from': 774195, 'any major': 79442, 'tesco morrison': 838743, 'morrison asda': 541704, 'asda waitrose': 95001, 'waitrose sainsbury': 964478, 'vulnerable ha anyone': 960992, 'ha anyone who': 369593, 'who is shielding': 989112, 'is shielding been': 451847, 'shielding been offered': 758198, 'been offered delivery': 121591, 'offered delivery slot': 594916, 'delivery slot from': 234522, 'slot from any': 774196, 'from any major': 334550, 'any major supermarket': 79444, 'major supermarket tesco': 509500, 'supermarket tesco morrison': 823151, 'tesco morrison asda': 838744, 'morrison asda waitrose': 541706, 'asda waitrose sainsbury': 95003, 'of tragic': 592415, 'tragic grocery': 929194, 'wearing disposable': 974610, 'disposable glove': 246244, 'mask google': 518764, 'die of tragic': 241433, 'of tragic grocery': 592416, 'tragic grocery worker': 929195, 'grocery worker should': 366188, 'worker should be': 1007772, 'should be wearing': 765770, 'be wearing disposable': 118074, 'wearing disposable glove': 974611, 'disposable glove mask': 246246, 'glove mask google': 352774, 'united are': 942150, 'donating 50': 254423, 'manchester united are': 512962, 'united are donating': 942151, 'are donating 50': 85946, 'donating 50 00': 254424, 'response to growing': 715848, 'to growing demand': 907045, '21kidsandcounting': 15133, 'channel4': 172958, 'watching 21kidsandcounting': 968693, '21kidsandcounting on': 15134, 'showing there': 767537, 'there weekly': 879299, 'shop wonder': 761077, 'like for': 490269, 'with lockdown': 999289, 'buying lockdown': 150670, 'lockdown channel4': 499235, 'watching 21kidsandcounting on': 968694, '21kidsandcounting on and': 15135, 'on and showing': 599371, 'and showing there': 71627, 'showing there weekly': 767538, 'there weekly food': 879300, 'food shop wonder': 316502, 'shop wonder what': 761078, 'wonder what it': 1004010, 'it like for': 459361, 'like for them': 490274, 'for them during': 326898, 'pandemic with lockdown': 637030, 'with lockdown and': 999290, 'lockdown and all': 499133, 'panic buying lockdown': 637797, 'buying lockdown channel4': 150671, 'coronavirus when': 207063, 'yourself from coronavirus': 1026609, 'from coronavirus when': 335026, 'coronavirus when grocery': 207065, 'he not': 385255, 'man who want': 512344, 'want to save': 966108, 'save the the': 737669, 'the the that': 869402, 'the that is': 869366, 'that is he': 844598, 'is he not': 448349, 'he not very': 385259, 'abnormal': 24589, 'bfp': 129305, 'charge abnormal': 173186, 'abnormal price': 24592, 'medicine good': 526792, 'service kenyan': 752543, 'health cabinet': 386212, 'cabinet secretary': 154996, 'secretary on': 743966, 'in tackling': 428795, 'tackling join': 831648, 'our bfp': 622199, 'bfp live': 129306, 'live event': 495798, 'event on': 285039, 'on thu': 604658, 'thu 19': 895272, 'time to charge': 897962, 'to charge abnormal': 902634, 'charge abnormal price': 173187, 'abnormal price for': 24595, 'price for medicine': 674002, 'for medicine good': 323396, 'medicine good and': 526793, 'and service kenyan': 71306, 'service kenyan health': 752544, 'kenyan health cabinet': 472971, 'health cabinet secretary': 386213, 'cabinet secretary on': 154997, 'secretary on the': 743967, 'on the role': 604339, 'role of business': 725122, 'business in tackling': 143903, 'in tackling join': 428797, 'tackling join our': 831649, 'join our bfp': 466809, 'our bfp live': 622200, 'bfp live event': 129307, 'live event on': 495802, 'event on thu': 285041, 'on thu 19': 604659, 'thu 19 march': 895273, 'azure': 106437, 'striker': 813772, 'gunvolt': 368809, 'ongoing business': 607599, 'business restriction': 144326, 'restriction and': 717202, 'closure related': 184011, 'shutdown the': 768105, 'retail version': 718835, 'of azure': 580491, 'azure striker': 106438, 'striker gunvolt': 813773, 'gunvolt striker': 368810, 'striker pack': 813775, 'for ps4': 324845, 'ps4 will': 687378, 'delayed we': 232818, 'one stay': 607091, 'the ongoing business': 862239, 'ongoing business restriction': 607600, 'business restriction and': 144327, 'restriction and store': 717211, 'and store closure': 72503, 'store closure related': 807103, 'closure related to': 184012, '19 shutdown the': 10530, 'shutdown the physical': 768106, 'the physical retail': 863711, 'physical retail version': 655449, 'retail version of': 718836, 'version of azure': 954913, 'of azure striker': 580492, 'azure striker gunvolt': 106439, 'striker gunvolt striker': 813774, 'gunvolt striker pack': 368811, 'striker pack for': 813776, 'pack for ps4': 633048, 'for ps4 will': 324846, 'ps4 will be': 687379, 'will be delayed': 992422, 'be delayed we': 114387, 'delayed we appreciate': 232819, 'we appreciate your': 970459, 'appreciate your support': 82806, 'your support and': 1026079, 'support and hope': 826360, 'and hope you': 64722, 'hope you and': 403789, 'and your loved': 76082, 'loved one stay': 504923, 'one stay safe': 607093, 'your not': 1025038, 'not glutenfree': 569667, 'glutenfree leave': 353139, 'food alone': 313100, 'alone panic': 46898, 'if your not': 415599, 'your not glutenfree': 1025040, 'not glutenfree leave': 569668, 'glutenfree leave that': 353140, 'leave that food': 484957, 'that food alone': 843900, 'food alone panic': 313101, 'alone panic shopper': 46899, 'cullinane': 220235, 'buying fueled': 150397, 'not hampering': 569770, 'hampering operation': 374623, 'the east': 853842, 'east texas': 265345, 'texas food': 839767, 'bank because': 109677, 'it buy': 456968, 'from cooperative': 334998, 'cooperative and': 203168, 'manufacturer ceo': 513438, 'ceo dennis': 169682, 'dennis cullinane': 237040, 'cullinane said': 220236, 'panic buying fueled': 637747, 'buying fueled by': 150398, 'pandemic is not': 635785, 'is not hampering': 450100, 'not hampering operation': 569771, 'hampering operation of': 374624, 'operation of the': 613237, 'of the east': 590969, 'the east texas': 853846, 'east texas food': 265346, 'texas food bank': 839768, 'food bank because': 313527, 'bank because it': 109678, 'because it buy': 119177, 'it buy food': 456969, 'buy food from': 148648, 'food from cooperative': 314600, 'from cooperative and': 334999, 'cooperative and manufacturer': 203169, 'and manufacturer ceo': 66653, 'manufacturer ceo dennis': 513439, 'ceo dennis cullinane': 169683, 'dennis cullinane said': 237041, 'caricature': 164686, 'southeast': 786830, 'fortlauderdale': 329826, 'westpalmbeach': 980710, 'delraybeachcaricatureartist': 234819, 'sterling': 799891, 'giftcaricatures': 350051, '561': 20467, '501': 20118, '8528': 22952, 'the caricature': 850427, 'caricature entertainment': 164687, 'entertainment in': 278575, 'in southeast': 428140, 'southeast florida': 786835, 'florida including': 310951, 'including miami': 432058, 'miami fortlauderdale': 530178, 'fortlauderdale westpalmbeach': 329827, 'westpalmbeach by': 980711, 'by delraybeachcaricatureartist': 152324, 'delraybeachcaricatureartist jeff': 234820, 'jeff sterling': 465017, 'sterling giftcaricatures': 799899, 'giftcaricatures available': 350052, 'your photo': 1025298, 'photo info': 655180, 'price call': 673047, 'call jeff': 155964, 'jeff 561': 464997, '561 501': 20468, '501 8528': 20119, 'after the caricature': 36291, 'the caricature entertainment': 850428, 'caricature entertainment in': 164689, 'entertainment in southeast': 278576, 'in southeast florida': 428142, 'southeast florida including': 786836, 'florida including miami': 310952, 'including miami fortlauderdale': 432059, 'miami fortlauderdale westpalmbeach': 530179, 'fortlauderdale westpalmbeach by': 329828, 'westpalmbeach by delraybeachcaricatureartist': 980712, 'by delraybeachcaricatureartist jeff': 152325, 'delraybeachcaricatureartist jeff sterling': 234821, 'jeff sterling giftcaricatures': 465019, 'sterling giftcaricatures available': 799900, 'giftcaricatures available from': 350053, 'available from your': 104402, 'from your photo': 338491, 'your photo info': 1025300, 'photo info and': 655181, 'info and price': 437417, 'and price call': 69441, 'price call jeff': 673048, 'call jeff 561': 155965, 'jeff 561 501': 464998, '561 501 8528': 20469, 'foodland': 317992, 'kamaainas': 470729, '19 senior': 10408, 'senior shopping': 750405, 'hour foodland': 405593, 'foodland farm': 317993, 'farm slap': 299179, 'slap in': 773538, 'face kamaainas': 294491, 'covid 19 senior': 213765, '19 senior shopping': 10409, 'senior shopping hour': 750407, 'shopping hour foodland': 762919, 'hour foodland farm': 405594, 'foodland farm slap': 317994, 'farm slap in': 299180, 'slap in the': 773539, 'the face kamaainas': 854804, 'just lock': 469182, 'down also': 256473, 'limit our': 492435, 'online week': 609705, 'shopping unless': 764287, 'elderly needy': 270765, 'needy or': 556688, 'or key': 615903, 'worker uk': 1008068, 'proven it': 686167, 'can follow': 158362, 'follow instruction': 312431, 'instruction both': 440541, 'just lock down': 469183, 'lock down also': 499022, 'down also limit': 256474, 'also limit our': 48480, 'limit our food': 492437, 'our food shop': 623130, 'food shop to': 316496, 'shop to online': 760950, 'to online week': 910957, 'online week and': 609706, 'week and no': 975926, 'and no in': 67619, 'no in store': 564484, 'store shopping unless': 810140, 'shopping unless you': 764288, 'you are elderly': 1017113, 'are elderly needy': 86104, 'elderly needy or': 270766, 'needy or key': 556689, 'or key worker': 615904, 'key worker uk': 473525, 'worker uk ha': 1008069, 'uk ha proven': 938435, 'ha proven it': 371563, 'proven it can': 686168, 'it can follow': 457016, 'can follow instruction': 158363, 'follow instruction both': 312432, 'instruction both in': 440542, 'both in social': 135939, 'distancing and in': 246974, 'and in panic': 65062, 'ukweli': 939074, 'mambo': 511935, 'rais': 695800, 'tujipange': 935256, 'ukweliwamambo': 939077, 'ukweli wa': 939075, 'wa mambo': 962610, 'mambo rais': 511936, 'rais uhuru': 695803, 'uhuru please': 938108, 'please set': 660470, 'set money': 753427, 'money aside': 536613, 'aside for': 95407, 'cure research': 220799, 'research it': 713780, 'possible ethiopia': 665640, 'ethiopia is': 283107, 'already beating': 47215, 'this tujipange': 890878, 'tujipange please': 935257, 'watch and': 968359, 'and retweet': 70477, 'retweet ukweliwamambo': 720094, 'ukweli wa mambo': 939076, 'wa mambo rais': 962611, 'mambo rais uhuru': 511937, 'rais uhuru please': 695804, 'uhuru please set': 938109, 'please set money': 660472, 'set money aside': 753428, 'money aside for': 536614, 'aside for coronavirus': 95409, 'for coronavirus cure': 320381, 'coronavirus cure research': 205788, 'cure research it': 220800, 'research it is': 713781, 'is possible ethiopia': 450948, 'possible ethiopia is': 665641, 'ethiopia is already': 283108, 'is already beating': 445512, 'already beating in': 47217, 'beating in this': 118622, 'in this tujipange': 430034, 'this tujipange please': 890879, 'tujipange please watch': 935258, 'please watch and': 660754, 'watch and retweet': 968360, 'and retweet ukweliwamambo': 70480, 'pix': 657139, 'pix supermarket': 657142, 'supermarket long': 821383, 'line melbourne': 493263, 'pix supermarket long': 657143, 'supermarket long line': 821384, 'long line melbourne': 501498, 'd19': 224162, 'play catch': 659122, 'catch during': 166995, 'epidemic covi': 279358, 'covi d19': 212537, 'd19 quarantine': 224182, 'quarantine comedy': 692087, 'comedy sanitizer': 187776, 'staysafe dallas': 798798, 'dallas arlington': 225116, 'you are scared': 1017224, 'are scared to': 89855, 'scared to play': 741027, 'to play catch': 911787, 'play catch during': 659123, 'catch during the': 166996, 'coronavirus epidemic covi': 205879, 'epidemic covi d19': 279359, 'covi d19 quarantine': 212541, 'd19 quarantine comedy': 224183, 'quarantine comedy sanitizer': 692088, 'comedy sanitizer stayhome': 187777, 'sanitizer stayhome staysafe': 735802, 'stayhome staysafe dallas': 798164, 'staysafe dallas arlington': 798799, 'chit': 177559, 'distancing no': 247350, 'one stand': 607080, 'stand close': 793506, 'the atm': 849014, 'atm machine': 101943, 'machine no': 507393, 'is standing': 452220, 'people chit': 647460, 'chit chatting': 177562, 'chatting everyone': 174011, 'good behavior': 356823, 'behavior good': 124045, 'good malaysian': 357365, 'malaysian hope': 511661, 'this remains': 889864, 'remains stayhome': 710061, 'stayhome fightcovid19': 798002, 'love this social': 504834, 'social distancing no': 779670, 'distancing no one': 247354, 'no one stand': 564963, 'one stand close': 607081, 'stand close to': 793508, 'at the atm': 100879, 'the atm machine': 849015, 'atm machine no': 101945, 'machine no one': 507394, 'one is standing': 606522, 'is standing in': 452223, 'standing in front': 793774, 'of the freezer': 591043, 'the freezer at': 855781, 'freezer at the': 332588, 'supermarket in group': 820906, 'in group of': 423454, 'of people chit': 587885, 'people chit chatting': 647461, 'chit chatting everyone': 177563, 'chatting everyone is': 174012, 'is in good': 448775, 'in good behavior': 423364, 'good behavior good': 356824, 'behavior good malaysian': 124046, 'good malaysian hope': 357366, 'malaysian hope this': 511662, 'hope this remains': 403725, 'this remains stayhome': 889865, 'remains stayhome fightcovid19': 710062, 'gig': 350062, 'use advice': 949014, 'advice if': 33403, 'had travel': 373755, 'or gig': 615452, 'gig cancelled': 350063, 'cancelled because': 161089, 'news you can': 560977, 'can use advice': 160086, 'use advice if': 949015, 'advice if you': 33404, 'you ve had': 1022044, 've had travel': 953240, 'had travel or': 373756, 'travel or gig': 930454, 'or gig cancelled': 615453, 'gig cancelled because': 350064, 'cancelled because the': 161091, 'because the virus': 119657, 'tangled': 834167, 'rapunzel': 697069, 'the film': 855185, 'film tangled': 305708, 'tangled the': 834173, 'the evil': 854632, 'evil step': 288458, 'step mother': 799588, 'mother keep': 543133, 'keep rapunzel': 471842, 'rapunzel locked': 697070, 'locked in': 500487, 'in tower': 430243, 'tower under': 927418, 'quarantine google': 692226, 'kingdom in': 475331, 'in tangled': 428816, 'tangled tangled': 834170, 'tangled quarantine': 834168, 'quarantine quarentinelife': 692481, 'quarentinelife staysafestayhome': 693207, 'stayathome stophoarding': 797671, 'know how in': 476442, 'how in the': 408049, 'in the film': 429199, 'the film tangled': 855188, 'film tangled the': 305709, 'tangled the evil': 834174, 'the evil step': 854635, 'evil step mother': 288459, 'step mother keep': 799589, 'mother keep rapunzel': 543134, 'keep rapunzel locked': 471843, 'rapunzel locked in': 697071, 'locked in tower': 500490, 'in tower under': 430245, 'tower under quarantine': 927419, 'under quarantine google': 940218, 'quarantine google the': 692227, 'google the name': 358194, 'of the kingdom': 591167, 'the kingdom in': 858825, 'kingdom in tangled': 475332, 'in tangled tangled': 428817, 'tangled tangled quarantine': 834171, 'tangled quarantine quarentinelife': 834169, 'quarantine quarentinelife staysafestayhome': 692482, 'quarentinelife staysafestayhome stayathome': 693208, 'staysafestayhome stayathome stophoarding': 799021, 'hometown finish': 402986, 'finish work': 307878, 'and head': 64336, 'when people in': 983862, 'my hometown finish': 548700, 'hometown finish work': 402987, 'finish work and': 307879, 'work and head': 1004779, 'and head to': 64339, 'head to the': 385833, 'withholding': 1002304, 'criminally': 216907, 'supposedly': 827382, 'by withholding': 154758, 'withholding crucial': 1002305, 'crucial information': 219457, 'week china': 976086, 'world at': 1009331, 'risk no': 723708, 'other nation': 620556, 'nation ha': 552200, 'been so': 121987, 'so criminally': 776817, 'criminally irresponsible': 216908, 'irresponsible while': 445092, 'while handling': 986900, 'handling pandemic': 376383, 'the supposedly': 868987, 'supposedly low': 827383, 'by withholding crucial': 154759, 'withholding crucial information': 1002306, 'crucial information for': 219458, 'information for week': 437832, 'for week china': 327698, 'week china ha': 976087, 'china ha put': 176696, 'ha put the': 371604, 'put the world': 690873, 'the world at': 871816, 'world at risk': 1009332, 'at risk no': 100378, 'risk no other': 723710, 'no other nation': 565016, 'other nation ha': 620558, 'nation ha been': 552201, 'ha been so': 369927, 'been so criminally': 121989, 'so criminally irresponsible': 776818, 'criminally irresponsible while': 216910, 'irresponsible while handling': 445093, 'while handling pandemic': 986901, 'handling pandemic the': 376384, 'pandemic the world': 636713, 'world is paying': 1009713, 'is paying high': 450823, 'paying high price': 645426, 'for the supposedly': 326714, 'the supposedly low': 868988, 'supposedly low price': 827384, 'low price of': 505528, 'price of chinese': 675422, 'cnp': 184788, 'payment demand': 645594, 'demand way': 236455, 'up amid': 944278, 'the cnp': 851099, 'cnp report': 184789, 'report ecommerce': 711913, 'ecommerce fraud': 266774, 'fraud payment': 331320, 'payment risk': 645719, 'risk behavior': 723408, 'behavior consumer': 123979, 'consumer digitalpayment': 197204, 'digital payment demand': 242620, 'payment demand way': 645595, 'demand way up': 236456, 'way up amid': 970141, 'up amid pandemic': 944281, 'amid pandemic the': 52578, 'pandemic the cnp': 636668, 'the cnp report': 851100, 'cnp report ecommerce': 184790, 'report ecommerce fraud': 711914, 'ecommerce fraud payment': 266775, 'fraud payment risk': 331321, 'payment risk behavior': 645720, 'risk behavior consumer': 723409, 'behavior consumer digitalpayment': 123981, 'kingston': 475365, 'chatham': 173982, 'brantford': 138185, 'team new': 835735, 'in kingston': 424516, 'kingston west': 475370, 'west and': 980450, 'and oshawa': 68275, 'oshawa we': 619712, 'only accept': 610031, 'accept credit': 27950, 'credit or': 216444, 'or debit': 614900, 'debit at': 230369, 'our point': 624376, 'sale kingston': 732329, 'kingston east': 475366, 'east chatham': 265298, 'chatham and': 173983, 'and brantford': 59153, 'brantford are': 138186, 'notice stay': 573357, 'stay smart': 797318, 'smart vapefam': 775446, '19 update from': 11663, 'update from our': 946984, 'from our team': 336804, 'our team new': 625106, 'team new store': 835736, 'new store hour': 559667, 'hour in kingston': 405688, 'in kingston west': 424517, 'kingston west and': 475371, 'west and oshawa': 980451, 'and oshawa we': 68276, 'oshawa we will': 619713, 'we will only': 973887, 'will only accept': 994324, 'only accept credit': 610032, 'accept credit or': 27952, 'credit or debit': 216445, 'or debit at': 614901, 'debit at our': 230370, 'at our point': 100029, 'our point of': 624377, 'of sale kingston': 589246, 'sale kingston east': 732330, 'kingston east chatham': 475367, 'east chatham and': 265299, 'chatham and brantford': 173984, 'and brantford are': 59154, 'brantford are closed': 138187, 'are closed until': 85374, 'further notice stay': 342114, 'notice stay safe': 573358, 'and stay smart': 72303, 'stay smart vapefam': 797319, 'teletown': 836837, 'at et': 98551, 'information teletown': 437992, 'teletown hall': 836838, 'hall government': 374332, 'government official': 360407, 'provide resource': 686454, 'today at et': 919273, 'at et ftc': 98552, 'et ftc to': 282360, 'ftc to join': 339459, 'to join aarp': 908673, 'live information teletown': 495899, 'information teletown hall': 437993, 'teletown hall government': 836839, 'hall government official': 374333, 'government official will': 360415, 'question about how': 693501, 'scam and provide': 740014, 'and provide resource': 69697, 'provide resource for': 686455, 'onus': 611700, 'stuff on': 815159, 'the onus': 862366, 'onus is': 611701, 'what otc': 981973, 'otc thing': 619779, 'because there load': 119671, 'there load of': 878725, 'load of stuff': 497284, 'of stuff on': 590333, 'stuff on supermarket': 815163, 'supermarket shelf that': 822541, 'shelf that will': 757644, 'not help with': 569933, 'help with covid': 390905, '19 the onus': 11225, 'the onus is': 862367, 'onus is on': 611702, 'is on to': 450488, 'on to know': 604743, 'know what otc': 476970, 'what otc thing': 981974, 'otc thing work': 619780, 'thing work and': 885015, 'work and what': 1004823, 'and what don': 75463, 'educate your': 268774, 'damn kid': 225382, 'be leaving': 115687, 'leaving their': 485158, 'house anyway': 406192, 'educate your damn': 268775, 'your damn kid': 1023453, 'damn kid and': 225383, 'kid and by': 473851, 'and by the': 59383, 'way they should': 969963, 'they should not': 883376, 'not be leaving': 568411, 'be leaving their': 115689, 'leaving their house': 485162, 'their house anyway': 873603, 'during be': 262471, 'supermarket during be': 820046, 'during be like': 262472, '5ofusathome': 20797, 'toiletpaper 5ofusathome': 921689, '5ofusathome emptyshelves': 20798, 'at our toiletpaper': 100037, 'our toiletpaper 5ofusathome': 625158, 'toiletpaper 5ofusathome emptyshelves': 921690, '402': 18802, 'namibia': 551740, 'coronavirus in': 206114, 'africa latest': 35106, 'latest march': 481427, 'march 23': 515185, '23 covid': 15384, 'africa soar': 35135, 'soar to': 779273, 'to 402': 899720, '402 nigeria': 18805, 'nigeria zimbabwe': 562827, 'zimbabwe record': 1027592, 'record their': 705068, 'their first': 873328, 'first coronavirus': 308595, 'death south': 230206, 'africa based': 35052, 'based mtn': 111654, 'home namibia': 401645, 'namibia move': 551741, 'move ahead': 543599, 'ahead with': 39221, 'with preparation': 1000290, '2020 summer': 14620, 'summer olympics': 817992, 'coronavirus in africa': 206115, 'in africa latest': 420088, 'africa latest march': 35107, 'latest march 23': 481428, 'march 23 covid': 515188, '23 covid 19': 15385, 'case in south': 165810, 'in south africa': 428126, 'south africa soar': 786661, 'africa soar to': 35136, 'soar to 402': 779274, 'to 402 nigeria': 899721, '402 nigeria zimbabwe': 18806, 'nigeria zimbabwe record': 562828, 'zimbabwe record their': 1027593, 'record their first': 705069, 'their first coronavirus': 873329, 'first coronavirus death': 308598, 'coronavirus death south': 205799, 'death south africa': 230207, 'south africa based': 786648, 'africa based mtn': 35053, 'based mtn cut': 111655, 'data price to': 226364, 'help people work': 390314, 'people work from': 650507, 'from home namibia': 335884, 'home namibia move': 401646, 'namibia move ahead': 551742, 'move ahead with': 543601, 'ahead with preparation': 39223, 'with preparation for': 1000291, 'the 2020 summer': 848025, '2020 summer olympics': 14621, 'naomi': 551826, 'broady': 140790, 'tennis': 837964, 'british naomi': 140544, 'naomi broady': 551827, 'broady considered': 140791, 'considered supermarket': 195333, 'income from': 432348, 'from tennis': 337563, 'tennis during': 837965, 'british naomi broady': 140545, 'naomi broady considered': 551828, 'broady considered supermarket': 140792, 'considered supermarket work': 195334, 'supermarket work due': 823972, 'due to no': 261876, 'to no income': 910624, 'no income from': 564493, 'income from tennis': 432350, 'from tennis during': 337564, 'tennis during pandemic': 837966, 'unfit': 941493, 'trump claim': 933479, 'claim low': 179763, 'big tax': 130047, 'cut this': 223590, 'this man': 888751, 'but passion': 146752, 'passion for': 643417, 'for business': 319821, 'business he': 143833, 'now say': 575727, 'he feel': 384953, 'feel bad': 302575, 'his country': 397319, 'country saudi': 211027, 'arabia this': 83944, 'is unfit': 453490, 'unfit corona': 941494, 'trump claim low': 933480, 'claim low gas': 179764, 'price are like': 672692, 'like big tax': 489911, 'big tax cut': 130048, 'tax cut this': 834958, 'cut this man': 223591, 'this man ha': 888754, 'man ha nothing': 512079, 'ha nothing but': 371382, 'nothing but passion': 572961, 'but passion for': 146753, 'passion for business': 643418, 'for business he': 319833, 'business he now': 143835, 'he now say': 385265, 'now say he': 575728, 'say he feel': 738730, 'he feel bad': 384954, 'feel bad for': 302576, 'bad for russia': 107866, 'for russia and': 325275, 'russia and for': 728427, 'and for his': 63142, 'for his country': 322301, 'his country saudi': 397321, 'country saudi arabia': 211028, 'saudi arabia this': 737219, 'arabia this man': 83945, 'this man is': 888755, 'man is unfit': 512126, 'is unfit corona': 453491, 'unfit corona virus': 941495, 'conducting': 193687, '19 around': 5215, 'around most': 93403, 'life have': 488720, 'become virtual': 120185, 'virtual am': 957714, 'am conducting': 49973, 'conducting survey': 193696, 'like few': 490232, 'minute of': 533812, 'of yours': 593539, 'yours to': 1026477, 'short form': 764620, 'covid 19 around': 212651, '19 around most': 5216, 'around most of': 93404, 'our life have': 623725, 'life have become': 488721, 'have become virtual': 379451, 'become virtual am': 120186, 'virtual am conducting': 957715, 'am conducting survey': 49974, 'conducting survey on': 193697, 'survey on online': 828918, 'shopping in india': 762973, 'india and would': 434299, 'would like few': 1011994, 'like few minute': 490233, 'few minute of': 303916, 'minute of yours': 533816, 'of yours to': 593540, 'yours to fill': 1026478, 'to fill in': 905844, 'fill in this': 305470, 'in this short': 430013, 'this short form': 890115, 'disinfection': 245904, 'maid': 508536, '69': 21516, '702': 21935, '2706': 16331, 'supersirvientas': 824321, 'on disinfection': 600343, 'disinfection and': 245905, 'cleaning cleaning': 180916, 'cleaning in': 180968, 'in lasvegas': 424607, 'lasvegas all': 480807, 'supply necessary': 825576, 'from only': 336697, 'hour maid': 405754, 'maid 69': 508537, '69 do': 21523, 'than hour': 840755, 'hour call': 405478, 'information 702': 437695, '702 800': 21940, '800 2706': 22660, '2706 supersirvientas': 16332, 'lowest price on': 506213, 'price on disinfection': 675667, 'on disinfection and': 600344, 'disinfection and cleaning': 245906, 'and cleaning cleaning': 59946, 'cleaning cleaning in': 180917, 'cleaning in lasvegas': 180969, 'in lasvegas all': 424608, 'lasvegas all the': 480808, 'all the supply': 44936, 'the supply necessary': 868953, 'supply necessary to': 825577, 'necessary to end': 554116, 'to end the': 905086, 'end the from': 275973, 'the from only': 855833, 'from only hour': 336698, 'only hour maid': 610615, 'hour maid 69': 405755, 'maid 69 do': 508538, '69 do you': 21524, 'you need more': 1020016, 'more than hour': 540630, 'than hour call': 840756, 'hour call for': 405479, 'more information 702': 539573, 'information 702 800': 437696, '702 800 2706': 21941, '800 2706 supersirvientas': 22661, 'anglo': 76436, 'saxon': 738355, 'shocked me': 759575, 'thread wa': 893616, 'learn that': 484063, 'korea doesn': 477465, 'doesn even': 251770, 'have lockdown': 381361, 'still take': 801264, 'more seriously': 540362, 'seriously than': 751745, 'than anglo': 840340, 'anglo saxon': 76441, 'saxon government': 738356, 'government during': 360051, 'france we': 331052, 'we probably': 972751, 'all caught': 42320, 'what shocked me': 982171, 'shocked me in': 759576, 'me in this': 522980, 'in this thread': 430025, 'this thread wa': 890593, 'thread wa to': 893617, 'wa to learn': 963521, 'to learn that': 909137, 'learn that south': 484064, 'that south korea': 846422, 'south korea doesn': 786739, 'korea doesn even': 477466, 'doesn even have': 251773, 'even have lockdown': 284169, 'have lockdown but': 381362, 'but still take': 147181, 'still take the': 801267, 'take the crisis': 832642, 'the crisis more': 852411, 'crisis more seriously': 217730, 'more seriously than': 540365, 'seriously than anglo': 751746, 'than anglo saxon': 840342, 'anglo saxon government': 76442, 'saxon government during': 738357, 'government during this': 360052, 'this time in': 890652, 'time in france': 896990, 'in france we': 423090, 'france we probably': 331053, 'we probably all': 972752, 'probably all caught': 679199, 'all caught covid': 42321, 'dawnbilbrough': 227060, 'p7ft9ham7i': 632825, 'nurse urge': 577530, 'urge public': 948214, 'nh dawnbilbrough': 561932, 'dawnbilbrough nhsheroes': 227061, 'nhsheroes stockmarket': 562239, 'stockmarket socialdistanacing': 803670, 'socialdistanacing p7ft9ham7i': 780085, 'p7ft9ham7i via': 632826, 'tearful nurse urge': 835989, 'nurse urge public': 577532, 'urge public to': 948215, 'buying food after': 150299, 'food after 48': 313037, 'hour shift nh': 405918, 'shift nh dawnbilbrough': 758364, 'nh dawnbilbrough nhsheroes': 561933, 'dawnbilbrough nhsheroes stockmarket': 227062, 'nhsheroes stockmarket socialdistanacing': 562240, 'stockmarket socialdistanacing p7ft9ham7i': 803671, 'socialdistanacing p7ft9ham7i via': 780086, 'minishops': 533317, 'mpesa': 544312, 'whatsup': 982933, 'uhurumustgo': 938114, 'yvonne': 1027135, 'alai': 40641, 'mbagathi': 522048, 'sale system': 732558, 'system po': 831290, 'po software': 662136, 'software for': 781529, 'shop hotel': 760292, 'hotel chemist': 405130, 'chemist minishops': 175433, 'minishops supermarket': 533318, 'with inventory': 999030, 'stock control': 802017, 'control real': 202120, 'time mpesa': 897231, 'mpesa 15': 544313, '00 whatsup': 595, 'whatsup uhurumustgo': 982934, 'uhurumustgo yvonne': 938115, 'yvonne robert': 1027138, 'robert alai': 724696, 'alai mbagathi': 40642, 'mbagathi mutahi': 522049, 'of sale system': 589248, 'sale system po': 732559, 'system po software': 831291, 'po software for': 662137, 'software for shop': 781530, 'for shop hotel': 325564, 'shop hotel chemist': 760293, 'hotel chemist minishops': 405131, 'chemist minishops supermarket': 175434, 'minishops supermarket with': 533319, 'supermarket with inventory': 823927, 'with inventory stock': 999032, 'inventory stock control': 443714, 'stock control real': 802019, 'control real time': 202121, 'real time mpesa': 701411, 'time mpesa 15': 897232, 'mpesa 15 00': 544314, '15 00 whatsup': 3636, '00 whatsup uhurumustgo': 596, 'whatsup uhurumustgo yvonne': 982935, 'uhurumustgo yvonne robert': 938116, 'yvonne robert alai': 1027139, 'robert alai mbagathi': 724697, 'alai mbagathi mutahi': 40643, 'mbagathi mutahi kagwe': 522050, 'hat': 378840, 'other khan': 620462, 'khan ha': 473708, 'his hometown': 397514, 'hometown by': 402982, 'them hat': 875818, 'hat off': 378850, 'off khan': 593942, 'khan 19': 473702, 'read all': 700264, 'story at': 811911, 'ever we need': 285592, 'to support each': 915923, 'each other khan': 264189, 'other khan ha': 620463, 'khan ha been': 473709, 'ha been supporting': 369944, 'supporting people in': 827176, 'people in his': 648381, 'in his hometown': 423729, 'his hometown by': 397515, 'hometown by shopping': 402983, 'online for them': 608242, 'for them hat': 326902, 'them hat off': 875819, 'hat off khan': 378851, 'off khan 19': 593943, 'khan 19 read': 473703, '19 read all': 9972, 'read all the': 700266, 'all the story': 44928, 'the story at': 868171, 'knn': 476131, 'knn report': 476132, 'knn report on': 476133, 'report on toiletpaper': 712155, 'on toiletpaper shortage': 604793, 'never expected': 557979, 'never expected to': 557980, 'expected to wait': 291011, 'another reminder': 77798, 'reminder that': 710585, 'another reminder that': 77799, 'reminder that are': 710587, 'that are the': 842827, 'shelved': 758046, 'yesterday my': 1015809, 'friend wa': 333872, 'empty shelved': 275118, 'shelved grocery': 758047, 'she met': 756222, 'met young': 529608, 'tear because': 835936, 'he could': 384853, 'find formula': 306916, 'formula for': 329705, 'his baby': 397218, 'the necessity': 861383, 'necessity hoarder': 554223, 'hoarder had': 399037, 'had bought': 372932, 'all people': 43937, 'hoarding enough': 399278, 'enough is': 277492, 'enough coronacrisis': 277356, 'yesterday my friend': 1015810, 'my friend wa': 548456, 'friend wa at': 333873, 'wa at the': 961608, 'at the empty': 100934, 'the empty shelved': 854289, 'empty shelved grocery': 275119, 'shelved grocery store': 758048, 'store where she': 811262, 'where she met': 985168, 'she met young': 756223, 'met young man': 529609, 'young man who': 1022620, 'man who wa': 512343, 'who wa in': 989909, 'in tear because': 428837, 'tear because he': 835937, 'because he could': 119113, 'he could not': 384860, 'not find formula': 569423, 'find formula for': 306918, 'formula for his': 329706, 'for his baby': 322295, 'his baby the': 397219, 'baby the necessity': 106713, 'the necessity hoarder': 861384, 'necessity hoarder had': 554224, 'hoarder had bought': 399038, 'had bought it': 372934, 'bought it all': 136609, 'it all people': 456368, 'all people stop': 43942, 'stop hoarding enough': 804726, 'hoarding enough is': 399279, 'enough is enough': 277494, 'is enough coronacrisis': 447510, 'identify rapid': 413364, 'rapid change': 696900, 'behind why': 124753, 'more complicated': 538847, 'complicated will': 192470, '19 have': 7444, 'easy to identify': 265783, 'to identify rapid': 908088, 'identify rapid change': 413365, 'rapid change in': 696901, 'in consumer shopping': 421720, 'shopping behavior but': 762198, 'behavior but the': 123946, 'but the psychology': 147389, 'psychology behind why': 687552, 'behind why they': 124754, 'why they buy': 991451, 'they buy is': 881590, 'buy is bit': 148835, 'is bit more': 446190, 'bit more complicated': 131619, 'more complicated will': 538848, 'complicated will the': 192471, 'will the fear': 995139, 'and anxiety brought': 58199, 'covid 19 have': 213189, '19 have lasting': 7449, 'touristy': 927048, 'belongs': 126522, 'surrendered': 828689, 'most touristy': 542822, 'touristy country': 927049, 'most infected': 542447, 'it belongs': 456838, 'belongs to': 126523, 'eu but': 283205, 'ha surrendered': 372127, 'surrendered to': 828690, 'fate hopefully': 300264, 'hopefully german': 403853, 'german dutch': 346225, 'dutch etc': 263501, 'future and': 342251, 'beach to': 118243, 'get drunk': 346915, 'drunk consumer': 261217, 'the most touristy': 861049, 'most touristy country': 542823, 'touristy country in': 927050, 'world for the': 1009565, 'time in many': 896998, 'in many year': 425066, 'many year is': 514905, 'year is one': 1014670, 'the most infected': 861001, 'most infected with': 542448, '19 it belongs': 8125, 'it belongs to': 456839, 'belongs to the': 126527, 'to the eu': 916681, 'the eu but': 854554, 'eu but ha': 283206, 'but ha surrendered': 145841, 'ha surrendered to': 372128, 'surrendered to it': 828691, 'to it fate': 908578, 'it fate hopefully': 457962, 'fate hopefully german': 300265, 'hopefully german dutch': 403854, 'german dutch etc': 346226, 'dutch etc will': 263502, 'etc will stay': 282895, 'will stay at': 994959, 'the future and': 856066, 'future and not': 342253, 'and not come': 67725, 'the beach to': 849391, 'beach to get': 118244, 'to get drunk': 906465, 'get drunk consumer': 346916, 'drunk consumer commission': 261218, 'folsom': 312978, 'cupcakedecorating': 220512, 'guy do': 368980, 'please my': 660235, 'sister spotted': 771787, 'spotted these': 790213, 'in folsom': 422959, 'folsom stayathome': 312981, 'saferathome alonetogether': 730402, 'alonetogether toiletpaper': 46964, 'toiletpaper cupcakedecorating': 921904, 'cupcakedecorating cupcake': 220513, 'can you guy': 160307, 'you guy do': 1018957, 'guy do this': 368982, 'do this at': 250341, 'this at all': 886447, 'at all your': 97924, 'your store please': 1025985, 'store please my': 809589, 'please my sister': 660236, 'my sister spotted': 550117, 'sister spotted these': 771788, 'spotted these in': 790214, 'these in folsom': 880156, 'in folsom stayathome': 422961, 'folsom stayathome saferathome': 312982, 'stayathome saferathome alonetogether': 797600, 'saferathome alonetogether toiletpaper': 730403, 'alonetogether toiletpaper cupcakedecorating': 46965, 'toiletpaper cupcakedecorating cupcake': 921905, 'wireless': 996565, 'best solution': 127905, 'this wireless': 891450, 'wireless service': 996579, 'provider have': 686730, 'their retail': 874582, 'faced with the': 295050, 'with the threat': 1001517, 'threat of the': 893703, 'pandemic in the': 635709, 'the the best': 869372, 'the best solution': 849552, 'best solution for': 127906, 'solution for everyone': 782025, 'for everyone is': 321217, 'everyone is to': 287119, 'is to stay': 453249, 'stay home in': 796975, 'home in line': 401417, 'line with this': 493589, 'with this wireless': 1001739, 'this wireless service': 891452, 'wireless service provider': 996580, 'service provider have': 752727, 'provider have announced': 686731, 'they will temporarily': 883896, 'will temporarily close': 995105, 'temporarily close their': 837455, 'close their retail': 182854, 'their retail store': 874584, 'retail store to': 718716, 'battered': 112741, 'president said': 670893, 'he would': 385693, 'would impose': 1011944, 'impose tariff': 419270, 'tariff on': 834609, 'oil import': 596863, 'sector if': 744223, 'if necessary': 414443, 'necessary showing': 554076, 'showing support': 767507, 'industry battered': 435682, 'battered by': 112742, 'by rock': 153833, 'president said that': 670897, 'said that he': 731401, 'that he would': 844274, 'he would impose': 385697, 'would impose tariff': 1011945, 'impose tariff on': 419271, 'tariff on oil': 834613, 'on oil import': 602491, 'oil import to': 596865, 'import to protect': 418681, 'protect the energy': 684970, 'energy sector if': 276580, 'sector if necessary': 744224, 'if necessary showing': 414448, 'necessary showing support': 554077, 'showing support for': 767508, 'the industry battered': 858164, 'industry battered by': 435683, 'battered by rock': 112745, 'by rock bottom': 153834, 'bottom price amid': 136433, 'is reassuring': 451335, 'reassuring article': 703227, 'one finding': 606293, 'finding is': 307489, 'true you': 933230, 'stockpile there': 803804, 'isn food': 454509, 'or paper': 616496, 'shortage food': 764955, 'food commonsense': 313981, 'commonsense store': 189507, 'are restocking': 89645, 'restocking so': 717021, 'so should': 778204, 'up abc': 944212, 'news via': 560936, 'this is reassuring': 888376, 'is reassuring article': 451336, 'reassuring article and': 703228, 'article and one': 94254, 'and one finding': 68087, 'one finding is': 606294, 'finding is true': 307490, 'is true you': 453375, 'true you don': 933231, 'have to stockpile': 383310, 'to stockpile there': 915483, 'stockpile there isn': 803805, 'there isn food': 878666, 'isn food or': 454510, 'food or paper': 315667, 'or paper shortage': 616498, 'paper shortage food': 640773, 'shortage food commonsense': 764956, 'food commonsense store': 313982, 'commonsense store are': 189508, 'store are restocking': 806516, 'are restocking so': 89649, 'restocking so should': 717023, 'so should you': 778206, 'should you stock': 766682, 'stock up abc': 803049, 'up abc news': 944213, 'abc news via': 24267, 'cheap offer': 174152, 'offer will': 594889, 'you essay': 1018437, 'essay monthly': 280709, 'monthly annual': 538158, 'annual and': 77383, 'just send': 469756, 'send private': 749937, 'message bestiptv': 529274, 'hotmovies cheap': 405290, 'cheap instant': 174128, 'instant setup': 440117, 'amazing cheap offer': 50661, 'cheap offer will': 174153, 'offer will help': 594890, 'will help you': 993739, 'help you essay': 390968, 'you essay monthly': 1018438, 'essay monthly annual': 280710, 'monthly annual and': 538159, 'annual and reasonable': 77384, 'and reasonable price': 70022, 'reasonable price subscription': 703129, 'subscription just send': 815897, 'just send private': 469761, 'send private message': 749938, 'private message bestiptv': 678952, 'message bestiptv iptv': 529275, 'cinema hotmovies cheap': 178540, 'hotmovies cheap instant': 405291, 'cheap instant setup': 174129, 'sanctioned': 733646, 'revelation': 720359, 'onu': 611695, 'been financially': 121146, 'financially sanctioned': 306682, 'sanctioned and': 733647, 'and want': 75165, 'an obligation': 56536, 'to submit': 915712, 'submit to': 815801, 'to revelation': 913488, 'revelation 13': 720360, '13 17': 3161, '17 and': 4334, 'devil in': 239959, 'lift economic': 489438, 'sanction onu': 733634, 'onu peace': 611696, 'all country that': 42478, 'country that have': 211115, 'have been financially': 379540, 'been financially sanctioned': 121149, 'financially sanctioned and': 306683, 'sanctioned and want': 733648, 'and want to': 75167, 'medicine and food': 526714, 'and food to': 63101, 'food to deal': 317243, 'virus have an': 958263, 'have an obligation': 379263, 'an obligation to': 56538, 'obligation to submit': 578468, 'to submit to': 915714, 'submit to revelation': 815802, 'to revelation 13': 913489, 'revelation 13 17': 720361, '13 17 and': 3162, '17 and obey': 4336, 'and obey the': 67922, 'obey the devil': 578388, 'the devil in': 853231, 'devil in order': 239962, 'order for the': 618246, 'for the to': 326734, 'the to lift': 869684, 'to lift economic': 909261, 'lift economic sanction': 489439, 'economic sanction onu': 267264, 'sanction onu peace': 733635, 'delivery could': 233830, 'could take': 209744, 'take six': 832585, 'six week': 772715, 'uk supermarket delivery': 938761, 'supermarket delivery could': 819918, 'delivery could take': 233832, 'could take six': 209752, 'take six week': 832586, 'six week 19': 772716, 'week 19 corona': 975795, 'discriminate': 244786, 'handshake': 376722, 'fwaa': 342574, 'real racist': 701331, 'racist trump': 695330, 'trump dear': 933505, 'dear america': 229739, 'america how': 51554, 'get here': 347220, 'here 19': 392645, 'isn racist': 454635, 'racist disease': 695312, 'disease it': 245166, 'of doesn': 582761, 'doesn discriminate': 251750, 'discriminate meanwhile': 244796, 'meanwhile uganda': 525048, 'uganda is': 937974, 'still free': 800544, 'from wash': 338295, 'hand stock': 375803, 'avoid handshake': 105139, 'handshake don': 376727, 'don sneeze': 253916, 'sneeze fwaa': 776239, 'when is real': 983619, 'is real racist': 451278, 'real racist trump': 701332, 'racist trump dear': 695331, 'trump dear america': 933506, 'dear america how': 229740, 'america how did': 51555, 'how did you': 407692, 'did you get': 240928, 'you get here': 1018776, 'get here 19': 347221, 'here 19 isn': 392649, '19 isn racist': 8094, 'isn racist disease': 454636, 'racist disease it': 695313, 'disease it for': 245168, 'it for all': 458069, 'all of doesn': 43686, 'of doesn discriminate': 582762, 'doesn discriminate meanwhile': 251753, 'discriminate meanwhile uganda': 244797, 'meanwhile uganda is': 525049, 'uganda is still': 937975, 'is still free': 452278, 'still free from': 800545, 'free from wash': 331865, 'from wash your': 338296, 'your hand stock': 1024227, 'hand stock up': 375804, 'up food avoid': 944877, 'food avoid handshake': 313485, 'avoid handshake don': 105141, 'handshake don sneeze': 376728, 'don sneeze fwaa': 253917, 'cohabitants': 185584, 'magic': 508380, 'magichour': 508402, 'beatboredom': 118589, 'shopping prevents': 763672, 'prevents boredom': 671930, 'boredom in': 135408, 'follow keep': 312437, 'and cohabitants': 60055, 'cohabitants entertained': 185585, 'entertained magic': 278530, 'magic magichour': 508385, 'magichour beatboredom': 508403, 'beatboredom shoplocal': 118590, 'online shopping prevents': 609232, 'shopping prevents boredom': 763673, 'prevents boredom in': 671931, 'boredom in the': 135409, 'week to follow': 977079, 'to follow keep': 906052, 'follow keep your': 312438, 'your kid and': 1024550, 'kid and cohabitants': 473852, 'and cohabitants entertained': 60056, 'cohabitants entertained magic': 185586, 'entertained magic magichour': 278531, 'magic magichour beatboredom': 508386, 'magichour beatboredom shoplocal': 508404, 'familiar': 297526, 'bavis': 112898, 'day familiar': 227593, 'familiar place': 297533, 'place the': 657719, 'look very': 502654, 'different bavis': 241907, 'bavis ha': 112899, 'these day familiar': 879871, 'day familiar place': 227594, 'familiar place the': 297534, 'place the grocery': 657723, 'store look very': 808823, 'look very different': 502655, 'very different bavis': 955109, 'different bavis ha': 241908, 'bavis ha this': 112900, 'ha this guide': 372260, 'guide for staying': 368324, 'for staying safe': 325891, 'staying safe on': 798695, 'safe on your': 729850, 'on your next': 605484, 'daily news': 224721, 'news grocery': 560485, 'store exec': 807674, 'exec please': 289829, 'shopping opinion': 763525, 'daily news grocery': 224722, 'news grocery store': 560487, 'grocery store exec': 365384, 'store exec please': 807675, 'exec please stop': 289830, 'stop panic shopping': 804887, 'panic shopping opinion': 638581, 'these policy': 880498, 'policy have': 663419, 'delayed necessary': 232790, 'debt they': 230577, 'also appear': 47864, 'delayed effective': 232780, 'etc just these': 282634, 'just these policy': 470029, 'these policy have': 880499, 'policy have delayed': 663420, 'have delayed necessary': 380221, 'delayed necessary response': 232791, 'consumer debt they': 197090, 'debt they also': 230578, 'they also appear': 881141, 'also appear to': 47865, 'have delayed effective': 380220, 'delayed effective containment': 232781, 'to because': 901663, 'paper stophoarding': 640840, 'stophoarding quaratinelife': 805451, 'out to because': 627624, 'to because we': 901667, 'because we need': 119812, 'we need toilet': 972563, 'toilet paper stophoarding': 921473, 'paper stophoarding quaratinelife': 640841, '144': 3576, '1425': 3567, 'nielsen on': 562651, 'behaviour hand': 124439, 'sanitizer sale': 735676, 'sale jump': 732322, 'jump 53': 467842, '53 in': 20297, 'feb jump': 301648, 'jump 144': 467834, '144 upto': 3577, 'upto mid': 947932, 'march jump': 515403, 'jump 1425': 467832, '1425 in': 3568, 'online channel': 608002, 'channel in': 172890, 'march feb': 515359, 'feb also': 301631, 'huge jump': 410077, 'in branded': 420948, 'branded and': 138090, 'and processed': 69539, 'processed packaged': 679998, 'packaged snack': 633504, 'snack soft': 776031, 'drink and': 258797, 'and biscuit': 58982, 'nielsen on consumer': 562652, 'consumer behaviour hand': 196575, 'behaviour hand sanitizer': 124440, 'hand sanitizer sale': 375575, 'sanitizer sale jump': 735677, 'sale jump 53': 732324, 'jump 53 in': 467843, '53 in feb': 20298, 'in feb jump': 422828, 'feb jump 144': 301649, 'jump 144 upto': 467835, '144 upto mid': 3578, 'upto mid march': 947933, 'mid march jump': 530575, 'march jump 1425': 515404, 'jump 1425 in': 467833, '1425 in online': 3569, 'in online channel': 426161, 'online channel in': 608003, 'channel in march': 172892, 'in march feb': 425101, 'march feb also': 515360, 'feb also huge': 301632, 'also huge jump': 48381, 'huge jump in': 410078, 'jump in branded': 467861, 'in branded and': 420949, 'branded and processed': 138091, 'and processed packaged': 69541, 'processed packaged snack': 679999, 'packaged snack soft': 633505, 'snack soft drink': 776032, 'soft drink and': 781468, 'drink and biscuit': 258798, 'xijinping': 1013847, 'whats up': 982849, 'china xijinping': 177080, 'xijinping now': 1013852, 'now wearing': 576363, 'mask again': 518278, 'again food': 36990, 'whats up with': 982850, 'up with china': 946622, 'with china xijinping': 997635, 'china xijinping now': 177081, 'xijinping now wearing': 1013853, 'now wearing mask': 576364, 'wearing mask again': 974679, 'mask again food': 518279, 'again food panic': 36991, 'ammex': 52886, 'buy glove': 148737, 'spread because': 790450, 'of lockout': 585969, 'lockout on': 500532, 'on ammex': 599303, 'ammex non': 52887, 'non sterile': 566500, 'sterile glove': 799843, 'glove need': 352800, 'fix this': 309757, 'die plea': 241443, 'refusing to help': 707093, 'store can buy': 806850, 'can buy glove': 157823, 'buy glove to': 148738, 'glove to help': 352971, 'the spread because': 867617, 'spread because of': 790451, 'because of lockout': 119367, 'of lockout on': 585970, 'lockout on ammex': 500533, 'on ammex non': 599304, 'ammex non sterile': 52888, 'non sterile glove': 566501, 'sterile glove need': 799844, 'glove need to': 352801, 'to fix this': 905994, 'fix this or': 309761, 'this or people': 889286, 'or people will': 616543, 'will die plea': 993188, 'boff': 133939, 'saddos': 729311, 'day boff': 227381, 'boff therefore': 133940, 'therefore joined': 879447, 'joined the': 466952, 'the saddos': 866124, 'saddos st': 729312, 'st 30': 791679, 'tesco panic': 838778, 'panic panicbuying': 638396, 'panicbuying food': 638942, 'basic uk': 112091, 'uk tesco': 938797, 'the time day': 869584, 'time day boff': 896536, 'day boff therefore': 227382, 'boff therefore joined': 133941, 'therefore joined the': 879448, 'joined the saddos': 466956, 'the saddos st': 866125, 'saddos st 30': 729313, 'st 30 am': 791680, '30 am in': 16955, 'am in the': 50143, 'the queue for': 865039, 'queue for tesco': 693931, 'for tesco panic': 326219, 'tesco panic panicbuying': 838779, 'panic panicbuying food': 638397, 'panicbuying food basic': 638943, 'food basic uk': 313685, 'basic uk tesco': 112092, 'uk tesco extra': 938798, 'distinct': 247860, 'ignorance and': 415742, 'even state': 284605, 'controlled rationing': 202251, 'rationing of': 697849, 'supermarket product': 822070, 'product distinct': 681124, 'distinct possibility': 247864, 'possibility lockdownuknow': 665537, 'the ignorance and': 857861, 'ignorance and selfishness': 415745, 'selfishness of some': 748370, 'of some people': 589902, 'some people is': 783522, 'people is making': 648520, 'is making an': 449536, 'making an enforced': 510955, 'enforced lockdown and': 276712, 'lockdown and even': 499140, 'and even state': 62345, 'even state controlled': 284606, 'state controlled rationing': 795486, 'controlled rationing of': 202252, 'rationing of some': 697852, 'of some supermarket': 589911, 'some supermarket product': 784009, 'supermarket product distinct': 822073, 'product distinct possibility': 681125, 'distinct possibility lockdownuknow': 247865, 'possibility lockdownuknow 19': 665538, 'fraudalert': 331380, 'adminstration': 32539, 'fraudalert urgent': 331384, 'urgent advice': 948315, 'drug adminstration': 260858, 'adminstration fda': 32540, 'fraudalert urgent advice': 331385, 'urgent advice to': 948316, 'advice to consumer': 33528, 'to consumer from': 903302, 'consumer from the': 197562, 'and drug adminstration': 61777, 'drug adminstration fda': 260859, 'adminstration fda beware': 32541, 'reshape': 714180, 'closing in': 183656, 'week mark': 976506, 'mark since': 515822, 'since president': 770792, 'trump announced': 933413, 'announced state': 77040, 'emergency due': 272675, 'already sign': 47662, 'may reshape': 521457, 'reshape the': 714189, 'consumer landscape': 197989, 'landscape forever': 479400, 'are closing in': 85393, 'closing in on': 183658, 'on the two': 604416, 'the two week': 870160, 'two week mark': 937339, 'week mark since': 976507, 'mark since president': 515823, 'since president trump': 770793, 'president trump announced': 670932, 'trump announced state': 933414, 'announced state of': 77041, 'state of national': 795812, 'of national emergency': 586863, 'national emergency due': 552489, 'emergency due to': 272676, 'pandemic here in': 635622, 'the and there': 848726, 'there are already': 878062, 'are already sign': 84424, 'already sign that': 47663, 'sign that this': 769226, 'this may reshape': 888795, 'may reshape the': 521458, 'reshape the consumer': 714190, 'the consumer landscape': 851556, 'consumer landscape forever': 197991, 'kitted': 475821, 'trust no': 934293, 'others if': 621466, 'be fully': 114980, 'fully kitted': 341061, 'kitted with': 475822, 'with facemask': 998356, 'facemask surgical': 295108, 'surgical medical': 828377, 'in anyone': 420442, 'anyone saying': 80508, 'saying coronavirus': 739577, 'nigeria operation': 562779, 'operation kill': 613223, 'kill corona': 474370, 'trust no one': 934294, 'no one stay': 564964, 'one stay home': 607092, 'home to protect': 402336, 'and others if': 68448, 'others if you': 621467, 'go out please': 353976, 'out please be': 627051, 'please be fully': 659703, 'be fully kitted': 114981, 'fully kitted with': 341062, 'kitted with facemask': 475823, 'with facemask surgical': 998358, 'facemask surgical medical': 295109, 'surgical medical glove': 828378, 'medical glove and': 526189, 'glove and sanitizer': 352578, 'and sanitizer do': 70867, 'not believe in': 568555, 'believe in anyone': 126283, 'in anyone saying': 420443, 'anyone saying coronavirus': 80509, 'saying coronavirus is': 739578, 'coronavirus is not': 206168, 'not in nigeria': 570101, 'in nigeria operation': 425880, 'nigeria operation kill': 562780, 'operation kill corona': 613224, 'wa left': 962518, 'all that wa': 44649, 'that wa left': 847295, 'wa left in': 962522, 'dairy aisle at': 224947, 'ethanol price': 283000, 'hit low': 398306, 'and crude': 60768, 'price lead': 675028, 'to historic': 907827, 'historic crash': 397945, 'in ethanol': 422610, 'ethanol price hit': 283002, 'price hit low': 674559, 'hit low and': 398307, 'low and crude': 505123, 'and crude price': 60770, 'crude price lead': 219593, 'price lead to': 675029, 'lead to historic': 483350, 'to historic crash': 907828, 'historic crash in': 397946, 'crash in ethanol': 214992, 'exploiting coronavirus': 292418, 'are exploiting coronavirus': 86365, 'exploiting coronavirus panic': 292419, 'stampeding': 793451, 'metrouk': 529966, 'indiavscorona': 434960, 'the stampeding': 867719, 'stampeding video': 793452, 'for grabbing': 321976, 'grabbing toilet': 361594, 'me talk': 523580, 'talk some': 833846, 'some sense': 783825, 'sense into': 750535, 'into you': 443310, 'you lot': 1019720, 'lot please': 504346, 'please embrace': 659958, 'embrace the': 272489, 'indian style': 434887, 'style use': 815635, 'use water': 949793, 'water instead': 969036, 'instead metrouk': 440222, 'metrouk guardian': 529967, 'guardian bbcnews': 367890, 'bbcnews workingfromhome': 113143, 'workingfromhome hygiene': 1009098, 'hygiene indiavscorona': 412109, 'at the stampeding': 101105, 'the stampeding video': 867720, 'stampeding video for': 793453, 'video for grabbing': 956730, 'for grabbing toilet': 321977, 'grabbing toilet paper': 361595, 'paper supermarket let': 640849, 'supermarket let me': 821296, 'let me talk': 486914, 'me talk some': 523581, 'talk some sense': 833847, 'some sense into': 783826, 'sense into you': 750536, 'into you lot': 443312, 'you lot please': 1019724, 'lot please embrace': 504347, 'please embrace the': 659959, 'embrace the indian': 272491, 'the indian style': 858127, 'indian style use': 434888, 'style use water': 815636, 'use water instead': 949794, 'water instead metrouk': 969037, 'instead metrouk guardian': 440223, 'metrouk guardian bbcnews': 529968, 'guardian bbcnews workingfromhome': 367891, 'bbcnews workingfromhome hygiene': 113144, 'workingfromhome hygiene indiavscorona': 1009099, 'being stoppanicbuying': 125856, 'stoppanicbuying australia': 805547, 'selfishness of the': 748371, 'the human being': 857712, 'human being stoppanicbuying': 410444, 'being stoppanicbuying australia': 125857, 'how going': 407921, 'an anxious': 55343, 'anxious experience': 78850, 'experience now': 291429, 'everything sold': 288003, 'out sometimes': 627225, 'sometimes long': 785217, 'you forget': 1018691, 'forget what': 329347, 'you came': 1017607, 'for anxiety': 319391, 'crazy how going': 215321, 'how going to': 407923, 'store is such': 808536, 'such an anxious': 816321, 'an anxious experience': 55345, 'anxious experience now': 78851, 'experience now you': 291432, 'now you do': 576505, 'to get close': 906443, 'to other people': 911117, 'other people they': 620689, 'people they do': 649818, 'to you everything': 918899, 'you everything sold': 1018472, 'everything sold out': 288004, 'sold out sometimes': 781749, 'out sometimes long': 627226, 'sometimes long line': 785218, 'long line you': 501511, 'line you forget': 493620, 'you forget what': 1018693, 'forget what you': 329348, 'what you came': 982666, 'you came in': 1017608, 'store for anxiety': 807787, 'rightfully': 722447, 'store rant': 809739, 'rant store': 696855, 'are rightfully': 89697, 'rightfully limiting': 722450, 'time grateful': 896857, 'asshole terrified': 96568, 'themselves grow': 876820, 'grow the': 367070, 'hell up': 389082, 'up rant': 945884, 'rant over': 696851, 'grocery store rant': 365700, 'store rant store': 809740, 'rant store are': 696856, 'store are rightfully': 806517, 'are rightfully limiting': 89699, 'rightfully limiting the': 722451, 'one time grateful': 607255, 'time grateful just': 896858, 'needy asshole terrified': 556672, 'asshole terrified of': 96569, 'over themselves grow': 630805, 'themselves grow the': 876821, 'grow the hell': 367073, 'the hell up': 857252, 'hell up rant': 389083, 'up rant over': 945885, 'rant over stayhomesavelives': 696852, 'presenter': 670666, 'sup': 818460, 'great that': 363036, 'you offer': 1020180, 'reason and': 702865, 'and convenience': 60523, 'convenience we': 202370, 'truly grateful': 933305, 'choosing saint': 177938, 'saint to': 731825, 'your presenter': 1025384, 'presenter and': 670667, 'giving him': 351311, 'the invaluable': 858412, 'invaluable opportunity': 443587, 'grow thank': 367066, 'you sup': 1021472, 'it great that': 458339, 'great that you': 363039, 'that you offer': 847735, 'you offer online': 1020182, 'pandemic for safety': 635451, 'safety reason and': 730711, 'reason and convenience': 702867, 'and convenience we': 60526, 'convenience we are': 202371, 'are truly grateful': 91217, 'truly grateful to': 933307, 'grateful to you': 362333, 'you for choosing': 1018629, 'for choosing saint': 320075, 'choosing saint to': 177939, 'saint to be': 731826, 'to be your': 901644, 'be your presenter': 118178, 'your presenter and': 1025385, 'presenter and giving': 670668, 'and giving him': 63678, 'giving him the': 351313, 'him the invaluable': 396732, 'the invaluable opportunity': 858413, 'invaluable opportunity to': 443588, 'opportunity to grow': 613706, 'to grow thank': 907039, 'grow thank you': 367067, 'thank you sup': 841820, '5ft10': 20650, 'curly': 221000, 'pride': 678013, 'appearance': 82132, 'yesterday there': 1015889, 'wa man': 962612, 'man there': 512271, 'there about': 877953, 'about 55': 24730, '55 5ft10': 20358, '5ft10 average': 20651, 'average build': 104813, 'build and': 141949, 'with curly': 997882, 'curly steel': 221001, 'steel grey': 799330, 'grey hair': 363876, 'hair his': 373988, 'his clothes': 397290, 'clothes that': 184214, 'lot longer': 504092, '19 since': 10555, 'since he': 770643, 'he last': 385180, 'last took': 480591, 'took any': 925208, 'any actual': 78900, 'actual pride': 30692, 'pride in': 678018, 'his appearance': 397199, 'appearance that': 82137, 'wa clean': 961818, 'supermarket yesterday there': 824175, 'yesterday there wa': 1015890, 'there wa man': 879249, 'wa man there': 962613, 'man there about': 512272, 'there about 55': 877954, 'about 55 5ft10': 24731, '55 5ft10 average': 20359, '5ft10 average build': 20652, 'average build and': 104814, 'build and with': 141950, 'and with curly': 75764, 'with curly steel': 997883, 'curly steel grey': 221002, 'steel grey hair': 799331, 'grey hair his': 363877, 'hair his clothes': 373989, 'his clothes that': 397291, 'clothes that said': 184216, 'that said it': 846100, 'said it had': 731155, 'it had been': 458427, 'had been lot': 372899, 'been lot longer': 121492, 'lot longer than': 504093, 'longer than just': 502071, 'than just covid': 840813, 'covid 19 since': 213807, '19 since he': 10556, 'since he last': 770645, 'he last took': 385181, 'last took any': 480592, 'took any actual': 925209, 'any actual pride': 78901, 'actual pride in': 30693, 'pride in his': 678019, 'in his appearance': 423714, 'his appearance that': 397200, 'appearance that said': 82138, 'that said he': 846099, 'he wa clean': 385590, 'truckload': 933001, 'negate': 556722, 'grocery big': 364320, 'offer truckload': 594859, 'truckload or': 933002, 'or parking': 616506, 'lot sale': 504356, 'paper bottled': 639953, 'water this': 969207, 'would negate': 1012053, 'negate unloading': 556725, 'unloading stocking': 942813, 'stocking inside': 803569, 'inside of': 439331, 'store relieve': 809793, 'relieve long': 709530, 'long customer': 501383, 'customer line': 222579, 'line grocery': 493141, 'time for grocery': 896713, 'for grocery big': 322025, 'grocery big box': 364321, 'box store to': 137171, 'to offer truckload': 910856, 'offer truckload or': 594860, 'truckload or parking': 933003, 'or parking lot': 616507, 'parking lot sale': 642102, 'lot sale of': 504357, 'sale of toilet': 732409, 'toilet paper bottled': 921208, 'paper bottled water': 639954, 'bottled water this': 136379, 'water this would': 969210, 'this would negate': 891541, 'would negate unloading': 1012054, 'negate unloading stocking': 556726, 'unloading stocking inside': 942814, 'stocking inside of': 803570, 'inside of store': 439336, 'of store relieve': 590264, 'store relieve long': 809794, 'relieve long customer': 709531, 'long customer line': 501384, 'customer line outside': 222580, 'line outside of': 493349, 'outside of store': 629514, 'of store line': 590255, 'store line grocery': 808750, 'paired': 634348, 'we paired': 972685, 'paired our': 634349, 'client work': 182142, 'with expected': 998331, 'expected consumer': 290883, 'behavior to': 124253, 'of beauty': 580599, 'beauty beauty': 118745, 'beauty consumerbehavior': 118756, 'we paired our': 972686, 'paired our client': 634350, 'our client work': 622405, 'client work with': 182143, 'work with expected': 1006031, 'with expected consumer': 998332, 'expected consumer behavior': 290884, 'consumer behavior to': 196528, 'behavior to bring': 124254, 'bring you an': 140121, 'you an update': 1016972, 'affecting the business': 34557, 'the business of': 850177, 'business of beauty': 144117, 'of beauty beauty': 580600, 'beauty beauty consumerbehavior': 118746, 'rake': 696207, 'been successfully': 122093, 'successfully treating': 816279, 'patient using': 644288, 'of cocktail': 581498, 'cocktail of': 185242, 'drug easily': 260942, 'easily available': 265189, 'and affordable': 57743, 'affordable the': 34904, 'this administration': 886205, 'administration pharmaceutical': 32493, 'pharmaceutical will': 654096, 'will rake': 994555, 'rake in': 696208, 'in billion': 420833, 'billion by': 130785, 'india ha been': 434438, 'ha been successfully': 369942, 'been successfully treating': 122094, 'successfully treating covid': 816280, '19 patient using': 9597, 'patient using this': 644289, 'using this part': 950753, 'this part of': 889482, 'part of cocktail': 642337, 'of cocktail of': 581499, 'cocktail of drug': 185243, 'of drug easily': 582845, 'drug easily available': 260943, 'easily available and': 265190, 'available and affordable': 104221, 'and affordable the': 57748, 'affordable the big': 34905, 'big concern is': 129710, 'concern is this': 193008, 'is this administration': 453070, 'this administration pharmaceutical': 886207, 'administration pharmaceutical will': 32494, 'pharmaceutical will rake': 654097, 'will rake in': 994556, 'rake in billion': 696209, 'in billion by': 420834, 'billion by raising': 130788, 'by raising price': 153713, 'raising price in': 696116, 'price in am': 674656, 'objectionable': 578434, 'barrie': 111332, 'is objectionable': 450377, 'objectionable ve': 578435, 'seen glove': 747037, 'glove after': 352536, 'after glove': 35714, 'glove dropped': 352660, 'dropped in': 260575, 'lot pollution': 504348, 'pollution aside': 663897, 'aside put': 95427, 'your dirty': 1023516, 'dirty covid': 243738, '19 glove': 7225, 'glove safely': 352891, 'safely in': 730285, 'waste why': 968216, 'should others': 766300, 'others pick': 621582, 'you fear': 1018521, 'fear what': 301427, 'what on': 981959, 'grip people': 364030, 'people barrie': 647213, 'this is objectionable': 888338, 'is objectionable ve': 450378, 'objectionable ve seen': 578436, 've seen glove': 953530, 'seen glove after': 747038, 'glove after glove': 352538, 'after glove dropped': 35715, 'glove dropped in': 352661, 'dropped in grocery': 260578, 'parking lot pollution': 642101, 'lot pollution aside': 504349, 'pollution aside put': 663898, 'aside put your': 95428, 'put your dirty': 690988, 'your dirty covid': 1023517, 'dirty covid 19': 243739, 'covid 19 glove': 213148, '19 glove safely': 7227, 'glove safely in': 352892, 'safely in the': 730286, 'in the waste': 429662, 'the waste why': 871117, 'waste why should': 968217, 'why should others': 991340, 'should others pick': 766301, 'others pick them': 621583, 'them up if': 876569, 'if you fear': 415436, 'you fear what': 1018522, 'fear what on': 301429, 'what on them': 981963, 'on them get': 604535, 'them get grip': 875772, 'get grip people': 347156, 'grip people barrie': 364031, 'stop listen': 804813, 'listen think': 494724, 'must stop listen': 546922, 'stop listen think': 804814, '3145169861': 17627, 'hussle': 411809, '3145169861 first': 17628, 'first bank': 308526, 'bank sir': 110191, 'sir due': 771555, 'virus no': 958528, 'to hussle': 908067, 'hussle help': 411810, 'with anything': 997288, '3145169861 first bank': 17629, 'first bank sir': 308527, 'bank sir due': 110192, 'sir due to': 771556, '19 virus no': 11821, 'virus no way': 958530, 'no way to': 565872, 'way to hussle': 970039, 'to hussle help': 908068, 'hussle help me': 411811, 'help me and': 390062, 'my family with': 548236, 'family with anything': 298384, 'with anything to': 997290, 'anything to stock': 80918, 'globe are': 352444, 'seeing unprecedented': 746533, 'million lose': 532224, 'lose job': 503443, 'the globe are': 856347, 'globe are seeing': 352446, 'are seeing unprecedented': 89920, 'seeing unprecedented demand': 746534, 'demand million lose': 235870, 'million lose job': 532225, 'lose job and': 503444, 'using glove': 950499, 'glove however': 352725, 'however they': 409493, 'aren changing': 92356, 'changing glove': 172713, 'or using': 617627, 'sanitizer between': 734568, 'between customer': 128757, 'customer so': 222856, 'sick person': 768586, 'front me': 338632, 'me coughed': 522610, 'his milk': 397608, 'cashier just': 166557, 'that germ': 843993, 'on ll': 601889, 'll bet': 496650, 'bet le': 128079, 'le then': 483197, 'then of': 877368, 'people wipe': 650425, 'down their': 257314, 'purchase once': 689595, 'once home': 605652, 'cashier are using': 166476, 'are using glove': 91420, 'using glove however': 950500, 'glove however they': 352726, 'however they aren': 409495, 'they aren changing': 881473, 'aren changing glove': 92357, 'changing glove or': 172714, 'glove or using': 352850, 'or using hand': 617628, 'hand sanitizer between': 375325, 'sanitizer between customer': 734569, 'between customer so': 128760, 'customer so sick': 222860, 'so sick person': 778214, 'sick person in': 768588, 'in front me': 423132, 'front me coughed': 338633, 'me coughed on': 522611, 'coughed on his': 208627, 'on his milk': 601324, 'his milk and': 397609, 'milk and the': 531568, 'and the cashier': 73272, 'the cashier just': 850489, 'cashier just passed': 166558, 'passed that germ': 643301, 'that germ on': 843994, 'germ on ll': 346138, 'on ll bet': 601890, 'll bet le': 496652, 'bet le then': 128080, 'le then of': 483199, 'then of people': 877370, 'of people wipe': 588027, 'people wipe down': 650426, 'wipe down their': 996241, 'down their purchase': 257318, 'their purchase once': 874515, 'purchase once home': 689596, 'stephenschork': 799753, 'telegraphed': 836737, 'br': 137469, 'stephenschork what': 799754, 'wa telegraphed': 963407, 'telegraphed the': 836738, 'the spark': 867539, 'spark policy': 787548, 'policy failure': 663401, 'failure from': 296269, 'from obama': 336625, 'obama trump': 578335, 'fed are': 301784, 'to br': 901972, 'br blamed': 137470, 'stephenschork what happening': 799755, 'what happening in': 981554, 'the market what': 860176, 'market what happening': 517336, 'what happening with': 981561, 'happening with oil': 377442, 'with oil price': 999861, 'oil price wa': 597312, 'price wa telegraphed': 677339, 'wa telegraphed the': 963408, 'telegraphed the is': 836739, 'the is just': 858503, 'just the spark': 470013, 'the spark policy': 867540, 'spark policy failure': 787549, 'policy failure from': 663402, 'failure from obama': 296270, 'from obama trump': 336626, 'obama trump the': 578336, 'trump the fed': 933915, 'the fed are': 855054, 'fed are to': 301785, 'are to br': 91109, 'to br blamed': 901973, 'devote': 239994, 'it community': 457232, 'hour amid': 405381, 'amid number': 52548, 'giant will': 349891, 'now devote': 574519, 'devote an': 239995, 'from 7am': 334337, '7am on': 22428, 'and thursday': 74104, 'worker 7news': 1006190, 'set to expand': 753514, 'expand it community': 290457, 'it community shopping': 457234, 'community shopping hour': 190094, 'shopping hour amid': 762909, 'hour amid number': 405383, 'amid number of': 52549, 'number of social': 576993, 'distancing measure the': 247326, 'measure the supermarket': 525371, 'supermarket giant will': 820518, 'giant will now': 349892, 'will now devote': 994297, 'now devote an': 574520, 'devote an hour': 239996, 'hour from 7am': 405631, 'from 7am on': 334338, '7am on tuesday': 22429, 'on tuesday and': 604876, 'tuesday and thursday': 935118, 'and thursday for': 74106, 'thursday for emergency': 895371, 'service and healthcare': 752090, 'healthcare worker 7news': 387341, 'expect some': 290726, 'some kind': 783173, 'on weapon': 605150, 'weapon well': 974266, 'if 19': 413761, 'doesn hit': 251840, 'hit them': 398456, 'them gun': 875807, 'gun probably': 368715, 'probably will': 679419, 'increasing in the': 433628, 'united state due': 942214, 'the food shortage': 855603, 'people expect some': 647842, 'expect some kind': 290727, 'some kind of': 783174, 'is why they': 453979, 'up on weapon': 945643, 'on weapon well': 605152, 'weapon well what': 974267, 'well what if': 978743, 'what if 19': 981620, 'if 19 doesn': 413762, '19 doesn hit': 6613, 'doesn hit them': 251841, 'hit them gun': 398457, 'them gun probably': 875808, 'gun probably will': 368716, 'subjective': 815764, 'term necessary': 838207, 'necessary is': 554007, 'very subjective': 955599, 'subjective to': 815765, 'necessary mean': 554027, 'mean buying': 524382, 'mean driving': 524406, 'driving across': 259890, 'across state': 29460, 'state line': 795741, 'for chick': 320046, 'chick fil': 175716, 'the term necessary': 869295, 'term necessary is': 838208, 'necessary is very': 554008, 'is very subjective': 453700, 'very subjective to': 955600, 'subjective to some': 815766, 'to some necessary': 914882, 'some necessary mean': 783341, 'necessary mean buying': 554028, 'mean buying all': 524383, 'buying all of': 149878, 'the but to': 850204, 'but to some': 147590, 'necessary mean driving': 554029, 'mean driving across': 524407, 'driving across state': 259891, 'across state line': 29461, 'state line for': 795742, 'line for chick': 493098, 'for chick fil': 320047, 'krone': 477791, 'the norwegian': 861886, 'norwegian krone': 567849, 'krone drop': 477794, 'and uncertainty': 74605, 'the norwegian krone': 861887, 'norwegian krone drop': 567850, 'krone drop to': 477795, 'drop to record': 260429, 'record low on': 705017, 'low on the': 505467, 'back of collapsing': 107168, 'price and uncertainty': 672572, '19 cov': 6171, 'across supermarket 19': 29464, 'supermarket 19 19': 818734, '19 19 cov': 4710, 'tabled': 831513, 'edm': 268685, '318': 17640, 'yesterday tabled': 1015873, 'tabled an': 831514, 'early day': 264573, 'day motion': 227992, 'motion edm': 543260, 'edm 318': 268686, '318 and': 17641, 'and wrote': 75945, 'the secretary': 866607, 'secretary of': 743964, 'department for': 237194, 'business energy': 143697, 'and industrial': 65172, 'industrial strategy': 435574, 'address price': 32013, 'yesterday tabled an': 1015874, 'tabled an early': 831515, 'an early day': 55541, 'early day motion': 264575, 'day motion edm': 227993, 'motion edm 318': 543261, 'edm 318 and': 268687, '318 and wrote': 17642, 'and wrote to': 75947, 'wrote to the': 1013228, 'to the secretary': 917045, 'the secretary of': 866608, 'secretary of state': 743965, 'of state for': 590066, 'state for the': 795591, 'for the department': 326381, 'the department for': 853141, 'department for business': 237195, 'for business energy': 319831, 'business energy and': 143698, 'energy and industrial': 276389, 'and industrial strategy': 65174, 'industrial strategy to': 435576, 'strategy to take': 812735, 'action to address': 30162, 'to address price': 900092, 'address price hike': 32014, 'supermarket true': 823578, 'true enough': 933075, 'product let': 681353, 'me make': 523134, 'this clear': 886782, 'clear if': 181259, 'bought trolley': 136768, 'trolley load': 932440, 'get flu': 347024, 'flu bug': 311385, 'bug you': 141906, 'are fuckin': 86713, 'fuckin virus': 339791, 'but unlike': 147661, 'll never': 496913, 'be cure': 114311, 'your type': 1026238, 'wa in supermarket': 962385, 'in supermarket true': 428700, 'supermarket true enough': 823579, 'true enough the': 933076, 'enough the shelf': 277671, 'were empty of': 979571, 'empty of specific': 274984, 'specific product let': 788241, 'product let me': 681354, 'let me make': 486903, 'me make this': 523135, 'make this clear': 510634, 'this clear if': 886783, 'clear if you': 181261, 'if you bought': 415401, 'you bought trolley': 1017511, 'bought trolley load': 136769, 'trolley load of': 932441, 'load of toilet': 497287, 'paper in case': 640316, 'case you get': 166124, 'you get flu': 1018770, 'get flu bug': 347025, 'flu bug you': 311386, 'bug you are': 141907, 'you are fuckin': 1017131, 'are fuckin virus': 86715, 'fuckin virus but': 339792, 'virus but unlike': 958017, 'but unlike covid': 147662, '19 there ll': 11287, 'there ll never': 878721, 'll never be': 496915, 'never be cure': 557876, 'be cure for': 114312, 'cure for your': 220750, 'for your type': 328222, 'imagine waking': 416818, 'is restored': 451478, 'restored covid': 717059, 'can finally': 158308, 'finally go': 306022, 'shining and': 758620, 'the bird': 849724, 'are singing': 90139, 'singing and': 771209, 'all happy': 43038, 'imagine waking up': 416819, 'waking up tomorrow': 964670, 'up tomorrow and': 946466, 'tomorrow and everything': 924023, 'everything is restored': 287883, 'is restored covid': 451479, 'restored covid 19': 717060, 'no more and': 564796, 'more and we': 538622, 'we can finally': 970949, 'can finally go': 158310, 'finally go out': 306023, 'out and there': 625701, 'there is food': 878560, 'is food and': 447863, 'and drink and': 61725, 'drink and every': 258799, 'and every supermarket': 62383, 'every supermarket is': 286256, 'supermarket is full': 821091, 'full of product': 340750, 'product and the': 680915, 'and the sun': 73603, 'is shining and': 451856, 'shining and the': 758621, 'and the bird': 73260, 'the bird are': 849725, 'bird are singing': 131326, 'are singing and': 90140, 'singing and we': 771211, 're all happy': 698221, 'empty at': 274791, 'store except': 807667, 'for cake': 319872, 'cake mix': 155247, 'mix so': 534610, 'all the shelf': 44905, 'are empty at': 86140, 'empty at our': 274793, 'grocery store except': 365382, 'store except for': 807668, 'except for cake': 289152, 'for cake mix': 319873, 'cake mix so': 155249, 'mix so we': 534611, 'we are fine': 970565, 'say city': 738508, 'of los': 586017, 'angeles will': 76393, 'receive 00': 703428, 'say city of': 738509, 'city of los': 179285, 'of los angeles': 586018, 'los angeles will': 503374, 'angeles will receive': 76395, 'will receive 00': 994589, 'receive 00 mask': 703429, '00 mask for': 319, 'mask for grocery': 518676, 'worker and 10': 1006268, 'and 10 00': 57342, 'mask for first': 518674, 'iremedy': 444861, 'iremedy is': 444864, 'selling corona': 749200, 'virus safety': 958708, 'these iremedy': 880181, 'iremedy coupon': 444862, 'coupon can': 211751, 'you further': 1018743, 'further 10': 341985, 'purchase read': 689643, 'more website': 540958, 'website health': 975294, 'health stayhome': 386874, 'iremedy is selling': 444865, 'is selling corona': 451752, 'selling corona virus': 749201, 'corona virus safety': 204347, 'virus safety equipment': 958709, 'safety equipment for': 730521, 'equipment for your': 279729, 'for your home': 328164, 'your home health': 1024357, 'home health at': 401354, 'health at wholesale': 386178, 'wholesale price with': 990485, 'price with these': 677626, 'with these iremedy': 1001642, 'these iremedy coupon': 880182, 'iremedy coupon can': 444863, 'coupon can get': 211752, 'can get you': 158473, 'get you further': 348674, 'you further 10': 1018744, 'further 10 off': 341986, '10 off on': 1579, 'on your purchase': 605495, 'your purchase read': 1025481, 'purchase read more': 689644, 'read more website': 700457, 'more website health': 540959, 'website health stayhome': 975295, 'alum': 49407, 'endowment': 276274, 'hey alum': 394319, 'alum campus': 49408, 'off without': 594401, 'pay or': 645024, 'benefit sign': 127081, 'petition to': 653636, 'president to': 670922, 'our massive': 623873, 'massive endowment': 520024, 'endowment cover': 276275, 'cover basic': 212197, 'who took': 989802, 'took care': 925220, 'hey alum campus': 394320, 'alum campus food': 49409, 'service worker have': 753098, 'laid off without': 479034, 'off without pay': 594403, 'without pay or': 1002829, 'pay or health': 645025, 'or health benefit': 615608, 'health benefit sign': 386193, 'benefit sign the': 127082, 'the petition to': 863617, 'petition to the': 653641, 'the president to': 864271, 'president to demand': 670923, 'to demand our': 904150, 'demand our massive': 235992, 'our massive endowment': 623874, 'massive endowment cover': 520025, 'endowment cover basic': 276276, 'cover basic need': 212198, 'basic need for': 112011, 'for the folk': 326441, 'the folk who': 855487, 'folk who took': 312303, 'who took care': 989803, 'took care of': 925221, 'reasearch': 702848, 'we desperately': 971279, 'need vaccine': 556154, 'for bigpharma': 319677, 'bigpharma that': 130374, 'mean raise': 524623, 'private profit': 678967, 'profit please': 682844, 'petition demanding': 653600, 'demanding that': 236614, 'that public': 845901, 'public reasearch': 688263, 'reasearch money': 702849, 'go with': 354508, 'condition that': 193531, 'cheap enough': 174098, 'we desperately need': 971280, 'desperately need vaccine': 238575, 'need vaccine for': 556155, 'vaccine for bigpharma': 951701, 'for bigpharma that': 319678, 'bigpharma that mean': 130375, 'that mean raise': 845118, 'mean raise price': 524624, 'price for private': 674029, 'for private profit': 324754, 'private profit please': 678968, 'profit please sign': 682845, 'this petition demanding': 889542, 'petition demanding that': 653601, 'demanding that public': 236616, 'that public reasearch': 845903, 'public reasearch money': 688264, 'reasearch money go': 702850, 'money go with': 536786, 'go with the': 354512, 'with the condition': 1001241, 'the condition that': 851434, 'condition that any': 193532, 'that any vaccine': 842680, 'any vaccine is': 80008, 'vaccine is cheap': 951724, 'is cheap enough': 446495, 'cheap enough for': 174099, 'informationagainstcovid': 438055, 'high nutrition': 395185, 'nutrition diet': 577714, 'diet given': 241727, 'consumer mindset': 198135, 'mindset to': 532858, 'follow healthy': 312407, 'healthy lifestyle': 387679, 'lifestyle particularly': 489374, 'particularly in': 642697, 'these testing': 880803, 'more health': 539397, 'health lifestyle': 386613, 'lifestyle pandemic': 489372, 'pandemic informationagainstcovid': 635735, 'there is an': 878522, 'is an increased': 445670, 'an increased demand': 56241, 'demand for high': 235439, 'for high nutrition': 322257, 'high nutrition diet': 395186, 'nutrition diet given': 577715, 'diet given the': 241728, 'given the consumer': 351131, 'the consumer mindset': 851561, 'consumer mindset to': 198138, 'mindset to follow': 532859, 'to follow healthy': 906049, 'follow healthy lifestyle': 312408, 'healthy lifestyle particularly': 387681, 'lifestyle particularly in': 489375, 'particularly in these': 642703, 'in these testing': 429864, 'these testing time': 880804, 'testing time of': 839670, 'the pandemic learn': 863014, 'learn more health': 484029, 'more health lifestyle': 539398, 'health lifestyle pandemic': 386614, 'lifestyle pandemic informationagainstcovid': 489373, 'into profiteering': 442898, 'crisis look': 217679, 'look no': 502540, 'further than': 342179, 'chain not': 170947, 'not passing': 570973, 'on 20p': 599060, '20p of': 14923, 'of wholesale': 593142, 'wholesale fall': 990441, 'fall since': 297059, 'christmas read': 178194, 'fact at': 295683, 'say he will': 738740, 'he will look': 385671, 'will look into': 994041, 'look into profiteering': 502433, 'into profiteering during': 442899, 'profiteering during the': 683027, 'the crisis look': 852404, 'crisis look no': 217681, 'look no further': 502541, 'no further than': 564331, 'further than the': 342181, 'than the fuel': 841238, 'supply chain not': 824998, 'chain not passing': 170949, 'not passing on': 570974, 'passing on 20p': 643385, 'on 20p of': 599061, '20p of wholesale': 14924, 'of wholesale fall': 593143, 'wholesale fall since': 990442, 'fall since christmas': 297060, 'since christmas read': 770541, 'christmas read the': 178195, 'read the fact': 700572, 'the fact at': 854817, 'think all': 885128, 'extra supermarket': 293661, 'and click': 59978, 'collect from': 186277, 'avoid further': 105115, 'further contamination': 342014, 'contamination to': 200737, 'and smaller': 71785, 'smaller local': 775281, 'essential long': 281292, 'life food': 488657, 'food lockdown': 315337, 'think all the': 885130, 'all the extra': 44739, 'the extra supermarket': 854770, 'extra supermarket need': 293662, 'need to close': 555888, 'close and only': 182534, 'and only have': 68139, 'only have delivery': 610576, 'have delivery and': 380227, 'delivery and click': 233657, 'and click and': 59979, 'and collect from': 60082, 'collect from those': 186280, 'from those store': 338033, 'those store to': 892497, 'store to avoid': 810756, 'to avoid further': 900900, 'avoid further contamination': 105116, 'further contamination to': 342015, 'contamination to those': 200738, 'to those self': 917518, 'isolating and smaller': 455059, 'and smaller local': 71787, 'smaller local store': 775283, 'local store to': 498484, 'store to stock': 810816, 'stock up with': 803134, 'up with essential': 946635, 'with essential long': 998256, 'essential long life': 281293, 'long life food': 501487, 'life food lockdown': 488658, 'food lockdown supermarket': 315338, 'how ecommerce': 407782, 'ecommerce change': 266730, 'and privacy': 69517, 'privacy regulation': 678829, 'regulation with': 708133, 'crucial for': 219446, 'any business': 78987, 'video review': 956878, 'review the': 720589, 'main legal': 508769, 'legal challenge': 485851, 'how ecommerce change': 407784, 'ecommerce change with': 266731, 'change with new': 172406, 'with new consumer': 999700, 'new consumer and': 558515, 'consumer and privacy': 196237, 'and privacy regulation': 69520, 'privacy regulation with': 678830, 'regulation with the': 708134, 'with the emergency': 1001283, 'the emergency the': 854236, 'emergency the commerce': 273017, 'the commerce channel': 851219, 'commerce channel is': 188531, 'channel is crucial': 172896, 'is crucial for': 446957, 'crucial for any': 219447, 'for any business': 319396, 'any business and': 78988, 'business and in': 143312, 'and in this': 65076, 'in this video': 430041, 'this video review': 890985, 'video review the': 956879, 'review the main': 720593, 'the main legal': 859904, 'main legal challenge': 508770, 'deglobalisation': 232531, 'coun': 209950, 'deglobalisation of': 232532, 'investment yet': 444088, 'yet greater': 1016086, 'greater direct': 363170, 'consumer influence': 197863, 'influence of': 437313, 'of big': 580696, 'big tech': 130049, 'tech across': 836026, 'world fast': 1009542, 'tracked by': 928242, '19 ie': 7653, 'ie the': 413744, 'both world': 136100, 'world lower': 1009771, 'lower share': 505995, 'new data': 558591, 'data black': 226147, 'black gold': 132065, 'gold for': 355892, 'for developing': 320687, 'developing coun': 239770, 'deglobalisation of trade': 232533, 'trade and investment': 928409, 'and investment yet': 65367, 'investment yet greater': 444089, 'yet greater direct': 1016087, 'greater direct to': 363171, 'to consumer influence': 903312, 'consumer influence of': 197864, 'influence of big': 437314, 'of big tech': 580704, 'big tech across': 130050, 'tech across the': 836027, 'the world fast': 871868, 'world fast tracked': 1009543, 'fast tracked by': 300065, 'tracked by covid': 928243, 'covid 19 ie': 213243, '19 ie the': 7654, 'ie the worst': 413745, 'worst of both': 1011230, 'of both world': 580799, 'both world lower': 136101, 'world lower share': 1009772, 'lower share of': 505996, 'share of trade': 755123, 'and the new': 73492, 'the new data': 861490, 'new data black': 558592, 'data black gold': 226148, 'black gold for': 132066, 'gold for developing': 355893, 'for developing coun': 320688, 'saying about': 739550, 'own experience': 631972, 'experience marketresearch': 291418, 'marketresearch socialmedia': 517865, 'time it critical': 897077, 'it critical for': 457413, 'critical for you': 218565, 'you to listen': 1021799, 'are saying about': 89820, 'saying about their': 739553, 'about their own': 26589, 'their own experience': 874172, 'own experience marketresearch': 631973, 'experience marketresearch socialmedia': 291419, 'marketresearch socialmedia branding': 517866, 'argued': 92701, 'unusual': 943983, 'we argued': 970778, 'argued yesterday': 92706, 'yesterday that': 1015881, 'not financial': 569412, 'rather consumer': 697442, 'business crisis': 143598, 'requires very': 713508, 'very unusual': 955638, 'unusual policy': 943991, 'policy measure': 663447, 'we argued yesterday': 970779, 'argued yesterday that': 92707, 'yesterday that the': 1015882, 'crisis is not': 217581, 'is not financial': 450081, 'not financial crisis': 569413, 'financial crisis but': 306369, 'crisis but rather': 217154, 'but rather consumer': 146884, 'rather consumer and': 697443, 'small business crisis': 774851, 'business crisis that': 143599, 'crisis that requires': 218155, 'that requires very': 846012, 'requires very unusual': 713509, 'very unusual policy': 955639, 'unusual policy measure': 943992, 'hoarding all': 399166, 'found the guy': 330410, 'guy who been': 369225, 'who been hoarding': 988306, 'been hoarding all': 121302, 'hoarding all the': 399168, 'yo': 1016418, '27 yo': 16320, 'yo grocery': 1016431, 'worker died': 1006779, 'in mom': 425391, 'mom arm': 535685, 'arm please': 92911, 'please young': 660788, 'people covid': 647569, 'covid doe': 214151, 'doe impact': 251418, 'impact you': 418055, '27 yo grocery': 16321, 'yo grocery store': 1016432, 'store worker died': 811481, 'worker died in': 1006782, 'died in mom': 241572, 'in mom arm': 425392, 'mom arm please': 535686, 'arm please young': 92912, 'please young people': 660789, 'young people covid': 1022641, 'people covid doe': 647571, 'covid doe impact': 214152, 'doe impact you': 251420, 'impact you 19': 418056, 'please also': 659646, 'and village': 74963, 'village business': 957336, 'business caf': 143481, 'pub too': 687791, 'many offering': 514408, 'and takeaway': 72984, 'takeaway stayhomesavelives': 832908, 'current supermarket opening': 221389, 'opening hour and': 612846, 'hour and please': 405410, 'and please also': 69104, 'please also support': 659651, 'also support local': 48937, 'support local and': 826618, 'local and village': 497684, 'and village business': 74964, 'village business caf': 957337, 'business caf and': 143482, 'caf and pub': 155083, 'and pub too': 69735, 'pub too with': 687792, 'too with many': 925170, 'with many offering': 999386, 'many offering delivery': 514409, 'offering delivery and': 595068, 'delivery and takeaway': 233681, 'and takeaway stayhomesavelives': 72987, 'quest': 693482, 'why quest': 991311, 'quest for': 693483, 'production remains': 682199, 'remains pipe': 710053, 'high financial': 395080, 'financial annual': 306325, 'annual loss': 77409, 'recent drop': 703885, 'why quest for': 991312, 'quest for commercial': 693484, 'commercial production remains': 188724, 'production remains pipe': 682200, 'remains pipe dream': 710054, 'dream high financial': 258597, 'high financial annual': 395081, 'financial annual loss': 306326, 'annual loss of': 77410, 'of billion by': 580709, 'billion by oil': 130787, 'by oil plc': 153411, 'and recent drop': 70039, 'recent drop of': 703887, 'drop of oil': 260322, 'price and making': 672463, 'making it worse': 511155, 'hyperlink': 412315, 'several involving': 753869, 'involving false': 444398, 'false email': 297425, 'message have': 529333, 'have recently': 382207, 'recently been': 704054, 'reported any': 712457, 'any email': 79178, 'post with': 666411, 'with subject': 1001031, 'subject line': 815735, 'line attachment': 492998, 'attachment or': 102069, 'or hyperlink': 615702, 'hyperlink should': 412316, 'be treated': 117803, 'with caution': 997574, 'caution for': 168165, 'several involving false': 753870, 'involving false email': 444399, 'false email or': 297426, 'or text message': 617353, 'text message have': 839908, 'message have recently': 529335, 'have recently been': 382209, 'recently been reported': 704055, 'been reported any': 121828, 'reported any email': 712458, 'any email or': 79179, 'email or social': 272261, 'medium post with': 527237, 'post with subject': 666413, 'with subject line': 1001032, 'subject line attachment': 815736, 'line attachment or': 492999, 'attachment or hyperlink': 102071, 'or hyperlink should': 615703, 'hyperlink should be': 412317, 'should be treated': 765755, 'be treated with': 117809, 'treated with caution': 930978, 'with caution for': 997575, 'caution for more': 168166, 'translates': 929708, 'mom call': 535701, 'call going': 155915, 'shopping want': 764339, 'this translates': 890844, 'translates to': 929709, 'going online': 355351, 'to facetime': 905584, 'mom call going': 535702, 'call going shopping': 155916, 'going shopping want': 355457, 'shopping want to': 764340, 'want to come': 966013, 'to come in': 903034, '19 this translates': 11353, 'this translates to': 890845, 'translates to going': 929710, 'to going online': 906901, 'going online shopping': 355352, 'online shopping want': 609335, 'want to facetime': 966033, 'p1': 632798, 'biotech': 131273, 'wago': 964022, 'cycc': 224018, 'myeloid': 550711, 'leukemia': 487467, 'cyclacel': 224021, 'p1 most': 632801, 'this biotech': 886561, 'biotech releasing': 131284, 'releasing pr': 709125, 'pr for': 668429, 'boost up': 135030, 'up stock': 946069, 'being wago': 126043, 'wago why': 964023, 'cannot cycc': 161744, 'cycc do': 224019, 'same chronic': 732998, 'chronic myeloid': 178237, 'myeloid leukemia': 550712, 'leukemia on': 487468, 'which company': 985756, 'company test': 191157, 'test elder': 838983, 'elder folk': 270530, 'folk cyclacel': 312136, 'cyclacel market': 224022, 'market team': 517162, 'team do': 835623, 'some magic': 783244, 'p1 most of': 632802, 'most of this': 542564, 'of this biotech': 591943, 'this biotech releasing': 886562, 'biotech releasing pr': 131285, 'releasing pr for': 709126, 'pr for the': 668430, 'for the just': 326515, 'the just to': 858721, 'just to boost': 470084, 'to boost up': 901933, 'boost up stock': 135031, 'up stock price': 946071, 'stock price and': 802703, 'price and being': 672368, 'and being wago': 58874, 'being wago why': 126044, 'wago why cannot': 964024, 'why cannot cycc': 990870, 'cannot cycc do': 161745, 'cycc do the': 224020, 'the same chronic': 866207, 'same chronic myeloid': 732999, 'chronic myeloid leukemia': 178238, 'myeloid leukemia on': 550713, 'leukemia on covid': 487469, '19 and which': 5137, 'and which company': 75556, 'which company test': 985757, 'company test elder': 191158, 'test elder folk': 838984, 'elder folk cyclacel': 270531, 'folk cyclacel market': 312137, 'cyclacel market team': 224023, 'market team do': 517163, 'team do some': 835624, 'do some magic': 250125, 'supermarket cat': 819577, 'cat socialdistancing': 166895, 'socialdistancing always': 780202, 'always keep': 49638, 'keep metre': 471662, 'apart in': 81288, 'supermarket cat socialdistancing': 819578, 'cat socialdistancing always': 166896, 'socialdistancing always keep': 780203, 'always keep metre': 49640, 'keep metre apart': 471663, 'metre apart in': 529824, 'apart in the': 81292, 'nov': 573693, 'are lower': 87940, 'lower paid': 505935, 'paid service': 634118, 'janitor cleaning': 464537, 'cleaning people': 181011, 'stock people': 802615, 'etc trump': 282844, 'gop do': 358245, 'are worth': 91746, 'worth 15': 1011320, 'hr minimum': 409642, 'wage vote': 963984, 'vote trump': 960518, 'trump gop': 933581, 'gop out': 358265, 'in nov': 425972, 'reminder that many': 710592, 'the people keeping': 863483, 'people keeping the': 648588, 'country going right': 210695, 'right now are': 722027, 'now are lower': 574097, 'are lower paid': 87942, 'lower paid service': 505939, 'paid service worker': 634119, 'service worker janitor': 753099, 'worker janitor cleaning': 1007256, 'janitor cleaning people': 464538, 'cleaning people supermarket': 181013, 'people supermarket clerk': 649698, 'supermarket clerk and': 819712, 'clerk and stock': 181644, 'and stock people': 72412, 'stock people etc': 802616, 'people etc trump': 647821, 'etc trump and': 282845, 'the gop do': 856462, 'gop do not': 358246, 'think they are': 885678, 'they are worth': 881466, 'are worth 15': 91747, 'worth 15 hr': 1011323, '15 hr minimum': 3736, 'hr minimum wage': 409644, 'minimum wage vote': 533249, 'wage vote trump': 963985, 'vote trump gop': 960519, 'trump gop out': 933582, 'gop out in': 358266, 'out in nov': 626388, 'of expect': 583312, 'be spending': 117324, 'home which': 402488, 'phone but': 654915, 'person calling': 652343, 'calling is': 156581, 'offering something': 595252, 'something too': 785116, 'too good': 924764, 'be true': 117824, 'true treatment': 933196, 'even cure': 283988, 'consumer expert': 197419, 'say hang': 738721, 'many of expect': 514372, 'of expect to': 583313, 'expect to be': 290765, 'to be spending': 901557, 'be spending more': 117325, 'more time at': 540766, 'at home which': 99170, 'home which mean': 402489, 'which mean we': 986150, 'mean we may': 524763, 'we may have': 972352, 'may have more': 521250, 'have more time': 381507, 'more time to': 540776, 'time to answer': 897945, 'to answer the': 900588, 'answer the phone': 78114, 'the phone but': 863687, 'phone but if': 654916, 'but if the': 145998, 'if the person': 415016, 'the person calling': 863580, 'person calling is': 652344, 'calling is offering': 156582, 'is offering something': 450426, 'offering something too': 595253, 'something too good': 785117, 'too good to': 924766, 'good to be': 357871, 'to be true': 901603, 'be true treatment': 117826, 'true treatment or': 933197, 'treatment or even': 931117, 'or even cure': 615194, 'even cure to': 283989, 'cure to the': 220836, 'the consumer expert': 851533, 'consumer expert say': 197423, 'expert say hang': 291952, 'say hang up': 738722, 'admiration': 32559, 'singlehandedly': 771432, 'piss': 656941, 'much admiration': 544696, 'admiration and': 32560, 'and respect': 70329, 'respect have': 715011, 're almost': 698249, 'almost singlehandedly': 46738, 'singlehandedly keeping': 771433, 'assume they': 97025, 're paid': 699233, 'paid piss': 634109, 'piss all': 656942, 'effort genuinely': 269518, 'genuinely am': 345874, 'you how much': 1019260, 'how much admiration': 408338, 'much admiration and': 544697, 'admiration and respect': 32561, 'and respect have': 70332, 'respect have for': 715012, 'have for supermarket': 380684, 'they re almost': 882992, 're almost singlehandedly': 698252, 'almost singlehandedly keeping': 46739, 'singlehandedly keeping going': 771434, 'keeping going right': 472432, 'now and assume': 574027, 'and assume they': 58467, 'assume they re': 97027, 'they re paid': 883090, 're paid piss': 699234, 'paid piss all': 634110, 'piss all for': 656943, 'all for their': 42849, 'their effort genuinely': 873107, 'effort genuinely am': 269519, 'genuinely am so': 345875, 'am so thankful': 50414, 'supermarket while': 823843, 'please deliver': 659874, 'deliver with': 233267, 'with carrier': 997550, 'carrier bag': 164955, 'distancing tesco': 247526, 'supermarket while we': 823848, 'we are self': 970702, 'isolating and online': 455058, 'online shopping please': 609227, 'shopping please deliver': 763642, 'please deliver with': 659875, 'deliver with carrier': 233268, 'with carrier bag': 997551, 'carrier bag to': 164958, 'bag to keep': 108427, 'keep with social': 472213, 'social distancing tesco': 779736, 'distancing tesco asda': 247527, 'much going': 544951, 'around about': 93173, 'told people': 923654, 'asthma need': 97199, 'isolate for': 454854, 'this correct': 886908, 'correct 22': 207497, '22 and': 15181, 'so constantly': 776784, 'constantly around': 195646, 'people cant': 647440, 'isolate but': 454831, 'also do': 48109, 'put myself': 690703, 'ok so with': 597891, 'so with so': 778794, 'with so much': 1000787, 'so much going': 777778, 'much going around': 544952, 'going around about': 355023, 'around about covid': 93174, 'been told people': 122239, 'told people with': 923656, 'people with asthma': 650433, 'with asthma need': 997328, 'asthma need to': 97200, 'self isolate for': 747674, 'isolate for 12': 454855, '12 week is': 2984, 'week is this': 976430, 'is this correct': 453079, 'this correct 22': 886909, 'correct 22 and': 207498, '22 and work': 15182, 'and work in': 75855, 'in supermarket so': 428670, 'supermarket so constantly': 822728, 'so constantly around': 776785, 'constantly around people': 195647, 'around people cant': 93452, 'people cant afford': 647441, 'afford to self': 34806, 'self isolate but': 747667, 'isolate but also': 454832, 'but also do': 145107, 'also do not': 48111, 'want to put': 966095, 'to put myself': 912597, 'put myself and': 690704, 'myself and others': 550825, 'djavad': 248813, 'salehi': 732665, 'isfahani': 454207, 'considers': 195444, 'come at': 187224, 'worst possible': 1011250, 'possible time': 665834, 'for iran': 322653, 'iran with': 444721, 'down 25': 256397, '25 percent': 15946, 'percent this': 651187, 'and sanction': 70816, 'sanction seriously': 733638, 'seriously damaging': 751578, 'damaging the': 225277, 'economy djavad': 267807, 'djavad salehi': 248814, 'salehi isfahani': 732666, 'isfahani considers': 454208, 'considers the': 195454, 'the lasting': 859058, 'on iran': 601617, 'iran politics': 444699, '19 outbreak come': 9101, 'outbreak come at': 628117, 'come at the': 187227, 'the worst possible': 872070, 'worst possible time': 1011251, 'possible time for': 665836, 'time for iran': 896718, 'for iran with': 322654, 'iran with oil': 444722, 'oil price down': 597108, 'price down 25': 673513, 'down 25 percent': 256398, '25 percent this': 15947, 'percent this month': 651188, 'month and sanction': 537580, 'and sanction seriously': 70817, 'sanction seriously damaging': 733639, 'seriously damaging the': 751579, 'damaging the country': 225278, 'country economy djavad': 210601, 'economy djavad salehi': 267808, 'djavad salehi isfahani': 248815, 'salehi isfahani considers': 732667, 'isfahani considers the': 454209, 'considers the lasting': 195458, 'the lasting effect': 859059, 'crisis on iran': 217813, 'on iran politics': 601618, 'assessed': 96367, 'platts assessed': 659088, 'assessed chicago': 96368, '99 per': 23877, 'gallon lowest': 343034, 'lowest ever': 506160, 'ever value': 285575, 'value demand': 952110, 'spglobal platts assessed': 789198, 'platts assessed chicago': 659089, 'assessed chicago argo': 96369, 'at 99 per': 97819, '99 per gallon': 23880, 'per gallon lowest': 650852, 'gallon lowest ever': 343035, 'lowest ever value': 506161, 'ever value demand': 285576, 'value demand fear': 952111, 'but worried': 147933, 'safety there': 730752, 'simple thing': 770117, 'do before': 249121, 'after shopping': 36204, 'the learn': 859242, 'need to head': 555958, 'to head to': 907362, 'store but worried': 806818, 'but worried about': 147934, 'worried about your': 1010534, 'about your safety': 27012, 'your safety there': 1025666, 'safety there are': 730753, 'are few simple': 86536, 'few simple thing': 304066, 'simple thing you': 770123, 'can do before': 158095, 'do before during': 249122, 'and after shopping': 57756, 'after shopping to': 36207, 'shopping to help': 764178, 'help protect yourself': 390382, 'from the learn': 337769, 'the learn more': 859243, 'learn more at': 484017, 'windsor': 995749, 'essex': 281972, '5fm': 20644, '91': 23426, '9fm': 23981, 'in windsor': 430921, 'windsor essex': 995750, 'essex have': 281977, 'do thing': 250325, '22 tune': 15254, 'tune to': 935424, 'to 97': 899880, '97 5fm': 23677, '5fm or': 20645, 'or 91': 614228, '91 9fm': 23429, '9fm or': 23982, 'or stream': 617249, 'stream live': 812780, 'bank in windsor': 109932, 'in windsor essex': 430922, 'windsor essex have': 995751, 'essex have had': 281978, 'had to change': 373674, 'to change the': 902617, 'they do thing': 881977, 'do thing because': 250326, 'thing because of': 884185, '19 demand ha': 6484, 'demand ha changed': 235603, 'ha changed and': 370117, 'changed and so': 172435, 'and so ha': 71842, 'so ha the': 777227, 'ha the way': 372232, 'way they give': 969956, 'they give out': 882195, 'give out food': 350634, 'out food we': 626093, 'food we ll': 317531, 'll hear more': 496841, 'hear more at': 387958, 'more at 22': 538659, 'at 22 tune': 97532, '22 tune to': 15255, 'tune to 97': 935425, 'to 97 5fm': 899881, '97 5fm or': 23678, '5fm or 91': 20646, 'or 91 9fm': 614229, '91 9fm or': 23430, '9fm or stream': 23983, 'or stream live': 617250, 'stream live here': 812782, 'thai consumer': 840077, 'confidence at': 193830, 'at 21': 97523, 'low due': 505253, '19 worry': 12206, 'thai consumer confidence': 840078, 'consumer confidence at': 196886, 'confidence at 21': 193831, 'at 21 year': 97524, '21 year low': 15040, 'year low due': 1014717, 'low due to': 505254, 'covid 19 worry': 214092, 'unverified': 944038, 'fear breed': 301065, 'breed fraud': 139266, 'and false': 62646, 'false report': 297449, 'report passing': 712165, 'on unverified': 604985, 'unverified email': 944039, 'email only': 272252, 'only cause': 610229, 'more confusion': 538858, 'confusion please': 194394, 'check fact': 174427, 'fact amp': 295672, 'amp rely': 54381, 'rely only': 709660, 'official source': 595932, 'source here': 786490, 'fear breed fraud': 301066, 'breed fraud and': 139267, 'fraud and false': 331231, 'and false report': 62647, 'false report passing': 297450, 'report passing on': 712166, 'passing on unverified': 643388, 'on unverified email': 604986, 'unverified email only': 944040, 'email only cause': 272253, 'only cause more': 610230, 'cause more confusion': 167658, 'more confusion please': 538860, 'confusion please check': 194395, 'please check fact': 659772, 'check fact amp': 174428, 'fact amp rely': 295673, 'amp rely only': 54382, 'rely only on': 709661, 'only on official': 610860, 'on official source': 602485, 'official source here': 595933, 'source here the': 786492, 'here the latest': 393656, 'the latest from': 859106, 'latest from the': 481360, 'from the on': 337814, 'pa14': 632904, 'notthatguy': 573643, 'demcast': 236625, 'know guy': 476399, 'guy voted': 369191, 'voted against': 960546, 'against lowering': 37539, 'lowering drug': 506101, 'the aca': 848276, 'aca denying': 27756, 'denying affordable': 237147, 'affordable healthcare': 34848, 'and access': 57582, 'to affordable': 900166, 'affordable medicine': 34857, 'medicine to': 526907, 'the pa14': 862832, 'pa14 we': 632907, 'need rep': 555517, 'rep who': 711431, 'for notthatguy': 323946, 'notthatguy demcast': 573644, 'you know guy': 1019497, 'know guy voted': 476400, 'guy voted against': 369192, 'voted against lowering': 960548, 'against lowering drug': 37540, 'lowering drug price': 506102, 'drug price and': 261035, 'and the aca': 73234, 'the aca denying': 848277, 'aca denying affordable': 27757, 'denying affordable healthcare': 237148, 'affordable healthcare and': 34849, 'healthcare and access': 387024, 'and access to': 57585, 'access to affordable': 28214, 'to affordable medicine': 900167, 'affordable medicine to': 34858, 'medicine to thousand': 526911, 'to thousand in': 917537, 'thousand in the': 893403, 'in the pa14': 429430, 'the pa14 we': 862833, 'pa14 we need': 632908, 'we need rep': 972535, 'need rep who': 555518, 'rep who will': 711433, 'who will look': 989992, 'will look out': 994043, 'out for notthatguy': 626144, 'for notthatguy demcast': 323947, 'mathaithai': 520483, 'mathaithai panic': 520484, 'stupid so': 815462, 'is wasting': 453776, 'wasting precious': 968323, 'precious covid': 669466, 'kit if': 475567, 'mathaithai panic buying': 520485, 'buying of tinned': 150800, 'paper is selfish': 640361, 'is selfish and': 451741, 'selfish and stupid': 747996, 'and stupid so': 72625, 'stupid so is': 815463, 'so is wasting': 777447, 'is wasting precious': 453777, 'wasting precious covid': 968324, 'precious covid 19': 669467, 'test kit if': 839059, 'kit if you': 475568, 'if you don': 415424, 'correct thing': 207530, 'do at': 249102, 'the correct thing': 851970, 'correct thing to': 207532, 'to do at': 904483, 'do at the': 249105, 'cologne': 186683, 'scented': 741402, 'restroom': 717430, 'wash my': 967521, 'sanitizer stop': 735821, 'stop putting': 804948, 'putting perfume': 691201, 'perfume in': 651524, 'every product': 286124, 'product over': 681509, 'are allergic': 84373, 'to cologne': 902976, 'cologne perfume': 186689, 'perfume and': 651513, 'and scented': 71062, 'scented product': 741405, 'cannot wash': 162215, 'wash our': 967526, 'public restroom': 688273, 'restroom at': 717431, 'restaurant etc': 716449, 'me to wash': 523798, 'to wash my': 918349, 'wash my hand': 967523, 'my hand and': 548601, 'hand and use': 374784, 'and use sanitizer': 74782, 'use sanitizer stop': 949549, 'sanitizer stop putting': 735822, 'stop putting perfume': 804950, 'putting perfume in': 691202, 'perfume in every': 651525, 'in every product': 422687, 'every product over': 286125, 'product over 10': 681510, 'over 10 million': 629757, '10 million american': 1524, 'million american are': 532052, 'american are allergic': 51795, 'are allergic to': 84374, 'allergic to cologne': 45760, 'to cologne perfume': 902977, 'cologne perfume and': 186690, 'perfume and scented': 651514, 'and scented product': 71063, 'scented product we': 741406, 'product we cannot': 681818, 'we cannot wash': 971090, 'cannot wash our': 162216, 'wash our hand': 967528, 'our hand or': 623350, 'use sanitizer in': 949543, 'sanitizer in public': 735153, 'in public restroom': 427096, 'public restroom at': 688274, 'restroom at work': 717433, 'at work restaurant': 101612, 'work restaurant etc': 1005662, 'salem': 732669, 'socialdistancing2020': 780895, 'fightclub': 304971, 'crazy in': 215331, 'in ohio': 426074, 'ohio corona': 596534, 'toiletpaper charmin': 921854, 'charmin apocalypse': 173793, 'apocalypse salem': 81562, 'salem isolation': 732674, 'isolation socialdistancing2020': 455440, 'socialdistancing2020 socialdistance': 780896, 'socialdistance cdc': 780142, 'cdc fightclub': 168559, 'fightclub honor': 304972, 'honor 2020': 403237, 'thing are getting': 884152, 'are getting crazy': 86798, 'getting crazy in': 348918, 'crazy in ohio': 215332, 'in ohio corona': 426077, 'ohio corona coronamemes': 596535, 'corona coronamemes toiletpaper': 203884, 'coronamemes toiletpaper charmin': 205074, 'toiletpaper charmin apocalypse': 921855, 'charmin apocalypse salem': 173794, 'apocalypse salem isolation': 81563, 'salem isolation socialdistancing2020': 732675, 'isolation socialdistancing2020 socialdistance': 455441, 'socialdistancing2020 socialdistance cdc': 780897, 'socialdistance cdc fightclub': 780143, 'cdc fightclub honor': 168560, 'fightclub honor 2020': 304973, 'rise find': 722852, '19 scam are': 10335, 'the rise find': 865852, 'rise find out': 722853, 'out what they': 627815, 'to avoid them': 900948, 'tracker of': 928288, 'tracker of retail': 928289, 'retail store closed': 718624, 'store closed due': 807060, 'footballer': 318524, 'thought seeing': 893203, 'of footballer': 583851, 'footballer and': 318527, 'other sport': 620950, 'sport professional': 789968, 'professional aren': 682409, 'aren working': 92592, 'mo wonder': 534878, 've volunteered': 953654, 'volunteered for': 960382, 'supermarket stacker': 822804, 'stacker or': 792022, 'just thought seeing': 470067, 'thought seeing lot': 893204, 'lot of footballer': 504193, 'of footballer and': 583852, 'footballer and other': 318529, 'and other sport': 68411, 'other sport professional': 620951, 'sport professional aren': 789969, 'professional aren working': 682410, 'aren working at': 92594, 'at the mo': 101025, 'the mo wonder': 860706, 'mo wonder if': 534879, 'wonder if they': 1003978, 'they ve volunteered': 883690, 've volunteered for': 953655, 'volunteered for supermarket': 960383, 'for supermarket stacker': 326025, 'supermarket stacker or': 822805, 'stacker or delivery': 792023, 'gloved': 353058, 'all masked': 43465, 'masked and': 519614, 'and gloved': 63752, 'gloved for': 353059, 'for visit': 327584, 'for peak': 324431, 'peak week': 646117, 'week did': 976154, 'not notice': 570700, 'notice my': 573310, 'my shirt': 550038, 'shirt wa': 759027, 'on inside': 601578, 'inside out': 439353, 'out till': 627611, 'till got': 896027, 'all masked and': 43466, 'masked and gloved': 519615, 'and gloved for': 63753, 'gloved for visit': 353060, 'for visit to': 327585, 'up for peak': 944954, 'for peak week': 324432, 'peak week did': 646118, 'week did not': 976155, 'did not notice': 240724, 'not notice my': 570701, 'notice my shirt': 573311, 'my shirt wa': 550039, 'shirt wa on': 759028, 'wa on inside': 962826, 'on inside out': 601579, 'inside out till': 439356, 'out till got': 627612, 'till got back': 896028, 'do feel': 249294, 'like carrying': 489968, 'carrying out': 165202, 'out dangerous': 625928, 'dangerous mission': 225757, 'mission in': 534361, 'post apocalyptic': 665998, 'apocalyptic dystopia': 81592, 'dystopia 19': 263940, 'supermarket to do': 823368, 'do some shopping': 250132, 'some shopping why': 783866, 'shopping why do': 764407, 'why do feel': 990929, 'do feel like': 249295, 'feel like carrying': 302701, 'like carrying out': 489969, 'carrying out dangerous': 165204, 'out dangerous mission': 625929, 'dangerous mission in': 225758, 'mission in post': 534362, 'in post apocalyptic': 426858, 'post apocalyptic dystopia': 665999, 'apocalyptic dystopia 19': 81593, '2020 bureau': 14201, 'bureau of': 142795, 'labor statistic': 478450, 'pandemic on the': 636094, 'the consumer price': 851576, 'index data for': 434179, 'data for march': 226217, 'march 2020 bureau': 515150, '2020 bureau of': 14202, 'bureau of labor': 142798, 'of labor statistic': 585695, 'fucking hoarding': 339895, 'stop fucking hoarding': 804674, 'caroffer': 164811, 'caroffer brings': 164812, 'brings powerful': 140266, 'powerful new': 667789, 'consumer acquisition': 196006, 'acquisition tool': 29197, 'market enhanced': 516334, 'enhanced caroffer': 277087, 'caroffer platform': 164814, 'platform help': 658976, 'help dealer': 389573, 'dealer generate': 229603, 'generate instant': 345559, 'instant traffic': 440118, 'caroffer brings powerful': 164813, 'brings powerful new': 140267, 'powerful new consumer': 667790, 'new consumer acquisition': 558514, 'consumer acquisition tool': 196007, 'acquisition tool to': 29198, 'tool to market': 925451, 'to market enhanced': 909852, 'market enhanced caroffer': 516335, 'enhanced caroffer platform': 277088, 'caroffer platform help': 164815, 'platform help dealer': 658977, 'help dealer generate': 389574, 'dealer generate instant': 229604, 'generate instant traffic': 345560, 'instant traffic and': 440119, 'traffic and sale': 929048, 'and sale during': 70791, 'sale during covid': 732181, 'elderly lady': 270731, 'only went': 611459, 'ending up': 276212, 'up dying': 944762, 'all elderly': 42665, 'people self': 649391, 'self quarantined': 747874, 'quarantined and': 692816, 'had their': 373631, 'delivered this': 233415, 'group visiting': 366957, 'visiting isn': 959530, 'isn working': 454758, 'so the news': 778431, 'news in my': 560533, 'area is that': 92086, 'is that an': 452631, 'an elderly lady': 55636, 'elderly lady who': 270737, 'lady who only': 478870, 'who only went': 989382, 'only went shopping': 611461, 'went shopping once': 979109, 'shopping once week': 763394, 'once week ending': 605790, 'week ending up': 976189, 'ending up dying': 276213, 'up dying of': 944764, 'dying of think': 263852, 'of think it': 591924, 'think it time': 885355, 'it time all': 461691, 'time all elderly': 896224, 'all elderly people': 42666, 'elderly people self': 270832, 'people self quarantined': 649393, 'self quarantined and': 747875, 'quarantined and had': 692817, 'and had their': 64107, 'had their grocery': 373633, 'grocery delivered this': 364429, 'delivered this supermarket': 233418, 'this supermarket group': 890428, 'supermarket group visiting': 820599, 'group visiting isn': 366958, 'visiting isn working': 959531, 'outintheworld': 628995, 'ellendegeneres': 271551, 'jimmyfallon': 465514, 'kellyclarksonshow': 472730, 'prospertx': 684733, 'dfw': 240065, 'metroplex': 529962, 'ashley coronavirus': 95106, 'coronavirus parody': 206532, 'parody outintheworld': 642194, 'outintheworld toiletpaper': 628996, 'toiletpaper ellendegeneres': 921952, 'ellendegeneres jimmyfallon': 271552, 'jimmyfallon kellyclarksonshow': 465515, 'kellyclarksonshow prospertx': 472731, 'prospertx dfw': 684734, 'dfw metroplex': 240066, 'ashley coronavirus parody': 95107, 'coronavirus parody outintheworld': 206533, 'parody outintheworld toiletpaper': 642195, 'outintheworld toiletpaper ellendegeneres': 628997, 'toiletpaper ellendegeneres jimmyfallon': 921953, 'ellendegeneres jimmyfallon kellyclarksonshow': 271553, 'jimmyfallon kellyclarksonshow prospertx': 465516, 'kellyclarksonshow prospertx dfw': 472732, 'prospertx dfw metroplex': 684735, 'stampede': 793442, 'truedat': 933232, 'missouri woman': 534448, 'woman give': 1003491, 'birth in': 131400, 'in walmart': 430667, 'walmart toiletpaper': 965447, 'aisle customer': 40234, 'customer cheer': 222243, 'cheer her': 175110, 'doctor say': 251091, 'say his': 738759, 'his timing': 397861, 'timing wa': 898526, 'wa perfect': 962924, 'perfect because': 651276, 'wa between': 961694, 'between stampede': 128901, 'stampede trending': 793448, 'trending trending': 931577, 'trending truedat': 931580, 'truedat socialdistancing': 933233, 'missouri woman give': 534449, 'woman give birth': 1003492, 'give birth in': 350414, 'birth in walmart': 131402, 'in walmart toiletpaper': 430670, 'walmart toiletpaper aisle': 965448, 'toiletpaper aisle customer': 921700, 'aisle customer cheer': 40235, 'customer cheer her': 222244, 'cheer her on': 175111, 'her on doctor': 392246, 'on doctor say': 600370, 'doctor say his': 251093, 'say his timing': 738762, 'his timing wa': 397862, 'timing wa perfect': 898527, 'wa perfect because': 962925, 'perfect because it': 651277, 'it wa between': 462077, 'wa between stampede': 961695, 'between stampede trending': 128902, 'stampede trending trending': 793450, 'trending trending truedat': 931579, 'trending truedat socialdistancing': 931581, 'agriculture land': 38997, 'land reform': 479292, 'reform and': 706709, 'and rural': 70653, 'rural development': 728237, 'development thoko': 239848, 'didiza say': 240966, 'buying ahead': 149873, 'the 21': 848033, 'day lock': 227920, 'of agriculture land': 579848, 'agriculture land reform': 38998, 'land reform and': 479293, 'reform and rural': 706710, 'and rural development': 70655, 'rural development thoko': 728238, 'development thoko didiza': 239849, 'thoko didiza say': 891706, 'didiza say the': 240967, 'say the country': 739272, 'food supply no': 316972, 'supply no need': 825592, 'panic buying ahead': 637636, 'buying ahead of': 149874, 'of the 21': 590767, 'the 21 day': 848034, '21 day lock': 14990, 'day lock down': 227921, 'woodford': 1004294, 'gvt': 369270, 'stophoard': 805341, 'photo in': 655178, 'in waitrose': 430646, 'waitrose south': 964481, 'south woodford': 786792, 'woodford all': 1004295, 'one please': 606888, 'please press': 660329, 'press gvt': 671053, 'gvt serious': 369273, 'action is': 30051, 'now exhausted': 574640, 'exhausted staff': 290169, 'staff old': 792712, 'man and': 511988, 'poor old': 664241, 'man starving': 512248, 'starving heartbroken': 795256, 'heartbroken stophoard': 388434, 'this photo in': 889559, 'photo in waitrose': 655179, 'in waitrose south': 430648, 'waitrose south woodford': 964482, 'south woodford all': 786793, 'woodford all shelf': 1004296, 'all shelf like': 44308, 'shelf like this': 757286, 'this one please': 889248, 'one please press': 606889, 'please press gvt': 660331, 'press gvt serious': 671054, 'gvt serious action': 369274, 'serious action is': 751332, 'action is needed': 30053, 'is needed now': 449864, 'needed now exhausted': 556448, 'now exhausted staff': 574641, 'exhausted staff old': 290170, 'staff old man': 792713, 'old man and': 598342, 'man and poor': 511991, 'and poor old': 69192, 'poor old man': 664242, 'old man starving': 598351, 'man starving heartbroken': 512249, 'starving heartbroken stophoard': 795257, 'an army': 55403, '900 00': 23358, '00 woman': 602, 'the without': 871646, 'an army of': 55405, 'army of 900': 93019, 'of 900 00': 579683, '900 00 woman': 23361, '00 woman is': 603, 'woman is fighting': 1003533, 'is fighting the': 447794, 'fighting the without': 305136, 'the without mask': 871647, 'without mask or': 1002777, 'mask or hand': 519070, 'hand sanitizer via': 375643, 'coronatamilnadu': 205286, 'shopping cardboard': 762290, 'cardboard could': 163717, 'could bring': 208971, 'bring right': 140060, 'home coronaupdate': 400942, 'coronaupdate coronatamilnadu': 205329, 'still doing online': 800449, 'online shopping cardboard': 609064, 'shopping cardboard could': 762291, 'cardboard could bring': 163718, 'could bring right': 208972, 'bring right into': 140061, 'right into your': 721968, 'your home coronaupdate': 1024345, 'home coronaupdate coronatamilnadu': 400943, 'poitin': 662821, 'distillery pivot': 247789, 'from poitin': 336944, 'poitin to': 662822, 'distillery pivot from': 247790, 'pivot from poitin': 657085, 'from poitin to': 336945, 'poitin to hand': 662823, 'to hand sanitizers': 907121, 'sanitizers in response': 736319, 'your turn to': 1026229, 'turn to go': 935781, 'theindiansun': 872408, 'market volatility': 517301, 'volatility drop': 960071, 'in equity': 422590, 'equity price': 279961, 'to result': 913438, 'the contraction': 851690, 'contraction of': 201802, 'australia retail': 103366, 'retail saving': 718518, 'saving investment': 737895, 'investment market': 444030, '2020 predicts': 14523, 'predicts globaldata': 669685, 'globaldata theindiansun': 352310, 'rise in the': 722911, 'the market volatility': 860173, 'market volatility drop': 517302, 'volatility drop in': 960072, 'drop in equity': 260242, 'in equity price': 422592, 'equity price due': 279963, 'to outbreak is': 911266, 'outbreak is set': 628380, 'set to result': 753532, 'to result in': 913439, 'in the contraction': 429096, 'the contraction of': 851691, 'contraction of australia': 201803, 'of australia retail': 580455, 'australia retail saving': 103367, 'retail saving investment': 718519, 'saving investment market': 737896, 'investment market in': 444031, 'market in 2020': 516547, 'in 2020 predicts': 419852, '2020 predicts globaldata': 14524, 'predicts globaldata theindiansun': 669686, 'is box': 446250, 'box full': 137070, 'mom just': 535764, 'ordered swear': 618904, 'god toiletpaper': 354820, 'this is box': 888195, 'is box full': 446251, 'box full of': 137071, 'paper my mom': 640480, 'my mom just': 549277, 'mom just ordered': 535767, 'just ordered swear': 469406, 'ordered swear to': 618905, 'to god toiletpaper': 906896, 'stopitplease': 805535, 'gmtv': 353215, 'gmb': 353192, 'be saying': 117003, 'saying this': 739735, 'this loudly': 888717, 'loudly when': 504505, 'hoarding stop': 399544, 'please coronacrisis': 659857, 'coronacrisis stopitplease': 204792, 'stopitplease stophoarding': 805536, 'stophoarding gmtv': 805402, 'gmtv gmb': 353216, 'of the nurse': 591283, 'the nurse who': 861988, 'nurse who could': 577545, 'who could not': 988509, 'not get food': 569588, 'get food in': 347046, 'supermarket we should': 823753, 'we should all': 973253, 'should all be': 765486, 'all be saying': 42142, 'be saying this': 117005, 'saying this loudly': 739738, 'this loudly when': 888718, 'loudly when we': 504506, 'we see people': 973166, 'people hoarding stop': 648278, 'hoarding stop it': 399545, 'stop it please': 804790, 'it please coronacrisis': 460356, 'please coronacrisis stopitplease': 659858, 'coronacrisis stopitplease stophoarding': 204793, 'stopitplease stophoarding gmtv': 805537, 'stophoarding gmtv gmb': 805403, 'improperly': 419511, 'so pissed': 778010, 'pissed seeing': 656980, 'when healthcare': 983555, 'them also': 875355, 'even preventing': 284491, 'preventing you': 671830, 'anything when': 80938, 'when used': 984371, 'used improperly': 949936, 'just get so': 468804, 'get so pissed': 348029, 'so pissed seeing': 778012, 'pissed seeing people': 656981, 'seeing people wear': 746414, 'people wear mask': 650169, 'store when healthcare': 811241, 'when healthcare worker': 983556, 'healthcare worker need': 387368, 'worker need them': 1007429, 'need them also': 555770, 'them also it': 875357, 'also it not': 48441, 'it not even': 459874, 'not even preventing': 569271, 'even preventing you': 284492, 'preventing you from': 671831, 'you from anything': 1018708, 'from anything when': 334561, 'anything when used': 80939, 'when used improperly': 984372, 'logistic': 500690, 'tatter': 834853, 'about 25': 24680, '25 30': 15813, 'order had': 618280, 'cancelled overseas': 161157, 'term seek': 838287, 'price domestic': 673486, 'domestic manufacturing': 253204, 'manufacturing unit': 513683, 'unit are': 942038, 'shut and': 767783, 'and logistic': 66330, 'logistic chain': 500693, 'in tatter': 428826, 'tatter even': 834854, 'though port': 892875, 'port are': 664874, 'are somewhat': 90305, 'somewhat functioning': 785260, 'about 25 30': 24682, '25 30 of': 15814, '30 of order': 17144, 'of order had': 587336, 'order had been': 618281, 'had been cancelled': 372887, 'been cancelled overseas': 120793, 'cancelled overseas buyer': 161158, 'contract term seek': 201705, 'term seek cut': 838288, 'product price domestic': 681540, 'price domestic manufacturing': 673487, 'domestic manufacturing unit': 253205, 'manufacturing unit are': 513684, 'unit are shut': 942040, 'are shut and': 90089, 'shut and logistic': 767784, 'and logistic chain': 66331, 'logistic chain in': 500695, 'chain in tatter': 170816, 'in tatter even': 428827, 'tatter even though': 834855, 'even though port': 284713, 'though port are': 892876, 'port are somewhat': 664875, 'are somewhat functioning': 90306, 'perfumed': 651544, 'sparkle': 787609, 'sparklesanitizer': 787612, 'the al': 848538, 'al halal': 40569, 'halal perfumed': 374113, 'perfumed sparkle': 651549, 'sparkle sanitizer': 787610, 'spray 100ml': 790252, '100ml perfume': 2202, 'perfume from': 651521, 'comfort and': 187818, 'from join': 336156, 'maintain hygienic': 508981, 'hygienic environment': 412214, 'environment with': 279178, 'this fragrance': 887603, 'fragrance sparklesanitizer': 330927, 'sparklesanitizer sanitizer': 787613, 'sanitizer tuesday': 735977, 'get the al': 348220, 'the al halal': 848540, 'al halal perfumed': 40570, 'halal perfumed sparkle': 374114, 'perfumed sparkle sanitizer': 651550, 'sparkle sanitizer spray': 787611, 'sanitizer spray 100ml': 735777, 'spray 100ml perfume': 790253, '100ml perfume from': 2203, 'perfume from the': 651522, 'the comfort and': 851187, 'comfort and safety': 187820, 'your home from': 1024355, 'home from join': 401266, 'from join the': 336158, 'the fight to': 855169, 'fight to maintain': 304925, 'to maintain hygienic': 909577, 'maintain hygienic environment': 508982, 'hygienic environment with': 412215, 'environment with this': 279179, 'with this fragrance': 1001698, 'this fragrance sparklesanitizer': 887604, 'fragrance sparklesanitizer sanitizer': 330928, 'sparklesanitizer sanitizer tuesday': 787614, 'negotiating': 556935, 'seen gas': 747030, 'low since': 505604, 'industry because': 435684, 'it negotiating': 459764, 'negotiating with': 556946, 'now 1950': 573898, '1950 12': 12373, '12 cent': 2836, 'gallon 2020': 342963, '2020 84': 14119, '84 gallon': 22873, 'trump said we': 933810, 'said we haven': 731568, 'we haven seen': 971995, 'haven seen gas': 383883, 'seen gas price': 747032, 'gas price this': 344036, 'this low since': 888727, 'low since the': 505611, 'since the 50': 770860, 'the 50 and': 848136, '50 and we': 19612, 'need to bail': 555864, 'oil industry because': 596882, 'industry because of': 435685, 'because of it': 119362, 'of it negotiating': 585421, 'it negotiating with': 459765, 'negotiating with them': 556947, 'with them now': 1001617, 'them now 1950': 876060, 'now 1950 12': 573899, '1950 12 cent': 12374, '12 cent gallon': 2837, 'cent gallon 2020': 169059, 'gallon 2020 84': 342964, '2020 84 gallon': 14120, 'wa more': 962647, 'more prepared': 540122, 'fight than': 304881, 'store wa more': 811117, 'wa more prepared': 962649, 'more prepared to': 540125, 'prepared to fight': 670252, 'to fight than': 905812, 'fight than the': 304882, 'than the federal': 841235, 'consumer also': 196173, 'face liquidity': 294502, 'liquidity problem': 494150, 'see their': 745899, 'their eu': 873181, 'eu right': 283264, 'right reduced': 722247, 'reduced because': 706031, 'full reaction': 340838, 'reaction here': 700197, 'spot on consumer': 790085, 'on consumer consumer': 600036, 'consumer consumer also': 196949, 'consumer also face': 196174, 'also face liquidity': 48188, 'face liquidity problem': 294503, 'liquidity problem and': 494151, 'problem and should': 679456, 'and should not': 71594, 'should not see': 766262, 'not see their': 571488, 'see their eu': 745903, 'their eu right': 873182, 'eu right reduced': 283265, 'right reduced because': 722248, 'reduced because of': 706032, '19 full reaction': 7163, 'full reaction here': 340839, 'sask': 736874, 'spirited': 789526, 'watch some': 968528, 'some sask': 783801, 'sask distillery': 736875, 'distillery are': 247731, 'putting together': 691264, 'together spirited': 920947, 'spirited effort': 789529, 'in combating': 421578, 'combating the': 187075, 'novel via': 573823, 'via read': 956195, 'watch some sask': 968530, 'some sask distillery': 783802, 'sask distillery are': 736876, 'distillery are putting': 247733, 'are putting together': 89365, 'putting together spirited': 691270, 'together spirited effort': 920948, 'spirited effort in': 789530, 'effort in combating': 269531, 'in combating the': 421581, 'combating the novel': 187077, 'the novel via': 861926, 'novel via read': 573824, 'via read more': 956196, 'wit': 996896, 'itv watching': 464015, 'watching wit': 968823, 'wit cleaning': 996901, 'cleaning out': 181001, 'store stophoarding': 810410, 'london panicbuyinguk': 501150, 'itv watching wit': 464016, 'watching wit cleaning': 968824, 'wit cleaning out': 996902, 'cleaning out our': 181004, 'out our store': 626994, 'our store stophoarding': 624955, 'store stophoarding london': 810411, 'stophoarding london panicbuyinguk': 805426, 'kccaatwork': 471193, 'aceng': 28994, 'distancing even': 247132, 'essential example': 281019, 'from denmark': 335132, 'denmark supermarket': 237027, 'supermarket lessen': 821291, 'lessen chance': 486435, 'infection from': 436758, 'from kccaatwork': 336167, 'kccaatwork aceng': 471194, 'social distancing even': 779603, 'distancing even we': 247133, 'even we buy': 284770, 'we buy food': 970876, 'and essential example': 62251, 'essential example to': 281020, 'example to learn': 288990, 'learn from denmark': 483962, 'from denmark supermarket': 335133, 'denmark supermarket lessen': 237028, 'supermarket lessen chance': 821292, 'lessen chance of': 486436, 'chance of infection': 171758, 'of infection from': 585162, 'infection from kccaatwork': 436759, 'from kccaatwork aceng': 336168, 'teampete': 835877, 'teampeteforever': 835880, 'rulesoftheroad': 727441, 'discipline': 244357, 'excellence': 289063, 'store rest': 809838, 'assured ll': 97115, 'glove we': 353015, 'cannot take': 162160, 'any risk': 79764, 'risk during': 723503, 'pandemic teampete': 636626, 'teampete teampeteforever': 835878, 'teampeteforever rulesoftheroad': 835881, 'rulesoftheroad respect': 727442, 'respect teamwork': 715054, 'teamwork responsibility': 835905, 'responsibility discipline': 715938, 'discipline excellence': 244358, 'grocery store rest': 365717, 'store rest assured': 809839, 'rest assured ll': 716150, 'assured ll be': 97116, 'll be wearing': 496646, 'be wearing glove': 118076, 'wearing glove we': 974645, 'glove we cannot': 353017, 'we cannot take': 971085, 'cannot take any': 162161, 'take any risk': 831949, 'any risk during': 79765, 'risk during the': 723505, 'the pandemic teampete': 863118, 'pandemic teampete teampeteforever': 636627, 'teampete teampeteforever rulesoftheroad': 835879, 'teampeteforever rulesoftheroad respect': 835882, 'rulesoftheroad respect teamwork': 727443, 'respect teamwork responsibility': 715055, 'teamwork responsibility discipline': 835906, 'responsibility discipline excellence': 715939, 'fmcg firm': 311728, 'firm reduce': 308408, 'reduce hand': 705850, 'price per': 675857, 'per govt': 650872, 'govt order': 361233, 'fmcg firm reduce': 311730, 'firm reduce hand': 308409, 'reduce hand sanitizer': 705852, 'sanitizer price per': 735585, 'price per govt': 675859, 'per govt order': 650873, 'fractionalshares': 330870, 'checkitout': 174865, 'optionstrading': 614160, '1am': 12578, 'mondaymorning': 536441, 'mondaymotivaton': 536479, 'mondaymood': 536429, 'shopping fractionalshares': 762740, 'fractionalshares your': 330873, 'your free': 1023949, 'free stock': 332196, 'you checkitout': 1017942, 'checkitout taking': 174866, 'drop low': 260295, 'price stockmarket': 676668, 'stockmarket stock': 803673, 'stock optionstrading': 802578, 'optionstrading app': 614161, 'app 1am': 81665, '1am mondaymorning': 12579, 'mondaymorning mondaymotivaton': 536447, 'mondaymotivaton mondaymood': 536481, 'mondaymood quarantine': 536435, 'going shopping fractionalshares': 355449, 'shopping fractionalshares your': 762741, 'fractionalshares your free': 330874, 'your free stock': 1023954, 'free stock is': 332197, 'stock is waiting': 802315, 'is waiting for': 453732, 'for you checkitout': 328045, 'you checkitout taking': 1017943, 'checkitout taking advantage': 174867, 'of the drop': 590966, 'the drop low': 853710, 'drop low price': 260297, 'low price stockmarket': 505539, 'price stockmarket stock': 676669, 'stockmarket stock optionstrading': 803674, 'stock optionstrading app': 802579, 'optionstrading app 1am': 614162, 'app 1am mondaymorning': 81666, '1am mondaymorning mondaymotivaton': 12580, 'mondaymorning mondaymotivaton mondaymood': 536448, 'mondaymotivaton mondaymood quarantine': 536483, 'governor lee': 360936, 'say tn': 739380, 'tn ha': 899386, 'hurt that': 411610, 'he caution': 384829, 'caution against': 168155, 'purchase live': 689539, 'governor lee say': 360937, 'lee say tn': 485328, 'say tn ha': 739381, 'tn ha strong': 899388, 'hoarding hurt that': 399372, 'hurt that he': 411611, 'that he caution': 844254, 'he caution against': 384830, 'caution against hoarding': 168156, 'and panic purchase': 68661, 'panic purchase live': 638447, 'purchase live on': 689540, 'live on right': 495963, 'novacyt': 573713, 'ncyt': 553374, 'novacyt ncyt': 573714, 'ncyt demand': 553375, 'private testing': 678993, 'kit is': 475583, 'skyrocketing with': 773458, 'price also': 672290, 'also rising': 48800, 'rapidly one': 696996, 'one supplier': 607145, 'supplier increased': 824558, 'it test': 461469, 'test by': 838948, 'cent over': 169102, 'weekend private': 977394, 'private lab': 678930, 'lab struggle': 478285, 'novacyt ncyt demand': 573715, 'ncyt demand for': 553376, 'demand for private': 235480, 'for private testing': 324756, 'private testing kit': 678994, 'testing kit is': 839542, 'kit is skyrocketing': 475584, 'is skyrocketing with': 451959, 'skyrocketing with price': 773459, 'with price also': 1000298, 'price also rising': 672295, 'also rising rapidly': 48801, 'rising rapidly one': 723280, 'rapidly one supplier': 696997, 'one supplier increased': 607146, 'supplier increased the': 824559, 'increased the cost': 433491, 'cost of it': 208050, 'of it test': 585453, 'it test by': 461470, 'test by 25': 838949, 'by 25 per': 151609, '25 per cent': 15944, 'per cent over': 650757, 'cent over the': 169103, 'over the weekend': 630784, 'the weekend private': 871334, 'weekend private lab': 977395, 'private lab struggle': 678931, 'lab struggle to': 478286, 'struggle to cope': 814385, 'profited': 682936, 'disinformation': 245942, 'trump tell': 933899, 'tell whether': 837134, 'whether or': 985543, '19 existed': 6884, 'existed prior': 290263, 'truth will': 934418, 'out eventually': 626025, 'eventually every': 285152, 'every government': 285917, 'official whom': 595975, 'whom profited': 990568, 'profited from': 682939, 'low stock': 505643, 'to disinformation': 904406, 'come on trump': 187450, 'on trump tell': 604865, 'trump tell whether': 933901, 'tell whether or': 837135, 'whether or not': 985545, 'covid 19 existed': 213055, '19 existed prior': 6885, 'existed prior to': 290264, 'prior to this': 678382, 'to this year': 917484, 'year we know': 1015086, 'know it been': 476519, 'it been around': 456791, 'been around for': 120678, 'around for several': 93295, 'several year the': 753978, 'year the truth': 1015003, 'the truth will': 870095, 'truth will come': 934419, 'will come out': 992970, 'come out eventually': 187465, 'out eventually every': 626026, 'eventually every government': 285153, 'every government official': 285918, 'government official whom': 360414, 'official whom profited': 595976, 'whom profited from': 990569, 'profited from low': 682940, 'from low stock': 336287, 'low stock price': 505645, 'stock price due': 802712, 'due to disinformation': 261763, 'almost going': 46650, 'to finish': 905964, 'finish please': 307861, 'please rescue': 660393, 'rescue from': 713616, 'here before': 392812, 'one get': 606340, 'infected this': 436649, 'reached phase': 700054, 'phase of': 654624, 'stock is almost': 802303, 'is almost going': 445500, 'almost going to': 46651, 'going to finish': 355602, 'to finish please': 905967, 'finish please rescue': 307862, 'please rescue from': 660394, 'rescue from here': 713617, 'from here before': 335775, 'here before any': 392813, 'before any one': 122639, 'any one get': 79554, 'one get infected': 606341, 'get infected this': 347333, 'infected this country': 436650, 'country ha reached': 210722, 'ha reached phase': 371636, 'reached phase of': 700055, 'phase of covid': 654628, 'purse': 690199, 'usually shopping': 951155, 'for designer': 320665, 'designer purse': 238388, 'purse or': 690207, 'or fashion': 615274, 'fashion item': 299822, 'online after': 607782, 'work now': 1005504, 'now hunting': 574961, 'usually shopping for': 951156, 'shopping for designer': 762671, 'for designer purse': 320667, 'designer purse or': 238389, 'purse or fashion': 690208, 'or fashion item': 615275, 'fashion item online': 299823, 'item online after': 463516, 'online after work': 607785, 'after work now': 36568, 'work now hunting': 1005505, 'now hunting for': 574962, 'paper this is': 640905, 'is what it': 453882, 'what it come': 981745, 'come to in': 187577, 'to in this': 908235, 'in this quarantine': 430003, 'chiang': 175617, 'mai': 508531, 'chiang mai': 175618, 'mai resident': 508534, 'resident scramble': 714358, 'supply official': 825658, 'official say': 595908, 'panic thailand': 638665, 'chiang mai resident': 175619, 'mai resident scramble': 508535, 'resident scramble to': 714359, 'scramble to buy': 742543, 'buy food supply': 148676, 'food supply official': 316975, 'supply official say': 825659, 'official say no': 595911, 'say no need': 738983, 'to panic thailand': 911429, 'coronavirus how': 206096, 'avoid scammer': 105264, 'scammer during': 740566, 'outbreak 19': 627936, 'coronavirus how to': 206099, 'to avoid scammer': 900936, 'avoid scammer during': 105265, 'scammer during the': 740567, '19 outbreak 19': 9072, 'outbreak 19 corona': 627937, 'threadbare': 893622, 'feeling went': 303108, 'were threadbare': 980258, 'threadbare from': 893623, 'the numpties': 861974, 'numpties panic': 577150, 'only confirmed': 610262, 'control these': 202183, 'ppl have': 668243, 'no respect': 565340, 'other ppl': 620746, 'know the feeling': 476823, 'the feeling went': 855104, 'feeling went to': 303109, 'my supermarket today': 550283, 'today and the': 919228, 'shelf were threadbare': 757776, 'were threadbare from': 980259, 'threadbare from the': 893624, 'from the numpties': 337810, 'the numpties panic': 861975, 'numpties panic buying': 577151, 'are only confirmed': 88763, 'only confirmed case': 610263, '19 in my': 7768, 'my local area': 549096, 'local area and': 497691, 'area and it': 91938, 'and it way': 65599, 'it way out': 462271, 'of control these': 581849, 'control these ppl': 202184, 'these ppl have': 880511, 'ppl have no': 668245, 'have no respect': 381652, 'no respect for': 565341, 'respect for other': 714995, 'for other ppl': 324175, 'pint': 656847, 'max asked': 520741, 'after cancelled': 35454, 'cancelled our': 161151, 'our order': 624170, 'order last': 618358, 'last minute': 480318, 'minute told': 533880, 'told him': 923572, 'him we': 396768, 'bought what': 136778, 'we needed': 972571, 'needed until': 556562, 'until today': 943908, 'today now': 919951, 'left pregnant': 485609, 'isolate we': 454937, 'few egg': 303813, 'egg half': 269879, 'half pint': 374250, 'pint milk': 656852, 'rice left': 721075, 'left essential': 485456, 'max asked why': 520742, 'asked why we': 95912, 'why we are': 991516, 'we are going': 970578, 'supermarket after cancelled': 818800, 'after cancelled our': 35455, 'cancelled our order': 161153, 'our order last': 624172, 'order last minute': 618359, 'last minute told': 480321, 'minute told him': 533881, 'told him we': 923577, 'him we only': 396769, 'we only bought': 972647, 'only bought what': 610190, 'bought what we': 136780, 'what we needed': 982559, 'we needed until': 972580, 'needed until today': 556563, 'until today now': 943909, 'today now have': 919953, 'now have no': 574878, 'food left pregnant': 315294, 'left pregnant woman': 485610, 'pregnant woman are': 669845, 'woman are now': 1003409, 'are now told': 88610, 'now told to': 576203, 'to isolate we': 908546, 'isolate we have': 454938, 'we have few': 971815, 'have few egg': 380608, 'few egg half': 303814, 'egg half pint': 269880, 'half pint milk': 374251, 'pint milk rice': 656853, 'milk rice left': 531805, 'rice left essential': 721076, 'pop into': 664429, 'your mother': 1024891, 'mother the': 543176, 'virus this': 958907, 'day lt': 227950, 'pop into store': 664430, 'into store and': 443015, 'store and give': 806248, 'give your mother': 350887, 'your mother the': 1024894, 'mother the corona': 543177, 'corona virus this': 204365, 'virus this mother': 958911, 'this mother day': 889048, 'mother day lt': 543083, 'lai': 478998, 'mohammed': 535565, 'lacasadepapel4': 478582, 'pandemic most': 635986, 'of depend': 582534, 'internet for': 441943, 'am pleading': 50307, 'reduced by': 706035, 'by telecommunication': 154225, 'nigeria please': 562785, 'retweet till': 720088, 'till lai': 896045, 'lai mohammed': 478999, 'mohammed and': 535566, 'help see': 390497, 'this lacasadepapel4': 888582, 'with respect to': 1000483, 'respect to the': 715085, '19 pandemic most': 9399, 'pandemic most of': 635987, 'most of depend': 542545, 'of depend on': 582535, 'depend on the': 237326, 'the internet for': 858384, 'internet for lot': 441944, 'of thing am': 591890, 'thing am pleading': 884113, 'am pleading for': 50308, 'pleading for data': 659583, 'for data price': 320550, 'to be reduced': 901491, 'be reduced by': 116736, 'reduced by telecommunication': 706037, 'by telecommunication company': 154226, 'telecommunication company in': 836704, 'company in nigeria': 190766, 'in nigeria please': 425882, 'nigeria please retweet': 562786, 'please retweet till': 660415, 'retweet till lai': 720089, 'till lai mohammed': 896046, 'lai mohammed and': 479000, 'mohammed and people': 535567, 'and people who': 68891, 'people who can': 650270, 'who can help': 988390, 'can help see': 158654, 'help see this': 390499, 'see this lacasadepapel4': 745949, 'yahoo': 1014046, 'diversifying': 248550, 'back2back': 107495, 'even yahoo': 284839, 'yahoo boy': 1014048, 'boy are': 137241, 'are diversifying': 85872, 'diversifying client': 248551, 'dying like': 263843, 'like hit': 490437, 'hit track': 398486, 'track back2back': 928167, 'back2back saw': 107498, 'saw one': 738194, 'one posting': 606910, 'posting nose': 666667, 'nose mask': 567896, 'sale dm': 732164, 'price stayhomesavelives': 676636, 'even yahoo boy': 284840, 'yahoo boy are': 1014049, 'boy are diversifying': 137242, 'are diversifying client': 85873, 'diversifying client are': 248552, 'client are dying': 182005, 'are dying like': 86049, 'dying like hit': 263844, 'like hit track': 490438, 'hit track back2back': 398487, 'track back2back saw': 928168, 'back2back saw one': 107499, 'saw one posting': 738196, 'one posting nose': 606911, 'posting nose mask': 666668, 'nose mask for': 567898, 'for sale dm': 325313, 'sale dm for': 732165, 'dm for price': 248893, 'for price stayhomesavelives': 324729, '363': 18042, 'gmt': 353204, 'mitrade': 534567, 'pc': 645866, 'bloomberg': 133255, 'latest pm': 481492, 'pm struggle': 661997, 'the noon': 861850, 'price 29': 672143, '29 38': 16458, '38 363': 18124, '363 watch': 18043, 'at 12': 97449, '12 30pm': 2797, '30pm gmt': 17508, 'gmt 11': 353207, '11 on': 2568, 'on mitrade': 602139, 'mitrade pc': 534568, 'pc bloomberg': 645873, 'latest pm struggle': 481493, 'pm struggle to': 661998, 'struggle to recover': 814393, 'to recover from': 912987, 'from the noon': 337808, 'the noon price': 861851, 'noon price 29': 566857, 'price 29 38': 672144, '29 38 363': 16459, '38 363 watch': 18125, '363 watch out': 18044, 'out for 19': 626095, 'for 19 price': 318711, '19 price at': 9804, 'price at 12': 672783, 'at 12 30pm': 97451, '12 30pm gmt': 2799, '30pm gmt 11': 17509, 'gmt 11 on': 353208, '11 on mitrade': 2569, 'on mitrade pc': 602140, 'mitrade pc bloomberg': 534569, 'illinois governor': 416286, 'pritzker order': 678777, 'order stay': 618595, 'home starting': 402115, 'starting saturday': 794992, 'saturday until': 737072, '2020 chicago': 14222, 'chicago coronacrisis': 175661, 'stophoarding stayathomechallenge': 805471, 'stayathomechallenge socialdistanacing': 797749, 'illinois governor pritzker': 416287, 'governor pritzker order': 360973, 'pritzker order stay': 678778, 'order stay at': 618596, 'at home starting': 99116, 'home starting saturday': 402116, 'starting saturday until': 794993, 'saturday until april': 737073, 'until april 2020': 943692, 'april 2020 chicago': 83460, '2020 chicago coronacrisis': 14223, 'chicago coronacrisis staysafestayhome': 175662, 'coronacrisis staysafestayhome stayathome': 204782, 'stayathome stophoarding stayathomechallenge': 797673, 'stophoarding stayathomechallenge socialdistanacing': 805472, 'feeking': 302538, 'feeking selfish': 302539, 'buying panicshopping': 150881, 'feeking selfish panic': 302540, 'panic buying panicshopping': 637842, 'buying panicshopping uk': 150882, 'ingested': 438309, 'phosphate': 655102, 'alert warning': 41537, 'people away': 647204, 'buying product': 150927, 'cure the': 220819, 'warning followed': 967120, 'followed the': 312611, 'an arizona': 55395, 'arizona man': 92841, 'who ingested': 989036, 'ingested chloroquine': 438310, 'chloroquine phosphate': 177610, 'phosphate intended': 655108, 'fda ha issued': 300868, 'ha issued consumer': 371003, 'consumer alert warning': 196162, 'alert warning people': 41539, 'warning people away': 967180, 'people away from': 647206, 'away from buying': 105865, 'from buying product': 334780, 'buying product that': 150929, 'prevent treat or': 671754, 'treat or cure': 930857, 'or cure the': 614871, 'cure the warning': 220824, 'the warning followed': 871093, 'warning followed the': 967121, 'followed the death': 312612, 'death of an': 230140, 'of an arizona': 580103, 'an arizona man': 55396, 'arizona man who': 92842, 'man who ingested': 512335, 'who ingested chloroquine': 989037, 'ingested chloroquine phosphate': 438311, 'chloroquine phosphate intended': 177613, 'phosphate intended for': 655109, 'intended for fish': 441052, 'q22': 691433, 'francisco mayor': 331119, 'mayor london': 521970, 'london breed': 501038, 'breed is': 139268, 'announce lockdown': 76847, 'lockdown that': 500001, 'last until': 480608, 'midnight tuesday': 530763, 'anything other': 80853, 'than doctor': 840507, 'shopping q22': 763703, 'san francisco mayor': 733545, 'francisco mayor london': 331120, 'mayor london breed': 521971, 'london breed is': 501039, 'breed is set': 139269, 'set to announce': 753501, 'to announce lockdown': 900549, 'announce lockdown that': 76848, 'lockdown that will': 500003, 'will last until': 993955, 'last until april': 480609, 'until april people': 943699, 'april people will': 83656, 'allowed to leave': 46236, 'their home after': 873556, 'after midnight tuesday': 35932, 'midnight tuesday for': 530764, 'for anything other': 319462, 'anything other than': 80854, 'other than doctor': 621062, 'than doctor visit': 840508, 'or grocery shopping': 615526, 'grocery shopping q22': 365071, 'automatic': 103971, 'peeler': 646261, '0715783634': 1033, 'homedecor': 402665, 'kitchendecor': 475782, 'glammyhomekenya': 351561, 'automatic fruit': 103974, 'fruit potato': 339126, 'potato peeler': 666965, 'peeler make': 646262, 'via 0715783634': 955770, '0715783634 remember': 1034, 'family household': 297898, 'household homedecor': 406833, 'homedecor kitchendecor': 402666, 'kitchendecor glammyhomekenya': 475783, 'automatic fruit potato': 103975, 'fruit potato peeler': 339127, 'potato peeler make': 666966, 'peeler make your': 646263, 'make your order': 510766, 'your order via': 1025109, 'order via 0715783634': 618738, 'via 0715783634 remember': 955771, '0715783634 remember to': 1035, 'remember to keep': 710373, 'keep safe during': 471876, 'safe during this': 729616, '19 outbreak online': 9162, 'shopping is great': 763047, 'is great idea': 448197, 'great idea for': 362727, 'your family household': 1023787, 'family household homedecor': 297899, 'household homedecor kitchendecor': 406834, 'homedecor kitchendecor glammyhomekenya': 402667, 'little strange': 495588, 'strange to': 812435, 'see line': 745359, 'line marking': 493254, 'marking so': 517913, 'keep foot': 471517, 'done much': 254941, 'much appreciated': 544720, 'appreciated socialdistancing': 82836, 'socialdistancing mondaythoughts': 780532, 'little strange to': 495589, 'strange to see': 812436, 'to see line': 914034, 'see line marking': 745360, 'line marking so': 493255, 'marking so people': 517914, 'so people keep': 778000, 'people keep foot': 648572, 'keep foot apart': 471518, 'foot apart in': 318345, 'apart in line': 81289, 'store well done': 811205, 'well done much': 978192, 'done much appreciated': 254942, 'much appreciated socialdistancing': 544725, 'appreciated socialdistancing mondaythoughts': 82837, 'zev': 1027528, 'with zev': 1002250, 'zev we': 1027529, 'we solved': 973340, 'solved the': 782186, 'of french': 583937, 'french consumer': 332721, 'the booked': 849844, 'booked accommodation': 134655, 'accommodation in': 28451, 'poland web': 662866, 'together with zev': 921047, 'with zev we': 1002251, 'zev we solved': 1027530, 'we solved the': 973341, 'solved the problem': 782188, 'problem of french': 679626, 'of french consumer': 583938, 'french consumer who': 332723, 'consumer who could': 199518, 'could not use': 209465, 'not use the': 572361, 'use the booked': 949654, 'the booked accommodation': 849845, 'booked accommodation in': 134656, 'accommodation in poland': 28453, 'in poland web': 426819, 'business central': 143511, 'central to': 169433, 'and effort': 61966, 'effort have': 269524, 'have posted': 382003, 'posted 00s': 666509, 'job listing': 465957, 'listing online': 494871, 'but which': 147842, 'hiring from': 397100, 'nurse run': 577470, 'run down': 727605, 'new listing': 559042, 'listing find': 494844, 'full here': 340629, 'business central to': 143512, 'central to the': 169434, 'to the and': 916492, 'the and effort': 848693, 'and effort have': 61969, 'effort have posted': 269526, 'have posted 00s': 382004, 'posted 00s of': 666510, '00s of job': 710, 'of job listing': 585534, 'job listing online': 465958, 'listing online but': 494872, 'online but which': 607972, 'but which sector': 147844, 'sector are hiring': 744099, 'are hiring from': 87182, 'hiring from delivery': 397101, 'from delivery driver': 335125, 'delivery driver to': 233947, 'driver to nurse': 259805, 'to nurse run': 910758, 'nurse run down': 577471, 'run down the': 727607, 'down the new': 257288, 'the new listing': 861526, 'new listing find': 559044, 'listing find the': 494845, 'find the table': 307304, 'table in full': 831478, 'in full here': 423165, 'trumpedupvirus': 934036, 'government trumpedupvirus': 360748, 'trust the grocery': 934319, 'grocery store more': 365575, 'than the government': 841242, 'the government trumpedupvirus': 856615, 'recession sharply': 704354, 'sharply lower': 755751, 'pemex due': 646397, 'to falling': 905645, 'economy contract': 267781, 'contract in': 201667, 'storm of potential': 811827, 'potential recession sharply': 667127, 'recession sharply lower': 704355, 'sharply lower revenue': 755754, 'producer pemex due': 680687, 'pemex due to': 646398, 'due to falling': 261784, 'to falling crude': 905646, 'falling crude price': 297227, 'price and drop': 672400, 'and drop in': 61760, 'drop in tourism': 260280, 'the economy contract': 853953, 'economy contract in': 267782, 'minus': 533683, 'been social': 122000, 'son for': 785375, 'day minus': 227980, 'minus the': 533690, 'the 37': 848095, '37 min': 18080, 'min went': 532592, 'which cried': 985794, 'cried standing': 216757, 'standing over': 793801, 'my sink': 550100, 'sink my': 771476, 'son ha': 785379, 'food allergy': 313092, 'allergy woman': 45799, 'last loaf': 480292, 'brand of': 137940, 'bread he': 138484, 'he eats': 384923, 'eats gave': 266373, 'gave it': 344629, 'have been social': 379687, 'been social distancing': 122001, 'distancing my son': 247347, 'my son for': 550155, 'son for day': 785376, 'for day minus': 320576, 'day minus the': 227981, 'minus the 37': 533691, 'the 37 min': 848096, '37 min went': 18081, 'min went to': 532593, 'store after which': 806086, 'after which cried': 36533, 'which cried standing': 985795, 'cried standing over': 216758, 'standing over my': 793802, 'over my sink': 630425, 'my sink my': 550101, 'sink my son': 771477, 'my son ha': 550156, 'son ha food': 785381, 'ha food allergy': 370645, 'food allergy woman': 313097, 'allergy woman who': 45800, 'woman who took': 1003686, 'who took the': 989804, 'took the last': 925341, 'the last loaf': 859020, 'last loaf of': 480293, 'loaf of the': 497369, 'of the brand': 590829, 'the brand of': 849941, 'brand of bread': 137941, 'of bread he': 580841, 'bread he eats': 138485, 'he eats gave': 384924, 'eats gave it': 266374, 'gave it to': 344631, 'it to me': 461732, 'to me when': 909969, 'me when asked': 523936, '6randonl': 21668, '219': 15084, '9739': 23710, '6randonl well': 21669, 'assistance customer': 96679, '800 219': 22654, '219 9739': 15085, '9739 to': 23711, 'with qualified': 1000372, 'specialist about': 788113, 'business loan': 144008, '6randonl well fargo': 21670, '19 if they': 7664, 'they need assistance': 882718, 'need assistance customer': 554484, 'assistance customer can': 96680, 'customer can call': 222222, 'can call 800': 157851, 'call 800 219': 155721, '800 219 9739': 22655, '219 9739 to': 15086, '9739 to speak': 23712, 'to speak with': 914966, 'speak with qualified': 787731, 'with qualified specialist': 1000373, 'qualified specialist about': 691707, 'specialist about the': 788115, 'about the option': 26467, 'option available for': 613995, 'available for their': 104385, 'their consumer small': 872865, 'small business loan': 774872, 'pertaining': 653275, 'favorite meme': 300530, 'meme pertaining': 528351, 'pertaining to': 653276, 'the pas': 863325, 'through your': 894919, 'room retweet': 725960, 'retweet it': 720057, 'it let': 459334, 'some fun': 782928, 'add your favorite': 31535, 'your favorite meme': 1023829, 'favorite meme pertaining': 300531, 'meme pertaining to': 528352, 'pertaining to the': 653280, 'to the pas': 916946, 'the pas it': 863327, 'pas it through': 643116, 'it through your': 461682, 'through your room': 894926, 'your room retweet': 1025650, 'room retweet it': 725961, 'retweet it let': 720058, 'it let have': 459335, 'let have some': 486775, 'have some fun': 382628, 'trumpcrash': 934029, 'trumptheworstpresidentever': 934171, 'cpacpatientzero': 214569, 'doe realize': 251559, 'realize how': 701840, 'by trade': 154581, 'trade with': 928617, 'china we': 177050, 'longer make': 502017, 'make anything': 509714, 'anything trumpcrash': 80923, 'trumpcrash trumpplague': 934033, 'trumpplague trumptheworstpresidentever': 934125, 'trumptheworstpresidentever cpacpatientzero': 934172, 'doe realize how': 251560, 'realize how much': 701842, 'much of our': 545195, 'driven economy is': 259315, 'driven by trade': 259289, 'by trade with': 154582, 'trade with china': 928619, 'with china we': 997634, 'china we no': 177053, 'no longer make': 564654, 'longer make anything': 502018, 'make anything trumpcrash': 509717, 'anything trumpcrash trumpplague': 80924, 'trumpcrash trumpplague trumptheworstpresidentever': 934034, 'trumpplague trumptheworstpresidentever cpacpatientzero': 934126, 'template': 837416, 'sharon': 755659, 'graham': 361745, 'twin effect': 936575, 'amp financial': 53797, 'loss due': 503662, 'to living': 909360, 'living cost': 496333, 'cost data': 207906, 'data bite': 226145, 'sized bargaining': 772821, 'bargaining draft': 111078, 'draft template': 258143, 'template lockdown': 837417, 'lockdown agreement': 499107, 'agreement amp': 38766, 'amp employer': 53717, 'employer must': 274527, 'take responsibility': 832540, 'responsibility say': 715975, 'say sharon': 739123, 'sharon graham': 755660, 'graham work': 361755, 'work voice': 1005971, 'voice pay': 959996, 'pay monthly': 644997, 'worker face the': 1006897, 'face the twin': 294802, 'the twin effect': 870132, 'twin effect of': 936576, 'effect of rising': 269059, 'of rising price': 589122, 'rising price amp': 723263, 'price amp financial': 672334, 'amp financial loss': 53798, 'financial loss due': 306488, 'loss due to': 503663, 'due to living': 261849, 'to living cost': 909362, 'living cost data': 496334, 'cost data bite': 207907, 'data bite sized': 226146, 'bite sized bargaining': 131874, 'sized bargaining draft': 772822, 'bargaining draft template': 111079, 'draft template lockdown': 258144, 'template lockdown agreement': 837418, 'lockdown agreement amp': 499108, 'agreement amp employer': 38767, 'amp employer must': 53718, 'employer must take': 274528, 'must take responsibility': 546945, 'take responsibility say': 832542, 'responsibility say sharon': 715976, 'say sharon graham': 739124, 'sharon graham work': 755661, 'graham work voice': 361756, 'work voice pay': 1005972, 'voice pay monthly': 959997, 'outing': 628985, 'not casual': 568710, 'casual outing': 166797, 'outing leave': 628988, 'way possible': 969821, 'possible when': 665876, 'are adult': 84237, 'adult and': 32791, 'and kid': 65830, 'kid together': 474147, 'be adult': 113497, 'get commonsense': 346793, 'commonsense trending': 189509, 'trending for': 931536, 'the grocery is': 856814, 'grocery is open': 364641, 'is open in': 450569, 'open in case': 612320, 'in case we': 421281, 'case we need': 166097, 'we need food': 972484, 'need food not': 554801, 'food not casual': 315561, 'not casual outing': 568711, 'casual outing leave': 166798, 'outing leave your': 628989, 'leave your kid': 485055, 'home if any': 401395, 'if any way': 413836, 'any way possible': 80037, 'way possible when': 969824, 'possible when there': 665877, 'when there are': 984223, 'there are adult': 878061, 'are adult and': 84238, 'adult and kid': 32795, 'and kid together': 65836, 'kid together that': 474148, 'together that should': 920972, 'should be adult': 765545, 'be adult in': 113498, 'and people at': 68853, 'people at home': 647173, 'at home let': 99031, 'home let get': 401522, 'let get commonsense': 486730, 'get commonsense trending': 346794, 'commonsense trending for': 189510, 'trending for real': 931539, 'is worth': 454080, 'hopefully if': 403857, 'if nothing': 414518, 'public might': 688164, 'might wish': 531171, 'future that': 342468, 'this is worth': 888473, 'is worth reading': 454087, 'reading hopefully if': 700777, 'hopefully if nothing': 403858, 'if nothing else': 414520, 'nothing else the': 572997, 'else the public': 271911, 'the public might': 864831, 'public might wish': 688165, 'might wish to': 531172, 'wish to consider': 996835, 'the future that': 856091, 'future that is': 342470, 'that is of': 844629, 'is of course': 450399, 'course if shop': 211878, 'if shop like': 414794, 'shop like survive': 760408, 'poetsandrhymers': 662389, 'telling not': 837238, 'pharmacy poetsandrhymers': 654422, 'they re telling': 883140, 're telling not': 699672, 'telling not to': 837239, 'the pharmacy poetsandrhymers': 863661, 'bravo': 138291, 'coralsprings': 203485, 'jamm': 464429, 'governor what': 361024, 'people congregating': 647524, 'congregating at': 194467, 'at super': 100689, 'is apparent': 445782, 'apparent the': 81896, 'no protocol': 565236, 'protocol just': 685990, 'visited bravo': 959460, 'bravo supermarket': 138300, 'in coralsprings': 421786, 'coralsprings fl': 203486, 'fl and': 309903, 'wa jamm': 962442, 'governor what is': 361025, 'what is being': 981679, 'being done to': 125076, 'done to limit': 255072, 'of people congregating': 587890, 'people congregating at': 647525, 'congregating at super': 194468, 'at super market': 100691, 'super market and': 818541, 'market and spreading': 515992, 'and spreading the': 72158, 'spreading the covid': 791052, 'it is apparent': 458876, 'is apparent the': 445783, 'apparent the supermarket': 81897, 'the supermarket chain': 868513, 'chain have no': 170765, 'have no protocol': 381650, 'no protocol just': 565237, 'protocol just visited': 685991, 'just visited bravo': 470185, 'visited bravo supermarket': 959461, 'bravo supermarket in': 138301, 'supermarket in coralsprings': 820883, 'in coralsprings fl': 421787, 'coralsprings fl and': 203487, 'fl and it': 309904, 'it wa jamm': 462135, 'washing the': 967728, 'gel doesn': 345105, 'matter neither': 520602, 'neither porridge': 557339, 'porridge 19': 664850, 'no hand washing': 564399, 'hand washing the': 375960, 'washing the hand': 967729, 'the hand gel': 857057, 'hand gel doesn': 374976, 'gel doesn matter': 345106, 'doesn matter neither': 251883, 'matter neither porridge': 520603, 'neither porridge 19': 557340, 'porridge 19 stophoarding': 664851, '19 stophoarding panicbuy': 10873, 'truthabtchina': 934420, 'chinese supermarket': 177358, 'city via': 179441, 'via truthabtchina': 956339, 'chinese supermarket in': 177359, 'york city via': 1016596, 'city via truthabtchina': 179443, '09032144592': 1167, 'osibanjothesaver': 619717, 'asuustrike': 97277, 'we grow': 971691, 'grow and': 367007, 'deliver fresh': 233137, 'veggie around': 954168, 'around nigeria': 93416, 'nigeria do': 562732, 'start retailing': 794467, 'retailing in': 719476, 'small quantity': 775077, 'quantity or': 691945, 'for consumption': 320306, 'consumption at': 199839, 'price dm': 673467, 'or call': 614633, 'call 09032144592': 155687, '09032144592 today': 1168, 'today osibanjothesaver': 920000, 'osibanjothesaver asuustrike': 619718, 'we grow and': 971692, 'grow and deliver': 367008, 'and deliver fresh': 61079, 'deliver fresh fruit': 233138, 'fruit and veggie': 339067, 'and veggie around': 74902, 'veggie around nigeria': 954169, 'around nigeria do': 93417, 'nigeria do you': 562733, 'want to start': 966127, 'to start retailing': 915219, 'start retailing in': 794468, 'retailing in small': 719477, 'in small quantity': 428021, 'small quantity or': 775078, 'quantity or need': 691947, 'or need for': 616227, 'need for consumption': 554832, 'for consumption at': 320307, 'consumption at affordable': 199840, 'affordable price dm': 34876, 'price dm or': 673469, 'dm or call': 248913, 'or call 09032144592': 614634, 'call 09032144592 today': 155688, '09032144592 today osibanjothesaver': 1169, 'today osibanjothesaver asuustrike': 920001, 'coronacake': 204454, 'tpocolypse': 928084, 'want some': 965923, 'some coronacake': 782604, 'coronacake toiletpaper': 204455, 'toiletpaper tpocolypse': 922760, 'tpocolypse poo': 928085, 'poo cake': 663993, 'cake toiletpapercrisis': 155260, 'who want some': 989927, 'want some coronacake': 965924, 'some coronacake toiletpaper': 782605, 'coronacake toiletpaper tpocolypse': 204456, 'toiletpaper tpocolypse poo': 922761, 'tpocolypse poo cake': 928086, 'poo cake toiletpapercrisis': 663994, 'milkman': 531930, 'update worried': 947330, 'supermarket fear': 820282, 'fear not': 301214, 'your friendly': 1023979, 'friendly neighborhood': 333971, 'neighborhood milkman': 557138, 'milkman is': 531937, 'deliver report': 233201, 'update worried about': 947331, 'worried about going': 1010492, 'the supermarket fear': 868587, 'supermarket fear not': 820284, 'fear not because': 301215, 'not because your': 568496, 'because your friendly': 119885, 'your friendly neighborhood': 1023980, 'friendly neighborhood milkman': 333972, 'neighborhood milkman is': 557139, 'milkman is ready': 531938, 'ready to deliver': 700952, 'to deliver report': 904111, 'ancestor': 57302, 'stillnooatmilk': 801460, 'how my': 408390, 'my ancestor': 547260, 'ancestor felt': 57303, 'they returned': 883217, 'the tribe': 869978, 'tribe after': 931675, 'after successful': 36258, 'successful hunt': 816241, 'hunt toiletpaper': 411374, 'toiletpaper egg': 921949, 'egg bleach': 269796, 'bleach purell': 132515, 'purell stillnooatmilk': 690033, 'stillnooatmilk king': 801461, 'king mountain': 475281, 'mountain california': 543416, 'now know exactly': 575168, 'know exactly how': 476372, 'exactly how my': 288736, 'how my ancestor': 408391, 'my ancestor felt': 547261, 'ancestor felt when': 57304, 'felt when they': 303482, 'when they returned': 984280, 'they returned to': 883218, 'returned to the': 719982, 'to the tribe': 917141, 'the tribe after': 869979, 'tribe after successful': 931676, 'after successful hunt': 36259, 'successful hunt toiletpaper': 816242, 'hunt toiletpaper egg': 411375, 'toiletpaper egg bleach': 921950, 'egg bleach purell': 269797, 'bleach purell stillnooatmilk': 132516, 'purell stillnooatmilk king': 690034, 'stillnooatmilk king mountain': 801462, 'king mountain california': 475282, 'romania': 725729, 'consistently': 195496, 'ranked': 696787, 'coronavirus romania': 206685, 'romania consistently': 725730, 'consistently ranked': 195503, 'ranked the': 696790, 'eu worst': 283294, 'worst according': 1011138, 'the euro': 854573, 'euro health': 283359, 'consumer index': 197845, 'index find': 434191, 'find itself': 307016, 'itself unable': 463962, 'coronavirus romania consistently': 206686, 'romania consistently ranked': 725731, 'consistently ranked the': 195504, 'ranked the eu': 696791, 'the eu worst': 854570, 'eu worst according': 283295, 'worst according to': 1011139, 'to the euro': 916682, 'the euro health': 854576, 'euro health consumer': 283360, 'health consumer index': 386302, 'consumer index find': 197846, 'index find itself': 434192, 'find itself unable': 307018, 'itself unable to': 463963, 'unable to cope': 939326, 'believe didn': 126258, 'didn buy': 240992, 'store visited': 811084, 'visited in': 959482, 'dream yo': 258639, 'yo is': 1016435, 'sign will': 769261, 'soon mondaymotivation': 785771, 'can believe didn': 157736, 'believe didn buy': 126259, 'didn buy any': 240994, 'buy any thing': 148354, 'any thing from': 79958, 'thing from that': 884348, 'from that grocery': 337577, 'grocery store visited': 365918, 'store visited in': 811086, 'visited in my': 959485, 'in my dream': 425566, 'my dream yo': 548038, 'dream yo is': 258640, 'yo is this': 1016436, 'this sign will': 890149, 'sign will be': 769262, 'over soon mondaymotivation': 630635, 'best and': 127577, 'most comprehensive': 542197, 'comprehensive covid': 192632, 'center ve': 169310, 'seen from': 747024, 'the best and': 849487, 'best and most': 127578, 'and most comprehensive': 67264, 'most comprehensive covid': 542198, 'comprehensive covid 19': 192633, '19 resource center': 10130, 'resource center ve': 714739, 'center ve seen': 169311, 've seen from': 953528, 'seen from consumer': 747027, 'tighter': 895864, 'ha managed': 371228, 'maintain food': 508965, 'supply despite': 825165, 'despite more': 238787, 'severe outbreak': 754042, 'much tighter': 545382, 'tighter lockdown': 895870, 'italy ha managed': 462840, 'ha managed to': 371229, 'managed to maintain': 512506, 'to maintain food': 909572, 'maintain food supply': 508966, 'food supply despite': 316947, 'supply despite more': 825166, 'despite more severe': 238788, 'more severe outbreak': 540369, 'severe outbreak of': 754043, '19 and much': 5065, 'and much tighter': 67310, 'much tighter lockdown': 545383, 'now make': 575269, 'me nervous': 523212, 'nervous not': 557474, 'because nervous': 119272, 'nervous about': 557446, 'because too': 119745, 'much stupidity': 545335, 'stupidity in': 815534, 'one place': 606875, 'place make': 657566, 'me really': 523376, 'really angry': 701970, 'supermarket now make': 821669, 'now make me': 575272, 'make me nervous': 510136, 'me nervous not': 523213, 'nervous not because': 557475, 'not because nervous': 568491, 'because nervous about': 119273, 'nervous about but': 557447, 'about but because': 24907, 'but because too': 145276, 'because too much': 119747, 'too much stupidity': 924946, 'much stupidity in': 545336, 'stupidity in one': 815535, 'in one place': 426153, 'one place make': 606878, 'place make me': 657567, 'make me really': 510141, 'me really angry': 523377, 'harrogate': 378522, 'done harrogate': 254866, 'harrogate best': 378523, 'best approach': 127582, 'approach to': 82979, 'to socialdistancing': 914829, 'socialdistancing that': 780788, 'that ve': 847229, 'supermarket thank': 823168, 'well done harrogate': 978185, 'done harrogate best': 254867, 'harrogate best approach': 378524, 'best approach to': 127585, 'approach to socialdistancing': 82992, 'to socialdistancing that': 914835, 'socialdistancing that ve': 780789, 'that ve seen': 847234, 've seen in': 953533, 'seen in supermarket': 747084, 'in supermarket thank': 428685, 'supermarket thank you': 823170, 'country top': 211183, 'top company': 925548, 'business warning': 144632, 'warning of': 967157, 'lower consumer': 505815, 'and continued': 60494, 'continued operational': 201329, 'operational disruption': 613308, 'disruption in': 246488, 'the country top': 852173, 'country top company': 211184, 'top company are': 925549, 'company are beginning': 190413, 'beginning to ass': 123663, '19 outbreak on': 9160, 'outbreak on their': 628499, 'on their business': 604471, 'their business warning': 872694, 'business warning of': 144633, 'warning of lower': 967158, 'of lower consumer': 586051, 'lower consumer demand': 505816, 'consumer demand and': 197115, 'demand and continued': 234954, 'and continued operational': 60496, 'continued operational disruption': 201330, 'operational disruption in': 613309, 'disruption in the': 246493, 'is thus': 453151, 'thus forcing': 895511, 'forcing capital': 328699, 'capital to': 162693, 'life making': 488863, 'making work': 511494, 'work such': 1005775, 'healthcare social': 387279, 'care food': 163936, 'distribution we': 248255, 'this focus': 887563, 'focus remains': 311915, 'remains even': 710007, 'the health crisis': 857180, 'health crisis is': 386339, 'crisis is thus': 217593, 'is thus forcing': 453152, 'thus forcing capital': 895512, 'forcing capital to': 328700, 'capital to focus': 162694, 'focus on life': 311883, 'on life and': 601833, 'life and life': 488483, 'and life making': 66140, 'life making work': 488865, 'making work such': 511496, 'work such healthcare': 1005776, 'such healthcare social': 816545, 'healthcare social care': 387280, 'social care food': 779452, 'care food production': 163937, 'and distribution we': 61532, 'distribution we demand': 248256, 'we demand that': 971271, 'demand that this': 236340, 'that this focus': 846992, 'this focus remains': 887564, 'focus remains even': 311916, 'remains even when': 710008, 'even when the': 284786, 'tiresome': 899098, 'hoarding narrative': 399434, 'narrative is': 551945, 'getting little': 349093, 'little tiresome': 495617, 'tiresome not': 899099, 'not buying': 568659, 'buying lot': 150684, 'because jerk': 119213, 'jerk buying': 465143, 'because avoiding': 118944, 'avoiding multiple': 105469, 'multiple trip': 545805, 'few mouth': 303952, 'the hoarding narrative': 857415, 'hoarding narrative is': 399435, 'narrative is getting': 551946, 'is getting little': 448030, 'getting little tiresome': 349096, 'little tiresome not': 495618, 'tiresome not buying': 899100, 'not buying lot': 568660, 'buying lot of': 150685, 'of food because': 583657, 'food because jerk': 313707, 'because jerk buying': 119214, 'jerk buying lot': 465144, 'food because avoiding': 313702, 'because avoiding multiple': 118945, 'avoiding multiple trip': 105470, 'multiple trip to': 545806, 'store and have': 806256, 'and have few': 64244, 'have few mouth': 380614, 'few mouth to': 303953, 'behavior an': 123874, 'retailer it': 719224, 'shift did': 758275, 'some research': 783730, 'research to': 713865, 'valuable insight': 952031, 'we all know': 970337, 'all know that': 43333, 'know that this': 476796, 'that this pandemic': 846999, 'pandemic is changing': 635762, 'is changing consumer': 446467, 'consumer behavior an': 196438, 'behavior an online': 123875, 'an online retailer': 56629, 'online retailer it': 608882, 'retailer it is': 719226, 'it is important': 458983, 'is important to': 448735, 'to understand and': 917898, 'understand and adapt': 940593, 'and adapt to': 57663, 'adapt to the': 31289, 'the shift did': 866930, 'shift did some': 758276, 'did some research': 240816, 'some research to': 783732, 'research to share': 713868, 'share valuable insight': 755325, 'schoolclosures': 742009, 'prek': 669859, 'homeschool': 402919, 'freeresources': 332490, 'up parent': 945748, 'parent stockup': 641735, 'stockup on': 804186, 'on education': 600522, 'education book': 268812, 'book amid': 134463, 'amid schoolclosures': 52644, 'schoolclosures forbes': 742010, 'forbes via': 328298, 'via prek': 956181, 'prek homeschool': 669860, 'homeschool wellness': 402924, 'wellness mondaymotivation': 978850, 'mondaymotivation health': 536459, 'health mondaymorning': 386649, 'mondaymorning kid': 536443, 'kid school': 474100, 'school ed': 741776, 'ed homebound': 268451, 'homebound nj': 402621, 'nj freeresources': 563432, 'freeresources mondaythoughts': 332491, 'mondaythoughts uk': 536513, 'uk china': 938244, 'stock up parent': 803108, 'up parent stockup': 945749, 'parent stockup on': 641736, 'stockup on education': 804188, 'on education book': 600523, 'education book amid': 268813, 'book amid schoolclosures': 134464, 'amid schoolclosures forbes': 52645, 'schoolclosures forbes via': 742011, 'forbes via prek': 328299, 'via prek homeschool': 956182, 'prek homeschool wellness': 669861, 'homeschool wellness mondaymotivation': 402925, 'wellness mondaymotivation health': 978851, 'mondaymotivation health mondaymorning': 536461, 'health mondaymorning kid': 386650, 'mondaymorning kid school': 536444, 'kid school ed': 474101, 'school ed homebound': 741777, 'ed homebound nj': 268452, 'homebound nj freeresources': 402622, 'nj freeresources mondaythoughts': 563433, 'freeresources mondaythoughts uk': 332492, 'mondaythoughts uk china': 536514, 'supermarket complaining': 819752, 'complaining that': 191904, 'empty they': 275194, 'they unpack': 883609, 'unpack their': 943008, 'their 22': 872430, '22 bar': 15187, 'soap trying': 779140, 'that maybe': 845094, 'problem panickbuying': 679646, 'parent just returned': 641665, 'the supermarket complaining': 868525, 'supermarket complaining that': 819753, 'complaining that the': 191908, 'that the shelf': 846831, 'are empty they': 86172, 'empty they unpack': 275195, 'they unpack their': 883610, 'unpack their 22': 943009, 'their 22 bar': 872431, '22 bar of': 15188, 'bar of soap': 110738, 'of soap trying': 589830, 'soap trying to': 779141, 'trying to explain': 934801, 'to explain to': 905478, 'to them that': 917316, 'them that maybe': 876380, 'that maybe they': 845097, 'maybe they are': 521844, 'the problem panickbuying': 864522, 'biodiesel': 131194, 'pandemic put': 636260, 'put downward': 690561, 'downward pressure': 257832, 'on vegetable': 605029, 'vegetable oil': 954051, 'and crudeoil': 60771, 'price diesel': 673438, 'and biodiesel': 58975, 'biodiesel demand': 131195, 'pandemic put downward': 636261, 'put downward pressure': 690562, 'downward pressure on': 257834, 'pressure on vegetable': 671220, 'on vegetable oil': 605030, 'vegetable oil and': 954052, 'oil and crudeoil': 596613, 'and crudeoil price': 60772, 'crudeoil price diesel': 219650, 'price diesel and': 673439, 'diesel and biodiesel': 241645, 'and biodiesel demand': 58976, 'snag': 776045, 'local wal': 498684, 'mart wa': 518067, 'except hand': 289185, 'to snag': 914782, 'snag some': 776048, 'some clorox': 782550, 'look like the': 502515, 'like the panic': 491390, 'panic buy is': 637493, 'buy is over': 148839, 'is over my': 450715, 'over my local': 630423, 'my local wal': 549149, 'local wal mart': 498685, 'wal mart wa': 964680, 'mart wa well': 518068, 'well stocked with': 978612, 'stocked with everything': 803461, 'with everything except': 998301, 'everything except hand': 287783, 'except hand sanitizer': 289186, 'hand sanitizer even': 375388, 'sanitizer even managed': 734835, 'managed to snag': 512511, 'to snag some': 914783, 'snag some clorox': 776049, 'some clorox wipe': 782551, 'vistek': 959618, 'notice to': 573382, 'community effective': 189829, 'effective saturday': 269301, 'saturday march': 737039, '00 vistek': 588, 'vistek will': 959619, 'all retail': 44181, 'canada until': 160593, 'monday april': 536251, '2020 click': 14227, 'full announcement': 340481, 'important notice to': 418905, 'notice to protect': 573385, 'protect our employee': 684892, 'our employee and': 622888, 'employee and our': 273578, 'and our community': 68481, 'our community effective': 622459, 'community effective saturday': 189830, 'effective saturday march': 269302, 'saturday march 21': 737040, '21 2020 at': 14954, '2020 at 00': 14155, 'at 00 vistek': 97356, '00 vistek will': 589, 'vistek will close': 959620, 'close all retail': 182506, 'all retail store': 44187, 'retail store across': 718601, 'store across canada': 806062, 'across canada until': 29288, 'canada until monday': 160595, 'until monday april': 943780, 'monday april 2020': 536252, 'april 2020 click': 83461, '2020 click the': 14228, 'link to read': 493940, 'read our full': 700509, 'our full announcement': 623212, 'week recap': 976799, 'recap continued': 703377, 'continued covid': 201306, 'related volatility': 708632, 'market oil': 516787, 'price sink': 676422, 'sink in': 771471, 'this week recap': 891257, 'week recap continued': 976800, 'recap continued covid': 703378, 'continued covid 19': 201307, '19 related volatility': 10070, 'related volatility in': 708633, 'volatility in the': 960084, 'the market oil': 860137, 'market oil and': 516788, 'oil and energy': 596614, 'energy price sink': 276547, 'price sink in': 676423, 'sink in reaction': 771474, 'pasta soup': 643813, 'and rice': 70500, 'gone the': 356381, 'one across': 605857, 'way please': 969817, 'hoarding thing': 399603, '95 of the': 23602, 'of the pasta': 591325, 'the pasta soup': 863379, 'pasta soup and': 643814, 'soup and rice': 786370, 'and rice at': 70502, 'rice at my': 721010, 'supermarket is gone': 821094, 'is gone the': 448122, 'gone the one': 356383, 'the one across': 862188, 'one across the': 605858, 'across the street': 29525, 'the street is': 868234, 'street is the': 813013, 'is the same': 452933, 'the same way': 866319, 'same way please': 733407, 'way please please': 969818, 'please please stop': 660315, 'stop hoarding thing': 804747, 'hoarding thing need': 399604, 'aisle gt': 40262, 'gt why': 367647, 'why hope': 991074, 'hope online': 403582, 'shopping return': 763762, 'return for': 719840, 'regular consumer': 707754, 'the au': 849037, 'spread in supermarket': 790581, 'in supermarket aisle': 428556, 'supermarket aisle gt': 818835, 'aisle gt gt': 40263, 'gt gt why': 367604, 'gt why hope': 367648, 'why hope online': 991075, 'hope online shopping': 403583, 'online shopping return': 609250, 'shopping return for': 763763, 'return for regular': 719843, 'for regular consumer': 325071, 'regular consumer in': 707755, 'in the au': 428995, 'switzerland remains': 830608, 'stocked resident': 803380, 'calm during': 156730, 'pandemic news': 636029, 'supermarket in switzerland': 820987, 'in switzerland remains': 428771, 'switzerland remains fully': 830609, 'fully stocked resident': 341099, 'stocked resident stay': 803381, 'resident stay calm': 714367, 'stay calm during': 796808, 'calm during coronavirus': 156731, 'coronavirus pandemic news': 206476, 'buy vegetable': 149420, 'vegetable from': 953985, 'supermarket literally': 821346, 'literally shocked': 495078, 'shocked no': 759579, 'mask nothing': 519025, 'nothing people': 573136, 'coming usual': 188269, 'they suffer': 883499, 'suffer they': 817238, 'they blame': 881562, 'blame government': 132262, 'mask bjp': 518483, '19 just went': 8213, 'to buy vegetable': 902331, 'buy vegetable from': 149422, 'vegetable from supermarket': 953986, 'from supermarket literally': 337492, 'supermarket literally shocked': 821348, 'literally shocked no': 495079, 'shocked no mask': 759580, 'no mask nothing': 564711, 'mask nothing people': 519026, 'nothing people are': 573137, 'are coming usual': 85445, 'coming usual when': 188270, 'usual when they': 951066, 'when they suffer': 984284, 'they suffer they': 883500, 'suffer they blame': 817239, 'they blame government': 881563, 'blame government wa': 132264, 'government wa the': 360778, 'one with mask': 607487, 'with mask bjp': 999405, 'the undervalued': 870365, 'undervalued hero': 940955, 'crisis need': 217745, 'support owen': 826745, 'owen jones': 631838, 'jones opinion': 467255, 'the undervalued hero': 870366, 'undervalued hero of': 940956, 'the crisis need': 852412, 'crisis need our': 217746, 'need our thanks': 555404, 'our thanks and': 625123, 'thanks and our': 842020, 'and our support': 68522, 'our support owen': 625046, 'support owen jones': 826746, 'owen jones opinion': 631839, 'jones opinion the': 467256, 'opinion the guardian': 613504, 'committal': 189025, 'still afford': 800168, 'afford home': 34704, 'support themselves': 826911, 'moment this': 536072, 'this non': 889153, 'non committal': 566311, 'committal approach': 189026, 'approach is': 82959, 'just causing': 468449, 'panic 19uk': 637243, '19uk howtokeeppeoplehome': 12559, 'know that the': 476792, 'government is going': 360254, 'help to ensure': 390772, 'ensure they can': 278103, 'they can still': 881680, 'can still afford': 159760, 'still afford home': 800169, 'afford home and': 34705, 'home and food': 400642, 'food and to': 313363, 'to support themselves': 915978, 'support themselves at': 826912, 'themselves at the': 876774, 'the moment this': 860784, 'moment this non': 536073, 'this non committal': 889154, 'non committal approach': 566312, 'committal approach is': 189027, 'approach is just': 82960, 'is just causing': 449123, 'just causing more': 468450, 'more panic 19uk': 539982, 'panic 19uk howtokeeppeoplehome': 637244, 'maestro': 508250, 'cherished': 175527, 'ethyl': 283132, 'ghana maestro': 349578, 'maestro merchant': 508251, 'merchant ghana': 529017, 'ghana wish': 349594, 'announce to': 76892, 'it cherished': 457128, 'cherished client': 175528, 'client that': 182103, 'be providing': 116599, 'providing 200ml': 686919, '200ml hand': 13740, 'sanitizer containing': 734691, 'containing 70': 200576, '70 ethyl': 21764, 'ethyl alcohol': 283133, 'your package': 1025171, 'free yes': 332347, 'yes free': 1015439, 'to help contain': 907481, 'help contain the': 389533, 'contain the covid': 200496, 'spread in ghana': 790572, 'in ghana maestro': 423304, 'ghana maestro merchant': 349579, 'maestro merchant ghana': 508252, 'merchant ghana wish': 529018, 'ghana wish to': 349595, 'wish to announce': 996833, 'to announce to': 900561, 'announce to it': 76893, 'to it cherished': 908572, 'it cherished client': 457129, 'cherished client that': 175529, 'client that we': 182104, 'that we would': 847407, 'we would be': 973967, 'would be providing': 1011636, 'be providing 200ml': 116600, 'providing 200ml hand': 686920, '200ml hand sanitizer': 13742, 'hand sanitizer containing': 375353, 'sanitizer containing 70': 734692, 'containing 70 ethyl': 200577, '70 ethyl alcohol': 21765, 'ethyl alcohol in': 283136, 'alcohol in each': 41028, 'in each of': 422439, 'each of your': 264140, 'of your package': 593507, 'your package for': 1025174, 'package for free': 633276, 'for free yes': 321739, 'free yes free': 332348, 'yes free of': 1015440, 'pleasehelp': 660813, 'quarantinecompanions': 692805, 'dogsarelove': 252215, 'doglovers': 252205, 'helpthedogs': 391630, 'bdrr': 113402, 'big way': 130098, 'way right': 969846, 'now pandemic': 575508, 'quarantine pleasehelp': 692437, 'pleasehelp help': 660814, 'help quarantinecompanions': 390397, 'quarantinecompanions dogsarelove': 692806, 'dogsarelove doglovers': 252216, 'doglovers toiletpaper': 252206, 'toiletpaper handsanitizer': 922050, 'handsanitizer facemasks': 376527, 'facemasks helpthedogs': 295144, 'helpthedogs bdrr': 391631, 'help in big': 389892, 'in big way': 420832, 'big way right': 130101, 'way right now': 969847, 'right now pandemic': 722116, 'now pandemic quarantine': 575510, 'pandemic quarantine pleasehelp': 636269, 'quarantine pleasehelp help': 692438, 'pleasehelp help quarantinecompanions': 660815, 'help quarantinecompanions dogsarelove': 390398, 'quarantinecompanions dogsarelove doglovers': 692807, 'dogsarelove doglovers toiletpaper': 252217, 'doglovers toiletpaper handsanitizer': 252207, 'toiletpaper handsanitizer facemasks': 922052, 'handsanitizer facemasks helpthedogs': 376528, 'facemasks helpthedogs bdrr': 295145, 'dented': 237087, 'to bear': 901647, 'bear higher': 118400, 'higher due': 395584, 'delay in': 232702, 'in delivery': 422091, 'and volatility': 75016, 'that followed': 843897, 'of ha': 584398, 'severely dented': 754081, 'dented the': 237088, 'had to bear': 373665, 'to bear higher': 901649, 'bear higher due': 118401, 'higher due to': 395585, 'to delay in': 904083, 'delay in delivery': 232703, 'in delivery of': 422092, 'delivery of new': 234230, 'of new and': 586951, 'new and volatility': 558347, 'and volatility in': 75017, 'volatility in price': 960081, 'in price that': 426982, 'price that followed': 676801, 'that followed by': 843898, 'followed by the': 312600, 'by the onset': 154398, 'onset of ha': 611547, 'of ha severely': 584402, 'ha severely dented': 371880, 'severely dented the': 754082, 'dented the what': 237089, 'the what in': 871417, 'what in store': 981658, 'in store for': 428414, 'store for company': 807793, 'accomodate': 28473, 'in add': 420031, 'add store': 31493, 'dmv working': 248973, 'to accomodate': 899974, 'accomodate senior': 28474, 'folk with': 312309, 'system during': 831149, '19 mayhem': 8587, 'mayhem full': 521909, 'just in add': 469027, 'in add store': 420032, 'add store to': 31494, 'store to the': 810820, 'the growing list': 856882, 'the dmv working': 853442, 'dmv working to': 248974, 'working to accomodate': 1008979, 'to accomodate senior': 899975, 'accomodate senior citizen': 28475, 'citizen and folk': 178833, 'and folk with': 63008, 'folk with compromised': 312310, 'immune system during': 417337, 'system during covid': 831150, 'covid 19 mayhem': 213412, '19 mayhem full': 8588, 'mayhem full list': 521910, 'full list here': 340666, 'pc19': 645896, 'washhands': 967635, 'you hoarding': 1019234, 'hoarding here': 399358, 'toiletpaper pc19': 922335, 'pc19 toiletpaperchallenge': 645897, 'toiletpaperchallenge toiletpaperpanic': 922992, 'toiletpaperapocalypse handsanitiser': 922904, 'handsanitiser washhands': 376457, 'of you in': 593395, 'you in need': 1019309, 'need and those': 554441, 'and those of': 74033, 'of you hoarding': 593392, 'you hoarding here': 1019236, 'hoarding here an': 399359, 'here an interesting': 392693, 'take on toiletpaper': 832411, 'on toiletpaper pc19': 604791, 'toiletpaper pc19 toiletpaperchallenge': 922336, 'pc19 toiletpaperchallenge toiletpaperpanic': 645898, 'toiletpaperchallenge toiletpaperpanic toiletpaperapocalypse': 922993, 'toiletpaperpanic toiletpaperapocalypse handsanitiser': 923271, 'toiletpaperapocalypse handsanitiser washhands': 922905, 'av': 104090, 'providing week': 687137, 'leave only': 484883, 'who test': 989738, 'placed under': 657921, 'under mandatory': 940161, 'mandatory quarantine': 513050, 'quarantine this': 692625, 'is insufficient': 448944, 'insufficient to': 440612, 'public especially': 687974, 'little testing': 495603, 'testing av': 839456, 'instead of paid': 440296, 'leave is providing': 484842, 'is providing week': 451126, 'providing week paid': 687139, 'week paid leave': 976720, 'paid leave only': 634060, 'leave only to': 484884, 'only to people': 611364, 'people who test': 650347, 'who test positive': 989739, '19 or are': 9015, 'or are placed': 614413, 'are placed under': 89097, 'placed under mandatory': 657922, 'under mandatory quarantine': 940162, 'mandatory quarantine this': 513054, 'quarantine this is': 692627, 'this is insufficient': 888294, 'is insufficient to': 448945, 'insufficient to protect': 440614, 'staff and the': 792166, 'the public especially': 864804, 'public especially with': 687976, 'especially with little': 280671, 'with little testing': 999265, 'little testing av': 495604, 'stimulated': 801490, 'granted just': 362077, 'to casually': 902489, 'casually take': 166806, 'take walk': 832780, 'item again': 463035, 'again when': 37267, 'when an': 983145, 'introvert is': 443522, 'is severely': 451816, 'severely under': 754117, 'under stimulated': 940262, 'stimulated you': 801491, 'never take for': 558214, 'take for granted': 832131, 'for granted just': 321995, 'granted just being': 362078, 'just being able': 468326, 'able to casually': 24458, 'to casually take': 902490, 'casually take walk': 166807, 'take walk or': 832783, 'walk or go': 964847, 'for few item': 321455, 'few item again': 303886, 'item again when': 463036, 'again when an': 37268, 'when an introvert': 983148, 'an introvert is': 56435, 'introvert is severely': 443523, 'is severely under': 451817, 'severely under stimulated': 754118, 'under stimulated you': 940263, 'stimulated you know': 801492, 'know it bad': 476518, 'other bogus': 619898, 'bogus cure': 134018, '00 consumer': 143, 'beware of scammer': 129095, 'of scammer trying': 589376, 'sell fake vaccine': 748714, 'fake vaccine and': 296732, 'vaccine and other': 951654, 'and other bogus': 68287, 'other bogus cure': 619899, 'bogus cure for': 134019, 'the new the': 861567, 'new the ftc': 559743, 'ftc ha received': 339408, 'than 00 consumer': 840134, '00 consumer complaint': 146, 'unexpectedly': 941395, 'krasselt': 477649, 'something ve': 785124, 'found unexpectedly': 330460, 'unexpectedly calming': 941396, 'calming is': 156851, 'is cramer': 446874, 'cramer krasselt': 214835, 'krasselt covid': 477650, '19 emerging': 6767, 'emerging trend': 273143, 'behavior blog': 123932, 'blog this': 133032, 'week trend': 977120, 'trend speak': 931451, 'daily emotion': 224594, 'something ve found': 785126, 've found unexpectedly': 953146, 'found unexpectedly calming': 330461, 'unexpectedly calming is': 941397, 'calming is cramer': 156852, 'is cramer krasselt': 446875, 'cramer krasselt covid': 214836, 'krasselt covid 19': 477651, 'covid 19 emerging': 213017, '19 emerging trend': 6768, 'emerging trend and': 273144, 'trend and behavior': 931266, 'and behavior blog': 58835, 'behavior blog this': 123933, 'blog this week': 133033, 'this week trend': 891285, 'week trend speak': 977121, 'trend speak to': 931452, 'speak to my': 787715, 'to my daily': 910388, 'my daily emotion': 547908, 'ramin': 696414, 'toloui': 923897, 'best brief': 127603, 'brief economic': 139670, 'economic policy': 267203, 'policy piece': 663467, 'piece ve': 656375, 'far on': 298873, 'from ramin': 337035, 'ramin toloui': 696415, 'the best brief': 849494, 'best brief economic': 127604, 'brief economic policy': 139671, 'economic policy piece': 267204, 'policy piece ve': 663468, 'piece ve seen': 656376, 'seen so far': 747238, 'so far on': 777046, 'far on how': 298874, '19 come from': 5889, 'come from ramin': 187311, 'from ramin toloui': 337036, 'after pennsylvania': 36028, 'pennsylvania closed': 646559, 'closed all': 182962, 'it liquor': 459406, 'reopen them': 711368, 'them retail': 876220, 'after pennsylvania closed': 36029, 'pennsylvania closed all': 646560, 'closed all it': 182964, 'all it liquor': 43271, 'it liquor store': 459407, 'liquor store is': 494206, 'store is urging': 808544, 'is urging the': 453609, 'urging the governor': 948453, 'the governor to': 856648, 'governor to reopen': 361012, 'to reopen them': 913243, 'reopen them retail': 711369, 'train price': 929273, 'slashed and': 773610, 'an honesty': 56064, 'honesty policy': 403166, 'policy wild': 663540, 'train price slashed': 929274, 'price slashed and': 676460, 'slashed and an': 773611, 'and an honesty': 58114, 'an honesty policy': 56065, 'honesty policy wild': 403167, 'primeminister': 678182, 'getwellboris': 349479, 'prayforboris': 669093, 'doasyouretold': 250725, 'my favourite': 548284, 'favourite picture': 300605, 'you primeminister': 1020430, 'primeminister wishing': 678183, 'wishing you': 996881, 'you speedy': 1021316, 'speedy recovery': 788501, 'recovery borisjohnson': 705301, 'borisjohnson getwellboris': 135525, 'getwellboris prayforboris': 349480, 'prayforboris stayhomesavelives': 669094, 'stayhomesavelives doasyouretold': 798369, 'got to be': 358951, 'be my favourite': 116037, 'my favourite picture': 548288, 'favourite picture of': 300606, 'picture of you': 656177, 'of you primeminister': 593413, 'you primeminister wishing': 1020431, 'primeminister wishing you': 678184, 'wishing you speedy': 996883, 'you speedy recovery': 1021317, 'speedy recovery borisjohnson': 788502, 'recovery borisjohnson getwellboris': 705302, 'borisjohnson getwellboris prayforboris': 135526, 'getwellboris prayforboris stayhomesavelives': 349481, 'prayforboris stayhomesavelives doasyouretold': 669095, 'sir government': 771570, 'of odisha': 587149, 'odisha ha': 579236, 'ha declare': 370322, 'declare to': 231212, 'serve 24': 751860, 'hour electric': 405569, 'electric to': 271127, 'difficulty during': 242377, 'during summer': 263066, 'summer and': 817953, 'also covid': 48076, 'luck down': 506446, 'down but': 256579, 'we complain': 971156, 'complain nearest': 191862, 'nearest structure': 553723, 'structure they': 814314, 'complain to': 191869, 'the electric': 854173, 'electric board': 271101, 'respected sir government': 715112, 'sir government of': 771571, 'government of odisha': 360400, 'of odisha ha': 587150, 'odisha ha declare': 579237, 'ha declare to': 370323, 'declare to serve': 231213, 'to serve 24': 914256, 'serve 24 hour': 751861, '24 hour electric': 15616, 'hour electric to': 405570, 'electric to the': 271128, 'the consumer but': 851503, 'consumer but we': 196689, 'are facing difficulty': 86410, 'facing difficulty during': 295446, 'difficulty during summer': 242378, 'during summer and': 263067, 'summer and also': 817954, 'and also covid': 57945, 'also covid 19': 48077, 'period of luck': 651846, 'of luck down': 586066, 'luck down but': 506447, 'down but when': 256586, 'when we complain': 984434, 'we complain nearest': 971158, 'complain nearest structure': 191863, 'nearest structure they': 553724, 'structure they are': 814315, 'they are talking': 881428, 'talking to complain': 834041, 'to complain to': 903131, 'complain to the': 191871, 'to the electric': 916669, 'the electric board': 854174, 'your piano': 1025304, 'piano in': 655565, 'to ongoing': 910927, 'ongoing concern': 607605, 'concern related': 193072, 'the piano': 863713, 'piano technician': 655569, 'technician guild': 836227, 'guild ha': 368522, 'ha produced': 371542, 'produced the': 680536, 'following advisory': 312668, 'advisory hope': 33764, 'you learn': 1019567, 'how to disinfect': 409009, 'disinfect your piano': 245590, 'your piano in': 1025305, 'piano in response': 655566, 'response to ongoing': 715874, 'to ongoing concern': 910928, 'ongoing concern related': 607608, 'concern related to': 193073, '19 outbreak the': 9197, 'outbreak the piano': 628719, 'the piano technician': 863714, 'piano technician guild': 655570, 'technician guild ha': 836228, 'guild ha produced': 368524, 'ha produced the': 371545, 'produced the following': 680537, 'the following advisory': 855493, 'following advisory hope': 312669, 'advisory hope this': 33765, 'will be useful': 992755, 'be useful to': 117934, 'useful to you': 950203, 'to you learn': 918906, 'you learn more': 1019568, 'crunch': 219740, 'deploying': 237468, 'bmtc': 133558, 'surya': 829411, 'in residential': 427408, 'residential area': 714420, 'of bangalore': 580533, 'bangalore during': 109457, 'of access': 579731, 'access not': 28163, 'supply crunch': 825126, 'crunch logistics': 219747, 'logistics can': 500730, 'solved by': 782174, 'by deploying': 152339, 'deploying some': 237473, 'some idle': 783077, 'idle bmtc': 413676, 'bmtc capacity': 133559, 'capacity travelling': 162596, 'travelling vegetable': 930698, 'vegetable stall': 954093, 'stall surya': 793381, 'veggie price are': 954206, 'high in residential': 395132, 'in residential area': 427409, 'residential area of': 714421, 'area of bangalore': 92129, 'of bangalore during': 580534, 'bangalore during lockdown': 109458, 'lack of access': 478603, 'of access not': 579733, 'access not supply': 28164, 'not supply crunch': 571815, 'supply crunch logistics': 825128, 'crunch logistics can': 219748, 'logistics can be': 500731, 'can be solved': 157686, 'be solved by': 117292, 'solved by deploying': 782176, 'by deploying some': 152340, 'deploying some idle': 237474, 'some idle bmtc': 783078, 'idle bmtc capacity': 413677, 'bmtc capacity travelling': 133560, 'capacity travelling vegetable': 162597, 'travelling vegetable stall': 930699, 'vegetable stall surya': 954094, 'tub': 935018, 'with 10': 996920, '10 pint': 1636, 'pint of': 656854, 'milk tub': 531887, 'tub of': 935019, 'of butter': 580997, 'cheese how': 175197, 'how dairy': 407659, 'dairy 19': 224944, 'just saw guy': 469686, 'saw guy in': 738127, 'supermarket with 10': 823907, 'with 10 pint': 996925, '10 pint of': 1637, 'pint of milk': 656856, 'of milk tub': 586522, 'milk tub of': 531888, 'tub of butter': 935020, 'of butter and': 580998, 'butter and pack': 148127, 'pack of cheese': 633093, 'of cheese how': 581309, 'cheese how dairy': 175198, 'how dairy 19': 407660, 'expect in': 290662, 'such crisis': 816425, 'world went': 1010154, 'went through': 979127, 'through cuz': 894408, 'amp government': 53874, 'government that': 360671, 'that provided': 845889, 'provided decent': 686592, 'decent shelter': 230801, 'shelter and': 757896, 'we ask': 970780, 'in return': 427479, 'return go': 719846, 'your country': 1023357, 'country syria': 211097, 'what did you': 981320, 'did you expect': 240926, 'you expect in': 1018478, 'expect in such': 290663, 'in such crisis': 428522, 'such crisis and': 816426, 'crisis and panic': 217039, 'and panic the': 68665, 'panic the whole': 638687, 'whole world went': 990388, 'world went through': 1010155, 'went through cuz': 979128, 'through cuz of': 894409, 'the pandemic covid': 862939, 'should be grateful': 765637, 'grateful to the': 362328, 'the people amp': 863452, 'people amp government': 646834, 'amp government that': 53875, 'government that provided': 360675, 'that provided decent': 845890, 'provided decent shelter': 686593, 'decent shelter and': 230802, 'shelter and food': 757898, 'food to you': 317304, 'to you now': 918911, 'you now we': 1020161, 'now we ask': 576335, 'we ask you': 970784, 'ask you one': 95678, 'you one thing': 1020202, 'one thing in': 607222, 'thing in return': 884439, 'in return go': 427480, 'return go back': 719847, 'back to your': 107414, 'to your country': 918967, 'your country syria': 1023359, 'undelivered': 939940, 'scam undelivered': 740441, 'undelivered good': 939941, 'good fake': 357029, 'charity fake': 173615, 'text phishing': 839929, 'phishing fake': 654821, 'email with': 272366, 'with logo': 999299, 'logo of': 500832, 'world health': 1009631, 'health organization': 386721, 'organization say': 619414, 'say ftc': 738658, 'ftc alert': 339372, 'alert with': 41551, 'with advice': 997104, 'new scam undelivered': 559549, 'scam undelivered good': 740442, 'undelivered good fake': 939942, 'good fake charity': 357030, 'fake charity fake': 296577, 'charity fake email': 173616, 'email text phishing': 272324, 'text phishing fake': 839930, 'phishing fake email': 654822, 'fake email with': 296620, 'email with logo': 272368, 'with logo of': 999300, 'logo of the': 500833, 'the world health': 871887, 'world health organization': 1009634, 'health organization say': 386725, 'organization say ftc': 619415, 'say ftc alert': 738659, 'ftc alert with': 339374, 'alert with advice': 41552, 'with advice on': 997106, 'advice on what': 33461, 'mister': 534480, 'evening mister': 284883, 'mister only': 534481, 'essential crop': 280952, 'crop however': 218926, 'time fighting': 896653, 'avoid speculation': 105285, 'speculation thank': 788362, 'good evening mister': 357014, 'evening mister only': 284884, 'mister only for': 534482, 'only for essential': 610467, 'for essential crop': 321098, 'essential crop however': 280953, 'crop however in': 218927, 'however in this': 409395, 'in this particular': 429993, 'this particular time': 889491, 'particular time fighting': 642645, 'time fighting the': 896654, 'fighting the spread': 305132, 'we have decided': 971793, 'decided to control': 230908, 'of basic food': 580568, 'food item to': 315238, 'item to avoid': 463740, 'to avoid speculation': 900940, 'avoid speculation thank': 105286, 'speculation thank you': 788363, 'today medium': 919872, 'medium briefing': 527026, 'briefing saferathome': 139735, 'saferathome order': 730406, 'warning election': 967114, 'election news': 271048, 'watch today medium': 968591, 'today medium briefing': 919873, 'medium briefing saferathome': 527027, 'briefing saferathome order': 139736, 'saferathome order consumer': 730407, 'order consumer warning': 618147, 'consumer warning election': 199477, 'warning election news': 967115, 'cessation': 170256, 'sesame': 753255, 'paraguayan': 641334, 'the cessation': 850622, 'cessation of': 170257, 'of sesame': 589537, 'sesame sale': 753256, 'in paraguayan': 426500, 'paraguayan lower': 641335, 'the cessation of': 850623, 'cessation of sesame': 170258, 'of sesame sale': 589538, 'sesame sale in': 753257, 'sale in paraguayan': 732302, 'in paraguayan lower': 426501, 'paraguayan lower price': 641336, 'fuckn': 340067, 'catp': 167319, 'corona19': 204411, 'them shop': 876277, 'shop further': 760231, 'further away': 342001, 'it fuckn': 458172, 'fuckn disgrace': 340068, 'disgrace these': 245315, 'out totally': 627729, 'totally listening': 926366, 'to catp': 902524, 'catp all': 167320, 'long since': 501632, 'since corona19': 770548, 'person who abuse': 652717, 'who abuse the': 988014, 'abuse the supermarket': 27667, 'the supermarket employee': 868570, 'banned from that': 110576, 'from that store': 337579, 'that store for': 846514, 'store for month': 807820, 'for month make': 323527, 'month make them': 537848, 'make them shop': 510614, 'them shop further': 876278, 'shop further away': 760232, 'further away it': 342003, 'away it fuckn': 105955, 'it fuckn disgrace': 458173, 'fuckn disgrace these': 340069, 'disgrace these worker': 245316, 'worker are stressed': 1006429, 'stressed out totally': 813456, 'out totally listening': 627730, 'totally listening to': 926367, 'listening to catp': 494805, 'to catp all': 902525, 'catp all day': 167321, 'day long since': 227939, 'long since corona19': 501633, 'amazon currently': 50907, 'currently unavailable': 221700, 'unavailable we': 939468, 'when or': 983813, 'this item': 888534, 'stock checked': 801979, 'checked dozen': 174747, 'dozen food': 257878, 'item chat': 463178, 'chat said': 173951, 'said trying': 731537, 'stock amazon': 801788, 'amazon action': 50833, 'customer community': 222259, 'employee affected': 273524, 'amazon currently unavailable': 50908, 'currently unavailable we': 221702, 'unavailable we do': 939469, 'not know when': 570308, 'know when or': 477002, 'when or if': 983814, 'or if this': 615722, 'if this item': 415160, 'this item will': 888535, 'be back in': 113784, 'in stock checked': 428292, 'stock checked dozen': 801980, 'checked dozen food': 174748, 'dozen food item': 257879, 'food item chat': 315198, 'item chat said': 463179, 'chat said trying': 173952, 'said trying to': 731538, 'trying to re': 934851, 'to re stock': 912781, 're stock amazon': 699607, 'stock amazon action': 801789, 'amazon action to': 50834, 'action to help': 30169, 'help customer community': 389556, 'customer community and': 222260, 'community and employee': 189715, 'and employee affected': 62057, 'employee affected by': 273525, 'adobeexpcloud': 32659, 'adobeexpcloud some': 32662, 'behavior have': 124056, 'by 800': 151711, 'from 80': 334341, 'top 100': 925516, '100 retailer': 2064, 'adobeexpcloud some online': 32663, 'shopping behavior have': 762203, 'behavior have surged': 124060, 'have surged by': 382871, 'surged by 800': 828298, 'by 800 in': 151712, '800 in the': 22708, 'the last few': 859009, 'last few week': 480214, 'few week here': 304148, 'week here are': 976326, 'are the trend': 90922, 'the trend and': 869961, 'trend and takeaway': 931273, 'and takeaway from': 72986, 'takeaway from 80': 832865, 'from 80 of': 334343, 'of the top': 591550, 'the top 100': 869771, 'top 100 retailer': 925520, 'ham': 374526, 'stubbornly': 814570, 'wallpaper': 965242, 'paste': 643863, 'my go': 548519, 'half year': 374301, 'year they': 1015011, 'have leftover': 381303, 'leftover bread': 485772, 'egg etc': 269854, 'etc have': 282579, 'have vision': 383510, 'vision of': 959153, 'of hungry': 584923, 'hungry ham': 411258, 'ham still': 374535, 'still stubbornly': 801246, 'stubbornly refusing': 814571, 'there eating': 878350, 'eating wallpaper': 266333, 'wallpaper paste': 965245, 'paste and': 643864, 'family pet': 298157, 'because brexit': 118962, 'brexit mean': 139513, 'mean brexit': 524376, 'brexit 19': 139485, 'the polish supermarket': 863946, 'polish supermarket ha': 663589, 'supermarket ha been': 820619, 'been my go': 121554, 'my go to': 548520, 'go to for': 354308, 'to for and': 906130, 'for and half': 319325, 'and half year': 64129, 'half year they': 374302, 'year they have': 1015013, 'they have leftover': 882338, 'have leftover bread': 381304, 'leftover bread milk': 485773, 'bread milk rice': 138534, 'milk rice pasta': 531806, 'rice pasta egg': 721101, 'pasta egg etc': 643714, 'egg etc have': 269856, 'etc have vision': 282583, 'have vision of': 383511, 'vision of hungry': 959154, 'of hungry ham': 584924, 'hungry ham still': 411259, 'ham still stubbornly': 374536, 'still stubbornly refusing': 801247, 'stubbornly refusing to': 814572, 'refusing to shop': 707100, 'to shop there': 914493, 'shop there eating': 760918, 'there eating wallpaper': 878351, 'eating wallpaper paste': 266334, 'wallpaper paste and': 965246, 'paste and family': 643865, 'and family pet': 62669, 'family pet because': 298158, 'pet because brexit': 653365, 'because brexit mean': 118963, 'brexit mean brexit': 139514, 'mean brexit 19': 524377, 'taker': 833220, 'store any': 806425, 'any taker': 79942, 'grocery store any': 365204, 'store any taker': 806429, 'faithoverfear': 296552, 'loveistheanswer': 504937, 'prayerforapandemic': 669083, 'so kind': 777510, 'employee folk': 273853, 'folk they': 312270, 'taking on': 833475, 'this fearful': 887524, 'fearful and': 301450, 'and frantic': 63251, 'frantic energy': 331184, 'energy than': 276596, 'than anyone': 840354, 'anyone send': 80523, 'send prayer': 749933, 'prayer of': 669065, 'strength when': 813240, 'love through': 504838, 'checkout grocery': 174924, 'grocery bekind': 364318, 'bekind faithoverfear': 126095, 'faithoverfear loveistheanswer': 296553, 'loveistheanswer prayerforapandemic': 504938, 'be so kind': 117259, 'so kind to': 777511, 'store employee folk': 807490, 'employee folk they': 273854, 'folk they are': 312271, 'are taking on': 90728, 'taking on more': 833478, 'on more of': 602208, 'of this fearful': 591972, 'this fearful and': 887525, 'fearful and frantic': 301451, 'and frantic energy': 63252, 'frantic energy than': 331185, 'energy than anyone': 276597, 'than anyone send': 840356, 'anyone send prayer': 80524, 'send prayer of': 749934, 'prayer of love': 669066, 'love and strength': 504601, 'and strength when': 72548, 'strength when you': 813241, 'when you love': 984578, 'you love through': 1019732, 'love through the': 504839, 'through the checkout': 894723, 'the checkout grocery': 850761, 'checkout grocery bekind': 174925, 'grocery bekind faithoverfear': 364319, 'bekind faithoverfear loveistheanswer': 126096, 'faithoverfear loveistheanswer prayerforapandemic': 296554, 'whatthefuck': 982944, 'dotard': 255950, 'misguided': 534034, 'pleb': 660830, 'whatthefuck is': 982945, 'the dotard': 853604, 'dotard talking': 255951, 'about great': 25323, 'the misguided': 860682, 'misguided pleb': 534037, 'pleb who': 660833, 'who voted': 989894, 'voted for': 960552, 'don they': 253964, 'deserve lower': 238077, 'whatthefuck is the': 982946, 'is the dotard': 452775, 'the dotard talking': 853605, 'dotard talking about': 255952, 'talking about great': 833968, 'about great for': 25325, 'great for the': 362685, 'for the amp': 326300, 'the amp gas': 848660, 'amp gas industry': 53860, 'gas industry what': 343880, 'industry what about': 436229, 'about the misguided': 26452, 'the misguided pleb': 860683, 'misguided pleb who': 534038, 'pleb who voted': 660834, 'who voted for': 989895, 'voted for you': 960555, 'for you don': 328051, 'you don they': 1018331, 'don they deserve': 253965, 'they deserve lower': 881899, 'deserve lower gas': 238078, 'gas price too': 344043, 'price too and': 677084, 'too and about': 924576, 'and about your': 57557, 'about your friend': 26997, 'pricechopper': 677714, 'market32': 517406, 'takingcareofmyparents': 833677, 'when senior': 983990, 'senior have': 750313, 'have senior': 382461, 'get meat': 347546, 'meat because': 525495, 'been stocked': 122041, 'stocked yet': 803480, 'is filled': 447800, 'with 20': 996975, 'this daughter': 887164, 'daughter brings': 226828, 'brings her': 140243, 'her dad': 391977, 'dad some': 224380, 'some pricechopper': 783636, 'pricechopper market32': 677715, 'market32 socialdistancing': 517407, 'socialdistancing takingcareofmyparents': 780781, 'when senior have': 983991, 'senior have senior': 750315, 'have senior hour': 382463, 'senior hour at': 750322, 'store but can': 806784, 'can get meat': 158430, 'get meat because': 347547, 'meat because it': 525496, 'because it ha': 119189, 'not been stocked': 568520, 'been stocked yet': 122043, 'stocked yet and': 803481, 'yet and the': 1015987, 'and the store': 73597, 'store is filled': 808490, 'is filled with': 447801, 'filled with 20': 305573, 'with 20 and': 996976, '20 and 30': 12942, 'and 30 year': 57445, '30 year old': 17274, 'old this daughter': 598500, 'this daughter brings': 887165, 'daughter brings her': 226829, 'brings her dad': 140244, 'her dad some': 391978, 'dad some pricechopper': 224381, 'some pricechopper market32': 783637, 'pricechopper market32 socialdistancing': 677716, 'market32 socialdistancing takingcareofmyparents': 517408, 'guardian united': 367906, 'kingdom ruby': 475344, 'the guardian united': 856914, 'guardian united kingdom': 367907, 'united kingdom ruby': 942188, 'kingdom ruby princess': 475345, '19 central': 5737, 'govt cap': 361091, 'cap price': 162442, 'sanitizers till': 736418, 'covid 19 central': 212775, '19 central govt': 5738, 'central govt cap': 169394, 'govt cap price': 361092, 'cap price of': 162444, 'and sanitizers till': 70906, 'sanitizers till june': 736419, 'line today': 493498, 'and guy': 64054, 'wa spitting': 963287, 'ground in': 366509, 'line please': 493359, 'word md': 1004524, 'in supermarket line': 428626, 'supermarket line today': 821331, 'line today and': 493499, 'today and guy': 919212, 'and guy wa': 64056, 'guy wa spitting': 369199, 'wa spitting on': 963288, 'spitting on the': 789607, 'the ground in': 856849, 'ground in line': 366511, 'in line please': 424767, 'line please spread': 493360, 'the word md': 871708, 'dro': 260048, 'texas governor': 839775, 'governor tx': 361017, 'tx announced': 937435, 'an interview': 56426, 'interview yesterday': 442270, 'texas government': 839773, 'government plan': 360460, 'to phase': 911696, 'phase in': 654614, 'in reopening': 427392, 'reopening of': 711391, 'can texas': 159935, 'texas successfully': 839829, 'successfully recover': 816271, 'it aftermath': 456300, 'aftermath dro': 36652, 'texas governor tx': 839776, 'governor tx announced': 361018, 'tx announced in': 937436, 'announced in an': 76961, 'in an interview': 420320, 'an interview yesterday': 56430, 'interview yesterday the': 442271, 'yesterday the texas': 1015887, 'the texas government': 869342, 'texas government plan': 839774, 'government plan to': 360463, 'plan to phase': 658306, 'to phase in': 911697, 'phase in reopening': 654615, 'in reopening of': 427393, 'reopening of the': 711393, 'of the texas': 591529, 'texas economy can': 839764, 'economy can texas': 267741, 'can texas successfully': 159936, 'texas successfully recover': 839831, 'successfully recover from': 816272, 'from the effect': 337681, 'effect of and': 269042, 'and it aftermath': 65478, 'it aftermath dro': 456301, 'opec effort': 611878, 'effort the': 269600, 'weekend agreement': 977310, 'too little': 924855, 'little and': 495231, 'avoid breaching': 105012, 'breaching storage': 138373, 'storage capacity': 805954, 'capacity ensuring': 162517, 'ensuring that': 278189, 'force all': 328323, 'all producer': 44058, 'production covid': 681981, 'in work': 430973, 'home low': 401560, 'may become': 521052, 'become the': 120155, 'all of opec': 43705, 'of opec effort': 587286, 'opec effort the': 611879, 'effort the weekend': 269601, 'the weekend agreement': 871324, 'weekend agreement is': 977311, 'agreement is too': 38778, 'is too little': 453281, 'too little and': 924856, 'little and too': 495232, 'and too late': 74272, 'late to avoid': 480926, 'to avoid breaching': 900869, 'avoid breaching storage': 105013, 'breaching storage capacity': 138374, 'storage capacity ensuring': 805956, 'capacity ensuring that': 162518, 'ensuring that low': 278195, 'that low oil': 844965, 'price will force': 677566, 'will force all': 993471, 'force all producer': 328324, 'all producer to': 44059, 'cut production covid': 223503, 'production covid 19': 681982, '19 increase in': 7810, 'increase in work': 432881, 'in work from': 430975, 'from home low': 335876, 'home low oil': 401561, 'oil price may': 597190, 'price may become': 675186, 'may become the': 521055, 'become the new': 120162, 'q4withbq': 691448, 'godrej consumer': 354886, 'product expects': 681172, 'it india': 458780, 'india operation': 434555, 'high teen': 395453, 'teen in': 836498, 'in quarter': 427198, 'quarter ended': 693239, 'ended march': 276132, 'march q4withbq': 515447, 'godrej consumer product': 354892, 'consumer product expects': 198456, 'product expects revenue': 681173, 'from it india': 336121, 'it india operation': 458781, 'india operation to': 434556, 'operation to decline': 613279, 'the high teen': 857325, 'high teen in': 395454, 'teen in quarter': 836499, 'in quarter ended': 427199, 'quarter ended march': 693240, 'ended march q4withbq': 276133, 'cannot cope': 161733, 'huge surge': 410223, 'mass unemployment': 519889, 'unemployment during': 941203, 'city across': 179034, 'food long': 315340, 'are seen': 89923, 'seen via': 747345, 'bank across america': 109564, 'across america are': 29239, 'america are warning': 51470, 'are warning that': 91535, 'warning that they': 967207, 'they cannot cope': 881704, 'cannot cope with': 161734, 'with the huge': 1001338, 'the huge surge': 857706, 'huge surge in': 410224, 'in demand caused': 422114, 'caused by mass': 167849, 'by mass unemployment': 153182, 'mass unemployment during': 519890, 'unemployment during the': 941205, 'during the city': 263098, 'the city across': 850915, 'city across the': 179035, 'for food long': 321604, 'food long line': 315341, 'long line are': 501493, 'line are seen': 492969, 'are seen via': 89927, 'rise after': 722765, 'after president': 36060, 'president donald': 670801, 'he expects': 384941, 'expects saudi': 291103, 'deal soon': 229485, 'end price': 275941, 'war trump': 966580, 'trump to': 933924, 'meet exxon': 527490, 'mobil chevron': 534927, 'chevron on': 175589, 'price rise after': 676229, 'rise after president': 722766, 'after president donald': 36061, 'president donald trump': 670802, 'donald trump said': 254117, 'trump said he': 933802, 'said he expects': 731107, 'he expects saudi': 384943, 'expects saudi arabia': 291104, 'arabia russia to': 83923, 'russia to reach': 728590, 'to reach deal': 912795, 'reach deal soon': 699909, 'deal soon to': 229486, 'soon to end': 785864, 'to end price': 905083, 'end price war': 275944, 'price war trump': 677381, 'war trump to': 966581, 'trump to meet': 933926, 'to meet exxon': 910024, 'meet exxon mobil': 527491, 'exxon mobil chevron': 293973, 'mobil chevron on': 534928, 'chevron on friday': 175590, 'iloveqatar': 416487, 'dohanews': 252238, 'hypermarket one': 412346, 'leading retailer': 483734, 'in qatar': 427158, 'qatar ha': 691491, 'it ring': 460784, 'ring road': 722531, 'road branch': 724427, 'branch for': 137676, 'sanitizing qatar': 736500, 'doha iloveqatar': 252235, 'iloveqatar qatarnews': 416488, 'qatarnews dohanews': 691518, 'dohanews read': 252239, 'lulu hypermarket one': 506648, 'hypermarket one of': 412347, 'of the leading': 591181, 'the leading retailer': 859234, 'leading retailer in': 483735, 'retailer in qatar': 719203, 'in qatar ha': 427159, 'qatar ha closed': 691492, 'closed it ring': 183200, 'it ring road': 460785, 'ring road branch': 722532, 'road branch for': 724428, 'branch for cleaning': 137677, 'for cleaning and': 320110, 'and sanitizing qatar': 70912, 'sanitizing qatar doha': 736501, 'qatar doha iloveqatar': 691485, 'doha iloveqatar qatarnews': 252236, 'iloveqatar qatarnews dohanews': 416489, 'qatarnews dohanews read': 691519, 'dohanews read more': 252240, 'california isn': 155526, 'isn just': 454574, 'keeping hair': 472437, 'hair and': 373953, 'and beard': 58781, 'beard looking': 118437, 'good anymore': 356759, 'anymore their': 80154, 'to producing': 912217, 'ha allowed': 369490, 'allowed them': 46222, 'hire back': 397003, 'back worker': 107482, 'worker furloughed': 1007005, 'furloughed during': 341919, 'southern california isn': 786853, 'california isn just': 155527, 'isn just about': 454575, 'just about keeping': 468134, 'about keeping hair': 25616, 'keeping hair and': 472438, 'hair and beard': 373954, 'and beard looking': 58782, 'beard looking good': 118438, 'looking good anymore': 502925, 'good anymore their': 356760, 'anymore their shift': 80155, 'their shift to': 874695, 'shift to producing': 758444, 'to producing hand': 912218, 'sanitizer ha allowed': 735011, 'ha allowed them': 369494, 'allowed them to': 46223, 'them to hire': 876479, 'to hire back': 907794, 'hire back worker': 397004, 'back worker furloughed': 107483, 'worker furloughed during': 1007006, 'furloughed during the': 341920, 'fourth': 330713, 'food however': 314868, 'however panic': 409438, 'buying will': 151366, 'will strain': 995005, 'so calm': 776694, 'fuck down': 339550, 'considerate of': 195219, 'that fourth': 843951, 'fourth pack': 330720, 're hoarding': 698816, 'africa is not': 35091, 'of food however': 583714, 'food however panic': 314869, 'however panic buying': 409439, 'panic buying will': 637967, 'buying will strain': 151371, 'will strain the': 995006, 'strain the supply': 812302, 'chain so calm': 171118, 'so calm the': 776695, 'calm the fuck': 156811, 'the fuck down': 855963, 'fuck down and': 339551, 'down and be': 256488, 'and be considerate': 58748, 'be considerate of': 114197, 'considerate of the': 195222, 'the family that': 854905, 'family that will': 298295, 'that will need': 847594, 'will need that': 994150, 'need that fourth': 555725, 'that fourth pack': 843952, 'fourth pack of': 330721, 'pack of bog': 633090, 'bog roll you': 133966, 'roll you re': 725613, 'you re hoarding': 1020646, 'housebound': 406719, 'noah': 565955, 'printable': 678306, 'spending our': 788940, 'our day': 622702, 'day housebound': 227764, 'housebound due': 406726, 'pandemic at': 634959, 'point you': 662724, 'and noah': 67655, 'noah want': 565956, 'have printable': 382044, 'printable list': 678307, 'are spending our': 90326, 'spending our day': 788941, 'our day housebound': 622703, 'day housebound due': 227765, 'housebound due to': 406727, '19 pandemic at': 9269, 'pandemic at some': 634962, 'some point you': 783595, 'point you ll': 662726, 'store and noah': 806306, 'and noah want': 67656, 'noah want to': 565957, 'you have printable': 1019096, 'have printable list': 382045, 'printable list of': 678308, 'list of what': 494490, 'of what to': 593065, 'what to get': 982456, 'chiswick': 177556, 'stretch': 813554, 'in chiswick': 421457, 'chiswick london': 177557, 'london are': 501021, 'that stretch': 846525, 'stretch down': 813555, 'aisle panic': 40341, 'over continues': 630107, 'continues latest': 201413, 'food shopper in': 316505, 'shopper in chiswick': 761558, 'in chiswick london': 421458, 'chiswick london are': 177558, 'london are forced': 501026, 'forced to wait': 328667, 'wait in long': 964142, 'long queue that': 501587, 'queue that stretch': 694081, 'that stretch down': 846526, 'stretch down the': 813556, 'the supermarket aisle': 868449, 'supermarket aisle panic': 818841, 'aisle panic buying': 40342, 'buying over continues': 150856, 'over continues latest': 630108, 'continues latest on': 201414, 'latest on here': 481474, 'cedar': 168738, 'chrest': 178042, 'allentown': 45752, 'notch': 572673, 'spotless': 790157, 'splash': 789633, 'lehighvalley': 486093, 'on cedar': 599853, 'cedar chrest': 168739, 'chrest in': 178043, 'in allentown': 420189, 'allentown is': 45753, 'is top': 453290, 'top notch': 925626, 'notch the': 572676, 'lady doing': 478753, 'doing coffee': 252330, 'coffee have': 185489, 'have everything': 380500, 'everything spotless': 288005, 'spotless and': 790158, 'register gave': 707571, 'me splash': 523526, 'splash of': 789634, 'sanitizer lehighvalley': 735279, 'lehighvalley safetyfirst': 486094, 'today ha been': 919596, 'been my first': 121553, 'first day out': 308617, 'day out in': 228178, 'this new world': 889127, 'new world and': 559900, 'world and all': 1009276, 'and all can': 57857, 'say is on': 738821, 'is on cedar': 450460, 'on cedar chrest': 599854, 'cedar chrest in': 168740, 'chrest in allentown': 178044, 'in allentown is': 420190, 'allentown is top': 45754, 'is top notch': 453291, 'top notch the': 925627, 'notch the lady': 572677, 'the lady doing': 858908, 'lady doing coffee': 478754, 'doing coffee have': 252331, 'coffee have everything': 185490, 'have everything spotless': 380502, 'everything spotless and': 288006, 'spotless and the': 790159, 'and the lady': 73442, 'the register gave': 865441, 'register gave me': 707572, 'gave me splash': 344646, 'me splash of': 523527, 'splash of hand': 789635, 'hand sanitizer lehighvalley': 375470, 'sanitizer lehighvalley safetyfirst': 735280, 'you worried': 1022440, 'during since': 263019, 've failed': 953108, 'failed at': 296125, 'at getting': 98751, 'getting grocery': 349010, 'are you worried': 91883, 'you worried about': 1022441, 'supermarket during since': 820058, 'during since you': 263020, 'since you ve': 771018, 'you ve failed': 1022039, 've failed at': 953109, 'failed at getting': 296128, 'at getting grocery': 98752, 'getting grocery delivery': 349011, 'mygovindia': 550727, 'keep at': 471321, 'the bay': 849357, 'bay mygovindia': 112950, 'mygovindia wash': 550728, 'soap frequently': 779011, 'frequently do': 332849, 'any cost': 79073, 'cost stay': 208118, 'movie or': 544042, 'something productive': 785018, 'productive do': 682292, 'online take': 609516, 'disease seriously': 245224, 'seriously but': 751550, 'to keep at': 908753, 'keep at the': 471324, 'at the bay': 100883, 'the bay mygovindia': 849360, 'bay mygovindia wash': 112951, 'mygovindia wash your': 550729, 'with soap frequently': 1000798, 'soap frequently do': 779013, 'frequently do not': 332850, 'your face at': 1023741, 'face at any': 294321, 'at any cost': 98020, 'any cost stay': 79075, 'cost stay at': 208119, 'home and watch': 400711, 'and watch movie': 75222, 'watch movie or': 968479, 'movie or do': 544043, 'or do something': 615020, 'do something productive': 250151, 'something productive do': 785019, 'productive do not': 682293, 'not order food': 570851, 'food online take': 315625, 'online take this': 609518, 'take this disease': 832709, 'this disease seriously': 887254, 'disease seriously but': 245225, 'seriously but do': 751551, 'freaky': 331564, 'insan': 439021, 'artmeme': 94638, 'my freaky': 548404, 'freaky sanitizer': 331567, 'sanitizer ve': 736004, 've insan': 953280, 'insan artmeme': 439022, 'where is my': 984950, 'is my freaky': 449795, 'my freaky sanitizer': 548405, 'freaky sanitizer ve': 331568, 'sanitizer ve insan': 736005, 've insan artmeme': 953281, 'home improvement': 401405, 'improvement and': 419575, 'and hardware': 64196, 'keeping steady': 472562, 'steady pace': 799131, 'pace of': 632948, 'home improvement and': 401406, 'improvement and hardware': 419576, 'and hardware store': 64197, 'hardware store are': 378321, 'store are keeping': 806491, 'are keeping steady': 87665, 'keeping steady pace': 472563, 'steady pace of': 799132, 'pace of business': 632949, 'of business during': 580951, 'supplychainmanagement': 826249, 'manufacturingcapability': 513688, 'scm': 742287, 'sport company': 789913, 'fashion house': 299813, 'are shifting': 90035, 'their factory': 873235, 'factory production': 295983, 'production toward': 682257, 'toward medical': 927139, 'coronavirus supplychainmanagement': 206850, 'supplychainmanagement manufacturingcapability': 826250, 'manufacturingcapability scm': 513689, 'sport company and': 789914, 'company and fashion': 190380, 'and fashion house': 62707, 'fashion house are': 299814, 'house are shifting': 406198, 'are shifting their': 90038, 'shifting their factory': 758561, 'their factory production': 873237, 'factory production toward': 295984, 'production toward medical': 682258, 'toward medical supply': 927140, 'supply and hand': 824722, 'sanitizer for the': 734925, 'for the battle': 326315, 'battle against the': 112778, 'against the coronavirus': 37649, 'the coronavirus supplychainmanagement': 851920, 'coronavirus supplychainmanagement manufacturingcapability': 206851, 'supplychainmanagement manufacturingcapability scm': 826251, 'for sorting': 325799, 'sorting out': 786186, 'on vulnerable': 605075, 'list couldn': 494299, 'couldn get': 209883, 'usual supermarket': 951030, 'supermarket one': 821750, 'customer now': 222627, 'now isolation': 575098, 'isolation grateful': 455281, 'hat off to': 378852, 'off to for': 594321, 'to for sorting': 906156, 'for sorting out': 325800, 'sorting out delivery': 786188, 'out delivery for': 625945, 'delivery for people': 234030, 'for people on': 324456, 'people on vulnerable': 648978, 'on vulnerable list': 605076, 'vulnerable list couldn': 961032, 'list couldn get': 494300, 'couldn get my': 209888, 'my usual supermarket': 550482, 'usual supermarket one': 951031, 'supermarket one so': 821756, 'one so customer': 607062, 'so customer now': 776826, 'customer now isolation': 222629, 'now isolation grateful': 575100, 'at 2002': 97503, '2002 are': 13567, 'we back': 970803, 'back almost': 106839, 'almost 20': 46489, 'year because': 1014426, 'price are already': 672631, 'are already at': 84398, 'already at 2002': 47198, 'at 2002 are': 97505, '2002 are we': 13568, 'are we back': 91559, 'we back almost': 970804, 'back almost 20': 106840, 'almost 20 year': 46490, '20 year because': 13417, 'year because of': 1014427, 'pandemic profiteer': 636244, 'profiteer run': 682974, 'run up': 727855, '19 miami': 8643, 'miami herald': 530184, 'herald it': 392551, 'almost if': 46666, 'market care': 516148, 'profit above': 682641, 'above all': 27042, 'all else': 42669, 'and won': 75817, 'won magically': 1003872, 'magically regulate': 508400, 'regulate itself': 707982, 'pandemic profiteer run': 636245, 'profiteer run up': 682975, 'run up price': 727856, 'on mask for': 602044, 'mask for covid': 518671, 'covid 19 miami': 213431, '19 miami herald': 8644, 'miami herald it': 530186, 'herald it almost': 392552, 'it almost if': 456402, 'almost if the': 46669, 'if the free': 414975, 'the free market': 855768, 'free market care': 331950, 'market care about': 516149, 'care about profit': 163801, 'about profit above': 26008, 'profit above all': 682642, 'above all else': 27043, 'all else and': 42670, 'else and won': 271627, 'and won magically': 75820, 'won magically regulate': 1003873, 'magically regulate itself': 508401, 'wirh': 996584, 'rs500': 726704, 'shd': 755834, 'sir respect': 771638, 'respect pm': 715040, 'pm concern': 661882, 'concern poor': 193057, 'poor but': 664132, 'but once': 146661, 'outbreak than': 628689, 'it while': 462350, 'while keeping': 986984, 'keeping poor': 472523, 'poor in': 664198, 'mind go': 532668, 'for lock': 323060, 'down wirh': 257482, 'wirh these': 996585, 'step no': 799596, 'no utility': 565823, 'utility bill': 951262, 'month le': 537820, 'than rs500': 841100, 'rs500 reduce': 726705, 'reduce oil': 705874, 'price every': 673718, 'every one': 286046, 'one shd': 607009, 'shd feed': 755835, 'feed poor': 302360, 'sir respect pm': 771639, 'respect pm concern': 715041, 'pm concern poor': 661883, 'concern poor but': 193058, 'poor but once': 664133, 'but once this': 146663, 'once this outbreak': 605754, 'this outbreak than': 889330, 'outbreak than it': 628690, 'than it will': 840803, 'will not able': 994184, 'able to control': 24466, 'to control it': 903447, 'control it while': 202046, 'it while keeping': 462351, 'while keeping poor': 986991, 'keeping poor in': 472524, 'poor in mind': 664200, 'in mind go': 425340, 'mind go for': 532669, 'go for lock': 353562, 'for lock down': 323061, 'lock down wirh': 499062, 'down wirh these': 257483, 'wirh these step': 996586, 'these step no': 880725, 'step no utility': 799597, 'no utility bill': 565824, 'utility bill for': 951264, 'bill for next': 130575, 'for next month': 323852, 'next month le': 561456, 'month le than': 537821, 'le than rs500': 483186, 'than rs500 reduce': 841101, 'rs500 reduce oil': 726706, 'reduce oil price': 705875, 'oil price every': 597121, 'price every one': 673720, 'every one shd': 286052, 'one shd feed': 607010, 'shd feed poor': 755836, 'creditworthiness': 216602, 'dinged': 242999, 'credit score': 216501, 'score are': 742348, 'an indication': 56273, 'indication of': 435023, 'your creditworthiness': 1023383, 'creditworthiness in': 216605, 'not during': 569122, 'during global': 262658, 'like 19': 489683, 'be dinged': 114464, 'dinged for': 243000, 'issue caused': 455704, 'natural or': 552850, 'or declared': 614915, 'declared disaster': 231226, 'credit score are': 216503, 'score are supposed': 742349, 'be an indication': 113611, 'an indication of': 56274, 'indication of your': 435025, 'of your creditworthiness': 593456, 'your creditworthiness in': 1023384, 'creditworthiness in normal': 216606, 'normal time not': 567369, 'time not during': 897289, 'not during global': 569123, 'during global health': 262661, 'crisis like 19': 217658, 'like 19 consumer': 489685, '19 consumer should': 5986, 'not be dinged': 568372, 'be dinged for': 114465, 'dinged for issue': 243001, 'for issue caused': 322685, 'issue caused by': 455705, 'caused by natural': 167851, 'by natural or': 153306, 'natural or declared': 552851, 'or declared disaster': 614916, 'iaconelli': 412525, 'authored': 103655, 'govern': 359762, 'michael iaconelli': 530246, 'iaconelli authored': 412526, 'authored new': 103656, 'jersey consumer': 465192, 'law govern': 482297, 'govern covid': 359765, 'retail seller': 718538, 'seller beware': 748988, 'beware part': 129099, 'firm ongoing': 308400, '19 task': 11037, 'force resource': 328493, 'center read': 169292, 'michael iaconelli authored': 530247, 'iaconelli authored new': 412527, 'authored new jersey': 103657, 'new jersey consumer': 558966, 'jersey consumer protection': 465194, 'protection law govern': 685510, 'law govern covid': 482298, 'govern covid 19': 359766, '19 retail seller': 10205, 'retail seller beware': 718539, 'seller beware part': 748989, 'beware part of': 129100, 'of the firm': 591029, 'the firm ongoing': 855271, 'firm ongoing covid': 308401, 'covid 19 task': 213911, '19 task force': 11038, 'task force resource': 834697, 'force resource center': 328494, 'resource center read': 714738, 'still to': 801315, 'frontlines working': 338931, 'pandemic now': 636058, 'have plea': 381952, 'both city': 135879, 'state leader': 795729, 'leader 19': 483407, 'still to come': 801317, 'to come on': 903040, 'come on grocery': 187434, 'store worker say': 811578, 'they are also': 881200, 'are also on': 84469, 'also on the': 48616, 'the frontlines working': 855905, 'frontlines working through': 338932, 'working through this': 1008969, 'this pandemic now': 889408, 'pandemic now they': 636061, 'they have plea': 882363, 'have plea to': 381953, 'plea to both': 659563, 'to both city': 901952, 'both city and': 135880, 'city and state': 179052, 'and state leader': 72277, 'state leader 19': 795730, 'medium enterprise': 527088, 'enterprise have': 278454, 'high share': 395402, '47 of': 19261, 'and medium enterprise': 66923, 'medium enterprise have': 527089, 'enterprise have high': 278456, 'have high share': 380944, 'high share of': 395403, 'share of job': 755119, 'losing business due': 503543, 'due to they': 261996, 'to they employ': 917360, 'employ 47 of': 273433, '47 of worker': 19263, 'of worker but': 593276, '60 of total': 20969, 'of total job': 592330, 'lost here our': 503859, 'here our analysis': 393428, 'prototype': 686007, 'are urgently': 91389, 'urgently working': 948408, 'on prototype': 602985, 'prototype for': 686008, 'cashier safety': 166598, 'safety hygiene': 730571, 'hygiene screen': 412164, 'screen which': 742739, 'ready today': 700989, 'today interested': 919710, 'interested party': 441476, 'party please': 643024, 'please email': 659951, 'email sale': 272285, 'we are urgently': 970750, 'are urgently working': 91391, 'urgently working on': 948409, 'working on prototype': 1008813, 'on prototype for': 602986, 'prototype for supermarket': 686009, 'for supermarket cashier': 326002, 'supermarket cashier safety': 819568, 'cashier safety hygiene': 166599, 'safety hygiene screen': 730572, 'hygiene screen which': 412165, 'screen which will': 742740, 'will be ready': 992634, 'be ready today': 116699, 'ready today interested': 700990, 'today interested party': 919711, 'interested party please': 441477, 'party please email': 643025, 'please email sale': 659956, 'email sale com': 272287, 'handful': 376101, 'obv': 578772, '1st limited': 12758, 'limited grocery': 492638, 'experience tonight': 291519, 'tonight amid': 924356, 'wa actually': 961430, 'actually very': 31006, 'very pleasant': 955412, 'pleasant everyone': 659606, 'everyone practiced': 287295, 'only let': 610720, 'let handful': 486765, 'handful together': 376106, 'together lady': 920846, 'lady cleaned': 478749, 'cleaned the': 180724, 'cart before': 165272, 'before handing': 122836, 'handing it': 376127, 'over everyone': 630198, 'wa obv': 962793, 'obv nervous': 578773, 'nervous but': 557463, 'but nice': 146476, 'had my 1st': 373317, 'my 1st limited': 547135, '1st limited grocery': 12759, 'limited grocery store': 492639, 'grocery store shopping': 365768, 'shopping experience tonight': 762621, 'experience tonight amid': 291520, 'tonight amid the': 924357, 'the outbreak it': 862652, 'outbreak it wa': 628394, 'it wa actually': 462057, 'wa actually very': 961431, 'actually very pleasant': 31007, 'very pleasant everyone': 955413, 'pleasant everyone practiced': 659607, 'everyone practiced social': 287296, 'distancing they only': 247544, 'they only let': 882827, 'only let handful': 610722, 'let handful together': 486766, 'handful together lady': 376107, 'together lady cleaned': 920847, 'lady cleaned the': 478750, 'cleaned the cart': 180725, 'the cart before': 850443, 'cart before handing': 165273, 'before handing it': 122837, 'handing it over': 376128, 'it over everyone': 460207, 'over everyone wa': 630199, 'everyone wa obv': 287539, 'wa obv nervous': 962794, 'obv nervous but': 578774, 'nervous but nice': 557465, 'consider them': 195150, 'very brave': 955022, 'brave people': 138226, 'not hero': 569952, 'utmost respect': 951392, 'more grocery store': 539375, 'worker are getting': 1006391, 'are getting covid': 86797, '19 and dying': 5016, 'and dying from': 61829, 'dying from it': 263823, 'from it consider': 336109, 'it consider them': 457272, 'consider them very': 195152, 'them very brave': 876578, 'very brave people': 955023, 'brave people if': 138228, 'people if not': 648316, 'if not hero': 414500, 'not hero they': 569953, 'this pandemic they': 889438, 'pandemic they deserve': 636734, 'deserve our utmost': 238095, 'our utmost respect': 625249, 'paper section': 640731, 'where work': 985363, 'work coronapocolypse': 1005006, 'toilet paper section': 921436, 'paper section of': 640732, 'store where work': 811266, 'where work coronapocolypse': 985365, 'work coronapocolypse panicshopping': 1005007, 'bet after': 128060, 'will tax': 995093, 'will blame': 992836, 'blame it': 132269, 'of wage': 592879, 'wage for': 963862, 'everyone justsaying': 287133, 'bet after all': 128061, 'all this is': 45114, 'is over our': 450718, 'over our food': 630467, 'our food price': 623120, 'food price will': 315985, 'and so will': 71857, 'so will tax': 778777, 'will tax and': 995094, 'tax and they': 834931, 'they will blame': 883830, 'will blame it': 992837, 'blame it on': 132271, 'it on people': 460053, 'on people panic': 602746, 'buying and that': 149937, 'and that they': 73213, 'had to pay': 373709, 'pay out for': 645031, 'out for loss': 626136, 'loss of wage': 503757, 'of wage for': 592881, 'wage for everyone': 963864, 'for everyone justsaying': 321218, 'nowheretogo': 576581, 'poll are': 663826, 'price good': 674224, 'or bad': 614475, 'america right': 51667, 'now click': 574389, 'vote gasprices': 960486, 'gasprices nowheretogo': 344301, 'poll are low': 663827, 'are low gas': 87927, 'gas price good': 343974, 'price good or': 674225, 'good or bad': 357524, 'or bad for': 614477, 'bad for america': 107859, 'for america right': 319236, 'america right now': 51668, 'right now click': 722041, 'now click the': 574390, 'link to vote': 493951, 'to vote gasprices': 918240, 'vote gasprices nowheretogo': 960487, 'pjs': 657242, 'robe': 724692, 'official number': 595857, 'is anywhere': 445775, 'anywhere near': 81132, 'near accurate': 553460, 'accurate you': 28914, 're wrong': 699849, 'wrong dead': 1013022, 'dead wrong': 229191, 'wrong just': 1013055, 'in pjs': 426716, 'pjs and': 657243, 'and robe': 70583, 'robe with': 724693, 'with flushed': 998469, 'flushed face': 311581, 'strong cough': 814001, 'cough just': 208497, 'need regular': 555505, 'regular rx': 707854, 'rx that': 728798, 'get every': 346962, 'think the official': 885642, 'the official number': 862096, 'official number of': 595858, '19 case is': 5685, 'case is anywhere': 165827, 'is anywhere near': 445776, 'anywhere near accurate': 81133, 'near accurate you': 553461, 'accurate you re': 28915, 'you re wrong': 1020802, 're wrong dead': 699850, 'wrong dead wrong': 1013023, 'dead wrong just': 229192, 'wrong just saw': 1013056, 'saw guy at': 738124, 'store in pjs': 808372, 'in pjs and': 426717, 'pjs and robe': 657244, 'and robe with': 70584, 'robe with flushed': 724694, 'with flushed face': 998470, 'flushed face and': 311582, 'face and strong': 294302, 'and strong cough': 72588, 'strong cough just': 814002, 'cough just need': 208498, 'just need regular': 469307, 'need regular rx': 555507, 'regular rx that': 707855, 'rx that get': 728799, 'that get every': 843997, 'get every month': 346963, 'mortgage to': 541968, 'of disaster': 582651, 'disaster emergency': 244201, 'the buckscounty': 850074, 'protection department': 685394, 'second mortgage to': 743767, 'mortgage to afford': 541969, 'to afford hand': 900159, 'middle of disaster': 530677, 'of disaster emergency': 582653, 'disaster emergency is': 244202, 'illegal call the': 416207, 'call the buckscounty': 156126, 'the buckscounty consumer': 850075, 'consumer protection department': 198521, 'script': 742849, 'slumping': 774724, 'ripping the': 722722, 'the script': 866539, 'script the': 742854, 'virus coupled': 958095, 'with slumping': 1000762, 'slumping oil': 774729, 'seen industry': 747092, 'industry player': 436044, 'player tear': 659337, 'tear up': 835976, 'cut cost': 223279, 'ripping the script': 722724, 'the script the': 866540, 'script the deadly': 742855, 'the deadly covid': 852946, '19 virus coupled': 11794, 'virus coupled with': 958096, 'coupled with slumping': 211740, 'with slumping oil': 1000763, 'slumping oil price': 774731, 'oil price ha': 597155, 'price ha seen': 674391, 'ha seen industry': 371830, 'seen industry player': 747093, 'industry player tear': 436045, 'player tear up': 659338, 'tear up their': 835977, 'up their business': 946232, 'their business plan': 872685, 'business plan for': 144225, 'plan for the': 658127, 'the year they': 872172, 'year they cut': 1015012, 'they cut cost': 881862, 'italy on': 462880, 'the panicbuying': 863236, 'panicbuying in': 638970, 'uk to': 938824, 'to shame': 914329, 'shame please': 754635, 'please calm': 659757, 'down people': 257083, 'really making': 702404, 'difficult down': 242209, 'two pint': 937150, 'few bit': 303724, 'bit in': 131584, 'freezer convid19uk': 332597, 'convid19uk panicbuyinguk': 202622, 'just seen supermarket': 469742, 'seen supermarket in': 747261, 'in italy on': 424310, 'italy on the': 462882, 'news and they': 560240, 'and they put': 73928, 'they put the': 882957, 'put the panicbuying': 690865, 'the panicbuying in': 863238, 'panicbuying in the': 638972, 'the uk to': 870294, 'uk to shame': 938828, 'to shame please': 914331, 'shame please please': 754636, 'please please calm': 660298, 'please calm down': 659758, 'calm down people': 156724, 'down people you': 257088, 'people you are': 650568, 'are really making': 89481, 'really making it': 702405, 'making it difficult': 511138, 'it difficult down': 457551, 'difficult down to': 242210, 'down to two': 257384, 'to two pint': 917870, 'two pint of': 937151, 'of milk no': 586516, 'milk no bread': 531741, 'no bread and': 563725, 'bread and few': 138396, 'and few bit': 62813, 'few bit in': 303726, 'bit in the': 131587, 'in the freezer': 429217, 'the freezer convid19uk': 855782, 'freezer convid19uk panicbuyinguk': 332598, 'reason this': 703010, 'ppe hand': 667965, 'paper anything': 639878, 'anything really': 80869, 'no reason this': 565298, 'reason this country': 703012, 'this country should': 886971, 'country should be': 211046, 'be in shortage': 115430, 'in shortage of': 427917, 'of ppe hand': 588317, 'ppe hand sanitizer': 667966, 'toilet paper anything': 921191, 'paper anything really': 639879, 'job doesn': 465795, 'allow it': 45987, 'it monitor': 459654, 'service area': 752149, 'that area': 842845, 'and assist': 58453, 'assist customer': 96622, 'customer when': 223060, 'when needed': 983763, 'needed my': 556438, 'my biggest': 547447, 'biggest fear': 130242, '19 without': 12150, 'without knowing': 1002748, 'knowing it': 477124, 'love to practice': 504852, 'distancing but my': 247060, 'but my job': 146434, 'my job doesn': 548908, 'job doesn allow': 465796, 'doesn allow it': 251695, 'allow it monitor': 45990, 'it monitor the': 459656, 'monitor the self': 537323, 'the self service': 866657, 'self service area': 747904, 'service area in': 752150, 'area in retail': 92071, 'store and to': 806382, 'and to do': 74166, 'do this must': 250359, 'this must stay': 889070, 'stay in that': 797064, 'in that area': 428911, 'that area and': 842846, 'area and assist': 91931, 'and assist customer': 58454, 'assist customer when': 96623, 'customer when needed': 223061, 'when needed my': 983766, 'needed my biggest': 556439, 'my biggest fear': 547448, 'biggest fear is': 130243, 'fear is contracting': 301174, 'is contracting covid': 446819, 'covid 19 without': 214082, '19 without knowing': 12151, 'without knowing it': 1002749, 'knowing it and': 477125, 'screwing': 742835, 'screwing the': 742840, 'little guy': 495380, 'guy for': 368993, 'profit get': 682743, 'nice and': 562335, 'high maga': 395166, 'maga kag': 508280, 'kag gasprices': 470612, 'gasprices depression': 344286, 'screwing the little': 742841, 'the little guy': 859487, 'little guy for': 495381, 'guy for corporate': 368994, 'for corporate profit': 320405, 'corporate profit get': 207325, 'profit get them': 682744, 'get them gas': 348361, 'price nice and': 675337, 'nice and high': 562340, 'and high maga': 64555, 'high maga kag': 395167, 'maga kag gasprices': 508281, 'kag gasprices depression': 470613, 'motorhome': 543346, 'pei': 646340, 'today took': 920383, 'took advantage': 925202, 'these gas': 880049, 'filled up': 305565, 'our motorhome': 623949, 'motorhome ve': 543347, 'given so': 351108, 'many dirty': 513997, 'life that': 489093, 'energy that': 276598, 'helped pei': 391090, 'pei have': 646341, 'day keep': 227868, 'good work': 357975, 'work pei': 1005600, 'today took advantage': 920384, 'took advantage of': 925203, 'advantage of these': 33036, 'of these gas': 591825, 'these gas price': 880050, 'gas price and': 343929, 'price and filled': 672415, 'and filled up': 62849, 'filled up our': 305567, 'up our motorhome': 945704, 'our motorhome ve': 623950, 'motorhome ve never': 543348, 've never been': 953381, 'never been given': 557894, 'been given so': 121213, 'given so many': 351109, 'so many dirty': 777650, 'many dirty look': 513998, 'dirty look in': 243761, 'look in my': 502418, 'my life that': 549041, 'life that the': 489098, 'that the kind': 846758, 'kind of energy': 474891, 'of energy that': 583111, 'energy that ha': 276599, 'that ha helped': 844119, 'ha helped pei': 370856, 'helped pei have': 391091, 'pei have no': 646342, 'have no new': 381640, 'no new covid': 564865, 'few day keep': 303781, 'day keep up': 227870, 'keep up the': 472179, 'up the good': 946175, 'the good work': 856455, 'good work pei': 357979, 'psa shortage': 687432, 'item occur': 463482, 'occur due': 579014, 'to individual': 908337, 'individual hoarding': 435195, 'hoarding by': 399237, 'by panicked': 153523, 'panicked consumer': 639265, 'be respectful': 116827, 'respectful and': 715123, 'and considerate': 60317, 'only purchase': 611035, 'purchase what': 689723, 'we allow': 970382, 'allow ourselves': 46025, 'ourselves to': 625495, 'exercise restraint': 290094, 'restraint then': 717089, 'plenty to': 661004, 'psa shortage of': 687433, 'and item occur': 65629, 'item occur due': 463483, 'occur due to': 579015, 'due to individual': 261827, 'to individual hoarding': 908340, 'individual hoarding by': 435196, 'hoarding by panicked': 399239, 'by panicked consumer': 153525, 'panicked consumer please': 639266, 'consumer please be': 198374, 'please be respectful': 659711, 'be respectful and': 116828, 'respectful and considerate': 715124, 'and considerate of': 60318, 'considerate of your': 195225, 'of your community': 593452, 'your community and': 1023268, 'community and only': 189720, 'and only purchase': 68148, 'only purchase what': 611036, 'purchase what you': 689725, 'you need if': 1020004, 'need if we': 555035, 'if we allow': 415264, 'we allow ourselves': 970384, 'allow ourselves to': 46026, 'ourselves to exercise': 625497, 'to exercise restraint': 905418, 'exercise restraint then': 290095, 'restraint then there': 717090, 'then there will': 877643, 'be plenty to': 116455, 'plenty to do': 661006, 'we recover': 973053, 'from hope': 335938, 'our gratitude': 623296, 'employee cannot': 273710, 'cannot imagine': 161964, 'do without': 250581, 'once we recover': 605782, 'we recover from': 973054, 'recover from hope': 705181, 'from hope we': 335940, 'hope we do': 403765, 'we do more': 971339, 'more to show': 540800, 'show our gratitude': 767084, 'our gratitude to': 623299, 'gratitude to healthcare': 362402, 'healthcare worker truck': 387393, 'and grocery and': 63977, 'grocery and convenience': 364227, 'and convenience store': 60525, 'convenience store employee': 202345, 'store employee cannot': 807467, 'employee cannot imagine': 273711, 'cannot imagine what': 161967, 'imagine what we': 416824, 'what we would': 982571, 'we would do': 973968, 'would do without': 1011773, 'do without them': 250586, 'hottest': 405328, 'human death': 410479, 'death stay': 230214, 'home hell': 401364, 'hell ha': 389013, 'the hottest': 857571, 'hottest disinfectant': 405333, 'human death stay': 410480, 'death stay home': 230215, 'stay home hell': 796972, 'home hell ha': 401365, 'hell ha the': 389014, 'ha the hottest': 372203, 'the hottest disinfectant': 857574, 'spread is': 790582, 'on gasoline': 601072, 'which plummeted': 986222, 'plummeted almost': 661324, 'almost 32': 46503, '32 on': 17688, 'monday read': 536369, 'free full': 331866, 'plunging demand amid': 661527, 'the spread is': 867631, 'spread is weighing': 790587, 'heavily on gasoline': 388594, 'on gasoline price': 601073, 'gasoline price which': 344270, 'price which plummeted': 677514, 'which plummeted almost': 986223, 'plummeted almost 32': 661325, 'almost 32 on': 46504, '32 on monday': 17689, 'on monday read': 602182, 'monday read the': 536370, 'read the free': 700575, 'the free full': 855765, 'free full story': 331867, 'full story here': 340900, 'inbox via': 431263, 'via non': 956116, 'worker must': 1007400, 'activity like': 30469, 'must practice': 546809, 'distancing stayhome': 247503, 'stayhome flattenthecurve': 798003, 'inbox via non': 431264, 'via non essential': 956117, 'essential worker must': 281843, 'worker must stay': 1007405, 'must stay home': 546905, 'stay home except': 796961, 'essential activity like': 280755, 'activity like going': 30470, 'store when you': 811253, 're not at': 699077, 'home you must': 402585, 'you must practice': 1019925, 'must practice social': 546811, 'social distancing stayhome': 779727, 'distancing stayhome flattenthecurve': 247504, 'anywhere regarding': 81145, 'the justsayin': 858724, 'facebook or anywhere': 294979, 'or anywhere regarding': 614389, 'anywhere regarding the': 81146, 'regarding the justsayin': 707292, 'pakistan biggest': 634428, 'is acting': 445319, 'acting responsibly': 29899, 'responsibly by': 716087, 'pakistan biggest online': 634429, 'shopping platform is': 763634, 'platform is acting': 658989, 'is acting responsibly': 445320, 'acting responsibly by': 29901, 'responsibly by following': 716088, 'following the who': 312911, 'the who guideline': 871471, 'who guideline for': 988826, 'guideline for covid': 368424, '19 in delivering': 7738, 'thorn': 891734, 'deliberately hiking': 232967, 'situation there': 772512, 'is special': 452147, 'special corner': 787872, 'corner for': 203640, 'hell with': 389093, 'sharp thorn': 755711, 'that are deliberately': 842738, 'are deliberately hiking': 85749, 'deliberately hiking their': 232969, 'their price due': 874392, '19 situation there': 10596, 'situation there is': 772513, 'there is special': 878631, 'is special corner': 452148, 'special corner for': 787873, 'corner for in': 203641, 'for in hell': 322509, 'in hell with': 423632, 'hell with sharp': 389096, 'with sharp thorn': 1000667, 'lauder': 481694, 'est lauder': 281994, 'lauder is': 481697, 'is reopening': 451428, 'reopening one': 711394, 'it factory': 457926, 'factory to': 296006, 'shortage during': 764921, 'pandemic wfh': 636966, 'wfh socialdistancing': 980858, 'est lauder is': 281996, 'lauder is reopening': 481698, 'is reopening one': 451429, 'reopening one of': 711395, 'of it factory': 585391, 'it factory to': 457929, 'factory to help': 296007, 'with the shortage': 1001478, 'the shortage during': 867092, 'shortage during the': 764923, 'the pandemic wfh': 863152, 'pandemic wfh socialdistancing': 636967, 'walkin': 965003, 'at shopper': 100513, 'shopper drug': 761486, 'drug mart': 261002, 'mart if': 518049, 'if forced': 414123, 'cashier shift': 166606, 'shift during': 758279, 'the covid19': 852242, 'pharmacy can': 654265, 'open will': 612672, 'be walkin': 118035, 'walkin my': 965004, 'as up': 94823, 'my bos': 547503, 'bos and': 135647, 'and telling': 73101, 'telling him': 837203, 'him am': 396529, 'not coming': 568800, 'be paying': 116379, 'paying me': 645439, 'saying work at': 739767, 'work at shopper': 1004897, 'at shopper drug': 100514, 'shopper drug mart': 761487, 'drug mart if': 261004, 'mart if forced': 518051, 'if forced to': 414124, 'to come work': 903057, 'come work cashier': 187699, 'work cashier shift': 1004982, 'cashier shift during': 166607, 'shift during the': 758281, 'during the covid19': 263107, 'the covid19 pandemic': 852245, 'covid19 pandemic just': 214342, 'pandemic just so': 635848, 'just so the': 469826, 'so the pharmacy': 778435, 'the pharmacy can': 863652, 'pharmacy can be': 654266, 'be open will': 116257, 'open will be': 612673, 'will be walkin': 992765, 'be walkin my': 118036, 'walkin my as': 965005, 'my as up': 547332, 'as up my': 94825, 'up my bos': 945421, 'my bos and': 547504, 'bos and telling': 135649, 'and telling him': 73103, 'telling him am': 837204, 'him am not': 396530, 'am not coming': 50244, 'not coming into': 568801, 'coming into work': 188114, 'into work for': 443304, 'work for two': 1005177, 'two week that': 937367, 'week that he': 976977, 'that he will': 844273, 'he will be': 385664, 'will be paying': 992602, 'be paying me': 116381, 'paying me for': 645440, 'me for it': 522750, 'embargo': 272420, 'construction material': 195805, 'have risen': 382329, 'risen to': 723125, 'percent supplier': 651183, 'supplier report': 824601, 'report shortage': 712249, 'china due': 176622, 'the embargo': 854211, 'embargo the': 272421, 'is attributed': 445887, 'to kenya': 908893, 'kenya over': 472933, 'over reliance': 630577, 'chinese building': 177201, 'building and': 142044, 'and construction': 60337, 'construction material price': 195806, 'material price have': 520408, 'price have risen': 674452, 'have risen to': 382339, 'risen to 10': 723126, '10 percent supplier': 1630, 'percent supplier report': 651184, 'supplier report shortage': 824602, 'report shortage of': 712250, 'of supply from': 590480, 'supply from china': 825287, 'from china due': 334857, 'china due to': 176623, 'to the embargo': 916670, 'the embargo the': 854212, 'embargo the shortage': 272422, 'the shortage is': 867095, 'shortage is attributed': 765034, 'is attributed to': 445888, 'attributed to kenya': 102747, 'to kenya over': 908894, 'kenya over reliance': 472934, 'over reliance on': 630578, 'reliance on chinese': 709238, 'on chinese building': 599913, 'chinese building and': 177202, 'building and construction': 142045, 'and construction material': 60338, 'fakenewsmedia': 296769, 'the fakenewsmedia': 854863, 'fakenewsmedia claim': 296772, 'we hearing': 972008, 'clerk dropping': 181690, 'dropping like': 260703, 'fly the': 311631, 'literally of': 495057, 'maybe place': 521777, 'place anyone': 657329, 'to am': 900389, 'am wrong': 50582, 'the is bad': 858482, 'is bad the': 445974, 'bad the fakenewsmedia': 108032, 'the fakenewsmedia claim': 854864, 'fakenewsmedia claim it': 296773, 'claim it is': 179755, 'it is why': 459132, 'is why aren': 453958, 'why aren we': 990807, 'aren we hearing': 92585, 'we hearing about': 972009, 'hearing about grocery': 388186, 'about grocery clerk': 25329, 'grocery clerk dropping': 364380, 'clerk dropping like': 181691, 'dropping like fly': 260704, 'like fly the': 490255, 'fly the store': 311633, 'store is literally': 808503, 'is literally of': 449394, 'literally of maybe': 495058, 'of maybe place': 586313, 'maybe place anyone': 521778, 'place anyone is': 657330, 'anyone is allowed': 80387, 'is allowed to': 445485, 'go to am': 354271, 'to am wrong': 900391, 'tiger': 895796, 'tiger brand': 895797, 'brand expects': 137840, 'expects consumer': 291069, 'struggle after': 814324, 'tiger brand expects': 895798, 'brand expects consumer': 137841, 'expects consumer to': 291070, 'consumer to struggle': 199327, 'to struggle after': 915686, 'struggle after the': 814326, 'manchester hospitality': 512946, 'hospitality sector': 404797, 'absolutely full': 27365, 'of complete': 581629, 'complete legend': 192104, 'legend who': 485943, 'everyone fed': 286904, 'fed through': 301908, '19 extra': 6913, 'extra big': 293456, 'including me': 432051, 'me calling': 522556, 'calling panic': 156622, 'buyer twat': 149788, 'twat amp': 936253, 'amp calling': 53485, 'calling fucking': 156564, 'fucking legend': 339929, 'manchester hospitality sector': 512947, 'hospitality sector is': 404798, 'sector is absolutely': 744241, 'is absolutely full': 445295, 'absolutely full of': 27366, 'full of complete': 340707, 'of complete legend': 581631, 'complete legend who': 192105, 'legend who are': 485944, 'are keeping everyone': 87651, 'keeping everyone fed': 472415, 'everyone fed through': 286906, 'fed through covid': 301909, 'covid 19 extra': 213065, '19 extra big': 6914, 'extra big thanks': 293457, 'big thanks for': 130060, 'thanks for including': 842064, 'for including me': 322519, 'including me calling': 432052, 'me calling panic': 522557, 'calling panic buyer': 156623, 'panic buyer twat': 637612, 'buyer twat amp': 149789, 'twat amp calling': 936254, 'amp calling fucking': 53486, 'calling fucking legend': 156565, 'good piece': 357558, 'behaviour thanks': 124530, 'good piece in': 357560, 'piece in on': 656313, 'on the lasting': 604204, 'effect of on': 269055, 'consumer behaviour thanks': 196601, 'behaviour thanks for': 124531, 'thanks for sharing': 842075, 'business supplying': 144445, 'supplying essential': 826277, 'medicine item': 526824, 'any part': 79628, 'global panic': 352114, 'panic should': 638600, 'fined or': 307759, 'or jailed': 615857, 'jailed or': 464303, 'both action': 135834, 'action required': 30122, 'required greed': 713370, 'greed should': 363438, 'punished government': 689235, 'government act': 359817, 'any business supplying': 78991, 'business supplying essential': 144446, 'supplying essential food': 826278, 'and medicine item': 66910, 'medicine item in': 526825, 'item in any': 463341, 'in any part': 420432, 'any part of': 79629, 'supply chain who': 825062, 'chain who ha': 171233, 'who ha decided': 988838, 'decided to inflate': 230921, 'this global panic': 887709, 'global panic should': 352118, 'panic should be': 638601, 'should be fined': 765623, 'be fined or': 114861, 'fined or jailed': 307760, 'or jailed or': 615858, 'jailed or both': 464304, 'or both action': 614572, 'both action required': 135835, 'action required greed': 30123, 'required greed should': 713371, 'greed should be': 363439, 'should be punished': 765703, 'be punished government': 116624, 'punished government act': 689236, 'government act now': 359818, 'food public': 316076, 'mask 3ply': 518269, 'mask shall': 519257, 'price prevailing': 675983, 'prevailing on': 671555, 'day month': 227982, 'month prior': 537967, '13 or': 3247, 'not over': 570870, '10 piece': 1632, 'piece whichever': 656383, 'whichever is': 986539, 'lower that': 506019, 'mask 2ply': 518259, '2ply shall': 16834, 'over piece': 630505, 'piece coronacrisis': 656288, 'affair food public': 34038, 'food public distribution': 316077, 'of mask 3ply': 586256, 'mask 3ply surgical': 518271, '3ply surgical mask': 18396, 'surgical mask shall': 828367, 'mask shall not': 519258, 'than the price': 841264, 'the price prevailing': 864397, 'price prevailing on': 675984, 'prevailing on the': 671557, 'on the day': 604056, 'the day month': 852897, 'day month prior': 227983, 'month prior to': 537968, 'prior to 13': 678367, 'to 13 or': 899486, '13 or not': 3248, 'or not over': 616309, 'not over 10': 570871, 'over 10 piece': 629759, '10 piece whichever': 1635, 'piece whichever is': 656384, 'whichever is lower': 986540, 'is lower that': 449483, 'lower that of': 506020, 'that of mask': 845447, 'of mask 2ply': 586255, 'mask 2ply shall': 518262, '2ply shall not': 16835, 'not be over': 568428, 'be over piece': 116301, 'over piece coronacrisis': 630506, 'out what item': 627806, 'buy even during': 148582, 'even during global': 284025, 'during global virus': 262663, 'dismisses': 246018, 'trump dismisses': 933519, 'dismisses question': 246021, 'when reporter': 983935, 'reporter can': 712605, 'can name': 159025, 'name price': 551671, 'trump dismisses question': 933520, 'dismisses question on': 246022, 'question on oil': 693678, 'oil price when': 597320, 'price when reporter': 677489, 'when reporter can': 983936, 'reporter can name': 712606, 'can name price': 159026, 'name price via': 551672, 'bump': 142558, 'authorian': 103658, 'the be': 849372, 'the bump': 850114, 'bump key': 142572, 'allow democratic': 45945, 'democratic transition': 236774, 'transition in': 929670, 'those country': 891895, 'country ruled': 211022, 'oil based': 596641, 'based authorian': 111516, 'authorian regime': 103659, 'regime interesting': 707357, 'interesting analysis': 441500, 'analysis by': 57024, 'by oilpricewar': 153413, 'oilpricewar oilprice': 597712, 'will the be': 995129, 'the be the': 849373, 'be the bump': 117600, 'the bump key': 850115, 'bump key to': 142573, 'key to allow': 473430, 'to allow democratic': 900330, 'allow democratic transition': 45946, 'democratic transition in': 236775, 'transition in those': 929671, 'in those country': 430051, 'those country ruled': 891896, 'country ruled by': 211023, 'ruled by oil': 727427, 'by oil based': 153409, 'oil based authorian': 596642, 'based authorian regime': 111517, 'authorian regime interesting': 103660, 'regime interesting analysis': 707358, 'interesting analysis by': 441501, 'analysis by oilpricewar': 57027, 'by oilpricewar oilprice': 153414, 'own super': 632246, 'super angel': 818467, 'angel who': 76323, 'who dropped': 988666, 'off bag': 593675, 'working full': 1008659, 'full day': 340553, 'at busy': 98173, 'hero wear': 394157, 'to my own': 910427, 'my own super': 549659, 'own super angel': 632247, 'super angel who': 818469, 'angel who dropped': 76324, 'who dropped off': 988667, 'dropped off bag': 260605, 'off bag of': 593676, 'bag of essential': 108351, 'essential supply after': 281618, 'supply after working': 824664, 'after working full': 36582, 'working full day': 1008660, 'full day at': 340554, 'day at busy': 227328, 'at busy supermarket': 98175, 'busy supermarket not': 144977, 'supermarket not all': 821639, 'not all hero': 568111, 'all hero wear': 43113, 'hero wear cape': 394158, 'are scottish': 89866, 'scottish supermarket': 742487, 'supermarket doing': 819991, 'doing amid': 252276, 'what are scottish': 981064, 'are scottish supermarket': 89867, 'scottish supermarket doing': 742488, 'supermarket doing amid': 819993, 'etimeslifestyle': 283148, 'coronavirus prevention': 206584, 'prevention make': 671869, 'home using': 402415, 'using these': 950743, 'these three': 880829, 'three ingredient': 893961, 'ingredient etimeslifestyle': 438359, 'coronavirus prevention make': 206585, 'prevention make hand': 671870, 'at home using': 99158, 'home using these': 402417, 'using these three': 950745, 'these three ingredient': 880830, 'three ingredient etimeslifestyle': 893962, 'incomplete': 432549, 'incomplete mall': 432550, 'mall low': 511800, 'may grip': 521221, 'grip realestate': 364033, 'realestate sector': 701526, 'sector amid': 744072, 'incomplete mall low': 432551, 'mall low consumer': 511801, 'spending trend that': 789030, 'trend that may': 931464, 'that may grip': 845078, 'may grip realestate': 521222, 'grip realestate sector': 364034, 'realestate sector amid': 701527, 'stophoarding brings': 805362, 'brings ration': 140268, 'and id': 64921, 'id card': 412937, 'vulnerable so': 961169, 'identify them': 413372, 'them priority': 876180, 'priority that': 678673, 'this madness': 888735, 'stophoarding brings ration': 805363, 'brings ration card': 140269, 'ration card and': 697653, 'card and id': 163453, 'and id card': 64922, 'id card for': 412938, 'card for the': 163525, 'for the vulnerable': 326767, 'the vulnerable so': 870995, 'vulnerable so supermarket': 961170, 'so supermarket can': 778306, 'supermarket can identify': 819505, 'can identify them': 158707, 'identify them priority': 413373, 'them priority that': 876183, 'priority that would': 678674, 'would stop this': 1012287, 'stop this madness': 805193, 'embracing new': 272510, 'new behavior': 558387, 'and habit': 64090, 'habit here': 372628, 'marketer marketing': 517468, 'pandemic consumer are': 635186, 'consumer are embracing': 196291, 'are embracing new': 86115, 'embracing new behavior': 272511, 'new behavior and': 558388, 'behavior and habit': 123889, 'and habit here': 64091, 'habit here are': 372629, 'here are consumer': 392735, 'for marketer marketing': 323259, 'notsick': 573635, 'ifucan': 415658, 'giveaway': 350898, 'notsick stay': 573636, 'of crowd': 582220, 'crowd including': 219177, 'grocery ifucan': 364607, 'ifucan giveaway': 415659, 'giveaway some': 350912, 'tp soap': 927943, 'soap it': 779049, 'one le': 606579, 'le waiting': 483230, 'waiting hour': 964348, 'crowded grocery': 219314, 'store see': 810016, 'see stopping': 745749, 'stopping coworker': 805800, 'coworker neighbor': 214485, 'neighbor etc': 557005, 'etc from': 282553, 'getting coron': 348911, 'notsick stay out': 573637, 'out of crowd': 626712, 'of crowd including': 582221, 'crowd including the': 219178, 'including the grocery': 432185, 'the grocery ifucan': 856812, 'grocery ifucan giveaway': 364608, 'ifucan giveaway some': 415660, 'giveaway some of': 350913, 'of your hand': 593479, 'sanitizer tp soap': 735972, 'tp soap it': 927944, 'soap it can': 779050, 'can mean one': 158983, 'mean one le': 524592, 'one le waiting': 606582, 'le waiting hour': 483231, 'waiting hour in': 964349, 'hour in crowded': 405686, 'in crowded grocery': 421916, 'crowded grocery store': 219315, 'grocery store see': 365753, 'store see stopping': 810019, 'see stopping coworker': 745750, 'stopping coworker neighbor': 805801, 'coworker neighbor etc': 214486, 'neighbor etc from': 557006, 'etc from getting': 282554, 'from getting coron': 335625, 'slash oil': 773574, 'production on': 682162, 'sunday aiming': 818161, 'to bolster': 901881, 'bolster price': 134143, 'that collapsed': 843253, 'collapsed when': 186120, 'when global': 983468, 'demand cratered': 235186, 'cratered amid': 215148, 'agreed to slash': 38749, 'to slash oil': 914719, 'slash oil production': 773575, 'oil production on': 597372, 'production on sunday': 682166, 'on sunday aiming': 603751, 'sunday aiming to': 818162, 'aiming to bolster': 39582, 'to bolster price': 901883, 'bolster price that': 134144, 'price that collapsed': 676796, 'that collapsed when': 843254, 'collapsed when global': 186121, 'when global demand': 983470, 'global demand cratered': 351861, 'demand cratered amid': 235187, 'cratered amid the': 215149, 'been far': 121132, 'far reaching': 298893, 'reaching and': 700075, 'help where': 390882, 'can if': 158708, 'have staff': 382710, 'staff workfromhome': 793110, 'workfromhome using': 1008443, 'personal device': 652828, 'device trend': 239940, 'trend micro': 931391, 'micro is': 530422, 'giving your': 351460, 'staff free': 792472, 'free month': 331985, 'month consumer': 537652, 'internet security': 442015, 'product trend': 681781, 'micro maximum': 530424, 'maximum security': 520838, '19 have been': 7445, 'have been far': 379537, 'been far reaching': 121133, 'far reaching and': 298895, 'reaching and we': 700076, 'to help where': 907666, 'help where we': 390883, 'where we can': 985338, 'we can if': 970966, 'can if you': 158710, 'you have staff': 1019117, 'have staff workfromhome': 382713, 'staff workfromhome using': 793111, 'workfromhome using their': 1008444, 'using their personal': 950730, 'their personal device': 874279, 'personal device trend': 652829, 'device trend micro': 239941, 'trend micro is': 931392, 'micro is giving': 530423, 'is giving your': 448067, 'giving your staff': 351462, 'your staff free': 1025909, 'staff free month': 792473, 'free month consumer': 331986, 'month consumer internet': 537653, 'consumer internet security': 197915, 'internet security product': 442016, 'security product trend': 744721, 'product trend micro': 681782, 'trend micro maximum': 931393, 'micro maximum security': 530425, 'andchanged': 76128, 'checkin': 174805, 'how great': 407929, 'great the': 363040, 'are got': 86928, 'some milk': 783289, 'milk andchanged': 531570, 'andchanged lightbulb': 76129, 'lightbulb ffs': 489628, 'ffs only': 304316, 'only yesterday': 611505, 'yesterday they': 1015891, 'they checkin': 881752, 'checkin supermarket': 174806, 'know how great': 476439, 'how great the': 407930, 'great the police': 363041, 'police are got': 662917, 'are got some': 86929, 'got some milk': 358851, 'some milk andchanged': 783290, 'milk andchanged lightbulb': 531571, 'andchanged lightbulb ffs': 76130, 'lightbulb ffs only': 489629, 'ffs only yesterday': 304317, 'only yesterday they': 611506, 'yesterday they checkin': 1015893, 'they checkin supermarket': 881753, 'checkin supermarket trolley': 174807, 'reading how': 700778, 'behaving during': 123828, 'pandemic building': 635033, 'building bunker': 142060, 'bunker that': 142688, 'that filter': 843868, 'filter covid': 305756, '19 renting': 10104, 'renting property': 711322, 'property at': 684243, 'buying test': 151143, 'for hundred': 322449, 'pound is': 667380, 'sick but': 768395, 'but mostly': 146419, 'mostly sad': 543007, 'sad for': 729170, 'reading how the': 700779, 'how the rich': 408870, 'rich are behaving': 721192, 'are behaving during': 84817, 'behaving during this': 123829, 'this pandemic building': 889374, 'pandemic building bunker': 635034, 'building bunker that': 142061, 'bunker that filter': 142689, 'that filter covid': 843869, 'filter covid 19': 305757, 'covid 19 renting': 213690, '19 renting property': 10105, 'renting property at': 711323, 'property at inflated': 684244, 'price and buying': 672374, 'and buying test': 59371, 'buying test for': 151144, 'test for hundred': 839002, 'for hundred of': 322450, 'hundred of pound': 411007, 'of pound is': 588295, 'pound is making': 667381, 'me feel sick': 522719, 'feel sick but': 302841, 'sick but mostly': 768397, 'but mostly sad': 146420, 'mostly sad for': 543008, 'sad for them': 729171, 'he right': 385353, 'right mostly': 721997, 'mostly there': 543023, 'chain it': 170863, 'this every': 887459, 'who piling': 989422, 'piling into': 656605, 'into that': 443087, 'is risking': 451559, 'catching anyway': 167070, 'anyway socialdistancingnow': 81036, 'socialdistancingnow flattenthecurve': 780903, 'he right mostly': 385354, 'right mostly there': 721998, 'mostly there no': 543024, 'there no problem': 878833, 'supply chain it': 824982, 'chain it people': 170866, 'it people panic': 460298, 'buying that are': 151150, 'that are causing': 842727, 'are causing this': 85210, 'causing this every': 168130, 'this every single': 887465, 'single one who': 771352, 'one who piling': 607457, 'who piling into': 989423, 'piling into that': 656606, 'into that store': 443090, 'that store is': 846515, 'store is risking': 808525, 'is risking catching': 451560, 'risking catching anyway': 724059, 'catching anyway socialdistancingnow': 167071, 'anyway socialdistancingnow flattenthecurve': 81037, 'every company': 285745, 'company corporation': 190569, 'corporation factory': 207418, 'factory and': 295917, 'immediately focus': 417093, 'fight they': 304911, 'ppes now': 668129, 'then manufacturing': 877329, 'manufacturing more': 513630, 'more plus': 540087, 'plus ventilator': 661710, 'sanitizer then': 735873, 'every company corporation': 285746, 'company corporation factory': 190570, 'corporation factory and': 207419, 'factory and store': 295922, 'and store in': 72508, 'store in this': 808402, 'need to immediately': 555967, 'to immediately focus': 908139, 'immediately focus on': 417094, 'on the fight': 604118, 'the fight they': 855168, 'fight they should': 304912, 'be donating their': 114546, 'donating their stock': 254513, 'their stock of': 874833, 'stock of mask': 802529, 'mask and ppes': 518358, 'and ppes now': 69288, 'ppes now and': 668130, 'now and then': 574062, 'and then manufacturing': 73780, 'then manufacturing more': 877330, 'manufacturing more plus': 513631, 'more plus ventilator': 540089, 'plus ventilator and': 661711, 'ventilator and sanitizer': 954529, 'and sanitizer then': 70888, 'sanitizer then on': 735875, 'then on to': 877378, 'on to food': 604735, 'to food for': 906079, 'for the coming': 326351, 'are bulk': 85080, 'stock excessively': 802101, 'excessively there': 289433, 'supply per': 825711, 'per the': 651035, 'ministry most': 533536, 'importantly remember': 419139, 'keep older': 471697, 'older adult': 598561, 'when bulk': 983211, 'all the shopper': 44907, 'the shopper who': 867055, 'who are bulk': 988111, 'are bulk buying': 85081, 'bulk buying no': 142282, 'buying no need': 150758, 'and stock excessively': 72405, 'stock excessively there': 802102, 'excessively there is': 289434, 'and supply per': 72808, 'supply per the': 825712, 'per the ministry': 651042, 'the ministry most': 860662, 'ministry most importantly': 533537, 'most importantly remember': 542423, 'importantly remember to': 419140, 'to keep older': 908817, 'keep older adult': 471698, 'older adult in': 598566, 'adult in your': 32831, 'your thought when': 1026150, 'thought when bulk': 893312, 'when bulk buying': 983212, 'consumer sector': 198881, 'drive job': 259086, 'worse day': 1010912, 'day are': 227311, 'are ahead': 84279, 'from consumer sector': 334972, 'consumer sector will': 198886, 'sector will drive': 744402, 'will drive job': 993257, 'drive job loss': 259087, 'job loss in': 465976, 'loss in march': 503705, 'to pandemic but': 911366, 'pandemic but worse': 635063, 'but worse day': 147937, 'worse day are': 1010914, 'day are ahead': 227312, 'jefferson': 465029, 'tom jefferson': 923920, 'jefferson covid': 465034, 'supermarket wisdom': 823903, 'wisdom latest': 996656, 'tom jefferson covid': 923922, 'jefferson covid 19': 465035, '19 supermarket wisdom': 10962, 'supermarket wisdom latest': 823904, 'francisco area': 331096, 'area start': 92195, 'start 1st': 794184, '1st full': 12744, 'home curfew': 400973, 'curfew today': 220940, 'pharmacy gas': 654321, 'station or': 796477, 'bank essential': 109805, 'essential govt': 281104, 'govt service': 361272, 'service open': 752659, 'open restaurant': 612480, 'restaurant take': 716729, 'million people in': 532311, 'people in san': 648425, 'san francisco area': 733534, 'francisco area start': 331097, 'area start 1st': 92196, 'start 1st full': 794185, '1st full day': 12745, 'full day of': 340556, 'day of week': 228116, 'of week in': 593001, 'week in home': 976372, 'in home curfew': 423780, 'home curfew today': 400974, 'curfew today can': 220941, 'today can only': 919360, 'only leave house': 610708, 'leave house to': 484831, 'store pharmacy gas': 809541, 'pharmacy gas station': 654322, 'gas station or': 344123, 'station or bank': 796480, 'or bank essential': 614491, 'bank essential govt': 109806, 'essential govt service': 281105, 'govt service open': 361274, 'service open restaurant': 752660, 'open restaurant take': 612485, 'restaurant take out': 716731, 'take out delivery': 832443, 'out delivery available': 625944, 'buying you': 151404, 'life no': 488907, 'one told': 607296, 'just regular': 469594, 'regular soap': 707871, 'people stop panic': 649653, 'panic buying you': 637977, 'buying you do': 151406, 'on food like': 600881, 'food like you': 315318, 'like you will': 491886, 'see the sun': 745888, 'sun for the': 818067, 'rest of your': 716214, 'of your life': 593495, 'your life no': 1024641, 'life no one': 488909, 'no one told': 564972, 'one told to': 607297, 'told to stock': 923768, 'paper no one': 640499, 'up on hand': 945574, 'sanitizer just regular': 735242, 'just regular soap': 469596, 'regular soap work': 707872, 'commended': 188372, 'really impressed': 702331, 'impressed by': 419446, 'by response': 153787, '19 allowing': 4911, 'allowing the': 46342, 'elderly protected': 270864, 'protected shopping': 685149, 'and priority': 69510, 'priority on': 678615, 'line delivery': 493049, 'be commended': 114158, 'really impressed by': 702332, 'impressed by response': 419448, 'by response to': 153788, 'covid 19 allowing': 212611, '19 allowing the': 4913, 'allowing the elderly': 46343, 'the elderly protected': 854141, 'elderly protected shopping': 270865, 'protected shopping time': 685150, 'shopping time and': 764141, 'time and priority': 896290, 'and priority on': 69512, 'priority on line': 678617, 'on line delivery': 601857, 'line delivery slot': 493050, 'slot is to': 774224, 'to be commended': 901173, 'restuarant': 717451, 'blding': 132460, 'sanitiation': 733881, 'inspiration': 439795, 'you doctor': 1018285, 'doctor hospital': 250954, 'staff medic': 792645, 'medic grocery': 525995, 'store restuarant': 809863, 'restuarant blding': 717452, 'blding amp': 132461, 'amp warehouse': 54799, 'warehouse staff': 966771, 'farmer sanitiation': 299497, 'sanitiation construction': 733882, 'construction amp': 195782, 'amp transportation': 54736, 'transportation worker': 930055, 'worker ty': 1008064, 'ty for': 937480, 'this daily': 887149, 'daily inspiration': 224647, 'thank you doctor': 841717, 'you doctor hospital': 1018286, 'doctor hospital staff': 250957, 'hospital staff medic': 404640, 'staff medic grocery': 792646, 'medic grocery store': 525996, 'grocery store restuarant': 365723, 'store restuarant blding': 809864, 'restuarant blding amp': 717453, 'blding amp warehouse': 132462, 'amp warehouse staff': 54801, 'warehouse staff delivery': 966772, 'driver farmer sanitiation': 259554, 'farmer sanitiation construction': 299498, 'sanitiation construction amp': 733883, 'construction amp transportation': 195783, 'amp transportation worker': 54737, 'transportation worker ty': 930056, 'worker ty for': 1008065, 'ty for this': 937482, 'for this daily': 327022, 'this daily inspiration': 887151, 'cycleways': 224074, 'fairer': 296411, 'cycleways and': 224075, 'and pedestrian': 68827, 'pedestrian route': 646215, 'route make': 726463, 'make transport': 510667, 'transport more': 929908, 'and fairer': 62619, 'fairer they': 296414, 'are immune': 87314, 'and quite': 69887, 'quite resilient': 694907, 'resilient to': 714541, 'to extreme': 905547, 'extreme weather': 293845, 'virus they': 958899, 'don discriminate': 253464, 'discriminate by': 244790, 'by income': 152891, 'income gender': 432353, 'gender or': 345259, 'or race': 616773, 'cycleways and pedestrian': 224076, 'and pedestrian route': 68828, 'pedestrian route make': 646216, 'route make transport': 726464, 'make transport more': 510668, 'transport more resilient': 929909, 'more resilient and': 540232, 'resilient and fairer': 714516, 'and fairer they': 62620, 'fairer they are': 296415, 'they are immune': 881301, 'are immune to': 87316, 'immune to oil': 417367, 'price and quite': 672514, 'and quite resilient': 69888, 'quite resilient to': 694908, 'resilient to extreme': 714543, 'to extreme weather': 905549, 'extreme weather and': 293846, 'weather and virus': 974848, 'and virus they': 74979, 'virus they don': 958901, 'they don discriminate': 881989, 'don discriminate by': 253465, 'discriminate by income': 244791, 'by income gender': 152892, 'income gender or': 432354, 'gender or race': 345260, 'report their': 712350, 'first related': 308912, 'death this': 230232, 'intensifies across': 441107, 'country report': 210999, 'chain are beginning': 170495, 'beginning to report': 123673, 'to report their': 913290, 'report their first': 712352, 'their first related': 873330, 'first related employee': 308913, 'employee death this': 273760, 'death this ha': 230233, 'this ha led': 887806, 'led to store': 485301, 'closure and increasing': 183837, 'and increasing anxiety': 65122, 'grocery worker the': 366191, 'worker the pandemic': 1007933, 'the pandemic intensifies': 863002, 'pandemic intensifies across': 635745, 'intensifies across the': 441108, 'the country report': 852141, 'niniolafantasyvideo': 563310, 'sibling': 768329, 'niniolafantasyvideo stock': 563311, 'my my': 549397, 'my sibling': 550080, 'sibling am': 768330, 'scared if': 740973, 'cannot tell': 162167, 'that hustle': 844404, 'hustle to': 411830, 'table for': 831468, 'niniolafantasyvideo stock up': 563312, 'up food my': 944891, 'food my my': 315497, 'my my sibling': 549398, 'my sibling am': 550081, 'sibling am scared': 768331, 'am scared if': 50363, 'scared if have': 740974, 'have the covid': 382972, '19 and cannot': 4997, 'and cannot tell': 59525, 'cannot tell them': 162169, 'them that hustle': 876377, 'that hustle to': 844405, 'hustle to put': 411831, 'the table for': 869107, 'table for them': 831471, 'coronavirus star': 206813, 'star slammed': 794062, 'slammed for': 773503, 'for insensitive': 322595, 'insensitive supermarket': 439197, 'supermarket photo': 821983, 'photo shoot': 655240, '19 coronavirus star': 6128, 'coronavirus star slammed': 206814, 'star slammed for': 794063, 'slammed for insensitive': 773504, 'for insensitive supermarket': 322596, 'insensitive supermarket photo': 439198, 'supermarket photo shoot': 821984, '850': 22939, 'eighth': 270213, 'parent in': 641653, 'south lyon': 786763, 'lyon are': 507142, 'finally receiving': 306080, 'receiving refund': 703798, 'refund after': 706861, 'they paid': 882863, 'paid 850': 633953, '850 for': 22940, 'their eighth': 873116, 'eighth grade': 270214, 'grade student': 361664, 'student to': 814789, 'take trip': 832753, 'trip that': 932171, 'wa later': 962506, 'later canceled': 481037, 'parent in south': 641656, 'in south lyon': 428133, 'south lyon are': 786764, 'lyon are finally': 507143, 'are finally receiving': 86566, 'finally receiving refund': 306081, 'receiving refund after': 703799, 'refund after they': 706862, 'after they paid': 36390, 'they paid 850': 882864, 'paid 850 for': 633954, '850 for their': 22941, 'for their eighth': 326820, 'their eighth grade': 873117, 'eighth grade student': 270215, 'grade student to': 361665, 'student to take': 814792, 'to take trip': 916253, 'take trip that': 832754, 'trip that wa': 932172, 'that wa later': 847293, 'wa later canceled': 962507, 'ravenous': 697933, 'but sadly': 146951, 'sadly business': 729326, 'increase our': 432967, 'our pollution': 624388, 'pollution problem': 663912, 'problem once': 679636, 'the ravenous': 865185, 'ravenous consumer': 697934, 'consumer recovers': 198654, 'recovers climatechange': 705275, 'climatechange sustainability': 182243, 'sustainability environment': 829759, 'lining in our': 493741, 'in our current': 426279, 'our current crisis': 622641, 'current crisis but': 221154, 'crisis but sadly': 217155, 'but sadly business': 146952, 'sadly business will': 729327, 'business will increase': 144684, 'will increase our': 993822, 'increase our pollution': 432968, 'our pollution problem': 624389, 'pollution problem once': 663913, 'problem once the': 679637, 'once the ravenous': 605731, 'the ravenous consumer': 865186, 'ravenous consumer recovers': 697935, 'consumer recovers climatechange': 198655, 'recovers climatechange sustainability': 705276, 'climatechange sustainability environment': 182244, 'cautioning': 168197, 'place did': 657406, 'did see': 240797, 'see with': 746084, 'any semblance': 79780, 'crowd wa': 219282, 'supermarket itself': 821194, 'itself no': 463945, 'mask still': 519310, 'still but': 800309, 'people anxious': 646895, 'anxious to': 78874, 'stay more': 797129, 'than 1m': 840185, 'apart notice': 81308, 'that effect': 843674, 'and cautioning': 59649, 'cautioning against': 168198, 'against putting': 37597, 'putting cash': 691096, 'new cafe': 558438, 'cafe now': 155120, 'now takeaway': 575954, 'only place did': 610979, 'place did see': 657407, 'did see with': 240798, 'see with any': 746085, 'with any semblance': 997280, 'any semblance of': 79781, 'semblance of crowd': 749599, 'of crowd wa': 582223, 'crowd wa the': 219283, 'wa the supermarket': 963472, 'the supermarket itself': 868654, 'supermarket itself no': 821195, 'itself no mask': 463946, 'no mask still': 564713, 'mask still but': 519311, 'still but people': 800310, 'but people anxious': 146762, 'people anxious to': 646896, 'anxious to stay': 78875, 'to stay more': 915300, 'stay more than': 797130, 'more than 1m': 540551, 'than 1m apart': 840187, '1m apart notice': 12650, 'apart notice to': 81309, 'notice to that': 573386, 'to that effect': 916450, 'that effect and': 843675, 'effect and cautioning': 268966, 'and cautioning against': 59650, 'cautioning against putting': 168199, 'against putting cash': 37598, 'putting cash in': 691097, 'cash in your': 166259, 'in your mouth': 431106, 'your mouth and': 1024896, 'mouth and the': 543487, 'the new cafe': 861478, 'new cafe now': 558439, 'cafe now takeaway': 155121, 'now takeaway only': 575956, 'cairandale': 155199, 'and run': 70632, 'my foot': 548393, 'foot atm': 318353, 'atm with': 101972, 'constant shelf': 195627, 'shelf stocking': 757598, 'stocking probably': 803586, 'probably going': 679268, 'from always': 334449, 'always seeing': 49737, 'seeing public': 746434, 'public member': 688162, 'member so': 528191, 'll cover': 496691, 'cover my': 212259, 'my wage': 550520, 'quarantine cairandale': 692072, 'supermarket and run': 819052, 'and run off': 70635, 'run off my': 727729, 'off my foot': 593982, 'my foot atm': 548394, 'foot atm with': 318354, 'atm with all': 101973, 'the constant shelf': 851477, 'constant shelf stocking': 195628, 'shelf stocking probably': 757599, 'stocking probably going': 803587, 'probably going to': 679269, '19 from always': 7115, 'from always seeing': 334450, 'always seeing public': 49738, 'seeing public member': 746435, 'public member so': 688163, 'member so it': 528192, 'so it ll': 777470, 'it ll cover': 459422, 'll cover my': 496693, 'cover my wage': 212261, 'my wage for': 550521, 'wage for week': 963868, 'week when have': 977221, 'have to quarantine': 383270, 'to quarantine cairandale': 912638, 'legacy': 485825, 'disruptors': 246559, 'luxuryconnect': 506983, 'luxurycruxx': 506985, 'legacy brand': 485826, 'brand retailer': 137995, 'consumer disruptors': 197223, 'disruptors develop': 246560, 'develop unique': 239665, 'unique combination': 941974, 'of tech': 590622, 'tech and': 836034, 'and traditional': 74351, 'traditional customer': 928993, 'support concerned': 826431, 'concerned bride': 193188, 'bride during': 139606, 'crisis luxury': 217689, 'luxury luxuryconnect': 506941, 'luxuryconnect luxurycruxx': 506984, 'legacy brand retailer': 485827, 'brand retailer and': 137996, 'retailer and direct': 718961, 'to consumer disruptors': 903290, 'consumer disruptors develop': 197224, 'disruptors develop unique': 246561, 'develop unique combination': 239666, 'unique combination of': 941975, 'combination of tech': 187108, 'of tech and': 590623, 'tech and traditional': 836038, 'and traditional customer': 74352, 'traditional customer service': 928994, 'customer service to': 222836, 'service to support': 752994, 'to support concerned': 915917, 'support concerned bride': 826432, 'concerned bride during': 193189, 'bride during the': 139607, '19 crisis luxury': 6279, 'crisis luxury luxuryconnect': 217690, 'luxury luxuryconnect luxurycruxx': 506942, 'become business': 119942, 'business for': 143749, 'for chemist': 320043, 'chemist early': 175423, 'early action': 264537, 'required they': 713389, 'so poor': 778041, '19 ha become': 7327, 'ha become business': 369672, 'become business for': 119943, 'business for chemist': 143750, 'for chemist early': 320045, 'chemist early action': 175424, 'early action is': 264539, 'action is required': 30055, 'is required they': 451452, 'required they are': 713390, 'are selling mask': 89964, 'sanitizers at high': 736225, 'high price so': 395275, 'price so poor': 676514, 'so poor people': 778044, 'poor people cannot': 664250, 'readily': 700714, 'travelinn': 930664, 'not readily': 571220, 'readily available': 700715, 'alcohol cover': 40978, 'all surface': 44574, 'and rub': 70610, 'rub them': 726921, 'together until': 921017, 'they feel': 882100, 'feel dry': 302609, 'dry staysafe': 261301, 'staysafe tip': 798938, 'tip travelinn': 898946, 'are not readily': 88452, 'not readily available': 571221, 'readily available use': 700721, 'available use hand': 104681, '60 alcohol cover': 20890, 'alcohol cover all': 40979, 'cover all surface': 212187, 'all surface of': 44575, 'surface of your': 828056, 'hand and rub': 374770, 'and rub them': 70613, 'rub them together': 726922, 'them together until': 876539, 'together until they': 921018, 'until they feel': 943891, 'they feel dry': 882102, 'feel dry staysafe': 302610, 'dry staysafe tip': 261302, 'staysafe tip travelinn': 798939, 'for summer': 325988, 'summer clothes': 817963, 'clothes when': 184231, 'sight is': 769038, 'most optimistic': 542584, 'optimistic ve': 613940, 'shopping for summer': 762714, 'for summer clothes': 325989, 'summer clothes when': 817964, 'clothes when covid': 184232, 'ha no end': 371339, 'in sight is': 427943, 'sight is the': 769039, 'the most optimistic': 861011, 'most optimistic ve': 542585, 'optimistic ve ever': 613941, 've ever been': 953091, 'clove': 184345, 'keyfoods': 473538, 'barry': 111382, 'why if': 991082, 'here fighting': 392973, 'fighting this': 305139, 'war against': 966338, 'against why': 37747, 'isn protective': 454633, 'protective barrier': 685711, 'barrier between': 111353, 'between cashier': 128747, 'the publix': 864881, 'publix supermarket': 688780, 'carolina neither': 164846, 'neither of': 557335, 'them wear': 876590, 'mask some': 519291, 'without clove': 1002544, 'clove in': 184346, 'the meantime': 860356, 'meantime keyfoods': 524925, 'keyfoods ha': 473539, 'ha barry': 369662, 'barry the': 111385, 'worker wear': 1008152, 'not know why': 570311, 'know why if': 477049, 'why if we': 991085, 're all here': 698222, 'all here fighting': 43102, 'here fighting this': 392974, 'fighting this war': 305143, 'this war against': 891101, 'war against why': 966345, 'against why there': 37748, 'why there isn': 991442, 'there isn protective': 878672, 'isn protective barrier': 454634, 'protective barrier between': 685713, 'barrier between cashier': 111354, 'between cashier and': 128748, 'cashier and customer': 166455, 'and customer at': 60836, 'customer at the': 222146, 'at the publix': 101068, 'the publix supermarket': 864882, 'publix supermarket in': 688782, 'supermarket in north': 820947, 'north carolina neither': 567634, 'carolina neither of': 164847, 'neither of them': 557336, 'of them wear': 591770, 'them wear mask': 876592, 'wear mask some': 974401, 'mask some even': 519293, 'some even without': 782772, 'even without clove': 284810, 'without clove in': 1002545, 'clove in the': 184347, 'in the meantime': 429350, 'the meantime keyfoods': 860360, 'meantime keyfoods ha': 524926, 'keyfoods ha barry': 473540, 'ha barry the': 369663, 'barry the worker': 111386, 'the worker wear': 871770, 'worker wear mask': 1008154, 'pleasantly': 659620, 'abusive': 27725, 'supportworkers': 827293, 'tuesdaymotivation': 935210, 'staff pleasantly': 792756, 'pleasantly restocking': 659621, 'restocking the': 717026, 'customer being': 222187, 'being abusive': 124811, 'abusive to': 27732, 'staff please': 792758, 'please notify': 660250, 'notify their': 573561, 'their manager': 873905, 'manager supportworkers': 512794, 'supportworkers tuesdaymotivation': 827294, 'supermarket staff pleasantly': 822876, 'staff pleasantly restocking': 792757, 'pleasantly restocking the': 659622, 'restocking the shelf': 717028, 'the shelf if': 866848, 'shelf if you': 757180, 'you see customer': 1021030, 'see customer being': 745024, 'customer being abusive': 222188, 'being abusive to': 124812, 'abusive to the': 27733, 'the staff please': 867695, 'staff please notify': 792762, 'please notify their': 660251, 'notify their manager': 573562, 'their manager supportworkers': 873906, 'manager supportworkers tuesdaymotivation': 512795, 'swpp2nyu': 830641, 'crisis deserving': 217288, 'deserving of': 238196, 'of hazard': 584490, 'safe working': 730158, 'working condition': 1008574, 'condition swpp2nyu': 193530, 'are hero in': 87131, 'this crisis deserving': 887032, 'crisis deserving of': 217289, 'deserving of hazard': 238197, 'of hazard pay': 584491, 'pay and safe': 644738, 'and safe working': 70724, 'safe working condition': 730159, 'working condition swpp2nyu': 1008578, 'essence': 280725, 'retrogress': 719796, 'comatose': 186971, 'education we': 268880, 'must fix': 546657, 'fix healthcare': 309727, 'healthcare we': 387328, 'fix transportation': 309762, 'transportation in': 930012, 'in essence': 422597, 'essence we': 280732, 'fix nigeria': 309735, 'nigeria our': 562781, 'to retrogress': 913472, 'retrogress the': 719797, 'ha harshly': 370830, 'harshly reminded': 378580, 'reminded about': 710521, 'the comatose': 851166, 'comatose state': 186972, 'system dwindling': 831152, 'would expose': 1011808, 'education we must': 268881, 'we must fix': 972414, 'must fix healthcare': 546658, 'fix healthcare we': 309728, 'healthcare we must': 387329, 'must fix transportation': 546661, 'fix transportation in': 309763, 'transportation in essence': 930013, 'in essence we': 422600, 'essence we must': 280733, 'must fix nigeria': 546659, 'fix nigeria our': 309736, 'nigeria our country': 562782, 'our country continues': 622584, 'country continues to': 210559, 'continues to retrogress': 201491, 'to retrogress the': 913473, 'retrogress the covid': 719798, 'pandemic ha harshly': 635548, 'ha harshly reminded': 370831, 'harshly reminded about': 378581, 'reminded about the': 710522, 'about the comatose': 26352, 'the comatose state': 851167, 'comatose state of': 186973, 'of our healthcare': 587484, 'our healthcare system': 623391, 'healthcare system dwindling': 387307, 'system dwindling oil': 831153, 'oil price would': 597327, 'price would expose': 677660, 'would expose the': 1011809, 'fall cent': 296878, 'cent tonight': 169129, 'tonight putting': 924482, '10 liter': 1502, 'in metro': 425261, 'metro van': 529949, 'van the': 952310, 'in 17': 419704, '17 year': 4401, 'home the': 402223, 'price fall cent': 673780, 'fall cent tonight': 296879, 'cent tonight putting': 169130, 'tonight putting the': 924483, 'putting the price': 691233, 'the price at': 864332, 'price at 10': 672782, 'at 10 liter': 97405, '10 liter in': 1503, 'liter in metro': 494926, 'in metro van': 425266, 'metro van the': 529950, 'van the lowest': 952311, 'the lowest in': 859811, 'lowest in 17': 506171, 'in 17 year': 419705, '17 year due': 4406, 'to lower demand': 909494, 'lower demand from': 505835, 'from people staying': 336890, 'at home the': 99138, 'home the energy': 402230, 'energy sector will': 276584, 'sector will suffer': 744409, 'gawked': 344706, 'week see': 976844, 'traffic store': 929140, 'store busy': 806778, 'busy usual': 145006, 'usual still': 951028, 'available like': 104478, 'like tp': 491656, 'tp hardly': 927830, 'store wore': 811435, 'wore mask': 1004664, 'wa gawked': 962195, 'gawked laughed': 344707, 'laughed at': 481793, 'this northern': 889169, 'northern california': 567748, 'california where': 155605, 'where number': 985063, 'number are': 576826, 'getting better': 348867, 'driving to grocery': 260019, 'store every week': 807656, 'every week see': 286367, 'week see the': 976846, 'see the same': 745882, 'same amount of': 732963, 'of traffic store': 592413, 'traffic store busy': 929141, 'store busy usual': 806779, 'busy usual still': 145007, 'usual still no': 951029, 'still no paper': 800875, 'no paper product': 565059, 'paper product available': 640623, 'product available like': 680993, 'available like tp': 104479, 'like tp hardly': 491657, 'tp hardly any': 927831, 'any socialdistancing in': 79829, 'socialdistancing in store': 780447, 'in store wore': 428475, 'store wore mask': 811436, 'wore mask wa': 1004670, 'mask wa gawked': 519490, 'wa gawked laughed': 962196, 'gawked laughed at': 344708, 'laughed at this': 481795, 'at this northern': 101245, 'this northern california': 889170, 'northern california where': 567749, 'california where number': 155606, 'where number are': 985064, 'number are getting': 576829, 'are getting better': 86794, 'greater cincinnati': 363157, 'cincinnati are': 178516, 'grocery how': 364601, 'is packed': 450770, 'delivered could': 233311, 'could make': 209399, 'difference in': 241847, 'in containing': 421741, 'containing covid': 200581, 'people in greater': 648378, 'in greater cincinnati': 423416, 'greater cincinnati are': 363158, 'cincinnati are in': 178517, 'are in desperate': 87376, 'desperate need of': 238540, 'need of free': 555330, 'of free grocery': 583915, 'free grocery how': 331882, 'grocery how that': 364602, 'how that food': 408791, 'food is packed': 315142, 'is packed and': 450771, 'packed and delivered': 633587, 'and delivered could': 61094, 'delivered could make': 233312, 'could make big': 209401, 'big difference in': 129758, 'difference in containing': 241848, 'in containing covid': 421742, 'containing covid 19': 200582, 'this chart': 886749, 'the expected': 854708, 'expected surge': 290948, 'shopping market': 763246, 'market even': 516346, '19 pande': 9241, 'pande tech': 634736, 'this chart show': 886751, 'chart show the': 173851, 'show the expected': 767207, 'the expected surge': 854710, 'expected surge in': 290949, 'surge in the': 828212, 'the online grocery': 862271, 'grocery shopping market': 365052, 'shopping market even': 763247, 'market even if': 516347, 'covid 19 pande': 213547, '19 pande tech': 9242, 'rodriguez': 725008, 'pedro rodriguez': 646237, 'rodriguez is': 725009, 'american relying': 52159, 'pantry after': 639510, 'after losing': 35892, 'losing his': 503552, 'his job': 397553, 'country reporting': 211002, 'reporting an': 712671, 'unprecedented spike': 943189, 'demand are': 235019, 'sustain their': 829743, 'their inventory': 873680, 'pedro rodriguez is': 646238, 'rodriguez is among': 725010, 'among the million': 53066, 'of american relying': 580071, 'american relying on': 52160, 'relying on food': 709674, 'food pantry after': 315765, 'pantry after losing': 639511, 'after losing his': 35893, 'losing his job': 503553, 'his job due': 397554, '19 pandemic food': 9331, 'pandemic food pantry': 635438, 'pantry across the': 639509, 'the country reporting': 852142, 'country reporting an': 211003, 'reporting an unprecedented': 712672, 'an unprecedented spike': 56894, 'unprecedented spike in': 943190, 'in demand are': 422106, 'demand are struggling': 235024, 'struggling to sustain': 814521, 'to sustain their': 916076, 'sustain their inventory': 829744, 'kismenti': 475442, 'coz': 214530, 'meet one': 527538, 'at dive': 98463, 'dive kismenti': 248497, 'kismenti am': 475443, 'sure she': 827664, 'wa due': 962046, 'due in': 261660, 'few even': 303824, 'even had': 284149, 'assist her': 96630, 'her ha': 392084, 'ha ha': 370783, 'ha she': 371890, 'she told': 756389, 'me sending': 523435, 'sending the': 750096, 'the hubby': 857691, 'hubby he': 409871, 'would spend': 1012258, 'more tim': 540761, 'tim at': 896148, 'the alcohol': 848557, 'alcohol corner': 40974, 'corner and': 203635, 'if give': 414151, 'give him': 350518, 'him list': 396651, 'list something': 494538, 'something would': 785149, 'would miss': 1012037, 'miss told': 534213, 'her coz': 391972, 'coz of': 214546, 'meet one at': 527539, 'one at dive': 605965, 'at dive kismenti': 98464, 'dive kismenti am': 248498, 'kismenti am sure': 475444, 'am sure she': 50461, 'sure she wa': 827667, 'she wa due': 756412, 'wa due in': 962047, 'due in few': 261662, 'in few even': 422862, 'few even had': 303825, 'even had to': 284152, 'had to assist': 373662, 'to assist her': 900781, 'assist her ha': 96631, 'her ha ha': 392085, 'ha ha she': 370784, 'ha she told': 371891, 'she told me': 756392, 'told me sending': 923615, 'me sending the': 523436, 'sending the hubby': 750097, 'the hubby he': 857692, 'hubby he would': 409872, 'he would spend': 385700, 'would spend more': 1012259, 'spend more tim': 788643, 'more tim at': 540762, 'tim at the': 896149, 'at the alcohol': 100875, 'the alcohol corner': 848560, 'alcohol corner and': 40975, 'corner and even': 203636, 'and even if': 62338, 'even if give': 284204, 'if give him': 414152, 'give him list': 350520, 'him list something': 396652, 'list something would': 494539, 'something would miss': 785150, 'would miss told': 1012039, 'miss told her': 534214, 'told her coz': 923565, 'her coz of': 391973, 'coz of covid': 214547, 'garcia': 343555, 'katalonski': 471010, 'biha': 130389, 'jak': 464314, 'thegame': 872370, 'openborders': 612695, 'mijatovic': 531263, 'hr garcia': 409625, 'garcia katalonski': 343556, 'katalonski biha': 471011, 'biha vu': 130390, 'vu jak': 960782, 'jak thegame': 464315, 'thegame openborders': 872371, 'openborders mijatovic': 612696, 'hr garcia katalonski': 409626, 'garcia katalonski biha': 343557, 'katalonski biha vu': 471012, 'biha vu jak': 130391, 'vu jak thegame': 960783, 'jak thegame openborders': 464316, 'thegame openborders mijatovic': 872372, 'consumer begin': 196425, 'to anticipate': 900596, 'anticipate recession': 78435, 'curtail spending': 221779, 'spending online': 788938, 'shopping see': 763824, 'uptick mckinsey': 947913, 'french consumer begin': 332722, 'consumer begin to': 196426, 'begin to anticipate': 123576, 'to anticipate recession': 900598, 'anticipate recession and': 78436, 'recession and curtail': 704203, 'and curtail spending': 60820, 'curtail spending online': 221780, 'spending online shopping': 788939, 'online shopping see': 609263, 'shopping see an': 763825, 'see an uptick': 744901, 'an uptick mckinsey': 56950, 'okay the': 598016, 'who say': 989563, 'me oh': 523254, 'oh but': 596369, 'working still': 1008920, 'still yes': 801446, 'aren in': 92438, 'public like': 688143, 'supermarket god': 820534, 'people ve': 650086, 'with who': 1002094, 'okay the next': 598017, 'next person who': 561509, 'person who say': 652736, 'who say to': 989569, 'say to me': 739391, 'to me oh': 909945, 'me oh but': 523255, 'oh but so': 596371, 'but so and': 147072, 'so and so': 776509, 'so are working': 776546, 'are working still': 91718, 'working still yes': 1008921, 'still yes but': 801447, 'yes but they': 1015398, 'but they aren': 147492, 'they aren in': 881479, 'aren in the': 92440, 'the public like': 864828, 'public like retail': 688145, 'like retail worker': 491086, 'retail worker work': 718909, 'in supermarket god': 428608, 'supermarket god know': 820535, 'know how many': 476448, 'many people ve': 514544, 'people ve come': 650088, 've come in': 953000, 'contact with who': 200299, 'with who may': 1002095, 'who may have': 989272, 'may have covid': 521234, 'isolation if': 455304, 'is okay': 450449, 'supermarket fastest': 820278, 'fastest delivery': 300142, 'week unless': 977141, 'unless great': 942609, 'great effort': 362648, 'effort are': 269475, 'made to': 508029, 'improve this': 419550, 'self isolation if': 747777, 'isolation if you': 455306, 'you have symptom': 1019125, 'have symptom of': 382893, 'symptom of this': 830890, 'virus is okay': 958394, 'is okay but': 450450, 'okay but try': 597967, 'but try to': 147631, 'try to shop': 934664, 'shop online at': 760562, 'online at all': 607882, 'at all major': 97894, 'all major supermarket': 43436, 'major supermarket fastest': 509489, 'supermarket fastest delivery': 820279, 'fastest delivery is': 300143, 'delivery is week': 234147, 'is week unless': 453825, 'week unless great': 977142, 'unless great effort': 942610, 'great effort are': 362649, 'effort are made': 269477, 'are made to': 87960, 'made to improve': 508034, 'to improve this': 908209, 'improve this people': 419551, 'this people infected': 889505, 'virus will be': 959040, 'forced to go': 328634, 'surfacing': 828100, 'scammer looking': 740589, 'situation covid': 772229, 'stimulus scam': 801614, 'are surfacing': 90671, 'surfacing the': 828103, 'commission is': 188846, 'the alert': 848565, 'alert never': 41464, 'never disclose': 557954, 'disclose personal': 244377, 'aware of scammer': 105641, 'of scammer looking': 589373, 'scammer looking to': 740590, 'current situation covid': 221360, 'situation covid 19': 772230, '19 stimulus scam': 10854, 'stimulus scam are': 801615, 'scam are surfacing': 740045, 'are surfacing the': 90672, 'surfacing the federal': 828104, 'trade commission is': 928449, 'commission is warning': 188852, 'warning consumer to': 967110, 'consumer to be': 199308, 'on the alert': 603966, 'the alert never': 848568, 'alert never disclose': 41465, 'never disclose personal': 557955, 'disclose personal information': 244378, 'personal information or': 652897, 'information or account': 437934, 'despite real': 238832, 'being stable': 125852, 'stable in': 791923, 'march housing': 515385, 'market activity': 515912, 'on track': 604828, 'track for': 928187, 'for decline': 320609, 'decline this': 231409, 'this summer': 890416, 'summer significantly': 818011, 'significantly fewer': 769573, 'home change': 400891, 'change hand': 172069, 'hand due': 374907, 'pandemic however': 635661, 'however market': 409416, 'condition could': 193436, 'could improve': 209325, 'improve in': 419527, 'last quarter': 480463, 'despite real estate': 238833, 'estate price being': 282174, 'price being stable': 672900, 'being stable in': 125853, 'stable in march': 791925, 'in march housing': 425106, 'march housing market': 515386, 'housing market activity': 407097, 'market activity is': 515914, 'activity is on': 30455, 'is on track': 450490, 'on track for': 604829, 'track for decline': 928189, 'for decline this': 320610, 'decline this summer': 231410, 'this summer significantly': 890420, 'summer significantly fewer': 818012, 'significantly fewer home': 769574, 'fewer home change': 304215, 'home change hand': 400892, 'change hand due': 172070, 'hand due to': 374908, '19 pandemic however': 9353, 'pandemic however market': 635662, 'however market condition': 409417, 'market condition could': 516206, 'condition could improve': 193437, 'could improve in': 209326, 'improve in the': 419528, 'the last quarter': 859035, 'last quarter of': 480464, '13 03': 3154, '2020 or': 14489, 'than piece': 841029, 'piece 19': 656256, 'to 13 03': 899483, '13 03 2020': 3155, '03 2020 or': 859, '2020 or not': 14490, 'or not more': 616305, 'than 10 piece': 840153, 'lower and that': 505798, 'more than piece': 540661, 'than piece 19': 841030, 'after almost': 35346, 'almost two': 46757, 'going absolutely': 354993, 'absolutely nowhere': 27417, 'nowhere we': 576577, 'food fruit': 314626, 'veggie some': 954212, 'some older': 783432, 'people their': 649799, 'their behaviour': 872585, 'behaviour what': 124559, 'distancing do': 247105, 'understand already': 940588, 'had such': 373576, 'such stressful': 816773, 'stressful day': 813488, 'day socialdistancing': 228374, 'after almost two': 35347, 'almost two week': 46760, 'week of going': 976616, 'of going absolutely': 584187, 'going absolutely nowhere': 354995, 'absolutely nowhere we': 27418, 'nowhere we had': 576578, 'on food fruit': 600866, 'food fruit and': 314627, 'and veggie some': 74907, 'veggie some older': 954213, 'some older people': 783433, 'older people their': 598662, 'people their behaviour': 649800, 'their behaviour what': 872589, 'behaviour what part': 124560, 'part of social': 642379, 'social distancing do': 779592, 'distancing do you': 247108, 'you not understand': 1020134, 'not understand already': 572317, 'understand already had': 940589, 'already had such': 47399, 'had such stressful': 373577, 'such stressful day': 816774, 'stressful day socialdistancing': 813490, 'what more': 981880, 'show society': 767138, 'society how': 781239, 'valuable and': 952014, 'and integral': 65310, 'integral some': 440942, 'some underrated': 784132, 'underrated field': 940552, 'field of': 304495, 'like especially': 490173, 'especially grocery': 280496, 'what more interesting': 981883, 'more interesting to': 539614, 'interesting to me': 441635, 'to me is': 909937, 'me is how': 522998, 'how to show': 409083, 'to show society': 914572, 'show society how': 767139, 'society how valuable': 781240, 'how valuable and': 409132, 'valuable and integral': 952015, 'and integral some': 65311, 'integral some underrated': 440943, 'some underrated field': 784133, 'underrated field of': 940553, 'field of work': 304496, 'of work are': 593240, 'work are like': 1004831, 'are like especially': 87788, 'like especially grocery': 490174, 'especially grocery store': 280497, 'droplet': 260464, 'linger': 493687, 'transmittable': 929792, 'wa getting': 962201, 'impression lately': 419463, 'lately that': 480987, 'the droplet': 853713, 'droplet might': 260477, 'might linger': 531067, 'linger airborne': 493688, 'airborne long': 39846, 'term giving': 838157, 'giving the': 351410, 'potential that': 667148, 'that anybody': 842681, 'anybody could': 80066, 'just walking': 470213, 'store apparently': 806444, 'apparently not': 81972, 'not transmittable': 572251, 'transmittable by': 929793, 'talking either': 834013, 'either and': 270252, 'only cough': 610275, 'wa getting the': 962203, 'getting the impression': 349349, 'the impression lately': 857993, 'impression lately that': 419464, 'lately that the': 480988, 'that the droplet': 846710, 'the droplet might': 853715, 'droplet might linger': 260478, 'might linger airborne': 531068, 'linger airborne long': 493689, 'airborne long term': 39847, 'long term giving': 501687, 'term giving the': 838158, 'giving the potential': 351413, 'the potential that': 864129, 'potential that anybody': 667149, 'that anybody could': 842682, 'anybody could get': 80067, 'could get it': 209202, 'get it just': 347412, 'it just walking': 459255, 'just walking through': 470215, 'walking through grocery': 965112, 'grocery store apparently': 365211, 'store apparently not': 806446, 'apparently not transmittable': 81976, 'not transmittable by': 572252, 'transmittable by just': 929794, 'by just talking': 152977, 'just talking either': 469956, 'talking either and': 834014, 'either and only': 270253, 'and only cough': 68133, 'only cough sneeze': 610276, 'socializing': 781031, 'dusting': 263473, 'tranny': 929415, 'readiness': 700723, 'backtobasics': 107594, 'fast forward': 299982, 'forward few': 329981, 'week bet': 976008, 'bet it': 128073, 'before long': 122921, 'internet will': 442054, 'will crash': 993062, 'crash everyone': 214972, 'and socializing': 71915, 'socializing online': 781032, 'online dusting': 608146, 'dusting off': 263474, 'my old': 549556, 'old tranny': 598511, 'tranny radio': 929416, 'radio that': 695462, 'in readiness': 427284, 'readiness just': 700726, 'case backtobasics': 165653, 'fast forward few': 299983, 'forward few week': 329982, 'few week bet': 304138, 'week bet it': 976009, 'bet it will': 128075, 'not be long': 568416, 'be long before': 115807, 'long before long': 501349, 'before long the': 122922, 'long the internet': 501728, 'the internet will': 858396, 'internet will crash': 442055, 'will crash everyone': 993063, 'crash everyone working': 214973, 'from home shopping': 335903, 'home shopping and': 402059, 'shopping and socializing': 762024, 'and socializing online': 71916, 'socializing online dusting': 781033, 'online dusting off': 608147, 'dusting off my': 263475, 'off my old': 593985, 'my old tranny': 549561, 'old tranny radio': 598512, 'tranny radio that': 929417, 'radio that is': 695463, 'that is in': 844608, 'is in readiness': 448806, 'in readiness just': 427285, 'readiness just in': 700727, 'in case backtobasics': 421255, 'correspondent': 207635, 'helping avoid': 391279, 'avoid wide': 105395, 'wide scale': 991751, 'scale panic': 739908, 'our correspondent': 622572, 'correspondent take': 207643, 'look inside': 502425, 'inside one': 439341, 'one distribution': 606198, 'centre in': 169508, 'fight to overcome': 304926, 'overcome the pandemic': 631133, 'pandemic the food': 636679, 'food industry is': 315016, 'industry is crucial': 435928, 'is crucial in': 446958, 'crucial in helping': 219451, 'in helping avoid': 423638, 'helping avoid wide': 391280, 'avoid wide scale': 105397, 'wide scale panic': 991752, 'scale panic our': 739909, 'panic our correspondent': 638378, 'our correspondent take': 622573, 'correspondent take look': 207644, 'take look inside': 832293, 'look inside one': 502427, 'inside one distribution': 439342, 'one distribution centre': 606199, 'distribution centre in': 248131, 'edmonton': 268704, 'bookstore': 134781, 'the quebec': 865002, 'quebec salad': 693347, 'salad chain': 731914, 'chain turning': 171205, 'store toronto': 810918, 'toronto spirit': 925991, 'spirit distiller': 789461, 'distiller making': 247712, 'an edmonton': 55604, 'edmonton bookstore': 268709, 'bookstore starting': 134786, 'starting delivery': 794950, 'delivery all': 233635, 'out amid': 625619, 'amid my': 52539, 'meet the quebec': 527607, 'the quebec salad': 865004, 'quebec salad chain': 693348, 'salad chain turning': 731915, 'chain turning into': 171206, 'turning into grocery': 935927, 'grocery store toronto': 365879, 'store toronto spirit': 810919, 'toronto spirit distiller': 925992, 'spirit distiller making': 789462, 'distiller making hand': 247713, 'sanitizer and an': 734381, 'and an edmonton': 58109, 'an edmonton bookstore': 55605, 'edmonton bookstore starting': 268710, 'bookstore starting delivery': 134787, 'starting delivery all': 794951, 'delivery all to': 233638, 'all to help': 45240, 'help out amid': 390243, 'out amid my': 625622, 'amid my story': 52540, 'hide in': 394834, 'month like': 537828, 'europe when': 283526, '19 came': 5595, 'to tanzania': 916294, 'food and hide': 313251, 'and hide in': 64548, 'hide in our': 394835, 'our home for': 623448, 'home for month': 401239, 'for month like': 323526, 'month like they': 537829, 'like they do': 491450, 'they do in': 881964, 'do in europe': 249426, 'in europe when': 422657, 'europe when covid': 283527, 'covid 19 came': 212751, '19 came to': 5599, 'came to tanzania': 157071, 'forging': 329364, '19 black': 5400, 'is forging': 447909, 'forging store': 329365, 'creating artificial': 215979, 'artificial shortage': 94532, 'and hiking': 64579, 'item pity': 463569, 'pity india': 657054, 'even during covid': 284023, 'covid 19 black': 212710, '19 black market': 5401, 'black market is': 132090, 'market is forging': 516627, 'is forging store': 447910, 'forging store are': 329366, 'store are creating': 806469, 'are creating artificial': 85617, 'creating artificial shortage': 215980, 'artificial shortage and': 94533, 'shortage and hiking': 764817, 'and hiking price': 64580, 'essential item pity': 281223, 'item pity india': 463570, 'pity india and': 657055, 'india and it': 434298, 'and it people': 65568, 'these must': 880329, 'must still': 546915, 'be income': 115455, 'income tax': 432468, 'tax price': 835066, '19 deal': 6438, 'these must still': 880330, 'must still be': 546916, 'still be income': 800257, 'be income tax': 115456, 'income tax price': 432470, 'tax price what': 835067, 'what about covid': 980964, 'covid 19 deal': 212917, 'action fraud': 30023, 'fraud have': 331284, 'seen number': 747157, 'circulating relating': 178690, 'includes online': 431786, 'shopping scam': 763804, 'and criminal': 60750, 'criminal using': 216887, 'using government': 950501, 'government branding': 359945, 'keep yourselves': 472299, 'one safe': 606983, 'safe here': 729753, 'action fraud have': 30024, 'fraud have seen': 331285, 'have seen number': 382436, 'seen number of': 747158, 'number of scam': 576989, 'of scam circulating': 589358, 'scam circulating relating': 740115, 'circulating relating to': 178691, '19 this includes': 11345, 'this includes online': 888075, 'includes online shopping': 431787, 'online shopping scam': 609259, 'shopping scam and': 763806, 'scam and criminal': 739995, 'and criminal using': 60753, 'criminal using government': 216888, 'using government branding': 950502, 'government branding to': 359946, 'branding to try': 138141, 'try to trick': 934674, 'trick people find': 931703, 'people find out': 647921, 'to keep yourselves': 908884, 'keep yourselves and': 472300, 'loved one safe': 504920, 'one safe here': 606985, 'parent went': 641769, 'grab some': 361529, 'lady offered': 478797, 'offered my': 594948, 'dad couple': 224313, 'couple mask': 211620, 'it heartfelt': 458523, 'heartfelt gesture': 388447, 'gesture but': 346431, 'sad elderly': 729168, 'elderly looking': 270742, 'looking out': 502983, 'elderly bc': 270609, 'bc they': 113298, 'my parent went': 549705, 'parent went to': 641770, 'went to grab': 979156, 'to grab some': 906969, 'grab some essential': 361531, 'some essential item': 782761, 'item at the': 463136, 'store when an': 811235, 'when an elderly': 983147, 'elderly lady offered': 270734, 'lady offered my': 478798, 'offered my dad': 594949, 'my dad couple': 547886, 'dad couple mask': 224314, 'couple mask it': 211621, 'mask it heartfelt': 518879, 'it heartfelt gesture': 458524, 'heartfelt gesture but': 388448, 'gesture but also': 346432, 'but also very': 145152, 'also very sad': 49064, 'very sad elderly': 955485, 'sad elderly looking': 729169, 'elderly looking out': 270743, 'looking out for': 502984, 'out for the': 626165, 'the elderly bc': 854112, 'elderly bc they': 270610, 'bc they are': 113299, 'they are most': 881337, 'susceptible to stayathome': 829446, 'incidental': 431447, 'screenshot': 742777, 'gristle': 364063, 'animal body': 76560, 'body unleashed': 133907, 'unleashed this': 942587, 'pandemic decrease': 635288, 'decrease that': 231607, 'one by': 606033, 'going vegan': 355801, 'vegan it': 953866, 'many incidental': 514175, 'incidental benefit': 431448, 'of ending': 583102, 'ending human': 276177, 'human animal': 410412, 'animal violence': 76675, 'violence screenshot': 957555, 'screenshot from': 742778, 'from gristle': 335695, 'gristle from': 364064, 'from factory': 335385, 'factory farm': 295944, 'farm to': 299201, 'for animal body': 319357, 'animal body unleashed': 76561, 'body unleashed this': 133908, 'unleashed this pandemic': 942588, 'this pandemic decrease': 889382, 'pandemic decrease that': 635289, 'decrease that demand': 231608, 'that demand to': 843497, 'demand to help': 236398, 'prevent the next': 671733, 'the next one': 861683, 'next one by': 561483, 'one by going': 606036, 'by going vegan': 152704, 'going vegan it': 355802, 'vegan it one': 953867, 'of the many': 591219, 'the many incidental': 860044, 'many incidental benefit': 514176, 'incidental benefit of': 431449, 'benefit of ending': 127041, 'of ending human': 583103, 'ending human animal': 276178, 'human animal violence': 410413, 'animal violence screenshot': 76676, 'violence screenshot from': 957556, 'screenshot from gristle': 742779, 'from gristle from': 335696, 'gristle from factory': 364065, 'from factory farm': 335386, 'factory farm to': 295945, 'farm to food': 299203, 'to food safety': 906092, 'arwady': 94694, 'dear dr': 229776, 'dr arwady': 257960, 'arwady what': 94695, 'insure the': 440859, 'the disabled': 853329, 'disabled population': 243952, 'population during': 664674, 'be meal': 115917, 'meal delivery': 524128, 'cannot or': 162019, 'dear dr arwady': 229777, 'dr arwady what': 257961, 'arwady what measure': 94696, 'what measure have': 981865, 'measure have been': 525214, 'by the city': 154283, 'the city to': 850962, 'city to insure': 179427, 'to insure the': 908441, 'insure the disabled': 440860, 'the disabled population': 853333, 'disabled population during': 243953, 'population during the': 664675, 'the pandemic will': 863158, 'pandemic will there': 637016, 'there be meal': 878215, 'be meal delivery': 115918, 'meal delivery for': 524130, 'disability who cannot': 243864, 'who cannot or': 988426, 'cannot or do': 162020, 'or do not': 615016, 'access to shopping': 28278, 'clapping': 180034, 'well clapping': 978105, 'clapping for': 180039, 'for carers': 319936, 'carers we': 164630, 'also clap': 48026, 'for police': 324603, 'police supermarket': 663220, 'staff firefighter': 792454, 'firefighter anyone': 308197, 'that isolated': 844685, 'isolated properly': 455018, 'properly like': 684184, 'like grown': 490352, 'grown up': 367298, 'up clapforcarers': 944603, 'clapforkeyworkers 19': 179994, '19 thankfulthursday': 11139, 'well clapping for': 978106, 'clapping for carers': 180041, 'for carers we': 319938, 'carers we should': 164631, 'should also clap': 765501, 'also clap for': 48027, 'clap for police': 179960, 'for police supermarket': 324605, 'police supermarket staff': 663223, 'supermarket staff firefighter': 822846, 'staff firefighter anyone': 792455, 'firefighter anyone that': 308198, 'anyone that isolated': 80557, 'that isolated properly': 844686, 'isolated properly like': 455019, 'properly like grown': 684185, 'like grown up': 490353, 'grown up clapforcarers': 367299, 'up clapforcarers clapforkeyworkers': 944604, 'clapforcarers clapforkeyworkers 19': 179986, 'clapforkeyworkers 19 thankfulthursday': 179995, 'ranking': 696792, 'asexuals': 95010, 'homeschoolers': 402929, 'butterfly': 148177, 'prostitute': 684736, 'power ranking': 667669, 'ranking up': 696799, 'up asexuals': 944412, 'asexuals homeschoolers': 95011, 'homeschoolers supermarket': 402930, 'owner down': 632443, 'down food': 256763, 'employee social': 274222, 'social butterfly': 779449, 'butterfly prostitute': 148178, 'power ranking up': 667670, 'ranking up asexuals': 696800, 'up asexuals homeschoolers': 944413, 'asexuals homeschoolers supermarket': 95012, 'homeschoolers supermarket owner': 402931, 'supermarket owner down': 821874, 'owner down food': 632444, 'down food service': 256764, 'service employee social': 752329, 'employee social butterfly': 274223, 'social butterfly prostitute': 779450, 'pastor': 643881, 'for so': 325692, 'many during': 514018, 'this friend': 887621, 'family pastor': 298149, 'pastor and': 643882, 'and church': 59885, 'church leader': 178382, 'leader heath': 483472, 'heath care': 388510, 'worker government': 1007051, 'worker restaurant': 1007686, 'more let': 539673, 'part be': 642234, 'careful be': 164383, 'responsible don': 716020, 'infected don': 436564, 'don infect': 253651, 'praying for so': 669118, 'for so many': 325697, 'so many during': 777654, 'many during this': 514020, 'during this friend': 263286, 'this friend family': 887622, 'friend family pastor': 333600, 'family pastor and': 298150, 'pastor and church': 643883, 'and church leader': 59886, 'church leader heath': 178383, 'leader heath care': 483473, 'heath care worker': 388511, 'care worker government': 164290, 'worker government official': 1007053, 'government official grocery': 360411, 'store worker restaurant': 811572, 'worker restaurant worker': 1007688, 'restaurant worker so': 716825, 'worker so many': 1007790, 'many more let': 514306, 'more let do': 539674, 'our part be': 624258, 'part be careful': 642235, 'be careful be': 113981, 'careful be responsible': 164384, 'be responsible don': 116835, 'responsible don get': 716021, 'don get infected': 253538, 'get infected don': 347329, 'infected don infect': 436565, 'don infect others': 253653, 'estate how': 282129, 'affecting house': 34521, 'your area': 1022816, 'area my': 92114, 'my system': 550301, 'picture price': 656189, 'when new': 983769, 'quarantine and social': 692022, 'distancing but what': 247062, 'mean for real': 524451, 'for real estate': 324991, 'real estate how': 701149, 'estate how is': 282130, '19 affecting house': 4847, 'affecting house price': 34522, 'in your area': 431055, 'your area my': 1022822, 'area my system': 92116, 'my system will': 550302, 'system will send': 831385, 'will send you': 994813, 'send you an': 749982, 'you an email': 1016965, 'an email with': 55662, 'email with all': 272367, 'all the picture': 44863, 'the picture price': 863729, 'picture price when': 656190, 'price when new': 677485, 'holster': 400492, 'trumperzombieapocalypse': 934041, 'idiot in': 413527, 'charge online': 173302, 'for holster': 322337, 'holster already': 400493, 'already ordered': 47544, 'the ammo': 848645, 'ammo trumperzombieapocalypse': 52924, 'to the idiot': 916793, 'the idiot in': 857842, 'idiot in charge': 413528, 'in charge online': 421343, 'charge online shopping': 173303, 'shopping for holster': 762683, 'for holster already': 322338, 'holster already ordered': 400494, 'already ordered the': 47545, 'ordered the ammo': 618911, 'the ammo trumperzombieapocalypse': 848646, 'virus get': 958229, 'best mask': 127762, 'mask you': 519604, 'find no': 307095, 'doubt hmu': 256198, 'hmu for': 398718, 'don let the': 253694, 'let the covid': 487121, '19 virus get': 11801, 'virus get to': 958230, 'get to you': 348503, 'to you buy': 918893, 'buy the best': 149284, 'the best mask': 849524, 'best mask you': 127763, 'mask you ll': 519608, 'll find no': 496770, 'find no doubt': 307096, 'no doubt hmu': 564049, 'doubt hmu for': 256199, 'hmu for price': 398720, 'not stopping': 571768, 'stopping from': 805812, 'killing it': 474688, 'people shop': 649422, 'online 24': 607755, 'is not stopping': 450192, 'not stopping from': 571770, 'stopping from making': 805813, 'from making money': 336312, 'making money online': 511229, 'money online our': 536947, 'online our store': 608722, 'our store are': 624940, 'store are killing': 806492, 'are killing it': 87685, 'killing it people': 474692, 'it people shop': 460299, 'people shop online': 649427, 'shop online 24': 760559, 'capitalizing': 162842, 'opposed': 613761, 'is capitalizing': 446377, 'capitalizing on': 162843, 'making stay': 511362, 'open opposed': 612421, 'opposed to': 613766, 'to closing': 902912, 'closing for': 183639, 'safety lockdowncanada': 730613, 'work is capitalizing': 1005367, 'is capitalizing on': 446378, 'capitalizing on the': 162845, 'on the demand': 604061, 'for packaged food': 324352, 'food and making': 313278, 'and making stay': 66597, 'making stay open': 511363, 'stay open opposed': 797159, 'open opposed to': 612422, 'opposed to closing': 613768, 'to closing for': 902913, 'closing for all': 183640, 'all our health': 43810, 'our health and': 623368, 'and safety lockdowncanada': 70750, 'been turning': 122277, 'butcher or': 148059, 'or baker': 614486, 'baker more': 108812, 'usual because': 950893, 'supply those': 825989, 'those bare': 891836, 'have represented': 382275, 'represented lifeline': 712933, 'lifeline at': 489296, 'you been turning': 1017430, 'been turning to': 122278, 'turning to your': 935981, 'your local butcher': 1024685, 'local butcher or': 497797, 'butcher or baker': 148060, 'or baker more': 614487, 'baker more than': 108813, 'more than usual': 540694, 'than usual because': 841389, 'usual because of': 950894, 'the rush on': 866086, 'rush on supply': 728320, 'on supply those': 603835, 'supply those bare': 825990, 'those bare supermarket': 891837, 'shelf have represented': 757145, 'have represented lifeline': 382276, 'represented lifeline at': 712934, 'lifeline at least': 489297, 'least in the': 484519, 'short term for': 764737, 'term for small': 838151, 'shipper': 758812, 'shipper are': 758813, 'are flying': 86608, 'into uncharted': 443265, 'pandemic upends': 636883, 'upends delivery': 947511, 'delivery pattern': 234303, 'pattern with': 644527, 'demand mitigating': 235873, 'mitigating slumping': 534554, 'slumping global': 774727, 'economy exacerbated': 267851, 'exacerbated by': 288662, 'by border': 151978, 'and travel': 74400, 'travel control': 930326, 'control supplychain': 202155, 'supplychain shipping': 826228, 'shipping logistics': 758866, 'shipper are flying': 758814, 'are flying into': 86610, 'flying into uncharted': 311676, 'into uncharted territory': 443266, 'territory the covid': 838581, '19 pandemic upends': 9514, 'pandemic upends delivery': 636884, 'upends delivery pattern': 947512, 'delivery pattern with': 234304, 'pattern with consumer': 644528, 'with consumer demand': 997752, 'consumer demand mitigating': 197147, 'demand mitigating slumping': 235874, 'mitigating slumping global': 534555, 'slumping global economy': 774728, 'global economy exacerbated': 351896, 'economy exacerbated by': 267852, 'exacerbated by border': 288664, 'by border closure': 151979, 'border closure and': 135231, 'closure and travel': 183846, 'and travel control': 74407, 'travel control supplychain': 930327, 'control supplychain shipping': 202156, 'supplychain shipping logistics': 826229, 'bochenek': 133768, 'contributor': 201946, 'blog think': 133030, 'produced steven': 680534, 'steven bochenek': 799971, 'bochenek our': 133769, 'senior contributor': 750266, 'contributor put': 201951, 'put this': 690910, 'together onlineshopping': 920888, 'ecommerce will': 266896, 'will day': 993098, 'day 66': 227160, '66 finally': 21418, 'finally confirm': 305959, 'shopping tipping': 764161, 'proud of this': 686040, 'of this blog': 591945, 'this blog think': 886580, 'blog think the': 133031, 'think the best': 885623, 'the best we': 849564, 'best we have': 127992, 'we have produced': 971906, 'have produced steven': 382059, 'produced steven bochenek': 680535, 'steven bochenek our': 799972, 'bochenek our senior': 133770, 'our senior contributor': 624715, 'senior contributor put': 750267, 'contributor put this': 201952, 'put this together': 690914, 'this together onlineshopping': 890774, 'together onlineshopping ecommerce': 920889, 'onlineshopping ecommerce will': 609898, 'ecommerce will day': 266898, 'will day 66': 993099, 'day 66 finally': 227161, '66 finally confirm': 21419, 'finally confirm the': 305960, 'confirm the online': 194109, 'online shopping tipping': 609312, 'shopping tipping point': 764162, 'force applauds': 328331, 'applauds baltimore': 82282, 'baltimore mayor': 109129, 'mayor for': 521951, 'together health': 920820, 'city watch': 179448, 'task force applauds': 834679, 'force applauds baltimore': 328332, 'applauds baltimore mayor': 82283, 'baltimore mayor for': 109130, 'mayor for pulling': 521952, 'for pulling together': 324859, 'pulling together health': 688951, 'together health resource': 920821, 'health resource to': 386798, 'resource to lower': 714909, 'lower the spread': 506028, 'the city watch': 850964, 'city watch live': 179449, 'cup': 220439, 'thing learned': 884524, 'order it': 618342, 'prime it': 678119, 'think cup': 885200, 'cup noodle': 220450, 'noodle pasta': 566812, 'pasta etc': 643715, 'healthy aisle': 387509, 'probably fully': 679263, 'thing learned today': 884525, 'learned today if': 484157, 'can order it': 159172, 'order it on': 618345, 'it on amazon': 460029, 'on amazon prime': 599285, 'amazon prime it': 51077, 'prime it probably': 678120, 'it probably not': 460490, 'probably not available': 679333, 'not available at': 568297, 'available at your': 104266, 'store think cup': 810686, 'think cup noodle': 885201, 'cup noodle pasta': 220451, 'noodle pasta etc': 566813, 'pasta etc the': 643716, 'etc the healthy': 282797, 'the healthy aisle': 857204, 'healthy aisle is': 387510, 'aisle is probably': 40286, 'is probably fully': 451043, 'probably fully stocked': 679264, 'causing online': 168076, 'shopping trouble': 764270, 'trouble try': 932651, 'try many': 934511, 'food still': 316769, 'and website': 75368, 'website working': 975496, 'no delay': 563979, 'delay also': 232666, 'each friend': 264080, 'friend that': 333823, 'that sign': 846313, 'up using': 946513, 'above link': 27081, 'link they': 493917, 'll send': 497002, 'parcel full': 641503, 'causing online shopping': 168078, 'online shopping trouble': 609320, 'shopping trouble try': 764271, 'trouble try many': 932652, 'try many food': 934512, 'many food still': 514081, 'food still available': 316770, 'still available and': 800221, 'available and website': 104232, 'and website working': 75372, 'website working with': 975497, 'working with no': 1009064, 'with no delay': 999746, 'no delay also': 563980, 'delay also for': 232667, 'also for each': 48226, 'for each friend': 320902, 'each friend that': 264081, 'friend that sign': 333827, 'that sign up': 846315, 'sign up using': 769259, 'up using the': 946514, 'using the above': 950686, 'the above link': 848248, 'above link they': 27082, 'link they ll': 493918, 'they ll send': 882609, 'll send food': 497003, 'send food parcel': 749859, 'food parcel full': 315817, 'parcel full of': 641504, 'full of essential': 340720, 'of essential to': 583191, 'essential to food': 281697, 'bank in your': 109933, 'stimulate': 801475, 'country agreed': 210414, 'agreed today': 38753, 'to stimulate': 915416, 'stimulate sharp': 801484, 'major oil producing': 509403, 'producing country agreed': 680750, 'country agreed today': 210417, 'agreed today to': 38754, 'today to cut': 920352, 'production to stimulate': 682253, 'to stimulate sharp': 915419, 'stimulate sharp drop': 801485, 'gaither': 342890, 'country gaither': 210678, 'gaither said': 342893, 'said everybody': 731058, 'the country gaither': 852085, 'country gaither said': 210679, 'gaither said everybody': 342894, 'said everybody is': 731059, 'people seem': 649379, 'buying certain': 150106, 'is timely': 453167, 'timely reminder': 898487, 'reminder for': 710551, 'folk to': 312277, 'vigilant on': 957252, 'leave good': 484801, 'on show': 603453, 'show in': 767006, 'car good': 163110, 'good advice': 356689, 'advice at': 33324, 'current situation where': 221376, 'situation where people': 772579, 'where people seem': 985109, 'people seem to': 649380, 'to be panic': 901434, 'panic buying certain': 637676, 'buying certain item': 150107, 'certain item it': 170040, 'item it is': 463399, 'it is timely': 459105, 'is timely reminder': 453168, 'timely reminder for': 898488, 'reminder for folk': 710554, 'for folk to': 321541, 'folk to be': 312278, 'be vigilant on': 118003, 'vigilant on supermarket': 957253, 'car park and': 163211, 'park and not': 641862, 'to leave good': 909151, 'leave good on': 484802, 'good on show': 357501, 'on show in': 603455, 'show in your': 767009, 'your car good': 1023133, 'car good advice': 163111, 'good advice at': 356691, 'advice at any': 33325, 'any time but': 79970, 'time but please': 896422, 'but please be': 146794, 'night doing': 562982, 'bit re': 131683, 're start': 699573, '10pm finish': 2374, 'finish at': 307847, '8am when': 23169, 'home asleep': 400741, 'asleep back': 96187, 'it again': 456302, 'that night': 845351, 'night no': 563037, 'for reading': 324983, 'reading or': 700793, 'or writing': 617853, 'writing currently': 1012897, 'break 2am': 138666, '2am once': 16549, 'once ha': 605646, 'gone back': 356215, 'out at supermarket': 625748, 'at supermarket stocking': 100773, 'supermarket stocking shelf': 822974, 'stocking shelf on': 803593, 'shelf on night': 757377, 'on night doing': 602409, 'night doing my': 562983, 'doing my bit': 252541, 'my bit re': 547466, 'bit re start': 131684, 're start at': 699574, 'start at 10pm': 794209, 'at 10pm finish': 97431, '10pm finish at': 2375, 'finish at 8am': 307848, 'at 8am when': 97788, '8am when get': 23170, 'when get home': 983458, 'get home asleep': 347239, 'home asleep back': 400742, 'asleep back on': 96188, 'back on it': 107190, 'on it again': 601648, 'it again that': 456312, 'again that night': 37203, 'that night no': 845352, 'night no time': 563039, 'no time for': 565726, 'time for reading': 896749, 'for reading or': 324984, 'reading or writing': 700794, 'or writing currently': 617854, 'writing currently on': 1012898, 'currently on break': 221608, 'on break 2am': 599693, 'break 2am once': 138667, '2am once ha': 16550, 'once ha gone': 605647, 'ha gone back': 370720, 'gone back to': 356216, 'to normal life': 910651, 'bread baking': 138421, 'baking here': 108908, 'just the bread': 469995, 'the bread baking': 849959, 'bread baking here': 138422, 'baking here are': 108909, 'sir it': 771586, 'it request': 460720, 'the administration': 848354, 'administration to': 32507, 'no excessive': 564159, 'excessive crowding': 289386, 'the spreading': 867647, 'no black': 563702, 'sir it request': 771588, 'it request to': 460722, 'to the administration': 916480, 'the administration to': 848359, 'administration to see': 32509, 'is no excessive': 449927, 'no excessive crowding': 564160, 'excessive crowding in': 289387, 'crowding in the': 219396, 'the public place': 864847, 'public place it': 688231, 'place it can': 657531, 'it can lead': 457024, 'lead to the': 483393, 'to the spreading': 917086, 'the spreading of': 867650, 'spreading of the': 791013, 'the virus covid': 870819, '19 there should': 11290, 'should be no': 765677, 'be no black': 116090, 'no black marketing': 563703, 'black marketing or': 132100, 'marketing or hoarding': 517672, 'hoarding of essential': 399450, 'essential item it': 281209, 'item it can': 463397, 'this trump': 890867, 'trump supporter': 933877, 'supporter bought': 827082, 'bought her': 136592, 'it toilet': 461777, 'this trump supporter': 890868, 'trump supporter bought': 933878, 'supporter bought her': 827084, 'bought her local': 136593, 'her local store': 392173, 'local store out': 498471, 'store out of': 809402, 'of it toilet': 585459, 'it toilet paper': 461778, 'doesn your': 252007, 'mombasa have': 535861, 'sanitizers for': 736277, 'your client': 1023235, 'client the': 182105, 'way customer': 969535, 'customer cashier': 222239, 'cashier keep': 166560, 'on exchanging': 600661, 'exchanging cash': 289504, 'cash note': 166282, 'note with': 572857, 'current fight': 221198, 'why doesn your': 990961, 'doesn your supermarket': 252008, 'your supermarket in': 1026047, 'supermarket in mombasa': 820937, 'in mombasa have': 425395, 'mombasa have hand': 535862, 'have hand sanitizers': 380890, 'hand sanitizers for': 375692, 'sanitizers for your': 736279, 'for your client': 328130, 'your client the': 1023238, 'client the way': 182109, 'the way customer': 871147, 'way customer cashier': 969537, 'customer cashier keep': 222240, 'cashier keep on': 166561, 'keep on exchanging': 471700, 'on exchanging cash': 600662, 'exchanging cash note': 289505, 'cash note with': 166283, 'note with no': 572858, 'with no sanitizer': 999787, 'no sanitizer is': 565411, 'sanitizer is recipe': 735205, 'is recipe for': 451345, 'for disaster in': 320739, 'disaster in the': 244218, 'the current fight': 852633, 'current fight against': 221199, 'subscriber': 815861, 'daera': 224445, 'farmgate': 299595, 'subscriber only': 815870, 'only daera': 610307, 'daera official': 224446, 'begun planning': 123719, 'planning emergency': 658540, 'for ni': 323869, 'ni farmer': 562298, 'of farmgate': 583431, 'farmgate price': 299596, 'price collapsing': 673177, 'collapsing due': 186135, 'to ni': 910595, 'subscriber only daera': 815871, 'only daera official': 610308, 'daera official have': 224447, 'official have begun': 595834, 'have begun planning': 379756, 'begun planning emergency': 123720, 'planning emergency support': 658541, 'emergency support for': 273008, 'support for ni': 826518, 'for ni farmer': 323870, 'ni farmer in': 562299, 'event of farmgate': 285035, 'of farmgate price': 583432, 'farmgate price collapsing': 299597, 'price collapsing due': 673178, 'collapsing due to': 186136, 'due to ni': 261875, 'new trading': 559777, 'week opened': 976694, 'opened with': 612780, 'with gain': 998596, 'many asian': 513796, 'stock covid': 802029, 'case decline': 165712, 'decline new': 231380, 'york also': 1016570, 'also recorded': 48764, 'recorded it': 705109, 'first decline': 308625, 'in daily': 421959, 'daily coronavirus': 224563, 'death however': 230068, 'however globally': 409377, 'globally reported': 352394, 'case hit': 165773, 'hit million': 398326, 'million opec': 532301, 'meeting delayed': 527692, 'delayed oil': 232797, 'price plunged': 675935, 'welcome to new': 977906, 'to new trading': 910578, 'new trading week': 559778, 'trading week the': 928956, 'week the week': 977011, 'the week opened': 871308, 'week opened with': 976696, 'opened with gain': 612781, 'with gain for': 998597, 'gain for many': 342771, 'for many asian': 323208, 'many asian stock': 513797, 'asian stock covid': 95343, 'stock covid 19': 802030, '19 case decline': 5675, 'case decline new': 165713, 'decline new york': 231381, 'new york also': 559917, 'york also recorded': 1016571, 'also recorded it': 48765, 'recorded it first': 705111, 'it first decline': 458026, 'first decline in': 308626, 'decline in daily': 231347, 'in daily coronavirus': 421961, 'daily coronavirus death': 224564, 'coronavirus death however': 205796, 'death however globally': 230069, 'however globally reported': 409378, 'globally reported case': 352395, 'reported case hit': 712474, 'case hit million': 165774, 'hit million opec': 398327, 'million opec meeting': 532302, 'opec meeting delayed': 611911, 'meeting delayed oil': 527693, 'delayed oil price': 232798, 'oil price plunged': 597218, 'francisco line': 331113, 'doesn open': 251907, 'open until': 612624, 'until 12pm': 943634, '12pm eastern': 3126, 'eastern this': 265599, 'of shelterinplace': 589589, 'shelterinplace and': 757985, 'don stand': 253927, 'stand closer': 793509, 'apart california': 81239, 'california sanfrancisco': 155566, 'san francisco line': 733542, 'francisco line to': 331114, 'get in to': 347315, 'in to grocery': 430112, 'store doesn open': 807350, 'doesn open until': 251910, 'open until 12pm': 612625, 'until 12pm eastern': 943635, '12pm eastern this': 3127, 'eastern this is': 265600, 'this is day': 888227, 'is day one': 447039, 'one of shelterinplace': 606762, 'of shelterinplace and': 589590, 'shelterinplace and don': 757986, 'and don stand': 61639, 'don stand closer': 253928, 'stand closer than': 793510, 'than foot apart': 840662, 'foot apart california': 318341, 'apart california sanfrancisco': 81240, 'touchless': 926762, 'grocery expert': 364512, 'they share': 883330, 'practice procedure': 668633, 'procedure and': 679800, 'protecting their': 685232, 'customer employee': 222328, 'and vendor': 74909, 'vendor from': 954367, 'contracting or': 201776, 'or spreading': 617188, 'spreading supermarket': 791046, 'supermarket touchless': 823522, 'join grocery expert': 466725, 'grocery expert from': 364513, 'from and they': 334525, 'and they share': 73937, 'they share their': 883332, 'share their best': 755261, 'their best practice': 872601, 'best practice procedure': 127847, 'practice procedure and': 668634, 'procedure and policy': 679803, 'policy for protecting': 663412, 'for protecting their': 324823, 'protecting their customer': 685234, 'their customer employee': 872949, 'customer employee and': 222329, 'employee and vendor': 273595, 'and vendor from': 74912, 'vendor from contracting': 954368, 'from contracting or': 334991, 'contracting or spreading': 201777, 'or spreading supermarket': 617189, 'spreading supermarket touchless': 791047, 'china panic': 176870, 'leaked china panic': 483861, 'china panic buying': 176871, 'buying food have': 150314, 'brewbird': 139409, 'freshly': 333130, 'announcement we': 77225, 'we operate': 972658, 'operate at': 612978, 'at brewbird': 98163, 'brewbird the': 139410, 'the caf': 850262, 'caf is': 155086, 'now completely': 574425, 'completely closed': 192239, 'closed however': 183164, 'however we': 409514, 'now turned': 576235, 'into social': 442993, 'now provide': 575609, 'provide weekly': 686538, 'weekly freshly': 977495, 'freshly food': 333135, 'client within': 182140, 'within for': 1002361, 'announcement we have': 77226, 'we have made': 971864, 'have made some': 381417, 'made some change': 507956, 'change to how': 172349, 'to how we': 908031, 'how we operate': 409184, 'we operate at': 972659, 'operate at brewbird': 612980, 'at brewbird the': 98164, 'brewbird the caf': 139411, 'the caf is': 850263, 'caf is now': 155087, 'is now completely': 450273, 'now completely closed': 574426, 'completely closed however': 192240, 'closed however we': 183166, 'however we have': 409516, 'have now turned': 381740, 'now turned into': 576237, 'turned into social': 935852, 'into social supermarket': 442995, 'social supermarket that': 779982, 'supermarket that will': 823205, 'that will now': 847596, 'will now provide': 994301, 'now provide weekly': 575610, 'provide weekly freshly': 686539, 'weekly freshly food': 977496, 'freshly food to': 333136, 'food to our': 317278, 'to our client': 911161, 'our client within': 622404, 'client within for': 182141, 'within for more': 1002362, 'from crude': 335061, 'gas index': 343874, 'index tank': 434249, 'tank at': 834191, 'at unprecedented': 101410, 'unprecedented pace': 943178, 'pace effort': 632923, 'pandemic grind': 635510, 'grind global': 363989, 'global commerce': 351781, 'commerce into': 188578, 'into low': 442726, 'low gear': 505302, 'from crude price': 335062, 'crude price oil': 219594, 'price oil and': 675625, 'and gas index': 63477, 'gas index tank': 343875, 'index tank at': 434250, 'tank at unprecedented': 834192, 'at unprecedented pace': 101411, 'unprecedented pace effort': 943179, 'pace effort to': 632924, 'effort to mitigate': 269634, 'mitigate the pandemic': 534543, 'the pandemic grind': 862976, 'pandemic grind global': 635511, 'grind global commerce': 363990, 'global commerce into': 351783, 'commerce into low': 188579, 'into low gear': 442727, 'baylegal': 113002, 'repossession': 712796, 'baylegal join': 113003, 'join 15': 466656, '15 organization': 3799, 'organization in': 619388, 'for statewide': 325881, 'statewide moratorium': 796271, 'collection during': 186423, 'emergency family': 272693, 'family income': 297931, 'income is': 432385, 'the interest': 858347, 'interest of': 441378, 'health collection': 386272, 'collection and': 186398, 'and repossession': 70276, 'repossession should': 712800, 'baylegal join 15': 113004, 'join 15 organization': 466657, '15 organization in': 3800, 'organization in calling': 619389, 'calling for statewide': 156560, 'for statewide moratorium': 325882, 'statewide moratorium on': 796272, 'moratorium on consumer': 538443, 'on consumer debt': 600039, 'debt collection during': 230441, 'collection during the': 186424, '19 emergency family': 6755, 'emergency family income': 272694, 'family income is': 297932, 'income is on': 432389, 'is on hold': 450469, 'hold for many': 399928, 'many in the': 514173, 'in the interest': 429290, 'the interest of': 858349, 'interest of public': 441381, 'of public health': 588589, 'public health collection': 688062, 'health collection and': 386273, 'collection and repossession': 186401, 'and repossession should': 70278, 'repossession should be': 712801, 'should be well': 765771, 'communicate': 189540, 'parent how': 641648, 'to communicate': 903090, 'communicate with': 189555, 'anxious child': 78844, 'child or': 176167, 'or teen': 617339, 'teen about': 836469, 'parent how to': 641649, 'how to communicate': 408995, 'to communicate with': 903093, 'communicate with an': 189556, 'with an anxious': 997204, 'an anxious child': 55344, 'anxious child or': 78845, 'child or teen': 176168, 'or teen about': 617340, 'latamadvisor': 480828, 'dialogue': 240299, 'the latamadvisor': 859061, 'latamadvisor ha': 480829, 'ha covered': 370253, 'covered 19': 212398, 'region health': 707422, 'care system': 164224, 'system metal': 831245, 'the tourism': 869826, 'and ecuador': 61932, 'ecuador economy': 268432, 'come stay': 187513, 'stay updated': 797377, 'our with': 625390, 'with dialogue': 998023, 'dialogue new': 240304, 'the latamadvisor ha': 859062, 'latamadvisor ha covered': 480830, 'ha covered 19': 370254, 'covered 19 effect': 212399, 'on the region': 604328, 'the region health': 865431, 'region health care': 707423, 'health care system': 386253, 'care system metal': 164226, 'system metal price': 831246, 'metal price the': 529652, 'price the tourism': 676863, 'the tourism industry': 869827, 'tourism industry and': 926990, 'industry and ecuador': 435635, 'and ecuador economy': 61933, 'ecuador economy and': 268433, 'economy and there': 267657, 'are more to': 88124, 'to come stay': 903047, 'come stay updated': 187514, 'stay updated on': 797378, 'updated on our': 947409, 'on our with': 602645, 'our with dialogue': 625391, 'with dialogue new': 998024, 'dialogue new webpage': 240305, '19 level': 8318, 'update thank': 947239, 'worker nurse': 1007464, 'pharmacist aged': 654105, 'farmer truck': 299548, 'driver warehouse': 259837, 'covid 19 level': 213351, '19 level of': 8319, 'level of government': 487641, 'of government update': 584280, 'government update thank': 360763, 'update thank you': 947240, 'thousand of grocery': 893445, 'store worker nurse': 811549, 'worker nurse doctor': 1007465, 'doctor healthcare worker': 250953, 'healthcare worker pharmacist': 387372, 'worker pharmacist aged': 1007564, 'pharmacist aged care': 654106, 'aged care worker': 37951, 'care worker farmer': 164286, 'worker farmer truck': 1006909, 'farmer truck driver': 299549, 'truck driver warehouse': 932803, 'driver warehouse worker': 259838, 'warehouse worker food': 966819, 'worker food processing': 1006960, 'processing worker and': 680049, '01 letting': 722, 'letting hang': 487408, 'hang your': 376951, 'shame not': 754616, 'helping student': 391478, 'student out': 814750, 'most student': 542777, 'student who': 814803, 'on seasonal': 603345, 'seasonal work': 743479, 'you extortionate': 1018500, 'your accommodation': 1022732, '01 letting hang': 723, 'letting hang your': 487409, 'hang your head': 376952, 'in shame not': 427854, 'shame not helping': 754617, 'not helping student': 569943, 'helping student out': 391479, 'student out in': 814751, 'in this difficult': 429932, 'they need it': 882746, 'the most student': 861041, 'most student who': 542780, 'student who depend': 814804, 'depend on seasonal': 237323, 'on seasonal work': 603346, 'seasonal work to': 743480, 'work to pay': 1005897, 'to pay you': 911576, 'pay you extortionate': 645248, 'you extortionate price': 1018501, 'price for your': 674081, 'for your accommodation': 328114, 'lifeguard': 489280, 'nourished': 573674, 'let start': 487070, 'start gratitude': 794318, 'gratitude thread': 362393, 'thread here': 893557, 'provider lifeguard': 686751, 'lifeguard grocery': 489281, 'will start': 994938, 'start thank': 794547, 'and nourished': 67815, 'nourished 19': 573675, 'let start gratitude': 487071, 'start gratitude thread': 794319, 'gratitude thread here': 362394, 'thread here for': 893558, 'here for people': 393008, 'from home health': 335868, 'care provider lifeguard': 164176, 'provider lifeguard grocery': 686752, 'lifeguard grocery store': 489282, 'many others will': 514463, 'others will start': 621802, 'will start thank': 994946, 'start thank you': 794548, 'all you are': 45531, 'healthy and nourished': 387527, 'and nourished 19': 67816, 'someone ask': 784370, 'ask trump': 95656, 'trump why': 933978, 'help north': 390145, 'north korea': 567659, 'korea but': 477459, 'empty did': 274852, 'the warehouse': 871079, 'down can': 256614, 'they not': 882785, 'not manufacture': 570527, 'manufacture product': 513387, 'someone ask trump': 784371, 'ask trump why': 95657, 'trump why we': 933981, 'why we re': 991528, 'we re willing': 973000, 'to help north': 907570, 'help north korea': 390146, 'north korea but': 567660, 'korea but we': 477460, 'but we can': 147740, 'can help our': 158643, 'help our own': 390235, 'our own and': 624198, 'own and grocery': 631881, 'are empty did': 86146, 'empty did the': 274853, 'did the warehouse': 240859, 'the warehouse shut': 871084, 'warehouse shut down': 966764, 'shut down can': 767812, 'down can they': 256616, 'can they not': 159977, 'they not manufacture': 882789, 'not manufacture product': 570528, 'note please': 572780, 'selfish dick': 748074, 'dick coronacrisis': 240458, 'coronacrisis if': 204632, 'not key': 570279, 'going the': 355481, 'take note please': 832379, 'note please and': 572781, 'please and stop': 659661, 'being selfish dick': 125738, 'selfish dick coronacrisis': 748075, 'dick coronacrisis if': 240459, 'coronacrisis if your': 204633, 'your not key': 1025042, 'not key worker': 570280, 'key worker or': 473504, 'worker or going': 1007506, 'or going the': 615498, 'going the supermarket': 355484, 'supermarket then stay': 823270, 'then stay at': 877568, 'is van': 453654, 'van driver': 952297, 'driver for': 259566, 'for asda': 319499, 'important that': 419007, 'after elderly': 35615, 'who is van': 989126, 'is van driver': 453655, 'van driver for': 952299, 'driver for asda': 259567, 'for asda and': 319500, 'asda and he': 94903, 'and he say': 64324, 'he say that': 385399, 'say that supermarket': 739251, 'that supermarket are': 846560, 'and supply it': 72797, 'supply it is': 825473, 'is very important': 453678, 'very important that': 955254, 'important that everyone': 419008, 'who is looking': 989089, 'is looking after': 449443, 'looking after elderly': 502776, 'after elderly people': 35616, 'elderly people to': 270837, 'fairweather': 296475, 'brewing': 139472, 'ontario craft': 611587, 'craft beer': 214760, 'beer option': 122495, '19 updated': 11694, 'updated still': 947437, 'shipping but': 758830, 'but retail': 146935, 'closed brewery': 183019, 'brewery stopping': 139458, 'stopping all': 805792, 'all operation': 43762, 'operation until': 613288, 'notice fairweather': 573272, 'fairweather brewing': 296476, 'brewing via': 139481, 'ontario craft beer': 611588, 'craft beer option': 214763, 'beer option during': 122496, 'option during covid': 614019, 'covid 19 updated': 214006, '19 updated still': 11695, 'updated still shipping': 947438, 'still shipping but': 801177, 'shipping but retail': 758832, 'but retail store': 146936, 'store closed brewery': 807058, 'closed brewery stopping': 183020, 'brewery stopping all': 139459, 'stopping all operation': 805793, 'all operation until': 43763, 'operation until further': 613289, 'further notice fairweather': 342100, 'notice fairweather brewing': 573273, 'fairweather brewing via': 296477, 'beg everyone': 123358, 'this shocking': 890100, 'shocking video': 759634, 'how easy': 407777, 'easy it': 265721, 'this demonstrates': 887208, 'how cough': 407620, 'supermarket think': 823301, 'about time': 26693, 'everyone thank': 287456, 'beg everyone to': 123359, 'everyone to watch': 287510, 'to watch this': 918393, 'watch this shocking': 968577, 'this shocking video': 890101, 'shocking video of': 759636, 'video of how': 956827, 'of how easy': 584823, 'how easy it': 407780, 'easy it is': 265723, 'is to spread': 453247, 'to spread this': 915080, 'spread this demonstrates': 790835, 'this demonstrates how': 887209, 'demonstrates how cough': 236854, 'how cough can': 407621, 'in supermarket think': 428691, 'supermarket think it': 823306, 'think it about': 885318, 'it about time': 456240, 'about time you': 26702, 'time you put': 898412, 'you put that': 1020509, 'put that mask': 690847, 'that mask on': 845058, 'mask on while': 519058, 'on while doing': 605285, 'while doing your': 986767, 'doing your shopping': 252890, 'your shopping please': 1025789, 'shopping please retweet': 763649, 'retweet to everyone': 720091, 'to everyone thank': 905354, 'everyone thank you': 287457, 'chain woe': 171251, 'woe due': 1003329, 'health sector': 386835, 'sector crisis': 744152, 'crisis inadequate': 217543, 'inadequate drug': 431202, 'industry shortage': 436111, 'shortage sad': 765203, 'sad economy': 729167, 'supply chain woe': 825067, 'chain woe due': 171252, 'woe due to': 1003330, 'due to these': 261995, 'to these covid': 917337, '19 health sector': 7484, 'health sector crisis': 386836, 'sector crisis inadequate': 744153, 'crisis inadequate drug': 217544, 'inadequate drug and': 431203, 'drug and consumer': 260870, 'consumer industry shortage': 197858, 'industry shortage sad': 436112, 'shortage sad economy': 765204, 'gerbil': 346073, 'wrapping': 1012682, 'mtrs': 544650, 'why yes': 991582, 'all needed': 43611, 'needed piece': 556460, 'paper suppose': 640855, 'suppose it': 827308, 'for lining': 322991, 'lining gerbil': 493738, 'gerbil or': 346074, 'or hamster': 615551, 'hamster cage': 374642, 'cage wrapping': 155178, 'wrapping broken': 1012683, 'broken glass': 140893, 'glass diy': 351608, 'diy use': 248780, 'use using': 949787, 'list when': 494591, 'when standing': 984069, 'the mtrs': 861123, 'mtrs apart': 544651, 'apart because': 81232, 'because know': 119217, 'why yes we': 991583, 'yes we all': 1015593, 'we all needed': 970346, 'all needed piece': 43612, 'needed piece of': 556461, 'of paper suppose': 587761, 'paper suppose it': 640856, 'suppose it could': 827309, 'used for lining': 949906, 'for lining gerbil': 322992, 'lining gerbil or': 493739, 'gerbil or hamster': 346075, 'or hamster cage': 615552, 'hamster cage wrapping': 374643, 'cage wrapping broken': 155179, 'wrapping broken glass': 1012684, 'broken glass diy': 140894, 'glass diy use': 351609, 'diy use using': 248781, 'use using the': 949788, 'using the back': 950689, 'back for shopping': 106994, 'for shopping list': 325588, 'shopping list when': 763197, 'list when standing': 494592, 'when standing in': 984070, 'in the mtrs': 429378, 'the mtrs apart': 861124, 'mtrs apart because': 544652, 'apart because know': 81233, 'because know all': 119218, 'know all about': 476236, 'the fca': 854995, 'fca ha': 300725, 'ha released': 371702, 'released it': 709054, 'business priority': 144259, 'the fca ha': 854997, 'fca ha released': 300726, 'ha released it': 371706, 'released it business': 709055, 'it business priority': 456940, 'business priority for': 144260, 'priority for dealing': 678569, '2103252168': 15054, 'uba': 937794, 'ngwoke': 561856, 'ifeanyi': 415628, 'retrenched': 719773, 'commenting': 188498, '2103252168 uba': 15055, 'uba ngwoke': 937795, 'ngwoke stephen': 561857, 'stephen ifeanyi': 799733, 'ifeanyi please': 415629, 'please sir': 660522, 'sir need': 771610, 'family result': 298186, 'pandemic worker': 637043, 'were retrenched': 980064, 'retrenched and': 719774, 'among this': 53092, 'my 3rd': 547153, 'of commenting': 581546, 'commenting hope': 188501, '2103252168 uba ngwoke': 15056, 'uba ngwoke stephen': 937796, 'ngwoke stephen ifeanyi': 561858, 'stephen ifeanyi please': 799734, 'ifeanyi please sir': 415630, 'please sir need': 660525, 'sir need the': 771612, 'need the money': 555752, 'my family result': 548219, 'family result of': 298187, 'result of this': 717618, '19 pandemic worker': 9527, 'pandemic worker in': 637044, 'worker in our': 1007192, 'in our company': 426272, 'our company were': 622500, 'company were retrenched': 191299, 'were retrenched and': 980065, 'retrenched and wa': 719775, 'and wa among': 75079, 'wa among this': 961521, 'among this is': 53093, 'is my 3rd': 449777, 'my 3rd day': 547154, '3rd day of': 18424, 'day of commenting': 228060, 'of commenting hope': 581547, 'family during the': 297758, 'winsight': 996109, 'demand winsight': 236506, 'winsight grocery': 996110, 'grocery business': 364324, 'meet demand winsight': 527479, 'demand winsight grocery': 236507, 'winsight grocery business': 996111, 'neighbor get': 557020, 'your neighbor get': 1024954, 'neighbor get it': 557022, 'automobile': 104026, 'fuel consumption': 340142, 'consumption caused': 199850, 'and exacerbated': 62446, 'by feud': 152574, 'feud between': 303638, 'largest producer': 480004, 'limited option': 492688, 'for north': 323918, 'american oil': 52106, 'company oil': 190926, 'oil commodity': 596679, 'commodity trading': 189332, 'trading opec': 928903, 'opec consumer': 611850, 'consumer automobile': 196363, 'automobile gasoline': 104029, 'drop in fuel': 260248, 'in fuel consumption': 423150, 'fuel consumption caused': 340144, 'consumption caused by': 199851, 'pandemic and exacerbated': 634874, 'and exacerbated by': 62447, 'exacerbated by feud': 288666, 'by feud between': 152575, 'feud between the': 303639, 'world largest producer': 1009746, 'largest producer ha': 480005, 'producer ha limited': 680630, 'ha limited option': 371150, 'limited option for': 492689, 'option for north': 614035, 'for north american': 323919, 'north american oil': 567614, 'american oil company': 52107, 'oil company oil': 596693, 'company oil commodity': 190927, 'oil commodity trading': 596682, 'commodity trading opec': 189333, 'trading opec consumer': 928904, 'opec consumer automobile': 611851, 'consumer automobile gasoline': 196364, 'jon': 467224, 'closing jon': 183680, 'jon disruption': 467225, 'school closing jon': 741743, 'closing jon disruption': 183681, 'jon disruption lack': 467226, 'macys is': 507510, 'macys is temporarily': 507511, 'is temporarily closing': 452599, 'temporarily closing store': 837482, 'closing store nationwide': 183762, '9420': 23562, 'sw': 829893, 'confirmed one': 194176, 'worker tested': 1007899, 'employee worked': 274462, 'located at': 498803, 'at 9420': 97810, '9420 sw': 23563, 'sw 56': 829894, '56 street': 20456, 'supermarket ha confirmed': 820622, 'ha confirmed one': 370227, 'confirmed one of': 194177, 'of it worker': 585468, 'it worker tested': 462523, 'worker tested positive': 1007901, 'the the employee': 869380, 'the employee worked': 854273, 'employee worked at': 274463, 'worked at the': 1006103, 'the store located': 868050, 'store located at': 808789, 'located at 9420': 498804, 'at 9420 sw': 97811, '9420 sw 56': 23564, 'sw 56 street': 829895, '56 street in': 20457, 'street in miami': 812998, 'store saw': 809995, 'sanitisers amp': 734055, 'amp mask': 54114, 'mask explained': 518626, 'explained to': 292169, 'her about': 391825, 'and mum': 67322, 'mum etc': 545891, 'these she': 880666, 'well mate': 978386, 'mate but': 520337, 'work here': 1005249, 'here can': 392850, 'on filling': 600784, 'shelf now': 757350, 'grocery store saw': 365747, 'store saw woman': 810001, 'woman with trolley': 1003701, 'with trolley full': 1001851, 'full of hand': 340728, 'of hand sanitisers': 584432, 'hand sanitisers amp': 375258, 'sanitisers amp mask': 734056, 'amp mask explained': 54115, 'mask explained to': 518627, 'explained to her': 292170, 'to her about': 907688, 'her about the': 391826, 'about the elderly': 26385, 'elderly and mum': 270581, 'and mum etc': 67323, 'mum etc who': 545892, 'etc who need': 282885, 'who need these': 989328, 'need these she': 555798, 'these she said': 880667, 'she said that': 756313, 'said that all': 731393, 'that all good': 842548, 'good and well': 356756, 'and well mate': 75407, 'well mate but': 978387, 'mate but work': 520338, 'but work here': 147925, 'work here can': 1005253, 'here can carry': 392851, 'can carry on': 157873, 'carry on filling': 165121, 'on filling the': 600785, 'the shelf now': 866861, 'tutorial': 936050, 'shopifycrowd': 761162, 'close your': 182945, 'of restriction': 589035, 'restriction consider': 717242, 'consider selling': 195090, 'selling your': 749538, 'delivering locally': 233521, 'locally it': 498759, 'take le': 832261, 'basic store': 112062, 'store our': 809397, 'our tutorial': 625214, 'tutorial explains': 936057, 'ecommerce shopifycrowd': 266865, 'to close your': 902907, 'close your retail': 182947, 'retail store because': 718616, 'because of restriction': 119397, 'of restriction consider': 589038, 'restriction consider selling': 717243, 'consider selling your': 195091, 'selling your product': 749539, 'your product online': 1025442, 'product online through': 681487, 'online through and': 609566, 'through and delivering': 894325, 'and delivering locally': 61102, 'delivering locally it': 233522, 'locally it can': 498760, 'it can take': 457033, 'can take le': 159899, 'take le than': 832262, 'le than an': 483163, 'than an hour': 840338, 'hour to set': 406035, 'to set up': 914296, 'set up basic': 753546, 'up basic store': 944457, 'basic store our': 112063, 'store our tutorial': 809400, 'our tutorial explains': 625215, 'tutorial explains how': 936058, 'explains how ecommerce': 292214, 'how ecommerce shopifycrowd': 407785, 'nightingale': 563156, 'tee': 836446, 'mooted': 538359, 'middlehaven': 530701, 'teesside': 836586, 'military personnel': 531483, 'personnel have': 653115, 'build new': 141992, 'new hospital': 558892, 'london nh': 501137, 'nh nightingale': 562018, 'nightingale due': 563159, 'week tee': 976961, 'tee valley': 836462, 'valley mayor': 951975, 'ha mooted': 371285, 'mooted that': 538360, 'in middlehaven': 425303, 'middlehaven could': 530702, 'for teesside': 326172, 'military personnel have': 531485, 'personnel have been': 653116, 'been working 15': 122394, 'working 15 hour': 1008461, '15 hour shift': 3729, 'hour shift to': 405923, 'shift to help': 758435, 'to help build': 907467, 'help build new': 389442, 'build new hospital': 141993, 'new hospital in': 558893, 'hospital in london': 404469, 'in london nh': 424889, 'london nh nightingale': 501138, 'nh nightingale due': 562019, 'nightingale due to': 563160, 'due to open': 261888, 'open this week': 612575, 'this week tee': 891275, 'week tee valley': 976962, 'tee valley mayor': 836463, 'valley mayor ha': 951976, 'mayor ha mooted': 521962, 'ha mooted that': 371286, 'mooted that the': 538361, 'that the empty': 846717, 'the empty supermarket': 854291, 'empty supermarket in': 275161, 'supermarket in middlehaven': 820935, 'in middlehaven could': 425304, 'middlehaven could be': 530703, 'could be one': 208900, 'one for teesside': 606307, 'thisisnotadrill': 891645, 'are living': 87844, 'through unimaginable': 894881, 'unimaginable time': 941814, 'is matter': 449600, 'death go': 230055, 'you thisisnotadrill': 1021709, 'thisisnotadrill coronacrisis': 891646, 'coronacrisisuk lockdown': 204890, 're not key': 699102, 'key worker we': 473526, 'we are living': 970614, 'are living through': 87847, 'living through unimaginable': 496464, 'through unimaginable time': 894882, 'unimaginable time but': 941815, 'time but it': 896420, 'it is matter': 459009, 'is matter of': 449601, 'matter of life': 520609, 'of life and': 585815, 'life and death': 488474, 'and death go': 60986, 'death go to': 230057, 'to work for': 918721, 'work for you': 1005183, 'for you you': 328104, 'you you stay': 1022487, 'you stay at': 1021369, 'home for me': 401236, 'for me please': 323332, 'me please and': 523338, 'please and thank': 659662, 'and thank you': 73161, 'thank you thisisnotadrill': 841830, 'you thisisnotadrill coronacrisis': 1021710, 'thisisnotadrill coronacrisis coronacrisisuk': 891647, 'coronacrisis coronacrisisuk lockdown': 204569, 'pearlessence': 646171, 'this brand': 886604, 'brand pearlessence': 137962, 'pearlessence well': 646172, 'well they': 978678, 're ripping': 699399, 'ripping people': 722720, 'off during': 593786, 'pandemic charging': 635124, 'charging 99': 173451, 'for 16': 318681, '16 oz': 4153, 'oz bottle': 632725, 'sanitizer while': 736084, 'while sam': 987233, 'club ha': 184441, 'ha 67': 369416, '67 oz': 21465, 'bottle for': 136220, 'for 98': 318957, '98 pricegouging': 23729, 'pricegouging pricegougers': 677839, 'pricegougers handsanitizer': 677770, 'handsanitizer maga': 376576, 'anyone know this': 80404, 'know this brand': 476888, 'this brand pearlessence': 886606, 'brand pearlessence well': 137963, 'pearlessence well they': 646173, 'well they re': 978683, 'they re ripping': 883113, 're ripping people': 699400, 'ripping people off': 722721, 'people off during': 648936, 'off during the': 593789, 'coronavirus pandemic charging': 206445, 'pandemic charging 99': 635125, 'charging 99 for': 173452, '99 for 16': 23819, 'for 16 oz': 318683, '16 oz bottle': 4154, 'oz bottle of': 632729, 'hand sanitizer while': 375663, 'sanitizer while sam': 736086, 'while sam club': 987234, 'sam club ha': 732916, 'club ha 67': 184442, 'ha 67 oz': 369417, '67 oz bottle': 21466, 'oz bottle for': 632728, 'bottle for 98': 136221, 'for 98 pricegouging': 318958, '98 pricegouging pricegougers': 23730, 'pricegouging pricegougers handsanitizer': 677840, 'pricegougers handsanitizer maga': 677771, 'foto': 330113, 'nella': 557364, 'storia': 811757, 'filum': 305809, 'ordinata': 619103, 'che': 174066, 'ci': 178441, 'reso': 714619, 'cinesi': 178570, 'la foto': 478163, 'foto nella': 330117, 'nella storia': 557365, 'storia la': 811758, 'la filum': 478161, 'filum ordinata': 305810, 'ordinata che': 619104, 'che ci': 174067, 'ci ha': 178442, 'ha reso': 371738, 'reso un': 714620, 'un po': 939293, 'po cinesi': 662126, 'la foto nella': 478164, 'foto nella storia': 330118, 'nella storia la': 557366, 'storia la filum': 811759, 'la filum ordinata': 478162, 'filum ordinata che': 305811, 'ordinata che ci': 619105, 'che ci ha': 174068, 'ci ha reso': 178443, 'ha reso un': 371739, 'reso un po': 714621, 'un po cinesi': 939294, 'it shocking': 461021, 'shocking most': 759607, 'nh can': 561910, 'at normal': 99909, 'then are': 876997, 'this after': 886226, 'after stockpilers': 36247, 'stockpilers take': 803891, 'what sort': 982225, 'of community': 581598, 'saw this photo': 738296, 'this photo on': 889564, 'photo on facebook': 655225, 'facebook and it': 294890, 'and it shocking': 65582, 'it shocking most': 461022, 'shocking most of': 759608, 'most of who': 542568, 'of who work': 593137, 'who work for': 990034, 'work for the': 1005174, 'the nh can': 861729, 'nh can shop': 561911, 'can shop at': 159600, 'shop at normal': 759951, 'at normal time': 99912, 'normal time and': 567367, 'time and then': 896300, 'and then are': 73742, 'then are left': 876998, 'with this after': 1001674, 'this after stockpilers': 886227, 'after stockpilers take': 36248, 'stockpilers take it': 803892, 'it all what': 456387, 'all what sort': 45441, 'what sort of': 982226, 'sort of community': 786119, 'of community is': 581599, 'community is this': 189938, 'shitpost': 759342, 'poker': 662843, 'biganimetiddies': 130119, 'ponrhub': 663980, 'wanking': 965607, 'hai waiting': 373932, 'waiting room': 964380, 'room is': 725929, 'come shitpost': 187505, 'shitpost with': 759343, 'me poker': 523347, 'poker biganimetiddies': 662844, 'biganimetiddies ponrhub': 130120, 'ponrhub toiletpaper': 663981, 'toiletpaper wanking': 922813, 'hai waiting room': 373933, 'waiting room is': 964382, 'room is open': 725930, 'is open come': 450564, 'open come shitpost': 612160, 'come shitpost with': 187506, 'shitpost with me': 759344, 'with me poker': 999449, 'me poker biganimetiddies': 523348, 'poker biganimetiddies ponrhub': 662845, 'biganimetiddies ponrhub toiletpaper': 130121, 'ponrhub toiletpaper wanking': 663982, 'halloween': 374389, 'we celebrate': 971115, 'celebrate halloween': 168791, 'halloween early': 374396, 'early this': 264714, 'year need': 1014759, 'throw toiletpaper': 895059, 'like now': 490886, 'can we celebrate': 160164, 'we celebrate halloween': 971117, 'celebrate halloween early': 168792, 'halloween early this': 374397, 'early this year': 264717, 'this year need': 891583, 'year need some': 1014760, 'need some kid': 555594, 'some kid to': 783172, 'kid to throw': 474144, 'to throw toiletpaper': 917567, 'throw toiletpaper at': 895060, 'toiletpaper at my': 921765, 'at my house': 99817, 'my house like': 548735, 'house like now': 406397, 'soo all': 785561, 'warning about': 967065, 'virus except': 958172, 'mask unless': 519460, 'sick no': 768524, 'essential avoid': 280811, 'home flatten': 401195, 'curve don': 221851, 'soo all will': 785562, 'will listen to': 994026, 'to the warning': 917177, 'the warning about': 871092, 'warning about the': 967072, 'the virus except': 870831, 'virus except for': 958173, 'except for social': 289168, 'distancing no need': 247353, 'need for mask': 554851, 'for mask unless': 323281, 'mask unless you': 519461, 'unless you re': 942674, 're sick no': 699519, 'sick no hoarding': 768525, 'no hoarding of': 564431, 'food or essential': 315653, 'or essential avoid': 615180, 'essential avoid crowd': 280812, 'crowd stay home': 219258, 'stay home flatten': 796962, 'home flatten the': 401196, 'the curve don': 852691, 'curve don panic': 221852, 'don panic shop': 253812, 'checkout guy': 174926, 'doing he': 252440, 'said terrible': 731385, 'terrible should': 838430, 'have even': 380484, 'even asked': 283842, 'stupid of': 815431, 'people supporting': 649699, 'supporting during': 827126, 'shelterinplace healthcare': 758000, 'healthcare restaurant': 387265, 'restaurant fire': 716468, 'fire police': 308107, 'police etc': 662988, 'etc thank': 282789, 'asked the checkout': 95838, 'the checkout guy': 850762, 'checkout guy at': 174927, 'grocery store how': 365474, 'store how he': 808222, 'how he wa': 407985, 'he wa doing': 385595, 'wa doing he': 962003, 'doing he said': 252441, 'he said terrible': 385375, 'said terrible should': 731386, 'terrible should not': 838431, 'not have even': 569828, 'have even asked': 380485, 'even asked that': 283843, 'asked that wa': 95832, 'that wa stupid': 847313, 'wa stupid of': 963342, 'stupid of me': 815432, 'of me thinking': 586346, 'me thinking of': 523705, 'thinking of all': 885950, 'of all those': 579987, 'all those people': 45175, 'those people supporting': 892328, 'people supporting during': 649700, 'supporting during the': 827127, 'the shelterinplace healthcare': 866916, 'shelterinplace healthcare restaurant': 758001, 'healthcare restaurant fire': 387266, 'restaurant fire police': 716469, 'fire police etc': 308108, 'police etc thank': 662989, 'etc thank you': 282790, 'redistribution': 705742, 'redistribute': 705732, 'tonne': 924533, 'food redistribution': 316141, 'redistribution organisation': 705745, 'organisation across': 619248, 'across england': 29318, 'england will': 277044, 'from 25': 334249, 'help cut': 389564, 'cut foodwaste': 223340, 'foodwaste and': 318247, 'and redistribute': 70087, 'redistribute up': 705735, 'to 14': 899491, '14 00': 3373, '00 tonne': 561, 'tonne of': 924541, 'of surplus': 590527, 'surplus stock': 828498, 'stock during': 802068, 'food redistribution organisation': 316142, 'redistribution organisation across': 705746, 'organisation across england': 619249, 'across england will': 29321, 'england will benefit': 277045, 'benefit from 25': 126976, 'from 25 million': 334251, '25 million of': 15911, 'million of government': 532268, 'of government funding': 584272, 'government funding to': 360116, 'funding to help': 341624, 'to help cut': 907487, 'help cut foodwaste': 389568, 'cut foodwaste and': 223341, 'foodwaste and redistribute': 318249, 'and redistribute up': 70089, 'redistribute up to': 705736, 'up to 14': 946321, 'to 14 00': 899492, '14 00 tonne': 3376, '00 tonne of': 563, 'tonne of surplus': 924543, 'of surplus stock': 590529, 'surplus stock during': 828500, 'stock during the': 802069, 'jacobreesmogg': 464223, 'abortion': 24607, 'religious': 709573, 'jacobreesmogg buying': 464224, 'buying company': 150127, 'company at': 190475, 'price profiting': 676011, 'people misery': 648775, 'misery his': 534008, 'his selling': 397783, 'selling of': 749362, 'of abortion': 579705, 'abortion pill': 24610, 'pill in': 656662, '2017 while': 13863, 'while expressing': 986820, 'expressing his': 293086, 'his religious': 397747, 'religious anti': 709574, 'anti abortion': 78262, 'abortion position': 24612, 'national television': 552631, 'television is': 836855, 'is hypocrisy': 448650, 'hypocrisy at': 412397, 'level borisjohnson': 487524, 'borisjohnson fire': 135520, 'fire him': 308088, 'him now': 396672, 'jacobreesmogg buying company': 464225, 'buying company at': 150128, 'company at cut': 190476, 'at cut price': 98396, 'cut price profiting': 223496, 'price profiting from': 676012, 'profiting from covid': 683121, '19 and people': 5082, 'and people misery': 68873, 'people misery his': 648776, 'misery his selling': 534009, 'his selling of': 397784, 'selling of abortion': 749363, 'of abortion pill': 579706, 'abortion pill in': 24611, 'pill in 2017': 656663, 'in 2017 while': 419781, '2017 while expressing': 13864, 'while expressing his': 986821, 'expressing his religious': 293087, 'his religious anti': 397748, 'religious anti abortion': 709575, 'anti abortion position': 78264, 'abortion position on': 24613, 'position on national': 665189, 'on national television': 602338, 'national television is': 552632, 'television is hypocrisy': 836856, 'is hypocrisy at': 448651, 'hypocrisy at the': 412399, 'the highest level': 857342, 'highest level borisjohnson': 395832, 'level borisjohnson fire': 487525, 'borisjohnson fire him': 135521, 'fire him now': 308089, 'about removing': 26077, 'removing money': 710907, 'money from': 536762, 'your credit': 1023378, 'credit union': 216544, 'union you': 941952, 'thinking about removing': 885854, 'about removing money': 26079, 'removing money from': 710908, 'money from your': 536775, 'from your credit': 338473, 'your credit union': 1023382, 'credit union you': 216548, 'union you may': 941953, 'you may want': 1019816, 'may want to': 521602, 'want to think': 966145, 'utilizing': 951369, 'main way': 508848, 'is by': 446333, 'by contact': 152199, 'contact minimize': 200148, 'minimize these': 533136, 'these by': 879711, 'by utilizing': 154655, 'utilizing mobile': 951370, 'essential delivered': 280961, 'your doorstep': 1023583, 'doorstep go': 255849, 'go cashless': 353406, 'cashless here': 166691, 'of the main': 591211, 'the main way': 859918, 'main way covid': 508849, '19 spread is': 10746, 'spread is by': 790583, 'is by contact': 446334, 'by contact minimize': 152200, 'contact minimize these': 200149, 'minimize these by': 533137, 'these by utilizing': 879713, 'by utilizing mobile': 154656, 'utilizing mobile money': 951371, 'mobile money online': 534996, 'money online payment': 536948, 'online payment and': 608737, 'payment and shopping': 645546, 'and shopping with': 71557, 'shopping with you': 764448, 'with you get': 1002151, 'you get all': 1018757, 'get all your': 346525, 'all your essential': 45563, 'your essential delivered': 1023687, 'essential delivered right': 280962, 'delivered right at': 233386, 'at your doorstep': 101674, 'your doorstep go': 1023587, 'doorstep go cashless': 255850, 'go cashless here': 353407, 'grocery join': 364669, 'wuhan grocery join': 1013490, 'soon need': 785776, 'provide quarterly': 686443, 'quarterly result': 693285, 'result even': 717503, 'we explore': 971511, 'explore how': 292483, 'should treat': 766601, 'treat same': 930880, 'same store': 733304, 'or comp': 614775, 'comp result': 190312, 'these circumstance': 879756, 'store will soon': 811346, 'will soon need': 994898, 'soon need to': 785777, 'need to provide': 556020, 'to provide quarterly': 912425, 'provide quarterly result': 686444, 'quarterly result even': 693286, 'result even if': 717504, 'even if their': 284218, 'if their store': 415058, 'their store are': 874847, 'are closed due': 85339, 'to we explore': 918403, 'we explore how': 971512, 'explore how you': 292484, 'how you should': 409288, 'you should treat': 1021226, 'should treat same': 766602, 'treat same store': 930881, 'same store or': 733305, 'store or comp': 809320, 'or comp result': 614776, 'comp result in': 190313, 'result in these': 717553, 'in these circumstance': 429831, 'can brand': 157786, 'brand expect': 137838, 'be optimistic': 116265, 'optimistic about': 613926, 'future latest': 342375, 'latest study': 481559, 'study of': 814932, 'attitude suggests': 102584, 'suggests spending': 817705, 'habit will': 372712, 'month following': 537720, 'crisis based': 217111, 'can brand expect': 157787, 'brand expect to': 137839, 'to be optimistic': 901424, 'be optimistic about': 116266, 'optimistic about the': 613928, 'about the future': 26402, 'the future latest': 856081, 'future latest study': 342376, 'latest study of': 481560, 'study of consumer': 814934, 'of consumer attitude': 581709, 'consumer attitude suggests': 196349, 'attitude suggests spending': 102585, 'suggests spending habit': 817706, 'spending habit will': 788841, 'habit will increase': 372714, 'will increase in': 993814, 'the month following': 860845, 'month following the': 537722, '19 crisis based': 6219, 'crisis based on': 217112, 'based on data': 111675, 'on data from': 600216, 'data from chinese': 226227, 'from chinese consumer': 334876, 'libya': 488085, 'price 100ml': 672104, '100ml in': 2200, 'in diff': 422248, 'diff country': 241790, 'for saudi': 325348, 'saudi arab': 737177, 'arab 10': 83818, '10 iran': 1485, 'iran 15': 444664, '15 iraq': 3746, 'iraq 25': 444746, '25 libya': 15900, 'libya 28': 488086, '28 pakistan': 16402, 'pakistan 32': 634416, '32 hindustan': 17672, 'hindustan 300': 396867, '300 modi': 17331, 'ji just': 465450, 'why rt': 991323, 'rt coz': 726753, 'coz nobody': 214544, 'hand sanitizers price': 375715, 'sanitizers price 100ml': 736371, 'price 100ml in': 672105, '100ml in diff': 2201, 'in diff country': 422249, 'diff country for': 241791, 'country for saudi': 210669, 'for saudi arab': 325349, 'saudi arab 10': 737178, 'arab 10 iran': 83819, '10 iran 15': 1486, 'iran 15 iraq': 444665, '15 iraq 25': 3747, 'iraq 25 libya': 444747, '25 libya 28': 15901, 'libya 28 pakistan': 488087, '28 pakistan 32': 16403, 'pakistan 32 hindustan': 634417, '32 hindustan 300': 17673, 'hindustan 300 modi': 396868, '300 modi ji': 17332, 'modi ji just': 535467, 'ji just tell': 465451, 'just tell me': 469965, 'tell me why': 837033, 'me why rt': 523976, 'why rt coz': 991324, 'rt coz nobody': 726754, 'coz nobody will': 214545, 'nobody will tell': 566087, 'will tell you': 995103, 'tell you this': 837155, 'determine': 239427, 'scammer out': 740610, 'your information': 1024481, 'information be': 437759, 'of call': 581051, 'commission bingo': 188795, 'bingo scam': 131101, 'scam chart': 740107, 'chart click': 173824, 'and determine': 61291, 'determine if': 239433, 'the call': 850283, 'receive is': 703500, 'are scammer out': 89834, 'scammer out there': 740611, 'there that are': 879138, 'that are using': 842841, 'using the fear': 950699, '19 to steal': 11461, 'steal your information': 799217, 'your information be': 1024482, 'information be aware': 437760, 'aware of call': 105627, 'of call with': 581055, 'call with the': 156236, 'with the federal': 1001302, 'trade commission bingo': 928442, 'commission bingo scam': 188796, 'bingo scam chart': 131103, 'scam chart click': 740108, 'chart click here': 173825, 'more and determine': 538611, 'and determine if': 61292, 'determine if the': 239435, 'if the call': 414953, 'the call you': 850288, 'call you receive': 156253, 'you receive is': 1020852, 'receive is scam': 703501, 'is scam or': 451666, 'scam or not': 740279, 'cavalier': 168253, 'stepup': 799825, 'reality at': 701702, 'at cavalier': 98209, 'cavalier some': 168254, 'some staff': 783929, 'home physicaldistancing': 401857, 'physicaldistancing on': 655491, 'floor working': 310864, 'new project': 559366, 'project building': 683476, 'building part': 142127, 'part for': 642273, 'dispenser stepup': 246150, 'stepup yqg': 799826, 'yqg doing': 1026991, 'assist crisis': 96621, 'day in new': 227802, 'in new reality': 425826, 'new reality at': 559395, 'reality at cavalier': 701703, 'at cavalier some': 98210, 'cavalier some staff': 168255, 'some staff working': 783934, 'staff working at': 793113, 'at home physicaldistancing': 99082, 'home physicaldistancing on': 401858, 'physicaldistancing on our': 655492, 'on our shop': 602627, 'our shop floor': 624750, 'shop floor working': 760176, 'floor working on': 310865, 'working on new': 1008811, 'on new project': 602380, 'new project building': 559367, 'project building part': 683477, 'building part for': 142128, 'part for hand': 642275, 'sanitizer dispenser stepup': 734768, 'dispenser stepup yqg': 246151, 'stepup yqg doing': 799827, 'yqg doing what': 1026992, 'doing what we': 252851, 'can to assist': 160003, 'to assist crisis': 900778, 'spectacularly': 788323, 'churchill': 178418, 'spectacularly embarrassing': 788324, 'embarrassing you': 272456, 'you fat': 1018519, 'fat churchill': 300202, 'churchill tribute': 178421, 'tribute act': 931681, 'act so': 29766, 'so out': 777972, 'your depth': 1023489, 'depth step': 237772, 'step aside': 799498, 'aside and': 95396, 'let someone': 487057, 'someone more': 784571, 'more capable': 538768, 'capable in': 162477, 'in londonlockdown': 424907, 'londonlockdown lockdownuk': 501259, 'spectacularly embarrassing you': 788325, 'embarrassing you fat': 272457, 'you fat churchill': 1018520, 'fat churchill tribute': 300203, 'churchill tribute act': 178422, 'tribute act so': 931682, 'act so out': 29768, 'so out of': 777973, 'of your depth': 593462, 'your depth step': 1023490, 'depth step aside': 237773, 'step aside and': 799499, 'aside and let': 95398, 'and let someone': 66113, 'let someone more': 487058, 'someone more capable': 784572, 'more capable in': 538769, 'capable in londonlockdown': 162478, 'in londonlockdown lockdownuk': 424908, 'part1': 642502, 'part1 go': 642503, 'ohio right': 596553, 'luck keeping': 506460, 'keeping other': 472496, 'distance some': 246832, 'some customer': 782645, 'and invade': 65352, 'invade your': 443563, 'your space': 1025876, 'space socialdistancing': 787164, 'socialdistancing socialdistance': 780700, 'part1 go to': 642504, 'store in ohio': 808359, 'in ohio right': 426080, 'ohio right now': 596554, 'right now good': 722070, 'now good luck': 574807, 'good luck keeping': 357356, 'luck keeping other': 506461, 'keeping other customer': 472497, 'other customer at': 620056, 'customer at distance': 222143, 'at distance some': 98458, 'distance some customer': 246833, 'some customer just': 782649, 'customer just do': 222555, 'not care and': 568692, 'care and invade': 163841, 'and invade your': 65353, 'invade your space': 443564, 'your space socialdistancing': 1025878, 'space socialdistancing socialdistance': 787165, 'dalby': 225102, 'labelled': 478385, 'the dalby': 852797, 'dalby chamber': 225103, 'commerce ha': 188565, 'ha labelled': 371087, 'labelled the': 478390, 'the stripping': 868291, 'shelf un': 757725, 'un australian': 939270, 'australian report': 103537, 'on 7news': 599118, '7news at': 22494, '6pm 7news': 21649, 'the dalby chamber': 852798, 'dalby chamber of': 225104, 'of commerce ha': 581551, 'commerce ha labelled': 188568, 'ha labelled the': 371088, 'labelled the stripping': 478391, 'the stripping of': 868292, 'stripping of supermarket': 813908, 'of supermarket shelf': 590443, 'supermarket shelf un': 822555, 'shelf un australian': 757726, 'un australian report': 939271, 'australian report on': 103538, 'report on 7news': 712138, 'on 7news at': 599119, '7news at 6pm': 22495, 'at 6pm 7news': 97733, 'scandal': 740712, 'take 18': 831868, '18 month': 4556, 'create vaccine': 215766, 'home kenya': 401494, 'kenya is': 472914, 'struggling for': 814446, 'cannot stand': 162118, 'stand 9ja': 793482, '9ja scandal': 23989, 'scandal give': 740713, 'give relief': 350676, 'people drive': 647725, 'drive feel': 259053, 'will take 18': 995059, 'take 18 month': 831869, '18 month to': 4561, 'month to create': 538079, 'to create vaccine': 903727, 'create vaccine for': 215767, 'vaccine for covid': 951702, '19 virus how': 11808, 'virus how long': 958301, 'long will we': 501857, 'will we stay': 995336, 'at home kenya': 99025, 'home kenya is': 401496, 'kenya is already': 472915, 'is already struggling': 445539, 'already struggling for': 47694, 'struggling for food': 814447, 'food do something': 314252, 'do something you': 250159, 'something you cannot': 785158, 'you cannot stand': 1017881, 'cannot stand 9ja': 162119, 'stand 9ja scandal': 793483, '9ja scandal give': 23990, 'scandal give relief': 740715, 'give relief to': 350677, 'relief to make': 709479, 'to make people': 909716, 'make people drive': 510315, 'people drive feel': 647726, 'drive feel good': 259054, 'feel good and': 302644, 'good and price': 356745, 'price for good': 673970, 'sweepstakes': 830211, 'supermarket sweepstakes': 823120, 'sweepstakes for': 830212, 'win 500': 995531, 'out our supermarket': 626996, 'our supermarket sweepstakes': 625030, 'supermarket sweepstakes for': 823121, 'sweepstakes for chance': 830213, 'chance to win': 171823, 'to win 500': 918608, 'day17oflockdown': 228861, 'lockdownmzansi': 500324, 'food though': 317204, 'though lockdown': 892850, 'lockdown day17oflockdown': 499304, 'day17oflockdown lockdownmzansi': 228862, 'basic food though': 111897, 'food though lockdown': 317205, 'though lockdown day17oflockdown': 892851, 'lockdown day17oflockdown lockdownmzansi': 499305, 'pterodactyl': 687630, 'been near': 121557, 'near supermarket': 553587, 'any stuff': 79876, 'stuff or': 815164, 'have pterodactyl': 382101, 'pterodactyl had': 687631, 'haven been near': 383756, 'been near supermarket': 121558, 'near supermarket in': 553590, 'supermarket in week': 821000, 'in week is': 430755, 'week is there': 976429, 'there any stuff': 878026, 'any stuff or': 79877, 'stuff or have': 815166, 'or have pterodactyl': 615586, 'have pterodactyl had': 382102, 'pterodactyl had it': 687632, 'not had': 569764, 'had any': 372850, 'any sign': 79812, 'of grateful': 584306, 'for implementing': 322491, 'implementing change': 418503, 'worker also': 1006234, 'thankful have': 841916, 'job my': 466014, 'grateful that ve': 362314, 'that ve not': 847233, 've not had': 953399, 'not had any': 569765, 'had any sign': 372856, 'any sign of': 79813, 'sign of grateful': 769162, 'of grateful to': 584307, 'grateful to my': 362323, 'store chain for': 806917, 'chain for implementing': 170715, 'for implementing change': 322492, 'implementing change in': 418504, 'store to protect': 810803, 'protect the public': 684983, 'the public it': 864824, 'public it worker': 688131, 'it worker also': 462516, 'worker also thankful': 1006237, 'also thankful have': 48965, 'thankful have job': 841917, 'have job my': 381173, 'job my prayer': 466016, 'those who ve': 892692, 'who ve lost': 989882, 'lost their life': 503926, 'coronauk': 205321, 'break isolation': 138755, 'or metre': 616135, 'distance rule': 246810, 'rule instant': 727276, 'instant manslaughter': 440099, 'manslaughter charge': 513342, 'charge want': 173340, 'shopping book': 762232, 'book an': 134465, 'slot with': 774298, 'with maximum': 999430, 'store unless': 811001, 'unless medical': 942629, 'which prevent': 986232, 'law house': 482308, 'arrest with': 93791, 'year sentence': 1014941, 'sentence for': 750861, 'out coronauk': 625896, 'break isolation or': 138756, 'isolation or metre': 455375, 'or metre distance': 616136, 'metre distance rule': 529841, 'distance rule instant': 246811, 'rule instant manslaughter': 727277, 'instant manslaughter charge': 440100, 'manslaughter charge want': 513343, 'charge want to': 173341, 'go shopping book': 354108, 'shopping book an': 762233, 'book an online': 134467, 'an online slot': 56635, 'online slot with': 609381, 'slot with maximum': 774299, 'with maximum of': 999431, 'maximum of hour': 520826, 'of hour in': 584783, 'hour in store': 405694, 'in store unless': 428471, 'store unless medical': 811003, 'unless medical issue': 942630, 'medical issue which': 526229, 'issue which prevent': 456005, 'which prevent this': 986233, 'prevent this break': 671745, 'this break the': 886613, 'break the law': 138808, 'the law house': 859185, 'law house arrest': 482309, 'house arrest with': 406204, 'arrest with year': 93792, 'with year sentence': 1002136, 'year sentence for': 1014942, 'sentence for going': 750863, 'for going out': 321917, 'going out coronauk': 355366, 'superficial': 818654, 'reconsider': 704876, 'consumerinsight': 199694, 'for truly': 327363, 'truly essential': 933298, 'falling demand': 297232, 'more superficial': 540496, 'superficial consumerist': 818655, 'consumerist good': 199722, 'good need': 357432, 'want cue': 965757, 'cue to': 220207, 'to reconsider': 912965, 'reconsider our': 704883, 'need interesting': 555059, 'interesting piece': 441587, 'from yelp': 338441, 'yelp consumerinsight': 1015284, 'consumerinsight consumerbehaviour': 199695, 'consumerbehaviour business': 199629, 'rise in demand': 722879, 'demand for truly': 235512, 'for truly essential': 327364, 'truly essential good': 933299, 'essential good and': 281083, 'good and falling': 356731, 'and falling demand': 62639, 'falling demand for': 297235, 'for more superficial': 323596, 'more superficial consumerist': 540497, 'superficial consumerist good': 818656, 'consumerist good need': 199723, 'good need want': 357433, 'need want cue': 556172, 'want cue to': 965759, 'cue to reconsider': 220209, 'to reconsider our': 912968, 'reconsider our consumer': 704884, 'our consumer choice': 622529, 'consumer choice and': 196793, 'choice and need': 177732, 'and need interesting': 67473, 'need interesting piece': 555060, 'interesting piece of': 441589, 'piece of data': 656333, 'of data from': 582355, 'data from yelp': 226242, 'from yelp consumerinsight': 338442, 'yelp consumerinsight consumerbehaviour': 1015285, 'consumerinsight consumerbehaviour business': 199696, 'still busy': 800304, 'people some': 649506, 'are pretending': 89205, 'scammer are still': 740544, 'are still busy': 90400, 'still busy trying': 800308, 'of people some': 587986, 'people some are': 649507, 'some are pretending': 782325, 'are pretending to': 89206, 'from the social': 337880, 'administration and trying': 32452, 'get your social': 348736, 'number or your': 577031, 'or your money': 617886, 'cafecreme': 155139, 'chocolatedrink': 177709, 'kuka': 477901, 'navimumbai': 553143, 'increasing demand': 433578, 'sanitizer what': 736062, 'your move': 1024906, 'safe cafecreme': 729538, 'cafecreme chocolatedrink': 155140, 'chocolatedrink kuka': 177710, 'kuka navimumbai': 477902, 'navimumbai foodie': 553144, 'foodie cafe': 317946, 'cafe handsanitizer': 155110, 'handsanitizer stayhomestaysafe': 376650, 'with the increasing': 1001346, 'the increasing demand': 858083, 'increasing demand for': 433582, 'demand for hand': 235438, 'hand sanitizer what': 375657, 'sanitizer what your': 736066, 'what your move': 982714, 'your move to': 1024907, 'move to keep': 543757, 'one safe cafecreme': 606984, 'safe cafecreme chocolatedrink': 729539, 'cafecreme chocolatedrink kuka': 155141, 'chocolatedrink kuka navimumbai': 177711, 'kuka navimumbai foodie': 477903, 'navimumbai foodie cafe': 553145, 'foodie cafe handsanitizer': 317947, 'cafe handsanitizer stayhomestaysafe': 155111, 'woven': 1012530, 'offering protective': 595217, 'protective facemasks': 685747, 'and apron': 58284, 'apron at': 83744, 'at trade': 101353, 'trade price': 928553, 'all during': 42643, 'crisis all': 216989, 'all protective': 44077, 'gear is': 344961, 'is made': 449503, 'made from': 507752, 'from non': 336592, 'non woven': 566529, 'woven pp': 1012533, 'pp in': 667869, 'in clean': 421498, 'clean sterile': 180638, 'sterile environment': 799841, 'environment so': 279152, 'be assured': 113715, 'assured it': 97113, 'is hygienic': 448648, 'safe full': 729703, 'detail at': 239160, 'at ppe': 100167, 'we re offering': 972926, 're offering protective': 699164, 'offering protective facemasks': 595218, 'protective facemasks and': 685748, 'facemasks and apron': 295126, 'and apron at': 58285, 'apron at trade': 83745, 'at trade price': 101354, 'trade price for': 928555, 'for all during': 319119, 'all during the': 42645, '19 crisis all': 6210, 'crisis all protective': 216990, 'all protective gear': 44078, 'protective gear is': 685757, 'gear is made': 344962, 'is made from': 449505, 'made from non': 507755, 'from non woven': 336595, 'non woven pp': 566531, 'woven pp in': 1012534, 'pp in clean': 667870, 'in clean sterile': 421501, 'clean sterile environment': 180639, 'sterile environment so': 799842, 'environment so you': 279153, 'can be assured': 157584, 'be assured it': 113717, 'assured it is': 97114, 'it is hygienic': 458979, 'is hygienic and': 448649, 'hygienic and safe': 412209, 'and safe full': 70712, 'safe full detail': 729704, 'full detail at': 340558, 'detail at ppe': 239163, 'ha sign': 371937, 'sign due': 769110, 'to limited': 909311, 'limited quantity': 492703, 'quantity all': 691906, 'all poultry': 44002, 'poultry is': 667328, 'to per': 911650, 'customer pandemic': 222673, 'pandemic corvid19': 635238, 'supermarket ha sign': 820649, 'ha sign due': 371938, 'sign due to': 769111, 'due to limited': 261848, 'to limited quantity': 909312, 'limited quantity all': 492704, 'quantity all poultry': 691907, 'all poultry is': 44003, 'poultry is limited': 667329, 'limited to per': 492777, 'to per customer': 911652, 'per customer pandemic': 650780, 'customer pandemic corvid19': 222674, '19 anybody': 5167, 'anybody happy': 80086, 'happy right': 377668, '19 anybody happy': 5168, 'anybody happy right': 80087, 'happy right now': 377669, 'mahdi': 508499, 'the birth': 849729, 'birth of': 131403, 'of imam': 584985, 'imam mahdi': 416864, 'mahdi the': 508500, 'world where': 1010167, 'where capitalism': 984773, 'taken toll': 833112, 'toll to': 923888, 'been hiked': 121289, 'hiked we': 396358, 'must in': 546724, 'it the birth': 461516, 'the birth of': 849730, 'birth of imam': 131404, 'of imam mahdi': 584986, 'imam mahdi the': 416865, 'mahdi the in': 508501, 'the in world': 858024, 'in world where': 430989, 'world where capitalism': 1010168, 'where capitalism ha': 984774, 'capitalism ha taken': 162759, 'ha taken toll': 372155, 'taken toll to': 833114, 'toll to the': 923889, 'extent that price': 293337, 'that price for': 845824, 'medical supply have': 526446, 'have been hiked': 379571, 'been hiked we': 121292, 'hiked we must': 396359, 'we must in': 972421, 'must in the': 546725, 'in the name': 429382, 'name of and': 551659, 'of and fight': 580153, '1h30': 12609, 'occasional': 578946, 'an it': 56487, 'it colleague': 457198, 'colleague decided': 186208, 'work despite': 1005041, 'despite symptom': 238864, 'symptom he': 830856, 'spent 1h30': 789082, '1h30 close': 12610, 'with occasional': 999843, 'occasional coughing': 578947, 'coughing moved': 208703, 'moved back': 543793, 'back away': 106897, 'from him': 335803, 'him used': 396761, 'used hand': 949928, 'my computer': 547778, 'computer he': 192737, 'touched he': 926617, 'didn respect': 241179, 'respect socialdistancing': 715048, 'socialdistancing he': 780415, 'he tested': 385505, 'positive and': 665253, 'and exposed': 62544, 'exposed me': 292860, 'an it colleague': 56488, 'it colleague decided': 457199, 'colleague decided to': 186209, 'decided to come': 230907, 'to work despite': 918707, 'work despite symptom': 1005043, 'despite symptom he': 238866, 'symptom he spent': 830857, 'he spent 1h30': 385461, 'spent 1h30 close': 789083, '1h30 close to': 12611, 'to me with': 909971, 'me with occasional': 523996, 'with occasional coughing': 999844, 'occasional coughing moved': 578948, 'coughing moved back': 208704, 'moved back away': 543794, 'back away from': 106898, 'away from him': 105889, 'from him used': 335808, 'him used hand': 396762, 'used hand sanitizer': 949929, 'sanitizer on my': 735459, 'on my computer': 602273, 'my computer he': 547779, 'computer he touched': 192738, 'he touched he': 385544, 'touched he didn': 926618, 'he didn respect': 384883, 'didn respect socialdistancing': 241180, 'respect socialdistancing he': 715049, 'socialdistancing he tested': 780416, 'he tested positive': 385507, 'tested positive and': 839344, 'positive and exposed': 665255, 'and exposed me': 62546, 'nap': 551831, 'meat dept': 525541, 'dept during': 237732, 'widespread panic': 991855, 'so exhausted': 776993, 'exhausted please': 290167, 'just let': 469132, 'me nap': 523201, 'nap panicbuying': 551832, 'panicbuying hoarder': 638961, 'hoarder sheeple': 399101, 'day of working': 228118, 'of working in': 593299, 'store meat dept': 808937, 'meat dept during': 525542, 'dept during the': 237733, 'during the widespread': 263218, 'the widespread panic': 871547, 'widespread panic shopping': 991858, 'panic shopping so': 638586, 'shopping so exhausted': 763924, 'so exhausted please': 776994, 'exhausted please just': 290168, 'please just let': 660142, 'just let me': 469134, 'let me nap': 486904, 'me nap panicbuying': 523202, 'nap panicbuying hoarder': 551833, 'panicbuying hoarder sheeple': 638962, 'klang': 475874, 'shopping store': 763989, 'in klang': 424524, 'klang valley': 475875, 'valley that': 951988, 'doorstep during': 255846, 'grocery shopping store': 365086, 'shopping store in': 763991, 'store in klang': 808328, 'in klang valley': 424525, 'klang valley that': 475877, 'valley that deliver': 951989, 'that deliver to': 843482, 'deliver to your': 233256, 'to your doorstep': 918973, 'your doorstep during': 1023586, 'doorstep during the': 255848, 'but other': 146711, 'business operation': 144150, 'operation remain': 613244, 'remain see': 709853, 'will ship': 994838, 'is closed but': 446572, 'closed but other': 183027, 'but other business': 146712, 'other business operation': 619916, 'business operation remain': 144152, 'operation remain see': 613246, 'remain see you': 709854, 'see you can': 746102, 'order online or': 618476, 'by phone and': 153574, 'phone and we': 654889, 'we will ship': 973908, 'guessed': 368110, 'theofficenbc': 877824, 'angelamartin': 76345, 'this episode': 887404, 'episode aired': 279511, 'aired 25': 39888, '25 13': 15800, 'ever guessed': 285334, 'guessed that': 368111, 'that angela': 842663, 'angela martin': 76328, 'martin wa': 518111, 'wa prepper': 962983, 'prepper theofficenbc': 670390, 'theofficenbc toiletpaper': 877825, 'quarantine life': 692337, 'life hoarding': 488733, 'hoarding tp': 399630, 'tp prepper': 927906, 'prepper angelamartin': 670380, 'this episode aired': 887405, 'episode aired 25': 279512, 'aired 25 13': 39889, '25 13 who': 15801, '13 who would': 3283, 'would have ever': 1011874, 'have ever guessed': 380491, 'ever guessed that': 285335, 'guessed that angela': 368112, 'that angela martin': 842664, 'angela martin wa': 76329, 'martin wa prepper': 518112, 'wa prepper theofficenbc': 962984, 'prepper theofficenbc toiletpaper': 670391, 'theofficenbc toiletpaper quarantine': 877826, 'toiletpaper quarantine life': 922373, 'quarantine life hoarding': 692338, 'life hoarding tp': 488734, 'hoarding tp prepper': 399631, 'tp prepper angelamartin': 927907, 'now hiring': 574930, 'hiring community': 397080, 'community look': 189969, 'outbreak two': 628770, 'two supermarket': 937247, 'reacting by': 700167, 'adding more': 31680, 'now hiring community': 574932, 'hiring community look': 397081, 'community look to': 189970, 'look to their': 502642, 'to their grocery': 917235, 'their grocery store': 873452, 'store for food': 807805, 'the outbreak two': 862716, 'outbreak two supermarket': 628771, 'two supermarket chain': 937248, 'chain are reacting': 170511, 'are reacting by': 89450, 'reacting by adding': 700168, 'by adding more': 151752, 'adding more worker': 31681, 'slight': 773926, 'well discovered': 978160, 'discovered slight': 244693, 'slight issue': 773929, 'store those': 810710, 'aren practicing': 92482, 'practicing the': 668754, 'the 6ft': 848178, '6ft guideline': 21608, 'guideline will': 368508, 'give single': 350702, 'single fuck': 771301, 'fuck socialdistancing': 339640, 'socialdistancing 19': 780181, '19 sixfeetapart': 10603, 'well discovered slight': 978161, 'discovered slight issue': 244694, 'slight issue with': 773930, 'issue with social': 456021, 'grocery store those': 365859, 'store those who': 810713, 'those who aren': 892613, 'who aren practicing': 988269, 'aren practicing the': 92484, 'practicing the 6ft': 668755, 'the 6ft guideline': 848179, '6ft guideline will': 21609, 'guideline will cut': 368509, 'will cut in': 993085, 'cut in line': 223379, 'in line and': 424743, 'line and not': 492950, 'and not give': 67741, 'not give single': 569645, 'give single fuck': 350703, 'single fuck socialdistancing': 771302, 'fuck socialdistancing 19': 339641, 'socialdistancing 19 sixfeetapart': 780182, 'indefensible': 434021, 'an indefensible': 56265, 'indefensible supermarket': 434024, 'no employer': 564111, 'employer doe': 274504, 'not prioritize': 571092, 'prioritize the': 678450, 'excuse more': 289762, 'worker die': 1006775, 'die employee': 241325, 'employee call': 273698, 'better protection': 128434, 'the boston': 849889, 'boston globe': 135795, 'globe wholefoods': 352490, 'it is an': 458874, 'is an indefensible': 445673, 'an indefensible supermarket': 56266, 'indefensible supermarket and': 434025, 'supermarket and no': 819023, 'and no employer': 67612, 'no employer doe': 564112, 'employer doe not': 274505, 'doe not prioritize': 251518, 'not prioritize the': 571093, 'prioritize the health': 678453, 'health of it': 386684, 'of it staff': 585445, 'it staff there': 461214, 'staff there is': 792959, 'no excuse more': 564164, 'excuse more supermarket': 289764, 'supermarket worker die': 824011, 'worker die employee': 1006776, 'die employee call': 241326, 'employee call for': 273699, 'for better protection': 319660, 'better protection the': 128437, 'protection the boston': 685645, 'the boston globe': 849892, 'boston globe wholefoods': 135796, 'worldhappinessday': 1010237, 'turning their': 935957, 'into warehouse': 443281, 'warehouse if': 966730, 'not build': 568631, 'build wall': 142017, 'wall build': 965154, 'build bigger': 141953, 'bigger table': 130171, 'table stophoarding': 831500, 'stophoarding worldhappinessday': 805518, 'living in uncertain': 496398, 'uncertain time and': 939612, 'time and people': 896288, 'are turning their': 91229, 'turning their home': 935958, 'their home into': 873566, 'home into warehouse': 401446, 'into warehouse if': 443282, 'warehouse if you': 966731, 'you ve got': 1022043, 'got more than': 358714, 'you need please': 1020031, 'need please share': 555442, 'share with others': 755357, 'with others do': 999968, 'do not build': 249686, 'not build wall': 568632, 'build wall build': 142018, 'wall build bigger': 965155, 'build bigger table': 141954, 'bigger table stophoarding': 130172, 'table stophoarding worldhappinessday': 831501, 'know any': 476261, 'any senior': 79782, 'senior please': 750384, 'send this': 749970, 'them had': 875811, 'wait 45': 964064, 'minute just': 533783, 'they shouldn': 883388, 'shouldn have': 766734, 'you know any': 1019484, 'know any senior': 476264, 'any senior please': 79783, 'senior please send': 750385, 'please send this': 660467, 'send this to': 749971, 'this to them': 890745, 'to them had': 917297, 'them had to': 875813, 'to wait 45': 918256, 'wait 45 minute': 964065, '45 minute just': 19117, 'minute just to': 533784, 'store they shouldn': 810678, 'they shouldn have': 883391, 'shouldn have to': 766735, 'combating covid': 187064, '19 14': 4704, 'merchant in': 529021, 'in dubai': 422401, 'dubai fined': 261472, 'combating covid 19': 187065, 'covid 19 14': 212552, '19 14 merchant': 4705, '14 merchant in': 3497, 'merchant in dubai': 529023, 'in dubai fined': 422403, 'dubai fined for': 261473, 'fined for hiking': 307744, 'fajita': 296558, 'fucking mind': 339945, 'mind blowing': 532628, 'blowing that': 133382, 'be risking': 116897, 'get fajita': 346986, 'fajita sauce': 296561, 'sauce at': 737142, 'it fucking mind': 458169, 'fucking mind blowing': 339946, 'mind blowing that': 532630, 'blowing that you': 133383, 'that you you': 847756, 'you you might': 1022484, 'might be risking': 530927, 'be risking your': 116898, 'risking your life': 724102, 'life to go': 489134, 'to go get': 906801, 'go get fajita': 353605, 'get fajita sauce': 346987, 'fajita sauce at': 296562, 'sauce at the': 737143, 'grocery store 19': 365166, 'store 19 stayathome': 806025, 'just sent': 469764, 'sent my': 750783, 'husband to': 411770, 'war 19': 966333, 'just sent my': 469767, 'sent my husband': 750785, 'my husband to': 548796, 'husband to the': 411772, 'grocery store like': 365525, 'store like he': 808726, 'like he wa': 490401, 'he wa going': 385601, 'to war 19': 918327, 'peg': 646323, 'jihad': 465472, 'azour': 106426, 'dollar peg': 253050, 'peg in': 646324, 'gulf have': 368640, 'have proven': 382093, 'proven effective': 686158, 'effective even': 269247, 'region now': 707440, 'price say': 676299, 'say jihad': 738869, 'jihad azour': 465473, 'azour imf': 106427, 'imf director': 416895, 'director for': 243617, 'dollar peg in': 253051, 'peg in the': 646325, 'in the gulf': 429249, 'the gulf have': 856941, 'gulf have proven': 368641, 'have proven effective': 382094, 'proven effective even': 686160, 'effective even the': 269248, 'even the region': 284665, 'the region now': 865434, 'region now face': 707441, 'now face the': 574655, 'face the outbreak': 294798, 'the outbreak and': 862590, 'and the crash': 73306, 'oil price say': 597244, 'price say jihad': 676300, 'say jihad azour': 738870, 'jihad azour imf': 465474, 'azour imf director': 106428, 'imf director for': 416896, 'director for the': 243619, 'for the middle': 326562, 'dollar stimulus': 253081, 'injected dollar': 438687, 'dollar uspoli': 253110, 'for the dollar': 326393, 'the dollar stimulus': 853523, 'dollar stimulus to': 253082, 'the injected dollar': 858292, 'injected dollar uspoli': 438688, 'dollar uspoli cdnpoli': 253111, 'grinding': 363993, 'price growth': 674366, 'growth grinding': 367387, 'grinding to': 363996, 'rose last': 726078, 'outbreak warning': 628784, 'warning market': 967147, 'is grinding': 448222, 'halt the': 374460, 'lockdown stop': 499966, 'stop buyer': 804523, 'buyer seller': 149741, 'seller from': 749025, 'from viewing': 338239, 'viewing property': 957207, 'property via': 684368, 'house price growth': 406486, 'price growth grinding': 674367, 'growth grinding to': 367388, 'grinding to halt': 363997, 'to halt price': 907105, 'halt price rose': 374453, 'price rose last': 676270, 'rose last month': 726079, 'last month before': 480329, 'month before the': 537617, 'coronavirus outbreak warning': 206419, 'outbreak warning market': 628785, 'warning market activity': 967148, 'activity is grinding': 30452, 'is grinding to': 448223, 'to halt the': 907107, 'halt the lockdown': 374462, 'the lockdown stop': 859633, 'lockdown stop buyer': 499968, 'stop buyer seller': 804525, 'buyer seller from': 149742, 'seller from viewing': 749027, 'from viewing property': 338240, 'viewing property via': 957208, 'awful covid': 106223, 'lockdown watch': 500116, 'watch video': 968601, 'of resident': 588974, 'resident cry': 714277, 'skyrocket via': 773341, 'awful covid 19': 106224, '19 lockdown watch': 8437, 'lockdown watch video': 500117, 'watch video of': 968603, 'video of resident': 956832, 'of resident cry': 588975, 'resident cry for': 714278, 'cry for help': 219865, 'for help food': 322176, 'help food price': 389744, 'food price skyrocket': 315972, 'price skyrocket via': 676441, 'beautyandthebeast': 118822, 'belle': 126501, 'westwing': 980723, 'disneyclassic': 246050, 'west wing': 980552, 'wing virus': 995995, 'virus toiletpaper': 958935, 'toiletpaper beast': 921790, 'beast beautyandthebeast': 118483, 'beautyandthebeast belle': 118823, 'belle westwing': 126502, 'westwing stockpile': 980724, 'stockpile disney': 803735, 'disney disneyclassic': 246037, 'disneyclassic quarantine': 246051, 'quarantine los': 692357, 'angeles california': 76367, 'just don go': 468631, 'don go into': 253567, 'into the west': 443187, 'the west wing': 871401, 'west wing virus': 980553, 'wing virus toiletpaper': 995996, 'virus toiletpaper beast': 958936, 'toiletpaper beast beautyandthebeast': 921791, 'beast beautyandthebeast belle': 118484, 'beautyandthebeast belle westwing': 118824, 'belle westwing stockpile': 126503, 'westwing stockpile disney': 980725, 'stockpile disney disneyclassic': 803736, 'disney disneyclassic quarantine': 246038, 'disneyclassic quarantine los': 246052, 'quarantine los angeles': 692358, 'los angeles california': 503361, 'one woman': 607493, 'woman pleads': 1003581, 'take covid': 832039, 'seriously one': 751685, 'one man': 606637, 'man say': 512219, 'should require': 766410, 'require supermarket': 713330, 'and trash': 74395, 'trash bin': 930140, 'bin outside': 131031, 'discard glove': 244317, 'one woman pleads': 607495, 'woman pleads for': 1003582, 'pleads for resident': 659596, 'resident to take': 714390, 'to take covid': 916169, 'take covid 19': 832040, '19 seriously one': 10422, 'seriously one man': 751686, 'one man say': 606639, 'man say city': 512220, 'say city should': 738510, 'city should require': 179355, 'should require supermarket': 766411, 'require supermarket worker': 713332, 'worker to wear': 1008026, 'wear glove and': 974333, 'glove and trash': 352584, 'and trash bin': 74396, 'trash bin outside': 930141, 'bin outside to': 131032, 'outside to discard': 629616, 'to discard glove': 904346, 'we share': 973224, 'your concern': 1023303, 'concern with': 193138, 'store management': 808865, 'management read': 512621, 'step we': 799701, 'taking to': 833629, 'here thank': 393631, 'you very': 1022076, 'much and': 544709, 'safe ep': 729629, 'we share your': 973230, 'share your concern': 755372, 'your concern with': 1023305, 'concern with local': 193140, 'with local store': 999285, 'local store management': 498468, 'store management read': 808869, 'management read more': 512622, 'about the step': 26528, 'the step we': 867880, 'step we re': 799703, 're taking to': 699659, 'taking to protect': 833637, 'protect our staff': 684903, 'and customer here': 60848, 'customer here thank': 222466, 'here thank you': 393632, 'thank you very': 841839, 'you very much': 1022077, 'very much and': 955356, 'much and stay': 544711, 'stay safe ep': 797231, 'am legend': 50177, 'legend day': 485928, 'day four': 227646, 'four this': 330681, 'our currency': 622638, 'currency now': 221047, 'am legend day': 50178, 'legend day four': 485929, 'day four this': 227647, 'four this is': 330682, 'is our currency': 450617, 'our currency now': 622639, 'touchpoints': 926768, 'informed while': 438139, 'work out': 1005578, 'home supply': 402176, 'chain challenge': 170588, 'challenge store': 171562, 'closure ecommerce': 183880, 'ecommerce spike': 266871, 'spike and': 789262, 'distancing find': 247148, 'how retailer': 408591, 'this podcast': 889625, 'podcast from': 662278, 'retail touchpoints': 718799, 'stay informed while': 797091, 'informed while you': 438140, 'while you work': 987598, 'you work out': 1022421, 'work out at': 1005579, 'out at home': 625744, 'at home supply': 99128, 'home supply chain': 402177, 'supply chain challenge': 824927, 'chain challenge store': 170590, 'challenge store closure': 171563, 'store closure ecommerce': 807090, 'closure ecommerce spike': 183881, 'ecommerce spike and': 266872, 'spike and social': 789263, 'social distancing find': 779610, 'distancing find out': 247150, 'out how retailer': 626333, 'how retailer in': 408593, 'in the are': 428983, 'the are coping': 848860, 'are coping with': 85568, 'coping with in': 203400, 'with in this': 998968, 'in this podcast': 429999, 'this podcast from': 889626, 'podcast from retail': 662279, 'from retail touchpoints': 337103, 'qell': 691541, 'rear': 702832, 'posterior': 666618, 'frail': 330929, 'onl': 607748, 'qell will': 691542, 'alright no': 47783, 'doubt about': 256181, 'about that': 26317, 'be shoved': 117165, 'shoved on': 766827, 'on her': 601277, 'her rear': 392323, 'rear posterior': 702835, 'posterior while': 666619, 'while buying': 986664, 'buying loo': 150675, 'roll by': 725232, 'idiot but': 413473, 'of frail': 583889, 'frail old': 330932, 'people sick': 649465, 'sick are': 768379, 'to idiot': 908095, 'idiot supermarket': 413605, 'supermarket greed': 820565, 'greed unable': 363446, 'good onl': 357511, 'qell will be': 691543, 'be alright no': 113575, 'alright no doubt': 47784, 'no doubt about': 564046, 'doubt about that': 256184, 'about that she': 26323, 'that she will': 846246, 'she will not': 756469, 'not be shoved': 568454, 'be shoved on': 117166, 'shoved on her': 766828, 'on her rear': 601283, 'her rear posterior': 392324, 'rear posterior while': 702836, 'posterior while buying': 666620, 'while buying loo': 986667, 'buying loo roll': 150676, 'loo roll by': 502171, 'roll by some': 725234, 'by some idiot': 154075, 'some idiot but': 783070, 'idiot but plenty': 413474, 'plenty of frail': 660950, 'of frail old': 583890, 'frail old people': 330933, 'old people sick': 598419, 'people sick are': 649466, 'sick are now': 768380, 'are now thanks': 88605, 'thanks to idiot': 842236, 'to idiot supermarket': 908096, 'idiot supermarket greed': 413606, 'supermarket greed unable': 820566, 'greed unable to': 363447, 'to buy any': 902179, 'buy any good': 148348, 'any good onl': 79285, 'strensall': 813281, '40p': 18848, '90p': 23423, 'your express': 1023724, 'on strensall': 603719, 'strensall york': 813282, 'york profiteering': 1016651, 'now 40p': 573908, '40p each': 18849, 'each no': 264127, 'deal 90p': 229330, '90p for': 23424, 'for box': 319754, 'of candy': 581099, 'candy stick': 161347, 'stick yet': 800076, 'yet main': 1016142, 'main store': 508822, 'is 40p': 445210, 'why is your': 991131, 'is your express': 454143, 'your express store': 1023725, 'express store on': 293065, 'store on strensall': 809206, 'on strensall york': 603720, 'strensall york profiteering': 813283, 'york profiteering on': 1016652, 'profiteering on price': 683079, 'on price all': 602904, 'price all for': 672269, 'all for 00': 42831, 'for 00 now': 318602, '00 now 40p': 376, 'now 40p each': 573909, '40p each no': 18850, 'each no longer': 264128, 'longer in the': 502000, 'in the deal': 429125, 'the deal 90p': 852956, 'deal 90p for': 229331, '90p for box': 23425, 'for box of': 319755, 'box of candy': 137113, 'of candy stick': 581100, 'candy stick yet': 161348, 'stick yet main': 800077, 'yet main store': 1016143, 'main store is': 508823, 'store is 40p': 808459, 'is 40p each': 445211, 'unsure': 943577, 'stonely': 804355, 'an automotive': 55489, 'automotive retailer': 104049, 'is unsure': 453554, 'unsure about': 943578, 'and regulation': 70167, 'on distance': 600347, 'distance selling': 246817, 'selling have': 749289, 'have listen': 381337, 'my interview': 548879, 'right expert': 721892, 'expert peter': 291914, 'peter stonely': 653535, 'stonely of': 804356, 'of available': 580475, 'on blog': 599655, 'blog page': 132978, 'page stayhomesavelives': 633894, 're an automotive': 698284, 'an automotive retailer': 55490, 'automotive retailer that': 104050, 'retailer that is': 719359, 'that is unsure': 844672, 'is unsure about': 453555, 'unsure about the': 943579, 'about the rule': 26506, 'rule and regulation': 727191, 'and regulation on': 70169, 'regulation on distance': 708085, 'on distance selling': 600348, 'distance selling have': 246818, 'selling have listen': 749290, 'have listen to': 381338, 'to my interview': 910410, 'my interview with': 548882, 'interview with consumer': 442262, 'with consumer right': 997767, 'consumer right expert': 198813, 'right expert peter': 721894, 'expert peter stonely': 291915, 'peter stonely of': 653536, 'stonely of available': 804357, 'of available now': 580477, 'available now on': 104520, 'now on blog': 575418, 'on blog page': 599656, 'blog page stayhomesavelives': 132979, 'generationgame': 345673, 'contestant': 200887, 'conveyor': 202586, 'whencoronavirusisover': 984646, 'panicshop': 639404, 'wherestheprizes': 985450, 'checkout feel': 174916, 'like generationgame': 490304, 'generationgame contestant': 345674, 'contestant trying': 200894, 'the conveyor': 851710, 'conveyor belt': 202587, 'belt to': 126805, 'ensure people': 278003, 'buy too': 149388, 'could compete': 209036, 'compete whencoronavirusisover': 191601, 'whencoronavirusisover panicshop': 984647, 'panicshop wherestheprizes': 639405, 'working on supermarket': 1008824, 'on supermarket checkout': 603783, 'supermarket checkout feel': 819664, 'checkout feel like': 174917, 'feel like generationgame': 302713, 'like generationgame contestant': 490305, 'generationgame contestant trying': 345675, 'contestant trying to': 200895, 'to remember everything': 913184, 'remember everything on': 710190, 'on the conveyor': 604038, 'the conveyor belt': 851711, 'conveyor belt to': 202590, 'belt to ensure': 126806, 'to ensure people': 905179, 'ensure people do': 278004, 'not buy too': 568656, 'buy too much': 149389, 'too much of': 924936, 'much of one': 545194, 'of one thing': 587244, 'one thing could': 607217, 'thing could compete': 884253, 'could compete whencoronavirusisover': 209038, 'compete whencoronavirusisover panicshop': 191602, 'whencoronavirusisover panicshop wherestheprizes': 984648, 'lehman': 486095, 'appl': 82243, '08': 1068, 'intc': 440935, 'msft': 544509, 'jnj': 465567, '2008 lehman': 13678, 'lehman covid': 486096, '19 20': 4720, '20 blue': 12970, 'blue chip': 133437, 'chip stock': 177532, 'price highest': 674521, 'highest price': 395844, 'right before': 721805, 'before lehman': 122906, 'lehman issue': 486098, 'issue lowest': 455841, 'right after': 721735, 'after lehman': 35862, 'issue appl': 455673, 'appl 61': 82244, '61 08': 21178, '08 30': 1072, '30 now': 17135, 'now pg': 575536, 'pg 69': 653940, '69 21': 21517, '21 intc': 15010, 'intc 91': 440936, '91 37': 23427, '37 msft': 18082, 'msft 60': 544510, '60 29': 20863, '29 jnj': 16480, 'jnj 36': 465568, '36 23': 17994, '2008 lehman covid': 13679, 'lehman covid 19': 486097, 'covid 19 20': 212554, '19 20 blue': 4721, '20 blue chip': 12971, 'blue chip stock': 133438, 'chip stock price': 177533, 'stock price highest': 802724, 'price highest price': 674522, 'highest price right': 395847, 'price right before': 676222, 'right before lehman': 721808, 'before lehman issue': 122907, 'lehman issue lowest': 486100, 'issue lowest price': 455842, 'lowest price right': 506215, 'price right after': 676221, 'right after lehman': 721738, 'after lehman issue': 35863, 'lehman issue appl': 486099, 'issue appl 61': 455674, 'appl 61 08': 82245, '61 08 30': 21179, '08 30 now': 1074, '30 now pg': 17136, 'now pg 69': 575537, 'pg 69 21': 653941, '69 21 intc': 21518, '21 intc 91': 15011, 'intc 91 37': 440937, '91 37 msft': 23428, '37 msft 60': 18083, 'msft 60 29': 544511, '60 29 jnj': 20864, '29 jnj 36': 16481, 'jnj 36 23': 465569, 'actionable': 30212, 'healthandsafety': 387001, 'audit provide': 102942, 'provide you': 686553, 'with critical': 997858, 'critical store': 218671, 'store insight': 808437, 'insight you': 439666, 'into actionable': 442375, 'actionable data': 30213, 'example employee': 288889, 'customer health': 222451, 'concern retail': 193080, 'retail healthandsafety': 718179, 'audit provide you': 102943, 'provide you with': 686556, 'you with critical': 1022378, 'with critical store': 997859, 'critical store insight': 218672, 'store insight you': 808438, 'insight you can': 439667, 'you can turn': 1017819, 'turn into actionable': 935686, 'into actionable data': 442376, 'actionable data for': 30214, 'data for example': 226214, 'for example employee': 321277, 'example employee and': 288890, 'and customer health': 60846, 'customer health and': 222452, 'and safety concern': 70741, 'safety concern retail': 730504, 'concern retail healthandsafety': 193081, 'mainin': 508866, 'burland': 142876, 'being made': 125407, 'made between': 507651, 'saudi to': 737310, 'to mainin': 909558, 'mainin oil': 508867, 'by burland': 152018, 'burland oil': 142877, 'oil wti': 597527, 'wti commodity': 1013385, 'effort are being': 269476, 'are being made': 84884, 'being made between': 125409, 'made between and': 507652, 'between and saudi': 128720, 'and saudi to': 70940, 'saudi to mainin': 737311, 'to mainin oil': 909559, 'mainin oil price': 508868, 'oil price by': 597070, 'price by burland': 673017, 'by burland oil': 152019, 'burland oil wti': 142878, 'oil wti commodity': 597528, 'sanitizer over': 735516, 'over booze': 630026, 'booze to': 135184, 'fight shortage': 304867, 'brewery are making': 139435, 'hand sanitizer over': 375524, 'sanitizer over booze': 735517, 'over booze to': 630027, 'booze to help': 135185, 'help fight shortage': 389715, 'fight shortage due': 304868, 'clever': 181860, 'jamie': 464421, 'keepcookingcarryon': 472329, 'show she': 767122, 'she help': 756117, 'nation with': 552392, 'easy recipe': 265753, 'recipe cooking': 704449, 'cooking tip': 202922, 'and clever': 59976, 'clever trick': 181874, 'trick while': 931718, 'home jamie': 401479, 'jamie keep': 464422, 'keep cooking': 471424, 'going start': 355467, 'start monday': 794392, '30 keepcookingcarryon': 17091, 'join on her': 466796, 'on her new': 601282, 'her new show': 392229, 'new show she': 559599, 'show she help': 767123, 'she help the': 756118, 'the nation with': 861277, 'nation with easy': 552394, 'with easy recipe': 998171, 'easy recipe cooking': 265754, 'recipe cooking tip': 704450, 'cooking tip and': 202923, 'tip and clever': 898702, 'and clever trick': 59977, 'clever trick while': 181875, 'trick while many': 931719, 'many of stay': 514387, 'of stay home': 590089, 'stay home jamie': 796978, 'home jamie keep': 401480, 'jamie keep cooking': 464423, 'keep cooking and': 471425, 'cooking and keep': 202845, 'and keep going': 65761, 'keep going start': 471550, 'going start monday': 355468, 'start monday at': 794393, 'monday at 30': 536256, 'at 30 keepcookingcarryon': 97592, 'online window': 609734, 'shopping cause': 762331, 'me stressed': 523562, 'and broke': 59220, 'online window shopping': 609735, 'window shopping cause': 995712, 'shopping cause covid': 762332, 'ha me stressed': 371257, 'me stressed and': 523563, 'stressed and broke': 813437, 'stophoarding me': 805428, 'me trying': 523839, 'get pasta': 347792, 'stophoarding me trying': 805429, 'me trying to': 523840, 'to get pasta': 906558, 'get pasta and': 347793, 'pasta and rice': 643685, 'on historic': 601331, 'historic output': 397968, 'price hammered': 674400, 'war sending': 966536, 'sending crude': 750016, 'price soaring': 676537, 'soaring on': 779335, 'monday oil': 536353, 'country agreed on': 210415, 'agreed on historic': 38717, 'on historic output': 601332, 'historic output cut': 397969, 'output cut to': 629259, 'cut to prop': 223608, 'up price hammered': 945818, 'price hammered by': 674401, 'price war sending': 677373, 'war sending crude': 966537, 'sending crude price': 750017, 'crude price soaring': 219598, 'price soaring on': 676540, 'soaring on monday': 779337, 'on monday oil': 602178, 'flig': 310414, 'this big': 886554, 'big crisis': 129721, 'crisis time': 218239, 'when everyone': 983397, 'everyone chasing': 286775, 'chasing for': 173910, 'life due': 488613, 'taking benefit': 833281, 'benefit for': 126964, 'their welfare': 875182, 'welfare but': 977944, 'is policy': 450925, 'policy they': 663518, 'must refund': 546843, 'refund customer': 706892, 'customer money': 222605, 'money if': 536821, 'if flig': 414117, 'in this big': 429910, 'this big crisis': 886555, 'big crisis time': 129722, 'crisis time when': 218240, 'time when everyone': 898284, 'when everyone chasing': 983399, 'everyone chasing for': 286776, 'chasing for life': 173911, 'for life due': 322967, 'life due to': 488614, 'are taking benefit': 90715, 'taking benefit for': 833282, 'benefit for their': 126972, 'for their welfare': 326884, 'their welfare but': 875183, 'welfare but this': 977945, 'this is policy': 888359, 'is policy they': 450926, 'policy they must': 663519, 'they must refund': 882707, 'must refund customer': 546844, 'refund customer money': 706893, 'customer money if': 222606, 'money if flig': 536822, 'chopped coronavirus': 177964, 'coronavirus grocery': 206004, 'shopping edition': 762560, 'edition chopped': 268606, 'chopped coronavirus grocery': 177965, 'coronavirus grocery store': 206007, 'store shopping edition': 810133, 'shopping edition chopped': 762561, '19 need to': 8758, 'go can stop': 353405, 'can stop shopping': 159823, 'coronaquarantinechronicles': 205262, '80sbaby': 22763, 'considerable': 195183, 'coronaquarantinechronicles my': 205263, 'an adventure': 55152, 'adventure luckily': 33104, 'luckily for': 506498, 'my 80sbaby': 547195, '80sbaby training': 22764, 'training ha': 929340, 'me considerable': 522590, 'considerable advantage': 195184, 'advantage to': 33070, 'socialdistancing thing': 780805, 'coronaquarantinechronicles my travel': 205264, 'my travel to': 550428, 'travel to the': 930541, 'store today wa': 810877, 'today wa an': 920443, 'wa an adventure': 961526, 'an adventure luckily': 55153, 'adventure luckily for': 33105, 'luckily for me': 506499, 'for me my': 323326, 'me my 80sbaby': 523185, 'my 80sbaby training': 547196, '80sbaby training ha': 22765, 'training ha given': 929341, 'given me considerable': 351049, 'me considerable advantage': 522591, 'considerable advantage to': 195185, 'advantage to this': 33073, 'to this socialdistancing': 917461, 'this socialdistancing thing': 890233, 'reiterates': 708301, 'combatting': 187081, 'employing': 274566, 'government reiterates': 360523, 'reiterates it': 708304, 'it commitment': 457225, 'to combatting': 903014, 'combatting by': 187082, 'by employing': 152476, 'employing all': 274569, 'all possible': 43995, 'possible mean': 665711, 'to safeguard': 913701, 'safeguard the': 730213, 'it population': 460383, 'population it': 664711, 'also call': 47995, 'necessary measure': 554030, 'federal government reiterates': 302001, 'government reiterates it': 360524, 'reiterates it commitment': 708305, 'it commitment to': 457226, 'commitment to combatting': 189004, 'to combatting by': 903015, 'combatting by employing': 187083, 'by employing all': 152477, 'employing all possible': 274570, 'all possible mean': 43996, 'possible mean to': 665712, 'mean to safeguard': 524742, 'to safeguard the': 913706, 'safeguard the health': 730216, 'of it population': 585432, 'it population it': 460384, 'population it also': 664712, 'it also call': 456422, 'also call on': 47996, 'public to adopt': 688371, 'to adopt the': 900129, 'adopt the necessary': 32679, 'the necessary measure': 861374, 'necessary measure to': 554031, 'measure to protect': 525402, 'themselves from getting': 876811, 'from getting the': 335636, 'getting the disease': 349344, 'pacific': 632976, 'seegene': 746190, 'tripled': 932276, 'celtrion': 168993, 'chugai': 178304, 'csl': 220050, 'ffm': 304268, 'developed asia': 239684, 'asia pacific': 95209, 'pacific biotech': 632977, 'biotech stock': 131286, 'have gained': 380750, 'gained on': 342850, 'on average': 599510, 'average this': 104902, 'year those': 1015024, 'emerging asia': 273097, 'pacific rose': 632989, 'rose and': 726052, 'other region': 620817, 'region lost': 707434, 'lost at': 503827, 'least covid': 484428, 'kit maker': 475590, 'maker seegene': 510866, 'seegene tripled': 746191, 'tripled in': 932283, 'in 1m': 419732, '1m celtrion': 12653, 'celtrion chugai': 168994, 'chugai csl': 178305, 'csl target': 220051, 'target price': 834495, 'price raised': 676062, 'raised now': 696016, 'on bloomberg': 599657, 'bloomberg ffm': 133258, 'ffm go': 304269, 'developed asia pacific': 239685, 'asia pacific biotech': 95210, 'pacific biotech stock': 632978, 'biotech stock have': 131287, 'stock have gained': 802225, 'have gained on': 380751, 'gained on average': 342851, 'on average this': 599516, 'average this year': 104903, 'this year those': 891600, 'year those in': 1015025, 'those in emerging': 892093, 'in emerging asia': 422548, 'emerging asia pacific': 273098, 'asia pacific rose': 95212, 'pacific rose and': 632991, 'rose and those': 726053, 'and those in': 74027, 'those in other': 892099, 'in other region': 426249, 'other region lost': 620818, 'region lost at': 707435, 'lost at least': 503828, 'at least covid': 99478, 'least covid 19': 484429, 'test kit maker': 839063, 'kit maker seegene': 475591, 'maker seegene tripled': 510867, 'seegene tripled in': 746192, 'tripled in 1m': 932284, 'in 1m celtrion': 419733, '1m celtrion chugai': 12654, 'celtrion chugai csl': 168995, 'chugai csl target': 178306, 'csl target price': 220052, 'target price raised': 834496, 'price raised now': 676063, 'raised now on': 696017, 'now on bloomberg': 575419, 'on bloomberg ffm': 599658, 'bloomberg ffm go': 133259, 'nopanic': 566887, 'asking why': 96108, 'why japan': 991153, 'off so': 594165, 'so lightly': 777551, 'lightly honestly': 489657, 'it combination': 457202, 'of reason': 588809, 'reason but': 702879, 'moment thing': 536070, 'very calm': 955032, 'calm went': 156821, 'morning nopanic': 541376, 'nopanic 19': 566888, 'people are asking': 646928, 'are asking why': 84650, 'asking why japan': 96109, 'why japan is': 991154, 'japan is getting': 464746, 'is getting off': 448033, 'getting off so': 349151, 'off so lightly': 594166, 'so lightly honestly': 777552, 'lightly honestly don': 489658, 'don know it': 253667, 'know it combination': 476522, 'it combination of': 457203, 'combination of reason': 187105, 'of reason but': 588810, 'reason but at': 702880, 'but at the': 145245, 'the moment thing': 860783, 'moment thing are': 536071, 'thing are very': 884167, 'are very calm': 91456, 'very calm went': 955034, 'calm went to': 156822, 'this morning nopanic': 888990, 'morning nopanic 19': 541377, '3500': 17936, 'because qatar': 119507, 'qatar are': 691479, 'by extortionate': 152528, 'extortionate amount': 293385, 'amount for': 53180, 'example nz': 288921, 'nz to': 578211, 'uk usual': 938855, 'price 900': 672181, '900 covid': 23372, 'price 3500': 672149, 'you can because': 1017629, 'can because qatar': 157727, 'because qatar are': 119508, 'qatar are hiking': 691480, 'hiking price by': 396393, 'price by extortionate': 673021, 'by extortionate amount': 152529, 'extortionate amount for': 293386, 'amount for example': 53181, 'for example nz': 321286, 'example nz to': 288922, 'nz to uk': 578212, 'to uk usual': 917882, 'uk usual price': 938856, 'usual price 900': 951001, 'price 900 covid': 672182, '900 covid 19': 23373, '19 special price': 10723, 'special price 3500': 788025, 'redeem': 705658, 'uk there': 938808, 'be load': 115785, 'of wasted': 592926, 'food soon': 316697, 'soon wouldn': 785905, 'wa campaign': 961783, 'remind people': 710500, 'bank exist': 109812, 'exist so': 290245, 'could redeem': 209579, 'redeem themselves': 705659, 'and donate': 61645, 'donate coronacrisis': 254169, 'to the crazy': 916610, 'the crazy panic': 852299, 'the uk there': 870290, 'uk there will': 938811, 'will be load': 992541, 'be load of': 115786, 'load of wasted': 497289, 'of wasted food': 592927, 'wasted food soon': 968236, 'food soon wouldn': 316699, 'soon wouldn it': 785906, 'great if there': 362742, 'there wa campaign': 879234, 'wa campaign to': 961784, 'campaign to remind': 157266, 'to remind people': 913203, 'remind people that': 710502, 'people that food': 649762, 'that food bank': 843903, 'food bank exist': 313561, 'bank exist so': 109813, 'exist so people': 290246, 'people could redeem': 647563, 'could redeem themselves': 209580, 'redeem themselves and': 705660, 'themselves and donate': 876750, 'and donate coronacrisis': 61646, 'user likely': 950298, 'their alcohol': 872485, 'alcohol consumption': 40965, 'consumption during': 199864, 'home new': 401655, 'research indicates': 713767, 'that social': 846366, 'user are': 950263, 'medium user likely': 527346, 'user likely to': 950299, 'increase their alcohol': 433119, 'their alcohol consumption': 872486, 'alcohol consumption during': 40966, 'consumption during covid': 199865, '19 stay at': 10796, 'at home new': 99056, 'home new consumer': 401656, 'new consumer research': 558529, 'consumer research indicates': 198755, 'research indicates that': 713768, 'indicates that social': 434994, 'that social medium': 846369, 'medium user are': 527345, 'user are likely': 950265, 'consumption during order': 199866, 'during order in': 262842, 'die many': 241398, 'employee fear': 273842, 'post socialdistancing': 666319, 'more grocery worker': 539377, 'grocery worker die': 366169, 'worker die many': 1006777, 'die many supermarket': 241400, 'many supermarket employee': 514759, 'supermarket employee fear': 820122, 'employee fear showing': 273843, 'showing up during': 767550, 'up during pandemic': 944758, 'pandemic the washington': 636711, 'washington post socialdistancing': 967793, '007 it': 652, 'migrant labourer': 531217, 'labourer are': 478536, '007 it very': 653, 'farmer are panic': 299288, 'are panic and': 88958, 'with migrant labourer': 999501, 'migrant labourer are': 531218, 'labourer are not': 478537, 'can leave': 158857, 'sanitizer this': 735889, 'this diy': 887260, 'sanitizer gift': 734979, 'gift idea': 349989, 'easy make': 265730, 'make at': 509720, 'home version': 402423, 'version that': 954925, 'friend via': 333867, 'can leave home': 158858, 'leave home with': 484826, 'with the hand': 1001325, 'hand sanitizer this': 375623, 'sanitizer this diy': 735890, 'this diy hand': 887261, 'hand sanitizer gift': 375418, 'sanitizer gift idea': 734980, 'gift idea is': 349991, 'idea is an': 413097, 'is an easy': 445647, 'an easy make': 55565, 'easy make at': 265731, 'make at home': 509721, 'at home version': 99160, 'home version that': 402424, 'version that you': 954926, 'can give to': 158483, 'give to family': 350790, 'family and friend': 297588, 'and friend via': 63336, 'had ha': 373157, 'been detained': 120964, 'detained on': 239314, 'on terrorism': 603909, 'terrorism charge': 838602, 'charge ugh': 173326, 'ugh 19': 938019, 'he had ha': 385050, 'had ha been': 373158, 'ha been detained': 369777, 'been detained on': 120965, 'detained on terrorism': 239315, 'on terrorism charge': 603910, 'terrorism charge ugh': 838603, 'charge ugh 19': 173327, 'polarizers': 662873, 'for display': 320761, 'display panel': 246198, 'are expected': 86323, 'quarter due': 693237, 'to upstream': 917985, 'upstream supply': 947890, 'such printed': 816698, 'printed circuit': 678312, 'circuit board': 178632, 'board and': 133615, 'and polarizers': 69153, 'polarizers due': 662874, 'of novel': 587089, 'novel industry': 573792, 'industry insider': 435913, 'insider said': 439480, 'said 19': 730944, 'price for display': 673951, 'for display panel': 320762, 'display panel are': 246199, 'panel are expected': 637164, 'are expected to': 86325, 'expected to rise': 290997, 'to rise in': 913568, 'first quarter due': 308893, 'quarter due to': 693238, 'due to upstream': 262013, 'to upstream supply': 917986, 'upstream supply shortage': 947891, 'supply shortage of': 825835, 'shortage of product': 765132, 'product such printed': 681660, 'such printed circuit': 816699, 'printed circuit board': 678313, 'circuit board and': 178633, 'board and polarizers': 133616, 'and polarizers due': 69154, 'polarizers due to': 662875, 'outbreak of novel': 628483, 'of novel industry': 587091, 'novel industry insider': 573793, 'industry insider said': 435914, 'insider said 19': 439481, 'rod': 724996, 'sims': 770337, 'rational': 697751, 'justifiable': 470451, 'surprising rod': 828634, 'rod sims': 724997, 'sims doesn': 770338, 'understand basic': 940599, 'basic economics': 111866, 'economics profitability': 267479, 'profitability driven': 682908, 'by margin': 153168, 'margin and': 515605, 'and turnover': 74533, 'turnover with': 936019, 'with covid19': 997841, 'covid19 causing': 214285, 'home turnover': 402378, 'turnover will': 936016, 'decrease so': 231603, 'is both': 446239, 'both rational': 136022, 'rational and': 697752, 'and justifiable': 65734, 'justifiable for': 470452, 'to seek': 914106, 'maintain profitability': 509016, 'profitability by': 682906, 'by increasing': 152896, 'increasing margin': 433634, 'surprising rod sims': 828635, 'rod sims doesn': 724998, 'sims doesn understand': 770339, 'doesn understand basic': 251985, 'understand basic economics': 940600, 'basic economics profitability': 111867, 'economics profitability driven': 267480, 'profitability driven by': 682909, 'driven by margin': 259281, 'by margin and': 153169, 'margin and turnover': 515607, 'and turnover with': 74534, 'turnover with covid19': 936020, 'with covid19 causing': 997842, 'covid19 causing people': 214286, 'causing people work': 168085, 'from home turnover': 335920, 'home turnover will': 402379, 'turnover will decrease': 936018, 'will decrease so': 993121, 'decrease so it': 231604, 'it is both': 458890, 'is both rational': 446243, 'both rational and': 136023, 'rational and justifiable': 697753, 'and justifiable for': 65735, 'justifiable for business': 470453, 'for business to': 319846, 'business to seek': 144555, 'to seek to': 914111, 'seek to maintain': 746613, 'to maintain profitability': 909588, 'maintain profitability by': 509017, 'profitability by increasing': 682907, 'by increasing margin': 152899, 'groundbreaking': 366562, 'march 9th': 515253, '9th stock': 24026, 'collapsed result': 186111, 'our groundbreaking': 623314, 'groundbreaking transportation': 366565, 'now yes': 576497, 'blackmonday march 9th': 132203, 'march 9th stock': 515254, '9th stock market': 24027, 'stock market have': 802402, 'market have collapsed': 516499, 'have collapsed result': 380014, 'collapsed result of': 186112, 'concern about and': 192887, 'about and crashing': 24798, 'of our groundbreaking': 587482, 'our groundbreaking transportation': 623316, 'groundbreaking transportation technology': 366566, 'technology now yes': 836342, 'glastonbury': 351644, 'queus': 694248, 'firends': 308255, 'music festival': 546305, 'festival may': 303605, 'cancelled but': 161094, 'that glastonbury': 844014, 'glastonbury fix': 351645, 'fix join': 309733, 'join million': 466784, 'online queus': 608841, 'queus for': 694249, 'release new': 708974, 'delivery date': 233847, 'share excited': 754988, 'excited message': 289553, 'message with': 529485, 'with firends': 998445, 'firends and': 308256, 'music festival may': 546307, 'festival may have': 303606, 'been cancelled but': 120785, 'cancelled but you': 161096, 'still get that': 800557, 'get that glastonbury': 348209, 'that glastonbury fix': 844015, 'glastonbury fix join': 351646, 'fix join million': 309734, 'join million of': 466785, 'million of others': 532282, 'others in online': 621476, 'in online queus': 426172, 'online queus for': 608842, 'queus for supermarket': 694250, 'for supermarket to': 326030, 'supermarket to release': 823407, 'to release new': 913139, 'release new shopping': 708975, 'new shopping delivery': 559588, 'shopping delivery date': 762458, 'delivery date and': 233848, 'date and share': 226591, 'and share excited': 71387, 'share excited message': 754989, 'excited message with': 289554, 'message with firends': 529486, 'with firends and': 998446, 'firends and family': 308257, 'and family when': 62677, 'family when you': 298372, 'you get one': 1018786, 'incense': 431357, 'pokeball': 662833, 'pokemongo': 662839, 'moreballsplease': 541038, 'great you': 363124, 'guy gave': 368998, 'gave lot': 344634, 'of incense': 585057, 'incense for': 431358, 'for coin': 320146, 'coin but': 185627, 'we suppose': 973460, 'if pokeball': 414655, 'pokeball price': 662834, 'so high': 777305, 'inside pokemongo': 439360, 'pokemongo moreballsplease': 662840, 'it great you': 458343, 'great you guy': 363125, 'you guy gave': 1018961, 'guy gave lot': 368999, 'gave lot of': 344635, 'lot of incense': 504211, 'of incense for': 585058, 'incense for coin': 431359, 'for coin but': 320147, 'coin but how': 185628, 'but how are': 145967, 'are we suppose': 91594, 'we suppose to': 973461, 'suppose to keep': 827328, 'keep up if': 472172, 'up if pokeball': 945135, 'if pokeball price': 414656, 'pokeball price are': 662835, 'price are so': 672739, 'are so high': 90204, 'so high and': 777306, 'high and you': 394929, 'and you want': 76056, 'stay inside pokemongo': 797105, 'inside pokemongo moreballsplease': 439361, 'trendies': 931523, 'megachurch': 527825, 'supermarket mean': 821489, 'mean being': 524366, 'being vulnerable': 126041, 'to crowd': 903766, '50 to': 19888, 'to 200': 899585, 'people trendies': 650007, 'trendies going': 931524, 'to costco': 903603, 'costco and': 208193, 'and sam': 70807, 'club place': 184469, 'to multiply': 910350, 'multiply that': 545834, '19 megachurch': 8623, 'megachurch zombie': 527826, 'zombie shopping': 1027721, 're allowed': 698244, 'care if': 164013, 'the supermarket mean': 868699, 'supermarket mean being': 821490, 'mean being vulnerable': 524367, 'being vulnerable to': 126042, 'vulnerable to crowd': 961218, 'to crowd of': 903767, 'crowd of over': 219220, 'of over 50': 587617, 'over 50 to': 629859, '50 to 200': 19889, 'to 200 people': 899587, '200 people trendies': 13528, 'people trendies going': 650008, 'trendies going to': 931525, 'going to costco': 355561, 'to costco and': 903604, 'costco and sam': 208196, 'and sam club': 70808, 'sam club place': 732919, 'club place is': 184470, 'place is going': 657524, 'going to multiply': 355657, 'to multiply that': 910351, 'multiply that by': 545835, 'that by lot': 843076, 'by lot more': 153100, 'lot more this': 504118, 'more this is': 540737, 'this is covid': 888219, 'covid 19 megachurch': 213424, '19 megachurch zombie': 8624, 'megachurch zombie shopping': 527827, 'zombie shopping panic': 1027722, 'shopping panic they': 763591, 'they re allowed': 882991, 're allowed to': 698246, 'allowed to shop': 46247, 'to shop do': 914455, 'shop do not': 760100, 'not care if': 568696, 'care if you': 164017, 'if you die': 415421, 'refiner': 706580, 'osp': 619728, 'refiner call': 706583, 'slash osp': 773576, 'osp of': 619729, 'it amid': 456459, 'amid ample': 52384, 'ample supply': 54888, 'refiner call on': 706584, 'on to slash': 604761, 'to slash osp': 914720, 'slash osp of': 773577, 'osp of it': 619730, 'of it amid': 585363, 'it amid ample': 456460, 'amid ample supply': 52385, 'ample supply and': 54889, 'supply and lower': 824734, 'and lower demand': 66452, 'lower demand due': 505833, 'how dubai': 407763, 'dubai supermarket': 261488, 'distancing see': 247461, 'more picture': 540074, 'at how dubai': 99214, 'how dubai supermarket': 407764, 'dubai supermarket is': 261489, 'supermarket is dealing': 821081, 'dealing with social': 229691, 'social distancing see': 779710, 'distancing see more': 247462, 'see more picture': 745436, 'more picture here': 540075, 'castelvolturno': 166770, 'their turn': 875050, 'while protective': 987184, 'are taken': 90703, 'taken against': 832934, 'new in': 558916, 'in castelvolturno': 421290, 'castelvolturno italy': 166771, 'italy 2020': 462753, 'people wait for': 650105, 'wait for their': 964124, 'for their turn': 326878, 'their turn to': 875052, 'turn to enter': 935780, 'enter supermarket while': 278306, 'supermarket while protective': 823847, 'while protective measure': 987185, 'protective measure are': 685791, 'measure are taken': 525128, 'are taken against': 90704, 'taken against the': 832935, 'the new in': 861520, 'new in castelvolturno': 558917, 'in castelvolturno italy': 421291, 'castelvolturno italy 2020': 166772, 'nonconventional': 566538, 'hey all': 394312, 'wanna share': 965672, 'share my': 755104, 'my nonconventional': 549502, 'nonconventional experience': 566539, '19 22': 4731, '22 100': 15153, '100 vegan': 2111, 'vegan mostly': 953873, 'mostly alkaline': 542934, 'alkaline started': 41875, 'started showing': 794834, 'of sickness': 589713, 'sickness about': 768743, 'ago amp': 38327, 'amp today': 54719, 'today tested': 920251, 'idea where': 413242, 'where contracted': 984791, 'contracted it': 201744, 'guess grocery': 367978, 'hey all just': 394314, 'all just wanna': 43301, 'just wanna share': 470220, 'wanna share my': 965673, 'share my nonconventional': 755106, 'my nonconventional experience': 549503, 'nonconventional experience with': 566540, 'experience with covid': 291542, 'covid 19 22': 212557, '19 22 100': 4732, '22 100 vegan': 15154, '100 vegan mostly': 2112, 'vegan mostly alkaline': 953874, 'mostly alkaline started': 542935, 'alkaline started showing': 41876, 'started showing symptom': 794835, 'symptom of sickness': 830887, 'of sickness about': 589714, 'sickness about week': 768744, 'about week ago': 26867, 'week ago amp': 975835, 'ago amp today': 38328, 'amp today tested': 54720, 'today tested positive': 920252, '19 have no': 7450, 'no idea where': 564473, 'idea where contracted': 413243, 'where contracted it': 984792, 'contracted it my': 201745, 'it my guess': 459716, 'my guess grocery': 548589, 'guess grocery store': 367979, 'utahns': 951205, 'governor asked': 360871, 'asked am': 95715, 'am asking': 49904, 'asking utahns': 96102, 'utahns to': 951206, 'show their': 767225, 'their support': 874923, 'by wearing': 154709, 'wearing personal': 974757, 'personal protective': 652943, 'mask whenever': 519546, 'whenever they': 984680, 'enter retail': 278285, 'will you wear': 995401, 'mask in store': 518836, 'store the governor': 810602, 'the governor asked': 856637, 'governor asked am': 360872, 'asked am asking': 95716, 'am asking utahns': 49906, 'asking utahns to': 96103, 'utahns to show': 951207, 'to show their': 914578, 'show their support': 767229, 'their support by': 874924, 'support by wearing': 826402, 'by wearing personal': 154711, 'wearing personal protective': 974758, 'personal protective mask': 652945, 'protective mask whenever': 685787, 'mask whenever they': 519547, 'whenever they enter': 984681, 'they enter retail': 882049, 'enter retail store': 278286, 'emarketer impact': 272402, 'emarketer impact of': 272403, 'hyvee': 412505, 'obtaining': 578752, 'hyvee always': 412506, 'always thanks': 49768, 'thanks it': 842120, 'it shopper': 461023, 'shopping hyvee': 762939, 'hyvee sunday': 412512, 'sunday march': 818232, 'blue spring': 133469, 'spring missouri': 791224, 'missouri however': 534432, '19 develops': 6527, 'develops will': 239869, 'will shopper': 994848, 'shopper begin': 761428, 'delivery form': 234039, 'of obtaining': 587145, 'obtaining their': 578761, 'their every': 873183, 'day need': 228010, 'hyvee always thanks': 412507, 'always thanks it': 49769, 'thanks it shopper': 842121, 'it shopper for': 461024, 'shopper for shopping': 761517, 'for shopping hyvee': 325584, 'shopping hyvee sunday': 762940, 'hyvee sunday march': 412513, 'sunday march 15': 818233, '15 2020 in': 3649, '2020 in blue': 14389, 'in blue spring': 420884, 'blue spring missouri': 133470, 'spring missouri however': 791225, 'missouri however covid': 534433, 'covid 19 develops': 212946, '19 develops will': 6528, 'develops will shopper': 239870, 'will shopper begin': 994849, 'shopper begin to': 761429, 'advantage of online': 33018, 'of online and': 587250, 'online and delivery': 607810, 'and delivery form': 61116, 'delivery form of': 234040, 'form of obtaining': 329541, 'of obtaining their': 587146, 'obtaining their every': 578762, 'their every day': 873184, 'every day need': 285830, 'imperative': 418335, 'uprising': 947721, 'coordinator': 203228, '866': 22995, '446': 19046, '9055': 23413, 'following link': 312778, 'is information': 448918, 'is imperative': 448716, 'imperative with': 418342, 'the uprising': 870509, 'uprising of': 947722, 'fake covid': 296596, '19 medical': 8615, 'medical product': 526317, 'product new': 681436, 'yorkers can': 1016702, 'complaint coordinator': 191959, 'coordinator at': 203229, 'at 866': 97770, '866 446': 22998, '446 9055': 19047, '9055 toll': 23414, 'toll free': 923841, 'the following link': 855514, 'following link is': 312779, 'link is information': 493867, 'is information on': 448920, 'on how consumer': 601389, 'how consumer can': 407593, 'can report fraudulent': 159449, 'report fraudulent product': 711963, 'fraudulent product this': 331471, 'product this is': 681728, 'this is imperative': 888288, 'is imperative with': 448718, 'imperative with the': 418343, 'with the uprising': 1001533, 'the uprising of': 870510, 'uprising of fake': 947723, 'of fake covid': 583381, 'fake covid 19': 296597, 'covid 19 medical': 213422, '19 medical product': 8617, 'medical product new': 526321, 'product new yorkers': 681437, 'new yorkers can': 559965, 'yorkers can contact': 1016703, 'can contact the': 157970, 'contact the consumer': 200221, 'the consumer complaint': 851513, 'consumer complaint coordinator': 196850, 'complaint coordinator at': 191960, 'coordinator at 866': 203230, 'at 866 446': 97772, '866 446 9055': 22999, '446 9055 toll': 19048, '9055 toll free': 23415, 'tp in': 927850, 'can rather': 159372, 'rather try': 697573, 'those people buying': 892317, 'the tp in': 869842, 'tp in the': 927852, 'supermarket can rather': 819510, 'can rather try': 159373, 'rather try this': 697574, 'try this how': 934592, 'this how to': 887974, 'coronacrisis toiletpaperapocalypse toiletpaperpanic': 204839, 'aunt': 102994, 'even bothering': 283908, 'bothering with': 136151, 'when hear': 983557, 'law with': 482454, 'with dozen': 998130, 'dozen co': 257864, 'morbidity is': 538468, 'around shopping': 93477, 'like crazy': 490066, 'crazy and': 215242, 'my aunt': 547349, 'aunt who': 103010, 'who two': 989844, 'ago wa': 38530, 'hospital with': 404721, 'also off': 48593, 'starting to wonder': 795047, 'wonder why we': 1004047, 'we re even': 972866, 're even bothering': 698631, 'even bothering with': 283909, 'bothering with this': 136152, 'with this lockdown': 1001709, 'this lockdown when': 888696, 'lockdown when hear': 500129, 'when hear that': 983560, 'hear that my': 387992, 'that my mother': 845271, 'my mother in': 549333, 'mother in law': 543120, 'in law with': 424640, 'law with dozen': 482455, 'with dozen co': 998131, 'dozen co morbidity': 257865, 'co morbidity is': 184886, 'morbidity is running': 538469, 'running around shopping': 727916, 'around shopping like': 93478, 'shopping like crazy': 763163, 'like crazy and': 490067, 'crazy and my': 215245, 'and my aunt': 67352, 'my aunt who': 547356, 'aunt who two': 103011, 'who two day': 989845, 'two day ago': 936861, 'day ago wa': 227213, 'ago wa in': 38532, 'wa in hospital': 962370, 'in hospital with': 423824, 'hospital with covid': 404722, 'is also off': 445570, 'also off to': 48594, 'interviewing': 442295, 'been interviewing': 121403, 'interviewing owner': 442300, 'chain there': 171178, 'nation well': 552374, 'done grocery': 254862, 'interview is': 442217, 'short in': 764625, 'in calm': 421167, 'america ha been': 51541, 'ha been interviewing': 369837, 'been interviewing owner': 121404, 'interviewing owner of': 442301, 'owner of grocery': 632514, 'store chain there': 806937, 'chain there is': 171179, 'food for our': 314562, 'our nation well': 623987, 'nation well done': 552375, 'well done grocery': 978183, 'done grocery store': 254863, 'grocery store good': 365436, 'store good interview': 807951, 'good interview is': 357276, 'interview is not': 442218, 'is not running': 450177, 'not running short': 571411, 'running short in': 728062, 'short in calm': 764626, 'in calm down': 421168, 'calm down we': 156727, 'down we will': 257453, 'u6ptbqeqdr': 937724, 'our buying': 622298, 'buying team': 151137, 'team checked': 835609, 'checked toilet': 174778, 'paper stock': 640831, 'toiletpapercrisis http': 923030, 'co u6ptbqeqdr': 184990, 'short our buying': 764669, 'our buying team': 622299, 'buying team checked': 151138, 'team checked toilet': 835610, 'checked toilet paper': 174779, 'toilet paper stock': 921470, 'paper stock online': 640833, 'online and posted': 607844, 'and posted this': 69241, 'posted this list': 666581, 'found it for': 330261, 'it for sale': 458090, 'for sale panicbuying': 325323, 'panicbuying toiletpapercrisis http': 639098, 'toiletpapercrisis http co': 923031, 'http co u6ptbqeqdr': 409774, 'coronacrisis why': 204863, 'many good': 514098, 'scarce in': 740790, 'supermarket appearing': 819133, 'appearing in': 82167, 'at vastly': 101429, 'vastly inflated': 952719, 'how sick': 408682, 'some small': 783891, 'small shopkeeper': 775118, 'shopkeeper to': 761198, 'crisis way': 218336, 'of making': 586124, 'coronacrisis why are': 204864, 'why are so': 990786, 'so many good': 777663, 'many good that': 514101, 'good that are': 357818, 'that are scarce': 842811, 'are scarce in': 89841, 'scarce in the': 740792, 'the supermarket appearing': 868465, 'supermarket appearing in': 819134, 'appearing in corner': 82169, 'shop at vastly': 759963, 'at vastly inflated': 101430, 'vastly inflated price': 952720, 'inflated price how': 437046, 'price how sick': 674594, 'how sick of': 408683, 'sick of some': 768541, 'of some small': 589908, 'some small shopkeeper': 783893, 'small shopkeeper to': 775119, 'shopkeeper to use': 761200, 'to use this': 918075, 'use this crisis': 949723, 'this crisis way': 887107, 'crisis way of': 218337, 'way of making': 969762, 'of making money': 586125, 'in gasoline': 423225, 'sheltering in': 757974, 'causing ethanol': 168031, 'ethanol plant': 282996, 'shutdown at': 767999, 'at facility': 98609, 'facility across': 295290, 'decline in gasoline': 231356, 'in gasoline price': 423226, 'gasoline price and': 344252, 'price and people': 672494, 'and people sheltering': 68877, 'people sheltering in': 649417, 'sheltering in place': 757975, 'in place are': 426722, 'place are causing': 657335, 'are causing ethanol': 85204, 'causing ethanol plant': 168032, 'ethanol plant to': 282998, 'plant to shutdown': 658720, 'to shutdown at': 914618, 'shutdown at facility': 768000, 'at facility across': 98610, 'facility across the': 295292, 'blogalert': 133051, 'price blogalert': 672935, 'oil price blogalert': 597062, 'wildfire': 992119, 'definite': 232299, 'catastrophe in': 166935, 'past such': 643610, 'such hurricane': 816561, 'and wildfire': 75652, 'wildfire have': 992120, 'had definite': 373019, 'definite impact': 232302, 'insurance price': 440796, 'price story': 676680, 'to insurance': 908435, 'catastrophe in the': 166936, 'the past such': 863363, 'past such hurricane': 643611, 'such hurricane and': 816562, 'hurricane and wildfire': 411471, 'and wildfire have': 75653, 'wildfire have had': 992121, 'have had definite': 380861, 'had definite impact': 373020, 'definite impact on': 232303, 'impact on insurance': 417861, 'on insurance price': 601595, 'insurance price story': 440798, 'price story take': 676681, 'at what could': 101522, 'what could do': 981266, 'could do to': 209104, 'do to insurance': 250390, 'to insurance price': 908436, 'current topic': 221403, 'topic of': 925807, 'of event': 583228, 'event covid': 284967, '19 tiger': 11395, 'tiger king': 895801, 'king gas': 475263, 'price non': 675355, 'essential essential': 281008, 'essential learning': 281273, 'learning social': 484233, 'distancing bernie': 247041, 'current topic of': 221404, 'topic of event': 925808, 'of event covid': 583230, 'event covid 19': 284968, 'covid 19 tiger': 213955, '19 tiger king': 11396, 'tiger king gas': 895802, 'king gas price': 475264, 'gas price non': 344002, 'price non essential': 675356, 'non essential essential': 566338, 'essential essential learning': 281010, 'essential learning social': 281274, 'learning social distancing': 484234, 'social distancing bernie': 779569, 'distancing bernie sander': 247042, 'trucker attempt': 932906, 'growing challenge': 367134, 'on highway': 601305, 'at loading': 99595, 'dock they': 250787, 'they seek': 883297, 'keep supplychains': 471997, 'supplychains running': 826265, 'surging driven': 828422, 'driven demand': 259304, 'consumer staple': 199113, 'staple and': 793896, 'equipment learn': 279774, 'trucker attempt to': 932907, 'attempt to navigate': 102252, 'navigate growing challenge': 553067, 'growing challenge on': 367135, 'challenge on highway': 171523, 'on highway and': 601306, 'highway and at': 396146, 'and at loading': 58479, 'at loading dock': 99596, 'loading dock they': 497336, 'dock they seek': 250788, 'they seek to': 883298, 'seek to keep': 746612, 'to keep supplychains': 908860, 'keep supplychains running': 471998, 'supplychains running to': 826266, 'running to meet': 728116, 'meet surging driven': 527587, 'surging driven demand': 828423, 'driven demand for': 259305, 'demand for consumer': 235395, 'for consumer staple': 320292, 'consumer staple and': 199115, 'staple and medical': 793901, 'medical equipment learn': 526156, 'equipment learn more': 279775, 'russia leading': 728508, 'leading oil': 483719, 'arabia agreed': 83851, 'in price due': 426962, 'price war with': 677384, 'war with russia': 966603, 'with russia leading': 1000532, 'russia leading oil': 728509, 'leading oil producing': 483721, 'producing country saudi': 680755, 'saudi arabia agreed': 737183, 'arabia agreed to': 83852, 'agreed to reduce': 38745, 'to reduce oil': 913029, 'reduce oil production': 705876, 'torros': 926038, 'seen this': 747313, 'this consolidation': 886839, 'consolidation occur': 195553, 'occur on': 579025, 'the vendor': 870681, 'vendor side': 954406, 'the consolidation': 851471, 'consolidation wa': 195557, 'wa slowly': 963240, 'slowly occurring': 774613, 'occurring even': 579063, 'do torros': 250420, 'torros by': 926039, 'by chop': 152120, 'chop and': 177950, 'consumer taste': 199222, 'taste now': 834785, 'now trend': 576225, 'towards chain': 927172, 'chain food': 170704, 'you ve already': 1022023, 'already seen this': 47641, 'seen this consolidation': 747316, 'this consolidation occur': 886840, 'consolidation occur on': 195554, 'occur on the': 579026, 'on the vendor': 604428, 'the vendor side': 870683, 'vendor side but': 954407, 'side but the': 768785, 'but the consolidation': 147322, 'the consolidation wa': 851472, 'consolidation wa slowly': 195558, 'wa slowly occurring': 963241, 'slowly occurring even': 774614, 'occurring even before': 579064, '19 the purchase': 11237, 'purchase of do': 689578, 'of do torros': 582747, 'do torros by': 250421, 'torros by chop': 926040, 'by chop and': 152121, 'chop and consumer': 177951, 'and consumer taste': 60434, 'consumer taste now': 199224, 'taste now trend': 834786, 'now trend towards': 576226, 'trend towards chain': 931484, 'towards chain food': 927173, 'chain food this': 170706, 'queued to': 694159, 'shop man': 760442, 'man walked': 512299, 'walked out': 964963, 'out carrying': 625836, 'carrying some': 165213, 'some strawberry': 783968, 'strawberry and': 812765, 'some cream': 782633, 'cream seriously': 215577, 'seriously he': 751622, 'countless health': 210375, 'worker over': 1007528, 'having freaking': 384075, 'freaking pudding': 331553, 'pudding lockdown': 688804, 'lockdown socialdistancing': 499932, 'queued to go': 694161, 'get our weekly': 347731, 'our weekly shop': 625368, 'weekly shop man': 977550, 'shop man walked': 760443, 'man walked out': 512300, 'walked out carrying': 964964, 'out carrying some': 625837, 'carrying some strawberry': 165214, 'some strawberry and': 783969, 'strawberry and some': 812766, 'and some cream': 71956, 'some cream seriously': 782634, 'cream seriously he': 215578, 'seriously he put': 751623, 'he put the': 385317, 'put the life': 690862, 'life of the': 488927, 'the people working': 863523, 'people working there': 650521, 'working there and': 1008948, 'there and countless': 877998, 'and countless health': 60638, 'countless health care': 210376, 'care worker over': 164297, 'worker over having': 1007530, 'over having freaking': 630275, 'having freaking pudding': 384076, 'freaking pudding lockdown': 331554, 'pudding lockdown socialdistancing': 688805, 'naira': 551480, '145': 3579, 'nigeria govt': 562748, 'plummet liter': 661288, 'liter will': 494935, 'will cost': 993041, 'cost 125': 207818, '125 naira': 3072, 'naira 34': 551481, '34 29': 17797, '29 down': 16474, 'from 145': 334194, '145 naira': 3582, 'nigeria govt to': 562749, 'govt to cut': 361310, 'oil price global': 597147, 'price global crude': 674194, 'global crude oil': 351845, 'price plummet liter': 675906, 'plummet liter will': 661289, 'liter will cost': 494936, 'will cost 125': 993043, 'cost 125 naira': 207819, '125 naira 34': 3073, 'naira 34 29': 551482, '34 29 down': 17798, '29 down from': 16475, 'down from 145': 256786, 'from 145 naira': 334195, 'russia putin': 728546, 'putin proposed': 691040, 'proposed stripping': 684547, 'stripping pharmacy': 813910, 'pharmacy licence': 654370, 'licence for': 488107, 'raising mask': 696094, 'coronacrisis chinesewuhanvirus': 204547, 'chinesewuhanvirus stayhome': 177485, 'russia putin proposed': 728547, 'putin proposed stripping': 691041, 'proposed stripping pharmacy': 684548, 'stripping pharmacy licence': 813911, 'pharmacy licence for': 654371, 'licence for raising': 488108, 'for raising mask': 324950, 'raising mask price': 696095, 'mask price coronacrisis': 519142, 'price coronacrisis chinesewuhanvirus': 673250, 'coronacrisis chinesewuhanvirus stayhome': 204549, 'backing': 107556, 'shelf visited': 757735, 'visited supermarket': 959499, 'not scrap': 571460, 'scrap of': 742586, 'meat pasta': 525686, 'pasta rice': 643793, 'rice potato': 721109, 'potato and': 666899, 'veg only': 953771, 'thing plentiful': 884693, 'plentiful wa': 660902, 'wa crap': 961889, 'crap when': 214918, 'stop kicking': 804803, 'kicking uk': 473831, 'uk farmer': 938349, 'start backing': 794216, 'day of panic': 228088, 'panic and another': 637293, 'and another day': 58162, 'supermarket shelf visited': 822559, 'shelf visited supermarket': 757736, 'visited supermarket not': 959501, 'supermarket not scrap': 821648, 'not scrap of': 571461, 'scrap of fresh': 742587, 'of fresh meat': 583946, 'fresh meat pasta': 333031, 'meat pasta rice': 525687, 'pasta rice potato': 643797, 'rice potato and': 721110, 'potato and veg': 666902, 'and veg only': 74864, 'veg only thing': 953772, 'only thing plentiful': 611312, 'thing plentiful wa': 884694, 'plentiful wa crap': 660903, 'wa crap when': 961890, 'crap when are': 214919, 'when are people': 983168, 'are people going': 89032, 'to stop kicking': 915543, 'stop kicking uk': 804804, 'kicking uk farmer': 473832, 'uk farmer and': 938351, 'farmer and start': 299265, 'and start backing': 72237, 'pippa': 656922, 'hi everyone': 394635, 'everyone hope': 287020, 'all having': 43067, 'having great': 384095, 'great sunday': 363019, 'sunday all': 818163, 'the mum': 861139, 'mum are': 545875, 'getting some': 349294, 'some special': 783913, 'special treat': 788086, 'treat queued': 930876, 'hour this': 405997, 'provision at': 687252, 'supermarket meanwhile': 821491, 'meanwhile our': 525018, 'our beautiful': 622170, 'beautiful pippa': 118708, 'pippa wa': 656925, 'on self': 603359, 'isolation she': 455423, 'she think': 756381, 'it right': 460775, 'doesn like': 251870, 'hi everyone hope': 394637, 'everyone hope you': 287023, 'are all having': 84313, 'all having great': 43068, 'having great sunday': 384096, 'great sunday all': 363020, 'sunday all the': 818164, 'all the mum': 44833, 'the mum are': 861140, 'mum are getting': 545876, 'are getting some': 86825, 'getting some special': 349297, 'some special treat': 783915, 'special treat queued': 788087, 'treat queued for': 930877, 'queued for hour': 694153, 'for hour this': 322402, 'hour this morning': 405999, 'this morning to': 889033, 'morning to get': 541513, 'get some provision': 348071, 'some provision at': 783669, 'provision at the': 687253, 'the supermarket meanwhile': 868700, 'supermarket meanwhile our': 821493, 'meanwhile our beautiful': 525019, 'our beautiful pippa': 622173, 'beautiful pippa wa': 118709, 'pippa wa working': 656926, 'wa working on': 963733, 'working on self': 1008817, 'on self isolation': 603360, 'self isolation she': 747797, 'isolation she think': 455424, 'she think it': 756382, 'think it right': 885350, 'it right but': 460777, 'right but doesn': 721828, 'but doesn like': 145577, 'doesn like it': 251871, 'pleasure': 660822, 'here advice': 392660, 'for pleasure': 324585, 'pleasure but': 660823, 'but carry': 145394, 'office panic': 595509, 'food somebody': 316691, 'somebody making': 784272, 'you think of': 1021671, 'the massive panic': 860270, 'massive panic over': 520064, 'over the here': 630729, 'the here advice': 857286, 'here advice to': 392661, 'advice to stop': 33538, 'going out for': 355372, 'out for pleasure': 626152, 'for pleasure but': 324586, 'pleasure but carry': 660824, 'but carry on': 145395, 'on working in': 605376, 'the office panic': 862078, 'office panic buying': 595510, 'buying for food': 150353, 'for food somebody': 321633, 'food somebody making': 316692, 'somebody making money': 784273, 'making money from': 511225, 'money from this': 536773, 'tofu': 920644, 'being vegan': 126025, 'vegan during': 953855, 'of tofu': 592243, 'tofu in': 920648, 'that tofu': 847072, 'tofu is': 920650, 'terrible substitute': 838438, 'substitute for': 816085, 'best thing about': 127926, 'thing about being': 884083, 'about being vegan': 24872, 'being vegan during': 126026, 'vegan during the': 953856, 'outbreak is that': 628384, 'is that there': 452696, 'shortage of tofu': 765140, 'of tofu in': 592245, 'tofu in the': 920649, 'supermarket the worst': 823259, 'worst thing is': 1011283, 'is that tofu': 452700, 'that tofu is': 847073, 'tofu is terrible': 920652, 'is terrible substitute': 452609, 'terrible substitute for': 838439, 'substitute for toilet': 816087, 'servsafe': 753250, 'experien': 291300, 'upcoming servsafe': 946809, 'servsafe class': 753251, 'class offered': 180226, 'worker through': 1007984, 'through county': 894392, 'county family': 211379, 'consumer science': 198873, 'science agent': 742077, 'agent have': 38171, 'been postponed': 121682, 'coronavirus situation': 206774, 'situation since': 772484, 'since servsafe': 770820, 'servsafe training': 753253, 'training is': 929344, 'on learning': 601812, 'learning experien': 484203, 'upcoming servsafe class': 946810, 'servsafe class offered': 753252, 'class offered to': 180227, 'offered to food': 594977, 'to food service': 906095, 'service worker through': 753111, 'worker through county': 1007985, 'through county family': 894393, 'county family and': 211380, 'family and consumer': 297583, 'and consumer science': 60426, 'consumer science agent': 198874, 'science agent have': 742078, 'agent have been': 38172, 'have been postponed': 379637, 'been postponed for': 121683, 'postponed for the': 666812, 'eight week due': 270205, '19 coronavirus situation': 6127, 'coronavirus situation since': 206775, 'situation since servsafe': 772486, 'since servsafe training': 770821, 'servsafe training is': 753254, 'training is hand': 929346, 'is hand on': 448262, 'hand on learning': 375136, 'on learning experien': 601813, 'agewell': 38204, 'food increase': 314996, 'increase during': 432750, 'crisis agewell': 216985, 'agewell service': 38205, 'west michigan': 980519, 'michigan launch': 530353, 'launch curbside': 481884, 'curbside meal': 220630, 'meal pick': 524240, 'for food increase': 321596, 'food increase during': 314997, 'increase during covid': 432752, '19 crisis agewell': 6209, 'crisis agewell service': 216986, 'agewell service of': 38207, 'service of west': 752636, 'of west michigan': 593034, 'west michigan launch': 980521, 'michigan launch curbside': 530354, 'launch curbside meal': 481885, 'curbside meal pick': 220632, 'meal pick ups': 524241, 'cspi': 220054, 'good cspi': 356929, 'cspi release': 220055, 'release consumer': 708929, 'guide to': 368357, 'restaurant sick': 716703, 'policy during': 663386, 'not good cspi': 569719, 'good cspi release': 356930, 'cspi release consumer': 220056, 'release consumer guide': 708930, 'consumer guide to': 197672, 'guide to restaurant': 368368, 'to restaurant sick': 913393, 'restaurant sick leave': 716704, 'leave policy during': 484905, 'policy during covid': 663387, 'cookie': 202830, '570': 20491, 'research from': 713729, 'spending spike': 788990, 'stockpiling amid': 803903, 'pandemic frozen': 635478, 'pizza purchase': 657196, 'up 117': 944114, '117 and': 2680, 'and frozen': 63361, 'frozen cookie': 338963, 'cookie dough': 202833, 'dough sale': 256272, 'risen 570': 723087, 'new research from': 559462, 'research from and': 713731, 'from and show': 334523, 'and show consumer': 71608, 'show consumer spending': 766901, 'consumer spending spike': 199093, 'spending spike due': 788991, 'to stockpiling amid': 915487, 'stockpiling amid the': 803905, '19 pandemic frozen': 9334, 'pandemic frozen pizza': 635479, 'frozen pizza purchase': 339007, 'pizza purchase are': 657197, 'purchase are up': 689358, 'are up 117': 91350, 'up 117 and': 944115, '117 and frozen': 2681, 'and frozen cookie': 63362, 'frozen cookie dough': 338964, 'cookie dough sale': 202834, 'dough sale have': 256273, 'sale have risen': 732270, 'have risen 570': 382331, 'total global': 926170, 'cut could': 223284, 'could come': 209030, 'day around': 227321, '20 of': 13199, 'supply kuwait': 825485, 'kuwait oil': 477992, 'minister said': 533450, 'total global oil': 926171, 'supply cut could': 825134, 'cut could come': 223285, 'could come to': 209035, 'come to 20': 187552, 'to 20 million': 899576, '20 million barrel': 13161, 'per day around': 650795, 'day around 20': 227322, 'around 20 of': 93125, '20 of global': 13200, 'global supply kuwait': 352236, 'supply kuwait oil': 825486, 'kuwait oil minister': 477993, 'oil minister said': 596957, 'much toiletpaper': 545398, 'pretty much toiletpaper': 671465, 'much toiletpaper toiletpaperapocalypse': 545403, 'till rationing': 896081, 'rationing get': 697816, 'get introduced': 347379, 'are can': 85152, 'clearly profiting': 181545, 'long till rationing': 501760, 'till rationing get': 896082, 'rationing get introduced': 697817, 'get introduced the': 347380, 'introduced the state': 443460, 'the shop there': 867032, 'shop there are': 760916, 'there are can': 878075, 'are can only': 85153, 'only go on': 610519, 'go on so': 353893, 'on so long': 603523, 'are clearly profiting': 85319, 'clearly profiting from': 181546, 'profiting from buying': 683118, 'selling it on': 749315, 'on at inflated': 599498, 'rool': 725866, 'toilet rool': 921621, 'rool crime': 725867, 'crime quarantinelife': 216799, 'quarantinelife ireland': 692962, 'ireland china': 444817, 'china europe': 176645, 'europe aljazeera': 283390, 'aljazeera wuhanvirus': 41871, 'wuhanvirus africa': 1013564, 'africa kenya': 35098, 'kenya lockdown': 472925, 'lockdown cnn': 499246, 'cnn bbcnews': 184747, 'bbcnews uk': 113139, 'uk skynews': 938718, 'skynews staysafe': 773252, 'staysafe socialdistancing': 798880, 'socialdistancing toiletpaper': 780822, 'toilet rool crime': 921622, 'rool crime quarantinelife': 725868, 'crime quarantinelife ireland': 216800, 'quarantinelife ireland china': 692963, 'ireland china europe': 444818, 'china europe aljazeera': 176646, 'europe aljazeera wuhanvirus': 283391, 'aljazeera wuhanvirus africa': 41872, 'wuhanvirus africa kenya': 1013565, 'africa kenya lockdown': 35100, 'kenya lockdown cnn': 472926, 'lockdown cnn bbcnews': 499247, 'cnn bbcnews uk': 184748, 'bbcnews uk skynews': 113140, 'uk skynews staysafe': 938719, 'skynews staysafe socialdistancing': 773253, 'staysafe socialdistancing toiletpaper': 798885, 'kenneth': 472785, 'copeland': 203363, 'yes evangelicals': 1015425, 'evangelicals kenneth': 283747, 'kenneth still': 472788, 'want your': 966184, 'so borrow': 776638, 'borrow it': 135602, 'it put': 460564, 'card or': 163602, 'get loan': 347493, 'loan televangelist': 497538, 'televangelist kenneth': 836845, 'kenneth copeland': 472786, 'copeland tell': 203364, 'tell viewer': 837124, 'viewer that': 957193, 'they lose': 882630, 'job co': 465745, 'co of': 184896, 'must continue': 546606, 'continue giving': 201042, 'giving to': 351436, 'yes evangelicals kenneth': 1015426, 'evangelicals kenneth still': 283748, 'kenneth still want': 472789, 'still want your': 801388, 'want your money': 966187, 'your money so': 1024871, 'money so borrow': 537022, 'so borrow it': 776639, 'borrow it put': 135603, 'it put it': 460567, 'put it on': 690648, 'it on credit': 460036, 'on credit card': 600160, 'credit card or': 216345, 'card or get': 163604, 'or get loan': 615430, 'get loan televangelist': 347495, 'loan televangelist kenneth': 497539, 'televangelist kenneth copeland': 836846, 'kenneth copeland tell': 472787, 'copeland tell viewer': 203365, 'tell viewer that': 837125, 'viewer that even': 957194, 'even if they': 284220, 'if they lose': 415117, 'they lose their': 882631, 'their job co': 873708, 'job co of': 465746, 'co of the': 184902, 'coronavirus outbreak they': 206415, 'outbreak they must': 628739, 'they must continue': 882702, 'must continue giving': 546607, 'continue giving to': 201043, 'giving to the': 351437, 'to the church': 916559, 'walmartonline': 965486, 'shoponline': 761266, 'storepickup': 811748, 'outofstock': 629200, 'onlinesafetyathome': 609864, 'hey why': 394546, 'is everything': 447591, 'sold online': 781718, 'online now': 608588, 'guy have': 369017, 'it backwards': 456680, 'backwards walmart': 107618, 'walmart walmartonline': 965460, 'walmartonline shoponline': 965487, 'shoponline toiletpaper': 761281, 'toiletpaper storepickup': 922554, 'storepickup shopfromhome': 811749, 'shopfromhome workfromhome': 761149, 'workfromhome outofstock': 1008422, 'outofstock onlinesafetyathome': 629201, 'hey why is': 394549, 'why is everything': 991102, 'is everything that': 447596, 'everything that use': 288032, 'that use to': 847214, 'use to be': 949752, 'to be sold': 901553, 'be sold online': 117286, 'sold online now': 781720, 'online now in': 608592, 'now in store': 575014, 'in store only': 428436, 'store only think': 809247, 'only think you': 611329, 'think you guy': 885811, 'you guy have': 1018964, 'guy have it': 369018, 'have it backwards': 381143, 'it backwards walmart': 456681, 'backwards walmart walmartonline': 107619, 'walmart walmartonline shoponline': 965461, 'walmartonline shoponline toiletpaper': 965488, 'shoponline toiletpaper storepickup': 761282, 'toiletpaper storepickup shopfromhome': 922555, 'storepickup shopfromhome workfromhome': 811750, 'shopfromhome workfromhome outofstock': 761150, 'workfromhome outofstock onlinesafetyathome': 1008423, 'you rush': 1020964, 'amp drive': 53678, 'commodity please': 189252, 'it week': 462293, 'week since': 976873, 'since bar': 770516, 'bar tender': 110774, 'tender sport': 837910, 'sport music': 789952, 'music event': 546301, 'event steward': 285075, 'steward betting': 799994, 'betting shop': 128642, 'staff school': 792832, 'school van': 741966, 'etc suddenly': 282772, 'suddenly became': 817070, 'became unemployed': 118894, 'unemployed they': 941142, 'too need': 924961, '19 you rush': 12277, 'you rush to': 1020966, 'rush to stock': 728349, 'stock food amp': 802122, 'food amp drive': 313131, 'amp drive up': 53679, 'of other essential': 587362, 'other essential commodity': 620155, 'essential commodity please': 280928, 'commodity please remember': 189253, 'please remember it': 660369, 'remember it week': 710219, 'it week since': 462295, 'week since bar': 976875, 'since bar tender': 770517, 'bar tender sport': 110776, 'tender sport music': 837911, 'sport music event': 789953, 'music event steward': 546302, 'event steward betting': 285076, 'steward betting shop': 799995, 'betting shop staff': 128643, 'shop staff school': 760829, 'staff school van': 792833, 'school van driver': 741967, 'van driver etc': 952298, 'driver etc suddenly': 259534, 'etc suddenly became': 282773, 'suddenly became unemployed': 817071, 'became unemployed they': 118895, 'unemployed they too': 941143, 'they too need': 883576, 'too need food': 924962, 'need food for': 554796, 'for their family': 326826, 'empty highway': 274911, 'highway low': 396156, 'it besafe': 456848, 'empty highway low': 274912, 'highway low gas': 396157, 'gas price no': 344001, 'price no line': 675345, 'no line at': 564606, 'line at store': 492990, 'at store could': 100652, 'store could get': 807197, 'could get used': 209209, 'used to it': 950064, 'to it besafe': 908568, 'enabling': 275470, 'shameonsherwin': 754736, 'defy shelter': 232503, 'order across': 618003, 'country enabling': 210613, 'enabling community': 275473, 'country shameonsherwin': 211042, 'and their retail': 73714, 'forced to defy': 328627, 'to defy shelter': 904076, 'defy shelter in': 232504, 'place order across': 657632, 'order across the': 618004, 'the country enabling': 852071, 'country enabling community': 210614, 'enabling community spread': 275474, 'the country shameonsherwin': 852152, 'falling saudi': 297333, 'russia postpone': 728540, 'postpone meeting': 666767, 'meeting to': 527778, 'discus production': 244901, 'global oversupply': 352065, 'oversupply in': 631595, 'of falling': 583389, 'price are falling': 672665, 'are falling saudi': 86471, 'falling saudi arabia': 297334, 'and russia postpone': 70678, 'russia postpone meeting': 728541, 'postpone meeting to': 666768, 'meeting to discus': 527780, 'to discus production': 904382, 'discus production cut': 244902, 'production cut to': 682002, 'cut to curb': 223596, 'to curb global': 903800, 'curb global oversupply': 220558, 'global oversupply in': 352066, 'oversupply in the': 631597, 'face of falling': 294653, 'of falling demand': 583390, 'falling demand due': 297234, 'refund wa': 706984, 'approved month': 83176, 'ago so': 38465, 'company blaming': 190496, 'blaming coronavirus': 132326, 'in processing': 427009, 'processing refund': 680038, 'this consumer refund': 886844, 'consumer refund wa': 198665, 'refund wa approved': 706985, 'wa approved month': 961567, 'approved month ago': 83177, 'month ago so': 537541, 'ago so why': 38467, 'is the company': 452753, 'the company blaming': 851315, 'company blaming coronavirus': 190497, 'blaming coronavirus for': 132327, 'coronavirus for the': 205944, 'for the delay': 326375, 'the delay in': 853047, 'delay in processing': 232708, 'in processing refund': 427011, 'fine line': 307657, 'between precaution': 128864, 'there is fine': 878559, 'is fine line': 447815, 'fine line between': 307658, 'line between precaution': 493013, 'between precaution and': 128865, 'precaution and panic': 669276, '2015': 13806, 'while will': 987564, 'cause commodity': 167523, 'fall mining': 296987, 'mining company': 533268, 'resilient since': 714535, 'last crash': 480170, 'in 2015': 419771, '2015 16': 13807, 'said that while': 731421, 'that while will': 847519, 'while will cause': 987565, 'will cause commodity': 992887, 'cause commodity price': 167524, 'commodity price to': 189292, 'to fall mining': 905636, 'fall mining company': 296988, 'mining company have': 533272, 'company have become': 190730, 'become more resilient': 120062, 'more resilient since': 540235, 'resilient since the': 714536, 'since the last': 770892, 'the last crash': 859006, 'last crash in': 480171, 'crash in 2015': 214988, 'in 2015 16': 419772, 'worker catch': 1006615, '19 who': 12060, 'they sue': 883497, 'sue they': 817171, 'being thrown': 125956, 'thrown to': 895152, 'the wolf': 871656, 'when supermarket worker': 984098, 'supermarket worker catch': 824002, 'worker catch covid': 1006616, 'covid 19 who': 214072, '19 who do': 12061, 'who do they': 988622, 'do they sue': 250319, 'they sue they': 883498, 'sue they are': 817172, 'are being thrown': 84936, 'being thrown to': 125958, 'thrown to the': 895153, 'to the wolf': 917195, 'buildingautomation': 142163, 'skillset': 773022, 'niagara4': 562317, 'easyio': 265827, 'homeschool isn': 402922, 'kid grow': 473972, 'your buildingautomation': 1023034, 'buildingautomation system': 142164, 'system skillset': 831315, 'skillset while': 773023, 'price niagara4': 675334, 'niagara4 hvac': 562318, 'hvac easyio': 411867, 'easyio discounted': 265828, 'discounted pricing': 244607, 'pricing is': 677942, 'homeschool isn just': 402923, 'isn just for': 454578, 'just for kid': 468750, 'for kid grow': 322842, 'kid grow your': 473973, 'grow your buildingautomation': 367088, 'your buildingautomation system': 1023035, 'buildingautomation system skillset': 142165, 'system skillset while': 831316, 'skillset while social': 773024, 'distancing at reduced': 247021, 'reduced price niagara4': 706152, 'price niagara4 hvac': 675335, 'niagara4 hvac easyio': 562319, 'hvac easyio discounted': 411868, 'easyio discounted pricing': 265829, 'discounted pricing is': 244608, 'pricing is available': 677943, 'is available during': 445915, 'available during the': 104334, 'pandemic to help': 636780, 'help support our': 390615, 'our customer learn': 622668, 'pandemiclife': 637122, 'today weird': 920492, 'time man': 897185, 'man pandemiclife': 512181, 'pandemiclife socialdistancing': 637123, 'socialdistancing newnormal': 780552, 'newnormal shopping': 560146, 'shopping hannaford': 762862, 'the line waiting': 859424, 'get in the': 347311, 'store today weird': 810879, 'today weird time': 920493, 'weird time man': 977805, 'time man pandemiclife': 897186, 'man pandemiclife socialdistancing': 512182, 'pandemiclife socialdistancing newnormal': 637124, 'socialdistancing newnormal shopping': 780554, 'newnormal shopping hannaford': 560147, 'shopping hannaford supermarket': 762863, 'crook': 218864, 'president ha': 670823, 'warned crook': 967001, 'crook who': 218880, 'sanitizers saying': 736387, 'will cancel': 992874, 'cancel their': 160891, 'licence have': 488109, 'have sent': 382466, 'sent spy': 750809, 'spy in': 791401, 'if find': 414115, 'find anybody': 306804, 'anybody hiking': 80091, 'hiking the': 396415, 'their license': 873813, 'president ha warned': 670826, 'ha warned crook': 372453, 'warned crook who': 967002, 'crook who are': 218881, 'food and sanitizers': 313328, 'and sanitizers saying': 70904, 'sanitizers saying he': 736388, 'saying he will': 739603, 'he will cancel': 385665, 'will cancel their': 992877, 'cancel their licence': 160893, 'their licence have': 873811, 'licence have sent': 488110, 'have sent spy': 382469, 'sent spy in': 750810, 'spy in the': 791402, 'market if find': 516538, 'if find anybody': 414116, 'find anybody hiking': 306805, 'anybody hiking the': 80092, 'hiking the price': 396417, 'food will cancel': 317618, 'cancel their license': 160894, 'brentoil': 139363, 'tradingstrategy': 928976, 'this commodity': 886812, 'commodity or': 189246, 'other commodity': 619964, 'commodity on': 189240, 'indian stock': 434884, 'exchange stockmarket': 289481, 'stockmarket crude': 803652, 'crude brentoil': 219511, 'brentoil market': 139369, 'market stock': 517122, 'stock tradingstrategy': 803029, 'tradingstrategy commodity': 928977, 'commodity oilpricewar': 189238, 'question on is': 693676, 'on is there': 601638, 'there any way': 878028, 'any way to': 80039, 'way to buy': 969993, 'to buy and': 902177, 'buy and sell': 148332, 'and sell this': 71220, 'sell this commodity': 748915, 'this commodity or': 886814, 'commodity or other': 189247, 'or other commodity': 616427, 'other commodity on': 619965, 'commodity on the': 189241, 'on the indian': 604179, 'the indian stock': 858126, 'indian stock exchange': 434885, 'stock exchange stockmarket': 802106, 'exchange stockmarket crude': 289482, 'stockmarket crude brentoil': 803653, 'crude brentoil market': 219512, 'brentoil market stock': 139370, 'market stock tradingstrategy': 517124, 'stock tradingstrategy commodity': 803030, 'tradingstrategy commodity oilpricewar': 928978, 'commodity oilpricewar oilprice': 189239, 'oilpricewar oilprice oil': 597713, 'something which': 785141, 'which deeply': 985800, 'deeply concerned': 231985, 'about india': 25524, 'india actually': 434277, 'actually ha': 30820, 'feed it': 302325, 'hunger is something': 411139, 'is something which': 452116, 'something which deeply': 785142, 'which deeply concerned': 985801, 'deeply concerned about': 231986, 'concerned about india': 193162, 'about india actually': 25525, 'india actually ha': 434278, 'actually ha enough': 30821, 'to feed it': 905724, 'feed it entire': 302326, 'rideau': 721473, 'cottage': 208395, 'know ll': 476574, 'll regret': 496970, 'regret it': 707701, 'the easy': 853857, 'easy way': 265797, 'out kim': 626475, 'kim said': 474765, 'said want': 731559, 'myself looking': 550904, 'back meanwhile': 107143, 'meanwhile at': 524951, 'at rideau': 100313, 'rideau cottage': 721474, 'cottage trudeau': 208398, 'trudeau self': 933021, 'isolation enters': 455263, 'enters day': 278479, 'day 24': 227127, 'know ll regret': 476576, 'll regret it': 496971, 'regret it if': 707702, 'it if take': 458676, 'if take the': 414914, 'take the easy': 832644, 'the easy way': 853858, 'easy way out': 265799, 'way out kim': 969794, 'out kim said': 626476, 'kim said want': 474766, 'said want to': 731560, 'to be proud': 901466, 'proud of myself': 686036, 'of myself looking': 586838, 'myself looking back': 550905, 'looking back meanwhile': 502835, 'back meanwhile at': 107144, 'meanwhile at rideau': 524953, 'at rideau cottage': 100314, 'rideau cottage trudeau': 721475, 'cottage trudeau self': 208399, 'trudeau self isolation': 933022, 'self isolation enters': 747768, 'isolation enters day': 455264, 'enters day 24': 278480, '10ft': 2320, 'an sneeze': 56801, 'sneeze droplet': 776236, 'droplet with': 260493, 'travel 10ft': 930229, '10ft almost': 2321, 'almost supermarket': 46742, 'when an sneeze': 983149, 'an sneeze droplet': 56802, 'sneeze droplet with': 776238, 'droplet with travel': 260494, 'with travel 10ft': 1001839, 'travel 10ft almost': 930230, '10ft almost supermarket': 2322, 'almost supermarket aisle': 46743, 'atk': 101811, '526': 20270, '3648': 18045, 'concern atk': 192931, 'atk consumer': 101812, 'staff activity': 792079, 'online only': 608625, 'at specialist': 100605, 'at need': 99867, 'via email': 955950, 'email phone': 272272, 'phone skype': 655017, 'skype zoom': 773272, 'zoom or': 1027816, 'or variety': 617642, 'online option': 608642, 'option call': 614006, '800 526': 22672, '526 3648': 20271, '3648 or': 18046, '19 concern atk': 5915, 'concern atk consumer': 192932, 'atk consumer service': 101813, 'consumer service and': 198939, 'service and staff': 752110, 'and staff activity': 72189, 'staff activity will': 792080, 'activity will be': 30537, 'will be online': 992589, 'be online only': 116231, 'online only at': 608626, 'only at specialist': 610128, 'at specialist are': 100606, 'available to talk': 104660, 'talk with you': 833926, 'with you about': 1002141, 'you about your': 1016776, 'about your at': 26989, 'your at need': 1022868, 'at need via': 99869, 'need via email': 556159, 'via email phone': 955952, 'email phone skype': 272273, 'phone skype zoom': 655018, 'skype zoom or': 773273, 'zoom or variety': 1027817, 'or variety of': 617643, 'variety of other': 952568, 'of other online': 587367, 'other online option': 620610, 'online option call': 608644, 'option call 800': 614007, 'call 800 526': 155723, '800 526 3648': 22673, '526 3648 or': 20272, '3648 or online': 18047, 'obsessively': 578696, 'mckinsey finding': 522197, 'behavior changed': 123969, 'changed during': 172467, 'pandemic beyond': 635006, 'obvious decreased': 578785, 'decreased spend': 231644, 'on travel': 604845, 'travel petrol': 930464, 'petrol obsessively': 653750, 'obsessively watching': 578697, 'buying up': 151286, 'up big': 944495, 'big on': 129890, 'mckinsey finding on': 522198, 'finding on consumer': 307518, 'on consumer sentiment': 600077, 'consumer sentiment and': 198903, 'sentiment and behavior': 750893, 'and behavior changed': 58838, 'behavior changed during': 123970, 'changed during the': 172468, 'the pandemic beyond': 862919, 'pandemic beyond the': 635007, 'beyond the obvious': 129245, 'the obvious decreased': 862019, 'obvious decreased spend': 578786, 'decreased spend on': 231645, 'spend on travel': 788663, 'on travel petrol': 604847, 'travel petrol obsessively': 930465, 'petrol obsessively watching': 653751, 'obsessively watching the': 578698, 'watching the news': 968801, 'the news we': 861636, 'news we re': 560957, 'we re buying': 972837, 're buying up': 698403, 'buying up big': 151289, 'up big on': 944496, 'big on home': 129891, 'on home entertainment': 601352, 'cineworld': 178571, 'ashworth': 95142, 'cineworld close': 178572, 'all branch': 42214, 'branch uk': 137701, 'unchanged in': 939786, 'march say': 515465, 'say halifax': 738717, 'halifax european': 374317, 'market climb': 516173, 'climb optimism': 182267, 'optimism grows': 613905, 'grows the': 367328, 'is slowing': 451973, 'slowing follow': 774545, 'today key': 919772, 'key business': 473233, 'business news': 144094, 'via ashworth': 955800, 'ashworth and': 95143, 'live blog': 495749, 'cineworld close all': 178573, 'close all branch': 182499, 'all branch uk': 42216, 'branch uk house': 137702, 'house price unchanged': 406508, 'price unchanged in': 677173, 'unchanged in march': 939787, 'in march say': 425118, 'march say halifax': 515466, 'say halifax european': 738718, 'halifax european market': 374318, 'european market climb': 283590, 'market climb optimism': 516174, 'climb optimism grows': 182268, 'optimism grows the': 613906, 'grows the is': 367329, 'the is slowing': 858530, 'is slowing follow': 451977, 'slowing follow all': 774546, 'follow all of': 312346, 'all of today': 43723, 'of today key': 592236, 'today key business': 919773, 'key business news': 473234, 'business news via': 144097, 'news via ashworth': 560937, 'via ashworth and': 955801, 'ashworth and our': 95144, 'and our live': 68502, 'our live blog': 623757, 'reinforcing': 708257, 'buy mask': 148938, 'mask followed': 518656, 'followed what': 312625, 'authority say': 103778, 'say didn': 738572, 'didn stockpile': 241215, 'stockpile unnecessary': 803813, 'unnecessary food': 942909, 'panic mode': 638314, 'mode instead': 535179, 'of reinforcing': 588900, 'reinforcing the': 708263, 'system no': 831257, 'no worry': 565936, 'worry positive': 1010764, 'positive thinking': 665465, 'thinking do': 885895, 'get bored': 346692, 'bored doing': 135342, 'what love': 981838, 'didn buy mask': 240998, 'buy mask followed': 148942, 'mask followed what': 518657, 'followed what the': 312626, 'what the authority': 982294, 'the authority say': 849075, 'authority say didn': 103779, 'say didn buy': 738573, 'didn buy hand': 240996, 'sanitizer with soap': 736141, 'with soap didn': 1000794, 'soap didn stockpile': 778982, 'didn stockpile unnecessary': 241216, 'stockpile unnecessary food': 803814, 'unnecessary food item': 942910, 'food item not': 315219, 'item not in': 463479, 'not in panic': 570102, 'in panic mode': 426480, 'panic mode instead': 638318, 'mode instead of': 535181, 'instead of reinforcing': 440313, 'of reinforcing the': 588901, 'reinforcing the immune': 708264, 'immune system no': 417345, 'system no worry': 831258, 'no worry positive': 565939, 'worry positive thinking': 1010765, 'positive thinking do': 665466, 'thinking do not': 885896, 'not get bored': 569578, 'get bored doing': 346693, 'bored doing what': 135343, 'doing what love': 252846, 'what love to': 981839, 'love to do': 504845, 'judging': 467663, 'intends': 441070, 'flatulence': 310226, 'judging by': 467664, 'the barren': 849285, 'barren bean': 111308, 'bean shelf': 118361, 'public intends': 688112, 'intends to': 441071, 'with flatulence': 998455, 'judging by the': 467665, 'by the barren': 154267, 'the barren bean': 849286, 'barren bean shelf': 111309, 'bean shelf in': 118362, 'supermarket the british': 823210, 'british public intends': 140579, 'public intends to': 688113, 'intends to defeat': 441072, '19 with flatulence': 12130, 'authorises': 103669, 'acc authorises': 27798, 'authorises supermarket': 103670, 'supermarket trading': 823530, 'trading rule': 928913, 'ensure grocery': 277956, 'crisis itwire': 217616, 'acc authorises supermarket': 27799, 'authorises supermarket trading': 103671, 'supermarket trading rule': 823532, 'trading rule change': 928914, 'rule change to': 727225, 'change to ensure': 172345, 'to ensure grocery': 905164, 'ensure grocery supply': 277958, 'grocery supply during': 366010, 'supply during covid': 825193, '19 crisis itwire': 6269, 'crisis itwire acc': 217617, 'itwire acc authorises': 464031, 'crisis itwire datagovernance': 217618, 'sweep is': 830130, 'is british': 446274, 'british tv': 140616, 'tv game': 936116, 'game show': 343244, 'show and': 766861, 'not documentary': 569080, 'one would like': 607513, 'like to remind': 491617, 'remind you that': 710517, 'you that supermarket': 1021577, 'that supermarket sweep': 846577, 'supermarket sweep is': 823095, 'sweep is british': 830131, 'is british tv': 446276, 'british tv game': 140617, 'tv game show': 936117, 'game show and': 343245, 'show and not': 766866, 'and not documentary': 67728, 'gosport': 358352, 'fc': 300713, 'localfootball': 498730, 'nonleague': 566650, 'portsmouth': 665062, 'gosport borough': 358353, 'borough fc': 135584, 'fc link': 300718, 'link up': 493955, 'with second': 1000605, 'second supermarket': 743822, 'help deliver': 389577, 'parcel during': 641492, 'crisis localfootball': 217672, 'localfootball nonleague': 498731, 'nonleague portsmouth': 566651, 'portsmouth news': 665063, 'gosport borough fc': 358354, 'borough fc link': 135585, 'fc link up': 300719, 'link up with': 493957, 'up with second': 946679, 'with second supermarket': 1000607, 'second supermarket to': 743823, 'supermarket to help': 823378, 'to help deliver': 907489, 'help deliver food': 389579, 'deliver food parcel': 233125, 'food parcel during': 315815, 'parcel during covid': 641493, '19 crisis localfootball': 6277, 'crisis localfootball nonleague': 217673, 'localfootball nonleague portsmouth': 498732, 'nonleague portsmouth news': 566652, '10p': 2366, 'petrolprice set': 653859, 'be slashed': 117210, 'slashed at': 773612, 'at historic': 98922, 'historic level': 397958, 'with 10p': 996934, '10p discounted': 2367, 'discounted per': 244590, 'petrolprice set to': 653860, 'set to be': 753502, 'to be slashed': 901545, 'be slashed at': 117211, 'slashed at historic': 773613, 'at historic level': 98923, 'historic level due': 397959, 'to with 10p': 918640, 'with 10p discounted': 996935, '10p discounted per': 2368, 'discounted per litre': 244591, 'lockdownzim': 500458, 'icymi filling': 412875, 'filling station': 305618, 'station hike': 796421, 'domestic gas': 253194, 'rise following': 722854, 'day lockdownzim': 227927, 'icymi filling station': 412876, 'filling station hike': 305622, 'station hike price': 796422, 'hike price for': 396259, 'for domestic gas': 320812, 'domestic gas the': 253195, 'gas the demand': 344151, 'the demand rise': 853108, 'demand rise following': 236155, 'rise following the': 722855, 'following the 21': 312871, '21 day lockdownzim': 14992, 'boxing': 137219, 'awkward': 106272, 'companion': 190324, 'highlight clip': 395905, 'clip from': 182354, 'week episode': 976192, 'the boxing': 849926, 'boxing rant': 137232, 'rant podcast': 696853, 'podcast thing': 662318, 'thing just': 884503, 'got awkward': 358424, 'awkward coronavirus': 106275, 'coronavirus companion': 205664, 'companion tale': 190329, 'pandemic pandemonium': 636150, 'pandemonium quarantinelife': 637141, 'quarantinelife video': 693041, 'video audio': 956627, 'audio only': 102932, 'highlight clip from': 395906, 'clip from this': 182355, 'from this week': 338017, 'this week episode': 891212, 'week episode of': 976193, 'episode of the': 279544, 'of the boxing': 590828, 'the boxing rant': 849927, 'boxing rant podcast': 137233, 'rant podcast thing': 696854, 'podcast thing just': 662319, 'thing just got': 884505, 'just got awkward': 468849, 'got awkward coronavirus': 358425, 'awkward coronavirus companion': 106276, 'coronavirus companion tale': 205666, 'companion tale from': 190330, 'the pandemic pandemonium': 863049, 'pandemic pandemonium quarantinelife': 636151, 'pandemonium quarantinelife video': 637142, 'quarantinelife video audio': 693042, 'video audio only': 956628, 'weep': 977607, 'weep for': 977608, 'weep for the': 977610, 'weighed': 977670, 'building loyalty': 142108, 'loyalty in': 506293, 'crisis can': 217181, 'make or': 510275, 'or break': 614583, 'break brand': 138688, 'consumer weighed': 199496, 'weighed in': 977671, 'top factor': 925573, 'that made': 844972, 'made them': 508006, 'them trust': 876554, 'trust brand': 934248, 'top response': 925709, 'response were': 715921, 'were focused': 979646, 'on treating': 604851, 'treating customer': 930989, 'employee well': 274400, 'building loyalty in': 142109, 'loyalty in time': 506294, 'of crisis can': 582151, 'crisis can make': 217182, 'can make or': 158943, 'make or break': 510276, 'or break brand': 614584, 'break brand consumer': 138689, 'brand consumer weighed': 137810, 'consumer weighed in': 199497, 'weighed in on': 977672, 'the top factor': 869778, 'top factor that': 925574, 'factor that made': 295905, 'that made them': 844978, 'made them trust': 508008, 'them trust brand': 876555, 'trust brand during': 934249, 'brand during crisis': 137827, 'and the top': 73621, 'the top response': 869794, 'top response were': 925710, 'response were focused': 715922, 'were focused on': 979647, 'focused on treating': 311968, 'on treating customer': 604852, 'treating customer employee': 930991, 'customer employee well': 222331, 'relates': 708641, 'store safety': 809952, 'tip it': 898828, 'it relates': 460689, 'relates to': 708642, 'grocery store safety': 365738, 'store safety tip': 809954, 'safety tip it': 730767, 'tip it relates': 898829, 'it relates to': 460690, 'tear after': 835918, 'shift when': 758465, 'she find': 756033, 'find empty': 306885, 'shelf coronacrisisuk': 756963, 'coronacrisisuk coronacrisisuk': 204883, 'nurse in tear': 577383, 'in tear after': 428835, 'tear after 48': 835919, 'hour shift when': 405927, 'shift when she': 758466, 'when she find': 983996, 'she find empty': 756034, 'find empty supermarket': 306887, 'supermarket shelf coronacrisisuk': 822450, 'shelf coronacrisisuk coronacrisisuk': 756964, 'coronacrisisuk coronacrisisuk 19': 204884, 'socialdistanacing will': 780123, 'uk ever': 938337, 'ever be': 285210, 'panicbuyinguk socialdistanacing will': 639170, 'socialdistanacing will the': 780124, 'will the uk': 995159, 'the uk ever': 870214, 'uk ever be': 938338, 'ever be the': 285212, 'stabilizes': 791874, 'other custom': 620052, 'custom non': 221991, 'non gear': 566402, 'gear item': 344965, 'item well': 463803, 'well dm': 978166, 'all shipping': 44312, 'shipping will': 758946, 'postponed until': 666836, 'until after': 943669, 'situation stabilizes': 772491, 'stabilizes here': 791877, 'in mexico': 425267, 'mexico all': 529989, 'listed in': 494623, 'in dollar': 422346, 'dollar photo': 253055, 'photo for': 655163, 'display purpose': 246202, 'purpose only': 690147, 'only exact': 610406, 'exact item': 288692, 'item pictured': 463567, 'pictured have': 656228, 'already been': 47220, 'been sold': 122002, 'make other custom': 510283, 'other custom non': 620053, 'custom non gear': 221992, 'non gear item': 566403, 'gear item well': 344966, 'item well dm': 463804, 'well dm to': 978167, 'dm to order': 248936, 'to order all': 911061, 'order all shipping': 618012, 'all shipping will': 44313, 'shipping will be': 758947, 'be postponed until': 116492, 'postponed until after': 666838, 'until after the': 943673, '19 situation stabilizes': 10594, 'situation stabilizes here': 772492, 'stabilizes here in': 791878, 'here in mexico': 393161, 'in mexico all': 425268, 'mexico all price': 529990, 'all price listed': 44037, 'price listed in': 675067, 'listed in dollar': 494625, 'in dollar photo': 422347, 'dollar photo for': 253056, 'photo for display': 655164, 'for display purpose': 320764, 'display purpose only': 246203, 'purpose only exact': 690148, 'only exact item': 610407, 'exact item pictured': 288693, 'item pictured have': 463568, 'pictured have already': 656229, 'have already been': 379184, 'already been sold': 47224, 'santizer': 736637, 'santizers': 736640, 'govt of': 361225, 'india release': 434592, 'release an': 708918, 'hand santizer': 375741, 'santizer and': 736638, 'hand santizers': 375743, 'santizers at': 736641, 'prevent indiafightscorona': 671654, 'govt of india': 361229, 'of india in': 585107, 'of india release': 585115, 'india release an': 434593, 'release an order': 708919, 'an order fixing': 56697, 'of hand santizer': 584435, 'hand santizer and': 375742, 'santizer and mask': 736639, 'and mask 2ply': 66739, 'mask 2ply mask': 518261, '10 hand santizers': 1455, 'hand santizers at': 375744, 'santizers at 100': 736642, 'to prevent indiafightscorona': 912071, 'ambo': 51313, 'journos': 467495, 'skeleton': 772853, 'police doctor': 662982, 'nurse ambo': 577184, 'ambo teacher': 51314, 'teacher journos': 835477, 'journos amp': 467496, 'amp add': 53353, 'add supermarket': 31495, 'manager would': 512836, 'would still': 1012270, 'amp their': 54672, 'their kid': 873753, 'kid would': 474186, 'school with': 741989, 'with skeleton': 1000753, 'skeleton staff': 772858, 'staff supervising': 792909, 'supervising that': 824382, 'uk model': 938550, 'model amp': 535226, 'could replicate': 209590, 'replicate it': 711696, 'essential worker police': 281847, 'worker police doctor': 1007599, 'police doctor nurse': 662983, 'doctor nurse ambo': 250996, 'nurse ambo teacher': 577185, 'ambo teacher journos': 51315, 'teacher journos amp': 835478, 'journos amp add': 467497, 'amp add supermarket': 53354, 'add supermarket manager': 31496, 'supermarket manager would': 821457, 'manager would still': 512837, 'would still go': 1012272, 'to work amp': 918684, 'work amp their': 1004753, 'amp their kid': 54674, 'their kid would': 873764, 'kid would still': 474187, 'to school with': 913904, 'school with skeleton': 741991, 'with skeleton staff': 1000755, 'skeleton staff supervising': 772859, 'staff supervising that': 792910, 'supervising that the': 824383, 'that the uk': 846856, 'the uk model': 870250, 'uk model amp': 938551, 'model amp think': 535227, 'amp think we': 54693, 'think we could': 885764, 'we could replicate': 971216, 'could replicate it': 209591, 'visited service': 959497, 'service centre': 752219, 'centre found': 169496, 'of apple': 580314, 'open even': 612214, 'had read': 373445, 'notification from': 573533, 'from apple': 334571, 'apple that': 82373, 'that till': 847036, 'till 27': 895977, '27 march': 16289, '2020 all': 14131, 'be remain': 116774, 'remain closed': 709718, 'not apple': 568230, 'store cook': 807171, 'just visited service': 470188, 'visited service centre': 959498, 'service centre found': 752220, 'centre found the': 169497, 'found the one': 330413, 'the one of': 862208, 'one of apple': 606735, 'of apple store': 580317, 'apple store is': 82368, 'is open even': 450565, 'open even had': 612215, 'even had read': 284150, 'had read the': 373447, 'read the notification': 700585, 'the notification from': 861903, 'notification from apple': 573535, 'from apple that': 334572, 'apple that till': 82374, 'that till 27': 847037, 'till 27 march': 895978, '27 march 2020': 16290, 'march 2020 all': 515147, '2020 all the': 14133, 'all the retail': 44889, 'will be remain': 992642, 'be remain closed': 116775, 'remain closed it': 709722, 'closed it not': 183198, 'it not apple': 459859, 'not apple store': 568231, 'apple store cook': 82366, 'store loses': 808832, 'loses estimated': 503519, 'estimated 35k': 282278, '35k in': 17976, 'woman twisted': 1003644, 'prank co': 668930, 'owner say': 632562, 'say pandemic': 739041, 'pandemic stayhome': 636540, 'grocery store loses': 365544, 'store loses estimated': 808834, 'loses estimated 35k': 503520, 'estimated 35k in': 282279, '35k in food': 17977, 'after woman twisted': 36562, 'woman twisted coronavirus': 1003645, 'coronavirus prank co': 206571, 'prank co owner': 668931, 'co owner say': 184937, 'owner say pandemic': 632565, 'say pandemic stayhome': 739043, 'usfda': 950346, 'pvt lab': 691354, 'lab with': 478314, 'with usfda': 1001936, 'usfda approved': 950347, 'approved kit': 83166, 'kit can': 475519, 'can start': 159725, 'pvt lab with': 691355, 'lab with usfda': 478315, 'with usfda approved': 1001937, 'usfda approved kit': 950348, 'approved kit can': 83167, 'kit can start': 475520, 'can start testing': 159730, 'start testing for': 794544, '19 price capped': 9805, 'californiashutdown': 155664, 'californiaquarantine': 155660, 'that on': 845483, 'the completely': 851393, 'higher for': 395596, 'stuff now': 815152, 'now californiashutdown': 574319, 'californiashutdown californiaquarantine': 155665, 'californiaquarantine coronacrisis': 155661, 'coronacrisis today': 204833, 'tp bread': 927771, 'bread flower': 138465, 'flower meat': 311309, 'meat cheese': 525516, 'cheese pasta': 175209, 'else notice that': 271811, 'notice that on': 573365, 'that on top': 845487, 'of the completely': 590880, 'the completely empty': 851394, 'completely empty shelf': 192281, 'the store some': 868109, 'store some price': 810263, 'are higher for': 87157, 'higher for basic': 395597, 'basic food and': 111881, 'other stuff now': 621007, 'stuff now californiashutdown': 815153, 'now californiashutdown californiaquarantine': 574320, 'californiashutdown californiaquarantine coronacrisis': 155666, 'californiaquarantine coronacrisis today': 155662, 'coronacrisis today no': 204834, 'today no tp': 919937, 'no tp bread': 565787, 'tp bread flower': 927772, 'bread flower meat': 138466, 'flower meat cheese': 311310, 'meat cheese pasta': 525517, 'cheese pasta rice': 175210, 'amplifying': 54908, 'incurred': 433959, 'amplifying opinion': 54909, 'opinion like': 613475, 'dangerous practice': 225765, 'practice there': 668678, 'been additional': 120610, 'additional cost': 31796, 'cost incurred': 207981, 'incurred to': 433960, 'social assistance': 779439, 'assistance due': 96681, 'pandemic unless': 636868, 'they chose': 881754, 'chose to': 178023, 'on extra': 600687, 'advice of': 33443, 'canadian official': 160718, 'amplifying opinion like': 54910, 'opinion like this': 613476, 'this is dangerous': 888226, 'is dangerous practice': 447029, 'dangerous practice there': 225766, 'practice there have': 668679, 'there have not': 878468, 'not been additional': 568503, 'been additional cost': 120611, 'additional cost incurred': 31798, 'cost incurred to': 207982, 'incurred to those': 433961, 'to those on': 917514, 'those on social': 892289, 'on social assistance': 603534, 'social assistance due': 779440, 'assistance due to': 96682, 'to this pandemic': 917450, 'this pandemic unless': 889444, 'pandemic unless they': 636869, 'unless they chose': 942647, 'they chose to': 881755, 'chose to stock': 178027, 'up on extra': 945557, 'on extra supply': 600690, 'extra supply against': 293664, 'supply against the': 824668, 'against the advice': 37640, 'the advice of': 848385, 'advice of canadian': 33444, 'of canadian official': 581093, 'encouragement': 275677, 'encouraging kid': 275722, 'to draw': 904713, 'draw picture': 258479, 'and write': 75943, 'write note': 1012778, 'of encouragement': 583100, 'encouragement with': 275684, 'it campaign': 457004, 'and are encouraging': 58310, 'are encouraging kid': 86196, 'encouraging kid to': 275723, 'kid to draw': 474136, 'to draw picture': 904714, 'draw picture and': 258480, 'picture and write': 656109, 'and write note': 75944, 'write note of': 1012779, 'note of encouragement': 572768, 'of encouragement with': 583101, 'encouragement with it': 275685, 'with it campaign': 999063, '946': 23565, 'astate': 97172, 'littlerock': 495683, 'tuesdayvibes': 935237, 'didn find': 241061, 'any lysol': 79438, 'lysol today': 507198, 'today but': 919332, 'but re': 146889, 're up': 699750, 'toiletpaper need': 922255, 'by walmart': 154687, 'walmart we': 965462, 'have 946': 379105, '946 case': 23566, 'the astate': 848991, 'astate stayathome': 97173, 'stayathome littlerock': 797518, 'littlerock surrounding': 495684, 'surrounding city': 828740, 'necessary tuesdayvibes': 554138, 'didn find any': 241062, 'find any lysol': 306796, 'any lysol today': 79439, 'lysol today but': 507199, 'today but re': 919337, 'but re up': 146890, 're up on': 699751, 'on the the': 604402, 'the the toiletpaper': 869404, 'the toiletpaper need': 869729, 'toiletpaper need to': 922256, 'go by walmart': 353400, 'by walmart we': 154688, 'walmart we have': 965463, 'we have 946': 971744, 'have 946 case': 379106, '946 case of': 23567, 'in the astate': 428991, 'the astate stayathome': 848992, 'astate stayathome littlerock': 97174, 'stayathome littlerock surrounding': 797519, 'littlerock surrounding city': 495685, 'surrounding city in': 828741, 'city in out': 179202, 'in out if': 426357, 'out if necessary': 626360, 'if necessary tuesdayvibes': 414449, 'othe': 619788, 'nutter': 577776, 'camper': 157305, 'about independence': 25520, 'independence flower': 434072, 'flower we': 311340, 'still co': 800376, 'co operate': 184919, 'operate with': 613029, 'with othe': 999944, 'othe country': 619789, 'of nutter': 587118, 'nutter taking': 577783, 'taking caravan': 833295, 'caravan camper': 163375, 'camper van': 157306, 'the stick': 867881, 'stick up': 800070, 'up north': 945468, 'north potentially': 567673, 'potentially spreading': 667245, 'also taking': 48949, 'not about independence': 568015, 'about independence flower': 25521, 'independence flower we': 434073, 'flower we can': 311341, 'can still co': 159768, 'still co operate': 800377, 'co operate with': 184921, 'operate with othe': 613030, 'with othe country': 999945, 'othe country it': 619790, 'country it about': 210829, 'about the amount': 26337, 'amount of nutter': 53240, 'of nutter taking': 587119, 'nutter taking caravan': 577784, 'taking caravan camper': 833296, 'caravan camper van': 163376, 'camper van to': 157307, 'van to the': 952315, 'to the stick': 917096, 'the stick up': 867883, 'stick up north': 800071, 'up north potentially': 945471, 'north potentially spreading': 567674, 'potentially spreading covid': 667246, '19 also taking': 4932, 'also taking food': 48951, 'great united': 363086, 'history at': 398006, 'practice lol': 668606, 'lol 19': 500861, 'the great united': 856738, 'great united state': 363087, 'united state could': 942211, 'state could see': 795495, 'could see the': 209642, 'see the lowest': 745857, 'in history at': 423748, 'history at time': 398007, 'we are supposed': 970730, 'supposed to practice': 827370, 'to practice lol': 911957, 'practice lol 19': 668607, 'foster': 330098, 'edt': 268737, 'liu': 495693, 'guanguan': 367690, 'cnsphoto': 184791, 'wearing mark': 974675, 'mark shop': 515820, 'in foster': 423059, 'foster city': 330101, 'city san': 179347, 'francisco bay': 331098, 'area the': 92223, '2020 there': 14649, 'were 605': 979260, '605 confirmed': 21134, 'and 22': 57416, '22 died': 15205, '00 edt': 181, 'edt on': 268738, 'march photo': 515437, 'photo by': 655139, 'by liu': 153060, 'liu guanguan': 495694, 'guanguan cnsphoto': 367691, 'woman wearing mark': 1003663, 'wearing mark shop': 974676, 'mark shop at': 515821, 'shop at supermarket': 759958, 'supermarket in foster': 820900, 'in foster city': 423060, 'foster city san': 330102, 'city san francisco': 179348, 'san francisco bay': 733535, 'francisco bay area': 331099, 'bay area the': 112919, 'area the march': 92226, 'the march 2020': 860062, 'march 2020 there': 515165, '2020 there were': 14650, 'there were 605': 879307, 'were 605 confirmed': 979261, '605 confirmed case': 21135, 'the and 22': 848679, 'and 22 died': 57418, '22 died of': 15206, 'died of 20': 241584, 'of 20 00': 579446, '20 00 edt': 12855, '00 edt on': 182, 'edt on march': 268739, 'on march photo': 602028, 'march photo by': 515438, 'photo by liu': 655142, 'by liu guanguan': 153061, 'liu guanguan cnsphoto': 495695, 'delivered collected': 233309, 'collected prescription': 186372, 'prescription small': 670538, 'small shopping': 775120, 'shopping item': 763108, 'all payment': 43932, 'made online': 507890, '19 please share': 9727, 'please share if': 660485, 'you know is': 1019504, 'know is in': 476508, 'is in self': 448811, 'self isolation but': 747760, 'isolation but need': 455224, 'but need anything': 146453, 'need anything delivered': 554454, 'anything delivered collected': 80725, 'delivered collected prescription': 233310, 'collected prescription small': 186373, 'prescription small shopping': 670539, 'small shopping item': 775121, 'shopping item we': 763110, 'item we can': 463799, 'can help we': 158670, 'help we can': 390861, 'we can leave': 970972, 'can leave the': 158860, 'leave the item': 484971, 'the item at': 858603, 'item at your': 463140, 'at your door': 101673, 'your door and': 1023569, 'door and all': 255503, 'and all payment': 57883, 'all payment can': 43933, 'payment can be': 645574, 'can be made': 157641, 'be made online': 115867, 'like little': 490651, 'little contagion': 495298, 'contagion to': 200424, 'stimulate surge': 801486, 'nothing like little': 573097, 'like little contagion': 490653, 'little contagion to': 495299, 'contagion to stimulate': 200425, 'to stimulate surge': 915420, 'stimulate surge in': 801487, 'in consumer activity': 421681, 'cop say': 203280, 'will arrest': 992305, 'arrest teen': 93781, 'teen who': 836516, 'and coughing': 60607, 'disturbing coronavirus': 248407, 'prank on': 668936, 'medium kid': 527163, 'cop say they': 203282, 'say they will': 739356, 'they will arrest': 883828, 'will arrest teen': 992306, 'arrest teen who': 93782, 'teen who are': 836517, 'who are going': 988147, 'are going into': 86890, 'going into grocery': 355235, 'store and coughing': 806220, 'and coughing on': 60608, 'on produce in': 602942, 'produce in disturbing': 680314, 'in disturbing coronavirus': 422322, 'disturbing coronavirus prank': 248408, 'coronavirus prank on': 206572, 'prank on social': 668937, 'social medium kid': 779863, 'don protect': 253835, 'protect food': 684834, 'worker you': 1008308, 'find real': 307198, 'real shortage': 701361, 'shortage soon': 765218, 'demand all': 234917, 'pay suffer': 645125, 'suffer no': 817222, 'no penalty': 565090, 'penalty for': 646441, 'for related': 325083, 'related illness': 708457, 'not member': 570567, 'union join': 941901, 'join organise': 466804, 'organise and': 619301, 'and send': 71246, 'send clear': 749827, 'clear message': 181285, 'to employer': 905025, 'employer you': 274561, 'be abused': 113456, 'you don protect': 1018326, 'don protect food': 253836, 'protect food worker': 684836, 'food worker you': 317682, 'worker you may': 1008313, 'may find real': 521191, 'find real shortage': 307199, 'real shortage soon': 701363, 'shortage soon we': 765219, 'soon we demand': 785893, 'we demand all': 971266, 'demand all food': 234918, 'all food worker': 42827, 'food worker get': 317673, 'worker get full': 1007023, 'full pay suffer': 340802, 'pay suffer no': 645126, 'suffer no penalty': 817223, 'no penalty for': 565091, 'penalty for related': 646442, 'for related illness': 325084, 'related illness if': 708458, 'illness if you': 416372, 'are not member': 88415, 'not member of': 570568, 'of the union': 591571, 'the union join': 870407, 'union join organise': 941902, 'join organise and': 466805, 'organise and send': 619302, 'and send clear': 71248, 'send clear message': 749828, 'clear message to': 181286, 'message to employer': 529449, 'to employer you': 905026, 'employer you will': 274562, 'not be abused': 568349, 'making so': 511349, 'so bloody': 776627, 'bloody angry': 133169, 'there absolutely': 877956, 'bloody need': 133217, 'for goodness': 321947, 'goodness sake': 358059, 'sake just': 731860, 'just bloody': 468340, 'bloody stop': 133239, 'is just making': 449137, 'just making so': 469221, 'making so bloody': 511350, 'so bloody angry': 776628, 'bloody angry at': 133170, 'angry at the': 76463, 'moment there absolutely': 536066, 'there absolutely no': 877957, 'absolutely no bloody': 27398, 'no bloody need': 563705, 'bloody need to': 133218, 'buy at all': 148377, 'at all for': 97882, 'all for goodness': 42837, 'for goodness sake': 321948, 'goodness sake just': 358063, 'sake just bloody': 731861, 'just bloody stop': 468342, 'bloody stop it': 133240, 'andy': 76239, 'andy soon': 76250, 'soon supermarket': 785834, 'be placed': 116421, 'placed at': 657874, '19 whilst': 12056, 'whilst other': 987665, 'closing to': 183794, 'and themselves': 73733, 'spread do': 790511, 'do shop': 250072, 'to refuse': 913093, 'work based': 1004918, 'andy soon supermarket': 76251, 'soon supermarket worker': 785835, 'supermarket worker will': 824124, 'will be placed': 992608, 'be placed at': 116422, 'placed at greater': 657875, 'greater risk of': 363231, 'covid 19 whilst': 214071, '19 whilst other': 12058, 'whilst other business': 987666, 'other business are': 619910, 'are closing to': 85402, 'closing to protect': 183797, 'public and themselves': 687857, 'and themselves to': 73735, 'themselves to limit': 876913, 'the spread do': 867625, 'spread do shop': 790513, 'do shop worker': 250073, 'worker have the': 1007093, 'right to refuse': 722351, 'to refuse to': 913094, 'refuse to work': 707047, 'to work based': 918693, 'work based on': 1004919, 'kanban': 470775, 'little law': 495433, 'law queue': 482372, 'long kanban': 501472, 'kanban metric': 470776, 'little law queue': 495434, 'law queue to': 482373, 'enter supermarket is': 278302, 'supermarket is too': 821132, 'is too long': 453282, 'too long kanban': 924864, 'long kanban metric': 501473, 'taiwan': 831834, 'anonymous': 77447, 'google join': 358168, 'join other': 466806, 'other private': 620757, 'private organisation': 678956, 'organisation sharing': 619275, 'sharing consumer': 755514, 'consumer behavioral': 196544, 'behavioral data': 124332, 'health authority': 386181, 'authority worldwide': 103816, 'worldwide china': 1010333, 'china taiwan': 176964, 'taiwan and': 831835, 'korea use': 477509, 'use le': 949331, 'le anonymous': 482850, 'anonymous data': 77454, 'the contact': 851641, 'contact of': 200158, 'lockdown ukgoverment': 500089, 'google join other': 358169, 'join other private': 466807, 'other private organisation': 620758, 'private organisation sharing': 678957, 'organisation sharing consumer': 619276, 'sharing consumer behavioral': 755515, 'consumer behavioral data': 196546, 'behavioral data to': 124333, 'data to health': 226461, 'to health authority': 907369, 'health authority worldwide': 386183, 'authority worldwide china': 103817, 'worldwide china taiwan': 1010334, 'china taiwan and': 176965, 'taiwan and south': 831836, 'south korea use': 786753, 'korea use le': 477510, 'use le anonymous': 949332, 'le anonymous data': 482851, 'anonymous data to': 77455, 'data to track': 226469, 'track the contact': 928226, 'the contact of': 851643, 'contact of people': 200159, 'of people tested': 587998, 'people tested positive': 649740, 'for coronavirus lockdown': 320384, 'coronavirus lockdown ukgoverment': 206255, 'hood': 403312, 'commissary': 188775, 'forthood': 329810, 'usarmy': 948875, 'iicorpscovid19': 415993, 'texasstrong': 839859, 'fort hood': 329772, 'hood commissary': 403313, 'commissary responds': 188780, 'demand forthood': 235527, 'forthood usarmy': 329811, 'usarmy iicorpscovid19': 948876, 'iicorpscovid19 food': 415994, 'shortage texasstrong': 765243, 'fort hood commissary': 329773, 'hood commissary responds': 403314, 'commissary responds to': 188781, 'responds to increased': 715599, 'increased demand forthood': 433273, 'demand forthood usarmy': 235528, 'forthood usarmy iicorpscovid19': 329812, 'usarmy iicorpscovid19 food': 948877, 'iicorpscovid19 food shortage': 415995, 'food shortage texasstrong': 316608, 'collectively': 186522, 'in essential': 422601, 'essential industry': 281171, 'industry collectively': 435735, 'collectively globally': 186531, 'globally will': 352420, 'win this': 995591, 'year probably': 1014915, 'possible but': 665590, 'whatever good': 982754, 'good night': 357467, 'night stayhome': 563084, 'it now those': 459966, 'now those in': 576139, 'healthcare system and': 387306, 'system and all': 831093, 'and all worker': 57906, 'all worker in': 45502, 'worker in essential': 1007168, 'in essential industry': 422605, 'essential industry collectively': 281172, 'industry collectively globally': 435736, 'collectively globally will': 186532, 'globally will win': 352422, 'will win this': 995352, 'win this year': 995594, 'this year probably': 891587, 'year probably not': 1014916, 'probably not possible': 679340, 'not possible but': 571054, 'possible but whatever': 665595, 'but whatever good': 147808, 'whatever good night': 982755, 'good night stayhome': 357471, 'foodservice people': 318104, 'providing really': 687083, 'really valuable': 702688, 'valuable consumer': 952019, 'industry data': 435763, 'data related': 226379, 'foodservice people is': 318105, 'people is providing': 648524, 'is providing really': 451122, 'providing really valuable': 687084, 'really valuable consumer': 702689, 'valuable consumer and': 952020, 'and industry data': 65177, 'industry data related': 435764, 'data related to': 226381, 'related to on': 708611, 'to on their': 910900, 'on their website': 604522, 'neoliberalism': 557395, 'meritocracy': 529140, 'stereotype': 799832, 'selfish neoliberalism': 748181, 'neoliberalism cause': 557397, 'cause brawl': 167503, 'aisle across': 40185, 'america during': 51497, 'what make': 981846, 'me tick': 523730, 'tick toiletpaperapocalypse': 895578, 'toiletpaperapocalypse meritocracy': 922909, 'meritocracy toiletpaperpanic': 529141, 'toiletpaperpanic stereotype': 923250, 'selfish neoliberalism cause': 748182, 'neoliberalism cause brawl': 557398, 'cause brawl in': 167504, 'brawl in toiletpaper': 138315, 'in toiletpaper aisle': 430176, 'toiletpaper aisle across': 921698, 'aisle across america': 40186, 'across america during': 29242, 'america during the': 51499, 'the read what': 865202, 'read what make': 700653, 'what make me': 981848, 'make me tick': 510149, 'me tick toiletpaperapocalypse': 523731, 'tick toiletpaperapocalypse meritocracy': 895579, 'toiletpaperapocalypse meritocracy toiletpaperpanic': 922910, 'meritocracy toiletpaperpanic stereotype': 529142, 'whilst queue': 987674, 'queue your': 694144, 'beauty treatment': 118814, 'treatment get': 931082, 'your hair': 1024152, 'hair done': 373975, 'done do': 254818, 'your group': 1024141, 'group personal': 366837, 'personal training': 652983, 'training amp': 929324, 'amp hoard': 53948, 'hoard please': 398852, 'please spare': 660528, 'our selfless': 624709, 'selfless medical': 748531, 'whilst queue your': 987675, 'queue your beauty': 694145, 'your beauty treatment': 1022926, 'beauty treatment get': 118815, 'treatment get your': 931083, 'get your hair': 348708, 'your hair done': 1024153, 'hair done do': 373976, 'done do your': 254821, 'do your group': 250703, 'your group personal': 1024142, 'group personal training': 366838, 'personal training amp': 652984, 'training amp hoard': 929325, 'amp hoard please': 53949, 'hoard please spare': 398853, 'please spare thought': 660529, 'for our selfless': 324288, 'our selfless medical': 624710, 'selfless medical staff': 748532, 'medical staff during': 526391, 'staff during this': 792399, 'lav': 482174, 'aggarwal': 38212, 'icmr': 412794, 'lav aggarwal': 482175, 'aggarwal joint': 38213, 'joint secretary': 467024, 'secretary union': 743974, 'union health': 941890, 'health ministry': 386644, 'ministry the': 533572, 'the icmr': 857817, 'icmr indian': 412797, 'indian council': 434809, 'medical research': 526363, 'research ha': 713745, 'ha strongly': 372090, 'strongly appealed': 814218, 'to private': 912154, 'laboratory to': 478483, 'offer covid': 594560, '19 diagnosis': 6534, 'diagnosis free': 240254, 'lav aggarwal joint': 482176, 'aggarwal joint secretary': 38214, 'joint secretary union': 467025, 'secretary union health': 743975, 'union health ministry': 941892, 'health ministry the': 386647, 'ministry the icmr': 533573, 'the icmr indian': 857818, 'icmr indian council': 412798, 'indian council of': 434810, 'council of medical': 210014, 'of medical research': 586398, 'medical research ha': 526364, 'research ha strongly': 713751, 'ha strongly appealed': 372091, 'strongly appealed to': 814220, 'appealed to private': 82094, 'to private laboratory': 912156, 'private laboratory to': 678938, 'laboratory to offer': 478484, 'to offer covid': 910828, 'offer covid 19': 594561, 'covid 19 diagnosis': 212950, '19 diagnosis free': 6536, 'diagnosis free of': 240255, 'you spare': 1021314, 'spare few': 787475, 'few grocery': 303850, 'north west': 567688, 'west foodbank': 980497, 'foodbank when': 317803, 'are next': 88225, 'next in': 561409, 'supply running': 825791, 'since outbreak': 770781, 'can you spare': 160334, 'you spare few': 1021315, 'spare few grocery': 787476, 'few grocery to': 303852, 'grocery to donate': 366050, 'donate to the': 254269, 'to the north': 916905, 'the north west': 861877, 'north west foodbank': 567690, 'west foodbank when': 980498, 'foodbank when you': 317804, 'you are next': 1017176, 'are next in': 88226, 'next in the': 561412, 'the supermarket essential': 868576, 'supermarket essential supply': 820203, 'essential supply running': 281628, 'supply running low': 825792, 'running low since': 728003, 'low since outbreak': 505610, 'when inhuman': 983596, 'inhuman profiteering': 438482, 'profiteering is': 683057, 'pakistan making': 634472, 'mask rare': 519176, 'rare commodity': 697079, 'commodity indian': 189200, 'indian fmcg': 434834, 'slash the': 773599, 'when inhuman profiteering': 983597, 'inhuman profiteering is': 438483, 'profiteering is skyrocketing': 683059, 'skyrocketing in pakistan': 773434, 'in pakistan making': 426442, 'pakistan making hand': 634473, 'making hand sanitizers': 511104, 'face mask rare': 294580, 'mask rare commodity': 519177, 'rare commodity indian': 697080, 'commodity indian fmcg': 189201, 'indian fmcg company': 434835, 'company slash the': 191088, 'slash the price': 773600, 'drawer': 258494, 'squeaky': 791522, 'house until': 406647, 'until came': 943706, 'my drawer': 548034, 'drawer got': 258497, 'of welcome': 593017, 'welcome pack': 977891, 'pack when': 633193, 'when visited': 984387, '2018 and': 13870, 'keeping my': 472483, 'hand squeaky': 375791, 'squeaky clean': 791525, 'clean in': 180567, 'ireland thanks': 444852, 'thanks 19': 842003, 'wa running low': 963124, 'low on hand': 505460, 'sanitizer in the': 735159, 'the house until': 857647, 'house until came': 406648, 'until came across': 943707, 'across this in': 29540, 'this in one': 888049, 'of my drawer': 586758, 'my drawer got': 548035, 'drawer got this': 258498, 'got this part': 358942, 'part of welcome': 642392, 'of welcome pack': 593018, 'welcome pack when': 977892, 'pack when visited': 633194, 'when visited in': 984388, 'visited in 2018': 959483, 'in 2018 and': 419783, '2018 and now': 13872, 'and now it': 67849, 'now it keeping': 575121, 'it keeping my': 459268, 'keeping my hand': 472486, 'my hand squeaky': 548615, 'hand squeaky clean': 375792, 'squeaky clean in': 791526, 'clean in ireland': 180569, 'in ireland thanks': 424161, 'ireland thanks 19': 444853, 'enroll': 277835, 'qualifying': 691739, 'the circumstance': 850897, 'circumstance associated': 178710, '19 covered': 6174, 'covered ca': 212402, 'ca is': 154886, 'expanding it': 290504, 'it special': 461189, 'special enrollment': 787907, 'enrollment period': 277851, 'period any': 651715, 'any eligible': 79174, 'eligible consumer': 271413, 'can enroll': 158229, 'enroll in': 277838, 'in health': 423601, 'coverage without': 212390, 'without experiencing': 1002622, 'experiencing qualifying': 291694, 'qualifying life': 691740, 'life event': 488631, 'event or': 285044, 'other special': 620942, 'special circumstance': 787868, 'circumstance policy': 178740, 'effect until': 269152, 'until june': 943755, 'to the circumstance': 916560, 'the circumstance associated': 850898, 'circumstance associated with': 178711, 'associated with covid': 96934, 'covid 19 covered': 212877, '19 covered ca': 6175, 'covered ca is': 212403, 'ca is expanding': 154888, 'is expanding it': 447641, 'expanding it special': 290509, 'it special enrollment': 461190, 'special enrollment period': 787908, 'enrollment period any': 277852, 'period any eligible': 651716, 'any eligible consumer': 79175, 'eligible consumer can': 271414, 'consumer can enroll': 196723, 'can enroll in': 158231, 'enroll in health': 277839, 'in health coverage': 423603, 'health coverage without': 386317, 'coverage without experiencing': 212391, 'without experiencing qualifying': 1002623, 'experiencing qualifying life': 291695, 'qualifying life event': 691741, 'life event or': 488632, 'event or other': 285046, 'or other special': 616449, 'other special circumstance': 620943, 'special circumstance policy': 787869, 'circumstance policy will': 178741, 'be in effect': 115401, 'in effect until': 422510, 'effect until june': 269153, 'until june 30': 943757, 'disgusted now': 245371, 'wa mistake': 962639, 'mistake but': 534464, 'they bet': 881556, 'exposed they': 292885, 'simply made': 770240, 'made sure': 507974, 'disgusted now they': 245372, 'now they try': 576117, 'try to say': 934661, 'it wa mistake': 462149, 'wa mistake but': 962640, 'mistake but they': 534465, 'but they bet': 147494, 'they bet they': 881557, 'have changed the': 379945, 'changed the price': 172569, 'the price if': 864366, 'price if they': 674621, 'if they hadn': 415114, 'they hadn been': 882271, 'hadn been exposed': 373843, 'been exposed they': 121117, 'exposed they may': 292886, 'may have simply': 521256, 'have simply made': 382560, 'simply made sure': 770241, 'made sure they': 507977, 'sure they are': 827735, 'pharmacy to close': 654514, 'to close in': 902879, 'close in this': 182676, 'toughest': 926897, 'this ad': 886194, 'ad romance': 31149, 'romance seems': 725724, 'be rife': 116885, 'rife even': 721692, 'this toughest': 890828, 'toughest of': 926902, 'saw this ad': 738287, 'this ad romance': 886195, 'ad romance seems': 31150, 'romance seems to': 725725, 'to be rife': 901510, 'be rife even': 116886, 'rife even in': 721693, 'even in this': 284250, 'in this toughest': 430029, 'this toughest of': 890829, 'toughest of time': 926903, 'authorised': 103664, 'probably already': 679202, 'already aware': 47204, 'aware we': 105669, 'not authorised': 568286, 'authorised to': 103667, 'allow client': 45928, 'client into': 182053, 'our nursery': 624107, 'nursery currently': 577568, 'currently due': 221521, 'are however': 87254, 'however still': 409458, 'still offering': 800922, 'of plant': 588153, 'plant with': 658726, 'to certain': 902576, 'certain area': 169972, 'and discounted': 61411, 'discounted delivery': 244580, 'are probably already': 89237, 'probably already aware': 679203, 'already aware we': 47205, 'aware we are': 105670, 'are not authorised': 88327, 'not authorised to': 568287, 'authorised to allow': 103668, 'to allow client': 900326, 'allow client into': 45929, 'client into our': 182054, 'into our nursery': 442824, 'our nursery currently': 624108, 'nursery currently due': 577569, 'currently due to': 221522, 'we are however': 970594, 'are however still': 87256, 'however still offering': 409460, 'still offering delivery': 800923, 'offering delivery of': 595069, 'delivery of plant': 234235, 'of plant with': 588154, 'plant with free': 658727, 'free delivery to': 331760, 'delivery to certain': 234653, 'to certain area': 902577, 'certain area and': 169973, 'area and discounted': 91936, 'and discounted delivery': 61412, 'discounted delivery price': 244581, 'adhere': 32207, 'to adhere': 900101, 'adhere to': 32208, 'distancing requirement': 247423, 'requirement consumer': 713425, 'to commerce': 903067, 'commerce for': 188553, 'item here': 463328, 'order to adhere': 618662, 'to adhere to': 900102, 'adhere to the': 32215, '19 social distancing': 10666, 'social distancing requirement': 779699, 'distancing requirement consumer': 247424, 'requirement consumer are': 713426, 'consumer are turning': 196321, 'turning to commerce': 935962, 'to commerce for': 903069, 'commerce for essential': 188554, 'for essential item': 321109, 'essential item here': 281204, 'item here what': 463329, 'they re stocking': 883134, 're stocking up': 699617, 'separately': 751095, 'performed': 651478, '24th': 15777, 'be possible': 116474, 'component separately': 192558, 'separately and': 751096, 'this service': 890049, 'service performed': 752692, 'performed at': 651479, 'store especially': 807613, 'especially since': 280593, 'since non': 770765, 'in ontario': 426180, 'ontario after': 611579, 'after march': 35907, 'march 24th': 515198, 'obviously with all': 578869, '19 quarantine it': 9912, 'quarantine it would': 692320, 'not be possible': 568435, 'be possible to': 116478, 'possible to order': 665847, 'to order the': 911086, 'order the component': 618626, 'the component separately': 851408, 'component separately and': 192559, 'separately and have': 751097, 'and have this': 64288, 'have this service': 383107, 'this service performed': 890054, 'service performed at': 752693, 'performed at local': 651480, 'local store especially': 498461, 'store especially since': 807616, 'especially since non': 280596, 'since non essential': 770766, 'non essential retail': 566353, 'essential retail business': 281463, 'retail business are': 717902, 'business are to': 143395, 'are to be': 91107, 'to be closed': 901171, 'be closed in': 114129, 'closed in ontario': 183178, 'in ontario after': 426181, 'ontario after march': 611580, 'after march 24th': 35908, 'beaumont': 118652, 'kfdm': 473630, 'rocio': 724885, 'fe': 300983, 'madison bar': 508130, 'bar restaurant': 110750, 'in beaumont': 420742, 'beaumont pivot': 118653, 'pandemic kfdm': 635859, 'kfdm rocio': 473631, 'rocio de': 724886, 'de la': 229079, 'la fe': 478159, 'fe report': 300986, 'report how': 712020, 'is managing': 449566, 'his door': 397371, 'door open': 255682, 'madison bar restaurant': 508131, 'bar restaurant in': 110756, 'restaurant in beaumont': 716518, 'in beaumont pivot': 420743, 'beaumont pivot to': 118654, 'pivot to become': 657103, 'to become more': 901677, 'more like grocery': 539692, '19 pandemic kfdm': 9376, 'pandemic kfdm rocio': 635860, 'kfdm rocio de': 473632, 'rocio de la': 724887, 'de la fe': 229081, 'la fe report': 478160, 'fe report how': 300987, 'report how the': 712022, 'how the owner': 408860, 'the owner is': 862809, 'owner is managing': 632482, 'is managing to': 449569, 'managing to keep': 512912, 'keep his door': 471582, 'his door open': 397372, 'door open to': 255685, 'open to serve': 612601, 'to serve the': 914272, 'serve the public': 751948, 'dcra': 228999, 'permit': 652145, 'oconnor': 579125, 'and regulatory': 70171, 'regulatory affair': 708160, 'affair dcra': 34022, 'dcra close': 229000, 'person permit': 652580, 'permit and': 652148, 'and license': 66129, 'license in': 488140, 'by oconnor': 153390, 'consumer and regulatory': 196240, 'and regulatory affair': 70172, 'regulatory affair dcra': 708161, 'affair dcra close': 34023, 'dcra close in': 229001, 'close in person': 182672, 'in person permit': 426638, 'person permit and': 652581, 'permit and license': 652149, 'and license in': 66130, 'license in response': 488142, '19 by oconnor': 5568, 'essentialbusiness': 281881, 'zinccafeandmarket': 1027614, 'hospitalityindustry': 404820, 'turned our': 935863, 'retail department': 718031, 'department into': 237211, 'into beautiful': 442426, 'beautiful grocery': 118687, 'here daily': 392911, 'daily 8am': 224483, '8am 6pm': 23120, '6pm and': 21652, 'zero line': 1027470, 'line grocerystore': 493144, 'grocerystore essentialbusiness': 366300, 'essentialbusiness zinccafeandmarket': 281883, 'zinccafeandmarket supportsmallbusiness': 1027615, 'supportsmallbusiness hospitalityindustry': 827284, 'hospitalityindustry restaurant': 404821, 'restaurant cafe': 716345, 'we have turned': 971973, 'have turned our': 383429, 'turned our retail': 935864, 'our retail department': 624632, 'retail department into': 718032, 'department into beautiful': 237212, 'into beautiful grocery': 442427, 'beautiful grocery store': 118688, 'are here daily': 87117, 'here daily 8am': 392912, 'daily 8am 6pm': 224484, '8am 6pm and': 23121, '6pm and yes': 21653, 'and yes there': 75973, 'are zero line': 91903, 'zero line grocerystore': 1027471, 'line grocerystore essentialbusiness': 493145, 'grocerystore essentialbusiness zinccafeandmarket': 366301, 'essentialbusiness zinccafeandmarket supportsmallbusiness': 281884, 'zinccafeandmarket supportsmallbusiness hospitalityindustry': 1027616, 'supportsmallbusiness hospitalityindustry restaurant': 827285, 'hospitalityindustry restaurant cafe': 404822, 'offering grocery': 595133, 'during how': 262703, 'how fuckin': 407892, 'fuckin stupid': 339787, 'stupid we': 815492, 'being directed': 125052, 'directed to': 243419, 'drop this': 260415, 'service now': 752626, 'now smh': 575843, 'smh walmart': 775690, 'not offering grocery': 570732, 'offering grocery pick': 595134, 'pick up during': 655717, 'up during how': 944755, 'during how fuckin': 262705, 'how fuckin stupid': 407893, 'fuckin stupid we': 339788, 'stupid we are': 815493, 'are now being': 88529, 'now being directed': 574240, 'being directed to': 125053, 'directed to online': 243420, 'shopping or curbside': 763539, 'or curbside pickup': 614865, 'pickup but you': 655947, 'but you drop': 147984, 'you drop this': 1018368, 'drop this service': 260416, 'this service now': 890053, 'service now smh': 752628, 'now smh walmart': 575844, 'taking extra': 833354, 'precaution within': 669406, 'within our': 1002403, 'includes picking': 431800, 'or dropping': 615078, 'dropping off': 260706, 'off pet': 594068, 'pet online': 653427, 'shopping find': 762641, 'our facebook': 622979, '19 our team': 9065, 'our team is': 625105, 'team is taking': 835706, 'is taking extra': 452543, 'taking extra precaution': 833356, 'extra precaution within': 293615, 'precaution within our': 669407, 'within our shop': 1002406, 'our shop that': 624755, 'shop that includes': 760895, 'that includes picking': 844480, 'includes picking up': 431801, 'picking up or': 655880, 'up or dropping': 945679, 'or dropping off': 615079, 'dropping off pet': 260709, 'off pet online': 594069, 'pet online shopping': 653428, 'shopping or in': 763545, 'or in store': 615761, 'store shopping find': 810135, 'shopping find all': 762642, 'find all the': 306763, 'all the detail': 44717, 'detail on our': 239229, 'on our facebook': 602596, 'our facebook page': 622981, 'beasley': 118472, 'italianfood': 462742, 'christmas arrived': 178154, 'arrived early': 93955, 'the beasley': 849395, 'beasley household': 118473, 'household italianfood': 406859, 'italianfood delivery': 462743, 'amazing supermarket': 50788, 'in barcelona': 420701, 'barcelona lockdown2020': 110839, 'lockdown2020 spain': 500198, 'christmas arrived early': 178155, 'arrived early in': 93956, 'in the beasley': 429016, 'the beasley household': 849396, 'beasley household italianfood': 118474, 'household italianfood delivery': 406860, 'italianfood delivery from': 462744, 'delivery from an': 234044, 'from an amazing': 334477, 'an amazing supermarket': 55271, 'amazing supermarket in': 50789, 'supermarket in barcelona': 820865, 'in barcelona lockdown2020': 420703, 'barcelona lockdown2020 spain': 110840, 'broadway': 140786, '3kg': 18287, 'central typically': 169435, 'typically busy': 937649, 'evening broadway': 284863, 'broadway shopping': 140788, 'shopping centre': 762348, 'centre sydney': 169543, 'sydney no': 830703, 'food bought': 313768, 'bought two': 136772, 'two whole': 937381, 'whole chicken': 990161, 'in craze': 421853, 'craze of': 215201, 'buying 3kg': 149844, '3kg bag': 18288, 'potato which': 667001, 'wa revolution': 963101, 'in itself': 424326, 'out to central': 627628, 'to central typically': 902568, 'central typically busy': 169436, 'typically busy supermarket': 937650, 'busy supermarket this': 144979, 'this evening broadway': 887435, 'evening broadway shopping': 284864, 'broadway shopping centre': 140789, 'shopping centre sydney': 762355, 'centre sydney no': 169544, 'sydney no toilet': 830704, 'paper but plenty': 639972, 'of food bought': 583659, 'food bought two': 313771, 'bought two whole': 136774, 'two whole chicken': 937382, 'whole chicken in': 990162, 'chicken in craze': 175798, 'in craze of': 421854, 'craze of panic': 215202, 'panic buying 3kg': 637626, 'buying 3kg bag': 149845, '3kg bag of': 18289, 'bag of potato': 108362, 'of potato which': 588276, 'potato which wa': 667002, 'which wa revolution': 986450, 'wa revolution in': 963102, 'revolution in itself': 720749, 'offprem': 596075, 'research about': 713647, 'about cx': 25064, 'cx in': 223911, 'restaurant during': 716436, 'do most': 249608, 'most consumer': 542201, 'consumer prefer': 198404, 'restaurant order': 716617, 'order hint': 618298, 'hint most': 396911, 'most prefer': 542652, 'prefer drivethru': 669735, 'drivethru online': 259874, 'ordering delivery': 618954, 'delivery offprem': 234246, 'offprem qsr': 596077, 'new research about': 559459, 'research about cx': 713648, 'about cx in': 25065, 'cx in restaurant': 223912, 'in restaurant during': 427432, 'restaurant during how': 716437, 'during how do': 262704, 'how do most': 407720, 'do most consumer': 249609, 'most consumer prefer': 542203, 'consumer prefer to': 198405, 'prefer to get': 669755, 'get their restaurant': 348342, 'their restaurant order': 874581, 'restaurant order hint': 716618, 'order hint most': 618299, 'hint most prefer': 396912, 'most prefer drivethru': 542653, 'prefer drivethru online': 669736, 'drivethru online ordering': 259875, 'online ordering delivery': 608708, 'ordering delivery offprem': 618955, 'delivery offprem qsr': 234248, 'cbnnigeria': 168356, 'story no': 812051, 'fee charged': 302150, 'charged on': 173407, 'loan application': 497392, 'application cbnnigeria': 82441, 'cbnnigeria the': 168357, 'guardian nigeria': 367899, 'news nigeria': 560635, 'nigeria and': 562712, 'news see': 560776, 'top story no': 925730, 'story no fee': 812052, 'no fee charged': 564207, 'fee charged on': 302151, 'charged on covid': 173408, '19 loan application': 8353, 'loan application cbnnigeria': 497393, 'application cbnnigeria the': 82442, 'cbnnigeria the guardian': 168358, 'the guardian nigeria': 856910, 'guardian nigeria news': 367900, 'nigeria news nigeria': 562774, 'news nigeria and': 560636, 'nigeria and world': 562714, 'and world news': 75903, 'world news see': 1009832, 'news see more': 560778, 'chickenshortage': 175893, 'zero fresh': 1027452, 'at 10am': 97422, '10am on': 2296, 'thursday look': 895393, 'getting worse': 349449, 'worse chickenshortage': 1010905, 'zero fresh food': 1027453, 'fresh food in': 332969, 'food in packed': 314957, 'packed supermarket at': 633643, 'supermarket at 10am': 819227, 'at 10am on': 97426, '10am on thursday': 2298, 'on thursday look': 604672, 'thursday look like': 895394, 'look like it': 502488, 'like it getting': 490535, 'it getting worse': 458237, 'getting worse chickenshortage': 349453, 'sears': 743346, 'former sears': 329661, 'sears executive': 743350, 'executive say': 289933, 'will deal': 993100, 'death blow': 229986, 'the struggling': 868308, 'struggling department': 814431, 'turn the': 935767, 'former sears executive': 329663, 'sears executive say': 743351, 'executive say the': 289934, 'say the pandemic': 739298, 'pandemic will deal': 637005, 'will deal the': 993102, 'deal the death': 229500, 'the death blow': 852968, 'death blow to': 229987, 'blow to the': 133360, 'to the struggling': 917104, 'the struggling department': 868309, 'struggling department store': 814432, 'department store chain': 237269, 'way to turn': 970117, 'to turn the': 917849, 'turn the tide': 935769, 'kers': 473145, 'taxman': 835187, 'those kers': 892151, 'kers hiking': 473146, 'hiking and': 396365, 'and charging': 59751, 'time just': 897094, 'the taxman': 869181, 'taxman clean': 835190, 'clean you': 180690, 'out tax': 627296, 'tax taxman': 835101, 'taxman 21dayslockdown': 835188, '21dayslockdown socialdistancing': 15126, 'socialdistancingnow social': 780908, 'for those kers': 327120, 'those kers hiking': 892152, 'kers hiking and': 473147, 'hiking and charging': 396366, 'and charging extortionate': 59752, 'extortionate price during': 293391, 'tough time just': 926857, 'time just hope': 897097, 'just hope the': 468985, 'hope the taxman': 403689, 'the taxman clean': 869182, 'taxman clean you': 835191, 'clean you out': 180691, 'you out tax': 1020262, 'out tax taxman': 627297, 'tax taxman 21dayslockdown': 835102, 'taxman 21dayslockdown socialdistancing': 835189, '21dayslockdown socialdistancing socialdistancingnow': 15127, 'socialdistancing socialdistancingnow social': 780705, 'perimeter': 651687, 'what information': 981662, 'about do': 25116, 'supermarket perimeter': 821961, 'perimeter report': 651690, 'report please': 712174, 'tell in': 836989, 'the reply': 865525, 'reply or': 711747, 'or send': 617006, 'send direct': 749841, 'direct message': 243355, 'what information about': 981663, 'information about do': 437705, 'about do you': 25117, 'to see supermarket': 914076, 'see supermarket perimeter': 745769, 'supermarket perimeter report': 821962, 'perimeter report please': 651691, 'report please tell': 712175, 'please tell in': 660647, 'tell in the': 836990, 'in the reply': 429510, 'the reply or': 865527, 'reply or send': 711748, 'or send direct': 617007, 'send direct message': 749842, 'nvz': 577799, 'unfeasible': 941484, 'suckler': 816971, 'herd': 392602, 'welsh': 978883, 'dairy beef': 224958, 'and lamb': 65937, 'lamb price': 479163, 'fallen dramatically': 297145, 'dramatically due': 258339, 'our minister': 623922, 'minister announcing': 533331, 'announcing in': 77315, 'her coronavirus': 391964, 'crisis declaration': 217278, 'declaration nvz': 231159, 'nvz and': 577800, 'her intention': 392145, 'intention to': 441152, 'it unfeasible': 461927, 'unfeasible for': 941485, 'have suckler': 382838, 'suckler herd': 816972, 'herd of': 392615, '20 welsh': 13407, 'welsh black': 978884, 'black hold': 132070, 'dairy beef and': 224959, 'beef and lamb': 120478, 'and lamb price': 65938, 'lamb price have': 479165, 'price have fallen': 674427, 'have fallen dramatically': 380567, 'fallen dramatically due': 297146, 'dramatically due to': 258340, '19 so what': 10657, 'so what is': 778721, 'what is our': 981717, 'is our minister': 450631, 'our minister announcing': 623924, 'minister announcing in': 533332, 'announcing in her': 77316, 'in her coronavirus': 423655, 'her coronavirus crisis': 391965, 'coronavirus crisis declaration': 205747, 'crisis declaration nvz': 217279, 'declaration nvz and': 231160, 'nvz and her': 577801, 'and her intention': 64514, 'her intention to': 392146, 'intention to make': 441153, 'make it unfeasible': 510064, 'it unfeasible for': 461928, 'unfeasible for me': 941486, 'me to have': 523757, 'to have suckler': 907318, 'have suckler herd': 382839, 'suckler herd of': 816973, 'herd of 20': 392616, 'of 20 welsh': 579452, '20 welsh black': 13408, 'welsh black hold': 978885, 'this thoughtful': 890586, 'thoughtful generous': 893350, 'please tweet': 660695, 'tweet your': 936429, 'your gofundme': 1024069, 'gofundme detail': 354920, 'detail some': 239251, 'some can': 782470, 'all contribute': 42444, 'contribute stayhomesavelives': 201874, 'well done for': 978179, 'done for this': 254844, 'for this thoughtful': 327076, 'this thoughtful generous': 890587, 'thoughtful generous and': 893351, 'generous and much': 345717, 'and much needed': 67308, 'much needed food': 545150, 'needed food delivery': 556353, 'service to vulnerable': 752997, 'vulnerable people please': 961104, 'people please tweet': 649139, 'please tweet your': 660697, 'tweet your gofundme': 936430, 'your gofundme detail': 1024070, 'gofundme detail some': 354921, 'detail some can': 239252, 'some can all': 782471, 'can all contribute': 157420, 'all contribute stayhomesavelives': 42445, 'auchan': 102817, 'chain auchan': 170533, 'auchan france': 102820, 'france give': 330998, 'give 00': 350351, '00 bonus': 86, 'it 65': 456218, '65 00': 21332, 'thank their': 841652, 'their dedication': 872988, 'dedication against': 231770, 'french supermarket chain': 332757, 'supermarket chain auchan': 819596, 'chain auchan france': 170534, 'auchan france give': 102821, 'france give 00': 330999, 'give 00 bonus': 350352, '00 bonus to': 87, 'bonus to each': 134410, 'to each of': 904826, 'each of it': 264135, 'of it 65': 585359, 'it 65 00': 456219, '65 00 employee': 21333, 'employee to thank': 274336, 'to thank their': 916435, 'thank their dedication': 841653, 'their dedication against': 872989, 'dedication against corona': 231771, 'uk stayathome': 938735, 'stayathome shopping': 797609, 'supermarket all': 818864, 'all slot': 44362, 'taken till': 833090, 'till 06': 895970, '06 04': 981, '04 what': 926, 'uk stayathome shopping': 938736, 'stayathome shopping there': 797611, 'shopping there is': 764106, 'way to order': 970062, 'order online delivery': 618466, 'delivery in any': 234112, 'in any major': 420429, 'major supermarket all': 509482, 'supermarket all slot': 818874, 'all slot are': 44363, 'slot are taken': 774121, 'are taken till': 90708, 'taken till 06': 833091, 'till 06 04': 895971, '06 04 what': 983, '04 what am': 927, 'invite': 444268, 'understandable': 940839, 'from email': 335265, 'email we': 272362, 'have sale': 382387, 'sale flyer': 732224, 'flyer for': 311648, 'of 29': 579547, '29 2020': 16453, '2020 2020': 14103, 'we invite': 972085, 'invite you': 444271, 'shop mb': 760453, 'mb for': 522029, 'our everyday': 622936, 'everyday low': 286596, 'price totally': 677099, 'totally understandable': 926406, 'understandable if': 940842, 'plain smart': 658021, 'smart thanks': 775435, 'letting know': 487420, 'work bewell': 1004944, 'from email we': 335268, 'email we will': 272364, 'not have sale': 569866, 'have sale flyer': 382388, 'sale flyer for': 732225, 'flyer for the': 311649, 'week of 29': 976603, 'of 29 2020': 579548, '29 2020 2020': 16454, '2020 2020 we': 14104, '2020 we invite': 14702, 'we invite you': 972086, 'invite you to': 444272, 'to shop mb': 914471, 'shop mb for': 760454, 'mb for all': 522030, 'of our everyday': 587464, 'our everyday low': 622938, 'everyday low price': 286597, 'low price totally': 505544, 'price totally understandable': 677100, 'totally understandable if': 926407, 'understandable if not': 940843, 'if not just': 414501, 'not just plain': 570243, 'just plain smart': 469454, 'plain smart thanks': 658022, 'smart thanks for': 775436, 'thanks for letting': 842065, 'for letting know': 322950, 'letting know keep': 487421, 'know keep up': 476559, 'good work bewell': 357977, 'the lab': 858880, 'lab hopefully': 478266, 'hopefully these': 403888, 'useful wereallinthistogether': 950209, 'out the lab': 627382, 'the lab hopefully': 858881, 'lab hopefully these': 478267, 'hopefully these will': 403889, 'these will be': 880973, 'be useful wereallinthistogether': 117936, 'subsistence': 816027, 'miner': 532953, 'subsistence miner': 816030, 'miner lose': 532962, 'lose out': 503463, 'out crush': 625918, 'crush local': 219776, 'local gold': 498016, 'subsistence miner lose': 816031, 'miner lose out': 532963, 'lose out crush': 503464, 'out crush local': 625919, 'crush local gold': 219777, 'local gold price': 498017, 'walk drive': 964768, 'leave online': 484881, 'aren physically': 92476, 'physically able': 655505, 'house whether': 406676, 'whether that': 985572, 'an existing': 55950, 'condition or': 193502, 'or due': 615091, 'coronavirus self': 206741, 'isolation panicbuying': 455383, 'think that if': 885593, 'to walk drive': 918300, 'walk drive to': 964769, 'the shop please': 867023, 'shop please do': 760669, 'please do and': 659891, 'do and leave': 249070, 'and leave online': 66056, 'leave online shopping': 484882, 'shopping for those': 762720, 'who aren physically': 988267, 'aren physically able': 92477, 'physically able to': 655506, 'able to leave': 24500, 'the house whether': 857650, 'house whether that': 406677, 'whether that an': 985573, 'that an existing': 842645, 'an existing condition': 55951, 'existing condition or': 290298, 'condition or due': 193503, 'or due to': 615092, 'the coronavirus self': 851909, 'coronavirus self isolation': 206742, 'self isolation panicbuying': 747790, 'isolation panicbuying supermarket': 455384, 'question give': 693597, 'have question give': 382133, 'question give call': 693598, 'call today due': 156198, 'lastroll': 480798, 'shitjustgotreal': 759335, 'me roll': 523401, 'toiletpaper lastroll': 922174, 'lastroll shitjustgotreal': 480799, 'is anyone willing': 445770, 'willing to sell': 995476, 'sell me roll': 748792, 'me roll of': 523402, 'paper toiletpaper lastroll': 640948, 'toiletpaper lastroll shitjustgotreal': 922175, 'scripture': 742865, 'support needed': 826666, 'needed on': 556452, '19 attack': 5261, 'attack other': 102138, 'than making': 840864, 'family being': 297653, 'home not': 401669, 'cnn tv': 184781, 'tv announcement': 936088, 'announcement free': 77149, '19 declaration': 6462, 'declaration moving': 231157, 'moving from': 544150, 'from place': 336929, 'inevitable due': 436378, 'of dd': 582394, 'dd supply': 229013, 'supply bible': 824853, 'bible scripture': 129434, 'scripture act': 742866, 'act 36': 29578, 'support needed on': 826667, 'needed on covid': 556453, 'covid 19 attack': 212663, '19 attack other': 5262, 'attack other than': 102139, 'other than making': 621072, 'than making huge': 840865, 'making huge stock': 511120, 'stock of more': 802533, 'of more of': 586646, 'more of food': 539873, 'of food staff': 583783, 'staff for our': 792465, 'for our family': 324238, 'our family being': 622993, 'family being at': 297654, 'at home not': 99060, 'home not wait': 401675, 'not wait cnn': 572422, 'wait cnn tv': 964093, 'cnn tv announcement': 184782, 'tv announcement free': 936089, 'announcement free from': 77150, 'covid 19 declaration': 212921, '19 declaration moving': 6463, 'declaration moving from': 231158, 'moving from place': 544151, 'from place to': 336931, 'place to place': 657762, 'to place is': 911751, 'place is inevitable': 657525, 'is inevitable due': 448894, 'inevitable due to': 436379, 'the law of': 859188, 'law of dd': 482352, 'of dd supply': 582395, 'dd supply bible': 229014, 'supply bible scripture': 824854, 'bible scripture act': 129435, 'scripture act 36': 742867, 'browsing in': 141300, 'over going': 630250, 'going family': 355136, 'we gon': 971660, 'gon learn': 356179, 'hard way': 378099, 'way socialdistancing': 969882, 'browsing in the': 141301, 'is over going': 450701, 'over going family': 630251, 'going family to': 355137, 'over we gon': 630898, 'we gon learn': 971661, 'gon learn the': 356180, 'learn the hard': 484071, 'the hard way': 857104, 'hard way socialdistancing': 378101, 'is stranger': 452363, 'stranger than': 812490, 'than fiction': 840646, 'fiction calculator': 304419, 'calculator thing': 155352, 'weird 19': 977735, 'truth is stranger': 934397, 'is stranger than': 452364, 'stranger than fiction': 812492, 'than fiction calculator': 840647, 'fiction calculator thing': 304420, 'calculator thing are': 155353, 'are getting weird': 86834, 'getting weird 19': 349437, 'heathen': 388518, 'ruin': 727103, 'wa fully': 962185, 'stocked on': 803360, 'everything with': 288113, 'big crowd': 129723, 'crowd and': 219116, 'quick checkout': 694297, 'checkout not': 174961, 'you heathen': 1019189, 'heathen which': 388519, 'one because': 605986, 'will exploit': 993379, 'exploit it': 292341, 'and ruin': 70622, 'ruin it': 727112, 'went to local': 979170, 'to local grocery': 909377, 'today that wa': 920274, 'that wa fully': 847282, 'wa fully stocked': 962186, 'fully stocked on': 341095, 'stocked on everything': 803361, 'on everything with': 600652, 'everything with no': 288114, 'with no big': 999735, 'no big crowd': 563697, 'big crowd and': 129724, 'crowd and quick': 219118, 'and quick checkout': 69879, 'quick checkout not': 694298, 'checkout not telling': 174962, 'telling you heathen': 837296, 'you heathen which': 1019190, 'heathen which one': 388520, 'which one because': 986195, 'one because you': 605987, 'because you will': 119882, 'you will exploit': 1022332, 'will exploit it': 993380, 'exploit it and': 292342, 'it and ruin': 456512, 'and ruin it': 70623, 'ruin it for': 727113, 'parked': 642034, 'quite the': 694925, 'greedy shit': 363602, 'shit are': 759061, 'all parked': 43917, 'parked up': 642045, 'park grabbing': 641917, 'grabbing food': 361583, 'probably don': 679252, 'panicbuying greed': 638952, 'found out why': 330330, 'out why the': 627849, 'why the road': 991432, 'road are quite': 724414, 'are quite the': 89410, 'quite the greedy': 694927, 'the greedy shit': 856770, 'greedy shit are': 363603, 'shit are all': 759062, 'are all parked': 84335, 'all parked up': 43918, 'parked up in': 642047, 'up in supermarket': 945183, 'car park grabbing': 163222, 'park grabbing food': 641918, 'grabbing food they': 361585, 'food they probably': 317174, 'they probably don': 882914, 'probably don need': 679255, 'don need panicbuying': 253766, 'need panicbuying greed': 555412, 'quickly headed': 694539, 'headed for': 385898, 'for dystopian': 320893, 'shit hasn': 759125, 'fan yet': 298548, 'yet wild': 1016330, 'wild time': 992087, 'time ahead': 896219, 'show we are': 767268, 'we are quickly': 970678, 'are quickly headed': 89399, 'quickly headed for': 694540, 'headed for dystopian': 385899, 'for dystopian nightmare': 320894, 'nightmare amp the': 563171, 'amp the shit': 54667, 'the shit hasn': 866953, 'shit hasn even': 759126, 'hasn even come': 378743, 'even come close': 283962, 'to the fan': 916696, 'the fan yet': 854918, 'fan yet wild': 298549, 'yet wild time': 1016331, 'wild time ahead': 992088, 'hollywood costume': 400449, 'costume designer': 208369, 'designer fight': 238378, 'fight back': 304668, 'back against': 106830, 'coronavirus by': 205590, 'by stitching': 154120, 'stitching facemasks': 801710, 'facemasks hollywood': 295146, 'costume design': 208367, 'design facemask': 238232, 'facemask mask': 295088, 'mask stayathome': 519304, 'stayathome workfromhome': 797708, 'workfromhome staysafe': 1008439, 'safetyfirst business': 730796, 'hollywood costume designer': 400451, 'costume designer fight': 208370, 'designer fight back': 238379, 'fight back against': 304669, 'back against coronavirus': 106832, 'against coronavirus by': 37386, 'coronavirus by stitching': 205595, 'by stitching facemasks': 154121, 'stitching facemasks hollywood': 801711, 'facemasks hollywood costume': 295147, 'hollywood costume design': 400450, 'costume design facemask': 208368, 'design facemask mask': 238233, 'facemask mask stayathome': 295089, 'mask stayathome workfromhome': 519307, 'stayathome workfromhome staysafe': 797710, 'workfromhome staysafe safetyfirst': 1008440, 'staysafe safetyfirst business': 798872, 'redirected': 705717, 'zealand beef': 1027272, 'rise export': 722844, 'previously destined': 672033, 'destined for': 238993, 'being redirected': 125651, 'redirected to': 705720, 'canada monthly': 160497, 'monthly sale': 538198, '48 thank': 19331, 'you cptpp': 1018122, 'falling falling': 297256, 'packer are': 633676, 'are profitable': 89262, 'new zealand beef': 559979, 'zealand beef export': 1027273, 'export to the': 292722, 'to the united': 917158, 'united state and': 942203, 'state and canada': 795357, 'canada are on': 160367, 'the rise export': 865851, 'rise export previously': 722845, 'export previously destined': 292687, 'previously destined for': 672034, 'destined for china': 238994, 'for china are': 320066, 'are being redirected': 84906, 'being redirected to': 125652, 'redirected to canada': 705721, 'to canada monthly': 902412, 'canada monthly sale': 160498, 'monthly sale up': 538200, 'up 48 thank': 944181, '48 thank you': 19332, 'thank you cptpp': 841715, 'you cptpp our': 1018123, 'our market are': 623863, 'market are falling': 516019, 'are falling falling': 86464, 'falling falling falling': 297257, 'falling falling price': 297258, 'falling price arbitrage': 297317, 'zealand packer are': 1027300, 'packer are profitable': 633677, 'sept': 751146, 'we partnered': 972693, 'with office': 999852, 'general of': 345416, 'of iowa': 585290, 'iowa to': 444511, 'act the': 29786, 'act offer': 29727, 'some student': 783976, 'student borrower': 814655, 'borrower and': 135612, 'and suspends': 72912, 'suspends payment': 829673, 'on federal': 600768, 'federal student': 302065, 'loan until': 497548, 'until sept': 943826, 'sept 30': 751149, 'we partnered with': 972694, 'partnered with office': 642924, 'with office of': 999853, 'office of the': 595502, 'of the attorney': 590807, 'attorney general of': 102653, 'general of iowa': 345418, 'of iowa to': 585291, 'iowa to spread': 444512, 'the word about': 871697, 'word about the': 1004443, 'care act the': 163822, 'act the care': 29787, 'care act offer': 163818, 'act offer relief': 29728, 'offer relief to': 594766, 'relief to some': 709481, 'to some student': 914890, 'some student borrower': 783977, 'student borrower and': 814656, 'borrower and suspends': 135613, 'and suspends payment': 72913, 'suspends payment on': 829674, 'payment on federal': 645689, 'on federal student': 600771, 'federal student loan': 302066, 'student loan until': 814731, 'loan until sept': 497549, 'until sept 30': 943827, 'continent': 200928, 'exported': 292734, 'in early': 422444, 'early 2020': 264530, '2020 china': 14224, 'china run': 176921, 'run china': 727599, 'china connected': 176576, 'connected company': 194645, 'company had': 190721, 'had employee': 373069, 'employee buy': 273693, 'buy ton': 149385, 'ton ton': 924301, 'in multiple': 425504, 'multiple continent': 545739, 'continent often': 200931, 'often cleaning': 596174, 'out stock': 627256, 'stock these': 802963, 'these were': 880955, 'were shipped': 980106, 'shipped to': 758810, 'china exported': 176647, 'exported the': 292739, 'in early 2020': 422446, 'early 2020 china': 264531, '2020 china run': 14226, 'china run china': 176922, 'run china connected': 727600, 'china connected company': 176577, 'connected company had': 194646, 'company had employee': 190722, 'had employee buy': 373070, 'employee buy ton': 273694, 'buy ton ton': 149387, 'ton ton of': 924302, 'ton of ppe': 924282, 'of ppe sanitizer': 588323, 'ppe sanitizer in': 668045, 'sanitizer in multiple': 735147, 'in multiple continent': 425505, 'multiple continent often': 545740, 'continent often cleaning': 200932, 'often cleaning out': 596175, 'cleaning out stock': 181006, 'out stock these': 627257, 'stock these were': 802964, 'these were shipped': 880957, 'were shipped to': 980107, 'shipped to china': 758811, 'to china china': 902723, 'china china exported': 176563, 'china exported the': 176648, 'exported the co': 292740, 'hayfever': 384528, 'our april': 622102, 'april issue': 83623, 'here featuring': 392967, 'featuring celebrating': 301584, 'celebrating 10': 168828, 'uk our': 938596, 'retail panel': 718374, 'panel share': 637196, 'effect ha': 269008, 'ha on': 371430, 'business addressing': 143235, 'addressing in': 32094, 'store hayfever': 808113, 'hayfever season': 384529, 'season arrives': 743378, 'arrives latest': 93995, 'news amp': 560220, 'amp retail': 54404, 'trend read': 931425, 'our april issue': 622103, 'april issue is': 83624, 'issue is here': 455816, 'is here featuring': 448421, 'here featuring celebrating': 392968, 'featuring celebrating 10': 301585, 'celebrating 10 year': 168829, '10 year of': 1773, 'year of uk': 1014798, 'of uk our': 592575, 'uk our retail': 938597, 'our retail panel': 624637, 'retail panel share': 718375, 'panel share the': 637197, 'share the effect': 755245, 'the effect ha': 854064, 'effect ha on': 269009, 'ha on business': 371431, 'on business addressing': 599735, 'business addressing in': 143236, 'addressing in store': 32095, 'in store hayfever': 428419, 'store hayfever season': 808114, 'hayfever season arrives': 384530, 'season arrives latest': 743379, 'arrives latest news': 93996, 'latest news amp': 481450, 'news amp retail': 560222, 'amp retail trend': 54406, 'retail trend read': 718818, 'trend read here': 931426, 'survived pandemic': 829323, 'stayhome toiletpaper': 798211, 'toiletpaper lockdown': 922193, 'lockdown virus': 500111, 'virus healthcareheroes': 958274, 'healthcareheroes selfquarantine': 387422, 'selfquarantine selfisolating': 748571, 'survived pandemic stayhome': 829324, 'pandemic stayhome toiletpaper': 636543, 'stayhome toiletpaper lockdown': 798212, 'toiletpaper lockdown virus': 922198, 'lockdown virus healthcareheroes': 500112, 'virus healthcareheroes selfquarantine': 958275, 'healthcareheroes selfquarantine selfisolating': 387423, 'versatility': 954889, 'shelie': 757867, 'miller': 532035, 'alternate title': 49192, 'title the': 899295, 'one where': 607425, 'sport writer': 789991, 'writer talk': 1012812, 'to sustainability': 916080, 'sustainability expert': 829760, 'expert about': 291759, '19 versatility': 11747, 'versatility my': 954890, 'morning with': 541547, 'with michigan': 999490, 'michigan professor': 530360, 'professor shelie': 682588, 'shelie miller': 757868, 'miller on': 532040, 'on panic': 602688, 'alternate title the': 49193, 'title the one': 899296, 'the one where': 862232, 'one where the': 607426, 'where the sport': 985249, 'the sport writer': 867595, 'sport writer talk': 789992, 'writer talk to': 1012813, 'talk to sustainability': 833892, 'to sustainability expert': 916081, 'sustainability expert about': 829761, 'expert about the': 291761, 'about the supply': 26534, 'chain during covid': 170666, 'covid 19 versatility': 214022, '19 versatility my': 11748, 'versatility my morning': 954891, 'my morning with': 549316, 'morning with michigan': 541550, 'with michigan professor': 999491, 'michigan professor shelie': 530361, 'professor shelie miller': 682589, 'shelie miller on': 757869, 'miller on panic': 532041, 'on panic buying': 602689, 'buying and food': 149906, 'vulnerablehour': 961274, 'doe vulnerable': 251660, 'vulnerable supermarket': 961187, 'hour include': 405697, 'include all': 431511, 'all group': 43014, 'group listed': 366758, 'government website': 360790, 'website being': 975221, 'risk can': 723443, 'time if': 896960, 'am pregnant': 50317, 'pregnant my': 669833, 'seriously struggling': 751737, 'distancing vulnerablehour': 247598, 'vulnerablehour supermarket': 961275, 'supermarket pregnant': 822050, 'doe vulnerable supermarket': 251661, 'vulnerable supermarket hour': 961188, 'supermarket hour include': 820801, 'hour include all': 405698, 'include all group': 431513, 'all group listed': 43015, 'group listed on': 366759, 'listed on the': 494635, 'on the government': 604147, 'the government website': 856624, 'government website being': 360791, 'website being at': 975222, 'being at higher': 124876, 'higher risk can': 395725, 'risk can come': 723444, 'can come at': 157930, 'come at this': 187228, 'this time if': 890650, 'time if am': 896961, 'if am pregnant': 413805, 'am pregnant my': 50318, 'pregnant my husband': 669834, 'husband is seriously': 411727, 'is seriously struggling': 451803, 'seriously struggling to': 751738, 'get food while': 347078, 'food while social': 317598, 'social distancing vulnerablehour': 779757, 'distancing vulnerablehour supermarket': 247599, 'vulnerablehour supermarket pregnant': 961276, '20 using': 13401, 'using soap': 950654, 'attack scam': 102146, 'scam stayprivate': 740373, 'aware of with': 105648, 'of with coronavirus': 593205, 'with coronavirus cough': 997799, 'sneeze into tissue': 776253, 'into tissue wash': 443238, 'for 20 using': 318733, '20 using soap': 13402, 'using soap and': 950655, 'phishing attack scam': 654803, 'attack scam stayprivate': 102147, 'scam stayprivate phishing': 740374, 'after hoarding': 35795, 'hoarding medical': 399426, 'foreign factory': 328975, 'ccp ha': 168458, 'begun distributing': 123701, 'distributing mask': 248087, 'equipment one': 279795, 'which large': 986095, 'large part': 479736, 'part is': 642306, 'and calling': 59429, 'help china': 389487, 'after hoarding medical': 35796, 'hoarding medical supply': 399427, 'and foreign factory': 63194, 'foreign factory and': 328976, 'factory and blocking': 295918, 'and blocking their': 59020, 'their export the': 873211, 'export the ccp': 292714, 'the ccp ha': 850558, 'ccp ha begun': 168459, 'ha begun distributing': 369994, 'begun distributing mask': 123702, 'distributing mask and': 248088, 'medical equipment one': 526159, 'equipment one of': 279796, 'one of which': 606772, 'of which large': 593107, 'which large part': 986096, 'large part is': 479737, 'part is defective': 642307, 'charging money and': 173504, 'money and calling': 536593, 'and calling it': 59432, 'calling it help': 156588, 'it help china': 458537, 'haven panic': 383865, 'bought anything': 136505, 'anything only': 80846, 'only made': 610744, 'made small': 507952, 'small refill': 775084, 'refill shop': 706553, 'shop we': 761018, 'we took': 973555, 'took all': 925204, 'and took': 74275, 'took inventory': 925260, 'month eat': 537699, 'eat what': 266105, 'you already': 1016936, 'haven panic bought': 383866, 'panic bought anything': 637415, 'bought anything only': 136506, 'anything only made': 80847, 'only made small': 610746, 'made small refill': 507953, 'small refill shop': 775085, 'refill shop we': 706554, 'shop we took': 761020, 'we took all': 973556, 'took all the': 925205, 'the food out': 855582, 'food out of': 315710, 'of the cupboard': 590916, 'and freezer and': 63286, 'freezer and took': 332582, 'and took inventory': 74276, 'took inventory we': 925261, 'inventory we will': 443726, 'will not need': 994249, 'do grocery store': 249360, 'store for about': 807785, 'for about month': 318981, 'about month eat': 25746, 'month eat what': 537700, 'eat what you': 266107, 'what you already': 982659, 'you already have': 1016940, 'sakshi': 731898, 'upla': 947583, 'sakshi upla': 731899, 'upla government': 947584, 'government concerned': 359986, 'concerned authority': 193186, 'responded check': 715349, 'this fmcg': 887561, 'sakshi upla government': 731900, 'upla government concerned': 947585, 'government concerned authority': 359987, 'concerned authority have': 193187, 'authority have responded': 103739, 'have responded check': 382294, 'responded check this': 715350, 'check this fmcg': 174675, 'this fmcg company': 887562, 'seinfeld': 747417, 'elaine wa': 270482, 'wa decade': 961920, 'decade ahead': 230665, 'her time': 392452, 'time seinfeld': 897634, 'seinfeld toiletpaper': 747418, 'elaine wa decade': 270483, 'wa decade ahead': 961921, 'decade ahead of': 230666, 'ahead of her': 39182, 'of her time': 584586, 'her time seinfeld': 392455, 'time seinfeld toiletpaper': 897635, 'city wrong': 179471, 'wrong time': 1013129, 'get job': 347447, 'money plus': 536974, 'plus it': 661627, 'for tescos': 326222, 'tescos but': 838872, 'but scared': 146976, 'scared asf': 740947, 'asf of': 95014, 'so pray': 778061, 'just got job': 468861, 'got job at': 358657, 'at the biggest': 100891, 'biggest supermarket in': 130333, 'the city wrong': 850969, 'city wrong time': 179472, 'wrong time to': 1013130, 'to get job': 906519, 'get job but': 347449, 'job but need': 465711, 'but need the': 146458, 'the money plus': 860820, 'money plus it': 536975, 'plus it support': 661630, 'it support for': 461381, 'support for tescos': 826524, 'for tescos but': 326223, 'tescos but scared': 838873, 'but scared asf': 146977, 'scared asf of': 740948, 'asf of catching': 95015, 'of catching the': 581210, 'catching the coronavirus': 167114, 'coronavirus so pray': 206780, 'so pray for': 778062, 'buy also': 148300, 'also stock': 48908, 'food panicbuy': 315756, 'panic buy also': 637463, 'buy also stock': 148301, 'also stock up': 48909, 'on food panicbuy': 600895, 'concluded': 193308, 'chinese concluded': 177220, 'concluded most': 193309, 'most case': 542160, 'case so': 166017, 'so their': 778446, 'their data': 872974, 'more reliable': 540220, 'reliable in': 709205, 'state people': 795854, 'stockpiling weapon': 804117, 'weapon to': 974264, 'the civil': 850970, 'is broken': 446279, 'broken by': 140886, 'by lack': 153009, 'the probability': 864501, 'probability show': 679188, 'panic about covid': 637254, '19 the chinese': 11173, 'the chinese concluded': 850848, 'chinese concluded most': 177221, 'concluded most case': 193310, 'most case so': 542164, 'case so their': 166018, 'so their data': 778447, 'their data is': 872976, 'data is more': 226288, 'is more reliable': 449722, 'more reliable in': 540221, 'reliable in the': 709207, 'united state people': 942235, 'state people are': 795855, 'people are stockpiling': 647092, 'are stockpiling weapon': 90531, 'stockpiling weapon to': 804118, 'weapon to survive': 974265, 'survive the civil': 829242, 'the civil war': 850971, 'civil war if': 179565, 'war if it': 966462, 'it is broken': 458892, 'is broken by': 446280, 'broken by lack': 140887, 'by lack of': 153010, 'basic necessity the': 112004, 'necessity the probability': 554271, 'the probability show': 864503, 'seriously bad': 751542, 'least people': 484598, 'joe giant': 466412, 'this is seriously': 888393, 'is seriously bad': 451796, 'seriously bad news': 751544, 'news for all': 560423, 'all of grocery': 43691, 'of grocery worker': 584365, 'at least people': 99535, 'least people who': 484599, 'trader joe giant': 928712, 'joe giant have': 466414, '30am and': 17406, 'daily fresh': 224622, 'pressure but': 671138, 'but coping': 145460, 'coping no': 203383, 'milk produce': 531786, 'produce which': 680485, 'all supplied': 44559, 'and sourced': 72022, 'sourced locally': 786598, 'locally team': 498783, 'team work': 835835, 'work delivered': 1005036, '30am and the': 17407, 'and the daily': 73312, 'the daily fresh': 852779, 'daily fresh food': 224623, 'fresh food are': 332960, 'food are here': 313409, 'here the fresh': 393650, 'the fresh food': 855801, 'fresh food supply': 332979, 'chain is under': 170850, 'is under pressure': 453465, 'under pressure but': 940201, 'pressure but coping': 671139, 'but coping no': 145461, 'coping no need': 203384, 'panic buy bread': 637471, 'buy bread milk': 148445, 'bread milk produce': 138533, 'milk produce which': 531787, 'produce which is': 680486, 'which is all': 985979, 'is all supplied': 445465, 'all supplied and': 44560, 'supplied and sourced': 824448, 'and sourced locally': 72023, 'sourced locally team': 786599, 'locally team work': 498784, 'team work delivered': 835836, 'nighttime': 563201, 'deluxe covid': 234843, '19 apparel': 5174, 'apparel set': 81878, 'set suitable': 753479, 'or nighttime': 616250, 'nighttime wear': 563203, 'wear get': 974328, 'get yours': 348747, 'yours now': 1026470, 'now while': 576404, 'they last': 882537, 'last very': 480617, 'supply located': 825517, 'located next': 498819, 'tp section': 927931, 'your favourite': 1023836, 'favourite grocery': 300595, 'store act': 806069, 'deluxe covid 19': 234844, 'covid 19 apparel': 212641, '19 apparel set': 5175, 'apparel set suitable': 81879, 'set suitable for': 753480, 'suitable for day': 817813, 'for day and': 320564, 'day and or': 227275, 'and or nighttime': 68221, 'or nighttime wear': 616251, 'nighttime wear get': 563204, 'wear get yours': 974329, 'get yours now': 348749, 'yours now while': 1026474, 'now while they': 576405, 'while they last': 987439, 'they last very': 882538, 'last very limited': 480618, 'very limited supply': 955314, 'limited supply located': 492736, 'supply located next': 825518, 'located next to': 498820, 'to the tp': 917137, 'the tp section': 869844, 'tp section at': 927932, 'section at your': 744002, 'at your favourite': 101677, 'your favourite grocery': 1023837, 'favourite grocery store': 300596, 'grocery store act': 365175, 'store act now': 806071, 'donor': 255155, 'gop senator': 358278, 'senator kept': 749765, 'kept coronavirus': 473032, 'coronavirus info': 206141, 'info secret': 437576, 'secret for': 743918, 'but shared': 147019, 'shared it': 755419, 'with wealthy': 1002049, 'wealthy donor': 974197, 'donor so': 255166, 'off security': 594130, 'security at': 744549, 'gop senator kept': 358280, 'senator kept coronavirus': 749766, 'kept coronavirus info': 473033, 'coronavirus info secret': 206142, 'info secret for': 437577, 'secret for week': 743919, 'for week but': 327694, 'week but shared': 976040, 'but shared it': 147020, 'shared it with': 755420, 'it with wealthy': 462484, 'with wealthy donor': 1002050, 'wealthy donor so': 974198, 'donor so they': 255167, 'so they could': 778467, 'they could sell': 881838, 'could sell off': 209648, 'sell off security': 748817, 'off security at': 594131, 'security at high': 744551, 'store shop': 810116, 'needy and': 556668, 'you fuck': 1018728, 'off sick': 594161, 'sick myself': 768522, 'are bastard': 84788, 'the store shop': 868102, 'store shop supermarket': 810121, 'people who raise': 650331, 'raise price and': 695906, 'price and make': 672462, 'and make profit': 66572, 'make profit from': 510363, 'from the needy': 337800, 'the needy and': 861410, 'needy and sick': 556669, 'and sick people': 71639, 'sick people is': 768578, 'people is this': 648526, 'is this for': 453087, 'this for you': 887599, 'for you fuck': 328058, 'you fuck off': 1018729, 'fuck off sick': 339616, 'off sick myself': 594162, 'sick myself and': 768523, 'myself and people': 550826, 'and people and': 68850, 'people and company': 646851, 'and company like': 60192, 'company like you': 190848, 'you are bastard': 1017071, 'groceryretail': 366236, 'up morale': 945399, 'morale in': 538420, 'staff do': 792377, 'job best': 465697, 'can groceryretail': 158536, 'groceryretail supermarket': 366237, 'employee are the': 273630, 'you can keep': 1017709, 'can keep up': 158819, 'keep up morale': 472175, 'up morale in': 945400, 'morale in your': 538421, 'in your store': 431126, 'your store and': 1025959, 'store and help': 806258, 'help your staff': 391027, 'your staff do': 1025907, 'staff do their': 792380, 'do their job': 250277, 'their job best': 873702, 'job best they': 465698, 'they can groceryretail': 881634, 'can groceryretail supermarket': 158537, 'prospective': 684704, 'state reporting': 795891, 'reporting their': 712771, 'death we': 230268, 'including bus': 431893, 'driver prospective': 259715, 'prospective pay': 684707, 'thing keeping': 884513, 'keeping them': 472599, 'sound and': 786262, 'another 19': 77472, 'with supermarket chain': 1001050, 'the state reporting': 867806, 'state reporting their': 795892, 'reporting their first': 712772, 'coronavirus death we': 205802, 'death we ve': 230270, 'got to do': 358953, 'protect our key': 684898, 'key worker including': 473491, 'worker including bus': 1007220, 'including bus driver': 431894, 'bus driver prospective': 143026, 'driver prospective pay': 259716, 'prospective pay rise': 684708, 'pay rise is': 645094, 'rise is one': 722923, 'is one thing': 450512, 'one thing keeping': 607226, 'thing keeping them': 884514, 'keeping them safe': 472600, 'them safe and': 876236, 'safe and sound': 729483, 'and sound and': 72017, 'sound and protecting': 786263, 'and protecting their': 69673, 'protecting their family': 685235, 'their family is': 873257, 'family is another': 297945, 'is another 19': 445728, '63': 21262, 'intenders': 441067, 'desirable': 238409, 'very insightful': 955266, 'insightful study': 439682, 'and activity': 57642, 'activity 63': 30358, '63 of': 21266, 'of intenders': 585242, 'intenders still': 441068, 'still plan': 801042, 'purchase and': 689345, 'and 24': 57419, '24 are': 15563, 'sure home': 827565, 'home service': 402040, 'up drop': 944743, 'become highly': 120023, 'highly desirable': 396056, 'desirable worth': 238412, 'worth look': 1011392, 'look you': 502688, 'adapt your': 31293, 'your wa': 1026296, 'very insightful study': 955267, 'insightful study on': 439683, 'study on the': 814941, 'sentiment and activity': 750892, 'and activity 63': 57643, 'activity 63 of': 30359, '63 of intenders': 21267, 'of intenders still': 585243, 'intenders still plan': 441069, 'still plan to': 801043, 'plan to purchase': 658310, 'to purchase and': 912517, 'purchase and 24': 689346, 'and 24 are': 57421, '24 are not': 15564, 'are not sure': 88480, 'not sure home': 571837, 'sure home service': 827566, 'home service and': 402041, 'service and pick': 752103, 'pick up drop': 655716, 'up drop off': 944744, 'drop off have': 260333, 'off have become': 593887, 'have become highly': 379437, 'become highly desirable': 120024, 'highly desirable worth': 396057, 'desirable worth look': 238413, 'worth look you': 1011394, 'look you plan': 502689, 'you plan and': 1020343, 'plan and adapt': 658057, 'and adapt your': 57664, 'adapt your wa': 31295, 'husband come': 411697, 'idea when': 413236, 'get stock': 348118, 'warehouse they': 966785, 'should put': 766356, 'put some': 690826, 'it aside': 456601, 'about feeding': 25224, 'feeding their': 302487, 'my husband come': 548778, 'husband come up': 411698, 'up with good': 946643, 'with good idea': 998641, 'good idea when': 357226, 'idea when the': 413238, 'the supermarket get': 868606, 'supermarket get stock': 820491, 'get stock in': 348121, 'stock in from': 802264, 'in from the': 423128, 'from the warehouse': 337918, 'the warehouse they': 871085, 'warehouse they should': 966786, 'they should put': 883379, 'should put some': 766357, 'put some of': 690828, 'of it aside': 585366, 'it aside for': 456602, 'aside for all': 95408, 'nh worker so': 562194, 'worry about feeding': 1010635, 'about feeding their': 25225, 'feeding their family': 302488, 'people doesn': 647686, 'mean holiday': 524481, 'with people doesn': 1000143, 'people doesn mean': 647687, 'doesn mean holiday': 251886, 'mean holiday in': 524482, '1920': 12327, '1920 prohibition': 12330, 'prohibition worker': 683445, 'worker wave': 1008133, 'wave from': 969348, 'of tower': 592349, 'tower of': 927412, 'of confiscated': 581664, 'confiscated alcohol': 194251, '1920 prohibition worker': 12331, 'prohibition worker wave': 683446, 'worker wave from': 1008134, 'wave from the': 969350, 'from the top': 337904, 'top of tower': 925645, 'of tower of': 592350, 'tower of confiscated': 927413, 'of confiscated alcohol': 581665, 'this pls': 889622, 'pls support': 661188, 'other key': 620456, 'out pls': 627055, 'pls remember': 661167, 'practice we': 668698, 'be apart': 113658, 'together happy': 920818, 'happy everyone': 377612, 'this pls support': 889623, 'pls support our': 661189, 'support our nh': 826737, 'our nh worker': 624071, 'nh worker supermarket': 562195, 'supermarket worker cleaner': 824003, 'worker cleaner delivery': 1006648, 'cleaner delivery people': 180771, 'delivery people and': 234309, 'all other key': 43783, 'other key worker': 620461, 'key worker by': 473473, 'worker by staying': 1006572, 'staying home and': 798599, 'home and if': 400649, 'do go out': 249342, 'go out pls': 353977, 'out pls remember': 627056, 'pls remember to': 661168, 'to practice we': 911967, 'practice we may': 668699, 'may be apart': 520948, 'be apart but': 113659, 'apart but we': 81236, 're in it': 698870, 'in it together': 424278, 'it together happy': 461773, 'together happy everyone': 920819, 'electro': 271249, 'published new': 688669, 'blog entry': 132919, 'entry strategy': 279016, 'consumer electro': 197325, 'published new blog': 688670, 'new blog entry': 558404, 'blog entry strategy': 132920, 'entry strategy analytics': 279017, 'automotive consumer electro': 104041, 'haha sofa': 373899, 'sofa king': 781444, 'king true': 475312, 'true hoarder': 933105, 'hoarder corona': 399003, 'haha sofa king': 373900, 'sofa king true': 781445, 'king true hoarder': 475313, 'true hoarder corona': 933106, 'hoarder corona toiletpaper': 399004, 'corona toiletpaper shortage': 204253, 'inauguration': 431243, 'ceremony': 169960, 'store kind': 808652, 'at trump': 101367, 'trump inauguration': 933624, 'inauguration ceremony': 431244, 'ceremony empty': 169961, 'empty 19': 274734, 'the shelf at': 866825, 'grocery store kind': 365504, 'store kind of': 808653, 'kind of look': 474917, 'of look like': 586008, 'like the crowd': 491362, 'crowd at trump': 219132, 'at trump inauguration': 101369, 'trump inauguration ceremony': 933625, 'inauguration ceremony empty': 431245, 'ceremony empty 19': 169962, 'healthybody': 387830, 'healthyfood': 387838, 'share fantastic': 754995, 'fantastic list': 298596, 'food recommended': 316139, 'recommended by': 704777, 'by dietitian': 152355, 'dietitian to': 241785, 'for nourishment': 323950, 'nourishment ease': 573684, 'ease flavor': 265082, 'flavor and': 310236, 'health healthybody': 386493, 'healthybody healthyfood': 387832, 'share fantastic list': 754996, 'fantastic list of': 298597, 'of food recommended': 583760, 'food recommended by': 316140, 'recommended by dietitian': 704778, 'by dietitian to': 152356, 'dietitian to have': 241786, 'hand to stock': 375875, 'and pantry for': 68684, 'pantry for nourishment': 639587, 'for nourishment ease': 323951, 'nourishment ease flavor': 573685, 'ease flavor and': 265083, 'flavor and health': 310237, 'and health healthybody': 64356, 'health healthybody healthyfood': 386495, 'shorter': 765350, 'draw you': 258489, 'in tp': 430256, 'like gold': 490323, 'gold in': 355906, 'metro store': 529942, 'of shorter': 589686, 'shorter hour': 765353, 'they know how': 882526, 'how to draw': 409012, 'to draw you': 904716, 'draw you in': 258490, 'you in tp': 1019325, 'in tp is': 430257, 'tp is like': 927858, 'is like gold': 449318, 'like gold in': 490326, 'gold in metro': 355907, 'in metro store': 425265, 'metro store wa': 529944, 'store wa closed': 811105, 'wa closed because': 961827, 'because of shorter': 119402, 'of shorter hour': 589687, 'shorter hour during': 765354, 'hour during outbreak': 405555, 'nestum': 557531, 'ceralac': 169901, 'nestum ceralac': 557532, 'ceralac production': 169902, 'is delayed': 447092, 'delayed due': 232778, '19 dont': 6637, 'be surprise': 117478, 'surprise if': 828529, 'find one': 307111, 'nestum ceralac production': 557533, 'ceralac production is': 169903, 'production is delayed': 682086, 'is delayed due': 447093, 'delayed due to': 232779, 'covid 19 dont': 212979, '19 dont be': 6638, 'dont be surprise': 255190, 'be surprise if': 117479, 'surprise if you': 828530, 'can find one': 158330, 'find one in': 307113, 'anxiety caused': 78678, 'buying behavior but': 150012, 'buy is little': 148838, 'little more complicated': 495461, 'and anxiety caused': 58200, 'anxiety caused by': 78679, 'peoplehelpingpeople': 650608, 'for from': 321773, 'and peoplehelpingpeople': 68895, 'peoplehelpingpeople creditunions': 650609, 'surrounding the learn': 828773, 'the learn what': 859244, 'learn what to': 484094, 'look for from': 502360, 'for from and': 321774, 'from and peoplehelpingpeople': 334521, 'and peoplehelpingpeople creditunions': 68896, 'ageguide': 37968, 'ageguide ha': 37969, 'together resource': 920917, 'adult including': 32832, 'including special': 432158, 'ageguide ha put': 37970, 'put together resource': 690946, 'together resource page': 920918, 'page for older': 633850, 'for older adult': 324050, 'older adult including': 598567, 'adult including special': 32833, 'including special shopping': 432160, 'hour for older': 405611, 'older adult and': 598562, 'adult and activity': 32793, 'and activity to': 57646, 'activity to do': 30515, 'do online to': 249938, 'online to stay': 609598, 'to stay connected': 915280, 'connected during this': 194651, 'el your': 270469, 'in sand': 427685, 'sand all': 733659, 'all tin': 45232, 'tin stuff': 898559, 'stuff gone': 815080, 'gone flour': 356275, 'flour gone': 311107, 'gone noodle': 356337, 'noodle gone': 566800, 'gone wipe': 356448, 'wipe gone': 996276, 'gone disinfect': 356252, 'disinfect gone': 245546, 'gone milk': 356333, 'milk powder': 531772, 'powder gone': 667535, 'el your head': 270470, 'head in sand': 385751, 'in sand all': 427686, 'sand all tin': 733660, 'all tin stuff': 45233, 'tin stuff gone': 898560, 'stuff gone flour': 815081, 'gone flour gone': 356276, 'flour gone noodle': 311108, 'gone noodle gone': 356338, 'noodle gone wipe': 566801, 'gone wipe gone': 356449, 'wipe gone disinfect': 996277, 'gone disinfect gone': 356253, 'disinfect gone milk': 245547, 'gone milk powder': 356334, 'milk powder gone': 531775, 'closure online': 183984, 'just some': 469829, 'closure online grocery': 183985, 'shopping and elderly': 761979, 'and elderly only': 61990, 'shopping hour are': 762912, 'hour are just': 405431, 'are just some': 87639, 'just some of': 469832, 'of the way': 591606, 'way that business': 969919, 'that business are': 843055, 'business are trying': 143396, 'trying to prevent': 934843, 'refuted': 707106, '19 refuted': 10034, 'refuted rejuvi': 707107, 'regulatory woe': 708188, 'woe for': 1003331, 'covid 19 refuted': 213678, '19 refuted rejuvi': 10035, 'refuted rejuvi marketer': 707108, 'more regulatory woe': 540211, 'regulatory woe for': 708189, 'woe for herbalife': 1003332, 'something is': 784949, 'wrong here': 1013040, 'ha hard': 370828, 'time keeping': 897102, 'keeping milk': 472479, 'stock farmer': 802112, 'farmer battered': 299308, 'food glut': 314673, 'glut covid': 353099, '19 shift': 10453, 'shift how': 758311, 'how america': 407353, 'america eats': 51503, 'eats zero': 266396, 'something is wrong': 784954, 'is wrong here': 454100, 'wrong here my': 1013041, 'here my local': 393364, 'store ha hard': 808009, 'ha hard time': 370829, 'hard time keeping': 378038, 'time keeping milk': 897103, 'keeping milk in': 472480, 'milk in stock': 531702, 'in stock farmer': 428300, 'stock farmer battered': 802113, 'farmer battered by': 299309, 'battered by food': 112744, 'by food glut': 152615, 'food glut covid': 314674, 'glut covid 19': 353100, 'covid 19 shift': 213782, '19 shift how': 10454, 'shift how america': 758312, 'how america eats': 407354, 'america eats zero': 51504, 'eats zero hedge': 266397, 'wicked': 991670, 'the wicked': 871532, 'wicked truth': 991682, 'stimulate demand': 801479, 'so legitimately': 777534, 'legitimately high': 486064, 'high ha': 395106, 'it course': 457377, 'course but': 211846, 'can ease': 158177, 'ease financial': 265080, 'financial burden': 306342, 'and biz': 58990, 'biz many': 131943, 'the wicked truth': 871533, 'wicked truth is': 991683, 'truth is that': 934398, 'way to stimulate': 970103, 'to stimulate demand': 915418, 'stimulate demand from': 801480, 'demand from consumer': 235533, 'from consumer with': 334977, 'consumer with the': 199567, 'with the fear': 1001301, 'fear of so': 301260, 'of so legitimately': 589810, 'so legitimately high': 777535, 'legitimately high ha': 486065, 'high ha to': 395107, 'ha to run': 372316, 'to run it': 913662, 'run it course': 727690, 'it course but': 457378, 'course but can': 211848, 'but can ease': 145347, 'can ease financial': 158178, 'ease financial burden': 265081, 'financial burden on': 306343, 'burden on consumer': 142751, 'consumer and biz': 196198, 'and biz many': 58991, 'biz many way': 131944, 'coronatuerkiye': 205318, 'n95masks': 551259, 'retweet regular': 720074, 'price coronapandemic': 673256, 'coronapandemic stayathome': 205151, 'stayathome health': 797497, 'health coronatuerkiye': 386312, 'coronatuerkiye socialdistancing': 205319, 'socialdistancing n95masks': 780543, 'n95masks wuhanvirus': 551274, 'wuhanvirus health': 1013576, 'health spotify': 386863, 'spotify netflix': 790149, 'on stock in': 603674, 'stock in retweet': 802273, 'in retweet regular': 427484, 'retweet regular price': 720075, 'regular price coronapandemic': 707838, 'price coronapandemic stayathome': 673257, 'coronapandemic stayathome health': 205152, 'stayathome health coronatuerkiye': 797498, 'health coronatuerkiye socialdistancing': 386313, 'coronatuerkiye socialdistancing n95masks': 205320, 'socialdistancing n95masks wuhanvirus': 780544, 'n95masks wuhanvirus health': 551275, 'wuhanvirus health spotify': 1013577, 'health spotify netflix': 386864, 'enabled': 275446, 'rider': 721476, 'platinum': 659071, 'see service': 745661, 'still enabled': 800483, 'enabled insurance': 275449, 'insurance protection': 440802, 'for rider': 325230, 'rider but': 721482, 'for driver': 320855, 'driver like': 259638, 'car food': 163083, 'gold and': 355850, 'and platinum': 69084, 'platinum status': 659080, 'status driver': 796675, 'driver only': 259677, 'ride low': 721448, 'let see service': 487036, 'see service are': 745662, 'service are still': 752144, 'are still enabled': 90420, 'still enabled insurance': 800484, 'enabled insurance protection': 275450, 'insurance protection for': 440803, 'protection for covid': 685439, '19 for rider': 7076, 'for rider but': 325231, 'rider but nothing': 721483, 'but nothing for': 146591, 'nothing for driver': 573011, 'for driver like': 320858, 'driver like me': 259639, 'like me in': 490746, 'me in car': 522957, 'in car food': 421234, 'car food delivery': 163084, 'delivery for gold': 234023, 'for gold and': 321920, 'gold and platinum': 355853, 'and platinum status': 69085, 'platinum status driver': 659081, 'status driver only': 796676, 'driver only what': 259678, 'what is it': 981702, 'it not only': 459905, 'only is the': 610660, 'is the demand': 452767, 'for ride low': 325229, 'ride low but': 721449, 'manchester online': 512952, 'shopping business': 762240, 'the hut': 857777, 'hut group': 411848, 'announced 10': 76901, 'million donation': 532134, '19 including': 7801, 'including 5m': 431856, '5m package': 20769, 'aid product': 39441, 'service directly': 752290, 'directly into': 243561, 'into manchester': 442739, 'manchester that': 512954, 'the manchester': 860005, 'manchester way': 512966, 'way thank': 969910, 'manchester online shopping': 512953, 'online shopping business': 609057, 'shopping business the': 762242, 'business the hut': 144501, 'the hut group': 857778, 'hut group ha': 411849, 'group ha announced': 366709, 'ha announced 10': 369555, 'announced 10 million': 76902, '10 million donation': 1526, 'million donation to': 532135, 'covid 19 including': 213255, '19 including 5m': 7803, 'including 5m package': 431857, '5m package of': 20770, 'package of aid': 633338, 'of aid product': 579855, 'aid product and': 39442, 'product and service': 680908, 'and service directly': 71299, 'service directly into': 752291, 'directly into manchester': 243562, 'into manchester that': 442740, 'manchester that the': 512955, 'that the manchester': 846769, 'the manchester way': 860007, 'manchester way thank': 512967, 'way thank you': 969912, 'what my': 981892, 'daughter sent': 226904, 'birthday this': 131456, 'year remember': 1014928, 'to always': 900386, 'always find': 49555, 'the humour': 857739, 'humour in': 410946, 'life toiletpaper': 489143, 'is what my': 453887, 'what my daughter': 981895, 'my daughter sent': 547936, 'daughter sent me': 226905, 'sent me from': 750772, 'me from china': 522781, 'china for my': 176666, 'for my birthday': 323678, 'my birthday this': 547461, 'birthday this year': 131457, 'this year remember': 891590, 'year remember to': 1014929, 'remember to always': 710365, 'to always find': 900387, 'always find the': 49558, 'find the humour': 307289, 'the humour in': 857740, 'humour in life': 410947, 'in life toiletpaper': 424712, 'trump just': 933666, 'shelf fact': 757064, 'check here': 174458, 'are picture': 89083, 'picture my': 656154, 'husband took': 411773, 'took today': 925367, 'in virginia': 430596, 'virginia he': 957671, 'he couldn': 384863, 'couldn find': 209874, 'find paper': 307168, 'towel or': 927359, 'bread there': 138610, 'definitely empty': 232330, 'president trump just': 670940, 'trump just said': 933670, 'just said we': 469673, 'said we don': 731565, 'don have empty': 253595, 'empty shelf fact': 275063, 'shelf fact check': 757065, 'fact check here': 295692, 'check here are': 174459, 'here are picture': 392753, 'are picture my': 89084, 'picture my husband': 656155, 'my husband took': 548797, 'husband took today': 411774, 'took today in': 925368, 'today in virginia': 919700, 'in virginia he': 430599, 'virginia he couldn': 957672, 'he couldn find': 384864, 'couldn find paper': 209877, 'find paper towel': 307169, 'paper towel or': 641005, 'towel or bread': 927360, 'or bread there': 614581, 'bread there are': 138611, 'there are definitely': 878090, 'are definitely empty': 85734, 'definitely empty shelf': 232331, 'empty shelf across': 275042, 'ncov': 553338, 'is handsanitizers': 448271, 'handsanitizers logo': 376699, 'logo design': 500826, 'design if': 238237, 'me logo': 523105, 'logo alcohol': 500820, 'alcohol antibacterial': 40912, 'antibacterial cream': 78353, 'cream hand': 215551, 'sanitizer bernie': 734566, 'bernie health': 127380, 'health leaf': 386606, 'leaf liquid': 483802, 'liquid medical': 494101, 'medical ncov': 526265, 'ncov plus': 553341, 'plus protection': 661665, 'protection safe': 685599, 'safe soap': 729945, 'toilet wash': 921655, 'this is handsanitizers': 888273, 'is handsanitizers logo': 448272, 'handsanitizers logo design': 376700, 'logo design if': 500828, 'design if you': 238238, 'like it and': 490522, 'it and get': 456491, 'get one for': 347701, 'one for you': 606310, 'for you contact': 328048, 'you contact me': 1018030, 'contact me logo': 200141, 'me logo alcohol': 523106, 'logo alcohol antibacterial': 500821, 'alcohol antibacterial cream': 40913, 'antibacterial cream hand': 78354, 'cream hand sanitizer': 215552, 'hand sanitizer bernie': 375324, 'sanitizer bernie health': 734567, 'bernie health leaf': 127381, 'health leaf liquid': 386607, 'leaf liquid medical': 483803, 'liquid medical ncov': 494102, 'medical ncov plus': 526266, 'ncov plus protection': 553342, 'plus protection safe': 661666, 'protection safe soap': 685600, 'safe soap toilet': 729946, 'soap toilet wash': 779134, 'lolol': 500991, 'nation is': 552230, 'is basically': 446004, 'basically to': 112174, 'so fuck': 777130, 'doing fine': 252403, 'fine lolol': 307659, 'lolol getting': 500992, 'getting case': 348894, 'of before': 580627, 'so the nation': 778430, 'the nation is': 861245, 'nation is going': 552231, 'into lockdown and': 442710, 'lockdown and the': 499154, 'the only time': 862350, 'only time you': 611350, 'out is basically': 626435, 'is basically to': 446006, 'basically to shop': 112175, 'to shop so': 914488, 'shop so fuck': 760804, 'so fuck the': 777131, 'fuck the grocery': 339657, 'store is doing': 808487, 'is doing fine': 447273, 'doing fine lolol': 252405, 'fine lolol getting': 307660, 'lolol getting case': 500993, 'getting case of': 348895, 'case of before': 165892, 'of before any': 580628, 'before any of': 122638, 'charleston': 173746, 'doomsayer': 255462, 'charleston sc': 173747, 'sc is': 739847, 'seriously neither': 751677, 'neither doomsayer': 557317, 'doomsayer nor': 255463, 'nor an': 566936, 'an alarmist': 55222, 'alarmist but': 40714, 'but quick': 146877, 'wa alarming': 961458, 'charleston sc is': 173748, 'sc is not': 739849, 'is not taking': 450199, 'taking the threat': 833597, 'threat of covid': 893691, '19 seriously neither': 10421, 'seriously neither doomsayer': 751678, 'neither doomsayer nor': 557318, 'doomsayer nor an': 255464, 'nor an alarmist': 566937, 'an alarmist but': 55223, 'alarmist but quick': 40715, 'but quick trip': 146878, 'trip to my': 932199, 'supermarket wa alarming': 823687, 'sewer': 754159, 'roll causing': 725247, 'causing blocked': 167991, 'blocked sewer': 132867, 'why is panic': 991116, 'is panic buying': 450788, 'buying of toilet': 150802, 'toilet roll causing': 921560, 'roll causing blocked': 725248, 'causing blocked sewer': 167992, 'walter': 965516, 'walter white': 965517, 'white or': 987881, 'just cautious': 468451, 'cautious dude': 168220, 'dude outside': 261603, 'in montreal': 425430, 'walter white or': 965518, 'white or just': 987882, 'or just cautious': 615877, 'just cautious dude': 468452, 'cautious dude outside': 168221, 'dude outside my': 261604, 'outside my grocery': 629490, 'store in montreal': 808344, 'amz': 54996, 'amazonseller': 51252, 'onlinecommerce': 609800, 'etail': 282375, 'survey from': 828870, 'from amz': 334473, 'amz show': 54999, 'many seller': 514678, 'but believe': 145286, 'term this': 838322, 'could drive': 209113, 'drive more': 259099, 'online amazonseller': 607795, 'amazonseller ecommerce': 51253, 'ecommerce onlinecommerce': 266818, 'onlinecommerce etail': 609801, 'etail onlineshopping': 282376, 'new survey from': 559710, 'survey from amz': 828871, 'from amz show': 334475, 'amz show that': 55000, 'show that many': 767189, 'that many seller': 845030, 'many seller are': 514679, 'seller are concerned': 748975, 'about the short': 26521, 'term but believe': 838079, 'but believe that': 145288, 'believe that in': 126340, 'long term this': 501717, 'term this crisis': 838323, 'this crisis could': 887030, 'crisis could drive': 217264, 'could drive more': 209115, 'drive more people': 259101, 'people to shop': 649941, 'shop online amazonseller': 760560, 'online amazonseller ecommerce': 607796, 'amazonseller ecommerce onlinecommerce': 51254, 'ecommerce onlinecommerce etail': 266819, 'onlinecommerce etail onlineshopping': 609802, 'chain consumer': 170614, 'and way': 75269, 'working that': 1008935, 'were underway': 980306, 'underway long': 940970, 'now accelerate': 573931, 'accelerate ai': 27827, 'ai can': 39303, 'company adapt': 190351, 'adapt and': 31244, 'and succeed': 72646, 'in global supply': 423342, 'supply chain consumer': 824937, 'chain consumer sentiment': 170617, 'sentiment and way': 750900, 'and way of': 75270, 'way of working': 969773, 'of working that': 593302, 'working that were': 1008936, 'that were underway': 847450, 'were underway long': 980307, 'underway long before': 940971, 'will now accelerate': 994292, 'now accelerate ai': 573932, 'accelerate ai can': 27828, 'ai can help': 39305, 'can help company': 158611, 'help company adapt': 389503, 'company adapt and': 190352, 'adapt and succeed': 31250, 'jsbankfightscorona': 467566, 'this tough': 890826, 'pandemic bank': 634965, 'bank took': 110267, 'the initiative': 858285, 'initiative to': 438659, 'by introducing': 152935, 'introducing policy': 443504, 'with simpler': 1000742, 'simpler term': 770149, 'payment so': 645728, 'every consumer': 285750, 'consumer would': 199574, 'would benefit': 1011681, 'it jsbankfightscorona': 459210, 'during this tough': 263328, 'this tough time': 890827, 'tough time of': 926858, '19 pandemic bank': 9270, 'pandemic bank took': 634966, 'bank took the': 110268, 'took the initiative': 925340, 'the initiative to': 858289, 'initiative to help': 438660, 'help consumer by': 389517, 'consumer by introducing': 196717, 'by introducing policy': 152936, 'introducing policy with': 443505, 'policy with simpler': 663546, 'with simpler term': 1000743, 'simpler term and': 770150, 'condition of payment': 193499, 'of payment so': 587844, 'payment so that': 645729, 'so that every': 778369, 'that every consumer': 843751, 'every consumer would': 285756, 'consumer would benefit': 199575, 'would benefit from': 1011682, 'from it jsbankfightscorona': 336123, 'vulnerable hour': 960999, 'website higher': 975301, 'hour pregnant': 405872, 'woman my': 1003558, 'get any': 346569, 'whilst social': 987685, 'distance vulnerablehour': 246877, 'doe the supermarket': 251623, 'the supermarket vulnerable': 868887, 'supermarket vulnerable hour': 823683, 'vulnerable hour include': 961000, 'on the gov': 604146, 'the gov website': 856495, 'gov website higher': 359735, 'website higher risk': 975302, 'risk can go': 723445, 'go to this': 354374, 'to this hour': 917427, 'this hour pregnant': 887959, 'hour pregnant woman': 405873, 'pregnant woman my': 669847, 'woman my husband': 1003560, 'to get any': 906411, 'get any food': 346573, 'all whilst social': 45457, 'whilst social distance': 987686, 'social distance vulnerablehour': 779530, 'distance vulnerablehour supermarket': 246878, 'resumed': 717758, 'seventh': 753781, 'fiascorona': 304372, 'material import': 520387, 'not resumed': 571361, 'resumed soon': 717761, 'the medicine': 860408, 'medicine would': 526929, 'would shoot': 1012237, 'the seventh': 866747, 'seventh part': 753782, 'our series': 624722, 'series fiascorona': 751248, 'fiascorona about': 304373, 'the pharma': 863633, 'pharma industry': 654041, 'if the raw': 415022, 'the raw material': 865189, 'raw material import': 697975, 'material import from': 520389, 'import from china': 418635, 'from china is': 334862, 'china is not': 176756, 'is not resumed': 450174, 'not resumed soon': 571362, 'resumed soon enough': 717762, 'soon enough the': 785700, 'enough the price': 277670, 'of the medicine': 591233, 'the medicine would': 860412, 'medicine would shoot': 526930, 'would shoot up': 1012238, 'shoot up in': 759752, 'up in few': 945152, 'in few day': 422861, 'few day read': 303789, 'day read in': 228270, 'in the seventh': 429538, 'the seventh part': 866748, 'seventh part of': 753783, 'of our series': 587559, 'our series fiascorona': 624723, 'series fiascorona about': 751249, 'fiascorona about the': 304374, 'on the pharma': 604281, 'the pharma industry': 863635, 'store promotes': 809681, 'promotes online': 683830, 'shopping curbside': 762422, 'pickup amid': 655920, 'distancing order': 247383, 'pet store promotes': 653459, 'store promotes online': 809682, 'promotes online shopping': 683831, 'online shopping curbside': 609083, 'shopping curbside pickup': 762424, 'curbside pickup amid': 220644, 'pickup amid covid': 655921, 'social distancing order': 779680, 'deprive': 237691, 'day go': 227672, 'go panic': 354031, 'hoarding at': 399202, 'supermarket deprive': 819948, 'deprive vulnerable': 237694, 'need go': 554912, 'go spend': 354156, 'spend the': 788681, 'the afternoon': 848423, 'afternoon down': 36683, 'beach pretend': 118231, 'pretend like': 671315, 'like doesn': 490131, 'doesn exist': 251782, 'exist ignore': 290235, 'ignore socialdistancing': 415839, 'socialdistancing selfisolation': 780669, 'selfisolation advice': 748432, 'advice risk': 33484, 'the day go': 852882, 'day go panic': 227674, 'go panic buying': 354033, 'buying hoarding at': 150488, 'hoarding at the': 399203, 'the supermarket deprive': 868551, 'supermarket deprive vulnerable': 819949, 'deprive vulnerable people': 237695, 'of the essential': 590993, 'the essential they': 854523, 'essential they need': 281676, 'they need go': 882737, 'need go spend': 554913, 'go spend the': 354157, 'spend the afternoon': 788682, 'the afternoon down': 848426, 'afternoon down the': 36684, 'down the beach': 257266, 'the beach pretend': 849389, 'beach pretend like': 118232, 'pretend like doesn': 671316, 'like doesn exist': 490132, 'doesn exist ignore': 251784, 'exist ignore socialdistancing': 290236, 'ignore socialdistancing selfisolation': 415841, 'socialdistancing selfisolation advice': 780670, 'selfisolation advice risk': 748433, 'advice risk catching': 33485, 'risk catching it': 723450, 'can government': 158525, 'prevent pandemic': 671691, 'pandemic driven': 635337, 'driven price': 259343, 'gouging hand': 359334, 'offered at': 594906, 'what can government': 981174, 'can government do': 158526, 'government do to': 360032, 'do to prevent': 250397, 'to prevent pandemic': 912079, 'prevent pandemic driven': 671692, 'pandemic driven price': 635338, 'driven price gouging': 259344, 'price gouging hand': 674283, 'gouging hand sanitizer': 359335, 'sanitizer glove mask': 734990, 'other medical equipment': 620522, 'medical equipment are': 526147, 'equipment are in': 279690, 'high demand and': 394990, 'demand and in': 234974, 'and in some': 65069, 'some case are': 782483, 'being offered at': 125477, 'offered at high': 594908, 'been loyal': 121500, 'loyal to': 506281, 'paying back': 645390, 'to drastically': 904711, 'drastically increase': 258441, 'their benefit': 872592, 'benefit we': 127132, 'all boycott': 42212, 'we have all': 971751, 'all been loyal': 42162, 'been loyal to': 121501, 'loyal to our': 506282, 'store and pharmacy': 806319, 'and pharmacy for': 68970, 'pharmacy for year': 654318, 'for year and': 327995, 'year and they': 1014406, 'they are paying': 881357, 'are paying back': 89008, 'paying back by': 645391, 'back by taking': 106923, 'by taking advantage': 154203, 'situation to drastically': 772530, 'to drastically increase': 904712, 'drastically increase their': 258444, 'price for their': 674061, 'for their benefit': 326803, 'their benefit we': 872593, 'benefit we should': 127135, 'should all boycott': 765487, 'all boycott these': 42213, 'boycott these place': 137352, 'these place when': 880491, 'place when this': 657830, 'must get': 546679, 'get american': 346530, 'american back': 51830, 'work asap': 1004853, 'asap so': 94875, 'food bill': 313752, 'bill total': 130708, 'total shutdown': 926244, 'answer panic': 78089, 'more scary': 540326, 'scary than': 741192, 'than if': 840768, 'not endless': 569170, 'endless job': 276232, 'countless business': 210371, 'business close': 143533, 'close earnings': 182623, 'earnings drop': 264897, 'drop jobless': 260287, 'claim pop': 179784, 'pop isolation': 664438, 'we must get': 972417, 'must get american': 546680, 'get american back': 346531, 'american back to': 51831, 'to work asap': 918689, 'work asap so': 1004854, 'asap so they': 94876, 'money for food': 536748, 'for food bill': 321561, 'food bill total': 313753, 'bill total shutdown': 130710, 'total shutdown is': 926246, 'shutdown is not': 768050, 'the answer panic': 848771, 'answer panic is': 78090, 'panic is more': 638218, 'is more scary': 449724, 'more scary than': 540327, 'scary than if': 741194, 'than if not': 840769, 'if not endless': 414495, 'not endless job': 569171, 'endless job loss': 276233, 'loss and countless': 503633, 'and countless business': 60637, 'countless business close': 210372, 'business close earnings': 143534, 'close earnings drop': 182624, 'earnings drop jobless': 264898, 'drop jobless claim': 260288, 'jobless claim pop': 466335, 'claim pop isolation': 179785, 'pop isolation can': 664439, 'isolation can also': 455230, 'also be dangerous': 47918, 'scammy': 740676, 'and scammy': 71043, 'scammy company': 740677, 'from related': 337065, 'related fear': 708436, 'fear listen': 301188, 'some example': 782776, 'scammer and scammy': 740524, 'and scammy company': 71044, 'scammy company are': 740678, 'robocalls to profit': 724776, 'profit from related': 682739, 'from related fear': 337067, 'related fear listen': 708437, 'fear listen to': 301189, 'listen to some': 494751, 'to some example': 914874, 'everyone buy': 286753, 'responsibly then': 716117, 'then supermarket': 877583, 'shelf look': 757297, 'pic taken': 655627, 'taken this': 833081, 'local huge': 498098, 'huge respect': 410172, 'everyone involved': 287058, 'to cc': 902546, 'when everyone buy': 983398, 'everyone buy responsibly': 286755, 'buy responsibly then': 149127, 'responsibly then supermarket': 716118, 'then supermarket shelf': 877584, 'supermarket shelf look': 822494, 'shelf look like': 757299, 'look like this': 502518, 'like this pic': 491515, 'this pic taken': 889574, 'pic taken this': 655628, 'taken this morning': 833082, 'morning at my': 541182, 'my local huge': 549121, 'local huge respect': 498099, 'huge respect for': 410173, 'respect for everyone': 714990, 'for everyone involved': 321216, 'everyone involved in': 287059, 'involved in getting': 444351, 'in getting food': 423296, 'food to cc': 317238, 'well wore': 978765, 'wore my': 1004673, 'over town': 630858, 'town so': 927551, 'saw so': 738242, 'and adult': 57708, 'adult smiling': 32852, 'smiling today': 775780, 'today even': 919491, 'not ideal': 570041, 'ideal easter': 413264, 'easter socialdistancing': 265498, 'well wore my': 978766, 'wore my mask': 1004676, 'my mask and': 549207, 'and all over': 57882, 'all over town': 43884, 'over town so': 630859, 'town so happy': 927552, 'happy that we': 377690, 'that we saw': 847391, 'we saw so': 973139, 'saw so many': 738243, 'so many child': 777644, 'many child and': 513896, 'child and adult': 175994, 'and adult smiling': 57712, 'adult smiling today': 32853, 'smiling today even': 775781, 'today even though': 919492, 'though it not': 892842, 'it not ideal': 459886, 'not ideal easter': 570042, 'ideal easter socialdistancing': 413265, 'supermarket security': 822354, 'security staff': 744755, 'are loving': 87913, 'loving the': 505065, 'power right': 667673, 'now uklockdownnow': 576243, 'supermarket security staff': 822358, 'security staff all': 744756, 'staff all over': 792098, 'over the uk': 630782, 'uk are loving': 938192, 'are loving the': 87915, 'loving the power': 505066, 'the power right': 864155, 'power right now': 667674, 'right now uklockdownnow': 722167, 'ventillation': 954647, 'yes have': 1015454, 'have why': 383591, 'fda under': 300941, 'guidance of': 368258, 'of doctor': 582750, 'doctor changing': 250870, 'changing the': 172807, 'consumer ventillation': 199444, 'ventillation device': 954648, 'device to': 239938, 'hospital which': 404717, 'is consistent': 446767, 'medical journal': 526234, 'journal if': 467390, 'yes have why': 1015455, 'have why is': 383592, 'is the fda': 452796, 'the fda under': 855027, 'fda under the': 300942, 'under the guidance': 940311, 'the guidance of': 856923, 'guidance of doctor': 368260, 'of doctor changing': 582751, 'doctor changing the': 250871, 'changing the regulation': 172813, 'the regulation to': 865452, 'regulation to allow': 708121, 'allow for consumer': 45963, 'for consumer ventillation': 320302, 'consumer ventillation device': 199445, 'ventillation device to': 954649, 'device to be': 239939, 'used for treatment': 949913, 'for treatment of': 327340, '19 in hospital': 7752, 'in hospital which': 423823, 'hospital which is': 404718, 'which is consistent': 985995, 'is consistent with': 446768, 'consistent with medical': 195494, 'with medical journal': 999470, 'medical journal if': 526235, 'era gain': 280041, 'gain from': 342773, 'price fall to': 673801, 'fall to 30': 297090, 'to 30 covid': 899668, '19 era gain': 6818, 'era gain from': 280042, 'gain from oil': 342776, 'from oil production': 336649, 'oil production cut': 597365, 'worker coming': 1006671, 'coming home': 188072, 'literally every single': 494983, 'retail worker coming': 718877, 'worker coming home': 1006673, 'coming home from': 188078, 'from work during': 338407, 'work during the': 1005071, 'during the freak': 263131, 'minister giving': 533373, 'giving speech': 351395, 'speech at': 788386, 'situation reassures': 772457, 'reassures we': 703222, 'supply general': 825309, 'public panic': 688212, 'prime minister giving': 678136, 'minister giving speech': 533374, 'giving speech at': 351396, 'speech at 4pm': 788387, 'at 4pm today': 97673, '4pm today regarding': 19511, 'today regarding the': 920107, '19 situation reassures': 10588, 'situation reassures we': 772458, 'reassures we have': 703223, 'we have adequate': 971748, 'have adequate food': 379129, 'adequate food supply': 32165, 'food supply general': 316955, 'supply general public': 825310, 'general public panic': 345458, 'public panic buy': 688213, 'at all supermarket': 97908, 'kddr': 471213, 'burgum': 142856, 'kddr am': 471214, 'am news': 50233, 'news gov': 560477, 'gov burgum': 359546, 'burgum say': 142857, 'say covid': 738543, 'in nd': 425697, 'nd gas': 553382, 'drop and': 260122, 'and flooding': 62976, 'flooding begin': 310746, 'begin in': 123528, 'kddr am news': 471215, 'am news gov': 50234, 'news gov burgum': 560478, 'gov burgum say': 359547, 'burgum say covid': 142858, 'say covid 19': 738544, '19 restriction could': 10175, 'restriction could last': 717251, 'could last longer': 209372, 'last longer in': 480303, 'longer in nd': 501998, 'in nd gas': 425698, 'nd gas price': 553383, 'gas price continue': 343945, 'continue to drop': 201183, 'to drop and': 904764, 'drop and flooding': 260125, 'and flooding begin': 62977, 'flooding begin in': 310747, 'begin in nd': 123529, 'nlp': 563513, 'killerrobot': 474647, 'bot': 135817, 'cobot': 185169, 'humanoid': 410799, 'robot are': 724786, 'are cleaning': 85295, 'cleaning grocery': 180955, 'floor during': 310790, 'outbreak forbes': 628228, 'forbes pandemic': 328290, 'retail ai': 717798, 'ai robot': 39333, 'robot robotics': 724806, 'robotics ml': 724819, 'ml dl': 534715, 'dl nlp': 248856, 'nlp killerrobot': 563514, 'killerrobot bot': 474648, 'bot cobot': 135818, 'cobot humanoid': 185170, 'humanoid tech': 410800, 'tech technews': 836159, 'technews rt': 836189, 'robot are cleaning': 724787, 'are cleaning grocery': 85296, 'cleaning grocery store': 180956, 'grocery store floor': 365402, 'store floor during': 807746, 'floor during the': 310791, 'the outbreak forbes': 862626, 'outbreak forbes pandemic': 628229, 'forbes pandemic retail': 328291, 'pandemic retail ai': 636357, 'retail ai robot': 717799, 'ai robot robotics': 39335, 'robot robotics ml': 724807, 'robotics ml dl': 724820, 'ml dl nlp': 534716, 'dl nlp killerrobot': 248857, 'nlp killerrobot bot': 563515, 'killerrobot bot cobot': 474649, 'bot cobot humanoid': 135819, 'cobot humanoid tech': 185171, 'humanoid tech technews': 410801, 'tech technews rt': 836160, 'r118': 695060, '786': 22350, '0147': 764, 'mhc': 530113, 'pretoria': 671348, 'oe': 579269, 'food kit': 315269, 'kit r118': 475616, 'r118 whatsapp': 695061, 'whatsapp the': 982912, 'department directly': 237190, 'directly 27': 243520, '27 10': 16254, '10 786': 1286, '786 0147': 22351, '0147 follow': 765, 'on instagram': 601586, 'instagram mhc': 439968, 'mhc metro': 530114, 'metro pretoria': 529932, 'pretoria noodle': 671349, 'pasta food': 643720, 'food emergency': 314351, 'emergency southafrica': 272984, 'southafrica beef': 786797, 'beef oe': 120528, 'oe until': 579270, 'until stock': 943836, 'emergency food kit': 272704, 'food kit r118': 315270, 'kit r118 whatsapp': 475617, 'r118 whatsapp the': 695062, 'whatsapp the department': 982913, 'the department directly': 853140, 'department directly 27': 237191, 'directly 27 10': 243521, '27 10 786': 16255, '10 786 0147': 1287, '786 0147 follow': 22352, '0147 follow on': 766, 'follow on instagram': 312477, 'on instagram mhc': 601588, 'instagram mhc metro': 439969, 'mhc metro pretoria': 530115, 'metro pretoria noodle': 529933, 'pretoria noodle pasta': 671350, 'noodle pasta food': 566814, 'pasta food emergency': 643721, 'food emergency southafrica': 314352, 'emergency southafrica beef': 272985, 'southafrica beef oe': 786798, 'beef oe until': 120529, 'oe until stock': 579271, 'until stock last': 943837, 'healthtips': 387487, 'acesupermarket': 28995, 'aceeatery': 28982, 'acelounge': 28989, 'acefamily': 28986, 'oyo': 632694, 'ogbomoso': 596319, 'osogbo': 619725, 'ileife': 416084, 'ijebuode': 416005, 'abeokuta': 24317, 'tip take': 898910, 'necessary preventive': 554050, 'healthy staysafe': 387776, 'staysafe healthtips': 798820, 'healthtips shopping': 387490, 'shopping eatery': 762553, 'eatery lounge': 266158, 'lounge acesupermarket': 504558, 'acesupermarket aceeatery': 28996, 'aceeatery acelounge': 28983, 'acelounge acefamily': 28990, 'acefamily ibadan': 28987, 'ibadan oyo': 412569, 'oyo ogbomoso': 632699, 'ogbomoso ilorin': 596320, 'ilorin osogbo': 416480, 'osogbo ileife': 619726, 'ileife ijebuode': 416085, 'ijebuode abeokuta': 416006, 'virus safety tip': 958710, 'safety tip take': 730770, 'tip take all': 898911, 'all the necessary': 44837, 'the necessary preventive': 861376, 'necessary preventive measure': 554051, 'preventive measure stay': 671924, 'safe stay healthy': 729971, 'stay healthy staysafe': 796922, 'healthy staysafe healthtips': 387777, 'staysafe healthtips shopping': 798822, 'healthtips shopping eatery': 387491, 'shopping eatery lounge': 762554, 'eatery lounge acesupermarket': 266159, 'lounge acesupermarket aceeatery': 504559, 'acesupermarket aceeatery acelounge': 28997, 'aceeatery acelounge acefamily': 28984, 'acelounge acefamily ibadan': 28991, 'acefamily ibadan oyo': 28988, 'ibadan oyo ogbomoso': 412570, 'oyo ogbomoso ilorin': 632700, 'ogbomoso ilorin osogbo': 596321, 'ilorin osogbo ileife': 416481, 'osogbo ileife ijebuode': 619727, 'ileife ijebuode abeokuta': 416086, 'but somebody': 147110, 'somebody who': 784286, 'who at': 988280, 'try taking': 934579, 'taking bus': 833289, 'is me': 449604, 'me risking': 523399, 'risking exposure': 724069, 'that but somebody': 843065, 'but somebody who': 147111, 'somebody who at': 784287, 'who at risk': 988282, 'me cannot just': 522566, 'cannot just keep': 161980, 'just keep going': 469091, 'keep going out': 471549, 'or try taking': 617547, 'try taking bus': 934580, 'taking bus to': 833290, 'house is me': 406375, 'is me risking': 449608, 'me risking exposure': 523400, 'ever since': 285503, 'those retail': 892396, 'store entrance': 807604, 'entrance sanitizers': 278895, 'sanitizers act': 736183, 'act if': 29653, 'ever since covid': 285504, '19 those retail': 11360, 'those retail store': 892398, 'retail store entrance': 718636, 'store entrance sanitizers': 807607, 'entrance sanitizers act': 278896, 'sanitizers act if': 736184, 'act if they': 29654, 'they work the': 883925, 'work the most': 1005813, 'most important job': 542403, 'important job in': 418859, 'sponge': 789806, 'ha cleared': 370161, 'supermarket bet': 819365, 'buy sponge': 149229, 'sponge warning': 789809, 'warning only': 967170, 'only watch': 611435, 'watch if': 968445, 'have strong': 382815, 'strong stomach': 814124, 'the uk ha': 870229, 'uk ha cleared': 938430, 'ha cleared out': 370163, 'cleared out toilet': 181430, 'paper from every': 640196, 'from every supermarket': 335328, 'every supermarket bet': 286242, 'supermarket bet they': 819366, 'bet they can': 128114, 'can still buy': 159765, 'still buy sponge': 800318, 'buy sponge warning': 149230, 'sponge warning only': 789810, 'warning only watch': 967171, 'only watch if': 611436, 'watch if you': 968446, 'you have strong': 1019122, 'have strong stomach': 382816, 'santiser': 736628, 'retailvscorona': 719579, 're asked': 698306, 'hand santiser': 375738, 'santiser when': 736632, 'when entering': 983376, 'entering store': 278415, 'only protecting': 611026, 'protecting you': 685249, 'you but': 1017549, 'come for': 187292, 'when tell': 984112, 'pack your': 633200, 'own bag': 631891, 'bag retailvscorona': 108398, 'retailvscorona retail': 719581, 'you re asked': 1020571, 're asked to': 698307, 'asked to use': 95880, 'use hand santiser': 949256, 'hand santiser when': 375740, 'santiser when entering': 736633, 'when entering store': 983377, 'entering store just': 278416, 'store just do': 808615, 'just do it': 468613, 'it it not': 459178, 'not only protecting': 570820, 'only protecting you': 611027, 'protecting you but': 685250, 'you but also': 1017550, 'also the employee': 48970, 'the employee that': 854269, 'employee that work': 274293, 'that work there': 847656, 'work there also': 1005825, 'there also do': 877970, 'not come for': 568795, 'come for me': 187293, 'for me when': 323348, 'me when tell': 523944, 'when tell you': 984114, 'have to pack': 383258, 'to pack your': 911349, 'pack your own': 633201, 'your own bag': 1025126, 'own bag retailvscorona': 631893, 'bag retailvscorona retail': 108399, 'shopper lining': 761596, 'outside local': 629472, 'up supply': 946101, 'look at shopper': 502293, 'at shopper lining': 100515, 'shopper lining up': 761597, 'lining up outside': 493768, 'up outside local': 945717, 'outside local grocery': 629473, 'store while waiting': 811291, 'waiting to pick': 964409, 'pick up supply': 655764, 'up supply due': 946104, 'there we': 879289, 'from increasing': 336037, 'hi there we': 394756, 'there we strongly': 879293, 'item from increasing': 463285, 'from increasing in': 336038, 'we quarantined': 972799, 'are we quarantined': 91585, 'we quarantined and': 972800, 'quarantined and should': 692818, 'and should stock': 71596, 'like coronavid19': 490050, 'coronavid19 social': 205391, 'supermarket like coronavid19': 821314, 'like coronavid19 social': 490051, 'coronavid19 social distancing': 205392, 'scheduling': 741531, 'about scheduling': 26150, 'scheduling grocery': 741536, 'grocery time': 366044, 'advance with': 32920, 'minute grace': 533769, 'period this': 651905, 'not eliminate': 569158, 'eliminate queuing': 271456, 'queuing but': 694201, 'could set': 209657, 'set better': 753354, 'better expectation': 128282, 'store traffic': 810930, 'traffic flow': 929093, 'flow and': 311224, 'wait time': 964217, 'time shopping': 897655, 'think about scheduling': 885100, 'about scheduling grocery': 26151, 'scheduling grocery time': 741537, 'grocery time in': 366046, 'time in advance': 896978, 'in advance with': 420063, 'advance with 15': 32921, 'with 15 minute': 996952, '15 minute grace': 3775, 'minute grace period': 533770, 'grace period this': 361611, 'period this will': 651907, 'will not eliminate': 994214, 'not eliminate queuing': 569159, 'eliminate queuing but': 271457, 'queuing but could': 694202, 'but could set': 145471, 'could set better': 209658, 'set better expectation': 753355, 'better expectation for': 128283, 'expectation for in': 290821, 'in store traffic': 428469, 'store traffic flow': 810935, 'traffic flow and': 929094, 'flow and customer': 311225, 'and customer wait': 60875, 'customer wait time': 223029, 'wait time shopping': 964221, 'derivative': 237865, 'enhance': 277075, 'second derivative': 743697, 'derivative challenge': 237866, 'europe but': 283410, 'but maybe': 146374, 'maybe in': 521715, 'in slow': 428000, 'slow motion': 774373, 'motion oil': 543268, 'price depression': 673428, 'depression and': 237625, 'and contagion': 60471, 'contagion of': 200418, 'africa will': 35155, 'will enhance': 993317, 'enhance pressure': 277078, 'pressure migration': 671184, 'second derivative challenge': 743698, 'derivative challenge for': 237867, 'challenge for europe': 171463, 'for europe but': 321144, 'europe but maybe': 283411, 'but maybe in': 146376, 'maybe in slow': 521717, 'in slow motion': 428001, 'slow motion oil': 774374, 'motion oil commodity': 543269, 'oil commodity price': 596680, 'commodity price depression': 189265, 'price depression and': 673429, 'depression and contagion': 237627, 'and contagion of': 60472, 'contagion of in': 200419, 'of in africa': 585019, 'in africa will': 420092, 'africa will enhance': 35157, 'will enhance pressure': 993318, 'enhance pressure migration': 277079, 'dad gp': 224332, 'gp ha': 361408, 'this system': 890468, 'anyone entering': 80303, 'entering face': 278400, 'tissue we': 899238, 'in separate': 427807, 'separate room': 751082, 'and interacting': 65317, 'interacting remotely': 441222, 'remotely eating': 710768, 'eating time': 266320, 'are staggered': 90345, 'staggered bathroom': 793242, 'bathroom are': 112631, 'are deep': 85721, 'deep cleaned': 231854, 'cleaned after': 180704, 'after every': 35631, 'every use': 286352, 'arrived at my': 93946, 'at my parent': 99827, 'and my dad': 67362, 'my dad gp': 547892, 'dad gp ha': 224333, 'gp ha set': 361409, 'set up this': 753582, 'up this system': 946284, 'this system for': 890469, 'system for anyone': 831168, 'for anyone entering': 319436, 'anyone entering face': 80304, 'entering face mask': 278401, 'sanitizer and tissue': 734445, 'and tissue we': 74146, 'tissue we re': 899239, 'all in separate': 43203, 'in separate room': 427808, 'separate room and': 751083, 'room and interacting': 725876, 'and interacting remotely': 65318, 'interacting remotely eating': 441223, 'remotely eating time': 710769, 'eating time are': 266321, 'time are staggered': 896332, 'are staggered bathroom': 90346, 'staggered bathroom are': 793243, 'bathroom are deep': 112632, 'are deep cleaned': 85722, 'deep cleaned after': 231855, 'cleaned after every': 180705, 'after every use': 35634, 'every use 19': 286353, 'how manufacturing': 408237, 'manufacturing is': 513618, 'is pivoting': 450877, 'switching from': 830558, 'making car': 510981, 'car whiskey': 163345, 'whiskey cosmetic': 987767, 'cosmetic to': 207796, 'producing medical': 680782, 'international battle': 441756, 'against via': 37722, 'via cx': 955905, 'cx healthcare': 223910, 'how manufacturing is': 408238, 'manufacturing is pivoting': 513619, 'is pivoting to': 450878, 'pivoting to fight': 657134, 'to fight it': 905796, 'fight it switching': 304789, 'it switching from': 461414, 'switching from making': 830559, 'from making car': 336310, 'making car whiskey': 510982, 'car whiskey cosmetic': 163346, 'whiskey cosmetic to': 987768, 'cosmetic to producing': 207797, 'to producing medical': 912219, 'producing medical supply': 680783, 'medical supply hand': 526445, 'sanitizer mask in': 735355, 'in the international': 429292, 'the international battle': 858362, 'international battle against': 441757, 'battle against via': 112779, 'against via cx': 37723, 'via cx healthcare': 955906, 'schmitt': 741625, 'ag schmitt': 36837, 'schmitt and': 741626, 'announced partnership': 77012, 'monitor and': 537274, 'and combat': 60103, 'combat price': 187028, 'gouging amazon': 359238, 'provide market': 686381, 'analytics and': 57208, 'the missouri': 860692, 'missouri ag': 534418, 'in going': 423357, 'going after': 354996, 'after third': 36396, 'seller who': 749114, 'who spike': 989652, 'spike price': 789324, 'ag schmitt and': 36838, 'schmitt and today': 741627, 'and today announced': 74221, 'today announced partnership': 919238, 'announced partnership to': 77013, 'partnership to monitor': 642943, 'to monitor and': 910229, 'monitor and combat': 537275, 'and combat price': 60105, 'combat price gouging': 187029, 'price gouging amazon': 674255, 'gouging amazon will': 359239, 'amazon will provide': 51204, 'will provide market': 994516, 'provide market analytics': 686382, 'market analytics and': 515947, 'analytics and assist': 57209, 'and assist the': 58456, 'assist the missouri': 96643, 'the missouri ag': 860693, 'missouri ag office': 534419, 'ag office in': 36823, 'office in going': 595449, 'in going after': 423358, 'going after third': 355000, 'after third party': 36397, 'party seller who': 643036, 'seller who spike': 749117, 'who spike price': 989653, 'could drop': 209117, 'low 99': 505099, 'gallon because': 342981, 'demand perfect': 236024, 'storm caused': 811790, 'price in some': 674733, 'of the could': 590900, 'the could drop': 852003, 'could drop low': 209119, 'drop low 99': 260296, 'low 99 cent': 505101, 'per gallon because': 650840, 'gallon because of': 342982, 'because of supply': 119411, 'and demand perfect': 61165, 'demand perfect storm': 236025, 'perfect storm caused': 651343, 'storm caused by': 811791, 'inanimate': 431231, 'micron': 530473, 'smog': 775851, 'aimless': 39586, 'an inanimate': 56223, 'inanimate thing': 431232, 'of few': 583492, 'few micron': 303909, 'micron wa': 530474, 'stop air': 804434, 'air sea': 39782, 'sea and': 743078, 'and rail': 69903, 'rail transport': 695684, 'transport factory': 929882, 'factory pollution': 295978, 'pollution smog': 663916, 'smog and': 775852, 'and changed': 59730, 'changed your': 172613, 'your aimless': 1022761, 'aimless consumer': 39587, 'consumer single': 198995, 'single life': 771323, 'you only': 1020210, 'to bed': 901689, 'and eat': 61872, 'eat for': 265918, 'something else': 784897, 'else sarscov2': 271864, 'an inanimate thing': 56224, 'inanimate thing about': 431233, 'thing about the': 884095, 'about the size': 26523, 'size of few': 772787, 'of few micron': 583493, 'few micron wa': 303910, 'micron wa able': 530475, 'able to stop': 24553, 'to stop air': 915497, 'stop air sea': 804435, 'air sea and': 39783, 'sea and rail': 743080, 'and rail transport': 69905, 'rail transport factory': 695685, 'transport factory pollution': 929883, 'factory pollution smog': 295979, 'pollution smog and': 663917, 'smog and changed': 775853, 'and changed your': 59731, 'changed your aimless': 172614, 'your aimless consumer': 1022762, 'aimless consumer single': 39588, 'consumer single life': 198996, 'single life in': 771324, 'life in which': 488774, 'which you only': 986534, 'you only went': 1020215, 'only went to': 611463, 'went to home': 979161, 'to home to': 907939, 'home to bed': 402308, 'to bed and': 901691, 'bed and eat': 120379, 'and eat for': 61874, 'eat for something': 265919, 'for something else': 325788, 'something else sarscov2': 784900, 'khqa': 473745, 'tri': 931609, 'amtrak': 54942, 'on khqa': 601762, 'khqa news': 473746, '10 the': 1697, 'in adam': 420026, 'adam county': 31214, 'county gas': 211384, 'the tri': 869973, 'tri state': 931612, 'state continue': 795481, 'fall amtrak': 296824, 'amtrak reduces': 54943, 'reduces service': 706251, 'west central': 980477, 'central il': 169399, 'il and': 416068, 'and 172': 57381, '172 put': 4433, 'put meal': 690684, 'meal on': 524223, 'wheel for': 983036, 'for student': 325948, 'student watch': 814798, 'tonight on khqa': 924464, 'on khqa news': 601763, 'khqa news at': 473747, 'news at 10': 560252, 'at 10 the': 97410, '10 the latest': 1699, 'latest on the': 481478, 'on the first': 604121, 'first case of': 308562, 'of in adam': 585017, 'in adam county': 420027, 'adam county gas': 31215, 'county gas price': 211385, 'in the tri': 429629, 'the tri state': 869975, 'tri state continue': 931613, 'state continue to': 795482, 'to fall amtrak': 905621, 'fall amtrak reduces': 296825, 'amtrak reduces service': 54944, 'reduces service in': 706252, 'service in west': 752484, 'in west central': 430800, 'west central il': 980479, 'central il and': 169400, 'il and 172': 416069, 'and 172 put': 57382, '172 put meal': 4434, 'put meal on': 690685, 'meal on wheel': 524225, 'on wheel for': 605257, 'wheel for student': 983037, 'for student watch': 325950, 'student watch now': 814799, 'caused an': 167818, 'certain part': 170067, 'industry but': 435705, 'the spike': 867577, 'spike by': 789271, 'ha caused an': 370075, 'caused an increase': 167819, 'in demand on': 422144, 'demand on certain': 235963, 'on certain part': 599862, 'certain part of': 170068, 'the industry but': 858165, 'industry but what': 435708, 'but what on': 147795, 'what on the': 981962, 'of the spike': 591482, 'the spike by': 867578, 'cellophane': 168971, 'preparers': 670301, 'repel': 711549, 'the cellophane': 850585, 'cellophane type': 168972, 'type glove': 937526, 'glove that': 352942, 'that restaurant': 846019, 'restaurant meal': 716571, 'meal preparers': 524254, 'preparers where': 670302, 'where repel': 985144, 'repel covid': 711550, 'just thinking': 470045, 'thinking when': 886030, 'store perhaps': 809503, 'perhaps might': 651615, 'protect myself': 684873, 'myself by': 550842, 'those they': 892547, 'would the cellophane': 1012318, 'the cellophane type': 850586, 'cellophane type glove': 168973, 'type glove that': 937527, 'glove that restaurant': 352944, 'that restaurant meal': 846022, 'restaurant meal preparers': 716573, 'meal preparers where': 524255, 'preparers where repel': 670303, 'where repel covid': 985145, 'repel covid 19': 711551, '19 just thinking': 8210, 'just thinking when': 470049, 'thinking when have': 886031, 'grocery store perhaps': 365649, 'store perhaps might': 809505, 'perhaps might be': 651616, 'able to protect': 24524, 'to protect myself': 912317, 'protect myself by': 684874, 'myself by wearing': 550843, 'by wearing those': 154712, 'wearing those they': 974814, 'those they re': 892550, 're really cheap': 699357, 'with single': 1000746, 'parent or': 641700, 'family do': 297743, 'buy like': 148897, 'else by': 271650, 'those family': 891991, 'family coronacrisis': 297725, 'family with single': 298391, 'with single parent': 1000748, 'single parent or': 771368, 'parent or poor': 641701, 'or poor family': 616637, 'poor family do': 664169, 'family do not': 297744, 'money to panic': 537113, 'panic buy like': 637499, 'buy like everyone': 148898, 'like everyone else': 490189, 'everyone else by': 286848, 'else by the': 271651, 'the time they': 869622, 'food there no': 317152, 'no food you': 564282, 'food you must': 317717, 'you must do': 1019915, 'must do something': 546632, 'do something to': 250156, 'something to help': 785103, 'help those family': 390744, 'those family coronacrisis': 891992, 'wilko': 992171, 'ebay allowing': 266419, 'allowing reselling': 46325, 'reselling of': 713998, 'item cleared': 463182, 'price wilko': 677548, 'wilko supermarket': 992172, 'supermarket ebay': 820084, 'ebay allowing reselling': 266421, 'allowing reselling of': 46326, 'reselling of item': 713999, 'of item cleared': 585479, 'item cleared out': 463183, 'of supermarket at': 590411, 'supermarket at inflated': 819240, 'inflated price wilko': 437085, 'price wilko supermarket': 677549, 'wilko supermarket ebay': 992173, 'firstworldproblems': 309234, 'howtoshop': 409562, 'lifesaver': 489326, 'entry quiz': 279012, 'quiz do': 694954, 'mean firstworldproblems': 524428, 'firstworldproblems supermarket': 309236, 'socialdistancing howtoshop': 780433, 'howtoshop lifesaver': 409563, 'lifesaver staysafe': 489329, 'supermarket entry quiz': 820184, 'entry quiz do': 279013, 'quiz do you': 694955, 'know what this': 476982, 'this mean firstworldproblems': 888806, 'mean firstworldproblems supermarket': 524429, 'firstworldproblems supermarket socialdistancing': 309237, 'supermarket socialdistancing howtoshop': 822755, 'socialdistancing howtoshop lifesaver': 780434, 'howtoshop lifesaver staysafe': 409564, 'texan should': 839724, 'should feel': 765985, 'safe ordering': 729869, 'takeout or': 833176, 'store fda': 807701, 'fda on': 300892, 'safely run': 730303, 'run essential': 727626, 'essential errand': 281005, 'texan should feel': 839725, 'should feel safe': 765987, 'feel safe ordering': 302829, 'safe ordering takeout': 729870, 'ordering takeout or': 619037, 'takeout or delivery': 833177, 'or delivery it': 614938, 'delivery it great': 234153, 'it great way': 458341, 'business and lower': 143319, 'lower demand on': 505837, 'demand on grocery': 235968, 'grocery store fda': 365390, 'store fda on': 807702, 'fda on food': 300893, 'on food safety': 600902, 'food safety and': 316264, 'safety and on': 730457, 'and on how': 68060, 'to safely run': 913720, 'safely run essential': 730305, 'run essential errand': 727627, 'deploy': 237442, 'portable': 664912, 'measurement': 525450, 'should deploy': 765915, 'deploy portable': 237451, 'portable temperature': 664924, 'temperature measurement': 837379, 'measurement to': 525454, 'during rush': 262985, 'rush panic': 728326, 'shopping spree': 763951, 'all supermarket should': 44552, 'supermarket should deploy': 822677, 'should deploy portable': 765916, 'deploy portable temperature': 237452, 'portable temperature measurement': 664925, 'temperature measurement to': 837380, 'measurement to prevent': 525455, '19 during rush': 6674, 'during rush panic': 262986, 'rush panic shopping': 728327, 'panic shopping spree': 638587, 'nyaope': 577944, 'morena': 541054, 'boloka': 134137, 'haba': 372525, 'nyaope is': 577945, 'also problem': 48689, 'problem wish': 679746, 'wish user': 996842, 'user would': 950330, 'buying like': 150649, 'like those': 491556, 'do on': 249922, 'and alcohol': 57830, 'alcohol wish': 41192, 'that user': 847219, 'user get': 950288, 'support out': 826742, 'coming 21': 187981, 'clean for': 180532, 'clean morena': 180583, 'morena boloka': 541055, 'boloka set': 134138, 'set haba': 753387, 'haba sa': 372526, 'sa hero': 728896, 'nyaope is also': 577946, 'is also problem': 445574, 'also problem wish': 48690, 'problem wish user': 679747, 'wish user would': 996843, 'user would not': 950332, 'not have money': 569852, 'have money to': 381491, 'money to do': 537094, 'do panic buying': 249960, 'panic buying like': 637793, 'buying like those': 150653, 'like those who': 491559, 'those who do': 892629, 'who do on': 988619, 'do on food': 249924, 'food and alcohol': 313170, 'and alcohol wish': 57836, 'alcohol wish that': 41193, 'wish that user': 996818, 'that user get': 847220, 'user get support': 950289, 'get support out': 348164, 'support out of': 826744, 'out of drug': 626722, 'of drug for': 582847, 'drug for the': 260956, 'the coming 21': 851192, 'coming 21 day': 187982, '21 day and': 14984, 'day and stay': 227281, 'and stay clean': 72290, 'stay clean for': 796832, 'clean for clean': 180533, 'for clean morena': 320107, 'clean morena boloka': 180584, 'morena boloka set': 541056, 'boloka set haba': 134139, 'set haba sa': 753388, 'haba sa hero': 372527, 'sa hero 19': 728897, 'powerfulpatientpartner': 667815, 'up beauty': 944469, 'beauty time': 118810, 'to beast': 901650, 'beast 2020': 118476, '2020 pace': 14497, 'pace powerfulpatientpartner': 632958, 'powerfulpatientpartner campaign': 667816, 'campaign for': 157220, 'for woman': 327905, 'woman commitment': 1003445, 'and caregiving': 59565, 'caregiving in': 164525, 'heard and': 388062, 'and valued': 74842, 'wake up beauty': 964619, 'up beauty time': 944470, 'beauty time to': 118811, 'time to beast': 897952, 'to beast 2020': 901651, 'beast 2020 pace': 118477, '2020 pace powerfulpatientpartner': 14498, 'pace powerfulpatientpartner campaign': 632959, 'powerfulpatientpartner campaign for': 667817, 'campaign for woman': 157222, 'for woman commitment': 327907, 'woman commitment to': 1003446, 'commitment to yourself': 189011, 'to yourself your': 919041, 'yourself your healthcare': 1026772, 'your healthcare and': 1024281, 'healthcare and caregiving': 387025, 'and caregiving in': 59566, 'caregiving in the': 164526, 'in the system': 429591, 'the system we': 869099, 'system we will': 831369, 'will be heard': 992492, 'be heard and': 115179, 'heard and valued': 388063, 'realised': 701622, 'lockwood': 500547, 'italian have': 462701, 'have realised': 382180, 'realised there': 701633, 'panic supply': 638657, 'have kept': 381214, 'kept flowing': 473036, 'flowing and': 311346, 'stocked say': 803384, 'say sky': 739144, 'sky sally': 773225, 'sally lockwood': 732751, 'lockwood in': 500548, 'italian have realised': 462702, 'have realised there': 382181, 'realised there no': 701634, 'to panic supply': 911428, 'panic supply chain': 638658, 'chain have kept': 170762, 'have kept flowing': 381215, 'kept flowing and': 473037, 'flowing and supermarket': 311347, 'shelf are well': 756833, 'are well stocked': 91613, 'well stocked say': 978605, 'stocked say sky': 803385, 'say sky sally': 739145, 'sky sally lockwood': 773226, 'sally lockwood in': 732752, 'lockwood in rome': 500549, '27th': 16359, 'thanksforthelove': 842291, 'timeforadrink': 898448, 'go much': 353844, 'of anywhere': 580298, 'so got': 777193, 'got dressed': 358530, 'dressed for': 258695, 'store lol': 808808, 'lol happy': 500908, 'happy 27th': 377572, '27th birthday': 16362, 'birthday to': 131458, 'me may': 523146, 'may 27': 520880, '27 be': 16266, 'be just': 115583, 'just good': 468841, 'not better': 568567, 'me than': 523592, '26 thanksforthelove': 16190, 'thanksforthelove timeforadrink': 842292, 'well can go': 978092, 'can go much': 158503, 'go much of': 353846, 'much of anywhere': 545184, 'of anywhere because': 580299, 'anywhere because of': 81092, 'of this whole': 592071, 'this whole covid': 891377, '19 stuff so': 10921, 'stuff so got': 815187, 'so got dressed': 777194, 'got dressed for': 358531, 'dressed for the': 258696, 'grocery store lol': 365538, 'store lol happy': 808810, 'lol happy 27th': 500909, 'happy 27th birthday': 377573, '27th birthday to': 16363, 'birthday to me': 131459, 'to me may': 909941, 'me may 27': 523147, 'may 27 be': 520881, '27 be just': 16267, 'be just good': 115585, 'just good if': 468842, 'good if not': 357231, 'if not better': 414488, 'not better to': 568568, 'better to me': 128567, 'to me than': 909956, 'me than 26': 523593, 'than 26 thanksforthelove': 840215, '26 thanksforthelove timeforadrink': 16191, 'complains': 191917, 'what crap': 981280, 'crap and': 214879, 'selfish can': 748046, 'get watching': 348600, 'watching terrified': 968791, 'terrified oldie': 838499, 'oldie cry': 598713, 'cry and': 219846, 'too scared': 925042, 'supermarket down': 820017, 'here put': 393490, 'in star': 428230, 'star hotel': 794044, 'send anyone': 749817, 'who complains': 988480, 'complains to': 191920, 'to christmas': 902749, 'christmas island': 178183, 'island then': 454316, 'what crap and': 981281, 'crap and how': 214881, 'and how selfish': 64834, 'how selfish can': 408637, 'selfish can you': 748047, 'you get watching': 1018808, 'get watching terrified': 348601, 'watching terrified oldie': 968792, 'terrified oldie cry': 838500, 'oldie cry and': 598714, 'cry and too': 219848, 'and too scared': 74274, 'too scared to': 925043, 'scared to go': 741025, 'the supermarket down': 868561, 'supermarket down here': 820018, 'down here put': 256831, 'here put them': 393491, 'put them up': 690894, 'them up in': 876570, 'up in star': 945180, 'in star hotel': 428231, 'star hotel and': 794045, 'hotel and send': 405109, 'and send anyone': 71247, 'send anyone who': 749818, 'anyone who complains': 80615, 'who complains to': 988481, 'complains to christmas': 191921, 'to christmas island': 902750, 'christmas island then': 178184, 'island then they': 454317, 'ou': 621931, 'ou can': 621932, 'water often': 969080, 'often you': 596313, 'second every': 743711, 'ou can help': 621933, 'spread of by': 790656, 'of by washing': 581031, 'and water often': 75246, 'water often you': 969081, 'often you should': 596316, '20 second every': 13329, 'second every time': 743712, 'every time or': 286313, 'qualitative': 691748, 'cro': 218810, 'userresearch': 950339, 'read up': 700643, 'improve your': 419554, 'your commerce': 1023258, 'commerce site': 188632, 'site using': 772047, 'using qualitative': 950614, 'qualitative and': 691749, 'and quantitative': 69853, 'quantitative user': 691900, 'user research': 950315, 'research during': 713705, 'by oh': 153406, 'it cro': 457416, 'cro ux': 218815, 'ux userresearch': 951509, 'userresearch ecommerce': 950340, 'read up on': 700644, 'up on how': 945579, 'how to improve': 409031, 'to improve your': 908210, 'improve your commerce': 419556, 'your commerce site': 1023259, 'commerce site using': 188635, 'site using qualitative': 772048, 'using qualitative and': 950615, 'qualitative and quantitative': 691750, 'and quantitative user': 69854, 'quantitative user research': 691901, 'user research during': 950316, 'research during the': 713707, 'coronavirus crisis by': 205741, 'crisis by oh': 217175, 'by oh and': 153407, 'oh and in': 596355, 'and in it': 65056, 'in it cro': 424236, 'it cro ux': 457417, 'cro ux userresearch': 218816, 'ux userresearch ecommerce': 951510, 'way massive': 969701, 'massive statewide': 520123, 'statewide hotline': 796267, 'provide assistance': 686230, 'emergency call': 272617, 'united way massive': 942265, 'way massive statewide': 969702, 'massive statewide hotline': 520124, 'statewide hotline will': 796268, 'will provide assistance': 994508, 'provide assistance to': 686231, 'to consumer during': 903293, 'health emergency call': 386395, 'emergency call for': 272618, 'call for information': 155875, 'disrespectful': 246357, 'to hell': 907430, 'hell hotel': 389020, 'restaurant pub': 716649, 'pub fast': 687706, 'outlet and': 629023, 'cannot allow': 161624, 'allow covid': 45937, 'face disaster': 294395, 'disaster it': 244221, 'so disrespectful': 776875, 'disrespectful to': 246360, 'demand such': 236286, 'such nonsense': 816652, 'please tell them': 660651, 'them to go': 876475, 'go to hell': 354317, 'to hell hotel': 907431, 'hell hotel restaurant': 389021, 'hotel restaurant pub': 405189, 'restaurant pub fast': 716651, 'pub fast food': 687707, 'food outlet and': 315715, 'outlet and many': 629024, 'many other business': 514425, 'business are closed': 143359, 'are closed we': 85375, 'closed we cannot': 183428, 'we cannot allow': 971048, 'cannot allow covid': 161625, 'allow covid 19': 45938, '19 to spread': 11460, 'spread and face': 790408, 'and face disaster': 62583, 'face disaster it': 294396, 'disaster it so': 244222, 'it so disrespectful': 461104, 'so disrespectful to': 776876, 'disrespectful to demand': 246361, 'to demand such': 904159, 'demand such nonsense': 236287, 'stealth': 799268, 'strait': 812338, 'ph ph': 653980, 'ph and': 653967, 'news today': 560897, 'are oil': 88695, 'philippine raising': 654739, 'price fraud': 674092, 'greed have': 363382, 'have combined': 380023, 'make stealth': 510492, 'stealth move': 799271, 'move because': 543619, 'because government': 119083, 'dire strait': 243261, 'ph ph and': 653981, 'ph and the': 653968, 'and the latest': 73445, 'latest news today': 481460, 'news today so': 560899, 'today so why': 920196, 'why are oil': 990778, 'are oil company': 88696, 'oil company in': 596692, 'the philippine raising': 863673, 'philippine raising price': 654740, 'raising price fraud': 696113, 'price fraud and': 674093, 'fraud and greed': 331232, 'and greed have': 63946, 'greed have combined': 363383, 'have combined to': 380024, 'combined to make': 187134, 'to make stealth': 909745, 'make stealth move': 510493, 'stealth move because': 799272, 'move because government': 543620, 'because government agency': 119084, 'government agency are': 359843, 'agency are in': 37984, 'in dire strait': 422275, 'oman commercial': 598831, 'complex to': 192419, 'down except': 256745, 'except food': 289148, 'catering shop': 167267, 'shop clinic': 760040, 'optical shop': 613881, '19 all store': 4903, 'store in oman': 808361, 'in oman commercial': 426108, 'oman commercial complex': 598832, 'commercial complex to': 188685, 'complex to close': 192420, 'close down except': 182613, 'down except food': 256746, 'except food and': 289149, 'consumer catering shop': 196746, 'catering shop clinic': 167268, 'shop clinic pharmacy': 760041, 'and optical shop': 68200, 'dol': 252909, 'dying where': 263883, 'where dol': 984842, 'dol more': 252912, 'food leader': 315283, 'leader on': 483505, 'what must': 981890, 'worker are dying': 1006382, 'are dying where': 86058, 'dying where dol': 263884, 'where dol more': 984843, 'dol more from': 252913, 'more from and': 539297, 'from and food': 334513, 'and food leader': 63066, 'food leader on': 315284, 'leader on what': 483508, 'on what must': 605232, 'what must be': 981891, 'must be done': 546501, 'americorps': 52351, 'thread because': 893522, 'because angry': 118934, 'angry an': 76455, 'an at': 55461, 'old white': 598535, 'white man': 987870, 'who tried': 989828, 'tried shaming': 931816, 'shaming me': 754750, 'then hit': 877243, 'cart throughout': 165397, 'taken three': 833086, 'work where': 1006001, 'where an': 984728, 'an americorps': 55289, 'americorps member': 52352, 'member doing': 528060, 'doing case': 252326, 'case management': 165861, 'thread because angry': 893523, 'because angry an': 118935, 'angry an at': 76456, 'an at the': 55464, 'at the old': 101038, 'the old white': 862147, 'old white man': 598536, 'white man who': 987872, 'man who tried': 512341, 'who tried shaming': 989830, 'tried shaming me': 931817, 'shaming me out': 754751, 'and then hit': 73770, 'then hit me': 877245, 'hit me with': 398323, 'me with cart': 523988, 'with cart throughout': 997556, 'cart throughout the': 165398, 'throughout the covid': 894968, 'crisis have taken': 217463, 'have taken three': 382919, 'taken three day': 833087, 'three day off': 893913, 'day off from': 228126, 'off from work': 593854, 'from work where': 338419, 'work where an': 1006003, 'where an americorps': 984729, 'an americorps member': 55290, 'americorps member doing': 52353, 'member doing case': 528061, 'doing case management': 252327, 'promoter': 683816, 'discretionary stock': 244781, 'stock airline': 801772, 'airline are': 39923, 'go bankrupt': 353359, 'bankrupt after': 110485, 'event promoter': 285055, 'promoter may': 683819, 'also file': 48203, 'file for': 305348, 'for chapter': 320019, 'chapter eleven': 173133, 'avoid any consumer': 105004, 'any consumer discretionary': 79054, 'consumer discretionary stock': 197219, 'discretionary stock airline': 244782, 'stock airline are': 801773, 'airline are about': 39924, 'to go bankrupt': 906774, 'go bankrupt after': 353360, 'bankrupt after that': 110486, 'after that restaurant': 36278, 'that restaurant and': 846020, 'restaurant and event': 716285, 'and event promoter': 62361, 'event promoter may': 285056, 'promoter may also': 683820, 'may also file': 520916, 'also file for': 48204, 'file for chapter': 305350, 'for chapter eleven': 320020, 'awful to': 106246, 'hear nurse': 387963, 'tear of': 835958, 'of exhaustion': 583303, 'exhaustion on': 290195, 'on tonight': 604797, 'because after': 118910, 'after massive': 35911, 'shift there': 758425, 'supermarket surely': 823071, 'surely food': 827908, 'kept back': 473021, 'of fund': 584009, 'fund dig': 341384, 'dig deep': 242427, 'deep stockpilers': 231926, 'awful to hear': 106247, 'to hear nurse': 907412, 'hear nurse in': 387965, 'in tear of': 428843, 'tear of exhaustion': 835959, 'of exhaustion on': 583304, 'exhaustion on tonight': 290196, 'on tonight because': 604798, 'tonight because after': 924378, 'because after massive': 118911, 'after massive shift': 35913, 'massive shift there': 520104, 'shift there wa': 758426, 'wa no food': 962722, 'the supermarket surely': 868837, 'supermarket surely food': 823072, 'surely food should': 827909, 'food should be': 316618, 'should be kept': 765653, 'be kept back': 115595, 'kept back for': 473022, 'back for worker': 106998, 'for worker in': 327938, 'worker in this': 1007207, 'this crisis can': 887025, 'crisis can we': 217184, 'can we donate': 160170, 'we donate to': 971400, 'donate to some': 254268, 'to some sort': 914889, 'sort of fund': 786123, 'of fund dig': 584011, 'fund dig deep': 341385, 'dig deep stockpilers': 242429, 'bareshelves': 111045, 'today staple': 920209, 'egg rice': 269972, 'rice tuna': 721160, 'tuna fish': 935380, 'fish bread': 309295, 'milk gone': 531691, 'gone oh': 356346, 'oh yeah': 596496, 'yeah no': 1014278, 'no ground': 564383, 'ground turkey': 366550, 'turkey no': 935563, 'chicken accept': 175731, 'accept big': 27944, 'big bag': 129631, 'leg quarter': 485819, 'quarter pandemic': 693260, 'pandemic coronacrisis': 635222, 'coronacrisis bareshelves': 204521, 'store today staple': 810867, 'today staple like': 920210, 'staple like milk': 793971, 'like milk egg': 490779, 'milk egg rice': 531660, 'egg rice tuna': 269974, 'rice tuna fish': 721161, 'tuna fish bread': 935381, 'fish bread milk': 309296, 'bread milk gone': 138528, 'milk gone oh': 531692, 'gone oh yeah': 356347, 'oh yeah no': 596498, 'yeah no ground': 1014279, 'no ground turkey': 564384, 'ground turkey no': 366552, 'turkey no chicken': 935564, 'no chicken accept': 563795, 'chicken accept big': 175732, 'accept big bag': 27945, 'big bag of': 129632, 'bag of the': 108370, 'of the leg': 591184, 'the leg quarter': 859273, 'leg quarter pandemic': 485820, 'quarter pandemic coronacrisis': 693261, 'pandemic coronacrisis bareshelves': 635223, 'jet': 465330, 'spicejet': 789224, 'doe spice': 251581, 'spice jet': 789205, 'jet refuse': 465347, 'refund money': 706927, 'customer due': 222313, '19 spice': 10734, 'jet requires': 465349, 'requires me': 713478, 'travel by': 930303, 'transport spicejet': 929944, 'spicejet will': 789228, 'issue spice': 455929, 'jet force': 465335, 'force me': 328442, 'to knock': 908966, 'door of': 255662, 'consumer court': 197003, 'how doe spice': 407747, 'doe spice jet': 251582, 'spice jet refuse': 789210, 'jet refuse to': 465348, 'refuse to refund': 707039, 'to refund money': 913087, 'refund money to': 706928, 'money to customer': 537091, 'to customer due': 903849, 'customer due to': 222314, 'covid 19 spice': 213845, '19 spice jet': 10735, 'spice jet requires': 789211, 'jet requires me': 465350, 'requires me to': 713479, 'me to travel': 523793, 'to travel by': 917726, 'travel by public': 930304, 'by public transport': 153687, 'public transport spicejet': 688417, 'transport spicejet will': 929945, 'spicejet will be': 789229, 'will be responsible': 992649, 'be responsible for': 116837, 'responsible for any': 716029, 'for any health': 319406, 'any health issue': 79308, 'health issue spice': 386578, 'issue spice jet': 455930, 'spice jet force': 789207, 'jet force me': 465336, 'force me to': 328443, 'me to knock': 523761, 'to knock on': 908968, 'the door of': 853578, 'door of the': 255667, 'the consumer court': 851518, 'waterloo': 969289, 'gravenhurst': 362434, 'muskoka': 546406, 'provider in': 686740, 'in called': 421160, 'called to': 156470, 'say someone': 739157, 'from waterloo': 338301, 'waterloo with': 969292, 'with positive': 1000258, 'of stopped': 590230, 'at gravenhurst': 98792, 'gravenhurst grocery': 362435, 'before self': 123059, 'in muskoka': 425521, 'muskoka the': 546408, 'the audio': 849045, 'audio ha': 102925, 'changed 19': 172424, 'just in healthcare': 469036, 'in healthcare provider': 423609, 'healthcare provider in': 387251, 'provider in called': 686741, 'in called to': 421161, 'called to say': 156474, 'to say someone': 913838, 'say someone from': 739158, 'someone from waterloo': 784475, 'from waterloo with': 338302, 'waterloo with positive': 969293, 'with positive case': 1000259, 'case of stopped': 165928, 'of stopped at': 590231, 'stopped at gravenhurst': 805685, 'at gravenhurst grocery': 98793, 'gravenhurst grocery store': 362436, 'store before self': 806704, 'before self isolating': 123060, 'self isolating in': 747729, 'isolating in muskoka': 455113, 'in muskoka the': 425522, 'muskoka the audio': 546409, 'the audio ha': 849046, 'audio ha been': 102926, 'ha been changed': 369745, 'been changed 19': 120814, 'reinvesting': 708280, 'global impact': 351982, 'behaviour plus': 124494, 'plus why': 661721, 'why b2b': 990827, 'b2b marketer': 106464, 'are reinvesting': 89546, 'reinvesting in': 708281, 'global impact of': 351984, '19 consumer behaviour': 5958, 'consumer behaviour plus': 196592, 'behaviour plus why': 124495, 'plus why b2b': 661722, 'why b2b marketer': 990828, 'b2b marketer are': 106465, 'marketer are reinvesting': 517453, 'are reinvesting in': 89547, 'reinvesting in digital': 708282, 'windham': 995650, 'ethan': 282954, 'ostroff': 619751, 'troutmanpepper': 932693, 'mark windham': 515842, 'windham and': 995651, 'and ethan': 62289, 'ethan ostroff': 282957, 'ostroff highlight': 619752, 'the explanation': 854735, 'explanation that': 292280, 'cfpb offered': 170357, 'offered in': 594934, 'their guide': 873459, 'coronavirus mortgage': 206292, 'option troutmanpepper': 614134, 'mark windham and': 515843, 'windham and ethan': 995652, 'and ethan ostroff': 62290, 'ethan ostroff highlight': 282958, 'ostroff highlight of': 619753, 'highlight of the': 395940, 'of the explanation': 591004, 'the explanation that': 854736, 'explanation that the': 292281, 'that the cfpb': 846677, 'the cfpb offered': 850627, 'cfpb offered in': 170358, 'offered in their': 594935, 'in their guide': 429746, 'their guide to': 873460, 'guide to coronavirus': 368363, 'to coronavirus mortgage': 903559, 'coronavirus mortgage relief': 206293, 'mortgage relief option': 541950, 'relief option troutmanpepper': 709411, 'supplychainchallenge': 826248, 'new bathroom': 558379, 'bathroom accessory': 112627, 'accessory toiletpaper': 28382, 'toiletpaper supplychainchallenge': 922568, 'my new bathroom': 549454, 'new bathroom accessory': 558380, 'bathroom accessory toiletpaper': 112628, 'accessory toiletpaper supplychainchallenge': 28383, 'scary shocking': 741179, 'shocking simulation': 759620, 'this is scary': 888391, 'is scary shocking': 451680, 'scary shocking simulation': 741180, 'shocking simulation show': 759621, 'to recruit': 912995, 'recruit new': 705466, 'new temporary': 559730, 'temporary staff': 837697, 'giant are looking': 349748, 'looking to recruit': 503042, 'to recruit new': 912998, 'recruit new temporary': 705468, 'new temporary staff': 559732, 'temporary staff to': 837698, 'staff to help': 792990, 'help keep up': 389977, 'owe gratitude': 631811, 'gratitude across': 362354, 'their incredible': 873648, 'incredible sacrifice': 433863, 'sacrifice during': 729081, 'also owe': 48637, 'their sacrifice': 874607, 'sacrifice many': 729094, 'many earn': 514021, 'earn minimum': 264797, 'wage thank': 963961, 'them tip': 876446, 'checkout when': 175054, 'we owe gratitude': 972677, 'owe gratitude across': 631812, 'gratitude across the': 362355, 'board for their': 133633, 'for their incredible': 326841, 'their incredible sacrifice': 873650, 'incredible sacrifice during': 433864, 'sacrifice during but': 729082, 'during but we': 262487, 'but we also': 147736, 'we also owe': 970403, 'also owe gratitude': 48638, 'owe gratitude to': 631813, 'gratitude to grocery': 362400, 'worker for their': 1006974, 'for their sacrifice': 326867, 'their sacrifice many': 874608, 'sacrifice many earn': 729095, 'many earn minimum': 514022, 'earn minimum wage': 264798, 'minimum wage thank': 533244, 'wage thank them': 963962, 'thank them tip': 841664, 'them tip at': 876447, 'tip at the': 898716, 'at the checkout': 100910, 'the checkout when': 850780, 'checkout when you': 175055, 'you buy your': 1017591, 'buy your essential': 149495, 'home cover': 400962, 'and nose': 67702, 'nose when': 567938, 'when coughing': 983295, 'and sneezing': 71829, 'sneezing do': 776310, 'surface wash': 828087, 'sanitizer eat': 734804, 'eat well': 266098, 'well sleep': 978559, 'sleep well': 773804, 'of doing': 582766, 'online spread': 609416, 'this tweet': 890885, 'tweet and': 936340, 'at home cover': 98963, 'home cover your': 400964, 'cover your mouth': 212326, 'mouth and nose': 543486, 'and nose when': 67705, 'nose when coughing': 567939, 'when coughing and': 983296, 'coughing and sneezing': 208665, 'and sneezing do': 71832, 'sneezing do not': 776311, 'touch the surface': 926553, 'the surface wash': 868999, 'surface wash your': 828089, 'with soap or': 1000803, 'hand sanitizer eat': 375383, 'sanitizer eat well': 734805, 'eat well sleep': 266103, 'well sleep well': 978560, 'sleep well come': 773806, 'well come up': 978112, 'up with new': 946666, 'with new way': 999714, 'way of doing': 969749, 'of doing business': 582767, 'doing business online': 252322, 'business online spread': 144143, 'online spread this': 609417, 'spread this tweet': 790838, 'this tweet and': 890887, 'tweet and stop': 936343, 'sincerely': 771034, 'counselor': 210085, 'over sincerely': 630614, 'sincerely hope': 771045, 'start understanding': 794613, 'understanding who': 940899, 'who essential': 988706, 're your': 699852, 'your cook': 1023338, 'cook grocery': 202751, 'employee parent': 274106, 'parent teacher': 641739, 'teacher doctor': 835450, 'nurse counselor': 577254, 'counselor and': 210086, 'others never': 621541, 'never again': 557850, 'again should': 37160, 'we define': 971252, 'define who': 232278, 'all over sincerely': 43877, 'over sincerely hope': 630615, 'sincerely hope we': 771046, 'hope we start': 403769, 'we start understanding': 973380, 'start understanding who': 794614, 'understanding who essential': 940900, 'who essential worker': 988707, 'worker are they': 1006434, 'are they re': 91019, 'they re your': 883155, 're your cook': 699853, 'your cook grocery': 1023339, 'cook grocery store': 202752, 'store employee parent': 807520, 'employee parent teacher': 274107, 'parent teacher doctor': 641740, 'teacher doctor nurse': 835451, 'doctor nurse counselor': 251007, 'nurse counselor and': 577255, 'counselor and countless': 210087, 'countless others never': 210389, 'others never again': 621542, 'never again should': 557853, 'again should we': 37161, 'should we define': 766644, 'we define who': 971253, 'define who is': 232279, 'who is essential': 989071, 'on singapore': 603475, 'singapore private': 771145, 'private home': 678915, 'q1 2020': 691397, 'of on singapore': 587225, 'on singapore private': 603476, 'singapore private home': 771146, 'private home price': 678916, 'home price down': 401898, 'down in q1': 256866, 'in q1 2020': 427150, 'surveyed': 828991, 'consumer perspective': 198360, 'perspective ai': 653179, 'ai surveyed': 39343, 'surveyed over': 829007, 'over 00': 629747, 'impacted spending': 418153, 'habit brand': 372576, 'brand loyalty': 137892, 'loyalty and': 506287, 'better understand the': 128587, 'understand the consumer': 940751, 'the consumer perspective': 851572, 'consumer perspective ai': 198361, 'perspective ai surveyed': 653180, 'ai surveyed over': 39344, 'surveyed over 00': 829008, 'over 00 consumer': 629750, '00 consumer to': 148, 'consumer to uncover': 199333, 'uncover how ha': 939906, 'how ha impacted': 407950, 'ha impacted spending': 370919, 'impacted spending habit': 418154, 'spending habit brand': 788834, 'habit brand loyalty': 372577, 'brand loyalty and': 137893, 'loyalty and direct': 506288, 'to consumer service': 903332, 'indecent': 433974, 'regretted': 707714, 'pleaded guilty': 659577, 'guilty to': 368572, 'to indecent': 908319, 'indecent behavior': 433975, 'after filming': 35665, 'filming himself': 305736, 'himself deliberately': 396801, 'deliberately coughing': 232957, 'in christchurch': 421461, 'christchurch new': 178101, 'zealand raymond': 1027306, 'coombs 38': 203083, '38 said': 18140, 'wa drunk': 962042, 'drunk and': 261215, 'it joke': 459203, 'but regretted': 146913, 'regretted it': 707715, 'it he': 458504, 'man ha pleaded': 512080, 'ha pleaded guilty': 371501, 'pleaded guilty to': 659578, 'guilty to indecent': 368573, 'to indecent behavior': 908320, 'indecent behavior after': 433976, 'behavior after filming': 123860, 'after filming himself': 35666, 'filming himself deliberately': 305737, 'himself deliberately coughing': 396802, 'deliberately coughing on': 232959, 'coughing on other': 208719, 'on other people': 602559, 'supermarket in christchurch': 820878, 'in christchurch new': 421462, 'christchurch new zealand': 178102, 'new zealand raymond': 559995, 'zealand raymond coombs': 1027307, 'raymond coombs 38': 698042, 'coombs 38 said': 203084, '38 said he': 18141, 'he wa drunk': 385596, 'wa drunk and': 962043, 'drunk and did': 261216, 'and did it': 61316, 'did it joke': 240663, 'it joke but': 459204, 'joke but regretted': 467063, 'but regretted it': 146914, 'regretted it he': 707716, 'it he tested': 458507, 'he tested negative': 385506, 'negative for covid': 556778, 'avoid fraudsters': 105113, 'fraudsters during': 331412, 'to avoid fraudsters': 900899, 'avoid fraudsters during': 105114, 'fraudsters during covid': 331413, '990': 23927, 'get hero': 347222, 'hero pay': 394067, 'pay very': 645215, 'sad safeway': 729221, 'safeway at': 730832, 'king edward': 475258, 'edward mall': 268921, 'mall 990': 511729, '990 king': 23928, 'edward ave': 268915, 'ave fresh': 104740, 'fresh co': 332939, 'no road': 565378, 'and williams': 75706, 'why they should': 991460, 'they should all': 883352, 'should all get': 765488, 'all get hero': 42913, 'get hero pay': 347223, 'hero pay very': 394068, 'pay very sad': 645216, 'very sad safeway': 955491, 'sad safeway at': 729222, 'safeway at king': 730833, 'at king edward': 99382, 'king edward mall': 475260, 'edward mall 990': 268922, 'mall 990 king': 511730, '990 king edward': 23929, 'king edward ave': 475259, 'edward ave fresh': 268916, 'ave fresh co': 104741, 'fresh co store': 332940, 'co store at': 184963, 'store at no': 806586, 'at no road': 99896, 'no road and': 565379, 'road and williams': 724404, 'dmme': 248959, 'out extremely': 626049, 'extremely thankful': 293929, 'order hand': 618282, 'disinfectant non': 245715, 'non toxic': 566514, 'toxic and': 927636, 'and plant': 69069, 'based stayhomesavelives': 111750, 'stayhomesavelives handsanitizer': 798389, 'handsanitizer disinfectant': 376509, 'disinfectant dmme': 245647, 'dmme dm': 248960, 'dm healthyathome': 248894, 'store are sold': 806524, 'sold out extremely': 781733, 'out extremely thankful': 626050, 'extremely thankful to': 293931, 'able to order': 24514, 'to order hand': 911072, 'order hand sanitizer': 618283, 'sanitizer and disinfectant': 734399, 'and disinfectant non': 61449, 'disinfectant non toxic': 245716, 'non toxic and': 566515, 'toxic and plant': 927637, 'and plant based': 69070, 'plant based stayhomesavelives': 658626, 'based stayhomesavelives handsanitizer': 111751, 'stayhomesavelives handsanitizer disinfectant': 798390, 'handsanitizer disinfectant dmme': 376510, 'disinfectant dmme dm': 245648, 'dmme dm healthyathome': 248961, 'thinking the': 886004, 'the head': 857161, 'visiting chinese': 959516, 'chinese red': 177335, 'red cross': 705571, 'cross delegation': 219001, 'delegation helping': 232839, 'helping italy': 391365, 'italy respond': 462901, 'don know what': 253674, 're thinking the': 699708, 'thinking the head': 886005, 'the head of': 857166, 'head of visiting': 385776, 'of visiting chinese': 592837, 'visiting chinese red': 959517, 'chinese red cross': 177336, 'red cross delegation': 705572, 'cross delegation helping': 219002, 'delegation helping italy': 232840, 'helping italy respond': 391366, 'italy respond to': 462902, 'coronavirus crisis say': 205766, 'crisis say the': 218004, 'country is not': 210812, 'is not doing': 450065, 'not doing enough': 569085, 'enough to contain': 277693, 'contain the virus': 200503, 'public power': 688242, 'power utility': 667728, 'utility lower': 951298, 'lower power': 505944, 'power price': 667661, 'florida public power': 310970, 'public power utility': 688243, 'power utility lower': 667729, 'utility lower power': 951299, 'lower power price': 505945, 'power price during': 667663, 'than cure': 840479, 'beat wash': 118581, 'soap wear': 779169, 'clean cloth': 180498, 'cloth to': 184114, 'mouth if': 543521, 'place try': 657784, 'one meter': 606654, 'from stranger': 337452, 'stranger eat': 812465, 'eat homemade': 265940, 'homemade food': 402829, 'food much': 315486, 'possible let': 665701, 'better than cure': 128517, 'than cure let': 840481, 'cure let beat': 220767, 'let beat wash': 486626, 'beat wash hand': 118582, 'frequently with soap': 332891, 'with soap wear': 1000810, 'soap wear mask': 779170, 'mask or use': 519080, 'or use clean': 617614, 'use clean cloth': 949110, 'clean cloth to': 180499, 'cloth to cover': 184115, 'your mouth if': 1024898, 'mouth if you': 543522, 'are in crowded': 87371, 'in crowded place': 421918, 'crowded place try': 219340, 'place try to': 657785, 'to make one': 909708, 'make one meter': 510269, 'one meter distance': 606655, 'meter distance from': 529708, 'distance from stranger': 246719, 'from stranger eat': 337453, 'stranger eat homemade': 812466, 'eat homemade food': 265941, 'homemade food much': 402831, 'food much possible': 315487, 'much possible let': 545243, 'possible let not': 665702, 'me spending': 523522, 'my money': 549294, 'money like': 536871, 'idiot shopping': 413585, 'like stealing': 491233, 'stealing like': 799240, 'me spending all': 523523, 'spending all my': 788725, 'all my money': 43565, 'my money like': 549298, 'money like an': 536872, 'like an idiot': 489772, 'an idiot shopping': 56151, 'idiot shopping online': 413586, 'online to look': 609590, 'to look like': 909439, 'look like stealing': 502511, 'like stealing like': 491234, 'stealing like crazy': 799241, 'like crazy so': 490070, 'crazy so no': 215420, 'so no one': 777888, 'one can see': 606049, 'can see it': 159541, 'see it during': 745328, 'it during quarantine': 457723, 'nugget': 576776, 'fucknuggets': 340073, 'stop be': 804475, 'be say': 117001, 'say whore': 739491, 'whore nugget': 990605, 'nugget stoppanicbuying': 576777, 'stoppanicbuying idiot': 805578, 'idiot sainsburys': 413580, 'sainsburys fucknuggets': 731760, 'stop be say': 804476, 'be say whore': 117002, 'say whore nugget': 739492, 'whore nugget stoppanicbuying': 990606, 'nugget stoppanicbuying idiot': 576778, 'stoppanicbuying idiot sainsburys': 805579, 'idiot sainsburys fucknuggets': 413581, 'burnt': 142931, 'in iran': 424144, 'iran prisoner': 444700, 'prisoner were': 678763, 'were released': 980048, 'released in': 709049, 'italy prisoner': 462893, 'prisoner created': 678755, 'created nuisance': 215861, 'nuisance even': 576782, 'even burnt': 283914, 'burnt prison': 142934, 'prison cell': 678709, 'cell after': 168938, 'of suspect': 590542, 'suspect of': 829479, 'prison whereas': 678741, 'india prisoner': 434574, 'prisoner are': 678752, 'making face': 511058, 'mask selling': 519249, 'price bharat': 672924, 'in iran prisoner': 424146, 'iran prisoner were': 444702, 'prisoner were released': 678764, 'were released in': 980049, 'released in view': 709053, 'view of in': 957128, 'of in italy': 585029, 'in italy prisoner': 424313, 'italy prisoner created': 462894, 'prisoner created nuisance': 678756, 'created nuisance even': 215863, 'nuisance even burnt': 576783, 'even burnt prison': 283915, 'burnt prison cell': 142935, 'prison cell after': 678710, 'cell after the': 168940, 'after the news': 36336, 'the news of': 861622, 'news of suspect': 560651, 'of suspect of': 590543, 'suspect of in': 829480, 'in the prison': 429475, 'the prison whereas': 864480, 'prison whereas in': 678742, 'whereas in india': 985427, 'in india prisoner': 424049, 'india prisoner are': 434575, 'prisoner are making': 678754, 'are making face': 87979, 'making face mask': 511060, 'face mask selling': 294587, 'mask selling them': 519250, 'them at extremely': 875437, 'at extremely low': 98606, 'extremely low price': 293906, 'low price bharat': 505503, 'hopeful': 403833, 'housingmarket': 407175, 'whenwillpricesfall': 984703, 'homeprices': 402902, 'luxur': 506902, 'down likely': 256920, 'likely april': 491948, 'april and': 83542, 'may yet': 521621, 'yet buyer': 1016029, 'buyer might': 149685, 'more hopeful': 539446, 'hopeful than': 403836, 'anyone think': 80563, 'think recovery': 885512, 'recovery housingmarket': 705339, 'housingmarket whenwillpricesfall': 407180, 'whenwillpricesfall homeprices': 984704, 'homeprices condo': 402905, 'condo realestate': 193588, 'realestate checkout': 701475, 'checkout this': 175033, 'about luxur': 25682, 'when will house': 984500, 'house price go': 406485, 'go down likely': 353493, 'down likely april': 256921, 'likely april and': 491949, 'april and may': 83544, 'and may yet': 66806, 'may yet buyer': 521623, 'yet buyer might': 1016030, 'buyer might be': 149686, 'be more hopeful': 115979, 'more hopeful than': 539447, 'hopeful than anyone': 403837, 'than anyone think': 840357, 'anyone think recovery': 80565, 'think recovery housingmarket': 885513, 'recovery housingmarket whenwillpricesfall': 705340, 'housingmarket whenwillpricesfall homeprices': 407181, 'whenwillpricesfall homeprices condo': 984705, 'homeprices condo realestate': 402906, 'condo realestate checkout': 193589, 'realestate checkout this': 701476, 'checkout this tweet': 175036, 'this tweet about': 890886, 'tweet about luxur': 936327, 'retweet corona': 720044, 'virus patient': 958618, 'patient coughed': 644155, 'on me': 602064, 'plz retweet corona': 661831, 'retweet corona virus': 720045, 'corona virus patient': 204340, 'virus patient coughed': 958619, 'patient coughed on': 644156, 'coughed on me': 208630, 'on me at': 602066, 'me at supermarket': 522478, 'sama': 732930, 'tingin': 898590, 'sakin': 731888, 'mga': 530086, 'kanina': 470792, 'ang sama': 76294, 'sama ng': 732931, 'ng tingin': 561803, 'tingin sakin': 898591, 'sakin ng': 731889, 'ng mga': 561797, 'mga local': 530089, 'local kanina': 498134, 'kanina sa': 470793, 'sa grocery': 728892, 'even chinese': 283948, 'chinese but': 177206, 'really see': 702560, 'difference coronacrisis': 241829, 'ang sama ng': 76295, 'sama ng tingin': 732932, 'ng tingin sakin': 561804, 'tingin sakin ng': 898592, 'sakin ng mga': 731890, 'ng mga local': 561798, 'mga local kanina': 530090, 'local kanina sa': 498135, 'kanina sa grocery': 470794, 'sa grocery store': 728893, 'store not even': 809102, 'not even chinese': 569239, 'even chinese but': 283949, 'chinese but they': 177207, 'but they don': 147503, 'they don really': 881998, 'don really see': 253854, 'really see the': 702561, 'see the difference': 745826, 'the difference coronacrisis': 853260, 'coronavirius': 205425, 'coronanews': 205088, 'novelcorona': 573827, 'beresponsible': 127290, 'keepcalm': 472304, 'aardwolfkenya': 24140, 'sanitising': 734120, 'let others': 486954, 'the benefit': 849469, 'benefit in': 127007, 'the war': 871063, 'between human': 128803, '19 coronapandemic': 6074, 'coronapandemic coronavirius': 205144, 'coronavirius coronanews': 205426, 'coronanews coronavid19': 205089, 'coronavid19 novelcorona': 205386, 'novelcorona cov': 573828, 'cov d19': 212113, 'd19 staysafe': 224186, 'staysafe stayathome': 798891, 'stayathome beresponsible': 797441, 'beresponsible keepcalm': 127292, 'keepcalm precaution': 472307, 'precaution aardwolfkenya': 669263, 'aardwolfkenya sanitising': 24141, 'sanitizer and let': 734414, 'and let others': 66111, 'let others to': 486956, 'others to know': 621731, 'about the benefit': 26341, 'the benefit in': 849472, 'benefit in the': 127008, 'in the war': 429656, 'the war between': 871066, 'war between human': 966376, 'between human and': 128804, 'human and covid': 410405, 'covid 19 coronapandemic': 212866, '19 coronapandemic coronavirius': 6075, 'coronapandemic coronavirius coronanews': 205145, 'coronavirius coronanews coronavid19': 205427, 'coronanews coronavid19 novelcorona': 205090, 'coronavid19 novelcorona cov': 205387, 'novelcorona cov d19': 573829, 'cov d19 staysafe': 212119, 'd19 staysafe stayathome': 224187, 'staysafe stayathome beresponsible': 798892, 'stayathome beresponsible keepcalm': 797442, 'beresponsible keepcalm precaution': 127293, 'keepcalm precaution aardwolfkenya': 472308, 'precaution aardwolfkenya sanitising': 669264, 'japan consumption': 464722, 'price response': 676196, 'japan consumption and': 464723, 'and price response': 69471, 'price response to': 676198, 'logistical': 500698, 'facing increase': 295499, 'while simultaneously': 987274, 'simultaneously facing': 770380, 'facing logistical': 295526, 'logistical difficulty': 500701, 'difficulty with': 242417, 'around the are': 93522, 'the are facing': 848862, 'are facing increase': 86418, 'facing increase of': 295500, 'increase of demand': 432937, 'of demand while': 582514, 'demand while simultaneously': 236491, 'while simultaneously facing': 987275, 'simultaneously facing logistical': 770381, 'facing logistical difficulty': 295527, 'logistical difficulty with': 500702, 'difficulty with supply': 242418, 'supply and volunteer': 824764, 'case hence': 165769, 'hence their': 391757, 'survive civil': 829139, 'if broken': 413907, 'broken over': 140909, 'over short': 630609, 'basic probability': 112027, '19 chinese concluded': 5798, 'most case hence': 542162, 'case hence their': 165770, 'hence their data': 391758, 'reliable in people': 709206, 'in people are': 426586, 'are stockpiling gun': 90523, 'stockpiling gun to': 803982, 'gun to survive': 368750, 'to survive civil': 916020, 'survive civil war': 829140, 'war if broken': 966461, 'if broken over': 413908, 'broken over short': 140910, 'over short supply': 630610, 'short supply of': 764711, 'food basic probability': 313683, 'basic probability show': 112028, 'sole': 781848, 'discretion': 244752, 'hi since': 394732, '19 escalation': 6829, 'sa there': 728953, 'there been': 878229, 'been no': 121567, 'cost price': 208083, 'or recommended': 616804, 'recommended retail': 704792, 'retail selling': 718540, 'product retail': 681580, 'at sole': 100571, 'sole discretion': 781849, 'discretion of': 244757, 'of retailer': 589061, 'retailer we': 719402, 'control them': 202178, 'them we': 876584, 're following': 698693, 'following guideline': 312746, 'hi since the': 394733, 'covid 19 escalation': 213035, '19 escalation in': 6830, 'escalation in sa': 280289, 'in sa there': 427607, 'sa there been': 728954, 'there been no': 878232, 'been no cost': 121568, 'no cost price': 563907, 'cost price or': 208087, 'price or recommended': 675787, 'or recommended retail': 616805, 'recommended retail selling': 704794, 'retail selling price': 718541, 'selling price increase': 749412, 'price increase on': 674780, 'increase on our': 432953, 'on our product': 602622, 'our product retail': 624483, 'product retail price': 681581, 'are at sole': 84682, 'at sole discretion': 100572, 'sole discretion of': 781850, 'discretion of retailer': 244758, 'of retailer we': 589068, 'retailer we don': 719403, 'we don control': 971378, 'don control them': 253441, 'control them we': 202180, 'them we re': 876589, 'we re following': 972876, 're following guideline': 698695, 'verb': 954740, 'sellive': 749541, 'shoplive': 761216, 'liveshopping': 496253, 'salestool': 732705, 'verb onlineshopping': 954745, 'onlineshopping sellive': 609932, 'sellive shoplive': 749542, 'shoplive online': 761217, 'shopping zm': 764496, 'zm month': 1027657, 'free verb': 332297, 'verb is': 954743, 'is releasing': 451412, 'releasing the': 709127, 'new liveshopping': 559046, 'liveshopping webinar': 496254, 'webinar salestool': 975094, 'salestool early': 732706, 'stayathome initiative': 797508, 'verb onlineshopping sellive': 954746, 'onlineshopping sellive shoplive': 609933, 'sellive shoplive online': 749543, 'shoplive online shopping': 761218, 'online shopping zm': 609359, 'shopping zm month': 764497, 'zm month free': 1027658, 'month free verb': 537739, 'free verb is': 332298, 'verb is releasing': 954744, 'is releasing the': 451413, 'releasing the new': 709128, 'the new liveshopping': 861527, 'new liveshopping webinar': 559047, 'liveshopping webinar salestool': 496255, 'webinar salestool early': 975095, 'salestool early to': 732707, 'early to help': 264731, 'help the stayathome': 390681, 'the stayathome initiative': 867852, '2020 rationed': 14556, 'rationed bag': 697774, 'potato with': 667003, 'his family': 397414, 'gave my': 344651, 'my 75': 547176, '75 year': 22173, 'old father': 598249, 'father package': 300304, 'tp because': 927763, 'any at': 78945, 'today in 2020': 919679, 'in 2020 rationed': 419854, '2020 rationed bag': 14557, 'rationed bag of': 697775, 'of potato with': 588277, 'potato with my': 667004, 'with my son': 999653, 'son and his': 785349, 'and his family': 64595, 'his family and': 397416, 'family and gave': 297589, 'and gave my': 63496, 'gave my 75': 344652, 'my 75 year': 547177, '75 year old': 22174, 'year old father': 1014826, 'old father package': 598251, 'father package of': 300305, 'package of tp': 633350, 'of tp because': 592359, 'tp because he': 927765, 'find any at': 306784, 'any at his': 78946, 'at his grocery': 98915, 'his grocery store': 397482, 'you simply': 1021254, 'simply cannot': 770196, 'sanitizer use': 735992, 'use lemon': 949337, 'lemon that': 486196, 'right wash': 722398, 'with lemon': 999197, 'lemon juice': 486186, 'if you simply': 415520, 'you simply cannot': 1021255, 'simply cannot find': 770199, 'hand sanitizer use': 375638, 'sanitizer use lemon': 735993, 'use lemon that': 949338, 'lemon that right': 486197, 'that right wash': 846054, 'right wash your': 722399, 'hand with lemon': 376011, 'with lemon juice': 999199, 'cope you': 203361, 'somewhere strange': 785309, 'strange parallel': 812408, 'it scary': 460905, 'scary fun': 741148, 'fun guaranteed': 341171, 'guaranteed today': 367754, 'current takeout': 221393, 'takeout craze': 833146, 'to cope you': 903515, 'cope you have': 203362, 'to put that': 912616, 'shit somewhere strange': 759223, 'somewhere strange parallel': 785310, 'strange parallel between': 812409, 'me it scary': 523016, 'it scary fun': 460906, 'scary fun guaranteed': 741149, 'fun guaranteed today': 341172, 'guaranteed today we': 367755, 'today we re': 920480, 'the current takeout': 852669, 'current takeout craze': 221394, 'all remember': 44150, 'to regularly': 913114, 'regularly check': 707909, 'our colleague': 622425, 'colleague amp': 186182, 'amp employee': 53712, 'employee how': 273944, 'you today': 1021863, 'let all remember': 486568, 'all remember to': 44153, 'remember to regularly': 710382, 'to regularly check': 913115, 'regularly check in': 707910, 'in with our': 430947, 'with our colleague': 999982, 'our colleague amp': 622426, 'colleague amp employee': 186183, 'amp employee how': 53714, 'employee how are': 273945, 'are you today': 91872, 'you today 19': 1021864, 'kshs110': 477842, 'fall from': 296919, 'from 66': 334322, '66 to': 21428, '24 why': 15705, 'is fuel': 447965, 'in kenya': 424473, 'kenya still': 472938, 'still at': 800216, 'at kshs110': 99395, 'kshs110 ke': 477843, 'ke we': 471243, 'are watching': 91543, 'watching amid': 968701, 'price fall from': 673785, 'fall from 66': 296920, 'from 66 to': 334323, '66 to 24': 21429, 'to 24 why': 899626, '24 why is': 15706, 'why is fuel': 991104, 'is fuel price': 447966, 'price in kenya': 674702, 'in kenya still': 424481, 'kenya still at': 472939, 'still at kshs110': 800217, 'at kshs110 ke': 99396, 'kshs110 ke we': 477844, 'ke we are': 471244, 'we are watching': 970757, 'are watching amid': 91544, 'watching amid covid': 968702, 'cocoon': 185287, 'musicindustry': 546389, 'from musician': 336494, 'musician left': 546375, 'without source': 1002928, 'income to': 432482, 'empty movie': 274955, 'movie theater': 544074, 'theater and': 872243, 'growing desire': 367171, 'to cocoon': 902939, 'cocoon the': 185292, 'the music': 861146, 'music and': 546290, 'company left': 190836, 'left standing': 485644, 'standing musicindustry': 793788, 'from musician left': 336495, 'musician left without': 546376, 'left without source': 485754, 'without source of': 1002929, 'of income to': 585072, 'income to empty': 432483, 'to empty movie': 905032, 'empty movie theater': 274956, 'movie theater and': 544075, 'theater and growing': 872244, 'and growing desire': 64011, 'growing desire to': 367172, 'desire to cocoon': 238427, 'to cocoon the': 902940, 'cocoon the 19': 185293, 'crisis will have': 218413, 'will have lasting': 993644, 'effect on consumer': 269081, 'and the music': 73484, 'the music and': 861147, 'music and medium': 546291, 'and medium company': 66921, 'medium company left': 527046, 'company left standing': 190838, 'left standing musicindustry': 485645, 'dismiss': 246001, 'misused': 534494, 'inconclusive': 432552, 'of solid': 589883, 'solid evidence': 781912, 'evidence supporting': 288387, 'mask against': 518280, 'to dismiss': 904407, 'dismiss it': 246006, 'gov misused': 359633, 'misused inconclusive': 534495, 'inconclusive evidence': 432553, 'evidence our': 288376, 'consumer capitalist': 196733, 'capitalist economy': 162803, 'economy failed': 267863, 'environment they': 279160, 'they created': 881854, 'lack of solid': 478656, 'of solid evidence': 589884, 'solid evidence supporting': 781913, 'evidence supporting the': 288388, 'supporting the effectiveness': 827209, 'effectiveness of mask': 269392, 'of mask against': 586257, 'mask against the': 518281, 'against the virus': 37684, 'is no reason': 449965, 'no reason to': 565300, 'reason to dismiss': 703024, 'to dismiss it': 904408, 'dismiss it the': 246007, 'it the gov': 461538, 'the gov misused': 856485, 'gov misused inconclusive': 359634, 'misused inconclusive evidence': 534496, 'inconclusive evidence our': 432554, 'evidence our consumer': 288377, 'our consumer capitalist': 622527, 'consumer capitalist economy': 196734, 'capitalist economy failed': 162804, 'economy failed to': 267864, 'failed to meet': 296182, 'meet demand of': 527473, 'demand of the': 235957, 'of the environment': 590989, 'the environment they': 854407, 'environment they created': 279161, 'wa scared': 963146, 'scared about': 740933, 'about doing': 25120, 'this interview': 888147, 'interview wa': 442254, 'wa worried': 963737, 'worried what': 1010600, 'think but': 885171, 'what realised': 982079, 'realised wa': 701637, 'effecting so': 269195, 'our feeling': 623053, 'feeling complete': 302974, 'complete article': 192065, 'wa scared about': 963147, 'scared about doing': 740934, 'about doing this': 25121, 'doing this interview': 252765, 'this interview wa': 888149, 'interview wa worried': 442255, 'wa worried what': 963741, 'worried what people': 1010601, 'what people would': 982021, 'people would think': 650548, 'would think but': 1012331, 'think but do': 885172, 'but do you': 145566, 'know what realised': 476973, 'what realised wa': 982080, 'realised wa it': 701638, 'wa it is': 962433, 'it is effecting': 458944, 'is effecting so': 447448, 'effecting so many': 269196, 'people and we': 646894, 'and we should': 75322, 'we should not': 973282, 'not be ashamed': 568355, 'ashamed of our': 95060, 'of our feeling': 587472, 'our feeling complete': 623054, 'feeling complete article': 302975, 'npd': 576608, 'marshall': 518022, 'cohen': 185590, 'athletic': 101778, 'footwear': 318584, 'upswing': 947900, 'npd marshall': 576609, 'marshall cohen': 518023, 'cohen near': 185591, 'term take': 838307, 'retail spending': 718588, 'spending athletic': 788751, 'athletic footwear': 101781, 'footwear on': 318587, 'an upswing': 56945, 'upswing perhaps': 947901, 'npd marshall cohen': 576610, 'marshall cohen near': 518024, 'cohen near term': 185592, 'near term take': 553605, 'term take on': 838308, 'take on covid': 832402, 'on retail spending': 603180, 'retail spending athletic': 718589, 'spending athletic footwear': 788752, 'athletic footwear on': 101782, 'footwear on an': 318588, 'on an upswing': 599338, 'an upswing perhaps': 56946, 'soap sanitize': 779101, 'sanitize with': 734234, 'face stay': 294771, 'remember to wash': 710391, 'with soap sanitize': 1000805, 'soap sanitize with': 779102, 'sanitize with an': 734235, 'sanitizer and avoid': 734384, 'your face stay': 1023758, 'face stay safe': 294773, 'interpret': 442083, 'the grocerystore': 856838, 'grocerystore how': 366315, 'to interpret': 908457, 'interpret new': 442086, 'advice dr': 33353, 'birx of': 131475, 'the taskforce': 869160, 'taskforce said': 834748, 'you change': 1017915, 'your habit': 1024150, 'habit via': 372707, 'to the grocerystore': 916755, 'the grocerystore how': 856839, 'grocerystore how to': 366316, 'how to interpret': 409033, 'to interpret new': 908459, 'interpret new coronavirus': 442088, 'new coronavirus advice': 558542, 'coronavirus advice dr': 205455, 'advice dr birx': 33354, 'dr birx of': 257972, 'birx of the': 131476, 'of the taskforce': 591522, 'the taskforce said': 869162, 'taskforce said this': 834749, 'said this is': 731497, 'not the moment': 572013, 'moment to be': 536079, 'to be going': 901278, 'store should you': 810175, 'should you change': 766672, 'you change your': 1017916, 'change your habit': 172417, 'your habit via': 1024151, 'mounted': 543435, 'brushed': 141370, 'adhesive': 32241, 'toiletpapers': 923310, 'toiletpapercheap': 922999, 'double toilet': 256079, 'paper holder': 640289, 'holder with': 400084, 'with shelf': 1000670, 'shelf wall': 757742, 'wall mounted': 965164, 'mounted brushed': 543436, 'brushed nickel': 141371, 'nickel self': 562592, 'self adhesive': 747546, 'adhesive toilet': 32242, 'with phone': 1000194, 'phone storage': 655023, 'storage rack': 805983, 'rack toiletpaper': 695355, 'toiletpaper toiletpapers': 922719, 'toiletpapers toiletpaperchallenge': 923311, 'toiletpaperchallenge toiletpapercrisis': 922985, 'toiletpapercrisis toiletpapercheap': 923099, 'toiletpapercheap help': 923000, 'double toilet paper': 256080, 'toilet paper holder': 921309, 'paper holder with': 640290, 'holder with shelf': 400086, 'with shelf wall': 1000672, 'shelf wall mounted': 757743, 'wall mounted brushed': 965165, 'mounted brushed nickel': 543437, 'brushed nickel self': 141372, 'nickel self adhesive': 562593, 'self adhesive toilet': 747547, 'adhesive toilet paper': 32243, 'holder with phone': 400085, 'with phone storage': 1000197, 'phone storage rack': 655024, 'storage rack toiletpaper': 805984, 'rack toiletpaper toiletpapers': 695356, 'toiletpaper toiletpapers toiletpaperchallenge': 922720, 'toiletpapers toiletpaperchallenge toiletpapercrisis': 923312, 'toiletpaperchallenge toiletpapercrisis toiletpapercheap': 922986, 'toiletpapercrisis toiletpapercheap help': 923100, 'help brewery': 389432, 'brewery bar': 139436, 'bottle shop': 136317, 'through 19': 894286, 'did some analysis': 240811, 'some analysis of': 782289, 'analysis of consumer': 57062, 'of consumer research': 581766, 'consumer research to': 198762, 'research to help': 713866, 'to help brewery': 907466, 'help brewery bar': 389433, 'brewery bar and': 139437, 'bar and bottle': 110668, 'and bottle shop': 59094, 'bottle shop through': 136323, 'shop through 19': 760932, 'botanaway': 135820, 'microbial': 530444, 'promptly': 683966, 'hello represent': 389208, 'represent botanaway': 712870, 'botanaway in': 135821, 'in richmond': 427500, 'richmond va': 721373, 'va we': 951549, 'have repurposed': 382277, 'repurposed ourselves': 713097, 'provide anti': 686225, 'anti microbial': 78315, 'microbial hand': 530447, 'please reply': 660380, 'tweet or': 936391, 'or dm': 615009, 'will accommodate': 992184, 'accommodate you': 28440, 'you promptly': 1020463, 'hello represent botanaway': 389209, 'represent botanaway in': 712871, 'botanaway in richmond': 135822, 'in richmond va': 427505, 'richmond va we': 721374, 'va we have': 951550, 'we have repurposed': 971921, 'have repurposed ourselves': 382278, 'repurposed ourselves to': 713098, 'ourselves to provide': 625499, 'to provide anti': 912380, 'provide anti microbial': 686226, 'anti microbial hand': 78317, 'microbial hand sanitizer': 530448, 'sanitizer at wholesale': 734521, 'wholesale price to': 990481, 'price to those': 677057, 'need please reply': 555441, 'please reply to': 660383, 'reply to this': 711755, 'to this tweet': 917472, 'this tweet or': 890888, 'tweet or dm': 936392, 'or dm me': 615011, 'we will accommodate': 973830, 'will accommodate you': 992185, 'accommodate you promptly': 28441, 'intentional': 441156, 'corner intentional': 203651, 'intentional covid': 441157, 'consumer corner intentional': 196979, 'corner intentional covid': 203652, 'intentional covid 19': 441158, 'gouging is illegal': 359362, 'sunshine': 818422, 'sally is': 732749, 'constant the': 195639, 'the sunshine': 868419, 'sunshine still': 818440, 'working bringing': 1008541, 'bringing my': 140179, 'mom grocery': 535736, 'car thank': 163303, 'store superheroes': 810451, 'sally is constant': 732750, 'is constant the': 446774, 'constant the sunshine': 195640, 'the sunshine still': 868423, 'sunshine still working': 818441, 'still working bringing': 801431, 'working bringing my': 1008542, 'bringing my mom': 140180, 'my mom grocery': 549271, 'mom grocery to': 535737, 'to the car': 916543, 'the car thank': 850389, 'car thank you': 163304, 'grocery store superheroes': 365823, 'are learning': 87745, 'learning what': 484256, 'what bidet': 981117, 'bidet are': 129551, 'and apparently': 58249, 'apparently selling': 81998, 'costco would': 208296, 'had bidet': 372922, 'bidet for': 129562, 'for century': 319986, 'century also': 169607, 'also you': 49129, 'can wipe': 160228, 'your butt': 1023090, 'butt with': 148116, 'like napkin': 490835, 'napkin paper': 551859, 'towel etc': 927320, 'etc stophoarding': 282771, 'thanks to american': 842204, 'to american are': 900412, 'american are learning': 51807, 'are learning what': 87749, 'learning what bidet': 484257, 'what bidet are': 981118, 'bidet are and': 129552, 'are and apparently': 84543, 'and apparently selling': 58253, 'apparently selling them': 81999, 'them at costco': 875434, 'at costco would': 98350, 'costco would like': 208297, 'like to point': 491612, 'out that other': 627331, 'that other country': 845561, 'other country have': 620018, 'country have had': 210739, 'have had bidet': 380860, 'had bidet for': 372923, 'bidet for century': 129563, 'for century also': 319988, 'century also you': 169608, 'also you can': 49130, 'you can wipe': 1017835, 'can wipe your': 160231, 'wipe your butt': 996440, 'your butt with': 1023092, 'butt with other': 148117, 'with other thing': 999964, 'other thing like': 621109, 'thing like napkin': 884546, 'like napkin paper': 490836, 'napkin paper towel': 551860, 'paper towel etc': 640991, 'towel etc stophoarding': 927323, 'nevada': 557827, 'casino': 166721, 'nevada is': 557832, 'closed for': 183122, 'the casino': 850505, 'casino are': 166726, 'all closing': 42376, 'economy every': 267848, 'every slot': 286201, 'slot machine': 774235, 'machine must': 507391, 'be turned': 117835, 'turned off': 935860, 'midnight in': 530747, 'every casino': 285717, 'casino gas': 166728, 'activity are': 30379, 'closed nevada': 183236, 'nevada is closed': 557833, 'is closed for': 446577, 'closed for 30': 183123, '30 day the': 17022, 'day the casino': 228483, 'the casino are': 850506, 'casino are all': 166727, 'are all closing': 84293, 'all closing it': 42377, 'closing it our': 183673, 'it our economy': 460165, 'our economy every': 622843, 'economy every slot': 267850, 'every slot machine': 286202, 'slot machine must': 774236, 'machine must be': 507392, 'must be turned': 546555, 'be turned off': 117836, 'turned off at': 935861, 'off at midnight': 593669, 'at midnight in': 99740, 'midnight in every': 530748, 'in every casino': 422672, 'every casino gas': 285718, 'casino gas station': 166729, 'gas station and': 344100, 'station and grocery': 796333, 'grocery store all': 365186, 'store all non': 806136, 'non essential activity': 566329, 'essential activity are': 280754, 'activity are closed': 30381, 'are closed nevada': 85354, 'barmouth': 111122, 'stayaway': 797818, 'notwelcome': 573653, 'from barmouth': 334636, 'barmouth well': 111123, 'wa ridiculous': 963103, 'ridiculous amount': 721510, 'of holiday': 584708, 'holiday maker': 400329, 'maker here': 510831, 'here today': 393735, 'today beach': 919306, 'beach wa': 118249, 'packed so': 633639, 'the town': 869828, 'maker but': 510823, 'no local': 564613, 'local selfish': 498376, 'selfish stayaway': 748266, 'stayaway notwelcome': 797819, 'them to stay': 876514, 'away from barmouth': 105860, 'from barmouth well': 334637, 'barmouth well it': 111124, 'well it wa': 978346, 'it wa ridiculous': 462181, 'wa ridiculous amount': 963104, 'ridiculous amount of': 721512, 'amount of holiday': 53227, 'of holiday maker': 584711, 'holiday maker here': 400331, 'maker here today': 510832, 'here today beach': 393736, 'today beach wa': 919307, 'beach wa packed': 118250, 'wa packed so': 962902, 'packed so wa': 633640, 'so wa the': 778643, 'wa the town': 963474, 'the town and': 869829, 'full of holiday': 340730, 'holiday maker but': 400330, 'maker but no': 510824, 'but no local': 146490, 'no local selfish': 564614, 'local selfish stayaway': 498377, 'selfish stayaway notwelcome': 748267, 'new you': 559972, 'ftc while': 339471, 'home spot': 402109, 'spot the': 790121, 'scam ftc': 740177, 'ftc scam': 339445, 'new you can': 559973, 'can use from': 160093, 'use from the': 949227, 'the ftc while': 855947, 'ftc while you': 339472, 'at home spot': 99115, 'home spot the': 402110, 'spot the scam': 790123, 'the scam ftc': 866414, 'scam ftc scam': 740179, 'staysafe wash': 798946, 'from crowded': 335059, 'area maintain': 92103, 'metre foot': 529845, 'foot distance': 318371, 'between yourself': 128967, 'is coughing': 446858, 'coughing or': 208728, 'or sneezing': 617118, 'sneezing fightcovid19': 776314, 'staysafe wash your': 798947, 'hand with sanitizer': 376015, 'sanitizer and stay': 734438, 'away from crowded': 105872, 'from crowded area': 335060, 'crowded area maintain': 219296, 'area maintain at': 92104, 'least metre foot': 484555, 'metre foot distance': 529846, 'foot distance between': 318372, 'distance between yourself': 246669, 'between yourself and': 128968, 'yourself and anyone': 1026521, 'who is coughing': 989066, 'is coughing or': 446860, 'coughing or sneezing': 208730, 'or sneezing fightcovid19': 617119, 'only opening': 610908, 'measure business': 525143, 'closure online shopping': 183988, 'shopping and senior': 762019, 'and senior only': 71256, 'senior only opening': 750374, 'only opening hour': 610909, 'opening hour are': 612847, 'the measure business': 860369, 'measure business are': 525144, 'business are taking': 143392, 'are taking to': 90738, 'taking to prevent': 833636, 'curated': 220535, 'pandemic many': 635924, 'facing severe': 295586, 'severe personal': 754046, 'personal medical': 652915, 'hardship adhering': 378271, 'our commitment': 622438, 'commitment consumer': 188991, 'consumer first': 197496, 'first advocate': 308485, 'advocate we': 33853, 've curated': 953021, 'curated information': 220538, 'you navigate': 1019952, 'navigate this': 553093, '19 pandemic many': 9387, 'pandemic many people': 635926, 'people are facing': 646969, 'are facing severe': 86430, 'facing severe personal': 295587, 'severe personal medical': 754047, 'personal medical and': 652916, 'medical and financial': 526044, 'and financial hardship': 62871, 'financial hardship adhering': 306428, 'hardship adhering to': 378272, 'adhering to our': 32237, 'to our commitment': 911162, 'our commitment consumer': 622439, 'commitment consumer first': 188992, 'consumer first advocate': 197497, 'first advocate we': 308486, 'advocate we ve': 33854, 'we ve curated': 973650, 've curated information': 953022, 'curated information to': 220539, 'information to help': 438013, 'help you navigate': 390984, 'you navigate this': 1019954, 'navigate this unprecedented': 553097, 'unprecedented time in': 943199, 'time in our': 897005, 'just thanks': 469977, 'thanks putin': 842161, 'raising our': 696100, 'our gas': 623230, 'pandemic pressbriefing': 636230, 'trump just thanks': 933671, 'just thanks putin': 469978, 'thanks putin and': 842162, 'and mb for': 66831, 'mb for raising': 522032, 'for raising our': 324951, 'raising our gas': 696101, 'our gas price': 623231, 'the pandemic pressbriefing': 863063, 'video critical': 956699, 'nurse emotional': 577320, 'emotional please': 273295, 'please to': 660681, 'to after': 900168, 'shift 19': 758213, 'video critical care': 956700, 'care nurse emotional': 164084, 'nurse emotional please': 577321, 'emotional please to': 273296, 'please to after': 660682, 'to after she': 900170, 'unable to find': 939327, 'to find fresh': 905900, 'find fresh food': 306925, 'fresh food after': 332956, 'long shift 19': 501624, 'nigerdeltaunrest': 562702, 'bokoharam': 134082, 'insurgency': 440900, '2016recession': 13846, 'occasioned': 578960, 'unsustainability': 943601, 'first it': 308738, 'wa nigerdeltaunrest': 962710, 'nigerdeltaunrest then': 562703, 'then came': 877052, 'came the': 157057, 'the lingering': 859431, 'lingering bokoharam': 493705, 'bokoharam insurgency': 134083, 'insurgency the': 440901, 'the 2016recession': 848007, '2016recession occasioned': 13847, 'occasioned by': 578961, 'the dip': 853302, 'also came': 48001, 'came now': 157030, 'the unsustainability': 870469, 'unsustainability of': 943602, 'the model': 860720, 'our political': 624381, 'political economy': 663643, 'first it wa': 308740, 'it wa nigerdeltaunrest': 462155, 'wa nigerdeltaunrest then': 962711, 'nigerdeltaunrest then came': 562704, 'then came the': 877055, 'came the lingering': 157058, 'the lingering bokoharam': 859432, 'lingering bokoharam insurgency': 493706, 'bokoharam insurgency the': 134084, 'insurgency the 2016recession': 440902, 'the 2016recession occasioned': 848008, '2016recession occasioned by': 13848, 'occasioned by the': 578963, 'by the dip': 154310, 'the dip in': 853303, 'dip in global': 243191, 'oil price also': 597043, 'price also came': 672291, 'also came now': 48002, 'came now the': 157031, 'now the pandemic': 576057, 'pandemic ha come': 635535, 'ha come to': 370204, 'come to expose': 187569, 'to expose the': 905515, 'expose the unsustainability': 292808, 'the unsustainability of': 870470, 'unsustainability of the': 943603, 'of the model': 591247, 'the model of': 860721, 'of our political': 587538, 'our political economy': 624382, 'gargantuan': 343660, 'immediate present': 417010, 'present brand': 670578, 'brand need': 137923, 'demonstrate they': 236841, 'the gargantuan': 856161, 'gargantuan worldwide': 343661, 'worldwide effort': 1010344, 'face socialmedia': 294761, 'in the immediate': 429282, 'the immediate present': 857906, 'immediate present brand': 417011, 'present brand need': 670579, 'brand need to': 137926, 'need to demonstrate': 555901, 'to demonstrate they': 904169, 'demonstrate they are': 236842, 'on the side': 604363, 'consumer and the': 196251, 'and the gargantuan': 73391, 'the gargantuan worldwide': 856162, 'gargantuan worldwide effort': 343662, 'worldwide effort we': 1010345, 'effort we face': 269666, 'we face socialmedia': 971521, 'face socialmedia via': 294762, 'toco': 919108, 'tococares': 919113, 'toco is': 919109, 'is excited': 447628, 'have 100': 379066, 'working remotely': 1008885, 'remotely so': 710782, 'you toco': 1021861, 'toco offer': 919111, 'offer security': 594779, 'security peace': 744706, 'mind we': 532766, 'our car': 622313, 'car to': 163317, 'pharmacy other': 654408, 'staysafe tococares': 798940, 'toco is excited': 919110, 'is excited to': 447630, 'excited to announce': 289570, 'announce that we': 76882, 'we have 100': 971738, 'have 100 of': 379069, 'of our staff': 587568, 'our staff working': 624885, 'staff working remotely': 793117, 'working remotely so': 1008889, 'remotely so we': 710783, 'to be here': 901302, 'be here for': 115224, 'for you toco': 328095, 'you toco offer': 1021862, 'toco offer security': 919112, 'offer security peace': 594780, 'security peace of': 744707, 'peace of mind': 646009, 'of mind we': 586547, 'mind we need': 532767, 'need our car': 555396, 'our car to': 622318, 'car to get': 163321, 'get to and': 348458, 'and from the': 63352, 'store pharmacy other': 809546, 'pharmacy other essential': 654409, 'other essential service': 620173, 'service staysafe tococares': 752868, 'enoughtogoround': 277789, 'on everybody': 600625, 'everybody let': 286460, 'all pull': 44094, 'pull in': 688861, 'have and': 379272, 'always will': 49803, 'will support': 995032, 'panicbuying enoughtogoround': 638936, 'enoughtogoround stopstockpiling': 277790, 'come on everybody': 187432, 'on everybody let': 600628, 'everybody let all': 286461, 'let all pull': 486567, 'all pull in': 44095, 'pull in the': 688862, 'those that have': 892534, 'that have and': 844195, 'have and always': 379273, 'and always will': 57999, 'always will support': 49805, 'will support in': 995034, 'need panicbuying enoughtogoround': 555411, 'panicbuying enoughtogoround stopstockpiling': 638937, 'enoughtogoround stopstockpiling stoppanicbuying': 277791, 'northgate': 567792, 'tuesdaymorning': 935207, 'breaking great': 138955, 'great news': 362838, 'news northgate': 560637, 'northgate market': 567795, 'in socal': 428040, 'socal is': 779398, 'for 65': 318900, 'disabled folk': 243906, 'folk let': 312207, 'service catch': 752211, 'catch on': 167016, 'on tuesdaymorning': 604895, 'breaking great news': 138956, 'great news northgate': 362843, 'news northgate market': 560638, 'northgate market in': 567796, 'market in socal': 516572, 'in socal is': 428041, 'socal is holding': 779399, 'is holding special': 448521, 'hour for 65': 405596, 'for 65 and': 318901, '65 and disabled': 21335, 'and disabled folk': 61393, 'disabled folk let': 243907, 'folk let hope': 312208, 'let hope this': 486810, 'hope this kind': 403720, 'kind of public': 474930, 'of public service': 588592, 'public service catch': 688302, 'service catch on': 752212, 'catch on tuesdaymorning': 167017, 'weedlovers': 975778, 'masshole': 519951, 'snoopdogg': 776381, 'includes weed': 431828, 'weed but': 975756, 'more smoke': 540407, 'smoke the': 775872, 'more eat': 539096, 'eat looked': 265971, 'last cookie': 480158, 'cookie dinner': 202831, 'dinner in': 243071, 'survival second': 829074, 'second look': 743761, 'wa good': 962235, 'good snack': 357740, 'snack weedlovers': 776037, 'weedlovers masshole': 975779, 'masshole snoopdogg': 519952, 'we re supposed': 972979, 'supposed to stock': 827376, 'and everything we': 62430, 'need that includes': 555728, 'that includes weed': 844483, 'includes weed but': 431829, 'weed but the': 975757, 'but the more': 147366, 'the more smoke': 860892, 'more smoke the': 540408, 'smoke the more': 775873, 'the more eat': 860877, 'more eat looked': 539097, 'eat looked at': 265972, 'at the last': 101000, 'the last cookie': 859004, 'last cookie dinner': 480159, 'cookie dinner in': 202832, 'dinner in week': 243073, 'in week for': 430750, 'week for survival': 976238, 'for survival second': 326093, 'survival second look': 829075, 'second look it': 743762, 'look it wa': 502447, 'it wa good': 462120, 'wa good snack': 962240, 'good snack weedlovers': 357741, 'snack weedlovers masshole': 776038, 'weedlovers masshole snoopdogg': 975780, 'mktg': 534702, 'crisis infographic': 217550, 'infographic by': 437631, 'by mktg': 153232, 'behavior in time': 124087, 'of crisis infographic': 582166, 'crisis infographic by': 217551, 'infographic by mktg': 437632, 'stimulusbill': 801626, 'rookie': 725861, 'search winner': 743305, 'winner past': 996035, 'is shelterinplace': 451844, 'shelterinplace over': 758009, 'over socialdistancing': 630627, 'socialdistancing with': 780878, 'with toiletpaper': 1001803, 'toiletpaper honorable': 922081, 'honorable mention': 403263, 'mention and': 528743, 'and stimulusbill': 72397, 'stimulusbill rookie': 801631, 'rookie of': 725864, 'and the search': 73571, 'the search winner': 866559, 'search winner past': 743306, 'winner past day': 996036, 'past day is': 643520, 'day is shelterinplace': 227840, 'is shelterinplace over': 451845, 'shelterinplace over socialdistancing': 758010, 'over socialdistancing with': 630629, 'socialdistancing with toiletpaper': 780880, 'with toiletpaper honorable': 1001806, 'toiletpaper honorable mention': 922082, 'honorable mention and': 403264, 'mention and stimulusbill': 528744, 'and stimulusbill rookie': 72398, 'stimulusbill rookie of': 801632, 'rookie of the': 725865, 'the month 19': 860843, 'frequently maintain': 332861, 'avoid crowded': 105072, 'place follow': 657434, 'medical practitioner': 526303, 'practitioner advice': 668793, 'soap or alcohol': 779069, 'or alcohol based': 614285, 'based sanitizer frequently': 111738, 'sanitizer frequently maintain': 734940, 'frequently maintain social': 332862, 'distance and avoid': 246632, 'and avoid crowded': 58564, 'avoid crowded place': 105074, 'crowded place follow': 219336, 'place follow health': 657435, 'follow health medical': 312406, 'health medical practitioner': 386637, 'medical practitioner advice': 526304, 'scared son': 741009, 'son of': 785419, 'of current': 582256, 'current 60': 221086, '60 grocery': 20947, 'worker here': 1007118, 'here thanks': 393633, 'great piece': 362885, 'piece where': 656381, 'in demanding': 422171, 'demanding proper': 236608, 'proper protective': 684142, 'scared son of': 741010, 'son of current': 785422, 'of current 60': 582257, 'current 60 grocery': 221087, '60 grocery store': 20948, 'store worker here': 811523, 'worker here thanks': 1007121, 'here thanks for': 393634, 'thanks for this': 842081, 'for this great': 327030, 'this great piece': 887754, 'great piece where': 362891, 'piece where the': 656382, 'hell is in': 389025, 'is in demanding': 448764, 'in demanding proper': 422174, 'demanding proper protective': 236609, 'proper protective gear': 684144, 'gear for employee': 344948, 'beijing': 124781, 'is tech': 452588, 'tech giant': 836097, 'giant alibaba': 349733, 'alibaba largest': 41718, 'in beijing': 420764, 'beijing faring': 124786, 'faring amid': 299064, 'china check': 176554, 'and interview': 65338, 'interview their': 442245, 'how is tech': 408111, 'is tech giant': 452589, 'tech giant alibaba': 836098, 'giant alibaba largest': 349735, 'alibaba largest grocery': 41719, 'chain in beijing': 170800, 'in beijing faring': 420766, 'beijing faring amid': 124787, 'faring amid the': 299065, 'in china check': 421395, 'china check it': 176555, 'it out and': 460173, 'out and interview': 625673, 'and interview their': 65340, 'interview their store': 442246, 'their store manager': 874861, 'husband work': 411793, 'supermarket last': 821266, 'week 900': 975808, 'walked through': 964980, 'through his': 894502, 'his store': 397826, 'him contracting': 396570, 'likely would': 492199, 'him to': 396738, 'isolate so': 454911, 'be protected': 116579, 'protected but': 685124, 'but he': 145897, 'he doesn': 384905, 'choice stay': 177808, 'inside for': 439262, 'you others': 1020244, 'my husband work': 548803, 'husband work in': 411795, 'in supermarket last': 428622, 'supermarket last week': 821270, 'last week 900': 480627, 'week 900 people': 975809, '900 people walked': 23390, 'people walked through': 650125, 'walked through his': 964982, 'through his store': 894503, 'his store the': 397832, 'store the risk': 810619, 'risk of him': 723753, 'of him contracting': 584631, 'him contracting covid': 396571, 'is likely would': 449355, 'likely would love': 492200, 'would love for': 1012011, 'love for him': 504665, 'for him to': 322289, 'him to self': 396749, 'self isolate so': 747688, 'isolate so he': 454912, 'he can be': 384811, 'can be protected': 157668, 'be protected but': 116580, 'protected but he': 685126, 'but he doesn': 145900, 'he doesn have': 384907, 'doesn have choice': 251818, 'have choice stay': 379967, 'choice stay inside': 177809, 'stay inside for': 797098, 'inside for you': 439266, 'for you others': 328078, 'florida food': 310932, 'surge by': 828134, 'by 600': 151693, '600 per': 21103, 'cent daily': 169045, 'daily mail': 224681, 'mail more': 508632, 'florida food bank': 310933, 'bank demand surge': 109764, 'demand surge by': 236302, 'surge by 600': 828135, 'by 600 per': 151695, '600 per cent': 21104, 'per cent daily': 650747, 'cent daily mail': 169046, 'daily mail more': 224683, 'mail more covid': 508633, 'covid 19 news': 213473, 'urn': 948479, 'chinesevirus19': 177460, 'there pattern': 878920, 'in infection': 424088, 'death mobile': 230128, 'mobile distance': 534964, 'distance urn': 246871, 'urn etc': 948480, 'etc china': 282466, 'china hiding': 176712, 'hiding oil': 394875, 'price negative': 675319, 'negative coronaupdate': 556749, 'coronaupdate chinesevirus19': 205327, 'chinesevirus19 china': 177461, 'china stayhomestaysafe': 176953, 'is there pattern': 453022, 'there pattern in': 878921, 'pattern in infection': 644473, 'in infection death': 424090, 'infection death mobile': 436743, 'death mobile distance': 230129, 'mobile distance urn': 534965, 'distance urn etc': 246872, 'urn etc etc': 948481, 'etc etc china': 282518, 'etc china hiding': 282467, 'china hiding oil': 176713, 'hiding oil price': 394876, 'oil price negative': 597199, 'price negative coronaupdate': 675320, 'negative coronaupdate chinesevirus19': 556750, 'coronaupdate chinesevirus19 china': 205328, 'chinesevirus19 china stayhomestaysafe': 177462, 'persona': 652765, 'sea consumer': 743088, 'consumer persona': 198356, 'persona born': 652766, 'born out': 135563, 'of study': 590324, 'sea consumer persona': 743089, 'consumer persona born': 198357, 'persona born out': 652767, 'born out of': 135564, 'out of study': 626843, 'lexington': 487860, 'rush am': 728280, 'am interested': 50152, 'in knowing': 424526, 'what percentage': 982024, 'percentage of': 651208, 'retail essential': 718092, 'country work': 211264, 'this environment': 887394, 'environment traveling': 279164, 'traveling around': 930636, 'around lexington': 93376, 'lexington ky': 487861, 'ky area': 478067, 'only know': 610687, 'few there': 304089, 'are crowd': 85634, 'rush am interested': 728281, 'am interested in': 50153, 'interested in knowing': 441460, 'in knowing what': 424528, 'knowing what percentage': 477149, 'what percentage of': 982025, 'percentage of retail': 651212, 'of retail essential': 589046, 'retail essential employee': 718093, 'essential employee have': 281002, 'employee have tested': 273925, 'our country work': 622607, 'country work in': 211265, 'work in this': 1005351, 'in this environment': 429940, 'this environment traveling': 887396, 'environment traveling around': 279165, 'traveling around lexington': 930637, 'around lexington ky': 93377, 'lexington ky area': 487862, 'ky area and': 478068, 'area and only': 91941, 'and only know': 68140, 'only know of': 610689, 'know of few': 476644, 'of few there': 583495, 'few there are': 304090, 'there are crowd': 878087, 'are crowd in': 85635, 'crushcovid': 219791, 'lagossdginvest': 478966, 'open strictly': 612525, 'strictly for': 813691, 'pharmacy shop': 654453, 'shop stayhomestaysafe': 760834, 'stayhomestaysafe crushcovid': 798508, 'crushcovid stopthespread': 219794, 'stopthespread lagossdginvest': 805907, 'not panic the': 570940, 'panic the market': 638685, 'market is open': 516636, 'is open strictly': 450580, 'open strictly for': 612526, 'strictly for essential': 813692, 'commodity like food': 189209, 'like food store': 490263, 'food store and': 316840, 'and pharmacy shop': 68976, 'pharmacy shop stayhomestaysafe': 654454, 'shop stayhomestaysafe crushcovid': 760835, 'stayhomestaysafe crushcovid stopthespread': 798509, 'crushcovid stopthespread lagossdginvest': 219795, 'for yourselves': 328241, 'yourselves shame': 1026809, 'lady on': 478799, 'before stock': 123102, 'piling for': 656594, 'selfish people hoarding': 748211, 'hoarding food for': 399303, 'food for yourselves': 314590, 'for yourselves shame': 328242, 'yourselves shame on': 1026810, 'on you you': 605446, 'you you will': 1022490, 'this lady on': 888590, 'lady on your': 478802, 'your hand think': 1024230, 'hand think of': 375843, 'of others before': 587385, 'others before stock': 621302, 'before stock piling': 123103, 'stock piling for': 802661, 'piling for yourself': 656596, 'yourself leave some': 1026660, 'pandemicbanter': 637108, 'craigdavid': 214813, '7days': 22464, 'igotthevirusonmonday': 415934, 'thenchilledonsunday': 877806, 'coronavibez': 205367, 'toiletpaperpandemic': 923192, '2020problems': 14750, 'prankstarz': 668962, 'with pandemicbanter': 1000075, 'pandemicbanter isolation': 637109, 'isolation selfquarantine': 455419, 'selfquarantine craigdavid': 748562, 'craigdavid 7days': 214814, '7days quarantine': 22467, 'quarantine igotthevirusonmonday': 692279, 'igotthevirusonmonday thenchilledonsunday': 415935, 'thenchilledonsunday coronavibez': 877807, 'coronavibez toiletpaperpandemic': 205368, 'toiletpaperpandemic toiletpaper': 923193, 'toiletpaper 2020problems': 921683, '2020problems prankstarz': 14751, 'quarantine with pandemicbanter': 692709, 'with pandemicbanter isolation': 1000076, 'pandemicbanter isolation selfquarantine': 637110, 'isolation selfquarantine craigdavid': 455420, 'selfquarantine craigdavid 7days': 748563, 'craigdavid 7days quarantine': 214815, '7days quarantine igotthevirusonmonday': 22468, 'quarantine igotthevirusonmonday thenchilledonsunday': 692280, 'igotthevirusonmonday thenchilledonsunday coronavibez': 415936, 'thenchilledonsunday coronavibez toiletpaperpandemic': 877808, 'coronavibez toiletpaperpandemic toiletpaper': 205369, 'toiletpaperpandemic toiletpaper 2020problems': 923194, 'toiletpaper 2020problems prankstarz': 921684, 'lockedinwithmom': 500514, 'face when': 294846, 'when my': 983746, 'mother asks': 543060, 'asks for': 96134, 'store 15': 806019, 'after ve': 36482, 've ordered': 953423, 'ordered through': 618917, 'their pickup': 874300, 'pickup service': 656009, 'service lockedinwithmom': 752575, 'my face when': 548167, 'face when my': 294848, 'when my mother': 983751, 'my mother asks': 549324, 'mother asks for': 543061, 'asks for something': 96137, 'for something from': 325789, 'something from the': 784916, 'grocery store 15': 365165, 'store 15 minute': 806021, '15 minute after': 3773, 'minute after ve': 533714, 'after ve ordered': 36483, 've ordered through': 953424, 'ordered through their': 618918, 'through their pickup': 894785, 'their pickup service': 874301, 'pickup service lockedinwithmom': 656012, 'and livestock': 66259, 'livestock price': 496279, 'plunge under': 661470, 'under weight': 940381, '19 uncertainty': 11623, 'crop and livestock': 218895, 'and livestock price': 66261, 'livestock price plunge': 496280, 'price plunge under': 675933, 'plunge under weight': 661471, 'under weight of': 940382, 'weight of covid': 977706, 'covid 19 uncertainty': 213995, 'our real': 624544, 'real key': 701241, 'been revealed': 121846, 'revealed tonight': 720285, 'the banker': 849260, 'banker no': 110377, 'the trader': 869859, 'trader no': 928743, 'no our': 565023, 'are nurse': 88624, 'doctor carers': 250866, 'teacher delivery': 835448, 'driver porter': 259703, 'porter those': 664987, 'love how our': 504696, 'how our real': 408463, 'our real key': 624545, 'real key worker': 701242, 'key worker have': 473486, 'have been revealed': 379663, 'been revealed tonight': 121848, 'revealed tonight not': 720286, 'tonight not the': 924461, 'not the banker': 571984, 'the banker no': 849263, 'banker no not': 110378, 'no not the': 564888, 'not the trader': 572037, 'the trader no': 869863, 'trader no our': 928744, 'no our real': 565024, 'worker are nurse': 1006410, 'are nurse doctor': 88625, 'nurse doctor carers': 577287, 'doctor carers supermarket': 250867, 'staff teacher delivery': 792922, 'teacher delivery driver': 835449, 'delivery driver porter': 233931, 'driver porter those': 259704, 'porter those on': 664988, 'line of our': 493307, 'pandemic to you': 636798, 'plattsmetals': 659096, 'plattscommoditynews': 659092, 'plattsmetals plattscommoditynews': 659097, 'plattscommoditynews america': 659093, 'more coal': 538830, 'podcast the': 662315, 'plattsmetals plattscommoditynews america': 659098, 'plattscommoditynews america march': 659095, 'travel more coal': 930431, 'more coal mine': 538831, 'coal mine closure': 185060, 'come podcast the': 187485, 'undeniable': 939943, 'contentmarketing': 200861, 'benchmark data': 126839, 'data how': 226271, 'impacting sale': 418256, 'marketing performance': 517677, 'performance updated': 651472, 'updated weekly': 947458, 'weekly the': 977583, 'is undeniable': 453454, 'undeniable in': 939948, 'of closure': 581472, 'and shifting': 71465, 'behavior business': 123942, 'business across': 143209, 'via contentmarketing': 955878, 'benchmark data how': 126840, 'data how covid': 226272, 'is impacting sale': 448713, 'impacting sale and': 418257, 'sale and marketing': 732043, 'and marketing performance': 66728, 'marketing performance updated': 517678, 'performance updated weekly': 651473, 'updated weekly the': 947460, 'weekly the economic': 977585, '19 is undeniable': 8073, 'is undeniable in': 453455, 'undeniable in the': 939949, 'face of closure': 294648, 'of closure and': 581473, 'closure and shifting': 183844, 'and shifting consumer': 71466, 'shifting consumer behavior': 758518, 'consumer behavior business': 196451, 'behavior business across': 123943, 'business across the': 143213, 'world via contentmarketing': 1010130, 'rwdsu': 728768, 'criticizing': 218790, 'retail wholesale': 718856, 'and department': 61210, 'store union': 810995, 'union rwdsu': 941928, 'rwdsu announced': 728769, 'post criticizing': 666085, 'criticizing the': 218791, 'the poultry': 864139, 'poultry industry': 667324, 'industry delayed': 435767, 'delayed covid': 232774, 'response the': 715812, 'union represents': 941926, 'represents 00': 712957, '00 member': 329, 'the mitchell': 860695, 'mitchell county': 534515, 'county based': 211330, 'based factory': 111573, 'the retail wholesale': 865734, 'retail wholesale and': 718857, 'wholesale and department': 990415, 'and department store': 61211, 'department store union': 237283, 'store union rwdsu': 810997, 'union rwdsu announced': 941929, 'rwdsu announced the': 728770, 'announced the death': 77077, 'the death in': 852971, 'death in post': 230081, 'in post criticizing': 426862, 'post criticizing the': 666086, 'criticizing the poultry': 218792, 'the poultry industry': 864141, 'poultry industry delayed': 667326, 'industry delayed covid': 435768, 'delayed covid 19': 232775, '19 response the': 10164, 'response the union': 715814, 'the union represents': 870410, 'union represents 00': 941927, 'represents 00 member': 712958, '00 member at': 330, 'member at the': 528032, 'at the mitchell': 101024, 'the mitchell county': 860696, 'mitchell county based': 534516, 'county based factory': 211331, 'walkthrough': 965138, 'c5': 154848, 'daylihht': 228906, '7kg': 22480, 'backpack': 107573, 'did supply': 240831, 'run today': 727847, 'today walk': 920459, 'walk all': 964728, 'way from': 969598, 'my condo': 547783, 'condo to': 193592, 'still pretty': 801065, 'pretty far': 671406, 'far walkthrough': 298966, 'walkthrough c5': 965139, 'c5 and': 154851, 'in broad': 420997, 'broad daylihht': 140704, 'daylihht 7kg': 228907, '7kg rice': 22483, 'not included': 570115, 'the pic': 863715, 'pic cuz': 655594, 'cuz it': 223802, 'my backpack': 547378, 'backpack covid': 107576, '19 suck': 10929, 'did supply run': 240832, 'supply run today': 825790, 'run today walk': 727850, 'today walk all': 920460, 'walk all the': 964729, 'the way from': 871154, 'way from my': 969601, 'from my condo': 336503, 'my condo to': 547784, 'condo to the': 193593, 'nearest supermarket still': 553733, 'supermarket still pretty': 822959, 'still pretty far': 801066, 'pretty far walkthrough': 671407, 'far walkthrough c5': 298967, 'walkthrough c5 and': 965140, 'c5 and back': 154852, 'and back in': 58617, 'back in broad': 107082, 'in broad daylihht': 420998, 'broad daylihht 7kg': 140705, 'daylihht 7kg rice': 228908, '7kg rice not': 22484, 'rice not included': 721089, 'not included in': 570117, 'in the pic': 429452, 'the pic cuz': 863717, 'pic cuz it': 655595, 'cuz it in': 223803, 'it in my': 458738, 'in my backpack': 425538, 'my backpack covid': 547379, 'backpack covid 19': 107577, 'covid 19 suck': 213884, 'teamgp': 835868, 'common call': 189363, 'call had': 155921, 'had yesterday': 373811, 'yesterday gp': 1015757, 'gp can': 361402, 'have prescription': 382030, 'prescription for': 670505, 'for paracetamol': 324381, 'paracetamol well': 641278, 'so cannot': 776736, 'some place': 783570, 'place increased': 657518, 'some pharmacy': 783560, 'pharmacy shutting': 654460, 'shutting their': 768294, 'door this': 255744, 'an overstretched': 56756, 'overstretched service': 631562, 'service nh': 752618, 'nh teamgp': 562127, 'most common call': 542184, 'common call had': 189364, 'call had yesterday': 155922, 'had yesterday gp': 373813, 'yesterday gp can': 1015758, 'gp can have': 361403, 'can have prescription': 158582, 'have prescription for': 382031, 'prescription for paracetamol': 670506, 'for paracetamol well': 324385, 'paracetamol well people': 641279, 'well people buying': 978475, 'people buying it': 647348, 'buying it up': 150608, 'up so cannot': 946013, 'so cannot find': 776739, 'cannot find it': 161841, 'find it some': 307007, 'it some place': 461167, 'some place increased': 783573, 'place increased price': 657519, 'increased price so': 433419, 'price so cannot': 676501, 'so cannot afford': 776737, 'afford it some': 34720, 'it some pharmacy': 461166, 'some pharmacy shutting': 783561, 'pharmacy shutting their': 654461, 'shutting their door': 768295, 'their door this': 873077, 'door this add': 255745, 'this add to': 886197, 'add to an': 31515, 'to an overstretched': 900470, 'an overstretched service': 56757, 'overstretched service nh': 631563, 'service nh teamgp': 752619, 'destabilized': 238958, 'disease also': 245079, 'also known': 48459, '19 into': 7914, 'country seems': 211036, 'have destabilized': 380244, 'destabilized our': 238959, 'social norm': 779903, 'norm and': 567030, 'advent of the': 33082, 'coronavirus disease also': 205827, 'disease also known': 245080, 'also known covid': 48461, 'covid 19 into': 213286, '19 into the': 7915, 'into the country': 443110, 'the country seems': 852150, 'country seems to': 211037, 'to have destabilized': 907229, 'have destabilized our': 380245, 'destabilized our social': 238960, 'our social norm': 624812, 'social norm and': 779904, 'norm and behaviour': 567031, 'cashback': 166397, 'cashback hack': 166400, 'hack new': 372744, 'new scheme': 559554, 'scheme could': 741557, 'you knock': 1019473, 'knock thousand': 476166, 'thousand off': 893475, 'off early': 593798, 'early just': 264628, 'cashback hack new': 166401, 'hack new scheme': 372745, 'new scheme could': 559555, 'scheme could help': 741558, 'could help you': 209299, 'help you knock': 390978, 'you knock thousand': 1019475, 'knock thousand off': 476167, 'thousand off your': 893476, 'off your mortgage': 594446, 'mortgage and pay': 541864, 'and pay it': 68799, 'pay it off': 644971, 'it off early': 459985, 'off early just': 593799, 'early just by': 264629, 'just by shopping': 468402, 'the 10': 847852, '10 way': 1751, 'the 10 way': 847858, '10 way covid': 1752, 'changed the american': 172561, 'storing': 811760, 'from obesity': 336627, 'obesity than': 578376, 'from storing': 337450, 'storing all': 811761, 'that crap': 843390, 'crap food': 214891, 'most of you': 542570, 'die from obesity': 241353, 'from obesity than': 336628, 'obesity than from': 578377, '19 from storing': 7138, 'from storing all': 337451, 'storing all that': 811762, 'all that crap': 44634, 'that crap food': 843391, 'confidential': 194017, 'together are': 920710, 'free and': 331638, 'and confidential': 60278, 'confidential advice': 194018, 'to founder': 906210, 'founder ceo': 330527, 'uk smes': 938720, 'smes in': 775647, 'tech consumer': 836067, 'hospitality space': 404803, 'space affected': 787044, 'all together are': 45258, 'together are offering': 920711, 'offering free and': 595112, 'free and confidential': 331644, 'and confidential advice': 60279, 'confidential advice and': 194019, 'advice and support': 33319, 'and support to': 72857, 'support to founder': 826944, 'to founder ceo': 906211, 'founder ceo and': 330528, 'ceo and business': 169641, 'and business owner': 59296, 'business owner of': 144190, 'owner of uk': 632524, 'of uk smes': 592577, 'uk smes in': 938721, 'smes in the': 775648, 'in the tech': 429594, 'the tech consumer': 869222, 'tech consumer retail': 836068, 'consumer retail and': 198793, 'and hospitality space': 64756, 'hospitality space affected': 404804, 'space affected by': 787045, '19 check it': 5783, 'august': 102978, 'america increased': 51564, 'increased last': 433360, 'week fuel': 976263, 'plummeted across': 661322, 'board crude': 133625, 'oil plunged': 597016, 'plunged to': 661505, 'low while': 505743, 'pump are': 689026, 'lowest since': 506223, 'since august': 770512, 'august 2016': 102979, 'case in america': 165785, 'in america increased': 420226, 'america increased last': 51565, 'increased last week': 433361, 'last week fuel': 480648, 'week fuel price': 976264, 'fuel price plummeted': 340245, 'price plummeted across': 675911, 'plummeted across the': 661323, 'the board crude': 849806, 'board crude oil': 133626, 'crude oil plunged': 219565, 'oil plunged to': 597017, 'plunged to 18': 661506, 'year low while': 1014741, 'low while price': 505744, 'while price at': 987169, 'the pump are': 864896, 'pump are now': 689028, 'now the lowest': 576050, 'the lowest since': 859822, 'lowest since august': 506227, 'since august 2016': 770513, 'maybe now': 521760, 'employee too': 274349, 'maybe now will': 521763, 'now will provide': 576432, 'will provide mask': 994517, 'glove to it': 352972, 'to it employee': 908577, 'it employee too': 457808, 'huntsville': 411442, 'huntsville leader': 411443, 'leader encourage': 483447, 'encourage resident': 275623, 'pandemic onlineshopping': 636105, 'ecommerce video': 266888, 'huntsville leader encourage': 411444, 'leader encourage resident': 483448, 'encourage resident to': 275624, 'resident to support': 714389, '19 pandemic onlineshopping': 9417, 'pandemic onlineshopping ecommerce': 636106, 'onlineshopping ecommerce video': 609897, 'key opec': 473355, 'for today': 327239, 'until thursday': 943906, 'thursday after': 895333, 'russia accused': 728412, 'accused each': 28936, 'other of': 620590, 'of sparking': 589965, 'sparking the': 787607, 'war to': 966566, 'oil sector': 597419, 'sector oilprices': 744282, 'key opec meeting': 473356, 'opec meeting scheduled': 611915, 'meeting scheduled for': 527756, 'scheduled for today': 741494, 'for today ha': 327240, 'ha been postponed': 369870, 'been postponed until': 121684, 'postponed until thursday': 666840, 'until thursday after': 943907, 'thursday after saudiarabia': 895334, 'and russia accused': 70659, 'russia accused each': 728413, 'accused each other': 28937, 'each other of': 264200, 'other of sparking': 620592, 'of sparking the': 589966, 'sparking the price': 787608, 'price war to': 677378, 'war to hurt': 966568, 'to hurt the': 908066, 'hurt the oil': 411618, 'the oil sector': 862118, 'oil sector oilprices': 597423, 'selfdistancing': 747942, 'love our': 504751, 'they always': 881158, 'always go': 49577, 'go above': 353244, 'beyond selfdistancing': 129228, 'selfdistancing heb': 747943, 'why love our': 991175, 'love our grocery': 504752, 'store they always': 810663, 'they always go': 881160, 'always go above': 49578, 'go above and': 353245, 'and beyond selfdistancing': 58950, 'beyond selfdistancing heb': 129229, 'think thing': 885690, 'are bleak': 84989, 'bleak here': 132546, 'nz they': 578205, 'shop okay': 760538, 'okay you': 598039, 'buy booze': 148427, 'think thing are': 885691, 'thing are bleak': 884147, 'are bleak here': 84990, 'bleak here in': 132547, 'here in nz': 393172, 'in nz they': 426037, 'nz they re': 578206, 're closing the': 698435, 'closing the bottle': 183769, 'the bottle shop': 849898, 'bottle shop okay': 136320, 'shop okay you': 760539, 'okay you can': 598040, 'still buy booze': 800313, 'buy booze at': 148429, 'ment': 528625, 'socaildistancing': 779392, 'dear please': 229850, 'country into': 210790, 'lockdown people': 499776, 'supermarket open': 821776, '8am and': 23122, 'is shoulder': 451888, 'shoulder to': 766710, 'to shoulder': 914538, 'shoulder thought': 766708, 'we where': 973824, 'where ment': 985027, 'ment to': 528626, 'be socaildistancing': 117269, 'dear please just': 229852, 'please just put': 660143, 'just put the': 469529, 'put the country': 690854, 'the country into': 852101, 'country into lockdown': 210791, 'into lockdown people': 442718, 'lockdown people are': 499777, 'are still not': 90452, 'still not getting': 800895, 'not getting it': 569628, 'getting it supermarket': 349078, 'it supermarket open': 461363, 'supermarket open at': 821778, 'open at 8am': 612097, 'at 8am and': 97780, '8am and everyone': 23125, 'and everyone is': 62402, 'everyone is shoulder': 287109, 'is shoulder to': 451889, 'shoulder to shoulder': 766711, 'to shoulder thought': 914541, 'shoulder thought we': 766709, 'thought we where': 893303, 'we where ment': 973825, 'where ment to': 985028, 'ment to be': 528627, 'to be socaildistancing': 901550, 'should fine': 765993, 'fine company': 307621, 'who inflate': 989034, 'hoarder toiletpapercrisis': 399138, 'there is and': 878523, 'is and they': 445712, 'they should fine': 883365, 'should fine company': 765994, 'fine company who': 307622, 'company who inflate': 191319, 'who inflate price': 989035, 'inflate price and': 436987, 'price and hoarder': 672434, 'and hoarder toiletpapercrisis': 64645, 'onlinebusiness': 609783, 'coming if': 188081, 'only moderate': 610796, 'moderate one': 535353, 'one there': 607208, 'be tremendous': 117810, 'tremendous psychological': 931230, 'psychological impact': 687520, 'end we': 276066, 'to offline': 910865, 'offline online': 596045, 'online will': 609728, 'become basic': 119932, 'necessity business': 554189, 'business onlinebusiness': 144144, 'behavior is coming': 124096, 'is coming if': 446659, 'coming if only': 188082, 'if only moderate': 414552, 'only moderate one': 610797, 'moderate one there': 535354, 'one there will': 607211, 'will be tremendous': 992738, 'be tremendous psychological': 117811, 'tremendous psychological impact': 931231, 'psychological impact on': 687521, 'on people after': 602733, 'people after end': 646781, 'after end we': 35626, 'end we will': 276067, 'will not want': 994284, 'back to offline': 107383, 'to offline online': 910867, 'offline online will': 596046, 'online will become': 609729, 'will become basic': 992791, 'become basic necessity': 119933, 'basic necessity business': 111992, 'necessity business onlinebusiness': 554190, 'minnesota ha': 533606, 'ha classified': 370157, 'personnel allowing': 653074, 'access free': 28134, 'care provided': 164170, 'state amid': 795347, 'minnesota ha classified': 533607, 'ha classified grocery': 370158, 'emergency personnel allowing': 272860, 'personnel allowing them': 653075, 'them to access': 876451, 'to access free': 899953, 'access free child': 28135, 'child care provided': 176041, 'care provided by': 164171, 'the state amid': 867744, 'state amid the': 795348, 'prevent foodwaste': 671625, 'even in time': 284251, 'of crisis they': 582192, 'crisis they cannot': 218212, 'they cannot find': 881706, 'cannot find way': 161854, 'to prevent foodwaste': 912060, 'blaqsbi': 132391, 'ado': 32643, 'mightyoure': 531187, 'if youre': 415614, 'youre quarantined': 1026421, 'home consumer': 400919, 'prepare if': 670100, 'coronavirus there': 206922, 'hoard supply': 398869, 'an extended': 55984, 'extended stay': 293189, 'at blaqsbi': 98138, 'blaqsbi ado': 132392, 'ado mightyoure': 32648, '19 what you': 12008, 'what you might': 982682, 'you might need': 1019854, 'might need if': 531082, 'need if youre': 555037, 'if youre quarantined': 415615, 'youre quarantined at': 1026422, 'at home consumer': 98958, 'home consumer report': 400921, 'report explains how': 711925, 'explains how to': 292218, 'to prepare if': 912003, 'prepare if youre': 670103, 'to coronavirus there': 903569, 'coronavirus there no': 206924, 'to hoard supply': 907879, 'hoard supply for': 398873, 'supply for an': 825259, 'for an extended': 319294, 'an extended stay': 55989, 'extended stay at': 293190, 'stay at blaqsbi': 796768, 'at blaqsbi ado': 98139, 'blaqsbi ado mightyoure': 132393, 'benson': 127248, 'cack': 155047, 'inadequately': 431216, 'miniscule': 533314, 'asthmatic': 97217, 'martin benson': 518092, 'benson suggest': 127249, 'article boris': 94269, 'the cack': 850260, 'cack because': 155048, 'didn inadequately': 241112, 'inadequately prepare': 431217, 'one miniscule': 606667, 'miniscule example': 533315, 'example asthmatic': 288872, 'asthmatic disease': 97222, 'disease exacerbated': 245137, 'by stress': 154138, 'stress if': 813340, 'if sat': 414751, 'sat up': 736914, 'night every': 562991, 'martin benson suggest': 518093, 'benson suggest you': 127250, 'suggest you read': 817558, 'you read the': 1020811, 'read the article': 700569, 'the article boris': 848931, 'article boris johnson': 94270, 'johnson is in': 466605, 'in the cack': 429048, 'the cack because': 850261, 'cack because he': 155049, 'because he didn': 119114, 'he didn inadequately': 384882, 'didn inadequately prepare': 241113, 'inadequately prepare for': 431218, '19 just one': 8206, 'just one miniscule': 469378, 'one miniscule example': 606668, 'miniscule example asthmatic': 533316, 'example asthmatic disease': 288873, 'asthmatic disease exacerbated': 97223, 'disease exacerbated by': 245138, 'exacerbated by stress': 288670, 'by stress if': 154139, 'stress if sat': 813341, 'if sat up': 414752, 'sat up all': 736915, 'up all night': 944255, 'all night every': 43642, 'night every night': 562992, '230': 15444, '1400': 3559, 's9': 728859, 'have crazy': 380151, 'crazy samsung': 215409, 'samsung deal': 733501, 'deal guy': 229420, 'guy get': 369000, 'note 10': 572688, '10 230': 1257, '230 00': 15445, '00 note': 373, 'note 1400': 572690, '1400 s9': 3560, 's9 140': 728860, '140 00': 3550, '00 you': 622, 'price anywhere': 672602, 'we have crazy': 971787, 'have crazy samsung': 380153, 'crazy samsung deal': 215410, 'samsung deal guy': 733502, 'deal guy get': 229421, 'guy get the': 369002, 'get the note': 348274, 'the note 10': 861896, 'note 10 230': 572689, '10 230 00': 1258, '230 00 note': 15446, '00 note 1400': 374, 'note 1400 s9': 572691, '1400 s9 140': 3561, 's9 140 00': 728861, '140 00 you': 3551, '00 you cannot': 623, 'cannot get this': 161911, 'get this price': 348410, 'this price anywhere': 889705, 'price anywhere else': 672603, 'retrospect': 719799, 'in retrospect': 427477, 'retrospect be': 719800, '2020 will in': 14723, 'will in retrospect': 993795, 'in retrospect be': 427478, 'retrospect be known': 719801, 'the year you': 872179, 'year you protect': 1015129, 'you protect your': 1020469, 'protect your own': 685069, 'intended toiletpaper 19': 441064, 'raised all': 695987, 'said nothing': 731267, 'ha raised all': 371625, 'raised all food': 695988, 'all food price': 42819, 'price and am': 672362, 'and am not': 58023, 'sure why the': 827840, 'why the government': 991420, 'government ha said': 360167, 'ha said nothing': 371794, 'costco line': 208251, 'line start': 493424, 'at 55': 97690, '55 coronavirus': 20372, 'coronavirus scare': 206729, 'scare shopper': 740912, 'costco line start': 208252, 'line start at': 493425, 'start at 55': 794213, 'at 55 coronavirus': 97691, '55 coronavirus scare': 20373, 'coronavirus scare shopper': 206732, 'martin disgraceful': 518096, 'disgraceful behaviour': 245324, 'behaviour should': 124519, 'should never': 766226, 'be forgotten': 114926, 'forgotten millionaire': 329448, 'millionaire bos': 532444, 'bos won': 135714, 'won pay': 1003882, 'pay staff': 645115, 'consider working': 195181, 'tesco during': 838695, 'tim martin disgraceful': 896162, 'martin disgraceful behaviour': 518097, 'disgraceful behaviour should': 245325, 'behaviour should never': 124520, 'should never be': 766227, 'never be forgotten': 557878, 'be forgotten millionaire': 114927, 'forgotten millionaire bos': 329449, 'millionaire bos won': 532445, 'bos won pay': 135715, 'won pay staff': 1003883, 'pay staff and': 645116, 'staff and tell': 792165, 'and tell them': 73097, 'them to consider': 876463, 'to consider working': 903243, 'consider working for': 195182, 'working for tesco': 1008647, 'for tesco during': 326218, 'tesco during lockdown': 838697, 'illuminating': 416426, 'rescue how': 713622, 'how tech': 408778, 'researcher are': 713897, 'are illuminating': 87304, 'illuminating the': 416427, 'the rescue how': 865563, 'rescue how tech': 713623, 'how tech and': 408779, 'tech and researcher': 836037, 'and researcher are': 70297, 'researcher are illuminating': 713898, 'are illuminating the': 87305, 'illuminating the spread': 416428, 'spread of via': 790718, 'bettson': 128646, 'stop community': 804578, 'community chef': 189782, 'chef monica': 175267, 'monica bettson': 537250, 'bettson spoke': 128647, 'what our': 981983, 'work look': 1005446, 'the stop community': 867957, 'stop community chef': 804579, 'community chef monica': 189783, 'chef monica bettson': 175268, 'monica bettson spoke': 537251, 'bettson spoke with': 128648, 'the about what': 848241, 'about what our': 26892, 'what our work': 981988, 'our work look': 625399, 'work look like': 1005447, 'bse': 141442, 'nse': 576664, 'gm guy': 353173, 'for stock': 325909, 'market shopping': 517056, 'festival unlimited': 303609, 'unlimited period': 942783, 'period offer': 651861, 'online partner': 608734, 'partner bse': 642789, 'bse and': 141443, 'and nse': 67876, 'nse main': 576665, 'main sponsor': 508818, 'sponsor covid': 789827, 'gm guy get': 353174, 'guy get ready': 369001, 'ready for stock': 700874, 'for stock market': 325911, 'stock market shopping': 802435, 'market shopping festival': 517057, 'shopping festival unlimited': 762635, 'festival unlimited period': 303610, 'unlimited period offer': 942784, 'period offer online': 651862, 'offer online partner': 594725, 'online partner bse': 608735, 'partner bse and': 642790, 'bse and nse': 141444, 'and nse main': 67877, 'nse main sponsor': 576666, 'main sponsor covid': 508819, 'sponsor covid 19': 789828, 'nanking': 551808, 'scorn': 742401, 'invasive': 443601, 'boarding': 133696, 'how nanking': 408396, 'nanking of': 551809, 'people got': 648114, 'got zero': 359045, 'zero covid': 1027429, '19 america': 4953, 'will scorn': 994757, 'scorn at': 742402, 'the strict': 868279, 'strict invasive': 813628, 'invasive process': 443604, 'keep social': 471943, 'even supermarket': 284622, 'and boarding': 59037, 'boarding bus': 133697, 'how nanking of': 408397, 'nanking of million': 551810, 'of million people': 586536, 'million people got': 532309, 'people got zero': 648116, 'got zero covid': 359046, 'zero covid 19': 1027430, 'covid 19 america': 212623, '19 america will': 4955, 'america will scorn': 51748, 'will scorn at': 994758, 'scorn at the': 742403, 'at the strict': 101113, 'the strict invasive': 868281, 'strict invasive process': 813629, 'invasive process to': 443605, 'process to keep': 679977, 'to keep social': 908850, 'keep social distancing': 471945, 'distancing and ordering': 246984, 'and ordering food': 68257, 'ordering food and': 618965, 'food and even': 313223, 'and even supermarket': 62347, 'even supermarket shopping': 284623, 'supermarket shopping and': 822627, 'shopping and boarding': 761966, 'and boarding bus': 59038, 'tota': 926115, 'nigerian government': 562847, 'all school': 44250, 'school no': 741871, 'gathering limited': 344481, 'limited mobility': 492676, 'mobility and': 535075, 'supporting nigerian': 827156, 'nigerian by': 562837, 'by reducing': 153741, 'reducing food': 706288, 'is tota': 453295, 'nigerian government must': 562849, 'government must step': 360374, 'up to prevent': 946416, 'of by closing': 581022, 'by closing all': 152136, 'closing all school': 183579, 'all school no': 44252, 'school no public': 741873, 'no public gathering': 565245, 'public gathering limited': 688032, 'gathering limited mobility': 344482, 'limited mobility and': 492677, 'mobility and supporting': 535076, 'and supporting nigerian': 72863, 'supporting nigerian by': 827157, 'nigerian by reducing': 562838, 'by reducing food': 153742, 'reducing food price': 706289, 'food price so': 315974, 'price so that': 676515, 'they can stock': 881681, 'can stock their': 159808, 'stock their home': 802947, 'their home while': 873581, 'home while this': 402495, 'while this pandemic': 987455, 'pandemic is tota': 635802, 'wife wa': 991990, 'small retail': 775094, 'at wa': 101466, 'with walk': 1002014, 'that disappeared': 843548, 'disappeared due': 244060, 'long do': 501397, 'it currently': 457440, 'currently take': 221688, 'for employment': 321039, 'employment insurance': 274615, 'process application': 679882, 'my wife wa': 550603, 'wife wa laid': 991992, 'laid off yesterday': 479037, 'off yesterday because': 594433, 'yesterday because the': 1015693, 'because the small': 119649, 'the small retail': 867366, 'small retail store': 775095, 'retail store she': 718701, 'store she work': 810053, 'work at wa': 1004909, 'at wa hit': 101467, 'wa hit with': 962313, 'hit with walk': 398514, 'with walk in': 1002015, 'walk in business': 964801, 'in business that': 421081, 'business that disappeared': 144477, 'that disappeared due': 843549, 'disappeared due to': 244061, '19 how long': 7606, 'how long do': 408198, 'long do we': 501399, 'do we think': 250489, 'think it currently': 885325, 'it currently take': 457443, 'currently take for': 221689, 'take for employment': 832128, 'for employment insurance': 321041, 'employment insurance to': 274616, 'insurance to process': 440827, 'to process application': 912172, 'opportunism': 613547, 'well tried': 978711, 'tried various': 931855, 'various source': 952643, 'source today': 786568, 'could report': 209592, 'report fashion': 711930, 'fashion store': 299850, 'store profiteering': 809675, 'selling sanitizer': 749429, 'tissue at': 899130, 'wa interested': 962418, 'interested they': 441488, 'don sell': 253900, 'this normally': 889165, 'normally pure': 567525, 'pure opportunism': 689977, 'opportunism auspol': 613548, 'well tried various': 978712, 'tried various source': 931856, 'various source today': 952644, 'source today to': 786569, 'today to see': 920368, 'see if could': 745275, 'if could report': 414010, 'could report fashion': 209593, 'report fashion store': 711931, 'fashion store profiteering': 299852, 'store profiteering from': 809676, 'profiteering from this': 683048, 'this crisis by': 887024, 'crisis by selling': 217178, 'by selling sanitizer': 153931, 'selling sanitizer and': 749430, 'and tissue at': 74144, 'tissue at high': 899131, 'high price no': 395260, 'price no one': 675347, 'one wa interested': 607346, 'wa interested they': 962419, 'interested they don': 441489, 'they don sell': 882002, 'don sell this': 253902, 'sell this normally': 748916, 'this normally pure': 889166, 'normally pure opportunism': 567526, 'pure opportunism auspol': 689978, 'in no': 425907, 'panic need': 638339, 'need awareness': 554506, 'awareness in': 105696, 'community union': 190194, 'ministry on': 533557, 'on ration': 603077, 'ration food': 697675, 'item amid': 463043, 'just in no': 469042, 'in no need': 425912, 'to panic need': 911412, 'panic need awareness': 638340, 'need awareness in': 554507, 'awareness in community': 105697, 'in community union': 421616, 'community union health': 190195, 'health ministry on': 386646, 'ministry on people': 533558, 'on people stocking': 602751, 'up on ration': 945610, 'on ration food': 603079, 'ration food item': 697679, 'food item amid': 315191, 'item amid scare': 463045, 'stuart': 814555, '1993': 12497, 'whispering': 987798, 'ego': 270063, 'spiritual': 789532, 'stuart wilde': 814556, 'wilde in': 992106, 'his 1993': 397165, '1993 book': 12500, 'book whispering': 134630, 'whispering wind': 987801, 'wind of': 995631, 'first chapter': 308569, 'chapter this': 173139, 're experiencing': 698644, 'experiencing now': 291686, 'old consumer': 598190, 'consumer world': 199568, 'world ego': 1009514, 'ego is': 270068, 'dying this': 263875, 'huge wake': 410258, 'on spiritual': 603605, 'stuart wilde in': 814557, 'wilde in his': 992107, 'in his 1993': 423711, 'his 1993 book': 397166, '1993 book whispering': 12501, 'book whispering wind': 134631, 'whispering wind of': 987802, 'wind of change': 995632, 'of change the': 581272, 'change the first': 172295, 'the first chapter': 855289, 'first chapter this': 308570, 'chapter this is': 173140, 'we re experiencing': 972868, 're experiencing now': 698647, 'experiencing now because': 291687, 'now because of': 574213, '19 the old': 11224, 'the old consumer': 862131, 'old consumer world': 598191, 'consumer world ego': 199569, 'world ego is': 1009515, 'ego is dying': 270069, 'is dying this': 447421, 'dying this is': 263876, 'this is huge': 888285, 'is huge wake': 448621, 'huge wake up': 410259, 'up call on': 944568, 'call on spiritual': 156047, 'sputnik': 791362, 'via covid': 955894, 'good giant': 357121, 'face boycott': 294337, 'boycott call': 137319, 'raising soap': 696134, 'sanitiser price': 734002, 'new delhi': 558618, 'delhi sputnik': 232908, 'sputnik while': 791365, 'the uptick': 870517, 'in coronavirus': 421801, 'case across': 165605, 'to sharp': 914382, 'economy wreaking': 268376, 'via covid 19': 955895, '19 consumer good': 5970, 'consumer good giant': 197618, 'good giant face': 357122, 'giant face boycott': 349771, 'face boycott call': 294338, 'boycott call for': 137320, 'call for raising': 155886, 'for raising soap': 324953, 'raising soap hand': 696135, 'hand sanitiser price': 375242, 'sanitiser price new': 734008, 'price new delhi': 675327, 'new delhi sputnik': 558620, 'delhi sputnik while': 232910, 'sputnik while the': 791366, 'while the uptick': 987422, 'the uptick in': 870518, 'uptick in coronavirus': 947908, 'in coronavirus case': 421803, 'coronavirus case across': 205612, 'case across the': 165607, 'world ha led': 1009612, 'led to sharp': 485297, 'to sharp decline': 914383, 'global economy wreaking': 351910, 'economy wreaking havoc': 268377, 'rachel': 695221, 'clarke': 180112, 'appeal please': 82074, 'share we': 755339, 'at salford': 100454, 'salford royal': 732714, 'royal hospital': 726627, 'hospital to': 404684, 'any spare': 79843, 'spare filter': 787477, 'filter for': 305764, 'the 3m': 848102, '3m 7500': 18299, '7500 respirator': 22191, 'respirator this': 715218, 'could local': 209388, 'local garage': 498006, 'garage or': 343495, 'with spray': 1000924, 'spray paint': 790319, 'paint email': 634281, 'email rachel': 272281, 'rachel clarke': 695222, 'clarke nh': 180115, 'nh uk': 562154, 'uk amanda': 938160, 'amanda harris': 50592, 'harris nh': 378507, 'appeal please share': 82075, 'please share we': 660499, 'share we still': 755340, 'still need help': 800857, 'need help at': 554974, 'help at salford': 389389, 'at salford royal': 100455, 'salford royal hospital': 732715, 'royal hospital to': 726628, 'hospital to see': 404688, 'see if any': 745273, 'if any business': 413827, 'any business in': 78990, 'the area have': 848882, 'area have any': 92041, 'have any spare': 379319, 'any spare filter': 79844, 'spare filter for': 787478, 'filter for the': 305765, 'for the 3m': 326287, 'the 3m 7500': 848103, '3m 7500 respirator': 18300, '7500 respirator this': 22192, 'respirator this could': 715219, 'this could local': 886930, 'could local garage': 209389, 'local garage or': 498007, 'garage or anyone': 343496, 'work with spray': 1006044, 'with spray paint': 1000925, 'spray paint email': 790320, 'paint email rachel': 634282, 'email rachel clarke': 272282, 'rachel clarke nh': 695223, 'clarke nh uk': 180116, 'nh uk amanda': 562155, 'uk amanda harris': 938161, 'amanda harris nh': 50593, 'harris nh uk': 378508, 'chicagolockdown': 175709, 'if nationwide': 414441, 'lockdown happens': 499456, 'happens would': 377537, 'office still': 595555, 'open like': 612362, 'store an': 806185, 'essential need': 281321, 'need thought': 555834, 'thought lockdown': 893122, 'lockdown chicagolockdown': 499239, 'if nationwide lockdown': 414442, 'nationwide lockdown happens': 552742, 'lockdown happens would': 499457, 'happens would the': 377538, 'would the post': 1012323, 'post office still': 666244, 'office still be': 595556, 'still be open': 800261, 'be open like': 116247, 'open like the': 612365, 'grocery store an': 365196, 'store an essential': 806187, 'an essential need': 55827, 'essential need thought': 281323, 'need thought lockdown': 555835, 'thought lockdown chicagolockdown': 893123, 'were retailer': 980062, 'shop wa': 761008, 'wa filled': 962119, 'with crowd': 997862, 'of moron': 586660, 'moron each': 541584, 'each trying': 264312, 'buy 00': 148240, '00 roll': 478, 'paper then': 640886, 'course jack': 211886, 'jack up': 464124, 'what fuck': 981477, 'have problem': 382053, 'if were retailer': 415344, 'were retailer and': 980063, 'retailer and my': 718971, 'and my shop': 67389, 'my shop wa': 550051, 'shop wa filled': 761010, 'wa filled with': 962120, 'filled with crowd': 305576, 'with crowd of': 997863, 'crowd of moron': 219219, 'of moron each': 586661, 'moron each trying': 541585, 'each trying to': 264313, 'to buy 00': 902163, 'buy 00 roll': 148241, '00 roll of': 479, 'toilet paper then': 921486, 'paper then of': 640889, 'then of course': 877369, 'of course jack': 582058, 'course jack up': 211887, 'jack up the': 464127, 'the price and': 864329, 'price and you': 672586, 'and you know': 76029, 'know what fuck': 476950, 'what fuck you': 981478, 'fuck you if': 339702, 'you have problem': 1019097, 'have problem with': 382056, 'problem with that': 679764, 'update countdown': 946918, 'countdown is': 210161, 'is introducing': 448960, 'introducing limit': 443494, 'shelf quickly': 757448, 'quickly enough': 694516, 'enough if': 277480, 'current rate': 221334, 'update countdown is': 946919, 'countdown is introducing': 210162, 'is introducing limit': 448961, 'introducing limit on': 443495, 'limit on some': 492429, 'on some item': 603560, 'some item to': 783154, 'item to stop': 463768, '19 the supermarket': 11253, 'get some product': 348070, 'some product on': 783650, 'product on shelf': 681471, 'on shelf quickly': 603407, 'shelf quickly enough': 757451, 'quickly enough if': 694518, 'enough if people': 277482, 'people continue shopping': 647539, 'continue shopping at': 201128, 'at the current': 100920, 'the current rate': 852656, 'slowdown which': 774478, 'already impacted': 47453, 'impacted score': 418151, 'score of': 742360, 'now resulting': 575696, 'in further': 423191, 'further fall': 342049, 'economic slowdown which': 267312, 'slowdown which ha': 774479, 'which ha already': 985875, 'ha already impacted': 369511, 'already impacted score': 47454, 'impacted score of': 418152, 'score of market': 742362, 'of market and': 586227, 'market and business': 515950, 'country is now': 210813, 'is now resulting': 450328, 'now resulting in': 575697, 'resulting in further': 717706, 'in further fall': 423193, 'further fall in': 342050, 'fall in property': 296963, 'in property price': 427041, '7to': 22532, 'old price': 598433, 'cannot by': 161698, 'by device': 152347, 'device before': 239900, 'reply and': 711735, 'in 7to': 419963, '7to april': 22533, 'april mi': 83637, 'mi sale': 530134, 'we want the': 973749, 'want the old': 965961, 'the old price': 862142, 'old price because': 598434, 'price because we': 672868, 'because we cannot': 119793, 'we cannot by': 971049, 'cannot by device': 161699, 'by device before': 152348, 'device before the': 239901, 'price increase due': 674770, '19 please reply': 9725, 'please reply and': 660381, 'reply and can': 711736, 'and can buy': 59450, 'can buy the': 157839, 'buy the phone': 149303, 'the phone in': 863692, 'phone in 7to': 654964, 'in 7to april': 419964, '7to april mi': 22534, 'april mi sale': 83638, 'recurrence': 705518, 'pandemic expert': 635407, 'expert are': 291781, 'asking heart': 96004, 'and stroke': 72585, 'stroke survivor': 813943, 'survivor to': 829401, 'take extra': 832110, 'reduce their': 705981, 'their risk': 874595, 'of recurrence': 588850, 'current pandemic expert': 221291, 'pandemic expert are': 635408, 'expert are asking': 291782, 'are asking heart': 84639, 'asking heart attack': 96005, 'heart attack and': 388265, 'attack and stroke': 102082, 'and stroke survivor': 72586, 'stroke survivor to': 813944, 'survivor to take': 829402, 'to take extra': 916179, 'take extra precaution': 832113, 'extra precaution to': 293613, 'precaution to reduce': 669388, 'to reduce their': 913046, 'reduce their risk': 705988, 'their risk of': 874597, 'risk of recurrence': 723771, 'convinces': 202675, 'someone convinces': 784412, 'convinces trump': 202676, 'trump that': 933906, 'that drinking': 843623, 'drinking gasoline': 258929, 'gasoline kill': 344243, 'kill all': 474336, 'all covid': 42483, 'body there': 133901, 'high gas': 395099, 'of dead': 582398, 'dead people': 229168, 'if someone convinces': 414850, 'someone convinces trump': 784413, 'convinces trump that': 202677, 'trump that drinking': 933907, 'that drinking gasoline': 843624, 'drinking gasoline kill': 258930, 'gasoline kill all': 344244, 'kill all covid': 474337, 'all covid 19': 42484, 'in the body': 429031, 'the body there': 849827, 'body there gonna': 133902, 'gonna be high': 356471, 'be high gas': 115243, 'high gas price': 395100, 'price and lot': 672460, 'lot of dead': 504171, 'of dead people': 582400, 'the rundown': 866079, 'rundown after': 727876, 'the rundown after': 866080, 'rundown after the': 727877, 'bayarea': 112980, 'bayarea home': 112984, 'price surged': 676731, 'surged before': 828293, 'before struck': 123111, 'struck realestate': 814276, 'housing agent': 407044, 'agent inventory': 38176, 'inventory demand': 443656, 'demand mortgage': 235896, 'mortgage supply': 541962, 'supply multiple': 825572, 'multiple offer': 545770, 'bayarea home price': 112985, 'home price surged': 401920, 'price surged before': 676732, 'surged before struck': 828294, 'before struck realestate': 123112, 'struck realestate housing': 814277, 'realestate housing agent': 701486, 'housing agent inventory': 407045, 'agent inventory demand': 38177, 'inventory demand mortgage': 443658, 'demand mortgage supply': 235897, 'mortgage supply multiple': 541963, 'supply multiple offer': 825573, 'vacillation': 951806, 'incompetence': 432517, 'have royally': 382363, 'royally screwed': 726643, 'screwed this': 742827, 'every step': 286213, 'step of': 799600, 'not later': 570330, 'later is': 481084, 'time utilize': 898175, 'utilize the': 951360, 'make critically': 509807, 'critically needed': 218741, 'needed supply': 556502, 'supply available': 824827, 'sector your': 744421, 'your vacillation': 1026265, 'vacillation and': 951807, 'and incompetence': 65093, 'incompetence are': 432520, 'are literally': 87835, 'literally deadly': 494975, 'god help you': 354740, 'help you have': 390974, 'you have royally': 1019107, 'have royally screwed': 382364, 'royally screwed this': 726644, 'screwed this up': 742828, 'this up every': 890931, 'up every step': 944808, 'every step of': 286214, 'step of the': 799602, 'the way now': 871170, 'way now not': 969734, 'now not later': 575373, 'not later is': 570331, 'later is the': 481085, 'the time utilize': 869629, 'time utilize the': 898176, 'utilize the defense': 951361, 'production act and': 681894, 'act and make': 29596, 'and make critically': 66549, 'make critically needed': 509808, 'critically needed supply': 218743, 'needed supply available': 556504, 'supply available to': 824828, 'available to the': 104662, 'to the health': 916768, 'the health sector': 857188, 'health sector your': 386838, 'sector your vacillation': 744422, 'your vacillation and': 1026266, 'vacillation and incompetence': 951808, 'and incompetence are': 65094, 'incompetence are literally': 432521, 'are literally deadly': 87836, '285': 16438, 'search term': 743290, 'term that': 838311, 'include take': 431634, 'increased 285': 433174, '285 since': 16439, 'march google': 515377, 'google seo': 358191, 'search term that': 743292, 'term that include': 838314, 'that include take': 844469, 'include take out': 431635, 'take out have': 832449, 'out have increased': 626263, 'have increased 285': 381049, 'increased 285 since': 433175, '285 since the': 16440, 'of march google': 586209, 'march google seo': 515378, 'addict': 31623, 'withheld': 1002296, 'withdrawal': 1002261, 'an addict': 55101, 'addict fix': 31624, 'fix being': 309711, 'being withheld': 126065, 'withheld shopper': 1002299, 'through withdrawal': 894912, 'withdrawal how': 1002264, 'will retailer': 994684, 'retailer bring': 719047, 'bring them': 140093, 'them back': 875455, 'back ecommerce': 106971, 'ecommerce onlineshopping': 266824, 'like an addict': 489759, 'an addict fix': 55102, 'addict fix being': 31625, 'fix being withheld': 309712, 'being withheld shopper': 126066, 'withheld shopper are': 1002300, 'shopper are going': 761391, 'going through withdrawal': 355513, 'through withdrawal how': 894913, 'withdrawal how will': 1002265, 'how will retailer': 409237, 'will retailer bring': 994685, 'retailer bring them': 719048, 'bring them back': 140094, 'them back ecommerce': 875456, 'back ecommerce onlineshopping': 106972, 'single employee': 771294, 'employee wore': 274457, 'floridian have': 311029, 'die because': 241303, 'store not single': 809112, 'not single employee': 571596, 'single employee wore': 771295, 'employee wore mask': 274458, 'wore mask or': 1004667, 'many floridian have': 514072, 'floridian have to': 311030, 'have to suffer': 383312, 'to suffer or': 915736, 'or die because': 614964, 'die because of': 241304, 'because of your': 119430, 'zap': 1027232, 'in power': 426882, 'power don': 667595, 'don fear': 253506, 'created it': 215840, 'it mixed': 459647, 'mixed with': 534649, 'with trigger': 1001846, 'trigger cell': 931871, 'cell to': 168969, 'become zap': 120191, 'zap the': 1027233, 'the causing': 850548, 'causing like': 168053, 'like symptom': 491281, 'death lie': 230112, 'lie they': 488385, 'all lie': 43375, 'those in power': 892101, 'in power don': 426885, 'power don fear': 667596, 'don fear the': 253508, 'fear the they': 301384, 'the they created': 869435, 'they created it': 881855, 'created it mixed': 215841, 'it mixed with': 459648, 'mixed with trigger': 534651, 'with trigger cell': 1001847, 'trigger cell to': 931872, 'cell to become': 168970, 'to become zap': 901684, 'become zap the': 120192, 'zap the causing': 1027234, 'the causing like': 850549, 'causing like symptom': 168054, 'like symptom and': 491282, 'symptom and death': 830806, 'and death lie': 60989, 'death lie they': 230113, 'lie they all': 488386, 'they all lie': 881116, 'joule': 467375, 'joule ha': 467376, 'urged the': 948279, 'help worker': 390943, 'joule ha urged': 467377, 'ha urged the': 372419, 'urged the government': 948280, 'government to do': 360711, 'to help worker': 907669, 'help worker in': 390947, 'retail sector the': 718532, 'sector the economic': 744351, 'impact of continues': 417759, 'rebecca': 703256, 'stored': 811717, 'otp': 621898, 'yelpatlanta': 1015296, 'yelpotp': 1015303, 'yelpelite': 1015302, 'rebecca went': 703261, 'out grocery': 626238, 'she wearing': 756456, 'mask made': 518933, 'made out': 507900, 'of bandana': 580531, 'bandana had': 109366, 'had stored': 373565, 'stored away': 811718, 'away that': 106044, 'those mini': 892211, 'mini yelp': 533037, 'yelp hand': 1015288, 'bottle have': 136232, 'have really': 382187, 'really come': 702066, 'handy lately': 376892, 'lately otp': 480985, 'otp yelpatlanta': 621899, 'yelpatlanta yelpotp': 1015297, 'yelpotp yelpelite': 1015304, 'rebecca went out': 703262, 'went out grocery': 979084, 'out grocery shopping': 626240, 'grocery shopping she': 365080, 'shopping she wearing': 763855, 'she wearing mask': 756457, 'wearing mask made': 974700, 'mask made out': 518937, 'made out of': 507901, 'out of bandana': 626682, 'of bandana had': 580532, 'bandana had stored': 109367, 'had stored away': 373566, 'stored away that': 811719, 'away that and': 106045, 'that and those': 842659, 'and those mini': 74030, 'those mini yelp': 892212, 'mini yelp hand': 533038, 'yelp hand sanitizer': 1015289, 'sanitizer bottle have': 734583, 'bottle have really': 136233, 'have really come': 382189, 'really come in': 702068, 'come in handy': 187366, 'in handy lately': 423535, 'handy lately otp': 376893, 'lately otp yelpatlanta': 480986, 'otp yelpatlanta yelpotp': 621900, 'yelpatlanta yelpotp yelpelite': 1015298, 'immediately introduce': 417114, 'introduce everywhere': 443382, 'everywhere supermarket': 288259, 'extra measure': 293572, 'measure shopping': 525332, 'cart mandatory': 165334, 'immediately introduce everywhere': 417115, 'introduce everywhere supermarket': 443383, 'everywhere supermarket take': 288261, 'supermarket take extra': 823125, 'take extra measure': 832112, 'extra measure shopping': 293573, 'measure shopping cart': 525333, 'shopping cart mandatory': 762307, 'nurofen': 577175, 'ibuprofen': 412594, 'bmj': 133555, 'paracetamol only': 641259, 'only stop': 611201, 'buying nurofen': 150778, 'nurofen quit': 577176, 'quit panic': 694803, 'food loo': 315344, 'roll med': 725387, 'med altogether': 525868, 'altogether there': 49390, 'enough but': 277333, 'continue please': 201102, 'stop covid': 804596, '19 ibuprofen': 7648, 'ibuprofen should': 412595, 'managing symptom': 512894, 'symptom say': 830912, 'doctor scientist': 251095, 'scientist the': 742258, 'the bmj': 849803, 'paracetamol only stop': 641260, 'only stop panic': 611203, 'panic buying nurofen': 637824, 'buying nurofen quit': 150779, 'nurofen quit panic': 577177, 'quit panic buying': 694804, 'buying food loo': 150320, 'food loo roll': 315345, 'loo roll med': 502189, 'roll med altogether': 725388, 'med altogether there': 525869, 'altogether there will': 49392, 'will be enough': 992445, 'be enough but': 114684, 'enough but not': 277336, 'but not if': 146539, 'not if people': 570051, 'people continue please': 647538, 'continue please stop': 201103, 'please stop covid': 660575, 'stop covid 19': 804597, 'covid 19 ibuprofen': 213241, '19 ibuprofen should': 7649, 'ibuprofen should not': 412596, 'not be used': 568479, 'used for managing': 949907, 'for managing symptom': 323190, 'managing symptom say': 512895, 'symptom say doctor': 830913, 'say doctor scientist': 738584, 'doctor scientist the': 251097, 'scientist the bmj': 742259, 'advantage see': 33055, 'see of': 745493, 'this many': 888763, 'company share': 191068, 'an advantage see': 55148, 'advantage see of': 33056, 'see of this': 745494, 'of this many': 592004, 'this many company': 888764, 'many company share': 513920, 'company share price': 191071, 'explode': 292290, 'wel': 977856, 'euro2020': 283379, 'transfermarkt': 929545, 'transfer market': 929517, 'market won': 517388, 'won explode': 1003802, 'explode with': 292306, 'for player': 324581, 'player who': 659350, 'do wel': 250499, 'wel at': 977857, 'at euro': 98557, 'euro that': 283373, 'right euro2020': 721886, 'euro2020 transfermarkt': 283380, 'least the transfer': 484652, 'the transfer market': 869899, 'transfer market won': 929518, 'market won explode': 517389, 'won explode with': 1003803, 'explode with high': 292307, 'price for player': 674026, 'for player who': 324582, 'player who do': 659351, 'who do wel': 988626, 'do wel at': 250500, 'wel at euro': 977858, 'at euro that': 98558, 'euro that good': 283374, 'that good thing': 844050, 'good thing right': 357851, 'thing right euro2020': 884721, 'right euro2020 transfermarkt': 721887, 'uk economy': 938316, 'is heading': 448357, 'heading for': 385930, 'is forecast': 447907, 'forecast to': 328873, 'be deeper': 114372, 'deeper than': 231971, '2009 financial': 13708, 'most severe': 542734, 'severe since': 754058, 'since 1900': 770416, '1900 pandemic': 12306, 'seen consumer': 746988, 'demand collapse': 235146, 'collapse many': 186028, 'business forced': 143758, 'or reduce': 616810, 'reduce operation': 705877, 'operation via': 613290, 'uk economy is': 938319, 'economy is heading': 268004, 'is heading for': 448358, 'heading for recession': 385933, 'for recession that': 325017, 'recession that is': 704375, 'that is forecast': 844586, 'is forecast to': 447908, 'forecast to be': 328875, 'to be deeper': 901193, 'be deeper than': 114373, 'deeper than the': 231973, 'than the 2009': 841214, 'the 2009 financial': 847996, '2009 financial crisis': 13709, 'financial crisis one': 306378, 'the most severe': 861034, 'most severe since': 542735, 'severe since 1900': 754059, 'since 1900 pandemic': 770417, '1900 pandemic ha': 12307, 'pandemic ha seen': 635565, 'ha seen consumer': 371823, 'seen consumer demand': 746989, 'consumer demand collapse': 197123, 'demand collapse many': 235148, 'collapse many business': 186029, 'many business forced': 513842, 'business forced to': 143759, 'to close or': 902890, 'close or reduce': 182748, 'or reduce operation': 616811, 'reduce operation via': 705878, 'wait people': 964179, 'be sucking': 117433, 'sucking for': 816965, 'pandemic end': 635378, 'just wait people': 470193, 'wait people are': 964181, 'people are gonna': 646990, 'gonna be sucking': 356482, 'be sucking for': 117434, 'sucking for toilet': 816966, 'sanitizer before this': 734565, 'before this pandemic': 123232, 'this pandemic end': 889385, 'operable': 612967, 'durable': 262343, 'the winning': 871612, 'winning team': 996082, 'team include': 835690, 'include big': 431528, 'big bang': 129633, 'bang boom': 109444, 'boom which': 134828, 'which designed': 985808, 'designed remotely': 238340, 'remotely operable': 710776, 'operable ventilator': 612968, 'ventilator system': 954612, 'system built': 831123, 'built from': 142182, 'consumer durable': 197262, 'durable component': 262346, 'component another': 192545, 'another startup': 77864, 'startup developed': 795098, 'developed uv': 239739, 'uv disinfectant': 951470, 'disinfectant robot': 245738, 'robot that': 724808, 'can autonomously': 157549, 'autonomously disinfect': 104066, 'disinfect surface': 245574, 'surface using': 828084, 'using uv': 950787, 'opinion the winning': 613506, 'the winning team': 871613, 'winning team include': 996083, 'team include big': 835691, 'include big bang': 431529, 'big bang boom': 129634, 'bang boom which': 109445, 'boom which designed': 134829, 'which designed remotely': 985809, 'designed remotely operable': 238341, 'remotely operable ventilator': 710777, 'operable ventilator system': 612969, 'ventilator system built': 954613, 'system built from': 831124, 'built from consumer': 142183, 'from consumer durable': 334959, 'consumer durable component': 197264, 'durable component another': 262347, 'component another startup': 192546, 'another startup developed': 77865, 'startup developed uv': 795099, 'developed uv disinfectant': 239740, 'uv disinfectant robot': 951471, 'disinfectant robot that': 245739, 'robot that can': 724809, 'that can autonomously': 843093, 'can autonomously disinfect': 157550, 'autonomously disinfect surface': 104067, 'disinfect surface using': 245576, 'surface using uv': 828085, 'using uv light': 950788, 'affect how': 34166, 'we interact': 972077, 'future like': 342381, 'saw two': 738309, 'people hugging': 648306, 'hugging and': 410285, 'immediately thought': 417161, 'thought they': 893255, 'scary sad': 741176, 'virus is going': 958375, 'going to affect': 355521, 'to affect how': 900145, 'affect how we': 34168, 'how we interact': 409177, 'we interact with': 972078, 'interact with each': 441206, 'other in the': 620411, 'the future like': 856083, 'future like when': 342382, 'when wa at': 984399, 'store saw two': 810000, 'saw two people': 738312, 'two people hugging': 937136, 'people hugging and': 648307, 'hugging and immediately': 410286, 'and immediately thought': 64999, 'immediately thought they': 417162, 'thought they shouldn': 893257, 'they shouldn be': 883389, 'shouldn be doing': 766724, 'be doing that': 114531, 'doing that scary': 252708, 'that scary sad': 846154, 'coronavirus special': 206793, 'special out': 788012, 'week hand': 976303, 'available here': 104416, 'purell only': 690023, 'only handsanitizer': 610570, 'coronavirus special out': 206794, 'special out of': 788013, 'out of store': 626842, 'of store for': 590251, 'store for week': 807854, 'for week hand': 327712, 'week hand sanitizer': 976304, 'sanitizer is now': 735200, 'now available here': 574157, 'available here better': 104418, 'than purell only': 841061, 'purell only handsanitizer': 690024, 'vernon': 954871, 'oglala': 596330, 'sara': 736709, 'omaha': 598816, 'abourezk': 24621, 'vernon black': 954872, 'black eye': 132050, 'eye oglala': 294068, 'oglala and': 596331, 'and sara': 70921, 'sara anderson': 736710, 'anderson omaha': 76138, 'omaha are': 598817, 'helping slow': 391465, 'time photo': 897484, 'by kevin': 152987, 'kevin abourezk': 473200, 'abourezk abourezk': 24622, 'abourezk with': 24624, 'with story': 1000999, 'vernon black eye': 954873, 'black eye oglala': 132051, 'eye oglala and': 294069, 'oglala and sara': 596332, 'and sara anderson': 70922, 'sara anderson omaha': 736711, 'anderson omaha are': 76139, 'omaha are helping': 598818, 'are helping slow': 87109, 'helping slow the': 391466, 'of the one': 591292, 'the one hand': 862203, 'one hand sanitizer': 606399, 'sanitizer and one': 734423, 'and one roll': 68092, 'paper at time': 639907, 'at time photo': 101306, 'time photo by': 897485, 'photo by kevin': 655141, 'by kevin abourezk': 152988, 'kevin abourezk abourezk': 473201, 'abourezk abourezk with': 24623, 'abourezk with story': 24625, 'with story to': 1001001, 'story to follow': 812140, 'to follow on': 906056, 'if consumer': 413981, 'consumer start': 199121, 'start panicking': 794430, 'conduct bulk': 193635, 'could inflate': 209340, 'inflate food': 436984, 'and interrupt': 65336, 'interrupt availability': 442101, 'food result': 316199, 'result this': 717642, 'make food': 509905, 'food unnecessarily': 317399, 'unnecessarily expensive': 942848, 'expensive in': 291252, 'term dr': 838122, 'dr say': 258097, 'if consumer start': 413985, 'consumer start panicking': 199123, 'start panicking and': 794431, 'panicking and conduct': 639317, 'and conduct bulk': 60270, 'conduct bulk buying': 193636, 'bulk buying this': 142286, 'buying this could': 151219, 'this could inflate': 886926, 'could inflate food': 209341, 'inflate food price': 436985, 'price and interrupt': 672447, 'and interrupt availability': 65337, 'interrupt availability of': 442102, 'of food result': 583763, 'food result this': 316201, 'result this could': 717643, 'this could make': 886931, 'could make food': 209402, 'make food unnecessarily': 509907, 'food unnecessarily expensive': 317400, 'unnecessarily expensive in': 942849, 'expensive in the': 291255, 'short term dr': 764732, 'term dr say': 838123, 'ad have': 31112, 'launched dedicated': 481981, 'dedicated site': 231734, 'site providing': 771993, 'providing advice': 686929, 'advice amp': 33298, 'amp information': 53991, 'issue affected': 455647, 'pandemic up': 636876, 'date advice': 226583, 'employment housing': 274609, 'housing benefit': 407058, 'benefit amp': 126912, 'informed stay': 438123, 'stay protected': 797187, 'ad have launched': 31113, 'have launched dedicated': 381261, 'launched dedicated site': 481983, 'dedicated site providing': 231735, 'site providing advice': 771994, 'providing advice amp': 686930, 'advice amp information': 33300, 'amp information for': 53992, 'information for issue': 437827, 'for issue affected': 322684, 'issue affected by': 455648, 'the pandemic up': 863143, 'pandemic up to': 636877, 'to date advice': 903921, 'date advice is': 226584, 'advice is available': 33414, 'is available for': 445916, 'available for employment': 104367, 'for employment housing': 321040, 'employment housing benefit': 274610, 'housing benefit amp': 407059, 'benefit amp consumer': 126913, 'amp consumer issue': 53568, 'consumer issue stay': 197952, 'issue stay informed': 455937, 'stay informed stay': 797089, 'informed stay protected': 438125, 'wife when': 992000, 'she come': 755943, 'is how going': 448578, 'do my wife': 249634, 'my wife when': 550606, 'wife when she': 992001, 'when she come': 983994, 'she come back': 755944, 'come back from': 187237, 'ehlers': 270144, 'busi': 143162, 'ehlers well': 270145, 'of assistance': 580407, 'with trained': 1001832, 'about option': 25861, 'small busi': 774829, 'ehlers well fargo': 270146, '19 if in': 7658, 'if in need': 414257, 'need of assistance': 555320, 'of assistance customer': 580409, 'speak with trained': 787733, 'with trained specialist': 1001833, 'trained specialist about': 929302, 'specialist about option': 788114, 'about option available': 25862, 'their consumer lending': 872859, 'lending small busi': 486293, 'african are': 35175, 'finding the': 307550, 'issue other': 455882, 'the eve': 854596, 'eve of': 283784, 'of nationwide': 586868, 'south african are': 786669, 'african are finding': 35176, 'are finding the': 86577, 'finding the time': 307553, 'time to worry': 898102, 'worry about issue': 1010643, 'about issue other': 25563, 'issue other than': 455883, 'other than covid': 621061, 'on the eve': 604102, 'the eve of': 854597, 'eve of nationwide': 283786, 'of nationwide lockdown': 586871, 'michigan consumer': 530327, 'index posted': 434230, 'posted biggest': 666518, 'record early': 704955, 'confidence would': 193991, 'been worse': 122405, 'worse were': 1011043, 'were it': 979810, 'not for': 569484, 'rate from': 697228, 'soon peak': 785790, 'peak and': 646046, 'to restart': 913385, 'university of michigan': 942450, 'of michigan consumer': 586472, 'michigan consumer sentiment': 530329, 'consumer sentiment index': 198917, 'sentiment index posted': 750955, 'index posted biggest': 434231, 'posted biggest drop': 666519, 'biggest drop on': 130216, 'drop on record': 260348, 'on record early': 603102, 'record early in': 704956, 'early in april': 264620, 'in april the': 420474, 'april the free': 83700, 'the free fall': 855763, 'free fall in': 331806, 'fall in confidence': 296940, 'in confidence would': 421648, 'confidence would have': 193992, 'have been worse': 379746, 'been worse were': 122406, 'worse were it': 1011044, 'were it not': 979812, 'it not for': 459877, 'not for the': 569498, 'for the expectation': 326421, 'the expectation that': 854706, 'that the infection': 846752, 'the infection and': 858222, 'and death rate': 60990, 'death rate from': 230173, 'rate from covid': 697229, '19 would soon': 12218, 'would soon peak': 1012257, 'soon peak and': 785791, 'peak and allow': 646047, 'and allow the': 57917, 'allow the economy': 46073, 'the economy to': 854028, 'economy to restart': 268294, 'chris': 178045, 'hayes': 384520, 'bother': 136110, 'chris hayes': 178054, 'hayes on': 384525, 'on had': 601219, 'top nurse': 925628, 'field this': 304523, 'evening she': 284894, 'administration lowered': 32487, 'standard for': 793661, 'the nursing': 861989, 'nursing staff': 577627, 'country told': 211181, 'to bother': 901955, 'bother wearing': 136133, 'chris hayes on': 178055, 'hayes on had': 384526, 'on had an': 601220, 'had an interview': 372840, 'an interview with': 56429, 'interview with one': 442265, 'with one of': 999887, 'the top nurse': 869787, 'top nurse in': 925629, 'medical field this': 526179, 'field this evening': 304524, 'this evening she': 887442, 'evening she said': 284895, 'said that today': 731417, 'that today the': 847071, 'today the trump': 920304, 'trump administration lowered': 933381, 'administration lowered the': 32488, 'lowered the standard': 506084, 'the standard for': 867724, 'standard for the': 793662, 'for the nursing': 326593, 'the nursing staff': 861990, 'nursing staff across': 577628, 'the country told': 852172, 'country told them': 211182, 'told them not': 923714, 'them not to': 876056, 'not to bother': 572136, 'to bother wearing': 901957, 'bother wearing mask': 136134, 'mask or to': 519079, 'or to wear': 617483, 'throe': 894255, 'only an': 610085, 'an april': 55379, 'april fool': 83599, 'fool would': 318317, 'would fail': 1011812, 'it death': 457485, 'death throe': 230238, 'only an april': 610086, 'an april fool': 55381, 'april fool would': 83601, 'fool would fail': 318318, 'would fail to': 1011813, 'fail to understand': 296114, 'to understand that': 917911, 'understand that consumer': 940724, 'that consumer culture': 843296, 'culture is in': 220299, 'is in it': 448781, 'in it death': 424237, 'it death throe': 457486, 'farmworkers': 299686, 'our farmworkers': 623028, 'farmworkers are': 299692, 'our farmworkers are': 623029, 'farmworkers are on': 299695, 'crisis and are': 217013, 'are the reason': 90895, 'reason we have': 703052, 'have fresh food': 380719, 'broda': 140811, 'my broda': 547548, 'broda just': 140812, 'hope stock': 403633, 'house co': 406236, 'co the': 184974, 'the nature': 861322, '19 na': 8743, 'na only': 551305, 'only god': 610525, 'god go': 354712, 'my broda just': 547549, 'broda just hope': 140813, 'just hope stock': 468983, 'hope stock enough': 403635, 'stock enough food': 802083, 'for house co': 322405, 'house co the': 406237, 'co the nature': 184975, 'the nature of': 861323, 'nature of this': 552976, 'covid 19 na': 213462, '19 na only': 8744, 'na only god': 551306, 'only god go': 610527, 'god go help': 354713, 'dale': 225105, 'steyn': 800002, 'just decided': 468559, 'that stockpiling': 846504, 'definitely not': 232371, 'not fair': 569352, 'fair on': 296352, 'stuff went': 815248, 'everyone had': 286978, 'paper dale': 640082, 'dale steyn': 225106, 'steyn said': 800003, 'we just decided': 972104, 'just decided that': 468560, 'decided that stockpiling': 230891, 'that stockpiling is': 846505, 'stockpiling is definitely': 803997, 'is definitely not': 447086, 'definitely not the': 232378, 'go it is': 353779, 'is not fair': 450077, 'not fair on': 569354, 'fair on everybody': 296354, 'on everybody who': 600629, 'everybody who need': 286508, 'who need that': 989325, 'need that stuff': 555731, 'that stuff went': 846539, 'stuff went to': 815249, 'other day and': 620073, 'day and everyone': 227261, 'and everyone had': 62399, 'everyone had bought': 286979, 'had bought all': 372933, 'bought all the': 136489, 'toilet paper dale': 921251, 'paper dale steyn': 640083, 'dale steyn said': 225107, 'jyoti10': 470553, 'jyoti10 we': 470554, 'jyoti10 we can': 470555, 'rnr': 724373, 'potential mass': 667104, 'mass spread': 519863, 'spread yesterday': 790897, 'and hypermarket': 64910, 'hypermarket potential': 412352, 'station bus': 796364, 'bus station': 143084, 'and rnr': 70575, 'rnr to': 724374, 'beloved hometown': 126537, 'hometown where': 403001, 'potential mass spread': 667105, 'mass spread yesterday': 519865, 'spread yesterday in': 790898, 'yesterday in grocery': 1015775, 'grocery store supermarket': 365824, 'store supermarket and': 810453, 'supermarket and hypermarket': 819004, 'and hypermarket potential': 64911, 'hypermarket potential for': 412353, 'potential for mass': 667075, 'for mass spread': 323286, 'mass spread in': 519864, 'spread in police': 790580, 'in police station': 426825, 'police station bus': 663212, 'station bus station': 796365, 'bus station and': 143085, 'station and rnr': 796338, 'and rnr to': 70576, 'rnr to our': 724375, 'to our beloved': 911154, 'our beloved hometown': 622182, 'beloved hometown where': 126538, 'hometown where our': 403002, 'where our loved': 985082, 'one are waiting': 605949, 'electron': 271253, 'tw': 936236, 'let assume': 486607, 'assume you': 97036, 'you then': 1021623, 'then ask': 877003, 'treated by': 930939, 'by exact': 152512, 'exact those': 288708, 'product go': 681225, 'go fuck': 353589, 'fuck yourself': 339709, 'yourself you': 1026768, 'the electron': 854186, 'electron used': 271256, 'write this': 1012795, 'this tw': 890884, 'let assume you': 486608, 'assume you get': 97037, 'get the you': 348316, 'the you then': 872200, 'you then ask': 1021624, 'then ask to': 877004, 'ask to be': 95653, 'to be treated': 901601, 'be treated by': 117804, 'treated by exact': 930942, 'by exact those': 152513, 'exact those people': 288709, 'those people the': 892331, 'people the nurse': 649792, 'nurse who cannot': 577544, 'for the product': 326635, 'the product go': 864589, 'product go fuck': 681226, 'go fuck yourself': 353590, 'fuck yourself you': 339711, 'yourself you are': 1026769, 'are not worth': 88500, 'not worth the': 572581, 'worth the electron': 1011445, 'the electron used': 854187, 'electron used to': 271257, 'used to write': 950105, 'to write this': 918866, 'write this tw': 1012796, 'giant place': 349843, 'place 700': 657288, '700 staff': 21900, 'week with': 977259, 'with further': 998588, 'further 500': 341987, '500 job': 20008, 'offer across': 594512, 'supermarket liquor': 821336, 'liquor online': 494181, 'online supply': 609507, 'supermarket giant place': 820510, 'giant place 700': 349844, 'place 700 staff': 657289, '700 staff in': 21901, 'staff in two': 792561, 'two week with': 937375, 'week with further': 977263, 'with further 500': 998589, 'further 500 job': 341988, '500 job on': 20009, 'job on offer': 466050, 'on offer across': 602478, 'offer across supermarket': 594513, 'across supermarket liquor': 29468, 'supermarket liquor online': 821337, 'liquor online supply': 494182, 'online supply chain': 609508, 'chain and bakery': 170456, 'up website': 946552, 'for filing': 321472, 'filing complaint': 305421, 'consumer on': 198258, 'on preventing': 602899, 'preventing scam': 671823, 'scam staysafe': 740375, 'set up website': 753587, 'up website for': 946553, 'website for filing': 975268, 'for filing complaint': 321473, 'filing complaint on': 305422, 'and information for': 65221, 'for consumer on': 320275, 'consumer on preventing': 198261, 'on preventing scam': 602901, 'preventing scam staysafe': 671825, 'onlinestore': 609949, 'artnoisestore': 94644, 'ygk': 1016350, 'concern regarding': 193068, '19 art': 5222, 'art noise': 94174, 'noise ha': 566223, 'quickly developed': 694507, 'developed an': 239678, 'this platform': 889607, 'product schedule': 681601, 'schedule shipment': 741463, 'shipment or': 758775, 'store onlinestore': 809235, 'onlinestore artnoisestore': 609950, 'artnoisestore ygk': 94645, 'to concern regarding': 903170, 'concern regarding covid': 193070, 'covid 19 art': 212654, '19 art noise': 5223, 'art noise ha': 94175, 'noise ha quickly': 566224, 'ha quickly developed': 371617, 'quickly developed an': 694509, 'developed an online': 239680, 'experience with this': 291547, 'with this platform': 1001717, 'this platform you': 889608, 'platform you can': 659066, 'can order and': 159167, 'order and pay': 618033, 'and pay for': 68797, 'pay for product': 644895, 'for product schedule': 324775, 'product schedule shipment': 681602, 'schedule shipment or': 741464, 'shipment or pick': 758777, 'pick up your': 655778, 'up your good': 946737, 'your good at': 1024076, 'good at the': 356803, 'the store onlinestore': 868069, 'store onlinestore artnoisestore': 809236, 'onlinestore artnoisestore ygk': 609951, 'behavior attentive': 123920, 'attentive is': 102517, 'is sharing': 451832, 'sharing data': 755517, 'driven insight': 259322, 'insight tactic': 439640, 'tactic shared': 831713, 'shared our': 755440, 'research here': 713754, 'here part': 393443, 'the support': 868979, 'guidance tech': 368283, 'tech solution': 836146, 'solution are': 781995, 'offering the': 595277, 'commerce industry': 188573, 'this dynamic': 887322, 'dynamic time': 263914, 'continues to impact': 201482, 'to impact consumer': 908149, 'impact consumer behavior': 417606, 'consumer behavior attentive': 196444, 'behavior attentive is': 123921, 'attentive is sharing': 102518, 'is sharing data': 451833, 'sharing data driven': 755518, 'data driven insight': 226196, 'driven insight tactic': 259325, 'insight tactic shared': 439641, 'tactic shared our': 831714, 'shared our research': 755441, 'our research here': 624603, 'research here part': 713755, 'here part of': 393444, 'of the support': 591514, 'the support and': 868980, 'support and guidance': 826359, 'and guidance tech': 64043, 'guidance tech solution': 368284, 'tech solution are': 836147, 'solution are offering': 781996, 'are offering the': 88679, 'offering the commerce': 595279, 'the commerce industry': 851223, 'commerce industry during': 188574, 'industry during this': 435791, 'during this dynamic': 263278, 'this dynamic time': 887324, 'fbcnews': 300691, 'is carrying': 446394, 'an assessment': 55439, 'assessment on': 96399, 'chain fbcnews': 170700, 'fbcnews fijinews': 300692, 'fijinews fiji': 305311, 'fiji more': 305288, 'competition and the': 191668, 'consumer commission is': 196821, 'commission is carrying': 188848, 'is carrying out': 446395, 'carrying out an': 165203, 'out an assessment': 625628, 'an assessment on': 55440, 'assessment on the': 96400, 'on the supply': 604393, 'supply chain fbcnews': 824958, 'chain fbcnews fijinews': 170701, 'fbcnews fijinews fiji': 300693, 'fijinews fiji more': 305314, 'direction someone': 243483, 'someone or': 784592, 'space such': 787167, 'the 2m': 848066, '2m safe': 16706, 'distance is': 246749, 'enough see': 277612, 'this research': 889881, 'research study': 713849, 'study into': 814915, 'into running': 442956, 'running behind': 727935, 'behind someone': 124698, 'thought for while': 893053, 'for while that': 327848, 'while that if': 987368, 'if you walk': 415553, 'you walk in': 1022107, 'same direction someone': 733041, 'direction someone or': 243484, 'someone or you': 784594, 'or you are': 617856, 'are in confined': 87363, 'confined space such': 194048, 'space such supermarket': 787168, 'such supermarket the': 816784, 'supermarket the 2m': 823207, 'the 2m safe': 848069, '2m safe distance': 16707, 'safe distance is': 729589, 'distance is not': 246752, 'not enough see': 569193, 'enough see this': 277614, 'see this research': 745953, 'this research study': 889883, 'research study into': 713850, 'study into running': 814916, 'into running behind': 442957, 'running behind someone': 727936, 'workable': 1006075, 'operating social': 613103, 'distancing might': 247333, 'be worth': 118159, 'worth trying': 1011454, 'trying smaller': 934730, 'shop where': 761029, 'more workable': 541006, 'workable and': 1006076, 'shelf better': 756892, 'better stocked': 128496, 'stocked also': 803251, 'also ex': 48172, 'ex st': 288647, 'st cat': 791687, 'cat but': 166837, 'but long': 146309, 'check if the': 174467, 'if the supermarket': 415036, 'supermarket is operating': 821110, 'is operating social': 450594, 'operating social distancing': 613104, 'social distancing might': 779663, 'distancing might be': 247334, 'might be worth': 530938, 'be worth trying': 118162, 'worth trying smaller': 1011455, 'trying smaller local': 934731, 'smaller local shop': 775282, 'local shop where': 498425, 'shop where social': 761031, 'be more workable': 116001, 'more workable and': 541007, 'workable and shelf': 1006077, 'and shelf better': 71445, 'shelf better stocked': 756893, 'better stocked also': 128497, 'stocked also ex': 803252, 'also ex st': 48173, 'ex st cat': 288648, 'st cat but': 791688, 'cat but long': 166838, 'but long time': 146310, 'long time before': 501766, 'time before you': 896385, 'make myself': 510232, 'myself feel': 550853, 'better co': 128237, 'co im': 184856, 'im skint': 416578, 'skint fook': 773119, 'fook only': 318279, 'only fan': 610423, 'fan covid': 298509, 'edition pending': 268640, 'to stop online': 915549, 'shopping to make': 764182, 'to make myself': 909701, 'make myself feel': 510233, 'myself feel better': 550854, 'feel better co': 302581, 'better co im': 128238, 'co im skint': 184857, 'im skint fook': 416579, 'skint fook only': 773120, 'fook only fan': 318280, 'only fan covid': 610424, 'fan covid 19': 298510, '19 edition pending': 6721, 'drillers': 258774, 'eia': 270169, 'gas production': 344066, 'fall at': 296847, 'the fastest': 854970, 'fastest pace': 300153, 'pace on': 632953, '2021 drillers': 14773, 'drillers cut': 258775, 'pandemic which': 636984, 'sending oil': 750063, 'historic low': 397960, 'production drop': 682020, 'by oott': 153440, 'oott opec': 611779, 'opec eia': 611881, 'natural gas production': 552837, 'gas production in': 344068, 'production in the': 682075, 'state is expected': 795695, 'to fall at': 905623, 'fall at the': 296848, 'at the fastest': 100943, 'the fastest pace': 854972, 'fastest pace on': 300156, 'pace on record': 632954, 'on record in': 603103, 'record in 2021': 704987, 'in 2021 drillers': 419868, '2021 drillers cut': 14774, 'drillers cut spending': 258776, 'cut spending in': 223548, 'spending in response': 788863, 'the pandemic which': 863155, 'pandemic which is': 636986, 'which is sending': 986051, 'is sending oil': 451770, 'sending oil price': 750064, 'price to historic': 677000, 'to historic low': 907831, 'historic low gas': 397961, 'low gas production': 505299, 'gas production drop': 344067, 'production drop by': 682021, 'drop by oott': 260147, 'by oott opec': 153441, 'oott opec eia': 611780, 'clapforourcarers': 180010, 'else risking': 271862, 'our quiet': 624531, 'quiet corner': 694680, 'of london': 585985, 'london so': 501179, 'gratitude clapforcarers': 362362, 'clapforcarers clapforthenhs': 179988, 'clapforthenhs clapforourcarers': 180022, 'clapforourcarers nhsthankyou': 180013, 'clapping for frontline': 180043, 'nh worker carers': 562179, 'staff and everyone': 792138, 'everyone else risking': 286876, 'else risking their': 271863, 'life and health': 488479, 'and health to': 64367, 'health to care': 386917, 'care for others': 163950, 'for others from': 324192, 'others from our': 621422, 'from our quiet': 336795, 'our quiet corner': 624532, 'quiet corner of': 694681, 'corner of london': 203658, 'of london so': 585993, 'london so much': 501181, 'so much gratitude': 777780, 'much gratitude clapforcarers': 544956, 'gratitude clapforcarers clapforthenhs': 362363, 'clapforcarers clapforthenhs clapforourcarers': 179989, 'clapforthenhs clapforourcarers nhsthankyou': 180023, 'curbed': 220593, 'china consumer': 176578, 'rise at': 722787, 'at slower': 100553, 'slower pace': 774508, 'pace over': 632955, 'largely curbed': 479843, 'curbed the': 220601, 'novel disease': 573773, 'disease an': 245081, 'an official': 56567, 'official with': 595979, 'top economic': 925569, 'economic planning': 267199, 'planning agency': 658509, 'agency said': 38067, 'china consumer price': 176581, 'consumer price will': 198430, 'will rise at': 994708, 'rise at slower': 722788, 'at slower pace': 100554, 'slower pace over': 774509, 'pace over the': 632957, 'over the rest': 630759, 'year the country': 1014998, 'country ha largely': 210717, 'ha largely curbed': 371098, 'largely curbed the': 479845, 'curbed the spread': 220602, 'the novel disease': 861912, 'novel disease an': 573774, 'disease an official': 245082, 'an official with': 56572, 'official with the': 595980, 'country top economic': 211185, 'top economic planning': 925570, 'economic planning agency': 267200, 'planning agency said': 658510, 'agency said tuesday': 38068, 'slovakia': 774310, 'friend called': 333541, 'from slovakia': 337315, 'slovakia described': 774313, 'described the': 237954, 'the disgusting': 853379, 'disgusting selfish': 245456, 'over bulk': 630038, 'in slovakia': 427998, 'slovakia are': 774311, 'product culture': 681100, 'culture iq': 220296, 'iq education': 444649, 'friend called me': 333542, 'called me today': 156375, 'me today from': 523803, 'today from slovakia': 919560, 'from slovakia described': 337316, 'slovakia described the': 774314, 'described the disgusting': 237956, 'the disgusting selfish': 853380, 'disgusting selfish panic': 245458, 'selfish panic over': 748191, 'panic over bulk': 638385, 'over bulk buying': 630039, 'bulk buying in': 142278, 'uk and empty': 938168, 'and empty shelf': 62084, 'every store he': 286219, 'store he said': 808120, 'he said that': 385376, 'that all our': 842558, 'our store in': 624946, 'store in slovakia': 808391, 'in slovakia are': 427999, 'slovakia are full': 774312, 'paper and other': 639844, 'and other product': 68388, 'other product culture': 620769, 'product culture iq': 681101, 'culture iq education': 220297, 'guy is': 369047, 'is hilarious': 448472, 'hilarious toiletpapercrisis': 396448, 'toiletpapercrisis stoppanicbuying': 923076, 'stoppanicbuying hoarding': 805576, 'hoarding panicbuying': 399473, 'this guy is': 887790, 'guy is hilarious': 369049, 'is hilarious toiletpapercrisis': 448474, 'hilarious toiletpapercrisis stoppanicbuying': 396449, 'toiletpapercrisis stoppanicbuying hoarding': 923077, 'stoppanicbuying hoarding panicbuying': 805577, 'been declared': 120930, 'declared statewide': 231245, 'statewide due': 796265, 'californian are': 155637, 'from illegal': 336008, 'illegal price': 416234, 'gouging on': 359407, 'on housing': 601377, 'housing gas': 407082, 'gas food': 343851, 'emergency ha been': 272735, 'ha been declared': 369769, 'been declared statewide': 120932, 'declared statewide due': 231246, 'statewide due to': 796266, 'due to californian': 261719, 'to californian are': 902369, 'californian are protected': 155638, 'are protected from': 89294, 'protected from illegal': 685133, 'from illegal price': 336009, 'illegal price gouging': 416235, 'price gouging on': 674307, 'gouging on housing': 359408, 'on housing gas': 601378, 'housing gas food': 407083, 'gas food and': 343852, 'other essential supply': 620180, 'recruiting support': 705498, 'support volunteer': 826971, 'time task': 897802, 'task could': 834670, 'could include': 209331, 'include reaching': 431616, 'reaching out': 700099, 'information dog': 437798, 'dog walking': 252186, 'walking calling': 965036, 'calling lonely': 156597, 'or posting': 616650, 'posting mail': 666662, 'mail sign': 508656, 'are recruiting support': 89520, 'recruiting support volunteer': 705499, 'support volunteer to': 826972, 'unprecedented time task': 943205, 'time task could': 897803, 'task could include': 834671, 'could include reaching': 209333, 'include reaching out': 431617, 'reaching out with': 700104, 'out with information': 627867, 'with information dog': 999007, 'information dog walking': 437799, 'dog walking calling': 252187, 'walking calling lonely': 965037, 'calling lonely people': 156598, 'lonely people picking': 501306, 'people picking up': 649114, 'up shopping or': 945983, 'shopping or posting': 763552, 'or posting mail': 616651, 'posting mail sign': 666663, 'mail sign up': 508657, 'sign up online': 769256, 'shutdownaustralia': 768138, 'describe any': 237925, 'any trip': 79987, 'need me': 555223, 'me ll': 523099, 'll panic': 496939, 'then return': 877482, 'return with': 719948, 'usual half': 950958, 'dozen item': 257884, 'item shutdownaustralia': 463645, 'like to describe': 491582, 'to describe any': 904201, 'describe any trip': 237926, 'any trip to': 79988, 'supermarket if you': 820840, 'you need me': 1020012, 'need me ll': 555224, 'me ll panic': 523102, 'll panic buy': 496940, 'buy then return': 149337, 'then return with': 877483, 'return with the': 719951, 'with the usual': 1001534, 'the usual half': 870587, 'usual half dozen': 950959, 'half dozen item': 374152, 'dozen item shutdownaustralia': 257885, 'stem': 799459, 'exacting': 288715, 'macro': 507467, 'and organization': 68269, 'organization continue': 619358, 'work toward': 1005939, 'toward containing': 927108, 'and stem': 72342, 'stem the': 799466, 'growing humanitarian': 367203, 'humanitarian toll': 410689, 'toll it': 923849, 'is exacting': 447619, 'exacting the': 288720, 'effect at': 268974, 'the macro': 859859, 'macro and': 507470, 'and sector': 71115, 'sector level': 744261, 'level well': 487747, 'well on': 978434, 'on employment': 600546, 'employment are': 274580, 'also beginning': 47945, 'be felt': 114822, 'government and organization': 359869, 'and organization continue': 68270, 'organization continue to': 619359, 'to work toward': 918801, 'work toward containing': 1005940, 'toward containing covid': 927109, '19 and stem': 5112, 'and stem the': 72343, 'stem the growing': 799468, 'the growing humanitarian': 856880, 'growing humanitarian toll': 367204, 'humanitarian toll it': 410690, 'toll it is': 923850, 'it is exacting': 458950, 'is exacting the': 447621, 'exacting the economic': 288721, 'economic effect at': 267084, 'effect at the': 268976, 'at the macro': 101010, 'the macro and': 859860, 'macro and sector': 507471, 'and sector level': 71116, 'sector level well': 744262, 'level well on': 487748, 'well on employment': 978435, 'on employment are': 600547, 'employment are also': 274581, 'are also beginning': 84442, 'also beginning to': 47946, 'beginning to be': 123664, 'to be felt': 901254, 'supposedly we': 827389, 'than italy': 840804, 'italy australian': 462770, 'australian doctor': 103475, 'doctor issue': 250968, 'issue urgent': 455982, 'urgent plea': 948354, 'up coronavirus': 944654, 'supposedly we re': 827390, 're on track': 699186, 'on track to': 604830, 'track to be': 928232, 'to be worse': 901641, 'worse than italy': 1011011, 'than italy australian': 840806, 'italy australian doctor': 462771, 'australian doctor issue': 103477, 'doctor issue urgent': 250969, 'issue urgent plea': 455983, 'urgent plea for': 948355, 'plea for government': 659543, 'for government to': 321964, 'government to ramp': 360730, 'ramp up coronavirus': 696437, 'up coronavirus response': 944656, 'coronavirus response the': 206666, 'response the new': 715813, 'though crisis': 892792, 'crisis bring': 217138, 'bring out': 140039, 'worst stay': 1011266, 'alert and': 41350, 'with doing': 998109, 'so 19': 776449, 'reminder that even': 710588, 'that even though': 843743, 'even though crisis': 284703, 'though crisis bring': 892793, 'crisis bring out': 217139, 'bring out the': 140042, 'out the best': 627353, 'the best in': 849519, 'best in people': 127733, 'in people they': 426602, 'people they also': 649815, 'they also can': 881143, 'also can bring': 48006, 'can bring out': 157799, 'out the worst': 627443, 'the worst stay': 872075, 'worst stay informed': 1011267, 'informed stay alert': 438124, 'stay alert and': 796754, 'alert and check': 41352, 'out the guidance': 627374, 'the guidance for': 856920, 'guidance for help': 368230, 'for help with': 322191, 'help with doing': 390907, 'with doing so': 998110, 'doing so 19': 252652, 'so 19 coronavirus': 776450, '19 coronavirus scam': 6123, 'coronavirus scam what': 206725, 'concern around': 192924, 'the limited': 859392, 'stock local': 802362, 'shop seem': 760742, 'really scary': 702552, 'time coronacrisis': 896513, 'of the concern': 590882, 'the concern around': 851422, 'concern around food': 192927, 'around food and': 93286, 'food and the': 313355, 'and the limited': 73450, 'the limited stock': 859393, 'limited stock local': 492725, 'stock local shop': 802363, 'local shop seem': 498415, 'shop seem to': 760743, 'to have due': 907233, 'buying this is': 151221, 'is really scary': 451315, 'really scary time': 702555, 'scary time coronacrisis': 741205, '10 item': 1487, 'or le': 615941, 'le according': 482831, 'official 10': 595740, 'go 10': 353233, '11 ready': 2584, 'ready or': 700912, 'here come': 392879, 'the must act': 861157, 'must act like': 546454, 'act like the': 29688, 'like the checkout': 491359, 'the checkout at': 850757, 'checkout at grocery': 174887, 'store for 10': 807781, 'for 10 item': 318616, '10 item or': 1488, 'item or le': 463533, 'or le according': 615942, 'le according to': 482832, 'according to government': 28547, 'to government official': 906937, 'government official 10': 360408, 'official 10 or': 595741, '10 or le': 1592, 'or le and': 615943, 'le and you': 482848, 'you get to': 1018801, 'get to pas': 348484, 'to pas go': 911485, 'pas go 10': 643106, 'go 10 11': 353234, '10 11 ready': 1230, '11 ready or': 2585, 'ready or not': 700913, 'or not here': 616300, 'not here come': 569948, 'instacart hiring': 439921, 'hiring spree': 397129, 'spree continues': 791134, 'it face': 457918, 'demand by': 235091, 'by retail': 153794, 'food tech': 317068, 'instacart hiring spree': 439922, 'hiring spree continues': 397130, 'spree continues it': 791135, 'continues it face': 201410, 'it face unprecedented': 457920, 'unprecedented demand by': 943109, 'demand by retail': 235094, 'by retail grocery': 153797, 'retail grocery food': 718156, 'grocery food tech': 364524, 'done small': 255012, 'small country': 774924, 'town supermarket': 927559, 'their people': 874267, 'every town': 286333, 'town in': 927491, 'australia with': 103424, 'well done small': 978199, 'done small country': 255013, 'small country town': 774925, 'country town supermarket': 211193, 'town supermarket look': 927561, 'supermarket look after': 821387, 'look after their': 502226, 'after their people': 36373, 'their people every': 874268, 'people every town': 647830, 'every town in': 286334, 'town in australia': 927493, 'in australia with': 420623, 'australia with supermarket': 103426, 'with supermarket should': 1001064, 'supermarket should do': 822678, 'should do this': 765935, 'blog launch': 132962, 'launch daily': 481887, 'pattern via': 644521, 'via corona': 955883, 'live blog launch': 495752, 'blog launch daily': 132963, 'launch daily measure': 481890, 'travel pattern via': 930463, 'pattern via corona': 644522, 'cheeseplease': 175235, 'cheese availability': 175174, 'availability update': 104193, 'offering lunch': 595185, 'lunch to': 506748, 'go personal': 354040, 'personal online': 652928, 'delivery open': 234267, 'up grocery': 945038, 'delivery 10am': 233610, '10am 30pm': 2278, '30pm monday': 17511, 'friday cheeseplease': 333207, 'cheeseplease 19': 175236, '19 grocerydelivery': 7293, 'cheese availability update': 175175, 'availability update is': 104194, 'update is offering': 947040, 'is offering lunch': 450424, 'offering lunch to': 595186, 'lunch to go': 506749, 'to go personal': 906841, 'go personal online': 354041, 'personal online shopping': 652929, 'shopping for pick': 762705, 'pick up or': 655745, 'up or delivery': 945678, 'or delivery open': 614943, 'delivery open for': 234268, 'open for pick': 612256, 'pick up grocery': 655727, 'up grocery delivery': 945040, 'grocery delivery 10am': 364433, 'delivery 10am 30pm': 233611, '10am 30pm monday': 2279, '30pm monday friday': 17512, 'monday friday cheeseplease': 536290, 'friday cheeseplease 19': 333208, 'cheeseplease 19 grocerydelivery': 175237, 'store actually': 806072, 'tp on': 927888, 'shelf haven': 757149, 'any in': 79343, 'week quarantine': 976778, 'quarantine shelterinplace': 692525, 'toiletpaper meme': 922232, 'my local store': 549142, 'local store actually': 498452, 'store actually had': 806073, 'actually had one': 30824, 'had one package': 373372, 'of tp on': 592375, 'tp on the': 927890, 'the shelf haven': 866845, 'shelf haven seen': 757150, 'haven seen any': 383880, 'seen any in': 746940, 'any in week': 79345, 'in week quarantine': 430762, 'week quarantine shelterinplace': 976781, 'quarantine shelterinplace toiletpaper': 692526, 'shelterinplace toiletpaper meme': 758031, 'koomo': 477431, 'impacted all': 418065, 'all area': 42053, 'behaviour changing': 124385, 'changing our': 172767, 'life massively': 488866, 'massively in': 520179, 'today article': 919252, 'impacted internet': 418129, 'internet search': 442013, 'search and': 743219, 'behaviour koomo': 124462, 'koomo consumerbehaviour': 477432, 'consumerbehaviour seo': 199638, 'coronavirus ha impacted': 206023, 'ha impacted all': 370910, 'impacted all area': 418066, 'all area of': 42056, 'area of consumer': 92130, 'of consumer behaviour': 581713, 'consumer behaviour changing': 196558, 'behaviour changing our': 124386, 'changing our daily': 172768, 'our daily life': 622687, 'daily life massively': 224668, 'life massively in': 488867, 'massively in today': 520180, 'in today article': 430151, 'today article we': 919255, 'article we will': 94498, 'we will discus': 973853, 'will discus how': 993205, 'discus how ha': 244864, 'ha impacted internet': 370915, 'impacted internet search': 418130, 'internet search and': 442014, 'search and change': 743221, 'consumer behaviour koomo': 196583, 'behaviour koomo consumerbehaviour': 124463, 'koomo consumerbehaviour seo': 477433, 'bandkarobazaar': 109420, 'bcos': 113346, 'interfere': 441664, 'nationalise': 552658, 'bandkarobazaar bastard': 109421, 'bastard news': 112485, 'news increase': 560535, 'soap by': 778964, '10 demand': 1394, 'demand increased': 235693, 'increased bcos': 433208, 'bcos of': 113347, 'of chinesevirus': 581381, 'chinesevirus high': 177439, 'time interfere': 897037, 'interfere and': 441665, 'and nationalise': 67434, 'nationalise hul': 552659, 'bandkarobazaar bastard news': 109422, 'bastard news increase': 112486, 'news increase price': 560536, 'price of soap': 675571, 'of soap by': 589821, 'soap by 10': 778965, 'by 10 demand': 151512, '10 demand increased': 1395, 'demand increased bcos': 235694, 'increased bcos of': 433209, 'bcos of chinesevirus': 113348, 'of chinesevirus high': 581382, 'chinesevirus high time': 177440, 'high time interfere': 395478, 'time interfere and': 897038, 'interfere and nationalise': 441666, 'and nationalise hul': 67435, 'facing financial': 295465, 'financial uncertainty': 306627, 'uncertainty at': 939664, 'bureau site': 142811, 'site list': 771975, 'list key': 494388, 'key resource': 473386, 'yourself financially': 1026598, 'financially from': 306674, 'many are facing': 513757, 'are facing financial': 86414, 'facing financial uncertainty': 295468, 'financial uncertainty at': 306628, 'uncertainty at this': 939665, 'this time the': 890699, 'time the consumer': 897846, 'protection bureau site': 685370, 'bureau site list': 142812, 'site list key': 771976, 'list key resource': 494389, 'key resource and': 473387, 'resource and step': 714706, 'and step to': 72345, 'protect yourself financially': 685092, 'yourself financially from': 1026600, 'financially from the': 306675, 'from the impact': 337752, 'toiletpaper yes': 922880, 'yes sh': 1015523, 'sh is': 754293, 'where toiletpaper': 985319, 'toiletpaper can': 921846, 'you toiletpaperpanic': 1021876, 'so much toiletpaper': 777822, 'much toiletpaper yes': 545404, 'toiletpaper yes sh': 922881, 'yes sh is': 1015524, 'sh is going': 754294, 'is going down': 448090, 'going down but': 355115, 'down but not': 256582, 'one where toiletpaper': 607427, 'where toiletpaper can': 985320, 'toiletpaper can help': 921847, 'help you toiletpaperpanic': 391004, 'tumbling': 935338, 'commercialrealestate': 188762, 'houston economy': 407195, 'economy attempt': 267681, 'and tumbling': 74521, 'tumbling crude': 935339, 'price commercialrealestate': 673194, 'commercialrealestate professional': 188763, 'professional in': 682459, 'for minimal': 323450, 'minimal deal': 533050, 'deal making': 229440, 'month cre': 537664, 'houston economy attempt': 407196, 'economy attempt to': 267682, 'attempt to weather': 102266, 'weather the effect': 974901, 'outbreak and tumbling': 628017, 'and tumbling crude': 74522, 'tumbling crude oil': 935340, 'oil price commercialrealestate': 597083, 'price commercialrealestate professional': 673195, 'commercialrealestate professional in': 188764, 'professional in the': 682460, 'the office market': 862074, 'office market are': 595483, 'market are bracing': 516013, 'bracing for minimal': 137504, 'for minimal deal': 323451, 'minimal deal making': 533051, 'deal making in': 229441, 'making in the': 511127, 'coming week and': 188273, 'and month cre': 67128, 'fledged': 310277, 'be super': 117445, 'super productive': 818562, 'productive during': 682294, 'but all': 145079, 'shopping debt': 762442, 'and full': 63402, 'full fledged': 340594, 'fledged alcohol': 310278, 'alcohol problem': 41078, 'problem lockdownaustralia': 679595, 'lockdownaustralia isolation': 500219, 'like to use': 491631, 'use this time': 949734, 'this time to': 890703, 'to be super': 901571, 'be super productive': 117447, 'super productive during': 818563, 'productive during this': 682295, 'pandemic but all': 635038, 'but all have': 145083, 'all have so': 43061, 'far is an': 298819, 'is an online': 445686, 'online shopping debt': 609086, 'shopping debt and': 762443, 'debt and full': 230419, 'and full fledged': 63405, 'full fledged alcohol': 340595, 'fledged alcohol problem': 310279, 'alcohol problem lockdownaustralia': 41079, 'problem lockdownaustralia isolation': 679596, 'the library': 859323, 'library covid': 488065, 'for helpful': 322193, 'helpful link': 391204, 'link while': 493964, 'while dealing': 986739, 'updated to': 947447, 'include list': 431589, 'consumer resource': 198769, 'resource there': 714895, 'are link': 87828, 'scam file': 740160, 'complaint learn': 191988, 'the mortgage': 860928, 'mortgage care': 541876, 'visit the library': 959384, 'the library covid': 859325, 'library covid 19': 488066, 'information page for': 437943, 'page for helpful': 633847, 'for helpful link': 322194, 'helpful link while': 391206, 'link while dealing': 493965, 'while dealing with': 986740, 'pandemic it ha': 635820, 'been updated to': 122303, 'updated to include': 947448, 'to include list': 908248, 'include list of': 431590, 'list of consumer': 494421, 'of consumer resource': 581767, 'consumer resource there': 198776, 'resource there are': 714896, 'there are link': 878119, 'are link to': 87829, 'link to help': 493931, 'help avoid scam': 389402, 'avoid scam file': 105259, 'scam file consumer': 740161, 'consumer complaint learn': 196854, 'complaint learn about': 191989, 'about the mortgage': 26455, 'the mortgage care': 860930, 'mortgage care act': 541877, 'dunzo': 262318, 'sharechat': 755387, 'story too': 812146, 'too on': 924980, 'overall effect': 631010, 'on whole': 605296, 'whole host': 990240, 'host of': 404881, 'business from': 143764, 'from oyo': 336829, 'oyo bounce': 632695, 'bounce dunzo': 136814, 'dunzo sharechat': 262319, 'sharechat to': 755388, 'the several': 866749, 'several consumer': 753811, 'product guy': 681234, 'demand terrible': 236317, 'terrible utilisation': 838452, 'utilisation rate': 951241, 'have story too': 382799, 'story too on': 812147, 'too on the': 924981, 'on the overall': 604272, 'the overall effect': 862767, 'overall effect of': 631011, '19 on whole': 8974, 'on whole host': 605297, 'whole host of': 990241, 'host of business': 404882, 'of business from': 580954, 'business from oyo': 143770, 'from oyo bounce': 336830, 'oyo bounce dunzo': 632696, 'bounce dunzo sharechat': 136815, 'dunzo sharechat to': 262320, 'sharechat to the': 755389, 'to the several': 917050, 'the several consumer': 866750, 'several consumer product': 753812, 'consumer product guy': 198461, 'product guy who': 681235, 'guy who will': 369235, 'who will all': 989980, 'will all be': 992230, 'all be seriously': 42143, 'be seriously impacted': 117098, 'by the drop': 154312, 'drop in demand': 260237, 'in demand terrible': 422156, 'demand terrible utilisation': 236318, 'terrible utilisation rate': 838453, 'strangled': 812514, 'georgia in': 346039, 'in late': 424609, 'tariff strangled': 834622, 'strangled trade': 812515, 'of georgia in': 584091, 'georgia in late': 346040, 'in late 2018': 424610, 'late 2018 hurricane': 480841, 'chinese tariff strangled': 177369, 'tariff strangled trade': 834623, 'strangled trade and': 812516, 'the fresh vegetable': 855804, 'fresh vegetable market': 333103, 'vegetable market before': 954029, 'it get started': 458223, 'hawkins': 384484, '20million': 14914, '19 jennifer': 8184, 'jennifer hawkins': 465102, 'hawkins remains': 384485, 'remains in': 710022, 'in listed': 424794, 'listed 20million': 494608, '20million sydney': 14915, 'sydney mansion': 830697, 'mansion house': 513337, 'covid 19 jennifer': 213306, '19 jennifer hawkins': 8185, 'jennifer hawkins remains': 465103, 'hawkins remains in': 384486, 'remains in listed': 710024, 'in listed 20million': 424795, 'listed 20million sydney': 494609, '20million sydney mansion': 14916, 'sydney mansion house': 830698, 'mansion house price': 513338, 'sharmin': 755656, 'mossavar': 542050, 'rahmani': 695582, 'sachs': 729037, 'investment implication': 444007, 'implication of': 418560, 'the were': 871385, 'were discussed': 979523, 'discussed this': 244973, 'in note': 425969, 'note to': 572831, 'to client': 902838, 'client from': 182035, 'from sharmin': 337235, 'sharmin mossavar': 755657, 'mossavar rahmani': 542051, 'rahmani head': 695583, 'the investment': 858418, 'investment strategy': 444063, 'strategy group': 812651, 'group for': 366696, 'management division': 512562, 'division at': 248663, 'at goldman': 98775, 'goldman sachs': 356094, 'sachs read': 729040, 'the economic and': 853893, 'economic and investment': 266983, 'and investment implication': 65362, 'investment implication of': 444008, 'implication of the': 418565, 'of the were': 591615, 'the were discussed': 871388, 'were discussed this': 979524, 'discussed this week': 244975, 'this week in': 891223, 'week in note': 976378, 'in note to': 425971, 'note to client': 572834, 'to client from': 902840, 'client from sharmin': 182036, 'from sharmin mossavar': 337236, 'sharmin mossavar rahmani': 755658, 'mossavar rahmani head': 542052, 'rahmani head of': 695584, 'head of the': 385775, 'of the investment': 591156, 'the investment strategy': 858421, 'investment strategy group': 444064, 'strategy group for': 812652, 'group for the': 366698, 'consumer and investment': 196218, 'and investment management': 65363, 'investment management division': 444029, 'management division at': 512563, 'division at goldman': 248664, 'at goldman sachs': 98776, 'goldman sachs read': 356096, 'sachs read it': 729041, 'justathought': 470394, 'letsworktogether': 487277, 'delivery why': 234742, 'don the': 253959, 'other retailer': 620846, 'closing offer': 183705, 'offer their': 594830, 'their van': 875118, 'and driver': 61748, 'supermarket justathought': 821234, 'justathought letsworktogether': 470395, 'idea we have': 413226, 'have food company': 380652, 'food company who': 313992, 'company who can': 191316, 'who can meet': 988395, 'can meet the': 158991, 'for online food': 324104, 'food delivery why': 314161, 'delivery why don': 234743, 'why don the': 990967, 'don the other': 253960, 'the other retailer': 862550, 'other retailer closing': 620852, 'retailer closing offer': 719083, 'closing offer their': 183706, 'offer their van': 594832, 'their van and': 875119, 'van and driver': 952289, 'and driver to': 61754, 'driver to supermarket': 259807, 'to supermarket justathought': 915807, 'supermarket justathought letsworktogether': 821235, 'deduction': 231792, 'suggested that': 817585, 'should pay': 766312, 'staff gross': 792505, 'gross salary': 366439, 'salary by': 731957, 'by suspending': 154188, 'suspending all': 829647, 'all statutory': 44438, 'statutory deduction': 796717, 'deduction so': 231793, 'stock home': 802242, 'stuff the': 815201, 'the earlier': 853812, 'better covid': 128250, 'would only': 1012094, 'be curtailed': 114313, 'curtailed by': 221786, 'by drastic': 152421, 'suggested that you': 817587, 'you should pay': 1021211, 'should pay your': 766315, 'pay your staff': 645257, 'your staff gross': 1025910, 'staff gross salary': 792506, 'gross salary by': 366440, 'salary by suspending': 731958, 'by suspending all': 154189, 'suspending all statutory': 829649, 'all statutory deduction': 44439, 'statutory deduction so': 796718, 'deduction so that': 231794, 'will have enough': 993628, 'enough to stock': 277726, 'to stock home': 915439, 'stock home with': 802243, 'home with food': 402522, 'with food stuff': 998509, 'food stuff the': 316898, 'stuff the earlier': 815203, 'the earlier the': 853813, 'earlier the better': 264488, 'the better covid': 849573, 'better covid 19': 128251, '19 would only': 12215, 'would only be': 1012095, 'only be curtailed': 610150, 'be curtailed by': 114314, 'curtailed by drastic': 221787, 'by drastic measure': 152422, 'message get': 529329, 'get from': 347108, 'my manager': 549201, 'manager one': 512769, 'before my': 122952, 'my retail': 549947, 'week quarantinelife': 976783, 'the message get': 860518, 'message get from': 529330, 'get from my': 347111, 'from my manager': 336514, 'my manager one': 549203, 'manager one day': 512770, 'one day before': 606151, 'day before my': 227370, 'before my retail': 122955, 'my retail store': 549949, 'store is about': 808461, 'about to close': 26711, 'for week quarantinelife': 327744, 'it little': 459412, 'little sad': 495550, 'mom walk': 535825, 'excited looking': 289551, 'me screwed': 523425, 'screwed quarantine': 742824, 'it little sad': 459413, 'little sad that': 495551, 'when go shopping': 983477, 'go shopping with': 354138, 'my mom walk': 549286, 'mom walk around': 535826, 'walk around the': 964745, 'get excited looking': 346976, 'excited looking at': 289552, 'at the thing': 101120, 'the thing in': 869456, 'thing in the': 884440, 'quarantine shit ha': 692530, 'shit ha me': 759124, 'ha me screwed': 371255, 'me screwed quarantine': 523426, 'hongkong': 403217, 'ifc': 415622, 'fooling': 318328, 'hongkong supermarket': 403222, 'supermarket city': 819699, 'city super': 179383, 'the ifc': 857856, 'ifc is': 415623, 'is shut': 451901, 'shut for': 767882, 'for deep': 320611, 'cleaning after': 180887, 'positive person': 665409, 'have visited': 383512, 'visited prior': 959493, 'being diagnosed': 125044, 'diagnosed no': 240230, 'no fooling': 564285, 'fooling around': 318329, 'around here': 93319, 'here month': 393348, 'hongkong supermarket city': 403223, 'supermarket city super': 819701, 'city super in': 179384, 'super in the': 818527, 'in the ifc': 429281, 'the ifc is': 857857, 'ifc is shut': 415624, 'is shut for': 451904, 'shut for deep': 767884, 'for deep cleaning': 320612, 'deep cleaning after': 231859, 'cleaning after positive': 180888, 'after positive person': 36056, 'positive person wa': 665412, 'person wa confirmed': 652687, 'wa confirmed to': 961858, 'to have visited': 907333, 'have visited prior': 383514, 'visited prior to': 959494, 'prior to being': 678370, 'to being diagnosed': 901737, 'being diagnosed no': 125045, 'diagnosed no fooling': 240231, 'no fooling around': 564286, 'fooling around here': 318330, 'around here month': 93322, 'here month in': 393349, 'month in and': 537788, 'in and long': 420374, 'coronaalert': 204417, 'srilanka coronaalert': 791608, 'coronaalert oil': 204429, 'session today': 753318, 'future tumbling': 342492, 'tumbling to': 935355, 'to 17': 899523, 'low to': 505689, 'to usd': 918001, 'usd 25': 948899, '25 80': 15823, '80 per': 22617, 'barrel sparked': 111280, 'pandemic lka': 635895, 'lka socialdistancing': 496521, 'srilanka coronaalert oil': 791609, 'coronaalert oil price': 204430, 'third session today': 886103, 'session today with': 753322, 'today with crude': 920551, 'crude future tumbling': 219534, 'future tumbling to': 342493, 'tumbling to 17': 935356, 'to 17 year': 899525, '17 year low': 4409, 'year low to': 1014737, 'low to usd': 505695, 'to usd 25': 918002, 'usd 25 80': 948900, '25 80 per': 15824, '80 per barrel': 22618, 'per barrel sparked': 650708, 'barrel sparked by': 111281, 'sparked by the': 787577, 'by the global': 154336, 'global pandemic lka': 352096, 'pandemic lka socialdistancing': 635896, 'muchmind': 545502, 'reflexive': 706699, 'propitiousness': 684407, 'muchmind reflexive': 545503, 'reflexive interaction': 706700, 'interaction between': 441232, 'between among': 128708, 'people concern': 647516, 'concern desire': 192957, 'desire aversion': 238418, 'aversion power': 104919, 'power spread': 667687, 'correction security': 207568, 'security destructive': 744573, 'destructive potential': 239133, 'potential propitiousness': 667120, 'propitiousness for': 684408, 'for violence': 327567, 'violence threat': 957561, 'threat magnitude': 893675, 'muchmind reflexive interaction': 545504, 'reflexive interaction between': 706701, 'interaction between among': 441233, 'between among people': 128709, 'among people concern': 53048, 'people concern desire': 647518, 'concern desire aversion': 192958, 'desire aversion power': 238419, 'aversion power spread': 104920, 'power spread of': 667688, 'spread of oil': 790691, 'oil price stock': 597276, 'price stock market': 676665, 'market correction security': 516229, 'correction security destructive': 207569, 'security destructive potential': 744574, 'destructive potential propitiousness': 239134, 'potential propitiousness for': 667121, 'propitiousness for violence': 684409, 'for violence threat': 327568, 'violence threat magnitude': 957562, 'braided': 137575, 'inch': 431388, 'joannstores': 465584, 'on taking': 603875, 'consumer store': 199162, 'making alot': 510949, 'greedy on': 363556, 'the shipping': 866946, 'ship one': 758700, 'of braided': 580821, 'braided inch': 137576, 'inch elastic': 431394, 'elastic it': 270495, 'it weighs': 462298, 'weighs few': 977685, 'few ounce': 303970, 'ounce joannstores': 621959, 'joannstores repost': 465585, 'repost 19': 712805, 'everybody is getting': 286449, 'is getting in': 448027, 'in on taking': 426128, 'on taking advantage': 603876, 'the consumer store': 851601, 'consumer store is': 199164, 'store is making': 808504, 'is making alot': 449535, 'making alot of': 510950, 'alot of money': 47131, 'of money right': 586615, 'now but they': 574294, 'are also being': 84443, 'also being greedy': 47953, 'being greedy on': 125200, 'greedy on the': 363557, 'on the shipping': 604358, 'the shipping to': 866947, 'shipping to ship': 758936, 'to ship one': 914429, 'ship one package': 758701, 'package of braided': 633339, 'of braided inch': 580822, 'braided inch elastic': 137577, 'inch elastic it': 431395, 'elastic it weighs': 270496, 'it weighs few': 462299, 'weighs few ounce': 977686, 'few ounce joannstores': 303971, 'ounce joannstores repost': 621960, 'joannstores repost 19': 465586, 'domex': 253260, 'facemasks price': 295159, 'capped lifebuoy': 162878, 'lifebuoy domex': 489268, 'domex get': 253263, 'get cheaper': 346763, 'cheaper prevention': 174262, 'prevention in': 671857, 'in reach': 427276, 'handsanitizer facemasks price': 376529, 'facemasks price capped': 295160, 'price capped lifebuoy': 673076, 'capped lifebuoy domex': 162879, 'lifebuoy domex get': 489269, 'domex get cheaper': 253264, 'get cheaper prevention': 346764, 'cheaper prevention in': 174263, 'prevention in reach': 671858, 'sacred': 729076, 'joined by': 466922, 'by longtime': 153090, 'longtime friend': 502141, 'and occasional': 67950, 'occasional sacred': 578949, 'sacred tension': 729077, 'tension co': 837983, 'co host': 184853, 'host danielle': 404873, 'danielle who': 225836, 'who interview': 989048, 'interview me': 442222, 'me about': 522344, 'being an': 124839, 'in word': 430971, 'word it': 1004506, 'joined by longtime': 466924, 'by longtime friend': 153091, 'longtime friend and': 502142, 'friend and occasional': 333506, 'and occasional sacred': 67951, 'occasional sacred tension': 578950, 'sacred tension co': 729078, 'tension co host': 837984, 'co host danielle': 184854, 'host danielle who': 404874, 'danielle who interview': 225837, 'who interview me': 989049, 'interview me about': 442223, 'me about what': 522351, 'it like being': 459353, 'like being an': 489899, 'being an essential': 124841, 'an essential grocery': 55824, 'pandemic in word': 635712, 'in word it': 430972, 'word it terrifying': 1004507, 'amp shall': 54471, 'shall stay': 754554, 'pm say amp': 661976, 'say amp shall': 738415, 'amp shall stay': 54472, 'shall stay open': 754555, 'stay open but': 797154, 'open but will': 612134, 'but will close': 147873, 'when terrified': 984117, 'day when terrified': 228729, 'when terrified of': 984118, 'terrified of going': 838495, 'generally we': 345547, 'to dealing': 903970, 'side shock': 768878, 'shock like': 759474, 'like drought': 490143, 'drought or': 260771, 'or demand': 614950, 'like recession': 491066, 'at global': 98767, 'global level': 352003, 'level world': 487763, 'programme chief': 683333, 'economist say': 267579, 'it truly': 461870, 'truly truly': 933353, 'truly unprecedented': 933355, 'generally we are': 345548, 'we are used': 970751, 'used to dealing': 950047, 'to dealing with': 903971, 'dealing with supply': 229695, 'with supply side': 1001083, 'supply side shock': 825853, 'side shock like': 768879, 'shock like drought': 759475, 'like drought or': 490144, 'drought or demand': 260772, 'or demand side': 614952, 'demand side shock': 236215, 'shock like recession': 759476, 'like recession but': 491067, 'recession but here': 704230, 'but here it': 145924, 'is both and': 446240, 'both and at': 135847, 'and at global': 58474, 'at global level': 98769, 'global level world': 352005, 'level world food': 487764, 'food programme chief': 316059, 'programme chief economist': 683334, 'chief economist say': 175918, 'economist say this': 267581, 'say this make': 739369, 'make it truly': 510063, 'it truly truly': 461871, 'truly truly unprecedented': 933354, 'themselve': 876733, 'suggestion precaution': 817659, 'precaution the': 669369, 'checkout employee': 174912, 'protect themselve': 685013, 'themselve from': 876734, '19 hope': 7573, 'store boss': 806749, 'boss would': 135760, 'would implemented': 1011942, 'implemented to': 418491, 'employee by': 273695, 'your mandate': 1024771, 'mandate guidance': 513001, 'guidance thanks': 368285, 'thanks alot': 842010, 'alot keep': 47122, 'just suggestion precaution': 469924, 'suggestion precaution the': 817660, 'precaution the checkout': 669370, 'the checkout employee': 850760, 'checkout employee should': 174913, 'employee should use': 274205, 'should use face': 766615, 'glove to protect': 352974, 'to protect themselve': 912339, 'protect themselve from': 685014, 'themselve from covid': 876735, 'covid 19 hope': 213219, '19 hope the': 7575, 'hope the retail': 403686, 'retail store boss': 718619, 'store boss would': 806750, 'boss would implemented': 135761, 'would implemented to': 1011943, 'implemented to their': 418495, 'to their employee': 917231, 'their employee by': 873135, 'employee by your': 273697, 'by your mandate': 154791, 'your mandate guidance': 1024772, 'mandate guidance thanks': 513002, 'guidance thanks alot': 368286, 'thanks alot keep': 842011, 'is busy': 446315, 'busy buying': 144881, 'these western': 880962, 'left right': 485619, 'right with': 722430, 'country market': 210887, 'market crashing': 516255, 'crashing at': 215102, 'over 66': 629898, '66 00': 21413, 'china 80': 176445, '00 corona': 153, 'corona patient': 204101, 'recovered china': 705223, 'world do': 1009487, 'china is busy': 176746, 'is busy buying': 446316, 'busy buying all': 144882, 'buying all these': 149880, 'all these western': 45063, 'these western company': 880963, 'western company left': 980607, 'company left right': 190837, 'left right with': 485620, 'right with all': 722431, 'with all these': 997165, 'all these country': 45028, 'these country market': 879817, 'country market crashing': 210888, 'market crashing at': 516256, 'crashing at very': 215103, 'low price over': 505530, 'price over 66': 675814, 'over 66 00': 629899, '66 00 of': 21414, '00 of china': 380, 'of china 80': 581356, 'china 80 00': 176446, '80 00 corona': 22538, '00 corona patient': 154, 'corona patient have': 204102, 'patient have recovered': 644182, 'have recovered china': 382221, 'recovered china is': 705224, 'china is taking': 176763, 'is taking over': 452557, 'the world do': 871856, 'world do something': 1009489, 'r9': 695112, 'have publisher': 382105, 'publisher and': 688714, 'streaming provider': 812842, 'provider pushing': 686769, 'pushing content': 690402, 'content even': 200802, 'even slashing': 284584, 'slashing price': 773675, 'price given': 674188, 'still holding': 800720, 'holding out': 400141, 'on r9': 603060, 'we have publisher': 971910, 'have publisher and': 382106, 'publisher and streaming': 688715, 'and streaming provider': 72543, 'streaming provider pushing': 812843, 'provider pushing content': 686770, 'pushing content even': 690403, 'content even slashing': 200803, 'even slashing price': 284585, 'slashing price given': 773677, 'price given covid': 674189, '19 and then': 5121, 'and then we': 73821, 'then we have': 877728, 'we have still': 971950, 'have still holding': 382756, 'still holding out': 800721, 'holding out on': 400142, 'out on r9': 626915, 'science amp': 742079, 'amp tech': 54623, 'warn science amp': 966960, 'science amp tech': 742081, 'amp tech news': 54624, 'f4f': 294184, 'likeforlikes': 491919, 'followforfollowback': 312660, 'superman': 818716, 'fight people': 304842, 'toiletpaper life': 922178, 'life follow': 488655, 'follow f4f': 312375, 'f4f likeforlikes': 294185, 'likeforlikes followforfollowback': 491920, 'followforfollowback live': 312661, 'live batman': 495739, 'batman superman': 112704, 'superman uk': 818717, 'trying to fight': 934805, 'to fight people': 905805, 'fight people at': 304843, 'people at supermarket': 647181, 'at supermarket for': 100726, 'supermarket for that': 820422, 'for that toiletpaper': 326274, 'that toiletpaper life': 847079, 'toiletpaper life follow': 922179, 'life follow f4f': 488656, 'follow f4f likeforlikes': 312376, 'f4f likeforlikes followforfollowback': 294186, 'likeforlikes followforfollowback live': 491921, 'followforfollowback live batman': 312662, 'live batman superman': 495740, 'batman superman uk': 112705, 'offender': 594467, 'anyone see': 80510, 'hiked for': 396313, 'the offender': 862061, 'offender to': 594472, 'to trading': 917694, 'if anyone see': 413852, 'anyone see price': 80513, 'see price being': 745598, 'price being hiked': 672894, 'being hiked for': 125248, 'hiked for certain': 396314, 'for certain product': 319998, 'certain product due': 170086, 'due to please': 261904, 'to please report': 911820, 'please report the': 660389, 'report the offender': 712342, 'the offender to': 862062, 'offender to trading': 594473, 'to trading standard': 917695, 'like how': 490455, 'how woolworth': 409254, 'woolworth doesn': 1004411, 'allow refund': 46043, 'common panic': 189424, 'bought item': 136615, 'politely saying': 663624, 'no right': 565367, 'your stupidity': 1026024, 'stupidity stoppanicbuying': 815558, 'like how woolworth': 490459, 'how woolworth doesn': 409256, 'woolworth doesn allow': 1004412, 'doesn allow refund': 251696, 'allow refund on': 46044, 'refund on the': 706936, 'on the most': 604242, 'most common panic': 542187, 'common panic bought': 189425, 'panic bought item': 637423, 'bought item it': 136616, 'item it almost': 463395, 'almost if they': 46670, 'they are politely': 881362, 'are politely saying': 89136, 'politely saying that': 663625, 'saying that you': 739709, 'have no right': 381653, 'no right to': 565369, 'right to make': 722347, 'up for your': 944977, 'for your stupidity': 328216, 'your stupidity stoppanicbuying': 1026025, 'adventuregame': 33116, 'showingmyage': 767564, 'vortex': 960443, 'yes showing': 1015529, 'showing my': 767483, 'age by': 37803, 'but doe': 145569, 'the adventure': 848374, 'adventure game': 33097, '19 adventuregame': 4817, 'adventuregame showingmyage': 33117, 'showingmyage socialdistancing': 767565, 'socialdistancing vortex': 780843, 'vortex side': 960444, 'side step': 768888, 'yes showing my': 1015530, 'showing my age': 767484, 'my age by': 547236, 'age by posting': 37804, 'by posting this': 153628, 'this but doe': 886640, 'but doe anyone': 145570, 'feel like they': 302752, 'in the adventure': 428968, 'the adventure game': 848375, 'adventure game when': 33098, 'game when they': 343286, 'when they enter': 984256, 'they enter supermarket': 882050, 'enter supermarket these': 278305, 'these day 19': 879865, 'day 19 adventuregame': 227108, '19 adventuregame showingmyage': 4818, 'adventuregame showingmyage socialdistancing': 33118, 'showingmyage socialdistancing vortex': 767566, 'socialdistancing vortex side': 780844, 'vortex side step': 960445, 'side step to': 768889, 'step to the': 799671, 'to the right': 917027, 'chunk': 178313, 'disgracefully': 245342, 'mean if': 524489, 'if london': 414391, 'london had': 501084, 'had continued': 372984, 'continued doing': 201313, 'normal weekly': 567403, 'shop of': 760525, 'course certain': 211851, 'item would': 463846, 'would disappear': 1011759, 'disappear we': 244050, 'be managing': 115897, 'managing this': 512903, 'this better': 886552, 'better but': 128217, 'instead huge': 440210, 'huge chunk': 410001, 'chunk of': 178318, 'this city': 886773, 'is behaving': 446051, 'behaving disgracefully': 123826, 'disgracefully stophoarding': 245345, 'mean if london': 524491, 'if london had': 414392, 'london had continued': 501085, 'had continued doing': 372985, 'continued doing it': 201314, 'doing it normal': 252486, 'it normal weekly': 459845, 'normal weekly shop': 567404, 'weekly shop of': 977551, 'shop of course': 760526, 'of course certain': 582048, 'course certain item': 211853, 'certain item would': 170043, 'item would disappear': 463847, 'would disappear we': 1011760, 'disappear we would': 244051, 'would be managing': 1011618, 'be managing this': 115898, 'managing this better': 512904, 'this better but': 886553, 'better but instead': 128221, 'but instead huge': 146066, 'instead huge chunk': 440211, 'huge chunk of': 410002, 'chunk of this': 178319, 'of this city': 591952, 'this city is': 886776, 'city is behaving': 179214, 'is behaving disgracefully': 446052, 'behaving disgracefully stophoarding': 123827, 'disgracefully stophoarding panicbuyinguk': 245346, 'from separating': 337219, 'separating grocery': 751109, 'to treating': 917763, 'treating everyone': 930996, 'in someone': 428110, 'someone own': 784599, 'own household': 632072, 'household if': 406837, 'virus ashley': 957968, 'ashley young': 95122, 'young gave': 1022599, 'gave some': 344657, 'valuable tip': 952056, 'surviving lockdown': 829359, 'from separating grocery': 337220, 'separating grocery in': 751110, 'supermarket to treating': 823422, 'to treating everyone': 917764, 'treating everyone in': 930997, 'everyone in someone': 287049, 'in someone own': 428113, 'someone own household': 784600, 'own household if': 632073, 'household if they': 406838, 'the virus ashley': 870798, 'virus ashley young': 957969, 'ashley young gave': 95123, 'young gave some': 1022600, 'gave some valuable': 344659, 'some valuable tip': 784156, 'valuable tip to': 952057, 'tip to surviving': 898944, 'to surviving lockdown': 916060, 'surviving lockdown due': 829360, 'deplorable': 237434, 'nots': 573628, 'it deplorable': 457522, 'deplorable how': 237435, 'pandemic selling': 636420, 'sanitizers glove': 736291, 'fact is': 295734, 'really is': 702349, 'the have': 857144, 'have nots': 381720, 'nots because': 573629, 'if cannot': 413939, 'afford your': 34824, 'your 10': 1022707, '10 sanitizer': 1666, 'isn it deplorable': 454563, 'it deplorable how': 457523, 'deplorable how people': 237436, 'the pandemic selling': 863089, 'pandemic selling sanitizers': 636421, 'selling sanitizers glove': 749434, 'sanitizers glove and': 736292, 'mask at exorbitant': 518417, 'exorbitant price the': 290421, 'price the fact': 676832, 'the fact is': 854825, 'fact is when': 295740, 'is when it': 453917, '19 there really': 11289, 'there really is': 878986, 'really is no': 702353, 'is no line': 449946, 'no line between': 564607, 'between the have': 128930, 'the have and': 857146, 'have and the': 379276, 'and the have': 73406, 'the have nots': 857150, 'have nots because': 381721, 'nots because if': 573630, 'because if cannot': 119142, 'if cannot afford': 413940, 'cannot afford your': 161621, 'afford your 10': 34825, 'your 10 sanitizer': 1022708, 'espionage': 280679, 'panic for': 638116, 'for espionage': 321088, 'espionage and': 280680, 'commercial gain': 188706, 'gain malicious': 342789, 'phishing sm': 654841, 'phishing ransomware': 654827, 'ransomware vulnerable': 696837, 'discount fraud': 244473, 'are exploiting the': 86369, 'exploiting the panic': 292458, 'the panic for': 863205, 'panic for espionage': 638117, 'for espionage and': 321089, 'espionage and commercial': 280681, 'and commercial gain': 60137, 'commercial gain malicious': 188707, 'gain malicious apps': 342791, 'apps email phishing': 83278, 'email phishing sm': 272271, 'phishing sm phishing': 654842, 'sm phishing ransomware': 774757, 'phishing ransomware vulnerable': 654828, 'ransomware vulnerable software': 696838, 'sanitizer scam discount': 735705, 'scam discount fraud': 740129, 'exacerbates': 288677, 'csas': 220025, 'farmersmarkets': 299592, 'farmer have': 299404, 'only exacerbates': 610404, 'exacerbates it': 288680, 'help by': 389464, 'by getting': 152670, 'their dollar': 873058, 'dollar directly': 252981, 'farmer through': 299529, 'through csas': 894402, 'csas farmersmarkets': 220028, 'farmersmarkets and': 299593, 'read via': 700647, 'farmer have been': 299405, 'been in crisis': 121340, 'in crisis for': 421881, 'crisis for year': 217395, 'year and covid': 1014391, '19 only exacerbates': 8997, 'only exacerbates it': 610405, 'exacerbates it consumer': 288681, 'it consumer can': 457283, 'consumer can help': 196724, 'can help by': 158609, 'help by getting': 389466, 'by getting their': 152676, 'getting their dollar': 349365, 'their dollar directly': 873059, 'dollar directly to': 252982, 'directly to farmer': 243590, 'to farmer through': 905677, 'farmer through csas': 299530, 'through csas farmersmarkets': 894403, 'csas farmersmarkets and': 220029, 'farmersmarkets and shopping': 299594, 'shopping online read': 763472, 'online read via': 608851, 'nakasero': 551547, 'most supermarket': 542787, 'in fair': 422774, 'fair measure': 296350, '19 however': 7614, 'however this': 409500, 'afternoon went': 36727, 'to capital': 902442, 'capital supermarket': 162690, 'at nakasero': 99841, 'nakasero and': 551548, 'will clearly': 992939, 'clearly observe': 181533, 'observe that': 578595, 'lot is': 504069, 'is desired': 447134, 'desired the': 238434, 'basket are': 112300, 'not sanitized': 571426, 'most supermarket have': 542791, 'supermarket have put': 820702, 'have put in': 382112, 'put in fair': 690616, 'in fair measure': 422775, 'fair measure to': 296351, 'curb the 19': 220579, 'the 19 however': 847919, '19 however this': 7620, 'however this afternoon': 409501, 'this afternoon went': 886240, 'afternoon went to': 36728, 'went to capital': 979145, 'to capital supermarket': 902443, 'capital supermarket at': 162691, 'supermarket at nakasero': 819243, 'at nakasero and': 99842, 'nakasero and you': 551549, 'you will clearly': 1022326, 'will clearly observe': 992940, 'clearly observe that': 181534, 'observe that lot': 578596, 'that lot is': 844954, 'lot is desired': 504070, 'is desired the': 447135, 'desired the trolley': 238435, 'the trolley and': 870005, 'trolley and shopping': 932367, 'and shopping basket': 71537, 'shopping basket are': 762160, 'basket are not': 112303, 'are not sanitized': 88460, 're among': 698277, 'those financially': 892003, 'financially impacted': 306678, 'mortgage or': 541932, 'or rent': 616846, 'bureau put': 142805, 'together this': 920979, 'your option': 1025092, 'option are': 613984, 'relief more': 709383, 'you re among': 1020567, 're among those': 698279, 'among those financially': 53097, 'those financially impacted': 892004, 'financially impacted by': 306679, '19 you might': 12271, 'might be concerned': 530883, 'be concerned about': 114175, 'how to pay': 409052, 'to pay your': 911577, 'your mortgage or': 1024885, 'mortgage or rent': 541933, 'or rent the': 616849, 'rent the consumer': 711187, 'protection bureau put': 685368, 'bureau put together': 142806, 'put together this': 690949, 'together this info': 920980, 'this info on': 888103, 'info on what': 437540, 'do what your': 250520, 'what your option': 982718, 'your option are': 1025093, 'option are for': 613986, 'are for relief': 86646, 'for relief more': 325094, 'relief more info': 709384, 'band stay': 109353, 'with share': 1000661, 'your soul': 1025873, 'soul you': 786241, 'alone anymore': 46821, 'anymore kill': 80139, 'band distantimauniti': 109337, 'beast band stay': 118482, 'band stay with': 109355, 'stay with share': 797404, 'with share your': 1000663, 'share your soul': 755379, 'your soul you': 1025875, 'soul you are': 786242, 'are not alone': 88319, 'not alone anymore': 568158, 'alone anymore kill': 46822, 'anymore kill the': 80140, 'beast band distantimauniti': 118479, 'band distantimauniti italy': 109338, 'bypassed': 154825, 'greengrocer': 363744, 'preferring': 669818, 'why social': 991357, 'distancing appears': 247011, 'have bypassed': 379865, 'bypassed my': 154826, 'local greengrocer': 498040, 'greengrocer the': 363748, 'wa rammed': 963038, 'rammed people': 696421, 'people seemed': 649381, 'be oblivious': 116140, 'oblivious so': 578489, 'selfish didn': 748076, 'in preferring': 426923, 'preferring to': 669821, 'to que': 912657, 'hour outside': 405839, 'outside well': 629638, 'well organised': 978448, 'organised supermarket': 619318, 'wondering why social': 1004210, 'why social distancing': 991358, 'social distancing appears': 779557, 'distancing appears to': 247012, 'appears to have': 82217, 'to have bypassed': 907213, 'have bypassed my': 379866, 'bypassed my local': 154827, 'my local greengrocer': 549116, 'local greengrocer the': 498041, 'greengrocer the shop': 363749, 'the shop wa': 867036, 'shop wa rammed': 761012, 'wa rammed people': 963039, 'rammed people seemed': 696422, 'people seemed to': 649382, 'to be oblivious': 901411, 'be oblivious so': 116141, 'oblivious so selfish': 578490, 'so selfish didn': 778172, 'selfish didn go': 748077, 'didn go in': 241076, 'go in preferring': 353715, 'in preferring to': 426924, 'preferring to que': 669822, 'to que for': 912658, 'que for hour': 693315, 'for hour outside': 322398, 'hour outside well': 405841, 'outside well organised': 629639, 'well organised supermarket': 978449, 'organised supermarket socialdistancing': 619319, 'supermarket socialdistancing 19': 822753, 'supermarket hated': 820673, 'hated going': 378949, 'going there': 355485, 'me spends': 523524, 'spends 10': 789067, 'minute arguing': 533734, 'arguing with': 92740, 'cashier about': 166434, 'her fucking': 392067, 'fucking coupon': 339839, 'the supermarket hated': 868623, 'supermarket hated going': 820674, 'hated going there': 378950, 'going there the': 355487, 'there the lady': 879149, 'the lady in': 858910, 'lady in front': 478777, 'of me spends': 586342, 'me spends 10': 523525, 'spends 10 minute': 789068, '10 minute arguing': 1539, 'minute arguing with': 533735, 'arguing with the': 92743, 'with the cashier': 1001224, 'the cashier about': 850479, 'cashier about her': 166435, 'about her fucking': 25374, 'her fucking coupon': 392068, 'wagner': 964019, 'discouraging': 244642, 'playground': 659356, 'kakenews': 470686, 'wagner say': 964020, 'would allow': 1011503, 'health essential': 386407, 'essential trip': 281731, 'trip grocery': 932079, 'store outdoor': 809406, 'outdoor activity': 628886, 'activity walk': 30526, 'run discouraging': 727603, 'discouraging playground': 244643, 'playground equipment': 659361, 'equipment kakenews': 279769, 'wagner say stay': 964021, 'say stay in': 739173, 'stay in order': 797056, 'in order would': 426222, 'order would allow': 618791, 'would allow people': 1011506, 'people to go': 649905, 'out for health': 626128, 'for health essential': 322150, 'health essential trip': 386408, 'essential trip grocery': 281732, 'trip grocery store': 932081, 'grocery store outdoor': 365628, 'store outdoor activity': 809407, 'outdoor activity walk': 628887, 'activity walk or': 30527, 'walk or run': 964851, 'or run discouraging': 616933, 'run discouraging playground': 727604, 'discouraging playground equipment': 244644, 'playground equipment kakenews': 659362, 'wow so': 1012588, 'why australian': 990825, 'australian panic': 103515, 'buying load': 150664, 'tp melbourne': 927872, 'cole distribution': 185857, 'centre is': 169510, 'packed load': 633621, 'load stack': 497297, 'warehouse but': 966699, 'supermarket quickly': 822146, 'enough toiletpapercrisis': 277744, 'wow so why': 1012590, 'so why australian': 778750, 'why australian panic': 990826, 'australian panic buying': 103516, 'panic buying load': 637796, 'buying load of': 150665, 'load of tp': 497288, 'of tp melbourne': 592372, 'tp melbourne cole': 927873, 'melbourne cole distribution': 527932, 'cole distribution centre': 185858, 'distribution centre is': 248132, 'centre is packed': 169512, 'is packed load': 450772, 'packed load stack': 633622, 'load stack of': 497298, 'stack of toilet': 791979, 'in the warehouse': 429657, 'the warehouse but': 871081, 'warehouse but it': 966700, 'it cannot get': 457051, 'cannot get it': 161892, 'get it on': 347418, 'the supermarket quickly': 868767, 'supermarket quickly enough': 822147, 'quickly enough toiletpapercrisis': 694519, 'risinguptothechallenges': 723337, 'store seems': 810023, 'normal still': 567336, 'still let': 800790, 'another appreciate': 77497, 'appreciate those': 82771, 'in grocerystores': 423445, 'grocerystores across': 366360, 'america risinguptothechallenges': 51669, 'risinguptothechallenges usa': 723338, 'usa grocerystore': 948653, 'grocerystore groceryshopping': 366309, 'grocery store seems': 365755, 'store seems to': 810024, 'new normal still': 559173, 'normal still let': 567337, 'still let not': 800791, 'forget to be': 329316, 'kind to one': 475010, 'to one another': 910910, 'one another appreciate': 605914, 'another appreciate those': 77498, 'appreciate those working': 82772, 'those working on': 892749, 'line in grocerystores': 493197, 'in grocerystores across': 423446, 'grocerystores across america': 366361, 'across america risinguptothechallenges': 29251, 'america risinguptothechallenges usa': 51670, 'risinguptothechallenges usa grocerystore': 723339, 'usa grocerystore groceryshopping': 948654, 'it meaning': 459583, 'meaning they': 524842, 'and pas': 68737, 'or low': 616018, 'to mild': 910124, 'mild symptons': 531349, 'symptons and': 830970, 'someone ha covid': 784492, 'not know they': 570304, 'know they ve': 476881, 've got it': 953180, 'got it meaning': 358649, 'it meaning they': 459584, 'meaning they go': 524843, 'supermarket and pas': 819035, 'and pas it': 68740, 'it on or': 460052, 'on or low': 602540, 'or low to': 616021, 'low to mild': 505692, 'to mild symptons': 910125, 'mild symptons and': 531350, 'symptons and they': 830971, 'and they go': 73909, 'work or supermarket': 1005568, 'strap': 812517, 'shopper at': 761407, 'wearing her': 974654, 'her n95': 392219, 'one strap': 607126, 'strap securing': 812520, 'securing it': 744503, 'other hanging': 620342, 'hanging free': 376967, 'mask should': 519270, 'shopper at my': 761411, 'store is wearing': 808545, 'is wearing her': 453813, 'wearing her n95': 974655, 'her n95 with': 392220, 'n95 with one': 551241, 'with one strap': 999890, 'one strap securing': 607127, 'strap securing it': 812521, 'securing it to': 744504, 'it to her': 461723, 'to her face': 907696, 'her face with': 392037, 'face with the': 294865, 'the other hanging': 862535, 'other hanging free': 620343, 'hanging free in': 376968, 'free in front': 331920, 'of the mask': 591225, 'the mask should': 860226, 'mask should tell': 519275, 'should tell her': 766561, 'tester': 839398, 'swab': 829900, 'lockdownkarma': 500304, 'truly hope': 933313, 'coughed over': 208641, 'the illness': 857880, 'illness but': 416347, 'the tester': 869328, 'tester really': 839399, 'really shoved': 702584, 'shoved that': 766829, 'that swab': 846601, 'swab up': 829910, 'there lockdownkarma': 878731, 'truly hope that': 933315, 'hope that when': 403661, 'when the idiot': 984163, 'the idiot who': 857850, 'idiot who coughed': 413638, 'who coughed over': 988501, 'coughed over people': 208642, 'over people on': 630489, 'supermarket wa tested': 823710, 'wa tested for': 963424, '19 not that': 8833, 'not that he': 571971, 'that he ha': 844258, 'he ha the': 385036, 'ha the illness': 372204, 'the illness but': 857881, 'illness but that': 416348, 'but that the': 147299, 'that the tester': 846850, 'the tester really': 869329, 'tester really shoved': 839400, 'really shoved that': 702585, 'shoved that swab': 766830, 'that swab up': 846602, 'swab up there': 829911, 'up there lockdownkarma': 946262, 'supervalu': 824359, 'supervalu on': 824366, 'on commercial': 599979, 'commercial drive': 188698, 'is pricegouging': 451022, 'pricegouging for': 677810, 'toiletpaper take': 922572, 'picture found': 656119, 'facebook going': 294922, 'going over': 355410, 'is overstock': 450763, 'charging ridiculous': 173516, 'price vancouver': 677291, 'supervalu on commercial': 824367, 'on commercial drive': 599980, 'commercial drive is': 188699, 'drive is pricegouging': 259083, 'is pricegouging for': 451023, 'pricegouging for toiletpaper': 677811, 'for toiletpaper take': 327264, 'toiletpaper take look': 922573, 'at this picture': 101248, 'this picture found': 889578, 'picture found this': 656120, 'found this on': 330437, 'this on facebook': 889213, 'on facebook going': 600704, 'facebook going over': 294923, 'going over there': 355412, 'over there to': 630809, 'there to see': 879191, 'see what going': 746031, 'what going on': 981507, 'going on the': 355338, 'store is overstock': 808514, 'is overstock and': 450764, 'overstock and charging': 631549, 'and charging ridiculous': 59753, 'charging ridiculous price': 173517, 'ridiculous price vancouver': 721602, 'extra fee': 293508, 'for excessive': 321306, 'excessive purchasing': 289413, 'people wouldn': 650551, 'wouldn buy': 1012449, 'buy hell': 148779, 'paper stayathome': 640825, 'be an extra': 113603, 'an extra fee': 56012, 'extra fee for': 293509, 'fee for excessive': 302173, 'for excessive purchasing': 321307, 'excessive purchasing at': 289414, 'purchasing at the': 689838, 'the supermarket people': 868747, 'supermarket people wouldn': 821957, 'people wouldn buy': 650553, 'wouldn buy hell': 1012450, 'buy hell of': 148780, 'hell of toilet': 389046, 'toilet paper stayathome': 921466, 'plng': 661071, 'hurot': 411462, 'house precaution': 406463, '19 pls': 9733, 'do wear': 250494, 'house too': 406642, 'too it': 924811, 'will prevent': 994444, 'eating day': 266191, 'day plng': 228228, 'plng hurot': 661072, 'hurot na': 411463, 'na ang': 551282, 'ang food': 76282, 'at house precaution': 99200, 'house precaution for': 406464, 'precaution for covid': 669314, 'covid 19 pls': 213591, '19 pls do': 9734, 'pls do wear': 661127, 'do wear mask': 250495, 'mask at your': 518438, 'at your house': 101681, 'your house too': 1024422, 'house too it': 406643, 'too it will': 924815, 'it will prevent': 462420, 'will prevent you': 994447, 'you from eating': 1018715, 'from eating and': 335251, 'eating and eating': 266174, 'and eating day': 61881, 'eating day plng': 266192, 'day plng hurot': 228229, 'plng hurot na': 661073, 'hurot na ang': 411464, 'na ang food': 551283, 'ang food stock': 76283, 'during grocery': 262670, 'store visit': 811075, 'visit foxnews': 959256, 'foxnews stayhomechallenge': 330813, 'stayathome stayathomesavelives': 797630, 'stayathomesavelives pandemic': 797803, 'stay safe during': 797227, 'safe during grocery': 729612, 'during grocery store': 262671, 'grocery store visit': 365917, 'store visit foxnews': 811076, 'visit foxnews stayhomechallenge': 959257, 'foxnews stayhomechallenge stayhome': 330814, 'stayhomechallenge stayhome stayathome': 798285, 'stayhome stayathome stayathomesavelives': 798136, 'stayathome stayathomesavelives pandemic': 797631, 'formed': 329599, 'acceptance': 28034, 'strip': 813814, 'when contract': 983282, 'contract is': 201674, 'is formed': 447911, 'formed under': 329611, 'under consumer': 940036, 'law there': 482415, 'an offer': 56556, 'an acceptance': 55057, 'acceptance an': 28037, 'an invitation': 56455, 'treat so': 930884, 'doe store': 251591, 'store allow': 806142, 'and strip': 72575, 'strip store': 813830, 'when contract is': 983283, 'contract is formed': 201675, 'is formed under': 447912, 'formed under consumer': 329612, 'under consumer law': 940039, 'consumer law there': 198007, 'law there is': 482416, 'is an offer': 445683, 'an offer and': 56557, 'offer and an': 594522, 'and an acceptance': 58101, 'an acceptance an': 55058, 'acceptance an invitation': 28038, 'an invitation to': 56456, 'invitation to treat': 444267, 'to treat so': 917758, 'treat so why': 930885, 'so why doe': 778755, 'why doe store': 990954, 'doe store allow': 251592, 'store allow consumer': 806143, 'consumer to bulk': 199310, 'bulk buy and': 142251, 'buy and strip': 148336, 'and strip store': 72577, 'strip store shelf': 813831, 'store shelf coronacrisis': 810067, 'testing pickup': 839604, 'only store': 611205, 'to higher': 907739, 'for clickandcollect': 320123, 'clickandcollect service': 181970, 'outbreak st': 628650, 'st news': 791732, 'news supermarket': 560837, 'supermarket ltd': 821414, 'kroger is testing': 477748, 'is testing pickup': 452619, 'testing pickup only': 839605, 'pickup only store': 655997, 'only store in': 611208, 'store in response': 808379, 'response to higher': 715852, 'to higher demand': 907741, 'higher demand for': 395575, 'demand for clickandcollect': 235393, 'for clickandcollect service': 320124, 'clickandcollect service during': 181971, 'the outbreak st': 862697, 'outbreak st news': 628651, 'st news supermarket': 791733, 'news supermarket ltd': 560838, 'neighbourhood sharing': 557282, 'sharing library': 755551, 'library ha': 488069, 'ha added': 369445, 'added food': 31558, 'neighbourhood sharing library': 557283, 'sharing library ha': 755552, 'library ha added': 488070, 'ha added food': 369447, 'added food to': 31559, 'food to it': 317265, 'to it stock': 908616, 'endeavour': 276118, 'item response': 463613, 'will endeavour': 993310, 'endeavour to': 276121, 'value driven': 952112, 'driven product': 259347, 'price product': 676003, 'and sto': 72399, 'price of any': 675407, 'any item response': 79374, 'item response to': 463614, 'virus and we': 957949, 'we will endeavour': 973857, 'will endeavour to': 993311, 'endeavour to continue': 276123, 'continue our delivery': 201088, 'our delivery of': 622726, 'delivery of value': 234240, 'of value driven': 592738, 'value driven product': 952113, 'driven product to': 259348, 'our customer please': 622672, 'customer please send': 222699, 'please send the': 660465, 'send the detail': 749962, 'detail of the': 239224, 'the price product': 864400, 'price product and': 676004, 'product and sto': 680912, 'lyft share': 507055, 'after tough': 36443, 'tough month': 926817, 'following covid': 312709, 'and lyft share': 66492, 'lyft share price': 507056, 'share price start': 755183, 'to rise after': 913550, 'rise after tough': 722767, 'after tough month': 36444, 'tough month following': 926818, 'month following covid': 537721, 'following covid 19': 312710, 'related digital': 708420, 'fraud 22': 331214, 'american targeted': 52240, 'targeted transunion': 834553, 'transunion report': 930079, 'report detail': 711898, 'detail how': 239199, 'impacted online': 418139, 'and fraud': 63253, 'coronavirus related digital': 206632, 'related digital fraud': 708421, 'digital fraud 22': 242573, 'fraud 22 of': 331215, 'of american targeted': 580078, 'american targeted transunion': 52241, 'targeted transunion report': 834554, 'transunion report detail': 930080, 'report detail how': 711899, 'detail how covid': 239201, '19 ha impacted': 7353, 'ha impacted online': 370918, 'impacted online shopping': 418140, 'shopping and fraud': 761986, 'overflowing': 631216, 'uneaten': 941072, 'mouldy': 543385, 'those panic': 892303, 'sight will': 769066, 'be moaning': 115950, 'moaning next': 534903, 'when their': 984216, 'their bin': 872619, 'bin is': 131008, 'is overflowing': 450756, 'overflowing with': 631219, 'with uneaten': 1001900, 'uneaten mouldy': 941073, 'mouldy food': 543386, 'food panicbuyinguk': 315760, 'many of those': 514394, 'of those panic': 592109, 'those panic buying': 892304, 'buying everything in': 150255, 'everything in sight': 287854, 'in sight will': 427950, 'sight will be': 769067, 'will be moaning': 992561, 'be moaning next': 115951, 'moaning next week': 534904, 'next week when': 561706, 'week when their': 977225, 'when their bin': 984217, 'their bin is': 872620, 'bin is overflowing': 131009, 'is overflowing with': 450757, 'overflowing with uneaten': 631220, 'with uneaten mouldy': 1001901, 'uneaten mouldy food': 941074, 'mouldy food panicbuyinguk': 543388, 'market free': 516425, 'free falling': 331813, 'falling what': 297356, 'recession what': 704399, 'got money': 358708, 'market our': 516822, 'latest market': 481429, 'update give': 947001, 'the market free': 860111, 'market free falling': 516426, 'free falling what': 331815, 'falling what doe': 297357, 'mean for recession': 524452, 'for recession what': 325018, 'recession what should': 704401, 've got money': 953187, 'got money in': 358709, 'stock market our': 802418, 'market our latest': 516823, 'our latest market': 623670, 'latest market update': 481430, 'market update give': 517284, 'update give you': 947002, 'you some tip': 1021305, 'hoarderish': 399156, 'spending report': 788970, 'report exactly': 711917, 'how hoarderish': 408007, 'hoarderish are': 399157, 'we collectively': 971139, 'collectively acting': 186523, 'acting panicbuying': 29891, 'wait to see': 964232, 'see this month': 745951, 'this month consumer': 888901, 'month consumer spending': 537656, 'consumer spending report': 199086, 'spending report exactly': 788973, 'report exactly how': 711918, 'exactly how hoarderish': 288734, 'how hoarderish are': 408008, 'hoarderish are we': 399158, 'are we collectively': 91563, 'we collectively acting': 971140, 'collectively acting panicbuying': 186524, 'mondayvibes': 536515, 'mondayblogs': 536426, 'towelchallenge': 927406, 'only currently': 610301, 'currently left': 221578, 'stock so': 802859, 'today mondaymorning': 919886, 'mondaymood mondayvibes': 536432, 'mondayvibes mondayblogs': 536516, 'mondayblogs trend': 536427, 'trend parenting': 931414, 'parenting lockdownnow': 641800, 'lockdownnow towelchallenge': 500347, 'towelchallenge online': 927407, 'only currently left': 610302, 'currently left in': 221579, 'in stock so': 428328, 'stock so do': 802860, 'forget to get': 329322, 'to get yours': 906650, 'get yours today': 348750, 'yours today mondaymorning': 1026487, 'today mondaymorning mondaymotivaton': 919887, 'mondaymotivaton mondaymood mondayvibes': 536482, 'mondaymood mondayvibes mondayblogs': 536433, 'mondayvibes mondayblogs trend': 536517, 'mondayblogs trend parenting': 536428, 'trend parenting lockdownnow': 931415, 'parenting lockdownnow towelchallenge': 641801, 'lockdownnow towelchallenge online': 500348, 'towelchallenge online shopping': 927408, 'fallout panic': 297391, 'selling along': 749149, 'send asset': 749821, 'price sharply': 676360, 'lower during': 505846, 'to the fallout': 916693, 'the fallout panic': 854882, 'fallout panic driven': 297392, 'driven selling along': 259352, 'selling along with': 749150, 'with the uncertainty': 1001526, 'combined to send': 187135, 'to send asset': 914204, 'send asset price': 749822, 'asset price sharply': 96459, 'price sharply lower': 676362, 'sharply lower during': 755753, 'lower during the': 505847, 'during the first': 263130, 'hey fred': 394381, 'fred wa': 331583, 'wa cleaning': 961819, 'cleaning the': 181100, 'room while': 725990, 'this flyer': 887559, 'flyer just': 311652, 'll honour': 496847, 'honour the': 403300, 'hey fred wa': 394382, 'fred wa cleaning': 331584, 'wa cleaning the': 961820, 'cleaning the stock': 181103, 'the stock room': 867923, 'stock room while': 802798, 'room while we': 725991, 'we are closed': 970499, 'are closed for': 85344, 'closed for covid': 183125, '19 and found': 5027, 'and found this': 63233, 'found this flyer': 330432, 'this flyer just': 887560, 'flyer just wondering': 311653, 'if you ll': 415468, 'you ll honour': 1019658, 'll honour the': 496848, 'honour the price': 403301, 'price situation': 676425, 'already changed': 47255, 'commodity price situation': 189288, 'price situation is': 676426, 'situation is already': 772340, 'is already changed': 445514, 'more about scam': 538522, 'sart': 736865, 'the florida': 855432, 'florida state': 310984, 'state agriculture': 795338, 'agriculture response': 39023, 'team sart': 835766, 'sart have': 736866, 'released important': 709047, 'important information': 418838, 'animal shelter': 76653, 'and the florida': 73379, 'the florida state': 855435, 'florida state agriculture': 310985, 'state agriculture response': 795339, 'agriculture response team': 39024, 'response team sart': 715808, 'team sart have': 835767, 'sart have released': 736867, 'have released important': 382251, 'released important information': 709048, 'important information for': 418839, 'information for animal': 437823, 'for animal shelter': 319363, 'animal shelter and': 76654, 'shelter and covid': 757897, 'stripped uk': 813894, 'bare do': 110890, 'hoard stophoarding': 398865, 'selfish panic buyer': 748188, 'have stripped uk': 382814, 'stripped uk supermarket': 813895, 'uk supermarket shelf': 938776, 'shelf bare do': 756865, 'bare do you': 110892, 'right to hoard': 722343, 'to hoard stophoarding': 907878, 'hoard stophoarding coronacrisis': 398866, 're part': 699244, 'restaurant chain and': 716358, 'chain and restaurant': 170475, 'and restaurant large': 70384, 'you re part': 1020699, 're part of': 699245, 'wewillsurvive': 980805, 'store dontbeaspreader': 807372, 'dontbeaspreader wewillsurvive': 255345, 'grocery store dontbeaspreader': 365342, 'store dontbeaspreader wewillsurvive': 807373, 'be conscious': 114189, 'conscious of': 194798, 'fear during': 301104, 'pandemic checkout': 635133, 'checkout these': 175029, 'these helpful': 880113, 'commission you': 188923, 'please be conscious': 659697, 'be conscious of': 114190, 'conscious of scammer': 194799, 'looking to capitalize': 503020, 'capitalize on consumer': 162837, 'on consumer fear': 600049, 'consumer fear during': 197455, 'fear during the': 301106, 'during the on': 263163, 'the on going': 862168, 'on going covid': 601130, '19 pandemic checkout': 9293, 'pandemic checkout these': 635134, 'checkout these helpful': 175030, 'these helpful tip': 880114, 'helpful tip from': 391235, 'trade commission you': 928461, 'commission you can': 188924, 'yourself from becoming': 1026608, 'becoming victim of': 120353, 'irish shopper': 444895, 'shopper set': 761680, 'set supermarket': 753481, 'sale record': 732484, '19 stockpiling': 10860, 'irish shopper set': 444896, 'shopper set supermarket': 761681, 'set supermarket sale': 753482, 'supermarket sale record': 822308, 'sale record in': 732485, 'record in march': 704990, 'covid 19 stockpiling': 213869, 'more protect': 540163, 'clerk from': 181704, 'from potentially': 336957, 'they interact': 882471, 'with 100': 996926, 'people each': 647754, 'please walsh': 660743, 'walsh require': 965511, 'require checkout': 713299, 'checkout clerk': 174898, 'mask provided': 519169, 'by their': 154490, 'their employer': 873162, 'do more protect': 249602, 'more protect grocery': 540164, 'store clerk from': 807008, 'clerk from covid': 181705, '19 and from': 5028, 'and from potentially': 63349, 'from potentially spreading': 336958, 'potentially spreading the': 667247, 'the virus they': 870908, 'virus they interact': 958902, 'they interact with': 882472, 'interact with 100': 441202, 'with 100 of': 996929, '100 of people': 1991, 'of people each': 587901, 'people each day': 647755, 'each day please': 264048, 'day please walsh': 228227, 'please walsh require': 660744, 'walsh require checkout': 965512, 'require checkout clerk': 713300, 'checkout clerk to': 174900, 'clerk to wear': 181798, 'wear mask provided': 974400, 'mask provided by': 519170, 'provided by their': 686580, 'by their employer': 154494, 'switch ha': 830494, 'sanitizer where': 736074, 'are jacked': 87595, 'up double': 944740, 'the switch ha': 869068, 'switch ha become': 830495, 'ha become the': 369700, 'the new hand': 861514, 'hand sanitizer where': 375661, 'sanitizer where the': 736075, 'where the price': 985244, 'price are jacked': 672688, 'are jacked up': 87596, 'jacked up double': 464149, 'illinoisprimary': 416326, 'needfood': 556596, 'vote and': 960464, 'store wish': 811358, 'luck illinoisprimary': 506458, 'illinoisprimary needfood': 416327, 'needfood voteblue2020': 556598, 'go vote and': 354470, 'vote and go': 960466, 'grocery store wish': 365960, 'store wish me': 811359, 'good luck illinoisprimary': 357355, 'luck illinoisprimary needfood': 506459, 'illinoisprimary needfood voteblue2020': 416328, '89': 23094, 'to 89': 899862, '89 cent': 23099, 'cent this': 169122, 'could fall to': 209170, 'fall to 89': 297093, 'to 89 cent': 899863, '89 cent this': 23100, 'cent this weekend': 169123, 'this weekend in': 891310, 'weekend in kentucky': 977358, 'cpg': 214580, 'fastmovingconsumergoods': 300185, 'cpgconnectnews': 214622, 'beverage retailer': 129031, 'canada hit': 160462, 'hard amid': 377857, 'more cpg': 538915, 'cpg retail': 214609, 'visit cpg': 959224, 'cpg consumergoods': 214596, 'consumergoods fmcg': 199680, 'fmcg fastmovingconsumergoods': 311726, 'fastmovingconsumergoods retail': 300186, 'news cpgconnectnews': 560354, 'and beverage retailer': 58932, 'beverage retailer in': 129032, 'retailer in canada': 719199, 'in canada hit': 421190, 'canada hit hard': 160463, 'hit hard amid': 398247, 'hard amid covid': 377858, '19 panic for': 9546, 'panic for more': 638122, 'for more cpg': 323561, 'more cpg retail': 538916, 'cpg retail news': 214611, 'retail news visit': 718332, 'news visit cpg': 560949, 'visit cpg consumergoods': 959225, 'cpg consumergoods fmcg': 214597, 'consumergoods fmcg fastmovingconsumergoods': 199681, 'fmcg fastmovingconsumergoods retail': 311727, 'fastmovingconsumergoods retail news': 300187, 'retail news cpgconnectnews': 718331, 'three billion': 893886, 'people globally': 648075, 'globally living': 352386, 'in lock': 424831, 'unprecedented we': 943217, 'we consider': 971169, 'responding get': 715562, 'get crisis': 346836, 'crisis smart': 218058, 'smart read': 775409, 'with three billion': 1001758, 'three billion people': 893887, 'billion people globally': 130889, 'people globally living': 648076, 'globally living in': 352387, 'living in lock': 496377, 'in lock down': 424832, 'down the impact': 257284, 'the is unprecedented': 858544, 'is unprecedented we': 453543, 'unprecedented we consider': 943219, 'we consider how': 971170, 'consider how this': 195023, 'how this is': 408949, 'this is impacting': 888287, 'brand are responding': 137752, 'are responding get': 89632, 'responding get crisis': 715563, 'get crisis smart': 346837, 'crisis smart read': 218059, 'smart read here': 775410, 'read here to': 700356, 'dh': 240078, 'we wanna': 973739, 'wanna hear': 965646, 'hear your': 388037, 'best covid': 127651, 'joke because': 467060, 'all could': 42469, 'some laughter': 783186, 'laughter right': 481848, 'but remember': 146924, 'the dh': 853238, 'dh during': 240079, 'time by': 896432, 'we wanna hear': 973740, 'wanna hear your': 965647, 'hear your best': 388038, 'your best covid': 1022948, 'best covid 19': 127652, '19 joke because': 8192, 'joke because we': 467061, 'because we all': 119789, 'we all could': 970317, 'all could use': 42471, 'use some laughter': 949600, 'some laughter right': 783187, 'laughter right about': 481849, 'right about now': 721732, 'about now but': 25825, 'now but remember': 574292, 'but remember you': 146930, 'remember you can': 710433, 'can only shop': 159136, 'only shop the': 611119, 'shop the dh': 760902, 'the dh during': 853239, 'dh during this': 240080, 'this time by': 890624, 'time by shopping': 896438, 'online and picking': 607841, 'and picking in': 69015, 'picking in store': 655858, 'pickup and we': 655932, '807': 22748, 'many sector': 514669, 'are benefiting': 84947, 'the practice': 864190, 'distancing up': 247581, 'up 25': 944140, '25 online': 15930, 'shopping up': 764294, 'up 100': 944109, '100 virus': 2117, 'virus protection': 958652, 'protection product': 685581, 'up 807': 944208, 'with the impact': 1001343, 'impact of pandemic': 417791, 'of pandemic many': 587702, 'pandemic many sector': 635927, 'many sector are': 514670, 'sector are benefiting': 744096, 'are benefiting from': 84949, 'benefiting from the': 127169, 'from the practice': 337840, 'the practice of': 864192, 'practice of social': 668619, 'social distancing up': 779751, 'distancing up 25': 247582, 'up 25 online': 944142, '25 online grocery': 15931, 'grocery shopping up': 365101, 'shopping up 100': 764295, 'up 100 virus': 944110, '100 virus protection': 2118, 'virus protection product': 958654, 'protection product up': 685582, 'product up 807': 681793, 'weirdo': 977833, 'hackin': 372775, 'not scared': 571454, 'scared of': 740991, 'but sure': 147235, 'sure hell': 827563, 'hell don': 389004, 'be standing': 117346, 'standing next': 793789, 'some weirdo': 784198, 'weirdo in': 977836, 'store hackin': 808033, 'hackin up': 372776, 'up lung': 945351, 'lung either': 506791, 'not scared of': 571455, 'scared of the': 741002, 'the but sure': 850201, 'but sure hell': 147236, 'sure hell don': 827564, 'hell don want': 389005, 'to be standing': 901560, 'be standing next': 117349, 'standing next to': 793790, 'next to some': 561628, 'to some weirdo': 914896, 'some weirdo in': 784199, 'weirdo in the': 977837, 'grocery store hackin': 365450, 'store hackin up': 808034, 'hackin up lung': 372777, 'up lung either': 945352, 'peloton': 646381, 'brandindex': 138118, 'stationary': 796563, 'bike': 130402, 'socialdistancing many': 780513, 'to peloton': 911598, 'peloton yougov': 646384, 'yougov brandindex': 1022527, 'brandindex data': 138119, 'data find': 226207, 'find of': 307105, 'now considering': 574429, 'popular stationary': 664599, 'stationary bike': 796564, 'bike brand': 130407, 'brand up': 138061, 'from during': 335235, 'american are forced': 51805, 'forced to stay': 328657, 'home and practice': 400677, 'and practice socialdistancing': 69305, 'practice socialdistancing many': 668660, 'socialdistancing many are': 780514, 'many are turning': 513782, 'turning to peloton': 935969, 'to peloton yougov': 911599, 'peloton yougov brandindex': 646385, 'yougov brandindex data': 1022528, 'brandindex data find': 138120, 'data find of': 226208, 'find of american': 307106, 'of american are': 580052, 'american are now': 51810, 'are now considering': 88539, 'now considering the': 574430, 'considering the popular': 195427, 'the popular stationary': 864017, 'popular stationary bike': 664600, 'stationary bike brand': 796565, 'bike brand up': 130408, 'brand up from': 138062, 'up from during': 944985, 'from during the': 335237, 'day of 2020': 228048, 'forage': 328257, 'ransacked': 696806, 'day6 in': 228879, 'in philly': 426688, 'philly today': 654776, 'today ventured': 920427, 'out into': 626428, 'to forage': 906161, 'forage for': 328258, 'necessity grocery': 554217, 'being ransacked': 125632, 'ransacked they': 696823, 'have restriction': 382302, 'certain food': 170012, 'still premium': 801058, 'premium item': 669960, 'item wholefoods': 463826, 'wholefoods is': 990397, 'bad place': 107982, 'shop rn': 760724, 'day6 in philly': 228880, 'in philly today': 426691, 'philly today ventured': 654777, 'today ventured out': 920428, 'ventured out into': 954694, 'out into the': 626431, 'into the city': 443105, 'city to forage': 179425, 'to forage for': 906162, 'forage for necessity': 328259, 'for necessity grocery': 323794, 'necessity grocery store': 554218, 'are still being': 90398, 'still being ransacked': 800279, 'being ransacked they': 125633, 'ransacked they have': 696824, 'they have restriction': 882373, 'have restriction on': 382304, 'restriction on certain': 717339, 'on certain food': 599857, 'certain food now': 170018, 'food now toiletpaper': 315573, 'now toiletpaper is': 576195, 'toiletpaper is still': 922142, 'is still premium': 452305, 'still premium item': 801059, 'premium item wholefoods': 669961, 'item wholefoods is': 463827, 'wholefoods is bad': 990398, 'is bad place': 445970, 'bad place to': 107983, 'place to shop': 657771, 'to shop rn': 914485, 'kait': 470674, 'turbo': 935496, 'mifi': 530851, 'hi kait': 394686, 'kait starting': 470675, 'starting on': 794987, 'march 19th': 515121, '19th to': 12544, 'assist those': 96647, 'with turbo': 1001860, 'turbo hub': 935497, 'hub turbo': 409833, 'turbo stick': 935499, 'stick and': 800023, 'and mifi': 66997, 'mifi device': 530854, 'device an': 239891, '10 gb': 1444, 'gb of': 344788, 'of domestic': 582783, 'domestic usage': 253242, 'hi kait starting': 394687, 'kait starting on': 470676, 'starting on march': 794988, 'on march 19th': 602014, 'march 19th to': 515123, '19th to assist': 12545, 'to assist those': 900785, 'assist those working': 96649, 'those working from': 892746, 'will be providing': 992623, 'be providing our': 116604, 'providing our consumer': 687063, 'business customer with': 143616, 'customer with turbo': 223106, 'with turbo hub': 1001861, 'turbo hub turbo': 935498, 'hub turbo stick': 409834, 'turbo stick and': 935500, 'stick and mifi': 800024, 'and mifi device': 67000, 'mifi device an': 530855, 'device an extra': 239892, 'an extra 10': 56000, 'extra 10 gb': 293424, '10 gb of': 1445, 'gb of domestic': 344789, 'of domestic usage': 582787, 'injured': 438708, 'crazy two': 215473, 'people injured': 648478, 'injured after': 438709, 'after man': 35901, 'man pull': 512195, 'pull out': 688875, 'out gun': 626246, 'downtown grocery': 257747, 'is crazy two': 446903, 'crazy two people': 215474, 'two people injured': 937138, 'people injured after': 648479, 'injured after man': 438710, 'after man pull': 35902, 'man pull out': 512196, 'pull out gun': 688876, 'out gun in': 626247, 'gun in downtown': 368701, 'in downtown grocery': 422377, 'downtown grocery store': 257748, 'britain are': 140377, 'longer bloody': 501940, 'bloody cool': 133185, 'cool nothing': 203024, 'united in': 942172, 'absolutely embarrassing': 27352, 'if you look': 415469, 'supermarket shelf the': 822542, 'shelf the people': 757654, 'of britain are': 580889, 'britain are no': 140378, 'no longer bloody': 564639, 'longer bloody cool': 501941, 'bloody cool nothing': 133186, 'cool nothing united': 203025, 'nothing united in': 573207, 'united in this': 942173, 'in this kingdom': 429969, 'picture absolutely embarrassing': 656101, 'for the family': 326427, 'alamo': 40652, 'instagood': 439943, 'peeweeherman': 646320, 'peeweesbogadventure': 646322, 'toiletpaper or': 922280, 'the alamo': 848543, 'alamo instagood': 40653, 'instagood peeweeherman': 439946, 'peeweeherman peeweesbogadventure': 646321, 'when go out': 983476, 'out to look': 627660, 'for toiletpaper or': 327259, 'toiletpaper or the': 922284, 'or the alamo': 617366, 'the alamo instagood': 848544, 'alamo instagood peeweeherman': 40654, 'instagood peeweeherman peeweesbogadventure': 439947, 'overbuying': 631074, 'stop my': 804842, 'dad ha': 224334, 'ha kidney': 371076, 'kidney failure': 474238, 'failure on': 296288, 'on limited': 601846, 'limited budget': 492608, 'budget and': 141751, 'currently without': 221715, 'food cannot': 313877, 'him what': 396772, 'supermarket overbuying': 821867, 'overbuying just': 631077, 'week heavily': 976323, 'heavily pregnant': 388597, 'pregnant and': 669829, 'eating up': 266328, 'now coronacrisis': 574451, 'buying ha got': 150438, 'ha got to': 370745, 'got to stop': 358971, 'to stop my': 915547, 'stop my dad': 804843, 'my dad ha': 547893, 'dad ha kidney': 224340, 'ha kidney failure': 371077, 'kidney failure on': 474239, 'failure on limited': 296289, 'on limited budget': 601847, 'limited budget and': 492609, 'budget and is': 141753, 'and is currently': 65397, 'is currently without': 447007, 'currently without food': 221716, 'without food cannot': 1002655, 'food cannot get': 313879, 'cannot get food': 161887, 'food to him': 317264, 'to him what': 907779, 'him what will': 396774, 'what will close': 982593, 'close the supermarket': 182849, 'the supermarket overbuying': 868736, 'supermarket overbuying just': 821868, 'overbuying just stop': 631078, 'just stop buying': 469908, 'stop buying for': 804536, 'buying for week': 150362, 'for week heavily': 327716, 'week heavily pregnant': 976324, 'heavily pregnant and': 388598, 'pregnant and eating': 669830, 'and eating up': 61883, 'eating up what': 266330, 'up what have': 946568, 'what have now': 981579, 'have now coronacrisis': 381728, '407': 18820, 'skewed': 772921, '407 new': 18821, 'new confirmed': 558511, 'uk please': 938627, 'infection but': 436723, 'tested so': 839363, 'our statistic': 624907, 'statistic are': 796573, 'are skewed': 90150, 'skewed take': 772922, 'care wash': 164254, 'hand stay': 375793, 'from group': 335706, 'group stop': 366894, 'elderly need': 270762, '407 new confirmed': 18822, 'new confirmed case': 558512, 'confirmed case in': 194141, 'the uk please': 870266, 'uk please remember': 938631, 'please remember that': 660372, 'remember that many': 710283, 'that many many': 845026, 'more people have': 540024, '19 infection but': 7848, 'infection but are': 436724, 'but are self': 145221, 'isolating and not': 455057, 'not being tested': 568552, 'being tested so': 125914, 'tested so our': 839364, 'so our statistic': 777970, 'our statistic are': 624908, 'statistic are skewed': 796574, 'are skewed take': 90151, 'skewed take care': 772923, 'take care wash': 832014, 'care wash hand': 164255, 'wash hand stay': 967497, 'hand stay away': 375794, 'away from group': 105885, 'from group stop': 335708, 'group stop panic': 366895, 'buying the elderly': 151166, 'the elderly need': 854131, 'elderly need food': 270763, 'yet felt': 1016066, 'people prior': 649186, 'to standing': 915172, 'would first': 1011822, 'first be': 308530, 'food coupon': 314043, 'not yet felt': 572598, 'yet felt do': 1016067, 'if people prior': 414627, 'people prior to': 649187, 'prior to standing': 678379, 'to standing in': 915173, 'the supermarket they': 868851, 'supermarket they would': 823298, 'they would first': 883940, 'would first be': 1011823, 'first be standing': 308531, 'be standing in': 117347, 'for food coupon': 321571, 'cbd ha': 168307, 'been touted': 122258, 'touted treatment': 927078, 'for nearly': 323787, 'nearly everything': 553827, 'are claim': 85280, 'for combating': 320161, 'combating our': 187069, 'director urge': 243677, 'to pause': 911502, 'pause before': 644587, 'before buying': 122684, 'buying hear': 150476, 'hear her': 387927, 'her take': 392418, 'cbd ha been': 168308, 'ha been touted': 369962, 'been touted treatment': 122259, 'touted treatment for': 927079, 'treatment for nearly': 931077, 'for nearly everything': 323788, 'nearly everything in': 553828, 'everything in the': 287857, 'past few year': 643543, 'few year now': 304193, 'year now there': 1014768, 'there are claim': 878081, 'are claim about': 85281, 'claim about it': 179684, 'about it use': 25603, 'it use for': 461992, 'use for combating': 949218, 'for combating our': 320162, 'combating our executive': 187070, 'executive director urge': 289889, 'director urge you': 243678, 'you to pause': 1021817, 'to pause before': 911504, 'pause before buying': 644588, 'before buying hear': 122685, 'buying hear her': 150477, 'hear her take': 387928, 'her take in': 392419, 'take in this': 832221, 'in this interview': 429965, 'extrovert': 293956, 'anything more': 80830, 'more anxiety': 538623, 'inducing than': 435501, 'an extrovert': 56033, 'extrovert in': 293957, 'there anything more': 878037, 'anything more anxiety': 80831, 'more anxiety inducing': 538625, 'anxiety inducing than': 78730, 'inducing than having': 435502, 'than having an': 840733, 'having an extrovert': 383972, 'an extrovert in': 56034, 'extrovert in the': 293958, 'the queue in': 865042, 'queue in front': 693957, 'front of you': 338651, 'you for an': 1018626, 'hour wait for': 406072, 'tip ask': 898711, 'covid 19 prevention': 213609, '19 prevention tip': 9801, 'prevention tip ask': 671898, 'tip ask doctor': 898712, 'juggling': 467715, 'townsville': 927632, 'more front': 539312, 'line staff': 493416, 'staff staff': 792880, 'staff reporting': 792795, 'reporting each': 712682, 'with smile': 1000773, 'smile they': 775740, 'are juggling': 87607, 'juggling their': 467718, 'own family': 631985, 'family school': 298209, 'all making': 43441, 'making townsville': 511476, 'townsville city': 927633, 'city team': 179393, 'member serving': 528189, 'serving thank': 753213, 'more front line': 539313, 'front line staff': 338605, 'line staff staff': 493420, 'staff staff reporting': 792881, 'staff reporting each': 792796, 'reporting each day': 712683, 'each day with': 264056, 'day with smile': 228782, 'with smile they': 1000775, 'smile they are': 775741, 'they are juggling': 881317, 'are juggling their': 87609, 'juggling their own': 467719, 'their own family': 874174, 'own family school': 631986, 'family school and': 298210, 'and the change': 73277, 'the change we': 850676, 'change we are': 172383, 'are all making': 84325, 'all making townsville': 43443, 'making townsville city': 511477, 'townsville city team': 927634, 'city team member': 179394, 'team member serving': 835729, 'member serving thank': 528190, 'serving thank you': 753214, '3pm': 18398, 'from 3pm': 334287, '3pm with': 18414, 'latest three': 481578, 'protection taking': 685635, 'nbn network': 553269, 'network cope': 557712, 'more aussie': 538684, 'aussie working': 103150, 'from 3pm with': 334289, '3pm with coronavirus': 18415, 'with coronavirus latest': 997805, 'coronavirus latest three': 206210, 'latest three health': 481579, 'three health care': 893949, 'care worker have': 164292, 'positive to covid': 665471, 'consumer protection taking': 198567, 'protection taking your': 685636, 'taking your call': 833671, 'the nbn network': 861337, 'nbn network cope': 553270, 'network cope with': 557713, 'with more and': 999550, 'and more aussie': 67146, 'more aussie working': 538686, 'aussie working from': 103151, 'office vacancy': 595575, 'vacancy could': 951557, 'hit new': 398340, 'high houston': 395114, 'houston chronicle': 407191, 'chronicle the': 178259, 'the vacancy': 870614, 'vacancy rate': 951565, 'rate for': 697221, 'for houston': 322414, 'office space': 595547, 'space could': 787085, 'could increase': 209334, 'by four': 152639, 'four percentage': 330655, 'point by': 662449, 'year collapsing': 1014473, 'crisis slow': 218051, 'slow leasing': 774371, 'leasing activity': 484313, 'activity cre': 30408, 'cre realestate': 215510, 'houston office vacancy': 407215, 'office vacancy could': 595576, 'vacancy could hit': 951558, 'could hit new': 209305, 'hit new high': 398341, 'new high houston': 558879, 'high houston chronicle': 395115, 'houston chronicle the': 407192, 'chronicle the vacancy': 178261, 'the vacancy rate': 870615, 'vacancy rate for': 951567, 'rate for houston': 697224, 'for houston office': 322415, 'houston office space': 407214, 'office space could': 595548, 'space could increase': 787086, 'could increase by': 209335, 'increase by four': 432705, 'by four percentage': 152640, 'four percentage point': 330656, 'percentage point by': 651220, 'point by the': 662450, 'the year collapsing': 872149, 'year collapsing oil': 1014474, '19 crisis slow': 6323, 'crisis slow leasing': 218052, 'slow leasing activity': 774372, 'leasing activity cre': 484314, 'activity cre realestate': 30409, 'restitution': 716850, 'wbab': 970239, 'store toss': 810920, 'toss 35k': 926083, 'it hope': 458624, 'pay restitution': 645087, 'restitution for': 716853, 'this loss': 888711, 'loss do': 503660, 'arrested rock': 93876, 'rock wbab': 724932, 'grocery store toss': 365880, 'store toss 35k': 810921, 'toss 35k in': 926084, 'on it hope': 601668, 'it hope she': 458625, 'hope she is': 403620, 'she is made': 756157, 'is made to': 449509, 'made to pay': 508038, 'to pay restitution': 911554, 'pay restitution for': 645088, 'restitution for this': 716854, 'for this loss': 327045, 'this loss do': 888712, 'loss do you': 503661, 'you think she': 1021674, 'think she should': 885531, 'she should also': 756342, 'also be arrested': 47916, 'be arrested rock': 113688, 'arrested rock wbab': 93877, 'weathered': 974918, 'how china': 407550, 'company weathered': 191292, 'weathered the': 974919, 'crisis virtual': 218320, 'virtual roundtable': 957784, 'roundtable via': 726405, 'how china consumer': 407551, 'china consumer company': 176579, 'consumer company weathered': 196843, 'company weathered the': 191293, 'weathered the covid': 974920, '19 crisis virtual': 6344, 'crisis virtual roundtable': 218322, 'virtual roundtable via': 957786, 'ikea closing': 416033, 'ikea closing all': 416034, 'all store due': 44493, 'positivetrumpspanic': 665502, 'fridaymotivation': 333343, 'positivethoughts': 665501, 'responder or': 715502, 'employee today': 274344, 'we navigate': 972452, 'navigate please': 553071, 'positive energy': 665304, 'energy flowing': 276458, 'flowing positivetrumpspanic': 311363, 'positivetrumpspanic fridaymotivation': 665503, 'fridaymotivation inspiration': 333345, 'inspiration positivethoughts': 439810, 'first responder or': 308957, 'responder or grocery': 715504, 'store employee today': 807557, 'employee today and': 274345, 'today and every': 919202, 'and every day': 62372, 'day we navigate': 228680, 'we navigate please': 972453, 'navigate please rt': 553072, 'please rt to': 660433, 'rt to keep': 726837, 'keep the positive': 472062, 'the positive energy': 864059, 'positive energy flowing': 665305, 'energy flowing positivetrumpspanic': 276459, 'flowing positivetrumpspanic fridaymotivation': 311364, 'positivetrumpspanic fridaymotivation inspiration': 665504, 'fridaymotivation inspiration positivethoughts': 333346, 'reservation': 714012, 'customer than': 222908, 'my vacation': 550484, 'vacation for': 951584, '2020 wa': 14695, 'wa canceled': 961785, 'canceled due': 160933, 'they offered': 882812, 'cover up': 212310, '100 additional': 1826, 'for changing': 320015, 'the date': 852856, 'date however': 226651, '200 more': 13512, 'than our': 841011, 'our original': 624173, 'original reservation': 619588, 'thought you would': 893339, 'you would take': 1022459, 'would take better': 1012308, 'of your customer': 593458, 'your customer than': 1023427, 'customer than this': 222909, 'than this my': 841317, 'this my vacation': 889075, 'my vacation for': 550485, 'vacation for april': 951585, 'for april 2020': 319476, 'april 2020 wa': 83481, '2020 wa canceled': 14696, 'wa canceled due': 961787, 'canceled due to': 160934, 'and they offered': 73924, 'they offered to': 882814, 'offered to cover': 594976, 'to cover up': 903663, 'cover up to': 212315, 'up to 100': 946317, 'to 100 additional': 899435, '100 additional cost': 1827, 'additional cost for': 31797, 'cost for changing': 207943, 'for changing the': 320018, 'changing the date': 172808, 'the date however': 852858, 'date however the': 226652, 'however the price': 409479, 'price are 200': 672626, 'are 200 more': 84117, '200 more than': 13514, 'more than our': 540658, 'than our original': 841013, 'our original reservation': 624175, 'pityous': 657069, 'watching article': 968709, 'the pityous': 863756, 'pityous state': 657070, 'no likelihood': 564599, 'food feeling': 314455, 'no hope': 564442, 'hope can': 403431, 'just walk': 470203, 'fridge or': 333415, 'supermarket whilst': 823849, 'whilst locked': 987649, 'down my': 256969, 'my problem': 549853, 'are nothing': 88503, 'watching article on': 968710, 'on the pityous': 604284, 'the pityous state': 863757, 'pityous state of': 657071, 'of the poor': 591348, 'the poor in': 863977, 'poor in the': 664201, 'india no food': 434541, 'food no likelihood': 315546, 'no likelihood of': 564600, 'likelihood of food': 491931, 'of food feeling': 583692, 'food feeling of': 314456, 'feeling of no': 303035, 'of no hope': 587040, 'no hope can': 564443, 'hope can just': 403433, 'can just walk': 158801, 'just walk to': 470207, 'walk to my': 964899, 'to my fridge': 910400, 'my fridge or': 548416, 'fridge or drive': 333416, 'or drive to': 615075, 'drive to my': 259224, 'local supermarket whilst': 498615, 'supermarket whilst locked': 823850, 'whilst locked down': 987650, 'locked down my': 500477, 'down my problem': 256973, 'my problem are': 549854, 'problem are nothing': 679465, 'celeste': 168924, 'leatherette': 484718, 'distancing doesn': 247109, 'be drag': 114596, 'drag take': 258164, 'online celeste': 607998, 'celeste leatherette': 168925, 'leatherette counter': 484719, 'counter height': 210221, 'height dining': 388801, 'dining chair': 243014, 'chair set': 171307, 'socialdistancing socialdistancing2020': 780703, 'social distancing doesn': 779593, 'distancing doesn have': 247110, 'to be drag': 901220, 'be drag take': 114597, 'drag take your': 258165, 'take your shopping': 832830, 'shopping online celeste': 763418, 'online celeste leatherette': 607999, 'celeste leatherette counter': 168926, 'leatherette counter height': 484720, 'counter height dining': 210222, 'height dining chair': 388802, 'dining chair set': 243015, 'chair set of': 171308, 'set of socialdistancing': 753445, 'of socialdistancing socialdistancing2020': 589856, 'the affected': 848403, 'affected influencers': 34384, 'influencers and': 437340, 'relationship they': 708704, 'consumer audience': 196354, 'audience provides': 102912, 'provides her': 686860, 'her perspective': 392298, 'how ha the': 407957, 'ha the affected': 372186, 'the affected influencers': 848404, 'affected influencers and': 34385, 'influencers and the': 437341, 'and the relationship': 73546, 'the relationship they': 865467, 'relationship they have': 708705, 'they have with': 882403, 'have with their': 383610, 'with their consumer': 1001562, 'their consumer audience': 872849, 'consumer audience provides': 196356, 'audience provides her': 102913, 'provides her perspective': 686861, 'moodboost': 538297, 'no toiletpaper': 565759, 'go moodboost': 353843, 'no toiletpaper but': 565760, 'toiletpaper but have': 921830, 'to go moodboost': 906826, 'reshaping': 714200, 'pri': 672091, 'rank': 696774, 'big data': 129728, 'is reshaping': 451458, 'reshaping esg': 714207, 'esg the': 280366, 'un pri': 939295, 'pri long': 672092, 'term crisis': 838107, 'crisis plan': 217875, 'plan sustainable': 658233, 'sustainable fund': 829798, 'fund rank': 341483, 'rank high': 696779, 'big data show': 129731, 'data show that': 226413, 'show that covid': 767181, '19 is reshaping': 8036, 'is reshaping esg': 451460, 'reshaping esg the': 714208, 'esg the un': 280367, 'the un pri': 870331, 'un pri long': 939296, 'pri long term': 672093, 'long term crisis': 501679, 'term crisis plan': 838108, 'crisis plan sustainable': 217876, 'plan sustainable fund': 658234, 'sustainable fund rank': 829799, 'fund rank high': 341484, 'another run': 77814, 'singapore just': 771134, 'just this': 470050, 'this lonely': 888700, 'lonely packet': 501302, 'of pork': 588239, 'pork remains': 664823, 'remains do': 709999, 'it nobody': 459837, 'nobody else': 565996, 'else seems': 271872, 'to want': 918323, 'yet another run': 1016000, 'another run on': 77815, 'here in singapore': 393180, 'in singapore just': 427971, 'singapore just this': 771135, 'just this lonely': 470052, 'this lonely packet': 888701, 'lonely packet of': 501303, 'packet of pork': 633710, 'of pork remains': 588242, 'pork remains do': 664824, 'remains do buy': 710000, 'do buy it': 249164, 'buy it nobody': 148858, 'it nobody else': 459838, 'nobody else seems': 565997, 'else seems to': 271873, 'seems to want': 746888, 'to want it': 918324, 'confidence steady': 193952, 'steady in': 799122, 'japan germany': 464733, 'germany and': 346264, 'and france': 63244, 'france day': 330988, 'day change': 227441, 'morning japan': 541327, 'germany france': 346296, 'france economy': 330990, 'consumer confidence steady': 196921, 'confidence steady in': 193953, 'steady in japan': 799123, 'in japan germany': 424372, 'japan germany and': 464734, 'germany and france': 346265, 'and france day': 63245, 'france day to': 330989, 'day to day': 228562, 'to day change': 903953, 'day change of': 227442, 'change of this': 172198, 'of this morning': 592009, 'this morning japan': 888977, 'morning japan germany': 541328, 'japan germany france': 464735, 'germany france economy': 346297, 'after series': 36170, 'employee protest': 274132, 'protest amazon': 685911, 'it rolling': 460801, 'out temperature': 627301, 'temperature check': 837370, 'providing disinfectant': 686969, 'wipe hand': 996286, 'sanitizer standard': 735787, 'standard supply': 793706, 'after series of': 36171, 'series of employee': 751268, 'of employee protest': 583077, 'employee protest amazon': 274133, 'protest amazon said': 685912, 'said it rolling': 731162, 'it rolling out': 460802, 'rolling out temperature': 725682, 'out temperature check': 627302, 'temperature check for': 837371, 'check for worker': 174448, 'for worker and': 327931, 'worker and providing': 1006325, 'and providing disinfectant': 69709, 'providing disinfectant wipe': 686970, 'disinfectant wipe hand': 245812, 'wipe hand sanitizer': 996287, 'hand sanitizer standard': 375596, 'sanitizer standard supply': 735788, 'standard supply and': 793707, 'supply and mask': 824738, 'else so': 271882, 'so embarrassed': 776943, 'embarrassed to': 272440, 'be british': 113910, 'british right': 140587, 'now people': 575526, 'so greedy': 777208, 'embarrassed we': 272442, 'need rationing': 555496, 'rationing now': 697847, 'now lockdownuk': 575245, 'anyone else so': 80291, 'else so embarrassed': 271884, 'so embarrassed to': 776945, 'embarrassed to be': 272441, 'to be british': 901138, 'be british right': 113912, 'british right now': 140588, 'right now people': 722118, 'now people are': 575527, 'are being so': 84924, 'being so greedy': 125817, 'so greedy and': 777209, 'greedy and emptying': 363470, 'and emptying supermarket': 62092, 'supermarket shelf when': 822564, 'shelf when it': 757787, 'when it the': 983652, 'it the elderly': 461529, 'are most at': 88133, 'risk and now': 723375, 'and now have': 67841, 'now have le': 574876, 'have le access': 381272, 'to food so': 906099, 'food so so': 316664, 'so so embarrassed': 778232, 'so embarrassed we': 776946, 'embarrassed we need': 272444, 'we need rationing': 972531, 'need rationing now': 555498, 'rationing now lockdownuk': 697848, 'including food and': 431963, 'and beverage beauty': 58927, 'and health and': 64346, 'health and wellness': 386165, 'and wellness are': 75421, 'important leading': 418863, 'leading expert': 483701, 'in pa': 426404, 'pa have': 632858, 'have issued': 381133, 'issued warning': 456107, 'hoarding during': 399266, 'pandemic buying': 635066, 'store strain': 810418, 'chain amp': 170449, 'amp cause': 53507, 'important leading expert': 418864, 'leading expert in': 483702, 'expert in pa': 291860, 'in pa have': 426406, 'pa have issued': 632859, 'have issued warning': 381136, 'issued warning about': 456108, 'about the danger': 26371, 'danger of food': 225681, 'of food hoarding': 583708, 'food hoarding during': 314826, 'hoarding during the': 399269, '19 pandemic buying': 9279, 'pandemic buying too': 635068, 'too much food': 924921, 'much food at': 544897, 'grocery store strain': 365816, 'store strain the': 810419, 'supply chain amp': 824902, 'chain amp cause': 170450, 'amp cause shortage': 53508, 'cause shortage for': 167729, 'shortage for food': 764961, 'bank amp pantry': 109599, 'visualization': 959642, 'new good': 558815, 'good visualization': 357936, 'visualization for': 959643, 'changing spending': 172800, 'habit in': 372634, 'of check': 581302, 'our article': 622120, 'here well': 393794, 'new good visualization': 558816, 'good visualization for': 357937, 'visualization for changing': 959644, 'for changing spending': 320017, 'changing spending habit': 172801, 'spending habit in': 788836, 'habit in the': 372639, 'age of check': 37862, 'of check out': 581303, 'out our article': 626966, 'our article on': 622121, 'article on it': 94408, 'on it here': 601667, 'it here well': 458576, 'civilwar': 179617, 'credit dry': 216380, 'dry up': 261309, 'employer no': 274529, 'layoff demand': 482684, 'demand fall': 235317, 'fall consumption': 296880, 'consumption end': 199869, 'end traumatic': 276016, 'damage civilwar': 225188, 'civilwar dowjones': 179618, 'sp500 usa': 787034, 'term credit dry': 838105, 'credit dry up': 216381, 'dry up employer': 261311, 'up employer no': 944790, 'employer no money': 274530, 'bankruptcy layoff demand': 110534, 'layoff demand fall': 482685, 'demand fall consumption': 235318, 'fall consumption end': 296881, 'consumption end traumatic': 199870, 'end traumatic damage': 276017, 'traumatic damage civilwar': 930216, 'damage civilwar dowjones': 225189, 'civilwar dowjones sp500': 179619, 'dowjones sp500 usa': 256355, 'sp500 usa trump': 787035, 'usa trump sick': 948780, 'unwillingness': 944083, 'shown is': 767598, 'the unwillingness': 870481, 'unwillingness to': 944084, 'and minimize': 67048, 'contagion going': 200407, 'work doesn': 1005053, 'doesn count': 251740, 'count since': 210150, 'family 19': 297544, 'only thing the': 611318, 'thing the coronavirus': 884830, 'coronavirus ha shown': 206035, 'ha shown is': 371918, 'shown is how': 767599, 'is how selfish': 448596, 'how selfish people': 408638, 'people are all': 646921, 'are all this': 84364, 'this panic and': 889456, 'panic and bulk': 637299, 'and bulk buying': 59252, 'bulk buying the': 142284, 'buying the unwillingness': 151179, 'the unwillingness to': 870482, 'unwillingness to stop': 944085, 'out and minimize': 625678, 'and minimize the': 67049, 'of contagion going': 581810, 'contagion going to': 200408, 'to work doesn': 918710, 'work doesn count': 1005054, 'doesn count since': 251741, 'count since people': 210151, 'since people still': 770784, 'people still need': 649600, 'table for their': 831470, 'their family 19': 873243, 'saddownsomewhere': 729314, 'outchea': 628852, 'folk keep': 312201, 'keep running': 471864, 'running back': 727931, 'and forth': 63214, 'forth to': 329797, 'refrigerator in': 706814, 'house saddownsomewhere': 406538, 'saddownsomewhere got': 729315, 'got all': 358389, 'all acting': 41939, 'acting real': 29894, 'real crazy': 701085, 'crazy outchea': 215376, 'folk keep running': 312202, 'keep running back': 471866, 'running back and': 727932, 'back and forth': 106855, 'and forth to': 63215, 'forth to the': 329798, 'store like they': 808734, 'they re running': 883115, 're running to': 699409, 'to the refrigerator': 917013, 'the refrigerator in': 865410, 'refrigerator in their': 706817, 'in their house': 429749, 'their house saddownsomewhere': 873609, 'house saddownsomewhere got': 406539, 'saddownsomewhere got all': 729316, 'got all acting': 358390, 'all acting real': 41940, 'acting real crazy': 29895, 'real crazy outchea': 701086, 'covid alert': 214119, 'alert pennsylvania': 41483, 'say global': 738680, 'covid alert pennsylvania': 214122, 'alert pennsylvania grocery': 41484, 'owner say global': 632563, 'say global pandemic': 738683, 'global pandemic news': 352098, '362': 18039, 'is losing': 449457, 'mind because': 532623, 'fall down': 296893, 'down stair': 257202, 'stair kill': 793292, 'kill 00': 474318, 'uk seasonal': 938697, 'kill 17': 474320, '17 00': 4295, 'people year': 650557, 'year or': 1014893, 'or 362': 614197, '362 week': 18040, 'uk coronavirus': 938278, 'currently at': 221470, '55 keep': 20385, 'up stoppanicbuying': 946078, 'so everyone is': 776977, 'everyone is losing': 287086, 'is losing their': 449460, 'losing their mind': 503599, 'their mind because': 873974, 'mind because of': 532624, 'because of fall': 119340, 'of fall down': 583387, 'fall down stair': 296894, 'down stair kill': 257203, 'stair kill 00': 793293, 'kill 00 in': 474319, '00 in uk': 272, 'in uk seasonal': 430396, 'uk seasonal flu': 938698, 'flu kill 17': 311431, 'kill 17 00': 474321, '17 00 people': 4299, '00 people year': 425, 'people year or': 650558, 'year or 362': 1014894, 'or 362 week': 614198, '362 week in': 18041, 'the uk coronavirus': 870205, 'uk coronavirus is': 938279, 'coronavirus is currently': 206161, 'is currently at': 446985, 'currently at 55': 221473, 'at 55 keep': 97692, '55 keep your': 20386, 'keep your head': 472269, 'your head up': 1024265, 'head up stoppanicbuying': 385856, 'up stoppanicbuying stopstockpiling': 946079, 'day4': 228875, 'day4 sharing': 228876, 'sharing hope': 755534, 'day4 sharing hope': 228877, 'sharing hope it': 755535, 'hope it make': 403519, 'make you in': 510739, 'you in these': 1019323, 'stop abusing': 804418, 'abusing checkout': 27709, 'operator they': 613406, 'they did': 881914, 'not set': 571537, 'on purchase': 603010, 'purchase your': 689740, 'stupidity did': 815528, 'did that': 240837, 'that stoppanicbuying': 846510, 'please stop abusing': 660566, 'stop abusing checkout': 804421, 'abusing checkout operator': 27710, 'checkout operator they': 174973, 'operator they did': 613407, 'they did not': 881920, 'did not set': 240733, 'not set the': 571540, 'set the limit': 753486, 'the limit on': 859388, 'limit on purchase': 492423, 'on purchase your': 603015, 'purchase your own': 689742, 'your own stupidity': 1025163, 'own stupidity did': 632244, 'stupidity did that': 815529, 'did that stoppanicbuying': 240840, 'capitalise': 162702, 'carnage': 164777, 'really for': 702206, 'this tobacco': 890748, 'tobacco season': 919083, 'season the': 743446, 'induced slowdown': 435491, 'economy may': 268064, 'toll not': 923855, 'mention the': 528794, 'the tiger': 869545, 'tiger that': 895807, 'will capitalise': 992878, 'capitalise on': 162703, 'the carnage': 850429, 'carnage will': 164786, 'be not': 116124, 'while at this': 986628, 'at this really': 101253, 'this really for': 889821, 'really for price': 702207, 'for price this': 324731, 'price this tobacco': 676924, 'this tobacco season': 890749, 'tobacco season the': 919084, 'season the covid': 743447, '19 induced slowdown': 7835, 'induced slowdown in': 435492, 'global economy may': 351903, 'economy may take': 268066, 'may take it': 521558, 'it toll not': 461785, 'toll not to': 923856, 'to mention the': 910094, 'mention the tiger': 528798, 'the tiger that': 869546, 'tiger that will': 895808, 'that will capitalise': 847561, 'will capitalise on': 992879, 'capitalise on it': 162704, 'on it just': 601672, 'it just hope': 459226, 'hope the carnage': 403667, 'the carnage will': 850432, 'carnage will be': 164787, 'will be not': 992576, 'be not that': 116126, 'not that bad': 571965, 'sunflower': 818368, 'nine': 563273, 'tbilisi': 835259, 'changed are': 172437, 'are rice': 89683, 'pasta sunflower': 643818, 'sunflower oil': 818371, 'oil flour': 596799, 'flour sugar': 311164, 'sugar wheat': 817483, 'wheat buckwheat': 982976, 'buckwheat bean': 141705, 'bean milk': 118337, 'powder and': 667531, 'it product': 460497, 'product georgian': 681221, 'georgian pm': 346058, 'pm spokesperson': 661993, 'spokesperson price': 789793, 'for nine': 323881, 'nine product': 563295, 'increase tbilisi': 433094, 'product price which': 681550, 'price which will': 677515, 'which will not': 986499, 'not be changed': 568363, 'be changed are': 114050, 'changed are rice': 172438, 'are rice pasta': 89684, 'rice pasta sunflower': 721105, 'pasta sunflower oil': 643819, 'sunflower oil flour': 818372, 'oil flour sugar': 596800, 'flour sugar wheat': 311167, 'sugar wheat buckwheat': 817484, 'wheat buckwheat bean': 982977, 'buckwheat bean milk': 141706, 'bean milk powder': 118338, 'milk powder and': 531773, 'powder and it': 667532, 'and it product': 65572, 'it product georgian': 460503, 'product georgian pm': 681222, 'georgian pm spokesperson': 346059, 'pm spokesperson price': 661994, 'spokesperson price for': 789794, 'price for nine': 674013, 'for nine product': 323882, 'nine product will': 563296, 'product will not': 681862, 'not increase tbilisi': 570124, 'info should': 437581, 'should government': 766052, 'government be': 359925, 'public reaction': 688260, 'midnight lockdown': 530749, 'lockdown speech': 499944, 'speech ghana': 788396, 'ghana doesn': 349564, 'think so': 885547, 'so mass': 777725, 'mass migration': 519812, 'migration and': 531244, 'and skyrocketing': 71730, 'skyrocketing price': 773447, 'are rocking': 89735, 'info should government': 437582, 'should government be': 766053, 'government be prepared': 359926, 'the public reaction': 864850, 'public reaction to': 688262, 'reaction to midnight': 700218, 'to midnight lockdown': 910120, 'midnight lockdown speech': 530750, 'lockdown speech ghana': 499945, 'speech ghana doesn': 788397, 'ghana doesn seem': 349565, 'seem to think': 746700, 'to think so': 917383, 'think so mass': 885548, 'so mass migration': 777726, 'mass migration and': 519813, 'migration and skyrocketing': 531245, 'and skyrocketing price': 71732, 'skyrocketing price are': 773449, 'price are rocking': 672725, 'are rocking the': 89736, 'rocking the country': 724982, 'escalated': 280262, 'fell on': 303216, 'monday government': 536294, 'government escalated': 360068, 'escalated lockdown': 280266, 'global outbreak': 352060, 'outbreak that': 628696, 'ha slashed': 371966, 'slashed the': 773648, 'demand outlook': 235993, 'oil oott': 596987, 'price fell on': 673852, 'fell on monday': 303218, 'on monday government': 602167, 'monday government escalated': 536295, 'government escalated lockdown': 360069, 'escalated lockdown to': 280267, 'lockdown to curb': 500055, 'the global outbreak': 856315, 'global outbreak that': 352062, 'outbreak that ha': 628697, 'that ha slashed': 844136, 'ha slashed the': 371970, 'slashed the demand': 773649, 'the demand outlook': 853104, 'demand outlook for': 235996, 'outlook for oil': 629155, 'for oil oott': 324039, 'what shopper': 982173, 'fastest growing': 300146, 'declining commerce': 231464, 'commerce category': 188526, 'category since': 167215, 'into complete': 442471, 'complete overdrive': 192129, 'overdrive even': 631186, 'largest retailer': 480012, 'retailer on': 719261, 'planet are': 658395, 'what shopper buying': 982175, 'during the fastest': 263125, 'the fastest growing': 854971, 'fastest growing and': 300148, 'growing and declining': 367122, 'and declining commerce': 61022, 'declining commerce category': 231465, 'commerce category since': 188528, 'category since the': 167216, 'shopping ha been': 762823, 'ha been catapulted': 369742, 'catapulted into complete': 166930, 'into complete overdrive': 442473, 'complete overdrive even': 192130, 'overdrive even the': 631187, 'even the largest': 284660, 'the largest retailer': 858974, 'largest retailer on': 480013, 'retailer on the': 719263, 'the planet are': 863800, 'planet are struggling': 658396, 'florist': 311044, 'flour were': 311185, 'empty everything': 274860, 'everything else': 287765, 'else wa': 271958, 'fine bought': 307608, 'bought something': 136719, 'bakery and': 108834, 'some flower': 782845, 'flower from': 311293, 'the florist': 855437, 'florist do': 311047, 'doing financially': 252402, 'paper or paper': 640555, 'or paper towel': 616499, 'towel the pasta': 927390, 'the pasta egg': 863375, 'pasta egg and': 643712, 'egg and flour': 269765, 'and flour were': 62991, 'flour were almost': 311186, 'almost empty everything': 46605, 'empty everything else': 274861, 'everything else wa': 287778, 'else wa fine': 271959, 'wa fine bought': 962128, 'fine bought something': 307609, 'bought something from': 136720, 'from the bakery': 337607, 'the bakery and': 849200, 'bakery and some': 108836, 'and some flower': 71961, 'some flower from': 782846, 'flower from the': 311294, 'from the florist': 337703, 'the florist do': 855438, 'florist do not': 311048, 'are doing financially': 85898, 'this innovative': 888121, 'innovative pilot': 438928, 'pilot program': 656741, 'program snap': 683295, 'snap household': 776095, 'household can': 406751, 'purchase food': 689448, 'pay using': 645211, 'their ebt': 873097, 'card at': 163463, 'at pickup': 100119, 'pickup among': 655922, 'option this': 614111, 'this reduces': 889845, 'reduces shopping': 706254, 'shopping risk': 763777, 'help fulfill': 389781, 'fulfill consumer': 340401, 'keep florida': 471508, 'florida grown': 310944, 'grown product': 367292, 'product moving': 681421, 'family the': 298296, 'through this innovative': 894823, 'this innovative pilot': 888123, 'innovative pilot program': 438929, 'pilot program snap': 656742, 'program snap household': 683296, 'snap household can': 776096, 'household can purchase': 406753, 'can purchase food': 159342, 'purchase food online': 689451, 'food online and': 315617, 'online and pay': 607836, 'and pay using': 68806, 'pay using their': 645212, 'using their ebt': 950724, 'their ebt card': 873098, 'ebt card at': 266579, 'card at pickup': 163466, 'at pickup among': 100120, 'pickup among other': 655923, 'among other option': 53035, 'other option this': 620620, 'option this reduces': 614113, 'this reduces shopping': 889847, 'reduces shopping risk': 706255, 'shopping risk from': 763778, '19 help fulfill': 7497, 'help fulfill consumer': 389782, 'fulfill consumer demand': 340402, 'demand and keep': 234979, 'and keep florida': 65760, 'keep florida grown': 471509, 'florida grown product': 310946, 'grown product moving': 367293, 'product moving to': 681422, 'moving to family': 544206, 'to family the': 905661, 'family the florida': 298298, 'homo': 403024, 'nosleepgang': 567962, 'zombielife': 1027743, 'teatrees': 836021, 'product cant': 681047, 'cant stop': 162336, 'stop touching': 805232, 'hand no': 375094, 'no homo': 564440, 'homo sanitizer': 403025, 'sanitizer natural': 735393, 'natural clean': 552812, 'disinfectant disinfect': 245643, 'disinfect quarantinelife': 245567, 'quarantine nosleepgang': 692389, 'nosleepgang zombielife': 567963, 'zombielife alcohol': 1027744, 'alcohol orange': 41065, 'orange lemon': 617926, 'lemon teatrees': 486195, 'product cant stop': 681048, 'cant stop touching': 162337, 'stop touching my': 805233, 'touching my hand': 926701, 'my hand no': 548608, 'hand no homo': 375095, 'no homo sanitizer': 564441, 'homo sanitizer natural': 403026, 'sanitizer natural clean': 735394, 'natural clean disinfectant': 552813, 'clean disinfectant disinfect': 180501, 'disinfectant disinfect quarantinelife': 245644, 'disinfect quarantinelife quarantine': 245568, 'quarantinelife quarantine nosleepgang': 692990, 'quarantine nosleepgang zombielife': 692390, 'nosleepgang zombielife alcohol': 567964, 'zombielife alcohol orange': 1027745, 'alcohol orange lemon': 41066, 'orange lemon teatrees': 617927, 'life happens': 488713, 'happens is': 377484, 'providing one': 687058, 'one free': 606320, 'happens pro': 377496, 'pro our': 679122, 'consumer education': 197319, 'education platform': 268855, 'platform for': 658963, 'individual insurance': 435204, 'insurance agent': 440664, 'agent client': 38158, 'your effort': 1023623, 'response to life': 715864, 'to life happens': 909250, 'life happens is': 488714, 'happens is providing': 377485, 'is providing one': 451121, 'providing one free': 687059, 'one free month': 606321, 'free month of': 331987, 'month of life': 537901, 'of life happens': 585824, 'life happens pro': 488715, 'happens pro our': 377497, 'pro our digital': 679123, 'our digital consumer': 622752, 'digital consumer education': 242535, 'consumer education platform': 197322, 'education platform for': 268856, 'platform for individual': 658964, 'for individual insurance': 322551, 'individual insurance agent': 435205, 'insurance agent client': 440665, 'agent client need': 38159, 'client need to': 182074, 'need to hear': 555959, 'to hear from': 907404, 'hear from you': 387926, 'from you now': 338466, 'ever we hope': 285591, 'this help support': 887899, 'support your effort': 827013, 'send emergency': 749850, 'emergency cash': 272623, 'cash payment': 166298, 'payment of': 645683, 'america each': 51501, 'each month': 264121, 'month for': 537725, 'to send emergency': 914209, 'send emergency cash': 749851, 'emergency cash payment': 272624, 'cash payment of': 166300, 'payment of 00': 645684, 'of 00 to': 579296, '00 to every': 541, 'to every person': 905310, 'every person in': 286098, 'person in america': 652473, 'in america each': 420220, 'america each month': 51502, 'each month for': 264122, 'month for the': 537731, 'duration of this': 262371, 'coronavirus robocalls': 206683, 'robocalls prey': 724771, 'prey on': 672069, 'coronavirus robocalls prey': 206684, 'robocalls prey on': 724772, 'prey on consumer': 672070, 'retweetplease': 720118, '2019cov': 14054, 'viruscorona': 959090, 'protection face': 685431, 'in regular': 427355, 'price retweetplease': 676211, 'retweetplease to': 720119, 'help 2019cov': 389286, '2019cov n95masks': 14057, 'n95masks n95': 551264, 'n95 facemask': 551178, 'facemask health': 295081, 'health newspicks': 386669, 'newspicks viruscorona': 561115, 'viruscorona trump': 959097, 'trump wuhan': 933991, 'wuhan healthy': 1013497, 'protection face mask': 685432, 'face mask online': 294571, 'online in regular': 608400, 'in regular price': 427359, 'regular price retweetplease': 707845, 'price retweetplease to': 676212, 'retweetplease to help': 720120, 'to help 2019cov': 907439, 'help 2019cov n95masks': 389288, '2019cov n95masks n95': 14058, 'n95masks n95 facemask': 551265, 'n95 facemask health': 551179, 'facemask health newspicks': 295082, 'health newspicks viruscorona': 386670, 'newspicks viruscorona trump': 561116, 'viruscorona trump wuhan': 959098, 'trump wuhan healthy': 933992, 'my 80': 547192, 'slot either': 774171, 'either can': 270269, 'to prioritise': 912140, 'prioritise delivery': 678386, 'vulnerable self': 961152, 'isolating family': 455088, 'family panicbuying': 298148, 'my 80 year': 547194, 'year old parent': 1014860, 'old parent can': 598404, 'parent can leave': 641598, 'food but can': 313811, 'delivery slot either': 234520, 'slot either can': 774172, 'either can you': 270271, 'can you find': 160300, 'you find way': 1018582, 'way to prioritise': 970069, 'to prioritise delivery': 912141, 'prioritise delivery slot': 678387, 'elderly vulnerable self': 270934, 'vulnerable self isolating': 961153, 'self isolating family': 747722, 'isolating family panicbuying': 455089, 'uber for': 937816, 'business platform': 144229, 'platform designed': 658955, 'designed for': 238335, 'corporate customer': 207256, 'delivery eats': 233973, 'eats product': 266384, '20 country': 13015, 'uber for business': 937817, 'for business platform': 319841, 'business platform designed': 144230, 'platform designed for': 658956, 'designed for corporate': 238336, 'for corporate customer': 320403, 'corporate customer is': 207257, 'customer is expanding': 222537, 'expanding it food': 290506, 'it food delivery': 458053, 'food delivery eats': 314122, 'delivery eats product': 233974, 'eats product to': 266385, 'product to more': 681754, 'than 20 country': 840191, '20 country this': 13016, 'country this year': 211149, 'this year in': 891580, 'year in response': 1014654, 'response to surge': 715885, 'in demand more': 422141, 'demand more employee': 235886, 'more employee work': 539127, 'employee work from': 274460, 'joeledley': 466468, 'cpfc': 214579, 'supermarket joeledley': 821210, 'joeledley cpfc': 466469, 'when you pick': 984590, 'you pick up': 1020330, 'up the last': 946188, 'the supermarket joeledley': 868659, 'supermarket joeledley cpfc': 821211, 'removal': 710796, 'understand cole': 940610, 'cole staff': 185876, 'are scanning': 89836, 'scanning your': 740749, 'grocery why': 366143, 'why exactly': 990988, 'exactly can': 288729, 'they pack': 882860, 'pack them': 633168, 'you their': 1021619, 'haven dropped': 383795, 'dropped due': 260562, 'to removal': 913211, 'removal of': 710801, 'service coronaaustralia': 752256, 'don understand cole': 254004, 'understand cole staff': 940611, 'cole staff are': 185877, 'staff are scanning': 792204, 'are scanning your': 89839, 'scanning your grocery': 740750, 'your grocery why': 1024139, 'grocery why exactly': 366145, 'why exactly can': 990989, 'exactly can they': 288730, 'can they pack': 159978, 'they pack them': 882862, 'pack them in': 633169, 'them in bag': 875894, 'in bag for': 420662, 'bag for you': 108290, 'for you their': 328091, 'you their price': 1021620, 'their price haven': 874401, 'price haven dropped': 674475, 'haven dropped due': 383797, 'dropped due to': 260563, 'due to removal': 261924, 'to removal of': 913212, 'removal of this': 710802, 'of this service': 592034, 'this service coronaaustralia': 890051, 'deepak': 231929, 'parekh': 641555, 'leash': 484307, 'shock say': 759504, 'say bank': 738447, 'bank chairman': 109722, 'chairman deepak': 171332, 'deepak parekh': 231932, 'parekh he': 641556, 'warns price': 967282, 'may fall': 521176, '20 leaving': 13128, 'company bankrupt': 190486, 'bankrupt bank': 110489, 'bank too': 110265, 'too may': 924896, 'on tighter': 604694, 'tighter leash': 895867, 'leash post': 484310, 'may take month': 521560, 'take month for': 832336, 'economy to recover': 268293, 'from the 19': 337582, 'the 19 shock': 847930, '19 shock say': 10471, 'shock say bank': 759505, 'say bank chairman': 738448, 'bank chairman deepak': 109723, 'chairman deepak parekh': 171333, 'deepak parekh he': 231933, 'parekh he warns': 641557, 'he warns price': 385647, 'warns price may': 967283, 'price may fall': 675190, 'may fall by': 521178, 'fall by at': 296869, 'by at least': 151902, 'least 20 leaving': 484339, '20 leaving many': 13129, 'leaving many company': 485103, 'many company bankrupt': 513916, 'company bankrupt bank': 190487, 'bankrupt bank too': 110491, 'bank too may': 110266, 'too may be': 924897, 'be on tighter': 116214, 'on tighter leash': 604695, 'tighter leash post': 895869, 'leash post the': 484311, 'cordantlovespeople': 203498, 'feedbackfriday': 302442, 'say big': 738459, 'amazing cordantlovespeople': 50664, 'cordantlovespeople gratitude': 203499, 'gratitude feedbackfriday': 362368, 'today we love': 920477, 'love to say': 504854, 'to say big': 913807, 'say big thank': 738460, 'the supermarket hero': 868630, 'supermarket hero who': 820749, 'hero who are': 394166, 'are working so': 91717, 'keep our supply': 471756, 'chain running and': 171065, 'running and stock': 727906, 'and stock on': 72411, 'stock on shelf': 802562, 'on shelf you': 603415, 'shelf you all': 757844, 'are amazing cordantlovespeople': 84513, 'amazing cordantlovespeople gratitude': 50665, 'cordantlovespeople gratitude feedbackfriday': 203500, 'profound': 683148, 'having profound': 384235, 'profound impact': 683158, 'on everyday': 600630, 'everyday life': 286586, 've developed': 953044, 'developed set': 239731, 'of tracking': 592391, 'tracking and': 928319, 'and tool': 74280, 'tool that': 925441, 'used by': 949874, 'is having profound': 448334, 'having profound impact': 384238, 'profound impact on': 683159, 'impact on everyday': 417849, 'on everyday life': 600631, 'everyday life at': 286587, 'life at we': 488510, 'at we ve': 101505, 'we ve developed': 973653, 've developed set': 953045, 'developed set of': 239732, 'set of tracking': 753447, 'of tracking and': 592392, 'tracking and tool': 928320, 'and tool that': 74282, 'tool that can': 925442, 'be used by': 117913, 'used by business': 949876, 'by business to': 152029, 'to understand consumer': 917901, 'understand consumer and': 940618, 'consumer and activity': 196197, 'uniqlo': 941964, 'eyeing': 294140, 'of circuit': 581422, 'circuit breaker': 178634, 'breaker semi': 138869, 'semi lockdown': 749612, 'all uniqlo': 45316, 'uniqlo physical': 941965, 'short which': 764790, 'which mom': 986160, 'mom ha': 535738, 'been eyeing': 121123, 'eyeing is': 294143, 'so bought': 776640, 'didn expect': 241055, 'quickly hope': 694543, 'day of circuit': 228059, 'of circuit breaker': 581423, 'circuit breaker semi': 178637, 'breaker semi lockdown': 138870, 'semi lockdown all': 749613, 'lockdown all uniqlo': 499120, 'all uniqlo physical': 45317, 'uniqlo physical store': 941966, 'physical store are': 655463, 'are closed but': 85333, 'closed but their': 183030, 'but their online': 147435, 'is open the': 450581, 'open the short': 612553, 'the short which': 867086, 'short which mom': 764791, 'which mom ha': 986161, 'mom ha been': 535739, 'ha been eyeing': 369806, 'been eyeing is': 121124, 'eyeing is on': 294144, 'is on sale': 450481, 'on sale so': 603274, 'sale so bought': 732532, 'so bought it': 776641, 'bought it didn': 136612, 'it didn expect': 457538, 'didn expect to': 241057, 'expect to start': 290777, 'to start shopping': 915224, 'online so quickly': 609393, 'so quickly hope': 778104, 'quickly hope this': 694544, 'hope this covid': 403716, '19 will end': 12089, 'will end soon': 993307, 'downtime': 257731, 'warwick': 967397, 'sandown': 733709, 'say with': 739496, '19 downtime': 6644, 'downtime am': 257732, 'am back': 49918, 'back doing': 106955, 'doing rating': 252618, 'rating and': 697585, 'price warwick': 677385, 'warwick farm': 967398, 'farm sandown': 299169, 'sandown now': 733710, 'now free': 574741, 'today nsw': 919955, 'glad to say': 351531, 'to say with': 913856, 'say with all': 739497, 'all the covid': 44702, 'covid 19 downtime': 212981, '19 downtime am': 6645, 'downtime am back': 257733, 'am back doing': 49919, 'back doing rating': 106956, 'doing rating and': 252619, 'rating and price': 697586, 'and price warwick': 69486, 'price warwick farm': 677386, 'warwick farm sandown': 967399, 'farm sandown now': 299170, 'sandown now free': 733711, 'now free online': 574743, 'free online today': 332030, 'online today nsw': 609605, 'student resource': 814766, 'resource during': 714759, 'student resource during': 814767, 'resource during covid': 714760, 'slack': 773468, 'cringe': 216919, '100b': 2145, 'writte': 1012947, 'portfolio other': 665001, 'than some': 841151, 'some enterprise': 782753, 'enterprise slack': 278461, 'slack isn': 773471, 'isn zoom': 454771, 'zoom either': 1027799, 'either few': 270298, 'few consumer': 303754, 'some healthtech': 783036, 'healthtech rest': 387478, 'rest seems': 716217, 'be net': 116067, 'net negative': 557557, 'negative in': 556795, 'would cringe': 1011745, 'cringe with': 216920, 'this portfolio': 889666, 'portfolio public': 665007, 'public market': 688156, 'market investor': 516608, 'investor already': 444095, 'the 100b': 847862, '100b fund': 2146, 'fund writte': 341546, 'portfolio other than': 665002, 'other than some': 621081, 'than some enterprise': 841152, 'some enterprise slack': 782754, 'enterprise slack isn': 278462, 'slack isn zoom': 773472, 'isn zoom either': 454772, 'zoom either few': 1027800, 'either few consumer': 270299, 'few consumer and': 303755, 'consumer and some': 196246, 'and some healthtech': 71966, 'some healthtech rest': 783037, 'healthtech rest seems': 387479, 'rest seems to': 716218, 'to be net': 901404, 'be net negative': 116068, 'net negative in': 557558, 'negative in would': 556796, 'in would cringe': 430995, 'would cringe with': 1011746, 'cringe with this': 216921, 'with this portfolio': 1001718, 'this portfolio public': 889667, 'portfolio public market': 665008, 'public market investor': 688158, 'market investor already': 516609, 'investor already have': 444096, 'have the 100b': 382956, 'the 100b fund': 847863, '100b fund writte': 2147, 'march because': 515292, 'coronavirus oil': 206333, 'oil slump': 597435, 'slump un': 774715, 'un stayathomesavelives': 939299, 'food price fall': 315939, 'price fall sharply': 673796, 'in march because': 425084, 'march because of': 515293, 'because of coronavirus': 119324, 'of coronavirus oil': 581951, 'coronavirus oil slump': 206335, 'oil slump un': 597438, 'slump un stayathomesavelives': 774716, 'thankyoudoctors': 842367, 'store attendant': 806603, 'attendant thank': 102383, 'doing be': 252305, 'safe thankyoudoctors': 730014, 'grocery store attendant': 365224, 'store attendant thank': 806608, 'attendant thank you': 102384, 'for everything that': 321257, 'everything that you': 288034, 'are doing be': 85889, 'doing be safe': 252306, 'be safe thankyoudoctors': 116970, 'my exclusive': 548120, 'exclusive investigation': 289676, 'investigation about': 443859, 'about ebay': 25148, 'ebay seller': 266484, 'seller hiking': 749030, 'up baby': 944451, 'to insane': 908406, 'amid ha': 52496, 'prompted uk': 683951, 'publicly respond': 688595, 'respond amp': 715284, 'amp seller': 54458, 'to withdraw': 918647, 'withdraw their': 1002259, 'offer thanks': 594822, 'thanks mum': 842145, 'mum amp': 545868, 'amp others': 54251, 'speaking out': 787766, 'my exclusive investigation': 548121, 'exclusive investigation about': 289677, 'investigation about ebay': 443860, 'about ebay seller': 25149, 'ebay seller hiking': 266485, 'seller hiking up': 749031, 'hiking up baby': 396426, 'up baby milk': 944452, 'baby milk price': 106667, 'milk price to': 531785, 'price to insane': 677005, 'to insane price': 908407, 'insane price amid': 439060, 'price amid ha': 672313, 'amid ha prompted': 52497, 'ha prompted uk': 371558, 'prompted uk to': 683952, 'uk to publicly': 938827, 'to publicly respond': 912481, 'publicly respond amp': 688596, 'respond amp seller': 715285, 'amp seller to': 54459, 'seller to withdraw': 749102, 'to withdraw their': 918648, 'withdraw their offer': 1002260, 'their offer thanks': 874085, 'offer thanks mum': 594823, 'thanks mum amp': 842146, 'mum amp others': 545870, 'amp others for': 54252, 'others for speaking': 621413, 'for speaking out': 325805, 'our appetite': 622090, 'meat ha': 525605, 'change but': 171961, 'change other': 172212, 'other activity': 619799, 'activity that': 30504, 'more forest': 539277, 'forest land': 329081, 'land and': 479254, 'are threat': 91067, 'our survival': 625059, 'survival otherwise': 829070, 'otherwise our': 621857, 'production system': 682217, 'kill sooner': 474495, 'our appetite for': 622091, 'appetite for meat': 82234, 'for meat ha': 323360, 'meat ha to': 525608, 'ha to change': 372291, 'to change but': 902593, 'change but we': 171964, 'to change other': 902612, 'change other activity': 172213, 'other activity that': 619800, 'activity that demand': 30505, 'that demand more': 843495, 'demand more and': 235884, 'and more forest': 67171, 'more forest land': 539278, 'forest land and': 329082, 'land and which': 479255, 'and which are': 75554, 'which are threat': 985699, 'are threat to': 91068, 'threat to our': 893739, 'to our survival': 911247, 'our survival otherwise': 625060, 'survival otherwise our': 829071, 'otherwise our food': 621858, 'our food production': 623122, 'food production system': 316050, 'production system will': 682219, 'system will kill': 831383, 'will kill sooner': 993923, 'kill sooner or': 474496, 'shibley': 758121, 'worthy': 1011475, 'unwilling': 944080, 'shibley and': 758122, 'and point': 69147, 'point worthy': 662720, 'worthy of': 1011478, 'of note': 587086, 'note given': 572732, 'given no': 351061, 'available carers': 104286, 'carers have': 164587, 'doing shopping': 252649, 'client and': 181989, 'been unwilling': 122298, 'unwilling to': 944081, 'around their': 93572, 'their long': 873882, 'long working': 501864, 'shibley and point': 758123, 'and point worthy': 69148, 'point worthy of': 662721, 'worthy of note': 1011479, 'of note given': 587087, 'note given no': 572733, 'given no online': 351062, 'slot available carers': 774133, 'available carers have': 104287, 'carers have been': 164588, 'been doing shopping': 121023, 'doing shopping for': 252650, 'for client and': 320126, 'client and the': 181994, 'the supermarket have': 868624, 'have been unwilling': 379731, 'been unwilling to': 122299, 'unwilling to work': 944082, 'work around their': 1004845, 'around their long': 93575, 'their long working': 873885, 'long working and': 501865, 'working and some': 1008509, 'them are working': 875423, 'are working day': 91691, 'working day week': 1008586, 'dispatch': 246101, 'societyandculture': 781373, 'columbusohio': 186896, 'netflixparty': 557645, 'quoted in': 695015, 'the columbus': 851164, 'columbus dispatch': 186894, 'dispatch talking': 246102, 'socialdistancing societyandculture': 780713, 'societyandculture columbusohio': 781374, 'columbusohio frozen': 186897, 'frozen netflixparty': 338997, 'netflixparty consumerbehavior': 557646, 'quoted in the': 695018, 'in the columbus': 429080, 'the columbus dispatch': 851165, 'columbus dispatch talking': 186895, 'dispatch talking about': 246103, 'talking about consumer': 833960, 'about consumer behavior': 24997, 'covid 19 socialdistancing': 213828, '19 socialdistancing societyandculture': 10678, 'socialdistancing societyandculture columbusohio': 780714, 'societyandculture columbusohio frozen': 781375, 'columbusohio frozen netflixparty': 186898, 'frozen netflixparty consumerbehavior': 338998, 'jihadist': 465475, 'suicide': 817730, 'bemoaning': 126810, 'jihadist part': 465476, 'time village': 898194, 'village idiot': 957350, 'time suicide': 897781, 'suicide cult': 817731, 'cult member': 220257, 'member bemoaning': 528034, 'bemoaning food': 126811, 'panic would': 638804, 'jihadist part time': 465477, 'part time village': 642456, 'time village idiot': 898195, 'village idiot and': 957351, 'idiot and full': 413448, 'and full time': 63406, 'full time suicide': 340947, 'time suicide cult': 897782, 'suicide cult member': 817732, 'cult member bemoaning': 220258, 'member bemoaning food': 528035, 'bemoaning food shortage': 126812, 'food shortage caused': 316563, 'caused by just': 167847, 'by just imagine': 152974, 'just imagine what': 469021, 'imagine what the': 416822, 'what the panic': 982348, 'the panic would': 863231, 'panic would be': 638805, 'tuition': 935250, 'my school': 549999, 'school is': 741835, 'caused lot': 167905, 'family financial': 297794, 'financial trouble': 306621, 'trouble and': 932587, 're sympathetic': 699645, 'sympathetic to': 830782, 'your financial': 1023871, 'financial need': 306522, 'care bc': 163860, 'bc tuition': 113303, 'tuition price': 935253, 'price staying': 676637, 'staying the': 798715, 'my school is': 550001, 'school is like': 741836, 'is like we': 449340, 'like we know': 491775, 'that this covid': 846987, 'ha caused lot': 370086, 'caused lot of': 167906, 'lot of family': 504188, 'of family financial': 583404, 'family financial trouble': 297795, 'financial trouble and': 306622, 'trouble and we': 932588, 'we re sympathetic': 972981, 're sympathetic to': 699646, 'sympathetic to your': 830783, 'to your financial': 918982, 'your financial need': 1023873, 'financial need but': 306523, 'need but we': 554576, 'but we really': 147759, 'we really don': 973023, 'really don care': 702139, 'don care bc': 253420, 'care bc tuition': 163862, 'bc tuition price': 113304, 'tuition price staying': 935254, 'price staying the': 676639, 'staying the same': 798717, 'hope after': 403408, 'these 10': 879562, '10 new': 1555, 'behavior here': 124061, 'stay think': 797349, 'is onto': 450553, 'onto something': 611674, 'something just': 784958, 'hope after the': 403409, 'pandemic are these': 634951, 'are these 10': 90969, 'these 10 new': 879563, '10 new consumer': 1556, 'new consumer behavior': 558517, 'consumer behavior here': 196483, 'behavior here to': 124064, 'to stay think': 915324, 'stay think is': 797350, 'think is onto': 885314, 'is onto something': 450554, 'onto something just': 611675, 'something just remember': 784959, 'confidence and': 193814, 'chain consumer confidence': 170615, 'consumer confidence and': 196885, 'confidence and way': 193828, 'how grocery': 407939, 'employee feel': 273844, 'feel when': 302932, 'truck brings': 932737, 'brings toiletpaper': 140284, 'is how grocery': 448579, 'how grocery store': 407940, 'store employee feel': 807488, 'employee feel when': 273845, 'feel when the': 302934, 'when the truck': 984209, 'the truck brings': 870031, 'truck brings toiletpaper': 932738, 'brings toiletpaper ellendegeneres': 140285, 'expatriate': 290591, 'thorough': 891744, 'the ticket': 869535, 'of expatriate': 583310, 'expatriate include': 290592, 'include thorough': 431651, 'thorough medical': 891747, 'medical assistance': 526054, 'assistance before': 96669, 'the flight': 855403, 'flight well': 310556, 'well covid': 978127, 'of negotiation': 586931, 'negotiation since': 556955, 'have suspended': 382878, 'all flight': 42797, 'flight so': 310535, 'the ticket price': 869538, 'ticket price of': 895654, 'price of expatriate': 675449, 'of expatriate include': 583311, 'expatriate include thorough': 290593, 'include thorough medical': 431652, 'thorough medical assistance': 891748, 'medical assistance before': 526055, 'assistance before during': 96670, 'after the flight': 36316, 'the flight well': 855407, 'flight well covid': 310557, 'well covid 19': 978128, '19 test and': 11068, 'test and week': 838921, 'and week of': 75379, 'week of negotiation': 976631, 'of negotiation since': 586932, 'negotiation since most': 556956, 'since most country': 770749, 'most country have': 542218, 'country have suspended': 210742, 'have suspended all': 382879, 'suspended all flight': 829601, 'all flight so': 42799, 'flight so no': 310536, 'so no do': 777883, 'think the ticket': 885656, 'ticket price are': 895642, 'price are expensive': 672662, 'autonomous': 104060, 'research autonomous': 713681, 'autonomous checkout': 104061, 'checkout brick': 174894, 'retail go': 718146, 'go full': 353593, 'full digital': 340562, 'digital company': 242530, 'company mentioned': 190888, 'new research autonomous': 559460, 'research autonomous checkout': 713682, 'autonomous checkout brick': 104062, 'checkout brick and': 174895, 'mortar retail go': 541828, 'retail go full': 718147, 'go full digital': 353594, 'full digital company': 340563, 'digital company mentioned': 242531, 'hibinate': 394785, 'homealone': 402590, 'sobored': 779382, 'bigbox': 130128, 'an experience': 55966, 'now think': 576122, 'think might': 885395, 'might put': 531107, 'in cardboard': 421240, 'cardboard box': 163713, 'some old': 783429, 'old newspaper': 598390, 'newspaper around': 561082, 'around me': 93392, 'and hibinate': 64542, 'hibinate until': 394786, 'over homealone': 630298, 'homealone sobored': 402591, 'sobored bigbox': 779383, 'back home from': 107059, 'home from supermarket': 401272, 'from supermarket well': 337509, 'supermarket well that': 823779, 'well that wa': 978652, 'that wa an': 847272, 'wa an experience': 961532, 'an experience now': 55967, 'experience now think': 291431, 'now think might': 576123, 'think might put': 885397, 'might put myself': 531108, 'put myself in': 690705, 'myself in cardboard': 550878, 'in cardboard box': 421241, 'cardboard box with': 163716, 'box with some': 137205, 'with some old': 1000856, 'some old newspaper': 783431, 'old newspaper around': 598391, 'newspaper around me': 561083, 'around me and': 93393, 'me and hibinate': 522411, 'and hibinate until': 64543, 'hibinate until this': 394787, 'all over homealone': 43865, 'over homealone sobored': 630299, 'homealone sobored bigbox': 402592, 'coronaus': 205352, 'grocerystore worker': 366340, 'and overwhelmed': 68592, 'overwhelmed 19': 631713, '19 coronaus': 6081, 'grocerystore worker on': 366342, 'frontline of and': 338802, 'of and overwhelmed': 580172, 'and overwhelmed 19': 68593, 'overwhelmed 19 coronaus': 631714, 'funnyshirts': 341831, '2020 apocalypse': 14144, 'apocalypse via': 81573, 'via shirt': 956235, 'shirt funnyshirts': 758987, 'funnyshirts toiletpaper': 341832, 'toiletpaper apocalypse': 921745, 'survived the 2020': 829332, 'the 2020 apocalypse': 848016, '2020 apocalypse via': 14145, 'apocalypse via shirt': 81574, 'via shirt funnyshirts': 956236, 'shirt funnyshirts toiletpaper': 758988, 'funnyshirts toiletpaper apocalypse': 341833, 'whitechapel': 987934, 'east london': 265323, 'empty soon': 275134, 'soon they': 785851, 'full crowd': 340549, 'crowd not': 219211, 'only pose': 610999, 'pose covid': 665091, 'danger but': 225637, 'also alarming': 47828, 'alarming in': 40695, 'safety price': 730692, 'double at': 255978, 'local convenience': 497857, 'and wholesaler': 75612, 'wholesaler sainsbury': 990527, 'sainsbury whitechapel': 731744, 'east london supermarket': 265326, 'london supermarket shelf': 501195, 'shelf empty soon': 757032, 'empty soon they': 275135, 'soon they are': 785852, 'they are full': 881281, 'are full crowd': 86724, 'full crowd not': 340550, 'crowd not only': 219212, 'not only pose': 570817, 'only pose covid': 611000, 'pose covid 19': 665092, '19 danger but': 6419, 'danger but they': 225639, 'are also alarming': 84438, 'also alarming in': 47829, 'alarming in term': 40696, 'of food safety': 583766, 'food safety price': 316273, 'safety price double': 730693, 'price double at': 673499, 'double at local': 255979, 'at local convenience': 99600, 'local convenience store': 497858, 'convenience store and': 202340, 'store and wholesaler': 806402, 'and wholesaler sainsbury': 75614, 'wholesaler sainsbury whitechapel': 990528, '512': 20214, 'toiletpapermath': 923183, 'we managed': 972346, 'get roll': 347938, 'but according': 145051, 'the package': 862840, 'it equal': 457842, 'equal to': 279610, 'to 512': 899760, '512 roll': 20215, 'be all': 113550, 'all set': 44289, 'set toiletpaper': 753540, 'toiletpaper toiletpapermath': 922687, 'toiletpapermath stayhome': 923184, 'we managed to': 972347, 'to get roll': 906579, 'get roll of': 347939, 'paper but according': 639964, 'but according to': 145052, 'to the package': 916936, 'the package it': 862845, 'package it equal': 633316, 'it equal to': 457843, 'equal to 512': 279611, 'to 512 roll': 899761, '512 roll so': 20216, 'roll so we': 725506, 'so we should': 778684, 'should be all': 765549, 'be all set': 113554, 'all set toiletpaper': 44292, 'set toiletpaper toiletpapermath': 753541, 'toiletpaper toiletpapermath stayhome': 922688, 'homework': 403003, 'crowdfunding': 219378, 'wiring': 996587, 'your homework': 1024393, 'homework when': 403008, 'to donation': 904659, 'from charity': 334827, 'charity crowdfunding': 173602, 'crowdfunding site': 219379, 'site don': 771907, 'anyone rush': 80499, 'rush you': 728355, 'you into': 1019366, 'into making': 442735, 'making donation': 511029, 'donation if': 254622, 'someone want': 784742, 'want donation': 965766, 'donation in': 254625, 'cash gift': 166242, 'card wiring': 163702, 'wiring money': 996588, 'money don': 536709, 'don do': 253468, 'avoid scam do': 105256, 'scam do your': 740133, 'do your homework': 250704, 'your homework when': 1024394, 'homework when it': 403009, 'come to donation': 187567, 'to donation from': 904660, 'donation from charity': 254611, 'from charity crowdfunding': 334828, 'charity crowdfunding site': 173603, 'crowdfunding site don': 219380, 'site don let': 771909, 'don let anyone': 253688, 'let anyone rush': 486602, 'anyone rush you': 80500, 'rush you into': 728356, 'you into making': 1019367, 'into making donation': 442737, 'making donation if': 511031, 'donation if someone': 254623, 'if someone want': 414861, 'someone want donation': 784743, 'want donation in': 965767, 'donation in cash': 254626, 'in cash gift': 421286, 'cash gift card': 166243, 'gift card wiring': 349958, 'card wiring money': 163703, 'wiring money don': 996589, 'money don do': 536710, 'don do it': 253469, 'do it more': 249492, 'it more tip': 459677, 'that algeria': 842534, 'algeria could': 41633, 'could face': 209155, 'face economic': 294420, 'collapse result': 186051, 'price brought': 672959, 'expert are warning': 291789, 'warning that algeria': 967203, 'that algeria could': 842535, 'algeria could face': 41634, 'could face economic': 209156, 'face economic and': 294421, 'social collapse result': 779465, 'collapse result of': 186052, 'oil price brought': 597068, 'price brought on': 672960, 'guy well': 369215, 'well know': 978358, 'about yourselves': 27021, 'yourselves listen': 1026793, 'listen we': 494773, 'other by': 619924, 'by considering': 152175, 'considering and': 195357, 'others stay': 621658, 'healthy guy': 387650, 'guy well know': 369216, 'well know lot': 978359, 'buying for their': 150360, 'for their basic': 326801, 'basic need like': 112013, 'need like food': 555156, 'toiletry but please': 923410, 'think about yourselves': 885115, 'about yourselves listen': 27022, 'yourselves listen we': 1026794, 'listen we help': 494774, 'we help each': 972012, 'each other by': 264162, 'other by considering': 619926, 'by considering and': 152176, 'considering and thinking': 195358, 'and thinking for': 73977, 'thinking for the': 885908, 'for the good': 326462, 'the good of': 856444, 'good of others': 357483, 'of others stay': 587401, 'others stay safe': 621660, 'and healthy guy': 64389, 'unconscionable': 939868, 'local supervalu': 498625, 'supervalu going': 824362, 'home cry': 400968, 'cry because': 219856, 'abuse from': 27631, 'from some': 337336, 'it unconscionable': 461913, 'unconscionable these': 939871, 'line keeping': 493220, 'keeping stocked': 472564, 'essential consider': 280935, 'pressure they': 671239, 'under show': 940248, 'show respect': 767111, 'respect if': 715015, 'anything thank': 80891, 'some staff in': 783931, 'staff in my': 792556, 'my local supervalu': 549145, 'local supervalu going': 498626, 'supervalu going home': 824363, 'going home cry': 355199, 'home cry because': 400969, 'cry because of': 219858, 'because of abuse': 119304, 'of abuse from': 579725, 'abuse from some': 27635, 'from some customer': 337338, 'some customer it': 782648, 'customer it unconscionable': 222549, 'it unconscionable these': 461914, 'unconscionable these people': 939872, 'people are at': 646930, 'front line keeping': 338586, 'line keeping stocked': 493222, 'keeping stocked with': 472565, 'stocked with basic': 803460, 'with basic essential': 997374, 'basic essential consider': 111870, 'essential consider the': 280936, 'consider the pressure': 195143, 'the pressure they': 864301, 'pressure they are': 671240, 'they are under': 881444, 'are under show': 91285, 'under show respect': 940249, 'show respect if': 767113, 'respect if anything': 715016, 'if anything thank': 413866, 'anything thank them': 80892, 'everclear': 285613, '190': 12296, 'found himself': 330243, 'himself some': 396814, 'some alcohol': 782277, 'disinfect his': 245548, 'surface it': 828036, 'it everclear': 457868, 'everclear 190': 285614, '190 proof': 12299, 'proof but': 683989, 'hey 95': 394308, '95 ethanol': 23576, 'ethanol is': 282986, 'much higher': 544993, 'the recommended': 865352, 'recommended 60': 704771, 'and cheaper': 59778, 'the inflated': 858231, 'inflated alcohol': 437008, 'this guy just': 887791, 'guy just found': 369061, 'just found himself': 468769, 'found himself some': 330244, 'himself some alcohol': 396815, 'some alcohol to': 782278, 'alcohol to disinfect': 41148, 'to disinfect his': 904398, 'disinfect his hand': 245549, 'and surface it': 72878, 'surface it everclear': 828037, 'it everclear 190': 457869, 'everclear 190 proof': 285615, '190 proof but': 12300, 'proof but hey': 683990, 'but hey 95': 145929, 'hey 95 ethanol': 394309, '95 ethanol is': 23577, 'ethanol is much': 282987, 'is much higher': 449764, 'much higher than': 544996, 'than the recommended': 841267, 'the recommended 60': 865353, 'recommended 60 and': 704772, '60 and cheaper': 20900, 'and cheaper than': 59779, 'cheaper than the': 174281, 'than the inflated': 841249, 'the inflated alcohol': 858232, 'inflated alcohol hand': 437009, 'sanitizer price online': 735584, 'saveournurses': 737802, 'these uk': 880908, 'uk mp': 938556, 'mp putting': 544268, 'shift facing': 758286, 'facing empty': 295458, 'own life': 632087, 'others oh': 621562, 'wait saveournurses': 964186, 'saveournurses ppe': 737803, 'ppe nhsheroes': 668014, 'nhsheroes coronacrisis': 562230, 'all these uk': 45061, 'these uk mp': 880909, 'uk mp putting': 938557, 'mp putting in': 544269, 'putting in 48': 691139, 'hour shift facing': 405913, 'shift facing empty': 758287, 'facing empty supermarket': 295460, 'shelf and risking': 756759, 'their own life': 874185, 'own life to': 632089, 'help others oh': 390212, 'others oh wait': 621563, 'oh wait saveournurses': 596471, 'wait saveournurses ppe': 964187, 'saveournurses ppe nhsheroes': 737804, 'ppe nhsheroes coronacrisis': 668015, 'projected': 683558, 'trend return': 931434, 'return these': 719908, 'to negative': 910522, 'negative return': 556820, 'return currently': 719829, 'currently projected': 221639, 'projected corn': 683559, 'corn yield': 203604, 'yield are': 1016360, 'than projected': 841051, 'projected soybean': 683564, 'soybean yield': 787001, 'yield calling': 1016363, 'calling into': 156577, 'into question': 442918, 'question previously': 693702, 'previously planned': 672051, 'planned shift': 658467, 'in acre': 420004, 'from soybean': 337367, 'soybean to': 786999, 'to corn': 903518, 'corn in': 203568, 'in illinois': 423974, 'given the trend': 351164, 'the trend return': 869966, 'trend return these': 931435, 'return these price': 719909, 'these price will': 880547, 'price will lead': 677573, 'lead to negative': 483369, 'to negative return': 910527, 'negative return currently': 556822, 'return currently projected': 719830, 'currently projected corn': 221640, 'projected corn yield': 683561, 'corn yield are': 203605, 'yield are lower': 1016362, 'are lower than': 87943, 'lower than projected': 506014, 'than projected soybean': 841052, 'projected soybean yield': 683566, 'soybean yield calling': 787002, 'yield calling into': 1016364, 'calling into question': 156578, 'into question previously': 442920, 'question previously planned': 693703, 'previously planned shift': 672053, 'planned shift in': 658468, 'shift in acre': 758316, 'in acre from': 420005, 'acre from soybean': 29206, 'from soybean to': 337368, 'soybean to corn': 787000, 'to corn in': 903519, 'corn in illinois': 203569, 'granting': 362108, 'thorny': 891741, 'gh': 349538, 'allw': 46421, 'west is': 980509, 'is granting': 448177, 'granting load': 362111, 'of stimulus': 590128, 'package or': 633358, 'or aid': 614280, 'their citizen': 872782, 'these thorny': 880825, 'thorny time': 891742, 'time what': 898267, 'what gh': 981496, 'gh her': 349539, 'her leader': 392158, 'leader offering': 483503, 'offering they': 595291, 'even reduce': 284516, 'to allw': 900364, 'allw public': 46422, 'transport operator': 929916, 'operator afford': 613338, 'afford smaller': 34759, 'smaller no': 775284, 'the west is': 871395, 'west is granting': 980511, 'is granting load': 448178, 'granting load of': 362112, 'load of stimulus': 497281, 'of stimulus package': 590130, 'stimulus package or': 801584, 'package or aid': 633359, 'or aid to': 614281, 'aid to their': 39472, 'to their citizen': 917212, 'their citizen in': 872783, 'citizen in these': 178918, 'in these thorny': 429865, 'these thorny time': 880826, 'thorny time what': 891743, 'time what gh': 898271, 'what gh her': 981497, 'gh her leader': 349540, 'her leader offering': 392160, 'leader offering they': 483504, 'offering they cannot': 595292, 'they cannot even': 881705, 'cannot even reduce': 161798, 'even reduce fuel': 284517, 'price to allw': 676963, 'to allw public': 900365, 'allw public transport': 46423, 'public transport operator': 688413, 'transport operator afford': 929917, 'operator afford smaller': 613339, 'afford smaller no': 34760, 'salina': 732716, 'nob': 565958, 'in salina': 427669, 'salina ca': 732717, 'ca yesterday': 154917, 'yesterday evening': 1015721, 'evening some': 284901, 'some picked': 783564, 'picked clean': 655788, 'clean others': 180600, 'others normal': 621550, 'normal pandemic': 567247, 'supermarket nob': 821623, 'nob hill': 565959, 'hill food': 396472, 'store aisle in': 806115, 'aisle in salina': 40277, 'in salina ca': 427670, 'salina ca yesterday': 732718, 'ca yesterday evening': 154918, 'yesterday evening some': 1015724, 'evening some picked': 284902, 'some picked clean': 783565, 'picked clean others': 655789, 'clean others normal': 180601, 'others normal pandemic': 621551, 'normal pandemic supermarket': 567248, 'pandemic supermarket nob': 636599, 'supermarket nob hill': 821624, 'nob hill food': 565960, 'prognosis': 683182, 'accurate prognosis': 28908, 'prognosis made': 683189, 'made feb': 507737, 'feb many': 301652, 'many now': 514356, 'fear will': 301430, 'become global': 120005, 'pandemic commodity': 635175, 'price around': 672774, 'would slump': 1012250, 'slump supply': 774708, 'chain would': 171271, 'would break': 1011690, 'down recovery': 257140, 'recovery could': 705310, 'be slow': 117216, 'slow and': 774320, 'political effect': 663644, 'effect could': 268984, 'be dramatic': 114601, 'accurate prognosis made': 28909, 'prognosis made feb': 683190, 'made feb many': 507738, 'feb many now': 301653, 'many now fear': 514357, 'now fear will': 574674, 'fear will become': 301431, 'will become global': 992795, 'become global pandemic': 120007, 'global pandemic commodity': 352076, 'pandemic commodity price': 635176, 'commodity price around': 189261, 'price around the': 672776, 'world would slump': 1010207, 'would slump supply': 1012251, 'slump supply chain': 774709, 'supply chain would': 825073, 'chain would break': 171273, 'would break down': 1011691, 'break down recovery': 138708, 'down recovery could': 257141, 'recovery could be': 705311, 'could be slow': 208923, 'be slow and': 117217, 'slow and social': 774321, 'and social and': 71879, 'social and political': 779433, 'and political effect': 69174, 'political effect could': 663645, 'effect could be': 268985, 'could be dramatic': 208862, 'agitate': 38290, 'reversed': 720529, 'and agitate': 57780, 'agitate to': 38291, 'this be': 886499, 'be reversed': 116870, 'laid off during': 479018, 'pandemic sign this': 636471, 'petition and agitate': 653585, 'and agitate to': 57781, 'agitate to have': 38292, 'to have this': 907327, 'have this be': 383098, 'this be reversed': 886503, '19 varies': 11731, 'varies by': 952550, 'by age': 151775, 'age income': 37836, 'location via': 498985, 'covid 19 varies': 214017, '19 varies by': 11732, 'varies by age': 952551, 'by age income': 151776, 'age income and': 37837, 'income and location': 432282, 'and location via': 66317, 'redress': 705769, 'holidaymaker affected': 400398, '19 cancellation': 5629, 'cancellation may': 161034, 'get redress': 347902, 'redress the': 705770, 'uk european': 938335, 'european consumer': 283545, 'consumer centre': 196759, 'centre ha': 169498, 'seen surge': 747266, 'in query': 427212, 'query from': 693456, 'from concerned': 334943, 'concerned holidaymaker': 193202, 'holidaymaker looking': 400404, 'their cancelled': 872710, 'cancelled holiday': 161121, 'holiday read': 400352, 'holidaymaker affected by': 400399, 'covid 19 cancellation': 212757, '19 cancellation may': 5630, 'cancellation may get': 161035, 'may get redress': 521208, 'get redress the': 347903, 'redress the uk': 705771, 'the uk european': 870213, 'uk european consumer': 938336, 'european consumer centre': 283547, 'consumer centre ha': 196760, 'centre ha seen': 169499, 'ha seen surge': 371846, 'seen surge in': 747267, 'surge in query': 828204, 'in query from': 427213, 'query from concerned': 693457, 'from concerned holidaymaker': 334945, 'concerned holidaymaker looking': 193203, 'holidaymaker looking for': 400405, 'looking for refund': 502892, 'for refund for': 325060, 'refund for their': 706914, 'for their cancelled': 326807, 'their cancelled holiday': 872711, 'cancelled holiday read': 161124, 'holiday read in': 400353, 'read in full': 700370, 'sag': 730881, 'the slump': 867350, 'that investment': 844533, 'investment will': 444084, 'will contract': 993024, 'contract sharply': 201695, 'sharply this': 755770, 'year especially': 1014549, 'and export': 62524, 'export growth': 292645, 'will sag': 994735, 'combination of the': 187109, 'coronavirus epidemic and': 205878, 'and the slump': 73587, 'the slump in': 867351, 'slump in global': 774694, 'price mean that': 675214, 'mean that investment': 524680, 'that investment will': 844534, 'investment will contract': 444086, 'will contract sharply': 993026, 'contract sharply this': 201696, 'sharply this year': 755771, 'this year especially': 891572, 'year especially in': 1014550, 'in the energy': 429169, 'energy sector and': 276575, 'sector and export': 744082, 'and export growth': 62529, 'export growth will': 292646, 'growth will sag': 367487, 'worker sanitation': 1007731, 'and bodega': 59039, 'bodega worker': 133793, 'time truly': 898136, 'truly appreciate': 933257, 'and dedication': 61037, 'dedication during': 231774, 'time please': 897489, 'all the medical': 44825, 'medical worker sanitation': 526510, 'worker sanitation worker': 1007733, 'sanitation worker supermarket': 733878, 'worker supermarket and': 1007853, 'supermarket and bodega': 818943, 'and bodega worker': 59040, 'bodega worker and': 133794, 'other essential personnel': 620171, 'essential personnel during': 281385, 'personnel during this': 653105, 'this time truly': 890706, 'time truly appreciate': 898137, 'truly appreciate your': 933258, 'appreciate your hard': 82798, 'work and dedication': 1004772, 'and dedication during': 61038, 'dedication during these': 231775, 'difficult time please': 242304, 'time please be': 897490, 'please be safe': 659712, 'our mental': 623908, 'health throughout': 386909, 'throughout difficult': 894935, 'important don': 418785, 'become anxious': 119927, 'situation over': 772434, 'over which': 630924, 'no control': 563894, 'others deal': 621355, 'caring for our': 164716, 'for our mental': 324271, 'our mental health': 623909, 'mental health throughout': 528651, 'health throughout difficult': 386910, 'throughout difficult time': 894936, 'time is so': 897063, 'so important don': 777374, 'important don become': 418786, 'don become anxious': 253379, 'become anxious about': 119928, 'anxious about situation': 78829, 'about situation over': 26204, 'situation over which': 772435, 'over which you': 630925, 'which you have': 986533, 'have no control': 381620, 'no control if': 563897, 'control if people': 202024, 'if people are': 414607, 'buy more than': 148974, 'than they are': 841297, 'they are allowed': 881197, 'supermarket let others': 821297, 'let others deal': 486955, 'others deal with': 621356, 'deal with it': 229556, 'uae shopper': 937774, 'shopper notice': 761627, 'notice hike': 573281, 'in fruit': 423141, 'uae shopper notice': 937775, 'shopper notice hike': 761628, 'notice hike in': 573282, 'hike in fruit': 396219, 'in fruit and': 423142, 'low paid': 505476, 'paid are': 633972, 'pandemic risking': 636368, 'health aide': 386105, 'aide child': 39496, 'cashier many': 166566, 'also at': 47891, 'poverty according': 667476, 'low paid are': 505477, 'paid are on': 633973, 'the pandemic risking': 863083, 'pandemic risking their': 636369, 'their health home': 873518, 'health home health': 386503, 'home health aide': 401353, 'health aide child': 386106, 'aide child care': 39497, 'store cashier many': 806890, 'cashier many of': 166567, 'many of them': 514392, 'them are also': 875414, 'are also at': 84440, 'also at risk': 47892, 'risk of living': 723761, 'in poverty according': 426876, 'poverty according to': 667477, 'eveyone': 288295, 'fiver': 309697, 'eveyone should': 288296, 'should donate': 765939, 'donate fiver': 254177, 'fiver to': 309700, 'social fund': 779788, 'fund of': 341467, 'hospital school': 404600, 'school supermarket': 741937, 'supermarket any': 819124, 'key institution': 473330, 'line right': 493376, 'have wicked': 383593, 'wicked party': 991676, 'party when': 643061, 'eveyone should donate': 288297, 'should donate fiver': 765941, 'donate fiver to': 254178, 'fiver to the': 309701, 'to the social': 917074, 'the social fund': 867413, 'social fund of': 779789, 'fund of their': 341470, 'of their local': 591677, 'their local hospital': 873872, 'local hospital school': 498091, 'hospital school supermarket': 404602, 'school supermarket any': 741938, 'supermarket any of': 819126, 'the many other': 860047, 'many other key': 514432, 'other key institution': 620458, 'key institution or': 473331, 'institution or business': 440470, 'or business on': 614606, 'business on the': 144139, 'front line right': 338599, 'line right now': 493377, 'right now so': 722138, 'now so their': 575852, 'so their staff': 778448, 'their staff can': 874792, 'staff can all': 792292, 'all have wicked': 43065, 'have wicked party': 383594, 'wicked party when': 991677, 'party when this': 643062, 'india changed': 434340, 'changed online': 172520, 'pattern while': 644525, 'delivery took': 234685, 'took massive': 925279, 'massive hit': 520037, 'people preferred': 649176, 'preferred to': 669816, 'minimize their': 533133, 'their exposure': 873212, 'maintain read': 509022, 'onset of in': 611548, 'of in india': 585028, 'in india changed': 424026, 'india changed online': 434341, 'changed online shopping': 172521, 'online shopping pattern': 609219, 'shopping pattern while': 763611, 'pattern while food': 644526, 'while food delivery': 986847, 'food delivery took': 314156, 'delivery took massive': 234686, 'took massive hit': 925280, 'massive hit people': 520039, 'hit people preferred': 398373, 'people preferred to': 649177, 'preferred to buy': 669817, 'buy grocery online': 148755, 'grocery online just': 364781, 'online just to': 608455, 'just to minimize': 470097, 'to minimize their': 910170, 'minimize their exposure': 533134, 'their exposure and': 873213, 'exposure and maintain': 292958, 'and maintain read': 66527, 'maintain read more': 509023, 'emergency store': 272994, 'everyone is closed': 287071, 'closed but we': 183031, 'but we remain': 147760, 'we remain open': 973072, 'remain open because': 709801, 'open because we': 612122, 'we are an': 970477, 'are an emergency': 84534, 'an emergency store': 55690, 'emergency store thank': 272995, 'store thank your': 810538, 'thank your retail': 841855, 'your retail worker': 1025611, 'retail worker pandemic': 718902, 'worker pandemic socialdistancing': 1007542, 'pandemic socialdistancing retail': 636503, 'betty': 128649, 'pie': 656242, 'betty favourite': 128655, 'favourite pie': 300607, 'pie facing': 656247, 'facing these': 295627, 'feel wrong': 302939, 'some odds': 783385, 'odds end': 579209, 'end thrown': 275995, 'thrown together': 895154, 'together can': 920737, 'become long': 120049, 'long standing': 501650, 'standing family': 793765, 'family favourite': 297780, 'betty favourite pie': 128656, 'favourite pie facing': 300608, 'pie facing these': 656248, 'facing these uncertain': 295628, 'uncertain time with': 939632, 'threat of shortage': 893700, 'of shortage in': 589682, 'supermarket it feel': 821167, 'it feel wrong': 457978, 'feel wrong to': 302942, 'wrong to waste': 1013135, 'to waste food': 918368, 'waste food some': 968125, 'food some odds': 316689, 'some odds end': 783386, 'odds end thrown': 579210, 'end thrown together': 275996, 'thrown together can': 895155, 'together can become': 920738, 'can become long': 157733, 'become long standing': 120050, 'long standing family': 501652, 'standing family favourite': 793766, 'number off': 577018, 'off case': 593722, 'of deliberate': 582483, 'deliberate contamination': 232943, 'contamination can': 200706, 'driver will': 259856, 'delivering covid': 233481, '19 along': 4917, 'grocery very': 366101, 'easy thing': 265771, 'do take': 250205, 'precaution with': 669404, 'we have already': 971753, 'have already seen': 379201, 'already seen number': 47638, 'seen number off': 747159, 'number off case': 577019, 'off case of': 593723, 'case of deliberate': 165900, 'of deliberate contamination': 582484, 'deliberate contamination can': 232944, 'contamination can we': 200707, 'can we expect': 160172, 'we expect that': 971500, 'expect that supermarket': 290741, 'that supermarket delivery': 846567, 'delivery driver will': 233957, 'driver will now': 259857, 'now be delivering': 574196, 'be delivering covid': 114404, 'delivering covid 19': 233482, 'covid 19 along': 212613, '19 along with': 4918, 'with the grocery': 1001321, 'the grocery very': 856833, 'grocery very easy': 366102, 'very easy thing': 955136, 'easy thing to': 265772, 'to do take': 904565, 'do take precaution': 250206, 'take precaution with': 832517, 'precaution with what': 669405, 'with what is': 1002069, 'what is delivered': 981687, 'saveourgrowers': 737799, 'growyourown': 367498, 'saveourgrowers government': 737800, 'support garden': 826540, 'garden supply': 343623, 'supply grower': 825338, 'grower business': 367096, 'business slump': 144390, 'to bailout': 901003, 'bailout plus': 108652, 'plus encouragement': 661594, 'encouragement to': 275682, 'out edible': 626001, 'edible stock': 268559, 'from garden': 335595, 'garden growyourown': 343597, 'saveourgrowers government is': 737801, 'government is being': 360245, 'is being called': 446067, 'being called to': 124915, 'called to support': 156476, 'to support garden': 915933, 'support garden supply': 826541, 'garden supply grower': 343625, 'supply grower business': 825339, 'grower business slump': 367097, 'business slump due': 144391, 'due to bailout': 261708, 'to bailout plus': 901004, 'bailout plus encouragement': 108653, 'plus encouragement to': 661595, 'encouragement to hand': 275683, 'hand out edible': 375160, 'out edible stock': 626003, 'edible stock to': 268560, 'stock to boost': 802988, 'to boost food': 901919, 'boost food supply': 134956, 'supply from garden': 825289, 'from garden growyourown': 335597, 'aware scammer': 105654, 'be aware scammer': 113779, 'aware scammer are': 105655, 'concession': 193280, 'continuity': 201580, 'consumer south': 199026, 'is dedicated': 447066, 'the voice': 870942, 'the south': 867504, 'african consumer': 35183, 'corporate south': 207338, 'given various': 351201, 'various concession': 952589, 'concession to': 193283, 'ensure business': 277896, 'business continuity': 143577, 'consumer south africa': 199027, 'south africa this': 786662, 'africa this website': 35148, 'website is dedicated': 975319, 'is dedicated to': 447067, 'dedicated to the': 231750, 'to the voice': 917173, 'the voice of': 870943, 'voice of the': 959993, 'of the south': 591480, 'the south african': 867505, 'south african consumer': 786673, 'african consumer during': 35184, '19 pandemic corporate': 9301, 'pandemic corporate south': 635236, 'corporate south africa': 207339, 'africa ha been': 35081, 'ha been given': 369815, 'been given various': 121214, 'given various concession': 351202, 'various concession to': 952590, 'concession to ensure': 193284, 'to ensure business': 905144, 'ensure business continuity': 277897, 'what legend': 981812, 'legend this': 485938, 'almost 30': 46498, 'his total': 397868, 'total wealth': 926271, 'wealth he': 974166, 'previously donated': 672035, 'donated 100': 254297, 'to america': 900409, 'america food': 51521, 'food fund': 314637, 'fund now': 341465, 'relief and': 709274, 'and square': 72168, 'square stock': 791490, 'rose 12': 726038, 'to 56': 899770, '56 60': 20449, 'share raising': 755195, 'it donation': 457665, 'than 12': 840173, '12 billion': 2825, 'what legend this': 981813, 'legend this is': 485939, 'this is almost': 888170, 'is almost 30': 445494, 'almost 30 of': 46500, '30 of his': 17141, 'of his total': 584668, 'his total wealth': 397869, 'total wealth he': 926272, 'wealth he previously': 974167, 'he previously donated': 385305, 'previously donated 100': 672036, 'donated 100 00': 254298, '00 to america': 538, 'to america food': 900410, 'america food fund': 51523, 'food fund now': 314639, 'fund now billion': 341466, 'now billion for': 574257, 'billion for covid': 130818, '19 relief and': 10076, 'relief and square': 709279, 'and square stock': 72169, 'square stock price': 791491, 'stock price rose': 802748, 'price rose 12': 676262, 'rose 12 to': 726039, '12 to 56': 2966, 'to 56 60': 899771, '56 60 per': 20450, '60 per share': 20988, 'per share raising': 651011, 'share raising the': 755196, 'raising the value': 696147, 'value of it': 952165, 'of it donation': 585386, 'it donation to': 457666, 'donation to more': 254712, 'more than 12': 540546, 'than 12 billion': 840175, 'personality': 653009, 'reality in': 701745, 'which professional': 986243, 'athlete movie': 101770, 'movie actor': 543982, 'actor reality': 30593, 'reality tv': 701810, 'tv personality': 936151, 'personality and': 653010, 'pop singer': 664461, 'singer are': 771180, 'people delivery': 647624, 'stacker and': 792002, 'few are': 303715, 'new superheroes': 559690, 'it new reality': 459793, 'new reality in': 559399, 'reality in which': 701748, 'in which professional': 430864, 'which professional athlete': 986244, 'professional athlete movie': 682425, 'athlete movie actor': 101771, 'movie actor reality': 543983, 'actor reality tv': 30594, 'reality tv personality': 701812, 'tv personality and': 936152, 'personality and pop': 653011, 'and pop singer': 69199, 'pop singer are': 664462, 'singer are not': 771181, 'are not the': 88484, 'important people delivery': 418918, 'people delivery driver': 647625, 'delivery driver grocery': 233914, 'driver grocery shelf': 259589, 'grocery shelf stacker': 364957, 'shelf stacker and': 757553, 'stacker and healthcare': 792004, 'worker to name': 1008014, 'name few are': 551629, 'few are the': 303716, 'the new superheroes': 861564, 'intensely': 441088, 'frenzy namaka': 332786, 'namaka consumer': 551580, 'consumer supermarket': 199175, 'the rain': 865112, 'rain continues': 695735, 'continues intensely': 201406, 'buying frenzy namaka': 150379, 'frenzy namaka consumer': 332787, 'namaka consumer supermarket': 551581, 'consumer supermarket panic': 199176, 'supermarket panic set': 821904, 'set in the': 753406, 'in the rain': 429496, 'the rain continues': 865114, 'rain continues intensely': 695737, 'used2': 950131, 'prioritised4': 678411, 'due2': 262042, 'some1 used2': 784247, 'used2 know': 950132, 'know had': 476407, 'their nh': 874060, 'badge ripped': 108130, 'customer wa': 223021, 'wa punched': 963010, 'punched in': 689178, 'head by': 385726, 'they didnt': 881937, 'didnt see': 241272, 'why fucking': 991004, 'fucking nh': 339958, 'nh should': 562062, 'get prioritised4': 347841, 'prioritised4 grocery': 678412, 'grocery wait': 366111, 'until ve': 943917, 'got covid': 358509, 'there arent': 878192, 'arent enough': 92614, 'enough nurse': 277535, 'nurse doc': 577279, 'doc due2': 250738, 'due2 sickness': 262043, 'some1 used2 know': 784248, 'used2 know had': 950133, 'know had their': 476408, 'had their nh': 373636, 'their nh badge': 874061, 'nh badge ripped': 561899, 'badge ripped off': 108131, 'off by customer': 593707, 'by customer wa': 152284, 'customer wa punched': 223026, 'wa punched in': 963011, 'punched in the': 689179, 'in the back': 429001, 'of the head': 591096, 'the head by': 857162, 'head by another': 385727, 'by another supermarket': 151868, 'another supermarket because': 77884, 'supermarket because they': 819337, 'because they didnt': 119697, 'they didnt see': 881938, 'didnt see why': 241274, 'see why fucking': 746075, 'why fucking nh': 991005, 'fucking nh should': 339959, 'nh should get': 562064, 'should get prioritised4': 766031, 'get prioritised4 grocery': 347842, 'prioritised4 grocery wait': 678413, 'grocery wait until': 366112, 'wait until ve': 964247, 'until ve got': 943918, 've got covid': 953173, 'got covid 19': 358510, '19 and there': 5122, 'and there arent': 73830, 'there arent enough': 878193, 'arent enough nurse': 92615, 'enough nurse doc': 277536, 'nurse doc due2': 577280, 'doc due2 sickness': 250739, 'sympathize': 830788, 'unsold': 943500, 'stelvio': 799455, 'sympathize with': 830789, 'our italian': 623588, 'italian ally': 462679, 'ally affected': 46425, 'when do': 983348, 'drop price': 260370, 'the unsold': 870465, 'unsold stelvio': 943505, 'stelvio news': 799458, 'sympathize with our': 830790, 'with our italian': 1000000, 'our italian ally': 623589, 'italian ally affected': 462680, 'ally affected by': 46426, 'affected by but': 34305, 'by but when': 152033, 'but when do': 147813, 'when do you': 983353, 'you think they': 1021680, 'think they ll': 885683, 'they ll drop': 882595, 'll drop price': 496725, 'drop price to': 260377, 'price to move': 677017, 'to move the': 910320, 'move the unsold': 543739, 'the unsold stelvio': 870466, 'unsold stelvio news': 943507, 'these cleaning': 879765, 'product wet': 681826, 'wet wipe': 980757, 'wipe toilet': 996402, 'wash are': 967437, 'avoid but': 105020, 'still eating': 800471, 'eating junk': 266240, 'healthy stay': 387773, 'clean stay': 180635, 'and positive': 69205, 'positive don': 665298, 'these people buying': 880427, 'all these cleaning': 45025, 'these cleaning product': 879766, 'cleaning product wet': 181041, 'product wet wipe': 681827, 'wet wipe toilet': 980765, 'wipe toilet paper': 996403, 'paper hand wash': 640251, 'hand wash are': 375919, 'wash are trying': 967438, 'trying to be': 934770, 'to be clean': 901166, 'be clean and': 114097, 'clean and trying': 180471, 'to avoid but': 900872, 'avoid but yet': 105022, 'but yet they': 147970, 'yet they are': 1016271, 'are still eating': 90418, 'still eating junk': 800472, 'eating junk food': 266241, 'junk food stay': 468039, 'food stay healthy': 316753, 'stay healthy stay': 796921, 'healthy stay clean': 387774, 'stay clean stay': 796835, 'clean stay calm': 180636, 'stay calm and': 796804, 'calm and positive': 156693, 'and positive don': 69207, 'positive don panic': 665299, 'ftcscambingo': 339475, 'ever spot': 285513, 'with ftcscambingo': 998576, 'than ever spot': 840610, 'ever spot the': 285514, 'the scam with': 866422, 'scam with ftcscambingo': 740484, 'you letting': 1019597, 'whoever posted this': 990109, 'posted this on': 666582, 'appreciate you letting': 82786, 'you letting others': 1019598, 'not bother': 568595, 'bother to': 136127, 'very long': 955329, 'queue inside': 693965, 'and outside': 68549, 'of around': 580369, 'would wait': 1012376, 'wait ho': 964129, 'do not bother': 249683, 'not bother to': 568599, 'bother to grocery': 136129, 'to grocery shop': 907008, 'grocery shop during': 364970, 'shop during covid': 760117, '19 crisis if': 6262, 'crisis if there': 217516, 'an online grocery': 56619, 'grocery shopping there': 365092, 'there is very': 878650, 'is very long': 453681, 'very long queue': 955334, 'long queue inside': 501582, 'queue inside the': 693967, 'inside the supermarket': 439422, 'supermarket and outside': 819033, 'and outside the': 68552, 'supermarket is very': 821135, 'very long line': 955333, 'long line of': 501500, 'line of around': 493292, 'of around 00': 580370, '00 people who': 422, 'who would wait': 990064, 'would wait ho': 1012377, 'that require': 846004, 'require very': 713339, 'policy prescription': 663469, 'crisis that require': 218154, 'that require very': 846007, 'require very unusual': 713340, 'unusual policy prescription': 943993, 'listen you': 494775, 'listen you people': 494777, 'you people you': 1020326, 'people you all': 650567, 'need to wake': 556113, 'wake up you': 964632, 'up you are': 946722, 'you are out': 1017192, 'out of time': 626859, 'hoax you': 399753, 'shop all': 759814, 'want with': 966175, 'with hundred': 998914, 'cannot sit': 162101, 'restaurant calling': 716351, 'hoax you can': 399754, 'you can shop': 1017781, 'can shop all': 159598, 'shop all you': 759816, 'you want with': 1022165, 'want with hundred': 966176, 'with hundred of': 998916, 'store but you': 806820, 'but you cannot': 147979, 'you cannot sit': 1017878, 'cannot sit in': 162102, 'sit in restaurant': 771827, 'in restaurant calling': 427429, 'bilateral': 130456, 'assessing': 96372, 'retaliatory': 719624, 'main point': 508791, 'point here': 662506, 'overall trade': 631040, 'trade data': 928470, 'the bilateral': 849687, 'bilateral trade': 130459, 'data when': 226492, 'when assessing': 983188, 'assessing the': 96377, 'many retaliatory': 514651, 'retaliatory tariff': 719625, 'tariff and': 834591, 'on serious': 603374, 'serious note': 751434, 'had huge': 373193, 'canada lobster': 160487, 'lobster trade': 497653, 'main point here': 508793, 'point here is': 662509, 'here is that': 393252, 'at the overall': 101044, 'the overall trade': 862770, 'overall trade data': 631041, 'trade data not': 928472, 'just the bilateral': 469994, 'the bilateral trade': 849688, 'bilateral trade data': 130460, 'trade data when': 928473, 'data when assessing': 226493, 'when assessing the': 983189, 'assessing the impact': 96378, 'impact of many': 417785, 'of many retaliatory': 586185, 'many retaliatory tariff': 514652, 'retaliatory tariff and': 719626, 'tariff and on': 834592, 'and on serious': 68067, 'on serious note': 603375, 'serious note covid': 751435, 'ha had huge': 370789, 'had huge impact': 373194, 'impact on canada': 417829, 'on canada lobster': 599794, 'canada lobster trade': 160488, 'lobster trade price': 497654, 'trade price are': 928554, 'price are now': 672707, 'sanauto': 733596, 'spraying': 790371, 'coronafighters': 204941, 'sanauto for': 733597, 'for spraying': 325834, 'spraying sanitizer': 790378, 'sanitizer coronafighters': 734696, 'sanauto for spraying': 733598, 'for spraying sanitizer': 325835, 'spraying sanitizer coronafighters': 790379, 'tv9': 936228, 'homeneeds': 402870, 'respected team': 715118, 'team tv9': 835812, 'tv9 requesting': 936229, 'requesting you': 713286, 'of homeneeds': 584730, 'homeneeds very': 402871, 'in bangalore': 420689, 'bangalore the': 109464, 'bangalore were': 109466, 'charging too': 173528, 'much due': 544846, 'it something': 461169, 'do by': 249168, 'of karnataka': 585585, 'karnataka otherwise': 470961, 'otherwise people': 621859, 'respected team tv9': 715119, 'team tv9 requesting': 835813, 'tv9 requesting you': 936230, 'requesting you that': 713288, 'you that the': 1021578, 'price of homeneeds': 675470, 'of homeneeds very': 584731, 'homeneeds very high': 402872, 'very high in': 955230, 'high in bangalore': 395120, 'in bangalore the': 420691, 'bangalore the merchant': 109465, 'the merchant in': 860493, 'merchant in bangalore': 529022, 'in bangalore were': 420692, 'bangalore were charging': 109467, 'were charging too': 979432, 'charging too much': 173529, 'too much due': 924919, 'much due to': 544847, '19 so please': 10649, 'so please make': 778024, 'please make it': 660221, 'make it something': 510056, 'it something to': 461170, 'to do by': 904492, 'do by government': 249169, 'by government of': 152712, 'government of karnataka': 360398, 'of karnataka otherwise': 585586, 'karnataka otherwise people': 470962, 'plunging global': 661535, 'market drove': 516315, 'drove consumer': 260787, 'confidence today': 193967, 'low according': 505104, 'to survey': 916011, 'pandemic and plunging': 634891, 'and plunging global': 69135, 'plunging global financial': 661536, 'financial market drove': 306503, 'market drove consumer': 516316, 'drove consumer confidence': 260788, 'consumer confidence today': 196926, 'confidence today to': 193968, 'today to two': 920374, 'to two year': 917871, 'two year low': 937406, 'year low according': 1014706, 'low according to': 505105, 'according to survey': 28594, 'trump move': 933712, 'slash pay': 773580, 'of guest': 584382, 'guest farmworkers': 368156, 'farmworkers amid': 299687, 'move 1st': 543593, '1st reported': 12788, 'by npr': 153378, 'npr friday': 576620, 'friday is': 333240, 'is cruel': 446967, 'cruel attack': 219668, 'vulnerable worker': 961264, 'worker currently': 1006717, 'currently risking': 221657, 'own health': 632054, 'amp safety': 54427, 'stock grocery': 802209, 'amp put': 54357, 'on american': 599298, 'american table': 52239, 'trump move to': 933713, 'move to slash': 543765, 'to slash pay': 914722, 'slash pay of': 773581, 'pay of guest': 645011, 'of guest farmworkers': 584383, 'guest farmworkers amid': 368157, 'farmworkers amid covid': 299688, 'the move 1st': 861082, 'move 1st reported': 543594, '1st reported by': 12789, 'reported by npr': 712466, 'by npr friday': 153379, 'npr friday is': 576621, 'friday is cruel': 333242, 'is cruel attack': 446969, 'cruel attack on': 219669, 'attack on vulnerable': 102137, 'on vulnerable worker': 605079, 'vulnerable worker currently': 961265, 'worker currently risking': 1006718, 'currently risking their': 221658, 'their own health': 874183, 'own health amp': 632055, 'health amp safety': 386122, 'amp safety to': 54429, 'safety to help': 730774, 'help stock grocery': 390578, 'stock grocery store': 802210, 'store amp put': 806181, 'amp put food': 54358, 'food on american': 315590, 'on american table': 599302, 'an illinois': 56159, 'illinois supermarket': 416311, 'than dozen': 840525, 'dozen people': 257910, 'people must': 648802, 'must quarantine': 546827, 'quarantine after': 691995, 'after customer': 35523, 'coronavirus entered': 205875, 'an illinois supermarket': 56160, 'illinois supermarket is': 416312, 'closed and more': 182988, 'and more than': 67220, 'more than dozen': 540611, 'than dozen people': 840526, 'dozen people must': 257912, 'people must quarantine': 648804, 'must quarantine after': 546828, 'quarantine after customer': 691997, 'after customer with': 35526, 'customer with coronavirus': 223101, 'with coronavirus entered': 997800, 'coronavirus entered the': 205876, 'entered the store': 278378, 'doug': 256242, 'ford': 328756, 'eb': 266406, 'premier doug': 669893, 'doug ford': 256248, 'ford blast': 328765, 'blast eb': 132410, 'eb game': 266407, 'opening to': 612934, 'sell new': 748805, 'premier doug ford': 669894, 'doug ford blast': 256250, 'ford blast eb': 328766, 'blast eb game': 132411, 'eb game for': 266409, 'game for opening': 343174, 'for opening to': 324139, 'opening to sell': 612936, 'to sell new': 914163, 'sell new video': 748806, 'new video game': 559828, 'interest always': 441327, 'always priority': 49697, 'you news': 1020086, 'for cutting': 320521, 'will aid': 992223, 'consumer interest always': 197904, 'interest always priority': 441328, 'always priority for': 49698, 'priority for and': 678568, 'for and thank': 319342, 'thank you news': 841785, 'you news for': 1020087, 'news for cutting': 560431, 'for cutting price': 320522, 'cutting price of': 223764, 'price of these': 675587, 'these essential item': 879973, 'item in these': 463358, 'trying time this': 934756, 'time this will': 897923, 'this will aid': 891402, 'will aid in': 992224, 'shelf remain': 757460, 'remain full': 709748, 'table during': 831464, 'the ontario': 862364, 'ontario government': 611595, 'launching new': 482066, 'new web': 559860, 'web portal': 974956, 'portal connecting': 664942, 'connecting worker': 194688, 'with employer': 998212, 'employer looking': 274522, 'need to ensure': 555920, 'ensure grocery store': 277957, 'store shelf remain': 810093, 'shelf remain full': 757461, 'remain full and': 709749, 'full and family': 340477, 'and family have': 62662, 'family have food': 297879, 'the table during': 869106, 'table during the': 831466, 'outbreak the ontario': 628718, 'the ontario government': 862365, 'ontario government is': 611596, 'government is launching': 360260, 'is launching new': 449242, 'launching new web': 482067, 'new web portal': 559861, 'web portal connecting': 974957, 'portal connecting worker': 664943, 'connecting worker with': 194689, 'worker with employer': 1008259, 'with employer looking': 998213, 'employer looking for': 274523, 'looking for job': 502877, 'if resident': 414734, 'resident ha': 714307, 'been contacted': 120883, 'contacted by': 200318, 'by scammer': 153884, 'scammer they': 740628, 'division online': 248689, 'online on': 608609, 'on form': 600966, 'form specifically': 329559, 'specifically designed': 788273, 'cover covid': 212208, 'gouging at': 359258, 'update if resident': 947027, 'if resident ha': 414735, 'resident ha been': 714308, 'ha been contacted': 369759, 'been contacted by': 120884, 'contacted by scammer': 200321, 'by scammer they': 153885, 'scammer they should': 740629, 'they should file': 883364, 'with the attorney': 1001208, 'protection division online': 685400, 'division online on': 248690, 'online on form': 608611, 'on form specifically': 600967, 'form specifically designed': 329560, 'specifically designed to': 788274, 'designed to cover': 238352, 'to cover covid': 903650, 'cover covid 19': 212209, 'price gouging at': 674259, 'unneeded': 942967, 'something wish': 785145, 'wish hadn': 996769, 'hadn discovered': 373847, 'discovered at': 244683, 'paper delivery': 640084, 'delivery chocolate': 233799, 'chocolate cashew': 177660, 'cashew unneeded': 166419, 'unneeded luxury': 942974, 'here is something': 393250, 'is something wish': 452117, 'something wish hadn': 785146, 'wish hadn discovered': 996770, 'hadn discovered at': 373848, 'discovered at the': 244684, 'waiting for toilet': 964343, 'toilet paper delivery': 921252, 'paper delivery chocolate': 640086, 'delivery chocolate cashew': 233800, 'chocolate cashew unneeded': 177661, 'cashew unneeded luxury': 166420, 'tissue issue': 899166, 'westmidland': 980685, '57': 20474, 'shoplifting': 761213, 'midland': 530728, 'unitedkingdom westmidland': 942275, 'westmidland man': 980686, 'man 57': 511967, '57 wa': 20485, 'wa arrested': 961580, 'arrested in': 93855, 'in england': 422572, 'england after': 276998, 'after deliberately': 35553, 'coughing up': 208760, 'up employee': 944786, 'employee had': 273904, 'had previously': 373423, 'previously accused': 672015, 'accused him': 28940, 'him of': 396674, 'of shoplifting': 589629, 'shoplifting the': 761214, 'west midland': 980522, 'midland police': 530735, 'unitedkingdom westmidland man': 942276, 'westmidland man 57': 980687, 'man 57 wa': 511968, '57 wa arrested': 20486, 'wa arrested in': 961585, 'arrested in england': 93856, 'in england after': 422574, 'england after deliberately': 276999, 'after deliberately coughing': 35554, 'deliberately coughing up': 232960, 'coughing up employee': 208761, 'up employee in': 944787, 'employee in supermarket': 273971, 'supermarket the employee': 823221, 'the employee had': 854259, 'employee had previously': 273909, 'had previously accused': 373424, 'previously accused him': 672016, 'accused him of': 28941, 'him of shoplifting': 396675, 'of shoplifting the': 589630, 'shoplifting the west': 761215, 'the west midland': 871396, 'west midland police': 980525, 'midland police said': 530736, 'they inevitably': 882461, 'inevitably find': 436424, 'first elderly': 308650, 'disabled person': 243946, 'person starving': 652614, 'starving at': 795244, 'home perhaps': 401842, 'sign with': 769263, 'their photo': 874295, 'photo at': 655129, 'supermarket entrance': 820179, 'entrance you': 278915, 'you helped': 1019210, 'helped kill': 391077, 'when they inevitably': 984266, 'they inevitably find': 882462, 'inevitably find the': 436425, 'find the first': 307286, 'the first elderly': 855303, 'first elderly or': 308651, 'or disabled person': 614980, 'disabled person starving': 243949, 'person starving at': 652615, 'starving at home': 795245, 'at home perhaps': 99080, 'home perhaps they': 401844, 'perhaps they could': 651650, 'could put sign': 209547, 'put sign with': 690815, 'sign with their': 769264, 'with their photo': 1001592, 'their photo at': 874296, 'photo at every': 655130, 'every supermarket entrance': 286247, 'supermarket entrance you': 820181, 'entrance you helped': 278916, 'you helped kill': 1019211, 'helped kill me': 391078, 'militarized': 531439, 'venezuela closing': 954439, 'closing pump': 183731, 'pump le': 689063, '19 few': 6977, 'few dozen': 303808, 'dozen will': 257928, 'be militarized': 115936, 'militarized and': 531440, 'operating for': 613071, 'responder food': 715459, 'utility to': 951327, 'venezuela closing pump': 954440, 'closing pump le': 183732, 'pump le demand': 689064, 'le demand amid': 482924, 'demand amid 19': 234928, 'amid 19 few': 52372, '19 few dozen': 6979, 'few dozen will': 303810, 'dozen will be': 257929, 'will be militarized': 992558, 'be militarized and': 115937, 'militarized and operating': 531441, 'and operating for': 68180, 'operating for first': 613072, 'first responder food': 308942, 'responder food and': 715460, 'food and utility': 313377, 'and utility to': 74814, 'utility to fill': 951328, 'bitterly': 131906, 'outrageously': 629344, 'exposed who': 292914, 'complain bitterly': 191852, 'bitterly about': 131907, 'how corrupt': 407616, 'corrupt our': 207665, 'have outrageously': 381852, 'outrageously increased': 629345, 'ourselves safe': 625489, 'pandemic no': 636038, 'wonder our': 1003986, 'are reflection': 89536, 'reflection of': 706665, '19 ha exposed': 7345, 'ha exposed who': 370571, 'exposed who we': 292915, 'who we are': 989938, 'we are people': 970657, 'are people and': 89022, 'people and nation': 646872, 'and nation we': 67425, 'nation we complain': 552370, 'we complain bitterly': 971157, 'complain bitterly about': 191853, 'bitterly about how': 131908, 'about how corrupt': 25428, 'how corrupt our': 407617, 'corrupt our leader': 207666, 'our leader are': 623693, 'leader are and': 483423, 'are and yet': 84556, 'and yet we': 75996, 'yet we have': 1016316, 'we have outrageously': 971890, 'have outrageously increased': 381853, 'outrageously increased the': 629346, 'of essential needed': 583181, 'essential needed to': 281327, 'keep ourselves safe': 471765, 'ourselves safe from': 625490, 'the pandemic no': 863034, 'pandemic no wonder': 636043, 'no wonder our': 565912, 'wonder our leader': 1003987, 'leader are reflection': 483428, 'are reflection of': 89537, 'reflection of our': 706666, 'cunningham': 220347, 'oldglorydistilling': 598704, 'to matt': 909896, 'matt cunningham': 520515, 'cunningham founder': 220348, 'for converting': 320345, 'converting your': 202575, 'your production': 1025448, 'production from': 682051, 'from bourbon': 334717, 'bourbon whiskey': 136902, 'whiskey to': 987783, 'sanitizer everyone': 734837, 'who purchase': 989477, 'purchase oldglorydistilling': 689590, 'oldglorydistilling tshirts': 598705, 'tshirts from': 934936, 'you to matt': 1021805, 'to matt cunningham': 909897, 'matt cunningham founder': 520516, 'cunningham founder of': 220349, 'founder of for': 330550, 'of for converting': 583857, 'for converting your': 320346, 'converting your production': 202576, 'your production from': 1025449, 'production from bourbon': 682053, 'from bourbon whiskey': 334718, 'bourbon whiskey to': 136903, 'whiskey to hand': 987784, 'hand sanitizer everyone': 375389, 'sanitizer everyone who': 734839, 'everyone who purchase': 287599, 'who purchase oldglorydistilling': 989478, 'purchase oldglorydistilling tshirts': 689591, 'oldglorydistilling tshirts from': 598706, 'hesitate': 394269, 'day job': 227858, 'reducing all': 706262, 'hour by': 405474, 'by half': 152742, 'half from': 374173, 'mean will': 524777, 'making half': 511098, 'half my': 374210, 'monthly salary': 538196, 'salary so': 731992, 'opening commission': 612815, 'commission please': 188876, 'below price': 126715, 'popular stuff': 664601, 'not hesitate': 569954, 'hesitate to': 394272, 'email me': 272234, '19 my day': 8725, 'my day job': 547947, 'day job is': 227862, 'job is reducing': 465906, 'is reducing all': 451380, 'reducing all hour': 706263, 'all hour by': 43153, 'hour by half': 405475, 'by half from': 152744, 'half from the': 374174, 'from the 1st': 337585, 'the 1st april': 847969, '1st april that': 12718, 'april that mean': 83695, 'that mean will': 845123, 'mean will only': 524778, 'only be making': 610152, 'be making half': 115888, 'making half my': 511099, 'half my monthly': 374212, 'my monthly salary': 549306, 'monthly salary so': 538197, 'salary so am': 731993, 'am opening commission': 50291, 'opening commission please': 612816, 'commission please see': 188877, 'please see the': 660457, 'see the information': 745846, 'the information below': 858255, 'information below price': 437767, 'below price for': 126717, 'most popular stuff': 542644, 'popular stuff is': 664602, 'stuff is there': 815108, 'is there do': 453006, 'do not hesitate': 249755, 'not hesitate to': 569956, 'hesitate to email': 394276, 'to email me': 905003, 'destroys': 239093, 'egg destroys': 269844, 'destroys demand': 239096, 'break egg destroys': 138716, 'egg destroys demand': 269845, 'destroys demand via': 239097, 'janeeyre': 464505, 'understand socialdistancing': 940714, 'socialdistancing but': 780258, 'milk told': 531881, 'the cast': 850507, 'cast of': 166759, 'of janeeyre': 585508, 'janeeyre 19': 464506, 'when people at': 983856, 'the supermarket don': 868559, 'supermarket don understand': 820002, 'don understand socialdistancing': 254009, 'understand socialdistancing but': 940716, 'socialdistancing but you': 780262, 'to the milk': 916880, 'the milk told': 860612, 'milk told by': 531882, 'told by and': 923536, 'by and the': 151851, 'and the cast': 73273, 'the cast of': 850508, 'cast of janeeyre': 166760, 'of janeeyre 19': 585509, 'janeeyre 19 stayhome': 464507, '6ftplease': 21625, 'run ready': 727789, 'ready 6ftplease': 700837, '6ftplease socialdistancing': 21626, 'store run ready': 809933, 'run ready 6ftplease': 727790, 'ready 6ftplease socialdistancing': 700838, 'selfish there': 748289, 'is selfish there': 451747, 'selfish there is': 748290, 'need for it': 554848, 'into top': 443247, 'top minute': 925617, 'before close': 122692, 'suddenly found': 817096, 'found myself': 330294, 'sweep except': 830123, 'except had': 289183, 'pay at': 644760, 'end quarantinelife': 275945, 'walked into top': 964962, 'into top minute': 443248, 'top minute before': 925618, 'minute before close': 533743, 'before close and': 122693, 'close and suddenly': 182542, 'and suddenly found': 72662, 'suddenly found myself': 817097, 'found myself in': 330297, 'myself in supermarket': 550881, 'supermarket sweep except': 823092, 'sweep except had': 830124, 'except had to': 289184, 'to pay at': 911514, 'pay at the': 644761, 'the end quarantinelife': 854305, 'protect human': 684854, 'human health': 410511, 'amp animal': 53394, 'animal welfare': 76681, 'welfare we': 977977, 'eu to': 283285, 'take urgent': 832773, 'against live': 37537, 'live export': 495806, 'export thank': 292711, 'for continuing': 320325, 'cover live': 212247, 'export after': 292605, 'after exposing': 35638, 'series early': 751244, 'to protect human': 912312, 'protect human health': 684855, 'human health amp': 410512, 'health amp animal': 386118, 'amp animal welfare': 53395, 'animal welfare we': 76682, 'welfare we re': 977978, 're calling on': 698409, 'calling on the': 156616, 'on the eu': 604099, 'the eu to': 854568, 'eu to take': 283287, 'to take urgent': 916257, 'take urgent action': 832774, 'urgent action against': 948311, 'action against live': 29932, 'against live export': 37538, 'live export thank': 495809, 'export thank you': 292712, 'you to amp': 1021748, 'to amp the': 900431, 'amp the for': 54651, 'the for continuing': 855667, 'for continuing to': 320327, 'continuing to cover': 201559, 'to cover live': 903655, 'cover live export': 212248, 'live export after': 495807, 'export after exposing': 292606, 'after exposing the': 35639, 'exposing the trade': 292939, 'the trade in': 869856, 'trade in series': 928510, 'in series early': 427812, 'series early this': 751245, 'great at': 362515, 'original are': 619553, 'of reach': 588766, 'still see': 801148, 'see world': 746089, 'world class': 1009423, 'class art': 180154, 'art without': 94200, 'without price': 1002855, 'online tour': 609621, 'tour of': 926929, 'these museum': 880327, 'museum 10': 546233, 'best virtual': 127980, 'virtual museum': 957762, 'museum and': 546235, 'and art': 58407, 'art gallery': 94158, 'gallery tour': 342948, 'great at home': 362517, 'home activity the': 400556, 'activity the original': 30510, 'the original are': 862483, 'original are out': 619554, 'out of reach': 626817, 'of reach for': 588768, 'reach for now': 699922, 'now but you': 574298, 'can still see': 159791, 'still see world': 801152, 'see world class': 746090, 'world class art': 1009424, 'class art without': 180155, 'art without price': 94201, 'without price with': 1002857, 'price with an': 677605, 'with an online': 997226, 'an online tour': 56640, 'online tour of': 609624, 'tour of these': 926932, 'of these museum': 591842, 'these museum 10': 880328, 'museum 10 of': 546234, 'world best virtual': 1009357, 'best virtual museum': 127981, 'virtual museum and': 957763, 'museum and art': 546236, 'and art gallery': 58408, 'art gallery tour': 94159, 'in really': 427303, 'really crappy': 702082, 'crappy mood': 214938, 'so inconsiderate': 777391, 'me in really': 522974, 'in really crappy': 427305, 'really crappy mood': 702083, 'crappy mood smh': 214939, 'smh people are': 775683, 'are so inconsiderate': 90205, 'so inconsiderate nofood': 777392, 'strategia': 812531, 'epa': 279279, 'microsure': 530521, 'strategia join': 812532, 'with fda': 998397, 'fda registered': 300908, 'registered amp': 707637, 'amp approved': 53398, 'approved label': 83168, 'label hour': 478343, 'hour defense': 405538, 'defense hand': 232133, 'amp epa': 53742, 'epa approved': 279280, 'approved microsure': 83174, 'microsure all': 530522, 'all purpose': 44099, 'purpose disinfectant': 690114, 'in effort': 422511, 'strategia join the': 812533, 'join the war': 466870, 'the war against': 871064, 'war against covid': 966341, '19 with fda': 12129, 'with fda registered': 998399, 'fda registered amp': 300909, 'registered amp approved': 707638, 'amp approved label': 53399, 'approved label hour': 83169, 'label hour defense': 478344, 'hour defense hand': 405539, 'defense hand sanitizer': 232134, 'sanitizer amp epa': 734364, 'amp epa approved': 53743, 'epa approved microsure': 279282, 'approved microsure all': 83175, 'microsure all purpose': 530523, 'all purpose disinfectant': 44101, 'purpose disinfectant in': 690116, 'disinfectant in effort': 245689, 'in effort to': 422512, 'end the spread': 275980, 'horrifying': 404171, 'airfare': 39892, 'roundtrip': 726410, 'vegasshutdown': 953901, 'and kind': 65851, 'of horrifying': 584757, 'horrifying what': 404183, 'to airfare': 900200, 'airfare price': 39897, 'at chart': 98233, 'of roundtrip': 589165, 'roundtrip from': 726411, 'from dc': 335111, 'dc to': 228980, 'to vega': 918132, 'vega amid': 953807, 'the vega': 870665, 'vega strip': 953830, 'strip being': 813815, 'being about': 124805, 'about entirely': 25176, 'entirely shut': 278807, 'down airline': 256453, 'airline vegasshutdown': 40052, 'vegasshutdown vega': 953902, 'vega view': 953838, 'view my': 957116, 'own not': 632114, 'of dod': 582757, 'from it amazing': 336106, 'it amazing and': 456451, 'amazing and kind': 50643, 'and kind of': 65854, 'kind of horrifying': 474905, 'of horrifying what': 584758, 'horrifying what ha': 404184, 'what ha done': 981534, 'ha done to': 370422, 'done to airfare': 255063, 'to airfare price': 900201, 'airfare price this': 39898, 'this is look': 888307, 'is look at': 449439, 'look at chart': 502257, 'at chart of': 98234, 'chart of roundtrip': 173842, 'of roundtrip from': 589166, 'roundtrip from dc': 726412, 'from dc to': 335112, 'dc to vega': 228982, 'to vega amid': 918133, 'vega amid the': 953808, 'amid the vega': 52719, 'the vega strip': 870666, 'vega strip being': 953831, 'strip being about': 813816, 'being about entirely': 124806, 'about entirely shut': 25177, 'entirely shut down': 278808, 'shut down airline': 767798, 'down airline vegasshutdown': 256454, 'airline vegasshutdown vega': 40053, 'vegasshutdown vega view': 953903, 'vega view my': 953839, 'view my own': 957118, 'my own not': 549649, 'own not of': 632115, 'not of dod': 570719, 'rule stay': 727350, 'supermarket chemist': 819678, 'bank protect': 110117, 'simple action': 769979, 'action for': 30018, 'avoid catching': 105027, 'it click': 457172, 'the rule stay': 866051, 'rule stay at': 727351, 'home but if': 400836, 'you do have': 1018254, 'the supermarket chemist': 868516, 'supermarket chemist or': 819682, 'chemist or bank': 175442, 'or bank protect': 614494, 'bank protect yourself': 110118, 'protect yourself with': 685106, 'yourself with these': 1026764, 'with these simple': 1001657, 'these simple action': 880696, 'simple action for': 769980, 'action for more': 30020, 'information on coronavirus': 437909, 'to avoid catching': 900874, 'avoid catching it': 105029, 'catching it click': 167094, 'it click here': 457173, 'american for': 51984, 'safety do': 730512, 'not look': 570456, 'offer from': 594635, 'from russian': 337139, 'russian company': 728620, 'company just': 190827, 'american for your': 51986, 'your own safety': 1025158, 'own safety do': 632178, 'safety do not': 730513, 'do not look': 249779, 'not look at': 570457, 'at these price': 101205, '19 test on': 11079, 'test on offer': 839110, 'on offer from': 602480, 'offer from russian': 594636, 'from russian company': 337140, 'russian company just': 728621, 'company just don': 190828, 'sort out': 786147, 'in mass': 425169, 'mass and': 519734, 'and catch': 59621, '19 rather': 9958, 'than thinking': 841307, 'hard to sort': 378091, 'to sort out': 914925, 'sort out delivery': 786148, 'out delivery of': 625946, 'food so let': 316658, 'supermarket in mass': 820930, 'in mass and': 425170, 'mass and catch': 519735, 'and catch covid': 59623, 'covid 19 rather': 213654, '19 rather than': 9960, 'rather than thinking': 697556, 'askforhelp': 95915, 'offersomehelp': 595336, 'until about': 943667, 'about ten': 26308, 'ago supermarket': 38482, 'delivery really': 234388, 'really wasn': 702707, 'wasn thing': 968033, 'thing so': 884750, 'surprised quite': 828598, 'quite so': 694920, 'in arm': 420498, 'arm much': 92902, 'are askforhelp': 84630, 'askforhelp offersomehelp': 95916, 'offersomehelp stayhomesavelives': 595337, 'up until about': 946497, 'until about ten': 943668, 'about ten year': 26309, 'ten year ago': 837812, 'year ago supermarket': 1014362, 'ago supermarket home': 38483, 'home delivery really': 401040, 'delivery really wasn': 234389, 'really wasn thing': 702708, 'wasn thing so': 968034, 'thing so am': 884751, 'so am surprised': 776496, 'am surprised quite': 50466, 'surprised quite so': 828599, 'quite so many': 694921, 'people are up': 647107, 'are up in': 91365, 'up in arm': 945148, 'in arm much': 420500, 'arm much they': 92903, 'much they are': 545367, 'they are askforhelp': 881205, 'are askforhelp offersomehelp': 84631, 'askforhelp offersomehelp stayhomesavelives': 95917, 'edemame': 268483, 'bad long': 107932, 'you weren': 1022264, 'weren really': 980416, 'really particular': 702479, 'particular about': 642601, 'got im': 358624, 'im now': 416562, 'the proud': 864719, 'proud owner': 686042, 'of edemame': 582972, 'edemame spaghetti': 268484, 'wasn bad long': 967961, 'bad long you': 107933, 'long you weren': 501878, 'you weren really': 1022265, 'weren really particular': 980417, 'really particular about': 702480, 'particular about what': 642602, 'what you got': 982675, 'you got im': 1018900, 'got im now': 358625, 'im now the': 416563, 'now the proud': 576064, 'the proud owner': 864720, 'proud owner of': 686043, 'owner of edemame': 632512, 'of edemame spaghetti': 582973, 'sighting': 769068, 'loch': 499009, 'ness': 557498, 'buying sighting': 151032, 'sighting of': 769069, 'of pasta': 587805, 'pasta on': 643771, 'more rare': 540183, 'rare than': 697102, 'the loch': 859581, 'loch ness': 499010, 'ness monster': 557501, 'monster currently': 537456, 'currently selling': 221669, '50 gram': 19710, 'gram or': 361833, 'or 35': 614193, '35 for': 17889, 'for half': 322096, 'half no': 374213, 'no tick': 565721, 'tick sorry': 895574, 'guy panicbuyinguk': 369106, 'panic buying sighting': 637887, 'buying sighting of': 151033, 'sighting of pasta': 769071, 'of pasta on': 587810, 'pasta on supermarket': 643772, 'shelf is more': 757239, 'is more rare': 449719, 'more rare than': 540184, 'rare than the': 697104, 'than the loch': 841250, 'the loch ness': 859582, 'loch ness monster': 499011, 'ness monster currently': 557502, 'monster currently selling': 537457, 'currently selling it': 221670, 'selling it for': 749313, 'it for 50': 458067, 'for 50 gram': 318864, '50 gram or': 19711, 'gram or 35': 361834, 'or 35 for': 614194, '35 for half': 17890, 'for half no': 322100, 'half no tick': 374214, 'no tick sorry': 565722, 'tick sorry guy': 895575, 'sorry guy panicbuyinguk': 786054, 'helper not': 391132, 'not nurse': 570710, 'am grocery': 50108, 'store myself': 809021, 'been verbally': 122324, 'abused for': 27694, 'store outage': 809404, 'outage if': 627923, 'you continue': 1018032, 'least tip': 484671, 'receive 19': 703430, 'helper not nurse': 391133, 'not nurse or': 570712, 'nurse or doctor': 577441, 'or doctor but': 615023, 'doctor but am': 250858, 'but am grocery': 145161, 'am grocery store': 50109, 'grocery store myself': 365583, 'store myself and': 809022, 'and my colleague': 67358, 'my colleague have': 547732, 'colleague have been': 186211, 'have been verbally': 379736, 'been verbally abused': 122325, 'verbally abused for': 954755, 'abused for much': 27695, 'for much of': 323647, 'much of the': 545198, 'of the last': 591175, 'last week due': 480645, 'due to store': 261977, 'to store outage': 915635, 'store outage if': 809405, 'outage if you': 627924, 'if you continue': 415413, 'you continue to': 1018033, 'continue to do': 201181, 'this at least': 886448, 'at least tip': 99559, 'least tip for': 484672, 'tip for the': 898787, 'for the service': 326677, 'the service you': 866741, 'service you receive': 753127, 'you receive 19': 1020849, 'understand if': 940655, 'entire family': 278672, 'and walk': 75138, 'restaurant holding': 716506, 'holding hand': 400113, 'hand having': 375009, 'panic right': 638493, 'don understand if': 254007, 'understand if you': 940656, 'you are picking': 1017197, 'picking up food': 655878, 'up food to': 944902, 'go you have': 354538, 'have to bring': 383168, 'bring the entire': 140085, 'the entire family': 854355, 'entire family and': 278673, 'family and walk': 297611, 'and walk into': 75139, 'into the restaurant': 443162, 'the restaurant holding': 865652, 'restaurant holding hand': 716507, 'holding hand having': 400114, 'hand having an': 375010, 'having an absolute': 383967, 'an absolute panic': 55040, 'absolute panic right': 27271, 'panic right now': 638494, 'frenetic': 332766, 'this frightening': 887623, 'frightening and': 334053, 'and frenetic': 63294, 'frenetic energy': 332767, 'energy more': 276510, 'else send': 271876, 'love via': 504867, 'via checkout': 955861, 'be so nice': 117262, 'folk they take': 312272, 'they take on': 883523, 'take on this': 832410, 'on this frightening': 604608, 'this frightening and': 887624, 'frightening and frenetic': 334054, 'and frenetic energy': 63295, 'frenetic energy more': 332768, 'energy more than': 276511, 'more than anyone': 540591, 'than anyone else': 840355, 'anyone else send': 80289, 'else send prayer': 271877, 'you love via': 1019733, 'love via checkout': 504868, 'via checkout grocery': 955862, 'la county': 478146, 'county dept': 211361, 'amp business': 53474, 'business affair': 143241, 'affair office': 34079, 'capacity of': 162550, 'it telephone': 461456, 'telephone call': 836802, 'call center': 155813, 'center to': 169303, 'provide the': 686506, 'best service': 127896, 'service possible': 752708, 'possible they': 665824, 'will respond': 994668, 'each online': 264149, 'online request': 608858, 'request within': 713236, 'the la county': 858875, 'la county dept': 478148, 'county dept of': 211362, 'dept of consumer': 237743, 'of consumer amp': 581704, 'consumer amp business': 196186, 'amp business affair': 53475, 'business affair office': 143245, 'affair office of': 34080, 'office of small': 595501, 'small business will': 774905, 'will be increasing': 992514, 'be increasing the': 115467, 'increasing the capacity': 433707, 'the capacity of': 850357, 'capacity of it': 162552, 'of it telephone': 585452, 'it telephone call': 461457, 'telephone call center': 836803, 'call center to': 155818, 'center to provide': 169305, 'to provide the': 912439, 'provide the best': 686508, 'the best service': 849550, 'best service possible': 127897, 'service possible they': 752709, 'possible they will': 665826, 'they will respond': 883880, 'will respond to': 994669, 'respond to each': 715319, 'to each online': 904827, 'each online request': 264150, 'online request within': 608860, 'request within 48': 713237, 'be sending': 117076, 'sending money': 750052, 'money by': 536650, 'by check': 152112, 'or direct': 614974, 'direct deposit': 243309, 'deposit to': 237518, 'detail are': 239156, 'some really': 783694, 'are report that': 89591, 'government may soon': 360351, 'soon be sending': 785647, 'be sending money': 117078, 'sending money by': 750053, 'money by check': 536652, 'by check or': 152113, 'check or direct': 174520, 'or direct deposit': 614975, 'direct deposit to': 243315, 'deposit to each': 237519, 'each of the': 264138, 'of the detail': 590946, 'the detail are': 853204, 'detail are still': 239158, 'still being worked': 800281, 'out but the': 625800, 'but the is': 147349, 'the is sharing': 858527, 'is sharing some': 451834, 'sharing some really': 755584, 'some really important': 783696, 'know now to': 476634, 'now to avoid': 576163, 'babysitter': 106778, 'pizza place': 657193, 'place acted': 657292, 'acted like': 29841, 'be fired': 114864, 'fired if': 308175, 'if teacher': 414918, 'teacher acted': 835419, 'if new': 414471, 'new employee': 558676, 'in accounting': 420002, 'accounting acted': 28821, 'if babysitter': 413891, 'babysitter acted': 106779, 'fired in': 308179, 'november fire': 573852, 'him trumpmeltdown': 396757, 'if the manager': 414998, 'manager of pizza': 512764, 'of pizza place': 588131, 'pizza place acted': 657194, 'place acted like': 657293, 'acted like this': 29843, 'like this they': 491540, 'this they be': 890555, 'they be fired': 881532, 'be fired if': 114866, 'fired if teacher': 308178, 'if teacher acted': 414919, 'teacher acted like': 835420, 'fired if new': 308177, 'if new employee': 414473, 'new employee in': 558677, 'employee in accounting': 273954, 'in accounting acted': 420003, 'accounting acted like': 28822, 'fired if babysitter': 308176, 'if babysitter acted': 413892, 'babysitter acted like': 106780, 'be fired in': 114867, 'fired in november': 308180, 'in november fire': 425978, 'november fire him': 573853, 'fire him trumpmeltdown': 308090, 'geneva': 345748, 'preventive stop': 671927, 'stop in': 804763, 'in geneva': 423262, 'geneva resident': 345749, 'resident come': 714274, 'to clap': 902791, 'clap in': 179962, 'in appreciation': 420458, 'appreciation of': 82883, 'the brave': 849951, 'brave medical': 138224, 'pharmacist supermarket': 654177, 'maintain this': 509071, 'it environment': 457840, 'environment safe': 279143, 'safe township': 730072, 'township healthy': 927615, 'day of preventive': 228092, 'of preventive stop': 588388, 'preventive stop in': 671928, 'stop in geneva': 804765, 'in geneva resident': 423263, 'geneva resident come': 345750, 'resident come out': 714275, 'come out at': 187462, 'out at to': 625752, 'at to clap': 101326, 'to clap in': 902793, 'clap in appreciation': 179963, 'in appreciation of': 420459, 'appreciation of the': 82885, 'of the brave': 590830, 'the brave medical': 849953, 'brave medical worker': 138225, 'medical worker pharmacist': 526508, 'worker pharmacist supermarket': 1007567, 'pharmacist supermarket employee': 654178, 'employee and other': 273576, 'worker who come': 1008199, 'who come out': 988472, 'come out every': 187466, 'out every day': 626029, 'every day to': 285854, 'day to maintain': 228570, 'to maintain this': 909602, 'maintain this city': 509072, 'this city and': 886774, 'city and it': 179047, 'and it environment': 65521, 'it environment safe': 457841, 'environment safe township': 279144, 'safe township healthy': 730073, 'township healthy staysafe': 927616, 'local gas': 498008, 'station drop': 796384, 'price spread': 676582, 'spread positivity': 790757, 'positivity for': 665512, 'local gas station': 498009, 'gas station drop': 344105, 'station drop price': 796385, 'drop price spread': 260376, 'price spread positivity': 676583, 'spread positivity for': 790758, 'positivity for day': 665513, 'healthcare are': 387036, 'home collapsing': 400907, 'collapsing from': 186137, 'from exhaustion': 335345, 'exhaustion waking': 290202, 'shelf refrigerator': 757458, 'refrigerator because': 706803, 'someone helping': 784500, 'ask how': 95559, 'help kindness': 389984, 'friend in healthcare': 333650, 'in healthcare are': 423607, 'healthcare are coming': 387037, 'are coming home': 85435, 'coming home collapsing': 188075, 'home collapsing from': 400908, 'collapsing from exhaustion': 186140, 'from exhaustion waking': 335348, 'exhaustion waking up': 290203, 'up to empty': 946372, 'to empty shelf': 905033, 'empty shelf refrigerator': 275090, 'shelf refrigerator because': 757459, 'refrigerator because they': 706805, 'not have time': 569882, 'know someone helping': 476728, 'someone helping to': 784501, 'to fight this': 905814, 'fight this virus': 304922, 'this virus please': 891020, 'virus please ask': 958637, 'please ask how': 659674, 'ask how you': 95560, 'can help kindness': 158630, 'avengersendgame': 104769, 'in somewhat': 428117, 'somewhat like': 785261, 'stark avengersendgame': 794155, 'avengersendgame bekindtoeachother': 104770, 'it back in': 456669, 'back in somewhat': 107096, 'in somewhat like': 428118, 'somewhat like normal': 785262, 'tony stark avengersendgame': 924554, 'stark avengersendgame bekindtoeachother': 794156, 'avengersendgame bekindtoeachother nhscovidheroes': 104771, 'buying healthy': 150474, 'through crisis': 894396, 'via eating': 955945, 'panic buying healthy': 637759, 'buying healthy food': 150475, 'food to get': 317256, 'get through crisis': 348433, 'through crisis via': 894399, 'crisis via eating': 218313, 'did just': 240671, 'just spend': 469839, 'hour grocery': 405652, 'cannot pick': 162037, 'did just spend': 240672, 'just spend hour': 469841, 'spend hour grocery': 788614, 'hour grocery shopping': 405653, 'shopping online only': 763465, 'online only to': 608635, 'find out cannot': 307136, 'out cannot pick': 625831, 'cannot pick up': 162038, 'up my grocery': 945429, 'my grocery for': 548574, 'grocery for week': 364533, 'retailer and grocery': 718967, 'store are trying': 806532, 'trying to adapt': 934761, 'adapt to covid': 31280, '19 some are': 10692, 'some are staying': 782329, 'are staying open': 90375, 'staying open with': 798681, 'open with reduced': 612682, 'with reduced hour': 1000434, 'many car': 513872, 'offering refund': 595229, 'refund during': 706896, 'and center': 59671, 'economic justice': 267162, 'justice say': 470432, 'say more': 738952, 'more need': 539828, 'consumer via': 199446, 'many car insurance': 513874, 'car insurance company': 163145, 'are offering refund': 88674, 'offering refund during': 595230, 'refund during the': 706898, 'pandemic but and': 635039, 'but and center': 145186, 'and center for': 59672, 'center for economic': 169204, 'for economic justice': 320944, 'economic justice say': 267163, 'justice say more': 470433, 'say more need': 738953, 'more need to': 539829, 'be done to': 114569, 'done to help': 255070, 'help consumer via': 389525, 'untransformed': 943960, 'coining': 185688, 'confiscatory': 194258, 'blackfriday': 132175, 'greedybastards': 363636, 'untransformed sa': 943961, 'sa supermarket': 728946, 'chain retailer': 171057, 'retailer coining': 719085, 'coining it': 185689, 'with confiscatory': 997731, 'confiscatory pricing': 194259, 'pricing practice': 677963, 'practice must': 668610, 'themselves who': 876941, 'need blackfriday': 554550, 'blackfriday anyway': 132176, 'anyway with': 81066, 'with steep': 1000962, 'discount to': 244556, 'to cream': 903694, 'cream it': 215561, 'covid greedybastards': 214165, 'untransformed sa supermarket': 943962, 'sa supermarket chain': 728947, 'supermarket chain retailer': 819631, 'chain retailer coining': 171058, 'retailer coining it': 719086, 'coining it on': 185691, 'back of consumer': 107169, 'of consumer panic': 581756, 'consumer panic caused': 198330, '19 pandemic with': 9526, 'pandemic with confiscatory': 637026, 'with confiscatory pricing': 997732, 'confiscatory pricing practice': 194260, 'pricing practice must': 677965, 'practice must be': 668611, 'must be asking': 546493, 'asking themselves who': 96087, 'themselves who need': 876942, 'who need blackfriday': 989309, 'need blackfriday anyway': 554551, 'blackfriday anyway with': 132177, 'anyway with steep': 81067, 'with steep discount': 1000963, 'steep discount to': 799385, 'discount to cream': 244558, 'to cream it': 903695, 'cream it when': 215562, 'when you got': 984565, 'you got covid': 1018898, 'got covid greedybastards': 358511, 'from oh': 336646, 'oh so': 596449, 'to oh': 910875, 'god you': 354849, 'store real': 809752, 'real fast': 701170, 'fast grocerystore': 299990, 'grocerystore essentialworkers': 366302, 'essentialworkers 19': 281949, 'we went from': 973775, 'went from oh': 979018, 'from oh so': 336647, 'oh so you': 596452, 'so you work': 778856, 'you work at': 1022419, 'store to oh': 810790, 'to oh my': 910876, 'my god you': 548532, 'god you work': 354850, 'grocery store real': 365704, 'store real fast': 809753, 'real fast grocerystore': 701171, 'fast grocerystore essentialworkers': 299991, 'grocerystore essentialworkers 19': 366303, 'essentialworkers 19 quarantine': 281950, '19 quarantine socialdistancing': 9917, 'personalized': 653014, 'harriscounty': 378511, 'constable': 195595, 'inbox gulf': 431255, 'gulf coast': 368632, 'coast distillery': 185101, 'distillery donates': 247748, 'donates large': 254396, 'large personalized': 479740, 'personalized bottle': 653017, 'to harriscounty': 907180, 'harriscounty constable': 378512, 'constable will': 195596, 'refill bottle': 706549, 'for deputy': 320659, 'deputy texas': 237805, 'inbox gulf coast': 431256, 'gulf coast distillery': 368634, 'coast distillery donates': 185102, 'distillery donates large': 247749, 'donates large personalized': 254397, 'large personalized bottle': 479741, 'personalized bottle of': 653018, 'sanitizer to harriscounty': 735927, 'to harriscounty constable': 907181, 'harriscounty constable will': 378513, 'constable will be': 195597, 'be used to': 117925, 'used to refill': 950082, 'to refill bottle': 913061, 'refill bottle for': 706550, 'bottle for deputy': 136222, 'for deputy texas': 320660, 'm8': 507244, 'laser': 480064, 'newburgh': 560029, 'saturdaymotivation': 737102, 'compete with': 191603, 'only location': 610740, 'in ny': 425999, 'ny with': 577931, 'with ml': 999529, 'ml m8': 534720, 'm8 laser': 507245, 'laser but': 480065, 'and best': 58906, 'best package': 127818, 'package call': 633231, 'your appointment': 1022801, 'appointment today': 82697, 'today newburgh': 919922, 'newburgh health': 560030, 'health saturdaymotivation': 386826, 'saturdaymotivation lockdown': 737105, 'hard to compete': 378056, 'to compete with': 903122, 'compete with the': 191605, 'the best not': 849529, 'best not only': 127787, 'only are we': 610116, 'we the only': 973520, 'the only location': 862318, 'only location in': 610741, 'location in ny': 498926, 'in ny with': 426010, 'ny with ml': 577932, 'with ml m8': 999530, 'ml m8 laser': 534721, 'm8 laser but': 507246, 'laser but we': 480066, 'but we offer': 147757, 'price and best': 672370, 'and best package': 58908, 'best package call': 127819, 'package call or': 633232, 'or email today': 615150, 'email today and': 272345, 'today and book': 919195, 'and book your': 59064, 'book your appointment': 134644, 'your appointment today': 1022802, 'appointment today newburgh': 82698, 'today newburgh health': 919923, 'newburgh health saturdaymotivation': 560031, 'health saturdaymotivation lockdown': 386827, 'retail therapy': 718778, 'therapy is': 877923, 'is dead': 447042, 'retail therapy is': 718781, 'therapy is dead': 877924, 'tweaked': 936281, 'causing historic': 168045, 'historic stock': 397974, 'crash the': 215041, 'philippine stock': 654746, 'ha tweaked': 372384, 'tweaked it': 936282, 'it trading': 461837, 'rule to': 727384, 'to temper': 916353, 'temper the': 837355, 'listed company': 494613, '19 pandemic causing': 9288, 'pandemic causing historic': 635113, 'causing historic stock': 168046, 'historic stock market': 397975, 'market crash the': 516251, 'crash the philippine': 215043, 'the philippine stock': 863675, 'philippine stock exchange': 654747, 'exchange ha tweaked': 289453, 'ha tweaked it': 372385, 'tweaked it trading': 936283, 'it trading rule': 461838, 'trading rule to': 928915, 'rule to temper': 727388, 'to temper the': 916354, 'temper the fall': 837356, 'fall of listed': 297002, 'of listed company': 585884, 'confront': 194287, 'the syrian': 869083, 'syrian regime': 831056, 'regime doe': 707349, 'the mean': 860343, 'mean nor': 524569, 'nor most': 566964, 'will to': 995205, 'to confront': 903197, 'confront the': 194293, 'people what': 650238, 'it want': 462233, 'spread within': 790891, 'within to': 1002448, 'population so': 664737, 'international community': 441769, 'community will': 190233, 'will lift': 993986, 'lift sanction': 489454, 'sanction against': 733611, 'the syrian regime': 869085, 'syrian regime doe': 831057, 'regime doe not': 707350, 'have the mean': 383000, 'the mean nor': 860347, 'mean nor most': 524570, 'nor most importantly': 566965, 'importantly the will': 419151, 'the will to': 871584, 'will to confront': 995207, 'to confront the': 903199, 'confront the crisis': 194294, 'crisis and help': 217028, 'and help it': 64454, 'help it people': 389947, 'it people what': 460301, 'people what it': 650239, 'what it want': 981761, 'it want is': 462234, 'want is the': 965829, 'is the virus': 452973, 'to spread within': 915084, 'spread within to': 790892, 'within to population': 1002449, 'to population so': 911895, 'population so that': 664738, 'that the international': 846753, 'the international community': 858364, 'international community will': 441771, 'community will lift': 190234, 'will lift sanction': 993987, 'lift sanction against': 489455, 'sanction against it': 733613, 'real reason': 701333, 'the real reason': 865235, 'real reason you': 701335, 'store for two': 807850, 'sf': 754245, 'my op': 549598, 'ed in': 268453, 'person jail': 652511, 'jail visit': 464287, 'visit banned': 959192, 'banned bc': 110559, '19 phone': 9676, 'call are': 155772, 'way anxious': 969467, 'anxious family': 78852, 'family can': 297681, 'touch incarcerated': 926500, 'incarcerated loved': 431320, 'stop charging': 804567, 'charging high': 173486, 'for phone': 324531, 'call amp': 155754, 'amp make': 54095, 'them free': 875734, 'free sf': 332146, 'sf did': 754248, 'it other': 460158, 'my op ed': 549599, 'op ed in': 611797, 'ed in person': 268454, 'in person jail': 426631, 'person jail visit': 652512, 'jail visit banned': 464288, 'visit banned bc': 959193, 'banned bc of': 110560, 'covid 19 phone': 213578, '19 phone call': 9677, 'phone call are': 654923, 'call are only': 155774, 'are only way': 88779, 'only way anxious': 611438, 'way anxious family': 969468, 'anxious family can': 78853, 'family can stay': 297685, 'can stay in': 159740, 'stay in touch': 797068, 'in touch incarcerated': 430231, 'touch incarcerated loved': 926501, 'incarcerated loved one': 431321, 'loved one we': 504927, 'one we must': 607392, 'must stop charging': 546920, 'stop charging high': 804568, 'charging high price': 173487, 'price for phone': 674024, 'for phone call': 324532, 'phone call amp': 654922, 'call amp make': 155755, 'amp make them': 54096, 'make them free': 510607, 'them free sf': 875742, 'free sf did': 332147, 'sf did it': 754249, 'did it other': 240665, 'it other place': 460159, 'other place can': 620718, 'place can too': 657379, 'skillet': 773016, 'the skillet': 867303, 'skillet world': 773017, 'tour 2009': 926916, '2009 at': 13706, 'definitely carrying': 232319, 'carrying covid': 165173, 'the woman with': 871671, 'woman with the': 1003700, 'with the skillet': 1001480, 'the skillet world': 867304, 'skillet world tour': 773018, 'world tour 2009': 1010107, 'tour 2009 at': 926917, '2009 at the': 13707, 'supermarket is definitely': 821082, 'is definitely carrying': 447083, 'definitely carrying covid': 232320, 'carrying covid 19': 165174, 'not promise': 571115, 'promise they': 683695, 'they the': 883548, 'vulnerable would': 961267, 'delivery every': 233982, 'delivery that': 234616, 'tried say': 931814, 'not delivering': 568986, 'delivering and': 233465, 'store conservative': 807142, 'conservative vulnerable': 194923, 'vulnerable stayathome': 961175, 'did the government': 240849, 'the government not': 856569, 'government not promise': 360384, 'not promise they': 571116, 'promise they the': 683696, 'they the vulnerable': 883550, 'the vulnerable would': 871007, 'vulnerable would have': 961268, 'would have food': 1011875, 'food delivery every': 314124, 'delivery every supermarket': 233983, 'every supermarket food': 286250, 'supermarket food delivery': 820356, 'food delivery that': 314151, 'delivery that have': 234617, 'that have tried': 844243, 'have tried say': 383402, 'tried say they': 931815, 'are not delivering': 88348, 'not delivering and': 568987, 'delivering and are': 233466, 'and are focusing': 58315, 'focusing on store': 312000, 'on store conservative': 603694, 'store conservative vulnerable': 807143, 'conservative vulnerable stayathome': 194924, 'vulnerable stayathome selfisolation': 961176, 'man charged after': 512020, 'claiming he ha': 179904, 'gibb': 349901, 'loblaws report': 497633, 'on gibb': 601090, 'gibb street': 349902, 'in ha': 423496, 'been closed': 120836, 'loblaws report that': 497634, 'report that an': 712313, 'an employee at': 55703, 'employee at it': 273647, 'at it store': 99337, 'it store on': 461295, 'store on gibb': 809193, 'on gibb street': 601091, 'gibb street in': 349903, 'street in ha': 812995, 'in ha tested': 423498, 'the store ha': 868030, 'store ha now': 808014, 'now been closed': 574225, 'hitendra': 398536, 'chaturvedi': 174033, 'if panic': 414593, 'spending which': 789047, 'this economy': 887346, 'economy it': 268022, 'hit member': 398324, 'member hitendra': 528107, 'hitendra chaturvedi': 398537, 'chaturvedi discus': 174034, 'via economy': 955948, 'if panic set': 414596, 'set in and': 753399, 'in and if': 420367, 'you don go': 1018317, 'don go out': 253569, 'go out consumer': 353942, 'out consumer spending': 625883, 'consumer spending which': 199105, 'spending which is': 789049, 'backbone of this': 107507, 'of this economy': 591965, 'this economy it': 887347, 'economy it is': 268024, 'be hit member': 115270, 'hit member hitendra': 398325, 'member hitendra chaturvedi': 528108, 'hitendra chaturvedi discus': 398538, 'chaturvedi discus the': 174035, 'discus the effect': 244915, 'effect of via': 269069, 'of via economy': 592792, 'made few': 507739, 'meet our': 527549, 'customer need': 222614, 'challenging period': 171621, 'period including': 651792, 'including adjustment': 431862, 'the addition': 848342, 'addition of': 31724, 'daily priority': 224751, 'priority shopping': 678643, 'time view': 898192, 'latest live': 481423, 'online here': 608368, 've made few': 953359, 'made few more': 507740, 'few more change': 303945, 'more change to': 538800, 'change to better': 172340, 'better meet our': 128367, 'meet our customer': 527550, 'our customer need': 622669, 'customer need during': 222616, 'during this challenging': 263266, 'this challenging period': 886732, 'challenging period including': 171622, 'period including adjustment': 651793, 'including adjustment to': 431863, 'to our opening': 911225, 'hour and the': 405420, 'and the addition': 73235, 'the addition of': 848343, 'addition of daily': 31725, 'of daily priority': 582318, 'daily priority shopping': 224752, 'priority shopping time': 678647, 'shopping time view': 764148, 'time view our': 898193, 'view our latest': 957145, 'our latest live': 623669, 'latest live update': 481424, 'live update on': 496101, 'on the coronavirus': 604041, 'the coronavirus online': 851884, 'coronavirus online here': 206350, 'online here gt': 608369, 'huffing': 409939, 'haribos': 378362, 'working 48': 1008472, '48 shift': 19325, 'get no': 347666, 'my 19': 547131, 'son huffing': 785388, 'huffing because': 409940, 'because failed': 119056, 'up haribos': 945059, 'haribos from': 378363, 'nh worker in': 562188, 'worker in tear': 1007204, 'tear after working': 835923, 'after working 48': 36578, 'working 48 shift': 1008473, '48 shift and': 19326, 'shift and can': 758233, 'can get no': 158433, 'get no food': 347668, 'no food my': 564263, 'food my 19': 315493, 'my 19 year': 547132, '19 year old': 12244, 'old son huffing': 598475, 'son huffing because': 785389, 'huffing because failed': 409941, 'because failed to': 119057, 'failed to pick': 296184, 'pick up haribos': 655728, 'up haribos from': 945060, 'haribos from the': 378364, 'the supermarket coronacrisis': 868530, 'zero collect': 1027419, 'collect or': 186306, 'for ocado': 324015, 'rate soon': 697373, 'soon sick': 785820, 'essential please': 281399, 'not book': 568585, 'book online': 134577, 'grocery unless': 366089, 'if sick': 414809, 'waitrose have zero': 964453, 'have zero collect': 383726, 'zero collect or': 1027420, 'collect or delivery': 186307, 'same for ocado': 733072, 'for ocado at': 324016, 'this rate soon': 889805, 'rate soon sick': 697374, 'soon sick people': 785821, 'sick people will': 768585, 'leave home to': 484823, 'get essential please': 346951, 'essential please do': 281402, 'do not book': 249682, 'not book online': 568587, 'book online grocery': 134579, 'online grocery unless': 608335, 'grocery unless you': 366090, 'of if sick': 584973, 'if sick people': 414810, 'sick people stay': 768584, 'altruism': 49399, 'vanderbilt': 952393, 'goldsmith': 356106, 'doe altruism': 251326, 'altruism trump': 49402, 'trump self': 933834, 'self interest': 747658, 'first installment': 308733, 'our vanderbilt': 625257, 'vanderbilt business': 952394, 'business faculty': 143728, 'faculty kelly': 296047, 'kelly goldsmith': 472715, 'goldsmith associate': 356107, 'of marketing': 586241, 'marketing offer': 517662, 'offer her': 594652, 'her insight': 392143, 'doe altruism trump': 251327, 'altruism trump self': 49403, 'trump self interest': 933835, 'self interest in': 747659, 'in pandemic in': 426458, 'the first installment': 855318, 'first installment of': 308734, 'installment of our': 440056, 'of our vanderbilt': 587587, 'our vanderbilt business': 625258, 'vanderbilt business faculty': 952395, 'business faculty kelly': 143729, 'faculty kelly goldsmith': 296048, 'kelly goldsmith associate': 472716, 'goldsmith associate professor': 356108, 'professor of marketing': 682579, 'of marketing offer': 586244, 'marketing offer her': 517663, 'offer her insight': 594653, 'her insight on': 392144, 'topahov': 925762, 'hoardingvirus': 399683, 'exponentialgrowth': 292586, 'flatteningthecurve': 310149, 'toiletpaperwars': 923343, 'new topahov': 559771, 'topahov 20': 925763, '20 toilet': 13399, 'paper hoardingvirus': 640287, 'hoardingvirus 2020': 399684, '2020 still': 14614, 'still showing': 801194, 'showing exponentialgrowth': 767444, 'exponentialgrowth flatteningthecurve': 292587, 'flatteningthecurve toiletpaper': 310151, 'toiletpaperpanic toiletpaperwars': 923293, 'toiletpaperwars coronavid19': 923344, 'coronavid19 stayathome': 205393, 'the new topahov': 861569, 'new topahov 20': 559772, 'topahov 20 toilet': 925764, '20 toilet paper': 13400, 'toilet paper hoardingvirus': 921308, 'paper hoardingvirus 2020': 640288, 'hoardingvirus 2020 still': 399685, '2020 still showing': 14615, 'still showing exponentialgrowth': 801195, 'showing exponentialgrowth flatteningthecurve': 767445, 'exponentialgrowth flatteningthecurve toiletpaper': 292588, 'flatteningthecurve toiletpaper toiletpaperapocalypse': 310152, 'toiletpaper toiletpaperapocalypse toiletpapercrisis': 922638, 'toiletpaperapocalypse toiletpapercrisis toiletpaperpanic': 922943, 'toiletpapercrisis toiletpaperpanic toiletpaperwars': 923118, 'toiletpaperpanic toiletpaperwars coronavid19': 923294, 'toiletpaperwars coronavid19 stayathome': 923345, 'my boyfriend': 547521, 'boyfriend work': 137433, 'after serving': 36172, 'serving the': 753217, 'customer she': 222842, 'him thank': 396722, 'my boyfriend work': 547527, 'boyfriend work in': 137435, 'in supermarket after': 428554, 'supermarket after serving': 818811, 'after serving the': 36173, 'serving the customer': 753218, 'the customer she': 852732, 'customer she told': 222843, 'she told him': 756391, 'told him thank': 923574, 'him thank you': 396723, 'mint': 533654, '1oz': 12672, 'apmex': 81485, 'on silver': 603466, 'silver mint': 769837, 'mint out': 533666, 'of common': 581584, 'common 2020': 189355, '2020 silver': 14600, 'silver eagle': 769800, 'eagle bu': 264366, 'bu 1oz': 141570, '1oz coin': 12673, 'coin why': 185648, 'why silver': 991348, 'silver spot': 769864, 'price been': 672874, 'been down': 121031, 'down big': 256565, 'big source': 130010, 'source apmex': 786448, 'apmex mint': 81488, 'mint designated': 533658, 'designated seller': 238303, 'seller of': 749045, 'of silver': 589729, 'silver and': 769787, 'gold bullion': 355867, 'bullion coin': 142449, 'coin commodity': 185633, 'run on silver': 727739, 'on silver mint': 603467, 'silver mint out': 769838, 'mint out of': 533667, 'out of common': 626703, 'of common 2020': 581585, 'common 2020 silver': 189356, '2020 silver eagle': 14601, 'silver eagle bu': 769801, 'eagle bu 1oz': 264367, 'bu 1oz coin': 141571, '1oz coin why': 12674, 'coin why silver': 185649, 'why silver spot': 991349, 'silver spot price': 769865, 'spot price been': 790095, 'price been down': 672875, 'been down big': 121032, 'down big source': 256566, 'big source apmex': 130011, 'source apmex mint': 786450, 'apmex mint designated': 81489, 'mint designated seller': 533659, 'designated seller of': 238304, 'seller of silver': 749048, 'of silver and': 589730, 'silver and gold': 769788, 'and gold bullion': 63815, 'gold bullion coin': 355868, 'bullion coin commodity': 142451, 'internet shopping': 442020, 'are fast': 86498, 'fast becoming': 299921, 'becoming the': 120342, 'item across': 463026, 'across jamaica': 29362, 'jamaica in': 464372, 'home directive': 401079, 'internet shopping and': 442021, 'home delivery are': 401009, 'delivery are fast': 233717, 'are fast becoming': 86500, 'fast becoming the': 299922, 'becoming the new': 120343, 'the new way': 861580, 'on grocery item': 601185, 'grocery item across': 364648, 'item across jamaica': 463028, 'across jamaica in': 29363, 'jamaica in the': 464373, 'wake of stay': 964607, 'at home directive': 98974, 'home directive to': 401080, 'directive to slow': 243516, 'of the read': 591389, 'supermarket following': 820350, 'following government': 312738, 'the supermarket following': 868596, 'supermarket following government': 820351, 'following government advice': 312739, 'than 400': 840246, '400 00': 18704, 'pandemic if': 635673, 'me smell': 523485, 'smell recession': 775617, 'recession coming': 704236, 'coming stock': 188201, 'rich will': 721270, 'will love': 994058, 'they own': 882858, 'own more': 632105, 'more power': 540109, 'power broke': 667578, 'broke ass': 140823, 'ass get': 96252, 'get broker': 346715, 'broker coronacrisis': 140934, 'news and hear': 560230, 'and hear that': 64408, 'hear that more': 387991, 'that more than': 845220, 'more than 400': 540565, 'than 400 00': 840247, '400 00 people': 18710, '00 people will': 423, 'people will lose': 650395, 'will lose their': 994055, 'coronavirus pandemic if': 206465, 'pandemic if you': 635676, 'if you ask': 415395, 'you ask me': 1017317, 'ask me smell': 95584, 'me smell recession': 523486, 'smell recession coming': 775618, 'recession coming stock': 704238, 'coming stock price': 188203, 'stock price fall': 802714, 'price fall the': 673800, 'fall the rich': 297075, 'the rich will': 865785, 'rich will love': 721271, 'will love that': 994061, 'love that more': 504797, 'that more stock': 845219, 'more stock they': 540472, 'stock they own': 802969, 'they own more': 882859, 'own more power': 632106, 'more power broke': 540110, 'power broke ass': 667579, 'broke ass get': 140824, 'ass get broker': 96253, 'get broker coronacrisis': 346716, 'sterlingjacksonrealestate': 799913, 'sterjackre': 799888, 'sterlingjackson': 799909, 'realestateisgreat': 701550, 'worldwarc': 1010293, 'doyourpart': 257859, 'goodjob': 358029, 'hope all': 403411, 'house sterlingjacksonrealestate': 406579, 'sterlingjacksonrealestate sterjackre': 799914, 'sterjackre sterlingjackson': 799889, 'sterlingjackson realestateisgreat': 799910, 'realestateisgreat worldwarc': 701553, 'worldwarc costco': 1010294, 'costco hoarding': 208236, 'hoarding scary': 399510, 'scary stockup': 741187, 'stockup stayhome': 804201, 'flattenthecurve socialdistancing': 310201, 'socialdistancing doyourpart': 780333, 'doyourpart goodjob': 257860, 'hope all have': 403412, 'all have stocked': 43062, 'have stocked up': 382769, 'up and are': 944304, 'and are ready': 58346, 'are ready to': 89461, 'around the house': 93542, 'the house sterlingjacksonrealestate': 857637, 'house sterlingjacksonrealestate sterjackre': 406580, 'sterlingjacksonrealestate sterjackre sterlingjackson': 799915, 'sterjackre sterlingjackson realestateisgreat': 799890, 'sterlingjackson realestateisgreat worldwarc': 799912, 'realestateisgreat worldwarc costco': 701554, 'worldwarc costco hoarding': 1010295, 'costco hoarding scary': 208237, 'hoarding scary stockup': 399511, 'scary stockup stayhome': 741188, 'stockup stayhome flattenthecurve': 804204, 'stayhome flattenthecurve socialdistancing': 798005, 'flattenthecurve socialdistancing doyourpart': 310202, 'socialdistancing doyourpart goodjob': 780334, 'awareness visit': 105742, 'stop state': 805064, 'state website': 796069, 'website to boost': 975439, '19 awareness visit': 5284, 'awareness visit the': 105743, 'visit the one': 959392, 'the one stop': 862222, 'one stop state': 607116, 'stop state website': 805065, 'state website for': 796071, 'unique source': 942002, 'income visit': 432490, 'our unique source': 625229, 'unique source of': 942003, 'of income visit': 585073, 'income visit at': 432491, 'grandmother sent': 361940, 'and noted': 67797, 'noted problem': 572873, 'solved toiletpaperapocalypse': 782191, 'quaratinelife stayathome': 693148, 'my grandmother sent': 548553, 'grandmother sent me': 361941, 'sent me this': 750778, 'me this and': 523707, 'this and noted': 886339, 'and noted problem': 67798, 'noted problem solved': 572874, 'problem solved toiletpaperapocalypse': 679678, 'solved toiletpaperapocalypse toiletpaper': 782192, 'toiletpaperapocalypse toiletpaper 19': 922929, 'toiletpaper 19 quaratinelife': 921677, '19 quaratinelife stayathome': 9931, 'quaratinelife stayathome lockdown': 693149, 'food election': 314345, 'election can': 271024, 'postponed also': 666792, 'also trust': 49039, 'trust supermarket': 934313, 'supermarket over': 821860, 'over standing': 630640, 'standing recycling': 793803, 'recycling air': 705541, 'may very': 521598, 'very well': 955660, 'day asymptomatic': 227324, 'asymptomatic period': 97320, 'need food election': 554794, 'food election can': 314346, 'election can be': 271025, 'can be postponed': 157665, 'be postponed also': 116487, 'postponed also trust': 666793, 'also trust supermarket': 49040, 'trust supermarket over': 934314, 'supermarket over standing': 821863, 'over standing recycling': 630641, 'standing recycling air': 793804, 'recycling air with': 705542, 'air with people': 39809, 'people who may': 650319, 'who may very': 989282, 'may very well': 521599, 'very well have': 955665, 'well have covid': 978270, 'but are in': 145213, 'in the 14': 428940, 'the 14 day': 847892, '14 day asymptomatic': 3442, 'day asymptomatic period': 227325, 'ransom': 696828, 'thing get': 884353, 'more desperate': 539005, 'desperate folk': 238521, 'folk might': 312214, 'might start': 531124, 'start taking': 794533, 'taking hostage': 833394, 'hostage and': 404906, 'demand toiletpaper': 236408, 'toiletpaper ransom': 922394, 'if thing get': 415142, 'thing get any': 884354, 'get any more': 346578, 'any more desperate': 79485, 'more desperate folk': 539006, 'desperate folk might': 238522, 'folk might start': 312215, 'might start taking': 531125, 'start taking hostage': 794535, 'taking hostage and': 833395, 'hostage and demand': 404907, 'and demand toiletpaper': 61176, 'demand toiletpaper ransom': 236409, 'fellowship': 303346, '60 turn': 21031, 'on tune': 604898, 'drop out': 260360, 'out updated': 627756, 'updated turn': 947453, 'turn off': 935712, 'off tune': 594355, 'tune out': 935421, 'off turn': 594357, 'off social': 594168, 'news be': 560265, 'be informed': 115495, 'informed but': 438085, 'limit exposure': 492339, 'exposure tune': 293018, 'out fake': 626051, 'news panic': 560689, 'buying drop': 150208, 'off there': 594297, 'food fellowship': 314457, 'fellowship love': 303347, 'love quarantine': 504758, 'the 60 turn': 848166, '60 turn on': 21032, 'turn on tune': 935728, 'on tune in': 604899, 'tune in and': 935401, 'in and drop': 420359, 'and drop out': 61762, 'drop out updated': 260363, 'out updated turn': 627757, 'updated turn off': 947454, 'turn off tune': 935720, 'off tune out': 594356, 'tune out and': 935422, 'out and drop': 625659, 'drop off turn': 260344, 'off turn off': 594358, 'turn off social': 935717, 'off social medium': 594169, 'social medium and': 779839, 'medium and the': 526995, 'and the news': 73493, 'the news be': 861603, 'news be informed': 560266, 'be informed but': 115496, 'informed but limit': 438086, 'but limit exposure': 146282, 'limit exposure tune': 492341, 'exposure tune out': 293020, 'tune out fake': 935423, 'out fake news': 626052, 'fake news panic': 296673, 'news panic buying': 560690, 'panic buying drop': 637711, 'buying drop off': 150209, 'drop off there': 260343, 'off there that': 594298, 'there that need': 879141, 'need help food': 554981, 'help food fellowship': 389743, 'food fellowship love': 314458, 'fellowship love quarantine': 303348, 'recognize and': 704631, 'report spam': 712268, 'spam text': 787389, 'message ve': 529470, 'been getting': 121198, 'getting lot': 349100, 'more robocalls': 540277, 'robocalls and': 724763, 'and spam': 72044, 'text since': 839940, 'caused to': 167977, 'fcc provides': 300773, 'provides way': 686914, 'these nuisance': 880353, 'how to recognize': 409068, 'to recognize and': 912954, 'recognize and report': 704632, 'and report spam': 70268, 'report spam text': 712269, 'spam text message': 787390, 'text message ve': 839918, 'message ve been': 529471, 've been getting': 952886, 'been getting lot': 121200, 'getting lot more': 349101, 'lot more robocalls': 504115, 'more robocalls and': 540278, 'robocalls and spam': 724764, 'and spam text': 72045, 'spam text since': 787391, 'text since covid': 839941, 'ha caused to': 370105, 'caused to stay': 167978, 'stay home the': 797013, 'home the fcc': 402231, 'the fcc provides': 855005, 'fcc provides way': 300774, 'provides way to': 686915, 'way to report': 970082, 'to report these': 913292, 'report these nuisance': 712369, 'condemning': 193364, 'petition condemning': 653598, 'condemning asian': 193365, 'asian store': 95347, 'charging extortionist': 173475, 'extortionist price': 293415, 'petition condemning asian': 653599, 'condemning asian store': 193366, 'asian store for': 95349, 'store for charging': 807791, 'for charging extortionist': 320022, 'charging extortionist price': 173476, 'extortionist price during': 293416, 'setlife': 753609, 'filmcrew': 305718, 'freelance film': 332432, 'film crew': 305672, 'crew in': 216696, 'in closed': 421514, 'closed industry': 183188, 'like universal': 491698, 'universal credit': 942353, 'or working': 617840, 'supermarket freelance': 820451, 'freelance setlife': 332436, 'setlife filmcrew': 753610, 'freelance film crew': 332433, 'film crew in': 305673, 'crew in closed': 216697, 'in closed industry': 421515, 'closed industry for': 183189, 'industry for me': 435833, 'me it seems': 523017, 'seems like universal': 746820, 'like universal credit': 491699, 'universal credit or': 942356, 'credit or working': 216446, 'or working in': 617841, 'in supermarket freelance': 428604, 'supermarket freelance setlife': 820452, 'freelance setlife filmcrew': 332437, 'our nurse': 624102, 'one icu': 606453, 'icu nurse': 412845, 'nurse plea': 577457, 'her fellow': 392041, 'fellow new': 303313, 'yorkers newyorktough': 1016712, 'way to thank': 970113, 'thank our nurse': 841621, 'our nurse and': 624104, 'nurse and health': 577199, 'care worker is': 164294, 'worker is to': 1007242, 'is to listen': 453219, 'listen to them': 494755, 'to them here': 917299, 'them here one': 875849, 'here one icu': 393417, 'one icu nurse': 606454, 'icu nurse plea': 412847, 'nurse plea to': 577458, 'plea to her': 659565, 'to her fellow': 907697, 'her fellow new': 392042, 'fellow new yorkers': 303314, 'new yorkers newyorktough': 559970, 'intial': 442324, 'iif': 415996, 'cor': 203481, 'you tell': 1021538, 'tell my': 837038, 'my claim': 547696, 'claim submitted': 179824, 'submitted against': 815813, '19 carona': 5649, 'on 30': 599087, '30 march': 17100, 'going 12': 354978, '12 april': 2821, 'april my': 83643, 'claim already': 179688, 'already pending': 47566, 'pending in': 646480, 'in intial': 424128, 'intial stage': 442325, 'stage which': 793222, 'is pending': 450833, 'pending from': 646478, 'from da': 335092, 'da account': 224213, 'account iif': 28698, 'iif today': 415997, 'tomorrow not': 924143, 'not settle': 571542, 'settle my': 753682, 'claim will': 179867, 'go consumer': 353418, 'consumer cor': 196977, 'can you tell': 160341, 'you tell my': 1021540, 'tell my claim': 837041, 'my claim submitted': 547698, 'claim submitted against': 179825, 'submitted against covid': 815814, 'covid 19 carona': 212762, '19 carona virus': 5650, 'carona virus on': 164862, 'virus on 30': 958549, 'on 30 march': 599088, '30 march and': 17101, 'march and now': 515273, 'and now going': 67838, 'now going 12': 574798, 'going 12 april': 354979, '12 april my': 2823, 'april my claim': 83644, 'my claim already': 547697, 'claim already pending': 179689, 'already pending in': 47567, 'pending in intial': 646481, 'in intial stage': 424129, 'intial stage which': 442326, 'stage which is': 793223, 'which is pending': 986042, 'is pending from': 450834, 'pending from da': 646479, 'from da account': 335093, 'da account iif': 224214, 'account iif today': 28699, 'iif today or': 415998, 'today or tomorrow': 919997, 'or tomorrow not': 617496, 'tomorrow not settle': 924146, 'not settle my': 571543, 'settle my claim': 753683, 'my claim will': 547699, 'claim will go': 179869, 'will go consumer': 993545, 'go consumer cor': 353420, 'needful': 556599, 'it showing': 461042, 'showing out': 767490, 'also price': 48684, 'be low': 115838, 'low per': 505486, 'per indian': 650894, 'indian law': 434853, 'law at': 482222, '19 kindly': 8242, 'kindly do': 475121, 'the needful': 861406, 'needful to': 556600, 'it available': 456642, 'better quality': 128438, 'quality at': 691766, 'price htt': 674598, 'now it showing': 575130, 'it showing out': 461043, 'showing out of': 767491, 'of stock and': 590138, 'stock and also': 801798, 'and also price': 57968, 'also price should': 48686, 'should be low': 765670, 'be low per': 115840, 'low per indian': 505487, 'per indian law': 650895, 'indian law at': 434854, 'law at this': 482225, 'this time covid': 890628, 'covid 19 kindly': 213322, '19 kindly do': 8243, 'kindly do the': 475122, 'do the needful': 250251, 'the needful to': 861407, 'needful to make': 556601, 'make it available': 510022, 'it available in': 456645, 'available in better': 104435, 'in better quality': 420802, 'better quality at': 128439, 'quality at affordable': 691767, 'affordable price htt': 34881, 'other illegal': 620393, 'illegal scam': 416238, 'are common': 85449, 'common during': 189378, 'emergency like': 272782, 'like learn': 490632, 'your ag': 1022755, 'ag is': 36798, 'and other illegal': 68344, 'other illegal scam': 620394, 'illegal scam are': 416239, 'scam are common': 740037, 'are common during': 85450, 'common during emergency': 189379, 'during emergency like': 262625, 'emergency like learn': 272783, 'like learn what': 490633, 'learn what your': 484096, 'what your ag': 982705, 'your ag is': 1022756, 'ag is doing': 36799, 'protect consumer at': 684801, 'get access': 346498, 'useful information about': 950169, 'information about supermarket': 437714, 'about supermarket opening': 26286, 'those vulnerable get': 892594, 'vulnerable get access': 960973, 'get access to': 346499, 'and supply please': 72809, 'supply please share': 825717, 'overdoses': 631172, 'the direct': 853308, 'health among': 386115, 'use drug': 949174, 'drug ha': 260964, 'yet been': 1016012, 'been determined': 120966, 'determined but': 239450, 'is certain': 446444, 'certain fewer': 170008, 'fewer service': 304235, 'service high': 752458, 'high drug': 395047, 'more drug': 539079, 'drug contamination': 260923, 'contamination overdoses': 200729, 'overdoses desperation': 631173, 'desperation isolation': 238598, 'and violence': 74967, 'the direct impact': 853309, 'direct impact of': 243342, '19 on health': 8947, 'on health among': 601254, 'health among people': 386116, 'among people who': 53050, 'who use drug': 989859, 'use drug ha': 949175, 'drug ha not': 260965, 'ha not yet': 371377, 'not yet been': 572596, 'yet been determined': 1016013, 'been determined but': 120967, 'determined but the': 239451, 'but the direct': 147332, 'of the response': 591409, 'the response is': 865622, 'response is certain': 715739, 'is certain fewer': 446447, 'certain fewer service': 170009, 'fewer service high': 304236, 'service high drug': 752459, 'high drug price': 395048, 'price and more': 672474, 'and more drug': 67164, 'more drug contamination': 539080, 'drug contamination overdoses': 260924, 'contamination overdoses desperation': 200730, 'overdoses desperation isolation': 631174, 'desperation isolation and': 238599, 'isolation and violence': 455204, 'brutalised': 141411, 'confrontational': 194297, 'cultured': 220314, 'populated': 664628, 'clip of': 182364, 'an nurse': 56530, 'nurse off': 577431, 'off 14': 593595, '14 hour': 3480, 'hour icu': 405678, 'icu shift': 412853, 'shift cry': 758271, 'her supermarket': 392412, 'stripped not': 813864, 'not surprised': 571862, 'surprised this': 828612, 'become brutalised': 119940, 'brutalised confrontational': 141412, 'confrontational sub': 194300, 'sub cultured': 815680, 'cultured little': 220315, 'little rock': 495546, 'rock populated': 724914, 'populated by': 664629, 'people encouraged': 647786, 'their leader': 873798, 'leader to': 483551, 'to lie': 909243, 'lie and': 488332, 'be stupid': 117422, 'clip of an': 182365, 'of an nurse': 580125, 'an nurse off': 56531, 'nurse off 14': 577432, 'off 14 hour': 593597, '14 hour icu': 3481, 'hour icu shift': 405679, 'icu shift cry': 412854, 'shift cry because': 758272, 'cry because her': 219857, 'because her supermarket': 119125, 'her supermarket ha': 392414, 'ha been stripped': 369938, 'been stripped not': 122069, 'stripped not surprised': 813865, 'not surprised this': 571864, 'surprised this country': 828613, 'country ha become': 210708, 'ha become brutalised': 369671, 'become brutalised confrontational': 119941, 'brutalised confrontational sub': 141413, 'confrontational sub cultured': 194301, 'sub cultured little': 815681, 'cultured little rock': 220316, 'little rock populated': 495547, 'rock populated by': 724915, 'populated by people': 664630, 'by people encouraged': 153548, 'people encouraged by': 647787, 'encouraged by their': 275652, 'by their leader': 154496, 'their leader to': 873799, 'leader to lie': 483554, 'to lie and': 909244, 'lie and be': 488333, 'and be stupid': 58769, 'savehowie': 737771, 'anyone even': 80305, 'considered checking': 195275, 'on picture': 602801, 'picture him': 656135, 'him in': 396633, 'panic room': 638499, 'room refusing': 725956, 'refusing any': 707079, 'or water': 617730, 'water from': 969002, 'world savehowie': 1009952, 'ha anyone even': 369583, 'anyone even considered': 80306, 'even considered checking': 283969, 'considered checking on': 195276, 'checking on picture': 174835, 'on picture him': 602802, 'picture him in': 656136, 'him in panic': 396637, 'in panic room': 426487, 'panic room refusing': 638500, 'room refusing any': 725957, 'refusing any food': 707080, 'any food or': 79239, 'food or water': 315674, 'or water from': 617731, 'water from the': 969005, 'from the outside': 337820, 'outside world savehowie': 629653, 'empowerment': 274664, 'burial': 142864, 'rocketed': 724957, 'nyers': 578095, 'new immigrant': 558910, 'immigrant community': 417215, 'community empowerment': 189831, 'empowerment is': 274667, 'doing tremendous': 252811, 'tremendous work': 931237, 'family most': 298055, 'swamped the': 829942, 'even burial': 283910, 'burial cost': 142865, 'cost assistance': 207871, 'assistance sky': 96744, 'sky rocketed': 773217, 'rocketed help': 724962, 'fellow nyers': 303317, 'nyers today': 578096, 'new immigrant community': 558911, 'immigrant community empowerment': 417216, 'community empowerment is': 189832, 'empowerment is doing': 274668, 'is doing tremendous': 447295, 'doing tremendous work': 252812, 'tremendous work to': 931238, 'work to help': 1005889, 'to help family': 907510, 'help family most': 389682, 'family most affected': 298056, '19 but they': 5536, 'they are swamped': 881425, 'are swamped the': 90690, 'swamped the demand': 829943, 'and even burial': 62334, 'even burial cost': 283911, 'burial cost assistance': 142866, 'cost assistance sky': 207872, 'assistance sky rocketed': 96745, 'sky rocketed help': 773218, 'rocketed help our': 724963, 'help our fellow': 390230, 'our fellow nyers': 623059, 'fellow nyers today': 303318, 'kixies': 475854, 'second batch': 743664, 'just arrived': 468218, 'arrived order': 93969, 'order shipping': 618574, 'shipping tomorrow': 758938, 'tomorrow kixies': 924116, 'kixies stayhome': 475857, 'stayhome stayhealthy': 798145, 'stayhealthy staysafe': 797911, 'sanitizer sanitize': 735683, 'sanitize kixies': 734196, 'second batch of': 743665, 'batch of sanitizer': 112580, 'of sanitizer just': 589294, 'sanitizer just arrived': 735240, 'just arrived order': 468221, 'arrived order shipping': 93970, 'order shipping tomorrow': 618575, 'shipping tomorrow kixies': 758939, 'tomorrow kixies stayhome': 924117, 'kixies stayhome stayhealthy': 475858, 'stayhome stayhealthy staysafe': 798149, 'stayhealthy staysafe sanitizer': 797913, 'staysafe sanitizer sanitize': 798875, 'sanitizer sanitize kixies': 735685, 'preliminary': 669867, 'long covid': 501379, '19 appears': 5180, 'on plastic': 602815, 'plastic cardboard': 658828, 'cardboard metal': 163723, 'metal preliminary': 529643, 'preliminary research': 669877, 'from 19': 334207, 'how long covid': 408196, 'long covid 19': 501380, 'covid 19 appears': 212644, '19 appears to': 5181, 'appears to live': 82219, 'to live on': 909346, 'live on plastic': 495962, 'on plastic cardboard': 602817, 'plastic cardboard metal': 658829, 'cardboard metal preliminary': 163724, 'metal preliminary research': 529644, 'preliminary research from': 669878, 'research from 19': 713730, 'etauto': 282381, 'etauto covid': 282382, 'price mixed': 675252, 'mixed demand': 534621, 'demand shrink': 236203, 'shrink but': 767691, 'but stimulus': 147189, 'stimulus hope': 801545, 'hope support': 403636, 'etauto covid 19': 282383, 'oil price mixed': 597193, 'price mixed demand': 675253, 'mixed demand shrink': 534622, 'demand shrink but': 236204, 'shrink but stimulus': 767692, 'but stimulus hope': 147190, 'stimulus hope support': 801546, 'communicable': 189536, 'nicd': 562326, '0800': 1097, '029': 832, '19 contact': 6005, 'of communicable': 581594, 'communicable disease': 189537, 'disease nicd': 245184, 'nicd consumer': 562327, 'consumer 24': 195983, 'hour toll': 406047, 'free hotline': 331909, 'hotline number': 405253, 'number 0800': 576799, '0800 029': 1100, '029 99': 833, '99 or': 23872, 'the nicd': 861781, 'nicd website': 562329, 'information on covid': 437910, 'covid 19 contact': 212847, '19 contact the': 6006, 'contact the national': 200225, 'national institute of': 552544, 'institute of communicable': 440425, 'of communicable disease': 581595, 'communicable disease nicd': 189538, 'disease nicd consumer': 245185, 'nicd consumer 24': 562328, 'consumer 24 hour': 195984, '24 hour toll': 15629, 'hour toll free': 406048, 'toll free hotline': 923843, 'free hotline number': 331910, 'hotline number 0800': 405254, 'number 0800 029': 576800, '0800 029 99': 1101, '029 99 or': 834, '99 or visit': 23874, 'or visit the': 617684, 'visit the nicd': 959390, 'the nicd website': 861782, 'donate food': 254179, 're accepting': 698173, 'accepting food': 28078, 'food donation': 314265, 'donation picking': 254668, 'own supply': 632248, 'supply make': 825527, 'bank at': 109666, 'donate food have': 254180, 'food have more': 314787, 'have more food': 381500, 'food than you': 317081, 'you need contact': 1019977, 'need contact your': 554641, 'contact your food': 200308, 'your food bank': 1023909, 'bank to find': 110257, 'find out if': 307142, 'out if they': 626365, 'they re accepting': 882987, 're accepting food': 698174, 'accepting food donation': 28079, 'food donation picking': 314271, 'donation picking up': 254669, 'your own supply': 1025164, 'own supply make': 632250, 'supply make donation': 825528, 'make donation to': 509858, 'food bank at': 313524, 'bank at the': 109668, 'store learn more': 808696, 'transurban': 930083, 'tollroads': 923891, 'trucking': 932980, 'transurban to': 930084, 'up toll': 946463, 'toll price': 923873, 'for motorist': 323632, 'motorist despite': 543361, 'via tollroads': 956333, 'tollroads trucking': 923892, 'trucking trucker': 932995, 'trucker infrastructure': 932926, 'infrastructure transportation': 438225, 'transportation transurban': 930047, 'transurban to hike': 930085, 'hike up toll': 396294, 'up toll price': 946464, 'toll price for': 923874, 'price for motorist': 674006, 'for motorist despite': 323633, 'motorist despite coronavirus': 543362, 'despite coronavirus via': 238710, 'coronavirus via tollroads': 207019, 'via tollroads trucking': 956334, 'tollroads trucking trucker': 923893, 'trucking trucker infrastructure': 932996, 'trucker infrastructure transportation': 932927, 'infrastructure transportation transurban': 438226, 'when last': 983673, 'last did': 480194, 'you sanitize': 1020988, 'when last did': 983674, 'last did you': 480195, 'did you sanitize': 240945, 'you sanitize your': 1020989, 'bondi': 134278, 'pm and': 661852, 'and cmo': 60032, 'cmo were': 184691, 'very clear': 955053, 'far people': 298887, 'people haven': 648213, 'haven used': 383919, 'used common': 949881, 'sense bondi': 750499, 'bondi beach': 134279, 'beach going': 118202, 'the chemist': 850794, 'chemist and': 175401, 'dr visit': 258118, 'visit confirming': 959216, 'confirming they': 194227, '19 travelling': 11560, 'travelling overseas': 930692, 'overseas despite': 631471, 'despite advice': 238661, 'give pe': 350641, 'the pm and': 863874, 'pm and cmo': 661854, 'and cmo were': 60033, 'cmo were very': 184692, 'were very clear': 980328, 'very clear that': 955055, 'clear that so': 181350, 'so far people': 777052, 'far people haven': 298888, 'people haven used': 648215, 'haven used common': 383920, 'used common sense': 949882, 'common sense bondi': 189455, 'sense bondi beach': 750500, 'bondi beach going': 134280, 'beach going to': 118203, 'to the chemist': 916555, 'the chemist and': 850795, 'chemist and supermarket': 175403, 'and supermarket on': 72727, 'supermarket on the': 821735, 'home from dr': 401260, 'from dr visit': 335215, 'dr visit confirming': 258119, 'visit confirming they': 959217, 'confirming they have': 194228, 'covid 19 travelling': 213981, '19 travelling overseas': 11561, 'travelling overseas despite': 930693, 'overseas despite advice': 631472, 'despite advice so': 238662, 'advice so give': 33501, 'so give pe': 777168, 'outbreak minnesota': 628455, 'minnesota fortune': 533604, 'fortune 500': 329925, '500 company': 19963, 'are dusting': 86030, 'their contingency': 872870, 'the outbreak minnesota': 862665, 'outbreak minnesota fortune': 628456, 'minnesota fortune 500': 533605, 'fortune 500 company': 329926, '500 company are': 19964, 'company are dusting': 190421, 'are dusting off': 86031, 'dusting off their': 263476, 'off their contingency': 594286, 'their contingency plan': 872871, 'contingency plan to': 200953, 'plan to meet': 658302, 'meet consumer demand': 527439, 'oag': 578247, '442': 19042, '9854': 23741, 'district law': 248374, 'law requires': 482383, 'requires most': 713485, 'most employer': 542294, 'employer to': 274547, 'with paidsickleave': 1000063, 'paidsickleave which': 634201, 'which allows': 985652, 'allows worker': 46406, 'take paid': 832476, 'leave from': 484799, 'to illness': 908123, 'illness read': 416390, 'our faq': 623012, 'faq about': 298664, 'your paid': 1025176, 'leave right': 484920, 'right during': 721876, 'during report': 262970, 'report violation': 712419, 'to oag': 910778, 'oag at': 578248, '202 442': 14072, '442 9854': 19043, 'district law requires': 248375, 'law requires most': 482385, 'requires most employer': 713486, 'most employer to': 542296, 'employer to provide': 274552, 'provide worker with': 686550, 'worker with paidsickleave': 1008265, 'with paidsickleave which': 1000064, 'paidsickleave which allows': 634202, 'which allows worker': 985655, 'allows worker to': 46407, 'worker to take': 1008023, 'to take paid': 916220, 'take paid leave': 832477, 'paid leave from': 634058, 'leave from work': 484800, 'from work due': 338406, 'due to illness': 261822, 'to illness read': 908126, 'illness read our': 416391, 'read our faq': 700506, 'our faq about': 623013, 'faq about your': 298665, 'about your paid': 27006, 'your paid leave': 1025177, 'paid leave right': 634064, 'leave right during': 484921, 'right during report': 721878, 'during report violation': 262972, 'report violation to': 712420, 'violation to oag': 957528, 'to oag at': 910779, 'oag at 202': 578249, 'at 202 442': 97518, '202 442 9854': 14073, 'on how should': 601424, 'how should respond': 408678, 'government could': 359997, 'done way': 255101, 'way better': 969498, 'better job': 128344, 'this close': 886788, 'close fast': 182636, 'essential make': 281296, 'make pharmacy': 510327, 'pharmacy such': 654487, 'such cv': 816431, 'walgreens drive': 964715, 'through only': 894604, 'enough time': 277681, 'up coronalockdown': 944653, 'the government could': 856519, 'government could have': 359999, 'could have done': 209252, 'have done way': 380341, 'done way better': 255102, 'way better job': 969499, 'better job to': 128348, 'job to contain': 466219, 'to contain this': 903369, 'contain this close': 200505, 'this close fast': 886789, 'close fast food': 182637, 'fast food it': 299967, 'food it not': 315181, 'it not essential': 459873, 'not essential make': 569216, 'essential make pharmacy': 281297, 'make pharmacy such': 510328, 'pharmacy such cv': 654488, 'such cv walgreens': 816432, 'cv walgreens drive': 223860, 'walgreens drive through': 964716, 'drive through only': 259182, 'through only and': 894605, 'only and do': 610092, 'do not allow': 249661, 'not allow people': 568140, 'people to leave': 649917, 'their home ha': 873564, 'home ha enough': 401326, 'ha enough time': 370503, 'enough time to': 277683, 'stock up coronalockdown': 803070, 'altruistic': 49404, 'consider supporting': 195119, 'supporting my': 827152, 'my have': 548625, 'started an': 794679, 'an altruistic': 55262, 'altruistic project': 49405, 'that aim': 842525, 'is direct': 447184, 'direct response': 243373, 'the unethical': 870378, 'unethical price': 941336, 'gouging that': 359464, 'happening now': 377381, 'now donate': 574555, 'please consider supporting': 659822, 'consider supporting my': 195120, 'supporting my have': 827153, 'my have started': 548626, 'have started an': 382716, 'started an altruistic': 794680, 'an altruistic project': 55263, 'altruistic project that': 49406, 'project that aim': 683540, 'that aim to': 842526, 'aim to get': 39550, 'to get mask': 906527, 'get mask into': 347527, 'mask into the': 518859, 'the hand of': 857060, 'hand of people': 375113, 'people at normal': 647176, 'at normal price': 99911, 'normal price this': 567280, 'this is direct': 888235, 'is direct response': 447185, 'direct response to': 243374, 'to the unethical': 917155, 'the unethical price': 870379, 'unethical price gouging': 941337, 'price gouging that': 674330, 'gouging that is': 359465, 'that is happening': 844596, 'is happening now': 448283, 'happening now donate': 377382, 'that care': 843158, 'care everyone': 163918, 'everyone doing': 286820, 'country who': 211232, 'vendor driver': 954357, 'for this community': 327016, 'this community that': 886817, 'community that care': 190152, 'that care everyone': 843160, 'care everyone doing': 163919, 'everyone doing their': 286822, 'help to all': 390764, 'store staff across': 810298, 'the country who': 852181, 'country who work': 211236, 'help and to': 389362, 'all the vendor': 44971, 'the vendor driver': 870682, 'vendor driver etc': 954358, 'driver etc thank': 259535, 'your refrigerator': 1025539, 'refrigerator here': 706812, 'what renowned': 982094, 'renowned scientist': 711028, 'scientist told': 742265, 'can survive in': 159875, 'survive in your': 829196, 'in your refrigerator': 431116, 'your refrigerator here': 1025540, 'refrigerator here what': 706813, 'here what renowned': 393818, 'what renowned scientist': 982095, 'renowned scientist told': 711029, 'playing our': 659432, 'keep trip': 472157, 'to minimum': 910175, 'minimum keep': 533195, 'keep 5m': 471280, '5m from': 20763, 'and return': 70470, 'home without': 402546, 'without delay': 1002585, 'delay more': 232724, 're all playing': 698229, 'all playing our': 43974, 'playing our part': 659433, 'of coronavirus keep': 581947, 'coronavirus keep trip': 206198, 'keep trip to': 472158, 'supermarket to minimum': 823391, 'to minimum keep': 910176, 'minimum keep 5m': 533196, 'keep 5m from': 471282, '5m from others': 20764, 'from others and': 336736, 'others and return': 621261, 'and return home': 70471, 'return home without': 719857, 'home without delay': 402548, 'without delay more': 1002586, 'delay more info': 232725, 'emphasise': 273377, 'the forum': 855719, 'forum board': 329950, 'envoy emphasise': 279223, 'emphasise the': 273380, 'global coordination': 351815, 'coordination in': 203222, 'in securing': 427772, 'securing consumer': 744499, 'product chain': 681052, 'the forum board': 855720, 'forum board of': 329951, 'director and covid': 243601, '19 special envoy': 10721, 'special envoy emphasise': 787911, 'envoy emphasise the': 279224, 'emphasise the need': 273381, 'need for global': 554844, 'for global coordination': 321897, 'global coordination in': 351816, 'coordination in securing': 203223, 'in securing consumer': 427773, 'securing consumer product': 744500, 'consumer product chain': 198450, 'bankingindustry': 110468, '19 reshaping': 10122, 'reshaping consumer': 714203, 'behavior how': 124065, 'give cardholder': 350430, 'cardholder peace': 163742, 'mind tune': 532758, 'webinar tomorrow': 975123, 'tomorrow to': 924211, 'now bankingindustry': 574175, 'bankingindustry financialservices': 110469, 'covid 19 reshaping': 213697, '19 reshaping consumer': 10123, 'reshaping consumer behavior': 714204, 'consumer behavior how': 196484, 'behavior how can': 124066, 'how can you': 407529, 'can you give': 160304, 'you give cardholder': 1018825, 'give cardholder peace': 350431, 'cardholder peace of': 163743, 'of mind tune': 586546, 'mind tune in': 532759, 'in to our': 430129, 'to our webinar': 911253, 'our webinar tomorrow': 625326, 'webinar tomorrow to': 975125, 'tomorrow to find': 924215, 'find out register': 307148, 'out register now': 627099, 'register now bankingindustry': 707588, 'now bankingindustry financialservices': 574176, 'spook': 789855, 'this costco': 886914, 'costco begin': 208207, 'begin at': 123504, 'coronavirus spook': 206797, 'spook shopper': 789858, 'line at this': 492993, 'at this costco': 101229, 'this costco begin': 886915, 'costco begin at': 208208, 'begin at 55': 123505, '55 coronavirus spook': 20374, 'coronavirus spook shopper': 206798, 'bandwidth': 109430, 'more individual': 539535, 'individual work': 435287, 'greater the': 363249, 'on bandwidth': 599552, 'bandwidth cable': 109431, 'cable company': 155013, 'sustain without': 829752, 'without increasing': 1002734, 'price expanding': 673730, 'expanding infrastructure': 290502, 'infrastructure 200': 438184, '200 household': 13494, 'household is': 406849, 'minimum price': 533215, 'price required': 676193, 'the more individual': 860886, 'more individual work': 539536, 'individual work from': 435288, 'from home the': 335911, 'home the greater': 402234, 'the greater the': 856747, 'greater the strain': 363251, 'the strain on': 868187, 'strain on bandwidth': 812288, 'on bandwidth cable': 599553, 'bandwidth cable company': 109432, 'cable company will': 155014, 'company will not': 191334, 'to sustain without': 916079, 'sustain without increasing': 829753, 'without increasing price': 1002735, 'increasing price expanding': 433671, 'price expanding infrastructure': 673731, 'expanding infrastructure 200': 290503, 'infrastructure 200 household': 438185, '200 household is': 13495, 'household is the': 406855, 'the minimum price': 860649, 'minimum price required': 533216, 'horrified': 404158, 'wa horrified': 962334, 'horrified by': 404161, 'by how': 152839, 'how lax': 408159, 'lax the': 482579, 'thursday when': 895447, 'people acting': 646761, 'beating covid': 118614, '19 think': 11333, 'could well': 209826, 'well see': 978544, 'extension to': 293293, 'lockdown result': 499861, 'wa horrified by': 962335, 'horrified by how': 404162, 'by how lax': 152843, 'how lax the': 408160, 'lax the social': 482580, 'the social distancing': 867412, 'distancing wa on': 247604, 'wa on thursday': 962836, 'on thursday when': 604683, 'thursday when went': 895448, 'to people acting': 911611, 'people acting like': 646762, 'acting like we': 29889, 'like we ve': 491780, 've already beating': 952820, 'already beating covid': 47216, 'beating covid 19': 118615, 'covid 19 think': 213940, '19 think we': 11335, 'we could well': 971221, 'could well see': 209827, 'well see surge': 978545, 'surge in case': 828181, 'in case and': 421253, 'case and an': 165620, 'and an extension': 58113, 'an extension to': 55993, 'extension to lockdown': 293294, 'to lockdown result': 909404, 'psa manage': 687410, 'manage grocery': 512394, 'work so': 1005739, 'person only': 652558, 'psa manage grocery': 687411, 'manage grocery store': 512395, 'have no choice': 381615, 'but to go': 147586, 'out and work': 625710, 'and work so': 75861, 'work so please': 1005741, 'do not bring': 249685, 'not bring your': 568626, 'bring your child': 140128, 'your child with': 1023209, 'child with you': 176277, 'with you one': 1002159, 'you one person': 1020201, 'one person only': 606864, 'person only get': 652559, 'only get what': 610506, 'need and get': 554425, 'and get out': 63592, 'get out our': 347742, 'out our health': 626976, 'matter too saferathome': 520643, 'left people': 485607, 'illness and': 416341, 'sick this': 768634, 'demand paidsickleave': 236008, 'paidsickleave this': 634199, 'and general': 63507, 'general health': 345350, 'pandemic demand': 635292, 'demand action': 234903, 'the ha left': 856999, 'ha left people': 371130, 'left people out': 485608, 'of work due': 593247, 'to illness and': 908124, 'illness and the': 416346, 'of getting sick': 584127, 'getting sick this': 349278, 'sick this is': 768635, 'time to demand': 897973, 'to demand paidsickleave': 904152, 'demand paidsickleave this': 236009, 'paidsickleave this is': 634200, 'to demand that': 904160, 'demand that people': 236336, 'that people be': 845688, 'people be able': 647221, 'pay for their': 644908, 'for their food': 326828, 'their food water': 873358, 'water and general': 968863, 'and general health': 63509, 'general health in': 345351, 'health in time': 386526, 'time of pandemic': 897351, 'of pandemic demand': 587695, 'pandemic demand action': 635293, 'the sharp': 866798, 'the declared': 853002, 'declared support': 231247, 'the review': 865766, 'budget so': 141818, 'cope in': 203317, 'following the sharp': 312907, 'the sharp drop': 866800, 'of the declared': 590937, 'the declared support': 853003, 'declared support for': 231248, 'for the review': 326657, 'the review of': 865767, 'of the 2020': 590766, 'the 2020 budget': 848017, '2020 budget so': 14196, 'budget so to': 141819, 'so to know': 778536, 'know how best': 476432, 'how best to': 407454, 'best to cope': 127942, 'to cope in': 903507, 'cope in the': 203318, 'march store': 515479, 'traffic drop': 929080, 'drop 53': 260103, '53 but': 20293, 'retailer stay': 719329, 'stay optimistic': 797167, 'about rebound': 26053, 'rebound retail': 703325, 'socialmedia breakingnews': 781078, 'breakingnews writingcommunity': 139106, 'march store traffic': 515480, 'store traffic drop': 810934, 'traffic drop 53': 929081, 'drop 53 but': 260104, '53 but some': 20294, 'but some retailer': 147104, 'some retailer stay': 783770, 'retailer stay optimistic': 719330, 'stay optimistic about': 797168, 'optimistic about rebound': 613927, 'about rebound retail': 26054, 'rebound retail business': 703326, 'retail business socialmedia': 717910, 'business socialmedia breakingnews': 144396, 'socialmedia breakingnews writingcommunity': 781079, 'who helping': 988994, 'helping during': 391310, 'and sanitation': 70822, 'who ain': 988043, 'ain doing': 39610, 'doing shit': 252645, 'shit the': 759239, 'who posted': 989433, 'know who helping': 477036, 'who helping during': 988996, 'helping during covid': 391311, '19 medical worker': 8619, 'medical worker delivery': 526500, 'store work and': 811438, 'work and sanitation': 1004801, 'and sanitation worker': 70824, 'sanitation worker you': 733880, 'worker you know': 1008312, 'know who ain': 477029, 'who ain doing': 988044, 'ain doing shit': 39611, 'doing shit the': 252646, 'shit the person': 759241, 'person who posted': 652735, 'who posted this': 989435, 'posted this tweet': 666586, 'health out': 386728, 'out comfort': 625863, 'comfort eating': 187827, 'eating return': 266299, 'now according': 573936, 'from globaldata': 335646, 'globaldata gd': 352305, 'health out comfort': 386729, 'out comfort eating': 625864, 'comfort eating return': 187829, 'eating return for': 266300, 'return for now': 719842, 'for now according': 323956, 'now according to': 573937, 'according to research': 28584, 'to research from': 913332, 'research from globaldata': 713734, 'from globaldata gd': 335647, 'ugt': 938066, 'collective bargaining': 186487, 'bargaining is': 111082, 'best platform': 127834, 'best precaution': 127854, 'and measure': 66849, 'taken through': 833088, 'through collective': 894373, 'bargaining for': 111080, 'example on': 288958, 'from collective': 334914, 'bargaining ugt': 111086, 'collective bargaining is': 186489, 'bargaining is the': 111083, 'the best platform': 849540, 'best platform to': 127835, 'platform to fight': 659045, 'the coronavirus the': 851925, 'coronavirus the best': 206902, 'the best precaution': 849543, 'best precaution and': 127855, 'precaution and measure': 669275, 'and measure can': 66850, 'can be taken': 157695, 'be taken through': 117505, 'taken through collective': 833089, 'through collective bargaining': 894374, 'collective bargaining for': 186488, 'bargaining for great': 111081, 'for great example': 322003, 'great example on': 362662, 'example on how': 288959, 'how to benefit': 408982, 'to benefit from': 901762, 'benefit from collective': 126982, 'from collective bargaining': 334915, 'collective bargaining ugt': 186490, 'in urge': 430474, 'urge govt': 948193, 'downturn pti': 257812, 'just in urge': 469051, 'in urge govt': 430475, 'urge govt to': 948194, 'govt to share': 361317, 'people amid due': 646829, '19 and economic': 5017, 'and economic downturn': 61900, 'economic downturn pti': 267079, 'mercandise': 528933, 'best buy': 127609, 'buy add': 148271, 'add doorstep': 31424, 'doorstep delivery': 255844, 'delivery offer': 234244, 'offer curbside': 594566, 'pickup part': 656005, 'coronavirus change': 205638, 'change bestbuy': 171954, 'bestbuy doorstep': 128015, 'pickup corona': 655951, 'corona change': 203851, 'retail retailstore': 718484, 'retailstore store': 719548, 'shopping buy': 762263, 'buy purchase': 149112, 'purchase mercandise': 689551, 'mercandise new': 528934, 'best buy add': 127610, 'buy add doorstep': 148272, 'add doorstep delivery': 31425, 'doorstep delivery offer': 255845, 'delivery offer curbside': 234245, 'offer curbside pickup': 594569, 'curbside pickup part': 220660, 'pickup part of': 656006, 'of coronavirus change': 581923, 'coronavirus change bestbuy': 205639, 'change bestbuy doorstep': 171955, 'bestbuy doorstep delivery': 128016, 'curbside pickup corona': 220648, 'pickup corona change': 655952, 'corona change retail': 203852, 'change retail retailstore': 172248, 'retail retailstore store': 718485, 'retailstore store shop': 719549, 'store shop shopping': 810119, 'shop shopping buy': 760775, 'shopping buy purchase': 762265, 'buy purchase mercandise': 149113, 'purchase mercandise new': 689552, 'listened': 494778, 'quah': 691680, 'aggregate': 38221, 'jaw': 464878, 'listened to': 494779, 'this danny': 887157, 'danny quah': 225891, 'quah interview': 691681, 'interview on': 442225, 'what singapore': 982192, 'singapore did': 771118, 'did right': 240783, 'good except': 357021, 'one moment': 606675, 'moment where': 536116, 'where he': 984914, 'of aggregate': 579828, 'aggregate demand': 38222, 'demand look': 235820, 'which completely': 985759, 'completely made': 192320, 'my jaw': 548901, 'jaw drop': 464879, 'listened to this': 494783, 'to this danny': 917419, 'this danny quah': 887158, 'danny quah interview': 225892, 'quah interview on': 691682, 'interview on what': 442227, 'on what singapore': 605240, 'what singapore did': 982193, 'singapore did right': 771119, 'did right and': 240784, 'and it really': 65577, 'it really good': 460638, 'really good except': 702234, 'good except for': 357022, 'except for this': 289173, 'for this one': 327053, 'this one moment': 889245, 'one moment where': 606676, 'moment where he': 536117, 'where he said': 984918, 'he said there': 385378, 'no problem of': 565196, 'problem of aggregate': 679621, 'of aggregate demand': 579829, 'aggregate demand look': 38223, 'demand look at': 235821, 'supermarket shelf which': 822566, 'shelf which completely': 757797, 'which completely made': 985760, 'completely made my': 192321, 'made my jaw': 507861, 'my jaw drop': 548902, 'wrong the': 1013112, 'is ordering': 450603, 'ordering private': 619008, 'shutdown people': 768081, 'being decimated': 125023, 'decimated on': 230987, 'on purpose': 603020, 'purpose ha': 690127, 'ha trump': 372375, 'trump embraced': 933539, 'embraced socialism': 272502, 'socialism my': 780969, 'my trip': 550429, 'much socialism': 545312, 'socialism ever': 780956, 'happening in our': 377366, 'so wrong the': 778822, 'wrong the government': 1013115, 'government is ordering': 360265, 'is ordering private': 450605, 'ordering private business': 619009, 'private business to': 678868, 'business to shutdown': 144557, 'to shutdown people': 914619, 'shutdown people life': 768082, 'people life are': 648632, 'life are being': 488499, 'are being decimated': 84842, 'being decimated on': 125024, 'decimated on purpose': 230988, 'on purpose ha': 603026, 'purpose ha trump': 690128, 'ha trump embraced': 372376, 'trump embraced socialism': 933540, 'embraced socialism my': 272503, 'socialism my trip': 780970, 'my trip to': 550431, 'store today is': 810848, 'today is much': 919724, 'is much socialism': 449768, 'much socialism ever': 545313, 'socialism ever want': 780957, 'want to experience': 966031, 'seclusion': 743647, 'is perhaps': 450854, 'perhaps blessing': 651572, 'blessing for': 132643, 'seeing foot': 746296, 'drop shopper': 260386, 'shopper go': 761532, 'into seclusion': 442966, 'seclusion more': 743648, 'more more': 539801, 'more company': 538839, 'are advertising': 84239, 'advertising the': 33281, 'the alternative': 848604, 'alternative of': 49247, 'internet is perhaps': 441960, 'is perhaps blessing': 450855, 'perhaps blessing for': 651573, 'blessing for business': 132644, 'for business that': 319845, 'that are seeing': 842812, 'are seeing foot': 89897, 'seeing foot traffic': 746297, 'foot traffic drop': 318457, 'traffic drop shopper': 929082, 'drop shopper go': 260387, 'shopper go into': 761533, 'go into seclusion': 353768, 'into seclusion more': 442967, 'seclusion more more': 743649, 'more more company': 539802, 'more company are': 538840, 'company are advertising': 190407, 'are advertising the': 84240, 'advertising the alternative': 33282, 'the alternative of': 848605, 'alternative of online': 49248, 'need covid': 554647, 'store be sure': 806666, 'sure to thank': 827788, 'to thank the': 916434, 'at risk to': 100408, 'risk to make': 723967, 'they need covid': 882725, 'need covid 19': 554648, 'roundy': 726430, 'roundy like': 726431, 'like other': 490943, 'supermarket operator': 821783, 'operator is': 613374, 'seeing surge': 746480, 'shopper stocking': 761716, 'up item': 945252, 'roundy like other': 726432, 'like other supermarket': 490948, 'other supermarket operator': 621022, 'supermarket operator is': 821786, 'operator is seeing': 613375, 'is seeing surge': 451722, 'seeing surge in': 746481, 'in demand from': 422126, 'demand from shopper': 235546, 'from shopper stocking': 337270, 'shopper stocking up': 761717, 'stocking up item': 803619, 'up item due': 945253, 'consumes': 199792, 'hpqm77pgsd': 409577, 'report collected': 711869, 'collected since': 186374, '2020 consumes': 14245, 'consumes via': 199793, 'mondaymotivation co': 536455, 'co hpqm77pgsd': 184855, 'commission report that': 188889, 'report that approximately': 712315, '12 million ha': 2884, 'million ha been': 532178, 'ha been lost': 369847, 'been lost to': 121490, 'related scam based': 708548, 'scam based on': 740068, 'on consumer report': 600073, 'consumer report collected': 198702, 'report collected since': 711870, 'collected since january': 186375, 'january 2020 consumes': 464630, '2020 consumes via': 14246, 'consumes via security': 199794, 'tech mondaymotivation co': 836121, 'mondaymotivation co hpqm77pgsd': 536456, 'that prey': 845818, 'public fear': 687991, 'loved one with': 504928, 'one with these': 607491, 'with these tip': 1001663, 'trade commission for': 928445, 'commission for avoiding': 188823, 'avoiding scam that': 105494, 'scam that prey': 740399, 'that prey on': 845819, 'prey on the': 672072, 'the public fear': 864808, 'public fear surrounding': 687994, 'today ve': 920424, 've mostly': 953376, 'mostly been': 542938, 'been wondering': 122390, 'borrow inflatable': 135600, 'inflatable ball': 436973, 'push trolley': 690334, 'one socialdistancing': 607066, 'today ve mostly': 920425, 've mostly been': 953377, 'mostly been wondering': 542939, 'been wondering if': 122391, 'wondering if can': 1004167, 'if can borrow': 413922, 'can borrow inflatable': 157777, 'borrow inflatable ball': 135601, 'inflatable ball to': 436974, 'ball to go': 109070, 'supermarket and whether': 819105, 'and whether it': 75545, 'whether it would': 985536, 'would be possible': 1011634, 'possible to push': 665851, 'to push trolley': 912574, 'push trolley in': 690335, 'trolley in one': 932433, 'in one socialdistancing': 426155, 'attention resident': 102475, 'queue up': 694109, 'outside your': 629657, 'around there': 93579, '19 bollock': 5415, 'bollock so': 134120, 'why change': 990881, 'your buying': 1023095, 'habit now': 372657, 'attention resident of': 102476, 'resident of the': 714346, 'united kingdom you': 942191, 'kingdom you do': 475356, 'to queue up': 912674, 'queue up outside': 694111, 'up outside your': 945722, 'outside your local': 629660, 'supermarket at 7am': 819231, '7am to ensure': 22441, 'ensure you get': 278128, 'your shopping there': 1025796, 'is enough to': 447519, 'go around there': 353317, 'around there wa': 93580, 'there wa before': 879231, 'wa before this': 961671, 'before this covid': 123226, 'covid 19 bollock': 212716, '19 bollock so': 5416, 'bollock so why': 134121, 'so why change': 778753, 'why change your': 990882, 'change your buying': 172414, 'your buying habit': 1023096, 'buying habit now': 150461, 'the love': 859763, 'carers teacher': 164620, 'teacher supermarket': 835509, 'taken global': 833002, 'to realise': 912852, 'realise just': 701601, 'actually are': 30729, 'really appreciate all': 701979, 'appreciate all the': 82707, 'all the love': 44817, 'the love for': 859765, 'the nh carers': 861731, 'nh carers teacher': 561919, 'carers teacher supermarket': 164621, 'teacher supermarket worker': 835513, 'supermarket worker etc': 824017, 'worker etc but': 1006867, 'etc but why': 282453, 'but why ha': 147860, 'why ha it': 991031, 'ha it taken': 371028, 'it taken global': 461436, 'taken global pandemic': 833003, 'global pandemic to': 352108, 'pandemic to realise': 636790, 'to realise just': 912853, 'realise just how': 701602, 'just how important': 468997, 'how important we': 408042, 'important we actually': 419103, 'we actually are': 970279, 'actually are 19': 30730, 'spain is': 787313, 'now controlling': 574444, 'controlling how': 202275, 'ppl can': 668201, 'spain is now': 787314, 'is now controlling': 450274, 'now controlling how': 574445, 'controlling how many': 202276, 'how many ppl': 408281, 'many ppl can': 514575, 'ppl can enter': 668203, 'can enter the': 158239, 'store at once': 806588, 'indiana': 434914, 'in indiana': 424067, 'indiana she': 434926, 'ha fever': 370611, 'fever but': 303662, 'test she': 839164, 'safety kroger': 730602, 'paying her': 645423, 'her after': 391827, 'working 12': 1008458, 'shift for': 758289, 'nj please': 563447, 'keep her': 471577, 'daughter is supermarket': 226872, 'is supermarket worker': 452464, 'worker in indiana': 1007178, 'in indiana she': 424069, 'indiana she ha': 434927, 'she ha fever': 756074, 'ha fever but': 370613, 'fever but there': 303663, 'are no covid': 88249, '19 test she': 11083, 'test she is': 839165, 'she is isolating': 756154, 'is isolating for': 449003, 'isolating for her': 455096, 'her and everyone': 391847, 'and everyone safety': 62407, 'everyone safety kroger': 287339, 'safety kroger is': 730603, 'kroger is not': 477747, 'is not paying': 450151, 'not paying her': 570989, 'paying her after': 645424, 'her after working': 391828, 'after working 12': 36577, 'working 12 hour': 1008459, 'hour shift for': 405914, 'shift for week': 758290, 'week in nj': 976377, 'in nj please': 425903, 'nj please keep': 563448, 'please keep her': 660153, 'keep her in': 471580, 'her in your': 392142, 'ha compiled': 370213, 'compiled an': 191811, 'excellent list': 289094, 'pandemic staysafe': 636549, 'the ha compiled': 856985, 'ha compiled an': 370214, 'compiled an excellent': 191812, 'an excellent list': 55917, 'excellent list of': 289095, 'list of resource': 494468, 'of resource to': 588988, 'help you avoid': 390953, 'you avoid scam': 1017352, 'scam and fraud': 740000, 'and fraud during': 63254, 'the pandemic staysafe': 863108, 'pandemic staysafe stayhome': 636550, 'hey ya': 394559, 'll everything': 496746, 'been rough': 121870, 'rough all': 726241, 'all around': 42061, '19 lot': 8477, 'struggling myself': 814462, 'myself included': 550883, 'included work': 431709, 'service catering': 752213, 'catering and': 167256, 'what isn': 981740, 'isn really': 454637, 'really big': 702029, 'big demand': 129752, 'demand right': 236150, 'now lol': 575246, 'lol currently': 500890, 'currently getting': 221544, 'getting no': 349146, 'no hour': 564448, 'hey ya ll': 394560, 'ya ll everything': 1014015, 'll everything ha': 496747, 'everything ha been': 287828, 'ha been rough': 369908, 'been rough all': 121871, 'rough all around': 726242, 'all around with': 42067, 'around with covid': 93636, 'covid 19 lot': 213379, '19 lot of': 8478, 'are struggling myself': 90589, 'struggling myself included': 814463, 'myself included work': 550884, 'included work in': 431710, 'work in food': 1005308, 'in food service': 422986, 'food service catering': 316407, 'service catering and': 752214, 'catering and guess': 167257, 'guess what isn': 368083, 'what isn really': 981742, 'isn really big': 454639, 'really big demand': 702031, 'big demand right': 129754, 'demand right now': 236151, 'right now lol': 722099, 'now lol currently': 575247, 'lol currently getting': 500891, 'currently getting no': 221545, 'getting no hour': 349147, 'no hour at': 564449, 'hour at work': 405445, 'laborecon': 478489, 'laborecon no': 478492, 'no focus': 564242, 'better pay': 128402, 'pay they': 645168, 'need sick': 555565, 'leave grocery': 484805, 'calling in': 156575, 'in sick': 427930, 'sick right': 768596, '19 due': 6669, 'of testing': 590688, 'testing in': 839514, 'cannot leave': 161993, 'leave work': 485045, 'without positive': 1002844, 'laborecon no focus': 478493, 'no focus on': 564243, 'focus on that': 311900, 'on that now': 603942, 'that now they': 845426, 'now they need': 576112, 'need better pay': 554536, 'better pay they': 128403, 'pay they need': 645170, 'they need sick': 882757, 'need sick leave': 555566, 'sick leave grocery': 768493, 'leave grocery store': 484807, 'worker are calling': 1006373, 'are calling in': 85147, 'calling in sick': 156576, 'in sick right': 427934, 'sick right now': 768597, 'now and cannot': 574030, 'covid 19 due': 212991, '19 due to': 6670, 'to the lack': 916830, 'lack of testing': 478663, 'of testing in': 590689, 'testing in the': 839518, 'state and cannot': 795358, 'and cannot leave': 59515, 'cannot leave work': 161995, 'leave work without': 485048, 'work without positive': 1006056, 'without positive covid': 1002845, 'tpselfies': 928091, 'almost out': 46719, 'you land': 1019554, 'land one': 479285, 'pack tpselfies': 633179, 'tpselfies are': 928092, 'you get up': 1018805, 'get up at': 348562, 'up at am': 944424, 'at am to': 97939, 'am to line': 50506, 'up for toiletpaper': 944970, 'for toiletpaper because': 327254, 'toiletpaper because you': 921796, 'you re almost': 1020563, 're almost out': 698251, 'almost out and': 46720, 'out and you': 625711, 'and you land': 76030, 'you land one': 1019555, 'land one of': 479286, 'last pack tpselfies': 480432, 'pack tpselfies are': 633180, 'tpselfies are sign': 928093, 'are sign of': 90124, 'scaring': 741108, 'wuarantinememe': 1013437, 'literally scaring': 495074, 'scaring the': 741112, 'people toiletpaper': 649977, 'toiletpaper corona': 921874, 'toiletpaper panicbuying': 922308, 'panicbuying toiletpaperchallenge': 639095, 'toiletpaperchallenge quarantine': 922976, 'quarantine wuarantinememe': 692719, 'wuarantinememe hilarious': 1013438, 'hilarious laugh': 396443, 'is literally scaring': 449395, 'literally scaring the': 495075, 'scaring the shit': 741114, 'of people toiletpaper': 588007, 'people toiletpaper corona': 649978, 'toiletpaper corona toiletpaper': 921876, 'corona toiletpaper panicbuying': 204251, 'toiletpaper panicbuying toiletpaperchallenge': 922310, 'panicbuying toiletpaperchallenge quarantine': 639096, 'toiletpaperchallenge quarantine wuarantinememe': 922977, 'quarantine wuarantinememe hilarious': 692720, 'wuarantinememe hilarious laugh': 1013439, 'irony': 444958, 'bun': 142602, 'who see': 989572, 'the irony': 858458, 'irony of': 444965, 'find hot': 306968, 'hot dog': 405008, 'dog hamburger': 252107, 'hamburger bun': 374544, 'bun but': 142603, 'meat in': 525614, 'only person who': 610964, 'person who see': 652737, 'who see the': 989574, 'see the irony': 745847, 'the irony of': 858461, 'irony of being': 444966, 'of being able': 580633, 'to find hot': 905909, 'find hot dog': 306969, 'hot dog and': 405009, 'dog and hot': 252033, 'and hot dog': 64759, 'hot dog hamburger': 405011, 'dog hamburger bun': 252108, 'hamburger bun but': 374545, 'bun but no': 142605, 'but no meat': 146491, 'no meat in': 564750, 'meat in the': 525621, 'grocery store corona': 365301, 'store corona virus': 807177, 'litter': 495196, 'amreeka': 54920, 'ffs having': 304304, 'glove is': 352740, 'to litter': 909331, 'litter walk': 495209, 'walk two': 964909, 'two more': 937066, 'more step': 540458, 'step and': 799491, 'throw them': 895055, 'them away': 875453, 'the trash': 869916, 'trash don': 930153, 'don grocery': 253578, 'it return': 460755, 'return your': 719953, 'your cart': 1023151, 'their designated': 873008, 'designated spot': 238307, 'spot amreeka': 790029, 'amreeka usa': 54921, 'ffs having to': 304305, 'having to wear': 384374, 'and glove is': 63726, 'glove is not': 352742, 'not an excuse': 568196, 'excuse to litter': 289786, 'to litter walk': 909333, 'litter walk two': 495210, 'walk two more': 964910, 'two more step': 937067, 'more step and': 540459, 'step and throw': 799493, 'and throw them': 74097, 'throw them away': 895056, 'them away in': 875454, 'away in the': 105951, 'in the trash': 429625, 'the trash don': 869919, 'trash don grocery': 930154, 'don grocery store': 253579, 'store employee have': 807497, 'employee have enough': 273919, 'enough to put': 277719, 'to put up': 912623, 'put up with': 690971, 'up with and': 946617, 'with and while': 997253, 'and while we': 75575, 'we re at': 972829, 're at it': 698327, 'at it return': 99335, 'it return your': 460757, 'return your cart': 719954, 'your cart to': 1023155, 'cart to their': 165402, 'to their designated': 917223, 'their designated spot': 873009, 'designated spot amreeka': 238308, 'spot amreeka usa': 790030, 'lifeblood': 489258, 'cashisking': 166683, 'sixoclock': 772735, 'recession economist': 704267, 'economist recommend': 267574, 'recommend cash': 704685, 'cash consumer': 166200, 'economy lifeblood': 268039, 'lifeblood cashisking': 489259, 'cashisking sixoclock': 166684, 'sixoclock news': 772736, 'recession economist recommend': 704268, 'economist recommend cash': 267575, 'recommend cash consumer': 704686, 'cash consumer economy': 166201, 'consumer economy lifeblood': 197311, 'economy lifeblood cashisking': 268040, 'lifeblood cashisking sixoclock': 489260, 'cashisking sixoclock news': 166685, 'glitch': 351713, 'technical glitch': 836206, 'glitch at': 351714, 'on wholefoods': 605298, 'wholefoods prime': 990399, 'prime now': 678169, 'and amazonfresh': 58054, 'amazonfresh order': 51230, 'order tonight': 618727, 'tonight panic': 924468, 'buying through': 151229, 'outbreak highlight': 628306, 'technical glitch at': 836207, 'glitch at amazon': 351715, 'at amazon is': 97949, 'amazon is wreaking': 51013, 'havoc on wholefoods': 384434, 'on wholefoods prime': 605299, 'wholefoods prime now': 990400, 'prime now and': 678170, 'now and amazonfresh': 574026, 'and amazonfresh order': 58055, 'amazonfresh order tonight': 51231, 'order tonight panic': 618728, 'tonight panic buying': 924469, 'panic buying through': 637936, 'buying through the': 151230, 'through the outbreak': 894761, 'the outbreak highlight': 862640, 'outbreak highlight the': 628307, 'highlight the limit': 395971, 'the limit of': 859387, 'limit of amazon': 492393, 'of amazon delivery': 580027, 'world are looking': 1009318, 'looking to combat': 503023, 'country right': 211014, 'every supermarket shelf': 286266, 'the country right': 852144, 'country right now': 211015, 'slows': 774630, 'treasure coast': 930765, 'coast food': 185103, 'demand up': 236427, '40 access': 18523, 'perishable slows': 652004, 'slows amid': 774633, 'outbreak via': 628778, 'treasure coast food': 930766, 'coast food bank': 185104, 'bank demand up': 109765, 'demand up 40': 236428, 'up 40 access': 944169, '40 access to': 18524, 'access to non': 28262, 'to non perishable': 910631, 'non perishable slows': 566460, 'perishable slows amid': 652005, 'slows amid covid': 774634, '19 outbreak via': 9202, 'cut price by': 223492, 'by 50 while': 151676, 'denis': 236993, 'people crowding': 647591, 'in saint': 427636, 'saint denis': 731813, 'denis the': 236996, 'after announced': 35365, 'announced tightening': 77096, 'tightening travel': 895857, 'people crowding in': 647592, 'in the door': 429147, 'door of supermarket': 255666, 'supermarket in saint': 820970, 'in saint denis': 427637, 'saint denis the': 731815, 'denis the day': 236997, 'the day after': 852865, 'day after announced': 227177, 'after announced tightening': 35368, 'announced tightening travel': 77097, 'tightening travel restriction': 895858, 'n95facemask': 551242, 'mask already': 518287, 'usa thing': 948762, 'better sooner': 128479, 'sooner pay': 785921, 'pay large': 644974, 'large attention': 479596, 'yourself mask': 1026664, 'mask facemask': 518639, 'n95 n95facemask': 551212, 'n95facemask corona': 551243, 'coronavir coronavid19': 205419, 'disposable mask already': 246261, 'mask already in': 518288, 'already in supermarket': 47475, 'supermarket in usa': 820996, 'in usa thing': 430496, 'usa thing will': 948763, 'will be better': 992378, 'be better sooner': 113842, 'better sooner pay': 128480, 'sooner pay large': 785922, 'pay large attention': 644975, 'large attention to': 479597, 'attention to protect': 102496, 'protect yourself mask': 685099, 'yourself mask mask': 1026666, 'mask mask facemask': 518952, 'mask facemask n95': 518640, 'facemask n95 n95facemask': 295092, 'n95 n95facemask corona': 551213, 'n95facemask corona coronav': 551244, 'ru coronavir coronavid19': 726888, 'also want': 49075, 'from recent': 337048, 'recent scam': 703986, 'scam regarding': 740325, 'ftc share': 339449, 'share red': 755201, 'red flag': 705578, 'flag to': 309948, 'for below': 319642, 'while we all': 987542, 'all take the': 44596, 'the necessary step': 861381, 'necessary step to': 554095, 'maintain the well': 509066, 'of our community': 587438, 'community we also': 190206, 'we also want': 970413, 'also want to': 49076, 'want to remind': 966103, 'you to protect': 1021823, 'and your information': 76079, 'your information from': 1024483, 'information from recent': 437845, 'from recent scam': 337049, 'recent scam regarding': 703987, 'scam regarding covid': 740326, 'the ftc share': 855941, 'ftc share red': 339450, 'share red flag': 755202, 'red flag to': 705580, 'flag to look': 309949, 'look for below': 502351, 'mn grocery': 534795, 'considered emergency': 195281, 'given childcare': 350969, 'childcare assistance': 176290, 'assistance 19': 96659, 'mn grocery store': 534796, 'worker are considered': 1006376, 'are considered emergency': 85502, 'considered emergency personnel': 195282, 'emergency personnel and': 272861, 'personnel and will': 653082, 'be given childcare': 115023, 'given childcare assistance': 350970, 'childcare assistance 19': 176291, 'assistance 19 corona': 96660, '19 corona pandemic': 6051, 'mature': 520706, 'overheard it': 631241, 'old rave': 598440, 'rave day': 697927, 'day group': 227702, 'shopper receive': 761660, 'receive mass': 703506, 'mass text': 519883, 'message telling': 529428, 'them where': 876611, 'where and': 984733, 'due thanks': 261685, 'for mature': 323290, 'mature liberal': 520707, 'liberal democracy': 488006, 'democracy boris': 236679, 'boris black': 135445, 'market spiv': 517092, 'overheard it like': 631242, 'it like the': 459375, 'like the old': 491385, 'the old rave': 862143, 'old rave day': 598441, 'rave day group': 697928, 'day group of': 227703, 'group of shopper': 366801, 'of shopper receive': 589648, 'shopper receive mass': 761661, 'receive mass text': 703507, 'mass text message': 519884, 'text message telling': 839916, 'message telling them': 529429, 'telling them where': 837277, 'them where and': 876612, 'where and when': 984735, 'and when the': 75522, 'when the next': 984176, 'the next grocery': 861669, 'next grocery delivery': 561389, 'grocery delivery is': 364444, 'delivery is due': 234136, 'is due thanks': 447402, 'due thanks for': 261686, 'thanks for mature': 842068, 'for mature liberal': 323291, 'mature liberal democracy': 520708, 'liberal democracy boris': 488007, 'democracy boris black': 236680, 'boris black market': 135446, 'black market spiv': 132093, 'can bet': 157754, 'your last': 1024590, 'last toilet': 480585, 'roll that': 725530, 'that cybercriminals': 843425, 'cybercriminals anticipated': 223968, 'anticipated the': 78466, 'shopping rush': 763791, 'rush and': 728282, 'were ready': 980036, 'all kind': 43318, 'kind online': 474956, 'online besafe': 607930, 'you can bet': 1017630, 'can bet your': 157757, 'bet your last': 128136, 'your last toilet': 1024593, 'last toilet paper': 480586, 'paper roll that': 640695, 'roll that cybercriminals': 725531, 'that cybercriminals anticipated': 843426, 'cybercriminals anticipated the': 223969, 'anticipated the online': 78467, 'online shopping rush': 609257, 'shopping rush and': 763792, 'rush and were': 728283, 'and were ready': 75437, 'were ready to': 980037, 'ready to take': 700984, 'our need to': 624002, 'buy supply of': 149267, 'supply of all': 825612, 'of all kind': 579952, 'all kind online': 43321, 'kind online besafe': 474957, 'sikh': 769675, 'cater': 167239, 'proudsikhs': 686090, 'sikh non': 769680, 'profit organization': 682835, 'organization ha': 619374, 'ha opened': 371448, 'opened emergency': 612721, 'canada to': 160586, 'to cater': 902520, 'cater to': 167244, 'outbreak proudsikhs': 628546, 'proudsikhs 19': 686091, 'sikh non profit': 769681, 'non profit organization': 566475, 'profit organization ha': 682836, 'organization ha opened': 619376, 'ha opened emergency': 371449, 'opened emergency food': 612722, 'emergency food bank': 272701, 'bank in canada': 109915, 'in canada to': 421203, 'canada to cater': 160587, 'to cater to': 902523, 'cater to the': 167247, 'for food supply': 321637, 'supply and hygiene': 824727, 'product in view': 681300, 'the outbreak proudsikhs': 862681, 'outbreak proudsikhs 19': 628547, 'good industry': 357257, 'industry d2c': 435761, 'd2c or': 224204, 'ha emerged': 370476, 'emerged from': 272558, 'have capability': 379889, 'consumer good industry': 197622, 'good industry d2c': 357258, 'industry d2c or': 435762, 'd2c or direct': 224205, 'or direct to': 614976, 'to consumer ha': 903306, 'consumer ha emerged': 197675, 'ha emerged from': 370478, 'emerged from good': 272560, 'from good to': 335666, 'good to have': 357883, 'have to must': 383252, 'must have capability': 546696, 'bramley': 137650, 'bramley people': 137651, 'early before': 264554, 'even opened': 284437, 'opened they': 612768, 'other because': 619879, 'uk these': 938812, 'bramley people are': 137652, 'are turning up': 91231, 'turning up early': 935984, 'up early before': 944768, 'early before the': 264555, 'the shop ha': 866996, 'shop ha even': 760253, 'ha even opened': 370521, 'even opened they': 284438, 'opened they should': 612769, 'be so close': 117251, 'each other because': 264158, 'other because of': 619880, '19 outbreak that': 9196, 'outbreak that is': 628699, 'the uk these': 870291, 'uk these people': 938813, 'messichallenge': 529542, 'messichallenge 10': 529543, '10 toiletpaper': 1737, 'toiletpaper staying': 922533, 'staying positive': 798682, 'positive haven': 665343, 'haven touched': 383913, 'touched in': 926619, 'skill are': 772945, 'there new': 878785, 'messichallenge 10 toiletpaper': 529544, '10 toiletpaper staying': 1738, 'toiletpaper staying positive': 922534, 'staying positive haven': 798683, 'positive haven touched': 665344, 'haven touched in': 383914, 'touched in year': 926620, 'in year but': 431019, 'year but the': 1014448, 'but the skill': 147405, 'the skill are': 867300, 'skill are there': 772946, 'are there new': 90958, 'there new york': 878788, 'cringeworthy': 216924, 'fealty': 300992, 'did solid': 240808, 'posted his': 666533, 'current asking': 221101, 'equipment since': 279827, 'since cringeworthy': 770554, 'cringeworthy fealty': 216925, 'fealty seems': 300995, 'only currency': 610299, 'currency of': 221048, 'any value': 80009, 'value these': 952213, 'did solid and': 240809, 'solid and posted': 781906, 'and posted his': 69238, 'posted his current': 666534, 'his current asking': 397336, 'current asking price': 221102, 'for ppe and': 324664, 'ppe and healthcare': 667899, 'healthcare equipment since': 387096, 'equipment since cringeworthy': 279828, 'since cringeworthy fealty': 770555, 'cringeworthy fealty seems': 216926, 'fealty seems to': 300996, 'the only currency': 862298, 'only currency of': 610300, 'currency of any': 221049, 'of any value': 580274, 'any value these': 80010, 'value these day': 952214, 'x3': 1013759, 'a2': 24064, 'for usa': 327488, 'usa they': 948759, 'pay x3': 645241, 'x3 agreed': 1013760, 'agreed price': 38721, 'when plane': 983885, 'plane loaded': 658386, 'loaded in': 497313, 'in shanghai': 427855, 'shanghai to': 754810, 'fulfill order': 340414, 'country source': 211068, 'source french': 786484, 'french tv': 332764, 'tv a2': 936071, 'no problem for': 565193, 'problem for usa': 679527, 'for usa they': 327490, 'usa they pay': 948761, 'they pay x3': 882874, 'pay x3 agreed': 645242, 'x3 agreed price': 1013761, 'agreed price when': 38723, 'price when plane': 677487, 'when plane loaded': 983886, 'plane loaded in': 658387, 'loaded in shanghai': 497314, 'in shanghai to': 427857, 'shanghai to fulfill': 754811, 'to fulfill order': 906306, 'fulfill order from': 340415, 'order from other': 618257, 'from other country': 336725, 'other country source': 620026, 'country source french': 211069, 'source french tv': 786485, 'french tv a2': 332765, 'adorable': 32737, 'activitiesforchildren': 30352, 'dfwparents': 240067, 'so adorable': 776463, 'adorable activitiesforchildren': 32738, 'activitiesforchildren dfwparents': 30353, 'dfwparents parenting': 240068, 'parenting toiletpaper': 641807, 'are so adorable': 90190, 'so adorable activitiesforchildren': 776464, 'adorable activitiesforchildren dfwparents': 32739, 'activitiesforchildren dfwparents parenting': 30354, 'dfwparents parenting toiletpaper': 240069, 'what led': 981805, 'shelf toiletpaper': 757711, 'paper here what': 640268, 'here what led': 393813, 'what led to': 981806, 'led to empty': 485281, 'to empty store': 905035, 'store shelf toiletpaper': 810106, 'beverage company': 128994, 'company start': 191106, 'start producing': 794438, 'help essential': 389651, 'beverage company start': 128995, 'company start producing': 191107, 'start producing hand': 794439, 'to help essential': 907506, 'help essential service': 389652, 'essential service during': 281503, 'is dump': 447408, 'dump talking': 262188, 'border wall': 135287, 'wall oil': 965166, 'supposed briefing': 827342, 'the dont': 853551, 'dont call': 255196, 'coronavirus briefing': 205572, 'briefing if': 139719, 'if ur': 415221, 'ur gonna': 948002, 'gonna talk': 356636, 'just trying': 470146, 'trying increase': 934709, 'increase ur': 433142, 'ur rating': 948052, 'rating that': 697596, 'care so': 164204, 'why is dump': 991100, 'is dump talking': 447409, 'dump talking about': 262189, 'about the border': 26343, 'the border wall': 849876, 'border wall oil': 135288, 'wall oil price': 965167, 'price when he': 677484, 'when he is': 983535, 'he is supposed': 385148, 'is supposed briefing': 452481, 'supposed briefing on': 827343, 'briefing on the': 139732, 'on the dont': 604073, 'the dont call': 853552, 'dont call it': 255197, 'it the coronavirus': 461523, 'the coronavirus briefing': 851813, 'coronavirus briefing if': 205573, 'briefing if ur': 139720, 'if ur gonna': 415222, 'ur gonna talk': 948003, 'gonna talk about': 356637, 'talk about other': 833750, 'about other thing': 25874, 'other thing are': 621100, 'thing are just': 884158, 'are just trying': 87642, 'just trying increase': 470147, 'trying increase ur': 934710, 'increase ur rating': 433143, 'ur rating that': 948053, 'rating that care': 697597, 'that care so': 843161, 'care so much': 164205, 'so much about': 777755, 'handmaid': 376425, 'is weird': 453832, 'weird it': 977764, 'like handmaid': 490372, 'handmaid tale': 376426, 'tale no': 833696, 'talk or': 833835, 'or stand': 617198, 'stand near': 793549, 'near each': 553482, 'other quarantine': 620802, 'quarantine 30moredays': 691987, 'store is weird': 808546, 'is weird it': 453834, 'weird it like': 977765, 'it like handmaid': 459364, 'like handmaid tale': 490373, 'handmaid tale no': 376428, 'tale no one': 833697, 'one talk or': 607162, 'talk or stand': 833837, 'or stand near': 617199, 'stand near each': 793550, 'near each other': 553483, 'each other quarantine': 264214, 'other quarantine 30moredays': 620803, 'to mariano': 909845, 'mariano employee': 515680, 'had just': 373218, 'just gotten': 468878, 'gotten off': 359153, 'my bus': 547578, 'bus fight': 143038, 'fight broke': 304683, 'store glass': 807937, 'glass wa': 351642, 'broken stay': 140915, 'safe all': 729414, 'according to mariano': 28562, 'to mariano employee': 909846, 'mariano employee who': 515681, 'who had just': 988882, 'had just gotten': 373220, 'just gotten off': 468879, 'gotten off work': 359154, 'off work and': 594409, 'work and wa': 1004822, 'and wa on': 75093, 'wa on my': 962831, 'on my bus': 602270, 'my bus fight': 547579, 'bus fight broke': 143039, 'fight broke out': 304684, 'broke out in': 140854, 'grocery store glass': 365431, 'store glass wa': 807938, 'glass wa broken': 351643, 'wa broken stay': 961750, 'broken stay safe': 140916, 'stay safe all': 797207, 'safe all covid': 729415, 'figured': 305250, 'hi an': 394596, 'an artist': 55427, 'artist and': 94585, 'am currently': 49994, 'unemployed thank': 941135, '19 very': 11753, 'very cool': 955083, 'cool so': 203042, 'so figured': 777091, 'figured reopen': 305262, 'commission don': 188809, 'any set': 79791, 'anything so': 80886, 'interested just': 441472, 'in da': 421955, 'da thread': 224248, 'hi an artist': 394597, 'an artist and': 55428, 'artist and am': 94586, 'and am currently': 58010, 'am currently unemployed': 49996, 'currently unemployed thank': 221705, 'unemployed thank you': 941136, 'thank you covid': 841714, 'covid 19 very': 214025, '19 very cool': 11754, 'very cool so': 955084, 'cool so figured': 203043, 'so figured reopen': 777093, 'figured reopen commission': 305263, 'reopen commission don': 711351, 'commission don really': 188810, 'don really have': 253853, 'really have any': 702269, 'have any set': 379318, 'any set price': 79792, 'set price or': 753463, 'price or anything': 675765, 'or anything so': 614380, 'anything so if': 80887, 're interested just': 698911, 'interested just dm': 441473, 'just dm and': 468609, 'dm and we': 248871, 'we can work': 971039, 'can work it': 160249, 'work it out': 1005391, 'out here some': 626295, 'here some example': 393576, 'some example of': 782777, 'example of my': 288938, 'of my work': 586833, 'my work and': 550637, 'work and more': 1004790, 'more in da': 539509, 'in da thread': 421956, 'florida swimming': 310986, 'pool association': 664010, 'association ha': 96957, 'launched webpage': 482053, 'help answer': 389364, 'answer consumer': 78029, 'consumer question': 198632, 'about covid19': 25042, 'covid19 and': 214265, 'their swimming': 874933, 'pool please': 664020, 'the florida swimming': 855436, 'florida swimming pool': 310987, 'swimming pool association': 830360, 'pool association ha': 664011, 'association ha launched': 96959, 'ha launched webpage': 371115, 'launched webpage to': 482054, 'webpage to help': 975174, 'to help answer': 907451, 'help answer consumer': 389365, 'answer consumer question': 78030, 'consumer question about': 198633, 'question about covid19': 693496, 'about covid19 and': 25043, 'covid19 and their': 214266, 'and their swimming': 73721, 'their swimming pool': 874934, 'swimming pool please': 830363, 'pool please share': 664021, 'with your customer': 1002190, 'your customer and': 1023404, 'customer and client': 222069, 'heist': 388858, 'captiva': 162933, 'making get': 511087, 'away after': 105770, 'after pulling': 36087, 'pulling off': 688942, 'off heist': 593892, 'heist socialdistancing': 388868, 'socialdistancing mask': 780519, 'mask staysafe': 519308, 'staysafe florida': 798811, 'florida north': 310965, 'north captiva': 567624, 'captiva island': 162934, 'store or making': 809347, 'or making get': 616045, 'making get away': 511088, 'get away after': 346625, 'away after pulling': 105772, 'after pulling off': 36088, 'pulling off heist': 688943, 'off heist socialdistancing': 593893, 'heist socialdistancing mask': 388869, 'socialdistancing mask staysafe': 780521, 'mask staysafe florida': 519309, 'staysafe florida north': 798812, 'florida north captiva': 310966, 'north captiva island': 567625, 'sure how': 827571, 'best get': 127709, 'grocery during': 364481, 'pandemic health': 635601, 'health expert': 386417, 'expert have': 291847, 'some answer': 782301, 'answer cbc': 78025, 'still not sure': 800907, 'not sure how': 571838, 'sure how to': 827579, 'how to best': 408983, 'to best get': 901774, 'best get grocery': 127710, 'get grocery during': 347164, 'grocery during pandemic': 364484, 'during pandemic health': 262870, 'pandemic health expert': 635603, 'health expert have': 386420, 'expert have some': 291851, 'have some answer': 382620, 'some answer cbc': 782303, 'answer cbc news': 78026, 'this press': 889698, 'conference stop': 193758, 'supply work': 826132, 'own eye': 631978, 'eye that': 294103, 'really coming': 702070, 'coming shop': 188187, 'shop you': 761103, 'would there': 1012324, 'to this press': 917454, 'this press conference': 889699, 'press conference stop': 671036, 'conference stop panic': 193759, 'buying because there': 150001, 'is food supply': 447874, 'food supply work': 317019, 'supply work in': 826134, 'and see with': 71151, 'see with my': 746086, 'with my own': 999647, 'my own eye': 549640, 'own eye that': 631980, 'eye that they': 294104, 'are really coming': 89473, 'really coming shop': 702071, 'coming shop you': 188188, 'shop you normally': 761105, 'normally would there': 567578, 'would there is': 1012325, 'is lot for': 449465, 'lot for everyone': 504046, 'statebaroftexas': 796121, 'violates': 957495, 'deceptive': 230819, 'statebaroftexas rt': 796122, 'rt texan': 726813, 've encountered': 953076, 'encountered pricegouging': 275556, 'pricegouging should': 677853, 'or file': 615301, 'office stand': 595553, 'stand ready': 793577, 'prosecute anyone': 684617, 'who violates': 989888, 'violates the': 957496, 'texas deceptive': 839759, 'deceptive trade': 230824, 'practice act': 668514, 'statebaroftexas rt texan': 796123, 'rt texan who': 726814, 'texan who believe': 839729, 'they ve encountered': 883649, 've encountered pricegouging': 953077, 'encountered pricegouging should': 275557, 'pricegouging should call': 677854, '0508 or file': 959, 'or file complaint': 615302, 'complaint at my': 191948, 'at my office': 99826, 'my office stand': 549549, 'office stand ready': 595554, 'stand ready to': 793578, 'to prosecute anyone': 912285, 'prosecute anyone who': 684618, 'anyone who violates': 80635, 'who violates the': 989889, 'violates the texas': 957498, 'the texas deceptive': 869340, 'texas deceptive trade': 839760, 'deceptive trade practice': 230825, 'trade practice act': 928548, 'epi': 279298, 'demi': 236640, 'lirics': 494234, 'epic': 279302, 'overrated': 631410, 'literature': 495123, 'series epi': 751246, 'epi demi': 279299, 'demi lirics': 236641, 'lirics epic': 494235, 'epic drama': 279305, 'drama baby': 258243, 'baby drama': 106594, 'drama toilet': 258260, 'be overrated': 116312, 'overrated toiletpaper': 631411, 'toiletroll joke': 923366, 'joke literature': 467103, 'literature pandemia': 495124, 'series epi demi': 751247, 'epi demi lirics': 279300, 'demi lirics epic': 236642, 'lirics epic drama': 494236, 'epic drama baby': 279306, 'drama baby drama': 258244, 'baby drama toilet': 106595, 'drama toilet roll': 258261, 'roll can not': 725245, 'can not be': 159043, 'not be overrated': 568430, 'be overrated toiletpaper': 116313, 'overrated toiletpaper toiletroll': 631412, 'toiletpaper toiletroll joke': 922730, 'toiletroll joke literature': 923367, 'joke literature pandemia': 467104, 'fda warns': 300948, 'of questionable': 588689, 'help diagnose': 389584, 'diagnose treat': 240220, 'treat cure': 930817, 'even prevent': 284489, 'prevent covid': 671607, 'for link': 322993, 'fda statement': 300928, 'statement testing': 796215, 'the fda warns': 855028, 'fda warns the': 300949, 'warns the public': 967299, 'the public of': 864837, 'public of questionable': 688188, 'of questionable product': 588690, 'questionable product that': 693829, 'claim to help': 179851, 'to help diagnose': 907491, 'help diagnose treat': 389585, 'diagnose treat cure': 240221, 'treat cure and': 930818, 'cure and even': 220699, 'and even prevent': 62342, 'even prevent covid': 284490, 'prevent covid 19': 671608, 'covid 19 click': 212808, 'click here for': 181915, 'here for link': 393005, 'for link to': 322994, 'the fda statement': 855025, 'fda statement testing': 300929, 'distanced myself': 246920, 'the kitchen': 858831, 'kitchen now': 475730, 'next hurdle': 561403, 'hurdle is': 411449, 'this unnecessary': 890913, 'shopping doing': 762500, 'doing quarantinelife': 252617, 'socially distanced myself': 781057, 'distanced myself from': 246921, 'myself from the': 550866, 'from the kitchen': 337764, 'the kitchen now': 858836, 'kitchen now the': 475731, 'now the next': 576052, 'the next hurdle': 861672, 'next hurdle is': 561404, 'hurdle is to': 411450, 'is to socially': 453245, 'socially distance myself': 781046, 'myself from all': 550863, 'from all this': 334441, 'all this unnecessary': 45143, 'this unnecessary online': 890914, 'online shopping doing': 609096, 'shopping doing quarantinelife': 762501, 'find myself': 307082, 'myself wandering': 550968, 'wandering into': 965580, 'supermarket searching': 822349, 'searching for': 743324, 'aisle hoping': 40268, 'see stock': 745747, 'stock do': 802048, 'any guess': 79291, 'guess just': 367997, 'of normality': 587070, 'normality coronacrisisuk': 567452, 'find myself wandering': 307087, 'myself wandering into': 550969, 'wandering into supermarket': 965581, 'into supermarket searching': 443059, 'supermarket searching for': 822350, 'searching for the': 743336, 'for the toilet': 326735, 'roll aisle hoping': 725162, 'aisle hoping to': 40269, 'hoping to see': 403958, 'to see stock': 914073, 'see stock do': 745748, 'stock do not': 802049, 'not want any': 572435, 'want any guess': 965716, 'any guess just': 79292, 'guess just want': 367998, 'see some semblance': 745722, 'semblance of normality': 749600, 'of normality coronacrisisuk': 587071, 'normality coronacrisisuk coronacrisis': 567453, 'orderly': 619052, 'perspex': 653249, 'grocery short': 365113, 'and orderly': 68258, 'orderly queue': 619059, 'supermarket everyone': 820232, 'everyone practising': 287297, 'distancing only': 247378, 'only 20': 609988, '20 ppl': 13273, 'ppl allowed': 668154, 'once perspex': 605691, 'perspex between': 653252, 'and shopper': 71522, 'shopper msg': 761617, 'msg about': 544516, 'the speaker': 867544, 'she went to': 756464, 'get some grocery': 348056, 'some grocery short': 783006, 'grocery short and': 365114, 'short and orderly': 764597, 'and orderly queue': 68260, 'orderly queue to': 619060, 'the supermarket everyone': 868581, 'supermarket everyone practising': 820235, 'everyone practising social': 287298, 'social distancing only': 779678, 'distancing only 20': 247379, 'only 20 ppl': 609991, '20 ppl allowed': 13274, 'ppl allowed in': 668155, 'in at once': 420553, 'at once perspex': 99960, 'once perspex between': 605692, 'perspex between cashier': 653253, 'cashier and shopper': 166461, 'and shopper msg': 71527, 'shopper msg about': 761618, 'msg about covid': 544517, 'distancing on the': 247371, 'on the speaker': 604375, 'imperial': 418349, 'figgered': 304590, 'december': 230739, 'with greg': 998687, 'greg imperial': 363829, 'imperial college': 418350, 'college hasn': 186616, 'hasn yet': 378800, 'yet figgered': 1016068, 'figgered out': 304591, 'china virus': 177038, 'virus wa': 958984, 'the probably': 864504, 'probably by': 679226, 'by early': 152445, 'early december': 264578, 'december and': 230747, 'had three': 373649, '60 dead': 20935, 'll go with': 496815, 'go with greg': 354510, 'with greg imperial': 998688, 'greg imperial college': 363830, 'imperial college hasn': 418352, 'college hasn yet': 186617, 'hasn yet figgered': 378801, 'yet figgered out': 1016069, 'figgered out that': 304592, 'out that the': 627334, 'that the china': 846681, 'the china virus': 850837, 'china virus wa': 177041, 'virus wa in': 958988, 'in the probably': 429476, 'the probably by': 864505, 'probably by early': 679227, 'by early december': 152446, 'early december and': 264579, 'december and we': 230748, 'have already had': 379190, 'already had three': 47400, 'had three month': 373650, 'three month of': 894000, 'month of it': 537900, 'of it with': 585467, 'it with about': 462463, 'with about 60': 997081, 'about 60 dead': 24738, 'surface luckily': 828045, 'luckily large': 506508, 'large proportion': 479758, 'worker wearing': 1008155, 'disinfecting their': 245887, 'other surface luckily': 621048, 'surface luckily large': 828046, 'luckily large proportion': 506509, 'large proportion of': 479759, 'proportion of shelf': 684430, 'of shelf stacker': 589582, 'stacker and worker': 792006, 'and worker wearing': 75884, 'worker wearing glove': 1008156, 'glove and disinfecting': 352556, 'and disinfecting their': 61463, 'disinfecting their hand': 245888, 'ripoff': 722689, 'boycott not': 137332, 'only do': 610338, 'they flout': 882120, 'flout an': 311208, 'an opening': 56660, 'opening ban': 612805, 'ban they': 109275, 'now hiked': 574926, 'of sport': 589990, 'sport equipment': 789927, 'equipment by': 279701, '50 ripoff': 19836, 'ripoff merchant': 722692, 'merchant boycottsportsdirect': 529005, 'time to boycott': 897956, 'to boycott not': 901968, 'boycott not only': 137333, 'not only do': 570788, 'only do they': 610341, 'do they flout': 250305, 'they flout an': 882121, 'flout an opening': 311209, 'an opening ban': 56661, 'opening ban they': 612806, 'ban they have': 109276, 'they have now': 882352, 'have now hiked': 381734, 'now hiked price': 574927, 'price of sport': 675575, 'of sport equipment': 589991, 'sport equipment by': 789928, 'equipment by 50': 279702, 'by 50 ripoff': 151669, '50 ripoff merchant': 19837, 'ripoff merchant boycottsportsdirect': 722693, 'anyone asking': 80186, 'employee aren': 273634, 'aren dropping': 92386, 'fly here': 311616, 've exposed': 953103, 'exposed themselves': 292883, 'thousand and': 893373, 'everything yet': 288125, 'yet where': 1016326, 'store being': 806715, 'in icu': 423958, 'anyone asking themselves': 80187, 'asking themselves why': 96088, 'themselves why grocery': 876945, 'why grocery worker': 991028, 'worker and employee': 1006287, 'and employee aren': 62059, 'employee aren dropping': 273635, 'aren dropping like': 92387, 'like fly here': 490252, 'fly here they': 311617, 'here they ve': 393682, 'they ve exposed': 883651, 've exposed themselves': 953104, 'exposed themselves to': 292884, 'themselves to thousand': 876917, 'to thousand and': 917535, 'thousand and touch': 893377, 'and touch everything': 74298, 'touch everything yet': 926477, 'everything yet where': 288126, 'yet where all': 1016327, 'the story about': 868170, 'story about half': 811888, 'about half the': 25340, 'half the store': 374277, 'the store being': 867987, 'store being sick': 806717, 'sick or the': 768558, 'or the manager': 617385, 'the manager in': 859998, 'manager in icu': 512734, 'beset': 127464, 'and beset': 58904, 'beset by': 127465, 'low lng': 505388, 'work restriction': 1005664, 'are maintaining': 87966, 'maintaining dividend': 509104, 'to shareholder': 914375, 'shareholder they': 755486, 'they shed': 883339, 'shed worker': 756523, 'with union': 1001905, 'union describing': 941881, 'describing woodside': 237977, 'woodside action': 1004317, 'action brutal': 29979, 'brutal cold': 141403, 'and beset by': 58905, 'beset by low': 127467, 'by low lng': 153106, 'low lng price': 505389, 'lng price and': 497214, '19 work restriction': 12172, 'work restriction are': 1005665, 'restriction are maintaining': 717222, 'are maintaining dividend': 87967, 'maintaining dividend to': 509105, 'dividend to shareholder': 248644, 'to shareholder they': 914379, 'shareholder they shed': 755487, 'they shed worker': 883340, 'shed worker with': 756524, 'worker with union': 1008269, 'with union describing': 1001906, 'union describing woodside': 941882, 'describing woodside action': 237978, 'woodside action brutal': 1004318, 'action brutal cold': 29980, 'brutal cold and': 141404, 'cold and unnecessary': 185736, 'enlink': 277264, 'enlc': 277262, 'enlink said': 277265, 'wednesday it': 975652, 'it laid': 459290, 'off 300': 593598, '300 employee': 17299, 'employee or': 274083, 'workforce to': 1008389, 'cost amid': 207848, 'amid an': 52386, 'unprecedented crash': 943098, 'between saudi': 128877, 'russia oott': 728526, 'oott shale': 611787, 'shale enlc': 754494, 'enlink said on': 277266, 'said on wednesday': 731292, 'on wednesday it': 605174, 'wednesday it laid': 975654, 'it laid off': 459291, 'laid off 300': 479009, 'off 300 employee': 593599, '300 employee or': 17300, 'employee or 20': 274084, 'or 20 of': 614182, '20 of it': 13201, 'it workforce to': 462528, 'workforce to cut': 1008391, 'to cut cost': 903870, 'cut cost amid': 223280, 'cost amid an': 207849, 'amid an unprecedented': 52390, 'an unprecedented crash': 56882, 'unprecedented crash in': 943099, 'oil price because': 597058, 'outbreak and price': 628006, 'price war between': 677352, 'war between saudi': 966379, 'between saudi arabia': 128878, 'and russia oott': 70675, 'russia oott shale': 728527, 'oott shale enlc': 611788, 'arabia brace': 83863, 'economic slump': 267313, 'the and plunging': 848715, 'and plunging oil': 69136, 'oil price saudi': 597243, 'saudi arabia brace': 737186, 'arabia brace for': 83864, 'brace for an': 137484, 'an economic slump': 55588, '1929': 12332, 'trading here': 928863, 'chart side': 173852, 'side by': 768786, 'by side': 154011, 'side note': 768837, 'the 1929': 847938, '1929 price': 12333, 'almost exactly': 46640, 'exactly 100': 288723, 'trading here are': 928864, 'are the chart': 90807, 'the chart side': 850718, 'chart side by': 173853, 'side by side': 768787, 'by side note': 154012, 'side note that': 768839, 'note that the': 572812, 'that the 1929': 846655, 'the 1929 price': 847939, '1929 price were': 12334, 'price were almost': 677440, 'were almost exactly': 979296, 'almost exactly 100': 46641, 'exactly 100 of': 288724, '100 of the': 1996, 'the price now': 864390, 'googled': 358208, 'most googled': 542351, 'googled question': 358209, 'question since': 693739, 'began is': 123395, 'affect australia': 34123, 'australia realestate': 103361, 'realestate market': 701495, 'and housing': 64794, 'the most googled': 860991, 'most googled question': 542352, 'googled question since': 358210, 'question since the': 693741, 'the outbreak began': 862594, 'outbreak began is': 628042, 'began is how': 123396, 'is how will': 448604, 'will the affect': 995128, 'the affect australia': 848397, 'affect australia realestate': 34125, 'australia realestate market': 103362, 'realestate market and': 701496, 'market and housing': 515971, 'and housing price': 64795, 'signup': 769669, 'realmafiapparel': 702729, 'tp ready': 927914, 'ready tee': 700929, 'tee you': 836464, 'guy asked': 368914, 'gone now': 356339, 'today follow': 919525, 'follow link': 312447, 'bio for': 131140, 'page signup': 633890, 'signup for': 769670, 'our newsletter': 624054, 'newsletter and': 561019, 'off today': 594335, 'today toiletpaper': 920375, 'toiletpaper realmafiapparel': 922400, 'realmafiapparel repost': 702730, 'repost share': 712836, 'buy shop': 149173, 'shop advertising': 759800, 'advertising love': 33242, 'tp ready tee': 927915, 'ready tee you': 700930, 'tee you guy': 836465, 'you guy asked': 1018952, 'guy asked for': 368915, 'asked for it': 95746, 'for it and': 322691, 'it and they': 456518, 'they are almost': 881198, 'are almost gone': 84393, 'almost gone now': 46654, 'gone now get': 356340, 'now get yours': 574776, 'yours today follow': 1026484, 'today follow link': 919526, 'follow link in': 312448, 'in bio for': 420848, 'bio for our': 131141, 'for our main': 324268, 'our main page': 623838, 'main page signup': 508786, 'page signup for': 633891, 'signup for our': 769671, 'for our newsletter': 324276, 'our newsletter and': 624055, 'newsletter and get': 561020, 'and get 10': 63558, 'get 10 off': 346454, '10 off today': 1583, 'off today toiletpaper': 594337, 'today toiletpaper realmafiapparel': 920377, 'toiletpaper realmafiapparel repost': 922401, 'realmafiapparel repost share': 702731, 'repost share buy': 712837, 'share buy shop': 754956, 'buy shop advertising': 149174, 'shop advertising love': 759801, 'advertising love socialdistancing': 33243, 'sentiment data': 750910, 'data gauging': 226245, 'gauging people': 344568, 'change across': 171882, 'across multiple': 29399, 'multiple country': 545741, 'updated our consumer': 947413, 'our consumer sentiment': 622550, 'consumer sentiment data': 198907, 'sentiment data gauging': 750912, 'data gauging people': 226246, 'gauging people expectation': 344569, 'behavior change across': 123958, 'change across multiple': 171883, 'across multiple country': 29400, 'cripthevote': 216946, 'like is': 490512, 'finally out': 306063, 'his site': 397797, 'site that': 772018, 'that sell': 846178, 'sell cleaning': 748666, 'cleaning sanitizing': 181056, 'sanitizing supply': 736516, 'market value': 517291, 'value seem': 952198, 'seem reasonable': 746681, 'price gift': 674180, 'card available': 163467, 'available virus': 104690, 'virus cripthevote': 958103, 'look like is': 502487, 'like is finally': 490513, 'is finally out': 447806, 'finally out with': 306064, 'out with his': 627865, 'with his site': 998844, 'his site that': 397798, 'site that sell': 772022, 'that sell cleaning': 846180, 'sell cleaning sanitizing': 748668, 'cleaning sanitizing supply': 181058, 'sanitizing supply at': 736517, 'supply at market': 824814, 'at market value': 99688, 'market value seem': 517293, 'value seem reasonable': 952199, 'seem reasonable price': 746683, 'reasonable price gift': 703121, 'price gift card': 674181, 'gift card available': 349935, 'card available virus': 163469, 'available virus cripthevote': 104691, 'after speaking': 36231, 'speaking with': 787780, 'have committed': 380039, 'to reserving': 913342, 'most risk': 542714, 'risk right': 723853, 'been deep': 120937, 'cleaned if': 180712, 'please wait': 660739, 'after speaking with': 36232, 'speaking with many': 787782, 'many of our': 514382, 'of our grocery': 587481, 'store have committed': 808074, 'have committed to': 380040, 'committed to reserving': 189045, 'to reserving the': 913343, 'hour of business': 405793, 'of business for': 580953, 'business for the': 143757, 'elderly those who': 270914, 'are at most': 84673, 'at most risk': 99777, 'most risk right': 542715, 'risk right after': 723854, 'right after the': 721740, 'the store have': 868033, 'store have been': 808068, 'have been deep': 379505, 'been deep cleaned': 120938, 'deep cleaned if': 231856, 'cleaned if you': 180713, 'are healthy please': 87068, 'healthy please wait': 387733, 'please wait until': 660740, 'wait until after': 964239, 'until after am': 943671, 'after am to': 35350, 'am to buy': 50504, 'phasing': 654656, 'speeding': 788483, 'is phasing': 450867, 'phasing out': 654657, 'is speeding': 452150, 'speeding it': 788484, 'oil is phasing': 596910, 'is phasing out': 450868, 'phasing out and': 654658, 'out and the': 625700, 'and the virus': 73641, 'virus is speeding': 958404, 'is speeding it': 452151, 'speeding it up': 788485, 'startof': 795075, 'ehsan': 270147, 'ul': 939079, 'haq': 377788, 'roger': 725017, 'hirst': 397157, 'datanow': 226540, 'trusteddata': 934356, 'affect that': 34234, 'short sharp': 764688, 'sharp shock': 755705, 'shock or': 759494, 'or it': 615845, 'the startof': 867739, 'startof prolonged': 795076, 'prolonged period': 683635, 'price ehsan': 673662, 'ehsan ul': 270148, 'ul haq': 939082, 'haq talk': 377789, 'to roger': 913625, 'roger hirst': 725018, 'hirst datanow': 397158, 'datanow trusteddata': 226541, 'despite the effort': 238879, 'effort of opec': 269558, 'of opec is': 587288, 'opec is the': 611908, 'is the affect': 452723, 'the affect that': 848400, 'affect that the': 34235, 'the is having': 858498, 'is having the': 448338, 'having the oil': 384315, 'the oil market': 862112, 'oil market going': 596947, 'market going to': 516469, 'be short sharp': 117161, 'short sharp shock': 764689, 'sharp shock or': 755706, 'shock or it': 759495, 'or it the': 615849, 'it the startof': 461576, 'the startof prolonged': 867740, 'startof prolonged period': 795077, 'prolonged period of': 683636, 'period of lower': 651845, 'of lower price': 586054, 'lower price ehsan': 505958, 'price ehsan ul': 673663, 'ehsan ul haq': 270149, 'ul haq talk': 939083, 'haq talk to': 377790, 'talk to roger': 833888, 'to roger hirst': 913626, 'roger hirst datanow': 725019, 'hirst datanow trusteddata': 397159, 'thestar': 881040, 'for featuring': 321431, 'featuring me': 301596, 'your article': 1022837, 'article be': 94265, 'from thestar': 337976, 'thestar for': 881041, 'information regarding': 437960, 'the toronto': 869806, 'market news': 516754, 'news toronto': 560904, 'toronto realestate': 925984, 'you for featuring': 1018636, 'for featuring me': 321432, 'featuring me in': 301597, 'me in your': 522984, 'in your article': 431057, 'your article be': 1022838, 'article be sure': 94266, 'sure to check': 827759, 'to check out': 902691, 'out the article': 627348, 'the article from': 848933, 'article from thestar': 94335, 'from thestar for': 337977, 'thestar for more': 881042, 'more information regarding': 539591, 'information regarding the': 437963, 'regarding the toronto': 707296, 'the toronto real': 869807, 'estate market news': 282154, 'market news toronto': 516755, 'news toronto realestate': 560905, 'have safe': 382376, 'weekend with': 977456, 'more leave': 539668, 'have safe weekend': 382380, 'safe weekend with': 730127, 'weekend with covid': 977457, '19 and do': 5013, 'not panic buy': 570899, 'panic buy more': 637504, 'buy more leave': 148972, 'more leave some': 539669, 'and nh staff': 67585, '306': 17394, '664': 21443, '1190': 2701, 'public without': 688491, 'without appointment': 1002506, 'appointment but': 82657, 'at 306': 97601, '306 664': 17395, '664 1190': 21444, '1190 we': 2702, 'can coordinate': 157995, 'coordinate pickup': 203183, 'pickup or': 655999, '19 our retail': 9060, 'the public without': 864876, 'public without appointment': 688492, 'without appointment but': 1002507, 'appointment but we': 82658, 'still available by': 800223, 'available by phone': 104280, 'by phone to': 153581, 'phone to help': 655039, 'help our customer': 390226, 'our customer with': 622681, 'customer with their': 223104, 'with their supply': 1001601, 'their supply to': 874922, 'supply to place': 826022, 'an order call': 56692, 'order call at': 618102, 'call at 306': 155779, 'at 306 664': 97602, '306 664 1190': 17396, '664 1190 we': 21445, '1190 we can': 2703, 'we can coordinate': 970927, 'can coordinate pickup': 157996, 'coordinate pickup or': 203184, 'pickup or delivery': 656001, 'pademic': 633805, 'kaffy': 470603, 'buying following': 150296, 'coronavirus pademic': 206429, 'pademic it': 633808, 'appears some': 82203, 'food trader': 317353, 'trader are': 928651, 'price dance': 673383, 'dance queen': 225570, 'queen kaffy': 693378, 'kaffy is': 470604, 'happy about': 377574, 'this she': 890057, 'recently bought': 704056, 'panic buying following': 637733, 'buying following the': 150297, 'following the coronavirus': 312877, 'the coronavirus pademic': 851888, 'coronavirus pademic it': 206430, 'pademic it appears': 633809, 'it appears some': 456564, 'appears some food': 82204, 'some food trader': 782879, 'food trader are': 317354, 'trader are using': 928658, 'using the opportunity': 950704, 'opportunity to hike': 613708, 'hike price dance': 396256, 'price dance queen': 673384, 'dance queen kaffy': 225572, 'queen kaffy is': 693379, 'kaffy is not': 470605, 'is not happy': 450102, 'not happy about': 569794, 'happy about this': 377578, 'about this she': 26658, 'this she recently': 890058, 'she recently bought': 756287, 'recently bought food': 704057, 'bought food item': 136568, 'item and wa': 463082, 'and wa shocked': 75097, 'wa shocked by': 963192, 'the price hike': 864363, 'idealist': 413283, 'susan': 829417, 'zumbuehl': 1027896, 'hi friend': 394643, 'friend my': 333714, 'latest for': 481344, 'the idealist': 857831, 'idealist in': 413284, 'action blog': 29974, 'blog the': 133026, 'pandemic increase': 635722, 'increase demand': 432734, 'bank susan': 110224, 'susan zumbuehl': 829418, 'zumbuehl us': 1027897, 'us her': 948522, 'her senior': 392351, 'hi friend my': 394645, 'friend my latest': 333715, 'my latest for': 548986, 'latest for the': 481348, 'for the idealist': 326489, 'the idealist in': 857832, 'idealist in action': 413285, 'in action blog': 420012, 'action blog the': 29975, 'blog the covid': 133027, '19 pandemic increase': 9362, 'pandemic increase demand': 635723, 'increase demand at': 432735, 'food bank susan': 313653, 'bank susan zumbuehl': 110225, 'susan zumbuehl us': 829419, 'zumbuehl us her': 1027898, 'us her senior': 948523, 'her senior shopping': 392352, 'hour to collect': 406018, 'collect item for': 186295, 'item for those': 463277, 'for those in': 327117, 'between each': 128761, 'space between each': 787070, 'between each person': 128763, 'each person the': 264255, 'person the and': 652640, 'umbrella': 939221, 'consern': 194894, 'during election': 262618, 'election saw': 271058, 'saw free': 738117, 'free shirt': 332166, 'shirt cap': 758974, 'cap umbrella': 162451, 'umbrella sticker': 939231, 'sticker banner': 800079, 'banner now': 110608, 'at they': 101213, 'some subsidized': 783991, 'subsidized insurance': 815995, 'just face': 468687, 'sanitizers pharmacy': 736366, 'pharmacy sell': 654443, 'sell at': 748629, 'really piece': 702487, 'of consern': 581682, 'consern to': 194895, 'during election saw': 262620, 'election saw free': 271059, 'saw free shirt': 738118, 'free shirt cap': 332167, 'shirt cap umbrella': 758975, 'cap umbrella sticker': 162452, 'umbrella sticker banner': 939232, 'sticker banner now': 800080, 'banner now with': 110609, 'now with 19': 576440, 'with 19 at': 996962, '19 at they': 5253, 'at they cannot': 101214, 'afford to just': 34799, 'to just have': 908724, 'just have some': 468935, 'have some subsidized': 382642, 'some subsidized insurance': 783992, 'subsidized insurance on': 815996, 'insurance on just': 440783, 'on just face': 601748, 'just face mask': 468688, 'hand sanitizers pharmacy': 375713, 'sanitizers pharmacy sell': 736367, 'pharmacy sell at': 654444, 'sell at high': 748633, 'high price why': 395292, 'price why are': 677539, 'are we really': 91587, 'we really piece': 973027, 'really piece of': 702488, 'piece of consern': 656331, 'of consern to': 581683, 'consern to our': 194896, 'to our leader': 911202, 'sincere': 771025, 'special thought': 788076, 'shop assistant': 759933, 'brescia he': 139382, 'home earlier': 401113, 'earlier in': 264458, 'had tested': 373595, 'wa 48': 961381, 'old sincere': 598466, 'sincere thank': 771030, 'everyone currently': 286802, 'special thought for': 788077, 'thought for the': 893049, 'for the shop': 326681, 'the shop assistant': 866981, 'shop assistant in': 759935, 'assistant in supermarket': 96787, 'supermarket in brescia': 820870, 'in brescia he': 420965, 'brescia he returned': 139383, 'he returned home': 385351, 'returned home earlier': 719969, 'home earlier in': 401114, 'earlier in the': 264460, 'the week with': 871322, 'week with high': 977264, 'with high fever': 998802, 'high fever and': 395074, 'fever and died': 303653, 'at home today': 99150, 'home today he': 402354, 'today he had': 919624, 'he had tested': 385059, 'had tested positive': 373596, 'positive for it': 665323, 'for it he': 322711, 'it he wa': 458508, 'he wa 48': 385580, 'wa 48 year': 961384, 'year old sincere': 1014866, 'old sincere thank': 598467, 'sincere thank you': 771031, 'to everyone currently': 905333, 'everyone currently working': 286803, 'currently working in': 221722, 'the store in': 868041, 'store in italy': 808323, 'kprc2': 477607, 'click2houston': 181966, 'list food': 494319, 'bank school': 110157, 'school district': 741770, 'district and': 248353, 'local pantry': 498249, 'and asking': 58437, 'volunteer they': 960346, 'face significant': 294752, 'demand kprc2': 235784, 'kprc2 click2houston': 477608, 'list food bank': 494320, 'food bank school': 313632, 'bank school district': 110158, 'school district and': 741771, 'district and some': 248354, 'and some local': 71968, 'some local pantry': 783212, 'local pantry are': 498250, 'pantry are providing': 639535, 'are providing free': 89320, 'providing free meal': 687005, 'free meal for': 331968, 'meal for people': 524156, 'for people and': 324446, 'people and asking': 646846, 'and asking for': 58439, 'for donation and': 320825, 'and volunteer they': 75034, 'volunteer they face': 960347, 'they face significant': 882085, 'face significant increase': 294753, 'in demand kprc2': 422135, 'demand kprc2 click2houston': 235785, 'oil coupled': 596710, 'war threatens': 966561, 'threatens to': 893859, 'again devastate': 36975, 'of oil coupled': 587180, 'oil coupled with': 596711, 'coupled with an': 211726, 'with an oil': 997224, 'an oil price': 56578, 'price war threatens': 677376, 'war threatens to': 966562, 'threatens to once': 893864, 'to once again': 910903, 'once again devastate': 605563, 'again devastate the': 36976, 'devastate the service': 239566, 'the service industry': 866736, 'industry and it': 435641, 'and it worker': 65606, 'nonperforming': 566665, 'npls': 576611, 'withstand': 1003089, 'nigeria sterling': 562803, 'sterling bank': 799892, 'bank nonperforming': 110034, 'nonperforming loan': 566666, 'loan fell': 497434, 'total loan': 926180, 'loan in': 497461, '2019 from': 13967, '2018 lower': 13886, 'lower npls': 505918, 'npls should': 576612, 'should help': 766106, 'it withstand': 462486, 'withstand drop': 1003094, 'in asset': 420539, 'asset quality': 96468, 'quality that': 691856, 'likely result': 492095, 'and outbreak': 68539, 'nigeria sterling bank': 562804, 'sterling bank nonperforming': 799894, 'bank nonperforming loan': 110035, 'nonperforming loan fell': 566667, 'loan fell to': 497435, 'fell to of': 303248, 'to of total': 910815, 'of total loan': 592331, 'total loan in': 926181, 'loan in 2019': 497462, 'in 2019 from': 419805, '2019 from in': 13968, 'from in 2018': 336019, 'in 2018 lower': 419787, '2018 lower npls': 13887, 'lower npls should': 505919, 'npls should help': 576613, 'should help it': 766108, 'help it withstand': 389954, 'it withstand drop': 462487, 'withstand drop in': 1003095, 'drop in asset': 260226, 'in asset quality': 420541, 'asset quality that': 96469, 'quality that will': 691857, 'will likely result': 994011, 'likely result from': 492096, 'result from low': 717510, 'price and outbreak': 672487, 'one good': 606359, 'new computer': 558507, 'computer part': 192753, 'cheap so': 174196, 'anyone wa': 80597, 'wa considering': 961864, 'considering building': 195361, 'building custom': 142069, 'custom computer': 221981, 'computer would': 192773, 'one good thing': 606360, 'is that had': 452652, 'that had to': 844157, 'had to buy': 373670, 'buy new computer': 148992, 'new computer part': 558508, 'computer part and': 192754, 'part and it': 642230, 'it wa really': 462177, 'wa really cheap': 963060, 'really cheap so': 702058, 'cheap so if': 174197, 'if anyone wa': 413854, 'anyone wa considering': 80598, 'wa considering building': 961865, 'considering building custom': 195362, 'building custom computer': 142070, 'custom computer would': 221982, 'computer would take': 192774, 'would take advantage': 1012307, 'of the low': 591203, 'the low price': 859783, 'low price right': 505535, 'utm': 951372, 'drone delivery': 260063, 'delivery may': 234171, 'this age': 886250, 'lockdown logistics': 499627, 'logistics socialdistancing': 500795, 'socialdistancing drone': 780335, 'drone technology': 260079, 'technology utm': 836394, 'utm innovation': 951377, 'innovation drone': 438869, 'drone toiletpaper': 260085, 'toiletpaper supplychains': 922569, 'drone delivery may': 260067, 'delivery may see': 234174, 'may see an': 521479, 'uptick in this': 947912, 'in this age': 429903, 'this age of': 886251, 'age of social': 37874, 'distancing lockdown logistics': 247294, 'lockdown logistics socialdistancing': 499628, 'logistics socialdistancing drone': 500796, 'socialdistancing drone technology': 780336, 'drone technology utm': 260080, 'technology utm innovation': 836395, 'utm innovation drone': 951378, 'innovation drone toiletpaper': 438870, 'drone toiletpaper supplychains': 260086, 'birthday in': 131436, 'quarantine mean': 692365, 'your gift': 1024042, 'gift birthday': 349927, 'birthday toiletpaper': 131462, 'birthday in quarantine': 131437, 'in quarantine mean': 427185, 'quarantine mean you': 692367, 'mean you get': 524786, 'you get toilet': 1018802, 'paper for your': 640191, 'for your gift': 328157, 'your gift birthday': 1024043, 'gift birthday toiletpaper': 349928, 'disabilites': 243801, 'seeing grocery': 746307, 'chain holding': 170787, 'special exclusive': 787916, 'exclusive hour': 289669, 'store pregnant': 809636, 'with disabilites': 998051, 'disabilites put': 243802, 'list together': 494572, 'together for': 920789, 'love seeing grocery': 504770, 'seeing grocery store': 746308, 'store chain holding': 806922, 'chain holding special': 170788, 'holding special exclusive': 400161, 'special exclusive hour': 787917, 'exclusive hour for': 289670, 'for people most': 324454, 'people most at': 648793, 'risk of older': 723766, 'of older adult': 587204, 'adult and at': 32794, 'and at some': 58487, 'at some store': 100583, 'some store pregnant': 783959, 'store pregnant woman': 809637, 'pregnant woman and': 669844, 'woman and people': 1003401, 'people with disabilites': 650442, 'with disabilites put': 998052, 'disabilites put this': 243803, 'put this list': 690912, 'this list together': 888664, 'list together for': 494573, 'together for you': 920797, 'mystery': 551000, 'couch': 208431, 'newsest': 561015, 'nothing changed': 572976, 'changed mystery': 172516, 'mystery of': 551013, 'shopper the': 761742, 'the couch': 851994, 'couch citizen': 208434, 'the infant': 858214, 'infant for': 436480, 'for gotta': 321955, 'gotta get': 359074, 'get newsest': 347664, 'newsest to': 561016, 'see covid': 745015, 'on myself': 602332, 'it is nothing': 459024, 'is nothing changed': 450232, 'nothing changed mystery': 572977, 'changed mystery of': 172517, 'mystery of supermarket': 551014, 'supermarket and shopper': 819062, 'and shopper the': 71532, 'shopper the couch': 761743, 'the couch citizen': 851995, 'couch citizen of': 208435, 'citizen of the': 178940, 'of the infant': 591141, 'the infant for': 858215, 'infant for gotta': 436481, 'for gotta get': 321956, 'gotta get newsest': 359075, 'get newsest to': 347665, 'newsest to see': 561017, 'to see covid': 913995, 'see covid 19': 745016, '19 on myself': 8957, 'ever by': 285242, 'worst ever by': 1011180, 'marcoisland': 515569, 'bettertogether': 128629, 'regarding scam': 707254, 'scam visit': 740456, 'visit marcoisland': 959297, 'marcoisland bettertogether': 515570, 'bettertogether 19': 128630, 'fraud community': 331244, 'for information regarding': 322580, 'information regarding scam': 437962, 'regarding scam visit': 707255, 'scam visit marcoisland': 740457, 'visit marcoisland bettertogether': 959298, 'marcoisland bettertogether 19': 515571, 'bettertogether 19 scam': 128631, '19 scam fraud': 10341, 'scam fraud community': 740167, 'paducah': 633813, 'update hancock': 947012, 'hancock of': 374704, 'of paducah': 587660, 'paducah will': 633814, 'accept and': 27942, 'and fulfill': 63395, 'fulfill all': 340397, 'order we': 618753, 'public effective': 687966, 'effective march': 269282, '19 update hancock': 11664, 'update hancock of': 947013, 'hancock of paducah': 374705, 'of paducah will': 587661, 'paducah will continue': 633815, 'continue to accept': 201161, 'to accept and': 899937, 'accept and fulfill': 27943, 'and fulfill all': 63396, 'fulfill all online': 340398, 'all online order': 43750, 'online order we': 608703, 'order we will': 618757, 'the public effective': 864803, 'public effective march': 687967, 'effective march 18': 269284, '18 2020 until': 4497, 'notice please be': 573338, 'please be careful': 659696, 'well shit': 978552, 'shit why': 759295, 'why even': 990983, 'even bother': 283904, 'bother going': 136119, 'time out': 897436, 'well shit why': 978554, 'shit why even': 759296, 'why even bother': 990984, 'even bother going': 283906, 'bother going to': 136120, 'grocery store by': 365263, 'store by the': 806839, 'the time out': 869610, 'time out of': 897437, 'of work it': 593254, 'work it all': 1005385, 'it all gone': 456349, 'geocaching': 345930, 'byop': 154822, 'about getting': 25296, 'some geocaching': 782949, 'geocaching during': 345931, 'during quaratinelife': 262953, 'quaratinelife to': 693155, 'help pas': 390268, 'still sort': 801213, 'out some': 627217, 'precaution would': 669408, 'taken like': 833023, 'like glove': 490313, 'glove byop': 352625, 'byop and': 154823, 'every find': 285900, 'find thought': 307337, 'thinking about getting': 885847, 'about getting out': 25301, 'getting out and': 349169, 'out and doing': 625658, 'and doing some': 61608, 'doing some geocaching': 252671, 'some geocaching during': 782950, 'geocaching during quaratinelife': 345932, 'during quaratinelife to': 262954, 'quaratinelife to help': 693156, 'to help pas': 907583, 'help pas the': 390269, 'pas the time': 643156, 'the time but': 869580, 'time but to': 896425, 'but to still': 147591, 'to still sort': 915412, 'still sort of': 801214, 'sort of get': 786124, 'of get out': 584117, 'get out some': 347743, 'out some precaution': 627224, 'some precaution would': 783622, 'precaution would be': 669409, 'would be taken': 1011655, 'be taken like': 117503, 'taken like glove': 833024, 'like glove byop': 490314, 'glove byop and': 352626, 'byop and sanitizer': 154824, 'sanitizer after every': 734324, 'after every find': 35633, 'every find thought': 285901, 'bloody high': 133208, 'bloody high time': 133209, 'high time we': 395482, 'time we saw': 898233, 'we saw this': 973141, 'saw this in': 738293, 'your store stophoarding': 1025993, 'boycottchina': 137358, 'shared nsw': 755432, 'nsw australia': 576705, 'australia covid': 103259, 'positive chinese': 665285, 'chinese woman': 177394, 'woman caught': 1003435, 'on camera': 599779, 'camera spitting': 157129, 'on banana': 599548, 'banana at': 109305, 'at suburban': 100675, 'suburban supermarket': 816143, 'are chinese': 85274, 'chinese national': 177301, 'national being': 552428, 'being paid': 125524, 'and instructed': 65294, 'side china': 768792, 'is manufacturing': 449582, 'sell across': 748616, 'across globe': 29338, 'globe boycottchina': 352449, 'shared nsw australia': 755433, 'nsw australia covid': 576706, 'australia covid 19': 103260, '19 positive chinese': 9753, 'positive chinese woman': 665286, 'chinese woman caught': 177395, 'woman caught on': 1003436, 'caught on camera': 167446, 'on camera spitting': 599783, 'camera spitting on': 157130, 'spitting on banana': 789597, 'on banana at': 599549, 'banana at suburban': 109306, 'at suburban supermarket': 100677, 'suburban supermarket are': 816144, 'supermarket are chinese': 819149, 'are chinese national': 85275, 'chinese national being': 177303, 'national being paid': 552429, 'being paid and': 125526, 'paid and instructed': 633967, 'and instructed to': 65295, 'instructed to do': 440529, 'do this by': 250346, 'this by their': 886663, 'by their government': 154495, 'their government on': 873425, 'government on other': 360419, 'on other side': 602561, 'other side china': 620913, 'side china is': 768793, 'china is manufacturing': 176753, 'is manufacturing mask': 449584, 'manufacturing mask to': 513629, 'mask to sell': 519422, 'to sell across': 914138, 'sell across globe': 748617, 'across globe boycottchina': 29339, '19 engineer': 6782, 'engineer not': 276969, 'not ashamed': 568251, 'of wearing': 592977, 'wearing garbage': 974624, 'garbage bag': 343508, 'covid 19 engineer': 213023, '19 engineer not': 6783, 'engineer not ashamed': 276970, 'not ashamed of': 568252, 'ashamed of wearing': 95067, 'of wearing garbage': 592978, 'wearing garbage bag': 974625, 'garbage bag to': 343510, 'bag to supermarket': 108431, 'solicit': 781884, 'beware scam': 129101, 'scam some': 740363, 'may sell': 521486, 'sell ineffective': 748761, 'ineffective product': 436292, 'or solicit': 617143, 'solicit donation': 781885, 'for fake': 321372, 'charity pretending': 173668, 'help coronavirus': 389543, 'coronavirus victim': 207020, 'victim learn': 956483, 'learn tip': 484080, 'from these': 337971, 'beware scam some': 129102, 'scam some scammer': 740364, 'some scammer may': 783807, 'scammer may sell': 740595, 'may sell ineffective': 521487, 'sell ineffective product': 748762, 'ineffective product to': 436293, 'product to prevent': 681758, 'the virus or': 870871, 'virus or solicit': 958575, 'or solicit donation': 617144, 'solicit donation for': 781886, 'donation for fake': 254607, 'for fake charity': 321374, 'fake charity pretending': 296578, 'charity pretending to': 173669, 'pretending to help': 671341, 'to help coronavirus': 907484, 'help coronavirus victim': 389544, 'coronavirus victim learn': 207022, 'victim learn tip': 956484, 'learn tip to': 484082, 'yourself from these': 1026624, 'from these scam': 337974, 'gop from': 358249, 'the 9th': 848224, '9th of': 24024, 'march donald': 515344, 'trump mar': 933697, 'mar good': 515011, 'on the gop': 604145, 'the gop from': 856464, 'gop from the': 358250, 'from the 9th': 337590, 'the 9th of': 848225, '9th of march': 24025, 'of march donald': 586205, 'march donald trump': 515345, 'donald trump mar': 254114, 'trump mar good': 933698, 'mar good for': 515012, 'centred': 169570, 'stopping being': 805796, 'so self': 778168, 'self centred': 747565, 'centred four': 169573, 'four year': 330709, 'old know': 598314, 'share one': 755132, 'day some': 228378, 'will feel': 993422, 'feel ashamed': 302570, 're behaving': 698350, 'behaving now': 123840, 'now bbc': 574185, 'news nurse': 560644, 'nurse despair': 577272, 'despair panic': 238490, 'stopping being so': 805797, 'being so self': 125822, 'so self centred': 778169, 'self centred four': 747567, 'centred four year': 169574, 'four year old': 330712, 'year old know': 1014842, 'old know how': 598315, 'how to share': 409081, 'to share one': 914354, 'share one day': 755133, 'one day some': 606164, 'day some of': 228381, 'of you will': 593433, 'you will feel': 1022333, 'will feel ashamed': 993423, 'feel ashamed of': 302572, 'ashamed of the': 95064, 'you re behaving': 1020575, 're behaving now': 698351, 'behaving now bbc': 123841, 'now bbc news': 574186, 'bbc news nurse': 113093, 'news nurse despair': 560645, 'nurse despair panic': 577274, 'despair panic buyer': 238491, 'wig': 992022, 'thang': 841520, 'need wig': 556217, 'wig made': 992023, 'made but': 507663, 'that thang': 846642, 'thang saved': 841523, 'saved dont': 737731, 'dont throw': 255301, 'bring ole': 140037, 'ole girl': 598724, 'girl back': 350237, 'life get': 488681, 'get at': 346613, 'me while': 523957, 'low after': 505106, 'board will': 133682, 'will raise': 994549, 'dont need wig': 255261, 'need wig made': 556218, 'wig made but': 992024, 'made but need': 507665, 'but need that': 146457, 'need that thang': 555732, 'that thang saved': 846643, 'thang saved dont': 841524, 'saved dont throw': 737732, 'dont throw it': 255302, 'throw it out': 895033, 'it out can': 460178, 'out can bring': 625824, 'can bring ole': 157798, 'bring ole girl': 140038, 'ole girl back': 598725, 'girl back to': 350238, 'back to life': 107376, 'to life get': 909249, 'life get at': 488682, 'get at me': 346616, 'at me while': 99714, 'me while price': 523960, 'are low after': 87917, 'low after covid': 505107, 'all price across': 44027, 'the board will': 849815, 'board will raise': 133683, 'of child': 581343, 'their peer': 874265, 'after school close': 36147, 'school close supermarket': 741726, 'close supermarket will': 182822, 'full of child': 340706, 'of child shopping': 581348, 'child shopping with': 176203, 'with their peer': 1001591, 'the default': 853026, 'default tsunami': 232026, 'tsunami hit': 934969, 'hit how': 398278, 'will bank': 992331, 'bank respond': 110137, 'respond look': 715303, 'how bank': 407442, 'respond when': 715338, 'financial tsunami': 306623, 'tsunami of': 934973, 'pandemic really': 636302, 'when the default': 984141, 'the default tsunami': 853027, 'default tsunami hit': 232027, 'tsunami hit how': 934970, 'hit how will': 398279, 'how will bank': 409218, 'will bank respond': 992332, 'bank respond look': 110138, 'respond look at': 715304, 'at how bank': 99205, 'how bank will': 407444, 'bank will respond': 110320, 'will respond when': 994670, 'respond when the': 715339, 'when the financial': 984153, 'the financial tsunami': 855231, 'financial tsunami of': 306624, 'tsunami of the': 934975, 'the pandemic really': 863073, 'pandemic really hit': 636304, 'really hit those': 702299, 'hit those with': 398466, 'those with debt': 892716, 'scam update': 740445, 'update please': 947168, 'we absolutely': 970268, 'absolutely do': 27346, 'go door': 353478, 'door checking': 255546, 'offering virus': 595319, 'scam update please': 740446, 'update please be': 947169, 'aware that we': 105664, 'that we absolutely': 847358, 'we absolutely do': 970269, 'absolutely do not': 27347, 'not go door': 569674, 'go door to': 353479, 'to door checking': 904664, 'door checking on': 255547, 'checking on people': 174834, 'people or offering': 649001, 'or offering virus': 616360, 'offering virus testing': 595320, 'scam more information': 740253, 'everyday item': 286584, 'like surface': 491274, 'surface cleaner': 827996, 'cleaner baby': 180754, 'sanitiser are': 733919, 'price bleach': 672933, 'ebay and': 266427, 'for around': 319489, 'around bottle': 93232, 'bottle while': 136353, 'while antibacterial': 986607, 'antibacterial hand': 78360, 'hand lotion': 375076, 'lotion for': 504432, 'everyday item like': 286585, 'item like surface': 463423, 'like surface cleaner': 491275, 'surface cleaner baby': 827997, 'cleaner baby formula': 180755, 'formula and hand': 329695, 'and hand sanitiser': 64143, 'hand sanitiser are': 375220, 'sanitiser are being': 733920, 'being sold online': 125835, 'sold online for': 781719, 'online for inflated': 608229, 'inflated price bleach': 437030, 'price bleach is': 672934, 'bleach is on': 132507, 'is on ebay': 450464, 'on ebay and': 600487, 'ebay and amazon': 266428, 'and amazon for': 58044, 'amazon for around': 50948, 'for around bottle': 319490, 'around bottle while': 93233, 'bottle while antibacterial': 136354, 'while antibacterial hand': 986608, 'antibacterial hand lotion': 78362, 'hand lotion for': 375077, 'lotion for 10': 504433, 'unitednations': 942279, 'human our': 410582, 'action have': 30032, 'vulnerable nation': 961047, 'nation panicbuying': 552286, 'panicbuying unitednations': 639105, 'unitednations wfp': 942283, 'be good human': 115068, 'good human our': 357193, 'human our action': 410583, 'our action have': 622021, 'action have an': 30033, 'most vulnerable nation': 542886, 'vulnerable nation panicbuying': 961048, 'nation panicbuying unitednations': 552287, 'panicbuying unitednations wfp': 639106, 'touchpoint': 926765, 'skip': 773127, 'be friendly': 114961, 'friendly to': 334015, 'of coupon': 582040, 'coupon in': 211763, 'the mobile': 860713, 'app that': 81768, 'more touchpoint': 540814, 'touchpoint that': 926766, 'that shrink': 846304, 'shrink customer': 767698, 'customer skip': 222854, 'skip the': 773141, 'of interacting': 585246, 'with cashier': 997565, 'when are you': 983173, 'to be friendly': 901268, 'be friendly to': 114963, 'friendly to consumer': 334016, 'consumer and employee': 196207, 'and employee when': 62071, 'employee when it': 274413, '19 and allow': 4985, 'allow the use': 46077, 'use of coupon': 949402, 'of coupon in': 582041, 'coupon in the': 211764, 'in the mobile': 429367, 'the mobile app': 860714, 'mobile app that': 534941, 'app that one': 81771, 'that one more': 845499, 'one more touchpoint': 606696, 'more touchpoint that': 540815, 'touchpoint that shrink': 926767, 'that shrink customer': 846305, 'shrink customer skip': 767699, 'customer skip the': 222855, 'skip the step': 773149, 'the step of': 867877, 'step of interacting': 799601, 'of interacting with': 585247, 'interacting with cashier': 441225, 'pandemic panic': 636152, 'hoarder can': 398999, 'be encouraged': 114676, 'to rightly': 913530, 'rightly share': 722475, 'supply when': 826096, 'to panicbuying': 911439, 'panicbuying uk': 639101, 'good to know': 357888, 'know that pandemic': 476781, 'that pandemic panic': 845640, 'pandemic panic shopper': 636155, 'panic shopper and': 638550, 'shopper and hoarder': 761365, 'and hoarder can': 64643, 'hoarder can be': 399000, 'can be encouraged': 157618, 'be encouraged to': 114677, 'encouraged to rightly': 275670, 'to rightly share': 913531, 'rightly share their': 722476, 'share their food': 755264, 'food supply when': 317015, 'supply when they': 826097, 'when they really': 984277, 'they really need': 883162, 'need to panicbuying': 556006, 'to panicbuying uk': 911443, 'bleeding': 132560, 'plaster': 658783, 'only could': 610277, 'being indoors': 125317, '13 day': 3203, 'day due': 227544, 'eye tin': 294109, 'tin fell': 898535, 'eye all': 293995, 'manager could': 512704, 'wa give': 962206, 'me wipe': 523984, 'the bleeding': 849759, 'bleeding and': 132562, 'and plaster': 69074, 'plaster surely': 658784, 'surely thats': 827938, 'thats not': 847820, 'when customer': 983321, 'an accident': 55064, 'accident in': 28394, 'only could go': 610278, 'supermarket after being': 818798, 'after being indoors': 35411, 'being indoors for': 125318, 'indoors for 13': 435400, 'for 13 day': 318650, '13 day due': 3204, 'day due to': 227545, 'to and come': 900491, 'and come out': 60111, 'come out with': 187479, 'out with black': 627863, 'with black eye': 997418, 'black eye tin': 132052, 'eye tin fell': 294110, 'tin fell on': 898536, 'fell on my': 303219, 'on my eye': 602280, 'my eye all': 548136, 'eye all the': 293996, 'all the manager': 44821, 'the manager could': 859997, 'manager could do': 512705, 'could do wa': 209105, 'do wa give': 250448, 'wa give me': 962207, 'give me wipe': 350585, 'me wipe to': 523985, 'wipe to stop': 996398, 'stop the bleeding': 805125, 'the bleeding and': 849760, 'bleeding and plaster': 132563, 'and plaster surely': 69075, 'plaster surely thats': 658785, 'surely thats not': 827939, 'thats not right': 847821, 'not right when': 571387, 'right when customer': 722415, 'when customer ha': 983322, 'customer ha an': 222422, 'ha an accident': 369537, 'an accident in': 55066, 'accident in store': 28395, 'sentiment the': 751007, 'the driving': 853704, 'driving force': 259929, 'force behind': 328340, 'economy declined': 267795, 'declined steeply': 231447, 'steeply in': 799422, '20 coronavirus': 13011, 'fear grip': 301145, 'grip the': 364037, 'sentiment decline': 750913, 'decline growth': 231333, 'consumer sentiment the': 198930, 'sentiment the driving': 751008, 'the driving force': 853705, 'driving force behind': 259930, 'force behind the': 328341, 'behind the economy': 124712, 'the economy declined': 853956, 'economy declined steeply': 267796, 'declined steeply in': 231448, 'steeply in march': 799423, 'in march 20': 425073, 'march 20 coronavirus': 515130, '20 coronavirus fear': 13012, 'coronavirus fear grip': 205916, 'fear grip the': 301146, 'grip the consumer': 364038, 'the consumer consumer': 851515, 'consumer consumer sentiment': 196954, 'consumer sentiment decline': 198908, 'sentiment decline growth': 750914, 'are serving': 89994, 'serving so': 753211, 'so selflessly': 778180, 'selflessly right': 748542, 'nurse to': 577517, 'people play': 649122, 'an action': 55080, 'action hero': 30036, 'real action': 701021, 'remember to thank': 710390, 'thank the hero': 841642, 'the hero who': 857302, 'who are serving': 988215, 'are serving so': 89997, 'serving so selflessly': 753212, 'so selflessly right': 778181, 'selflessly right now': 748543, 'right now from': 722066, 'now from doctor': 574752, 'from doctor nurse': 335172, 'doctor nurse to': 251035, 'nurse to grocery': 577520, 'and delivery people': 61125, 'delivery people play': 234321, 'people play an': 649123, 'play an action': 659114, 'an action hero': 55081, 'action hero in': 30037, 'hero in the': 394019, 'in the movie': 429377, 'the movie they': 861109, 'movie they are': 544081, 'the real action': 865206, 'real action hero': 701022, 'tip your': 898967, 'worker use': 1008086, 'use envelope': 949190, 'envelope to': 279056, 'pas cash': 643095, 'by hand': 152748, 'taking lot': 833428, 'tip your grocery': 898968, 'store worker use': 811613, 'worker use envelope': 1008087, 'use envelope to': 949191, 'envelope to not': 279057, 'to not pas': 910703, 'not pas cash': 570969, 'pas cash by': 643096, 'cash by hand': 166190, 'by hand they': 152752, 'hand they re': 375840, 're taking lot': 699651, 'taking lot of': 833429, 'lot of risk': 504272, 'of risk for': 589125, 'risk for all': 723537, 'cuddle': 220186, 'choose whichever': 177919, 'whichever option': 986543, 'option they': 614108, 'want go': 965801, 'out stay': 627244, 'in socially': 428053, 'distance yourself': 246907, 'yourself cuddle': 1026571, 'cuddle up': 220189, 'want but': 965741, 'friend die': 333575, 'die maybe': 241401, 'ask whether': 95665, 'that pint': 845745, 'pint or': 656857, 'or queuing': 616769, 'queuing at': 694195, 'roll wa': 725584, 'wa worth': 963745, 'everyone can choose': 286766, 'can choose whichever': 157907, 'choose whichever option': 177920, 'whichever option they': 986544, 'option they want': 614109, 'they want go': 883708, 'want go out': 965802, 'go out stay': 353984, 'out stay in': 627246, 'stay in socially': 797062, 'in socially distance': 428054, 'socially distance yourself': 781051, 'distance yourself cuddle': 246908, 'yourself cuddle up': 1026572, 'cuddle up if': 220190, 'you want but': 1022133, 'want but if': 965742, 'you get sick': 1018792, 'get sick if': 347995, 'if your family': 415577, 'your family or': 1023797, 'or friend die': 615395, 'friend die maybe': 333576, 'die maybe you': 241402, 'maybe you ll': 521896, 'you ll ask': 1019640, 'll ask whether': 496558, 'ask whether that': 95666, 'whether that pint': 985576, 'that pint or': 845746, 'pint or queuing': 656858, 'or queuing at': 616770, 'queuing at the': 694198, 'toilet roll wa': 921619, 'roll wa worth': 725586, 'wa worth it': 963746, 'pressured': 671257, 'propublica': 684596, 'letter carrier': 487296, 'carrier say': 165016, 'the postal': 864099, 'postal service': 666443, 'service pressured': 752710, 'pressured them': 671260, 'deliver mail': 233160, 'mail despite': 508607, 'often without': 596307, 'without hand': 1002703, 'sanitizer propublica': 735614, 'letter carrier say': 487299, 'carrier say the': 165017, 'say the postal': 739300, 'the postal service': 864100, 'postal service pressured': 666450, 'service pressured them': 752711, 'pressured them to': 671261, 'to deliver mail': 904103, 'deliver mail despite': 233161, 'mail despite symptom': 508608, 'despite symptom and': 238865, 'symptom and often': 830811, 'and often without': 68013, 'often without hand': 596308, 'without hand sanitizer': 1002704, 'hand sanitizer propublica': 375551, 'with tiny': 1001773, 'tiny bathroom': 898650, 'bathroom the': 112673, 'man had': 512082, 'had left': 373236, 'his car': 397270, 'save space': 737644, 'with tiny bathroom': 1001774, 'tiny bathroom the': 898651, 'bathroom the man': 112674, 'the man had': 859977, 'man had left': 512085, 'had left the': 373240, 'left the toilet': 485676, 'paper in his': 640321, 'in his car': 423722, 'his car to': 397272, 'car to save': 163324, 'to save space': 913794, 'save space at': 737645, 'space at home': 787057, 'lauren': 482152, 'verno': 954868, 'investigative': 443901, 'stranger stepping': 812488, 'other during': 620127, 'pandemic stranger': 636569, 'pandemic lauren': 635867, 'lauren verno': 482160, 'verno consumer': 954869, 'consumer investigative': 197919, 'investigative reporter': 443902, 'reporter published': 712627, 'published march': 688665, 'stranger stepping in': 812489, 'stepping in to': 799799, 'to help each': 907499, 'each other during': 264169, 'other during the': 620128, '19 pandemic stranger': 9483, 'pandemic stranger stepping': 636570, '19 pandemic lauren': 9377, 'pandemic lauren verno': 635868, 'lauren verno consumer': 482161, 'verno consumer investigative': 954870, 'consumer investigative reporter': 197920, 'investigative reporter published': 443904, 'reporter published march': 712628, 'published march 18': 688666, '18 2020 03': 4492, 'visualised': 959639, 'consists': 195514, 'changing result': 172784, '19 increasing': 7814, 'meet their': 527619, 'have visualised': 383517, 'visualised what': 959640, 'essential basket': 280819, 'basket consists': 112319, 'consists of': 195515, 'of based': 580561, 'consumer behaviour is': 196581, 'behaviour is changing': 124457, 'is changing result': 446481, 'changing result of': 172785, 'covid 19 increasing': 213258, '19 increasing number': 7815, 'of people shop': 587982, 'shop online to': 760590, 'online to meet': 609593, 'to meet their': 910056, 'meet their daily': 527620, 'their daily need': 872969, 'daily need we': 224717, 'we have visualised': 971984, 'have visualised what': 383518, 'visualised what an': 959641, 'what an essential': 981035, 'an essential basket': 55818, 'essential basket consists': 280820, 'basket consists of': 112320, 'consists of based': 195517, 'of based on': 580562, 'on our data': 602589, 'checkout used': 175048, 'to beep': 901697, 'beep for': 122415, 'for assistance': 319505, 'assistance when': 96763, 'bought beer': 136515, 'wine now': 995846, 'in they': 429883, 'they beep': 881544, 'one pack': 606816, 'when supermarket self': 984094, 'self checkout used': 747587, 'checkout used to': 175049, 'used to beep': 950037, 'to beep for': 901698, 'beep for assistance': 122416, 'for assistance when': 319507, 'assistance when you': 96764, 'when you bought': 984541, 'you bought beer': 1017501, 'bought beer and': 136516, 'and wine now': 75719, 'wine now in': 995848, 'now in they': 575017, 'in they beep': 429884, 'they beep for': 881545, 'when you try': 984609, 'you try to': 1021938, 'try to buy': 934608, 'than one pack': 840983, 'one pack of': 606820, 'toilet roll coronacrisis': 921563, 'shorten': 765328, 'ssm': 791659, 'baraboo': 110785, 'janesville': 464516, 'reedsburg': 706430, 'prairie': 668826, 'sac': 729023, 'and shorten': 71575, 'shorten the': 765335, 'outbreak ssm': 628648, 'ssm health': 791660, 'home medical': 401609, 'effective at': 269226, 'includes location': 431774, 'in madison': 424974, 'madison baraboo': 508132, 'baraboo janesville': 110786, 'janesville reedsburg': 464517, 'reedsburg and': 706431, 'and prairie': 69310, 'prairie du': 668827, 'du sac': 261438, 'effort to respond': 269643, 'respond to covid': 715317, '19 and shorten': 5105, 'and shorten the': 71577, 'shorten the duration': 765336, 'the outbreak ssm': 862696, 'outbreak ssm health': 628649, 'ssm health at': 791661, 'health at home': 386174, 'at home medical': 99048, 'home medical equipment': 401610, 'equipment is closing': 279763, 'is closing it': 446609, 'closing it retail': 183674, 'location effective at': 498896, 'effective at the': 269228, 'end of today': 275922, 'of today this': 592239, 'today this includes': 920337, 'this includes location': 888073, 'includes location in': 431775, 'location in madison': 498922, 'in madison baraboo': 424975, 'madison baraboo janesville': 508133, 'baraboo janesville reedsburg': 110787, 'janesville reedsburg and': 464518, 'reedsburg and prairie': 706432, 'and prairie du': 69311, 'prairie du sac': 668828, 'overreacting': 631416, 'control have': 202017, 'play this': 659233, 'this game': 887669, 'game because': 343132, 'because hoarder': 119128, 'hoarder might': 399074, 'food jeez': 315249, 'jeez is': 464991, 'are massively': 88051, 'massively fucking': 520177, 'fucking overreacting': 339962, 'this panic is': 889460, 'panic is out': 638219, 'of control have': 581842, 'control have to': 202018, 'have to play': 383265, 'to play this': 911804, 'play this game': 659234, 'this game because': 887670, 'game because hoarder': 343133, 'because hoarder might': 119129, 'hoarder might take': 399075, 'might take all': 531137, 'the food jeez': 855567, 'food jeez is': 315250, 'jeez is serious': 464992, 'serious but we': 751346, 'we are massively': 970624, 'are massively fucking': 88052, 'massively fucking overreacting': 520178, 'together lived': 920858, 'lived through': 496173, 'aid epidemic': 39381, 'epidemic here': 279382, 'is his': 448493, 'this together lived': 890773, 'together lived through': 920859, 'lived through the': 496175, 'through the aid': 894715, 'the aid epidemic': 848470, 'aid epidemic here': 39382, 'epidemic here is': 279383, 'here is his': 393229, 'is his advice': 448494, 'his advice on': 397183, 'advice on how': 33455, 'how to survive': 409095, 'survive the coronavirus': 829244, 'aircraft': 39873, 'overwing': 631780, 'shutterstock': 768233, 'boon': 134914, 'an aircraft': 55208, 'aircraft fly': 39876, 'fly over': 311626, 'over new': 630427, 'city seen': 179349, 'an overwing': 56769, 'overwing perspective': 631781, 'perspective shutterstock': 653231, 'shutterstock were': 768234, 'latest stats': 481554, 'stats on': 796627, 'airline safety': 40010, 'safety would': 730789, 'have served': 382479, 'served boon': 751986, 'boon to': 134915, 'of air': 579857, 'air travel': 39803, 'an aircraft fly': 55209, 'aircraft fly over': 39877, 'fly over new': 311627, 'over new york': 630428, 'york city seen': 1016594, 'city seen from': 179350, 'seen from an': 747026, 'from an overwing': 334497, 'an overwing perspective': 56770, 'overwing perspective shutterstock': 631782, 'perspective shutterstock were': 653232, 'shutterstock were it': 768235, 'not for covid': 569486, '19 the latest': 11215, 'the latest stats': 859147, 'latest stats on': 481555, 'stats on airline': 796628, 'on airline safety': 599201, 'airline safety would': 40011, 'safety would have': 730790, 'would have served': 1011892, 'have served boon': 382480, 'served boon to': 751987, 'boon to consumer': 134916, 'to consumer confidence': 903282, 'in the safety': 429523, 'safety of air': 730642, 'of air travel': 579860, 'smaller what': 775315, 'drawing smaller what': 258527, 'smaller what do': 775316, 'think about this': 885107, 'hurting': 411629, 'regulated': 708001, 'lifeles': 489294, 'fca is': 300728, 'disgrace of': 245307, 'world causing': 1009404, 'causing deadly': 168018, 'deadly situation': 229288, 'consumer instead': 197895, 'protecting them': 685236, 'them hurting': 875871, 'hurting uk': 411654, 'economy especially': 267839, 'this urgent': 890945, 'urgent situation': 948363, 'situation global': 772287, 'use any': 949050, 'any service': 79788, 'is regulated': 451395, 'regulated by': 708004, 'by fca': 152561, 'fca lifeles': 300730, 'fca is disgrace': 300729, 'is disgrace of': 447212, 'disgrace of uk': 245308, 'of uk and': 592565, 'uk and to': 938177, 'and to the': 74204, 'the world causing': 871832, 'world causing deadly': 1009405, 'causing deadly situation': 168019, 'deadly situation for': 229289, 'situation for the': 772277, 'the consumer instead': 851550, 'consumer instead of': 197896, 'instead of protecting': 440305, 'of protecting them': 588550, 'protecting them hurting': 685237, 'them hurting uk': 875872, 'hurting uk economy': 411655, 'uk economy especially': 938318, 'economy especially in': 267840, 'especially in this': 280533, 'in this urgent': 430039, 'this urgent situation': 890946, 'urgent situation global': 948364, 'situation global pandemic': 772288, 'global pandemic do': 352082, 'pandemic do not': 635315, 'not use any': 572355, 'use any service': 949055, 'any service which': 79790, 'which is regulated': 986046, 'is regulated by': 451396, 'regulated by fca': 708005, 'by fca lifeles': 152562, 'ancient': 57321, 'conchshells': 193290, 'ringing': 722553, 'jantacurfewmarch22': 464611, 'modicoronamessage': 535491, 'indiacometogether': 434709, 'beautiful expected': 118683, 'expected from': 290891, 'an ancient': 55303, 'ancient civilization': 57322, 'civilization conchshells': 179590, 'conchshells ringing': 193291, 'ringing of': 722556, 'of bell': 580667, 'bell against': 126477, 'against fighting': 37445, 'supermarket stayathome': 822934, 'stayathome jantacurfewmarch22': 797513, 'jantacurfewmarch22 19': 464612, 'lockdown modicoronamessage': 499665, 'modicoronamessage indiacometogether': 535492, 'indiacometogether toiletpaper': 434710, 'it wa beautiful': 462071, 'wa beautiful expected': 961651, 'beautiful expected from': 118684, 'expected from an': 290892, 'from an ancient': 334478, 'an ancient civilization': 55304, 'ancient civilization conchshells': 57323, 'civilization conchshells ringing': 179591, 'conchshells ringing of': 193292, 'ringing of bell': 722557, 'of bell against': 580668, 'bell against fighting': 126478, 'against fighting over': 37446, 'over toiletpaper in': 630856, 'toiletpaper in supermarket': 922121, 'in supermarket stayathome': 428675, 'supermarket stayathome jantacurfewmarch22': 822935, 'stayathome jantacurfewmarch22 19': 797514, 'jantacurfewmarch22 19 lockdown': 464613, '19 lockdown modicoronamessage': 8404, 'lockdown modicoronamessage indiacometogether': 499666, 'modicoronamessage indiacometogether toiletpaper': 535493, 'indiacometogether toiletpaper panicbuying': 434711, 'buying sufficient': 151117, 'available say': 104581, 'say al': 738399, 'meera qatar': 527395, 'panic buying sufficient': 637915, 'buying sufficient food': 151118, 'sufficient food stock': 817380, 'food stock are': 316778, 'stock are available': 801851, 'are available say': 84715, 'available say al': 104582, 'say al meera': 738400, 'al meera qatar': 40590, 'having hard': 384101, 'afford milk': 34727, 'milk store': 531834, 'store limit': 808740, 'quantity you': 691964, 'buy keeping': 148881, 'keeping price': 472529, 'price sky': 676431, 'high who': 395519, 'running this': 728108, 'scam another': 740029, 'another scheme': 77832, 'scheme for': 741563, 'for fixing': 321516, 'people are having': 646994, 'are having hard': 87034, 'having hard time': 384102, 'hard time and': 378028, 'time and cannot': 896261, 'cannot afford milk': 161604, 'afford milk store': 34728, 'milk store limit': 531836, 'store limit the': 808741, 'limit the quantity': 492516, 'the quantity you': 864959, 'quantity you can': 691965, 'you can buy': 1017637, 'can buy keeping': 157827, 'buy keeping price': 148882, 'keeping price sky': 472531, 'price sky high': 676432, 'sky high who': 773202, 'high who is': 395520, 'is running this': 451598, 'running this scam': 728109, 'this scam another': 889976, 'scam another scheme': 740031, 'another scheme for': 77833, 'scheme for fixing': 741565, 'for fixing the': 321517, 'fixing the price': 309865, 'price of bread': 675415, 'community amp': 189710, 'amp sanity': 54443, 'sanity most': 736544, 'most forget': 542338, 'forget google': 329258, 'google often': 358178, 'often ha': 596201, 'ha live': 371165, 'live feedback': 495811, 'feedback on': 302428, 'how busy': 407481, 'busy your': 145020, 'are search': 89876, 'search the': 743293, 'in google': 423378, 'google amp': 358136, 'amp click': 53533, 'want under': 966159, 'the map': 860056, 'head up share': 385855, 'up share to': 945972, 'share to help': 755306, 'help your community': 391016, 'your community amp': 1023267, 'community amp sanity': 189711, 'amp sanity most': 54444, 'sanity most forget': 736545, 'most forget google': 542339, 'forget google often': 329259, 'google often ha': 358179, 'often ha live': 596202, 'ha live feedback': 371166, 'live feedback on': 495812, 'feedback on how': 302429, 'on how busy': 601387, 'how busy your': 407484, 'busy your local': 145021, 'store are search': 806519, 'are search the': 89877, 'search the store': 743294, 'store in google': 808306, 'in google amp': 423379, 'google amp click': 358137, 'amp click on': 53534, 'on the one': 604260, 'one you want': 607542, 'you want under': 1022163, 'want under the': 966160, 'under the map': 940319, 'theinfiniteage': 872409, 'hour that': 405978, 'helpful theinfiniteage': 391228, 'theinfiniteage coronacrisis': 872410, 'shopping hour that': 762929, 'hour that may': 405979, 'may be helpful': 520988, 'be helpful theinfiniteage': 115211, 'helpful theinfiniteage coronacrisis': 391229, 'mom amp': 535676, 'amp dad': 53602, 'dad are': 224289, 'getting worried': 349447, 'me working': 524015, 'recent death': 703871, 'basket amp': 112290, 'amp many': 54107, 'worker contracting': 1006692, '19 told': 11502, 'that worried': 847670, 'worried well': 1010598, 'but staying': 147150, 'safe possible': 729894, 'possible amp': 665565, 'my mom amp': 549254, 'mom amp dad': 535677, 'amp dad are': 53603, 'dad are getting': 224290, 'are getting worried': 86836, 'getting worried about': 349448, 'worried about me': 1010504, 'about me working': 25715, 'me working at': 524016, 'the recent death': 865303, 'recent death at': 703872, 'death at market': 229981, 'at market basket': 99682, 'market basket amp': 516074, 'basket amp many': 112291, 'amp many other': 54109, 'many other grocery': 514431, 'other grocery worker': 620321, 'grocery worker contracting': 366165, 'worker contracting covid': 1006693, 'covid 19 told': 213963, '19 told my': 11503, 'amp dad that': 53604, 'dad that worried': 224393, 'that worried well': 847672, 'worried well but': 1010599, 'well but staying': 978081, 'but staying safe': 147151, 'staying safe possible': 798696, 'safe possible amp': 729895, 'possible amp that': 665566, 'amp that need': 54639, 'need to help': 555960, 'often doe': 596184, 'store practicing': 809629, 'grocery on': 364766, 'work which': 1006005, 'how often doe': 408423, 'often doe everyone': 596185, 'doe everyone go': 251391, 'grocery store practicing': 365674, 'store practicing social': 809630, 'distancing and only': 246982, 'only leave the': 610709, 'work in an': 1005293, 'in an essential': 420302, 'an essential worker': 55840, 'essential worker or': 281845, 'worker or for': 1007505, 'or for grocery': 615363, 'for grocery on': 322043, 'grocery on my': 364768, 'my way home': 550534, 'from work which': 338420, 'work which ha': 1006007, 'ha been week': 369982, 'been week is': 122364, 'week is that': 976427, 'is that too': 452701, 'that too much': 847099, 'shining doesn': 758622, 'neighbour nor': 557228, 'nor your': 566991, 'friend from': 333610, 'fuck inside': 339585, 'inside or': 439345, 'nearly 500': 553783, '500 briton': 19953, 'briton have': 140649, 'just because the': 468292, 'because the sun': 119651, 'is shining doesn': 451857, 'shining doesn mean': 758623, 'doesn mean it': 251887, 'mean it going': 524508, 'to save you': 913799, 'save you your': 737708, 'you your neighbour': 1022500, 'your neighbour nor': 1024977, 'neighbour nor your': 557229, 'nor your family': 566992, 'and friend from': 63328, 'friend from covid': 333612, '19 have to': 7455, 'at supermarket so': 100769, 'supermarket so people': 822738, 'get food just': 347050, 'food just stay': 315263, 'just stay the': 469890, 'the fuck inside': 855967, 'fuck inside or': 339586, 'inside or have': 439346, 'you not heard': 1020122, 'not heard that': 569918, 'heard that nearly': 388141, 'that nearly 500': 845293, 'nearly 500 briton': 553784, '500 briton have': 19954, 'briton have died': 140650, 'why go': 991013, 'far just': 298826, 'just cross': 468539, 'cross to': 219037, 'to mega': 910070, 'near old': 553561, 'old car': 598176, 'city central': 179090, 'central district': 169383, 'district area': 248358, 'area by': 91969, 'by yesterday': 154779, 'evening sachet': 284892, 'sachet of': 729033, 'of 500g': 579617, '500g wa': 20086, 'at 500': 97681, '500 this': 20059, 'than even': 840565, 'why go far': 991014, 'go far just': 353528, 'far just cross': 298827, 'just cross to': 468540, 'cross to mega': 219038, 'to mega standard': 910071, 'standard supermarket near': 793703, 'supermarket near old': 821575, 'near old car': 553562, 'old car park': 598177, 'park in the': 641936, 'the city central': 850924, 'city central district': 179091, 'central district area': 169384, 'district area by': 248359, 'area by yesterday': 91970, 'by yesterday evening': 154780, 'yesterday evening sachet': 1015723, 'evening sachet of': 284893, 'sachet of 500g': 729034, 'of 500g wa': 579618, '500g wa at': 20087, 'wa at 500': 961599, 'at 500 this': 97682, '500 this make': 20060, 'this make them': 888750, 'make them more': 510609, 'them more dangerous': 876032, 'more dangerous than': 538956, 'dangerous than even': 225781, 'water due': 968967, 'demand plummeting': 236045, 'plummeting in': 661381, 'and yesterday': 75978, 'yesterday oil': 1015820, '2002 in': 13575, 'the deep': 853018, 'deep distress': 231872, 'distress our': 247932, 'facing oilandgas': 295553, 're in uncharted': 698891, 'uncharted water due': 939801, 'water due to': 968968, 'to demand plummeting': 904153, 'demand plummeting in': 236047, 'plummeting in light': 661382, 'the situation and': 867242, 'situation and yesterday': 772193, 'and yesterday oil': 75979, 'yesterday oil price': 1015821, 'fell to their': 303251, 'level since 2002': 487703, 'since 2002 in': 770438, '2002 in sign': 13576, 'of the deep': 590938, 'the deep distress': 853019, 'deep distress our': 231873, 'distress our economy': 247933, 'economy is facing': 268003, 'is facing oilandgas': 447700, 'alert fraud': 41424, 'fraud ha': 331282, 'ha info': 370969, 'potential scam': 667133, 'scam targeting': 740389, 'targeting consumer': 834560, 'including fake': 431954, 'fake corona': 296586, 'corona special': 204188, 'special virus': 788090, 'virus test': 958853, 'kit amp': 475485, 'amp bogus': 53462, 'bogus travel': 134036, 'travel insurance': 930402, 'insurance learn': 440768, 'yourself amp': 1026515, 'amp your': 54870, 'consumer scam alert': 198866, 'scam alert fraud': 739976, 'alert fraud ha': 41425, 'fraud ha info': 331283, 'ha info on': 370970, 'info on potential': 437535, 'on potential scam': 602868, 'potential scam targeting': 667136, 'scam targeting consumer': 740390, 'targeting consumer about': 834561, 'consumer about covid': 195993, '19 including fake': 7806, 'including fake corona': 431955, 'fake corona special': 296587, 'corona special virus': 204189, 'special virus test': 788091, 'virus test kit': 958855, 'test kit amp': 839047, 'kit amp bogus': 475486, 'amp bogus travel': 53463, 'bogus travel insurance': 134037, 'travel insurance learn': 930406, 'insurance learn more': 440769, 'learn more to': 484040, 'protect yourself amp': 685081, 'yourself amp your': 1026517, 'amp your loved': 54871, 'evaporated': 283766, 'ha probably': 371538, 'not evaporated': 569232, 'evaporated this': 283767, 'this suddenly': 890409, 'suddenly since': 817133, 'since world': 771003, 'ii if': 415976, 'ever monetizing': 285417, 'monetizing medium': 536561, 'consumer demand ha': 197138, 'demand ha probably': 235612, 'ha probably not': 371539, 'probably not evaporated': 679338, 'not evaporated this': 569233, 'evaporated this suddenly': 283768, 'this suddenly since': 890410, 'suddenly since world': 817134, 'since world war': 771004, 'war ii if': 966466, 'ii if ever': 415977, 'if ever monetizing': 414082, 'ever monetizing medium': 285418, 'corporate earnings': 207267, 'earnings uncertainty': 264936, 'slowing global': 774549, 'activity weighs': 30532, 'weighs on': 977689, 'corporate earnings uncertainty': 207271, 'earnings uncertainty in': 264937, 'uncertainty in light': 939697, 'light of falling': 489553, 'of falling oil': 583391, '19 and slowing': 5107, 'and slowing global': 71759, 'slowing global economic': 774550, 'global economic activity': 351879, 'economic activity weighs': 266966, 'activity weighs on': 30533, 'weighs on stock': 977691, 'on stock price': 603675, 'stock price at': 802705, 'of the second': 591446, 'gulval': 368663, 'penzance': 646713, 'wewillfightcorona': 980799, 'how lovely': 408227, 'lovely spotted': 504990, 'spotted this': 790215, 'this lovely': 888719, 'lovely drawing': 504957, 'drawing and': 258504, 'the window': 871592, 'window of': 995692, 'in gulval': 423478, 'gulval penzance': 368664, 'penzance today': 646714, 'today while': 920525, 'while driving': 986774, 'supermarket happy': 820666, 'happy wewillfightcorona': 377729, 'how lovely spotted': 408228, 'lovely spotted this': 504991, 'spotted this lovely': 790216, 'this lovely drawing': 888720, 'lovely drawing and': 504958, 'drawing and message': 258505, 'and message on': 66962, 'message on the': 529384, 'on the window': 604454, 'the window of': 871595, 'window of house': 995693, 'of house in': 584788, 'house in gulval': 406356, 'in gulval penzance': 423479, 'gulval penzance today': 368665, 'penzance today while': 646715, 'today while driving': 920529, 'while driving to': 986776, 'driving to supermarket': 260021, 'to supermarket happy': 915798, 'supermarket happy wewillfightcorona': 820668, 'please review': 660418, 'ftc most': 339421, 'recent information': 703916, 'please review the': 660419, 'review the ftc': 720592, 'the ftc most': 855933, 'ftc most recent': 339422, 'most recent information': 542682, 'recent information on': 703917, 'people attack': 647189, 'attack each': 102105, 'than while': 841454, 'while sunbathing': 987347, 'the mortality': 860925, 'mortality rate': 541801, 'includes people': 431796, 'but people attack': 146764, 'people attack each': 647190, 'attack each other': 102106, 'other when they': 621200, 'when they do': 984252, 'have to you': 383343, 'to you have': 918901, 'greater chance of': 363148, 'chance of catching': 171749, 'of catching it': 581207, 'supermarket than while': 823166, 'than while sunbathing': 841455, 'while sunbathing the': 987348, 'sunbathing the mortality': 818128, 'the mortality rate': 860926, 'mortality rate is': 541803, 'and that includes': 73194, 'that includes people': 844479, 'includes people who': 431797, 'people who died': 650288, 'lexicon': 487857, 'term socialdistancing': 838297, 'socialdistancing first': 780363, 'first entered': 308656, 'entered our': 278368, 'our lexicon': 623713, 'lexicon few': 487858, 'back remember': 107250, 'when concern': 983270, 'concern were': 193136, 'were primarily': 979997, 'primarily toiletpaper': 678051, 'toiletpaper based': 921782, 'based tried': 111775, 'explain it': 292106, 'when the term': 984204, 'the term socialdistancing': 869296, 'term socialdistancing first': 838298, 'socialdistancing first entered': 780364, 'first entered our': 308657, 'entered our lexicon': 278369, 'our lexicon few': 623714, 'lexicon few week': 487859, 'week back remember': 975975, 'back remember the': 107251, 'remember the good': 710307, 'the good old': 856445, 'good old day': 357491, 'old day when': 598222, 'day when concern': 228721, 'when concern were': 983271, 'concern were primarily': 193137, 'were primarily toiletpaper': 979998, 'primarily toiletpaper based': 678052, 'toiletpaper based tried': 921783, 'based tried to': 111776, 'tried to explain': 931834, 'to explain it': 905474, 'explain it to': 292107, 'to my year': 910452, 'oat': 578300, 'hp': 409569, 'are gradually': 86934, 'gradually increasing': 361696, 'crisis shame': 218024, 'you 80': 1016766, '80 for': 22576, 'for oat': 324007, 'oat milk': 578303, 'milk small': 531818, 'of hp': 584848, 'hp for': 409570, 'for 40': 318836, 'are gradually increasing': 86935, 'gradually increasing price': 361697, 'price during crisis': 673618, 'during crisis shame': 262565, 'crisis shame on': 218025, 'on you 80': 605410, 'you 80 for': 1016767, '80 for oat': 22577, 'for oat milk': 324008, 'oat milk small': 578304, 'milk small bottle': 531819, 'bottle of hp': 136287, 'of hp for': 584849, 'hp for 40': 409571, 'governer': 359797, 'tennessean': 837942, 'governer deeply': 359798, 'deeply disappointed': 231989, 'disappointed with': 244126, 'fellow tennessean': 303338, 'tennessean here': 837943, 'east tn': 265347, 'tn went': 899393, 'practicing any': 668723, 'ppl still': 668331, 'carrying on': 165199, 'governer deeply disappointed': 359799, 'deeply disappointed with': 231990, 'disappointed with my': 244127, 'with my fellow': 999623, 'my fellow tennessean': 548306, 'fellow tennessean here': 303339, 'tennessean here in': 837944, 'here in east': 393146, 'in east tn': 422463, 'east tn went': 265348, 'tn went to': 899394, 'store and nobody': 806307, 'and nobody is': 67660, 'nobody is practicing': 566024, 'is practicing any': 450976, 'practicing any type': 668724, 'type of distance': 937554, 'of distance between': 582715, 'distance between each': 246663, 'between each other': 128762, 'each other ppl': 264210, 'other ppl still': 620748, 'ppl still going': 668333, 'still going out': 800589, 'out and carrying': 625650, 'and carrying on': 59586, 'carrying on if': 165200, 'on if nothing': 601480, 'if nothing is': 414522, 'nothing is going': 573062, 'containcovid19': 200513, 'jpak': 467555, 'shippingtoja': 758954, 'become public': 120109, 'gathering and': 344430, 'keep covid': 471432, 'bay still': 112972, 'need sanitization': 555537, 'sanitization product': 734147, 'product order': 681500, 'll do': 496712, 'rest staysafe': 716223, 'staysafe containcovid19': 798790, 'containcovid19 jpak': 200514, 'jpak shippingtoja': 467556, 'shippingtoja onlineshopping': 758955, 'onlineshopping lysol': 609914, 'supermarket ha now': 820640, 'now become public': 574219, 'become public gathering': 120110, 'public gathering and': 688028, 'gathering and many': 344433, 'many store are': 514733, 'out of some': 626833, 'of some of': 589900, 'the essential needed': 854514, 'to keep covid': 908776, 'keep covid 19': 471433, '19 at bay': 5239, 'at bay still': 98110, 'bay still need': 112973, 'still need sanitization': 800859, 'need sanitization product': 555538, 'sanitization product order': 734148, 'product order online': 681501, 'we ll do': 972245, 'll do the': 496716, 'do the rest': 250257, 'the rest staysafe': 865638, 'rest staysafe containcovid19': 716224, 'staysafe containcovid19 jpak': 798791, 'containcovid19 jpak shippingtoja': 200515, 'jpak shippingtoja onlineshopping': 467557, 'shippingtoja onlineshopping lysol': 758956, 'brings apocalypse': 140230, 'apocalypse in': 81540, 'in not': 425962, 'taking shelter': 833561, 'any mall': 79447, 'mall because': 511757, 'those mall': 892190, 'literally out': 495061, 'stock want': 803152, 'be stuck': 117416, 'stuck with': 814621, 'some suburban': 783993, 'suburban 60': 816134, '60 something': 21009, 'something couple': 784878, 'couple they': 211686, 'they took': 883577, 'if this covid': 415150, '19 brings apocalypse': 5447, 'brings apocalypse in': 140231, 'apocalypse in not': 81541, 'in not taking': 425968, 'not taking shelter': 571931, 'taking shelter in': 833562, 'shelter in any': 757929, 'in any mall': 420430, 'any mall because': 79448, 'mall because all': 511758, 'because all those': 118921, 'all those mall': 45168, 'those mall are': 892191, 'mall are literally': 511749, 'are literally out': 87838, 'literally out of': 495062, 'of stock want': 590207, 'stock want to': 803153, 'to be stuck': 901569, 'be stuck with': 117418, 'stuck with some': 814622, 'with some suburban': 1000868, 'some suburban 60': 783994, 'suburban 60 something': 816135, '60 something couple': 21010, 'something couple they': 784879, 'couple they took': 211687, 'they took all': 883578, 'food in their': 314976, 'in their pantry': 429762, 'takeouttuesday': 833203, 'the creative': 852310, 'creative way': 216178, 'way local': 969688, 'adapting during': 31325, 'time toiletpaper': 898110, 'toiletpapercrisis toiletpapergate': 923103, 'toiletpapergate takeouttuesday': 923161, 'we love seeing': 972309, 'seeing all the': 746210, 'all the creative': 44705, 'the creative way': 852311, 'creative way local': 216179, 'way local retailer': 969689, 'local retailer are': 498351, 'retailer are adapting': 718984, 'are adapting during': 84221, 'adapting during this': 31326, 'challenging time toiletpaper': 171652, 'time toiletpaper toiletpapercrisis': 898111, 'toiletpaper toiletpapercrisis toiletpapergate': 922670, 'toiletpapercrisis toiletpapergate takeouttuesday': 923104, 'lse': 506350, 'uknews': 939031, 'rise trump': 723042, 'trump expects': 933542, 'expects russia': 291101, 'arabia to': 83946, 'settle the': 753692, 'the dispute': 853399, 'dispute soon': 246333, 'soon check': 785675, 'here outbreak': 393437, 'outbreak investing': 628364, 'investing stock': 443944, 'stock lse': 802369, 'lse oil': 506351, 'oil equity': 596768, 'equity finance': 279933, 'finance uknews': 306292, 'uknews market': 939032, 'price rise trump': 676249, 'rise trump expects': 723043, 'trump expects russia': 933544, 'expects russia and': 291102, 'saudi arabia to': 737220, 'arabia to settle': 83950, 'to settle the': 914304, 'settle the dispute': 753693, 'the dispute soon': 853400, 'dispute soon check': 246334, 'soon check it': 785676, 'out here outbreak': 626290, 'here outbreak investing': 393438, 'outbreak investing stock': 628365, 'investing stock lse': 443945, 'stock lse oil': 802370, 'lse oil equity': 506352, 'oil equity finance': 596769, 'equity finance uknews': 279934, 'finance uknews market': 306293, 'uknews market update': 939033, 'though fuck': 892814, 'guy he': 369020, 'he deserves': 384871, 'deserves to': 238183, 'to sit': 914680, 'pandemic last': 635865, 'last give': 480252, 'him more': 396663, 'worker that': 1007910, 'that dy': 843655, 'the nj': 861821, 'nj and': 563407, 'and ny': 67909, 'ny area': 577838, 'seriously though fuck': 751764, 'though fuck this': 892815, 'fuck this guy': 339668, 'this guy he': 887789, 'guy he deserves': 369021, 'he deserves to': 384872, 'deserves to sit': 238186, 'to sit in': 914684, 'sit in jail': 771826, 'in jail for': 424335, 'jail for long': 464265, 'for long this': 323088, 'long this pandemic': 501750, 'this pandemic last': 889399, 'pandemic last give': 635866, 'last give him': 480253, 'give him more': 350521, 'him more time': 396664, 'more time for': 540768, 'time for every': 896705, 'for every healthcare': 321167, 'every healthcare worker': 285925, 'healthcare worker that': 387388, 'worker that dy': 1007912, 'that dy in': 843656, 'dy in the': 263737, 'in the nj': 429400, 'the nj and': 861822, 'nj and ny': 563408, 'and ny area': 67910, 'ny area due': 577839, 'lack of ppe': 478645, 'person you': 652755, 'dick to': 240475, 'to doe': 904619, 'not own': 570882, 'company doe': 190599, 'not control': 568867, 'control store': 202150, 'policy doe': 663380, 'set store': 753475, 'hour doe': 405542, 'set gas': 753383, 'yell back': 1015208, 'back seriously': 107261, 'together remember': 920912, 'remember stop': 710264, 'being asshats': 124870, 'asshats 19': 96496, 'the person you': 863596, 'person you are': 652756, 'are being dick': 84846, 'being dick to': 125049, 'dick to doe': 240476, 'to doe not': 904620, 'doe not own': 251514, 'not own the': 570885, 'own the company': 632259, 'the company doe': 851324, 'company doe not': 190600, 'doe not control': 251486, 'not control store': 568868, 'control store policy': 202151, 'store policy doe': 809613, 'policy doe not': 663381, 'doe not set': 251529, 'not set store': 571539, 'set store hour': 753476, 'store hour doe': 808195, 'hour doe not': 405543, 'not set gas': 571538, 'set gas price': 753384, 'gas price can': 343941, 'price can yell': 673068, 'can yell back': 160267, 'yell back seriously': 1015209, 'back seriously people': 107262, 'seriously people all': 751696, 'people all in': 646804, 'this together remember': 890778, 'together remember stop': 920913, 'remember stop being': 710265, 'stop being asshats': 804480, 'being asshats 19': 124871, 'easily one': 265236, 'why staying': 991375, 'home recommended': 401953, 'recommended be': 704775, 'smart stayathome': 775430, 'show how easily': 766975, 'how easily one': 407775, 'easily one cough': 265237, 'can spread the': 159711, 'spread the in': 790825, 'the in the': 858019, 'the supermarket yes': 868921, 'supermarket yes that': 824159, 'yes that why': 1015546, 'that why staying': 847546, 'why staying home': 991376, 'staying home recommended': 798619, 'home recommended be': 401954, 'recommended be smart': 704776, 'be smart stayathome': 117237, 'tearful care': 835981, 'left unable': 485704, 'issue heartbreaking': 455782, 'heartbreaking appeal': 388373, 'appeal express': 82058, 'tearful care nurse': 835982, 'care nurse left': 164086, 'nurse left unable': 577406, 'left unable to': 485705, 'shift issue heartbreaking': 758342, 'issue heartbreaking appeal': 455783, 'heartbreaking appeal express': 388374, 'consider closing': 194970, 'closing your': 183814, 'your non': 1025022, 'non fuel': 566398, 'fuel location': 340197, 'location you': 499002, 'contributing the': 201916, 'this responsible': 889886, 'responsible action': 715999, 'action you': 30209, 'not grocery': 569753, 're convenience': 698468, 'please consider closing': 659811, 'consider closing your': 194972, 'closing your non': 183815, 'your non fuel': 1025024, 'non fuel location': 566399, 'fuel location you': 340198, 'location you are': 499003, 'are contributing the': 85551, 'contributing the to': 201917, 'the to spread': 869691, '19 by not': 5567, 'by not taking': 153364, 'taking this responsible': 833619, 'this responsible action': 889887, 'responsible action you': 716000, 'action you re': 30211, 're not grocery': 699094, 'not grocery store': 569755, 'you re convenience': 1020596, 're convenience store': 698469, 'convenience store that': 202359, 'store that people': 810565, 'people can live': 647398, 'kane': 470783, 'pirie': 656934, 'have far': 380587, 'reaching implication': 700087, 'in travel': 430272, 'travel sector': 930501, 'sector turn': 744377, 'turn industry': 935681, 'industry into': 435917, 'into banker': 442419, 'banker after': 110339, 'the bail': 849188, 'out say': 627147, 'say ceo': 738495, 'ceo kane': 169738, 'kane pirie': 470784, 'could have far': 209253, 'have far reaching': 380590, 'far reaching implication': 298898, 'reaching implication for': 700088, 'for consumer trust': 320299, 'consumer trust in': 199400, 'trust in travel': 934276, 'in travel sector': 430274, 'travel sector turn': 930503, 'sector turn industry': 744378, 'turn industry into': 935682, 'industry into banker': 435918, 'into banker after': 442420, 'banker after the': 110340, 'after the bail': 36286, 'the bail out': 849189, 'bail out say': 108591, 'out say ceo': 627148, 'say ceo kane': 738497, 'ceo kane pirie': 169739, 'with fake': 998361, 'website email': 975253, 'email social': 272300, 'social post': 779914, 'post text': 666339, 'text designed': 839886, 'steal personal': 799195, 'info link': 437513, 'link provided': 493884, 'provided courtesy': 686590, 'courtesy content': 212038, 'content not': 200825, 'not guaranteed': 569760, 'fraudsters are taking': 331405, 'outbreak with fake': 628829, 'with fake website': 998365, 'fake website email': 296743, 'website email social': 975254, 'email social post': 272301, 'social post text': 779915, 'post text designed': 666340, 'text designed to': 839887, 'designed to steal': 238364, 'to steal personal': 915365, 'steal personal information': 799197, 'personal information we': 652905, 'information we ll': 438035, 'we ll never': 972265, 'll never call': 496916, 'never call email': 557923, 'or text and': 617352, 'text and ask': 839874, 'ask for personal': 95533, 'for personal info': 324502, 'personal info link': 652885, 'info link provided': 437514, 'link provided courtesy': 493885, 'provided courtesy content': 686591, 'courtesy content not': 212039, 'content not guaranteed': 200826, 'technology that': 836384, 'help human': 389878, 'human live': 410554, 'mar is': 515015, 'address an': 31944, 'an immediate': 56165, 'immediate need': 417004, 'need here': 555003, 'earth and': 264968, 'for community': 320193, 'community impacted': 189909, 'by learn': 153036, 'work being': 1004933, 'by challenge': 152092, 'challenge competitor': 171426, 'technology that could': 836385, 'could help human': 209284, 'help human live': 389879, 'human live on': 410555, 'live on mar': 495959, 'on mar is': 602005, 'mar is being': 515016, 'is being used': 446123, 'being used to': 126022, 'used to address': 950033, 'to address an': 900083, 'address an immediate': 31945, 'an immediate need': 56166, 'immediate need here': 417005, 'need here on': 555006, 'here on earth': 393409, 'on earth and': 600465, 'earth and produce': 264970, 'and produce hand': 69553, 'sanitizer for community': 734897, 'for community impacted': 320195, 'community impacted by': 189910, 'impacted by learn': 418082, 'by learn about': 153037, 'about the work': 26565, 'the work being': 871728, 'work being done': 1004934, 'being done by': 125074, 'done by challenge': 254804, 'by challenge competitor': 152093, 'subscribing': 815874, '18c': 4673, 'for cancelling': 319911, 'cancelling out': 161221, 'out sub': 627265, 'sub save': 815691, 'save regular': 737627, 'regular toilet': 707884, 'roll order': 725444, 'order this': 618645, 'morning after': 541135, 'after year': 36598, 'of subscribing': 590353, 'subscribing you': 815875, 'down just': 256905, 'before delivery': 122738, 'delivery with': 234751, 'no alternative': 563602, 'alternative replacement': 49251, 'replacement thanks': 711625, 'roll on': 725429, 'for 18c': 318692, '18c gold': 4674, 'thanks for cancelling': 842052, 'for cancelling out': 319912, 'cancelling out sub': 161222, 'out sub save': 627266, 'sub save regular': 815692, 'save regular toilet': 737628, 'regular toilet roll': 707885, 'toilet roll order': 921593, 'roll order this': 725445, 'order this morning': 618648, 'this morning after': 888934, 'morning after year': 541138, 'after year of': 36599, 'year of subscribing': 1014794, 'of subscribing you': 590354, 'subscribing you let': 815876, 'you let down': 1019590, 'let down just': 486690, 'down just before': 256907, 'just before delivery': 468316, 'before delivery with': 122739, 'delivery with no': 234752, 'with no alternative': 999733, 'no alternative replacement': 563604, 'alternative replacement thanks': 49252, 'replacement thanks also': 711626, 'thanks also to': 842014, 'also to bulk': 49018, 'to bulk buyer': 902103, 'bulk buyer now': 142266, 'buyer now selling': 149699, 'now selling toilet': 575776, 'toilet roll on': 921590, 'roll on ebay': 725430, 'ebay for 18c': 266456, 'for 18c gold': 318693, '18c gold price': 4675, 'stop multi': 804840, 'multi buy': 545651, 'buy offer': 149025, 'just reduce': 469587, 'to discourage': 904357, 'discourage unnecessary': 244627, 'unnecessary bulk': 942893, 'bulk purchase': 142345, 'purchase now': 689567, 'supermarket should stop': 822681, 'should stop multi': 766517, 'stop multi buy': 804841, 'multi buy offer': 545652, 'buy offer and': 149026, 'offer and just': 594523, 'and just reduce': 65716, 'just reduce price': 469588, 'reduce price to': 705905, 'price to discourage': 676983, 'to discourage unnecessary': 904362, 'discourage unnecessary bulk': 244628, 'unnecessary bulk purchase': 942894, 'bulk purchase now': 142346, 'toothpaste': 925493, 'bubblegum': 141633, 'some at': 782349, 'at convenience': 98328, 'no toothpaste': 565778, 'toothpaste either': 925496, 'either except': 270296, 'child kind': 176127, 'kind got': 474849, 'got bubblegum': 358456, 'bubblegum flavour': 141634, 'paper at my': 639897, 'store but got': 806792, 'but got some': 145810, 'got some at': 358845, 'some at convenience': 782351, 'at convenience store': 98329, 'convenience store there': 202360, 'wa no toothpaste': 962739, 'no toothpaste either': 565779, 'toothpaste either except': 925497, 'either except for': 270297, 'except for the': 289172, 'for the child': 326343, 'the child kind': 850821, 'child kind got': 176128, 'kind got bubblegum': 474850, 'got bubblegum flavour': 358457, 'are doctor': 85878, 'nurse disability': 577277, 'disability care': 243816, 'people delivering': 647621, 'and stacking': 72184, 'stacking your': 792049, 'safe they': 730027, 'also pay': 48648, 'pay tax': 645134, 'tax doesn': 834968, 'your visa': 1026285, 'visa status': 959119, 'status it': 796681, 'discriminate and': 244787, 'and neither': 67515, 'neither should': 557345, 'they are doctor': 881254, 'are doctor nurse': 85879, 'doctor nurse disability': 251008, 'nurse disability care': 577278, 'disability care worker': 243817, 'care worker they': 164307, 'the people delivering': 863466, 'people delivering your': 647623, 'delivering your food': 233568, 'food and stacking': 313342, 'and stacking your': 72185, 'stacking your supermarket': 792050, 'supermarket shelf so': 822532, 'can be safe': 157680, 'be safe they': 116973, 'safe they also': 730028, 'they also pay': 881154, 'also pay tax': 48649, 'pay tax doesn': 645135, 'tax doesn care': 834969, 'about your visa': 27018, 'your visa status': 1026286, 'visa status it': 959120, 'status it doesn': 796682, 'it doesn discriminate': 457627, 'doesn discriminate and': 251751, 'discriminate and neither': 244788, 'and neither should': 67516, 'neither should we': 557346, 'zealand supermarket': 1027312, 'shelf march': 757307, '2020 via': 14692, '19 new zealand': 8773, 'new zealand supermarket': 559998, 'zealand supermarket shelf': 1027315, 'supermarket shelf march': 822496, 'shelf march 17': 757308, '17 2020 via': 4315, 'umassmed': 939218, 'for surge': 326083, 'low team': 505659, 'of umassmed': 592583, 'umassmed student': 939219, 'student quickly': 814758, 'developed 130': 239672, '130 gallon': 3294, 'for nearby': 323785, 'nearby hospital': 553662, 'hospital get': 404420, 'the info': 858242, 'info http': 437493, 'prepares for surge': 670312, 'for surge of': 326085, 'surge of 19': 828226, 'of 19 case': 579385, 'case and supply': 165629, 'and supply are': 72776, 'supply are running': 824792, 'are running low': 89767, 'running low team': 728004, 'low team of': 505660, 'team of umassmed': 835745, 'of umassmed student': 592584, 'umassmed student quickly': 939220, 'student quickly developed': 814759, 'quickly developed 130': 694508, 'developed 130 gallon': 239673, '130 gallon of': 3295, 'sanitizer for nearby': 734915, 'for nearby hospital': 323786, 'nearby hospital get': 553663, 'hospital get the': 404424, 'get the info': 348254, 'the info http': 858246, 'reflected': 706639, 'confess': 193786, 'time4change': 898431, 'reflected on': 706646, 'own consumer': 631924, 'behaviour last': 124464, 'list confess': 494295, 'confess much': 193789, 'much feel': 544884, 'may lose': 521330, '19 part': 9575, 'me also': 522382, 'also wish': 49105, 'that unethical': 847170, 'unethical business': 941334, 'operate usual': 613025, 'usual unless': 951052, 'unless making': 942627, 'making change': 510985, 'change time4change': 172336, 'reflected on my': 706647, 'on my own': 602301, 'my own consumer': 549637, 'own consumer behaviour': 631925, 'consumer behaviour last': 196584, 'behaviour last week': 124465, 'week and made': 975922, 'made this list': 508023, 'this list confess': 888654, 'list confess much': 494296, 'confess much feel': 193790, 'much feel bad': 544885, 'bad for people': 107864, 'who may lose': 989274, 'may lose job': 521331, 'lose job due': 503445, 'covid 19 part': 213553, '19 part of': 9576, 'part of me': 642359, 'of me also': 586323, 'me also wish': 522383, 'also wish that': 49106, 'wish that unethical': 996817, 'that unethical business': 847171, 'unethical business will': 941335, 'business will no': 144687, 'to operate usual': 911026, 'operate usual unless': 613026, 'usual unless making': 951053, 'unless making change': 942628, 'making change time4change': 510988, 'sickofwinning': 768766, 'my cash': 547633, 'cash register': 166319, 'register person': 707598, 'service had': 752441, 'take sick': 832581, 'leave cause': 484763, 'none they': 566607, 'go see': 354088, 'doctor cause': 250868, 'insurance it': 440763, 'not offered': 570724, 'offered trying': 594984, 'panic though': 638709, 'though america': 892770, 'america sickofwinning': 51677, 'wa wondering if': 963720, 'wondering if my': 1004174, 'if my cash': 414431, 'my cash register': 547635, 'cash register person': 166325, 'register person in': 707599, 'person in food': 652479, 'food service had': 316418, 'service had covid': 752443, '19 they will': 11318, 'not take sick': 571906, 'take sick leave': 832582, 'sick leave cause': 768487, 'leave cause they': 484764, 'they have none': 882349, 'have none they': 381676, 'none they will': 566608, 'will not go': 994226, 'not go see': 569687, 'go see doctor': 354090, 'see doctor cause': 745053, 'doctor cause they': 250869, 'cause they do': 167771, 'health insurance it': 386548, 'insurance it is': 440764, 'is not offered': 450140, 'not offered trying': 570726, 'offered trying not': 594985, 'to panic though': 911433, 'panic though america': 638710, 'though america sickofwinning': 892771, 'cliff': 182164, 'dev': 239549, 'hi cliff': 394614, 'cliff we': 182171, 'we apologize': 970443, 'our delayed': 622721, 'delayed response': 232807, 'mifi dev': 530852, 'hi cliff we': 394615, 'cliff we apologize': 182172, 'we apologize for': 970444, 'apologize for our': 81639, 'for our delayed': 324226, 'our delayed response': 622722, 'delayed response starting': 232809, 'response starting on': 715795, 'and mifi dev': 66998, 'koboko': 477300, 'bloodsucker': 133160, 'shs3': 767737, 'koboko three': 477301, 'three indian': 893959, 'indian and': 434773, 'and ugandan': 74567, 'ugandan trader': 938015, 'trader arrested': 928659, 'for using': 327501, 'using lockdown': 950546, 'hike commodity': 396203, 'the bloodsucker': 849789, 'bloodsucker are': 133161, 'selling packet': 749394, 'of salt': 589251, 'salt at': 732803, 'at shs3': 100522, 'shs3 00': 767738, '00 please': 435, 'report those': 712379, 'those crook': 891904, 'crook and': 218865, 'them locked': 875996, 'koboko three indian': 477302, 'three indian and': 893960, 'indian and ugandan': 434774, 'and ugandan trader': 74568, 'ugandan trader arrested': 938016, 'trader arrested for': 928660, 'arrested for using': 93849, 'for using lockdown': 327503, 'using lockdown to': 950547, 'lockdown to hike': 500057, 'to hike commodity': 907761, 'hike commodity price': 396204, 'price the bloodsucker': 676822, 'the bloodsucker are': 849790, 'bloodsucker are selling': 133162, 'are selling packet': 89969, 'selling packet of': 749395, 'packet of salt': 633712, 'of salt at': 589252, 'salt at shs3': 732804, 'at shs3 00': 100523, 'shs3 00 please': 767739, '00 please report': 436, 'please report those': 660392, 'report those crook': 712380, 'those crook and': 891905, 'crook and get': 218867, 'and get them': 63606, 'get them locked': 348366, 'them locked up': 875997, 'been shopping': 121949, 've been shopping': 952930, 'been shopping online': 121952, 'online for day': 608223, 'bartholomew': 111408, 'sebastian': 743611, 'from paul': 336863, 'paul bartholomew': 644535, 'bartholomew and': 111409, 'and sebastian': 71113, 'sebastian lewis': 743612, 'lewis discus': 487834, 'on steel': 603661, 'steel and': 799313, 'and iron': 65380, 'when market': 983719, 'market may': 516705, 'from paul bartholomew': 336864, 'paul bartholomew and': 644536, 'bartholomew and sebastian': 111410, 'and sebastian lewis': 71114, 'sebastian lewis discus': 743613, 'lewis discus the': 487835, 'discus the impact': 244922, 'the on steel': 862174, 'on steel and': 603662, 'steel and iron': 799314, 'and iron price': 65381, 'iron price and': 444927, 'price and when': 672581, 'and when market': 75517, 'when market may': 983720, 'market may return': 516708, 'also damn': 48086, 'damn annoying': 225317, 'annoying we': 77375, 'experiencing shortage': 291698, 'disinfectant toilet': 245782, 'also experiencing': 48178, 'experiencing fake': 291645, 'fake fact': 296623, 'fact this': 295831, 'wash food': 967460, 'food properly': 316064, 'properly and': 684168, '19 panic is': 9549, 'panic is something': 638222, 'is something that': 452112, 'that is okay': 844630, 'okay but also': 597961, 'but also damn': 145106, 'also damn annoying': 48087, 'damn annoying we': 225318, 'annoying we are': 77376, 'are experiencing shortage': 86351, 'experiencing shortage of': 291699, 'shortage of disinfectant': 765107, 'of disinfectant toilet': 582688, 'disinfectant toilet paper': 245783, 'paper and we': 639864, 'are also experiencing': 84451, 'also experiencing fake': 48179, 'experiencing fake news': 291646, 'fake news and': 296668, 'news and fake': 560229, 'and fake fact': 62627, 'fake fact this': 296624, 'fact this is': 295832, 'exactly what happens': 288761, 'happens when you': 377531, 'not wash food': 572453, 'wash food properly': 967461, 'food properly and': 316065, 'properly and do': 684169, 'stop the wildlife': 805160, 'tonight my': 924449, 'community wa': 190202, 'wa informed': 962405, 'informed of': 438113, 'of confirmed': 581659, 'resident went': 714398, 'supermarket late': 821272, 'late monday': 480896, 'monday afternoon': 536236, 'afternoon same': 36709, 'day people': 228197, 'people wiped': 650427, 'shelf people': 757401, 'out now': 626655, 'tonight my community': 924450, 'my community wa': 547769, 'community wa informed': 190203, 'wa informed of': 962406, 'informed of confirmed': 438114, 'of confirmed case': 581660, '19 in local': 7763, 'in local resident': 424824, 'local resident went': 498333, 'resident went to': 714399, 'local supermarket late': 498548, 'supermarket late monday': 821274, 'late monday afternoon': 480897, 'monday afternoon same': 536238, 'afternoon same day': 36710, 'same day people': 733030, 'day people wiped': 228203, 'people wiped out': 650428, 'wiped out the': 996475, 'the shelf people': 866864, 'shelf people are': 757402, 'are really freaking': 89476, 'really freaking out': 702212, 'freaking out now': 331547, '3onyourside': 18370, 'friend we': 333879, 'this emergency': 887362, 'emergency together': 273032, 'together bookmark': 920729, 'bookmark the': 134767, 'the 3onyourside': 848105, '3onyourside page': 18371, 'constantly updating': 195709, 'updating it': 947474, 'consumer info': 197867, 'hi friend we': 394646, 'friend we get': 333884, 'we get through': 971634, 'through this emergency': 894814, 'this emergency together': 887365, 'emergency together bookmark': 273033, 'together bookmark the': 920730, 'bookmark the 3onyourside': 134768, 'the 3onyourside page': 848106, '3onyourside page at': 18372, 'page at are': 633832, 'at are constantly': 98039, 'are constantly updating': 85521, 'constantly updating it': 195710, 'updating it with': 947475, 'with the latest': 1001363, 'latest consumer info': 481261, 'consumer info to': 197868, 'info to help': 437592, 'navigate this uncertain': 553096, 'stupidisasstupiddoes': 815510, 'gerrityssupermarket': 346402, 'trumpincompetence': 934051, 'trumpjoke': 934064, 'trumpsucks': 934159, 'loses 35k': 503514, 'woman coronavirus': 1003451, 'prank stupidisasstupiddoes': 668950, 'stupidisasstupiddoes virus': 815511, 'virus pennsylvania': 958622, 'pennsylvania gerrityssupermarket': 646563, 'gerrityssupermarket supermarket': 346403, 'supermarket hoarding': 820771, 'waste pandemic': 968167, 'pandemic china': 635135, 'china trumpvirus': 177024, 'trumpvirus trumpincompetence': 934189, 'trumpincompetence trumpjoke': 934052, 'trumpjoke trumpsucks': 934065, 'store loses 35k': 808833, 'loses 35k in': 503515, 'after woman coronavirus': 36556, 'woman coronavirus prank': 1003452, 'coronavirus prank stupidisasstupiddoes': 206575, 'prank stupidisasstupiddoes virus': 668951, 'stupidisasstupiddoes virus pennsylvania': 815512, 'virus pennsylvania gerrityssupermarket': 958623, 'pennsylvania gerrityssupermarket supermarket': 646564, 'gerrityssupermarket supermarket hoarding': 346404, 'supermarket hoarding food': 820772, 'hoarding food waste': 399318, 'food waste pandemic': 317487, 'waste pandemic china': 968168, 'pandemic china trumpvirus': 635136, 'china trumpvirus trumpincompetence': 177025, 'trumpvirus trumpincompetence trumpjoke': 934190, 'trumpincompetence trumpjoke trumpsucks': 934053, 'rif': 721686, 'foreignexchange': 329031, 'currency market': 221043, 'other challenge': 619934, 'challenge find': 171452, 'how rif': 408601, 'rif fx': 721687, 'fx could': 342588, 'your foreignexchange': 1023943, 'foreignexchange transaction': 329032, 'transaction by': 929439, 'by visiting': 154676, 'visiting online': 959536, 'in the currency': 429116, 'the currency market': 852605, 'currency market in': 221044, 'market in light': 516560, 'the other challenge': 862516, 'other challenge find': 619935, 'challenge find out': 171453, 'out how rif': 626334, 'how rif fx': 408602, 'rif fx could': 721688, 'fx could help': 342589, 'could help your': 209300, 'help your foreignexchange': 391020, 'your foreignexchange transaction': 1023944, 'foreignexchange transaction by': 329033, 'transaction by visiting': 929440, 'by visiting online': 154677, 'cary': 165547, 'zimmerman': 1027599, 'ohio are': 596519, 'from measure': 336404, 'curtail the': 221783, 'law partner': 482366, 'partner cary': 642793, 'cary zimmerman': 165548, 'zimmerman explains': 1027600, 'program that': 683299, 'this drop': 887303, 'small business in': 774866, 'business in ohio': 143891, 'in ohio are': 426075, 'ohio are in': 596520, 'in crisis from': 421882, 'crisis from measure': 217402, 'from measure taken': 336405, 'taken to curtail': 833097, 'to curtail the': 903835, 'curtail the spread': 221784, 'of the law': 591179, 'the law partner': 859190, 'law partner cary': 482367, 'partner cary zimmerman': 642794, 'cary zimmerman explains': 165549, 'zimmerman explains the': 1027601, 'explains the economic': 292234, 'the economic relief': 853911, 'economic relief program': 267250, 'relief program that': 709445, 'program that may': 683300, 'that may soon': 845090, 'soon be available': 785635, 'be available to': 113764, 'available to fight': 104643, 'fight this drop': 304917, 'this drop in': 887304, 'in consumer confidence': 421688, 'socialdistancing stayhome': 780733, 'stayhomesavelives emptyshelves': 798377, '19 socialdistancing stayhome': 10679, 'socialdistancing stayhome stayhomesavelives': 780739, 'stayhome stayhomesavelives emptyshelves': 798154, 'why athlete': 990823, 'and entertainer': 62191, 'entertainer get': 278542, 'paid million': 634081, 'million when': 532417, 'when apparently': 983158, 'apparently they': 82028, 'essential health': 281124, 'restaurant cook': 716399, 'cook delivery': 202735, 'questioning why athlete': 693841, 'why athlete and': 990824, 'athlete and entertainer': 101757, 'and entertainer get': 62192, 'entertainer get paid': 278543, 'get paid million': 347773, 'paid million when': 634082, 'million when apparently': 532418, 'when apparently they': 983159, 'apparently they are': 82029, 'not essential health': 569214, 'essential health care': 281125, 'care professional restaurant': 164165, 'professional restaurant cook': 682485, 'restaurant cook delivery': 716400, 'cook delivery driver': 202736, 'sia': 768320, '19 sia': 10534, 'sia supermarket': 768321, 'supermarket provides': 822086, 'provides picture': 686880, 'picture guide': 656130, 'help confused': 389508, 'confused husband': 194336, 'husband buy': 411690, 'covid 19 sia': 213798, '19 sia supermarket': 10535, 'sia supermarket provides': 768322, 'supermarket provides picture': 822087, 'provides picture guide': 686881, 'picture guide to': 656131, 'guide to help': 368364, 'to help confused': 907479, 'help confused husband': 389509, 'confused husband buy': 194337, 'husband buy grocery': 411691, 'buy grocery during': 148749, 'grocery during lockdown': 364483, 'wilding': 992126, 'shook': 759719, 'people tweaking': 650036, 'tweaking for': 936285, 'no tissue': 565735, 'before 1pm': 122590, '1pm people': 12697, 'here wilding': 393845, 'wilding thing': 992129, 'thing slowly': 884748, 'slowly going': 774597, 'certain people': 170069, 'still shook': 801185, 'store people wearing': 809497, 'glove mask people': 352779, 'mask people tweaking': 519107, 'people tweaking for': 650037, 'tweaking for hand': 936286, 'sanitizer no tissue': 735422, 'no tissue or': 565736, 'tissue or meat': 899187, 'or meat in': 616101, 'the store before': 867986, 'store before 1pm': 806694, 'before 1pm people': 122591, '1pm people out': 12698, 'out here wilding': 626302, 'here wilding thing': 393846, 'wilding thing slowly': 992130, 'thing slowly going': 884749, 'slowly going back': 774598, 'normal but certain': 567105, 'but certain people': 145401, 'certain people are': 170070, 'are still shook': 90480, 'managing anxiety': 512847, 'anxiety during': 78694, 'during lock': 262753, 'managing anxiety during': 512849, 'anxiety during lock': 78695, 'during lock down': 262754, 'exp': 290442, 'really pathetic': 702481, 'that company': 843269, 'amazon who': 51198, 'money while': 537166, 'while other': 987113, 'closed have': 183149, 'hiked there': 396347, 'item exp': 463245, 'exp big': 290443, 'of wa': 592877, 'wa 99': 961401, '16 99': 4087, 'one example': 606256, 'example ill': 288907, 'it really pathetic': 460653, 'really pathetic that': 702482, 'pathetic that company': 644062, 'that company like': 843271, 'company like amazon': 190841, 'like amazon who': 489755, 'amazon who is': 51199, 'who is making': 989090, 'is making money': 449552, 'making money while': 511233, 'money while other': 537168, 'while other business': 987114, 'are closed have': 85346, 'closed have hiked': 183150, 'have hiked there': 380952, 'hiked there price': 396348, 'there price on': 878956, 'all grocery item': 43007, 'grocery item exp': 364652, 'item exp big': 463246, 'exp big bag': 290444, 'bag of wa': 108373, 'of wa 99': 592878, 'wa 99 and': 961402, '99 and now': 23775, 'and now is': 67848, 'now is 16': 575059, 'is 16 99': 445165, '16 99 that': 4088, '99 that just': 23895, 'that just one': 844794, 'just one example': 469375, 'one example ill': 606259, 'retaillife': 719493, 'or small': 617110, 'virus do': 958135, 'have website': 383570, 'website that': 975427, 'that let': 844870, 'know custom': 476346, 'custom build': 221979, 'build website': 142019, 'have system': 382900, 'you accept': 1016786, 'accept online': 27981, 'order retaillife': 618549, 'are you retail': 91847, 'you retail store': 1020925, 'retail store or': 718677, 'store or small': 809371, 'or small business': 617111, 'business who ha': 144668, 'who ha had': 988850, 'ha had to': 370798, 'to close due': 902869, 'the virus do': 870824, 'virus do you': 958138, 'you have website': 1019139, 'have website that': 383571, 'website that people': 975429, 'people can place': 647404, 'can place order': 159241, 'place order on': 657640, 'order on if': 618456, 'on if you': 601484, 'with that let': 1001173, 'that let know': 844871, 'let know custom': 486856, 'know custom build': 476347, 'custom build website': 221980, 'build website and': 142020, 'website and have': 975199, 'and have system': 64283, 'have system to': 382902, 'system to help': 831353, 'help you accept': 390949, 'you accept online': 1016787, 'accept online order': 27982, 'online order retaillife': 608699, 'honcho': 403042, 'appreciates': 82849, '19nz': 12530, 'supermarket team': 823141, 'head honcho': 385746, 'honcho the': 403043, 'and nz': 67912, 'nz appreciates': 578176, 'appreciates your': 82856, 'your sacrifice': 1025657, 'sacrifice of': 729098, 'running 19': 727887, '19 19nz': 4719, 'the supermarket team': 868841, 'supermarket team to': 823144, 'team to the': 835807, 'to the head': 916766, 'the head honcho': 857163, 'head honcho the': 385747, 'honcho the public': 403044, 'the public service': 864853, 'public service worker': 688310, 'service worker you': 753117, 'worker you guy': 1008311, 'guy are amazing': 368896, 'amazing and nz': 50644, 'and nz appreciates': 67913, 'nz appreciates your': 578177, 'appreciates your sacrifice': 82858, 'your sacrifice of': 1025658, 'sacrifice of family': 729099, 'of family time': 583411, 'family time to': 298317, 'go out there': 353990, 'there and keep': 878004, 'and keep running': 65775, 'keep running 19': 471865, 'running 19 19nz': 727888, 'do face': 249279, 'mask really': 519187, 'really help': 702273, 'person there': 652645, 'do face mask': 249280, 'face mask really': 294582, 'mask really help': 519188, 'really help what': 702279, 'help what do': 390879, 'think of that': 885461, 'of that person': 590737, 'that person there': 845724, 'person there not': 652646, 'there not wearing': 878864, 'not wearing it': 572476, 'wearing it with': 974667, 'it with you': 462485, 'sd': 743019, 'canada grocery': 160451, 'shopping suggestion': 764010, 'suggestion grocery': 817647, 'store isle': 808551, 'isle need': 454370, 'way only': 969782, 'we social': 973336, 'distance sd': 246813, 'sd to': 743026, 'not sd': 571466, 'sd once': 743024, 'once inside': 605659, 'inside stopthespread': 439388, 'canada grocery shopping': 160452, 'grocery shopping suggestion': 365087, 'shopping suggestion grocery': 764011, 'suggestion grocery store': 817648, 'grocery store isle': 365492, 'store isle need': 808552, 'isle need to': 454371, 'one way only': 607374, 'way only we': 969783, 'only we social': 611451, 'we social distance': 973337, 'social distance sd': 779521, 'distance sd to': 246814, 'sd to get': 743027, 'get inside and': 347343, 'inside and people': 439220, 'are not sd': 88461, 'not sd once': 571467, 'sd once inside': 743025, 'once inside stopthespread': 605661, 'interestingly': 441651, 'album': 40859, 'interestingly one': 441652, 'one watch': 607361, 'watch hollywood': 968438, 'hollywood film': 400454, 'film he': 305678, 'he wonder': 385679, 'why wa': 991505, 'there zero': 879396, 'zero socialdistancing': 1027501, 'socialdistancing why': 780872, 'clean their': 180656, 'hand while': 375982, 'while accepting': 986560, 'accepting picture': 28088, 'picture album': 656103, 'album from': 40860, 'someone of': 784581, 'course the': 211935, 'future wa': 342509, 'interestingly one watch': 441653, 'one watch hollywood': 607362, 'watch hollywood film': 968439, 'hollywood film he': 400455, 'film he wonder': 305679, 'he wonder why': 385680, 'wonder why wa': 1004046, 'why wa there': 991507, 'wa there zero': 963484, 'there zero socialdistancing': 879397, 'zero socialdistancing why': 1027503, 'socialdistancing why didn': 780873, 'why didn they': 990926, 'didn they use': 241233, 'they use sanitizer': 883616, 'use sanitizer to': 949550, 'sanitizer to clean': 735909, 'to clean their': 902814, 'clean their hand': 180657, 'their hand while': 873488, 'hand while accepting': 375983, 'while accepting picture': 986561, 'accepting picture album': 28089, 'picture album from': 656104, 'album from someone': 40861, 'from someone of': 337352, 'someone of course': 784583, 'of course the': 582071, 'course the future': 211937, 'the future wa': 856093, 'future wa the': 342510, 'wa the last': 963454, 'last thing on': 480544, 'thing on their': 884640, 'on their mind': 604494, 'nycshutdown': 578092, 'store three': 810722, 'since thursday': 770945, 'thursday why': 895449, 'why what': 991545, 'what anxiety': 981047, 'anxiety is': 78731, 'this nycshutdown': 889198, 'nycshutdown socialdistancing': 578093, 'grocery store three': 365862, 'store three time': 810723, 'three time since': 894079, 'time since thursday': 897674, 'since thursday why': 770946, 'thursday why what': 895451, 'why what anxiety': 991546, 'what anxiety is': 981048, 'anxiety is this': 78736, 'is this nycshutdown': 453107, 'this nycshutdown socialdistancing': 889199, 'market thought': 517221, 'thought there': 893253, 'another shock': 77842, 'drag down': 258153, 'already historical': 47449, 'historical low': 397987, 'low natural': 505417, 'price coronavirus': 673260, 'coronavirus came': 205602, 'came on': 157037, 'scene with': 741372, 'when the market': 984173, 'the market thought': 860171, 'market thought there': 517223, 'thought there wa': 893254, 'wa no more': 962729, 'no more room': 564816, 'more room for': 540282, 'room for another': 725911, 'for another shock': 319374, 'another shock to': 77843, 'shock to drag': 759529, 'to drag down': 904701, 'drag down the': 258154, 'down the already': 257263, 'the already historical': 848597, 'already historical low': 47450, 'historical low natural': 397989, 'low natural gas': 505418, 'gas price coronavirus': 343947, 'price coronavirus came': 673261, 'coronavirus came on': 205603, 'came on the': 157039, 'the scene with': 866476, 'try your': 934692, 'this trying': 890874, 'try your best': 934693, 'best to support': 127966, 'local business during': 497759, 'business during this': 143674, 'during this trying': 263330, 'this trying time': 890875, 'trying time by': 934743, 'time by buying': 896434, 'by buying gift': 152040, 'gift card and': 349933, 'card and shopping': 163456, 'shopping online when': 763505, 'disinfected': 245824, '508': 20135, '9032': 23409, 'alert we': 41540, 'important it': 418852, 'clean disinfected': 180503, 'disinfected let': 245832, 'needed disinfecting': 556337, 'disinfecting cleaning': 245839, 'cleaning provided': 181044, 'provided price': 686640, 'price starting': 676617, 'starting hour': 794965, 'maid 75': 508539, '75 book': 22117, 'today 702': 919133, '702 508': 21938, '508 9032': 20136, '9032 lasvegas': 23412, 'alert we understand': 41542, 'we understand how': 973587, 'understand how important': 940643, 'how important it': 408035, 'important it is': 418853, 'it is for': 458955, 'is for everyone': 447882, 'for everyone to': 321247, 'everyone to keep': 287496, 'to keep clean': 908769, 'keep clean disinfected': 471397, 'clean disinfected let': 180504, 'disinfected let help': 245833, 'let help all': 486781, 'help all supply': 389325, 'all supply needed': 44565, 'supply needed disinfecting': 825582, 'needed disinfecting cleaning': 556338, 'disinfecting cleaning provided': 245841, 'cleaning provided price': 181045, 'provided price starting': 686642, 'price starting hour': 676620, 'starting hour maid': 794966, 'hour maid 75': 405756, 'maid 75 book': 508540, '75 book online': 22118, 'book online or': 134580, 'online or call': 608652, 'or call today': 614643, 'call today 702': 156196, 'today 702 508': 919134, '702 508 9032': 21939, '508 9032 lasvegas': 20138, 'out home': 626306, 'home bargain': 400761, 'bargain they': 111071, 'launched 30m': 481962, '30m coronavirus': 17466, 'coronavirus fund': 205977, 'help staff': 390562, 'staff through': 792975, 'shout out home': 766772, 'out home bargain': 626307, 'home bargain they': 400763, 'bargain they ve': 111072, 'they ve launched': 883662, 've launched 30m': 953321, 'launched 30m coronavirus': 481963, '30m coronavirus fund': 17467, 'coronavirus fund to': 205978, 'to help staff': 907634, 'help staff through': 390563, 'staff through the': 792976, 'pandemic and self': 634899, 'and self isolation': 71185, 'fda making': 300886, 'crisis explains': 217363, 'the fda making': 855021, 'fda making it': 300887, 'difficult for the': 242230, 'the to start': 869692, 'start making hand': 794379, 'the crisis explains': 852376, 'braver': 138267, 'helpthemtohelpusall': 391638, 'slot being': 774149, 'the fit': 855380, 'healthy scared': 387758, 'just take': 469937, 'hit because': 398164, 'vulnerable do': 960933, 'you part': 1020296, 'be braver': 113903, 'braver please': 138268, 'please helpthemtohelpusall': 660092, 'so many supermarket': 777711, 'many supermarket delivery': 514758, 'delivery slot being': 234512, 'slot being taken': 774151, 'being taken by': 125897, 'by the fit': 154328, 'the fit and': 855381, 'and healthy scared': 64398, 'healthy scared of': 387759, 'scared of going': 740995, 'of going out': 584193, 'going out just': 355376, 'out just take': 626469, 'just take the': 469945, 'take the hit': 832653, 'the hit because': 857395, 'hit because this': 398165, 'because this is': 119740, 'is so much': 452026, 'so much worse': 777829, 'worse for the': 1010933, 'and vulnerable do': 75051, 'vulnerable do you': 960935, 'do you part': 250655, 'you part and': 1020297, 'part and be': 642228, 'and be braver': 58745, 'be braver please': 113904, 'braver please helpthemtohelpusall': 138269, 'haven lived': 383853, 'lived until': 496178, 'hair shelteringinplace': 374004, 'you haven lived': 1019152, 'haven lived until': 383854, 'lived until you': 496179, 'until you put': 943944, 'you put hand': 1020505, 'in your hair': 431086, 'your hair shelteringinplace': 1024154, 'myallotment': 550679, 'freefood': 332410, 'why panicbuy': 991274, 'panicbuy why': 638844, 'why pay': 991277, 'pay inflated': 644958, 'of difficulty': 582601, 'difficulty you': 242419, 'try growing': 934488, 'growing you': 367259, 'own growyourown': 632033, 'growyourown myallotment': 367501, 'myallotment freefood': 550680, 'why panicbuy why': 991275, 'panicbuy why pay': 638845, 'why pay inflated': 991278, 'pay inflated price': 644959, 'for good and': 321926, 'good and food': 356732, 'and food in': 63056, 'food in time': 314978, 'time of difficulty': 897326, 'of difficulty you': 582604, 'difficulty you could': 242420, 'you could try': 1018103, 'could try growing': 209794, 'try growing you': 934490, 'growing you own': 367261, 'you own growyourown': 1020270, 'own growyourown myallotment': 632034, 'growyourown myallotment freefood': 367502, 'so asymptomatic': 776559, 'asymptomatic with': 97337, 'accident on': 28399, 'death look': 230118, 'how ridiculous': 408598, 'ridiculous you': 721641, 'you sound': 1021310, 'so asymptomatic with': 776561, 'asymptomatic with positive': 97338, 'with positive covid': 1000260, 'covid 19 dy': 212994, 'dy in car': 263734, 'car accident on': 162979, 'accident on the': 28400, 'supermarket is covid': 821079, '19 death look': 6446, 'death look how': 230119, 'look how ridiculous': 502410, 'how ridiculous you': 408600, 'ridiculous you sound': 721642, 'calamity': 155280, 'face calamity': 294346, 'calamity it': 155285, 'with outbreak': 1000034, 'outbreak decimated': 628158, 'decimated health': 230985, 'health system': 386885, 'system plummeting': 831288, 'amp dysfunctional': 53689, 'dysfunctional government': 263932, 'government listen': 360323, 'face calamity it': 294347, 'calamity it deal': 155286, 'it deal with': 457484, 'deal with outbreak': 229564, 'with outbreak decimated': 1000035, 'outbreak decimated health': 628159, 'decimated health system': 230986, 'health system plummeting': 386891, 'system plummeting oil': 831289, 'oil price amp': 597046, 'price amp dysfunctional': 672333, 'amp dysfunctional government': 53690, 'dysfunctional government listen': 263933, 'hey those': 394525, 'those low': 892185, 'carers nurse': 164595, 'nurse sure': 577492, 'crisis eh': 217342, 'hey those low': 394526, 'those low skilled': 892187, 'skilled worker supermarket': 773013, 'staff carers nurse': 792312, 'carers nurse sure': 164597, 'nurse sure are': 577493, 'sure are keeping': 827493, 'are keeping the': 87667, 'country going in': 210692, 'of crisis eh': 582157, 'icantwork': 412624, 'icantgetpaid': 412619, 'is raising': 451210, 'now icantwork': 574967, 'icantwork icantgetpaid': 412625, 'disappointed that is': 244119, 'that is raising': 844642, 'is raising price': 451214, 'raising price right': 696125, 'right now icantwork': 722082, 'now icantwork icantgetpaid': 574968, 'ftc and': 339375, 'fda provided': 300906, 'provided some': 686647, 'the scammer': 866423, 'coronavirus scam the': 206722, 'the ftc and': 855923, 'ftc and fda': 339376, 'and fda provided': 62731, 'fda provided some': 300907, 'provided some tip': 686648, 'keep the scammer': 472068, 'the scammer at': 866425, 'thee': 872323, 'you creator': 1018129, 'creator in': 216241, 'of financial': 583531, 'assistance consumer': 96677, 'consumer able': 195989, 'to contribute': 903434, 'keep creator': 471438, 'creator afloat': 216232, 'afloat during': 34951, 'during get': 262656, 'get thee': 348317, 'thee to': 872326, 'help or': 390196, 'or donate': 615050, 'are you creator': 91779, 'you creator in': 1018130, 'creator in need': 216242, 'need of financial': 555328, 'of financial assistance': 583532, 'financial assistance consumer': 306329, 'assistance consumer able': 96678, 'consumer able to': 195990, 'able to contribute': 24465, 'to contribute to': 903437, 'contribute to keep': 201880, 'to keep creator': 908777, 'keep creator afloat': 471439, 'creator afloat during': 216233, 'afloat during get': 34952, 'during get thee': 262657, 'get thee to': 348318, 'thee to the': 872327, 'the and ask': 848683, 'ask for help': 95525, 'for help or': 322184, 'help or donate': 390199, 'or donate to': 615052, 'patient from': 644173, 'from france': 335553, 'france and': 330972, 'italy suffering': 462929, 'the respiratory': 865608, 'respiratory disease': 715231, 'disease caused': 245100, 'treated at': 930935, 'patient from france': 644174, 'from france and': 335554, 'france and italy': 330974, 'and italy suffering': 65623, 'italy suffering from': 462930, 'from the respiratory': 337855, 'the respiratory disease': 865609, 'respiratory disease caused': 715232, 'disease caused by': 245101, 'by the are': 154262, 'the are now': 848865, 'now being treated': 574243, 'being treated at': 125979, 'treated at hospital': 930936, 'at hospital in': 99192, 'hospital in germany': 404468, 'survive for': 829170, 'surface but': 827989, 'place everyone': 657428, 'go is': 353773, 'person coughing': 652380, 'or an': 614310, 'an asymptomatic': 55457, 'asymptomatic person': 97321, 'person touching': 652669, 'touching stuff': 926716, 'stuff could': 815045, 'could spread': 209700, 'spread contamination': 790482, 'contamination although': 200697, 'it mostly': 459688, 'mostly spread': 543013, 'through direct': 894423, 'an infected': 56301, 'we know covid': 972150, 'can survive for': 159874, 'survive for day': 829171, 'for day on': 320581, 'day on surface': 228147, 'on surface but': 603845, 'surface but the': 827990, 'but the one': 147374, 'the one place': 862215, 'one place everyone': 606877, 'place everyone need': 657429, 'to go is': 906814, 'go is the': 353775, 'the supermarket one': 868728, 'supermarket one person': 821755, 'one person coughing': 606858, 'person coughing or': 652381, 'coughing or an': 208729, 'or an asymptomatic': 614314, 'an asymptomatic person': 55460, 'asymptomatic person touching': 97322, 'person touching stuff': 652670, 'touching stuff could': 926717, 'stuff could spread': 815046, 'could spread contamination': 209701, 'spread contamination although': 790483, 'contamination although it': 200698, 'although it mostly': 49333, 'it mostly spread': 459690, 'mostly spread through': 543014, 'spread through direct': 790843, 'through direct contact': 894424, 'contact with an': 200267, 'with an infected': 997218, 'an infected person': 56302, 'txu': 937476, 'paused': 644626, 'disconnect': 244408, 'txu energy': 937477, 'energy ha': 276471, 'ha paused': 371478, 'paused all': 644627, 'all disconnect': 42576, 'disconnect and': 244409, 'txu energy ha': 937478, 'energy ha paused': 276472, 'ha paused all': 371479, 'paused all disconnect': 644628, 'all disconnect and': 42577, 'disconnect and waiving': 244411, 'and waiving late': 75132, 'be really': 116708, 'really dangerous': 702096, 'dangerous for': 225739, 'him he': 396613, 'he staying': 385469, 'work she': 1005710, 'so think': 778491, 'feeling bit': 302972, 'bit sick': 131697, 'and decide': 61007, 'out anyway': 625719, 'dad ha copd': 224339, 'copd and covid': 203292, 'could be really': 208913, 'be really dangerous': 116710, 'really dangerous for': 702097, 'dangerous for him': 225740, 'for him he': 322284, 'him he staying': 396618, 'he staying home': 385470, 'home but my': 400839, 'but my mom': 146435, 'my mom ha': 549272, 'mom ha to': 535740, 'ha to keep': 372306, 'to work she': 918779, 'work she work': 1005713, 'she work in': 756477, 'supermarket and could': 818959, 'and could bring': 60613, 'could bring the': 208973, 'bring the virus': 140088, 'the virus home': 870843, 'virus home so': 958298, 'home so think': 402088, 'so think about': 778492, 'think about that': 885102, 'about that the': 26324, 'that the next': 846781, 'you are feeling': 1017122, 'are feeling bit': 86516, 'feeling bit sick': 302973, 'bit sick and': 131698, 'sick and decide': 768363, 'and decide to': 61008, 'go out anyway': 353936, 'rieux': 721683, 'nutrisciences': 577705, 'at rieux': 100319, 'rieux nutrisciences': 721684, 'nutrisciences our': 577706, 'our mission': 623927, 'mission is': 534363, 'health by': 386210, 'by preventing': 153648, 'preventing health': 671810, 'risk related': 723839, 'more generally': 539332, 'generally to': 345544, 'of everyday': 583245, 'everyday consumer': 286546, 'at rieux nutrisciences': 100320, 'rieux nutrisciences our': 721685, 'nutrisciences our mission': 577707, 'our mission is': 623930, 'mission is to': 534364, 'protect consumer health': 684806, 'consumer health by': 197720, 'health by preventing': 386211, 'by preventing health': 153649, 'preventing health risk': 671811, 'health risk related': 386810, 'risk related to': 723840, 'related to food': 708603, 'to food and': 906075, 'food and more': 313286, 'and more generally': 67172, 'more generally to': 539333, 'generally to the': 345546, 'to the use': 917164, 'use of everyday': 949408, 'of everyday consumer': 583247, 'everyday consumer product': 286547, 'consumer product more': 198470, 'product more information': 681417, 'adel': 32129, 'karina': 470923, 'isliationhelp': 454398, 'newsong': 561076, 'adel and': 32130, 'and karina': 65740, 'karina xx': 470926, 'xx isliationhelp': 1013918, 'isliationhelp isolation': 454399, 'isolation selfisolation': 455414, 'selfisolation lockdown': 748463, 'quarantine song': 692554, 'song newsong': 785508, 'newsong frontline': 561077, 'hospital police': 404563, 'supermarket volunteer': 823668, 'adel and karina': 32131, 'and karina xx': 65741, 'karina xx isliationhelp': 470927, 'xx isliationhelp isolation': 1013919, 'isliationhelp isolation selfisolation': 454400, 'isolation selfisolation lockdown': 455416, 'selfisolation lockdown quarantine': 748464, 'lockdown quarantine song': 499826, 'quarantine song newsong': 692555, 'song newsong frontline': 785509, 'newsong frontline nh': 561078, 'frontline nh hospital': 338793, 'nh hospital police': 561981, 'hospital police supermarket': 404565, 'police supermarket volunteer': 663224, 'albuterol': 40869, 'bet on': 128089, 'when albuterol': 983119, 'albuterol inhaler': 40870, 'inhaler price': 438441, 'be increased': 115457, 'bet on when': 128093, 'on when albuterol': 605262, 'when albuterol inhaler': 983120, 'albuterol inhaler price': 40871, 'inhaler price will': 438442, 'will be increased': 992513, 'bolivia': 134110, 'whoever win': 990120, 'upcoming election': 946786, 'in bolivia': 420894, 'bolivia will': 134111, 'have dire': 380283, 'dire economic': 243249, 'business badly': 143414, 'badly damaged': 108146, 'damaged by': 225251, 'whoever win the': 990121, 'win the upcoming': 995589, 'the upcoming election': 870492, 'upcoming election in': 946788, 'election in bolivia': 271042, 'in bolivia will': 420895, 'bolivia will likely': 134112, 'likely have dire': 492012, 'have dire economic': 380284, 'dire economic situation': 243251, 'economic situation to': 267294, 'situation to face': 772535, 'to face with': 905580, 'face with low': 294861, 'with low natural': 999335, 'price and small': 672542, 'small business badly': 774840, 'business badly damaged': 143415, 'badly damaged by': 108147, 'damaged by the': 225252, 'vegpower': 954238, 'vegpower esp': 954239, 'esp the': 280404, 'on halal': 601221, 'meat due': 525546, 'vegpower esp the': 954240, 'esp the asian': 280405, 'the asian shop': 848965, 'asian shop are': 95335, 'shop are raising': 759910, 'price on halal': 675680, 'on halal meat': 601222, 'halal meat due': 374110, 'meat due to': 525547, 'unsustainable': 943604, 'get six': 348012, 'six full': 772646, 'full lorry': 340678, 'lorry of': 503350, 'stock every': 802090, 'produce it': 680331, 'trading 50': 928827, '50 above': 19600, 'above xmas': 27116, 'xmas shopping': 1013888, 'shopping level': 763157, 'is unsustainable': 453556, 'unsustainable and': 943605, 'and completely': 60232, 'local supermarket get': 498529, 'supermarket get six': 820490, 'get six full': 348013, 'six full lorry': 772647, 'full lorry of': 340679, 'lorry of stock': 503351, 'of stock every': 590161, 'stock every day': 802091, 'day and still': 227282, 'and still the': 72391, 'still the shelf': 801290, 'empty of fresh': 274982, 'of fresh produce': 583947, 'fresh produce it': 333055, 'produce it ha': 680332, 'ha been trading': 369964, 'been trading 50': 122266, 'trading 50 above': 928828, '50 above xmas': 19602, 'above xmas shopping': 27117, 'xmas shopping level': 1013889, 'shopping level for': 763158, 'the last 10': 858986, '10 day this': 1391, 'day this panic': 228535, 'panic shopping is': 638576, 'shopping is unsustainable': 763086, 'is unsustainable and': 453557, 'unsustainable and completely': 943606, 'and completely mad': 60236, 'thankfully stockpiling': 841961, 'stockpiling appears': 803911, '23 per': 15431, 'cent leaving': 169084, 'monday down': 536273, 'down 12': 256372, '12 point': 2938, 'point on': 662573, 'the monday': 860798, 'thankfully stockpiling appears': 841962, 'stockpiling appears to': 803912, 'to be at': 901118, 'be at an': 113729, 'at an end': 97983, 'an end with': 55737, 'end with 23': 276079, 'with 23 per': 996987, '23 per cent': 15432, 'per cent leaving': 650754, 'cent leaving their': 169085, 'leaving their home': 485161, 'home to visit': 402349, 'visit supermarket on': 959371, 'on monday down': 602164, 'monday down 12': 536274, 'down 12 point': 256373, '12 point on': 2939, 'point on the': 662576, 'on the monday': 604238, 'the monday before': 860800, 'curbedny': 220603, 'shape via': 754857, 'via realestate': 956199, 'realestate nyc': 701503, 'nyc curbedny': 577977, 'take shape via': 832565, 'shape via realestate': 754858, 'via realestate nyc': 956202, 'realestate nyc curbedny': 701504, 'stranger at': 812457, 'really scaring': 702550, 'me waiting': 523895, 'my report': 549921, 'report me': 712085, 'me stay': 523541, 'positive stranger': 665444, 'stranger throw': 812495, 'throw shampoo': 895045, 'shampoo bottle': 754772, 'stranger at the': 812458, 'store this covid': 810697, '19 is really': 8035, 'is really scaring': 451314, 'really scaring the': 702551, 'out of me': 626785, 'of me waiting': 586350, 'me waiting for': 523896, 'for my report': 323745, 'my report me': 549923, 'report me stay': 712086, 'me stay positive': 523542, 'stay positive stranger': 797177, 'positive stranger throw': 665445, 'stranger throw shampoo': 812497, 'throw shampoo bottle': 895046, 'shampoo bottle at': 754773, 'bottle at me': 136190, 'editing': 268597, 'editing video': 268600, 'video now': 956819, 'up soon': 946047, 'soon about': 785612, 'experience of': 291433, 'being cashier': 124930, 'panic related': 638475, 'editing video now': 268602, 'video now will': 956820, 'now will go': 576427, 'go up soon': 354439, 'up soon about': 946048, 'soon about my': 785613, 'about my experience': 25763, 'my experience of': 548129, 'experience of being': 291434, 'of being cashier': 580636, 'being cashier at': 124931, 'all the shopping': 44908, 'the shopping panic': 867071, 'shopping panic related': 763590, 'panic related to': 638476, 'hoppon': 403984, 'veetilirimyre': 953703, 'awareness new': 105706, 'video uploaded': 956943, 'uploaded staysafestayhome': 947599, 'staysafestayhome get': 798996, 'item delivered': 463197, 'doorstep only': 255866, 'on hoppon': 601365, 'hoppon corona': 403985, 'corona veetilirimyre': 204269, 'veetilirimyre who': 953704, 'who coronaupdatesindia': 988493, '19 awareness new': 5282, 'awareness new video': 105707, 'new video uploaded': 559832, 'video uploaded staysafestayhome': 956944, 'uploaded staysafestayhome get': 947600, 'staysafestayhome get your': 798997, 'get your supermarket': 348739, 'supermarket item delivered': 821190, 'item delivered to': 463198, 'your doorstep only': 1023590, 'doorstep only on': 255868, 'only on hoppon': 610856, 'on hoppon corona': 601366, 'hoppon corona veetilirimyre': 403986, 'corona veetilirimyre who': 204270, 'veetilirimyre who coronaupdatesindia': 953705, 'tailor': 831819, 'online instead': 608415, 'visiting brick': 959514, 'the storm': 868156, 'storm we': 811857, 'easy commerce': 265674, 'commerce solution': 188636, 'solution tailor': 782082, 'tailor made': 831820, 'for specialty': 325814, 'specialty running': 788168, 'running store': 728081, 'store ecommerce': 807432, 'ecommerce shoplocal': 266866, 'shopping online instead': 763448, 'online instead of': 608416, 'instead of visiting': 440335, 'of visiting brick': 592836, 'visiting brick and': 959515, 'mortar store these': 541843, 'these day is': 879879, 'day is your': 227844, 'store ready to': 809751, 'ready to weather': 700987, 'weather the storm': 974903, 'the storm we': 868163, 'storm we re': 811859, 'we re an': 972824, 're an easy': 698285, 'an easy commerce': 55561, 'easy commerce solution': 265675, 'commerce solution tailor': 188637, 'solution tailor made': 782083, 'tailor made for': 831821, 'made for specialty': 507746, 'for specialty running': 325815, 'specialty running store': 788169, 'running store ecommerce': 728082, 'store ecommerce shoplocal': 807433, 'people helping': 648234, 'toiletry selfish': 923439, 'through this by': 894807, 'this by people': 886659, 'by people helping': 153551, 'people helping people': 648239, 'helping people and': 391432, 'people and not': 646875, 'and not stock': 67774, 'not stock piling': 571736, 'and toiletry selfish': 74252, 'toiletry selfish prick': 923440, 'implementation': 418446, 'india if': 434456, 'speak for': 787686, 'for measure': 323357, 'measure watch': 525419, 'watch pm': 968510, 'pm speech': 661991, 'speech currently': 788392, 'currently ongoing': 221616, 'ongoing implementation': 607646, 'implementation of': 418447, 'of learning': 585763, 'learning in': 484213, 'school ambassador': 741678, 'ambassador to': 51291, 'encourage social': 275626, 'distancing enough': 247124, 'india if you': 434458, 'what to speak': 982464, 'to speak for': 914961, 'speak for measure': 787688, 'for measure watch': 323358, 'measure watch pm': 525420, 'watch pm speech': 968511, 'pm speech currently': 661992, 'speech currently ongoing': 788393, 'currently ongoing implementation': 221617, 'ongoing implementation of': 607647, 'implementation of learning': 418448, 'of learning in': 585764, 'learning in the': 484215, 'in the school': 429529, 'the school ambassador': 866487, 'school ambassador to': 741679, 'ambassador to encourage': 51292, 'to encourage social': 905065, 'encourage social distancing': 275627, 'social distancing enough': 779599, 'distancing enough food': 247125, 'mbbs': 522054, 'rmc': 724292, 'msc': 544503, 'lsh': 506356, 'karachi': 470856, 'llb': 497108, 'mbbs rmc': 522055, 'rmc pakistan': 724293, 'pakistan msc': 634474, 'msc public': 544504, 'health lsh': 386621, 'lsh uk': 506357, 'uk ex': 938339, 'ex global': 288637, 'global coordinator': 351817, 'coordinator who': 203244, 'who ex': 988711, 'ex regional': 288645, 'regional adviser': 707486, 'adviser who': 33673, 'who founder': 988755, 'founder executive': 330540, 'executive coordinator': 289876, 'coordinator the': 203242, 'the network': 861460, 'network for': 557718, 'protection pakistan': 685560, 'pakistan ba': 634426, 'ba national': 106533, 'national college': 552446, 'college karachi': 186620, 'karachi llb': 470861, 'llb sindh': 497109, 'sindh muslim': 771075, 'muslim law': 546429, 'law college': 482248, 'mbbs rmc pakistan': 522056, 'rmc pakistan msc': 724294, 'pakistan msc public': 634475, 'msc public health': 544505, 'public health lsh': 688074, 'health lsh uk': 386622, 'lsh uk ex': 506358, 'uk ex global': 938340, 'ex global coordinator': 288638, 'global coordinator who': 351818, 'coordinator who ex': 203245, 'who ex regional': 988712, 'ex regional adviser': 288646, 'regional adviser who': 707487, 'adviser who founder': 33674, 'who founder executive': 988756, 'founder executive coordinator': 330541, 'executive coordinator the': 289877, 'coordinator the network': 203243, 'the network for': 861461, 'network for consumer': 557719, 'for consumer protection': 320282, 'consumer protection pakistan': 198551, 'protection pakistan ba': 685561, 'pakistan ba national': 634427, 'ba national college': 106534, 'national college karachi': 552447, 'college karachi llb': 186621, 'karachi llb sindh': 470862, 'llb sindh muslim': 497110, 'sindh muslim law': 771076, 'muslim law college': 546430, 'india national': 434529, 'national task': 552629, 'force for': 328388, '19 recommends': 10006, 'recommends use': 704853, 'of hydroxychloroquine': 584936, 'hydroxychloroquine for': 412000, 'risk case': 723446, 'high probability': 395299, 'probability that': 679189, 'some miserable': 783299, 'miserable business': 533981, 'business person': 144212, 'person will': 652741, 'advantage and': 32957, 'india national task': 434530, 'national task force': 552630, 'task force for': 834685, 'force for covid': 328390, 'covid 19 recommends': 213669, '19 recommends use': 10008, 'recommends use of': 704854, 'use of hydroxychloroquine': 949415, 'of hydroxychloroquine for': 584937, 'hydroxychloroquine for high': 412001, 'for high risk': 322260, 'high risk case': 395350, 'risk case there': 723447, 'there is high': 878572, 'is high probability': 448449, 'high probability that': 395300, 'probability that some': 679190, 'that some miserable': 846389, 'some miserable business': 783300, 'miserable business person': 533982, 'business person will': 144214, 'person will start': 652742, 'will start taking': 994945, 'start taking advantage': 794534, 'taking advantage and': 833252, 'advantage and keep': 32962, 'and keep it': 65765, 'keep it in': 471613, 'in stock to': 428339, 'stock to sell': 803000, 'to sell at': 914140, 'sell at higher': 748634, 'burton': 142968, 'burton and': 142969, 'discus where': 244945, 'outbreak present': 628542, 'present not': 670612, 'only health': 610590, 'economic one': 267175, 'one due': 606217, 'burton and discus': 142970, 'and discus where': 61424, 'discus where the': 244946, 'where the outbreak': 985240, 'the outbreak present': 862679, 'outbreak present not': 628543, 'present not only': 670613, 'not only health': 570801, 'only health crisis': 610591, 'health crisis but': 386323, 'crisis but an': 217144, 'but an economic': 145180, 'an economic one': 55584, 'economic one due': 267176, 'one due to': 606218, 'to falling global': 905649, 'falling global oil': 297278, 'restrain': 717078, 'utilise': 951242, 'coincome': 185680, 'affiliated': 34623, 'ceo word': 169892, 'word there': 1004591, 'are continued': 85543, 'continued regulation': 201335, 'and request': 70285, 'self restrain': 747891, 'restrain to': 717081, 'prevent any': 671578, 'any infection': 79358, 'infection of': 436800, 'new type': 559793, 'type covid': 937516, 'can utilise': 160111, 'utilise coincome': 951243, 'coincome to': 185681, 'purchase mask': 689546, 'mask sanitisers': 519209, 'sanitisers consumer': 734077, 'daily necessity': 224708, 'necessity via': 554288, 'our affiliated': 622036, 'affiliated shop': 34626, 'ceo word there': 169893, 'word there are': 1004592, 'there are continued': 878084, 'are continued regulation': 85544, 'continued regulation and': 201336, 'regulation and request': 708055, 'and request for': 70286, 'request for self': 713163, 'for self restrain': 325425, 'self restrain to': 747892, 'restrain to prevent': 717082, 'to prevent any': 912044, 'prevent any infection': 671579, 'any infection of': 79359, 'infection of the': 436802, 'the new type': 861571, 'new type covid': 559794, 'type covid 19': 937517, '19 around the': 5217, 'world you can': 1010214, 'you can utilise': 1017822, 'can utilise coincome': 160112, 'utilise coincome to': 951244, 'coincome to purchase': 185682, 'to purchase mask': 912542, 'purchase mask sanitisers': 689548, 'mask sanitisers consumer': 519211, 'sanitisers consumer good': 734078, 'good and daily': 356729, 'and daily necessity': 60912, 'daily necessity via': 224709, 'necessity via our': 554289, 'via our affiliated': 956146, 'our affiliated shop': 622037, 'ftw': 339496, 'physicaldistancing ftw': 655483, 'ftw harris': 339497, 'found the toilet': 330417, 'paper toiletpaper physicaldistancing': 640952, 'toiletpaper physicaldistancing ftw': 922346, 'physicaldistancing ftw harris': 655484, 'ftw harris teeter': 339498, 'vimtotweets': 957410, 'american queueing': 52153, 'for gun': 322088, 'gun the': 368746, 'dutch for': 263503, 'cannabis the': 161451, 'british for': 140527, 'toiletpaper what': 922828, 'saudi queueing': 737293, 'for vimtotweets': 327561, 'vimtotweets aramco': 957411, 'coronacrisis the american': 204811, 'the american queueing': 848637, 'american queueing for': 52154, 'queueing for gun': 694171, 'for gun the': 322090, 'gun the dutch': 368747, 'the dutch for': 853795, 'dutch for cannabis': 263504, 'for cannabis the': 319918, 'cannabis the british': 161452, 'the british for': 850021, 'british for toiletpaper': 140528, 'for toiletpaper what': 327266, 'toiletpaper what the': 922829, 'what the saudi': 982363, 'the saudi queueing': 866380, 'saudi queueing for': 737294, 'queueing for vimtotweets': 694173, 'for vimtotweets aramco': 327562, 'luxembourg': 506885, 'hand down': 374901, 'down winner': 257479, 'winner best': 996018, 'best country': 127649, 'country effort': 210605, 'effort so': 269587, 'far coronavirus': 298748, 'day thank': 228462, 'you luxembourg': 1019741, 'luxembourg for': 506888, 'an inspiration': 56368, 'inspiration light': 439802, 'in darkness': 421991, 'darkness luxembourg': 226004, 'luxembourg started': 506896, 'started state': 794840, 'run grocery': 727654, 'feed sick': 302365, 'sick elderly': 768427, 'pandemic time': 636767, 'hand down winner': 374902, 'down winner best': 257480, 'winner best country': 996019, 'best country effort': 127650, 'country effort so': 210606, 'effort so far': 269588, 'so far coronavirus': 777021, 'far coronavirus covid': 298749, 'story of day': 812058, 'of day thank': 582383, 'day thank you': 228463, 'thank you luxembourg': 841769, 'you luxembourg for': 1019742, 'luxembourg for being': 506889, 'for being an': 319624, 'being an inspiration': 124845, 'an inspiration light': 56369, 'inspiration light in': 439803, 'light in darkness': 489531, 'in darkness luxembourg': 421992, 'darkness luxembourg started': 226006, 'luxembourg started state': 506897, 'started state run': 794841, 'state run grocery': 795911, 'run grocery store': 727656, 'to help feed': 907512, 'help feed sick': 389695, 'feed sick elderly': 302366, 'sick elderly vulnerable': 768430, 'vulnerable during pandemic': 960940, 'during pandemic time': 262901, 'day there': 228507, 'this day there': 887171, 'day there now': 228512, 'poorcustomerservice': 664338, 'immoral': 417285, 'when more': 983737, 'ever people': 285445, 'need financial': 554773, 'financial support': 306610, 'support common': 826425, 'sense and': 750486, 'understanding are': 940861, 'what selfish': 982145, 'selfish thing': 748293, 'do selfish': 250066, 'selfish three': 748295, 'three corona': 893896, 'corona poorcustomerservice': 204111, 'poorcustomerservice misguided': 664339, 'misguided immoral': 534036, 'time when more': 898295, 'when more than': 983738, 'than ever people': 840600, 'ever people need': 285446, 'people need financial': 648820, 'need financial support': 554775, 'financial support common': 306612, 'support common sense': 826426, 'common sense and': 189453, 'sense and understanding': 750491, 'and understanding are': 74641, 'understanding are putting': 940862, 'are putting up': 89366, 'putting up their': 691279, 'their price what': 874437, 'price what selfish': 677472, 'what selfish thing': 982146, 'selfish thing to': 748294, 'to do selfish': 904551, 'do selfish three': 250067, 'selfish three corona': 748296, 'three corona poorcustomerservice': 893897, 'corona poorcustomerservice misguided': 204112, 'poorcustomerservice misguided immoral': 664340, 'aryeh': 94703, 'boim': 134062, 'osher': 619714, 'caters': 167275, 'orthodox': 619683, 'jewish': 465403, 'aryeh boim': 94704, 'boim founder': 134063, 'of israeli': 585352, 'israeli heavy': 455617, 'heavy discount': 388632, 'chain osher': 170979, 'osher ad': 619715, 'ad which': 31191, 'which caters': 985742, 'caters to': 167276, 'the ultra': 870321, 'ultra orthodox': 939174, 'orthodox jewish': 619684, 'jewish community': 465404, 'community belief': 189755, 'belief the': 126222, 'beyond medical': 129201, 'aryeh boim founder': 94705, 'boim founder of': 134064, 'founder of israeli': 330554, 'of israeli heavy': 585353, 'israeli heavy discount': 455618, 'heavy discount supermarket': 388634, 'discount supermarket chain': 244545, 'supermarket chain osher': 819627, 'chain osher ad': 170980, 'osher ad which': 619716, 'ad which caters': 31192, 'which caters to': 985743, 'caters to the': 167277, 'to the ultra': 917151, 'the ultra orthodox': 870322, 'ultra orthodox jewish': 939175, 'orthodox jewish community': 619685, 'jewish community belief': 465405, 'community belief the': 189756, 'belief the danger': 126223, '19 are beyond': 5193, 'are beyond medical': 84967, 'cram': 214826, 'cain': 155193, 'all cram': 42488, 'cram into': 214829, 'and cain': 59398, 'cain all': 155194, 'roll cunt': 725262, 'cunt coronacrisisuk': 220360, 'coronacrisisuk really': 204900, 'really hope': 702307, 'let all cram': 486552, 'all cram into': 42489, 'cram into the': 214831, 'supermarket and cain': 818951, 'and cain all': 59399, 'cain all the': 155195, 'food and bog': 313188, 'bog roll cunt': 133950, 'roll cunt coronacrisisuk': 725263, 'cunt coronacrisisuk really': 220361, 'coronacrisisuk really hope': 204901, 'really hope the': 702312, 'hope the people': 403683, 'front line are': 338559, 'line are getting': 492966, 'are getting what': 86835, 'getting what they': 349442, 'protection watchdog': 685680, 'watchdog new': 968631, 'new test': 559738, 'test to': 839209, 'uncover covid': 939903, '19 immunity': 7684, 'immunity to': 417438, 'out next': 626635, 'consumer protection watchdog': 198578, 'protection watchdog new': 685681, 'watchdog new test': 968632, 'new test to': 559739, 'test to uncover': 839212, 'to uncover covid': 917890, 'uncover covid 19': 939904, 'covid 19 immunity': 213248, '19 immunity to': 7687, 'immunity to come': 417439, 'come out next': 187469, 'out next week': 626636, 'for lockdownhouseparty': 323069, 'number of sick': 576992, 'home and find': 400641, 'and find someone': 62893, 'find someone to': 307238, 'someone to shop': 784708, 'shop for lockdownhouseparty': 760191, 'for lockdownhouseparty chinaliedandpeopledied': 323070, 'new what': 559874, 'truck we': 932876, 'the domestic': 853527, 'chain problem': 171010, 'caused special': 167962, 'special guest': 787942, 'guest join': 368164, 'out now in': 626658, 'now in an': 574992, 'in an all': 420276, 'an all new': 55238, 'all new what': 43628, 'new what the': 559875, 'what the truck': 982371, 'the truck we': 870039, 'truck we talk': 932878, 'we talk about': 973492, 'talk about the': 833762, 'about the domestic': 26379, 'the domestic supply': 853532, 'supply chain problem': 825011, 'chain problem that': 171011, 'problem that the': 679705, 'that the national': 846778, 'the national emergency': 861292, 'national emergency ha': 552490, 'emergency ha caused': 272736, 'ha caused special': 370102, 'caused special guest': 167963, 'special guest join': 787943, 'guest join me': 368165, 'join me for': 466774, 'me for supply': 522761, 'for supply chain': 326040, 'beginning last': 123628, 'month the': 538039, 'the triggered': 869984, 'triggered panic': 931923, 'area neighborhood': 92120, 'neighborhood say': 557149, 'can replenish': 159443, 'replenish their': 711656, 'beginning last month': 123629, 'last month the': 480344, 'month the triggered': 538047, 'the triggered panic': 869986, 'triggered panic shopping': 931925, 'panic shopping and': 638562, 'shopping and now': 762004, 'bay area neighborhood': 112916, 'area neighborhood say': 92121, 'neighborhood say they': 557150, 'say they can': 739336, 'they can replenish': 881667, 'can replenish their': 159444, 'replenish their store': 711657, 'store with basic': 811366, 'with basic food': 997375, 'basic food in': 111888, 'food in high': 314943, 'chcnewsflash': 174063, 'chcnewsflash with': 174064, 'pandemic creating': 635266, 'creating huge': 216013, 'huge spike': 410204, 'item walmart': 463793, 'walmart ha': 965343, 'halted the': 374495, 'potential sale': 667131, 'of majority': 586117, 'majority stake': 509579, 'stake in': 793309, 'chain asda': 170527, 'asda to': 94992, 'managing it': 512878, 'it day': 457475, 'day business': 227401, 'chcnewsflash with the': 174065, 'the pandemic creating': 862940, 'pandemic creating huge': 635267, 'creating huge spike': 216015, 'huge spike in': 410205, 'essential item walmart': 281234, 'item walmart ha': 463794, 'walmart ha halted': 965345, 'ha halted the': 370803, 'halted the potential': 374498, 'the potential sale': 864126, 'potential sale of': 667132, 'sale of majority': 732398, 'of majority stake': 586119, 'majority stake in': 509580, 'stake in uk': 793313, 'uk supermarket chain': 938758, 'supermarket chain asda': 819595, 'chain asda to': 170530, 'asda to focus': 94994, 'focus on managing': 311884, 'on managing it': 601985, 'managing it day': 512879, 'it day to': 457479, 'to day business': 903952, 'pandemic locust': 635909, 'locust flooding': 500565, 'flooding and': 310744, 'and earthquake': 61848, 'earthquake know': 265040, 'all still': 44461, 'the pandemic locust': 863017, 'pandemic locust flooding': 635910, 'locust flooding and': 500566, 'flooding and earthquake': 310745, 'and earthquake know': 61849, 'earthquake know we': 265041, 'know we all': 476926, 'we all still': 970365, 'all still got': 44463, 'still got that': 800606, 'got that grocery': 358892, 'store we still': 811181, 'we still won': 973413, 'still won go': 801418, 'won go to': 1003826, 'sad irony': 729182, 'irony if': 444961, 'if million': 414419, 'were making': 979871, 'making more': 511234, 'more trip': 540830, 'of anti': 580235, 'gouging law': 359376, 'law or': 482364, 'or sentiment': 617011, 'would be sad': 1011642, 'be sad irony': 116936, 'sad irony if': 729183, 'irony if million': 444962, 'if million of': 414420, 'of american were': 580080, 'american were making': 52298, 'were making more': 979872, 'making more trip': 511236, 'more trip to': 540831, 'because of anti': 119310, 'of anti price': 580236, 'price gouging law': 674294, 'gouging law or': 359377, 'law or sentiment': 482365, 'mentally': 528722, 'of have': 584462, 'very complex': 955067, 'complex medical': 192407, 'problem we': 679738, 'need freezer': 554884, 'freezer just': 332618, 'medical related': 526359, 'related item': 708468, 'item ocd': 463484, 'ocd greatly': 579095, 'greatly impact': 363317, 'issue some': 455926, 'of cannot': 581110, 'not physically': 571023, 'physically or': 655520, 'or mentally': 616125, 'mentally well': 528734, 'well enough': 978224, 'enough yet': 277783, 'some of have': 783396, 'of have very': 584475, 'have very complex': 383498, 'very complex medical': 955068, 'complex medical problem': 192408, 'medical problem we': 526314, 'problem we need': 679741, 'we need freezer': 972486, 'need freezer just': 554885, 'freezer just for': 332619, 'just for medical': 468753, 'for medical related': 323383, 'medical related item': 526360, 'related item ocd': 708471, 'item ocd greatly': 463485, 'ocd greatly impact': 579096, 'greatly impact on': 363320, 'impact on this': 417896, 'on this issue': 604613, 'this issue some': 888511, 'issue some of': 455927, 'some of cannot': 783392, 'of cannot go': 581111, 'to supermarket we': 915858, 'are not physically': 88436, 'not physically or': 571024, 'physically or mentally': 655521, 'or mentally well': 616126, 'mentally well enough': 528735, 'well enough yet': 978226, 'enough yet we': 277784, 'yet we cannot': 1016314, 'cannot get online': 161899, 'stagflation': 793238, 'is therefore': 453041, 'therefore massive': 879449, 'massive injection': 520048, 'injection of': 438703, 'liquidity coupled': 494129, 'with likely': 999222, 'likely lasting': 492043, 'lasting damage': 480761, 'confidence can': 193838, 'about stagflation': 26243, 'this is therefore': 888427, 'is therefore massive': 453044, 'therefore massive injection': 879450, 'massive injection of': 520049, 'injection of liquidity': 438705, 'of liquidity coupled': 585878, 'liquidity coupled with': 494130, 'coupled with likely': 211734, 'with likely lasting': 999223, 'likely lasting damage': 492044, 'lasting damage to': 480762, 'damage to consumer': 225233, 'consumer confidence can': 196887, 'confidence can anyone': 193839, 'can anyone talk': 157517, 'anyone talk about': 80547, 'talk about stagflation': 833757, 'mayo': 521922, 'dressing': 258708, 'minute this': 533863, 'many question': 514610, 'apparently hoarding': 81948, 'hoarding mayo': 399423, 'mayo salad': 521925, 'salad dressing': 731916, 'dressing canned': 258709, 'good basically': 356812, 'basically anything': 112110, 'anything paper': 80857, 'guy eating': 368988, 'for few minute': 321456, 'few minute this': 303917, 'minute this evening': 533864, 'this evening and': 887430, 'evening and have': 284847, 'and have so': 64275, 'have so many': 382599, 'so many question': 777695, 'many question about': 514611, 'about the product': 26492, 'the product you': 864603, 'product you all': 681880, 'all are apparently': 42038, 'are apparently hoarding': 84592, 'apparently hoarding mayo': 81949, 'hoarding mayo salad': 399424, 'mayo salad dressing': 521926, 'salad dressing canned': 731917, 'dressing canned good': 258710, 'canned good basically': 161533, 'good basically anything': 356813, 'basically anything paper': 112111, 'anything paper what': 80858, 'paper what the': 641079, 'what the heck': 982324, 'heck are you': 388695, 'you guy eating': 1018959, 'otipy': 621895, 'otipy is': 621896, 'is live': 449405, 'live across': 495701, 'across 40': 29218, '40 society': 18662, 'gurgaon and': 368820, 'already serving': 47646, 'serving fresh': 753180, 'fruit directly': 339086, 'from farm': 335410, 'farm your': 299218, 'your society': 1025860, 'society can': 781171, 'next partner': 561499, 'partner visit': 642890, 'visit 19': 959167, 'otipy is live': 621897, 'is live across': 449406, 'live across 40': 495702, 'across 40 society': 29219, '40 society in': 18663, 'society in gurgaon': 781245, 'in gurgaon and': 423485, 'gurgaon and already': 368821, 'and already serving': 57937, 'already serving fresh': 47647, 'serving fresh vegetable': 753181, 'fresh vegetable and': 333098, 'and fruit directly': 63370, 'fruit directly from': 339087, 'directly from farm': 243548, 'from farm your': 335413, 'farm your society': 299219, 'your society can': 1025861, 'society can be': 781172, 'be our next': 116277, 'our next partner': 624060, 'next partner visit': 561500, 'partner visit 19': 642891, 'the spent': 867569, 'spent trillion': 789180, 'in developing': 422237, 'developing it': 239786, 'it military': 459623, 'military for': 531465, 'defense among': 232129, 'among each': 53000, 'little did': 495314, 'did we': 240900, 'hard just': 377959, 'enough amp': 277317, 'the spent trillion': 867570, 'spent trillion in': 789181, 'trillion in developing': 931987, 'in developing it': 422239, 'developing it military': 239787, 'it military for': 459624, 'military for defense': 531466, 'for defense among': 320615, 'defense among each': 232130, 'among each other': 53001, 'other little did': 620479, 'little did we': 495315, 'did we know': 240904, 'we know we': 972163, 'know we were': 476934, 'be hit hard': 115268, 'hit hard just': 398252, 'hard just because': 377960, 'just because we': 468294, 'because we don': 119800, 'have enough amp': 380437, 'ipas': 444542, 'delaware is': 232654, 'leader of': 483499, 'the craft': 852267, 'beer movement': 122487, 'movement now': 543893, 'is trading': 453323, 'trading ipas': 928884, 'ipas for': 444543, 'hospital on': 404529, 'delaware is one': 232656, 'of the leader': 591180, 'the leader of': 859224, 'leader of the': 483502, 'of the craft': 590906, 'the craft beer': 852268, 'craft beer movement': 214762, 'beer movement now': 122488, 'movement now the': 543894, 'now the company': 576034, 'company is trading': 190814, 'is trading ipas': 453325, 'trading ipas for': 928885, 'ipas for hand': 444544, 'which is being': 985987, 'is being sent': 446112, 'sent to hospital': 750842, 'to hospital on': 907975, 'hospital on the': 404531, 'ksh': 477831, 'space without': 787198, 'without face': 1002632, 'some funny': 782931, 'funny face': 341722, 'mask going': 518760, 'going at': 355033, 'at ksh': 99393, 'ksh 100': 477832, '100 just': 1934, 'supermarket china': 819689, 'now producing': 575601, 'producing 120': 680732, '120 million': 3017, 'million face': 532143, 'mask everyday': 518620, 'is profiteering': 451074, 'profiteering at': 683006, 'having billionaire': 383997, 'any other public': 79602, 'other public space': 620793, 'public space without': 688332, 'space without face': 787199, 'without face mask': 1002633, 'face mask some': 294590, 'mask some funny': 519294, 'some funny face': 782932, 'funny face mask': 341723, 'face mask going': 294544, 'mask going at': 518761, 'going at ksh': 355034, 'at ksh 100': 99394, 'ksh 100 just': 477833, '100 just outside': 1935, 'just outside the': 469420, 'the supermarket china': 868518, 'supermarket china is': 819690, 'is now producing': 450316, 'now producing 120': 575602, 'producing 120 million': 680733, '120 million face': 3018, 'million face mask': 532144, 'face mask everyday': 294537, 'mask everyday this': 518621, 'everyday this is': 286641, 'this is profiteering': 888364, 'is profiteering at': 451075, 'profiteering at the': 683007, 'this pandemic we': 889445, 'pandemic we shall': 636950, 'we shall be': 973216, 'shall be having': 754519, 'be having billionaire': 115155, 'pharmacie': 654101, 'voting history': 960605, 'history pandemic': 398044, 'or pharmacie': 616565, 'pharmacie over': 654102, 'over next': 630429, 'deadliest week': 229208, 'week also': 975886, 'also vote': 49071, 'vote in': 960488, 'the wisconsin': 871623, 'wisconsin primary': 996631, 'primary killer': 678079, 'killer candidate': 474629, 'voting history pandemic': 960606, 'history pandemic do': 398045, 'store or pharmacie': 809359, 'or pharmacie over': 616566, 'pharmacie over next': 654103, 'over next week': 630430, 'next week it': 561690, 'it the deadliest': 461526, 'the deadliest week': 852940, 'deadliest week also': 229209, 'week also vote': 975887, 'also vote in': 49072, 'vote in the': 960489, 'in the wisconsin': 429685, 'the wisconsin primary': 871624, 'wisconsin primary killer': 996632, 'primary killer candidate': 678080, 'conceivably': 192826, 'cannot fill': 161827, 'economic vacuum': 267358, 'vacuum left': 951823, 'left by': 485433, 'immediate return': 417026, 'return soon': 719898, 'soon conceivably': 785681, 'conceivably possible': 192827, 'to completely': 903143, 'completely unsustainable': 192372, 'unsustainable growth': 943607, 'growth consumer': 367360, 'economy this': 268281, 'this conversation': 886858, 'conversation article': 202460, 'explores an': 292520, 'could step': 209717, 'step into': 799573, 'this vacuum': 890953, 'we cannot fill': 971060, 'cannot fill the': 161828, 'fill the economic': 305496, 'the economic vacuum': 853923, 'economic vacuum left': 267359, 'vacuum left by': 951824, 'left by covid': 485434, 'll see an': 496990, 'see an immediate': 744896, 'an immediate return': 56168, 'immediate return soon': 417027, 'return soon conceivably': 719900, 'soon conceivably possible': 785682, 'conceivably possible to': 192828, 'possible to completely': 665841, 'to completely unsustainable': 903148, 'completely unsustainable growth': 192373, 'unsustainable growth consumer': 943608, 'growth consumer economy': 367361, 'consumer economy this': 197318, 'economy this conversation': 268282, 'this conversation article': 886859, 'conversation article explores': 202461, 'article explores an': 94311, 'explores an idea': 292521, 'an idea that': 56134, 'that could step': 843365, 'could step into': 209718, 'step into this': 799576, 'into this vacuum': 443225, 'and stayathome': 72308, 'stayathome we': 797700, 'still deliver': 800418, 'deliver and': 233089, 'and surely': 72870, 'surely safety': 827927, 'safety come': 730498, 'come first': 187285, 'first stayhomesavelives': 309026, 'enjoy the online': 277191, 'shopping and stayathome': 762026, 'and stayathome we': 72309, 'stayathome we still': 797701, 'we still deliver': 973398, 'still deliver and': 800419, 'deliver and surely': 233090, 'and surely safety': 72872, 'surely safety come': 827928, 'safety come first': 730499, 'come first stayhomesavelives': 187289, 'every 10': 285637, '10 drop': 1403, 'in spending': 428198, 'in category': 421294, 'category affected': 167153, '19 overall': 9225, 'spending drop': 788788, 'for every 10': 321157, 'every 10 drop': 285639, '10 drop in': 1404, 'drop in spending': 260276, 'in spending in': 428199, 'spending in category': 788858, 'in category affected': 421295, 'category affected by': 167154, 'covid 19 overall': 213539, '19 overall consumer': 9226, 'overall consumer spending': 631003, 'consumer spending drop': 199054, 'chorus': 178015, 'totally agree': 926300, 'that cash': 843171, 'and carry': 59580, 'carry ha': 165082, 'would explain': 1011806, 'explain the': 292118, 'not defending': 568976, 'defending anyone': 232112, 'anyone here': 80363, 'making lot': 511180, 'crisis chorus': 217216, 'totally agree but': 926301, 'agree but could': 38597, 'but could it': 145467, 'it be that': 456738, 'be that cash': 117578, 'that cash and': 843172, 'cash and carry': 166155, 'and carry ha': 59581, 'carry ha increased': 165083, 'it price which': 460470, 'price which would': 677516, 'which would explain': 986514, 'would explain the': 1011807, 'explain the increase': 292120, 'the increase not': 858066, 'increase not defending': 432925, 'not defending anyone': 568977, 'defending anyone here': 232113, 'anyone here but': 80364, 'here but some': 392840, 'are making lot': 87989, 'making lot of': 511181, 'of money from': 586607, 'this crisis chorus': 887027, 'working 70': 1008476, '70 hour': 21774, 'hour week': 406081, 'extra kind': 293558, 'also maybe': 48521, 'maybe say': 521793, 'say prayer': 739066, 'prayer that': 669073, 'get exposed': 346978, 'cousin work at': 212101, 'store she say': 810052, 'she say she': 756323, 'say she been': 739126, 'she been working': 755888, 'been working 70': 122395, 'working 70 hour': 1008477, '70 hour week': 21776, 'hour week and': 406082, 'week and still': 975936, 'and still cannot': 72370, 'still cannot keep': 800341, 'cannot keep up': 161990, 'keep up please': 472177, 'up please be': 945775, 'please be extra': 659701, 'be extra kind': 114758, 'extra kind to': 293559, 'kind to the': 475013, 'line keeping this': 493223, 'running and also': 727904, 'and also maybe': 57963, 'also maybe say': 48522, 'maybe say prayer': 521794, 'say prayer that': 739067, 'prayer that they': 669074, 'that they do': 846931, 'not get exposed': 569585, 'invited': 444273, 'passle': 643425, 're invited': 698924, 'invited covid': 444274, 'protection global': 685466, 'global advertising': 351730, 'advertising in': 33231, 'crisis webinar': 218359, 'webinar via': 975126, 'via passle': 956161, 'passle by': 643426, 'you re invited': 1020658, 're invited covid': 698925, 'invited covid 19': 444275, '19 amp consumer': 4963, 'amp consumer protection': 53570, 'consumer protection global': 198532, 'protection global advertising': 685467, 'global advertising in': 351731, 'advertising in time': 33233, 'of crisis webinar': 582195, 'crisis webinar via': 218360, 'webinar via passle': 975128, 'via passle by': 956162, '017': 775, 'kwh': 478050, 'solar': 781596, 'comparable': 191370, 'piped': 656886, 'greatgame': 363298, 'renewables': 710983, 'aliceinwonderland': 41731, 'gonearoundthebend': 356456, '017 kwh': 776, 'kwh wind': 478051, 'wind and': 995619, 'and solar': 71932, 'solar in': 781599, 'newyork state': 561204, 'state comparable': 795465, 'comparable with': 191376, 'with india': 998983, 'india recent': 434586, 'recent price': 703962, 'price winning': 677597, 'bid auction': 129468, 'auction eh': 102846, 'eh soon': 270137, 'soon oil': 785780, 'oil lng': 596927, 'lng piped': 497211, 'piped gas': 656887, 'gas compete': 343792, 'compete greatgame': 191591, 'greatgame oilprice': 363299, 'oilprice renewables': 597636, 'renewables loot': 710990, 'loot oott': 503233, 'oilpricewar aliceinwonderland': 597701, 'aliceinwonderland gonearoundthebend': 41734, '017 kwh wind': 777, 'kwh wind and': 478052, 'wind and solar': 995620, 'and solar in': 71933, 'solar in newyork': 781600, 'in newyork state': 425853, 'newyork state comparable': 561205, 'state comparable with': 795466, 'comparable with india': 191377, 'with india recent': 998984, 'india recent price': 434587, 'recent price winning': 703963, 'price winning bid': 677598, 'winning bid auction': 996063, 'bid auction eh': 129469, 'auction eh soon': 102847, 'eh soon oil': 270138, 'soon oil lng': 785781, 'oil lng piped': 596928, 'lng piped gas': 497212, 'piped gas compete': 656888, 'gas compete greatgame': 343793, 'compete greatgame oilprice': 191592, 'greatgame oilprice renewables': 363300, 'oilprice renewables loot': 597637, 'renewables loot oott': 710991, 'loot oott oilpricewar': 503235, 'oott oilpricewar aliceinwonderland': 611773, 'oilpricewar aliceinwonderland gonearoundthebend': 597702, 'spermarketprofitsforgood': 789184, 'stevencain': 799975, 'about delivering': 25090, 'delivering box': 233472, 'fresh veg': 333092, 'every dr': 285879, 'dr and': 257952, 'australia spermarketprofitsforgood': 103382, 'spermarketprofitsforgood stevencain': 789185, 'how about delivering': 407277, 'about delivering box': 25091, 'delivering box of': 233473, 'box of fresh': 137120, 'of fresh veg': 583949, 'fresh veg and': 333094, 'veg and supply': 953717, 'supply to every': 826003, 'to every dr': 905302, 'every dr and': 285880, 'dr and nurse': 257953, 'and nurse on': 67894, 'nurse on the': 577437, 'frontline of covid': 338804, '19 in australia': 7730, 'in australia spermarketprofitsforgood': 420618, 'australia spermarketprofitsforgood stevencain': 103383, 'paper public': 640635, 'announcement corona': 77136, 'toilet paper public': 921403, 'paper public service': 640636, 'service announcement corona': 752121, 'announcement corona 19': 77137, 'doe shopping': 251573, 'shopping feel': 762632, 'bad now': 107962, 'why doe shopping': 990953, 'doe shopping feel': 251574, 'shopping feel so': 762633, 'so bad now': 776581, 'are cleared': 85308, 'paper amidst': 639795, 'outbreak business': 628054, 'world are cleared': 1009308, 'are cleared of': 85309, 'cleared of hand': 181423, 'toilet paper amidst': 921183, 'paper amidst the': 639796, '19 outbreak business': 9089, 'outbreak business are': 628055, 'shutdownma': 768143, 'massachusetts state': 519924, 'now growing': 574831, 'growing exponentially': 367187, 'exponentially governor': 292598, 'governor baker': 360873, 'baker expected': 108796, 'make announcement': 509695, 'announcement monday': 77168, 'monday pandemic': 536363, 'toiletpaper shutdownma': 922479, 'massachusetts state to': 519925, 'state to be': 796009, 'be on lockdown': 116202, 'on lockdown due': 601909, 'due to now': 261878, 'to now growing': 910743, 'now growing exponentially': 574832, 'growing exponentially governor': 367188, 'exponentially governor baker': 292599, 'governor baker expected': 360875, 'baker expected to': 108797, 'expected to make': 290988, 'to make announcement': 909623, 'make announcement monday': 509696, 'announcement monday pandemic': 77169, 'monday pandemic toiletpaper': 536364, 'pandemic toiletpaper shutdownma': 636817, 'food getting': 314658, 'getting cold': 348909, 'cold during': 185753, 'during delivery': 262592, 'afraid of food': 34999, 'of food getting': 583696, 'food getting cold': 314659, 'getting cold during': 348910, 'cold during delivery': 185754, 'refining': 706592, 'dropped on': 260612, 'monday more': 536329, 'more state': 540447, 'state told': 796034, 'told resident': 923669, 'of gas': 584047, 'could quickly': 209552, 'quickly fall': 694522, 'fall 20': 296792, 'ultimately reach': 939154, 'reach under': 700012, 'under in': 940130, 'in select': 427780, 'select market': 747476, 'the refining': 865406, 'refining industry': 706593, 'it capacity': 457055, 'gasoline price dropped': 344258, 'price dropped on': 673596, 'dropped on monday': 260613, 'on monday more': 602173, 'monday more state': 536330, 'more state told': 540448, 'state told resident': 796035, 'told resident to': 923670, 'resident to stay': 714387, 'home to stop': 402343, 'spread of gas': 790672, 'of gas price': 584052, 'price could quickly': 673291, 'could quickly fall': 209553, 'quickly fall 20': 694523, 'fall 20 and': 296793, '20 and ultimately': 12948, 'and ultimately reach': 74582, 'ultimately reach under': 939155, 'reach under in': 700013, 'under in select': 940131, 'in select market': 427781, 'select market the': 747477, 'market the refining': 517199, 'the refining industry': 865407, 'refining industry could': 706594, 'industry could shut': 435754, 'shut down 30': 767796, 'down 30 of': 256411, '30 of it': 17143, 'of it capacity': 585374, 'weekend coming': 977333, 'way thanks': 969914, 'this handy': 887828, 'handy guide': 376890, 'guide via': 368374, 'the weekend coming': 871326, 'weekend coming up': 977334, 'coming up here': 188260, 'up here some': 945077, 'tip to eat': 898927, 'to eat healthy': 904884, 'eat healthy and': 265933, 'healthy and shop': 387530, 'and shop the': 71518, 'shop the right': 760906, 'right way thanks': 722403, 'way thanks for': 969915, 'for this handy': 327034, 'this handy guide': 887831, 'handy guide via': 376891, 'guide via stoppanicbuying': 368375, 'information advice': 437721, 'and firm': 62923, 'firm see': 308415, 'out our covid': 626971, '19 information hub': 7881, 'information hub with': 437861, 'hub with the': 409846, 'latest information advice': 481399, 'information advice and': 437722, 'advice and guidance': 33309, 'and guidance for': 64040, 'guidance for consumer': 368228, 'for consumer business': 320243, 'consumer business and': 196668, 'business and firm': 143304, 'and firm see': 62925, 'panic kicking': 638260, 'kicking in': 473824, 'in rain': 427239, 'continues heavily': 201401, '19 panic shopping': 9558, 'panic shopping frenzy': 638571, 'shopping frenzy namaka': 762746, 'supermarket panic kicking': 821903, 'panic kicking in': 638261, 'kicking in rain': 473825, 'in rain continues': 427240, 'rain continues heavily': 695736, 'dear reader': 229858, 'reader the': 700701, 'of misinformation': 586574, 'misinformation spreading': 534073, 'is overwhelming': 450767, 'overwhelming our': 631758, 'small team': 775146, 'team we': 835823, 'seeing score': 746455, 'any comfort': 79031, 'comfort make': 187845, 'make thing': 510626, 'worse they': 1011033, 'share sometimes': 755219, 'sometimes dangerous': 785191, 'dangerous misinformation': 225756, 'dear reader the': 229860, 'reader the magnitude': 700702, 'magnitude of misinformation': 508450, 'of misinformation spreading': 586575, 'misinformation spreading in': 534074, 'spreading in the': 790985, 'pandemic is overwhelming': 635789, 'is overwhelming our': 450769, 'overwhelming our small': 631759, 'our small team': 624802, 'small team we': 775147, 'team we re': 835825, 're seeing score': 699464, 'seeing score of': 746456, 'score of people': 742363, 'people in rush': 648424, 'in rush to': 427585, 'rush to find': 728341, 'to find any': 905880, 'find any comfort': 306789, 'any comfort make': 79032, 'comfort make thing': 187846, 'make thing worse': 510629, 'thing worse they': 885021, 'worse they share': 1011034, 'they share sometimes': 883331, 'share sometimes dangerous': 755220, 'sometimes dangerous misinformation': 785192, 'how nh': 408404, 'overtime saving': 631634, 'life against': 488447, 'buy because': 148408, 'because selfish': 119534, 'shelf nhsworkers': 757332, 'nhsworkers nhsstaff': 562288, 'it crazy to': 457395, 'crazy to see': 215460, 'see how nh': 745241, 'how nh worker': 408406, 'worker are working': 1006437, 'working overtime saving': 1008863, 'overtime saving life': 631635, 'saving life against': 737904, 'life against the': 488448, 'virus and then': 957945, 'and then they': 73817, 'then they go': 877655, 'nothing left to': 573090, 'to buy because': 902188, 'buy because selfish': 148409, 'because selfish people': 119538, 'selfish people have': 748210, 'people have emptied': 648176, 'the shelf nhsworkers': 866859, 'shelf nhsworkers nhsstaff': 757333, 'power firm': 667607, 'firm offer': 308396, 'offer discount': 594586, 'power firm offer': 667608, 'firm offer discount': 308397, 'offer discount to': 594588, 'discount to customer': 244559, 'dad is': 224349, 'employed is': 273484, 'losing work': 503612, 'so money': 777747, 'money too': 537131, 'supermarket worried': 824132, 'get coronavirus': 346817, 'coronavirus give': 205987, 'elderly sick': 270886, 'sick family': 768439, 'after those': 36422, 'my dad is': 547895, 'dad is self': 224356, 'is self employed': 451737, 'self employed is': 747627, 'employed is losing': 273485, 'is losing work': 449461, 'losing work so': 503613, 'work so money': 1005740, 'so money too': 777749, 'money too due': 537132, 'in supermarket worried': 428720, 'supermarket worried that': 824133, 'worried that ll': 1010584, 'that ll get': 844910, 'll get coronavirus': 496784, 'get coronavirus give': 346819, 'coronavirus give it': 205988, 'give it to': 350551, 'to my elderly': 910390, 'my elderly sick': 548076, 'elderly sick family': 270887, 'sick family friend': 768441, 'family friend if': 297818, 'friend if anyone': 333644, 'anyone see this': 80516, 'see this look': 745950, 'this look after': 888707, 'look after those': 502228, 'after those you': 36424, 'bet with': 128124, '100 compliance': 1863, 'with wearing': 1002055, 'mask carrying': 518519, 'carrying hand': 165183, 'hygiene we': 412192, 'full quarantinelife': 340834, 'quarantinelife but': 692936, 'but america': 145172, 'the land': 858927, 'free so': 332181, 'ensure 100': 277880, 'compliance so': 192443, 'bet with 100': 128125, 'with 100 compliance': 996927, '100 compliance with': 1865, 'compliance with wearing': 192449, 'with wearing face': 1002056, 'face mask carrying': 294525, 'mask carrying hand': 518520, 'carrying hand sanitizer': 165184, 'sanitizer and practice': 734428, 'good hygiene we': 357202, 'hygiene we wouldn': 412193, 'wouldn need full': 1012495, 'need full quarantinelife': 554897, 'full quarantinelife but': 340835, 'quarantinelife but america': 692937, 'but america is': 145173, 'america is the': 51582, 'is the land': 452842, 'the land of': 858930, 'land of the': 479282, 'of the free': 591042, 'the free so': 855770, 'free so you': 332182, 'so you cannot': 778835, 'you cannot ensure': 1017856, 'cannot ensure 100': 161779, 'ensure 100 compliance': 277881, '100 compliance so': 1864, 'compliance so here': 192444, 'from via': 338230, 'via one': 956129, 'mistake grocery': 534466, 'dying from via': 263831, 'from via one': 338232, 'via one of': 956130, 'biggest mistake grocery': 130276, 'mistake grocery store': 534467, 'store made early': 808847, 'handsanitizerleash': 376682, 'victoriabc': 956553, 'the handsanitizerleash': 857082, 'handsanitizerleash is': 376683, 'perfect for': 651292, 'fight germ': 304755, 'great gift': 362701, 'health shop': 386848, 'today visit': 920439, 'visit handsanitizer': 959267, 'handsanitizer promotionalproducts': 376613, 'promotionalproducts canada': 683891, 'canada victoriabc': 160597, 'victoriabc healthcare': 956554, 'the handsanitizerleash is': 857083, 'handsanitizerleash is perfect': 376684, 'is perfect for': 450844, 'perfect for anyone': 651293, 'anyone who want': 80636, 'want to fight': 966034, 'to fight germ': 905790, 'fight germ on': 304756, 'the go these': 856387, 'go these day': 354229, 'these day it': 879880, 'day it great': 227849, 'it great gift': 458335, 'great gift idea': 362703, 'gift idea for': 349990, 'idea for health': 413049, 'for health shop': 322154, 'health shop online': 386849, 'shop online today': 760591, 'online today visit': 609609, 'today visit handsanitizer': 920440, 'visit handsanitizer promotionalproducts': 959268, 'handsanitizer promotionalproducts canada': 376614, 'promotionalproducts canada victoriabc': 683892, 'canada victoriabc healthcare': 160598, 'endless gratitude': 276228, 'driver janitor': 259623, 'janitor farmer': 464547, 'other low': 620488, 'holding our': 400139, 'their bare': 872554, 'bare hand': 110905, 'we applaud': 970445, 'applaud you': 82259, 'endless gratitude to': 276229, 'gratitude to the': 362403, 'truck driver janitor': 932784, 'driver janitor farmer': 259624, 'janitor farmer and': 464548, 'farmer and so': 299264, 'so many other': 777686, 'many other low': 514433, 'other low wage': 620489, 'wage worker who': 964004, 'who are holding': 988156, 'are holding our': 87219, 'holding our world': 400140, 'our world together': 625411, 'world together with': 1010097, 'together with their': 921044, 'with their bare': 1001557, 'their bare hand': 872555, 'bare hand we': 110907, 'hand we applaud': 375970, 'we applaud you': 970447, 'applaud you we': 82261, 'you we stand': 1022207, 'we stand with': 973366, 'stand with you': 793615, 'with you 19': 1002140, 'sah': 730901, 'policie': 663295, 'proti': 685956, 'spekulant': 788507, 'roukami': 726300, 'popud': 664528, 'hejtman': 388873, 'steck': 799309, 'kraje': 477640, 'spolupr': 789802, 'podle': 662350, 'krizov': 477711, 'kona': 477376, 'zajistil': 1027190, 'ti': 895561, 'rouek': 726234, 'od': 579165, 'firmy': 308471, 'kter': 477849, 'dodat': 251266, 'zdravotn': 1027264, 'ale': 41322, 'posledn': 665526, 'chv': 178435, 'snaila': 776053, 'navyovat': 553165, 'cenu': 169625, 'spolutozvladneme': 789805, 'sah policie': 730904, 'policie proti': 663296, 'proti spekulant': 685957, 'spekulant roukami': 788510, 'roukami na': 726301, 'na popud': 551311, 'popud hejtman': 664529, 'hejtman steck': 388874, 'steck ho': 799310, 'ho kraje': 398735, 'kraje ve': 477641, 've spolupr': 953593, 'spolupr ci': 789803, 'ci podle': 178444, 'podle krizov': 662351, 'krizov ho': 477712, 'ho kona': 398733, 'kona zajistil': 477377, 'zajistil 700': 1027191, '700 ti': 21906, 'ti rouek': 895566, 'rouek od': 726235, 'od firmy': 579166, 'firmy kter': 308472, 'kter je': 477850, 'je la': 464940, 'la dodat': 478153, 'dodat na': 251267, 'na zdravotn': 551331, 'zdravotn ale': 1027265, 'ale na': 41325, 'na posledn': 551313, 'posledn chv': 665527, 'chv li': 178436, 'li se': 487946, 'se snaila': 743063, 'snaila navyovat': 776054, 'navyovat cenu': 553166, 'cenu spolutozvladneme': 169626, 'sah policie proti': 730905, 'policie proti spekulant': 663297, 'proti spekulant roukami': 685959, 'spekulant roukami na': 788511, 'roukami na popud': 726302, 'na popud hejtman': 551312, 'popud hejtman steck': 664530, 'hejtman steck ho': 388875, 'steck ho kraje': 799311, 'ho kraje ve': 398736, 'kraje ve spolupr': 477642, 've spolupr ci': 953594, 'spolupr ci podle': 789804, 'ci podle krizov': 178445, 'podle krizov ho': 662352, 'krizov ho kona': 477713, 'ho kona zajistil': 398734, 'kona zajistil 700': 477378, 'zajistil 700 ti': 1027192, '700 ti rouek': 21908, 'ti rouek od': 895567, 'rouek od firmy': 726236, 'od firmy kter': 579167, 'firmy kter je': 308473, 'kter je la': 477851, 'je la dodat': 464941, 'la dodat na': 478154, 'dodat na zdravotn': 251268, 'na zdravotn ale': 551332, 'zdravotn ale na': 1027266, 'ale na posledn': 41326, 'na posledn chv': 551314, 'posledn chv li': 665528, 'chv li se': 178437, 'li se snaila': 487948, 'se snaila navyovat': 743064, 'snaila navyovat cenu': 776055, 'navyovat cenu spolutozvladneme': 553167, 'return at': 719817, 'at from': 98710, 'from hoarder': 335824, 'hoarder they': 399124, 'returning them': 720018, 'from contaminated': 334980, 'contaminated environment': 200656, 'environment and': 279077, 'put shop': 690811, 'risk who': 724021, 'handle them': 376281, 'them supermarket': 876349, 'supermarket hoarder': 820766, 'hoarder looroll': 399068, 'looroll stayathome': 503174, 'no return at': 565358, 'return at from': 719818, 'at from hoarder': 98711, 'from hoarder they': 335825, 'hoarder they could': 399125, 'could be returning': 208917, 'be returning them': 116865, 'returning them from': 720019, 'them from contaminated': 875747, 'from contaminated environment': 334981, 'contaminated environment and': 200657, 'environment and put': 279080, 'and put shop': 69815, 'put shop worker': 690812, 'shop worker at': 761081, 'at risk who': 100417, 'risk who have': 724022, 'have to handle': 383222, 'to handle them': 907136, 'handle them supermarket': 376282, 'them supermarket hoarder': 876350, 'supermarket hoarder looroll': 820769, 'hoarder looroll stayathome': 399069, 'looroll stayathome staysafe': 503175, 'forager': 328260, 'maine': 508852, 'feedme': 302525, 'eatlocal': 266352, 'forager is': 328261, 'farmer organization': 299475, 'organization and': 619337, 'state agency': 795334, 'the maine': 859919, 'maine food': 508855, 'economy adjust': 267610, 'beyond sustainability': 129238, 'sustainability feedme': 829765, 'feedme eatlocal': 302526, 'forager is working': 328262, 'working with farmer': 1009057, 'with farmer organization': 998391, 'farmer organization and': 299476, 'organization and state': 619341, 'and state agency': 72274, 'state agency to': 795337, 'agency to help': 38090, 'help the maine': 390663, 'the maine food': 859920, 'maine food economy': 508856, 'food economy adjust': 314334, 'economy adjust to': 267611, 'adjust to the': 32302, 'the challenge of': 850647, 'challenge of covid': 171511, 'and beyond sustainability': 58951, 'beyond sustainability feedme': 129239, 'sustainability feedme eatlocal': 829766, 'relief related': 709455, 'on consumer relief': 600072, 'consumer relief related': 198692, 'relief related to': 709456, 'not cancelling': 568682, 'cancelling flight': 161213, 'flight and': 310419, 're scheduling': 699438, 'scheduling customer': 741534, 'customer then': 222931, 'be bound': 113896, 'travel goi': 930374, 'airline are not': 39929, 'are not cancelling': 88337, 'not cancelling flight': 568683, 'cancelling flight and': 161214, 'flight and are': 310420, 'and are charging': 58298, 'are charging high': 85253, 'price for re': 674035, 'for re scheduling': 324975, 're scheduling customer': 699439, 'scheduling customer then': 741535, 'customer then will': 222932, 'then will be': 877765, 'will be bound': 992382, 'be bound to': 113897, 'bound to come': 136858, 'of their home': 591667, 'home and travel': 400707, 'and travel goi': 74410, 'microsoft closing': 530507, 'all microsoft': 43506, 'location worldwide': 499000, 'worldwide in': 1010375, 'outbreak around': 628029, 'world apple': 1009302, 'apple last': 82336, 'week announced': 975950, 'store outside': 809410, 'greater china': 363154, 'china unt': 177031, 'microsoft closing all': 530508, 'closing all microsoft': 183576, 'all microsoft store': 43507, 'store location worldwide': 808802, 'location worldwide in': 499001, 'worldwide in response': 1010378, 'pandemic in response': 635707, '19 coronavirus outbreak': 6115, 'coronavirus outbreak around': 206376, 'outbreak around the': 628030, 'the world apple': 871814, 'world apple last': 1009303, 'apple last week': 82337, 'last week announced': 480633, 'week announced that': 975951, 'it is closing': 458905, 'closing all of': 183577, 'of it retail': 585440, 'retail store outside': 718678, 'store outside of': 809411, 'outside of greater': 629505, 'of greater china': 584320, 'greater china unt': 363155, 'update shop': 947204, 'normally say': 567535, 'supermarket bos': 819394, '19 update shop': 11684, 'update shop normally': 947205, 'shop normally say': 760494, 'normally say supermarket': 567536, 'say supermarket bos': 739191, 'spongebob': 789811, 'spongebobmemes': 789817, 'spongebobmeme': 789814, 'memesdaily': 528385, 'dankmeme': 225871, 'ol': 598099, 'edgymemes': 268533, 'dailymemes': 224922, 'offensivememes': 594491, 'true doe': 933069, 'doe spongebob': 251583, 'spongebob spongebobmemes': 789812, 'spongebobmemes coronamemes': 789818, 'toiletpaper spongebobmeme': 922508, 'spongebobmeme meme': 789815, 'meme funny': 528318, 'funny dankmemes': 341718, 'dankmemes memesdaily': 225885, 'memesdaily funnymemes': 528386, 'funnymemes lol': 341823, 'lol dank': 500892, 'dank humor': 225863, 'humor follow': 410869, 'follow like': 312443, 'like dankmeme': 490091, 'dankmeme lmao': 225874, 'lmao love': 497152, 'love ol': 504737, 'ol edgymemes': 598104, 'edgymemes dailymemes': 268534, 'dailymemes comedy': 224923, 'comedy instagram': 187755, 'instagram fun': 439962, 'fun offensivememes': 341203, 'offensivememes funny': 594492, 'this true doe': 890865, 'true doe spongebob': 933070, 'doe spongebob spongebobmemes': 251584, 'spongebob spongebobmemes coronamemes': 789813, 'spongebobmemes coronamemes toiletpaper': 789819, 'coronamemes toiletpaper spongebobmeme': 205075, 'toiletpaper spongebobmeme meme': 922509, 'spongebobmeme meme meme': 789816, 'meme meme funny': 528337, 'meme funny dankmemes': 528319, 'funny dankmemes memesdaily': 341719, 'dankmemes memesdaily funnymemes': 225886, 'memesdaily funnymemes lol': 528387, 'funnymemes lol dank': 341824, 'lol dank humor': 500893, 'dank humor follow': 225864, 'humor follow like': 410870, 'follow like dankmeme': 312444, 'like dankmeme lmao': 490092, 'dankmeme lmao love': 225875, 'lmao love ol': 497153, 'love ol edgymemes': 504738, 'ol edgymemes dailymemes': 598105, 'edgymemes dailymemes comedy': 268535, 'dailymemes comedy instagram': 224924, 'comedy instagram fun': 187756, 'instagram fun offensivememes': 439963, 'fun offensivememes funny': 341204, 'me holding': 522903, 'holding on': 400134, 'last piece': 480450, 'me holding on': 522904, 'holding on to': 400135, 'to my last': 910413, 'my last piece': 548978, 'last piece of': 480451, 'piece of be': 656328, 'of be like': 580593, 'fmcg player': 311741, 'player like': 659313, 'like hul': 490464, 'hul godrej': 410345, 'and patanjali': 68766, 'patanjali said': 643922, 'helping fight': 391329, 'reducing the': 706324, 'soap hygiene': 779036, 'these item': 880191, 'fmcg player like': 311742, 'player like hul': 659315, 'like hul godrej': 490465, 'hul godrej consumer': 410346, 'godrej consumer and': 354887, 'consumer and patanjali': 196233, 'and patanjali said': 68767, 'patanjali said they': 643923, 'they are helping': 881294, 'are helping fight': 87096, 'helping fight the': 391331, 'outbreak by reducing': 628075, 'by reducing the': 153745, 'reducing the price': 706326, 'of soap hygiene': 589826, 'soap hygiene product': 779037, 'hygiene product and': 412148, 'product and ramping': 680904, 'ramping up production': 696485, 'up production of': 945855, 'production of these': 682158, 'of these item': 591837, 'topshop': 925860, 'topman': 925831, 'arcadia': 84031, 'with topshop': 1001817, 'topshop or': 925862, 'or topman': 617501, 'topman or': 925832, 'any arcadia': 78939, 'arcadia group': 84032, 'group you': 366980, 'bad them': 108035, 'them dont': 875620, 'it topman': 461809, 'topman topshop': 925834, 'topshop coronavillains': 925861, 'you are shopping': 1017233, 'online with topshop': 609754, 'with topshop or': 1001818, 'topshop or topman': 925863, 'or topman or': 617502, 'topman or any': 925833, 'or any arcadia': 614337, 'any arcadia group': 78940, 'arcadia group you': 84033, 'group you are': 366981, 'you are bad': 1017070, 'are bad them': 84749, 'bad them dont': 108036, 'them dont let': 875621, 'dont let them': 255251, 'away with it': 106123, 'with it topman': 999086, 'it topman topshop': 461810, 'topman topshop coronavillains': 925835, 'creditor': 216575, 'are sorry': 90307, 'may minimize': 521344, 'credit by': 216322, 'your lender': 1024608, 'and creditor': 60738, 'creditor paying': 216578, 'paying what': 645522, 'can staying': 159755, 'staying up': 798724, 'date on': 226696, 'report considering': 711877, 'considering adding': 195350, 'adding consumer': 31668, 'consumer state': 199131, 'we are sorry': 970718, 'are sorry for': 90308, 'for the inconvenience': 326497, 'the inconvenience you': 858060, 'you may minimize': 1019803, 'may minimize the': 521345, '19 on your': 8975, 'on your credit': 605456, 'your credit by': 1023379, 'credit by talking': 216323, 'by talking to': 154214, 'talking to your': 834056, 'to your lender': 918995, 'your lender and': 1024609, 'lender and creditor': 486213, 'and creditor paying': 60739, 'creditor paying what': 216579, 'paying what you': 645523, 'you can staying': 1017794, 'can staying up': 159756, 'staying up to': 798726, 'to date on': 903937, 'date on your': 226705, 'your credit report': 1023381, 'credit report considering': 216482, 'report considering adding': 711878, 'considering adding consumer': 195351, 'adding consumer state': 31669, 'medical keyworkers': 526236, 'keyworkers should': 473602, 'other concern': 619986, 'concern taken': 193101, 'taken off': 833038, 'shoulder they': 766706, 'submit an': 815784, 'central body': 169381, 'will supply': 995027, 'food likely': 315319, 'likely from': 492001, 'from wholesaler': 338373, 'wholesaler retailer': 990525, 'retailer sarscov2': 719301, 'sarscov2 coro': 736838, 'medical keyworkers should': 526237, 'keyworkers should have': 473603, 'should have all': 766061, 'have all other': 379164, 'all other concern': 43779, 'other concern taken': 619987, 'concern taken off': 193102, 'taken off their': 833040, 'off their shoulder': 594293, 'their shoulder they': 874730, 'shoulder they should': 766707, 'able to submit': 24554, 'to submit an': 915713, 'submit an online': 815786, 'shopping list to': 763195, 'list to central': 494568, 'to central body': 902566, 'central body that': 169382, 'body that will': 133900, 'that will supply': 847613, 'will supply the': 995031, 'supply the food': 825962, 'the food likely': 855570, 'food likely from': 315320, 'likely from wholesaler': 492002, 'from wholesaler retailer': 338374, 'wholesaler retailer sarscov2': 990526, 'retailer sarscov2 coro': 719302, 'nora': 566993, 'lamontagne': 479198, 'supervision': 824384, 'creg': 216639, 'concordia': 193332, 'sawchuk': 738348, '19 interesting': 7905, 'technology during': 836280, 'pandemic written': 637073, 'written by': 1012956, 'by nora': 153350, 'nora lamontagne': 566994, 'lamontagne master': 479199, 'master student': 520213, 'student in': 814706, 'medium study': 527299, 'study at': 814863, 'the supervision': 868931, 'supervision of': 824387, 'of creg': 582138, 'creg member': 216640, 'and concordia': 60258, 'concordia member': 193333, 'member dr': 528062, 'dr kim': 258047, 'kim sawchuk': 474767, 'covid 19 interesting': 213282, '19 interesting article': 7906, 'use of technology': 949429, 'of technology during': 590631, 'technology during the': 836281, 'the pandemic written': 863167, 'pandemic written by': 637074, 'written by nora': 1012957, 'by nora lamontagne': 153351, 'nora lamontagne master': 566995, 'lamontagne master student': 479200, 'master student in': 520214, 'student in medium': 814708, 'in medium study': 425239, 'medium study at': 527300, 'study at under': 814864, 'at under the': 101397, 'under the supervision': 940333, 'the supervision of': 868932, 'supervision of creg': 824388, 'of creg member': 582139, 'creg member and': 216641, 'member and concordia': 528006, 'and concordia member': 60259, 'concordia member dr': 193334, 'member dr kim': 528063, 'dr kim sawchuk': 258048, 'inkling': 438762, 'to confess': 903188, 'confess in': 193787, 'way prefer': 969825, 'prefer going': 669739, 'going supermarket': 355477, 'present restriction': 670616, 'restriction haven': 717281, 'an inkling': 56347, 'inkling of': 438763, 'attack due': 102101, 'to crowded': 903769, 'queue since': 694056, 'since socialdistancing': 770828, 'socialdistancing started': 780716, 'have to confess': 383184, 'to confess in': 903189, 'confess in some': 193788, 'in some way': 428107, 'some way prefer': 784188, 'way prefer going': 969826, 'prefer going supermarket': 669740, 'going supermarket shopping': 355478, 'supermarket shopping with': 822659, 'shopping with the': 764445, 'with the present': 1001435, 'the present restriction': 864248, 'present restriction haven': 670617, 'restriction haven had': 717282, 'had an inkling': 372839, 'an inkling of': 56348, 'inkling of panic': 438764, 'of panic attack': 587719, 'panic attack due': 637373, 'attack due to': 102102, 'due to crowded': 261748, 'to crowded aisle': 903770, 'crowded aisle and': 219289, 'aisle and queue': 40193, 'and queue since': 69872, 'queue since socialdistancing': 694057, 'since socialdistancing started': 770829, 'local park': 498254, 'park beauty': 641876, 'beauty spot': 118796, 'spot high': 790065, 'supermarket pavement': 821941, 'here turn': 393750, 'around go': 93306, 'problem try': 679728, 'try bit': 934464, 'bit later': 131595, 'later earlier': 481052, 'earlier another': 264428, 'want full': 965795, 'full lockdown': 340671, 'lockdown stayhomesavelives': 499958, 'get to your': 348504, 'your local park': 1024710, 'local park beauty': 498255, 'park beauty spot': 641877, 'beauty spot high': 118798, 'spot high street': 790066, 'high street supermarket': 395438, 'street supermarket pavement': 813132, 'supermarket pavement and': 821942, 'pavement and think': 644655, 'and think there': 73972, 'think there are': 885667, 'are too many': 91143, 'many people here': 514510, 'people here turn': 648251, 'here turn around': 393751, 'turn around go': 935644, 'around go home': 93307, 'go home you': 353680, 'the problem try': 864530, 'problem try bit': 679729, 'try bit later': 934465, 'bit later earlier': 131596, 'later earlier another': 481053, 'earlier another day': 264429, 'another day if': 77566, 'you can we': 1017830, 'can we don': 160169, 'we don want': 971397, 'don want full': 254039, 'want full lockdown': 965796, 'full lockdown stayhomesavelives': 340676, 'exploitative': 292397, 'protection authority': 685347, 'authority around': 103690, 'been kept': 121427, 'kept particularly': 473065, 'particularly busy': 642665, 'busy by': 144884, 'other exploitative': 620203, 'exploitative practice': 292398, 'practice have': 668580, 'reported across': 712449, 'and consumer protection': 60419, 'consumer protection authority': 198511, 'protection authority around': 685348, 'authority around the': 103691, 'have been kept': 379591, 'been kept particularly': 121428, 'kept particularly busy': 473066, 'particularly busy by': 642666, 'busy by the': 144885, '19 pandemic price': 9435, 'and other exploitative': 68321, 'other exploitative practice': 620204, 'exploitative practice have': 292399, 'practice have been': 668581, 'have been reported': 379661, 'been reported across': 121825, 'reported across the': 712450, 'fury': 342214, 'offloaded': 596069, '11m': 2735, 'feb2020': 301664, 'am full': 50067, 'of fury': 584018, 'fury at': 342215, 'at amp': 97961, 'amp senate': 54462, 'senate republican': 749724, 'republican collectively': 713020, 'collectively offloaded': 186537, 'offloaded up': 596070, 'to 11m': 899458, '11m in': 2736, 'stock between': 801922, 'between jan': 128811, 'jan feb2020': 464464, 'feb2020 while': 301665, 'food line': 315321, 'line grew': 493138, 'grew in': 363854, 'china amp': 176468, 'amp america': 53381, 'america wa': 51731, 'too busy': 924621, 'with illegal': 998937, 'illegal inside': 416223, 'inside trading': 439437, 'trading on': 928897, 'the dowjones': 853623, 'dowjones to': 256361, 'am full of': 50068, 'full of fury': 340725, 'of fury at': 584019, 'fury at amp': 342216, 'at amp senate': 97969, 'amp senate republican': 54463, 'senate republican collectively': 749725, 'republican collectively offloaded': 713021, 'collectively offloaded up': 186538, 'offloaded up to': 596071, 'up to 11m': 946318, 'to 11m in': 899459, '11m in stock': 2738, 'in stock between': 428286, 'stock between jan': 801923, 'between jan feb2020': 128812, 'jan feb2020 while': 464465, 'feb2020 while the': 301666, 'while the food': 987389, 'the food line': 855571, 'food line grew': 315322, 'line grew in': 493139, 'grew in china': 363856, 'in china amp': 421386, 'china amp america': 176469, 'amp america wa': 53382, 'america wa too': 51733, 'wa too busy': 963550, 'too busy with': 924627, 'busy with illegal': 145016, 'with illegal inside': 998938, 'illegal inside trading': 416224, 'inside trading on': 439438, 'trading on the': 928899, 'on the dowjones': 604076, 'the dowjones to': 853624, 'dowjones to care': 256362, 'frustrating': 339235, 'iv': 464038, 'annoying and': 77360, 'and frustrating': 63379, 'frustrating thing': 339255, 'thing iv': 884501, 'iv seen': 464043, 'seen working': 747361, 'the scared': 866452, 'people wasting': 650147, 'precious ppe': 669477, 'come hoard': 187343, 'they dont': 882011, 'need panic': 555407, 'is wasted': 453773, 'wasted item': 968245, 'item doctor': 463213, 'nurse can': 577232, 'think the most': 885641, 'most annoying and': 542103, 'annoying and frustrating': 77362, 'and frustrating thing': 63380, 'frustrating thing iv': 339257, 'thing iv seen': 884502, 'iv seen working': 464044, 'seen working in': 747362, 'retail is all': 718238, 'all the scared': 44899, 'the scared people': 866453, 'scared people wasting': 741008, 'people wasting precious': 650148, 'wasting precious ppe': 968325, 'precious ppe to': 669478, 'ppe to come': 668083, 'to come hoard': 903032, 'come hoard and': 187344, 'hoard and buy': 398752, 'buy food they': 148680, 'food they dont': 317168, 'they dont need': 882013, 'dont need panic': 255259, 'need panic buying': 555408, 'this is wasted': 888458, 'is wasted item': 453774, 'wasted item doctor': 968246, 'item doctor and': 463214, 'and nurse can': 67887, 'nurse can use': 577238, 'can use that': 160104, 'use that are': 949641, 'that are on': 842790, 'news publix': 560721, 'in georgia': 423264, 'georgia test': 346048, 'rt news publix': 726785, 'news publix store': 560722, 'publix store associate': 688776, 'store associate in': 806565, 'associate in georgia': 96880, 'in georgia test': 423266, 'georgia test positive': 346049, 'eep': 268932, 'eep are': 268933, 'you working': 1022430, 'suffering especially': 817297, 'of victim': 592797, 'victim for': 956472, 'now hospital': 574950, 'malaysia still': 511632, 'giving lot': 351337, 'eep are you': 268934, 'are you working': 91882, 'you working at': 1022431, 'at supermarket sorry': 100770, 'supermarket sorry to': 822787, 'hear that hospital': 387990, 'that hospital in': 844371, 'hospital in are': 404464, 'in are suffering': 420484, 'are suffering especially': 90628, 'suffering especially with': 817298, 'especially with the': 280676, 'number of victim': 577014, 'of victim for': 592798, 'victim for now': 956473, 'for now hospital': 323972, 'now hospital in': 574951, 'hospital in malaysia': 404471, 'in malaysia still': 425015, 'malaysia still can': 511633, 'still can manage': 800335, 'can manage the': 158967, 'manage the covid': 512437, '19 patient and': 9587, 'patient and government': 644132, 'and government are': 63877, 'are giving lot': 86859, 'profit organisation': 682832, 'organisation ha': 619265, 'non profit organisation': 566474, 'profit organisation ha': 682833, 'organisation ha opened': 619266, 'in guelph': 423468, 'guelph on': 367943, 'morning ontario': 541397, 'price in guelph': 674691, 'in guelph on': 423469, 'guelph on this': 367944, 'on this morning': 604622, 'this morning ontario': 888996, 'bifurcated': 129605, 'need bifurcated': 554538, 'bifurcated system': 129606, 'our elder': 622861, 'elder so': 270547, 'don suffer': 253943, 'suffer more': 817220, 'aussie supermarket': 103138, 'chain woolworth': 171255, 'woolworth hold': 1004417, 'hold elderly': 399914, 'elderly hour': 270704, 'hour panic': 405844, 'we need bifurcated': 972471, 'need bifurcated system': 554539, 'bifurcated system for': 129607, 'system for our': 831172, 'for our elder': 324232, 'our elder so': 622862, 'elder so they': 270548, 'so they don': 778469, 'they don suffer': 882003, 'don suffer more': 253944, 'suffer more aussie': 817221, 'more aussie supermarket': 538685, 'aussie supermarket chain': 103139, 'supermarket chain woolworth': 819647, 'chain woolworth hold': 171256, 'woolworth hold elderly': 1004418, 'hold elderly hour': 399915, 'elderly hour panic': 270705, 'hour panic buying': 405845, 'bt21': 141487, 'wts': 1013429, 'sg': 754272, 'sgd': 754278, 'help rt': 390469, 'rt bt21': 726747, 'bt21 baby': 141488, 'baby wts': 106747, 'wts sg': 1013430, 'sg only': 754275, 'grab too': 361551, 'much stuff': 545331, 'from line': 336223, 'line collection': 493034, 'collection item': 186442, 'item have': 463316, 'have yet': 383649, 'shipped and': 758795, 'delay are': 232674, 'be expected': 114731, 'expected due': 290887, 'situation price': 772452, 'in sgd': 427845, 'sgd no': 754279, 'no 2nd': 563565, '2nd payment': 16797, 'payment dm': 645600, 'if interested': 414269, 'interested payment': 441478, 'in within': 430951, 'help rt bt21': 390470, 'rt bt21 baby': 726748, 'bt21 baby wts': 141489, 'baby wts sg': 106748, 'wts sg only': 1013431, 'sg only grab': 754276, 'only grab too': 610540, 'grab too much': 361553, 'too much stuff': 924945, 'much stuff from': 545333, 'stuff from line': 815076, 'from line collection': 336224, 'line collection item': 493035, 'collection item have': 186443, 'item have yet': 463323, 'have yet to': 383650, 'yet to be': 1016285, 'to be shipped': 901536, 'be shipped and': 117140, 'shipped and delay': 758796, 'and delay are': 61067, 'delay are to': 232676, 'to be expected': 901243, 'be expected due': 114732, 'expected due to': 290888, '19 situation price': 10587, 'situation price listed': 772453, 'listed in sgd': 494626, 'in sgd no': 427846, 'sgd no 2nd': 754280, 'no 2nd payment': 563566, '2nd payment dm': 16798, 'payment dm if': 645601, 'dm if interested': 248896, 'if interested payment': 414270, 'interested payment to': 441479, 'payment to be': 645762, 'be in within': 115449, 'in within 24': 430952, 'there something': 879074, 'your app': 1022796, 'app toiletpaper': 81785, 'there something wrong': 879078, 'something wrong with': 785155, 'wrong with your': 1013170, 'with your app': 1002178, 'your app toiletpaper': 1022797, 'foodbusiness': 317877, 'altered consumer': 49162, 'beverage manufacturer': 129015, 'manufacturer well': 513541, 'well retailer': 978523, 'retailer scrambling': 719308, 'pace foodbusiness': 632929, 'altered consumer purchasing': 49163, 'purchasing behavior in': 689842, 'of the spreading': 591484, 'the spreading coronavirus': 867648, 'spreading coronavirus outbreak': 790954, 'outbreak ha food': 628266, 'ha food and': 370646, 'and beverage manufacturer': 58930, 'beverage manufacturer well': 129016, 'manufacturer well retailer': 513542, 'well retailer scrambling': 978524, 'retailer scrambling to': 719309, 'scrambling to keep': 742568, 'keep pace foodbusiness': 471772, 'awaiting': 105544, '4m': 19484, 'is awaiting': 445932, 'awaiting the': 105553, 'first comedian': 308580, 'comedian to': 187730, 'do walking': 250451, 'walking down': 965050, 'street or': 813056, 'whilst wearing': 987707, 'wearing 4m': 974581, '4m frame': 19485, 'frame video': 330945, 'video one': 956853, 'it coming': 457218, 'coming it': 188118, 'if but': 413914, 'one is awaiting': 606502, 'is awaiting the': 445933, 'awaiting the first': 105554, 'the first comedian': 855290, 'first comedian to': 308581, 'comedian to do': 187731, 'to do walking': 904582, 'do walking down': 250452, 'walking down the': 965052, 'the street or': 868241, 'street or in': 813058, 'or in supermarket': 615762, 'in supermarket whilst': 428714, 'supermarket whilst wearing': 823851, 'whilst wearing 4m': 987708, 'wearing 4m frame': 974582, '4m frame video': 19486, 'frame video one': 330946, 'video one know': 956854, 'one know it': 606561, 'know it coming': 476523, 'it coming it': 457220, 'coming it not': 188119, 'not if but': 570047, 'if but when': 413915, 'cannabiscommunity cannabis': 161463, 'cannabis marijuana': 161419, 'marijuana the': 515727, 'team behind': 835603, 'behind windsor': 124755, 'windsor first': 995752, 'first legal': 308756, 'legal cannabis': 485846, 'cannabis retail': 161435, 'working toward': 1009015, 'toward opening': 927144, 'opening their': 612914, 'their shop': 874699, 'week despite': 976150, 'despite ongoing': 238804, 'pandemic representative': 636336, 'representative for': 712900, 'supply ho': 825370, 'cannabiscommunity cannabis marijuana': 161464, 'cannabis marijuana the': 161420, 'marijuana the team': 515728, 'the team behind': 869202, 'team behind windsor': 835604, 'behind windsor first': 124756, 'windsor first legal': 995753, 'first legal cannabis': 308757, 'legal cannabis retail': 485847, 'cannabis retail store': 161438, 'store is working': 808548, 'is working toward': 454052, 'working toward opening': 1009017, 'toward opening their': 927145, 'opening their shop': 612915, 'their shop this': 874705, 'shop this week': 760930, 'this week despite': 891207, 'week despite ongoing': 976153, 'despite ongoing concern': 238806, 'ongoing concern about': 607606, 'about the global': 26404, '19 pandemic representative': 9447, 'pandemic representative for': 636337, 'representative for supply': 712901, 'for supply ho': 326048, 'brentwood': 139373, 'haveing': 383732, 'saveworkers': 737832, 'stlblues': 801726, 'stlouis': 801730, 'stl': 801723, 'day sale': 228296, 'you always': 1016949, 'always wanted': 49783, 'wanted really': 966229, 'really nice': 702451, 'nice bed': 562351, 'bed but': 120388, 'but didn': 145531, 'pay tag': 645129, 'tag price': 831766, 'well now': 978425, 'you chance': 1017913, 'in brentwood': 420960, 'brentwood is': 139374, 'is haveing': 448321, 'haveing floor': 383733, 'model blow': 535233, 'blow out': 133335, 'sale come': 732129, 'come get': 187322, 'your better': 1022954, 'better sleep': 128466, 'sleep today': 773802, 'today saveworkers': 920136, 'saveworkers stlblues': 737833, 'stlblues stlouis': 801727, 'stlouis stl': 801737, 'end of day': 275895, 'of day sale': 582382, 'day sale have': 228297, 'sale have you': 732273, 'have you always': 383653, 'you always wanted': 1016953, 'always wanted really': 49784, 'wanted really nice': 966230, 'really nice bed': 702452, 'nice bed but': 562352, 'bed but didn': 120389, 'but didn want': 145535, 'to pay tag': 911562, 'pay tag price': 645130, 'tag price well': 831767, 'price well now': 677426, 'well now is': 978427, 'now is you': 575092, 'is you chance': 454122, 'you chance in': 1017914, 'chance in brentwood': 171735, 'in brentwood is': 420961, 'brentwood is haveing': 139375, 'is haveing floor': 448322, 'haveing floor model': 383734, 'floor model blow': 310824, 'model blow out': 535234, 'blow out sale': 133336, 'out sale come': 627137, 'sale come get': 732130, 'come get your': 187324, 'get your better': 348691, 'your better sleep': 1022955, 'better sleep today': 128467, 'sleep today saveworkers': 773803, 'today saveworkers stlblues': 920137, 'saveworkers stlblues stlouis': 737834, 'stlblues stlouis stl': 801728, 'consumption worldwide': 199971, 'worldwide ha': 1010363, 'about 30': 24693, '30 due': 17033, 'killed more': 474604, 'worldwide and': 1010313, 'and forced': 63176, 'forced business': 328561, 'government into': 360236, 'fuel consumption worldwide': 340147, 'consumption worldwide ha': 199972, 'worldwide ha dropped': 1010364, 'ha dropped by': 370460, 'dropped by about': 260552, 'by about 30': 151729, 'about 30 due': 24695, '30 due to': 17034, '19 pandemic which': 9523, 'pandemic which ha': 636985, 'which ha killed': 985888, 'ha killed more': 371082, 'killed more than': 474605, 'than 100 00': 840155, 'people worldwide and': 650525, 'worldwide and forced': 1010316, 'and forced business': 63177, 'forced business and': 328562, 'business and government': 143307, 'and government into': 63885, 'government into lockdown': 360237, 'maxing': 520851, 'worse do': 1010915, 'do foresee': 249321, 'foresee people': 329051, 'people maxing': 648748, 'maxing out': 520852, 'their credit': 872917, 'etc out': 282694, 'buying having': 150472, 'having no': 384188, 'no intention': 564511, 'intention of': 441150, 'back these': 107332, 'these credit': 879827, 'card loan': 163573, 'already stretching': 47691, 'stretching it': 813587, 'crisis economics': 217332, 'economics finance': 267451, 'this go on': 887715, 'go on or': 353889, 'on or get': 602539, 'or get worse': 615437, 'get worse do': 348649, 'worse do foresee': 1010916, 'do foresee people': 249322, 'foresee people maxing': 329052, 'people maxing out': 648749, 'maxing out their': 520853, 'out their credit': 627449, 'their credit card': 872918, 'credit card to': 216355, 'card to buy': 163677, 'buy food etc': 148645, 'food etc out': 314404, 'etc out of': 282695, 'panic buying having': 637758, 'buying having no': 150473, 'having no intention': 384190, 'no intention of': 564512, 'intention of paying': 441151, 'of paying back': 587836, 'paying back these': 645392, 'back these credit': 107333, 'these credit card': 879828, 'credit card loan': 216342, 'card loan people': 163574, 'loan people were': 497503, 'people were already': 650194, 'were already stretching': 979310, 'already stretching it': 47692, 'stretching it before': 813588, 'it before this': 456814, 'before this crisis': 123227, 'this crisis economics': 887036, 'crisis economics finance': 217333, 'food depot': 314187, 'in baltimore': 420683, 'maryland is': 518206, 'food tissue': 317225, 'most state': 542767, 'during an': 262441, 'considered violation': 195345, 'unfair or': 941427, 'or deceptive': 614908, 'food depot in': 314188, 'depot in baltimore': 237533, 'in baltimore maryland': 420684, 'baltimore maryland is': 109128, 'maryland is raising': 518209, 'is raising the': 451215, 'of food tissue': 583801, 'food tissue and': 317226, 'tissue and toilet': 899126, 'paper in most': 640326, 'in most state': 425471, 'most state price': 542768, 'state price gouging': 795870, 'gouging during an': 359308, 'during an emergency': 262443, 'emergency is considered': 272759, 'is considered violation': 446753, 'considered violation of': 195346, 'of the unfair': 591570, 'the unfair or': 870384, 'unfair or deceptive': 941428, 'or deceptive trade': 614910, 'ovation': 629743, 'uk opened': 938592, 'opened up': 612775, 'early exclusively': 264594, 'all stood': 44477, 'stood in': 804376, 'line giving': 493131, 'them standing': 876316, 'standing ovation': 793799, 'ovation and': 629744, 'and flower': 62994, 'flower they': 311336, 'they walked': 883700, 'walked in': 964948, 'the uk opened': 870257, 'uk opened up': 938593, 'opened up early': 612776, 'up early exclusively': 944769, 'early exclusively for': 264595, 'exclusively for healthcare': 289716, 'worker the employee': 1007926, 'the employee all': 854252, 'employee all stood': 273535, 'all stood in': 44478, 'stood in line': 804377, 'in line giving': 424753, 'line giving them': 493132, 'giving them standing': 351427, 'them standing ovation': 876317, 'standing ovation and': 793800, 'ovation and flower': 629745, 'and flower they': 62996, 'flower they walked': 311337, 'they walked in': 883701, 'sat here': 736897, 'here online': 393420, 'my upcoming': 550462, 'upcoming event': 946789, 'cancelled thanks': 161172, 'sat here online': 736898, 'here online shopping': 393422, 'online shopping when': 609340, 'shopping when all': 764374, 'when all my': 983129, 'all my upcoming': 43573, 'my upcoming event': 550463, 'upcoming event have': 946790, 'event have been': 284990, 'been cancelled thanks': 120795, 'cancelled thanks covid': 161173, 'paralyzes': 641362, 'new polling': 559309, 'polling result': 663878, 'from hispanic': 335818, 'hispanic consumer': 397932, 'confidence plummet': 193928, 'plummet paralyzes': 661302, 'paralyzes the': 641363, 'country economics': 210598, 'economics hispanic': 267455, 'new polling result': 559310, 'polling result from': 663879, 'result from hispanic': 717509, 'from hispanic consumer': 335819, 'hispanic consumer confidence': 397933, 'consumer confidence plummet': 196912, 'confidence plummet paralyzes': 193932, 'plummet paralyzes the': 661303, 'paralyzes the country': 641364, 'the country economics': 852067, 'country economics hispanic': 210599, 'off just': 593939, 'doe with': 251671, 'with flu': 998465, 'flu retail': 311449, 'are surviving': 90680, 'surviving without': 829378, 'glove tell': 352938, 'tell it': 836993, 'healthy immune system': 387665, 'system will fight': 831380, 'fight off just': 304814, 'off just like': 593941, 'just like it': 469148, 'like it doe': 490530, 'it doe with': 457620, 'doe with flu': 251672, 'with flu retail': 998466, 'flu retail store': 311450, 'retail store worker': 718733, 'worker are surviving': 1006430, 'are surviving without': 90682, 'surviving without mask': 829379, 'and glove tell': 63738, 'glove tell it': 352939, 'tell it like': 836995, 'like it is': 490541, 'it is lockdown': 459003, 'outhouse': 628980, 'conduct business': 193637, 'business play': 144231, 'play fun': 659151, 'fun communication': 341149, 'communication and': 189576, 'the outhouse': 862738, 'outhouse stuff': 628983, 'later stayhome': 481118, 'toiletpapergate hoarding': 923157, 'hoarding bcpoli': 399208, 'cdnpoli stayathome': 168667, 'stay in house': 797048, 'in house and': 423843, 'house and conduct': 406174, 'and conduct business': 60271, 'conduct business play': 193639, 'business play fun': 144232, 'play fun communication': 659152, 'fun communication and': 341150, 'communication and save': 189577, 'save the outhouse': 737664, 'the outhouse stuff': 862739, 'outhouse stuff for': 628984, 'stuff for later': 815071, 'for later stayhome': 322897, 'later stayhome toiletpaper': 481119, 'stayhome toiletpaper toiletpapergate': 798215, 'toiletpaper toiletpapergate hoarding': 922683, 'toiletpapergate hoarding bcpoli': 923158, 'hoarding bcpoli cdnpoli': 399209, 'bcpoli cdnpoli stayathome': 113360, 'swoop': 830619, 'today middle': 919880, 'aged white': 37956, 'man stole': 512253, 'stole toilet': 804281, 'paper out': 640561, 'aunt shopping': 103006, 'cart when': 165419, 'opening her': 612841, 'car he': 163122, 'he asked': 384752, 'her where': 392523, 'got them': 358922, 'then swoop': 877592, 'swoop all': 830620, 'all too': 45267, 'much dobetter': 544836, 'today middle aged': 919881, 'middle aged white': 530619, 'aged white man': 37957, 'white man stole': 987871, 'man stole toilet': 512254, 'stole toilet paper': 804282, 'toilet paper out': 921380, 'paper out of': 640562, 'out of my': 626793, 'of my aunt': 586732, 'my aunt shopping': 547354, 'aunt shopping cart': 103007, 'shopping cart when': 762322, 'cart when she': 165420, 'when she wa': 984007, 'she wa outside': 756422, 'wa outside of': 962887, 'store opening her': 809279, 'opening her car': 612842, 'her car he': 391916, 'car he asked': 163123, 'he asked her': 384753, 'asked her where': 95760, 'her where she': 392524, 'where she got': 985164, 'she got them': 756062, 'got them and': 358923, 'them and then': 875404, 'and then swoop': 73814, 'then swoop all': 877593, 'swoop all too': 830621, 'all too much': 45268, 'too much dobetter': 924918, 'you rushed': 1020967, 'rushed out': 728362, 'but poop': 146821, 'poop so': 664069, 'much at': 544736, 'wa locked': 962581, 'locked and': 500463, 'and loaded': 66277, 'loaded from': 497309, 'beginning who': 123690, 'who am': 988064, 'am kidding': 50165, 'kidding nearly': 474211, 'nearly through': 553863, 'roll had': 725324, 'had when': 373796, 'all began': 42165, 'began toiletpaperpanic': 123450, 'of you rushed': 593417, 'you rushed out': 1020968, 'rushed out to': 728363, 'up on toiletpaper': 945634, 'on toiletpaper but': 604786, 'toiletpaper but poop': 921831, 'but poop so': 146822, 'poop so much': 664070, 'so much at': 777760, 'much at work': 544741, 'at work wa': 101626, 'work wa locked': 1005975, 'wa locked and': 962582, 'locked and loaded': 500464, 'and loaded from': 66278, 'loaded from the': 497310, 'from the beginning': 337614, 'the beginning who': 849439, 'beginning who am': 123691, 'who am kidding': 988066, 'am kidding nearly': 50166, 'kidding nearly through': 474212, 'nearly through the': 553864, 'through the one': 894757, 'the one roll': 862220, 'one roll had': 606974, 'roll had when': 725325, 'had when this': 373798, 'when this all': 984300, 'this all began': 886262, 'all began toiletpaperpanic': 42166, 'began toiletpaperpanic 19': 123451, 'finglas': 307835, 'knocked': 476170, 'finglas public': 307836, 'announcement the': 77210, 'am queuing': 50333, 'busy updating': 145004, 'medium will': 527354, 'get knocked': 347460, 'knocked out': 476173, 'out do': 625966, 'your male': 1024769, 'male or': 511687, 'or female': 615292, 'female thank': 303512, 'finglas public service': 307837, 'service announcement the': 752126, 'announcement the next': 77211, 'next person to': 561507, 'person to walk': 652664, 'walk into me': 964818, 'into me while': 442749, 'me while am': 523958, 'while am queuing': 986601, 'am queuing at': 50334, 'the checkout in': 850764, 'checkout in supermarket': 174936, 'in supermarket because': 428564, 'they are too': 881437, 'are too busy': 91136, 'too busy updating': 924626, 'busy updating their': 145005, 'updating their social': 947492, 'their social medium': 874745, 'social medium will': 779895, 'medium will get': 527355, 'will get knocked': 993509, 'get knocked out': 347462, 'knocked out do': 476174, 'out do not': 625967, 'care if your': 164018, 'if your male': 415594, 'your male or': 1024770, 'male or female': 511688, 'or female thank': 615293, 'female thank you': 303513, 'it false': 457942, 'false comfort': 297413, 'comfort due': 187825, 'to epidemic': 905236, 'epidemic lockdown': 279412, 'lockdown effect': 499333, 'effect imposed': 269012, 'imposed by': 419278, 'consumption demand': 199856, 'way heading': 969621, 'heading south': 385954, 'south the': 786786, 'the storage': 867967, 'capacity reaching': 162566, 'reaching full': 700085, 'full level': 340660, 'level so': 487712, 'go crashing': 353428, 'crashing down': 215108, 'it false comfort': 457943, 'false comfort due': 297414, 'comfort due to': 187826, 'due to epidemic': 261772, 'to epidemic lockdown': 905237, 'epidemic lockdown effect': 279413, 'lockdown effect imposed': 499334, 'effect imposed by': 269013, 'imposed by many': 419279, 'by many country': 153160, 'many country the': 513949, 'country the consumption': 211125, 'the consumption demand': 851637, 'consumption demand are': 199857, 'demand are any': 235021, 'are any way': 84581, 'any way heading': 80036, 'way heading south': 969622, 'heading south the': 385955, 'south the storage': 786787, 'the storage capacity': 867969, 'storage capacity reaching': 805958, 'capacity reaching full': 162567, 'reaching full level': 700086, 'full level so': 340661, 'level so will': 487715, 'so will the': 778778, 'will the price': 995153, 'price go crashing': 674201, 'go crashing down': 353429, 'crashing down to': 215109, 'nincompoop': 563270, 'try going': 934484, 'you approach': 1017042, 'approach the': 82975, 'some nincompoop': 783357, 'nincompoop run': 563271, 'cough right': 208543, 'face joke': 294487, 'joke fortunately': 467080, 'fortunately am': 329911, 'am past': 50297, 'the waiting': 871031, '19 almost': 4914, 'almost called': 46566, 'called th': 156452, 'try going to': 934485, 'store and just': 806273, 'and just you': 65733, 'just you approach': 470379, 'you approach the': 1017043, 'approach the door': 82976, 'the door have': 853566, 'door have some': 255612, 'have some nincompoop': 382634, 'some nincompoop run': 783358, 'nincompoop run up': 563272, 'run up to': 727857, 'you and cough': 1016983, 'and cough right': 60605, 'cough right in': 208544, 'right in your': 721958, 'in your face': 431079, 'your face joke': 1023749, 'face joke fortunately': 294488, 'joke fortunately am': 467081, 'fortunately am past': 329912, 'am past the': 50298, 'past the waiting': 643621, 'the waiting period': 871032, 'waiting period and': 964377, 'period and did': 651708, 'and did not': 61317, 'did not get': 240714, 'not get covid': 569582, 'covid 19 almost': 212612, '19 almost called': 4915, 'almost called th': 46567, 'indefinitely': 434033, '2lbs': 16654, 'in office': 426064, 'office cafeteria': 595384, 'cafeteria they': 155149, 'closing indefinitely': 183663, 'indefinitely because': 434038, 'because folk': 119062, 'can wfh': 160214, 'wfh are': 980831, 'risk so': 723885, 'so rather': 778110, 'food go': 314675, 'go bad': 353354, 'bad they': 108037, 'they sold': 883412, 'sold veggie': 781799, 'veggie bread': 954176, 'and bacon': 58622, 'bacon in': 107635, 'employee egg': 273810, 'egg veggie': 270021, 'veggie went': 954224, 'went fast': 978994, 'fast but': 299923, 'but grabbed': 145821, 'grabbed 2lbs': 361561, '2lbs of': 16655, 'of bacon': 580499, 'our in office': 623511, 'in office cafeteria': 426065, 'office cafeteria they': 595385, 'cafeteria they re': 155150, 're closing indefinitely': 698432, 'closing indefinitely because': 183664, 'indefinitely because folk': 434039, 'because folk who': 119063, 'folk who can': 312299, 'who can wfh': 988413, 'can wfh are': 160215, 'wfh are and': 980832, 'are and to': 84551, 'and to avoid': 74152, '19 risk so': 10246, 'risk so rather': 723886, 'so rather than': 778111, 'than just let': 840817, 'just let the': 469135, 'let the food': 487127, 'the food go': 855554, 'food go bad': 314676, 'go bad they': 353357, 'bad they sold': 108038, 'they sold veggie': 883414, 'sold veggie bread': 781800, 'veggie bread egg': 954177, 'egg and bacon': 269756, 'and bacon in': 58623, 'bacon in stock': 107637, 'stock to employee': 802994, 'to employee egg': 905021, 'employee egg veggie': 273811, 'egg veggie went': 270022, 'veggie went fast': 954225, 'went fast but': 978995, 'fast but grabbed': 299926, 'but grabbed 2lbs': 145822, 'grabbed 2lbs of': 361562, '2lbs of bacon': 16656, 'eastfruit': 265624, 'for lemon': 322941, 'lemon and': 486174, 'and ginger': 63652, 'ginger in': 350201, 'russia skyrocket': 728573, 'skyrocket due': 773301, 'to myth': 910461, 'myth that': 551058, 'will save': 994738, 'the eastfruit': 853856, 'price for lemon': 673988, 'for lemon and': 322942, 'lemon and ginger': 486175, 'and ginger in': 63655, 'ginger in russia': 350202, 'in russia skyrocket': 427592, 'russia skyrocket due': 728574, 'skyrocket due to': 773302, 'due to myth': 261872, 'to myth that': 910462, 'myth that it': 551059, 'it will save': 462436, 'will save from': 994740, 'save from the': 737513, 'from the eastfruit': 337678, 'mez': 530049, 'cornelldyson': 203633, 'chain professor': 171014, 'professor mez': 682567, 'mez cornelldyson': 530050, 'supply chain professor': 825012, 'chain professor mez': 171015, 'professor mez cornelldyson': 682568, 'officedelivery': 595607, 'simple process': 770076, 'process are': 679883, 'our aim': 622042, 'shopping shipping': 763860, 'shipping experience': 758846, 'experience great': 291374, 'great corona': 362587, 'corona homedelivery': 203997, 'homedelivery delivery': 402674, 'delivery simple': 234495, 'simple great': 770032, 'great experience': 362665, 'experience officedelivery': 291442, 'officedelivery jamaica': 595608, 'jamaica usa': 464376, 'usa worldwide': 948796, 'worldwide courier': 1010338, 'courier shipping': 211823, 'simple process are': 770077, 'process are our': 679884, 'are our aim': 88853, 'our aim to': 622043, 'aim to make': 39555, 'make your shopping': 510769, 'your shopping shipping': 1025792, 'shopping shipping experience': 763861, 'shipping experience great': 758847, 'experience great corona': 291375, 'great corona homedelivery': 362588, 'corona homedelivery delivery': 203998, 'homedelivery delivery simple': 402675, 'delivery simple great': 234496, 'simple great experience': 770033, 'great experience officedelivery': 362667, 'experience officedelivery jamaica': 291443, 'officedelivery jamaica usa': 595609, 'jamaica usa worldwide': 464377, 'usa worldwide courier': 948797, 'worldwide courier shipping': 1010339, 'channel4news': 172959, 'eurospin': 283626, 'ffs channel4news': 304299, 'channel4news wa': 172960, 'that eurospin': 843728, 'eurospin sign': 283627, 'sign by': 769100, 'that spanish': 846423, 'spanish supermarket': 787413, 'queue today': 694104, 'today why': 920537, 'real news': 701277, 'on italy': 601701, 'spain pandemic': 787334, 'pandemic nb': 636009, 'nb the': 553197, 'is pakistani': 450779, 'pakistani wa': 634532, 'wa delivering': 961942, 'delivering chinese': 233476, 'ffs channel4news wa': 304300, 'channel4news wa that': 172961, 'wa that eurospin': 963430, 'that eurospin sign': 843729, 'eurospin sign by': 283628, 'sign by that': 769101, 'by that spanish': 154251, 'that spanish supermarket': 846424, 'spanish supermarket queue': 787416, 'supermarket queue today': 822137, 'queue today why': 694106, 'today why do': 920538, 'not you give': 572610, 'you give the': 1018832, 'give the real': 350750, 'the real news': 865227, 'real news on': 701278, 'news on italy': 560667, 'on italy spain': 601702, 'italy spain pandemic': 462919, 'spain pandemic nb': 787335, 'pandemic nb the': 636010, 'nb the fact': 553198, 'fact is pakistani': 295737, 'is pakistani wa': 450780, 'pakistani wa delivering': 634533, 'wa delivering chinese': 961943, 'flint': 310589, 'you upset': 1021993, 'line price': 493362, 'essential being': 280827, 'being raised': 125630, 'raised for': 696000, 'store running': 809938, 'survive flint': 829166, 'flint resident': 310592, 'resident have': 714309, 'been dealing': 120919, 'feeling for': 302988, 'year when': 1015095, 'are you upset': 91876, 'you upset about': 1021994, 'upset about standing': 947797, 'long line price': 501503, 'line price on': 493363, 'on essential being': 600581, 'essential being raised': 280828, 'being raised for': 125631, 'raised for profit': 696001, 'for profit and': 324788, 'profit and store': 682660, 'and store running': 72514, 'store running out': 809941, 'of the item': 591160, 'the item you': 858618, 'item you need': 463867, 'to survive flint': 916028, 'survive flint resident': 829167, 'flint resident have': 310593, 'resident have been': 714310, 'have been dealing': 379502, 'been dealing with': 120920, 'dealing with this': 229697, 'with this feeling': 1001697, 'this feeling for': 887534, 'feeling for almost': 302989, 'for almost year': 319215, 'almost year when': 46776, 'year when it': 1015097, 'come to water': 187614, 'incredible snapshot': 433867, 'on airfare': 599198, 'price travel': 677112, 'travel airline': 930243, 'this is an': 888175, 'an incredible snapshot': 56261, 'incredible snapshot of': 433868, 'the effect the': 854070, 'effect the coronavirus': 269121, 'the coronavirus had': 851863, 'coronavirus had on': 206049, 'had on airfare': 373358, 'on airfare price': 599199, 'airfare price travel': 39899, 'price travel airline': 677113, 'alpinia': 47163, 'galanga': 342913, 'mosquito': 542031, 'repelling': 711555, 'shallot': 754562, 'anise': 76743, 'boil': 134046, 'thirsty': 886132, 'the ancient': 848675, 'ancient herbal': 57324, 'herbal medicine': 392582, 'treat and': 930801, 'and prevents': 69432, 'prevents the': 671941, 'is ginger': 448054, 'ginger alpinia': 350182, 'alpinia galanga': 47164, 'galanga mosquito': 342914, 'mosquito repelling': 542040, 'repelling lemon': 711556, 'lemon grass': 486182, 'grass garlic': 362218, 'garlic shallot': 343688, 'shallot star': 754565, 'star anise': 794028, 'anise just': 76744, 'just chop': 468479, 'chop to': 177959, 'small price': 775071, 'and boil': 59048, 'boil then': 134051, 'then drink': 877137, 'drink while': 258900, 'while it': 986966, 'it warm': 462243, 'warm drink': 966873, 'drink when': 258898, 'are thirsty': 91048, 'the ancient herbal': 848676, 'ancient herbal medicine': 57325, 'herbal medicine to': 392583, 'medicine to treat': 526912, 'to treat and': 917741, 'treat and prevents': 930802, 'and prevents the': 69433, 'prevents the covid': 671942, '19 here it': 7513, 'it is ginger': 458961, 'is ginger alpinia': 448055, 'ginger alpinia galanga': 350183, 'alpinia galanga mosquito': 47165, 'galanga mosquito repelling': 342915, 'mosquito repelling lemon': 542041, 'repelling lemon grass': 711557, 'lemon grass garlic': 486183, 'grass garlic shallot': 362219, 'garlic shallot star': 343689, 'shallot star anise': 754566, 'star anise just': 794029, 'anise just chop': 76745, 'just chop to': 468480, 'chop to small': 177960, 'to small price': 914762, 'small price and': 775072, 'price and boil': 672371, 'and boil then': 59049, 'boil then drink': 134052, 'then drink while': 877138, 'drink while it': 258901, 'while it warm': 986976, 'it warm drink': 462244, 'warm drink when': 966874, 'drink when you': 258899, 'you are thirsty': 1017264, 'respite': 715264, 'from delay': 335121, 'delay brings': 232681, 'brings consumer': 140234, 'company respite': 191020, 'respite amid': 715265, 'amid disruption': 52449, 'from delay brings': 335122, 'delay brings consumer': 232682, 'brings consumer company': 140235, 'consumer company respite': 196837, 'company respite amid': 191021, 'respite amid disruption': 715267, 'applestore': 82401, 'extendedreturn': 293214, 'apple offer': 82349, 'offer extended': 594603, 'extended two': 293207, 'week return': 976826, 'return program': 719888, 'to apple': 900647, 'crisis apple': 217072, 'apple health': 82328, 'health applestore': 386171, 'applestore retail': 82402, 'retail location': 718278, 'location return': 498956, 'return extendedreturn': 719835, 'extendedreturn extension': 293215, 'apple offer extended': 82350, 'offer extended two': 594604, 'extended two week': 293208, 'two week return': 937359, 'week return program': 976827, 'return program for': 719889, 'program for return': 683248, 'for return to': 325211, 'return to apple': 719911, 'to apple store': 900648, 'apple store during': 82367, 'store during coronavirus': 807400, 'coronavirus crisis apple': 205738, 'crisis apple health': 217073, 'apple health applestore': 82329, 'health applestore retail': 386172, 'applestore retail location': 82403, 'retail location return': 718287, 'location return extendedreturn': 498957, 'return extendedreturn extension': 719836, 'underline': 940457, 'interesting data': 441536, 'data point': 226343, 'too early': 924703, 'on long': 601931, 'effect these': 269130, 'likely previous': 492081, 'previous cruise': 671962, 'cruise passenger': 219701, 'passenger responding': 643339, 'sale it': 732315, 'it underline': 461920, 'underline the': 940458, 'maintaining trust': 509144, 'interesting data point': 441538, 'data point on': 226346, 'consumer behavior it': 196489, 'behavior it too': 124109, 'it too early': 461789, 'too early to': 924706, 'early to call': 264727, 'to call on': 902383, 'call on long': 156038, 'on long term': 601933, 'term effect these': 838135, 'effect these are': 269131, 'these are likely': 879623, 'are likely previous': 87803, 'likely previous cruise': 492082, 'previous cruise passenger': 671963, 'cruise passenger responding': 219702, 'passenger responding to': 643340, 'to the sale': 917034, 'the sale it': 866178, 'sale it underline': 732318, 'it underline the': 461921, 'underline the importance': 940459, 'importance of building': 418696, 'of building and': 580926, 'building and maintaining': 142048, 'and maintaining trust': 66536, 'planning after': 658507, 'southeast need': 786839, 'need unique': 556148, 'unique from': 941980, 'photo now': 655196, 'sterling for': 799897, 'price 561': 672166, 'planning after the': 658508, 'the end in': 854303, 'end in southeast': 275847, 'in southeast need': 428143, 'southeast need unique': 786840, 'need unique from': 556149, 'unique from your': 941981, 'your photo now': 1025301, 'photo now call': 655197, 'now call jeff': 574323, 'call jeff sterling': 155966, 'jeff sterling for': 465018, 'sterling for price': 799898, 'for price 561': 324712, 'price 561 501': 672167, 'internationaldayofhappiness': 441869, 'outtake': 629718, 'were wondering': 980353, 'for internationaldayofhappiness': 322622, 'internationaldayofhappiness to': 441870, 'you smile': 1021279, 'smile at': 775696, 'and decided': 61009, 'decided our': 230875, 'best bet': 127597, 'bet would': 128126, 'the outtake': 862754, 'outtake from': 629719, 'video fridayfeeling': 956737, 'fridayfeeling fridaythoughts': 333329, 'fridaythoughts stophoarding': 333363, 'we were wondering': 973820, 'were wondering what': 980354, 'wondering what to': 1004195, 'what to post': 982461, 'to post for': 911910, 'post for internationaldayofhappiness': 666133, 'for internationaldayofhappiness to': 322623, 'internationaldayofhappiness to make': 441871, 'to make you': 909767, 'make you smile': 510750, 'you smile at': 1021280, 'smile at this': 775700, 'difficult time and': 242277, 'time and decided': 896265, 'and decided our': 61010, 'decided our best': 230876, 'our best bet': 622189, 'best bet would': 127598, 'bet would be': 128127, 'be the outtake': 117644, 'the outtake from': 862755, 'outtake from our': 629720, 'from our video': 336806, 'our video fridayfeeling': 625268, 'video fridayfeeling fridaythoughts': 956738, 'fridayfeeling fridaythoughts stophoarding': 333330, 'fridaythoughts stophoarding coronacrisis': 333364, 'phylogenetic': 655358, 'adaptation': 31302, 'transmissible': 929720, 'super interesting': 818530, 'interesting phylogenetic': 441585, 'phylogenetic analysis': 655359, 'of sars': 589319, 'cov origin': 212126, 'origin while': 619548, 'it remains': 460701, 'remains unknown': 710079, 'unknown whether': 942550, 'the adaptation': 848338, 'adaptation that': 31305, 'virus so': 958760, 'so transmissible': 778566, 'transmissible occurred': 929721, 'occurred in': 579044, 'in human': 423904, 'human or': 410578, 'an animal': 55310, 'animal host': 76608, 'host the': 404896, 'clearly product': 181543, 'of natural': 586875, 'natural selection': 552865, 'super interesting phylogenetic': 818531, 'interesting phylogenetic analysis': 441586, 'phylogenetic analysis of': 655360, 'analysis of sars': 57068, 'of sars cov': 589320, 'sars cov origin': 736803, 'cov origin while': 212127, 'origin while it': 619549, 'while it remains': 986973, 'it remains unknown': 460703, 'remains unknown whether': 710080, 'unknown whether the': 942551, 'whether the adaptation': 985578, 'the adaptation that': 848339, 'adaptation that made': 31306, 'that made the': 844977, 'made the virus': 508002, 'the virus so': 870891, 'virus so transmissible': 958764, 'so transmissible occurred': 778567, 'transmissible occurred in': 929722, 'occurred in human': 579045, 'in human or': 423906, 'human or an': 410579, 'or an animal': 614311, 'an animal host': 55311, 'animal host the': 76609, 'host the virus': 404897, 'virus is clearly': 958369, 'is clearly product': 446558, 'clearly product of': 181544, 'product of natural': 681455, 'of natural selection': 586877, 'out 26': 625531, '26 lakh': 16170, 'lakh worth': 479123, 'them prank': 876175, 'forced to throw': 328663, 'throw out 26': 895037, 'out 26 lakh': 625532, '26 lakh worth': 16171, 'lakh worth of': 479124, 'after woman coughed': 36557, 'coughed on them': 208635, 'on them prank': 604541, 'business when': 144650, 'online buy': 607974, 'local when': 498694, 'possible consider': 665610, 'consider ordering': 195057, 'takeout from': 833162, 'local brewery': 497740, 'brewery the': 139462, 'situation evolves': 772258, 'evolves rapidly': 288531, 'rapidly please': 697006, 'government guideline': 360130, 'help our business': 390222, 'our business when': 622291, 'business when shopping': 144651, 'shopping online buy': 763416, 'online buy local': 607978, 'buy local when': 148919, 'local when possible': 498695, 'when possible consider': 983893, 'possible consider ordering': 665611, 'consider ordering takeout': 195058, 'ordering takeout from': 619034, 'takeout from restaurant': 833163, 'from restaurant offering': 337092, 'restaurant offering this': 716602, 'offering this service': 595297, 'this service and': 890050, 'service and support': 752111, 'support local brewery': 826619, 'local brewery the': 497742, 'brewery the covid': 139463, '19 situation evolves': 10573, 'situation evolves rapidly': 772259, 'evolves rapidly please': 288532, 'rapidly please follow': 697007, 'please follow government': 660004, 'follow government guideline': 312395, 'excedrin': 289012, 'gouging police': 359430, 'police 200': 662884, '200 for': 13489, 'for excedrin': 321300, 'excedrin seriously': 289013, 'seriously twitter': 751769, 'twitter please': 936702, 'please shame': 660475, 'these sorry': 880706, 'sorry as': 786011, 'as scrub': 94803, 'scrub 19': 742886, 'where are your': 984746, 'are your price': 91896, 'your price gouging': 1025402, 'price gouging police': 674314, 'gouging police 200': 359431, 'police 200 for': 662885, '200 for excedrin': 13491, 'for excedrin seriously': 321301, 'excedrin seriously twitter': 289014, 'seriously twitter please': 751770, 'twitter please shame': 936703, 'please shame these': 660476, 'shame these sorry': 754657, 'these sorry as': 880707, 'sorry as scrub': 786012, 'as scrub 19': 94804, 'supply grocery': 825336, 'spokesman say': 789779, 'public should': 688317, 'panic shortage': 638598, 'are temporary': 90766, 'temporary via': 837719, 'of supply grocery': 590482, 'supply grocery store': 825337, 'store spokesman say': 810284, 'spokesman say public': 789780, 'say public should': 739082, 'public should not': 688319, 'not panic shortage': 570933, 'panic shortage are': 638599, 'shortage are temporary': 764839, 'are temporary via': 90768, 'force member': 328444, 'member say': 528185, 'shopper should': 761684, 'should limit': 766194, 'limit trip': 492544, 'trip this': 932180, 'task force member': 834692, 'force member say': 328445, 'member say shopper': 528186, 'say shopper should': 739135, 'shopper should limit': 761687, 'should limit trip': 766195, 'limit trip this': 492545, 'trip this is': 932181, 'cornavirus': 203606, 'inner': 438791, 'of cornavirus': 581877, 'cornavirus they': 203611, 'risk where': 724016, 'an inner': 56351, 'inner city': 438794, 'city supermarket': 179385, 'in manchester': 425025, 'manchester with': 512968, 'with complex': 997713, 'complex demographic': 192399, 'demographic up': 236799, '19 why': 12065, 'frontline of cornavirus': 338803, 'of cornavirus they': 581878, 'cornavirus they must': 203612, 'must be very': 546557, 'be very high': 117976, 'high risk where': 395378, 'risk where my': 724017, 'where my wife': 985046, 'my wife work': 550610, 'wife work in': 992012, 'in an inner': 420315, 'an inner city': 56352, 'inner city supermarket': 438795, 'city supermarket in': 179387, 'supermarket in manchester': 820927, 'in manchester with': 425028, 'manchester with complex': 512969, 'with complex demographic': 997714, 'complex demographic up': 192400, 'demographic up until': 236800, 'until now not': 943800, 'now not one': 575376, 'not one case': 570761, 'covid 19 why': 214073, 'sahloul': 730927, 'sahloul hear': 730928, 'hear you': 388031, 'montreal where': 538237, 'risk spreading': 723895, 'food immediately': 314908, 'immediately then': 417157, 'are senior': 89981, 'in who': 430889, 'order safely': 618554, 'safely online': 730289, 'wait at': 964080, 'sahloul hear you': 730929, 'hear you in': 388034, 'you in montreal': 1019308, 'in montreal where': 425431, 'montreal where people': 538238, 'people can go': 647392, 'grocery shopping risk': 365076, 'shopping risk spreading': 763779, 'risk spreading covid': 723896, '19 but get': 5502, 'but get food': 145790, 'get food immediately': 347045, 'food immediately then': 314909, 'immediately then there': 417158, 'then there are': 877635, 'there are senior': 878157, 'are senior and': 89982, 'senior and shut': 750210, 'and shut in': 71632, 'shut in who': 767898, 'in who can': 430891, 'who can order': 988399, 'can order safely': 159180, 'order safely online': 618555, 'safely online but': 730290, 'online but have': 607965, 'have to wait': 383334, 'to wait at': 918259, 'wait at least': 964081, 'least week for': 484695, 'primavera': 678097, 'infuriating': 438255, 'allowance': 46113, 'primavera ge': 678098, 'ge heartbreaking': 344925, 'heartbreaking infuriating': 388383, 'infuriating how': 438262, 'how shall': 408653, 'shall elderly': 754529, 'up little': 945332, 'their retirement': 874585, 'retirement allowance': 719702, 'allowance are': 46114, 'small that': 775150, 'not unusual': 572347, 'unusual then': 943998, 'then in': 877258, 'addition the': 31727, 'are emptied': 86127, 'emptied by': 274672, 'to dish': 904393, 'dish out': 245507, 'primavera ge heartbreaking': 678099, 'ge heartbreaking infuriating': 344926, 'heartbreaking infuriating how': 388384, 'infuriating how shall': 438263, 'how shall elderly': 408654, 'shall elderly people': 754530, 'elderly people stock': 270833, 'stock up little': 803095, 'up little food': 945333, 'little food when': 495349, 'food when their': 317572, 'when their retirement': 984218, 'their retirement allowance': 874586, 'retirement allowance are': 719703, 'allowance are too': 46115, 'are too small': 91148, 'too small that': 925068, 'small that not': 775151, 'that not unusual': 845402, 'not unusual then': 572348, 'unusual then in': 943999, 'then in addition': 877259, 'in addition the': 420035, 'addition the shelf': 31728, 'shelf are emptied': 756795, 'are emptied by': 86129, 'emptied by those': 274673, 'by those who': 154541, 'who have enough': 988921, 'enough to dish': 277698, 'to dish out': 904394, 'inside ice': 439281, 'ice lockdown': 412672, 'lockdown face': 499370, 'made of': 507875, 'sock no': 781405, 'growing tension': 367240, 'tension via': 838001, 'inside ice lockdown': 439282, 'ice lockdown face': 412673, 'lockdown face mask': 499371, 'face mask made': 294562, 'mask made of': 518936, 'made of sock': 507878, 'of sock no': 589881, 'sock no hand': 781406, 'sanitizer and growing': 734409, 'and growing tension': 64018, 'growing tension via': 367241, 'coke': 185700, 'oh how': 596408, 'changed at': 172439, '6am used': 21581, 'be sitting': 117203, 'store high': 808153, 'af on': 33958, 'on coke': 599963, 'coke waiting': 185710, 'open now': 612402, 'now sitting': 575837, 'store waiting': 811131, 'buy baby': 148390, 'really missing': 702420, 'missing january': 534309, 'january of': 464671, 'oh how time': 596409, 'have changed at': 379933, 'changed at 6am': 172440, 'at 6am used': 97730, '6am used to': 21582, 'to be sitting': 901544, 'be sitting in': 117204, 'sitting in front': 772119, 'front of liquor': 338642, 'of liquor store': 585882, 'liquor store high': 494204, 'store high af': 808154, 'high af on': 394907, 'af on coke': 33959, 'on coke waiting': 599964, 'coke waiting for': 185711, 'waiting for them': 964339, 'them to open': 876494, 'to open now': 910999, 'open now sitting': 612404, 'now sitting in': 575838, 'front of grocery': 338638, 'grocery store waiting': 365922, 'store waiting to': 811132, 'waiting to buy': 964398, 'to buy baby': 902184, 'buy baby food': 148391, 'paper really missing': 640664, 'really missing january': 702421, 'missing january of': 534310, 'january of 2020': 464672, 'affair make': 34063, 'you them': 1021621, 'them help': 875837, 'others now': 621554, 'need their': 555762, 'their help': 873531, 'help later': 389989, 'let the current': 487123, 'of affair make': 579811, 'affair make you': 34064, 'make you feel': 510736, 'you feel like': 1018539, 'like it you': 490568, 'it you them': 462650, 'you them help': 1021622, 'them help others': 875838, 'help others now': 390211, 'others now because': 621555, 'now because you': 574216, 'because you may': 119872, 'may need their': 521356, 'need their help': 555763, 'their help later': 873533, 'foodshopping during': 318119, 'two restaurant': 937187, 'restaurant wholesaler': 716803, 'wholesaler now': 990523, 'and via': 74946, 'foodshopping during the': 318120, 'during the two': 263211, 'the two restaurant': 870155, 'two restaurant wholesaler': 937188, 'restaurant wholesaler now': 716804, 'wholesaler now open': 990524, 'now open to': 575464, 'public and via': 687861, 'exploring global': 292544, 'global response': 352173, 'to staying': 915349, 'staying well': 798727, 'finding normality': 307511, 'normality in': 567454, 'corona read': 204136, 'corona corona': 203865, 'corona socialdistancing': 204178, 'staysafe wellbeing': 798953, 'wellbeing quarantine': 978799, 'exploring global response': 292545, 'global response to': 352175, 'response to staying': 715884, 'to staying well': 915353, 'staying well and': 798728, 'well and finding': 978015, 'and finding normality': 62901, 'finding normality in': 307512, 'normality in the': 567455, 'of corona read': 581896, 'corona read more': 204137, 'more here 19': 539412, 'here 19 corona': 392647, '19 corona corona': 6049, 'corona corona socialdistancing': 203868, 'corona socialdistancing staysafe': 204181, 'socialdistancing staysafe wellbeing': 780751, 'staysafe wellbeing quarantine': 798954, 'wellbeing quarantine lockdown': 978800, 'substantially': 816065, 'quits': 694945, 'wi': 991634, 'is lying': 449494, 'deficit which': 232258, 'which his': 985935, 'his trade': 397870, 'war hasn': 966451, 'hasn substantially': 378792, 'substantially changed': 816068, 'changed until': 172592, 'until hit': 943738, 'hit trump': 398490, 'trump also': 933397, 'also fails': 48191, 'mention if': 528767, 'the quits': 865074, 'quits importing': 694946, 'importing from': 419225, 'china manufacture': 176815, 'manufacture in': 513375, 'price wi': 677547, 'is lying about': 449495, 'lying about the': 507061, 'about the china': 26351, 'china trade deficit': 177018, 'trade deficit which': 928482, 'deficit which his': 232259, 'which his trade': 985936, 'his trade war': 397872, 'trade war hasn': 928609, 'war hasn substantially': 966452, 'hasn substantially changed': 378793, 'substantially changed until': 816070, 'changed until hit': 172593, 'until hit trump': 943739, 'hit trump also': 398491, 'trump also fails': 933399, 'also fails to': 48192, 'fails to mention': 296250, 'to mention if': 910087, 'mention if the': 528768, 'if the quits': 415021, 'the quits importing': 865075, 'quits importing from': 694947, 'importing from china': 419226, 'from china manufacture': 334866, 'china manufacture in': 176816, 'manufacture in the': 513376, 'the price wi': 864438, 'disabledcovid19': 243988, 'that disabled': 843546, 'disabled for': 243909, 'but stuck': 147203, 'inside cannot': 439244, 'delivered anywhere': 233295, 'anywhere am': 81082, 'am starting': 50427, 'panic little': 638279, 'little now': 495486, 'now disabledcovid19': 574531, 'fact that disabled': 295793, 'that disabled for': 843547, 'disabled for anything': 243910, 'anything but stuck': 80700, 'but stuck inside': 147204, 'stuck inside cannot': 814611, 'inside cannot go': 439245, 'out and cannot': 625649, 'get food delivered': 347035, 'food delivered anywhere': 314091, 'delivered anywhere am': 233296, 'anywhere am starting': 81083, 'am starting to': 50428, 'starting to panic': 795032, 'to panic little': 911408, 'panic little now': 638281, 'little now disabledcovid19': 495487, 'fuck3n': 339714, 'bi': 129411, 'slob': 774068, 'r3tards': 695094, 'heartless': 388462, 'insult from': 440637, 'from customer': 335076, 'customer aimed': 222037, 'my coworkers': 547846, 'coworkers at': 214500, 'store fuck3n': 807893, 'fuck3n liar': 339715, 'liar satan': 487973, 'satan whore': 736923, 'whore bi': 990603, 'bi ch': 129414, 'ch lazy': 170392, 'lazy slob': 482753, 'slob slow': 774069, 'slow r3tards': 774385, 'r3tards hoarding': 695095, 'hoarding the': 399583, 'good stuff': 357786, 'stuff can': 815040, 'job can': 465719, 'full heartless': 340627, 'heartless retail': 388469, 'retail grocerystore': 718162, 'grocerystore coronacrisis': 366296, 'insult from customer': 440638, 'from customer aimed': 335077, 'customer aimed at': 222038, 'aimed at myself': 39573, 'at myself and': 99837, 'and my coworkers': 67360, 'my coworkers at': 547848, 'coworkers at the': 214501, 'grocery store fuck3n': 365417, 'store fuck3n liar': 807894, 'fuck3n liar satan': 339716, 'liar satan whore': 487974, 'satan whore bi': 736924, 'whore bi ch': 990604, 'bi ch lazy': 129415, 'ch lazy slob': 170393, 'lazy slob slow': 482754, 'slob slow r3tards': 774070, 'slow r3tards hoarding': 774386, 'r3tards hoarding the': 695096, 'hoarding the good': 399585, 'the good stuff': 856450, 'good stuff can': 357788, 'stuff can do': 815041, 'do our job': 249947, 'our job can': 623598, 'job can keep': 465722, 'can keep shelf': 158815, 'keep shelf full': 471924, 'shelf full heartless': 757111, 'full heartless retail': 340628, 'heartless retail grocerystore': 388470, 'retail grocerystore coronacrisis': 718163, 'week covid': 976121, 'behavior tracker': 124268, 'tracker is': 928279, 'here review': 393527, 'week report': 976808, 'report finding': 711936, 'finding here': 307485, 'the week covid': 871298, 'week covid 19': 976122, '19 consumer behavior': 5957, 'consumer behavior tracker': 196530, 'behavior tracker is': 124270, 'tracker is here': 928280, 'is here review': 448428, 'here review the': 393528, 'review the week': 720594, 'the week report': 871311, 'week report finding': 976810, 'report finding here': 711937, 'economic fall': 267094, 'the landscape': 858935, 'landscape of': 479408, 'many need': 514331, 'need basic': 554518, 'income this': 432480, 'would push': 1012137, 'push canada': 690254, 'more left': 539670, 'left leaning': 485536, 'leaning govt': 483898, 'not know the': 570303, 'know the economic': 476819, 'the economic fall': 853902, 'economic fall out': 267095, 'fall out from': 297021, 'out from low': 626196, '19 could change': 6154, 'could change the': 209014, 'change the landscape': 172300, 'the landscape of': 858937, 'landscape of canada': 479409, 'of canada where': 581090, 'canada where many': 160611, 'where many need': 985012, 'many need basic': 514332, 'need basic income': 554519, 'basic income this': 111955, 'income this would': 432481, 'this would push': 891543, 'would push canada': 1012138, 'push canada to': 690255, 'canada to more': 160588, 'to more left': 910258, 'more left leaning': 539672, 'left leaning govt': 485537, 'preventionoverpanic': 671904, 'situation preventionoverpanic': 772451, 'from consumer buying': 334956, 'consumer buying behaviour': 196701, 'buying behaviour during': 150020, 'behaviour during the': 124408, '19 situation preventionoverpanic': 10586, 'move hoping': 543659, 'hoping you': 403968, 'offer pay': 594740, 'and benefit': 58892, 'to impacted': 908159, 'impacted store': 418155, 'when closure': 983259, 'closure is': 183921, 'great move hoping': 362829, 'move hoping you': 543660, 'hoping you are': 403969, 'are the first': 90828, 'the first of': 855330, 'first of many': 308815, 'of many company': 586174, 'many company to': 513921, 'company to offer': 191234, 'to offer pay': 910842, 'offer pay and': 594741, 'pay and benefit': 644728, 'and benefit to': 58896, 'benefit to impacted': 127116, 'to impacted store': 908160, 'impacted store employee': 418156, 'store employee when': 807572, 'employee when closure': 274411, 'when closure is': 983260, 'closure is due': 183923, 'unified': 941752, 'framework': 330947, 'urge federal': 948183, 'move quickly': 543725, 'coordinate unified': 203187, 'unified clear': 941753, 'public framework': 688018, 'framework that': 330953, 'that explains': 843799, 'consumer packaged': 198316, 'good are': 356767, 'are exempt': 86312, 'exempt from': 289969, 'the gathering': 856182, 'gathering ban': 344446, 'ban and': 109172, 'and curfew': 60809, 'curfew that': 220934, 'that begin': 842968, 'in take': 428800, 'take effect': 832088, 'effect http': 269011, 'urge federal and': 948184, 'and state government': 72276, 'state government to': 795617, 'government to move': 360724, 'to move quickly': 910316, 'move quickly to': 543726, 'quickly to coordinate': 694624, 'to coordinate unified': 903501, 'coordinate unified clear': 203188, 'unified clear and': 941754, 'clear and public': 181222, 'and public framework': 69740, 'public framework that': 688019, 'framework that explains': 330954, 'that explains that': 843800, 'explains that food': 292225, 'that food beverage': 843904, 'food beverage and': 313740, 'beverage and consumer': 128985, 'and consumer packaged': 60412, 'consumer packaged good': 198317, 'packaged good are': 633487, 'good are exempt': 356771, 'are exempt from': 86314, 'exempt from the': 289973, 'from the gathering': 337720, 'the gathering ban': 856183, 'gathering ban and': 344447, 'ban and curfew': 109174, 'and curfew that': 60812, 'curfew that begin': 220936, 'that begin in': 842969, 'begin in take': 123530, 'in take effect': 428801, 'take effect http': 832089, 'rouble': 726229, 'tailspin': 831828, 'readingrussia': 700830, 'the rouble': 865999, 'rouble ha': 726230, 'gone into': 356316, 'into tailspin': 443072, 'tailspin declares': 831829, 'declares one': 231262, 'today another': 919243, 'rouble the': 726232, 'could sink': 209679, 'sink russian': 771483, 'russian family': 728638, 'family into': 297941, 'full scale': 340865, 'scale crisis': 739885, 'oil readingrussia': 597387, 'the rouble ha': 866000, 'rouble ha gone': 726231, 'ha gone into': 370725, 'gone into tailspin': 356317, 'into tailspin declares': 443073, 'tailspin declares one': 831830, 'declares one russian': 231263, 'paper today another': 640935, 'today another warns': 919244, 'another warns that': 77951, 'warns that what': 967295, 'that what happening': 847461, 'happening with the': 377443, 'with the rouble': 1001463, 'the rouble the': 866001, 'rouble the economy': 726233, 'economy could sink': 267786, 'could sink russian': 209680, 'sink russian family': 771484, 'russian family into': 728639, 'family into full': 297942, 'into full scale': 442577, 'full scale crisis': 340866, 'scale crisis oil': 739886, 'crisis oil readingrussia': 217803, 'patented': 643999, 'remdesivir': 710129, 'feline': 303141, 'fip': 308042, 'china also': 176459, 'also stole': 48913, 'stole patented': 804279, 'patented sister': 644000, 'sister drug': 771732, 'to remdesivir': 913180, 'remdesivir developed': 710130, 'developed by': 239688, 'by gilead': 152685, 'gilead science': 350127, 'science for': 742108, '100 fatal': 1895, 'fatal feline': 300227, 'feline fip': 303142, 'fip chinese': 308043, 'chinese manufacturing': 177299, 'manufacturing selling': 513658, 'selling that': 749471, 'that drug': 843638, 'drug at': 260883, 'to worldwide': 918827, 'worldwide cat': 1010331, 'cat owner': 166894, 'china also stole': 176461, 'also stole patented': 48914, 'stole patented sister': 804280, 'patented sister drug': 644001, 'sister drug to': 771733, 'drug to remdesivir': 261123, 'to remdesivir developed': 913181, 'remdesivir developed by': 710131, 'developed by gilead': 239690, 'by gilead science': 152686, 'gilead science for': 350128, 'science for treatment': 742109, 'treatment of 100': 931105, 'of 100 fatal': 579317, '100 fatal feline': 1896, 'fatal feline fip': 300228, 'feline fip chinese': 303143, 'fip chinese manufacturing': 308044, 'chinese manufacturing selling': 177300, 'manufacturing selling that': 513659, 'selling that drug': 749472, 'that drug at': 843639, 'drug at exorbitant': 260885, 'price to worldwide': 677064, 'to worldwide cat': 918828, 'worldwide cat owner': 1010332, 'or selling': 617004, 'selling entire': 749220, 'portfolio people': 665005, 'panicking via': 639390, 'via customerexperience': 955904, 'whether it getting': 985524, 'it getting into': 458229, 'getting into supermarket': 349071, 'into supermarket fight': 443042, 'supermarket fight over': 820307, 'fight over toilet': 304832, 'paper or selling': 640558, 'or selling entire': 617005, 'selling entire stock': 749221, 'entire stock portfolio': 278745, 'stock portfolio people': 802694, 'portfolio people are': 665006, 'are panicking via': 88977, 'panicking via customerexperience': 639391, 'luis': 506619, 'obispo': 578400, 'resource the': 714890, 'of san': 589260, 'san luis': 733557, 'luis obispo': 506620, 'obispo ha': 578401, 'to connect': 903204, 'connect community': 194603, '19 resource the': 10134, 'resource the city': 714892, 'city of san': 179293, 'of san luis': 589263, 'san luis obispo': 733558, 'luis obispo ha': 506621, 'obispo ha launched': 578402, 'launched new resource': 482016, 'new resource to': 559475, 'resource to connect': 714904, 'to connect community': 903207, 'connect community member': 194604, 'community member with': 189987, 'member with local': 528252, 'with local business': 999277, 'business offering online': 144130, '19 shelter at': 10449, 'location across': 498838, 'which ha more': 985891, 'ha more than': 371295, 'more than 200': 540553, 'than 200 outdoor': 840198, 'outdoor location across': 628899, 'location across the': 498840, '186': 4650, 'commerceiq': 188661, 'whyyoucantbuytp': 991633, 'from feb': 335440, 'feb 20': 301614, '20 march': 13140, '23 amazon': 15376, 'amazon sale': 51100, 'toiletpaper increased': 922124, 'increased 186': 433168, '186 from': 4654, 'year earlier': 1014535, 'earlier period': 264474, 'period according': 651705, 'to commerceiq': 903071, 'commerceiq which': 188662, 'which said': 986283, 'said before': 731003, 'it forecast': 458115, 'forecast increase': 328836, 'period whyyoucantbuytp': 651931, 'from feb 20': 335441, 'feb 20 march': 301615, '20 march 23': 13141, 'march 23 amazon': 515187, '23 amazon sale': 15377, 'amazon sale of': 51101, 'sale of toiletpaper': 732410, 'of toiletpaper increased': 592268, 'toiletpaper increased 186': 922125, 'increased 186 from': 433169, '186 from year': 4655, 'from year earlier': 338436, 'year earlier period': 1014536, 'earlier period according': 264475, 'period according to': 651706, 'according to commerceiq': 28528, 'to commerceiq which': 903072, 'commerceiq which said': 188663, 'which said before': 986284, 'said before it': 731004, 'before it forecast': 122885, 'it forecast increase': 458117, 'forecast increase for': 328837, 'increase for the': 432787, 'for the period': 326618, 'the period whyyoucantbuytp': 863569, 'agrees that': 38820, 'still aggressive': 800173, 'aggressive hand': 38247, 'washing socialdistancing': 967718, 'when out': 983829, 'public particularly': 688219, 'in populated': 426840, 'populated space': 664633, 'space where': 787191, 'where distancing': 984828, 'difficult grocery': 242234, 'etc 17': 282385, 'agrees that the': 38822, 'prevent infection is': 671658, 'infection is still': 436781, 'is still aggressive': 452262, 'still aggressive hand': 800174, 'aggressive hand washing': 38248, 'hand washing socialdistancing': 375957, 'washing socialdistancing and': 967719, 'socialdistancing and wearing': 780220, 'and wearing mask': 75361, 'wearing mask when': 974727, 'mask when out': 519538, 'when out in': 983832, 'in public particularly': 427094, 'public particularly in': 688220, 'particularly in populated': 642699, 'in populated space': 426841, 'populated space where': 664634, 'space where distancing': 787192, 'where distancing is': 984829, 'distancing is more': 247250, 'is more difficult': 449703, 'more difficult grocery': 539039, 'difficult grocery store': 242235, 'store pharmacy etc': 809538, 'pharmacy etc 17': 654298, 'paxton': 644689, 'alert ag': 41348, 'ag paxton': 36829, 'paxton reminds': 644692, 'reminds texan': 710651, 'texan to': 839726, 'of cyber': 582300, 'cyber scam': 223936, 'scam during': 740138, 'consumer alert ag': 196134, 'alert ag paxton': 41349, 'ag paxton reminds': 36830, 'paxton reminds texan': 644693, 'reminds texan to': 710652, 'texan to be': 839727, 'aware of cyber': 105631, 'of cyber scam': 582301, 'cyber scam during': 223937, 'scam during 19': 740139, 'during 19 emergency': 262403, 'these restaurant': 880589, 'bar club': 110694, 'club closing': 184425, 'notice the': 573370, 'the come': 851180, 'be insane': 115510, 'insane keep': 439044, 'up better': 944489, 'come until': 187649, 'then donate': 877133, 'donate your': 254291, 'to homeless': 907942, 'homeless food': 402747, 'people coronacrisis': 647545, 'coronacrisis uk': 204847, 'to see all': 913981, 'all these restaurant': 45050, 'these restaurant bar': 880590, 'restaurant bar club': 716330, 'bar club closing': 110695, 'club closing down': 184426, 'closing down until': 183625, 'down until further': 257413, 'further notice the': 342117, 'notice the come': 573372, 'the come back': 851181, 'come back is': 187241, 'back is going': 107119, 'to be insane': 901337, 'be insane keep': 115511, 'insane keep your': 439045, 'head up better': 385852, 'up better time': 944490, 'better time will': 128557, 'time will come': 898339, 'will come until': 992974, 'come until then': 187650, 'until then donate': 943882, 'then donate your': 877134, 'donate your stock': 254292, 'your stock that': 1025955, 'that will go': 847579, 'to waste to': 918375, 'waste to homeless': 968210, 'to homeless food': 907943, 'homeless food bank': 402748, 'bank and vulnerable': 109624, 'vulnerable people coronacrisis': 961085, 'people coronacrisis uk': 647547, 'southwest': 786919, 'why southwest': 991368, 'southwest won': 786926, 'won cancel': 1003760, 'cancel flight': 160847, 'flight into': 310500, 'into airport': 442377, 'airport where': 40136, 'been discovered': 120990, 'discovered and': 244679, 'exposed at': 292831, 'airport itself': 40107, 'itself agent': 463913, 'agent told': 38197, 'll people': 496948, 'still traveling': 801334, 'traveling they': 930655, 'won even': 1003797, 'even give': 284114, 'me consumer': 522592, 'cancel my': 160867, 'my flight': 548362, 'asked why southwest': 95911, 'why southwest won': 991370, 'southwest won cancel': 786927, 'won cancel flight': 1003761, 'cancel flight into': 160849, 'flight into airport': 310501, 'into airport where': 442378, 'airport where ha': 40137, 'where ha been': 984901, 'ha been discovered': 369783, 'been discovered and': 120991, 'discovered and exposed': 244680, 'and exposed at': 62545, 'exposed at the': 292832, 'the airport itself': 848508, 'airport itself agent': 40108, 'itself agent told': 463914, 'agent told me': 38198, 'told me we': 923630, 'me we ll': 523914, 'we ll people': 972270, 'll people are': 496949, 'are still traveling': 90492, 'still traveling they': 801335, 'traveling they won': 930656, 'they won even': 883909, 'won even give': 1003799, 'even give me': 284116, 'give me consumer': 350568, 'me consumer the': 522594, 'consumer the option': 199268, 'the option to': 862431, 'option to cancel': 614118, 'to cancel my': 902429, 'cancel my flight': 160870, 'food distributor': 314243, 'distributor paying': 248310, 'paying 20': 645369, '20 extra': 13053, 'extra to': 293677, 'our crisis': 622627, 'crisis plus': 217885, 'plus bonus': 661570, 'spanish supermarket chain': 787414, 'supermarket chain amp': 819592, 'chain amp food': 170451, 'amp food distributor': 53821, 'food distributor paying': 314246, 'distributor paying 20': 248311, 'paying 20 extra': 645371, '20 extra to': 13054, 'extra to their': 293681, 'to their worker': 917279, 'their worker through': 875220, 'worker through our': 1007986, 'through our crisis': 894614, 'our crisis plus': 622628, 'crisis plus bonus': 217886, 'apparently starting': 82000, 'necessary cyprus': 553970, 'so apparently starting': 776536, 'apparently starting tomorrow': 82001, 'starting tomorrow we': 795062, 'tomorrow we will': 924238, 'only be able': 610146, 'work if necessary': 1005278, 'if necessary cyprus': 414444, 'necessary cyprus 19': 553971, 'magnify': 508434, 'wa pretty': 962988, 'pretty dumb': 671396, 'dumb teenager': 262115, 'teenager also': 836533, 'also didn': 48103, 'have socialmedia': 382611, 'to magnify': 909543, 'magnify my': 508435, 'my stupidity': 550250, 'stupidity but': 815523, 'next level': 561426, 'level socialdistancing': 487716, 'looking back wa': 502836, 'back wa pretty': 107444, 'wa pretty dumb': 962991, 'pretty dumb teenager': 671397, 'dumb teenager also': 262116, 'teenager also didn': 836534, 'also didn have': 48104, 'didn have socialmedia': 241098, 'have socialmedia to': 382612, 'socialmedia to magnify': 781098, 'to magnify my': 909544, 'magnify my stupidity': 508436, 'my stupidity but': 550251, 'stupidity but this': 815524, 'but this right': 147557, 'this right here': 889905, 'right here is': 721932, 'here is next': 393239, 'is next level': 449892, 'next level socialdistancing': 561429, 'level socialdistancing stayhome': 487717, 'etretail': 283170, 'etretail consumer': 283171, 'consumer stock': 199143, 'on fmcg': 600832, 'fmcg bulk': 311715, 'bulk pack': 142336, 'pack due': 633035, 'etretail consumer stock': 283172, 'consumer stock up': 199147, 'up on fmcg': 945564, 'on fmcg bulk': 600833, 'fmcg bulk pack': 311716, 'bulk pack due': 142337, 'pack due to': 633036, 'now constantly': 574431, 'constantly cleaning': 195654, 'cleaning our': 180998, 'sanitizing them': 736523, 'them glove': 875781, 'also provided': 48714, 'provided for': 686604, 'we advise': 970291, 'advise shopper': 33600, 'maintain meter': 508989, 'are now constantly': 88540, 'now constantly cleaning': 574432, 'constantly cleaning our': 195655, 'cleaning our shopping': 180999, 'our shopping cart': 624759, 'cart and sanitizing': 165254, 'and sanitizing them': 70916, 'sanitizing them glove': 736524, 'them glove are': 875782, 'glove are also': 352594, 'are also provided': 84474, 'also provided for': 48716, 'provided for all': 686605, 'customer we advise': 223041, 'we advise shopper': 970292, 'advise shopper to': 33601, 'shopper to maintain': 761769, 'to maintain meter': 909581, 'maintain meter distance': 508990, 'meter distance between': 529706, 'other at all': 619858, 'all time while': 45229, 'time while shopping': 898330, 'while shopping 19': 987260, 'wsj farmer': 1013250, 'out milk': 626550, 'and breaking': 59176, 'egg coronavirus': 269834, 'coronavirus restaurant': 206667, 'demand how': 235649, 'the shutdown': 867129, 'the hospitality': 857544, 'affecting farmer': 34515, 'and chef': 59804, 'chef across': 175247, 'america the': 51696, 'the heartbreaking': 857209, 'heartbreaking reality': 388398, 'amid foodinsecurity': 52481, 'wsj farmer are': 1013251, 'farmer are throwing': 299297, 'are throwing out': 91088, 'throwing out milk': 895103, 'out milk and': 626551, 'milk and breaking': 531557, 'and breaking egg': 59177, 'breaking egg coronavirus': 138942, 'egg coronavirus restaurant': 269835, 'coronavirus restaurant closure': 206669, 'destroy demand how': 239009, 'demand how the': 235651, 'how the shutdown': 408875, 'the shutdown of': 867134, 'shutdown of the': 768074, 'of the hospitality': 591108, 'the hospitality industry': 857546, 'hospitality industry is': 404786, 'industry is affecting': 435922, 'is affecting farmer': 445388, 'affecting farmer and': 34516, 'farmer and chef': 299251, 'and chef across': 59805, 'chef across america': 175248, 'across america the': 29252, 'america the heartbreaking': 51698, 'the heartbreaking reality': 857210, 'heartbreaking reality of': 388399, 'reality of the': 701780, 'chain amid foodinsecurity': 170447, 'for retailer': 325199, 'retailer relying': 719291, 'more traffic': 540822, 'ecommerce channel': 266732, 'channel during': 172879, 'for retailer relying': 325206, 'retailer relying on': 719292, 'relying on ecommerce': 709673, 'on ecommerce is': 600501, 'than ever read': 840601, 'read about some': 700256, 'about some way': 26231, 'way to drive': 970019, 'to drive more': 904741, 'drive more traffic': 259102, 'more traffic to': 540823, 'traffic to your': 929157, 'to your ecommerce': 918974, 'your ecommerce channel': 1023618, 'ecommerce channel during': 266733, 'channel during the': 172880, 'see middle': 745417, 'class couple': 180174, 'couple stripping': 211678, 'bare confront': 110886, 'confront them': 194295, 'camera about': 157106, 'being inconsiderate': 125310, 'inconsiderate to': 432568, 'others stophoarding': 621666, 'you see middle': 1021050, 'see middle class': 745418, 'middle class couple': 530632, 'class couple stripping': 180175, 'couple stripping the': 211679, 'shelf bare confront': 756864, 'bare confront them': 110887, 'confront them on': 194296, 'them on camera': 876085, 'on camera about': 599780, 'camera about being': 157107, 'about being inconsiderate': 24867, 'being inconsiderate to': 125311, 'inconsiderate to others': 432569, 'to others stophoarding': 911141, 'others stophoarding coronacrisis': 621667, 'grumpy': 367524, 'get grumpy': 347172, 'grumpy while': 367525, 'patient wereallinthistogether': 644295, 'wereallinthistogether bekindtoeachother': 980370, 'please people do': 660283, 'not get grumpy': 569590, 'get grumpy while': 347173, 'grumpy while queuing': 367526, 'while queuing to': 987197, 'go in supermarket': 353716, 'in supermarket be': 428563, 'supermarket be patient': 819323, 'be patient wereallinthistogether': 116374, 'patient wereallinthistogether bekindtoeachother': 644296, '2keep': 16638, 'low amp': 505119, 'amp stable': 54550, 'stable so': 791955, 'poor can': 664134, 'food easily': 314330, 'easily must': 265232, 'must offer': 546795, 'lost income': 503870, 'country helping': 210747, 'with pandemic': 1000070, 'it economic': 457750, 'economic destruction': 267055, 'destruction try': 239122, 'try ur': 934680, 'ur best': 947983, 'best 2keep': 127558, '2keep curve': 16639, 'curve flat': 221855, 'important thing is': 419031, 'thing is to': 884486, 'keep the basic': 472023, 'the basic food': 849309, 'basic food price': 111892, 'food price low': 315957, 'price low amp': 675112, 'low amp stable': 505120, 'amp stable so': 54551, 'stable so poor': 791956, 'so poor can': 778042, 'poor can buy': 664136, 'can buy food': 157821, 'buy food easily': 148642, 'food easily must': 314331, 'easily must offer': 265233, 'must offer cash': 546796, 'offer cash to': 594549, 'cash to those': 166362, 'those who lost': 892653, 'who lost income': 989238, 'lost income due': 503872, '19 all country': 4895, 'all country helping': 42475, 'country helping people': 210749, 'helping people to': 391442, 'people to cope': 649890, 'cope with pandemic': 203352, 'with pandemic amp': 1000071, 'pandemic amp it': 634848, 'amp it economic': 54024, 'it economic destruction': 457751, 'economic destruction try': 267056, 'destruction try ur': 239123, 'try ur best': 934681, 'ur best 2keep': 947984, 'best 2keep curve': 127559, '2keep curve flat': 16640, 'unionized': 941958, 'unionstrong': 941963, 'time some': 897709, 'idiot say': 413582, 'be unionized': 117866, 'unionized remind': 941959, 'remind them': 710510, 'them how': 875863, 'important they': 419025, 'been during': 121054, 'crisis unionstrong': 218291, 'next time some': 561607, 'time some idiot': 897711, 'some idiot say': 783075, 'idiot say that': 413584, 'say that grocery': 739234, 'to be unionized': 901610, 'be unionized remind': 117867, 'unionized remind them': 941960, 'remind them how': 710511, 'them how important': 875865, 'how important they': 408039, 'important they have': 419026, 'have been during': 379522, 'been during this': 121055, 'this crisis unionstrong': 887103, 'this under': 890905, 'under thing': 940353, 'thing never': 884617, 'see at': 744944, 'file this under': 305379, 'this under thing': 890906, 'under thing never': 940354, 'thing never thought': 884619, 'thought see at': 893199, 'see at the': 744946, 'most food': 542333, 'be purchased': 116626, 'purchased in': 689780, 'shopper stay': 761706, 'home despite': 401073, 'fact it': 295741, 'shopping capacity': 762282, 'capacity by': 162504, 'tesco ha said': 838711, 'said that most': 731409, 'that most food': 845226, 'most food will': 542337, 'food will still': 317631, 'will still need': 994982, 'to be purchased': 901470, 'be purchased in': 116631, 'purchased in store': 689782, 'in store amid': 428382, 'pandemic the supermarket': 636706, 'supermarket giant said': 820514, 'giant said it': 349859, 'said it wasn': 731173, 'it wasn able': 462252, 'able to meet': 24505, 'meet demand more': 527472, 'demand more shopper': 235892, 'more shopper stay': 540386, 'shopper stay at': 761708, 'at home despite': 98973, 'home despite the': 401074, 'despite the fact': 238883, 'the fact it': 854826, 'fact it ha': 295742, 'it ha increased': 458397, 'increased it online': 433358, 'it online grocery': 460081, 'grocery shopping capacity': 365006, 'shopping capacity by': 762283, 'capacity by more': 162505, 'grocery site': 365126, 'site ha': 771931, 'by 116': 151529, '116 while': 2677, 'while transaction': 987473, 'transaction are': 929435, 'down 15': 256376, '15 from': 3716, 'due largely': 261664, 'largely to': 479875, 'to abandoned': 899900, 'abandoned shopping': 24214, 'cart result': 165370, 'of fully': 584003, 'fully booked': 341023, 'booked delivery': 134661, 'service ecommerce': 752320, 'online grocery site': 608332, 'grocery site ha': 365127, 'site ha increased': 771934, 'increased by 116': 433223, 'by 116 while': 151530, '116 while transaction': 2678, 'while transaction are': 987474, 'transaction are down': 929436, 'are down 15': 85964, 'down 15 from': 256378, '15 from last': 3717, 'from last week': 336194, 'week due largely': 976174, 'due largely to': 261665, 'largely to abandoned': 479876, 'to abandoned shopping': 899901, 'abandoned shopping cart': 24215, 'shopping cart result': 762313, 'cart result of': 165371, 'result of fully': 717592, 'of fully booked': 584004, 'fully booked delivery': 341024, 'booked delivery service': 134662, 'delivery service ecommerce': 234435, 'tidy': 895722, '19 good': 7246, 'night sleep': 563075, 'sleep eat': 773764, 'buy relax': 149120, 'relax good': 708812, 'hygiene wash': 412189, 'shower regularly': 767383, 'regularly keep': 707931, 'house tidy': 406620, 'tidy follow': 895725, 'far wrong': 298986, 'covid 19 good': 213154, '19 good night': 7247, 'good night sleep': 357470, 'night sleep eat': 563076, 'sleep eat healthy': 773765, 'healthy food do': 387628, 'panic buy relax': 637523, 'buy relax good': 149121, 'relax good hygiene': 708813, 'good hygiene wash': 357201, 'hygiene wash and': 412190, 'wash and shower': 967436, 'and shower regularly': 71622, 'shower regularly keep': 767384, 'regularly keep your': 707932, 'keep your house': 472271, 'your house tidy': 1024420, 'house tidy follow': 406621, 'tidy follow these': 895726, 'these step and': 880723, 'step and you': 799494, 'not go far': 569675, 'go far wrong': 353530, 'this continues': 886851, 'continues or': 201425, 'or worsens': 617845, 'worsens anticipate': 1011107, 'anticipate people': 78433, 'will max': 994106, 'max out': 520767, 'etc by': 282455, 'paying off': 645459, 'off those': 594311, 'those credit': 891902, 'effort before': 269483, 'crisis economy': 217337, 'this continues or': 886853, 'continues or worsens': 201426, 'or worsens anticipate': 617846, 'worsens anticipate people': 1011108, 'anticipate people will': 78434, 'people will max': 650398, 'will max out': 994107, 'max out their': 520768, 'card to purchase': 163685, 'to purchase food': 912528, 'purchase food and': 689449, 'and grocery etc': 63984, 'grocery etc by': 364499, 'etc by panic': 282456, 'of paying off': 587839, 'paying off those': 645460, 'off those credit': 594312, 'those credit card': 891903, 'were already making': 979307, 'already making effort': 47519, 'making effort before': 511035, 'effort before this': 269484, 'this crisis economy': 887037, 'crisis economy finance': 217339, 'digitalization': 242731, 'digitalworkplace': 242821, 'the winner': 871608, 'winner is': 996029, 'is technology': 452590, 'technology it': 836322, 'believe yet': 126423, 'company do': 190595, 'do thrive': 250376, 'thrive during': 894208, 'crisis digitalization': 217294, 'digitalization digitalworkplace': 242734, 'and the winner': 73659, 'the winner is': 871610, 'winner is technology': 996030, 'is technology it': 452591, 'technology it is': 836323, 'it is hard': 458970, 'to believe yet': 901752, 'believe yet some': 126424, 'yet some company': 1016236, 'some company do': 782568, 'company do thrive': 190597, 'do thrive during': 250377, 'thrive during the': 894209, '19 crisis digitalization': 6236, 'crisis digitalization digitalworkplace': 217295, 'jesussaves': 465327, 'repentnownations': 711561, 'godwins': 354904, 'marketcrash2020': 517430, 'todayistheday': 920601, 'am 100': 49830, '100 right': 2065, 'with god': 998632, 'god and': 354646, 'ready are': 700843, 'rule god': 727242, 'god doe': 354686, 'doe turn': 251654, 'to jesus': 908664, 'jesus immediately': 465298, 'immediately jesus': 417120, 'jesus jesussaves': 465304, 'jesussaves repentnownations': 465328, 'repentnownations godwins': 711562, 'godwins panicbuying': 354905, 'panicbuying toiletpaper': 639089, 'toiletpaper marketcrash2020': 922219, 'marketcrash2020 todayistheday': 517431, 'todayistheday quarantine': 920602, 'am 100 right': 49831, '100 right with': 2066, 'right with god': 722433, 'with god and': 998633, 'god and ready': 354647, 'and ready are': 69988, 'ready are you': 700844, 'are you do': 91780, 'not make the': 570507, 'make the rule': 510582, 'the rule god': 866045, 'rule god doe': 727243, 'god doe turn': 354687, 'doe turn to': 251655, 'turn to jesus': 935784, 'to jesus immediately': 908666, 'jesus immediately jesus': 465299, 'immediately jesus jesussaves': 417121, 'jesus jesussaves repentnownations': 465305, 'jesussaves repentnownations godwins': 465329, 'repentnownations godwins panicbuying': 711563, 'godwins panicbuying toiletpaper': 354906, 'panicbuying toiletpaper marketcrash2020': 639091, 'toiletpaper marketcrash2020 todayistheday': 922220, 'marketcrash2020 todayistheday quarantine': 517432, 'supermarket report': 822203, 'report first': 711938, 'first worker': 309190, 'death two': 230262, 'two walmart': 937308, 'walmart stocker': 965413, 'stocker in': 803510, 'chicago and': 175641, 'joes worker': 466482, 'york die': 1016604, 'die over': 241436, 'over concern': 630096, 'endangering their': 276106, 'major supermarket report': 509495, 'supermarket report first': 822204, 'report first worker': 711941, 'first worker death': 309191, 'worker death two': 1006728, 'death two walmart': 230263, 'two walmart stocker': 937310, 'walmart stocker in': 965414, 'stocker in chicago': 803511, 'in chicago and': 421365, 'chicago and trader': 175642, 'and trader joes': 74348, 'trader joes worker': 928730, 'joes worker in': 466483, 'worker in new': 1007189, 'new york die': 559925, 'york die over': 1016606, 'die over concern': 241437, 'over concern that': 630098, 'concern that customer': 193111, 'that customer are': 843417, 'customer are endangering': 222120, 'are endangering their': 86201, 'endangering their staff': 276107, 'their staff through': 874803, 'weigh': 977662, 'around corporate': 93258, 'earnings in': 264917, '19 depressed': 6497, 'depressed oil': 237598, 'activity weigh': 30530, 'weigh on': 977664, 'uncertainty around corporate': 939658, 'around corporate earnings': 93259, 'corporate earnings in': 207269, 'earnings in the': 264918, 'covid 19 depressed': 212933, '19 depressed oil': 6498, 'depressed oil price': 237599, 'economic activity weigh': 266965, 'activity weigh on': 30531, 'weigh on stock': 977666, 'got whatsapp': 359016, 'whatsapp message': 982899, 'message that': 529432, 'from 27th': 334252, '27th of': 16364, 'march there': 515490, 'there planned': 878934, 'planned day': 658445, 'day boycott': 227385, 'boycott of': 137334, 'are unfairly': 91313, 'unfairly hiking': 941457, 'and coronacrisis': 60566, 'coronacrisis think': 204820, 'have list': 381332, 'list posted': 494517, 'posted up': 666589, 'facebook it': 294949, 'just got whatsapp': 468875, 'got whatsapp message': 359017, 'whatsapp message that': 982901, 'message that from': 529433, 'that from 27th': 843958, 'from 27th of': 334253, '27th of march': 16365, 'of march there': 586213, 'march there planned': 515491, 'there planned day': 878935, 'planned day boycott': 658446, 'day boycott of': 227386, 'boycott of all': 137335, 'of all shop': 579975, 'all shop that': 44323, 'that are unfairly': 842835, 'are unfairly hiking': 91314, 'unfairly hiking price': 941458, 'during this lockdown': 263297, 'this lockdown and': 888686, 'lockdown and coronacrisis': 499136, 'and coronacrisis think': 60567, 'coronacrisis think it': 204821, 'think it great': 885333, 'it great idea': 458336, 'great idea we': 362736, 'idea we already': 413224, 'already have list': 47425, 'have list posted': 381334, 'list posted up': 494518, 'posted up on': 666590, 'up on facebook': 945558, 'on facebook it': 600709, 'facebook it time': 294950, 'to fight back': 905780, 'bushel': 143145, 'struggle and': 814331, 'test new': 839100, 'new low': 559068, 'low uncertainty': 505708, 'uncertainty caused': 939674, 'continues soybean': 201443, 'price tested': 676773, 'week while': 977237, 'while corn': 986714, 'fell below': 303173, 'below 50': 126580, '50 per': 19803, 'per bushel': 650724, 'commodity market continue': 189218, 'continue to struggle': 201267, 'to struggle and': 915687, 'struggle and test': 814333, 'and test new': 73133, 'test new low': 839101, 'new low uncertainty': 559072, 'low uncertainty caused': 505709, 'uncertainty caused by': 939675, 'pandemic continues soybean': 635213, 'continues soybean price': 201444, 'soybean price tested': 786992, 'price tested the': 676774, 'tested the mark': 839375, 'mark of the': 515810, 'of the middle': 591240, 'middle of last': 530680, 'of last week': 585723, 'last week while': 480694, 'week while corn': 977238, 'while corn price': 986715, 'corn price fell': 203586, 'price fell below': 673846, 'fell below 50': 303175, 'below 50 per': 126581, '50 per bushel': 19805, 'apnea': 81493, 'converted': 202548, 'pulmonologists': 688961, 'simple modification': 770060, 'modification consumer': 535495, 'consumer device': 197191, 'device used': 239944, 'treat sleep': 930882, 'sleep apnea': 773751, 'apnea could': 81494, 'be converted': 114236, 'converted into': 202549, 'into life': 442698, 'saving ventilator': 737983, 'patient with': 644309, '19 according': 4789, 'to coalition': 902929, 'of engineer': 583117, 'engineer emergency': 276962, 'emergency room': 272935, 'room doctor': 725905, 'doctor amp': 250806, 'amp critical': 53593, 'care pulmonologists': 164181, 'with simple modification': 1000741, 'simple modification consumer': 770061, 'modification consumer device': 535496, 'consumer device used': 197194, 'device used to': 239945, 'used to treat': 950100, 'to treat sleep': 917757, 'treat sleep apnea': 930883, 'sleep apnea could': 773752, 'apnea could be': 81495, 'could be converted': 208851, 'be converted into': 114237, 'converted into life': 202551, 'into life saving': 442699, 'life saving ventilator': 489021, 'saving ventilator for': 737984, 'ventilator for patient': 954558, 'for patient with': 324422, 'patient with covid': 644310, 'covid 19 according': 212574, '19 according to': 4790, 'according to coalition': 28527, 'to coalition of': 902930, 'coalition of engineer': 185083, 'of engineer emergency': 583118, 'engineer emergency room': 276963, 'emergency room doctor': 272937, 'room doctor amp': 725906, 'doctor amp critical': 250807, 'amp critical care': 53594, 'critical care pulmonologists': 218527, 'worker our': 1007519, 'our officer': 624122, 'officer our': 595691, 'our pharmacist': 624333, 'worker take': 1007872, 'service thanks': 752911, 'and special': 72063, 'special thanks': 788069, 'our journalist': 623607, 'journalist for': 467433, 'keeping informed': 472451, 'informed 19': 438075, 'healthcare worker our': 387371, 'worker our officer': 1007522, 'our officer our': 624123, 'officer our pharmacist': 595692, 'our pharmacist grocery': 624334, 'store worker take': 811593, 'worker take out': 1007873, 'out food service': 626088, 'food service thanks': 316433, 'service thanks to': 752913, 'to all who': 900303, 'all who are': 45459, 'who are providing': 988200, 'are providing for': 89319, 'providing for and': 686999, 'for and keeping': 319327, 'and keeping safe': 65798, 'safe and special': 729484, 'and special thanks': 72069, 'special thanks to': 788071, 'to our journalist': 911197, 'our journalist for': 623608, 'journalist for keeping': 467434, 'for keeping informed': 322814, 'keeping informed 19': 472452, 'competent': 191609, 'add recommendation': 31477, 'recommendation and': 704731, 'only those': 611337, 'those competent': 891884, 'competent and': 191610, 'and truly': 74479, 'truly informed': 933324, 'informed to': 438133, 'we deserve': 971275, 'deserve better': 238035, 'better also': 128188, 'also ban': 47902, 'ban all': 109167, 'all photo': 43954, 'to add recommendation': 900065, 'add recommendation and': 31478, 'recommendation and allow': 704732, 'and allow only': 57915, 'allow only those': 46020, 'only those competent': 611338, 'those competent and': 891885, 'competent and truly': 191611, 'and truly informed': 74483, 'truly informed to': 933325, 'informed to address': 438134, 'address the people': 32044, 'people of we': 648931, 'of we deserve': 592963, 'we deserve better': 971276, 'deserve better also': 238036, 'better also ban': 128189, 'also ban all': 47903, 'ban all photo': 109171, 'all photo of': 43955, 'supt': 827453, 'today settlement': 920162, 'settlement provide': 753720, 'provide measure': 686389, 'monetary restitution': 536547, 'restitution especially': 716851, 'important during': 418787, 'are reminder': 89574, 'york life': 1016629, 'life insurer': 488791, 'insurer must': 440888, 'must comply': 546597, 'with dfs': 998015, 'dfs regulation': 240059, 'consumer best': 196627, 'interest supt': 441412, 'today settlement provide': 920163, 'settlement provide measure': 753722, 'provide measure of': 686390, 'measure of monetary': 525270, 'of monetary restitution': 586599, 'monetary restitution especially': 536548, 'restitution especially important': 716852, 'especially important during': 280517, 'important during the': 418788, 'pandemic and are': 634860, 'and are reminder': 58351, 'are reminder that': 89575, 'reminder that all': 710586, 'that all new': 842556, 'all new york': 43629, 'new york life': 559936, 'york life insurer': 1016630, 'life insurer must': 488793, 'insurer must comply': 440889, 'must comply with': 546598, 'comply with dfs': 192532, 'with dfs regulation': 998016, 'dfs regulation and': 240060, 'regulation and act': 708049, 'and act in': 57622, 'the consumer best': 851501, 'consumer best interest': 196628, 'best interest supt': 127739, 'eased': 265119, 'price eased': 673643, 'eased to': 265125, 'to percent': 911654, 'percent year': 651193, 'due mainly': 261666, 'mainly to': 508895, 'freeze put': 332552, 'government under': 360755, 'nationwide state': 552758, 'of calamity': 581037, 'calamity amid': 155281, 'rise in consumer': 722876, 'consumer price eased': 198418, 'price eased to': 673645, 'eased to percent': 265127, 'to percent year': 911656, 'percent year on': 651194, 'march due mainly': 515349, 'due mainly to': 261667, 'mainly to the': 508899, 'to the price': 916980, 'the price freeze': 864352, 'price freeze put': 674104, 'freeze put in': 332553, 'place by the': 657374, 'the government under': 856617, 'government under the': 360756, 'under the nationwide': 940321, 'the nationwide state': 861312, 'nationwide state of': 552759, 'state of calamity': 795798, 'of calamity amid': 581038, 'calamity amid the': 155282, 'and the decline': 73318, 'the global price': 856318, 'global price of': 352141, 'stayathome toiletpaper': 797682, 'toiletpaper saturdaymorning': 922439, 'saturdaymorning this': 737098, 'this kid': 888565, 'kid hurt': 474007, 'hurt my': 411597, 'my feeling': 548296, 'quarantine stayathome toiletpaper': 692564, 'stayathome toiletpaper saturdaymorning': 797687, 'toiletpaper saturdaymorning this': 922440, 'saturdaymorning this kid': 737099, 'this kid hurt': 888566, 'kid hurt my': 474008, 'hurt my feeling': 411598, 'aftershock': 36735, 'technologynews': 836400, 'listed mining': 494627, 'spiral commodity': 789420, 'industry have': 435872, 'been tumbling': 122275, 'tumbling the': 935353, 'industry considers': 435741, 'the devastating': 853217, 'devastating aftershock': 239575, 'aftershock of': 36736, 'this black': 886566, 'swan event': 829958, 'event africa': 284938, 'africa technologynews': 35141, 'technologynews mining': 836401, 'mining economy': 533274, 'of listed mining': 585885, 'listed mining company': 494628, 'mining company are': 533270, 'company are in': 190429, 'downward spiral commodity': 257837, 'spiral commodity price': 789421, 'commodity price across': 189255, 'across the industry': 29501, 'the industry have': 858174, 'industry have been': 435873, 'have been tumbling': 379727, 'been tumbling the': 122276, 'tumbling the industry': 935354, 'the industry considers': 858167, 'industry considers the': 435742, 'considers the devastating': 195456, 'the devastating aftershock': 853218, 'devastating aftershock of': 239576, 'aftershock of this': 36737, 'of this black': 591944, 'this black swan': 886568, 'black swan event': 132136, 'swan event africa': 829959, 'event africa technologynews': 284939, 'africa technologynews mining': 35142, 'technologynews mining economy': 836402, 'niki': 563237, 'megalomaniac': 527828, 'our director': 622759, 'director niki': 243643, 'niki is': 563238, 'taking look': 833426, 'next victim': 561653, 'and megalomaniac': 66937, 'megalomaniac oilpricewar': 527829, 'our director niki': 622761, 'director niki is': 243644, 'niki is taking': 563239, 'is taking look': 452552, 'taking look at': 833427, 'look at global': 502263, 'at global oil': 98770, 'the next victim': 861709, 'next victim of': 561654, 'victim of and': 956492, 'of and megalomaniac': 580168, 'and megalomaniac oilpricewar': 66938, 'megalomaniac oilpricewar oilprice': 527830, 'all should': 44335, 'employee face': 273834, 'sanitizer have': 735054, 'all should be': 44336, 'should be providing': 765700, 'be providing your': 116607, 'providing your employee': 687149, 'your employee face': 1023657, 'employee face mask': 273835, 'hand sanitizer have': 375435, 'sanitizer have stepped': 735057, 'have stepped up': 382754, 'stepped up and': 799783, 'and so should': 71852, 'price housingmarket': 674583, 'could stop the': 209729, 'stop the rise': 805149, 'rise in property': 722901, 'property price housingmarket': 684329, 'everyones': 287652, 'got lot': 358679, 'serious gas': 751392, 'went down': 978983, 'incredible amount': 433813, 'amount everyones': 53176, 'everyones been': 287653, 'been filling': 121144, 'low meanwhile': 505407, 'meanwhile just': 525000, 'just waiting': 470197, 'my move': 549354, '19 got lot': 7251, 'got lot more': 358680, 'lot more serious': 504116, 'more serious gas': 540356, 'serious gas price': 751393, 'price went down': 677434, 'went down an': 978984, 'down an incredible': 256486, 'an incredible amount': 56255, 'incredible amount everyones': 433814, 'amount everyones been': 53177, 'everyones been filling': 287654, 'been filling up': 121145, 'up their car': 946233, 'their car for': 872723, 'car for the': 163089, 'for the low': 326542, 'the low meanwhile': 859778, 'low meanwhile just': 505408, 'meanwhile just waiting': 525001, 'just waiting to': 470200, 'waiting to make': 964407, 'make my move': 510224, 'lady and': 478733, 'and gentleman': 63532, 'gentleman regional': 345845, 'regional victoria': 707529, 'victoria asking': 956533, 'asking my': 96027, 'who often': 989365, 'often text': 596283, 'text without': 839959, 'without her': 1002718, 'her glass': 392072, 'glass on': 351629, 'her day': 391988, 'russian it': 728652, 'all made': 43427, 'made up': 508049, 'not apply': 568234, 'all while': 45448, 'while wearing': 987560, 'lady and gentleman': 478734, 'and gentleman regional': 63533, 'gentleman regional victoria': 345846, 'regional victoria asking': 707530, 'victoria asking my': 956534, 'asking my mum': 96028, 'mum who often': 545978, 'who often text': 989367, 'often text without': 596284, 'text without her': 839960, 'without her glass': 1002719, 'her glass on': 392073, 'glass on about': 351630, 'on about her': 599137, 'about her day': 25373, 'her day at': 391989, 'day at work': 227341, 'at work in': 101604, 'in large supermarket': 424591, 'large supermarket it': 479809, 'supermarket it the': 821182, 'it the russian': 461573, 'the russian it': 866101, 'russian it all': 728653, 'it all made': 456359, 'all made up': 43428, 'made up purchase': 508053, 'up purchase limit': 945868, 'purchase limit do': 689530, 'limit do not': 492331, 'do not apply': 249668, 'not apply to': 568236, 'apply to me': 82617, 'to me all': 909914, 'me all while': 522372, 'all while wearing': 45453, 'while wearing mask': 987561, 'starvation during': 795165, 'during week': 263400, 'lockdown bc': 499186, 'bc we': 113307, 'from starvation during': 337408, 'starvation during week': 795166, 'during week lockdown': 263402, 'week lockdown bc': 976492, 'lockdown bc we': 499187, 'bc we have': 113311, 'no food thanks': 564276, 'food thanks to': 317084, 'the retweet': 865752, 'retweet share': 720076, 'awareness wear': 105746, 'public always': 687838, 'face carry': 294350, 'sanitizer wash': 736028, 'avoid seeing': 105266, 'seeing other': 746397, 'news stats': 560816, 'stats follow': 796616, 'for part': 324397, 'during the retweet': 263181, 'the retweet share': 865753, 'retweet share to': 720077, 'share to spread': 755309, 'to spread awareness': 915053, 'spread awareness wear': 790444, 'awareness wear glove': 105747, 'wear glove in': 974339, 'in public always': 427069, 'public always do': 687839, 'always do not': 49532, 'your face carry': 1023744, 'face carry hand': 294351, 'hand sanitizer wash': 375648, 'sanitizer wash hand': 736029, 'wash hand avoid': 967478, 'hand avoid seeing': 374810, 'avoid seeing other': 105267, 'seeing other people': 746398, 'other people if': 620672, 'people if sick': 648319, 'if sick stay': 414811, 'home stay updated': 402124, 'updated on news': 947408, 'on news stats': 602392, 'news stats follow': 560817, 'stats follow for': 796617, 'follow for part': 312385, 'christucker': 178226, '2c': 16568, 'aint': 39671, 'urselves': 948488, 'freedom2out': 332399, 'food2eat': 317731, 'place2call': 657864, 'tell dem': 836941, 'dem christucker': 234861, 'christucker it': 178227, 'it plain': 460333, 'plain 2c': 658002, '2c some': 16569, 'of yall': 593339, 'yall house': 1014082, 'house aint': 406163, 'aint no': 39673, 'like prison': 491032, 'prison but': 678707, 'but space': 147126, 'work sort': 1005755, 'out urselves': 627760, 'urselves take': 948489, 'take time': 832725, 'be ur': 117905, 'ur kid': 948025, 'kid family': 473945, 'family be': 297649, 'be glad': 115040, 'have freedom2out': 380716, 'freedom2out buy': 332400, 'buy ur': 149418, 'ur supermarket': 948074, 'have food2eat': 380674, 'food2eat place2call': 317732, 'place2call ur': 657865, 'ur home': 948015, 'tell dem christucker': 836942, 'dem christucker it': 234862, 'christucker it plain': 178228, 'it plain 2c': 460334, 'plain 2c some': 658003, '2c some of': 16570, 'some of yall': 783419, 'of yall house': 593341, 'yall house aint': 1014083, 'house aint no': 406164, 'aint no home': 39674, 'no home if': 564439, 'it wa it': 462134, 'wa it should': 962435, 'it should not': 461037, 'should not feel': 766244, 'not feel like': 569384, 'feel like prison': 302739, 'like prison but': 491033, 'prison but space': 678708, 'but space to': 147127, 'space to work': 787183, 'to work sort': 918783, 'work sort out': 1005756, 'sort out urselves': 786150, 'out urselves take': 627761, 'urselves take time': 948490, 'take time to': 832727, 'time to actually': 897940, 'to actually be': 900028, 'actually be ur': 30737, 'be ur kid': 117906, 'ur kid family': 948026, 'kid family be': 473946, 'family be glad': 297651, 'be glad have': 115041, 'glad have freedom2out': 351496, 'have freedom2out buy': 380717, 'freedom2out buy ur': 332401, 'buy ur supermarket': 149419, 'ur supermarket have': 948075, 'supermarket have food2eat': 820686, 'have food2eat place2call': 380675, 'food2eat place2call ur': 317733, 'place2call ur home': 657866, 'christopher': 178214, 'christopher peel': 178217, 'peel give': 646254, 'give his': 350523, 'his view': 397898, 'epidemic the': 279449, 'effect they': 269132, 'christopher peel give': 178218, 'peel give his': 646255, 'give his view': 350526, 'his view on': 397900, 'view on the': 957139, '19 epidemic the': 6812, 'epidemic the collapse': 279452, 'the effect they': 854071, 'effect they have': 269133, 'have had on': 380870, 'had on the': 373364, 'consumer impacted': 197808, 'for consumer impacted': 320265, 'consumer impacted by': 197809, 'adequately': 32191, 'want market': 965848, 'artificially inflate': 94550, 'it suit': 461344, 'suit pricing': 817780, 'pricing thing': 677985, 'thing adequately': 884106, 'adequately provides': 32201, 'provides valuable': 686910, 'society whole': 781361, 'whole here': 990233, 'here con': 392883, 'con in': 192798, 'recent crash': 703850, 'crash helped': 214982, 'helped trigger': 391116, 'trigger the': 931897, 'alert convinced': 41387, 'convinced many': 202661, 'wa serious': 963168, 'don want market': 254041, 'want market to': 965849, 'market to artificially': 517228, 'to artificially inflate': 900737, 'artificially inflate price': 94551, 'inflate price just': 436991, 'price just because': 674971, 'just because it': 468284, 'because it suit': 119205, 'it suit pricing': 461345, 'suit pricing thing': 817781, 'pricing thing adequately': 677986, 'thing adequately provides': 884107, 'adequately provides valuable': 32202, 'provides valuable information': 686911, 'valuable information to': 952030, 'information to society': 438017, 'to society whole': 914854, 'society whole here': 781362, 'whole here con': 990234, 'here con in': 392884, 'con in fact': 192799, 'in fact the': 422764, 'fact the recent': 295821, 'the recent crash': 865302, 'recent crash helped': 703851, 'crash helped trigger': 214984, 'helped trigger the': 391117, 'trigger the alert': 931898, 'the alert convinced': 848567, 'alert convinced many': 41388, 'convinced many that': 202662, 'many that wa': 514790, 'that wa serious': 847309, 'free membership': 331974, 'membership any': 528271, 'any healthcare': 79310, 'who dm': 988613, 'dm photo': 248917, 'their badge': 872545, 'badge or': 108126, 'other id': 620383, 'id will': 412961, 'membership thank': 528288, 'and sacrifice': 70693, 'sacrifice 19': 729080, 'free membership any': 331975, 'membership any healthcare': 528273, 'any healthcare worker': 79311, 'healthcare worker emergency': 387357, 'worker emergency room': 1006842, 'emergency room worker': 272939, 'room worker grocery': 725995, 'store worker or': 811551, 'worker or service': 1007511, 'or service worker': 617028, 'service worker who': 753115, 'worker who dm': 1008205, 'who dm photo': 988614, 'dm photo of': 248918, 'photo of their': 655216, 'of their badge': 591642, 'their badge or': 872546, 'badge or other': 108127, 'or other id': 616436, 'other id will': 620385, 'id will receive': 412962, 'receive free membership': 703480, 'free membership thank': 331976, 'membership thank you': 528289, 'work and sacrifice': 1004800, 'and sacrifice 19': 70694, 'grocery panic': 364830, 'panic stop': 638634, 'order limit': 618368, 'limit mean': 492378, 'mean another': 524364, 'in lot': 424935, 'more empty': 539128, 'up arrest': 944409, 'the 2020 covid': 848019, '19 grocery panic': 7288, 'grocery panic stop': 364831, 'panic stop hoarding': 638635, 'hoarding food order': 399310, 'food order limit': 315681, 'order limit mean': 618369, 'limit mean another': 492379, 'mean another week': 524365, 'another week of': 77973, 'week of this': 976645, 'of this fucking': 591977, 'this fucking panic': 887645, 'buying will result': 151369, 'result in lot': 717536, 'in lot more': 424936, 'lot more empty': 504106, 'more empty shelf': 539129, 'empty shelf we': 275105, 'shelf we cannot': 757749, 'we cannot keep': 971069, 'keep up arrest': 472169, 'mddc': 522305, '1199': 2704, 'brandon': 138149, 'mddc 1199': 522306, '1199 member': 2705, 'member took': 528223, 'took action': 925200, 'demand yesterday': 236531, 'yesterday answered': 1015674, 'answered our': 78183, 'call thank': 156119, 'you brandon': 1017520, 'brandon scott': 138152, 'scott for': 742447, 'getting badly': 348861, 'badly needed': 108162, 'our frontline': 623197, 'frontline caregiver': 338715, 'caregiver fighting': 164498, 'people centered': 647451, 'centered leadership': 169339, 'leadership look': 483628, 'mddc 1199 member': 522307, '1199 member took': 2706, 'member took action': 528224, 'took action to': 925201, 'action to demand': 30167, 'to demand yesterday': 904165, 'demand yesterday answered': 236532, 'yesterday answered our': 1015675, 'answered our call': 78184, 'our call thank': 622306, 'call thank you': 156120, 'thank you brandon': 841696, 'you brandon scott': 1017521, 'brandon scott for': 138153, 'scott for getting': 742448, 'for getting badly': 321865, 'getting badly needed': 348862, 'badly needed hand': 108163, 'to our frontline': 911183, 'our frontline caregiver': 623198, 'frontline caregiver fighting': 338716, 'caregiver fighting this': 164499, 'fighting this is': 305141, 'is what people': 453888, 'what people centered': 982008, 'people centered leadership': 647452, 'centered leadership look': 169340, 'leadership look like': 483629, 'montr': 538225, 'like most': 490795, 'canada we': 160603, 'in montr': 425428, 'montr al': 538226, 'al temporarily': 40604, 'temporarily for': 837496, 'we like most': 972194, 'like most of': 490798, 'have been thinking': 379717, 'been thinking of': 122181, 'thinking of way': 885976, 'of way to': 592955, 'part to reduce': 642470, 'reduce the transmission': 705980, '19 in canada': 7735, 'in canada we': 421205, 'canada we are': 160604, 'store and head': 806257, 'and head office': 64338, 'head office in': 385786, 'office in montr': 595450, 'in montr al': 425429, 'montr al temporarily': 538227, 'al temporarily for': 40605, 'temporarily for week': 837499, 'for week there': 327754, 'china listed': 176800, 'listed consumer': 494615, 'company don': 190606, 'enough cash': 277346, 'survive another': 829124, 'another six': 77858, 'month china': 537641, 'china chinesevirus': 176568, 'chinesevirus economy': 177432, 'via bloomberg': 955816, 'almost half of': 46663, 'half of china': 374221, 'of china listed': 581364, 'china listed consumer': 176801, 'listed consumer company': 494616, 'consumer company don': 196833, 'company don have': 190607, 'have enough cash': 380444, 'enough cash to': 277347, 'cash to survive': 166361, 'to survive another': 916018, 'survive another six': 829125, 'another six month': 77859, 'six month china': 772667, 'month china chinesevirus': 537642, 'china chinesevirus economy': 176569, 'chinesevirus economy via': 177433, 'economy via bloomberg': 268319, 'coloradoan': 186822, 'takecare': 832921, 'or walking': 617713, 'walking pet': 965088, 'pet even': 653376, 'emergency alert': 272587, 'alert in': 41452, 'colorado have': 186799, 'have coloradoan': 380021, 'coloradoan feel': 186823, 'state get': 795601, 'get locked': 347496, 'down besafe': 256562, 'besafe takecare': 127450, 'takecare colorado': 832922, 'store or walking': 809379, 'or walking pet': 617715, 'walking pet even': 965089, 'pet even the': 653377, 'even the emergency': 284653, 'the emergency alert': 854220, 'emergency alert in': 272590, 'alert in colorado': 41453, 'in colorado have': 421567, 'colorado have coloradoan': 186800, 'have coloradoan feel': 380022, 'coloradoan feel when': 186824, 'when the state': 984199, 'the state get': 867776, 'state get locked': 795602, 'get locked down': 347497, 'locked down besafe': 500471, 'down besafe takecare': 256563, 'besafe takecare colorado': 127451, 'supply expert': 825232, 'price could hit': 673285, 'to supply expert': 915880, 'supply expert say': 825233, 'emergencyfood': 273074, 'stock item': 802326, 'for back': 319561, 'or emergency': 615153, 'be posting': 116482, 'posting some': 666687, 'item today': 463772, 'keep checking': 471388, 'checking if': 174826, 'out or': 626948, 'or show': 617073, 'you emergencyfood': 1018400, 'looking for in': 502873, 'for in stock': 322514, 'in stock item': 428311, 'stock item to': 802327, 'up your pantry': 946746, 'your pantry for': 1025190, 'pantry for back': 639585, 'for back up': 319563, 'back up or': 107429, 'up or emergency': 945680, 'or emergency food': 615154, 'emergency food will': 272718, 'will be posting': 992614, 'be posting some': 116485, 'posting some item': 666689, 'some item today': 783155, 'item today keep': 463773, 'today keep checking': 919768, 'keep checking if': 471391, 'checking if they': 174827, 'if they sell': 415128, 'sell out or': 748840, 'out or show': 626958, 'or show out': 617074, 'show out of': 767088, 'stock for you': 802180, 'for you emergencyfood': 328053, 'assassin': 96306, 'citrus': 179019, 'behealthy': 124579, 'texasbeardsman': 839855, 'dropping soon': 260727, 'soon germ': 785719, 'germ assassin': 346094, 'assassin citrus': 96307, 'citrus blast': 179020, 'blast hand': 132414, 'spray besafe': 790269, 'besafe behealthy': 127432, 'behealthy texasbeardsman': 124580, 'texasbeardsman texas': 839856, 'dropping soon germ': 260728, 'soon germ assassin': 785720, 'germ assassin citrus': 346095, 'assassin citrus blast': 96308, 'citrus blast hand': 179021, 'blast hand sanitizer': 132415, 'sanitizer spray besafe': 735780, 'spray besafe behealthy': 790270, 'besafe behealthy texasbeardsman': 127433, 'behealthy texasbeardsman texas': 124581, 'securely': 744489, 'creditcards': 216561, 'online securely': 608949, 'securely during': 744490, '19 shoppingday': 10493, 'shoppingday security': 764506, 'security payment': 744704, 'payment technology': 645749, 'technology shoppingonline': 836362, 'shoppingonline creditcards': 764519, 'creditcards mobilepayments': 216562, 'mobilepayments technology': 535061, 'technology payment': 836346, 'shopping online securely': 763478, 'online securely during': 608950, 'securely during covid': 744491, 'covid 19 shoppingday': 213790, '19 shoppingday security': 10494, 'shoppingday security payment': 764507, 'security payment technology': 744705, 'payment technology shoppingonline': 645750, 'technology shoppingonline creditcards': 836363, 'shoppingonline creditcards mobilepayments': 764520, 'creditcards mobilepayments technology': 216563, 'mobilepayments technology payment': 535062, 'ucriverside': 937896, 'epidemiologist': 279481, 'ucriverside epidemiologist': 937897, 'epidemiologist brandon': 279482, 'brandon brown': 138150, 'brown answer': 141226, 'answer common': 78027, 'common question': 189441, 'the during': 853786, 'during critical': 262575, 'critical week': 218719, 'in attempt': 420568, 'contain it': 200478, 'ucriverside epidemiologist brandon': 937898, 'epidemiologist brandon brown': 279483, 'brandon brown answer': 138151, 'brown answer common': 141227, 'answer common question': 78028, 'common question about': 189442, 'about the during': 26381, 'the during critical': 853788, 'during critical week': 262576, 'critical week in': 218720, 'week in attempt': 976364, 'in attempt to': 420569, 'attempt to contain': 102239, 'to contain it': 903365, 'contain it spread': 200480, 'freemarket': 332479, 'more goddamn': 539349, 'goddamn picture': 354857, 'of venezuelan': 592777, 'supermarket showing': 822688, 'showing me': 767480, 'socialism stayathome': 780981, 'stayathome quaratinelife': 797589, 'quaratinelife socialism': 693146, 'socialism capitalism': 780954, 'capitalism freemarket': 162754, 'better not see': 128380, 'not see one': 571480, 'one more goddamn': 606688, 'more goddamn picture': 539350, 'goddamn picture of': 354858, 'picture of venezuelan': 656175, 'of venezuelan supermarket': 592778, 'venezuelan supermarket showing': 954465, 'supermarket showing me': 822689, 'showing me the': 767481, 'me the danger': 523644, 'danger of socialism': 225684, 'of socialism stayathome': 589860, 'socialism stayathome quaratinelife': 780982, 'stayathome quaratinelife socialism': 797592, 'quaratinelife socialism capitalism': 693147, 'socialism capitalism freemarket': 780955, 'of cheap': 581298, 'stay oh': 797139, 'oh goody': 596397, 'goody goody': 358116, 'goody soon': 358120, 'soon covid': 785685, 'is re': 451243, 're opened': 699209, 'opened we': 612777, 'can re': 159376, 'start killing': 794358, 'killing earth': 474671, 'and ourselves': 68529, 'ourselves with': 625507, 'with pollution': 1000252, 'pollution and': 663895, 'era of cheap': 280069, 'of cheap oil': 581299, 'cheap oil is': 174160, 'oil is here': 596907, 'is here to': 448431, 'to stay oh': 915303, 'stay oh goody': 797140, 'oh goody goody': 596398, 'goody goody soon': 358117, 'goody soon covid': 358121, 'soon covid 19': 785686, '19 lockdown is': 8397, 'lockdown is re': 499553, 'is re opened': 451245, 're opened we': 699211, 'opened we can': 612779, 'we can re': 970996, 'can re start': 159377, 're start killing': 699575, 'start killing earth': 794359, 'killing earth and': 474672, 'earth and ourselves': 264969, 'and ourselves with': 68531, 'ourselves with pollution': 625510, 'with pollution and': 1000253, 'rearranging': 702843, 'customer rearranging': 222743, 'rearranging shelf': 702844, 'and moving': 67302, 'moving stock': 544184, 'please no': 660241, 'no we': 565874, 'move it': 543682, 'considerate if': 195214, 'we pick': 972705, 'their germ': 873402, 'germ who': 346181, 'isolate covid': 454842, 'yet we still': 1016319, 'we still see': 973409, 'still see customer': 801150, 'see customer rearranging': 745026, 'customer rearranging shelf': 222744, 'rearranging shelf and': 702845, 'shelf and moving': 756745, 'and moving stock': 67304, 'moving stock around': 544185, 'supermarket please no': 822019, 'please no we': 660242, 'no we have': 565876, 'have to move': 383251, 'to move it': 910311, 'move it back': 543683, 'it back please': 456672, 'back please be': 107228, 'be considerate if': 114195, 'considerate if we': 195215, 'if we pick': 415299, 'we pick up': 972706, 'pick up their': 655766, 'up their germ': 946239, 'their germ who': 873405, 'germ who will': 346182, 'who will stock': 990000, 'will stock the': 994991, 'stock the shelf': 802939, 'shelf when we': 757789, 'when we isolate': 984451, 'we isolate covid': 972088, 'isolate covid 19': 454843, 'help can': 389474, 'help can stop': 389477, 'can stop online': 159821, 'opportunistic': 613561, 'socioeconomic': 781384, 'being are': 124855, 'are opportunistic': 88823, 'opportunistic and': 613562, 'and despicable': 61264, 'despicable no': 238636, 'matter their': 520634, 'their socioeconomic': 874748, 'socioeconomic position': 781389, 'position when': 665204, 'human being are': 410437, 'being are opportunistic': 124857, 'are opportunistic and': 88824, 'opportunistic and despicable': 613563, 'and despicable no': 61265, 'despicable no matter': 238637, 'no matter their': 564732, 'matter their socioeconomic': 520635, 'their socioeconomic position': 874749, 'socioeconomic position when': 781390, 'position when price': 665205, 'when price are': 983902, 'myanmar': 550681, 'to 1st': 899564, '1st report': 12786, 'case myanmar': 165868, 'myanmar people': 550682, 'mask many': 518946, 'place have': 657481, 'have sold': 382613, 'out price': 627067, 'now piece': 575540, 'some 40': 782244, '40 cent': 18546, 'cent usd': 169133, 'usd before': 948905, 'same price': 733239, 'you 10': 1016741, 'piece some': 656364, 'some buying': 782463, 'online pic': 608751, 'due to 1st': 261693, 'to 1st report': 899565, '1st report of': 12787, 'report of case': 712107, 'of case myanmar': 581171, 'case myanmar people': 165869, 'myanmar people now': 550683, 'people now buying': 648888, 'now buying up': 574312, 'buying up mask': 151293, 'up mask many': 945368, 'mask many place': 518947, 'many place have': 514563, 'place have sold': 657485, 'have sold out': 382614, 'sold out price': 781746, 'out price skyrocketing': 627068, 'price skyrocketing now': 676455, 'skyrocketing now piece': 773439, 'now piece of': 575541, 'piece of surgical': 656347, 'surgical mask is': 828360, 'mask is some': 518870, 'is some 40': 452084, 'some 40 cent': 782245, '40 cent usd': 18547, 'cent usd before': 169134, 'usd before that': 948906, 'before that same': 123136, 'that same price': 846108, 'same price can': 733242, 'price can get': 673060, 'get you 10': 348670, 'you 10 piece': 1016742, '10 piece some': 1634, 'piece some buying': 656365, 'some buying online': 782464, 'buying online pic': 150821, 'nbsupdates': 553274, 'good lord': 357349, 'lord thanks': 503318, 'giving trump': 351440, 'must watch': 546991, 'watch trump': 968593, 'trump ain': 933390, 'ain playing': 39644, 'playing with': 659471, 'chinese china': 177212, 'china uklockdown': 177029, 'uklockdown schoolclosureuk': 939007, 'schoolclosureuk nbsupdates': 742020, 'nbsupdates uganda': 553276, 'good lord thanks': 357350, 'lord thanks for': 503319, 'thanks for giving': 842060, 'for giving trump': 321893, 'giving trump must': 351441, 'trump must watch': 933717, 'must watch trump': 546994, 'watch trump ain': 968594, 'trump ain playing': 933391, 'ain playing with': 39645, 'playing with the': 659473, 'with the chinese': 1001233, 'the chinese china': 850845, 'chinese china uklockdown': 177213, 'china uklockdown schoolclosureuk': 177030, 'uklockdown schoolclosureuk nbsupdates': 939008, 'schoolclosureuk nbsupdates uganda': 742021, 'fraudsters prey': 331429, 'about protecting': 26017, 'fraudsters prey on': 331430, 'public fear over': 687993, 'over the pandemic': 630749, 'pandemic learn about': 635874, 'learn about protecting': 483939, 'about protecting yourself': 26019, 'protecting yourself from': 685262, 'yourself from financial': 1026612, 'from financial and': 335470, 'financial and scam': 306324, 'and scam during': 71028, 'scam during this': 740144, 'imnext': 417496, 'currently feel': 221531, 'feel that': 302872, 'getting to': 349391, 'supermarket seems': 822366, 'big win': 130110, 'win imnext': 995555, 'imnext keepyourdistance': 417497, 'currently feel that': 221533, 'feel that getting': 302873, 'that getting to': 844006, 'getting to the': 349399, 'of the queue': 591384, 'queue to go': 694096, 'the supermarket seems': 868787, 'supermarket seems like': 822367, 'seems like big': 746808, 'like big win': 489912, 'big win imnext': 130111, 'win imnext keepyourdistance': 995556, 'absorbed': 27475, 'pee': 646239, 'my body': 547488, 'body ha': 133854, 'ha absorbed': 369429, 'absorbed so': 27480, 'much soap': 545310, 'when pee': 983851, 'pee it': 646240, 'clean the': 180646, 'toilet washyourhands': 921656, 'washyourhands handsanitizer': 967875, 'handsanitizer stayhometexas': 376651, 'my body ha': 547489, 'body ha absorbed': 133855, 'ha absorbed so': 369430, 'absorbed so much': 27481, 'so much soap': 777811, 'much soap and': 545311, 'and sanitizer that': 70887, 'sanitizer that when': 735864, 'that when pee': 847490, 'when pee it': 983852, 'pee it clean': 646241, 'it clean the': 457154, 'clean the toilet': 180655, 'the toilet washyourhands': 869717, 'toilet washyourhands handsanitizer': 921657, 'washyourhands handsanitizer stayhometexas': 967876, 'philipkotler': 654717, 'worldeconomy': 1010229, 'via philipkotler': 956165, 'philipkotler marketing': 654718, 'marketing consumerism': 517563, 'consumerism worldeconomy': 199715, 'age of coronavirus': 37863, 'of coronavirus via': 581974, 'coronavirus via philipkotler': 207017, 'via philipkotler marketing': 956166, 'philipkotler marketing consumerism': 654719, 'marketing consumerism worldeconomy': 517564, 'more american': 538600, 'american turning': 52276, 'turning directly': 935919, 'to farm': 905672, 'ha more american': 371288, 'more american turning': 538603, 'american turning directly': 52277, 'turning directly to': 935920, 'directly to farm': 243589, 'to farm for': 905673, 'farm for food': 299117, 'prevententive': 671791, 'inhumane': 438484, 'strike april': 813729, 'of prevententive': 588382, 'prevententive measure': 671792, 'shortage inhumane': 765029, 'inhumane living': 438491, 'quality quality': 691839, 'quality abuse': 691758, 'abuse amp': 27612, 'demand msleg': 235904, 'finalize amp': 305912, 'amp enact': 53724, 'mississippi prisoner are': 534407, 'prisoner are going': 678753, 'are going on': 86894, 'going on official': 355330, 'official food amp': 595810, 'amp water strike': 54813, 'water strike april': 969177, 'strike april 2020': 813730, 'protest the covid': 685929, 'lack of prevententive': 478646, 'of prevententive measure': 588383, 'prevententive measure taken': 671793, 'staff shortage inhumane': 792855, 'shortage inhumane living': 765030, 'inhumane living condition': 438492, 'food quality quality': 316097, 'quality quality abuse': 691840, 'quality abuse amp': 691759, 'abuse amp demand': 27613, 'amp demand msleg': 53630, 'demand msleg finalize': 235905, 'msleg finalize amp': 544544, 'finalize amp enact': 305913, 'amp enact sb': 53725, 'longs': 502134, 'still don': 800451, 'how longs': 408221, 'longs it': 502135, 'and restock': 70400, 'still don understand': 800456, 'understand why there': 940823, 'why there no': 991443, 'there no hand': 878813, 'sanitizer on the': 735462, 'shelf how longs': 757169, 'how longs it': 408222, 'longs it take': 502136, 'take to ramp': 832740, 'ramp up production': 696446, 'up production and': 945852, 'production and restock': 681931, 'and restock the': 70402, 'litigation': 495134, 'ballard': 109083, 'spahr': 787259, 'regulatory and': 708164, 'and litigation': 66235, 'litigation risk': 495135, 'financial service': 306579, 'provider highlighted': 686734, 'highlighted in': 395990, 'in ballard': 420676, 'ballard spahr': 109084, 'spahr webinar': 787262, 'crisis fallout': 217366, 'fallout by': 297374, 'regulatory and litigation': 708166, 'and litigation risk': 66236, 'litigation risk to': 495137, 'risk to consumer': 723952, 'to consumer financial': 903299, 'consumer financial service': 197491, 'financial service provider': 306587, 'service provider highlighted': 752728, 'provider highlighted in': 686735, 'highlighted in ballard': 395991, 'in ballard spahr': 420677, 'ballard spahr webinar': 109086, 'spahr webinar on': 787263, 'webinar on covid': 975070, '19 crisis fallout': 6245, 'crisis fallout by': 217367, 'synthesize': 831017, 'internalize': 441737, 'adoration': 32749, 'haggling': 373887, 'trump doesn': 933525, 'to synthesize': 916111, 'synthesize internalize': 831018, 'internalize information': 441738, 'not immediately': 570061, 'immediately serve': 417144, 'serve his': 751897, 'his greatest': 397477, 'greatest need': 363288, 'need praise': 555459, 'praise fealty': 668841, 'fealty adoration': 300993, 'adoration trump': 32750, 'is haggling': 448251, 'haggling over': 373888, 'over ventilator': 630880, 'ventilator price': 954593, 'while patient': 987146, 'patient die': 644162, 'die via': 241476, 'trump doesn have': 933526, 'capacity to listen': 162590, 'listen to synthesize': 494752, 'to synthesize internalize': 916112, 'synthesize internalize information': 831019, 'internalize information that': 441739, 'information that doe': 437995, 'doe not immediately': 251501, 'not immediately serve': 570062, 'immediately serve his': 417145, 'serve his greatest': 751899, 'his greatest need': 397478, 'greatest need praise': 363289, 'need praise fealty': 555460, 'praise fealty adoration': 668842, 'fealty adoration trump': 300994, 'adoration trump is': 32751, 'trump is haggling': 933646, 'is haggling over': 448252, 'haggling over ventilator': 373889, 'over ventilator price': 630881, 'ventilator price while': 954595, 'price while patient': 677525, 'while patient die': 987147, 'patient die via': 644163, 'restrictive': 717422, 'hogue': 399850, 'low risk': 505581, 'of toronto': 592321, 'toronto home': 925947, 'impact say': 417952, 'say rbc': 739085, 'rbc while': 698073, 'while market': 987041, 'taking hit': 833387, 'from restrictive': 337098, 'restrictive measure': 717423, 'measure implemented': 525222, 'spread rbc': 790764, 'rbc senior': 698068, 'senior economist': 750285, 'economist robert': 267576, 'robert hogue': 724709, 'hogue say': 399851, 'say toronto': 739404, 'from significant': 337290, 'low risk of': 505582, 'risk of toronto': 723786, 'of toronto home': 592323, 'toronto home price': 925948, 'home price collapsing': 401896, 'price collapsing from': 673179, 'collapsing from 19': 186138, 'from 19 impact': 334210, '19 impact say': 7710, 'impact say rbc': 417953, 'say rbc while': 739086, 'rbc while market': 698074, 'while market activity': 987042, 'activity is taking': 30456, 'is taking hit': 452546, 'taking hit from': 833388, 'hit from restrictive': 398237, 'from restrictive measure': 337099, 'restrictive measure implemented': 717424, 'measure implemented to': 525224, 'implemented to fight': 418493, 'the virus spread': 870894, 'virus spread rbc': 958791, 'spread rbc senior': 790765, 'rbc senior economist': 698069, 'senior economist robert': 750289, 'economist robert hogue': 267577, 'robert hogue say': 724710, 'hogue say toronto': 399852, 'say toronto home': 739405, 'home price are': 401893, 'price are safe': 672730, 'are safe from': 89789, 'safe from significant': 729700, 'from significant decline': 337291, 'casper': 166742, 'cspr': 220057, 'casper provides': 166745, 'provides covid': 686840, 'update york': 947332, 'york business': 1016585, 'business wire': 144691, 'wire casper': 996548, 'casper sleep': 166748, 'sleep inc': 773776, 'inc casper': 431276, 'casper or': 166743, 'company nyse': 190917, 'nyse cspr': 578131, 'cspr today': 220058, 'today provided': 920081, 'provided today': 686656, 'provided an': 686566, 'it north': 459849, 'american retail': 52165, 'casper provides covid': 166747, 'provides covid 19': 686841, '19 business update': 5485, 'business update york': 144593, 'update york business': 947333, 'york business wire': 1016586, 'business wire casper': 144692, 'wire casper sleep': 996549, 'casper sleep inc': 166749, 'sleep inc casper': 773777, 'inc casper or': 431277, 'casper or the': 166744, 'the company nyse': 851340, 'company nyse cspr': 190918, 'nyse cspr today': 578132, 'cspr today provided': 220059, 'today provided today': 920083, 'provided today provided': 686657, 'today provided an': 920082, 'provided an update': 686567, 'update on it': 947120, 'on it north': 601676, 'it north american': 459851, 'north american retail': 567615, 'american retail store': 52166, 'retail store operation': 718675, 'store operation in': 809293, 'operation in response': 613210, 'to the continued': 916585, 'huddling': 409906, 'price bottom': 672944, 'bottom out': 136427, 'out trump': 627731, 'is huddling': 448610, 'huddling with': 409907, 'with big': 997398, 'oil price bottom': 597064, 'price bottom out': 672945, 'bottom out trump': 136429, 'out trump is': 627732, 'trump is huddling': 933648, 'is huddling with': 448611, 'huddling with big': 409908, 'with big oil': 997400, 'big oil executive': 129887, 'multitude': 545848, 'rooted': 726024, 'cushion': 221911, 'facing multitude': 295538, 'multitude of': 545851, 'challenge rooted': 171548, 'rooted in': 726025, '19 fall': 6929, 'also doing': 48119, 'to cushion': 903840, 'cushion the': 221914, 'impact open': 417905, 'open economic': 612205, 'economic opportunity': 267177, 'opportunity stay': 613677, 'stay focused': 796866, 'on govt': 601165, 'govt handle': 361147, 'handle pay': 376249, 'pay le': 644976, 'le attention': 482854, 'world is facing': 1009695, 'is facing multitude': 447698, 'facing multitude of': 295539, 'multitude of economic': 545853, 'of economic challenge': 582950, 'economic challenge rooted': 267002, 'challenge rooted in': 171549, 'rooted in covid': 726026, 'covid 19 fall': 213070, '19 fall in': 6930, 'fall in global': 296952, 'price is also': 674856, 'is also doing': 445554, 'also doing lot': 48120, 'doing lot to': 252522, 'lot to cushion': 504390, 'to cushion the': 903842, 'cushion the impact': 221918, 'the impact open': 857944, 'impact open economic': 417906, 'open economic opportunity': 612206, 'economic opportunity stay': 267178, 'opportunity stay focused': 613678, 'stay focused on': 796869, 'focused on govt': 311955, 'on govt handle': 601166, 'govt handle pay': 361148, 'handle pay le': 376250, 'pay le attention': 644978, 'usecof': 949850, 'inflationary': 437264, 'crisis medium': 217717, 'medium cause': 527035, 'panic medium': 638305, 'show picture': 767093, 'shelf medium': 757320, 'medium rack': 527242, 'rack up': 695357, 'up usecof': 946511, 'usecof inflationary': 949851, 'inflationary language': 437265, 'language medium': 479498, 'medium blame': 527019, 'blame people': 132284, 'buying sent': 151001, '19 crisis medium': 6282, 'crisis medium cause': 217718, 'medium cause panic': 527036, 'cause panic medium': 167695, 'panic medium show': 638307, 'medium show picture': 527276, 'show picture of': 767094, 'empty shelf medium': 275078, 'shelf medium rack': 757321, 'medium rack up': 527243, 'rack up usecof': 695359, 'up usecof inflationary': 946512, 'usecof inflationary language': 949852, 'inflationary language medium': 437266, 'language medium blame': 479499, 'medium blame people': 527020, 'blame people for': 132285, 'people for panic': 647956, 'panic buying sent': 637877, 'buying sent via': 151002, 'by cape': 152062, 'cape on': 162616, 'the volatility': 870949, 'in perception': 426609, 'and stage': 72209, 'stage how': 793187, 'trend are': 931276, 'are evolving': 86296, 'evolving during': 288561, 'piece by cape': 656280, 'by cape on': 152063, 'cape on the': 162617, 'on the volatility': 604436, 'the volatility in': 870950, 'volatility in perception': 960080, 'in perception of': 426610, 'perception of the': 651239, 'of the by': 590840, 'the by country': 850240, 'by country and': 152245, 'country and stage': 210446, 'and stage how': 72210, 'stage how consumer': 793188, 'consumer trend are': 199366, 'trend are evolving': 931278, 'are evolving during': 86297, 'evolving during the': 288562, 'attribute': 102735, 'cutoff': 223688, 'news it': 560565, 'to attribute': 900830, 'attribute emission': 102738, 'emission drop': 273203, 'order agency': 618005, 'agency say': 38069, 'pandemic other': 636121, 'other unprecedented': 621160, 'unprecedented event': 943137, 'event drive': 284973, 'drive energy': 259049, 'lower california': 505805, 'california suspends': 155584, 'suspends utility': 829681, 'utility cutoff': 951281, 'cutoff take': 223691, 'take other': 832433, 'other covid': 620039, 'related action': 708374, 'energy news it': 276514, 'news it too': 560566, 'early to attribute': 264723, 'to attribute emission': 900831, 'attribute emission drop': 102739, 'emission drop to': 273204, 'drop to stay': 260431, 'home order agency': 401761, 'order agency say': 618006, 'agency say covid': 38070, '19 pandemic other': 9418, 'pandemic other unprecedented': 636123, 'other unprecedented event': 621161, 'unprecedented event drive': 943138, 'event drive energy': 284974, 'drive energy price': 259050, 'energy price lower': 276543, 'price lower california': 675125, 'lower california suspends': 505806, 'california suspends utility': 155585, 'suspends utility cutoff': 829682, 'utility cutoff take': 951282, 'cutoff take other': 223692, 'take other covid': 832434, 'other covid 19': 620040, '19 related action': 10041, 'online update': 609653, 'coronavirus online update': 206353, 'online update consumer': 609654, 'update consumer report': 946913, 'vest ecological': 955685, 'vest ecological collapse': 955686, 'royalmail': 726645, 'thismorning': 891660, 'this promoting': 889742, 'promoting online': 683850, 'for unnecessary': 327452, 'unnecessary stuff': 942940, 'stuff surely': 815190, 'surely that': 827935, 'on delivery': 600263, 'service such': 752874, 'the royalmail': 866018, 'royalmail there': 726646, 'be many': 115910, 'staff self': 792838, 'isolating this': 455154, 'will just': 993877, 'just add': 468147, 'their problem': 874453, 'problem thismorning': 679721, 'all this promoting': 45127, 'this promoting online': 889743, 'promoting online shopping': 683851, 'shopping for unnecessary': 762727, 'for unnecessary stuff': 327453, 'unnecessary stuff surely': 942942, 'stuff surely that': 815191, 'surely that not': 827937, 'that not fair': 845387, 'fair on delivery': 296353, 'on delivery service': 600269, 'delivery service such': 234465, 'service such the': 752876, 'such the royalmail': 816806, 'the royalmail there': 866019, 'royalmail there must': 726647, 'must be many': 546524, 'be many of': 115912, 'many of their': 514391, 'their staff self': 874796, 'staff self isolating': 792839, 'self isolating this': 747741, 'isolating this will': 455155, 'this will just': 891422, 'will just add': 993878, 'just add to': 468149, 'add to their': 31524, 'to their problem': 917262, 'their problem thismorning': 874454, 'dear valued': 229909, 'customer if': 222479, 'out essential': 626019, 'employee ll': 274019, 'idea ottawa': 413149, 'ottawa pandemic2020': 621909, 'dear valued customer': 229910, 'valued customer if': 952258, 'customer if you': 222481, 'you are trying': 1017271, 'trying to think': 934891, 'think of way': 885465, 'help out essential': 390250, 'out essential front': 626020, 'front line grocery': 338577, 'line grocery store': 493143, 'store employee ll': 807506, 'employee ll give': 274020, 'you an idea': 1016968, 'an idea ottawa': 56131, 'idea ottawa pandemic2020': 413150, 'whole quarantine': 990311, 'over is': 630335, 'employee like': 274015, 'like myself': 490830, 'myself is': 550887, 'be considered': 114200, 'considered super': 195331, 'hero quarantinediaries': 394077, 'quarantinediaries grocerystore': 692899, 'grocerystore superheroes': 366329, 'so after this': 776471, 'after this whole': 36420, 'this whole quarantine': 891383, 'whole quarantine is': 990312, 'is over is': 450704, 'over is grocery': 630336, 'store employee like': 807505, 'employee like myself': 274018, 'like myself is': 490831, 'myself is going': 550889, 'to be considered': 901178, 'be considered super': 114203, 'considered super hero': 195332, 'super hero quarantinediaries': 818518, 'hero quarantinediaries grocerystore': 394078, 'quarantinediaries grocerystore superheroes': 692900, 'pilers': 656555, 'stock pilers': 802646, 'pilers around': 656558, 'world toiletpaper': 1010098, 'for the stock': 326706, 'the stock pilers': 867920, 'stock pilers around': 802648, 'pilers around the': 656559, 'the world toiletpaper': 871994, 'world toiletpaper 19': 1010099, 'toiletpaper 19 quarantine': 921676, 'ln': 497183, 'ytd': 1027056, 'retain': 719604, 'hsd': 409720, 'eps': 279575, 'imb': 416873, 'bat ln': 112547, 'ln investor': 497184, 'investor day': 444150, 'yet no': 1016162, 'no material': 564725, 'material impact': 520385, 'impact limited': 417731, 'limited impact': 492651, 'on cigarette': 599923, 'cigarette duty': 178480, 'duty free': 263573, 'free not': 332003, 'not material': 570539, 'material volume': 520434, 'volume decline': 960127, 'decline only': 231387, 'only ytd': 611514, 'ytd planned': 1027057, 'planned 2020': 658436, '2020 pricing': 14529, 'pricing 60': 677914, '60 done': 20943, 'done retain': 254988, 'retain 2020': 719605, '2020 forecast': 14313, 'forecast hsd': 328832, 'hsd eps': 409721, 'eps growth': 279576, 'growth good': 367383, 'for mo': 323470, 'mo pm': 534860, 'pm imb': 661914, 'bat ln investor': 112548, 'ln investor day': 497185, 'investor day covid': 444151, '19 yet no': 12256, 'yet no material': 1016164, 'no material impact': 564726, 'material impact limited': 520386, 'impact limited impact': 417732, 'limited impact to': 492653, 'impact to date': 418031, 'date on consumer': 226700, 'on consumer demand': 600041, 'consumer demand on': 197152, 'demand on cigarette': 235964, 'on cigarette duty': 599924, 'cigarette duty free': 178481, 'duty free not': 263574, 'free not material': 332004, 'not material volume': 570540, 'material volume decline': 520435, 'volume decline only': 960128, 'decline only ytd': 231388, 'only ytd planned': 611515, 'ytd planned 2020': 1027058, 'planned 2020 pricing': 658437, '2020 pricing 60': 14530, 'pricing 60 done': 677915, '60 done retain': 20944, 'done retain 2020': 254989, 'retain 2020 forecast': 719606, '2020 forecast hsd': 14314, 'forecast hsd eps': 328833, 'hsd eps growth': 409722, 'eps growth good': 279577, 'growth good for': 367384, 'good for mo': 357082, 'for mo pm': 323471, 'mo pm imb': 534861, 'recession texas': 704371, 'texas and': 839737, 'and ohio': 68019, 'are red': 89521, 'red state': 705616, 'everything to': 288056, 'trump tariff': 933886, 'are already in': 84415, 'already in recession': 47474, 'in recession texas': 427328, 'recession texas and': 704372, 'texas and ohio': 839738, 'and ohio are': 68020, 'ohio are red': 596521, 'are red state': 89522, 'red state this': 705617, 'state this ha': 796002, 'this ha nothing': 887812, 'do with everything': 250549, 'with everything to': 998307, 'everything to do': 288057, 'do with oil': 250561, 'price and trump': 672570, 'and trump tariff': 74492, 'march is': 515397, 'is biggest': 446177, 'ever month': 285419, 'sale lockdownuk': 732343, 'lockdownuk wednesdaywisdom': 500441, 'wednesdaywisdom wednesdaythoughts': 975747, 'march is biggest': 515398, 'is biggest ever': 446178, 'biggest ever month': 130227, 'ever month for': 285420, 'month for uk': 537732, 'for uk supermarket': 327409, 'uk supermarket sale': 938774, 'supermarket sale lockdownuk': 822307, 'sale lockdownuk wednesdaywisdom': 732344, 'lockdownuk wednesdaywisdom wednesdaythoughts': 500442, 'imco': 416879, 'tacke': 831552, 'highlight imco': 395927, 'imco call': 416880, 'further action': 341991, 'to tacke': 916120, 'tacke the': 831553, 'crisis committee': 217227, 'committee on': 189083, 'internal market': 441731, 'protection agenparl': 685303, 'agenparl iorestoacasa': 38141, 'highlight imco call': 395928, 'imco call for': 416881, 'call for further': 155868, 'for further action': 321820, 'further action to': 341992, 'action to be': 30164, 'to be taken': 901578, 'be taken to': 117506, 'taken to tacke': 833107, 'to tacke the': 916121, 'tacke the covid': 831554, '19 crisis committee': 6229, 'crisis committee on': 217228, 'committee on the': 189086, 'on the internal': 604186, 'the internal market': 858359, 'internal market and': 441732, 'consumer protection agenparl': 198501, 'protection agenparl iorestoacasa': 685304, 'gripped': 364053, 'buying gripped': 150407, 'gripped britain': 364054, 'supermarket have started': 820707, 'have started to': 382732, 'started to ration': 794880, 'to ration food': 912762, 'ration food after': 697676, 'food after panic': 313043, 'panic buying gripped': 637750, 'buying gripped britain': 150408, 'pimprichinchwad': 656766, 'undue': 941056, 'burdene': 142764, 'sir please': 771623, 'including vegetable': 432243, 'pune pimprichinchwad': 689199, 'pimprichinchwad area': 656767, 'area vendor': 92250, 'vendor retailer': 954399, 'looting taking': 503269, 'taking undue': 833644, 'undue advantage': 941057, 'of situation': 589751, 'already burdene': 47241, 'sir please control': 771625, 'please control price': 659852, 'essential commodity including': 280922, 'commodity including vegetable': 189199, 'including vegetable and': 432244, 'vegetable and milk': 953927, 'and milk in': 67015, 'milk in pune': 531701, 'in pune pimprichinchwad': 427119, 'pune pimprichinchwad area': 689200, 'pimprichinchwad area vendor': 656768, 'area vendor retailer': 92251, 'vendor retailer are': 954400, 'retailer are looting': 719008, 'are looting taking': 87891, 'looting taking undue': 503270, 'taking undue advantage': 833645, 'undue advantage of': 941058, 'advantage of situation': 33032, 'of situation people': 589753, 'situation people are': 772439, 'people are already': 646923, 'are already burdene': 84401, 'mash': 518243, 'appeal we': 82085, 'have almost': 379181, 'almost run': 46732, 'following instant': 312767, 'instant mash': 440101, 'mash tinned': 518244, 'tinned potato': 898629, 'potato tinned': 666991, 'tinned meat': 898625, 'meat can': 525508, 'help thank': 390635, 'urgent appeal we': 948324, 'appeal we have': 82086, 'we have almost': 971752, 'have almost run': 379182, 'almost run out': 46733, 'the following instant': 855512, 'following instant mash': 312768, 'instant mash tinned': 440102, 'mash tinned potato': 518245, 'tinned potato tinned': 898630, 'potato tinned meat': 666992, 'tinned meat can': 898626, 'meat can you': 525509, 'you help thank': 1019202, 'help thank you': 390636, 'trump had': 933596, 'had another': 372848, 'another conversation': 77545, 'conversation reportedly': 202485, 'reportedly it': 712581, 'wa long': 962583, 'one discussing': 606190, 'discussing and': 244981, 'price usual': 677284, 'usual we': 951058, 'we find': 971559, 'putin and trump': 691009, 'and trump had': 74489, 'trump had another': 933597, 'had another conversation': 372849, 'another conversation reportedly': 77546, 'conversation reportedly it': 202486, 'reportedly it wa': 712582, 'it wa long': 462143, 'wa long one': 962584, 'long one discussing': 501540, 'one discussing and': 606191, 'discussing and oil': 244982, 'oil price usual': 597307, 'price usual we': 677286, 'usual we find': 951060, 'we find out': 971563, 'find out from': 307138, 'out from the': 626197, 'from the russian': 337865, 'puertorico': 688820, 'mandated': 513011, 'in puertorico': 427113, 'puertorico right': 688827, 'now apparently': 574076, 'apparently many': 81964, 'many aren': 513791, 'aren yet': 92598, 'yet open': 1016179, 'ha mandated': 371230, 'mandated full': 513019, 'full closure': 340529, 'closure beginning': 183858, 'beginning on': 123655, 'thursday night': 895402, 'night until': 563116, 'monday morning': 536331, 'morning next': 541370, 'week easter': 976181, 'easter stayathome': 265499, 'stayhome outbreak': 798065, 'supermarket line in': 821325, 'line in puertorico': 493201, 'in puertorico right': 427114, 'puertorico right now': 688828, 'right now apparently': 722025, 'now apparently many': 574077, 'apparently many aren': 81965, 'many aren yet': 513793, 'aren yet open': 92599, 'yet open and': 1016180, 'open and the': 612083, 'and the governor': 73400, 'the governor ha': 856641, 'governor ha mandated': 360907, 'ha mandated full': 371231, 'mandated full closure': 513020, 'full closure beginning': 340530, 'closure beginning on': 183859, 'beginning on thursday': 123656, 'on thursday night': 604674, 'thursday night until': 895404, 'night until monday': 563117, 'until monday morning': 943783, 'monday morning next': 536335, 'morning next week': 541371, 'next week easter': 561678, 'week easter stayathome': 976182, 'easter stayathome stayhome': 265500, 'stayathome stayhome outbreak': 797640, 'vistalworks': 959615, 'the vistalworks': 870929, 'vistalworks consumer': 959616, 'protection tool': 685656, 'tool ha': 925417, 'include variety': 431659, 'called miracle': 156378, 'miracle cure': 533918, 'for give': 321887, 'you install': 1019356, 'install tool': 440008, 'tool here': 925421, 'the vistalworks consumer': 870930, 'vistalworks consumer protection': 959617, 'consumer protection tool': 198571, 'protection tool ha': 685657, 'tool ha been': 925418, 'to include variety': 908257, 'include variety of': 431660, 'variety of so': 952570, 'of so called': 589806, 'so called miracle': 776687, 'called miracle cure': 156379, 'miracle cure for': 533919, 'cure for give': 220740, 'for give it': 321888, 'give it go': 350546, 'it go and': 458255, 'go and make': 353283, 'sure you install': 827862, 'you install tool': 1019357, 'install tool here': 440009, 'signlanguage': 769656, 'bsl': 141445, 'learn british': 483953, 'british signlanguage': 140593, 'signlanguage due': 769657, 'the some': 867471, 'some website': 784194, 'website have': 975292, 'dropped their': 260637, 'out discount': 625958, 'on bsl': 599713, 'bsl sign': 141446, 'sign sign': 769210, 'sign world': 769265, 'school of': 741881, 'of sign': 589721, 'always wanted to': 49785, 'wanted to learn': 966259, 'to learn british': 909128, 'learn british signlanguage': 483954, 'british signlanguage due': 140594, 'signlanguage due to': 769658, 'to the some': 917079, 'the some website': 867472, 'some website have': 784195, 'website have dropped': 975293, 'have dropped their': 380388, 'dropped their price': 260638, 'their price check': 874385, 'check out discount': 174546, 'out discount on': 625959, 'discount on bsl': 244508, 'on bsl sign': 599714, 'bsl sign sign': 141447, 'sign sign world': 769211, 'sign world and': 769266, 'world and school': 1009285, 'and school of': 71077, 'school of sign': 741884, 'of sign for': 589722, 'sign for child': 769120, 'nxt': 577823, 'maize price': 509203, 'crash covid': 214962, 'take toll': 832748, 'toll agree': 923829, 'agree if': 38609, 'can contain': 157972, 'contain spreading': 200489, 'spreading th': 791048, 'th virus': 840061, 'for nxt': 324001, 'nxt few': 577824, 'few wks': 304183, 'wks price': 1003256, 'will rebound': 994583, 'rebound to': 703328, 'safeguard our': 730211, 'farmer need': 299466, 'the hr': 857680, 'hr is': 409634, 'is goi': 448083, 'goi pvt': 354966, 'pvt partnership': 691356, 'maize price crash': 509204, 'price crash covid': 673319, 'crash covid 19': 214963, '19 take toll': 11029, 'take toll agree': 832749, 'toll agree if': 923830, 'agree if we': 38610, 'we can contain': 970923, 'can contain spreading': 157974, 'contain spreading th': 200490, 'spreading th virus': 791049, 'th virus for': 840062, 'virus for nxt': 958202, 'for nxt few': 324002, 'nxt few wks': 577825, 'few wks price': 304185, 'wks price will': 1003257, 'price will rebound': 677582, 'will rebound to': 994587, 'rebound to safeguard': 703329, 'to safeguard our': 913705, 'safeguard our farmer': 730212, 'our farmer need': 623024, 'farmer need of': 299468, 'need of the': 555345, 'of the hr': 591115, 'the hr is': 857681, 'hr is goi': 409636, 'is goi pvt': 448084, 'goi pvt partnership': 354967, 'not coronacrisis': 568888, 'can we just': 160179, 'we just not': 972115, 'just not coronacrisis': 469328, 'marico': 515691, 'gupta': 368812, 'opines': 613435, 'eas': 265056, 'richa': 721276, 'arora': 93083, 'marico gupta': 515694, 'gupta opines': 368813, 'opines that': 613438, 'the fmcg': 855473, 'fmcg sector': 311745, 'to decent': 903995, 'decent growth': 230778, 'situation eas': 772248, 'eas this': 265060, 'on building': 599719, 'building stronger': 142141, 'stronger more': 814180, 'more efficient': 539115, 'efficient supply': 269432, 'say richa': 739104, 'richa arora': 721277, 'arora of': 93084, 'of tata': 590603, 'product stayhome': 681644, 'marico gupta opines': 515695, 'gupta opines that': 368814, 'opines that the': 613439, 'that the fmcg': 846731, 'the fmcg sector': 855475, 'fmcg sector will': 311746, 'sector will get': 744405, 'will get back': 993496, 'back to decent': 107361, 'to decent growth': 903997, 'decent growth in': 230779, 'growth in month': 367402, 'in month once': 425421, 'month once the': 537929, 'once the situation': 605733, 'the situation eas': 867253, 'situation eas this': 772249, 'eas this is': 265061, 'industry to work': 436176, 'work on building': 1005529, 'on building stronger': 599721, 'building stronger more': 142142, 'stronger more efficient': 814181, 'more efficient supply': 539116, 'efficient supply chain': 269433, 'chain say richa': 171087, 'say richa arora': 739105, 'richa arora of': 721278, 'arora of tata': 93085, 'of tata consumer': 590604, 'tata consumer product': 834839, 'consumer product stayhome': 198481, 'accommodate the': 28435, 'and pregnant': 69354, 'woman medical': 1003556, 'salute you': 732870, 'store opening early': 809276, 'opening early to': 612825, 'early to accommodate': 264721, 'to accommodate the': 899972, 'accommodate the elderly': 28437, 'elderly and pregnant': 270586, 'and pregnant woman': 69355, 'pregnant woman medical': 669846, 'woman medical team': 1003557, 'medical team grocery': 526476, 'responder and anyone': 715408, 'and anyone working': 58231, 'anyone working to': 80658, 'keep the spread': 472072, 'you we salute': 1022205, 'we salute you': 973124, 'digital human': 242581, 'human covid': 410475, 'home conference': 400915, 'conference call': 193725, 'call meeting': 155994, 'meeting tele': 527762, 'tele ordering': 836665, 'ordering for': 618972, 'delivery online': 234259, 'shopping live': 763198, 'digital human covid': 242582, 'human covid 19': 410476, '19 work from': 12169, 'from home conference': 335849, 'home conference call': 400916, 'conference call meeting': 193727, 'call meeting tele': 155995, 'meeting tele ordering': 527763, 'tele ordering for': 836666, 'ordering for take': 618973, 'for take home': 326126, 'take home or': 832206, 'home or delivery': 401739, 'or delivery online': 614941, 'delivery online shopping': 234261, 'online shopping live': 609175, 'could at': 208826, 'least lower': 484536, 'afford these': 34780, 'these super': 880772, 'super high': 818520, 'great if you': 362744, 'you could at': 1018075, 'could at least': 208827, 'at least lower': 99515, 'least lower the': 484537, '19 most people': 8692, 'are now out': 88580, 'of work and': 593239, 'cannot afford these': 161616, 'afford these super': 34782, 'these super high': 880773, 'super high price': 818521, 'price of tp': 675596, 'tp and other': 927744, 'is shit': 451863, 'paper hoarding is': 640282, 'hoarding is shit': 399396, 'governor announcement': 360866, 'announcement for': 77146, 'for ca': 319870, 'ca last': 154890, 'night ha': 563007, 'like californialockdown': 489950, 'californialockdown shelterinplace': 155635, 'wondering about going': 1004149, 'store after the': 806084, 'after the governor': 36319, 'the governor announcement': 856636, 'governor announcement for': 360867, 'announcement for ca': 77147, 'for ca last': 319871, 'ca last night': 154891, 'last night ha': 480377, 'night ha me': 563008, 'ha me like': 371251, 'me like californialockdown': 523079, 'like californialockdown shelterinplace': 489951, 'supermarket initiative': 821043, 'reduce spread': 705932, 'time hate': 896888, 'hate supermarket': 378910, 'another supermarket initiative': 77886, 'supermarket initiative to': 821044, 'initiative to reduce': 438661, 'to reduce spread': 913039, 'reduce spread should': 705936, 'spread should do': 790791, 'do this all': 250337, 'the time hate': 869592, 'time hate supermarket': 896889, 'hate supermarket isle': 378911, 'paper tissue': 640911, 'tissue sanitizer': 899207, 'all australia': 42087, 'australia due': 103268, 'our gov': 623264, 'gov is': 359605, 'allowing student': 46338, 'work more': 1005474, 'more hour': 539450, 'shelf cruise': 756973, 'essential item like': 281211, 'toilet paper tissue': 921493, 'paper tissue sanitizer': 640914, 'tissue sanitizer and': 899208, 'sanitizer and all': 734380, 'and all food': 57863, 'all food all': 42805, 'food all australia': 313083, 'all australia due': 42088, 'australia due to': 103269, '19 our gov': 9050, 'our gov is': 623265, 'gov is allowing': 359606, 'is allowing student': 445490, 'allowing student to': 46339, 'student to work': 814793, 'to work more': 918755, 'work more hour': 1005476, 'more hour to': 539452, 'supermarket shelf cruise': 822453, 'spending have': 788842, 'have drastically': 380361, 'drastically changed': 258425, 'since early': 770571, 'early january': 264626, 'january due': 464655, 'industry impact': 435895, 'impact according': 417537, 'consumer spending have': 199067, 'spending have drastically': 788843, 'have drastically changed': 380362, 'drastically changed since': 258427, 'changed since early': 172548, 'since early january': 770573, 'early january due': 264627, 'january due to': 464656, 'due to here': 261806, 'to here are': 907714, 'the industry impact': 858175, 'industry impact according': 435896, 'impact according to': 417538, 'usacovid19': 948812, 'product usacovid19': 681798, 'consumer product usacovid19': 198484, 'compelling': 191516, 'is stayhomesavelives': 452246, 'stayhomesavelives the': 798476, 'the evidence': 854629, 'becoming compelling': 120282, 'compelling that': 191525, 'should wear': 766656, 'wear simple': 974455, 'simple mask': 770054, 'spread mine': 790630, 'mine yours': 532946, 'yours protects': 1026475, 'supermarket et': 820208, 'protect the nh': 684979, 'the nh is': 861745, 'nh is stayhomesavelives': 561998, 'is stayhomesavelives the': 452247, 'stayhomesavelives the evidence': 798477, 'the evidence is': 854631, 'evidence is becoming': 288363, 'is becoming compelling': 446030, 'becoming compelling that': 120283, 'compelling that we': 191526, 'we should wear': 973303, 'should wear simple': 766659, 'wear simple mask': 974456, 'simple mask to': 770055, 'mask to limit': 519412, 'the spread mine': 867633, 'spread mine yours': 790631, 'mine yours protects': 532947, 'yours protects me': 1026476, 'protects me when': 685841, 'me when we': 523947, 'we go supermarket': 971651, 'go supermarket et': 354178, 'wonderous': 1004217, 'bowen': 136962, 'watching all': 968695, 'supermarket ad': 818774, 'ad showing': 31156, 'showing these': 767539, 'these wonderous': 880983, 'wonderous delight': 1004218, 'delight ha': 233036, 'become like': 120047, 'like jim': 490578, 'jim bowen': 465492, 'bowen saying': 136963, 'saying come': 739573, 'could ve': 209814, 've won': 953660, 'won coronacrisis': 1003773, 'panicbuying morrison': 638990, 'morrison supermarket': 541755, 'watching all these': 968697, 'all these supermarket': 45059, 'these supermarket ad': 880775, 'supermarket ad showing': 818775, 'ad showing these': 31157, 'showing these wonderous': 767541, 'these wonderous delight': 880984, 'wonderous delight ha': 1004219, 'delight ha become': 233037, 'ha become like': 369684, 'become like jim': 120048, 'like jim bowen': 490579, 'jim bowen saying': 465493, 'bowen saying come': 136964, 'saying come and': 739574, 'come and have': 187217, 'and have look': 64255, 'at what you': 101536, 'what you could': 982668, 'you could ve': 1018105, 'could ve won': 209817, 've won coronacrisis': 953661, 'won coronacrisis panicbuying': 1003774, 'coronacrisis panicbuying morrison': 204691, 'panicbuying morrison supermarket': 638991, 'iconic': 412810, 'outcry': 628877, 'worldwarii': 1010296, 'aluminum': 49435, 'awaaz': 105531, 'london metal': 501135, 'metal exchange': 529624, 'exchange to': 289485, 'temporarily suspend': 837553, 'suspend trading': 829594, 'on iconic': 601472, 'iconic open': 412811, 'open outcry': 612433, 'outcry dealing': 628878, 'dealing floor': 229639, 'since worldwarii': 771005, 'worldwarii uk': 1010297, 'uk try': 938843, 'of news': 586999, 'news play': 560700, 'play key': 659181, 'key role': 473389, 'in setting': 427831, 'setting global': 753631, 'global benchmark': 351753, 'for copper': 320358, 'copper aluminum': 203423, 'aluminum awaaz': 49436, 'london metal exchange': 501136, 'metal exchange to': 529627, 'exchange to temporarily': 289486, 'to temporarily suspend': 916365, 'temporarily suspend trading': 837556, 'suspend trading on': 829596, 'trading on iconic': 928898, 'on iconic open': 601473, 'iconic open outcry': 412812, 'open outcry dealing': 612434, 'outcry dealing floor': 628879, 'dealing floor for': 229640, 'floor for 1st': 310797, 'time since worldwarii': 897675, 'since worldwarii uk': 771006, 'worldwarii uk try': 1010298, 'uk try to': 938844, 'try to limit': 934636, 'spread of news': 790688, 'of news play': 587001, 'news play key': 560701, 'play key role': 659182, 'key role in': 473390, 'role in setting': 725098, 'in setting global': 427832, 'setting global benchmark': 753632, 'global benchmark price': 351754, 'benchmark price for': 126848, 'price for copper': 673941, 'for copper aluminum': 320359, 'copper aluminum awaaz': 203424, 'theu': 881054, 'think care': 885183, 'care today': 164239, 'the n95': 861182, 'for 160': 318684, '160 per': 4216, 'pack call': 633029, 'consumer number': 198226, 'and theu': 73885, 'theu send': 881055, 'to form': 906199, 'form and': 329486, 'and pricegouging': 69491, 'pricegouging gov': 677816, 'gov sends': 359693, 'sends back': 750124, 'back no': 107154, 'no such': 565604, 'such email': 816468, 'email pricegouging': 272278, 'hey do not': 394359, 'not think care': 572077, 'think care today': 885184, 'care today they': 164240, 'today they now': 920322, 'they now selling': 882803, 'now selling the': 575774, 'selling the n95': 749481, 'the n95 mask': 861184, 'n95 mask for': 551192, 'mask for 160': 518665, 'for 160 per': 318685, '160 per 10': 4217, 'per 10 pack': 650668, '10 pack call': 1599, 'pack call the': 633030, 'call the consumer': 156132, 'the consumer number': 851564, 'consumer number and': 198228, 'number and theu': 576823, 'and theu send': 73886, 'theu send you': 881056, 'send you to': 749990, 'you to form': 1021779, 'to form and': 906200, 'form and pricegouging': 329487, 'and pricegouging gov': 69492, 'pricegouging gov sends': 677817, 'gov sends back': 359694, 'sends back no': 750125, 'back no such': 107155, 'no such email': 565605, 'such email pricegouging': 816469, 'teepeeformybunghole': 836579, 'me after': 522357, 'after hearing': 35773, 'hearing my': 388218, 'store restocked': 809852, 'toiletpaper teepeeformybunghole': 922582, 'teepeeformybunghole toiletpaperapocalypse': 836580, 'toiletpaperapocalypse lol': 922908, 'me after hearing': 522359, 'after hearing my': 35775, 'hearing my local': 388219, 'local store restocked': 498477, 'store restocked the': 809853, 'restocked the shelf': 716967, 'the shelf with': 866904, 'shelf with toiletpaper': 757823, 'with toiletpaper teepeeformybunghole': 1001809, 'toiletpaper teepeeformybunghole toiletpaperapocalypse': 922583, 'teepeeformybunghole toiletpaperapocalypse lol': 836581, 'forget hand': 329262, 'me some': 523505, 'some bubble': 782439, 'bubble wrap': 141627, 'wrap pandemic': 1012661, 'forget hand sanitizer': 329263, 'sanitizer get me': 734975, 'get me some': 347538, 'me some bubble': 523506, 'some bubble wrap': 782440, 'bubble wrap pandemic': 141628, 'siena': 768991, 'hey la': 394447, 'vega looking': 953820, 'for noodle': 323911, 'noodle flour': 566796, 'flour pasta': 311148, 'other italian': 620440, 'to siena': 914630, 'siena food': 768992, 'on valley': 605015, 'valley view': 952000, 'it small': 461085, 'business food': 143745, 'with ton': 1001813, 'hey la vega': 394448, 'la vega looking': 478233, 'vega looking for': 953821, 'looking for noodle': 502884, 'for noodle flour': 323912, 'noodle flour pasta': 566797, 'flour pasta sauce': 311149, 'sauce and other': 737140, 'and other italian': 68351, 'other italian food': 620441, 'italian food go': 462697, 'food go to': 314680, 'go to siena': 354359, 'to siena food': 914631, 'siena food on': 768993, 'food on valley': 315608, 'on valley view': 605016, 'valley view it': 952001, 'view it small': 957107, 'it small business': 461087, 'small business food': 774858, 'business food store': 143747, 'food store with': 316866, 'store with ton': 811408, 'with ton of': 1001814, 'ton of pasta': 924278, 'roster': 726147, 'attests': 102526, 'anyone want': 80600, 'to bet': 901779, 'on next': 602398, 'initial unemployment': 438560, 'unemployment roster': 941292, 'roster to': 726148, 'thing of': 884633, 'of incredibly': 585088, 'incredibly bad': 433887, 'author attests': 103640, 'attests on': 102527, 'anyone want to': 80605, 'want to bet': 965997, 'to bet on': 901780, 'bet on next': 128091, 'on next week': 602400, 'next week initial': 561688, 'week initial unemployment': 976397, 'initial unemployment roster': 438563, 'unemployment roster to': 941293, 'roster to be': 726149, 'to be another': 901108, 'be another thing': 113632, 'another thing of': 77902, 'thing of incredibly': 884634, 'of incredibly bad': 585089, 'incredibly bad news': 433888, 'bad news and': 107950, 'the author attests': 849069, 'author attests on': 103641, 'attests on our': 102528, 'our way to': 625313, 'way to 20': 969982, 'impacted every': 418105, 'every industry': 285955, 'and workplace': 75898, 'workplace due': 1009192, 'and rumor': 70628, 'rumor b2b': 727476, 'b2b space': 106474, 'space is': 787131, 'different here': 241959, 'is take': 452523, 'on safety': 603253, 'safety from': 730547, 'virus during': 958151, 'directly impacted every': 243558, 'impacted every industry': 418106, 'every industry and': 285957, 'industry and workplace': 435653, 'and workplace due': 75899, 'workplace due to': 1009193, 'paranoia and rumor': 641423, 'and rumor b2b': 70629, 'rumor b2b space': 727477, 'b2b space is': 106475, 'space is no': 787132, 'no different here': 564014, 'different here is': 241960, 'here is take': 393251, 'is take on': 452525, 'take on safety': 832406, 'on safety from': 603255, 'safety from virus': 730550, 'from virus during': 338250, 'virus during this': 958152, 'of enterprise': 583129, 'enterprise service': 278459, 'service surplus': 752889, 'surplus operation': 828496, 'operation retail': 613249, 'public until': 688444, 'effort to prevent': 269636, 'virus the department': 958882, 'department of enterprise': 237239, 'of enterprise service': 583130, 'enterprise service surplus': 278460, 'service surplus operation': 752890, 'surplus operation retail': 828497, 'operation retail store': 613250, 'the public until': 864864, 'public until further': 688445, 'supporting supply': 827203, 'chain management': 170910, 'management to': 512646, 'supporting supply chain': 827204, 'supply chain management': 824991, 'chain management to': 170914, 'management to alleviate': 512647, 'alleviate the challenge': 45825, 'got listing': 358671, 'listing of': 494863, 'more also': 538596, 'also if': 48387, 'have business': 379858, 'list do': 494301, 'so by': 776673, 'by scrolling': 153894, 'scrolling to': 742883, 've got listing': 953183, 'got listing of': 358672, 'listing of local': 494864, 'local business that': 497777, 'are offering online': 88671, 'shopping delivery and': 762455, 'delivery and more': 233668, 'and more also': 67142, 'more also if': 538597, 'also if you': 48389, 'you have business': 1019021, 'have business that': 379859, 'business that you': 144494, 'that you like': 847729, 'to add to': 900071, 'this list do': 888655, 'list do so': 494302, 'do so by': 250089, 'so by scrolling': 776675, 'by scrolling to': 153895, 'scrolling to the': 742884, 'to the bottom': 916526, 'of the article': 590803, 'shelf wonder': 757829, 'why foodforthought': 990998, 'foodforthought stayhomesavelives': 317913, 'stayhomesavelives spain': 798446, 'it wa left': 462138, 'wa left the': 962525, 'left the other': 485670, 'other day on': 620079, 'supermarket shelf wonder': 822570, 'shelf wonder why': 757830, 'wonder why foodforthought': 1004038, 'why foodforthought stayhomesavelives': 990999, 'foodforthought stayhomesavelives spain': 317914, 'stayhomesavelives spain supermarket': 798447, 'sister is': 771754, 'is eating': 447436, 'eating would': 266342, 'be alone': 113570, 'alone responsible': 46902, 'the way my': 871169, 'way my sister': 969722, 'my sister is': 550110, 'sister is eating': 771756, 'is eating would': 447438, 'eating would be': 266343, 'would be alone': 1011548, 'be alone responsible': 113572, 'alone responsible for': 46903, 'for the shortage': 326683, 'the shortage in': 867094, 'so chicken': 776753, 'chicken are': 175745, 'shelf not': 757343, 'not literally': 570434, 'literally together': 495099, 'with bread': 997469, 'rice so': 721142, 'so new': 777865, 'new made': 559078, 'food appearing': 313399, 'appearing and': 82159, 'in aldi': 420153, 'aldi probably': 41291, 'probably result': 679361, 'warming 19': 966899, 'and brexit': 59189, 'brexit whatever': 139534, 'whatever happened': 982758, 'so chicken are': 776754, 'chicken are flying': 175746, 'are flying off': 86611, 'off the supermarket': 594273, 'supermarket shelf not': 822502, 'shelf not literally': 757345, 'not literally together': 570435, 'literally together with': 495100, 'together with bread': 921040, 'with bread pasta': 997470, 'bread pasta and': 138563, 'and rice so': 70507, 'rice so new': 721143, 'so new made': 777866, 'new made up': 559079, 'made up food': 508051, 'up food appearing': 944876, 'food appearing and': 313400, 'appearing and there': 82160, 'were plenty of': 979983, 'plenty of these': 660985, 'of these in': 591832, 'these in aldi': 880155, 'in aldi probably': 420155, 'aldi probably result': 41292, 'probably result of': 679362, 'result of global': 717593, 'of global warming': 584160, 'global warming 19': 352289, 'warming 19 and': 966900, '19 and brexit': 4994, 'and brexit whatever': 59191, 'brexit whatever happened': 139535, 'whatever happened to': 982759, 'happened to brexit': 377275, 'our absolute': 622011, 'absolute goal': 27240, 'stay trading': 797358, 'trading fast': 928856, 'food giant': 314661, 'giant hopeful': 349799, 'hopeful of': 403834, 'of pushing': 588620, 'pushing through': 690459, 'through despite': 894417, 'our absolute goal': 622012, 'absolute goal is': 27241, 'to stay trading': 915326, 'stay trading fast': 797359, 'trading fast food': 928857, 'fast food giant': 299963, 'food giant hopeful': 314663, 'giant hopeful of': 349800, 'hopeful of pushing': 403835, 'of pushing through': 588622, 'pushing through despite': 690460, 'through despite covid': 894418, 'frm': 334108, 'cornershop': 203700, 'have bread': 379838, 'or milk': 616142, 'egg my': 269924, 'kid starving': 474118, 'starving we': 795273, 'we staying': 973393, 'purchased essential': 689770, 'essential frm': 281067, 'frm cornershop': 334113, 'cornershop who': 203703, 'up seeing': 945956, 'seeing my': 746377, 'kid starve': 474116, 'starve want': 795232, 'want actually': 965686, 'commit suicide': 188975, 'not have bread': 569815, 'have bread or': 379840, 'bread or milk': 138555, 'or milk egg': 616143, 'milk egg my': 531659, 'egg my kid': 269925, 'my kid starving': 548958, 'kid starving we': 474119, 'starving we staying': 795274, 'we staying home': 973394, 'staying home to': 798625, 'home to save': 402338, 'save life have': 737541, 'life have purchased': 488722, 'have purchased essential': 382109, 'purchased essential frm': 689771, 'essential frm cornershop': 281068, 'frm cornershop who': 334114, 'cornershop who been': 203704, 'who been hiking': 988305, 'been hiking price': 121294, 'price up seeing': 677256, 'up seeing my': 945957, 'seeing my kid': 746379, 'my kid starve': 548957, 'kid starve want': 474117, 'starve want actually': 795233, 'want actually commit': 965687, 'actually commit suicide': 30762, 'madness on': 508197, 'old kent': 598311, 'kent road': 472826, 'road asda': 724416, 'asda update': 94997, 'update report': 947194, 'of asda': 580386, 'asda on': 94956, 'on old': 602499, 'road closing': 724435, 'to row': 913639, 'row over': 726580, 'over bog': 630023, 'bog rolling': 133967, 'rolling were': 725688, 'were greatly': 979705, 'greatly exaggerated': 363314, 'exaggerated according': 288774, 'to spokesperson': 915033, 'spokesperson for': 789790, 'madness on the': 508198, 'on the old': 604259, 'the old kent': 862137, 'old kent road': 598313, 'kent road asda': 472827, 'road asda update': 724417, 'asda update report': 94998, 'update report of': 947196, 'report of asda': 712105, 'of asda on': 580387, 'asda on old': 94957, 'on old kent': 602500, 'kent road closing': 472829, 'road closing due': 724436, 'due to row': 261930, 'to row over': 913640, 'row over bog': 726581, 'over bog rolling': 630025, 'bog rolling were': 133968, 'rolling were greatly': 725689, 'were greatly exaggerated': 979706, 'greatly exaggerated according': 363315, 'exaggerated according to': 288775, 'according to spokesperson': 28589, 'to spokesperson for': 915035, 'spokesperson for the': 789792, 'restricting': 717180, 'my simple': 550086, 'simple solution': 770092, 'solution would': 782139, 'remove all': 710804, 'all trolley': 45288, 'basket from': 112338, 'to restricting': 913434, 'restricting one': 717192, 'one type': 607319, 'person this': 652647, 'can hold': 158686, 'hold in': 399945, 'your arm': 1022827, 'each item': 264107, 'too simple': 925066, 'my simple solution': 550087, 'simple solution would': 770093, 'solution would be': 782140, 'be to remove': 117732, 'to remove all': 913214, 'remove all trolley': 710805, 'all trolley and': 45289, 'trolley and basket': 932360, 'and basket from': 58731, 'basket from every': 112340, 'every supermarket in': 286255, 'supermarket in addition': 820858, 'addition to restricting': 31745, 'to restricting one': 913435, 'restricting one type': 717193, 'one type of': 607320, 'type of item': 937565, 'of item person': 585488, 'item person this': 463566, 'person this mean': 652649, 'this mean that': 888817, 'mean that you': 524690, 'can only buy': 159119, 'you can hold': 1017695, 'can hold in': 158687, 'hold in your': 399946, 'in your arm': 431056, 'your arm and': 1022828, 'arm and only': 92883, 'and only one': 68146, 'one of each': 606741, 'of each item': 582901, 'each item is': 264109, 'item is this': 463392, 'is this too': 453128, 'this too simple': 890807, 'passage': 643237, 'congress nears': 194513, 'nears passage': 553878, 'passage of': 643238, 'of record': 588836, 'record trillion': 705075, 'package professor': 633380, 'professor joe': 682557, 'joe mason': 466427, 'mason and': 519715, 'navigating covid': 553117, 'today topic': 920388, 'topic size': 925817, 'size up': 772809, 'nationwide consumer': 552719, 'congress nears passage': 194514, 'nears passage of': 553879, 'passage of record': 643239, 'of record trillion': 588841, 'record trillion stimulus': 705076, 'stimulus package professor': 801588, 'package professor joe': 633381, 'professor joe mason': 682558, 'joe mason and': 466428, 'mason and continue': 519716, 'and continue our': 60492, 'continue our series': 201090, 'our series on': 624724, 'series on navigating': 751285, 'on navigating covid': 602345, 'navigating covid 19': 553118, '19 today topic': 11472, 'today topic size': 920389, 'topic size up': 925818, 'size up the': 772810, 'up the cost': 946161, 'the cost and': 851981, 'cost and benefit': 207854, 'and benefit of': 58894, 'benefit of nationwide': 127046, 'of nationwide consumer': 586869, 'nationwide consumer debt': 552720, 'consumer debt holiday': 197080, 'doubling': 256155, 'week demand': 976143, 'surged having': 828306, 'having made': 384149, 'made over': 507902, '00 delivery': 166, 'delivery doubling': 233880, 'doubling in': 256160, 'and australia': 58521, 'option in': 614055, 'offering item': 595171, 'like pasta': 490970, 'pasta baby': 643695, 'food milk': 315459, 'last two week': 480606, 'two week demand': 937327, 'week demand ha': 976145, 'demand ha surged': 235619, 'ha surged having': 372125, 'surged having made': 828307, 'having made over': 384150, 'made over 00': 507903, 'over 00 delivery': 629751, '00 delivery doubling': 167, 'delivery doubling in': 233881, 'doubling in the': 256162, 'the and australia': 848685, 'and australia the': 58523, 'australia the company': 103399, 'company ha expanded': 190709, 'expanded it delivery': 290483, 'it delivery option': 457509, 'delivery option in': 234273, 'option in response': 614056, 'the outbreak by': 862597, 'outbreak by offering': 628074, 'by offering item': 153399, 'offering item like': 595172, 'item like pasta': 463420, 'like pasta baby': 490972, 'pasta baby food': 643696, 'baby food milk': 106607, 'food milk and': 315460, 'affordably': 34915, 'of mission': 586581, 'help self': 390501, 'employed professional': 273488, 'professional business': 682428, 'owner especially': 632445, 'impact subscription': 417974, 'lowered so': 506079, 'file tax': 305371, 'tax easily': 834974, 'easily more': 265230, 'more affordably': 538565, 'part of mission': 642362, 'of mission to': 586582, 'mission to help': 534381, 'to help self': 907621, 'help self employed': 390502, 'self employed professional': 747629, 'employed professional business': 273489, 'professional business owner': 682429, 'business owner especially': 144183, 'owner especially during': 632446, 'during the enhanced': 263122, 'community quarantine pandemic': 190054, 'quarantine pandemic impact': 692423, 'pandemic impact subscription': 635688, 'impact subscription price': 417975, 'subscription price have': 815904, 'been lowered so': 121498, 'lowered so you': 506080, 'you can file': 1017675, 'can file tax': 158304, 'file tax easily': 305373, 'tax easily more': 834975, 'easily more affordably': 265231, 'farmboy': 299225, 'rebel go': 703269, 'go inside': 353726, 'inside my': 439318, 'local farmboy': 497943, 'farmboy and': 299226, 'done an': 254769, 'only once': 610862, 'one store': 607120, 'easter madness': 265465, 'rebel go inside': 703270, 'go inside my': 353729, 'inside my local': 439319, 'my local farmboy': 549112, 'local farmboy and': 497944, 'farmboy and other': 299227, 'and other grocery': 68335, 'store have done': 808077, 'have done an': 380323, 'done an amazing': 254770, 'amazing job of': 50723, 'job of socialdistancing': 466041, 'of socialdistancing but': 589848, 'socialdistancing but it': 780259, 'but it only': 146149, 'it only once': 460104, 'only once week': 610863, 'week and only': 975928, 'only one store': 610886, 'one store today': 607124, 'today wa the': 920454, 'wa the day': 963443, 'before easter madness': 122757, 'ibiza': 412579, 'eularia': 283333, 'verity': 954814, 'ibiza2020': 412582, 'distancing ibiza': 247208, 'ibiza style': 412580, 'style at': 815590, 'santa eularia': 736595, 'eularia image': 283334, 'image credit': 416623, 'credit mat': 216432, 'mat verity': 520257, 'verity ibiza2020': 954815, 'social distancing ibiza': 779634, 'distancing ibiza style': 247209, 'ibiza style at': 412581, 'style at supermarket': 815591, 'supermarket in santa': 820971, 'in santa eularia': 427698, 'santa eularia image': 736596, 'eularia image credit': 283335, 'image credit mat': 416624, 'credit mat verity': 216433, 'mat verity ibiza2020': 520258, 'on lack': 601784, 'national covid': 552461, 'response imagine': 715723, 'like shopper': 491176, 'store competing': 807130, 'competing to': 191643, 'last bag': 480115, 'in refusing': 427345, 'coordinate the': 203185, 'fed gov': 301822, 'gov creates': 359558, 'creates the': 215966, 'for competition': 320211, 'hoarding that': 399576, 'cost life': 207999, 'on lack of': 601785, 'lack of national': 478637, 'of national covid': 586860, 'national covid 19': 552462, '19 response imagine': 10152, 'response imagine the': 715724, 'imagine the state': 416803, 'the state like': 867787, 'state like shopper': 795739, 'like shopper at': 491177, 'shopper at grocery': 761409, 'grocery store competing': 365292, 'store competing to': 807131, 'competing to get': 191644, 'get the last': 348259, 'the last bag': 858992, 'last bag of': 480116, 'of rice and': 589090, 'rice and toilet': 721004, 'paper in refusing': 640329, 'in refusing to': 427346, 'refusing to coordinate': 707090, 'to coordinate the': 903500, 'coordinate the fed': 203186, 'the fed gov': 855059, 'fed gov creates': 301823, 'gov creates the': 359559, 'creates the condition': 215967, 'the condition for': 851431, 'condition for competition': 193454, 'for competition and': 320212, 'competition and hoarding': 191665, 'and hoarding that': 64665, 'hoarding that will': 399582, 'that will cost': 847567, 'will cost life': 993048, 'telemedicine': 836770, 'despite encouragement': 238732, 'encouragement from': 275678, 'from employer': 335274, 'employer and': 274482, 'health insurer': 386555, 'insurer consumer': 440874, 'consumer adoption': 196035, 'telehealth telemedicine': 836764, 'telemedicine prior': 836784, 'low that': 505661, 'now changed': 574371, 'changed forever': 172476, 'forever healthcare': 329121, 'healthcare point': 387213, 'care ha': 163977, 'despite encouragement from': 238733, 'encouragement from employer': 275679, 'from employer and': 335275, 'employer and health': 274483, 'and health insurer': 64358, 'health insurer consumer': 386556, 'insurer consumer adoption': 440875, 'consumer adoption of': 196036, 'adoption of telehealth': 32724, 'of telehealth telemedicine': 590647, 'telehealth telemedicine prior': 836766, 'telemedicine prior to': 836785, 'prior to covid': 678371, '19 wa very': 11880, 'wa very low': 963644, 'very low that': 955344, 'low that now': 505665, 'that now changed': 845418, 'now changed forever': 574372, 'changed forever healthcare': 172477, 'forever healthcare point': 329122, 'healthcare point of': 387214, 'point of care': 662555, 'of care ha': 581144, 'care ha shifted': 163979, 'muddappa': 545509, 'maintain sufficient': 509050, 'sufficient stock': 817395, 'grain please': 361785, 'please insist': 660115, 'insist state': 439697, 'encourage farmer': 275584, 'grow more': 367040, 'grain muddappa': 361782, 'like to appreciate': 491574, 'to appreciate your': 900672, 'appreciate your effort': 82796, 'your effort in': 1023627, 'in combating covid': 421579, 'important to maintain': 419060, 'to maintain sufficient': 909599, 'maintain sufficient stock': 509051, 'sufficient stock of': 817396, 'of food grain': 583699, 'food grain please': 314709, 'grain please insist': 361786, 'please insist state': 660116, 'insist state government': 439698, 'government to encourage': 360713, 'to encourage farmer': 905059, 'encourage farmer to': 275585, 'farmer to grow': 299538, 'to grow more': 907032, 'grow more food': 367041, 'more food grain': 539243, 'food grain muddappa': 314708, 'deresinski': 237857, 'need mask': 555205, 'mask tweet': 519454, 'from spurred': 337393, 'spurred then': 791355, 'then moved': 877343, 'moved mountain': 543814, 'mountain in': 543421, 'in hurry': 423927, 'hurry to': 411521, 'the dr': 853645, 'dr stanley': 258104, 'stanley deresinski': 793880, 'deresinski 11': 237858, 'you need mask': 1020011, 'need mask tweet': 555213, 'mask tweet from': 519455, 'tweet from spurred': 936369, 'from spurred then': 337394, 'spurred then moved': 791356, 'then moved mountain': 877344, 'moved mountain in': 543815, 'mountain in hurry': 543422, 'in hurry to': 423928, 'hurry to get': 411523, 'get an interview': 346545, 'with the dr': 1001272, 'the dr stanley': 853646, 'dr stanley deresinski': 258105, 'stanley deresinski 11': 793881, 'deresinski 11 19': 237859, 'alberta premier': 40817, 'kenney warns': 472806, 'face negative': 294633, 'alberta premier jason': 40818, 'jason kenney warns': 464853, 'kenney warns the': 472807, 'warns the region': 967300, 'the region face': 865428, 'region face negative': 707414, 'face negative oil': 294634, 'uncertainty doesn': 939679, 'doesn begin': 251712, 'condition brought': 193420, 'consumer essentially': 197376, 'essentially ha': 281907, 'activity won': 30544, 'doubt it': 256204, 'slowed down': 774490, 'uncertainty doesn begin': 939680, 'doesn begin to': 251713, 'begin to describe': 123581, 'economic condition brought': 267020, 'condition brought on': 193421, 'by the effort': 154316, 'american consumer essentially': 51889, 'consumer essentially ha': 197377, 'essentially ha been': 281908, 'ha been told': 369959, 'economic activity won': 266968, 'activity won stop': 30545, 'won stop but': 1003910, 'no doubt it': 564052, 'doubt it ha': 256207, 'ha slowed down': 371974, 'dislocated': 245963, 'impaired': 418284, 'pimco': 656750, 'amundi': 54950, 'ashmore': 95129, 'unprecedented triple': 943209, 'triple shock': 932262, 'shock from': 759453, 'ha dislocated': 370395, 'dislocated asset': 245964, 'and impaired': 65014, 'impaired liquidity': 418287, 'liquidity across': 494120, 'market pimco': 516850, 'pimco amundi': 656751, 'amundi ashmore': 54951, 'ashmore bond': 95130, 'bond fund': 134247, 'fund battered': 341370, 'by turbulent': 154610, 'turbulent market': 935511, 'an unprecedented triple': 56896, 'unprecedented triple shock': 943210, 'triple shock from': 932263, 'shock from the': 759454, 'from the stock': 337888, 'market crash covid': 516242, 'price ha dislocated': 674380, 'ha dislocated asset': 370396, 'dislocated asset price': 245965, 'asset price and': 96453, 'price and impaired': 672439, 'and impaired liquidity': 65015, 'impaired liquidity across': 418288, 'liquidity across all': 494121, 'across all market': 29230, 'all market pimco': 43460, 'market pimco amundi': 516851, 'pimco amundi ashmore': 656752, 'amundi ashmore bond': 54952, 'ashmore bond fund': 95131, 'bond fund battered': 134248, 'fund battered by': 341371, 'battered by turbulent': 112748, 'by turbulent market': 154611, 'turbulent market via': 935513, 'accusation': 28923, 'daunt can': 226935, 'can accept': 157346, 'accept that': 27993, 'employee couldn': 273740, 'couldn afford': 209858, 'take unpaid': 832764, 'leave but': 484759, 'can entertain': 158242, 'entertain the': 278518, 'online conspiracy': 608038, 'conspiracy against': 195566, 'brand ok': 137945, 'ok waterstones': 597934, 'waterstones ceo': 969307, 'ceo james': 169728, 'daunt accusation': 226933, 'accusation we': 28926, 'we endangered': 971457, 'endangered book': 276093, 'book seller': 134589, 'are utter': 91440, 'utter inews': 951420, 'james daunt can': 464392, 'daunt can accept': 226936, 'can accept that': 157348, 'accept that employee': 27994, 'that employee couldn': 843700, 'employee couldn afford': 273741, 'couldn afford to': 209860, 'afford to take': 34811, 'to take unpaid': 916255, 'take unpaid leave': 832765, 'unpaid leave but': 943028, 'leave but can': 484760, 'but can entertain': 145348, 'can entertain the': 158244, 'entertain the idea': 278519, 'idea of an': 413123, 'of an online': 580127, 'an online conspiracy': 56613, 'online conspiracy against': 608039, 'conspiracy against the': 195567, 'against the brand': 37644, 'the brand ok': 849942, 'brand ok waterstones': 137946, 'ok waterstones ceo': 597935, 'waterstones ceo james': 969309, 'ceo james daunt': 169729, 'james daunt accusation': 464391, 'daunt accusation we': 226934, 'accusation we endangered': 28927, 'we endangered book': 971458, 'endangered book seller': 276094, 'book seller are': 134590, 'seller are utter': 748983, 'are utter inews': 91441, 'scomovirus': 742301, 'isolate get': 454865, 'essential stop': 281586, 'can self': 159562, 'food think': 317185, 'it scomovirus': 460911, 'let the people': 487135, 'self isolate get': 747676, 'isolate get their': 454866, 'get their essential': 348328, 'their essential stop': 873176, 'essential stop panic': 281587, 'panic buying people': 637845, 'buying people who': 150899, 'are most vulnerable': 88142, 'vulnerable can self': 960900, 'can self isolate': 159563, 'self isolate when': 747695, 'isolate when all': 454942, 'when all are': 983126, 'all are taking': 42050, 'are taking all': 90712, 'taking all of': 833264, 'their food think': 873355, 'food think about': 317186, 'think about it': 885089, 'about it scomovirus': 25593, 'he for': 384968, 'for paying': 324427, 'paying american': 645382, 'american price': 52145, 'so he for': 777272, 'he for paying': 384969, 'for paying american': 324428, 'paying american price': 645383, 'outlests': 629015, 'food outlests': 315712, 'outlests and': 629016, 'face catastrophe': 294352, 'catastrophe so': 166939, 'fast food outlests': 299971, 'food outlests and': 315713, 'outlests and many': 629017, 'business are all': 143355, 'are all closed': 84292, 'all closed we': 42375, 'cannot allow the': 161626, 'allow the spread': 46076, '19 and face': 5022, 'and face catastrophe': 62582, 'face catastrophe so': 294353, 'catastrophe so disrespectful': 166940, 'evacuating': 283689, 'for evidence': 321267, 'how pricegouging': 408532, 'emergency actually': 272583, 'consumer consider': 196946, 'that hike': 844331, 'during hurricane': 262706, 'hurricane harvey': 411476, 'harvey left': 378672, 'more fuel': 539318, 'fuel available': 340126, 'for texan': 326240, 'were evacuating': 979586, 'evacuating to': 283690, 'for evidence of': 321268, 'evidence of how': 288366, 'of how pricegouging': 584838, 'how pricegouging during': 408533, 'pricegouging during emergency': 677808, 'during emergency actually': 262623, 'emergency actually help': 272584, 'actually help consumer': 30837, 'help consumer consider': 389518, 'consumer consider that': 196947, 'consider that hike': 195129, 'that hike in': 844332, 'hike in gasoline': 396221, 'gasoline price during': 344259, 'price during hurricane': 673624, 'during hurricane harvey': 262707, 'hurricane harvey left': 411477, 'harvey left more': 378673, 'left more fuel': 485554, 'more fuel available': 539319, 'fuel available for': 340127, 'available for texan': 104383, 'for texan who': 326241, 'texan who were': 839731, 'who were evacuating': 989958, 'were evacuating to': 979587, 'evacuating to save': 283691, 'save their life': 737675, 'guzzles': 369251, 'coal remains': 185067, 'biggest consumer': 130201, 'africa it': 35094, 'it guzzles': 458370, 'guzzles 10': 369252, 'water every': 968985, 'every second': 286147, 'second coal': 743680, 'coal compromise': 185051, 'compromise our': 192662, 'our water': 625309, 'water it': 969046, 'it compromise': 457251, 'our air': 622044, 'our humanity': 623493, 'humanity gt': 410732, 'coal remains the': 185068, 'remains the biggest': 710070, 'the biggest consumer': 849647, 'biggest consumer of': 130202, 'consumer of water': 198252, 'of water in': 592943, 'water in south': 969030, 'south africa it': 786654, 'africa it guzzles': 35095, 'it guzzles 10': 458371, 'guzzles 10 00': 369253, '10 00 litre': 1202, 'litre of water': 495170, 'of water every': 592941, 'water every second': 968986, 'every second coal': 286148, 'second coal compromise': 743681, 'coal compromise our': 185052, 'compromise our water': 192665, 'our water it': 625310, 'water it compromise': 969048, 'it compromise our': 457252, 'compromise our air': 192663, 'our air and': 622046, 'air and it': 39683, 'and it compromise': 65501, 'compromise our humanity': 192664, 'our humanity gt': 623496, 'humanity gt gt': 410733, 'from should': 337283, 'useful survey': 950193, 'shutdown show': 768093, 'in detail': 422225, 'this research from': 889882, 'research from should': 713737, 'from should be': 337284, 'should be useful': 765760, 'be useful survey': 117933, 'useful survey from': 950194, 'survey from china': 828872, '19 shutdown show': 10528, 'shutdown show in': 768094, 'show in detail': 767008, 'in detail how': 422226, 'detail how consumer': 239200, 'consumer behavior changed': 196456, 'multicultural': 545685, 'hope leader': 403531, 'of industry': 585148, 'industry pause': 436036, 'pause to': 644618, 'their total': 875016, 'total consumer': 926148, 'base during': 111442, 'time multicultural': 897239, 'multicultural consumer': 545686, 'face distinct': 294401, 'distinct challenge': 247861, 'challenge during': 171439, 'hope leader of': 403532, 'leader of industry': 483500, 'of industry pause': 585150, 'industry pause to': 436037, 'pause to think': 644619, 'think about their': 885104, 'about their total': 26595, 'their total consumer': 875017, 'total consumer base': 926149, 'consumer base during': 196400, 'base during these': 111444, 'trying time multicultural': 934750, 'time multicultural consumer': 897240, 'multicultural consumer face': 545687, 'consumer face distinct': 197428, 'face distinct challenge': 294402, 'distinct challenge during': 247862, 'challenge during the': 171440, 'asylum': 97287, 'seeker': 746626, 'aspencard': 96227, 'hostileenvironment': 404941, 'with sparking': 1000901, 'shopping many': 763242, 'many small': 514707, 'small local': 775020, 'now requiring': 575690, 'requiring cash': 713518, 'cash only': 166285, 'only sale': 611079, 'sale asylum': 732082, 'asylum seeker': 97288, 'seeker who': 746635, 'store using': 811031, 'using aspencard': 950397, 'aspencard have': 96228, 'cash no': 166280, 'child hostileenvironment': 176108, 'with sparking panic': 1000902, 'sparking panic shopping': 787604, 'panic shopping many': 638578, 'shopping many small': 763244, 'many small local': 514710, 'small local store': 775024, 'local store are': 498455, 'store are now': 806502, 'are now requiring': 88589, 'now requiring cash': 575691, 'requiring cash only': 713519, 'cash only sale': 166286, 'only sale asylum': 611080, 'sale asylum seeker': 732083, 'asylum seeker who': 97289, 'seeker who rely': 746636, 'rely on these': 709654, 'on these store': 604575, 'these store using': 880741, 'store using aspencard': 811032, 'using aspencard have': 950398, 'aspencard have no': 96229, 'have no cash': 381613, 'no cash no': 563774, 'cash no food': 166281, 'or essential for': 615181, 'essential for themselves': 281065, 'themselves and their': 876763, 'and their child': 73675, 'their child hostileenvironment': 872770, 'mission during': 534351, 'time your': 898425, 'safely and': 730254, 'in profit': 427028, 'profit introducing': 682784, 'retail adventure': 717796, 'adventure blog': 33091, 'post webinars': 666398, 'webinars and': 975145, 'and podcasts': 69146, 'our mission during': 623928, 'mission during the': 534352, 'the time your': 869636, 'time your store': 898427, 'closed during the': 183090, 'help you get': 390973, 'get through it': 348436, 'through it safely': 894539, 'it safely and': 460843, 'safely and in': 730256, 'and in profit': 65065, 'in profit introducing': 427030, 'profit introducing new': 682785, 'introducing new retail': 443498, 'new retail adventure': 559489, 'retail adventure blog': 717797, 'adventure blog post': 33092, 'blog post webinars': 133004, 'post webinars and': 666399, 'webinars and podcasts': 975147, 'having asthma': 383982, 'asthma put': 97201, 'put you': 690984, 'coronavirus this': 206928, 'min video': 532581, 'video give': 956764, 'info you': 437620, 'having asthma put': 383983, 'asthma put you': 97202, 'put you at': 690985, 'you at higher': 1017334, 'higher risk for': 395727, 'the coronavirus this': 851927, 'coronavirus this min': 206931, 'this min video': 888857, 'min video give': 532582, 'video give you': 956765, 'you the info': 1021599, 'the info you': 858248, 'info you need': 437621, 'wasn taking': 968020, 'taking covid': 833317, 'seriously until': 751771, 'until spoke': 943832, 'spain he': 787302, 'he told': 385532, 'store hospital': 808182, 'hospital if': 404460, 'street going': 812980, 'going anywhere': 355015, 'they start': 883437, 'start the': 794549, 'the fine': 855241, 'fine at': 307603, '100 possible': 2042, 'possible jail': 665692, 'jail time': 464284, 'wasn taking covid': 968021, 'taking covid 19': 833318, '19 seriously until': 10423, 'seriously until spoke': 751772, 'until spoke to': 943833, 'spoke to my': 789731, 'my friend that': 548451, 'friend that life': 333826, 'that life in': 844879, 'life in spain': 488768, 'in spain he': 428172, 'spain he told': 787303, 'he told me': 385536, 'me that the': 523629, 'reason they can': 703007, 'they can leave': 881650, 'house is to': 406380, 'grocery store hospital': 365472, 'store hospital if': 808183, 'hospital if they': 404461, 'they get caught': 882160, 'get caught in': 346752, 'caught in the': 167428, 'the street going': 868229, 'street going anywhere': 812981, 'going anywhere else': 355017, 'anywhere else they': 81106, 'else they start': 271919, 'they start the': 883441, 'start the fine': 794551, 'the fine at': 855242, 'fine at 100': 307604, 'at 100 possible': 97417, '100 possible jail': 2043, 'possible jail time': 665693, 'veros': 954874, 'market home': 516526, 'increase at': 432683, 'at half': 98835, 'the rate': 865161, 'rate prior': 697347, 'to forecasting': 906183, 'forecasting by': 328899, 'by veros': 154661, 'veros real': 954875, 'estate solution': 282195, 'pandemic and it': 634882, 'and it effect': 65519, 'it effect on': 457768, 'the market home': 860119, 'market home price': 516527, 'price are expected': 672661, 'to increase at': 908269, 'increase at half': 432684, 'at half the': 98838, 'half the rate': 374275, 'the rate prior': 865167, 'rate prior to': 697348, 'the outbreak according': 862586, 'according to forecasting': 28543, 'to forecasting by': 906184, 'forecasting by veros': 328900, 'by veros real': 154662, 'veros real estate': 954876, 'real estate solution': 701164, 'suddenchange': 817058, 'and admirable': 57702, 'admirable work': 32554, 'by all': 151787, 'worker suddenchange': 1007850, 'suddenchange thankyou': 817059, 'thankyou all': 842319, 'amazing and admirable': 50640, 'and admirable work': 57703, 'admirable work being': 32555, 'done by all': 254802, 'by all grocery': 151788, 'grocery store company': 365290, 'store company and': 807125, 'company and worker': 190398, 'and worker suddenchange': 75881, 'worker suddenchange thankyou': 1007851, 'suddenchange thankyou all': 817060, 'thankyou all hand': 842320, '3day': 18254, 'justintime': 470484, '7day': 22461, 'normalsupply': 567583, 'ha demonstrated': 370351, 'demonstrated that': 236848, 'must force': 546669, 'force supermarket': 328503, 'supplychain back': 826165, 'from 3day': 334282, '3day justintime': 18255, 'justintime to': 470485, 'to 7day': 899839, '7day normalsupply': 22462, 'normalsupply chain': 567584, 'ha demonstrated that': 370353, 'demonstrated that government': 236849, 'that government must': 844062, 'government must force': 360368, 'must force supermarket': 546670, 'force supermarket and': 328504, 'supermarket and supplychain': 819074, 'and supplychain back': 72827, 'supplychain back from': 826166, 'back from 3day': 107003, 'from 3day justintime': 334283, '3day justintime to': 18256, 'justintime to 7day': 470486, 'to 7day normalsupply': 899840, '7day normalsupply chain': 22463, 'dumped milk': 262212, 'milk smashed': 531820, 'smashed egg': 775564, 'dumped milk smashed': 262213, 'milk smashed egg': 531821, 'smashed egg plowed': 775565, 'food waste of': 317486, 'waste of the': 968163, 'unfreezing': 941669, 'opinion why': 613519, 'is unfreezing': 453495, 'unfreezing consumer': 941670, 'opinion why is': 613520, 'why is unfreezing': 991128, 'is unfreezing consumer': 453496, 'unfreezing consumer habit': 941671, 'now ride': 575703, 'ride transit': 721467, 'and dial': 61308, 'dial ride': 240287, 'ride for': 721434, 'office or': 595504, 'other destination': 620098, 'destination while': 238988, 'the bus': 850136, 'practice see': 668649, 'service schedule': 752788, 'can now ride': 159070, 'now ride transit': 575705, 'ride transit and': 721468, 'transit and dial': 929623, 'and dial ride': 61309, 'dial ride for': 240288, 'ride for free': 721435, 'for free to': 321732, 'free to work': 332252, 'to work the': 918788, 'work the grocery': 1005812, 'store doctor office': 807341, 'doctor office or': 251048, 'office or other': 595507, 'or other destination': 616430, 'other destination while': 620099, 'destination while on': 238989, 'on the bus': 604002, 'the bus please': 850144, 'bus please continue': 143070, 'continue to practice': 201233, 'to practice see': 911962, 'practice see service': 668650, 'see service schedule': 745664, 'fox43findsout': 330786, 'health club': 386270, 'club act': 184397, 'act allows': 29588, 'their gym': 873461, 'gym membership': 369331, 'during situation': 263023, 'being charged': 124936, 'charged fox43findsout': 173387, 'fox43findsout what': 330787, 'the health club': 857179, 'health club act': 386271, 'club act allows': 184398, 'act allows people': 29589, 'people to cancel': 649884, 'to cancel their': 902431, 'cancel their gym': 160892, 'their gym membership': 873462, 'gym membership and': 369332, 'membership and get': 528269, 'and get refund': 63597, 'get refund during': 347907, 'refund during situation': 706897, 'during situation like': 263024, 'situation like the': 772371, 'like the pandemic': 491389, 'pandemic some people': 636513, 'some people say': 783532, 'people say they': 649353, 're still being': 699589, 'still being charged': 800273, 'being charged fox43findsout': 124938, 'charged fox43findsout what': 173388, 'fox43findsout what you': 330788, 'do to get': 250387, 'your money back': 1024854, 'pm time': 662008, 'the avondale': 849116, '00 pm time': 442, 'pm time to': 662009, 'prevent the avondale': 671726, 'the avondale buckeye': 849117, '25am': 16073, '25am est': 16076, 'est jump': 281992, 'jump on': 467883, 'food being': 313727, 'being through': 125952, 'roof right': 725838, '25am est jump': 16077, 'est jump on': 281993, 'jump on with': 467887, 'on with to': 605351, 'with to discus': 1001786, 'discus the demand': 244913, 'for food being': 321559, 'food being through': 313729, 'being through the': 125953, 'the roof right': 865974, 'roof right now': 725839, 'need public': 555489, 'transit to': 929651, 'running if': 727975, 'if public': 414699, 'transit were': 929653, 'running today': 728119, 'eat can': 265876, 'delivered everyday': 233319, 'everyday am': 286525, 'am on': 50279, 'benefit aka': 126910, 'aka food': 40483, 'we need public': 972530, 'need public transit': 555490, 'public transit to': 688400, 'transit to keep': 929652, 'to keep running': 908839, 'keep running if': 471868, 'running if public': 727977, 'if public transit': 414701, 'public transit were': 688401, 'transit were to': 929654, 'were to stop': 980271, 'to stop running': 915563, 'stop running today': 804968, 'running today would': 728120, 'today would not': 920579, 'and get food': 63574, 'to eat can': 904874, 'eat can afford': 265877, 'afford to get': 34795, 'food delivered everyday': 314094, 'delivered everyday am': 233320, 'everyday am on': 286526, 'am on snap': 50282, 'on snap benefit': 603513, 'snap benefit aka': 776079, 'benefit aka food': 126911, 'aka food stamp': 40484, 'be danish': 114335, 'stop sanitizer': 804971, 'sanitizer hoarding': 735088, 'hoarding 19': 399164, 'coronavid19 pandemic': 205388, 'to be danish': 901189, 'be danish supermarket': 114336, 'danish supermarket in': 225853, 'trick to stop': 931717, 'to stop sanitizer': 915565, 'stop sanitizer hoarding': 804972, 'sanitizer hoarding 19': 735089, 'hoarding 19 coronavid19': 399165, '19 coronavid19 pandemic': 6084, 'still online': 800942, 'birthday isn': 131438, 'isn canceled': 454453, 'canceled because': 160921, 'still online shopping': 800944, 'shopping like my': 763168, 'like my birthday': 490815, 'my birthday isn': 547459, 'birthday isn canceled': 131439, 'isn canceled because': 454454, 'canceled because of': 160922, 'else cleaning': 271664, 'cleaning packaged': 181009, 'sanitiser ha': 733965, 'sanitiser goingmental': 733964, 'anyone else cleaning': 80260, 'else cleaning packaged': 271665, 'cleaning packaged food': 181010, 'my hand sanitiser': 548613, 'hand sanitiser ha': 375234, 'sanitiser ha hand': 733966, 'ha hand sanitiser': 370811, 'hand sanitiser goingmental': 375233, 'illiterate': 416329, 'kcr': 471204, 'jagan': 464242, 'sharing for': 755525, 'those illiterate': 892081, 'illiterate people': 416330, 'who comment': 988476, 'comment without': 188469, 'having minimum': 384160, 'knowledge check': 477172, 'fact before': 295686, 'before commenting': 122699, 'commenting kcr': 188502, 'kcr and': 471205, 'and jagan': 65640, 'jagan are': 464243, 'are cm': 85407, 'cm of': 184624, 'not comment': 568803, 'sharing for those': 755526, 'for those illiterate': 327115, 'those illiterate people': 892082, 'illiterate people who': 416331, 'people who comment': 650276, 'who comment without': 988477, 'comment without having': 188470, 'without having minimum': 1002708, 'having minimum of': 384161, 'minimum of knowledge': 533205, 'of knowledge check': 585675, 'knowledge check the': 477173, 'check the fact': 174647, 'the fact before': 854818, 'fact before commenting': 295687, 'before commenting kcr': 122700, 'commenting kcr and': 188503, 'kcr and jagan': 471206, 'and jagan are': 65641, 'jagan are cm': 464244, 'are cm of': 85408, 'cm of the': 184625, 'the state they': 867815, 'will not comment': 994199, 'not comment without': 568804, 'comment without source': 188471, 'coronavirus to': 206946, 'prosecuted be': 684634, 'warned will': 967053, 'report you': 712441, 'retailer who inflate': 719424, 'inflate price because': 436988, 'of coronavirus to': 581970, 'coronavirus to be': 206947, 'be prosecuted be': 116573, 'prosecuted be warned': 684635, 'be warned will': 118044, 'warned will not': 967054, 'will not hesitate': 994230, 'hesitate to report': 394278, 'to report you': 913301, 'bombshell': 134213, 'ugly': 938040, 'this bombshell': 886587, 'bombshell with': 134214, 'economy largely': 268031, 'largely dependant': 479846, 'dependant on': 237333, 'on petroleum': 602783, 'petroleum this': 653843, 'this free': 887605, 'price isn': 674902, 'isn pretty': 454625, 'pretty sight': 671490, 'sight great': 769032, 'domestic consumer': 253175, 'very ugly': 955624, 'ugly for': 938047, 'the 19 news': 847921, '19 news we': 8782, 'news we now': 560956, 'now have this': 574883, 'have this bombshell': 383099, 'this bombshell with': 886588, 'bombshell with our': 134215, 'with our economy': 999990, 'our economy largely': 622846, 'economy largely dependant': 268032, 'largely dependant on': 479847, 'dependant on petroleum': 237334, 'on petroleum this': 602785, 'petroleum this free': 653844, 'this free fall': 887606, 'in price isn': 426973, 'price isn pretty': 674903, 'isn pretty sight': 454626, 'pretty sight great': 671491, 'sight great for': 769033, 'great for domestic': 362680, 'for domestic consumer': 320810, 'domestic consumer in': 253176, 'consumer in short': 197833, 'in short term': 427915, 'term but very': 838081, 'but very ugly': 147690, 'very ugly for': 955625, 'ugly for the': 938048, 'for the nation': 326574, 'nation in the': 552222, 'absence': 27184, 'practises': 668779, 'cultu': 220266, 'likely caused': 491966, 'by intensive': 152929, 'intensive animal': 441129, 'animal farming': 76590, 'farming or': 299637, 'or absence': 614244, 'absence of': 27189, 'of regulation': 588895, 'regulation in': 708073, 'wildlife live': 992132, 'live stock': 496024, 'and raw': 69953, 'raw cooked': 697962, 'cooked food': 202812, 'food practises': 315895, 'practises how': 668780, 'authority going': 103727, 'many different': 513995, 'different cultu': 241931, 'is likely caused': 449343, 'likely caused by': 491967, 'caused by intensive': 167845, 'by intensive animal': 152930, 'intensive animal farming': 441130, 'animal farming or': 76591, 'farming or absence': 299638, 'or absence of': 614245, 'absence of regulation': 27192, 'of regulation in': 588896, 'regulation in wildlife': 708074, 'in wildlife live': 430915, 'wildlife live stock': 992133, 'live stock and': 496025, 'stock and raw': 801828, 'and raw cooked': 69955, 'raw cooked food': 697963, 'cooked food practises': 202815, 'food practises how': 315896, 'practises how is': 668781, 'world health authority': 1009632, 'health authority going': 386182, 'authority going to': 103728, 'going to educate': 355581, 'to educate the': 904943, 'educate the world': 268763, 'world when there': 1010166, 'so many different': 777649, 'many different cultu': 513996, 'ensues': 277869, 'more buying': 538745, 'buying ensues': 150226, 'ensues the': 277870, 'there is of': 878602, 'is of in': 450401, 'country the more': 211128, 'the more empty': 860878, 'empty shelf people': 275086, 'shelf people see': 757405, 'see the more': 745859, 'the more buying': 860876, 'more buying ensues': 538746, 'buying ensues the': 150227, 'ensues the more': 277871, 'the more food': 860882, 'more food is': 539245, 'food is out': 315141, 'for leading': 322918, 'leading the': 483747, 'god my': 354774, 'my twitter': 550446, 'twitter feed': 936656, 'feed help': 302313, 'word because': 1004455, 'someone had': 784495, 'bring public': 140052, 'get result': 347926, 'result like': 717565, 'you for leading': 1018652, 'for leading the': 322919, 'leading the way': 483751, 'the way thank': 871191, 'way thank god': 969911, 'thank god my': 841583, 'god my twitter': 354775, 'my twitter feed': 550447, 'twitter feed help': 936657, 'feed help spread': 302314, 'the word because': 871698, 'word because someone': 1004456, 'because someone had': 119575, 'someone had to': 784497, 'to say something': 913839, 'say something to': 739164, 'something to bring': 785096, 'to bring public': 902047, 'bring public awareness': 140053, 'public awareness to': 687889, 'awareness to get': 105738, 'to get result': 906575, 'get result like': 347927, 'result like this': 717566, 'pantry campaign': 639552, 'the pantry campaign': 863252, 'scope': 742336, 'posing': 665132, 'china growth': 176684, 'will depend': 993158, 'the scope': 866514, 'scope and': 742337, 'and trajectory': 74368, 'trajectory of': 929386, 'europe the': 283515, 'elsewhere these': 272031, 'these outbreak': 880384, 'will dampen': 993094, 'dampen global': 225494, 'demand posing': 236052, 'posing secondary': 665137, 'secondary hit': 743883, 'economy even': 267844, 'domestic sector': 253224, 'sector recovers': 744302, 'china growth will': 176686, 'growth will depend': 367484, 'will depend on': 993159, 'on the scope': 604346, 'the scope and': 866515, 'scope and trajectory': 742338, 'and trajectory of': 74369, 'trajectory of the': 929388, 'outbreak in europe': 628341, 'in europe the': 422655, 'europe the and': 283516, 'the and elsewhere': 848694, 'and elsewhere these': 62021, 'elsewhere these outbreak': 272032, 'these outbreak will': 880385, 'outbreak will dampen': 628824, 'will dampen global': 993095, 'dampen global consumer': 225495, 'global consumer demand': 351801, 'consumer demand posing': 197155, 'demand posing secondary': 236053, 'posing secondary hit': 665138, 'secondary hit to': 743884, 'hit to china': 398471, 'to china economy': 902726, 'china economy even': 176634, 'economy even the': 267845, 'even the domestic': 284652, 'the domestic sector': 853531, 'domestic sector recovers': 253225, 'pricehike': 677873, 'outbreak brought': 628050, 'halt but': 374425, 'basic perishable': 112025, 'good paracetamol': 357544, 'paracetamol pricehike': 641265, 'pricehike via': 677876, 'only ha the': 610555, 'ha the corona': 372192, 'the corona outbreak': 851769, 'corona outbreak brought': 204087, 'outbreak brought the': 628051, 'brought the global': 141193, 'economy to screeching': 268296, 'screeching halt but': 742669, 'halt but it': 374426, 'it also ha': 456428, 'also ha skyrocketed': 48312, 'of basic perishable': 580576, 'basic perishable good': 112026, 'perishable good paracetamol': 651984, 'good paracetamol pricehike': 357545, 'paracetamol pricehike via': 641266, 'mumbaiker': 546033, 'initially there': 438581, 'over 19': 629795, 'is fear': 447758, 'over surat': 630671, 'surat migrant': 827462, 'worker unrest': 1008079, 'unrest spreading': 943365, 'spreading to': 791074, 'mumbai lockdown': 546010, 'is severe': 451812, 'severe lately': 754032, 'lately even': 480953, 'even small': 284586, 'small shop': 775113, 'shop small': 760792, 'small time': 775152, 'time fruit': 896812, 'fruit vendor': 339194, 'vendor is': 954386, 'is scared': 451671, 'street they': 813142, 'not permitted': 571008, 'permitted mumbaiker': 652173, 'mumbaiker is': 546034, 'facing food': 295471, 'initially there wa': 438582, 'wa panic over': 962906, 'panic over 19': 638384, 'over 19 now': 629797, '19 now there': 8861, 'there is fear': 878558, 'is fear over': 447760, 'fear over surat': 301278, 'over surat migrant': 630672, 'surat migrant worker': 827463, 'migrant worker unrest': 531233, 'worker unrest spreading': 1008081, 'unrest spreading to': 943366, 'spreading to mumbai': 791077, 'to mumbai lockdown': 910356, 'mumbai lockdown is': 546012, 'lockdown is severe': 499556, 'is severe lately': 451815, 'severe lately even': 754033, 'lately even small': 480954, 'even small shop': 284587, 'small shop small': 775117, 'shop small time': 760794, 'small time fruit': 775153, 'time fruit vendor': 896813, 'fruit vendor is': 339195, 'vendor is scared': 954387, 'is scared of': 451674, 'scared of selling': 741000, 'of selling on': 589496, 'selling on street': 749373, 'on street they': 603718, 'street they are': 813143, 'are not permitted': 88435, 'not permitted mumbaiker': 571010, 'permitted mumbaiker is': 652174, 'mumbaiker is facing': 546035, 'is facing food': 447693, 'facing food shortage': 295472, 'price lowest': 675133, '2003 oil': 13594, '2003 on': 13596, 'wednesday the': 975693, 'reduced demand': 706054, 'country around': 210488, 'oil price lowest': 597184, 'price lowest since': 675134, 'lowest since 2003': 506225, 'since 2003 oil': 770445, '2003 oil price': 13595, 'price reached their': 676090, 'reached their lowest': 700064, 'lowest point since': 506203, 'point since 2003': 662623, 'since 2003 on': 770446, '2003 on wednesday': 13597, 'on wednesday the': 605183, 'wednesday the ha': 975694, 'the ha reduced': 857014, 'ha reduced demand': 371681, 'reduced demand in': 706056, 'demand in country': 235666, 'in country around': 421823, 'country around the': 210489, 'arranges': 93730, 'ct dept': 220096, 'of banking': 580544, 'banking arranges': 110411, 'arranges 90': 93731, 'day mortgage': 227988, 'payment grace': 645647, 'of bank': 580537, 'ct dept of': 220097, 'dept of banking': 237742, 'of banking arranges': 580545, 'banking arranges 90': 110412, 'arranges 90 day': 93732, '90 day mortgage': 23289, 'day mortgage payment': 227989, 'mortgage payment grace': 541936, 'payment grace period': 645648, 'period for those': 651767, 'in need due': 425738, 'to the list': 916851, 'the list of': 859469, 'list of bank': 494413, 'of bank and': 580538, 'bank and credit': 109605, 'and credit union': 60735, 'almaty': 46450, 'askhat': 95922, 'zheksebayev': 1027543, 'equipped': 279881, 'almaty civil': 46451, 'civil activist': 179509, 'activist askhat': 30337, 'askhat zheksebayev': 95923, 'zheksebayev wa': 1027544, 'wa jailed': 962438, 'jailed for': 464298, 'then equipped': 877151, 'equipped doctor': 279882, 'doctor arrived': 250841, 'temporary detention': 837606, 'detention center': 239371, 'center perhaps': 169288, 'to infect': 908350, 'infect the': 436511, 'the activist': 848310, 'activist with': 30351, 'almaty civil activist': 46452, 'civil activist askhat': 179510, 'activist askhat zheksebayev': 30338, 'askhat zheksebayev wa': 95924, 'zheksebayev wa jailed': 1027545, 'wa jailed for': 962439, 'jailed for going': 464300, 'for going to': 321918, 'to supermarket then': 915846, 'supermarket then equipped': 823266, 'then equipped doctor': 877152, 'equipped doctor arrived': 279883, 'doctor arrived at': 250842, 'at the temporary': 101119, 'the temporary detention': 869283, 'temporary detention center': 837607, 'detention center perhaps': 239373, 'center perhaps this': 169289, 'perhaps this wa': 651657, 'this wa an': 891052, 'wa an attempt': 961528, 'attempt to infect': 102248, 'to infect the': 908354, 'infect the activist': 436512, 'the activist with': 848311, 'relaxation': 708840, 'merger': 529101, 'pretext': 671345, 'oligarch': 598728, 'this sector': 889999, 'been falling': 121129, 'falling demonstrated': 297239, 'demonstrated by': 236846, 'movement in': 543883, 'main listed': 508771, 'listed hospital': 494619, 'hospital group': 404439, 'group so': 366886, 'year there': 1015008, 'few now': 303955, 'the relaxation': 865475, 'relaxation of': 708847, 'of competition': 581622, 'encourage new': 275606, 'new merger': 559102, 'merger under': 529108, 'the pretext': 864302, 'pretext of': 671346, 'of efficiency': 582987, 'efficiency the': 269408, 'the oligarch': 862155, 'oligarch benefit': 598729, 'corporate profit in': 207327, 'profit in this': 682777, 'in this sector': 430009, 'this sector have': 890001, 'sector have been': 744209, 'have been falling': 379536, 'been falling demonstrated': 121130, 'falling demonstrated by': 297240, 'demonstrated by the': 236847, 'by the movement': 154381, 'the movement in': 861098, 'movement in the': 543884, 'in the share': 429542, 'the share price': 866790, 'the main listed': 859905, 'main listed hospital': 508772, 'listed hospital group': 494620, 'hospital group so': 404441, 'group so far': 366887, 'far this year': 298945, 'this year there': 891598, 'year there are': 1015009, 'are only few': 88766, 'only few now': 610439, 'few now the': 303956, 'now the relaxation': 576066, 'the relaxation of': 865476, 'relaxation of competition': 708848, 'of competition rule': 581623, 'competition rule will': 191740, 'rule will encourage': 727413, 'will encourage new': 993300, 'encourage new merger': 275607, 'new merger under': 559103, 'merger under the': 529110, 'under the pretext': 940324, 'the pretext of': 864303, 'pretext of efficiency': 671347, 'of efficiency the': 582989, 'efficiency the oligarch': 269409, 'the oligarch benefit': 862156, 'dt': 261373, 'cused': 221908, 'doe any': 251328, 'any else': 79176, 'else think': 271921, 'think dt': 885216, 'dt gop': 261376, 'gop responsible': 358276, 'responsible these': 716060, 'these death': 879907, 'death cused': 230014, 'cused by': 221909, 'they failed': 882090, 'failed usa': 296189, 'usa drastically': 948626, 'drastically may': 258451, 'may they': 521571, 'all rip': 44197, 'rip who': 722679, 'doe any else': 251329, 'any else think': 79177, 'else think dt': 271922, 'think dt gop': 885217, 'dt gop responsible': 261377, 'gop responsible these': 358277, 'responsible these death': 716061, 'these death cused': 879909, 'death cused by': 230015, 'cused by covid': 221910, '19 they failed': 11306, 'they failed usa': 882091, 'failed usa drastically': 296190, 'usa drastically may': 948627, 'drastically may they': 258452, 'may they all': 521572, 'they all rip': 881120, 'all rip who': 44198, 'rip who lost': 722680, 'sumantra': 817888, 'hi sumantra': 394742, 'sumantra we': 817889, 'your qu': 1025486, 'hi sumantra we': 394743, 'sumantra we are': 817890, 'with your qu': 1002224, 'supermarketowners': 824225, 'suspension': 829684, 'supermarketowners customer': 824226, 'customer request': 222759, 'request vat': 713226, 'vat suspension': 952738, 'supermarketowners customer request': 824227, 'customer request vat': 222760, 'request vat suspension': 713227, 'largest airline': 479916, 'airline have': 39960, 'spent 96': 789100, '96 of': 23660, 'free cash': 331702, 'flow over': 311257, 'past decade': 643524, 'decade buying': 230667, 'buying back': 149984, 'own stock': 632232, 'boost executive': 134950, 'executive bonus': 289863, 'please wealthy': 660763, 'wealthy investor': 974211, 'investor they': 444216, 'now expect': 574642, 'expect taxpayer': 290736, 'taxpayer to': 835205, 'bail them': 108594, 'the tune': 870104, 'tune of': 935417, '50 billion': 19630, 'billion it': 130857, 'same old': 733186, 'old story': 598480, 'america largest airline': 51590, 'largest airline have': 479917, 'airline have spent': 39962, 'have spent 96': 382685, 'spent 96 of': 789101, '96 of their': 23662, 'of their free': 591664, 'their free cash': 873370, 'free cash flow': 331703, 'cash flow over': 166230, 'flow over the': 311258, 'the past decade': 863352, 'past decade buying': 643525, 'decade buying back': 230668, 'buying back their': 149986, 'back their own': 107322, 'their own stock': 874206, 'own stock to': 632235, 'to boost executive': 901918, 'boost executive bonus': 134951, 'executive bonus and': 289864, 'bonus and please': 134349, 'and please wealthy': 69118, 'please wealthy investor': 660764, 'wealthy investor they': 974213, 'investor they now': 444217, 'they now expect': 882797, 'now expect taxpayer': 574643, 'expect taxpayer to': 290737, 'taxpayer to bail': 835206, 'to bail them': 901002, 'bail them out': 108595, 'to the tune': 917148, 'the tune of': 870105, 'tune of 50': 935418, 'of 50 billion': 579608, '50 billion it': 19634, 'billion it the': 130858, 'the same old': 866268, 'same old story': 733188, 'wonderful country': 1004070, 'volunteer delivery': 960246, 'that plan': 845755, 'bring week': 140114, 'wonderful country star': 1004072, 'brad paisley ha': 137529, 'paisley ha launched': 634385, 'ha launched volunteer': 371114, 'launched volunteer delivery': 482049, 'volunteer delivery service': 960247, 'delivery service that': 234470, 'service that plan': 752925, 'that plan to': 845756, 'to bring week': 902057, 'bring week worth': 140115, 'grocery to senior': 366059, 'absolutely starting': 27450, 'when me': 983724, 'partner only': 642867, 'have 11': 379070, 'the 23': 848041, '23 of': 15418, 'any cheap': 79016, 'cheap food': 174112, 'empty life': 274935, 'is struggle': 452393, 'struggle 19uk': 814323, 'absolutely starting to': 27451, 'panic when me': 638779, 'when me and': 983725, 'and my partner': 67384, 'my partner only': 549723, 'partner only have': 642868, 'only have 11': 610572, 'have 11 to': 379071, '11 to last': 2604, 'to last until': 909076, 'last until the': 480610, 'until the 23': 943845, 'the 23 of': 848042, '23 of this': 15421, 'of this month': 592008, 'this month but': 888900, 'month but we': 537630, 'can get any': 158401, 'get any cheap': 346571, 'any cheap food': 79017, 'cheap food the': 174114, 'are empty life': 86155, 'empty life is': 274936, 'life is struggle': 488817, 'is struggle 19uk': 452394, 'napier': 551849, 'pak': 634401, 'nsave': 576658, 'nz chicken': 578182, 'chicken spark': 175862, 'spark gang': 787538, 'gang fight': 343392, 'at napier': 99845, 'napier pak': 551850, 'pak nsave': 634408, 'nsave supermarket': 576659, '19 coronavirus in': 6106, 'coronavirus in nz': 206122, 'in nz chicken': 426035, 'nz chicken spark': 578183, 'chicken spark gang': 175863, 'spark gang fight': 787539, 'gang fight at': 343393, 'fight at napier': 304665, 'at napier pak': 99846, 'napier pak nsave': 551851, 'pak nsave supermarket': 634409, 'nsave supermarket via': 576660, 'westbaluchistan': 980561, 'innovated': 438839, 'balochistan': 109114, 'pmimrankhan': 662055, 'in westbaluchistan': 430805, 'westbaluchistan innovated': 980562, 'innovated with': 438842, 'to sanction': 913745, 'sanction child': 733622, 'eastern balochistan': 265575, 'balochistan coronainpakistan': 109115, 'coronainpakistan pmimrankhan': 205011, 'pmimrankhan chinesevirus': 662056, 'child in westbaluchistan': 176118, 'in westbaluchistan innovated': 430806, 'westbaluchistan innovated with': 980563, 'innovated with their': 438843, 'their own mask': 874186, 'own mask price': 632094, 'price skyrocketed due': 676445, 'due to sanction': 261932, 'to sanction child': 913747, 'sanction child of': 733623, 'child of eastern': 176156, 'of eastern balochistan': 582931, 'eastern balochistan coronainpakistan': 265576, 'balochistan coronainpakistan pmimrankhan': 109116, 'coronainpakistan pmimrankhan chinesevirus': 205012, 'stillwithher': 801468, 'morning stillwithher': 541468, 'heading into the': 385945, 'this morning stillwithher': 889020, 'topeka': 925765, 'derek': 237849, 'schmidt': 741622, 'warning beware': 967097, 'coronavirus text': 206892, 'message scam': 529410, 'scam topeka': 740433, 'topeka kansa': 925766, 'kansa attorney': 470803, 'general derek': 345319, 'derek schmidt': 237850, 'schmidt is': 741623, 'urging kansa': 948432, 'kansa to': 470820, 'new text': 559740, '19 text': 11117, 'consumer warning beware': 199475, 'warning beware of': 967098, 'beware of new': 129087, 'of new coronavirus': 586959, 'new coronavirus text': 558552, 'coronavirus text message': 206893, 'text message scam': 839914, 'message scam topeka': 529413, 'scam topeka kansa': 740434, 'topeka kansa attorney': 925767, 'kansa attorney general': 470804, 'attorney general derek': 102634, 'general derek schmidt': 345320, 'derek schmidt is': 237851, 'schmidt is urging': 741624, 'is urging kansa': 453604, 'urging kansa to': 948433, 'kansa to be': 470821, 'wary of new': 967408, 'of new text': 586988, 'new text message': 559741, 'message scam related': 529412, 'covid 19 text': 213924, '19 text phishing': 11119, 'text phishing scam': 839931, 'see gas': 745150, 'price below': 672904, 'angeles want': 76391, 'then remind': 877474, 'remind myself': 710490, 'myself there': 550951, 'there nowhere': 878885, 'when see gas': 983973, 'see gas price': 745152, 'gas price below': 343936, 'price below 00': 672905, 'below 00 in': 126550, '00 in los': 266, 'los angeles want': 503373, 'angeles want to': 76392, 'thank you then': 841827, 'you then remind': 1021626, 'then remind myself': 877475, 'remind myself there': 710493, 'myself there nowhere': 550952, 'there nowhere to': 878886, 'oh geez': 596386, 'geez rt': 345052, 'rt gamestop': 726763, 'gamestop claim': 343323, 'despite government': 238751, 'government order': 360430, 'coronavirus gamestop': 205981, 'oh geez rt': 596387, 'geez rt gamestop': 345053, 'rt gamestop claim': 726764, 'gamestop claim it': 343324, 'claim it an': 179753, 'it an essential': 456468, 'an essential retail': 55831, 'essential retail store': 281472, 'retail store refuse': 718689, 'close despite government': 182607, 'despite government order': 238752, 'government order in': 360433, 'of coronavirus gamestop': 581938, 'beneficiary': 126887, 'compound': 192588, 'cannot seem': 162080, 'solid answer': 781908, 'answer about': 78000, 'pickup with': 656051, 'with snap': 1000781, 'snap day': 776087, 'week pas': 976729, 'huge problem': 410143, 'problem many': 679601, 'many snap': 514713, 'snap beneficiary': 776076, 'beneficiary avoid': 126892, 'that compound': 843275, 'compound symptom': 192591, 'cannot seem to': 162081, 'seem to get': 746693, 'to get solid': 906594, 'get solid answer': 348037, 'solid answer about': 781909, 'answer about paying': 78001, 'about paying for': 25926, 'paying for online': 645414, 'for delivery and': 320627, 'curbside pickup with': 220666, 'pickup with snap': 656052, 'with snap day': 1000782, 'snap day and': 776088, 'and week pas': 75380, 'week pas this': 976730, 'pas this will': 643163, 'be huge problem': 115318, 'huge problem many': 410144, 'problem many snap': 679602, 'many snap beneficiary': 514714, 'snap beneficiary avoid': 776077, 'beneficiary avoid going': 126893, 'avoid going in': 105129, 'going in store': 355221, 'health issue that': 386579, 'issue that compound': 455959, 'that compound symptom': 843276, 'compound symptom of': 192592, 'sho': 759408, 'think grocery': 885269, 'they await': 881519, 'await stock': 105539, 'are diligently': 85823, 'diligently preparing': 242878, 'inevitable here': 436380, 'ny where': 577925, 'where case': 984775, 'are highest': 87160, 'highest ve': 395872, 've yet': 953664, 'see anyone': 744928, 'anyone panic': 80459, 'panic hoard': 638173, 'but yes': 147961, 'are sho': 90046, 'think grocery store': 885270, 'are empty because': 86142, 'empty because they': 274804, 'because they await': 119690, 'they await stock': 881520, 'await stock while': 105540, 'stock while people': 803192, 'while people are': 987149, 'people are diligently': 646954, 'are diligently preparing': 85824, 'diligently preparing for': 242879, 'for the inevitable': 326503, 'the inevitable here': 858207, 'inevitable here in': 436381, 'here in ny': 393171, 'in ny where': 426009, 'ny where case': 577926, 'where case of': 984776, '19 are highest': 5202, 'are highest ve': 87161, 'highest ve yet': 395873, 've yet to': 953665, 'yet to see': 1016296, 'to see anyone': 913985, 'see anyone panic': 744932, 'anyone panic hoard': 80461, 'panic hoard but': 638174, 'hoard but yes': 398768, 'but yes they': 147962, 'yes they are': 1015566, 'they are sho': 881405, 'tuck': 935060, 'crab': 214684, 'to tuck': 917828, 'tuck into': 935061, 'into some': 442999, 'some crab': 782625, 'crab and': 214685, 'our british': 622273, 'british seafood': 140589, 'seafood industry': 743136, 'industry the': 436147, 'way supermarket': 969899, 'stock more': 802480, 'let rt': 487015, 'rt and': 726736, 'time to tuck': 898091, 'to tuck into': 917829, 'tuck into some': 935062, 'into some crab': 443000, 'some crab and': 782626, 'crab and support': 214687, 'and support our': 72847, 'support our british': 826724, 'our british seafood': 622274, 'british seafood industry': 140590, 'seafood industry the': 743137, 'industry the only': 436150, 'only way supermarket': 611441, 'way supermarket will': 969901, 'supermarket will stock': 823895, 'will stock more': 994990, 'stock more is': 802481, 'more is if': 539621, 'is if we': 448659, 'we eat more': 971434, 'eat more of': 265986, 'more of it': 539876, 'of it let': 585415, 'it let rt': 459336, 'let rt and': 487016, 'rt and increase': 726739, 'and increase demand': 65103, 'lmic': 497180, 'btwn': 141564, 'in lmic': 424810, 'lmic country': 497181, 'country do': 210580, 'have running': 382372, 'water share': 969151, 'share toilet': 755312, 'toilet with': 921660, 'no to': 565738, 'or space': 617171, 'stay 6ft': 796738, 'apart exacerbates': 81253, 'exacerbates inequality': 288678, 'inequality btwn': 436344, 'btwn household': 141567, 'household community': 406765, 'community country': 189800, 'country always': 210422, 'always being': 49493, 'being poor': 125555, 'poor is': 664202, 'many in lmic': 514167, 'in lmic country': 424811, 'lmic country do': 497182, 'country do not': 210581, 'not have running': 569864, 'have running water': 382373, 'running water share': 728133, 'water share toilet': 969152, 'share toilet with': 755313, 'toilet with other': 921661, 'with other household': 999952, 'other household have': 620371, 'household have no': 406830, 'have no to': 381661, 'no to stock': 565745, 'food or space': 315669, 'or space to': 617173, 'space to stay': 787181, 'to stay 6ft': 915265, 'stay 6ft apart': 796739, '6ft apart exacerbates': 21595, 'apart exacerbates inequality': 81254, 'exacerbates inequality btwn': 288679, 'inequality btwn household': 436345, 'btwn household community': 141568, 'household community country': 406766, 'community country always': 189801, 'country always being': 210423, 'always being poor': 49494, 'being poor is': 125556, 'poor is bad': 664203, 'is bad for': 445964, 'for your health': 328162, 'osha': 619702, 'northam': 567694, 'see below': 744957, 'week update': 977148, 'reserve osha': 714088, 'osha department': 619703, 'of treasury': 592436, 'treasury virginia': 930791, 'service well': 753057, 'governor northam': 360949, 'northam regarding': 567699, 'regarding restaurant': 707248, 'restaurant relief': 716660, 'see below for': 744958, 'below for this': 126651, 'for this week': 327087, 'this week update': 891290, 'week update from': 977149, 'update from the': 946986, 'federal reserve osha': 302047, 'reserve osha department': 714089, 'osha department of': 619704, 'department of treasury': 237248, 'of treasury virginia': 592437, 'treasury virginia department': 930792, 'consumer service well': 198954, 'service well the': 753059, 'well the latest': 978662, 'news from governor': 560452, 'from governor northam': 335679, 'governor northam regarding': 360950, 'northam regarding restaurant': 567700, 'regarding restaurant relief': 707249, 'tuscan': 936022, 'kale': 470699, 'smoked': 775876, 'chorizo': 178011, 'mirepoix': 533940, 'familytime': 298425, 'white bean': 987817, 'bean soup': 118363, 'soup tuscan': 786422, 'tuscan kale': 936023, 'kale smoked': 470704, 'smoked ham': 775880, 'ham stock': 374537, 'stock tomato': 803013, 'tomato chorizo': 923946, 'chorizo mirepoix': 178012, 'mirepoix garlic': 533941, 'garlic cheflife': 343680, 'cheflife familytime': 175287, 'familytime socialdistancing': 298426, 'socialdistancing simple': 780689, 'simple good': 770030, 'food los': 315348, 'white bean soup': 987818, 'bean soup tuscan': 118364, 'soup tuscan kale': 786423, 'tuscan kale smoked': 936024, 'kale smoked ham': 470705, 'smoked ham stock': 775881, 'ham stock tomato': 374538, 'stock tomato chorizo': 803014, 'tomato chorizo mirepoix': 923947, 'chorizo mirepoix garlic': 178013, 'mirepoix garlic cheflife': 533942, 'garlic cheflife familytime': 343681, 'cheflife familytime socialdistancing': 175288, 'familytime socialdistancing simple': 298427, 'socialdistancing simple good': 780690, 'simple good food': 770031, 'good food los': 357062, 'food los angeles': 315349, 'compelled': 191513, 'we felt': 971543, 'felt compelled': 303373, 'compelled to': 191514, 'possible since': 665776, 'the equipment': 854458, 'to blend': 901853, 'blend bottle': 132573, 'bottle package': 136308, 'package ship': 633392, 'ship we': 758733, 'we switched': 973470, 'switched gear': 830534, 'gear put': 344974, 'put our': 690742, 'regular production': 707848, 'hold focus': 399922, 'focus entirely': 311835, 'entirely on': 278801, 'providing this': 687115, 'sanitizer life': 735284, 'life industry': 488778, 'industry corp': 435751, 'we felt compelled': 971544, 'felt compelled to': 303374, 'compelled to help': 191515, 'help in any': 389891, 'way possible since': 969823, 'possible since we': 665777, 'since we already': 770974, 'have the equipment': 382981, 'the equipment to': 854462, 'equipment to blend': 279855, 'to blend bottle': 901854, 'blend bottle package': 132574, 'bottle package ship': 136309, 'package ship we': 633393, 'ship we switched': 758734, 'we switched gear': 973471, 'switched gear put': 830535, 'gear put our': 344975, 'put our regular': 690745, 'our regular production': 624573, 'regular production on': 707849, 'production on hold': 682164, 'on hold focus': 601341, 'hold focus entirely': 399923, 'focus entirely on': 311836, 'entirely on providing': 278802, 'on providing this': 602993, 'providing this sanitizer': 687116, 'this sanitizer life': 889956, 'sanitizer life industry': 735285, 'life industry corp': 488779, 'supermarket count': 819837, 'count 14': 210093, 'check whether': 174710, 'died if': 241567, 'count another': 210099, 'died again': 241508, 'go again': 353251, 'and count': 60628, 'count again': 210095, 'again repeat': 37142, 'repeat this': 711539, 'this until': 890924, 'the supermarket count': 868538, 'supermarket count 14': 819838, 'count 14 day': 210094, 'day and check': 227256, 'and check whether': 59785, 'check whether you': 174711, 'whether you have': 985618, 'you have died': 1019037, 'have died if': 380268, 'died if not': 241568, 'if not go': 414499, 'not go back': 569672, 'supermarket count another': 819839, 'count another 14': 210100, 'check if you': 174469, 'have died again': 380262, 'died again if': 241509, 'again if not': 37033, 'not go again': 569670, 'go again and': 353252, 'again and count': 36886, 'and count again': 60629, 'count again repeat': 210096, 'again repeat this': 37143, 'repeat this until': 711540, 'this until you': 890926, 'until you die': 943938, 'when use': 984368, 'when use hand': 984369, 'sanitizer even after': 734834, 'even after washing': 283822, 'after washing my': 36508, 'budget review': 141811, 'review for': 720561, 'act on': 29729, 'on globally': 601115, 'globally accessible': 352364, 'accessible trade': 28348, 'in affordable': 420074, 'affordable care': 34837, 'care medicine': 164061, 'medicine based': 526738, 'the affordable': 848410, 'act making': 29694, 'making medicine': 511211, 'healthcare affordable': 387018, 'affordable and': 34833, 'preventing covid': 671806, 'investment of': 444032, 'world bank': 1009345, '2020 budget review': 14195, 'budget review for': 141812, 'review for the': 720563, 'protection act on': 685280, 'act on globally': 29731, 'on globally accessible': 601116, 'globally accessible trade': 352365, 'accessible trade in': 28349, 'trade in affordable': 928508, 'in affordable care': 420075, 'affordable care medicine': 34840, 'care medicine based': 164062, 'medicine based on': 526739, 'on the affordable': 603960, 'the affordable care': 848411, 'affordable care act': 34838, 'care act making': 163817, 'act making medicine': 29696, 'making medicine and': 511212, 'medicine and healthcare': 526717, 'and healthcare affordable': 64371, 'healthcare affordable and': 387019, 'affordable and preventing': 34836, 'and preventing covid': 69422, 'preventing covid 19': 671807, '19 with the': 12145, 'with the investment': 1001352, 'the investment of': 858419, 'investment of the': 444033, 'the world bank': 871821, 'these vulnerable': 880936, 'cannot reach': 162049, 'reach anyone': 699898, 'to arrange': 900718, 'shopping am': 761934, 'problem am': 679448, 'danger self': 225692, 'isolate while': 454947, 'while awaiting': 986634, 'awaiting result': 105549, 'of these vulnerable': 591872, 'these vulnerable people': 880937, 'people cannot reach': 647437, 'cannot reach anyone': 162050, 'reach anyone to': 699899, 'anyone to arrange': 80578, 'to arrange online': 900720, 'arrange online shopping': 93690, 'online shopping am': 609023, 'shopping am at': 761935, 'am at serious': 49913, 'to health problem': 907373, 'health problem am': 386753, 'problem am already': 679449, 'am already sick': 49869, 'already sick and': 47657, 'sick and am': 768360, 'and am in': 58021, 'am in danger': 50134, 'in danger self': 421979, 'danger self isolate': 225693, 'self isolate while': 747697, 'isolate while awaiting': 454948, 'while awaiting result': 986636, 'awaiting result after': 105550, 'hi doug': 394627, 'doug we': 256263, 're very': 699769, 'sorry about': 786004, 'the delayed': 853050, 'delayed reply': 232805, 'reply starting': 711751, 'hi doug we': 394628, 'doug we re': 256264, 'we re very': 972997, 're very sorry': 699771, 'very sorry about': 955571, 'sorry about the': 786005, 'about the delayed': 26373, 'the delayed reply': 853051, 'delayed reply starting': 232806, 'reply starting on': 711752, 'sly': 774736, 'kid hanging': 473979, 'hanging around': 376960, 'around street': 93494, 'supermarket crazy': 819854, 'crazy christmas': 215267, 'christmas hearing': 178177, 'that pub': 845899, 'back door': 106957, 'door on': 255675, 'the sly': 867352, 'sly laid': 774738, 'laid back': 479003, 'of person': 588053, 'person but': 652338, 'even anxious': 283840, 'anxious at': 78840, 'impending spike': 418331, 'case stay': 166035, 'everyone stayathome': 287407, 'of kid hanging': 585626, 'kid hanging around': 473980, 'hanging around street': 376964, 'around street and': 93495, 'street and the': 812901, 'the supermarket crazy': 868542, 'supermarket crazy christmas': 819855, 'crazy christmas hearing': 215268, 'christmas hearing that': 178178, 'hearing that pub': 388245, 'that pub are': 845900, 'pub are opening': 687667, 'are opening the': 88814, 'the back door': 849143, 'back door on': 106958, 'door on the': 255677, 'on the sly': 604370, 'the sly laid': 867353, 'sly laid back': 774739, 'laid back sort': 479005, 'sort of person': 786133, 'of person but': 588055, 'person but even': 652340, 'but even anxious': 145665, 'even anxious at': 283841, 'anxious at the': 78841, 'at the impending': 100985, 'the impending spike': 857960, 'impending spike in': 418332, 'spike in case': 789292, 'in case stay': 421275, 'case stay safe': 166036, 'safe everyone stayathome': 729651, 'omg this': 598917, 'just caught': 468444, 'camera at': 157112, 'station retweet': 796503, 'your shocked': 1025754, 'omg this wa': 598918, 'this wa just': 891073, 'wa just caught': 962454, 'just caught on': 468445, 'on camera at': 599781, 'camera at local': 157113, 'at local gas': 99605, 'gas station retweet': 344128, 'station retweet if': 796504, 'retweet if your': 720056, 'if your shocked': 415609, 'fast spread': 300041, 'italy along': 462759, 'with measure': 999461, 'restrict individual': 717104, 'individual movement': 435223, 'movement ha': 543877, 'ha dragged': 370438, 'dragged down': 258176, 'down power': 257104, 'power and': 667556, 'gas demand': 343812, 'and caused': 59641, 'caused price': 167939, 'the fast spread': 854966, 'fast spread of': 300042, 'of 19 in': 579395, '19 in italy': 7756, 'in italy along': 424289, 'italy along with': 462760, 'along with measure': 47063, 'with measure to': 999463, 'measure to restrict': 525405, 'to restrict individual': 913429, 'restrict individual movement': 717105, 'individual movement ha': 435224, 'movement ha dragged': 543878, 'ha dragged down': 370439, 'dragged down power': 258177, 'down power and': 257105, 'power and gas': 667559, 'and gas demand': 63474, 'gas demand in': 343814, 'country and caused': 210437, 'and caused price': 59642, 'caused price to': 167941, 'price to collapse': 676976, 'infringement': 438237, 'not ever': 569290, 'ever book': 285233, 'your holiday': 1024330, 'holiday with': 400387, 'are point': 89129, 'point blank': 662443, 'blank refusing': 132373, 'me refund': 523387, 'for cancelled': 319907, 'holiday holiday': 400309, 'holiday they': 400363, 'they cancelled': 881693, 'cancelled due': 161105, 'coronavirus direct': 205822, 'direct infringement': 243345, 'infringement of': 438238, 'right holiday': 721940, 'holiday criminal': 400277, 'criminal consumerprotection': 216829, 'do not ever': 249728, 'not ever book': 569291, 'ever book your': 285234, 'book your holiday': 134646, 'your holiday with': 1024332, 'holiday with they': 400389, 'with they are': 1001665, 'they are point': 881361, 'are point blank': 89130, 'point blank refusing': 662444, 'blank refusing to': 132374, 'refusing to give': 707092, 'give me refund': 350580, 'me refund for': 523388, 'refund for cancelled': 706909, 'for cancelled holiday': 319908, 'cancelled holiday holiday': 161123, 'holiday holiday they': 400310, 'holiday they cancelled': 400364, 'they cancelled due': 881694, 'cancelled due to': 161106, 'the coronavirus direct': 851832, 'coronavirus direct infringement': 205823, 'direct infringement of': 243346, 'infringement of consumer': 438239, 'of consumer right': 581768, 'consumer right holiday': 198816, 'right holiday criminal': 721941, 'holiday criminal consumerprotection': 400278, 'flavonoid': 310230, 'the expat': 854699, 'expat population': 290578, 'bangalore is': 109461, 'on wine': 605329, 'wine which': 995925, 'is sort': 452130, 'food rich': 316233, 'rich in': 721227, 'in flavonoid': 422932, 'flavonoid the': 310231, 'news minute': 560618, 'minute tweeted': 533886, 'tweeted supermarket': 936448, 'hyderabad witness': 411940, 'witness rush': 1003125, 'rush consumer': 728288, 'up ah': 944246, 'the expat population': 854700, 'expat population in': 290579, 'population in bangalore': 664689, 'in bangalore is': 420690, 'bangalore is stocking': 109462, 'is stocking up': 452341, 'up on wine': 945646, 'on wine which': 605330, 'wine which is': 995926, 'which is sort': 986055, 'is sort of': 452131, 'sort of food': 786122, 'of food rich': 583764, 'food rich in': 316234, 'rich in flavonoid': 721229, 'in flavonoid the': 422933, 'flavonoid the news': 310232, 'the news minute': 861619, 'news minute tweeted': 560619, 'minute tweeted supermarket': 533887, 'tweeted supermarket in': 936449, 'in hyderabad witness': 423939, 'hyderabad witness rush': 411941, 'witness rush consumer': 1003126, 'rush consumer stock': 728289, 'stock up ah': 803054, 'from global': 335644, 'global farming': 351934, 'farming suffers': 299649, 'suffers from': 817358, 'price labor': 675007, 'labor shortage': 478437, 'shortage spread': 765220, 'from global farming': 335645, 'global farming suffers': 351935, 'farming suffers from': 299650, 'suffers from falling': 817359, 'from falling price': 335397, 'falling price labor': 297326, 'price labor shortage': 675008, 'labor shortage spread': 478444, 'easter than': 265508, 'in past': 426542, 'includes some': 431812, 'warehouse store': 966775, 'via retail': 956207, 'business easter': 143675, 'more retailer will': 540259, 'retailer will be': 719427, 'be closed for': 114127, 'closed for easter': 183126, 'for easter than': 320923, 'easter than in': 265509, 'than in past': 840780, 'in past year': 426546, 'past year because': 643659, 'pandemic that includes': 636651, 'that includes some': 844481, 'includes some grocery': 431813, 'and warehouse store': 75185, 'warehouse store via': 966778, 'store via retail': 811062, 'via retail business': 956209, 'retail business easter': 717904, 'enjoying using': 277249, 'using my': 950565, 'my christmas': 547684, 'christmas boris': 178156, 'boris bog': 135447, 'roll toiletpaper': 725563, 'corona borisjohnson': 203831, 'enjoying using my': 277250, 'using my christmas': 950567, 'my christmas boris': 547685, 'christmas boris bog': 178157, 'boris bog roll': 135448, 'bog roll toiletpaper': 133963, 'roll toiletpaper toiletpapercrisis': 725565, 'toiletpapercrisis corona borisjohnson': 923016, 'learn out': 484049, 'europe tech': 283511, 'tech digital': 836075, 'digital data': 242548, 'data business': 226154, 'learn out covid': 484050, 'in europe tech': 422653, 'europe tech digital': 283512, 'tech digital data': 836076, 'digital data business': 242549, 'tseng': 934927, 'daria': 225945, 'weissman': 977852, 'made unthinkable': 508047, 'unthinkable reform': 943625, 'reform reality': 706730, 'reality now': 701765, 'them permanent': 876156, 'permanent france': 652054, 'france tseng': 331044, 'tseng and': 934928, 'and daria': 60950, 'daria weissman': 225948, 'weissman the': 977853, 'to extraordinary': 905545, 'extraordinary response': 293747, 'response such': 715798, 'such housing': 816558, 'housing guarantee': 407084, 'guarantee ending': 367703, 'ending over': 276192, 'over incarceration': 630318, 'incarceration and': 431330, 'pandemic ha made': 635556, 'ha made unthinkable': 371221, 'made unthinkable reform': 508048, 'unthinkable reform reality': 943626, 'reform reality now': 706732, 'reality now to': 701766, 'now to make': 576172, 'to make them': 909752, 'make them permanent': 510610, 'them permanent france': 876157, 'permanent france tseng': 652055, 'france tseng and': 331045, 'tseng and daria': 934929, 'and daria weissman': 60952, 'daria weissman the': 225949, 'weissman the crisis': 977854, 'the crisis ha': 852387, 'led to extraordinary': 485282, 'to extraordinary response': 905546, 'extraordinary response such': 293748, 'response such housing': 715800, 'such housing guarantee': 816560, 'housing guarantee ending': 407085, 'guarantee ending over': 367704, 'ending over incarceration': 276193, 'over incarceration and': 630319, 'incarceration and lowering': 431331, 'and lowering drug': 66466, 'drug price that': 261056, 'beemit': 120576, 'got contacted': 358500, 'work saying': 1005693, 'saying ll': 739636, 'while due': 986779, 'outbreak paypal': 628523, 'paypal or': 645807, 'or beemit': 614521, 'beemit me': 120577, 'support my': 826655, 'addiction also': 31634, 'grocery wherever': 366135, 'wherever can': 985458, 'them bc': 875462, 'bc all': 113219, 'got contacted by': 358501, 'contacted by my': 200320, 'by my work': 153291, 'my work saying': 550646, 'work saying ll': 1005694, 'saying ll be': 739637, 'll be out': 496606, 'work for while': 1005182, 'for while due': 327839, 'while due to': 986780, 'coronavirus outbreak paypal': 206403, 'outbreak paypal or': 628524, 'paypal or beemit': 645808, 'or beemit me': 614522, 'beemit me to': 120578, 'me to support': 523785, 'to support my': 915946, 'support my online': 826658, 'shopping addiction also': 761892, 'addiction also to': 31635, 'also to pay': 49021, 'pay for my': 644887, 'for my grocery': 323711, 'my grocery wherever': 548585, 'grocery wherever can': 366136, 'wherever can find': 985459, 'can find them': 158340, 'find them bc': 307312, 'them bc all': 875463, 'bc all the': 113220, 'in supermarket are': 428559, 'supermarket are empty': 819155, 'article released': 94442, 'released today': 709092, 'about prevalent': 25985, 'prevalent snap': 671569, 'snap authorized': 776072, 'authorized retailer': 103837, 'retailer commitment': 719089, 'encourage healthy': 275592, 'healthy consumer': 387560, 'purchase among': 689343, 'among vulnerable': 53110, 'population take': 664739, '19 stress': 10909, 'access using': 28302, 'new article released': 558360, 'article released today': 94443, 'released today about': 709093, 'today about prevalent': 919143, 'about prevalent snap': 25986, 'prevalent snap authorized': 671570, 'snap authorized retailer': 776073, 'authorized retailer commitment': 103838, 'retailer commitment to': 719090, 'commitment to encourage': 189005, 'to encourage healthy': 905060, 'encourage healthy consumer': 275593, 'healthy consumer purchase': 387561, 'consumer purchase among': 198610, 'purchase among vulnerable': 689344, 'among vulnerable population': 53111, 'vulnerable population take': 961133, 'population take break': 664740, 'take break from': 831996, 'covid 19 stress': 213878, '19 stress and': 10910, 'stress and access': 813296, 'and access using': 57586, 'access using this': 28303, 'using this link': 950752, 'response retailer': 715787, 'retailer extending': 719142, 'extending date': 293222, 'on temporary': 603898, '19 response retailer': 10161, 'response retailer extending': 715788, 'retailer extending date': 719143, 'extending date on': 293223, 'date on temporary': 226703, 'on temporary store': 603901, 'keyword': 473567, 'noworries': 576584, 'told socialism': 923681, 'socialism would': 780992, 'would look': 1012005, 'like tried': 491663, 'shopping keyword': 763132, 'keyword tried': 473572, 'tried but': 931763, 'but always': 145154, 'mood nofood': 538281, 'nofood stockpile': 566176, 'shopping capitalism': 762284, 'capitalism noworries': 162773, 'is what wa': 453901, 'what wa told': 982526, 'wa told socialism': 963542, 'told socialism would': 923682, 'socialism would look': 780993, 'would look like': 1012008, 'look like tried': 502521, 'like tried to': 491664, 'tried to go': 931835, 'go shopping keyword': 354117, 'shopping keyword tried': 763133, 'keyword tried but': 473573, 'tried but always': 931764, 'but always in': 145155, 'good mood nofood': 357396, 'mood nofood stockpile': 538282, 'nofood stockpile food': 566177, 'stockpile food shopping': 803749, 'food shopping capitalism': 316516, 'shopping capitalism noworries': 762285, 'how dramatically': 407758, 'dramatically are': 258323, 'are retail': 89661, 'trend shifting': 931445, 'shifting amid': 758512, 'how dramatically are': 407759, 'dramatically are retail': 258324, 'are retail consumer': 89664, 'retail consumer trend': 717995, 'consumer trend shifting': 199386, 'trend shifting amid': 931446, 'shifting amid the': 758513, 'still finding': 800532, 'store consumer': 807151, 'acting in': 29874, 'one anticipated': 605934, 'anticipated expert': 78454, 'the task': 869156, 'task but': 834668, 'but expect': 145688, 'more limit': 539699, 'on quantity': 603036, 'quantity to': 691962, 'to restore': 913418, 'restore order': 717052, 'still finding some': 800533, 'finding some empty': 307537, 'some empty shelf': 782748, 'grocery store consumer': 365296, 'store consumer are': 807152, 'consumer are acting': 196278, 'are acting in': 84191, 'acting in way': 29875, 'in way no': 430723, 'no one anticipated': 564917, 'one anticipated expert': 605935, 'anticipated expert say': 78455, 'chain is up': 170852, 'is up the': 453582, 'up the task': 946224, 'the task but': 869157, 'task but expect': 834669, 'but expect to': 145690, 'see more limit': 745431, 'more limit on': 539700, 'limit on quantity': 492425, 'on quantity to': 603037, 'quantity to restore': 691963, 'to restore order': 913420, 'restore order in': 717053, 'brewer': 139418, 'adedayo': 32120, 'ayeni': 106336, 'saharan': 730909, 'brewer in': 139422, 'nigeria are': 562717, 'experiencing material': 291684, 'material decline': 520379, 'in beer': 420753, 'beer volume': 122530, 'volume following': 960135, 'to movement': 910325, 'and gathering': 63491, 'gathering directed': 344454, 'directed at': 243407, 'at limiting': 99591, 'the adedayo': 848348, 'adedayo ayeni': 32121, 'ayeni sub': 106337, 'sub saharan': 815686, 'saharan africa': 730910, 'africa consumer': 35059, 'brewer in nigeria': 139423, 'in nigeria are': 425874, 'nigeria are experiencing': 562718, 'are experiencing material': 86349, 'experiencing material decline': 291685, 'material decline in': 520380, 'decline in beer': 231342, 'in beer volume': 420754, 'beer volume following': 122531, 'volume following the': 960136, 'following the restriction': 312903, 'the restriction to': 865679, 'restriction to movement': 717402, 'to movement and': 910327, 'movement and gathering': 543855, 'and gathering directed': 63493, 'gathering directed at': 344455, 'directed at limiting': 243408, 'at limiting the': 99592, 'limiting the spread': 492879, 'of the adedayo': 590778, 'the adedayo ayeni': 848349, 'adedayo ayeni sub': 32122, 'ayeni sub saharan': 106338, 'sub saharan africa': 815687, 'saharan africa consumer': 730911, 'africa consumer research': 35060, 'consumer research analyst': 198749, 'discloses': 244390, 'shortage we': 765295, 'we created': 971232, 'created concept': 215800, 'concept that': 192873, 'that discloses': 843550, 'discloses the': 244391, 'value chain': 952104, 'our cause': 622331, 'cause and': 167494, 'awareness mask': 105702, 'fight the response': 304903, 'the response effort': 865621, 'response effort to': 715680, 'to combat price': 903003, 'gouging and supply': 359253, 'and supply shortage': 72812, 'supply shortage we': 825838, 'shortage we created': 765297, 'we created concept': 971234, 'created concept that': 215801, 'concept that discloses': 192874, 'that discloses the': 843551, 'discloses the cost': 244392, 'cost of the': 208062, 'of the value': 591582, 'the value chain': 870635, 'value chain for': 952106, 'chain for consumer': 170713, 'consumer please join': 198376, 'please join our': 660137, 'join our cause': 466810, 'our cause and': 622332, 'cause and spread': 167495, 'and spread awareness': 72142, 'spread awareness mask': 790443, 'awareness mask the': 105703, 'mask the people': 519357, 'month mortgage': 537868, 'break mean': 138765, 'you answer': 1017018, 'those unable': 892572, 'pay living': 644985, 'about rent': 26080, 'rent other': 711143, 'other bill': 619892, 'is other': 450608, 'other help': 620353, 'help available': 389396, 'what doe the': 981371, 'doe the month': 251615, 'the month mortgage': 860850, 'month mortgage break': 537869, 'mortgage break mean': 541871, 'break mean for': 138766, 'for you answer': 328035, 'you answer question': 1017019, 'answer question how': 78100, 'question how will': 693619, 'how will this': 409244, 'this affect those': 886224, 'affect those unable': 34266, 'those unable to': 892573, 'unable to pay': 939340, 'to pay living': 911541, 'pay living cost': 644986, 'living cost what': 496337, 'cost what about': 208161, 'what about rent': 980988, 'about rent other': 26083, 'rent other bill': 711144, 'other bill is': 619893, 'bill is other': 130605, 'is other help': 450609, 'other help available': 620354, 'thecable': 872296, '19 foodstuff': 7056, 'foodstuff price': 318177, 'double in': 256021, '2020 thecable': 14646, '19 foodstuff price': 7057, 'foodstuff price almost': 318178, 'price almost double': 672278, 'almost double in': 46598, 'double in q1': 256022, 'q1 2020 thecable': 691398, 'virsuse': 957710, 'against virsuse': 37729, 'virsuse such': 957711, 'such covid': 816423, 'base then': 111477, 'work against virsuse': 1004724, 'against virsuse such': 37730, 'virsuse such covid': 957712, 'such covid 19': 816424, '19 yes you': 12251, 'yes you can': 1015622, 'can you ll': 160316, 'to use strong': 918068, 'strong alcohol the': 813965, 'alcohol the base': 41137, 'the base then': 849295, 'base then add': 111478, 'wa practically': 962971, 'practically empty': 668498, 'poor cashier': 664141, 'cashier wa': 166650, 'wearing two': 974817, 'two layer': 937003, 'of clothing': 581478, 'clothing with': 184296, 'with hood': 998871, 'hood face': 403315, 'glove she': 352916, 'she asked': 755863, 'bag on': 108375, 'counter because': 210194, 'allowed coronacrisis': 46145, 'coronacrisis californialockdown': 204538, 'store yesterday it': 811669, 'it wa practically': 462172, 'wa practically empty': 962972, 'practically empty the': 668499, 'empty the poor': 275179, 'the poor cashier': 863971, 'poor cashier wa': 664142, 'cashier wa wearing': 166654, 'wa wearing two': 963681, 'wearing two layer': 974818, 'two layer of': 937004, 'layer of clothing': 482637, 'of clothing with': 581480, 'clothing with hood': 184297, 'with hood face': 998872, 'hood face mask': 403316, 'and glove she': 63736, 'glove she asked': 352917, 'she asked me': 755864, 'asked me not': 95792, 'not to place': 572172, 'place my shopping': 657585, 'my shopping bag': 550053, 'shopping bag on': 762147, 'bag on the': 108376, 'the counter because': 852021, 'counter because they': 210196, 'they were not': 883789, 'were not allowed': 979912, 'not allowed coronacrisis': 568147, 'allowed coronacrisis californialockdown': 46146, 'unpredictability': 943220, 'price unpredictability': 677211, 'unpredictability will': 943221, 'always be': 49475, 'in renewables': 427383, 'renewables plus': 710992, 'plus don': 661587, 'to mankind': 909811, 'mankind climate': 513260, 'change think': 172328, 'together much': 920870, 'much aggressively': 544700, 'aggressively against': 38260, 'against oil': 37559, 'oil after': 596592, 'oil price unpredictability': 597305, 'price unpredictability will': 677212, 'unpredictability will always': 943222, 'will always be': 992271, 'always be good': 49477, 'be good reason': 115074, 'good reason to': 357637, 'reason to invest': 703032, 'invest in renewables': 443764, 'in renewables plus': 427384, 'renewables plus don': 710993, 'plus don forget': 661589, 'don forget the': 253530, 'forget the biggest': 329299, 'threat to mankind': 893737, 'to mankind climate': 909812, 'mankind climate change': 513261, 'climate change think': 182203, 'change think people': 172329, 'think people will': 885491, 'people will come': 650381, 'will come together': 992972, 'come together much': 187630, 'together much aggressively': 920871, 'much aggressively against': 544701, 'aggressively against oil': 38261, 'against oil after': 37560, 'oil after covid': 596593, 'cletus': 181835, 'memes2riches': 528382, 'heybitch': 394566, 'let him': 486794, 'him know': 396647, 'know cletus': 476329, 'cletus repost': 181836, 'repost memes2riches': 712828, 'memes2riches repost': 528383, 'repost corona': 712806, 'corona heybitch': 203991, 'heybitch store': 394567, 'customer staysafe': 222876, 'staysafe bevigilant': 798788, 'let him know': 486795, 'him know cletus': 396648, 'know cletus repost': 476330, 'cletus repost memes2riches': 181837, 'repost memes2riches repost': 712829, 'memes2riches repost corona': 528384, 'repost corona heybitch': 712807, 'corona heybitch store': 203992, 'heybitch store consumer': 394568, 'store consumer customer': 807153, 'consumer customer staysafe': 197042, 'customer staysafe bevigilant': 222877, 'understand do': 940626, 'understand panic': 940692, 'buying we': 151321, 'not third': 572096, 'shortage get': 764970, 'more or': 539958, 'out get': 626212, 'delivery this': 234631, 'madness please': 508199, 'stop convid19uk': 804586, 'don understand do': 254005, 'understand do not': 940627, 'not understand panic': 572322, 'understand panic buying': 940693, 'panic buying we': 637956, 'buying we are': 151323, 'are not third': 88486, 'not third world': 572097, 'world country there': 1009466, 'country there are': 211138, 'are no food': 88259, 'no food shortage': 564270, 'food shortage get': 316578, 'shortage get what': 764971, 'you need for': 1019992, 'next week then': 561700, 'week then get': 977017, 'then get more': 877195, 'get more or': 347595, 'more or if': 539959, 'go out get': 353954, 'out get delivery': 626214, 'get delivery this': 346868, 'delivery this is': 234633, 'this is madness': 888311, 'is madness please': 449513, 'madness please stop': 508201, 'please stop convid19uk': 660574, 'wand supermarket': 965554, 'joined other': 466948, 'in creating': 421857, 'creating senior': 216063, 'wand supermarket chain': 965555, 'chain ha joined': 170751, 'ha joined other': 371036, 'joined other business': 466949, 'other business in': 619913, 'business in creating': 143882, 'in creating senior': 421858, 'creating senior only': 216064, 'shopping hour during': 762916, 'hour during the': 405557, 'casulty': 166821, 'first casulty': 308565, 'casulty in': 166822, 'sad to report': 729275, 'report the first': 712340, 'the first casulty': 855288, 'first casulty in': 308566, 'casulty in the': 166823, 'in the of': 429410, 'the of covid': 862052, '19 supermarket panic': 10954, 'herculean': 392595, 'wa global': 962211, 'pandemic brick': 635025, 'mortar retailer': 541830, 'retailer struggled': 719339, 'door instead': 255625, 'those retailer': 892399, 'more herculean': 539409, 'herculean task': 392600, 'task how': 834715, 'long before there': 501356, 'before there wa': 123206, 'there wa global': 879240, 'wa global coronavirus': 962212, 'global coronavirus pandemic': 351821, 'coronavirus pandemic brick': 206439, 'pandemic brick and': 635026, 'and mortar retailer': 67247, 'mortar retailer struggled': 541831, 'retailer struggled to': 719340, 'people to walk': 649964, 'walk through their': 964895, 'through their door': 894782, 'their door instead': 873072, 'door instead of': 255626, 'instead of shopping': 440319, 'shopping online now': 763462, 'online now those': 608598, 'now those retailer': 576140, 'those retailer are': 892400, 'retailer are faced': 718996, 'faced with an': 295040, 'with an even': 997211, 'even more herculean': 284361, 'more herculean task': 539410, 'herculean task how': 392601, 'task how to': 834716, 'keepcalmgodigitalbanking': 472321, 'inukasme': 443539, 'not disappeared': 569038, 'disappeared people': 244066, 'have dramatically': 380359, 'dramatically shifted': 258370, 'shifted toward': 758509, 'toward online': 927141, 'shopping keepcalmgodigitalbanking': 763126, 'keepcalmgodigitalbanking inukasme': 472322, 'while consumer demand': 986705, 'demand is down': 235721, 'is down it': 447347, 'down it ha': 256893, 'ha not disappeared': 371362, 'not disappeared people': 569039, 'disappeared people have': 244067, 'people have dramatically': 648175, 'have dramatically shifted': 380360, 'dramatically shifted toward': 258371, 'shifted toward online': 758510, 'toward online shopping': 927143, 'online shopping keepcalmgodigitalbanking': 609165, 'shopping keepcalmgodigitalbanking inukasme': 763127, '12km': 3106, '1km': 12634, 'expiring': 292085, 'contr': 201607, 'technique': 836236, 'put time': 690921, 'time well': 898253, 'well date': 978137, 'on confinement': 600011, 'confinement form': 194068, 'form can': 329497, 'we drive': 971417, 'to airport': 900204, 'airport can': 40094, 'we use': 973608, 'use drive': 949170, 'drive supermarket': 259161, 'supermarket which': 823834, 'is 12km': 445156, '12km away': 3107, 'away when': 106102, 'shop 1km': 759789, '1km away': 12635, 'away what': 106100, 'about expiring': 25210, 'expiring contr': 292086, 'contr le': 201608, 'le technique': 483149, 'technique we': 836242, 'answer here': 78059, 'must we put': 546997, 'we put time': 972796, 'put time well': 690922, 'time well date': 898255, 'well date on': 978138, 'date on confinement': 226699, 'on confinement form': 600012, 'confinement form can': 194069, 'form can we': 329498, 'can we drive': 160171, 'we drive people': 971418, 'people to airport': 649874, 'to airport can': 900205, 'airport can we': 40095, 'can we use': 160207, 'we use drive': 973611, 'use drive supermarket': 949171, 'drive supermarket which': 259163, 'supermarket which is': 823835, 'which is 12km': 985974, 'is 12km away': 445157, '12km away when': 3108, 'away when we': 106107, 'have food shop': 380664, 'food shop 1km': 316471, 'shop 1km away': 759790, '1km away what': 12636, 'away what about': 106101, 'what about expiring': 980969, 'about expiring contr': 25211, 'expiring contr le': 292087, 'contr le technique': 201609, 'le technique we': 483150, 'technique we answer': 836243, 'we answer here': 970435, 'dad came': 224303, 'happy and': 377579, 'doing his': 252452, 'his pocket': 397709, 'pocket justice': 662180, 'justice since': 470436, 'since not': 770767, 'out spending': 627234, 'spending his': 788846, 'his money': 397616, 'money but': 536645, 'but ve': 147679, 'been online': 121603, 'his card': 397273, 'spent over': 789161, '200 already': 13446, 'already should': 47652, 'tell him': 836970, 'later quarantine': 481114, 'my dad came': 547884, 'dad came up': 224304, 'came up to': 157080, 'me all happy': 522370, 'all happy and': 43039, 'happy and he': 377583, 'and he told': 64329, 'that this quarantine': 847001, 'this quarantine life': 889775, 'quarantine life is': 692339, 'life is doing': 488805, 'is doing his': 447278, 'doing his pocket': 252454, 'his pocket justice': 397710, 'pocket justice since': 662181, 'justice since not': 470437, 'since not out': 770768, 'not out spending': 570864, 'out spending his': 627235, 'spending his money': 788847, 'his money but': 397617, 'money but ve': 536647, 'but ve been': 147680, 've been online': 952910, 'been online shopping': 121605, 'shopping with his': 764435, 'with his card': 998830, 'his card and': 397274, 'card and have': 163452, 'and have spent': 64278, 'have spent over': 382689, 'spent over 200': 789162, 'over 200 already': 629802, '200 already should': 13447, 'already should tell': 47653, 'should tell him': 766562, 'tell him now': 836973, 'him now or': 396673, 'now or later': 575473, 'or later quarantine': 615933, 'homecooking': 402663, 'healhtycooking': 386081, 'clean produce': 180621, 'produce help': 680294, 'healthy follow': 387621, 'these easy': 879949, 'easy tip': 265773, 'administration for': 32470, 'for sanitizing': 325342, 'sanitizing your': 736537, 'your produce': 1025432, 'produce before': 680207, 'before eating': 122765, 'eating or': 266266, 'or cooking': 614822, 'cooking washyourhands': 202933, 'washyourhands saferathome': 967901, 'saferathome homecooking': 730404, 'homecooking healhtycooking': 402664, 'clean produce help': 180623, 'produce help keep': 680295, 'help keep you': 389979, 'keep you healthy': 472240, 'you healthy follow': 1019175, 'healthy follow these': 387622, 'follow these easy': 312554, 'these easy tip': 879950, 'easy tip from': 265774, 'drug administration for': 260853, 'administration for sanitizing': 32471, 'for sanitizing your': 325343, 'sanitizing your produce': 736538, 'your produce before': 1025433, 'produce before eating': 680208, 'before eating or': 122767, 'eating or cooking': 266267, 'or cooking washyourhands': 614823, 'cooking washyourhands saferathome': 202934, 'washyourhands saferathome homecooking': 967902, 'saferathome homecooking healhtycooking': 730405, 'sorry that': 786082, 'that happened': 844175, 'happened ve': 377294, 've personally': 953434, 'personally seen': 653049, 'seen marked': 747135, 'marked change': 515852, 'people attitude': 647193, 'attitude in': 102560, 'own city': 631920, 'city since': 179364, 'since police': 770788, 'arrested an': 93812, 'an asian': 55432, 'woman spitting': 1003616, 'fruit who': 339202, 'video wa': 956947, 'later uploaded': 481158, 'uploaded to': 947601, 'very sorry that': 955573, 'sorry that happened': 786083, 'that happened ve': 844176, 'happened ve personally': 377295, 've personally seen': 953435, 'personally seen marked': 653050, 'seen marked change': 747136, 'marked change in': 515853, 'change in people': 172127, 'in people attitude': 426587, 'people attitude in': 647194, 'attitude in my': 102562, 'in my own': 425609, 'my own city': 549635, 'own city since': 631921, 'city since police': 179365, 'since police arrested': 770789, 'police arrested an': 662931, 'arrested an asian': 93813, 'an asian woman': 55436, 'asian woman spitting': 95379, 'woman spitting on': 1003618, 'on fruit who': 601040, 'fruit who had': 339203, 'who had covid': 988876, 'local supermarket the': 498597, 'supermarket the video': 823254, 'the video wa': 870756, 'video wa later': 956949, 'wa later uploaded': 962508, 'later uploaded to': 481159, 'versatile': 954884, 'affected your': 34471, 'ecommerce store': 266873, 'your approach': 1022807, 'approach instead': 82955, 'pushing dress': 690408, 'dress shoe': 258676, 'shoe for': 759668, 'every occasion': 286044, 'occasion capitalise': 578936, 'capitalise your': 162706, 'your copy': 1023342, 'copy on': 203469, 'on comfort': 599970, 'comfort versatile': 187858, 'versatile everyday': 954885, 'everyday footwear': 286559, 'footwear digitalmarketing': 318585, 'digitalmarketing don': 242766, 'be robot': 116905, 'robot think': 724810, 'your situation': 1025820, 'situation your': 772615, 'in adapt': 420028, 'ha affected your': 369470, 'affected your ecommerce': 34472, 'your ecommerce store': 1023620, 'ecommerce store change': 266874, 'store change your': 806947, 'change your approach': 172413, 'your approach instead': 1022808, 'approach instead of': 82956, 'instead of pushing': 440307, 'of pushing dress': 588621, 'pushing dress shoe': 690409, 'dress shoe for': 258677, 'shoe for every': 759669, 'for every occasion': 321171, 'every occasion capitalise': 286045, 'occasion capitalise your': 578937, 'capitalise your copy': 162707, 'your copy on': 1023343, 'copy on comfort': 203470, 'on comfort versatile': 599972, 'comfort versatile everyday': 187859, 'versatile everyday footwear': 954886, 'everyday footwear digitalmarketing': 286560, 'footwear digitalmarketing don': 318586, 'digitalmarketing don be': 242767, 'don be robot': 253364, 'be robot think': 116906, 'robot think what': 724811, 'think what your': 885782, 'what your situation': 982722, 'your situation your': 1025822, 'situation your consumer': 772616, 'your consumer is': 1023322, 'consumer is in': 197936, 'is in adapt': 448749, 'risked': 724040, 'jackie': 464164, 'fair very': 296398, 'very lucky': 955347, 'lucky that': 506571, 'that risked': 846063, 'risked the': 724043, 'the trip': 869993, 'supermarket jackie': 821198, 'jackie don': 464165, 'think he': 885276, 'spend any': 788582, 'there than': 879131, 'necessary stayhomesavelives': 554090, 'to be fair': 901250, 'be fair very': 114790, 'fair very lucky': 296399, 'very lucky that': 955348, 'lucky that he': 506573, 'he is the': 385151, 'is the one': 452876, 'one that risked': 607186, 'that risked the': 846064, 'risked the trip': 724044, 'the trip to': 870000, 'the supermarket jackie': 868656, 'supermarket jackie don': 821199, 'jackie don think': 464166, 'don think he': 253977, 'think he wanted': 885278, 'wanted to spend': 966273, 'to spend any': 914986, 'spend any longer': 788583, 'any longer in': 79431, 'longer in there': 502001, 'in there than': 429820, 'there than necessary': 879133, 'than necessary stayhomesavelives': 840929, 'entertainment show': 278603, 'most growth': 542359, 'growth after': 367335, 'after grocery': 35738, 'grocery via': 366103, 'the 19 in': 847920, '19 in home': 7751, 'in home entertainment': 423782, 'home entertainment show': 401149, 'entertainment show most': 278604, 'show most growth': 767061, 'most growth after': 542360, 'growth after grocery': 367336, 'after grocery via': 35740, 'described senior': 237950, 'citizen 80': 178814, 'who described senior': 988566, 'described senior citizen': 237951, 'senior citizen 80': 750247, 'citizen 80 year': 178815, 'sneaking out the': 776210, 'bloody sad': 133231, 'sad medium': 729198, 'medium not': 527186, 'not covering': 568909, 'covering blatant': 212460, 'by fuel': 152648, '20p yet': 14925, 'yet pump': 1016213, 'pump price': 689083, 'bloody sad medium': 133232, 'sad medium not': 729199, 'medium not covering': 527187, 'not covering blatant': 568910, 'covering blatant profiteering': 212461, 'motorist by fuel': 543357, 'by fuel supply': 152649, 'wholesale price down': 990470, 'price down 20p': 673512, 'down 20p yet': 256392, '20p yet pump': 14926, 'yet pump price': 1016214, 'pump price down': 689086, 'price down just': 673526, 'down just few': 256908, 'just few penny': 468709, 'interstate': 442136, 'union government': 941885, 'household staple': 406946, 'nearly 600': 553786, '600 centre': 21073, 'centre across': 169474, 'ha advised': 369456, 'advised all': 33618, 'all state': 44430, 'state especially': 795568, 'with transport': 1001834, 'transport restriction': 929932, 'restriction such': 717386, 'such maharashtra': 816618, 'maharashtra to': 508487, 'allow interstate': 45983, 'interstate movement': 442141, 'the union government': 870404, 'union government is': 941886, 'government is tracking': 360283, 'is tracking price': 453320, 'tracking price of': 928354, 'price of household': 675471, 'of household staple': 584799, 'household staple in': 406950, 'staple in nearly': 793959, 'in nearly 600': 425714, 'nearly 600 centre': 553787, '600 centre across': 21074, 'centre across the': 169475, 'country and ha': 210439, 'and ha advised': 64062, 'ha advised all': 369457, 'advised all state': 33619, 'all state especially': 44431, 'state especially those': 795569, 'especially those with': 280640, 'those with transport': 892728, 'with transport restriction': 1001835, 'transport restriction such': 929934, 'restriction such maharashtra': 717387, 'such maharashtra to': 816619, 'maharashtra to allow': 508488, 'to allow interstate': 900341, 'allow interstate movement': 45984, 'uplifting': 947586, 'to delivering': 904122, 'delivering meal': 233523, 'free class': 331711, 'online act': 607768, 'kindness during': 475196, 'providing uplifting': 687129, 'uplifting moment': 947587, 'of joy': 585555, 'joy in': 467508, 'in unitedstates': 430444, 'unitedstates beset': 942288, 'by anxiety': 151871, 'the elderly to': 854153, 'elderly to delivering': 270918, 'to delivering meal': 904123, 'delivering meal or': 233525, 'meal or offering': 524231, 'or offering free': 616355, 'offering free class': 595114, 'free class online': 331712, 'class online act': 180233, 'online act of': 607769, 'of kindness during': 585645, 'kindness during the': 475197, 'pandemic are providing': 634948, 'are providing uplifting': 89326, 'providing uplifting moment': 687130, 'uplifting moment of': 947588, 'moment of joy': 536014, 'of joy in': 585557, 'joy in unitedstates': 467511, 'in unitedstates beset': 430445, 'unitedstates beset by': 942289, 'beset by anxiety': 127466, 'babybel': 106751, 'than go': 840697, 'today kept': 919770, 'kept my': 473059, 'my distance': 548002, 'distance amp': 246627, 'amp had': 53899, 'had babybel': 372869, 'babybel amp': 106752, 'amp an': 53385, 'egg for': 269861, 'lunch what': 506757, 'lunch today': 506753, 'rather than go': 697521, 'than go to': 840698, 'supermarket today kept': 823451, 'today kept my': 919771, 'kept my distance': 473060, 'my distance amp': 548003, 'distance amp had': 246628, 'amp had babybel': 53900, 'had babybel amp': 372870, 'babybel amp an': 106753, 'amp an easter': 53386, 'an easter egg': 55552, 'easter egg for': 265420, 'egg for lunch': 269862, 'for lunch what': 323148, 'lunch what did': 506758, 'you have for': 1019048, 'for lunch today': 323146, 'aussie follower': 103118, 'follower acc': 312628, 'acc ha': 27806, 'ha provided': 371568, 'provided guidance': 686608, 'following affected': 312671, 'pandemic travel': 636833, 'change event': 172037, 'cancellation product': 161053, 'increase gym': 432800, 'gym closure': 369307, 'closure fee': 183889, 'fee food': 302167, 'aussie follower acc': 103119, 'follower acc ha': 312629, 'acc ha provided': 27808, 'ha provided guidance': 371570, 'provided guidance on': 686610, 'guidance on the': 368267, 'on the following': 604125, 'the following affected': 855494, 'following affected by': 312672, 'affected by pandemic': 34321, 'by pandemic travel': 153512, 'pandemic travel cancellation': 636834, 'travel cancellation and': 930309, 'cancellation and change': 161002, 'and change event': 59721, 'change event cancellation': 172038, 'event cancellation product': 284957, 'cancellation product price': 161054, 'product price increase': 681544, 'price increase gym': 674774, 'increase gym closure': 432801, 'gym closure fee': 369308, 'closure fee food': 183890, 'fee food delivery': 302168, 'penalize': 646431, 'indicate': 434963, 'government please': 360466, 'please penalize': 660278, 'penalize the': 646432, 'hefty amount': 388785, 'amount in': 53192, 'that indicate': 844507, 'indicate covid': 434964, '19 failed': 6927, 'only lead': 610702, 'no of': 564897, 'majority can': 509532, 'can the government': 159953, 'the government please': 856582, 'government please penalize': 360467, 'please penalize the': 660279, 'penalize the private': 646433, 'the private hospital': 864485, 'private hospital that': 678921, 'hospital that charge': 404671, 'charge hefty amount': 173252, 'hefty amount in': 388786, 'amount in the': 53194, 'in the test': 429598, 'the test that': 869321, 'test that indicate': 839194, 'that indicate covid': 844508, 'indicate covid 19': 434965, 'covid 19 failed': 213069, '19 failed to': 6928, 'failed to do': 296176, 'do so will': 250106, 'so will only': 778774, 'will only lead': 994333, 'only lead to': 610703, 'lead to an': 483324, 'to an increase': 900461, 'in the no': 429401, 'the no of': 861832, 'no of case': 564899, 'of case the': 581177, 'case the majority': 166055, 'the majority can': 859942, 'majority can afford': 509533, 'can afford these': 157410, 'afford these price': 34781, 'drfauci': 258727, 'store bingo': 806730, 'bingo coronacrisis': 131099, 'coronacrisis fridayfeeling': 204603, 'fridayfeeling socialdistanacing': 333336, 'socialdistanacing drfauci': 780057, 'drfauci chinesewuhanvirus': 258728, 'chinesewuhanvirus chinaliedpeopledied': 177477, 'grocery store bingo': 365247, 'store bingo coronacrisis': 806731, 'bingo coronacrisis fridayfeeling': 131100, 'coronacrisis fridayfeeling socialdistanacing': 204604, 'fridayfeeling socialdistanacing drfauci': 333337, 'socialdistanacing drfauci chinesewuhanvirus': 780058, 'drfauci chinesewuhanvirus chinaliedpeopledied': 258729, 'tying': 937493, 'worker working': 1008290, 'these tying': 880904, 'tying time': 937498, 'store worker working': 811628, 'worker working in': 1008292, 'working in these': 1008735, 'in these tying': 429873, 'these tying time': 880905, 'firstdayofspring': 309199, 'it real': 460616, 'and cut': 60880, 'the bull': 850106, 'bull malamjumat': 142403, 'coronacrisis firstdayofspring': 204594, 'firstdayofspring socialdistanacing': 309200, 'socialdistanacing online': 780081, 'online shoplocal': 608996, 'shoplocal shopping': 761228, 'shopping style': 764004, 'keep it real': 471620, 'it real and': 460617, 'real and cut': 701033, 'and cut the': 60887, 'cut the bull': 223572, 'the bull malamjumat': 850107, 'bull malamjumat sondurum': 142404, 'gntm coronacrisis firstdayofspring': 353230, 'coronacrisis firstdayofspring socialdistanacing': 204595, 'firstdayofspring socialdistanacing online': 309202, 'socialdistanacing online shoplocal': 780082, 'online shoplocal shopping': 608997, 'shoplocal shopping style': 761231, 'warrenton': 967352, 'video warrenton': 956954, 'warrenton man': 967353, 'lick toiletry': 488212, 'toiletry in': 923428, 'missouri supermarket': 534440, 'supermarket video': 823647, 'video charged': 956666, 'charged terrorist': 173414, 'threat cody': 893652, 'pfister 19': 653916, 'video warrenton man': 956955, 'warrenton man lick': 967354, 'man lick toiletry': 512139, 'lick toiletry in': 488213, 'toiletry in missouri': 923429, 'in missouri supermarket': 425379, 'missouri supermarket video': 534441, 'supermarket video charged': 823648, 'video charged terrorist': 956667, 'charged terrorist threat': 173415, 'terrorist threat cody': 838618, 'threat cody pfister': 893653, 'cody pfister 19': 185430, 'pupil': 689290, 'fsm': 339309, 'school should': 741919, 'with catering': 997568, 'catering provider': 167265, 'provider or': 686762, 'authority to': 103796, 'parcel or': 641515, 'send out': 749927, 'to pupil': 912510, 'pupil eligible': 689293, 'for fsm': 321789, 'fsm affected': 339310, 'coronavirus according': 205445, 'school should work': 741921, 'should work with': 766665, 'work with catering': 1006025, 'with catering provider': 997569, 'catering provider or': 167266, 'provider or local': 686763, 'local authority to': 497720, 'authority to provide': 103805, 'provide food parcel': 686309, 'food parcel or': 315820, 'parcel or send': 641517, 'or send out': 617008, 'send out supermarket': 749929, 'out supermarket voucher': 627280, 'voucher to pupil': 960678, 'to pupil eligible': 912511, 'pupil eligible for': 689294, 'eligible for fsm': 271425, 'for fsm affected': 321790, 'fsm affected by': 339311, 'affected by coronavirus': 34309, 'by coronavirus according': 152227, 'coronavirus according to': 205446, 'to the guidance': 916758, 'the guidance is': 856921, 'guidance is here': 368249, 'bzun': 154837, 'another sign': 77854, 'china returning': 176914, 'normal online': 567230, 'ha permanently': 371483, 'permanently changed': 652092, 'retail shopping': 718561, 'shopping bzun': 762270, 'bzun jd': 154838, 'jd baba': 464930, 'baba will': 106542, 'be benefit': 113829, 'another sign of': 77855, 'sign of china': 769156, 'of china returning': 581366, 'china returning to': 176915, 'returning to the': 720025, 'new normal online': 559164, 'normal online shopping': 567231, 'shopping 19 ha': 761865, '19 ha permanently': 7373, 'ha permanently changed': 371484, 'permanently changed the': 652093, 'changed the behavior': 172562, 'behavior of retail': 124133, 'of retail shopping': 589052, 'retail shopping bzun': 718562, 'shopping bzun jd': 762271, 'bzun jd baba': 154839, 'jd baba will': 464931, 'baba will be': 106543, 'will be benefit': 992377, 'be benefit in': 113830, 'cfa': 170288, 'agenda': 38112, 'cfa called': 170291, 'on congress': 600015, 'to enact': 905047, 'enact comprehensive': 275481, 'consumer agenda': 196118, 'agenda to': 38124, 'by protecting': 153671, 'protecting those': 685241, 'those hardest': 892052, 'and ensuring': 62173, 'that industry': 844511, 'industry doe': 435779, 'doe their': 251627, 'cfa called on': 170292, 'called on congress': 156396, 'on congress and': 600016, 'and the president': 73526, 'president to enact': 670924, 'to enact comprehensive': 905048, 'enact comprehensive consumer': 275482, 'comprehensive consumer agenda': 192629, 'consumer agenda to': 196119, 'agenda to address': 38125, 'address the crisis': 32033, 'crisis by protecting': 217176, 'by protecting those': 153672, 'protecting those hardest': 685242, 'those hardest hit': 892053, 'economic impact and': 267126, 'impact and ensuring': 417548, 'and ensuring that': 62175, 'ensuring that industry': 278194, 'that industry doe': 844512, 'industry doe their': 435780, 'doe their part': 251628, 'their part we': 874253, 'part we re': 642485, 'store getting': 807924, 'getting safe': 349246, 'safe green': 729721, 'green product': 363693, 'for similar': 325626, 'similar price': 769918, 'pay in': 644953, '19 hanging': 7425, 'family appreciates': 297618, 'appreciates convenient': 82852, 'convenient direct': 202393, 'direct site': 243388, 'site to': 772029, 'been shopping from': 121951, 'shopping from an': 762751, 'online store getting': 609449, 'store getting safe': 807925, 'getting safe green': 349247, 'safe green product': 729722, 'green product for': 363694, 'product for similar': 681206, 'for similar price': 325627, 'similar price you': 769919, 'price you pay': 677697, 'you pay in': 1020306, 'pay in the': 644955, 'store with covid': 811371, 'covid 19 hanging': 213182, '19 hanging around': 7426, 'hanging around my': 376962, 'around my family': 93409, 'my family appreciates': 548185, 'family appreciates convenient': 297619, 'appreciates convenient direct': 82853, 'convenient direct site': 202394, 'direct site to': 243389, 'site to home': 772033, 'to home delivery': 907931, 'weakened': 974059, 'corporates': 207372, 'attractive': 102719, 'massive economic': 520019, 'slowdown ha': 774440, 'ha weakened': 372464, 'weakened many': 974074, 'many indian': 514179, 'indian corporates': 434804, 'corporates making': 207375, 'them attractive': 875448, 'attractive target': 102728, 'target for': 834458, 'for takeover': 326139, 'allow foreign': 45973, 'foreign interest': 328977, 'interest to': 441413, 'take control': 832037, 'any indian': 79353, 'indian corporate': 434802, 'corporate at': 207238, 'the massive economic': 860266, 'massive economic slowdown': 520021, 'economic slowdown ha': 267305, 'slowdown ha weakened': 774441, 'ha weakened many': 372465, 'weakened many indian': 974075, 'many indian corporates': 514181, 'indian corporates making': 434805, 'corporates making them': 207376, 'making them attractive': 511442, 'them attractive target': 875450, 'attractive target for': 102729, 'target for takeover': 834462, 'for takeover the': 326140, 'takeover the govt': 833219, 'the govt must': 856664, 'govt must not': 361207, 'must not allow': 546776, 'not allow foreign': 568139, 'allow foreign interest': 45974, 'foreign interest to': 328978, 'interest to take': 441421, 'to take control': 916168, 'take control of': 832038, 'control of any': 202064, 'of any indian': 580260, 'any indian corporate': 79354, 'indian corporate at': 434803, 'corporate at this': 207239, 'time of national': 897347, 'of national crisis': 586861, 'viet': 957024, 'nam': 551573, 'viet nam': 957027, 'nam stop': 551574, 'stop signing': 805030, 'signing of': 769637, 'new rice': 559499, 'rice export': 721041, 'export contract': 292621, 'contract amid': 201629, 'viet nam stop': 957028, 'nam stop signing': 551575, 'stop signing of': 805031, 'signing of new': 769638, 'of new rice': 586982, 'new rice export': 559500, 'rice export contract': 721042, 'export contract amid': 292622, 'contract amid covid': 201630, 'fork': 329469, 'quittrippin': 694948, 'last of': 480412, 'good shit': 357727, 'shit left': 759161, 'cart for': 165300, 'two second': 937197, 'grab fork': 361485, 'fork and': 329470, 'and spoon': 72128, 'spoon and': 789866, 'someone jacked': 784538, 'jacked me': 464139, 'cart this': 165393, 'shit getting': 759107, 'hand quittrippin': 375191, 'quittrippin stayhome': 694949, 'stayhome wtf': 798238, 'wtf overreaction': 1013310, 'and got the': 63863, 'got the last': 358906, 'the last of': 859026, 'last of the': 480414, 'of the good': 591068, 'the good shit': 856448, 'good shit left': 357728, 'shit left my': 759162, 'left my shopping': 485564, 'my shopping cart': 550054, 'shopping cart for': 762300, 'cart for two': 165304, 'for two second': 327395, 'two second to': 937198, 'second to grab': 743852, 'to grab fork': 906962, 'grab fork and': 361486, 'fork and spoon': 329471, 'and spoon and': 72129, 'spoon and someone': 789868, 'and someone jacked': 71986, 'someone jacked me': 784539, 'jacked me for': 464140, 'for my cart': 323684, 'my cart this': 547628, 'cart this shit': 165395, 'this shit getting': 890081, 'shit getting out': 759109, 'of hand quittrippin': 584430, 'hand quittrippin stayhome': 375192, 'quittrippin stayhome wtf': 694950, 'stayhome wtf overreaction': 798239, 'roar': 724577, 'torontohousingmarket': 926013, 'housesforsale': 407027, 'low 70': 505093, '70 cent': 21741, 'cent loonie': 169086, 'loonie low': 503137, 'will roar': 994717, 'roar later': 724578, 'later this': 481141, 'year listing': 1014701, 'listing torontohousingmarket': 494891, 'torontohousingmarket 2020': 926014, '2020 condo': 14235, 'condo housesforsale': 193587, 'with low 70': 999329, 'low 70 cent': 505094, '70 cent loonie': 21744, 'cent loonie low': 169087, 'loonie low gas': 503138, 'and the end': 73347, '19 the toronto': 11257, 'estate market will': 282161, 'market will roar': 517364, 'will roar later': 994718, 'roar later this': 724579, 'later this year': 481145, 'this year listing': 891582, 'year listing torontohousingmarket': 1014702, 'listing torontohousingmarket 2020': 494892, 'torontohousingmarket 2020 condo': 926015, '2020 condo housesforsale': 14236, 'russia are': 728439, 'very close': 955056, 'agreement on': 38783, 'after historic': 35789, 'historic price': 397970, 'drop during': 260185, 'and russia are': 70662, 'russia are very': 728441, 'are very close': 91457, 'very close to': 955058, 'close to an': 182882, 'to an agreement': 900438, 'an agreement on': 55196, 'agreement on oil': 38785, 'on oil production': 602495, 'production cut after': 681986, 'cut after historic': 223218, 'after historic price': 35790, 'historic price drop': 397971, 'price drop during': 673571, 'drop during the': 260186, 'attracted': 102708, 'hooptie': 403367, 'chinaflu': 177090, 'something tell': 785068, 'me free': 522775, 'need attracted': 554502, 'attracted many': 102711, 'these car': 879721, 'car notice': 163187, 'not hooptie': 570014, 'hooptie among': 403368, 'among them': 53084, 'another feed': 77612, 'panic story': 638639, 'story chinaflu': 811934, 'something tell me': 785069, 'tell me free': 837010, 'me free and': 522776, 'free and not': 331649, 'and not need': 67759, 'not need attracted': 570654, 'need attracted many': 554503, 'attracted many of': 102712, 'of these car': 591815, 'these car notice': 879722, 'car notice not': 163188, 'notice not hooptie': 573320, 'not hooptie among': 570015, 'hooptie among them': 403369, 'among them this': 53086, 'is another feed': 445734, 'another feed the': 77613, 'feed the panic': 302379, 'the panic story': 863222, 'panic story chinaflu': 638640, 'familiaspnf': 297538, 'hell and': 388977, 'and hell': 64432, 'hell suffering': 389067, 'suffering due': 817295, 'lockdown let': 499590, 'let put': 486999, 'in perspective': 426652, 'perspective ana': 653185, 'ana and': 56974, 'internet online': 441976, 'shopping social': 763935, 'medium or': 527201, 'were truly': 980293, 'truly isolated': 933330, 'isolated familiaspnf': 454993, 'those who think': 892685, 'who think they': 989778, 'are in hell': 87391, 'in hell and': 423625, 'hell and hell': 388979, 'and hell suffering': 64433, 'hell suffering due': 389068, 'suffering due to': 817296, 'to the coronacrisis': 916594, 'the coronacrisis lockdown': 851783, 'coronacrisis lockdown let': 204655, 'lockdown let put': 499591, 'let put it': 487000, 'put it in': 690645, 'it in perspective': 458741, 'in perspective ana': 426653, 'perspective ana and': 653186, 'ana and those': 56975, 'and those people': 74035, 'those people didn': 892319, 'people didn have': 647646, 'have the internet': 382997, 'the internet online': 858388, 'internet online shopping': 441977, 'online shopping social': 609277, 'shopping social medium': 763936, 'social medium or': 779870, 'medium or any': 527202, 'of the luxury': 591207, 'the luxury we': 859837, 'luxury we have': 506978, 'we have they': 971962, 'have they were': 383092, 'they were truly': 883812, 'were truly isolated': 980294, 'truly isolated familiaspnf': 933331, 'nice about': 562331, 'about 21': 24671, 'day lockdown': 227922, 'about house': 25418, 'house rent': 406522, 'food facility': 314439, 'facility while': 295391, 'owner will': 632605, 'listen about': 494658, 'will demand': 993152, 'demand about': 234897, 'rent many': 711123, 'indian citizen': 434791, 'in rent': 427385, 'sir it nice': 771587, 'it nice about': 459800, 'nice about 21': 562332, 'about 21 day': 24672, '21 day lockdown': 14991, 'day lockdown but': 227923, 'what about house': 980976, 'about house rent': 25419, 'house rent and': 406523, 'rent and food': 711034, 'and food facility': 63045, 'food facility while': 314440, 'facility while the': 295392, 'while the owner': 987406, 'the owner will': 862816, 'owner will not': 632607, 'will not listen': 994244, 'not listen about': 570425, 'listen about the': 494659, 'the they will': 869439, 'they will demand': 883840, 'will demand about': 993153, 'demand about rent': 234898, 'about rent many': 26082, 'rent many indian': 711124, 'many indian citizen': 514180, 'indian citizen are': 434792, 'citizen are living': 178850, 'are living in': 87846, 'living in rent': 496388, 'in rent and': 427386, 'rent and many': 711038, 'and many of': 66677, 'of those are': 592080, 'those are based': 891799, 'what implication': 981649, 'implication will': 418574, 'outbreak have': 628288, 'affect homeowner': 34160, 'homeowner amp': 402880, 'buy or': 149055, 'sell property': 748855, 'property during': 684269, 'what implication will': 981650, 'implication will the': 418575, 'the outbreak have': 862636, 'outbreak have on': 628289, 'have on house': 381771, 'on house price': 601373, 'house price amp': 406470, 'price amp how': 672337, 'amp how could': 53960, 'how could this': 407632, 'could this affect': 209769, 'this affect homeowner': 886222, 'affect homeowner amp': 34161, 'homeowner amp people': 402881, 'amp people looking': 54283, 'people looking to': 648708, 'looking to buy': 503019, 'to buy or': 902282, 'buy or sell': 149059, 'or sell property': 617001, 'sell property during': 748856, 'property during this': 684270, 'period of uncertainty': 651859, 'salvage': 732897, 'normally rescue': 567529, 'rescue about': 713605, 'about 12': 24638, 'million pound': 532330, 'year from': 1014575, 'county he': 211404, 'said consumer': 731026, 'ha exhausted': 370546, 'exhausted those': 290181, 'almost nothing': 46714, 'to salvage': 913741, 'salvage from': 732898, 'the loading': 859515, 'we normally rescue': 972593, 'normally rescue about': 567530, 'rescue about 12': 713606, 'about 12 million': 24641, '12 million pound': 2889, 'million pound of': 532332, 'food year from': 317693, 'year from grocery': 1014577, 'store in our': 808366, 'our county he': 622613, 'county he said': 211405, 'he said consumer': 385360, 'said consumer demand': 731027, 'demand ha exhausted': 235606, 'ha exhausted those': 370547, 'exhausted those supermarket': 290182, 'supermarket and now': 819026, 'and now there': 67866, 'now there almost': 576088, 'there almost nothing': 877963, 'almost nothing left': 46715, 'left to salvage': 485690, 'to salvage from': 913742, 'salvage from the': 732899, 'from the loading': 337777, 'the loading dock': 859516, 'think shelter': 885533, 'bad term': 108022, 'term if': 838170, 'or out': 616463, 'for run': 325269, 'anyone else think': 80297, 'else think shelter': 271924, 'think shelter in': 885534, 'in place is': 426742, 'place is bad': 657523, 'is bad term': 445972, 'bad term if': 108023, 'term if you': 838172, 'store or out': 809356, 'or out for': 616464, 'out for run': 626154, 'coronavirus visit': 207027, 'bay 19': 112902, 'the coronavirus visit': 851938, 'coronavirus visit for': 207029, 'visit for some': 959254, 'for some tip': 325772, 'at bay 19': 98096, 'hysteria of': 412467, 'caused my': 167919, 'mom to': 535812, 'barter with': 111406, 'aunt bc': 102997, 'bc my': 113250, 'aunt went': 103008, 'the mass hysteria': 860243, 'mass hysteria of': 519791, 'hysteria of ha': 412468, 'of ha caused': 584399, 'ha caused my': 370090, 'caused my mom': 167920, 'my mom to': 549284, 'mom to barter': 535813, 'to barter with': 901056, 'barter with one': 111407, 'my aunt bc': 547351, 'aunt bc my': 102998, 'bc my aunt': 113251, 'my aunt went': 547355, 'aunt went to': 103009, 'margareta': 515590, 'margareta of': 515591, 'of romania': 589157, 'romania royal': 725738, 'royal foundation': 726623, 'foundation action': 330479, 'assistance online': 96724, 'support inter': 826597, 'inter generational': 441188, 'generational program': 345666, 'margareta of romania': 515592, 'of romania royal': 589158, 'romania royal foundation': 725739, 'royal foundation action': 726624, 'foundation action for': 330480, 'action for the': 30021, 'elderly people during': 270820, 'people during covid': 647741, '19 assistance online': 5236, 'assistance online shopping': 96725, 'shopping and financial': 761984, 'and financial support': 62877, 'financial support inter': 306613, 'support inter generational': 826598, 'inter generational program': 441189, 'the dod': 853480, 'dod recommends': 251262, 'recommends two': 704851, 'for prescription': 324697, 'prescription medicine': 670520, 'medicine here': 526803, 'is comprehensive': 446718, 'comprehensive list': 192640, 'the dod recommends': 853481, 'dod recommends two': 251263, 'recommends two week': 704852, 'supply and 30': 824699, 'and 30 day': 57439, '30 day for': 17017, 'day for prescription': 227630, 'for prescription medicine': 324698, 'prescription medicine here': 670521, 'medicine here is': 526804, 'here is comprehensive': 393220, 'is comprehensive list': 446719, 'comprehensive list of': 192641, 'list of household': 494445, 'household item to': 406872, 'item to consider': 463744, 'to consider buying': 903222, 'consider buying during': 194965, 'buying during this': 150215, 'deadly toll': 229299, 'toll on': 923860, '19 is starting': 8055, 'starting to take': 795042, 'take deadly toll': 832052, 'deadly toll on': 229300, 'toll on grocery': 923865, '19 australia': 5268, 'australia cancellation': 103249, 'cancellation guarantee': 161020, 'guarantee and': 367697, 'other statement': 620970, 'statement australian': 796161, 'australian consumer': 103469, 'law obligation': 482347, 'obligation during': 578453, 'covid 19 australia': 212665, '19 australia cancellation': 5269, 'australia cancellation guarantee': 103250, 'cancellation guarantee and': 161021, 'guarantee and other': 367698, 'and other statement': 68414, 'other statement australian': 620971, 'statement australian consumer': 796162, 'australian consumer law': 103470, 'consumer law obligation': 198003, 'law obligation during': 482348, 'obligation during covid': 578454, 'may drive': 521131, 'drive world': 259264, 'world inflation': 1009672, 'inflation analyst': 437138, 'analyst compilation': 57118, 'due to lockdown': 261851, 'to lockdown may': 909400, 'lockdown may drive': 499642, 'may drive world': 521135, 'drive world inflation': 259266, 'world inflation analyst': 1009673, 'inflation analyst compilation': 437139, 'find bog': 306837, 'for the 3rd': 326288, 'the 3rd day': 848110, '3rd day in': 18423, 'row and still': 726569, 'and still can': 72369, 'still can find': 800334, 'can find bog': 158315, 'find bog roll': 306838, 'sneezed': 776283, 'son sneezed': 785440, 'sneezed at': 776286, 'people looked': 648702, 'were terrorist': 980229, 'my son sneezed': 550167, 'son sneezed at': 785441, 'sneezed at the': 776287, 'morning and people': 541162, 'and people looked': 68872, 'people looked at': 648703, 'at like we': 99590, 'we were terrorist': 973814, 'multiplied': 545818, 'that who': 847521, 'get ppe': 347827, 'ppe is': 667983, 'being decided': 125021, 'decided by': 230861, 'by auction': 151907, 'auction not': 102859, 'need price': 555465, 'are multiplied': 88169, 'multiplied and': 545819, 'local govts': 498038, 'govts are': 361343, 'are wasting': 91540, 'wasting tremendous': 968330, 'tremendous time': 931235, 'effort well': 269667, 'process trumpliesamericansdie': 679978, 'daily reminder that': 224777, 'reminder that who': 710596, 'that who get': 847522, 'who get ppe': 988775, 'get ppe is': 347829, 'ppe is being': 667984, 'is being decided': 446074, 'being decided by': 125022, 'decided by auction': 230862, 'by auction not': 151908, 'auction not need': 102860, 'not need price': 570670, 'need price are': 555466, 'price are multiplied': 672701, 'are multiplied and': 88170, 'multiplied and local': 545820, 'and local govts': 66295, 'local govts are': 498039, 'govts are wasting': 361344, 'are wasting tremendous': 91542, 'wasting tremendous time': 968331, 'tremendous time and': 931236, 'time and effort': 896269, 'and effort well': 61970, 'effort well on': 269668, 'well on the': 978437, 'on the process': 604306, 'the process trumpliesamericansdie': 864553, 'deem': 231800, 'in charlotte': 421346, 'charlotte continue': 173766, 'to voluntarily': 918227, 'voluntarily shut': 960194, 'concern this': 193124, 'is tough': 453315, 'tough decision': 926808, 'decision but': 231009, 'one many': 606641, 'store deem': 807282, 'deem necessary': 231807, 'necessary remember': 554061, 'possible online': 665729, 'option if': 614053, 'support business': 826394, 'store in charlotte': 808284, 'in charlotte continue': 421347, 'charlotte continue to': 173767, 'continue to voluntarily': 201278, 'to voluntarily shut': 918228, 'voluntarily shut their': 960195, 'to concern this': 903173, 'concern this is': 193125, 'this is tough': 888434, 'is tough decision': 453316, 'tough decision but': 926809, 'decision but one': 231012, 'but one many': 146671, 'one many store': 606643, 'many store deem': 514735, 'store deem necessary': 807283, 'deem necessary remember': 231808, 'necessary remember when': 554062, 'remember when possible': 710415, 'when possible online': 983894, 'possible online shopping': 665730, 'shopping is an': 763033, 'is an option': 445688, 'an option if': 56685, 'option if you': 614054, 'to support business': 915909, 'veneer': 954416, 'craven': 215174, 'diseased': 245284, 'knew the': 476078, 'apocalypse begin': 81512, 'where ppl': 985125, 'ppl fighting': 668228, 'last roll': 480474, 'the thin': 869445, 'thin veneer': 884072, 'veneer of': 954417, 'of civilization': 581439, 'civilization ripped': 179598, 'ripped away': 722701, 'away by': 105802, 'by craven': 152253, 'craven fearful': 215175, 'fearful greedy': 301457, 'greedy shopper': 363606, 'shopper yet': 761846, 'hand wipe': 375994, 'for cleansing': 320117, 'cleansing yr': 181191, 'yr diseased': 1027014, 'diseased greedy': 245287, 'greedy soul': 363610, 'soul poem': 786232, 'poem poet': 662358, 'who knew the': 989172, 'knew the apocalypse': 476079, 'the apocalypse begin': 848804, 'apocalypse begin in': 81513, 'begin in the': 123531, 'store where ppl': 811261, 'where ppl fighting': 985126, 'ppl fighting over': 668229, 'fighting over the': 305110, 'the last roll': 859037, 'last roll of': 480477, 'paper the thin': 640882, 'the thin veneer': 869446, 'thin veneer of': 884073, 'veneer of civilization': 954418, 'of civilization ripped': 581440, 'civilization ripped away': 179599, 'ripped away by': 722702, 'away by craven': 105803, 'by craven fearful': 152254, 'craven fearful greedy': 215176, 'fearful greedy shopper': 301458, 'greedy shopper yet': 363607, 'shopper yet there': 761847, 'are no hand': 88261, 'no hand wipe': 564400, 'hand wipe for': 375995, 'wipe for cleansing': 996262, 'for cleansing yr': 320118, 'cleansing yr diseased': 181192, 'yr diseased greedy': 1027015, 'diseased greedy soul': 245288, 'greedy soul poem': 363611, 'soul poem poet': 786233, 'dormer': 255902, 'quarenteen': 693166, 'ebook': 266559, 'stayhomeandread': 798245, 'dormer during': 255903, 'the quarenteen': 864990, 'quarenteen for': 693167, 'for ve': 327525, 'my ebook': 548057, 'ebook price': 266560, 'cent lowest': 169088, 'lowest can': 506150, 'amazon so': 51122, 'some fantasy': 782815, 'fantasy novel': 298629, 'novel to': 573821, 'you company': 1017995, 'company ve': 191273, 'covered stayhomeandread': 212438, 'dormer during the': 255904, 'during the quarenteen': 263179, 'the quarenteen for': 864991, 'quarenteen for ve': 693168, 'for ve lowered': 327526, 'lowered all of': 506064, 'of my ebook': 586760, 'my ebook price': 548058, 'ebook price to': 266562, 'price to 99': 676961, '99 cent lowest': 23795, 'cent lowest can': 169089, 'lowest can do': 506151, 'can do on': 158112, 'do on amazon': 249923, 'on amazon so': 599289, 'amazon so if': 51123, 'need some fantasy': 555589, 'some fantasy novel': 782816, 'fantasy novel to': 298630, 'novel to keep': 573822, 'keep you company': 472234, 'you company ve': 1017996, 'company ve got': 191274, 'you covered stayhomeandread': 1018119, 'dust settle': 263455, 'settle people': 753687, 'hoarding prize': 399482, 'prize for': 679076, 'reason behaved': 702874, 'behaved if': 123807, 'law didn': 482255, 'exist and': 290224, 'this damn': 887152, 'damn saying': 225419, 'saying people': 739658, 'fever should': 303682, 'be dragged': 114598, 'and isolated': 65456, 'isolated how': 455005, 'the trial': 869976, 'trial will': 931664, 'will play': 994418, 'play out': 659199, 'the dust settle': 853792, 'dust settle people': 263458, 'settle people hoarding': 753688, 'people hoarding prize': 648276, 'hoarding prize for': 399483, 'prize for no': 679077, 'no reason behaved': 565283, 'reason behaved if': 702875, 'behaved if the': 123808, 'if the law': 414991, 'the law didn': 859182, 'law didn exist': 482256, 'didn exist and': 241052, 'exist and this': 290225, 'and this damn': 73989, 'this damn saying': 887154, 'damn saying people': 225420, 'saying people with': 739660, 'people with fever': 650451, 'with fever should': 998416, 'fever should be': 303683, 'should be dragged': 765610, 'be dragged out': 114600, 'home and isolated': 400654, 'and isolated how': 65458, 'isolated how the': 455006, 'how the trial': 408887, 'the trial will': 869977, 'trial will play': 931665, 'will play out': 994420, 'olden': 598557, 'breadfail': 138656, 'ok since': 597876, 'since there': 770922, 'bread in': 138494, 'the olden': 862148, 'olden day': 598558, 'day tried': 228618, 'make bread': 509747, 'bread fail': 138461, 'fail bread': 296087, 'bread breadfail': 138434, 'breadfail nofood': 138657, 'nofood stophoarding': 566178, 'ok since there': 597878, 'since there is': 770923, 'is no bread': 449914, 'no bread in': 563730, 'bread in the': 138499, 'shop and it': 759851, 'and it now': 65563, 'it now like': 459953, 'now like the': 575209, 'like the olden': 491386, 'the olden day': 862149, 'olden day tried': 598559, 'day tried to': 228620, 'to make bread': 909630, 'make bread fail': 509749, 'bread fail bread': 138462, 'fail bread breadfail': 296088, 'bread breadfail nofood': 138435, 'breadfail nofood stophoarding': 138658, 'nofood stophoarding stopstockpiling': 566180, 'stophoarding stopstockpiling stoppanicbuying': 805496, 'will speed': 994910, 'up shift': 945973, 'pandemic will speed': 637015, 'will speed up': 994911, 'speed up shift': 788476, 'up shift to': 945974, 'shift to ecommerce': 758433, 'selfservatism': 748590, 'selfservatism ha': 748591, 'ha gripped': 370770, 'gripped part': 364055, 'country far': 210641, 'far worse': 298980, 'with selfish': 1000626, 'people hoovering': 648290, 'hoovering stuff': 403390, 'shelf faster': 757072, 'truck can': 932743, 'bring fresh': 139975, 'essential key': 281263, 'worker going': 1007045, 'keep themselves': 472118, 'themselves going': 876818, 'selfservatism ha gripped': 748592, 'ha gripped part': 370771, 'gripped part of': 364056, 'the country far': 852076, 'country far worse': 210642, 'far worse than': 298983, '19 with selfish': 12142, 'with selfish people': 1000629, 'selfish people hoovering': 748212, 'people hoovering stuff': 648291, 'hoovering stuff up': 403391, 'stuff up from': 815236, 'supermarket shelf faster': 822468, 'shelf faster than': 757073, 'than the delivery': 841229, 'the delivery truck': 853077, 'delivery truck can': 234693, 'truck can bring': 932744, 'can bring fresh': 157796, 'bring fresh stock': 139976, 'fresh stock how': 333079, 'stock how are': 802250, 'how are essential': 407398, 'are essential key': 86252, 'essential key worker': 281264, 'key worker going': 473485, 'worker going to': 1007048, 'find food to': 306908, 'food to keep': 317266, 'to keep themselves': 908866, 'keep themselves going': 472120, 'holocaust': 400481, 'friday in': 333236, 'not china': 568748, 'driven this': 259366, 'pandemic global': 635496, 'global holocaust': 351978, 'holocaust we': 400484, 'all responsible': 44173, 'must speak': 546894, 'against amp': 37320, 'amp end': 53730, 'end be': 275790, 'change be': 171944, 'be vegan': 117962, 'vegan ara': 953843, 'is good friday': 448143, 'good friday in': 357102, 'friday in the': 333239, 'the usa not': 870548, 'usa not china': 948705, 'not china this': 568749, 'china this is': 176998, 'this is consumer': 888216, 'is consumer driven': 446791, 'consumer driven this': 197252, 'driven this is': 259367, 'this is global': 888267, 'is global pandemic': 448070, 'global pandemic global': 352090, 'pandemic global holocaust': 635497, 'global holocaust we': 351979, 'holocaust we are': 400485, 'are all responsible': 84341, 'all responsible for': 44174, 'responsible for and': 716027, 'for and must': 319330, 'and must speak': 67347, 'must speak up': 546895, 'speak up against': 787723, 'up against amp': 944241, 'against amp end': 37321, 'amp end be': 53731, 'end be the': 275791, 'be the change': 117604, 'the change be': 850669, 'change be vegan': 171945, 'be vegan ara': 117963, 'surveillance': 828788, 'making request': 511308, 'request on': 713180, 'on ask': 599483, 'ask consumer': 95505, 'agency for': 38008, 'gouging complaint': 359289, 'complaint ask': 191944, 'ask authority': 95490, 'authority if': 103746, 'if surveillance': 414905, 'surveillance technique': 828793, 'technique were': 836244, 'were used': 980319, 'track infected': 928204, 'person more': 652538, 'here info': 393201, 'info brad': 437433, 'brad schmidt': 137532, 'tip on making': 898854, 'on making request': 601971, 'making request on': 511309, 'request on ask': 713181, 'on ask consumer': 599484, 'ask consumer protection': 95506, 'protection agency for': 685299, 'agency for data': 38009, 'for data on': 320549, 'data on price': 226325, 'on price gouging': 602912, 'price gouging complaint': 674270, 'gouging complaint ask': 359290, 'complaint ask authority': 191945, 'ask authority if': 95491, 'authority if surveillance': 103747, 'if surveillance technique': 414906, 'surveillance technique were': 828795, 'technique were used': 836245, 'were used to': 980320, 'used to track': 950099, 'to track infected': 917678, 'track infected person': 928206, 'infected person more': 436620, 'person more here': 652539, 'more here info': 539426, 'here info brad': 393202, 'info brad schmidt': 437434, 'innovate': 438833, 'constraint': 195763, 'supermarket strained': 823020, 'strained in': 812317, 'way by': 969511, 'to innovate': 908397, 'innovate to': 438836, 'meet changed': 527431, 'changed customer': 172461, 'customer demand': 222296, 'demand keep': 235779, 'and deal': 60976, 'other constraint': 619990, 'constraint during': 195766, 'supermarket strained in': 823021, 'strained in all': 812318, 'in all sort': 420182, 'sort of way': 786146, 'of way by': 592953, 'way by covid': 969513, '19 are finding': 5198, 'way to innovate': 970041, 'to innovate to': 908398, 'innovate to meet': 438838, 'to meet changed': 910015, 'meet changed customer': 527432, 'changed customer demand': 172462, 'customer demand keep': 222298, 'demand keep employee': 235780, 'keep employee safe': 471467, 'employee safe and': 274167, 'safe and deal': 729441, 'and deal with': 60978, 'deal with other': 229563, 'with other constraint': 999949, 'other constraint during': 619991, 'constraint during the': 195767, 'upheld': 947566, 'be subjected': 117426, 'right need': 722002, 'be upheld': 117899, 'upheld if': 947567, 'the taxpayer': 869183, 'taxpayer are': 835193, 'be bailing': 113802, 'bailing them': 108618, 'crisis hope': 217494, 'agree bailout': 38594, 'bailout pandemic': 108650, 'pandemic maga2020': 635920, 'maga2020 http': 508304, 'not be subjected': 568462, 'be subjected to': 117427, 'subjected to this': 815763, 'to this in': 917432, 'the consumer right': 851589, 'consumer right need': 198822, 'right need to': 722003, 'to be upheld': 901614, 'be upheld if': 117900, 'upheld if we': 947568, 'if we the': 415318, 'we the taxpayer': 973523, 'the taxpayer are': 869184, 'taxpayer are going': 835195, 'to be bailing': 901124, 'be bailing them': 113803, 'bailing them out': 108619, 'them out during': 876123, 'this crisis hope': 887051, 'crisis hope you': 217497, 'hope you agree': 403787, 'you agree bailout': 1016850, 'agree bailout pandemic': 38595, 'bailout pandemic maga2020': 108651, 'pandemic maga2020 http': 635921, 'andre': 76162, 'voiced': 960012, 'katie price': 471053, 'price son': 676560, 'son junior': 785401, 'junior 14': 468021, '14 showing': 3526, 'showing coronavirus': 767432, 'symptom after': 830802, 'after peter': 36039, 'peter andre': 653515, 'andre voiced': 76165, 'voiced covid': 960013, 'katie price son': 471054, 'price son junior': 676561, 'son junior 14': 785402, 'junior 14 showing': 468022, '14 showing coronavirus': 3527, 'showing coronavirus symptom': 767433, 'coronavirus symptom after': 206863, 'symptom after peter': 830804, 'after peter andre': 36040, 'peter andre voiced': 653517, 'andre voiced covid': 76166, 'voiced covid 19': 960014, 'very own': 955402, 'own weighs': 632304, '19 mean': 8598, 'marketing via': 517748, 'our very own': 625264, 'very own weighs': 955407, 'own weighs in': 632305, 'in on what': 426131, 'on what covid': 605219, 'covid 19 mean': 213417, '19 mean for': 8599, 'mean for consumer': 524434, 'for consumer marketing': 320272, 'consumer marketing via': 198107, 'marketing via news': 517749, 'assaulting': 96332, 'angry tesco': 76495, 'tesco shopper': 838805, 'shopper wa': 761796, 'arrested after': 93802, 'allegedly assaulting': 45672, 'assaulting store': 96335, 'worker forcing': 1006982, 'preventing other': 671818, 'from doing': 335179, 'their lockdown': 873876, 'an angry tesco': 55309, 'angry tesco shopper': 76496, 'tesco shopper wa': 838806, 'shopper wa arrested': 761797, 'wa arrested after': 961581, 'arrested after allegedly': 93803, 'after allegedly assaulting': 35341, 'allegedly assaulting store': 45673, 'assaulting store worker': 96336, 'store worker forcing': 811507, 'worker forcing the': 1006983, 'forcing the supermarket': 328742, 'supermarket to close': 823361, 'close and preventing': 182537, 'and preventing other': 69423, 'preventing other customer': 671819, 'other customer from': 620060, 'customer from doing': 222399, 'from doing their': 335182, 'doing their lockdown': 252738, 'their lockdown shopping': 873877, 'margo': 515667, 'barbara': 110794, 'triplebottomline': 932275, 'finally real': 306078, 'real chance': 701062, 'good life': 357325, 'from margo': 336354, 'margo to': 515668, 'to barbara': 901042, 'barbara stayhomesavelives': 110797, 'stayhomesavelives consumer': 798361, 'consumer triplebottomline': 199394, 'finally real chance': 306079, 'real chance to': 701063, 'chance to live': 171808, 'to live the': 909350, 'live the good': 496048, 'the good life': 856441, 'good life making': 357326, 'life making the': 488864, 'making the move': 511421, 'the move from': 861085, 'move from margo': 543654, 'from margo to': 336355, 'margo to barbara': 515669, 'to barbara stayhomesavelives': 901043, 'barbara stayhomesavelives consumer': 110798, 'stayhomesavelives consumer triplebottomline': 798362, 'say everyone': 738617, 'now shopping': 575809, 'it another': 456535, 'to prove': 912365, 'through data': 894410, 'here blog': 392824, 'post that': 666344, 'that outline': 845611, 'outline shopper': 629094, 'behavior trend': 124276, 'trend since': 931447, '19 forced': 7089, 'shop differently': 760097, 'it one thing': 460077, 'one thing to': 607237, 'thing to say': 884900, 'to say everyone': 913818, 'say everyone is': 738618, 'everyone is now': 287090, 'is now shopping': 450335, 'now shopping online': 575811, 'shopping online it': 763450, 'online it another': 608443, 'it another to': 456538, 'another to prove': 77909, 'to prove it': 912367, 'prove it through': 686110, 'it through data': 461676, 'through data here': 894411, 'data here blog': 226267, 'here blog post': 392825, 'blog post that': 133000, 'post that outline': 666347, 'that outline shopper': 845612, 'outline shopper behavior': 629095, 'shopper behavior trend': 761433, 'behavior trend since': 124277, 'trend since covid': 931448, 'covid 19 forced': 213117, '19 forced to': 7090, 'forced to shop': 328655, 'to shop differently': 914454, 'iam': 412533, 'bachelor': 106808, 'work regarding': 1005652, 'regarding controlling': 707194, 'controlling of': 202277, '19 following': 7036, 'the instruction': 858328, 'instruction responsible': 440569, 'citizen iam': 178909, 'iam bachelor': 412534, 'bachelor for': 106809, 'day iam': 227775, 'iam running': 412536, 'stock sir': 802857, 'and really appreciate': 70015, 'appreciate your work': 82807, 'your work regarding': 1026377, 'work regarding controlling': 1005653, 'regarding controlling of': 707195, 'controlling of covid': 202278, 'covid 19 following': 213109, '19 following the': 7037, 'following the instruction': 312889, 'the instruction responsible': 858330, 'instruction responsible citizen': 440570, 'responsible citizen iam': 716014, 'citizen iam bachelor': 178910, 'iam bachelor for': 412535, 'bachelor for the': 106810, 'food for 21': 314514, '21 day iam': 14989, 'day iam running': 227776, 'iam running out': 412537, 'the stock sir': 867925, 'stock sir please': 802858, 'djt': 248840, 'new day': 558600, 'dying who': 263885, 'never died': 557952, 'died before': 241519, 'before djt': 122743, 'djt pandemic': 248843, 'stayhome covi': 797978, 'd19 toiletpaper': 224190, 'it new day': 459789, 'new day people': 558601, 'day people are': 228198, 'are dying who': 86059, 'dying who have': 263886, 'who have never': 988939, 'have never died': 381574, 'never died before': 557953, 'died before djt': 241520, 'before djt pandemic': 122744, 'djt pandemic stayhome': 248844, 'pandemic stayhome covi': 636541, 'stayhome covi d19': 797979, 'covi d19 toiletpaper': 212543, 'trump crude': 933501, 'crude problem': 219607, 'problem opec': 679642, 'opec diplomacy': 611876, 'diplomacy can': 243216, 'save america': 737469, 'america oil': 51632, 'oil job': 596919, 'job via': 466265, 'trump crude problem': 933502, 'crude problem opec': 219608, 'problem opec diplomacy': 679643, 'opec diplomacy can': 611877, 'diplomacy can save': 243217, 'can save america': 159502, 'save america oil': 737470, 'america oil job': 51633, 'oil job via': 596920, 'unfill': 941489, 'my county': 547820, 'county food': 211381, 'their volunteer': 875135, 'volunteer number': 960300, 'number due': 576871, 'already warned': 47752, 'warned they': 967039, 'getting reduced': 349227, 'delivery fewer': 233994, 'fewer near': 304223, 'near out': 553567, 'date donation': 226619, 'from distributor': 335164, 'distributor some': 248318, 'some order': 783468, 'order unfill': 618731, 'my county food': 547823, 'county food bank': 211382, 'bank have reduced': 109896, 'reduced their volunteer': 706192, 'their volunteer number': 875136, 'volunteer number due': 960301, 'number due to': 576872, '19 they do': 11305, 'they do need': 881968, 'do need food': 249638, 'need food were': 554815, 'food were already': 317550, 'were already warned': 979313, 'already warned they': 47753, 'warned they were': 967040, 'they were going': 883774, 'to be getting': 901274, 'be getting reduced': 115011, 'getting reduced delivery': 349228, 'reduced delivery fewer': 706052, 'delivery fewer near': 233995, 'fewer near out': 304224, 'near out of': 553568, 'of date donation': 582365, 'date donation from': 226620, 'donation from distributor': 254612, 'from distributor some': 335165, 'distributor some order': 248319, 'some order unfill': 783469, 'italy 48': 462754, 'old supermarket': 598487, 'cashier dy': 166515, 'italy 48 year': 462755, 'year old supermarket': 1014869, 'old supermarket cashier': 598488, 'supermarket cashier dy': 819556, 'cashier dy in': 166516, 'dy in brescia': 263733, 'uk major': 938530, 'city learn': 179234, 'how wrong': 409264, 'wrong thing': 1013121, 'show bit': 766880, 'another once': 77733, 'virus impact': 958317, 'impact there': 418017, 'much community': 544800, 'spirit here': 789469, 'here stophoarding': 393607, 'do hope the': 249409, 'hope the uk': 403690, 'the uk major': 870247, 'uk major city': 938531, 'major city learn': 509266, 'city learn from': 179235, 'learn from how': 483965, 'from how wrong': 335963, 'how wrong thing': 409265, 'wrong thing have': 1013122, 'thing have gone': 884403, 'have gone in': 380795, 'gone in london': 356309, 'london and show': 501016, 'and show bit': 71607, 'show bit more': 766881, 'bit more respect': 131623, 'respect for one': 714994, 'for one another': 324077, 'one another once': 605922, 'another once the': 77734, 'once the virus': 605734, 'the virus impact': 870845, 'virus impact there': 958318, 'impact there not': 418018, 'there not seeing': 878862, 'seeing much community': 746374, 'much community spirit': 544801, 'community spirit here': 190103, 'spirit here stophoarding': 789470, 'here stophoarding panicbuyinguk': 393608, 'supermarket working': 824128, 'restock essential': 716870, 'essential after': 280757, 'coronavirus supermarket working': 206849, 'supermarket working tirelessly': 824129, 'tirelessly to restock': 899092, 'to restock essential': 913401, 'restock essential after': 716871, 'essential after panic': 280758, 'after panic buyer': 36015, 'imagine living': 416751, 'an area': 55387, 'so dangerous': 776839, 'dangerous that': 225785, 'life into': 488796, 'hand just': 375062, 'outside now': 629495, 'now imagine': 574981, 'imagine living in': 416752, 'living in an': 496364, 'in an area': 420282, 'an area that': 55391, 'area that is': 92219, 'is so dangerous': 452002, 'so dangerous that': 776841, 'dangerous that you': 225786, 'you take your': 1021523, 'take your life': 832820, 'your life into': 1024636, 'life into your': 488797, 'into your own': 443326, 'own hand just': 632046, 'hand just by': 375063, 'just by going': 468398, 'by going outside': 152701, 'going outside now': 355408, 'outside now imagine': 629496, 'now imagine that': 574983, 'imagine that you': 416792, 'mosaic': 541987, 'moz': 544228, 'mosaic brand': 541988, 'brand moz': 137911, 'moz which': 544229, 'which owns': 986214, 'owns retail': 632635, 'brand noni': 137938, 'noni river': 566648, 'river katies': 724185, 'katies will': 471060, 'impact revenue': 417948, 'revenue store': 720475, 'start from': 794299, 'thursday but': 895358, 'but online': 146676, 'online operation': 608639, 'remain available': 709701, 'available ausbiz': 104267, 'ausbiz retail': 103041, 'mosaic brand moz': 541989, 'brand moz which': 137912, 'moz which owns': 544230, 'which owns retail': 986215, 'owns retail brand': 632636, 'retail brand noni': 717894, 'brand noni river': 137939, 'noni river katies': 566649, 'river katies will': 724186, 'katies will temporarily': 471061, 'will temporarily suspend': 995108, 'suspend trading at': 829595, 'trading at it': 928840, 'it store the': 461301, 'store the impact': 810604, 'the impact revenue': 857946, 'impact revenue store': 417949, 'revenue store traffic': 720476, 'store traffic the': 810937, 'traffic the store': 929148, 'the store closure': 867997, 'store closure will': 807115, 'closure will start': 184071, 'will start from': 994941, 'start from thursday': 794305, 'from thursday but': 338044, 'thursday but online': 895359, 'but online operation': 146678, 'online operation remain': 608641, 'operation remain available': 613245, 'remain available ausbiz': 709702, 'available ausbiz retail': 104268, 'kitco': 475794, 'usdollar': 948994, 'mar 12': 514966, '2020 kitco': 14416, 'kitco to': 475797, 'to pop': 911883, 'pop bubble': 664411, 'bubble greater': 141598, 'than 2008': 840200, '2008 gold': 13669, 'go but': 353385, 'but up': 147671, 'up commodity': 944621, 'commodity metal': 189225, 'metal mining': 529641, 'mining usdollar': 533301, 'mar 12 2020': 514967, '12 2020 kitco': 2787, '2020 kitco to': 14417, 'kitco to pop': 475798, 'to pop bubble': 911884, 'pop bubble greater': 664412, 'bubble greater than': 141599, 'greater than 2008': 363244, 'than 2008 gold': 840201, '2008 gold price': 13670, 'gold price have': 355957, 'price have nowhere': 674443, 'to go but': 906779, 'go but up': 353389, 'but up commodity': 147672, 'up commodity metal': 944622, 'commodity metal mining': 189226, 'metal mining usdollar': 529642, 'stop toilet': 805228, 'hoarding easy': 399270, 'easy normal': 265738, 'first pack': 308842, 'pack then': 633170, 'then ten': 877600, 'ten time': 837809, 'for subsequent': 325964, 'subsequent pack': 815929, 'pack repeat': 633145, 'repeat for': 711516, 'essential stoppanicbuying': 281588, 'to stop toilet': 915589, 'stop toilet paper': 805229, 'paper shortage and': 640764, 'shortage and hoarding': 764818, 'and hoarding easy': 64651, 'hoarding easy normal': 399271, 'easy normal price': 265739, 'for first pack': 321502, 'first pack then': 308844, 'pack then ten': 633171, 'then ten time': 877601, 'ten time for': 837810, 'time for subsequent': 896759, 'for subsequent pack': 325965, 'subsequent pack repeat': 815930, 'pack repeat for': 633146, 'repeat for essential': 711517, 'for essential stoppanicbuying': 321122, 'republic': 713005, 'up enough': 944793, 'food central': 313900, 'central african': 169356, 'african republic': 35218, 'stock up enough': 803078, 'up enough food': 944794, 'enough food central': 277388, 'food central african': 313901, 'central african republic': 169357, 'contrary': 201831, 'clearest': 181447, 'barometer': 111145, 'contrary to': 201834, 'the hype': 857786, 'hype promoting': 412269, 'promoting plant': 683852, 'based alternative': 111502, 'alternative panic': 49249, 'of meat': 586371, 'meat is': 525631, 'the clearest': 850999, 'clearest indication': 181448, 'of strong': 590309, 'strong consumer': 813996, 'consumer support': 199182, 'not barometer': 568335, 'barometer of': 111150, 'then don': 877130, 'contrary to the': 201837, 'to the hype': 916790, 'the hype promoting': 857789, 'hype promoting plant': 412270, 'promoting plant based': 683853, 'plant based alternative': 658619, 'based alternative panic': 111503, 'alternative panic buying': 49250, 'buying of meat': 150796, 'of meat is': 586374, 'meat is the': 525636, 'is the clearest': 452750, 'the clearest indication': 851000, 'clearest indication of': 181449, 'indication of strong': 435024, 'of strong consumer': 590311, 'strong consumer support': 813998, 'consumer support for': 199183, 'support for meat': 826515, 'for meat if': 323361, 'meat if that': 525613, 'if that not': 414941, 'that not barometer': 845384, 'not barometer of': 568336, 'barometer of what': 111152, 'of what people': 593059, 'what people think': 982018, 'people think of': 649834, 'think of our': 885454, 'our product then': 624484, 'product then don': 681713, 'then don know': 877132, 'consumer advisory': 196053, 'advisory the': 33782, 'consumer council': 196996, 'of fiji': 583508, 'fiji will': 305294, 'monitor business': 537279, 'for fair': 321369, 'service our': 752672, 'team conduct': 835611, 'conduct daily': 193640, 'daily market': 224690, 'market surveillance': 517151, 'surveillance to': 828796, 'sure trader': 827791, 'consumer advisory the': 196056, 'advisory the consumer': 33783, 'the consumer council': 851517, 'consumer council of': 196999, 'council of fiji': 210012, 'of fiji will': 583512, 'fiji will continue': 305295, 'to monitor business': 910230, 'monitor business around': 537280, 'the country for': 852082, 'country for fair': 210668, 'for fair price': 321370, 'fair price of': 296373, 'and service our': 71309, 'service our team': 752675, 'our team conduct': 625098, 'team conduct daily': 835612, 'conduct daily market': 193641, 'daily market surveillance': 224692, 'market surveillance to': 517152, 'surveillance to make': 828797, 'make sure trader': 510536, 'sure trader and': 827792, 'trader and business': 928647, 'business are not': 143378, 'peterborough': 653544, 'kawartha': 471130, 'essential the': 281659, 'the peterborough': 863610, 'peterborough area': 653545, 'area seem': 92183, 'be dwindling': 114620, 'dwindling in': 263690, 'supply but': 824862, 'but kawartha': 146208, 'kawartha food': 471131, 'food share': 316444, 'share say': 755207, 'during time when': 263350, 'time when thousand': 898307, 'when thousand are': 984318, 'thousand are stocking': 893380, 'and essential the': 62265, 'essential the shelf': 281663, 'shelf at food': 756845, 'in the peterborough': 429448, 'the peterborough area': 863611, 'peterborough area seem': 653547, 'area seem to': 92184, 'to be dwindling': 901226, 'be dwindling in': 114622, 'dwindling in supply': 263691, 'in supply but': 428727, 'supply but kawartha': 824865, 'but kawartha food': 146209, 'kawartha food share': 471132, 'food share say': 316446, 'share say there': 755208, 'here just': 393280, 'just shopping': 469783, 'house the': 406603, 'store isn': 808554, 'isn hang': 454534, 'out place': 627046, 'we ain': 970304, 'ain got': 39619, 'need stayhome': 555637, 'stayhome stoppanicbuying': 798193, 'out here just': 626284, 'here just shopping': 393281, 'just shopping to': 469787, 'shopping to shop': 764191, 'shop and get': 759847, 'the house the': 857639, 'house the grocery': 406604, 'grocery store isn': 365493, 'store isn hang': 808560, 'isn hang out': 454535, 'hang out place': 376938, 'out place we': 627047, 'place we ain': 657811, 'we ain got': 970306, 'ain got what': 39623, 'you need stayhome': 1020041, 'need stayhome stoppanicbuying': 555638, 'crushline': 219821, 'athletecrush': 101777, 'dropped all': 260531, 'our crushline': 622631, 'crushline price': 219822, 'by with': 154756, 'all profit': 44071, 'profit going': 682745, 'corona help': 203987, 'difference go': 241843, 'facebook store': 294996, 'click this': 181950, 'our web': 625320, 'web store': 974963, 'purchase athletecrush': 689372, 'we have dropped': 971802, 'have dropped all': 380375, 'dropped all our': 260532, 'all our crushline': 43801, 'our crushline price': 622632, 'crushline price by': 219823, 'price by with': 673046, 'by with all': 154757, 'with all profit': 997159, 'all profit going': 44072, 'profit going towards': 682747, 'going towards the': 355769, 'towards the fight': 927260, 'fight against corona': 304613, 'against corona help': 37378, 'corona help make': 203988, 'help make difference': 390034, 'make difference go': 509833, 'difference go to': 241844, 'go to our': 354335, 'to our facebook': 911179, 'our facebook store': 622982, 'facebook store or': 294997, 'store or click': 809318, 'or click this': 614741, 'click this link': 181951, 'get to our': 348483, 'to our web': 911252, 'our web store': 625321, 'web store to': 974964, 'to purchase athletecrush': 912520, 'gov northam': 359643, 'northam need': 567695, 'great literally': 362807, 'literally in': 495024, 'million state': 532355, 'are competing': 85457, 'competing for': 191630, 'some private': 783640, 'private vendor': 678997, 'vendor have': 954374, 'jumped why': 467956, 'need nationally': 555287, 'nationally led': 552693, 'led response': 485255, 'response not': 715758, 'to determine': 904234, 'determine availability': 239428, 'availability and': 104128, 'and pricing': 69493, 'gov northam need': 359644, 'northam need for': 567696, 'need for ppe': 554864, 'for ppe is': 324668, 'ppe is so': 667987, 'is so so': 452035, 'so so great': 778233, 'so great literally': 777206, 'great literally in': 362808, 'literally in the': 495025, 'in the million': 429364, 'the million state': 860627, 'million state are': 532356, 'state are competing': 795383, 'are competing for': 85459, 'competing for supply': 191631, 'for supply so': 326054, 'supply so price': 825867, 'so price from': 778073, 'price from some': 674119, 'from some private': 337344, 'some private vendor': 783641, 'private vendor have': 678998, 'vendor have jumped': 954376, 'have jumped why': 381195, 'jumped why we': 467957, 'we need nationally': 972521, 'need nationally led': 555288, 'nationally led response': 552694, 'led response not': 485256, 'response not the': 715759, 'not the free': 572000, 'free market to': 331957, 'market to determine': 517234, 'to determine availability': 904235, 'determine availability and': 239429, 'availability and pricing': 104130, 'dems': 236887, 'admonishes': 32637, 'wh cut': 980904, 'cut cdc': 223267, 'cdc pandemic': 168598, 'pandemic fund': 635482, 'fund in': 341432, '2018 proceeds': 13892, 'and created': 60706, 'by dems': 152332, 'dems admonishes': 236888, 'admonishes people': 32638, 'who seem': 989575, 'hoarding or': 399461, 'or stocking': 617234, 'you tried': 1021926, 'tried ordering': 931810, 'ordering grocery': 618976, 'online lately': 608466, 'lately moronic': 480975, 'so the wh': 778444, 'the wh cut': 871413, 'wh cut cdc': 980905, 'cut cdc pandemic': 223268, 'cdc pandemic fund': 168599, 'pandemic fund in': 635483, 'fund in 2018': 341433, 'in 2018 proceeds': 419789, '2018 proceeds to': 13893, 'proceeds to say': 679863, 'say the covid': 739273, '19 is hoax': 7989, 'is hoax and': 448513, 'hoax and created': 399694, 'and created by': 60707, 'created by dems': 215790, 'by dems admonishes': 152333, 'dems admonishes people': 236889, 'admonishes people who': 32639, 'people who seem': 650338, 'who seem to': 989576, 'be hoarding or': 115277, 'hoarding or stocking': 399464, 'or stocking up': 617235, 'stocking up now': 803622, 'up now we': 945486, 'now we re': 576351, 're being told': 698364, 'being told not': 125966, 'shopping or to': 763556, 'or to pharmacy': 617472, 'to pharmacy have': 911693, 'pharmacy have you': 654341, 'have you tried': 383698, 'you tried ordering': 1021928, 'tried ordering grocery': 931811, 'ordering grocery online': 618977, 'grocery online lately': 364782, 'online lately moronic': 608468, 'gouvernance': 359521, 'squad': 791443, 'illicit': 416271, 'uncontrolled': 939882, 'bamako': 109140, 'urgent covid19': 948336, 'covid19 gouvernance': 214300, 'gouvernance the': 359522, 'is setting': 451810, 'an anti': 55328, 'anti fraud': 78304, 'fraud squad': 331349, 'squad against': 791444, 'the illicit': 857876, 'illicit and': 416272, 'and uncontrolled': 74614, 'uncontrolled rise': 939885, 'particular context': 642603, 'context imposed': 200906, 'report increase': 712036, 'to bamako': 901014, 'bamako beyond': 109141, 'official price': 595883, 'urgent covid19 gouvernance': 948337, 'covid19 gouvernance the': 214301, 'gouvernance the government': 359523, 'government is setting': 360275, 'is setting up': 451811, 'up an anti': 944294, 'an anti fraud': 55329, 'anti fraud squad': 78305, 'fraud squad against': 331350, 'squad against the': 791445, 'against the illicit': 37662, 'the illicit and': 857877, 'illicit and uncontrolled': 416274, 'and uncontrolled rise': 74615, 'uncontrolled rise in': 939886, 'in price in': 426971, 'this particular context': 889485, 'particular context imposed': 642604, 'context imposed by': 200907, 'imposed by the': 419281, 'by the number': 154392, 'number to call': 577069, 'to call to': 902390, 'call to report': 156183, 'to report increase': 913274, 'report increase in': 712037, 'price to bamako': 676967, 'to bamako beyond': 901015, 'bamako beyond the': 109142, 'beyond the official': 129246, 'the official price': 862097, 'by student': 154142, 'student for': 814686, 'their lack': 873780, 'of support': 590509, 'student during': 814676, 'outbreak stop': 628662, 'stop pretending': 804930, 'pretending you': 671342, 'your resident': 1025591, 'resident when': 714400, 'you force': 1018689, 'force them': 328514, 'pay already': 644717, 'already exorbitant': 47324, 'for room': 325255, 'room they': 725976, 'absolutely disgusted by': 27337, 'disgusted by student': 245364, 'by student for': 154143, 'student for their': 814689, 'for their lack': 326844, 'their lack of': 873781, 'lack of support': 478661, 'of support and': 590510, 'support and compassion': 826355, 'compassion for student': 191489, 'for student during': 325949, 'student during the': 814677, '19 outbreak stop': 9193, 'outbreak stop pretending': 628663, 'stop pretending you': 804931, 'pretending you care': 671343, 'about your resident': 27010, 'your resident when': 1025592, 'resident when you': 714401, 'when you force': 984561, 'you force them': 1018690, 'force them to': 328517, 'them to pay': 876496, 'to pay already': 911510, 'pay already exorbitant': 644718, 'already exorbitant price': 47325, 'exorbitant price for': 290409, 'price for room': 674040, 'for room they': 325258, 'room they will': 725977, 'nigeria foreign': 562742, 'foreign exchange': 328973, 'exchange reserve': 289473, 'reserve have': 714068, 'fallen by': 297139, 'by 59': 151686, '59 billion': 20564, 'billion since': 130913, 'near collapse': 553474, 'bank now': 110041, 'ha 35': 369410, '35 94': 17872, '94 billion': 23543, 'in reserve': 427406, 'reserve left': 714081, 'nigeria foreign exchange': 562743, 'foreign exchange reserve': 328974, 'exchange reserve have': 289474, 'reserve have fallen': 714069, 'have fallen by': 380566, 'fallen by 59': 297141, 'by 59 billion': 151687, '59 billion since': 20566, 'billion since the': 130914, 'since the beginning': 770866, 'beginning of the': 123652, 'to the near': 916893, 'the near collapse': 861348, 'near collapse in': 553475, 'price the central': 676824, 'the central bank': 850601, 'central bank now': 169376, 'bank now ha': 110042, 'now ha 35': 574840, 'ha 35 94': 369411, '35 94 billion': 17873, '94 billion in': 23544, 'billion in reserve': 130852, 'in reserve left': 427407, 'concentration': 192839, 'gaza': 344742, 'concentration camp': 192842, 'camp gaza': 157178, 'gaza with': 344759, 'drink no': 258862, 'and israeli': 65468, 'israeli produce': 455621, 'produce so': 680435, 'those nasty': 892237, 'nasty israeli': 552058, 'israeli have': 455615, 'miserably again': 533994, 'concentration camp gaza': 192843, 'camp gaza with': 157179, 'gaza with plenty': 344760, 'and drink no': 61732, 'drink no panic': 258863, 'buying and israeli': 149916, 'and israeli produce': 65470, 'israeli produce so': 455622, 'produce so much': 680436, 'much for not': 544922, 'for not one': 323931, 'case of those': 165930, 'of those nasty': 592104, 'those nasty israeli': 892238, 'nasty israeli have': 552059, 'israeli have failed': 455616, 'failed miserably again': 296150, 'show stock': 767155, 'time business': 896409, 'business didn': 143636, 'didn close': 241011, 'close just': 182697, 'they closed': 881767, 'keep people': 471783, 'people safe': 649332, 'safe concern': 729554, 'safety don': 730514, 'don disappear': 253462, 'disappear by': 244033, 'by reopening': 153763, 'reopening business': 711384, 'they disappear': 881941, 'disappear when': 244052, 'the data show': 852851, 'data show stock': 226412, 'show stock price': 767156, 'stock price went': 802757, 'went down at': 978985, 'down at the': 256538, 'same time business': 733349, 'time business closed': 896410, 'business closed but': 143539, 'closed but business': 183026, 'but business didn': 145324, 'business didn close': 143637, 'didn close just': 241013, 'close just because': 182698, 'because they closed': 119694, 'they closed to': 881769, 'closed to keep': 183397, 'to keep people': 908827, 'keep people safe': 471789, 'people safe concern': 649333, 'safe concern for': 729555, 'concern for safety': 192976, 'for safety don': 325303, 'safety don disappear': 730515, 'don disappear by': 253463, 'disappear by reopening': 244034, 'by reopening business': 153764, 'reopening business they': 711386, 'business they disappear': 144515, 'they disappear when': 881942, 'disappear when there': 244053, 'sanitizer video': 736010, 'video hit': 956777, 'hit 2k': 398103, '2k view': 16629, 'facebook thank': 294998, 'all god': 42950, 'bless more': 132586, 'are cooking': 85559, 'hand sanitizer video': 375644, 'sanitizer video hit': 736011, 'video hit 2k': 956778, 'hit 2k view': 398104, '2k view on': 16630, 'view on facebook': 957135, 'on facebook thank': 600716, 'facebook thank you': 294999, 'you all god': 1016881, 'all god bless': 42951, 'god bless more': 354656, 'bless more video': 132587, 'more video are': 540906, 'video are cooking': 956620, 'these ridiculous': 880607, 'item hand': 463312, 'mask etc': 518611, 'doing to stop': 252801, 'stop these ridiculous': 805177, 'these ridiculous price': 880608, 'ridiculous price increase': 721590, 'increase on these': 432957, 'on these essential': 604562, 'essential item hand': 281203, 'item hand sanitizers': 463313, 'hand sanitizers mask': 375708, 'sanitizers mask etc': 736344, 'unde': 939932, 'biggest scumbags': 130321, 'scumbags going': 742999, 'going denied': 355106, 'denied refund': 236963, 'refund twice': 706970, 'twice due': 936522, 'them picking': 876159, 'picking flooded': 655849, 'flooded ground': 310728, 'ground venue': 366553, 'venue and': 954706, 'get appropriate': 346595, 'appropriate insurance': 83037, 'insurance for': 440732, 'zero clue': 1027417, 'clue on': 184552, 'basic consumer': 111855, 'and genuinely': 63536, 'genuinely hope': 345892, 'hope their': 403691, 'their company': 872829, 'company go': 190697, 'go unde': 354407, 'are the biggest': 90802, 'the biggest scumbags': 849677, 'biggest scumbags going': 130322, 'scumbags going denied': 743000, 'going denied refund': 355107, 'denied refund twice': 236964, 'refund twice due': 706971, 'twice due to': 936523, 'due to them': 261994, 'to them picking': 917308, 'them picking flooded': 876160, 'picking flooded ground': 655850, 'flooded ground venue': 310729, 'ground venue and': 366554, 'venue and failing': 954707, 'failing to get': 296232, 'to get appropriate': 906413, 'get appropriate insurance': 346596, 'appropriate insurance for': 83038, 'insurance for covid': 440733, '19 have zero': 7457, 'have zero clue': 383725, 'zero clue on': 1027418, 'clue on basic': 184553, 'on basic consumer': 599578, 'basic consumer law': 111858, 'consumer law and': 197994, 'law and genuinely': 482206, 'and genuinely hope': 63538, 'genuinely hope their': 345893, 'hope their company': 403692, 'their company go': 872834, 'company go unde': 190698, 'apzweb': 83772, 'coronavirus oshawa': 206362, 'employee test': 274276, 'on apzweb': 599453, 'new post coronavirus': 559320, 'post coronavirus oshawa': 666068, 'coronavirus oshawa ont': 206363, 'store employee test': 807548, 'employee test positive': 274277, 'published on apzweb': 688674, 'store let': 808707, 'practice being': 668535, 'being little': 125390, 'more patient': 540000, 'another we': 77962, 'grocery store let': 365520, 'store let all': 808708, 'let all practice': 486565, 'all practice being': 44010, 'practice being little': 668536, 'being little more': 125391, 'little more patient': 495469, 'more patient and': 540001, 'patient and kind': 644134, 'and kind to': 65855, 'one another we': 605929, 'another we can': 77963, 'can get thru': 158465, 'the radio': 865097, 'radio saying': 695456, 'buying fridge': 150381, 'freezer because': 332591, 'idiot staysafe': 413592, 'someone on the': 784591, 'on the radio': 604317, 'the radio saying': 865100, 'radio saying people': 695457, 'saying people are': 739659, 'panic buying fridge': 637741, 'buying fridge freezer': 150382, 'fridge freezer because': 333398, 'freezer because they': 332592, 'because they have': 119705, 'they have nowhere': 882353, 'nowhere to stock': 576576, 'stock the panic': 802937, 'food idiot staysafe': 314883, 'ordeal': 617966, 'get temporary': 348177, 'temporary increase': 837646, 'in pay': 426556, 'pay during': 644837, 'this entire': 887392, 'entire ordeal': 278709, 'ordeal we': 617972, 'turn infect': 935683, 'infect someone': 436509, 'else with': 271993, 'store worker should': 811582, 'should get temporary': 766040, 'get temporary increase': 348178, 'temporary increase in': 837647, 'increase in pay': 432852, 'in pay during': 426557, 'pay during this': 644838, 'during this entire': 263281, 'this entire ordeal': 887393, 'entire ordeal we': 278710, 'ordeal we are': 617973, 'one that are': 607172, 'that are most': 842780, 'are most likely': 88138, 'most likely to': 542488, 'be infected and': 115477, 'infected and then': 436533, 'and then in': 73772, 'then in turn': 877261, 'in turn infect': 430337, 'turn infect someone': 935684, 'infect someone else': 436510, 'someone else with': 784458, 'else with covid': 271994, 'fight by': 304688, 'buy from': 148713, 'sell from': 748737, 'let fight by': 486713, 'fight by promoting': 304689, 'by promoting online': 153669, 'online shopping buy': 609059, 'shopping buy from': 762264, 'buy from home': 148715, 'from home or': 335891, 'home or sell': 401755, 'or sell from': 616999, 'sell from home': 748738, 'agree it': 38613, 'it fresh': 458134, 'fresh air': 332911, 'air sunshine': 39792, 'sunshine it': 818432, 'probably very': 679409, 'very unlikely': 955628, 'unlikely place': 942753, 'catch this': 167043, 'aren closing': 92360, 'store each': 807414, 'day will': 228767, 'will spread': 994921, 'more germ': 539337, 'germ than': 346156, 'than crowd': 840477, 'at th': 100849, 'agree it fresh': 38614, 'it fresh air': 458135, 'fresh air sunshine': 332919, 'air sunshine it': 39793, 'sunshine it is': 818433, 'it is probably': 459043, 'is probably very': 451052, 'probably very unlikely': 679410, 'very unlikely place': 955629, 'unlikely place to': 942754, 'to catch this': 902508, 'catch this we': 167045, 'this we aren': 891144, 'we aren closing': 970771, 'aren closing the': 92361, 'closing the store': 183780, 'the store all': 867976, 'grocery store each': 365353, 'store each day': 807415, 'each day will': 264055, 'day will spread': 228771, 'will spread more': 994924, 'spread more germ': 790637, 'more germ than': 539338, 'germ than crowd': 346157, 'than crowd at': 840478, 'crowd at th': 219130, 'just coming': 468498, 'coming on': 188153, 'staff how': 792537, 'you appreciate': 1017039, 'appreciate them': 82765, 'don empty': 253480, 'too nh': 924966, 'nh stopstockpiling': 562119, 'instead of just': 440282, 'of just coming': 585568, 'just coming on': 468499, 'coming on social': 188157, 'on social and': 603533, 'social and telling': 779434, 'and telling the': 73105, 'telling the nh': 837267, 'nh staff how': 562091, 'staff how much': 792538, 'much you appreciate': 545489, 'you appreciate them': 1017041, 'appreciate them how': 82766, 'them how about': 875864, 'about you don': 26972, 'you don empty': 1018310, 'don empty the': 253481, 'empty the supermarket': 275182, 'shelf so they': 757528, 'they can buy': 881616, 'buy food too': 148687, 'food too nh': 317333, 'too nh stopstockpiling': 924967, 'chain should': 171104, 'stop wasting': 805258, 'wasting money': 968319, 'weekly ad': 977464, 'it pointless': 460369, 'pointless to': 662778, 'to advertise': 900133, 'advertise item': 33154, 'item when': 463808, 'selfish hoarder': 748120, 'supermarket chain should': 819635, 'chain should just': 171106, 'should just stop': 766164, 'just stop wasting': 469914, 'stop wasting money': 805261, 'wasting money on': 968320, 'on the weekly': 604445, 'the weekly ad': 871343, 'weekly ad for': 977465, 'ad for the': 31106, 'few week because': 304136, 'week because it': 975986, 'because it pointless': 119200, 'it pointless to': 460370, 'pointless to advertise': 662779, 'to advertise item': 900134, 'advertise item when': 33155, 'item when the': 463809, 'when the item': 984166, 'the item are': 858602, 'item are going': 463092, 'be sold out': 117287, 'sold out to': 781751, 'the selfish hoarder': 866665, 'selfish hoarder and': 748121, 'hoarder and panic': 398978, 'and panic buyer': 68647, 'workstream': 1009238, 'hrtech': 409710, 'gigworkers': 350095, 'the kit': 858829, 'kit includes': 475576, 'includes face': 431744, 'thermometer thank': 879545, 'for looking': 323103, 'them workstream': 876664, 'workstream hr': 1009239, 'hr hrtech': 409629, 'hrtech technology': 409711, 'technology entrepreneur': 836287, 'entrepreneur instacart': 278935, 'instacart gigworkers': 439920, 'the kit includes': 858830, 'kit includes face': 475577, 'includes face mask': 431745, 'and thermometer thank': 73873, 'thermometer thank you': 879546, 'you for looking': 1018654, 'for looking out': 323105, 'out for them': 626166, 'for them workstream': 326932, 'them workstream hr': 876665, 'workstream hr hrtech': 1009240, 'hr hrtech technology': 409630, 'hrtech technology entrepreneur': 409712, 'technology entrepreneur instacart': 836289, 'entrepreneur instacart gigworkers': 278936, 'sage': 730893, 'this sage': 889940, 'sage advice': 730894, 'advice came': 33340, 'from doug': 335202, 'doug stephen': 256259, 'stephen the': 799743, 'week special': 976903, 'special episode': 787912, 'opportunity that': 613684, 'that creates': 843392, 'creates for': 215945, 'innovation and': 438853, 'and better': 58914, 'of fashion': 583439, 'fashion happen': 299812, 'this sage advice': 889941, 'sage advice came': 730895, 'advice came from': 33341, 'came from doug': 156997, 'from doug stephen': 335203, 'doug stephen the': 256260, 'stephen the on': 799744, 'the on this': 862177, 'on this week': 604645, 'this week special': 891267, 'week special episode': 976904, 'special episode of': 787914, 'the on how': 862169, 'the is shifting': 858528, 'is shifting consumer': 451849, 'shifting consumer behaviour': 758519, 'behaviour and the': 124367, 'and the opportunity': 73502, 'the opportunity that': 862403, 'opportunity that creates': 613685, 'that creates for': 843394, 'creates for innovation': 215946, 'for innovation and': 322591, 'innovation and better': 438854, 'and better way': 58920, 'better way of': 128597, 'of making the': 586128, 'making the business': 511409, 'business of fashion': 144120, 'of fashion happen': 583440, 'with boost': 997448, 'boost in': 134965, 'in shopping': 427904, 'grocery driven': 364472, 'retailer need': 719252, 'meet rising': 527563, 'deliver positive': 233192, 'positive customer': 665294, 'customer experience': 222351, 'store cx': 807257, 'with boost in': 997449, 'boost in shopping': 134967, 'in shopping for': 427909, 'shopping for home': 762684, 'for home essential': 322345, 'home essential and': 401161, 'essential and grocery': 280782, 'and grocery driven': 63982, 'grocery driven by': 364473, 'driven by retailer': 259286, 'by retailer need': 153801, 'retailer need to': 719253, 'need to double': 555909, 'double down in': 256007, 'down in their': 256871, 'effort to meet': 269632, 'to meet rising': 910047, 'meet rising demand': 527565, 'rising demand and': 723193, 'demand and deliver': 234956, 'and deliver positive': 61086, 'deliver positive customer': 233193, 'positive customer experience': 665295, 'customer experience online': 222354, 'experience online and': 291448, 'in store cx': 428399, 'people perfectly': 649100, 'perfectly healthy': 651391, 'and capable': 59530, 'shop moaning': 760463, 'moaning that': 534909, 'slot get': 774201, 'arse go': 94071, 'the slot': 867336, 'that actually': 842490, 'actually cannot': 30753, 'seeing people perfectly': 746410, 'people perfectly healthy': 649101, 'perfectly healthy and': 651392, 'healthy and capable': 387518, 'and capable of': 59531, 'capable of going': 162482, 'out to shop': 627681, 'to shop moaning': 914473, 'shop moaning that': 760464, 'moaning that they': 534910, 'delivery slot get': 234523, 'slot get off': 774202, 'get off your': 347687, 'off your arse': 594441, 'your arse go': 1022833, 'arse go to': 94072, 'shop and leave': 759853, 'leave the slot': 484977, 'the slot for': 867337, 'people that actually': 649749, 'that actually cannot': 842491, 'actually cannot get': 30754, 'seventy': 753784, 'moira': 535595, 'welikanna': 977983, 'fulham': 340458, 'seventy one': 753785, 'old moira': 598365, 'moira welikanna': 535596, 'welikanna wear': 977984, 'wear medical': 974417, 'she queue': 756280, 'for canned': 319919, 'at iceland': 99254, 'iceland supermarket': 412723, 'outbreak continues': 628130, 'in fulham': 423156, 'fulham london': 340459, '2020 reuters': 14574, 'reuters kevin': 720196, 'kevin coombs': 473204, 'seventy one year': 753786, 'one year old': 607528, 'year old moira': 1014848, 'old moira welikanna': 598366, 'moira welikanna wear': 535597, 'welikanna wear medical': 977985, 'wear medical glove': 974418, 'medical glove she': 526191, 'glove she queue': 352918, 'she queue for': 756281, 'queue for canned': 693924, 'for canned good': 319920, 'canned good at': 161532, 'good at iceland': 356793, 'at iceland supermarket': 99256, 'iceland supermarket the': 412725, 'supermarket the coronavirus': 823213, '19 outbreak continues': 9106, 'outbreak continues in': 628131, 'continues in fulham': 201403, 'in fulham london': 423157, 'fulham london britain': 340460, 'britain march 18': 140423, '18 2020 reuters': 4496, '2020 reuters kevin': 14576, 'reuters kevin coombs': 720197, 'bogof': 133992, 'curry': 221734, 'on freezer': 600989, 'freezer might': 332620, 'get bogof': 346686, 'bogof deal': 133993, 'deal retail': 229475, 'in curry': 421940, 'curry tell': 221745, 'me people': 523329, 'buying two': 151273, 'two and': 936780, 'and three': 74079, 'three freezer': 893932, 'freezer for': 332604, 'food 2019': 313014, '2019 ncov': 13982, 'ncov c4news': 553339, 'up on freezer': 945568, 'on freezer might': 600990, 'freezer might get': 332621, 'might get bogof': 530988, 'get bogof deal': 346687, 'bogof deal retail': 133994, 'deal retail worker': 229476, 'worker in curry': 1007167, 'in curry tell': 421941, 'curry tell me': 221746, 'tell me people': 837018, 'me people are': 523330, 'are buying two': 85135, 'buying two and': 151274, 'two and three': 936781, 'and three freezer': 74080, 'three freezer for': 893933, 'freezer for their': 332605, 'for their home': 326838, 'home to stockpile': 402342, 'stockpile food 2019': 803744, 'food 2019 ncov': 313015, '2019 ncov c4news': 13983, 'aviation transportation': 104963, 'transportation sector': 930033, 'sector should': 744324, 'should join': 766157, 'demand sector': 236179, 'sector healthcare': 744214, 'the society': 867438, 'society get': 781217, 'over faster': 630208, 'faster minimize': 300110, 'own sector': 632192, 'sector financial': 744191, 'aviation transportation sector': 104964, 'transportation sector should': 930034, 'sector should join': 744325, 'should join the': 766158, 'join the high': 466859, 'high demand sector': 395028, 'demand sector healthcare': 236180, 'sector healthcare food': 744215, 'healthcare food daily': 387117, 'food daily supply': 314079, 'daily supply to': 224820, 'support the society': 826886, 'the society get': 867442, 'society get over': 781218, 'get over faster': 347753, 'over faster minimize': 630209, 'faster minimize their': 300111, 'minimize their own': 533135, 'their own sector': 874200, 'own sector financial': 632193, 'sector financial loss': 744192, 'dhamki': 240097, 'sushma': 829454, 'swaraj': 829994, 'today did': 919443, 'did trump': 240892, 'trump actually': 933370, 'actually give': 30811, 'give dhamki': 350455, 'dhamki to': 240098, 'india on': 434550, 'how onion': 408438, 'onion made': 607727, 'made sushma': 507978, 'sushma swaraj': 829455, 'swaraj lose': 829995, 'lose an': 503423, 'on today did': 604775, 'today did trump': 919444, 'did trump actually': 240893, 'trump actually give': 933371, 'actually give dhamki': 30812, 'give dhamki to': 350456, 'dhamki to india': 240099, 'to india on': 908329, 'india on to': 434552, 'on to how': 604741, 'to how onion': 908023, 'how onion made': 408439, 'onion made sushma': 607728, 'made sushma swaraj': 507979, 'sushma swaraj lose': 829456, 'swaraj lose an': 829996, 'lose an election': 503424, 'shaykh': 755829, 'mohamed': 535558, 'hoblos': 399783, 'hoarding everything': 399285, 'everything strong': 288019, 'strong message': 814070, 'buyer amid': 149550, 'crisis taking': 218126, 'by storm': 154134, 'storm shaykh': 811840, 'shaykh mohamed': 755832, 'mohamed hoblos': 535559, 'hoblos urge': 399784, 'urge viewer': 948248, 'viewer to': 957195, 'exercise patience': 290085, 'patience and': 644099, 'and courtesy': 60653, 'courtesy in': 212044, 'stop hoarding everything': 804728, 'hoarding everything strong': 399286, 'everything strong message': 288020, 'strong message to': 814071, 'message to panic': 529456, 'panic buyer amid': 637552, 'buyer amid the': 149551, 'the crisis taking': 852455, 'crisis taking the': 218129, 'taking the world': 833600, 'the world by': 871828, 'world by storm': 1009391, 'by storm shaykh': 154135, 'storm shaykh mohamed': 811841, 'shaykh mohamed hoblos': 755833, 'mohamed hoblos urge': 535560, 'hoblos urge viewer': 399785, 'urge viewer to': 948249, 'viewer to exercise': 957196, 'to exercise patience': 905413, 'exercise patience and': 290086, 'patience and courtesy': 644100, 'and courtesy in': 60654, 'courtesy in this': 212045, 'in this trying': 430033, 'in distillery': 422312, 'distillery amid': 247726, 'sanitizer in distillery': 735133, 'in distillery amid': 422313, 'distillery amid outbreak': 247727, 'zhengzhou': 1027546, 'people entering': 647804, 'entering supermarket': 278420, 'in zhengzhou': 431155, 'zhengzhou city': 1027547, 'city three': 179414, 'three case': 893888, 'case identified': 165777, 'identified march': 413336, 'march 27': 515223, '27 2020': 16256, 'people entering supermarket': 647809, 'entering supermarket in': 278421, 'supermarket in zhengzhou': 821007, 'in zhengzhou city': 431156, 'zhengzhou city three': 1027548, 'city three case': 179415, 'three case identified': 893889, 'case identified march': 165778, 'identified march 27': 413337, 'march 27 2020': 515224, 'new seattle': 559556, 'seattle grocery': 743561, 'rule strategy': 727355, 'strategy come': 812633, '19 etiquette': 6847, 'etiquette via': 283163, 'new seattle grocery': 559557, 'seattle grocery store': 743562, 'grocery store rule': 365732, 'store rule strategy': 809913, 'rule strategy come': 727356, 'strategy come with': 812634, 'come with covid': 187677, 'covid 19 etiquette': 213041, '19 etiquette via': 6848, 'you manage': 1019770, 'manage to': 512459, 'buying anything': 149951, 'when you manage': 984580, 'you manage to': 1019771, 'manage to get': 512463, 'to get everything': 906473, 'get everything on': 346969, 'everything on on': 287945, 'on on your': 602508, 'on your weekly': 605514, 'your weekly food': 1026338, 'food shop without': 316501, 'shop without panic': 761073, 'without panic buying': 1002819, 'panic buying anything': 637644, 'subtly': 816115, 'trader use': 928789, 'use term': 949635, 'term market': 838199, 'correction when': 207582, 'when stock': 984075, 'drop 10': 260094, 'or greater': 615514, 'greater it': 363192, 'usually occurs': 951134, 'over priced': 630525, 'priced so': 677755, 'so market': 777721, 'correction stabilizes': 207570, 'stabilizes the': 791879, 'more realistic': 540190, 'realistic value': 701678, 'value if': 952130, 'read between': 700306, 'line is': 493207, 'is subtly': 452417, 'subtly doing': 816116, 'trader use term': 928790, 'use term market': 949636, 'term market correction': 838200, 'market correction when': 516232, 'correction when stock': 207583, 'when stock price': 984076, 'stock price drop': 802711, 'price drop 10': 673554, 'drop 10 or': 260096, '10 or greater': 1591, 'or greater it': 615515, 'greater it usually': 363193, 'it usually occurs': 462007, 'usually occurs when': 951135, 'occurs when the': 579086, 'when the stock': 984200, 'stock are over': 801857, 'are over priced': 88911, 'over priced so': 630526, 'priced so market': 677756, 'so market correction': 777722, 'market correction stabilizes': 516230, 'correction stabilizes the': 207571, 'stabilizes the price': 791880, 'price to more': 677016, 'to more realistic': 910263, 'more realistic value': 540192, 'realistic value if': 701679, 'value if you': 952131, 'if you read': 415500, 'you read between': 1020809, 'read between the': 700307, 'between the line': 128932, 'the line is': 859410, 'line is subtly': 493208, 'is subtly doing': 452418, 'subtly doing the': 816117, 'doing the same': 252725, 'same to our': 733385, 'to our daily': 911168, 'strenuous': 813284, 'shel': 756665, 'obviously wasn': 578862, 'wasn talking': 968022, 'being too': 125972, 'too strenuous': 925091, 'strenuous asthma': 813285, 'asthma won': 97213, 'me doing': 522671, 'doing job': 252504, 'me vulnerable': 523885, 'distancing self': 247463, 'isolating very': 455158, 'very seriously': 955522, 'seriously you': 751803, 'supermarket shel': 822415, 'obviously wasn talking': 578863, 'wasn talking about': 968023, 'talking about it': 833977, 'about it being': 25569, 'it being too': 456832, 'being too strenuous': 125973, 'too strenuous asthma': 925092, 'strenuous asthma won': 813286, 'asthma won stop': 97214, 'won stop me': 1003912, 'stop me doing': 804829, 'me doing job': 522673, 'doing job it': 252505, 'job it make': 465920, 'it make me': 459513, 'make me vulnerable': 510151, 'me vulnerable to': 523887, '19 so have': 10643, 'take the social': 832676, 'social distancing self': 779711, 'distancing self isolating': 247464, 'self isolating very': 747743, 'isolating very seriously': 455159, 'very seriously you': 955527, 'seriously you can': 751804, 'can stock supermarket': 159807, 'stock supermarket shel': 802901, 'rolex': 725147, 'swatch': 830012, 'cartier': 165472, 'swiss watch': 830460, 'like rolex': 491101, 'rolex swatch': 725148, 'swatch and': 830013, 'and cartier': 59595, 'cartier are': 165473, 'and slashing': 71735, 'also political': 48671, 'political unrest': 663690, 'unrest in': 943353, 'their biggest': 872609, 'biggest market': 130273, 'swiss watch company': 830461, 'watch company like': 968381, 'company like rolex': 190846, 'like rolex swatch': 491102, 'rolex swatch and': 725149, 'swatch and cartier': 830014, 'and cartier are': 59596, 'cartier are cutting': 165474, 'are cutting production': 85693, 'cutting production and': 223770, 'production and slashing': 681933, 'and slashing price': 71739, 'slashing price in': 773678, 'response to not': 715871, 'not only the': 570834, 'only the outbreak': 611273, 'outbreak but also': 628058, 'but also political': 145133, 'also political unrest': 48672, 'political unrest in': 663691, 'unrest in their': 943354, 'in their biggest': 429719, 'their biggest market': 872612, 'michigancoronavirus': 530394, 'of bleach': 580740, 'bleach 39': 132472, '39 99': 18169, 'mask michigan': 518974, 'michigan engaging': 530333, 'engaging in': 276914, 'gauging no': 344566, 'excuse menards': 289760, 'menards must': 528584, 'prosecuted fined': 684642, 'fined heavily': 307751, 'heavily thank': 388607, 'you shameful': 1021137, 'shameful michigancoronavirus': 754693, 'per gallon of': 650853, 'gallon of bleach': 343038, 'of bleach 39': 580742, 'bleach 39 99': 132473, '39 99 for': 18170, '99 for face': 23823, 'for face mask': 321352, 'face mask michigan': 294564, 'mask michigan engaging': 518975, 'michigan engaging in': 530334, 'engaging in price': 276919, 'in price gauging': 426966, 'price gauging no': 674159, 'gauging no excuse': 344567, 'no excuse menards': 564163, 'excuse menards must': 289761, 'menards must be': 528585, 'must be prosecuted': 546534, 'be prosecuted fined': 116576, 'prosecuted fined heavily': 684643, 'fined heavily thank': 307752, 'heavily thank you': 388608, 'thank you shameful': 841808, 'you shameful michigancoronavirus': 1021138, 'imagine doing': 416714, 'today climate': 919380, 'climate toiletpaper': 182235, 'you imagine doing': 1019292, 'imagine doing this': 416715, 'doing this in': 252764, 'this in today': 888058, 'in today climate': 430154, 'today climate toiletpaper': 919383, 'sweetheart': 830280, 'lobbyist': 497605, 'are corporation': 85576, 'corporation being': 207390, 'being given': 125184, '19 bailouts': 5294, 'bailouts and': 108680, 'yet credit': 1016041, 'card company': 163487, 'still charging': 800358, 'charging 23': 173443, '23 on': 15422, 'debt when': 230599, 'when fed': 983411, 'fed rat': 301877, 'rat is': 697131, 'not lower': 570478, 'lower this': 506034, 'since it': 770659, 'wa sweetheart': 963378, 'sweetheart deal': 830281, 'deal given': 229410, 'to lobbyist': 909367, 'lobbyist and': 497606, 'immediate positive': 417008, 'why are corporation': 990765, 'are corporation being': 85577, 'corporation being given': 207391, 'being given covid': 125185, 'covid 19 bailouts': 212675, '19 bailouts and': 5295, 'bailouts and yet': 108681, 'and yet credit': 75982, 'yet credit card': 1016042, 'credit card company': 216330, 'card company are': 163488, 'company are still': 190451, 'are still charging': 90403, 'still charging 23': 800359, 'charging 23 on': 173444, '23 on consumer': 15423, 'consumer debt when': 197092, 'debt when fed': 230600, 'when fed rat': 983412, 'fed rat is': 301878, 'rat is why': 697132, 'is why not': 453969, 'why not lower': 991223, 'not lower this': 570481, 'lower this since': 506036, 'this since it': 890159, 'since it wa': 770664, 'it wa sweetheart': 462206, 'wa sweetheart deal': 963379, 'sweetheart deal given': 830283, 'deal given to': 229411, 'given to lobbyist': 351186, 'to lobbyist and': 909368, 'lobbyist and make': 497607, 'and make an': 66547, 'make an immediate': 509681, 'an immediate positive': 56167, 'hello ha': 389171, 'some hard': 783023, 'up art': 944410, 'art commission': 94152, 'commission to': 188908, 'her out': 392269, 'out she': 627166, 'incredible friend': 433832, 'really use': 702682, 'help won': 390939, 'won ever': 1003800, 'ever offer': 285437, 'offer art': 594530, 'price again': 672239, 'so come': 776771, 'it rts': 460814, 'rts are': 726869, 'super appreciated': 818472, 'hello ha hit': 389172, 'ha hit some': 370882, 'hit some hard': 398406, 'some hard time': 783024, '19 and opening': 5074, 'and opening up': 68174, 'opening up art': 612943, 'up art commission': 944411, 'art commission to': 94153, 'commission to help': 188910, 'help her out': 389860, 'her out she': 392270, 'out she ha': 627167, 'been an incredible': 120655, 'an incredible friend': 56256, 'incredible friend and': 433833, 'friend and could': 333498, 'and could really': 60620, 'could really use': 209575, 'really use the': 702685, 'use the help': 949674, 'the help won': 857263, 'help won ever': 390940, 'won ever offer': 1003801, 'ever offer art': 285438, 'offer art at': 594531, 'art at these': 94139, 'these price again': 880522, 'price again so': 672241, 'again so come': 37168, 'so come get': 776772, 'come get it': 187323, 'get it rts': 347423, 'it rts are': 460815, 'rts are super': 726870, 'are super appreciated': 90643, 'attack today': 102169, 'today thinking': 920330, 'thinking am': 885873, 'anyone help': 80359, 'me what': 523926, 'so scared': 778151, 'scared stay': 741011, 'in only': 426176, 'still petrified': 801039, 'have had panic': 380871, 'panic attack today': 637384, 'attack today thinking': 102170, 'today thinking am': 920331, 'thinking am going': 885874, 'die of can': 241415, 'of can anyone': 581067, 'can anyone help': 157511, 'anyone help me': 80360, 'help me what': 390082, 'me what can': 523927, 'can do am': 158091, 'do am so': 249051, 'am so scared': 50410, 'so scared stay': 778154, 'scared stay in': 741012, 'stay in only': 797055, 'in only go': 426177, 'for food shop': 321628, 'food shop but': 316477, 'shop but still': 760004, 'but still petrified': 147177, 'cimas': 178510, 'togetherwemakeadifference': 921096, 'illness is': 416377, 'virus here': 958280, 'some measure': 783270, 'measure cimas': 525156, 'cimas recommends': 178511, 'recommends to': 704848, 'risk togetherwemakeadifference': 723974, 'prevent the best': 671727, 'prevent illness is': 671651, 'illness is to': 416378, 'is to avoid': 453181, 'avoid being exposed': 105010, 'being exposed to': 125124, 'to this virus': 917474, 'this virus here': 891010, 'virus here are': 958282, 'are some measure': 90271, 'some measure cimas': 783271, 'measure cimas recommends': 525157, 'cimas recommends to': 178512, 'recommends to reduce': 704850, 'the risk togetherwemakeadifference': 865887, 'my fuckin': 548465, 'fuckin house': 339775, 'house dude': 406275, 'that fuck off': 843965, 'fuck off just': 339615, 'off just do': 593940, 'to my fuckin': 910402, 'my fuckin house': 548466, 'fuckin house dude': 339776, '03237979660': 878, 'jhagra': 465416, 'geonews': 345968, 'asad': 94844, 'umar': 939212, 'zfrmrza': 1027533, 'dawnnews': 227069, 'ndma': 553427, 'hamidmir': 374553, 'shield available': 758137, 'quantity price': 691950, 'on non': 602421, 'profit basis': 682672, 'basis anyone': 112220, 'anyone can': 80215, 'contact at': 200023, 'at 03237979660': 97375, '03237979660 for': 879, 'detail jhagra': 239210, 'jhagra geonews': 465417, 'geonews asad': 345969, 'asad umar': 94847, 'umar zfrmrza': 939215, 'zfrmrza faceshield': 1027534, 'faceshield dawnnews': 295191, 'dawnnews ndma': 227070, 'ndma hamidmir': 553428, 'face shield available': 294737, 'shield available in': 758138, 'available in limited': 104445, 'in limited quantity': 424738, 'limited quantity price': 492706, 'quantity price are': 691951, 'price are on': 672709, 'are on non': 88728, 'on non profit': 602425, 'non profit basis': 566469, 'profit basis anyone': 682673, 'basis anyone can': 112221, 'anyone can contact': 80217, 'can contact at': 157967, 'contact at 03237979660': 200024, 'at 03237979660 for': 97376, '03237979660 for more': 880, 'more detail jhagra': 539021, 'detail jhagra geonews': 239211, 'jhagra geonews asad': 465418, 'geonews asad umar': 345970, 'asad umar zfrmrza': 94848, 'umar zfrmrza faceshield': 939216, 'zfrmrza faceshield dawnnews': 1027535, 'faceshield dawnnews ndma': 295192, 'dawnnews ndma hamidmir': 227071, 'downsizing': 257718, 'at downsizing': 98490, 'downsizing because': 257719, 'amazon moved': 51037, 'employ more': 273448, 'more 100': 538475, '00 warehouse': 592, 'logistic worker': 500696, 'with surge': 1001091, 'business are looking': 143377, 'are looking at': 87882, 'looking at downsizing': 502803, 'at downsizing because': 98491, 'downsizing because of': 257720, 'because of amazon': 119307, 'of amazon moved': 580031, 'amazon moved to': 51038, 'moved to employ': 543835, 'to employ more': 905017, 'employ more 100': 273449, 'more 100 00': 538476, '100 00 warehouse': 1802, '00 warehouse and': 593, 'warehouse and logistic': 966683, 'and logistic worker': 66332, 'logistic worker in': 500697, 'worker in america': 1007162, 'in america to': 420239, 'america to help': 51714, 'help it cope': 389943, 'cope with surge': 203359, 'with surge in': 1001092, 'till in': 896034, 'buy an': 148311, 'extra item': 293553, 'like nice': 490853, 'nice bar': 562349, 'of chocolate': 581391, 'their coffee': 872799, 'coffee break': 185464, 'break bekind': 138684, 'bekind supportlocalbusiness': 126119, 'the till in': 869559, 'till in your': 896036, 'local shop or': 498410, 'shop or supermarket': 760620, 'or supermarket you': 617292, 'supermarket you could': 824189, 'you could buy': 1018077, 'could buy an': 208978, 'buy an extra': 148312, 'an extra item': 56013, 'extra item like': 293556, 'item like nice': 463418, 'like nice bar': 490854, 'nice bar of': 562350, 'bar of chocolate': 110734, 'of chocolate and': 581392, 'chocolate and give': 177656, 'and give it': 63662, 'to the cashier': 916544, 'cashier for their': 166527, 'for their coffee': 326810, 'their coffee break': 872800, 'coffee break bekind': 185465, 'break bekind supportlocalbusiness': 138685, 'cancelledflights': 161200, 'cancelledevents': 161197, 'seatravel': 743543, 'packageholidays': 633510, 'about consumerrights': 25006, 'for cancelledflights': 319909, 'cancelledflights airtravel': 161201, 'airtravel cancelledevents': 40151, 'cancelledevents cancelled': 161198, 'cancelled train': 161185, 'train bus': 929236, 'bus seatravel': 143074, 'seatravel packageholidays': 743544, 'packageholidays trouble': 633512, 'trouble obtaining': 932632, 'obtaining refund': 578759, 'refund go': 706917, 'read about consumerrights': 700250, 'about consumerrights here': 25007, 'consumerrights here for': 199763, 'here for cancelledflights': 393000, 'for cancelledflights airtravel': 319910, 'cancelledflights airtravel cancelledevents': 161202, 'airtravel cancelledevents cancelled': 40152, 'cancelledevents cancelled train': 161199, 'cancelled train bus': 161186, 'train bus seatravel': 929237, 'bus seatravel packageholidays': 143075, 'seatravel packageholidays trouble': 743546, 'packageholidays trouble obtaining': 633513, 'trouble obtaining refund': 932633, 'obtaining refund go': 578760, 'refund go to': 706918, 'hog and': 399829, 'and pork': 69202, 'pork price': 664811, 'plunged since': 661503, 'data showing': 226418, 'ever pig': 285451, 'pig herd': 656448, 'herd and': 392605, 'keep school': 471913, 'hog and pork': 399831, 'and pork price': 69204, 'pork price have': 664813, 'have plunged since': 381988, 'plunged since the': 661504, 'since the release': 770903, 'the release of': 865479, 'release of data': 708982, 'of data showing': 582359, 'data showing the': 226419, 'showing the biggest': 767523, 'the biggest ever': 849653, 'biggest ever pig': 130230, 'ever pig herd': 285452, 'pig herd and': 656449, 'herd and the': 392606, 'and the outbreak': 73505, 'the outbreak keep': 862653, 'outbreak keep school': 628405, 'keep school and': 471914, 'school and restaurant': 741688, 'and restaurant closed': 70369, 'drdo': 258558, 'patanjaliyogpeeth': 643926, 'santoor': 736648, 'othr': 621892, 'reducng': 706342, 'whn': 988005, 'of tweet': 592523, 'tweet abt': 936331, 'abt sanitiser': 27548, 'sanitiser bn': 733931, 'bn made': 133569, 'by drdo': 152423, 'drdo patanjaliyogpeeth': 258561, 'patanjaliyogpeeth also': 643927, 'also santoor': 48819, 'santoor othr': 736649, 'othr company': 621893, 'company reducng': 191012, 'reducng price': 706343, 'price alot': 672283, 'alot ppl': 47137, 'ppl tweeting': 668358, 'tweeting abt': 936469, 'abt ppe': 27546, 'ppe kit': 667990, 'kit bn': 475510, 'bn distributed': 133565, 'distributed but': 248038, 'my question': 549874, 'is whn': 453945, 'whn will': 988006, 'it reach': 460606, 'reach middle': 699944, 'class indian': 180204, 'indian sundaymorning': 434889, 'sundaymorning india': 818311, 'alot of tweet': 47136, 'of tweet abt': 592524, 'tweet abt sanitiser': 936332, 'abt sanitiser bn': 27549, 'sanitiser bn made': 733932, 'bn made by': 133570, 'made by drdo': 507668, 'by drdo patanjaliyogpeeth': 152424, 'drdo patanjaliyogpeeth also': 258562, 'patanjaliyogpeeth also santoor': 643928, 'also santoor othr': 48820, 'santoor othr company': 736650, 'othr company reducng': 621894, 'company reducng price': 191013, 'reducng price alot': 706344, 'price alot ppl': 672284, 'alot ppl tweeting': 47138, 'ppl tweeting abt': 668359, 'tweeting abt ppe': 936470, 'abt ppe kit': 27547, 'ppe kit bn': 667991, 'kit bn distributed': 475511, 'bn distributed but': 133566, 'distributed but my': 248039, 'but my question': 146438, 'my question is': 549876, 'question is whn': 693635, 'is whn will': 453946, 'whn will it': 988007, 'will it reach': 993871, 'it reach middle': 460607, 'reach middle class': 699945, 'middle class indian': 530635, 'class indian sundaymorning': 180205, 'indian sundaymorning india': 434890, 'there risking': 879004, 'our stomach': 624933, 'stomach without': 804326, 'would really': 1012166, 'panic thank': 638669, 'store employee who': 807573, 'who are still': 988225, 'out there risking': 627509, 'there risking their': 879005, 'their health for': 873516, 'health for our': 386451, 'for our stomach': 324296, 'our stomach without': 624934, 'stomach without you': 804327, 'without you we': 1003075, 'we would really': 973978, 'would really be': 1012168, 'really be in': 702012, 'be in panic': 115421, 'in panic thank': 426490, 'panic thank you': 638670, 'only conducted': 610260, 'conducted in': 193667, 'in verified': 430554, 'verified state': 954786, 'health laboratory': 386597, 'laboratory across': 478463, 'don buy': 253406, 'kit either': 475536, 'either online': 270344, 'or through': 617450, 'consumer setting': 198957, 'setting it': 753637, 'scam learn': 740230, 'for testing for': 326236, 'testing for 19': 839492, 'for 19 is': 318708, 'is only conducted': 450535, 'only conducted in': 610261, 'conducted in verified': 193668, 'in verified state': 430555, 'verified state and': 954787, 'state and local': 795369, 'and local public': 66302, 'local public health': 498316, 'public health laboratory': 688073, 'health laboratory across': 386598, 'laboratory across the': 478464, 'across the don': 29493, 'the don buy': 853540, 'don buy home': 253409, 'buy home testing': 148795, 'testing kit either': 839537, 'kit either online': 475537, 'either online or': 270345, 'online or through': 608671, 'or through direct': 617453, 'through direct to': 894426, 'to consumer setting': 903333, 'consumer setting it': 198959, 'setting it is': 753638, 'is scam learn': 451665, 'scam learn the': 740232, 'learn the fact': 484069, 'my mission': 549246, 'mission bay': 534344, 'bay neighborhood': 112954, 'neighborhood in': 557128, 'francisco younger': 331135, 'while those': 987457, 'year get': 1014586, 'get early': 346924, 'early access': 264535, 'outside the local': 629598, 'store in my': 808348, 'in my mission': 425600, 'my mission bay': 549247, 'mission bay neighborhood': 534345, 'bay neighborhood in': 112955, 'neighborhood in san': 557131, 'san francisco younger': 733552, 'francisco younger customer': 331136, 'younger customer wait': 1022684, 'customer wait to': 223030, 'wait to shop': 964233, 'shop for while': 760212, 'for while those': 327850, 'while those 60': 987458, 'those 60 year': 891771, '60 year get': 21048, 'year get early': 1014587, 'get early access': 346925, 'inexorably': 436447, 'northward': 567825, 'mimic': 532496, 'perth': 653281, 'reckon': 704558, 'imagining': 416853, 'justanotherdayinwa': 470393, 'seeing these': 746509, 'these curve': 879842, 'curve slowly': 221888, 'slowly heading': 774603, 'heading inexorably': 385940, 'inexorably northward': 436448, 'northward kinda': 567826, 'kinda mimic': 475063, 'mimic the': 532497, 'lately of': 480980, 'certain non': 170059, 'non grocery': 566408, 'grocery line': 364690, 'at 24': 97539, 'hr fruit': 409623, 'veg merchant': 953762, 'merchant outlet': 529036, 'outlet here': 629046, 'in perth': 426654, 'perth reckon': 653284, 'reckon or': 704568, 'or might': 616137, 'be imagining': 115362, 'imagining thing': 416856, 'thing justanotherdayinwa': 884507, 'seeing these curve': 746510, 'these curve slowly': 879843, 'curve slowly heading': 221889, 'slowly heading inexorably': 774604, 'heading inexorably northward': 385941, 'inexorably northward kinda': 436449, 'northward kinda mimic': 567827, 'kinda mimic the': 475064, 'mimic the price': 532498, 'the price lately': 864379, 'price lately of': 675022, 'lately of certain': 480981, 'of certain non': 581254, 'certain non grocery': 170060, 'non grocery line': 566409, 'grocery line at': 364691, 'line at 24': 492976, 'at 24 hr': 97542, '24 hr fruit': 15632, 'hr fruit veg': 409624, 'fruit veg merchant': 339167, 'veg merchant outlet': 953763, 'merchant outlet here': 529037, 'outlet here in': 629047, 'here in perth': 393176, 'in perth reckon': 426655, 'perth reckon or': 653285, 'reckon or might': 704569, 'or might be': 616138, 'might be imagining': 530904, 'be imagining thing': 115363, 'imagining thing justanotherdayinwa': 416857, '9r': 24014, 'all com': 42389, 'com site': 186954, 'site like': 771971, 'either showing': 270371, 'showing hand': 767450, 'sanitizer out': 735510, 'stock 9r': 801758, '9r selling': 24015, 'price despite': 673430, 'despite direction': 238723, 'direction by': 243451, 'by amidst': 151815, 'amidst coronacrisis': 52783, 'coronacrisis corona': 204561, 'all com site': 42390, 'com site like': 186955, 'site like and': 771974, 'like and many': 489786, 'many more are': 514295, 'more are either': 538640, 'are either showing': 86098, 'either showing hand': 270372, 'showing hand sanitizer': 767451, 'hand sanitizer out': 375522, 'sanitizer out of': 735511, 'of stock 9r': 590134, 'stock 9r selling': 801759, '9r selling them': 24016, 'them at exorbitant': 875435, 'exorbitant price despite': 290407, 'price despite direction': 673431, 'despite direction by': 238724, 'direction by amidst': 243452, 'by amidst coronacrisis': 151816, 'amidst coronacrisis corona': 52784, 'stopcoronamadness': 805323, 'stopcoronamadness people': 805324, 'uncertainty you': 939779, 'must reassure': 546841, 'reassure people': 703193, 'for 80': 318925, 'population corona': 664670, 'nothing more': 573104, 'than severe': 841129, 'severe flu': 754015, 'flu at': 311381, 'at worst': 101635, 'worst lasting': 1011215, 'lasting week': 480781, 'stopcoronamadness people are': 805325, 'buying because of': 149997, 'because of uncertainty': 119420, 'of uncertainty you': 592604, 'uncertainty you must': 939780, 'you must reassure': 1019927, 'must reassure people': 546842, 'reassure people that': 703195, 'people that for': 649763, 'that for 80': 843933, 'for 80 of': 318926, 'the population corona': 864024, 'population corona will': 664671, 'will be nothing': 992577, 'be nothing more': 116129, 'nothing more than': 573106, 'more than severe': 540673, 'than severe flu': 841130, 'severe flu at': 754016, 'flu at worst': 311382, 'at worst lasting': 101636, 'worst lasting week': 1011216, 'lasting week there': 480782, 'some toilet': 784084, 'employee when you': 274415, 'when you ask': 984539, 'you ask for': 1017316, 'ask for some': 95537, 'for some toilet': 325773, 'some toilet paper': 784085, 'sharing foodsecurity': 755523, 'foodsecurity story': 318086, 'story during': 811953, 'during blog': 262475, 'blog how': 132948, 'may disrupt': 521127, 'disrupt food': 246369, 'food supplychain': 317022, 'supplychain in': 826193, 'country covid': 210565, 'price both': 672940, 'both cause': 135874, 'cause consequence': 167529, 'shortage agriculture': 764801, 'sharing foodsecurity story': 755524, 'foodsecurity story during': 318087, 'story during blog': 811954, 'during blog how': 262476, 'blog how may': 132950, 'how may disrupt': 408308, 'may disrupt food': 521128, 'disrupt food supplychain': 246371, 'food supplychain in': 317024, 'supplychain in developing': 826194, 'in developing country': 422238, 'developing country covid': 239772, 'country covid 19': 210566, 'increase food price': 432772, 'food price both': 315925, 'price both cause': 672941, 'both cause consequence': 135875, 'cause consequence of': 167530, 'consequence of food': 194874, 'food shortage agriculture': 316552, 'france are': 330976, 'glove plus': 352870, 'plus staff': 661678, 'are wiping': 91648, 'down pen': 257081, 'pen card': 646406, 'card keypad': 163565, 'keypad etc': 473559, 'etc at': 282429, 'checkout take': 175022, 'please etc': 659965, 'etc your': 282919, 'interesting to see': 441637, 'see supermarket staff': 745770, 'supermarket staff in': 822857, 'staff in france': 792550, 'in france are': 423073, 'france are wearing': 330978, 'and glove plus': 63733, 'glove plus staff': 352871, 'plus staff are': 661679, 'staff are wiping': 792211, 'are wiping down': 91649, 'wiping down pen': 996515, 'down pen card': 257082, 'pen card keypad': 646407, 'card keypad etc': 163566, 'keypad etc at': 473560, 'etc at checkout': 282430, 'at checkout take': 98251, 'checkout take note': 175023, 'note please etc': 572782, 'please etc your': 659966, 'etc your staff': 282920, 'truce global': 932708, 'risen after': 723094, 'after said': 36137, 'he expected': 384938, 'expected amp': 290873, 'end their': 275984, 'their war': 875149, 'war truce global': 966577, 'truce global price': 932710, 'global price have': 352139, 'have risen after': 382334, 'risen after said': 723096, 'after said he': 36138, 'said he expected': 731106, 'he expected amp': 384939, 'expected amp to': 290874, 'amp to reach': 54714, 'to end their': 905087, 'end their war': 275987, '19uk quarantinelife': 12563, 'quarantinelife have': 692956, 'have pre': 382014, 'existing medical': 290331, 'condition so': 193524, 'should isolate': 766146, 'but wife': 147867, '19uk quarantinelife have': 12564, 'quarantinelife have pre': 692957, 'have pre existing': 382015, 'pre existing medical': 669170, 'existing medical condition': 290332, 'medical condition so': 526111, 'condition so should': 193525, 'so should isolate': 778205, 'should isolate for': 766147, 'week but wife': 976048, 'but wife work': 147868, 'at supermarket how': 100734, 'supermarket how that': 820813, 'how that work': 408797, 'tatanic': 834846, 'hymn': 412253, 'tatanic hymn': 834847, 'hymn to': 412256, 'console covid': 195520, '19 treat': 11562, 'treat in': 930841, 'tatanic hymn to': 834848, 'hymn to console': 412257, 'to console covid': 903245, 'console covid 19': 195521, 'covid 19 treat': 213982, '19 treat in': 11563, 'treat in supermarket': 930842, 'braved': 138250, 'lasagna': 480059, 'shrugged': 767725, 'nolasagna': 566247, 'and braved': 59157, 'braved the': 138257, 'we stared': 973369, 'the lasagna': 858983, 'lasagna sheet': 480062, 'sheet we': 756630, 'we looked': 972297, 'other we': 621190, 'we shrugged': 973315, 'shrugged we': 767726, 'we kept': 972138, 'kept walking': 473096, 'walking nolasagna': 965072, 'nolasagna pandemic': 566248, 'pandemic quarantinelife': 636273, 'quarantinelife workfromhome': 693047, 'my partner and': 549714, 'partner and braved': 642764, 'and braved the': 59158, 'braved the grocery': 138258, 'store we stared': 811180, 'we stared at': 973370, 'stared at the': 794138, 'at the lasagna': 100999, 'the lasagna sheet': 858984, 'lasagna sheet we': 480063, 'sheet we looked': 756632, 'we looked at': 972298, 'looked at each': 502707, 'each other we': 264233, 'other we shrugged': 621194, 'we shrugged we': 973316, 'shrugged we kept': 767727, 'we kept walking': 972139, 'kept walking nolasagna': 473097, 'walking nolasagna pandemic': 965073, 'nolasagna pandemic quarantinelife': 566249, 'pandemic quarantinelife workfromhome': 636275, 'sbi': 739805, 'amaravati': 50601, 'guntur': 368806, 'becomes everyone': 120218, 'everyone moral': 287189, 'moral responsibility': 538407, 'forward and': 329965, 'need sbi': 555543, 'sbi staff': 739808, 'staff from': 792475, 'from amaravati': 334454, 'amaravati circle': 50602, 'circle donated': 178602, 'donated litre': 254347, 'litre sanitizer': 495184, 'to guntur': 907080, 'guntur general': 368807, 'general hospital': 345353, 'hospital let': 404496, 'pandemic together': 636803, 'of crisis like': 582170, 'crisis like these': 217666, 'these it becomes': 880188, 'it becomes everyone': 456775, 'becomes everyone moral': 120219, 'everyone moral responsibility': 287190, 'moral responsibility to': 538408, 'responsibility to come': 715987, 'to come forward': 903028, 'come forward and': 187296, 'forward and help': 329967, 'and help those': 64477, 'in need sbi': 425765, 'need sbi staff': 555544, 'sbi staff from': 739809, 'staff from amaravati': 792477, 'from amaravati circle': 334455, 'amaravati circle donated': 50603, 'circle donated litre': 178603, 'donated litre sanitizer': 254348, 'litre sanitizer to': 495185, 'sanitizer to guntur': 735926, 'to guntur general': 907081, 'guntur general hospital': 368808, 'general hospital let': 345355, 'hospital let fight': 404497, 'this pandemic together': 889442, 'ducey': 261528, 'more socialism': 540425, 'socialism the': 780988, 'the arizona': 848893, 'arizona national': 92843, 'guard will': 367868, 'be stocking': 117373, 'bank activated': 109570, 'activated by': 30227, 'by gov': 152705, 'gov doug': 359577, 'doug ducey': 256246, 'ducey who': 261531, 'also ordered': 48628, 'ordered that': 618906, 'that bar': 842926, 'bar in': 110724, 'in county': 421832, 'county with': 211538, 'case be': 165656, 'restaurant halt': 716492, 'halt dine': 374433, 'more socialism the': 540426, 'socialism the arizona': 780989, 'the arizona national': 848895, 'arizona national guard': 92844, 'national guard will': 552531, 'guard will be': 367869, 'will be stocking': 992700, 'be stocking shelf': 117374, 'stocking shelf in': 803591, 'shelf in grocery': 757196, 'food bank activated': 313511, 'bank activated by': 109571, 'activated by gov': 30228, 'by gov doug': 152706, 'gov doug ducey': 359578, 'doug ducey who': 256247, 'ducey who also': 261532, 'who also ordered': 988060, 'also ordered that': 48629, 'ordered that bar': 618907, 'that bar in': 842928, 'bar in county': 110725, 'in county with': 421834, 'county with covid': 211539, '19 case be': 5668, 'case be closed': 165657, 'be closed and': 114119, 'closed and restaurant': 182997, 'and restaurant halt': 70379, 'restaurant halt dine': 716493, 'halt dine in': 374434, 'daretobe': 225941, 'q2 with': 691431, 'pandemic disrupting': 635310, 'world right': 1009941, 'solution daretobe': 782012, 'q2 with the': 691432, 'with the corona': 1001246, 'corona pandemic disrupting': 204092, 'pandemic disrupting the': 635311, 'disrupting the world': 246430, 'the world right': 871953, 'world right now': 1009942, 'now what can': 576377, 'do to be': 250380, 'of the solution': 591478, 'the solution daretobe': 867461, 'nigel': 562697, 'malnutrition': 511874, 'hey nigel': 394465, 'nigel on': 562698, 'your show': 1025801, 'show could': 766908, 'you explore': 1018498, 'explore why': 292507, 'supermarket haven': 820715, 'stockpiled anything': 803831, 'and last': 65956, 'been trying': 122273, 'about malnutrition': 25694, 'malnutrition than': 511875, 'hey nigel on': 394466, 'nigel on your': 562699, 'on your show': 605500, 'your show could': 1025802, 'show could you': 766909, 'could you explore': 209846, 'you explore why': 1018499, 'explore why people': 292508, 'panic buying from': 637742, 'buying from supermarket': 150388, 'from supermarket haven': 337485, 'supermarket haven stockpiled': 820716, 'haven stockpiled anything': 383908, 'stockpiled anything and': 803832, 'anything and last': 80684, 'and last day': 65958, 'last day ve': 480186, 'day ve been': 228645, 've been trying': 952952, 'been trying to': 122274, 'food there nothing': 317153, 'there nothing more': 878875, 'nothing more worried': 573107, 'worried about malnutrition': 1010503, 'about malnutrition than': 25695, 'malnutrition than covid': 511876, 'down busy': 256577, 'busy aisle': 144858, 'or invite': 615821, 'invite friend': 444269, 'friend into': 333665, 'house someone': 406566, 'someone may': 784561, 'know because': 476291, 'symptom you': 830953, 'catch it': 167000, 'it stayhomesavelives': 461240, 'if you stay': 415526, 'stay home you': 797033, 'home you can': 402582, 'you can come': 1017647, 'can come in': 157933, 'you go down': 1018846, 'go down busy': 353487, 'down busy aisle': 256578, 'busy aisle in': 144860, 'aisle in the': 40279, 'supermarket or invite': 821815, 'or invite friend': 615822, 'invite friend into': 444270, 'friend into your': 333666, 'into your house': 443322, 'your house someone': 1024416, 'house someone may': 406567, 'someone may have': 784563, 'may have it': 521242, 'have it and': 381140, 'it and not': 456504, 'and not know': 67753, 'not know because': 570291, 'know because they': 476293, 'because they don': 119699, 'have symptom you': 382897, 'symptom you could': 830955, 'you could catch': 1018078, 'could catch it': 208995, 'catch it stayhomesavelives': 167004, 'winelands': 995935, 'several top': 753948, 'top wine': 925760, 'wine estate': 995809, 'estate in': 282131, 'the cape': 850359, 'cape winelands': 162628, 'winelands have': 995936, 'have shut': 382540, 'shut some': 767931, 'some or': 783466, 'or all': 614288, 'operation after': 613123, 'after member': 35924, 'of dutch': 582880, 'dutch wine': 263526, 'wine tour': 995921, 'tour which': 926939, 'which visited': 986435, 'visited 30': 959452, '30 estate': 17037, 'estate and': 282090, 'and venue': 74925, 'venue during': 954711, 'during 10': 262396, 'day trip': 228621, 'trip tested': 932169, 'several top wine': 753949, 'top wine estate': 925761, 'wine estate in': 995810, 'estate in the': 282133, 'in the cape': 429053, 'the cape winelands': 850361, 'cape winelands have': 162629, 'winelands have shut': 995937, 'have shut some': 382543, 'shut some or': 767932, 'some or all': 783467, 'or all of': 614290, 'their operation after': 874115, 'operation after member': 613125, 'after member of': 35925, 'member of dutch': 528138, 'of dutch wine': 582881, 'dutch wine tour': 263527, 'wine tour which': 995922, 'tour which visited': 926940, 'which visited 30': 986436, 'visited 30 estate': 959453, '30 estate and': 17038, 'estate and venue': 282095, 'and venue during': 74926, 'venue during 10': 954712, 'during 10 day': 262397, '10 day trip': 1393, 'day trip tested': 228622, 'trip tested positive': 932170, 'at the weekend': 101148, 'msm': 544546, 'attention msm': 102458, 'msm planting': 544554, 'planting the': 658767, 'the seed': 866638, 'seed of': 746154, 'shortage be': 764849, 'prepared and': 670160, 'up update': 946505, 'pandemic threatens': 636760, 'cause food': 167566, 'people especially': 647813, 'africa the': 35143, 'united nation': 942192, 'nation warned': 552365, 'friday afp': 333191, 'pay attention msm': 644764, 'attention msm planting': 102459, 'msm planting the': 544555, 'planting the seed': 658768, 'the seed of': 866639, 'seed of food': 746155, 'food shortage be': 316558, 'shortage be prepared': 764850, 'be prepared and': 116513, 'prepared and stock': 670162, 'stock up update': 803129, 'up update the': 946506, 'update the pandemic': 947251, 'the pandemic threatens': 863127, 'pandemic threatens to': 636762, 'threatens to cause': 893861, 'to cause food': 902534, 'cause food shortage': 167568, 'food shortage for': 316576, 'shortage for hundred': 764964, 'of people especially': 587909, 'people especially in': 647816, 'especially in africa': 280520, 'in africa the': 420090, 'africa the united': 35144, 'the united nation': 870419, 'united nation warned': 942195, 'nation warned on': 552366, 'on friday afp': 600996, 'dad brought': 224299, 'brought my': 141180, 'grandparent freezer': 361970, 'freezer bag': 332589, 'so my dad': 777833, 'my dad brought': 547882, 'dad brought my': 224300, 'brought my grandparent': 141181, 'my grandparent freezer': 548558, 'grandparent freezer bag': 361971, 'freezer bag of': 332590, 'bag of hand': 108356, 'optometrist': 614165, 'veterinary': 955742, 'cafe entertainment': 155105, 'venue optometrist': 954717, 'optometrist grocery': 614166, 'store bodega': 806744, 'bodega non': 133787, 'profit that': 682866, 'field veterinary': 304535, 'veterinary office': 955745, 'office dentist': 595402, 'dentist mail': 237100, 'mail center': 508588, 'center like': 169249, 'like ups': 491700, 'ups store': 947772, 'not all business': 568101, 'all business can': 42230, 'business can have': 143493, 'have their employee': 383048, 'their employee work': 873161, 'home retail restaurant': 401978, 'retail restaurant cafe': 718455, 'restaurant cafe entertainment': 716346, 'cafe entertainment venue': 155106, 'entertainment venue optometrist': 278615, 'venue optometrist grocery': 954718, 'optometrist grocery store': 614167, 'grocery store bodega': 365251, 'store bodega non': 806745, 'bodega non profit': 133788, 'non profit that': 566477, 'profit that work': 682867, 'the field veterinary': 855154, 'field veterinary office': 304536, 'veterinary office dentist': 955746, 'office dentist mail': 595403, 'dentist mail center': 237101, 'mail center like': 508589, 'center like ups': 169250, 'like ups store': 491701, 'resurgence': 717780, 'draya': 258546, 'firetrump': 308271, '19 kirana': 8246, 'see resurgence': 745638, 'resurgence say': 717783, 'say godrej': 738686, 'consumer ceo': 196769, 'ceo people': 169802, 'from around': 334587, 'world shared': 1009969, 'shared their': 755451, 'their failed': 873238, 'failed attempt': 296130, 'attempt at': 102214, 'at wildlife': 101561, 'wildlife photography': 992134, 'photography on': 655300, 'found their': 330418, 'their way': 875153, 'way onto': 969784, 'onto facebook': 611658, 'group wildlife': 366971, 'photography draya': 655288, 'draya firetrump': 258547, 'covid 19 kirana': 213323, '19 kirana store': 8247, 'kirana store would': 475410, 'store would see': 811646, 'would see resurgence': 1012226, 'see resurgence say': 745639, 'resurgence say godrej': 717784, 'say godrej consumer': 738687, 'godrej consumer ceo': 354888, 'consumer ceo people': 196770, 'ceo people from': 169803, 'people from around': 647981, 'from around the': 334590, 'the world shared': 871962, 'world shared their': 1009970, 'shared their failed': 755454, 'their failed attempt': 873239, 'failed attempt at': 296131, 'attempt at wildlife': 102217, 'at wildlife photography': 101562, 'wildlife photography on': 992136, 'photography on social': 655301, 'medium and they': 526996, 'and they have': 73911, 'they have found': 882319, 'have found their': 380706, 'found their way': 330419, 'their way onto': 875157, 'way onto facebook': 969785, 'onto facebook group': 611659, 'facebook group wildlife': 294934, 'group wildlife photography': 366972, 'wildlife photography draya': 992135, 'photography draya firetrump': 655289, 'this connecticut': 886834, 'connecticut market': 194681, 'taking employee': 833342, 'customer temperature': 222905, 'temperature at': 837364, 'door during': 255578, 'this connecticut market': 886835, 'connecticut market is': 194682, 'market is taking': 516644, 'is taking employee': 452542, 'taking employee and': 833343, 'and customer temperature': 60869, 'customer temperature at': 222906, 'temperature at the': 837366, 'the door during': 853563, 'door during covid': 255579, 'brenda': 139305, 'sensitizing': 750726, 'hello brenda': 389138, 'brenda glad': 139306, 'glad you': 351547, 'are sensitizing': 89985, 'sensitizing people': 750727, 'themselves against': 876740, 'work who': 1006012, 'would pay': 1012105, 'pay our': 645027, 'our bill': 622209, 'also provide': 48709, 'hello brenda glad': 389139, 'brenda glad you': 139307, 'glad you are': 351548, 'you are sensitizing': 1017231, 'are sensitizing people': 89986, 'sensitizing people to': 750728, 'people to protect': 649928, 'protect themselves against': 685016, 'themselves against covid': 876741, '19 but how': 5505, 'but how can': 145968, 'can we stay': 160201, 'we stay in': 973388, 'the house without': 857653, 'house without going': 406700, 'to work who': 918805, 'work who would': 1006014, 'who would pay': 990061, 'would pay our': 1012106, 'pay our bill': 645028, 'our bill and': 622210, 'bill and also': 130500, 'and also provide': 57970, 'also provide food': 48713, 'to stock at': 915428, 'stock at home': 801880, 'fox10phoenix': 330782, 'lottery just': 504458, 'this worth': 891528, 'worth in': 1011373, 'market toiletpaper': 517248, 'toiletpaper arizona': 921751, 'arizona stoppanicbuying': 92854, 'stoppanicbuying foxnews': 805561, 'foxnews fox10phoenix': 330801, 'the lottery just': 859750, 'lottery just now': 504459, 'just now how': 469345, 'now how much': 574956, 'much is this': 545023, 'is this worth': 453135, 'this worth in': 891529, 'worth in stock': 1011374, 'in stock market': 428315, 'stock market toiletpaper': 802447, 'market toiletpaper arizona': 517249, 'toiletpaper arizona stoppanicbuying': 921752, 'arizona stoppanicbuying foxnews': 92855, 'stoppanicbuying foxnews fox10phoenix': 805562, 'easter wish': 265531, 'wish fan': 996757, 'fan sharing': 298538, 'sharing then': 755600, 'now video': 576303, 'video with': 956967, 'special appearance': 787847, 'appearance from': 82133, 'from friendly': 335574, 'friendly mr': 333969, 'mr sanitizer': 544404, 'happy easter wish': 377611, 'easter wish fan': 265532, 'wish fan sharing': 996758, 'fan sharing then': 298539, 'sharing then and': 755601, 'then and now': 876989, 'and now video': 67870, 'now video with': 576304, 'video with special': 956970, 'with special appearance': 1000904, 'special appearance from': 787848, 'appearance from friendly': 82134, 'from friendly mr': 335575, 'friendly mr sanitizer': 333970, 'fullest': 341001, 'pajama': 634396, 'hairy': 374071, 'changed you': 172611, 'now living': 575231, 'living life': 496405, 'the fullest': 856029, 'fullest if': 341002, 'you rock': 1020948, 'rock up': 724930, 'essential wearing': 281768, 'wearing your': 974827, 'your pajama': 1025178, 'pajama with': 634399, 'having hair': 384099, 'hair that': 374011, 'that look': 844943, 'like hairy': 490360, 'hairy dog': 374072, 'dog butt': 252053, 'butt stayhomesavelives': 148108, 'stayhomesavelives lockdown': 798409, 'have changed you': 379949, 'changed you re': 172612, 're now living': 699142, 'now living life': 575232, 'living life to': 496406, 'life to the': 489139, 'to the fullest': 916737, 'the fullest if': 856030, 'fullest if you': 341003, 'if you rock': 415513, 'you rock up': 1020950, 'rock up into': 724931, 'up into supermarket': 945217, 'into supermarket to': 443064, 'get essential wearing': 346954, 'essential wearing your': 281769, 'wearing your pajama': 974828, 'your pajama with': 1025179, 'pajama with face': 634400, 'mask and having': 518335, 'and having hair': 64295, 'having hair that': 384100, 'hair that look': 374012, 'that look like': 844945, 'look like hairy': 502482, 'like hairy dog': 490361, 'hairy dog butt': 374073, 'dog butt stayhomesavelives': 252054, 'butt stayhomesavelives lockdown': 148109, 'see lot': 745374, 'is awesome': 445937, 'awesome also': 106150, 'also bet': 47959, 'are washing': 91538, 'hand not': 375096, 'to screw': 913933, 'screw anyone': 742785, 'anyone up': 80592, 'your shoe': 1025755, 'shoe after': 759652, 'you walked': 1022110, 'through everyone': 894448, 'everyone droplet': 286830, 'droplet sleep': 260481, 'sleep tight': 773796, 'tight stayhome': 895843, 'see lot of': 745376, 'of people wearing': 588023, 'people wearing mask': 650177, 'wearing mask into': 974695, 'store which is': 811272, 'which is awesome': 985985, 'is awesome also': 445938, 'awesome also bet': 106151, 'also bet they': 47960, 'bet they are': 128113, 'they are washing': 881455, 'are washing their': 91539, 'their hand not': 873481, 'hand not to': 375098, 'not to screw': 572180, 'to screw anyone': 913934, 'screw anyone up': 742786, 'anyone up but': 80593, 'up but what': 944530, 'you doing with': 1018303, 'doing with your': 252869, 'with your shoe': 1002233, 'your shoe after': 1025756, 'shoe after you': 759653, 'after you walked': 36611, 'you walked through': 1022111, 'walked through everyone': 964981, 'through everyone droplet': 894449, 'everyone droplet sleep': 286831, 'droplet sleep tight': 260482, 'sleep tight stayhome': 773797, 'vege': 953904, 've finally': 953123, 'finally convinced': 305965, 'convinced my': 202663, 'their fruit': 873389, 'fruit vege': 339173, 'vege my': 953905, 'now sent': 575777, 'this floor': 887555, 'floor plan': 310836, 'plan of': 658187, 'shop clearly': 760036, 'clearly 44': 181482, '44 total': 19025, 'total moron': 926195, 've finally convinced': 953124, 'finally convinced my': 305966, 'convinced my parent': 202664, 'my parent to': 549701, 'parent to let': 641752, 'to let me': 909208, 'me get their': 522807, 'get their fruit': 348332, 'their fruit vege': 873390, 'fruit vege my': 339174, 'vege my dad': 953906, 'dad ha now': 224341, 'ha now sent': 371404, 'now sent me': 575778, 'me this floor': 523709, 'this floor plan': 887556, 'floor plan of': 310837, 'plan of the': 658189, 'the shop clearly': 866984, 'shop clearly 44': 760037, 'clearly 44 total': 181483, '44 total moron': 19026, 'real it': 701231, 'taken thousand': 833084, 'life already': 488458, 'already self': 47642, 'isolation distancing': 455248, 'important always': 418729, 'always wash': 49787, 'hand wish': 375999, 'wish soap': 996810, 'soap clean': 778971, 'use high': 949261, 'high alcohol': 394910, 'sanitizer create': 734713, 'more awareness': 538695, 'awareness about': 105674, 'coronavirus staysafe': 206820, 'staysafe 19': 798777, 'is real it': 451268, 'real it ha': 701232, 'it ha taken': 458416, 'ha taken thousand': 372153, 'taken thousand of': 833085, 'thousand of life': 893450, 'of life already': 585814, 'life already self': 488459, 'already self isolation': 47643, 'self isolation distancing': 747763, 'isolation distancing is': 455249, 'distancing is important': 247248, 'is important always': 448724, 'important always wash': 418730, 'always wash your': 49789, 'your hand wish': 1024245, 'hand wish soap': 376000, 'wish soap clean': 996811, 'soap clean water': 778972, 'clean water use': 180684, 'water use high': 969236, 'use high alcohol': 949262, 'high alcohol hand': 394912, 'hand sanitizer create': 375360, 'sanitizer create more': 734714, 'create more awareness': 215691, 'more awareness about': 538696, 'awareness about coronavirus': 105675, 'about coronavirus staysafe': 25033, 'coronavirus staysafe 19': 206821, 'vancouver is': 952339, 'awesome vancouver': 106209, 'vancouver based': 952326, 'based grocery': 111599, 'taking dramatic': 833333, 'dramatic step': 258307, 'serve unprecedented': 751962, 'vancouver is awesome': 952340, 'is awesome vancouver': 445942, 'awesome vancouver based': 106210, 'vancouver based grocery': 952327, 'based grocery delivery': 111600, 'service taking dramatic': 752894, 'taking dramatic step': 833334, 'dramatic step to': 258308, 'step to serve': 799665, 'to serve unprecedented': 914275, 'serve unprecedented demand': 751963, 'unprecedented demand via': 943126, 'time friend': 896799, 'trying time friend': 934747, 'time friend pantrystaples': 896800, 'our info': 623543, 'info re': 437561, 're owner': 699231, 'owner corporation': 632435, 'corporation body': 207394, 'body corp': 133841, 'corp and': 207181, 'our info re': 623544, 'info re owner': 437562, 're owner corporation': 699232, 'owner corporation body': 632436, 'corporation body corp': 207395, 'body corp and': 133842, 'skyrim': 773277, 'seductivesunday': 744853, 'saying skyrim': 739680, 'skyrim 19': 773278, 'sundaythoughts seductivesunday': 818347, 'just saying skyrim': 469716, 'saying skyrim 19': 739681, 'skyrim 19 toiletpaperapocalypse': 773279, '19 toiletpaperapocalypse toiletpaper': 11498, 'toiletpaperapocalypse toiletpaper quaratinelife': 922930, 'toiletpaper quaratinelife sundaythoughts': 922388, 'quaratinelife sundaythoughts seductivesunday': 693153, 'reconsidering': 704885, 'we enjoy': 971461, 'enjoy picking': 277167, 'picking our': 655864, 'own produce': 632154, 'produce however': 680300, 'keeping many': 472474, 'of away': 580486, 'are reconsidering': 89512, 'reconsidering our': 704886, 'our stance': 624888, 'on having': 601247, 'having our': 384212, 'delivered here': 233336, 'we like grocery': 972193, 'like grocery shopping': 490346, 'grocery shopping because': 365000, 'shopping because we': 762179, 'because we enjoy': 119803, 'we enjoy picking': 971463, 'enjoy picking our': 277168, 'picking our own': 655865, 'our own produce': 624209, 'own produce however': 632155, 'produce however covid': 680301, '19 is keeping': 7999, 'is keeping many': 449172, 'keeping many of': 472475, 'many of away': 514367, 'of away from': 580487, 'the store we': 868139, 'we are reconsidering': 970683, 'are reconsidering our': 89513, 'reconsidering our stance': 704887, 'our stance on': 624889, 'stance on having': 793475, 'on having our': 601248, 'having our grocery': 384213, 'our grocery delivered': 623304, 'grocery delivered here': 364424, 'delivered here why': 233337, 'gosh': 358343, 'awfully': 106256, 'gagged': 342723, 'woeful': 1003340, '100x': 2213, 'gosh that': 358344, 'sound awfully': 786266, 'awfully familiar': 106257, 'familiar even': 297529, 'even prior': 284493, 'pandemic msm': 635993, 'msm totally': 544558, 'totally gagged': 926338, 'gagged silenced': 342726, 'silenced such': 769704, 'such woeful': 816875, 'woeful inadequate': 1003341, 'inadequate profit': 431206, 'profit medical': 682809, 'care is': 164029, 'it 100x': 456173, '100x drug': 2214, 'cattle herd': 167352, 'herd 100': 392603, '100 patient': 2012, 'patient per': 644235, 'per md': 650937, 'md day': 522262, 'day doing': 227532, 'gosh that sound': 358345, 'that sound awfully': 846417, 'sound awfully familiar': 786267, 'awfully familiar even': 106258, 'familiar even prior': 297530, 'even prior to': 284494, 'the pandemic msm': 863027, 'pandemic msm totally': 635994, 'msm totally gagged': 544559, 'totally gagged silenced': 926339, 'gagged silenced such': 342727, 'silenced such woeful': 769705, 'such woeful inadequate': 816876, 'woeful inadequate profit': 1003342, 'inadequate profit medical': 431207, 'profit medical care': 682810, 'medical care is': 526082, 'care is and': 164030, 'is and ha': 445704, 'ha been with': 369986, 'been with it': 122383, 'with it 100x': 999057, 'it 100x drug': 456174, '100x drug price': 2215, 'price and cattle': 672377, 'and cattle herd': 59633, 'cattle herd 100': 167353, 'herd 100 patient': 392604, '100 patient per': 2013, 'patient per md': 644236, 'per md day': 650938, 'md day doing': 522263, 'day doing nothing': 227533, 'chadha': 170415, 'chadha indian': 170416, 'indian all': 434767, 'all basic': 42119, 'doubled instead': 256119, 'getting free': 348994, 'free black': 331675, 'marketing started': 517704, 'started on': 794792, 'of chinavirus': 581372, 'chinavirus instead': 177162, 'instead all': 440147, 'food electricity': 314347, 'electricity health': 271180, 'and tax': 73048, 'tax everything': 834976, 'everything should': 287991, 'free like': 331947, 'chadha indian all': 170417, 'indian all basic': 434768, 'all basic commodity': 42120, 'basic commodity price': 111851, 'commodity price doubled': 189267, 'price doubled instead': 673505, 'doubled instead of': 256120, 'of getting free': 584122, 'getting free black': 348995, 'free black marketing': 331676, 'black marketing started': 132103, 'marketing started on': 517705, 'started on the': 794795, 'on the name': 604245, 'name of chinavirus': 551660, 'of chinavirus instead': 581373, 'chinavirus instead all': 177163, 'instead all food': 440148, 'all food electricity': 42809, 'food electricity health': 314348, 'electricity health and': 271181, 'health and tax': 386158, 'and tax everything': 73050, 'tax everything should': 834977, 'everything should be': 287992, 'be free like': 114955, 'our governor': 623280, 'governor told': 361015, 'out had': 626253, 'wa of': 962800, 'one getting': 606344, 'getting dirty': 348936, 'why thing': 991463, 'never end': 557966, 'end pa': 275934, 'our governor told': 623283, 'governor told to': 361016, 'told to wear': 923774, 'mask when we': 519544, 'are out had': 88884, 'out had to': 626254, 'today wa of': 920452, 'wa of people': 962801, 'mask and wa': 518388, 'and wa the': 75101, 'wa the one': 963459, 'the one getting': 862202, 'one getting dirty': 606345, 'getting dirty look': 348937, 'dirty look this': 243764, 'look this is': 502617, 'is why thing': 453980, 'why thing will': 991464, 'thing will only': 884994, 'will only get': 994331, 'only get worse': 610507, 'get worse and': 348644, 'worse and this': 1010866, 'this will never': 891431, 'will never end': 994162, 'never end pa': 557967, 'be victim': 117991, 'victim retail': 956514, 'could explode': 209150, 'explode due': 292295, 'will be victim': 992760, 'be victim retail': 117993, 'victim retail store': 956515, 'state could explode': 795492, 'could explode due': 209152, 'explode due to': 292296, 'going know': 355255, 'difficult right': 242255, 'shortage stress': 765225, 'stress eating': 813320, 'eating panic': 266278, 'this believe': 886548, 'in yourself': 431141, 'keep going know': 471546, 'going know it': 355256, 'know it difficult': 476525, 'it difficult right': 457554, 'difficult right now': 242256, 'right now food': 722063, 'now food shortage': 574710, 'food shortage stress': 316605, 'shortage stress eating': 765226, 'stress eating panic': 813321, 'eating panic you': 266279, 'panic you ve': 638819, 've got this': 953200, 'got this believe': 358937, 'this believe in': 886549, 'believe in yourself': 126294, '20something': 14930, 'fella': 303255, 'lawd': 482463, '20something young': 14931, 'young fella': 1022591, 'fella just': 303258, 'he wearing': 385651, 'other on': 620603, 'know he': 476419, 'he one': 385278, 'who ll': 989225, 'baby lawd': 106650, 'lawd save': 482464, 'save fightcovid19': 737499, '20something young fella': 14932, 'young fella just': 1022592, 'fella just walked': 303259, 'just walked past': 470212, 'past me into': 643567, 'me into grocery': 522992, 'store he wearing': 808125, 'he wearing face': 385652, 'the other on': 862542, 'other on top': 620605, 'just know he': 469105, 'know he one': 476420, 'he one of': 385279, 'one who ll': 607453, 'who ll survive': 989228, 'll survive to': 497057, 'have baby lawd': 379396, 'baby lawd save': 106651, 'lawd save fightcovid19': 482465, 'line after': 492932, 'after line': 35870, 'of somber': 589885, 'somber faced': 782227, 'faced people': 295033, 'of em': 583017, 'em to': 272085, 'to bite': 901827, 'bite me': 131871, 'me zombieapocalypse': 524058, 'this morning with': 889039, 'morning with line': 541549, 'with line after': 999237, 'line after line': 492933, 'after line of': 35871, 'line of somber': 493314, 'of somber faced': 589886, 'somber faced people': 782228, 'faced people just': 295034, 'people just waiting': 648564, 'just waiting for': 470199, 'waiting for one': 964327, 'one of em': 606742, 'of em to': 583019, 'em to bite': 272086, 'to bite me': 901829, 'bite me zombieapocalypse': 131872, 'child across': 175989, 'england who': 277042, 'who normally': 989340, 'normally receive': 567527, 'given 15': 350934, 'voucher while': 960683, 'while school': 987237, 'shut during': 767872, 'pandemic story': 636568, 'child across england': 175990, 'across england who': 29320, 'england who normally': 277043, 'who normally receive': 989341, 'normally receive free': 567528, 'school meal will': 741863, 'meal will be': 524305, 'be given 15': 115021, 'given 15 supermarket': 350935, '15 supermarket voucher': 3838, 'supermarket voucher while': 823678, 'voucher while school': 960684, 'while school are': 987238, 'school are shut': 741699, 'are shut during': 90091, 'shut during the': 767873, 'the pandemic story': 863110, 'b1g1': 106443, 'their on': 874095, 'demand price': 236065, 'same renting': 733269, 'renting from': 711316, 'encourage staying': 275631, 'home flattening': 401197, 'no instead': 564509, 'some money': 783311, 'me no': 523216, 'matter how': 520571, 'many b1g1': 513813, 'b1g1 free': 106444, 'free you': 332349, 'send thought': 749972, 'with the spreading': 1001492, 'spreading of covid': 791012, '19 should make': 10501, 'should make their': 766215, 'make their on': 510597, 'their on demand': 874096, 'on demand price': 600284, 'demand price the': 236070, 'price the same': 676859, 'the same renting': 866290, 'same renting from': 733270, 'renting from the': 711317, 'from the box': 337619, 'the box to': 849925, 'box to encourage': 137185, 'to encourage staying': 905067, 'encourage staying at': 275632, 'at home flattening': 98994, 'home flattening the': 401198, 'curve but no': 221838, 'but no instead': 146488, 'no instead of': 564510, 'of getting some': 584128, 'getting some money': 349296, 'some money you': 783314, 'money you re': 537199, 're getting no': 698732, 'getting no money': 349148, 'no money from': 564782, 'money from me': 536769, 'from me no': 336397, 'me no matter': 523217, 'no matter how': 564730, 'matter how many': 520573, 'how many b1g1': 408246, 'many b1g1 free': 513814, 'b1g1 free you': 106445, 'free you send': 332351, 'you send thought': 1021117, 'this stockpiling': 890336, 'disgusting nursing': 245430, 'and shameless': 71372, 'shameless people': 754728, 'ashamed if': 95052, 'this never': 889105, 'never realized': 558150, 'realized this': 701920, 'such selfish': 816737, 'selfish generation': 748103, 'generation protect': 345633, 'this stockpiling is': 890337, 'stockpiling is disgusting': 803999, 'is disgusting nursing': 447224, 'disgusting nursing home': 245431, 'nursing home and': 577611, 'home and elderly': 400636, 'and elderly people': 61991, 'elderly people struggling': 270834, 'people struggling to': 649676, 'get food because': 347033, 'food because people': 313710, 'because people have': 119474, 'people have been': 648164, 'have been so': 379686, 'been so greedy': 121993, 'greedy and shameless': 363475, 'and shameless people': 71374, 'shameless people should': 754729, 'people should feel': 649443, 'should feel ashamed': 765986, 'feel ashamed if': 302571, 'ashamed if they': 95053, 'of this never': 592013, 'this never realized': 889108, 'never realized this': 558151, 'realized this wa': 701922, 'this wa such': 891088, 'wa such selfish': 963349, 'such selfish generation': 816738, 'selfish generation protect': 748104, 'generation protect the': 345634, 'aust': 103152, 'an argument': 55392, 'argument from': 92752, 'bank about': 109542, 'of continuing': 581825, 'export food': 292638, 'security easy': 744587, 'easy when': 265805, 'when aust': 983192, 'aust produce': 103153, 'produce 3x': 680160, '3x the': 18496, 'the red': 865379, 'red meat': 705597, 'meat it': 525637, 'it consumes': 457296, 'an argument from': 55394, 'argument from the': 92754, 'world bank about': 1009346, 'bank about the': 109543, 'importance of continuing': 418700, 'of continuing to': 581826, 'continuing to export': 201560, 'to export food': 905506, 'export food in': 292639, '19 to protect': 11447, 'to protect food': 912306, 'protect food security': 684835, 'food security easy': 316345, 'security easy when': 744588, 'easy when aust': 265806, 'when aust produce': 983193, 'aust produce 3x': 103154, 'produce 3x the': 680161, '3x the red': 18497, 'the red meat': 865384, 'red meat it': 705601, 'meat it consumes': 525638, 'lockeddown': 500509, 'throng market': 894264, 'market pakistan': 516830, 'pakistan food': 634452, 'food lockeddown': 315339, 'for food item': 321601, 'food item is': 315215, 'item is on': 463388, 'the rise people': 865859, 'rise people throng': 722977, 'people throng market': 649859, 'throng market pakistan': 894265, 'market pakistan food': 516831, 'pakistan food lockeddown': 634453, 'jerkin': 465162, 'squirtin': 791582, 'serious post': 751448, 'post but': 666027, 'share couple': 754973, 'couple good': 211593, 'who deal': 988541, 'depression especially': 237645, 'uncertainty now': 939723, 'to jerkin': 908662, 'jerkin and': 465163, 'and squirtin': 72175, 'this is more': 888321, 'is more serious': 449725, 'more serious post': 540358, 'serious post but': 751449, 'post but wanted': 666028, 'to share couple': 914338, 'share couple good': 754974, 'couple good resource': 211594, 'good resource for': 357657, 'resource for people': 714787, 'me who deal': 523966, 'who deal with': 988542, 'with anxiety and': 997268, 'and depression especially': 61236, 'depression especially in': 237646, 'especially in these': 280532, 'of uncertainty now': 592600, 'uncertainty now get': 939724, 'now get back': 574769, 'back to jerkin': 107375, 'to jerkin and': 908663, 'jerkin and squirtin': 465164, 'many retailer': 514645, 'are wondering': 91674, 'few consideration': 303752, 'consideration from': 195253, 'many retailer are': 514646, 'retailer are wondering': 719021, 'are wondering how': 91675, 'wondering how the': 1004162, 'pandemic will change': 637002, 'will change shopping': 992917, 'change shopping behavior': 172256, 'shopping behavior here': 762204, 'behavior here are': 124062, 'are few consideration': 86530, 'few consideration from': 303753, 'buying weed': 151333, 'weed instead': 975760, 'panic buying weed': 637957, 'buying weed instead': 151334, 'weed instead of': 975761, '19 because know': 5330, 'because know how': 119221, 'how to live': 409039, 'emma': 273224, 'fowle': 330736, 'emma fowle': 273227, 'fowle our': 330737, 'our foodbank': 623139, 'foodbank could': 317762, 'lockdown end': 499335, 'end volunteer': 276060, 'stepped back': 799765, 'back demand': 106949, 'skyrocketed we': 773394, 've rolled': 953510, 'new process': 559351, 'most to': 542818, 'emma fowle our': 273228, 'fowle our foodbank': 330738, 'our foodbank could': 623140, 'foodbank could run': 317763, 'before the lockdown': 123172, 'the lockdown end': 859595, 'lockdown end volunteer': 499339, 'end volunteer have': 276061, 'volunteer have stepped': 960280, 'have stepped back': 382752, 'stepped back demand': 799766, 'back demand ha': 106950, 'ha skyrocketed we': 371963, 'skyrocketed we ve': 773395, 'we ve rolled': 973707, 've rolled out': 953511, 'out new process': 626629, 'new process to': 559352, 'process to get': 679974, 'get supply to': 348160, 'supply to the': 826031, 'it most to': 459687, 'most to help': 542820, 'lymeregis': 507107, 'man wa': 512291, 'licking his': 488244, 'finger and': 307783, 'and deliberately': 61073, 'deliberately rubbing': 232974, 'rubbing them': 726978, 'bridport supermarket': 139657, 'supermarket lymeregis': 821417, 'lymeregis bridport': 507108, 'bridport dorset': 139656, 'the man wa': 859984, 'man wa arrested': 512292, 'arrested after licking': 93806, 'after licking his': 35866, 'licking his finger': 488245, 'his finger and': 397430, 'finger and deliberately': 307784, 'and deliberately rubbing': 61074, 'deliberately rubbing them': 232975, 'rubbing them on': 726979, 'them on product': 876093, 'product in bridport': 681279, 'in bridport supermarket': 420977, 'bridport supermarket lymeregis': 139658, 'supermarket lymeregis bridport': 821418, 'lymeregis bridport dorset': 507109, 'engulf': 277072, 'golibar': 356161, 'santacruz': 736609, '21dayschallenge': 15111, 'havoc confusion': 384424, 'confusion fear': 194381, 'food engulf': 314357, 'engulf after': 277073, 'after announcement': 35369, 'announcement govt': 77157, 'should ensure': 765962, 'essential are': 280796, 'not hampered': 569768, 'hampered pic': 374616, 'of golibar': 584206, 'golibar santacruz': 356162, 'santacruz last': 736610, 'night 21daylockdown': 562922, '21daylockdown 21dayslockdown': 15088, '21dayslockdown 21dayschallenge': 15116, 'panic havoc confusion': 638165, 'havoc confusion fear': 384425, 'confusion fear of': 194382, 'of food engulf': 583684, 'food engulf after': 314358, 'engulf after announcement': 277074, 'after announcement govt': 35370, 'announcement govt should': 77158, 'govt should ensure': 361278, 'should ensure supply': 765965, 'ensure supply of': 278044, 'of essential are': 583161, 'essential are not': 280798, 'are not hampered': 88386, 'not hampered pic': 569769, 'hampered pic of': 374617, 'pic of golibar': 655611, 'of golibar santacruz': 584207, 'golibar santacruz last': 356163, 'santacruz last night': 736611, 'last night 21daylockdown': 480365, 'night 21daylockdown 21dayslockdown': 562923, '21daylockdown 21dayslockdown 21dayschallenge': 15089, 'reset': 714164, '15 yelled': 3878, 'yelled for': 1015234, 'the room': 865984, 'the screen': 866532, 'screen our': 742711, 'data had': 226259, 'been reset': 121837, 'reset our': 714170, 'our 80': 622007, '80 usage': 22645, 'usage wa': 948857, 'wa down': 962023, 'to under': 917892, '10 there': 1702, 'wa note': 962781, 'provider that': 686797, 'were responding': 980058, 'by removing': 153761, 'removing limit': 710903, 'and overage': 68565, 'overage from': 630986, '15 yelled for': 3879, 'yelled for him': 1015235, 'him to come': 396740, 'into the room': 443164, 'the room and': 865985, 'room and look': 725877, 'at the screen': 101090, 'the screen our': 866535, 'screen our data': 742712, 'our data had': 622696, 'data had been': 226260, 'had been reset': 372909, 'been reset our': 121838, 'reset our 80': 714171, 'our 80 usage': 622008, '80 usage wa': 22646, 'usage wa down': 948858, 'wa down to': 962025, 'down to under': 257385, 'to under 10': 917893, 'under 10 there': 939957, '10 there wa': 1703, 'there wa note': 879256, 'wa note from': 962782, 'note from the': 572731, 'from the provider': 337846, 'the provider that': 864723, 'provider that they': 686799, 'they were responding': 883798, 'were responding to': 980059, '19 by removing': 5573, 'by removing limit': 153762, 'removing limit and': 710904, 'limit and overage': 492283, 'and overage from': 68566, 'overage from consumer': 630987, 'from consumer account': 334950, 'nj man': 563444, 'ha face': 370576, 'face terror': 294784, 'nj man who': 563446, 'her he ha': 392098, 'he ha face': 385024, 'ha face terror': 370577, 'face terror charge': 294785, 'nespresso': 557495, 'peets': 646315, 'mountainlife': 543434, 'we morris': 972391, 'morris don': 541682, 'don stock': 253933, 'what really': 982081, 'important coffee': 418759, 'coffee stockup': 185540, 'stockup nespresso': 804184, 'nespresso starbucks': 557496, 'starbucks peets': 794101, 'peets mountainlife': 646316, 'we morris don': 972392, 'morris don stock': 541683, 'don stock up': 253934, 'paper we know': 641067, 'know what really': 476974, 'what really important': 982085, 'really important coffee': 702326, 'important coffee stockup': 418760, 'coffee stockup nespresso': 185541, 'stockup nespresso starbucks': 804185, 'nespresso starbucks peets': 557497, 'starbucks peets mountainlife': 794102, 'authenticarkansas': 103623, 'arpreservation': 93675, 'wearemainstreet': 974557, 'tip let': 898832, 'favorite retailer': 300542, 'retailer know': 719230, 'that little': 844903, 'little gesture': 495367, 'gesture can': 346433, 'their morale': 874006, 'morale more': 538422, 'at authenticarkansas': 98076, 'authenticarkansas arpreservation': 103624, 'arpreservation wearemainstreet': 93676, 'consumer tip let': 199297, 'tip let your': 898833, 'let your favorite': 487222, 'your favorite retailer': 1023832, 'favorite retailer know': 300543, 'retailer know you': 719231, 'you are thinking': 1017263, 'are thinking about': 91043, 'thinking about them': 885860, 'about them that': 26600, 'them that little': 876378, 'that little gesture': 844905, 'little gesture can': 495368, 'gesture can mean': 346434, 'lot to their': 504397, 'to their morale': 917255, 'their morale more': 874007, 'morale more at': 538423, 'more at authenticarkansas': 538661, 'at authenticarkansas arpreservation': 98077, 'authenticarkansas arpreservation wearemainstreet': 103625, 'naturalresouces': 552931, 'russi': 728410, 'russia ha': 728486, 'ha unveiled': 372401, 'unveiled on': 944017, 'april it': 83625, 'country oil': 210932, 'than fifth': 840648, 'fifth and': 304565, 'other producer': 620762, 'producer like': 680653, 'the naturalresouces': 861320, 'naturalresouces russi': 552932, 'russia ha unveiled': 728490, 'ha unveiled on': 372402, 'unveiled on april': 944018, 'on april it': 599448, 'april it plan': 83627, 'it plan to': 460337, 'cut the country': 223573, 'the country oil': 852125, 'country oil output': 210933, 'output by more': 629242, 'more than fifth': 540619, 'than fifth and': 840649, 'fifth and called': 304566, 'and called on': 59427, 'called on other': 156400, 'on other producer': 602560, 'other producer like': 620764, 'producer like the': 680654, 'like the to': 491401, 'the to join': 869682, 'to join in': 908677, 'join in their': 466754, 'effort to prop': 269637, 'pandemic the naturalresouces': 636689, 'the naturalresouces russi': 861321, 'grocery cant': 364340, 'cant you': 162353, 'understand when': 940808, 'for encouraging': 321047, 'people starmer': 649534, 'online you should': 609778, 'shopping for anything': 762658, 'anything but grocery': 80696, 'but grocery cant': 145827, 'grocery cant you': 364341, 'cant you understand': 162354, 'you understand when': 1021970, 'understand when the': 940809, 'when the government': 984156, 'the government say': 856597, 'government say food': 360566, 'say food and': 738640, 'and medicine and': 66900, 'medicine and shame': 526723, 'and shame on': 71362, 'on you online': 605432, 'you online for': 1020205, 'online for encouraging': 608225, 'for encouraging people': 321048, 'encouraging people starmer': 275729, 'is posting': 450959, 'about day': 25072, 'never shut': 558197, 'shut my': 767904, 'job down': 465802, 'everyone is posting': 287101, 'is posting about': 450960, 'posting about day': 666639, 'about day of': 25075, 'of quarantine but': 588652, 'store so they': 810238, 'so they will': 778486, 'will never shut': 994173, 'never shut my': 558199, 'shut my job': 767905, 'my job down': 548909, 'imon': 417518, 'april imon': 83616, 'imon connection': 417519, 'connection newsletter': 194713, 'newsletter is': 561032, 'available discover': 104318, 'discover new': 244661, 'contact imon': 200100, 'imon customer': 417521, 'service read': 752746, 'way scammer': 969855, 'the april imon': 848839, 'april imon connection': 83617, 'imon connection newsletter': 417520, 'connection newsletter is': 194714, 'newsletter is now': 561033, 'now available discover': 574153, 'available discover new': 104319, 'discover new way': 244662, 'way to contact': 970003, 'to contact imon': 903353, 'contact imon customer': 200101, 'imon customer service': 417523, 'customer service read': 222832, 'service read about': 752747, 'the way scammer': 871181, 'way scammer are': 969856, 'make money from': 510182, 'money from covid': 536766, '19 and get': 5030, 'and get tip': 63609, 'get tip on': 348455, 'safe while shopping': 730142, 'while shopping online': 987269, 'am looking': 50193, 'some true': 784120, 'true stats': 933171, 'restaurant online': 716605, 'order sanitizers': 618561, 'sanitizers sale': 736381, 'sale netflix': 732364, 'netflix sale': 557623, 'sale etc': 732191, 'this any': 886375, 'any lead': 79398, 'lead site': 483316, 'site profile': 771989, 'profile etc': 682613, 'am looking for': 50195, 'looking for some': 502902, 'for some true': 325775, 'some true stats': 784121, 'true stats on': 933172, 'stats on business': 796629, 'on business for': 599738, 'business for restaurant': 143756, 'for restaurant online': 325176, 'restaurant online shopping': 716607, 'shopping order sanitizers': 763564, 'order sanitizers sale': 618563, 'sanitizers sale netflix': 736382, 'sale netflix sale': 732365, 'netflix sale etc': 557624, 'sale etc during': 732192, 'etc during this': 282505, 'during this any': 263261, 'this any lead': 886376, 'any lead site': 79399, 'lead site profile': 483317, 'site profile etc': 771990, '4u': 19550, 'like4likes': 491906, 'homemadesanitizer': 402866, 'home tip': 402300, 'tip 4u': 898687, '4u via': 19553, 'via handsanitizer': 956007, 'handsanitizer sanitizer': 376628, 'sanitizer like4likes': 735290, 'like4likes homemadesanitizer': 491907, 'at home tip': 99148, 'home tip 4u': 402301, 'tip 4u via': 898688, '4u via handsanitizer': 19554, 'via handsanitizer sanitizer': 956010, 'handsanitizer sanitizer like4likes': 376632, 'sanitizer like4likes homemadesanitizer': 735291, 'tahlequahtdp': 831800, 'via tahlequahtdp': 956278, 'tahlequahtdp attorney': 831801, 'hunter issue': 411393, 'coronavirus testing': 206886, 'via tahlequahtdp attorney': 956279, 'tahlequahtdp attorney general': 831802, 'general hunter issue': 345357, 'hunter issue consumer': 411394, 'alert on at': 41478, 'on at home': 599497, 'home coronavirus testing': 400953, 'iodised': 444442, 'basic comodities': 111853, 'comodities are': 190291, 'getting higher': 349035, 'higher in': 395609, 'uganda most': 937976, 'most item': 542461, 'are 3x': 84128, '3x their': 18499, 'their original': 874139, 'price iodised': 674849, 'iodised table': 444443, 'table salt': 831496, 'salt in': 732811, 'in lira': 424792, 'lira district': 494229, 'district is': 248370, 'is 00': 445138, 'per packet': 650968, 'packet yet': 633723, 'yet it': 1016115, 'wa 700': 961396, 'name of covid': 551661, 'of basic comodities': 580566, 'basic comodities are': 111854, 'comodities are getting': 190292, 'are getting higher': 86809, 'getting higher in': 349036, 'higher in uganda': 395612, 'in uganda most': 430374, 'uganda most item': 937977, 'most item are': 542463, 'item are 3x': 463088, 'are 3x their': 84131, '3x their original': 18500, 'their original price': 874140, 'original price iodised': 619580, 'price iodised table': 674850, 'iodised table salt': 444444, 'table salt in': 831497, 'salt in lira': 732812, 'in lira district': 424793, 'lira district is': 494230, 'district is 00': 248371, 'is 00 per': 445139, '00 per packet': 433, 'per packet yet': 650969, 'packet yet it': 633724, 'yet it wa': 1016118, 'it wa 700': 462055, 'washingtondc': 967817, 'usa shopper': 948745, 'shopper line': 761594, 'in washingtondc': 430713, 'washingtondc practicing': 967818, 'on vital': 605062, 'the mayor': 860318, 'mayor of': 521976, 'city ordered': 179313, 'ordered on': 618875, 'usa shopper line': 948746, 'shopper line up': 761595, 'up outside supermarket': 945719, 'supermarket in washingtondc': 820999, 'in washingtondc practicing': 430714, 'washingtondc practicing social': 967819, 'distancing to stock': 247570, 'up on vital': 945640, 'on vital supply': 605064, 'vital supply the': 959731, 'supply the mayor': 825964, 'the mayor of': 860320, 'mayor of the': 521979, 'the city ordered': 850953, 'city ordered on': 179314, 'ordered on the': 618878, 'on the closure': 604027, 'of all non': 579964, 'essential business for': 280846, 'business for month': 143752, 'for month in': 323524, 'month in an': 537787, 'marshalled': 518028, 'the schoolchildren': 866495, 'schoolchildren now': 742003, 'at loose': 99622, 'loose end': 503189, 'end and': 275767, 'the safer': 866136, 'safer end': 730359, 'the immunity': 857919, 'immunity spectrum': 417430, 'spectrum be': 788330, 'be marshalled': 115913, 'marshalled into': 518029, 'into task': 443074, '70 in': 21779, 'their area': 872506, 'there week': 879297, 'can all the': 157441, 'all the schoolchildren': 44900, 'the schoolchildren now': 866496, 'schoolchildren now at': 742004, 'now at loose': 574135, 'at loose end': 99623, 'loose end and': 503190, 'end and at': 275768, 'and at the': 58488, 'at the safer': 101085, 'the safer end': 866137, 'safer end of': 730360, 'of the immunity': 591127, 'the immunity spectrum': 857920, 'immunity spectrum be': 417431, 'spectrum be marshalled': 788331, 'be marshalled into': 115914, 'marshalled into task': 518030, 'into task force': 443075, 'task force to': 834702, 'force to pick': 328527, 'up grocery and': 945039, 'grocery and deliver': 364230, 'and deliver to': 61090, 'deliver to the': 233252, 'to the over': 916932, 'over 70 in': 629911, '70 in their': 21780, 'in their area': 429717, 'their area who': 872509, 'area who are': 92268, 'being told there': 125968, 'told there week': 923725, 'there week wait': 879298, 'week wait for': 977177, 'wait for an': 964107, '780': 22333, '453': 19166, '0101': 730, 'weareopen': 974564, 'blissbakedgoods': 132731, 'open here': 612295, 'help give': 389812, 'at 780': 97742, '780 453': 22334, '453 0101': 19169, '0101 to': 731, 'order staysafe': 618599, 'stayhealthy stockup': 797915, 'stockup weareopen': 804218, 'weareopen corona': 974565, 'corona blissbakedgoods': 203828, 'are open here': 88790, 'open here to': 612297, 'to help give': 907530, 'help give call': 389813, 'give call at': 350427, 'call at 780': 155784, 'at 780 453': 97743, '780 453 0101': 22335, '453 0101 to': 19170, '0101 to place': 732, 'your order staysafe': 1025106, 'order staysafe stayhealthy': 618600, 'staysafe stayhealthy stockup': 798898, 'stayhealthy stockup weareopen': 797916, 'stockup weareopen corona': 804219, 'weareopen corona blissbakedgoods': 974566, 'spire': 789444, 'better serve': 128459, 'develops find': 239859, 'local spire': 498441, 'spire store': 789445, 'we re making': 972919, 're making change': 699024, 'making change to': 510989, 'to our store': 911244, 'our store operation': 624950, 'operation to better': 613277, 'to better serve': 901789, 'better serve you': 128461, 'serve you the': 751974, 'you the situation': 1021611, 'situation develops find': 772239, 'develops find out': 239860, 'out how this': 626338, 'how this affect': 408943, 'this affect your': 886225, 'affect your local': 34275, 'your local spire': 1024719, 'local spire store': 498442, 'please add': 659633, 'add option': 31460, 'pay online': 645021, 'your curbside': 1023393, 'curbside express': 220623, 'express pickup': 293057, 'pickup to': 656038, 'contact process': 200189, 'process kudos': 679922, 'kudos for': 477877, 'your early': 1023610, 'early shopping': 264686, 'other preventative': 620753, 'measure already': 525084, 'already taken': 47704, 'please add option': 659634, 'add option to': 31461, 'option to pay': 614127, 'to pay online': 911547, 'pay online to': 645023, 'online to your': 609602, 'to your curbside': 918968, 'your curbside express': 1023394, 'curbside express pickup': 220624, 'express pickup to': 293058, 'pickup to make': 656040, 'make it no': 510044, 'it no contact': 459826, 'no contact process': 563892, 'contact process kudos': 200190, 'process kudos for': 679923, 'kudos for your': 477878, 'for your early': 328142, 'your early shopping': 1023611, 'early shopping option': 264687, 'shopping option and': 763530, 'option and other': 613983, 'and other preventative': 68385, 'other preventative measure': 620754, 'preventative measure already': 671774, 'measure already taken': 525085, 'survived supremecourt': 829329, 'supremecourt today': 827440, 'or atleast': 614454, 'atleast think': 101899, 'think did': 885206, 'did for': 240606, 'now always': 573990, 'always carry': 49508, 'carry sanitizer': 165144, 're safe': 699414, 'safe just': 729787, 'just chant': 468459, 'chant go': 172975, 'go corona': 353423, 'corona go': 203961, 'survived supremecourt today': 829330, 'supremecourt today or': 827441, 'today or atleast': 919995, 'or atleast think': 614456, 'atleast think did': 101900, 'think did for': 885207, 'did for now': 240608, 'for now always': 323959, 'now always carry': 573991, 'always carry sanitizer': 49509, 'carry sanitizer and': 165145, 'and mask if': 66755, 'you re still': 1020759, 're still not': 699598, 'not sure you': 571859, 'sure you re': 827870, 'you re safe': 1020730, 're safe just': 699415, 'safe just chant': 729788, 'just chant go': 468460, 'chant go corona': 172976, 'go corona corona': 353424, 'corona corona go': 203866, 'america farmer': 51518, 'are meeting': 88060, 'meeting consumer': 527685, 'consumer rising': 198834, 'their value': 875115, 'value by': 952102, 'providing their': 687110, 'their produce': 874459, 'produce for': 680273, 'for grocerydelivery': 322062, 'grocerydelivery amid': 366207, 'america farmer are': 51519, 'farmer are meeting': 299285, 'are meeting consumer': 88061, 'meeting consumer rising': 527687, 'consumer rising demand': 198835, 'demand and showing': 235001, 'and showing their': 71626, 'showing their value': 767532, 'their value by': 875116, 'value by providing': 952103, 'by providing their': 153680, 'providing their produce': 687112, 'their produce for': 874460, 'produce for grocerydelivery': 680274, 'for grocerydelivery amid': 322063, 'grocerydelivery amid the': 366208, 'outbreak and socialdistancing': 628011, 'and socialdistancing more': 71909, 'theblaze': 872293, 'so store': 778275, 'away 35': 105762, 'in wasted': 430715, 'item theblaze': 463709, 'theblaze geez': 872294, 'geez she': 345054, 'intentionally cough on': 441164, 'cough on grocery': 208520, 'store food so': 807774, 'food so store': 316665, 'so store is': 778276, 'store is forced': 808491, 'throw away 35': 895008, 'away 35 00': 105763, '00 in wasted': 273, 'in wasted item': 430716, 'wasted item theblaze': 968247, 'item theblaze geez': 463710, 'theblaze geez she': 872295, 'geez she should': 345055, 'australia queensland': 103357, 'queensland wa': 693413, 'supermarket sent': 822384, 'me these': 523679, 'these pic': 880479, 'friend in australia': 333648, 'in australia queensland': 420615, 'australia queensland wa': 103358, 'queensland wa just': 693414, 'wa just in': 962462, 'the supermarket sent': 868791, 'supermarket sent me': 822385, 'sent me these': 750777, 'me these pic': 523681, 'getting question': 349211, 'about post': 25968, '19 house': 7590, 'saw with': 738324, 'with brexit': 997476, 'brexit the': 139523, 'uk property': 938648, 'very robust': 955479, 'robust so': 724852, 'it highly': 458589, 'unlikely that': 942755, 'month read': 537972, 'more which': 540968, 'house price read': 406503, 'price read all': 676097, 'read all about': 700265, 'all about it': 41920, 'about it we': 25604, 'it we re': 462281, 'we re getting': 972883, 're getting question': 698733, 'getting question about': 349212, 'question about post': 693504, 'about post covid': 25970, 'covid 19 house': 213226, '19 house price': 7591, 'house price we': 406509, 'price we saw': 677409, 'we saw with': 973142, 'saw with brexit': 738325, 'with brexit the': 997477, 'brexit the uk': 139524, 'the uk property': 870269, 'uk property market': 938649, 'market is very': 516648, 'is very robust': 453693, 'very robust so': 955480, 'robust so it': 724853, 'so it highly': 777466, 'it highly unlikely': 458590, 'highly unlikely that': 396109, 'unlikely that price': 942758, 'price will crash': 677557, 'will crash in': 993064, 'coming month read': 188141, 'month read more': 537973, 'read more which': 700458, 'to evolve': 905370, 'evolve and': 288501, 'and impact': 65007, 'community worldwide': 190244, 'worldwide our': 1010398, 'remotely please': 710778, 'see instagram': 745313, 'instagram or': 439970, 'know the coronavirus': 476813, 'outbreak continues to': 628132, 'continues to evolve': 201473, 'to evolve and': 905371, 'evolve and impact': 288502, 'and impact our': 65011, 'impact our community': 417910, 'our community worldwide': 622491, 'community worldwide our': 190245, 'worldwide our retail': 1010399, 'will remain closed': 994627, 'remain closed and': 709719, 'closed and most': 182989, 'staff are working': 792212, 'are working remotely': 91714, 'working remotely please': 1008888, 'remotely please see': 710779, 'please see instagram': 660453, 'see instagram or': 745314, 'instagram or facebook': 439971, 'or facebook for': 615248, 'facebook for our': 294915, 'for our full': 324247, 'midia': 530726, 'behaviour midia': 124478, 'midia research': 530727, 'consumer behaviour midia': 196588, 'behaviour midia research': 124479, 'driver they': 259795, 'than professional': 841048, 'actor and': 30561, 'truck driver they': 932800, 'driver they are': 259796, 'important than professional': 418999, 'than professional athlete': 841049, 'professional athlete actor': 682421, 'athlete actor and': 101755, 'actor and famous': 30563, 'wonderful news': 1004098, 'news now': 560641, 'see other': 745516, 'other billionaire': 619894, 'billionaire do': 130953, 'same bbc': 732973, 'coronavirus twitter': 206976, 'twitter bos': 936638, 'bos pledge': 135688, 'pledge 1bn': 660840, '1bn for': 12595, 'wonderful news now': 1004099, 'news now let': 560642, 'let see other': 487035, 'see other billionaire': 745517, 'other billionaire do': 619895, 'billionaire do the': 130954, 'the same bbc': 866198, 'same bbc news': 732974, 'news coronavirus twitter': 560343, 'coronavirus twitter bos': 206977, 'twitter bos pledge': 936639, 'bos pledge 1bn': 135689, 'pledge 1bn for': 660841, '1bn for relief': 12596, 'for relief effort': 325092, 'veliaj': 954313, '19 veliaj': 11745, 'veliaj no': 954314, 'panic supermarket': 638654, 'covid 19 veliaj': 214021, '19 veliaj no': 11746, 'veliaj no room': 954315, 'room for panic': 725914, 'for panic supermarket': 324368, 'panic supermarket will': 638656, 'supermarket will provide': 823889, 'will provide food': 994513, 'provide food reserve': 686310, 'reserve for the': 714059, 'stopthevirus': 805940, 'cannot thank': 162170, 'you enough': 1018418, 'so brave': 776644, 'brave in': 138222, 'hero virus': 394145, 'health flattenthecurve': 386436, 'flattenthecurve stopthevirus': 310210, 'stopthevirus socialdistancing': 805941, 'we cannot thank': 971087, 'cannot thank you': 162171, 'thank you enough': 841721, 'you enough for': 1018419, 'enough for being': 277431, 'for being so': 319637, 'being so brave': 125813, 'so brave in': 776645, 'brave in this': 138223, 'of pandemic you': 587714, 'you are our': 1017191, 'our hero virus': 623429, 'hero virus sanitizer': 394146, 'virus sanitizer health': 958718, 'sanitizer health flattenthecurve': 735068, 'health flattenthecurve stopthevirus': 386437, 'flattenthecurve stopthevirus socialdistancing': 310211, 'statistically': 796603, 'so an': 776502, 'today statistically': 920214, 'statistically that': 796604, 'mean few': 524424, 'every packed': 286082, 'supermarket park': 821926, 'park or': 641961, 'or beach': 614516, 'so an order': 776503, 'an order of': 56701, 'order of 200': 618436, 'of 200 00': 579454, '200 00 case': 13438, '00 case of': 110, 'uk today statistically': 938833, 'today statistically that': 920215, 'statistically that mean': 796605, 'that mean few': 845109, 'mean few people': 524425, 'few people in': 303988, 'in every packed': 422684, 'every packed supermarket': 286083, 'packed supermarket park': 633646, 'supermarket park or': 821928, 'park or beach': 641962, 'petrobras': 653663, 'the definition': 853040, 'definition of': 232421, 'false hope': 297431, 'hope trump': 403757, 'trump tweet': 933943, 'he negotiating': 385250, 'negotiating oil': 556938, 'cut so': 223539, 'so oil': 777937, 'spike meanwhile': 789315, 'meanwhile petrobras': 525020, 'petrobras ceo': 653664, 'ceo say': 169830, 'it irrelevant': 458848, 'irrelevant because': 445008, 'overwhelming everything': 631747, 'is the definition': 452765, 'the definition of': 853041, 'definition of false': 232425, 'of false hope': 583398, 'false hope trump': 297432, 'hope trump tweet': 403758, 'trump tweet that': 933944, 'tweet that he': 936407, 'that he negotiating': 844264, 'he negotiating oil': 385251, 'negotiating oil production': 556939, 'production cut so': 682000, 'cut so oil': 223540, 'so oil price': 777938, 'oil price spike': 597267, 'price spike meanwhile': 676577, 'spike meanwhile petrobras': 789316, 'meanwhile petrobras ceo': 525021, 'petrobras ceo say': 653665, 'ceo say it': 169833, 'say it irrelevant': 738845, 'it irrelevant because': 458849, 'irrelevant because is': 445009, 'because is overwhelming': 119168, 'is overwhelming everything': 450768, 'largest milk': 479977, 'milk producing': 531790, 'producing province': 680797, 'are poised': 89131, 'poised to': 662787, 'dump million': 262176, 'of litre': 585891, 'to dairy': 903898, 'farmer of': 299471, 'ontario ha': 611601, 'told farmer': 923552, 'raw milk': 697984, 'stable and': 791891, 'prevent oversupply': 671690, 'farmer in one': 299421, 'one of canada': 606736, 'of canada largest': 581085, 'canada largest milk': 160484, 'largest milk producing': 479978, 'milk producing province': 531791, 'producing province are': 680798, 'province are poised': 687161, 'are poised to': 89133, 'poised to dump': 662788, 'to dump million': 904800, 'dump million of': 262177, 'million of litre': 532276, 'of litre of': 585892, 'of milk due': 586506, 'due to dairy': 261753, 'to dairy farmer': 903899, 'dairy farmer of': 224984, 'farmer of ontario': 299472, 'of ontario ha': 587278, 'ontario ha told': 611604, 'ha told farmer': 372337, 'told farmer to': 923553, 'rid of raw': 721395, 'of raw milk': 588758, 'raw milk to': 697985, 'milk to keep': 531869, 'keep price stable': 471818, 'price stable and': 676599, 'stable and prevent': 791894, 'and prevent oversupply': 69410, 'waiting order': 964368, 'stock delivered': 802039, 'canada please': 160522, '19 link': 8340, 'link that': 493913, 'that cop': 843324, 'cop out': 203276, 'out thought': 627602, 'thought were': 893306, 'were gaining': 979674, 'gaining market': 342879, 'share amp': 754918, 'confidence that': 193957, 'that out': 845603, 'window performance': 995707, 'performance under': 651470, 'hey why we': 394551, 'we still waiting': 973411, 'still waiting order': 801380, 'waiting order in': 964369, 'order in stock': 618322, 'in stock delivered': 428295, 'stock delivered in': 802041, 'delivered in canada': 233347, 'in canada please': 421195, 'canada please don': 160523, 'please don give': 659913, 'don give me': 253554, 'give me go': 350574, 'me go see': 522819, 'go see covid': 354089, 'covid 19 link': 213358, '19 link that': 8341, 'link that cop': 493915, 'that cop out': 843325, 'cop out thought': 203277, 'out thought were': 627603, 'thought were gaining': 893307, 'were gaining market': 979675, 'gaining market share': 342880, 'market share amp': 517047, 'share amp consumer': 754919, 'amp consumer confidence': 53565, 'consumer confidence that': 196924, 'confidence that out': 193958, 'that out the': 845607, 'out the window': 627442, 'the window performance': 871597, 'window performance under': 995708, 'performance under pressure': 651471, 'what disgusting': 981332, 'disgusting pig': 245441, 'pig of': 656452, 'human lady': 410538, 'who tested': 989740, 'wa cause': 961798, 'cause spitting': 167741, 'fruit at': 339070, 'what disgusting pig': 981334, 'disgusting pig of': 245442, 'pig of human': 656453, 'of human lady': 584874, 'human lady who': 410539, 'lady who tested': 478871, 'who tested positive': 989741, '19 wa cause': 11861, 'wa cause spitting': 961799, 'cause spitting on': 167742, 'on fruit at': 601037, 'fruit at supermarket': 339071, 'at supermarket 19': 100694, 'lockdownnsw': 500349, 'centre to': 169556, 'let there': 487165, 'no mayhem': 564737, 'mayhem in': 521915, 'supermarket lockdownnsw': 821371, 'making my way': 511240, 'way to my': 970056, 'my local shopping': 549141, 'local shopping centre': 498434, 'shopping centre to': 762358, 'centre to get': 169558, 'get grocery for': 347165, 'the week please': 871310, 'week please let': 976756, 'please let there': 660186, 'let there be': 487166, 'there be no': 878217, 'be no mayhem': 116102, 'no mayhem in': 564738, 'mayhem in the': 521916, 'the supermarket lockdownnsw': 868680, 'tizer': 899318, 'wa video': 963648, 'calling with': 156644, 'my three': 550361, 'three year': 894122, 'old cousin': 598199, 'she know': 756180, 'the rona': 865962, 'rona is': 725782, 'catch her': 166998, 'her sick': 392382, 'sick she': 768600, 'also told': 49024, 'wash me': 967519, 'me hand': 522851, 'use tizer': 949748, 'tizer hand': 899319, 'wa video calling': 963649, 'video calling with': 956663, 'calling with my': 156645, 'with my three': 999654, 'my three year': 550362, 'three year old': 894125, 'year old cousin': 1014820, 'old cousin and': 598200, 'cousin and asked': 212080, 'and asked her': 58433, 'if she know': 414778, 'she know why': 756184, 'know why can': 477047, 'why can come': 990859, 'come out and': 187461, 'out and she': 625689, 'that the rona': 846824, 'the rona is': 865963, 'rona is going': 725783, 'to catch her': 902499, 'catch her and': 166999, 'her and make': 391849, 'and make her': 66555, 'make her sick': 509969, 'her sick she': 392383, 'sick she also': 768601, 'she also told': 755853, 'also told me': 49025, 'me that should': 523626, 'that should wash': 846294, 'should wash me': 766632, 'wash me hand': 967520, 'me hand and': 522852, 'and use tizer': 74787, 'use tizer hand': 949749, 'tizer hand sanitizer': 899320, 'oregon': 619133, 'cali': 155434, 'ronarants': 725808, 'oregon is': 619152, 'get cali': 346734, 'cali style': 155439, 'style locked': 815612, 'down if': 256849, 'stop dragging': 804624, 'dragging their': 258195, 'their entire': 873169, 'everyday it': 286582, 'not time': 572120, 'for field': 321463, 'field trip': 304529, 'trip you': 932226, 'you dummy': 1018373, 'dummy ronarants': 262148, 'oregon is gonna': 619153, 'is gonna get': 448128, 'gonna get cali': 356528, 'get cali style': 346735, 'cali style locked': 155440, 'style locked down': 815613, 'locked down if': 500476, 'down if they': 256850, 'not stop dragging': 571755, 'stop dragging their': 804625, 'dragging their entire': 258196, 'their entire family': 873170, 'entire family into': 278674, 'family into the': 297943, 'store everyday it': 807659, 'everyday it not': 286583, 'it not time': 459930, 'not time for': 572121, 'time for field': 896708, 'for field trip': 321464, 'field trip you': 304532, 'trip you dummy': 932227, 'you dummy ronarants': 1018374, 'smug': 775981, 'link smug': 493910, 'here the direct': 393647, 'the direct link': 853310, 'direct link smug': 243350, 'sending all': 750004, 'my love': 549163, 'and brave': 59155, 'brave stay': 138229, 'all thinking': 45085, 'you hospital': 1019250, 'worker firefighter': 1006940, 'officer and': 595625, 'sending all my': 750005, 'all my love': 43564, 'my love and': 549164, 'love and appreciation': 504595, 'and appreciation to': 58271, 'appreciation to those': 82901, 'still working through': 801441, 'outbreak you are': 628845, 'you are strong': 1017245, 'are strong and': 90574, 'strong and brave': 813972, 'and brave stay': 59156, 'brave stay safe': 138230, 'stay safe possible': 797267, 'safe possible and': 729896, 'possible and know': 665572, 'know that we': 476800, 're all thinking': 698240, 'all thinking of': 45086, 'thinking of you': 885978, 'of you hospital': 593393, 'you hospital staff': 1019252, 'hospital staff supermarket': 404645, 'staff supermarket worker': 792908, 'supermarket worker firefighter': 824021, 'worker firefighter police': 1006944, 'firefighter police officer': 308227, 'police officer and': 663114, 'officer and many': 595627, 'gem': 345198, 'online are': 607871, 'you scrolling': 1021014, 'scrolling on': 742879, 'this little': 888671, 'little gem': 495366, 'you buy toilet': 1017587, 'paper and toilet': 639859, 'toilet paper online': 921377, 'paper online are': 640540, 'online are you': 607875, 'are you scrolling': 91850, 'you scrolling on': 1021015, 'scrolling on this': 742880, 'on this little': 604617, 'this little gem': 888672, 'condition we': 193555, 'do wash': 250455, 'from contestalert': 334987, 'so in this': 777388, 'this critical condition': 887118, 'critical condition we': 218532, 'condition we all': 193556, 'have to do': 383196, 'to do wash': 904583, 'do wash hand': 250457, 'hand glove this': 374996, 'glove this kind': 352964, 'kind of product': 474928, 'of product will': 588505, 'will help from': 993715, 'help from contestalert': 389769, 'from contestalert contest': 334988, 'like farmworkers': 490224, 'farmworkers first': 299702, 'responder health': 715473, 'deserve hazard': 238062, 'or their': 617411, 'worker like farmworkers': 1007315, 'like farmworkers first': 490225, 'farmworkers first responder': 299703, 'first responder health': 308946, 'responder health care': 715474, 'worker deserve hazard': 1006760, 'deserve hazard pay': 238063, 'hazard pay from': 384566, 'pay from their': 644912, 'from their government': 337939, 'their government or': 873426, 'government or their': 360429, 'or their company': 617412, 'their company for': 872833, 'company for their': 190677, 'their service during': 874658, 'polk': 663818, 'francisco there': 331129, 'supply support': 825930, 'local neighborhood': 498202, 'neighborhood grocer': 557118, 'grocer such': 364170, 'such golden': 816520, 'golden farmer': 356051, 'at polk': 100158, 'polk amp': 663819, 'amp california': 53481, 'california they': 155589, 'veggie milk': 954196, 'time of lockdown': 897345, 'of lockdown in': 585956, 'lockdown in san': 499513, 'san francisco there': 733549, 'francisco there is': 331130, 'food supply support': 317002, 'supply support your': 825932, 'your local neighborhood': 1024707, 'local neighborhood grocer': 498203, 'neighborhood grocer such': 557119, 'grocer such golden': 364171, 'such golden farmer': 816521, 'golden farmer market': 356052, 'farmer market at': 299444, 'market at polk': 516048, 'at polk amp': 100159, 'polk amp california': 663820, 'amp california they': 53482, 'california they are': 155590, 'they are stocked': 881419, 'are stocked up': 90516, 'stocked up with': 803447, 'up with fresh': 946640, 'with fresh fruit': 998553, 'and veggie milk': 74906, 'veggie milk bread': 954197, 'milk bread and': 531597, 'bread and other': 138403, 'and other staple': 68412, 'if die': 414043, 'die in': 241374, 'accident because': 28390, 'because used': 119762, 'will that': 995118, 'count death': 210107, 'death no': 230134, 'reason just': 702951, 'just curious': 468547, 'if die in': 414044, 'die in car': 241377, 'car accident because': 162977, 'accident because used': 28391, 'because used hand': 119763, 'sanitizer will that': 736109, 'will that count': 995121, 'that count death': 843374, 'count death no': 210108, 'death no reason': 230135, 'no reason just': 565292, 'reason just curious': 702952, 'quarantineselfie': 693060, 'been inside': 121385, 'inside too': 439435, 'long braved': 501357, 'paper made': 640434, 'made soup': 507961, 'soup quarantineselfie': 786407, 'quarantineselfie stayathomeorder': 693061, 'stayathomeorder socialdistancing': 797785, 'socialdistancing quarantined': 780636, 've been inside': 952897, 'been inside too': 121388, 'inside too long': 439436, 'too long braved': 924862, 'long braved the': 501358, 'store still no': 810381, 'toilet paper made': 921345, 'paper made soup': 640436, 'made soup quarantineselfie': 507962, 'soup quarantineselfie stayathomeorder': 786408, 'quarantineselfie stayathomeorder socialdistancing': 693062, 'stayathomeorder socialdistancing quarantined': 797786, 'newsom tell': 561070, 'tell trump': 837118, 'that roughly': 846071, 'roughly 56': 726281, '56 of': 20454, 'of californian': 581047, 'californian or': 155648, 'or 25': 614187, 'coronavirus over': 206422, 'an eight': 55629, 'newsom tell trump': 561071, 'tell trump that': 837119, 'trump that roughly': 933909, 'that roughly 56': 846072, 'roughly 56 of': 726282, '56 of californian': 20455, 'of californian or': 581048, 'californian or 25': 155649, 'or 25 million': 614188, '25 million people': 15913, 'million people will': 532321, 'will be infected': 992516, 'be infected with': 115487, 'the coronavirus over': 851887, 'coronavirus over an': 206423, 'over an eight': 629974, 'an eight week': 55630, 'eight week period': 270207, 'are 24': 84123, '24 local': 15649, 'shop offering': 760533, 'online amid': 607797, '19 development': 6526, 'here are 24': 392731, 'are 24 local': 84124, '24 local shop': 15650, 'local shop offering': 498409, 'shop offering their': 760534, 'offering their good': 595284, 'good online amid': 357513, 'online amid covid': 607798, 'covid 19 development': 212945, 'down jet': 256901, 'jet fuel': 465339, 'price mood': 675260, 'mood lighting': 538279, 'lighting for': 489650, 'down drfauci': 256702, 'drfauci trumppressconference': 258730, 'say gas price': 738668, 'are down jet': 85977, 'down jet fuel': 256902, 'jet fuel price': 465342, 'are down what': 85985, 'down what next': 257460, 'what next the': 981935, 'next the price': 561581, 'the price mood': 864386, 'price mood lighting': 675261, 'mood lighting for': 538280, 'lighting for restaurant': 489651, 'for restaurant is': 325175, 'restaurant is down': 716537, 'is down drfauci': 447345, 'down drfauci trumppressconference': 256703, 'meaningless': 524871, 'some said': 783789, 'all continue': 42440, 'our meaningless': 623886, 'meaningless life': 524872, 'demise after': 236654, 'would realize': 1012164, 'had passed': 373390, 'passed our': 643288, 'some said it': 783790, 'end of time': 275921, 'of time thought': 592190, 'time thought that': 897929, 'thought that even': 893230, 'even if that': 284216, 'the case we': 850469, 'case we would': 166099, 'would all continue': 1011500, 'all continue to': 42441, 'continue to live': 201218, 'to live our': 909348, 'live our meaningless': 495980, 'our meaningless life': 623887, 'meaningless life until': 524873, 'our demise after': 622736, 'demise after which': 236655, 'after which we': 36535, 'which we would': 986470, 'we would realize': 973977, 'would realize that': 1012165, 'that we had': 847375, 'we had passed': 971718, 'had passed our': 373391, 'passed our last': 643289, 'all net': 43617, 'net proceeds': 557559, 'proceeds from': 679849, 'week online': 976688, 'online auction': 607905, 'auction will': 102871, 'benefit covid': 126950, 'all net proceeds': 43618, 'net proceeds from': 557560, 'proceeds from this': 679850, 'this week online': 891244, 'week online auction': 976689, 'online auction will': 607907, 'auction will benefit': 102872, 'will benefit covid': 992820, 'benefit covid 19': 126951, 'all hopefully': 43146, 'hopefully benefit': 403845, 'from after': 334411, '19 increased': 7812, 'increased value': 433532, 'value placed': 952178, 'home option': 401730, 'option that': 614101, 'benefit people': 127062, 'disability illness': 243830, 'term more': 838203, 'online learning': 608471, 'more business': 538736, 'service accessible': 752029, 'accessible supermarket': 28343, 'supermarket service': 822389, 'thing we will': 884970, 'will all hopefully': 992234, 'all hopefully benefit': 43147, 'hopefully benefit from': 403846, 'benefit from after': 126978, 'from after covid': 334412, 'covid 19 increased': 213257, '19 increased value': 7813, 'increased value placed': 433533, 'value placed on': 952179, 'placed on work': 657906, 'on work from': 605366, 'from home option': 335890, 'home option that': 401731, 'option that will': 614104, 'that will benefit': 847558, 'will benefit people': 992823, 'benefit people with': 127065, 'with disability illness': 998060, 'disability illness and': 243831, 'illness and family': 416344, 'and family in': 62665, 'family in the': 297926, 'long term more': 501698, 'term more online': 838204, 'more online learning': 539942, 'online learning more': 608474, 'learning more business': 484220, 'more business offering': 538737, 'business offering delivery': 144128, 'delivery service accessible': 234422, 'service accessible supermarket': 752030, 'accessible supermarket service': 28344, 'since sanitizer': 770811, 'shop believed': 759984, 'can alcohol': 157417, 'base can': 111440, 'develop medication': 239651, 'human just': 410536, 'just wild': 470303, 'wild out': 992070, 'box idea': 137086, 'idea india': 413092, 'india looking': 434512, 'looking upto': 503062, 'upto you': 947936, 'for solution': 325722, 'solution we': 782122, 'sent medicine': 750779, 'medicine for': 526784, 'since sanitizer and': 770812, 'sanitizer and shop': 734433, 'and shop believed': 71493, 'shop believed to': 759985, 'believed to destroy': 126440, 'to destroy the': 904219, 'destroy the can': 239035, 'the can alcohol': 850307, 'can alcohol base': 157418, 'alcohol base can': 40923, 'base can be': 111441, 'used to develop': 950048, 'to develop medication': 904249, 'develop medication and': 239652, 'medication and vaccine': 526629, 'and vaccine for': 74832, 'vaccine for human': 951703, 'for human just': 322440, 'human just wild': 410537, 'just wild out': 470304, 'wild out of': 992071, 'out of box': 626688, 'of box idea': 580815, 'box idea india': 137087, 'idea india looking': 413093, 'india looking upto': 434513, 'looking upto you': 503063, 'upto you guy': 947937, 'you guy for': 1018960, 'guy for solution': 368995, 'for solution we': 325725, 'solution we have': 782124, 'we have sent': 971934, 'have sent medicine': 382468, 'sent medicine for': 750780, 'prepare food': 670062, 'on since': 603472, 'grab anything': 361462, 'how am going': 407343, 'going to prepare': 355674, 'to prepare food': 911999, 'prepare food from': 670063, 'food from now': 314609, 'now on since': 575433, 'on since you': 603474, 'since you all': 771014, 'you all want': 1016921, 'want to grab': 966043, 'to grab anything': 906958, 'grab anything and': 361463, 'anything and everything': 80682, 'and everything from': 62420, 'everything from the': 287807, 'busine': 143192, 'aston well': 97229, 'small busine': 774830, 'aston well fargo': 97230, 'lending small busine': 486294, 'sa and': 728865, 'tourism are': 926967, 'are hosting': 87244, 'hosting free': 404960, 'free webinar': 332312, 'webinar discussion': 975032, 'discussion tomorrow': 245051, 'tomorrow afternoon': 924009, 'afternoon on': 36701, 'insurance follow': 440730, 'register if': 707578, 'to attend': 900816, 'sa and tourism': 728868, 'and tourism are': 74317, 'tourism are hosting': 926968, 'are hosting free': 87245, 'hosting free webinar': 404961, 'free webinar discussion': 332314, 'webinar discussion tomorrow': 975033, 'discussion tomorrow afternoon': 245052, 'tomorrow afternoon on': 924010, 'afternoon on consumer': 36702, 'protection law and': 685506, 'law and travel': 482215, 'and travel insurance': 74411, 'travel insurance follow': 930404, 'insurance follow the': 440731, 'link to register': 493941, 'to register if': 913103, 'register if you': 707579, 'like to attend': 491576, 'traditionally': 929027, 'dutch traditionally': 263522, 'traditionally bond': 929030, 'bond specifically': 134259, 'specifically treasury': 788294, 'treasury bond': 930781, 'bond are': 134229, 'safest investment': 730426, 'investment during': 443983, 'during recession': 262965, 'of gold': 584198, 'gold bitcoin': 355865, 'even bond': 283898, 'bond fell': 134245, 'fell only': 303221, 'only asset': 610121, 'asset with': 96489, 'with value': 1001951, 'value is': 952137, 'dutch traditionally bond': 263523, 'traditionally bond specifically': 929031, 'bond specifically treasury': 134260, 'specifically treasury bond': 788295, 'treasury bond are': 930782, 'bond are the': 134230, 'are the safest': 90901, 'the safest investment': 866141, 'safest investment during': 730427, 'investment during recession': 443984, 'during recession in': 262966, 'recession in this': 704299, '19 crisis price': 6304, 'crisis price of': 217903, 'price of gold': 675462, 'of gold bitcoin': 584199, 'gold bitcoin and': 355866, 'bitcoin and even': 131799, 'and even bond': 62333, 'even bond fell': 283899, 'bond fell only': 134246, 'fell only asset': 303222, 'only asset with': 610122, 'asset with value': 96490, 'with value is': 1001952, 'value is the': 952139, 'is the dollar': 452774, 'county the': 211505, 'neighboring county': 557171, 'my adult': 547231, 'adult kid': 32834, 'kid live': 474039, 'state just': 795716, 'assume this': 97028, 'is everywhere': 447597, 'everywhere and': 288171, 'touch ve': 926569, 've only': 953416, 'gas pump': 344070, 'pump in': 689058, 'it now in': 459952, 'now in my': 575008, 'in my county': 425558, 'my county the': 547828, 'county the neighboring': 211508, 'the neighboring county': 861437, 'neighboring county the': 557173, 'county the county': 211506, 'the county where': 852200, 'county where my': 211531, 'where my adult': 985038, 'my adult kid': 547232, 'adult kid live': 32835, 'kid live in': 474040, 'live in two': 495893, 'in two other': 430358, 'two other state': 937112, 'other state just': 620965, 'state just assume': 795717, 'just assume this': 468240, 'assume this virus': 97029, 'virus is everywhere': 958372, 'is everywhere and': 447598, 'everywhere and on': 288173, 'and on everything': 68058, 'on everything you': 600653, 'everything you touch': 288140, 'you touch ve': 1021902, 'touch ve only': 926570, 've only been': 953417, 'only been to': 610166, 'and gas pump': 63486, 'gas pump in': 344075, 'pump in the': 689059, 'no known': 564570, 'known cure': 477208, 'safe maintain': 729809, 'maintain basic': 508942, 'hygiene follow': 412093, 'follow medical': 312465, 'medical instruction': 526219, 'instruction no': 440563, 'no shaking': 565472, 'shaking of': 754467, 'hand maintain': 375078, 'distancing wash': 247609, 'sanitizer powered': 735566, 'ha no known': 371344, 'no known cure': 564571, 'known cure for': 477209, 'cure for now': 220743, 'for now please': 323979, 'now please do': 575547, 'not panic stay': 570936, 'panic stay safe': 638625, 'stay safe maintain': 797251, 'safe maintain basic': 729810, 'maintain basic hygiene': 508943, 'basic hygiene follow': 111939, 'hygiene follow medical': 412094, 'follow medical instruction': 312466, 'medical instruction no': 526220, 'instruction no shaking': 440564, 'no shaking of': 565473, 'shaking of hand': 754468, 'of hand maintain': 584427, 'hand maintain social': 375079, 'social distancing wash': 779760, 'distancing wash your': 247611, 'hand sanitizer powered': 375540, 'sanitizer powered by': 735567, 'person 19': 652287, 'each person 19': 264247, 'add that': 31497, 'more hygienic': 539463, 'hygienic than': 412235, 'constantly cleaned': 195652, 'cleaned unlike': 180726, 'unlike shopping': 942720, 'trolley love': 932442, 'seeing sample': 746453, 'germ from': 346116, 'trolley there': 932483, 'pub only': 687739, 'only card': 610218, 'card covid19uk': 163495, 'to add that': 900068, 'add that it': 31498, 'it is much': 459015, 'much more hygienic': 545111, 'more hygienic than': 539464, 'hygienic than supermarket': 412236, 'than supermarket it': 841187, 'supermarket it is': 821171, 'it is constantly': 458915, 'is constantly cleaned': 446776, 'constantly cleaned unlike': 195653, 'cleaned unlike shopping': 180727, 'unlike shopping trolley': 942721, 'shopping trolley love': 764265, 'trolley love seeing': 932443, 'love seeing sample': 504773, 'seeing sample of': 746454, 'sample of germ': 733474, 'of germ from': 584096, 'germ from the': 346117, 'from the handle': 337736, 'of trolley there': 592460, 'trolley there is': 932485, 'is no cash': 449915, 'no cash in': 563773, 'cash in the': 166257, 'in the pub': 429487, 'the pub only': 864773, 'pub only card': 687740, 'only card covid19uk': 610219, 'ravitz': 697947, 'steve ravitz': 799952, 'ravitz the': 697948, 'jersey ha': 465211, 'passed away': 643249, 'away due': 105824, 'novel according': 573740, 'to facebook': 905581, 'facebook post': 294987, 'steve ravitz the': 799953, 'ravitz the president': 697949, 'president of grocery': 670866, 'chain in new': 170810, 'new jersey ha': 558974, 'jersey ha passed': 465212, 'ha passed away': 371474, 'passed away due': 643250, 'away due to': 105825, 'the novel according': 861905, 'novel according to': 573741, 'according to facebook': 28540, 'to facebook post': 905583, 'facebook post by': 294988, 'post by family': 666030, 'by family member': 152545, 'with fraud': 998530, 'deal with fraud': 229552, 'with fraud and': 998531, 'fraud and customer': 331229, 'and customer friction': 60841, 'shade': 754325, 'america april': 51461, 'april factbox': 83582, 'price rally': 676070, 'rally response': 696282, 'response could': 715667, 'could limit': 209384, 'limit demand': 492328, 'demand upside': 236429, 'upside from': 947857, 'from fuel': 335587, 'fuel switching': 340291, 'switching podcast': 830568, 'podcast shade': 662306, 'shade of': 754328, 'past for': 643544, 'america april factbox': 51462, 'april factbox price': 83583, 'factbox price rally': 295856, 'price rally response': 676072, 'rally response could': 696283, 'response could limit': 715668, 'could limit demand': 209385, 'limit demand upside': 492329, 'demand upside from': 236430, 'upside from fuel': 947858, 'from fuel switching': 335588, 'fuel switching podcast': 340292, 'switching podcast shade': 830569, 'podcast shade of': 662307, 'shade of the': 754329, 'of the past': 591324, 'the past for': 863355, 'community stay': 190119, 'it foot': 458061, 'it feeling': 457979, 'feeling this': 303086, 'this admiration': 886208, 'admiration towards': 32566, 'towards doctor': 927183, 'nurse bank': 577215, 'teller supermarket': 837171, 'cashier neighbor': 166570, 'neighbor it': 557045, 'and begin': 58828, 'spread gratitude': 790546, 'gratitude and': 362356, 'feel this need': 302902, 'to help my': 907569, 'help my community': 390121, 'my community stay': 547768, 'community stay on': 190120, 'stay on it': 797144, 'on it foot': 601661, 'it foot it': 458062, 'foot it feeling': 318399, 'it feeling this': 457980, 'feeling this admiration': 303087, 'this admiration towards': 886209, 'admiration towards doctor': 32567, 'towards doctor nurse': 927184, 'doctor nurse bank': 251001, 'nurse bank teller': 577216, 'bank teller supermarket': 110230, 'teller supermarket cashier': 837172, 'supermarket cashier neighbor': 819562, 'cashier neighbor it': 166571, 'neighbor it time': 557046, 'it time we': 461702, 'time we stop': 898237, 'we stop the': 973428, 'of and begin': 580143, 'and begin to': 58830, 'begin to spread': 123594, 'to spread gratitude': 915065, 'spread gratitude and': 790547, 'gratitude and love': 362358, '19 retailer': 10211, 'on sanitation': 603284, 'sanitation product': 733857, 'in hot': 423830, 'covid 19 retailer': 213709, '19 retailer hiking': 10212, 'hiking price on': 396403, 'price on sanitation': 675713, 'on sanitation product': 603285, 'sanitation product in': 733859, 'product in hot': 681288, 'in hot water': 423832, 'more due': 539085, 'crisis earn': 217325, 'earn extra': 264785, 'these cashback': 879723, 'cashback some': 166404, 'retailer provide': 719282, 'provide larger': 686373, 'larger percentage': 479901, 'percentage back': 651196, 'back compared': 106931, 'others bonus': 621309, 'bonus feature': 134367, 'feature is': 301552, 'to stake': 915147, 'stake coupon': 793302, 'coupon code': 211757, 'code for': 185361, 'for even': 321149, 'bigger saving': 130168, 'online more due': 608556, 'more due to': 539086, '19 crisis earn': 6240, 'crisis earn extra': 217326, 'earn extra money': 264786, 'extra money by': 293579, 'money by using': 536655, 'by using these': 154651, 'using these cashback': 950744, 'these cashback some': 879724, 'cashback some online': 166405, 'some online retailer': 783443, 'online retailer provide': 608885, 'retailer provide larger': 719283, 'provide larger percentage': 686374, 'larger percentage back': 479902, 'percentage back compared': 651197, 'back compared to': 106932, 'compared to others': 191434, 'to others bonus': 911131, 'others bonus feature': 621310, 'bonus feature is': 134368, 'feature is being': 301553, 'is being able': 446062, 'able to stake': 24549, 'to stake coupon': 915148, 'stake coupon code': 793303, 'coupon code for': 211758, 'code for even': 185363, 'for even bigger': 321151, 'even bigger saving': 283893, 'update fca': 946950, 'fca proposal': 300734, 'proposal on': 684467, 'temporary financial': 837622, 'credit customer': 216369, 'customer affected': 222029, '19 update fca': 11662, 'update fca proposal': 946951, 'fca proposal on': 300735, 'proposal on temporary': 684468, 'on temporary financial': 603900, 'temporary financial relief': 837623, 'financial relief for': 306553, 'relief for consumer': 709339, 'for consumer credit': 320247, 'consumer credit customer': 197017, 'credit customer affected': 216370, 'customer affected by': 222030, 'it pathetic': 460279, 'like winning': 491823, 'lottery when': 504470, 'just they': 470031, 'paper spring': 640818, 'spring water': 791251, 'it pathetic that': 460280, 'pathetic that it': 644063, 'that it feel': 844707, 'feel like winning': 302764, 'like winning the': 491824, 'winning the lottery': 996088, 'the lottery when': 859756, 'lottery when you': 504471, 'store just they': 808627, 'just they are': 470032, 'they are restocking': 881389, 'are restocking the': 89650, 'shelf with toilet': 757822, 'toilet paper spring': 921463, 'paper spring water': 640819, 'spring water or': 791254, 'water or hand': 969097, 'tell me the': 837022, 'me the wine': 523666, 'wine store is': 995907, 'store is considered': 808478, 'is considered essential': 446748, 'considered essential retail': 195291, 'littleproudmp writes': 495679, 'writes in': 1012844, 'in understand': 430420, 'but those': 147564, 'those fighting': 892001, 'disease from': 245148, 'action than': 30145, 'we ever': 971484, 'ever are': 285200, 'are from': 86690, 'from running': 337135, 'littleproudmp writes in': 495680, 'writes in understand': 1012846, 'in understand that': 430421, 'understand that people': 940730, 'worried about covid': 1010483, '19 but those': 5538, 'but those fighting': 147565, 'those fighting in': 892002, 'aisle are more': 40208, 'are more at': 88108, 'catching the disease': 167115, 'the disease from': 853364, 'disease from their': 245149, 'from their action': 337933, 'their action than': 872461, 'action than we': 30146, 'than we ever': 841429, 'we ever are': 971485, 'ever are from': 285201, 'are from running': 86693, 'from running out': 337136, 'sour': 786432, 'chive': 177568, 'frickin': 333163, 'fwps': 342583, 'have sour': 382665, 'sour cream': 786433, 'cream in': 215555, 'in squeeze': 428216, 'squeeze bottle': 791530, 'bottle they': 136334, 'had regular': 373452, 'regular light': 707804, 'light and': 489510, 'and chive': 59866, 'chive but': 177569, 'no frickin': 564305, 'frickin squeeze': 333164, 'bottle fwps': 136227, 'store they didn': 810668, 'didn have sour': 241099, 'have sour cream': 382666, 'sour cream in': 786434, 'cream in squeeze': 215556, 'in squeeze bottle': 428217, 'squeeze bottle they': 791532, 'bottle they had': 136335, 'they had regular': 882258, 'had regular light': 373453, 'regular light and': 707805, 'light and chive': 489511, 'and chive but': 59867, 'chive but no': 177570, 'but no frickin': 146485, 'no frickin squeeze': 564306, 'frickin squeeze bottle': 333165, 'squeeze bottle fwps': 791531, 'amy': 54987, 'davis': 227023, 'expert amy': 291767, 'amy davis': 54988, 'davis tell': 227026, 'those service': 892448, 'consumer expert amy': 197420, 'expert amy davis': 291768, 'amy davis tell': 54989, 'davis tell you': 227027, 'you what you': 1022274, 'to do to': 904573, 'do to make': 250392, 'sure you are': 827848, 'are not paying': 88433, 'not paying for': 570988, 'paying for those': 645419, 'for those service': 327137, 'those service that': 892450, 'service that you': 752927, 'brin': 139908, 'now than': 575982, 'we supportlocal': 973458, 'supportlocal during': 827258, 'during tough': 263362, 'uncertainty that': 939768, 'it brin': 456920, 'it more important': 459670, 'important now than': 418908, 'now than ever': 575984, 'ever that we': 285538, 'that we supportlocal': 847397, 'we supportlocal during': 973459, 'supportlocal during tough': 827260, 'during tough time': 263363, 'tough time we': 926868, 'time we want': 898242, 'we want all': 973742, 'want all of': 965695, 'of our local': 587501, 'our local friend': 623773, 'local friend and': 497996, 'friend and business': 333495, 'and business to': 59304, 'business to survive': 144560, 'survive through the': 829277, 'through the and': 894717, 'the and the': 848724, 'the uncertainty that': 870344, 'uncertainty that it': 939769, 'that it brin': 844697, 'sodding': 781427, 'hubby went': 409878, 'wasn too': 968037, 'busy but': 144875, 'no small': 565527, 'small tin': 775154, 'of tomato': 592299, 'tomato no': 923956, 'no bean': 563675, 'bean he': 118328, 'aisle but': 40222, 'but suspect': 147243, 'suspect there': 829499, 'were shortage': 980115, 'shortage elsewhere': 764924, 'elsewhere too': 272033, 'too people': 924991, 'get sodding': 348033, 'sodding grip': 781428, 'grip it': 364019, 'hubby went to': 409879, 'morning it wasn': 541323, 'it wasn too': 462262, 'wasn too busy': 968038, 'too busy but': 924623, 'busy but there': 144879, 'wa no milk': 962728, 'milk no small': 531745, 'no small tin': 565528, 'small tin of': 775155, 'tin of tomato': 898554, 'of tomato no': 592300, 'tomato no bean': 923957, 'no bean he': 563676, 'bean he didn': 118329, 'he didn go': 384880, 'didn go to': 241079, 'go to every': 354306, 'to every aisle': 905299, 'every aisle but': 285659, 'aisle but suspect': 40224, 'but suspect there': 147245, 'suspect there were': 829501, 'there were shortage': 879332, 'were shortage elsewhere': 980116, 'shortage elsewhere too': 764925, 'elsewhere too people': 272034, 'too people still': 924992, 'need to get': 555950, 'to get sodding': 906593, 'get sodding grip': 348034, 'sodding grip it': 781429, 'grip it isn': 364020, 'it isn just': 459148, 'just about them': 468138, 'diagnostics': 240270, 'coronavirus world': 207103, 'world how': 1009641, 'tech is': 836112, 'is influencing': 448912, 'influencing which': 437362, 'which new': 986173, 'new habit': 558839, 'will stick': 994970, 'stick technology': 800050, 'tech diagnostics': 836073, 'diagnostics shopping': 240275, 'shopping ecommerce': 762555, 'ecommerce consumer': 266738, 'consumer telecommute': 199243, 'telecommute innovation': 836708, 'our post coronavirus': 624402, 'post coronavirus world': 666070, 'coronavirus world how': 207106, 'world how tech': 1009644, 'how tech is': 408780, 'tech is influencing': 836113, 'is influencing which': 448915, 'influencing which new': 437363, 'which new habit': 986174, 'new habit will': 558843, 'habit will stick': 372715, 'will stick technology': 994973, 'stick technology tech': 800051, 'technology tech diagnostics': 836382, 'tech diagnostics shopping': 836074, 'diagnostics shopping ecommerce': 240276, 'shopping ecommerce consumer': 762556, 'ecommerce consumer telecommute': 266742, 'consumer telecommute innovation': 199244, 'hospitalised': 404749, 'surely end': 827901, 'soon all': 785616, 'been hanging': 121255, 'queue will': 694136, 'isolating or': 455132, 'or hospitalised': 615677, 'hospitalised 19': 404750, 'buying will surely': 151372, 'will surely end': 995037, 'surely end soon': 827902, 'end soon all': 275959, 'soon all people': 785618, 'all people who': 43944, 'have been hanging': 379566, 'been hanging around': 121256, 'hanging around in': 376961, 'around in supermarket': 93349, 'supermarket queue will': 822141, 'queue will now': 694139, 'now be infected': 574200, 'infected and will': 436535, 'and will soon': 75693, 'soon be self': 785646, 'be self isolating': 117050, 'self isolating or': 747734, 'isolating or hospitalised': 455133, 'or hospitalised 19': 615678, 'fave': 300448, 'exaggeration': 288782, 'joe to': 466446, 'some salad': 783792, 'salad since': 731922, 'since working': 771001, 'week all': 975876, 'my fave': 548261, 'fave salad': 300449, 'salad were': 731926, 'food section': 316324, 'section the': 744045, 'entire aisle': 278644, 'no exaggeration': 564149, 'exaggeration except': 288783, 'the dessert': 853199, 'dessert traderjoes': 238949, 'dropped by trader': 260555, 'by trader joe': 154585, 'trader joe to': 928721, 'joe to pick': 466447, 'up some salad': 946037, 'some salad since': 783793, 'salad since working': 731923, 'since working from': 771002, 'from home this': 335914, 'home this week': 402290, 'this week all': 891184, 'week all of': 975877, 'of my fave': 586763, 'my fave salad': 548262, 'fave salad were': 300450, 'salad were in': 731927, 'were in stock': 979781, 'stock but when': 801951, 'but when went': 147828, 'when went down': 984485, 'went down the': 978989, 'down the frozen': 257278, 'frozen food section': 338978, 'food section the': 316326, 'section the entire': 744046, 'the entire aisle': 854347, 'entire aisle wa': 278645, 'completely empty no': 192280, 'empty no exaggeration': 274961, 'no exaggeration except': 564150, 'exaggeration except for': 288784, 'for the dessert': 326382, 'the dessert traderjoes': 853200, 'eww': 288614, 'way watch': 970158, 'watch tv': 968597, 'tv seeing': 936185, 'supermarket hugging': 820819, 'and kissing': 65862, 'kissing concert': 475471, 'concert movie': 193271, 'theater eww': 872250, 'eww quarentinelife': 288617, 'covid19 ha changed': 214306, 'the way watch': 871205, 'way watch tv': 970159, 'watch tv seeing': 968598, 'tv seeing people': 936186, 'seeing people shopping': 746413, 'in supermarket hugging': 428616, 'supermarket hugging and': 820820, 'hugging and kissing': 410287, 'and kissing concert': 65863, 'kissing concert movie': 475472, 'concert movie theater': 193272, 'movie theater eww': 544076, 'theater eww quarentinelife': 872251, 'hypochondriac': 412391, 'cost is': 207987, 'gps income': 361439, 'income like': 432398, 'doctor they': 251132, 'little stuff': 495592, 'that waste': 847336, 'waste time': 968205, 'money that': 537057, 'that dropped': 843636, 'the hypochondriac': 857795, 'hypochondriac do': 412392, 'covid gps': 214163, 'gps warn': 361443, 'of hidden': 584605, 'hidden medical': 394820, 'medical cost': 526117, 'think the cost': 885627, 'the cost is': 851985, 'cost is to': 207989, 'is to gps': 453208, 'to gps income': 906953, 'gps income like': 361440, 'income like all': 432399, 'like all people': 489747, 'all people need': 43941, 'need to see': 556061, 'see doctor they': 745055, 'doctor they will': 251133, 'they will it': 883858, 'will it all': 993860, 'it all the': 456377, 'all the little': 44810, 'the little stuff': 859495, 'little stuff that': 495593, 'stuff that waste': 815199, 'that waste time': 847337, 'waste time and': 968206, 'time and money': 896281, 'and money that': 67114, 'money that dropped': 537058, 'that dropped off': 843637, 'dropped off the': 260609, 'off the hypochondriac': 594248, 'the hypochondriac do': 857796, 'hypochondriac do not': 412393, 'get covid gps': 346827, 'covid gps warn': 214164, 'gps warn of': 361444, 'warn of hidden': 966944, 'of hidden medical': 584606, 'hidden medical cost': 394821, 'medical cost of': 526118, 'cost of coronavirus': 208040, 'petty': 653885, 'zitapewa': 1027643, 'matajiri': 520262, 'watu': 969335, 'wanajua': 965543, 'ulafi': 939084, 'to corruption': 903588, 'corruption petty': 207700, 'petty politics': 653887, 'politics if': 663788, 'you wanna': 1022116, 'wanna give': 965634, 'give walk': 350827, 'supermarket buy': 819466, 'good go': 357125, 'go give': 353616, 'one family': 606279, 'your estate': 1023692, 'estate who': 282200, 'are starving': 90359, 'starving or': 795262, 'in slum': 428006, 'slum trust': 774667, 'trust me': 934290, 'me donation': 522678, 'donation zitapewa': 254738, 'zitapewa matajiri': 1027644, 'matajiri na': 520263, 'na watu': 551325, 'watu politician': 969336, 'politician wanajua': 663756, 'wanajua ulafi': 965544, 'ulafi stayhome': 939085, 'donation will lead': 254734, 'lead to corruption': 483334, 'to corruption petty': 903589, 'corruption petty politics': 207701, 'petty politics if': 653888, 'politics if you': 663789, 'if you wanna': 415554, 'you wanna give': 1022120, 'wanna give walk': 965636, 'give walk into': 350828, 'into supermarket buy': 443038, 'supermarket buy good': 819469, 'buy good go': 148743, 'good go give': 357126, 'go give to': 353617, 'give to one': 350794, 'to one family': 910913, 'one family in': 606280, 'in your estate': 431076, 'your estate who': 1023693, 'estate who are': 282201, 'who are starving': 988223, 'are starving or': 90361, 'starving or in': 795263, 'or in slum': 615760, 'in slum trust': 428008, 'slum trust me': 774668, 'trust me donation': 934291, 'me donation zitapewa': 522679, 'donation zitapewa matajiri': 254739, 'zitapewa matajiri na': 1027645, 'matajiri na watu': 520264, 'na watu politician': 551326, 'watu politician wanajua': 969337, 'politician wanajua ulafi': 663757, 'wanajua ulafi stayhome': 965545, 'living across': 496313, 'saw delivery': 738090, 'truck parked': 932836, 'parked outside': 642043, 'outside so': 629549, 'husband popped': 411750, 'had egg': 373065, 'and success': 72647, 'success grocerystores': 816200, 'advantage to living': 33072, 'to living across': 909361, 'living across the': 496314, 'street from grocery': 812975, 'store we saw': 811179, 'we saw delivery': 973133, 'saw delivery truck': 738091, 'delivery truck parked': 234698, 'truck parked outside': 932837, 'parked outside so': 642044, 'outside so my': 629551, 'so my husband': 777839, 'my husband popped': 548790, 'husband popped in': 411751, 'popped in to': 664499, 'in to see': 430136, 'they had egg': 882244, 'had egg and': 373066, 'egg and success': 269769, 'and success grocerystores': 72650, 'surprised that': 828606, 'nobody made': 566036, 'made connection': 507697, 'connection between': 194695, 'between pizza': 128858, '19 italy': 8165, 'biggest pizza': 130288, 'pizza consumer': 657155, 'consumer then': 199272, 'then come': 877076, 'come new': 187416, 'york the': 1016673, 'key thing': 473420, 'dairy from': 224990, 'the cheese': 850788, 'surprised that nobody': 828607, 'that nobody made': 845370, 'nobody made connection': 566037, 'made connection between': 507698, 'connection between pizza': 194697, 'between pizza and': 128859, 'pizza and coronavirus': 657147, 'and coronavirus covid': 60571, 'covid 19 italy': 213299, '19 italy is': 8168, 'italy is the': 462862, 'the biggest pizza': 849668, 'biggest pizza consumer': 130289, 'pizza consumer then': 657156, 'consumer then come': 199273, 'then come new': 877078, 'come new york': 187417, 'new york the': 559952, 'york the key': 1016675, 'the key thing': 858765, 'key thing is': 473421, 'thing is the': 884484, 'is the dairy': 452763, 'the dairy from': 852793, 'dairy from the': 224991, 'from the cheese': 337638, 'sell bogus': 748649, 'bogus product': 134031, 'text social': 839942, 'cybercriminals are using': 223972, 'using the uncertainty': 950719, 'to sell bogus': 914144, 'sell bogus product': 748651, 'bogus product or': 134033, 'email text social': 272326, 'text social medium': 839943, 'post to take': 666376, 'to take your': 916262, 'take your money': 832822, 'someone stockpiling': 784671, 'stockpiling food': 803957, 'asshole this': 96570, 'stockpiling stophoarding': 804078, 'know someone stockpiling': 476730, 'someone stockpiling food': 784672, 'stockpiling food tell': 803965, 'they are greedy': 881290, 'are greedy selfish': 86962, 'greedy selfish asshole': 363590, 'selfish asshole this': 748011, 'asshole this ha': 96571, 'stop now stockpiling': 804858, 'now stockpiling stophoarding': 575911, 'stockpiling stophoarding stoppanicbuying': 804080, 'national lockdown': 552554, 'lockdown start': 499946, 'start tomorrow': 794607, 'buy supermarket': 149257, 'be packed': 116325, 'packed which': 633661, 'you contracting': 1018036, 'you most': 1019892, 'week store': 976935, 'reopen soon': 711364, 'soon stay': 785828, 'calm stay': 156804, 'national lockdown start': 552559, 'lockdown start tomorrow': 499947, 'start tomorrow don': 794608, 'tomorrow don go': 924069, 'don go and': 253561, 'go and panic': 353284, 'panic buy supermarket': 637534, 'buy supermarket will': 149258, 'will be packed': 992596, 'be packed which': 116327, 'packed which will': 633662, 'which will increase': 986492, 'will increase the': 993828, 'increase the chance': 433102, 'chance of you': 171776, 'of you contracting': 593376, 'you contracting covid': 1018037, '19 you most': 12272, 'you most likely': 1019893, 'most likely have': 542483, 'likely have enough': 492013, 'food to last': 317267, 'you week store': 1022225, 'week store will': 976936, 'store will reopen': 811342, 'will reopen soon': 994653, 'reopen soon stay': 711365, 'soon stay calm': 785829, 'stay calm stay': 796816, 'calm stay home': 156805, 'how australian': 407430, 'australian can': 103452, 'business business': 143458, 'coronavirus how australian': 206097, 'how australian can': 407431, 'australian can support': 103453, 'can support local': 159858, 'local business business': 497754, 'free instead': 331922, 'instead especially': 440174, 'here buying': 392843, 'food sanitation': 316291, 'sanitation supply': 733862, 'while and': 986604, 'soaring up': 779347, 'too quick': 925020, 'quick in': 694319, 'this ma': 888729, 'for the test': 326723, 'test on covid': 839108, '19 they should': 11316, 'they should make': 883375, 'should make it': 766208, 'make it free': 510034, 'it free instead': 458131, 'free instead especially': 331923, 'instead especially during': 440175, 'especially during pandemic': 280462, 'during pandemic everyone': 262867, 'pandemic everyone is': 635399, 'everyone is out': 287094, 'is out here': 450661, 'out here buying': 626274, 'here buying food': 392844, 'buying food sanitation': 150329, 'food sanitation supply': 316292, 'sanitation supply and': 733863, 'supply and etc': 824718, 'and etc to': 62286, 'etc to stay': 282839, 'for while and': 327837, 'while and the': 986605, 'are soaring up': 90234, 'soaring up too': 779348, 'up too quick': 946472, 'too quick in': 925021, 'quick in addition': 694320, 'addition to all': 31731, 'all this ma': 45115, 'tyler': 937502, 'perry': 652239, 'actor tyler': 30601, 'tyler perry': 937503, 'perry surprised': 652240, 'surprised shopper': 828603, 'shopper wednesday': 761814, 'wednesday at': 975620, 'chain when': 171229, 'he bought': 384792, 'bought their': 136745, 'them amid': 875365, 'actor tyler perry': 30602, 'tyler perry surprised': 937504, 'perry surprised shopper': 652241, 'surprised shopper wednesday': 828605, 'shopper wednesday at': 761815, 'wednesday at two': 975622, 'at two grocery': 101376, 'store chain when': 806939, 'chain when he': 171230, 'when he bought': 983528, 'he bought their': 384793, 'bought their grocery': 136746, 'their grocery for': 873447, 'grocery for them': 364532, 'for them amid': 326891, 'them amid the': 875366, 'up video': 946528, 'video conference': 956681, 'discus current': 244843, 'issue reminder': 455912, 'reminder you': 710617, 'always report': 49720, 'report consumer': 711881, 'issue including': 455805, 'including fraud': 431973, 'fraud scam': 331338, 'you to and': 1021750, 'to and his': 900507, 'and his staff': 64612, 'his staff for': 397813, 'staff for working': 792469, 'for working with': 327959, 'working with me': 1009061, 'with me to': 999455, 'me to set': 523779, 'set up video': 753585, 'up video conference': 946529, 'video conference call': 956682, 'conference call today': 193729, 'today to discus': 920353, 'to discus current': 904373, 'discus current covid': 244844, '19 issue reminder': 8118, 'issue reminder you': 455913, 'reminder you can': 710618, 'can always report': 157483, 'always report consumer': 49722, 'report consumer issue': 711883, 'consumer issue including': 197950, 'issue including fraud': 455806, 'including fraud scam': 431974, 'fraud scam and': 331340, 'gouging to and': 359477, 'nhk': 562202, 'nhk news': 562203, 'reschedule': 713570, 'numerous complaint': 577126, 'complaint regarding': 192019, 'regarding forcing': 707213, 'of booked': 580777, 'booked holiday': 134666, 'holiday during': 400286, 'have inflated': 381078, 'price customer': 673371, 'cannot reschedule': 162060, 'reschedule have': 713575, 'money despite': 536696, 'despite buying': 238686, 'please help with': 660091, 'with the numerous': 1001406, 'the numerous complaint': 861971, 'numerous complaint regarding': 577128, 'complaint regarding forcing': 192020, 'regarding forcing people': 707214, 'forcing people to': 328724, 'people to amend': 649876, 'amend the date': 51398, 'the date of': 852859, 'date of booked': 226692, 'of booked holiday': 580778, 'booked holiday during': 134667, 'holiday during covid': 400288, 'crisis and have': 217027, 'and have inflated': 64250, 'have inflated price': 381079, 'inflated price customer': 437036, 'price customer who': 673373, 'customer who cannot': 223077, 'who cannot reschedule': 988429, 'cannot reschedule have': 162061, 'reschedule have lost': 713576, 'lost their money': 503930, 'their money despite': 873997, 'money despite buying': 536697, 'the unemployment': 870375, 'article to': 94483, 'see new': 745479, 'new update': 559807, 'the unemployment rate': 870376, 'unemployment rate is': 941273, 'rate is rising': 697277, 'is rising gas': 451554, 'are dropping and': 86007, 'dropping and more': 260669, 'and more check': 67157, 'more check out': 538806, 'our article to': 622122, 'article to see': 94488, 'to see new': 914049, 'see new update': 745481, 'wait the': 964198, 'guess once': 368018, 'economy tank': 268252, 'just wait the': 470194, 'wait the price': 964199, 'will be harder': 992489, 'harder to guess': 378195, 'to guess once': 907067, 'guess once the': 368019, 'once the economy': 605723, 'the economy tank': 854023, 'favorite supermarket': 300558, 'supermarket taking': 823130, 'these necessary': 880333, 'guideline set': 368468, 'and beat': 58785, 'your favorite supermarket': 1023834, 'favorite supermarket taking': 300559, 'supermarket taking all': 823131, 'taking all these': 833268, 'all these necessary': 45042, 'these necessary precaution': 880334, 'necessary precaution to': 554048, 'precaution to keep': 669383, 'you and it': 1016994, 'and it employee': 65520, 'it employee safe': 457805, 'safe we all': 730113, 'step up and': 799683, 'up and follow': 944323, 'and follow the': 63015, 'follow the guideline': 312528, 'the guideline set': 856931, 'guideline set by': 368469, 'by the in': 154356, 'the in order': 858010, 'order to flatten': 618681, 'curve and beat': 221832, 'group today': 366938, 'today called': 919354, 'congress to': 194537, 'include provision': 431614, 'any airline': 78909, 'industry bailout': 435679, 'bailout that': 108662, 'that address': 842499, 'address both': 31953, 'on passenger': 602705, 'passenger well': 643357, 'well long': 978377, 'standing consumer': 793759, 'protection concern': 685385, 'coalition of consumer': 185082, 'consumer group today': 197667, 'group today called': 366939, 'today called on': 919356, 'on congress to': 600017, 'congress to include': 194541, 'to include provision': 908252, 'include provision in': 431615, 'provision in any': 687270, 'in any airline': 420419, 'any airline industry': 78910, 'airline industry bailout': 39978, 'industry bailout that': 435680, 'bailout that address': 108663, 'that address both': 842500, 'address both the': 31954, 'both the immediate': 136066, 'the immediate impact': 857903, 'immediate impact of': 416997, 'outbreak on passenger': 628497, 'on passenger well': 602706, 'passenger well long': 643358, 'well long standing': 978378, 'long standing consumer': 501651, 'standing consumer protection': 793760, 'consumer protection concern': 198520, 'much but': 544774, 'nh going': 561965, 'teacher care': 835437, 'home worker': 402558, 'cleaner police': 180814, 'firefighter etc': 308215, 'etc clapforourcarers': 282472, 'clapforourcarers saturdaymotivation': 180014, 'know it not': 476539, 'it not much': 459897, 'not much but': 570607, 'much but here': 544775, 'here one way': 393419, 'way to show': 970095, 'show our appreciation': 767083, 'our appreciation for': 622095, 'appreciation for all': 82874, 'for all key': 319143, 'worker nh going': 1007437, 'nh going to': 561966, 'going to include': 355626, 'to include supermarket': 908254, 'staff teacher care': 792920, 'teacher care home': 835438, 'care home worker': 164007, 'home worker cleaner': 402560, 'worker cleaner police': 1006652, 'cleaner police firefighter': 180815, 'police firefighter etc': 663010, 'firefighter etc clapforourcarers': 308216, 'etc clapforourcarers saturdaymotivation': 282473, 'centralised': 169464, 'mask rationing': 519179, 'rationing mask': 697839, 'to citizen': 902768, 'and restricting': 70409, 'restricting price': 717194, 'profiteering verifying': 683102, 'verifying location': 954805, 'location of': 498940, 'all isolated': 43258, 'isolated quarantined': 455020, 'quarantined individual': 692866, 'individual during': 435177, 'during random': 262959, 'random check': 696602, 'check centralised': 174395, 'centralised health': 169467, 'system found': 831175, 'read fascinating': 700333, 'production of mask': 682147, 'of mask rationing': 586275, 'mask rationing mask': 519180, 'rationing mask to': 697840, 'mask to citizen': 519396, 'to citizen and': 902769, 'citizen and restricting': 178839, 'and restricting price': 70410, 'restricting price to': 717195, 'price to stop': 677048, 'stop profiteering verifying': 804945, 'profiteering verifying location': 683103, 'verifying location of': 954806, 'location of all': 498941, 'of all isolated': 579949, 'all isolated quarantined': 43260, 'isolated quarantined individual': 455021, 'quarantined individual during': 692867, 'individual during random': 435179, 'during random check': 262960, 'random check centralised': 696603, 'check centralised health': 174396, 'centralised health system': 169468, 'health system found': 386889, 'system found this': 831176, 'found this read': 330439, 'this read fascinating': 889811, 'wtrg': 1013421, 'kmb': 475951, 'csco': 220035, 'ibm': 412583, 'industry built': 435701, 'for pandemic': 324360, 'pandemic such': 636587, 'industry utility': 436207, 'staple technology': 793995, 'technology company': 836273, 'company ed': 190625, 'ed wtrg': 268469, 'wtrg cost': 1013422, 'cost tgt': 208123, 'tgt wmt': 840041, 'wmt pg': 1003288, 'pg kmb': 653948, 'kmb ul': 475952, 'ul csco': 939080, 'csco ibm': 220036, 'ibm msft': 412584, 'msft dividend': 544512, 'dividend investing': 248626, 'industry built for': 435702, 'built for pandemic': 142181, 'for pandemic such': 324362, 'pandemic such the': 636589, 'such the industry': 816803, 'the industry utility': 858192, 'industry utility consumer': 436208, 'utility consumer supermarket': 951277, 'consumer supermarket store': 199177, 'supermarket store consumer': 823004, 'store consumer staple': 807154, 'consumer staple technology': 199120, 'staple technology company': 793996, 'technology company ed': 836274, 'company ed wtrg': 190626, 'ed wtrg cost': 268470, 'wtrg cost tgt': 1013423, 'cost tgt wmt': 208124, 'tgt wmt pg': 840042, 'wmt pg kmb': 1003289, 'pg kmb ul': 653949, 'kmb ul csco': 475953, 'ul csco ibm': 939081, 'csco ibm msft': 220037, 'ibm msft dividend': 412585, 'msft dividend investing': 544513, 'the rural': 866081, 'rural senator': 728263, 'senator saying': 749786, 'saying there': 739717, 'there going': 878433, 'be negative': 116061, 'and rancher': 69925, 'rancher due': 696537, 'food impacted': 314910, 'are the rural': 90899, 'the rural senator': 866082, 'rural senator saying': 728264, 'senator saying there': 749787, 'saying there going': 739719, 'there going to': 878434, 'to be negative': 901402, 'be negative impact': 116063, 'negative impact on': 556791, 'impact on farmer': 417850, 'on farmer and': 600739, 'farmer and rancher': 299261, 'and rancher due': 69928, 'rancher due to': 696538, 'for food impacted': 321594, 'getthehellawayfromme': 348812, 'wa hard': 962278, 'hard won': 378116, 'won groceryshopping': 1003827, 'socialdistancing getthehellawayfromme': 780379, 'this wa hard': 891069, 'wa hard won': 962280, 'hard won groceryshopping': 378117, 'won groceryshopping socialdistancing': 1003828, 'groceryshopping socialdistancing getthehellawayfromme': 366279, 'exceeds': 289047, 'businessnews': 144774, 'news alberta': 560205, 'alberta inflation': 40797, 'rate exceeds': 697207, 'exceeds the': 289052, 'the canadian': 850319, 'canadian average': 160644, 'average alberta': 104801, 'inflation consumer': 437147, 'price oilprices': 675636, 'oilprices calgary': 597658, 'calgary yyc': 155429, 'yyc edmonton': 1027155, 'edmonton business': 268711, 'business businessnews': 143461, 'latest news alberta': 481449, 'news alberta inflation': 560207, 'alberta inflation rate': 40799, 'inflation rate exceeds': 437224, 'rate exceeds the': 697208, 'exceeds the canadian': 289053, 'the canadian average': 850320, 'canadian average alberta': 160645, 'average alberta inflation': 104802, 'alberta inflation consumer': 40798, 'inflation consumer price': 437148, 'consumer price oilprices': 198426, 'price oilprices calgary': 675637, 'oilprices calgary yyc': 597659, 'calgary yyc edmonton': 155430, 'yyc edmonton business': 1027156, 'edmonton business businessnews': 268712, 'rahul': 695585, 'kansal': 470824, 'extremely engaging': 293875, 'engaging session': 276922, 'on key': 601755, 'key trend': 473453, 'behavior by': 123948, 'by rahul': 153708, 'rahul kansal': 695586, 'kansal and': 470825, 'how indian': 408062, 'being pulled': 125603, 'pulled by': 688910, 'two force': 936934, 'force of': 328463, 'of root': 589159, 'root and': 726011, 'and wing': 75724, 'wing in': 995980, 'of detailed': 582566, 'detailed learning': 239294, 'learning soon': 484239, 'soon at': 785630, 'an extremely engaging': 56028, 'extremely engaging session': 293876, 'engaging session on': 276923, 'session on key': 753298, 'on key trend': 601759, 'key trend in': 473455, 'trend in consumer': 931363, 'consumer behavior by': 196453, 'behavior by rahul': 123950, 'by rahul kansal': 153709, 'rahul kansal and': 695587, 'kansal and how': 470826, 'and how indian': 64818, 'how indian consumer': 408063, 'indian consumer are': 434797, 'consumer are being': 196284, 'are being pulled': 84899, 'being pulled by': 125604, 'pulled by the': 688911, 'by the two': 154464, 'the two force': 870149, 'two force of': 936935, 'force of root': 328465, 'of root and': 589160, 'root and wing': 726012, 'and wing in': 75725, 'wing in the': 995981, 'wake of detailed': 964596, 'of detailed learning': 582567, 'detailed learning soon': 239295, 'learning soon at': 484240, 'state had': 795647, 'highest number': 395836, 'state with': 796093, 'third highest': 886075, 'death now': 230136, 'really understand': 702679, 'on such': 603736, 'such high': 816550, 'didn know that': 241124, 'know that new': 476774, 'that new york': 845333, 'york state had': 1016668, 'state had the': 795648, 'had the highest': 373617, 'the highest number': 857344, 'highest number of': 395837, 'united state with': 942254, 'state with the': 796100, 'with the third': 1001516, 'the third highest': 869478, 'third highest number': 886076, 'number of death': 576937, 'of death now': 582421, 'death now really': 230138, 'now really understand': 575650, 'really understand why': 702681, 'understand why we': 940826, 'are on such': 88736, 'on such high': 603737, 'such high alert': 816551, 'sinclair': 771063, 'euclid': 283307, 'crisis motorist': 217737, 'motorist can': 543359, 'le at': 482852, 'thursday the': 895430, 'the sinclair': 867213, 'sinclair station': 771064, 'station on': 796472, 'on north': 602434, 'north euclid': 567644, 'euclid avenue': 283308, 'avenue in': 104776, 'in pierre': 426706, 'pierre sell': 656422, 'sell regular': 748861, 'regular gasoline': 707783, 'gasoline at': 344218, 'price plummet amid': 675895, 'plummet amid the': 661253, '19 crisis motorist': 6287, 'crisis motorist can': 217738, 'motorist can expect': 543360, 'to pay le': 911540, 'pay le at': 644977, 'le at the': 482853, 'pump on thursday': 689078, 'on thursday the': 604680, 'thursday the sinclair': 895432, 'the sinclair station': 867214, 'sinclair station on': 771065, 'station on north': 796473, 'on north euclid': 602436, 'north euclid avenue': 567645, 'euclid avenue in': 283309, 'avenue in pierre': 104777, 'in pierre sell': 426707, 'pierre sell regular': 656423, 'sell regular gasoline': 748862, 'regular gasoline at': 707784, 'gasoline at 99': 344219, 'shopassistants': 761112, 'shelfstacking': 757864, 'exhausting': 290185, 'sending shout': 750087, 'forgotten hero': 329437, 'supermarket shopassistants': 822603, 'shopassistants those': 761113, 'till and': 895991, 'those doing': 891939, 'the herculean': 857280, 'herculean job': 392596, 'of shelfstacking': 589584, 'shelfstacking give': 757865, 'an exhausting': 55946, 'exhausting and': 290186, 'moment frightening': 535940, 'frightening job': 334059, 'sending shout out': 750088, 'to the forgotten': 916723, 'the forgotten hero': 855703, 'forgotten hero in': 329438, 'midst of this': 530796, 'this coronacrisis the': 886880, 'coronacrisis the supermarket': 204815, 'the supermarket shopassistants': 868797, 'supermarket shopassistants those': 822604, 'shopassistants those on': 761114, 'on the till': 604405, 'the till and': 869555, 'till and those': 895993, 'and those doing': 74023, 'those doing the': 891942, 'doing the herculean': 252720, 'the herculean job': 857281, 'herculean job of': 392597, 'job of shelfstacking': 466039, 'of shelfstacking give': 589585, 'shelfstacking give them': 757866, 'give them thought': 350774, 'them thought and': 876438, 'thought and thank': 892972, 'thank you it': 841756, 'you it an': 1019384, 'it an exhausting': 456472, 'an exhausting and': 55947, 'exhausting and at': 290187, 'the moment frightening': 860755, 'moment frightening job': 535941, 'punishes': 689240, 'ruthlessly': 728700, 'cuomo we': 220432, 'are consumed': 85522, 'consumed by': 195962, 'doing brilliant': 252316, 'brilliant job': 139870, 'many issue': 514209, 'issue surrounding': 455948, 'you possibly': 1020379, 'possibly find': 665923, 'ask legislator': 95577, 'legislator to': 486012, 'to propose': 912274, 'propose law': 684501, 'that severely': 846215, 'severely punishes': 754106, 'punishes any': 689241, 'any person': 79644, 'or company': 614777, 'that ruthlessly': 846081, 'ruthlessly raise': 728701, 'this tragic': 890842, 'tragic time': 929200, 'governor cuomo we': 360895, 'cuomo we know': 220433, 'you are consumed': 1017096, 'are consumed by': 85523, 'consumed by and': 195963, 'by and doing': 151836, 'and doing brilliant': 61601, 'doing brilliant job': 252317, 'brilliant job with': 139871, 'job with the': 466307, 'with the many': 1001382, 'the many issue': 860045, 'many issue surrounding': 514211, 'issue surrounding covid': 455949, '19 can you': 5618, 'can you possibly': 160324, 'you possibly find': 1020381, 'possibly find time': 665924, 'find time to': 307341, 'time to ask': 897947, 'to ask legislator': 900757, 'ask legislator to': 95578, 'legislator to propose': 486013, 'to propose law': 912277, 'propose law that': 684502, 'law that severely': 482414, 'that severely punishes': 846216, 'severely punishes any': 754107, 'punishes any person': 689242, 'any person or': 79645, 'person or company': 652563, 'or company that': 614780, 'company that ruthlessly': 191187, 'that ruthlessly raise': 846082, 'ruthlessly raise price': 728702, 'during this tragic': 263329, 'this tragic time': 890843, 'fasting': 300173, 'supremecourtofindia': 827442, 'mannkibaa': 513316, 'do announcement': 249077, 'announcement not': 77172, 'bulk declare': 142294, 'declare one': 231198, 'day fasting': 227595, 'fasting and': 300174, 'do fasting': 249288, 'fasting once': 300180, 'week till': 977059, 'end india': 275848, 'india marketcrash': 434516, 'marketcrash supremecourtofindia': 517425, 'supremecourtofindia mannkibaa': 827443, 'please do announcement': 659892, 'do announcement not': 249078, 'announcement not to': 77173, 'not to store': 572195, 'to store grocery': 915622, 'store grocery product': 807975, 'grocery product in': 364879, 'product in bulk': 681280, 'in bulk declare': 421032, 'bulk declare one': 142295, 'declare one day': 231199, 'one day fasting': 606155, 'day fasting and': 227596, 'fasting and urge': 300175, 'and urge public': 74759, 'public to do': 688374, 'to do fasting': 904505, 'do fasting once': 249289, 'fasting once week': 300181, 'once week till': 605805, 'week till end': 977060, 'till end india': 896012, 'end india marketcrash': 275849, 'india marketcrash supremecourtofindia': 434517, 'marketcrash supremecourtofindia mannkibaa': 517426, 'every 1st': 285644, 'responder including': 715486, 'clerk pharmacy': 181753, 'worked thru': 1006150, 'pandemic should': 636452, 'government bonus': 359938, 'bonus check': 134352, 'check courtesy': 174403, 'courtesy grateful': 212042, 'grateful american': 362239, 'every 1st responder': 285645, '1st responder including': 12796, 'responder including the': 715487, 'including the delivery': 432181, 'the delivery people': 853071, 'delivery people grocery': 234317, 'store clerk pharmacy': 807021, 'clerk pharmacy worker': 181754, 'pharmacy worker etc': 654577, 'worker etc who': 1006874, 'etc who worked': 282886, 'who worked thru': 990052, 'worked thru this': 1006151, 'thru this pandemic': 895239, 'this pandemic should': 889423, 'pandemic should get': 636454, 'should get government': 766025, 'get government bonus': 347146, 'government bonus check': 359939, 'bonus check courtesy': 134353, 'check courtesy grateful': 174404, 'courtesy grateful american': 212043, 'my stay': 550196, 'keep proper': 471825, 'proper hygiene': 684112, 'hand apply': 374793, 'apply hand': 82567, 'my stay safe': 550197, 'safe everyone keep': 729647, 'everyone keep proper': 287136, 'keep proper hygiene': 471827, 'proper hygiene wash': 684114, 'hygiene wash your': 412191, 'your hand apply': 1024164, 'hand apply hand': 374794, 'apply hand sanitizer': 82568, 'sanitizer and social': 734435, 'arnews': 93067, 'rate continue': 697183, 'to soar': 914809, 'soar amid': 779222, 'outbreak food': 628222, 'work arnews': 1004839, 'unemployment rate continue': 941269, 'rate continue to': 697184, 'continue to soar': 201260, 'to soar amid': 914810, 'soar amid the': 779225, 'coronavirus outbreak food': 206387, 'outbreak food bank': 628223, 'from people out': 336887, 'of work arnews': 593241, 'skellig': 772860, 'kilometer': 474747, 'skelligcoast2kms': 772863, 'southkerry': 786887, 'made here': 507771, 'the skellig': 867297, 'skellig coast': 772861, 'coast if': 185105, 'only it': 610663, 'it were': 462314, 'were 15': 979250, '15 kilometer': 3754, 'kilometer closer': 474750, 'closer thank': 183512, 'you giving': 1018834, 'giving donation': 351267, 'donation every': 254599, 'use skelligcoast2kms': 949578, 'skelligcoast2kms hashtag': 772864, 'hashtag and': 378690, 'this southkerry': 890268, 'southkerry ireland': 786888, 'sanitizer made here': 735329, 'made here on': 507772, 'here on the': 393413, 'on the skellig': 604368, 'the skellig coast': 867298, 'skellig coast if': 772862, 'coast if only': 185106, 'if only it': 414551, 'only it were': 610665, 'it were 15': 462315, 'were 15 kilometer': 979251, '15 kilometer closer': 3755, 'kilometer closer thank': 474751, 'closer thank you': 183513, 'thank you giving': 841732, 'you giving donation': 1018835, 'giving donation every': 351268, 'donation every time': 254600, 'time you use': 898419, 'you use skelligcoast2kms': 1022003, 'use skelligcoast2kms hashtag': 949579, 'skelligcoast2kms hashtag and': 772865, 'hashtag and making': 378691, 'and making this': 66602, 'making this southkerry': 511463, 'this southkerry ireland': 890269, 'healer': 386075, 'detain': 239302, 'hoarding get': 399331, 'to healer': 907366, 'healer not': 386076, 'to detain': 904222, 'detain asylum': 239303, 'why is hoarding': 991110, 'is hoarding get': 448509, 'hoarding get mask': 399332, 'get mask to': 347528, 'mask to healer': 519409, 'to healer not': 907367, 'healer not to': 386077, 'not to detain': 572144, 'to detain asylum': 904223, 'detain asylum seeker': 239304, 'scored': 742385, 'when scored': 983967, 'scored the': 742396, 'felt when scored': 303479, 'when scored the': 983968, 'scored the last': 742397, 'arielle': 92785, 'trzcinski': 934912, 'optimises': 613895, 'in analyst': 420340, 'analyst arielle': 57109, 'arielle trzcinski': 92786, 'trzcinski writes': 934913, 'writes about': 1012825, 'how future': 407904, 'future success': 342464, 'success in': 816203, 'healthcare will': 387334, 'will rely': 994622, 'on strategy': 603705, 'that optimises': 845535, 'optimises experience': 613896, 'new healthcare': 558871, 'healthcare consumer': 387067, 'in analyst arielle': 420341, 'analyst arielle trzcinski': 57110, 'arielle trzcinski writes': 92787, 'trzcinski writes about': 934914, 'writes about how': 1012827, 'about how future': 25437, 'how future success': 407906, 'future success in': 342465, 'success in healthcare': 816204, 'in healthcare will': 423613, 'healthcare will rely': 387335, 'will rely on': 994623, 'rely on strategy': 709651, 'on strategy that': 603706, 'strategy that optimises': 812724, 'that optimises experience': 845536, 'optimises experience for': 613897, 'experience for the': 291366, 'the new healthcare': 861517, 'new healthcare consumer': 558872, 'staking': 793334, 'pseudoscience': 687471, 'laughably': 481787, 'evade': 283702, 'from staking': 337401, 'staking out': 793335, 'out your': 627905, 'supermarket loading': 821354, 'dock for': 250777, 'how scammer': 408624, 'scammer exploit': 740568, 'exploit pseudoscience': 292356, 'pseudoscience for': 687472, 'for gain': 321833, 'gain it': 342785, 'it laughably': 459310, 'laughably easy': 481788, 'easy for': 265701, 'to evade': 905281, 'evade ban': 283703, 'ban via': 109288, 'break from staking': 138734, 'from staking out': 337402, 'staking out your': 793336, 'out your supermarket': 627917, 'your supermarket loading': 1026051, 'supermarket loading dock': 821355, 'loading dock for': 497335, 'dock for toilet': 250778, 'paper delivery and': 640085, 'delivery and read': 233676, 'and read about': 69977, 'read about how': 700252, 'about how scammer': 25467, 'how scammer exploit': 408626, 'scammer exploit pseudoscience': 740570, 'exploit pseudoscience for': 292357, 'pseudoscience for gain': 687473, 'for gain it': 321836, 'gain it laughably': 342786, 'it laughably easy': 459311, 'laughably easy for': 481789, 'easy for these': 265706, 'for these people': 326974, 'these people to': 880460, 'people to evade': 649898, 'to evade ban': 905282, 'evade ban via': 283704, 'ban via for': 109289, 'malibu': 511704, '593': 20582, '822': 22826, 'malibu protect': 511705, 'to la': 909018, '800 593': 22676, '593 822': 20583, '822 for': 22827, 'for investigation': 322632, 'investigation more': 443882, 'malibu protect yourself': 511706, 'yourself from price': 1026621, 'crisis and report': 217044, 'and report it': 70263, 'it to la': 461728, 'to la county': 909019, 'of consumer business': 581716, 'consumer business affair': 196667, 'business affair at': 143243, 'affair at 800': 34003, 'at 800 593': 97765, '800 593 822': 22677, '593 822 for': 20584, '822 for investigation': 22828, 'for investigation more': 322633, 'investigation more info': 443883, 'california man': 155537, 'man punch': 512197, 'punch mother': 689162, 'for hiding': 322252, 'california man punch': 155538, 'man punch mother': 512198, 'punch mother for': 689163, 'mother for hiding': 543096, 'for hiding toilet': 322253, 'hiding toilet paper': 394884, 'paper amid coronavirus': 639791, 'amid coronavirus lockdown': 52423, 'coronavirus lockdown 19': 206238, 'undermines': 940507, 'chs': 178265, 'outbreak undermines': 628774, 'undermines consumer': 940508, 'spending small': 788988, 'biz chamber': 131935, 'chamber ceo': 171666, 'say and': 738420, 'what might': 981870, 'during chs': 262502, 'chs sc': 178266, 'outbreak undermines consumer': 628775, 'undermines consumer spending': 940509, 'consumer spending small': 199092, 'spending small biz': 788989, 'small biz chamber': 774808, 'biz chamber ceo': 131936, 'chamber ceo say': 171667, 'ceo say and': 169831, 'say and he': 738421, 'and he ha': 64318, 'he ha an': 385017, 'ha an idea': 369544, 'an idea for': 56125, 'idea for what': 413054, 'for what might': 327801, 'what might help': 981871, 'might help during': 531031, 'help during chs': 389606, 'during chs sc': 262503, 'manhandling': 513125, 'please refrain': 660360, 'from manhandling': 336325, 'manhandling people': 513126, 'and destroying': 61282, 'destroying and': 239080, 'and wasting': 75218, 'supply people': 825709, 'panic mood': 638330, 'mood it': 538277, 'it high': 458580, 'educate them': 268764, 'them aware': 875451, 'calm manner': 156766, 'please refrain from': 660361, 'refrain from manhandling': 706745, 'from manhandling people': 336326, 'manhandling people on': 513127, 'on street and': 603713, 'street and destroying': 812891, 'and destroying and': 61283, 'destroying and wasting': 239081, 'and wasting food': 75219, 'wasting food supply': 968310, 'food supply people': 316981, 'supply people are': 825710, 'in panic mood': 426481, 'panic mood it': 638331, 'mood it high': 538278, 'it high time': 458581, 'high time to': 395481, 'time to educate': 897982, 'to educate them': 904944, 'educate them and': 268765, 'them and make': 875386, 'and make them': 66581, 'make them aware': 510603, 'them aware of': 875452, 'the spread in': 867630, 'spread in calm': 790570, 'in calm manner': 421169, 'introduction': 443514, 'be cool': 114243, 'cool to': 203051, 'everyone through': 287490, 'this get': 887684, 'the introduction': 858410, 'introduction from': 443515, 'before match': 122942, 'match and': 520280, 'and release': 70193, 'release music': 708970, 'music that': 546346, 'the athlete': 849006, 'athlete listen': 101768, 'to rt': 913645, 'agree realheros': 38637, 'realheros corona': 701575, 'know they do': 476875, 'have time for': 383136, 'time for this': 896766, 'for this but': 327014, 'would be cool': 1011569, 'be cool to': 114244, 'cool to see': 203052, 'see doctor nurse': 745054, 'are helping everyone': 87095, 'helping everyone through': 391326, 'everyone through this': 287491, 'through this get': 894816, 'this get the': 887688, 'get the introduction': 348256, 'the introduction from': 858411, 'introduction from before': 443516, 'from before match': 334663, 'before match and': 122943, 'match and release': 520282, 'and release music': 70194, 'release music that': 708971, 'music that the': 546347, 'that the athlete': 846663, 'the athlete listen': 849007, 'athlete listen to': 101769, 'listen to rt': 494747, 'to rt if': 913646, 'you agree realheros': 1016851, 'agree realheros corona': 38638, 'softer': 781508, 'hand feel': 374931, 'feel much': 302782, 'much softer': 545314, 'softer now': 781511, 'that washing': 847332, 'washing them': 967732, 'soap again': 778895, 'again sanitizer': 37154, 'know about you': 476229, 'about you but': 26970, 'you but my': 1017552, 'but my hand': 146432, 'my hand feel': 548605, 'hand feel much': 374932, 'feel much softer': 302784, 'much softer now': 545315, 'softer now that': 781512, 'now that washing': 576024, 'that washing them': 847333, 'washing them with': 967734, 'them with soap': 876653, 'with soap again': 1000789, 'soap again sanitizer': 778896, 'andratuttobene': 76159, 'tuscany': 936025, 'lockdown grateful': 499424, 'shopping curve': 762425, 'curve ha': 221861, 'ha flattened': 370634, 'flattened to': 310139, 'normal almost': 567077, 'almost normal': 46710, 'normal toilet': 567375, 'stock too': 803017, 'too lockdown': 924859, 'lockdown grocery': 499427, 'stock iorestoacasa': 802299, 'iorestoacasa andratuttobene': 444457, 'andratuttobene italy': 76160, 'italy tuscany': 462957, 'tuscany grateful': 936026, 'day of lockdown': 228079, 'of lockdown grateful': 585954, 'lockdown grateful that': 499425, 'grateful that the': 362313, 'that the grocery': 846739, 'the grocery shopping': 856823, 'grocery shopping curve': 365012, 'shopping curve ha': 762426, 'curve ha flattened': 221862, 'ha flattened to': 370635, 'flattened to new': 310140, 'new normal almost': 559146, 'normal almost normal': 567078, 'almost normal toilet': 46711, 'normal toilet paper': 567376, 'paper stock too': 640834, 'stock too lockdown': 803018, 'too lockdown grocery': 924860, 'lockdown grocery store': 499428, 'store supermarket stock': 810462, 'supermarket stock iorestoacasa': 822965, 'stock iorestoacasa andratuttobene': 802300, 'iorestoacasa andratuttobene italy': 444458, 'andratuttobene italy tuscany': 76161, 'italy tuscany grateful': 462958, 'pecker': 646179, 'ami': 52365, 'trump ally': 933395, 'ally david': 46431, 'david pecker': 226996, 'pecker ami': 646180, 'ami enquirer': 52366, 'enquirer pushing': 277798, 'pushing disinformation': 690404, 'disinformation on': 245949, 'be pulled': 116616, 'pulled from': 688914, 'trump ally david': 933396, 'ally david pecker': 46432, 'david pecker ami': 226997, 'pecker ami enquirer': 646181, 'ami enquirer pushing': 52367, 'enquirer pushing disinformation': 277799, 'pushing disinformation on': 690405, 'disinformation on covid': 245950, '19 that is': 11154, 'that is public': 844640, 'is public health': 451133, 'public health risk': 688082, 'health risk it': 386809, 'risk it should': 723653, 'should be pulled': 765702, 'be pulled from': 116617, 'pulled from grocery': 688915, 'survives': 829339, 'alcoholism': 41228, 'me survives': 523574, 'survives covid': 829342, 'of alcoholism': 579909, 'alcoholism and': 41229, 'and whatever': 75498, 'whatever happens': 982760, 'you eat': 1018389, 'eat an': 265843, 'an entire': 55766, 'me survives covid': 523575, 'survives covid 19': 829343, '19 dy of': 6679, 'dy of alcoholism': 263745, 'of alcoholism and': 579910, 'alcoholism and whatever': 41230, 'and whatever happens': 75499, 'whatever happens when': 982762, 'when you eat': 984555, 'you eat an': 1018390, 'eat an entire': 265844, 'an entire grocery': 55770, 'entire grocery store': 278683, 'ufcw grocery': 937928, 'the seattle': 866570, 'seattle area': 743550, 'demanding better': 236577, 'better workplace': 128615, 'workplace precaution': 1009206, 'precaution they': 669374, 'community hit': 189897, 'sign their': 769232, 'their petition': 874287, 'petition here': 653609, 'ufcw grocery worker': 937929, 'grocery worker in': 366178, 'in the seattle': 429531, 'the seattle area': 866571, 'seattle area are': 743551, 'area are demanding': 91949, 'are demanding better': 85776, 'demanding better workplace': 236578, 'better workplace precaution': 128616, 'workplace precaution they': 1009207, 'precaution they provide': 669375, 'they provide food': 882930, 'food to one': 317277, 'of the community': 590876, 'the community hit': 851278, 'community hit hardest': 189898, 'hardest by covid': 378204, '19 sign their': 10545, 'sign their petition': 769233, 'their petition here': 874288, 'trending out': 931562, 'control teenager': 202157, 'teenager coughing': 836540, 'store produce': 809662, 'trending out of': 931563, 'of control teenager': 581848, 'control teenager coughing': 202158, 'teenager coughing on': 836541, 'grocery store produce': 365681, 'crafting': 214787, 'customizing': 223181, 'fipi': 308045, 'lele': 486158, 'toiletpaperrolls': 923305, 'toiletpaperseeds': 923313, 'crossing crafting': 219079, 'crafting and': 214788, 'and customizing': 60878, 'customizing plant': 223182, 'plant plant': 658690, 'plant you': 658732, 'material who': 520440, 'who fipi': 988745, 'fipi lele': 308046, 'lele toiletpaper': 486159, 'toiletpaper toiletpaperrolls': 922717, 'toiletpaperrolls toiletpaperseeds': 923308, 'toiletpaperseeds animalcrossing': 923314, 'animalcrossing animalcrossingnewhorizons': 76695, 'in the spirit': 429561, 'spirit of animal': 789491, 'of animal crossing': 580210, 'animal crossing crafting': 76570, 'crossing crafting and': 219080, 'crafting and customizing': 214789, 'and customizing plant': 60879, 'customizing plant plant': 223183, 'plant plant plant': 658691, 'plant plant you': 658692, 'plant you have': 658733, 'have the raw': 383016, 'raw material who': 697981, 'material who fipi': 520441, 'who fipi lele': 988746, 'fipi lele toiletpaper': 308047, 'lele toiletpaper toiletpaperrolls': 486160, 'toiletpaper toiletpaperrolls toiletpaperseeds': 922718, 'toiletpaperrolls toiletpaperseeds animalcrossing': 923309, 'toiletpaperseeds animalcrossing animalcrossingnewhorizons': 923315, 'teapot': 835914, 'so who': 778743, 'clue it': 184548, 'isn teapot': 454695, 'teapot it': 835915, 'bathroom ve': 112684, 've used': 953646, 'used it': 949954, 'quaratinelife toiletrollchallenge': 693161, 'toiletrollchallenge toiletpaper': 923393, 'toiletpaperapocalypse toiletpaperemergency': 922944, 'okay so who': 598010, 'so who know': 778744, 'who know what': 989188, 'know what that': 476979, 'what that thing': 982289, 'that thing is': 846970, 'thing is clue': 884466, 'is clue it': 446622, 'clue it isn': 184549, 'it isn teapot': 459154, 'isn teapot it': 454696, 'teapot it in': 835916, 'it in bathroom': 458724, 'in bathroom ve': 420727, 'bathroom ve used': 112685, 've used it': 953649, 'used it all': 949955, 'it all my': 456360, 'my life 19': 549011, 'life 19 stayathome': 488436, '19 stayathome quaratinelife': 10809, 'stayathome quaratinelife toiletrollchallenge': 797593, 'quaratinelife toiletrollchallenge toiletpaper': 693162, 'toiletrollchallenge toiletpaper toiletpaperpanic': 923394, 'toiletpaperpanic toiletpaperapocalypse toiletpaperemergency': 923277, 'are closely': 85377, 'closely tracking': 183475, 'evolving covid': 288555, 'and lp': 66470, 'lp ap': 506307, 'ap response': 81212, 'it stay': 461233, 'latest industry': 481394, 'industry news': 436005, 'news updated': 560930, 'updated every': 947364, 'every weekday': 286371, 'weekday here': 977305, 'here running': 393531, 'running list': 727990, 'closure here': 183904, 'we are closely': 970500, 'are closely tracking': 85378, 'closely tracking the': 183476, 'tracking the evolving': 928369, 'the evolving covid': 854645, 'evolving covid 19': 288556, '19 pandemic it': 9371, 'pandemic it impact': 635821, 'on the retail': 604335, 'the retail industry': 865720, 'retail industry and': 718210, 'industry and lp': 435643, 'and lp ap': 66471, 'lp ap response': 506308, 'ap response to': 81213, 'response to it': 715859, 'to it stay': 908615, 'it stay tuned': 461234, 'tuned for the': 935440, 'the latest industry': 859117, 'latest industry news': 481395, 'industry news updated': 436008, 'news updated every': 560931, 'updated every weekday': 947365, 'every weekday here': 286372, 'weekday here running': 977306, 'here running list': 393532, 'running list of': 727991, 'of store closure': 590247, 'store closure here': 807093, 'explodes': 292315, 'bank struggle': 110211, 'struggle demand': 814338, 'demand explodes': 235310, 'explodes thanks': 292318, 'to layoff': 909114, 'food bank struggle': 313648, 'bank struggle demand': 110212, 'struggle demand explodes': 814339, 'demand explodes thanks': 235311, 'explodes thanks to': 292319, 'thanks to layoff': 842241, 'have say': 382398, 'say doing': 738585, 'do live': 249569, 'chicago amp': 175639, 'amp when': 54834, 'supermarket gather': 820479, 'gather the': 344400, 'time amp': 896246, 'amp run': 54418, 'run them': 727827, 'store my': 809009, 'my record': 549901, 'record is': 704991, 'is 36': 445206, '36 always': 17995, 'always thank': 49765, 'thank every': 841554, 'employee see': 274192, 'are inspiring': 87546, 'have say doing': 382400, 'say doing what': 738586, 'doing what you': 252852, 'you do live': 1018259, 'do live in': 249570, 'live in chicago': 495850, 'in chicago amp': 421364, 'chicago amp when': 175640, 'amp when go': 54835, 'when go the': 983478, 'go the supermarket': 354211, 'the supermarket gather': 868604, 'supermarket gather the': 820480, 'gather the at': 344401, 'the at time': 849004, 'at time amp': 101282, 'time amp run': 896248, 'amp run them': 54420, 'run them up': 727828, 'them up to': 876572, 'the store my': 868060, 'store my record': 809014, 'my record is': 549902, 'record is 36': 704992, 'is 36 always': 445207, '36 always thank': 17996, 'always thank every': 49766, 'thank every employee': 841556, 'every employee see': 285888, 'employee see in': 274193, 'see in the': 745298, 'the store you': 868152, 'store you all': 811678, 'all are inspiring': 42044, 'keynes': 473541, 'tempted': 837741, 'unjust': 942477, 'from keynes': 336171, 'keynes in': 473542, 'be tempted': 117544, 'tempted to': 837742, 'war by': 966390, 'by allowing': 151796, 'allowing price': 46319, 'rise but': 722797, 'but keynes': 146223, 'keynes pointed': 473544, 'be socially': 117277, 'socially unjust': 781071, 'unjust the': 942480, 'correct alternative': 207499, 'alternative would': 49286, 'be higher': 115249, 'tax on': 835042, 'on wealth': 605147, 'wealth and': 974143, 'and income': 65090, 'lesson from keynes': 486482, 'from keynes in': 336172, 'keynes in the': 473543, 'of coronavirus government': 581939, 'coronavirus government will': 206001, 'government will be': 360809, 'will be tempted': 992717, 'be tempted to': 117545, 'tempted to pay': 837745, 'for the war': 326770, 'the war by': 871068, 'war by allowing': 966391, 'by allowing price': 151797, 'allowing price to': 46320, 'price to rise': 677036, 'to rise but': 913555, 'rise but keynes': 722798, 'but keynes pointed': 146224, 'keynes pointed out': 473545, 'pointed out this': 662739, 'out this would': 627595, 'would be socially': 1011648, 'be socially unjust': 117279, 'socially unjust the': 781072, 'unjust the correct': 942481, 'the correct alternative': 851965, 'correct alternative would': 207500, 'alternative would be': 49287, 'would be higher': 1011600, 'be higher tax': 115252, 'higher tax on': 395744, 'tax on wealth': 835051, 'on wealth and': 605148, 'wealth and income': 974144, 'inds': 435443, 'outperforming': 629220, 'reit': 708286, 'etf': 282942, 'from shopping': 337272, 'online due': 608137, '19 inds': 7825, 'inds is': 435444, 'is outperforming': 450670, 'outperforming traditional': 629221, 'traditional reit': 929011, 'reit index': 708289, 'index and': 434166, 'and etf': 62287, 'etf many': 282947, 'which aren': 985701, 'aren adequately': 92304, 'adequately allocated': 32192, 'allocated to': 45885, 'to industrial': 908343, 'industrial reit': 435568, 'reit in': 708287, 'current rough': 221346, 'rough market': 726253, 'from shopping more': 337276, 'shopping more online': 763290, 'more online due': 539939, 'online due to': 608138, 'covid 19 inds': 213262, '19 inds is': 7826, 'inds is outperforming': 435445, 'is outperforming traditional': 450671, 'outperforming traditional reit': 629222, 'traditional reit index': 929012, 'reit index and': 708290, 'index and etf': 434167, 'and etf many': 62288, 'etf many of': 282948, 'many of which': 514400, 'of which aren': 593099, 'which aren adequately': 985702, 'aren adequately allocated': 92305, 'adequately allocated to': 32193, 'allocated to industrial': 45886, 'to industrial reit': 908344, 'industrial reit in': 435569, 'reit in the': 708288, 'the current rough': 852661, 'current rough market': 221347, 'british farmer': 140521, 'farmer harvest': 299398, 'harvest excellent': 378612, 'excellent british': 289074, 'british carrot': 140493, 'carrot for': 165050, 'british consumer': 140508, 'consumer national': 198175, 'national food': 552510, 'security stand': 744759, 'stand out': 793569, 'clear 19': 181209, 'british farmer harvest': 140522, 'farmer harvest excellent': 299399, 'harvest excellent british': 378613, 'excellent british carrot': 289075, 'british carrot for': 140494, 'carrot for the': 165051, 'great british consumer': 362541, 'british consumer national': 140509, 'consumer national food': 198176, 'national food security': 552512, 'food security stand': 316368, 'security stand out': 744760, 'stand out loud': 793573, 'loud and clear': 504486, 'and clear 19': 59954, 'tasked': 834739, 'state attorneygeneral': 795403, 'attorneygeneral are': 102690, 'are tasked': 90753, 'tasked with': 834740, 'protection georgia': 685464, 'georgia ag': 346025, 'ag ga': 36794, 'ga is': 342680, 'using text': 950681, 'people other': 649009, 'other report': 620829, 'of similar': 589732, 'similar message': 769911, 'on whatsapp': 605251, 'whatsapp 19': 982869, 'state attorneygeneral are': 795404, 'attorneygeneral are tasked': 102691, 'are tasked with': 90754, 'tasked with consumer': 834741, 'with consumer protection': 997763, 'consumer protection georgia': 198531, 'protection georgia ag': 685465, 'georgia ag ga': 346026, 'ag ga is': 36795, 'ga is warning': 342681, 'is warning of': 453761, 'warning of new': 967159, 'of new scam': 586985, 'new scam using': 559550, 'scam using text': 740451, 'using text to': 950682, 'text to scam': 839956, 'scam people other': 740299, 'people other report': 649010, 'other report of': 620830, 'report of similar': 712126, 'of similar message': 589734, 'similar message on': 769912, 'message on whatsapp': 529385, 'on whatsapp 19': 605252, 'at cv': 98398, 'cv in': 223841, 'town with': 927592, 'store beside': 806720, 'beside liquor': 127478, 'store part': 809472, 'part not': 642323, 'not pharmacy': 571017, 'pharmacy we': 654548, 'had confirmed': 372982, 'case certain': 165682, 'person went': 652704, 'went there': 979124, 'no precaution': 565173, 'precaution have': 669318, 'taken and': 832944, 'is retail': 451492, 'retail usual': 718831, 'usual do': 950928, 'in min': 425333, 'min wage': 532585, 'wage isn': 963911, 'isn worth': 454763, 'worth getting': 1011365, 'work at cv': 1004866, 'at cv in': 98399, 'cv in small': 223843, 'small town with': 775167, 'town with no': 927595, 'with no other': 999772, 'no other store': 565018, 'other store beside': 620981, 'store beside liquor': 806721, 'beside liquor store': 127479, 'liquor store in': 494205, 'the store part': 868077, 'store part not': 809473, 'part not pharmacy': 642324, 'not pharmacy we': 571019, 'pharmacy we just': 654549, 'we just had': 972110, 'just had confirmed': 468897, 'had confirmed covid': 372983, '19 case certain': 5672, 'case certain the': 165683, 'certain the person': 170115, 'the person went': 863594, 'person went there': 652705, 'went there no': 979125, 'there no precaution': 878831, 'no precaution have': 565174, 'precaution have been': 669319, 'been taken and': 122126, 'taken and it': 832945, 'it is retail': 459061, 'is retail usual': 451497, 'retail usual do': 718832, 'usual do go': 950929, 'do go in': 249340, 'go in min': 353709, 'in min wage': 425334, 'min wage isn': 532588, 'wage isn worth': 963912, 'isn worth getting': 454764, 'worth getting sick': 1011366, 'can collect': 157927, 'your dna': 1023544, 'dna and': 248976, 'whatever they': 982806, 'info check': 437437, 'check fda': 174431, 'or similar': 617081, 'similar local': 769907, 'government authority': 359915, 'authority beware': 103694, 'they can collect': 881620, 'can collect your': 157928, 'collect your dna': 186343, 'your dna and': 1023545, 'dna and do': 248977, 'and do whatever': 61569, 'do whatever they': 250523, 'whatever they want': 982809, 'they want with': 883718, 'want with the': 966177, 'with the info': 1001349, 'the info check': 858244, 'info check fda': 437438, 'check fda or': 174432, 'fda or similar': 300897, 'or similar local': 617082, 'similar local government': 769908, 'local government authority': 498023, 'government authority beware': 359916, 'authority beware of': 103695, 'inconsistent': 432578, 'audaciously': 102890, 'world much': 1009811, 'much longer': 545059, 'longer to': 502095, 'if nation': 414439, 'nation continue': 552148, 'work independently': 1005360, 'independently are': 434155, 'are inconsistent': 87471, 'inconsistent in': 432579, 'their application': 872500, 'application of': 82473, 'guidance act': 368199, 'now act': 573938, 'act audaciously': 29604, 'audaciously before': 102891, 'late read': 480908, 'new narrative': 559129, 'take the world': 832686, 'the world much': 871916, 'world much longer': 1009812, 'much longer to': 545061, 'longer to suppress': 502099, 'suppress the pandemic': 827397, 'the pandemic if': 862992, 'pandemic if nation': 635675, 'if nation continue': 414440, 'nation continue to': 552149, 'to work independently': 918740, 'work independently are': 1005361, 'independently are inconsistent': 434156, 'are inconsistent in': 87472, 'inconsistent in their': 432580, 'in their application': 429715, 'their application of': 872501, 'application of guidance': 82474, 'of guidance act': 584385, 'guidance act now': 368200, 'act now act': 29714, 'now act audaciously': 573939, 'act audaciously before': 29605, 'audaciously before it': 102892, 'too late read': 924835, 'late read my': 480909, 'read my new': 700467, 'my new narrative': 549467, 'dispatched': 246104, 'ensure uninterrupted': 278113, 'uninterrupted supply': 941861, 'grain during': 361770, 'ha dispatched': 370397, 'dispatched 50': 246105, 'wheat and': 982967, 'state through': 796005, 'through 20': 894287, '20 special': 13356, 'special train': 788083, 'train according': 929223, 'minister bharat': 533341, 'ashu on': 95138, 'to ensure uninterrupted': 905200, 'ensure uninterrupted supply': 278114, 'uninterrupted supply of': 941862, 'supply of grain': 825630, 'of grain during': 584296, 'grain during the': 361771, 'during the 21': 263084, 'day lockdown ha': 227925, 'lockdown ha dispatched': 499445, 'ha dispatched 50': 370398, 'dispatched 50 00': 246106, '50 00 tonne': 19580, 'tonne of wheat': 924544, 'of wheat and': 593080, 'wheat and rice': 982970, 'and rice to': 70508, 'rice to other': 721157, 'to other state': 911122, 'other state through': 620968, 'state through 20': 796006, 'through 20 special': 894288, '20 special train': 13358, 'special train according': 788084, 'train according to': 929224, 'according to food': 28541, 'to food civil': 906077, 'affair minister bharat': 34068, 'minister bharat bhushan': 533342, 'bhushan ashu on': 129404, 'ashu on thursday': 95139, 'zenith': 1027376, '101553042': 2234, 'stock already': 801782, 'not giving': 569656, 'giving up': 351444, 'up any': 944393, 'is were': 453856, 'were your': 980367, 'your donation': 1023562, 'donation come': 254571, 'come handy': 187329, 'handy 500': 376876, '00 100': 18, '00 500': 36, '00 any': 67, 'amount go': 53185, 'way zenith': 970213, 'zenith 101553042': 1027377, '101553042 dream': 2235, 'dream from': 258593, 'the slum': 867348, 'slum food': 774665, 'food support': 317029, 'of stock already': 590136, 'stock already but': 801783, 'already but we': 47244, 'are not giving': 88380, 'not giving up': 569664, 'giving up any': 351446, 'up any time': 944394, 'time soon this': 897722, 'soon this is': 785856, 'this is were': 888463, 'is were your': 453857, 'were your donation': 980368, 'your donation come': 1023564, 'donation come handy': 254573, 'come handy 500': 187330, 'handy 500 00': 376877, '500 00 00': 19927, '00 00 100': 2, '00 100 00': 19, '100 00 500': 1780, '00 500 00': 37, '500 00 any': 19928, '00 any amount': 68, 'any amount go': 78920, 'amount go long': 53186, 'long way zenith': 501829, 'way zenith 101553042': 970214, 'zenith 101553042 dream': 1027378, '101553042 dream from': 2236, 'dream from the': 258594, 'from the slum': 337879, 'the slum food': 867349, 'slum food support': 774666, 'fudgiechunks': 340106, 'fudge': 340099, 'fudgeislife': 340103, 'keepcalmandcarryon': 472311, 'chocolatefudge': 177712, 'chocandmint': 177651, 'humpday': 410956, 'apocalypse ha': 81530, 'ha arrived': 369616, 'arrived and': 93942, 'mind here': 532672, 'at fudgiechunks': 98720, 'fudgiechunks we': 340107, 'make fudge': 509928, 'fudge log': 340100, 'log yep': 500628, 'yep apocalypse': 1015333, 'apocalypse lockdown': 81549, 'lockdown corvid19': 499274, 'corvid19 fudgeislife': 207729, 'fudgeislife keepcalmandcarryon': 340104, 'keepcalmandcarryon chocolatefudge': 472312, 'chocolatefudge chocandmint': 177713, 'chocandmint wednesdaywisdom': 177652, 'wednesdaywisdom wednesday': 975745, 'wednesday humpday': 975645, 'humpday stoppanicbuying': 410957, 'when the apocalypse': 984127, 'the apocalypse ha': 848808, 'apocalypse ha arrived': 81531, 'ha arrived and': 369617, 'arrived and everyone': 93943, 'and everyone ha': 62398, 'everyone ha lost': 286970, 'lost their mind': 503929, 'their mind here': 873975, 'mind here at': 532673, 'here at fudgiechunks': 392781, 'at fudgiechunks we': 98721, 'fudgiechunks we make': 340108, 'we make fudge': 972334, 'make fudge log': 509929, 'fudge log yep': 340102, 'log yep apocalypse': 500629, 'yep apocalypse lockdown': 1015334, 'apocalypse lockdown corvid19': 81550, 'lockdown corvid19 fudgeislife': 499275, 'corvid19 fudgeislife keepcalmandcarryon': 207730, 'fudgeislife keepcalmandcarryon chocolatefudge': 340105, 'keepcalmandcarryon chocolatefudge chocandmint': 472313, 'chocolatefudge chocandmint wednesdaywisdom': 177714, 'chocandmint wednesdaywisdom wednesday': 177653, 'wednesdaywisdom wednesday humpday': 975746, 'wednesday humpday stoppanicbuying': 975646, 'are explaining': 86358, 'explaining it': 292182, 'emergency expense': 272690, 'expense in': 291194, 'that order': 845548, 'they are explaining': 881267, 'are explaining it': 86359, 'explaining it lower': 292183, 'it lower oil': 459477, '19 emergency expense': 6754, 'emergency expense in': 272691, 'expense in that': 291195, 'in that order': 428927, 'now book': 574265, 'book feel': 134517, 'more vital': 540923, 'vital than': 959732, 'ever some': 285511, 'from christian': 334880, 'christian bookstore': 178111, 'bookstore across': 134782, 've compiled': 953008, 'compiled great': 191819, 'any location': 79425, 'location we': 498988, 'missed let': 534238, 'right now book': 722033, 'now book feel': 574266, 'book feel more': 134518, 'feel more vital': 302780, 'more vital than': 540924, 'vital than ever': 959733, 'than ever some': 840609, 'ever some of': 285512, 'of our friend': 587478, 'our friend from': 623183, 'friend from christian': 333611, 'from christian bookstore': 334881, 'christian bookstore across': 178112, 'bookstore across canada': 134783, 'across canada are': 29285, 'canada are offering': 160366, 'shopping delivery we': 762466, 'delivery we ve': 234727, 'we ve compiled': 973647, 've compiled great': 953009, 'compiled great list': 191820, 'great list but': 362803, 'list but if': 494289, 'know of any': 476638, 'of any location': 580264, 'any location we': 79426, 'location we ve': 498990, 'we ve missed': 973686, 've missed let': 953371, 'missed let know': 534239, 'svp': 829882, 'canada svp': 160573, 'svp look': 829885, 'the finding': 855238, 'finding of': 307515, 'what canadian': 981186, 'look survey': 502603, 'survey research': 828930, 'research food': 713717, 'what doe covid': 981359, 'for the way': 326771, 'way we buy': 970168, 'we buy grocery': 970877, 'buy grocery in': 148754, 'grocery in canada': 364612, 'in canada svp': 421200, 'canada svp look': 160574, 'svp look at': 829886, 'at the finding': 100946, 'the finding of': 855239, 'finding of our': 307516, 'of our survey': 587575, 'our survey to': 625058, 'survey to see': 828968, 'see what canadian': 746021, 'what canadian are': 981187, 'canadian are up': 160640, 'to at the': 900809, 'store take look': 810498, 'take look survey': 832296, 'look survey research': 502604, 'survey research food': 828931, 'research food retail': 713718, 'food retail grocery': 316206, 'a5': 24070, 'saddening': 729294, 'maddensmethods': 507603, 'a5 think': 24071, 'think brand': 885167, 'excellent job': 289091, 'this although': 886291, 'is saddening': 451608, 'saddening to': 729297, 'to constantly': 903249, 'constantly see': 195699, 'see due': 745065, 'medium source': 527289, 'source it': 786498, 'very respectful': 955471, 'consumer maddensmethods': 198085, 'a5 think brand': 24072, 'think brand are': 885168, 'brand are doing': 137742, 'doing an excellent': 252283, 'an excellent job': 55916, 'excellent job with': 289093, 'job with this': 466308, 'with this although': 1001675, 'this although it': 886292, 'although it is': 49330, 'it is saddening': 459067, 'is saddening to': 451610, 'saddening to constantly': 729298, 'to constantly see': 903253, 'constantly see due': 195700, 'see due to': 745066, '19 in all': 7729, 'all my email': 43552, 'my email and': 548084, 'email and medium': 272112, 'and medium source': 66926, 'medium source it': 527290, 'source it is': 786500, 'is very respectful': 453691, 'very respectful to': 955472, 'respectful to me': 715130, 'to me consumer': 909924, 'me consumer maddensmethods': 522593, 'mbrx': 522066, '2022': 14807, 'mbrx watch': 522067, 'watch whole': 968614, 'but minute': 146395, 'minute 12': 533703, '12 14': 2770, '14 very': 3540, 'unlikely they': 942759, 'any offering': 79545, 'offering at': 595024, 'enough funding': 277448, 'last to': 480582, 'to 2022': 899602, '2022 and': 14808, 'the breakthrough': 849980, 'breakthrough if': 139127, 'raise it': 695867, 'mbrx watch whole': 522068, 'watch whole thing': 968615, 'thing but minute': 884208, 'but minute 12': 146396, 'minute 12 14': 533704, '12 14 very': 2772, '14 very unlikely': 3541, 'very unlikely they': 955630, 'unlikely they will': 942760, 'they will do': 883844, 'will do any': 993221, 'do any offering': 249084, 'any offering at': 79546, 'offering at low': 595025, 'low price and': 505499, 'price and should': 672538, 'and should have': 71593, 'should have enough': 766074, 'have enough funding': 380449, 'enough funding to': 277449, 'funding to last': 341625, 'to last to': 909075, 'last to 2022': 480583, 'to 2022 and': 899603, '2022 and this': 14809, 'this wa before': 891055, 'before the breakthrough': 123143, 'the breakthrough if': 849981, 'breakthrough if they': 139128, 'if they raise': 415123, 'they raise it': 882971, 'raise it will': 695870, 'be at much': 113736, 'at much higher': 99789, 'much higher price': 544994, 'mycovidstory': 550704, 'most evil': 542307, 'evil money': 288450, 'money hungry': 536816, 'hungry and': 411223, 'selfish retail': 748241, 'america someone': 51684, 'someone that': 784684, 'that tested': 846638, 'for wa': 327604, 'the dm': 853436, 'dm still': 248931, 'still refuse': 801108, 'store mycovidstory': 809018, 'the most evil': 860982, 'most evil money': 542308, 'evil money hungry': 288451, 'money hungry and': 536817, 'hungry and selfish': 411224, 'and selfish retail': 71198, 'selfish retail company': 748242, 'retail company in': 717974, 'company in america': 190756, 'in america someone': 420235, 'america someone that': 51685, 'someone that tested': 784689, 'that tested positive': 846639, 'positive for wa': 665332, 'for wa in': 327605, 'and the dm': 73331, 'the dm still': 853437, 'dm still refuse': 248932, 'still refuse to': 801110, 'close store mycovidstory': 182812, 'comorbidities': 190301, 'ppum': 668402, 'allow your': 46108, 'an immunocompromised': 56181, 'immunocompromised elderly': 417460, 'ha multiple': 371306, 'multiple comorbidities': 545733, 'comorbidities especially': 190302, 'especially diabetes': 280459, 'diabetes susceptible': 240187, 'infection dr': 436752, 'dr emergency': 258009, 'emergency department': 272662, 'department ppum': 237255, 'ppum 19': 668403, 'not allow your': 568145, 'allow your parent': 46110, 'parent to go': 641750, 'go to crowded': 354296, 'to crowded supermarket': 903773, 'crowded supermarket an': 219356, 'supermarket an immunocompromised': 818918, 'an immunocompromised elderly': 56182, 'immunocompromised elderly person': 417461, 'person ha multiple': 652453, 'ha multiple comorbidities': 371307, 'multiple comorbidities especially': 545734, 'comorbidities especially diabetes': 190303, 'especially diabetes susceptible': 280460, 'diabetes susceptible to': 240188, 'susceptible to infection': 829444, 'to infection dr': 908361, 'infection dr emergency': 436753, 'dr emergency department': 258010, 'emergency department ppum': 272663, 'department ppum 19': 237256, 'impacting supply': 418258, 'chain trade': 171203, 'trade the': 928587, 'together guide': 920809, 'business leader': 143984, 'know find': 476376, 'is impacting supply': 448714, 'impacting supply chain': 418259, 'supply chain trade': 825054, 'chain trade the': 171204, 'trade the workforce': 928589, 'workforce and so': 1008342, 'so much more': 777795, 'more we ve': 540954, 'put together guide': 690940, 'together guide on': 920810, 'guide on what': 368342, 'on what business': 605212, 'what business leader': 981153, 'business leader should': 143986, 'leader should know': 483536, 'should know find': 766179, 'know find it': 476377, 'fukin': 340383, 'magarollercoaster': 508316, 'trumppence2020': 934118, '2ashallnotbeinfringed': 16551, 'is punishable': 451139, 'by fukin': 152650, 'fukin beat': 340384, 'your age': 1022757, 'age virginia': 37912, 'virginia teen': 957683, 'teen allegedly': 836470, 'allegedly recorded': 45705, 'recorded themselves': 705120, 'police magarollercoaster': 663079, 'magarollercoaster trumppence2020': 508317, 'trumppence2020 2a': 934119, '2a 2ashallnotbeinfringed': 16542, 'this is punishable': 888366, 'is punishable by': 451140, 'punishable by fukin': 689228, 'by fukin beat': 152651, 'fukin beat down': 340385, 'beat down on': 118519, 'down on site': 257035, 'on site don': 603482, 'site don care': 771908, 'don care about': 253418, 'about your age': 26985, 'your age virginia': 1022758, 'age virginia teen': 37913, 'virginia teen allegedly': 957684, 'teen allegedly recorded': 836471, 'allegedly recorded themselves': 45706, 'recorded themselves coughing': 705121, 'produce in grocery': 680316, 'store police magarollercoaster': 809608, 'police magarollercoaster trumppence2020': 663080, 'magarollercoaster trumppence2020 2a': 508318, 'trumppence2020 2a 2ashallnotbeinfringed': 934120, 'said mask': 731222, 'were enough': 979584, 'they lied': 882561, 'lied everyone': 488413, 'there had': 878455, 'had clothes': 372975, 'clothes on': 184182, 'on too': 604800, 'too coronacrisis': 924672, 'coronacrisis saturdaymorning': 204741, 'saturdaymorning groceryshopping': 737088, 'groceryshopping stayathome': 366281, 'they said mask': 883243, 'said mask and': 731223, 'glove were enough': 353023, 'were enough to': 979585, 'store they lied': 810672, 'they lied everyone': 882564, 'lied everyone there': 488415, 'everyone there had': 287472, 'there had clothes': 878457, 'had clothes on': 372976, 'clothes on too': 184188, 'on too coronacrisis': 604801, 'too coronacrisis saturdaymorning': 924673, 'coronacrisis saturdaymorning groceryshopping': 204742, 'saturdaymorning groceryshopping stayathome': 737089, 'slaughter': 773699, 'zoonotic': 1027859, 'govegan': 359742, 'right time': 722326, 'about animal': 24811, 'agriculture outbreak': 39010, 'at slaughter': 100547, 'slaughter house': 773700, 'house worker': 406704, 'worker rural': 1007716, 'rural community': 728230, 'community at': 189744, 'risk demand': 723491, 'plummet new': 661294, 'new swine': 559714, 'poland is': 662864, 'really essential': 702164, 'essential zoonotic': 281879, 'zoonotic govegan': 1027864, 'is now the': 450346, 'now the right': 576067, 'the right time': 865831, 'right time to': 722329, 'time to talk': 898083, 'talk about animal': 833727, 'about animal agriculture': 24812, 'animal agriculture outbreak': 76546, 'agriculture outbreak of': 39011, '19 at slaughter': 5247, 'at slaughter house': 100548, 'slaughter house worker': 773701, 'house worker rural': 406705, 'worker rural community': 1007717, 'rural community at': 728231, 'community at risk': 189746, 'at risk demand': 100351, 'risk demand plummet': 723493, 'demand plummet new': 236042, 'plummet new swine': 661295, 'new swine flu': 559715, 'swine flu in': 830387, 'flu in poland': 311423, 'in poland is': 426818, 'poland is all': 662865, 'is all this': 445472, 'all this really': 45128, 'this really essential': 889820, 'really essential zoonotic': 702167, 'essential zoonotic govegan': 281880, 'force want': 328542, 'happen peep': 377137, 'peep go': 646278, 'find me': 307050, 'to grandma': 906978, 'grandma and': 361904, 'and grandpa': 63919, 'grandpa good': 361951, 'luck sorry': 506472, 'sorry doc': 786037, 'doc going': 250743, 'going grocery': 355186, 'old fashion': 598245, 'fashion way': 299862, 'the task force': 869158, 'task force want': 834704, 'force want all': 328543, 'want all to': 965697, 'all to do': 45237, 'shopping online not': 763461, 'online not gonna': 608585, 'not gonna happen': 569712, 'gonna happen peep': 356551, 'happen peep go': 377138, 'peep go to': 646279, 'go to and': 354273, 'to and find': 900500, 'and find me': 62888, 'find me time': 307054, 'me time this': 523734, 'time this week': 897922, 'week to deliver': 977077, 'deliver food to': 233126, 'food to grandma': 317259, 'to grandma and': 906979, 'grandma and grandpa': 361905, 'and grandpa good': 63920, 'grandpa good luck': 361952, 'good luck sorry': 357358, 'luck sorry doc': 506473, 'sorry doc going': 786038, 'doc going grocery': 250744, 'going grocery shopping': 355187, 'grocery shopping the': 365090, 'shopping the old': 764088, 'the old fashion': 862135, 'old fashion way': 598246, 'wasn much': 968001, 'much left': 545046, 'this weird': 891332, 'weird stuff': 977789, 'stuff eat': 815055, 'eat every': 265907, 'day make': 227954, 'me coronacrisis': 522605, 'people there wasn': 649808, 'there wasn much': 879285, 'wasn much left': 968002, 'much left in': 545047, 'supermarket so had': 822730, 'buy all this': 148295, 'all this weird': 45147, 'this weird stuff': 891334, 'weird stuff me': 977790, 'stuff me that': 815128, 'kind of stuff': 474944, 'of stuff eat': 590327, 'stuff eat every': 815056, 'eat every day': 265908, 'every day make': 285826, 'day make sure': 227955, 'sure you leave': 827865, 'you leave some': 1019577, 'some for me': 782889, 'for me coronacrisis': 323311, 'patronising': 644435, 'shop government': 760240, 'over closest': 630090, 'closest supermarket': 183538, 'hospital only': 404532, 'only nh': 610821, 'nh key': 562001, 'army on': 93028, 'door patronising': 255689, 'patronising press': 644436, 'press briefing': 671014, 'briefing saying': 139739, 'saying enough': 739588, 'stock doesn': 802051, 'doesn feed': 251789, 'feed hungry': 302320, 'hungry key': 411275, 'worker nhscovidheroes': 1007442, 'solution to key': 782104, 'to key worker': 908901, 'key worker being': 473471, 'worker being able': 1006522, 'to shop government': 914461, 'shop government take': 760241, 'government take over': 360660, 'take over closest': 832468, 'over closest supermarket': 630091, 'closest supermarket to': 183539, 'supermarket to hospital': 823381, 'to hospital only': 907976, 'hospital only nh': 404533, 'only nh key': 610822, 'nh key worker': 562002, 'key worker and': 473466, 'worker and old': 1006317, 'old people allowed': 598408, 'allowed in police': 46166, 'in police army': 426823, 'police army on': 662926, 'army on the': 93029, 'the door patronising': 853581, 'door patronising press': 255690, 'patronising press briefing': 644437, 'press briefing saying': 671017, 'briefing saying enough': 139740, 'saying enough stock': 739589, 'enough stock doesn': 277633, 'stock doesn feed': 802052, 'doesn feed hungry': 251790, 'feed hungry key': 302321, 'hungry key worker': 411276, 'key worker nhscovidheroes': 473501, 'sologenic': 781975, 'solo': 781970, 'to using': 918085, 'using sologenic': 950662, 'sologenic solo': 781976, 'solo to': 781971, 'cheap stock': 174198, 'price soon': 676564, 'forward to using': 330044, 'to using sologenic': 918089, 'using sologenic solo': 950663, 'sologenic solo to': 781977, 'solo to buy': 781972, 'buy some cheap': 149199, 'some cheap stock': 782513, 'cheap stock on': 174200, '19 price soon': 9820, 'onslaught': 611558, 'who now': 989348, 'unemployed due': 941113, 'to important': 908189, 'and necessary': 67455, 'necessary containment': 553968, 'containment policy': 200614, 'example the': 288976, 'of hotel': 584777, 'hotel bar': 405122, 'restaurant the': 716743, 'virus onslaught': 958563, 'onslaught is': 611559, 'your fault': 1023814, 'fault will': 300429, 'be stronger': 117408, 'people who now': 650323, 'who now find': 989350, 'now find themselves': 574687, 'find themselves unemployed': 307321, 'themselves unemployed due': 876922, 'unemployed due to': 941114, 'due to important': 261825, 'to important and': 908190, 'important and necessary': 418733, 'and necessary containment': 67456, 'necessary containment policy': 553969, 'containment policy for': 200615, 'policy for example': 663409, 'for example the': 321292, 'example the closure': 288978, 'closure of hotel': 183965, 'of hotel bar': 584778, 'hotel bar and': 405123, 'and restaurant the': 70393, 'restaurant the money': 716744, 'the money will': 860834, 'money will soon': 537180, 'soon be coming': 785637, 'coming to you': 188238, 'to you the': 918928, 'you the chinese': 1021590, 'chinese virus onslaught': 177384, 'virus onslaught is': 958564, 'onslaught is not': 611560, 'is not your': 450227, 'not your fault': 572630, 'your fault will': 1023817, 'fault will be': 300430, 'will be stronger': 992703, 'be stronger than': 117409, 'stronger than ever': 814186, 'hammer': 374570, 'index tumble': 434251, 'tumble to': 935312, 'since 2011': 770459, '2011 covid': 13767, '19 hammer': 7417, 'hammer the': 374574, 'just in consumer': 469031, 'in consumer sentiment': 421718, 'sentiment index tumble': 750959, 'index tumble to': 434252, 'tumble to lowest': 935313, 'level since 2011': 487706, 'since 2011 covid': 770460, '2011 covid 19': 13768, 'covid 19 hammer': 213180, '19 hammer the': 7418, 'hammer the economy': 374575, 'koronafi': 477544, 'finland to': 307973, 'take seriously': 832557, 'seriously going': 751620, 'going with': 355812, 'store gathering': 807909, 'and group': 64008, 'group friend': 366704, 'friend running': 333779, 'you smart': 1021277, 'smart do': 775367, 'wait stricter': 964194, 'stricter government': 813662, 'government regulation': 360519, 'life koronafi': 488836, 'koronafi stayathome': 477545, 'please people in': 660284, 'people in finland': 648375, 'in finland to': 422902, 'finland to take': 307974, 'to take seriously': 916232, 'take seriously going': 832559, 'seriously going with': 751621, 'going with the': 355815, 'with the entire': 1001285, 'entire family to': 278676, 'grocery store gathering': 365423, 'store gathering at': 807910, 'gathering at the': 344444, 'at the park': 101045, 'park and group': 641860, 'and group friend': 64009, 'group friend running': 366705, 'friend running do': 333780, 'not make you': 570512, 'make you smart': 510749, 'you smart do': 1021278, 'smart do you': 775368, 'to wait stricter': 918273, 'wait stricter government': 964195, 'stricter government regulation': 813663, 'government regulation to': 360521, 'regulation to save': 708124, 'save life koronafi': 737547, 'life koronafi stayathome': 488837, 'protested': 685937, 'why worker': 991561, 'have protested': 382090, 'protested against': 685938, 'against inadequate': 37509, 'inadequate protective': 431208, 'is why worker': 453984, 'why worker have': 991563, 'worker have protested': 1007090, 'have protested against': 382091, 'protested against inadequate': 685939, 'against inadequate protective': 37510, 'inadequate protective measure': 431209, 'house coordinator': 406238, 'coordinator don': 203235, 'store deadline': 807268, 'deadline coronavtj': 229213, 'white house coordinator': 987845, 'house coordinator don': 406239, 'coordinator don go': 203236, 'to grocery or': 907007, 'grocery or drug': 364802, 'drug store deadline': 261088, 'store deadline coronavtj': 807269, 'asking fijian': 95975, 'fijian to': 305307, 'considerate and': 195206, 'commission is asking': 188847, 'is asking fijian': 445826, 'asking fijian to': 95976, 'fijian to be': 305308, 'to be considerate': 901177, 'be considerate and': 114194, 'considerate and not': 195208, 'and not take': 67778, 'people they employ': 649819, 'employ in light': 273445, '19 global pandemic': 7221, 'faro': 299717, 'warranty': 967330, 'renewal': 710994, 'calibration': 155447, 'faro re': 299718, 're faro': 698674, 'faro warranty': 299720, 'warranty renewal': 967338, 'renewal covid': 710997, 'the faro': 854956, 'warranty is': 967335, 'is total': 453296, 'total rip': 926238, 'rip off': 722660, 'off for': 593825, 'just clean': 468483, 'and calibration': 59407, 'calibration consumer': 155448, 'law doe': 482258, 'not permit': 571006, 'permit limiting': 652158, 'limiting warranty': 492889, 'warranty to': 967340, 'just 12': 468097, 'with expensive': 998334, 'expensive item': 291260, 'not paid': 570888, 'paid it': 634037, 'faro re faro': 299719, 're faro warranty': 698675, 'faro warranty renewal': 299722, 'warranty renewal covid': 967339, 'renewal covid 19': 710998, 'economic impact the': 267139, 'impact the faro': 417995, 'the faro warranty': 854957, 'faro warranty is': 299721, 'warranty is total': 967337, 'is total rip': 453299, 'total rip off': 926239, 'rip off for': 722665, 'off for what': 593836, 'for what is': 327798, 'what is just': 981704, 'is just clean': 449124, 'just clean and': 468484, 'clean and calibration': 180455, 'and calibration consumer': 59408, 'calibration consumer law': 155449, 'consumer law doe': 197998, 'law doe not': 482259, 'doe not permit': 251516, 'not permit limiting': 571007, 'permit limiting warranty': 652159, 'limiting warranty to': 492890, 'warranty to just': 967341, 'to just 12': 908718, 'just 12 month': 468098, '12 month with': 2906, 'month with expensive': 538131, 'with expensive item': 998335, 'expensive item we': 291262, 'have not paid': 381691, 'not paid it': 570889, 'paid it for': 634038, 'it for the': 458099, 'markherringva': 517891, 'vawx': 952758, 'to markherringva': 909864, 'markherringva office': 517892, 'office vawx': 595577, 'it to markherringva': 461731, 'to markherringva office': 909865, 'markherringva office vawx': 517893, 'give shout': 350697, 'farmer the': 299519, 'the trucker': 870040, 'trucker the': 932956, 'store who': 811297, 'kept me': 473055, 'those poor': 892358, 'poor chicken': 664145, 'chicken that': 175868, 've consumed': 953014, 'consumed over': 195973, 'like to give': 491592, 'to give shout': 906712, 'give shout out': 350698, 'the farmer the': 854946, 'farmer the trucker': 299524, 'the trucker the': 870042, 'trucker the folk': 932957, 'folk who work': 312305, 'work in my': 1005325, 'grocery store who': 365953, 'store who have': 811303, 'who have kept': 988932, 'have kept me': 381217, 'kept me from': 473056, 'me from going': 522785, 'from going crazy': 335657, 'going crazy and': 355094, 'crazy and all': 215243, 'all those poor': 45178, 'those poor chicken': 892359, 'poor chicken that': 664146, 'chicken that ve': 175869, 'that ve consumed': 847231, 've consumed over': 953015, 'consumed over the': 195974, 'agbarr': 37775, 'prosecuting': 684652, 'wwg1wga': 1013677, 'good agbarr': 356699, 'agbarr is': 37776, 'investigating prosecuting': 443850, 'prosecuting industrial': 684653, 'industrial hoarder': 435547, 'hoarder price': 399097, 'gouger who': 359225, 'are disrupting': 85866, 'profit including': 682778, 'including toiletpaper': 432215, 'toiletpaper wuhanvirus': 922874, 'wuhanvirus wwg1wga': 1013595, 'wwg1wga qanon': 1013679, 'qanon trump': 691467, 'trump kag': 933672, 'very good agbarr': 955183, 'good agbarr is': 356700, 'agbarr is investigating': 37777, 'is investigating prosecuting': 448974, 'investigating prosecuting industrial': 443851, 'prosecuting industrial hoarder': 684654, 'industrial hoarder price': 435548, 'hoarder price gouger': 399098, 'price gouger who': 674248, 'gouger who are': 359226, 'who are disrupting': 988132, 'are disrupting the': 85867, 'chain of health': 170959, 'of health medical': 584511, 'medical supply for': 526444, 'supply for profit': 825275, 'for profit including': 324794, 'profit including toiletpaper': 682779, 'including toiletpaper wuhanvirus': 432217, 'toiletpaper wuhanvirus wwg1wga': 922875, 'wuhanvirus wwg1wga qanon': 1013596, 'wwg1wga qanon trump': 1013680, 'qanon trump kag': 691468, 'moment for': 535934, 'see article': 744942, 'article with': 94505, 'our perspective': 624319, 'perspective on': 653220, 'shifting the': 758554, 'watershed moment for': 969304, 'moment for online': 535936, 'grocery shopping see': 365077, 'shopping see article': 763826, 'see article with': 744943, 'article with our': 94508, 'with our perspective': 1000011, 'our perspective on': 624321, 'perspective on how': 653221, '19 is shifting': 8046, 'is shifting the': 451853, 'shifting the grocery': 758557, 'preserved': 670713, '1960': 12401, 'resource stock': 714885, 'tried no': 931797, 'power electricity': 667601, 'electricity stocked': 271210, 'be preserved': 116524, 'preserved no': 670716, 'challenge facing': 171448, 'facing nigeria': 295549, 'nigeria is': 562754, 'still basic': 800239, 'basic since': 112052, 'since 1960': 770423, '1960 no': 12402, 'no light': 564595, 'light no': 489545, 'no water': 565856, 'water no': 969069, 'at home stock': 99123, 'up your home': 946739, 'your home for': 1024353, 'few week no': 304155, 'week no resource': 976570, 'no resource stock': 565337, 'resource stock up': 714886, 'up for few': 944933, 'few day tried': 303795, 'day tried no': 228619, 'tried no power': 931799, 'no power electricity': 565157, 'power electricity stocked': 667602, 'electricity stocked up': 271211, 'stocked up can': 803436, 'up can be': 944571, 'can be preserved': 157666, 'be preserved no': 116525, 'preserved no resource': 670717, 'no resource the': 565338, 'resource the challenge': 714891, 'the challenge facing': 850641, 'challenge facing nigeria': 171450, 'facing nigeria is': 295550, 'nigeria is still': 562755, 'is still basic': 452265, 'still basic since': 800240, 'basic since 1960': 112053, 'since 1960 no': 770424, '1960 no light': 12403, 'no light no': 564596, 'light no water': 489546, 'no water no': 565858, 'water no food': 969070, 'first flight': 308677, 'the stricken': 868277, 'stricken site': 813605, 'site land': 771967, 'land in': 479268, 'sydney with': 830730, 'gown and': 361365, 'fan following': 298513, 'the february': 855047, 'february medical': 301733, 'ppe theft': 668074, 'theft they': 872366, 'now likely': 575211, 'sell defective': 748674, 'defective equipment': 232077, 'equipment back': 279694, 'australia at': 103230, 'the first flight': 855309, 'first flight in': 308678, 'flight in month': 310497, 'in month from': 425415, 'month from the': 537748, 'from the stricken': 337892, 'the stricken site': 868278, 'stricken site land': 813606, 'site land in': 771968, 'land in sydney': 479269, 'in sydney with': 428783, 'sydney with mask': 830732, 'with mask gown': 999408, 'mask gown and': 518766, 'gown and fan': 361366, 'and fan following': 62687, 'fan following the': 298514, 'following the february': 312885, 'the february medical': 855048, 'february medical equipment': 301734, 'medical equipment ppe': 526160, 'equipment ppe theft': 279811, 'ppe theft they': 668075, 'theft they are': 872367, 'are now likely': 88565, 'now likely to': 575212, 'likely to sell': 492175, 'to sell defective': 914147, 'sell defective equipment': 748675, 'defective equipment back': 232078, 'equipment back to': 279695, 'back to australia': 107353, 'to australia at': 900838, 'australia at inflated': 103231, 'experienced one': 291592, 'one yesterday': 607533, 'yesterday outside': 1015829, 'store covid': 807214, '19 act': 4796, 'experienced one yesterday': 291593, 'one yesterday outside': 607534, 'yesterday outside the': 1015830, 'grocery store covid': 365312, 'store covid 19': 807215, 'covid 19 act': 212576, '19 act of': 4797, 'kindness in uncertain': 475210, 'closing retail': 183739, 'retail premise': 718400, 'quickly gain': 694533, 'gain an': 342754, 'given the ongoing': 351145, 'ongoing situation we': 607690, 'offer the chance': 594826, 'chance to convert': 171795, 'current website to': 221434, 'website to an': 975438, 'to an commerce': 900444, 'are closing retail': 85397, 'closing retail premise': 183741, 'retail premise and': 718401, 'you to quickly': 1021827, 'to quickly gain': 912681, 'quickly gain an': 694534, 'gain an online': 342755, 'yo but': 1016425, 'some organisation': 783470, 'organisation around': 619253, 'around who': 93628, 'what day': 981294, 'day because': 227353, 'because imagine': 119152, 'imagine it': 416747, 'it chaos': 457105, 'chaos right': 173053, 'the concept': 851419, 'concept of': 192865, 'normally also': 567478, 'also shit': 48873, 'shit almost': 759054, 'beer gotta': 122464, 'yo but how': 1016427, 'how about some': 407304, 'about some organisation': 26229, 'some organisation around': 783471, 'organisation around who': 619254, 'around who can': 93629, 'the supermarket on': 868726, 'supermarket on what': 821743, 'on what day': 605220, 'what day because': 981295, 'day because imagine': 227355, 'because imagine it': 119153, 'imagine it chaos': 416748, 'it chaos right': 457107, 'chaos right now': 173054, 'now and people': 574050, 'do not seem': 249838, 'seem to understand': 746701, 'understand the concept': 940749, 'the concept of': 851420, 'concept of shop': 192867, 'of shop normally': 589622, 'shop normally also': 760493, 'normally also shit': 567479, 'also shit almost': 48874, 'shit almost out': 759055, 'almost out of': 46721, 'out of beer': 626684, 'of beer gotta': 580619, 'beer gotta go': 122465, 'gotta go to': 359080, 'centeris': 169350, 'surviving debt': 829353, 'debt from': 230484, 'law centeris': 482242, 'centeris available': 169351, 'free during': 331789, 'surviving debt from': 829354, 'debt from national': 230485, 'from national consumer': 336546, 'national consumer law': 552455, 'consumer law centeris': 197997, 'law centeris available': 482243, 'centeris available to': 169352, 'to all for': 900248, 'all for free': 42836, 'for free during': 321714, 'free during the': 331791, 'agfundernews': 38211, 'price agfundernews': 672245, 'of on fresh': 587218, 'commodity price agfundernews': 189257, 'news healthcare': 560505, 'actor actress': 30557, 'actress pro': 30618, 'pro athlete': 679097, 'athlete famous': 101766, 'musician this': 546381, 'still developing': 800430, 'developing 19': 239763, '19 democratsaredestroyingamerica': 6490, 'democratsaredestroyingamerica mondaymorning': 236782, 'mondaymorning stayhome': 536453, 'breaking news healthcare': 139002, 'news healthcare worker': 560507, 'truck driver are': 932765, 'driver are now': 259437, 'than actor actress': 840316, 'actor actress pro': 30558, 'actress pro athlete': 30619, 'pro athlete famous': 679101, 'athlete famous musician': 101767, 'famous musician this': 298482, 'musician this story': 546382, 'story is still': 812025, 'is still developing': 452272, 'still developing 19': 800431, 'developing 19 democratsaredestroyingamerica': 239764, '19 democratsaredestroyingamerica mondaymorning': 6491, 'democratsaredestroyingamerica mondaymorning stayhome': 236783, 'retail during': 718049, 'during via': 263379, 'is mustread': 449774, 'mustread for': 547037, 'for smallbiz': 325668, 'smallbiz retailer': 775199, 'survive now': 829202, 'is able': 445262, 'do phone': 249981, 'how to retail': 409074, 'to retail during': 913448, 'retail during via': 718054, 'during via this': 263382, 'this is mustread': 888324, 'is mustread for': 449775, 'mustread for smallbiz': 547038, 'for smallbiz retailer': 325669, 'smallbiz retailer on': 775200, 'retailer on how': 719262, 'to survive now': 916038, 'survive now if': 829204, 'now if your': 574976, 'if your retail': 415607, 'store is able': 808460, 'is able to': 445263, 'stay open and': 797151, 'open and for': 612057, 'who can only': 988397, 'can only do': 159123, 'only do phone': 610340, 'do phone and': 249982, 'due panic': 261674, 'buying should': 151025, 'water while': 969256, 'while escaping': 986797, 'due panic buying': 261675, 'panic buying should': 637885, 'buying should be': 151026, 'and water while': 75264, 'water while escaping': 969257, 'while escaping war': 986798, 'them but we': 875502, 'financialwellbeing': 306723, 'lockdown coronavirus': 499272, 'coronavirus financial': 205922, 'financial battle': 306335, 'by financialplanning': 152586, 'financialplanning financialwellbeing': 306708, 'financialwellbeing lockdown': 306724, 'money on lockdown': 536934, 'on lockdown coronavirus': 601908, 'lockdown coronavirus financial': 499273, 'coronavirus financial battle': 205923, 'financial battle plan': 306336, 'battle plan by': 112811, 'plan by financialplanning': 658084, 'by financialplanning financialwellbeing': 152587, 'financialplanning financialwellbeing lockdown': 306709, 'putin doesn': 691023, 'doesn play': 251916, 'play dealing': 659136, 'sudden face': 817001, 'putin doesn play': 691024, 'doesn play dealing': 251917, 'play dealing with': 659137, 'dealing with sudden': 229694, 'with sudden face': 1001039, 'sudden face mask': 817002, 'mask price hike': 519145, 'pascal': 643184, 'montagne': 537481, 'covid19 panic': 214347, 'panic pascal': 638403, 'pascal montagne': 643185, 'montagne for': 537482, 'panic france': 638129, 'france french': 330991, 'french food': 332728, 'shortage paranoia': 765168, 'paranoia disease': 641427, 'disease health': 245154, 'covid19 panic pascal': 214348, 'panic pascal montagne': 638404, 'pascal montagne for': 643186, 'montagne for and': 537483, 'for and panic': 319333, 'and panic france': 68654, 'panic france french': 638130, 'france french food': 330992, 'french food shortage': 332729, 'food shortage paranoia': 316596, 'shortage paranoia disease': 765169, 'paranoia disease health': 641428, 'disease health pandemic': 245155, 'p40': 632815, 'livestream': 496284, 'cet': 170264, 'bored with': 135381, 'with join': 999114, 'join p40': 466819, 'p40 series': 632816, 'series global': 751256, 'global livestream': 352008, 'livestream launch': 496288, 'online 14': 607751, '00 cet': 126, 'cet 1pm': 170265, '1pm uk': 12699, 'time youtube': 898429, 'youtube website': 1026928, 'bored with join': 135382, 'with join p40': 999115, 'join p40 series': 466820, 'p40 series global': 632817, 'series global livestream': 751257, 'global livestream launch': 352009, 'livestream launch online': 496289, 'launch online 14': 481937, 'online 14 00': 607752, '14 00 cet': 3375, '00 cet 1pm': 127, 'cet 1pm uk': 170266, '1pm uk time': 12700, 'uk time youtube': 938822, 'time youtube website': 898430, 'sfbayarea': 754263, 'x2': 1013756, 'shelterinplace quick': 758018, 'quick report': 694353, 'from sfbayarea': 337225, 'sfbayarea on': 754264, 'not locked': 570449, 'locked this': 500502, 'encourage citizen': 275574, 'themselves we': 876929, 'can drive': 158159, 'drive walk': 259253, 'walk go': 964789, 'thru take': 895221, 'etc we': 282858, 'we feel': 971536, 'feel calm': 302591, 'calm safe': 156790, 'safe wa': 730101, 'wa absent': 961414, 'absent x2': 27209, 'x2 this': 1013757, 'shelterinplace quick report': 758019, 'quick report from': 694354, 'report from sfbayarea': 711980, 'from sfbayarea on': 337226, 'sfbayarea on day': 754265, 'on day one': 600224, 'day one we': 228157, 'one we are': 607390, 'are not locked': 88412, 'not locked this': 570450, 'locked this is': 500503, 'is way to': 453795, 'way to encourage': 970023, 'to encourage citizen': 905056, 'encourage citizen to': 275575, 'citizen to socially': 178988, 'socially distance themselves': 781048, 'distance themselves we': 246852, 'themselves we can': 876931, 'we can drive': 970936, 'can drive walk': 158163, 'drive walk go': 259254, 'walk go to': 964791, 'to the drive': 916653, 'drive thru take': 259205, 'thru take out': 895222, 'take out grocery': 832448, 'out grocery store': 626241, 'pharmacy etc we': 654302, 'etc we feel': 282861, 'we feel calm': 971537, 'feel calm safe': 302592, 'calm safe wa': 156791, 'safe wa absent': 730102, 'wa absent x2': 961415, 'absent x2 this': 27210, 'x2 this morning': 1013758, 'this morning my': 888988, 'morning my experience': 541364, 'breakthechain': 139121, 'teesta': 836589, 'lahag': 478983, 'hotella': 405222, 'safe use': 730092, 'sanitizer break': 734595, 'chain save': 171080, 'life save': 489004, 'save india': 737524, 'corona indiafightscorona': 204016, 'indiafightscorona safetyfirst': 434729, 'safetyfirst washyourhands': 730811, 'washyourhands staysafestayhome': 967924, 'staysafestayhome breakthechain': 798989, 'breakthechain sanitizer': 139124, 'sanitizer handwash': 735039, 'handwash anti': 376754, 'anti viral': 78339, 'viral teesta': 957629, 'teesta lahag': 836590, 'lahag hotella': 478984, 'stay safe use': 797292, 'safe use sanitizer': 730093, 'use sanitizer break': 949539, 'sanitizer break the': 734596, 'break the chain': 138804, 'the chain save': 850633, 'chain save life': 171081, 'save life save': 737554, 'life save india': 489005, 'save india corona': 737525, 'india corona indiafightscorona': 434358, 'corona indiafightscorona safetyfirst': 204017, 'indiafightscorona safetyfirst washyourhands': 434730, 'safetyfirst washyourhands staysafestayhome': 730812, 'washyourhands staysafestayhome breakthechain': 967925, 'staysafestayhome breakthechain sanitizer': 798990, 'breakthechain sanitizer handwash': 139125, 'sanitizer handwash anti': 735041, 'handwash anti viral': 376755, 'anti viral teesta': 78341, 'viral teesta lahag': 957630, 'teesta lahag hotella': 836591, 'flashback': 310035, 'childhood': 176315, 'closed thought': 183387, 'thought never': 893133, 'never see': 558165, 'this again': 886243, 'again after': 36873, 'the berlin': 849481, 'berlin wall': 127353, 'wall came': 965158, 'came down': 156986, 'down having': 256825, 'having flashback': 384068, 'flashback from': 310036, 'my childhood': 547682, 'empty and the': 274776, 'and the border': 73263, 'the border are': 849869, 'border are closed': 135220, 'are closed thought': 85372, 'closed thought never': 183388, 'thought never see': 893134, 'never see this': 558168, 'see this again': 745936, 'this again after': 886244, 'again after the': 36875, 'after the berlin': 36287, 'the berlin wall': 849482, 'berlin wall came': 127354, 'wall came down': 965159, 'came down having': 156987, 'down having flashback': 256826, 'having flashback from': 384069, 'flashback from my': 310037, 'from my childhood': 336502, 'coronavirus because': 205550, 'strike amp': 813723, 'amp demanded': 53636, 'instacart delivery worker': 439917, 'delivery worker in': 234775, 'worker in massachusetts': 1007184, 'told that they': 923699, 'that they may': 846937, 'the coronavirus because': 851809, 'coronavirus because of': 205551, 'because of an': 119308, 'announced strike amp': 77051, 'strike amp demanded': 813724, 'amp demanded basic': 53637, 'basic protection from': 112036, 'tumblr': 935357, 'delving': 234851, 'libtard': 488080, 'blown': 133396, 'some tumblr': 784124, 'tumblr delving': 935358, 'delving libtard': 234852, 'libtard stole': 488081, 'stole my': 804274, 'cart unbelievable': 165409, 'unbelievable that': 939511, 'this everything': 887468, 'everything blown': 287711, 'blown out': 133403, 'of proportion': 588541, 'proportion trump2020': 684432, 'store some tumblr': 810265, 'some tumblr delving': 784125, 'tumblr delving libtard': 935359, 'delving libtard stole': 234853, 'libtard stole my': 488082, 'stole my cart': 804275, 'my cart unbelievable': 547629, 'cart unbelievable that': 165410, 'unbelievable that people': 939512, 'are acting like': 84192, 'acting like this': 29888, 'like this everything': 491488, 'this everything blown': 887469, 'everything blown out': 287712, 'blown out of': 133404, 'out of proportion': 626813, 'of proportion trump2020': 588543, 'popularity': 664616, 'are merchant': 88065, 'merchant dealing': 529008, 'increasing popularity': 433657, 'popularity of': 664619, 'of onlineshopping': 587269, 'onlineshopping in': 609907, 'post we': 666394, 'tackle this': 831616, 'this question': 889787, 'question and': 693519, 'how are merchant': 407408, 'are merchant dealing': 88067, 'merchant dealing with': 529009, 'dealing with and': 229656, 'with and the': 997252, 'and the increasing': 73424, 'the increasing popularity': 858086, 'increasing popularity of': 433658, 'popularity of onlineshopping': 664622, 'of onlineshopping in': 587270, 'onlineshopping in our': 609908, 'latest post we': 481504, 'post we tackle': 666397, 'we tackle this': 973475, 'tackle this question': 831618, 'this question and': 889788, 'question and more': 693523, 'icymi in': 412885, 'our recent': 624552, 'recent consultation': 703841, 'consultation consumer': 195880, 'oriented firm': 619525, 'firm described': 308333, 'described how': 237946, 'how sale': 408618, 'sale collapsed': 732124, 'collapsed due': 186095, 'business outlook': 144169, 'outlook survey': 629186, 'survey for': 828866, 'detail cdnecon': 239173, 'icymi in our': 412886, 'in our recent': 426331, 'our recent consultation': 624554, 'recent consultation consumer': 703842, 'consultation consumer oriented': 195881, 'consumer oriented firm': 198295, 'oriented firm described': 619526, 'firm described how': 308334, 'described how sale': 237947, 'how sale collapsed': 408619, 'sale collapsed due': 732125, 'collapsed due to': 186096, 'due to read': 261918, 'read our business': 700501, 'our business outlook': 622289, 'business outlook survey': 144170, 'outlook survey for': 629188, 'survey for detail': 828867, 'for detail cdnecon': 320679, 'detail cdnecon economy': 239174, 'touchitsafe': 926756, 'canttouchthis': 162379, 'shoppingcart': 764498, 'online link': 608491, 'bio before': 131129, 'an encounter': 55729, 'encounter with': 275545, 'with surface': 1001089, 'surface like': 828040, 'this touchitsafe': 890824, 'touchitsafe canttouchthis': 926757, 'canttouchthis rubber': 162380, 'rubber virus': 726956, 'virus restroom': 958692, 'restroom groceryshopping': 717436, 'groceryshopping grocerystore': 366256, 'grocerystore supermarket': 366330, 'supermarket shoppingcart': 822661, 'shoppingcart bathroom': 764499, 'bathroom safetytips': 112661, 'safetytips besafe': 730821, 'besafe safe': 127444, 'safe germ': 729705, 'order online link': 618473, 'online link in': 608492, 'in bio before': 420844, 'bio before you': 131130, 'before you have': 123322, 'have an encounter': 379246, 'an encounter with': 55730, 'encounter with surface': 275546, 'with surface like': 1001090, 'surface like this': 828042, 'like this touchitsafe': 491544, 'this touchitsafe canttouchthis': 890825, 'touchitsafe canttouchthis rubber': 926758, 'canttouchthis rubber virus': 162381, 'rubber virus restroom': 726957, 'virus restroom groceryshopping': 958693, 'restroom groceryshopping grocerystore': 717437, 'groceryshopping grocerystore supermarket': 366258, 'grocerystore supermarket shoppingcart': 366331, 'supermarket shoppingcart bathroom': 822662, 'shoppingcart bathroom safetytips': 764500, 'bathroom safetytips besafe': 112662, 'safetytips besafe safe': 730822, 'besafe safe germ': 127445, '2020 market': 14433, 'and associated': 58461, 'associated measure': 96927, 'measure category': 525154, 'category specific': 167217, 'specific impact': 788220, 'impact assessment': 417571, 'assessment of': 96396, 'covered in': 212420, 'latest edition': 481310, 'of procurement': 588460, 'procurement beige': 680109, 'beige book': 124777, 'book click': 134502, 'metal price are': 529648, 'expected to drop': 290975, 'drop in 2020': 260224, 'in 2020 market': 419844, '2020 market are': 14434, 'are affected due': 84248, 'outbreak and associated': 627987, 'and associated measure': 58463, 'associated measure category': 96928, 'measure category specific': 525155, 'category specific impact': 167218, 'specific impact assessment': 788221, 'impact assessment of': 417573, 'assessment of covid': 96397, '19 covered in': 6176, 'covered in the': 212424, 'in the latest': 429309, 'the latest edition': 859096, 'latest edition of': 481311, 'edition of procurement': 268633, 'of procurement beige': 588461, 'procurement beige book': 680110, 'beige book click': 124778, 'book click to': 134503, 'click to know': 181960, 'to know more': 908985, 'ushered': 950352, 'disciplinary': 244352, 'plague ushered': 657987, 'ushered in': 950353, 'in disciplinary': 422291, 'disciplinary society': 244353, 'may accelerate': 520886, 'control society': 202133, 'society phone': 781286, 'location tracking': 498977, 'tracking drone': 928333, 'enforce quarantine': 276679, 'quarantine apps': 692033, 'report symptom': 712301, 'symptom schedule': 830914, 'schedule test': 741467, 'test shopping': 839167, 'shopping move': 763300, 'move online': 543704, 'just the plague': 470009, 'the plague ushered': 863787, 'plague ushered in': 657988, 'ushered in disciplinary': 950354, 'in disciplinary society': 422292, 'disciplinary society the': 244354, 'society the may': 781327, 'the may accelerate': 860312, 'may accelerate the': 520887, 'accelerate the emergence': 27862, 'emergence of control': 272572, 'of control society': 581847, 'control society phone': 202134, 'society phone location': 781287, 'phone location tracking': 654972, 'location tracking drone': 498978, 'tracking drone to': 928334, 'drone to enforce': 260084, 'to enforce quarantine': 905118, 'enforce quarantine apps': 276680, 'quarantine apps to': 692034, 'apps to report': 83326, 'to report symptom': 913287, 'report symptom schedule': 712302, 'symptom schedule test': 830915, 'schedule test shopping': 741468, 'test shopping move': 839168, 'shopping move online': 763301, 'you facing': 1018508, 'facing economic': 295456, 'economic hardship': 267116, 'and concerned': 60248, 'mortgage the': 541964, 'bureau offer': 142800, 'offer this': 594840, 'are you facing': 91789, 'you facing economic': 1018509, 'facing economic hardship': 295457, 'economic hardship due': 267117, '19 and concerned': 5001, 'and concerned about': 60249, 'your mortgage the': 1024886, 'mortgage the consumer': 541965, 'protection bureau offer': 685366, 'bureau offer this': 142802, 'offer this guide': 594841, 'this guide to': 887782, 'walkaroundthingsday': 964934, 'who else': 988680, 'this whilst': 891368, 'whilst doing': 987629, 'shop walkaroundthingsday': 761013, 'who else feel': 988682, 'like this whilst': 491549, 'this whilst doing': 891369, 'whilst doing their': 987630, 'doing their supermarket': 252741, 'their supermarket shop': 874908, 'supermarket shop walkaroundthingsday': 822598, 'that tomorrow': 847085, 'tomorrow is': 924106, 'is saturday': 451646, 'saturday and': 737004, 'and literally': 66231, 'literally the': 495093, 'that expect': 843791, 'expect of': 290688, 'own routine': 632172, 'routine still': 726533, 'still gonna': 800596, 'gonna update': 356644, 'update my': 947083, 'schedule for': 741435, 'for virtual': 327569, 'virtual package': 957768, 'package email': 633256, 'happy that tomorrow': 377689, 'that tomorrow is': 847088, 'tomorrow is saturday': 924108, 'is saturday and': 451647, 'saturday and literally': 737007, 'and literally the': 66233, 'literally the only': 495094, 'thing that expect': 884803, 'that expect of': 843792, 'expect of myself': 290689, 'of myself is': 586836, 'myself is my': 550890, 'is my own': 449806, 'my own routine': 549655, 'own routine still': 632173, 'routine still gonna': 726534, 'still gonna update': 800597, 'gonna update my': 356645, 'update my schedule': 947087, 'my schedule for': 549997, 'schedule for virtual': 741436, 'for virtual package': 327570, 'virtual package email': 957769, 'package email or': 633257, 'email or dm': 272256, 'or dm for': 615010, 'currently furloughed': 221540, 'furloughed from': 341921, 'job bc': 465687, 'bc high': 113241, 'my high': 548672, 'high school': 395390, 'school age': 741672, 'age coworkers': 37809, 'coworkers are': 214498, 'it killing': 459270, 'killing me': 474694, 'passed some': 643298, 'some excellent': 782778, 'excellent measure': 289096, 'measure that': 525359, 'it safer': 460845, 'safer even': 730363, 'currently furloughed from': 221541, 'furloughed from my': 341922, 'from my grocery': 336510, 'store job bc': 808608, 'job bc high': 465688, 'bc high risk': 113242, 'high risk but': 395348, 'risk but the': 723430, 'but the store': 147411, 'open and my': 612064, 'and my high': 67370, 'my high school': 548673, 'high school age': 395391, 'school age coworkers': 741674, 'age coworkers are': 37810, 'coworkers are still': 214499, 'still going in': 800588, 'going in it': 355217, 'in it killing': 424253, 'it killing me': 459271, 'killing me but': 474695, 'me but my': 522535, 'but my town': 146442, 'my town just': 550415, 'town just passed': 927506, 'just passed some': 469439, 'passed some excellent': 643299, 'some excellent measure': 782779, 'excellent measure that': 289097, 'measure that may': 525362, 'that may make': 845084, 'may make it': 521336, 'make it safer': 510054, 'it safer even': 460846, 'safer even for': 730364, 'even for me': 284081, 'me to return': 523775, 'india india': 434463, 'india india india': 434464, 'india india we': 434466, 'india we can': 434686, 'dinner made': 243076, 'made using': 508054, 'using what': 950795, 'mo panicbuying': 534858, 'dinner made using': 243077, 'made using what': 508055, 'using what available': 950796, 'what available in': 981081, 'the mo panicbuying': 860705, 'mo panicbuying coronacrisis': 534859, 'this good': 887722, 'serve those': 751957, 'are without': 91659, 'without adequate': 1002473, 'long please': 501559, 'can meantime': 158984, 'meantime take': 524935, 'good on this': 357507, 'on this good': 604610, 'this good friday': 887723, 'friday the need': 333295, 'need is great': 555069, 'is great to': 448212, 'great to serve': 363072, 'to serve those': 914274, 'serve those who': 751959, 'who are without': 988259, 'are without adequate': 91660, 'without adequate food': 1002474, 'adequate food right': 32164, 'now is on': 575081, 'is on all': 450459, 'on all day': 599222, 'day long please': 227938, 'long please help': 501561, 'you can meantime': 1017725, 'can meantime take': 158985, 'meantime take care': 524936, 'price skid': 676427, 'skid after': 772934, 'after saudi': 36141, 'russia talk': 728575, 'talk stock': 833850, 'stock jump': 802332, 'slowdown oilprice': 774464, 'oilprice stock': 597640, 'oil price skid': 597258, 'price skid after': 676428, 'skid after saudi': 772935, 'after saudi russia': 36143, 'saudi russia talk': 737300, 'russia talk stock': 728576, 'talk stock jump': 833851, 'stock jump on': 802333, 'jump on covid': 467884, '19 slowdown oilprice': 10611, 'slowdown oilprice stock': 774465, 'wba': 970236, 'wba is': 970237, 'is victim': 453705, 'retail epidemic': 718090, 'epidemic walgreens': 279467, 'walgreens share': 964721, 'share fall': 754990, 'fall pandemic': 297023, 'hit store': 398412, 'wba is victim': 970238, 'is victim of': 453707, 'of the retail': 591415, 'the retail epidemic': 865715, 'retail epidemic walgreens': 718091, 'epidemic walgreens share': 279468, 'walgreens share fall': 964722, 'share fall pandemic': 754991, 'fall pandemic hit': 297024, 'pandemic hit store': 635642, 'hit store sale': 398413, 'store sale via': 809976, 'gammon': 343371, 'snowdon': 776403, 'shelf see': 757482, 'the herd': 857282, 'of gammon': 584036, 'gammon moron': 343372, 'moron on': 541612, 'on snowdon': 603517, 'snowdon don': 776404, 'minister because': 533337, 'is hiding': 448436, 'hiding and': 394861, 'think thank': 885582, 'thank fuck': 841573, 'fuck don': 339548, 'don live': 253706, 'england any': 277002, 'see the empty': 745831, 'supermarket shelf see': 822523, 'shelf see the': 757483, 'see the herd': 745840, 'the herd of': 857284, 'herd of gammon': 392618, 'of gammon moron': 584037, 'gammon moron on': 343373, 'moron on snowdon': 541613, 'on snowdon don': 603518, 'snowdon don see': 776405, 'don see the': 253896, 'see the prime': 745875, 'prime minister because': 678132, 'minister because he': 533338, 'because he is': 119116, 'he is hiding': 385127, 'is hiding and': 448437, 'hiding and not': 394862, 'and not for': 67738, 'first time think': 309114, 'time think thank': 897913, 'think thank fuck': 885583, 'thank fuck don': 841574, 'fuck don live': 339549, 'don live in': 253707, 'live in england': 495859, 'in england any': 422576, 'england any more': 277003, 'while global': 986873, 'food american': 313112, 'american panic': 52116, 'buy gun': 148764, 'ammunition panic': 52955, 'while global panic': 986875, 'global panic buy': 352116, 'panic buy toilet': 637540, 'and food american': 63026, 'food american panic': 313114, 'american panic buy': 52117, 'panic buy gun': 637489, 'buy gun and': 148765, 'and ammunition panic': 58086, 'ammunition panic buying': 52956, 'the fun': 856033, 'fun you': 341254, 'of the fun': 591049, 'the fun you': 856035, 'fun you could': 341255, 'could be having': 208875, 'be having on': 115157, 'having on supermarket': 384206, 'cynical': 224130, 'president is': 670835, 'so cynical': 776830, 'cynical self': 224131, 'self serving': 747909, 'serving that': 753215, 'he slow': 385448, 'slow walking': 774411, 'walking the': 965105, 'response because': 715630, 'are big': 84972, 'state but': 795440, 'that strong': 846529, 'strong possibility': 814089, 'hate to think': 378932, 'to think the': 917387, 'think the president': 885648, 'the president is': 864264, 'president is so': 670837, 'is so cynical': 452001, 'so cynical self': 776831, 'cynical self serving': 224132, 'self serving that': 747911, 'serving that he': 753216, 'that he slow': 844270, 'he slow walking': 385449, 'slow walking the': 774412, 'walking the federal': 965108, 'the federal response': 855078, 'federal response because': 302050, 'response because the': 715631, 'because the hardest': 119628, 'hit area are': 398151, 'area are big': 91948, 'are big city': 84974, 'big city in': 129703, 'city in blue': 179198, 'in blue state': 420885, 'blue state but': 133472, 'state but it': 795441, 'but it hard': 146129, 'not to consider': 572141, 'to consider that': 903238, 'consider that strong': 195131, 'that strong possibility': 846530, 'truckloads': 933004, 'helping spread': 391471, 'word on': 1004542, 'our urgent': 625241, 'purchasing truckloads': 689941, 'truckloads of': 933005, 'so any': 776526, 'any monetary': 79476, 'donation our': 254660, 'member can': 528040, 'provide will': 686543, 'difference right': 241869, 'for helping spread': 322203, 'helping spread the': 391473, 'the word on': 871711, 'word on our': 1004545, 'on our urgent': 602640, 'our urgent need': 625242, 'urgent need we': 948353, 'been purchasing truckloads': 121745, 'purchasing truckloads of': 689942, 'truckloads of fresh': 933006, 'of fresh food': 583944, 'fresh food to': 332981, 'with demand so': 997989, 'demand so any': 236241, 'so any monetary': 776527, 'any monetary donation': 79477, 'monetary donation our': 536542, 'donation our community': 254661, 'our community member': 622468, 'community member can': 189982, 'member can provide': 528043, 'can provide will': 159335, 'provide will make': 686544, 'will make huge': 994081, 'huge difference right': 410028, 'difference right now': 241870, 'decouple': 231541, 'esm': 280376, 'linking': 494012, 'privatization': 679016, 're ready': 699353, 'to decouple': 904029, 'decouple the': 231542, 'the esm': 854485, 'esm credit': 280377, 'credit line': 216425, 'the sovereign': 867518, 'sovereign debt': 786942, 'crisis logic': 217674, 'logic no': 500655, 'sense in': 750533, 'in linking': 424790, 'linking pandemic': 494015, 'pandemic crisis': 635268, 'to privatization': 912158, 'privatization or': 679017, 'or labour': 615916, 'labour market': 478519, 'market reform': 516970, 'reform condition': 706713, 'condition must': 193486, 'be virus': 118013, 'virus related': 958676, 'related later': 708475, 'later country': 481042, 'must return': 546861, 'to stable': 915125, 'stable position': 791941, 'we re ready': 972944, 're ready to': 699355, 'ready to decouple': 700951, 'to decouple the': 904030, 'decouple the esm': 231543, 'the esm credit': 854486, 'esm credit line': 280378, 'credit line from': 216426, 'line from the': 493125, 'from the sovereign': 337883, 'the sovereign debt': 867519, 'sovereign debt crisis': 786943, 'debt crisis logic': 230462, 'crisis logic no': 217675, 'logic no sense': 500656, 'no sense in': 565460, 'sense in linking': 750534, 'in linking pandemic': 424791, 'linking pandemic crisis': 494016, 'pandemic crisis to': 635272, 'crisis to privatization': 218250, 'to privatization or': 912159, 'privatization or labour': 679018, 'or labour market': 615917, 'labour market reform': 478521, 'market reform condition': 516971, 'reform condition must': 706714, 'condition must be': 193487, 'must be virus': 546559, 'be virus related': 118015, 'virus related later': 958677, 'related later country': 708476, 'later country must': 481043, 'country must return': 210914, 'must return to': 546862, 'return to stable': 719929, 'to stable position': 915127, 'frontline it': 338768, 'it fantastic': 457947, 'fantastic to': 298613, 'see coverage': 745013, 'coverage in': 212356, 'today western': 920507, 'western mail': 980628, 'mail about': 508566, 'our dedicated': 622718, 'keep uk': 472166, 'with retail worker': 1000504, 'retail worker on': 718900, 'the frontline it': 855874, 'frontline it fantastic': 338769, 'it fantastic to': 457948, 'fantastic to see': 298615, 'to see coverage': 913994, 'see coverage in': 745014, 'coverage in today': 212358, 'in today western': 430169, 'today western mail': 920508, 'western mail about': 980629, 'mail about how': 508567, 'how our dedicated': 408456, 'our dedicated team': 622720, 'dedicated team of': 231740, 'team of trader': 835744, 'of trader are': 592401, 'trader are helping': 928655, 'are helping to': 87114, 'to keep uk': 908873, 'keep uk supermarket': 472167, 'supermarket shelf stocked': 822534, 'latest the': 481571, 'daily thanks': 224829, 'to fakenews': 905615, 'the latest the': 859151, 'latest the online': 481572, 'the online consumer': 862267, 'online consumer daily': 608043, 'consumer daily thanks': 197049, 'daily thanks to': 224830, 'thanks to fakenews': 842222, 'other worker': 621222, 'worker whom': 1008239, 'whom little': 990562, 'little is': 495415, 'is spoken': 452168, 'spoken carrier': 789759, 'carrier supermarket': 165023, 'cashier policeman': 166586, 'policeman garbage': 663283, 'cleaner secretary': 180832, 'secretary assistant': 743946, 'assistant postman': 96796, 'postman they': 666736, 'life too': 489145, 'you to healthcare': 1021786, 'healthcare worker worldwide': 387398, 'worker worldwide and': 1008294, 'worldwide and also': 1010314, 'and also the': 57977, 'also the other': 48985, 'the other worker': 862564, 'other worker whom': 621225, 'worker whom little': 1008240, 'whom little is': 990563, 'little is spoken': 495417, 'is spoken carrier': 452169, 'spoken carrier supermarket': 789760, 'carrier supermarket cashier': 165024, 'supermarket cashier policeman': 819565, 'cashier policeman garbage': 166587, 'policeman garbage worker': 663284, 'garbage worker cleaner': 343542, 'worker cleaner secretary': 1006653, 'cleaner secretary assistant': 180833, 'secretary assistant postman': 743947, 'assistant postman they': 96797, 'postman they risk': 666737, 'their life too': 873848, 'fitness': 309516, 'contemplated': 200764, 'mom added': 535672, 'added me': 31578, 'group text': 366904, 'text 15': 839864, 'share fitness': 755003, 'fitness video': 309537, 'video during': 956713, 'during selfquarantine': 262997, 'selfquarantine contemplated': 748560, 'contemplated going': 200765, 'store licking': 808715, 'licking shopping': 488252, 'cart saw': 165376, 'morning my mom': 541367, 'my mom added': 549252, 'mom added me': 535673, 'added me in': 31579, 'me in group': 522965, 'in group text': 423459, 'group text 15': 366905, 'text 15 people': 839865, '15 people don': 3813, 'people don know': 647703, 'don know to': 253673, 'know to share': 476905, 'to share fitness': 914341, 'share fitness video': 755004, 'fitness video during': 309538, 'video during selfquarantine': 956714, 'during selfquarantine contemplated': 262998, 'selfquarantine contemplated going': 748561, 'contemplated going to': 200766, 'grocery store licking': 365523, 'store licking shopping': 808716, 'licking shopping cart': 488253, 'shopping cart saw': 762314, 'cart saw no': 165377, 'saw no other': 738186, 'no other way': 565021, 'other way out': 621187, 'of the group': 591082, 'the group text': 856870, 'astounds': 97245, 'fag': 296075, 'it utterly': 462010, 'utterly astounds': 951447, 'astounds me': 97246, 'about catching': 24936, 'catching potentially': 167100, 'potentially deadly': 667204, 'deadly respiratory': 229284, 'disease remove': 245220, 'remove their': 710844, 'have fag': 380551, 'fag in': 296078, 'out fucking': 626204, 'fucking standing': 340008, 'it utterly astounds': 462011, 'utterly astounds me': 951448, 'astounds me that': 97247, 'me that during': 523610, 'that during the': 843652, 'during the middle': 263154, 'the pandemic people': 863053, 'pandemic people worried': 636171, 'worried about catching': 1010479, 'about catching potentially': 24939, 'catching potentially deadly': 167101, 'potentially deadly respiratory': 667205, 'deadly respiratory disease': 229285, 'respiratory disease remove': 715234, 'disease remove their': 245221, 'remove their face': 710845, 'mask to have': 519408, 'to have fag': 907237, 'have fag in': 380552, 'fag in the': 296079, 'queue for the': 693932, 'supermarket out fucking': 821854, 'out fucking standing': 626205, 'gerard': 346070, 'object': 578403, 'furiously': 341868, 'you gerard': 1018753, 'gerard followed': 346071, 'followed pair': 312605, 'pair through': 634342, 'would pick': 1012109, 'an object': 56534, 'object put': 578417, 'then grab': 877221, 'grab one': 361521, 'back asked': 106881, 'asked them': 95849, 'stop called': 804561, 'called supervisor': 156448, 'supervisor who': 824399, 'last seen': 480487, 'seen arguing': 746952, 'arguing furiously': 92728, 'furiously with': 341873, 'with you gerard': 1002150, 'you gerard followed': 1018754, 'gerard followed pair': 346072, 'followed pair through': 312606, 'pair through the': 634343, 'supermarket yesterday they': 824176, 'yesterday they would': 1015895, 'they would pick': 883949, 'would pick up': 1012110, 'pick up an': 655701, 'up an object': 944296, 'an object put': 56535, 'object put it': 578418, 'put it down': 690643, 'it down and': 457688, 'and then grab': 73766, 'then grab one': 877222, 'grab one from': 361522, 'one from the': 606329, 'from the back': 337606, 'the back asked': 849141, 'back asked them': 106882, 'asked them to': 95850, 'to stop called': 915508, 'stop called supervisor': 804562, 'called supervisor who': 156449, 'supervisor who wa': 824400, 'who wa last': 989910, 'wa last seen': 962505, 'last seen arguing': 480488, 'seen arguing furiously': 746953, 'arguing furiously with': 92729, 'furiously with them': 341874, 'aud': 102882, 'in nab': 425657, 'nab announced': 551341, 'announced giving': 76954, 'giving small': 351387, 'business amp': 143277, 'amp home': 53954, 'home owner': 401811, 'owner hit': 632464, 'month loan': 537830, 'loan holiday': 497455, 'holiday cut': 400279, 'rate on': 697330, 'on popular': 602843, 'popular digital': 664545, 'digital loan': 242594, 'product by': 681034, 'by 200': 151582, '200 basis': 13452, 'basis pt': 112267, 'pt watch': 687617, 'watch aud': 968367, 'aud price': 102889, 'here in nab': 393165, 'in nab announced': 425658, 'nab announced giving': 551342, 'announced giving small': 76955, 'giving small business': 351388, 'small business amp': 774836, 'business amp home': 143280, 'amp home owner': 53956, 'home owner hit': 401814, 'owner hit by': 632465, 'by the month': 154379, 'the month loan': 860848, 'month loan holiday': 537831, 'loan holiday cut': 497456, 'holiday cut rate': 400280, 'cut rate on': 223518, 'rate on popular': 697331, 'on popular digital': 602844, 'popular digital loan': 664546, 'digital loan product': 242595, 'loan product by': 497511, 'product by 200': 681036, 'by 200 basis': 151583, '200 basis pt': 13454, 'basis pt watch': 112268, 'pt watch aud': 687618, 'watch aud price': 968368, 'kwiknews': 478053, 'government announced': 359883, 'the implementation': 857962, '19 beginning': 5350, 'beginning tomorrow': 123682, 'tomorrow some': 924186, 'some early': 782714, 'early shopper': 264684, 'shopper began': 761426, 'began queuing': 123425, 'giant hypermarket': 349803, 'hypermarket here': 412331, 'here waiting': 393776, 'essential kwiknews': 281267, 'kwiknews nation': 478054, 'the government announced': 856510, 'government announced the': 359887, 'announced the implementation': 77080, 'the implementation of': 857963, 'implementation of movement': 418449, 'of movement control': 586691, 'order to contain': 618672, 'covid 19 beginning': 212690, '19 beginning tomorrow': 5352, 'beginning tomorrow some': 123685, 'tomorrow some early': 924187, 'some early shopper': 782716, 'early shopper began': 264685, 'shopper began queuing': 761427, 'began queuing outside': 123426, 'queuing outside the': 694228, 'outside the giant': 629592, 'the giant hypermarket': 856256, 'giant hypermarket here': 349804, 'hypermarket here waiting': 412332, 'here waiting to': 393777, 'shop for daily': 760183, 'for daily essential': 320525, 'daily essential kwiknews': 224602, 'essential kwiknews nation': 281268, 'worker janitorial': 1007261, 'janitorial staff': 464570, 'staff waste': 793052, 'management professional': 512617, 'professional that': 682504, 'together every': 920773, 'are underpaid': 91294, 'underpaid and': 940523, 'and underappreciated': 74623, 'underappreciated quarantine': 940411, 'line worker like': 493604, 'store worker janitorial': 811533, 'worker janitorial staff': 1007262, 'janitorial staff waste': 464572, 'staff waste management': 793053, 'waste management professional': 968148, 'management professional that': 512618, 'professional that do': 682507, 'that do the': 843571, 'our society together': 624835, 'society together every': 781338, 'together every day': 920774, 'day that are': 228468, 'that are underpaid': 842833, 'are underpaid and': 91295, 'underpaid and underappreciated': 940525, 'and underappreciated quarantine': 74624, 'dickwad': 240493, 'audacity': 102893, 'some dickwad': 782682, 'dickwad had': 240494, 'sheer audacity': 756570, 'audacity to': 102896, 'employee taking': 274265, 'taking too': 833640, 'long clerk': 501370, 'clerk had': 181710, 'come break': 187250, 'break up': 138820, 'group ready': 366850, 'beat his': 118527, 'his as': 397209, 'as because': 94723, 'it threatened': 461666, 'threatened good': 893782, 'good social': 357747, 'distancing practice': 247403, 'practice coronacrisis': 668541, 'and some dickwad': 71957, 'some dickwad had': 782683, 'dickwad had the': 240495, 'had the sheer': 373627, 'the sheer audacity': 866812, 'sheer audacity to': 756571, 'audacity to complain': 102897, 'complain about the': 191848, 'about the employee': 26387, 'the employee taking': 854268, 'employee taking too': 274266, 'taking too long': 833641, 'too long clerk': 924863, 'long clerk had': 501371, 'clerk had to': 181711, 'had to come': 373679, 'to come break': 903021, 'come break up': 187251, 'break up the': 138821, 'up the group': 946179, 'the group ready': 856867, 'group ready to': 366851, 'ready to beat': 700940, 'to beat his': 901655, 'beat his as': 118528, 'his as because': 397210, 'as because it': 94724, 'because it threatened': 119210, 'it threatened good': 461667, 'threatened good social': 893783, 'good social distancing': 357748, 'social distancing practice': 779689, 'distancing practice coronacrisis': 247404, 'scammer new': 740600, 'website no': 975359, 'contact excessive': 200071, 'necessity website': 554292, 'website not': 975361, 'not secure': 571470, 'secure good': 744439, 'good will': 357959, 'arrive beware': 93905, 'beware the': 129107, 'the phishing': 863679, 'email do': 272160, 'on link': 601865, 'link scammer': 493900, 'scammer staysafe': 740620, 'for the scammer': 326672, 'the scammer new': 866427, 'scammer new website': 740601, 'new website no': 559869, 'website no way': 975360, 'way of contact': 969745, 'of contact excessive': 581800, 'contact excessive price': 200072, 'price for necessity': 674010, 'for necessity website': 323797, 'necessity website not': 554293, 'website not secure': 975362, 'not secure good': 571471, 'secure good will': 744440, 'good will never': 357961, 'will never arrive': 994157, 'never arrive beware': 557864, 'arrive beware the': 93906, 'beware the phishing': 129108, 'the phishing email': 863680, 'phishing email do': 654816, 'email do not': 272161, 'not click on': 568771, 'click on link': 181933, 'on link scammer': 601870, 'link scammer staysafe': 493901, 'rn supermarket': 724339, 'rn supermarket owner': 724340, 'live the white': 496053, 'sidestep': 768942, 'cancellation holidaymaker': 161022, 'holidaymaker in': 400402, 'losing thousand': 503603, 'of euro': 583213, 'euro airline': 283348, 'airline refuse': 40008, 'flight despite': 310460, 'despite ban': 238671, 'and agent': 57778, 'agent look': 38180, 'to sidestep': 914628, 'sidestep consumer': 768943, 'protection legislation': 685517, 'legislation via': 485997, 'cancellation holidaymaker in': 161023, 'holidaymaker in danger': 400403, 'in danger of': 421977, 'danger of losing': 225682, 'of losing thousand': 586022, 'losing thousand of': 503604, 'thousand of euro': 893437, 'of euro airline': 583214, 'euro airline refuse': 283349, 'airline refuse to': 40009, 'refuse to cancel': 707031, 'to cancel flight': 902425, 'cancel flight despite': 160848, 'flight despite ban': 310461, 'despite ban and': 238672, 'ban and agent': 109173, 'and agent look': 57779, 'agent look to': 38181, 'look to sidestep': 502636, 'to sidestep consumer': 914629, 'sidestep consumer protection': 768944, 'consumer protection legislation': 198543, 'protection legislation via': 685518, 'newstart': 561130, 'hmm so': 398692, 'so newstart': 777869, 'newstart doubled': 561131, 'doubled now': 256125, 'there fewer': 878381, 'fewer taxpayer': 304239, 'taxpayer more': 835203, 'claiming benefit': 179899, 'benefit but': 126934, 'increased for': 433325, 'year did': 1014521, 'or cost': 614835, 'living suddenly': 496458, 'suddenly increase': 817112, 'increase because': 432693, 'hmm so newstart': 398694, 'so newstart doubled': 777870, 'newstart doubled now': 561132, 'doubled now there': 256126, 'now there fewer': 576091, 'there fewer taxpayer': 878382, 'fewer taxpayer more': 304240, 'taxpayer more people': 835204, 'more people claiming': 540011, 'people claiming benefit': 647469, 'claiming benefit but': 179900, 'benefit but could': 126935, 'but could not': 145468, 'not be increased': 568401, 'be increased for': 115460, 'increased for 20': 433326, 'for 20 year': 318735, '20 year did': 13419, 'year did price': 1014522, 'did price or': 240769, 'price or cost': 675769, 'or cost of': 614836, 'cost of living': 208053, 'of living suddenly': 585917, 'living suddenly increase': 496459, 'suddenly increase because': 817113, 'increase because of': 432694, 'of 19 pandemic': 579407, '19 pandemic now': 9410, 'pandemic now even': 636059, 'now even le': 574619, 'lifework': 489418, '3700': 18091, '78704': 22353, 'lifework is': 489419, 'customer immediate': 222483, 'need with': 556225, 'grocery gift': 364558, 'card in': 163551, 'amount from': 53182, 'or these': 617422, 'be mailed': 115871, 'mailed or': 508687, 'or dropped': 615076, 'at 3700': 97628, '3700 1st': 18092, '1st street': 12809, 'street austin': 812919, 'austin tx': 103192, 'tx 78704': 937429, '78704 development': 22354, 'development 19': 239803, 'lifework is taking': 489420, 'step to meet': 799658, 'to meet our': 910042, 'our customer immediate': 622664, 'customer immediate need': 222484, 'immediate need with': 417007, 'need with grocery': 556226, 'with grocery gift': 998693, 'grocery gift card': 364559, 'gift card in': 349945, 'card in any': 163552, 'in any amount': 420420, 'any amount from': 78919, 'amount from or': 53183, 'from or these': 336715, 'or these can': 617423, 'these can be': 879719, 'can be mailed': 157642, 'be mailed or': 115872, 'mailed or dropped': 508688, 'or dropped off': 615077, 'off at 3700': 593666, 'at 3700 1st': 97629, '3700 1st street': 18093, '1st street austin': 12810, 'street austin tx': 812920, 'austin tx 78704': 103193, 'tx 78704 development': 937430, '78704 development 19': 22355, 'were helpful': 979730, 'helpful at': 391164, 'staff were helpful': 793070, 'were helpful at': 979731, 'helpful at the': 391165, 'personally think': 653051, 'virus thing': 958905, 'biggest heist': 130255, 'heist ever': 388863, 'ever looting': 285397, 'looting half': 503255, 'half if': 374188, 'all africa': 41961, 'africa resource': 35125, 'resource all': 714696, 'vaccine price': 951754, 'cost everything': 207928, 'everything fightcovid19': 287788, 'personally think this': 653053, 'think this corona': 885697, 'corona virus thing': 204364, 'virus thing is': 958906, 'thing is going': 884468, 'be the biggest': 117597, 'the biggest heist': 849656, 'biggest heist ever': 130256, 'heist ever looting': 388864, 'ever looting half': 285398, 'looting half if': 503256, 'half if not': 374189, 'if not all': 414485, 'not all africa': 568097, 'all africa resource': 41962, 'africa resource all': 35126, 'resource all price': 714697, 'all price will': 44044, 'will drop and': 993261, 'drop and vaccine': 260128, 'and vaccine price': 74834, 'vaccine price will': 951755, 'price will cost': 677556, 'will cost everything': 993046, 'cost everything fightcovid19': 207929, 'never really': 558152, 'really appreciated': 701982, 'appreciated before': 82810, 'supermarket would': 824134, 'be such': 117428, 'exciting activity': 289592, 'activity of': 30477, 'day oh': 228135, 'oh well': 596478, 'well iorestoacasa': 978327, 'never really appreciated': 558153, 'really appreciated before': 701983, 'appreciated before that': 82811, 'before that going': 123134, 'the supermarket would': 868916, 'supermarket would be': 824135, 'would be such': 1011653, 'be such an': 117429, 'such an exciting': 816324, 'an exciting activity': 55924, 'exciting activity of': 289593, 'activity of my': 30478, 'of my day': 586754, 'my day oh': 547950, 'day oh well': 228136, 'oh well iorestoacasa': 596481, 'deferring': 232205, '19 housing': 7594, 'housing loan': 407092, 'loan is': 497466, 'worth deferring': 1011351, 'deferring repayment': 232206, 'repayment most': 711492, 'their finance': 873312, 'finance homeowner': 306204, 'homeowner are': 402882, 'different these': 242092, 'face falling': 294432, 'falling housing': 297280, 'of looming': 586009, 'covid 19 housing': 213228, '19 housing loan': 7595, 'housing loan is': 407094, 'loan is it': 497467, 'it worth deferring': 462566, 'worth deferring repayment': 1011352, 'deferring repayment most': 232207, 'repayment most consumer': 711493, 'most consumer are': 542202, 'consumer are concerned': 196287, 'novel coronavirus on': 573760, 'coronavirus on their': 206345, 'on their finance': 604480, 'their finance homeowner': 873315, 'finance homeowner are': 306205, 'homeowner are no': 402883, 'are no different': 88253, 'no different these': 564017, 'different these people': 242093, 'these people face': 880435, 'people face falling': 647853, 'face falling housing': 294434, 'falling housing price': 297281, 'housing price and': 407127, 'and the threat': 73614, 'threat of looming': 893694, 'of looming crisis': 586010, 'china buying and': 176532, 'buying and dropping': 149900, 'and dropping oil': 61768, 'oil price that': 597285, 'that have fallen': 844209, 'have fallen due': 380568, 'to the disruption': 916644, 'disruption of the': 246514, 'some please': 783577, 'please show': 660512, 'show some': 767144, 'some love': 783232, 'love amp': 504592, 'amp drop': 53680, 'some off': 783422, 'of the local': 591197, 'the local company': 859539, 'local company that': 497851, 'company that made': 191177, 'that made hand': 844973, 'sanitizer we need': 736045, 'we need some': 972544, 'need some please': 555597, 'some please show': 783578, 'please show some': 660513, 'show some love': 767147, 'some love amp': 783234, 'love amp drop': 504593, 'amp drop some': 53681, 'drop some off': 260395, 'mostly housebound': 542965, 'housebound and': 406720, 'much everything': 544866, 'little else': 495325, 'give my': 350603, 'son the': 785445, 'got some money': 358852, 'some money tomorrow': 783313, 'since mostly housebound': 770757, 'mostly housebound and': 542966, 'housebound and cannot': 406721, 'and cannot go': 59514, 'cannot go shopping': 161932, 'shopping and pretty': 762012, 'pretty much everything': 671448, 'much everything is': 544869, 'very little else': 955319, 'little else no': 495326, 'to give my': 906695, 'give my son': 350605, 'my son the': 550168, 'son the day': 785446, 'day after tomorrow': 227189, 'initial ma': 438538, 'ma unemployment': 507285, 'unemployment claim': 941178, 'claim by': 179708, 'by industry': 152913, 'industry march': 435983, 'march 15th': 515078, 'april 4th': 83503, '4th 2020': 19519, '2020 weekly': 14706, 'weekly full': 977499, 'initial ma unemployment': 438539, 'ma unemployment claim': 507286, 'unemployment claim by': 941179, 'claim by industry': 179709, 'by industry march': 152915, 'industry march 15th': 435984, 'march 15th april': 515079, '15th april 4th': 4039, 'april 4th 2020': 83504, '4th 2020 weekly': 19520, '2020 weekly full': 14707, 'weekly full report': 977500, 'guard stepped': 367840, 'bolster the': 134147, 'food thursday': 317216, 'thursday few': 895366, 'dozen soldier': 257920, 'soldier packed': 781816, 'packed box': 633592, 'bank seeing': 110169, 'ha reported': 371726, 'reported 93': 712447, '93 427': 23520, '427 19': 18939, 'case amp': 165616, 'amp 385': 53334, '385 death': 18154, 'death ap': 229971, 'national guard stepped': 552528, 'guard stepped up': 367841, 'stepped up it': 799786, 'up it effort': 945239, 'it effort to': 457773, 'effort to bolster': 269612, 'to bolster the': 901884, 'bolster the supply': 134149, 'the supply of': 868955, 'of food thursday': 583800, 'food thursday few': 317217, 'thursday few dozen': 895367, 'few dozen soldier': 303809, 'dozen soldier packed': 257921, 'soldier packed box': 781817, 'packed box at': 633593, 'box at food': 137016, 'food bank seeing': 313635, 'bank seeing surge': 110172, 'in demand the': 422160, 'demand the so': 236360, 'the so far': 867401, 'far ha reported': 298799, 'ha reported 93': 371728, 'reported 93 427': 712448, '93 427 19': 23521, '427 19 case': 18940, '19 case amp': 5664, 'case amp 385': 165617, 'amp 385 death': 53335, '385 death ap': 18155, 'combined threat': 187130, 'outbreak trade': 628766, 'trade tension': 928585, 'taste all': 834771, 'all pose': 43993, 'pose threat': 665117, 'to auto': 900846, 'auto supplier': 103923, 'supplier but': 824508, 'but supplier': 147224, 'supplier that': 824615, 'that adapt': 842495, 'change are': 171929, 'will compete': 992980, 'compete and': 191585, 'deliver long': 233158, 'term value': 838334, 'the combined threat': 851176, 'combined threat of': 187131, 'the outbreak trade': 862715, 'outbreak trade tension': 628767, 'trade tension and': 928586, 'tension and changing': 837976, 'and changing consumer': 59734, 'changing consumer taste': 172679, 'consumer taste all': 199223, 'taste all pose': 834772, 'all pose threat': 43994, 'pose threat to': 665118, 'threat to auto': 893729, 'to auto supplier': 900848, 'auto supplier but': 103924, 'supplier but supplier': 824509, 'but supplier that': 147225, 'supplier that adapt': 824616, 'that adapt and': 842496, 'adapt and change': 31247, 'and change are': 59717, 'change are the': 171933, 'one that will': 607192, 'that will compete': 847565, 'will compete and': 992981, 'compete and deliver': 191586, 'and deliver long': 61083, 'deliver long term': 233159, 'long term value': 501718, 'been talking': 122138, 'talking all': 833999, 'confusion about': 194372, 'scam others': 740283, 'safe habit': 729727, 'habit online': 372669, 'off will': 594387, 'you prevent': 1020423, 'prevent being': 671584, 'victim more': 956487, 've been talking': 952940, 'been talking all': 122140, 'talking all week': 834000, 'all week about': 45419, 'week about how': 975813, 'how some folk': 408715, 'folk are using': 312099, 'using fear and': 950480, 'fear and confusion': 301024, 'and confusion about': 60296, 'confusion about to': 194374, 'about to scam': 26736, 'to scam others': 913866, 'scam others safe': 740284, 'others safe habit': 621624, 'safe habit online': 729728, 'habit online and': 372670, 'online and off': 607828, 'and off will': 67967, 'off will help': 594389, 'help you prevent': 390989, 'you prevent being': 1020424, 'prevent being victim': 671585, 'being victim more': 126039, 'victim more tip': 956488, 'investment banker': 443968, 'banker have': 110365, 'been candid': 120797, 'candid about': 161284, 'raise drug': 695834, 'investment banker have': 443969, 'banker have been': 110366, 'have been candid': 379486, 'been candid about': 120798, 'candid about the': 161285, 'about the opportunity': 26466, 'opportunity to raise': 613719, 'to raise drug': 912720, 'raise drug price': 695835, 'drug price on': 261052, 'critical drug and': 218543, 'drug and medical': 260873, 'universalcredit': 942384, 'about universal': 26808, 'credit universalcredit': 216549, 'universalcredit money': 942385, 'know about universal': 476227, 'about universal credit': 26809, 'universal credit universalcredit': 942357, 'credit universalcredit money': 216550, 'lining during': 493729, 'crisis le': 217644, 'la gas': 478167, 'le smog': 483121, 'smog throughout': 775854, 'city social': 179368, 'distancing from': 247161, 'your toxic': 1026191, 'toxic ex': 927644, 'silver lining during': 769820, 'lining during this': 493730, '19 crisis le': 6273, 'crisis le traffic': 217645, 'le traffic in': 483218, 'traffic in la': 929100, 'in la gas': 424562, 'la gas price': 478168, 'are down le': 85978, 'down le smog': 256913, 'le smog throughout': 483122, 'smog throughout the': 775855, 'throughout the city': 894965, 'the city social': 850958, 'city social distancing': 179369, 'social distancing from': 779616, 'distancing from your': 247163, 'from your toxic': 338500, 'your toxic ex': 1026192, 'know hand': 476411, 'only kill': 610683, 'bacteria not': 107686, 'not virus': 572404, 'virus right': 958698, 'all know hand': 43329, 'know hand sanitizer': 476412, 'hand sanitizer only': 375515, 'sanitizer only kill': 735471, 'only kill bacteria': 610684, 'kill bacteria not': 474351, 'bacteria not virus': 107687, 'not virus right': 572405, 'buyer pause': 149715, 'pause operation': 644608, '85 increase': 22926, 'purchase according': 689333, '19 cited': 5821, 'cited but': 178778, 'suspect fear': 829465, 'of longer': 586001, 'longer sale': 502039, 'sale cycle': 732150, 'cycle possible': 224063, 'possible dip': 665624, 'also factor': 48190, 'buyer pause operation': 149716, 'pause operation after': 644609, 'operation after an': 613124, 'after an 85': 35352, 'an 85 increase': 55026, '85 increase in': 22927, 'increase in purchase': 432862, 'in purchase according': 427126, 'purchase according to': 689334, 'according to covid': 28530, 'covid 19 cited': 212803, '19 cited but': 5822, 'cited but suspect': 178779, 'but suspect fear': 147244, 'suspect fear of': 829466, 'fear of longer': 301248, 'of longer sale': 586002, 'longer sale cycle': 502040, 'sale cycle possible': 732151, 'cycle possible dip': 224064, 'possible dip in': 665625, 'dip in home': 243192, 'in home price': 423786, 'are also factor': 84452, 'of photo': 588103, 'posted here': 666531, 'here something': 393589, 'much nicer': 545179, 'nicer to': 562551, 'at coronacrisis': 98334, 'stophoarding supermarket': 805500, 'load of photo': 497276, 'of photo of': 588104, 'are being posted': 84894, 'being posted here': 125561, 'posted here something': 666532, 'here something that': 393590, 'something that much': 785079, 'that much nicer': 845247, 'much nicer to': 545180, 'nicer to look': 562552, 'look at coronacrisis': 502260, 'at coronacrisis stophoarding': 98335, 'coronacrisis stophoarding supermarket': 204791, 'goodwin': 358108, 'crestline': 216666, 'danced': 225585, 'to goodwin': 906913, 'goodwin supermarket': 358111, 'in crestline': 421867, 'crestline my': 216667, 'my estimate': 548110, 'estimate is': 282249, 'were observing': 979927, 'observing the': 578661, 'foot rule': 318429, 'rule haven': 727248, 'haven danced': 383778, 'danced around': 225586, 'around that': 93515, 'much since': 545301, 'time saw': 897613, 'the grateful': 856705, 'grateful dead': 362251, 'dead wtf': 229193, 'people socal': 649501, 'went to goodwin': 979155, 'to goodwin supermarket': 906914, 'goodwin supermarket in': 358112, 'supermarket in crestline': 820886, 'in crestline my': 421868, 'crestline my estimate': 216668, 'my estimate is': 548111, 'estimate is le': 282250, 'le than of': 483182, 'than of the': 840963, 'people in there': 648438, 'in there were': 429825, 'there were observing': 879325, 'were observing the': 979928, 'observing the six': 578665, 'the six foot': 867289, 'six foot rule': 772644, 'foot rule haven': 318430, 'rule haven danced': 727249, 'haven danced around': 383779, 'danced around that': 225587, 'around that much': 93517, 'that much since': 845250, 'much since the': 545302, 'last time saw': 480568, 'time saw the': 897616, 'saw the grateful': 738266, 'the grateful dead': 856706, 'grateful dead wtf': 362252, 'dead wtf is': 229194, 'with people socal': 1000166, 'bonnie': 134333, 'dr bonnie': 257977, 'bonnie henry': 134334, 'henry say': 391790, 'ok but': 597771, 'but drop': 145622, 'drop hint': 260211, 'hint of': 396913, 'there strategy': 879113, 'strategy ministry': 812684, 'ministry are': 533524, 'ha power': 371521, 'power under': 667724, 'emergency program': 272901, 'program act': 683194, 'and set': 71328, 'stop gouging': 804692, 'dr bonnie henry': 257978, 'bonnie henry say': 134335, 'henry say the': 391791, 'say the grocery': 739281, 'chain is ok': 170842, 'is ok but': 450444, 'ok but drop': 597772, 'but drop hint': 145623, 'drop hint of': 260212, 'hint of something': 396915, 'of something to': 589930, 'something to come': 785097, 'come there strategy': 187535, 'there strategy ministry': 879114, 'strategy ministry are': 812685, 'ministry are working': 533525, 'are working out': 91708, 'working out ha': 1008847, 'out ha power': 626252, 'ha power under': 371522, 'power under the': 667725, 'under the emergency': 940305, 'the emergency program': 854233, 'emergency program act': 272902, 'program act to': 683195, 'act to ration': 29802, 'to ration and': 912758, 'ration and set': 697635, 'and set price': 71331, 'to stop gouging': 915529, 'wichita distribute': 991664, 'distribute hand': 247988, 'wichita distribute hand': 991665, 'distribute hand sanitizer': 247989, 'sanitizer to community': 735911, 'to community member': 903102, 'this toronto': 890818, 'toronto distillery': 925934, 'making sanitizer': 511321, 'city combat': 179103, 'combat coronavirus': 186994, 'this toronto distillery': 890819, 'toronto distillery is': 925935, 'distillery is now': 247772, 'is now making': 450300, 'now making sanitizer': 575279, 'making sanitizer to': 511323, 'help the city': 390640, 'the city combat': 850926, 'city combat coronavirus': 179104, 'and but': 59311, 're definitely': 698510, 'together bank': 920721, 'slash interest': 773570, 'utility company': 951269, 'company need': 190908, 'thanks and but': 842017, 'and but we': 59313, 'we re definitely': 972853, 're definitely not': 698511, 'definitely not all': 232372, 'not all in': 568112, 'this together bank': 890761, 'together bank need': 920722, 'need to slash': 556073, 'to slash interest': 914718, 'slash interest rate': 773571, 'rate and utility': 697156, 'and utility company': 74809, 'utility company need': 951271, 'company need to': 190909, 'need to reduce': 556037, 'reduce price coronacrisis': 705897, 'having really': 384243, 'really rough': 702523, 'rough day': 726246, 'morning so': 541443, 'far wa': 298964, 'wa customer': 961916, 'customer telling': 222902, 'job while': 466289, 'said wa': 731550, 'just kept': 469096, 'kept making': 473053, 'making rude': 511314, 'rude comment': 727036, 'am having really': 50120, 'having really rough': 384244, 'really rough day': 702524, 'rough day work': 726247, 'day work in': 228798, 'crisis and all': 217011, 'and all morning': 57876, 'all morning so': 43519, 'morning so far': 541444, 'so far wa': 777065, 'far wa customer': 298965, 'wa customer telling': 961917, 'customer telling me': 222903, 'telling me to': 837232, 'me to not': 523765, 'to not do': 910687, 'not do my': 569063, 'do my job': 249628, 'my job while': 548937, 'job while they': 466291, 'while they are': 987434, 'at the cash': 100902, 'cash and said': 166160, 'and said wa': 70781, 'said wa doing': 731552, 'wa doing what': 962012, 'doing what wa': 252850, 'told to do': 923746, 'to do and': 904478, 'do and the': 249072, 'customer just kept': 222556, 'just kept making': 469097, 'kept making rude': 473054, 'making rude comment': 511315, 'duvet': 263630, 'just hide': 468968, 'hide under': 394852, 'the duvet': 853801, 'duvet until': 263631, 'until august': 943702, 'august coronacrisis': 102988, 'coronacrisis convid19uk': 204559, 'convid19uk stayathomechallenge': 202627, 'stayathomechallenge stophoarding': 797757, 'when you wish': 984617, 'you wish you': 1022373, 'wish you could': 996858, 'you could just': 1018093, 'could just hide': 209358, 'just hide under': 468969, 'hide under the': 394853, 'under the duvet': 940304, 'the duvet until': 853802, 'duvet until august': 263632, 'until august coronacrisis': 943703, 'august coronacrisis convid19uk': 102989, 'coronacrisis convid19uk stayathomechallenge': 204560, 'convid19uk stayathomechallenge stophoarding': 202629, 'stayathomechallenge stophoarding but': 797758, 'stophoarding but need': 805368, 'need to work': 556118, 'liability': 487949, 'lawyerkenneth': 482571, 'protecti': 685174, 'liability in': 487950, '19 texas': 11115, 'texas lawyerkenneth': 839797, 'lawyerkenneth and': 482572, 'government best': 359933, 'practice commentary': 668539, 'commentary consumer': 188479, 'consumer protecti': 198496, 'liability in the': 487951, 'covid 19 texas': 213923, '19 texas lawyerkenneth': 11116, 'texas lawyerkenneth and': 839798, 'lawyerkenneth and local': 482573, 'local government best': 498024, 'government best practice': 359934, 'best practice commentary': 127842, 'practice commentary consumer': 668540, 'commentary consumer protecti': 188480, 'damascus': 225286, 'all resident': 44164, 'of damascus': 582336, 'damascus since': 225287, 'suffered year': 817268, 'and 51': 57495, '51 year': 20207, 'food for all': 314518, 'for all resident': 319166, 'all resident of': 44167, 'resident of damascus': 714340, 'of damascus since': 582337, 'damascus since they': 225288, 'since they do': 770928, 'not feel the': 569389, 'feel the need': 302887, 'stock up amid': 803055, 'up amid the': 944282, 'pandemic and this': 634912, 'is in country': 448760, 'in country that': 421828, 'country that ha': 211114, 'that ha suffered': 844138, 'ha suffered year': 372107, 'suffered year of': 817269, 'year of war': 1014800, 'of war and': 592905, 'war and 51': 966354, 'and 51 year': 57497, '51 year of': 20208, 'year of economic': 1014777, 'of economic sanction': 582956, 'kenney say': 472803, 'combined toll': 187138, 'price represent': 676189, 'represent the': 712876, 'greatest challenge': 363269, 'province modern': 687181, 'modern history': 535389, 'jason kenney say': 464851, 'kenney say the': 472804, 'say the combined': 739269, 'the combined toll': 851177, 'combined toll of': 187139, 'toll of covid': 923858, 'pandemic the global': 636683, 'global economic recession': 351885, 'economic recession and': 267223, 'oil price represent': 597237, 'price represent the': 676190, 'represent the greatest': 712879, 'the greatest challenge': 856749, 'greatest challenge in': 363270, 'challenge in the': 171489, 'the province modern': 864731, 'province modern history': 687182, 'sodium': 781432, 'chlorite': 177579, 'naclo': 551361, 'acid': 29075, 'activator': 30248, 'mixture': 534662, 'chlorine': 177575, 'dioxide': 243165, 'clo': 182386, 'cure mm': 220775, 'mm 28': 534756, '28 sodium': 16404, 'sodium chlorite': 781433, 'chlorite naclo': 177580, 'naclo add': 551362, 'add acid': 31386, 'acid activator': 29076, 'activator when': 30249, 'when acid': 983115, 'acid is': 29078, 'added mixture': 31582, 'mixture becomes': 534663, 'becomes chlorine': 120210, 'chlorine dioxide': 177576, 'dioxide clo': 243166, 'clo agent': 182387, 'agent don': 38164, 'don drink': 253475, 'drink it': 258846, 'won have': 1003831, 'about dying': 25137, 'fake cure mm': 296601, 'cure mm 28': 220776, 'mm 28 sodium': 534757, '28 sodium chlorite': 16405, 'sodium chlorite naclo': 781434, 'chlorite naclo add': 177581, 'naclo add acid': 551363, 'add acid activator': 31387, 'acid activator when': 29077, 'activator when acid': 30250, 'when acid is': 983116, 'acid is added': 29079, 'is added mixture': 445348, 'added mixture becomes': 31583, 'mixture becomes chlorine': 534664, 'becomes chlorine dioxide': 120211, 'chlorine dioxide clo': 177577, 'dioxide clo agent': 243167, 'clo agent don': 182388, 'agent don drink': 38165, 'don drink it': 253477, 'drink it if': 258847, 'you do you': 1018282, 'do you won': 250697, 'you won have': 1022400, 'won have to': 1003834, 'worry about dying': 1010631, 'about dying of': 25139, 'salux': 732881, 'official salux': 595906, 'salux fabric': 732887, 'fabric site': 294237, 'the offer': 862063, 'amazon unless': 51171, 'want fake': 965782, 'fake one': 296679, 'free same': 332122, 'delivery on': 234249, 'membership required': 528281, 'required wash': 713415, 'the official salux': 862099, 'official salux fabric': 595907, 'salux fabric site': 732888, 'fabric site in': 294238, 'site in the': 771958, 'in the offer': 429411, 'the offer the': 862065, 'offer the best': 594825, 'best price on': 127866, 'on amazon unless': 599295, 'amazon unless you': 51172, 'unless you want': 942680, 'you want fake': 1022138, 'want fake one': 965783, 'fake one free': 296681, 'one free same': 606322, 'free same day': 332123, 'same day delivery': 733026, 'day delivery on': 227517, 'delivery on all': 234250, 'on all order': 599238, 'all order no': 43771, 'order no membership': 618416, 'no membership required': 564761, 'membership required wash': 528282, 'required wash your': 713416, 'pasar': 643181, 'jaya': 464896, 'jakpost': 464334, 'city owned': 179317, 'owned market': 632343, 'market operator': 516814, 'operator pasar': 613388, 'pasar jaya': 643182, 'jaya ha': 464897, 'provided home': 686615, 'service involving': 752506, 'involving seller': 444412, 'seller in': 749032, '20 market': 13148, 'market jakpost': 516657, 'city owned market': 179318, 'owned market operator': 632344, 'market operator pasar': 516815, 'operator pasar jaya': 613389, 'pasar jaya ha': 643183, 'jaya ha provided': 464898, 'ha provided home': 371571, 'provided home shopping': 686616, 'home shopping service': 402062, 'shopping service involving': 763846, 'service involving seller': 752507, 'involving seller in': 444413, 'seller in more': 749033, 'than 20 market': 840192, '20 market jakpost': 13149, 'weasel': 974839, 'be floor': 114883, 'to ceiling': 902547, 'ceiling display': 168758, 'america but': 51475, 'orange traitor': 617938, 'traitor weasel': 929383, 'weasel abandoned': 974840, 'abandoned sewing': 24212, 'sewing this': 754188, 'should be floor': 765626, 'be floor to': 114884, 'floor to ceiling': 310848, 'to ceiling display': 902548, 'ceiling display of': 168759, 'display of face': 246193, 'in store across': 428380, 'store across america': 806061, 'across america but': 29241, 'america but the': 51476, 'but the orange': 147377, 'the orange traitor': 862445, 'orange traitor weasel': 617939, 'traitor weasel abandoned': 929384, 'weasel abandoned sewing': 974841, 'abandoned sewing this': 24213, 'sewing this for': 754189, 'this for my': 887595, 'lte': 506395, 'alva': 49444, 'demonstrating': 236860, 'in supporting': 428739, 'supporting it': 827142, 'customer by': 222211, 'adding 15gb': 31660, 'of lte': 586061, 'lte data': 506396, 'and smb': 71798, 'smb plan': 775586, 'plan automatically': 658075, 'automatically sign': 104006, 'receive alva': 703438, 'alva daily': 49445, 'company demonstrating': 190585, 'demonstrating leadership': 236865, 'leadership during': 483596, 'work by in': 1004964, 'by in supporting': 152887, 'in supporting it': 428741, 'supporting it customer': 827143, 'it customer by': 457448, 'customer by adding': 222213, 'by adding 15gb': 151751, 'adding 15gb of': 31661, '15gb of lte': 4021, 'of lte data': 586062, 'lte data to': 506397, 'data to all': 226454, 'to all consumer': 900238, 'consumer and smb': 196244, 'and smb plan': 71799, 'smb plan automatically': 775587, 'plan automatically sign': 658076, 'automatically sign up': 104007, 'up here to': 945078, 'here to receive': 393723, 'to receive alva': 912909, 'receive alva daily': 703439, 'alva daily briefing': 49446, 'daily briefing on': 224528, 'the company demonstrating': 851322, 'company demonstrating leadership': 190586, 'demonstrating leadership during': 236866, 'nettle': 557686, 'teamfamily': 835857, 'supportingdreams': 827242, 'shelf worried': 757831, 'about running': 26122, 'money determined': 536698, 'family healthy': 297888, 'food present': 315910, 'present to': 670635, 'you nettle': 1020073, 'nettle and': 557687, 'and wild': 75650, 'wild garlic': 992059, 'garlic soup': 343692, 'soup watch': 786426, 'the taste': 869163, 'taste test': 834794, 'test later': 839079, 'later teamfamily': 481128, 'teamfamily supportingdreams': 835858, 'up with empty': 946634, 'supermarket shelf worried': 822571, 'shelf worried about': 757832, 'worried about running': 1010517, 'about running out': 26123, 'out of money': 626790, 'of money determined': 586605, 'money determined to': 536699, 'determined to feed': 239460, 'to feed your': 905738, 'feed your family': 302412, 'your family healthy': 1023785, 'family healthy food': 297889, 'healthy food present': 387634, 'food present to': 315911, 'present to you': 670638, 'to you nettle': 918908, 'you nettle and': 1020074, 'nettle and wild': 557688, 'and wild garlic': 75651, 'wild garlic soup': 992060, 'garlic soup watch': 343693, 'soup watch this': 786427, 'space for the': 787102, 'for the taste': 326718, 'the taste test': 869165, 'taste test later': 834795, 'test later teamfamily': 839080, 'later teamfamily supportingdreams': 481129, 'liberating': 488030, 'tradesman': 928824, 'immunity test': 417436, 'be most': 116003, 'most liberating': 542473, 'liberating factor': 488031, 'factor for': 295878, 'community just': 189946, 'potential of': 667108, 'immunity badge': 417393, 'badge front': 108122, 'line health': 493160, 'worker child': 1006632, 'care aged': 163826, 'care family': 163932, 'family nursing': 298089, 'nursing supermarket': 577635, 'worker tradesman': 1008042, 'tradesman everything': 928825, '19 immunity test': 7686, 'immunity test could': 417437, 'could be most': 208898, 'be most liberating': 116006, 'most liberating factor': 542474, 'liberating factor for': 488032, 'factor for our': 295880, 'our community just': 622466, 'community just imagine': 189947, 'just imagine the': 469020, 'the potential of': 864122, 'potential of an': 667109, 'of an immunity': 580118, 'an immunity badge': 56178, 'immunity badge front': 417394, 'badge front line': 108123, 'front line health': 338580, 'line health worker': 493162, 'health worker child': 386970, 'worker child care': 1006633, 'child care aged': 176034, 'care aged care': 163827, 'aged care family': 37949, 'care family nursing': 163933, 'family nursing supermarket': 298090, 'nursing supermarket worker': 577637, 'supermarket worker tradesman': 824104, 'worker tradesman everything': 1008043, 'heartwarming': 388476, 'briton refuse': 140651, 'in heartwarming': 423616, 'heartwarming response': 388477, 'briton refuse to': 140652, 'refuse to waste': 707046, 'waste food in': 968123, 'food in heartwarming': 314941, 'in heartwarming response': 423617, 'heartwarming response to': 388478, 'to coronavirus crisis': 903546, 'ghoul': 349696, 'when pharmacy': 983876, 'pharmacy found': 654319, 'out certain': 625843, 'certain medicine': 170055, 'medicine might': 526837, 'pharma company': 654021, 'company quickly': 190992, 'quickly doubled': 694514, 'price ghoul': 674179, 'when pharmacy found': 983877, 'pharmacy found out': 654320, 'found out certain': 330321, 'out certain medicine': 625844, 'certain medicine might': 170056, 'medicine might help': 526838, 'might help in': 531033, '19 the pharma': 11232, 'the pharma company': 863634, 'pharma company quickly': 654023, 'company quickly doubled': 190993, 'quickly doubled the': 694515, 'the price ghoul': 864355, 'didntdolist': 241281, 'home wanted': 402439, 'item but': 463166, 'didn it': 241116, 'wait hope': 964130, 'my decision': 547966, 'decision today': 231115, 'today saved': 920134, 'saved life': 737747, 'two didntdolist': 936888, 'didntdolist stayhomesavelives': 241282, 'way home wanted': 969636, 'home wanted to': 402440, 'wanted to stop': 966276, 'to stop by': 915507, 'stop by grocery': 804557, 'few item but': 303887, 'item but didn': 463167, 'but didn it': 145532, 'didn it can': 241117, 'it can wait': 457037, 'can wait hope': 160135, 'wait hope my': 964131, 'hope my decision': 403542, 'my decision today': 547967, 'decision today saved': 231116, 'today saved life': 920135, 'saved life or': 737748, 'life or two': 488955, 'or two didntdolist': 617559, 'two didntdolist stayhomesavelives': 936889, 'gallbladder': 342941, 'afford only': 34737, 'up not': 945473, 'eat much': 265988, 'my bad': 547382, 'bad gallbladder': 107869, 'gallbladder which': 342942, 'which cannot': 985736, 'fixed rn': 309829, 'rn due': 724324, 'why had': 991037, 'food snap': 316643, 'snap will': 776126, 'cover food': 212226, 'food ordered': 315684, 'ordered via': 618933, 'spend extra to': 788608, 'extra to stock': 293680, 'stock food cannot': 802128, 'food cannot afford': 313878, 'cannot afford only': 161607, 'afford only to': 34738, 'only to end': 611358, 'end up not': 276039, 'up not being': 945474, 'to eat much': 904893, 'eat much of': 265989, 'of it because': 585369, 'it because of': 456755, 'because of my': 119379, 'of my bad': 586733, 'my bad gallbladder': 547383, 'bad gallbladder which': 107870, 'gallbladder which cannot': 342943, 'which cannot be': 985737, 'cannot be fixed': 161638, 'be fixed rn': 114879, 'fixed rn due': 309830, 'rn due to': 724325, '19 which is': 12038, 'is why had': 453961, 'why had to': 991038, 'had to spend': 373728, 'to spend extra': 914989, 'spend extra on': 788607, 'extra on food': 293593, 'on food snap': 600908, 'food snap will': 316644, 'snap will not': 776127, 'will not cover': 994203, 'not cover food': 568904, 'cover food ordered': 212227, 'food ordered via': 315686, 'ordered via online': 618934, 'via online at': 956132, 'online at my': 607890, 'to shopkeeper': 914508, 'shopkeeper that': 761196, 'keeping their': 472593, 'same giving': 733079, 'free item': 331926, 'vulnerable bravo': 960886, 'bravo to': 138302, 'and rip': 70535, 'their loyal': 873897, 'loyal customer': 506267, 'customer let': 222568, 'hell reserved': 389058, 'you panicbuying': 1020292, 'to shopkeeper that': 914509, 'shopkeeper that are': 761197, 'that are keeping': 842770, 'are keeping their': 87668, 'keeping their price': 472596, 'the same giving': 866230, 'same giving free': 733080, 'giving free item': 351296, 'free item to': 331930, 'item to the': 463770, 'to the vulnerable': 917175, 'the vulnerable bravo': 870977, 'vulnerable bravo to': 960887, 'bravo to those': 138303, 'who have decided': 988918, 'decided to hike': 230919, 'price and rip': 672524, 'and rip off': 70536, 'rip off their': 722670, 'off their loyal': 594291, 'their loyal customer': 873898, 'loyal customer let': 506270, 'customer let there': 222569, 'there be special': 878221, 'in hell reserved': 423630, 'hell reserved for': 389059, 'reserved for you': 714138, 'for you panicbuying': 328080, 'freedumb': 332402, 'freedumb an': 332403, 'american born': 51840, 'born chinese': 135553, 'chinese it': 177285, 'still suck': 801248, 'suck get': 816892, 'get dirty': 346882, 'who won': 990021, 'even check': 283946, 'my item': 548897, 'freedumb an american': 332404, 'an american born': 55283, 'american born chinese': 51841, 'born chinese it': 135554, 'chinese it still': 177286, 'it still suck': 461259, 'still suck get': 801249, 'suck get dirty': 816893, 'get dirty look': 346883, 'dirty look and': 243759, 'look and people': 502234, 'people who won': 650360, 'who won even': 990022, 'won even check': 1003798, 'even check out': 283947, 'out my item': 626601, 'my item at': 548898, 'the supermarket counter': 868539, 'supermarket counter because': 819842, 'counter because of': 210195, 'dropping due': 260684, 'that impact': 844436, 'impact social': 417964, 'security recipient': 744729, 'are dropping due': 86010, 'dropping due to': 260685, '19 how will': 7611, 'how will that': 409241, 'will that impact': 995124, 'that impact social': 844439, 'impact social security': 417966, 'social security recipient': 779950, 'scunthorpe': 743016, '100 job': 1932, 'job created': 465759, 'by scunthorpe': 153896, 'scunthorpe pork': 743017, 'pork producer': 664819, 'producer many': 680655, 'many permanent': 514558, 'permanent it': 652058, 'staff up': 793031, 'meet supermarket': 527576, 'supermarket demand': 819942, 'cooking during': 202860, '100 job created': 1933, 'job created by': 465760, 'created by scunthorpe': 215793, 'by scunthorpe pork': 153897, 'scunthorpe pork producer': 743018, 'pork producer many': 664820, 'producer many permanent': 680656, 'many permanent it': 514559, 'permanent it staff': 652059, 'it staff up': 461216, 'staff up to': 793032, 'to meet supermarket': 910052, 'meet supermarket demand': 527577, 'supermarket demand for': 819943, 'for home cooking': 322342, 'home cooking during': 400929, 'cooking during outbreak': 202861, 'government boost': 359940, 'boost senior': 135009, 'senior meal': 750354, 'delivery amid': 233644, 'people 70': 646731, '70 amp': 21727, 'amp over': 54263, 'over should': 630611, 'be limiting': 115762, 'others is': 621491, 'why meal': 991187, 'meal service': 524271, 'become so': 120132, 'important older': 418910, 'look towards': 502647, 'towards community': 927174, 'food program': 316054, 'program exp': 683242, 'government boost senior': 359941, 'boost senior meal': 135010, 'senior meal delivery': 750355, 'meal delivery amid': 524129, 'delivery amid covid': 233645, '19 demand increase': 6485, 'demand increase people': 235691, 'increase people 70': 432979, 'people 70 amp': 646732, '70 amp over': 21728, 'amp over should': 54264, 'over should be': 630612, 'should be limiting': 765662, 'be limiting contact': 115763, 'with others is': 999969, 'others is why': 621494, 'is why meal': 453967, 'why meal service': 991188, 'meal service have': 524272, 'service have become': 752447, 'have become so': 379446, 'become so important': 120135, 'so important older': 777376, 'important older people': 418911, 'older people look': 598654, 'people look towards': 648701, 'look towards community': 502648, 'towards community food': 927175, 'community food program': 189852, 'food program exp': 316056, 'strapped': 812522, 'sensor': 750729, 'bottle is': 136252, 'is strapped': 452365, 'strapped with': 812523, 'with anti': 997259, 'anti theft': 78334, 'theft sensor': 872362, 'sensor at': 750730, 'in tampa': 428813, 'sanitizer bottle is': 734586, 'bottle is strapped': 136254, 'is strapped with': 452366, 'strapped with anti': 812524, 'with anti theft': 997262, 'anti theft sensor': 78335, 'theft sensor at': 872363, 'sensor at best': 750731, 'at best buy': 98125, 'best buy in': 127611, 'buy in tampa': 148820, 'dailydrawing': 224907, 'dailysketches': 224932, 'artwithfriends': 94655, 'artchallenge': 94203, 'wordoftheday': 1004629, 'wordofthedaychallenge': 1004632, '05 rescind': 955, 'rescind stocking': 713600, 'do dailydrawing': 249211, 'dailydrawing dailysketches': 224908, 'dailysketches artwithfriends': 224933, 'artwithfriends artchallenge': 94656, 'artchallenge wordoftheday': 94204, 'wordoftheday wordofthedaychallenge': 1004630, 'wordofthedaychallenge shopping': 1004633, 'shopping quarantine': 763706, 'quarantine stockup': 692583, '05 rescind stocking': 956, 'rescind stocking up': 713601, 'on supply is': 603827, 'supply is hard': 825442, 'hard to do': 378058, 'to do dailydrawing': 904497, 'do dailydrawing dailysketches': 249212, 'dailydrawing dailysketches artwithfriends': 224909, 'dailysketches artwithfriends artchallenge': 224934, 'artwithfriends artchallenge wordoftheday': 94657, 'artchallenge wordoftheday wordofthedaychallenge': 94205, 'wordoftheday wordofthedaychallenge shopping': 1004631, 'wordofthedaychallenge shopping quarantine': 1004634, 'shopping quarantine stockup': 763707, 'aldershot': 41243, 'so pleased': 778030, 'local aldershot': 497671, 'aldershot resident': 41244, 'resident david': 714281, 'david uk': 227004, 'uk man': 938532, 'man 70': 511969, '70 wa': 21855, 'wa living': 962577, 'living solely': 496454, 'on domino': 600380, 'domino pizza': 253308, 'pizza daily': 657157, 'mail online': 508634, 'are so pleased': 90213, 'so pleased to': 778032, 'pleased to be': 660799, 'help local aldershot': 390009, 'local aldershot resident': 497672, 'aldershot resident david': 41245, 'resident david uk': 714282, 'david uk man': 227005, 'uk man 70': 938533, 'man 70 wa': 511970, '70 wa living': 21856, 'wa living solely': 962578, 'living solely on': 496455, 'solely on domino': 781869, 'on domino pizza': 600381, 'domino pizza daily': 253309, 'pizza daily mail': 657158, 'daily mail online': 224684, 'winged': 996000, 'mph': 544318, 'alphabet': 47148, 'winged air': 996001, 'air drop': 39715, 'drop delivery': 260174, 'delivery can': 233776, 'come within': 187695, 'within minute': 1002386, 'ordering at': 618948, 'at speed': 100609, 'of 65': 579649, '65 mph': 21368, 'mph alphabet': 544319, 'alphabet nascent': 47153, 'nascent drone': 551978, 'winged air drop': 996002, 'air drop delivery': 39716, 'drop delivery can': 260175, 'delivery can come': 233777, 'can come within': 157938, 'come within minute': 187696, 'within minute of': 1002389, 'minute of ordering': 533814, 'of ordering at': 587346, 'ordering at speed': 618949, 'at speed of': 100610, 'speed of 65': 788453, 'of 65 mph': 579650, '65 mph alphabet': 21369, 'mph alphabet nascent': 544320, 'alphabet nascent drone': 47154, 'nascent drone delivery': 551979, 'drone delivery service': 260068, 'service is booming': 752516, '952': 23630, '5225': 20266, 'reminder price': 710583, 'illegal and': 416200, 'and californian': 59409, 'protected if': 685139, 'you experience': 1018486, 'experience illegal': 291383, 'essential submit': 281603, 'submit complaint': 815787, '800 952': 22686, '952 5225': 23631, '5225 stayhomesavelives': 20269, 'reminder price gouging': 710584, 'is illegal and': 448663, 'illegal and californian': 416201, 'and californian are': 59410, 'are protected if': 89295, 'protected if you': 685140, 'if you experience': 415433, 'you experience illegal': 1018487, 'experience illegal price': 291384, 'gas food or': 343853, 'other essential submit': 620179, 'essential submit complaint': 281604, 'submit complaint to': 815788, 'complaint to the': 192042, 'to the office': 916917, 'the office of': 862076, 'office of at': 595498, 'of at or': 580421, 'at or call': 99989, 'or call 800': 614637, 'call 800 952': 155726, '800 952 5225': 22687, '952 5225 stayhomesavelives': 23633, 'raking': 696217, 'who winning': 990012, 'winning big': 996064, 'big from': 129795, 'chaos read': 173043, 'the unexpected': 870380, 'unexpected company': 941360, 'company raking': 190999, 'raking it': 696221, 'more key': 539646, 'who winning big': 990013, 'winning big from': 996065, 'big from the': 129796, 'from the chaos': 337636, 'the chaos read': 850694, 'chaos read about': 173044, 'about the unexpected': 26551, 'the unexpected company': 870381, 'unexpected company raking': 941361, 'company raking it': 191000, 'raking it in': 696222, 'it in more': 458737, 'in more key': 425439, 'more key insight': 539647, 'key insight from': 473325, 'the consumer retail': 851587, 'consumer retail sector': 198798, 'owhealth': 631846, 'private market': 678943, 'market responds': 516996, 'will influence': 993852, 'influence public': 437317, 'public opinion': 688198, 'opinion toward': 613512, 'the structure': 868300, 'structure of': 814307, 'could shape': 209663, 'shape consumer': 754830, 'future policy': 342422, 'policy decision': 663374, 'decision owhealth': 231076, 'how the private': 408866, 'the private market': 864487, 'private market responds': 678944, 'market responds to': 516997, 'responds to this': 715601, 'to this crisis': 917415, 'crisis will influence': 218414, 'will influence public': 993853, 'influence public opinion': 437318, 'public opinion toward': 688200, 'opinion toward the': 613513, 'toward the structure': 927159, 'the structure of': 868301, 'structure of the': 814311, 'of the healthcare': 591098, 'system and could': 831094, 'and could shape': 60623, 'could shape consumer': 209665, 'shape consumer sentiment': 754831, 'sentiment and future': 750897, 'and future policy': 63449, 'future policy decision': 342423, 'policy decision owhealth': 663375, 'culturally': 220278, 'vibrant': 956407, 'little neighbourhood': 495480, 'neighbourhood live': 557278, 'in is': 424164, 'is culturally': 446972, 'culturally vibrant': 220281, 'vibrant just': 956408, 'just dense': 468575, 'dense with': 237059, 'with cool': 997783, 'cool shop': 203038, 'shop market': 760448, 'restaurant lot': 716553, 'and wonder': 75821, 'percentage will': 651224, 'open post': 612459, 'post truly': 666381, 'truly regret': 933332, 'regret just': 707704, 'my closest': 547706, 'closest starbucks': 183536, 'starbucks and': 794086, 'the little neighbourhood': 859491, 'little neighbourhood live': 495481, 'neighbourhood live in': 557279, 'live in is': 495869, 'in is culturally': 424166, 'is culturally vibrant': 446973, 'culturally vibrant just': 220282, 'vibrant just dense': 956409, 'just dense with': 468576, 'dense with cool': 237060, 'with cool shop': 997784, 'cool shop market': 203039, 'shop market and': 760449, 'market and restaurant': 515986, 'and restaurant lot': 70385, 'restaurant lot of': 716554, 'them are closed': 875417, 'are closed now': 85356, 'closed now and': 183249, 'now and wonder': 574070, 'and wonder what': 75824, 'wonder what percentage': 1004013, 'what percentage will': 982026, 'percentage will open': 651225, 'will open post': 994348, 'open post truly': 612460, 'post truly regret': 666382, 'truly regret just': 933333, 'regret just going': 707705, 'to my closest': 910383, 'my closest starbucks': 547707, 'closest starbucks and': 183537, 'starbucks and supermarket': 794088, 'and supermarket all': 72701, 'supermarket all the': 818875, 'front like': 338553, 'like worker': 491838, 'hour it': 405711, 'only doctor': 610344, 'nurse it': 577392, 'cleaner postal': 180820, 'worker local': 1007332, 'government social': 360616, 'welfare there': 977971, 'beyond during': 129164, 'front like worker': 338554, 'like worker are': 491839, 'of the hour': 591110, 'the hour it': 857579, 'hour it not': 405714, 'not only doctor': 570789, 'only doctor and': 610345, 'and nurse it': 67892, 'nurse it care': 577393, 'it care worker': 457065, 'care worker supermarket': 164305, 'staff cleaner postal': 792323, 'cleaner postal service': 180821, 'postal service worker': 666455, 'service worker local': 753103, 'worker local government': 1007333, 'local government social': 498030, 'government social welfare': 360617, 'social welfare there': 780014, 'welfare there are': 977972, 'people going above': 648092, 'and beyond during': 58942, 'beyond during this': 129165, 'during this 19': 263258, 'equilibrium': 279654, 'really helped': 702280, 'me find': 522730, 'find my': 307076, 'my equilibrium': 548104, 'equilibrium and': 279655, 'keep finding': 471504, 'finding my': 307503, 'my peaceful': 549735, 'peaceful center': 646031, 'center over': 169286, 'few stressful': 304078, 'day whenever': 228735, 'whenever listen': 984662, 'care that': 164227, 'day ahead': 227219, 'ahead stophoarding': 39211, 'something that really': 785081, 'that really helped': 845961, 'really helped me': 702281, 'helped me find': 391083, 'me find my': 522731, 'find my equilibrium': 307079, 'my equilibrium and': 548105, 'equilibrium and keep': 279656, 'and keep finding': 65759, 'keep finding my': 471505, 'finding my peaceful': 307504, 'my peaceful center': 549736, 'peaceful center over': 646032, 'center over the': 169287, 'last few stressful': 480213, 'few stressful day': 304079, 'stressful day whenever': 813491, 'day whenever listen': 228736, 'whenever listen to': 984663, 'listen to it': 494741, 'to it it': 908590, 'it it help': 459172, 'it help me': 458545, 'help me not': 390071, 'me not panic': 523229, 'not panic about': 570891, 'panic about supply': 637260, 'about supply and': 26292, 'supply and food': 824720, 'and medical care': 66870, 'medical care that': 526087, 'care that might': 164228, 'that might need': 845163, 'might need in': 531083, 'the day ahead': 852866, 'day ahead stophoarding': 227220, 'govt and': 361074, 'their medium': 873940, 'medium mate': 527174, 'mate are': 520335, 'the blame': 849750, 'blame onto': 132278, 'public people': 688222, 'are further': 86762, 'park than': 641995, 'in westminster': 430821, 'westminster the': 980691, 'taken from': 832997, 'from ground': 335704, 'ground level': 366515, 'look closer': 502329, 'the govt and': 856651, 'govt and their': 361076, 'and their medium': 73701, 'their medium mate': 873941, 'medium mate are': 527175, 'mate are shifting': 520336, 'are shifting the': 90037, 'shifting the blame': 758555, 'the blame onto': 849753, 'blame onto the': 132279, 'onto the public': 611682, 'the public people': 864846, 'public people are': 688223, 'people are further': 646985, 'are further away': 86763, 'further away in': 342002, 'away in park': 105949, 'in park than': 426514, 'park than they': 641997, 'supermarket or in': 821814, 'or in westminster': 615765, 'in westminster the': 430822, 'westminster the photo': 980692, 'the photo of': 863703, 'photo of them': 655217, 'them are taken': 875420, 'are taken from': 90706, 'taken from ground': 832998, 'from ground level': 335705, 'ground level so': 366516, 'level so they': 487713, 'so they look': 778474, 'they look closer': 882625, 'dwarf': 263642, 'bat biggest': 112540, 'of mosquito': 586668, 'mosquito and': 542034, 'and mosquito': 67258, 'mosquito are': 542036, 'are by': 85138, 'by far': 152549, 'far deadliest': 298754, 'deadliest animal': 229204, 'animal for': 76600, 'human malaria': 410559, 'malaria death': 511554, 'death still': 230216, 'still dwarf': 800469, 'dwarf covid': 263643, 'an annual': 55321, 'annual basis': 77385, 'basis although': 112216, 'although maybe': 49335, 'maybe not': 521752, 'long in': 501449, '2020 and': 14139, 'and certainly': 59696, 'certainly throughout': 170188, 'throughout history': 894939, 'bat biggest consumer': 112541, 'consumer of mosquito': 198244, 'of mosquito and': 586669, 'mosquito and mosquito': 542035, 'and mosquito are': 67259, 'mosquito are by': 542037, 'are by far': 85140, 'by far deadliest': 152550, 'far deadliest animal': 298755, 'deadliest animal for': 229205, 'animal for human': 76602, 'for human malaria': 322442, 'human malaria death': 410560, 'malaria death still': 511555, 'death still dwarf': 230217, 'still dwarf covid': 800470, 'dwarf covid 19': 263644, '19 on an': 8927, 'on an annual': 599322, 'an annual basis': 55322, 'annual basis although': 77386, 'basis although maybe': 112217, 'although maybe not': 49336, 'maybe not for': 521754, 'not for long': 569491, 'for long in': 323078, 'long in 2020': 501450, 'in 2020 and': 419817, '2020 and certainly': 14141, 'and certainly throughout': 59698, 'certainly throughout history': 170189, 'critical say': 218651, 'say client': 738515, 'be critical say': 114297, 'critical say client': 218652, 'people queue': 649211, 'singapore on': 771137, '17 amid': 4330, 'bulk ha': 142307, 'global problem': 352145, 'product affecting': 680838, 'affecting those': 34582, 'paycheck photo': 645303, 'the strait': 868188, 'strait time': 812341, 'time afp': 896210, 'week people queue': 976739, 'people queue at': 649212, 'queue at supermarket': 693891, 'supermarket in singapore': 820978, 'in singapore on': 427973, 'singapore on march': 771138, 'on march 17': 602012, 'march 17 amid': 515095, '17 amid concern': 4331, 'amid concern about': 52404, 'about the spread': 26525, 'the 19 panic': 847924, 'in bulk ha': 421037, 'bulk ha become': 142308, 'ha become global': 369678, 'become global problem': 120008, 'global problem with': 352146, 'problem with empty': 679754, 'shelf of product': 757367, 'of product affecting': 588479, 'product affecting those': 680839, 'affecting those they': 34583, 'those they live': 892549, 'they live paycheck': 882579, 'to paycheck photo': 911582, 'paycheck photo the': 645304, 'photo the strait': 655254, 'the strait time': 868189, 'strait time afp': 812342, 'untouched': 943957, 'yee': 1015166, 'last the': 480536, 'one plus': 606890, 'plus of': 661641, 'in muslim': 425523, 'who thought': 989784, 'thought the': 893241, 'empty this': 275198, 'morning but': 541205, 'wine one': 995856, 'one largely': 606572, 'largely untouched': 479879, 'untouched yee': 943958, 'yee coronacrisis': 1015167, 'found at last': 330167, 'at last the': 99419, 'last the one': 480538, 'the one plus': 862216, 'one plus of': 606891, 'plus of living': 661643, 'living in muslim': 496382, 'in muslim area': 425524, 'muslim area who': 546418, 'area who thought': 92277, 'who thought the': 989787, 'thought the supermarket': 893250, 'were empty this': 979577, 'empty this morning': 275202, 'this morning but': 888947, 'morning but the': 541208, 'but the wine': 147428, 'the wine one': 871604, 'wine one largely': 995857, 'one largely untouched': 606573, 'largely untouched yee': 479880, 'untouched yee coronacrisis': 943959, 'yee coronacrisis panicbuying': 1015168, 'enough big': 277331, 'our preference': 624421, 'preference nominate': 669789, 'nominate your': 566282, 'supermarket pay': 821943, 'pay year': 645243, 'year 10': 1014327, 'pick pack': 655673, 'pack we': 633191, 'we collect': 971137, 'collect panicbuying': 186311, 'panicbuying schoolclosureuk': 639042, 'surely the supermarket': 827943, 'supermarket have enough': 820684, 'have enough big': 380441, 'enough big data': 277332, 'big data on': 129729, 'data on to': 226327, 'on to make': 604746, 'make up food': 510684, 'up food box': 944881, 'food box full': 313777, 'full of our': 340743, 'of our preference': 587545, 'our preference nominate': 624422, 'preference nominate your': 669790, 'nominate your supermarket': 566283, 'your supermarket pay': 1026055, 'supermarket pay year': 821944, 'pay year 10': 645244, 'year 10 11': 1014328, '10 11 to': 1231, '11 to pick': 2605, 'to pick pack': 911723, 'pick pack we': 655674, 'pack we collect': 633192, 'we collect panicbuying': 971138, 'collect panicbuying schoolclosureuk': 186312, 'gulf stock': 368650, 'to multi': 910343, 'low despite': 505243, 'despite massive': 238783, 'stimulus spending': 801618, 'region ha': 707418, 'suffered the': 817264, 'double blow': 255982, 'blow of': 133323, 'of plummeting': 588175, 'and sweeping': 72926, 'sweeping shutdown': 830203, 'gulf stock market': 368651, 'market have plunged': 516507, 'have plunged to': 381989, 'plunged to multi': 661509, 'to multi year': 910345, 'year low despite': 1014716, 'low despite massive': 505245, 'despite massive stimulus': 238786, 'massive stimulus spending': 520127, 'stimulus spending the': 801619, 'spending the region': 789004, 'the region ha': 865430, 'region ha suffered': 707419, 'ha suffered the': 372106, 'suffered the double': 817265, 'the double blow': 853610, 'double blow of': 255984, 'blow of plummeting': 133327, 'of plummeting oil': 588176, 'price and sweeping': 672555, 'and sweeping shutdown': 72927, 'india flipkart': 434405, 'flipkart tata': 310626, 'product launch': 681344, 'commodity distribution': 189163, 'distribution logistics': 248161, 'lockdown india flipkart': 499530, 'india flipkart tata': 434406, 'flipkart tata consumer': 310627, 'consumer product launch': 198465, 'product launch essential': 681346, 'launch essential commodity': 481898, 'essential commodity distribution': 280919, 'commodity distribution logistics': 189164, 'fulwood': 341110, 'adhered': 32216, 'shop fulwood': 760229, 'fulwood today': 341111, 'today very': 920431, 'see socialdistancing': 745707, 'socialdistancing being': 780246, 'being strictly': 125862, 'strictly adhered': 813683, 'adhered to': 32217, 'at separate': 100486, 'separate entrance': 751070, 'entrance exit': 278875, 'exit door': 290363, 'door another': 255514, 'another cleaning': 77537, 'cleaning for': 180949, 'each trolley': 264310, 'trolley small': 932468, 'small allowed': 774780, 'queue well': 694126, 'managed worth': 512517, 'the wait': 871026, 'wait even': 964098, 'even got': 284132, 'got flour': 358561, 'essential shop fulwood': 281547, 'shop fulwood today': 760230, 'fulwood today very': 341112, 'today very happy': 920432, 'very happy to': 955208, 'to see socialdistancing': 914070, 'see socialdistancing being': 745708, 'socialdistancing being strictly': 780247, 'being strictly adhered': 125863, 'strictly adhered to': 813684, 'adhered to employee': 32218, 'to employee at': 905020, 'employee at separate': 273651, 'at separate entrance': 100488, 'separate entrance exit': 751071, 'entrance exit door': 278876, 'exit door another': 290364, 'door another cleaning': 255515, 'another cleaning for': 77539, 'cleaning for each': 180950, 'for each trolley': 320910, 'each trolley small': 264311, 'trolley small allowed': 932469, 'small allowed at': 774781, 'allowed at time': 46136, 'at time in': 101291, 'supermarket queue well': 822139, 'queue well managed': 694127, 'well managed worth': 978383, 'managed worth the': 512518, 'worth the wait': 1011448, 'the wait even': 871028, 'wait even got': 964099, 'even got flour': 284133, '2metredistance': 16732, 'respectit': 715153, 'dailydoseofdonna1979': 224906, 'sign would': 769267, 'would ve': 1012365, 'handy for': 376887, 'this idiot': 887993, 'supermarket walking': 823718, 'walking way': 965122, 'people earlier': 647756, 'week 2metredistance': 975801, '2metredistance socialdistancing': 16733, 'socialdistancing respectit': 780641, 'respectit dailydoseofdonna1979': 715154, 'this sign would': 890150, 'sign would ve': 769268, 'would ve come': 1012369, 'in handy for': 423534, 'handy for this': 376889, 'for this idiot': 327038, 'this idiot in': 887994, 'idiot in the': 413532, 'the supermarket walking': 868890, 'supermarket walking way': 823722, 'walking way too': 965123, 'way too close': 970125, 'to people earlier': 911621, 'people earlier this': 647757, 'this week 2metredistance': 891179, 'week 2metredistance socialdistancing': 975802, '2metredistance socialdistancing respectit': 16734, 'socialdistancing respectit dailydoseofdonna1979': 780642, 'kiri': 475415, 'hannafin': 376991, 'of corporate': 581982, 'corporate affair': 207232, 'affair for': 34039, 'for woolworth': 327911, 'woolworth and': 1004402, 'and countdown': 60630, 'countdown supermarket': 210173, 'supermarket kiri': 821246, 'kiri hannafin': 475416, 'hannafin say': 376992, 'on now': 602451, 'disastrous and': 244280, 'begging for': 123481, 'stop she': 805009, 'say their': 739313, 'breaking the manager': 139061, 'manager of corporate': 512759, 'of corporate affair': 581983, 'corporate affair for': 207233, 'affair for woolworth': 34040, 'for woolworth and': 327912, 'woolworth and countdown': 1004404, 'and countdown supermarket': 60631, 'countdown supermarket kiri': 210176, 'supermarket kiri hannafin': 821247, 'kiri hannafin say': 475417, 'hannafin say the': 376993, 'say the panic': 739299, 'buying that going': 151151, 'that going on': 844032, 'going on now': 355329, 'on now is': 602453, 'now is disastrous': 575067, 'is disastrous and': 447199, 'disastrous and she': 244281, 'and she is': 71423, 'she is begging': 756146, 'is begging for': 446045, 'begging for people': 123483, 'to stop she': 915570, 'stop she say': 805010, 'she say their': 756326, 'say their supermarket': 739316, 'their supermarket have': 874904, 'supermarket have plenty': 820700, 'hitting the': 398595, 'store send': 810035, 'hitting the grocery': 398597, 'grocery store send': 365759, 'store send prayer': 810036, 'fadhil': 296064, 'nabi': 551349, '480k': 19344, '358m': 17966, 'former deputy': 329627, 'deputy finance': 237791, 'minister fadhil': 533364, 'fadhil nabi': 296065, 'nabi economist': 551350, 'economist told': 267584, 'local tv': 498662, 'tv channel': 936099, 'channel yesterday': 172956, 'yesterday exported': 1015727, 'exported an': 292737, 'of 480k': 579599, '480k bpd': 19345, 'bpd in': 137452, 'march amp': 515264, 'amp only': 54226, 'made 358m': 507613, '358m 24': 17967, 'barrel he': 111231, 'said krg': 731188, 'krg oil': 477668, 'oil revenue': 597393, 'revenue had': 720434, 'had reached': 373443, 'reached 950': 700029, '950 prior': 23610, 'former deputy finance': 329628, 'deputy finance minister': 237792, 'finance minister fadhil': 306230, 'minister fadhil nabi': 533365, 'fadhil nabi economist': 296066, 'nabi economist told': 551351, 'economist told local': 267585, 'told local tv': 923595, 'local tv channel': 498663, 'tv channel yesterday': 936100, 'channel yesterday exported': 172957, 'yesterday exported an': 1015728, 'exported an average': 292738, 'average of 480k': 104878, 'of 480k bpd': 579600, '480k bpd in': 19346, 'bpd in march': 137453, 'in march amp': 425078, 'march amp only': 515265, 'amp only made': 54228, 'only made 358m': 610745, 'made 358m 24': 507614, '358m 24 per': 17968, 'per barrel he': 650700, 'barrel he said': 111232, 'he said krg': 385366, 'said krg oil': 731189, 'krg oil revenue': 477669, 'oil revenue had': 597395, 'revenue had reached': 720435, 'had reached 950': 373444, 'reached 950 prior': 700030, '950 prior to': 23611, 'prior to plunge': 678377, 'to plunge in': 911836, 'plunge in oil': 661436, 'cbcnl': 168288, '19 dropping': 6658, 'have severe': 382498, 'on say': 603317, 'say premier': 739068, 'premier cbcnl': 669892, 'covid 19 dropping': 212987, '19 dropping oil': 6659, 'price have severe': 674456, 'have severe impact': 382501, 'impact on say': 417887, 'on say premier': 603320, 'say premier cbcnl': 739069, 'from fire': 335476, 'fire after': 308054, 'after using': 36477, 'sanitizer coronav': 734699, 'ru 19': 726882, 'away from fire': 105883, 'from fire after': 335477, 'fire after using': 308056, 'after using hand': 36479, 'hand sanitizer coronav': 375355, 'sanitizer coronav ru': 734700, 'coronav ru 19': 205355, 'state worker': 796103, 'terrible health': 838407, 'united state worker': 942255, 'state worker are': 796104, 'doing an incredible': 252284, 'despite this terrible': 238916, 'this terrible health': 890489, 'terrible health crisis': 838408, 'sure it employee': 827598, 'it employee have': 457802, 'employee have paid': 273922, 'refinance': 706570, '6556': 21402, 'brandimage': 138115, 'eur': 283340, 'unissued': 942029, 'pay off': 645013, 'at furious': 98728, 'furious pace': 341859, 'pace home': 632935, 'home refinance': 401955, 'refinance program': 706571, 'program email': 683240, 'email dated': 272156, 'dated 25': 226774, '25 17': 15802, '17 6556': 4320, '6556 brandimage': 21403, 'brandimage capital': 138116, 'capital amount': 162635, 'to eur': 905272, 'eur 453': 283341, '453 780': 19173, '780 and': 22338, 'and consists': 60329, '00 share': 482, 'common stock': 189474, 'at par': 100066, 'par value': 641203, 'of eur': 583211, '453 78': 19171, '78 the': 22329, 'remaining 00': 709952, 'are unissued': 91317, 'to pay off': 911545, 'pay off your': 645016, 'off your home': 594444, 'your home at': 1024340, 'home at furious': 400746, 'at furious pace': 98729, 'furious pace home': 341860, 'pace home refinance': 632936, 'home refinance program': 401956, 'refinance program email': 706572, 'program email dated': 683241, 'email dated 25': 272157, 'dated 25 17': 226775, '25 17 6556': 15803, '17 6556 brandimage': 4321, '6556 brandimage capital': 21404, 'brandimage capital amount': 138117, 'capital amount to': 162636, 'amount to eur': 53292, 'to eur 453': 905273, 'eur 453 780': 283343, '453 780 and': 19174, '780 and consists': 22339, 'and consists of': 60330, 'consists of 00': 195516, 'of 00 share': 579294, '00 share of': 484, 'share of common': 755118, 'of common stock': 581593, 'common stock at': 189475, 'stock at par': 801884, 'at par value': 100067, 'par value of': 641204, 'value of eur': 952161, 'of eur 453': 583212, 'eur 453 78': 283342, '453 78 the': 19172, '78 the remaining': 22330, 'the remaining 00': 865491, 'remaining 00 share': 709953, '00 share are': 483, 'share are unissued': 754930, '1500rs': 3948, 'ajeeb': 40453, 'kamal': 470730, 'increased from': 433328, 'from 300': 334269, '300 to': 17351, 'to 1500rs': 899508, '1500rs you': 3949, 'control even': 202005, 'then creating': 877100, 'creating the': 216082, 'the poll': 863953, 'poll to': 663862, 'of nih': 587021, 'nih whether': 563212, 'whether doctor': 985505, 'doctor be': 250852, 'given ppes': 351081, 'ppes or': 668131, 'not ajeeb': 568093, 'ajeeb kamal': 40454, 'kamal stayhomesavelives': 470731, 'stayhomesavelives stayhomestaysafe': 798459, 'n95 mask price': 551203, 'mask price increased': 519147, 'price increased from': 674800, 'increased from 300': 433329, 'from 300 to': 334270, '300 to 1500rs': 17352, 'to 1500rs you': 899509, '1500rs you cannot': 3950, 'you cannot control': 1017852, 'cannot control even': 161729, 'control even the': 202006, 'even the price': 284664, 'price and then': 672561, 'and then creating': 73754, 'then creating the': 877101, 'creating the poll': 216083, 'the poll to': 863956, 'poll to ask': 663863, 'to ask the': 900765, 'ask the people': 95638, 'the people instead': 863481, 'instead of nih': 440291, 'of nih whether': 587022, 'nih whether doctor': 563213, 'whether doctor be': 985507, 'doctor be given': 250853, 'be given ppes': 115029, 'given ppes or': 351082, 'ppes or not': 668132, 'or not ajeeb': 616288, 'not ajeeb kamal': 568094, 'ajeeb kamal stayhomesavelives': 40455, 'kamal stayhomesavelives stayhomestaysafe': 470732, 'mazibuk0': 522008, 'white people': 987889, 'selfish to': 748297, 'who brought': 988343, 'brought south': 141189, 'disgusting now': 245428, 'the disinfectant': 853385, 'disinfectant this': 245774, 'cause price': 167706, 'skyrocket 19': 773282, '19 mazibuk0': 8589, 'white people are': 987890, 'are selfish to': 89940, 'selfish to think': 748298, 'think that they': 885613, 'they were the': 883807, 'were the one': 980244, 'one who brought': 607436, 'who brought south': 988345, 'brought south africa': 141190, 'africa is disgusting': 35088, 'is disgusting now': 447223, 'disgusting now they': 245429, 'now they buy': 576103, 'they buy all': 881587, 'food and all': 313171, 'all the disinfectant': 44720, 'the disinfectant this': 853389, 'disinfectant this will': 245775, 'will cause price': 992894, 'cause price to': 167709, 'to skyrocket 19': 914701, 'skyrocket 19 mazibuk0': 773283, 'for safer': 325299, 'safer shopping': 730380, 'shopping ask': 762075, 'tip for safer': 898780, 'for safer shopping': 325300, 'safer shopping ask': 730381, 'shopping ask your': 762076, 'icliniq100hrs life shopping': 412787, 'global case': 351768, 'case slow': 166013, 'slow dow': 774337, 'future rally': 342441, 'rally 800': 696253, 'point oil': 662570, 'oil slip': 597433, 'slip gold': 774020, 'jump amazon': 467846, 'delay prime': 232741, 'prime day': 678104, 'day coming': 227463, 'financial market global': 306505, 'market global case': 516456, 'global case slow': 351770, 'case slow dow': 166014, 'slow dow future': 774338, 'dow future rally': 256325, 'future rally 800': 342442, 'rally 800 point': 696254, '800 point oil': 22721, 'point oil slip': 662572, 'oil slip gold': 597434, 'slip gold price': 774021, 'gold price jump': 355961, 'price jump amazon': 674954, 'jump amazon to': 467847, 'amazon to delay': 51160, 'to delay prime': 904086, 'delay prime day': 232742, 'prime day coming': 678106, 'day coming soon': 227464, 'cking': 179659, 'war two': 966582, 'two stiff': 937239, 'lip in': 494048, 'to stuck': 915691, 'in door': 422366, 'to major': 909606, 'major op': 509405, 'op and': 611792, 'even do': 284015, 'pretty cking': 671373, 'cking broken': 179660, 'this world war': 891520, 'world war two': 1010140, 'war two stiff': 966583, 'two stiff upper': 937240, 'upper lip in': 947693, 'lip in reaction': 494049, 'reaction to stuck': 700224, 'to stuck in': 915692, 'stuck in door': 814591, 'in door due': 422367, 'due to major': 261859, 'to major op': 909608, 'major op and': 509406, 'op and cannot': 611793, 'and cannot even': 59510, 'cannot even do': 161792, 'even do my': 284016, 'do my shopping': 249631, 'my shopping online': 550061, 'few week the': 304166, 'week the mentality': 976994, 'mentality of this': 528713, 'country is pretty': 210816, 'is pretty cking': 451008, 'pretty cking broken': 671374, 'cking broken and': 179661, 'broken and self': 140883, 'and self centred': 71180, 'delivery order': 234290, 'order surge': 618609, 'surge million': 828220, 'american stay': 52212, 'grocery delivery order': 364447, 'delivery order surge': 234293, 'order surge million': 618610, 'surge million of': 828221, 'of american stay': 580077, 'american stay away': 52213, 'thanet': 841514, 'serviced': 753133, 'broadstairs': 140783, '246': 15743, '1988': 12458, 'in thanet': 428903, 'thanet if': 841516, 'have serviced': 382481, 'serviced accommodation': 753134, 'in broadstairs': 420999, 'broadstairs available': 140784, 'available check': 104290, 'check our': 174523, 'for availability': 319538, 'availability then': 104185, 'then call': 877050, 'price 0800': 672096, '0800 246': 1102, '246 1988': 15744, '1988 thanet': 12459, 'thanet broadstairs': 841515, 'in thanet if': 428904, 'thanet if you': 841517, 'isolate but still': 454835, 'but still want': 147186, 'to be close': 901170, 'close to family': 182892, 'to family we': 905662, 'we have serviced': 971936, 'have serviced accommodation': 382482, 'serviced accommodation in': 753135, 'accommodation in broadstairs': 28452, 'in broadstairs available': 421000, 'broadstairs available check': 140785, 'available check our': 104291, 'check our website': 174530, 'website for availability': 975262, 'for availability then': 319540, 'availability then call': 104186, 'then call for': 877051, 'call for price': 155884, 'for price 0800': 324711, 'price 0800 246': 672097, '0800 246 1988': 1103, '246 1988 thanet': 15745, '1988 thanet broadstairs': 12460, 'quarantinedqueers': 692918, 'after and': 35361, 'find toiletpaper': 307346, 'toiletpaper quarantinedqueers': 922379, 'quarantinedqueers toiletpapercrisis': 692919, '50 year after': 19915, 'year after and': 1014343, 'after and you': 35364, 'and you find': 76018, 'you find toiletpaper': 1018581, 'find toiletpaper quarantinedqueers': 307349, 'toiletpaper quarantinedqueers toiletpapercrisis': 922380, 'hygienicpaper': 412245, 'friend is': 333669, 'is toilet': 453264, 'safe emma': 729625, 'emma toiletpaper': 273231, 'humor laughter': 410893, 'laughter smile': 481850, 'smile comic': 775707, 'comic comedy': 187925, 'joke satire': 467128, 'satire comic': 736939, 'pandemic hygienicpaper': 635669, 'hygienicpaper toiletpaperapocalypse': 412246, 'best friend is': 127703, 'friend is toilet': 333672, 'is toilet paper': 453266, 'stay safe emma': 797230, 'safe emma toiletpaper': 729626, 'emma toiletpaper humor': 273232, 'toiletpaper humor laughter': 922095, 'humor laughter smile': 410894, 'laughter smile comic': 481851, 'smile comic comedy': 775708, 'comic comedy joke': 187926, 'comedy joke satire': 187760, 'joke satire comic': 467129, 'satire comic quarantine': 736941, 'virus pandemic hygienicpaper': 958602, 'pandemic hygienicpaper toiletpaperapocalypse': 635670, 'papertowel': 641157, 'wish need': 996796, 'to chill': 902718, 'chill toiletpaper': 176385, 'toiletpaper papertowel': 922320, 'papertowel wish': 641158, 'wish panicbuying': 996804, 'wish need to': 996797, 'need to chill': 555885, 'to chill toiletpaper': 902720, 'chill toiletpaper papertowel': 176386, 'toiletpaper papertowel wish': 922321, 'papertowel wish panicbuying': 641159, 'tha': 840063, 'statement yes': 796229, 'yes or': 1015502, 'no you': 565943, 'supermarket compared': 819744, 'to visiting': 918216, 'visiting another': 959512, 'another household': 77660, 'household while': 406985, 'while using': 987503, 'using ppe': 950606, 'no can': 563749, 'why tha': 991404, 'do you agree': 250612, 'you agree with': 1016854, 'with the statement': 1001495, 'the statement yes': 867829, 'statement yes or': 796230, 'yes or no': 1015503, 'or no you': 616269, 'no you have': 565947, 'you have more': 1019075, 'have more chance': 381497, 'more chance of': 538795, 'of catching covid': 581206, '19 in packed': 7774, 'packed supermarket compared': 633644, 'supermarket compared to': 819745, 'compared to visiting': 191443, 'to visiting another': 918217, 'visiting another household': 959513, 'another household while': 77661, 'household while using': 406986, 'while using ppe': 987506, 'using ppe and': 950607, 'ppe and social': 667907, 'distancing if it': 247213, 'if it no': 414323, 'it no can': 459824, 'no can you': 563751, 'you please explain': 1020356, 'please explain why': 659982, 'explain why tha': 292138, 'sensitivity': 750712, 'paytech': 645828, 'lendtech': 486304, 'ach': 29001, 'touch anything': 926456, 'anything or': 80850, 'hand over': 375167, 'your card': 1023145, 'someone there': 784692, 'big degree': 129748, 'degree of': 232567, 'of safety': 589219, 'consumer sensitivity': 198899, 'sensitivity to': 750715, 'catching coronavirus': 167078, 'now showing': 575822, 'at point': 100149, 'sale fintech': 732220, 'fintech contactless': 308021, 'payment paytech': 645703, 'paytech lendtech': 645829, 'lendtech processing': 486305, 'processing ach': 680008, 'have to touch': 383322, 'to touch anything': 917647, 'touch anything or': 926457, 'anything or hand': 80851, 'or hand over': 615555, 'hand over your': 375173, 'over your card': 630969, 'your card to': 1023146, 'card to someone': 163687, 'to someone there': 914909, 'someone there is': 784693, 'there is big': 878531, 'is big degree': 446169, 'big degree of': 129749, 'degree of safety': 232570, 'of safety in': 589221, 'safety in that': 730581, 'in that the': 428934, 'the consumer sensitivity': 851592, 'consumer sensitivity to': 198900, 'sensitivity to catching': 750716, 'to catching coronavirus': 902514, 'catching coronavirus is': 167080, 'is now showing': 450337, 'now showing up': 575825, 'up at point': 944436, 'at point of': 100150, 'of sale fintech': 589242, 'sale fintech contactless': 732221, 'fintech contactless payment': 308022, 'contactless payment paytech': 200380, 'payment paytech lendtech': 645704, 'paytech lendtech processing': 645830, 'lendtech processing ach': 486306, 'important reading': 418944, 'reading for': 700761, 'anyone leading': 80409, 'facing company': 295426, 'company 33': 190341, '33 of': 17766, 'consumer surveyed': 199201, 'surveyed said': 829011, 'would punish': 1012134, 'punish brand': 689217, 'that responded': 846015, 'responded poorly': 715357, 'crisis attention': 217097, 'attention marketer': 102457, 'important reading for': 418945, 'reading for anyone': 700762, 'for anyone leading': 319440, 'anyone leading consumer': 80410, 'leading consumer facing': 483698, 'consumer facing company': 197436, 'facing company 33': 295427, 'company 33 of': 190342, '33 of consumer': 17767, 'of consumer surveyed': 581776, 'consumer surveyed said': 199203, 'surveyed said they': 829012, 'said they would': 731492, 'they would punish': 883950, 'would punish brand': 1012135, 'punish brand that': 689218, 'brand that responded': 138035, 'that responded poorly': 846016, 'responded poorly to': 715358, 'poorly to the': 664399, '19 crisis attention': 6217, 'crisis attention marketer': 217098, 'vice': 956423, 'mera': 528921, 'minibus': 533042, 'reduce salary': 705922, 'president vice': 670960, 'vice all': 956424, 'all cabinet': 42268, 'cabinet member': 154990, 'member by': 528038, 'against mera': 37547, 'mera ordered': 528924, 'and minibus': 67042, 'minibus to': 533043, 'on fare': 600732, 'reduce salary of': 705923, 'salary of president': 731989, 'of president vice': 588377, 'president vice all': 670961, 'vice all cabinet': 956425, 'all cabinet member': 42269, 'cabinet member by': 154991, 'member by 10': 528039, 'by 10 and': 151511, '10 and use': 1317, 'use the fund': 949666, 'the fund in': 856040, 'fund in fight': 341434, 'fight against mera': 304631, 'against mera ordered': 37548, 'mera ordered to': 528925, 'ordered to reduce': 618923, 'to reduce fuel': 913023, 'price and minibus': 672471, 'and minibus to': 67043, 'minibus to cut': 533044, 'cut down on': 223308, 'down on fare': 257019, 'marketing brand': 517534, 'marketer marketing brand': 517469, 'supermarket us': 823623, 'us genius': 948519, 'genius method': 345794, 'method to': 529795, 'buyer from': 149650, 'hoarding sanitizer': 399506, 'sanitizer brilliant': 734597, 'brilliant hoarding': 139852, 'supermarket us genius': 823624, 'us genius method': 948520, 'genius method to': 345795, 'method to stop': 529801, 'to stop buyer': 915505, 'stop buyer from': 804524, 'buyer from hoarding': 149652, 'from hoarding sanitizer': 335831, 'hoarding sanitizer brilliant': 399507, 'sanitizer brilliant hoarding': 734598, 'outskirt': 629672, 'ygn': 1016351, 'show of': 767074, 'spirit industrial': 789476, 'industrial zone': 435579, 'zone factory': 1027756, 'in outskirt': 426372, 'outskirt of': 629673, 'of ygn': 593361, 'ygn organized': 1016352, 'organized market': 619475, 'sell basic': 748640, 'basic foodstuff': 111902, 'foodstuff at': 318160, 'income resident': 432449, 'show of community': 767075, 'of community spirit': 581601, 'community spirit industrial': 190105, 'spirit industrial zone': 789477, 'industrial zone factory': 435580, 'zone factory in': 1027757, 'factory in outskirt': 295959, 'in outskirt of': 426373, 'outskirt of ygn': 629675, 'of ygn organized': 593362, 'ygn organized market': 1016353, 'organized market to': 619476, 'market to sell': 517242, 'to sell basic': 914141, 'sell basic foodstuff': 748641, 'basic foodstuff at': 111903, 'foodstuff at special': 318161, 'special price to': 788032, 'price to low': 677010, 'to low income': 909486, 'low income resident': 505357, 'dha': 240081, 'in phase': 426677, 'phase dha': 654605, 'dha lahore': 240085, 'lahore the': 478996, 'wa busier': 961764, 'case employee': 165723, 'employee showed': 274212, 'showed little': 767339, 'little concern': 495290, 'distancing granted': 247180, 'granted vast': 362098, 'majority were': 509585, 'were wearing': 980342, 'went to large': 979168, 'to large grocery': 909043, 'chain in phase': 170812, 'in phase dha': 426678, 'phase dha lahore': 654606, 'dha lahore the': 240086, 'lahore the store': 478997, 'store wa busier': 811102, 'wa busier than': 961765, 'busier than usual': 143174, 'usual and other': 950884, 'and other customer': 68305, 'other customer and': 620055, 'customer and in': 222080, 'some case employee': 782485, 'case employee showed': 165724, 'employee showed little': 274213, 'showed little concern': 767340, 'little concern for': 495291, 'concern for social': 192977, 'social distancing granted': 779623, 'distancing granted vast': 247181, 'granted vast majority': 362099, 'vast majority were': 952711, 'majority were wearing': 509586, 'were wearing mask': 980344, 'paygrade': 645363, 'ago colleague': 38363, 'colleague wa': 186252, 'her upcoming': 392499, 'upcoming visa': 946815, 'visa renewal': 959113, 'renewal since': 711005, 'since brexit': 770532, 'brexit an': 139486, 'an unskilled': 56905, 'other colleague': 619958, 'country ticking': 211153, 'ticking skill': 895692, 'skill isn': 772959, 'isn something': 454674, 'something decided': 784882, 'by paygrade': 153539, 'week ago colleague': 975841, 'ago colleague wa': 38364, 'colleague wa concerned': 186253, 'wa concerned about': 961851, 'concerned about her': 193157, 'about her upcoming': 25379, 'her upcoming visa': 392500, 'upcoming visa renewal': 946816, 'visa renewal since': 959114, 'renewal since brexit': 711006, 'since brexit an': 770533, 'brexit an unskilled': 139487, 'an unskilled worker': 56906, 'unskilled worker in': 943492, 'worker in supermarket': 1007202, 'in supermarket today': 428694, 'supermarket today she': 823464, 'today she and': 920165, 'she and other': 755858, 'and other colleague': 68294, 'other colleague are': 619959, 'colleague are key': 186195, 'the country ticking': 852167, 'country ticking skill': 211154, 'ticking skill isn': 895693, 'skill isn something': 772960, 'isn something decided': 454675, 'something decided by': 784883, 'decided by paygrade': 230863, 'backup': 107608, 'have forgotten': 380691, 'forgotten how': 329439, 'my fake': 548178, 'fake cough': 296592, 'cough serve': 208545, 'serve reminder': 751934, 'reminder backup': 710541, 'backup socialdistancing': 107611, 'those who seem': 892669, 'to have forgotten': 907240, 'have forgotten how': 380692, 'forgotten how to': 329440, 'how to socially': 409085, 'socially distance at': 781044, 'store let my': 808711, 'let my fake': 486927, 'my fake cough': 548179, 'fake cough serve': 296593, 'cough serve reminder': 208546, 'serve reminder backup': 751935, 'reminder backup socialdistancing': 710542, 'our ed': 622854, 'ed on': 268458, 'on handling': 601241, 'topic what': 925822, 'consumer expect': 197386, 'expect during': 290638, 'pandemic period': 636172, 'period report': 651872, 'any hike': 79326, 'whatsapp or': 982907, 'info co': 437446, 'co ke': 184867, 'ke kenya': 471231, 'kenya live': 472923, 'in youtube': 431144, 'watch our ed': 968497, 'our ed on': 622855, 'ed on handling': 268459, 'on handling the': 601242, 'handling the topic': 376398, 'the topic what': 869803, 'topic what consumer': 925823, 'what consumer expect': 981252, 'consumer expect during': 197387, 'expect during this': 290639, 'this pandemic period': 889414, 'pandemic period report': 636173, 'period report any': 651873, 'report any hike': 711803, 'any hike in': 79327, 'hike in price': 396223, 'in price on': 426977, 'price on whatsapp': 675737, 'on whatsapp or': 605254, 'whatsapp or email': 982909, 'email info co': 272212, 'info co ke': 437447, 'co ke kenya': 184869, 'ke kenya live': 471232, 'kenya live in': 472924, 'live in youtube': 495896, 're hero': 698808, 'supply stophoarding': 825907, 'are not hoarding': 88390, 'not hoarding supply': 569998, 'hoarding supply you': 399573, 'supply you re': 826148, 'you re hero': 1020644, 're hero to': 698809, 'hero to other': 394134, 'other people getting': 620666, 'people getting to': 648067, 'getting to buy': 349394, 'buy supply stophoarding': 149268, 'agrisa': 39048, 'nation say': 552305, 'say agrisa': 738397, 'agrisa amid': 39049, 'consumer stockpile': 199150, 'stockpile in': 803761, 'pandemic agrisa': 634810, 'agrisa ha': 39051, 'nation agrisa': 552105, 'to feed the': 905732, 'the nation say': 861261, 'nation say agrisa': 552306, 'say agrisa amid': 738398, 'agrisa amid covid': 39050, 'buying by consumer': 150075, 'by consumer stockpile': 152196, 'consumer stockpile in': 199152, 'stockpile in fear': 803762, 'in fear amid': 422812, 'fear amid the': 301016, '19 pandemic agrisa': 9255, 'pandemic agrisa ha': 634811, 'agrisa ha said': 39052, 'ha said there': 371797, 'the nation agrisa': 861216, 'nation agrisa ha': 552106, 'yoo': 1016556, '200s': 13751, 'yoo haven': 1016557, 'the 200s': 847998, 'yoo haven seen': 1016558, 'since the 200s': 770856, 'viruspandemic': 959108, 'be nightmare': 116087, 'nightmare lockdownuk': 563181, 'lockdownuk lockdown': 500420, 'lockdown viruspandemic': 500114, 'to supermarket now': 915817, 'supermarket now will': 821678, 'now will be': 576422, 'will be nightmare': 992573, 'be nightmare lockdownuk': 116088, 'nightmare lockdownuk lockdown': 563182, 'lockdownuk lockdown viruspandemic': 500421, 'internship': 442074, 'no internship': 564519, 'internship no': 442075, 'no school': 565422, 'school covid': 741764, 'but self': 146997, 'boredom and': 135394, 'and boredom': 59083, 'boredom online': 135410, 'shopping spending': 763945, 'spending money': 788900, 'have because': 379421, 'work no internship': 1005492, 'no internship no': 564520, 'internship no school': 442076, 'no school covid': 565424, 'school covid 19': 741765, '19 self quarantine': 10396, 'self quarantine but': 747849, 'quarantine but self': 692064, 'but self quarantine': 146999, 'self quarantine boredom': 747848, 'quarantine boredom and': 692058, 'boredom and boredom': 135395, 'and boredom online': 59086, 'boredom online shopping': 135411, 'shopping but online': 762252, 'but online shopping': 146680, 'online shopping spending': 609279, 'shopping spending money': 763946, 'spending money do': 788901, 'not have because': 569812, 'have because not': 379423, 'because not work': 119288, 'differ': 241798, 'environment is': 279118, 'been rising': 121864, 'rising overall': 723253, 'overall and': 630991, 'security differ': 744579, 'differ by': 241799, 'by region': 153755, 'what the environment': 982310, 'the environment is': 854403, 'environment is the': 279119, 'is the long': 452852, 'of 19 will': 579425, 'be on food': 116194, 'chain but food': 170563, 'but food price': 145739, 'food price have': 315946, 'have been rising': 379667, 'been rising overall': 121865, 'rising overall and': 723254, 'overall and around': 630992, 'world the impact': 1010050, 'impact of crisis': 417766, 'of crisis on': 582180, 'crisis on food': 217812, 'food security differ': 316342, 'security differ by': 744580, 'differ by region': 241800, 'big grocery': 129807, 'dip into': 243198, 'be diagnosed': 114438, 'the big grocery': 849607, 'big grocery store': 129808, 'want to quarantine': 966096, 'to quarantine and': 912636, 'it you need': 462646, 'need to dip': 555905, 'to dip into': 904319, 'dip into your': 243202, 'leave is to': 484843, 'to be diagnosed': 901202, 'be diagnosed for': 114439, 'thomas': 891707, 'ldnont': 482808, 'greater demand': 363166, 'cause shortfall': 167733, 'at st': 100619, 'st thomas': 791753, 'thomas food': 891712, 'bank but': 109691, 'but help': 145916, 'from ldnont': 336200, 'ldnont came': 482810, 'came quickly': 157052, 'greater demand due': 363167, '19 cause shortfall': 5720, 'cause shortfall at': 167734, 'shortfall at st': 765366, 'at st thomas': 100620, 'st thomas food': 791754, 'thomas food bank': 891713, 'food bank but': 313532, 'bank but help': 109692, 'but help from': 145917, 'help from ldnont': 389771, 'from ldnont came': 336201, 'ldnont came quickly': 482811, 'who usually': 989867, 'usually go': 951123, 'go unappreciated': 354403, 'unappreciated but': 939415, 'be valued': 117958, 'valued much': 952261, 'clerk delivery worker': 181685, 'delivery worker cleaner': 234771, 'worker cleaner and': 1006647, 'cleaner and anyone': 180743, 'else who usually': 271987, 'who usually go': 989868, 'usually go unappreciated': 951125, 'go unappreciated but': 354404, 'unappreciated but is': 939416, 'but is now': 146079, 'is now on': 450307, 'pandemic you should': 637094, 'should be valued': 765762, 'be valued much': 117959, 'valued much much': 952262, 'much much more': 545136, 'selloff': 749544, 'supermarket share': 822401, 'provide potential': 686429, 'potential haven': 667081, 'haven amid': 383738, 'amid market': 52526, 'market selloff': 517037, 'selloff market': 749553, 'supermarket share price': 822402, 'share price provide': 755181, 'price provide potential': 676022, 'provide potential haven': 686430, 'potential haven amid': 667082, 'haven amid market': 383739, 'amid market selloff': 52527, 'market selloff market': 517038, 'shaken': 754433, 'costlier': 208340, 'outbreak continuing': 628133, 'upward swing': 947961, 'swing fmcg': 830397, 'further blow': 342004, 'blow consumer': 133303, 'sentiment remains': 750984, 'remains shaken': 710055, 'shaken this': 754446, 'also lead': 48467, 'of costlier': 582001, 'costlier fmcg': 208341, 'fmcg product': 311743, 'the outbreak continuing': 862607, 'outbreak continuing it': 628134, 'continuing it upward': 201532, 'it upward swing': 461981, 'upward swing fmcg': 947962, 'swing fmcg company': 830398, 'fmcg company may': 311723, 'company may be': 190883, 'may be in': 520992, 'be in for': 115403, 'in for further': 423014, 'for further blow': 321821, 'further blow consumer': 342005, 'blow consumer sentiment': 133304, 'consumer sentiment remains': 198922, 'sentiment remains shaken': 750985, 'remains shaken this': 710056, 'shaken this will': 754447, 'will also lead': 992260, 'also lead to': 48468, 'lead to decline': 483337, 'decline in purchase': 231363, 'in purchase of': 427129, 'purchase of costlier': 689575, 'of costlier fmcg': 582002, 'costlier fmcg product': 208342, 'pierrecardin': 656424, 'quarantine building': 692059, 'building lockdown': 142104, 'lockdown so': 499924, 'shopping hey': 762890, 'can miss': 159000, 'miss their': 534198, 'their 50': 872434, 'off pierrecardin': 594070, 'pierrecardin vietnam': 656425, 'vietnam lockdown': 957036, 'lockdown quarantinelife': 499830, 'quarantine building lockdown': 692060, 'building lockdown so': 142105, 'lockdown so do': 499926, 'so do some': 776886, 'online shopping hey': 609145, 'shopping hey can': 762891, 'hey can miss': 394341, 'can miss their': 159001, 'miss their 50': 534199, 'their 50 off': 872435, '50 off pierrecardin': 19782, 'off pierrecardin vietnam': 594071, 'pierrecardin vietnam lockdown': 656426, 'vietnam lockdown quarantinelife': 957037, 'sickening this': 768717, 'the fault': 854984, 'government if': 360201, 'government stated': 360627, 'stated clearly': 796132, 'lockdown then': 500021, 'like self': 491151, 'serving animal': 753169, 'animal panicbuying': 76641, 'sickening this is': 768718, 'is the fault': 452795, 'the fault of': 854985, 'fault of government': 300409, 'of government if': 584274, 'government if government': 360202, 'if government stated': 414176, 'government stated clearly': 360628, 'stated clearly you': 796133, 'clearly you will': 181593, 'have to lockdown': 383242, 'to lockdown then': 909407, 'lockdown then people': 500023, 'instead they re': 440371, 'they re afraid': 882989, 're afraid and': 698200, 'behave like self': 123785, 'like self serving': 491152, 'self serving animal': 747910, 'serving animal panicbuying': 753170, 'nelly': 557367, 'maintains': 509151, 'reality during': 701729, 'hitting street': 398591, 'street vendor': 813159, 'vendor hard': 954372, 'hard nelly': 377972, 'nelly sell': 557368, 'sell fresh': 748735, 'amp veg': 54772, 'veg in': 953756, 'in corona': 421796, 'cost from': 207954, 'her wholesale': 392525, 'wholesale supplier': 990493, 'supplier have': 824540, 'increased but': 433220, 'she maintains': 756214, 'maintains her': 509152, 'her price': 392314, 'grocery buy': 364331, 'new reality during': 559397, 'reality during covid': 701731, 'is hitting street': 448505, 'hitting street vendor': 398592, 'street vendor hard': 813160, 'vendor hard nelly': 954373, 'hard nelly sell': 377973, 'nelly sell fresh': 557369, 'sell fresh fruit': 748736, 'fresh fruit amp': 332995, 'fruit amp veg': 339054, 'amp veg in': 54774, 'veg in corona': 953757, 'in corona the': 421797, 'corona the cost': 204221, 'the cost from': 851984, 'cost from her': 207955, 'from her wholesale': 335772, 'her wholesale supplier': 392526, 'wholesale supplier have': 990494, 'supplier have increased': 824542, 'have increased but': 381055, 'increased but she': 433221, 'but she maintains': 147029, 'she maintains her': 756215, 'maintains her price': 509153, 'her price low': 392315, 'price low for': 675118, 'for the community': 326353, 'the community stay': 851298, 'community stay safe': 190121, 'safe amp if': 729430, 're out for': 699221, 'out for grocery': 626126, 'for grocery buy': 322026, 'grocery buy from': 364332, 'buy from your': 148722, 'from your local': 338481, 'your local vendor': 1024725, 'spainlockdown': 787369, 'to pantry': 911446, 'pantry their': 639687, 'other supplier': 621030, 'supplier however': 824551, 'however cannot': 409350, 'believe would': 126421, 'allow such': 46068, 'such corruption': 816421, 'corruption spain': 207702, 'spain spainlockdown': 787346, 'spainlockdown toiletpaper': 787370, 'toiletpaper amazon': 921711, 'amazon amazonpantry': 50841, 'amazonpantry corruption': 51238, 'corruption 19': 207682, 'thanks to pantry': 842251, 'to pantry their': 911448, 'pantry their price': 639689, 'price are of': 672708, 'are of the': 88646, 'the other supplier': 862557, 'other supplier however': 621032, 'supplier however cannot': 824552, 'however cannot believe': 409351, 'cannot believe would': 161676, 'believe would allow': 126422, 'would allow such': 1011508, 'allow such corruption': 46069, 'such corruption spain': 816422, 'corruption spain spainlockdown': 207703, 'spain spainlockdown toiletpaper': 787347, 'spainlockdown toiletpaper amazon': 787371, 'toiletpaper amazon amazonpantry': 921712, 'amazon amazonpantry corruption': 50842, 'amazonpantry corruption 19': 51239, 'help be': 389407, 'responsible consumer': 716018, 'of limited': 585861, 'limited resource': 492707, 'resource ha': 714801, 'care check': 163885, 'you do your': 1018283, 'to help be': 907462, 'help be responsible': 389408, 'be responsible consumer': 116834, 'responsible consumer of': 716019, 'consumer of limited': 198241, 'of limited resource': 585864, 'limited resource ha': 492708, 'resource ha some': 714803, 'ha some good': 371992, 'some good idea': 782964, 'good idea for': 357211, 'idea for the': 413053, 'public and health': 687849, 'health care check': 386221, 'care check them': 163886, 'them out here': 876126, 'inventorymanagement': 443731, 'you running': 1020961, 'stuff your': 815268, 'customer want': 223038, 'want find': 965784, 'can optimize': 159159, 'optimize your': 613950, 'your inventory': 1024510, 'management system': 512634, 'crisis smallbiz': 218053, 'smallbiz smallbusiness': 775203, 'business retail': 144330, 'store inventorymanagement': 808454, 'are you running': 91848, 'you running out': 1020963, 'of the stuff': 591505, 'the stuff your': 868340, 'stuff your customer': 815269, 'your customer want': 1023433, 'customer want find': 223039, 'want find out': 965785, 'you can optimize': 1017737, 'can optimize your': 159160, 'optimize your inventory': 613951, 'your inventory management': 1024511, 'inventory management system': 443691, 'management system during': 512635, 'system during the': 831151, '19 crisis smallbiz': 6324, 'crisis smallbiz smallbusiness': 218054, 'smallbiz smallbusiness owner': 775204, 'owner business retail': 632413, 'business retail store': 144331, 'retail store inventorymanagement': 718649, 'thinkwhyitmatters': 886050, 'sale fell': 732211, 'fell in': 303202, 'february and': 301682, 'year indicating': 1014662, 'indicating that': 435014, 'major driver': 509306, 'driver of': 259666, 'had downward': 373049, 'downward trend': 257841, 'trend before': 931288, '19 thinkwhyitmatters': 11336, 'retail sale fell': 718507, 'sale fell in': 732213, 'fell in february': 303203, 'in february and': 422835, 'february and year': 301689, 'and year over': 75963, 'over year indicating': 630957, 'year indicating that': 1014663, 'indicating that consumer': 435015, 'that consumer spending': 843301, 'which is major': 986027, 'is major driver': 449523, 'major driver of': 509308, 'driver of the': 259669, 'economy had downward': 267924, 'had downward trend': 373050, 'downward trend before': 257842, 'trend before covid': 931289, 'covid 19 thinkwhyitmatters': 213941, 'jobseekerswednesday': 466357, 'hiringnow': 397149, 'jobsearch': 466354, 'jobalert': 466317, 'job laid': 465939, 'off or': 594031, 'of seize': 589460, 'seize this': 747430, 'opportunity supermarket': 613679, 'supermarket wholesaler': 823863, 'wholesaler all': 990507, 'around america': 93187, 'now spread': 575879, 'word jobseekerswednesday': 1004510, 'jobseekerswednesday hiringnow': 466358, 'hiringnow grocery': 397150, 'grocery job': 364667, 'job jobsearch': 465926, 'jobsearch opportunity': 466355, 'opportunity jobalert': 613648, 'need job laid': 555124, 'job laid off': 465940, 'laid off or': 479026, 'off or out': 594035, 'or out of': 616465, 'impact of seize': 417798, 'of seize this': 589461, 'seize this opportunity': 747431, 'this opportunity supermarket': 889279, 'opportunity supermarket wholesaler': 613681, 'supermarket wholesaler all': 823865, 'wholesaler all around': 990508, 'all around america': 42063, 'around america need': 93188, 'america need your': 51623, 'help now spread': 390155, 'now spread the': 575880, 'the word jobseekerswednesday': 871705, 'word jobseekerswednesday hiringnow': 1004511, 'jobseekerswednesday hiringnow grocery': 466359, 'hiringnow grocery job': 397151, 'grocery job jobsearch': 364668, 'job jobsearch opportunity': 465927, 'jobsearch opportunity jobalert': 466356, 'affordabledrugsnow': 34914, 'rising three': 723302, 'time faster': 896647, 'than inflation': 840784, 'inflation skyrocketing': 437239, 'skyrocketing drug': 773422, 'crisis even': 217354, 'worse affordabledrugsnow': 1010851, 'drug price are': 261036, 'are rising three': 89720, 'rising three time': 723303, 'three time faster': 894075, 'time faster than': 896648, 'faster than inflation': 300125, 'than inflation skyrocketing': 840785, 'inflation skyrocketing drug': 437240, 'skyrocketing drug price': 773423, 'drug price will': 261062, 'price will make': 677575, 'will make the': 994091, 'make the covid': 510561, 'health crisis even': 386333, 'crisis even worse': 217355, 'even worse affordabledrugsnow': 284820, 'grocerystoreemployees': 366349, 'grocerystoreemployees are': 366350, 'pandemic unsung': 636874, 'grocerystoreemployees are some': 366351, 'the pandemic unsung': 863142, 'pandemic unsung hero': 636875, 'rollout': 725696, 'is usa': 453610, 'usa inc': 948667, 'inc making': 431292, 'making nationwide': 511242, 'nationwide 5g': 552707, '5g rollout': 20681, 'rollout big': 725697, 'big top': 130079, 'priority via': 678687, 'via distancing': 955921, 'why now is': 991244, 'now is usa': 575090, 'is usa inc': 453611, 'usa inc making': 948668, 'inc making nationwide': 431293, 'making nationwide 5g': 511243, 'nationwide 5g rollout': 552708, '5g rollout big': 20682, 'rollout big top': 725698, 'big top priority': 130080, 'top priority via': 925688, 'priority via distancing': 678688, 'plaything': 659510, 'even talking': 284633, 'the bros': 850052, 'bros alone': 141018, 'alone just': 46877, 'saying everybody': 739590, 'be arguing': 113677, 'with everybody': 998279, 'everybody cause': 286421, 'cause lot': 167640, 'everybody and': 286402, 'and idle': 64929, 'idle hand': 413678, 'devil plaything': 239965, 'plaything and': 659511, 'and not even': 67733, 'not even talking': 569280, 'even talking about': 284634, 'about the bros': 26345, 'the bros alone': 850053, 'bros alone just': 141019, 'alone just saying': 46878, 'just saying everybody': 469715, 'saying everybody is': 739591, 'everybody is about': 286445, 'to be arguing': 901114, 'be arguing with': 113678, 'arguing with everybody': 92742, 'with everybody cause': 998281, 'everybody cause lot': 286422, 'cause lot of': 167641, 'of folk have': 583622, 'folk have more': 312176, 'with everybody and': 998280, 'everybody and idle': 286403, 'and idle hand': 64930, 'idle hand are': 413679, 'hand are the': 374802, 'are the devil': 90818, 'the devil plaything': 853233, 'devil plaything and': 239966, 'plaything and just': 659512, 'store peep': 809483, 'peep keeping': 646286, 'keeping all': 472369, 'all fed': 42767, 'fed quarantinelife': 301875, 'quarantinelife we': 693045, 'all grateful': 42996, 'grocery store peep': 365646, 'store peep keeping': 809484, 'peep keeping all': 646287, 'keeping all fed': 472370, 'all fed quarantinelife': 42768, 'fed quarantinelife we': 301876, 'quarantinelife we re': 693046, 're all grateful': 698220, 'scattered': 741226, 'yellow': 1015254, 'the scattered': 866456, 'scattered yellow': 741227, 'yellow tape': 1015268, 'tape and': 834349, 'between people': 128852, 'it finally': 458000, 'finally sink': 306097, 'what absurd': 980996, 'absurd and': 27488, 'uncertain world': 939635, 'currently residing': 221653, 'in stay': 428257, 'everyone 19': 286669, 'supermarket the scattered': 823244, 'the scattered yellow': 866457, 'scattered yellow tape': 741228, 'yellow tape and': 1015269, 'tape and the': 834351, 'and the distance': 73328, 'distance between people': 246666, 'between people in': 128854, 'the store it': 868044, 'store it finally': 808572, 'it finally sink': 458001, 'finally sink in': 306098, 'sink in what': 771475, 'in what absurd': 430831, 'what absurd and': 980997, 'absurd and uncertain': 27490, 'and uncertain world': 74604, 'uncertain world we': 939636, 'are currently residing': 85675, 'currently residing in': 221654, 'residing in stay': 714453, 'in stay safe': 428258, 'safe everyone 19': 729643, 'announcement regarding': 77196, 'big thing': 130065, 'cover here': 212233, 'so strap': 778279, 'strap in': 812518, 'in folk': 422951, 'folk regarding': 312244, 'regarding governor': 707219, 'northam statement': 567703, 'retail closure': 717964, 'announcement regarding store': 77198, 'regarding store policy': 707270, 'store policy during': 809614, 'policy during the': 663389, 'we have big': 971767, 'have big thing': 379792, 'big thing to': 130066, 'thing to cover': 884882, 'to cover here': 903652, 'cover here so': 212234, 'here so strap': 393569, 'so strap in': 778280, 'strap in folk': 812519, 'in folk regarding': 422952, 'folk regarding governor': 312245, 'regarding governor northam': 707220, 'governor northam statement': 360951, 'northam statement on': 567704, 'statement on retail': 796201, 'on retail closure': 603175, 'horribly': 404141, 'feel horribly': 302667, 'horribly for': 404144, 'ally stricken': 46439, 'stricken by': 813594, 'think their': 885662, 'move their': 543741, 'their unsold': 875083, 'stelvio model': 799456, 'model news': 535283, 'feel horribly for': 302668, 'horribly for our': 404145, 'for our italian': 324262, 'italian ally stricken': 462681, 'ally stricken by': 46440, 'stricken by but': 813595, 'you think their': 1021678, 'think their price': 885663, 'their price will': 874440, 'will drop to': 993268, 'drop to move': 260426, 'to move their': 910321, 'move their unsold': 543743, 'their unsold stelvio': 875085, 'unsold stelvio model': 943506, 'stelvio model news': 799457, 'ofa': 593568, 'ofa is': 593569, 'consumer not': 198224, 'reassuring ontarians': 703229, 'ontarians that': 611576, 'that safe': 846092, 'be produced': 116556, 'produced processed': 680531, 'processed and': 679984, 'distributed despite': 248043, 'ofa is urging': 593570, 'urging consumer not': 948417, 'consumer not to': 198225, 'panic and reassuring': 637332, 'and reassuring ontarians': 70029, 'reassuring ontarians that': 703230, 'ontarians that safe': 611577, 'that safe food': 846093, 'safe food will': 729671, 'to be produced': 901459, 'be produced processed': 116557, 'produced processed and': 680532, 'processed and distributed': 679985, 'and distributed despite': 61517, 'distributed despite the': 248044, 'whithin': 987969, 'rydertwts': 728825, 'wasted whithin': 968277, 'whithin one': 987970, 'distance srilanka': 246834, 'srilanka rydertwts': 791616, 'rydertwts lka': 728826, 'day of stay': 228105, 'at home is': 99018, 'home is wasted': 401463, 'is wasted whithin': 453775, 'wasted whithin one': 968278, 'whithin one day': 987971, 'one day if': 606159, 'day if people': 227779, 'if people get': 414618, 'people get exposed': 648048, 'get exposed to': 346979, 'virus in supermarket': 958330, 'queue today so': 694105, 'today so please': 920193, 'so please keep': 778023, 'please keep distance': 660149, 'keep distance srilanka': 471453, 'distance srilanka rydertwts': 246835, 'srilanka rydertwts lka': 791617, 'in started': 428232, 'started taking': 794844, 'taking shopper': 833563, 'shopper temperature': 761734, 'door italy': 255632, 'shutting almost': 768244, 'all industrial': 43219, 'industrial output': 435559, 'output after': 629226, 'most death': 542241, 'chain in started': 170815, 'in started taking': 428233, 'started taking shopper': 794845, 'taking shopper temperature': 833565, 'shopper temperature at': 761735, 'the door italy': 853570, 'door italy is': 255633, 'italy is shutting': 462861, 'is shutting almost': 451909, 'shutting almost all': 768245, 'almost all industrial': 46535, 'all industrial output': 43220, 'industrial output after': 435560, 'output after reporting': 629227, 'reporting the most': 712770, 'the most death': 860969, 'most death in': 542243, 'death in day': 230077, 'rarely': 697107, 'grocery story': 365984, 'story madness': 812039, 'madness how': 508179, 'smart during': 775369, 'into almost': 442383, 'almost any': 46548, 'will encounter': 993296, 'encounter something': 275537, 'something rarely': 785025, 'rarely seen': 697117, 'life barren': 488516, 'barren shelf': 111312, 'from frozen': 335582, 'frozen vegetable': 339027, 'vegetable to': 954108, 'to toilet': 917622, 'paper many': 640446, 'grocery story madness': 365986, 'story madness how': 812040, 'madness how to': 508180, 'shop smart during': 760798, 'smart during covid': 775370, '19 go into': 7231, 'go into almost': 353734, 'into almost any': 442384, 'almost any supermarket': 46550, 'any supermarket this': 79911, 'week and you': 975949, 'you will encounter': 1022329, 'will encounter something': 993297, 'encounter something rarely': 275538, 'something rarely seen': 785026, 'rarely seen in': 697118, 'seen in american': 747068, 'in american life': 420249, 'american life barren': 52072, 'life barren shelf': 488517, 'barren shelf from': 111315, 'shelf from frozen': 757101, 'from frozen vegetable': 335583, 'frozen vegetable to': 339030, 'vegetable to toilet': 954115, 'to toilet paper': 917623, 'toilet paper many': 921350, 'paper many grocery': 640447, 'many grocery store': 514110, 'ellie': 271556, 'this ellie': 887357, 'ellie amid': 271557, 'outbreak grateful': 628254, 'line doctor': 493057, 'nurse assistant': 577213, 'assistant scientist': 96802, 'scientist also': 742189, 'also police': 48668, 'firefighter grocery': 308217, 'garbage truck': 343536, 'etc helping': 282589, 'helping all': 391258, 'all cope': 42454, 'cope share': 203325, 'you grateful': 1018928, 'this ellie amid': 887358, 'ellie amid the': 271558, 'the outbreak grateful': 862633, 'outbreak grateful for': 628255, 'grateful for those': 362277, 'for those on': 327127, 'front line doctor': 338567, 'line doctor nurse': 493058, 'doctor nurse assistant': 251000, 'nurse assistant scientist': 577214, 'assistant scientist also': 96803, 'scientist also police': 742190, 'also police firefighter': 48669, 'police firefighter grocery': 663011, 'firefighter grocery store': 308218, 'store worker garbage': 811514, 'worker garbage truck': 1007011, 'garbage truck driver': 343538, 'driver etc helping': 259533, 'etc helping all': 282590, 'helping all cope': 391259, 'all cope share': 42455, 'cope share what': 203326, 'share what are': 755344, 'are you grateful': 91799, 'you grateful for': 1018929, 'tmt': 899371, 'finding from': 307473, 'daily tmt': 224840, 'tmt consumer': 899372, 'consumer pulse': 198605, 'pulse suggest': 688998, 'nearly quarter': 553855, 'quarter 23': 693229, 'american feel': 51975, 'buy tech': 149274, 'tech good': 836099, 'service result': 752768, 'restriction caused': 717240, 'novel pandemic': 573807, 'finding from our': 307475, 'from our daily': 336766, 'our daily tmt': 622689, 'daily tmt consumer': 224841, 'tmt consumer pulse': 899373, 'consumer pulse suggest': 198607, 'pulse suggest that': 688999, 'suggest that nearly': 817537, 'that nearly quarter': 845295, 'nearly quarter 23': 553856, 'quarter 23 of': 693230, '23 of american': 15419, 'of american feel': 580060, 'american feel the': 51976, 'to buy tech': 902314, 'buy tech good': 149275, 'tech good or': 836100, 'good or service': 357527, 'or service result': 617023, 'service result of': 752769, 'result of restriction': 717612, 'of restriction caused': 589037, 'restriction caused by': 717241, 'by the novel': 154391, 'the novel pandemic': 861920, 'business especially': 143705, 'that rely': 845987, 'spending are': 788748, 'vulnerable massive': 961039, 'about where': 26912, 'how start': 408738, 'three place': 894029, 'search engine': 743237, 'engine and': 276931, 'largest social': 480023, 'small business especially': 774857, 'business especially those': 143706, 'especially those that': 280638, 'those that rely': 892542, 'that rely on': 845988, 'consumer spending are': 199045, 'spending are the': 788750, 'most vulnerable massive': 542883, 'vulnerable massive amount': 961040, 'amount of research': 53252, 'of research about': 588962, 'research about where': 713650, 'about where to': 26914, 'where to spend': 985312, 'to spend and': 914985, 'and how start': 64835, 'how start in': 408739, 'start in three': 794342, 'in three place': 430059, 'three place on': 894030, 'place on google': 657616, 'on google search': 601155, 'google search engine': 358188, 'search engine and': 743238, 'engine and on': 276933, 'on the largest': 604202, 'the largest social': 858979, 'largest social medium': 480024, 'actuarial': 31027, 'annuity': 77433, 'morning interested': 541314, 'the actuarial': 848329, 'actuarial take': 31028, 'being reflected': 125658, 'reflected in': 706640, 'of annuity': 580226, 'annuity and': 77434, 'policy anybody': 663341, 'have good': 380800, 'good link': 357335, 'this morning interested': 888973, 'morning interested in': 541315, 'interested in the': 441468, 'in the actuarial': 428966, 'the actuarial take': 848330, 'actuarial take on': 31029, '19 how is': 7604, 'is the mortality': 452866, 'the mortality risk': 860927, 'mortality risk being': 541806, 'risk being reflected': 723413, 'being reflected in': 125659, 'reflected in the': 706644, 'price of annuity': 675406, 'of annuity and': 580227, 'annuity and life': 77436, 'life insurance policy': 488787, 'insurance policy anybody': 440791, 'policy anybody have': 663342, 'anybody have good': 80089, 'have good link': 380805, 'boycottwetherspoon': 137405, 'boycottvirgin': 137399, 'millionaire wetherspoon': 532456, 'wetherspoon bos': 980776, 'bos tell': 135699, 'tell staff': 837064, 'lockdown boycottwetherspoon': 499202, 'boycottwetherspoon boycottsportsdirect': 137406, 'boycottsportsdirect boycottvirgin': 137396, 'millionaire wetherspoon bos': 532457, 'wetherspoon bos tell': 980777, 'bos tell staff': 135700, 'tell staff to': 837065, 'staff to consider': 792984, 'tesco during coronavirus': 838696, 'coronavirus lockdown boycottwetherspoon': 206240, 'lockdown boycottwetherspoon boycottsportsdirect': 499203, 'boycottwetherspoon boycottsportsdirect boycottvirgin': 137407, 'nowt': 576591, 'fine worked': 307731, 'worked two': 1006159, 'job before': 465693, 'doing nowt': 252566, 'nowt apart': 576592, 'from queuing': 337025, 'ok having': 597819, 'kid mean': 474047, 'anyone anyway': 80182, 'anyway socialdistancing': 81035, 'fine worked two': 307732, 'worked two week': 1006160, 'week of my': 976629, 'of my new': 586795, 'my new job': 549463, 'new job before': 558988, 'job before lockdown': 465694, 'before lockdown now': 122916, 'lockdown now getting': 499702, 'now getting paid': 574780, 'getting paid for': 349178, 'paid for doing': 634017, 'for doing nowt': 320802, 'doing nowt apart': 252567, 'nowt apart from': 576593, 'apart from queuing': 81271, 'from queuing for': 337026, 'queuing for the': 694212, 'supermarket it ok': 821176, 'it ok having': 460019, 'ok having kid': 597820, 'having kid mean': 384135, 'kid mean do': 474048, 'not see anyone': 571475, 'see anyone anyway': 744929, 'anyone anyway socialdistancing': 80183, 'in greenwich': 423431, 'greenwich no': 363780, 'slot checking': 774161, 'checking every': 174815, 'being sensible': 125753, 'sensible about': 750627, 'distance so': 246829, 'the choice': 850876, 'choice are': 177734, 'not eat': 569137, 'eat or': 266008, 'or risk': 616913, 'lethal disease': 487236, 'disease long': 245178, 'long know': 501474, 'know london': 476583, 'live in greenwich': 495863, 'in greenwich no': 423432, 'greenwich no supermarket': 363781, 'delivery slot checking': 234516, 'slot checking every': 774162, 'checking every day': 174816, 'every day people': 285836, 'day people in': 228199, 'people in under': 648446, 'in under stocked': 430416, 'under stocked supermarket': 940266, 'stocked supermarket not': 803411, 'supermarket not being': 821640, 'not being sensible': 568548, 'being sensible about': 125754, 'sensible about keeping': 750628, 'about keeping distance': 25615, 'keeping distance so': 472407, 'distance so the': 246830, 'so the choice': 778416, 'the choice are': 850877, 'choice are not': 177735, 'are not eat': 88356, 'not eat or': 569141, 'eat or risk': 266011, 'or risk catching': 616914, 'risk catching potentially': 723451, 'catching potentially lethal': 167102, 'potentially lethal disease': 667220, 'lethal disease long': 487237, 'disease long know': 245179, 'long know london': 501475, 'aggravate': 38215, 'repent': 711558, 'of confidence': 581654, 'safely return': 730301, 'normal activity': 567068, 'activity lack': 30463, 'of productivity': 588517, 'productivity disrupting': 682314, 'disrupting food': 246422, 'chain will': 171240, 'will further': 993482, 'further aggravate': 341995, 'aggravate shortage': 38216, 'shortage lack': 765057, 'further stress': 342173, 'stress fear': 813324, 'fear pray': 301292, 'pray repent': 669013, 'repent prepare': 711559, 'house stock': 406583, 'stock ration': 802776, 'ration save': 697721, 'save plan': 737621, 'plan security': 658217, 'lack of confidence': 478611, 'of confidence to': 581656, 'confidence to safely': 193966, 'to safely return': 913719, 'safely return to': 730302, 'to normal activity': 910638, 'normal activity lack': 567069, 'activity lack of': 30464, 'lack of productivity': 478649, 'of productivity disrupting': 588518, 'productivity disrupting food': 682315, 'disrupting food supply': 246423, 'supply chain will': 825064, 'chain will further': 171242, 'will further aggravate': 993483, 'further aggravate shortage': 341996, 'aggravate shortage lack': 38217, 'shortage lack of': 765058, 'lack of income': 478627, 'income will further': 432501, 'will further stress': 993485, 'further stress fear': 342174, 'stress fear pray': 813325, 'fear pray repent': 301293, 'pray repent prepare': 669014, 'repent prepare your': 711560, 'prepare your house': 670155, 'your house stock': 1024418, 'house stock ration': 406584, 'stock ration save': 802777, 'ration save plan': 697722, 'save plan security': 737622, 'panicshoppers': 639410, 'mulberry': 545620, 'give united': 350809, 'state crash': 795508, 'crash course': 214960, 'course named': 211903, 'named communism': 551717, 'communism 101': 189662, '101 now': 2228, 'to everything': 905363, 'everything all': 287677, 'time love': 897158, 'yet quarantine': 1016217, 'thanks panicshoppers': 842157, 'panicshoppers cv': 639411, 'cv mulberry': 223844, 'mulberry newyork': 545621, 'newyork nyc': 561198, 'nyc manhattan': 578013, 'manhattan toiletpaper': 513139, 'toiletpaper communism': 921870, 'coronavirus give united': 205989, 'give united state': 350810, 'united state crash': 942212, 'state crash course': 795509, 'crash course named': 214961, 'course named communism': 211904, 'named communism 101': 551718, 'communism 101 now': 189663, '101 now imagine': 2229, 'now imagine this': 574984, 'imagine this to': 416812, 'this to apply': 890726, 'apply to everything': 82614, 'to everything all': 905364, 'everything all the': 287678, 'the time love': 869604, 'time love it': 897159, 'love it yet': 504716, 'it yet quarantine': 462631, 'yet quarantine thanks': 1016218, 'quarantine thanks panicshoppers': 692604, 'thanks panicshoppers cv': 842158, 'panicshoppers cv mulberry': 639412, 'cv mulberry newyork': 223845, 'mulberry newyork nyc': 545622, 'newyork nyc manhattan': 561199, 'nyc manhattan toiletpaper': 578014, 'manhattan toiletpaper communism': 513140, 'we usually': 973624, 'usually rescue': 951147, 'food per': 315839, 'said well': 731577, 'well consumer': 978116, 'ha depleted': 370354, 'depleted those': 237418, 'those grocery': 892035, 'rescue off': 713624, 'we usually rescue': 973625, 'usually rescue about': 951148, 'of food per': 583748, 'food per year': 315840, 'per year from': 651086, 'grocery store across': 365174, 'store across our': 806067, 'across our county': 29420, 'he said well': 385382, 'said well consumer': 731578, 'well consumer demand': 978118, 'demand ha depleted': 235604, 'ha depleted those': 370355, 'depleted those grocery': 237419, 'those grocery store': 892036, 'store and now': 806309, 'there is almost': 878519, 'is almost nothing': 445504, 'left for to': 485472, 'for to rescue': 327232, 'to rescue off': 913326, 'rescue off the': 713625, 'off the loading': 594252, 'stare': 794124, 'enough it': 277495, 'buying paramedic': 150883, 'paramedic stare': 641399, 'stare at': 794125, 'at shelf': 100498, 'cleared by': 181409, 'by lobster': 153069, 'lobster after': 497643, 'after life': 35868, 'saving shift': 737958, 'is enough it': 447514, 'enough it time': 277496, 'panic buying paramedic': 637843, 'buying paramedic stare': 150884, 'paramedic stare at': 641400, 'stare at shelf': 794127, 'at shelf cleared': 100499, 'shelf cleared by': 756944, 'cleared by lobster': 181410, 'by lobster after': 153070, 'lobster after life': 497644, 'after life saving': 35869, 'life saving shift': 489019, 'iffat': 415631, 'cannot sincerely': 162099, 'sincerely thank': 771050, 'staff our': 792730, 'driver our': 259684, 'our teacher': 625089, 'teacher our': 835494, 'whilst living': 987647, 'nothing need': 573114, 'change writes': 172408, 'writes iffat': 1012842, 'iffat mirza': 415632, 'mirza read': 533958, 'we cannot sincerely': 971082, 'cannot sincerely thank': 162100, 'sincerely thank our': 771051, 'thank our staff': 841622, 'our staff our': 624880, 'staff our delivery': 792731, 'our delivery driver': 622725, 'delivery driver our': 233924, 'driver our teacher': 259685, 'our teacher our': 625092, 'teacher our supermarket': 835495, 'worker all whilst': 1006227, 'all whilst living': 45456, 'whilst living our': 987648, 'living our life': 496437, 'life if nothing': 488742, 'if nothing need': 414523, 'nothing need to': 573115, 'to change writes': 902621, 'change writes iffat': 172409, 'writes iffat mirza': 1012843, 'iffat mirza read': 415633, 'mirza read more': 533959, 'ridiculousness': 721657, 'see n95': 745465, 'n95 listing': 551182, 'listing totally': 494893, 'totally removed': 926386, 'today pricegouging': 920072, 'pricegouging ridiculousness': 677845, 'ridiculousness someone': 721662, 'someone sending': 784645, 'sending tp': 750112, 'tp free': 927818, 'free with': 332331, 'with rare': 1000397, 'rare baseball': 697077, 'baseball card': 111487, 'not actually': 568047, 'actually rare': 30930, 'rare for': 697083, 'only 140': 609977, '140 toiletpaper': 3558, 'to see n95': 914048, 'see n95 listing': 745466, 'n95 listing totally': 551183, 'listing totally removed': 494894, 'totally removed from': 926387, 'removed from today': 710865, 'from today pricegouging': 338081, 'today pricegouging ridiculousness': 920073, 'pricegouging ridiculousness someone': 677846, 'ridiculousness someone sending': 721663, 'someone sending tp': 784646, 'sending tp free': 750113, 'tp free with': 927819, 'free with rare': 332335, 'with rare baseball': 1000398, 'rare baseball card': 697078, 'baseball card that': 111489, 'card that not': 163667, 'that not actually': 845381, 'not actually rare': 568050, 'actually rare for': 30931, 'rare for only': 697084, 'for only 140': 324121, 'only 140 toiletpaper': 609978, 'guess inc': 367988, 'inc provides': 431305, 'update angeles': 946868, 'angeles business': 76365, 'wire guess': 996554, 'inc nyse': 431296, 'nyse ge': 578134, 'ge announced': 344921, 'announced today': 77102, 'after careful': 35456, 'careful consideration': 164393, 'customer store': 222881, 'associate and': 96842, 'guess inc provides': 367990, 'inc provides covid': 431306, 'business update angeles': 144590, 'update angeles business': 946869, 'angeles business wire': 76366, 'business wire guess': 144694, 'wire guess inc': 996555, 'guess inc nyse': 367989, 'inc nyse ge': 431298, 'nyse ge announced': 578135, 'ge announced today': 344922, 'announced today that': 77106, 'today that after': 920265, 'that after careful': 842515, 'after careful consideration': 35457, 'careful consideration for': 164394, 'consideration for it': 195249, 'for it customer': 322701, 'it customer store': 457454, 'customer store associate': 222882, 'store associate and': 806560, 'associate and community': 96843, 'and community it': 60173, 'community it will': 189945, 'it will temporarily': 462447, 'temporarily close all': 837447, 'yoga': 1016476, 'namastehome': 551597, 'so say': 778148, 'this someone': 890243, 'and doe': 61589, 'doe most': 251455, 'driving me': 259976, 'me crazy': 522620, 'crazy good': 215297, 'longer avoid': 501929, 'avoid people': 105215, 'my yoga': 550664, 'yoga ha': 1016483, 'been canceled': 120778, 'canceled namastehome': 160944, 'so say this': 778150, 'say this someone': 739373, 'this someone who': 890246, 'who work from': 990035, 'from home all': 335836, 'the time and': 869574, 'time and doe': 896267, 'and doe most': 61590, 'doe most of': 251456, 'most of my': 542552, 'of my shopping': 586816, 'online is driving': 608430, 'is driving me': 447385, 'driving me crazy': 259977, 'me crazy good': 522621, 'crazy good at': 215298, 'good at social': 356799, 'at social distancing': 100566, 'distancing but can': 247055, 'but can no': 145357, 'no longer avoid': 564636, 'longer avoid people': 501930, 'avoid people at': 105216, 'store and my': 806299, 'and my yoga': 67395, 'my yoga ha': 550666, 'yoga ha been': 1016484, 'ha been canceled': 369739, 'been canceled namastehome': 120781, 'roommate left': 726002, 'the safe': 866130, 'safe open': 729860, 'open isolation': 612336, 'isolation toiletpaper': 455468, 'roommate left the': 726003, 'left the safe': 485672, 'the safe open': 866133, 'safe open isolation': 729862, 'open isolation toiletpaper': 612337, 'isolation toiletpaper toiletpaperpanic': 455470, 'economic devastation': 267057, 'devastation the': 239617, 'global bidding': 351757, 'bidding war': 129524, 'which poorer': 986226, 'losing competition': 503544, 'and eu': 62298, 'scarce medicine': 740799, 'medicine ha': 526796, 'sharp rise': 755703, 'addition to death': 31733, 'to death and': 903973, 'death and economic': 229962, 'and economic devastation': 61899, 'economic devastation the': 267059, 'devastation the pandemic': 239618, 'pandemic is causing': 635761, 'causing global bidding': 168040, 'global bidding war': 351758, 'bidding war in': 129527, 'war in which': 966473, 'in which poorer': 430863, 'which poorer country': 986227, 'poorer country are': 664347, 'country are losing': 210470, 'are losing competition': 87896, 'losing competition between': 503545, 'competition between the': 191676, 'the and eu': 848697, 'and eu country': 62300, 'eu country for': 283219, 'country for scarce': 210670, 'for scarce medicine': 325376, 'scarce medicine ha': 740800, 'medicine ha led': 526797, 'to sharp rise': 914385, 'sharp rise in': 755704, 'teacher nurse and': 835488, 'nurse and supermarket': 577205, 'worker the unsung': 1007944, 'inhibited': 438461, 'made far': 507733, 'severe by': 753997, 'government mandated': 360342, 'mandated restriction': 513023, 'the disclosure': 853349, 'disclosure of': 244398, 'public which': 688474, 'which inhibited': 985967, 'inhibited effort': 438462, 'outbreak were almost': 628806, 'were almost certainly': 979294, 'almost certainly made': 46573, 'certainly made far': 170162, 'made far more': 507734, 'far more severe': 298852, 'more severe by': 540367, 'severe by government': 753998, 'by government mandated': 152710, 'government mandated restriction': 360344, 'mandated restriction on': 513024, 'restriction on the': 717350, 'on the disclosure': 604066, 'the disclosure of': 853350, 'disclosure of information': 244399, 'of information to': 585197, 'information to the': 438018, 'the public which': 864872, 'public which inhibited': 688475, 'which inhibited effort': 985968, 'inhibited effort to': 438463, 'dareme': 225939, 'follow if': 312425, 'think corona': 885191, 'corona is': 204022, 'but comment': 145432, 'and like': 66152, 'are overreacting': 88929, 'overreacting toiletpaper': 631423, 'toiletpaper poll': 922349, 'poll dareme': 663836, 'dareme thought': 225940, 'comment and follow': 188383, 'and follow if': 63013, 'follow if you': 312426, 'you think corona': 1021649, 'think corona is': 885192, 'corona is something': 204023, 'is something to': 452114, 'something to really': 785107, 'to really be': 912864, 'really be afraid': 702010, 'afraid of but': 34994, 'of but comment': 580983, 'but comment and': 145433, 'comment and like': 188385, 'and like if': 66154, 'think that people': 885604, 'people are overreacting': 647039, 'are overreacting toiletpaper': 88930, 'overreacting toiletpaper poll': 631424, 'toiletpaper poll dareme': 922350, 'poll dareme thought': 663837, 'uncivilized': 939808, 'isiolo': 454238, 'nfd': 561757, 'myrrh': 550808, 'khat': 473726, 'profession': 682381, 'gvn': 369267, 'forbidden': 328307, 'kuti': 477980, 'meru': 529206, 'their uncivilized': 875069, 'uncivilized way': 939813, 'of controlling': 581852, 'controlling covid': 202273, 'in isiolo': 424177, 'isiolo when': 454241, 'all nfd': 43630, 'nfd county': 561758, 'county have': 211400, 'banned myrrh': 110582, 'myrrh khat': 550809, 'khat in': 473727, 'their county': 872900, 'county but': 211334, 'doctor by': 250860, 'by profession': 153663, 'profession isiolo': 682388, 'isiolo gvn': 454239, 'gvn advised': 369268, 'advised his': 33625, 'his people': 397694, 'wash it': 967511, 'with hot': 998881, 'water the': 969198, 'the forbidden': 855677, 'forbidden and': 328308, 'and kuti': 65910, 'kuti period': 477981, 'the meru': 860506, 'meru community': 529207, 'their uncivilized way': 875070, 'uncivilized way of': 939814, 'way of controlling': 969748, 'of controlling covid': 581853, 'controlling covid 19': 202274, 'spread in isiolo': 790576, 'in isiolo when': 424178, 'isiolo when all': 454242, 'when all nfd': 983130, 'all nfd county': 43631, 'nfd county have': 561759, 'county have banned': 211401, 'have banned myrrh': 379405, 'banned myrrh khat': 110583, 'myrrh khat in': 550810, 'khat in their': 473728, 'in their county': 429730, 'their county but': 872901, 'county but the': 211335, 'but the doctor': 147333, 'the doctor by': 853459, 'doctor by profession': 250861, 'by profession isiolo': 153664, 'profession isiolo gvn': 682389, 'isiolo gvn advised': 454240, 'gvn advised his': 369269, 'advised his people': 33626, 'his people to': 397695, 'to wash it': 918348, 'wash it with': 967514, 'it with hot': 462474, 'with hot water': 998883, 'hot water the': 405069, 'water the forbidden': 969199, 'the forbidden and': 855678, 'forbidden and kuti': 328309, 'and kuti period': 65911, 'kuti period and': 477982, 'period and fear': 651709, 'and fear the': 62743, 'fear the meru': 301380, 'the meru community': 860507, 'debbiedowner': 230346, 'wa interesting': 962420, 'interesting hadn': 441558, 'last thursday': 480557, 'thursday every': 895364, 'time go': 896842, 'do post': 249998, 'post make': 666206, 'black white': 132150, 'white coz': 987838, 'coz it': 214535, 'it represents': 460718, 'represents how': 712961, 'how feel': 407856, 'feel dark': 302605, 'dark sad': 225977, 'sad scared': 729223, 'scared it': 740977, 'like end': 490167, 'day debbiedowner': 227509, 'that wa interesting': 847290, 'wa interesting hadn': 962421, 'interesting hadn been': 441559, 'hadn been out': 373846, 'been out of': 121622, 'my house since': 548742, 'house since last': 406560, 'since last thursday': 770694, 'last thursday every': 480558, 'thursday every time': 895365, 'every time go': 286307, 'time go out': 896846, 'go out do': 353944, 'out do post': 625968, 'do post make': 249999, 'post make it': 666207, 'make it black': 510024, 'it black white': 456886, 'black white coz': 132152, 'white coz it': 987839, 'coz it represents': 214536, 'it represents how': 460719, 'represents how feel': 712962, 'how feel dark': 407858, 'feel dark sad': 302606, 'dark sad scared': 225978, 'sad scared it': 729224, 'scared it really': 740978, 'it really feel': 460636, 'really feel like': 702195, 'feel like end': 302709, 'like end of': 490168, 'of day debbiedowner': 582377, 'hellerup': 389114, 'foodmarket': 318004, 'stop sanitiser': 804969, 'sanitiser hoarding': 733967, 'hoarding response': 399495, '19 hoarding': 7560, 'hoarding hellerup': 399354, 'hellerup foodmarket': 389115, 'foodmarket implemented': 318005, 'implemented price': 418472, 'stop consumer': 804584, 'many hand': 514113, 'to stop sanitiser': 915564, 'stop sanitiser hoarding': 804970, 'sanitiser hoarding response': 733972, 'hoarding response to': 399496, 'covid 19 hoarding': 213214, '19 hoarding hellerup': 7561, 'hoarding hellerup foodmarket': 399355, 'hellerup foodmarket implemented': 389116, 'foodmarket implemented price': 318006, 'implemented price trick': 418474, 'to stop consumer': 915511, 'stop consumer from': 804585, 'consumer from buying': 197553, 'from buying too': 334782, 'buying too many': 151255, 'too many hand': 924888, 'many hand sanitisers': 514114, 'energy education': 276442, 'education foundation': 268825, 'foundation is': 330492, 'is supporting': 452473, 'supporting statewide': 827197, 'statewide organization': 796275, 'organization with': 619448, 'with 500': 997037, '00 contribution': 151, 'help enhance': 389637, 'enhance critical': 277076, 'for michigan': 323422, 'michigan child': 530325, 'child vulnerable': 176249, 'vulnerable senior': 961154, 'senior those': 750422, 'the consumer energy': 851532, 'consumer energy education': 197362, 'energy education foundation': 276443, 'education foundation is': 268826, 'foundation is supporting': 330495, 'is supporting statewide': 452477, 'supporting statewide organization': 827198, 'statewide organization with': 796276, 'organization with 500': 619449, 'with 500 00': 997038, '500 00 contribution': 19930, '00 contribution to': 152, 'to help enhance': 907503, 'help enhance critical': 389638, 'enhance critical service': 277077, 'critical service for': 218655, 'service for michigan': 752386, 'for michigan child': 323423, 'michigan child vulnerable': 530326, 'child vulnerable senior': 176250, 'vulnerable senior those': 961157, 'senior those who': 750423, 'those who may': 892655, 'who may need': 989275, 'may need assistance': 521350, 'need assistance in': 554486, 'kpi6': 477579, 'the lowering': 859801, 'lowering of': 506117, 'global but': 351763, 'you remember': 1020898, 'remember what': 710405, 'happened just': 377258, 'ago take': 38484, 'look together': 502643, 'the kpi6': 858856, 'kpi6 report': 477582, 'report in': 712033, 'in collaboration': 421543, 'collaboration with': 185938, '19 emergency ha': 6757, 'emergency ha good': 272737, 'ha good news': 370739, 'good news the': 357460, 'news the lowering': 560869, 'the lowering of': 859803, 'lowering of the': 506118, 'the global but': 856289, 'global but do': 351764, 'do you remember': 250672, 'you remember what': 1020902, 'remember what happened': 710406, 'what happened just': 981545, 'happened just few': 377259, 'just few month': 468707, 'month ago take': 537543, 'ago take look': 38485, 'take look together': 832298, 'look together with': 502644, 'with the kpi6': 1001359, 'the kpi6 report': 858857, 'kpi6 report in': 477583, 'report in collaboration': 712034, 'in collaboration with': 421544, 'recognized': 704660, 'now health': 574910, 'being recognized': 125646, 'recognized for': 704661, 'pandemic subsides': 636584, 'subsides wednesdaythoughts': 815969, 'right now health': 722076, 'now health care': 574911, 'care worker truck': 164311, 'others are being': 621267, 'are being recognized': 84904, 'being recognized for': 125647, 'recognized for what': 704662, 'they do hope': 881962, 'do hope that': 249408, 'hope that doesn': 403642, 'that doesn end': 843583, 'doesn end when': 251768, 'end when the': 276071, 'the pandemic subsides': 863113, 'pandemic subsides wednesdaythoughts': 636586, 'supermarket war': 823728, 'new supermarket war': 559697, 'for homeowner': 322355, 'homeowner what': 402892, 'rent council': 711066, 'and bill': 58970, 'three month mortgage': 893999, 'month mortgage holiday': 537870, 'mortgage holiday for': 541906, 'holiday for homeowner': 400300, 'for homeowner what': 322356, 'homeowner what about': 402893, 'about rent council': 26081, 'rent council tax': 711067, 'council tax and': 210030, 'tax and bill': 834924, 'csgpolls': 220044, 'been your': 122412, 'with finding': 998442, 'finding essential': 307462, 'store csgpolls': 807232, 'csgpolls grocery': 220045, 'ha been your': 369991, 'been your experience': 122413, 'your experience with': 1023721, 'experience with finding': 291544, 'with finding essential': 998443, 'finding essential at': 307463, 'the store csgpolls': 868004, 'store csgpolls grocery': 807233, 'csgpolls grocery retail': 220046, 'flush': 311550, 'article get': 94340, 'shortage talk': 765239, 'about royal': 26116, 'royal flush': 726621, 'flush stayathome': 311553, 'this article get': 886416, 'article get to': 94341, 'of the toiletpaper': 591548, 'toiletpaper shortage talk': 922473, 'shortage talk about': 765240, 'talk about royal': 833753, 'about royal flush': 26117, 'royal flush stayathome': 726622, 'classical': 180339, 'man you': 512369, 'pattern this': 644511, 'crisis happened': 217454, 'happened due': 377235, 'drop classical': 260157, 'classical bullshit': 180340, 'on man you': 601980, 'man you have': 512370, 'you have shown': 1019112, 'have shown chart': 382535, 'chart pattern this': 173848, 'pattern this is': 644512, 'the crisis happened': 852388, 'crisis happened due': 217455, 'happened due to': 377236, '19 and oil': 5072, 'price drop classical': 673565, 'drop classical bullshit': 260158, 'classical bullshit tech': 180341, 'coronacast': 204457, 'easter there': 265510, 'there few': 878378, 'avoid getting': 105122, 'getting 19': 348819, 'about find': 25236, 'on coronacast': 600113, 'the few thing': 855125, 'few thing we': 304103, 'thing we re': 884967, 'do with social': 250568, 'distancing is go': 247244, 'supermarket so if': 822731, 'have to visit': 383333, 'supermarket this easter': 823310, 'this easter there': 887337, 'easter there few': 265511, 'there few tip': 878380, 'to avoid getting': 900902, 'avoid getting 19': 105123, 'getting 19 when': 348820, '19 when you': 12026, 're out and': 699220, 'and about find': 57545, 'about find out': 25237, 'find out on': 307147, 'out on coronacast': 626899, 'passover': 643428, 'yearly passover': 1015140, 'passover food': 643436, 'distribution outdoor': 248190, 'outdoor with': 628909, 'given out': 351068, 'crisis bigger': 217131, 'bigger thanks': 130177, 'yearly passover food': 1015141, 'passover food distribution': 643437, 'food distribution outdoor': 314234, 'distribution outdoor with': 248191, 'outdoor with social': 628910, 'if we would': 415327, 'we would ve': 973980, 'would ve not': 1012372, 've not given': 953398, 'not given out': 569655, 'given out the': 351070, 'out the food': 627367, 'food we would': 317538, 'would ve only': 1012373, 've only made': 953420, 'only made the': 610747, 'made the crisis': 507990, 'the crisis bigger': 852350, 'crisis bigger thanks': 217132, 'bigger thanks to': 130178, 'to our esteemed': 911177, 'bstrong': 141459, 'getting killed': 349083, 'when sending': 983988, 'sending this': 750106, 'this ppe': 889684, 'ppe nationwide': 668010, 'nationwide asking': 552709, 'asking you': 96113, 'you publicly': 1020489, 'publicly for': 688583, 'for rate': 324960, 'or reduction': 616818, 'reduction you': 706404, 'it tax': 461447, 'tax write': 835129, 'write off': 1012780, 'work everyone': 1005113, 'everyone chime': 286779, 'please bstrong': 659738, 'getting killed by': 349084, 'killed by price': 474571, 'by price when': 153654, 'price when sending': 677490, 'when sending this': 983989, 'sending this ppe': 750108, 'this ppe nationwide': 889685, 'ppe nationwide asking': 668011, 'nationwide asking you': 552710, 'asking you publicly': 96114, 'you publicly for': 1020490, 'publicly for rate': 688584, 'for rate or': 324961, 'rate or reduction': 697334, 'or reduction you': 616819, 'reduction you can': 706405, 'can use it': 160096, 'use it tax': 949315, 'it tax write': 461449, 'tax write off': 835130, 'write off bc': 1012781, 'off bc it': 593680, 'bc it for': 113247, 'it for relief': 458089, 'for relief work': 325097, 'relief work everyone': 709504, 'work everyone chime': 1005114, 'everyone chime in': 286780, 'chime in please': 176429, 'in please bstrong': 426799, 'mean such': 524665, 'such this': 816816, 'this shopkeeper': 890107, 'do you mean': 250647, 'you mean such': 1019826, 'mean such this': 524666, 'such this shopkeeper': 816818, 'this shopkeeper in': 890108, 'extortionate price people': 293399, 'price people trying': 675852, 'to profit out': 912235, 'out of should': 626828, 'outpacing': 629212, 'smoff': 775850, 'see gold': 745155, 'gold safe': 355998, 'safe bet': 729520, 'bet for': 128066, 'for investor': 322640, 'investor amid': 444100, 'outbreak having': 628291, 'having gained': 384089, 'gained this': 342858, 'year gold': 1014593, 'are far': 86484, 'far outpacing': 298881, 'outpacing the': 629215, '500 decline': 19973, 'decline do': 231321, 'think gold': 885263, 'to smo': 914773, 'smo smoff': 775849, 'see gold safe': 745156, 'gold safe bet': 355999, 'safe bet for': 729521, 'bet for investor': 128067, 'for investor amid': 322641, 'investor amid the': 444101, 'coronavirus outbreak having': 206390, 'outbreak having gained': 628292, 'having gained this': 384090, 'gained this year': 342859, 'this year gold': 891578, 'year gold price': 1014594, 'price are far': 672666, 'are far outpacing': 86488, 'far outpacing the': 298882, 'outpacing the 500': 629216, 'the 500 decline': 848141, '500 decline do': 19974, 'decline do you': 231322, 'you think gold': 1021657, 'think gold price': 885264, 'gold price will': 355982, 'price will continue': 677555, 'to be immune': 901326, 'immune to smo': 417369, 'to smo smoff': 914774, 'our apr': 622100, 'apr newsletter': 83369, 'newsletter featuring': 561025, 'featuring food': 301586, 'rising covid': 723190, '19 street': 10907, 'street selling': 813097, 'selling opportunity': 749383, 'read our apr': 700498, 'our apr newsletter': 622101, 'apr newsletter featuring': 83370, 'newsletter featuring food': 561026, 'featuring food price': 301587, 'are rising covid': 89710, 'rising covid 19': 723191, 'covid 19 street': 213877, '19 street selling': 10908, 'street selling opportunity': 813098, 'amp mary': 54112, 'mary need': 518167, 'implement universal': 418442, 'universal pas': 942371, 'pas system': 643147, 'and refund': 70137, 'refund student': 706954, 'and board': 59035, 'board no': 133654, 'no student': 565599, 'student or': 814747, 'about grade': 25319, 'grade or': 361655, 'or putting': 616752, 'putting food': 691119, 'pandemic tell': 636629, 'administration here': 32479, 'william amp mary': 995424, 'amp mary need': 54113, 'mary need to': 518168, 'to implement universal': 908182, 'implement universal pas': 418443, 'universal pas system': 942372, 'pas system and': 643148, 'system and refund': 831104, 'and refund student': 70139, 'refund student for': 706955, 'student for room': 814688, 'for room and': 325256, 'room and board': 725873, 'and board no': 59036, 'board no student': 133655, 'no student or': 565600, 'student or employee': 814748, 'or employee should': 615160, 'employee should have': 274203, 'worry about grade': 1010639, 'about grade or': 25320, 'grade or putting': 361656, 'or putting food': 616753, 'putting food on': 691120, 'table during pandemic': 831465, 'during pandemic tell': 262896, 'pandemic tell the': 636630, 'tell the administration': 837081, 'the administration here': 848356, 'led some': 485261, 'food won': 317657, 'be eaten': 114634, 'ha led some': 371124, 'led some people': 485262, 'some people to': 783541, 'people to hoard': 649909, 'store and lot': 806287, 'that food won': 843921, 'food won be': 317658, 'won be eaten': 1003739, 'madhouse': 508104, 'happens stay': 377499, 'food many': 315383, 'cannot order': 162021, 'so especially': 776957, 'especially elderly': 280470, 'not madhouse': 570488, 'madhouse full': 508105, 'crowd like': 219197, 'like another': 489803, 'another store': 77870, 'whatever happens stay': 982761, 'happens stay open': 377500, 'stay open because': 797152, 'buy food many': 148661, 'food many people': 315384, 'people cannot order': 647435, 'cannot order online': 162022, 'order online for': 618468, 'online for delivery': 608224, 'delivery or do': 234281, 'do so especially': 250092, 'so especially elderly': 776958, 'especially elderly people': 280471, 'elderly people like': 270828, 'people like shopping': 648649, 'like shopping at': 491179, 'shopping at your': 762119, 'your store because': 1025962, 'store because it': 806680, 'because it not': 119195, 'it not madhouse': 459893, 'not madhouse full': 570489, 'madhouse full of': 508106, 'full of crowd': 340712, 'of crowd like': 582222, 'crowd like another': 219198, 'like another store': 489804, 'counsel': 210065, 'will destroy': 993164, 'than virus': 841408, 'virus sc': 958724, 'sc tell': 739858, 'to counsel': 903618, 'counsel migrant': 210070, 'worker ensure': 1006851, 'panic will destroy': 638791, 'will destroy more': 993167, 'destroy more life': 239019, 'life than virus': 489088, 'than virus sc': 841409, 'virus sc tell': 958725, 'sc tell govt': 739859, 'tell govt to': 836961, 'govt to counsel': 361308, 'to counsel migrant': 903619, 'counsel migrant worker': 210071, 'migrant worker ensure': 531229, 'worker ensure food': 1006852, 'stayhomemn': 798311, 'saturday wa': 737076, 'store pushing': 809708, 'pushing my': 690432, 'cart down': 165287, 'down row': 257159, 'row of': 726576, 'of refrigerator': 588874, 'dairy section': 225041, 'grab gallon': 361487, 'milk slowthespread': 531816, 'slowthespread socialdistancing': 774652, 'stayhome stayhomemn': 798151, 'last saturday wa': 480484, 'saturday wa in': 737078, 'grocery store pushing': 365691, 'store pushing my': 809709, 'pushing my cart': 690433, 'my cart down': 547624, 'cart down row': 165289, 'down row of': 257160, 'row of refrigerator': 726579, 'of refrigerator in': 588875, 'refrigerator in the': 706816, 'the dairy section': 852796, 'dairy section on': 225042, 'section on my': 744033, 'way to grab': 970033, 'to grab gallon': 906963, 'grab gallon of': 361488, 'gallon of chocolate': 343039, 'of chocolate milk': 581396, 'chocolate milk slowthespread': 177690, 'milk slowthespread socialdistancing': 531817, 'slowthespread socialdistancing stayhome': 774653, 'socialdistancing stayhome stayhomemn': 780738, 'cause related': 167716, '19 bb': 5311, 'bb wise': 113057, 'wise giving': 996683, 'giving alliance': 351233, 'alliance ha': 45838, 'ha new': 371323, 'donating during': 254446, 'time bb': 896361, 'bb donation': 113042, 'for consumer who': 320303, 'consumer who are': 199517, 'who are looking': 988170, 'looking to donate': 503027, 'donate to cause': 254250, 'to cause related': 902541, 'cause related to': 167717, 'covid 19 bb': 212682, '19 bb wise': 5312, 'bb wise giving': 113058, 'wise giving alliance': 996684, 'giving alliance ha': 351234, 'alliance ha new': 45839, 'ha new consumer': 371324, 'new consumer tip': 558531, 'consumer tip for': 199296, 'tip for donating': 898763, 'for donating during': 320816, 'donating during these': 254447, 'trying time bb': 934742, 'time bb donation': 896362, 'extra safety': 293628, 'safety precaution': 730682, 'precaution thank': 669367, 'you caring': 1017899, 'caring taking': 164729, 'extra step': 293652, 'safe hopefully': 729754, 'hopefully you': 403907, 'can share': 159587, 'these procedure': 880551, 'procedure with': 679831, 'out how our': 626331, 'how our local': 408462, 'store is taking': 808538, 'taking extra safety': 833357, 'extra safety precaution': 293629, 'safety precaution thank': 730688, 'precaution thank you': 669368, 'thank you caring': 841705, 'you caring taking': 1017900, 'caring taking the': 164730, 'taking the extra': 833588, 'the extra step': 854768, 'extra step keep': 293653, 'step keep your': 799583, 'keep your customer': 472259, 'your customer safe': 1023421, 'customer safe hopefully': 222786, 'safe hopefully you': 729755, 'hopefully you can': 403908, 'you can share': 1017780, 'can share these': 159589, 'share these procedure': 755276, 'these procedure with': 880552, 'procedure with other': 679832, 'with other store': 999963, 'oversight': 631514, 'serbia': 751182, 'russian federal': 728640, 'federal service': 302052, 'the oversight': 862789, 'oversight of': 631521, 'welfare ha': 977955, 'ha handed': 370813, 'handed over': 376081, 'test system': 839186, 'hold over': 399991, '00 test': 509, '13 state': 3263, 'state delivery': 795514, 'to egypt': 904954, 'egypt serbia': 270119, 'serbia and': 751183, 'and venezuela': 74913, 'venezuela is': 954446, 'is planned': 450887, 'the russian federal': 866098, 'russian federal service': 728641, 'federal service for': 302053, 'for the oversight': 326604, 'the oversight of': 862790, 'oversight of consumer': 631522, 'protection and welfare': 685328, 'and welfare ha': 75395, 'welfare ha handed': 977956, 'ha handed over': 370814, 'handed over the': 376082, 'over the test': 630776, 'the test system': 869320, 'test system that': 839187, 'system that allow': 831332, 'that allow to': 842588, 'allow to hold': 46101, 'to hold over': 907913, 'hold over 100': 399992, '100 00 test': 1797, '00 test for': 510, '19 to 13': 11412, 'to 13 state': 899488, '13 state delivery': 3264, 'state delivery to': 795515, 'delivery to egypt': 234657, 'to egypt serbia': 904955, 'egypt serbia and': 270120, 'serbia and venezuela': 751184, 'and venezuela is': 74914, 'venezuela is planned': 954448, 'start they': 794560, 'put stop': 690835, 'hoarding on': 399459, 'one stophoarding': 607118, 'supermarket and high': 819000, 'and high street': 64560, 'street store failed': 813127, 'store failed at': 807695, 'failed at the': 296129, 'the start they': 867736, 'start they should': 794562, 'they should ve': 883387, 'should ve put': 766626, 've put stop': 953461, 'put stop to': 690837, 'stop to the': 805226, 'to the hoarding': 916779, 'the hoarding on': 857417, 'hoarding on day': 399460, 'day one stophoarding': 228156, 'one stophoarding panicbuyinguk': 607119, '2212168': 15271, 'say stop': 739180, '19 order': 9034, 'our advanced': 622026, 'advanced formula': 32931, 'formula of': 329714, 'and block': 59013, 'block the': 132799, 'at 2212168': 97533, '2212168 and': 15272, 'say stop to': 739182, 'stop to covid': 805214, 'covid 19 order': 213526, '19 order our': 9035, 'order our advanced': 618496, 'our advanced formula': 622027, 'advanced formula of': 32932, 'formula of hand': 329715, 'hand sanitizer now': 375506, 'sanitizer now and': 735432, 'now and block': 574029, 'and block the': 59015, 'block the way': 132800, 'way to call': 969994, 'to call at': 902376, 'call at 2212168': 155778, 'at 2212168 and': 97534, '2212168 and we': 15273, 'shall be at': 754516, 'be at your': 113741, 'of question': 588684, 'day why': 228761, '19 sometimes': 10701, 'sometimes so': 785230, 'so severe': 778184, 'severe in': 754026, 'in young': 431051, 'young adult': 1022557, 'best of question': 127797, 'of question of': 588686, 'question of the': 693668, 'the day why': 852926, 'day why is': 228762, 'why is covid': 991098, 'covid 19 sometimes': 213832, '19 sometimes so': 10702, 'sometimes so severe': 785232, 'so severe in': 778185, 'severe in young': 754027, 'in young adult': 431052, 'slowing at': 774523, 'at significant': 100526, 'significant rate': 769505, 'rate he': 697243, 'so concerned': 776776, 'estate agent': 282087, 'agent that': 38193, 'he offer': 385268, 'offer them': 594833, 'them 75': 875305, '75 discount': 22127, 'on fee': 600773, 'month coronacrisis': 537657, 'warns that the': 967294, 'housing market is': 407106, 'market is slowing': 516642, 'is slowing at': 451974, 'slowing at significant': 774524, 'at significant rate': 100527, 'significant rate he': 769506, 'rate he is': 697244, 'he is so': 385146, 'is so concerned': 451997, 'so concerned about': 776777, 'about the problem': 26490, 'problem of real': 679631, 'of real estate': 588786, 'real estate agent': 701133, 'estate agent that': 282089, 'agent that he': 38194, 'that he offer': 844265, 'he offer them': 385269, 'offer them 75': 594834, 'them 75 discount': 875306, '75 discount on': 22128, 'discount on fee': 244509, 'on fee for': 600775, 'fee for four': 302174, 'for four month': 321688, 'four month coronacrisis': 330631, 'cohort': 185595, 'halla': 374358, 'hallafoodfight': 374361, 'foodismedicine': 317991, 'food cohort': 313959, 'cohort 08': 185596, '08 company': 1078, 'company halla': 190723, 'halla writes': 374359, 'about functional': 25288, 'functional online': 341304, 'platform and': 658937, 'experience easy': 291351, 'and personalized': 68933, 'personalized hallafoodfight': 653019, 'hallafoodfight socialdistancing': 374362, 'socialdistancing foodismedicine': 780369, 'food cohort 08': 313960, 'cohort 08 company': 185597, '08 company halla': 1079, 'company halla writes': 190724, 'halla writes about': 374360, 'writes about functional': 1012826, 'about functional online': 25289, 'functional online grocery': 341305, 'grocery platform and': 364863, 'platform and to': 658941, 'and to how': 74176, 'to how to': 908027, 'your shopping experience': 1025781, 'shopping experience easy': 762611, 'experience easy and': 291352, 'easy and personalized': 265652, 'and personalized hallafoodfight': 68934, 'personalized hallafoodfight socialdistancing': 653020, 'hallafoodfight socialdistancing foodismedicine': 374363, 'idiot at the': 413461, 'supermarket be like': 819321, 'bulletin': 142435, 'business advice': 143239, 'advice we': 33550, 're issuing': 698932, 'issuing regular': 456133, 'regular update': 707891, 'support member': 826647, 'new information': 558933, 'guidance see': 368277, 'see today': 745971, 'today bulletin': 919331, '19 business advice': 5477, 'business advice we': 143240, 'advice we re': 33552, 'we re issuing': 972901, 're issuing regular': 698934, 'issuing regular update': 456134, 'regular update to': 707893, 'update to support': 947272, 'to support member': 915945, 'support member with': 826648, 'member with new': 528253, 'with new information': 999706, 'new information and': 558934, 'and guidance see': 64042, 'guidance see today': 368278, 'see today bulletin': 745972, 'thatshowweroll': 847833, 'epicfail': 279318, 'three arrested': 893875, 'after police': 36047, 'stolen toiletpaper': 804302, 'in van': 430526, 'van thatshowweroll': 952308, 'thatshowweroll crime': 847834, 'crime epicfail': 216778, 'three arrested after': 893876, 'arrested after police': 93807, 'after police find': 36048, 'find stolen toiletpaper': 307252, 'stolen toiletpaper paper': 804303, 'toiletpaper paper in': 922316, 'paper in van': 640335, 'in van thatshowweroll': 430529, 'van thatshowweroll crime': 952309, 'thatshowweroll crime epicfail': 847835, 'is reported': 451434, 'spreading widely': 791090, 'widely via': 991794, 'pump please': 689081, 'precaution by': 669300, 'operate pump': 613012, 'pump and': 689022, 'when doing': 983356, 'doing transaction': 252809, 'transaction then': 929472, 'then use': 877702, 'or wash': 617727, 'hand using': 375903, 'using paper': 950586, 'towel to': 927393, 'to dry': 904789, 'dry them': 261305, 'them soon': 876312, 'can after': 157416, 'is reported to': 451436, 'reported to be': 712557, 'be spreading widely': 117338, 'spreading widely via': 791092, 'widely via the': 991795, 'via the use': 956313, 'use of petrol': 949421, 'of petrol pump': 588080, 'petrol pump please': 653783, 'pump please be': 689082, 'be aware and': 113774, 'aware and take': 105607, 'and take precaution': 72972, 'take precaution by': 832514, 'precaution by wearing': 669302, 'by wearing glove': 154710, 'wearing glove to': 974642, 'glove to operate': 352973, 'to operate pump': 911023, 'operate pump and': 613013, 'pump and when': 689025, 'and when doing': 75510, 'when doing transaction': 983359, 'doing transaction then': 252810, 'transaction then use': 929473, 'then use hand': 877703, 'sanitizer or wash': 735496, 'or wash your': 617729, 'your hand using': 1024238, 'hand using paper': 375905, 'using paper towel': 950587, 'paper towel to': 641017, 'towel to dry': 927394, 'to dry them': 904792, 'dry them soon': 261306, 'them soon you': 876313, 'soon you can': 785911, 'you can after': 1017616, 'setback': 753598, 'eswatini': 282339, 'biggest setback': 130323, 'setback is': 753599, 'facing with': 295662, 'with regard': 1000436, 'regard to': 707150, 'of awareness': 580482, 'awareness we': 105744, 'upon eswatini': 947633, 'eswatini to': 282340, 'down data': 256676, 'access information': 28148, 'the biggest setback': 849678, 'biggest setback is': 130324, 'setback is facing': 753600, 'is facing with': 447706, 'facing with regard': 295663, 'with regard to': 1000437, 'regard to 19': 707151, 'to 19 is': 899542, 'is the lack': 452841, 'lack of awareness': 478606, 'of awareness we': 580485, 'awareness we call': 105745, 'we call upon': 970889, 'call upon eswatini': 156209, 'upon eswatini to': 947634, 'eswatini to cut': 282341, 'cut down data': 223307, 'down data price': 256677, 'data price so': 226362, 'citizen of our': 178937, 'of our country': 587442, 'our country can': 622583, 'country can be': 210536, 'can be able': 157572, 'to access information': 899956, 'access information about': 28149, 'information about this': 437716, 'about this virus': 26670, 'pharmacy employee': 654292, 'driver trucker': 259816, 'trucker stocker': 932952, 'stocker restaurant': 803516, 'staff amp': 792112, 'amp more': 54145, 'shining light': 758624, 'is reminder': 451422, 'keep pushing': 471838, 'pushing for': 690418, 'for living': 323027, 'wage paid': 963935, 'leave health': 484812, 'insurance amp': 440670, 'store pharmacy employee': 809536, 'pharmacy employee delivery': 654293, 'delivery driver trucker': 233949, 'driver trucker stocker': 259818, 'trucker stocker restaurant': 932953, 'stocker restaurant staff': 803517, 'restaurant staff amp': 716707, 'staff amp more': 792117, 'amp more is': 54150, 'more is shining': 539623, 'is shining light': 451858, 'shining light on': 758625, 'light on what': 489579, 'on what it': 605229, 'it mean to': 459580, 'mean to be': 524728, 'be an essential': 113601, 'worker and is': 1006308, 'and is reminder': 65427, 'is reminder that': 451423, 'reminder that we': 710595, 'must keep pushing': 546745, 'keep pushing for': 471839, 'pushing for living': 690421, 'for living wage': 323028, 'living wage paid': 496480, 'wage paid sick': 963937, 'sick leave health': 768496, 'leave health insurance': 484813, 'health insurance amp': 386541, 'insurance amp more': 440671, 'wasted scramble': 968258, 'scramble supply': 742540, 'chain farmer': 170697, 'seeing produce': 746430, 'produce rot': 680413, 'rot in': 726163, 'in field': 422868, 'and dairy': 60918, 'dairy wash': 225057, 'wash down': 967452, 'down drain': 256698, 'drain they': 258220, 'find area': 306814, 'prevent closure': 671595, 'of food wasted': 583812, 'food wasted scramble': 317498, 'wasted scramble supply': 968259, 'scramble supply chain': 742541, 'supply chain farmer': 824957, 'chain farmer are': 170698, 'farmer are seeing': 299293, 'are seeing produce': 89910, 'seeing produce rot': 746431, 'produce rot in': 680414, 'rot in field': 726164, 'in field and': 422870, 'field and dairy': 304453, 'and dairy wash': 60930, 'dairy wash down': 225058, 'wash down drain': 967453, 'down drain they': 256699, 'drain they rush': 258221, 'to find area': 905883, 'find area of': 306815, 'area of demand': 92131, 'demand and prevent': 234991, 'and prevent closure': 69407, 'farmlife': 299672, 'local not': 498215, 'weekend why': 977454, 'try local': 934505, 'farm shop': 299171, 'or farm': 615272, 'gate stall': 344355, 'stall many': 793371, 'many have': 514119, 'of locally': 585938, 'locally sourced': 498780, 'sourced essential': 786593, 'time buylocal': 896428, 'buylocal supportlocal': 151436, 'supportlocal farmlife': 827261, 'buy local not': 148916, 'local not able': 498216, 'get your supply': 348740, 'your supply from': 1026074, 'supply from your': 825296, 'from your supermarket': 338499, 'your supermarket this': 1026064, 'supermarket this weekend': 823322, 'this weekend why': 891326, 'weekend why not': 977455, 'not try local': 572292, 'try local farm': 934506, 'local farm shop': 497941, 'farm shop or': 299175, 'shop or farm': 760613, 'or farm gate': 615273, 'farm gate stall': 299127, 'gate stall many': 344356, 'stall many have': 793372, 'many have lot': 514125, 'lot of locally': 504220, 'of locally sourced': 585942, 'locally sourced essential': 498781, 'sourced essential just': 786594, 'essential just what': 281256, 'may need at': 521351, 'need at this': 554498, 'at this challenging': 101225, 'challenging time buylocal': 171631, 'time buylocal supportlocal': 896429, 'buylocal supportlocal farmlife': 151437, 'weight loss': 977700, 'loss side': 503778, 'effect for': 269000, 'like might': 490772, 'quarentinelife will': 693219, 'will recipe': 994597, 'recipe definitely': 704453, 'be laugh': 115658, 'laugh what': 481776, 'well never have': 978416, 'never have the': 558054, 'have the weight': 383042, 'the weight loss': 871353, 'weight loss side': 977703, 'loss side effect': 503779, 'side effect for': 768807, 'effect for anything': 269002, 'look like might': 502496, 'like might now': 490773, 'diet quarentinelife will': 241749, 'quarentinelife will recipe': 693220, 'will recipe definitely': 994598, 'recipe definitely be': 704454, 'definitely be laugh': 232309, 'be laugh what': 115659, 'laugh what else': 481777, 'hotbed': 405082, 'sigh': 769019, 'limitation': 492578, 'me over': 523312, 'of gathering': 584056, 'gathering restriction': 344503, 'another hour': 77657, 'hour plus': 405866, 'plus to': 661703, 'leave life': 484858, 'nyc pandemic': 578029, 'pandemic hotbed': 635655, 'hotbed sigh': 405087, 'sigh but': 769020, 'still grateful': 800608, 'grateful have': 362283, 'food without': 317650, 'without severe': 1002908, 'severe limitation': 754034, 'took me over': 925288, 'me over an': 523313, 'in to my': 430124, 'because of gathering': 119345, 'of gathering restriction': 584059, 'gathering restriction and': 344504, 'restriction and another': 717205, 'and another hour': 58164, 'another hour plus': 77659, 'hour plus to': 405867, 'plus to shop': 661704, 'and leave life': 66054, 'leave life in': 484859, 'in the nyc': 429409, 'the nyc pandemic': 862004, 'nyc pandemic hotbed': 578030, 'pandemic hotbed sigh': 635656, 'hotbed sigh but': 405088, 'sigh but am': 769021, 'but am still': 145166, 'am still grateful': 50433, 'still grateful have': 800609, 'grateful have my': 362284, 'have my job': 381545, 'my job and': 548904, 'job and can': 465618, 'buy food without': 148692, 'food without severe': 317654, 'without severe limitation': 1002909, 'mourn': 543461, 'gravesides': 362437, 'numb': 576795, 'heartbreaking story': 388412, 'of young': 593436, 'young old': 1022630, 'old doctor': 598229, 'nurse bus': 577221, 'staff getting': 792489, 'getting ill': 349049, 'ill dying': 416116, 'dying loved': 263845, 'one not': 606721, 'to mourn': 910288, 'mourn at': 543465, 'at gravesides': 98794, 'gravesides it': 362438, 'be upset': 117903, 'upset it': 947807, 'have cry': 380163, 'cry it': 219885, 'feel numb': 302789, 'numb just': 576796, 'up stayhomesavelives': 946064, 'all the heartbreaking': 44780, 'the heartbreaking story': 857211, 'heartbreaking story of': 388413, 'story of young': 812079, 'of young old': 593438, 'young old doctor': 1022631, 'old doctor nurse': 598230, 'doctor nurse bus': 251002, 'nurse bus driver': 577222, 'supermarket staff getting': 822851, 'staff getting ill': 792490, 'getting ill dying': 349050, 'ill dying loved': 416117, 'dying loved one': 263846, 'loved one not': 504918, 'one not able': 606722, 'able to mourn': 24508, 'to mourn at': 910290, 'mourn at gravesides': 543466, 'at gravesides it': 98795, 'gravesides it ok': 362439, 'it ok to': 460020, 'ok to be': 597916, 'to be upset': 901615, 'be upset it': 117904, 'upset it ok': 947808, 'ok to have': 597922, 'to have cry': 907223, 'have cry it': 380164, 'cry it ok': 219886, 'ok to feel': 597920, 'to feel numb': 905752, 'feel numb just': 302790, 'numb just do': 576797, 'not give up': 569647, 'give up stayhomesavelives': 350819, 'stone what': 804352, 'what no': 981939, 'no mention': 564763, 'mention that': 528789, 'with conservative': 997737, 'conservative help': 194907, 'business also': 143264, 'steal the': 799202, 'gst consumer': 367550, 'paid when': 634181, 'they made': 882637, 'purchase in': 689501, 'so car': 776742, 'car dealer': 163054, 'dealer who': 229629, 'sold 100': 781612, '00 vehicle': 580, 'vehicle would': 954301, 'get gst': 347174, 'gst or': 367559, 'or 50': 614205, 'stone what no': 804353, 'what no mention': 981940, 'no mention that': 564765, 'mention that with': 528793, 'that with conservative': 847627, 'with conservative help': 997738, 'conservative help small': 194908, 'small business also': 774834, 'business also want': 143265, 'want to steal': 966130, 'to steal the': 915367, 'steal the gst': 799203, 'the gst consumer': 856892, 'gst consumer have': 367551, 'consumer have paid': 197712, 'have paid when': 381872, 'paid when they': 634182, 'when they made': 984270, 'they made purchase': 882641, 'made purchase in': 507928, 'purchase in past': 689504, 'in past month': 426544, 'past month so': 643576, 'month so car': 538008, 'so car dealer': 776743, 'car dealer who': 163056, 'dealer who sold': 229630, 'who sold 100': 989638, 'sold 100 00': 781613, '100 00 vehicle': 1801, '00 vehicle would': 581, 'vehicle would get': 954302, 'would get gst': 1011830, 'get gst or': 347175, 'gst or 50': 367560, 'woman came': 1003429, 'with cursed': 997891, 'cursed bird': 221759, 'bird live': 131338, 'live bird': 495747, 'bird what': 131354, 'worst time': 1011289, 'pet to': 653473, 'worker coronacrisis': 1006700, 'woman came into': 1003430, 'came into my': 157023, 'into my store': 442790, 'my store with': 550233, 'store with cursed': 811372, 'with cursed bird': 997892, 'cursed bird live': 221760, 'bird live bird': 131339, 'live bird what': 495748, 'bird what wrong': 131355, 'with people this': 1000176, 'the worst time': 872078, 'worst time to': 1011290, 'take your pet': 832827, 'your pet to': 1025278, 'pet to the': 653474, 'retail worker coronacrisis': 718878, 'our master': 623875, 'master plan': 520205, 'next wave': 561658, 'of widely': 593159, 'testing accurate': 839418, 'accurate reporting': 28910, 'reporting pandemic': 712735, 'team adequate': 835570, 'adequate stock': 32184, 'ppe home': 667972, 'home kit': 401501, 'kit sanitizer': 475626, 'etc an': 282402, 'an actual': 55091, 'actual document': 30643, 'document to': 251216, 'read strategy': 700559, 'strategy tactic': 812717, 'is our master': 450630, 'our master plan': 623876, 'master plan for': 520206, 'the next wave': 861710, 'next wave of': 561659, 'wave of widely': 969385, 'of widely available': 593160, 'available testing accurate': 104611, 'testing accurate reporting': 839419, 'accurate reporting pandemic': 28911, 'reporting pandemic team': 712736, 'pandemic team adequate': 636624, 'team adequate stock': 835571, 'adequate stock of': 32186, 'stock of ppe': 802537, 'of ppe home': 588319, 'ppe home kit': 667973, 'home kit sanitizer': 401502, 'kit sanitizer mask': 475628, 'sanitizer mask etc': 735351, 'mask etc an': 518612, 'etc an actual': 282403, 'an actual document': 55092, 'actual document to': 30644, 'document to read': 251217, 'to read strategy': 912839, 'read strategy tactic': 700560, 'clumsy': 184579, 'ghosted': 349689, 'supermarket making': 821439, 'making eye': 511056, 'achieve socialdistancing': 29041, 'is clumsy': 446625, 'clumsy awkward': 184580, 'awkward bumping': 106273, 'bumping into': 142597, 'who ghosted': 988780, 'ghosted you': 349692, 'just been shopping': 468307, 'been shopping to': 121954, 'the supermarket making': 868692, 'supermarket making eye': 821440, 'making eye contact': 511057, 'eye contact and': 294025, 'contact and trying': 200015, 'trying to achieve': 934760, 'to achieve socialdistancing': 899991, 'achieve socialdistancing in': 29042, 'the aisle is': 848524, 'aisle is clumsy': 40284, 'is clumsy awkward': 446626, 'clumsy awkward bumping': 184581, 'awkward bumping into': 106274, 'bumping into that': 142599, 'into that person': 443089, 'that person who': 845726, 'person who ghosted': 652724, 'who ghosted you': 988781, 'ghosted you after': 349693, 'you after the': 1016842, 'after the first': 36315, 'the first date': 855295, 'rocco': 724866, 'roccosudano': 724869, 'gsd': 367543, 'milton': 532475, 'ugh my': 938022, 'dog rocco': 252162, 'rocco wasted': 724867, 'wasted like': 968248, 'like 300': 489702, 'toiletpaper coronageddon': 921885, 'coronageddon roccosudano': 204958, 'roccosudano gsd': 724870, 'gsd milton': 367544, 'milton georgia': 532476, 'ugh my dog': 938023, 'my dog rocco': 548021, 'dog rocco wasted': 252163, 'rocco wasted like': 724868, 'wasted like 300': 968249, 'like 300 in': 489703, '300 in toilet': 17314, 'in toilet paper': 430174, 'paper toiletpaper coronageddon': 640946, 'toiletpaper coronageddon roccosudano': 921886, 'coronageddon roccosudano gsd': 204959, 'roccosudano gsd milton': 724871, 'gsd milton georgia': 367545, 'austr': 103201, 'governing': 359800, 'dismissal': 246008, 'ecolog': 266677, 'uk austr': 938203, 'austr the': 103202, 'the governing': 856499, 'governing party': 359801, 'party politics': 643029, 'politics are': 663776, 'built on': 142192, 'on risk': 603204, 'risk dismissal': 723494, 'dismissal denial': 246009, 'denial just': 236940, 've delayed': 953040, 'climate ecolog': 182220, 'ecolog breakdown': 266678, 'breakdown consumer': 138835, 'in uk austr': 430380, 'uk austr the': 938204, 'austr the governing': 103203, 'the governing party': 856500, 'governing party politics': 359802, 'party politics are': 643030, 'politics are built': 663777, 'are built on': 85079, 'built on risk': 142193, 'on risk dismissal': 603205, 'risk dismissal denial': 723495, 'dismissal denial just': 246010, 'denial just they': 236941, 'just they ve': 470033, 'they ve delayed': 883644, 've delayed necessary': 953041, 'to climate ecolog': 902844, 'climate ecolog breakdown': 182221, 'ecolog breakdown consumer': 266679, 'breakdown consumer debt': 138836, 'indigenous': 435077, 'this indigenous': 888091, 'indigenous man': 435084, 'man stockpiled': 512251, 'stockpiled on': 803852, 'could distribute': 209088, 'elderly for': 270681, 'free he': 331894, 'different location': 241988, 'location on': 498943, 'street on': 813054, 'on nebraska': 602350, 'nebraska to': 553906, 'society have': 781235, 'this indigenous man': 888092, 'indigenous man stockpiled': 435085, 'man stockpiled on': 512252, 'stockpiled on and': 803853, 'on and so': 599372, 'and so he': 71843, 'so he could': 777271, 'he could distribute': 384855, 'could distribute them': 209089, 'them to elderly': 876470, 'to elderly for': 904972, 'elderly for free': 270683, 'for free he': 321716, 'free he been': 331895, 'he been out': 384773, 'out for day': 626107, 'for day at': 320565, 'day at different': 227329, 'at different location': 98436, 'different location on': 241990, 'location on the': 498945, 'the street on': 868240, 'street on nebraska': 813055, 'on nebraska to': 602351, 'nebraska to ensure': 553907, 'ensure the vulnerable': 278093, 'the vulnerable people': 870992, 'in society have': 428060, 'society have what': 781236, 'earthling': 265028, 'the earthling': 853831, 'earthling die': 265029, 'used so': 950006, 'they wiped': 883900, 'wiped themselves': 996486, 'out auspol': 625755, 'so how did': 777337, 'how did all': 407681, 'all the earthling': 44726, 'the earthling die': 853832, 'earthling die they': 265030, 'die they used': 241465, 'they used so': 883624, 'used so much': 950007, 'much toiletpaper they': 545402, 'toiletpaper they wiped': 922611, 'they wiped themselves': 883901, 'wiped themselves out': 996487, 'themselves out auspol': 876868, 'tingle': 898593, 'on point': 602829, 'point with': 662717, 'booty sanitizer': 135148, 'wipe aid': 996174, 'aid little': 39416, 'little tingle': 495615, 'tingle to': 898594, 'but booty': 145307, 'booty hole': 135144, 'hole be': 400205, 'be squeaky': 117341, 'squeaky amid': 791523, 'amid corona': 52410, 'corona concern': 203858, 'concern can': 192944, 'not stayhome': 571706, 'my job on': 548925, 'job on point': 466051, 'on point with': 602831, 'point with the': 662718, 'the booty sanitizer': 849861, 'booty sanitizer wipe': 135149, 'sanitizer wipe aid': 736114, 'wipe aid little': 996175, 'aid little tingle': 39417, 'little tingle to': 495616, 'tingle to it': 898595, 'to it but': 908571, 'it but booty': 456947, 'but booty hole': 145308, 'booty hole be': 135145, 'hole be squeaky': 400206, 'be squeaky amid': 117342, 'squeaky amid corona': 791524, 'amid corona concern': 52411, 'corona concern can': 203859, 'concern can not': 192946, 'can not stayhome': 159054, 'on shared': 603392, 'shared journey': 755421, 'journey every': 467472, 've stepped': 953598, 'stepped inside': 799777, 'fortnight ve': 329847, 'seen much': 747143, 'being shared': 125771, 'journey panicbuyinguk': 467484, 'apparently we re': 82038, 're on shared': 699181, 'on shared journey': 603393, 'shared journey every': 755422, 'journey every time': 467473, 'every time ve': 286324, 'time ve stepped': 898184, 've stepped inside': 953599, 'stepped inside supermarket': 799778, 'inside supermarket this': 439401, 'supermarket this last': 823315, 'this last fortnight': 888597, 'last fortnight ve': 480240, 'fortnight ve not': 329848, 've not seen': 953402, 'not seen much': 571510, 'seen much evidence': 747144, 'evidence of this': 288373, 'of this being': 591942, 'this being shared': 886545, 'being shared journey': 125772, 'shared journey panicbuyinguk': 755423, 'tightest': 895876, 'stard': 794118, '1p': 12675, 'also lying': 48495, 'lying spoke': 507081, 'the tightest': 869549, 'tightest stard': 895877, 'stard ever': 794119, 'ever he': 285344, 'give ppl': 350654, 'ppl their': 668345, 'their 1p': 872418, '1p change': 12676, 'change he': 172073, 'said some': 731363, 'usual dettol': 950922, 'are unavailable': 91262, 'unavailable but': 939443, 'cash carry': 166198, 'carry haven': 165090, 'haven increased': 383841, 'increased pricegougers': 433425, 're also lying': 698268, 'also lying spoke': 48496, 'lying spoke to': 507082, 'corner shop owner': 203674, 'owner who is': 632601, 'is the tightest': 452960, 'the tightest stard': 869550, 'tightest stard ever': 895878, 'stard ever he': 794120, 'ever he doesn': 285345, 'he doesn even': 384906, 'doesn even give': 251772, 'even give ppl': 284117, 'give ppl their': 350655, 'ppl their 1p': 668346, 'their 1p change': 872419, '1p change he': 12677, 'change he said': 172074, 'he said some': 385374, 'said some item': 731364, 'some item like': 783151, 'item like my': 463417, 'like my usual': 490829, 'my usual dettol': 550474, 'usual dettol wipe': 950923, 'dettol wipe are': 239538, 'wipe are unavailable': 996200, 'are unavailable but': 91263, 'unavailable but price': 939444, 'but price at': 146841, 'the cash carry': 850473, 'cash carry haven': 166199, 'carry haven increased': 165091, 'haven increased pricegougers': 383843, 'it couldn': 457372, 'be helped': 115204, 'helped toiletpaperapocalypse': 391114, 'do it couldn': 249470, 'it couldn be': 457373, 'couldn be helped': 209868, 'be helped toiletpaperapocalypse': 115205, 'helped toiletpaperapocalypse toiletpaper': 391115, 'should collect': 765836, 'collect the': 186330, 'worst business': 1011151, 've received': 953486, 'should collect the': 765837, 'collect the worst': 186331, 'the worst business': 872042, 'worst business consumer': 1011152, 'business consumer email': 143568, 'consumer email about': 197345, 'email about covid': 272095, '19 ve received': 11739, 'googlealerts': 358207, 'already impacting': 47455, 'consumer banking': 196387, 'banking survey': 110464, 'survey googlealerts': 828875, 'is already impacting': 445522, 'already impacting consumer': 47456, 'impacting consumer banking': 418190, 'consumer banking survey': 196390, 'banking survey googlealerts': 110465, 'adengage': 32152, 'indoors leading': 435407, 'increased time': 433509, 'spent online': 789156, 'there major': 878741, 'behaviour marketing': 124475, 'marketing pattern': 517675, 'pattern too': 644518, 'can win': 160224, 'game digitalmarketing': 343162, 'digitalmarketing socialmediamarketing': 242781, 'socialmediamarketing adengage': 781109, 'lockdown ha forced': 499446, 'to stay indoors': 915295, 'stay indoors leading': 797077, 'indoors leading to': 435408, 'leading to the': 483778, 'to the increased': 916803, 'the increased time': 858080, 'increased time spent': 433512, 'time spent online': 897733, 'spent online there': 789158, 'online there major': 609547, 'there major shift': 878742, 'consumer behaviour marketing': 196586, 'behaviour marketing pattern': 124476, 'marketing pattern too': 517676, 'pattern too click': 644519, 'too click here': 924650, 'here to know': 393716, 'you can win': 1017833, 'can win the': 160225, 'win the game': 995585, 'the game digitalmarketing': 856119, 'game digitalmarketing socialmediamarketing': 343163, 'digitalmarketing socialmediamarketing adengage': 242782, 'panicbuyi': 638889, 'hey asda': 394328, 'asda ve': 94999, 'buying under': 151277, 'control drop': 201997, 'drop online': 260352, 'all edible': 42655, 'edible by': 268543, '10 thus': 1712, 'thus allowing': 895498, 'allowing you': 46368, 'best control': 127641, 'and allowing': 57920, 'no internet': 564517, 'internet people': 441984, 'normal panicbuyi': 567249, 'hey asda ve': 394329, 'asda ve an': 95000, 've an idea': 952842, 'an idea to': 56135, 'idea to get': 413202, 'get the panic': 348277, 'panic buying under': 637946, 'buying under control': 151278, 'under control drop': 940044, 'control drop online': 201998, 'drop online delivery': 260354, 'online delivery price': 608087, 'delivery price for': 234366, 'for all edible': 319120, 'all edible by': 42656, 'edible by 10': 268544, 'by 10 thus': 151521, '10 thus allowing': 1713, 'thus allowing you': 895499, 'allowing you to': 46369, 'you to best': 1021754, 'to best control': 901773, 'best control the': 127642, 'control the stock': 202173, 'stock and allowing': 801797, 'and allowing the': 57921, 'allowing the no': 46345, 'the no internet': 861828, 'no internet people': 564518, 'internet people to': 441985, 'to shop normal': 914475, 'shop normal panicbuyi': 760491, 'busted': 144837, 'feelinggood': 303122, 'today one': 919976, 'my co': 547715, 'co worker': 185011, 'who busted': 988352, 'busted my': 144842, 'my ball': 547393, 'ball three': 109067, 'when started': 984071, 'started carrying': 794704, 'home thanked': 402211, 'thanked me': 841881, 'said she': 731343, 'been safe': 121876, 'the clear': 850992, 'clear since': 181322, 'since got': 770621, 'act early': 29633, 'early feelinggood': 264600, 'today one of': 919979, 'of my co': 586745, 'my co worker': 547716, 'co worker who': 185016, 'worker who busted': 1008195, 'who busted my': 988353, 'busted my ball': 144843, 'my ball three': 547394, 'ball three week': 109068, 'three week ago': 894097, 'week ago when': 975866, 'ago when started': 38547, 'when started carrying': 984072, 'started carrying hand': 794705, 'sanitizer and working': 734463, 'from home thanked': 335909, 'home thanked me': 402212, 'thanked me she': 841882, 'me she said': 523448, 'she said she': 756312, 'said she been': 731344, 'she been safe': 755885, 'been safe and': 121877, 'safe and in': 729454, 'in the clear': 429071, 'the clear since': 850994, 'clear since got': 181323, 'since got her': 770622, 'got her to': 358599, 'her to act': 392459, 'to act early': 900011, 'act early feelinggood': 29634, 'this developed': 887216, 'in hong': 423796, 'check this developed': 174674, 'this developed in': 887217, 'developed in hong': 239712, 'in hong kong': 423797, 'employment in': 274612, 'in warehousing': 430690, 'warehousing amp': 966835, 'amp logistics': 54080, 'logistics is': 500762, 'is unpredictable': 453544, 'unpredictable especially': 943231, 'industry where': 436234, 'be physically': 116409, 'physically demanding': 655512, 'demanding amp': 236569, 'when 19': 983105, 'constantly shifting': 195701, 'need learn': 555149, 'effectively find': 269347, 'find hire': 306961, 'hire amp': 396998, 'amp retain': 54407, 'retain worker': 719611, 'employment in warehousing': 274614, 'in warehousing amp': 430691, 'warehousing amp logistics': 966836, 'amp logistics is': 54081, 'logistics is unpredictable': 500764, 'is unpredictable especially': 453545, 'unpredictable especially in': 943232, 'especially in an': 280521, 'in an industry': 420311, 'an industry where': 56298, 'industry where work': 436235, 'where work can': 985364, 'work can be': 1004968, 'can be physically': 157661, 'be physically demanding': 116410, 'physically demanding amp': 655513, 'demanding amp in': 236570, 'amp in time': 53982, 'in time when': 430089, 'time when 19': 898277, 'when 19 is': 983106, '19 is constantly': 7950, 'is constantly shifting': 446779, 'constantly shifting consumer': 195702, 'shifting consumer need': 758521, 'consumer need learn': 198193, 'need learn how': 555150, 'how to effectively': 409015, 'to effectively find': 904951, 'effectively find hire': 269348, 'find hire amp': 306962, 'hire amp retain': 396999, 'amp retain worker': 54408, 'retain worker for': 719612, 'worker for your': 1006979, 'your business with': 1023087, 'business with these': 144707, 'mindfulness': 532823, 'what learnt': 981803, 'learnt about': 484270, 'about myself': 25773, 'and mindfulness': 67034, 'mindfulness whilst': 532828, 'whilst shopping': 987682, '19 mindfulness': 8653, 'what learnt about': 981804, 'learnt about myself': 484271, 'about myself and': 25774, 'myself and mindfulness': 550822, 'and mindfulness whilst': 67035, 'mindfulness whilst shopping': 532829, 'whilst shopping at': 987683, 'covid 19 mindfulness': 213436, 'colleague went': 186254, 'lady struggling': 478832, 'anything she': 80876, 'just wanted': 470231, 'wanted bread': 966197, 'wasn any': 967956, 'any so': 79823, 'he took': 385539, 'took some': 925330, 'his home': 397509, 'delivered some': 233390, 'her imagine': 392136, 'were this': 980254, 'this incredible': 888086, 'incredible bekind': 433819, 'my colleague went': 547740, 'colleague went to': 186255, 'supermarket yesterday to': 824177, 'yesterday to find': 1015902, 'find an elderly': 306774, 'elderly lady struggling': 270735, 'lady struggling to': 478833, 'to find anything': 905881, 'find anything she': 306810, 'anything she said': 80877, 'said she just': 731347, 'she just wanted': 756176, 'just wanted bread': 470232, 'wanted bread and': 966198, 'bread and milk': 138402, 'and milk and': 67012, 'milk and there': 531569, 'and there wasn': 73854, 'there wasn any': 879284, 'wasn any so': 967958, 'any so he': 79824, 'so he took': 777281, 'he took some': 385541, 'took some from': 925331, 'some from his': 782917, 'from his home': 335815, 'his home and': 397510, 'home and delivered': 400631, 'and delivered some': 61097, 'delivered some to': 233391, 'some to her': 784078, 'to her imagine': 907699, 'her imagine if': 392137, 'imagine if we': 416745, 'we all were': 970375, 'all were this': 45436, 'were this incredible': 980256, 'this incredible bekind': 888087, 'sicko': 768765, 'been wiping': 122377, 'down every': 256729, 'food bring': 313790, 'bring into': 140007, 'since beginning': 770526, 'march use': 515510, 'use anti': 949048, 'anti bac': 78268, 'bac wipe': 106798, 'some spray': 783925, 'spray bit': 790271, 'kitchen towel': 475761, 'towel clean': 927306, 'clean surface': 180642, 'surface when': 828090, 'when finished': 983424, 'and washyourhands': 75211, 'washyourhands food': 967873, 'food terrorism': 317071, 'terrorism jail': 838608, 'jail the': 464282, 'the sicko': 867157, 've been wiping': 952963, 'been wiping down': 122378, 'wiping down every': 996512, 'down every item': 256732, 'every item of': 285960, 'item of food': 463491, 'of food bring': 583660, 'food bring into': 313791, 'bring into my': 140009, 'into my house': 442781, 'house since beginning': 406559, 'since beginning of': 770527, 'beginning of march': 123648, 'of march use': 586216, 'march use anti': 515511, 'use anti bac': 949049, 'anti bac wipe': 78269, 'bac wipe or': 106799, 'wipe or some': 996338, 'or some spray': 617151, 'some spray bit': 783926, 'spray bit of': 790272, 'bit of kitchen': 131651, 'of kitchen towel': 585660, 'kitchen towel clean': 475763, 'towel clean surface': 927307, 'clean surface when': 180643, 'surface when finished': 828091, 'when finished and': 983425, 'finished and washyourhands': 307891, 'and washyourhands food': 75212, 'washyourhands food terrorism': 967874, 'food terrorism jail': 317072, 'terrorism jail the': 838609, 'jail the sicko': 464283, 'eng': 276839, 'behavior eng': 124023, 'eng consumerbehaviour': 276840, 'crisis is changing': 217563, 'consumer behavior eng': 196471, 'behavior eng consumerbehaviour': 124024, 'our sister': 624783, 'sister company': 771724, 'company asked': 190469, 'asked over': 95805, 'over 44': 629848, '44 00': 18997, 've changed': 952991, 'they learned': 882544, 'our sister company': 624784, 'sister company asked': 771725, 'company asked over': 190470, 'asked over 44': 95806, 'over 44 00': 629849, '44 00 consumer': 18999, '00 consumer in': 147, 'consumer in america': 197815, 'in america how': 420223, 'america how they': 51556, 'they ve changed': 883642, 've changed their': 952992, 'changed their behavior': 172575, 'their behavior result': 872583, '19 here what': 7517, 'what they learned': 982404, 'cityoffrederick': 179481, 'frederickmd': 331593, 'cityoffrederick frederickmd': 179482, 'frederickmd doe': 331594, 'our public': 624506, 'public sanitation': 688285, 'sanitation in': 733848, 'downtown still': 257759, 'still consist': 800395, 'two dirty': 936894, 'dirty port': 243767, 'port potty': 664895, 'potty with': 667276, 'cityoffrederick frederickmd doe': 179483, 'frederickmd doe our': 331595, 'doe our public': 251547, 'our public sanitation': 624508, 'public sanitation in': 688286, 'sanitation in downtown': 733849, 'in downtown still': 422381, 'downtown still consist': 257760, 'still consist of': 800396, 'consist of two': 195467, 'of two dirty': 592539, 'two dirty port': 936895, 'dirty port potty': 243768, 'port potty with': 664896, 'potty with no': 667277, 'with no toilet': 999797, 'paper or sanitizer': 640557, 'eschother': 280338, 'wa talking': 963402, 'gonna start': 356619, 'like dude': 490145, 'dude go': 261589, 'store ppl': 809623, 'are stabbing': 90341, 'stabbing eschother': 791772, 'eschother over': 280339, 'over bottled': 630028, 'game wtf': 343300, 'wa talking to': 963404, 'talking to someone': 834052, 'to someone and': 914901, 'someone and wa': 784364, 'and wa like': 75089, 'wa like this': 962550, 'this is gonna': 888270, 'is gonna start': 448133, 'gonna start the': 356622, 'start the hunger': 794553, 'hunger game and': 411115, 'game and they': 343121, 'and they were': 73950, 'they were like': 883783, 'were like it': 979843, 'like it isn': 490542, 'it isn that': 459155, 'isn that bad': 454698, 'that bad and': 842920, 'bad and like': 107761, 'and like dude': 66153, 'like dude go': 490146, 'dude go to': 261590, 'grocery store ppl': 365672, 'store ppl in': 809624, 'ppl in the': 668260, 'the are stabbing': 848870, 'are stabbing eschother': 90342, 'stabbing eschother over': 791773, 'eschother over bottled': 280340, 'over bottled water': 630029, 'water this is': 969208, 'is the hunger': 452822, 'hunger game wtf': 411120, 'launching task': 482073, 'stop firm': 804653, 'firm exploiting': 308348, 'with excessive': 998316, 'just been told': 468310, 'been told the': 122243, 'told the competition': 923702, 'market authority is': 516062, 'authority is launching': 103756, 'is launching task': 449243, 'launching task force': 482074, 'force to stop': 328532, 'to stop firm': 915523, 'stop firm exploiting': 804654, 'firm exploiting the': 308349, 'exploiting the crisis': 292454, 'crisis with excessive': 218424, 'with excessive price': 998317, 'either panic': 270355, 'or london': 615995, 'london got': 501078, 'got full': 358576, 'full blown': 340504, 'blown obesity': 133401, 'obesity crisis': 578372, 'it hand': 458444, 'hand stophoarding': 375805, 'panicbuyinguk london': 639137, 'are either panic': 86096, 'either panic buying': 270356, 'buying or london': 150839, 'or london got': 615996, 'london got full': 501079, 'got full blown': 358577, 'full blown obesity': 340505, 'blown obesity crisis': 133402, 'obesity crisis on': 578373, 'crisis on it': 217815, 'on it hand': 601665, 'it hand stophoarding': 458447, 'hand stophoarding panicbuyinguk': 375806, 'stophoarding panicbuyinguk london': 805440, 'service etc': 752339, 'etc get': 282557, 'than bean': 840384, 'yet here': 1016088, 'are again': 84272, 'again listed': 37054, 'listed under': 494650, 'the louisiana': 859761, 'louisiana stay': 504547, 'inside order': 439347, 'amazing how grocery': 50706, 'store worker food': 811505, 'worker food service': 1006961, 'food service etc': 316415, 'service etc get': 752340, 'etc get paid': 282558, 'get paid le': 347768, 'paid le than': 634049, 'le than bean': 483165, 'than bean and': 840385, 'bean and yet': 118294, 'and yet here': 75986, 'yet here they': 1016091, 'they are again': 881194, 'are again listed': 84274, 'again listed under': 37055, 'listed under essential': 494651, 'under essential worker': 940076, 'in the louisiana': 429332, 'the louisiana stay': 859762, 'louisiana stay inside': 504548, 'stay inside order': 797104, 'this scary': 889983, 'scary pandemic': 741168, 'from frontline': 335580, 'frontline life': 338777, 'life saver': 489006, 'saver to': 737816, 'to behind': 901728, 'scene police': 741352, 'police from': 663023, 'from front': 335578, 'line mail': 493246, 'carrier to': 165031, 'scene grocery': 741328, 'store stocker': 810394, 'stocker to': 803523, 'these all': 879584, 'all citizen': 42347, 'citizen serving': 178957, 'serving we': 753230, 'is working during': 454035, 'during this scary': 263315, 'this scary pandemic': 889984, 'scary pandemic from': 741169, 'pandemic from frontline': 635468, 'from frontline life': 335581, 'frontline life saver': 338778, 'life saver to': 489008, 'saver to behind': 737817, 'to behind the': 901729, 'the scene police': 866471, 'scene police from': 741353, 'police from front': 663024, 'from front line': 335579, 'front line mail': 338588, 'line mail carrier': 493247, 'mail carrier to': 508585, 'carrier to behind': 165032, 'the scene grocery': 866466, 'scene grocery store': 741329, 'grocery store stocker': 365810, 'store stocker to': 810398, 'stocker to these': 803524, 'to these all': 917333, 'these all citizen': 879585, 'all citizen serving': 42354, 'citizen serving we': 178958, 'know bus': 476314, 'have contracted': 380098, 'contracted at': 201729, 'work my': 1005480, 'have sadly': 382374, 'sadly died': 729330, 'but personally': 146784, 'personally feel': 653026, 'good protection': 357597, 'with screen': 1000601, 'screen and': 742672, 'public contact': 687932, 'contact supermarket': 200214, 'do we know': 250476, 'we know bus': 972149, 'know bus driver': 476315, 'driver have contracted': 259595, 'have contracted at': 380099, 'contracted at work': 201731, 'at work my': 101608, 'work my heart': 1005481, 'family of those': 298107, 'of those that': 592120, 'that have sadly': 844232, 'have sadly died': 382375, 'sadly died but': 729331, 'died but personally': 241524, 'but personally feel': 146785, 'personally feel they': 653028, 'feel they have': 302897, 'they have good': 882322, 'have good protection': 380806, 'good protection at': 357598, 'protection at work': 685342, 'at work with': 101629, 'work with screen': 1006041, 'with screen and': 1000602, 'screen and no': 742674, 'and no public': 67632, 'no public contact': 565244, 'public contact supermarket': 687934, 'contact supermarket worker': 200215, 'worker are much': 1006405, 'idiot stoppanicbuying': 413600, 'fucking idiot stoppanicbuying': 339915, 'corrugated': 207651, 'rabobank': 695156, 'xinnan': 1013857, 'present moment': 670610, 'prove valuable': 686126, 'valuable for': 952021, 'american amp': 51780, 'amp corrugated': 53582, 'corrugated sector': 207652, 'amp consumables': 53559, 'consumables surge': 195925, 'surge and': 828127, 'consumption shift': 199941, 'retail channel': 717951, 'channel writes': 172954, 'writes rabobank': 1012862, 'rabobank xinnan': 695161, 'xinnan li': 1013858, 'li in': 487941, 'the present moment': 864247, 'present moment could': 670611, 'moment could prove': 535909, 'could prove valuable': 209541, 'prove valuable for': 686127, 'valuable for the': 952023, 'for the north': 326586, 'the north american': 861871, 'north american amp': 567610, 'american amp corrugated': 51781, 'amp corrugated sector': 53583, 'corrugated sector demand': 207653, 'food amp consumables': 313130, 'amp consumables surge': 53560, 'consumables surge and': 195926, 'surge and consumption': 828128, 'and consumption shift': 60462, 'consumption shift from': 199942, 'shift from foodservice': 758295, 'foodservice to retail': 318114, 'to retail channel': 913445, 'retail channel writes': 717952, 'channel writes rabobank': 172955, 'writes rabobank xinnan': 1012863, 'rabobank xinnan li': 695162, 'xinnan li in': 1013859, 'li in new': 487942, 'besides hospital': 127506, 'hospital is': 404480, 'there anywhere': 878044, 'anywhere in': 81119, 'america we': 51736, 'be exposed': 114743, 'every american': 285663, 'be shown': 117171, 'make simple': 510457, 'simple face': 770012, 'store maga': 808851, 'besides hospital is': 127507, 'hospital is there': 404483, 'is there anywhere': 453001, 'there anywhere in': 878045, 'anywhere in america': 81120, 'in america we': 420242, 'america we re': 51738, 'we re more': 972922, 're more likely': 699042, 'to be exposed': 901246, 'be exposed to': 114748, 'the coronavirus than': 851923, 'coronavirus than grocery': 206895, 'store should not': 810167, 'should not every': 766241, 'not every american': 569293, 'every american be': 285664, 'american be shown': 51834, 'be shown how': 117172, 'shown how to': 767591, 'to make simple': 909738, 'make simple face': 510458, 'simple face mask': 770013, 'mask and instructed': 518339, 'instructed to wear': 440531, 'wear it every': 974368, 'it every time': 457875, 'the store maga': 868054, 'is scottish': 451690, 'scottish provider': 742485, 'provider are': 686688, 'experience loss': 291412, 'order supply': 618607, 'supply our': 825690, 'our member': 623904, 'member are': 528023, 'getting stock': 349306, 'paying extortionate': 645403, 'price care': 673077, 'home refused': 401959, 'refused kit': 707059, 'kit because': 475508, 'because stock': 119580, 'stock reserved': 802786, 'for england': 321063, 'england bbc': 277006, 'reality is scottish': 701751, 'is scottish provider': 451691, 'scottish provider are': 742486, 'provider are not': 686691, 'to experience loss': 905459, 'experience loss of': 291413, 'loss of order': 503750, 'of order supply': 587340, 'order supply our': 618608, 'supply our member': 825694, 'our member are': 623906, 'member are not': 528024, 'not getting stock': 569630, 'getting stock or': 349307, 'stock or are': 802582, 'or are paying': 614411, 'are paying extortionate': 89009, 'paying extortionate price': 645404, 'extortionate price care': 293389, 'price care home': 673079, 'care home refused': 163999, 'home refused kit': 401960, 'refused kit because': 707060, 'kit because stock': 475509, 'because stock reserved': 119581, 'stock reserved for': 802787, 'reserved for england': 714130, 'for england bbc': 321064, 'general issued': 345383, 'for renter': 325124, 'renter check': 711299, 'attorney general issued': 102647, 'general issued consumer': 345384, 'consumer alert for': 196145, 'alert for renter': 41421, 'for renter check': 325126, 'renter check out': 711300, 'out the alert': 627345, 'the alert and': 848566, 'alert and know': 41354, 'and know your': 65894, 'astoria': 97237, 'illegaldancerave': 416258, 'standing outside': 793796, 'in astoria': 420544, 'astoria queen': 97238, 'queen since': 693392, 'since 630am': 770488, '630am dance': 21278, 'dance music': 225564, 'from inside': 336066, 'the metal': 860538, 'metal gate': 529629, 'gate 7am': 344324, '7am scheduled': 22434, 'scheduled open': 741510, 'open usual': 612640, 'usual illegaldancerave': 950962, 'illegaldancerave socialdistancing': 416259, 'standing outside local': 793798, 'outside local supermarket': 629474, 'supermarket in astoria': 820862, 'in astoria queen': 420545, 'astoria queen since': 97239, 'queen since 630am': 693393, 'since 630am dance': 770489, '630am dance music': 21279, 'dance music blaring': 225565, 'blaring from inside': 132396, 'from inside the': 336068, 'inside the metal': 439417, 'the metal gate': 860539, 'metal gate 7am': 529630, 'gate 7am scheduled': 344325, '7am scheduled open': 22435, 'scheduled open usual': 741511, 'open usual illegaldancerave': 612641, 'usual illegaldancerave socialdistancing': 950963, 'virus rule': 958705, 'rule let': 727288, 'let construction': 486653, 'worker keep': 1007277, 'keep building': 471357, 'building luxury': 142110, 'luxury tower': 506971, 'tower the': 927416, 'the laborer': 858891, 'laborer deemed': 478497, 'essential by': 280879, 'by new': 153324, 'york work': 1016689, 'work side': 1005728, 'side often': 768860, 'often sharing': 596272, 'sharing portable': 755573, 'portable toilet': 664926, 'toilet that': 921629, 'that rarely': 845940, 'rarely have': 697112, 'have soap': 382603, 'sanitizer ny': 735443, 'ny time': 577919, 'virus rule let': 958706, 'rule let construction': 727289, 'let construction worker': 486654, 'construction worker keep': 195836, 'worker keep building': 1007278, 'keep building luxury': 471358, 'building luxury tower': 142111, 'luxury tower the': 506972, 'tower the laborer': 927417, 'the laborer deemed': 858892, 'laborer deemed essential': 478498, 'deemed essential by': 231820, 'essential by new': 280881, 'by new york': 153325, 'new york work': 559958, 'york work side': 1016690, 'work side by': 1005729, 'by side often': 154013, 'side often sharing': 768861, 'often sharing portable': 596273, 'sharing portable toilet': 755574, 'portable toilet that': 664927, 'toilet that rarely': 921631, 'that rarely have': 845941, 'rarely have soap': 697114, 'have soap or': 382604, 'hand sanitizer ny': 375509, 'sanitizer ny time': 735444, 'fulfilling': 340431, 'would try': 1012347, 'late evening': 480864, 'evening instead': 284874, 'day didn': 227523, 'chain were': 171225, 'were fine': 979629, 'fine this': 307702, 'it self': 460960, 'self fulfilling': 747645, 'fulfilling cycle': 340432, 'thought would try': 893330, 'would try the': 1012348, 'try the supermarket': 934584, 'the supermarket late': 868668, 'supermarket late evening': 821273, 'late evening instead': 480865, 'evening instead of': 284875, 'instead of during': 440256, 'the day didn': 852878, 'day didn say': 227524, 'didn say the': 241188, 'supply chain were': 825060, 'chain were fine': 171226, 'were fine this': 979631, 'fine this is': 307703, 'is why people': 453973, 'buy it self': 148862, 'it self fulfilling': 460961, 'self fulfilling cycle': 747646, 'hear this': 388007, 'very real problem': 955456, 'real problem we': 701321, 'problem we hear': 679740, 'we hear this': 972003, 'hear this all': 388008, 'healthforall': 387449, 'will generate': 993491, 'generate massive': 345561, 'massive revenue': 520087, 'revenue in': 720438, 'coming year': 188297, 'pdf copy': 645944, 'copy of': 203465, 'report healthcare': 712007, 'healthcare handsanitizer': 387132, 'handsanitizer healthforall': 376550, 'healthforall healthyathome': 387450, 'sanitizer business will': 734603, 'business will generate': 144682, 'will generate massive': 993492, 'generate massive revenue': 345562, 'massive revenue in': 520088, 'revenue in coming': 720440, 'in coming year': 421589, 'coming year get': 188299, 'year get pdf': 1014588, 'get pdf copy': 347799, 'pdf copy of': 645945, 'copy of this': 203468, 'of this report': 592031, 'this report healthcare': 889874, 'report healthcare handsanitizer': 712008, 'healthcare handsanitizer healthforall': 387133, 'handsanitizer healthforall healthyathome': 376551, 'supermakets': 818713, '110': 2619, 'government release': 360525, 'release name': 708972, 'and contact': 60464, 'contact detail': 200065, 'to supermakets': 915763, 'supermakets government': 818714, 'government gave': 360117, 'gave tesco': 344662, 'tesco list': 838734, 'of 110': 579334, '110 00': 2620, '00 name': 352, 'it classed': 457147, 'classed vulnerable': 180306, 'vulnerable the': 961198, 'ha contacted': 370233, 'contacted these': 200339, 'them slot': 876287, 'government release name': 360527, 'release name and': 708973, 'name and contact': 551606, 'and contact detail': 60466, 'contact detail of': 200066, 'detail of vulnerable': 239225, 'of vulnerable people': 592873, 'vulnerable people to': 961113, 'people to supermakets': 649949, 'to supermakets government': 915764, 'supermakets government gave': 818715, 'government gave tesco': 360118, 'gave tesco list': 344663, 'tesco list of': 838735, 'list of 110': 494405, 'of 110 00': 579335, '110 00 name': 2621, '00 name of': 353, 'name of people': 551662, 'of people it': 587933, 'people it classed': 648535, 'it classed vulnerable': 457148, 'classed vulnerable the': 180308, 'vulnerable the supermarket': 961201, 'supermarket ha contacted': 820623, 'ha contacted these': 370236, 'contacted these people': 200340, 'these people and': 880422, 'people and offered': 646876, 'and offered them': 67979, 'offered them slot': 594972, 'increasing scam': 433689, 'charity to': 173702, 'delivery got': 234061, 'got call': 358462, 'from person': 336904, 'in division': 422328, 'division dedicated': 248669, 'to getting': 906654, 'getting check': 348898, 'elderly asking': 270598, 'to mail': 909548, 'me asap': 522451, 'asap warn': 94885, 'warn our': 966951, 'elderly others': 270801, 'others ftcscambingo': 621427, 'beware of increasing': 129085, 'of increasing scam': 585083, 'increasing scam fraud': 433690, 'scam fraud from': 740170, 'fraud from fake': 331275, 'from fake charity': 335391, 'fake charity to': 296579, 'charity to delivery': 173704, 'to delivery got': 904127, 'delivery got call': 234062, 'got call from': 358463, 'call from person': 155908, 'from person in': 336905, 'person in division': 652477, 'in division dedicated': 422329, 'division dedicated to': 248670, 'dedicated to getting': 231746, 'to getting check': 906655, 'getting check to': 348900, 'check to elderly': 174683, 'to elderly asking': 904969, 'elderly asking for': 270599, 'asking for info': 95990, 'for info to': 322572, 'info to mail': 437593, 'to mail check': 909549, 'check to me': 174687, 'to me asap': 909917, 'me asap warn': 522452, 'asap warn our': 94886, 'warn our elderly': 966952, 'our elderly others': 622868, 'elderly others ftcscambingo': 270802, 'that fraudsters': 843955, 'crisis do': 217298, 'visit them': 959401, 'what step': 982253, 'and wallet': 75154, 'it is disturbing': 458935, 'is disturbing that': 447252, 'disturbing that fraudsters': 248420, 'that fraudsters are': 843956, 'fraudsters are already': 331399, 'the crisis do': 852365, 'crisis do not': 217299, 'and visit them': 74986, 'visit them to': 959402, 'them to know': 876486, 'know what step': 476977, 'what step you': 982255, 'to protect your': 912348, 'protect your personal': 685070, 'information and wallet': 437747, 'paper shortage during': 640770, 'shortage during outbreak': 764922, 'during outbreak here': 262849, 'outbreak here why': 628305, 'why via toiletpaper': 991503, 'syd': 830672, 'dub': 261452, 'sardine': 736754, 'charged 3400': 173362, 'my one': 549570, 'way ticket': 969979, 'from syd': 337530, 'syd dub': 830675, 'dub economy': 261455, 'economy class': 267754, 'class wa': 180282, 'full people': 340807, 'packed in': 633611, 'in like': 424723, 'like sardine': 491127, 'sardine and': 736755, 'socialdistancing effort': 780346, 'effort made': 269548, 'made on': 507884, 'on board': 599661, 'board or': 133662, 'at gate': 98743, 'gate meanwhile': 344342, 'meanwhile business': 524957, 'empty most': 274953, 'board paid': 133664, 'paid business': 633985, 'charged 3400 for': 173363, '3400 for my': 17837, 'for my one': 323735, 'my one way': 549574, 'one way ticket': 607383, 'way ticket from': 969980, 'ticket from syd': 895623, 'from syd dub': 337531, 'syd dub economy': 830676, 'dub economy class': 261456, 'economy class wa': 267756, 'class wa full': 180284, 'wa full people': 962181, 'full people packed': 340808, 'people packed in': 649051, 'packed in like': 633613, 'in like sardine': 424728, 'like sardine and': 491128, 'sardine and no': 736756, 'and no socialdistancing': 67642, 'no socialdistancing effort': 565552, 'socialdistancing effort made': 780348, 'effort made on': 269550, 'made on board': 507885, 'on board or': 599665, 'board or at': 133663, 'or at gate': 614443, 'at gate meanwhile': 98744, 'gate meanwhile business': 344343, 'meanwhile business class': 524958, 'business class wa': 143524, 'class wa empty': 180283, 'wa empty most': 962072, 'empty most people': 274954, 'most people on': 542622, 'people on board': 648955, 'on board paid': 599666, 'board paid business': 133665, 'is competition': 446687, 'competition among': 191657, 'among country': 52995, 'oil drop': 596755, 'is positive': 450935, 'for import': 322495, 'import but': 418622, 'am concerned': 49969, 'that such': 846544, 'such large': 816593, 'large drop': 479653, 'drop could': 260163, 'to political': 911872, 'political instability': 663654, 'to the stock': 917097, 'stock market turmoil': 802449, 'market turmoil caused': 517268, 'there is competition': 878538, 'is competition among': 446688, 'competition among country': 191658, 'among country for': 52996, 'country for crude': 210666, 'for crude oil': 320471, 'crude oil drop': 219555, 'oil drop in': 596756, 'drop in crude': 260235, 'price is positive': 674882, 'is positive for': 450937, 'positive for import': 665321, 'for import but': 322497, 'import but am': 418623, 'but am concerned': 145158, 'am concerned that': 49972, 'concerned that such': 193221, 'that such large': 846546, 'such large drop': 816594, 'large drop could': 479654, 'drop could lead': 260164, 'lead to political': 483379, 'to political instability': 911873, 'political instability in': 663655, 'instability in oil': 439895, 'in oil producing': 426088, 'thien': 884019, 'it isnt': 459157, 'working thien': 1008958, 'thien why': 884020, 'this crap': 886997, 'crap drug': 214889, 'drug maker': 260996, 'maker recently': 510855, 'recently doubled': 704077, 'chloroquine in': 177603, 'in dec': 422054, '2019 but': 13949, 'back via': 107438, 'if it isnt': 414314, 'it isnt working': 459158, 'isnt working thien': 454791, 'working thien why': 1008959, 'thien why this': 884021, 'why this crap': 991469, 'this crap drug': 886998, 'crap drug maker': 214890, 'drug maker recently': 260997, 'maker recently doubled': 510856, 'recently doubled the': 704078, 'of chloroquine in': 581388, 'chloroquine in dec': 177604, 'in dec 2019': 422055, 'dec 2019 but': 230652, '2019 but in': 13950, 'but in response': 146035, 'to the cut': 916620, 'the cut price': 852744, 'cut price back': 223491, 'price back via': 672833, 'escalates': 280270, 'suicidal': 817727, 'given how': 351016, 'quickly escalates': 694520, 'escalates waiting': 280275, 'waiting till': 964390, 'till is': 896037, 'is suicidal': 452444, 'suicidal the': 817728, 'spending of': 788926, 'it gdp': 458208, 'gdp may': 344901, 'may crash': 521112, 'given how quickly': 351019, 'how quickly escalates': 408548, 'quickly escalates waiting': 694521, 'escalates waiting till': 280276, 'waiting till is': 964391, 'till is suicidal': 896038, 'is suicidal the': 452445, 'suicidal the economy': 817729, 'the economy with': 854042, 'consumer spending of': 199079, 'spending of it': 788928, 'of it gdp': 585398, 'it gdp may': 458210, 'gdp may crash': 344902, 'emailed': 272377, 'eliot': 271497, 'hannafords': 376997, 'have emailed': 380421, 'emailed me': 272380, 'their covid': 872915, 'strategy update': 812741, 'update guy': 947007, 'who detailed': 988581, 'detailed my': 239298, 'car like': 163169, 'ago an': 38329, 'an indoor': 56285, 'indoor trampoline': 435368, 'trampoline park': 929410, 'park time': 642008, 'time eliot': 896606, 'eliot from': 271498, 'from jordan': 336159, 'jordan furniture': 467280, 'furniture hannafords': 341955, 'hannafords supermarket': 376998, 'that somehow': 846401, 'somehow ha': 784319, 'ha my': 371308, 'that have emailed': 844207, 'have emailed me': 380422, 'emailed me with': 272381, 'me with their': 524001, 'with their covid': 1001564, 'their covid 19': 872916, '19 strategy update': 10905, 'strategy update guy': 812742, 'update guy who': 947008, 'guy who detailed': 369227, 'who detailed my': 988582, 'detailed my car': 239299, 'my car like': 547603, 'car like year': 163170, 'like year ago': 491855, 'year ago an': 1014348, 'ago an indoor': 38330, 'an indoor trampoline': 56287, 'indoor trampoline park': 435369, 'trampoline park time': 929411, 'park time eliot': 642009, 'time eliot from': 896607, 'eliot from jordan': 271499, 'from jordan furniture': 336160, 'jordan furniture hannafords': 467281, 'furniture hannafords supermarket': 341956, 'hannafords supermarket literally': 376999, 'supermarket literally every': 821347, 'literally every other': 494981, 'every other company': 286065, 'other company that': 619979, 'company that somehow': 191188, 'that somehow ha': 846402, 'somehow ha my': 784320, 'ha my email': 371310, 'the opposition': 862421, 'opposition leader': 613826, 'leader is': 483480, 'three basic': 893879, 'value added': 952075, 'added tax': 31606, 'the opposition leader': 862422, 'opposition leader is': 613828, 'leader is calling': 483481, 'government to reduce': 360732, 'price of three': 675592, 'of three basic': 592142, 'three basic food': 893880, 'food item or': 315223, 'item or the': 463537, 'or the value': 617407, 'the value added': 870633, 'value added tax': 952077, 'added tax on': 31607, 'tax on them': 835050, 'on them to': 604544, 'them to help': 876477, 'help those most': 390748, 'those most vulnerable': 892227, 'to the economic': 916663, 'economic effect of': 267087, 'stayawarestaysafe': 797814, 'existing residential': 290340, 'residential stockpile': 714447, 'stockpile to': 803808, 'outbreak opines': 628504, 'opines md': 613436, 'md read': 522283, 'the interview': 858399, 'with stayawarestaysafe': 1000954, 'stayawarestaysafe coronalockdown': 797815, 'demand for existing': 235415, 'for existing residential': 321316, 'existing residential stockpile': 290341, 'residential stockpile to': 714448, 'stockpile to go': 803810, 'go up amid': 354419, 'up amid outbreak': 944280, 'amid outbreak opines': 52561, 'outbreak opines md': 628505, 'opines md read': 613437, 'md read the': 522284, 'read the interview': 700579, 'the interview with': 858402, 'interview with stayawarestaysafe': 442266, 'with stayawarestaysafe coronalockdown': 1000955, 'frb': 331501, '1980': 12443, 'pronounced': 683982, 'frb sf': 331502, 'sf new': 754252, 'news sentiment': 560779, 'index provides': 434232, 'measure sentiment': 525328, 'from 1980': 334215, '1980 to': 12446, 'today compared': 919394, 'compared with': 191445, 'with survey': 1001097, 'survey based': 828821, 'based measure': 111648, 'this index': 888089, 'show an': 766857, 'an earlier': 55536, 'more pronounced': 540159, 'pronounced drop': 683983, 'in sentiment': 427805, 'frb sf new': 331503, 'sf new daily': 754253, 'new daily news': 558589, 'daily news sentiment': 224723, 'news sentiment index': 560781, 'sentiment index provides': 750956, 'index provides way': 434233, 'way to measure': 970052, 'to measure sentiment': 909982, 'measure sentiment in': 525329, 'sentiment in real': 750949, 'real time from': 701407, 'time from 1980': 896804, 'from 1980 to': 334216, '1980 to today': 12447, 'to today compared': 917606, 'today compared with': 919395, 'compared with survey': 191447, 'with survey based': 1001098, 'survey based measure': 828822, 'based measure of': 111649, 'of consumer sentiment': 581771, 'consumer sentiment this': 198931, 'sentiment this index': 751010, 'this index show': 888090, 'index show an': 434242, 'show an earlier': 766858, 'an earlier and': 55537, 'earlier and more': 264422, 'and more pronounced': 67206, 'more pronounced drop': 540160, 'pronounced drop in': 683984, 'drop in sentiment': 260273, 'in sentiment in': 427806, 'sentiment in recent': 750950, 'or and': 614317, 'account how': 28693, 'panic lol': 638287, 'lol do': 500898, 'trust what': 934329, 'saying on': 739652, 'on tv': 604900, 'tv if': 936118, 'online panickbuying': 608728, 'panickbuying foodshortages': 639203, 'slot available with': 774142, 'available with or': 104707, 'with or and': 999933, 'or and are': 614318, 'are not accepting': 88310, 'accepting new account': 28081, 'new account how': 558316, 'account how am': 28694, 'supposed to not': 827369, 'not panic lol': 570920, 'panic lol do': 638288, 'lol do not': 500899, 'not trust what': 572289, 'trust what they': 934330, 'they re saying': 883118, 're saying on': 699429, 'saying on tv': 739653, 'on tv if': 604905, 'tv if you': 936119, 'you need food': 1019991, 'need food you': 554818, 'food you cannot': 317708, 'you cannot order': 1017871, 'order online panickbuying': 618477, 'online panickbuying foodshortages': 608729, 'covod19': 214435, 'socialdistancing added': 780190, 'supermarket hopefully': 820787, 'customer feel': 222375, 'from covod19': 335050, 'another way of': 77958, 'way of socialdistancing': 969767, 'of socialdistancing added': 589846, 'socialdistancing added at': 780191, 'added at the': 31545, 'local supermarket hopefully': 498538, 'supermarket hopefully this': 820788, 'hopefully this will': 403898, 'make the customer': 510563, 'the customer feel': 852719, 'customer feel safe': 222376, 'feel safe from': 302828, 'safe from covod19': 729693, 'bought house': 136596, 'house during': 406278, 'panic didn': 638035, 'didn think': 241234, 'house tragic': 406644, 'bought house during': 136597, 'house during the': 406280, '19 panic didn': 9544, 'panic didn think': 638036, 'didn think about': 241235, 'about buying food': 24915, 'the house tragic': 857646, 'me stock': 523549, 'time addressing': 896202, 'nation today': 552347, '19 toll': 11504, 'toll mean': 923851, 'lot lockdownnow': 504090, 'lockdownnow stayhomestaysafe': 500344, 'let me stock': 486913, 'me stock food': 523550, 'in time addressing': 430074, 'time addressing the': 896204, 'addressing the nation': 32108, 'the nation today': 861269, 'nation today the': 552349, 'today the number': 920298, 'number of 19': 576919, 'of 19 toll': 579420, '19 toll mean': 11506, 'toll mean lot': 923852, 'mean lot lockdownnow': 524539, 'lot lockdownnow stayhomestaysafe': 504091, 'delipac': 233065, 'savetheplanet': 737827, '19 change': 5761, 'work consumer': 1005001, 'habit seem': 372681, 'higher level': 395625, 'of packaging': 587650, 'packaging to': 633575, 'germ but': 346104, 'remember not': 710236, 'all packaging': 43896, 'packaging ha': 633543, 'be plastic': 116434, 'be green': 115100, 'green and': 363652, 'clean with': 180687, 'with delipac': 997957, 'delipac savetheplanet': 233066, 'covid 19 change': 212785, '19 change the': 5766, 'we live and': 972212, 'and work consumer': 75849, 'work consumer habit': 1005002, 'consumer habit seem': 197693, 'habit seem to': 372682, 'to be pointing': 901446, 'be pointing to': 116461, 'pointing to higher': 662759, 'to higher level': 907744, 'higher level of': 395626, 'level of packaging': 487650, 'of packaging to': 587652, 'packaging to protect': 633576, 'protect against germ': 684763, 'against germ but': 37464, 'germ but remember': 346105, 'but remember not': 146927, 'remember not all': 710237, 'not all packaging': 568121, 'all packaging ha': 43897, 'packaging ha to': 633544, 'to be plastic': 901441, 'be plastic can': 116435, 'plastic can you': 658826, 'still be green': 800255, 'be green and': 115101, 'green and clean': 363653, 'and clean with': 59938, 'clean with delipac': 180688, 'with delipac savetheplanet': 997958, 'anyone have': 80349, 'have resource': 382290, 'for retail': 325187, 'primarily home': 678041, 'home good': 401307, 'bev dept': 128971, 'dept we': 237751, 'about contracting': 25012, 'doe anyone have': 251338, 'anyone have resource': 80354, 'have resource for': 382291, 'resource for retail': 714790, 'for retail grocery': 325192, 'retail grocery worker': 718161, 'grocery worker to': 366193, 'to get tested': 906609, 'store work for': 811440, 'work for is': 1005156, 'for is primarily': 322673, 'is primarily home': 451026, 'primarily home good': 678042, 'home good but': 401308, 'good but because': 356846, 'but because we': 145277, 'have food bev': 380651, 'food bev dept': 313735, 'bev dept we': 128972, 'dept we have': 237752, 'open and many': 612063, 'of are worried': 580360, 'worried about contracting': 1010481, 'about contracting the': 25014, 'consciously': 194800, 'this consciously': 886836, 'it bad that': 456690, 'bad that people': 108027, 'that people would': 845714, 'people would do': 650537, 'do this consciously': 250348, 'and enough': 62153, 'calling for an': 156543, 'end to panic': 276009, 'buying and enough': 149903, 'and enough food': 62154, 'food for most': 314554, 'for most people': 323623, 'delhaize': 232876, 'privatelabel': 679005, 'stockpiling boost': 803923, 'boost sale': 135006, 'by 34': 151637, '34 at': 17806, 'at ahold': 97852, 'ahold delhaize': 39268, 'delhaize privatelabel': 232877, 'consumer stockpiling boost': 199157, 'stockpiling boost sale': 803924, 'boost sale by': 135008, 'sale by 34': 732116, 'by 34 at': 151638, '34 at ahold': 17807, 'at ahold delhaize': 97853, 'ahold delhaize privatelabel': 39269, 'fraudulently': 331485, 'keep seeing': 471917, 'of miner': 586563, 'miner shutting': 532967, 'down operation': 257053, 'operation they': 613271, 'give away': 350394, 'away commodity': 105806, 'commodity at': 189135, 'these fraudulently': 880028, 'fraudulently low': 331488, 'price turn': 677157, 'can lie': 158872, 'lie to': 488387, 'keep seeing report': 471919, 'seeing report of': 746444, 'report of miner': 712115, 'of miner shutting': 586564, 'miner shutting down': 532968, 'shutting down operation': 768270, 'down operation they': 257055, 'operation they say': 613273, 'they say it': 883272, 'say it is': 738846, 'it is because': 458882, '19 but think': 5537, 'but think they': 147537, 'are not about': 88309, 'about to give': 26719, 'to give away': 906674, 'give away commodity': 350395, 'away commodity at': 105807, 'commodity at these': 189138, 'at these fraudulently': 101201, 'these fraudulently low': 880029, 'fraudulently low price': 331489, 'low price turn': 505546, 'price turn out': 677158, 'out they can': 627544, 'they can lie': 881651, 'can lie to': 158873, 'the upper': 870503, 'upper midwest': 947696, 'midwest agricultural': 530816, 'agricultural safety': 38916, 'health center': 386256, 'center promotes': 169290, 'promotes mental': 683826, 'healthy habit': 387651, 'habit on': 372666, 'farm amid': 299076, 'caused crop': 167883, 'to fluctuate': 906025, 'fluctuate and': 311503, 'be dumped': 114618, 'the upper midwest': 870505, 'upper midwest agricultural': 947697, 'midwest agricultural safety': 530817, 'agricultural safety and': 38917, 'safety and health': 730453, 'and health center': 64350, 'health center promotes': 386259, 'center promotes mental': 169291, 'promotes mental health': 683827, 'health and healthy': 386142, 'and healthy habit': 64390, 'healthy habit on': 387652, 'habit on the': 372668, 'the farm amid': 854929, 'farm amid the': 299077, 'pandemic that ha': 636650, 'ha caused crop': 370078, 'caused crop and': 167884, 'livestock price to': 496281, 'price to fluctuate': 676992, 'to fluctuate and': 906026, 'fluctuate and milk': 311505, 'and milk to': 67021, 'milk to be': 531866, 'to be dumped': 901225, 'crisis lower gas': 217685, 'price in massachusetts': 674709, 'pragmatic': 668819, 'and pragmatic': 69308, 'pragmatic from': 668820, 'from penn': 336869, 'penn offering': 646534, 'offering consumer': 595038, 'business home': 143850, 'home broadband': 400817, 'broadband customer': 140720, 'customer unlimited': 223009, 'unlimited data': 942776, 'no extra': 564181, 'fee until': 302247, 'april 30': 83494, '2020 detail': 14275, 'smart and pragmatic': 775337, 'and pragmatic from': 69309, 'pragmatic from penn': 668821, 'from penn offering': 336870, 'penn offering consumer': 646535, 'offering consumer small': 595039, 'small business home': 774863, 'business home broadband': 143851, 'home broadband customer': 400818, 'broadband customer unlimited': 140721, 'customer unlimited data': 223010, 'unlimited data at': 942777, 'at no extra': 99893, 'no extra fee': 564183, 'extra fee until': 293510, 'fee until april': 302248, 'until april 30': 943694, 'april 30 2020': 83495, '30 2020 detail': 16931, 'anti profiteering': 78322, 'profiteering law': 683062, 'america that': 51693, 'and hardship': 64193, 'hardship prevents': 378301, 'prevents company': 671934, 'be law': 115664, 'law here': 482305, 'here any': 392725, 'any fine': 79218, 'fine given': 307640, 'helping vulnerable': 391539, 'is an anti': 445643, 'an anti profiteering': 55331, 'anti profiteering law': 78323, 'profiteering law in': 683063, 'law in america': 482312, 'in america that': 420237, 'america that during': 51694, 'that during crisis': 843651, 'crisis and hardship': 217026, 'and hardship prevents': 64195, 'hardship prevents company': 378302, 'prevents company inflating': 671936, 'essential product that': 281426, 'product that should': 681698, 'should be law': 765655, 'be law here': 115666, 'law here any': 482307, 'here any fine': 392726, 'any fine given': 79220, 'fine given to': 307641, 'given to helping': 351184, 'to helping vulnerable': 907683, 'helping vulnerable people': 391540, 'mena': 528549, 'across mena': 29387, 'mena transparency': 528564, 'transparency can': 929823, 'help lead': 389990, 'growth with': 367488, 'with enhanced': 998227, 'enhanced trust': 277102, 'open way': 612647, 'sector check': 744120, 'economic update': 267352, 'across mena transparency': 29388, 'mena transparency can': 528565, 'transparency can help': 929824, 'can help lead': 158631, 'help lead to': 389991, 'lead to growth': 483348, 'to growth with': 907050, 'growth with enhanced': 367489, 'with enhanced trust': 998228, 'enhanced trust in': 277103, 'trust in government': 934271, 'in government and': 423391, 'government and open': 359867, 'and open way': 68167, 'open way to': 612648, 'way to private': 970070, 'to private sector': 912157, 'private sector check': 678975, 'sector check out': 744121, 'new economic update': 558665, 'economic update and': 267353, 'update and the': 946866, 'impact of falling': 417772, 'price on people': 675705, 'people and economy': 646858, 'and economy in': 61924, 'goorganicnyc': 358231, 'imperfectfoods': 418346, 'ha kind': 371085, 'of completely': 581633, 'completely changed': 192230, 'way think': 969971, 'grocery ve': 366096, 've signed': 953570, 'for goorganicnyc': 321951, 'goorganicnyc and': 358232, 'and imperfectfoods': 65016, 'imperfectfoods and': 418347, 'who struggle': 989701, 'struggle binge': 814336, 'eating okay': 266264, 'with not': 999814, '19 ha kind': 7359, 'ha kind of': 371086, 'kind of completely': 474882, 'of completely changed': 581634, 'completely changed the': 192232, 'the way think': 871198, 'way think about': 969972, 'think about grocery': 885086, 'about grocery ve': 25332, 'grocery ve signed': 366098, 've signed up': 953572, 'signed up for': 769389, 'up for goorganicnyc': 944938, 'for goorganicnyc and': 321952, 'goorganicnyc and imperfectfoods': 358233, 'and imperfectfoods and': 65017, 'imperfectfoods and someone': 418348, 'and someone who': 71990, 'someone who struggle': 784771, 'who struggle binge': 989702, 'struggle binge eating': 814337, 'binge eating okay': 131075, 'eating okay with': 266265, 'okay with not': 598036, 'with not going': 999815, 'not going back': 569696, 'question remain': 693715, 'remain about': 709690, 'it consequence': 457264, 'consequence on': 194881, 'business confidence': 143564, 'confidence here': 193886, 'here region': 393515, 'region asset': 707393, 'asset management': 96442, 'management take': 512637, 'take market': 832306, 'market react': 516940, 'react this': 700144, 'question remain about': 693716, 'remain about the': 709691, 'of on our': 587223, 'on our community': 602584, 'our community and': 622448, 'community and it': 189718, 'and it consequence': 65502, 'it consequence on': 457266, 'consequence on consumer': 194882, 'habit and business': 372549, 'and business confidence': 59274, 'business confidence here': 143566, 'confidence here region': 193887, 'here region asset': 393516, 'region asset management': 707394, 'asset management take': 96444, 'management take market': 512638, 'take market react': 832307, 'market react this': 516942, 'react this week': 700145, 'eic': 270170, 'panic eic': 638063, '19 panic eic': 9545, 'here many': 393333, 'time already': 896234, 'and news': 67570, 'news outlet': 560681, 'outlet would': 629080, 'posting picture': 666683, 'would greatly': 1011851, 'greatly reduce': 363327, 'reduce stophoarding': 705939, 'sure this ha': 827752, 'ha been said': 369911, 'been said on': 121879, 'said on here': 731284, 'on here many': 601289, 'here many time': 393335, 'many time already': 514808, 'time already but': 896235, 'already but if': 47243, 'but if people': 145994, 'if people and': 414606, 'people and news': 646873, 'and news outlet': 67572, 'news outlet would': 560683, 'outlet would only': 629081, 'would only stop': 1012096, 'only stop posting': 611204, 'stop posting picture': 804928, 'posting picture of': 666684, 'empty shelf the': 275096, 'shelf the panic': 757653, 'buying would greatly': 151388, 'would greatly reduce': 1011852, 'greatly reduce stophoarding': 363328, 'reduce stophoarding stopstockpiling': 705940, 'is shame': 451822, 'shame bank': 754583, 'drug medical': 261008, 'by coronaoutbreak': 152225, 'this is shame': 888395, 'is shame bank': 451823, 'shame bank pressure': 754584, 'critical drug medical': 218544, 'drug medical supply': 261009, 'supply for coronavirus': 825261, 'for coronavirus by': 320377, 'coronavirus by coronaoutbreak': 205591, 'swot': 830638, 'enables': 275459, 'bigdata': 130137, 'cto': 220109, 'data platform': 226338, 'platform market': 659006, 'market covid': 516238, 'update analysis': 946857, 'by swot': 154194, 'swot investment': 830639, 'investment future': 443997, 'future growth': 342342, 'global big': 351759, 'market 2020': 515896, '2020 report': 14564, 'report consists': 711879, 'of powerful': 588307, 'powerful research': 667799, 'global company': 351789, 'that enables': 843704, 'enables consumer': 275462, 'the bigdata': 849631, 'bigdata cdo': 130138, 'cdo cto': 168681, 'big data platform': 129730, 'data platform market': 226340, 'platform market covid': 659008, 'market covid 19': 516239, '19 update analysis': 11655, 'update analysis by': 946858, 'analysis by swot': 57030, 'by swot investment': 154195, 'swot investment future': 830640, 'investment future growth': 443998, 'future growth and': 342343, 'growth and the': 367345, 'the global big': 856288, 'global big data': 351760, 'platform market 2020': 659007, 'market 2020 report': 515897, '2020 report consists': 14565, 'report consists of': 711880, 'consists of powerful': 195518, 'of powerful research': 588308, 'powerful research on': 667800, 'research on global': 713800, 'on global company': 601101, 'global company that': 351790, 'company that enables': 191168, 'that enables consumer': 843706, 'enables consumer to': 275463, 'consumer to look': 199319, 'at the bigdata': 100890, 'the bigdata cdo': 849632, 'bigdata cdo cto': 130139, 'how everyone': 407819, 'everyone out': 287245, 'like panicking': 490966, 'panicking over': 639363, 'tissue hand': 899153, 'crazy how everyone': 215320, 'how everyone out': 407820, 'everyone out in': 287247, 'world are like': 1009317, 'are like panicking': 87794, 'like panicking over': 490967, 'panicking over this': 639365, 'over this covid': 630816, 'have toilet tissue': 383351, 'toilet tissue hand': 921639, 'tissue hand sanitizer': 899154, 'but yet in': 147966, 'yet in store': 1016107, 'in store shelf': 428454, 'just essentially': 468677, 'essentially responded': 281911, 'responded tough': 715366, 'tough shit': 926838, 'shit to': 759262, 'how state': 408740, 'pandemic given': 635492, 'equipment said': 279825, 'before when': 123298, 'were lower': 979862, 'lower trumppressbriefing': 506042, 'trump just essentially': 933669, 'just essentially responded': 468678, 'essentially responded tough': 281912, 'responded tough shit': 715367, 'tough shit to': 926839, 'shit to the': 759265, 'to the question': 916998, 'the question about': 865012, 'about how state': 25474, 'how state are': 408741, 'state are supposed': 795391, 'supposed to navigate': 827368, 'to navigate this': 910490, 'navigate this global': 553095, 'global pandemic given': 352089, 'pandemic given price': 635493, 'given price gouging': 351086, 'gouging and shortage': 359252, 'of critical medical': 582207, 'critical medical equipment': 218604, 'medical equipment said': 526163, 'equipment said they': 279826, 'said they should': 731485, 'should ve stocked': 766627, 'stocked up before': 803435, 'up before when': 944483, 'before when price': 123299, 'when price were': 983904, 'price were lower': 677452, 'were lower trumppressbriefing': 979864, 'to bharat': 901801, 'bharat band': 129342, 'band and': 109331, 'virus many': 958484, 'too please': 925001, 'them if': 875879, 'due to bharat': 261711, 'to bharat band': 901802, 'bharat band and': 129343, 'band and corona': 109332, 'and corona virus': 60565, 'corona virus many': 204325, 'virus many people': 958485, 'food too please': 317335, 'too please help': 925002, 'help them if': 390707, 'them if you': 875885, 'new head': 558865, 'of hr': 584850, 'hr workfromhome': 409678, 'workfromhome buddy': 1008412, 'buddy isolation': 141738, 'my new head': 549462, 'new head of': 558866, 'head of hr': 385770, 'of hr workfromhome': 584851, 'hr workfromhome buddy': 409679, 'workfromhome buddy isolation': 1008413, 'also got': 48284, 'of stare': 590047, 'stare from': 794130, 'the albertsons': 848555, 'albertsons grocery': 40853, 'least have': 484500, 'line because': 493002, 'manager saw': 512781, 'saw only': 738197, 'had two': 373771, 'two loaf': 937011, 'bread either': 138455, 'either he': 270318, 'nice or': 562452, 'possible threat': 665830, 'me having': 522866, 'also got lot': 48285, 'got lot of': 358681, 'lot of stare': 504287, 'of stare from': 590048, 'stare from everyone': 794131, 'from everyone at': 335334, 'everyone at the': 286718, 'at the albertsons': 100874, 'the albertsons grocery': 848556, 'albertsons grocery store': 40854, 'store but at': 806782, 'at least have': 99504, 'least have to': 484501, 'have to cut': 383188, 'cut the line': 223577, 'the line because': 859404, 'line because the': 493005, 'because the store': 119650, 'the store manager': 868057, 'store manager saw': 808889, 'manager saw only': 512782, 'saw only had': 738198, 'only had two': 610563, 'had two loaf': 373774, 'two loaf of': 937012, 'of bread either': 580838, 'bread either he': 138456, 'either he wa': 270319, 'he wa really': 385614, 'wa really nice': 963065, 'really nice or': 702454, 'nice or he': 562453, 'or he wanted': 615602, 'wanted to eliminate': 966252, 'eliminate the possible': 271464, 'the possible threat': 864077, 'possible threat of': 665831, 'threat of me': 893695, 'of me having': 586331, 'me having covid': 522867, 'is reference': 451385, 'reference website': 706508, 'here is reference': 393245, 'is reference website': 451386, 'from webinar': 338314, 'webinar brand': 975019, 'brand building': 137775, 'building in': 142090, 'insight from webinar': 439558, 'from webinar brand': 338315, 'webinar brand building': 975020, 'brand building in': 137776, 'building in uncertain': 142091, 'roaring': 724582, 'fault but': 300397, 'all asked': 42070, 'the roaring': 865944, 'roaring 20': 724583, '20 to': 13389, 'they came': 881599, 'throttle pandemic': 894278, 'crash food': 214976, 'shortage job': 765048, 'closure just': 183930, 'not saying it': 571444, 'saying it your': 739631, 'it your fault': 462658, 'your fault but': 1023815, 'fault but you': 300399, 'but you all': 147975, 'you all asked': 1016866, 'all asked for': 42071, 'asked for the': 95750, 'for the roaring': 326662, 'the roaring 20': 865945, 'roaring 20 to': 724586, '20 to come': 13395, 'come back and': 187232, 'back and they': 106867, 'and they came': 73894, 'they came back': 881600, 'came back at': 156973, 'back at full': 106886, 'full throttle pandemic': 340931, 'throttle pandemic stock': 894279, 'pandemic stock market': 636556, 'market crash food': 516243, 'crash food and': 214977, 'supply shortage job': 825834, 'shortage job loss': 765049, 'loss and bar': 503632, 'and bar closure': 58696, 'bar closure just': 110693, 'closure just saying': 183931, 'sapiens': 736687, 'culture wa': 220312, 'not homo': 570008, 'homo sapiens': 403027, 'sapiens directly': 736688, 'directly crazy': 243533, 'how nature': 408400, 'nature put': 552977, 'put governor': 690587, 'governor on': 360957, 'on humanity': 601446, 'humanity if': 410734, 'we reach': 973005, 'reach she': 699978, 'll reach': 496967, 'capitalism and consumer': 162717, 'and consumer culture': 60367, 'consumer culture wa': 197036, 'culture wa the': 220313, 'wa the virus': 963476, 'virus the entire': 958884, 'entire time not': 278759, 'time not homo': 897291, 'not homo sapiens': 570009, 'homo sapiens directly': 403028, 'sapiens directly crazy': 736689, 'directly crazy how': 243534, 'crazy how nature': 215323, 'how nature put': 408401, 'nature put governor': 552978, 'put governor on': 690588, 'governor on humanity': 360958, 'on humanity if': 601447, 'humanity if we': 410736, 'if we reach': 415302, 'we reach she': 973006, 'reach she ll': 699979, 'she ll reach': 756199, '594': 20586, 'of 594': 579632, '594 person': 20591, 'person were': 652706, 'were arrested': 979339, 'arrested by': 93822, 'by authority': 151914, 'authority due': 103711, 'and manipulation': 66646, 'commodity amid': 189119, 'freeze being': 332518, 'being enforced': 125108, 'enforced the': 276729, 'country grapple': 210699, 'total of 594': 926210, 'of 594 person': 579634, '594 person were': 20592, 'person were arrested': 652707, 'were arrested by': 979341, 'arrested by authority': 93824, 'by authority due': 151916, 'authority due to': 103712, 'to hoarding and': 907895, 'hoarding and or': 399183, 'and or profiteering': 68225, 'or profiteering and': 616721, 'profiteering and manipulation': 683000, 'and manipulation of': 66647, 'basic commodity amid': 111846, 'commodity amid the': 189121, 'amid the price': 52710, 'price freeze being': 674101, 'freeze being enforced': 332519, 'being enforced the': 125111, 'enforced the country': 276730, 'the country grapple': 852088, 'country grapple with': 210700, 'messaged': 529494, 'wife just': 991939, 'just messaged': 469262, 'messaged me': 529495, 'empty know': 274933, 'what for': 981466, 'dinner tonight': 243104, 'my wife just': 550594, 'wife just messaged': 991940, 'just messaged me': 469263, 'messaged me to': 529496, 'me to say': 523777, 'say the supermarket': 739306, 'were empty know': 979569, 'empty know what': 274934, 'know what for': 476949, 'what for dinner': 981467, 'for dinner tonight': 320725, 'excursion': 289733, 'aplenty': 81480, '1st excursion': 12737, 'excursion out': 289734, 'day gt': 227706, 'gt midtown': 367617, 'midtown manhattan': 530802, 'manhattan grocery': 513135, 'shelf bit': 756894, 'bit light': 131603, 'light still': 489600, 'still well': 801404, 'stocked lot': 803352, 'veggie meat': 954191, 'meat fish': 525569, 'fish chicken': 309302, 'chicken canned': 175765, 'good aplenty': 356763, 'aplenty frozen': 81481, 'frozen minimal': 338995, 'minimal entire': 533056, 'entire staff': 278741, 'staff mask': 792640, 'glove only': 352832, 'customer back': 222160, '20 min': 13164, '1st excursion out': 12738, 'excursion out in': 289735, 'in day gt': 422011, 'day gt midtown': 227707, 'gt midtown manhattan': 367618, 'midtown manhattan grocery': 530803, 'manhattan grocery store': 513136, 'store shelf bit': 810063, 'shelf bit light': 756895, 'bit light still': 131604, 'light still well': 489601, 'still well stocked': 801405, 'well stocked lot': 978599, 'stocked lot of': 803353, 'of fresh fruit': 583945, 'fruit veggie meat': 339190, 'veggie meat fish': 954192, 'meat fish chicken': 525571, 'fish chicken canned': 309303, 'chicken canned good': 175766, 'canned good aplenty': 161531, 'good aplenty frozen': 356764, 'aplenty frozen minimal': 81482, 'frozen minimal entire': 338996, 'minimal entire staff': 533057, 'entire staff mask': 278742, 'staff mask glove': 792641, 'mask glove only': 518740, 'glove only 10': 352833, 'only 10 customer': 609964, '10 customer back': 1375, 'customer back home': 222161, 'back home in': 107060, 'home in 20': 401409, 'in 20 min': 419740, 'fixed the': 309835, 'and overcharging': 68570, 'overcharging any': 631101, 'any such': 79878, 'such incident': 816567, 'overcharging may': 631107, 'may kindly': 521310, 'kindly be': 475110, 'be reported': 116802, 'to administration': 900110, 'administration 19': 32445, 'very much needed': 955365, 'step the govt': 799635, 'the govt ha': 856659, 'govt ha fixed': 361143, 'ha fixed the': 370633, 'fixed the price': 309836, 'commodity like mask': 189210, 'prevent the black': 671728, 'the black marketing': 849743, 'marketing and overcharging': 517523, 'and overcharging any': 68571, 'overcharging any such': 631102, 'any such incident': 79879, 'such incident of': 816568, 'incident of overcharging': 431424, 'of overcharging may': 587626, 'overcharging may kindly': 631108, 'may kindly be': 521311, 'kindly be reported': 475111, 'be reported to': 116805, 'reported to administration': 712556, 'to administration 19': 900111, 'continue your': 201299, 'your research': 1025588, 'research project': 713819, 'project in': 683501, 'in virtual': 430600, 'virtual manner': 957754, 'manner during': 513298, 'offering open': 595204, 'open access': 612013, 'here marketresearch': 393338, 'marketresearch mrx': 517862, 'mrx insight': 544480, 'need to continue': 555895, 'to continue your': 903413, 'continue your research': 201300, 'your research project': 1025589, 'research project in': 713820, 'project in virtual': 683502, 'in virtual manner': 430601, 'virtual manner during': 957755, 'manner during the': 513299, 'pandemic we would': 636959, 'like to help': 491596, 'are offering open': 88672, 'offering open access': 595205, 'open access to': 612014, 'access to our': 28266, 'our consumer research': 622548, 'consumer research community': 198751, 'research community learn': 713699, 'more here marketresearch': 539427, 'here marketresearch mrx': 393339, 'marketresearch mrx insight': 517863, 'morrisey': 541688, 'ag morrisey': 36809, 'morrisey office': 541689, 'office ha': 595430, 'received around': 703599, 'around 600': 93156, '600 call': 21071, 'call related': 156090, 'gouging of': 359401, 'ag morrisey office': 36810, 'morrisey office ha': 541690, 'office ha received': 595433, 'ha received around': 371662, 'received around 600': 703600, 'around 600 call': 93157, '600 call related': 21072, 'call related to': 156091, 'related to price': 708617, 'to price gouging': 912120, 'price gouging of': 674305, 'gouging of consumer': 359402, 'of consumer product': 581761, 'while think': 987447, 'idea don': 413040, 'don like': 253698, 'of queuing': 588695, 'such mess': 816638, 'mess and': 529218, 'chinese disgusting': 177242, 'disgusting tesco': 245460, 'while think it': 987448, 'think it good': 885332, 'good idea don': 357210, 'idea don like': 413041, 'don like the': 253703, 'like the order': 491388, 'order of queuing': 618447, 'of queuing up': 588697, 'up to get': 946381, 'into supermarket this': 443062, 'supermarket this world': 823323, 'this world is': 891514, 'is in such': 448819, 'in such mess': 428528, 'such mess and': 816639, 'mess and it': 529219, 'it all because': 456337, 'the chinese disgusting': 850852, 'chinese disgusting tesco': 177243, 'york county': 1016599, 'county company': 211342, 'company produce': 190978, 'donate hand': 254186, 'york county company': 1016600, 'county company produce': 211343, 'company produce and': 190979, 'produce and donate': 680180, 'and donate hand': 61647, 'donate hand sanitizer': 254187, 'sanitizer to first': 735922, 'virtual queue': 957775, 'queue just': 693975, 'website we': 975471, 'not looking': 570459, 'virtual queue just': 957777, 'queue just to': 693976, 'the supermarket website': 868893, 'supermarket website we': 823768, 'website we are': 975472, 'are not looking': 88413, 'not looking to': 570462, 'looking to stock': 503047, 'up but have': 944522, 'to go through': 906870, 'go through this': 354255, 'swathe': 830018, 'hate grocery': 378886, 'general but': 345291, 'but swear': 147252, 'swear doing': 830025, 'online next': 608577, 'next shop': 561551, 'not deal': 568963, 'the swathe': 869046, 'swathe of': 830019, 'buyer at': 149582, 'all 19': 41887, 'anxiety panicbuyinguk': 78775, 'panicbuyinguk moron': 639138, 'hate grocery shopping': 378887, 'shopping in general': 762964, 'in general but': 423246, 'general but swear': 345292, 'but swear doing': 147253, 'swear doing it': 830026, 'doing it online': 252487, 'it online next': 460083, 'online next shop': 608578, 'next shop can': 561552, 'shop can not': 760017, 'can not deal': 159044, 'not deal with': 568964, 'with the swathe': 1001510, 'the swathe of': 869047, 'swathe of panic': 830020, 'of panic buyer': 587722, 'panic buyer at': 637556, 'buyer at all': 149583, 'at all 19': 97866, 'all 19 anxiety': 41888, '19 anxiety panicbuyinguk': 5162, 'anxiety panicbuyinguk moron': 78776, 'if house': 414244, 'fall investor': 296975, 'investor can': 444129, 'up house': 945117, 'higher yield': 395802, 'yield especially': 1016367, 'especially rent': 280582, 'rent are': 711046, 'are unlikely': 91322, 'much sale': 545287, 'sale value': 732628, 'value report': 952191, 'buy to': 149372, 'let investor': 486819, 'investor ready': 444199, 'to swoop': 916105, 'swoop on': 830624, 'on market': 602032, 'market downturn': 516310, 'if house price': 414246, 'house price fall': 406481, 'price fall investor': 673787, 'fall investor can': 296976, 'investor can pick': 444130, 'pick up house': 655730, 'up house with': 945120, 'house with higher': 406689, 'with higher yield': 998815, 'higher yield especially': 395803, 'yield especially rent': 1016368, 'especially rent are': 280583, 'rent are unlikely': 711047, 'are unlikely to': 91325, 'unlikely to fall': 942766, 'to fall much': 905637, 'fall much sale': 296994, 'much sale value': 545288, 'sale value report': 732629, 'value report on': 952193, 'on the buy': 604005, 'the buy to': 850220, 'buy to let': 149373, 'to let investor': 909205, 'let investor ready': 486820, 'investor ready to': 444200, 'ready to swoop': 700983, 'to swoop on': 916106, 'swoop on market': 830625, 'on market downturn': 602034, 'walking your': 965127, 'outside also': 629363, 'also use': 49049, 'everyone stay safe': 287405, 'safe and be': 729434, 'and be careful': 58746, 'careful when walking': 164455, 'when walking your': 984418, 'walking your dog': 965128, 'your dog and': 1023553, 'dog and going': 252032, 'and going outside': 63808, 'going outside also': 355406, 'outside also use': 629364, 'also use hand': 49050, 'sanitizer and wash': 734455, 'after donald': 35577, 'expected saudi': 290934, 'war oilandgas': 966499, 'risen after donald': 723095, 'after donald trump': 35578, 'he expected saudi': 384940, 'expected saudi arabia': 290935, 'and russia to': 70682, 'end their price': 275986, 'their price war': 874435, 'price war oilandgas': 677364, 'war oilandgas oilprice': 966500, 'aisle of': 40323, 'of walmart': 592891, 'say her': 738747, 'her timing': 392456, 'perfect due': 651284, 'trending trend': 931574, 'trend truedat': 931490, 'birth in the': 131401, 'in the toiletpaper': 429615, 'the toiletpaper aisle': 869720, 'toiletpaper aisle of': 921702, 'aisle of walmart': 40331, 'of walmart customer': 592892, 'walmart customer cheer': 965308, 'doctor say her': 251092, 'say her timing': 738748, 'her timing wa': 392457, 'wa perfect due': 962926, 'perfect due to': 651285, 'fact that it': 295801, 'that it wa': 844756, 'stampede trending trend': 793449, 'trending trend truedat': 931576, 'trend truedat socialdistancing': 931491, 'covid 19 dubai': 212989, 'could close': 209021, 'public before': 687896, 'someone dy': 784439, 'dy next': 263740, 'time lowe': 897168, 'lowe close': 505766, 'maybe you could': 521894, 'you could close': 1018079, 'could close the': 209022, 'general public before': 345446, 'public before someone': 687897, 'before someone dy': 123092, 'someone dy next': 784440, 'dy next time': 263741, 'next time lowe': 561604, 'time lowe close': 897169, 'lowe close harper': 505767, 'organizer': 619485, 'deport': 237485, 'the scientist': 866505, 'scientist researching': 742250, 'researching covid': 713945, 'the political': 863947, 'political organizer': 663667, 'organizer calling': 619486, 'for rent': 325116, 'freeze and': 332513, 'other but': 619921, 'police those': 663244, 'those bastard': 891838, 'bastard are': 112462, 'to arrest': 900722, 'arrest and': 93748, 'and deport': 61223, 'deport people': 237486, 'thank the scientist': 841646, 'the scientist researching': 866510, 'scientist researching covid': 742251, 'researching covid 19': 713946, '19 the grocery': 11202, 'store worker the': 811602, 'driver the political': 259792, 'the political organizer': 863948, 'political organizer calling': 663668, 'organizer calling for': 619487, 'calling for rent': 156559, 'for rent freeze': 325120, 'rent freeze and': 711095, 'freeze and those': 332515, 'those who help': 892640, 'who help each': 988985, 'each other but': 264161, 'other but not': 619923, 'not the police': 572022, 'the police those': 863933, 'police those bastard': 663245, 'those bastard are': 891839, 'bastard are still': 112464, 'trying to arrest': 934766, 'to arrest and': 900723, 'arrest and deport': 93749, 'and deport people': 61224, 'alcoholbrands': 41198, 'helpingbrands': 391557, 'alcohol brand': 40947, 'brand like': 137886, 'like have': 490382, 'have converted': 380110, 'converted their': 202557, 'their facility': 873233, 'facility to': 295386, 'sanitizer here': 735079, 'other brand': 619904, 'circumstance alcoholbrands': 178700, 'alcoholbrands pandemic': 41199, 'pandemic helpingbrands': 635616, 'helpingbrands handsanitizer': 391558, 'alcohol brand like': 40948, 'brand like have': 137889, 'like have converted': 490384, 'have converted their': 380111, 'converted their facility': 202558, 'their facility to': 873234, 'facility to make': 295388, 'hand sanitizer here': 375441, 'sanitizer here are': 735080, 'are some other': 90278, 'some other brand': 783475, 'other brand that': 619905, 'brand that are': 138031, 'that are helping': 842758, 'are helping during': 87093, 'helping during these': 391314, 'these difficult circumstance': 879924, 'difficult circumstance alcoholbrands': 242200, 'circumstance alcoholbrands pandemic': 178701, 'alcoholbrands pandemic helpingbrands': 41200, 'pandemic helpingbrands handsanitizer': 635617, 'zerowaste': 1027522, 'not log': 570451, 'log in': 500613, 'on zerowaste': 605532, 'zerowaste do': 1027523, 'worry tune': 1010789, 'in follow': 422955, 'the live': 859497, 'live streaming': 496035, 'streaming on': 812832, 'our channel': 622359, 'you could not': 1018096, 'could not log': 209448, 'not log in': 570452, 'log in for': 500614, 'in for our': 423020, 'for our webinar': 324308, 'our webinar on': 625323, 'webinar on zerowaste': 975083, 'on zerowaste do': 605533, 'zerowaste do not': 1027524, 'not worry tune': 572573, 'worry tune in': 1010790, 'tune in follow': 935404, 'in follow the': 422956, 'follow the live': 312536, 'the live streaming': 859502, 'live streaming on': 496037, 'streaming on our': 812833, 'on our channel': 602583, 'continued health': 201325, 'are announcing': 84562, 'announcing several': 77323, 'several cost': 753813, 'cutting measure': 223742, 'executive leader': 289909, 'leader retail': 483525, 'and merchandise': 66954, 'merchandise coordinator': 528970, 'coordinator learn': 203239, 'ensure the continued': 278083, 'the continued health': 851671, 'continued health of': 201326, 'of our business': 587429, 'our business during': 622286, 'we are announcing': 970480, 'are announcing several': 84565, 'announcing several cost': 77324, 'several cost cutting': 753814, 'cost cutting measure': 207903, 'cutting measure that': 223743, 'measure that will': 525363, 'will impact our': 993784, 'impact our executive': 417912, 'our executive leader': 622946, 'executive leader retail': 289910, 'leader retail store': 483526, 'employee and merchandise': 273569, 'and merchandise coordinator': 66955, 'merchandise coordinator learn': 528971, 'coordinator learn more': 203240, 'isl': 454251, 'getting anxious': 348842, 'anxious when': 78878, 'supermarket isl': 821140, 'isl so': 454252, 'or care': 614670, 'home caring': 400883, 'disease they': 245255, 'getting anxious when': 348843, 'anxious when there': 78879, 'when there other': 984230, 'there other people': 878904, 'my supermarket isl': 550272, 'supermarket isl so': 821141, 'isl so cannot': 454253, 'so cannot imagine': 776741, 'what it must': 981755, 'must be like': 546521, 'be like in': 115736, 'like in hospital': 490490, 'in hospital or': 423812, 'hospital or care': 404536, 'or care home': 614672, 'care home caring': 163992, 'home caring for': 400884, 'people with this': 650477, 'with this disease': 1001691, 'this disease they': 887255, 'disease they really': 245257, 'really are hero': 701988, 'coronaeconomics': 204932, 'is decline': 447059, 'outbreak likely': 628422, 'than economics': 840538, 'economics coronaeconomics': 267443, 'how is decline': 408090, 'is decline in': 447060, '19 outbreak likely': 9151, 'outbreak likely to': 628423, 'likely to affect': 492127, 'to affect the': 900149, 'explains that it': 292226, 'that it could': 844700, 'it could lead': 457361, 'more than economics': 540613, 'than economics coronaeconomics': 840539, 'them cut': 875575, 'cut food': 223338, 'of government to': 584279, 'government to help': 360719, 'help them cut': 390703, 'them cut food': 875576, 'cut food waste': 223339, 'waste and redistribute': 968077, 'tonne of stock': 924542, 'of stock during': 590158, 'than pro': 841044, 'important than pro': 418998, 'than pro athlete': 841045, 'pro athlete actor': 679098, '19 diary': 6538, 'diary social': 240423, 'distancing day': 247092, 'attack when': 102173, 'so normally': 777895, 'normally order': 567517, 'order my': 618402, 'grocery but': 364326, 'is immunocompromised': 448681, 'immunocompromised so': 417481, 'go survived': 354187, 'survived hope': 829319, 'hope never': 403546, 'covid 19 diary': 212951, '19 diary social': 6540, 'diary social distancing': 240424, 'social distancing day': 779586, 'distancing day have': 247094, 'day have panic': 227733, 'panic attack when': 637385, 'attack when go': 102174, 'store so normally': 810231, 'so normally order': 777896, 'normally order my': 567518, 'order my grocery': 618404, 'my grocery but': 548568, 'grocery but cannot': 364328, 'but cannot do': 145380, 'do that right': 250225, 'that right now': 846052, 'now and my': 574045, 'and my husband': 67372, 'husband is immunocompromised': 411724, 'is immunocompromised so': 448685, 'immunocompromised so had': 417483, 'to go survived': 906860, 'go survived hope': 354188, 'survived hope never': 829320, 'hope never have': 403547, 'never have to': 558055, 'to go again': 906761, 'assistant from': 96778, 'brescia she': 139386, 'went home': 979030, 'for she': 325539, 'shop assistant from': 759934, 'assistant from supermarket': 96779, 'in brescia she': 420966, 'brescia she went': 139387, 'she went home': 756462, 'went home earlier': 979031, 'with high temperature': 998807, 'high temperature and': 395456, 'temperature and died': 837359, 'today she had': 920166, 'she had tested': 756105, 'positive for she': 665326, 'for she wa': 325540, 'she wa 48': 756406, 'greene': 363735, '1340': 3333, 'wgrv': 980890, 'census': 169020, 'the greene': 856782, 'greene county': 363736, 'county mayor': 211437, 'mayor interview': 521964, 'interview begin': 442210, 'begin after': 123498, 'on 99': 599127, '99 fm': 23815, 'fm am': 311691, 'am 1340': 49832, '1340 wgrv': 3336, 'wgrv and': 980891, 'channel 18': 172852, '18 they': 4590, 'will talk': 995091, 'old cu': 598201, 'cu building': 220131, 'building update': 142149, '2020 census': 14218, 'census and': 169021, 'two high': 936956, 'school plan': 741902, 'plan study': 658230, 'the greene county': 856783, 'greene county mayor': 363737, 'county mayor interview': 211438, 'mayor interview begin': 521965, 'interview begin after': 442211, 'begin after the': 123499, 'after the 10': 36281, 'the 10 00': 847853, '10 00 am': 1190, '00 am news': 55, 'am news on': 50235, 'news on 99': 560660, 'on 99 fm': 599128, '99 fm am': 23816, 'fm am 1340': 311692, 'am 1340 wgrv': 49833, '1340 wgrv and': 3337, 'wgrv and channel': 980892, 'and channel 18': 59738, 'channel 18 they': 172853, '18 they will': 4592, 'they will talk': 883895, 'will talk about': 995092, 'about the old': 26464, 'the old cu': 862133, 'old cu building': 598202, 'cu building update': 220132, 'building update covid': 142150, '19 the 2020': 11166, 'the 2020 census': 848018, '2020 census and': 14219, 'census and the': 169022, 'and the two': 73628, 'the two high': 870151, 'two high school': 936957, 'high school plan': 395395, 'school plan study': 741903, 'strengthening': 813263, 'around hundred': 93336, 'hundred people': 411026, 'people crowd': 647586, 'crowd the': 219263, 'denis paris': 236994, 'paris suburb': 641836, 'suburb the': 816129, 'president macron': 670849, 'macron announcement': 507492, 'announcement strengthening': 77203, 'strengthening travel': 813270, 'of afp': 579816, 'around hundred people': 93337, 'hundred people crowd': 411027, 'people crowd the': 647588, 'crowd the door': 219265, 'saint denis paris': 731814, 'denis paris suburb': 236995, 'paris suburb the': 641837, 'suburb the day': 816130, 'day after president': 227185, 'after president macron': 36062, 'president macron announcement': 670850, 'macron announcement strengthening': 507493, 'announcement strengthening travel': 77204, 'strengthening travel restriction': 813271, 'restriction in the': 717298, 'face of afp': 294646, 'for website': 327680, 'be who': 118101, 'any product': 79691, 'the say to': 866397, 'say to watch': 739397, 'out for website': 626170, 'for website that': 327681, 'website that claim': 975428, 'to have hand': 907249, 'sanitizer or medical': 735489, 'supply for sale': 825276, 'for sale it': 325318, 'sale it could': 732316, 'could be who': 208940, 'be who don': 118102, 'don have any': 253589, 'have any product': 379314, 'any product and': 79692, 'product and are': 680874, 'and are just': 58327, 'are just after': 87614, 'just after your': 468173, 'after your money': 36618, 'casa central': 165553, 'central is': 169403, 'receiving donation': 703761, 'of unused': 592670, 'unused homemade': 943971, 'video below': 956636, 'below donation': 126632, 'casa central is': 165554, 'central is receiving': 169404, 'is receiving donation': 451340, 'receiving donation of': 703762, 'donation of unused': 254656, 'of unused homemade': 592671, 'unused homemade mask': 943972, 'homemade mask and': 402837, 'sanitizer please watch': 735556, 'please watch video': 660757, 'watch video below': 968602, 'video below donation': 956638, 'coralee': 203482, 'coralee still': 203483, 'working till': 1008970, 'till friday': 896020, 'friday then': 333296, 'then teaching': 877598, 'with sister': 1000749, 'sister and': 771714, 'coralee still working': 203484, 'still working till': 801442, 'working till friday': 1008971, 'till friday then': 896021, 'friday then teaching': 333297, 'then teaching online': 877599, 'teaching online only': 835559, 'online only then': 608634, 'then will spend': 877769, 'will spend time': 994917, 'time with sister': 898358, 'with sister and': 1000750, 'sister and grocery': 771716, 'hi world': 394779, 'food stayathome': 316755, 'hi world did': 394780, 'enough food stayathome': 277411, 'colluded': 186672, 'shadowy': 754349, 'nudge': 576766, 'psyop': 687597, 'profiteered': 682991, 'fist': 309442, 'england supermarket': 277031, 'all failed': 42743, 'failed they': 296168, 'have colluded': 380019, 'colluded with': 186673, 'the shadowy': 866765, 'shadowy nudge': 754350, 'nudge unit': 576769, 'unit panic': 942083, 'buying psyop': 150936, 'psyop ensuring': 687598, 'ensuring food': 278175, 'shortage haven': 764990, 'haven shopped': 383897, 'shopped at': 761295, 'month now': 537886, 'now may': 575293, 'one again': 605875, 'again they': 37221, 'have profiteered': 382066, 'profiteered hand': 682992, 'over fist': 630212, 'fist out': 309445, 'england supermarket have': 277032, 'supermarket have all': 820677, 'have all failed': 379155, 'all failed they': 42744, 'failed they have': 296169, 'they have colluded': 882302, 'have colluded with': 380020, 'colluded with the': 186674, 'with the shadowy': 1001475, 'the shadowy nudge': 866766, 'shadowy nudge unit': 754351, 'nudge unit panic': 576770, 'unit panic buying': 942084, 'panic buying psyop': 637854, 'buying psyop ensuring': 150937, 'psyop ensuring food': 687599, 'ensuring food shortage': 278176, 'food shortage haven': 316581, 'shortage haven shopped': 764991, 'haven shopped at': 383898, 'shopped at supermarket': 761298, 'supermarket for over': 820412, 'over month now': 630408, 'month now may': 537888, 'now may never': 575295, 'may never shop': 521367, 'never shop at': 558191, 'at one again': 99966, 'one again they': 605876, 'again they have': 37223, 'they have profiteered': 882366, 'have profiteered hand': 382067, 'profiteered hand over': 682993, 'hand over fist': 375169, 'over fist out': 630213, 'fist out of': 309446, 'healthy protect': 387739, 'from disease': 335157, 'disease maintain': 245180, 'practice healthy': 668586, 'lifestyle food': 489360, 'avoid travel': 105366, 'travel if': 930386, 'possible india': 665683, 'don panic stay': 253813, 'panic stay healthy': 638623, 'stay healthy protect': 796914, 'healthy protect yourself': 387740, 'yourself amp others': 1026516, 'amp others from': 54253, 'others from disease': 621419, 'from disease maintain': 335158, 'disease maintain social': 245181, 'distancing practice healthy': 247405, 'practice healthy lifestyle': 668587, 'healthy lifestyle food': 387680, 'lifestyle food safety': 489361, 'safety and avoid': 730448, 'and avoid travel': 58579, 'avoid travel if': 105367, 'travel if possible': 930387, 'if possible india': 414668, 'primed': 678175, 'are primed': 89223, 'primed to': 678176, 'advantage in': 32977, 'check may': 174487, 'be issued': 115555, 'issued to': 456104, 'american the': 52248, 'issued the': 456102, 'following guidance': 312744, 'guidance scam': 368275, 'scammer are primed': 740541, 'are primed to': 89224, 'primed to take': 678177, 'take advantage in': 831916, 'advantage in time': 32979, 'of crisis with': 582197, 'crisis with report': 218430, 'with report that': 1000463, 'report that government': 712321, 'that government check': 844060, 'government check may': 359976, 'check may be': 174488, 'may be issued': 520997, 'be issued to': 115556, 'issued to american': 456105, 'to american the': 900421, 'american the ha': 52249, 'the ha issued': 856997, 'ha issued the': 371008, 'issued the following': 456103, 'the following guidance': 855507, 'following guidance scam': 312745, 'guidance scam fraud': 368276, 'disinterested': 245951, 'always crap': 49523, 'and disinterested': 61467, 'disinterested when': 245952, 'it came': 457001, 'to computer': 903157, 'computer game': 192735, 'evening trip': 284920, 'supermarket felt': 820297, 'if number': 414524, 'shopper didn': 761476, 'didn pick': 241162, 'there this': 879168, 'evening socialdistancing': 284899, 'aisle isn': 40288, 'isn easy': 454479, 'wa always crap': 961512, 'always crap and': 49524, 'crap and disinterested': 214880, 'and disinterested when': 61468, 'disinterested when it': 245953, 'when it came': 983625, 'it came to': 457003, 'came to computer': 157065, 'to computer game': 903158, 'computer game and': 192736, 'game and that': 343120, 'and that what': 73219, 'that what this': 847472, 'what this evening': 982433, 'this evening trip': 887449, 'evening trip to': 284921, 'the supermarket felt': 868589, 'supermarket felt like': 820298, 'felt like ll': 303411, 'like ll be': 490659, 'll be surprised': 496633, 'surprised if number': 828585, 'if number of': 414525, 'number of shopper': 576991, 'of shopper didn': 589640, 'shopper didn pick': 761477, 'didn pick up': 241163, 'up in there': 945186, 'in there this': 429821, 'there this evening': 879169, 'this evening socialdistancing': 887444, 'evening socialdistancing in': 284900, 'the aisle isn': 848525, 'aisle isn easy': 40289, 'elpaso': 271600, 'supportelpaso': 827076, 'open no': 612398, 'whole store': 990334, 'now continue': 574439, 'continue about': 200982, 'life just': 488830, 'safe wash': 730107, 'hand elpaso': 374912, 'elpaso elpasostrong': 271601, 'elpasostrong supportlocal': 271604, 'supportlocal supportelpaso': 827267, 'supportelpaso wewillgetthroughthis': 827077, 'wewillgetthroughthis washyourhands': 980801, 'store will still': 811348, 'be open no': 116249, 'open no need': 612400, 'hoard or go': 398844, 'or go buy': 615487, 'go buy the': 353395, 'the whole store': 871507, 'whole store right': 990337, 'right now continue': 722044, 'now continue about': 574440, 'continue about your': 200983, 'about your life': 27003, 'your life just': 1024637, 'life just stay': 488831, 'stay safe wash': 797293, 'safe wash your': 730109, 'your hand elpaso': 1024185, 'hand elpaso elpasostrong': 374913, 'elpaso elpasostrong supportlocal': 271602, 'elpasostrong supportlocal supportelpaso': 271605, 'supportlocal supportelpaso wewillgetthroughthis': 827268, 'supportelpaso wewillgetthroughthis washyourhands': 827078, 'curtailing': 221790, 'kansascity': 470830, 'zillow': 1027566, 'one key': 606556, 'to curtailing': 903836, 'curtailing the': 221793, 'the kansascity': 858729, 'kansascity housing': 470831, 'is relief': 451418, 'from government': 335673, 'homeowner zillow': 402894, 'zillow economist': 1027567, 'one key to': 606557, 'key to curtailing': 473433, 'to curtailing the': 903837, 'curtailing the effect': 221794, 'on the kansascity': 604196, 'the kansascity housing': 858730, 'kansascity housing market': 470832, 'market is relief': 516638, 'is relief from': 451419, 'relief from government': 709347, 'from government for': 335675, 'government for homeowner': 360099, 'for homeowner zillow': 322357, 'homeowner zillow economist': 402895, 'zillow economist say': 1027568, 'recruited': 705471, 'britain biggest': 140385, 'biggest retailer': 130313, 'retailer tesco': 719352, 'tesco said': 838787, 'tuesday that': 935187, 'it recruited': 460673, 'recruited over': 705474, '45 00': 19056, 'outbreak sparked': 628642, 'sparked stockpiling': 787590, 'stockpiling surge': 804090, 'surge while': 828277, 'worker fell': 1006925, 'fell ill': 303199, 'britain biggest retailer': 140386, 'biggest retailer tesco': 130316, 'retailer tesco said': 719353, 'tesco said tuesday': 838788, 'said tuesday that': 731542, 'tuesday that it': 935190, 'that it recruited': 844736, 'it recruited over': 460674, 'recruited over 45': 705475, 'over 45 00': 629851, '45 00 staff': 19059, '00 staff in': 496, 'two week the': 937368, 'week the outbreak': 977000, 'the outbreak sparked': 862694, 'outbreak sparked stockpiling': 628643, 'sparked stockpiling surge': 787591, 'stockpiling surge while': 804091, 'surge while many': 828278, 'while many supermarket': 987039, 'many supermarket worker': 514766, 'supermarket worker fell': 824020, 'worker fell ill': 1006926, 'czech': 224156, 'andrew if': 76184, 'exercise please': 290087, 'the czech': 852762, 'czech lead': 224157, 'lead the': 483318, 'way on': 969778, 'this stayathome': 890311, 'stayathome how': 797503, 'll beat': 496648, 'coronavirus everyone': 205891, 'andrew if people': 76185, 'if people have': 414620, 'supermarket or to': 821836, 'or to exercise': 617469, 'to exercise please': 905414, 'exercise please ask': 290088, 'please ask them': 659677, 'them to wear': 876528, 'wear mask the': 974404, 'mask the czech': 519352, 'the czech lead': 852763, 'czech lead the': 224158, 'lead the way': 483321, 'the way on': 871172, 'way on this': 969779, 'on this stayathome': 604633, 'this stayathome how': 890312, 'stayathome how we': 797504, 'we ll beat': 972235, 'll beat the': 496649, 'beat the coronavirus': 118556, 'the coronavirus everyone': 851844, 'coronavirus everyone should': 205892, 'everyone should wear': 287384, 'should wear mask': 766658, 'broadcaster': 140738, 'stuck it': 814615, 'it includes': 458759, 'professional education': 682441, 'and childcare': 59833, 'childcare justice': 176299, 'justice system': 470438, 'system journalist': 831235, 'journalist and': 467419, 'and broadcaster': 59212, 'broadcaster and': 140739, 'list of key': 494448, 'of key worker': 585618, 'worker if you': 1007154, 'you are stuck': 1017247, 'are stuck it': 90601, 'stuck it includes': 814616, 'it includes health': 458764, 'care professional education': 164160, 'professional education and': 682442, 'education and childcare': 268807, 'and childcare justice': 59834, 'childcare justice system': 176300, 'justice system journalist': 470440, 'system journalist and': 831236, 'journalist and broadcaster': 467420, 'and broadcaster and': 59213, 'broadcaster and supermarket': 140740, 'and supermarket delivery': 72714, 'and gown': 63895, 'gown on': 361386, 'section reserved': 744039, 'amazon is now': 51003, 'is now selling': 450332, 'now selling mask': 575771, 'selling mask hand': 749338, 'sanitizer and gown': 734407, 'and gown on': 63897, 'gown on special': 361387, 'on special section': 603595, 'special section reserved': 788047, 'section reserved for': 744040, 'reserved for healthcare': 714131, 'bring down': 139957, 'down housing': 256841, 'too cnn': 924659, 'florida resident are': 310973, 'resident are working': 714255, 'hard to bring': 378054, 'to bring down': 902034, 'bring down housing': 139959, 'down housing price': 256842, 'and make my': 66566, 'make my winter': 510231, 'on you too': 605440, 'you too cnn': 1021883, 'biodegradable': 131191, 'deck company': 231132, 'create face': 215642, 'sanitizer hand': 735022, 'even biodegradable': 283896, 'biodegradable glove': 131192, 'on deck company': 600242, 'deck company are': 231133, 'are coming out': 85440, 'coming out to': 188166, 'out to create': 627633, 'to create face': 903706, 'create face mask': 215643, 'hand sanitizer hand': 375429, 'sanitizer hand wash': 735026, 'hand wash and': 375918, 'wash and even': 967432, 'and even biodegradable': 62332, 'even biodegradable glove': 283897, 'biodegradable glove mask': 131193, 'crona': 218852, 'saheb': 730919, 'kaya': 471136, 'chahty': 170426, 'hen': 391726, 'kahan': 470647, 'rahy': 695588, 'sari': 736769, 'dolat': 252916, 'ptigovernment': 687640, 'everyone talking': 287450, 'about crona': 25048, 'crona no': 218853, 'one think': 607240, 'price saheb': 676286, 'saheb ab': 730920, 'ab ap': 24169, 'ap or': 81208, 'or kaya': 615898, 'kaya chahty': 471137, 'chahty hen': 170427, 'hen kahan': 391729, 'kahan le': 470648, 'le ja': 483003, 'ja rahy': 464097, 'rahy hen': 695589, 'hen sari': 391731, 'sari dolat': 736770, 'dolat coronainpakistan': 252917, 'coronainpakistan oilprice': 205008, 'oilprice ptigovernment': 597632, 'ptigovernment staysafestayhome': 687641, 'everyone talking about': 287451, 'talking about crona': 833962, 'about crona no': 25049, 'crona no one': 218854, 'no one think': 564969, 'one think about': 607241, 'think about oil': 885090, 'oil price saheb': 597242, 'price saheb ab': 676287, 'saheb ab ap': 730921, 'ab ap or': 24170, 'ap or kaya': 81209, 'or kaya chahty': 615899, 'kaya chahty hen': 471138, 'chahty hen kahan': 170428, 'hen kahan le': 391730, 'kahan le ja': 470649, 'le ja rahy': 483004, 'ja rahy hen': 464098, 'rahy hen sari': 695590, 'hen sari dolat': 391732, 'sari dolat coronainpakistan': 736771, 'dolat coronainpakistan oilprice': 252918, 'coronainpakistan oilprice ptigovernment': 205009, 'oilprice ptigovernment staysafestayhome': 597633, 'pto': 687647, 'use pto': 949501, 'pto to': 687649, 'were potentially': 979988, 'are awaiting': 84727, 'awaiting test': 105551, 'test result': 839147, 'tested why': 839393, 'that po': 845774, 'we just want': 972125, 'to know why': 909005, 'know why your': 477065, 'why your retail': 991611, 'your retail employee': 1025606, 'retail employee have': 718071, 'employee have to': 273926, 'to use pto': 918058, 'use pto to': 949502, 'pto to take': 687651, 'to take time': 916249, 'take time off': 832726, 'time off of': 897385, 'off of work': 594014, 'of work when': 593269, 'when they were': 984290, 'they were potentially': 883795, 'were potentially exposed': 979989, 'and are awaiting': 58297, 'are awaiting test': 84728, 'awaiting test result': 105552, 'test result from': 839150, 'from the person': 337829, 'the person that': 863592, 'person that wa': 652638, 'that wa tested': 847315, 'wa tested why': 963426, 'tested why would': 839394, 'would you want': 1012429, 'you want that': 1022160, 'want that po': 965953, 'mother gave': 543105, 'this hand': 887826, 'me wrong': 524027, 'wrong am': 1012989, 'grateful but': 362244, 'not contaminated': 568859, 'my mother gave': 549330, 'mother gave me': 543106, 'gave me this': 344648, 'me this hand': 523710, 'this hand sanitizer': 887827, 'not get me': 569595, 'get me wrong': 347543, 'me wrong am': 524028, 'wrong am grateful': 1012990, 'am grateful but': 50102, 'grateful but of': 362246, 'but of all': 146635, 'the different brand': 853267, 'different brand and': 241914, 'brand and place': 137730, 'and place it': 69049, 'place it could': 657532, 'it could have': 457357, 'could have come': 209246, 'come from hope': 187304, 'from hope it': 335939, 'hope it not': 403520, 'it not contaminated': 459867, 'tom nook': 923923, 'nook is': 566828, 'is disaster': 447196, 'disaster capitalist': 244197, 'capitalist soon': 162817, 'hit he': 398264, 'he upped': 385559, 'upped the': 947680, '600 bell': 21068, 'tom nook is': 923924, 'nook is disaster': 566829, 'is disaster capitalist': 447197, 'disaster capitalist soon': 244198, 'capitalist soon covid': 162818, '19 hit he': 7546, 'hit he upped': 398266, 'he upped the': 385560, 'upped the price': 947681, 'toilet roll to': 921616, 'roll to 600': 725552, 'to 600 bell': 899795, 'during trying': 263372, 'and realize': 70004, 'realize what': 701881, 'important the': 419014, 'live everyday': 495804, 'life but': 488534, 'is group': 448229, 'thank and': 841541, 'during trying time': 263373, 'trying time like': 934749, 'this it good': 888516, 'good to take': 357901, 'to take step': 916238, 'take step back': 832606, 'step back and': 799503, 'back and realize': 106861, 'and realize what': 70006, 'realize what is': 701882, 'is really important': 451306, 'really important the': 702327, 'important the ha': 419015, 'the ha already': 856979, 'ha already changed': 369501, 'already changed the': 47256, 'we live everyday': 972213, 'live everyday life': 495805, 'everyday life but': 286589, 'life but there': 488540, 'there is group': 878567, 'is group of': 448230, 'people that we': 649782, 'that we want': 847403, 'to thank and': 916420, 'thank and that': 841543, 'that is grocery': 844595, 'utd': 951216, 'man utd': 512287, 'utd and': 951217, 'and man': 66616, 'man city': 512028, 'pandemic respect': 636342, 'respect football': 714982, 'football uk': 318519, 'uk manchester': 938536, 'man utd and': 512288, 'utd and man': 951218, 'and man city': 66617, 'man city have': 512029, 'city have donated': 179176, '19 pandemic respect': 9448, 'pandemic respect football': 636343, 'respect football uk': 714983, 'football uk manchester': 318520, 'girasol': 350221, 'shelford': 757861, 'our girasol': 623249, 'girasol cafe': 350222, 'cafe in': 155112, 'great shelford': 362990, 'shelford ha': 757862, 'ha teamed': 372166, 'it supplier': 461370, 'supplier to': 824621, 'you fresh': 1018704, 'last cambridge': 480130, 'cambridge convid19uk': 156943, 'convid19uk foodshortages': 202618, 'our girasol cafe': 623250, 'girasol cafe in': 350223, 'cafe in great': 155113, 'in great shelford': 423411, 'great shelford ha': 362991, 'shelford ha teamed': 757863, 'ha teamed up': 372167, 'up with it': 946654, 'with it supplier': 999084, 'it supplier to': 461372, 'supplier to bring': 824622, 'bring you fresh': 140122, 'you fresh produce': 1018705, 'fresh produce to': 333066, 'produce to help': 680474, 'help out due': 390248, 'due to supermarket': 261982, 'to supermarket shortage': 915835, 'supermarket shortage while': 822673, 'shortage while stock': 765304, 'stock last cambridge': 802343, 'last cambridge convid19uk': 480131, 'cambridge convid19uk foodshortages': 156944, 'legally': 485908, 'policed': 663272, 'nhsheroes 19': 562228, 'cannot the': 162176, 'nearest major': 553715, 'or mini': 616145, 'mini supermarket': 533028, 'supermarket next': 821600, 'every uk': 286350, 'uk hospital': 938452, 'hospital be': 404318, 'be legally': 115701, 'legally and': 485909, 'and exclusively': 62463, 'exclusively dedicated': 289712, 'dedicated and': 231695, 'and policed': 69162, 'policed for': 663273, 're tinkering': 699711, 'with solution': 1000831, 'these frontline': 880035, 'frontline lifesaver': 338779, 'nhsheroes 19 why': 562229, '19 why cannot': 12067, 'why cannot the': 990875, 'cannot the nearest': 162179, 'the nearest major': 861361, 'nearest major supermarket': 553716, 'major supermarket or': 509494, 'supermarket or mini': 821820, 'or mini supermarket': 616146, 'mini supermarket next': 533030, 'supermarket next to': 821601, 'next to every': 561619, 'to every uk': 905317, 'every uk hospital': 286351, 'uk hospital be': 938453, 'hospital be legally': 404319, 'be legally and': 115702, 'legally and exclusively': 485911, 'and exclusively dedicated': 62464, 'exclusively dedicated and': 289713, 'dedicated and policed': 231697, 'and policed for': 69163, 'policed for hospital': 663274, 'for hospital worker': 322370, 'hospital worker we': 404743, 'we re tinkering': 972989, 're tinkering with': 699712, 'tinkering with solution': 898601, 'with solution for': 1000832, 'solution for these': 782034, 'for these frontline': 326967, 'these frontline lifesaver': 880036, 'way wish': 970190, 'wish journalist': 996778, 'journalist were': 467461, 'were more': 979892, 'more informed': 539599, 'so many way': 777717, 'many way wish': 514864, 'way wish journalist': 970191, 'wish journalist were': 996779, 'journalist were more': 467462, 'were more informed': 979893, 'precedence': 669446, 'somehow think': 784343, 'turn social': 935763, 'social rating': 779918, 'rating upside': 697604, 'upside down': 947853, 'porter carers': 664975, 'carers cleaner': 164568, 'cleaner refuse': 180826, 'worker taking': 1007876, 'taking precedence': 833527, 'precedence over': 669447, 'over banker': 630012, 'banker businessmen': 110355, 'businessmen etc': 144770, 'etc and': 282404, 'quite rightly': 694910, 'somehow think this': 784344, 'think this pandemic': 885703, 'pandemic will turn': 637017, 'will turn social': 995257, 'turn social rating': 935764, 'social rating upside': 779919, 'rating upside down': 697605, 'upside down with': 947856, 'down with the': 257504, 'with the doctor': 1001268, 'the doctor nurse': 853466, 'nurse hospital porter': 577370, 'hospital porter carers': 404568, 'porter carers cleaner': 664976, 'carers cleaner refuse': 164570, 'cleaner refuse collector': 180827, 'refuse collector supermarket': 707015, 'supermarket worker taking': 824088, 'worker taking precedence': 1007877, 'taking precedence over': 833528, 'precedence over banker': 669448, 'over banker businessmen': 630013, 'banker businessmen etc': 110356, 'businessmen etc and': 144771, 'etc and quite': 282410, 'and quite rightly': 69889, 'quite rightly so': 694911, 'shelfish': 757855, 'word shelfish': 1004571, 'shelfish sh': 757856, 'lf greedily': 487877, 'action lacking': 30060, 'lacking consideration': 478686, 'new word shelfish': 559885, 'word shelfish sh': 1004572, 'shelfish sh lf': 757857, 'sh lf greedily': 754296, 'lf greedily empty': 487878, 'thing you don': 885033, 'you don even': 1018311, 'don even need': 253486, 'or action lacking': 614254, 'action lacking consideration': 30061, 'lacking consideration for': 478687, 'consideration for other': 195250, 'other people please': 620684, 'the marianos': 860068, 'marianos supermarket': 515689, 'supermarket looking': 821395, 'what playing': 982035, 'playing in': 659413, 'music in': 546310, 'played by': 659273, 'by mariano': 153170, 'so today wa': 778553, 'today wa at': 920444, 'at the marianos': 101015, 'the marianos supermarket': 860069, 'marianos supermarket looking': 515690, 'supermarket looking for': 821396, 'looking for the': 502908, 'for the essential': 326416, 'the essential and': 854495, 'and what playing': 75480, 'what playing in': 982036, 'playing in the': 659415, 'in the music': 429380, 'the music in': 861148, 'music in the': 546313, 'the store well': 868140, 'store well played': 811209, 'well played by': 978483, 'played by mariano': 659274, 'by mariano well': 153171, 'wipfliag': 996499, 'to ethanol': 905267, 'ethanol production': 283006, 'production we': 682274, 'we detail': 971283, 'the agriculture': 848461, 'agriculture industry': 38986, 'industry wipfliag': 436251, 'from the care': 337627, 'care act to': 163823, 'act to ethanol': 29797, 'to ethanol production': 905269, 'ethanol production we': 283007, 'production we detail': 682275, 'we detail how': 971284, 'impacting the agriculture': 418261, 'the agriculture industry': 848464, 'agriculture industry wipfliag': 38988, 'irresponsable': 445026, 'disappointing that': 244145, 'allow resellers': 46046, 'resellers to': 713985, 'to jack': 908639, 'actual value': 30708, 'epidemic or': 279423, 'or ever': 615222, 'longer buy': 501950, 'anything off': 80841, 'site irresponsable': 771959, 'irresponsable regulation': 445027, 'disappointing that you': 244147, 'that you allow': 847710, 'you allow resellers': 1016928, 'allow resellers to': 46047, 'resellers to jack': 713986, 'to jack up': 908642, 'jack up price': 464126, 'up price many': 945823, 'price many time': 675167, 'many time the': 514816, 'time the actual': 897843, 'the actual value': 848325, 'actual value of': 30709, 'the product during': 864587, 'product during the': 681149, 'the epidemic or': 854444, 'epidemic or ever': 279424, 'or ever we': 615223, 'ever we will': 285594, 'we will no': 973884, 'no longer buy': 564640, 'longer buy anything': 501951, 'buy anything off': 148363, 'anything off your': 80842, 'off your site': 594448, 'your site irresponsable': 1025815, 'site irresponsable regulation': 771960, 'and stress': 72554, 'stress having': 813335, 'time grocerystore': 896872, 'grocerystore retail': 366325, 'amount of anxiety': 53205, 'of anxiety and': 580242, 'anxiety and stress': 78657, 'and stress having': 72556, 'stress having to': 813336, 'having to work': 384375, 'this time grocerystore': 890642, 'time grocerystore retail': 896873, 'imf praise': 416906, 'praise oman': 668852, 'oman for': 598833, 'for tackling': 326115, 'tackling covid': 831642, '19 slump': 10616, 'imf praise oman': 416907, 'praise oman for': 668853, 'oman for tackling': 598834, 'for tackling covid': 326116, 'tackling covid 19': 831643, 'covid 19 slump': 213817, '19 slump in': 10617, 'slump in oil': 774696, 'bank go': 109865, 'essential response': 281457, 'more keep': 539642, 'hand get': 374986, 'store the bank': 810588, 'the bank go': 849241, 'bank go to': 109866, 'go to place': 354339, 'to place that': 911757, 'place that are': 657708, 'are essential response': 86254, 'essential response from': 281458, 'response from expert': 715694, 'from expert on': 335364, 'expert on more': 291899, 'on more keep': 602207, 'more keep your': 539643, 'your distance from': 1023532, 'from others keep': 336741, 'others keep washing': 621509, 'washing hand get': 967668, 'hand get out': 374988, 'get out for': 347736, 'kamloops': 470751, 'orgs': 619500, 'any kamloops': 79383, 'kamloops brewery': 470752, 'brewery orgs': 139452, 'orgs jumping': 619505, 'jumping on': 467964, 'sanitizer program': 735610, 'program kamloops': 683266, 'any kamloops brewery': 79384, 'kamloops brewery orgs': 470753, 'brewery orgs jumping': 139453, 'orgs jumping on': 619506, 'jumping on the': 467965, 'on the hand': 604155, 'hand sanitizer program': 375550, 'sanitizer program kamloops': 735611, 'the limitation': 859390, 'limitation from': 492581, 'from ecommerce': 335255, 'are rapidly': 89430, 'rapidly picking': 697002, 'up pace': 945729, 'pace thus': 632964, 'thus announced': 895500, 'add 100': 31380, '00 full': 224, 'time position': 897513, 'position across': 665153, 'stocking up due': 803616, 'to the limitation': 916848, 'the limitation from': 859391, 'limitation from ecommerce': 492582, 'from ecommerce and': 335256, 'ecommerce and online': 266713, 'shopping are rapidly': 762066, 'are rapidly picking': 89435, 'rapidly picking up': 697003, 'picking up pace': 655881, 'up pace thus': 945730, 'pace thus announced': 632965, 'thus announced plan': 895501, 'plan to add': 658265, 'to add 100': 900048, 'add 100 00': 31381, '100 00 full': 1788, '00 full time': 225, 'full time and': 340933, 'time and part': 896287, 'part time position': 642452, 'time position across': 897514, 'position across the': 665156, 'across the to': 29529, 'keep up learn': 472173, 'franking': 331159, 'baronship': 111162, 'hey ausgov': 394330, 'ausgov do': 103058, 'the boomer': 849851, 'boomer die': 134847, 'die to': 241468, 'save society': 737636, 'society from': 781213, 'rona just': 725785, 'the franking': 855758, 'franking credit': 331160, 'credit negative': 216438, 'negative gearing': 556782, 'gearing and': 345024, 'other privileged': 620759, 'privileged nonsense': 679053, 'nonsense that': 566746, 'enables baronship': 275460, 'baronship of': 111163, 'of hobby': 584702, 'hobby property': 399774, 'nonsense prize': 566740, 'prize young': 679083, 'hey ausgov do': 394331, 'ausgov do not': 103059, 'not let the': 570372, 'let the boomer': 487119, 'the boomer die': 849853, 'boomer die to': 134848, 'die to save': 241471, 'to save society': 913793, 'save society from': 737637, 'society from the': 781214, 'from the rona': 337862, 'the rona just': 865964, 'rona just put': 725787, 'just put an': 469526, 'to the franking': 916726, 'the franking credit': 855759, 'franking credit negative': 331161, 'credit negative gearing': 216439, 'negative gearing and': 556783, 'gearing and the': 345025, 'the other privileged': 862547, 'other privileged nonsense': 620761, 'privileged nonsense that': 679055, 'nonsense that enables': 566747, 'that enables baronship': 843705, 'enables baronship of': 275461, 'baronship of hobby': 111164, 'of hobby property': 584704, 'hobby property and': 399775, 'property and other': 684237, 'and other privileged': 68387, 'privileged nonsense prize': 679054, 'nonsense prize young': 566741, 'prize young people': 679084, 'young people out': 1022645, 'their home 19': 873555, 'home 19 auspol': 400535, 'made at': 507642, 'at include': 99279, 'no code': 563839, 'code required': 185393, 'all purchase made': 44097, 'purchase made at': 689545, 'made at include': 507643, 'at include free': 99280, 'include free hand': 431563, 'sanitizer no code': 735414, 'no code required': 563841, 'spacex': 787216, 'spacex is': 787217, 'manufacturing it': 513620, 'shield with': 758183, 'spacex is manufacturing': 787219, 'is manufacturing it': 449583, 'manufacturing it own': 513622, 'it own hand': 460219, 'and face shield': 62586, 'face shield with': 294746, 'shield with plan': 758184, 'with plan to': 1000224, 'plan to donate': 658283, 'to donate the': 904654, 'donate the material': 254235, 'material to hospital': 520427, 'to hospital and': 907964, 'hospital and place': 404286, 'and place in': 69048, 'place in need': 657512, 'in need to': 425775, 'fight the novel': 304898, 'flagellation': 309955, 'harsher': 378567, 'restore public': 717054, 'public flagellation': 688001, 'flagellation perhaps': 309956, 'perhaps harsher': 651596, 'harsher punishment': 378570, 'stop me it': 804832, 'me it time': 523021, 'time to restore': 898053, 'to restore public': 913421, 'restore public beating': 717055, 'beating public flagellation': 118626, 'public flagellation perhaps': 688002, 'flagellation perhaps harsher': 309957, 'perhaps harsher punishment': 651597, 'harsher punishment for': 378571, 'on asian': 599476, 'sentiment from': 750933, 'this mckinsey': 888797, 'mckinsey survey': 522205, 'survey consumer': 828844, 'consumer recovery': 198656, 'asia will': 95238, 'our lamb': 623636, 'lamb beef': 479151, 'and wool': 75837, 'wool market': 1004350, 'ultimately price': 939151, 'news on asian': 560661, 'on asian consumer': 599477, 'consumer sentiment from': 198912, 'sentiment from this': 750934, 'from this mckinsey': 338000, 'this mckinsey survey': 888799, 'mckinsey survey consumer': 522206, 'survey consumer recovery': 828845, 'consumer recovery in': 198657, 'recovery in asia': 705344, 'in asia will': 420527, 'asia will be': 95239, 'be critical for': 114295, 'critical for our': 218563, 'for our lamb': 324266, 'our lamb beef': 623637, 'lamb beef and': 479152, 'beef and wool': 120480, 'and wool market': 75838, 'wool market and': 1004351, 'market and ultimately': 516003, 'and ultimately price': 74581, 'nationwide fight': 552728, 'novel producer': 573810, 'producer have': 680636, 'shifted production': 758497, 'making mask': 511188, 'shield and': 758135, 'small business across': 774833, 'business across america': 143210, 'america are at': 51464, 'forefront of nationwide': 328942, 'of nationwide fight': 586870, 'nationwide fight against': 552729, 'against the novel': 37669, 'the novel producer': 861921, 'novel producer have': 573811, 'producer have shifted': 680637, 'have shifted production': 382511, 'shifted production to': 758499, 'production to making': 682248, 'to making mask': 909777, 'making mask face': 511190, 'mask face shield': 518636, 'face shield and': 294736, 'shield and hand': 758136, 'sanitizer to slow': 735947, 'sign and': 769091, 'and rt': 70606, 'the extortionate': 854758, 'student accommodation': 814634, 'accommodation many': 28458, 'many student': 514745, 'student must': 814735, 'on second': 603350, 'second job': 743748, 'afford somewhere': 34761, 'somewhere to': 785315, 'recent covid': 703848, 'outbreak so': 628631, 'student will': 814807, 'unemployed and': 941104, 'please sign and': 660516, 'sign and rt': 769093, 'and rt this': 70608, 'with the extortionate': 1001295, 'the extortionate price': 854759, 'extortionate price of': 293397, 'price of student': 675578, 'of student accommodation': 590321, 'student accommodation many': 814635, 'accommodation many student': 28459, 'many student must': 514746, 'student must take': 814737, 'must take on': 546943, 'take on second': 832407, 'on second job': 603352, 'second job to': 743749, 'job to afford': 466215, 'to afford somewhere': 900160, 'afford somewhere to': 34762, 'somewhere to stay': 785317, 'to stay with': 915331, 'stay with the': 797405, 'the recent covid': 865301, 'recent covid 19': 703849, '19 outbreak so': 9187, 'outbreak so many': 628633, 'so many student': 777708, 'many student will': 514747, 'student will now': 814808, 'now be unemployed': 574208, 'be unemployed and': 117858, 'unemployed and unable': 941106, 'rent and make': 711037, 'and make end': 66552, 'phoenix news': 654861, 'news covid': 560351, 'stabilize phoenix': 791853, 'phoenix area': 654855, 'area home': 92052, 'phoenix news covid': 654862, 'news covid 19': 560352, 'could help stabilize': 209291, 'help stabilize phoenix': 390558, 'stabilize phoenix area': 791854, 'phoenix area home': 654856, 'area home price': 92053, 'everyone want': 287550, 'these drug': 879942, 'drug can': 260900, 'it current': 457436, 'encouraging report': 275731, 'everyone want to': 287552, 'to know if': 908982, 'know if these': 476487, 'if these drug': 415085, 'these drug can': 879943, 'drug can save': 260901, 'world from it': 1009573, 'from it current': 336111, 'it current state': 457439, 'state of pandemic': 795817, 'of pandemic we': 587713, 'pandemic we don': 636938, 'know but there': 476318, 'are some encouraging': 90262, 'some encouraging report': 782752, 'icymi ha': 412881, 'article out': 94420, 'today highlighting': 919657, 'highlighting my': 396015, 'my call': 547589, 'affair to': 34093, 'regulation preventing': 708096, 'preventing 14': 671798, '00 california': 98, 'california nursing': 155547, 'nursing student': 577631, 'from helping': 335758, 'with response': 1000488, 'response check': 715652, 'out below': 625777, 'icymi ha an': 412882, 'ha an article': 369539, 'an article out': 55421, 'article out today': 94423, 'out today highlighting': 627705, 'today highlighting my': 919658, 'highlighting my call': 396016, 'my call for': 547590, 'call for the': 155897, 'consumer affair to': 196103, 'affair to eliminate': 34094, 'eliminate the strict': 271466, 'the strict regulation': 868283, 'strict regulation preventing': 813651, 'regulation preventing 14': 708097, 'preventing 14 00': 671799, '14 00 california': 3374, '00 california nursing': 99, 'california nursing student': 155548, 'nursing student from': 577633, 'student from helping': 814691, 'from helping with': 335762, 'helping with response': 391546, 'with response check': 1000489, 'response check it': 715653, 'it out below': 460176, 'wa disappointed': 961980, 'main industry': 508761, 'industry profiting': 436059, 'consumer wise': 199557, 'wise had': 996685, 'had sign': 373506, 'their register': 874542, 'register stating': 707611, 'stating they': 796314, 'allowing cash': 46268, 'back really': 107244, 'wa disappointed that': 961981, 'disappointed that one': 244120, 'the main industry': 859903, 'main industry profiting': 508762, 'industry profiting off': 436060, 'profiting off of': 683135, 'off of consumer': 594003, 'of consumer wise': 581787, 'consumer wise had': 199558, 'wise had sign': 996686, 'had sign up': 373507, 'up at their': 944441, 'at their register': 101175, 'their register stating': 874543, 'register stating they': 707612, 'stating they were': 796315, 'were not allowing': 979913, 'not allowing cash': 568152, 'allowing cash back': 46269, 'cash back really': 166176, 'back really all': 107245, 'really all the': 701960, 'all the money': 44832, 'the money you': 860835, 'money you all': 537194, 'all are making': 42047, '23 18': 15355, '18 oil': 4567, 'price at 23': 672787, 'at 23 18': 97536, '23 18 oil': 15356, '18 oil price': 4568, 'undertake': 940935, 'into global': 442594, 'to undertake': 917921, 'undertake the': 940936, 'marketing exec': 517594, 'exec michael': 289822, 'company expected to': 190640, 'expected to go': 290979, 'go into global': 353750, 'into global lockdown': 442595, 'global lockdown it': 352016, 'lockdown it wa': 499572, 'difficult to undertake': 242351, 'to undertake the': 917922, 'undertake the marketing': 940937, 'said marketing exec': 731220, 'marketing exec michael': 517595, 'exec michael payne': 289823, 'not raise': 571204, 'raise food': 695843, 'will not raise': 994257, 'not raise food': 571205, 'raise food price': 695844, 'sewed': 754156, 'store tomorrow': 810896, 'tomorrow it': 924109, 'been almost': 120643, 'isolating at': 455062, 'glove sewed': 352914, 'sewed mask': 754157, 'mask check': 518527, 'check check': 174397, 'check dream': 174421, 'when no': 983776, 'with dream': 998137, 'grocery store tomorrow': 365875, 'store tomorrow it': 810898, 'tomorrow it been': 924110, 'it been almost': 456789, 'been almost 30': 120645, 'almost 30 day': 46499, '30 day of': 17019, 'self isolating at': 747712, 'isolating at home': 455063, 'family of glove': 298098, 'of glove sewed': 584166, 'glove sewed mask': 352915, 'sewed mask check': 754158, 'mask check check': 518528, 'check check dream': 174398, 'check dream of': 174422, 'day when no': 228726, 'when no one': 983777, 'one is dying': 606505, 'is dying and': 447418, 'dying and sick': 263781, 'and sick with': 71642, 'sick with dream': 768678, 'with dream of': 998138, 'day when can': 228720, 'when can buy': 983231, 'food without fear': 317652, '3dxchat': 18268, 'imvu': 419667, 'secondlife': 743899, 'fight since': 304869, 'since continues': 770544, 'impact all': 417543, 'all 3dxchat': 41900, '3dxchat ha': 18269, 'in half': 423507, 'half and': 374139, 'welcome you': 977916, 'secure virtual': 744464, 'virtual world': 957821, 'so enjoy': 776955, 'enjoy stay': 277180, 'stayhome 3dxchat': 797933, '3dxchat imvu': 18271, 'imvu secondlife': 419668, 'secondlife sims': 743900, 'home and help': 400648, 'and help fight': 64449, 'help fight since': 389716, 'fight since continues': 304870, 'since continues to': 770545, 'to impact all': 908147, 'impact all 3dxchat': 417544, 'all 3dxchat ha': 41901, '3dxchat ha decided': 18270, 'decided to cut': 230910, 'to cut price': 903883, 'cut price in': 223493, 'price in half': 674692, 'in half and': 423508, 'half and welcome': 374142, 'and welcome you': 75392, 'welcome you to': 977918, 'you to secure': 1021832, 'to secure virtual': 913971, 'secure virtual world': 744465, 'virtual world so': 957822, 'world so enjoy': 1009984, 'so enjoy stay': 776956, 'enjoy stay home': 277181, 'safe stayhome 3dxchat': 729981, 'stayhome 3dxchat imvu': 797934, '3dxchat imvu secondlife': 18272, 'imvu secondlife sims': 419669, 'winco': 995608, 'else wonder': 271995, 'why winco': 991557, 'winco food': 995609, 'food who': 317606, 'make billion': 509741, 'billion year': 130938, 'employee hazard': 273930, 'this almost': 886281, 'life except': 488640, 'anybody else wonder': 80077, 'else wonder why': 271996, 'wonder why winco': 1004048, 'why winco food': 991558, 'winco food who': 995611, 'food who make': 317608, 'who make billion': 989246, 'make billion year': 509742, 'billion year is': 130939, 'year is still': 1014671, 'is still not': 452295, 'still not paying': 800897, 'not paying their': 570993, 'paying their employee': 645501, 'their employee hazard': 873148, 'employee hazard pay': 273931, 'hazard pay for': 384565, 'pay for risking': 644897, 'their life due': 873825, 'to this almost': 917402, 'this almost every': 886282, 'almost every other': 46622, 'store is paying': 808516, 'is paying their': 450826, 'their employee for': 873145, 'employee for risking': 273868, 'their life except': 873829, 'are bogus': 85009, 'bogus people': 134029, 'people product': 649192, 'charity scamming': 173682, 'scamming people': 740672, 'money amid': 536585, 'you know there': 1019529, 'know there are': 476863, 'there are bogus': 878070, 'are bogus people': 85010, 'bogus people product': 134030, 'people product and': 649193, 'and charity scamming': 59759, 'charity scamming people': 173683, 'scamming people out': 740673, 'their money amid': 873993, 'money amid the': 536586, 'amid the learn': 52699, 'more about and': 538495, 'about and how': 24801, '100 faith': 1891, 'in mr': 425487, 'mr but': 544352, 'one concern': 606089, 'happening day': 377339, 'of necessary': 586889, 'and medic': 66865, 'medic like': 525997, 'like face': 490207, 'for this have': 327035, 'this have 100': 887874, 'have 100 faith': 379068, '100 faith in': 1892, 'faith in mr': 296518, 'in mr but': 425488, 'mr but there': 544353, 'only one concern': 610867, 'one concern that': 606090, 'concern that the': 193116, 'that the increase': 846750, 'increase in covid': 432825, '19 is happening': 7982, 'is happening day': 448278, 'happening day by': 377340, 'by day price': 152303, 'day price of': 228245, 'price of necessary': 675516, 'of necessary item': 586891, 'necessary item and': 554012, 'item and medic': 463059, 'and medic like': 66866, 'medic like face': 525998, 'like face mask': 490208, 'and sanitizer is': 70875, 'sanitizer is increasing': 735194, 'is increasing day': 448855, 'governor this': 361000, 'fault close': 300400, 'damn beach': 225321, 'beach now': 118223, 'ny not': 577902, 'unless necessary': 942631, 're leaving': 698985, 'beach open': 118225, 'governor this is': 361002, 'is your fault': 454144, 'your fault close': 1023816, 'fault close the': 300401, 'close the damn': 182836, 'the damn beach': 852811, 'damn beach now': 225322, 'beach now while': 118224, 'now while we': 576406, 're in ny': 698879, 'in ny not': 426006, 'ny not even': 577903, 'not even going': 569252, 'grocery store unless': 365900, 'store unless necessary': 811004, 'unless necessary you': 942632, 'necessary you re': 554149, 'you re leaving': 1020666, 're leaving the': 698987, 'leaving the beach': 485147, 'the beach open': 849386, 'beach open to': 118226, 'open to infect': 612598, 'to infect thousand': 908355, 'infect thousand more': 436515, 'in delaware': 422080, 'delaware county': 232649, 'county pennsylvania': 211466, 'pennsylvania they': 646585, 'and live': 66247, 'live almost': 495706, 'at lowe': 99635, 'lowe home': 505773, 'depot supermarket': 237549, 'supermarket walmart': 823723, 'target because': 834441, 'have nothing': 381704, 'do because': 249119, 'bar are': 110673, 'board god': 133637, 'help saturday': 390478, 'saturday night': 737046, 'not in delaware': 570088, 'in delaware county': 422082, 'delaware county pennsylvania': 232651, 'county pennsylvania they': 211467, 'pennsylvania they are': 646586, 'are not people': 88434, 'not people who': 570999, 'people who go': 650300, 'out and live': 625677, 'and live almost': 66248, 'live almost all': 495707, 'almost all day': 46532, 'all day at': 42512, 'day at lowe': 227335, 'at lowe home': 99637, 'lowe home depot': 505774, 'home depot supermarket': 401067, 'depot supermarket walmart': 237550, 'supermarket walmart target': 823724, 'walmart target because': 965426, 'target because they': 834442, 'they have nothing': 882351, 'have nothing to': 381709, 'to do because': 904485, 'do because the': 249120, 'because the bar': 119612, 'the bar are': 849270, 'bar are closed': 110674, 'closed and they': 183000, 'are on board': 88715, 'on board god': 599662, 'board god help': 133638, 'god help saturday': 354737, 'help saturday night': 390479, 'definitive': 232430, 'the definitive': 853042, 'definitive survey': 232431, 'survey about': 828805, 'pr industry': 668433, '19 nine': 8788, 'nine in': 563283, '10 pr': 1640, 'pr pro': 668441, 'pro say': 679124, 'say campaign': 738483, 'campaign have': 157223, 'cut due': 223311, 'sector especially': 744182, 'especially badly': 280449, 'badly hit': 108154, 'hit via': 398504, 'the definitive survey': 853043, 'definitive survey about': 232432, 'survey about the': 828806, 'about the pr': 26483, 'the pr industry': 864187, 'pr industry and': 668434, 'industry and covid': 435632, 'covid 19 nine': 213476, '19 nine in': 8789, 'nine in 10': 563284, 'in 10 pr': 419683, '10 pr pro': 1641, 'pr pro say': 668442, 'pro say campaign': 679125, 'say campaign have': 738484, 'campaign have been': 157224, 'have been cut': 379501, 'been cut due': 120914, 'cut due to': 223312, 'to coronavirus consumer': 903544, 'coronavirus consumer sector': 205688, 'consumer sector especially': 198884, 'sector especially badly': 744183, 'especially badly hit': 280450, 'badly hit via': 108157, 'dcwp': 229005, 'digitally': 242740, 'overcharge': 631090, 'see malicious': 745385, 'malicious price': 511715, 'nyc the': 578058, 'nyc department': 577978, 'worker protection': 1007635, 'protection dcwp': 685392, 'dcwp ha': 229006, 'page to': 633901, 'to digitally': 904300, 'digitally file': 242743, 'complaint use': 192045, 'word overcharge': 1004552, 'do you see': 250675, 'you see malicious': 1021047, 'see malicious price': 745386, 'malicious price increase': 511716, 'increase in nyc': 432847, 'in nyc the': 426027, 'nyc the nyc': 578059, 'the nyc department': 862003, 'nyc department of': 577979, 'consumer and worker': 196253, 'and worker protection': 75879, 'worker protection dcwp': 1007636, 'protection dcwp ha': 685393, 'dcwp ha set': 229007, 'up page to': 945735, 'page to digitally': 633902, 'to digitally file': 904301, 'digitally file complaint': 242744, 'file complaint click': 305332, 'here to file': 393710, 'file complaint use': 305338, 'complaint use the': 192046, 'use the word': 949695, 'the word overcharge': 871713, 'jenkins': 465074, 'dallas county': 225120, 'county judge': 211422, 'judge jenkins': 467619, 'jenkins say': 465079, 'say neighbor': 738970, 'neighbor which': 557090, 'is virtual': 453708, 'drive benefitting': 258998, 'benefitting north': 127182, 'north texas': 567685, 'which help': 985928, 'help 13': 389284, '13 county': 3199, 'facing layoff': 295522, 'layoff and': 482673, 'increase dallas': 432727, 'dallas county judge': 225121, 'county judge jenkins': 211423, 'judge jenkins say': 467620, 'jenkins say neighbor': 465081, 'say neighbor helping': 738971, 'helping neighbor which': 391400, 'neighbor which is': 557091, 'which is virtual': 986063, 'is virtual food': 453709, 'food drive benefitting': 314285, 'drive benefitting north': 258999, 'benefitting north texas': 127183, 'north texas food': 567686, 'food bank which': 313668, 'bank which help': 110298, 'which help 13': 985929, 'help 13 county': 389285, '13 county with': 3200, 'county with thousand': 211542, 'people facing layoff': 647862, 'facing layoff and': 295523, 'layoff and at': 482674, 'and at home': 58477, 'home the more': 402239, 'the more the': 860898, 'more the demand': 540714, 'to increase dallas': 908275, 'road let': 724469, 'know below': 476301, 'below handsanitizer': 126663, 'handsanitizer trucking': 376670, 'do you currently': 250621, 'you currently feel': 1018136, 'currently feel safe': 221532, 'feel safe while': 302832, 'safe while you': 730144, 're out on': 699224, 'the road let': 865931, 'road let know': 724470, 'let know below': 486854, 'know below handsanitizer': 476303, 'below handsanitizer trucking': 126664, 'unbs': 939539, 'genuine': 345861, 'jumia': 467824, 'unbs certified': 939540, 'certified use': 170253, 'use genuine': 949230, 'genuine hand': 345866, 'safe kill': 729796, '99 germ': 23832, 'germ order': 346142, 'on jumia': 601741, 'jumia express': 467825, 'express delivery': 293031, 'delivery staysafeug': 234575, 'unbs certified use': 939542, 'certified use genuine': 170254, 'use genuine hand': 949231, 'genuine hand sanitizer': 345867, 'sanitizer and keep': 734412, 'and keep yourself': 65790, 'yourself safe kill': 1026697, 'safe kill 99': 729797, 'kill 99 germ': 474330, '99 germ order': 23833, 'germ order on': 346143, 'order on jumia': 618457, 'on jumia express': 601742, 'jumia express delivery': 467826, 'express delivery staysafeug': 293032, 'gcse': 344838, '2052': 14860, 'gcse history': 344839, 'history exam': 398026, 'exam 2052': 288786, '2052 describe': 14861, 'describe wa': 237933, 'pandemic 20': 634777, 'gcse history exam': 344840, 'history exam 2052': 398027, 'exam 2052 describe': 288787, '2052 describe wa': 14862, 'describe wa it': 237934, 'wa it like': 962434, 'it like to': 459380, 'go shopping in': 354113, 'during the 2020': 263083, '19 pandemic 20': 9246, 'civicscience': 179503, 'often because': 596164, 'from 22': 334239, '22 last': 15218, 'to data': 903915, 'from civicscience': 334888, 'civicscience more': 179506, '29 of american': 16488, 'they are shopping': 881406, 'online more often': 608562, 'more often because': 539898, 'often because of': 596165, 'because of up': 119423, 'of up from': 592677, 'up from 22': 944981, 'from 22 last': 334242, '22 last week': 15219, 'according to data': 28533, 'to data from': 903916, 'data from civicscience': 226228, 'from civicscience more': 334889, 'civicscience more in': 179507, 'coronavirus fun': 205975, 'fun fact': 341161, 'fact if': 295730, 'aisle pretty': 40349, 'pretty quickly': 671483, 'coronavirus fun fact': 205976, 'fun fact if': 341162, 'fact if you': 295731, 'if you cough': 415415, 'you cough in': 1018067, 'store you end': 811685, 'end up all': 276022, 'up all over': 944258, 'over the aisle': 630694, 'the aisle pretty': 848533, 'aisle pretty quickly': 40350, 'yes kept': 1015473, 'distance assume': 246651, 'assume going': 97003, 'how caught': 407540, 'yes kept my': 1015474, 'my distance assume': 548004, 'distance assume going': 246652, 'assume going to': 97004, 'to supermarket is': 915803, 'supermarket is how': 821096, 'is how caught': 448571, 'how caught it': 407541, 'fear and uncertainty': 301043, 'and uncertainty regarding': 74610, 'uncertainty regarding covid': 939751, 'constituent': 195733, 'created page': 215868, 'my website': 550542, 'website offering': 975369, 'offering advice': 595008, 'to constituent': 903255, 'constituent on': 195736, 'the page': 862857, 'health advice': 386099, 'advice business': 33332, 'employee advice': 273519, 'advice local': 33428, 'information education': 437806, 'education info': 268831, 'info amp': 437412, 'amp useful': 54766, 'useful contact': 950147, 'have created page': 380160, 'created page on': 215870, 'page on my': 633879, 'on my website': 602329, 'my website offering': 550544, 'website offering advice': 975370, 'offering advice amp': 595009, 'advice amp help': 33299, 'amp help to': 53928, 'help to constituent': 390771, 'to constituent on': 903256, 'constituent on 19': 195737, 'on 19 the': 599037, '19 the page': 11229, 'the page includes': 862860, 'page includes health': 633858, 'includes health advice': 431757, 'health advice business': 386101, 'advice business amp': 33333, 'business amp employee': 143278, 'amp employee advice': 53713, 'employee advice local': 273521, 'advice local supermarket': 33429, 'local supermarket information': 498543, 'supermarket information education': 821034, 'information education info': 437807, 'education info amp': 268832, 'info amp useful': 437414, 'amp useful contact': 54767, 'maria': 515670, 'tampico': 834132, 'inside but': 439237, 'in hour': 423835, 'hour line': 405742, 'others just': 621502, 'left like': 485538, 'like maria': 490713, 'maria cooky': 515677, 'cooky and': 202963, 'and tampico': 73019, 'tampico orange': 834133, 'orange drink': 617911, 'drink at': 258801, 'store great': 807967, 'idea world': 413253, 'world no': 1009835, 'no fruit': 564314, 'should stay inside': 766497, 'stay inside but': 797095, 'inside but have': 439238, 'wait in hour': 964140, 'in hour line': 423838, 'hour line in': 405743, 'line in close': 493193, 'proximity to others': 687334, 'to others just': 911137, 'others just to': 621503, 'in to buy': 430102, 'buy the crap': 149290, 'the crap food': 852270, 'crap food that': 214892, 'that is left': 844614, 'is left like': 449273, 'left like maria': 485539, 'like maria cooky': 490714, 'maria cooky and': 515678, 'cooky and tampico': 202965, 'and tampico orange': 73020, 'tampico orange drink': 834134, 'orange drink at': 617912, 'drink at the': 258804, 'grocery store great': 365441, 'store great idea': 807968, 'great idea world': 362737, 'idea world no': 413254, 'world no meat': 1009836, 'meat no water': 525668, 'water no fruit': 969071, 'no fruit vegetable': 564318, 'chefsanantonio': 175292, 'quarantinecuisine': 692812, 'find what': 307385, 'or don': 615047, 'an ingredient': 56331, 'ingredient on': 438384, 'home don': 401091, 'our list': 623749, 'of simple': 589735, 'ingredient swap': 438402, 'swap chefsanantonio': 829979, 'chefsanantonio quarantinecuisine': 175293, 'can find what': 158345, 'find what you': 307387, 're looking for': 699012, 'looking for at': 502851, 'for at the': 319520, 'store or don': 809328, 'or don have': 615048, 'don have an': 253588, 'have an ingredient': 379258, 'an ingredient on': 56332, 'ingredient on hand': 438385, 'on hand at': 601227, 'hand at home': 374805, 'at home don': 98977, 'home don fear': 401092, 'don fear check': 253507, 'out our list': 626980, 'our list of': 623751, 'list of simple': 494472, 'of simple ingredient': 589737, 'simple ingredient swap': 770042, 'ingredient swap chefsanantonio': 438403, 'swap chefsanantonio quarantinecuisine': 829980, 'coronavirus fallout': 205905, 'fallout california': 297375, 'california consumer': 155480, 'confidence drop': 193845, '13 month': 3235, 'low global': 505305, 'covid alert coronavirus': 214120, 'alert coronavirus fallout': 41392, 'coronavirus fallout california': 205906, 'fallout california consumer': 297376, 'california consumer confidence': 155483, 'consumer confidence drop': 196891, 'confidence drop to': 193847, 'drop to 13': 260420, 'to 13 month': 899485, '13 month low': 3236, 'month low global': 537840, 'low global pandemic': 505306, 'starter': 794925, 'getting desperate': 348930, 'for theme': 326934, 'park experience': 641904, 'experience starter': 291484, 'starter pack': 794926, 'the getting desperate': 856244, 'getting desperate for': 348931, 'desperate for theme': 238529, 'for theme park': 326935, 'theme park experience': 876700, 'park experience starter': 641905, 'experience starter pack': 291485, 'any lesson': 79409, 'lesson on': 486497, 'on being': 599616, 'being mug': 125446, 'mug hit': 545567, 'reasonable would': 703143, 'if anyone want': 413855, 'anyone want any': 80601, 'want any lesson': 965717, 'any lesson on': 79410, 'lesson on being': 486498, 'on being mug': 599617, 'being mug hit': 125447, 'mug hit me': 545568, 'me up my': 523859, 'up my price': 945435, 'my price are': 549843, 'are very reasonable': 91475, 'very reasonable would': 955460, 'reasonable would love': 703144, 'love to help': 504849, 'this suggests': 890412, 'suggests they': 817723, 'do fast': 249285, 'good business': 356842, 'business involved': 143943, 'supply delivery': 825145, 'delivery distribution': 233869, 'not takeaway': 571912, 'takeaway shop': 832904, 'this suggests they': 890413, 'suggests they do': 817724, 'they do fast': 881960, 'do fast moving': 249286, 'consumer good business': 197600, 'good business involved': 356844, 'business involved in': 143944, 'involved in the': 444355, 'the supply delivery': 868944, 'supply delivery distribution': 825147, 'delivery distribution and': 233871, 'distribution and sale': 248112, 'and sale of': 70792, 'sale of food': 732391, 'of food beverage': 583658, 'beverage and other': 128987, 'and other key': 68354, 'other key consumer': 620457, 'key consumer good': 473261, 'consumer good but': 197601, 'good but not': 356852, 'but not takeaway': 146570, 'not takeaway shop': 571913, 'so while': 778738, 'all busy': 42241, 'busy flattening': 144904, 'curve school': 221886, 'close indefinitely': 182680, 'indefinitely childcare': 434042, 'childcare is': 176297, 'closed one': 183263, 'one parent': 606833, 'parent will': 641782, 'quit job': 694796, 'gap until': 343468, 'until school': 943822, 'start again': 794191, 'again in': 37035, 'in august': 420580, 'august but': 102986, 'supply ignore': 825388, 'ignore those': 415852, 'so while we': 778742, 're all busy': 698208, 'all busy flattening': 42242, 'busy flattening the': 144905, 'the curve school': 852703, 'curve school close': 221887, 'school close indefinitely': 741725, 'close indefinitely childcare': 182681, 'indefinitely childcare is': 434043, 'childcare is closed': 176298, 'is closed one': 446586, 'closed one parent': 183264, 'one parent will': 606834, 'parent will need': 641784, 'to quit job': 912691, 'quit job to': 694797, 'job to cover': 466221, 'to cover the': 903661, 'cover the gap': 212290, 'the gap until': 856142, 'gap until school': 343469, 'until school start': 943823, 'school start again': 741932, 'start again in': 794193, 'again in august': 37037, 'in august but': 420581, 'august but don': 102987, 'but don panic': 145595, 'panic we ve': 638769, 'amp supply ignore': 54594, 'supply ignore those': 825389, 'ignore those empty': 415853, 'those empty shelf': 891967, 'causeway': 167981, 'all vineyard': 45368, 'vineyard compassion': 957443, 'compassion project': 191497, 'project are': 683474, 'now temporarily': 575977, 'closed except': 183106, 'limited emergency': 492624, 'emergency provision': 272904, 'provision causeway': 687254, 'causeway foodbank': 167982, 'foodbank reset': 317790, 'reset social': 714175, 'etc click': 282474, 'full vineyard': 340969, 'compassion update': 191499, '19 all vineyard': 4906, 'all vineyard compassion': 45369, 'vineyard compassion project': 957444, 'compassion project are': 191498, 'project are now': 683475, 'are now temporarily': 88604, 'now temporarily closed': 575978, 'temporarily closed except': 837463, 'closed except for': 183107, 'except for limited': 289164, 'for limited emergency': 322984, 'limited emergency provision': 492625, 'emergency provision causeway': 272905, 'provision causeway foodbank': 687255, 'causeway foodbank reset': 167983, 'foodbank reset social': 317791, 'reset social supermarket': 714176, 'social supermarket etc': 779978, 'supermarket etc click': 820211, 'etc click below': 282475, 'the full vineyard': 856027, 'full vineyard compassion': 340970, 'vineyard compassion update': 957445, 'wizard': 1003202, 'the wizard': 871650, 'wizard stay': 1003203, 'band socialdistancing': 109351, 'the wizard stay': 871651, 'wizard stay with': 1003204, 'beast band socialdistancing': 118481, 'band socialdistancing workfromhome': 109352, 'an delivery': 55530, 'slot until': 774283, 'april ll': 83633, 'house by': 406228, 'by then': 154505, 'then can': 877056, 'manage but': 512380, 'people stoppanicbuying': 649659, 'so self isolating': 778170, 'isolating for 14': 455094, '14 day going': 3446, 'going to need': 355659, 'to need food': 910509, 'food and cant': 313193, 'and cant get': 59528, 'cant get an': 162295, 'get an delivery': 346539, 'an delivery slot': 55531, 'delivery slot until': 234543, 'slot until the': 774285, 'until the 2nd': 943847, 'the 2nd april': 848074, '2nd april ll': 16753, 'april ll be': 83634, 'the house by': 857599, 'house by then': 406229, 'by then can': 154507, 'then can manage': 877057, 'can manage but': 158962, 'manage but really': 512381, 'but really feel': 146898, 'feel for the': 302624, 'vulnerable people stoppanicbuying': 961110, 'began oman': 123414, 'good in store': 357250, 'in store in': 428420, 'in oman since': 426109, 'crisis began oman': 217126, 'began oman muscat': 123415, 'my concern': 547780, 'myself that': 550943, 'am one': 50285, 'lucky one': 506564, 'one am': 605886, 'am able': 49840, 'make minute': 510170, 'minute trip': 533882, 'trip down': 932063, 'needed am': 556283, 'buy whatever': 149459, 'whatever may': 982786, 'need am': 554390, 'am blessed': 49949, 'blessed enough': 132621, 'despite my concern': 238795, 'my concern about': 547781, 'about the have': 26409, 'the have to': 857152, 'have to remind': 383279, 'to remind myself': 913200, 'remind myself that': 710492, 'myself that am': 550944, 'that am one': 842613, 'am one of': 50286, 'of the lucky': 591206, 'the lucky one': 859831, 'lucky one am': 506565, 'one am able': 605887, 'am able to': 49841, 'able to make': 24502, 'to make minute': 909693, 'make minute trip': 510171, 'minute trip down': 533883, 'trip down to': 932064, 'down to fully': 257367, 'to fully stocked': 906322, 'fully stocked grocery': 341090, 'store if needed': 808246, 'if needed am': 414456, 'needed am fortunate': 556284, 'am fortunate enough': 50059, 'to buy whatever': 902337, 'buy whatever may': 149461, 'whatever may need': 982787, 'may need am': 521349, 'need am blessed': 554391, 'am blessed enough': 49950, 'blessed enough to': 132622, 'deflated': 232437, 'hotspot': 405304, 'self note': 747822, 'the secondary': 866600, 'secondary effect': 743881, 'will include': 993799, 'include deflation': 431547, 'deflation deflated': 232447, 'deflated profit': 232440, 'depression despite': 237639, 'money printing': 536981, 'printing operation': 678350, 'operation by': 613159, 'by central': 152087, 'bank foreign': 109848, 'foreign 2nd': 328955, '2nd investment': 16783, 'investment property': 444044, 'property in': 684277, 'in european': 422659, 'european holiday': 283583, 'holiday hotspot': 400315, 'hotspot look': 405312, 'look vulnerable': 502659, 'slow train': 774409, 'train crash': 929244, 'self note the': 747823, 'note the secondary': 572826, 'the secondary effect': 866601, 'secondary effect of': 743882, '19 will include': 12097, 'will include deflation': 993802, 'include deflation deflated': 431548, 'deflation deflated profit': 232448, 'deflated profit and': 232441, 'profit and depression': 682652, 'and depression despite': 61235, 'depression despite the': 237640, 'despite the money': 238892, 'the money printing': 860821, 'money printing operation': 536982, 'printing operation by': 678351, 'operation by central': 613160, 'by central bank': 152088, 'central bank foreign': 169371, 'bank foreign 2nd': 109849, 'foreign 2nd investment': 328956, '2nd investment property': 16784, 'investment property in': 444045, 'property in european': 684278, 'in european holiday': 422661, 'european holiday hotspot': 283584, 'holiday hotspot look': 400316, 'hotspot look vulnerable': 405313, 'look vulnerable to': 502660, 'vulnerable to slow': 961233, 'to slow train': 914744, 'slow train crash': 774410, 'train crash in': 929245, 'crash in property': 214997, 'lobby': 497574, 'dbvt': 228932, 'german vegetable': 346254, 'may rise': 521467, 'rise coronavirus': 722813, 'coronavirus disrupts': 205832, 'disrupts crop': 246565, 'crop work': 218948, 'work lobby': 1005439, 'lobby dbvt': 497581, 'german vegetable price': 346255, 'vegetable price may': 954073, 'price may rise': 675201, 'may rise coronavirus': 521469, 'rise coronavirus disrupts': 722814, 'coronavirus disrupts crop': 205834, 'disrupts crop work': 246566, 'crop work lobby': 218949, 'work lobby dbvt': 1005440, 'wtfutureipsos': 1013352, 'relationship consumer': 708691, 'our paper': 624250, 'paper featuring': 640151, 'featuring guidance': 301588, 'crisis beyond': 217129, 'beyond wtfutureipsos': 129260, 'wtfutureipsos mrx': 1013355, 'the relationship consumer': 865465, 'relationship consumer have': 708692, 'download our paper': 257615, 'our paper featuring': 624252, 'paper featuring guidance': 640152, 'featuring guidance on': 301589, 'guidance on how': 368265, 'impact of tech': 417802, 'of tech brand': 590624, 'tech brand marketing': 836047, 'the crisis beyond': 852349, 'crisis beyond wtfutureipsos': 217130, 'beyond wtfutureipsos mrx': 129261, 'wtfutureipsos mrx research': 1013356, 'dryhands': 261334, 'ha washing': 372460, 'ever but': 285239, 'hygiene can': 412062, 'have negative': 381559, 'our skin': 624796, 'skin read': 773079, 'on for': 600937, 'for preserving': 324700, 'preserving your': 670732, 'your skin': 1025823, 'skin while': 773089, 'bay dryhands': 112934, 'coronavirus ha washing': 206041, 'ha washing our': 372461, 'our hand using': 623353, 'hand using sanitizer': 375906, 'using sanitizer more': 950632, 'sanitizer more than': 735379, 'than ever but': 840574, 'ever but that': 285241, 'but that good': 147288, 'that good hygiene': 844047, 'good hygiene can': 357196, 'hygiene can have': 412063, 'can have negative': 158580, 'have negative impact': 381562, 'on our skin': 602629, 'our skin read': 624797, 'skin read on': 773080, 'read on for': 700479, 'on for tip': 600956, 'for tip from': 327204, 'tip from for': 898798, 'from for preserving': 335531, 'for preserving your': 324701, 'preserving your skin': 670733, 'your skin while': 1025828, 'skin while keeping': 773090, 'while keeping the': 986993, 'keeping the virus': 472590, 'virus at bay': 957972, 'at bay dryhands': 98101, 'handicapped': 376121, 'limit grocery': 492357, 'store capacity': 806866, 'capacity but': 162502, 'but handicapped': 145855, 'handicapped people': 376122, 'store socialdistanacing': 810247, 'need to limit': 555987, 'to limit grocery': 909287, 'limit grocery store': 492358, 'grocery store capacity': 365266, 'store capacity but': 806868, 'capacity but handicapped': 162503, 'but handicapped people': 145856, 'handicapped people should': 376123, 'the store socialdistanacing': 868108, 'tv book': 936093, 'book netflix': 134569, 'netflix internet': 557608, 'internet game': 441945, 'game console': 343155, 'console mobile': 195528, 'phone quality': 655005, 'quality time': 691858, 'child we': 176258, 'lucky if': 506560, 'thought are': 892975, 'with those': 1001745, 'food ect': 314337, 'ect panic': 268425, 'locked down we': 500481, 'down we have': 257445, 'we have tv': 971974, 'have tv book': 383433, 'tv book netflix': 936094, 'book netflix internet': 134570, 'netflix internet game': 557609, 'internet game console': 441946, 'game console mobile': 343156, 'console mobile phone': 195529, 'mobile phone quality': 535012, 'phone quality time': 655006, 'quality time with': 691859, 'time with your': 898362, 'your child we': 1023208, 'child we are': 176259, 'are so lucky': 90209, 'so lucky if': 777616, 'lucky if you': 506561, 'about it my': 25585, 'it my thought': 459720, 'my thought are': 550353, 'thought are with': 892977, 'are with those': 91655, 'with those who': 1001751, 'those who live': 892651, 'who live alone': 989213, 'live alone and': 495709, 'alone and those': 46820, 'those with no': 892721, 'with no money': 999767, 'buy food ect': 148643, 'food ect panic': 314338, 'group find': 366688, 'find consistent': 306855, 'overpricing on': 631402, 'formula despite': 329701, 'despite crackdown': 238713, 'crackdown amazon': 214712, 'ebay failing': 266452, '19 profiteer': 9837, 'profiteer say': 682976, 'say which': 739483, 'consumer group find': 197659, 'group find consistent': 366689, 'find consistent overpricing': 306856, 'consistent overpricing on': 195488, 'overpricing on hand': 631403, 'on hand sanitiser': 601233, 'sanitiser thermometer and': 734029, 'thermometer and baby': 879505, 'and baby formula': 58609, 'baby formula despite': 106618, 'formula despite crackdown': 329702, 'despite crackdown amazon': 238714, 'crackdown amazon and': 214713, 'and ebay failing': 61887, 'ebay failing to': 266453, 'failing to stop': 296237, 'to stop covid': 915513, 'covid 19 profiteer': 213617, '19 profiteer say': 9839, 'profiteer say which': 682978, 'myt': 551028, 'mytbusiness': 551037, 'mytaxation': 551035, 'business rate': 144285, 'rate holiday': 697257, 'retail hospitality': 718187, 'hospitality and': 404752, 'leisure business': 486139, 'business download': 143657, 'download myt': 257599, 'myt app': 551029, 'app today': 81782, 'today myt': 919909, 'myt mytbusiness': 551033, 'mytbusiness mytaxation': 551038, 'business rate holiday': 144288, 'rate holiday for': 697258, 'holiday for retail': 400302, 'for retail hospitality': 325193, 'retail hospitality and': 718188, 'hospitality and leisure': 404755, 'and leisure business': 66093, 'leisure business download': 486140, 'business download myt': 143658, 'download myt app': 257600, 'myt app today': 551030, 'app today myt': 81784, 'today myt mytbusiness': 919910, 'myt mytbusiness mytaxation': 551034, 'prepper guide': 670381, 'surviving coronavirus': 829349, 'prepper guide to': 670382, 'guide to surviving': 368372, 'to surviving coronavirus': 916059, 'surviving coronavirus lockdown': 829350, 'isoation': 454802, 'hungryathome': 411331, 'of collective': 581530, 'we each': 971427, 'each donate': 264061, 'to or': 911045, 'or foodbank': 615355, 'foodbank donation': 317768, 'donation basket': 254557, 'basket when': 112420, 'when next': 983772, 'support vulnerable': 826975, 'vulnerable household': 961001, 'household during': 406782, 'this extra': 887486, 'extra challenging': 293480, 'challenging isoation': 171617, 'isoation period': 454803, 'period nobody': 651828, 'be hungryathome': 115331, 'power of collective': 667650, 'of collective action': 581531, 'collective action if': 186483, 'action if we': 30043, 'if we each': 415278, 'we each donate': 971429, 'each donate food': 264063, 'donate food item': 254181, 'item to or': 463762, 'to or foodbank': 911052, 'or foodbank donation': 615356, 'foodbank donation basket': 317769, 'donation basket when': 254559, 'basket when next': 112422, 'when next in': 983773, 'next in our': 561411, 'supermarket we support': 823756, 'we support vulnerable': 973457, 'support vulnerable household': 826976, 'vulnerable household during': 961002, 'household during this': 406783, 'during this extra': 263284, 'this extra challenging': 887487, 'extra challenging isoation': 293481, 'challenging isoation period': 171618, 'isoation period nobody': 454804, 'period nobody should': 651829, 'should be hungryathome': 765645, 'coronalockdownuk': 205049, 'darwinawards': 226051, 'corvid19uk corvid19': 207746, 'corvid19 coronacrisisuk': 207727, 'coronacrisisuk coronalockdownuk': 204885, 'coronalockdownuk cannot': 205051, 'over just': 630346, 'how hard': 407965, 'hard is': 377952, 'distance on': 246787, 'the pavement': 863402, 'pavement in': 644656, 'park really': 641974, 'really darwinawards': 702099, 'darwinawards going': 226052, 'corvid19uk corvid19 coronacrisisuk': 207747, 'corvid19 coronacrisisuk coronalockdownuk': 207728, 'coronacrisisuk coronalockdownuk cannot': 204886, 'coronalockdownuk cannot get': 205052, 'cannot get over': 161901, 'get over just': 347754, 'over just how': 630347, 'just how stupid': 469002, 'how stupid people': 408761, 'stupid people are': 815439, 'are how hard': 87252, 'how hard is': 407966, 'hard is it': 377953, 'is it to': 449068, 'it to keep': 461727, 'your distance on': 1023537, 'distance on the': 246789, 'on the pavement': 604278, 'the pavement in': 863403, 'pavement in the': 644657, 'supermarket in park': 820958, 'in park really': 426513, 'park really darwinawards': 641975, 'really darwinawards going': 702100, 'darwinawards going to': 226053, 'to be busy': 901142, 'moldy': 535648, 'tremorogenic': 931241, 'mycotoxin': 550699, 'moldy food': 535649, 'kill pet': 474476, 'pet keep': 653414, 'reach with': 700020, 'with household': 998888, 'household initially': 406846, 'initially panicking': 438573, 'and storing': 72527, 'storing food': 811767, 'of tremorogenic': 592445, 'tremorogenic mycotoxin': 931242, 'mycotoxin download': 550702, 'guide from': 368326, 'moldy food can': 535650, 'food can kill': 313871, 'can kill pet': 158824, 'kill pet keep': 474477, 'pet keep it': 653415, 'keep it out': 471619, 'of reach with': 588769, 'reach with household': 700021, 'with household initially': 998890, 'household initially panicking': 406848, 'initially panicking about': 438574, 'panicking about buying': 639308, 'about buying and': 24912, 'buying and storing': 149934, 'and storing food': 72528, 'storing food at': 811768, 'outbreak we may': 628799, 'we may now': 972354, 'may now see': 521398, 'now see an': 575744, 'increase in case': 432821, 'case of tremorogenic': 165934, 'of tremorogenic mycotoxin': 592446, 'tremorogenic mycotoxin download': 931244, 'mycotoxin download our': 550703, 'download our guide': 257612, 'our guide from': 623323, 'good info on': 357265, 'info on relief': 437538, 'on relief check': 603136, 'check and scammer': 174366, 'possible way': 665868, 'get 19': 346466, 'testing immediately': 839512, 'immediately work': 417178, 'been since': 121971, 'or my': 616210, 'are carrier': 85181, 'carrier we': 165035, 'massive influx': 520046, 'business doubling': 143652, 'doubling our': 256163, 'our exposure': 622967, 'there any possible': 878025, 'any possible way': 79672, 'possible way that': 665870, 'way that grocery': 969921, 'store employee can': 807466, 'employee can get': 273708, 'can get 19': 158397, 'get 19 testing': 346468, '19 testing immediately': 11101, 'testing immediately work': 839513, 'immediately work full': 417179, 'time and have': 896274, 'and have been': 64226, 'have been since': 379684, 'been since the': 121974, 'since the virus': 770913, 'the virus outbreak': 870873, 'virus outbreak and': 958587, 'outbreak and have': 627995, 'no idea if': 564466, 'idea if or': 413085, 'if or my': 414563, 'or my co': 616214, 'co worker are': 185013, 'worker are carrier': 1006374, 'are carrier we': 85182, 'carrier we ve': 165036, 've had massive': 953226, 'had massive influx': 373289, 'massive influx of': 520047, 'influx of people': 437390, 'of people and': 587872, 'people and business': 646849, 'and business doubling': 59278, 'business doubling our': 143653, 'doubling our exposure': 256164, 'needlessly': 556654, 'horrifying at': 404172, 'child around': 176012, 'around where': 93626, 'school to': 741955, 'you needlessly': 1020065, 'needlessly bringing': 556655, 'bringing them': 140207, 'catching coronovirus': 167081, 'coronovirus is': 207152, 'even higher': 284180, 'horrifying at the': 404173, 'at the amount': 100877, 'amount of child': 53211, 'of child around': 581345, 'child around where': 176013, 'around where work': 93627, 'where work if': 985367, 're taking them': 699658, 'taking them out': 833606, 'them out of': 876129, 'out of school': 626823, 'of school to': 589404, 'school to protect': 741961, 'protect them why': 685012, 'them why are': 876630, 'are you needlessly': 91823, 'you needlessly bringing': 1020066, 'needlessly bringing them': 556656, 'bringing them into': 140208, 'them into supermarket': 875939, 'into supermarket where': 443065, 'where the chance': 985219, 'of catching coronovirus': 581205, 'catching coronovirus is': 167082, 'coronovirus is even': 207153, 'is even higher': 447564, 'ushering': 950355, '4ir': 19462, 'classroom': 180379, 'is ushering': 453629, 'ushering into': 950358, 'the fourth': 855741, 'fourth industrial': 330718, 'industrial revolution': 435570, 'revolution we': 720754, 'heard again': 388055, 'again how': 37026, 'how 4ir': 407265, '4ir will': 19467, 'see child': 744996, 'child learning': 176129, 'digital classroom': 242522, 'classroom adult': 180380, 'adult working': 32864, 'home increased': 401428, 'increased online': 433387, 'sale good': 732246, 'good ready': 357626, 'not 4ir': 568003, '4ir is': 19465, 'feel like is': 302722, 'like is ushering': 490518, 'is ushering into': 453630, 'ushering into the': 950359, 'into the fourth': 443126, 'the fourth industrial': 855743, 'fourth industrial revolution': 330719, 'industrial revolution we': 435572, 'revolution we ve': 720755, 'we ve heard': 973674, 've heard again': 953246, 'heard again and': 388056, 'again and again': 36883, 'and again how': 57770, 'again how 4ir': 37027, 'how 4ir will': 407266, '4ir will see': 19468, 'will see child': 994769, 'see child learning': 744997, 'child learning in': 176130, 'learning in digital': 484214, 'in digital classroom': 422268, 'digital classroom adult': 242523, 'classroom adult working': 180381, 'adult working from': 32865, 'from home increased': 335873, 'home increased online': 401429, 'increased online food': 433388, 'online food and': 608206, 'and grocery sale': 63998, 'grocery sale good': 364932, 'sale good ready': 732247, 'good ready or': 357627, 'or not 4ir': 616287, 'not 4ir is': 568004, '4ir is here': 19466, 'in consumergoods': 421729, 'consumergoods how': 199682, 'the affecting': 848408, 'take our': 832435, 'our question': 624527, 'question poll': 693700, 'poll cpg': 663835, 'work in consumergoods': 1005300, 'in consumergoods how': 421730, 'consumergoods how is': 199683, 'is the affecting': 452724, 'the affecting your': 848409, 'affecting your business': 34595, 'your business please': 1023073, 'business please take': 144236, 'please take our': 660637, 'take our question': 832437, 'our question poll': 624529, 'question poll cpg': 693701, 'latch': 480831, 'handrils': 376441, '21 bathroom': 14972, 'stall latch': 793369, 'latch 22': 480832, '22 your': 15258, 'your key': 1024546, 'key 23': 473224, 'the coffee': 851129, 'coffee pot': 185525, 'pot handle': 666884, 'handle at': 376173, 'work 24': 1004696, '24 escalator': 15588, 'escalator handrils': 280299, 'handrils 25': 376442, '25 grocery': 15877, 'store conveyor': 807168, 'belt staysafe': 126799, 'staysafe quarantinelife': 798865, 'quarantinelife stayhome': 693020, 'stayhome lockdowneffect': 798041, 'you should never': 1021207, 'should never touch': 766229, 'due to 21': 261694, 'to 21 bathroom': 899611, '21 bathroom stall': 14973, 'bathroom stall latch': 112667, 'stall latch 22': 793370, 'latch 22 your': 480833, '22 your key': 15259, 'your key 23': 1024547, 'key 23 the': 473225, '23 the coffee': 15434, 'the coffee pot': 851133, 'coffee pot handle': 185526, 'pot handle at': 666885, 'handle at work': 376176, 'at work 24': 101590, 'work 24 escalator': 1004697, '24 escalator handrils': 15589, 'escalator handrils 25': 280300, 'handrils 25 grocery': 376443, '25 grocery store': 15878, 'grocery store conveyor': 365300, 'store conveyor belt': 807169, 'conveyor belt staysafe': 202588, 'belt staysafe quarantinelife': 126800, 'staysafe quarantinelife stayhome': 798866, 'quarantinelife stayhome lockdowneffect': 693021, 'thepublicwillremember': 877887, 'greedmongers': 363459, 'frightened': 334045, 'the hashtag': 857137, 'hashtag thepublicwillremember': 378703, 'thepublicwillremember need': 877888, 'to out': 911261, 'the profiteering': 864628, 'profiteering greedmongers': 683053, 'greedmongers selling': 363460, 'basic at': 111831, 'them exploiting': 875675, 'exploiting frightened': 292431, 'frightened british': 334046, 'and willing': 75707, 'pay them': 645164, 'them let': 875978, 'it trending': 461849, 'trending shopping': 931568, 'love the hashtag': 504807, 'the hashtag thepublicwillremember': 857141, 'hashtag thepublicwillremember need': 378704, 'thepublicwillremember need to': 877889, 'need to out': 556003, 'to out the': 911264, 'out the profiteering': 627408, 'the profiteering greedmongers': 864630, 'profiteering greedmongers selling': 683054, 'greedmongers selling basic': 363461, 'selling basic at': 749178, 'basic at these': 111832, 'these price shame': 880541, 'on them exploiting': 604534, 'them exploiting frightened': 875676, 'exploiting frightened british': 292432, 'frightened british public': 334047, 'british public and': 140575, 'public and those': 687859, 'and those vulnerable': 74040, 'those vulnerable and': 892593, 'vulnerable and willing': 960868, 'and willing to': 75708, 'to pay them': 911566, 'pay them let': 645166, 'them let get': 875979, 'let get it': 486732, 'get it trending': 347435, 'it trending shopping': 461851, 'rina': 722506, 'yashayeva': 1014188, 'amazon expect': 50937, 'expect right': 290720, 'our vp': 625288, 'of marketplace': 586248, 'marketplace strategy': 517838, 'strategy rina': 812704, 'rina yashayeva': 722507, 'yashayeva describes': 1014189, 'describes how': 237962, 'how amazon': 407349, 'is reacting': 451250, '19 amazon': 4948, 'what can brand': 981168, 'can brand on': 157789, 'brand on amazon': 137950, 'on amazon expect': 599277, 'amazon expect right': 50938, 'expect right now': 290721, 'right now our': 722114, 'now our vp': 575491, 'our vp of': 625289, 'vp of marketplace': 960715, 'of marketplace strategy': 586249, 'marketplace strategy rina': 517839, 'strategy rina yashayeva': 812705, 'rina yashayeva describes': 722508, 'yashayeva describes how': 1014190, 'describes how consumer': 237963, 'how consumer search': 407597, 'search behavior ha': 743226, 'changed and how': 172433, 'and how amazon': 64800, 'how amazon is': 407351, 'amazon is reacting': 51007, 'is reacting to': 451252, 'reacting to covid': 700183, 'covid 19 amazon': 212621, 'buhari': 141928, 'lagosschoolclosure': 478965, 'share money': 755099, 'from foreign': 335535, 'foreign reserve': 329005, 'reserve to': 714108, 'food ex': 314423, 'ex minister': 288643, 'minister tell': 533464, 'tell buhari': 836917, 'buhari lagosschoolclosure': 141929, 'share money from': 755100, 'money from foreign': 536767, 'from foreign reserve': 335537, 'foreign reserve to': 329007, 'reserve to nigerian': 714110, 'stock food ex': 802130, 'food ex minister': 314424, 'ex minister tell': 288644, 'minister tell buhari': 533465, 'tell buhari lagosschoolclosure': 836918, 'day23': 228867, 'salvadoran': 732894, 'quesadilla': 693474, 'day23 socialdistancing': 228868, 'socialdistancing sunday': 780767, 'sunday had': 818207, 'to safeway': 913727, 'safeway for': 730838, 'provision found': 687261, 'found flour': 330207, 'flour it': 311130, 'gold now': 355941, 'make salvadoran': 510417, 'salvadoran quesadilla': 732895, 'quesadilla bread': 693475, 'bread thank': 138604, 'you gracias': 1018926, 'gracias to': 361619, 'frontline grocery': 338747, 'store essentialworkers': 807625, 'essentialworkers staysafe': 281960, 'day23 socialdistancing sunday': 228869, 'socialdistancing sunday had': 780768, 'sunday had to': 818208, 'go to safeway': 354351, 'to safeway for': 913728, 'safeway for provision': 730840, 'for provision found': 324844, 'provision found flour': 687262, 'found flour it': 330209, 'flour it like': 311131, 'it like gold': 459363, 'like gold now': 490328, 'gold now want': 355942, 'to make salvadoran': 909732, 'make salvadoran quesadilla': 510418, 'salvadoran quesadilla bread': 732896, 'quesadilla bread thank': 693476, 'bread thank you': 138605, 'thank you gracias': 841734, 'you gracias to': 1018927, 'gracias to all': 361620, 'all frontline grocery': 42883, 'frontline grocery store': 338749, 'grocery store essentialworkers': 365375, 'store essentialworkers staysafe': 807626, 'essentialworkers staysafe quarantinelife': 281961, 'reprieve': 712977, 'in standard': 428228, 'standard bank': 793636, 'bank announced': 109627, 'announced payment': 77017, 'payment holiday': 645649, 'it client': 457174, 'client on': 182075, 'all up': 45327, 'date loan': 226677, 'loan from': 497440, 'from april': 334573, '30 june': 17089, 'june 2020': 467988, 'bank made': 109991, 'announcement amid': 77129, 'growing call': 367131, 'consumer reprieve': 198744, 'reprieve the': 712980, 'just in standard': 469047, 'in standard bank': 428229, 'standard bank announced': 793637, 'bank announced payment': 109628, 'announced payment holiday': 77018, 'payment holiday for': 645650, 'holiday for it': 400301, 'for it client': 322698, 'it client on': 457175, 'client on all': 182076, 'on all up': 599253, 'all up to': 45331, 'to date loan': 903933, 'date loan from': 226678, 'loan from april': 497441, 'from april 2020': 334576, '2020 to 30': 14662, 'to 30 june': 899670, '30 june 2020': 17090, 'june 2020 the': 467990, '2020 the bank': 14633, 'the bank made': 849249, 'bank made the': 109992, 'made the announcement': 507986, 'the announcement amid': 848756, 'announcement amid growing': 77130, 'amid growing call': 52492, 'growing call for': 367132, 'call for consumer': 155858, 'for consumer reprieve': 320287, 'consumer reprieve the': 198745, 'reprieve the country': 712981, 'pandemic txlege': 636857, 'protecting consumer amid': 685185, 'consumer amid the': 196182, 'the pandemic txlege': 863139, 'figuratively': 305178, 'wenotoutside': 978943, 'westernbeefisstacked': 980651, 'this shopping': 890109, 'trip is': 932099, 'is sponsored': 452172, 'by literally': 153058, 'literally and': 494949, 'and figuratively': 62834, 'figuratively socialdistancing': 305179, 'socialdistancing wenotoutside': 780862, 'wenotoutside westernbeefisstacked': 978944, 'westernbeefisstacked western': 980652, 'western beef': 980594, 'beef supermarket': 120552, 'this shopping trip': 890110, 'shopping trip is': 764252, 'trip is sponsored': 932101, 'is sponsored by': 452173, 'sponsored by literally': 789839, 'by literally and': 153059, 'literally and figuratively': 494950, 'and figuratively socialdistancing': 62835, 'figuratively socialdistancing wenotoutside': 305180, 'socialdistancing wenotoutside westernbeefisstacked': 780863, 'wenotoutside westernbeefisstacked western': 978945, 'westernbeefisstacked western beef': 980653, 'western beef supermarket': 980595, 'flipkart and': 310608, 'amazon india': 50990, 'india close': 434345, 'flipkart and amazon': 310609, 'and amazon india': 58045, 'amazon india close': 50991, 'india close their': 434346, 'close their online': 182853, 'and delivery service': 61128, 'delivery service due': 234433, 'proportionate': 684443, 'despondency': 238933, 'be proportionate': 116570, 'proportionate and': 684444, 'create state': 215740, 'and despondency': 61271, 'despondency that': 238934, 'could negatively': 209424, 'negatively affect': 556846, 'affect consumer': 34138, 'to the should': 917063, 'should be proportionate': 765696, 'be proportionate and': 116571, 'proportionate and it': 684445, 'and it should': 65583, 'should not create': 766236, 'not create state': 568923, 'create state of': 215741, 'state of fear': 795805, 'fear and despondency': 301027, 'and despondency that': 61272, 'despondency that could': 238935, 'that could negatively': 843355, 'could negatively affect': 209425, 'negatively affect consumer': 556847, 'affect consumer demand': 34139, 'unjustifiable': 942482, 'competition watchdog': 191749, 'watchdog promise': 968637, 'tackle bad': 831558, 'bad apple': 107764, 'apple charging': 82314, 'charging unjustifiable': 173532, 'unjustifiable price': 942483, 'for drug': 320869, 'competition watchdog promise': 191750, 'watchdog promise to': 968638, 'promise to tackle': 683704, 'to tackle bad': 916124, 'tackle bad apple': 831559, 'bad apple charging': 107765, 'apple charging unjustifiable': 82315, 'charging unjustifiable price': 173533, 'unjustifiable price for': 942484, 'price for drug': 673953, 'knw': 477282, 'to knw': 909009, 'knw that': 477283, 'platform of': 659011, 'pakistan is': 634459, 'taking precautionary': 833525, 'product delivery': 681111, 'delivery process': 234368, 'process who': 679979, 'is guideline': 448245, 'being followed': 125161, 'followed staysafeshoponline': 312607, 'glad to knw': 351527, 'to knw that': 909010, 'knw that the': 477284, 'that the biggest': 846669, 'shopping platform of': 763637, 'platform of pakistan': 659012, 'of pakistan is': 587674, 'pakistan is taking': 634462, 'is taking precautionary': 452561, 'taking precautionary measure': 833526, 'precautionary measure in': 669424, 'measure in their': 525233, 'in their product': 429767, 'their product delivery': 874465, 'product delivery process': 681112, 'delivery process who': 234371, 'process who is': 679980, 'who is guideline': 989078, 'is guideline for': 448246, '19 are being': 5192, 'are being followed': 84861, 'being followed staysafeshoponline': 125162, 'craazy': 214681, 'just worked': 470342, 'worked 10': 1006088, 'is craazy': 446870, 'craazy out': 214682, 'here stayhome': 393596, 'stayhome help': 798017, 'help friend': 389764, 'friend out': 333747, 'just worked 10': 470343, 'worked 10 hour': 1006089, '10 hour shift': 1469, 'shift in supermarket': 758329, 'in supermarket it': 428620, 'it is craazy': 458917, 'is craazy out': 446871, 'craazy out here': 214683, 'out here stayhome': 626296, 'here stayhome help': 393597, 'stayhome help friend': 798018, 'help friend out': 389765, 'the maharashtra': 859888, 'at hotel': 99196, 'hotel with': 405212, 'with discounted': 998074, 'price near': 675309, 'airport for': 40099, 'quarantine win': 692706, 'win win': 995595, 'win situation': 995573, 'since hotel': 770651, 'hotel occupancy': 405169, 'occupancy is': 578987, 'is drastically': 447370, 'drastically down': 258433, 'the maharashtra govt': 859889, 'maharashtra govt is': 508479, 'govt is looking': 361165, 'looking at hotel': 502810, 'at hotel with': 99198, 'hotel with discounted': 405213, 'with discounted price': 998075, 'discounted price near': 244599, 'price near the': 675311, 'near the airport': 553608, 'the airport for': 848507, 'airport for quarantine': 40100, 'for quarantine win': 324902, 'quarantine win win': 692707, 'win win situation': 995597, 'win situation since': 995576, 'situation since hotel': 772485, 'since hotel occupancy': 770652, 'hotel occupancy is': 405170, 'occupancy is drastically': 578988, 'is drastically down': 447372, 'upheavel': 947563, '20 ha': 13085, 'brought illness': 141159, 'illness stock': 416396, 'market nose': 516761, 'nose dive': 567883, 'dive job': 248495, 'loss possible': 503764, 'possible depression': 665618, 'change induced': 172144, 'induced global': 435468, 'global upheavel': 352275, 'upheavel in': 947564, 'security home': 744641, 'home safety': 401997, 'travel yay': 930577, 'roaring 20 ha': 724585, '20 ha brought': 13087, 'ha brought illness': 370035, 'brought illness stock': 141160, 'illness stock market': 416397, 'stock market nose': 802414, 'market nose dive': 516762, 'nose dive job': 567885, 'dive job loss': 248496, 'job loss possible': 465983, 'loss possible depression': 503765, 'possible depression and': 665619, 'depression and climate': 237626, 'and climate change': 59991, 'climate change induced': 182198, 'change induced global': 172145, 'induced global upheavel': 435469, 'global upheavel in': 352276, 'upheavel in food': 947565, 'food security home': 316353, 'security home safety': 744642, 'home safety and': 401998, 'safety and travel': 730466, 'and travel yay': 74414, 'defenseproductionact': 232150, 'trumpliesamericansdie when': 934083, 'could implement': 209321, 'the defenseproductionact': 853034, 'defenseproductionact and': 232151, 'get manufacturing': 347517, 'manufacturing started': 513664, 'on n95masks': 602333, 'n95masks and': 551260, 'and ppe': 69283, 'ppe trump': 668092, 'killing his': 474684, 'own supporter': 632252, 'supporter even': 827087, 'even white': 284794, 'house insider': 406366, 'insider know': 439469, 'trumpliesamericansdie when he': 934084, 'when he could': 983530, 'he could implement': 384857, 'could implement the': 209322, 'implement the defenseproductionact': 418433, 'the defenseproductionact and': 853035, 'defenseproductionact and do': 232152, 'and do what': 61568, 'do what it': 250514, 'what it take': 981758, 'take to fix': 832735, 'to fix price': 905992, 'fix price and': 309744, 'price and get': 672423, 'and get manufacturing': 63585, 'get manufacturing started': 347518, 'manufacturing started on': 513665, 'started on n95masks': 794793, 'on n95masks and': 602334, 'n95masks and ppe': 551261, 'and ppe trump': 69286, 'ppe trump is': 668093, 'trump is killing': 933649, 'is killing his': 449205, 'killing his own': 474685, 'his own supporter': 397681, 'own supporter even': 632253, 'supporter even white': 827088, 'even white house': 284795, 'white house insider': 987852, 'house insider know': 406367, 'insider know it': 439470, 'stressor': 813546, 'financial stressor': 306608, 'stressor have': 813547, 'significant impact': 769463, 'being here': 125232, 'learn to': 484083, 'manage these': 512453, 'these stressor': 880756, 'stressor managing': 813549, 'financial stressor have': 306609, 'stressor have significant': 813548, 'have significant impact': 382551, 'significant impact on': 769464, 'on your mental': 605480, 'well being here': 978058, 'being here great': 125234, 'here great resource': 393060, 'help you learn': 390980, 'you learn to': 1019570, 'learn to manage': 484086, 'to manage these': 909802, 'manage these stressor': 512454, 'these stressor managing': 880757, 'stressor managing financial': 813550, 'lil': 492215, 'toiletpaper when': 922833, 'even notice': 284408, 'paper problem': 640617, 'your while': 1026347, 'while mom': 987056, 'mom clean': 535710, 'clean lil': 180576, 'lil jd': 492222, 'jd made': 464932, 'tp his': 927836, 'his table': 397845, 'table and': 831450, 'and chair': 59705, 'toiletpaper when you': 922836, 'don even notice': 253487, 'even notice the': 284409, 'notice the toilet': 573374, 'toilet paper problem': 921402, 'paper problem that': 640618, 'problem that are': 679700, 'that are going': 842756, 'world today because': 1010092, 'today because your': 919314, 'because your while': 119887, 'your while mom': 1026348, 'while mom clean': 987057, 'mom clean lil': 535711, 'clean lil jd': 180577, 'lil jd made': 492223, 'jd made the': 464933, 'made the tp': 508000, 'the tp his': 869841, 'tp his table': 927837, 'his table and': 397846, 'table and chair': 831452, 'kayla': 471144, 'simpson': 770322, 'person checkout': 652359, 'operator at': 613352, 'supermarket 16': 818731, 'old kayla': 598307, 'kayla simpson': 471145, 'simpson ha': 770329, 'found herself': 330237, 'herself on': 394234, 'first person checkout': 308860, 'person checkout operator': 652360, 'checkout operator at': 174970, 'operator at busy': 613353, 'busy supermarket 16': 144973, 'supermarket 16 year': 818732, '16 year old': 4196, 'year old kayla': 1014839, 'old kayla simpson': 598308, 'kayla simpson ha': 471147, 'simpson ha found': 770330, 'ha found herself': 370673, 'found herself on': 330238, 'herself on the': 394235, 'enoug': 277303, 'chain been': 170547, 'been effected': 121071, 'effected by': 269171, 'supermarket informed': 821035, 'informed the': 438131, 'stock such': 802894, 'basic bread': 111839, 'milk toilet': 531875, 'and confirm': 60284, 'confirm there': 194110, 'is enoug': 447507, 'ha the food': 372199, 'supply chain been': 824915, 'chain been effected': 170549, 'been effected by': 121072, 'effected by just': 269174, 'by just wondering': 152978, 'if you the': 415539, 'you the other': 1021608, 'the other supermarket': 862556, 'other supermarket informed': 621019, 'supermarket informed the': 821036, 'informed the general': 438132, 'general public to': 345462, 'public to the': 688381, 'to the availability': 916502, 'availability of stock': 104165, 'of stock such': 590194, 'stock such the': 802897, 'such the basic': 816798, 'the basic bread': 849303, 'basic bread milk': 111840, 'bread milk toilet': 138536, 'milk toilet paper': 531877, 'paper etc and': 640135, 'etc and confirm': 282405, 'and confirm there': 60286, 'confirm there is': 194111, 'there is enoug': 878554, 'upheaval': 947549, 'report reveal': 712220, 'reveal their': 720253, 'business approach': 143350, 'to international': 908453, 'international expansion': 441799, 'expansion amidst': 290552, 'amidst backdrop': 52777, 'political upheaval': 663692, 'upheaval and': 947550, 'latest report reveal': 481529, 'report reveal their': 712221, 'reveal their business': 720254, 'their business approach': 872675, 'business approach to': 143351, 'approach to international': 82990, 'to international expansion': 908454, 'international expansion amidst': 441800, 'expansion amidst backdrop': 290553, 'amidst backdrop of': 52778, 'backdrop of political': 107519, 'of political upheaval': 588211, 'political upheaval and': 663693, 'upheaval and the': 947552, 'is now out': 450312, 'stock and the': 801833, 'the price should': 864413, 'please do the': 659900, 'fogged': 312026, 'my glass': 548507, 'glass fogged': 351618, 'fogged up': 312027, 'up through': 946297, 'the battery': 849341, 'battery in': 112754, 'both hearing': 135928, 'hearing aid': 388189, 'aid died': 39377, 'fact wa': 295837, 'wa blind': 961717, 'blind and': 132682, 'and deaf': 60973, 'deaf negotiated': 229321, 'negotiated the': 556933, 'of madrid': 586094, 'madrid adventure': 508230, 'morning my glass': 541365, 'my glass fogged': 548510, 'glass fogged up': 351619, 'fogged up through': 312029, 'up through my': 946298, 'through my mask': 894581, 'mask and the': 518377, 'and the battery': 73253, 'the battery in': 849342, 'battery in both': 112755, 'in both hearing': 420921, 'both hearing aid': 135929, 'hearing aid died': 388190, 'aid died at': 39378, 'died at the': 241515, 'same time in': 733358, 'time in fact': 896987, 'in fact wa': 422767, 'fact wa blind': 295838, 'wa blind and': 961718, 'blind and deaf': 132683, 'and deaf negotiated': 60974, 'deaf negotiated the': 229322, 'negotiated the street': 556934, 'street of madrid': 813050, 'of madrid adventure': 586095, 'prescribed': 670469, 'is willing': 453993, 'supply testing': 825944, 'kit at': 475501, 'same quality': 733258, 'quality standard': 691850, 'standard that': 793708, 'have prescribed': 382028, 'prescribed then': 670476, 'nation india': 552225, 'at daily': 98400, 'daily medium': 224697, 'someone is willing': 784536, 'is willing to': 453994, 'willing to supply': 995478, 'to supply testing': 915889, 'supply testing kit': 825945, 'testing kit at': 839531, 'kit at lower': 475503, 'the same quality': 866285, 'same quality standard': 733259, 'quality standard that': 691851, 'standard that we': 793709, 'we have prescribed': 971903, 'have prescribed then': 382029, 'prescribed then please': 670477, 'then please let': 877430, 'let know it': 486861, 'know it will': 476548, 'will be of': 992580, 'be of great': 116145, 'of great service': 584318, 'service to the': 752995, 'the nation india': 861244, 'nation india at': 552226, 'india at daily': 434318, 'at daily medium': 98401, 'daily medium briefing': 224698, 'someone please': 784605, 'please hack': 660046, 'hack into': 372742, 'store loyalty': 808841, 'card data': 163498, 'data click': 226174, 'purchase history': 689492, 'tell who': 837136, 'biggest asshole': 130186, 'asshole are': 96510, 'here then': 393673, 'could all': 208800, 'go egg': 353512, 'tp their': 927976, 'they already': 881131, 'can someone please': 159673, 'someone please hack': 784608, 'please hack into': 660047, 'hack into the': 372743, 'grocery store loyalty': 365546, 'store loyalty card': 808842, 'loyalty card data': 506290, 'card data click': 163499, 'data click on': 226175, 'click on purchase': 181934, 'on purchase history': 603012, 'purchase history and': 689493, 'history and tell': 398003, 'and tell who': 73099, 'tell who the': 837138, 'who the biggest': 989748, 'the biggest asshole': 849641, 'biggest asshole are': 130187, 'asshole are around': 96511, 'are around here': 84615, 'around here then': 93325, 'here then we': 393674, 'then we could': 877723, 'we could all': 971196, 'could all go': 208802, 'all go egg': 42940, 'go egg and': 353513, 'egg and tp': 269775, 'and tp their': 74336, 'tp their house': 927977, 'their house but': 873604, 'house but we': 406225, 'can because they': 157729, 'because they already': 119686, 'they already bought': 881132, 'already bought all': 47239, 'all the egg': 44729, 'the egg and': 854087, 'nc': 553280, 'atty': 102751, 'from nc': 336548, 'nc atty': 553283, 'atty gen': 102752, 'gen josh': 345221, 'stein door': 799440, 'door people': 255691, 'alert from nc': 41433, 'from nc atty': 336549, 'nc atty gen': 553284, 'atty gen josh': 102753, 'gen josh stein': 345222, 'josh stein door': 467346, 'stein door to': 799441, 'to door people': 904670, 'door people trying': 255692, 'sell you covid': 748953, 'teen coughed': 836486, 'amid in': 52508, 'disturbing social': 248417, 'medium trend': 527335, 'teen coughed on': 836487, 'coughed on fruit': 208625, 'and vegetable at': 74878, 'vegetable at grocery': 953939, 'grocery store amid': 365191, 'store amid in': 806165, 'amid in disturbing': 52509, 'in disturbing social': 422323, 'disturbing social medium': 248418, 'social medium trend': 779892, 'woolworth executive': 1004413, 'executive take': 289941, 'take pay': 832485, 'support employee': 826477, 'woolworth executive take': 1004414, 'executive take pay': 289942, 'take pay cut': 832486, 'pay cut due': 644827, '19 to support': 11462, 'to support employee': 915926, 'strong if': 814043, 'like senator': 491157, 'burr and': 142937, 'and kelly': 65804, 'kelly loeffler': 472717, 'loeffler had': 500595, 'had also': 372830, 'attend an': 102299, 'level briefing': 487527, '19 week': 11976, 'week before': 975993, 'it began': 456816, 'began severely': 123429, 'severely impacting': 754095, 'maybe we all': 521869, 'we all feel': 970323, 'all feel that': 42772, 'feel that the': 302876, 'is strong if': 452388, 'strong if we': 814044, 'if we like': 415290, 'we like senator': 972195, 'like senator richard': 491158, 'richard burr and': 721287, 'burr and kelly': 142938, 'and kelly loeffler': 65805, 'kelly loeffler had': 472719, 'loeffler had also': 500596, 'had also been': 372831, 'also been able': 47938, 'able to attend': 24451, 'to attend an': 900817, 'attend an extremely': 102300, 'an extremely high': 56031, 'extremely high level': 293891, 'high level briefing': 395155, 'level briefing on': 487528, 'briefing on covid': 139728, 'covid 19 week': 214056, '19 week before': 11977, 'week before it': 975995, 'before it began': 122878, 'it began severely': 456817, 'began severely impacting': 123430, 'severely impacting the': 754097, 'impacting the economy': 418265, 'wisely': 996710, 'avoidscams': 105515, 'financialhelp': 306648, 'assist others': 96634, 'charity here': 173639, 'donate wisely': 254289, 'wisely charity': 996715, 'charity avoidscams': 173578, 'avoidscams financialhelp': 105516, 'the time when': 869632, 'time when many': 898292, 'when many people': 983718, 'in need if': 425747, 'able to assist': 24450, 'to assist others': 900782, 'assist others and': 96635, 'others and are': 621254, 'and are looking': 58332, 'to charity here': 902657, 'charity here are': 173640, 'to donate wisely': 904658, 'donate wisely charity': 254290, 'wisely charity avoidscams': 996716, 'charity avoidscams financialhelp': 173579, 'feel working': 302935, 'center being': 169166, 'being classed': 124948, 'classed by': 180294, 'government essential': 360070, 'country 2019': 210401, 'study hard': 814904, 'hard so': 378014, 'to stack': 915128, 'shelf 2020': 756675, 'year stacking': 1014972, 'shelf become': 756881, 'job around': 465669, 'around schoolclosuresuk': 93473, 'schoolclosuresuk virus': 742016, 'how feel working': 407860, 'feel working for': 302936, 'working for supermarket': 1008646, 'for supermarket distribution': 326007, 'distribution center being': 248122, 'center being classed': 169167, 'being classed by': 124949, 'classed by the': 180295, 'the government essential': 856535, 'government essential to': 360071, 'to the country': 916604, 'the country 2019': 852040, 'country 2019 the': 210402, '2019 the year': 14029, 'the year to': 872174, 'year to study': 1015048, 'to study hard': 915699, 'study hard so': 814905, 'hard so not': 378015, 'so not to': 777901, 'not to stack': 572189, 'to stack shelf': 915129, 'stack shelf 2020': 791981, 'shelf 2020 the': 756676, '2020 the year': 14645, 'the year stacking': 872170, 'year stacking shelf': 1014973, 'stacking shelf become': 792040, 'shelf become the': 756882, 'become the safest': 120164, 'safest job around': 730429, 'job around schoolclosuresuk': 465670, 'around schoolclosuresuk virus': 93474, 'mall online': 511809, 'shopping mall online': 763234, 'mall online shopping': 511810, 'chain short': 171100, 'short version': 764780, 'version don': 954904, 'hoard panic': 398848, 'owe huge': 631818, 'huge thanks': 410238, 'keeping good': 472433, 'yesterday wa on': 1015924, 'wa on to': 962837, 'on to discus': 604732, 'to discus how': 904377, 'discus how covid': 244862, 'supply chain short': 825034, 'chain short version': 171101, 'short version don': 764781, 'version don hoard': 954905, 'don hoard panic': 253641, 'hoard panic buy': 398849, 'food and we': 313380, 'and we owe': 75312, 'we owe huge': 972680, 'owe huge thanks': 631819, 'huge thanks to': 410240, 'all the business': 44682, 'the business and': 850160, 'business and worker': 143341, 'and worker that': 75882, 'worker that are': 1007911, 'are keeping good': 87656, 'keeping good moving': 472434, 'good moving in': 357425, 'moving in difficult': 544158, 'in difficult circumstance': 422261, 'driving is': 259959, 'is easy': 447429, 'easy the': 265767, 'worker stocking': 1007830, 'shelf sanitizing': 757476, 'sanitizing intensive': 736477, 'unit delivering': 942051, 'and performing': 68901, 'performing other': 651499, 'duty may': 263592, 'own personal': 632128, 'personal vehicle': 652991, 'vehicle not': 954271, 'hero drive': 393978, 'driving is easy': 259960, 'is easy the': 447432, 'easy the street': 265768, 'the street are': 868218, 'empty but many': 274824, 'but many worker': 146364, 'many worker stocking': 514897, 'worker stocking supermarket': 1007831, 'supermarket shelf sanitizing': 822521, 'shelf sanitizing intensive': 757477, 'sanitizing intensive care': 736478, 'care unit delivering': 164244, 'unit delivering meal': 942052, 'delivering meal and': 233524, 'meal and performing': 524094, 'and performing other': 68902, 'performing other essential': 651500, 'other essential duty': 620159, 'essential duty may': 280984, 'duty may not': 263593, 'may not own': 521384, 'not own personal': 570884, 'own personal vehicle': 632131, 'personal vehicle not': 652992, 'vehicle not all': 954272, 'all hero drive': 43109, 'hero drive to': 393979, 'drive to work': 259232, 'no store': 565586, 'store stock': 810388, 'share value': 755327, 'value are': 952092, 'soaring no': 779333, 'no business': 563739, 'booming no': 134888, 'no corona': 563904, 'been blessing': 120744, 'community stophoarding': 190126, 'mass gathering in': 519773, 'gathering in supermarket': 344466, 'in supermarket no': 428637, 'supermarket no store': 821619, 'no store stock': 565591, 'store stock market': 810390, 'stock market share': 802434, 'market share value': 517052, 'share value are': 755328, 'value are soaring': 952093, 'are soaring no': 90230, 'soaring no business': 779334, 'no business is': 563740, 'is booming no': 446227, 'booming no corona': 134889, 'no corona ha': 563905, 'corona ha been': 203970, 'ha been blessing': 369731, 'been blessing for': 120745, 'blessing for the': 132645, 'business community stophoarding': 143555, 'gartner': 343718, 'gartner analyst': 343719, 'analyst discus': 57121, 'what mean': 981860, 'for direct': 320728, 'long via': 501807, 'via caroline': 955847, 'caroline of': 164855, 'of gartnermktg': 584045, 'gartnermktg marketing': 343723, 'marketing mktg': 517653, 'gartner analyst discus': 343720, 'analyst discus what': 57123, 'discus what mean': 244943, 'what mean for': 981861, 'mean for direct': 524435, 'for direct to': 320729, 'the long via': 859686, 'long via caroline': 501808, 'via caroline of': 955848, 'caroline of gartnermktg': 164856, 'of gartnermktg marketing': 584046, 'gartnermktg marketing mktg': 343724, 'going to vote': 355754, 'to vote and': 918238, 'vote and the': 960470, 'me luck illinoisprimary': 523128, 'thought three': 893269, 'western capitalist': 980601, 'capitalist society': 162814, 'society that': 781323, 'would want': 1012381, 'is face': 447682, 'economy cannot': 267742, 'provide one': 686409, 'have thought three': 383127, 'thought three month': 893270, 'three month ago': 893992, 'month ago that': 537545, 'ago that the': 38492, 'thing in western': 884444, 'in western capitalist': 430813, 'western capitalist society': 980602, 'capitalist society that': 162816, 'society that you': 781324, 'you would want': 1022462, 'would want to': 1012383, 'to buy is': 902252, 'buy is face': 148836, 'is face mask': 447683, 'protect yourself in': 685097, 'yourself in the': 1026647, 'supermarket the economy': 823219, 'the economy cannot': 853948, 'economy cannot provide': 267743, 'cannot provide one': 162046, 'provide one for': 686410, 'of team': 590616, 'team hul': 835683, 'such meaningful': 816632, 'meaningful way': 524862, 'way gratitude': 969606, 'respect via': 715089, 'part of team': 642386, 'of team hul': 590617, 'team hul and': 835684, 'hul and be': 410335, 'and be able': 58744, 'able to stand': 24550, 'to stand with': 915167, 'stand with the': 793612, 'with the nation': 1001398, 'nation in such': 552221, 'in such meaningful': 428527, 'such meaningful way': 816633, 'meaningful way gratitude': 524863, 'way gratitude and': 969607, 'gratitude and respect': 362359, 'and respect via': 70336, 'discovers': 244725, 'armor discovers': 92973, 'discovers cyber': 244726, 'cyber underground': 223949, 'underground criminal': 940448, 'criminal exploiting': 216832, 'crisis selling': 218014, 'selling chloroquine': 749196, 'chloroquine covid': 177595, 'kit n95': 475601, 'n95 respirator': 551227, 'respirator for': 715201, 'for sky': 325648, 'price cybersecurity': 673380, 'armor discovers cyber': 92974, 'discovers cyber underground': 244727, 'cyber underground criminal': 223950, 'underground criminal exploiting': 940449, 'criminal exploiting the': 216833, 'exploiting the coronavirus': 292452, 'coronavirus crisis selling': 205767, 'crisis selling chloroquine': 218015, 'selling chloroquine covid': 749197, 'chloroquine covid 19': 177596, 'test kit n95': 839065, 'kit n95 respirator': 475603, 'n95 respirator for': 551230, 'respirator for sky': 715202, 'for sky high': 325649, 'high price cybersecurity': 395244, 'seriously think': 751757, 'start raising': 794451, 'coronavirus have': 206054, 'received letter': 703634, 'letter saying': 487341, 'that both': 843012, 'my broadband': 547546, 'broadband and': 140713, 'and tv': 74539, 'tv will': 936221, 'april surely': 83691, 'surely you': 827962, 'have waited': 383530, 'waited until': 964278, 'did you seriously': 240948, 'you seriously think': 1021129, 'seriously think it': 751758, 'idea to start': 413208, 'to start raising': 915215, 'start raising price': 794452, 'raising price during': 696111, 'during coronavirus have': 262536, 'coronavirus have just': 206055, 'just received letter': 469576, 'received letter saying': 703637, 'letter saying that': 487343, 'saying that both': 739698, 'that both my': 843016, 'both my broadband': 135975, 'my broadband and': 547547, 'broadband and tv': 140715, 'and tv will': 74542, 'tv will be': 936222, 'be increased from': 115461, 'increased from the': 433331, 'beginning of april': 123643, 'of april surely': 580331, 'april surely you': 83692, 'surely you could': 827964, 'you could have': 1018091, 'could have waited': 209273, 'have waited until': 383531, 'waited until after': 964279, 'until after this': 943674, 'take social': 832595, 'distancing more': 247339, 'seriously starting': 751728, 'tomorrow kroger': 924118, 'kroger will': 477782, 'to half': 907092, 'the building': 850093, 'building code': 142062, 'code capacity': 185345, 'for proper': 324811, 'proper physical': 684123, 'also testing': 48960, 'testing one': 839589, 'store are starting': 806525, 'to take social': 916237, 'take social distancing': 832596, 'social distancing more': 779665, 'distancing more seriously': 247340, 'more seriously starting': 540364, 'seriously starting tomorrow': 751729, 'starting tomorrow kroger': 795059, 'tomorrow kroger will': 924119, 'kroger will limit': 477783, 'of shopper to': 589654, 'shopper to half': 761765, 'to half the': 907094, 'half the building': 374269, 'the building code': 850096, 'building code capacity': 142063, 'code capacity to': 185346, 'capacity to allow': 162585, 'allow for proper': 45967, 'for proper physical': 324812, 'proper physical distancing': 684124, 'physical distancing in': 655413, 'distancing in every': 247224, 'every store they': 286226, 're also testing': 698272, 'also testing one': 48961, 'testing one way': 839590, 'one way aisle': 607365, 'notok': 573603, 'when young': 984619, 'young mom': 1022621, 'mom cannot': 535708, 'find special': 307244, 'special formula': 787928, 'formula to': 329720, 'feed her': 302315, 'her baby': 391868, 'baby with': 106744, 'with severe': 1000655, 'severe allergy': 753984, 'allergy ha': 45775, 'ha her': 370857, 'dad travel': 224398, 'travel state': 930517, 'state away': 795409, 'some the': 784031, 'ha problem': 371540, 'problem officially': 679632, 'calling those': 156637, 'those profiting': 892372, 'from nation': 336543, 'crisis sad': 217994, 'sad inhumane': 729180, 'inhumane criminal': 438489, 'criminal stophoarding': 216877, 'stophoarding notok': 805431, 'notok pray': 573604, 'when young mom': 984620, 'young mom cannot': 1022622, 'mom cannot find': 535709, 'cannot find special': 161848, 'find special formula': 307245, 'special formula to': 787929, 'formula to feed': 329722, 'to feed her': 905722, 'feed her baby': 302316, 'her baby with': 391870, 'baby with severe': 106746, 'with severe allergy': 1000656, 'severe allergy ha': 753985, 'allergy ha her': 45776, 'ha her dad': 370858, 'her dad travel': 391979, 'dad travel state': 224399, 'travel state away': 930518, 'state away to': 795410, 'away to find': 106072, 'find some the': 307231, 'some the ha': 784032, 'the ha problem': 857009, 'ha problem officially': 371541, 'problem officially calling': 679633, 'officially calling those': 595993, 'calling those profiting': 156639, 'those profiting from': 892373, 'profiting from nation': 683124, 'from nation crisis': 336544, 'nation crisis sad': 552154, 'crisis sad inhumane': 217995, 'sad inhumane criminal': 729181, 'inhumane criminal stophoarding': 438490, 'criminal stophoarding notok': 216878, 'stophoarding notok pray': 805432, 'fueling': 340341, 'bv9twvpqkb': 151483, 'of fueling': 583997, 'fueling the': 340347, 'oilprices bv9twvpqkb': 597657, 'other of fueling': 620591, 'of fueling the': 583998, 'fueling the price': 340348, 'sector oilprices bv9twvpqkb': 744283, 'pandemic threatening': 636758, 'threatening long': 893816, 'industry across': 435599, 'slashing consumer': 773657, 'spending new': 788924, 'research out': 713807, 'state suggests': 795958, 'suggests it': 817697, 'drive many': 259091, 'state county': 795500, 'county into': 211418, 'into financial': 442559, 'financial collapse': 306348, '19 pandemic threatening': 9501, 'pandemic threatening long': 636759, 'threatening long list': 893817, 'list of business': 494414, 'business and industry': 143314, 'and industry across': 65176, 'industry across the': 435600, 'country and slashing': 210445, 'and slashing consumer': 71736, 'slashing consumer spending': 773658, 'consumer spending new': 199078, 'spending new research': 788925, 'new research out': 559465, 'research out of': 713808, 'of state suggests': 590072, 'state suggests it': 795959, 'suggests it could': 817698, 'it could also': 457351, 'could also drive': 208812, 'also drive many': 48132, 'drive many of': 259092, 'the state county': 867761, 'state county into': 795501, 'county into financial': 211419, 'into financial collapse': 442560, 'fba': 300685, 'fbaops': 300688, 'offering service': 595240, 'service fee': 752361, 'such surgical': 816787, 'mask medical': 518969, 'glove personal': 352862, 'equipment safety': 279823, 'more alibaba': 538587, 'alibaba fba': 41708, 'fba fbaops': 300686, 'fbaops online': 300689, 'onlineshopping shopping': 609934, 'shopping deal': 762439, 'deal discount': 229381, 'discount onlinebusiness': 244519, 'onlinebusiness shoponline': 609787, 'shoponline apparel': 761267, 'are offering service': 88676, 'offering service fee': 595241, 'service fee for': 752362, 'fee for all': 302170, 'for all covid': 319117, '19 related product': 10063, 'related product such': 708521, 'product such surgical': 681661, 'such surgical mask': 816788, 'surgical mask medical': 828361, 'mask medical glove': 518971, 'medical glove personal': 526190, 'glove personal protective': 352863, 'personal protective equipment': 652944, 'protective equipment safety': 685734, 'equipment safety glass': 279824, 'safety glass and': 730552, 'glass and much': 351598, 'much more alibaba': 545094, 'more alibaba fba': 538588, 'alibaba fba fbaops': 41709, 'fba fbaops online': 300687, 'fbaops online onlineshopping': 300690, 'online onlineshopping shopping': 608624, 'onlineshopping shopping deal': 609935, 'shopping deal discount': 762440, 'deal discount onlinebusiness': 229382, 'discount onlinebusiness shoponline': 244520, 'onlinebusiness shoponline apparel': 609788, 'stroll': 813947, 'raindrop': 695775, 'unfortunately for': 941600, 'those hoping': 892065, 'take stroll': 832616, 'stroll or': 813948, 'or venture': 617656, 'essential amid': 280768, 'amid shelter': 52648, 'place measure': 657572, 'dodge raindrop': 251282, 'raindrop will': 695778, 'norm into': 567045, 'unfortunately for those': 941601, 'for those hoping': 327113, 'those hoping to': 892066, 'hoping to take': 403960, 'to take stroll': 916240, 'take stroll or': 832617, 'stroll or venture': 813949, 'or venture to': 617657, 'store for essential': 807800, 'for essential amid': 321093, 'essential amid shelter': 280770, 'amid shelter in': 52649, 'in place measure': 426748, 'place measure the': 657574, 'measure the need': 525368, 'need to dodge': 555908, 'to dodge raindrop': 904618, 'dodge raindrop will': 251283, 'raindrop will be': 695779, 'be the norm': 117641, 'the norm into': 861855, 'norm into this': 567046, 'into this weekend': 443226, 'ordination': 619109, 'address nation': 31998, 'committee made': 189079, 'made national': 507866, 'national co': 552444, 'co ordination': 184930, 'ordination committee': 619110, 'll ensure': 496736, 'ensure hoarder': 277969, 'hoarder don': 399017, 'don artificially': 253342, 'down strongly': 257228, 'strongly against': 814212, 'against hoarder': 37492, 'address nation two': 31999, 'two committee made': 936844, 'committee made national': 189080, 'made national co': 507867, 'national co ordination': 552445, 'co ordination committee': 184931, 'ordination committee economic': 619111, 'committee say we': 189089, 'say we ll': 739456, 'we ll ensure': 972247, 'll ensure hoarder': 496737, 'ensure hoarder don': 277970, 'hoarder don artificially': 399018, 'don artificially increase': 253343, 'we will come': 973842, 'will come down': 992964, 'come down strongly': 187276, 'down strongly against': 257229, 'strongly against hoarder': 814213, 'safe shopping': 729933, 'staying safe shopping': 798698, 'safe shopping online': 729936, 'online during lockdown': 608142, 'during lockdown 19': 262756, 'money we': 537151, 'pandemic because': 634985, 'it parking': 460262, 'parking out': 642112, 'food no money': 315547, 'no money we': 564790, 'money we should': 537155, 'not be panic': 568431, 'be panic of': 116354, 'panic of the': 638356, 'coronavirus pandemic because': 206437, 'pandemic because it': 634986, 'because it parking': 119199, 'it parking out': 460263, 'parking out now': 642113, 'five different': 309606, 'different supermarket': 242078, 'roll over': 725457, 'day coronavirus': 227487, 'this selfisolation': 890022, 'been to five': 122216, 'to five different': 905986, 'five different supermarket': 309607, 'different supermarket looking': 242080, 'toilet roll over': 921595, 'roll over the': 725458, 'few day coronavirus': 303771, 'day coronavirus ha': 227489, 'coronavirus ha reduced': 206033, 'ha reduced to': 371688, 'reduced to this': 706198, 'to this selfisolation': 917459, 'jug': 467705, 'cooler': 203074, 'unopened': 942992, 'refrigerated': 706778, 'thing keep': 884508, 'keep wanting': 472196, 'ask doe': 95511, 'sell can': 748660, 'milk these': 531853, 'aren normal': 92462, 'normal jug': 567195, 'jug in': 467706, 'in cooler': 421778, 'cooler they': 203076, 're just': 698940, 'just on': 469365, 're fresh': 698712, 'produce long': 680341, 'are unopened': 91328, 'unopened they': 942999, 'be refrigerated': 116746, 'refrigerated justathought': 706779, 'one thing keep': 607225, 'thing keep wanting': 884512, 'keep wanting to': 472197, 'wanting to ask': 966299, 'to ask doe': 900751, 'ask doe the': 95512, 'doe the sell': 251619, 'the sell can': 866687, 'sell can of': 748661, 'can of milk': 159090, 'of milk these': 586519, 'milk these aren': 531854, 'these aren normal': 879647, 'aren normal jug': 92463, 'normal jug in': 567196, 'jug in cooler': 467707, 'in cooler they': 421779, 'cooler they re': 203077, 'they re just': 883064, 're just on': 698946, 'just on the': 469369, 'shelf at grocery': 756846, 'they re fresh': 883041, 're fresh produce': 698714, 'fresh produce long': 333056, 'produce long they': 680342, 'long they are': 501742, 'they are unopened': 881446, 'are unopened they': 91329, 'unopened they do': 943000, 'to be refrigerated': 901493, 'be refrigerated justathought': 116747, 'memorial': 528413, 'at salina': 100456, 'salina valley': 732719, 'valley memorial': 951977, 'memorial hospital': 528416, 'many vegetable': 514847, 'store come': 807119, 'from ag': 334413, 'ag worker': 36858, 'for can': 319893, 'get testing': 348197, 'test kit at': 839050, 'kit at salina': 475504, 'at salina valley': 100457, 'salina valley memorial': 732720, 'valley memorial hospital': 951978, 'memorial hospital that': 528417, 'hospital that where': 404675, 'that where many': 847508, 'where many vegetable': 985014, 'many vegetable in': 514848, 'vegetable in your': 954016, 'in your grocery': 431085, 'grocery store come': 365288, 'store come from': 807120, 'come from ag': 187300, 'from ag worker': 334414, 'ag worker are': 36859, 'worker are in': 1006399, 'the field for': 855145, 'field for can': 304474, 'for can we': 319896, 'we get testing': 971628, 'get testing for': 348199, 'testing for them': 839500, 'bigcommerce': 130134, 'post via': 666383, 'via bigcommerce': 955812, 'bigcommerce understanding': 130135, 'behavior ecommerce': 124014, 'new post via': 559328, 'post via bigcommerce': 666384, 'via bigcommerce understanding': 955813, 'bigcommerce understanding the': 130136, 'shopping behavior ecommerce': 762201, 'karma nurse': 470951, 'nurse too': 577522, 'too weak': 925159, 'treat panic': 930864, 'buyer with': 149808, 'selfish git': 748107, 'git panic': 350336, 'nurse need': 577424, 'karma nurse too': 470952, 'nurse too weak': 577523, 'too weak to': 925160, 'weak to treat': 974048, 'to treat panic': 917753, 'treat panic buyer': 930865, 'panic buyer with': 637619, 'buyer with covid': 149809, 'because the selfish': 119645, 'the selfish git': 866663, 'selfish git panic': 748108, 'git panic bought': 350337, 'panic bought the': 637434, 'bought the food': 136738, 'food the nurse': 317125, 'the nurse need': 861984, 'mackle': 507455, 'are dairy': 85700, 'dairy price': 225020, 'price likely': 675051, 'drop from': 260204, 'impact chief': 417597, 'executive dr': 289890, 'dr mackle': 258055, 'mackle say': 507456, 'say farmer': 738631, 'are keen': 87644, 'keen to': 471266, 'chain safe': 171075, 'are dairy price': 85701, 'dairy price likely': 225023, 'price likely to': 675053, 'likely to drop': 492145, 'to drop from': 904769, 'drop from covid': 260205, '19 impact chief': 7692, 'impact chief executive': 417598, 'chief executive dr': 175928, 'executive dr mackle': 289891, 'dr mackle say': 258056, 'mackle say farmer': 507457, 'say farmer are': 738632, 'farmer are keen': 299283, 'are keen to': 87645, 'keen to keep': 471268, 'supply chain safe': 825028, 'drawn': 258539, 'justice mentioned': 470418, 'mentioned the': 528846, 'store hobby': 808162, 'hobby lobby': 399772, 'lobby twice': 497589, 'twice during': 936524, 'news conference': 560323, 'conference but': 193723, 'detail nationally': 239216, 'nationally some': 552697, 'have drawn': 380363, 'drawn criticism': 258542, 'criticism for': 218763, 'not closing': 568783, 'closing during': 183629, 'justice mentioned the': 470419, 'mentioned the retail': 528848, 'retail store hobby': 718644, 'store hobby lobby': 808163, 'hobby lobby twice': 399773, 'lobby twice during': 497590, 'twice during the': 936525, 'during the news': 263158, 'the news conference': 861608, 'news conference but': 560324, 'conference but did': 193724, 'but did not': 145527, 'did not provide': 240728, 'not provide additional': 571139, 'provide additional detail': 686214, 'additional detail nationally': 31810, 'detail nationally some': 239217, 'nationally some of': 552698, 'retail chain store': 717944, 'chain store have': 171134, 'store have drawn': 808078, 'have drawn criticism': 380364, 'drawn criticism for': 258543, 'criticism for not': 218764, 'for not closing': 323923, 'not closing during': 568784, 'closing during the': 183630, 'patient just': 644199, 'just brief': 468367, 'brief message': 139677, 'kind retailworkers': 474965, 'retailworkers grocerystoreworkers': 719597, 'safe and patient': 729466, 'and patient just': 68773, 'patient just brief': 644200, 'just brief message': 468368, 'brief message about': 139678, 'message about retail': 529252, 'retail worker and': 718870, 'store worker please': 811559, 'worker please be': 1007587, 'be kind retailworkers': 115622, 'kind retailworkers grocerystoreworkers': 474966, 'never in': 558074, 'in million': 425326, 'million year': 532433, 'thought have': 893072, 'been queuing': 121762, 'mask please': 519122, 'please everyone': 659969, 'everyone stick': 287413, 'stick to': 800060, 'absolutely essential': 27353, 'essential savelives': 281486, 'savelives stayhomesavelives': 737779, 'never in million': 558077, 'in million year': 425328, 'million year have': 532434, 'year have thought': 1014611, 'have thought have': 383120, 'thought have been': 893073, 'have been queuing': 379651, 'been queuing at': 121763, 'queuing at supermarket': 694197, 'at supermarket store': 100774, 'supermarket store like': 823006, 'store like this': 808735, 'like this and': 491468, 'this and wearing': 886357, 'wearing mask please': 974708, 'mask please everyone': 519123, 'please everyone stick': 659971, 'everyone stick to': 287414, 'stick to the': 800066, 'to the rule': 917032, 'rule and stay': 727193, 'and stay in': 72295, 'stay in home': 797047, 'in home unless': 423790, 'home unless absolutely': 402395, 'unless absolutely essential': 942596, 'absolutely essential savelives': 27354, 'essential savelives stayhomesavelives': 281487, 'thanks but': 842030, 'look tested': 502607, 'people picked': 649110, 'picked in': 655794, 'sardine are': 736757, 'thanks but now': 842031, 'but now look': 146608, 'now look tested': 575253, 'look tested positive': 502608, 'positive and all': 665254, 'those people picked': 892327, 'people picked in': 649111, 'picked in like': 655795, 'like sardine are': 491129, 'sardine are at': 736759, 'mick': 530407, 'mulvaney': 545860, 'downplayed': 257673, 'mick mulvaney': 530408, 'mulvaney wa': 545861, 'coming and': 187985, 'going of': 355290, 'people he': 648219, 'he downplayed': 384917, 'downplayed the': 257678, 'of while': 593114, 'while being': 986642, 'being secretly': 125727, 'secretly tested': 743983, 'also destroyed': 48098, 'destroyed the': 239070, 'from within': 338394, 'within at': 1002333, 'mick mulvaney wa': 530409, 'mulvaney wa concerned': 545862, 'about the coming': 26353, 'the coming and': 851193, 'coming and going': 187987, 'and going of': 63806, 'going of the': 355291, 'american people he': 52124, 'people he downplayed': 648222, 'he downplayed the': 384918, 'downplayed the threat': 257679, 'threat of while': 893705, 'of while being': 593115, 'while being secretly': 986648, 'being secretly tested': 125728, 'secretly tested and': 743984, 'tested and he': 839264, 'and he also': 64312, 'he also destroyed': 384729, 'also destroyed the': 48099, 'destroyed the from': 239072, 'the from within': 855839, 'from within at': 338395, 'within at time': 1002334, 'time when consumer': 898281, 'when consumer will': 983281, 'consumer will need': 199548, 'will need it': 994148, 'time making': 897183, 'making sign': 511341, 'for drive': 320852, 'and sticker': 72361, 'sticker for': 800081, 'for company that': 320206, 'company that make': 191178, 'that make them': 845004, 'make them we': 510618, 're currently in': 698493, 'currently in full': 221565, 'in full time': 423177, 'full time making': 340941, 'time making sign': 897184, 'making sign for': 511342, 'sign for drive': 769121, 'for drive through': 320853, 'drive through covid': 259176, '19 testing site': 11110, 'site and sticker': 771878, 'and sticker for': 72362, 'sticker for supermarket': 800083, 'for supermarket floor': 326011, 'phi': 654676, 'suppose there': 827316, 'no hipaa': 564426, 'hipaa issue': 396943, 'going ahead': 355003, 'and printing': 69506, 'printing full': 678340, 'full out': 340788, 'out list': 626509, 'case minus': 165864, 'minus phi': 533688, 'phi think': 654677, 'consumer agrees': 196126, 'agrees with': 38826, 'many essential': 514039, 'suppose there no': 827317, 'there no hipaa': 878814, 'no hipaa issue': 564427, 'hipaa issue with': 396944, 'issue with or': 456015, 'with or going': 999934, 'or going ahead': 615493, 'going ahead and': 355004, 'ahead and printing': 39137, 'and printing full': 69507, 'printing full out': 678341, 'full out list': 340789, 'out list of': 626510, 'list of case': 494417, 'of case minus': 581170, 'case minus phi': 165865, 'minus phi think': 533689, 'phi think the': 654678, 'think the general': 885634, 'the general consumer': 856204, 'general consumer agrees': 345303, 'consumer agrees with': 196127, 'agrees with you': 38828, 'with you that': 1002164, 'you that there': 1021580, 'are many essential': 88027, 'sanitizer station': 735789, 'station like': 796450, 'this publichealth': 889757, 'publichealth washyourhands': 688548, 'we need more': 972518, 'need more hand': 555258, 'hand sanitizer station': 375597, 'sanitizer station like': 735791, 'station like this': 796451, 'like this publichealth': 491519, 'this publichealth washyourhands': 889758, 'run heading': 727665, 'huge stuff': 410216, 'food see': 316374, 'supply run heading': 825784, 'run heading to': 727666, 'heading to walmart': 385967, 'then ll get': 877317, 'll get the': 496793, 'get the huge': 348253, 'the huge stuff': 857705, 'huge stuff from': 410217, 'like egg can': 490160, 'egg can food': 269814, 'can food see': 158370, 'food see if': 316376, 'get all need': 346520, 'all need for': 43596, 'finally paris': 306067, 'paris 2020': 641826, 'picture taken': 656196, 'taken on': 833042, 'march 16th': 515090, '16th on': 4288, 'store finally': 807721, 'finally france': 306003, 'ha realized': 371644, 'realized the': 701916, 'down stay': 257208, 'safe my': 729829, 'my dear': 547957, 'dear stat': 229881, 'stat home': 795319, 'finally paris 2020': 306068, 'paris 2020 picture': 641827, '2020 picture taken': 14516, 'picture taken on': 656197, 'taken on monday': 833043, 'on monday march': 602171, 'monday march 16th': 536318, 'march 16th on': 515092, '16th on my': 4289, 'grocery store finally': 365396, 'store finally france': 807723, 'finally france ha': 306004, 'france ha realized': 331003, 'ha realized the': 371645, 'realized the danger': 701917, 'danger of and': 225673, 'of and is': 580164, 'is in lock': 448784, 'lock down stay': 499052, 'down stay safe': 257209, 'stay safe my': 797254, 'safe my dear': 729830, 'my dear stat': 547960, 'dear stat home': 229882, 'stat home stayhome': 795320, 'aghotline': 38278, 'michigan attorney': 530320, 'general dana': 345313, 'dana nessel': 225552, 'nessel today': 557517, 'protection intake': 685489, 'intake team': 440933, 'complaint pricegouging': 192011, 'pricegouging aghotline': 677784, 'michigan attorney general': 530321, 'attorney general dana': 102632, 'general dana nessel': 345314, 'dana nessel today': 225553, 'nessel today extended': 557518, 'today extended the': 919508, 'extended the hour': 293197, 'of operation for': 587300, 'operation for her': 613184, 'for her consumer': 322217, 'her consumer protection': 391961, 'consumer protection intake': 198538, 'protection intake team': 685491, 'intake team the': 440934, 'team the number': 835794, 'number of price': 576978, 'gouging complaint pricegouging': 359292, 'complaint pricegouging aghotline': 192012, 'bogg': 133974, 'correct term': 207528, 'coronavirus corovid19': 205705, 'corovid19 coronacrisis': 207168, 'great bogg': 362530, 'bogg crisis': 133975, 'crisis bathroom': 217113, 'bathroom crisis': 112641, 'crisis cannot': 217188, 'anything crisis': 80720, 'crisis supermarket': 218117, 'supermarket crisis': 819863, 'crisis fan': 217369, 'fan crisis': 298511, 'crisis please': 217877, 'add something': 31490, 'correct term for': 207529, 'term for coronavirus': 838148, 'for coronavirus corovid19': 320379, 'coronavirus corovid19 coronacrisis': 205706, 'corovid19 coronacrisis the': 207169, 'coronacrisis the great': 204813, 'the great bogg': 856715, 'great bogg crisis': 362531, 'bogg crisis bathroom': 133976, 'crisis bathroom crisis': 217114, 'bathroom crisis cannot': 112642, 'crisis cannot buy': 217189, 'cannot buy anything': 161688, 'buy anything crisis': 148361, 'anything crisis supermarket': 80721, 'crisis supermarket crisis': 218119, 'supermarket crisis fan': 819864, 'crisis fan crisis': 217370, 'fan crisis please': 298512, 'crisis please add': 217878, 'please add something': 659635, 'add something extra': 31491, 'publication': 688508, 'the fdic': 855029, 'fdic ha': 300973, 'released special': 709080, 'news publication': 560717, 'publication the': 688517, 'the focus': 855478, 'the fdic ha': 855030, 'fdic ha released': 300974, 'ha released special': 371710, 'released special edition': 709081, 'special edition of': 787903, 'edition of it': 268631, 'it consumer news': 457291, 'consumer news publication': 198215, 'news publication the': 560718, 'publication the focus': 688518, 'the focus on': 855481, 'on what consumer': 605217, 'what consumer need': 981254, 'consumer need to': 198202, 'coronavirus pandemic and': 206434, 'and what it': 75473, 'for their finance': 326827, 'rising eat': 723206, 'demand soar': 236247, 'soar during': 779240, 'are rising eat': 89712, 'rising eat at': 723207, 'home demand soar': 401059, 'demand soar during': 236249, 'soar during the': 779241, 'photograph': 655275, 'folkestone': 312327, 'streetphotography': 813207, 'more photograph': 540070, 'photograph of': 655276, 'supermarket based': 819307, 'in folkestone': 422953, 'folkestone stayathome': 312328, 'stayathome streetphotography': 797676, 'streetphotography panicbuying': 813208, 'panicbuying folkestone': 638941, 'more photograph of': 540071, 'photograph of panic': 655277, 'buying in tesco': 150546, 'in tesco supermarket': 428883, 'tesco supermarket based': 838820, 'supermarket based in': 819308, 'based in folkestone': 111618, 'in folkestone stayathome': 422954, 'folkestone stayathome streetphotography': 312329, 'stayathome streetphotography panicbuying': 797677, 'streetphotography panicbuying folkestone': 813209, 'heard on': 388129, 'street for': 812971, 'next several': 561545, 'several month': 753899, 'data won': 226499, 'won reflect': 1003891, 'consumption pattern': 199927, 'pattern and': 644446, 'won guide': 1003829, 'guide policy': 368347, 'policy maker': 663441, 'maker in': 510833, 'usual way': 951056, 'way via': 970153, 'via inflation': 956032, 'inflation economy': 437167, 'economy federalreserve': 267867, 'heard on the': 388131, 'the street for': 868227, 'street for the': 812972, 'the next several': 861694, 'next several month': 561546, 'several month consumer': 753901, 'month consumer price': 537655, 'index data won': 434181, 'data won reflect': 226500, 'won reflect the': 1003892, 'reflect the drastic': 706627, 'the drastic change': 853669, 'change in consumption': 172112, 'in consumption pattern': 421734, 'consumption pattern and': 199928, 'pattern and won': 644450, 'and won guide': 75819, 'won guide policy': 1003830, 'guide policy maker': 368348, 'policy maker in': 663442, 'maker in the': 510834, 'in the usual': 429641, 'the usual way': 870596, 'usual way via': 951057, 'way via inflation': 970154, 'via inflation economy': 956033, 'inflation economy federalreserve': 437168, 'nordstrom': 567011, 'forgo': 329384, 'nordstrom executive': 567015, 'executive leadership': 289911, 'leadership group': 483609, 'group will': 366973, 'will forgo': 993478, 'forgo part': 329385, 'their salary': 874620, 'salary from': 731973, 'through september': 894665, 'september retail': 751163, 'retail nordstrom': 718333, 'nordstrom executive leadership': 567016, 'executive leadership group': 289912, 'leadership group will': 483610, 'group will forgo': 366974, 'will forgo part': 993479, 'forgo part of': 329386, 'part of their': 642389, 'of their salary': 591698, 'their salary from': 874621, 'salary from april': 731974, 'from april through': 334579, 'april through september': 83704, 'through september retail': 894666, 'september retail nordstrom': 751164, 'smmc': 775839, 'uisedu': 938128, 'uiuc': 938134, 'uic': 938123, 'the unfortunate': 870396, 'unfortunate rise': 941565, 'scam know': 740228, 'wary smmc': 967412, 'smmc uisedu': 775840, 'uisedu uiuc': 938129, 'uiuc uic': 938135, 'uic ftc': 938124, 'ftc ha more': 339406, 'ha more update': 371297, 'more update on': 540859, 'on the unfortunate': 604418, 'the unfortunate rise': 870397, 'unfortunate rise in': 941566, 'rise in covid': 722877, '19 scam know': 10345, 'scam know what': 740229, 'and be wary': 58773, 'be wary smmc': 118050, 'wary smmc uisedu': 967413, 'smmc uisedu uiuc': 775841, 'uisedu uiuc uic': 938130, 'uiuc uic ftc': 938136, 'realme': 702732, 'realmetv': 702744, 'mitv5': 534576, 'mi10': 530143, 'mi10pro': 530146, 'realmenarzo': 702738, 'realmenarzo10': 702741, 'mi tv': 530141, 'tv realme': 936168, 'realme tv': 702733, 'tv release': 936172, 'release date': 708935, 'date feature': 226623, 'feature price': 301560, 'price full': 674133, 'video realmetv': 956874, 'realmetv mitv5': 702745, 'mitv5 mi10': 534577, 'mi10 mi10pro': 530144, 'mi10pro realmenarzo': 530147, 'realmenarzo realmenarzo10': 702739, 'realmenarzo10 stayathomechallenge': 702742, 'stayathomechallenge indiafightscoronavirus': 797735, 'mi tv realme': 530142, 'tv realme tv': 936169, 'realme tv release': 702734, 'tv release date': 936173, 'release date feature': 708937, 'date feature price': 226624, 'feature price full': 301561, 'price full video': 674136, 'full video realmetv': 340966, 'video realmetv mitv5': 956875, 'realmetv mitv5 mi10': 702746, 'mitv5 mi10 mi10pro': 534578, 'mi10 mi10pro realmenarzo': 530145, 'mi10pro realmenarzo realmenarzo10': 530148, 'realmenarzo realmenarzo10 stayathomechallenge': 702740, 'realmenarzo10 stayathomechallenge indiafightscoronavirus': 702743, 'fair this': 296383, 'nurse is': 577390, 'is faced': 447684, 'climate before': 182183, 'before having': 122843, 'provide critical': 686253, 'care we': 164256, 'stand together': 793595, 'show solidarity': 767140, 'solidarity in': 781934, 'not fair this': 569355, 'fair this nurse': 296385, 'this nurse is': 889193, 'nurse is faced': 577391, 'is faced with': 447685, 'current climate before': 221128, 'climate before having': 182184, 'before having to': 122844, 'back to provide': 107392, 'to provide critical': 912387, 'provide critical care': 686254, 'critical care we': 218528, 'care we need': 164258, 'need to stand': 556079, 'to stand together': 915165, 'stand together and': 793596, 'together and show': 920698, 'and show solidarity': 71616, 'show solidarity in': 767141, 'solidarity in hour': 781935, 'in hour of': 423839, 'hour of need': 405798, 'personally would': 653057, 'hatred and': 378974, 'and hatred': 64216, 'get medicine': 347558, 'in tight': 430066, 'tight space': 895841, 'space what': 787189, 'information wa': 438029, 'wa necessary': 962691, 'personally would like': 653058, 'le hatred and': 482975, 'hatred and hatred': 378976, 'and hatred panic': 64217, 'hatred panic about': 378980, 'panic about more': 637257, 'about more practical': 25753, 'practical information on': 668470, 'you know ha': 1019498, 'to get medicine': 906532, 'get medicine food': 347559, 'medicine food etc': 526779, 'live in tight': 495890, 'in tight space': 430067, 'tight space what': 895842, 'space what is': 787190, 'keep everyone safe': 471480, 'everyone safe this': 287334, 'safe this information': 730035, 'this information wa': 888117, 'information wa necessary': 438030, 'alarm': 40664, 'sounded': 786350, 'squandered': 791457, 'alarm sounded': 40679, 'sounded in': 786351, 'that novel': 845414, 'china might': 176823, 'might ignite': 531047, 'ignite global': 415733, 'administration squandered': 32503, 'squandered nearly': 791458, 'nearly month': 553845, 'been used': 122308, 'federal stockpile': 302063, 'stockpile of': 803780, 'of critically': 582212, 'alarm sounded in': 40680, 'sounded in january': 786352, 'in january that': 424362, 'january that novel': 464678, 'that novel coronavirus': 845415, 'novel coronavirus outbreak': 573761, 'in china might': 421415, 'china might ignite': 176824, 'might ignite global': 531048, 'ignite global pandemic': 415734, 'pandemic the trump': 636709, 'trump administration squandered': 933382, 'administration squandered nearly': 32504, 'squandered nearly month': 791459, 'nearly month that': 553846, 'month that could': 538034, 'that could have': 843352, 'have been used': 379734, 'been used to': 122311, 'used to bolster': 950039, 'bolster the federal': 134148, 'the federal stockpile': 855081, 'federal stockpile of': 302064, 'stockpile of critically': 803783, 'of critically needed': 582214, 'critically needed medical': 218742, 'goldprice': 356099, 'goldfutures': 356084, 'stimulusplan': 801654, 'goldprice and': 356100, 'and goldfutures': 63820, 'goldfutures have': 356085, 'significant gap': 769456, 'two amid': 936778, 'panicbuying also': 638896, 'the stimulusplan': 867897, 'stimulusplan might': 801658, 'expect read': 290710, 'goldprice and goldfutures': 356101, 'and goldfutures have': 63821, 'goldfutures have significant': 356086, 'have significant gap': 382550, 'significant gap between': 769457, 'gap between the': 343436, 'the two amid': 870143, 'two amid the': 936779, 'amid the panicbuying': 52708, 'the panicbuying also': 863237, 'panicbuying also the': 638897, 'also the stimulusplan': 48987, 'the stimulusplan might': 867898, 'stimulusplan might not': 801659, 'might not help': 531095, 'not help the': 569932, 'help the stock': 390682, 'stock market in': 802404, 'way you expect': 970203, 'you expect read': 1018482, 'expect read more': 290711, 'maryland do': 518199, 'your mate': 1024794, 'maryland do you': 518200, 'you see your': 1021079, 'see your mate': 746123, 'avoid stressful': 105301, 'supermarket scene': 822337, 'support economically': 826467, 'vulnerable local': 961034, 'owner by': 632417, 'by spending': 154089, 'spending your': 789064, 'money at': 536615, 'small market': 775025, 'market instead': 516599, 'box retailer': 137149, 'can still avoid': 159762, 'still avoid stressful': 800232, 'avoid stressful supermarket': 105302, 'stressful supermarket scene': 813512, 'supermarket scene and': 822338, 'scene and support': 741303, 'and support economically': 72837, 'support economically vulnerable': 826468, 'economically vulnerable local': 267396, 'vulnerable local business': 961035, 'local business owner': 497773, 'business owner by': 144182, 'owner by spending': 632419, 'by spending your': 154092, 'spending your money': 789065, 'your money at': 1024853, 'money at small': 536617, 'at small market': 100560, 'small market instead': 775026, 'market instead of': 516601, 'instead of big': 440237, 'of big box': 580697, 'big box retailer': 129660, 'medlife': 527364, 'sanitizer should': 735736, 'be secondary': 117026, 'secondary to': 743891, 'soap in': 779038, 'some situation': 783884, 'situation when': 772574, 'disinfectant may': 245711, 'useful 19': 950138, 'healthcare hospital': 387141, 'hospital medlife': 404508, 'medlife wellness': 527365, 'hand sanitizer should': 375588, 'sanitizer should really': 735738, 'really be secondary': 702014, 'be secondary to': 117027, 'secondary to washing': 743892, 'to washing your': 918356, 'with soap in': 1000800, 'soap in some': 779039, 'in some situation': 428102, 'some situation when': 783886, 'situation when you': 772575, 'is not possible': 450155, 'not possible to': 571058, 'possible to wash': 665855, 'hand and disinfectant': 374756, 'and disinfectant may': 61448, 'disinfectant may be': 245712, 'may be useful': 521047, 'be useful 19': 117930, 'useful 19 healthcare': 950139, '19 healthcare hospital': 7488, 'healthcare hospital medlife': 387142, 'hospital medlife wellness': 404509, 'disturbing pennsylvania': 248413, 'store lost': 808835, 'lost over': 503903, 'over 35': 629835, '00 after': 45, 'bakery meat': 108866, 'meat grocery': 525603, 'grocery case': 364346, 'produce the': 680453, 'disturbing pennsylvania grocery': 248414, 'grocery store lost': 365545, 'store lost over': 808836, 'lost over 35': 503904, 'over 35 00': 629836, '35 00 after': 17860, '00 after woman': 46, 'coughed on food': 208624, 'the bakery meat': 849204, 'bakery meat grocery': 108867, 'meat grocery case': 525604, 'grocery case and': 364347, 'case and fresh': 165623, 'and fresh produce': 63300, 'fresh produce the': 333065, 'produce the woman': 680458, 'woman is being': 1003532, 'the just in': 858718, 'in case read': 421269, 'extorting': 293376, 'collar': 186161, 'ojek': 597748, '19 every': 6863, 'every service': 286155, 'service go': 752422, 'to loss': 909468, 'loss it': 503716, 'it revenue': 460762, 'shopping medical': 763271, 'medical consultation': 526115, 'consultation do': 195884, 'are extorting': 86383, 'extorting the': 293377, 'the blue': 849799, 'blue collar': 133439, 'collar employee': 186162, 'mid class': 530562, 'class society': 180262, 'society work': 781369, 'in logistic': 424867, 'logistic and': 500691, 'and ojek': 68028, 'ojek online': 597749, 'online industry': 608412, 'covid 19 every': 213047, '19 every service': 6867, 'every service go': 286156, 'service go online': 752423, 'go online not': 353913, 'online not to': 608587, 'not to loss': 572164, 'to loss it': 909471, 'loss it revenue': 503717, 'it revenue from': 460763, 'revenue from food': 720417, 'from food and': 335503, 'food and product': 313316, 'and product delivery': 69565, 'product delivery service': 681113, 'delivery service online': 234452, 'online shopping medical': 609186, 'shopping medical consultation': 763272, 'medical consultation do': 526116, 'consultation do not': 195885, 'not you realize': 572615, 'you are extorting': 1017118, 'are extorting the': 86384, 'extorting the blue': 293378, 'the blue collar': 849800, 'blue collar employee': 133440, 'collar employee and': 186163, 'employee and mid': 273571, 'and mid class': 66993, 'mid class society': 530564, 'class society work': 180263, 'society work in': 781370, 'work in logistic': 1005322, 'in logistic and': 424868, 'logistic and ojek': 500692, 'and ojek online': 68029, 'ojek online industry': 597750, 'month usa': 538095, 'usa is': 948673, 'throughout the next': 894977, 'next month usa': 561461, 'month usa is': 538096, 'usa is offering': 948677, 'ongoing pandemic to': 607673, 'pandemic to learn': 636784, 'learn more click': 484020, 'more click here': 538822, 'an analysis': 55300, 'impact attributed': 417574, 'by mckinsey': 153188, 'mckinsey ha': 522199, 'ha estimated': 370515, 'estimated that': 282302, 'point due': 662473, 'product supply': 681669, 'disruption and': 246440, 'an analysis of': 55302, 'economic impact attributed': 267128, 'impact attributed to': 417575, 'attributed to covid': 102746, '19 by mckinsey': 5566, 'by mckinsey ha': 153189, 'mckinsey ha estimated': 522200, 'ha estimated that': 370516, 'estimated that africa': 282303, 'percentage point due': 651221, 'point due to': 662474, 'due to loss': 261854, 'to loss in': 909470, 'loss in non': 503706, 'in non oil': 425925, 'oil product supply': 597357, 'product supply chain': 681670, 'chain disruption and': 170650, 'disruption and drop': 246442, 'drop in commodity': 260233, 'mehra': 527858, 'relieved': 709546, 'say mehra': 738935, 'mehra inspired': 527859, 'inspired me': 439844, 'me noticed': 523233, 'noticed an': 573420, 'elderly couple': 270638, 'couple looking': 211618, 'looking nervous': 502975, 'nervous before': 557458, 'before entering': 122774, 'when offered': 983787, 'seemed so': 746719, 'so relieved': 778122, 'relieved if': 709547, 'consider offering': 195046, 'proud to say': 686060, 'to say mehra': 913830, 'say mehra inspired': 738936, 'mehra inspired me': 527860, 'inspired me noticed': 439845, 'me noticed an': 523234, 'noticed an elderly': 573421, 'an elderly couple': 55634, 'elderly couple looking': 270641, 'couple looking nervous': 211619, 'looking nervous before': 502976, 'nervous before entering': 557459, 'before entering the': 122777, 'store when offered': 811245, 'when offered to': 983788, 'offered to help': 594978, 'them they seemed': 876423, 'they seemed so': 883302, 'seemed so relieved': 746720, 'so relieved if': 778123, 'relieved if you': 709548, 'you re able': 1020554, 'able to consider': 24463, 'to consider offering': 903229, 'consider offering to': 195047, 'offering to help': 595305, 'help others socialdistancing': 390215, 'poopourri': 664095, 'founditonamazon': 330570, 'poopchallenge': 664077, 'tp there': 927978, 'be lot': 115834, 'of poo': 588218, 'poo ing': 663995, 'ing going': 438282, 'it soon': 461176, 'this thursday': 890605, 'thursday poopourri': 895410, 'poopourri toiletpaper': 664096, 'toiletpapercrisis founditonamazon': 923024, 'founditonamazon toiletpaperapocalypse': 330571, 'toiletpaperapocalypse poopchallenge': 922915, 'on the lack': 604200, 'lack of tp': 478664, 'of tp there': 592382, 'tp there must': 927979, 'must be lot': 546523, 'be lot of': 115835, 'lot of poo': 504252, 'of poo ing': 588219, 'poo ing going': 663996, 'ing going on': 438283, 'going on so': 355334, 'on so you': 603527, 'need this get': 555818, 'this get it': 887686, 'get it soon': 347424, 'it soon this': 461177, 'soon this thursday': 785857, 'this thursday poopourri': 890607, 'thursday poopourri toiletpaper': 895411, 'poopourri toiletpaper toiletpapercrisis': 664097, 'toiletpaper toiletpapercrisis founditonamazon': 922655, 'toiletpapercrisis founditonamazon toiletpaperapocalypse': 923025, 'founditonamazon toiletpaperapocalypse poopchallenge': 330572, 'forgiven': 329376, 'million are': 532072, 'are produced': 89249, 'the each': 853807, 'each and': 263993, 'every year': 286380, 'year yet': 1015123, 'yet looking': 1016140, 'be forgiven': 114924, 'forgiven for': 329377, 'for thinking': 327001, 'had wiped': 373799, 'entire egg': 278668, 'egg laying': 269905, 'laying industry': 482658, 'industry our': 436034, 'are sh': 90011, '12 million are': 2882, 'million are produced': 532075, 'are produced in': 89252, 'produced in the': 680526, 'in the each': 429155, 'the each and': 853808, 'each and every': 263994, 'and every year': 62385, 'every year yet': 286383, 'year yet looking': 1015124, 'yet looking at': 1016141, 'looking at some': 502823, 'at some shelf': 100579, 'some shelf you': 783842, 'shelf you could': 757846, 'could be forgiven': 208870, 'be forgiven for': 114925, 'forgiven for thinking': 329378, 'for thinking that': 327002, 'thinking that had': 885998, 'that had wiped': 844160, 'had wiped out': 373800, 'out the entire': 627362, 'the entire egg': 854353, 'entire egg laying': 278669, 'egg laying industry': 269906, 'laying industry our': 482659, 'industry our supermarket': 436035, 'our supermarket chain': 625010, 'chain really are': 171031, 'really are sh': 701990, 'flatbread': 310106, 'with shortage': 1000704, 'isolation during': 455254, 'epidemic you': 279479, 'be running': 116929, 'bread here': 138486, 'here really': 393510, 'really quick': 702504, 'quick easy': 694309, 'easy eco': 265693, 'eco friendly': 266656, 'friendly flatbread': 333959, 'flatbread recipe': 310107, 'with shortage in': 1000705, 'supermarket and or': 819031, 'and or self': 68229, 'or self isolation': 616995, 'self isolation during': 747765, 'isolation during the': 455256, 'coronavirus epidemic you': 205883, 'epidemic you may': 279480, 'may be running': 521024, 'be running short': 116930, 'short of bread': 764656, 'of bread here': 580842, 'bread here really': 138487, 'here really quick': 393511, 'really quick easy': 702505, 'quick easy eco': 694310, 'easy eco friendly': 265694, 'eco friendly flatbread': 266657, 'friendly flatbread recipe': 333960, 'preaches': 669232, 'serious we': 751509, 'for fight': 321465, 'saudi over': 737286, 'over them': 630800, 'them cutting': 875577, 'cutting oil': 223750, 'trump preaches': 933757, 'preaches and': 669233, 'on dealing': 600237, 'you serious we': 1021126, 'serious we re': 751510, 'pandemic and you': 634921, 'looking for fight': 502866, 'for fight with': 321466, 'fight with saudi': 304954, 'with saudi over': 1000583, 'saudi over them': 737287, 'over them cutting': 630801, 'them cutting oil': 875578, 'cutting oil price': 223751, 'oil price how': 597162, 'price how about': 674587, 'about you do': 26971, 'you do what': 1018278, 'do what trump': 250517, 'what trump preaches': 982492, 'trump preaches and': 933758, 'preaches and focus': 669234, 'focus on dealing': 311870, 'on dealing with': 600238, 'with the keep': 1001355, 'the keep american': 858740, 'thankyoucheckoutworkers': 842364, 'thankyoushelfstackers': 842394, 'thankyoushopworkers': 842396, 'been profusely': 121712, 'profusely thanking': 683172, 'thanking all': 841975, 'store convenience': 807165, 'come across': 187181, 'you thankyoucheckoutworkers': 1021560, 'thankyoucheckoutworkers thankyoushelfstackers': 842365, 'thankyoushelfstackers thankyoushopworkers': 842395, 'husband and have': 411674, 'have been profusely': 379641, 'been profusely thanking': 121713, 'profusely thanking all': 683173, 'thanking all the': 841976, 'grocery store convenience': 365299, 'store convenience store': 807166, 'and pharmacy worker': 68987, 'pharmacy worker we': 654584, 'worker we ve': 1008149, 've come across': 952998, 'come across all': 187182, 'across all week': 29237, 'all week thank': 45423, 'thank you thankyoucheckoutworkers': 841824, 'you thankyoucheckoutworkers thankyoushelfstackers': 1021561, 'thankyoucheckoutworkers thankyoushelfstackers thankyoushopworkers': 842366, 'fastsigns': 300188, 'inglewood': 438323, '310': 17611, '2177': 15078, '403': 18810, 'brea': 138355, 'need sign': 555569, 'sign contact': 769102, 'contact fastsigns': 200075, 'fastsigns inglewood': 300189, 'inglewood lax': 438325, 'lax we': 482583, 'your restaurant': 1025600, 'in compliance': 421639, 'store order': 809384, 'order through': 618653, 'call 310': 155697, '310 957': 17614, '957 33': 23648, '33 2177': 17740, '2177 com': 15079, 'com grocerystores': 186939, 'grocerystores 403': 366358, '403 la': 18813, 'la brea': 478133, 'brea ave': 138356, 'ave inglewood': 104742, 'inglewood ca': 438324, 'need sign contact': 555570, 'sign contact fastsigns': 769103, 'contact fastsigns inglewood': 200076, 'fastsigns inglewood lax': 300190, 'inglewood lax we': 438326, 'lax we will': 482584, 'we will help': 973869, 'you get your': 1018810, 'get your restaurant': 348731, 'your restaurant or': 1025601, 'restaurant or grocery': 716615, 'store in compliance': 808291, 'in compliance with': 421640, 'compliance with covid': 192447, 'come into store': 187392, 'into store order': 443019, 'store order through': 809388, 'order through email': 618654, 'through email or': 894442, 'email or phone': 272259, 'or phone call': 616601, 'phone call 310': 654920, 'call 310 957': 155698, '310 957 33': 17615, '957 33 2177': 23649, '33 2177 com': 17741, '2177 com grocerystores': 15080, 'com grocerystores 403': 186940, 'grocerystores 403 la': 366359, '403 la brea': 18814, 'la brea ave': 478134, 'brea ave inglewood': 138357, 'ave inglewood ca': 104743, 'jurupa': 468077, 'nice gas': 562400, 'drop under': 260437, 'under at': 940012, 'this jurupa': 888550, 'jurupa valley': 468078, 'valley truck': 951998, 'truck stop': 932856, 'stop amid': 804444, 'way above': 969427, 'above in': 27074, 'my neighborhood': 549431, 'neighborhood via': 557162, 'via gasprices': 955999, 'gasprices california': 344281, 'nice gas price': 562401, 'price drop under': 673583, 'drop under at': 260439, 'under at this': 940013, 'at this jurupa': 101238, 'this jurupa valley': 888551, 'jurupa valley truck': 468079, 'valley truck stop': 951999, 'truck stop amid': 932857, 'stop amid the': 804445, 'the pandemic yet': 863168, 'pandemic yet they': 637087, 'yet they re': 1016277, 're still way': 699603, 'still way above': 801394, 'way above in': 969428, 'above in my': 27075, 'in my neighborhood': 425604, 'my neighborhood via': 549438, 'neighborhood via gasprices': 557163, 'via gasprices california': 956000, 'house covid19': 406254, 'covid19 coordinator': 214287, 'store trending': 810941, 'news trump': 560910, 'trump whitehouse': 933974, 'whitehouse deadline': 987945, 'deadline food': 229218, 'grocery meal': 364718, 'white house covid19': 987848, 'house covid19 coordinator': 406255, 'covid19 coordinator don': 214288, 'drug store trending': 261098, 'store trending news': 810942, 'trending news trump': 931557, 'news trump whitehouse': 560911, 'trump whitehouse deadline': 933975, 'whitehouse deadline food': 987946, 'deadline food grocery': 229219, 'food grocery meal': 314718, 'mold': 535640, 'real selfish': 701351, 'selfish reason': 748239, 'reason behind': 702876, 'hoarding what': 399653, 'more upsetting': 540864, 'upsetting is': 947835, 'amount that': 53281, 'eventually end': 285150, 'trash mold': 930163, 'mold bread': 535643, 'bread blend': 138430, 'blend fruit': 132575, 'than the real': 841266, 'the real selfish': 865238, 'real selfish reason': 701352, 'selfish reason behind': 748240, 'reason behind this': 702878, 'behind this panic': 124740, 'and hoarding what': 64667, 'hoarding what is': 399655, 'what is even': 981690, 'even more upsetting': 284386, 'more upsetting is': 540865, 'upsetting is the': 947836, 'is the amount': 452728, 'the amount that': 848654, 'amount that will': 53282, 'that will eventually': 847574, 'will eventually end': 993338, 'eventually end up': 285151, 'the trash mold': 869920, 'trash mold bread': 930164, 'mold bread blend': 535644, 'bread blend fruit': 138431, 'blend fruit and': 132576, 'site dining': 771901, 'university cafe': 942413, 'cafe cruise': 155101, 'hotel etc': 405141, 'etc account': 282388, 'for 42': 318839, 'banned account': 110557, '25 19': 15804, 'wow this market': 1012609, 'this market of': 888772, 'market of closed': 516778, 'of closed school': 581471, 'closed school restaurant': 183323, 'banned from on': 110575, 'from on site': 336670, 'on site dining': 603481, 'site dining university': 771903, 'dining university cafe': 243038, 'university cafe cruise': 942414, 'cafe cruise ship': 155102, 'ship hotel etc': 758678, 'hotel etc account': 405142, 'etc account for': 282389, 'account for 42': 28662, 'for 42 of': 318840, 'also banned account': 47905, 'banned account for': 110558, 'account for about': 28663, 'for about 25': 318979, 'about 25 19': 24681, 'nowican': 576582, 'immunosuppressedwife': 417495, 'grocery experience': 364510, 'experience 30': 291302, 'minute wait': 533892, 'in older': 426101, 'older man': 598619, 'man saw': 512217, 'and turned': 74528, 'around when': 93623, 'when left': 983681, 'left very': 485711, 'sad grocery': 729174, 'store social': 810244, 'distancing signage': 247480, 'signage in': 769277, 'place still': 657696, 'tp sa': 927921, 'sa now': 728916, 'under official': 940181, 'official stay': 595941, 'order stayhome': 618597, 'stayhome nowican': 798054, 'nowican immunosuppressedwife': 576583, 'my grocery experience': 548573, 'grocery experience 30': 364511, 'experience 30 minute': 291303, '30 minute wait': 17127, 'minute wait to': 533893, 'get in older': 347306, 'in older man': 426102, 'older man saw': 598621, 'man saw the': 512218, 'saw the line': 738269, 'the line and': 859401, 'line and turned': 492955, 'and turned around': 74529, 'turned around when': 935831, 'around when left': 93625, 'when left very': 983683, 'left very sad': 485712, 'very sad grocery': 955487, 'sad grocery store': 729175, 'grocery store social': 365780, 'store social distancing': 810245, 'social distancing signage': 779718, 'distancing signage in': 247481, 'signage in place': 769278, 'in place still': 426765, 'place still no': 657698, 'no tp sa': 565791, 'tp sa now': 927922, 'sa now under': 728917, 'now under official': 576250, 'under official stay': 940183, 'official stay home': 595942, 'home order stayhome': 401785, 'order stayhome nowican': 618598, 'stayhome nowican immunosuppressedwife': 798055, 'not afraid': 568080, 'admit that': 32607, 'photo an': 655119, 'man staring': 512246, 'his shopping': 397790, 'list in': 494358, 'supermarket caused': 819579, 'caused me': 167914, 'to shed': 914390, 'tear it': 835954, 'it strange': 461304, 'strange accepting': 812372, 'accepting that': 28090, 'am ok': 50277, 'them starving': 876318, 'starving from': 795248, 'not afraid to': 568083, 'afraid to admit': 35020, 'to admit that': 900120, 'admit that the': 32612, 'that the reality': 846815, 'reality of this': 701781, 'of this photo': 592024, 'this photo an': 889555, 'photo an elderly': 655120, 'elderly man staring': 270750, 'man staring at': 512247, 'staring at his': 794146, 'at his shopping': 98921, 'his shopping list': 397792, 'shopping list in': 763188, 'list in the': 494363, 'middle of an': 530671, 'of an empty': 580110, 'an empty supermarket': 55725, 'empty supermarket caused': 275158, 'supermarket caused me': 819580, 'caused me to': 167915, 'me to shed': 523780, 'to shed tear': 914393, 'shed tear it': 756522, 'tear it strange': 835955, 'it strange accepting': 461306, 'strange accepting that': 812373, 'accepting that people': 28091, 'that people may': 845702, 'die of catching': 241416, 'but no way': 146506, 'way am ok': 969454, 'am ok with': 50278, 'ok with them': 597949, 'with them starving': 1001619, 'them starving from': 876319, 'starving from it': 795249, 'itw': 464026, 'hartness': 378590, 'infrastructure company': 438191, 'company itw': 190823, 'itw hartness': 464027, 'hartness facility': 378591, 'facility remain': 295373, 'and fully': 63407, 'fully operational': 341067, 'operational to': 613320, 'meet continued': 527441, 'continued demand': 201308, 'beverage personal': 129024, 'household care': 406754, 'care supply': 164221, 'supply industry': 825422, 'more packaging': 539973, 'critical infrastructure company': 218590, 'infrastructure company itw': 438192, 'company itw hartness': 190824, 'itw hartness facility': 464028, 'hartness facility remain': 378592, 'facility remain open': 295374, 'remain open and': 709800, 'open and fully': 612059, 'and fully operational': 63408, 'fully operational to': 341071, 'operational to meet': 613321, 'to meet continued': 910017, 'meet continued demand': 527442, 'continued demand in': 201310, 'the food beverage': 855535, 'food beverage personal': 313745, 'beverage personal and': 129025, 'personal and household': 652783, 'and household care': 64781, 'household care supply': 406755, 'care supply industry': 164223, 'supply industry to': 825423, 'industry to learn': 436172, 'learn more packaging': 484036, 'in seattle': 427759, 'seattle we': 743583, 'are ensuring': 86225, 'both school': 136040, 'school continue': 741762, 'provide meal': 686385, 'receive 800': 703435, '800 grocery': 22701, 'grocery voucher': 366106, 'voucher funded': 960649, 'funded by': 341576, 'the sugary': 868397, 'sugary beverage': 817496, 'beverage tax': 129042, 'in seattle we': 427765, 'seattle we are': 743584, 'we are ensuring': 970543, 'are ensuring that': 86227, 'ensuring that both': 278190, 'that both school': 843017, 'both school continue': 136041, 'school continue to': 741763, 'to provide meal': 912411, 'provide meal and': 686386, 'meal and thousand': 524096, 'and thousand of': 74064, 'people will receive': 650407, 'will receive 800': 994590, 'receive 800 grocery': 703436, '800 grocery voucher': 22703, 'grocery voucher funded': 366107, 'voucher funded by': 960650, 'funded by the': 341578, 'by the sugary': 154450, 'the sugary beverage': 868398, 'sugary beverage tax': 817497, 'shiver': 759394, '24 picture': 15675, 'picture that': 656198, 'that prove': 845880, 'prove american': 686098, 'with bird': 997412, 'bird seed': 131347, 'seed and': 746130, 'then condom': 877084, 'condom wtf': 193620, 'wtf hope': 1013285, 'hope whoever': 403779, 'whoever bought': 990090, 'seed didn': 746142, 'the condom': 851439, 'condom shiver': 193608, '24 picture that': 15676, 'picture that prove': 656201, 'that prove american': 845881, 'prove american have': 686099, 'american have no': 52024, 'idea how to': 413080, 'deal with bird': 229541, 'with bird seed': 997413, 'bird seed and': 131348, 'seed and then': 746132, 'and then condom': 73751, 'then condom wtf': 877085, 'condom wtf hope': 193621, 'wtf hope whoever': 1013286, 'hope whoever bought': 403780, 'whoever bought the': 990091, 'bought the bird': 136735, 'the bird seed': 849727, 'bird seed didn': 131349, 'seed didn buy': 746143, 'didn buy the': 241000, 'buy the condom': 149289, 'the condom shiver': 851441, 'proving': 687220, 'zealand primary': 1027302, 'primary sector': 678089, 'is proving': 451128, 'proving it': 687223, 'worth during': 1011355, 'outbreak while': 628816, 'uncertain there': 939608, 'there strong': 879115, 'food dairy': 314080, 'dairy remains': 225033, 'remains our': 710050, 'our biggest': 622205, 'export and': 292609, 'new zealand primary': 559993, 'zealand primary sector': 1027303, 'primary sector is': 678090, 'sector is proving': 744251, 'is proving it': 451129, 'proving it worth': 687224, 'it worth during': 462567, 'worth during the': 1011356, '19 outbreak while': 9208, 'outbreak while global': 628817, 'while global market': 986874, 'global market are': 352022, 'market are uncertain': 516033, 'are uncertain there': 91270, 'uncertain there strong': 939610, 'there strong demand': 879116, 'strong demand for': 814011, 'demand for our': 235467, 'for our food': 324243, 'our food dairy': 623105, 'food dairy remains': 314082, 'dairy remains our': 225034, 'remains our biggest': 710051, 'our biggest export': 622207, 'biggest export and': 130235, 'export and price': 292610, 'price are holding': 672680, 'are holding up': 87225, 'got range': 358805, 'time start': 897746, 'start we': 794632, 'all residential': 44169, 'residential and': 714418, 'business price': 144252, 'price until': 677213, 'until 30': 943653, '2020 see': 14588, 'else we': 271968, 've got range': 953194, 'got range of': 358806, 'range of measure': 696716, 'measure to support': 525409, 'our customer through': 622676, 'customer through this': 222949, 'through this tough': 894851, 'tough time start': 926864, 'time start we': 897747, 'start we have': 794633, 'we have frozen': 971824, 'have frozen all': 380729, 'frozen all residential': 338952, 'all residential and': 44170, 'residential and small': 714419, 'small business price': 774887, 'business price until': 144256, 'price until 30': 677214, 'until 30 june': 943655, 'june 2020 see': 467989, '2020 see what': 14589, 'see what else': 746030, 'what else we': 981415, 'else we re': 271969, 're doing to': 698551, 'doing to support': 252802, 'customer and community': 222070, 'leavenoonebehind': 485061, 'these unprecedented': 880921, 'call fo': 155845, 'fo unprecedented': 311804, 'unprecedented measure': 943160, 'measure leavenoonebehind': 525248, 'leavenoonebehind caf': 485062, 'caf india': 155084, 'india appeal': 434306, 'with urgent': 1001929, 'urgent food': 948342, 'supply hygiene': 825381, 'hygiene kit': 412118, 'kit and': 475487, 'and accurate': 57605, 'accurate information': 28900, 'about prevention': 25987, '19 averting': 5274, 'averting unnecessary': 104933, 'these unprecedented time': 880922, 'unprecedented time call': 943196, 'time call fo': 896441, 'call fo unprecedented': 155846, 'fo unprecedented measure': 311805, 'unprecedented measure leavenoonebehind': 943162, 'measure leavenoonebehind caf': 525249, 'leavenoonebehind caf india': 485063, 'caf india appeal': 155085, 'india appeal to': 434307, 'appeal to you': 82083, 'you to support': 1021845, 'to support to': 915981, 'support to reach': 826951, 'vulnerable people with': 961117, 'people with urgent': 650480, 'with urgent food': 1001930, 'urgent food supply': 948343, 'food supply hygiene': 316959, 'supply hygiene kit': 825382, 'hygiene kit and': 412119, 'kit and accurate': 475489, 'and accurate information': 57606, 'accurate information about': 28901, 'information about prevention': 437712, 'about prevention of': 25988, 'covid 19 averting': 212667, '19 averting unnecessary': 5275, 'averting unnecessary panic': 104934, 'anastasia': 57293, 'purina': 690060, 'anastasia is': 57294, 'not amused': 568186, 'amused at': 54954, 'human panic': 410587, 'human she': 410608, 'she owns': 756256, 'owns had': 632631, 'hit several': 398397, 'her purina': 392317, 'purina panicbuying': 690063, 'anastasia is not': 57295, 'is not amused': 450031, 'not amused at': 568187, 'amused at all': 54955, 'all the human': 44789, 'the human panic': 857721, 'human panic buying': 410588, 'dog food the': 252093, 'food the human': 317118, 'the human she': 857724, 'human she owns': 410609, 'she owns had': 756257, 'owns had to': 632632, 'had to hit': 373697, 'to hit several': 907852, 'hit several store': 398398, 'several store to': 753937, 'get her purina': 347218, 'her purina panicbuying': 392318, 'purina panicbuying 19': 690064, 'with 3d': 997008, '3d printer': 18249, 'printer hospital': 678327, 'hospital convert': 404357, 'convert sleep': 202535, 'apnea machine': 81496, 'machine into': 507382, 'into ventilator': 443273, 'with 3d printer': 997009, '3d printer hospital': 18250, 'printer hospital convert': 678328, 'hospital convert sleep': 404358, 'convert sleep apnea': 202536, 'sleep apnea machine': 773753, 'apnea machine into': 81497, 'machine into ventilator': 507383, 'tree of': 931194, 'life cooking': 488566, 'cooking more': 202881, 'minimise supermarket': 533085, 'visit stayhomesavelives': 959364, 'the tree of': 869947, 'tree of life': 931195, 'of life cooking': 585819, 'life cooking more': 488567, 'cooking more with': 202883, 'more with le': 540996, 'with le to': 999190, 'le to minimise': 483208, 'to minimise supermarket': 910154, 'minimise supermarket visit': 533086, 'supermarket visit stayhomesavelives': 823662, 'unbelievable major': 939506, 'major retail': 509435, 'industry supply': 436132, 'the crucial': 852539, 'unbelievable major retail': 939507, 'major retail industry': 509437, 'retail industry supply': 718220, 'industry supply and': 436133, 'supply and chain': 824706, 'and chain management': 59703, 'chain management and': 170912, 'management and manufacturer': 512532, 'and manufacturer have': 66654, 'manufacturer have failed': 513461, 'stock up the': 803119, 'up the crucial': 946163, 'the crucial inventory': 852540, 'inventory for the': 443671, 'picture will': 656219, 'forward say': 330012, 'say chaldean': 738498, 'mensah associate': 528613, 'expert we are': 292019, 'are in situation': 87439, 'situation where the': 772582, 'where the sector': 985248, 'the sector ha': 866614, 'revenue picture will': 720468, 'picture will look': 656220, 'will look very': 994046, 'look very unstable': 502657, 'going forward say': 355166, 'forward say chaldean': 330013, 'say chaldean mensah': 738499, 'chaldean mensah associate': 171368, 'mensah associate professor': 528614, 'rollison': 725693, 'adelaide': 32132, 'htta': 409749, 'rollison have': 725694, 'some dignity': 782686, 'dignity our': 242835, 'our secretary': 624694, 'secretary to': 743972, 'to aussie': 900835, 'aussie fighting': 103116, 'an adelaide': 55119, 'adelaide supermarket': 32144, 'supermarket htta': 820818, 'rollison have some': 725695, 'have some dignity': 382626, 'some dignity our': 782687, 'dignity our secretary': 242836, 'our secretary to': 624695, 'secretary to aussie': 743973, 'to aussie fighting': 900836, 'aussie fighting over': 103117, 'fighting over grocery': 305108, 'over grocery in': 630261, 'grocery in an': 364610, 'in an adelaide': 420272, 'an adelaide supermarket': 55120, 'adelaide supermarket htta': 32145, 'related scam top': 708562, 'costco like': 208249, 'and apparently they': 58254, 'apparently they sell': 82033, 'they sell them': 883315, 'at costco like': 98348, 'costco like to': 208250, 'girlguiding': 350322, 'nee': 554324, 'durham': 262384, 'oswald': 619757, 'or ordering': 616418, 'ordering takeaway': 619030, 'help girlguiding': 389810, 'girlguiding nee': 350323, 'nee 6th': 554325, '6th durham': 21686, 'durham city': 262387, 'city st': 179372, 'st oswald': 791738, 'oswald brownie': 619758, 'brownie unit': 141274, 'unit every': 942053, 'online raise': 608843, 'raise free': 695849, 'doing your food': 252883, 'your food shopping': 1023926, 'food shopping or': 316531, 'shopping or ordering': 763550, 'or ordering takeaway': 616419, 'ordering takeaway online': 619031, 'takeaway online because': 832891, '19 help girlguiding': 7498, 'help girlguiding nee': 389811, 'girlguiding nee 6th': 350324, 'nee 6th durham': 554326, '6th durham city': 21687, 'durham city st': 262388, 'city st oswald': 179373, 'st oswald brownie': 791739, 'oswald brownie unit': 619759, 'brownie unit every': 141275, 'unit every time': 942054, 'shop online raise': 760582, 'online raise free': 608844, 'raise free donation': 695850, 'simultaneous': 770366, 'daniel': 225813, 'egel': 269739, 'ries': 721680, 'have dramatic': 380355, 'dramatic effect': 258286, 'on economy': 600513, 'economy across': 267606, 'globe but': 352450, 'east may': 265327, 'particularly affected': 642656, 'affected given': 34362, 'the simultaneous': 867204, 'simultaneous fall': 770369, 'price rand': 676075, 'rand daniel': 696568, 'daniel egel': 225819, 'egel ries': 269740, 'ries and': 721681, 'pandemic will have': 637009, 'will have dramatic': 993627, 'have dramatic effect': 380356, 'dramatic effect on': 258287, 'effect on economy': 269083, 'on economy across': 600514, 'economy across the': 267607, 'the globe but': 856349, 'globe but the': 352451, 'but the middle': 147364, 'middle east may': 530650, 'east may be': 265328, 'may be particularly': 521017, 'be particularly affected': 116361, 'particularly affected given': 642657, 'affected given the': 34363, 'given the simultaneous': 351157, 'the simultaneous fall': 867205, 'simultaneous fall in': 770370, 'oil price rand': 597227, 'price rand daniel': 676076, 'rand daniel egel': 696569, 'daniel egel ries': 225820, 'egel ries and': 269741, 'ries and discus': 721682, 'talent': 833704, 'drake': 258234, 'job vacancy': 466260, 'vacancy alert': 951555, 'alert 500': 41334, '500 role': 20050, 'role due': 725071, '19 vertical': 11751, 'vertical talent': 954966, 'talent parent': 833707, 'company drake': 190614, 'drake international': 258235, 'international is': 441821, 'entry level': 279004, 'level position': 487678, 'across some': 29455, 'australia major': 103326, 'job vacancy alert': 466261, 'vacancy alert 500': 951556, 'alert 500 role': 41335, '500 role due': 20051, 'role due to': 725072, 'outbreak of coronavirus': 628478, 'covid 19 vertical': 214024, '19 vertical talent': 11752, 'vertical talent parent': 954967, 'talent parent company': 833708, 'parent company drake': 641610, 'company drake international': 190615, 'drake international is': 258236, 'international is experiencing': 441822, 'is experiencing unprecedented': 447652, 'demand for entry': 235411, 'for entry level': 321072, 'entry level position': 279005, 'level position across': 487679, 'position across some': 665155, 'across some of': 29457, 'some of australia': 783390, 'of australia major': 580454, 'australia major supermarket': 103327, 'watch crisis': 968382, 'drive demand': 259028, 'demand london': 235818, 'london food': 501066, 'bank launch': 109968, 'first virtual': 309162, 'watch crisis drive': 968383, 'crisis drive demand': 217315, 'drive demand london': 259031, 'demand london food': 235819, 'london food bank': 501067, 'food bank launch': 313594, 'bank launch first': 109969, 'launch first virtual': 481904, 'first virtual food': 309163, 'malema': 511696, 'watch malema': 968472, 'malema tell': 511697, 'tell business': 836920, 'put human': 690605, 'life ahead': 488449, 'of profit': 588519, 'watch malema tell': 968473, 'malema tell business': 511698, 'tell business leader': 836921, 'business leader to': 143987, 'leader to put': 483555, 'to put human': 912591, 'put human life': 690607, 'human life ahead': 410545, 'life ahead of': 488450, 'ahead of profit': 39189, 'of profit during': 588521, 'profit during covid': 682714, 'koike': 477344, 'hello darkness': 389146, 'darkness my': 226007, 'old friend': 598256, 'being cleaned': 124950, 'out after': 625574, 'after gov': 35726, 'gov koike': 359625, 'koike tell': 477345, 'tell resident': 837058, 'hello darkness my': 389147, 'darkness my old': 226008, 'my old friend': 549559, 'old friend the': 598258, 'friend the supermarket': 333831, 'supermarket is being': 821073, 'is being cleaned': 446071, 'being cleaned out': 124951, 'cleaned out after': 180720, 'out after gov': 625577, 'after gov koike': 35728, 'gov koike tell': 359626, 'koike tell resident': 477346, 'tell resident to': 837059, 'stay home this': 797015, 'home this weekend': 402291, 'reality where': 701815, 'where professional': 985133, 'professional sport': 682497, 'sport player': 789965, 'player movie': 659322, 'but few': 145713, 'new super': 559688, 'new reality where': 559409, 'reality where professional': 701816, 'where professional sport': 985134, 'professional sport player': 682498, 'sport player movie': 789966, 'player movie actor': 659323, 'store shelf stacker': 810100, 'stacker and health': 792003, 'care staff to': 164213, 'staff to name': 792992, 'to name but': 910467, 'name but few': 551622, 'but few are': 145714, 'the new super': 861563, 'new super hero': 559689, '1995': 12504, 'me drive': 522685, 'drive 1995': 258971, '1995 car': 12505, 'car by': 163039, 'car can': 163043, 'can brake': 157784, 'brake on': 137639, 'on dime': 600329, 'dime either': 242918, 'either stay': 270379, 'safe or': 729865, 'home staying': 402136, 'safe doesn': 729600, 'doesn include': 251846, 'include driving': 431554, 'driving like': 259971, 'maniac to': 513159, 'way home all': 969632, 'home all of': 400583, 'of this happened': 591984, 'this happened to': 887849, 'happened to me': 377279, 'to me drive': 909926, 'me drive 1995': 522686, 'drive 1995 car': 258972, '1995 car by': 12506, 'car by the': 163040, 'way so it': 969875, 'not like my': 570397, 'like my car': 490816, 'my car can': 547597, 'car can brake': 163044, 'can brake on': 157785, 'brake on dime': 137640, 'on dime either': 600330, 'dime either stay': 242919, 'either stay safe': 270381, 'stay safe or': 797261, 'safe or stay': 729866, 'fuck home staying': 339573, 'home staying safe': 402138, 'staying safe doesn': 798691, 'safe doesn include': 729601, 'doesn include driving': 251847, 'include driving like': 431555, 'driving like maniac': 259972, 'like maniac to': 490700, 'maniac to get': 513160, 'get to grocery': 348471, 'applauded': 82266, 'feel about': 302543, '50 at': 19620, 'it 100': 456168, 'be applauded': 113660, 'applauded and': 82267, 'and lead': 66022, 'lead others': 483301, 'the thanks': 869361, 'thanks they': 842197, 'deserve 100': 238020, '100 off': 1998, 'off nhscovidheroes': 593993, 'nhscovidheroes nh': 562218, 'sure how feel': 827572, 'how feel about': 407857, 'feel about this': 302549, 'about this you': 26676, 'this you need': 891615, 'make this way': 510654, 'this way more': 891131, 'way more than': 969711, 'than 50 at': 840256, '50 at your': 19621, 'at your price': 101688, 'your price make': 1025405, 'price make it': 675154, 'make it 100': 510015, 'it 100 and': 456169, '100 and you': 1837, 'will be applauded': 992359, 'be applauded and': 113661, 'applauded and lead': 82269, 'and lead others': 66023, 'lead others to': 483302, 'others to give': 621728, 'to give our': 906699, 'give our hero': 350632, 'our hero on': 623425, 'line the thanks': 493455, 'the thanks they': 869362, 'thanks they deserve': 842198, 'they deserve 100': 881892, 'deserve 100 off': 238021, '100 off nhscovidheroes': 1999, 'off nhscovidheroes nh': 593994, 'ppekit': 668120, 'getmeds': 348788, 'what ppe': 982046, 'kit contains': 475526, 'contains n95': 200634, 'n95 surgicalmask': 551236, 'surgicalmask ppekit': 828397, 'ppekit ppe': 668121, 'sanitizer getmeds': 734977, 'getmeds quarantine': 348789, 'isolation beatcovid19': 455213, 'know what ppe': 476972, 'what ppe kit': 982048, 'ppe kit contains': 667992, 'kit contains n95': 475527, 'contains n95 surgicalmask': 200635, 'n95 surgicalmask ppekit': 551237, 'surgicalmask ppekit ppe': 828398, 'ppekit ppe sanitizer': 668122, 'ppe sanitizer getmeds': 668044, 'sanitizer getmeds quarantine': 734978, 'getmeds quarantine isolation': 348790, 'quarantine isolation beatcovid19': 692311, 'florida issue': 310956, 'issue stayathome': 455938, 'stayathome order': 797565, 'order effective': 618187, 'effective april': 269222, 'april for': 83602, 'florida issue stayathome': 310957, 'issue stayathome order': 455939, 'stayathome order effective': 797566, 'order effective april': 618188, 'effective april for': 269225, 'april for 30': 83603, 'presumed': 671306, 'virtuous': 957870, 'walked around': 964936, 'much stock': 545322, 'item decided': 463195, 'can probably': 159303, 'probably do': 679246, 'without and': 1002487, 'and presumed': 69394, 'presumed someone': 671307, 'else may': 271792, 'me me': 523150, 'not trying': 572297, 'all virtuous': 45370, 'virtuous but': 957871, 'shop consciously': 760064, 'consciously in': 194803, 'walked around supermarket': 964938, 'around supermarket they': 93505, 'didn have much': 241091, 'have much stock': 381532, 'much stock of': 545323, 'stock of some': 802545, 'of some item': 589898, 'some item decided': 783147, 'item decided not': 463196, 'decided not buy': 230873, 'not buy some': 568655, 'buy some item': 149208, 'some item can': 783146, 'item can probably': 463173, 'can probably do': 159304, 'probably do without': 679249, 'do without and': 250582, 'without and presumed': 1002488, 'and presumed someone': 69395, 'presumed someone else': 671308, 'someone else may': 784452, 'else may need': 271793, 'may need them': 521357, 'them more than': 876034, 'more than me': 540645, 'than me me': 840876, 'me me not': 523153, 'me not trying': 523232, 'not trying to': 572298, 'to be all': 901101, 'be all virtuous': 113556, 'all virtuous but': 45371, 'virtuous but think': 957872, 'but think we': 147539, 'think we can': 885762, 'we can shop': 971010, 'can shop consciously': 159602, 'shop consciously in': 760065, 'consciously in coming': 194804, 'in coming week': 421588, 'coming week 19': 188272, 'makati': 509619, 'sure about': 827478, 'about current': 25057, 'current supply': 221391, 'supply with': 826119, 'with st': 1000930, 'st luke': 791726, 'luke and': 506633, 'and makati': 66544, 'makati medical': 509620, 'center already': 169149, 'at capacity': 98192, 'go try': 354401, 'supermarket in over': 820955, 'over week so': 630915, 'week so not': 976892, 'so not sure': 777900, 'not sure about': 571832, 'sure about current': 827479, 'about current supply': 25058, 'current supply with': 221392, 'supply with st': 826123, 'with st luke': 1000931, 'st luke and': 791727, 'luke and makati': 506634, 'and makati medical': 66545, 'makati medical center': 509621, 'medical center already': 526089, 'center already being': 169150, 'already being at': 47230, 'being at capacity': 124875, 'at capacity for': 98193, 'capacity for covid': 162522, '19 patient do': 9589, 'not really want': 571245, 'to go try': 906873, 'go try to': 354402, 'then bumbling': 877042, 'bumbling need': 142553, 'sort it': 786111, 'it apparently': 456559, 'and everywhere': 62434, 'else in': 271738, 'it insanity': 458803, 'insanity the': 439110, 'totally incompetent': 926358, 'incompetent he': 432535, 'to star': 915182, 'then bumbling need': 877043, 'bumbling need to': 142554, 'need to order': 556000, 'order the supermarket': 618636, 'the supermarket manager': 868693, 'supermarket manager to': 821456, 'manager to sort': 512818, 'to sort it': 914922, 'sort it apparently': 786112, 'it apparently they': 456560, 'are in ireland': 87402, 'in ireland and': 424157, 'ireland and everywhere': 444811, 'and everywhere else': 62435, 'everywhere else in': 288197, 'else in the': 271739, 'world just not': 1009736, 'just not here': 469331, 'not here it': 569950, 'here it insanity': 393267, 'it insanity the': 458805, 'insanity the man': 439111, 'the man is': 859979, 'is totally incompetent': 453306, 'totally incompetent he': 926359, 'incompetent he need': 432536, 'he need to': 385246, 'need to star': 556080, 'corona season': 204166, 'season stop': 743442, 'elderly helpless': 270700, 'helpless people': 391584, 'you before': 1017433, 'start hoarding': 794330, 'hoarding unnecessary': 399632, 'unnecessary amount': 942888, 'certain grocery': 170026, 'shelf what': 757779, 'wa ur': 963616, 'ur grandpa': 948004, 'grandpa selfquarantine': 361957, 'selfquarantine quarantine': 748569, 'quarantine shopping': 692533, 'this corona season': 886867, 'corona season stop': 204167, 'season stop and': 743443, 'stop and think': 804455, 'the elderly helpless': 854124, 'elderly helpless people': 270701, 'helpless people around': 391585, 'people around you': 647148, 'around you before': 93659, 'you before you': 1017435, 'before you start': 123335, 'you start hoarding': 1021356, 'start hoarding unnecessary': 794331, 'hoarding unnecessary amount': 399633, 'unnecessary amount of': 942889, 'amount of certain': 53210, 'of certain grocery': 581251, 'certain grocery item': 170027, 'grocery item from': 364654, 'store shelf what': 810111, 'shelf what if': 757782, 'what if this': 981639, 'if this wa': 415174, 'this wa ur': 891095, 'wa ur grandpa': 963617, 'ur grandpa selfquarantine': 948005, 'grandpa selfquarantine quarantine': 361958, 'selfquarantine quarantine shopping': 748570, 'quarantine shopping panicbuying': 692537, 'bicycle': 129449, 'leel': 485349, 'casher': 166413, 'tokyolockdown': 923512, 'many bicycle': 513821, 'bicycle in': 129452, 'supermarket within': 823944, 'within walking': 1002456, 'walking distance': 965044, 'enter and': 278226, 'out leel': 626492, 'leel and': 485350, 'and cart': 59592, 'cart are': 165258, 'all taken': 44599, 'taken all': 832938, 'all casher': 42315, 'casher is': 166414, 'overcrowded japan': 631155, 'japan tokyolockdown': 464771, 'there is so': 878625, 'is so many': 452024, 'so many bicycle': 777638, 'many bicycle in': 513822, 'bicycle in front': 129453, 'of supermarket within': 590459, 'supermarket within walking': 823947, 'within walking distance': 1002457, 'walking distance of': 965046, 'distance of our': 246786, 'of our place': 587534, 'our place it': 624352, 'place it hard': 657534, 'hard to enter': 378062, 'to enter and': 905210, 'enter and out': 278230, 'and out leel': 68534, 'out leel and': 626493, 'leel and cart': 485351, 'and cart are': 59593, 'cart are all': 165259, 'are all taken': 84360, 'all taken all': 44600, 'taken all casher': 832939, 'all casher is': 42316, 'casher is overcrowded': 166415, 'is overcrowded japan': 450753, 'overcrowded japan tokyolockdown': 631156, 'bazaar': 113014, 'boulevard': 136795, 'navigated': 553110, 'tightly': 895879, 'nyc right': 578044, 'before hitting': 122853, 'hitting up': 398608, 'food bazaar': 313688, 'bazaar on': 113019, 'on northern': 602437, 'northern boulevard': 567744, 'boulevard our': 136796, 'our communication': 622444, 'communication skill': 189642, 'skill were': 772984, 'truly tested': 933346, 'tested we': 839388, 'we navigated': 972456, 'navigated horde': 553111, 'all tightly': 45213, 'tightly packed': 895880, 'packed into': 633615, 'one supermarket': 607136, 'nyc right before': 578045, 'right before hitting': 721807, 'before hitting up': 122854, 'hitting up food': 398609, 'up food bazaar': 944879, 'food bazaar on': 313689, 'bazaar on northern': 113020, 'on northern boulevard': 602439, 'northern boulevard our': 567745, 'boulevard our communication': 136797, 'our communication skill': 622445, 'communication skill were': 189643, 'skill were truly': 772985, 'were truly tested': 980295, 'truly tested we': 933347, 'tested we navigated': 839390, 'we navigated horde': 972457, 'navigated horde of': 553112, 'horde of customer': 403999, 'of customer all': 582264, 'customer all tightly': 222047, 'all tightly packed': 45214, 'tightly packed into': 895882, 'packed into one': 633616, 'into one supermarket': 442808, 'surge after': 828115, '19 upends': 11696, 'food price continue': 315927, 'continue to surge': 201271, 'to surge after': 916000, 'surge after covid': 828116, 'covid 19 upends': 214007, '19 upends supply': 11697, 'need medicare': 555226, 'medicare or': 526587, 'or prescription': 616679, 'drug coverage': 260927, 'coverage easily': 212347, 'easily enroll': 265200, 'enroll online': 277840, 'at without': 101576, 'without leaving': 1002755, 'home virginia': 402431, 'virginia insurance': 957675, 'insurance health': 440743, 'health retirement': 386803, 'retirement healthcare': 719710, 'healthcare corona': 387076, 'virus senior': 958733, 'senior crisis': 750268, 'crisis enrollment': 217350, 'enrollment home': 277849, 'online internet': 608427, 'internet technology': 442030, 'need medicare or': 555227, 'medicare or prescription': 526588, 'or prescription drug': 616680, 'prescription drug coverage': 670502, 'drug coverage easily': 260928, 'coverage easily enroll': 212348, 'easily enroll online': 265201, 'enroll online at': 277841, 'online at without': 607902, 'at without leaving': 101577, 'without leaving your': 1002757, 'leaving your home': 485173, 'your home virginia': 1024385, 'home virginia insurance': 402432, 'virginia insurance health': 957676, 'insurance health retirement': 440744, 'health retirement healthcare': 386804, 'retirement healthcare corona': 719711, 'healthcare corona virus': 387077, 'corona virus senior': 204350, 'virus senior crisis': 958734, 'senior crisis enrollment': 750269, 'crisis enrollment home': 217351, 'enrollment home online': 277850, 'home online internet': 401722, 'online internet technology': 608428, 'fascinated': 299741, 'pronged': 683978, 'am often': 50275, 'often asked': 596160, 'write about': 1012758, 'psychology taking': 687583, 'of psychology': 588575, 'psychology at': 687545, 'university so': 942463, 'so quite': 778108, 'quite fascinated': 694863, 'fascinated by': 299742, 'current panic': 221298, 'too here': 924780, 'here good': 393051, 'article not': 94394, 'by me': 153192, 'the pronged': 864665, 'pronged epidemic': 683979, 'am often asked': 50276, 'often asked to': 596161, 'asked to write': 95883, 'to write about': 918859, 'write about consumer': 1012759, 'about consumer psychology': 25002, 'consumer psychology taking': 198602, 'psychology taking advantage': 687584, 'advantage of my': 33015, 'of my year': 586834, 'my year of': 550660, 'year of psychology': 1014790, 'of psychology at': 588576, 'psychology at university': 687547, 'at university so': 101405, 'university so quite': 942464, 'so quite fascinated': 778109, 'quite fascinated by': 694864, 'fascinated by the': 299744, 'by the current': 154301, 'the current panic': 852650, 'current panic buying': 221299, 'panic buying if': 637768, 'buying if you': 150517, 'you are too': 1017267, 'are too here': 91139, 'too here good': 924782, 'here good article': 393052, 'good article not': 356780, 'article not by': 94395, 'not by me': 568668, 'by me on': 153195, 'on the pronged': 604308, 'the pronged epidemic': 864666, 'abeg': 24308, 'abeg should': 24312, 'should slash': 766476, 'slash data': 773559, 'telco are': 836650, 'biggest beneficiary': 130188, 'beneficiary of': 126896, 'abeg should slash': 24313, 'should slash data': 766477, 'slash data price': 773560, 'data price further': 226359, 'price further the': 674146, 'further the telco': 342188, 'the telco are': 869251, 'telco are the': 836652, 'the biggest beneficiary': 849642, 'biggest beneficiary of': 130189, 'beneficiary of covid': 126898, 'prog': 683174, 'meet unprecedented': 527641, 'of helped': 584550, 'helped by': 391051, 'donating food': 254452, 'the culinary': 852560, 'culinary prog': 220222, 'prog that': 683177, 'gone bad': 356217, 'closure reported': 184013, 'work to meet': 1005893, 'to meet unprecedented': 910063, 'meet unprecedented demand': 527642, 'unprecedented demand result': 943124, 'result of helped': 717594, 'of helped by': 584551, 'helped by donating': 391052, 'by donating food': 152402, 'donating food from': 254453, 'from the culinary': 337663, 'the culinary prog': 852562, 'culinary prog that': 220223, 'prog that would': 683178, 'that would have': 847681, 'would have gone': 1011878, 'have gone bad': 380788, 'gone bad in': 356219, 'bad in the': 107903, 'of the school': 591442, 'the school closure': 866490, 'school closure reported': 741754, 'no mistake': 564774, 'mistake it': 534468, 'it suck': 461337, 'one member': 606648, 'store pick': 809554, 'up once': 945650, 'once every': 605627, 'is stayhome': 452245, 'make no mistake': 510244, 'no mistake it': 564775, 'mistake it suck': 534469, 'it suck to': 461340, 'suck to stay': 816940, 'home but only': 400842, 'but only one': 146692, 'only one member': 610880, 'one member of': 606651, 'my family will': 548235, 'be going out': 115054, 'food from grocery': 314605, 'grocery store pick': 365658, 'store pick up': 809555, 'pick up once': 655742, 'up once every': 945651, 'once every two': 605628, 'two week it': 937336, 'week it just': 976436, 'it just the': 459250, 'just the way': 470020, 'the way it': 871163, 'it is stayhome': 459090, 'journorequest': 467494, 'supermarket social': 822749, 'or cleaner': 614735, 'cleaner for': 180782, 'for positive': 324625, 'positive piece': 665413, 'piece about': 656257, 'moving ideally': 544155, 'ideally you': 413296, 'under 35': 939971, '35 my': 17905, 'open journorequest': 612346, 'looking to speak': 503045, 'to speak to': 914964, 'speak to someone': 787720, 'to someone who': 914911, 'in supermarket social': 428671, 'supermarket social care': 822750, 'social care or': 779453, 'care or cleaner': 164132, 'or cleaner for': 614736, 'cleaner for positive': 180783, 'for positive piece': 324627, 'positive piece about': 665414, 'piece about keeping': 656258, 'about keeping the': 25619, 'the country moving': 852119, 'country moving ideally': 210906, 'moving ideally you': 544156, 'ideally you ll': 413297, 'll be under': 496643, 'be under 35': 117848, 'under 35 my': 939972, '35 my dm': 17906, 'my dm are': 548010, 'dm are open': 248878, 'are open journorequest': 88791, 'underperformance': 940538, 'about wall': 26839, 'street underperformance': 813155, 'underperformance coupled': 940539, 'price empty': 673679, 'main challenge': 508728, 'facing humanity': 295492, 'humanity you': 410781, 'totally wrong': 926410, 'wrong black': 1013002, 'swan when': 829970, 'they congregate': 881795, 'congregate begin': 194460, 'new infamous': 558923, 'infamous black': 436465, 'swan are': 829953, 'thinking about wall': 885866, 'about wall street': 26840, 'wall street underperformance': 965192, 'street underperformance coupled': 813156, 'underperformance coupled with': 940540, 'coupled with low': 211735, 'with low oil': 999336, 'price and falling': 672413, 'oil price empty': 597117, 'price empty store': 673681, 'shelf in some': 757216, 'some country are': 782613, 'country are the': 210486, 'the main challenge': 859898, 'main challenge facing': 508729, 'challenge facing humanity': 171449, 'facing humanity you': 295493, 'humanity you are': 410782, 'are totally wrong': 91158, 'totally wrong black': 926411, 'wrong black swan': 1013003, 'black swan when': 132139, 'swan when they': 829971, 'when they congregate': 984248, 'they congregate begin': 881796, 'congregate begin to': 194461, 'spread and new': 790417, 'and new infamous': 67551, 'new infamous black': 558924, 'infamous black swan': 436466, 'black swan are': 132134, 'swan are on': 829954, 'currently approved': 221462, 'treatment vaccine and': 931163, 'vaccine and home': 951653, 'and home test': 64684, 'are currently approved': 85656, 'currently approved or': 221463, 'with these scam': 1001656, 'bookmaker': 134757, 'remember supermarket': 710266, 'have billion': 379798, 'in fund': 423183, 'survive your': 829308, 'store probably': 809655, 'probably support': 679392, 'support an': 826349, 'without your': 1003076, 'support next': 826674, 'year could': 1014496, 'be bookmaker': 113882, 'bookmaker or': 134758, 'or charity': 614706, 'charity shop': 173686, 'shop shoplocal': 760773, 'please remember supermarket': 660371, 'remember supermarket chain': 710267, 'chain have billion': 170759, 'have billion in': 379799, 'billion in fund': 130846, 'in fund and': 423184, 'fund and million': 341358, 'and million of': 67031, 'customer they will': 222940, 'they will survive': 883894, 'will survive your': 995054, 'survive your local': 829309, 'local store probably': 498473, 'store probably support': 809657, 'probably support an': 679393, 'support an entire': 826351, 'an entire family': 55769, 'family and without': 297613, 'and without your': 75798, 'without your support': 1003080, 'your support next': 1026088, 'support next year': 826675, 'next year could': 561727, 'year could be': 1014497, 'could be bookmaker': 208846, 'be bookmaker or': 113883, 'bookmaker or charity': 134759, 'or charity shop': 614707, 'charity shop shoplocal': 173687, 'sape': 736684, 'nak': 551536, 'buat': 141575, 'duit': 262063, 'secara': 743644, 'boleh': 134102, 'lah': 478980, 'cuba': 220160, 'kitajagakita': 475680, 'rm5': 724270, 'sape nak': 736685, 'nak buat': 551537, 'buat duit': 141576, 'duit secara': 262068, 'secara online': 743645, 'online boleh': 607937, 'boleh lah': 134103, 'lah cuba': 478981, 'cuba kitajagakita': 220161, 'kitajagakita more': 475681, 'click free': 181909, 'free rm5': 332113, 'rm5 to': 724271, 'user register': 950313, 'register free': 707569, 'free shopping': 332168, 'shopping malaysia': 763225, 'sape nak buat': 736686, 'nak buat duit': 551538, 'buat duit secara': 141578, 'duit secara online': 262069, 'secara online boleh': 743646, 'online boleh lah': 607938, 'boleh lah cuba': 134104, 'lah cuba kitajagakita': 478982, 'cuba kitajagakita more': 220162, 'kitajagakita more click': 475682, 'more click free': 538821, 'click free rm5': 181910, 'free rm5 to': 332114, 'rm5 to new': 724272, 'to new user': 910579, 'new user register': 559819, 'user register free': 950314, 'register free shopping': 707570, 'free shopping malaysia': 332170, 'pearled': 646168, 'barley': 111119, 'tostada': 926108, 'chopped apparently': 177962, 'apparently my': 81970, 'my ingredient': 548849, 'ingredient are': 438349, 'are pearled': 89014, 'pearled barley': 646169, 'barley great': 111120, 'great northern': 362849, 'northern bean': 567740, 'bean tostada': 118381, 'tostada shell': 926109, 'shell and': 757871, 'rice wine': 721174, 'wine vinegar': 995924, 'of chopped apparently': 581407, 'chopped apparently my': 177963, 'apparently my ingredient': 81971, 'my ingredient are': 548850, 'ingredient are pearled': 438350, 'are pearled barley': 89015, 'pearled barley great': 646170, 'barley great northern': 111121, 'great northern bean': 362850, 'northern bean tostada': 567741, 'bean tostada shell': 118382, 'tostada shell and': 926110, 'shell and rice': 757872, 'and rice wine': 70509, 'rice wine vinegar': 721175, 'ps5': 687382, 'being smart': 125801, 'smart as': 775343, 'selling my': 749354, 'my ps4': 549860, 'ps4 ahead': 687376, 'of ps5': 588573, 'ps5 release': 687385, 'date at': 226597, 'of year': 593344, 'madness came': 508166, 'came along': 156966, 'along so': 47020, 'imagine how': 416730, 'wa being smart': 961686, 'being smart as': 125802, 'smart as and': 775344, 'as and tried': 94717, 'tried to beat': 931826, 'beat the market': 118560, 'market price by': 516881, 'price by selling': 673038, 'by selling my': 153928, 'selling my ps4': 749355, 'my ps4 ahead': 549861, 'ps4 ahead of': 687377, 'ahead of ps5': 39190, 'of ps5 release': 588574, 'ps5 release date': 687386, 'release date at': 708936, 'date at the': 226599, 'end of year': 275925, 'of year then': 593348, 'year then covid': 1015005, '19 madness came': 8508, 'madness came along': 508167, 'came along so': 156968, 'along so you': 47021, 'you can imagine': 1017700, 'can imagine how': 158719, 'imagine how feel': 416731, 'how feel that': 407859, 'feel that me': 302875, 'stock in regular': 802271, 'capgemini': 162631, 'ofc': 593576, 'hi actually': 394584, 'actually my': 30894, 'at capgemini': 98196, 'capgemini pune': 162632, 'pune she': 689203, 'she stay': 756351, 'at pg': 100107, 'pg due': 653946, '19 her': 7505, 'her ofc': 392241, 'ofc shutdown': 593579, 'shutdown until': 768122, '31 march': 17585, 'march their': 515488, 'their pg': 874289, 'owner asked': 632395, 'to vacant': 918099, 'vacant the': 951575, 'the pg': 863631, 'pg until': 653955, 'march where': 515530, 'providing any': 686942, 'now she': 575788, 'panic situation': 638602, 'hi actually my': 394585, 'actually my sister': 30895, 'sister work at': 771802, 'work at capgemini': 1004861, 'at capgemini pune': 98197, 'capgemini pune she': 162633, 'pune she stay': 689204, 'she stay at': 756352, 'stay at pg': 796772, 'at pg due': 100108, 'pg due to': 653947, 'covid 19 her': 213201, '19 her ofc': 7507, 'her ofc shutdown': 392242, 'ofc shutdown until': 593580, 'shutdown until 31': 768123, 'until 31 march': 943658, '31 march their': 17587, 'march their pg': 515489, 'their pg owner': 874290, 'pg owner asked': 653951, 'owner asked them': 632396, 'them to vacant': 876526, 'to vacant the': 918100, 'vacant the pg': 951576, 'the pg until': 863632, 'pg until 31': 653956, '31 march where': 17588, 'march where they': 515531, 'are not providing': 88449, 'not providing any': 571156, 'providing any food': 686944, 'any food well': 79243, 'food well now': 317545, 'well now she': 978428, 'now she is': 575789, 'she is in': 756153, 'in the panic': 429434, 'the panic situation': 863220, 'panic situation where': 638605, 'situation where she': 772581, 'where she do': 985163, 'she do not': 755997, 'food close': 313945, 'close museum': 182727, 'museum earthquake': 546247, 'earthquake seriously': 265044, 'seriously what': 751781, 'next earthquake': 561349, 'pandemic stock up': 636558, 'on food close': 600850, 'food close museum': 313946, 'close museum earthquake': 182728, 'museum earthquake seriously': 546248, 'earthquake seriously what': 265045, 'seriously what next': 751784, 'what next earthquake': 981928, 'shawsdoesntcare': 755827, 'need there': 555791, 'work trying': 1005941, 'just lining': 469163, 'lining your': 493771, 'pocket shawsdoesntcare': 662198, 'shawsdoesntcare shameful': 755828, 'criminal that you': 216886, 're increasing price': 698897, 'increasing price at': 433665, 'when everyone is': 983400, 'in need there': 425771, 'need there are': 555792, 'are people out': 89042, 'of work trying': 593266, 'work trying to': 1005942, 'get basic grocery': 346646, 'basic grocery and': 111915, 'grocery and you': 364269, 'you re just': 1020661, 're just lining': 698945, 'just lining your': 469164, 'lining your pocket': 493772, 'your pocket shawsdoesntcare': 1025341, 'pocket shawsdoesntcare shameful': 662199, 'lockdownsaextended': 500372, 'day16oflockdown': 228859, 'isn there': 454721, 'there cure': 878296, 'be destroyed': 114423, 'destroyed with': 239075, 'soap lockdownsaextended': 779056, 'lockdownsaextended 19': 500373, '19 day16oflockdown': 6433, 'isn there cure': 454723, 'there cure for': 878297, 'cure for that': 220746, 'for that can': 326251, 'can be destroyed': 157610, 'be destroyed with': 114426, 'destroyed with disinfectant': 239076, 'with disinfectant and': 998084, 'disinfectant and soap': 245611, 'and soap lockdownsaextended': 71867, 'soap lockdownsaextended 19': 779057, 'lockdownsaextended 19 19': 500374, '19 19 day16oflockdown': 4711, 'bucketlist': 141689, 'queue another': 693870, 'another one': 77735, 'lockdown bucketlist': 499206, 'my first supermarket': 548351, 'first supermarket queue': 309044, 'supermarket queue another': 822115, 'queue another one': 693871, 'another one of': 77737, 'my lockdown bucketlist': 549158, '30am today': 17435, 'today thankful': 920259, 'heart is': 388305, 'is heavy': 448381, 'heavy and': 388618, 'keep from': 471523, 'from worrying': 338430, 'worrying and': 1010818, 'cry every': 219861, 'day praying': 228238, 'everyone thankful': 287458, 'store at 30am': 806574, 'at 30am today': 97610, '30am today thankful': 17437, 'today thankful to': 920260, 'thankful to get': 841929, 'get what needed': 348622, 'what needed my': 981913, 'needed my heart': 556440, 'my heart is': 548656, 'heart is heavy': 388307, 'is heavy and': 448382, 'heavy and it': 388620, 'it is all': 458867, 'is all can': 445454, 'all can to': 42288, 'to keep from': 908789, 'keep from worrying': 471526, 'from worrying and': 338431, 'worrying and cry': 1010819, 'and cry every': 60783, 'cry every day': 219862, 'every day praying': 285838, 'day praying for': 228239, 'praying for everyone': 669114, 'for everyone thankful': 321241, 'bosqf': 135726, 'submits': 815807, 'yield growth': 1016370, 'growth bos': 367352, 'bos bosqf': 135653, 'bosqf submits': 135729, 'submits second': 815810, 'second formula': 743719, 'for approval': 319467, 'yield growth bos': 1016371, 'growth bos bosqf': 367353, 'bos bosqf submits': 135655, 'bosqf submits second': 135730, 'submits second formula': 815811, 'second formula to': 743720, 'formula to for': 329723, 'to for approval': 906131, 'local liquor': 498152, 'time most': 897227, 'your average': 1022882, 'store rn': 809900, 'your local liquor': 1024702, 'local liquor store': 498153, 'liquor store during': 494203, 'store during these': 807411, 'these time most': 880843, 'time most have': 897228, 'most have lot': 542368, 'lot more than': 504117, 'more than your': 540703, 'than your average': 841502, 'your average grocery': 1022884, 'grocery store rn': 365729, 'store rn and': 809901, 'rn and they': 724312, 'they deserve the': 881906, 'deserve the help': 238131, 'dusttricks': 263480, 'thelockdown': 875289, 'magictrick': 508405, 'finally understand': 306125, 'why everyone': 990985, 'is obsessed': 450386, 'with buying': 997503, 'paper lately': 640405, 'lately it': 480966, 'so comfortable': 776774, 'comfortable dusttricks': 187870, 'dusttricks thelockdown': 263481, 'thelockdown stayhome': 875290, 'stayathome isolation': 797511, 'isolation quarantine': 455396, 'quarantinelife magic': 692970, 'magic magictrick': 508387, 'magictrick toiletpaper': 508406, 'finally understand why': 306129, 'understand why everyone': 940816, 'why everyone is': 990986, 'everyone is obsessed': 287091, 'is obsessed with': 450387, 'obsessed with buying': 578670, 'with buying toilet': 997505, 'toilet paper lately': 921334, 'paper lately it': 640406, 'lately it so': 480967, 'it so comfortable': 461102, 'so comfortable dusttricks': 776775, 'comfortable dusttricks thelockdown': 187871, 'dusttricks thelockdown stayhome': 263482, 'thelockdown stayhome stayathome': 875291, 'stayhome stayathome isolation': 798132, 'stayathome isolation quarantine': 797512, 'isolation quarantine quarantinelife': 455397, 'quarantine quarantinelife magic': 692472, 'quarantinelife magic magictrick': 692971, 'magic magictrick toiletpaper': 508388, 'going during': 355127, 'others we': 621760, 'can ever': 158262, 'ever know': 285382, 'know thank': 476746, 'help keep going': 389967, 'keep going during': 471543, 'going during this': 355130, 'many others we': 514460, 'others we see': 621764, 'we see you': 973176, 'see you we': 746116, 'you we know': 1022200, 're doing and': 698533, 'doing and we': 252291, 'and we appreciate': 75279, 'we appreciate it': 970454, 'appreciate it more': 82732, 'than you can': 841487, 'you can ever': 1017673, 'can ever know': 158263, 'ever know thank': 285384, 'know thank you': 476747, 'pe map': 645962, 'map daily': 514923, 'daily update': 224852, 'energy industry': 276475, 'price case': 673082, 'and european': 62310, 'country move': 210902, 'move into': 543676, 'pe map daily': 645963, 'map daily update': 514924, 'daily update on': 224855, 'update on effect': 947114, 'on effect on': 600527, 'the energy industry': 854321, 'energy industry oil': 276479, 'industry oil and': 436023, 'gas price case': 343942, 'price case increase': 673083, 'case increase and': 165816, 'increase and european': 432676, 'and european country': 62311, 'european country move': 283554, 'country move into': 210903, 'move into lockdown': 543679, 'than hr': 840762, 'hr san': 409659, 'francisco will': 331133, 'on 24': 599070, 'hour lockdown': 405744, 'mean all': 524350, 'city can': 179083, 'not considered': 568836, 'remain home': 709764, 'le than hr': 483177, 'than hr san': 840763, 'hr san francisco': 409660, 'san francisco will': 733551, 'francisco will be': 331134, 'be on 24': 116186, 'on 24 hour': 599072, '24 hour lockdown': 15620, 'hour lockdown that': 405745, 'lockdown that mean': 500002, 'that mean all': 845103, 'mean all resident': 524354, 'all resident in': 44166, 'the city can': 850922, 'city can only': 179084, 're not considered': 699085, 'not considered essential': 568838, 'considered essential you': 195295, 'essential you must': 281878, 'you must remain': 1019928, 'must remain home': 546850, 'me socialism': 523503, 'shopping key': 763130, 'key word': 473459, 'word tried': 1004609, 'good spirit': 357756, 'spirit nofood': 789488, 'is what they': 453899, 'what they told': 982419, 'told me socialism': 923617, 'me socialism would': 523504, 'go shopping key': 354116, 'shopping key word': 763131, 'key word tried': 473460, 'word tried but': 1004610, 'tried but still': 931765, 'but still in': 147168, 'still in good': 800741, 'in good spirit': 423371, 'good spirit nofood': 357758, 'spirit nofood stockpile': 789489, 'store sorry': 810266, 'grocery store sorry': 365786, 'store sorry for': 810267, 'hillside': 396506, 'ava': 104093, 'owner hillside': 632462, 'hillside ava': 396507, 'ava and': 104094, 'doing wonderful': 252870, 'pandemic am': 634830, 'am always': 49876, 'always standing': 49750, 'standing with': 793834, 'community please': 190041, 'spoke to local': 789729, 'business owner hillside': 144186, 'owner hillside ava': 632463, 'hillside ava and': 396508, 'ava and they': 104095, 'they have enough': 882315, 'and supply in': 72794, 'supply in stock': 825412, 'stock and are': 801799, 'and are doing': 58306, 'are doing wonderful': 85941, 'doing wonderful service': 252871, 'wonderful service to': 1004116, 'service to our': 752986, 'our community during': 622458, '19 pandemic am': 9261, 'pandemic am always': 634831, 'am always standing': 49878, 'always standing with': 49751, 'standing with my': 793835, 'with my community': 999616, 'my community please': 547767, 'community please go': 190043, 'to my website': 910448, 'lousy': 504575, 'floral': 310878, 'from mostly': 336477, 'mostly my': 542978, 'own garden': 632016, 'garden thing': 343626, 'can cant': 157862, 'cant spend': 162334, 'on during': 600442, 'quarantine takeout': 692601, 'takeout restaurant': 833183, 'meal yes': 524311, 'yes because': 1015384, 'because lousy': 119229, 'lousy cook': 504576, 'cook floral': 202739, 'floral delivery': 310881, 'no because': 563678, 'because can': 118972, 'can garden': 158391, 'garden floral': 343589, 'floral arrangement': 310879, 'arrangement get': 93718, 'get sticker': 348114, 'sticker shock': 800092, 'shock when': 759541, 'from mostly my': 336478, 'mostly my own': 542979, 'my own garden': 549642, 'own garden thing': 632017, 'garden thing can': 343627, 'thing can cant': 884221, 'can cant spend': 157863, 'cant spend on': 162335, 'spend on during': 788661, 'on during quarantine': 600443, 'during quarantine takeout': 262946, 'quarantine takeout restaurant': 692602, 'takeout restaurant meal': 833184, 'restaurant meal yes': 716574, 'meal yes because': 524312, 'yes because lousy': 1015385, 'because lousy cook': 119230, 'lousy cook floral': 504577, 'cook floral delivery': 202740, 'floral delivery no': 310882, 'delivery no because': 234204, 'no because can': 563679, 'because can garden': 118975, 'can garden floral': 158392, 'garden floral arrangement': 343590, 'floral arrangement get': 310880, 'arrangement get sticker': 93719, 'get sticker shock': 348115, 'sticker shock when': 800093, 'shock when see': 759542, 'when see price': 983976, 'madeinengland': 508096, 'supermarket music': 821549, 'music madeinengland': 546314, 'madeinengland shop': 508097, 'their muzak': 874027, 'muzak to': 547103, 'trick shopper': 931706, 'into calming': 442443, 'calming down': 156847, 'supermarket music madeinengland': 821550, 'music madeinengland shop': 546315, 'madeinengland shop are': 508098, 'shop are changing': 759895, 'changing their muzak': 172820, 'their muzak to': 874028, 'muzak to trick': 547104, 'to trick shopper': 917776, 'trick shopper into': 931707, 'shopper into calming': 761574, 'into calming down': 442444, 'moroccan': 541563, 'demand serf': 236187, 'serf free': 751193, 'to moroccan': 910275, 'moroccan doctor': 541564, 'doctor fighting': 250909, 'food on demand': 315592, 'on demand serf': 600286, 'demand serf free': 236188, 'serf free meal': 751194, 'free meal to': 331971, 'meal to moroccan': 524292, 'to moroccan doctor': 910276, 'moroccan doctor fighting': 541565, 'doctor fighting covid': 250910, 'can starve': 159732, 'england because': 277007, 'have literally': 381343, 'stealing from': 799227, 'same reason': 733266, 'disgusting karma': 245422, 'karma come': 470942, 'fact that elderly': 295794, 'that elderly and': 843689, 'and disabled people': 61395, 'disabled people can': 243938, 'people can starve': 647410, 'can starve to': 159733, 'to death in': 903982, 'death in england': 230078, 'in england because': 422577, 'england because people': 277008, 'people have literally': 648182, 'have literally been': 381344, 'literally been stealing': 494955, 'been stealing from': 122033, 'stealing from food': 799228, 'from food bank': 335504, 'bank and panic': 109620, 'buying and hospital': 149913, 'and hospital are': 64744, 'hospital are running': 404306, 'of soap for': 589822, 'soap for the': 779010, 'the same reason': 866289, 'same reason is': 733268, 'reason is disgusting': 702943, 'is disgusting karma': 447221, 'disgusting karma come': 245423, 'next state': 561562, 'union address': 941864, 'address want': 32062, 'see healthcare': 745183, 'owner affected': 632364, 'the audience': 849043, 'audience guest': 102909, 'at the next': 101034, 'the next state': 861698, 'next state of': 561563, 'the union address': 870403, 'union address want': 941865, 'address want to': 32063, 'to see healthcare': 914018, 'see healthcare worker': 745184, 'worker emergency responder': 1006841, 'emergency responder and': 272924, 'responder and small': 715414, 'business owner affected': 144175, 'owner affected by': 632365, 'by the recession': 154423, 'the recession in': 865337, 'in the audience': 428996, 'the audience guest': 849044, 'stoppanickbuying': 805665, 'something where': 785139, 'up ton': 946468, 'essential can': 280882, 'need first': 554778, 'more greedy': 539370, 'and panick': 68669, 'need stoppanickbuying': 555656, 'stoppanickbuying thinkingofothers': 805666, 'they should have': 883370, 'should have something': 766095, 'have something where': 382655, 'something where the': 785140, 'where the elderly': 985225, 'people who do': 650290, 'stock up ton': 803126, 'up ton of': 946469, 'of food essential': 583687, 'food essential can': 314376, 'essential can buy': 280883, 'can buy what': 157846, 'they need first': 882732, 'need first then': 554779, 'first then the': 309063, 'then the more': 877618, 'the more greedy': 860883, 'more greedy and': 539371, 'greedy and panick': 363473, 'and panick buyer': 68670, 'panick buyer can': 639190, 'buyer can get': 149600, 'they need stoppanickbuying': 882759, 'need stoppanickbuying thinkingofothers': 555657, 'lockdownsl': 500377, 'if ar': 413871, 'ar making': 83802, 'food ridiculously': 316235, 'price ar': 672618, 'ar not': 83804, 'arsehole lockdown': 94091, 'lockdown lockdownsl': 499618, 'lockdownsl selfisolation': 500378, 'if ar making': 413872, 'ar making money': 83803, 'making money by': 511224, 'money by selling': 536654, 'by selling baby': 153922, 'or food ridiculously': 615345, 'food ridiculously inflated': 316236, 'inflated price ar': 437025, 'price ar not': 672619, 'ar not an': 83805, 'an arsehole lockdown': 55413, 'arsehole lockdown lockdownsl': 94092, 'lockdown lockdownsl selfisolation': 499619, 'lockdownsl selfisolation lockdown': 500379, 'extremist': 293948, 'security official': 744691, 'official warn': 595965, 'of extremist': 583352, 'extremist exploiting': 293949, 'national security official': 552613, 'security official warn': 744693, 'official warn of': 595966, 'warn of extremist': 966942, 'of extremist exploiting': 583353, 'extremist exploiting the': 293950, 'spotify already': 790144, '19 playlist': 9704, 'playlist up': 659484, 'next lost': 561431, 'spotify already stocked': 790145, 'up on covid': 945543, 'covid 19 playlist': 213588, '19 playlist up': 9705, 'playlist up next': 659485, 'up next lost': 945453, 'next lost in': 561432, 'lost in the': 503868, 'supermarket stay tuned': 822933, 'club close': 184423, 'close until': 182933, 'return is': 719863, 'be crazy': 114278, 'crazy keep': 215342, 'your wasted': 1026305, 'wasted stock': 968262, 'is very sad': 453694, 'very sad to': 955494, 'see that all': 745784, 'that all these': 842572, 'restaurant bar and': 716328, 'bar and club': 110669, 'and club close': 60024, 'club close until': 184424, 'close until further': 182934, 'notice the return': 573373, 'the return is': 865750, 'return is going': 719864, 'to be crazy': 901185, 'be crazy keep': 114279, 'crazy keep your': 215343, 'donate your wasted': 254293, 'your wasted stock': 1026306, 'wasted stock to': 968263, 'stock to the': 803004, 'to the homeless': 916781, 'the homeless food': 857466, 'you switched': 1021502, 'switched language': 830538, 'language for': 479486, 'our common': 622442, 'you allowed': 1016930, 'to translate': 917708, 'translate explain': 929696, 'explain for': 292100, 'our western': 625370, 'western uganda': 980642, 'uganda people': 937982, 'love the way': 504812, 'way you switched': 970207, 'you switched language': 1021503, 'switched language for': 830539, 'language for our': 479487, 'for our common': 324218, 'our common people': 622443, 'common people good': 189429, 'people good that': 648113, 'good that you': 357823, 'that you allowed': 847711, 'you allowed to': 1016931, 'allowed to translate': 46251, 'to translate explain': 917709, 'translate explain for': 929697, 'explain for our': 292101, 'for our western': 324310, 'our western uganda': 625371, 'western uganda people': 980643, 'uganda people thank': 937983, 'cvd': 223867, 'development with': 239856, 'cancel today': 160897, 'today cvd': 919424, 'cvd webinar': 223868, 'webinar thank': 975106, 'everyone from': 286924, 'continue their': 201149, 'the recent development': 865306, 'recent development with': 703884, 'development with the': 239857, 'virus we have': 959009, 'decided to cancel': 230902, 'to cancel today': 902432, 'cancel today cvd': 160898, 'today cvd webinar': 919425, 'cvd webinar thank': 223869, 'webinar thank you': 975107, 'to everyone from': 905336, 'everyone from front': 286925, 'line staff teacher': 493421, 'teacher care worker': 835439, 'delivery driver amp': 233888, 'driver amp everyone': 259399, 'amp everyone who': 53761, 'everyone who continue': 287584, 'who continue their': 988483, 'continue their work': 201153, 'their work to': 875207, 'work to support': 1005904, 'support their community': 826896, 'sweating': 830068, 'day braving': 227389, 'of had': 584405, 'my multiple': 549363, 'multiple glove': 545748, 'my truck': 550434, 'truck wa': 932874, 'wa sweating': 963376, 'sweating never': 830071, 'knew how': 476038, 'how difficult': 407697, 'difficult it': 242239, 'first day braving': 308613, 'day braving the': 227390, 'braving the supermarket': 138290, 'beginning of had': 123647, 'of had my': 584406, 'had my multiple': 373321, 'my multiple glove': 549364, 'multiple glove and': 545749, 'and mask and': 66742, 'mask and when': 518391, 'and when got': 75513, 'when got my': 983489, 'got my grocery': 358725, 'my grocery in': 548575, 'grocery in my': 364618, 'in my truck': 425639, 'my truck wa': 550437, 'truck wa sweating': 932875, 'wa sweating never': 963377, 'sweating never knew': 830072, 'never knew how': 558082, 'knew how difficult': 476040, 'how difficult it': 407699, 'difficult it wa': 242242, 'it wa to': 462212, 'wa to not': 963522, 'to not touch': 910714, 'not touch anything': 572232, 'crisis changing': 217209, 'behaviour eng': 124412, '19 crisis changing': 6225, 'crisis changing consumer': 217210, 'consumer behaviour eng': 196567, 'behaviour eng consumerbehaviour': 124413, 'custys': 223202, 'gonna lose': 356581, 'lose whole': 503498, 'of custys': 582291, 'custys if': 223203, 'know drop': 476356, 'drop them': 260413, 'them high': 875853, 'high as': 394936, 'as price': 94795, 'wrong wit': 1013146, 'wit all': 996897, 'all gonna lose': 42971, 'gonna lose whole': 356582, 'lose whole lot': 503499, 'lot of custys': 504170, 'of custys if': 582292, 'custys if all': 223204, 'if all don': 413790, 'all don know': 42617, 'don know drop': 253663, 'know drop them': 476357, 'drop them high': 260414, 'them high as': 875854, 'high as price': 394937, 'as price wtf': 94796, 'price wtf is': 677673, 'is wrong wit': 454111, 'wrong wit all': 1013147, 'wit all it': 996898, 'all it coronacrisis': 43265, 'mmt': 534784, 'committing': 189093, 'informed you': 438141, 'our trip': 625189, 'trip wa': 932212, 'canceled well': 160974, 'our scheduled': 624682, 'scheduled travel': 741523, 'travel date': 930330, 'date due': 226621, 'no response': 565345, 'from mmt': 336454, 'mmt you': 534785, 'you stole': 1021432, 'stole money': 804272, 'is committing': 446674, 'committing fraud': 189094, 'fraud consumer': 331248, 'consumer take': 199212, 'action again': 29924, 'informed you that': 438142, 'you that our': 1021573, 'that our trip': 845600, 'our trip wa': 625193, 'trip wa canceled': 932213, 'wa canceled well': 961788, 'canceled well in': 160975, 'well in advance': 978312, 'advance of our': 32907, 'of our scheduled': 587558, 'our scheduled travel': 624683, 'scheduled travel date': 741524, 'travel date due': 930331, 'date due to': 226622, '19 and now': 5070, 'and now no': 67857, 'now no response': 575355, 'no response from': 565346, 'response from mmt': 715695, 'from mmt you': 336455, 'mmt you stole': 534787, 'you stole money': 1021433, 'stole money is': 804273, 'money is committing': 536843, 'is committing fraud': 446675, 'committing fraud consumer': 189095, 'fraud consumer take': 331249, 'consumer take action': 199213, 'take action again': 831890, 'to ad': 900035, 'ad age': 31051, 'respond to ad': 715314, 'to ad age': 900036, 'exorbitant rate': 290428, 'rate it': 697281, 'it happens': 458476, 'happens that': 377503, 'neighbor cannot': 556991, 'afford such': 34763, 'such money': 816642, 'out unprotected': 627748, 'unprotected the': 943260, 'when these': 984236, 'these your': 881006, 'neighbor go': 557023, 'contact covid': 200055, '19 both': 5426, 'both you': 136102, 'an advantage to': 55149, 'advantage to increase': 33071, 'price of stock': 675577, 'of stock to': 590200, 'stock to an': 802987, 'to an exorbitant': 900453, 'an exorbitant rate': 55956, 'exorbitant rate it': 290429, 'rate it happens': 697285, 'it happens that': 458478, 'happens that some': 377504, 'your neighbor cannot': 1024950, 'neighbor cannot afford': 556992, 'cannot afford such': 161613, 'afford such money': 34765, 'such money and': 816643, 'money and decide': 536594, 'decide to keep': 230847, 'going out unprotected': 355401, 'out unprotected the': 627749, 'unprotected the truth': 943261, 'that when these': 847496, 'when these your': 984239, 'these your neighbor': 881007, 'your neighbor go': 1024955, 'neighbor go out': 557024, 'out and contact': 625654, 'and contact covid': 60465, 'contact covid 19': 200056, 'covid 19 both': 212721, '19 both you': 5428, 'both you and': 136103, 'you and family': 1016987, 'julia': 467783, 'makeadifference': 510779, 'get eye': 346980, 'eye roll': 294096, 'roll from': 725309, 'staff if': 792539, 'your entire': 1023679, 'entire shop': 278735, 'dairy milk': 225011, 'milk supermarket': 531839, 'worker julia': 1007270, 'julia got': 467785, 'make public': 510369, 'shopper makeadifference': 761608, 'surprised if you': 828587, 'you get eye': 1018768, 'get eye roll': 346981, 'eye roll from': 294097, 'roll from staff': 725311, 'from staff if': 337398, 'staff if your': 792543, 'if your entire': 415576, 'your entire shop': 1023681, 'entire shop is': 278736, 'shop is an': 760354, 'is an easter': 445646, 'easter egg and': 265416, 'egg and bar': 269757, 'and bar of': 58699, 'bar of dairy': 110735, 'of dairy milk': 582326, 'dairy milk supermarket': 225013, 'milk supermarket worker': 531841, 'supermarket worker julia': 824041, 'worker julia got': 1007271, 'julia got in': 467786, 'got in touch': 358632, 'touch with to': 926584, 'with to make': 1001791, 'to make public': 909724, 'make public service': 510370, 'service announcement for': 752122, 'announcement for shopper': 77148, 'for shopper makeadifference': 325572, 'pegnato': 646334, 'roofing': 725854, 'closing there': 183788, 'issue fm': 455751, 'fm should': 311707, 'of bill': 580706, 'bill pegnato': 130656, 'pegnato discus': 646335, 'discus dark': 244848, 'dark store': 225979, 'store roofing': 809908, 'roofing issue': 725855, 'how fm': 407873, 'fm can': 311693, 'manage them': 512449, 'them efficiently': 875645, 'thousand of retail': 893460, 'retail store temporarily': 718709, 'store temporarily closing': 810523, 'temporarily closing there': 837485, 'closing there are': 183789, 'are many issue': 88029, 'many issue fm': 514210, 'issue fm should': 455752, 'fm should be': 311708, 'should be aware': 765563, 'aware of bill': 105625, 'of bill pegnato': 580707, 'bill pegnato discus': 130657, 'pegnato discus dark': 646336, 'discus dark store': 244849, 'dark store roofing': 225980, 'store roofing issue': 809909, 'roofing issue and': 725856, 'issue and how': 455665, 'and how fm': 64812, 'how fm can': 407874, 'fm can manage': 311694, 'can manage them': 158968, 'manage them efficiently': 512450, 'destin': 238964, 'ron desantis': 725770, 'desantis you': 237901, 'your citizen': 1023224, 'citizen covid': 178881, 'in destin': 422223, 'destin there': 238965, 'store spring': 810291, 'break family': 138722, 'from southeast': 337363, 'southeast are': 786831, 'still arriving': 800212, 'arriving beach': 94005, 'beach restaurant': 118235, 'restaurant retail': 716668, 'no regard': 565322, 'regard for': 707135, 'local need': 498198, 'ron desantis you': 725772, 'desantis you are': 237902, 'failing to protect': 296235, 'protect your citizen': 685058, 'your citizen covid': 1023225, 'citizen covid 19': 178882, '19 in destin': 7739, 'in destin there': 422224, 'destin there is': 238966, 'is no meat': 449951, 'no meat at': 564745, 'meat at store': 525493, 'at store spring': 100662, 'store spring break': 810292, 'spring break family': 791173, 'break family from': 138723, 'family from southeast': 297828, 'from southeast are': 337364, 'southeast are still': 786832, 'are still arriving': 90392, 'still arriving beach': 800213, 'arriving beach restaurant': 94006, 'beach restaurant retail': 118236, 'restaurant retail open': 716670, 'retail open no': 718351, 'open no regard': 612401, 'no regard for': 565323, 'regard for local': 707136, 'for local need': 323052, 'local need of': 498200, 'need of essential': 555326, 'dietary': 241766, 'foodallergies': 317740, 'shopper clearing': 761459, 'clearing out': 181464, 'isolate due': 454846, 'make challenging': 509762, 'challenging situation': 171623, 'situation even': 772256, 'or special': 617174, 'special dietary': 787889, 'dietary need': 241769, 'need foodallergies': 554819, 'shopper clearing out': 761460, 'clearing out grocery': 181465, 'up and isolate': 944338, 'and isolate due': 65452, 'isolate due to': 454847, '19 concern can': 5916, 'concern can make': 192945, 'can make challenging': 158926, 'make challenging situation': 509763, 'challenging situation even': 171624, 'situation even more': 772257, 'more difficult for': 539038, 'difficult for people': 242226, 'people with life': 650456, 'with life threatening': 999214, 'threatening food allergy': 893805, 'food allergy or': 313094, 'allergy or special': 45784, 'or special dietary': 617175, 'special dietary need': 787891, 'dietary need foodallergies': 241770, 'help these': 390725, 'these organization': 880380, 'organization foodbanks': 619368, 'overrun surge': 631451, 'please give to': 660033, 'give to help': 350791, 'to help these': 907649, 'help these organization': 390726, 'these organization foodbanks': 880381, 'organization foodbanks are': 619369, 'foodbanks are overrun': 317814, 'are overrun surge': 88933, 'overrun surge demand': 631452, 'using your': 950799, 'your season': 1025692, 'season ticket': 743448, 'ticket you': 895685, 'be entitled': 114693, 'be disappointed': 114472, 'disappointed by': 244095, 'get via': 348587, 'from home and': 335840, 'and not using': 67788, 'not using your': 572380, 'using your season': 950801, 'your season ticket': 1025693, 'season ticket you': 743449, 'ticket you could': 895686, 'could be entitled': 208864, 'be entitled to': 114694, 'to refund but': 913082, 'refund but you': 706874, 'but you might': 147993, 'might be disappointed': 530891, 'be disappointed by': 114473, 'disappointed by what': 244098, 'by what you': 154724, 'what you get': 982673, 'you get via': 1018807, 'site say': 772003, 'contact you': 200302, 'in regard': 427347, 'thing easier': 884297, 'easier due': 265138, 'yet when': 1016323, 'when emailed': 983370, 'emailed suggesting': 272384, 'suggesting you': 817620, 'temporarily lower': 837510, 'lower your': 506055, 'for freelancer': 321745, 'freelancer your': 332452, 'your response': 1025595, 'response wa': 715910, 'just time': 470077, 'it funny that': 458191, 'funny that your': 341797, 'that your site': 847775, 'your site say': 1025817, 'site say that': 772004, 'say that people': 739248, 'people can contact': 647385, 'can contact you': 157971, 'contact you in': 200303, 'you in regard': 1019314, 'in regard to': 427349, 'regard to making': 707154, 'to making thing': 909781, 'making thing easier': 511452, 'thing easier due': 884298, 'easier due to': 265139, '19 yet when': 12259, 'yet when emailed': 1016324, 'when emailed suggesting': 983371, 'emailed suggesting you': 272385, 'suggesting you temporarily': 817621, 'you temporarily lower': 1021548, 'temporarily lower your': 837511, 'lower your price': 506057, 'your price to': 1025419, 'easier for freelancer': 265145, 'for freelancer your': 321746, 'freelancer your response': 332453, 'your response wa': 1025597, 'response wa just': 715911, 'wa just time': 962472, 'just time are': 470078, 'security only': 744694, 'letting few': 487404, 'limit crowding': 492319, 'crowding and': 219382, 'employee hand': 273910, 'out disinfectant': 625960, 'wipe wild': 996428, 'wild stuff': 992080, 'security only letting': 744695, 'only letting few': 610727, 'letting few people': 487405, 'few people into': 303989, 'people into the': 648511, 'at time to': 101314, 'time to limit': 898013, 'to limit crowding': 909284, 'limit crowding and': 492320, 'crowding and an': 219383, 'and an employee': 58110, 'an employee hand': 55710, 'employee hand out': 273911, 'hand out disinfectant': 375159, 'out disinfectant wipe': 625961, 'disinfectant wipe wild': 245816, 'wipe wild stuff': 996429, 'subscribe': 815844, 'drawingoftheday': 258537, 'see over': 745538, 'the sea': 866548, 'sea click': 743085, 'bio to': 131167, 'to subscribe': 915715, 'subscribe to': 815854, 'weekly newsletter': 977520, 'newsletter lol': 561037, 'lol cartoon': 500885, 'cartoon cartoon': 165505, 'cartoon sketch': 165531, 'sketch drawingoftheday': 772881, 'drawingoftheday comic': 258538, 'can you see': 160329, 'you see over': 1021057, 'see over the': 745539, 'over the sea': 630765, 'the sea click': 866550, 'sea click the': 743087, 'the link in': 859441, 'in bio to': 420854, 'bio to subscribe': 131168, 'to subscribe to': 915717, 'subscribe to my': 815855, 'to my weekly': 910449, 'my weekly newsletter': 550563, 'weekly newsletter lol': 977521, 'newsletter lol cartoon': 561038, 'lol cartoon cartoon': 500886, 'cartoon cartoon sketch': 165506, 'cartoon sketch drawingoftheday': 165532, 'sketch drawingoftheday comic': 772882, 'it absurd': 456250, 'and pity': 69039, 'pity that': 657060, 'that certain': 843190, 'certain fast': 170004, 'their menu': 873949, 'menu item': 528882, 'item during': 463223, 'many pandemic': 514470, 'it absurd and': 456251, 'absurd and pity': 27489, 'and pity that': 69040, 'pity that certain': 657061, 'that certain fast': 843191, 'certain fast food': 170005, 'food restaurant are': 316192, 'restaurant are raising': 716314, 'are raising the': 89418, 'some of their': 783409, 'of their menu': 591679, 'their menu item': 873950, 'menu item during': 528883, 'item during these': 463231, 'time for many': 896722, 'for many pandemic': 323230, 'spinach': 789400, 'but should': 147045, 'be buying': 113939, 'the spinach': 867580, 'spinach kale': 789403, 'kale garlic': 470702, 'garlic ginger': 343686, 'lemon potato': 486191, 'potato orange': 666958, 'orange coronavirus': 617904, 'coronavirus cole': 205662, 'cole add': 185830, 'add shopping': 31481, 'shopping limit': 763173, 'limit to': 492534, 'milk amid': 531547, 'maybe it just': 521725, 'just me but': 469239, 'me but should': 522537, 'but should people': 147048, 'people be buying': 647223, 'be buying up': 113945, 'buying up all': 151287, 'all the spinach': 44917, 'the spinach kale': 867581, 'spinach kale garlic': 789404, 'kale garlic ginger': 470703, 'garlic ginger lemon': 343687, 'ginger lemon potato': 350205, 'lemon potato orange': 486192, 'potato orange coronavirus': 666959, 'orange coronavirus cole': 617905, 'coronavirus cole add': 205663, 'cole add shopping': 185832, 'add shopping limit': 31482, 'shopping limit to': 763176, 'limit to milk': 492538, 'to milk amid': 910128, 'milk amid covid': 531548, 'nac': 551355, 'nacsdaily': 551364, 'cstores': 220072, 'conveniencestores': 202381, 'cstore': 220069, 'will grocery': 993575, 'shopping change': 762362, 'forced shopper': 328603, 'change habit': 172067, 'habit which': 372710, 'stay nac': 797131, 'nac nacsdaily': 551356, 'nacsdaily cstores': 551365, 'cstores convenience': 220075, 'convenience conveniencestores': 202323, 'conveniencestores cstore': 202382, 'cstore grocery': 220070, 'grocery grocery': 364564, 'how will grocery': 409228, 'will grocery shopping': 993576, 'grocery shopping change': 365007, 'shopping change the': 762363, 'change the coronavirus': 172288, 'crisis ha forced': 217436, 'ha forced shopper': 370664, 'forced shopper to': 328604, 'shopper to change': 761760, 'to change habit': 902603, 'change habit which': 172068, 'habit which one': 372711, 'which one are': 986194, 'one are here': 605942, 'to stay nac': 915301, 'stay nac nacsdaily': 797132, 'nac nacsdaily cstores': 551357, 'nacsdaily cstores convenience': 551366, 'cstores convenience conveniencestores': 220076, 'convenience conveniencestores cstore': 202324, 'conveniencestores cstore grocery': 202383, 'cstore grocery grocery': 220071, 'grocery grocery shopping': 364565, 'steep drop': 799386, 'than panicking': 841018, 'panicking most': 639355, 'most aussie': 542125, 'aussie pension': 103132, 'fund seem': 341496, 'seem well': 746707, 'well placed': 978480, 'placed to': 657916, 'fund are faced': 341365, 'faced with steep': 295049, 'with steep drop': 1000964, 'steep drop in': 799387, 'equity price and': 279962, 'rather than panicking': 697539, 'than panicking most': 841019, 'panicking most aussie': 639356, 'most aussie pension': 542126, 'aussie pension fund': 103133, 'pension fund seem': 646659, 'fund seem well': 341497, 'seem well placed': 746708, 'well placed to': 978481, 'placed to deal': 657917, 'averted': 104927, 'icymi could': 412869, 'price combined': 673185, 'with fewer': 998424, 'fewer car': 304198, 'car on': 163193, 'our road': 624649, 'road result': 724499, 'in significant': 427953, 'state gas': 795599, 'tax later': 835025, 'year it': 1014676, 'be averted': 113766, 'averted if': 104928, 'the legislature': 859284, 'legislature take': 486019, 'action read': 30118, 'icymi could lower': 412870, 'could lower gas': 209397, 'gas price combined': 343944, 'price combined with': 673186, 'combined with fewer': 187144, 'with fewer car': 998425, 'fewer car on': 304199, 'car on our': 163194, 'on our road': 602626, 'our road result': 624650, 'road result of': 724500, 'pandemic result in': 636352, 'result in significant': 717549, 'in significant increase': 427955, 'the state gas': 867775, 'state gas tax': 795600, 'gas tax later': 344147, 'tax later this': 835026, 'this year it': 891581, 'year it can': 1014677, 'can be averted': 157589, 'be averted if': 113767, 'averted if the': 104929, 'if the legislature': 414992, 'the legislature take': 859285, 'legislature take action': 486020, 'take action read': 831901, 'action read our': 30119, 'read our analysis': 700497, 'helen': 388957, 'wheres': 985443, 'dildo': 242844, 'buttplugs': 148222, 'fuckin karen': 339777, 'karen with': 470912, '50 gallon': 19704, 'and helen': 64430, 'helen with': 388958, 'with 200': 996980, 'toiletpaper wheres': 922837, 'wheres the': 985446, 'the weirdo': 871364, 'weirdo who': 977838, 'who stocked': 989687, 'interesting item': 441577, 'item havent': 463324, 'havent seen': 383938, 'seen anyone': 746946, 'anyone pushing': 80474, 'pushing shopping': 690443, 'cart full': 165309, 'of dildo': 582616, 'dildo and': 242845, 'and buttplugs': 59324, 'buttplugs yet': 148223, 'but finger': 145728, 'finger crossed': 307796, 'crossed toiletpaperpanic': 219065, 'toiletpaperpanic lockdown': 923224, 'fuckin karen with': 339778, 'karen with 50': 470913, 'with 50 gallon': 997033, '50 gallon of': 19706, 'of milk and': 586502, 'milk and helen': 531561, 'and helen with': 64431, 'helen with 200': 388959, 'with 200 roll': 996981, 'roll of toiletpaper': 725422, 'of toiletpaper wheres': 592291, 'toiletpaper wheres the': 922838, 'wheres the weirdo': 985447, 'the weirdo who': 871365, 'weirdo who stocked': 977841, 'who stocked up': 989688, 'on more interesting': 602206, 'more interesting item': 539612, 'interesting item havent': 441578, 'item havent seen': 463325, 'havent seen anyone': 383939, 'seen anyone pushing': 746948, 'anyone pushing shopping': 80475, 'pushing shopping cart': 690444, 'shopping cart full': 762301, 'cart full of': 165310, 'full of dildo': 340716, 'of dildo and': 582617, 'dildo and buttplugs': 242846, 'and buttplugs yet': 59325, 'buttplugs yet but': 148224, 'yet but finger': 1016020, 'but finger crossed': 145729, 'finger crossed toiletpaperpanic': 307797, 'crossed toiletpaperpanic lockdown': 219066, 'human sadly': 410604, 'sadly they': 729367, 'that wont': 847644, 'wont bother': 1004239, 'read any': 700286, 'the stopstockpiling': 867965, 'stoppanicbuying message': 805589, 'message will': 529483, 'virus by': 958018, 'by continuing': 152203, 'selfish ridiculous': 748243, 'ridiculous behaviour': 721522, 'behaviour stopthespread': 124525, 'am so embarrassed': 50404, 'so embarrassed by': 776944, 'embarrassed by some': 272439, 'by some of': 154078, 'of our fellow': 587473, 'fellow human sadly': 303298, 'human sadly they': 410605, 'sadly they are': 729368, 'one that wont': 607193, 'that wont bother': 847645, 'wont bother to': 1004240, 'bother to read': 136130, 'to read any': 912825, 'read any of': 700288, 'of the stopstockpiling': 591495, 'the stopstockpiling stoppanicbuying': 867966, 'stopstockpiling stoppanicbuying message': 805886, 'stoppanicbuying message will': 805591, 'message will continue': 529484, 'spread this virus': 790839, 'this virus by': 891002, 'virus by continuing': 958020, 'by continuing this': 152204, 'continuing this selfish': 201553, 'this selfish ridiculous': 890021, 'selfish ridiculous behaviour': 748244, 'ridiculous behaviour stopthespread': 721523, 'whole household': 990242, 'stock supply': 802904, 'haven left': 383848, 'left anything': 485387, 'anything on': 80843, 'we all people': 970351, 'all people the': 43943, 'people the whole': 649798, 'the whole household': 871495, 'whole household have': 990243, 'household have symptom': 406831, 'have symptom we': 382896, 'symptom we have': 830945, 'to stock supply': 915453, 'stock supply because': 802905, 'supply because of': 824843, 'of the greedy': 591078, 'greedy people who': 363572, 'people who haven': 650307, 'who haven left': 988976, 'haven left anything': 383849, 'left anything on': 485388, 'anything on the': 80844, 'raise glass': 695859, 'glass to': 351639, 'hero medical': 394039, 'worker trucker': 1008053, 'trucker farmer': 932912, 'farmer retweet': 299494, 'retweet your': 720103, 'your raise': 1025512, 'glass photo': 351633, 'photo and': 655121, 'your real': 1025525, 'raise glass to': 695862, 'glass to the': 351641, 'to the real': 917006, 'real hero medical': 701202, 'hero medical staff': 394041, 'medical staff supermarket': 526405, 'supermarket worker trucker': 824107, 'worker trucker farmer': 1008054, 'trucker farmer retweet': 932914, 'farmer retweet your': 299496, 'retweet your raise': 720104, 'your raise glass': 1025513, 'raise glass photo': 695860, 'glass photo and': 351634, 'photo and add': 655122, 'and add your': 57674, 'add your real': 31537, 'your real hero': 1025526, 'forgottenheroes': 329468, 'just dropped': 468654, 'dropped my': 260597, 'daughter off': 226894, 'at mcdonalds': 99695, 'mcdonalds in': 522161, 'future if': 342358, 'are tempted': 90769, 'to verbally': 918142, 'verbally abuse': 954750, 'the teenager': 869244, 'at fast': 98630, 'place or': 657626, 'supermarket remember': 822197, 'could eat': 209131, 'crisis forgottenheroes': 217398, 'just dropped my': 468658, 'dropped my daughter': 260600, 'my daughter off': 547934, 'daughter off for': 226895, 'off for shift': 593834, 'for shift at': 325544, 'shift at mcdonalds': 758247, 'at mcdonalds in': 99696, 'mcdonalds in the': 522162, 'the future if': 856078, 'future if you': 342359, 'you are tempted': 1017255, 'are tempted to': 90770, 'tempted to verbally': 837747, 'to verbally abuse': 918143, 'verbally abuse the': 954751, 'abuse the teenager': 27668, 'the teenager working': 869245, 'teenager working at': 836566, 'working at fast': 1008520, 'at fast food': 98631, 'fast food place': 299973, 'food place or': 315856, 'place or supermarket': 657629, 'or supermarket remember': 617284, 'supermarket remember that': 822199, 'remember that they': 710292, 'that they put': 846945, 'they put their': 882958, 'at risk so': 100399, 'risk so you': 723888, 'you could eat': 1018084, 'could eat during': 209132, 'eat during this': 265894, 'this crisis forgottenheroes': 887041, 'cyclone': 224108, 'remapest': 710096, 'guaranteedservices': 367760, 'ulvcoldfogger': 939194, 'publichealthprotection': 688552, 'fogsprayer': 312030, 'killvirus': 474735, 'bestoffer': 128038, '24hours': 15757, 'jakartaquarantine': 464320, 'cyclone ultralow': 224109, 'ultralow volume': 939183, 'volume now': 960148, 'eliminate kill': 271449, 'also sir': 48879, 'sir and': 771539, 'we providing': 972779, 'for best': 319648, 'best offer': 127802, 'offer price': 594753, 'price remapest': 676177, 'remapest guaranteedservices': 710097, 'guaranteedservices ulvcoldfogger': 367761, 'ulvcoldfogger publichealthprotection': 939195, 'publichealthprotection fogsprayer': 688553, 'fogsprayer killvirus': 312031, 'killvirus bestoffer': 474736, 'bestoffer 24hours': 128039, '24hours jakartaquarantine': 15758, 'cyclone ultralow volume': 224110, 'ultralow volume now': 939184, 'volume now we': 960149, 'now we can': 576336, 'we can use': 971036, 'can use to': 160108, 'use to eliminate': 949755, 'to eliminate kill': 904990, 'eliminate kill the': 271450, 'kill the also': 474510, 'the also sir': 848603, 'also sir and': 48880, 'sir and we': 771541, 'and we providing': 75314, 'we providing for': 972780, 'providing for best': 687000, 'for best offer': 319649, 'best offer price': 127803, 'offer price remapest': 594756, 'price remapest guaranteedservices': 676178, 'remapest guaranteedservices ulvcoldfogger': 710098, 'guaranteedservices ulvcoldfogger publichealthprotection': 367762, 'ulvcoldfogger publichealthprotection fogsprayer': 939196, 'publichealthprotection fogsprayer killvirus': 688554, 'fogsprayer killvirus bestoffer': 312032, 'killvirus bestoffer 24hours': 474737, 'bestoffer 24hours jakartaquarantine': 128040, 'avacado': 104096, 'epidemic is': 279395, 'that avacado': 842900, 'avacado price': 104097, '19 epidemic is': 6809, 'epidemic is that': 279399, 'is that avacado': 452634, 'that avacado price': 842901, 'avacado price are': 104098, 'bestsupermarket': 128054, 'replenishment': 711690, 'bestsupermarket which': 128055, 'handled the': 376312, 'coronavirus best': 205556, 'stock good': 802201, 'good replenishment': 357648, 'replenishment and': 711691, 'think add': 885116, 'any that': 79955, 'are missed': 88085, 'missed in': 534231, 'comment staysafe': 188452, 'wrestlemania sundaymorning': 1012737, 'bestsupermarket which supermarket': 128056, 'which supermarket ha': 986355, 'supermarket ha handled': 820629, 'ha handled the': 370818, 'handled the coronavirus': 376313, 'the coronavirus best': 851811, 'coronavirus best in': 205557, 'best in term': 127734, 'term of stock': 838226, 'of stock good': 590166, 'stock good replenishment': 802202, 'good replenishment and': 357649, 'replenishment and service': 711692, 'and service in': 71304, 'service in the': 752483, 'the uk do': 870208, 'uk do you': 938311, 'you think add': 1021642, 'think add any': 885117, 'add any that': 31401, 'any that are': 79956, 'that are missed': 842778, 'are missed in': 88086, 'missed in the': 534232, 'the comment staysafe': 851216, 'comment staysafe wrestlemania': 188453, 'staysafe wrestlemania sundaymorning': 798964, 'interfered': 441667, 'pandemic played': 636191, 'played role': 659283, 'it interfered': 458817, 'interfered with': 441668, 'grocery ability': 364203, 'get inventory': 347381, 'coronavirus pandemic played': 206483, 'pandemic played role': 636192, 'played role in': 659284, 'in the closure': 429074, 'the closure it': 851053, 'closure it interfered': 183925, 'it interfered with': 458818, 'interfered with the': 441669, 'the grocery ability': 856800, 'grocery ability to': 364204, 'ability to get': 24393, 'to get inventory': 906515, 'consumer purchase do': 198614, 'purchase do not': 689428, 'fall for online': 296913, 'for online scam': 324113, 'online scam and': 608937, 'creek': 216610, 'up creek': 944674, 'creek so': 216611, 'do thankyou': 250216, 'you so many': 1021287, 'so many of': 777682, 'without all you': 1002480, 'all you we': 45557, 'you we really': 1022203, 'we really be': 973020, 'really be up': 702015, 'be up creek': 117885, 'up creek so': 944675, 'creek so thank': 216612, 'that you all': 847709, 'you all do': 1016872, 'all do thankyou': 42596, 'do besides': 249125, 'besides go': 127502, 'and pump': 69772, 'pump gas': 689050, 'is nothing to': 450241, 'to do besides': 904486, 'do besides go': 249126, 'besides go to': 127503, 'store and pump': 806324, 'and pump gas': 69773, 'depot work': 237553, 'keep re': 471844, 'shelf stockpiling': 757601, 'stophoarding foodshortages': 805398, 'is the food': 452803, 'the food depot': 855544, 'food depot work': 314190, 'depot work at': 237554, 'work at right': 1004896, 'at right now': 100323, 'right now stop': 722144, 'now stop panic': 575915, 'everyone we will': 287569, 'will keep re': 993898, 'keep re stocking': 471845, 're stocking shelf': 699615, 'stocking shelf stockpiling': 803595, 'shelf stockpiling stophoarding': 757602, 'stockpiling stophoarding foodshortages': 804079, 'convid19': 202599, 'lady fro': 478761, 'fro brit': 334135, 'brit tell': 140351, 'till because': 895997, 'one belongs': 605996, 'staff not': 792681, 'not customer': 568947, 'customer make': 222592, 'were educated': 979550, 'educated about': 268781, 'time there': 897890, 'than 150': 840178, '150 people': 3923, 'store convid19': 807170, 'lady fro brit': 478762, 'fro brit tell': 334136, 'brit tell me': 140352, 'tell me to': 837028, 'me to hide': 523758, 'hide the hand': 394846, 'the till because': 869556, 'till because that': 895998, 'because that one': 119603, 'that one belongs': 845492, 'one belongs to': 605997, 'belongs to staff': 126526, 'to staff not': 915137, 'staff not customer': 792684, 'not customer make': 568948, 'customer make me': 222593, 'they were educated': 883766, 'were educated about': 979551, 'educated about this': 268782, 'this virus at': 891001, 'virus at that': 957977, 'that time there': 847050, 'time there more': 897894, 'more than 150': 540548, 'than 150 people': 840179, '150 people inside': 3924, 'people inside the': 648484, 'the store convid19': 868000, 'nostril': 567981, 'snugly': 776431, 'public wear': 688463, 'that reach': 845948, 'reach above': 699884, 'above nose': 27089, 'nose below': 567876, 'below chin': 126614, 'chin completely': 176431, 'completely covering': 192244, 'covering mouth': 212476, 'mouth nostril': 543540, 'nostril fit': 567982, 'fit snugly': 309494, 'snugly against': 776432, 'against side': 37615, 'of multiple': 586719, 'multiple layer': 545762, 'of cloth': 581474, 'cloth that': 184112, 'can breathe': 157793, 'breathe through': 139204, 'reduce spread of': 705935, 'of in public': 585038, 'in public wear': 427108, 'public wear cloth': 688464, 'face covering that': 294376, 'covering that reach': 212493, 'that reach above': 845949, 'reach above nose': 699885, 'above nose below': 27090, 'nose below chin': 567877, 'below chin completely': 126615, 'chin completely covering': 176432, 'completely covering mouth': 192245, 'covering mouth nostril': 212477, 'mouth nostril fit': 543541, 'nostril fit snugly': 567983, 'fit snugly against': 309495, 'snugly against side': 776433, 'against side of': 37616, 'side of your': 768859, 'of your face': 593468, 'face is made': 294479, 'is made of': 449508, 'made of multiple': 507877, 'of multiple layer': 586720, 'multiple layer of': 545763, 'layer of cloth': 482636, 'of cloth that': 581477, 'cloth that you': 184113, 'you can breathe': 1017635, 'can breathe through': 157794, 'frontier': 338696, 'aerion': 33891, 'other force': 620264, 'force could': 328368, 'business jet': 143967, 'jet shifting': 465351, 'demand frontier': 235553, 'frontier to': 338697, 'where aerion': 984716, 'aerion would': 33892, 'didn work': 241265, 'company probably': 190976, 'probably had': 679278, 'right cost': 721853, 'but missed': 146398, 'business two': 144580, 'two out': 937117, 'three are': 893873, 'bad ask': 107767, 'ask prize': 95607, 'prize prize': 679082, '19 or other': 9024, 'or other force': 616434, 'other force could': 620265, 'force could increase': 328369, 'could increase demand': 209336, 'increase demand for': 432737, 'demand for business': 235387, 'for business jet': 319834, 'business jet shifting': 143969, 'jet shifting the': 465352, 'shifting the demand': 758556, 'the demand frontier': 853096, 'demand frontier to': 235554, 'frontier to where': 338698, 'to where aerion': 918536, 'where aerion would': 984717, 'aerion would like': 33893, 'would like it': 1011995, 'like it to': 490561, 'to be if': 901322, 'be if that': 115351, 'if that didn': 414933, 'that didn work': 843529, 'didn work the': 241266, 'work the company': 1005808, 'the company probably': 851346, 'company probably had': 190977, 'probably had the': 679280, 'had the right': 373625, 'the right cost': 865806, 'right cost and': 721854, 'cost and price': 207863, 'price but missed': 672981, 'but missed the': 146400, 'missed the demand': 534254, 'the demand in': 853100, 'demand in business': 235665, 'in business two': 421084, 'business two out': 144581, 'two out of': 937118, 'out of three': 626857, 'of three are': 592141, 'three are bad': 893874, 'are bad ask': 84747, 'bad ask prize': 107768, 'ask prize prize': 95608, 'jens': 465113, 'spahn': 787256, 'deutschland': 239546, 'ist': 456141, 'vorbereitet': 960437, 'auf': 102956, 'wochen': 1003322, 'ter': 838029, 'jens spahn': 465114, 'spahn deutschland': 787257, 'deutschland ist': 239547, 'ist gut': 456144, 'gut vorbereitet': 368858, 'vorbereitet auf': 960438, 'auf rewe': 102961, 'rewe wochen': 720825, 'wochen sp': 1003323, 'sp ter': 787019, 'jens spahn deutschland': 465115, 'spahn deutschland ist': 787258, 'deutschland ist gut': 239548, 'ist gut vorbereitet': 456145, 'gut vorbereitet auf': 368859, 'vorbereitet auf rewe': 960439, 'auf rewe wochen': 102962, 'rewe wochen sp': 720826, 'wochen sp ter': 1003324, 'bbcbayuno': 113114, 'sirpatrickvallance': 771698, 'rich and': 721186, 'famous get': 298465, 'tested on': 839330, 'care convid19uk': 163898, 'convid19uk update': 202638, 'update bbcbayuno': 946883, 'bbcbayuno bbcnews': 113115, 'bbcnews new': 113134, 'city time': 179418, 'time sirpatrickvallance': 897679, 'the rich and': 865777, 'rich and famous': 721188, 'and famous get': 62684, 'famous get food': 298467, 'get food the': 347068, 'food the rich': 317129, 'famous get tested': 298468, 'get tested on': 348191, 'tested on demand': 839331, 'on demand the': 600290, 'demand the rich': 236357, 'famous get better': 298466, 'get better health': 346667, 'better health care': 128315, 'health care convid19uk': 386226, 'care convid19uk update': 163899, 'convid19uk update bbcbayuno': 202639, 'update bbcbayuno bbcnews': 946884, 'bbcbayuno bbcnews new': 113116, 'bbcnews new york': 113135, 'york city time': 1016595, 'city time sirpatrickvallance': 179419, 'around during': 93272, 'pandemic say': 636389, 'say distributor': 738576, 'distributor despite': 248281, 'despite panic': 238817, 'buying across': 149853, 'go around during': 353311, 'around during the': 93273, 'the pandemic say': 863086, 'pandemic say distributor': 636393, 'say distributor despite': 738577, 'distributor despite panic': 248282, 'despite panic buying': 238818, 'panic buying across': 637629, 'buying across the': 149854, 'across the bay': 29483, 'the bay area': 849358, 'spec': 787828, 'spp': 790237, '24p': 15774, '163': 4229, '39p': 18197, 'porkmarketnews': 664831, 'pigprices': 656473, 'eu spec': 283271, 'spec spp': 787831, 'spp rose': 790238, 'rose in': 726071, 'ending 28': 276158, '28 march': 16397, 'march by': 515309, 'by 24p': 151601, '24p to': 15775, 'to average': 900857, 'average 163': 104795, '163 39p': 4230, '39p kg': 18198, 'kg the': 473670, 'chain appears': 170487, 'be coping': 114245, 'coping well': 203389, 'with well': 1002062, 'demand away': 235053, 'foodservice into': 318102, 'supermarket porkmarketnews': 822041, 'porkmarketnews pigprices': 664832, 'the eu spec': 854563, 'eu spec spp': 283272, 'spec spp rose': 787832, 'spp rose in': 790239, 'rose in the': 726074, 'week ending 28': 976186, 'ending 28 march': 276159, '28 march by': 16398, 'march by 24p': 515310, 'by 24p to': 151602, '24p to average': 15776, 'to average 163': 900859, 'average 163 39p': 104796, '163 39p kg': 4231, '39p kg the': 18199, 'kg the supply': 473671, 'supply chain appears': 824905, 'chain appears to': 170488, 'to be coping': 901182, 'be coping well': 114246, 'coping well with': 203390, 'well with well': 978760, 'with well the': 1002063, 'well the dramatic': 978656, 'the dramatic shift': 853664, 'shift in demand': 758322, 'in demand away': 422108, 'demand away from': 235054, 'away from foodservice': 105884, 'from foodservice into': 335521, 'foodservice into supermarket': 318103, 'into supermarket porkmarketnews': 443055, 'supermarket porkmarketnews pigprices': 822042, 'togo': 921097, 'happy sunday': 377681, 'sunday we': 818289, 'seriously when': 751787, 'when cooking': 983286, 'cooking your': 202946, 'your meal': 1024797, 'meal amp': 524088, 'we handle': 971731, 'handle everything': 376194, 'more fyi': 539327, 'fyi we': 342652, 'don allow': 253335, 'allow anyone': 45916, 'anyone through': 80573, 'the togo': 869702, 'togo bag': 921098, 'delivery person': 234332, 'happy sunday we': 377684, 'sunday we are': 818290, 'taking this very': 833622, 'this very seriously': 890966, 'very seriously when': 955526, 'seriously when cooking': 751788, 'when cooking your': 983287, 'cooking your meal': 202947, 'your meal amp': 1024798, 'meal amp how': 524090, 'how we handle': 409174, 'we handle everything': 971732, 'handle everything we': 376195, 'everything we are': 288085, 'we are using': 970752, 'are using sanitizer': 91428, 'using sanitizer glove': 950629, 'sanitizer glove amp': 734987, 'glove amp more': 352548, 'amp more fyi': 54148, 'more fyi we': 539328, 'fyi we don': 342653, 'we don allow': 971376, 'don allow anyone': 253336, 'allow anyone through': 45919, 'anyone through our': 80574, 'through our door': 894615, 'door to pick': 255755, 'up their food': 946236, 'their food we': 873359, 'we will take': 973913, 'take the togo': 832683, 'the togo bag': 869703, 'togo bag to': 921099, 'to the delivery': 916632, 'the delivery person': 853072, 'delivery person or': 234334, '100daysofcode': 2157, 'undefined': 939937, 'admins': 32536, '100daysofcode day': 2158, 'day undefined': 228635, 'undefined update': 939938, 'update wa': 947302, 'approved for': 83153, 'my covid': 547842, '19 essential': 6835, 'list io': 494370, 'io app': 444426, 'app you': 81807, 'now share': 575786, 'to product': 912220, 'and admins': 57700, 'admins have': 32537, 'have another': 379287, 'reason available': 702872, 'reject product': 708324, '100daysofcode day undefined': 2159, 'day undefined update': 228636, 'undefined update wa': 939939, 'update wa approved': 947303, 'wa approved for': 961566, 'approved for my': 83154, 'for my covid': 323690, 'my covid 19': 547843, 'covid 19 essential': 213038, '19 essential online': 6837, 'essential online shopping': 281357, 'shopping list io': 763189, 'list io app': 494371, 'io app you': 444428, 'app you can': 81808, 'can now share': 159072, 'now share link': 575787, 'share link to': 755087, 'link to product': 493938, 'to product and': 912221, 'product and admins': 680870, 'and admins have': 57701, 'admins have another': 32538, 'have another reason': 379288, 'another reason available': 77789, 'reason available to': 702873, 'available to reject': 104656, 'to reject product': 913126, 'mum cry': 545887, 'supermarket show': 822685, 'the ridiculousness': 865798, 'ridiculousness of': 721660, 'of bulk': 580928, 'over please': 630509, 'stop greedy': 804696, 'greedy buying': 363496, 'buying saturdaymotivation': 150981, 'saturdaymotivation bulkbuying': 737103, 'bulkbuying toiletpaper': 142391, 'mum cry in': 545888, 'cry in supermarket': 219880, 'in supermarket show': 428668, 'supermarket show the': 822686, 'show the ridiculousness': 767218, 'the ridiculousness of': 865799, 'ridiculousness of bulk': 721661, 'of bulk buying': 580929, 'bulk buying we': 142288, 'buying we need': 151327, 'need to remember': 556041, 'to remember that': 913187, 'are people in': 89035, 'in need all': 425723, 'need all over': 554385, 'all over please': 43876, 'over please stop': 630511, 'please stop greedy': 660577, 'stop greedy buying': 804697, 'greedy buying saturdaymotivation': 363497, 'buying saturdaymotivation bulkbuying': 150982, 'saturdaymotivation bulkbuying toiletpaper': 737104, 'sendtp': 750143, 'six store': 772694, 'had toilet': 373745, 'real we': 701448, 'getting close': 348906, 'apocalypse sendtp': 81564, 'sendtp toiletpaper': 750144, 'been to six': 122226, 'to six store': 914690, 'six store the': 772695, 'store the past': 810612, 'past day and': 643517, 'day and none': 227274, 'and none of': 67683, 'none of them': 566598, 'of them have': 591744, 'them have had': 875824, 'have had toilet': 380881, 'had toilet paper': 373746, 'paper the struggle': 640881, 'struggle is getting': 814354, 'getting real we': 349223, 'real we getting': 701449, 'we getting close': 971640, 'getting close to': 348907, 'to the apocalypse': 916493, 'the apocalypse sendtp': 848814, 'apocalypse sendtp toiletpaper': 81565, 'sendtp toiletpaper 19': 750145, 'supermarket heist': 820735, 'heist it': 388865, 'shopping environment': 762573, 'environment change': 279094, 'and knowing': 65895, 'be stressful': 117390, 'stressful yup': 813528, 'yup went': 1027121, 'supermarket heist it': 820736, 'heist it scary': 388866, 'it scary time': 460908, 'scary time to': 741211, 'go shopping environment': 354111, 'shopping environment change': 762574, 'environment change and': 279095, 'change and knowing': 171918, 'and knowing what': 65896, 'knowing what you': 477152, 'actually need to': 30909, 'pandemic can be': 635085, 'can be stressful': 157690, 'be stressful yup': 117391, 'stressful yup went': 813529, 'yup went in': 1027122, 'went in and': 979039, '519weddings': 20238, 'created issue': 215838, 'the wedding': 871286, 'wedding industry': 975566, 'client will': 182135, 'allow all': 45914, 'all 2021': 41894, '2021 wedding': 14803, 'wedding to': 975581, 'online using': 609658, 'my 2020': 547136, '2020 sale': 14583, 'price stay': 676626, 'and plan': 69059, 'your wedding': 1026329, 'wedding online': 975573, 'with columbia': 997691, 'columbia photo': 186884, 'photo ldnont': 655190, 'ldnont 519weddings': 482809, 'pandemic ha created': 635538, 'ha created issue': 370272, 'created issue for': 215839, 'issue for the': 455756, 'for the wedding': 326774, 'the wedding industry': 871287, 'wedding industry to': 975567, 'help my client': 390120, 'my client will': 547705, 'client will allow': 182136, 'will allow all': 992240, 'allow all 2021': 45915, 'all 2021 wedding': 41896, '2021 wedding to': 14804, 'wedding to book': 975583, 'to book online': 901899, 'book online using': 134581, 'online using my': 609660, 'using my 2020': 950566, 'my 2020 sale': 547138, '2020 sale price': 14584, 'sale price stay': 732464, 'price stay home': 676627, 'safe and plan': 729468, 'and plan your': 69063, 'plan your wedding': 658368, 'your wedding online': 1026330, 'wedding online with': 975574, 'online with columbia': 609742, 'with columbia photo': 997692, 'columbia photo ldnont': 186885, 'photo ldnont 519weddings': 655191, 'nocorporatewelfare': 566103, 'sherwinwilliams': 758094, 'do given': 249336, 'given that': 351120, 'of cleveland': 581456, 'cleveland just': 181848, 'just handed': 468916, 'handed it': 376068, 'it 25': 456202, 'free money': 331983, 'build headquarters': 141976, 'headquarters it': 386033, 'build anyway': 141951, 'anyway nocorporatewelfare': 81027, 'nocorporatewelfare sherwinwilliams': 566104, 'is the least': 452846, 'the least it': 859251, 'least it could': 484524, 'it could do': 457356, 'could do given': 209095, 'do given that': 249337, 'given that the': 351127, 'that the city': 846684, 'city of cleveland': 179279, 'of cleveland just': 581457, 'cleveland just handed': 181849, 'just handed it': 468917, 'handed it 25': 376069, 'it 25 million': 456205, '25 million in': 15910, 'million in free': 532190, 'in free money': 423101, 'free money to': 331984, 'money to build': 537087, 'to build headquarters': 902088, 'build headquarters it': 141977, 'headquarters it wa': 386034, 'going to build': 355544, 'to build anyway': 902081, 'build anyway nocorporatewelfare': 141952, 'anyway nocorporatewelfare sherwinwilliams': 81028, 'unconscious': 939873, 'subnormal': 815832, 'throw your': 895064, 'floor what': 310856, 'you unconscious': 1021958, 'unconscious subnormal': 939874, 'subnormal 19': 815833, 'supermarket or the': 821835, 'or the store': 617400, 'any place and': 79655, 'place and throw': 657325, 'and throw your': 74098, 'throw your glove': 895065, 'glove on the': 352827, 'the floor what': 855429, 'floor what are': 310857, 'are you unconscious': 91875, 'you unconscious subnormal': 1021959, 'unconscious subnormal 19': 939875, 'dountoothers': 256292, 'preplife': 670376, 'eldercare': 270553, 'babyboomers': 106755, 'realestateagent': 701536, 'remembers place': 710469, 'place hoarder': 657495, 'hoarder hoarder': 399045, 'hoarder grateful': 399033, 'grateful bekind': 362242, 'bekind serve': 126111, 'serve love': 751908, 'love give': 504672, 'give protect': 350666, 'protect dountoothers': 684814, 'dountoothers prep': 256293, 'prep preplife': 670011, 'preplife elder': 670377, 'elder eldercare': 270528, 'eldercare toiletpaper': 270554, 'toiletpaper costco': 921898, 'costco walmart': 208289, 'walmart tiktok': 965440, 'tiktok senior': 895916, 'senior babyboomers': 750221, 'babyboomers realestate': 106756, 'realestate realestateagent': 701515, 'realestateagent realtor': 701538, 'realtor realtor': 702797, 'realtor give': 702781, 'who remembers place': 989528, 'remembers place hoarder': 710470, 'place hoarder hoarder': 657496, 'hoarder hoarder grateful': 399046, 'hoarder grateful bekind': 399034, 'grateful bekind serve': 362243, 'bekind serve love': 126112, 'serve love give': 751909, 'love give protect': 504673, 'give protect dountoothers': 350667, 'protect dountoothers prep': 684815, 'dountoothers prep preplife': 256294, 'prep preplife elder': 670012, 'preplife elder eldercare': 670378, 'elder eldercare toiletpaper': 270529, 'eldercare toiletpaper costco': 270555, 'toiletpaper costco walmart': 921899, 'costco walmart tiktok': 208290, 'walmart tiktok senior': 965441, 'tiktok senior babyboomers': 895917, 'senior babyboomers realestate': 750222, 'babyboomers realestate realestateagent': 106757, 'realestate realestateagent realtor': 701517, 'realestateagent realtor realtor': 701539, 'realtor realtor give': 702798, 'wana': 965540, 'gettn': 349471, '2d': 16580, 'call ur': 156212, 'ur sibling': 948060, 'sibling gather': 768334, 'gather up': 344406, 'good cash': 356870, 'cash send': 166333, 'send home': 749873, 'stop some': 805038, 'our stubborn': 624980, 'stubborn parent': 814565, 'parent that': 641741, 'still wana': 801382, 'wana go': 965541, 'go attend': 353324, 'attend to': 102324, 'personal business': 652795, 'from gettn': 335639, 'gettn close': 349472, 'close 2d': 182488, '2d despite': 16581, 'despite all': 238665, 'all system': 44585, 'is pause': 450819, 'pause now': 644603, 'stock tv': 803039, 'tv sub': 936207, 'call ur sibling': 156213, 'ur sibling gather': 948061, 'sibling gather up': 768335, 'gather up some': 344408, 'up some good': 946032, 'some good cash': 782960, 'good cash send': 356871, 'cash send home': 166334, 'send home to': 749874, 'to stop some': 915574, 'stop some of': 805039, 'of our stubborn': 587573, 'our stubborn parent': 624981, 'stubborn parent that': 814566, 'parent that still': 641742, 'that still wana': 846485, 'still wana go': 801383, 'wana go attend': 965542, 'go attend to': 353325, 'attend to their': 102325, 'to their personal': 917260, 'their personal business': 874278, 'personal business from': 652796, 'business from gettn': 143767, 'from gettn close': 335640, 'gettn close 2d': 349473, 'close 2d despite': 182489, '2d despite all': 16582, 'despite all system': 238666, 'all system is': 44586, 'system is pause': 831225, 'is pause now': 450820, 'pause now make': 644604, 'now make sure': 575273, 'sure the house': 827712, 'house is filled': 406372, 'filled with food': 305578, 'with food stock': 998508, 'food stock tv': 316814, 'stock tv sub': 803040, 'tv sub and': 936208, 'sub and fuel': 815674, 'pvc': 691348, 'the pvc': 864938, 'pvc outlook': 691351, 'outlook is': 629166, 'more bearish': 538707, 'bearish because': 118458, 'crashing crude': 215106, 'price more': 675267, 'the pvc outlook': 864939, 'pvc outlook is': 691352, 'outlook is more': 629168, 'is more bearish': 449697, 'more bearish because': 538708, 'bearish because of': 118459, 'outbreak and crashing': 627991, 'and crashing crude': 60693, 'crashing crude oil': 215107, 'oil price more': 597196, 'price more detail': 675269, 'more detail on': 539022, 'ha basically': 369664, 'basically become': 112112, 'big game': 129797, 'high value': 395505, 'value item': 952145, 'item first': 463258, 'first supermarketsweep': 309049, 'supermarketsweep shopping': 824262, 'shopping ha basically': 762821, 'ha basically become': 369665, 'basically become one': 112113, 'become one big': 120090, 'one big game': 606000, 'big game of': 129798, 'game of supermarket': 343220, 'sweep now you': 830143, 'now you gotta': 576510, 'you gotta get': 1018915, 'gotta get the': 359077, 'get the high': 348251, 'the high value': 857326, 'high value item': 395506, 'value item first': 952146, 'item first supermarketsweep': 463259, 'first supermarketsweep shopping': 309050, 'this texas': 890497, 'texas future': 839771, 'future txlege': 342494, 'txlege tcot': 937467, 'is this texas': 453125, 'this texas future': 890498, 'texas future txlege': 839772, 'future txlege tcot': 342495, 'cgi': 170382, 'sprucing': 791311, 'gremlin': 363837, 'labyrinth': 478562, 'new episode': 558700, 'episode we': 279558, 'crisis cgi': 217205, 'cgi or': 170383, 'die sprucing': 241455, 'sprucing up': 791312, 'special effect': 787905, 'of gremlin': 584337, 'gremlin labyrinth': 363838, 'labyrinth mac': 478563, 'me plus': 523343, 'plus the': 661691, 'wild style': 992081, 'style inspired': 815603, 'by music': 153272, 'music genre': 546308, 'genre listen': 345824, 'new episode we': 558702, 'episode we give': 279559, 'we give you': 971644, 'you the lowdown': 1021603, 'lowdown on working': 505764, 'the crisis cgi': 852356, 'crisis cgi or': 217206, 'cgi or die': 170384, 'or die sprucing': 614967, 'die sprucing up': 241456, 'sprucing up the': 791313, 'up the special': 946217, 'the special effect': 867546, 'special effect of': 787906, 'effect of gremlin': 269048, 'of gremlin labyrinth': 584338, 'gremlin labyrinth mac': 363839, 'labyrinth mac and': 478564, 'mac and me': 507312, 'and me plus': 66836, 'me plus the': 523344, 'plus the wild': 661696, 'the wild style': 871559, 'wild style inspired': 992082, 'style inspired by': 815604, 'inspired by music': 439842, 'by music genre': 153273, 'music genre listen': 546309, 'genre listen here': 345825, 'facing this': 295629, 'you reduced': 1020875, 'or giving': 615463, 'are facing this': 86436, 'facing this crisis': 295630, 'this crisis of': 887070, 'crisis of have': 217783, 'of have you': 584476, 'have you reduced': 383686, 'you reduced the': 1020876, 'the price or': 864393, 'price or giving': 675777, 'or giving them': 615465, 'giving them out': 351423, 'them out for': 876125, 'out for free': 626122, 'recent memory': 703927, 'memory the': 528434, 'lowest gasoline': 506166, 'area which': 92264, 'we track': 973563, 'all below': 42171, '00 gallon': 226, 'time in recent': 897008, 'in recent memory': 427317, 'recent memory the': 703928, 'memory the lowest': 528435, 'the lowest gasoline': 859810, 'lowest gasoline price': 506167, 'in the bay': 429013, 'bay area which': 112920, 'area which we': 92266, 'which we track': 986468, 'we track daily': 973565, 'track daily on': 928183, 'daily on are': 224732, 'on are all': 599459, 'are all below': 84290, 'all below 00': 42172, 'below 00 gallon': 126549, 'moonrise': 538346, 'rabun': 695165, 'moonrise distillery': 538347, 'distillery family': 247750, 'family run': 298194, 'run operation': 727745, 'to rabun': 912698, 'rabun county': 695166, 'county emergency': 211369, 'responder another': 715415, 'another amazing': 77490, 'amazing example': 50684, 'moonrise distillery family': 538348, 'distillery family run': 247751, 'family run operation': 298196, 'run operation in': 727746, 'operation in is': 613208, 'in is now': 424171, 'now producing hand': 575603, 'and donating it': 61660, 'donating it to': 254473, 'it to rabun': 461746, 'to rabun county': 912699, 'rabun county emergency': 695167, 'county emergency responder': 211370, 'emergency responder another': 272925, 'responder another amazing': 715416, 'another amazing example': 77491, 'amazing example of': 50685, 'example of supporting': 288950, 'of supporting our': 590517, 'our community in': 622464, '19 made': 8497, 'up book': 944505, 'book what': 134626, 'you feeding': 1018530, 'feeding your': 302497, 'period stayathome': 651885, 'covid 19 made': 213386, '19 made you': 8503, 'made you all': 508075, 'you all stock': 1016909, 'all stock up': 44471, 'up food but': 944883, 'food but it': 313818, 'but it made': 146137, 'it made me': 459493, 'made me stock': 507843, 'me stock up': 523552, 'stock up book': 803063, 'up book what': 944506, 'book what are': 134627, 'are you feeding': 91790, 'you feeding your': 1018531, 'feeding your mind': 302499, 'your mind this': 1024838, 'mind this period': 532753, 'this period stayathome': 889531, 'period stayathome staysafe': 651886, 'cath': 167281, 'kidston': 474271, 'lockdown hit': 499469, 'hit major': 398308, 'major high': 509352, 'street retailer': 813086, 'retailer this': 719372, 'with department': 998003, 'chain debenhams': 170634, 'debenhams and': 230351, 'fashion brand': 299795, 'brand cath': 137794, 'cath kidston': 167282, 'kidston set': 474274, 'for administration': 319025, 'of job are': 585527, 'job are at': 465655, 'at risk the': 100407, 'risk the covid': 723930, '19 lockdown hit': 8392, 'lockdown hit major': 499470, 'hit major high': 398309, 'major high street': 509353, 'high street retailer': 395435, 'street retailer this': 813088, 'retailer this week': 719373, 'this week with': 891300, 'week with department': 977262, 'with department store': 998004, 'store chain debenhams': 806914, 'chain debenhams and': 170635, 'debenhams and fashion': 230352, 'and fashion brand': 62706, 'fashion brand cath': 299797, 'brand cath kidston': 137795, 'cath kidston set': 167284, 'kidston set to': 474275, 'set to file': 753518, 'to file for': 905829, 'file for administration': 305349, 'volunteersagainstcovid19': 960404, 'leonard': 486397, 'eastkilbride': 265625, 'any volunteersagainstcovid19': 80026, 'volunteersagainstcovid19 in': 960405, 'in st': 428218, 'st leonard': 791717, 'leonard eastkilbride': 486398, 'eastkilbride my': 265626, 'is elderly': 447461, 'elderly cannot': 270628, 'slot any': 774111, 'help info': 389928, 'info appreciated': 437420, 'appreciated 21daylockdown': 82809, 'are there any': 90951, 'there any volunteersagainstcovid19': 878027, 'any volunteersagainstcovid19 in': 80027, 'volunteersagainstcovid19 in st': 960406, 'in st leonard': 428220, 'st leonard eastkilbride': 791718, 'leonard eastkilbride my': 486399, 'eastkilbride my mum': 265627, 'mum is elderly': 545918, 'is elderly cannot': 447462, 'elderly cannot go': 270630, 'go out or': 353974, 'out or get': 626953, 'or get online': 615432, 'shopping slot any': 763900, 'slot any help': 774112, 'any help info': 79314, 'help info appreciated': 389929, 'info appreciated 21daylockdown': 437421, 'controversy': 202293, 'launched chinese': 481972, 'chinese language': 177289, 'language initiative': 479494, 'initiative this': 438657, 'both english': 135902, 'english and': 277047, 'chinese no': 177306, 'no entry': 564126, 'entry chinese': 278990, 'supermarket new': 821595, 'policy spark': 663498, 'spark controversy': 787535, 'know ha launched': 476403, 'ha launched chinese': 371102, 'launched chinese language': 481973, 'chinese language initiative': 177290, 'language initiative this': 479495, 'initiative this article': 438658, 'article ha been': 94343, 'been published in': 121737, 'published in both': 688655, 'in both english': 420919, 'both english and': 135903, 'english and chinese': 277048, 'and chinese no': 59861, 'chinese no mask': 177307, 'mask no entry': 519008, 'no entry chinese': 564127, 'entry chinese supermarket': 278991, 'chinese supermarket new': 177360, 'supermarket new policy': 821596, 'new policy spark': 559303, 'policy spark controversy': 663499, 'mainstreamed': 508921, 'brooklyn deli': 140979, 'deli offer': 232932, 'offer 10': 594494, 'off food': 593819, 'product mainstreamed': 681387, 'mainstreamed grocery': 508922, 'others price': 621593, 'gouge on': 359192, 'water bottle': 968922, 'bottle amp': 136176, 'amp essential': 53744, 'fight panic': 304838, 'amp greedy': 53886, 'greedy store': 363615, 'amp individual': 53987, 'brooklyn deli offer': 140981, 'deli offer 10': 232933, 'offer 10 20': 594496, '20 off food': 13210, 'off food product': 593821, 'food product mainstreamed': 316026, 'product mainstreamed grocery': 681388, 'mainstreamed grocery store': 508923, 'food amp others': 313143, 'amp others price': 54254, 'others price gouge': 621594, 'price gouge on': 674235, 'gouge on water': 359193, 'on water bottle': 605115, 'water bottle amp': 968923, 'bottle amp essential': 136177, 'amp essential to': 53745, 'essential to fight': 281696, 'to fight panic': 905804, 'fight panic amp': 304839, 'panic amp greedy': 637289, 'amp greedy store': 53887, 'greedy store amp': 363616, 'store amp individual': 806179, 'amp individual who': 53988, 'individual who hoard': 435280, 'mom took': 535821, 'took photo': 925314, 'her pasta': 392292, 'pasta aisle': 643669, 'delivery the': 234618, 'first customer': 308606, 'lot stop': 504376, 'buying pasta': 150887, 'mom took photo': 535822, 'took photo of': 925315, 'of her pasta': 584581, 'her pasta aisle': 392293, 'pasta aisle at': 643670, 'aisle at this': 40216, 'at this morning': 101244, 'morning after food': 541136, 'food delivery the': 314152, 'delivery the first': 234620, 'the first customer': 855294, 'first customer at': 308607, 'customer at would': 222149, 'at would have': 101640, 'would have emptied': 1011873, 'emptied the parking': 274701, 'parking lot stop': 642106, 'lot stop panic': 504377, 'panic buying pasta': 637844, 'hungary': 411049, 'hu': 409776, 'hungary oil': 411060, 'gas group': 343864, 'group mol': 366764, 'mol wednesday': 535638, 'wednesday said': 975683, 'factory ha': 295950, 'been converted': 120887, 'into producing': 442893, 'producing disinfectant': 680759, 'sanitizer liquid': 735294, 'liquid and': 494075, 'supply hungary': 825379, 'hungary with': 411062, 'with sanitizers': 1000575, 'sanitizers the': 736412, 'country fight': 210648, 'the cc': 850554, 'cc hu': 168394, 'hungary oil and': 411061, 'and gas group': 63476, 'gas group mol': 343865, 'group mol wednesday': 366765, 'mol wednesday said': 535639, 'wednesday said one': 975684, 'said one of': 731295, 'it factory ha': 457927, 'factory ha been': 295951, 'ha been converted': 369761, 'been converted into': 120888, 'converted into producing': 202552, 'into producing disinfectant': 442894, 'producing disinfectant sanitizer': 680761, 'disinfectant sanitizer liquid': 245749, 'sanitizer liquid and': 735295, 'liquid and will': 494077, 'and will supply': 75699, 'will supply hungary': 995029, 'supply hungary with': 825380, 'hungary with sanitizers': 411063, 'with sanitizers the': 1000576, 'sanitizers the country': 736413, 'the country fight': 852079, 'country fight against': 210649, 'of the cc': 590854, 'the cc hu': 850555, 'solene': 781881, 'perhaps it': 651608, 'for solene': 325720, 'solene see': 781882, 'see hayes': 745177, 'hayes driving': 384523, 'driving vintage': 260037, 'vintage mercedes': 957459, 'mercedes in': 528943, 'la supermarket': 478219, 'lot during': 504036, 'distancing phase': 247397, 'perhaps it time': 651610, 'time for solene': 896755, 'for solene see': 325721, 'solene see hayes': 781883, 'see hayes driving': 745178, 'hayes driving vintage': 384524, 'driving vintage mercedes': 260038, 'vintage mercedes in': 957460, 'mercedes in an': 528944, 'in an la': 420323, 'an la supermarket': 56503, 'la supermarket parking': 478220, 'parking lot during': 642085, 'lot during the': 504037, 'during the social': 263195, 'social distancing phase': 779686, 'distancing phase of': 247398, 'weaken': 974049, 'murderous': 546178, 'celebration': 168849, 'trump hope': 933614, 'hope sanction': 403612, 'sanction covid': 733624, '19 kill': 8231, 'kill enough': 474389, 'enough iranian': 277490, 'iranian weaken': 444742, 'weaken govt': 974050, 'force regime': 328491, 'regime change': 707345, 'change such': 172271, 'such murderous': 816644, 'murderous policy': 546179, 'policy strengthen': 663502, 'strengthen iranian': 813245, 'iranian govt': 444728, 'govt it': 361177, 'year celebration': 1014459, 'celebration weather': 168865, 'weather perfect': 974890, 'of sanction': 589265, 'sanction low': 733632, '19 resulting': 10195, 'resulting hum': 717697, 'trump hope sanction': 933616, 'hope sanction covid': 403613, 'sanction covid 19': 733625, 'covid 19 kill': 213318, '19 kill enough': 8233, 'kill enough iranian': 474390, 'enough iranian weaken': 277491, 'iranian weaken govt': 444743, 'weaken govt to': 974051, 'govt to force': 361313, 'to force regime': 906173, 'force regime change': 328492, 'regime change such': 707346, 'change such murderous': 172272, 'such murderous policy': 816645, 'murderous policy strengthen': 546180, 'policy strengthen iranian': 663503, 'strengthen iranian govt': 813246, 'iranian govt it': 444729, 'govt it new': 361178, 'it new year': 459796, 'new year celebration': 559910, 'year celebration weather': 1014461, 'celebration weather perfect': 168866, 'weather perfect storm': 974891, 'storm of sanction': 811828, 'of sanction low': 589267, 'sanction low oil': 733633, 'covid 19 resulting': 213707, '19 resulting hum': 10198, 'line thank': 493442, 'clerk thank': 181780, 'you truck': 1021929, 'driver thank': 259781, 'doctor thank': 251123, 'you medical': 1019831, 'professional thank': 682502, 'you restaurant': 1020919, 'you farmer': 1018517, 'farmer thank': 299517, 'you warehouse': 1022171, 'you janitor': 1019395, 'and garbageman': 63465, 'garbageman stayhomesavelives': 343547, 'front line thank': 338610, 'line thank you': 493443, 'store clerk thank': 807028, 'clerk thank you': 181781, 'thank you truck': 841835, 'you truck driver': 1021930, 'truck driver thank': 932798, 'driver thank you': 259782, 'you doctor thank': 1018288, 'doctor thank you': 251124, 'thank you medical': 841776, 'you medical professional': 1019833, 'medical professional thank': 526336, 'professional thank you': 682503, 'thank you restaurant': 841806, 'you restaurant worker': 1020920, 'restaurant worker thank': 716826, 'thank you farmer': 841725, 'you farmer thank': 1018518, 'farmer thank you': 299518, 'thank you warehouse': 841842, 'you warehouse worker': 1022172, 'warehouse worker thank': 966828, 'thank you janitor': 841757, 'you janitor and': 1019396, 'janitor and garbageman': 464531, 'and garbageman stayhomesavelives': 63466, 'secrecy': 743905, 'tesbih': 838646, 'habbal': 372528, 'amid regime': 52618, 'regime secrecy': 707363, 'secrecy about': 743906, 'war weary': 966594, 'weary syrian': 974836, 'syrian face': 831051, 'face soaring': 294759, 'soaring price': 779340, 'shortage bomb': 764856, 'bomb damaged': 134176, 'damaged health': 225255, 'system fail': 831160, 'pandemic writes': 637070, 'writes tesbih': 1012870, 'tesbih habbal': 838647, 'amid regime secrecy': 52619, 'regime secrecy about': 707364, 'secrecy about the': 743907, '19 war weary': 11895, 'war weary syrian': 966595, 'weary syrian face': 974837, 'syrian face soaring': 831053, 'face soaring price': 294760, 'soaring price and': 779341, 'price and food': 672416, 'and food shortage': 63092, 'food shortage bomb': 316560, 'shortage bomb damaged': 764857, 'bomb damaged health': 134177, 'damaged health system': 225256, 'health system fail': 386888, 'system fail to': 831161, 'fail to cope': 296107, 'the pandemic writes': 863166, 'pandemic writes tesbih': 637072, 'writes tesbih habbal': 1012871, 'tango': 834177, 'apologising': 81631, 'interesting experience': 441550, 'metre tango': 529873, 'tango with': 834178, 'going swiftly': 355479, 'swiftly into': 830327, 'into reverse': 442950, 'reverse if': 720520, 'someone appears': 784367, 'invade our': 443557, 'personal 2m': 652774, '2m space': 16716, 'space then': 787169, 'then apologising': 876995, 'apologising for': 81634, 'so socialdistancing': 778238, 'interesting experience this': 441551, 'experience this morning': 291510, 'the supermarket doing': 868558, 'supermarket doing the': 819994, 'doing the two': 252730, 'the two metre': 870152, 'two metre tango': 937049, 'metre tango with': 529874, 'tango with other': 834179, 'other people going': 620668, 'people going swiftly': 648101, 'going swiftly into': 355480, 'swiftly into reverse': 830328, 'into reverse if': 442951, 'reverse if someone': 720521, 'if someone appears': 414849, 'someone appears to': 784368, 'appears to invade': 82218, 'to invade our': 908476, 'invade our personal': 443558, 'our personal 2m': 624316, 'personal 2m space': 652775, '2m space then': 16717, 'space then apologising': 787170, 'then apologising for': 876996, 'apologising for doing': 81635, 'for doing so': 320803, 'doing so socialdistancing': 252658, 'so socialdistancing staysafe': 778239, 'socialdistancing staysafe stayathome': 780749, 'since everyone': 770579, 'on partial': 602703, 'lockdown ll': 499598, 'll share': 497006, 'you list': 1019620, 'malaysia keep': 511618, '19 season': 10375, 'season below': 743380, 'use thread': 949742, 'since everyone is': 770580, 'everyone is panic': 287096, 'buying like crazy': 150650, 'crazy and we': 215250, 'are on partial': 88730, 'on partial lockdown': 602704, 'partial lockdown ll': 642518, 'lockdown ll share': 499600, 'll share with': 497008, 'share with you': 755360, 'with you list': 1002157, 'you list of': 1019622, 'list of home': 494443, 'of home delivery': 584716, 'home delivery in': 401024, 'delivery in malaysia': 234116, 'in malaysia keep': 425013, 'malaysia keep yourself': 511619, 'yourself safe at': 1026695, 'home during this': 401110, 'covid 19 season': 213756, '19 season below': 10376, 'season below are': 743381, 'below are the': 126597, 'are the list': 90856, 'shopping store you': 763992, 'store you can': 811681, 'can use thread': 160107, 'lockdown check': 499236, 'some idea': 783062, 'idea africaautoinsights': 413000, '19 lockdown check': 8375, 'lockdown check out': 499238, 'check out some': 174577, 'out some idea': 627220, 'some idea africaautoinsights': 783063, 'spell': 788515, 'widespread lockdown': 991848, 'will spell': 994912, 'spell massive': 788522, 'massive short': 520108, 'and gdp': 63500, 'gdp we': 344916, 'we estimate': 971479, 'that week': 847423, 'lockdown affecting': 499102, 'affecting 50': 34475, 'period will': 651932, 'cut consumption': 223277, 'consumption by': 199846, 'widespread lockdown will': 991849, 'lockdown will spell': 500156, 'will spell massive': 994913, 'spell massive short': 788523, 'massive short term': 520109, 'short term impact': 764740, 'spending and gdp': 788733, 'and gdp we': 63502, 'gdp we estimate': 344917, 'we estimate that': 971480, 'estimate that week': 282268, 'that week lockdown': 847425, 'week lockdown affecting': 976491, 'lockdown affecting 50': 499103, 'affecting 50 90': 34476, '50 90 of': 19599, '90 of population': 23317, 'population in given': 664691, 'month period will': 537959, 'period will cut': 651934, 'will cut consumption': 993083, 'cut consumption by': 223278, 'store packed': 809446, 'packed at': 633590, 'just wow': 470349, 'never in all': 558075, 'all my day': 43550, 'my day have': 547945, 'seen the grocery': 747282, 'grocery store packed': 365635, 'store packed at': 809447, 'packed at 00': 633591, 'at 00 am': 97347, '00 am in': 54, 'the morning just': 860914, 'morning just wow': 541334, 'torontoshoeshow': 926025, 'retailtips': 719567, 'retailmanagement': 719498, 'establishment have': 282060, 'close during': 182621, 'on keeping': 601751, 'customer protected': 222725, 'protected possible': 685145, 'possible torontoshoeshow': 665858, 'torontoshoeshow retailtips': 926026, 'retailtips retailmanagement': 719568, 'retailmanagement retail': 719499, 'not all retail': 568123, 'all retail establishment': 44184, 'retail establishment have': 718098, 'establishment have the': 282061, 'option to close': 614119, 'to close during': 902870, 'close during covid': 182622, '19 if your': 7670, 'if your store': 415610, 'is open here': 450567, 'open here are': 612296, 'tip on keeping': 898853, 'on keeping your': 601754, 'keeping your staff': 472641, 'your staff and': 1025902, 'and customer protected': 60856, 'customer protected possible': 222726, 'protected possible torontoshoeshow': 685146, 'possible torontoshoeshow retailtips': 665859, 'torontoshoeshow retailtips retailmanagement': 926027, 'retailtips retailmanagement retail': 719569, 'retailmanagement retail retailworkers': 719500, 'expiration': 292039, 'datamustfall': 226537, 'expire': 292046, 'in stayathome': 428259, 'stayathome lockdownsa': 797523, 'lockdownsa how': 500368, 'still stealing': 801232, 'stealing people': 799246, 'people data': 647601, 'data with': 226496, 'your ridiculous': 1025623, 'ridiculous expiration': 721536, 'expiration date': 292040, 'date datamustfall': 226615, 'datamustfall with': 226538, 'your highway': 1024320, 'highway robbery': 396160, 'robbery price': 724677, 'to expire': 905470, 'expire customer': 292049, 'experience suck': 291497, 'in stayathome lockdownsa': 428260, 'stayathome lockdownsa how': 797524, 'lockdownsa how are': 500369, 'are you still': 91861, 'you still stealing': 1021413, 'still stealing people': 801233, 'stealing people data': 799247, 'people data with': 647602, 'data with your': 226498, 'with your ridiculous': 1002231, 'your ridiculous expiration': 1025624, 'ridiculous expiration date': 721537, 'expiration date datamustfall': 292042, 'date datamustfall with': 226616, 'datamustfall with your': 226539, 'with your highway': 1002205, 'your highway robbery': 1024321, 'highway robbery price': 396161, 'robbery price and': 724678, 'price and now': 672480, 'and now your': 67875, 'now your data': 576523, 'your data is': 1023463, 'data is about': 226283, 'about to expire': 26715, 'to expire customer': 905471, 'expire customer experience': 292050, 'customer experience suck': 222357, 'sea food': 743092, 'what sea': 982135, 'aldi stopstockpiling': 41299, 'stopstockpiling stophoarding': 805876, 'spot the sea': 790124, 'the sea food': 866551, 'sea food what': 743095, 'food what sea': 317565, 'what sea food': 982136, 'sea food wa': 743094, 'food wa left': 317444, 'left in aldi': 485510, 'in aldi stopstockpiling': 420156, 'aldi stopstockpiling stophoarding': 41300, 'brief contact': 139668, 'risk exposure': 723526, 'exposure for': 292972, 'say dr': 738596, 'dr linda': 258053, 'linda bell': 492917, 'brief contact at': 139669, 'contact at grocery': 200027, 'store is not': 808507, 'is not considered': 450048, 'not considered high': 568839, 'high risk exposure': 395355, 'risk exposure for': 723527, 'exposure for the': 292975, 'for the say': 326671, 'the say dr': 866392, 'say dr linda': 738597, 'dr linda bell': 258054, 'comporium': 192562, '2667': 16228, 'effective today': 269315, 'today april': 919247, 'april 6th': 83511, '6th all': 21677, 'all comporium': 42418, 'comporium retail': 192563, 'store lobby': 808786, 'lobby are': 497577, 'make payment': 510308, 'payment or': 645698, 'or exchange': 615228, 'exchange visit': 289489, 'visit one': 959316, 'our drive': 622805, 'through location': 894558, 'location call': 498868, 'at 88': 97773, '88 403': 23042, '403 2667': 18811, '2667 or': 16229, 'effective today april': 269317, 'today april 6th': 919248, 'april 6th all': 83512, '6th all comporium': 21678, 'all comporium retail': 42419, 'comporium retail store': 192564, 'retail store lobby': 718655, 'store lobby are': 808787, 'lobby are closed': 497578, '19 to make': 11440, 'to make payment': 909715, 'make payment or': 510309, 'payment or exchange': 645699, 'or exchange visit': 615229, 'exchange visit one': 289490, 'visit one of': 959317, 'of our drive': 587453, 'our drive through': 622806, 'drive through location': 259181, 'through location call': 894559, 'location call at': 498869, 'call at 88': 155786, 'at 88 403': 97774, '88 403 2667': 23043, '403 2667 or': 18812, '2667 or visit': 16230, 'industry covid': 435755, 'getting started': 349300, 'bailout money': 108641, 'get wiped': 348632, 'market session': 517043, 'session and': 753267, 'what but': 981156, 'by bailing': 151926, 'rent etc': 711078, 'economy trumpslushfund': 268311, 'early to bail': 264724, 'out industry covid': 626415, 'industry covid 19': 435756, 'is just getting': 449130, 'just getting started': 468808, 'getting started the': 349301, 'started the bailout': 794850, 'the bailout money': 849191, 'bailout money will': 108643, 'money will get': 537178, 'will get wiped': 993524, 'get wiped out': 348633, 'wiped out in': 996473, 'out in stock': 626398, 'stock market session': 802432, 'market session and': 517044, 'session and then': 753270, 'and then what': 73823, 'then what but': 877743, 'what but by': 981157, 'but by bailing': 145332, 'by bailing out': 151927, 'bailing out the': 108617, 'out the people': 627404, 'the people it': 863482, 'people it go': 648536, 'it go directly': 458258, 'the people for': 863472, 'people for food': 647951, 'for food rent': 321624, 'food rent etc': 316171, 'rent etc helping': 711079, 'etc helping the': 282591, 'helping the economy': 391490, 'the economy trumpslushfund': 854031, 'of heading': 584497, 'supermarket early': 820075, 'early tomorrow': 264737, 'tomorrow just': 924114, 'up everything': 944815, 'thinking of heading': 885961, 'of heading to': 584498, 'the supermarket early': 868566, 'supermarket early tomorrow': 820079, 'early tomorrow just': 264738, 'tomorrow just to': 924115, 'just to fight': 470090, 'fight the people': 304901, 'who buy up': 988360, 'buy up everything': 149412, 'up everything in': 944818, 'achilles': 29066, 'humble lay': 410816, 'lay prediction': 482607, 'prediction high': 669665, 'debt will': 230606, 'will prove': 994500, 'the achilles': 848293, 'achilles heel': 29067, 'heel of': 388766, 'into high': 442626, 'high relief': 395332, 'humble lay prediction': 410817, 'lay prediction high': 482608, 'prediction high level': 669666, 'of consumer debt': 581731, 'consumer debt will': 197094, 'debt will prove': 230608, 'will prove to': 994502, 'be the achilles': 117591, 'the achilles heel': 848294, 'achilles heel of': 29068, 'heel of the': 388769, 'american economy that': 51937, 'economy that the': 268270, 'that the novel': 846783, 'novel pandemic will': 573809, 'pandemic will bring': 637000, 'will bring into': 992856, 'bring into high': 140008, 'into high relief': 442627, 'russher': 728407, 'einstein': 270240, 'lol bragging': 500881, 'had something': 373534, 'if knew': 414358, 'how economics': 407786, 'economics worked': 267493, 'worked ya': 1006175, 'ya big': 1013970, 'big dummy': 129768, 'dummy you': 262149, 'demand bc': 235055, '19 russher': 10272, 'russher saudi': 728408, 'arabia increased': 83894, 'production ll': 682113, 'll let': 496882, 'let ya': 487209, 'ya dumbass': 1013980, 'dumbass figure': 262127, 'out rest': 627109, 'rest einstein': 716157, 'lol bragging about': 500882, 'gas price if': 343981, 'price if he': 674616, 'if he had': 414217, 'he had something': 385057, 'had something to': 373535, 'do it if': 249483, 'it if knew': 458672, 'if knew how': 414359, 'knew how economics': 476041, 'how economics worked': 407788, 'economics worked ya': 267494, 'worked ya big': 1006176, 'ya big dummy': 1013971, 'big dummy you': 129769, 'dummy you know': 262150, 'know it low': 476533, 'it low demand': 459473, 'low demand bc': 505235, 'demand bc of': 235056, 'covid 19 russher': 213731, '19 russher saudi': 10273, 'russher saudi arabia': 728409, 'saudi arabia increased': 737199, 'arabia increased production': 83895, 'increased production ll': 433433, 'production ll let': 682114, 'll let ya': 496883, 'let ya dumbass': 487210, 'ya dumbass figure': 1013981, 'dumbass figure out': 262128, 'figure out rest': 305219, 'out rest einstein': 627110, 'just spending': 469843, 'next outfit': 561498, 'just spending this': 469844, 'spending this time': 789015, 'time of quarantine': 897356, 'of quarantine online': 588663, 'shopping for next': 762697, 'for next outfit': 323854, 'futureofwork': 342550, 'is massively': 449594, 'massively changing': 520170, 'learn this': 484078, 'in changed': 421324, 'world particularly': 1009884, 'shopping public': 763695, 'investment etc': 443985, 'etc futureofwork': 282555, 'futureofwork stayhome': 342551, 'world the outbreak': 1010052, 'outbreak is massively': 628378, 'is massively changing': 449595, 'massively changing the': 520172, 'changing the way': 172814, 'way people work': 969814, 'people work and': 650506, 'work and learn': 1004786, 'and learn this': 66039, 'learn this will': 484079, 'this will likely': 891426, 'likely result in': 492097, 'result in changed': 717526, 'in changed world': 421325, 'changed world particularly': 172607, 'world particularly in': 1009885, 'particularly in term': 642701, 'term of online': 838223, 'of online education': 587253, 'online shopping public': 609239, 'shopping public health': 763697, 'health investment etc': 386561, 'investment etc futureofwork': 443986, 'etc futureofwork stayhome': 282556, 'cal': 155269, 'what these': 982384, 'in so': 428033, 'so cal': 776676, 'cal like': 155271, 'this idea': 887990, 'idea la': 413106, 'habra supermarket': 372731, 'senior amid': 750189, 'check out what': 174586, 'out what these': 627814, 'what these folk': 982387, 'folk are up': 312098, 'up to here': 946387, 'to here in': 907716, 'here in so': 393181, 'in so cal': 428034, 'so cal like': 776677, 'cal like this': 155272, 'like this idea': 491496, 'this idea la': 887992, 'idea la habra': 413107, 'la habra supermarket': 478173, 'habra supermarket offer': 372732, 'supermarket offer special': 821710, 'offer special hour': 594806, 'for senior amid': 325453, 'senior amid covid': 750190, 'faraway': 298996, 'japanese manufacturer': 464796, 'manufacturer concern': 513444, 'concern stem': 193098, 'stem from': 799462, 'income loss': 432402, 'loss they': 503789, 'reduce production': 705910, 'production producer': 682191, 'producer order': 680679, 'order fewer': 618205, 'fewer raw': 304231, 'material our': 520402, 'our export': 622964, 'export so': 292706, 'so drop': 776920, 'for faraway': 321398, 'faraway place': 298997, 'supply lead': 825493, 'export tax': 292709, 'tax revenue': 835083, 'revenue forex': 720415, 'japanese manufacturer concern': 464797, 'manufacturer concern stem': 513445, 'concern stem from': 193099, 'stem from consumer': 799463, 'from consumer concern': 334957, 'consumer concern that': 196871, 'concern that covid': 193110, '19 will lead': 12100, 'lead to income': 483352, 'to income loss': 908262, 'income loss they': 432404, 'loss they reduce': 503790, 'they reduce production': 883176, 'reduce production producer': 705911, 'production producer order': 682192, 'producer order fewer': 680680, 'order fewer raw': 618206, 'fewer raw material': 304232, 'raw material our': 697978, 'material our export': 520403, 'our export so': 622965, 'export so drop': 292707, 'so drop in': 776921, 'demand for faraway': 235417, 'for faraway place': 321399, 'faraway place and': 298998, 'place and supply': 657322, 'and supply lead': 72799, 'supply lead to': 825494, 'price for our': 674019, 'for our export': 324237, 'our export tax': 622966, 'export tax revenue': 292710, 'tax revenue forex': 835085, 'mode while': 535217, 'stockpile mask': 803771, 'sanitizers you': 736450, 'easily find': 265205, 'panic mode while': 638327, 'mode while people': 535218, 'trying to stockpile': 934881, 'to stockpile mask': 915476, 'stockpile mask and': 803772, 'hand sanitizers you': 375734, 'sanitizers you can': 736451, 'you can easily': 1017668, 'can easily find': 158182, 'easily find them': 265206, 'find them at': 307311, 'store be careful': 806660, 'howe': 409329, 'marconi': 515572, 'ski': 772924, 'helm': 389264, 'what up': 982496, 'up twitter': 946485, 'twitter small': 936715, 'retail have': 718175, 'been heavily': 121270, 'heavily effected': 388577, 'ever drove': 285281, 'drove by': 260785, 'this store': 890345, 'on howe': 601435, 'howe and': 409330, 'and marconi': 66690, 'marconi in': 515573, 'in sacramento': 427612, 'sacramento this': 729074, 'family ski': 298231, 'ski business': 772927, 'business helm': 143840, 'helm of': 389267, 'of sun': 590394, 'sun valley': 818088, 'valley 60': 951947, 'service repair': 752765, 'repair and': 711449, 'and expertise': 62509, 'what up twitter': 982500, 'up twitter small': 946486, 'twitter small business': 936716, 'business and retail': 143327, 'and retail have': 70432, 'retail have been': 718176, 'have been heavily': 379569, 'been heavily effected': 121271, 'heavily effected by': 388578, 'effected by covid': 269173, 'you ever drove': 1018455, 'ever drove by': 285282, 'drove by this': 260786, 'by this store': 154534, 'this store on': 890351, 'store on howe': 809194, 'on howe and': 601436, 'howe and marconi': 409331, 'and marconi in': 66691, 'marconi in sacramento': 515574, 'in sacramento this': 427615, 'sacramento this is': 729075, 'is my family': 449790, 'my family ski': 548221, 'family ski business': 298232, 'ski business helm': 772928, 'business helm of': 143841, 'helm of sun': 389268, 'of sun valley': 590395, 'sun valley 60': 818089, 'valley 60 year': 951948, 'year of customer': 1014774, 'of customer service': 582282, 'customer service repair': 222833, 'service repair and': 752766, 'repair and expertise': 711450, 'leader just': 483486, 'buy week': 149446, 'just fine': 468722, 'fine we': 307720, 'everyone costco': 286799, 'leader just buy': 483487, 'just buy week': 468388, 'buy week of': 149447, 'week of food': 976614, 'up hoard supply': 945092, 'hoard supply chain': 398872, 'chain is just': 170837, 'is just fine': 449128, 'just fine we': 468725, 'fine we have': 307721, 'for everyone costco': 321205, 'satara': 736928, 'solapur': 781593, '273': 16336, 'maharashta': 508474, 'pune satara': 689201, 'satara solapur': 736929, 'solapur wonder': 781594, 'wonder b4': 1003940, 'b4 excise': 106506, 'excise dept': 289511, 'dept sealing': 237747, 'sealing 273': 743191, '273 liquor': 16339, 'pune alone': 689191, 'alone where': 46948, 'wa police': 962955, 'police maharashta': 663081, 'maharashta govt': 508475, 'govt administration': 361063, 'pune satara solapur': 689202, 'satara solapur wonder': 736930, 'solapur wonder b4': 781595, 'wonder b4 excise': 1003941, 'b4 excise dept': 106507, 'excise dept sealing': 289512, 'dept sealing 273': 237748, 'sealing 273 liquor': 743192, '273 liquor shop': 16340, 'liquor shop in': 494192, 'shop in pune': 760317, 'in pune alone': 427116, 'pune alone where': 689192, 'alone where wa': 46949, 'where wa police': 985330, 'wa police maharashta': 962956, 'police maharashta govt': 663082, 'maharashta govt administration': 508476, 'bay finding': 112935, 'isolate missing': 454885, 'missing that': 534330, 'that closer': 843248, 'closer contact': 183494, 'people due': 647734, 'to advice': 900138, 'stay metre': 797127, 'metre away': 529834, 'others no': 621548, 'problem pop': 679654, 'pop down': 664423, 'your nearest': 1024933, 'did month': 240689, 'tired of doing': 899041, 'of doing your': 582772, 'doing your bit': 252880, 'bit to keep': 131718, 'at bay finding': 98102, 'bay finding it': 112936, 'finding it difficult': 307492, 'difficult to self': 242347, 'self isolate missing': 747684, 'isolate missing that': 454886, 'missing that closer': 534331, 'that closer contact': 843249, 'closer contact with': 183495, 'contact with people': 200282, 'with people due': 1000145, 'people due to': 647735, 'due to advice': 261695, 'to advice to': 900139, 'advice to stay': 33537, 'to stay metre': 915299, 'stay metre away': 797128, 'metre away from': 529835, 'from others no': 336743, 'others no problem': 621549, 'no problem pop': 565197, 'problem pop down': 679655, 'pop down to': 664424, 'down to your': 257390, 'to your nearest': 919004, 'your nearest supermarket': 1024936, 'nearest supermarket where': 553735, 'supermarket where people': 823824, 'where people are': 985093, 'behaving like they': 123837, 'like they did': 491449, 'they did month': 881919, 'did month ago': 240690, 'six month of': 772673, 'month of free': 537897, 'of free access': 583910, 'membershelpingmembers and how': 528263, 'advisorymandi': 33788, 'russia delayed': 728460, 'delayed meeting': 232788, 'discus output': 244886, 'cut that': 223566, 'reduce global': 705844, 'oversupply the': 631604, 'at advisorymandi': 97843, 'monday after saudiarabia': 536233, 'and russia delayed': 70665, 'russia delayed meeting': 728461, 'delayed meeting to': 232789, 'to discus output': 904381, 'discus output cut': 244887, 'output cut that': 629258, 'cut that could': 223568, 'could help reduce': 209287, 'help reduce global': 390424, 'reduce global oversupply': 705845, 'global oversupply the': 352067, 'oversupply the read': 631606, 'more at advisorymandi': 538660, 'the weakened': 871229, 'weakened economy': 974066, 'driving price': 259992, 'gas price the': 344034, 'price the weakened': 676866, 'the weakened economy': 871230, 'weakened economy due': 974067, '19 is driving': 7964, 'is driving price': 447388, 'driving price down': 259993, 'price down what': 673536, 'down what the': 257461, 'what the lowest': 982335, 'lowest price per': 506214, 'price per gallon': 675858, 'per gallon you': 650862, 'gallon you ve': 343077, 'clemen': 181597, 'canada top': 160589, 'top grocer': 925586, 'grocer say': 364159, 'are expressing': 86377, 'expressing concern': 293081, 'border restriction': 135274, 'canada agricultural': 160345, 'agricultural food': 38880, 'production march': 682119, 'at 01': 97366, '01 00am': 716, '00am by': 661, 'by laura': 153022, 'laura clemen': 482140, 'canada top grocer': 160590, 'top grocer say': 925587, 'grocer say they': 364161, 'they are able': 881186, 'with demand amid': 997970, 'outbreak but some': 628066, 'but some food': 147092, 'some food producer': 782870, 'food producer are': 316001, 'producer are expressing': 680571, 'are expressing concern': 86378, 'expressing concern over': 293083, 'over the impact': 630734, 'the impact the': 857948, 'impact the border': 417992, 'the border restriction': 849874, 'border restriction could': 135275, 'restriction could have': 717250, 'have on canada': 381764, 'on canada agricultural': 599791, 'canada agricultural food': 160346, 'agricultural food production': 38882, 'food production march': 316047, 'production march 18': 682120, '18 2020 at': 4493, '2020 at 01': 14157, 'at 01 00am': 97367, '01 00am by': 717, '00am by laura': 663, 'by laura clemen': 153023, 'breaking test': 139055, 'ha mild': 371277, 'mild symptom': 531344, 'symptom watch': 830942, 'watch gbp': 968426, 'gbp price': 344802, 'price pc': 675843, 'pc bbc': 645871, 'bbc all': 113065, 'all trading': 45284, 'trading involves': 928882, 'involves risk': 444384, 'breaking test positive': 139056, 'positive for and': 665317, 'for and ha': 319323, 'and ha mild': 64077, 'ha mild symptom': 371278, 'mild symptom watch': 531347, 'symptom watch gbp': 830943, 'watch gbp price': 968427, 'gbp price pc': 344803, 'price pc bbc': 675844, 'pc bbc all': 645872, 'bbc all trading': 113066, 'all trading involves': 45285, 'trading involves risk': 928883, 'suburbia': 816151, 'before of': 122967, 'potential infection': 667088, 'in white': 430884, 'white suburbia': 987907, 'suburbia and': 816152, 'think or': 885473, 'do of': 249917, 'my asian': 547333, 'asian body': 95256, 'been more anxious': 121539, 'more anxious about': 538628, 'anxious about going': 78828, 'store before of': 806703, 'before of potential': 122968, 'of potential infection': 588282, 'potential infection and': 667089, 'infection and of': 436713, 'and of my': 67956, 'of my fellow': 586767, 'my fellow human': 548302, 'fellow human in': 303297, 'human in white': 410519, 'in white suburbia': 430885, 'white suburbia and': 987908, 'suburbia and what': 816153, 'what they might': 982409, 'they might think': 882683, 'might think or': 531144, 'think or do': 885474, 'or do of': 615017, 'do of my': 249918, 'of my asian': 586731, 'my asian body': 547334, 'iptvnew': 444643, 'iptv2020': 444636, 'hotmovies iptvnew': 405294, 'iptvnew iptv2020': 444644, 'iptv2020 adult': 444637, 'cinema hotmovies iptvnew': 178542, 'hotmovies iptvnew iptv2020': 405295, 'iptvnew iptv2020 adult': 444645, 'labeling': 478376, 'ha temporarily': 372170, 'temporarily eased': 837488, 'eased it': 265123, 'it policy': 460375, 'on nutrition': 602463, 'nutrition and': 577711, 'and menu': 66950, 'menu labeling': 528885, 'labeling to': 478383, 'help calm': 389472, 'calm consumer': 156711, 'about product': 26001, 'product shortage': 681617, 'shortage keep': 765055, 'keep restaurant': 471856, 'avoid food': 105106, 'administration ha temporarily': 32476, 'ha temporarily eased': 372172, 'temporarily eased it': 837489, 'eased it policy': 265124, 'it policy on': 460376, 'policy on nutrition': 663462, 'on nutrition and': 602464, 'nutrition and menu': 577712, 'and menu labeling': 66951, 'menu labeling to': 528886, 'labeling to help': 478384, 'to help calm': 907472, 'help calm consumer': 389473, 'calm consumer fear': 156712, 'consumer fear about': 197452, 'fear about product': 301006, 'about product shortage': 26003, 'product shortage keep': 681619, 'shortage keep restaurant': 765056, 'keep restaurant in': 471857, 'restaurant in business': 716519, 'in business and': 421069, 'business and avoid': 143289, 'and avoid food': 58567, 'avoid food waste': 105108, 'waste during the': 968107, 'stock fall': 802109, 'fall effect': 296899, 'stimulus fade': 801535, 'price stock fall': 676663, 'stock fall effect': 802111, 'fall effect of': 296900, 'effect of stimulus': 269063, 'of stimulus fade': 590129, 'stimulus fade stockcrash': 801536, 'councillor': 210040, 'get basket': 346650, 'basket of': 112375, 'drop point': 260368, 'point at': 662420, 'local councillor': 497865, 'councillor it': 210045, 'to get basket': 906420, 'get basket of': 346652, 'basket of food': 112378, 'food and put': 313319, 'and put it': 69811, 'bank drop point': 109795, 'drop point at': 260369, 'point at the': 662424, '19 or need': 9022, 'or need help': 616228, 'need help contact': 554978, 'help contact your': 389530, 'your local councillor': 1024690, 'local councillor it': 497866, 'councillor it what': 210046, 'it what we': 462327, 'are here for': 87119, 'family hope': 297895, 'line with more': 493582, 'than 50 people': 840261, '50 people to': 19802, 'my normal grocery': 549508, 'normal grocery shopping': 567165, 'my family hope': 548204, 'family hope to': 297897, 'hope to get': 403738, 'and get my': 63588, 'get my weekly': 347643, 'my weekly shopping': 550565, 'weekly shopping done': 977565, 'schooler': 742026, 'since my': 770758, 'kid high': 473992, 'high schooler': 395398, 'schooler btw': 742027, 'btw who': 141560, 'cashier is': 166553, 'is apparently': 445784, 'apparently critical': 81925, 'infrastructure employee': 438195, 'sudden it': 817015, 'pay reflected': 645076, 'reflected that': 706650, 'that risk': 846061, 'since my kid': 770760, 'my kid high': 548948, 'kid high schooler': 473993, 'high schooler btw': 395399, 'schooler btw who': 742028, 'btw who is': 141561, 'who is grocery': 989077, 'store cashier is': 806889, 'cashier is apparently': 166554, 'is apparently critical': 445785, 'apparently critical infrastructure': 81926, 'critical infrastructure employee': 218591, 'infrastructure employee all': 438196, 'employee all of': 273534, 'of sudden it': 590373, 'sudden it would': 817016, 'nice if the': 562422, 'if the pay': 415014, 'the pay reflected': 863410, 'pay reflected that': 645077, 'reflected that risk': 706651, 'goodmania': 358041, 'goodmania la': 358042, 'flamingo ha': 309991, 'been packed': 121641, 'to been': 901695, 'been passing': 121651, 'passing the': 643400, 'because no': 119276, 'distancing help': 247200, 'help who': 390885, 'in spring': 428212, 'spring valley': 791250, 'goodmania la bonita': 358043, 'rainbow flamingo ha': 695769, 'flamingo ha been': 309992, 'ha been packed': 369865, 'been packed with': 121643, 'with people the': 1000175, 'people the store': 649797, 'store with that': 811406, 'with that many': 1001175, 'many people ha': 514506, 'people ha to': 648136, 'ha to been': 372290, 'to been passing': 901696, 'been passing the': 121653, 'passing the covid': 643401, '19 because no': 5331, 'because no one': 119277, 'one is practicing': 606517, 'is practicing social': 450978, 'social distancing help': 779631, 'distancing help who': 247201, 'help who live': 390886, 'live in spring': 495887, 'in spring valley': 428213, 'jumper': 467958, 'protecttheworker': 685865, 'of reading': 588777, 'reading tweet': 700819, 'people saying': 649356, 'saying protectthenhs': 739667, 'protectthenhs then': 685858, 'then further': 877187, 'their timeline': 874993, 'timeline their': 898475, 'their tweeting': 875060, 'tweeting about': 936466, 'at asos': 98058, 'asos get': 96197, 'your bored': 1022999, 'bored at': 135336, 'one life': 606594, 'worth that': 1011442, 'new jumper': 558998, 'jumper you': 467959, 'got your': 359038, 'your eye': 1023728, 'on protecttheworker': 602984, 'up of reading': 945502, 'of reading tweet': 588778, 'reading tweet from': 700820, 'tweet from people': 936368, 'from people saying': 336889, 'people saying protectthenhs': 649357, 'saying protectthenhs then': 739668, 'protectthenhs then further': 685859, 'then further down': 877188, 'further down their': 342040, 'down their timeline': 257321, 'their timeline their': 874994, 'timeline their tweeting': 898476, 'their tweeting about': 875061, 'tweeting about their': 936468, 'about their online': 26588, 'their online clothes': 874099, 'clothes shopping at': 184205, 'shopping at asos': 762085, 'at asos get': 98059, 'asos get your': 96198, 'get your bored': 348692, 'your bored at': 1023001, 'bored at home': 135337, 'home but no': 400841, 'no one life': 564946, 'one life is': 606595, 'life is worth': 488821, 'is worth that': 454089, 'worth that new': 1011443, 'that new jumper': 845328, 'new jumper you': 558999, 'jumper you ve': 467960, 've got your': 953205, 'got your eye': 359042, 'your eye on': 1023732, 'eye on protecttheworker': 294079, 'erdington': 280124, 'remembering': 710458, 'erdington food': 280125, 'are appealing': 84594, 'appealing for': 82101, 'donation during': 254592, 'crisis increased': 217548, 'mean they': 524710, 'seeing shortage': 746461, 'give if': 350531, 'can remembering': 159432, 'remembering to': 710462, 'always follow': 49561, 'erdington food bank': 280126, 'bank are appealing': 109639, 'are appealing for': 84596, 'appealing for donation': 82102, 'for donation during': 320829, 'donation during the': 254594, 'ongoing crisis increased': 607616, 'crisis increased demand': 217549, 'increased demand mean': 433279, 'demand mean they': 235852, 'mean they are': 524711, 'they are seeing': 881399, 'are seeing shortage': 89914, 'seeing shortage of': 746462, 'shortage of certain': 765103, 'of certain food': 581249, 'certain food and': 170013, 'supply please give': 825715, 'please give if': 660028, 'give if you': 350532, 'you can remembering': 1017768, 'can remembering to': 159433, 'remembering to always': 710463, 'to always follow': 900388, 'always follow the': 49562, 'advice on social': 33459, 'on social distancing': 603535, 'distancing and self': 246995, 'marney41': 517976, 'marney41 well': 517977, 'loan small': 497534, 'marney41 well fargo': 517978, 'their consumer loan': 872860, 'consumer loan small': 198067, 'they is': 882479, 'is queueing': 451178, 'queueing on': 694176, 'now onlineshopping': 575453, 'anyone know why': 80408, 'know why they': 477059, 'why they is': 991455, 'they is queueing': 882480, 'is queueing on': 451179, 'queueing on online': 694177, 'online shopping now': 609200, 'shopping now onlineshopping': 763364, 'order 20': 617983, '20 banana': 12959, 'banana and': 109302, '20 bunch': 12980, 'you order 20': 1020230, 'order 20 banana': 617984, '20 banana and': 12960, 'banana and end': 109303, 'and end up': 62115, 'end up with': 276049, 'up with 20': 946615, 'with 20 bunch': 996978, 'but not that': 146571, 'go stocking': 354168, 'for prep': 324693, 'prep don': 670002, 'don load': 253708, 'on red': 603111, 'meat get': 525593, 'get bean': 346655, 'bean pulse': 118353, 'pulse lentil': 688981, 'lentil vegetable': 486381, 'build healthy': 141980, 'system with': 831387, 'with nutritious': 999839, 'you go stocking': 1018865, 'go stocking up': 354169, 'food for prep': 314566, 'for prep don': 324694, 'prep don load': 670003, 'don load up': 253709, 'up on red': 945611, 'on red meat': 603112, 'red meat get': 705599, 'meat get bean': 525594, 'get bean pulse': 346656, 'bean pulse lentil': 118354, 'pulse lentil vegetable': 688982, 'lentil vegetable and': 486382, 'vegetable and stock': 953931, 'and stock and': 72401, 'stock and build': 801803, 'and build healthy': 59240, 'build healthy immune': 141981, 'immune system with': 417359, 'system with nutritious': 831390, 'with nutritious food': 999840, 'station worker': 796558, 'customer despite': 222300, 'crisis since': 218049, 'quarantine wa': 692679, 'wa implemented': 962353, 'implemented fuel': 418458, 'fallen with': 297188, 'all the gas': 44761, 'the gas station': 856173, 'gas station worker': 344134, 'station worker for': 796561, 'worker for continuing': 1006968, 'serve their customer': 751951, 'their customer despite': 872947, 'customer despite the': 222301, '19 crisis since': 6322, 'crisis since the': 218050, 'since the enhanced': 770878, 'community quarantine wa': 190056, 'quarantine wa implemented': 692680, 'wa implemented fuel': 962354, 'implemented fuel price': 418459, 'fuel price have': 340237, 'also fallen with': 48195, 'fallen with the': 297189, 'sitrep': 772072, 'rhodeisland': 720903, 'contributing writer': 201928, 'writer jeff': 1012808, 'jeff gross': 465009, 'gross report': 366437, 'the trench': 869954, 'trench sitrep': 931251, 'sitrep on': 772075, 'coronavirus shopping': 206757, 'supermarket rhodeisland': 822245, 'contributing writer jeff': 201929, 'writer jeff gross': 1012809, 'jeff gross report': 465010, 'gross report from': 366438, 'report from the': 711983, 'from the trench': 337907, 'the trench sitrep': 869958, 'trench sitrep on': 931252, 'sitrep on grocery': 772076, 'on grocery shopping': 601187, 'day of coronavirus': 228063, 'of coronavirus shopping': 581961, 'coronavirus shopping grocery': 206758, 'shopping grocery supermarket': 762810, 'grocery supermarket rhodeisland': 366004, 'coronavirus think': 206925, 'think supermarket': 885574, 'aisle should': 40360, 'have shopper': 382516, 'shopper all': 761344, 'way one': 969780, 'way traffic': 970135, 'traffic down': 929078, 'down this': 257340, 'this aisle': 886256, 'the coronavirus think': 851926, 'coronavirus think supermarket': 206927, 'think supermarket aisle': 885575, 'supermarket aisle should': 818843, 'aisle should have': 40362, 'should have shopper': 766092, 'have shopper all': 382517, 'shopper all going': 761345, 'all going the': 42955, 'going the same': 355482, 'same way one': 733405, 'way one way': 969781, 'one way traffic': 607385, 'way traffic down': 970136, 'traffic down this': 929079, 'down this aisle': 257341, 'this aisle and': 886257, 'aisle and up': 40199, 'and up the': 74730, 'up the next': 946196, 'next one supermarket': 561485, 'stopthemadness': 805900, 'in frenzy': 423115, 'frenzy stoppanicbuying': 332793, 'stoppanicbuying stopthemadness': 805645, 'stopthemadness stophoarding': 805901, 'scariest thing isn': 741106, 'thing isn the': 884491, 'isn the but': 454706, 'the but the': 850202, 'but the people': 147381, 'people in frenzy': 648377, 'in frenzy stoppanicbuying': 423116, 'frenzy stoppanicbuying stopthemadness': 332794, 'stoppanicbuying stopthemadness stophoarding': 805646, 'dubbed': 261504, '19 dubbed': 6667, 'dubbed natural': 261507, 'disaster by': 244190, 'by credit': 152260, 'credit agency': 216298, 'agency take': 38079, 'step now': 799598, 'finance covid': 306182, 'been labeled': 121431, 'labeled natural': 478367, 'help credit': 389551, 'score and': 742346, 'covid 19 dubbed': 212990, '19 dubbed natural': 6668, 'dubbed natural disaster': 261508, 'natural disaster by': 552822, 'disaster by credit': 244191, 'by credit agency': 152261, 'credit agency take': 216300, 'agency take step': 38080, 'take step now': 832607, 'step now to': 799599, 'now to protect': 576177, 'protect your finance': 685062, 'your finance covid': 1023864, 'finance covid 19': 306183, 'ha been labeled': 369840, 'been labeled natural': 121432, 'labeled natural disaster': 478368, 'credit agency here': 216299, 'agency here what': 38024, 'here what the': 393821, 'to help credit': 907485, 'help credit score': 389552, 'credit score and': 216502, 'score and how': 742347, 'overheard supermarket': 631247, 'worker telling': 1007891, 'telling shopper': 837256, 'shopper yesterday': 761844, 'getting 100': 348817, '100 bonus': 1847, 'much considering': 544805, 'considering they': 195432, 'overheard supermarket worker': 631249, 'supermarket worker telling': 824091, 'worker telling shopper': 1007892, 'telling shopper yesterday': 837258, 'shopper yesterday they': 761845, 'yesterday they are': 1015892, 'they are getting': 881283, 'are getting 100': 86791, 'getting 100 bonus': 348818, '100 bonus for': 1848, 'bonus for working': 134379, 'for working through': 327958, 'working through all': 1008965, 'through all this': 894309, 'all this not': 45120, 'this not very': 889177, 'not very much': 572392, 'very much considering': 955360, 'much considering they': 544806, 'considering they are': 195433, 'risk every day': 723520, 'all component': 42416, 'global and': 351738, 'and domestic': 61614, 'chain now': 170950, 'now clearly': 574385, 'clearly affected': 181484, 'to warehouse': 918332, 'all component of': 42417, 'component of the': 192555, 'the global and': 856287, 'global and domestic': 351739, 'and domestic supply': 61617, 'supply chain now': 824999, 'chain now clearly': 170951, 'now clearly affected': 574386, 'clearly affected by': 181485, '19 from consumer': 7119, 'from consumer to': 334976, 'consumer to store': 199326, 'store to warehouse': 810826, 'to warehouse to': 918334, 'warehouse to port': 966795, '1970': 12416, 'titlemax': 899307, 'trump keep': 933673, 'saying gas': 739592, 'are what': 91615, 'what there': 982381, 'in 1950': 419720, '1950 not': 12386, 'not true': 572274, 'true price': 933149, '1950 1970': 12375, '1970 wa': 12417, '30 cent': 16996, 'gallon average': 342977, 'average gas': 104844, 'the through': 869530, 'through history': 894504, 'history titlemax': 398066, 'trump keep saying': 933674, 'keep saying gas': 471903, 'saying gas price': 739593, 'price are what': 672766, 'are what there': 91616, 'what there were': 982383, 'there were in': 879320, 'were in 1950': 979769, 'in 1950 not': 419722, '1950 not true': 12387, 'not true price': 572277, 'true price of': 933150, 'price of gas': 675459, 'of gas in': 584050, 'gas in 1950': 343869, 'in 1950 1970': 419721, '1950 1970 wa': 12376, '1970 wa about': 12418, 'wa about 30': 961407, 'about 30 cent': 24694, '30 cent per': 16997, 'per gallon average': 650839, 'gallon average gas': 342978, 'average gas price': 104845, 'in the through': 429611, 'the through history': 869531, 'through history titlemax': 894505, 'locality': 498736, 'visited different': 959466, 'different locality': 241986, 'locality of': 498739, 'of city': 581427, 'ensure availability': 277893, 'of edible': 582974, 'edible at': 268541, 'commodity are': 189127, 'amp also': 53377, 'also ensured': 48163, 'all well': 45426, 'well aware': 978039, 'tackle virus': 831621, 'visited different locality': 959467, 'different locality of': 241987, 'locality of city': 498740, 'of city to': 581430, 'city to ensure': 179423, 'to ensure availability': 905143, 'ensure availability of': 277894, 'availability of edible': 104159, 'of edible at': 582975, 'edible at the': 268542, 'market and that': 515996, 'that the commodity': 846687, 'the commodity are': 851241, 'commodity are sold': 189132, 'sold at normal': 781638, 'normal price amp': 567266, 'price amp also': 672330, 'amp also ensured': 53378, 'also ensured that': 48164, 'ensured that people': 278145, 'that people all': 845685, 'people all well': 646806, 'all well aware': 45428, 'well aware about': 978040, 'about the precaution': 26485, 'the precaution and': 864205, 'and measure to': 66852, 'measure to be': 525385, 'taken to tackle': 833108, 'to tackle virus': 916141, 'tackle virus 19': 831622, 'commonwealth': 189511, 'found document': 330192, 'document from': 251192, 'from commonwealth': 334925, 'commonwealth of': 189512, 'of massachusetts': 586289, 'massachusetts office': 519917, 'business regulation': 144302, 'regulation division': 708063, 'bank that': 110231, 'that share': 846225, 'share recommendation': 755199, 'bank could': 109742, 'could support': 209739, 'online just found': 608453, 'just found document': 468768, 'found document from': 330193, 'document from march': 251193, '16 2020 from': 4067, '2020 from commonwealth': 14317, 'from commonwealth of': 334926, 'commonwealth of massachusetts': 189513, 'of massachusetts office': 586290, 'massachusetts office of': 519918, 'affair and business': 33995, 'and business regulation': 59300, 'business regulation division': 144303, 'regulation division of': 708064, 'division of bank': 248679, 'of bank that': 580541, 'bank that share': 110234, 'that share recommendation': 846227, 'share recommendation for': 755200, 'recommendation for how': 704746, 'for how bank': 322417, 'how bank could': 407443, 'bank could support': 109744, 'could support their': 209741, 'support their customer': 826898, 'their customer during': 872948, 'during this health': 263291, 'thread they': 893605, 'they tell': 883536, 'tell to': 837115, 'stayhomesavelives agree': 798333, 'day haven': 227738, 'they forced': 882131, 'forced me': 328585, 'advised of': 33634, 'thread they tell': 893606, 'they tell to': 883539, 'tell to stayhomesavelives': 837117, 'to stayhomesavelives agree': 915345, 'stayhomesavelives agree but': 798334, 'can have been': 158575, 'have been trying': 379726, 'trying to deliver': 934795, 'deliver food for': 233122, 'past day haven': 643519, 'day haven left': 227739, 'haven left the': 383851, 'house for day': 406304, 'for day but': 320566, 'but today they': 147606, 'today they forced': 920320, 'they forced me': 882132, 'forced me to': 328586, 'have been advised': 379461, 'been advised of': 120615, 'advised of the': 33635, 'depreciated': 237558, 'the wealthy': 871242, 'wealthy elite': 974201, 'elite and': 271510, 'and banker': 58683, 'banker will': 110393, 'this an': 886316, 'up depreciated': 944708, 'depreciated asset': 237559, 'at fire': 98648, 'fire sale': 308114, 'price stayathome': 676630, 'the wealthy elite': 871243, 'wealthy elite and': 974202, 'elite and banker': 271511, 'and banker will': 58687, 'banker will look': 110394, 'at this an': 101222, 'this an opportunity': 886321, 'opportunity to buy': 613696, 'to buy up': 902330, 'buy up depreciated': 149411, 'up depreciated asset': 944709, 'depreciated asset at': 237560, 'asset at fire': 96418, 'at fire sale': 98649, 'fire sale price': 308115, 'sale price stayathome': 732465, 'worst than': 1011272, 'but our': 146720, 'our mtn': 623959, 'mtn is': 544632, 'is looting': 449454, 'looting instead': 503259, 'is worst than': 454079, 'worst than covid': 1011274, '19 all business': 4893, 'all business have': 42234, 'business have reduced': 143831, 'their price but': 874381, 'price but our': 672986, 'but our mtn': 146727, 'our mtn is': 623960, 'mtn is looting': 544633, 'is looting instead': 449455, 'looting instead of': 503260, 'of giving free': 584139, 'giving free data': 351292, 'sense how': 750531, 'of fast': 583441, 'restaurant non': 716592, 'about 100': 24633, 'that possibly': 845793, 'possibly stop': 665957, 'spreading any': 790927, 'any le': 79396, 'le 19': 482816, 'doesn make sense': 251878, 'make sense how': 510440, 'sense how we': 750532, 'can go inside': 158500, 'go inside of': 353731, 'inside of fast': 439333, 'of fast food': 583442, 'food restaurant non': 316195, 'restaurant non essential': 716593, 'essential business but': 280841, 'business but we': 143471, 'inside of grocery': 439334, 'store with about': 811363, 'with about 100': 997079, 'about 100 people': 24635, 'in it how': 424250, 'it how can': 458648, 'how can that': 407522, 'can that possibly': 159946, 'that possibly stop': 845794, 'possibly stop the': 665958, 'stop the from': 805131, 'the from spreading': 855836, 'from spreading any': 337388, 'spreading any le': 790928, 'any le 19': 79397, 'associate tested': 96895, 'change or': 172208, 'or pre': 616669, 'pre caution': 669144, 'caution at': 168161, 'unfortunately in the': 941614, 'in the retail': 429514, 'retail store work': 718732, 'at an associate': 97978, 'an associate tested': 55451, 'associate tested positive': 96896, '19 he wa': 7478, 'he wa sent': 385615, 'wa sent home': 963166, 'sent home and': 750756, 'home and we': 400712, 'still working with': 801445, 'with no change': 999739, 'no change or': 563789, 'change or pre': 172210, 'or pre caution': 616670, 'pre caution at': 669145, 'caution at all': 168162, 'draconian': 258131, 'congested': 194408, 'cornoabollocks': 203730, 'so nobody': 777890, 'nobody can': 565984, 'for deserted': 320661, 'deserted walk': 238011, 'walk where': 964920, 'where no': 985051, 'around without': 93646, 'without being': 1002518, 'being arrested': 124861, 'arrested draconian': 93828, 'draconian but': 258132, 'hey carry': 394346, 'on queuing': 603054, 'and congested': 60301, 'congested let': 194409, 'let herd': 486792, 'herd immunity': 392608, 'immunity really': 417426, 'really kick': 702364, 'in cornoabollocks': 421793, 'so nobody can': 777891, 'nobody can go': 565985, 'go for deserted': 353555, 'for deserted walk': 320662, 'deserted walk where': 238012, 'walk where no': 964922, 'where no people': 985053, 'no people around': 565093, 'people around without': 647147, 'around without being': 93647, 'without being arrested': 1002521, 'being arrested draconian': 124862, 'arrested draconian but': 93829, 'draconian but hey': 258133, 'but hey carry': 145930, 'hey carry on': 394347, 'carry on queuing': 165127, 'on queuing at': 603055, 'supermarket and walk': 819099, 'and walk where': 75142, 'walk where it': 964921, 'where it nice': 984971, 'it nice and': 459801, 'nice and congested': 562337, 'and congested let': 60302, 'congested let herd': 194410, 'let herd immunity': 486793, 'herd immunity really': 392612, 'immunity really kick': 417427, 'really kick in': 702365, 'kick in cornoabollocks': 473787, 'worker put': 1007648, 'catching shameful': 167103, 'shameful shopper': 754700, 'leave dirty': 484769, 'dirty mask': 243765, 'glove via': 353004, 'store worker put': 811566, 'worker put at': 1007649, 'of catching shameful': 581209, 'catching shameful shopper': 167104, 'shameful shopper leave': 754701, 'shopper leave dirty': 761590, 'leave dirty mask': 484770, 'dirty mask and': 243766, 'and glove via': 63743, 'calmness': 156871, 'tannoy': 834268, 'felt brave': 303364, 'brave enough': 138210, 'risk stampede': 723899, 'stampede in': 793444, 'today seemed': 920152, 'seemed an': 746713, 'acceptance of': 28043, 'respect calmness': 714970, 'calmness there': 156872, 'wa plus': 962951, 'constant tannoy': 195637, 'tannoy message': 834274, 'remind of': 710494, 'brought in': 141161, 'in single': 427978, 'single purchase': 771389, 'purchase asda': 689361, 'asda lockdownuknow': 94942, 'felt brave enough': 303365, 'brave enough to': 138211, 'enough to risk': 277721, 'to risk stampede': 913603, 'risk stampede in': 723900, 'stampede in supermarket': 793445, 'supermarket today seemed': 823463, 'today seemed an': 920153, 'seemed an acceptance': 746714, 'an acceptance of': 55059, 'acceptance of we': 28045, 'this together with': 890789, 'the respect calmness': 865601, 'respect calmness there': 714971, 'calmness there wa': 156873, 'there wa plus': 879263, 'wa plus the': 962952, 'plus the constant': 661692, 'the constant tannoy': 851479, 'constant tannoy message': 195638, 'tannoy message to': 834275, 'message to remind': 529458, 'to remind of': 913201, 'remind of what': 710495, 'of what can': 593048, 'can be brought': 157596, 'be brought in': 113920, 'brought in single': 141165, 'in single purchase': 427980, 'single purchase asda': 771390, 'purchase asda lockdownuknow': 689362, '41': 18852, 'least 41': 484361, '41 grocery': 18863, 'more have': 539392, 'week groceryworkers': 976289, 'washington post at': 967788, 'post at least': 666010, 'at least 41': 99452, 'least 41 grocery': 484362, '41 grocery worker': 18865, 'grocery worker have': 366173, 'worker have died': 1007084, 'died of the': 241595, 'the and thousand': 848728, 'and thousand more': 74063, 'thousand more have': 893416, 'more have tested': 539393, 'tested positive in': 839350, 'positive in recent': 665354, 'recent week groceryworkers': 704017, 'programmatic': 683327, 'month became': 537601, 'second most': 743768, 'common word': 189488, 'on keyword': 601760, 'keyword block': 473568, 'block list': 132788, 'for news': 323847, 'news publisher': 560719, 'publisher find': 688722, 'for programmatic': 324801, 'programmatic ad': 683328, 'ad price': 31144, 'here via': 393768, 'via digitalmarketing': 955918, 'last month became': 480327, 'month became the': 537602, 'became the second': 118893, 'the second most': 866585, 'second most common': 743769, 'most common word': 542191, 'common word on': 189489, 'word on keyword': 1004544, 'on keyword block': 601761, 'keyword block list': 473569, 'block list for': 132789, 'list for news': 494328, 'for news publisher': 323849, 'news publisher find': 560720, 'publisher find out': 688723, 'out what this': 627816, 'mean for programmatic': 524449, 'for programmatic ad': 324802, 'programmatic ad price': 683329, 'ad price here': 31146, 'price here via': 674506, 'here via digitalmarketing': 393769, 'strong thread': 814137, 'strong thread on': 814138, 'thread on changing': 893586, 'on changing consumer': 599871, 'amazingly': 50818, 'wishshopping': 996893, 'blasting': 132422, 'n95masks this': 551272, 'is amazingly': 445610, 'amazingly ed': 50821, 'ed up': 268464, 'max price': 520771, 'on wish': 605333, 'wish no': 996798, 'your team': 1026116, 'is regulating': 451397, 'regulating this': 708035, 'this problem': 889723, 'problem wishshopping': 679748, 'wishshopping long': 996894, 'up ll': 945337, 'be blasting': 113871, 'blasting you': 132427, 'twitter until': 936733, 'you fix': 1018596, 'n95masks this is': 551273, 'this is amazingly': 888173, 'is amazingly ed': 445611, 'amazingly ed up': 50822, 'ed up to': 268465, 'the max price': 860305, 'max price gouging': 520772, 'gouging is on': 359364, 'is on wish': 450492, 'on wish no': 605334, 'wish no one': 996799, 'no one on': 564951, 'one on your': 606790, 'on your team': 605507, 'your team is': 1026118, 'team is regulating': 835703, 'is regulating this': 451398, 'regulating this problem': 708036, 'this problem wishshopping': 889727, 'problem wishshopping long': 679749, 'wishshopping long it': 996895, 'long it up': 501469, 'it up ll': 461963, 'up ll be': 945338, 'll be blasting': 496574, 'be blasting you': 113872, 'blasting you on': 132428, 'you on twitter': 1020194, 'on twitter until': 604931, 'twitter until you': 936734, 'until you fix': 943939, 'you fix this': 1018597, 'fix this crap': 309759, 'zayd': 1027260, 'official notice': 595855, 'notice zayd': 573414, 'zayd design': 1027261, 'design will': 238272, 'closing from': 183646, 'store till': 810737, 'till further': 896022, 'going round': 355435, 'round this': 726368, 'is precautionary': 450982, 'measure we': 525421, 'we and': 970425, 'safe thank': 730010, 'you management': 1019775, 'official notice zayd': 595856, 'notice zayd design': 573415, 'zayd design will': 1027262, 'design will be': 238273, 'be closing from': 114145, 'closing from all': 183647, 'from all it': 334434, 'all it retail': 43275, 'it retail and': 460744, 'retail and online': 717832, 'and online store': 68123, 'online store till': 609477, 'store till further': 810738, 'till further notice': 896023, 'to the deadly': 916626, '19 going round': 7237, 'going round this': 355437, 'round this is': 726370, 'this is precautionary': 888361, 'is precautionary measure': 450983, 'precautionary measure we': 669432, 'measure we are': 525422, 'taking to ensure': 833632, 'ensure we and': 278119, 'we and our': 970426, 'and our customer': 68483, 'our customer are': 622651, 'customer are safe': 222127, 'are safe thank': 89793, 'safe thank you': 730011, 'thank you management': 841773, 'yourself why': 1026758, 'government doesn': 360039, 'doesn bother': 251717, 'bother closing': 136113, 'or limiting': 615972, 'time clothes': 896486, 'clothes shop': 184202, 'store sport': 810285, 'sport store': 789981, 'store home': 808168, 'improvement store': 419587, 'ask yourself why': 95695, 'yourself why the': 1026759, 'the government doesn': 856529, 'government doesn bother': 360040, 'doesn bother closing': 251718, 'bother closing or': 136114, 'closing or limiting': 183713, 'or limiting the': 615974, 'in this type': 430035, 'type of store': 937588, 'of store at': 590241, 'one time clothes': 607254, 'time clothes shop': 896487, 'clothes shop grocery': 184203, 'shop grocery store': 760246, 'grocery store sport': 365792, 'store sport store': 810286, 'sport store home': 789982, 'store home improvement': 808169, 'home improvement store': 401407, 'improvement store like': 419589, 'store like what': 808739, 'like what they': 491797, 'they do to': 881978, 'do to restaurant': 250402, 'toiletpaper crisis': 921902, 'just eating': 468662, 'eating le': 266244, 'alternative to the': 49274, 'to the toiletpaper': 917135, 'the toiletpaper crisis': 869723, 'toiletpaper crisis could': 921903, 'crisis could be': 217263, 'could be just': 208890, 'be just eating': 115584, 'just eating le': 468663, 'you happen': 1018997, 'to goto': 906918, 'goto the': 359059, 'are confronted': 85494, 'confronted by': 194303, 'mass of': 519819, 'of idiot': 584965, 'idiot wearing': 413630, 'wearing pjs': 974759, 'pjs stocking': 657249, 'up look': 945345, 'look around': 502241, 'around bet': 93225, 'bet most': 128087, 'them would': 876666, 'do just': 249537, 'fine if': 307644, 'they missed': 882686, 'missed meal': 534242, 'if you happen': 415450, 'you happen to': 1018998, 'happen to goto': 377180, 'to goto the': 906920, 'goto the grocery': 359060, 'store are confronted': 806467, 'are confronted by': 85495, 'confronted by mass': 194304, 'by mass of': 153181, 'mass of idiot': 519820, 'of idiot wearing': 584967, 'idiot wearing pjs': 413631, 'wearing pjs stocking': 974760, 'pjs stocking up': 657250, 'stocking up look': 803620, 'up look around': 945346, 'look around bet': 502244, 'around bet most': 93226, 'bet most of': 128088, 'most of them': 542562, 'of them would': 591778, 'them would do': 876667, 'would do just': 1011766, 'do just fine': 249538, 'just fine if': 468723, 'fine if they': 307645, 'if they missed': 415118, 'they missed meal': 882687, 'missed meal or': 534243, 'meal or just': 524230, 'or just saying': 615890, 'embarrased': 272430, 'piling is': 656608, 'disgusting care': 245398, 'elderly struggling': 270899, 'be embarrased': 114664, 'embarrased if': 272431, 'never realised': 558148, 'realised this': 701635, 'this stock piling': 890335, 'stock piling is': 802665, 'piling is disgusting': 656609, 'is disgusting care': 447219, 'disgusting care home': 245399, 'care home and': 163990, 'and elderly struggling': 61995, 'elderly struggling for': 270900, 'for food because': 321556, 'should be embarrased': 765614, 'be embarrased if': 114665, 'embarrased if they': 272432, 'they re part': 883091, 'this never realised': 889107, 'never realised this': 558149, 'realised this wa': 701636, 'atlantic': 101857, 'netde': 557579, 'wawa': 969413, 'major franchise': 509343, 'franchise and': 331061, 'state close': 795460, 'this mid': 888848, 'mid atlantic': 530554, 'atlantic chain': 101862, 'chain plan': 170989, 'maintain it': 508985, 'it gas': 458202, 'gas and': 343759, 'many consider': 513927, 'consider essential': 194995, 'essential even': 281017, 'pandemic netde': 636019, 'netde wawa': 557580, 'major franchise and': 509344, 'franchise and retailer': 331062, 'and retailer across': 70452, 'across the united': 29531, 'united state close': 942209, 'state close their': 795462, 'door to mitigate': 255754, 'the this mid': 869489, 'this mid atlantic': 888849, 'mid atlantic chain': 530555, 'atlantic chain plan': 101863, 'chain plan to': 170990, 'plan to maintain': 658300, 'to maintain it': 909579, 'maintain it gas': 508986, 'it gas and': 458203, 'gas and grocery': 343763, 'and grocery service': 63999, 'grocery service that': 364950, 'service that many': 752923, 'that many consider': 845024, 'many consider essential': 513928, 'consider essential even': 194996, 'essential even during': 281018, 'even during pandemic': 284027, 'during pandemic netde': 262881, 'pandemic netde wawa': 636020, 'disembarking': 245298, 'who week': 989942, 'created panic': 215872, 'no policy': 565139, 'stop 2500': 804414, '2500 people': 16035, 'people disembarking': 647668, 'disembarking from': 245299, 'from ship': 337252, 'ship in': 758681, 'board need': 133650, 'be replaced': 116796, 'replaced and': 711600, 'and quickly': 69880, 'quickly man': 694557, 'who ta': 989726, 'one who week': 607463, 'who week ago': 989943, 'week ago told': 975863, 'ago told to': 38527, 'told to stockpile': 923769, 'food and created': 313205, 'and created panic': 60709, 'created panic and': 215873, 'panic and ha': 637314, 'ha no policy': 371348, 'no policy to': 565140, 'policy to stop': 663529, 'to stop 2500': 915496, 'stop 2500 people': 804415, '2500 people disembarking': 16036, 'people disembarking from': 647669, 'disembarking from ship': 245300, 'from ship in': 337253, 'ship in sydney': 758683, 'sydney with covid': 830731, '19 on board': 8931, 'on board need': 599664, 'board need to': 133651, 'to be replaced': 901500, 'be replaced and': 116797, 'replaced and quickly': 711601, 'and quickly man': 69883, 'quickly man who': 694558, 'man who ta': 512339, 'africanhistoryclass': 35238, 'taxidrivershow': 835176, 'taxijam': 835179, 'blackpot': 132211, 'evangelist3': 283751, 'the pharmacist': 863642, 'pharmacist to': 654183, 'of sanitizers': 589305, 'sanitizers how': 736310, 'be cruel': 114305, 'cruel to': 219681, 'own africanhistoryclass': 631870, 'africanhistoryclass taxidrivershow': 35239, 'taxidrivershow taxijam': 835177, 'taxijam blackpot': 835180, 'blackpot evangelist3': 132212, 'evangelist3 sly': 283752, 'sly ba': 774737, 'please tell the': 660650, 'tell the pharmacist': 837089, 'the pharmacist to': 863645, 'pharmacist to lower': 654185, 'price of sanitizers': 675564, 'of sanitizers how': 589311, 'sanitizers how can': 736311, 'can we be': 160162, 'we be cruel': 970816, 'be cruel to': 114306, 'cruel to our': 219682, 'to our own': 911227, 'our own africanhistoryclass': 624197, 'own africanhistoryclass taxidrivershow': 631871, 'africanhistoryclass taxidrivershow taxijam': 35240, 'taxidrivershow taxijam blackpot': 835178, 'taxijam blackpot evangelist3': 835181, 'blackpot evangelist3 sly': 132213, 'evangelist3 sly ba': 283753, 'tabata': 831442, 'zumba': 1027891, 'mengeratkan': 528595, 'hubungan': 409887, 'silaturahim': 769686, 'inhouse': 438470, 'this movement': 889050, 'restriction permit': 717360, 'permit to': 652164, 'do workout': 250599, 'workout tabata': 1009176, 'tabata zumba': 831443, 'zumba watch': 1027894, 'food screw': 316322, 'for instant': 322613, 'noodle sleep': 566817, 'sleep early': 773762, 'early mengeratkan': 264647, 'mengeratkan hubungan': 528596, 'hubungan silaturahim': 409888, 'silaturahim with': 769687, 'family only': 298122, 'only applied': 610099, 'those inhouse': 892122, 'inhouse ppl': 438473, 'this movement restriction': 889051, 'movement restriction permit': 543929, 'restriction permit to': 717361, 'permit to do': 652165, 'do something that': 250155, 'that we suppose': 847398, 'suppose to do': 827325, 'to do workout': 904595, 'do workout tabata': 250601, 'workout tabata zumba': 1009177, 'tabata zumba watch': 831445, 'zumba watch out': 1027895, 'watch out on': 968502, 'out on our': 626914, 'our food screw': 623127, 'food screw the': 316323, 'screw the panic': 742807, 'the panic shop': 863217, 'panic shop for': 638543, 'shop for instant': 760190, 'for instant noodle': 322614, 'instant noodle sleep': 440110, 'noodle sleep early': 566818, 'sleep early mengeratkan': 773763, 'early mengeratkan hubungan': 264648, 'mengeratkan hubungan silaturahim': 528597, 'hubungan silaturahim with': 409889, 'silaturahim with family': 769688, 'with family only': 998382, 'family only applied': 298123, 'only applied to': 610100, 'applied to those': 82506, 'to those inhouse': 917509, 'those inhouse ppl': 892123, 'compromising': 192696, 'compromising on': 192697, 'on regulatory': 603128, 'regulatory oversight': 708180, 'oversight ha': 631515, 'normal rich': 567292, 'rich country': 721209, 'country say': 211031, 'say situation': 739142, 'situation demand': 772235, 'it poor': 460381, 'say hope': 738767, 'compromising on regulatory': 192698, 'on regulatory oversight': 603130, 'regulatory oversight ha': 708181, 'oversight ha become': 631516, 'new normal rich': 559168, 'normal rich country': 567293, 'rich country say': 721210, 'country say situation': 211033, 'say situation demand': 739143, 'situation demand it': 772237, 'demand it poor': 235756, 'it poor country': 460382, 'poor country say': 664155, 'country say hope': 211032, 'say hope you': 738768, 'you understand the': 1021967, 'understand the situation': 940775, 'the situation now': 867267, 'hi do': 394624, 'enough out': 277550, 'there high': 878477, 'demand cancelling': 235103, 'cancelling my': 161216, 'hi do you': 394626, 'you not think': 1020132, 'not think that': 572087, 'think that you': 885619, 'are doing well': 85938, 'doing well enough': 252832, 'well enough out': 978225, 'enough out of': 277551, 'current pandemic raising': 221296, 'pandemic raising price': 636286, 'raising price because': 696108, 'price because you': 672869, 'because you know': 119870, 'that there high': 846898, 'there high demand': 878478, 'high demand cancelling': 394996, 'demand cancelling my': 235104, 'cancelling my order': 161217, 'indian railway': 434870, 'railway withdrew': 695727, 'ticket the indian': 895669, 'the indian railway': 858125, 'indian railway withdrew': 434873, 'railway withdrew most': 695728, 'stayaway6feet': 797820, 'providence': 686674, 'rhode': 720901, 'today adventure': 919150, 'adventure at': 33089, 'socialdistancing stayaway6feet': 780731, 'stayaway6feet providence': 797821, 'providence ri': 686679, 'ri providence': 720932, 'providence rhode': 686675, 'rhode island': 720902, 'today adventure at': 919151, 'adventure at the': 33090, 'store socialdistancing stayaway6feet': 810254, 'socialdistancing stayaway6feet providence': 780732, 'stayaway6feet providence ri': 797822, 'providence ri providence': 686680, 'ri providence rhode': 720933, 'providence rhode island': 686676, 'retail produce': 718420, 'sale spike': 732542, 'spike consumer': 789272, 'consumer react': 198640, 'react to': 700146, 'retail produce sale': 718421, 'produce sale spike': 680421, 'sale spike consumer': 732543, 'spike consumer react': 789273, 'consumer react to': 198641, 'react to covid': 700150, 'already down': 47304, 'down 00': 256367, '00 pt': 449, 'pt due': 687603, 'to trump': 917798, 'trump covid': 933495, 'update am': 946851, 'am preparing': 50319, 'some low': 783239, 'great company': 362584, 'company tomorrow': 191251, 'no growth': 564385, 'growth until': 367471, 'we hit': 972021, 'hit bottom': 398168, 'bottom which': 136445, 'which believe': 985715, 'agreement with you': 38814, 'with you the': 1002165, 'you the market': 1021604, 'is already down': 445518, 'already down 00': 47305, 'down 00 pt': 256368, '00 pt due': 450, 'pt due to': 687604, 'due to trump': 262006, 'to trump covid': 917800, 'trump covid 19': 933496, '19 update am': 11654, 'update am preparing': 946852, 'am preparing for': 50320, 'preparing for some': 670338, 'for some low': 325752, 'some low price': 783240, 'low price from': 505515, 'from some great': 337339, 'some great company': 782984, 'great company tomorrow': 362585, 'company tomorrow and': 191252, 'tomorrow and throughout': 924026, 'and throughout this': 74092, 'throughout this week': 894998, 'this week no': 891237, 'week no growth': 976565, 'no growth until': 564386, 'growth until we': 367472, 'until we hit': 943925, 'we hit bottom': 972022, 'hit bottom which': 398169, 'bottom which believe': 136446, 'which believe is': 985716, 'believe is so': 126297, 'isolationessentials': 455532, 'at airport': 97857, 'airport security': 40118, 'security when': 744793, 're queuing': 699342, 'supermarket nobody': 821625, 'nobody really': 566049, 'really know': 702370, 'the etiquette': 854550, 'etiquette lockdown': 283154, 'lockdownuk isolationlife': 500416, 'isolationlife isolation': 455542, 'isolation isolationessentials': 455324, 'they re at': 882998, 're at airport': 698320, 'at airport security': 97858, 'airport security when': 40119, 'security when they': 744794, 'they re queuing': 883105, 're queuing up': 699343, 'queuing up at': 694241, 'the supermarket nobody': 868714, 'supermarket nobody really': 821627, 'nobody really know': 566050, 'really know the': 702371, 'know the etiquette': 476820, 'the etiquette lockdown': 854551, 'etiquette lockdown lockdownuk': 283155, 'lockdown lockdownuk isolationlife': 499623, 'lockdownuk isolationlife isolation': 500417, 'isolationlife isolation isolationessentials': 455543, 'vikramch': 957296, 'stay for': 796875, 'of quarter': 588676, 'quarter before': 693233, 'it disappears': 457561, 'disappears from': 244085, 'consumer mind': 198130, 'mind say': 532718, 'say vikramch': 739443, 'vikramch 19': 957297, 'thought of social': 893150, 'distancing is going': 247245, 'to stay for': 915287, 'stay for couple': 796876, 'couple of quarter': 211646, 'of quarter before': 588677, 'quarter before it': 693234, 'before it disappears': 122879, 'it disappears from': 457562, 'disappears from the': 244086, 'the consumer mind': 851560, 'consumer mind say': 198132, 'mind say vikramch': 532719, 'say vikramch 19': 739444, '2019 d2c': 13957, 'd2c ecommerce': 224196, 'sale reached': 732478, 'reached 14': 700023, '14 28': 3396, '28 billion': 16382, 'in per': 426606, 'per forecast': 650836, 'forecast 2020': 328800, 'sale will': 732650, 'will grow': 993578, 'grow by': 367012, 'by 24': 151599, '24 to': 15696, '17 75': 4324, '75 billion': 22115, 'billion impact': 130832, 'on d2c': 600199, 'd2c sale': 224206, 'sale unknown': 732609, 'unknown tho': 942544, 'tho they': 891692, 'they anticipate': 881169, 'anticipate the': 78445, 'mounting challenge': 543441, 'in 2019 d2c': 419803, '2019 d2c ecommerce': 13958, 'd2c ecommerce sale': 224197, 'ecommerce sale reached': 266857, 'sale reached 14': 732479, 'reached 14 28': 700024, '14 28 billion': 3397, '28 billion in': 16383, 'billion in per': 130850, 'in per forecast': 426608, 'per forecast 2020': 650837, 'forecast 2020 sale': 328801, '2020 sale will': 14585, 'sale will grow': 732653, 'will grow by': 993580, 'grow by 24': 367014, 'by 24 to': 151600, '24 to 17': 15697, 'to 17 75': 899524, '17 75 billion': 4325, '75 billion impact': 22116, 'billion impact of': 130833, 'of on d2c': 587212, 'on d2c sale': 600200, 'd2c sale unknown': 224207, 'sale unknown tho': 732610, 'unknown tho they': 942545, 'tho they anticipate': 891693, 'they anticipate the': 881171, 'anticipate the sector': 78446, 'the sector will': 866622, 'sector will face': 744403, 'will face mounting': 993391, 'face mounting challenge': 294626, 'qr': 691592, 'no cashier': 563775, 'just scan': 469720, 'scan the': 740710, 'the qr': 864942, 'qr or': 691597, 'take what': 832791, 'want paying': 965891, 'paying self': 645478, 'no cashier just': 563776, 'cashier just scan': 166559, 'just scan the': 469721, 'scan the qr': 740711, 'the qr or': 864943, 'qr or put': 691598, 'or put the': 616751, 'put the money': 690863, 'the money in': 860814, 'the box and': 849917, 'box and take': 137011, 'and take what': 72982, 'take what you': 832794, 'you want paying': 1022150, 'want paying self': 965892, 'paying self quarantine': 645479, 'worker status': 1007809, 'status confirmed': 796667, 'confirmed by': 194130, 'by management': 153152, 'management today': 512649, 'office will': 595592, 'usual looking': 950969, 'free pizza': 332063, 'priority supermarket': 678664, 'happen coronacrisis': 377070, 'key worker status': 473513, 'worker status confirmed': 1007810, 'status confirmed by': 796668, 'confirmed by management': 194132, 'by management today': 153153, 'management today via': 512650, 'today via email': 920436, 'via email the': 955955, 'email the office': 272335, 'the office will': 862085, 'office will not': 595594, 'will not close': 994197, 'not close and': 568773, 'close and it': 182530, 'will be business': 992384, 'business usual looking': 144606, 'usual looking forward': 950970, 'forward to free': 330025, 'to free pizza': 906236, 'free pizza and': 332064, 'pizza and priority': 657150, 'and priority supermarket': 69514, 'priority supermarket entry': 678666, 'entry this will': 279025, 'will not happen': 994227, 'not happen coronacrisis': 569785, 'shielded': 758185, '22341': 15284, 'have letter': 381309, 'nh saying': 562056, 'saying shielded': 739678, 'shielded risk': 758192, 'serious illness': 751407, 'illness trying': 416407, 'shop sainsbury': 760732, 'don recognise': 253857, 'recognise you': 704600, 'you vulnerable': 1022093, 'vulnerable morrison': 961045, 'supermarket 22341': 818746, '22341 in': 15285, 'queue waitrose': 694122, 'waitrose next': 964463, 'available july': 104470, 'july tesco': 467820, 'have letter from': 381310, 'the nh saying': 861760, 'nh saying shielded': 562057, 'saying shielded risk': 739679, 'shielded risk is': 758193, 'risk is high': 723640, 'is high of': 448447, 'high of serious': 395193, 'of serious illness': 589521, 'serious illness trying': 751408, 'illness trying to': 416408, 'to do an': 904477, 'do an online': 249061, 'online grocery shop': 608330, 'grocery shop sainsbury': 364977, 'shop sainsbury supermarket': 760733, 'sainsbury supermarket we': 731729, 'supermarket we don': 823743, 'we don recognise': 971392, 'don recognise you': 253859, 'recognise you vulnerable': 704601, 'you vulnerable morrison': 1022094, 'vulnerable morrison supermarket': 961046, 'morrison supermarket 22341': 541756, 'supermarket 22341 in': 818747, '22341 in the': 15286, 'the queue waitrose': 865057, 'queue waitrose next': 694123, 'waitrose next available': 964464, 'next available july': 561291, 'available july tesco': 104471, 'with demand calling': 997973, '03 26': 866, '26 berlin': 16155, 'berlin panic': 127344, 'corona new': 204068, 'dreamstime download': 258648, 'download now': 257601, 'disease store': 245239, 'buy isolation': 148842, 'isolation shelf': 455425, 'shelf shelf': 757506, 'shelf home': 757160, 'home supermarket': 402173, '2020 03 26': 14083, '03 26 berlin': 867, '26 berlin panic': 16156, 'berlin panic buying': 127345, 'buying for corona': 150352, 'for corona new': 320367, 'corona new on': 204069, 'new on dreamstime': 559196, 'on dreamstime download': 600410, 'dreamstime download now': 258649, 'download now pandemic': 257602, 'now pandemic disease': 575509, 'pandemic disease store': 635307, 'disease store buy': 245240, 'store buy isolation': 806822, 'buy isolation shelf': 148843, 'isolation shelf shelf': 455426, 'shelf shelf home': 757507, 'shelf home supermarket': 757161, 'economy come': 267764, 'come through': 187543, 'through trade': 894871, 'anything anymore': 80689, 'anymore trumpcrash': 80157, 'driven economy come': 259313, 'economy come through': 267765, 'come through trade': 187546, 'through trade with': 894872, 'china we don': 177051, 'we don make': 971387, 'don make anything': 253717, 'make anything anymore': 509715, 'anything anymore trumpcrash': 80690, 'anymore trumpcrash trumpplague': 80158, 'uk lockdown': 938517, 'lockdown continues': 499260, 'bite due': 131860, 'watch the economic': 968541, 'the uk lockdown': 870245, 'uk lockdown continues': 938518, 'lockdown continues to': 499263, 'continues to bite': 201461, 'to bite due': 901828, 'bite due to': 131861, 'bank in london': 109921, 'in london are': 424876, 'london are experiencing': 501025, 'demand more on': 235890, 'share food': 755005, 'food dont': 314273, 'dont stock': 255287, 'stock it': 802319, 'up flu': 944863, 'flu chinesevirus': 311393, 'chinesevirus staysafestayhome': 177450, 'share food dont': 755006, 'food dont stock': 314274, 'dont stock it': 255288, 'stock it up': 802324, 'it up flu': 461958, 'up flu chinesevirus': 944864, 'flu chinesevirus staysafestayhome': 311394, 'nationalised': 552660, 'via maybe': 956072, 'maybe supermarket': 521812, 'be nationalised': 116051, 'nationalised how': 552661, 'ya like': 1014009, 'them apple': 875411, 'buying via maybe': 151312, 'via maybe supermarket': 956073, 'maybe supermarket need': 521813, 'to be nationalised': 901401, 'be nationalised how': 116052, 'nationalised how do': 552662, 'how do ya': 407732, 'do ya like': 250609, 'ya like them': 1014010, 'like them apple': 491416, 'them apple and': 875412, 'how root': 408603, 'root cause': 726015, 'crisis affect': 216980, 'people adapt': 646772, 'example of panic': 288940, 'buying and how': 149914, 'and how root': 64833, 'how root cause': 408604, 'root cause of': 726016, 'cause of crisis': 167678, 'of crisis affect': 582148, 'crisis affect how': 216981, 'affect how people': 34167, 'how people adapt': 408493, 'people adapt to': 646773, 'adapt to new': 31284, 'wurst': 1013606, 'humous': 410952, 'taramasalata': 834415, 'signalling': 769337, '19 favourite': 6949, 'favourite so': 300611, 'far german': 298787, 'german panic': 346234, 'ha mean': 371260, 'of sausage': 589328, 'sausage it': 737409, 'the wurst': 872127, 'wurst se': 1013607, 'se scenario': 743058, 'scenario in': 741263, 'in greece': 423420, 'greece humous': 363341, 'humous and': 410953, 'and taramasalata': 73030, 'taramasalata wa': 834416, 'shelf potentially': 757427, 'potentially signalling': 667243, 'signalling double': 769340, 'double dip': 256004, 'dip recession': 243210, 'of my covid': 586750, 'covid 19 favourite': 213079, '19 favourite so': 6950, 'favourite so far': 300612, 'so far german': 777030, 'far german panic': 298788, 'german panic buying': 346235, 'buying ha mean': 150443, 'ha mean that': 371261, 'mean that supermarket': 524686, 'that supermarket have': 846569, 'supermarket have run': 820706, 'out of sausage': 626822, 'of sausage it': 589329, 'sausage it the': 737410, 'it the wurst': 461590, 'the wurst se': 872128, 'wurst se scenario': 1013608, 'se scenario in': 743059, 'scenario in greece': 741264, 'in greece humous': 423423, 'greece humous and': 363342, 'humous and taramasalata': 410954, 'and taramasalata wa': 73031, 'taramasalata wa missing': 834417, 'wa missing from': 962637, 'missing from all': 534297, 'from all supermarket': 334439, 'supermarket shelf potentially': 822512, 'shelf potentially signalling': 757428, 'potentially signalling double': 667244, 'signalling double dip': 769341, 'double dip recession': 256005, 'buying pg': 150902, 'pg 13': 653938, '13 language': 3227, 'language with': 479502, 'pandemic upon': 636886, 'upon people': 947647, 'crazy hoarding': 215315, 'this certainly': 886725, 'certainly isn': 170159, 'ha occurred': 371414, 'occurred ordinary': 579047, 'ordinary thing': 619101, 'thing look': 884565, 'history of panic': 398041, 'panic buying pg': 637847, 'buying pg 13': 150903, 'pg 13 language': 653939, '13 language with': 3228, 'language with the': 479503, '19 pandemic upon': 9515, 'pandemic upon people': 636888, 'upon people have': 947648, 'have been going': 379559, 'been going crazy': 121219, 'going crazy hoarding': 355097, 'crazy hoarding food': 215316, 'other supply but': 621037, 'supply but this': 824870, 'but this certainly': 147543, 'this certainly isn': 886726, 'certainly isn the': 170160, 'isn the first': 454707, 'first time panic': 309107, 'buying ha occurred': 150446, 'ha occurred ordinary': 371416, 'occurred ordinary thing': 579048, 'ordinary thing look': 619102, 'thing look back': 884566, 'back at time': 106895, 'attending': 102401, 'is attending': 445885, 'attending church': 102406, 'church service': 178403, 'every day say': 285840, 'day say the': 228311, 'say the woman': 739310, 'woman who is': 1003680, 'who is attending': 989061, 'is attending church': 445886, 'attending church service': 102407, 'pandemic chinese': 635139, 'chinese restaurant': 177339, 'emptier than': 274714, 'ever via': 285579, 'amid pandemic chinese': 52569, 'pandemic chinese restaurant': 635140, 'chinese restaurant in': 177340, 'the are emptier': 848861, 'are emptier than': 86132, 'emptier than ever': 274715, 'than ever via': 840619, 'worry mum': 1010748, 'mum will': 545981, 'your toilet': 1026174, 'no worry mum': 565938, 'worry mum will': 1010749, 'mum will protect': 545982, 'will protect your': 994499, 'protect your toilet': 685073, 'your toilet paper': 1026175, 'grocery more': 364736, 'often due': 596186, 'to up': 917972, '22 during': 15209, 'to civicscience': 902776, 'civicscience data': 179504, 'data more': 226307, 'for grocery more': 322041, 'grocery more often': 364737, 'more often due': 539899, 'often due to': 596187, 'due to up': 262012, 'to up from': 917974, 'from 22 during': 334241, '22 during last': 15210, 'during last week': 262746, 'according to civicscience': 28526, 'to civicscience data': 902777, 'civicscience data more': 179505, 'data more in': 226308, 'biggest question': 130305, 'every family': 285894, 'family mind': 298051, 'mind do': 532654, 'paper so': 640785, 'so check': 776751, 'calculator for': 155326, 'the biggest question': 849673, 'biggest question on': 130306, 'question on every': 693674, 'on every family': 600618, 'every family mind': 285895, 'family mind do': 298052, 'mind do we': 532655, 'toilet paper so': 921454, 'paper so check': 640786, 'so check out': 776752, 'out this toilet': 627589, 'this toilet roll': 890793, 'roll calculator for': 725239, 'calculator for coronavirus': 155327, 'for coronavirus pandemic': 320388, 'coronavirus pandemic toiletpaper': 206499, 'pandemic toiletpaper pandemic': 636813, 'sobeys': 779373, 'staff loblaws': 792623, 'loblaws sobeys': 497635, 'sobeys and': 779374, 'others pharmacy': 621580, 'staff hospital': 792535, 'staff anyone': 792171, 'work thru': 1005871, 'this thank': 890502, 'you toronto': 1021889, 'toronto montreal': 925968, 'montreal vancouver': 538236, 'real hero in': 701200, 'hero in covid': 394014, '19 supermarket staff': 10958, 'supermarket staff loblaws': 822863, 'staff loblaws sobeys': 792624, 'loblaws sobeys and': 497636, 'sobeys and others': 779375, 'and others pharmacy': 68452, 'others pharmacy staff': 621581, 'pharmacy staff hospital': 654473, 'staff hospital staff': 792536, 'hospital staff anyone': 404628, 'staff anyone who': 792173, 'who ha to': 988870, 'to work thru': 918795, 'work thru this': 1005872, 'thru this thank': 895240, 'this thank you': 890503, 'thank you toronto': 841834, 'you toronto montreal': 1021890, 'toronto montreal vancouver': 925969, 'yes am': 1015369, 'am boy': 49955, 'boy mom': 137273, 'mom but': 535699, 'make bow': 509743, 'bow organizer': 136950, 'organizer holder': 619488, 'holder and': 400057, 'absolutely love': 27381, 'for bow': 319752, 'bow now': 136948, 'and hopefully': 64726, 'hopefully jewelry': 403864, 'jewelry in': 465393, 'future let': 342379, 'all girl': 42922, 'girl mom': 350267, 'mom want': 535827, 'want one': 965874, 'price socialdistancing': 676545, 'yes am boy': 1015371, 'am boy mom': 49956, 'boy mom but': 137274, 'mom but wa': 535700, 'but wa asked': 147706, 'wa asked to': 961592, 'asked to make': 95870, 'to make bow': 909629, 'make bow organizer': 509744, 'bow organizer holder': 136951, 'organizer holder and': 619489, 'holder and absolutely': 400058, 'and absolutely love': 57566, 'absolutely love how': 27382, 'love how it': 504694, 'how it turned': 408143, 'it turned out': 461884, 'turned out will': 935869, 'out will be': 627854, 'used for bow': 949899, 'for bow now': 319753, 'bow now and': 136949, 'now and hopefully': 574037, 'and hopefully jewelry': 64727, 'hopefully jewelry in': 403865, 'jewelry in the': 465394, 'the future let': 856082, 'future let me': 342380, 'me know if': 523041, 'know if all': 476469, 'if all girl': 413791, 'all girl mom': 42923, 'girl mom want': 350268, 'mom want one': 535828, 'want one and': 965875, 'one and can': 605896, 'get you some': 348682, 'you some price': 1021304, 'some price socialdistancing': 783635, '879': 23038, '057': 971, '034': 893, 'let join': 486834, 'join hand': 466737, 'hand together': 375885, 'and tough': 74311, 'tough assignment': 926797, 'assignment we': 96614, 'we dropped': 971423, 'dropped our': 260614, 'can avail': 157551, 'avail our': 104114, 'service easily': 752318, 'easily visit': 265252, 'visit contact': 959218, 'contact 61': 199993, '61 879': 21182, '879 057': 23039, '057 034': 972, '034 corona': 894, 'corona coronavir': 203895, 'coronavir coronafighters': 205418, 'let join hand': 486835, 'join hand together': 466740, 'hand together to': 375886, 'together to fight': 920991, 'fight with this': 304956, 'with this corona': 1001685, 'this corona outbreak': 886866, 'corona outbreak and': 204086, 'outbreak and tough': 628016, 'and tough assignment': 74312, 'tough assignment we': 926798, 'assignment we dropped': 96615, 'we dropped our': 971424, 'dropped our price': 260615, 'by 50 so': 151671, '50 so you': 19854, 'you can avail': 1017624, 'can avail our': 157552, 'avail our service': 104115, 'our service easily': 624728, 'service easily visit': 752319, 'easily visit contact': 265253, 'visit contact 61': 959219, 'contact 61 879': 199994, '61 879 057': 21183, '879 057 034': 23040, '057 034 corona': 973, '034 corona coronavir': 895, 'corona coronavir coronafighters': 203896, 'chapel': 173117, 're required': 699382, 'but downtown': 145612, 'downtown chapel': 257735, 'chapel hill': 173118, 'hill business': 396464, 'still ready': 801096, 'serve here': 751895, 'order lunch': 618372, 'we re required': 972952, 're required to': 699383, 'pandemic but downtown': 635042, 'but downtown chapel': 145613, 'downtown chapel hill': 257736, 'chapel hill business': 173119, 'hill business are': 396465, 'business are still': 143389, 'are still ready': 90473, 'still ready to': 801097, 'ready to serve': 700974, 'to serve here': 914264, 'serve here how': 751896, 'can order lunch': 159174, 'order lunch and': 618373, 'lunch and do': 506706, 'and do some': 61559, 'online shopping today': 609314, 'produce also': 680168, 'also stop': 48915, 'seriously we are': 751776, 'out of fresh': 626737, 'fresh produce also': 333044, 'produce also stop': 680169, 'also stop hoarding': 48916, 'hoarding and making': 399180, 'making the price': 511425, 'up and making': 944346, 'hard to shop': 378090, 'shop for everyone': 760185, 'for everyone else': 321209, 'worn': 1010458, 'stayinthehoose': 798754, 'tescodelivery': 838863, 'marksandspencer': 517931, 'onlinelearning': 609833, 'you worn': 1022438, 'worn any': 1010459, 'stayhomesavelives socialdistanacing': 798444, 'socialdistanacing stayinthehoose': 780103, 'stayinthehoose shopping': 798755, 'shopping tescodelivery': 764064, 'tescodelivery asda': 838864, 'sainsbury waitrose': 731740, 'waitrose marksandspencer': 964460, 'marksandspencer ocado': 517933, 'ocado onlinelearning': 578909, 'onlinelearning clapforcarers': 609834, 'in week of': 430760, 'week of lockdown': 976623, 'of lockdown and': 585949, 'lockdown and social': 499152, 'distancing have you': 247197, 'have you worn': 383702, 'you worn any': 1022439, 'worn any of': 1010460, 'following to the': 312929, 'supermarket stayhomesavelives socialdistanacing': 822944, 'stayhomesavelives socialdistanacing stayinthehoose': 798445, 'socialdistanacing stayinthehoose shopping': 780104, 'stayinthehoose shopping tescodelivery': 798756, 'shopping tescodelivery asda': 764065, 'tescodelivery asda sainsbury': 838865, 'asda sainsbury waitrose': 94973, 'sainsbury waitrose marksandspencer': 731741, 'waitrose marksandspencer ocado': 964461, 'marksandspencer ocado onlinelearning': 517934, 'ocado onlinelearning clapforcarers': 578910, 'droz': 260824, 'keep shut': 471931, 'month going': 537755, 'mortgage car': 541874, 'car note': 163185, 'note loan': 572749, 'loan going': 497444, 'cure is': 220759, 'disease 15': 245069, 'prove this': 686121, 'flu droz': 311406, 'droz corona': 260825, 'to keep shut': 908847, 'keep shut down': 471932, 'shut down for': 767825, 'down for month': 256775, 'for month going': 323518, 'month going to': 537756, 'going to pay': 355667, 'pay the mortgage': 645152, 'the mortgage car': 860929, 'mortgage car note': 541875, 'car note loan': 163186, 'note loan going': 572750, 'loan going to': 497445, 'going to produce': 355675, 'to produce the': 912209, 'produce the toilet': 680457, 'paper the cure': 640874, 'the cure is': 852589, 'cure is worse': 220761, 'than the disease': 841230, 'the disease 15': 853357, 'disease 15 day': 245070, '15 day no': 3693, 'day no more': 228020, 'no more have': 564808, 'more have yet': 539396, 'yet to prove': 1016294, 'to prove this': 912370, 'prove this is': 686122, 'this is worse': 888472, 'the flu droz': 855458, 'flu droz corona': 311407, 'bad we': 108076, 'worst unemployment': 1011297, 'unemployment since': 941294, 'is really bad': 451289, 'really bad we': 702005, 'bad we are': 108077, 'the worst unemployment': 872080, 'worst unemployment since': 1011298, 'unemployment since the': 941295, 'since the great': 770883, 'precious metal': 669472, 'metal like': 529635, 'and silver': 71668, 'silver have': 769804, 'been surging': 122111, 'surging lately': 828434, 'lately investor': 480964, 'investor seek': 444203, 'seek safe': 746607, 'long lasting': 501476, 'lasting negative': 480776, 'economy read': 268165, 'precious metal like': 669473, 'metal like gold': 529636, 'like gold and': 490324, 'gold and silver': 355854, 'and silver have': 71669, 'silver have been': 769805, 'have been surging': 379705, 'been surging lately': 122112, 'surging lately investor': 828435, 'lately investor seek': 480965, 'investor seek safe': 444204, 'seek safe haven': 746608, 'haven investment due': 383846, 'to concern the': 903171, 'concern the coronavirus': 193119, 'the coronavirus will': 851944, 'coronavirus will have': 207086, 'have long lasting': 381368, 'long lasting negative': 501481, 'lasting negative impact': 480777, 'global economy read': 351905, 'economy read more': 268167, 'amzn': 55001, 'amzn new': 55007, 'article amazon': 94246, 'delivery infrastructure': 234126, 'infrastructure strained': 438221, 'strained covid': 812313, 'outbreak spark': 628640, 'spark surge': 787560, 'latest amzn': 481205, 'amzn related': 55009, 'amzn new article': 55008, 'new article amazon': 558355, 'article amazon delivery': 94247, 'amazon delivery infrastructure': 50911, 'delivery infrastructure strained': 234127, 'infrastructure strained covid': 438223, 'strained covid 19': 812314, '19 outbreak spark': 9190, 'outbreak spark surge': 628641, 'spark surge in': 787561, 'online shopping get': 609129, 'shopping get all': 762776, 'all the latest': 44805, 'the latest amzn': 859075, 'latest amzn related': 481206, 'amzn related news': 55010, 'related news here': 708492, 'produced this': 680538, '19 harm': 7437, 'harm reduction': 378413, 'reduction providing': 706396, 'plan ahead': 658048, 'ahead if': 39159, 'you consume': 1018022, 'consume drug': 195933, 'ha produced this': 371546, 'produced this consumer': 680539, 'this consumer resource': 886845, 'consumer resource on': 198774, 'resource on covid': 714843, 'covid 19 harm': 213187, '19 harm reduction': 7438, 'harm reduction providing': 378414, 'reduction providing advice': 706397, 'providing advice on': 686931, 'how to stop': 409093, 'virus and plan': 957939, 'and plan ahead': 69060, 'plan ahead if': 658049, 'ahead if you': 39160, 'if you consume': 415412, 'you consume drug': 1018023, 'of summer': 590390, 'crude price could': 219585, 'price could go': 673282, 'could go negative': 209219, 'go negative while': 353850, 'all this while': 45148, 'while the province': 987412, 'end of summer': 275916, '10 so': 1680, 'employee supposed': 274258, 'town is': 927496, 'there coughing': 878289, 'coughing near': 208705, 'you breathing': 1017522, 'official say stay': 595912, 'say stay out': 739174, 'out of group': 626749, 'of group of': 584371, 'group of 10': 366782, 'of 10 so': 579313, '10 so what': 1681, 'fuck is grocery': 339589, 'store employee supposed': 807546, 'employee supposed to': 274259, 'when the whole': 984213, 'whole town is': 990367, 'town is in': 927499, 'is in there': 448822, 'in there coughing': 429812, 'there coughing near': 878290, 'coughing near you': 208706, 'near you breathing': 553636, 'you breathing on': 1017523, 'breathing on you': 139240, 'alert cfo': 41376, 'cfo floridian': 170331, 'must beware': 546562, 'of fraud': 583891, 'fraud amp': 331223, 'amp scam': 54450, 'consumer alert cfo': 196137, 'alert cfo floridian': 41377, 'cfo floridian must': 170332, 'floridian must beware': 311034, 'must beware of': 546563, 'beware of fraud': 129080, 'of fraud amp': 583893, 'fraud amp scam': 331224, 'amp scam read': 54451, 'scam read more': 740322, 'any recommendation': 79738, 'avoid limit': 105176, 'infection many': 436787, 'have underlying': 383449, 'are chronically': 85276, 'ill high': 416132, 'contact what': 200259, 'what precaution': 982049, 'precaution should': 669352, 'should these': 766579, 'these employee': 879959, 'take medtwitter': 832320, 'any recommendation for': 79739, 'recommendation for supermarket': 704750, 'for supermarket employee': 326008, 'supermarket employee during': 820118, 'employee during to': 273798, 'during to avoid': 263354, 'to avoid limit': 900915, 'avoid limit the': 105178, 'of infection many': 585167, 'infection many cannot': 436788, 'many cannot afford': 513867, 'afford to stay': 34807, 'stay home have': 796971, 'home have underlying': 401345, 'have underlying health': 383451, 'health condition and': 386288, 'condition and are': 193394, 'and are chronically': 58299, 'are chronically ill': 85277, 'chronically ill high': 178245, 'ill high risk': 416133, 'risk of contact': 723735, 'of contact what': 581802, 'contact what precaution': 200260, 'what precaution should': 982050, 'precaution should these': 669354, 'should these employee': 766580, 'these employee take': 879962, 'employee take medtwitter': 274264, 'prelim': 669862, 'domain': 253151, 'melb': 527916, 'ausecon': 103045, 'prelim domain': 669863, 'domain auction': 253152, 'auction clearance': 102844, 'clearance syd': 181397, 'syd 65': 830673, '65 final': 21351, 'final 58': 305820, '58 yr': 20542, 'yr ago': 1027002, 'ago 52': 38319, '52 melb': 20251, 'melb 62': 527917, '62 final': 21226, 'final 57': 305818, '57 yr': 20489, 'ago 50': 38317, '50 sale': 19839, 'sale momentum': 732358, 'momentum is': 536158, 'slowing significantly': 774570, 'significantly coronavirus': 769560, 'coronavirus driven': 205849, 'driven social': 259356, 'distancing rising': 247432, 'the econ': 853886, 'econ outlook': 266934, 'outlook look': 629169, 'be impacting': 115373, 'impacting expect': 418220, 'fall ahead': 296812, 'ahead ausecon': 39140, 'prelim domain auction': 669864, 'domain auction clearance': 253153, 'auction clearance syd': 102845, 'clearance syd 65': 181398, 'syd 65 final': 830674, '65 final 58': 21352, 'final 58 yr': 305821, '58 yr ago': 20543, 'yr ago 52': 1027004, 'ago 52 melb': 38320, '52 melb 62': 20252, 'melb 62 final': 527918, '62 final 57': 21227, 'final 57 yr': 305819, '57 yr ago': 20490, 'yr ago 50': 1027003, 'ago 50 sale': 38318, '50 sale momentum': 19841, 'sale momentum is': 732359, 'momentum is slowing': 536159, 'is slowing significantly': 451978, 'slowing significantly coronavirus': 774571, 'significantly coronavirus driven': 769561, 'coronavirus driven social': 205850, 'driven social distancing': 259357, 'social distancing rising': 779703, 'distancing rising uncertainty': 247433, 'rising uncertainty around': 723315, 'around the econ': 93536, 'the econ outlook': 853887, 'econ outlook look': 266935, 'outlook look to': 629170, 'look to be': 502625, 'to be impacting': 901327, 'be impacting expect': 115374, 'impacting expect price': 418221, 'expect price fall': 290703, 'price fall ahead': 673773, 'fall ahead ausecon': 296813, 'assumption': 97060, 'period it': 651803, 'it gonna': 458291, 'observe how': 578581, 'behave and': 123768, 'and hence': 64502, 'hence the': 391755, 'impact it': 417720, 'on few': 600778, 'few particular': 303981, 'particular sector': 642634, 'economy at': 267678, 'large following': 479664, 'following are': 312690, 'my assumption': 547340, 'assumption feel': 97063, 'post lockdown period': 666202, 'lockdown period it': 499790, 'period it gonna': 651804, 'it gonna be': 458292, 'gonna be very': 356486, 'be very interesting': 117977, 'very interesting to': 955278, 'interesting to observe': 441636, 'to observe how': 910792, 'observe how we': 578582, 'we all customer': 970318, 'all customer consumer': 42500, 'customer consumer will': 222271, 'consumer will behave': 199543, 'will behave and': 992815, 'behave and hence': 123769, 'and hence the': 64505, 'hence the impact': 391756, 'the impact it': 857940, 'impact it will': 417722, 'have on few': 381768, 'on few particular': 600780, 'few particular sector': 303982, 'particular sector and': 642635, 'sector and economy': 744080, 'and economy at': 61923, 'economy at large': 267680, 'at large following': 99407, 'large following are': 479665, 'following are my': 312691, 'are my assumption': 88174, 'my assumption feel': 547341, 'assumption feel free': 97064, 'free to share': 332248, 'share your thought': 755381, 'gleaner': 351674, '3175932400': 17637, '52014': 20259, 'help pack': 390264, 'help hoosier': 389868, 'need tomorrow': 556129, 'tomorrow virtual': 924231, 'take is': 832232, 'make 20': 509630, '20 meal': 13152, 'meal gleaner': 524169, 'gleaner text': 351675, 'text give': 839899, 'to 3175932400': 899684, '3175932400 midwest': 17638, 'midwest text': 530831, 'to 52014': 899762, '52014 ll': 20260, 'be live': 115776, 'help pack the': 390267, 'the pantry to': 863257, 'pantry to help': 639701, 'to help hoosier': 907539, 'help hoosier in': 389869, 'in need tomorrow': 425776, 'need tomorrow virtual': 556130, 'tomorrow virtual food': 924232, 'drive with and': 259262, 'with and all': 997239, 'and all it': 57868, 'all it take': 43279, 'it take is': 461425, 'take is that': 832234, 'is that make': 452664, 'that make 20': 844988, 'make 20 meal': 509632, '20 meal gleaner': 13154, 'meal gleaner text': 524170, 'gleaner text give': 351676, 'text give to': 839900, 'give to 3175932400': 350786, 'to 3175932400 midwest': 899685, '3175932400 midwest text': 17639, 'midwest text to': 530832, 'text to 52014': 839954, 'to 52014 ll': 899763, '52014 ll be': 20261, 'll be live': 496598, 'say housing': 738771, 'city result': 179343, 'of outbreak': 587601, 'outbreak city': 628107, 'analyst say housing': 57175, 'say housing price': 738772, 'housing price will': 407139, 'will drop in': 993265, 'drop in city': 260230, 'in city result': 421483, 'city result of': 179344, 'result of outbreak': 717606, 'of outbreak city': 587602, 'oes': 579289, 'awareness oes': 105710, '19 awareness oes': 5283, 'uk friend': 938390, 'mine ha': 532892, 'supermarket apps': 819135, 'apps have': 83287, 'nothing available': 572936, 'any advice': 78902, 'advice would': 33558, 'great in': 362747, 'know of way': 476649, 'food delivered in': 314096, 'the uk friend': 870220, 'uk friend of': 938391, 'of mine ha': 586554, 'mine ha 19': 532893, 'ha 19 symptom': 369405, '19 symptom and': 11013, 'symptom and should': 830813, 'out but all': 625785, 'but all the': 145090, 'the supermarket apps': 868466, 'supermarket apps have': 819136, 'apps have nothing': 83289, 'have nothing available': 381705, 'nothing available for': 572937, 'for week it': 327723, 'week it is': 976435, 'it is based': 458881, 'based on any': 111668, 'on any advice': 599396, 'any advice would': 78906, 'advice would be': 33559, 'be great in': 115090, 'great in the': 362748, 'see example': 745095, 'including grocer': 431994, 'grocer restaurant': 364157, 'supply safe': 825793, 'and building': 59243, 'building consumer': 142066, 'confidence foodsupply': 193867, 'foodsupply foodsafety': 318203, 'see example of': 745096, 'how the food': 408824, 'food industry including': 315015, 'industry including grocer': 435909, 'including grocer restaurant': 431995, 'grocer restaurant and': 364158, 'restaurant and manufacturer': 716290, 'and manufacturer are': 66651, 'manufacturer are keeping': 513426, 'keeping our food': 472503, 'food supply safe': 316988, 'supply safe and': 825794, 'safe and building': 729437, 'and building consumer': 59245, 'building consumer confidence': 142067, 'consumer confidence foodsupply': 196897, 'confidence foodsupply foodsafety': 193868, 'hudsonvalley': 409925, 'taxtherich': 835216, 'wealthy fleeing': 974205, 'up rental': 945911, 'hampton hudsonvalley': 374633, 'hudsonvalley home': 409926, 'would typically': 1012352, 'typically rent': 937665, '00 month': 334, 'winter and': 996117, 'spring are': 791163, '00 the': 521, 'month taxtherich': 538032, 'panicked wealthy fleeing': 639305, 'wealthy fleeing the': 974206, 'fleeing the drive': 310314, 'the drive up': 853689, 'drive up rental': 259250, 'up rental price': 945912, 'rental price in': 711266, 'the hampton hudsonvalley': 857052, 'hampton hudsonvalley home': 374634, 'hudsonvalley home that': 409927, 'home that would': 402221, 'that would typically': 847691, 'would typically rent': 1012353, 'typically rent for': 937666, 'rent for 00': 711088, 'for 00 month': 318601, '00 month during': 336, 'during the winter': 263219, 'the winter and': 871615, 'winter and spring': 996118, 'and spring are': 72165, 'spring are now': 791164, 'are now going': 88553, 'now going for': 574799, 'going for up': 355152, 'up to 18': 946325, '18 00 the': 4484, '00 the month': 522, 'the month taxtherich': 860853, 'them feel': 875683, 'other and make': 619827, 'make them feel': 510606, 'them feel safe': 875686, 'the caught': 850537, 'caught her': 167420, 'her what': 392519, 'evil woman': 288472, 'woman coronaaustralia': 1003449, 'coronaaustralia chinavirus': 204438, 'chinavirus chinaliedandpeopledied': 177149, 'chinaliedandpeopledied auspol': 177097, 'the caught her': 850538, 'caught her what': 167421, 'her what an': 392520, 'what an evil': 981036, 'an evil woman': 55891, 'evil woman coronaaustralia': 288473, 'woman coronaaustralia chinavirus': 1003450, 'coronaaustralia chinavirus chinaliedandpeopledied': 204439, 'chinavirus chinaliedandpeopledied auspol': 177150, 'icmktg': 412791, 'utoledomarketing': 951393, 'uakronmarketing': 937780, 'wvu389': 1013631, 'nky205': 563506, 'uabmktg': 937728, 'lwu482strat': 507047, 'of icmktg': 584959, 'icmktg for': 412792, 'spring 20': 791155, 'arrived this': 93973, 'are discussing': 85844, 'discussing enduring': 244989, 'enduring shift': 276331, 'behavior amid': 123868, '19 utoledomarketing': 11711, 'utoledomarketing uakronmarketing': 951394, 'uakronmarketing wvu389': 937781, 'wvu389 nky205': 1013632, 'nky205 uabmktg': 563507, 'uabmktg lwu482strat': 937729, 'last week of': 480663, 'week of icmktg': 976619, 'of icmktg for': 584960, 'icmktg for spring': 412793, 'for spring 20': 325845, 'spring 20 ha': 791156, '20 ha arrived': 13086, 'ha arrived this': 369620, 'arrived this week': 93974, 'week we are': 977186, 'we are discussing': 970528, 'are discussing enduring': 85845, 'discussing enduring shift': 244990, 'enduring shift in': 276332, 'shift in our': 758327, 'in our consumer': 426273, 'our consumer behavior': 622524, 'consumer behavior amid': 196436, 'behavior amid covid': 123869, 'covid 19 utoledomarketing': 214013, '19 utoledomarketing uakronmarketing': 11712, 'utoledomarketing uakronmarketing wvu389': 951395, 'uakronmarketing wvu389 nky205': 937782, 'wvu389 nky205 uabmktg': 1013633, 'nky205 uabmktg lwu482strat': 563508, 'irony the': 444969, 'only chip': 610242, 'chip left': 177519, 'are party': 88994, 'party size': 643041, 'irony the only': 444970, 'the only chip': 862292, 'only chip left': 610243, 'chip left in': 177520, 'store are party': 806509, 'are party size': 88995, 'eliminate peak': 271453, 'peak usage': 646111, 'usage fee': 948825, 'fee we': 302249, 'crisis doug': 217310, 'ford limit': 328781, 'limit hydro': 492367, 'hydro price': 411954, 'to off': 910816, 'isolation sign': 455431, 'petition via': 653643, 'petition to eliminate': 653638, 'to eliminate peak': 904991, 'eliminate peak usage': 271454, 'peak usage fee': 646112, 'usage fee we': 948827, 'fee we are': 302250, 'are all at': 84287, 'all at home': 42079, 'this crisis doug': 887035, 'crisis doug ford': 217311, 'doug ford limit': 256254, 'ford limit hydro': 328782, 'limit hydro price': 492368, 'hydro price to': 411955, 'price to off': 677020, 'to off peak': 910817, 'peak hour during': 646069, 'hour during covid': 405554, '19 isolation sign': 8110, 'isolation sign the': 455432, 'the petition via': 863619, 'illustrate': 416436, 'nager': 551395, 'builtwithmapbox': 142205, 'nycstrong': 578094, 'created an': 215777, 'an interactive': 56394, 'brand based': 137765, 'nyc to': 578062, 'to illustrate': 908130, 'illustrate the': 416437, 'true creative': 933059, 'creative energy': 216132, 'energy of': 276515, 'city the': 179401, 'before coronavirus': 122715, 'soon chris': 785677, 'chris nager': 178060, 'nager builtwithmapbox': 551396, 'builtwithmapbox nycstrong': 142206, 'we created an': 971233, 'created an interactive': 215781, 'an interactive map': 56395, 'consumer brand based': 196651, 'brand based in': 137766, 'based in nyc': 111621, 'in nyc to': 426029, 'nyc to illustrate': 578063, 'to illustrate the': 908131, 'illustrate the true': 416438, 'the true creative': 870047, 'true creative energy': 933060, 'creative energy of': 216133, 'energy of the': 276516, 'the city the': 850961, 'city the way': 179404, 'way it wa': 969677, 'it wa before': 462074, 'wa before coronavirus': 961666, 'before coronavirus and': 122717, 'coronavirus and the': 205500, 'and the way': 73646, 'way it will': 969678, 'it will return': 462433, 'will return soon': 994689, 'return soon chris': 719899, 'soon chris nager': 785678, 'chris nager builtwithmapbox': 178061, 'nager builtwithmapbox nycstrong': 551397, 'being wiped': 126060, 'tree quarantine': 931198, 'know who is': 477037, 'who is really': 989105, 'is really in': 451307, 'really in danger': 702336, 'danger of being': 225674, 'of being wiped': 580664, 'being wiped out': 126061, 'by the tree': 154461, 'the tree quarantine': 869948, 'tree quarantine toiletpaper': 931199, 'online insensitive': 608413, 'insensitive during': 439190, 'during hate': 262674, 'anyone having': 80356, 'but hate': 145863, 'being fired': 125150, 'fired even': 308169, 'is shopping online': 451875, 'shopping online insensitive': 763447, 'online insensitive during': 608414, 'insensitive during hate': 439191, 'during hate the': 262675, 'hate the idea': 378918, 'idea of anyone': 413124, 'of anyone having': 580281, 'anyone having to': 80358, 'having to venture': 384371, 'venture out but': 954679, 'out but hate': 625787, 'but hate being': 145864, 'hate being fired': 378867, 'being fired even': 125151, 'fired even more': 308170, 'the removal': 865504, 'removal from': 710797, 'at 7news': 97754, 'commerce ha called': 188566, 'ha called the': 370046, 'called the removal': 156459, 'the removal from': 865505, 'removal from supermarket': 710798, 'from supermarket shelf': 337500, '7news at 7news': 22496, 'from east': 335248, 'east bay': 265294, 'bay community': 112928, 'community law': 189954, 'law center': 482238, 'center legal': 169247, 'legal advice': 485838, 'advice resource': 33480, 'pandemic renter': 636330, 'renter and': 711293, 'eviction school': 288342, 'school loan': 741842, 'loan consumer': 497416, 'debt scam': 230557, 'scam small': 740359, 'from east bay': 335249, 'east bay community': 265295, 'bay community law': 112929, 'community law center': 189955, 'law center legal': 482240, 'center legal advice': 169248, 'legal advice resource': 485839, 'advice resource and': 33481, 'resource and tool': 714707, 'and tool to': 74283, 'tool to help': 925449, 'you navigate through': 1019955, '19 pandemic renter': 9445, 'pandemic renter and': 636331, 'renter and eviction': 711294, 'and eviction school': 62439, 'eviction school loan': 288343, 'school loan consumer': 741843, 'loan consumer debt': 497417, 'consumer debt scam': 197087, 'debt scam small': 230558, 'scam small business': 740360, 'small business here': 774861, 'business here is': 143843, 'is the link': 452848, 'killeya': 474650, 'more conversation': 538887, 'conversation can': 202465, 'have how': 380988, 'these experience': 879984, 'experience only': 291450, 'not listening': 570430, 'listening charlotte': 494792, 'charlotte killeya': 173772, 'many more conversation': 514297, 'more conversation can': 538888, 'conversation can we': 202466, 'we have how': 971839, 'have how many': 380989, 'many more time': 514320, 'more time can': 540767, 'time can we': 896449, 'can we share': 160196, 'we share these': 973229, 'share these experience': 755275, 'these experience only': 879985, 'experience only to': 291451, 'only to feel': 611359, 'to feel like': 905750, 'feel like those': 302754, 'like those in': 491557, 'in power are': 426883, 'power are not': 667565, 'are not listening': 88410, 'not listening charlotte': 570432, 'listening charlotte killeya': 494793, 'receives': 703722, 'healthcanada': 387007, 'potstocks': 667261, 'growth receives': 367450, 'receives healthcanada': 703731, 'healthcanada approval': 387008, 'for 2nd': 318794, '2nd hand': 16777, 'against bos': 37343, 'bos potstocks': 135690, 'yield growth receives': 1016372, 'growth receives healthcanada': 367451, 'receives healthcanada approval': 703732, 'healthcanada approval for': 387009, 'approval for 2nd': 83091, 'for 2nd hand': 318795, '2nd hand sanitizer': 16778, 'sanitizer in fight': 735135, 'fight against bos': 304606, 'against bos potstocks': 37344, 'the attention': 849029, 'attention of': 102463, 'service manager': 752576, 'manager impossible': 512729, 'through on': 894595, 'on helpline': 601275, 'helpline what': 391603, 'doing about': 252256, 'for the attention': 326308, 'the attention of': 849030, 'attention of the': 102465, 'the customer service': 852731, 'customer service manager': 222827, 'service manager impossible': 752577, 'manager impossible to': 512730, 'get through on': 348437, 'through on helpline': 894596, 'on helpline what': 601276, 'helpline what is': 391604, 'is your company': 454140, 'your company doing': 1023283, 'company doing about': 190602, 'doing about this': 252262, 'what with': 982614, 'with panicbuying': 1000086, 'panicbuying is': 638978, 'it cyclical': 457459, 'cyclical 1st': 224080, '1st toiletpaper': 12822, 'toiletpaper then': 922598, 'then pasta': 877408, 'pasta now': 643766, 'now egg': 574589, 'egg shop': 269984, 'shop round': 760725, 'round my': 726336, 'way hv': 969645, 'hv toiletroll': 411860, 'toiletroll pasta': 923378, 'pasta not': 643764, 'but zero': 148016, 'zero egg': 1027440, 'egg why': 270035, 'why finally': 990994, 'found egg': 330196, 'egg but': 269804, 'but ain': 145075, 'ain saying': 39650, 'saying where': 739758, 'where for': 984875, 'of causing': 581218, 'causing stampede': 168099, 'what with panicbuying': 982616, 'with panicbuying is': 1000088, 'panicbuying is it': 638979, 'is it cyclical': 449018, 'it cyclical 1st': 457460, 'cyclical 1st toiletpaper': 224081, '1st toiletpaper then': 12823, 'toiletpaper then pasta': 922599, 'then pasta now': 877410, 'pasta now egg': 643767, 'now egg shop': 574592, 'egg shop round': 269985, 'shop round my': 760726, 'round my way': 726337, 'my way hv': 550535, 'way hv toiletroll': 969646, 'hv toiletroll pasta': 411861, 'toiletroll pasta not': 923379, 'pasta not much': 643765, 'much but zero': 544777, 'but zero egg': 148017, 'zero egg why': 1027441, 'egg why finally': 270036, 'why finally found': 990995, 'finally found egg': 305998, 'found egg but': 330197, 'egg but ain': 269805, 'but ain saying': 145076, 'ain saying where': 39651, 'saying where for': 739759, 'where for risk': 984876, 'for risk of': 325241, 'risk of causing': 723733, 'of causing stampede': 581219, 'reimbursed': 708225, 'deductible': 231782, 'usaa': 948800, 'general payment': 345431, 'payment arrangement': 645551, 'arrangement special': 93724, 'special program': 788037, 'card waived': 163692, 'waived or': 964537, 'or reimbursed': 616832, 'reimbursed deductible': 708226, 'deductible co': 231785, 'co payment': 184944, 'for usaa': 327491, 'usaa medicare': 948801, 'medicare supplement': 526594, 'supplement plan': 824422, 'to review': 913496, 'review more': 720572, 'regarding way': 707311, 'please vi': 660718, 'in general payment': 423254, 'general payment arrangement': 345432, 'payment arrangement special': 645553, 'arrangement special program': 93725, 'special program for': 788039, 'program for consumer': 683246, 'consumer loan credit': 198059, 'loan credit card': 497420, 'credit card waived': 216356, 'card waived or': 163693, 'waived or reimbursed': 964538, 'or reimbursed deductible': 616833, 'reimbursed deductible co': 708227, 'deductible co payment': 231786, 'co payment for': 184945, 'payment for usaa': 645625, 'for usaa medicare': 327492, 'usaa medicare supplement': 948802, 'medicare supplement plan': 526595, 'supplement plan to': 824423, 'plan to review': 658316, 'to review more': 913497, 'review more info': 720573, 'more info regarding': 539564, 'info regarding way': 437571, 'regarding way we': 707312, 'way we may': 970175, 'may be able': 520941, 'to help please': 907588, 'help please vi': 390329, 'curing': 220957, 'someone get': 784476, 'ft at': 339325, 'store hope': 808177, 'being safe': 125709, 'still having': 800677, 'fun at': 341134, 'to curing': 903820, 'curing your': 220962, 'your cabin': 1023099, 'fever soon': 303686, 'when someone get': 984057, 'someone get closer': 784477, 'closer than ft': 183510, 'than ft at': 840684, 'ft at the': 339326, 'grocery store hope': 365470, 'store hope you': 808179, 'all are being': 42040, 'are being safe': 84916, 'being safe and': 125710, 'safe and still': 729487, 'and still having': 72379, 'still having fun': 800678, 'having fun at': 384082, 'fun at home': 341135, 'home we look': 402455, 'forward to curing': 330023, 'to curing your': 903821, 'curing your cabin': 220963, 'your cabin fever': 1023100, 'cabin fever soon': 154970, 'still optimistic': 800999, 'economy but': 267721, 'but survey': 147241, 'survey conducted': 828839, 'conducted march': 193671, '16 17': 4059, '17 find': 4350, 'find they': 307326, 're already': 698253, 'already reporting': 47618, 'reporting change': 712679, 'behavior consumerbehavior': 123983, 'american consumer are': 51884, 'consumer are still': 196314, 'are still optimistic': 90459, 'still optimistic about': 801000, 'about the economy': 26383, 'the economy but': 853944, 'economy but survey': 267724, 'but survey conducted': 147242, 'survey conducted march': 828841, 'conducted march 16': 193672, 'march 16 17': 515082, '16 17 find': 4060, '17 find they': 4351, 'find they re': 307327, 'they re already': 882993, 're already reporting': 698256, 'already reporting change': 47619, 'reporting change in': 712680, 'change in their': 172139, 'in their income': 429750, 'their income spending': 873646, 'and behavior consumerbehavior': 58839, 'stayathomechllenge': 797764, 'adolescent': 32664, 'stayathomechllenge ll': 797767, 'be home': 115281, 'haul crazy': 378990, 'crazy kid': 215344, 'all both': 42204, 'the adolescent': 848362, 'adolescent run': 32665, 'run from': 727646, 'another teenager': 77893, 'teenager sick': 836554, 'sick dog': 768419, 'dog not': 252135, 'little girl': 495369, 'girl missing': 350265, 'missing and': 534278, 'her pre': 392310, 'pre class': 669148, 'class she': 180251, 'understand this': 940786, 'this surely': 890446, 'stayathomechllenge ll be': 797768, 'll be home': 496593, 'be home for': 115282, 'long haul crazy': 501431, 'haul crazy kid': 378991, 'crazy kid and': 215345, 'kid and all': 473850, 'and all both': 57856, 'all both the': 42205, 'both the child': 136060, 'the child and': 850813, 'child and the': 176003, 'and the adolescent': 73236, 'the adolescent run': 848363, 'adolescent run from': 32666, 'run from one': 727647, 'from one place': 336687, 'one place to': 606880, 'place to another': 657745, 'to another teenager': 900576, 'another teenager sick': 77894, 'teenager sick dog': 836555, 'sick dog not': 768420, 'dog not from': 252137, 'not from covid': 569538, '19 and little': 5057, 'and little girl': 66241, 'little girl missing': 495370, 'girl missing and': 350266, 'missing and cry': 534279, 'and cry for': 60784, 'cry for her': 219866, 'for her pre': 322228, 'her pre class': 392311, 'pre class she': 669149, 'class she doe': 180252, 'doe not understand': 251536, 'not understand this': 572326, 'understand this surely': 940791, 'symptom consumer': 830834, 'report newyorklockdown': 712095, 'newyorklockdown nylockdown': 561226, 'you have coronavirus': 1019030, 'have coronavirus symptom': 380119, 'coronavirus symptom consumer': 206865, 'symptom consumer report': 830835, 'consumer report newyorklockdown': 198715, 'report newyorklockdown nylockdown': 712096, 'giving this': 351432, 'shopping try': 764273, 'try online': 934526, 'giving this online': 351433, 'this online grocery': 889264, 'grocery shopping try': 365099, 'shopping try online': 764274, 'try online grocery': 934527, 'online grocery safeway': 608327, 'whippet': 987737, 'souring': 786631, 'canister': 161368, 'got whippet': 359018, 'whippet price': 987738, 'price souring': 676569, 'souring everyone': 786632, 'everyone rushing': 287325, 'their canister': 872712, 'canister so': 161371, 'while can': 986669, '19 got whippet': 7256, 'got whippet price': 359019, 'whippet price souring': 987739, 'price souring everyone': 676570, 'souring everyone rushing': 786633, 'everyone rushing to': 287326, 'rushing to get': 728396, 'get their canister': 348323, 'their canister so': 872713, 'canister so stock': 161372, 'so stock up': 778269, 'up while can': 946594, 'onlineclass': 609791, 'news reduced': 560733, 'to onlineclass': 910958, 'onlineclass hire': 609792, 'great news reduced': 362844, 'news reduced price': 560734, 'due to onlineclass': 261884, 'to onlineclass hire': 910959, 'onlineclass hire me': 609793, 'shuffle': 767758, 'amid chaos': 52400, 'chaos of': 173036, 'some smaller': 783894, 'smaller facebook': 775267, 'facebook marketing': 294964, 'marketing update': 517744, 'update have': 947014, 'in shuffle': 427922, 'shuffle but': 767759, 'but may': 146371, 'more significant': 540392, 'significant moving': 769478, 'forward this': 330016, 'interest consumer': 441339, 'isolation turn': 455480, 'amid chaos of': 52401, 'chaos of covid': 173038, '19 some smaller': 10697, 'some smaller facebook': 783895, 'smaller facebook marketing': 775268, 'facebook marketing update': 294965, 'marketing update have': 517745, 'update have been': 947015, 'been lost in': 121486, 'lost in shuffle': 503865, 'in shuffle but': 427923, 'shuffle but may': 767760, 'but may become': 146372, 'may become more': 521053, 'become more significant': 120064, 'more significant moving': 540393, 'significant moving forward': 769479, 'moving forward this': 544149, 'forward this one': 330017, 'this one could': 889233, 'one could see': 606118, 'could see lot': 209637, 'lot of interest': 504213, 'of interest consumer': 585251, 'interest consumer in': 441340, 'consumer in isolation': 197823, 'in isolation turn': 424210, 'isolation turn to': 455481, 'turn to online': 935787, 'wilder': 992108, 'birthdaygirl': 131465, 'snapchat filter': 776129, 'filter book': 305754, 'and trip': 74460, 'supermarket birthday': 819376, 'birthday celebration': 131422, 'celebration couldn': 168850, 'any wilder': 80050, 'wilder stop': 992111, 'madness confinement': 508170, 'confinement birthdaygirl': 194057, 'snapchat filter book': 776130, 'filter book and': 305755, 'book and trip': 134471, 'and trip to': 74461, 'the supermarket birthday': 868486, 'supermarket birthday celebration': 819377, 'birthday celebration couldn': 131423, 'celebration couldn get': 168851, 'couldn get any': 209884, 'get any wilder': 346582, 'any wilder stop': 80051, 'wilder stop the': 992112, 'stop the madness': 805139, 'the madness confinement': 859866, 'madness confinement birthdaygirl': 508171, 'american state': 52208, 'provided grocery': 686606, 'free childcare': 331707, 'childcare service': 176308, 'job considering': 465751, 'considering it': 195386, 'service vermont': 753037, 'vermont minnesota': 954856, 'couple of american': 211633, 'of american state': 580076, 'american state have': 52209, 'state have provided': 795656, 'have provided grocery': 382097, 'provided grocery store': 686607, 'store worker with': 811626, 'worker with free': 1008260, 'with free childcare': 998533, 'free childcare service': 331708, 'childcare service for': 176309, 'service for their': 752394, 'their commitment to': 872812, 'commitment to the': 189009, 'to the job': 916822, 'the job considering': 858653, 'job considering it': 465752, 'considering it an': 195387, 'an emergency service': 55688, 'emergency service vermont': 272972, 'service vermont minnesota': 753038, 'sportsdirect': 790013, 'they hiked': 882436, 'price sportsdirect': 676580, 'sportsdirect boycottsportsdirect': 790014, 'they hiked up': 882438, 'hiked up their': 396356, 'their price sportsdirect': 874423, 'price sportsdirect boycottsportsdirect': 676581, 'bald': 109034, 'hairbrush': 374016, 'dawie': 227036, 'eldersburg': 270969, 'in petrol': 426668, 'like bald': 489859, 'bald man': 109035, 'man winning': 512351, 'winning hairbrush': 996069, 'hairbrush dawie': 374017, 'dawie daily': 227037, 'daily dose': 224577, 'of mindful': 586549, 'mindful laughter': 532812, 'laughter on': 481844, 'facebook march': 294961, 'march 31': 515240, '31 gas': 17571, 'price eldersburg': 673666, 'eldersburg car': 270970, 'car care': 163045, 'care on': 164128, '31 quote': 17605, 'quote quarantine': 694999, 'drop in petrol': 260266, 'in petrol price': 426669, 'petrol price during': 653767, 'lockdown is like': 499548, 'is like bald': 449309, 'like bald man': 489860, 'bald man winning': 109036, 'man winning hairbrush': 512352, 'winning hairbrush dawie': 996070, 'hairbrush dawie daily': 374018, 'dawie daily dose': 227038, 'daily dose of': 224578, 'dose of mindful': 255930, 'of mindful laughter': 586550, 'mindful laughter on': 532813, 'laughter on facebook': 481845, 'on facebook march': 600711, 'facebook march 31': 294963, 'march 31 gas': 515242, '31 gas price': 17572, 'gas price eldersburg': 343958, 'price eldersburg car': 673667, 'eldersburg car care': 270971, 'car care on': 163047, 'care on facebook': 164129, 'march 31 quote': 515245, '31 quote quarantine': 17606, 'quote quarantine stayathome': 695000, 'disruption insurance': 246494, '19 disruption insurance': 6576, 'demonstration': 236871, 'hello am': 389124, 'nh doctor': 561936, 'doctor gp': 250933, 'gp could': 361404, 'the bbc': 849363, 'news program': 560713, 'program contain': 683229, 'contain demonstration': 200474, 'demonstration of': 236875, 'using real': 950618, 'important situation': 418963, 'out exercising': 626044, 'exercising advice': 290122, 'on di': 600305, 'hello am an': 389125, 'am an nh': 49887, 'an nh doctor': 56521, 'nh doctor gp': 561938, 'doctor gp could': 250935, 'gp could the': 361405, 'could the bbc': 209757, 'the bbc news': 849365, 'bbc news program': 113097, 'news program contain': 560714, 'program contain demonstration': 683230, 'contain demonstration of': 200475, 'demonstration of social': 236877, 'distancing using real': 247586, 'using real people': 950619, 'real people in': 701299, 'people in important': 648383, 'in important situation': 423988, 'important situation in': 418964, 'situation in the': 772325, 'supermarket or when': 821839, 'or when out': 617782, 'when out exercising': 983831, 'out exercising advice': 626045, 'exercising advice on': 290123, 'on how long': 601408, '19 stay on': 10801, 'stay on di': 797143, 'holesinsky': 400253, 'buhl': 141939, 'zionsbanker': 1027625, 'idahome': 412982, 'straight outta': 812226, 'outta idaho': 629710, 'idaho hand': 412969, 'at holesinsky': 98924, 'holesinsky winery': 400254, 'winery outside': 995960, 'outside buhl': 629383, 'buhl idaho': 141940, 'idaho zionsbanker': 412974, 'zionsbanker handsanitizer': 1027626, 'handsanitizer idahome': 376555, 'idahome idaho': 412983, 'idaho localbusiness': 412973, 'straight outta idaho': 812227, 'outta idaho hand': 629711, 'idaho hand sanitizer': 412970, 'sanitizer is flying': 735189, 'shelf at holesinsky': 756847, 'at holesinsky winery': 98925, 'holesinsky winery outside': 400255, 'winery outside buhl': 995961, 'outside buhl idaho': 629384, 'buhl idaho zionsbanker': 141941, 'idaho zionsbanker handsanitizer': 412975, 'zionsbanker handsanitizer idahome': 1027627, 'handsanitizer idahome idaho': 376556, 'idahome idaho localbusiness': 412984, 'appliance': 82405, 'relaxes': 708877, 'sensex': 750620, 'rbigovernor': 698101, 'update coronavirus': 946916, 'coronavirus effect': 205865, 'effect smartphone': 269110, 'smartphone consumer': 775522, 'consumer appliance': 196267, 'appliance company': 82412, 'company extend': 190641, 'extend product': 293119, 'product warranty': 681809, 'warranty coal': 967331, 'coal india': 185057, 'india relaxes': 434590, 'relaxes payment': 708880, 'payment term': 645752, 'term reschedule': 838268, 'reschedule auction': 713571, 'auction sensex': 102863, 'sensex end': 750623, 'end 400': 275757, '400 pt': 18776, 'pt up': 687613, 'up nifty': 945458, 'nifty above': 562681, 'above 600': 27034, '600 after': 21061, 'after fm': 35683, 'fm unveils': 311709, 'unveils relief': 944032, 'package coal': 633235, 'coal sensex': 185071, 'sensex rbigovernor': 750625, 'latest update coronavirus': 481587, 'update coronavirus effect': 946917, 'coronavirus effect smartphone': 205867, 'effect smartphone consumer': 269111, 'smartphone consumer appliance': 775523, 'consumer appliance company': 196269, 'appliance company extend': 82413, 'company extend product': 190642, 'extend product warranty': 293120, 'product warranty coal': 681810, 'warranty coal india': 967332, 'coal india relaxes': 185058, 'india relaxes payment': 434591, 'relaxes payment term': 708881, 'payment term reschedule': 645753, 'term reschedule auction': 838269, 'reschedule auction sensex': 713572, 'auction sensex end': 102864, 'sensex end 400': 750624, 'end 400 pt': 275758, '400 pt up': 18777, 'pt up nifty': 687614, 'up nifty above': 945459, 'nifty above 600': 562682, 'above 600 after': 27035, '600 after fm': 21062, 'after fm unveils': 35684, 'fm unveils relief': 311710, 'unveils relief package': 944033, 'relief package coal': 709419, 'package coal sensex': 633236, 'coal sensex rbigovernor': 185072, 'mask banned': 518461, 'from india': 336043, 'india now': 434544, 'now unfortunately': 576263, 'unfortunately price': 941637, 'of same': 589256, 'same are': 732969, 'local market': 498172, 'market apart': 516007, 'this 3rd': 886165, '3rd grade': 18427, 'grade fake': 361645, 'market currently': 516270, 'currently mask': 221589, 'mask handsanitizers': 518783, 'handsanitizers india': 376697, 'india export': 434398, 'export of mask': 292677, 'of mask banned': 586261, 'mask banned from': 518462, 'banned from india': 110572, 'from india now': 336044, 'india now unfortunately': 434545, 'now unfortunately price': 576264, 'unfortunately price of': 941638, 'price of same': 675559, 'of same are': 589257, 'same are still': 732970, 'high in local': 395127, 'in local market': 424821, 'local market apart': 498174, 'market apart from': 516008, 'apart from this': 81278, 'from this 3rd': 337985, 'this 3rd grade': 886166, '3rd grade fake': 18428, 'grade fake hand': 361646, 'are sold in': 90248, 'sold in local': 781687, 'local market currently': 498178, 'market currently mask': 516271, 'currently mask handsanitizers': 221590, 'mask handsanitizers india': 518784, 'handsanitizers india export': 376698, 'pandemic goodwill': 635505, 'goodwill of': 358105, 'central southern': 169423, 'southern indiana': 786862, 'indiana retail': 434924, 'sale floor': 732222, 'floor will': 310860, 'to shopper': 914510, 'shopper effective': 761494, 'effective friday': 269253, 'friday march': 333256, 'notice we': 573393, 'accept donation': 27957, 'during limited': 262751, '19 pandemic goodwill': 9338, 'pandemic goodwill of': 635506, 'goodwill of central': 358106, 'of central southern': 581240, 'central southern indiana': 169424, 'southern indiana retail': 786863, 'indiana retail store': 434925, 'retail store sale': 718699, 'store sale floor': 809967, 'sale floor will': 732223, 'floor will be': 310861, 'closed to shopper': 183399, 'to shopper effective': 914512, 'shopper effective friday': 761495, 'effective friday march': 269254, 'friday march 20': 333257, 'march 20 and': 515128, '20 and until': 12949, 'further notice we': 342120, 'notice we will': 573398, 'to accept donation': 899940, 'accept donation during': 27958, 'donation during limited': 254593, 'during limited hour': 262752, 'limited hour of': 492647, 'hour of 10': 405792, 'worker delivers': 1006737, 'delivers food': 233589, '99 year': 23923, 'man left': 512135, 'nothing by': 572966, 'by panicbuying': 153521, 'tesco worker delivers': 838856, 'worker delivers food': 1006738, 'delivers food to': 233590, 'food to 99': 317229, 'to 99 year': 899893, '99 year old': 23924, 'old man left': 598346, 'man left with': 512136, 'with nothing by': 999821, 'nothing by panicbuying': 572967, 'lockdowndown': 500241, 'samurthi': 733510, '94754': 23568, 'kid kindly': 474031, 'kindly help': 475134, 'ha lockdowndown': 371172, 'lockdowndown all': 500242, 'no samurthi': 565401, 'samurthi kindly': 733511, 'whatsapp 94754': 982884, 'of kid kindly': 585628, 'kid kindly help': 474032, 'kindly help is': 475136, 'country ha lockdowndown': 210719, 'ha lockdowndown all': 371173, 'lockdowndown all stock': 500243, 'food over no': 315725, 'over no samurthi': 630437, 'no samurthi kindly': 565402, 'samurthi kindly make': 733512, 'my whatsapp 94754': 550569, 'really scared': 702545, 'people come': 647490, 'for stupid': 325957, 'stupid thing': 815478, 'not wear': 572469, 'mask worse': 519594, 'worse my': 1010968, 'not send': 571526, 'me covid': 522616, 'supply yet': 826140, 'yet force': 1016078, 'force my': 328458, 'my team': 550324, 'work while': 1006009, 'continuing their': 201548, 'their nonsense': 874064, 'really scared people': 702548, 'scared people come': 741007, 'people come into': 647495, 'my store for': 550220, 'store for stupid': 807840, 'for stupid thing': 325959, 'stupid thing they': 815480, 'thing they do': 884847, 'do not wear': 249891, 'not wear mask': 572472, 'wear mask worse': 974415, 'mask worse my': 519595, 'worse my company': 1010969, 'my company will': 547775, 'will not send': 994269, 'not send me': 571528, 'send me covid': 749881, 'me covid 19': 522617, '19 supply yet': 10971, 'supply yet force': 826141, 'yet force my': 1016079, 'force my team': 328459, 'my team have': 550326, 'team have to': 835669, 'to work while': 918804, 'work while continuing': 1006010, 'while continuing their': 986710, 'continuing their nonsense': 201549, 'now shop': 575800, 'shop lockdown': 760430, 'lockdown stayathome': 499950, 'every supermarket right': 286265, 'right now shop': 722132, 'now shop lockdown': 575802, 'shop lockdown stayathome': 760431, 'douglas': 256280, 'channeling': 172963, 'ohgod': 596505, 'anyone act': 80170, 'like cunt': 490083, 'cunt while': 220376, 'going full': 355177, 'scale michael': 739897, 'michael douglas': 530236, 'douglas on': 256281, 'them channeling': 875525, 'channeling my': 172964, 'my inner': 548856, 'inner william': 438808, 'william foster': 995426, 'foster shopping': 330105, 'shopping ohgod': 763381, 'if anyone act': 413838, 'anyone act like': 80171, 'act like cunt': 29680, 'like cunt while': 490084, 'cunt while in': 220377, 'while in the': 986953, 'supermarket today going': 823445, 'today going full': 919578, 'going full scale': 355179, 'full scale michael': 340867, 'scale michael douglas': 739898, 'michael douglas on': 530237, 'douglas on them': 256282, 'on them channeling': 604530, 'them channeling my': 875526, 'channeling my inner': 172965, 'my inner william': 548858, 'inner william foster': 438809, 'william foster shopping': 995427, 'foster shopping ohgod': 330106, 'prevail': 671534, 'strong united': 814148, 'united we': 942268, 'will prevail': 994442, 'strong united we': 814149, 'united we will': 942269, 'we will prevail': 973889, 'unknowing': 942512, 'should those': 766591, 'high density': 395035, 'density area': 237065, 'area wear': 92256, 'wear homemade': 974364, 'from shirt': 337256, 'shirt for': 758980, 'example at': 288874, 'be asymptomatic': 113721, 'asymptomatic would': 97341, 'would this': 1012335, 'our breathing': 622266, 'breathing radius': 139243, 'radius and': 695482, 'limit unknowing': 492547, 'unknowing transmission': 942513, 'transmission cnn': 929737, 'should those of': 766592, 'of in high': 585026, 'in high density': 423681, 'high density area': 395036, 'density area wear': 237066, 'area wear homemade': 92257, 'wear homemade mask': 974365, 'homemade mask from': 402838, 'mask from shirt': 518707, 'from shirt for': 337258, 'shirt for example': 758981, 'for example at': 321272, 'example at the': 288875, 'store any of': 806428, 'any of could': 79531, 'of could be': 582013, 'could be asymptomatic': 208844, 'be asymptomatic would': 113724, 'asymptomatic would this': 97342, 'would this help': 1012336, 'this help limit': 887893, 'help limit our': 389998, 'limit our breathing': 492436, 'our breathing radius': 622267, 'breathing radius and': 139244, 'radius and limit': 695483, 'and limit unknowing': 66182, 'limit unknowing transmission': 492548, 'unknowing transmission cnn': 942514, 'done supermarket': 255032, 'how it done': 408128, 'it done supermarket': 457670, 'done supermarket in': 255033, 'detective': 239359, 'brixton': 140669, 'need bit': 554548, 'to flex': 906011, 'flex your': 310355, 'your detective': 1023500, 'detective skill': 239360, 'skill while': 772988, 'it try': 461874, 'our brixton': 622275, 'brixton bottle': 140670, 'bottle mystery': 136263, 'mystery in': 551009, 'which find': 985856, 'find message': 307059, 'message in': 529340, 'in bottle': 420929, 'her garden': 392069, 'garden help': 343602, 'help find': 389726, 'it mystery': 459721, 'mystery author': 551001, 'need bit of': 554549, 'bit of relief': 131657, 'of relief and': 588914, 'relief and want': 709282, 'want to flex': 966036, 'to flex your': 906012, 'flex your detective': 310356, 'your detective skill': 1023501, 'detective skill while': 239361, 'skill while you': 772989, 'at it try': 99339, 'it try our': 461876, 'try our brixton': 934535, 'our brixton bottle': 622276, 'brixton bottle mystery': 140671, 'bottle mystery in': 136264, 'mystery in which': 551010, 'in which find': 430861, 'which find message': 985857, 'find message in': 307060, 'message in bottle': 529341, 'in bottle in': 420930, 'bottle in her': 136243, 'in her garden': 423656, 'her garden help': 392070, 'garden help find': 343603, 'help find it': 389727, 'find it mystery': 307001, 'it mystery author': 459722, '428': 18946, 'on slowing': 603505, 'slowing rate': 774568, 'infection price': 436819, 'slip opec': 774024, 'opec delay': 611874, 'delay key': 232722, 'key meeting': 473346, 'meeting close': 527679, 'close 428': 182492, '428 aussie': 18947, 'aussie store': 103136, 'store plus': 809602, 'plus future': 661611, 'future point': 342420, 'to huge': 908043, 'tonight via': 924512, 'surge on slowing': 828238, 'on slowing rate': 603506, 'slowing rate of': 774569, 'rate of infection': 697317, 'of infection price': 585168, 'infection price slip': 436820, 'price slip opec': 676474, 'slip opec delay': 774025, 'opec delay key': 611875, 'delay key meeting': 232723, 'key meeting close': 473347, 'meeting close 428': 527680, 'close 428 aussie': 182493, '428 aussie store': 18948, 'aussie store plus': 103137, 'store plus future': 809603, 'plus future point': 661612, 'future point to': 342421, 'point to huge': 662667, 'to huge jump': 908044, 'huge jump on': 410079, 'jump on tonight': 467886, 'on tonight via': 604799, 'you bastard': 1017384, 'bastard bastard': 112468, 'bastard the': 112508, 'for baby': 319558, 'you bastard bastard': 1017385, 'bastard bastard the': 112469, 'bastard the most': 112509, 'most basic need': 542132, 'need for baby': 554827, 'knell': 476019, 'death knell': 230106, 'knell of': 476020, 'consumer capitalism': 196730, 'capitalism if': 162762, 'system itself': 831234, 'on the death': 604057, 'the death knell': 852972, 'death knell of': 230107, 'knell of consumer': 476021, 'of consumer capitalism': 581718, 'consumer capitalism if': 196732, 'capitalism if not': 162763, 'not the capitalist': 571987, 'capitalist system itself': 162821, 'sending special': 750091, 'and frontliners': 63359, 'frontliners in': 338896, 'sending special thank': 750092, 'worker and frontliners': 1006298, 'and frontliners in': 63360, 'frontliners in our': 338897, 'moderna': 535404, 'well moderna': 978399, 'moderna is': 535405, 'first vaccine': 309153, 'vaccine trial': 951786, 'for covid19': 320436, 'covid19 sample': 214372, 'sample size': 733483, '45 to': 19143, 'date other': 226708, 'other corona': 620005, 'virus vaccination': 958972, 'vaccination have': 951628, 'in respiratory': 427413, 'respiratory issue': 715244, 'issue choosing': 455706, 'choosing the': 177940, 'right victim': 722389, 'victim or': 956506, 'well moderna is': 978400, 'moderna is the': 535406, 'the first vaccine': 855362, 'first vaccine trial': 309154, 'vaccine trial for': 951787, 'trial for covid19': 931643, 'for covid19 sample': 320439, 'covid19 sample size': 214373, 'sample size of': 733484, 'size of 45': 772784, 'of 45 to': 579593, '45 to date': 19145, 'to date other': 903938, 'date other corona': 226709, 'other corona virus': 620006, 'corona virus vaccination': 204370, 'virus vaccination have': 958973, 'vaccination have resulted': 951629, 'resulted in respiratory': 717685, 'in respiratory issue': 427414, 'respiratory issue choosing': 715245, 'issue choosing the': 455707, 'choosing the right': 177941, 'the right victim': 865835, 'right victim or': 722390, 'victim or risk': 956507, 'or risk group': 616915, 'risk group for': 723591, 'group for this': 366699, 'this test is': 890494, 'test is critical': 839040, 'coffee in': 185497, 'peace because': 645990, 'because our': 119453, 'team apply': 835583, 'apply hygiene': 82570, 'standard to': 793710, 'health switzerland': 386883, 'switzerland coffee': 830603, 'you can enjoy': 1017670, 'can enjoy your': 158226, 'your coffee in': 1023249, 'coffee in peace': 185499, 'in peace because': 426564, 'peace because our': 645991, 'because our team': 119455, 'our team apply': 625095, 'team apply hygiene': 835584, 'apply hygiene standard': 82571, 'hygiene standard to': 412170, 'standard to protect': 793712, 'staff and consumer': 792132, 'and consumer health': 60389, 'consumer health switzerland': 197732, 'health switzerland coffee': 386884, 'endoftimes': 276263, 'then cry': 877104, 'cry when': 219927, 'the wife': 871548, 'wife asks': 991900, 'asks me': 96150, 'now wife': 576418, 'wife cry': 991908, 'when volunteer': 984392, 'supermarket endoftimes': 820165, 'endoftimes wewillsurvive': 276264, 'then cry when': 877105, 'cry when the': 219928, 'when the wife': 984214, 'the wife asks': 871549, 'wife asks me': 991901, 'asks me to': 96151, 'supermarket now wife': 821677, 'now wife cry': 576419, 'wife cry when': 991909, 'cry when volunteer': 219930, 'when volunteer to': 984393, 'volunteer to go': 960351, 'the supermarket endoftimes': 868572, 'supermarket endoftimes wewillsurvive': 820166, 'drap': 258391, 'drap ha': 258392, 'approved production': 83188, 'material for': 520383, 'for chloroquine': 320070, 'chloroquine drug': 177597, 'drug believed': 260892, 'that over': 845613, '50 company': 19655, 'sanitisers for': 734085, 'month chloroquine': 537644, 'chloroquine sanitizer': 177627, 'drap ha also': 258393, 'ha also approved': 369519, 'also approved production': 47878, 'approved production of': 83189, 'production of raw': 682152, 'of raw material': 588757, 'raw material for': 697974, 'material for chloroquine': 520384, 'for chloroquine drug': 320071, 'chloroquine drug believed': 177598, 'drug believed to': 260893, 'effective in the': 269272, 'in the treatment': 429627, 'treatment of in': 931110, 'of in addition': 585018, 'addition to that': 31751, 'to that over': 916459, 'that over 50': 845615, 'over 50 company': 629855, '50 company have': 19656, 'company have been': 190731, 'asked to produce': 95872, 'produce hand sanitisers': 680289, 'hand sanitisers for': 375265, 'sanitisers for three': 734086, 'for three month': 327175, 'three month chloroquine': 893995, 'month chloroquine sanitizer': 537645, 'scam trying': 740439, 'outbreak continue': 628128, 'and evolve': 62440, 'evolve almost': 288499, 'like virus': 491738, 'scam trying to': 740440, '19 outbreak continue': 9105, 'outbreak continue to': 628129, 'spread and evolve': 790407, 'and evolve almost': 62441, 'evolve almost like': 288500, 'almost like virus': 46689, 'of unstable': 592666, 'unstable and': 943527, 'income job': 432392, 'job you': 466312, 'to resource': 913368, 'resource this': 714899, 'this also': 886283, 'also will': 49103, 'will harm': 993607, 'harm customer': 378391, 'these driver': 879940, 'delivering package': 233536, 'package while': 633456, 'being potentially': 125565, 'is the reality': 452916, 'reality of unstable': 701782, 'of unstable and': 592667, 'unstable and low': 943528, 'low income job': 505352, 'income job you': 432393, 'job you cannot': 466315, 'you cannot afford': 1017845, 'sick and you': 768376, 'access to resource': 28274, 'to resource this': 913369, 'resource this also': 714900, 'this also will': 886288, 'also will harm': 49104, 'will harm customer': 993608, 'harm customer because': 378392, 'customer because these': 222177, 'because these driver': 119681, 'these driver are': 879941, 'driver are delivering': 259433, 'are delivering package': 85766, 'delivering package while': 233539, 'package while being': 633457, 'while being potentially': 986647, 'being potentially exposed': 125566, 'mocking': 535132, 'are mocking': 88093, 'mocking it': 535137, 'it bumping': 456929, 'these bastard are': 879676, 'bastard are mocking': 112463, 'are mocking it': 88095, 'mocking it bumping': 535138, 'it bumping up': 456930, 'isolate and survive': 454819, 'live with': 496112, 'my he': 548627, 'risk wa': 724000, 'your pay': 1025239, 'live apart': 495727, 'or quit': 616771, 'quit and': 694789, 'and move': 67289, 'on expect': 600670, 'best nyc': 127790, 'store and live': 806283, 'and live with': 66255, 'live with my': 496120, 'with my he': 999632, 'my he is': 548628, 'he is high': 385128, 'is high risk': 448450, 'high risk wa': 395377, 'risk wa out': 724001, 'of your pay': 593509, 'your pay my': 1025240, 'pay my only': 645007, 'is to live': 453220, 'to live apart': 909337, 'live apart and': 495728, 'apart and work': 81228, 'and work through': 75864, 'work through this': 1005868, 'through this or': 894834, 'this or quit': 889287, 'or quit and': 616772, 'quit and move': 694790, 'and move on': 67290, 'move on expect': 543700, 'on expect the': 600671, 'expect the best': 290745, 'the best nyc': 849530, 'the tireless': 869656, 'tireless hospital': 899063, 'trucker grocery': 932922, '19 we want': 11958, 'thank the tireless': 841650, 'the tireless hospital': 869657, 'tireless hospital worker': 899064, 'hospital worker trucker': 404742, 'worker trucker grocery': 1008055, 'trucker grocery store': 932923, 'employee and so': 273584, 'many more for': 514301, 'more for all': 539260, 'runner': 727881, 'amazes': 50629, 'ponytail': 663989, 'dodge more': 251276, '40 jogger': 18589, 'jogger runner': 466498, 'runner this': 727882, 'morning on': 541387, 'and stupidity': 72626, 'stupidity amazes': 815514, 'amazes me': 50630, 'this ponytail': 889656, 'ponytail crossed': 663990, 'crossed the': 219062, 'run 1m': 727543, '1m past': 12661, 'past 100': 643488, 'people queueing': 649216, 'for sainsbury': 325305, 'had to dodge': 373686, 'to dodge more': 904615, 'dodge more than': 251277, 'than 40 jogger': 840239, '40 jogger runner': 18590, 'jogger runner this': 466499, 'runner this morning': 727883, 'this morning on': 888994, 'morning on my': 541389, 'on my trip': 602327, 'office and supermarket': 595361, 'and supermarket the': 72742, 'supermarket the selfishness': 823245, 'selfishness and stupidity': 748335, 'and stupidity amazes': 72627, 'stupidity amazes me': 815515, 'amazes me this': 50632, 'me this ponytail': 523722, 'this ponytail crossed': 889657, 'ponytail crossed the': 663991, 'crossed the road': 219064, 'road to run': 724526, 'to run 1m': 913653, 'run 1m past': 727544, '1m past 100': 12662, 'past 100 people': 643489, '100 people queueing': 2019, 'people queueing for': 649217, 'queueing for sainsbury': 694172, 'are exploiting panic': 86368, 'exploiting panic for': 292439, 'bramalea': 137646, 'how canadian': 407533, 'canadian in': 160703, 'ontario responded': 611625, 'the declaration': 852999, 'province over': 687188, 'over empty': 630181, 'road mall': 724477, 'shelf toilet': 757709, 'is metro': 449644, 'store inside': 808435, 'inside bramalea': 439235, 'bramalea city': 137647, 'city center': 179087, 'center mall': 169253, 'mall brampton': 511761, 'brampton workingfromhome': 137660, 'how canadian in': 407534, 'canadian in ontario': 160704, 'in ontario responded': 426185, 'ontario responded to': 611626, 'to the declaration': 916629, 'the declaration of': 853000, 'of emergency by': 583029, 'emergency by the': 272616, 'by the province': 154416, 'the province over': 864733, 'province over empty': 687189, 'over empty road': 630183, 'empty road mall': 275032, 'road mall and': 724478, 'mall and grocery': 511734, 'and grocery shelf': 64000, 'grocery shelf toilet': 364959, 'shelf toilet paper': 757710, 'of stock this': 590197, 'this is metro': 888319, 'is metro store': 449645, 'metro store inside': 529943, 'store inside bramalea': 808436, 'inside bramalea city': 439236, 'bramalea city center': 137648, 'city center mall': 179088, 'center mall brampton': 169254, 'mall brampton workingfromhome': 511762, 'current shift': 221354, 'consumer pattern': 198340, 'pattern isn': 644478, 'isn short': 454664, 'the chamber': 850656, 'commerce predicts': 188614, 'create permanent': 215719, 'ecommerce digitalmarketing': 266753, 'the current shift': 852664, 'current shift in': 221355, 'in consumer pattern': 421709, 'consumer pattern isn': 198341, 'pattern isn short': 644479, 'isn short term': 454665, 'term the chamber': 838318, 'the chamber of': 850657, 'of commerce predicts': 581555, 'commerce predicts that': 188615, 'predicts that the': 669698, 'that the effect': 846714, '19 will create': 12085, 'will create permanent': 993073, 'create permanent change': 215720, 'change in shopping': 172133, 'in shopping behavior': 427906, 'behavior ecommerce digitalmarketing': 124015, '19 within': 12147, 'within it': 1002371, 'supermarket chain is': 819613, 'chain is taking': 170848, 'step to reduce': 799662, 'covid 19 within': 214081, '19 within it': 12148, 'within it store': 1002372, 'country rose': 211020, 'rose from': 726066, 'year by': 1014453, 'cent due': 169047, 'the drought': 853721, 'drought and': 260761, 'in foreign': 423039, 'foreign market': 328986, 'rice price in': 721113, 'the country rose': 852146, 'country rose from': 211021, 'rose from the': 726067, 'this year by': 891564, 'year by 20': 1014454, 'by 20 to': 151581, '20 to 30': 13391, '30 per cent': 17186, 'per cent due': 650748, 'cent due to': 169048, 'to the drought': 916656, 'the drought and': 853722, 'drought and increasing': 260762, 'and increasing demand': 65124, 'increasing demand in': 433584, 'demand in foreign': 235669, 'in foreign market': 423041, 'foreign market amid': 328987, 'granville': 362119, 'the granville': 856699, 'granville island': 362120, 'island public': 454303, 'but asks': 145233, 'asks shopper': 96158, 'to reserve': 913340, 'senior remember': 750392, 'remember do': 710181, 'not already': 568165, 'have isle': 381130, 'the granville island': 856700, 'granville island public': 362121, 'island public market': 454304, 'public market will': 688159, 'market will remain': 517363, 'open during but': 612195, 'during but asks': 262482, 'but asks shopper': 145234, 'asks shopper to': 96159, 'shopper to reserve': 761772, 'to reserve the': 913341, 'reserve the first': 714105, 'first hour to': 308717, 'hour to 10': 406010, 'to 10 for': 899424, '10 for senior': 1436, 'for senior remember': 325474, 'senior remember do': 750393, 'remember do not': 710182, 'not panic just': 570917, 'panic just buy': 638247, 'just buy the': 468385, 'the essential you': 854529, 'essential you do': 281876, 'do not already': 249662, 'not already have': 568168, 'already have isle': 47422, 'glucose': 353079, 'if sanitizer': 414748, 'sanitizer having': 735058, 'having alcohol': 383961, 'alcohol can': 40949, 'virus then': 958891, 'give alcohol': 350362, 'alcohol through': 41143, 'through glucose': 894484, 'glucose to': 353084, 'to arrogant': 900732, 'arrogant virus': 94029, 'virus positive': 958643, 'positive patient': 665400, 'result instead': 717555, 'of waiting': 592882, 'for vaccine': 327511, 'vaccine which': 951796, 'if sanitizer having': 414750, 'sanitizer having alcohol': 735060, 'having alcohol can': 383962, 'alcohol can kill': 40952, 'can kill virus': 158826, 'kill virus then': 474548, 'virus then we': 958893, 'then we can': 877722, 'we can give': 970955, 'can give alcohol': 158476, 'give alcohol through': 350363, 'alcohol through glucose': 41144, 'through glucose to': 894485, 'glucose to arrogant': 353085, 'to arrogant virus': 900733, 'arrogant virus positive': 94030, 'virus positive patient': 958644, 'positive patient and': 665401, 'patient and see': 644138, 'see the result': 745881, 'the result instead': 865694, 'result instead of': 717556, 'instead of waiting': 440336, 'of waiting for': 592883, 'waiting for vaccine': 964345, 'for vaccine which': 327514, 'vaccine which will': 951797, 'which will come': 986483, 'will come after': 992962, 'come after year': 187193, 'isp': 455571, 'no particular': 565065, 'particular order': 642627, 'order nurse': 618430, 'doctor paramedic': 251068, 'paramedic ambulance': 641366, 'ambulance driver': 51329, 'driver policeman': 259701, 'policeman woman': 663289, 'woman public': 1003583, 'transport employee': 929879, 'employee teacher': 274267, 'teacher electricity': 835456, 'electricity worker': 271225, 'collector grocery': 186568, 'employee water': 274388, 'water work': 969267, 'work employee': 1005091, 'employee isp': 273992, 'isp employee': 455572, 'employee many': 274034, 'today let be': 919796, 'let be thankful': 486622, 'thankful to in': 841930, 'to in no': 908230, 'in no particular': 425914, 'no particular order': 565066, 'particular order nurse': 642629, 'order nurse doctor': 618431, 'nurse doctor paramedic': 577304, 'doctor paramedic ambulance': 251069, 'paramedic ambulance driver': 641367, 'ambulance driver policeman': 51330, 'driver policeman woman': 259702, 'policeman woman public': 663290, 'woman public transport': 1003584, 'public transport employee': 688405, 'transport employee teacher': 929880, 'employee teacher electricity': 274268, 'teacher electricity worker': 835457, 'electricity worker garbage': 271226, 'garbage collector grocery': 343522, 'collector grocery store': 186569, 'store employee water': 807569, 'employee water work': 274389, 'water work employee': 969268, 'work employee isp': 1005092, 'employee isp employee': 273993, 'isp employee many': 455573, 'employee many others': 274036, 'thehackersnews': 872393, 'thehackersnews way': 872394, 'malicious application': 511711, 'application email': 82449, 'thehackersnews way hacker': 872395, 'exploiting the scare': 292460, 'the scare for': 866444, 'scare for espionage': 740875, 'gain malicious application': 342790, 'malicious application email': 511712, 'application email phishing': 82450, 'discount scam read': 244532, 'our california': 622302, 'california showroom': 155573, 'showroom are': 767638, 'closed temporarily': 183359, 'temporarily in': 837500, 'with governor': 998664, 'governor newsom': 360946, 'newsom executive': 561066, 'information may': 437888, 'website thank': 975425, 'our california showroom': 622303, 'california showroom are': 155574, 'showroom are closed': 767639, 'are closed temporarily': 85369, 'closed temporarily in': 183360, 'temporarily in accordance': 837501, 'accordance with governor': 28508, 'with governor newsom': 998665, 'governor newsom executive': 360947, 'newsom executive order': 561067, 'executive order to': 289927, '19 visit to': 11851, 'visit to shop': 959416, 'to shop with': 914502, 'shop with online': 761061, 'with online more': 999897, 'online more information': 608560, 'more information may': 539588, 'information may be': 437889, 'may be available': 520951, 'be available on': 113759, 'our website thank': 625352, 'website thank you': 975426, 'you for shopping': 1018669, 'for shopping with': 325600, 'revision': 720657, 'zinc': 1027605, 'aluminium': 49419, 'fy21': 342612, 'outlook revision': 629180, 'revision factor': 720658, 'of sharply': 589568, 'of brent': 580869, 'brent zinc': 139357, 'zinc and': 1027606, 'and aluminium': 57991, 'aluminium in': 49426, 'in fy21': 423199, 'fy21 in': 342613, 'pandemic report': 636332, 'the outlook revision': 862744, 'outlook revision factor': 629181, 'revision factor in': 720659, 'factor in the': 295889, 'in the risk': 429518, 'risk of sharply': 723776, 'of sharply lower': 589569, 'sharply lower commodity': 755752, 'commodity price of': 189280, 'price of brent': 675416, 'of brent zinc': 580870, 'brent zinc and': 139358, 'zinc and aluminium': 1027607, 'and aluminium in': 57992, 'aluminium in fy21': 49427, 'in fy21 in': 423200, 'fy21 in the': 342614, 'wake of pandemic': 964599, 'of pandemic report': 587706, 'low hurt': 505324, 'hurt demand': 411564, 'russia battle': 728442, 'battle for': 112795, 'share wti': 755364, 'tumble 24': 935292, '24 or': 15666, 'or 58': 614206, '58 bbl': 20525, 'bbl to': 113179, '20 37': 12903, '37 lowest': 18075, 'february 2002': 301668, '2002 wti': 13584, 'their worst': 875242, 'month ever': 537709, 'ever down': 285279, 'down 54': 256426, '54 cl': 20324, 'cl oott': 179677, 'price plunge to': 675931, 'plunge to 18': 661465, 'year low hurt': 1014722, 'low hurt demand': 505325, 'hurt demand and': 411565, 'demand and saudi': 234997, 'arabia russia battle': 83921, 'russia battle for': 728443, 'battle for market': 112798, 'for market share': 323253, 'market share wti': 517053, 'share wti price': 755365, 'wti price tumble': 1013406, 'price tumble 24': 677143, 'tumble 24 or': 935293, '24 or 58': 15667, 'or 58 bbl': 614208, '58 bbl to': 20526, 'bbl to end': 113180, 'to end at': 905074, 'end at 20': 275782, 'at 20 37': 97497, '20 37 lowest': 12904, '37 lowest since': 18076, 'lowest since february': 506229, 'since february 2002': 770588, 'february 2002 wti': 301669, '2002 wti price': 13585, 'wti price are': 1013403, 'are on track': 88740, 'track for their': 928193, 'for their worst': 326887, 'their worst month': 875243, 'worst month ever': 1011221, 'month ever down': 537710, 'ever down 54': 285280, 'down 54 cl': 256427, '54 cl oott': 20325, 'bore': 135318, 'lion': 494026, 'cornflakes': 203715, 'don mean': 253729, 'to bore': 901941, 'bore people': 135321, 'food lion': 315323, 'lion trip': 494036, 'trip every': 932068, 'the handful': 857068, 'handful of': 376102, 'night that': 563089, 'only sort': 611169, 'personal contact': 652814, 'with human': 998908, 'world bread': 1009371, 'bread back': 138419, 'stock cornflakes': 802020, 'cornflakes back': 203716, 'don mean to': 253732, 'mean to bore': 524729, 'to bore people': 901942, 'bore people with': 135322, 'people with my': 650462, 'with my food': 999625, 'my food lion': 548384, 'food lion trip': 315324, 'lion trip every': 494037, 'trip every 10': 932069, 'every 10 day': 285638, '10 day or': 1387, 'day or so': 228174, 'or so but': 617125, 'so but other': 776667, 'but other than': 146714, 'other than the': 621083, 'than the handful': 841244, 'the handful of': 857069, 'handful of people': 376105, 'of people working': 588030, 'at the post': 101058, 'the post at': 864081, 'post at night': 666011, 'at night that': 99885, 'night that my': 563091, 'that my only': 845275, 'my only sort': 549594, 'only sort of': 611170, 'sort of personal': 786134, 'of personal contact': 588061, 'personal contact with': 652815, 'contact with human': 200274, 'with human in': 998909, 'human in the': 410516, '19 world bread': 12183, 'world bread back': 1009372, 'bread back in': 138420, 'in stock cornflakes': 428294, 'stock cornflakes back': 802021, 'cornflakes back in': 203717, 'contentworks': 200868, 'contentworks director': 200869, 'contentworks director niki': 200870, 'short video': 764782, 'why gold': 991018, 'not performed': 571004, 'performed well': 651485, 'current uncertain': 221418, 'uncertain environment': 939582, 'environment 19': 279073, 'my short video': 550067, 'short video on': 764784, 'video on why': 956850, 'on why gold': 605311, 'why gold price': 991019, 'price have not': 674441, 'have not performed': 381692, 'not performed well': 571005, 'performed well in': 651486, 'well in the': 978315, 'the current uncertain': 852675, 'current uncertain environment': 221419, 'uncertain environment 19': 939583, 'store vibe': 811065, 'vibe right': 956397, 'customer asking': 222139, 'about potato': 25974, 'potato another': 666904, 'another customer': 77557, 'customer say': 222796, 'stocking some': 803597, 'now store': 575920, 'store announcement': 806413, 'grocery store vibe': 365914, 'store vibe right': 811066, 'vibe right now': 956398, 'now to the': 576189, 'the customer asking': 852714, 'customer asking about': 222140, 'asking about potato': 95932, 'about potato another': 25975, 'potato another customer': 666905, 'another customer say': 77558, 'customer say they': 222799, 're stocking some': 699616, 'stocking some now': 803598, 'some now store': 783370, 'now store announcement': 575921, 'essentialfoodbox': 281888, 'foodessentialbox': 317908, 'deliver key': 233156, 'key essential': 473281, 'box curbside': 137040, 'curbside to': 220681, 'limit people': 492443, 'then panic': 877399, 'buying essentialfoodbox': 150241, 'essentialfoodbox what': 281889, 'in foodessentialbox': 422995, 'store to set': 810813, 'set up and': 753545, 'up and deliver': 944314, 'and deliver key': 61082, 'deliver key essential': 233157, 'key essential food': 473282, 'essential food box': 281041, 'food box curbside': 313775, 'box curbside to': 137041, 'curbside to limit': 220682, 'to limit people': 909293, 'limit people going': 492444, 'and then panic': 73789, 'then panic buying': 877400, 'panic buying essentialfoodbox': 637719, 'buying essentialfoodbox what': 150242, 'essentialfoodbox what would': 281890, 'would you have': 1012411, 'have in foodessentialbox': 381035, 'price plummeting': 675916, 'pandemic forcing': 635456, 'forcing shutdown': 328731, 'shutdown huge': 768040, 'huge loss': 410092, 'loss are': 503642, 'in saudi': 427706, 'oil price plummeting': 597216, 'price plummeting and': 675917, 'plummeting and the': 661365, 'the pandemic forcing': 862969, 'pandemic forcing shutdown': 635457, 'forcing shutdown huge': 328732, 'shutdown huge loss': 768041, 'huge loss are': 410094, 'loss are seen': 503644, 'are seen in': 89925, 'seen in saudi': 747083, 'in saudi arabia': 427707, '8m': 23193, 'today given': 919571, 'my zero': 550675, 'zero hour': 1027460, 'job am': 465606, 'in preservation': 426931, 'preservation mode': 670686, 'mode in': 535176, 'with recommendation': 1000422, 'recommendation one': 704760, 'the 8m': 848204, '8m would': 23198, 'rather live': 697482, 'my than': 550346, 'than die': 840501, 'die working': 241491, 'another year': 77987, 'have today given': 383345, 'today given up': 919572, 'given up my': 351197, 'up my zero': 945441, 'my zero hour': 550676, 'zero hour supermarket': 1027462, 'hour supermarket job': 405965, 'supermarket job am': 821204, 'job am in': 465607, 'am in preservation': 50141, 'in preservation mode': 426932, 'preservation mode in': 670687, 'mode in accordance': 535177, 'accordance with recommendation': 28510, 'with recommendation one': 1000423, 'recommendation one of': 704761, 'of the 8m': 590774, 'the 8m would': 848205, '8m would rather': 23199, 'would rather live': 1012158, 'rather live to': 697483, 'live to get': 496068, 'get my than': 347641, 'my than die': 550347, 'than die working': 840504, 'die working for': 241492, 'working for another': 1008635, 'for another year': 319380, '103': 2243, 'your error': 1023682, 'error and': 280222, 'fixed post': 309819, 'post wa': 666389, 'on museum': 602255, 'museum doing': 546243, 'tour another': 926921, 'another wa': 77944, 'on 103': 599000, '103 year': 2247, 'woman surviving': 1003623, 'surviving covid': 829351, 'other wa': 621180, 'on lowering': 601950, 'lowering gas': 506107, 'have removed': 382263, 'removed the': 710880, 'the strike': 868287, 'strike but': 813733, 'your kept': 1024544, 'issue on': 455870, 'know this started': 476896, 'this started with': 890301, 'started with your': 794918, 'with your error': 1002196, 'your error and': 1023683, 'error and it': 280223, 'and it need': 65560, 'be fixed post': 114878, 'fixed post wa': 309820, 'post wa on': 666390, 'wa on museum': 962830, 'on museum doing': 602256, 'museum doing online': 546244, 'doing online tour': 252585, 'online tour another': 609622, 'tour another wa': 926922, 'another wa on': 77945, 'wa on 103': 962820, 'on 103 year': 599001, '103 year old': 2248, 'old woman surviving': 598549, 'woman surviving covid': 1003624, 'surviving covid 19': 829352, '19 the other': 11227, 'the other wa': 862562, 'other wa on': 621181, 'wa on lowering': 962828, 'on lowering gas': 601951, 'lowering gas price': 506108, 'gas price so': 344025, 'price so now': 676512, 'so now you': 777913, 'now you have': 576511, 'you have removed': 1019105, 'have removed the': 382264, 'removed the strike': 710882, 'the strike but': 868288, 'strike but your': 813734, 'but your kept': 148014, 'your kept the': 1024545, 'kept the issue': 473076, 'the issue on': 858575, 'issue on my': 455873, 'self driving': 747616, 'driving robot': 259998, 'robot delivers': 724795, 'it dispenses': 457586, 'shanghai china': 754798, 'this self driving': 890014, 'self driving robot': 747617, 'driving robot delivers': 259999, 'robot delivers food': 724796, 'to family on': 905659, 'family on the': 298120, 'street and it': 812894, 'and it dispenses': 65514, 'it dispenses hand': 457587, 'sanitizer in shanghai': 735155, 'in shanghai china': 427856, 'shanghai china in': 754799, 'china in an': 176726, 'coronavirus outbreak this': 206417, 'outbreak this is': 628748, 'this is awesome': 888183, 'wastereduction': 968293, 'ecoconscious': 266665, 'ecofriendly': 266668, 'will panic': 994369, 'buying affect': 149862, 'affect food': 34143, 'waste reduction': 968177, 'reduction wastereduction': 706398, 'wastereduction ecoconscious': 968294, 'ecoconscious ecofriendly': 266666, 'ecofriendly foodwaste': 266669, 'how will panic': 409236, 'will panic buying': 994371, 'panic buying affect': 637632, 'buying affect food': 149863, 'affect food waste': 34148, 'food waste reduction': 317490, 'waste reduction wastereduction': 968178, 'reduction wastereduction ecoconscious': 706399, 'wastereduction ecoconscious ecofriendly': 968295, 'ecoconscious ecofriendly foodwaste': 266667, 'via via': 956352, 'quarantinediaries these': 692913, 'these make': 880271, 'make great': 509947, 'via via my': 956353, '2020 quarantinediaries these': 14552, 'quarantinediaries these make': 692914, 'these make great': 880272, 'make great gift': 509949, 'great gift quarantinelife': 362704, 'in lawsuit': 424641, 'lawsuit filed': 482530, 'filed by': 305393, 'by nonprofit': 153348, 'ethic washlite': 283061, 'news ha': 560490, 'violating washington': 957507, 'act by': 29606, 'by falsely': 152539, 'falsely stating': 297478, 'stating in': 796301, 'coronavirus wa': 207034, 'in lawsuit filed': 424642, 'lawsuit filed by': 482531, 'filed by nonprofit': 305394, 'by nonprofit group': 153349, 'and ethic washlite': 62293, 'ethic washlite fox': 283062, 'fox news ha': 330764, 'news ha been': 560491, 'accused of violating': 28958, 'of violating washington': 592807, 'violating washington state': 957508, 'protection act by': 685272, 'act by falsely': 29609, 'by falsely stating': 152541, 'falsely stating in': 297479, 'stating in that': 796302, 'novel coronavirus wa': 573765, 'coronavirus wa hoax': 207036, 'gelii': 345185, 'family stock': 298255, 'today handsanitiser': 919608, 'handsanitiser staysafe': 376455, 'stayathome healthy': 797499, 'healthy nail': 387697, 'nail gelii': 551446, 'you protecting your': 1020473, 'protecting your self': 685257, 'your self and': 1025701, 'self and your': 747551, 'your family stock': 1023803, 'family stock up': 298256, 'sanitizer today handsanitiser': 735960, 'today handsanitiser staysafe': 919609, 'handsanitiser staysafe stayhome': 376456, 'staysafe stayhome stayathome': 798903, 'stayhome stayathome healthy': 798131, 'stayathome healthy nail': 797500, 'healthy nail gelii': 387698, 'fraudsters often': 331427, 'often prey': 596264, 'most difficult': 542250, 'difficult situation': 242261, 'situation if': 772311, 'are contacted': 85537, 'by someone': 154082, 'someone offering': 784584, 'an event': 55875, 'vacation watch': 951607, 'for sign': 325616, 'fraudsters often prey': 331428, 'often prey on': 596265, 'prey on people': 672071, 'on people in': 602742, 'the most difficult': 860971, 'most difficult situation': 542252, 'difficult situation if': 242265, 'situation if you': 772312, 'you are contacted': 1017097, 'are contacted by': 85538, 'contacted by someone': 200322, 'by someone offering': 154084, 'someone offering to': 784585, 'offering to collect': 595302, 'to collect your': 902972, 'collect your money': 186345, 'your money for': 1024859, 'money for an': 536746, 'for an event': 319288, 'an event or': 55878, 'event or vacation': 285047, 'or vacation watch': 617633, 'vacation watch for': 951608, 'watch for sign': 968416, 'for sign of': 325617, 'sign of potential': 769167, 'citigroup': 178792, 'pessimistic': 653327, 'possible citigroup': 665604, 'citigroup laid': 178793, 'laid out': 479039, 'out pessimistic': 627040, 'pessimistic scenario': 653332, 'which wti': 986526, 'wti fall': 1013390, 'barrel energy': 111219, 'energy aspect': 276396, 'aspect said': 96221, 'said brent': 731006, 'brent could': 139326, '10 mizuho': 1545, 'security said': 744737, 'some oil': 783427, 'oil could': 596707, 'could even': 209139, 'even fall': 284051, 'into negative': 442797, 'negative territory': 556829, 'territory absent': 838554, 'absent shale': 27207, 'shale shut': 754509, 'oil is possible': 596911, 'is possible citigroup': 450947, 'possible citigroup laid': 665605, 'citigroup laid out': 178794, 'laid out pessimistic': 479040, 'out pessimistic scenario': 627041, 'pessimistic scenario in': 653333, 'scenario in which': 741266, 'in which wti': 430873, 'which wti fall': 986527, 'wti fall to': 1013391, 'fall to per': 297100, 'to per barrel': 911651, 'per barrel energy': 650696, 'barrel energy aspect': 111220, 'energy aspect said': 276397, 'aspect said brent': 96222, 'said brent could': 731007, 'brent could fall': 139327, 'fall to 10': 297085, 'to 10 mizuho': 899428, '10 mizuho security': 1546, 'mizuho security said': 534670, 'security said some': 744738, 'said some oil': 731365, 'some oil could': 783428, 'oil could even': 596709, 'could even fall': 209142, 'even fall into': 284052, 'fall into negative': 296972, 'into negative territory': 442799, 'negative territory absent': 556830, 'territory absent shale': 838555, 'absent shale shut': 27208, 'shale shut in': 754510, 'not call': 568673, 'you regarding': 1020884, 'security credit': 744569, 'account number': 28722, 'number more': 576912, 'federal government will': 302007, 'will not call': 994194, 'not call you': 568675, 'call you regarding': 156254, 'you regarding covid': 1020885, '19 stimulus payment': 10853, 'stimulus payment and': 801600, 'payment and ask': 645541, 'ask for your': 95541, 'for your social': 328210, 'social security credit': 779943, 'security credit card': 744570, 'card or bank': 163603, 'or bank account': 614489, 'bank account number': 109554, 'account number more': 28724, 'number more tip': 576913, 'order family': 618203, 'family back': 297644, 'back inside': 107106, 'for playing': 324583, 'their yard': 875249, 'yard others': 1014158, 'others prowl': 621595, 'prowl supermarket': 687317, 'aisle looking': 40305, 'the police officer': 863926, 'police officer order': 663126, 'officer order family': 595690, 'order family back': 618204, 'family back inside': 297646, 'back inside for': 107107, 'inside for playing': 439264, 'for playing in': 324584, 'playing in their': 659416, 'in their yard': 429793, 'their yard others': 875250, 'yard others prowl': 1014159, 'others prowl supermarket': 621596, 'prowl supermarket aisle': 687318, 'supermarket aisle looking': 818839, 'aisle looking for': 40306, 'looking for shopper': 502899, 'for shopper buying': 325571, 'shopper buying non': 761445, 'buying non essential': 150765, 'non essential item': 566343, 'we doing': 971367, 'get flight': 347022, 'flight refund': 310529, 'refund cbc': 706877, 'cbc marketplace': 168274, 'marketplace consumer': 517808, 'consumer cheat': 196784, 'cheat sheet': 174336, 'sheet cbc': 756595, 'are we doing': 91565, 'we doing enough': 971369, 'enough to fight': 277703, 'to get flight': 906482, 'get flight refund': 347023, 'flight refund cbc': 310530, 'refund cbc marketplace': 706878, 'cbc marketplace consumer': 168276, 'marketplace consumer cheat': 517809, 'consumer cheat sheet': 196785, 'cheat sheet cbc': 174337, 'sheet cbc news': 756597, 'turi': 935523, 'ryder': 728821, 'shesaidwhat': 758106, 'virus bonus': 958008, 'bonus edition': 134359, 'of turi': 592504, 'turi ryder': 935524, 'ryder shesaidwhat': 728822, 'shesaidwhat podcast': 758109, 'podcast out': 662300, 'still haven': 800669, 'haven heard': 383829, 'heard bouquet': 388067, 'of or': 587315, 'or flood': 615327, 'flood of': 310713, 'sanitizer find': 734866, 'yes there will': 1015564, 'will be virus': 992761, 'be virus bonus': 118014, 'virus bonus edition': 958009, 'bonus edition of': 134360, 'edition of turi': 268637, 'of turi ryder': 592505, 'turi ryder shesaidwhat': 935525, 'ryder shesaidwhat podcast': 728824, 'shesaidwhat podcast out': 758110, 'podcast out today': 662301, 'out today if': 627706, 'you still haven': 1021404, 'still haven heard': 800673, 'haven heard bouquet': 383831, 'heard bouquet of': 388068, 'bouquet of or': 136889, 'of or flood': 587317, 'or flood of': 615328, 'flood of hand': 310714, 'hand sanitizer find': 375403, 'sanitizer find them': 734868, 'find them here': 307313, 'rogan': 725014, 'reacts': 700241, 'firstworld': 309228, 'firstworldpandemicproblems': 309231, 'joeroganpodcast': 466474, 'take 11': 831862, '11 min': 2559, 'min listen': 532547, 'this joe': 888545, 'joe rogan': 466433, 'rogan reacts': 725015, 'reacts to': 700244, 'la shutdown': 478211, 'shutdown latest': 768056, 'news 19': 560177, 'america usa': 51728, 'usa economy': 948632, 'economy money': 268080, 'money paycheck': 536964, 'paycheck food': 645285, 'aid toiletpaper': 39473, 'toiletpaper fear': 921979, 'fear firstworld': 301122, 'firstworld firstworldpandemicproblems': 309229, 'firstworldpandemicproblems firstworldproblems': 309232, 'firstworldproblems joeroganpodcast': 309235, 'take 11 min': 831863, '11 min listen': 2560, 'min listen to': 532548, 'to this joe': 917437, 'this joe rogan': 888546, 'joe rogan reacts': 466434, 'rogan reacts to': 725016, 'reacts to la': 700245, 'to la shutdown': 909020, 'la shutdown latest': 478212, 'shutdown latest news': 768057, 'latest news 19': 481446, 'news 19 america': 560178, '19 america usa': 4954, 'america usa economy': 51729, 'usa economy money': 948633, 'economy money paycheck': 268081, 'money paycheck food': 536965, 'paycheck food aid': 645286, 'food aid toiletpaper': 313072, 'aid toiletpaper fear': 39474, 'toiletpaper fear firstworld': 921980, 'fear firstworld firstworldpandemicproblems': 301123, 'firstworld firstworldpandemicproblems firstworldproblems': 309230, 'firstworldpandemicproblems firstworldproblems joeroganpodcast': 309233, 'selftaught': 748597, 'turn me': 935701, 'into barber': 442422, 'barber soon': 110811, 'done hmu': 254876, 'price lol': 675089, 'lol selftaught': 500948, 'quarantine thing is': 692621, 'to turn me': 917846, 'turn me into': 935702, 'me into barber': 522990, 'into barber soon': 442423, 'barber soon this': 110812, 'is done hmu': 447320, 'done hmu for': 254877, 'for price lol': 324724, 'price lol selftaught': 675091, 'timebomb': 898436, 'please increase': 660108, 'own brand': 631902, 'brand alcohol': 137718, 'alcohol now': 41053, 'closed ppl': 183297, 'ppl will': 668377, 'booze creating': 135159, 'creating health': 216011, 'health timebomb': 386911, 'timebomb please': 898437, 'this even': 887422, 'even limit': 284298, 'limit amount': 492278, 'amount ppl': 53274, 'buy co': 148498, 'please please increase': 660305, 'please increase the': 660110, 'your own brand': 1025127, 'own brand alcohol': 631903, 'brand alcohol now': 137719, 'alcohol now the': 41054, 'now the pub': 576065, 'pub are closed': 687666, 'are closed ppl': 85362, 'closed ppl will': 183298, 'ppl will panic': 668379, 'will panic buy': 994370, 'panic buy booze': 637470, 'buy booze creating': 148430, 'booze creating health': 135160, 'creating health timebomb': 216012, 'health timebomb please': 386912, 'timebomb please look': 898438, 'into this even': 443214, 'this even limit': 887426, 'even limit amount': 284299, 'limit amount ppl': 492279, 'amount ppl can': 53275, 'ppl can buy': 668202, 'can buy co': 157817, 'swath': 830015, 'sent swath': 750816, 'swath of': 830016, 'system into': 831213, 'overdrive manufacturer': 631188, 'distributor grocer': 248287, 'safety regulator': 730715, 'regulator try': 708153, 'essential expert': 281021, 'are ample': 84525, 'ample and': 54876, 'and inspection': 65271, 'inspection are': 439764, 'continuing normal': 201535, '19 ha sent': 7382, 'ha sent swath': 371857, 'sent swath of': 750817, 'swath of the': 830017, 'food system into': 317049, 'system into overdrive': 831214, 'into overdrive manufacturer': 442829, 'overdrive manufacturer distributor': 631189, 'manufacturer distributor grocer': 513452, 'distributor grocer and': 248288, 'grocer and food': 364092, 'and food safety': 63088, 'food safety regulator': 316275, 'safety regulator try': 730716, 'regulator try to': 708154, 'meet demand from': 527468, 'from consumer stockpiling': 334975, 'consumer stockpiling food': 199158, 'stockpiling food and': 803958, 'other essential expert': 620161, 'essential expert say': 281022, 'expert say supply': 291959, 'say supply are': 739196, 'supply are ample': 824778, 'are ample and': 84526, 'ample and inspection': 54877, 'and inspection are': 65272, 'inspection are continuing': 439765, 'are continuing normal': 85546, 'worker instacart': 1007229, 'instacart please': 439927, 'your shopper': 1025770, 'mask lot': 518929, 'our face': 622974, 'face constantly': 294359, 'constantly with': 195717, 'the where': 871438, 'where this': 985292, 'this where': 891361, 'that socialdistancing': 846370, 'store worker instacart': 811529, 'worker instacart please': 1007230, 'instacart please tell': 439928, 'please tell your': 660653, 'tell your shopper': 837165, 'your shopper to': 1025771, 'shopper to keep': 761768, 'to keep distance': 908780, 'distance and wear': 246644, 'wear mask lot': 974393, 'mask lot of': 518930, 'lot of shopper': 504278, 'of shopper get': 589641, 'shopper get in': 761529, 'get in our': 347307, 'in our face': 426288, 'our face constantly': 622975, 'face constantly with': 294360, 'constantly with the': 195718, 'with the where': 1001542, 'the where this': 871439, 'where this where': 985295, 'this where is': 891362, 'where is that': 984953, 'is that socialdistancing': 452691, 'cool brewery': 202992, 'brewery response': 139454, '19 cool': 6035, 'brewery will': 139470, 'unfolding situation': 941528, 'mind cool': 532650, 'cool will': 203062, 'will follow': 993460, 'recommendation of': 704756, 'of federal': 583475, 'provincial public': 687216, 'official our': 595869, 'our brewery': 622268, 'brewery retail': 139456, 'cool brewery response': 202993, 'brewery response to': 139455, 'covid 19 cool': 212860, '19 cool brewery': 6036, 'cool brewery will': 202994, 'brewery will continue': 139471, 'continue to navigate': 201223, 'navigate the unfolding': 553087, 'the unfolding situation': 870392, 'unfolding situation with': 941530, 'situation with everyone': 772596, 'with everyone safety': 998294, 'everyone safety in': 287338, 'safety in mind': 730580, 'in mind cool': 425338, 'mind cool will': 532651, 'cool will follow': 203063, 'will follow the': 993466, 'follow the guidance': 312527, 'the guidance and': 856919, 'guidance and recommendation': 368205, 'and recommendation of': 70056, 'recommendation of federal': 704757, 'of federal and': 583476, 'and provincial public': 69718, 'provincial public health': 687217, 'health official our': 386704, 'official our brewery': 595870, 'our brewery retail': 622269, 'brewery retail store': 139457, 'halifax uk': 374323, 'stable before': 791897, 'halifax uk house': 374324, 'house price stable': 406505, 'price stable before': 676600, 'stable before covid': 791898, 'afterward': 36739, 'to permanent': 911663, 'permanent shift': 652072, 'business habit': 143814, 'habit or': 372671, 'will thing': 995184, 'normal afterward': 567074, 'lead to permanent': 483377, 'to permanent shift': 911665, 'permanent shift in': 652074, 'in consumer business': 421686, 'consumer business habit': 196674, 'business habit or': 143815, 'habit or will': 372672, 'or will thing': 617813, 'will thing go': 995185, 'to normal afterward': 910640, 'deity': 232592, 'truth that': 934408, 'been highlighted': 121286, 'highlighted during': 395986, 'extreme socioeconomic': 293830, 'socioeconomic disparity': 781385, 'disparity when': 246097, 'treat employee': 930829, 'like deity': 490100, 'deity and': 232593, 'forget their': 329311, 'sacrifice when': 729119, 'of the truth': 591561, 'the truth that': 870091, 'truth that ha': 934409, 'ha been highlighted': 369826, 'been highlighted during': 121287, 'highlighted during the': 395987, 'during the is': 263145, 'the is the': 858538, 'is the extreme': 452791, 'the extreme socioeconomic': 854779, 'extreme socioeconomic disparity': 293831, 'socioeconomic disparity when': 781386, 'disparity when you': 246098, 'to to the': 917599, 'store you need': 811694, 'need to treat': 556107, 'to treat employee': 917746, 'treat employee like': 930830, 'employee like deity': 274016, 'like deity and': 490101, 'deity and do': 232594, 'not forget their': 569516, 'forget their sacrifice': 329312, 'their sacrifice when': 874609, 'sacrifice when we': 729120, 'older australian': 598580, 'australian particularly': 103517, 'particularly those': 642720, 'those still': 892486, 'still mobile': 800845, 'mobile but': 534953, 'without family': 1002638, '19 just wanted': 8212, 'just wanted to': 470233, 'wanted to spread': 966274, 'spread this news': 790837, 'this news to': 889135, 'news to all': 560893, 'to all older': 900272, 'all older australian': 43734, 'older australian particularly': 598582, 'australian particularly those': 103518, 'particularly those still': 642722, 'those still mobile': 892489, 'still mobile but': 800846, 'mobile but without': 534954, 'but without family': 147908, 'without family support': 1002639, 'store been': 806691, 'bean for': 118320, 'sent the': 750820, 'the hub': 857686, 'hub out': 409821, 'still nothing': 800912, 'nothing super': 573168, 'super slim': 818581, 'picking man': 655862, 'man tucson': 512279, 'tucson az': 935073, 'az foodshortage': 106379, 'grocery store been': 365243, 'store been looking': 806692, 'been looking for': 121481, 'looking for rice': 502896, 'for rice and': 325223, 'rice and bean': 720990, 'and bean for': 58778, 'bean for day': 118321, 'day now sent': 228039, 'now sent the': 575779, 'sent the hub': 750823, 'the hub out': 857690, 'hub out and': 409822, 'out and still': 625697, 'and still nothing': 72383, 'still nothing super': 800913, 'nothing super slim': 573169, 'super slim picking': 818582, 'slim picking man': 773991, 'picking man tucson': 655863, 'man tucson az': 512280, 'tucson az foodshortage': 935074, 'act mask': 29697, 'should sell': 766451, 'unfair display': 941423, 'india coronapocolypse': 434360, 'coronapocolypse coronaindia': 205225, 'under the essential': 940306, 'the essential commodity': 854500, 'commodity act mask': 189113, 'act mask should': 29698, 'mask should sell': 519274, 'should sell at': 766452, 'sell at fair': 748632, 'fair price but': 296369, 'price but on': 672983, 'but on and': 146656, 'on and unfair': 599379, 'and unfair display': 74660, 'unfair display of': 941424, 'display of business': 246190, 'of business is': 580959, 'business is going': 143954, 'going on india': 355323, 'on india coronapocolypse': 601549, 'india coronapocolypse coronaindia': 434361, 'receiver': 703719, '2metresapart': 16738, 'during coronacrisis': 262527, 'flower giver': 311295, 'giver flower': 351213, 'flower receiver': 311324, 'receiver much': 703720, 'much closer': 544792, 'than 2metresapart': 840220, '2metresapart why': 16739, 'worker closer': 1006665, 'are hero during': 87129, 'hero during coronacrisis': 393981, 'during coronacrisis but': 262528, 'coronacrisis but why': 204537, 'but why why': 147866, 'why why why': 991554, 'why why are': 991552, 'are the flower': 90829, 'the flower giver': 855453, 'flower giver flower': 311296, 'giver flower receiver': 351214, 'flower receiver much': 311325, 'receiver much closer': 703721, 'much closer than': 544793, 'closer than 2metresapart': 183508, 'than 2metresapart why': 840221, '2metresapart why are': 16740, 'why are essential': 990769, 'essential worker closer': 281824, 'worker closer than': 1006666, 'why popular': 991292, 'popular information': 664562, 'starting the': 795002, '19 corporate': 6139, 'corporate accountability': 207230, 'accountability project': 28797, 'project if': 683499, 'company more': 190891, '500 employee': 19981, 'providing immediate': 687030, 'ten day': 837770, 'please fill': 659992, 'that why popular': 847543, 'why popular information': 991293, 'popular information is': 664563, 'information is starting': 437877, 'is starting the': 452234, 'starting the 19': 795003, 'the 19 corporate': 847911, '19 corporate accountability': 6140, 'corporate accountability project': 207231, 'accountability project if': 28798, 'project if you': 683500, 'work at company': 1004864, 'at company more': 98304, 'company more than': 190892, 'than 500 employee': 840267, '500 employee that': 19982, 'employee that is': 274289, 'is not providing': 450164, 'not providing immediate': 571160, 'providing immediate access': 687031, 'immediate access to': 416959, 'access to ten': 28285, 'to ten day': 916371, 'ten day of': 837771, 'day of paid': 228087, 'leave to full': 485008, 'to full time': 906316, 'full time please': 340945, 'time please fill': 897493, 'please fill out': 659993, 'factsnotfear': 296031, 'update virtual': 947299, 'virtual information': 957752, 'information exchange': 437810, 'exchange with': 289497, 'senior leader': 750341, 'outlet are': 629025, 'are drive': 85995, 'thru or': 895212, 'or take': 617325, 'only gym': 610550, 'gym open': 369338, 'with modification': 999533, 'modification don': 535497, 'buy stay': 149235, 'stay up': 797374, 'at factsnotfear': 98615, 'daily update virtual': 224856, 'update virtual information': 947300, 'virtual information exchange': 957753, 'information exchange with': 437811, 'exchange with senior': 289498, 'with senior leader': 1000639, 'senior leader at': 750342, 'leader at 00': 483434, 'at 00 at': 97348, '00 at all': 72, 'at all food': 97881, 'all food outlet': 42817, 'food outlet are': 315716, 'outlet are drive': 629026, 'are drive thru': 85996, 'drive thru or': 259202, 'thru or take': 895215, 'or take out': 617328, 'take out only': 832454, 'out only gym': 626940, 'only gym open': 610551, 'gym open with': 369339, 'open with modification': 612679, 'with modification don': 999534, 'modification don panic': 535498, 'panic buy stay': 637530, 'buy stay up': 149236, 'stay up to': 797376, 'to date at': 903922, 'date at factsnotfear': 226598, 'not bad': 568319, 'bad little': 107925, 'little post': 495527, 'home well': 402471, 'stocked clean': 803292, 'clean healthy': 180556, 'not bad little': 568322, 'bad little post': 107927, 'little post here': 495528, 'post here from': 666155, 'here from on': 393028, 'keep your home': 472270, 'your home well': 1024387, 'home well stocked': 402472, 'well stocked clean': 978594, 'stocked clean healthy': 803294, 'clean healthy during': 180557, 'healthy during time': 387587, 'during time like': 263346, 'news social': 560800, 'medium digital': 527073, 'digital content': 242538, 'content mindfulness': 200823, 'mindfulness home': 532824, 'cooking on': 202892, 'while work': 987570, 'learning down': 484191, 'uk almost': 938158, 'almost exact': 46638, 'exact opposite': 288699, 'opposite in': 613794, 'nation begin': 552133, 'reopen fascinating': 711357, 'fascinating consumer': 299751, 'attitude research': 102581, 'research around': 713675, 'around coronavirus': 93255, 'from mckinsey': 336387, 'news social medium': 560801, 'social medium digital': 779844, 'medium digital content': 527074, 'digital content mindfulness': 242539, 'content mindfulness home': 200824, 'mindfulness home cooking': 532825, 'home cooking on': 400931, 'cooking on the': 202893, 'on the up': 604420, 'the up while': 870490, 'up while work': 946599, 'while work and': 987571, 'work and remote': 1004797, 'remote learning down': 710714, 'learning down in': 484192, 'down in the': 256870, 'the uk almost': 870189, 'uk almost exact': 938159, 'almost exact opposite': 46639, 'exact opposite in': 288700, 'opposite in china': 613795, 'in china the': 421439, 'china the nation': 176987, 'the nation begin': 861220, 'nation begin to': 552134, 'begin to reopen': 123590, 'to reopen fascinating': 913240, 'reopen fascinating consumer': 711358, 'fascinating consumer attitude': 299752, 'consumer attitude research': 196348, 'attitude research around': 102582, 'research around coronavirus': 713676, 'around coronavirus from': 93257, 'coronavirus from mckinsey': 205957, 'kitili': 475810, 'shag': 754368, 'impossibility': 419344, 'ghetto': 349637, 'kawangware': 471128, 'kitili ben': 475811, 'ben people': 126818, 'running away': 727929, 'to shag': 914318, 'shag we': 754369, 'running from': 727965, 'but more': 146407, 'we running': 973115, 'from expenditure': 335353, 'expenditure like': 291164, 'like rent': 491074, 'rent fare': 711081, 'fare high': 299030, 'and unrealistic': 74702, 'unrealistic social': 943305, 'distance impossibility': 246736, 'impossibility in': 419345, 'our ghetto': 623245, 'ghetto like': 349638, 'like kawangware': 490595, 'kawangware mat': 471129, 'kitili ben people': 475812, 'ben people are': 126819, 'are running away': 89761, 'running away from': 727930, 'away from nairobi': 105897, 'nairobi to shag': 551514, 'to shag we': 914319, 'shag we are': 754370, 'are running from': 89765, 'running from covid': 727966, '19 yes but': 12248, 'yes but more': 1015393, 'but more so': 146410, 'more so we': 540420, 'so we running': 778682, 'we running away': 973116, 'away from expenditure': 105881, 'from expenditure like': 335354, 'expenditure like rent': 291165, 'like rent fare': 491075, 'rent fare high': 711082, 'fare high price': 299031, 'food and unrealistic': 313374, 'and unrealistic social': 74703, 'unrealistic social distance': 943306, 'social distance impossibility': 779508, 'distance impossibility in': 246737, 'impossibility in our': 419346, 'in our ghetto': 426297, 'our ghetto like': 623246, 'ghetto like kawangware': 349639, 'like kawangware mat': 490596, 'my entry': 548102, 'entry team': 279018, 'team hand': 835660, 'wash alcohol': 967423, 'against contestalert': 37374, 'join stayh': 466840, 'is my entry': 449789, 'my entry team': 548103, 'entry team hand': 279019, 'team hand wash': 835661, 'hand wash alcohol': 375917, 'wash alcohol sanitizer': 967425, 'alcohol sanitizer face': 41095, 'glove this product': 352965, 'this product will': 889733, 'will help to': 993735, 'fight against contestalert': 304612, 'against contestalert contest': 37375, 'contest join stayh': 200875, 'hard enough': 377909, 'enough when': 277762, 'have kid': 381224, 'kid with': 474169, 'with terrible': 1001142, 'terrible food': 838399, 'have intolerance': 381111, 'intolerance stop': 443338, 'shopping is hard': 763049, 'is hard enough': 448301, 'hard enough when': 377911, 'enough when you': 277765, 'you have kid': 1019067, 'have kid with': 381227, 'kid with terrible': 474174, 'with terrible food': 1001143, 'terrible food so': 838400, 'food so if': 316656, 'not have intolerance': 569844, 'have intolerance stop': 381112, 'intolerance stop panic': 443339, 'college st': 186645, 'st this': 791751, 'morning 19': 541130, '19 toronto': 11518, 'produce section at': 680429, 'section at my': 744000, 'local supermarket on': 498565, 'supermarket on college': 821723, 'on college st': 599968, 'college st this': 186646, 'st this morning': 791752, 'this morning 19': 888932, 'morning 19 toronto': 541131, 'online news': 608574, 'to content': 903375, 'content on': 200832, 'demand society': 236251, 'society ha': 781228, 'maintain some': 509039, 'some degree': 782668, 'of normalcy': 587066, 'normalcy during': 567437, 'lockdown thanks': 499997, 'to tech': 916321, 'from food delivery': 335506, 'apps to online': 83325, 'to online news': 910939, 'online news to': 608575, 'news to content': 560894, 'to content on': 903376, 'content on demand': 200833, 'on demand society': 600288, 'demand society ha': 236252, 'society ha been': 781229, 'ha been able': 369703, 'able to maintain': 24501, 'to maintain some': 909595, 'maintain some degree': 509040, 'some degree of': 782669, 'degree of normalcy': 232569, 'of normalcy during': 587067, 'normalcy during lockdown': 567438, 'during lockdown thanks': 262774, 'lockdown thanks to': 499998, 'thanks to tech': 842264, 'taco night': 831668, 'night there': 563096, 'much panic': 545220, 'it shameful': 461000, 'shameful but': 754680, 'insecurity will': 439186, 'posting any': 666646, 'more pretty': 540132, 'pretty picture': 671479, 'picture what': 656215, 'do starting': 250168, 'starting next': 794985, 'is post': 450956, 'post video': 666385, 'some super': 783999, 'super simple': 818579, 'simple meal': 770056, 'meal anyone': 524098, 'taco night there': 831669, 'night there is': 563097, 'is much panic': 449767, 'much panic buying': 545222, 'and hoarding and': 64649, 'hoarding and it': 399178, 'and it shameful': 65581, 'it shameful but': 461001, 'shameful but during': 754681, 'but during this': 145631, 'time of food': 897333, 'of food insecurity': 583719, 'food insecurity will': 315076, 'insecurity will not': 439187, 'not be posting': 568436, 'be posting any': 116483, 'posting any more': 666647, 'any more pretty': 79491, 'more pretty picture': 540133, 'pretty picture what': 671480, 'picture what am': 656216, 'what am going': 981017, 'to do starting': 904559, 'do starting next': 250169, 'starting next week': 794986, 'next week is': 561689, 'week is post': 976423, 'is post video': 450958, 'post video on': 666386, 'video on some': 956846, 'on some super': 603572, 'some super simple': 784000, 'super simple meal': 818580, 'simple meal anyone': 770057, 'meal anyone can': 524099, 'anyone can make': 80220, 'staff medical': 792647, 'area bin': 91963, 'bin men': 131015, 'men banker': 528465, 'banker teacher': 110383, 'job thank': 466177, 'feel for all': 302622, 'key worker during': 473479, 'this time so': 890687, 'time so many': 897695, 'people in delivery': 648366, 'in delivery service': 422093, 'delivery service supermarket': 234466, 'supermarket staff medical': 822867, 'staff medical staff': 792648, 'medical staff in': 526398, 'staff in all': 792545, 'in all area': 420164, 'all area bin': 42055, 'area bin men': 91964, 'bin men banker': 131018, 'men banker teacher': 528466, 'banker teacher you': 110384, 're all doing': 698212, 'all doing an': 42606, 'amazing job thank': 50725, 'job thank you': 466178, 'plug': 661214, 'just given': 468816, 'given petrol': 351075, 'station plug': 796491, 'plug by': 661217, 'telling fuel': 837196, 'falling you': 297362, 'just start': 469869, 'start panic': 794426, 'on fuel': 601046, 'fuel and': 340115, 'next thing': 561586, 'thing fuel': 884351, 'why ha just': 991032, 'ha just given': 371052, 'just given petrol': 468819, 'given petrol station': 351076, 'petrol station plug': 653798, 'station plug by': 796492, 'plug by telling': 661218, 'by telling fuel': 154230, 'telling fuel price': 837197, 'are falling you': 86477, 'falling you will': 297363, 'you will just': 1022338, 'will just start': 993883, 'just start panic': 469872, 'start panic on': 794428, 'panic on fuel': 638360, 'on fuel and': 601047, 'fuel and the': 340120, 'the next thing': 861701, 'next thing fuel': 561587, 'thing fuel shortage': 884352, 'winwin': 996152, 'therichcantlose': 879490, 'rich billionaire': 721199, 'billionaire during': 130955, 'get rich': 347932, 'rich when': 721265, 'when everything': 983402, 'everything when': 288101, 'is hurting': 448636, 'hurting while': 411656, 'while borrowing': 986656, 'borrowing cheap': 135635, 'cheap money': 174146, 'price winwin': 677599, 'winwin business': 996153, 'business therichcantlose': 144512, 'out the rich': 627414, 'the rich billionaire': 865779, 'rich billionaire during': 721200, 'billionaire during they': 130956, 'during they get': 263254, 'they get rich': 882177, 'get rich when': 347934, 'rich when everything': 721267, 'when everything is': 983403, 'everything is on': 287880, 'the up and': 870484, 'and up and': 74725, 'up and then': 944380, 'and then get': 73762, 'then get to': 877199, 'get to pay': 348485, 'pay for everything': 644875, 'for everything when': 321261, 'everything when everyone': 288102, 'everyone is hurting': 287081, 'is hurting while': 448644, 'hurting while borrowing': 411657, 'while borrowing cheap': 986657, 'borrowing cheap money': 135636, 'cheap money and': 174147, 'money and buying': 536592, 'and buying up': 59372, 'buying up everything': 151291, 'up everything at': 944816, 'everything at cheap': 287698, 'cheap price winwin': 174180, 'price winwin business': 677600, 'winwin business therichcantlose': 996154, 'lmaoo': 497165, 'tryna': 934904, 'quarantine got': 692228, 'me eat': 522695, 'eat eating': 265897, 'eating the': 266311, 'weirdest food': 977822, 'food combination': 313963, 'combination calockdown': 187094, 'calockdown lmaoo': 156882, 'lmaoo who': 497170, 'who tryna': 989836, 'tryna link': 934905, 'this quarantine got': 889773, 'quarantine got me': 692230, 'got me eat': 358695, 'me eat eating': 522696, 'eat eating the': 265898, 'eating the weirdest': 266313, 'the weirdest food': 871361, 'weirdest food combination': 977823, 'food combination calockdown': 313964, 'combination calockdown lmaoo': 187095, 'calockdown lmaoo who': 156883, 'lmaoo who tryna': 497171, 'who tryna link': 989837, 'tryna link up': 934906, 'link up at': 493956, 'sturdy': 815572, 'workspace': 1009232, 'let conquer': 486649, 'conquer the': 194759, 'covid with': 214250, 'these sturdy': 880766, 'sturdy mobile': 815573, 'mobile hand': 534975, 'hand sanitizing': 375735, 'station great': 796413, 'for workspace': 327964, 'workspace building': 1009233, 'building lobby': 142102, 'lobby and': 497575, 'retail entrance': 718085, 'entrance sarscov2': 278897, 'let conquer the': 486650, 'conquer the covid': 194760, 'the covid with': 852241, 'covid with these': 214251, 'with these sturdy': 1001660, 'these sturdy mobile': 880767, 'sturdy mobile hand': 815574, 'mobile hand sanitizing': 534976, 'hand sanitizing station': 375737, 'sanitizing station great': 736515, 'station great for': 796414, 'great for workspace': 362687, 'for workspace building': 327965, 'workspace building lobby': 1009234, 'building lobby and': 142103, 'lobby and retail': 497576, 'and retail entrance': 70429, 'retail entrance sarscov2': 718086, 'entrance sarscov2 medtwitter': 278898, 'solidaritywithhospitality': 781954, 'hospitalitystrong': 404825, 'support hotel': 826573, 'hotel one': 405173, 'offering necessity': 595197, 'necessity like': 554240, 'like key': 490603, 'key card': 473235, 'at heavily': 98872, 'heavily discounted': 388573, 'hope these': 403697, 'these lower': 880262, 'your hotel': 1024404, 'hotel stay': 405197, 'stay solidaritywithhospitality': 797322, 'solidaritywithhospitality hospitalitystrong': 781955, 'hospitalitystrong learn': 404826, 're doing our': 698544, 'to support hotel': 915937, 'support hotel one': 826576, 'hotel one way': 405174, 'one way we': 607386, 'way we re': 970178, 're doing this': 698549, 'doing this is': 252766, 'this is by': 888199, 'is by offering': 446338, 'by offering necessity': 153400, 'offering necessity like': 595198, 'necessity like key': 554243, 'like key card': 490604, 'key card at': 473236, 'card at heavily': 163465, 'at heavily discounted': 98873, 'heavily discounted price': 388576, 'discounted price we': 244604, 'we hope these': 972036, 'hope these lower': 403699, 'these lower price': 880263, 'lower price will': 505973, 'price will help': 677569, 'will help your': 993740, 'help your hotel': 391021, 'your hotel stay': 1024406, 'hotel stay solidaritywithhospitality': 405198, 'stay solidaritywithhospitality hospitalitystrong': 797323, 'solidaritywithhospitality hospitalitystrong learn': 781956, 'hospitalitystrong learn more': 404827, 'katto': 471092, 'katto based': 471093, 'happened we': 377298, 'we experienced': 971507, 'experienced some': 291602, 'some theft': 784033, 'theft everyday': 872348, 'everyday due': 286553, 'our mostly': 623947, 'mostly due': 542952, 'our large': 623638, 'large homeless': 479695, 'homeless population': 402779, 'population pretty': 664731, 'true big': 933034, 'big corp': 129714, 'corp factor': 207193, 'in loss': 424928, 'loss such': 503782, 'such theft': 816808, 'katto based on': 471094, 'based on where': 111703, 'on where work': 605270, 'where work grocery': 985366, 'store before covid': 806696, '19 happened we': 7430, 'happened we experienced': 377299, 'we experienced some': 971508, 'experienced some theft': 291603, 'some theft everyday': 784034, 'theft everyday due': 872349, 'everyday due to': 286554, 'to our mostly': 911212, 'our mostly due': 623948, 'mostly due to': 542953, 'to our large': 911198, 'our large homeless': 623639, 'large homeless population': 479696, 'homeless population pretty': 402781, 'population pretty much': 664732, 'much everything you': 544870, 'everything you said': 288138, 'said it true': 731170, 'it true big': 461863, 'true big corp': 933035, 'big corp factor': 129715, 'corp factor in': 207194, 'factor in loss': 295887, 'in loss such': 424930, 'loss such theft': 503783, 'man film': 512062, 'film himself': 305682, 'himself allegedly': 396791, 'allegedly spreading': 45709, 'supermarket lady': 821260, 'lady touching': 478849, 'all laptop': 43342, 'laptop get': 479562, 'get confronted': 346799, 'confronted grocery': 194306, 'market no': 516758, 'safe wherever': 730136, 'wherever there': 985466, 'there human': 878492, 'human around': 410424, 'man film himself': 512063, 'film himself allegedly': 305683, 'himself allegedly spreading': 396792, 'allegedly spreading coronavirus': 45710, 'spreading coronavirus at': 790953, 'coronavirus at supermarket': 205529, 'at supermarket lady': 100741, 'supermarket lady touching': 821261, 'lady touching all': 478850, 'touching all laptop': 926656, 'all laptop get': 43343, 'laptop get confronted': 479563, 'get confronted grocery': 346800, 'confronted grocery store': 194307, 'store market no': 808909, 'market no where': 516760, 'no where is': 565885, 'where is safe': 984952, 'is safe wherever': 451625, 'safe wherever there': 730137, 'wherever there human': 985467, 'there human around': 878493, 'jeopardy': 465130, 'how little': 408172, 'little my': 495475, 'hit have': 398262, 'have lived': 381355, 'lived alone': 496148, 'alone for': 46853, 'yr stay': 1027047, 'home almost': 400587, 'time anyway': 896315, 'anyway cuz': 81000, 'cuz work': 223830, 'in jeopardy': 424383, 'jeopardy not': 465131, 'not bragging': 568607, 'bragging ve': 137567, 'just realized': 469569, 'realized ve': 701923, 'personal pandemic': 652935, 'amazing how little': 50707, 'how little my': 408174, 'little my life': 495476, 'my life ha': 549022, 'life ha changed': 488704, 'ha changed since': 370135, 'changed since covid': 172547, '19 ha hit': 7352, 'ha hit have': 370881, 'hit have lived': 398263, 'have lived alone': 381356, 'lived alone for': 496149, 'alone for yr': 46855, 'for yr stay': 328249, 'yr stay home': 1027048, 'stay home almost': 796936, 'home almost all': 400588, 'almost all the': 46541, 'the time anyway': 869575, 'time anyway cuz': 896316, 'anyway cuz work': 81001, 'cuz work at': 223831, 'grocery store my': 365582, 'store my job': 809011, 'job isn in': 465916, 'isn in jeopardy': 454556, 'in jeopardy not': 424384, 'jeopardy not bragging': 465132, 'not bragging ve': 568608, 'bragging ve just': 137568, 've just realized': 953306, 'just realized ve': 469573, 'realized ve been': 701924, 've been living': 952904, 'been living in': 121469, 'living in my': 496383, 'my own personal': 549651, 'own personal pandemic': 632129, 'personal pandemic for': 652936, 'pandemic for year': 635454, 'paisley is': 634387, 'what he': 981583, 'brad paisley is': 137530, 'paisley is doing': 634388, 'doing what he': 252844, 'what he can': 981584, 'he can to': 384822, 'can to help': 160009, 'is queue': 451174, 'south london': 786761, 'london at': 501032, 'am what': 50558, 'do joined': 249533, 'there is queue': 878610, 'is queue to': 451176, 'get inside my': 347346, 'in south london': 428132, 'south london at': 786762, 'london at am': 501034, 'at am what': 97940, 'am what to': 50559, 'to do joined': 904527, 'do joined the': 249534, 'joined the queue': 466954, 'not me': 570545, 'tip for grocery': 898768, 'grocery shopping from': 365025, 'shopping from someone': 762760, 'from someone who': 337354, 'store not me': 809109, 'not me 19': 570546, 'matatu': 520266, 'gok': 355835, 'kenya kenya': 472921, 'kenya ke': 472919, 'ke with': 471247, 'rule hiking': 727253, 'of matatu': 586297, 'matatu fare': 520267, 'fare wa': 299039, 'obvious about': 578783, 'is tax': 452579, 'tax gok': 834996, 'gok plan': 355836, 'cushion business': 221912, 'kenya kenya ke': 472922, 'kenya ke with': 472920, 'ke with social': 471248, 'distancing rule hiking': 247440, 'rule hiking of': 727254, 'hiking of matatu': 396385, 'of matatu fare': 586298, 'matatu fare wa': 520269, 'fare wa obvious': 299040, 'wa obvious about': 962796, 'obvious about 60': 578784, 'about 60 of': 24739, '60 of fuel': 20964, 'of fuel pump': 583996, 'fuel pump price': 340270, 'pump price is': 689090, 'price is tax': 674895, 'is tax gok': 452580, 'tax gok plan': 834997, 'gok plan to': 355837, 'plan to cushion': 658279, 'to cushion business': 903841, 'cushion business from': 221913, 'business from impact': 143769, 'from impact of': 336012, 'messed': 529528, 'rescheduled': 713583, 'overbooked': 631062, 'yeh': 1015198, 'my hairdresser': 548598, 'hairdresser got': 374044, 'way messed': 969703, 'messed up': 529529, 'up increasing': 945196, 'of deposit': 582538, 'deposit so': 237516, 'eat while': 266110, 'while appointment': 986611, 'appointment can': 82659, 'be rescheduled': 116818, 'rescheduled in': 713586, 'already overbooked': 47551, 'overbooked yeh': 631065, 'yeh no': 1015201, 'so my hairdresser': 777838, 'my hairdresser got': 548599, 'hairdresser got this': 374045, 'got this whole': 358945, '19 shit all': 10460, 'shit all the': 759053, 'the way messed': 871165, 'way messed up': 969704, 'messed up increasing': 529531, 'up increasing the': 945197, 'price of deposit': 675437, 'of deposit so': 582539, 'deposit so you': 237517, 'can eat while': 158205, 'eat while appointment': 266111, 'while appointment can': 986612, 'appointment can only': 82660, 'can only be': 159117, 'only be rescheduled': 610154, 'be rescheduled in': 116819, 'rescheduled in month': 713587, 'month from now': 537746, 'from now because': 336607, 'you are already': 1017053, 'are already overbooked': 84420, 'already overbooked yeh': 47552, 'overbooked yeh no': 631066, 'washhand': 967631, 'bonnbread': 134330, 'outbreak let': 628419, 'message curfew': 529290, 'curfew janatacurfew': 220892, 'janatacurfew corona': 464487, 'corona india': 204013, 'india washhand': 434678, 'washhand sanitizer': 967632, 'sanitizer bonnbread': 734573, 'bonnbread bread': 134331, 'bread biscuit': 138429, '19 outbreak let': 9150, 'outbreak let spread': 628421, 'spread the message': 790827, 'the message curfew': 860515, 'message curfew janatacurfew': 529291, 'curfew janatacurfew corona': 220893, 'janatacurfew corona india': 464488, 'corona india washhand': 204015, 'india washhand sanitizer': 434679, 'washhand sanitizer bonnbread': 967633, 'sanitizer bonnbread bread': 734574, 'bonnbread bread biscuit': 134332, 'online have': 608353, 'been ordering': 121611, 'ordering more': 618982, 'local online have': 498230, 'online have you': 608354, 'you been ordering': 1017426, 'been ordering more': 121612, 'ordering more item': 618983, 'more item online': 539635, 'ration limit': 697705, 'touch thing': 926559, 'buying try': 151271, 'avoid touchscreen': 105360, 'touchscreen do': 926772, 'not park': 570961, 'park next': 641949, 'others 10': 621231, '10 consider': 1364, 'consider shop': 195098, 'highly stressful': 396104, 'environment right': 279141, 'stick to ration': 800064, 'to ration limit': 912765, 'ration limit do': 697706, 'not touch thing': 572235, 'touch thing you': 926561, 're not buying': 699079, 'not buying try': 568663, 'buying try to': 151272, 'to avoid touchscreen': 900953, 'avoid touchscreen do': 105361, 'touchscreen do not': 926773, 'do not park': 249796, 'not park next': 570962, 'park next to': 641950, 'next to others': 561626, 'to others 10': 911129, 'others 10 consider': 621232, '10 consider shop': 1365, 'consider shop worker': 195099, 'shop worker supermarket': 761093, 'worker supermarket employee': 1007857, 'employee are working': 273633, 'working in highly': 1008716, 'in highly stressful': 423701, 'highly stressful environment': 396105, 'stressful environment right': 813494, 'environment right now': 279142, 'dollargeneral': 253119, 'wish every': 996752, 'america would': 51751, 'would reserve': 1012189, 'like dollargeneral': 490136, 'wish every grocery': 996753, 'in america would': 420244, 'america would reserve': 51754, 'would reserve the': 1012190, 'first two hour': 309143, 'two hour of': 936962, 'operation for senior': 613186, 'for senior to': 325482, 'senior to shop': 750431, 'to shop like': 914468, 'shop like dollargeneral': 760404, 'itsupport': 464001, 'update all': 946848, 'all building': 42223, 'building on': 142122, 'on campus': 599784, 'campus are': 157327, 'closed with': 183443, 'all campus': 42278, 'campus computer': 157331, 'computer lab': 192741, 'closed if': 183167, 'if student': 414887, 'student require': 814764, 'require access': 713293, 'computer please': 192755, 'email itsupport': 272224, 'itsupport ca': 464002, 'ca full': 154876, 'full update': 340957, '19 update all': 11653, 'update all building': 946849, 'all building on': 42224, 'building on campus': 142123, 'on campus are': 599785, 'campus are now': 157328, 'now closed with': 574408, 'closed with the': 183444, 'exception of retail': 289276, 'retail store all': 718602, 'store all campus': 806130, 'all campus computer': 42279, 'campus computer lab': 157332, 'computer lab are': 192742, 'lab are now': 478250, 'now closed if': 574402, 'closed if student': 183168, 'if student require': 414888, 'student require access': 814765, 'require access to': 713294, 'access to computer': 28222, 'to computer please': 903159, 'computer please email': 192756, 'please email itsupport': 659953, 'email itsupport ca': 272225, 'itsupport ca full': 464003, 'ca full update': 154877, '2bn': 16563, 'trim': 932013, 'outlay': 629010, 'theeconomist': 872328, 'g20saudiarabia': 342676, 'oilwar': 597738, 'if oil': 414526, 'low saudiarabia': 505590, 'saudiarabia will': 737368, 'to plug': 911826, 'plug budget': 661215, 'budget shortfall': 141815, 'shortfall of': 765371, 'of 2bn': 579549, '2bn week': 16566, 'only g20': 610494, 'g20 member': 342668, 'member to': 528220, 'to trim': 917784, 'trim outlay': 932014, 'outlay during': 629011, 'pandemic theeconomist': 636714, 'theeconomist on': 872329, 'on oilprice': 602497, 'oilprice g20saudiarabia': 597613, 'g20saudiarabia 19': 342677, '19 oilandgas': 8910, 'oilandgas oilwar': 597553, 'if oil price': 414527, 'oil price stay': 597272, 'price stay low': 676628, 'stay low saudiarabia': 797122, 'low saudiarabia will': 505591, 'saudiarabia will need': 737369, 'need to plug': 556013, 'to plug budget': 911827, 'plug budget shortfall': 661216, 'budget shortfall of': 141816, 'shortfall of 2bn': 765372, 'of 2bn week': 579550, '2bn week it': 16567, 'is already the': 445541, 'already the only': 47716, 'the only g20': 862308, 'only g20 member': 610495, 'g20 member to': 342669, 'member to trim': 528222, 'to trim outlay': 917785, 'trim outlay during': 932015, 'outlay during the': 629012, 'the pandemic theeconomist': 863122, 'pandemic theeconomist on': 636715, 'theeconomist on oilprice': 872330, 'on oilprice g20saudiarabia': 602498, 'oilprice g20saudiarabia 19': 597614, 'g20saudiarabia 19 oilandgas': 342678, '19 oilandgas oilwar': 8911, 'fighter': 305002, 'peple': 650640, 'dear fighter': 229789, 'fighter according': 305003, 'expert peple': 291912, 'peple with': 650641, 'with disease': 998079, 'disease ve': 245266, 've higher': 953261, 'higher of': 395633, 'of therefore': 591803, 'therefore requested': 879457, 'care make': 164057, 'make habit': 509953, 'of washing': 592919, 'hand drink': 374903, 'drink plenty': 258872, 'water eat': 968971, 'eat nutritious': 266001, 'with infection': 998995, 'but take': 147254, 'dear fighter according': 229790, 'fighter according to': 305004, 'to expert peple': 905467, 'expert peple with': 291913, 'peple with disease': 650642, 'with disease ve': 998081, 'disease ve higher': 245267, 've higher of': 953262, 'higher of therefore': 395634, 'of therefore requested': 591804, 'therefore requested to': 879458, 'requested to take': 713259, 'take care make': 832010, 'care make habit': 164058, 'make habit of': 509954, 'habit of washing': 372663, 'of washing hand': 592920, 'washing hand drink': 967667, 'hand drink plenty': 374904, 'drink plenty of': 258873, 'plenty of water': 660990, 'of water eat': 592940, 'water eat nutritious': 968972, 'eat nutritious food': 266002, 'nutritious food don': 577763, 'food don panic': 314262, 'don panic with': 253818, 'panic with infection': 638795, 'with infection but': 998996, 'infection but take': 436725, 'but take care': 147256, 'monitored': 537329, 'igetit': 415723, 'being monitored': 125436, 'monitored back': 537330, 'home look': 401553, 'look draconian': 502339, 'but igetit': 146003, 'igetit staythefhome': 415724, 'staythefhome socialdistancing': 799063, 'selfisolation stopthespread': 748501, 'how is being': 408083, 'is being monitored': 446095, 'being monitored back': 125437, 'monitored back home': 537331, 'back home look': 107063, 'home look draconian': 401554, 'look draconian but': 502340, 'draconian but igetit': 258134, 'but igetit staythefhome': 146004, 'igetit staythefhome socialdistancing': 415725, 'staythefhome socialdistancing selfisolation': 799064, 'socialdistancing selfisolation stopthespread': 780672, 'selfisolation stopthespread stoppanicbuying': 748502, 'multiplesclerosis': 545813, 'chronicillness': 178248, 'those wondering': 892740, 'wa helpful': 962303, 'helpful multiplesclerosis': 391210, 'multiplesclerosis chronicillness': 545814, 'for those wondering': 327152, 'those wondering about': 892741, 'wondering about catching': 1004148, 'about catching the': 24940, 'catching the at': 167113, 'store thought this': 810716, 'this wa helpful': 891070, 'wa helpful multiplesclerosis': 962304, 'helpful multiplesclerosis chronicillness': 391211, 'my black': 547468, 'black husband': 132071, 'person we': 652697, 'saw made': 738160, 'made comment': 507691, 'comment about': 188376, 'about him': 25386, 'him looking': 396653, 'to rob': 913609, 'store racism': 809725, 'the very first': 870705, 'very first time': 955168, 'first time my': 309105, 'time my black': 897242, 'my black husband': 547470, 'black husband and': 132072, 'husband and went': 411676, 'wearing mask the': 974717, 'mask the first': 519353, 'first person we': 308864, 'person we saw': 652698, 'we saw made': 973135, 'saw made comment': 738161, 'made comment about': 507692, 'comment about him': 188377, 'about him looking': 25390, 'him looking like': 396654, 'looking like he': 502956, 'going to rob': 355693, 'to rob the': 913614, 'rob the store': 724639, 'the store racism': 868088, 'movement due': 543866, 'it triggered': 461854, 'supermarket nation': 821567, 'nation wide': 552385, 'wide the': 991766, 'only middle': 610786, 'middle and': 530624, 'and upper': 74745, 'class over': 180235, 'over reaction': 630556, 'reaction the': 700207, 'class is': 180206, 'bother at': 136111, 'wake of restriction': 964600, 'of restriction of': 589040, 'of movement due': 586692, 'movement due to': 543867, '19 it triggered': 8158, 'it triggered panic': 461855, 'triggered panic buying': 931924, 'the supermarket nation': 868709, 'supermarket nation wide': 821568, 'nation wide the': 552388, 'wide the truth': 991767, 'truth is panic': 934396, 'buying is only': 150573, 'is only middle': 450542, 'only middle and': 610787, 'middle and upper': 530626, 'and upper class': 74746, 'upper class over': 947686, 'class over reaction': 180236, 'over reaction the': 630557, 'reaction the working': 700210, 'working class is': 1008562, 'class is not': 180208, 'is not bother': 450039, 'not bother at': 568596, 'bother at all': 136112, 'invercargill': 443735, 'hectic': 388709, 'so live': 777564, 'zealand in': 1027293, 'in invercargill': 424132, 'invercargill so': 443736, 'far new': 298861, 'zealand ha': 1027287, 'ha 11': 369392, '11 confirmed': 2506, 'here went': 393795, 'expecting it': 291041, 'be hectic': 115187, 'hectic it': 388711, 'wa beyond': 961696, 'okay so live': 598007, 'so live at': 777566, 'live at the': 495736, 'bottom of new': 136418, 'of new zealand': 586992, 'new zealand in': 559989, 'zealand in invercargill': 1027294, 'in invercargill so': 424133, 'invercargill so far': 443737, 'so far new': 777043, 'far new zealand': 298862, 'new zealand ha': 559986, 'zealand ha 11': 1027288, 'ha 11 confirmed': 369393, '11 confirmed case': 2507, 'which are here': 985683, 'are here went': 87124, 'here went to': 393796, 'to supermarket this': 915848, 'evening and while': 284850, 'and while wa': 75573, 'while wa expecting': 987520, 'wa expecting it': 962098, 'expecting it to': 291042, 'to be hectic': 901298, 'be hectic it': 115188, 'hectic it wa': 388712, 'it wa beyond': 462078, 'wa beyond that': 961698, 'hqsn': 409587, 'bidder': 129501, 'hqsn need': 409588, 'some celebrity': 782506, 'celebrity bidder': 168878, 'bidder to': 129509, 'price pricing': 675998, 'pricing rule': 677973, 'full effect': 340577, 'effect reach': 269106, 'reach into': 699931, 'into those': 443229, 'those pocket': 892354, 'pocket and': 662151, 'and dig': 61353, 'hqsn need some': 409589, 'need some celebrity': 555588, 'some celebrity bidder': 782507, 'celebrity bidder to': 168879, 'bidder to drive': 129510, 'drive up the': 259251, 'the price pricing': 864398, 'price pricing rule': 675999, 'pricing rule in': 677974, 'rule in full': 727264, 'in full effect': 423161, 'full effect reach': 340578, 'effect reach into': 269107, 'reach into those': 699932, 'into those pocket': 443232, 'those pocket and': 892355, 'pocket and dig': 662152, 'and dig deep': 61354, 'cheeseheads': 175232, 'hey ron': 394498, 'ron all': 725768, 'all cheeseheads': 42338, 'cheeseheads know': 175233, 'economy wtf': 268380, 'wtf are': 1013268, 'do ron': 250051, 'ron wisconsin': 725775, 'hey ron all': 394499, 'ron all cheeseheads': 725769, 'all cheeseheads know': 42339, 'cheeseheads know that': 175234, 'that the united': 846859, 'state is consumer': 795692, 'driven economy wtf': 259317, 'economy wtf are': 268381, 'wtf are you': 1013270, 'to do ron': 904549, 'do ron wisconsin': 250052, 'downtownomaha': 257770, 'small neighborhood': 775040, 'neighborhood grocery': 557120, 'ago omaha': 38439, 'omaha downtownomaha': 598819, 'downtownomaha old': 257771, 'old market': 598358, 'shelf of our': 757364, 'of our small': 587564, 'our small neighborhood': 624800, 'small neighborhood grocery': 775041, 'neighborhood grocery store': 557121, 'store few day': 807713, 'day ago omaha': 227205, 'ago omaha downtownomaha': 38440, 'omaha downtownomaha old': 598820, 'downtownomaha old market': 257772, 'eat with': 266114, 'with stress': 1001010, 'stress might': 813365, 'so stressed that': 778283, 'stressed that have': 813465, 'that have to': 844241, 'so can eat': 776708, 'can eat with': 158206, 'eat with stress': 266116, 'with stress might': 1001012, 'stress might need': 813366, 'might need some': 531086, 'continue despite': 201019, 'sale continue despite': 732139, 'continue despite covid': 201020, 'you handle': 1018993, 'the laundry': 859175, 'laundry of': 482119, 'are laundromat': 87724, 'laundromat safe': 482097, 'safe these': 730025, 'day here': 227750, 'some simple': 783876, 'simple step': 770096, 'yourself while': 1026753, 'do you handle': 250636, 'you handle the': 1018994, 'handle the laundry': 376273, 'the laundry of': 859177, 'laundry of someone': 482120, 'of someone with': 589924, 'and are laundromat': 58329, 'are laundromat safe': 87725, 'laundromat safe these': 482098, 'safe these day': 730026, 'these day here': 879876, 'day here are': 227752, 'are some simple': 90287, 'some simple step': 783877, 'simple step to': 770098, 'protect yourself while': 685105, 'yourself while doing': 1026755, 'doing laundry in': 252510, 'age of the': 37876, 'paperless': 641150, 'online market': 608520, 'making kill': 511158, 'of re': 588763, 're look': 699007, 'into working': 443308, 'going paperless': 355415, 'paperless in': 641151, 'business transaction': 144569, 'transaction creating': 929445, 'creating smart': 216076, 'smart ai': 775326, 'robot port': 724802, 'port especially': 664881, 'africa every': 35072, 'every challenge': 285721, 'challenge demand': 171435, 'demand solution': 236253, 'online market are': 608521, 'market are making': 516026, 'are making kill': 87987, 'making kill covid': 511159, 'ha made all': 371202, 'made all of': 507622, 'all of re': 43707, 'of re look': 588765, 're look into': 699008, 'look into working': 502441, 'into working online': 443309, 'working online shopping': 1008833, 'shopping online going': 763436, 'online going paperless': 608304, 'going paperless in': 355416, 'paperless in government': 641152, 'government and business': 359859, 'and business transaction': 59305, 'business transaction creating': 144571, 'transaction creating smart': 929446, 'creating smart ai': 216077, 'smart ai robot': 775327, 'ai robot port': 39334, 'robot port especially': 724803, 'port especially in': 664882, 'in africa every': 420085, 'africa every challenge': 35073, 'every challenge demand': 285722, 'challenge demand solution': 171436, 'rothschild': 726187, 'god rothschild': 354791, 'rothschild you': 726189, 'mean like': 524523, 'like attending': 489846, 'attending briefing': 102402, 'aren available': 92335, 'then dumping': 877143, 'dumping consumer': 262224, 'medical drug': 526138, 'drug ppe': 261032, 'ppe stock': 668058, 'god rothschild you': 354792, 'rothschild you mean': 726190, 'you mean like': 1019823, 'mean like attending': 524524, 'like attending briefing': 489847, 'attending briefing on': 102403, '19 that aren': 11150, 'that aren available': 842850, 'aren available to': 92338, 'public then dumping': 688363, 'then dumping consumer': 877144, 'dumping consumer stock': 262225, 'consumer stock in': 199144, 'stock in exchange': 802262, 'exchange for medical': 289447, 'for medical drug': 323378, 'medical drug ppe': 526139, 'drug ppe stock': 261033, 'my boy': 547516, 'boy while': 137302, 'while mask': 987047, 'and my boy': 67355, 'my boy while': 547520, 'boy while mask': 137303, 'while mask price': 987048, 'mask price have': 519144, 'heated': 388498, 'hinder': 396834, 'week heated': 976321, 'heated oil': 388499, 'war fueled': 966443, 'fueled concern': 340324, 'that saudi': 846123, 'russia or': 728529, 'the would': 872085, 'would hinder': 1011927, 'hinder an': 396837, 'an opec': 56647, 'balance the': 108989, 'seen geopolitical': 747035, 'geopolitical move': 345972, 'move major': 543689, 'market rival': 517012, 'rival are': 724164, 'same page': 733198, 'page but': 633834, 'but mexico': 146384, 'mexico is': 530008, 'now reluctant': 575671, 'for week heated': 327715, 'week heated oil': 976322, 'heated oil price': 388500, 'price war fueled': 677358, 'war fueled concern': 966444, 'fueled concern that': 340325, 'concern that saudi': 193115, 'that saudi arabia': 846124, 'arabia russia or': 83922, 'russia or the': 728530, 'or the would': 617409, 'the would hinder': 872087, 'would hinder an': 1011928, 'hinder an opec': 396838, 'an opec effort': 56648, 'opec effort to': 611880, 'effort to balance': 269611, 'to balance the': 901010, 'balance the market': 108990, 'market but today': 516131, 'but today we': 147609, 'have seen geopolitical': 382425, 'seen geopolitical move': 747036, 'geopolitical move major': 345973, 'move major market': 543690, 'major market rival': 509388, 'market rival are': 517013, 'rival are on': 724166, 'the same page': 866271, 'same page but': 733199, 'page but mexico': 633835, 'but mexico is': 146385, 'mexico is now': 530009, 'is now reluctant': 450325, 'now reluctant to': 575672, 'reluctant to cut': 709620, 'wait almost': 964070, 'almost week': 46763, 'delivery self': 234417, 'current stock': 221385, 'carry me': 165107, 'that far': 843835, 'to wait almost': 918258, 'wait almost week': 964071, 'almost week for': 46764, 'my food delivery': 548379, 'food delivery self': 314143, 'delivery self isolating': 234418, 'isolating and do': 455054, 'not think my': 572078, 'think my current': 885410, 'my current stock': 547871, 'current stock of': 221386, 'food will carry': 317619, 'will carry me': 992881, 'carry me that': 165108, 'me that far': 523612, 'opinion canadian': 613455, 'shock writes': 759549, 'writes evan': 1012836, 'opinion canadian worried': 613456, 'particular shock writes': 642638, 'shock writes evan': 759550, 'writes evan fraser': 1012837, '116 it': 2674, 'up living': 945335, 'out daily': 625924, 'daily to': 224842, 'period isn': 651801, 'safe especially': 729630, 'rise here': 722866, 'in abuja': 419989, '116 it will': 2675, 'will help me': 993719, 'help me stock': 390078, 'stock up living': 803096, 'up living alone': 945336, 'alone and going': 46811, 'and going out': 63807, 'going out daily': 355367, 'out daily to': 625927, 'daily to buy': 224843, 'buy food this': 148682, 'food this period': 317197, 'this period isn': 889523, 'period isn safe': 651802, 'isn safe especially': 454655, 'safe especially the': 729631, 'especially the number': 280627, 'case is on': 165831, 'the rise here': 865854, 'rise here in': 722868, 'here in abuja': 393130, 'trendy': 931596, 'home decor': 400992, 'decor to': 231528, 'to trendy': 917771, 'trendy fashion': 931597, 'fashion local': 299827, 'and boutique': 59121, 'boutique are': 136933, 'from home decor': 335851, 'home decor to': 400994, 'decor to trendy': 231529, 'to trendy fashion': 917772, 'trendy fashion local': 931598, 'fashion local shop': 299828, 'local shop and': 498392, 'shop and boutique': 759839, 'and boutique are': 59122, 'boutique are still': 136934, 'open for business': 612242, 'for business during': 319829, 'sephora': 751131, 'hey sephora': 394506, 'sephora retail': 751139, 'worker how': 1007145, 'support do': 826458, 'hey sephora retail': 394507, 'sephora retail worker': 751140, 'retail worker how': 718890, 'worker how are': 1007146, 'how are all': 407387, 'are all doing': 84298, 'all doing right': 42609, 'now what kind': 576382, 'kind of support': 474947, 'of support do': 590511, 'support do all': 826459, 'do all need': 249042, 'smuggling': 775991, 'growthop': 367491, 'no smuggling': 565530, 'smuggling involved': 775994, 'involved black': 444342, 'market cannabis': 516146, 'cannabis price': 161431, 'absolutely wild': 27466, 'wild right': 992076, 'the growthop': 856887, 'growthop via': 367492, 'with no smuggling': 999789, 'no smuggling involved': 565532, 'smuggling involved black': 775995, 'involved black market': 444343, 'black market cannabis': 132088, 'market cannabis price': 516147, 'cannabis price are': 161432, 'price are absolutely': 672628, 'are absolutely wild': 84174, 'absolutely wild right': 27467, 'wild right now': 992077, 'right now the': 722153, 'now the growthop': 576044, 'the growthop via': 856888, 'food consumer': 313997, 'more digital': 539041, 'digital traceability': 242667, 'traceability post': 928141, 'coronavirus food consumer': 205934, 'food consumer will': 314001, 'consumer will demand': 199544, 'will demand more': 993154, 'demand more digital': 235885, 'more digital traceability': 539043, 'digital traceability post': 242668, 'traceability post covid': 928142, 'sanitiser manufacturer': 733987, 'temporarily relax': 837533, 'relax 2017': 708804, '2017 dangerous': 13851, 'dangerous good': 225743, 'good rule': 357678, 'rule they': 727377, 'is stopping': 452348, 'stopping them': 805833, 'them meeting': 876021, 'meeting the': 527768, 'huge covid': 410009, 'hand sanitiser manufacturer': 375237, 'sanitiser manufacturer are': 733988, 'manufacturer are calling': 513422, 'government to temporarily': 360740, 'to temporarily relax': 916361, 'temporarily relax 2017': 837534, 'relax 2017 dangerous': 708805, '2017 dangerous good': 13852, 'dangerous good rule': 225744, 'good rule they': 357679, 'rule they say': 727379, 'they say is': 883271, 'say is stopping': 738824, 'is stopping them': 452349, 'stopping them meeting': 805834, 'them meeting the': 876022, 'meeting the huge': 527772, 'the huge covid': 857697, 'huge covid 19': 410010, '19 induced demand': 7830, '700k': 21917, 'trump destroyed': 933509, 'set new': 753431, 'new unemployment': 559800, 'unemployment record': 941282, 'record yet': 705083, 'yet want': 1016310, 'take snap': 832587, 'snap away': 776074, 'from 700k': 334330, '700k people': 21920, 'nationwide shutdown': 552756, 'shutdown wonder': 768132, 'those voted': 892590, '2016 plan': 13840, 'so again': 776475, 'donald trump destroyed': 254108, 'trump destroyed the': 933510, 'destroyed the stock': 239074, 'stock market ha': 802401, 'market ha set': 516490, 'ha set new': 371870, 'set new unemployment': 753435, 'new unemployment record': 559802, 'unemployment record yet': 941283, 'record yet want': 705084, 'yet want to': 1016311, 'to take snap': 916236, 'take snap away': 832588, 'snap away from': 776075, 'away from 700k': 105856, 'from 700k people': 334331, '700k people in': 21921, 'middle of nationwide': 530681, 'of nationwide shutdown': 586872, 'nationwide shutdown wonder': 552757, 'shutdown wonder how': 768133, 'of those voted': 592125, 'those voted for': 892591, 'voted for him': 960553, 'for him in': 322285, 'him in 2016': 396634, 'in 2016 plan': 419777, '2016 plan to': 13841, 'plan to do': 658282, 'do so again': 250084, 'so again in': 776476, 'again in 2020': 37036, 'sick girl': 768461, 'girl 13': 350228, '13 crushed': 3201, 'crushed by': 219797, 'buyer in': 149667, 'supermarket rush': 822281, 'paper panicbuying': 640574, 'panicbuying disgraceful': 638928, 'this make me': 888748, 'make me feel': 510130, 'feel sick girl': 302843, 'sick girl 13': 768462, 'girl 13 crushed': 350229, '13 crushed by': 3202, 'crushed by panic': 219799, 'by panic buyer': 153518, 'panic buyer in': 637583, 'buyer in supermarket': 149669, 'in supermarket rush': 428659, 'supermarket rush for': 822282, 'rush for toilet': 728294, 'toilet paper panicbuying': 921385, 'paper panicbuying disgraceful': 640575, 'home doesn': 401089, 'doesn need': 251902, 'cough once': 208526, 'once me': 605676, 'me at home': 522471, 'at home doesn': 98976, 'home doesn need': 401090, 'doesn need to': 251906, 'need to cough': 555897, 'to cough once': 903609, 'cough once me': 208527, 'once me at': 605677, 'we too': 973549, 'too should': 925060, 'putting severe': 691216, 'severe restriction': 754050, 'all foreign': 42855, 'foreign investment': 328979, 'from coming': 334921, 'our farm': 623016, 'other vital': 621175, 'vital asset': 959673, 'at depressed': 98424, 'depressed price': 237600, 'we too should': 973554, 'too should be': 925061, 'be putting severe': 116648, 'putting severe restriction': 691217, 'severe restriction on': 754051, 'on all foreign': 599226, 'all foreign investment': 42856, 'foreign investment to': 328981, 'investment to prevent': 444074, 'prevent the chinese': 671730, 'the chinese and': 850843, 'chinese and others': 177191, 'others from coming': 621417, 'from coming in': 334922, 'coming in and': 188088, 'in and buying': 420354, 'buying up our': 151295, 'up our farm': 945700, 'our farm and': 623017, 'and other vital': 68430, 'other vital asset': 621176, 'vital asset at': 959674, 'asset at depressed': 96416, 'at depressed price': 98425, 'aitkin': 40444, 'sheriff': 758074, 'aitkin county': 40445, 'county sheriff': 211485, 'sheriff office': 758081, 'office receives': 595527, 'receives kn95': 703733, 'kn95 mask': 475968, 'aitkin county sheriff': 40446, 'county sheriff office': 211486, 'sheriff office receives': 758082, 'office receives kn95': 595528, 'receives kn95 mask': 703734, 'kn95 mask and': 475969, 'vomming': 960411, 'start vomming': 794628, 'vomming covid': 960412, '19 over': 9221, 'over each': 630169, 'their piss': 874306, 'piss ups': 656956, 'ups before': 947732, 'to binge': 901821, 'binge on': 131081, 'their stockpile': 874840, 'stockpile while': 803817, 'basic due': 111862, 'cannot wait for': 162212, 'wait for people': 964119, 'for people start': 324463, 'people start vomming': 649541, 'start vomming covid': 794629, 'vomming covid 19': 960413, 'covid 19 over': 213538, '19 over each': 9223, 'over each other': 630170, 'end of their': 275919, 'of their piss': 591689, 'their piss ups': 874308, 'piss ups before': 656957, 'ups before going': 947733, 'before going home': 122826, 'going home to': 355201, 'home to binge': 402310, 'to binge on': 901823, 'binge on their': 131082, 'on their stockpile': 604512, 'their stockpile while': 874841, 'stockpile while others': 803818, 'while others are': 987119, 'others are struggling': 621278, 'to buy even': 902224, 'buy even the': 148584, 'even the basic': 284647, 'the basic due': 849306, 'basic due to': 111863, 'due to empty': 261771, 'empty supermarket aisle': 275155, 'me yes': 524037, 'yes officer': 1015500, 'officer am': 595616, 'store officer': 809166, 'officer sir': 595718, 'sir town': 771665, 'other direction': 620106, 'direction californialockdown': 243453, 'californialockdown humor': 155628, 'me yes officer': 524038, 'yes officer am': 1015501, 'officer am on': 595618, 'am on my': 50281, 'grocery store officer': 365606, 'store officer sir': 809167, 'officer sir town': 595719, 'sir town is': 771666, 'town is the': 927500, 'the other direction': 862521, 'other direction californialockdown': 620107, 'direction californialockdown humor': 243454, 'cosatu': 207770, '014': 758, 'cosatu urge': 207773, 'utilize 0800': 951352, '0800 014': 1098, '014 880': 759, '880 toll': 23067, 'free number': 332005, 'report retailer': 712218, 'retailer charging': 719073, 'charging abnormal': 173453, 'cosatu urge all': 207774, 'urge all worker': 948153, 'all worker and': 45499, 'worker and their': 1006344, 'family to utilize': 298332, 'to utilize 0800': 918095, 'utilize 0800 014': 951353, '0800 014 880': 1099, '014 880 toll': 760, '880 toll free': 23068, 'toll free number': 923844, 'free number to': 332007, 'number to report': 577075, 'to report retailer': 913283, 'report retailer charging': 712219, 'retailer charging abnormal': 719074, 'charging abnormal price': 173454, 'abnormal price during': 24594, 'outbreak of and': 628476, 'of and taking': 580185, 'and taking advantage': 72995, 'of our people': 587533, 'summed': 817946, 'local street': 498489, 'street artist': 812912, 'artist who': 94628, 'who perfectly': 989420, 'perfectly summed': 651401, 'summed up': 817947, 'clear my': 181290, 'artist stophoarding': 94616, 'stopstockpiling coronacrisis': 805865, 'the local street': 859573, 'local street artist': 498490, 'street artist who': 812914, 'artist who perfectly': 94630, 'who perfectly summed': 989421, 'perfectly summed up': 651402, 'summed up my': 817949, 'up my thought': 945439, 'my thought on': 550357, 'current situation in': 221363, 'in our supermarket': 426344, 'our supermarket just': 625021, 'to be clear': 901168, 'be clear my': 114102, 'clear my daughter': 181291, 'daughter is not': 226869, 'not the local': 572012, 'street artist stophoarding': 812913, 'artist stophoarding stopstockpiling': 94617, 'stophoarding stopstockpiling coronacrisis': 805490, 'ludicrous': 506606, 'rallying': 696293, 'making toilet': 511473, 'paper meme': 640464, 'meme selling': 528353, 'for ludicrous': 323142, 'ludicrous throwing': 506609, 'throwing fist': 895091, 'fist in': 309443, 'team along': 835572, 'along our': 47015, 'in care': 421243, 'care are': 163851, 'are rallying': 89423, 'rallying with': 696302, 'with speed': 1000915, 'speed purpose': 788459, 'to deploy': 904184, 'deploy technology': 237453, 'technology solution': 836372, 'others are making': 621271, 'are making toilet': 88011, 'making toilet paper': 511474, 'toilet paper meme': 921358, 'paper meme selling': 640465, 'meme selling hand': 528354, 'sanitizer for ludicrous': 734912, 'for ludicrous throwing': 323143, 'ludicrous throwing fist': 506610, 'throwing fist in': 895092, 'fist in the': 309444, 'store my team': 809016, 'my team along': 550325, 'team along our': 835573, 'along our partner': 47016, 'our partner in': 624279, 'partner in care': 642835, 'in care are': 421245, 'care are rallying': 163852, 'are rallying with': 89425, 'rallying with speed': 696303, 'with speed purpose': 1000917, 'speed purpose to': 788460, 'purpose to deploy': 690160, 'to deploy technology': 904186, 'deploy technology solution': 237454, 'zorb': 1027872, 'video keep': 956802, 'on woman': 605357, 'england is': 277020, 'leave her': 484814, 'she attempt': 755871, 'do her': 249392, 'inside giant': 439268, 'giant inflatable': 349806, 'inflatable zorb': 436981, 'zorb uk': 1027873, 'lockdown panicbuying': 499770, 'panicbuying clapforourcarers': 638914, 'clapforourcarers chinavirus': 180011, 'chinavirus borisjohnson': 177142, 'video keep calm': 956803, 'calm and carry': 156684, 'and carry on': 59584, 'carry on woman': 165131, 'on woman in': 605359, 'woman in england': 1003513, 'in england is': 422580, 'england is told': 277021, 'told to leave': 923753, 'to leave her': 909152, 'leave her local': 484815, 'local supermarket after': 498497, 'after she attempt': 36184, 'she attempt to': 755872, 'attempt to do': 102242, 'to do her': 904516, 'do her shopping': 249393, 'her shopping from': 392375, 'shopping from inside': 762756, 'from inside giant': 336067, 'inside giant inflatable': 439269, 'giant inflatable zorb': 349807, 'inflatable zorb uk': 436982, 'zorb uk lockdown': 1027874, 'uk lockdown panicbuying': 938520, 'lockdown panicbuying clapforourcarers': 499772, 'panicbuying clapforourcarers chinavirus': 638915, 'clapforourcarers chinavirus borisjohnson': 180012, 'are or': 88830, 'or know': 615911, 'know company': 476331, 'with website': 1002057, 'website traffic': 975453, 'traffic or': 929124, 'please write': 660782, 'traffic back': 929058, 'back we': 107451, 'available we': 104692, 'would appreciate': 1011531, 'could rt': 209616, 'you are or': 1017190, 'are or know': 88832, 'or know company': 615912, 'know company who': 476332, 'company who is': 191320, 'who is struggling': 989117, 'is struggling with': 452399, 'struggling with website': 814550, 'with website traffic': 1002058, 'website traffic or': 975454, 'traffic or just': 929125, 'or just need': 615888, 'just need help': 469305, 'need help during': 554980, 'the pandemic please': 863057, 'pandemic please write': 636200, 'please write to': 660783, 'write to our': 1012799, 'team is ready': 835702, 'get the traffic': 348307, 'the traffic back': 869879, 'traffic back we': 929059, 'back we will': 107454, 'be offering the': 116164, 'offering the lowest': 595282, 'lowest price available': 506207, 'price available we': 672826, 'available we would': 104694, 'we would appreciate': 973966, 'would appreciate it': 1011532, 'appreciate it if': 82730, 'you could rt': 1018098, 'men in': 528495, 'never seen so': 558177, 'seen so many': 747239, 'so many men': 777676, 'many men in': 514279, 'men in supermarket': 528498, 'time in australia': 896979, 'in australia covid': 420602, 'sinkie': 771493, 'pwn': 691376, 'sinkie pwn': 771494, 'pwn sinkie': 691377, 'sinkie teen': 771496, 'sinkie pwn sinkie': 771495, 'pwn sinkie teen': 691378, 'sinkie teen arrested': 771497, 'ijs': 416007, 'boostyourimmunesystem': 135093, 'nutraburst': 577688, 'chemical hand': 175350, 'vegetable herb': 954003, 'work ijs': 1005287, 'ijs detox': 416008, 'detox boostyourimmunesystem': 239483, 'boostyourimmunesystem nutraburst': 135094, 'nutraburst cbd': 577689, 'cbd vitamin': 168331, 'toxic chemical hand': 927640, 'chemical hand sanitizers': 175351, 'fruit vegetable herb': 339182, 'vegetable herb are': 954004, 'system work ijs': 831395, 'work ijs detox': 1005288, 'ijs detox boostyourimmunesystem': 416009, 'detox boostyourimmunesystem nutraburst': 239484, 'boostyourimmunesystem nutraburst cbd': 135095, 'nutraburst cbd vitamin': 577690, 'recognizing': 704669, 'released an': 709012, 'find help': 306953, 'with recognizing': 1000420, 'recognizing and': 704670, 'and avoiding': 58581, 'avoiding fraud': 105455, 'fraud scheme': 331342, 'scheme please': 741578, 'commission website': 188916, 'the attorney office': 849036, 'attorney office ha': 102681, 'office ha released': 595434, 'ha released an': 371703, 'released an official': 709015, 'an official statement': 56571, 'official statement on': 595939, 'the coronavirus to': 851932, 'coronavirus to learn': 206950, '19 scam and': 10334, 'scam and find': 739998, 'and find help': 62886, 'find help with': 306956, 'help with recognizing': 390925, 'with recognizing and': 1000421, 'recognizing and avoiding': 704671, 'and avoiding fraud': 58583, 'avoiding fraud scheme': 105456, 'fraud scheme please': 331345, 'scheme please visit': 741579, 'please visit the': 660729, 'visit the federal': 959379, 'trade commission website': 928460, 'bitching': 131791, 'agressive': 38829, 'allyouneedislove': 46443, 'is drinking': 447375, 'drinking bottle': 258917, 'wine after': 995757, 'after bitching': 35419, 'bitching with': 131792, 'with agressive': 997121, 'agressive customer': 38830, 'really hot': 702317, 'hot security': 405041, 'security guy': 744634, 'who helped': 988991, 'long allyouneedislove': 501324, 'crisis is drinking': 217568, 'is drinking bottle': 447376, 'drinking bottle of': 258918, 'of wine after': 593176, 'wine after bitching': 995758, 'after bitching with': 35420, 'bitching with agressive': 131793, 'with agressive customer': 997122, 'agressive customer for': 38831, 'customer for hour': 222385, 'for hour by': 322390, 'hour by the': 405477, 'the way thanks': 871192, 'way thanks to': 969916, 'thanks to that': 842265, 'to that really': 916460, 'that really hot': 845962, 'really hot security': 702318, 'hot security guy': 405042, 'security guy who': 744635, 'guy who helped': 369229, 'who helped me': 988992, 'helped me all': 391082, 'me all day': 522369, 'day long allyouneedislove': 227933, 'governor announced': 360864, 'new novel': 559182, 'friendly public': 333986, 'public website': 688466, 'are sharing': 90021, 'sharing this': 755604, 'information with': 438046, 'making relevant': 511306, 'relevant real': 709170, 'information available': 437753, 'california governor announced': 155508, 'governor announced the': 360865, 'of new novel': 586976, 'new novel coronavirus': 559183, '19 consumer friendly': 5969, 'consumer friendly public': 197545, 'friendly public website': 333987, 'public website we': 688467, 'we are sharing': 970707, 'are sharing this': 90023, 'sharing this information': 755608, 'this information with': 888118, 'information with our': 438047, 'with our community': 999983, 'the hope of': 857493, 'hope of making': 403570, 'of making relevant': 586126, 'making relevant real': 511307, 'relevant real time': 709171, 'time information available': 897034, 'information available to': 437754, 'sometime': 785174, 'ask when': 95661, 'for antibody': 319385, 'antibody is': 78405, 'available know': 104474, 'know sometime': 476736, 'sometime away': 785175, 'away will': 106110, 'critical worker': 218727, 'worker key': 1007284, '1st or': 12775, 'from chemist': 334837, 'chemist supermarket': 175446, 'ha is': 370997, 'currently would': 221726, 'can ask when': 157530, 'ask when the': 95662, 'when the test': 984205, 'the test for': 869312, 'test for antibody': 838996, 'for antibody is': 319386, 'antibody is available': 78406, 'is available know': 445923, 'available know sometime': 104475, 'know sometime away': 476737, 'sometime away will': 785176, 'away will that': 106114, 'will that roll': 995125, 'that roll out': 846067, 'roll out on': 725453, 'out on critical': 626900, 'on critical worker': 600170, 'critical worker key': 218730, 'worker key worker': 1007285, 'key worker 1st': 473462, 'worker 1st or': 1006188, '1st or just': 12776, 'or just get': 615881, 'just get one': 468803, 'get one from': 347702, 'one from chemist': 606326, 'from chemist supermarket': 334839, 'chemist supermarket worker': 175447, 'worker who ha': 1008214, 'who ha is': 988853, 'ha is currently': 370998, 'is currently would': 447009, 'currently would be': 221727, 'be great to': 115095, 'great to know': 363070, 'the weather': 871251, 'weather people': 974888, 'american president': 52141, 'helping do': 391307, 'it lean': 459319, 'lean left': 483882, 'left or': 485596, 'or right': 616908, 'right he': 721927, 'sure it the': 827606, 'it the weather': 461586, 'the weather people': 871257, 'weather people feel': 974889, 'people feel it': 647892, 'feel it real': 302690, 'it real or': 460619, 'real or not': 701287, 'or not the': 616314, 'not the american': 571982, 'the american president': 848635, 'american president is': 52142, 'president is not': 670836, 'is not helping': 450104, 'not helping do': 569941, 'helping do not': 391308, 'care if it': 164014, 'if it lean': 414318, 'it lean left': 459320, 'lean left or': 483883, 'left or right': 485597, 'or right he': 616910, 'right he doesn': 721928, 'he doesn help': 384908, 'doesn help it': 251835, 'help it happening': 389944, 'article thank': 94477, 'kind and important': 474804, 'and important article': 65029, 'important article thank': 418743, 'article thank you': 94478, 'you the undervalued': 1021615, 'cheep': 175091, 'boi': 134045, 'the cheep': 850784, 'cheep gas': 175092, 'price 97': 672185, '97 damn': 23681, 'damn boi': 225323, 'for the cheep': 326342, 'the cheep gas': 850785, 'cheep gas price': 175093, 'gas price 97': 343925, 'price 97 damn': 672186, '97 damn boi': 23682, 'great study': 363013, 'study by': 814869, 'no exception': 564151, 'exception people': 289280, 'and otherwise': 68470, 'otherwise staying': 621869, 'staying indoors': 798651, 'indoors more': 435409, 'often how': 596210, 'and confidence': 60275, 'confidence been': 193836, 'great study by': 363014, 'study by our': 814871, 'by our insight': 153482, 'our insight team': 623560, 'insight team the': 439645, 'team the world': 835795, 'world is changing': 1009689, 'is changing and': 446464, 'changing and consumer': 172643, 'behavior is no': 124102, 'is no exception': 449926, 'no exception people': 564156, 'exception people adapt': 289281, 'adapt to working': 31292, 'to working from': 918819, 'home and otherwise': 400675, 'and otherwise staying': 68472, 'otherwise staying indoors': 621870, 'staying indoors more': 798654, 'indoors more often': 435410, 'more often how': 539901, 'often how have': 596211, 'how have their': 407974, 'have their behavior': 383046, 'their behavior and': 872577, 'behavior and confidence': 123881, 'and confidence been': 60276, 'confidence been affected': 193837, 'grower retail': 367108, 'legal marijuana': 485879, 'marijuana dispensary': 515714, 'dispensary in': 246122, 'in peterborough': 426665, 'peterborough open': 653552, '11 report': 2586, 'report there': 712365, 'currently people': 221629, 'the lineup': 859428, 'lineup on': 493669, 'on george': 601078, 'george st': 346018, 'st distancing': 791693, 'distancing tape': 247520, 'tape is': 834361, 'sidewalk the': 768954, 'only allow': 610054, 'allow customer': 45939, 'time cannabis': 896451, 'grower retail the': 367110, 'retail the first': 718775, 'the first legal': 855322, 'first legal marijuana': 308758, 'legal marijuana dispensary': 485880, 'marijuana dispensary in': 515715, 'dispensary in peterborough': 246123, 'in peterborough open': 426666, 'peterborough open at': 653553, 'open at 11': 612094, 'at 11 report': 97440, '11 report there': 2587, 'report there are': 712366, 'are currently people': 85670, 'currently people in': 221630, 'in the lineup': 429322, 'the lineup on': 859430, 'lineup on george': 493670, 'on george st': 601079, 'george st distancing': 346019, 'st distancing tape': 791694, 'distancing tape is': 247521, 'tape is on': 834362, 'on the sidewalk': 604364, 'the sidewalk the': 867165, 'sidewalk the store': 768956, 'store will only': 811339, 'will only allow': 994326, 'only allow customer': 610056, 'allow customer at': 45940, 'at time cannabis': 101287, 'why to': 991481, 'send gift': 749866, 'gift during': 349966, 'pandemic despite': 635295, 'despite shuttered': 238852, 'shuttered store': 768219, 'amazon limitation': 51031, 'and why to': 75637, 'why to send': 991483, 'to send gift': 914212, 'send gift during': 749867, 'gift during the': 349967, 'coronavirus pandemic despite': 206455, 'pandemic despite shuttered': 635298, 'despite shuttered store': 238853, 'shuttered store and': 768220, 'store and amazon': 806193, 'and amazon limitation': 58047, 'famillies': 297540, 'time another': 896309, 'another journalist': 77689, 'journalist asks': 467425, 'asks the': 96162, 'government about': 359812, 'about rationing': 26043, 'rationing food': 697810, 'and looting': 66390, 'looting another': 503251, 'another number': 77729, 'of poorer': 588224, 'poorer famillies': 664350, 'famillies will': 297541, 'be step': 117363, 'step closer': 799519, 'without enough': 1002613, 'food irresponsible': 315105, 'irresponsible journalism': 445058, 'journalism coronacrisis': 467406, 'coronacrisis stayhomestaysafe': 204777, 'every time another': 286301, 'time another journalist': 896310, 'another journalist asks': 77690, 'journalist asks the': 467426, 'asks the government': 96165, 'the government about': 856505, 'government about rationing': 359814, 'about rationing food': 26044, 'rationing food and': 697811, 'food and looting': 313273, 'and looting another': 66391, 'looting another number': 503252, 'another number of': 77730, 'buy and another': 148315, 'and another number': 58165, 'number of poorer': 576974, 'of poorer famillies': 588225, 'poorer famillies will': 664351, 'famillies will be': 297542, 'will be step': 992698, 'be step closer': 117365, 'step closer to': 799520, 'closer to going': 183517, 'to going without': 906904, 'going without enough': 355817, 'without enough food': 1002614, 'enough food irresponsible': 277400, 'food irresponsible journalism': 315106, 'irresponsible journalism coronacrisis': 445059, 'journalism coronacrisis stayhomestaysafe': 467407, 'standtogether': 793857, 'question anybody': 693536, 'anybody ever': 80078, 'death case': 229999, 'case due': 165721, 'paper pls': 640600, 'pls stop': 661184, 'shopping standtogether': 763963, 'standtogether oneworld': 793858, 'oneworld compassion': 607576, 'compassion empathy': 191485, 'empathy solidarity': 273362, 'solidarity stoppanicbuying': 781944, 'question anybody ever': 693537, 'anybody ever heard': 80079, 'ever heard of': 285351, 'heard of death': 388119, 'of death case': 582414, 'death case due': 230000, 'case due to': 165722, 'lack of loo': 478635, 'of loo paper': 586004, 'loo paper pls': 502157, 'paper pls stop': 640601, 'pls stop panic': 661185, 'panic shopping standtogether': 638588, 'shopping standtogether oneworld': 763964, 'standtogether oneworld compassion': 793859, 'oneworld compassion empathy': 607577, 'compassion empathy solidarity': 191486, 'empathy solidarity stoppanicbuying': 273363, '19 started': 10781, 'started hitting': 794746, 'industry early': 435792, 'early with': 264755, 'survey by': 828826, 'restaurant association': 716320, 'zealand showing': 1027308, 'showing almost': 767413, 'almost one': 46717, 'one third': 607245, 'owner let': 632488, 'let staff': 487066, 'first three': 309087, 'march frank': 515368, 'covid 19 started': 213855, '19 started hitting': 10783, 'started hitting the': 794747, 'hitting the hospitality': 398598, 'hospitality industry early': 404784, 'industry early with': 435793, 'early with survey': 264756, 'with survey by': 1001099, 'survey by the': 828832, 'by the restaurant': 154426, 'the restaurant association': 865646, 'restaurant association of': 716321, 'association of new': 96971, 'new zealand showing': 559996, 'zealand showing almost': 1027309, 'showing almost one': 767414, 'almost one third': 46718, 'one third of': 607246, 'third of business': 886085, 'of business owner': 580964, 'business owner let': 144187, 'owner let staff': 632489, 'let staff go': 487067, 'staff go in': 792494, 'the first three': 855357, 'first three week': 309089, 'three week of': 894113, 'of march frank': 586207, 'spiked': 789336, '198': 12438, '817': 22792, 'have spiked': 382691, 'spiked by': 789342, 'by 186': 151561, '186 cold': 4651, 'cold amp': 185730, 'amp flu': 53813, 'flu product': 311447, 'product 198': 680824, '198 and': 12439, 'by 817': 151713, '817 according': 22793, 'online purchase in': 608825, 'purchase in the': 689507, 'in the for': 429212, 'the for toilet': 855675, 'paper have spiked': 640260, 'have spiked by': 382693, 'spiked by 186': 789343, 'by 186 cold': 151562, '186 cold amp': 4652, 'cold amp flu': 185731, 'amp flu product': 53814, 'flu product 198': 311448, 'product 198 and': 680825, '198 and hand': 12440, 'hand sanitizers glove': 375697, 'sanitizers glove mask': 736293, 'glove mask by': 352771, 'mask by 817': 518503, 'by 817 according': 151714, '817 according to': 22794, 'favorite daily': 300507, 'daily read': 224767, 'read with': 700667, 'their take': 874942, 'on via': 605044, 'my favorite daily': 548269, 'favorite daily read': 300508, 'daily read with': 224768, 'read with their': 700668, 'with their take': 1001603, 'their take on': 874944, 'take on via': 832412, 'croaking': 218820, 'hoarded everything': 398938, 'could carry': 208989, 'carry is': 165098, 'is croaking': 446948, 'croaking from': 218821, 'world better': 1009358, 'better place': 128409, 'hope everyone who': 403464, 'everyone who went': 287610, 'supermarket and hoarded': 819002, 'and hoarded everything': 64638, 'hoarded everything they': 398939, 'everything they could': 288048, 'they could carry': 881818, 'could carry is': 208990, 'carry is croaking': 165099, 'is croaking from': 446949, 'croaking from covid': 218822, 'would make this': 1012027, 'make this world': 510655, 'this world better': 891504, 'world better place': 1009360, 'melting': 527986, 'that melting': 845138, 'melting pot': 527989, 'pot going': 666882, 'going canada': 355076, 'canada racism': 160540, 'how that melting': 408793, 'that melting pot': 845139, 'melting pot going': 527990, 'pot going canada': 666883, 'going canada racism': 355077, 'didiza said': 240964, 'said all': 730957, 'firm that': 308427, 'that formed': 843946, 'formed part': 329609, 'production chain': 681963, 'would remain': 1012181, 'agriculture and rural': 38934, 'thoko didiza said': 891705, 'didiza said all': 240965, 'said all food': 730959, 'all food retailer': 42821, 'food retailer and': 316221, 'retailer and firm': 718965, 'and firm that': 62926, 'firm that formed': 308429, 'that formed part': 843947, 'formed part of': 329610, 'the food production': 855590, 'food production chain': 316041, 'production chain would': 681964, 'chain would remain': 171274, 'would remain open': 1012182, 'remain open to': 709827, 'open to ensure': 612593, 'of food remains': 583761, 'acrylic': 29564, 'etsyshop': 283190, 'there just': 878679, 'promote my': 683784, 'my etsy': 548112, 'etsy shop': 283187, 'shop hope': 760289, 'these piece': 880486, 'piece art': 656271, 'art acrylic': 94131, 'acrylic painting': 29567, 'painting and': 634313, 'and lowered': 66461, 'lowered them': 506088, 'more reasonable': 540195, 'reasonable for': 703095, 'affected financially': 34357, 'financially by': 306665, '19 etsyshop': 6849, 'hi there just': 394751, 'there just want': 878683, 'want to promote': 966090, 'to promote my': 912253, 'promote my etsy': 683785, 'my etsy shop': 548113, 'etsy shop hope': 283189, 'shop hope you': 760291, 'hope you guy': 403799, 'guy are willing': 368910, 'willing to check': 995465, 'it out all': 460172, 'out all of': 625603, 'of these piece': 591852, 'these piece art': 880487, 'piece art acrylic': 656272, 'art acrylic painting': 94132, 'acrylic painting and': 29568, 'painting and lowered': 634314, 'and lowered them': 66463, 'lowered them from': 506089, 'them from their': 875756, 'from their original': 337946, 'original price to': 619582, 'be more reasonable': 115991, 'more reasonable for': 540196, 'reasonable for those': 703096, 'those affected financially': 891779, 'affected financially by': 34358, 'financially by covid': 306666, 'covid 19 etsyshop': 213042, 'keyworkerheroes': 473590, 'helpnhs': 391612, 'out much': 626588, 'can every': 158264, 'cleaner trolley': 180861, 'trolley person': 932459, 'person are': 652317, 'want stayhomesavelives': 965931, 'stayhomesavelives keyworkerheroes': 798406, 'keyworkerheroes helpnhs': 473593, 'you we will': 1022208, 'will keep on': 993895, 'keep on working': 471712, 'on working hard': 605375, 'working hard and': 1008678, 'hard and put': 377862, 'and put out': 69813, 'put out much': 690754, 'out much stock': 626591, 'much stock we': 545324, 'stock we can': 803157, 'we can every': 970943, 'can every supermarket': 158265, 'every supermarket staff': 286268, 'staff cleaner trolley': 792324, 'cleaner trolley person': 180862, 'trolley person are': 932460, 'person are risking': 652319, 'life so you': 489054, 'can have the': 158588, 'have the product': 383014, 'the product and': 864583, 'product and food': 680885, 'and food you': 63110, 'food you want': 317725, 'you want stayhomesavelives': 1022155, 'want stayhomesavelives keyworkerheroes': 965932, 'stayhomesavelives keyworkerheroes helpnhs': 798407, 'market look': 516694, 'pandemic analyst': 634856, 'thinking restaurant': 885986, 'restaurant will': 716805, 'experience spike': 291482, 'sale human': 732284, 'human crave': 410477, 'crave interaction': 215165, 'interaction and': 441229, 'will replace': 994654, 'replace in': 711583, 'person shopping': 652598, 'the consumer market': 851559, 'consumer market look': 198101, 'market look like': 516695, 'look like after': 502457, 'like after this': 489731, 'this pandemic analyst': 889366, 'pandemic analyst are': 634857, 'analyst are thinking': 57107, 'are thinking restaurant': 91046, 'thinking restaurant will': 885987, 'restaurant will be': 716806, 'to experience spike': 905460, 'experience spike in': 291483, 'spike in sale': 789310, 'in sale human': 427656, 'sale human crave': 732285, 'human crave interaction': 410478, 'crave interaction and': 215166, 'interaction and online': 441231, 'shopping will replace': 764417, 'will replace in': 994655, 'replace in person': 711584, 'in person shopping': 426640, 'person shopping even': 652600, 'inhabitant': 438418, 'day walmart': 228660, 'and inhabitant': 65234, 'inhabitant seem': 438421, 'have developed': 380251, 'to initial': 908393, 'initial consumer': 438522, 'panic inadequate': 638207, 'inadequate market': 431204, 'market response': 516998, 'general idiocy': 345359, 'idiocy corona': 413427, 'corona beer': 203821, 'beer is': 122473, 'only alcoholic': 610050, 'beverage available': 128990, 'may god': 521215, 'god save': 354796, 'quarantine day walmart': 692137, 'day walmart employee': 228661, 'walmart employee and': 965319, 'employee and inhabitant': 273565, 'and inhabitant seem': 65235, 'inhabitant seem to': 438422, 'to have developed': 907230, 'have developed an': 380252, 'developed an immunity': 239679, 'an immunity to': 56180, 'immunity to covid': 417440, 'due to initial': 261831, 'to initial consumer': 908394, 'initial consumer panic': 438523, 'consumer panic inadequate': 198331, 'panic inadequate market': 638208, 'inadequate market response': 431205, 'market response and': 516999, 'response and general': 715618, 'and general idiocy': 63510, 'general idiocy corona': 345360, 'idiocy corona beer': 413428, 'corona beer is': 203823, 'beer is now': 122475, 'now the only': 576055, 'the only alcoholic': 862286, 'only alcoholic beverage': 610051, 'alcoholic beverage available': 41206, 'beverage available on': 128991, 'available on store': 104534, 'on store shelf': 603700, 'store shelf may': 810088, 'shelf may god': 757312, 'may god save': 521219, 'god save all': 354797, 'couponers': 211773, 'vibing': 956404, 'those extreme': 891980, 'extreme couponers': 293789, 'couponers who': 211774, 'food must': 315490, 'be vibing': 117989, 'vibing so': 956405, 'hard rn': 378009, 'those extreme couponers': 891981, 'extreme couponers who': 293790, 'couponers who stock': 211775, 'who stock up': 989685, 'and food must': 63070, 'food must be': 315491, 'must be vibing': 546558, 'be vibing so': 117990, 'vibing so hard': 956406, 'so hard rn': 777253, 'cracking': 214740, 'sleaze': 773738, 'upcharging': 946778, 'general cracking': 345309, 'cracking down': 214741, 'some shady': 783835, 'shady sleaze': 754354, 'sleaze bag': 773739, 'bag upcharging': 108442, 'upcharging hand': 946779, 'sanitizers by': 736239, 'by massive': 153183, 'massive margin': 520057, 'margin customer': 515620, 'customer fined': 222377, 'fined them': 307763, 'out took': 627727, 'of receipt': 588814, 'receipt and': 703396, 'store price': 809645, 'price michigan': 675230, 'michigan pricegouging': 530359, 'attorney general cracking': 102630, 'general cracking down': 345310, 'cracking down on': 214742, 'down on some': 257036, 'on some shady': 603569, 'some shady sleaze': 783836, 'shady sleaze bag': 754355, 'sleaze bag upcharging': 773740, 'bag upcharging hand': 108443, 'upcharging hand sanitizers': 946780, 'hand sanitizers by': 375685, 'sanitizers by massive': 736241, 'by massive margin': 153184, 'massive margin customer': 520058, 'margin customer fined': 515621, 'customer fined them': 222378, 'fined them out': 307764, 'them out took': 876136, 'out took photo': 627728, 'photo of receipt': 655210, 'of receipt and': 588815, 'receipt and store': 703398, 'and store price': 72513, 'store price michigan': 809647, 'price michigan pricegouging': 675231, 'logic behind': 500645, 'behind suspending': 124702, 'doesn this': 251977, 'do who': 250537, 'understand the logic': 940762, 'the logic behind': 859657, 'logic behind suspending': 500646, 'behind suspending online': 124703, 'australia doesn this': 103267, 'doesn this mean': 251978, 'this mean more': 888812, 'are shopping in': 90060, 'and spreading and': 72153, 'spreading and what': 790926, 'are people supposed': 89054, 'to do who': 904591, 'do who cannot': 250538, 'job done': 465800, 'can member': 158992, 'representative who': 712926, 'who hearing': 988980, 'hearing are': 388194, 'in session': 427825, 'session agree': 753266, 'store worker police': 811561, 'worker police officer': 1007601, 'officer and nurse': 595628, 'nurse can come': 577234, 'can come into': 157934, 'into work to': 443307, 'work to get': 1005888, 'get the job': 348258, 'the job done': 858656, 'job done right': 465801, 'done right now': 254992, 'so can member': 776718, 'can member of': 158993, 'the house of': 857619, 'of representative who': 588951, 'representative who hearing': 712927, 'who hearing are': 988981, 'hearing are afraid': 388195, 'afraid of catching': 34995, 'of catching virus': 581211, 'catching virus in': 167129, 'virus in session': 958328, 'in session agree': 427826, 'infested': 436933, 'around from': 93297, 'from malware': 336318, 'malware infested': 511898, 'infested tracker': 436934, 'tracker to': 928302, 'to fraudulent': 906227, 'fraudulent cure': 331456, 'gouger check': 359211, 'info with': 437617, 'lot of going': 504196, 'of going around': 584188, 'going around from': 355026, 'around from malware': 93299, 'from malware infested': 336319, 'malware infested tracker': 511899, 'infested tracker to': 436935, 'tracker to fraudulent': 928303, 'to fraudulent cure': 906230, 'fraudulent cure to': 331457, 'cure to price': 220835, 'to price gouger': 912119, 'price gouger check': 674241, 'gouger check out': 359212, 'check out consumer': 174541, 'out consumer alert': 625876, 'alert for more': 41418, 'for more please': 323590, 'more please share': 540085, 'share this info': 755284, 'this info with': 888105, 'info with your': 437619, 'with your loved': 1002212, 'nurse nursing': 577429, 'assistant care': 96776, 'driver binmen': 259465, 'binmen woman': 131111, 'woman pharmacist': 1003573, 'pharmacist personal': 654167, 'personal assistant': 652789, 'assistant assisted': 96772, 'living service': 496446, 'forgotten thankyou': 329460, 'thankyou stayathome': 842351, 'doctor nurse nursing': 251027, 'nurse nursing assistant': 577430, 'nursing assistant care': 577599, 'assistant care worker': 96777, 'care worker shop': 164303, 'worker shop worker': 1007768, 'taxi driver binmen': 835153, 'driver binmen woman': 259466, 'binmen woman pharmacist': 131112, 'woman pharmacist personal': 1003574, 'pharmacist personal assistant': 654168, 'personal assistant assisted': 652790, 'assistant assisted living': 96773, 'assisted living service': 96816, 'living service and': 496447, 'service and anyone': 752070, 'and anyone have': 58226, 'anyone have forgotten': 80351, 'have forgotten thankyou': 380694, 'forgotten thankyou stayathome': 329461, 'thankyou stayathome staysafe': 842352, 'lower usdollar': 506045, 'usdollar hold': 948995, 'hold up': 400040, 'amid worry': 52766, 'worry gld': 1010717, 'gld oil': 351658, 'gold price lower': 355964, 'price lower usdollar': 675130, 'lower usdollar hold': 506046, 'usdollar hold up': 948996, 'hold up amid': 400041, 'up amid worry': 944283, 'amid worry gld': 52767, 'worry gld oil': 1010718, 'unl': 942552, 'nuforne': 576774, 'nubiz': 576752, 'confidence fell': 193863, 'in nebraska': 425717, 'nebraska during': 553902, 'during march': 262788, 'decline appeared': 231302, 'appeared to': 82153, 'be related': 116755, 'with 24': 996988, '24 of': 15660, 'of responding': 589002, 'responding business': 715560, 'and 11': 57357, '11 of': 2565, 'responding household': 715566, 'household specifically': 406942, 'specifically mentioning': 788287, 'mentioning the': 528858, 'virus unl': 958960, 'unl nuforne': 942553, 'nuforne nubiz': 576775, 'business confidence fell': 143565, 'confidence fell in': 193864, 'fell in nebraska': 303205, 'in nebraska during': 425719, 'nebraska during march': 553903, 'during march 2020': 262789, '2020 the decline': 14638, 'the decline appeared': 853005, 'decline appeared to': 231303, 'appeared to be': 82154, 'to be related': 901495, 'be related to': 116756, 'pandemic with 24': 637022, 'with 24 of': 996989, '24 of responding': 15661, 'of responding business': 589003, 'responding business and': 715561, 'business and 11': 143285, 'and 11 of': 57358, '11 of responding': 2567, 'of responding household': 589004, 'responding household specifically': 715567, 'household specifically mentioning': 406943, 'specifically mentioning the': 788288, 'mentioning the virus': 528859, 'the virus unl': 870911, 'virus unl nuforne': 958961, 'unl nuforne nubiz': 942554, 'thanksgiving': 842293, 'is longer': 449436, 'eye can': 294012, 'see and': 744904, 'and reminds': 70226, 'of thanksgiving': 590703, 'thanksgiving day': 842296, 'day store': 228411, 'opening socialdistancing': 612903, 'easter passover': 265476, 'supermarket that we': 823202, 'are in right': 87430, 'now it is': 575119, 'it is longer': 459004, 'is longer than': 449437, 'longer than the': 502077, 'than the eye': 841233, 'the eye can': 854786, 'eye can see': 294013, 'can see and': 159531, 'see and reminds': 744907, 'and reminds me': 70228, 'me of thanksgiving': 523246, 'of thanksgiving day': 590704, 'thanksgiving day store': 842297, 'day store opening': 228414, 'store opening socialdistancing': 809283, 'opening socialdistancing easter': 612904, 'socialdistancing easter passover': 780343, 'shaped': 754863, 'gold shaped': 356001, 'shaped bounce': 754864, 'bounce are': 136799, 'in pm': 426809, 'pm yet': 662027, 'yet socialdistance': 1016232, 'day gold shaped': 227683, 'gold shaped bounce': 356002, 'shaped bounce are': 754865, 'bounce are you': 136800, 'you in pm': 1019313, 'in pm yet': 426810, 'pm yet socialdistance': 662028, 'yet socialdistance border': 1016233, 'kplccustomercare': 477593, 'moreover': 541057, 'hydrogeneration': 411973, 'dam': 225165, 'kplccustomercare in': 477594, 'rebound during': 703304, '19 adversity': 4819, 'adversity why': 33140, 'cannot you': 162239, 'you lower': 1019737, 'power rate': 667671, 'all kenyan': 43308, 'kenyan moreover': 472978, 'moreover the': 541070, 'the hydrogeneration': 857780, 'hydrogeneration dam': 411974, 'dam are': 225166, 'global petroleum': 352128, 'petroleum price': 653825, 'to below': 901753, 'below usd': 126767, 'usd 30': 948901, 'kplccustomercare in the': 477595, 'spirit of supporting': 789495, 'of supporting the': 590519, 'supporting the economy': 827208, 'economy to rebound': 268292, 'to rebound during': 912901, 'rebound during this': 703305, 'covid 19 adversity': 212585, '19 adversity why': 4820, 'adversity why cannot': 33141, 'why cannot you': 990878, 'cannot you lower': 162241, 'you lower power': 1019738, 'lower power rate': 505946, 'power rate for': 667672, 'rate for all': 697223, 'for all kenyan': 319142, 'all kenyan moreover': 43309, 'kenyan moreover the': 472979, 'moreover the hydrogeneration': 541071, 'the hydrogeneration dam': 857781, 'hydrogeneration dam are': 411975, 'dam are full': 225167, 'full of water': 340768, 'of water and': 592934, 'water and global': 968865, 'and global petroleum': 63699, 'global petroleum price': 352129, 'petroleum price have': 653831, 'price have come': 674418, 'have come to': 380032, 'come to below': 187555, 'to below usd': 901757, 'below usd 30': 126768, 'usd 30 per': 948902, 'incriminated': 433941, 'scapegoat': 740751, 'escaped': 280321, 'miraculously': 533931, 'emerges': 273085, 'great cover': 362595, 'up gt': 945045, 'gt the': 367637, 'the incriminated': 858098, 'incriminated supermarket': 433942, 'than scapegoat': 841115, 'scapegoat to': 740759, 'that escaped': 843722, 'escaped from': 280322, 'from secret': 337198, 'secret military': 743923, 'military lab': 531475, 'lab it': 478273, 'started there': 794856, 'were miraculously': 979881, 'miraculously ready': 533934, 'they accuse': 881091, 'accuse the': 28933, 'real info': 701226, 'info emerges': 437471, 'emerges ever': 273086, 'the great cover': 856717, 'great cover up': 362596, 'cover up gt': 212312, 'up gt the': 945047, 'gt the incriminated': 367638, 'the incriminated supermarket': 858099, 'incriminated supermarket is': 433943, 'supermarket is nothing': 821107, 'is nothing more': 450239, 'more than scapegoat': 540671, 'than scapegoat to': 841116, 'scapegoat to hide': 740760, 'hide the fact': 394845, 'fact that escaped': 295795, 'that escaped from': 843723, 'escaped from secret': 280323, 'from secret military': 337199, 'secret military lab': 743924, 'military lab it': 531476, 'lab it started': 478274, 'it started there': 461227, 'started there the': 794857, 'there the were': 879153, 'the were miraculously': 871390, 'were miraculously ready': 979882, 'miraculously ready for': 533935, 'ready for pandemic': 700867, 'for pandemic they': 324363, 'pandemic they accuse': 636731, 'they accuse the': 881092, 'accuse the usa': 28934, 'usa no real': 948703, 'no real info': 565280, 'real info emerges': 701227, 'info emerges ever': 437472, 'clark': 180105, 'money when': 537161, 'online clark': 608008, 'clark howard': 180108, 'how to save': 409077, 'save money when': 737589, 'money when grocery': 537162, 'shopping online clark': 763420, 'online clark howard': 608009, 'orchestrated': 617962, 'lnk': 497220, 'real contagion': 701083, 'contagion and': 200396, 'watch them': 968560, 'them play': 876163, 'play the': 659227, 'record day': 704933, 'and night': 67589, 'night because': 562963, 'because cannot': 118982, 'then staggering': 877556, 'of damage': 582333, 'damage unless': 225244, 'unless the': 942641, 'system of': 831261, 'air because': 39688, 'of orchestrated': 587326, 'orchestrated fear': 617963, 'fear simple': 301329, 'simple lnk': 770053, 'fear is the': 301175, 'is the real': 452914, 'the real contagion': 865209, 'real contagion and': 701084, 'contagion and watch': 200398, 'and watch them': 75226, 'watch them play': 968561, 'them play the': 876165, 'play the record': 659229, 'the record day': 865361, 'record day and': 704934, 'day and night': 227272, 'and night because': 67590, 'night because cannot': 562964, 'because cannot do': 118985, 'cannot do more': 161760, 'do more then': 249605, 'more then staggering': 540723, 'then staggering amount': 877557, 'amount of damage': 53219, 'of damage unless': 582335, 'damage unless the': 225245, 'unless the immune': 942642, 'immune system of': 417347, 'system of people': 831262, 'of people is': 587932, 'people is off': 648523, 'is off the': 450408, 'off the air': 594228, 'the air because': 848481, 'air because of': 39689, 'because of orchestrated': 119383, 'of orchestrated fear': 587327, 'orchestrated fear simple': 617964, 'fear simple lnk': 301330, 'pummels': 689012, 'pummels price': 689014, 'price nationwide': 675305, 'nationwide say': 552752, 'pummels price nationwide': 689015, 'price nationwide say': 675306, 'fortnight into': 329837, 'london empty': 501056, 'at bank': 98084, 'bank think': 110247, 'the respite': 865611, 'respite we': 715270, 'have from': 380724, 'people weren': 650231, 'weren hoarding': 980399, 'fortnight into this': 329838, 'into this mess': 443218, 'this mess and': 888833, 'mess and look': 529220, 'at the state': 101107, 'state of london': 795810, 'of london empty': 585987, 'london empty supermarket': 501057, 'empty supermarket long': 275162, 'supermarket long queue': 821385, 'long queue at': 501577, 'queue at bank': 693882, 'at bank think': 98086, 'bank think of': 110248, 'of the respite': 591408, 'the respite we': 865612, 'respite we have': 715271, 'we have from': 971823, 'have from this': 380725, 'from this thing': 338012, 'this thing if': 890566, 'thing if people': 884422, 'if people weren': 414635, 'people weren hoarding': 650232, 'weren hoarding stophoarding': 980400, 'hoarding stophoarding panicbuyinguk': 399548, 'chain worker': 171261, 'in overtime': 426391, 'overtime supplychain': 631643, 'supplychain trucker': 826239, 'trucker pandemic': 932942, 'pandemic foodsupplychain': 635444, 'foodsupplychain scm': 318215, 'scm logistics': 742288, 'logistics trucking': 500811, 'trucking grocery': 932987, 'grocery toiletpaper': 366067, '19 supply chain': 10968, 'supply chain worker': 825070, 'chain worker are': 171262, 'worker are putting': 1006419, 'are putting in': 89353, 'putting in overtime': 691143, 'in overtime supplychain': 426392, 'overtime supplychain trucker': 631644, 'supplychain trucker pandemic': 826240, 'trucker pandemic foodsupplychain': 932943, 'pandemic foodsupplychain scm': 635445, 'foodsupplychain scm logistics': 318216, 'scm logistics trucking': 742289, 'logistics trucking grocery': 500812, 'trucking grocery toiletpaper': 932988, 'grocery toiletpaper tp': 366069, 'doctor our': 251064, 'nurse all': 577180, 'patient they': 644274, 'are our doctor': 88859, 'our doctor our': 622792, 'doctor our nurse': 251065, 'our nurse all': 624103, 'nurse all healthcare': 577182, 'for our covid': 324223, '19 patient they': 9595, 'patient they are': 644275, 'are the supermarket': 90916, 'employee who ensure': 274425, 'who ensure that': 988702, 'get our basic': 347722, 'our basic necessity': 622168, 'saket': 731882, 'lockdown select': 499892, 'select city': 747459, 'city mall': 179251, 'in saket': 427640, 'saket not': 731883, 'not letting': 570380, 'letting people': 487434, 'in even': 422664, 'it house': 458643, 'house one': 406434, 'biggest modern': 130278, 'modern bazaar': 535375, 'bazaar grocery': 113017, 'the direction': 853312, 'definitely people': 232379, 'lockdown select city': 499893, 'select city mall': 747460, 'city mall in': 179252, 'mall in saket': 511792, 'in saket not': 427641, 'saket not letting': 731884, 'not letting people': 570383, 'letting people in': 487436, 'people in even': 648373, 'in even though': 422666, 'though it house': 892839, 'it house one': 458644, 'house one of': 406435, 'the biggest modern': 849665, 'biggest modern bazaar': 130279, 'modern bazaar grocery': 535376, 'bazaar grocery store': 113018, 'this is against': 888167, 'is against the': 445420, 'against the direction': 37653, 'the direction and': 853313, 'direction and definitely': 243442, 'and definitely people': 61058, 'definitely people will': 232380, 'people will panic': 650402, 'fiirreedduh': 305268, 'squirt': 791573, 'humberfloob': 410806, 'catinthehat': 167316, 'mrhumberfloob': 544435, 'sanitizepeople': 734272, 'wish wa': 996844, 'bos so': 135695, 'can scream': 159525, 'scream your': 742643, 'your fiirreedduh': 1023857, 'fiirreedduh after': 305269, 'people touch': 649992, 'and squirt': 72173, 'squirt shit': 791578, 'shit ton': 759276, 'coronavirus like': 206228, 'like mr': 490804, 'mr humberfloob': 544368, 'humberfloob catinthehat': 410807, 'catinthehat mrhumberfloob': 167317, 'mrhumberfloob sanitizepeople': 544436, 'wish wa the': 996846, 'wa the bos': 963442, 'the bos so': 849884, 'bos so can': 135696, 'so can scream': 776723, 'can scream your': 159526, 'scream your fiirreedduh': 742644, 'your fiirreedduh after': 1023858, 'fiirreedduh after people': 305270, 'after people touch': 36036, 'people touch my': 649993, 'touch my hand': 926512, 'hand and squirt': 374777, 'and squirt shit': 72174, 'squirt shit ton': 791579, 'shit ton of': 759277, 'sanitizer during this': 734803, 'during this coronavirus': 263271, 'this coronavirus like': 886898, 'coronavirus like mr': 206229, 'like mr humberfloob': 490805, 'mr humberfloob catinthehat': 544369, 'humberfloob catinthehat mrhumberfloob': 410808, 'catinthehat mrhumberfloob sanitizepeople': 167318, 'donating grocery': 254464, 'card your': 163708, 'gift will': 350044, 'provide emergency': 686271, 'detail see': 239245, '19 donation': 6633, 'donation page': 254664, 'the many way': 860055, 'many way you': 514865, 'can love the': 158911, 'love the vulnerable': 504811, 'the vulnerable during': 870980, 'vulnerable during this': 960942, 'crisis is by': 217561, 'is by donating': 446335, 'by donating grocery': 152403, 'donating grocery store': 254465, 'gift card your': 349959, 'card your gift': 163709, 'your gift will': 1024044, 'gift will provide': 350045, 'will provide emergency': 994511, 'provide emergency food': 686272, 'emergency food assistance': 272700, 'food assistance for': 313426, 'assistance for family': 96693, 'for family in': 321389, 'need for more': 554855, 'more detail see': 539024, 'detail see our': 239246, 'see our covid': 745524, 'covid 19 donation': 212977, '19 donation page': 6634, 'expiry': 292090, 'under stayathome': 940260, 'ridiculous expiry': 721538, 'expiry date': 292091, 're expiring': 698651, 'expiring data': 292088, 'data customerexperience': 226188, 'customerexperience suck': 223141, 'under stayathome lockdownsa': 940261, 'your ridiculous expiry': 1025625, 'ridiculous expiry date': 721539, 'expiry date datamustfall': 292092, 'you re expiring': 1020617, 're expiring data': 698652, 'expiring data customerexperience': 292089, 'data customerexperience suck': 226189, 'trumpy': 934214, 'neglect': 556875, 'this lethal': 888611, 'lethal covid': 487234, '19 worldwide': 12201, 'worldwide trumpy': 1010436, 'trumpy keep': 934215, 'keep calling': 471372, 'virus panic': 958611, 'people neglect': 648843, 'neglect health': 556878, 'health protocol': 386775, 'violence begin': 957541, 'begin you': 123610, 'should listen': 766196, 'listen clearly': 494675, 'clearly it': 181524, 'temporary establish': 837618, 'establish rule': 282024, 'fear of not': 301252, 'getting food or': 348985, 'or supply is': 617299, 'supply is more': 825451, 'is more dangerous': 449699, 'dangerous than this': 225784, 'than this lethal': 841315, 'this lethal covid': 888612, 'lethal covid 19': 487235, 'covid 19 worldwide': 214090, '19 worldwide trumpy': 12203, 'worldwide trumpy keep': 1010437, 'trumpy keep calling': 934216, 'keep calling it': 471374, 'calling it the': 156593, 'it the chinese': 461518, 'chinese virus panic': 177385, 'virus panic take': 958614, 'panic take over': 638662, 'take over people': 832472, 'over people neglect': 630488, 'people neglect health': 648844, 'neglect health protocol': 556879, 'health protocol and': 386776, 'protocol and violence': 685973, 'and violence begin': 74968, 'violence begin you': 957542, 'begin you should': 123611, 'you should listen': 1021203, 'should listen clearly': 766197, 'listen clearly it': 494676, 'clearly it only': 181526, 'it only temporary': 460109, 'only temporary establish': 611248, 'temporary establish rule': 837619, 'lodge': 500585, 'and victim': 74950, 'victim please': 956508, 'please lodge': 660204, 'lodge an': 500586, 'appeal authority': 82054, 'authority appeal': 103684, 'victim action': 956454, 'fraud receives': 331330, 'receives report': 703735, 'of 970': 579691, '970 00': 23690, '00 fraud': 220, 'fraud largely': 331298, 'largely due': 479852, 'scam protective': 740317, 'sanitiser that': 734025, 'never arrived': 557865, '19 and victim': 5130, 'and victim please': 74951, 'victim please lodge': 956509, 'please lodge an': 660205, 'lodge an appeal': 500587, 'an appeal authority': 55363, 'appeal authority appeal': 82055, 'authority appeal to': 103685, 'appeal to victim': 82082, 'to victim action': 918163, 'victim action fraud': 956455, 'action fraud receives': 30027, 'fraud receives report': 331331, 'receives report of': 703736, 'report of 970': 712104, 'of 970 00': 579692, '970 00 fraud': 23691, '00 fraud largely': 221, 'fraud largely due': 331299, 'largely due to': 479853, 'due to online': 261883, 'shopping scam protective': 763811, 'scam protective mask': 740318, 'protective mask hand': 685780, 'mask hand sanitiser': 518776, 'hand sanitiser that': 375249, 'sanitiser that never': 734027, 'that never arrived': 845321, 'import rising': 418666, 'buying shortage': 151022, 'shortage before': 764854, 'before over': 122996, 'to catastrophic': 902491, 'food import rising': 314914, 'import rising price': 418667, 'price and panic': 672491, 'panic buying shortage': 637884, 'buying shortage before': 151023, 'shortage before over': 764855, 'before over 20': 122997, 'people were exposed': 650203, 'exposed to catastrophic': 292892, 'to catastrophic level': 902492, 'very scared': 955503, 'scared am': 740936, 'fall within': 297111, 'age range': 37890, 'range susceptible': 696739, 'she go': 756052, 'she worry': 756484, 'me sick': 523460, 'but terrified': 147270, 'terrified she': 838501, 'very scared am': 955504, 'scared am concerned': 740937, 'am concerned about': 49970, 'concerned about my': 193164, 'about my mother': 25765, 'my mother because': 549326, 'because she work': 119555, 'large supermarket and': 479804, 'supermarket and fall': 818977, 'and fall within': 62636, 'fall within the': 297112, 'within the age': 1002427, 'the age range': 848438, 'age range susceptible': 37892, 'range susceptible to': 696740, 'susceptible to covid': 829439, '19 when she': 12024, 'when she go': 983998, 'she go to': 756054, 'work she worry': 1005714, 'she worry about': 756485, 'worry about how': 1010641, 'about how she': 25470, 'how she can': 408657, 'she can make': 755925, 'can make me': 158936, 'make me sick': 510143, 'me sick but': 523461, 'sick but terrified': 768398, 'but terrified she': 147271, 'terrified she ll': 838502, 'she ll get': 756198, 'll get it': 496787, 'newsupdate': 561133, 'flash': 310024, 'newsupdate in': 561136, 'get sense': 347965, 'how pandemic': 408476, 'effecting real': 269193, 'national association': 552416, 'of realtor': 588805, 'realtor ha': 702782, 'been conducting': 120862, 'conducting series': 193694, 'of flash': 583578, 'flash survey': 310031, 'survey aimed': 828808, 'at gauging': 98745, 'gauging consumer': 344558, 'behavior realestate': 124165, 'realestate realty': 701522, 'realty newsalert': 702805, 'newsupdate in an': 561137, 'effort to get': 269626, 'to get sense': 906586, 'get sense of': 347967, 'sense of how': 750558, 'of how pandemic': 584834, 'how pandemic is': 408477, 'pandemic is effecting': 635766, 'is effecting real': 447447, 'effecting real estate': 269194, 'estate market the': 282157, 'market the national': 517194, 'the national association': 861284, 'national association of': 552417, 'association of realtor': 96972, 'of realtor ha': 588806, 'realtor ha been': 702783, 'ha been conducting': 369754, 'been conducting series': 120863, 'conducting series of': 193695, 'series of flash': 751270, 'of flash survey': 583579, 'flash survey aimed': 310032, 'survey aimed at': 828809, 'aimed at gauging': 39568, 'at gauging consumer': 98746, 'gauging consumer behavior': 344559, 'consumer behavior realestate': 196504, 'behavior realestate realty': 124166, 'realestate realty newsalert': 701523, 'do read': 250019, 'includes quote': 431804, 'from myself': 336534, 'another disabled': 77578, 'know on': 476650, 'here not': 393390, 'to tag': 916142, 'tag them': 831772, 'having fund': 384086, 'fund is': 341439, 'is problem': 451053, 'problem especially': 679514, 'bank requiring': 110133, 'requiring id': 713528, 'id but': 412935, 'it huge': 458655, 'please do read': 659897, 'do read this': 250022, 'read this it': 700620, 'this it includes': 888519, 'it includes quote': 458765, 'includes quote from': 431805, 'quote from myself': 694993, 'from myself and': 336535, 'myself and another': 550816, 'and another disabled': 58163, 'another disabled person': 77579, 'disabled person you': 243951, 'person you know': 652759, 'you know on': 1019518, 'know on here': 476651, 'on here not': 601290, 'here not going': 393392, 'going to tag': 355735, 'to tag them': 916143, 'tag them because': 831773, 'them because not': 875465, 'sure they want': 827746, 'to be not': 901409, 'be not having': 116125, 'not having fund': 569897, 'having fund is': 384087, 'fund is problem': 341440, 'is problem especially': 451054, 'problem especially with': 679515, 'especially with food': 280669, 'with food bank': 998481, 'food bank requiring': 313626, 'bank requiring id': 110134, 'requiring id but': 713529, 'id but even': 412936, 'but even if': 145668, 'have the fund': 382988, 'the fund it': 856041, 'fund it huge': 341443, 'it huge problem': 458656, 'beware scammer': 129103, 'beware scammer use': 129105, 'scammer use fake': 740640, 'unitedagainstdementia': 942270, 'currently self': 221665, 'isolating symptomatic': 455146, 'symptomatic thinking': 830964, 'thinking how': 885917, 'support elderly': 826471, 'elderly neighbour': 270776, 'neighbour friend': 557206, 'friend ve': 333865, 'done her': 254870, 'her online': 392255, 'her agreed': 391829, 'agreed it': 38711, 'calling her': 156568, 'her daily': 391981, 'daily we': 224880, 'might even': 530967, 'even attempt': 283853, 'attempt skype': 102232, 'skype video': 773270, 'video call': 956649, 'call unitedagainstdementia': 156205, 'currently self isolating': 221666, 'self isolating symptomatic': 747739, 'isolating symptomatic thinking': 455147, 'symptomatic thinking how': 830965, 'thinking how to': 885920, 'how to support': 409094, 'to support elderly': 915925, 'support elderly neighbour': 826473, 'elderly neighbour friend': 270779, 'neighbour friend ve': 557207, 'friend ve done': 333866, 've done her': 953060, 'done her online': 254871, 'her online shopping': 392258, 'shopping for her': 762681, 'for her agreed': 322210, 'her agreed it': 391830, 'agreed it over': 38713, 'phone and calling': 654881, 'and calling her': 59431, 'calling her daily': 156569, 'her daily we': 391982, 'daily we might': 224881, 'we might even': 972370, 'might even attempt': 530968, 'even attempt skype': 283854, 'attempt skype video': 102233, 'skype video call': 773271, 'video call unitedagainstdementia': 956653, 'for nigerian': 323876, 'nigerian have': 562853, 'already emerged': 47310, 'emerged result': 272564, 'price crude': 673357, 'country main': 210879, 'budget wa': 141830, 'wa based': 961642, 'on base': 599570, 'of 57': 579628, '57 per': 20483, 'sign that life': 769222, 'that life will': 844882, 'life will become': 489215, 'will become more': 992798, 'become more difficult': 120056, 'difficult for nigerian': 242225, 'for nigerian have': 323877, 'nigerian have already': 562854, 'have already emerged': 379187, 'already emerged result': 47311, 'emerged result of': 272565, 'of the fall': 591008, 'in global crude': 423329, 'oil price crude': 597097, 'price crude oil': 673358, 'crude oil is': 219561, 'oil is the': 596912, 'is the country': 452756, 'the country main': 852115, 'country main source': 210882, 'of income the': 585070, 'income the 2020': 432474, '2020 budget wa': 14197, 'budget wa based': 141831, 'wa based on': 961644, 'based on base': 111669, 'on base price': 599573, 'base price of': 111473, 'price of 57': 675398, 'of 57 per': 579629, '57 per barrel': 20484, 'per barrel of': 650703, 'oil but the': 596660, 'but the price': 147384, 'the price fell': 864350, 'you afraid': 1016839, 'during because': 262473, 'are you afraid': 91762, 'you afraid to': 1016840, 'supermarket during because': 820047, 'during because you': 262474, 'because you could': 119865, 'not get your': 569619, 'get your grocery': 348707, 'your grocery delivered': 1024122, 'cont': 199976, 'whats your': 982855, 'your opinion': 1025085, 'opinion on': 613482, 'of qe': 588634, 'qe 2020': 691531, 'it cont': 457298, 'cont to': 199978, 'up asset': 944415, 'the liquidity': 859456, 'liquidity cause': 494127, 'cause inflation': 167612, 'inflation steep': 437247, 'in rate': 427254, 'rate resulting': 697358, 'in corporate': 421811, 'corporate default': 207263, 'default or': 232022, 'the earnings': 853824, 'earnings glut': 264908, 'glut caused': 353097, 'whats your opinion': 982856, 'your opinion on': 1025087, 'opinion on the': 613484, 'impact of qe': 417795, 'of qe 2020': 588635, 'qe 2020 will': 691532, '2020 will it': 14724, 'will it cont': 993864, 'it cont to': 457299, 'cont to prop': 199980, 'prop up asset': 684046, 'up asset price': 944416, 'asset price until': 96464, 'price until the': 677215, 'until the liquidity': 943860, 'the liquidity cause': 859457, 'liquidity cause inflation': 494128, 'cause inflation steep': 167614, 'inflation steep rise': 437248, 'rise in rate': 722902, 'in rate resulting': 427255, 'rate resulting in': 697359, 'resulting in corporate': 717703, 'in corporate default': 421812, 'corporate default or': 207264, 'default or will': 232023, 'or will the': 617811, 'will the earnings': 995136, 'the earnings glut': 853825, 'earnings glut caused': 264909, 'glut caused by': 353098, 'call volume': 156218, 'volume to': 960175, 'our helpline': 623416, 'helpline have': 391591, 'increased which': 433536, 'is leading': 449254, 'to longer': 909427, 'longer wait': 502105, 'please bear': 659717, 'bear with': 118427, 'date information': 226662, 'right see': 722261, 'website faq': 975258, 'call volume to': 156219, 'volume to our': 960176, 'to our helpline': 911187, 'our helpline have': 623417, 'helpline have increased': 391592, 'have increased which': 381072, 'increased which is': 433537, 'which is leading': 986024, 'is leading to': 449256, 'leading to longer': 483763, 'to longer wait': 909429, 'longer wait time': 502106, 'wait time please': 964220, 'time please bear': 897491, 'please bear with': 659718, 'bear with we': 118428, 'with we are': 1002040, 'are sorry if': 90309, 'sorry if you': 786058, 'to date information': 903929, 'date information on': 226664, '19 and your': 5144, 'and your consumer': 76069, 'your consumer right': 1023326, 'consumer right see': 198827, 'right see our': 722262, 'see our website': 745534, 'our website faq': 625337, 'onsite': 611555, 'cookathome': 202797, 'sorry restaurant': 786073, 'restaurant owner': 716622, 'owner it': 632486, 'food preparation': 315905, 'preparation is': 670042, 'not free': 569530, 'free people': 332056, 'tested demand': 839286, 'demand test': 236319, 'then reopen': 877476, 'reopen same': 711362, 'same go': 733084, 'for onsite': 324127, 'onsite prepared': 611556, 'prepared food': 670183, 'supermarket cookathome': 819780, 'sorry restaurant owner': 786074, 'restaurant owner it': 716625, 'owner it time': 632487, 'time to close': 897965, 'close down your': 182618, 'down your worker': 257537, 'your worker and': 1026381, 'worker and food': 1006295, 'and food preparation': 63078, 'food preparation is': 315906, 'preparation is not': 670043, 'is not free': 450090, 'not free people': 569532, 'free people haven': 332057, 'people haven been': 648214, 'been tested demand': 122151, 'tested demand test': 839287, 'demand test for': 236320, 'test for food': 839001, 'for food worker': 321655, 'food worker then': 317678, 'worker then reopen': 1007952, 'then reopen same': 877477, 'reopen same go': 711363, 'same go for': 733085, 'go for onsite': 353568, 'for onsite prepared': 324128, 'onsite prepared food': 611557, 'prepared food at': 670184, 'food at supermarket': 313452, 'at supermarket cookathome': 100710, 'deceiving': 230731, 'denies': 236980, 'chandler prepper': 171866, 'prepper retail': 670385, 'owner accused': 632362, 'of deceiving': 582432, 'deceiving public': 230732, 'public with': 688488, 'with immunity': 998946, 'immunity pill': 417420, 'pill denies': 656656, 'denies allegation': 236981, 'allegation tell': 45645, 'tell ag': 836898, 'ag to': 36844, 'to kiss': 908960, 'kiss his': 475455, 'as see': 94805, 'chandler prepper retail': 171867, 'prepper retail store': 670386, 'retail store owner': 718679, 'store owner accused': 809422, 'owner accused of': 632363, 'accused of deceiving': 28946, 'of deceiving public': 582433, 'deceiving public with': 230733, 'public with immunity': 688489, 'with immunity pill': 998947, 'immunity pill denies': 417421, 'pill denies allegation': 656657, 'denies allegation tell': 236983, 'allegation tell ag': 45646, 'tell ag to': 836899, 'ag to kiss': 36845, 'to kiss his': 908962, 'kiss his as': 475456, 'his as see': 397213, 'as see my': 94806, 'see my story': 745462, 'my story here': 550236, 'gag': 342719, 'this use': 890947, 'be gag': 114991, 'gag gift': 342720, 'gift now': 349999, 'actually valued': 31004, 'valued gift': 952259, 'gift toiletpaper': 350037, 'toiletpaper genius': 922027, 'genius gift': 345777, 'gift gift': 349985, 'gift funny': 349981, 'funny corona': 341716, 'this use to': 890948, 'to be gag': 901273, 'be gag gift': 114992, 'gag gift now': 342721, 'gift now it': 350000, 'now it actually': 575104, 'it actually valued': 456266, 'actually valued gift': 31005, 'valued gift toiletpaper': 952260, 'gift toiletpaper genius': 350038, 'toiletpaper genius gift': 922028, 'genius gift gift': 345778, 'gift gift funny': 349986, 'gift funny corona': 349982, 'test came': 838950, 'day gov': 227687, 'baker issued': 108806, 'issued new': 456076, 'health order': 386716, 'order related': 618538, 'including temporary': 432174, 'temporary ban': 837582, 'on reusable': 603186, 'the positive test': 864064, 'positive test came': 665451, 'test came on': 838951, 'same day gov': 733028, 'day gov charlie': 227688, 'charlie baker issued': 173752, 'baker issued new': 108807, 'issued new public': 456077, 'new public health': 559375, 'public health order': 688079, 'health order related': 386720, 'order related to': 618539, 'related to grocery': 708604, 'store including temporary': 808421, 'including temporary ban': 432175, 'temporary ban on': 837583, 'ban on reusable': 109233, 'on reusable bag': 603187, 'shopsmall': 764562, 'sign share': 769207, 'petition thank': 653630, 'panicbuying shopsmall': 639047, 'shopsmall socialdistancing': 764565, 'socialdistancing prosecute': 780623, 'prosecute retailer': 684623, 'extortionately anytime': 293408, 'anytime especially': 80967, 'crisis sign': 218047, 'please take moment': 660634, 'moment to sign': 536092, 'to sign share': 914638, 'sign share this': 769209, 'share this petition': 755290, 'this petition thank': 889546, 'petition thank you': 653631, 'you coronacrisis panicbuying': 1018056, 'coronacrisis panicbuying shopsmall': 204693, 'panicbuying shopsmall socialdistancing': 639048, 'shopsmall socialdistancing prosecute': 764566, 'socialdistancing prosecute retailer': 780624, 'prosecute retailer that': 684624, 'retailer that increase': 719358, 'price extortionately anytime': 673747, 'extortionately anytime especially': 293409, 'anytime especially in': 80968, 'especially in crisis': 280524, 'in crisis sign': 421893, 'crisis sign the': 218048, 'beginnerin': 123612, 'japanese symbol': 464802, 'symbol for': 830764, 'for beginnerin': 319621, 'beginnerin germany': 123613, 'japanese symbol for': 464803, 'symbol for beginnerin': 830765, 'for beginnerin germany': 319622, 'beginnerin germany at': 123614, 'cov2': 212141, 'tract': 928385, 'or sars': 616962, 'sars cov2': 736808, 'cov2 infect': 212146, 'infect respiratory': 436507, 'respiratory virus': 715261, 'virus enters': 958157, 'enters through': 278497, 'your respiratory': 1025593, 'respiratory organ': 715248, 'organ the': 619205, 'respiratory system': 715257, 'like super': 491260, 'super cool': 818488, 'cool supermarket': 203049, 'summer for': 817977, 'virus some': 958769, 'some stay': 783942, 'upper tract': 947700, 'tract while': 928386, 'some go': 782955, 'the lower': 859793, 'lower one': 505925, 'one fyi': 606336, 'fyi sars': 342640, 'cov2 can': 212142, '19 or sars': 9026, 'or sars cov2': 616963, 'sars cov2 infect': 736811, 'cov2 infect respiratory': 212147, 'infect respiratory virus': 436508, 'respiratory virus enters': 715262, 'virus enters through': 958158, 'enters through your': 278498, 'through your respiratory': 894925, 'your respiratory organ': 1025594, 'respiratory organ the': 715249, 'organ the respiratory': 619206, 'the respiratory system': 865610, 'respiratory system is': 715258, 'system is like': 831223, 'is like super': 449331, 'like super cool': 491261, 'super cool supermarket': 818490, 'cool supermarket in': 203050, 'supermarket in summer': 820985, 'in summer for': 428541, 'summer for virus': 817979, 'for virus some': 327578, 'virus some stay': 958772, 'some stay in': 783943, 'in the upper': 429638, 'the upper tract': 870506, 'upper tract while': 947701, 'tract while some': 928387, 'while some go': 987297, 'some go into': 782956, 'into the lower': 443144, 'the lower one': 859798, 'lower one fyi': 505926, 'one fyi sars': 606337, 'fyi sars cov2': 342641, 'sars cov2 can': 736809, 'cov2 can do': 212143, 'can do both': 158097, 'shiva': 759391, 'checker': 174788, 'shiva if': 759392, 'if church': 413959, 'church gathering': 178365, 'gathering represent': 344501, 'represent promotes': 712874, 'promotes the': 683832, 'any spar': 79841, 'spar or': 787456, 'or checker': 614708, 'checker where': 174800, 'one count': 606121, 'count foot': 210121, 'not guarantee': 569758, 'virus where': 959032, 'the stats': 867838, 'stats for': 796618, 'shiva if church': 759393, 'if church gathering': 413960, 'church gathering represent': 178366, 'gathering represent promotes': 344502, 'represent promotes the': 712875, 'promotes the spreading': 683834, '19 how doe': 7602, 'how doe any': 407736, 'doe any spar': 251330, 'any spar or': 79842, 'spar or checker': 787457, 'or checker where': 614709, 'checker where no': 174801, 'where no one': 985052, 'no one count': 564928, 'one count foot': 606122, 'count foot in': 210122, 'store not guarantee': 809106, 'not guarantee the': 569759, 'guarantee the spreading': 367725, 'the virus where': 870920, 'virus where the': 959033, 'where the stats': 985250, 'the stats for': 867839, 'stats for retail': 796619, 'for retail outlet': 325196, 'stillneedbeer': 801459, 'just back': 468253, 'from who': 338368, 'sanitizer free': 734932, 'only great': 610543, 'great beer': 362521, 'beer great': 122466, 'great people': 362877, 'are awesome': 84732, 'awesome your': 106215, 'customer turning': 223003, 'of le': 585746, 'le so': 483123, 'you stillneedbeer': 1021416, 'just back from': 468254, 'back from who': 107023, 'from who are': 338369, 'who are making': 988173, 'hand sanitizer free': 375412, 'sanitizer free for': 734935, 'free for local': 331844, 'for local business': 323044, 'local business not': 497768, 'business not only': 144108, 'not only great': 570797, 'only great beer': 610544, 'great beer great': 362523, 'beer great people': 122467, 'great people all': 362878, 'people all your': 646807, 'all your staff': 45585, 'staff are awesome': 792178, 'are awesome your': 84733, 'awesome your customer': 106216, 'your customer turning': 1023430, 'customer turning up': 223004, 'turning up in': 935985, 'up in group': 945157, 'group of le': 366795, 'of le so': 585748, 'le so but': 483124, 'so but that': 776668, 'that not on': 845397, 'not on you': 570755, 'on you stillneedbeer': 605438, 'that criminal': 843399, 'defraud and': 232481, 'and defraud': 61062, 'defraud victim': 232492, 'victim especially': 956470, 'senior here': 750318, 'avoid grandparent': 105133, 'grandparent or': 361981, 'family scam': 298208, 'aware that criminal': 105657, 'that criminal will': 843400, 'criminal will use': 216898, 'will use the': 995288, 'use the covid': 949659, 'pandemic to defraud': 636775, 'to defraud and': 904069, 'defraud and defraud': 232482, 'and defraud victim': 61063, 'defraud victim especially': 232493, 'victim especially the': 956471, 'especially the more': 280624, 'the more vulnerable': 860900, 'more vulnerable senior': 540935, 'vulnerable senior here': 961156, 'senior here are': 750319, 'are some helpful': 90269, 'some helpful tip': 783043, 'helpful tip to': 391239, 'to avoid grandparent': 900906, 'avoid grandparent or': 105134, 'grandparent or family': 361982, 'or family scam': 615269, 'bosqf get': 135727, 'get ok': 347690, 'ok for': 597797, '2nd in': 16781, 'bos bosqf get': 135654, 'bosqf get ok': 135728, 'get ok for': 347691, 'ok for 2nd': 597798, 'for 2nd in': 318796, '2nd in fight': 16782, 'pharmacynsupermarket': 654594, '2348107219389': 15471, 'resist covid': 714564, 'your vitamin': 1026290, 'supplement pharmacynsupermarket': 824420, 'pharmacynsupermarket contact': 654595, 'contact 2348107219389': 199991, '2348107219389 immunesupport': 15472, 'immunesupport immunity': 417378, 'immunity healthcare': 417408, 'healthcare pharmacy': 387210, 'pharmacy supermarket': 654489, 'boost your immune': 135035, 'immune system to': 417355, 'system to resist': 831356, 'to resist covid': 913357, 'resist covid 19': 714565, 'covid 19 get': 213141, '19 get your': 7203, 'get your vitamin': 348744, 'your vitamin and': 1026291, 'and supplement pharmacynsupermarket': 72762, 'supplement pharmacynsupermarket contact': 824421, 'pharmacynsupermarket contact 2348107219389': 654596, 'contact 2348107219389 immunesupport': 199992, '2348107219389 immunesupport immunity': 15473, 'immunesupport immunity healthcare': 417379, 'immunity healthcare pharmacy': 417409, 'healthcare pharmacy supermarket': 387212, 'join tomorrow': 466894, 'webinar we': 975131, 'be sharing': 117126, 'sharing initial': 755542, 'initial finding': 438530, 'ongoing research': 607679, 'trend brand': 931290, 'join tomorrow for': 466895, 'tomorrow for our': 924085, 'our webinar we': 625327, 'webinar we ll': 975132, 'll be sharing': 496627, 'be sharing initial': 117127, 'sharing initial finding': 755543, 'initial finding from': 438531, 'from our ongoing': 336791, 'our ongoing research': 624139, 'ongoing research on': 607680, 'on consumer trend': 600082, 'consumer trend brand': 199368, 'trend brand need': 931291, 'brand need sign': 137925, 'need sign up': 555572, 'warren': 967342, 'buffett': 141880, 'stock investor': 802297, 'investor legend': 444173, 'legend warren': 485941, 'warren buffett': 967345, 'buffett who': 141883, 'told investor': 923587, 'ignore headline': 415825, 'high sound': 395413, 'sound shook': 786327, 'shook at': 759720, 'at hell': 98881, 'he discus': 384892, 'the plunge': 863860, 'plunge on': 661447, 'his investment': 397546, 'stock investor legend': 802298, 'investor legend warren': 444174, 'legend warren buffett': 485942, 'warren buffett who': 967347, 'buffett who just': 141884, 'who just week': 989148, 'just week ago': 470263, 'ago told investor': 38526, 'told investor to': 923588, 'investor to ignore': 444220, 'to ignore headline': 908110, 'ignore headline and': 415826, 'headline and buy': 385981, 'and buy at': 59328, 'time high sound': 896933, 'high sound shook': 395414, 'sound shook at': 786328, 'shook at hell': 759721, 'at hell he': 98882, 'hell he discus': 389018, 'he discus the': 384893, 'discus the plunge': 244928, 'the plunge on': 863862, 'plunge on oil': 661448, 'oil price during': 597114, 'pandemic and his': 634880, 'and his investment': 64602, 'his investment in': 397547, 'in the sector': 429533, 'directorate': 243681, 'dhofar': 240124, 'governorate': 361035, 'cracked': 214721, 'tailoring': 831825, 'residue': 714455, 'bz': 154834, 'the directorate': 853320, 'directorate of': 243682, 'protection pacp': 685551, 'pacp in': 633760, 'in dhofar': 422244, 'dhofar governorate': 240125, 'governorate cracked': 361036, 'cracked down': 214722, 'on expat': 600668, 'expat worker': 290586, 'worker making': 1007347, 'from tailoring': 337534, 'tailoring residue': 831826, 'residue and': 714456, '500 bz': 19955, 'bz apiece': 154835, 'apiece 19': 81461, '19 oman': 8922, 'the directorate of': 853321, 'directorate of consumer': 243683, 'consumer protection pacp': 198549, 'protection pacp in': 685554, 'pacp in dhofar': 633761, 'in dhofar governorate': 422245, 'dhofar governorate cracked': 240126, 'governorate cracked down': 361037, 'cracked down on': 214723, 'down on expat': 257017, 'on expat worker': 600669, 'expat worker making': 290587, 'worker making face': 1007348, 'face mask from': 294541, 'mask from tailoring': 518708, 'from tailoring residue': 337535, 'tailoring residue and': 831827, 'residue and selling': 714457, 'and selling them': 71243, 'selling them for': 749493, 'them for up': 875731, 'to 500 bz': 899753, '500 bz apiece': 19956, 'bz apiece 19': 154836, 'apiece 19 oman': 81462, 'hiring needing': 397116, 'chain is hiring': 170834, 'is hiring needing': 448487, 'hiring needing to': 397117, 'needing to keep': 556635, 'with demand to': 997994, 'demand to feed': 236395, 'feed the world': 302385, 'rupture': 728199, 'economics one': 267475, 'one reason': 606945, 'see oil': 745495, 'price remaining': 676175, 'remaining far': 709963, 'far lower': 298836, 'lower in': 505879, 'coming two': 188253, 'year than': 1014986, 'we previously': 972745, 'previously expected': 672037, 'expected both': 290877, 'both due': 135898, 'recent rupture': 703982, 'rupture of': 728200, 'of relation': 588911, 'relation between': 708661, 'between opec': 128840, 'opec member': 611919, 'member cdnecon': 528044, 'capital economics one': 162652, 'economics one reason': 267476, 'one reason for': 606946, 'reason for that': 702911, 'for that is': 326259, 'that is we': 844673, 'is we now': 453804, 'we now see': 972616, 'now see oil': 575748, 'see oil price': 745496, 'oil price remaining': 597235, 'price remaining far': 676176, 'remaining far lower': 709964, 'far lower in': 298837, 'lower in the': 505881, 'the coming two': 851202, 'coming two year': 188255, 'two year than': 937411, 'year than we': 1014988, 'than we previously': 841432, 'we previously expected': 972746, 'previously expected both': 672038, 'expected both due': 290878, 'both due to': 135899, 'to the lasting': 916835, 'and the recent': 73544, 'the recent rupture': 865323, 'recent rupture of': 703983, 'rupture of relation': 728201, 'of relation between': 588912, 'relation between opec': 708662, 'between opec member': 128842, 'opec member cdnecon': 611921, 'morning socialdistancing': 541449, 'line outside my': 493348, 'this morning socialdistancing': 889015, 'nunavut': 577157, 'nunavut doesn': 577158, 'doesn foresee': 251795, 'foresee any': 329047, 'any fuel': 79262, 'shortage because': 764851, 'the territory': 869304, 'territory is': 838566, 'year while': 1015101, 'low by': 505172, 'nunavut doesn foresee': 577159, 'doesn foresee any': 251796, 'foresee any fuel': 329048, 'any fuel shortage': 79263, 'fuel shortage because': 340280, 'shortage because of': 764852, 'pandemic in fact': 635696, 'fact the territory': 295822, 'the territory is': 869305, 'territory is stocking': 838567, 'stocking up for': 803618, 'up for next': 944949, 'next year while': 561737, 'year while oil': 1015103, 'while oil price': 987100, 'are low by': 87923, 'low by via': 505174, 'local chinese': 497822, 'business sky': 144388, 'sky supermarket': 773235, 'in flushing': 422946, 'flushing stocked': 311590, 'stocked cov': 803299, 'your local chinese': 1024688, 'local chinese business': 497823, 'chinese business sky': 177205, 'business sky supermarket': 144389, 'sky supermarket on': 773236, 'supermarket on main': 821726, 'main street in': 508829, 'street in flushing': 812993, 'in flushing stocked': 422948, 'flushing stocked cov': 311591, 'stocked cov d19': 803300, 'som': 782214, 'hindu the': 396864, 'only hampered': 610566, 'hampered the': 374618, 'the livelihood': 859508, 'livelihood after': 496190, 'daily consumption': 224561, 'consumption product': 199933, 'will drastically': 993252, 'impacted part': 418143, 'is seen': 451730, 'the auto': 849079, 'auto mobile': 103902, 'mobile sector': 535021, 'sector well': 744392, 'well som': 978566, 'hindu the impact': 396865, '19 not only': 8831, 'not only hampered': 570799, 'only hampered the': 610567, 'hampered the life': 374619, 'the life but': 859337, 'life but also': 488535, 'also the livelihood': 48977, 'the livelihood after': 859509, 'livelihood after the': 496191, 'after the lifting': 36331, 'lifting of lock': 489503, 'down the price': 257295, 'of daily consumption': 582313, 'daily consumption product': 224562, 'consumption product will': 199934, 'product will drastically': 681857, 'will drastically increase': 993254, 'drastically increase the': 258443, 'increase the most': 433109, 'the most impacted': 860998, 'most impacted part': 542391, 'impacted part is': 418144, 'part is seen': 642309, 'is seen in': 451731, 'in the auto': 428998, 'the auto mobile': 849082, 'auto mobile sector': 103903, 'mobile sector well': 535022, 'sector well som': 744393, 'made every': 507727, 'every effort': 285885, 'stay prepared': 797182, 'prepared cheer': 670171, 'cheer everyone': 175101, 'stay happy': 796888, 'keep smiling': 471937, 'smiling happy': 775774, 'happy lockdown': 377645, 'have made every': 381408, 'made every effort': 507729, 'every effort to': 285886, 'effort to stay': 269648, 'to stay prepared': 915309, 'stay prepared cheer': 797183, 'prepared cheer everyone': 670172, 'cheer everyone stay': 175102, 'everyone stay happy': 287402, 'stay happy and': 796889, 'happy and keep': 377584, 'and keep smiling': 65779, 'keep smiling happy': 471938, 'smiling happy lockdown': 775775, 'happy lockdown toiletpaper': 377646, 'rec': 703353, 'conscientious': 194784, 'advise what': 33609, 'step are': 799495, 'working people': 1008869, 'people aged': 646793, 'aged 70': 37940, '70 re': 21832, 'supermarket obviously': 821689, 'obviously can': 578827, 'ha rec': 371658, 'rec no': 703354, 'no guidance': 564390, 'employer conscientious': 274498, 'conscientious worker': 194787, 'worker she': 1007761, 'feel obliged': 302793, 'go how': 353681, 'how wil': 409215, 'please advise what': 659640, 'advise what step': 33611, 'what step are': 982254, 'step are in': 799496, 'are in place': 87423, 'place for working': 657455, 'for working people': 327954, 'working people aged': 1008870, 'people aged 70': 646796, 'aged 70 re': 37942, '70 re covid': 21833, '19 my mum': 8732, 'my mum work': 549392, 'in supermarket obviously': 428640, 'supermarket obviously can': 821690, 'obviously can work': 578828, 'home ha rec': 401331, 'ha rec no': 371659, 'rec no guidance': 703355, 'no guidance from': 564391, 'guidance from employer': 368238, 'from employer conscientious': 335276, 'employer conscientious worker': 274499, 'conscientious worker she': 194788, 'worker she feel': 1007762, 'she feel obliged': 756030, 'feel obliged to': 302794, 'obliged to go': 578482, 'to go how': 906808, 'go how wil': 353683, 'by tomorrow': 154569, 'be stripped': 117398, 'the locust': 859649, 'locust are': 500555, 'by tomorrow it': 154571, 'tomorrow it will': 924111, 'will be stripped': 992701, 'be stripped bare': 117399, 'stripped bare the': 813851, 'bare the locust': 110961, 'the locust are': 859650, 'locust are coming': 500556, 'are coming to': 85442, 'coming to supermarket': 188232, 'you coronacrisis panicbuyinguk': 1018057, 'endanger': 276088, 'public could': 687937, 'could endanger': 209137, 'endanger people': 276090, 'life especially': 488626, 'time great': 896861, 'great step': 363007, 'step indeed': 799569, 'indeed by': 433984, 'in public could': 427076, 'public could endanger': 687938, 'could endanger people': 209138, 'endanger people life': 276091, 'people life especially': 648635, 'life especially during': 488628, 'especially during this': 280466, 'challenging time great': 171639, 'time great step': 896862, 'great step indeed': 363008, 'step indeed by': 799570, 'indeed by it': 433985, 'authorize': 103825, 'virus call': 958023, 'for bold': 319712, 'bold action': 134087, 'action congress': 29988, 'congress should': 194525, 'should authorize': 765528, 'authorize tax': 103826, 'free federal': 331816, 'federal bonus': 301959, 'care pharmacy': 164142, 'pharmacy grocery': 654327, 'worker staying': 1007815, 'staying on': 798669, 'war against the': 966344, '19 virus call': 11787, 'virus call for': 958024, 'call for bold': 155856, 'for bold action': 319713, 'bold action congress': 134088, 'action congress should': 29989, 'congress should authorize': 194526, 'should authorize tax': 765529, 'authorize tax free': 103827, 'tax free federal': 834992, 'free federal bonus': 331817, 'federal bonus for': 301960, 'bonus for health': 134374, 'health care pharmacy': 386242, 'care pharmacy grocery': 164144, 'pharmacy grocery store': 654328, 'chain worker staying': 171265, 'worker staying on': 1007816, 'staying on the': 798670, 'the job during': 858657, 'job during this': 465808, 'want sub': 965943, 'sub 00': 815671, '00 gas': 229, 'gas it': 343885, 'coming with': 188294, 'down 18': 256382, '18 today': 4595, 'you want sub': 1022157, 'want sub 00': 965944, 'sub 00 gas': 815672, '00 gas it': 230, 'gas it coming': 343886, 'it coming with': 457224, 'coming with oil': 188296, 'price down 18': 673511, 'down 18 today': 256383, 'affluent': 34651, 'affluent flee': 34654, 'flee to': 310289, 'to second': 913955, 'second home': 743737, 'rent go': 711103, 'affluent flee to': 34655, 'flee to second': 310290, 'to second home': 913956, 'second home in': 743738, 'home in covid': 401413, 'pandemic will house': 637010, 'and rent go': 70242, 'rent go up': 711104, 'shop safely': 760727, 'which news': 986176, 'to shop safely': 914486, 'shop safely at': 760728, 'the supermarket which': 868903, 'supermarket which news': 823838, 'bleakest': 132557, 'bleakest economic': 132558, 'economic view': 267360, 'view come': 957075, 'with front': 998569, 'front row': 338663, 'row view': 726589, 'of fallout': 583393, 'fallout via': 297397, 'bleakest economic view': 132559, 'economic view come': 267361, 'view come from': 957076, 'come from those': 187317, 'from those with': 338036, 'those with front': 892718, 'with front row': 998570, 'front row view': 338664, 'row view of': 726590, 'view of fallout': 957125, 'of fallout via': 583394, 'high pre': 395223, 'to fresh': 906249, 'ha always': 369531, 'always been': 49484, 'limited due': 492620, 'people indigenous': 648469, 'indigenous and': 435078, 'non indigenous': 566410, 'the price were': 864436, 'were high pre': 979740, 'high pre covid': 395224, '19 and access': 4980, 'access to fresh': 28237, 'to fresh food': 906250, 'fresh food ha': 332968, 'food ha always': 314744, 'ha always been': 369532, 'always been limited': 49489, 'been limited due': 121462, 'limited due to': 492621, 'due to price': 261913, 'to price it': 912121, 'price it not': 674922, 'it not right': 459914, 'not right and': 571383, 'it not fair': 459875, 'fair on our': 296358, 'on our people': 602619, 'our people indigenous': 624311, 'people indigenous and': 648470, 'indigenous and non': 435079, 'and non indigenous': 67672, 'workingfromthefrontlines': 1009125, 'wff': 980823, 'the workingfromthefrontlines': 871785, 'workingfromthefrontlines wff': 1009126, 'wff men': 980826, 'woman during': 1003477, 'clerk explains': 181695, 'for the workingfromthefrontlines': 326787, 'the workingfromthefrontlines wff': 871786, 'workingfromthefrontlines wff men': 1009128, 'wff men and': 980827, 'and woman during': 75805, 'woman during these': 1003479, 'difficult time grocery': 242290, 'time grocery store': 896868, 'store clerk explains': 807005, 'clerk explains what': 181696, 'like to work': 491636, 'to work amid': 918681, 'work amid covid': 1004743, 'price follow': 673903, 'link if': 493851, 'life cal': 488547, 'cal shop': 155275, 'price follow this': 673906, 'follow this link': 312565, 'this link if': 888646, 'link if your': 493852, 'if your life': 415590, 'your life cal': 1024630, 'life cal shop': 488548, 'cal shop are': 155276, 'shop are increasing': 759902, 'are increasing price': 87490, 'substance found': 816036, 'in drug': 422396, 'drug used': 261142, 'treat malaria': 930847, 'malaria and': 511548, 'severe arthritis': 753989, 'arthritis cleared': 94212, 'by trump': 154605, 'trump fda': 933549, 'testing also': 839430, 'also found': 48234, 'in fish': 422914, 'tank and': 834187, 'substance found in': 816037, 'found in drug': 330249, 'in drug used': 422397, 'drug used to': 261143, 'to treat malaria': 917750, 'treat malaria and': 930848, 'malaria and severe': 511549, 'and severe arthritis': 71343, 'severe arthritis cleared': 753990, 'arthritis cleared by': 94213, 'cleared by trump': 181412, 'by trump fda': 154606, 'trump fda for': 933550, 'fda for testing': 300858, 'for testing also': 326233, 'testing also found': 839431, 'also found in': 48235, 'found in fish': 330250, 'in fish tank': 422916, 'fish tank and': 309341, 'tank and price': 834188, 'and price online': 69466, 'price online are': 675747, 'online are soaring': 607873, 'distracts': 247916, 'shopping distracts': 762490, 'distracts me': 247917, 'eating so': 266307, 'be broke': 113913, 'broke instead': 140833, 'fat after': 300192, 'online shopping distracts': 609094, 'shopping distracts me': 762491, 'distracts me from': 247918, 'me from eating': 522782, 'from eating so': 335253, 'eating so might': 266308, 'so might just': 777740, 'just be broke': 468267, 'be broke instead': 113914, 'broke instead of': 140834, 'instead of fat': 440260, 'of fat after': 583444, 'fat after this': 300193, 'only deal': 610317, 'buying stock': 151086, 'piling but': 656573, 'fine people': 307680, 'people heavily': 648230, 'heavily for': 388579, 'for throwing': 327180, 'throwing food': 895093, 'will and': 992282, 'get fed': 346999, 'with living': 999270, 'on bean': 599598, 'and pasta': 68755, 'pasta panicbuyinguk': 643781, 'panicbuyinguk stockpiling': 639172, 'not only deal': 570785, 'only deal with': 610318, 'panic buying stock': 637903, 'buying stock piling': 151088, 'stock piling but': 802653, 'piling but also': 656574, 'but also to': 145151, 'also to fine': 49019, 'to fine people': 905961, 'fine people heavily': 307681, 'people heavily for': 648231, 'heavily for throwing': 388580, 'for throwing food': 327181, 'throwing food away': 895094, 'food away when': 313493, 'away when the': 106104, 'when the crisis': 984138, 'the crisis end': 852373, 'crisis end and': 217346, 'end and it': 275769, 'it will and': 462371, 'will and they': 992283, 'they will get': 883851, 'will get fed': 993504, 'get fed up': 347000, 'up with living': 946658, 'with living on': 999271, 'living on bean': 496428, 'on bean and': 599599, 'bean and pasta': 118290, 'and pasta panicbuyinguk': 68760, 'pasta panicbuyinguk stockpiling': 643782, 'depicted': 237398, 'think every': 885228, 'every television': 286281, 'television show': 836867, 'and movie': 67299, 'movie in': 544009, 'apocalypse genre': 81526, 'genre that': 345826, 'that depicted': 843500, 'depicted fully': 237399, 'of crap': 582114, 'crap socialdistancing': 214909, 'beginning to think': 123677, 'to think every': 917373, 'think every television': 885230, 'every television show': 286282, 'television show and': 836868, 'show and movie': 766864, 'and movie in': 67300, 'movie in the': 544012, 'the apocalypse genre': 848807, 'apocalypse genre that': 81527, 'genre that depicted': 345827, 'that depicted fully': 843501, 'depicted fully stocked': 237400, 'store wa full': 811112, 'full of crap': 340710, 'of crap socialdistancing': 582115, 'lauded': 481691, 'savior': 737994, 'while doctor': 986759, 'professional at': 682417, 'large are': 479594, 'rightfully being': 722448, 'being lauded': 125370, 'lauded hero': 481692, 'pandemic there': 636721, 'there another': 878013, 'another set': 77836, 'of savior': 589339, 'savior facing': 737995, 'facing the': 295619, 'coronavirus frontlines': 205962, 'frontlines every': 338913, 'while doctor nurse': 986760, 'doctor nurse and': 250999, 'care professional at': 164159, 'professional at large': 682419, 'at large are': 99406, 'large are rightfully': 479595, 'are rightfully being': 89698, 'rightfully being lauded': 722449, 'being lauded hero': 125371, 'lauded hero during': 481693, 'hero during the': 393982, '19 pandemic there': 9496, 'pandemic there another': 636722, 'there another set': 878014, 'another set of': 77837, 'set of savior': 753443, 'of savior facing': 589340, 'savior facing the': 737996, 'facing the coronavirus': 295621, 'the coronavirus frontlines': 851854, 'coronavirus frontlines every': 205963, 'frontlines every day': 338914, 'every day grocery': 285812, 'to holding': 907919, 'holding your': 400194, 'your breath': 1023024, 'breath for': 139165, 'entire trip': 278764, 'out to holding': 627653, 'to holding your': 907920, 'holding your breath': 400195, 'your breath for': 1023025, 'breath for an': 139166, 'for an entire': 319285, 'an entire trip': 55776, 'entire trip to': 278765, 'lawyer': 482546, 'crisis due': 217323, '19 federal': 6963, 'federal ministry': 302027, 'of justice': 585577, 'justice want': 470447, 'suspend insolvency': 829567, 'insolvency application': 439736, 'application germany': 82461, 'germany on': 346331, 'justice and': 470400, 'that statutory': 846464, 'statutory regulation': 796721, 'regulation ri': 708108, 'ri bankruptcy': 720922, 'bankruptcy lawyer': 110532, 'in crisis due': 421879, 'crisis due to': 217324, 'covid 19 federal': 213081, '19 federal ministry': 6964, 'federal ministry of': 302028, 'ministry of justice': 533550, 'of justice want': 585582, 'justice want to': 470448, 'want to temporarily': 966142, 'temporarily suspend insolvency': 837554, 'suspend insolvency application': 829568, 'insolvency application germany': 439737, 'application germany on': 82462, 'germany on march': 346332, 'on march 16': 602011, '16 2020 the': 4072, '2020 the federal': 14639, 'the federal ministry': 855076, 'of justice and': 585578, 'justice and consumer': 470401, 'protection announced that': 685332, 'announced that statutory': 77068, 'that statutory regulation': 846465, 'statutory regulation ri': 796722, 'regulation ri bankruptcy': 708109, 'ri bankruptcy lawyer': 720923, 'changed drastically': 172463, 'drastically during': 258436, 'outbreak see': 628605, 'ha collected': 370197, 'collected on': 186367, 'consumer shopping habit': 198975, 'shopping habit have': 762846, 'have changed drastically': 379934, 'changed drastically during': 172464, 'drastically during the': 258437, '19 outbreak see': 9181, 'outbreak see some': 628606, 'the data ha': 852847, 'data ha collected': 226256, 'ha collected on': 370198, 'collected on the': 186369, 'delive': 233079, 'yes found': 1015437, 'good setup': 357719, 'setup pity': 753736, 'pity there': 657064, 'enough security': 277610, 'supermarket wouldn': 824137, 'online delive': 608077, 'yes found that': 1015438, 'found that also': 330394, 'that also have': 842603, 'also have good': 48332, 'have good setup': 380807, 'good setup pity': 357720, 'setup pity there': 753737, 'pity there not': 657065, 'there not enough': 878858, 'not enough security': 569192, 'enough security staff': 277611, 'security staff in': 744757, 'in the other': 429424, 'other supermarket wouldn': 621028, 'supermarket wouldn even': 824138, 'wouldn even be': 1012458, 'even be shopping': 283861, 'be shopping out': 117156, 'shopping out but': 763572, 'there no slot': 878841, 'no slot left': 565524, 'slot left for': 774229, 'left for online': 485467, 'for online delive': 324102, 'dancing': 225597, 'so lonely': 777576, 'lonely in': 501300, 'quarantine dancing': 692126, 'dancing tp': 225602, 'quarantine st': 692560, 'louis missouri': 504524, 'so lonely in': 777577, 'lonely in quarantine': 501301, 'in quarantine dancing': 427178, 'quarantine dancing tp': 692127, 'dancing tp toiletpaper': 225603, 'tp toiletpaper quarantine': 928004, 'toiletpaper quarantine st': 922377, 'quarantine st louis': 692561, 'st louis missouri': 791725, 'greeter': 363804, 'coronavirus trader': 206960, 'joe worker': 466452, 'in scarsdale': 427722, 'scarsdale greeter': 741118, 'greeter at': 363805, 'in largo': 424592, 'md and': 522256, 'employee chicago': 273717, 'chicago have': 175671, 'via 19': 955776, 'of coronavirus trader': 581971, 'coronavirus trader joe': 206961, 'trader joe worker': 928724, 'joe worker in': 466453, 'worker in scarsdale': 1007200, 'in scarsdale greeter': 427723, 'scarsdale greeter at': 741119, 'greeter at giant': 363806, 'at giant store': 98757, 'giant store in': 349868, 'store in largo': 808331, 'in largo md': 424595, 'largo md and': 480048, 'md and walmart': 522259, 'and walmart employee': 75159, 'walmart employee chicago': 965320, 'employee chicago have': 273718, 'chicago have died': 175672, 'recent day via': 703868, 'day via 19': 228649, '435': 18990, '7203': 22030, 'help purchase': 390388, 'purchase may': 689549, 'website curbside': 975239, 'calling our': 156618, 'at 402': 97649, '402 435': 18803, '435 7203': 18991, 'community we have': 190210, 'retail store we': 718723, 'are still here': 90432, 'still here to': 800700, 'to help purchase': 907597, 'help purchase may': 390389, 'purchase may be': 689550, 'may be made': 521005, 'be made on': 115866, 'made on our': 507886, 'our website curbside': 625335, 'website curbside pickup': 975240, 'curbside pickup or': 220659, 'pickup or by': 656000, 'or by calling': 614625, 'by calling our': 152060, 'calling our staff': 156619, 'our staff at': 624876, 'staff at 402': 792229, 'at 402 435': 97650, '402 435 7203': 18804, 'diversified': 248534, 'corporategreed': 207365, 'essentialservices': 281923, 'servic': 752016, 'seen even': 747008, 'even one': 284426, 'on diversified': 600356, 'diversified bus': 248535, 'bus corporategreed': 143008, 'corporategreed stayhomestaysafe': 207366, 'stayhomestaysafe essentialservices': 798510, 'essentialservices and': 281924, 'and since': 71685, 'is construction': 446782, 'construction an': 195784, 'essential servic': 281493, 'not seen even': 571508, 'seen even one': 747009, 'even one hand': 284427, 'sanitizer on diversified': 735456, 'on diversified bus': 600357, 'diversified bus corporategreed': 248536, 'bus corporategreed stayhomestaysafe': 143009, 'corporategreed stayhomestaysafe essentialservices': 207367, 'stayhomestaysafe essentialservices and': 798511, 'essentialservices and since': 281925, 'and since when': 71686, 'since when is': 770994, 'when is construction': 983613, 'is construction an': 446783, 'construction an essential': 195785, 'an essential servic': 55833, '1990': 12480, 'favoured': 300585, 'lfc': 487883, 'fortunate in': 329893, 'that bit': 842989, 'bit like': 131605, 'like liverpool': 490654, 'liverpool fc': 496241, 'fc after': 300714, 'after 1990': 35281, '1990 the': 12483, 'the golden': 856416, 'golden delicious': 356047, 'delicious fell': 233012, 'fell from': 303196, 'from grace': 335685, 'grace in': 361606, 'country but': 210528, 'always remained': 49713, 'remained my': 709937, 'my favoured': 548282, 'favoured apple': 300586, 'apple no': 82345, 'no trouble': 565807, 'finding that': 307547, 'today lfc': 919802, 'lfc stophoarding': 487884, 'fortunate in that': 329894, 'in that bit': 428913, 'that bit like': 842990, 'bit like liverpool': 131607, 'like liverpool fc': 490655, 'liverpool fc after': 496242, 'fc after 1990': 300715, 'after 1990 the': 35282, '1990 the golden': 12484, 'the golden delicious': 856417, 'golden delicious fell': 356048, 'delicious fell from': 233013, 'fell from grace': 303198, 'from grace in': 335686, 'grace in this': 361607, 'this country but': 886943, 'country but it': 210529, 'but it always': 146096, 'it always remained': 456443, 'always remained my': 49714, 'remained my favoured': 709938, 'my favoured apple': 548283, 'favoured apple no': 300587, 'apple no trouble': 82346, 'no trouble finding': 565808, 'trouble finding that': 932608, 'finding that today': 307549, 'that today lfc': 847069, 'today lfc stophoarding': 919803, 'lfc stophoarding panicbuyinguk': 487885, 'youngster': 1022703, 'fuckmillenials': 340064, 'helptheelderly': 391633, 'helpthevulnerable': 391644, 'better stop': 128498, 'cart youngster': 165431, 'youngster with': 1022704, 'with there': 1001624, 'full think': 340927, 'think may': 885391, 'just jump': 469086, 'jump you': 467912, 'family fuckmillenials': 297833, 'fuckmillenials bekind': 340065, 'bekind helptheelderly': 126099, 'helptheelderly helpthevulnerable': 391634, 'people better stop': 647279, 'better stop panic': 128500, 'buying food because': 150305, 'food because if': 313705, 'because if see': 119144, 'if see an': 414758, 'see an old': 744899, 'an old man': 56590, 'old man with': 598357, 'man with nothing': 512356, 'nothing in his': 573048, 'his cart youngster': 397283, 'cart youngster with': 165432, 'youngster with there': 1022705, 'with there full': 1001627, 'there full think': 878424, 'full think may': 340928, 'think may just': 885392, 'may just jump': 521306, 'just jump you': 469087, 'jump you with': 467913, 'you with my': 1022382, 'my family fuckmillenials': 548200, 'family fuckmillenials bekind': 297834, 'fuckmillenials bekind helptheelderly': 340066, 'bekind helptheelderly helpthevulnerable': 126100, 'blog now': 132970, 'about navigating': 25780, 'sanitizer market': 735344, 'pandemic handsanitizer': 635582, 'handsanitizer blog': 376489, 'blog market': 132966, 'market meddevice': 516713, 'meddevice find': 525948, 'latest blog now': 481238, 'blog now to': 132973, 'now to learn': 576171, 'more about navigating': 538516, 'about navigating the': 25782, 'navigating the hand': 553129, 'hand sanitizer market': 375485, 'sanitizer market during': 735345, 'the pandemic handsanitizer': 862980, 'pandemic handsanitizer blog': 635583, 'handsanitizer blog market': 376490, 'blog market meddevice': 132967, 'market meddevice find': 516714, 'meddevice find the': 525949, 'find the blog': 307284, 'the blog here': 849776, 'subscribed': 815858, 'any minor': 79464, 'minor entity': 533634, 'entity that': 278858, 'have subscribed': 382822, 'subscribed to': 815859, 'to previously': 912110, 'previously stop': 672056, 'stop emailing': 804634, 'emailing me': 272391, '19 unless': 11639, 'government medical': 360357, 'medical authority': 526061, 'authority my': 103766, 'employer supermarket': 274545, 'any minor entity': 79465, 'minor entity that': 533635, 'entity that may': 278860, 'that may have': 845079, 'may have subscribed': 521257, 'have subscribed to': 382823, 'subscribed to previously': 815860, 'to previously stop': 912111, 'previously stop emailing': 672057, 'stop emailing me': 804635, 'emailing me to': 272393, 'me to let': 523763, 're doing about': 698529, 'doing about covid': 252258, 'covid 19 unless': 214001, '19 unless you': 11640, 'the government medical': 856564, 'government medical authority': 360358, 'medical authority my': 526062, 'authority my employer': 103767, 'my employer supermarket': 548096, 'employer supermarket do': 274546, 'liarinchief': 487979, 'fyi the': 342650, 'consumer pay': 198342, 'pay tariff': 645131, 'tariff liarinchief': 834599, 'liarinchief china': 487980, 'china isn': 176765, 'isn paying': 454619, 'for shit': 325553, 'you incompetent': 1019328, 'incompetent as': 432527, 'as maga': 94772, 'maga people': 508292, 'fyi the consumer': 342651, 'the consumer pay': 851570, 'consumer pay tariff': 198343, 'pay tariff liarinchief': 645133, 'tariff liarinchief china': 834600, 'liarinchief china isn': 487981, 'china isn paying': 176766, 'isn paying for': 454620, 'paying for shit': 645416, 'for shit the': 325556, 'shit the cost': 759240, 'cost of all': 208038, 'all their product': 45006, 'their product including': 874468, 'product including food': 681305, 'including food have': 431965, 'food have gone': 314782, 'gone up you': 356436, 'up you incompetent': 946725, 'you incompetent as': 1019329, 'incompetent as maga': 432528, 'as maga people': 94773, 'lurch': 506825, 'occurrence': 579053, 'elisabeth': 271503, 'selk': 748598, 'lurch in': 506826, 'become daily': 119962, 'daily occurrence': 224727, 'occurrence amid': 579054, 'our strategic': 624965, 'strategic research': 812558, 'research consultant': 713700, 'consultant elisabeth': 195867, 'elisabeth selk': 271504, 'selk examines': 748599, 'examines what': 288848, 'property industry': 684281, 'ha in': 370932, 'lurch in share': 506827, 'share price have': 755175, 'price have become': 674413, 'have become daily': 379429, 'become daily occurrence': 119963, 'daily occurrence amid': 224728, 'occurrence amid the': 579055, 'crisis our strategic': 217842, 'our strategic research': 624967, 'strategic research consultant': 812559, 'research consultant elisabeth': 713701, 'consultant elisabeth selk': 195868, 'elisabeth selk examines': 271505, 'selk examines what': 748600, 'examines what option': 288849, 'what option the': 981970, 'option the property': 614107, 'the property industry': 864682, 'property industry ha': 684282, 'industry ha in': 435863, 'ha in our': 370933, 'underperform': 940533, 'ratio': 697608, 'normalized': 567467, 'depth and': 237758, 'and duration': 61804, 'stock will': 803193, 'recover but': 705166, 'but 20': 145029, '30 below': 16984, 'below current': 126626, '2008 investor': 13675, 'investor will': 444230, 'recover stock': 705204, 'stock may': 802467, 'may underperform': 521589, 'underperform since': 940536, 'since high': 770646, 'high ratio': 395325, 'ratio are': 697613, 'are normalized': 88303, 'normalized if': 567470, 'not exceeded': 569318, 'exceeded via': 289046, 'when we finally': 984441, 'we finally get': 971556, 'finally get an': 306010, 'get an idea': 346543, 'an idea of': 56130, 'idea of the': 413139, 'of the depth': 590944, 'the depth and': 853167, 'depth and duration': 237759, 'and duration of': 61805, 'of the recession': 591395, 'the recession stock': 865340, 'recession stock will': 704370, 'stock will recover': 803199, 'will recover but': 994600, 'recover but 20': 705167, 'but 20 to': 145030, 'to 30 below': 899665, '30 below current': 16985, 'below current price': 126627, 'current price in': 221312, 'price in 2008': 674650, 'in 2008 investor': 419757, '2008 investor will': 13677, 'investor will take': 444231, 'will take time': 995084, 'time to recover': 898043, 'to recover stock': 912990, 'recover stock may': 705205, 'stock may underperform': 802468, 'may underperform since': 521590, 'underperform since high': 940537, 'since high ratio': 770647, 'high ratio are': 395326, 'ratio are normalized': 697615, 'are normalized if': 88304, 'normalized if not': 567471, 'if not exceeded': 414496, 'not exceeded via': 569319, 'sheffield': 756638, 'meadowhall': 524075, 'current coronavirus': 221143, '19 evolving': 6878, 'situation sheffield': 772480, 'sheffield united': 756648, 'united ha': 942166, 'temporarily this': 837563, 'this now': 889181, 'now includes': 575023, 'includes our': 431788, 'our meadowhall': 623881, 'meadowhall store': 524076, 'the current coronavirus': 852621, 'current coronavirus covid': 221144, 'covid 19 evolving': 213052, '19 evolving situation': 6879, 'evolving situation sheffield': 288586, 'situation sheffield united': 772481, 'sheffield united ha': 756649, 'united ha made': 942167, 'made the decision': 507991, 'decision to close': 231102, 'to close all': 902855, 'of our retail': 587556, 'store temporarily this': 810527, 'temporarily this now': 837564, 'this now includes': 889183, 'now includes our': 575027, 'includes our meadowhall': 431790, 'our meadowhall store': 623882, 'meadowhall store with': 524077, 'apocalypse when': 81577, 'fighting with': 305157, 'cashier over': 166580, 'over loo': 630369, 'supermarket corvid19uk': 819811, 'you re living': 1020669, 'living through the': 496463, 'the apocalypse when': 848815, 'apocalypse when people': 81578, 'are fighting with': 86551, 'fighting with cashier': 305158, 'with cashier over': 997567, 'cashier over loo': 166581, 'over loo roll': 630370, 'loo roll at': 502169, 'the supermarket corvid19uk': 868534, 'indifference': 435070, 'pcc': 645899, 'government encourages': 360064, 'encourages social': 275699, 'distancing we': 247616, 'have company': 380048, 'that encourage': 843708, 'encourage travel': 275641, 'and vacation': 74827, 'vacation since': 951592, 'cheap shocking': 174188, 'shocking indifference': 759605, 'indifference towards': 435075, 'towards people': 927233, 'the pcc': 863417, 'pcc advise': 645900, 'advise them': 33604, 'the government encourages': 856533, 'government encourages social': 360065, 'encourages social distancing': 275700, 'social distancing we': 779762, 'distancing we have': 247619, 'we have company': 971777, 'have company that': 380050, 'company that encourage': 191169, 'that encourage travel': 843709, 'encourage travel and': 275642, 'travel and vacation': 930263, 'and vacation since': 74828, 'vacation since price': 951593, 'since price are': 770797, 'price are cheap': 672643, 'are cheap shocking': 85262, 'cheap shocking indifference': 174189, 'shocking indifference towards': 759606, 'indifference towards people': 435076, 'towards people can': 927234, 'people can the': 647415, 'can the pcc': 159958, 'the pcc advise': 863418, 'pcc advise them': 645901, 're hoping': 698834, 'employee are looking': 273621, 'are looking like': 87886, 'looking like they': 502963, 'they re hoping': 883054, 're hoping for': 698835, 'scottoiletpaper': 742492, 'megaroll': 527844, 'score thanks': 742372, 'thanks toiletpaper': 842275, 'toiletpapercrisis scottoiletpaper': 923057, 'scottoiletpaper megaroll': 742493, 'megaroll toiletpaperchallenge': 527845, 'score thanks toiletpaper': 742373, 'thanks toiletpaper toiletpapercrisis': 842276, 'toiletpaper toiletpapercrisis scottoiletpaper': 922663, 'toiletpapercrisis scottoiletpaper megaroll': 923058, 'scottoiletpaper megaroll toiletpaperchallenge': 742494, 'top victim': 925754, 'sense grocery': 750527, 'etiquette math': 283156, 'math humor': 520463, 'humor freedom': 410873, 'top victim of': 925755, 'victim of common': 956493, 'of common sense': 581592, 'common sense grocery': 189459, 'sense grocery store': 750528, 'store etiquette math': 807636, 'etiquette math humor': 283157, 'math humor freedom': 520464, 'least 30': 484358, '30 grocery': 17062, 'their colleague': 872801, 'are pleading': 89104, 'at least 30': 99451, 'least 30 grocery': 484360, '30 grocery store': 17063, 'store worker have': 811521, 'the and their': 848725, 'and their colleague': 73676, 'their colleague are': 872802, 'colleague are pleading': 186198, 'are pleading for': 89105, 'pleading for shopper': 659585, 'for shopper to': 325574, 'shopper to wear': 761781, 'mask and respect': 518361, 'and respect social': 70333, 'demoting': 236884, 'misinfo': 534054, 'tech ha': 836101, 'more aggressive': 538570, 'aggressive in': 38249, 'in responding': 427415, 'crisis than': 218138, 'after political': 36050, 'political misinformation': 663662, 'misinformation but': 534062, 'are simple': 90132, 'simple promoting': 770078, 'promoting good': 683840, 'info demoting': 437465, 'demoting bad': 236885, 'bad info': 107906, 'info keeping': 437507, 'keeping misinfo': 472481, 'misinfo from': 534055, 'from appearing': 334569, '1st place': 12777, 'big tech ha': 130054, 'tech ha been': 836102, 'ha been more': 369856, 'been more aggressive': 121538, 'more aggressive in': 538571, 'aggressive in responding': 38250, 'in responding to': 427416, 'the crisis than': 852457, 'crisis than they': 218139, 'than they have': 841301, 'been in going': 121346, 'going after political': 354998, 'after political misinformation': 36051, 'political misinformation but': 663663, 'misinformation but the': 534063, 'but the measure': 147362, 'the measure are': 860368, 'measure are simple': 525126, 'are simple promoting': 90134, 'simple promoting good': 770079, 'promoting good info': 683841, 'good info demoting': 357263, 'info demoting bad': 437466, 'demoting bad info': 236886, 'bad info keeping': 107907, 'info keeping misinfo': 437508, 'keeping misinfo from': 472482, 'misinfo from appearing': 534056, 'from appearing in': 334570, 'appearing in the': 82172, 'in the 1st': 428948, 'the 1st place': 847974, 'telepathy': 836794, 'sanitizeeverything': 734269, 'stayindoorsclub': 798554, 'medrabbits': 527366, 'doctor got': 250931, 'than telemedicine': 841201, 'telemedicine they': 836788, 'got telepathy': 358885, 'telepathy doctor': 836795, 'doctor telemedicine': 251121, 'telemedicine corona': 836772, 'corona washhand': 204384, 'sanitizer sanitizeeverything': 735688, 'sanitizeeverything socialdistancing': 734270, 'socialdistancing healthylifestyle': 780418, 'healthylifestyle healthcare': 387850, 'healthcare home': 387139, 'home stayindoorsclub': 402134, 'stayindoorsclub indoor': 798555, 'indoor medrabbits': 435357, 'our doctor got': 622789, 'doctor got more': 250932, 'more than telemedicine': 540680, 'than telemedicine they': 841202, 'telemedicine they got': 836789, 'they got telepathy': 882229, 'got telepathy doctor': 358886, 'telepathy doctor telemedicine': 836796, 'doctor telemedicine corona': 251122, 'telemedicine corona washhand': 836773, 'corona washhand sanitizer': 204385, 'washhand sanitizer sanitizeeverything': 967634, 'sanitizer sanitizeeverything socialdistancing': 735689, 'sanitizeeverything socialdistancing healthylifestyle': 734271, 'socialdistancing healthylifestyle healthcare': 780419, 'healthylifestyle healthcare home': 387851, 'healthcare home stayindoorsclub': 387140, 'home stayindoorsclub indoor': 402135, 'stayindoorsclub indoor medrabbits': 798556, '11am': 2713, 'at 11am': 97443, '11am pst': 2725, 'pst for': 687489, 'sale platform': 732450, 'find alternative': 306768, 'alternative sale': 49253, 'sale channel': 732120, 'time follow': 896676, 'register today': 707621, 'is hosting free': 448557, 'free webinar tomorrow': 332315, 'webinar tomorrow at': 975124, 'tomorrow at 11am': 924031, 'at 11am pst': 97446, '11am pst for': 2726, 'pst for farmer': 687490, 'farmer to learn': 299540, 'more about direct': 538504, 'consumer online sale': 198267, 'online sale platform': 608923, 'sale platform and': 732451, 'platform and find': 658938, 'and find alternative': 62884, 'find alternative sale': 306769, 'alternative sale channel': 49254, 'sale channel during': 732121, 'channel during these': 172881, 'during these unprecedented': 263249, 'unprecedented time follow': 943197, 'time follow the': 896677, 'link to learn': 493933, 'more and register': 538619, 'and register today': 70151, 'dear healthy': 229803, 'young female': 1022593, 'female please': 303504, 'why supermarket': 991388, 'country appear': 210453, 'emptied of': 274686, 'of sanitary': 589272, 'sanitary product': 733812, 'product how': 681265, 'many period': 514556, 'period do': 651746, 'have during': 380394, 'day self': 228323, 'isolation period': 455386, 'period storage': 651888, 'dear healthy young': 229804, 'healthy young female': 387820, 'young female please': 1022594, 'female please explain': 303505, 'explain why supermarket': 292137, 'why supermarket aisle': 991389, 'supermarket aisle across': 818830, 'aisle across the': 40187, 'the country appear': 852048, 'country appear to': 210454, 'been emptied of': 121077, 'emptied of sanitary': 274688, 'of sanitary product': 589273, 'sanitary product how': 733816, 'product how many': 681266, 'how many period': 408280, 'many period do': 514557, 'period do you': 651747, 'do you expect': 250627, 'you expect to': 1018484, 'expect to have': 290769, 'to have during': 907234, 'have during the': 380395, 'during the 14': 263076, '14 day self': 3456, 'day self isolation': 228324, 'self isolation period': 747791, 'isolation period storage': 455387, 'scam since': 740356, '2020 according': 14123, 'report that nearly': 712324, 'that nearly 12': 845292, 'related scam since': 708558, 'scam since january': 740358, 'january 2020 according': 464628, '2020 according to': 14124, 'walmartgroceries': 965483, 'many american': 513730, 'american cannot': 51856, 'even risk': 284532, 'risk going': 723578, 'store even': 807637, 'now cannot': 574342, 'from walmartgroceries': 338287, 'walmartgroceries nor': 965484, 'nor amazon': 566934, 'amazon amazonfresh': 50840, 'many american cannot': 513732, 'american cannot even': 51858, 'cannot even risk': 161799, 'even risk going': 284533, 'risk going to': 723580, 'grocery store even': 365378, 'store even before': 807638, 'even before but': 283870, 'before but now': 122681, 'but now cannot': 146599, 'now cannot even': 574346, 'even get food': 284104, 'get food order': 347057, 'food order from': 315679, 'order from walmartgroceries': 618261, 'from walmartgroceries nor': 338288, 'walmartgroceries nor amazon': 965485, 'nor amazon amazonfresh': 566935, 'isn issuing': 454558, 'issuing refund': 456131, 'to passenger': 911490, 'passenger required': 643337, 'it corrupt': 457341, 'corrupt and': 207656, 'be investigated': 115540, 'investigated please': 443824, 'file your': 305384, 'your complaint': 1023298, 'isn issuing refund': 454559, 'issuing refund to': 456132, 'refund to passenger': 706967, 'to passenger required': 911491, 'passenger required to': 643338, 'required to cancel': 713394, 'to cancel travel': 902433, 'cancel travel due': 160902, '19 it corrupt': 8127, 'it corrupt and': 457342, 'corrupt and should': 207657, 'should be investigated': 765652, 'be investigated please': 115542, 'investigated please file': 443825, 'please file your': 659991, 'file your complaint': 305386, 'martial': 518078, 'there massive': 878751, 'massive line': 520052, 'line kinda': 493224, 'kinda feel': 475047, 'in dystopia': 422430, 'dystopia the': 263941, 'gov had': 359595, 'had declared': 373017, 'declared martial': 231237, 'martial law': 518079, 'are lining': 87826, 'weekly ration': 977531, 'standing 2m': 793735, 'away quarantinelife': 106017, 'up outside the': 945720, 'the supermarket right': 868777, 'now to get': 576168, 'thing and there': 884137, 'and there massive': 73844, 'there massive line': 878752, 'massive line kinda': 520053, 'line kinda feel': 493225, 'kinda feel like': 475048, 'feel like we': 302761, 'like we are': 491770, 'are in dystopia': 87379, 'in dystopia the': 422431, 'dystopia the gov': 263942, 'the gov had': 856484, 'gov had declared': 359596, 'had declared martial': 373018, 'declared martial law': 231238, 'martial law and': 518080, 'law and we': 482216, 'we are lining': 970611, 'are lining up': 87827, 'lining up for': 493765, 'up for our': 944953, 'for our weekly': 324309, 'our weekly ration': 625367, 'weekly ration and': 977532, 'ration and everyone': 697632, 'everyone is standing': 287111, 'is standing 2m': 452221, 'standing 2m away': 793737, '2m away quarantinelife': 16671, 'defra': 232477, 'georgeeustice': 346020, 'to separate': 914247, 'separate the': 751088, 'priority online': 678618, 'parcel delivered': 641484, 'delivered food': 233321, 'food defra': 314085, 'defra vulnerable': 232478, 'vulnerable georgeeustice': 960971, 'way to separate': 970090, 'to separate the': 914248, 'separate the need': 751089, 'need for priority': 554865, 'for priority online': 324744, 'priority online shopping': 678621, 'shopping slot from': 763905, 'slot from the': 774200, 'from the need': 337799, 'have food parcel': 380660, 'food parcel delivered': 315812, 'parcel delivered food': 641485, 'delivered food defra': 233322, 'food defra vulnerable': 314086, 'defra vulnerable georgeeustice': 232479, 'sobering': 779367, 'state economy': 795549, 'already vulnerable': 47750, 'vulnerable before': 960881, 'is sobering': 452055, 'our state economy': 624900, 'state economy wa': 795552, 'economy wa already': 268321, 'wa already vulnerable': 961497, 'already vulnerable before': 47751, 'vulnerable before the': 960883, 'before the covid': 123151, 'price but this': 672991, 'this is sobering': 888404, 'from shld': 337259, 'shld be': 759399, 'be top': 117767, 'priority request': 678634, 'request all': 713140, 'all trader': 45282, 'trader manufacturer': 928733, 'manufacturer of': 513490, 'good pharma': 357556, 'pharma to': 654048, 'price support': 676711, 'support nation': 826662, 'nation not': 552266, 'not charging': 568743, 'all chief': 42340, 'chief minister': 175946, 'minister corporate': 533348, 'corporate world': 207360, 'world serve': 1009963, 'serve nation': 751917, 'safety from shld': 730549, 'from shld be': 337260, 'shld be top': 759400, 'be top priority': 117769, 'top priority request': 925683, 'priority request all': 678635, 'request all trader': 713143, 'all trader manufacturer': 45283, 'trader manufacturer of': 928734, 'manufacturer of essential': 513493, 'essential good pharma': 281096, 'good pharma to': 357557, 'pharma to reduce': 654049, 'reduce their price': 705987, 'their price support': 874425, 'price support nation': 676712, 'support nation not': 826663, 'nation not charging': 552267, 'not charging abnormal': 568744, 'abnormal price all': 24593, 'price all chief': 672266, 'all chief minister': 42341, 'chief minister corporate': 175947, 'minister corporate world': 533349, 'corporate world serve': 207361, 'world serve nation': 1009964, 'article how': 94355, 'outbreak accelerate': 627948, 'accelerate shopping': 27856, 'center omnichannel': 169276, 'omnichannel experiment': 598945, 'experiment some': 291739, 'early attempt': 264552, 'attempt online': 102230, 'online via': 609672, 'latest article how': 481217, 'article how doe': 94357, 'doe the covid': 251606, '19 outbreak accelerate': 9074, 'outbreak accelerate shopping': 627949, 'accelerate shopping center': 27857, 'shopping center omnichannel': 762345, 'center omnichannel experiment': 169277, 'omnichannel experiment some': 598946, 'experiment some early': 291740, 'some early attempt': 782715, 'early attempt online': 264553, 'attempt online via': 102231, 'indigent': 435086, 'ogun': 596334, 'regularize': 707898, 'youth are': 1026850, 'more affected': 538560, 'by lockdown': 153082, 'and deserve': 61242, 'deserve stimulus': 238121, 'package every': 633262, 'every indigent': 285950, 'indigent of': 435087, 'of ogun': 587172, 'ogun state': 596335, 'state deserves': 795518, 'deserves dividend': 238171, 'dividend of': 248629, 'of democracy': 582516, 'democracy moreover': 236685, 'to regularize': 913112, 'regularize the': 707899, 'period make': 651821, 'an enfo': 55747, 'youth are more': 1026851, 'are more affected': 88106, 'more affected by': 538561, 'affected by lockdown': 34315, 'by lockdown and': 153083, 'lockdown and deserve': 499138, 'and deserve stimulus': 61243, 'deserve stimulus package': 238122, 'stimulus package every': 801579, 'package every indigent': 633263, 'every indigent of': 285951, 'indigent of ogun': 435088, 'of ogun state': 587173, 'ogun state deserves': 596336, 'state deserves dividend': 795519, 'deserves dividend of': 238172, 'dividend of democracy': 248630, 'of democracy moreover': 582518, 'democracy moreover the': 236686, 'moreover the state': 541072, 'state government need': 795614, 'need to regularize': 556038, 'to regularize the': 913113, 'regularize the price': 707900, 'of good during': 584218, 'good during this': 356990, '19 period make': 9647, 'period make an': 651822, 'make an enfo': 509678, 'scam text': 740393, 'text being': 839878, 'to member': 910076, 'themed scam text': 876726, 'scam text being': 740394, 'text being sent': 839879, 'sent to member': 750845, 'to member of': 910077, 'public for more': 688013, 'bekindtogether': 126130, 'hoarding cause': 399246, 'more frequent': 539289, 'frequent trip': 332826, 'to vast': 918124, 'vast amount': 952698, 'also cause': 48012, 'cause variety': 167785, 'of trip': 592453, 'more interaction': 539609, 'interaction not': 441254, 'good stophoarding': 357778, 'stophoarding arizona': 805352, 'arizona bekindtogether': 92828, 'hoarding cause more': 399247, 'cause more frequent': 167661, 'more frequent trip': 539290, 'frequent trip to': 332827, 'trip to vast': 932205, 'to vast amount': 918125, 'vast amount of': 952699, 'of people looking': 587941, 'people looking for': 648707, 'looking for item': 502876, 'for item that': 322759, 'item that aren': 463690, 'that aren in': 842854, 'aren in stock': 92439, 'in stock it': 428310, 'stock it also': 802320, 'it also cause': 456423, 'also cause variety': 48015, 'cause variety of': 167786, 'variety of trip': 952573, 'of trip to': 592455, 'trip to different': 932189, 'different store looking': 242073, 'looking for food': 502867, 'for food good': 321585, 'food good that': 314694, 'good that more': 357821, 'that more interaction': 845215, 'more interaction not': 539610, 'interaction not good': 441255, 'not good stophoarding': 569732, 'good stophoarding arizona': 357779, 'stophoarding arizona bekindtogether': 805353, 'world could': 1009457, 'soon run': 785809, 'store oil': 809174, 'oil that': 597468, 'may plunge': 521428, 'plunge price': 661451, 'below zero': 126783, 'zero this': 1027506, 'good reality': 357630, 'the world could': 871850, 'world could soon': 1009458, 'could soon run': 209694, 'soon run out': 785810, 'out of space': 626835, 'of space to': 589953, 'to store oil': 915632, 'store oil that': 809176, 'oil that may': 597470, 'that may plunge': 845087, 'may plunge price': 521429, 'plunge price below': 661452, 'price below zero': 672908, 'below zero this': 126788, 'zero this is': 1027507, 'not good reality': 569729, 'grabber': 361575, 'vodafone': 959920, 'sorry are': 786009, 'actually king': 30862, 'king kidding': 475270, 'me have': 522858, 'you shut': 1021242, 'shut your': 767968, 'eye to': 294111, 'world yet': 1010211, 'yet you': 1016338, 'up that': 946145, 'it ve': 462019, 'you money': 1019882, 'money grabber': 536794, 'grabber the': 361576, 'absolutely crap': 27331, 'crap anyway': 214882, 'anyway vodafone': 81054, 'vodafone mobile': 959926, 'sorry are you': 786010, 'you actually king': 1016811, 'actually king kidding': 30863, 'king kidding me': 475271, 'kidding me have': 474207, 'me have you': 522865, 'have you shut': 383691, 'you shut your': 1021245, 'shut your eye': 767971, 'your eye to': 1023735, 'eye to what': 294112, 'to what going': 918514, 'the world yet': 872013, 'world yet you': 1010212, 'yet you re': 1016342, 're putting price': 699335, 'price up that': 677260, 'up that it': 946150, 'that it ve': 844755, 'it ve had': 462020, 'with you this': 1002167, 'time you money': 898408, 'you money grabber': 1019883, 'money grabber the': 536795, 'grabber the service': 361577, 'the service is': 866737, 'service is absolutely': 752513, 'is absolutely crap': 445293, 'absolutely crap anyway': 27332, 'crap anyway vodafone': 214883, 'anyway vodafone mobile': 81055, 'retired': 719677, 'seaman': 743195, 'retired seaman': 719688, 'seaman 79': 743196, '79 pictured': 22377, 'pictured alone': 656224, 'alone next': 46889, 'shelf slam': 757520, 'slam selfish': 773487, 'retired seaman 79': 719689, 'seaman 79 pictured': 743197, '79 pictured alone': 22378, 'pictured alone next': 656225, 'alone next to': 46890, 'supermarket shelf slam': 822531, 'shelf slam selfish': 757521, 'slam selfish panic': 773488, 'guideline not': 368446, 'not strictly': 571775, 'strictly followed': 813689, 'followed most': 312603, 'most office': 542572, 'uganda have': 937972, 'using anti': 950385, 'bacterial disinfectant': 107718, 'disinfectant whose': 245803, 'whose price': 990674, 'since almost': 770499, 'almost doubled': 46599, '19 guideline not': 7316, 'guideline not strictly': 368447, 'not strictly followed': 571776, 'strictly followed most': 813690, 'followed most office': 312604, 'most office and': 542573, 'office and public': 595358, 'public place in': 688230, 'place in uganda': 657517, 'in uganda have': 430373, 'uganda have taken': 937973, 'have taken to': 382920, 'taken to using': 833110, 'to using anti': 918086, 'using anti bacterial': 950386, 'anti bacterial disinfectant': 78275, 'bacterial disinfectant whose': 107720, 'disinfectant whose price': 245804, 'whose price have': 990675, 'have since almost': 382564, 'since almost doubled': 770500, 'fido': 304442, 'dogsoftwitter': 252223, 'in ma': 424971, 'ma keeping': 507271, 'healthy half': 387653, 'half off': 374242, 'off dog': 593771, 'walking price': 965092, 'keep doing': 471454, 'your thing': 1026141, 'thing without': 885005, 'without worrying': 1003061, 'about fido': 25232, 'fido dog': 304443, 'dog dogsoftwitter': 252071, 'dogsoftwitter dog': 252226, 'dog pandemic': 252146, 'thank the hard': 841641, 'hard working people': 378145, 'working people in': 1008874, 'people in ma': 648393, 'in ma keeping': 424972, 'ma keeping safe': 507272, 'and healthy half': 64391, 'healthy half off': 387654, 'half off dog': 374244, 'off dog walking': 593772, 'dog walking price': 252189, 'walking price so': 965093, 'price so you': 676520, 'can keep doing': 158805, 'keep doing your': 471457, 'doing your thing': 252891, 'your thing without': 1026144, 'thing without worrying': 885009, 'without worrying about': 1003062, 'worrying about fido': 1010812, 'about fido dog': 25233, 'fido dog dogsoftwitter': 304444, 'dog dogsoftwitter dog': 252072, 'dogsoftwitter dog pandemic': 252227, 'dog pandemic washyourhands': 252147, 'cheek': 175080, 'hyphenated': 412379, 'angst': 76510, 'course there': 211941, 'is german': 448016, 'german compound': 346216, 'compound word': 192597, 'shopping hamsterk': 762858, 'ufe or': 937942, 'like hamster': 490364, 'hamster stuff': 374650, 'stuff it': 815113, 'it cheek': 457120, 'cheek with': 175088, 'there hyphenated': 878494, 'hyphenated compound': 412380, 'anxiety around': 78665, 'corona angst': 203807, 'of course there': 582073, 'course there is': 211943, 'there is german': 878563, 'is german compound': 448017, 'german compound word': 346217, 'compound word for': 192598, 'word for panic': 1004485, 'for panic shopping': 324367, 'panic shopping hamsterk': 638573, 'shopping hamsterk ufe': 762859, 'hamsterk ufe or': 374670, 'ufe or shopping': 937943, 'or shopping like': 617061, 'shopping like hamster': 763165, 'like hamster stuff': 490365, 'hamster stuff it': 374651, 'stuff it cheek': 815114, 'it cheek with': 457121, 'cheek with food': 175089, 'with food there': 998512, 'food there hyphenated': 317150, 'there hyphenated compound': 878495, 'hyphenated compound word': 412381, 'word for the': 1004486, 'for the anxiety': 326304, 'the anxiety around': 848791, 'anxiety around covid': 78666, '19 corona angst': 6048, 'to annoy': 900562, 'annoy everyone': 77340, 'how to annoy': 408976, 'to annoy everyone': 900563, 'workathomemomcoletta': 1006079, 'wahmc': 964043, 'momlife': 536168, 'be work': 118133, 'home mom': 401617, 'mom his': 535745, 'his virtual': 397901, 'virtual assignment': 957716, 'assignment from': 96607, 'teacher done': 835454, 'done submitted': 255028, 'submitted his': 815817, 'his chore': 397286, 'chore done': 178001, 'done his': 254874, 'his free': 397449, 'free play': 332068, 'play time': 659236, 'time done': 896579, 'done workathomemomcoletta': 255126, 'workathomemomcoletta socialdistancing': 1006080, 'socialdistancing wahmc': 780849, 'wahmc momlife': 964044, 'momlife sanitizer': 536174, 'sanitizer workfromhome': 736150, 'to be work': 901638, 'be work at': 118134, 'at home mom': 99050, 'home mom his': 401618, 'mom his virtual': 535746, 'his virtual assignment': 397902, 'virtual assignment from': 957717, 'assignment from teacher': 96608, 'from teacher done': 337552, 'teacher done submitted': 835455, 'done submitted his': 255029, 'submitted his chore': 815818, 'his chore done': 397287, 'chore done his': 178002, 'done his free': 254875, 'his free play': 397451, 'free play time': 332069, 'play time done': 659237, 'time done workathomemomcoletta': 896580, 'done workathomemomcoletta socialdistancing': 255127, 'workathomemomcoletta socialdistancing wahmc': 1006081, 'socialdistancing wahmc momlife': 780850, 'wahmc momlife sanitizer': 964045, 'momlife sanitizer workfromhome': 536175, 'operanewshub': 612970, 'started in': 794757, 'abuja people': 27579, 'are stock': 90506, 'food operanewshub': 315637, 'ha started in': 372043, 'started in abuja': 794758, 'in abuja people': 419990, 'abuja people are': 27580, 'people are stock': 647090, 'are stock up': 90510, 'stock up their': 803120, 'up their house': 946240, 'their house with': 873611, 'with food operanewshub': 998500, 'stillworking': 801469, 'retailworker': 719591, 'thankyougoselongway': 842372, 'nice when': 562520, 'doing stillworking': 252677, 'stillworking supermarket': 801470, 'supermarket retailworker': 822240, 'retailworker thankyougoselongway': 719592, 'it nice when': 459808, 'nice when customer': 562521, 'when customer say': 983323, 'customer say thank': 222798, 'are doing stillworking': 85926, 'doing stillworking supermarket': 252678, 'stillworking supermarket retailworker': 801471, 'supermarket retailworker thankyougoselongway': 822241, 'bombaykitchen': 134204, 'socialdistancing rule': 780650, 'rule do': 727232, 'online use': 609655, 'the heat': 857214, 'heat and': 388490, 'eat stock': 266057, 'stock from': 802183, 'freezer instead': 332610, 'instead bombaykitchen': 440153, 'socialdistancing rule do': 780651, 'rule do not': 727233, 'food online use': 315628, 'online use the': 609656, 'use the heat': 949673, 'the heat and': 857215, 'heat and eat': 388491, 'and eat stock': 61877, 'eat stock from': 266058, 'stock from your': 802186, 'from your freezer': 338477, 'your freezer instead': 1023957, 'freezer instead bombaykitchen': 332611, 'allinthistogether': 45851, 'distancing demand': 247095, 'just donated': 468639, 'full can': 340513, 'help allinthistogether': 389333, 'donation to local': 254710, 'bank are down': 109644, 'are down due': 85975, 'due to social': 261958, 'social distancing demand': 779587, 'distancing demand is': 247096, 'demand is starting': 235741, 'starting to increase': 795028, 'to increase result': 908299, 'increase result of': 433041, '19 pandemic just': 9373, 'pandemic just donated': 635845, 'just donated to': 468640, 'donated to so': 254367, 'to so they': 914803, 'they can purchase': 881665, 'can purchase the': 159346, 'purchase the food': 689672, 'shelf full can': 757110, 'full can you': 340514, 'you help allinthistogether': 1019192, 'market might': 516721, 'might return': 531112, 'of on steel': 587227, 'when market might': 983721, 'market might return': 516722, 'might return to': 531113, 'insecurity rising': 439176, 'rising amid': 723156, 'food insecurity rising': 315072, 'insecurity rising amid': 439177, 'rising amid panic': 723158, 'prevails': 671564, 'best more': 127770, 'woman helped': 1003506, 'helped an': 391045, 'couple get': 211590, 'into crowded': 442502, 'outbreak proving': 628548, 'proving that': 687227, 'dark time': 225983, 'time kindness': 897106, 'kindness prevails': 475222, 'at it best': 99316, 'it best more': 456855, 'best more please': 127772, 'more please this': 540086, 'please this woman': 660678, 'this woman helped': 891477, 'woman helped an': 1003507, 'helped an elderly': 391046, 'elderly couple get': 270639, 'couple get food': 211591, 'they were too': 883810, 'were too scared': 980285, 'go into crowded': 353739, 'into crowded grocery': 442503, 'the outbreak proving': 862682, 'outbreak proving that': 628549, 'proving that even': 687228, 'that even in': 843737, 'even in dark': 284233, 'in dark time': 421990, 'dark time kindness': 225984, 'time kindness prevails': 897107, 'koebler': 477314, 'of 21st': 579518, 'century pandemic': 169620, 'two type': 937290, 'people online': 648985, 'the precarious': 864202, 'precarious worker': 669253, 'serve them': 751952, 'them brutal': 875489, 'brutal argument': 141399, 'from koebler': 336182, 'midst of 21st': 530778, 'of 21st century': 579519, '21st century pandemic': 15143, 'century pandemic there': 169621, 'pandemic there are': 636723, 'there are two': 878180, 'are two type': 91250, 'two type of': 937291, 'of people online': 587959, 'people online shopper': 648986, 'online shopper and': 609000, 'shopper and the': 761374, 'and the precarious': 73524, 'the precarious worker': 864203, 'precarious worker who': 669254, 'worker who serve': 1008227, 'who serve them': 989597, 'serve them brutal': 751953, 'them brutal argument': 875490, 'brutal argument from': 141400, 'argument from koebler': 92753, '3mouth': 18361, 'often wash': 596297, 'alcohol avoid': 40919, 'eye nose': 294061, 'and 3mouth': 57463, '3mouth avoid': 18362, 'avoid close': 105037, 'put distance': 690554, 'people tip': 649868, 'tip advice': 898693, 'clean your hand': 180695, 'hand often wash': 375125, 'often wash hand': 596298, 'wash hand use': 967498, 'hand use hand': 375901, '60 alcohol avoid': 20883, 'alcohol avoid touching': 40920, 'touching your eye': 926753, 'your eye nose': 1023731, 'eye nose and': 294062, 'nose and 3mouth': 567868, 'and 3mouth avoid': 57464, '3mouth avoid close': 18363, 'avoid close contact': 105038, 'close contact and': 182591, 'contact and put': 200013, 'and put distance': 69807, 'put distance between': 690555, 'yourself and other': 1026522, 'and other people': 68377, 'other people tip': 620691, 'people tip advice': 649869, 'dietitian recommends': 241783, 'recommends exercising': 704826, 'exercising restraint': 290131, 'when purchasing': 983911, 'purchasing food': 689861, 'people panicked': 649066, 'panicked buying': 639260, 'have greatest': 380841, 'greatest impact': 363282, 'poorest and': 664359, 'dietitian recommends exercising': 241784, 'recommends exercising restraint': 704827, 'exercising restraint when': 290132, 'restraint when purchasing': 717093, 'when purchasing food': 983912, 'purchasing food during': 689863, 'many people panicked': 514527, 'people panicked buying': 649067, 'panicked buying supply': 639262, 'to have greatest': 907248, 'have greatest impact': 380842, 'greatest impact on': 363283, 'the poorest and': 864002, 'poorest and most': 664360, 'northwest': 567828, 'uco': 937889, 'thinning': 886056, 'northwest european': 567829, 'european spot': 283606, 'for used': 327496, 'used cooking': 949887, 'low with': 505749, 'for uco': 327401, 'uco based': 937890, 'based thinning': 111770, 'thinning amid': 886057, 'amid lockdown': 52516, '19 writes': 12230, 'northwest european spot': 567830, 'european spot price': 283608, 'spot price for': 790097, 'price for used': 674073, 'for used cooking': 327498, 'used cooking oil': 949888, 'cooking oil fall': 202889, 'fall to month': 297098, 'to month low': 910243, 'month low with': 537843, 'low with demand': 505750, 'demand for uco': 235513, 'for uco based': 327402, 'uco based thinning': 937891, 'based thinning amid': 111771, 'thinning amid lockdown': 886058, 'amid lockdown for': 52518, 'lockdown for covid': 499394, 'covid 19 writes': 214099, 'congressman': 194567, 'rew': 720768, 'nyc jersey': 578008, 'jersey shortage': 465229, 'of ppes': 588326, 'ppes yet': 668137, 'yet local': 1016137, 'local atlantic': 497708, 'atlantic city': 101864, 'city area': 179064, 'area hardware': 92038, 'had n95': 373322, 'n95 and': 551161, '19 relatively': 10071, 'relatively limited': 708768, 'impact so': 417962, 'far here': 298807, 'here did': 392917, 'did newly': 240703, 'newly gop': 560110, 'gop congressman': 358242, 'congressman van': 194568, 'van drew': 952293, 'drew getting': 258720, 'getting rew': 349235, 'nyc jersey shortage': 578009, 'jersey shortage of': 465230, 'shortage of ppes': 765131, 'of ppes yet': 588327, 'ppes yet local': 668138, 'yet local atlantic': 1016138, 'local atlantic city': 497709, 'atlantic city area': 101865, 'city area hardware': 179065, 'area hardware store': 92039, 'hardware store had': 378325, 'store had n95': 808042, 'had n95 and': 373323, 'n95 and other': 551162, 'other medical mask': 620524, 'medical mask for': 526258, 'covid 19 relatively': 213682, '19 relatively limited': 10072, 'relatively limited impact': 708769, 'limited impact so': 492652, 'impact so far': 417963, 'so far here': 777036, 'far here did': 298808, 'here did newly': 392918, 'did newly gop': 240704, 'newly gop congressman': 560111, 'gop congressman van': 358243, 'congressman van drew': 194569, 'van drew getting': 952294, 'drew getting rew': 258721, 'allisonsflour': 45855, 'yeast': 1015142, 'mercenary': 528945, 'of 2x': 579556, '2x tin': 16903, 'of allisonsflour': 580000, 'allisonsflour bread': 45856, 'bread yeast': 138647, 'yeast sold': 1015154, '11 50': 2461, '50 10': 19581, 'hr are': 409601, 'stop mercenary': 804834, 'mercenary stripping': 528946, 'shelf profiteering': 757433, 'profiteering what': 683104, 'local trading': 498657, 'standard doing': 793651, 'lot of 2x': 504134, 'of 2x tin': 579557, '2x tin of': 16904, 'tin of allisonsflour': 898547, 'of allisonsflour bread': 580001, 'allisonsflour bread yeast': 45857, 'bread yeast sold': 138648, 'yeast sold for': 1015155, 'sold for 11': 781663, 'for 11 50': 318635, '11 50 10': 2462, '50 10 in': 19582, '10 in 24': 1477, 'in 24 hr': 419890, '24 hr are': 15631, 'hr are doing': 409602, 'doing nothing to': 252563, 'nothing to stop': 573200, 'to stop mercenary': 915546, 'stop mercenary stripping': 804835, 'mercenary stripping supermarket': 528947, 'supermarket shelf profiteering': 822513, 'shelf profiteering what': 757435, 'profiteering what are': 683105, 'what are local': 981059, 'are local trading': 87859, 'local trading standard': 498658, 'trading standard doing': 928926, 'new mask': 559086, 'guy think': 369180, 'think socialdistancing': 885549, 'new mask for': 559087, 'mask for going': 518675, 'store what do': 811229, 'do you guy': 250635, 'you guy think': 1018977, 'guy think socialdistancing': 369181, 'think socialdistancing staysafe': 885551, 'worldnews': 1010259, 'coronavirus cause': 205628, 'cause retailer': 167718, 'with dwindling': 998157, 'dwindling customer': 263679, 'customer retailer': 222768, 'retailer usnews': 719395, 'usnews worldnews': 950832, 'coronavirus cause retailer': 205629, 'cause retailer to': 167719, 'retailer to slash': 719386, 'slash price with': 773593, 'price with dwindling': 677610, 'with dwindling customer': 998158, 'dwindling customer retailer': 263680, 'customer retailer usnews': 222769, 'retailer usnews worldnews': 719396, 'spca': 787667, 'uni': 941704, 'milo': 532466, 'the spca': 867541, 'spca have': 787670, 'have lowered': 381395, 'lowered their': 506085, 'adoption price': 32726, 'stuff going': 815078, 'on uni': 604963, 'uni closing': 941707, 'closing business': 183603, 'business wfh': 144648, 'wfh now': 980849, 'now might': 575301, 'perfect time': 651360, 'new forever': 558754, 'forever friend': 329117, 'friend milo': 333713, 'the spca have': 867543, 'spca have lowered': 787671, 'have lowered their': 381397, 'lowered their pet': 506086, 'their pet adoption': 874284, 'pet adoption price': 653350, 'adoption price and': 32727, 'price and with': 672584, 'and with all': 75759, '19 stuff going': 10919, 'stuff going on': 815079, 'going on uni': 355341, 'on uni closing': 604964, 'uni closing business': 941708, 'closing business wfh': 183605, 'business wfh now': 144649, 'wfh now might': 980851, 'now might be': 575302, 'might be the': 530932, 'be the perfect': 117645, 'the perfect time': 863550, 'perfect time to': 651362, 'get our new': 347728, 'our new forever': 624032, 'new forever friend': 558755, 'forever friend milo': 329118, 'newsagent': 560987, 'panickbuyings': 639227, 'some british': 782434, 'british newsagent': 140546, 'newsagent small': 560990, 'related panickbuyings': 708507, 'panickbuyings by': 639228, 'by scamming': 153886, 'scamming everyone': 740669, 'roll soap': 725507, 'soap etc': 778991, 'of disgusting': 582677, 'disgusting profiteering': 245449, 'profiteering in': 683055, 'is shameful': 451825, 'shameful lockdownuk': 754691, 'lockdownuk londonlockdown': 500423, 'some british newsagent': 782436, 'british newsagent small': 140547, 'newsagent small store': 560991, 'small store are': 775137, 'advantage of related': 33029, 'of related panickbuyings': 588907, 'related panickbuyings by': 708508, 'panickbuyings by scamming': 639229, 'by scamming everyone': 153887, 'scamming everyone with': 740671, 'everyone with exorbitant': 287623, 'with exorbitant price': 998326, 'price for toilet': 674068, 'paper roll soap': 640694, 'roll soap etc': 725508, 'soap etc this': 778994, 'etc this type': 282827, 'type of disgusting': 937553, 'of disgusting profiteering': 582678, 'disgusting profiteering in': 245451, 'profiteering in time': 683056, 'of crisis is': 582167, 'crisis is shameful': 217586, 'is shameful lockdownuk': 451826, 'shameful lockdownuk londonlockdown': 754692, 'mcdonald': 522135, 'mcrib': 522247, 'hubai': 409850, '11 15': 2442, '15 2019': 3646, 'the pork': 864036, 'pork market': 664804, 'spike before': 789267, 'before thanksgiving': 123130, 'thanksgiving mcdonald': 842300, 'mcdonald pull': 522148, 'pull the': 688881, 'the mcrib': 860328, 'mcrib off': 522248, 'it menu': 459605, 'menu indefinitely': 528878, 'indefinitely 11': 434034, '11 17': 2444, '17 2019': 4309, '2019 55': 13926, '55 year': 20413, 'in hubai': 423888, 'hubai province': 409851, 'province china': 687164, 'china contract': 176587, 'contract covid': 201646, 'first recorded': 308910, 'recorded case': 705093, 'disease don': 245124, 'don try': 253996, 'aren correlated': 92371, '11 15 2019': 2443, '15 2019 the': 3647, '2019 the pork': 14027, 'the pork market': 864038, 'pork market price': 664806, 'market price spike': 516901, 'price spike before': 676575, 'spike before thanksgiving': 789268, 'before thanksgiving mcdonald': 123131, 'thanksgiving mcdonald pull': 842301, 'mcdonald pull the': 522149, 'pull the mcrib': 688882, 'the mcrib off': 860329, 'mcrib off of': 522249, 'off of it': 594006, 'of it menu': 585418, 'it menu indefinitely': 459606, 'menu indefinitely 11': 528879, 'indefinitely 11 17': 434035, '11 17 2019': 2445, '17 2019 55': 4310, '2019 55 year': 13927, '55 year old': 20414, 'old man in': 598345, 'man in hubai': 512113, 'in hubai province': 423889, 'hubai province china': 409852, 'province china contract': 687165, 'china contract covid': 176588, 'contract covid 19': 201647, '19 the first': 11193, 'the first recorded': 855339, 'first recorded case': 308911, 'recorded case of': 705094, 'the disease don': 853361, 'disease don try': 245126, 'don try and': 253997, 'and tell me': 73095, 'tell me these': 837025, 'me these aren': 523680, 'these aren correlated': 879646, 'now taking': 575959, 'of frontline': 583973, 'least five': 484462, 'five employee': 309610, 'including two': 432232, 'two at': 936789, 'same chicago': 732994, 'area ha': 92032, 'the is now': 858513, 'is now taking': 450344, 'now taking the': 575963, 'taking the life': 833590, 'life of frontline': 488920, 'of frontline worker': 583975, 'store at least': 806584, 'at least five': 99492, 'least five employee': 484463, 'five employee at': 309611, 'employee at supermarket': 273653, 'at supermarket chain': 100708, 'chain have died': 170760, 'virus including two': 958339, 'including two at': 432233, 'two at the': 936790, 'the same chicago': 866206, 'same chicago area': 732995, 'chicago area ha': 175644, 'area ha more': 92035, 'melt': 527974, 'amendment': 51406, 'fixation of': 309772, '2ply 3ply': 16830, '3ply melt': 18391, 'melt blown': 527975, 'blown non': 133399, 'woven fabric': 1012531, 'fabric and': 294220, 'sanitizers amendment': 736187, 'amendment order': 51407, 'order 2020': 617986, 'fixation of price': 309773, 'mask 2ply 3ply': 518260, '2ply 3ply melt': 16831, '3ply melt blown': 18392, 'melt blown non': 527977, 'blown non woven': 133400, 'non woven fabric': 566530, 'woven fabric and': 1012532, 'fabric and hand': 294221, 'hand sanitizers amendment': 375680, 'sanitizers amendment order': 736188, 'amendment order 2020': 51408, 'selfiestick': 747972, 'rubberglove': 726958, 'socialslapping': 781127, 'gonna buy': 356488, 'buy selfiestick': 149152, 'selfiestick and': 747973, 'and tape': 73026, 'tape rubberglove': 834368, 'rubberglove to': 726959, 'back tf': 107299, 'tf up': 840008, 'off me': 593965, 'socialdistancing gonna': 780382, 'gonna turn': 356640, 'to socialslapping': 914845, 'socialslapping in': 781128, 'in minute': 425362, 'gonna buy selfiestick': 356489, 'buy selfiestick and': 149153, 'selfiestick and tape': 747974, 'and tape rubberglove': 73027, 'tape rubberglove to': 834369, 'rubberglove to it': 726960, 'to it and': 908566, 'it and do': 456489, 'and do this': 61566, 'do this for': 250351, 'for the idiot': 326490, 'idiot who do': 413641, 'do not back': 249673, 'not back tf': 568316, 'back tf up': 107300, 'tf up off': 840009, 'up off me': 945511, 'off me at': 593966, 'supermarket socialdistancing gonna': 822754, 'socialdistancing gonna turn': 780383, 'gonna turn to': 356641, 'turn to socialslapping': 935792, 'to socialslapping in': 914846, 'socialslapping in minute': 781129, 'cerb': 169907, 'concern arising': 192922, 'the cerb': 850620, 'cerb payment': 169911, 'payment see': 645726, 'more consumerprotection': 538879, 'consumer concern arising': 196868, 'concern arising from': 192923, 'arising from the': 92815, 'from the cerb': 337634, 'the cerb payment': 850621, 'cerb payment see': 169912, 'payment see the': 645727, 'see the news': 745864, 'the news report': 861626, 'news report for': 560749, 'report for more': 711955, 'for more consumerprotection': 323560, 'asshole stoppanicbuying': 96565, 'stop hoarding supply': 804743, 'supply you fucking': 826144, 'you fucking asshole': 1018734, 'fucking asshole stoppanicbuying': 339805, 'lamb sale': 479168, 'have plummeted': 381970, 'plummeted and': 661328, 'sheep farmer': 756544, 'farmer worldwide': 299578, 'despair there': 238494, 'little demand': 495312, 'for holiday': 322334, 'holiday food': 400292, 'lamb sale have': 479169, 'sale have plummeted': 732269, 'have plummeted and': 381973, 'plummeted and sheep': 661331, 'and sheep farmer': 71438, 'sheep farmer worldwide': 756546, 'farmer worldwide are': 299579, 'worldwide are in': 1010325, 'are in despair': 87375, 'in despair there': 422209, 'despair there is': 238495, 'is little demand': 449400, 'little demand for': 495313, 'demand for holiday': 235440, 'for holiday food': 322335, 'holiday food this': 400294, 'food this year': 317199, 'coronachella': 204474, 'papajohns': 639745, 'were fool': 979648, 'fool to': 318302, 'laugh at': 481705, 'at him': 98912, 're paying': 699248, 'paying the': 645494, 'price coronachella': 673247, 'coronachella toiletpaper': 204475, 'toiletpaper socialdistance': 922488, 'socialdistance stayhome': 780166, 'stayhome stockmarketcrash': 798185, 'stockmarketcrash apocalypse2020': 803687, 'apocalypse2020 papajohns': 81582, 'we were fool': 973790, 'were fool to': 979650, 'fool to laugh': 318303, 'to laugh at': 909090, 'laugh at him': 481707, 'at him and': 98913, 'him and now': 396541, 'and now we': 67871, 'we re paying': 972933, 're paying the': 699252, 'paying the price': 645499, 'the price coronachella': 864339, 'price coronachella toiletpaper': 673248, 'coronachella toiletpaper socialdistance': 204476, 'toiletpaper socialdistance stayhome': 922489, 'socialdistance stayhome stockmarketcrash': 780167, 'stayhome stockmarketcrash apocalypse2020': 798186, 'stockmarketcrash apocalypse2020 papajohns': 803688, 've decreased': 953032, 'decreased store': 231646, 'by hour': 152837, 'me how': 522910, 'help better': 389417, 'better idea': 128332, 'idea would': 413255, 'retail part': 718381, 'your pharmacy': 1025283, 'through open': 894608, 'of you ve': 593430, 'you ve decreased': 1022032, 've decreased store': 953033, 'decreased store hour': 231647, 'store hour by': 808191, 'hour by hour': 405476, 'by hour please': 152838, 'hour please explain': 405863, 'please explain to': 659981, 'explain to me': 292126, 'to me how': 909931, 'me how this': 522921, 'how this help': 408947, 'this help better': 887891, 'help better idea': 389418, 'better idea would': 128335, 'idea would be': 413256, 'be to close': 117727, 'the retail part': 865724, 'retail part of': 718382, 'part of your': 642395, 'of your pharmacy': 593512, 'your pharmacy and': 1025284, 'pharmacy and keep': 654215, 'keep the drive': 472040, 'the drive through': 853687, 'drive through open': 259183, 'doing both': 252312, 'thousand will': 893500, 'store voucher': 811089, 'by sugary': 154157, 'sugary drink': 817498, 'drink tax': 258880, 'are doing both': 85891, 'doing both school': 252313, 'both school will': 136042, 'school will continue': 741986, 'and thousand will': 74065, 'thousand will receive': 893501, 'receive 800 in': 703437, '800 in grocery': 22706, 'grocery store voucher': 365920, 'store voucher funded': 811090, 'funded by sugary': 341577, 'by sugary drink': 154158, 'sugary drink tax': 817499, 'carrier could': 164963, 'be positive': 116468, 'positive or': 665392, 'or could': 614848, 'know happy': 476415, 'happy online': 377662, 'shopping everyone': 762599, 'so just know': 777498, 'know that your': 476804, 'that your mail': 847770, 'your mail carrier': 1024761, 'mail carrier could': 508576, 'carrier could be': 164964, 'could be positive': 208906, 'be positive or': 116472, 'positive or could': 665393, 'or could have': 614849, 'could have tested': 209268, 'and you would': 76059, 'would never know': 1012062, 'never know happy': 558089, 'know happy online': 476416, 'happy online shopping': 377663, 'online shopping everyone': 609115, 'vocation': 959909, 'the vocation': 870938, 'vocation of': 959910, 'our nhsworkers': 624074, 'nhsworkers is': 562283, 'beyond admiration': 129128, 'admiration do': 32562, 'what word': 982623, 'word should': 1004573, 'used they': 950024, 'for financial': 321485, 'reward however': 720783, 'however when': 409522, 'government find': 360085, 'to reward': 913513, 'reward them': 720793, 'in meaningful': 425211, 'the vocation of': 870939, 'vocation of our': 959911, 'of our nhsworkers': 587522, 'our nhsworkers is': 624075, 'nhsworkers is beyond': 562284, 'is beyond admiration': 446159, 'beyond admiration do': 129129, 'admiration do not': 32563, 'know what word': 476988, 'what word should': 982624, 'word should be': 1004574, 'be used they': 117924, 'used they are': 950025, 'in the job': 429296, 'the job for': 858658, 'job for financial': 465824, 'for financial reward': 321487, 'financial reward however': 306561, 'reward however when': 720784, 'however when we': 409525, 'side of this': 768856, 'of this we': 592066, 'this we must': 891151, 'we must ensure': 972412, 'the government find': 856537, 'government find the': 360086, 'find the money': 307294, 'money to reward': 537117, 'to reward them': 913514, 'reward them all': 720795, 'them all in': 875344, 'all in meaningful': 43199, 'in meaningful way': 425212, 'scc': 741238, 'up christmas': 944600, 'christmas light': 178190, 'light outside': 489580, 'house spread': 406570, 'spread little': 790609, 'little cheer': 495288, 'cheer and': 175095, '19 vulnerable': 11856, 'elderly emergency': 270669, 'staff driver': 792386, 'show my': 767063, 'my support': 550290, 'this staysafe': 890321, 'staysafe scc': 798877, 'going to put': 355681, 'put up christmas': 690962, 'up christmas light': 944601, 'christmas light outside': 178191, 'light outside the': 489581, 'the house spread': 857634, 'house spread little': 406571, 'spread little cheer': 790610, 'little cheer and': 495289, 'cheer and support': 175096, 'who have covid': 988917, 'covid 19 vulnerable': 214036, '19 vulnerable elderly': 11857, 'vulnerable elderly emergency': 960946, 'elderly emergency service': 270670, 'store staff driver': 810310, 'staff driver etc': 792388, 'driver etc to': 259536, 'etc to show': 282838, 'to show my': 914566, 'show my support': 767064, 'my support we': 550292, 'support we can': 826984, 'can get through': 158464, 'through this staysafe': 894843, 'this staysafe scc': 890322, '16 would': 4192, 'doctor an': 250810, 'an id': 56122, 'id so': 412951, 'strip club': 813817, 'club now': 184461, 'doctor my': 250980, 'my id': 548814, 'for early': 320911, 'early senior': 264680, 'wa 16 would': 961353, '16 would try': 4193, 'would try to': 1012349, 'try to doctor': 934619, 'to doctor an': 904602, 'doctor an id': 250811, 'an id so': 56123, 'id so could': 412953, 'so could go': 776803, 'go to bar': 354279, 'to bar and': 901041, 'bar and strip': 110672, 'and strip club': 72576, 'strip club now': 813818, 'club now trying': 184463, 'trying to doctor': 934798, 'to doctor my': 904605, 'doctor my id': 250981, 'my id so': 548815, 'id so can': 412952, 'can get into': 158425, 'supermarket for early': 820392, 'for early senior': 320912, 'early senior shopping': 264681, 'provides business': 686834, '19 york': 12260, 'america retail': 51662, 'casper provides business': 166746, 'provides business update': 686835, 'business update on': 144592, 'update on covid': 947111, 'covid 19 york': 214108, '19 york business': 12261, 'it north america': 459850, 'north america retail': 567608, 'america retail store': 51664, 'emphasizes': 273390, 'authenticity': 103627, 'anticounterfeit': 78506, 'buying amidst': 149890, 'novel cornavirus': 573751, 'cornavirus situation': 203609, 'situation emphasizes': 772250, 'emphasizes the': 273393, 'critical importance': 218572, 'product authenticity': 680986, 'authenticity anticounterfeit': 103628, 'anticounterfeit authenticity': 78507, 'rise of panic': 722950, 'panic buying amidst': 637641, 'buying amidst the': 149892, 'amidst the evolving': 52825, '19 the novel': 11222, 'the novel cornavirus': 861907, 'novel cornavirus situation': 573752, 'cornavirus situation emphasizes': 203610, 'situation emphasizes the': 772251, 'emphasizes the critical': 273394, 'the critical importance': 852494, 'critical importance of': 218573, 'importance of product': 418709, 'of product authenticity': 588484, 'product authenticity anticounterfeit': 680987, 'authenticity anticounterfeit authenticity': 103629, 'mantra': 513345, 'cadiflus': 155064, 'influenzavaccine': 437375, 'preventflu': 671794, 'cadila': 155067, 'vlp': 959885, 'fightflunow': 305015, 'pushkargupta': 690474, 'together precaution': 920902, 'the mantra': 860020, 'mantra to': 513348, 'healthy cadiflus': 387552, 'cadiflus influenzavaccine': 155065, 'influenzavaccine preventflu': 437376, 'preventflu cadila': 671795, 'cadila wellness': 155070, 'wellness vlp': 978858, 'vlp fightflunow': 959886, 'fightflunow pushkargupta': 305016, 'let fight covid': 486714, '19 together precaution': 11478, 'together precaution is': 920903, 'precaution is the': 669327, 'is the mantra': 452858, 'the mantra to': 860021, 'mantra to stay': 513349, 'to stay healthy': 915290, 'stay healthy cadiflus': 796895, 'healthy cadiflus influenzavaccine': 387553, 'cadiflus influenzavaccine preventflu': 155066, 'influenzavaccine preventflu cadila': 437377, 'preventflu cadila wellness': 671796, 'cadila wellness vlp': 155071, 'wellness vlp fightflunow': 978859, 'vlp fightflunow pushkargupta': 959887, 'will permanently': 994408, 'live social': 496020, 'distancing will': 247648, 'norm working': 567065, 'become common': 119952, 'common cashless': 189365, 'cashless society': 166700, 'society surge': 781316, '19 will permanently': 12109, 'will permanently change': 994409, 'permanently change how': 652090, 'change how we': 172094, 'how we live': 409179, 'we live social': 972221, 'live social distancing': 496021, 'social distancing will': 779769, 'distancing will be': 247649, 'the norm working': 861858, 'norm working from': 567066, 'home will become': 402506, 'will become common': 992793, 'become common cashless': 119953, 'common cashless society': 189366, 'cashless society surge': 166702, 'society surge in': 781317, 'recieved': 704435, 'cannot praise': 162039, 'praise you': 668876, 'enough recieved': 277594, 'recieved an': 704436, 'email for': 272174, 'get priority': 347843, 'priority booking': 678524, 'booking managed': 134733, 'get shop': 347975, 'shop delivered': 760091, 'delivered today': 233430, 'today thank': 920255, 'shelf staff': 757568, 'driver keep': 259625, 'safe supermarket': 730004, 'cannot praise you': 162040, 'praise you enough': 668877, 'you enough recieved': 1018420, 'enough recieved an': 277595, 'recieved an email': 704437, 'an email for': 55656, 'email for vulnerable': 272176, 'to get priority': 906565, 'get priority booking': 347846, 'priority booking managed': 678525, 'booking managed to': 134734, 'to get shop': 906588, 'get shop delivered': 347976, 'shop delivered today': 760092, 'delivered today thank': 233434, 'today thank you': 920256, 'the shelf staff': 866881, 'shelf staff to': 757569, 'staff to checkout': 792982, 'to checkout to': 902704, 'checkout to the': 175044, 'to the driver': 916654, 'the driver keep': 853696, 'driver keep safe': 259626, 'keep safe supermarket': 471890, 'crash now': 215009, 'down 14': 256374, '14 today': 3534, 'oil crash now': 596714, 'crash now down': 215010, 'now down 14': 574560, 'down 14 today': 256375, 'notley': 573583, 'alberta opposition': 40815, 'leader rachel': 483519, 'rachel notley': 695224, 'notley said': 573584, 'said ei': 731048, 'ei is': 270160, 'many albertans': 513719, 'albertans may': 40839, 'face month': 294617, 'uncertainty from': 939689, 'pandemic recession': 636305, 'alberta opposition leader': 40816, 'opposition leader rachel': 613829, 'leader rachel notley': 483520, 'rachel notley said': 695225, 'notley said ei': 573585, 'said ei is': 731049, 'ei is not': 270161, 'not enough when': 569198, 'enough when many': 277764, 'when many albertans': 983715, 'many albertans may': 513721, 'albertans may face': 40840, 'may face month': 521171, 'face month of': 294618, 'month of uncertainty': 537914, 'of uncertainty from': 592595, 'uncertainty from the': 939690, '19 pandemic recession': 9440, 'pandemic recession and': 636306, 'drop in global': 260251, 'hate when': 378937, 'see food': 745119, 'paper gone': 640218, 'gone off': 356343, 'really got': 702239, 'got out': 358768, 'hate when go': 378938, 'to see food': 914008, 'see food and': 745120, 'toilet paper gone': 921288, 'paper gone off': 640221, 'gone off the': 356345, 'shelf people need': 757404, 'buying because it': 149996, 'because it really': 119203, 'it really got': 460639, 'really got out': 702240, 'got out hand': 358769, 'metlife': 529816, 'love these': 504819, 'story especially': 811963, 'during unsettling': 263376, 'unsettling time': 943480, 'time metlife': 897206, 'metlife foundation': 529817, 'to northern': 910675, 'northern illinois': 567754, 'illinois food': 416282, 'love these type': 504822, 'type of story': 937589, 'of story especially': 590276, 'story especially during': 811964, 'especially during unsettling': 280468, 'during unsettling time': 263377, 'unsettling time metlife': 943481, 'time metlife foundation': 897207, 'metlife foundation is': 529818, 'foundation is donating': 330493, 'is donating 50': 447313, '50 00 to': 19579, '00 to northern': 550, 'to northern illinois': 910676, 'northern illinois food': 567755, 'illinois food bank': 416283, 'deal with increased': 229555, 'their service result': 874663, 'sanatiser': 733585, 'today sa': 920128, 'sa thank': 728951, 'you hand': 1018990, 'hand sanatiser': 375212, 'sanatiser social': 733586, 'distancing barrier': 247027, 'barrier screen': 111365, 'and great': 63933, 'great staff': 363004, 'staff fantastic': 792437, 'fantastic socialdistancing': 298609, 'socialdistancing panic': 780590, 'buying eas': 150216, 'eas but': 265057, 'more rule': 540286, 'rule ahead': 727176, 'easter rush': 265483, 'rush the': 728332, 'this work it': 891496, 'work it wa': 1005393, 'wa so much': 963262, 'much better today': 544764, 'better today sa': 128573, 'today sa thank': 920129, 'sa thank you': 728952, 'thank you hand': 841741, 'you hand sanatiser': 1018991, 'hand sanatiser social': 375213, 'sanatiser social distancing': 733587, 'social distancing barrier': 779563, 'distancing barrier screen': 247028, 'barrier screen and': 111366, 'screen and great': 742673, 'and great staff': 63936, 'great staff fantastic': 363005, 'staff fantastic socialdistancing': 792438, 'fantastic socialdistancing panic': 298610, 'socialdistancing panic buying': 780591, 'panic buying eas': 637714, 'buying eas but': 150217, 'eas but supermarket': 265058, 'but supermarket go': 147218, 'supermarket go for': 820530, 'go for more': 353566, 'for more rule': 323594, 'more rule ahead': 540287, 'rule ahead of': 727177, 'of easter rush': 582926, 'easter rush the': 265484, 'rush the new': 728333, 'becognizant': 119903, 'the supplychain': 868971, 'is strained': 452357, 'strained when': 812329, 'resilient consumergoods': 714521, 'consumergoods ai': 199678, 'ai becognizant': 39300, 'the supplychain is': 868974, 'supplychain is strained': 826199, 'is strained when': 452358, 'strained when relying': 812330, 'stay resilient consumergoods': 797201, 'resilient consumergoods ai': 714522, 'consumergoods ai becognizant': 199679, 'tottenham': 926427, 'arsenal': 94106, 'tottenhamhotspur': 926430, 'gooners': 358230, 'crazy ve': 215475, 'like looking': 490672, 'at tottenham': 101349, 'tottenham trophy': 926428, 'cabinet arsenal': 154980, 'arsenal football': 94107, 'football tottenhamhotspur': 318515, 'tottenhamhotspur gooners': 926431, 'is crazy ve': 446904, 'crazy ve never': 215476, 'seen the supermarket': 747295, 'shelf so empty': 757525, 'so empty it': 776951, 'empty it just': 274927, 'it just like': 459229, 'just like looking': 469150, 'like looking at': 490673, 'looking at tottenham': 502830, 'at tottenham trophy': 101350, 'tottenham trophy cabinet': 926429, 'trophy cabinet arsenal': 932566, 'cabinet arsenal football': 154981, 'arsenal football tottenhamhotspur': 94108, 'football tottenhamhotspur gooners': 318516, 'for reaching': 324978, 'going situation': 355458, 'closed so': 183335, 'so click': 776764, 'possible the': 665812, 'to collection': 902973, 'you for reaching': 1018664, 'for reaching out': 324979, 'reaching out due': 700101, 'to the on': 916919, 'on going situation': 601135, 'going situation with': 355459, '19 our store': 9063, 'are closed so': 85366, 'closed so click': 183337, 'so click and': 776765, 'and collect is': 60084, 'collect is not': 186290, 'not possible the': 571056, 'possible the only': 665814, 'the only service': 862338, 'only service we': 611108, 'service we offer': 753054, 'we offer are': 972623, 'offer are online': 594529, 'are online shopping': 88755, 'shopping on our': 763389, 'website for home': 975272, 'home delivery and': 401008, 'delivery and delivery': 233660, 'and delivery to': 61132, 'delivery to collection': 234654, 'share an': 754920, 'shopping official': 763379, 'official press': 595881, 'please share an': 660478, 'share an all': 754921, 'an all day': 55237, 'all day online': 42523, 'day online event': 228159, 'online event for': 608177, 'event for small': 284984, 'business and the': 143336, 'customer who need': 223082, 'who need them': 989327, 'need them let': 555778, 'them let go': 875980, 'let go shopping': 486751, 'go shopping official': 354122, 'shopping official press': 763380, 'official press release': 595882, 'todd': 920603, 'hubbs': 409859, 'with live': 999267, 'and corn': 60554, 'corn down': 203560, 'recent market': 703924, 'shutdown caused': 768007, 'pandemic todd': 636801, 'todd hubbs': 920606, 'hubbs advise': 409860, 'advise farmer': 33583, 'remain patient': 709838, 'patient pricing': 644244, 'pricing their': 677981, 'with live cattle': 999268, 'live cattle price': 495765, 'cattle price down': 167370, 'price down 30': 673514, 'down 30 and': 256408, '30 and corn': 16961, 'and corn down': 60555, 'corn down 15': 203561, 'down 15 for': 256377, '15 for the': 3715, 'the recent market': 865315, 'recent market collapse': 703926, 'market collapse and': 516183, 'collapse and economic': 185965, 'and economic shutdown': 61910, 'economic shutdown caused': 267282, 'shutdown caused by': 768008, 'the pandemic todd': 863132, 'pandemic todd hubbs': 636802, 'todd hubbs advise': 920607, 'hubbs advise farmer': 409861, 'advise farmer to': 33584, 'farmer to remain': 299544, 'to remain patient': 913169, 'remain patient pricing': 709839, 'patient pricing their': 644245, 'pricing their product': 677982, 'eugene': 283326, '19 eugene': 6850, 'eugene kim': 283327, 'kim business': 474761, 'insider tech': 439482, 'covid 19 eugene': 213043, '19 eugene kim': 6851, 'eugene kim business': 283328, 'kim business insider': 474762, 'business insider tech': 143930, 'consumerwarning': 199791, 'enforcement official': 276786, 'scammer offering': 740602, 'offering coronavirus': 595043, 'cure in': 220755, 'and surgical': 72882, 'price scamalert': 676306, 'scamalert consumerwarning': 740494, 'law enforcement official': 482276, 'enforcement official are': 276787, 'are warning the': 91536, 'warning the public': 967211, 'public of scammer': 688189, 'of scammer offering': 589374, 'scammer offering coronavirus': 740603, 'offering coronavirus cure': 595044, 'coronavirus cure in': 205787, 'cure in home': 220756, 'test kit and': 839048, 'kit and surgical': 475490, 'and surgical mask': 72883, 'mask at rock': 518432, 'bottom price scamalert': 136439, 'price scamalert consumerwarning': 676307, '500m': 20094, '8b': 23173, 'zealand government': 1027284, 'government today': 360742, 'announced 12': 76903, 'billion economic': 130810, 'economic package': 267190, 'package in': 633303, 'includes 500m': 431716, '500m boost': 20095, 'boost for': 134957, 'health 7b': 386095, '7b in': 22451, 'job 8b': 465590, '8b for': 23174, 'for income': 322521, 'and boosting': 59070, 'the new zealand': 861587, 'new zealand government': 559985, 'zealand government today': 1027286, 'government today announced': 360743, 'today announced 12': 919235, 'announced 12 billion': 76904, '12 billion economic': 2826, 'billion economic package': 130811, 'economic package in': 267192, 'package in response': 633304, '19 it includes': 8137, 'it includes 500m': 458761, 'includes 500m boost': 431717, '500m boost for': 20096, 'boost for health': 134959, 'for health 7b': 322145, 'health 7b in': 386096, '7b in support': 22452, 'in support for': 428735, 'support for business': 826508, 'for business and': 319824, 'business and job': 143315, 'and job 8b': 65658, 'job 8b for': 465591, '8b for income': 23175, 'for income support': 322523, 'income support and': 432462, 'support and boosting': 826354, 'and boosting consumer': 59071, 'boosting consumer spending': 135069, 'consumer spending more': 199076, 'spending more info': 788912, 'is window': 453997, 'window into': 995680, 'into people': 442860, 'moment here': 535955, 'are behavior': 84823, 'search data is': 743231, 'data is window': 226291, 'is window into': 453998, 'window into people': 995681, 'into people need': 442862, 'people need in': 648828, 'in this moment': 429977, 'this moment here': 888872, 'moment here are': 535956, 'here are behavior': 392733, 'are behavior we': 84824, 're seeing and': 699450, 'seeing and how': 746225, 'how brand can': 407467, 'brand can help': 137788, 'can help from': 158621, 'from list': 336229, 'retailer setting': 719314, 'setting hour': 753635, 'hour just': 405715, 'or immune': 615738, 'immune suppressed': 417329, 'suppressed to': 827411, 'without dealing': 1002579, 'the horror': 857507, 'horror crowd': 404191, 'crowd can': 219137, 'visit on': 959314, 'from list of': 336230, 'list of retailer': 494470, 'of retailer setting': 589066, 'retailer setting hour': 719315, 'setting hour just': 753636, 'hour just for': 405716, 'elderly or immune': 270797, 'or immune suppressed': 615740, 'immune suppressed to': 417330, 'suppressed to shop': 827412, 'to shop without': 914503, 'shop without dealing': 761069, 'without dealing with': 1002580, 'dealing with all': 229655, 'all the horror': 44786, 'the horror crowd': 857508, 'horror crowd can': 404192, 'crowd can visit': 219138, 'can visit on': 160127, 'visit on their': 959315, 'on their life': 604491, 'spared': 787520, 'impact can': 417586, 'felt not': 303433, 'interest well': 441428, 'well tesla': 978642, 'tesla is': 838883, 'not spared': 571664, 'spared across': 787521, 'across most': 29395, 'but the impact': 147345, 'the impact can': 857932, 'impact can be': 417587, 'can be felt': 157621, 'be felt not': 114827, 'felt not just': 303434, 'not just on': 570238, 'chain but in': 170565, 'but in consumer': 146023, 'in consumer interest': 421703, 'consumer interest well': 197909, 'interest well tesla': 441429, 'well tesla is': 978643, 'tesla is not': 838884, 'is not spared': 450190, 'not spared across': 571665, 'spared across most': 787522, 'across most of': 29396, 'of it product': 585433, 'it product line': 460505, 'multimedia': 545705, 'adriana': 32771, 'heldiz': 388951, 'documented': 251241, 'farmworkers confront': 299698, 'confront loss': 194289, 'loss anxiety': 503640, 'anxiety despite': 78682, 'despite demand': 238719, 'food multimedia': 315488, 'multimedia producer': 545706, 'producer adriana': 680548, 'adriana heldiz': 32772, 'heldiz visited': 388952, 'visited farm': 959472, 'and nursery': 67900, 'nursery and': 577566, 'and documented': 61587, 'documented their': 251246, 'their experience': 873203, 'new photo': 559270, 'essay photo': 280715, 'farmworkers confront loss': 299699, 'confront loss anxiety': 194290, 'loss anxiety despite': 503641, 'anxiety despite demand': 78683, 'despite demand for': 238720, 'for food multimedia': 321605, 'food multimedia producer': 315489, 'multimedia producer adriana': 545707, 'producer adriana heldiz': 680549, 'adriana heldiz visited': 32773, 'heldiz visited farm': 388953, 'visited farm and': 959473, 'farm and nursery': 299087, 'and nursery and': 67901, 'nursery and documented': 577567, 'and documented their': 61588, 'documented their experience': 251247, 'their experience in': 873205, 'experience in new': 291392, 'in new photo': 425824, 'new photo essay': 559271, 'photo essay photo': 655160, 'lassens': 480075, 'lassens diy': 480076, 'sanitizer recipe': 735641, 'recipe rubbing': 704496, 'alcohol essential': 41000, 'oil aloe': 596596, 'vera la': 954733, 'la handsanitizer': 478174, 'lassens diy hand': 480077, 'hand sanitizer recipe': 375561, 'sanitizer recipe rubbing': 735643, 'recipe rubbing alcohol': 704497, 'rubbing alcohol essential': 726965, 'alcohol essential oil': 41001, 'essential oil aloe': 281347, 'oil aloe vera': 596597, 'aloe vera la': 46793, 'vera la handsanitizer': 954734, 'stop panicked': 804894, 'panicked buyer': 639255, 'to stop panicked': 915552, 'stop panicked buyer': 804895, 'panicked buyer before': 639256, 'before it too': 122898, 'it too late': 461794, 'see drive': 745063, 'thru the': 895229, 'ultimate way': 939133, 'leader are starting': 483430, 'to see drive': 914002, 'see drive thru': 745064, 'drive thru the': 259208, 'thru the ultimate': 895234, 'the ultimate way': 870320, 'ultimate way to': 939134, 'demand they have': 236373, 'deal with new': 229561, 'with new operational': 999709, 'ncbeer': 553302, 'welcome covid': 977877, '19 ncbeer': 8749, 'ncbeer finder': 553303, 'finder north': 307424, 'carolina craft': 164836, 'craft brewer': 214765, 'brewer guild': 139421, 're welcome covid': 699798, 'welcome covid 19': 977878, 'covid 19 ncbeer': 213465, '19 ncbeer finder': 8750, 'ncbeer finder north': 553304, 'finder north carolina': 307425, 'north carolina craft': 567630, 'carolina craft brewer': 164837, 'craft brewer guild': 214766, 'gf': 349495, 'might ve': 531156, 've gotten': 953206, 'gotten exposed': 359133, 'my gf': 548492, 'gf pet': 349496, 'case then': 166060, 'it perfect': 460306, 'perfect example': 651288, 'of why': 593150, 'why all': 990726, 'scare dy': 740869, 'dy down': 263728, 'might ve gotten': 531159, 've gotten exposed': 953209, 'gotten exposed to': 359134, 'exposed to something': 292907, 'to something because': 914914, 'something because of': 784867, 'because of someone': 119407, 'of someone at': 589915, 'someone at my': 784378, 'at my gf': 99813, 'my gf pet': 548493, 'gf pet store': 349497, 'pet store and': 653455, 'and if that': 64951, 'if that the': 414945, 'that the case': 846673, 'the case then': 850467, 'case then it': 166061, 'then it perfect': 877285, 'it perfect example': 460307, 'perfect example of': 651289, 'example of why': 288957, 'of why all': 593151, 'why all retail': 990730, 'retail store need': 718665, 'be shut the': 117176, 'fuck down until': 339552, 'down until the': 257416, 'until the majority': 943861, 'majority of the': 509569, 'of the scare': 591440, 'the scare dy': 866442, 'scare dy down': 740870, 'despair clear': 238486, 'shelf time': 757689, 'real critical': 701089, 'nurse despair clear': 577273, 'despair clear shelf': 238487, 'clear shelf time': 181316, 'shelf time to': 757690, 'help out the': 390257, 'out the real': 627410, 'the real critical': 865211, 'real critical worker': 701090, 'randalls': 696587, 'demand houston': 235647, 'houston grocer': 407201, 'ready heb': 700888, 'heb kroger': 388679, 'kroger randalls': 477761, 'increase food demand': 432770, 'food demand houston': 314172, 'demand houston grocer': 235648, 'houston grocer say': 407202, 'they re ready': 883107, 're ready heb': 699354, 'ready heb kroger': 700889, 'heb kroger randalls': 388680, 'interim': 441671, 'the interim': 858353, 'interim period': 441682, 'period demand': 651744, 'for finished': 321492, 'finished good': 307902, 'be small': 117227, 'small due': 774935, 'to massive': 909881, 'massive unemployment': 520150, 'low purchasing': 505559, 'purchasing income': 689877, 'income leading': 432396, 'to deflation': 904065, 'deflation and': 232443, 'in the interim': 429291, 'the interim period': 858355, 'interim period demand': 441683, 'period demand for': 651745, 'demand for finished': 235418, 'for finished good': 321493, 'finished good will': 307903, 'good will be': 357960, 'will be small': 992687, 'be small due': 117229, 'small due to': 774936, 'due to massive': 261862, 'to massive unemployment': 909885, 'massive unemployment and': 520151, 'unemployment and low': 941160, 'and low purchasing': 66447, 'low purchasing income': 505560, 'purchasing income leading': 689878, 'income leading to': 432397, 'leading to deflation': 483756, 'to deflation and': 904066, 'deflation and falling': 232444, 'and falling price': 62644, 'falling price of': 297330, 'patonthebackforfeeders': 644340, 'clapforcarers and': 179983, 'forget patonthebackforfeeders': 329279, 'patonthebackforfeeders for': 644341, 'driver keeping': 259627, 'country fed': 210643, 'fed just': 301840, 'saying dh': 739581, 'clapforcarers and do': 179984, 'not forget patonthebackforfeeders': 569512, 'forget patonthebackforfeeders for': 329280, 'patonthebackforfeeders for all': 644342, 'delivery driver keeping': 233921, 'driver keeping the': 259628, 'the country fed': 852077, 'country fed just': 210644, 'fed just saying': 301842, 'just saying dh': 469714, 'stylist': 815643, 'is volunteering': 453722, 'volunteering so': 960399, 'okay what': 598033, 'staff stylist': 792896, 'stylist all': 815644, 'over are': 629999, 'closed why': 183441, 'volunteering okay': 960393, 'okay can': 597968, 'stayathome cdc': 797448, 'cdc hair': 168574, 'he is volunteering': 385155, 'is volunteering so': 453724, 'volunteering so doe': 960400, 'so doe that': 776894, 'that make it': 844996, 'make it okay': 510045, 'it okay what': 460023, 'okay what about': 598034, 'what about grocery': 980973, 'clerk nurse doctor': 181742, 'doctor and pharmacy': 250822, 'and pharmacy staff': 68978, 'pharmacy staff stylist': 654476, 'staff stylist all': 792897, 'stylist all over': 815645, 'all over are': 43854, 'over are closed': 630001, 'are closed why': 85376, 'closed why is': 183442, 'why is volunteering': 991129, 'is volunteering okay': 453723, 'volunteering okay can': 960394, 'okay can open': 597969, 'can open up': 159148, 'open up with': 612639, 'up with glove': 946642, 'and mask stayathome': 66764, 'mask stayathome cdc': 519305, 'stayathome cdc hair': 797449, 'go today': 354387, 'arrived in': 93961, 'next county': 561312, 'county over': 211461, 'regular grocery': 707787, 'get cleaned': 346776, 'here we go': 393788, 'we go today': 971656, 'go today the': 354388, 'today the ha': 920291, 'the ha arrived': 856980, 'ha arrived in': 369619, 'arrived in the': 93964, 'the next county': 861660, 'next county over': 561313, 'county over and': 211462, 'over and my': 629988, 'and my regular': 67386, 'my regular grocery': 549911, 'regular grocery store': 707788, 'store is starting': 808531, 'starting to get': 795024, 'to get cleaned': 906440, 'get cleaned out': 346778, 'hollering': 400429, 'old keep': 598309, 'keep hollering': 471585, 'hollering at': 400430, 'year old keep': 1014840, 'old keep hollering': 598310, 'keep hollering at': 471586, 'hollering at people': 400431, 'at people wearing': 100095, 'wearing mask at': 974682, 'store that they': 810578, 'warby': 966620, 'parker': 642048, 'warby parker': 966621, 'parker store': 642055, 'until march': 943761, '27 retail': 16307, 'open well': 612658, 'try on': 934522, 'on program': 602966, 'program the': 683301, 'the virtual': 870783, 'virtual try': 957813, 'on tool': 604803, 'tool and': 925388, 'client serve': 182093, 'serve via': 751964, 'sm chat': 774743, 'chat continues': 173929, 'warby parker store': 966622, 'parker store are': 642056, 'closed until march': 183416, 'until march 27': 943762, 'march 27 retail': 515225, '27 retail employee': 16308, 'retail employee will': 718079, 'employee will continue': 274441, 'be paid the': 116341, 'paid the online': 634142, 'online store remains': 609466, 'remains open well': 710047, 'open well the': 612659, 'well the home': 978661, 'the home try': 857459, 'home try on': 402373, 'try on program': 934524, 'on program the': 602967, 'program the virtual': 683303, 'the virtual try': 870787, 'virtual try on': 957814, 'try on tool': 934525, 'on tool and': 604804, 'tool and the': 925393, 'and the client': 73285, 'the client serve': 851017, 'client serve via': 182094, 'serve via email': 751965, 'via email sm': 955953, 'email sm chat': 272298, 'sm chat continues': 774744, 'biway': 131916, 'eaton': 266353, 'zellers': 1027365, 'biway eaton': 131917, 'eaton future': 266354, 'future shop': 342455, 'and zellers': 76116, 'zellers represent': 1027366, 'canadian retail': 160741, 'operation before': 613153, 'authority forced': 103723, 'forced the': 328609, '19 truly': 11585, 'truly company': 933279, 'biway eaton future': 131918, 'eaton future shop': 266355, 'future shop and': 342456, 'shop and zellers': 759880, 'and zellers represent': 76117, 'zellers represent the': 1027367, 'represent the best': 712877, 'best in canadian': 127731, 'in canadian retail': 421210, 'canadian retail they': 160742, 'retail they all': 718786, 'they all closed': 881111, 'all closed in': 42373, 'closed in store': 183181, 'in store operation': 428437, 'store operation before': 809291, 'operation before the': 613154, 'before the authority': 123140, 'the authority forced': 849074, 'authority forced the': 103724, 'forced the closure': 328610, 'closure of store': 183977, 'covid 19 truly': 213985, '19 truly company': 11586, 'engaged': 276867, 'rap': 696866, 'championship': 171685, 'rerun': 713550, 'educational': 268887, 'programming': 683358, 'building mgmt': 142114, 'mgmt is': 530097, 'making consumer': 510999, 'consumer tech': 199230, 'tech recommendation': 836133, 'recommendation on': 704758, 'and engaged': 62140, 'engaged in': 276874, 'quarantine environment': 692175, 'environment via': 279166, 'announcement portal': 77188, 'portal featuring': 664946, 'featuring netflixparty': 301598, 'netflixparty the': 557649, 'the rap': 865142, 'rap championship': 696867, 'championship rerun': 171686, 'rerun and': 713551, 'child online': 176164, 'online educational': 608164, 'educational programming': 268892, 'programming amongst': 683359, 'my building mgmt': 547571, 'building mgmt is': 142115, 'mgmt is now': 530098, 'now making consumer': 575276, 'making consumer tech': 511000, 'consumer tech recommendation': 199232, 'tech recommendation on': 836134, 'recommendation on how': 704759, 'healthy and engaged': 387521, 'and engaged in': 62142, 'engaged in the': 276879, '19 quarantine environment': 9909, 'quarantine environment via': 692176, 'environment via the': 279167, 'via the announcement': 956300, 'the announcement portal': 848760, 'announcement portal featuring': 77189, 'portal featuring netflixparty': 664947, 'featuring netflixparty the': 301599, 'netflixparty the rap': 557650, 'the rap championship': 865143, 'rap championship rerun': 696868, 'championship rerun and': 171687, 'rerun and child': 713552, 'and child online': 59830, 'child online educational': 176165, 'online educational programming': 608165, 'educational programming amongst': 268893, 'programming amongst others': 683360, 'greatest stockpile': 363292, 'of bomb': 580768, 'bomb and': 134174, 'and tank': 73022, 'tank working': 834235, 'are begging': 84811, 'begging the': 123488, 'our representative': 624599, 'representative have': 712904, 'failed obama': 296154, 'obama for': 578325, 'for leaving': 322920, 'leaving in': 485096, 'trump for': 933563, 'not fixing': 569441, 'fixing it': 309846, 'it sooner': 461179, 'how the greatest': 408831, 'the greatest stockpile': 856756, 'greatest stockpile of': 363293, 'stockpile of bomb': 803782, 'of bomb and': 580769, 'bomb and tank': 134175, 'and tank working': 73023, 'tank working out': 834236, 'working out for': 1008846, 'out for now': 626145, 'for now we': 323987, 'we are begging': 970489, 'are begging the': 84812, 'begging the world': 123489, 'world for hand': 1009562, 'hand sanitizer our': 375521, 'sanitizer our representative': 735508, 'our representative have': 624600, 'representative have failed': 712905, 'have failed obama': 380557, 'failed obama for': 296155, 'obama for leaving': 578326, 'for leaving in': 322921, 'leaving in this': 485097, 'in this situation': 430014, 'this situation and': 890172, 'situation and trump': 772189, 'and trump for': 74488, 'trump for not': 933564, 'for not fixing': 323926, 'not fixing it': 569442, 'fixing it sooner': 309848, 'rohatgi': 725035, 'rohatgi we': 725038, 'rohatgi we can': 725039, 'bunnings': 142692, 'seedling': 746187, 'some positive': 783604, 'positive coming': 665287, 'now wanting': 576324, 'food foodsecurity': 314499, 'foodsecurity growyourown': 318078, 'growyourown bunnings': 367499, 'bunnings sold': 142693, 'of seedling': 589448, 'seedling stock': 746188, 'up hopefully': 945103, 'continue this': 201154, 'see some positive': 745719, 'some positive coming': 783605, 'positive coming from': 665288, 'coming from people': 188060, 'from people are': 336874, 'are now wanting': 88615, 'now wanting to': 576325, 'wanting to try': 966313, 'to try growing': 917813, 'try growing their': 934489, 'growing their own': 367245, 'their own food': 874175, 'own food foodsecurity': 631996, 'food foodsecurity growyourown': 314500, 'foodsecurity growyourown bunnings': 318079, 'growyourown bunnings sold': 367500, 'bunnings sold out': 142694, 'out of seedling': 626824, 'of seedling stock': 589449, 'seedling stock and': 746189, 'keep up hopefully': 472171, 'up hopefully people': 945104, 'hopefully people continue': 403876, 'people continue this': 647540, 'continue this way': 201157, 'this way of': 891132, 'are safer': 89798, 'safer during': 730357, 'sometimes store': 785235, 'is unavoidable': 453434, 'unavoidable here': 939473, 'delivery are safer': 233722, 'are safer during': 89800, 'safer during the': 730358, 'pandemic but sometimes': 635056, 'but sometimes store': 147124, 'sometimes store visit': 785236, 'store visit is': 811077, 'visit is unavoidable': 959283, 'is unavoidable here': 453435, 'unavoidable here are': 939474, 'are the precaution': 90885, 'the precaution to': 864210, 'precaution to take': 669391, 'time to step': 898076, 'have behaved': 379764, 'behaved horribly': 123805, 'horribly however': 404146, 'worst are': 1011142, 'small corner': 774922, 'everyday product': 286614, 'should recognise': 766384, 'recognise that': 704594, 'vulnerable one': 961063, 'cannot access': 161584, 'buyer have behaved': 149657, 'have behaved horribly': 379765, 'behaved horribly however': 123806, 'horribly however the': 404147, 'however the worst': 409486, 'the worst are': 872039, 'worst are the': 1011143, 'are the small': 90909, 'the small corner': 867360, 'small corner shop': 774923, 'owner who are': 632600, 'are hiking the': 87172, 'price of everyday': 675446, 'of everyday product': 583248, 'everyday product they': 286615, 'product they should': 681723, 'they should recognise': 883382, 'should recognise that': 766385, 'recognise that most': 704595, 'who would need': 990060, 'would need their': 1012051, 'need their service': 555765, 'service are the': 752145, 'are the vulnerable': 90932, 'the vulnerable one': 870990, 'vulnerable one who': 961065, 'one who cannot': 607438, 'who cannot access': 988416, 'cannot access high': 161586, 'access high street': 28147, 'anyone thought': 80571, 'about wrapping': 26955, 'wrapping people': 1012685, 'paper like': 640414, 'like mummy': 490807, 'mummy cure': 546054, 'cure maybe': 220773, 'the hoarder': 857402, 'hoarder know': 399062, 'know something': 476734, 'don 19': 253316, '19 panicbuy': 9566, 'panicbuy toiletpaper': 638843, 'ha anyone thought': 369591, 'anyone thought about': 80572, 'thought about wrapping': 892962, 'about wrapping people': 26956, 'wrapping people who': 1012686, 'have the in': 382995, 'the in toilet': 858021, 'toilet paper like': 921337, 'paper like mummy': 640416, 'like mummy cure': 490808, 'mummy cure maybe': 546055, 'cure maybe the': 220774, 'maybe the hoarder': 521831, 'the hoarder know': 857409, 'hoarder know something': 399063, 'know something we': 476735, 'something we don': 785134, 'we don 19': 971374, 'don 19 panicbuy': 253317, '19 panicbuy toiletpaper': 9567, 'helpfight': 391146, 'help great': 389825, 'great cause': 362567, 'cause toiletpaper': 167779, 'toiletpaper stophoarding': 922545, 'stophoarding shortage': 805463, 'shortage tpshortage': 765280, 'tpshortage toiletpapercrisis': 928099, 'toiletpapercrisis toiletpapershortage': 923119, 'toiletpapershortage toiletpaperapocalypse': 923330, 'toiletpaperapocalypse helpfight': 922906, 'helpfight stayhome': 391147, 'tp shortage not': 927938, 'shortage not we': 765093, 'not we are': 572463, 'we are fully': 970574, 'fully stocked and': 341084, 'stocked and you': 803274, 'can help great': 158622, 'help great cause': 389826, 'great cause toiletpaper': 362570, 'cause toiletpaper stophoarding': 167780, 'toiletpaper stophoarding shortage': 922548, 'stophoarding shortage tpshortage': 805464, 'shortage tpshortage toiletpapercrisis': 765281, 'tpshortage toiletpapercrisis toiletpapershortage': 928100, 'toiletpapercrisis toiletpapershortage toiletpaperapocalypse': 923121, 'toiletpapershortage toiletpaperapocalypse helpfight': 923331, 'toiletpaperapocalypse helpfight stayhome': 922907, 'helpfight stayhome staysafe': 391148, 'new commission': 558502, 'commission price': 188878, 'updated while': 947461, 'while did': 986747, 'did start': 240819, 'usd this': 948939, 'year will': 1015107, 'in aud': 420577, 'aud during': 102885, 'outbreak opposed': 628506, 'original plan': 619576, 'aud for': 102887, 'local customer': 497876, 'customer only': 222651, 'only thank': 611251, 'my new commission': 549457, 'new commission price': 558503, 'commission price have': 188879, 'have been updated': 379732, 'been updated while': 122304, 'updated while did': 947462, 'while did start': 986748, 'did start to': 240820, 'start to charge': 794575, 'to charge in': 902641, 'charge in usd': 173266, 'in usd this': 430502, 'usd this year': 948940, 'this year will': 891603, 'year will charge': 1015108, 'will charge in': 992930, 'charge in aud': 173263, 'in aud during': 420578, 'aud during the': 102886, '19 outbreak opposed': 9163, 'outbreak opposed to': 628507, 'opposed to my': 613772, 'to my original': 910426, 'my original plan': 549620, 'original plan to': 619578, 'plan to charge': 658274, 'in aud for': 420579, 'aud for local': 102888, 'for local customer': 323046, 'local customer only': 497877, 'customer only thank': 222652, 'only thank you': 611252, 'for your time': 328220, 'fmi': 311758, 'fmi highlight': 311763, 'highlight coronavirus': 395907, 'foodborne ensures': 317870, 'ensures food': 278153, 'supply while': 826101, 'sparked consumer': 787580, 'food fmi': 314479, 'fmi the': 311767, 'industry association': 435670, 'association is': 96962, 'fmi highlight coronavirus': 311764, 'highlight coronavirus is': 395908, 'not foodborne ensures': 569478, 'foodborne ensures food': 317871, 'ensures food supply': 278155, 'food supply while': 317017, 'supply while the': 826103, 'while the coronavirus': 987378, 'ha sparked consumer': 372011, 'sparked consumer concern': 787581, 'fresh food fmi': 332965, 'food fmi the': 314480, 'fmi the food': 311768, 'food industry association': 315008, 'industry association is': 435671, 'association is stressing': 96964, 'masscrowd': 519945, 'hadenoughofcustomers': 373826, 'securityguard': 744803, '13hourdays': 3357, 'buying surely': 151129, 'surely everyone': 827905, 'month let': 537826, 'let close': 486643, 'supermarket masscrowd': 821473, 'masscrowd and': 519946, 'give supplier': 350725, 'supplier chance': 824514, 'restock surely': 716917, 'surely month': 827916, 'month will': 538125, 'to much': 910339, 'much damage': 544817, 'life hadenoughofcustomers': 488707, 'hadenoughofcustomers securityguard': 373827, 'securityguard 13hourdays': 744804, 'panic buying surely': 637918, 'buying surely everyone': 151130, 'surely everyone ha': 827906, 'everyone ha enough': 286962, 'for month let': 323525, 'month let close': 537827, 'let close all': 486644, 'close all supermarket': 182509, 'all supermarket masscrowd': 44549, 'supermarket masscrowd and': 821474, 'masscrowd and let': 519947, 'and let give': 66106, 'let give supplier': 486745, 'give supplier chance': 350726, 'supplier chance to': 824515, 'chance to restock': 171816, 'to restock surely': 913414, 'restock surely month': 716918, 'surely month will': 827917, 'month will not': 538128, 'will not do': 994210, 'not do to': 569072, 'do to much': 250393, 'to much damage': 910340, 'much damage to': 544818, 'damage to people': 225239, 'to people life': 911629, 'people life hadenoughofcustomers': 648636, 'life hadenoughofcustomers securityguard': 488708, 'hadenoughofcustomers securityguard 13hourdays': 373828, 'sure you and': 827847, 'and your client': 76068, 'your client are': 1023236, 'client are aware': 182003, 'aware of these': 105643, 'these scam and': 880625, 'scam and know': 740006, 'and know how': 65890, 'bum': 142531, 'denier': 236967, 'well surprised': 978634, 'surprised thought': 828614, 'thought climatechange': 893000, 'climatechange would': 182247, 'the catalyst': 850518, 'catalyst in': 166924, 'getting everyone': 348960, 'everyone off': 287223, 'their bum': 872664, 'bum when': 142543, 'they realise': 883157, 'realise climate': 701585, 'change denier': 172012, 'denier have': 236970, 'have hoarded': 380965, 'food hoarder': 314817, 'future there': 342475, 'there wi': 879358, 'well surprised thought': 978635, 'surprised thought climatechange': 828615, 'thought climatechange would': 893001, 'climatechange would be': 182248, 'be the catalyst': 117602, 'the catalyst in': 850520, 'catalyst in getting': 166925, 'in getting everyone': 423294, 'getting everyone off': 348961, 'everyone off their': 287224, 'off their bum': 594285, 'their bum when': 872665, 'bum when they': 142544, 'when they realise': 984276, 'they realise climate': 883158, 'realise climate change': 701586, 'climate change denier': 182193, 'change denier have': 172013, 'denier have hoarded': 236971, 'have hoarded the': 380969, 'hoarded the food': 398963, 'the food hoarder': 855556, 'food hoarder do': 314818, 'hoarder do now': 399016, 'do now just': 249912, 'now just in': 575154, 'the future there': 856092, 'future there wi': 342476, 'electronic': 271258, 'tithe': 899275, 'response church': 715657, 'church in': 178372, 'usa give': 948647, 'people nigerian': 648847, 'nigerian church': 562841, 'church demand': 178347, 'for electronic': 321006, 'electronic tithe': 271269, 'tithe offering': 899276, 'offering in': 595160, '19 response church': 10143, 'response church in': 715658, 'church in the': 178373, 'the usa give': 870541, 'usa give out': 948648, 'out food to': 626092, 'food to people': 317279, 'to people nigerian': 911632, 'people nigerian church': 648848, 'nigerian church demand': 562842, 'church demand for': 178348, 'demand for electronic': 235408, 'for electronic tithe': 321008, 'electronic tithe offering': 271270, 'tithe offering in': 899277, 'offering in this': 595162, 'time of total': 897368, 'of total lock': 592332, 'forebodes': 328796, 'feedstock': 302532, 'this insight': 888131, 'insight piece': 439612, 'piece into': 656316, 'key european': 473283, 'european petrochemical': 283597, 'petrochemical april': 653670, 'april contract': 83560, 'contract price': 201689, 'which forebodes': 985860, 'forebodes difficult': 328797, 'difficult q2': 242253, 'q2 icis': 691421, 'europe petrochemical': 283496, 'petrochemical commodity': 653674, 'price ethylene': 673710, 'propylene feedstock': 684603, 'take some time': 832602, 'some time to': 784060, 'time to read': 898040, 'to read this': 912843, 'read this insight': 700618, 'this insight piece': 888132, 'insight piece into': 439613, 'piece into the': 656317, 'into the crash': 443112, 'crash in key': 214994, 'in key european': 424487, 'key european petrochemical': 473284, 'european petrochemical april': 283598, 'petrochemical april contract': 653671, 'april contract price': 83561, 'contract price which': 201690, 'price which forebodes': 677509, 'which forebodes difficult': 985861, 'forebodes difficult q2': 328798, 'difficult q2 icis': 242254, 'q2 icis europe': 691422, 'icis europe petrochemical': 412755, 'europe petrochemical commodity': 283497, 'petrochemical commodity price': 653675, 'commodity price ethylene': 189270, 'price ethylene propylene': 673711, 'ethylene propylene feedstock': 283147, 'do home': 249402, 'people stockpilinguk': 649637, 'stockpilinguk quaratinelife': 804148, 'not you shut': 572617, 'you shut the': 1021243, 'shut the supermarket': 767944, 'supermarket and do': 818963, 'and do home': 61552, 'do home delivery': 249403, 'home delivery only': 401036, 'delivery only it': 234264, 'only it will': 610666, 'buying and will': 149944, 'and will limit': 75675, 'limit the food': 492510, 'the food bought': 855536, 'food bought by': 313769, 'bought by people': 136530, 'by people stockpilinguk': 153556, 'people stockpilinguk quaratinelife': 649639, '40kr': 18836, '100kr': 2181, 'us pricing': 948540, 'pricing trick': 677993, 'selfish purchase': 748235, 'purchase bottle': 689395, 'bottle 40kr': 136168, '40kr rm16': 18837, '93 yes': 23528, 'yes bottle': 1015388, 'bottle 100kr': 136160, '100kr rm42': 2184, 'denmark us pricing': 237034, 'us pricing trick': 948541, 'pricing trick to': 677995, 'avoid selfish purchase': 105270, 'selfish purchase bottle': 748236, 'purchase bottle 40kr': 689396, 'bottle 40kr rm16': 136169, '40kr rm16 93': 18838, 'rm16 93 yes': 724260, '93 yes bottle': 23529, 'yes bottle 100kr': 1015389, 'bottle 100kr rm42': 136162, '100kr rm42 33': 2185, 'by man': 153149, 'who always': 988061, 'always put': 49701, 'put profit': 690795, 'profit before': 682676, 'before people': 123004, 'people man': 648736, 'who hiked': 989001, 'hiked his': 396320, '19 arrived': 5218, 'arrived never': 93967, 'at sport': 100611, 'owned by man': 632332, 'by man who': 153151, 'man who always': 512322, 'who always put': 988063, 'always put profit': 49702, 'put profit before': 690796, 'profit before people': 682678, 'before people man': 123007, 'people man who': 648737, 'man who hiked': 512333, 'who hiked his': 989002, 'hiked his price': 396321, 'his price when': 397731, 'price when covid': 677481, 'covid 19 arrived': 212652, '19 arrived never': 5219, 'arrived never shop': 93968, 'shop at sport': 759956, 'at sport direct': 100612, 'imported': 419166, 'ngn': 561837, '50kg': 20170, '466': 19239, 'pmt': 662084, 'of imported': 585007, 'imported increased': 419181, 'by ngn': 153329, 'ngn 00': 561838, 'per 50kg': 650681, '50kg 466': 20171, '466 pmt': 19242, 'pmt between': 662085, 'between august': 128726, 'august 2019': 102982, '2019 march': 13979, 'price of imported': 675474, 'of imported increased': 585008, 'imported increased by': 419182, 'increased by ngn': 433235, 'by ngn 00': 153330, 'ngn 00 per': 561839, '00 per 50kg': 427, 'per 50kg 466': 650682, '50kg 466 pmt': 20172, '466 pmt between': 19243, 'pmt between august': 662086, 'between august 2019': 128727, 'august 2019 march': 102983, '2019 march 2020': 13980, 'twitchmusic': 936622, 'continue streaming': 201137, 'streaming even': 812813, 'after thing': 36394, 'normal love': 567213, 'love working': 504878, 'my music': 549393, 'music retail': 546334, 'store providing': 809696, 'providing gear': 687010, 'gear repair': 344978, 'repair lesson': 711459, 'community but': 189763, 'could play': 209503, 'play music': 659191, 'music every': 546303, 'work couple': 1005014, 'day le': 227887, 'le week': 483240, 'week twitchmusic': 977133, 'week will continue': 977252, 'will continue streaming': 993018, 'continue streaming even': 201138, 'streaming even after': 812814, 'even after thing': 283820, 'after thing get': 36395, 'thing get back': 884355, 'to normal love': 910652, 'normal love working': 567214, 'love working at': 504879, 'working at my': 1008527, 'at my music': 99823, 'my music retail': 549395, 'music retail store': 546335, 'retail store providing': 718686, 'store providing gear': 809698, 'providing gear repair': 687011, 'gear repair lesson': 344979, 'repair lesson to': 711460, 'lesson to our': 486513, 'our community but': 622452, 'community but could': 189764, 'but could play': 145469, 'could play music': 209505, 'play music every': 659192, 'music every night': 546304, 'every night and': 286040, 'night and work': 562954, 'and work couple': 75850, 'work couple day': 1005015, 'couple day le': 211579, 'day le week': 227889, 'le week twitchmusic': 483241, 'masnou': 519710, 'albert': 40766, 'gea': 344932, 'people stand': 649526, 'in el': 422518, 'el masnou': 270446, 'masnou north': 519711, 'north barcelona': 567620, 'barcelona spain': 110841, 'spain march': 787322, 'reuters albert': 720192, 'albert gea': 40769, 'gea reuters': 344933, 'people stand in': 649528, 'in queue to': 427226, 'enter supermarket during': 278299, 'of coronavirus disease': 581929, '19 in el': 7741, 'in el masnou': 422519, 'el masnou north': 270447, 'masnou north barcelona': 519712, 'north barcelona spain': 567621, 'barcelona spain march': 110842, 'spain march 17': 787323, '17 2020 reuters': 4313, '2020 reuters albert': 14575, 'reuters albert gea': 720193, 'albert gea reuters': 40770, 'explode because': 292291, 'coronavirus retailstore': 206678, 'retailstore retailer': 719546, 'retailer unitedstates': 719391, 'unitedstates ecommerce': 942290, 'in the could': 429100, 'the could explode': 852004, 'could explode because': 209151, 'explode because of': 292292, 'the coronavirus retailstore': 851902, 'coronavirus retailstore retailer': 206679, 'retailstore retailer unitedstates': 719547, 'retailer unitedstates ecommerce': 719392, 'lovekeyworkers': 504939, 'chemist charity': 175417, 'charity supermarket': 173690, 'worker basically': 1006494, 'basically private': 112152, 'private and': 678860, 'charity sector': 173684, 'sector otherwise': 744288, 'otherwise those': 621883, 'use who': 949805, 'not vote': 572410, 'who appreciate': 988086, 'key figure': 473291, 'from criticism': 335057, 'criticism stayhomesavelives': 218767, 'stayhomesavelives lovekeyworkers': 798415, 'lovekeyworkers love': 504940, 'chemist charity supermarket': 175418, 'charity supermarket worker': 173691, 'supermarket worker basically': 823993, 'worker basically private': 1006495, 'basically private and': 112153, 'private and charity': 678862, 'and charity sector': 59760, 'charity sector otherwise': 173685, 'sector otherwise those': 744289, 'otherwise those of': 621884, 'those of use': 892270, 'of use who': 592704, 'use who did': 949806, 'did not vote': 240738, 'not vote and': 572411, 'vote and who': 960473, 'and who appreciate': 75582, 'who appreciate all': 988087, 'the key figure': 858756, 'key figure are': 473292, 'figure are exempt': 305191, 'exempt from criticism': 289970, 'from criticism stayhomesavelives': 335058, 'criticism stayhomesavelives lovekeyworkers': 218768, 'stayhomesavelives lovekeyworkers love': 798416, 'creditscore': 216589, 'coronacrisis low': 204660, 'low gasoline': 505300, '80 best': 22553, 'get driving': 346911, 'driving license': 259968, 'license everyone': 488132, 'same creditscore': 733008, 'creditscore truck': 216590, 'truck price': 932838, 'lower cost': 505824, 're dream': 698568, 'dream home': 258598, 'get lower': 347506, 'the 70': 848180, '70 kid': 21789, 'kid they': 474130, 'anything for': 80761, 'for entertainment': 321069, 'the coronacrisis low': 851784, 'coronacrisis low gasoline': 204661, 'low gasoline price': 505301, 'gasoline price like': 344264, 'price like in': 675045, 'in the 80': 428961, 'the 80 best': 848197, '80 best time': 22554, 'to get driving': 906463, 'get driving license': 346912, 'driving license everyone': 259970, 'license everyone ha': 488133, 'everyone ha the': 286974, 'the same creditscore': 866211, 'same creditscore truck': 733009, 'creditscore truck price': 216591, 'truck price drop': 932839, 'price drop to': 673582, 'drop to lower': 260425, 'to lower cost': 909493, 'lower cost you': 505827, 'cost you re': 208172, 'you re dream': 1020605, 're dream home': 698569, 'dream home is': 258599, 'home is going': 401451, 'to get lower': 906524, 'get lower than': 347507, 'lower than the': 506015, 'than the 70': 841215, 'the 70 kid': 848182, '70 kid they': 21790, 'kid they ll': 474131, 'they ll do': 882593, 'll do anything': 496713, 'do anything for': 249089, 'anything for entertainment': 80764, 'undertaken': 940938, 'brightfield': 139812, 'indicated': 434976, 'survey undertaken': 828972, 'undertaken by': 940939, 'by brightfield': 152000, 'brightfield found': 139813, 'that 39': 842457, '39 of': 18177, 'people indicated': 648467, 'indicated they': 434981, 'use more': 949373, 'more cbd': 538783, 'cbd during': 168305, 'consumer survey undertaken': 199197, 'survey undertaken by': 828973, 'undertaken by brightfield': 940940, 'by brightfield found': 152001, 'brightfield found that': 139814, 'found that 39': 330392, 'that 39 of': 842458, '39 of people': 18178, 'of people indicated': 587929, 'people indicated they': 648468, 'indicated they expected': 434982, 'they expected to': 882072, 'expected to use': 291010, 'to use more': 918048, 'use more cbd': 949374, 'more cbd during': 538784, 'cbd during the': 168306, 'yoda': 1016464, 'r2': 695076, 'r2d2': 695082, 'yoda fight': 1016467, 'fight r2': 304850, 'r2 to': 695077, 'paper funny': 640202, 'funny edit': 341720, 'edit dub': 268581, 'dub click': 261453, 'here toiletpaper': 393737, 'toiletpaper yoda': 922886, 'yoda r2d2': 1016469, 'r2d2 brawl': 695083, 'brawl fight': 138309, 'fight toiletpaperwars': 304932, 'toiletpaperwars toiletpaperpanic': 923351, 'toiletpaperapocalypse funny': 922902, 'funny starwars': 341788, 'starwars corona': 795283, '19 lol': 8459, 'lol haha': 500906, 'haha stock': 373901, 'yoda fight r2': 1016468, 'fight r2 to': 304851, 'r2 to get': 695078, 'toilet paper funny': 921282, 'paper funny edit': 640203, 'funny edit dub': 341721, 'edit dub click': 268582, 'dub click here': 261454, 'click here toiletpaper': 181919, 'here toiletpaper yoda': 393738, 'toiletpaper yoda r2d2': 922887, 'yoda r2d2 brawl': 1016470, 'r2d2 brawl fight': 695084, 'brawl fight toiletpaperwars': 138310, 'fight toiletpaperwars toiletpaperpanic': 304933, 'toiletpaperwars toiletpaperpanic toiletpaperapocalypse': 923352, 'toiletpaperpanic toiletpaperapocalypse funny': 923270, 'toiletpaperapocalypse funny starwars': 922903, 'funny starwars corona': 341789, 'starwars corona 19': 795284, 'corona 19 lol': 203780, '19 lol haha': 8461, 'lol haha stock': 500907, 'intrusive': 443533, 'fabricated2': 294251, 'credential': 216265, 'pii': 656474, 'narrative that': 551952, 'is intrusive': 448963, 'intrusive is': 443534, 'is fabricated2': 447680, 'fabricated2 and': 294252, 'mass surveillance': 519874, 'surveillance machine': 828791, 'machine with': 507416, 'with poor': 1000256, 'poor privacy': 664272, 'privacy credential': 678804, 'credential it': 216266, 'use data': 949149, 'reaching consequence': 700079, 'for privacy': 324746, 'privacy consumer': 678802, 'consumer safety': 198848, 'safety the': 730750, 'the merger': 860500, 'merger of': 529106, 'of pii': 588121, 'pii across': 656475, 'is nightmare': 449903, 'the narrative that': 861207, 'narrative that the': 551953, 'that the state': 846840, 'the state is': 867784, 'state is intrusive': 795700, 'is intrusive is': 448964, 'intrusive is fabricated2': 443535, 'is fabricated2 and': 447681, 'fabricated2 and hide': 294253, 'and hide the': 64549, 'hide the mass': 394847, 'the mass surveillance': 860256, 'mass surveillance machine': 519875, 'surveillance machine with': 828792, 'machine with poor': 507418, 'with poor privacy': 1000257, 'poor privacy credential': 664273, 'privacy credential it': 678805, 'credential it good': 216267, 'good to use': 357905, 'to use data': 918021, 'use data to': 949150, 'data to save': 226466, 'save life but': 737534, 'life but it': 488538, 'will have far': 993631, 'far reaching consequence': 298897, 'reaching consequence for': 700080, 'consequence for privacy': 194857, 'for privacy consumer': 324747, 'privacy consumer safety': 678803, 'consumer safety the': 198853, 'safety the merger': 730751, 'the merger of': 860502, 'merger of pii': 529107, 'of pii across': 588122, 'pii across the': 656476, 'across the platform': 29512, 'platform is nightmare': 658991, 'bjams2am': 131994, 'belindaus': 126467, 'bjams2am we': 131995, 'fair belindaus': 296321, 'belindaus one': 126468, 'bjams2am we re': 131996, 're working to': 699837, 'price fair belindaus': 673762, 'fair belindaus one': 296322, 'belindaus one would': 126469, 'hb415': 384634, 'now live': 575227, 'the bourbon': 849914, 'bourbon community': 136896, 'community roundtable': 190072, 'roundtable we': 726406, 'we discus': 971311, 'discus if': 244871, 'demand indefinitely': 235699, 'indefinitely should': 434050, 'should large': 766183, 'large beverage': 479601, 'beverage organization': 129022, 'organization be': 619350, 'doing more': 252527, 'what ky': 981799, 'ky hb415': 478069, 'hb415 really': 384635, 'more mon': 539784, 'mon and': 536187, 're now live': 699141, 'now live with': 575228, 'live with the': 496122, 'with the bourbon': 1001217, 'the bourbon community': 849915, 'bourbon community roundtable': 136897, 'community roundtable we': 190073, 'roundtable we discus': 726407, 'we discus if': 971313, 'discus if covid': 244872, '19 change consumer': 5763, 'change consumer demand': 171981, 'consumer demand indefinitely': 197143, 'demand indefinitely should': 235700, 'indefinitely should large': 434051, 'should large beverage': 766184, 'large beverage organization': 479602, 'beverage organization be': 129023, 'organization be doing': 619351, 'be doing more': 114522, 'doing more for': 252529, 'more for covid': 539264, '19 what ky': 12001, 'what ky hb415': 981800, 'ky hb415 really': 478070, 'hb415 really mean': 384636, 'really mean for': 702412, 'mean for everyone': 524436, 'else and more': 271626, 'and more mon': 67192, 'more mon and': 539785, 'mon and join': 536188, 'notoiletpaper': 573594, 'nohandshakes': 566207, 'nohandsanitizer': 566204, 'video no': 956817, 'starve houston': 795198, 'houston nofood': 407210, 'nofood notoiletpaper': 566167, 'notoiletpaper nohandshakes': 573597, 'nohandshakes nohandsanitizer': 566208, 'nohandsanitizer pandemic': 566205, 'pandemic totallockdown': 636828, 'totallockdown walmart': 926294, 'the video no': 870749, 'video no food': 956818, 'food in market': 314950, 'in market because': 425140, 'of coronavirus panic': 581955, 'coronavirus panic we': 206529, 'will starve houston': 994952, 'starve houston nofood': 795199, 'houston nofood notoiletpaper': 407211, 'nofood notoiletpaper nohandshakes': 566168, 'notoiletpaper nohandshakes nohandsanitizer': 573598, 'nohandshakes nohandsanitizer pandemic': 566209, 'nohandsanitizer pandemic totallockdown': 566206, 'pandemic totallockdown walmart': 636829, 'can by': 157848, 'always wear': 49796, 'mask say': 519240, 'area stay': 92197, 'these we': 880943, 'we can by': 970919, 'can by the': 157849, 'by the use': 154470, 'use of sanitizer': 949425, 'of sanitizer always': 589287, 'sanitizer always wear': 734354, 'always wear face': 49797, 'face mask say': 294586, 'mask say no': 519241, 'say no to': 738987, 'no to crowded': 565739, 'to crowded area': 903771, 'crowded area stay': 219298, 'area stay indoors': 92198, 'stay indoors with': 797084, 'indoors with all': 435440, 'all these we': 45062, 'these we can': 880944, 'we can protect': 970994, 'can protect ourselves': 159324, 'protect ourselves from': 684907, 'modus': 535531, 'empower': 274656, 'slowing consumer': 774529, 'spending reducing': 788965, 'reducing corporate': 706272, 'corporate investment': 207297, 'investment and': 443958, 'and forcing': 63180, 'forcing company': 328701, 'quickly adopt': 694455, 'adopt new': 32670, 'new working': 559895, 'working model': 1008775, 'model these': 535316, 'these resource': 880587, 'resource from': 714794, 'the modus': 860726, 'modus team': 535532, 'team empower': 835632, 'empower while': 274659, 'while implementing': 986934, 'implementing new': 418513, 'business process': 144263, 'is slowing consumer': 451975, 'slowing consumer spending': 774531, 'consumer spending reducing': 199085, 'spending reducing corporate': 788966, 'reducing corporate investment': 706273, 'corporate investment and': 207298, 'investment and forcing': 443959, 'and forcing company': 63181, 'forcing company to': 328702, 'company to quickly': 191239, 'to quickly adopt': 912677, 'quickly adopt new': 694456, 'adopt new working': 32671, 'new working model': 559897, 'working model these': 1008776, 'model these resource': 535317, 'these resource from': 880588, 'resource from the': 714796, 'from the modus': 337793, 'the modus team': 860727, 'modus team empower': 535533, 'team empower while': 835633, 'empower while implementing': 274660, 'while implementing new': 986935, 'implementing new policy': 418515, 'new policy and': 559298, 'policy and business': 663328, 'and business process': 59298, 'business process due': 144264, 'confidence high': 193888, 'unemployment lower': 941249, 'and saving': 70969, 'saving get': 737878, 'our outlook': 624186, 'with oott': 999920, 'weaker consumer confidence': 974098, 'consumer confidence high': 196904, 'confidence high unemployment': 193890, 'high unemployment lower': 395498, 'unemployment lower income': 941250, 'lower income and': 505883, 'income and saving': 432284, 'and saving get': 70971, 'saving get our': 737879, 'get our outlook': 347729, 'our outlook for': 624187, 'for oil demand': 324033, 'oil demand in': 596747, 'wake of with': 964611, 'of with oott': 593209, 'chain bring': 170557, 'bring cost': 139949, 'of farming': 583433, 'farming down': 299615, 'supply chain bring': 824919, 'chain bring cost': 170558, 'bring cost of': 139950, 'cost of farming': 208045, 'of farming down': 583434, 'farming down in': 299616, 'down in lockdown': 256861, 'avalanche': 104720, 'biogas': 131217, 'ad operator': 31137, 'operator could': 613354, 'see avalanche': 744949, 'avalanche of': 104721, 'of foodwaste': 583841, 'foodwaste from': 318258, 'buying biogas': 150025, 'ad operator could': 31138, 'operator could see': 613355, 'could see avalanche': 209631, 'see avalanche of': 744950, 'avalanche of foodwaste': 104723, 'of foodwaste from': 583843, 'foodwaste from panic': 318259, 'panic buying biogas': 637654, 'our sunflower': 624998, 'sunflower cafe': 818369, 'cafe at': 155096, 'their supplier': 874912, 'our sunflower cafe': 624999, 'sunflower cafe at': 818370, 'cafe at great': 155097, 'at great shelford': 98800, 'with their supplier': 1001600, 'their supplier to': 874914, 'to help due': 907497, 'when dad': 983326, 'dad wa': 224402, 'his elbow': 397381, 'store when dad': 811237, 'when dad wa': 983327, 'dad wa coughing': 224403, 'wa coughing into': 961884, 'coughing into his': 208693, 'into his elbow': 442633, 'sohnaasim': 781561, 'gocoronacoronago': 354635, 'dhinchakpooja': 240111, 'indiapaysafe': 434952, 'stoppanicbuying sohnaasim': 805610, 'sohnaasim gocoronacoronago': 781562, 'gocoronacoronago quarentinelife': 354636, 'quarentinelife janatacurfew': 693194, 'janatacurfew dhinchakpooja': 464489, 'dhinchakpooja indiapaysafe': 240112, 'indiapaysafe narendramodi': 434955, 'narendramodi jammu': 551917, 'jammu please': 464451, 'stoppanicbuying sohnaasim gocoronacoronago': 805611, 'sohnaasim gocoronacoronago quarentinelife': 781563, 'gocoronacoronago quarentinelife janatacurfew': 354637, 'quarentinelife janatacurfew dhinchakpooja': 693195, 'janatacurfew dhinchakpooja indiapaysafe': 464490, 'dhinchakpooja indiapaysafe narendramodi': 240114, 'indiapaysafe narendramodi jammu': 434956, 'narendramodi jammu please': 551918, 'jammu please stop': 464452, 'wames': 965534, 'cymraeg': 224129, 'the wames': 871056, 'wames home': 965535, 'home page': 401818, 'info video': 437605, 'fundraise for': 341641, 'for through': 327178, 'shopping english': 762571, 'english cymraeg': 277054, 'have updated the': 383476, 'updated the wames': 947442, 'the wames home': 871057, 'wames home page': 965536, 'home page with': 401819, 'page with link': 633920, 'link to covid': 493925, '19 info video': 7878, 'info video about': 437606, 'video about me': 956597, 'about me how': 25713, 'me how to': 522922, 'how to fundraise': 409025, 'to fundraise for': 906334, 'fundraise for through': 341642, 'for through online': 327179, 'through online shopping': 894601, 'online shopping english': 609109, 'shopping english cymraeg': 762572, 'usability': 948803, 'enable in': 275424, 'in team': 428832, 'accelerate your': 27873, 'your revenue': 1025618, 'growth achieve': 367333, 'achieve platform': 29033, 'grade usability': 361670, 'usability and': 948804, 'and military': 67007, 'military grade': 531469, 'grade security': 361660, 'everyone read': 287312, 'enable in team': 275425, 'in team to': 428833, 'team to accelerate': 835801, 'to accelerate your': 899934, 'accelerate your revenue': 27874, 'your revenue growth': 1025619, 'revenue growth achieve': 720427, 'growth achieve platform': 367334, 'achieve platform with': 29034, 'platform with consumer': 659058, 'with consumer grade': 997756, 'consumer grade usability': 197647, 'grade usability and': 361671, 'usability and military': 948805, 'and military grade': 67008, 'military grade security': 531470, 'grade security is': 361661, 'is now free': 450287, 'now free for': 574742, 'free for everyone': 331843, 'for everyone read': 321230, 'everyone read more': 287313, 'unsociable': 943497, 'couldn agree': 209861, 'agree more': 38618, 'their absolute': 872449, 'absolute hardest': 27242, 'hardest to': 378235, 'hospital clean': 404346, 'clean from': 180540, 'virus working': 959061, 'working unsociable': 1009022, 'unsociable hour': 943498, 'hour not': 405787, 'given appropriate': 350947, 'appropriate covid': 83031, '19 clothing': 5861, 'tested don': 839290, 'even mention': 284328, 'mention getting': 528757, 'moment with': 536127, 'couldn agree more': 209862, 'agree more they': 38621, 'more they are': 540728, 'working their absolute': 1008944, 'their absolute hardest': 872450, 'absolute hardest to': 27243, 'hardest to keep': 378236, 'keep the hospital': 472047, 'the hospital clean': 857519, 'hospital clean from': 404347, 'clean from this': 180541, 'from this virus': 338015, 'this virus working': 891040, 'virus working unsociable': 959062, 'working unsociable hour': 1009023, 'unsociable hour not': 943499, 'hour not given': 405788, 'not given appropriate': 569651, 'given appropriate covid': 350948, 'appropriate covid 19': 83032, 'covid 19 clothing': 212816, '19 clothing and': 5862, 'clothing and not': 184249, 'being tested don': 125907, 'tested don even': 839291, 'don even mention': 253485, 'even mention getting': 284329, 'mention getting food': 528758, 'getting food shop': 348987, 'food shop at': 316475, 'the moment with': 860794, 'moment with all': 536128, 'yeehaa': 1015169, 'yeehaa using': 1015170, 'using up': 950782, 'supermarket until': 823616, 'night can': 562972, 'home like': 401531, 'like load': 490662, 'yeehaa using up': 1015171, 'using up the': 950783, 'up the rest': 946209, 'rest of my': 716199, 'of my holiday': 586778, 'my holiday no': 548679, 'holiday no need': 400337, 'need for me': 554853, 'me to be': 523744, 'in supermarket until': 428703, 'supermarket until monday': 823617, 'until monday night': 943784, 'monday night can': 536346, 'night can stay': 562973, 'can stay at': 159736, 'at home like': 99032, 'home like load': 401532, 'like load of': 490663, 'load of others': 497273, 'others and feel': 621256, 'and feel safe': 62779, 'feel safe and': 302825, 'safe and clean': 729439, 'sustainably': 829814, 'bring reusable': 140058, 'using single': 950646, 'use paper': 949472, 'towel instead': 927335, 'of wash': 592917, 'wash cloth': 967449, 'cloth how': 184088, 'we clean': 971132, 'produce from': 680277, 'live safely': 496007, 'and sustainably': 72916, 'sustainably during': 829817, 'to bring reusable': 902048, 'bring reusable bag': 140059, 'store should we': 810174, 'should we be': 766639, 'we be using': 970824, 'be using single': 117946, 'using single use': 950647, 'single use paper': 771425, 'use paper towel': 949473, 'paper towel instead': 640996, 'towel instead of': 927336, 'instead of wash': 440337, 'of wash cloth': 592918, 'wash cloth how': 967450, 'cloth how should': 184089, 'how should we': 408681, 'should we clean': 766642, 'we clean produce': 971134, 'clean produce from': 180622, 'produce from the': 680280, 'supermarket we spoke': 823754, 'spoke to expert': 789726, 'to expert about': 905465, 'expert about how': 291760, 'to live safely': 909349, 'live safely and': 496008, 'safely and sustainably': 730257, 'and sustainably during': 72917, 'sustainably during covid': 829818, 'is american': 445621, 'american actually': 51767, 'actually in': 30846, 'of running': 589177, 'paper due': 640110, 'why panic': 991271, 'problem worse': 679772, 'is american actually': 445622, 'american actually in': 51768, 'actually in danger': 30847, 'danger of running': 225683, 'of running out': 589179, 'out of essential': 626728, 'toilet paper due': 921262, 'paper due to': 640111, 'due to my': 261871, 'to my story': 910439, 'story here on': 812002, 'here on why': 393415, 'on why panic': 605314, 'why panic buying': 991272, 'buying is making': 150570, 'is making the': 449557, 'making the problem': 511426, 'the problem worse': 864535, 'wsfcu': 1013239, 'financialeducation': 306640, 'unfortunately when': 941664, 'when time': 984321, 'some who': 784208, 'advantage the': 33065, 'of helpful': 584552, 'helpful resource': 391218, 'you informed': 1019348, 'protected visit': 685161, 'more wsfcu': 541025, 'wsfcu ftc': 1013240, 'ftc financialeducation': 339400, 'financialeducation stayinformed': 306641, 'unfortunately when time': 941665, 'when time are': 984322, 'time are uncertain': 896335, 'uncertain there are': 939609, 'are some who': 90295, 'some who try': 784209, 'take advantage the': 831920, 'advantage the ftc': 33066, 'list of helpful': 494441, 'of helpful resource': 584554, 'helpful resource to': 391219, 'resource to keep': 714908, 'keep you informed': 472243, 'you informed and': 1019349, 'informed and protected': 438082, 'and protected visit': 69668, 'protected visit to': 685162, 'visit to read': 959415, 'to read more': 912834, 'read more wsfcu': 700459, 'more wsfcu ftc': 541026, 'wsfcu ftc financialeducation': 1013241, 'ftc financialeducation stayinformed': 339401, 'composition': 192575, 'the composition': 851409, 'composition ha': 192576, 'been indicated': 121374, 'indicated on': 434979, 'the label': 858882, 'label of': 478349, 'each hygiene': 264096, 'sanitizers which': 736443, 'which must': 986168, 'kill you': 474550, 'find just': 307021, 'one sanitizer': 606993, 'that indicates': 844509, 'indicates the': 434996, 'alcohol are': 40914, 'we scammer': 973145, 'italy the composition': 462942, 'the composition ha': 851410, 'composition ha always': 192577, 'always been indicated': 49488, 'been indicated on': 121375, 'indicated on the': 434980, 'on the label': 604199, 'the label of': 858884, 'label of each': 478350, 'of each hygiene': 582900, 'each hygiene product': 264097, 'hygiene product but': 412149, 'product but now': 681028, 'that everyone buy': 843761, 'everyone buy hand': 286754, 'hand sanitizers which': 375731, 'sanitizers which must': 736445, 'which must have': 986170, 'must have at': 546694, '60 alcohol to': 20895, 'alcohol to kill': 41152, 'to kill you': 908947, 'kill you cannot': 474552, 'cannot find just': 161842, 'find just one': 307023, 'just one sanitizer': 469384, 'one sanitizer that': 606994, 'sanitizer that indicates': 735860, 'that indicates the': 844510, 'indicates the of': 434998, 'the of alcohol': 862048, 'of alcohol are': 579891, 'alcohol are we': 40915, 'are we scammer': 91589, 'of dietitian': 582593, 'dietitian recommended': 241781, 'recommended food': 704787, 'more nourishment': 539856, 'healthybody healthyeating': 387831, 'list of dietitian': 494424, 'of dietitian recommended': 582594, 'dietitian recommended food': 241782, 'recommended food to': 704788, 'pantry for more': 639586, 'for more nourishment': 323588, 'more nourishment ease': 539857, 'health healthybody healthyeating': 386494, 'dynata': 263919, 'announce the': 76883, 'the dynata': 853805, 'dynata global': 263924, 'global trend': 352270, 'trend report': 931429, 'report special': 712270, 'edition series': 268645, 'series covid': 751240, 'will explore': 993381, 'explore the': 292493, 'topic driving': 925783, 'driving change': 259910, 'explore when': 292505, 'expect this': 290760, 'to announce the': 900558, 'announce the dynata': 76885, 'the dynata global': 853806, 'dynata global trend': 263926, 'global trend report': 352271, 'trend report special': 931432, 'report special edition': 712271, 'special edition series': 787904, 'edition series covid': 268646, 'series covid 19': 751241, 'which will explore': 986485, 'will explore the': 993382, 'explore the topic': 292499, 'the topic driving': 869801, 'topic driving change': 925784, 'driving change in': 259911, 'in consumer attitude': 421683, 'and behavior brought': 58836, '19 explore when': 6905, 'explore when global': 292506, 'when global consumer': 983469, 'global consumer expect': 351802, 'consumer expect this': 197388, 'expect this pandemic': 290761, 'this pandemic to': 889441, 'pandemic to end': 636777, 'togetherapart': 921061, 'other not': 620588, 'not fight': 569396, 'and loot': 66388, 'loot the': 503238, 'before anyone': 122642, 'elderly poor': 270856, 'poor or': 664243, 'anything togetherapart': 80920, 'this time we': 890709, 'time we should': 898235, 'we should come': 973264, 'should come together': 765845, 'each other not': 264199, 'other not fight': 620589, 'not fight over': 569398, 'fight over the': 304831, 'over the toilet': 630778, 'paper and loot': 639837, 'and loot the': 66389, 'loot the supermarket': 503239, 'supermarket before anyone': 819345, 'before anyone who': 122644, 'who is elderly': 989069, 'is elderly poor': 447463, 'elderly poor or': 270857, 'poor or vulnerable': 664245, 'or vulnerable and': 617696, 'vulnerable and get': 960860, 'and get anything': 63562, 'get anything togetherapart': 346591, 'friend jane': 333679, 'jane roy': 464501, 'roy said': 726607, 'can quarantine': 159357, 'quarantine hunger': 692267, 'ever virtual': 285580, 'drive start': 259153, 'start today': 794605, 'my friend jane': 548438, 'friend jane roy': 333680, 'jane roy said': 464502, 'roy said you': 726608, 'said you can': 731606, 'you can quarantine': 1017758, 'can quarantine hunger': 159358, 'quarantine hunger the': 692269, 'hunger the first': 411197, 'the first ever': 855305, 'first ever virtual': 308665, 'ever virtual food': 285581, 'food drive start': 314289, 'drive start today': 259154, 'start today and': 794606, 'and it more': 65556, '677': 21483, 'mbtu': 522070, 'henry hub': 391783, 'hub 677': 409784, '677 mbtu': 21484, 'mbtu 75': 522071, '75 chevron': 22123, 'chevron corp': 175581, 'corp cut': 207187, 'it capital': 457056, 'spending budget': 788757, 'budget by': 141761, 'by billion': 151965, 'billion the': 130921, 'pandemic crush': 635274, 'crush demand': 219771, 'henry hub 677': 391784, 'hub 677 mbtu': 409785, '677 mbtu 75': 21485, 'mbtu 75 chevron': 522072, '75 chevron corp': 22124, 'chevron corp cut': 175582, 'corp cut it': 207188, 'cut it capital': 223403, 'it capital spending': 457058, 'capital spending budget': 162685, 'spending budget by': 788758, 'budget by billion': 141762, 'by billion the': 151967, 'billion the pandemic': 130922, 'the pandemic crush': 862941, 'pandemic crush demand': 635275, 'crush demand and': 219772, 'demand and lower': 234982, 'and lower price': 66458, 'kenya you': 472950, 'need hand': 554948, 'sanitizer ordinary': 735498, 'ordinary soap': 619099, 'soap is': 779041, 'completely effective': 192273, 'kenya you do': 472951, 'not need hand': 570656, 'need hand sanitizer': 554950, 'hand sanitizer ordinary': 375517, 'sanitizer ordinary soap': 735499, 'ordinary soap is': 619100, 'soap is completely': 779044, 'is completely effective': 446702, 'completely effective against': 192274, 'will shut': 994852, 'store down': 807379, 'down market': 256945, 'they will shut': 883888, 'will shut the': 994854, 'shut the store': 767943, 'the store down': 868012, 'store down market': 807380, 'down market basket': 256946, 'neurotypicals': 557807, 'coroma': 203770, 'imbecile': 416877, 'hate this': 378923, 'this soft': 890236, 'soft headed': 781475, 'headed neurotypicals': 385910, 'neurotypicals are': 557808, 'are booking': 85016, 'booking delivery': 134725, 'slot because': 774145, 'they fear': 882094, 'fear getting': 301141, 'the coroma': 851761, 'coroma from': 203771, 'gas cloud': 343785, 'death except': 230034, 'except disabled': 289136, 'need online': 555370, 'it thanks': 461481, 'these mouth': 880319, 'mouth breathing': 543494, 'breathing imbecile': 139230, 'imbecile coronacrisis': 416878, 'hate this soft': 378926, 'this soft headed': 890237, 'soft headed neurotypicals': 781476, 'headed neurotypicals are': 385911, 'neurotypicals are booking': 557809, 'are booking delivery': 85017, 'booking delivery slot': 134726, 'delivery slot because': 234511, 'slot because they': 774147, 'because they fear': 119702, 'they fear getting': 882095, 'fear getting the': 301142, 'getting the coroma': 349342, 'the coroma from': 851762, 'coroma from the': 203772, 'from the gas': 337719, 'the gas cloud': 856167, 'gas cloud of': 343786, 'cloud of death': 184313, 'of death except': 582418, 'death except disabled': 230035, 'except disabled people': 289137, 'disabled people who': 243945, 'who need online': 989321, 'need online shopping': 555373, 'shopping now cannot': 763360, 'now cannot do': 574345, 'cannot do it': 161758, 'do it thanks': 249514, 'it thanks to': 461482, 'thanks to these': 842267, 'to these mouth': 917348, 'these mouth breathing': 880320, 'mouth breathing imbecile': 543495, 'breathing imbecile coronacrisis': 139231, 'batflu': 112589, 'like nurse': 490890, 'employee would': 274474, 'get 25': 346473, '00 raise': 459, 'pandemic under': 636860, 'under new': 940170, 'new plan': 559278, 'from senate': 337217, 'democrat medtwitter': 236733, 'medtwitter virus': 527373, 'pandemic batflu': 634971, 'worker like nurse': 1007324, 'like nurse and': 490891, 'store employee would': 807579, 'employee would get': 274475, 'would get 25': 1011827, 'get 25 00': 346474, '25 00 raise': 15796, '00 raise for': 460, 'raise for working': 695848, 'the pandemic under': 863140, 'pandemic under new': 636861, 'under new plan': 940171, 'new plan from': 559279, 'plan from senate': 658136, 'from senate democrat': 337218, 'senate democrat medtwitter': 749697, 'democrat medtwitter virus': 236734, 'medtwitter virus corona': 527374, 'virus corona pandemic': 958085, 'corona pandemic batflu': 204090, 'shopping tip from': 764157, 'tip from someone': 898804, '6am asda': 21554, 'asda supermarket': 94981, 'in wembley': 430791, 'wembley london': 978892, '6am asda supermarket': 21555, 'asda supermarket in': 94982, 'supermarket in wembley': 821001, 'in wembley london': 430792, 'please see below': 660450, 'latest from governor': 481359, 'diabeetus': 240156, 'wilfordbrimley': 992157, 'just diagnosed': 468579, 'with type': 1001875, '19 diabeetus': 6530, 'diabeetus wilfordbrimley': 240159, 'wilfordbrimley diabeetus': 992158, 'diabeetus candy': 240157, 'candy sugar': 161349, 'sugar eating': 817449, 'eating fat': 266203, 'fat health': 300208, 'stayhome snack': 798111, 'snack toiletpaper': 776035, 'toiletpaper food': 921991, 'food diabetes': 314199, 'diabetes meme': 240183, 'meme dankmeme': 528309, 'dankmeme dankmemes': 225872, 'wa just diagnosed': 962456, 'just diagnosed with': 468580, 'diagnosed with type': 240243, 'with type covid': 1001876, 'covid 19 diabeetus': 212948, '19 diabeetus wilfordbrimley': 6531, 'diabeetus wilfordbrimley diabeetus': 240160, 'wilfordbrimley diabeetus candy': 992159, 'diabeetus candy sugar': 240158, 'candy sugar eating': 161350, 'sugar eating fat': 817450, 'eating fat health': 266204, 'fat health stayhome': 300209, 'health stayhome snack': 386876, 'stayhome snack toiletpaper': 798112, 'snack toiletpaper food': 776036, 'toiletpaper food diabetes': 921994, 'food diabetes meme': 314200, 'diabetes meme meme': 240184, 'meme meme dankmeme': 528336, 'meme dankmeme dankmemes': 528310, 'econo': 266946, 'confirman': 194118, 'empleado': 273423, 'administrativo': 32526, 'centro': 169601, 'distribuci': 247950, 'entrega': 278921, 'cadena': 155061, 'isla': 454254, 'dio': 243151, 'positivo': 665520, 'llevaba': 497122, 'trabajando': 928120, 'forma': 329579, 'remota': 710689, 'supermercados econo': 824296, 'econo confirman': 266947, 'confirman que': 194119, 'que un': 693326, 'un empleado': 939279, 'empleado administrativo': 273424, 'administrativo del': 32527, 'del centro': 232621, 'centro de': 169602, 'de distribuci': 229049, 'distribuci en': 247951, 'en carolina': 275367, 'carolina que': 164852, 'que entrega': 693311, 'entrega suministros': 278922, 'suministros los': 817903, 'los supermercados': 503383, 'supermercados de': 824292, 'la cadena': 478139, 'cadena en': 155062, 'la isla': 478175, 'isla dio': 454255, 'dio positivo': 243152, 'positivo al': 665521, 'al el': 40565, 'el empleado': 270442, 'empleado ya': 273426, 'ya llevaba': 1014017, 'llevaba 14': 497123, '14 trabajando': 3536, 'trabajando de': 928121, 'de forma': 229060, 'forma remota': 329580, 'supermercados econo confirman': 824297, 'econo confirman que': 266948, 'confirman que un': 194120, 'que un empleado': 693327, 'un empleado administrativo': 939280, 'empleado administrativo del': 273425, 'administrativo del centro': 32528, 'del centro de': 232622, 'centro de distribuci': 169603, 'de distribuci en': 229050, 'distribuci en carolina': 247952, 'en carolina que': 275368, 'carolina que entrega': 164853, 'que entrega suministros': 693312, 'entrega suministros los': 278923, 'suministros los supermercados': 817904, 'los supermercados de': 503384, 'supermercados de la': 824293, 'de la cadena': 229080, 'la cadena en': 478140, 'cadena en la': 155063, 'en la isla': 275385, 'la isla dio': 478176, 'isla dio positivo': 454256, 'dio positivo al': 243153, 'positivo al el': 665522, 'al el empleado': 40566, 'el empleado ya': 270443, 'empleado ya llevaba': 273427, 'ya llevaba 14': 1014018, 'llevaba 14 trabajando': 497124, '14 trabajando de': 3537, 'trabajando de forma': 928122, 'de forma remota': 229061, 'make bulk': 509754, 'purchase this': 689680, 'and disrupt': 61488, 'availability result': 104173, 'unnecessarily more': 942868, 'if consumer begin': 413982, 'begin to panic': 123586, 'panic and make': 637322, 'and make bulk': 66548, 'make bulk purchase': 509755, 'bulk purchase this': 142347, 'purchase this could': 689682, 'price and disrupt': 672396, 'and disrupt food': 61489, 'disrupt food availability': 246370, 'food availability result': 313468, 'availability result this': 104174, 'food unnecessarily more': 317401, 'unnecessarily more expensive': 942869, 'more expensive in': 539178, 'short term say': 764749, 'term say dr': 838283, 'organisation united': 619284, 'united sikh': 942198, 'sikh ha': 769678, 'at religion': 100290, 'profit organisation united': 682834, 'organisation united sikh': 619285, 'united sikh ha': 942199, 'sikh ha opened': 769679, 'coronavirus outbreak read': 206406, 'more at religion': 538669, 'publishing': 688735, 'yogaforcorona': 1016496, 'crea': 215519, 'great man': 362819, 'man while': 512317, 'while all': 986580, 'facing loss': 295530, 'panic fighting': 638099, 'fighting teach': 305120, 'teach not': 835398, 'only self': 611095, 'self praise': 747832, 'praise creating': 668839, 'creating la': 216022, 'la la': 478179, 'la land': 478181, 'land thanks': 479300, 'thanks sir': 842177, 'for regularly': 325078, 'regularly publishing': 707942, 'publishing the': 688738, 'the yogaforcorona': 872191, 'yogaforcorona food': 1016498, 'food crea': 314053, 'great man while': 362821, 'man while all': 512318, 'while all are': 986581, 'all are facing': 42041, 'are facing loss': 86422, 'facing loss and': 295531, 'loss and panic': 503637, 'and panic fighting': 68651, 'panic fighting teach': 638100, 'fighting teach not': 305121, 'teach not only': 835400, 'not only self': 570824, 'only self quarantine': 611097, 'but self praise': 146998, 'self praise creating': 747834, 'praise creating la': 668840, 'creating la la': 216023, 'la la land': 478180, 'la land thanks': 478183, 'land thanks sir': 479301, 'thanks sir for': 842178, 'sir for regularly': 771566, 'for regularly publishing': 325080, 'regularly publishing the': 707943, 'publishing the yogaforcorona': 688739, 'the yogaforcorona food': 872192, 'yogaforcorona food crea': 1016499, 'hydroponic': 411976, 'people grew': 648123, 'grew their': 363859, 'le panic': 483061, 'le waste': 483234, 'waste invest': 968137, 'in hydroponic': 423940, 'hydroponic equipment': 411977, 'can install': 158756, 'install in': 439996, 'small space': 775130, 'space panicbuying': 787153, 'panicbuying growyourown': 638954, 'if people grew': 414619, 'people grew their': 648124, 'grew their own': 363860, 'own food there': 632002, 'food there would': 317157, 'be le panic': 115673, 'le panic buying': 483062, 'buying and le': 149917, 'and le waste': 66018, 'le waste invest': 483235, 'waste invest in': 968138, 'invest in hydroponic': 443757, 'in hydroponic equipment': 423941, 'hydroponic equipment you': 411978, 'equipment you can': 279879, 'you can install': 1017705, 'can install in': 158757, 'install in small': 439997, 'in small space': 428024, 'small space panicbuying': 775133, 'space panicbuying growyourown': 787154, 'new strategy': 559672, 'analytics blog': 57210, 'post published': 666287, 'cause recession': 167712, 'recession to': 704386, 'to harm': 907174, 'harm automotive': 378387, 'new strategy analytics': 559673, 'strategy analytics blog': 812599, 'analytics blog post': 57211, 'blog post published': 132997, 'post published covid': 666288, '19 cause recession': 5719, 'cause recession to': 167715, 'recession to harm': 704387, 'to harm automotive': 907175, 'harm automotive consumer': 378388, 'choke': 177845, 'onlyessentials': 611520, 'to choke': 902738, 'choke on': 177847, 'own saliva': 632183, 'saliva in': 732731, 'supermarket smooth': 822721, 'smooth socialdistancing': 775936, 'socialdistancing onlyessentials': 780573, 'time to choke': 897964, 'to choke on': 902739, 'choke on my': 177849, 'my own saliva': 549656, 'own saliva in': 632184, 'saliva in the': 732732, 'the supermarket smooth': 868809, 'supermarket smooth socialdistancing': 822722, 'smooth socialdistancing onlyessentials': 775937, 'know sell': 476702, 'sanitizer label': 735272, 'label say': 478354, '80 alcohol': 22545, 'alcohol when': 41174, 'really 40': 701947, '40 shitty': 18658, 'shitty vodka': 759387, 'vodka the': 959957, 'of sanitation': 589274, 'sanitation drop': 733838, 'drop sharply': 260384, 'sharply when': 755772, 'when alcohol': 983121, 'alcohol percent': 41071, 'percent is': 651139, '50 wholefoods': 19909, 'glad to know': 351526, 'to know sell': 908992, 'know sell fake': 476703, 'sell fake hand': 748708, 'hand sanitizer label': 375468, 'sanitizer label say': 735273, 'label say 80': 478355, 'say 80 alcohol': 738375, '80 alcohol when': 22547, 'alcohol when it': 41175, 'when it really': 983646, 'it really 40': 460624, 'really 40 shitty': 701948, '40 shitty vodka': 18659, 'shitty vodka the': 759388, 'vodka the level': 959958, 'level of sanitation': 487658, 'of sanitation drop': 589275, 'sanitation drop sharply': 733839, 'drop sharply when': 260385, 'sharply when alcohol': 755773, 'when alcohol percent': 983122, 'alcohol percent is': 41072, 'percent is below': 651140, 'is below 50': 446127, 'below 50 wholefoods': 126582, 'annually': 77426, 'need national': 555285, 'national storage': 552616, 'storage where': 806008, 'all emergency': 42675, 'distribute in': 247992, 'should form': 766011, 'form part': 329557, 'pm report': 661966, 'on annually': 599390, 'think we need': 885768, 'we need national': 972520, 'need national storage': 555286, 'national storage where': 552617, 'storage where we': 806009, 'where we stock': 985350, 'we stock all': 973416, 'stock all emergency': 801778, 'all emergency supply': 42676, 'emergency supply and': 273002, 'supply and at': 824702, 'and at least': 58478, 'least month of': 484560, 'month of food': 537896, 'item to distribute': 463745, 'to distribute in': 904446, 'distribute in time': 247993, 'crisis this should': 218225, 'this should form': 890127, 'should form part': 766012, 'form part of': 329558, 'of the what': 591616, 'what the pm': 982352, 'the pm report': 863879, 'pm report on': 661967, 'report on annually': 712140, 'calmly': 156857, 'clarify our': 180079, 'our pub': 624504, 'pub is': 687719, 'is fantastic': 447732, 'fantastic but': 298582, 'member social': 528193, 'social club': 779461, 'club only': 184466, 'payment everyone': 645611, 'everyone washing': 287556, 'in loo': 424917, 'loo calmly': 502150, 'calmly watching': 156864, 'tv reading': 936166, 'reading newspaper': 700791, 'newspaper distance': 561088, 'table mostly': 831484, 'mostly regular': 542995, 'regular looking': 707806, 'other contrast': 620004, 'to clarify our': 902797, 'clarify our pub': 180080, 'our pub is': 624505, 'pub is fantastic': 687720, 'is fantastic but': 447733, 'fantastic but it': 298583, 'but it member': 146139, 'it member social': 459597, 'member social club': 528194, 'social club only': 779462, 'club only card': 184468, 'only card payment': 610220, 'card payment everyone': 163618, 'payment everyone washing': 645612, 'everyone washing hand': 287557, 'washing hand in': 967670, 'hand in loo': 375039, 'in loo calmly': 424918, 'loo calmly watching': 502151, 'calmly watching tv': 156865, 'watching tv reading': 968819, 'tv reading newspaper': 936167, 'reading newspaper distance': 700792, 'newspaper distance on': 561089, 'distance on table': 246788, 'on table mostly': 603865, 'table mostly regular': 831485, 'mostly regular looking': 542996, 'regular looking out': 707807, 'out for each': 626111, 'each other contrast': 264167, 'industry group': 435857, 'group fear': 366686, 'fear supplychain': 301344, 'supplychain will': 826243, 'collapse more': 186031, 'sick leaving': 768510, 'leaving fewer': 485081, 'fewer worker': 304248, 'worker able': 1006193, 'manufacture process': 513385, 'process package': 679944, 'the supplychainmanagement': 868976, 'consumer industry group': 197855, 'industry group fear': 435859, 'group fear supplychain': 366687, 'fear supplychain will': 301345, 'supplychain will collapse': 826244, 'will collapse more': 992955, 'collapse more american': 186032, 'more american stay': 538601, 'american stay home': 52214, 'stay home or': 796989, 'home or get': 401741, 'get sick leaving': 347996, 'sick leaving fewer': 768511, 'leaving fewer worker': 485082, 'fewer worker able': 304249, 'worker able to': 1006194, 'able to manufacture': 24503, 'to manufacture process': 909819, 'manufacture process package': 513386, 'process package and': 679945, 'package and deliver': 633211, 'and deliver the': 61089, 'deliver the supplychainmanagement': 233237, 'clerk wiping': 181826, 'every available': 285679, 'available surface': 104606, 'surface after': 827980, 'every customer': 285774, 'conveyor to': 202591, 'reader to': 700703, 'the scanner': 866431, 'scanner you': 740737, 'allow you': 46105, 'standing up': 793830, 'store clerk wiping': 807040, 'clerk wiping down': 181827, 'down every available': 256730, 'every available surface': 285681, 'available surface after': 104607, 'surface after every': 827982, 'after every customer': 35632, 'every customer from': 285775, 'customer from the': 222403, 'from the conveyor': 337652, 'the conveyor to': 851712, 'conveyor to the': 202592, 'to the credit': 916612, 'the credit card': 852314, 'credit card reader': 216347, 'card reader to': 163631, 'reader to the': 700704, 'to the scanner': 917039, 'the scanner you': 866432, 'scanner you should': 740738, 'you should get': 1021192, 'should get better': 766019, 'get better than': 346670, 'better than we': 128543, 'than we allow': 841427, 'we allow you': 970385, 'allow you and': 46106, 'you and standing': 1017006, 'and standing up': 72228, 'standing up to': 793833, 'up to fight': 946377, 'fight for it': 304743, 'for it 19': 322689, 'dexter': 240014, 'thillien': 884041, 'google are': 358141, 'much tied': 545380, 'if greater': 414180, 'greater economic': 363172, 'economic difficulty': 267062, 'difficulty we': 242414, 'greater usage': 363262, 'usage but': 948821, 'but difficult': 145540, 'say brand': 738465, 'brand will': 138072, 'advertise say': 33156, 'say dexter': 738566, 'dexter thillien': 240015, 'facebook google are': 294926, 'google are very': 358142, 'are very much': 91470, 'very much tied': 955368, 'much tied to': 545381, 'tied to global': 895758, 'to global consumer': 906739, 'consumer demand if': 197141, 'demand if greater': 235660, 'if greater economic': 414181, 'greater economic difficulty': 363173, 'economic difficulty we': 267063, 'difficulty we will': 242416, 'see greater usage': 745163, 'greater usage but': 363263, 'usage but difficult': 948822, 'but difficult to': 145541, 'difficult to say': 242346, 'to say brand': 913808, 'say brand will': 738466, 'brand will be': 138073, 'will be spending': 992695, 'spending more to': 788919, 'more to advertise': 540785, 'to advertise say': 900135, 'advertise say dexter': 33157, 'say dexter thillien': 738567, 'transformative': 929580, 'netelixir': 557581, '22 could': 15199, 'most transformative': 542824, 'transformative period': 929581, 'onlineshopping seeing': 609930, 'seeing significant': 746465, 'significant growth': 769459, 'online customer': 608072, 'could create': 209059, 'habit netelixir': 372653, 'netelixir webinar': 557586, 'webinar stayathome': 975103, 'of march 22': 586197, 'march 22 could': 515180, '22 could be': 15200, 'the most transformative': 861050, 'most transformative period': 542825, 'transformative period for': 929582, 'period for onlineshopping': 651763, 'for onlineshopping seeing': 324118, 'onlineshopping seeing significant': 609931, 'seeing significant growth': 746466, 'significant growth in': 769460, 'growth in new': 367404, 'in new online': 425823, 'new online customer': 559210, 'online customer could': 608073, 'customer could create': 222277, 'could create new': 209061, 'create new online': 215700, 'shopping habit netelixir': 762848, 'habit netelixir webinar': 372654, 'netelixir webinar stayathome': 557587, 'subsequently': 815935, 'study this': 814971, 'week show': 976871, 'that around': 842867, 'around half': 93312, 'of patient': 587817, 'patient subsequently': 644262, 'subsequently diagnosed': 815936, 'with had': 998716, 'had digestive': 373035, 'digestive symptom': 242463, 'study this past': 814972, 'past week show': 643650, 'week show that': 976872, 'show that around': 767177, 'that around half': 842870, 'around half of': 93313, 'half of patient': 374232, 'of patient subsequently': 587822, 'patient subsequently diagnosed': 644263, 'subsequently diagnosed with': 815937, 'diagnosed with had': 240240, 'with had digestive': 998717, 'had digestive symptom': 373036, 'how rough': 408605, 'rough it': 726250, 'here look': 393313, 'blow pop': 133346, 're wondering how': 699816, 'wondering how rough': 1004160, 'how rough it': 408606, 'rough it getting': 726251, 'it getting out': 458231, 'getting out here': 349171, 'out here look': 626285, 'here look no': 393318, 'no further blow': 564329, 'further blow pop': 342006, 'blow pop is': 133347, 'pop is selling': 664436, 'vod': 959916, 'multiroom': 545842, 'sorted': 786170, 'smarttv': 775550, 'usa international': 948671, 'international channel': 441767, 'channel sport': 172925, 'movie ppv': 544053, 'ppv vod': 668411, 'vod adult': 959917, 'adult catch': 32810, 'up watch': 946536, 'watch two': 968599, 'two device': 936884, 'device with': 239948, 'with multiroom': 999601, 'multiroom all': 545843, 'your tv': 1026230, 'tv need': 936143, 'need sorted': 555619, 'sorted without': 786179, 'without dish': 1002593, 'dish at': 245496, 'at amazing': 97943, 'start saving': 794476, 'saving today': 737979, 'today io': 919716, 'io android': 444424, 'android firestick': 76228, 'firestick smarttv': 308266, 'smarttv stayhomesavelives': 775551, 'uk usa international': 938852, 'usa international channel': 948672, 'international channel sport': 441768, 'channel sport movie': 172926, 'sport movie ppv': 789951, 'movie ppv vod': 544054, 'ppv vod adult': 668412, 'vod adult catch': 959918, 'adult catch up': 32811, 'catch up watch': 167054, 'up watch two': 946537, 'watch two device': 968600, 'two device with': 936885, 'device with multiroom': 239949, 'with multiroom all': 999602, 'multiroom all your': 545844, 'all your tv': 45589, 'your tv need': 1026231, 'tv need sorted': 936145, 'need sorted without': 555620, 'sorted without dish': 786180, 'without dish at': 1002594, 'dish at amazing': 245497, 'at amazing price': 97944, 'amazing price start': 50769, 'price start saving': 676612, 'start saving today': 794478, 'saving today io': 737980, 'today io android': 919717, 'io android firestick': 444425, 'android firestick smarttv': 76229, 'firestick smarttv stayhomesavelives': 308267, 'emptying soon': 275283, 'are filled': 86552, 'filled not': 305546, 'crowd covid': 219147, 'price doubling': 673508, 'shelf in east': 757192, 'in east london': 422461, 'east london are': 265324, 'london are emptying': 501024, 'are emptying soon': 86184, 'emptying soon they': 275284, 'they are filled': 881277, 'are filled not': 86553, 'filled not only': 305547, 'only are the': 610113, 'are the crowd': 90815, 'the crowd covid': 852522, 'crowd covid 19': 219148, 'danger but also': 225638, 'but also alarming': 145096, 'of food security': 583770, 'food security price': 316361, 'security price doubling': 744718, 'price doubling in': 673509, 'doubling in local': 256161, 'in local corner': 424816, 'corner shop and': 203667, 'shop and wholesaler': 759878, 'jeopardize': 465119, 'willingness': 995491, 'this chef': 886758, 'chef ha': 175257, 'made complete': 507693, 'complete fool': 192092, 'fool of': 318296, 'of himself': 584635, 'himself it': 396807, 'not illegal': 570055, 'want such': 965945, 'such comment': 816410, 'comment jeopardize': 188424, 'jeopardize public': 465120, 'public consent': 687926, 'consent and': 194828, 'and willingness': 75709, 'willingness to': 995492, 'this chef ha': 886759, 'chef ha just': 175258, 'ha just made': 371056, 'just made complete': 469205, 'made complete fool': 507694, 'complete fool of': 192093, 'fool of himself': 318297, 'of himself it': 584636, 'himself it is': 396808, 'is not illegal': 450111, 'not illegal to': 570056, 'illegal to go': 416250, 'supermarket and buy': 818950, 'and buy whatever': 59358, 'buy whatever you': 149463, 'whatever you want': 982822, 'you want such': 1022158, 'want such comment': 965946, 'such comment jeopardize': 816411, 'comment jeopardize public': 188425, 'jeopardize public consent': 465121, 'public consent and': 687927, 'consent and willingness': 194830, 'and willingness to': 75710, 'willingness to support': 995493, 'support the lockdown': 826877, 'the lockdown stayhomesavelives': 859632, 'gatto': 344534, 'badboy': 108107, 'impracticaljokers': 419438, 'when gatto': 983451, 'gatto said': 344535, 'said cart': 731020, 'for person': 324491, 'person remember': 652591, 'when badboy': 983196, 'badboy pointed': 108108, 'is antibacterial': 445749, 'antibacterial not': 78367, 'not antiviral': 568215, 'antiviral impracticaljokers': 78591, 'impracticaljokers ha': 419439, 'been giving': 121215, 'giving lesson': 351333, 'for season': 325402, 'season who': 743457, 'been paying': 121654, 'paying attention': 645388, 'remember when gatto': 710413, 'when gatto said': 983452, 'gatto said cart': 344536, 'said cart full': 731021, 'paper is needed': 640356, 'needed for person': 556362, 'for person remember': 324494, 'person remember when': 652592, 'remember when badboy': 710410, 'when badboy pointed': 983197, 'badboy pointed out': 108109, 'pointed out that': 662738, 'out that hand': 627324, 'sanitizer is antibacterial': 735182, 'is antibacterial not': 445750, 'antibacterial not antiviral': 78368, 'not antiviral impracticaljokers': 568217, 'antiviral impracticaljokers ha': 78592, 'impracticaljokers ha been': 419440, 'ha been giving': 369816, 'been giving lesson': 121216, 'giving lesson for': 351334, 'lesson for season': 486475, 'for season who': 325403, 'season who been': 743458, 'who been paying': 988308, 'been paying attention': 121655, 'let spare': 487059, 'poor tory': 664312, 'tory mp': 926073, 'mp who': 544285, 'finally admit': 305931, 'let spare thought': 487060, 'for the poor': 326624, 'the poor tory': 863994, 'poor tory mp': 664313, 'tory mp who': 926074, 'mp who have': 544286, 'have to finally': 383211, 'to finally admit': 905861, 'finally admit that': 305933, 'admit that supermarket': 32611, 'that supermarket worker': 846579, 'worker are important': 1006398, 'cocaine': 185183, 'massive drug': 520017, 'drug scandal': 261075, 'scandal in': 740716, 'wh besides': 980896, 'trump allegedly': 933393, 'allegedly us': 45719, 'us cocaine': 948511, 'cocaine now': 185196, 'now doe': 574545, 'all gop': 42983, 'senator just': 749761, 'bought stock': 136722, 'company trump': 191263, 'fda grant': 300862, 'grant drug': 362018, 'company exclusive': 190631, 'exclusive claim': 289651, 'claim on': 179775, 'on promising': 602969, 'promising coronavirus': 683744, 'coronavirus drug': 205853, 'drug common': 260911, 'common dream': 189377, 'massive drug scandal': 520018, 'drug scandal in': 261076, 'scandal in the': 740718, 'the wh besides': 871411, 'wh besides the': 980897, 'besides the fact': 127524, 'fact that trump': 295817, 'that trump allegedly': 847135, 'trump allegedly us': 933394, 'allegedly us cocaine': 45720, 'us cocaine now': 948512, 'cocaine now doe': 185197, 'now doe this': 574548, 'this mean all': 888802, 'mean all gop': 524353, 'all gop senator': 42984, 'gop senator just': 358279, 'senator just bought': 749762, 'just bought stock': 468357, 'bought stock in': 136723, 'stock in this': 802282, 'in this company': 429918, 'this company trump': 886828, 'company trump fda': 191264, 'trump fda grant': 933551, 'fda grant drug': 300863, 'grant drug company': 362019, 'drug company exclusive': 260917, 'company exclusive claim': 190632, 'exclusive claim on': 289652, 'claim on promising': 179777, 'on promising coronavirus': 602970, 'promising coronavirus drug': 683745, 'coronavirus drug common': 205854, 'drug common dream': 260912, 'board chair': 133621, 'chair what': 171315, 'at frontlines': 98716, 'frontlines key': 338919, 'key step': 473401, 'protect these': 685025, 'these key': 880209, 'letter to board': 487358, 'to board chair': 901874, 'board chair what': 133622, 'chair what are': 171316, 'protect your staff': 685072, 'your staff at': 1025904, 'staff at frontlines': 792233, 'at frontlines key': 98717, 'frontlines key step': 338920, 'key step to': 473402, 'to protect these': 912341, 'protect these key': 685026, 'these key worker': 880212, 'pok': 662824, 'pokemonswordshield': 662841, 'free pasta': 332051, 'pasta at': 643690, 'at pok': 100151, 'pok mon': 662825, 'mon pokemonswordshield': 536199, 'pokemonswordshield pasta': 662842, 'get anything at': 346586, 'anything at the': 80693, 'supermarket but can': 819443, 'can get free': 158418, 'get free pasta': 347094, 'free pasta at': 332052, 'pasta at pok': 643692, 'at pok mon': 100152, 'pok mon pokemonswordshield': 662827, 'mon pokemonswordshield pasta': 536200, 'petco': 653506, 'referred': 706525, 'to staysafestayhome': 915354, 'staysafestayhome now': 799009, 'favorite local': 300525, 'even costco': 283978, 'costco bj': 208211, 'bj and': 131986, 'and petco': 68946, 'petco participate': 653507, 'participate check': 642554, 'out tell': 627299, 'them referred': 876213, 'referred you': 706531, 'you used': 1022012, 'used this': 950026, 'this b4': 886477, 'with the the': 1001515, 'the the cdc': 869374, 'the cdc guideline': 850568, 'cdc guideline to': 168571, 'guideline to staysafestayhome': 368490, 'to staysafestayhome now': 915355, 'staysafestayhome now you': 799010, 'can get your': 158474, 'delivered from your': 233333, 'from your favorite': 338476, 'your favorite local': 1023827, 'favorite local grocery': 300526, 'store even costco': 807639, 'even costco bj': 283979, 'costco bj and': 208212, 'bj and petco': 131987, 'and petco participate': 68947, 'petco participate check': 653508, 'participate check it': 642555, 'it out tell': 460193, 'out tell them': 627300, 'tell them referred': 837100, 'them referred you': 876214, 'referred you used': 706532, 'you used this': 1022014, 'used this b4': 950027, 'goerge': 354910, 'goerge eustice': 354911, 'eustice on': 283653, 'buy everyone': 148591, 'must respect': 546856, 'respect limit': 715020, 'respect supermarket': 715050, 'staff so': 792869, 'so listen': 777556, 'pilling there': 656702, 'need stop': 555649, 'goerge eustice on': 354912, 'eustice on there': 283654, 'of food there': 583797, 'panic buy everyone': 637479, 'buy everyone must': 148592, 'everyone must respect': 287196, 'must respect limit': 546857, 'respect limit and': 715021, 'limit and respect': 492284, 'and respect supermarket': 70334, 'respect supermarket staff': 715051, 'supermarket staff so': 822890, 'staff so listen': 792870, 'so listen you': 777558, 'listen you fucking': 494776, 'you fucking moron': 1018738, 'fucking moron who': 339957, 'moron who are': 541648, 'who are stock': 988226, 'are stock pilling': 90508, 'stock pilling there': 802687, 'pilling there is': 656703, 'no need stop': 564854, 'need stop now': 555651, 'paid often': 634099, 'often zero': 596317, 'zero contractor': 1027424, 'contractor of': 201815, 'undervalued hero the': 940957, 'hero the lower': 394116, 'the lower paid': 859799, 'lower paid often': 505937, 'paid often zero': 634100, 'often zero contractor': 596318, 'zero contractor of': 1027425, 'contractor of the': 201816, 'coronavirus crisis need': 205761, 'troy': 932694, 'matthew': 520680, 'troy jenkins': 932695, 'jenkins and': 465075, 'and matthew': 66790, 'matthew white': 520689, 'white will': 987921, 'serve presenter': 751930, 'presenter for': 670669, 'and webinar': 75366, '00 et': 190, 'et for': 282356, 'detail please': 239237, 'visit below': 959196, 'troy jenkins and': 932696, 'jenkins and matthew': 465076, 'and matthew white': 66791, 'matthew white will': 520690, 'white will serve': 987922, 'will serve presenter': 994817, 'serve presenter for': 751931, 'presenter for the': 670670, 'protection and webinar': 685327, 'and webinar on': 75367, 'webinar on tuesday': 975082, 'on tuesday april': 604877, '14 2020 at': 3392, 'at 00 et': 97350, '00 et for': 191, 'et for detail': 282357, 'for detail please': 320682, 'detail please visit': 239239, 'please visit below': 660723, 'overpay': 631378, 'to overpay': 911309, 'overpay for': 631379, 'any personal': 79648, 'or limit': 615967, 'treat the': 930888, '19 under': 11625, 'city consumer': 179107, 'law it': 482326, 'have to overpay': 383257, 'to overpay for': 911310, 'overpay for any': 631380, 'for any personal': 319419, 'any personal or': 79649, 'personal or household': 652934, 'or household good': 615684, 'household good or': 406820, 'good or any': 357523, 'or any service': 614359, 'any service that': 79789, 'that are needed': 842782, 'are needed to': 88203, 'needed to prevent': 556546, 'prevent or limit': 671679, 'or limit the': 615968, 'spread of or': 790693, 'of or treat': 587322, 'or treat the': 617526, 'treat the coronavirus': 930890, 'covid 19 under': 213996, '19 under the': 11626, 'under the city': 940292, 'the city consumer': 850927, 'city consumer protection': 179108, 'protection law it': 685512, 'law it is': 482328, 'staple for': 793939, 'source of staple': 786532, 'of staple for': 590039, 'staple for singapore': 793941, 'new oklahoma': 559191, 'oklahoma number': 598069, 'number positive': 577038, 'case 53': 165597, '53 67': 20289, 'new oklahoma number': 559192, 'oklahoma number positive': 598070, 'number positive case': 577039, 'positive case 53': 665275, 'case 53 67': 165598, '53 67 death': 20290, 'first look': 308773, 'first look at': 308774, 'responsiveness': 716132, 'it impressive': 458718, 'impressive to': 419493, 'the responsiveness': 865628, 'responsiveness of': 716133, 'been expanding': 121107, 'it operation': 460137, 'have scale': 382401, 'scale and': 739869, 'and liquidity': 66211, 'liquidity to': 494155, 'fuel their': 340296, 'it supplychain': 461377, 'supplychain grocery': 826183, 'grocery amazon': 364214, 'amazon walmart': 51181, 'it impressive to': 458720, 'impressive to see': 419494, 'see the responsiveness': 745880, 'the responsiveness of': 865629, 'responsiveness of both': 716134, 'of both and': 580792, 'both and ha': 135848, 'ha been expanding': 369802, 'been expanding it': 121108, 'expanding it operation': 290507, 'it operation to': 460138, 'essential product they': 281427, 'product they have': 681721, 'they have scale': 882376, 'have scale and': 382402, 'scale and liquidity': 739872, 'and liquidity to': 66212, 'liquidity to fuel': 494158, 'to fuel their': 906295, 'fuel their operation': 340297, 'their operation they': 874120, 'operation they are': 613272, 'doing it supplychain': 252495, 'it supplychain grocery': 461378, 'supplychain grocery amazon': 826184, 'grocery amazon walmart': 364215, 'introverted': 443527, 'boring': 135425, 'empath': 273325, 'positivevibes': 665505, 'an empathetic': 55695, 'empathetic and': 273328, 'and introverted': 65350, 'introverted dream': 443528, 'dream we': 258632, 'practice this': 668684, 'simply maintain': 770242, 'health nothing': 386675, 'changed much': 172510, 'life go': 488687, 'are boring': 85028, 'boring but': 135430, 'but love': 146327, 'this empath': 887371, 'empath positivevibes': 273326, 'distancing is an': 247240, 'is an empathetic': 445653, 'an empathetic and': 55696, 'empathetic and introverted': 273330, 'and introverted dream': 65351, 'introverted dream we': 443529, 'dream we practice': 258633, 'we practice this': 972727, 'practice this every': 668685, 'this every day': 887460, 'day to simply': 228585, 'to simply maintain': 914659, 'simply maintain our': 770243, 'maintain our mental': 509007, 'mental health nothing': 528645, 'health nothing ha': 386676, 'ha changed much': 370130, 'changed much in': 172511, 'much in my': 545008, 'my life go': 549020, 'life go to': 488690, 'to work can': 918699, 'work can stop': 1004970, 'can stop by': 159816, 'stop by the': 804559, 'by the grocery': 154343, 'store and go': 806249, 'you are boring': 1017074, 'are boring but': 85029, 'boring but love': 135431, 'but love this': 146330, 'love this empath': 504829, 'this empath positivevibes': 887372, 'estrange': 282333, 'soapandestrange': 779199, 'washtocare': 967840, 'socialdistancingworksstaysafe': 780918, '2008 hope': 13671, 'change 2020': 171878, '2020 soap': 14602, 'and estrange': 62278, 'estrange soapandestrange': 282334, 'soapandestrange soap': 779200, '19 coronapocolypse': 6078, 'coronapocolypse washyourhands': 205252, 'washyourhands socialdistancing': 967911, 'socialdistancing fauci': 780361, 'fauci washtocare': 300384, 'washtocare stayhome': 967841, 'stayhome saturdaymorning': 798094, 'saturdaymorning saturdaythoughts': 737094, 'saturdaythoughts socialdistancingworksstaysafe': 737120, '2008 hope and': 13672, 'hope and change': 403417, 'and change 2020': 59716, 'change 2020 soap': 171879, '2020 soap and': 14603, 'soap and estrange': 778910, 'and estrange soapandestrange': 62279, 'estrange soapandestrange soap': 282335, 'soapandestrange soap sanitizer': 779201, 'soap sanitizer 19': 779104, 'sanitizer 19 coronapocolypse': 734282, '19 coronapocolypse washyourhands': 6079, 'coronapocolypse washyourhands socialdistancing': 205253, 'washyourhands socialdistancing fauci': 967912, 'socialdistancing fauci washtocare': 780362, 'fauci washtocare stayhome': 300385, 'washtocare stayhome saturdaymorning': 967842, 'stayhome saturdaymorning saturdaythoughts': 798095, 'saturdaymorning saturdaythoughts socialdistancingworksstaysafe': 737095, 'supermarket selfish': 822373, 'the supermarket selfish': 868789, 'supermarket selfish panic': 822374, 'chicken shit': 175859, 'now is lot': 575078, 'is lot like': 449466, 'lot like being': 504084, 'in your cart': 431065, 'your cart and': 1023152, 'cart and even': 165246, 'creativity you cannot': 216228, 'you cannot make': 1017869, 'cannot make chicken': 162006, 'of chicken shit': 581336, 'good company': 356902, 'continue normal': 201073, 'operation across': 613121, 'and extend': 62552, 'extend hour': 293108, 'hour needed': 405773, 'needed amidst': 556285, 'outbreak qatar': 628558, 'qatar iloveqatar': 691493, 'consumer good company': 197607, 'good company ha': 356905, 'it will continue': 462385, 'will continue normal': 993015, 'continue normal operation': 201074, 'normal operation across': 567236, 'operation across all': 613122, 'across all branch': 29229, 'all branch and': 42215, 'branch and extend': 137667, 'and extend hour': 62553, 'extend hour needed': 293109, 'hour needed amidst': 405774, 'needed amidst the': 556286, 'amidst the coronavirus': 52821, '19 outbreak qatar': 9173, 'outbreak qatar iloveqatar': 628559, 'those year': 892754, 'of watching': 592929, 'watching supermarket': 968787, 'finally paying': 306069, 'off try': 594352, 'and laugh': 65971, 'laugh today': 481773, 'good day': 356943, 'day smile': 228360, 'smile look': 775725, 'look good': 502392, 'all those year': 45197, 'those year of': 892756, 'year of watching': 1014801, 'of watching supermarket': 592930, 'watching supermarket sweep': 968788, 'sweep is finally': 830132, 'is finally paying': 447808, 'finally paying off': 306070, 'paying off try': 645461, 'off try and': 594353, 'try and laugh': 934446, 'and laugh today': 65973, 'laugh today it': 481775, 'today it gonna': 919738, 'gonna be good': 356469, 'be good day': 115064, 'good day smile': 356949, 'day smile look': 228361, 'smile look good': 775726, 'look good on': 502394, 'good on you': 357508, 'supermarket walk': 823715, 'walk walk': 964914, 'walk tomorrow': 964905, 'tomorrow when': 924242, 'affected if': 34370, '19 argh': 5213, 'scolded my dad': 742296, 'my dad who': 547903, 'dad who wanted': 224410, 'go supermarket walk': 354184, 'supermarket walk walk': 823716, 'walk walk tomorrow': 964915, 'walk tomorrow when': 964906, 'tomorrow when we': 924243, 'home what is': 402478, 'generation why can': 345651, 'can they understand': 159983, 'will be most': 992564, 'be most affected': 116004, 'most affected if': 542073, 'affected if they': 34371, 'they get covid': 882161, 'covid 19 argh': 212649, 'crudeoil future': 219638, 'fell an': 303167, 'emergency opec': 272829, 'opec group': 611893, 'group meeting': 366760, 'meeting resulted': 527751, 'cut agreement': 223220, 'agreement that': 38795, 'likely too': 492184, 'too limited': 924853, 'in scope': 427738, 'scope to': 742341, 'opec factbox': 611884, 'crudeoil future fell': 219639, 'future fell an': 342323, 'fell an emergency': 303168, 'an emergency opec': 55682, 'emergency opec group': 272830, 'opec group meeting': 611894, 'group meeting resulted': 366761, 'meeting resulted in': 527752, 'resulted in production': 717683, 'in production cut': 427022, 'production cut agreement': 681987, 'cut agreement that': 223222, 'agreement that wa': 38796, 'that wa likely': 847297, 'wa likely too': 962558, 'likely too limited': 492185, 'too limited in': 924854, 'limited in scope': 492656, 'in scope to': 427739, 'scope to compensate': 742342, 'compensate for the': 191532, 'for the drop': 326395, 'global oil demand': 352048, 'oil demand caused': 596741, 'the oott opec': 862369, 'oott opec factbox': 611781, 'help brilliant': 389436, 'brilliant site': 139885, 'site rank': 771997, 'rank company': 696777, 'company on': 190930, 'of policy': 588202, 'policy action': 663312, 'society employee': 781200, 'in position': 426850, 'any online': 79563, 'shopping start': 763965, 'here csr': 392908, 'they help brilliant': 882425, 'help brilliant site': 389437, 'brilliant site rank': 139886, 'site rank company': 771998, 'rank company on': 696778, 'company on impact': 190931, 'impact of policy': 417794, 'of policy action': 588203, 'policy action on': 663313, 'action on society': 30095, 'on society employee': 603544, 'society employee during': 781201, 'employee during pandemic': 273794, 'during pandemic if': 262874, 're in position': 698881, 'in position to': 426852, 'position to do': 665194, 'to do any': 904480, 'do any online': 249085, 'any online shopping': 79566, 'online shopping start': 609282, 'shopping start here': 763966, 'start here csr': 794328, 'astronomically': 97266, 'can bottle': 157781, 'bottle up': 136344, 'prayer and': 669046, 'then have': 877231, 'your brother': 1023030, 'brother in': 141071, 'law company': 482249, 'company sell': 191057, 'for astronomically': 319512, 'astronomically high': 97267, 'way your': 970210, 'family fuck': 297831, 'fuck three': 339670, 'over since': 630613, 'maybe you can': 521893, 'you can bottle': 1017634, 'can bottle up': 157782, 'bottle up your': 136345, 'up your thought': 946758, 'and prayer and': 69324, 'prayer and use': 669049, 'use it the': 949316, 'it the cure': 461525, '19 then have': 11273, 'then have your': 877235, 'have your brother': 383708, 'your brother in': 1023031, 'brother in law': 141073, 'in law company': 424632, 'law company sell': 482250, 'company sell it': 191058, 'sell it for': 748768, 'it for astronomically': 458071, 'for astronomically high': 319513, 'astronomically high price': 97268, 'so that way': 778402, 'that way your': 847356, 'way your family': 970211, 'your family fuck': 1023782, 'family fuck three': 297832, 'fuck three time': 339671, 'three time over': 894078, 'time over since': 897440, 'stuff but': 815029, 'that ain': 842527, 'ain happening': 39624, 'happening hoarding': 377359, 'hoarding stoppanicbuying': 399551, 'love to buy': 504843, 'some stuff but': 783981, 'stuff but that': 815032, 'but that ain': 147280, 'that ain happening': 842529, 'ain happening hoarding': 39625, 'happening hoarding stoppanicbuying': 377360, 'hello since': 389212, 'cancelled over': 161155, 'month co': 537648, 'of bloody': 580749, 'bloody covid': 133187, 've opened': 953421, 'opened an': 612702, 'online print': 608799, 'print store': 678297, 'can lot': 158908, 'of option': 587313, 'option of': 614072, 'of print': 588435, 'print and': 678264, 'and size': 71711, 'hello since all': 389213, 'all my job': 43561, 'my job have': 548916, 'been cancelled over': 120792, 'cancelled over the': 161156, 'next few month': 561363, 'few month co': 303927, 'month co of': 537649, 'co of bloody': 184897, 'of bloody covid': 580750, 'bloody covid 19': 133188, '19 ve opened': 11738, 've opened an': 953422, 'opened an online': 612703, 'an online print': 56627, 'online print store': 608800, 'print store help': 678298, 'store help me': 808135, 'help me out': 390072, 'me out if': 523301, 'you can lot': 1017720, 'can lot of': 158909, 'lot of option': 504240, 'of option of': 587314, 'option of print': 614076, 'of print and': 588436, 'print and size': 678266, 'and size and': 71712, 'maharashtra people': 508483, 'were seen': 980091, 'seen maintaining': 747126, 'maintaining social': 509131, 'pune due': 689193, 'maharashtra people were': 508484, 'people were seen': 650220, 'were seen maintaining': 980092, 'seen maintaining social': 747127, 'maintaining social distance': 509132, 'social distance in': 779509, 'distance in queue': 246744, 'in queue outside': 427224, 'queue outside local': 694034, 'supermarket in pune': 820961, 'in pune due': 427117, 'pune due to': 689194, 'infarm': 436486, 'evita': 288477, 'agtech': 39068, 'agritech': 39053, 'f3tech': 294183, 'vertical farming': 954964, 'farming venture': 299659, 'venture infarm': 954669, 'infarm emmanuel': 436487, 'emmanuel evita': 273234, 'evita share': 288478, 'share how': 755035, 'is disrupting': 447238, 'disrupting and': 246420, 'driving it': 259961, 'it expansion': 457894, 'expansion and': 290554, 'for hyper': 322456, 'hyper local': 412290, 'local fresh': 497992, 'food agtech': 313062, 'agtech agritech': 39069, 'agritech agribusiness': 39054, 'agribusiness f3tech': 38853, 'vertical farming venture': 954965, 'farming venture infarm': 299660, 'venture infarm emmanuel': 954670, 'infarm emmanuel evita': 436488, 'emmanuel evita share': 273235, 'evita share how': 288479, 'share how is': 755038, 'how is disrupting': 408091, 'is disrupting and': 447239, 'disrupting and driving': 246421, 'and driving it': 61756, 'driving it expansion': 259963, 'it expansion and': 457895, 'expansion and demand': 290555, 'and demand for': 61154, 'demand for hyper': 235443, 'for hyper local': 322457, 'hyper local fresh': 412292, 'local fresh food': 497994, 'fresh food agtech': 332957, 'food agtech agritech': 313063, 'agtech agritech agribusiness': 39070, 'agritech agribusiness f3tech': 39055, 'isn joke': 454572, 'joke well': 467159, 'aware this': 105667, 'issue bigger': 455692, 'than but': 840423, 'moment people': 536026, 'go place': 354049, 'any worker': 80054, 'worker rather': 1007660, 'rather that': 697564, 'store fast': 807697, 'retail wherever': 718850, 'wherever remember': 985464, 'remember most': 710232, '19 isn joke': 8093, 'isn joke well': 454573, 'joke well aware': 467160, 'well aware this': 978041, 'aware this is': 105668, 'is an issue': 445682, 'an issue bigger': 56480, 'issue bigger than': 455693, 'bigger than but': 130174, 'than but at': 840424, 'but at this': 145246, 'this moment people': 888879, 'moment people still': 536027, 'to go place': 906843, 'go place to': 354052, 'place to survive': 657775, 'to survive so': 916045, 'survive so to': 829232, 'so to any': 778532, 'to any worker': 900613, 'any worker rather': 80055, 'worker rather that': 1007661, 'rather that be': 697565, 'that be at': 842941, 'be at grocery': 113730, 'grocery store fast': 365388, 'store fast food': 807698, 'fast food retail': 299976, 'food retail wherever': 316216, 'retail wherever remember': 718851, 'wherever remember most': 985465, 'remember most of': 710233, 'them have to': 875828, 'be there and': 117674, 'there and put': 878008, 'and put themselves': 69820, 'put themselves at': 690897, 'parksville': 642144, 'arrowsmith': 94054, 'givinghopetoday': 351466, 'in parksville': 426518, 'parksville many': 642145, 'the mt': 861121, 'mt arrowsmith': 544594, 'arrowsmith food': 94055, 'bank aren': 109662, 'aren able': 92302, 'donation make': 254638, 'the organization': 862475, 'organization worried': 619452, 'worried for': 1010560, 'them givinghopetoday': 875780, 'in parksville many': 426519, 'parksville many people': 642146, 'who use the': 989863, 'use the mt': 949681, 'the mt arrowsmith': 861122, 'mt arrowsmith food': 544595, 'arrowsmith food bank': 94056, 'food bank aren': 313522, 'bank aren able': 109663, 'aren able to': 92303, 'supply and the': 824757, 'and the lack': 73441, 'lack of donation': 478618, 'of donation make': 582791, 'donation make the': 254639, 'make the organization': 510576, 'the organization worried': 862477, 'organization worried for': 619453, 'worried for the': 1010563, 'people who rely': 650334, 'rely on them': 709653, 'on them givinghopetoday': 604536, 'this couple': 886983, 'couple is': 211608, 'pretty awesome': 671358, 'awesome can': 106156, 'say enough': 738610, 'enough about': 277311, 'why follow': 990996, 'follow him': 312413, 'him brad': 396559, 'this couple is': 886985, 'couple is pretty': 211609, 'is pretty awesome': 451007, 'pretty awesome can': 671359, 'awesome can say': 106157, 'can say enough': 159514, 'say enough about': 738611, 'enough about why': 277312, 'about why follow': 26931, 'why follow him': 990997, 'follow him brad': 312414, 'him brad paisley': 396560, 'elderly amid covid': 270561, 'company maintain': 190866, 'their big': 872604, 'big profit': 129938, 'by exploiting': 152521, 'exploiting patent': 292441, 'patent law': 643989, 'pharmaceutical company maintain': 654069, 'company maintain their': 190867, 'maintain their big': 509068, 'their big profit': 872607, 'big profit by': 129939, 'profit by exploiting': 682687, 'by exploiting patent': 152522, 'exploiting patent law': 292442, 'patent law and': 643990, 'law and price': 482213, 'dtrump': 261430, 'could dtrump': 209121, 'dtrump make': 261431, 'make himself': 509980, 'himself somewhat': 396816, 'somewhat useful': 785281, 'useful during': 950151, 'least engage': 484454, 'of favorite': 583446, 'favorite crisis': 300503, 'crisis response': 217972, 'response activity': 715615, 'toiletpaper to': 922618, 'american flattenthecurve': 51977, 'flattenthecurve quarantine': 310189, 'quarantinelife toiletpapercrisis': 693036, 'could dtrump make': 209122, 'dtrump make himself': 261432, 'make himself somewhat': 509981, 'himself somewhat useful': 396817, 'somewhat useful during': 785282, 'useful during the': 950153, '19 crisis at': 6216, 'at least engage': 99489, 'least engage in': 484455, 'engage in one': 276858, 'one of favorite': 606743, 'of favorite crisis': 583447, 'favorite crisis response': 300504, 'crisis response activity': 217973, 'response activity and': 715616, 'activity and throw': 30378, 'and throw out': 74096, 'throw out roll': 895043, 'of toiletpaper to': 592284, 'toiletpaper to american': 922619, 'to american flattenthecurve': 900417, 'american flattenthecurve quarantine': 51978, 'flattenthecurve quarantine quarantinelife': 310190, 'quarantine quarantinelife toiletpapercrisis': 692477, 'are piling': 89087, 'all selfish': 44271, 'selfish it': 748153, 'it unfair': 461924, 'unfair to': 941443, 'you piled': 1020338, 'piled in': 656541, 'it world': 462537, 'war corvid19uk': 966402, 'people are piling': 647047, 'are piling in': 89088, 'piling in you': 656604, 'in you are': 431046, 'are all selfish': 84346, 'all selfish it': 44272, 'selfish it unfair': 748154, 'it unfair to': 461926, 'unfair to the': 941445, 'the week and': 871294, 'and you piled': 76039, 'you piled in': 1020339, 'piled in like': 656542, 'in like it': 424726, 'like it world': 490567, 'it world war': 462538, 'world war corvid19uk': 1010135, 'sufferer': 817270, 'researcher find': 713910, 'find particle': 307172, 'particle carrying': 642582, 'several minute': 753895, '19 sufferer': 10931, 'sufferer cough': 817271, 'researcher find particle': 713911, 'find particle carrying': 307173, 'particle carrying the': 642583, 'virus can remain': 958035, 'air for several': 39736, 'for several minute': 325516, 'several minute after': 753896, 'minute after covid': 533709, 'covid 19 sufferer': 213885, '19 sufferer cough': 10932, 'ha someone': 372001, 'who cough': 988494, 'or sneeze': 617115, 'sneeze near': 776254, 'near them': 553616, 'literally everyone who': 494988, 'who ha someone': 988862, 'ha someone who': 372002, 'someone who cough': 784751, 'who cough or': 988497, 'cough or sneeze': 208531, 'or sneeze near': 617116, 'sneeze near them': 776255, 'near them stoppanicbuying': 553618, 'calgary office': 155423, 'market rocked': 517014, 'rocked by': 724936, 'by falling': 152534, 'dropped 50': 260513, '50 since': 19850, 'early march': 264640, 'march creating': 515332, 'creating even': 216001, 'more challenge': 538787, 'for calgary': 319874, 'calgary landlord': 155421, 'landlord already': 479334, 'massive vacancy': 520157, 'vacancy cre': 951559, 'calgary office market': 155424, 'office market rocked': 595486, 'market rocked by': 517015, 'rocked by falling': 724937, 'by falling oil': 152536, 'amid crisis oil': 52441, 'crisis oil ha': 217801, 'ha dropped 50': 370457, 'dropped 50 since': 260514, '50 since early': 19851, 'since early march': 770574, 'early march creating': 264641, 'march creating even': 515333, 'creating even more': 216002, 'even more challenge': 284345, 'more challenge for': 538788, 'challenge for calgary': 171461, 'for calgary landlord': 319875, 'calgary landlord already': 155422, 'landlord already struggling': 479335, 'struggling with massive': 814542, 'with massive vacancy': 999425, 'massive vacancy cre': 520158, 'send german': 749864, 'german consumer': 346218, 'sentiment sliding': 750993, 'sliding in': 773922, '19 to send': 11457, 'to send german': 914211, 'send german consumer': 749865, 'german consumer sentiment': 346222, 'consumer sentiment sliding': 198925, 'sentiment sliding in': 750994, 'sliding in april': 773923, 'what power': 982044, 'power doe': 667593, 'bring russia': 140062, 'arabia together': 83951, 'what power doe': 982045, 'power doe the': 667594, 'doe the have': 251610, 'to bring russia': 902049, 'bring russia and': 140063, 'saudi arabia together': 737221, 'arabia together to': 83952, 'together to reach': 921000, 'reach an agreement': 699894, 'on oil output': 602493, 'read tip': 700633, 'these tactic': 880783, 'tactic do': 831692, 'read tip from': 700634, 'respond to how': 715320, 'to how many': 908022, 'of these tactic': 591863, 'these tactic do': 880784, 'tactic do you': 831693, 'have in place': 381036, 'visit pharmacy': 959340, 'pharmacy go': 654325, 'medical office': 526273, 'gas up': 344167, 'at gas': 98741, 'get food you': 347080, 'food you will': 317727, 'able to visit': 24566, 'to visit pharmacy': 918209, 'visit pharmacy go': 959341, 'pharmacy go to': 654326, 'go to medical': 354328, 'to medical office': 909998, 'medical office or': 526274, 'office or hospital': 595506, 'hospital or gas': 404538, 'or gas up': 615422, 'gas up your': 344168, 'car at gas': 163014, 'at gas station': 98742, 'foodwars': 318245, 'giant grocery': 349782, 'bread section': 138578, 'only bread': 610191, 'bread left': 138512, 'left wa': 485713, 'wa whole': 963701, 'whole wheat': 990378, 'wheat if': 982988, 'coronavirus doesn': 205840, 'you first': 1018589, 'first white': 309184, 'white bread': 987822, 'will why': 995346, 'why yall': 991579, 'yall gotta': 1014078, 'gotta buy': 359070, 'much bread': 544768, 'bread foodwars': 138467, 'wa at giant': 961601, 'at giant grocery': 98756, 'giant grocery store': 349783, 'ago and looked': 38341, 'at the bread': 100896, 'the bread section': 849963, 'bread section the': 138579, 'section the only': 744048, 'the only bread': 862290, 'only bread left': 610193, 'bread left wa': 138513, 'left wa whole': 485715, 'wa whole wheat': 963702, 'whole wheat if': 990379, 'wheat if coronavirus': 982989, 'if coronavirus doesn': 414001, 'coronavirus doesn kill': 205842, 'doesn kill you': 251861, 'kill you first': 474553, 'you first white': 1018592, 'first white bread': 309185, 'white bread will': 987824, 'bread will why': 138638, 'will why yall': 995347, 'why yall gotta': 991581, 'yall gotta buy': 1014079, 'gotta buy so': 359071, 'so much bread': 777764, 'much bread foodwars': 544769, 'mwananchi': 547113, 'senator do': 749743, 'president should': 670901, 'curb this': 220587, 'and ban': 58675, 'ban rent': 109250, 'rent too': 711201, 'too for': 924741, 'for sometime': 325795, 'sometime consider': 785177, 'consider common': 194975, 'common mwananchi': 189418, 'mwananchi senator': 547114, 'senator think': 749793, 'senator do not': 749744, 'not you think': 572620, 'that the president': 846808, 'the president should': 864269, 'president should even': 670902, 'should even order': 765969, 'even order reduction': 284446, 'reduction of essential': 706387, 'essential commodity price': 280929, 'commodity price we': 189296, 'price we re': 677408, 'trying to curb': 934790, 'to curb this': 903807, 'curb this covid': 220588, '19 spread and': 10739, 'spread and ban': 790403, 'and ban rent': 58676, 'ban rent too': 109251, 'rent too for': 711202, 'too for sometime': 924744, 'for sometime consider': 325796, 'sometime consider common': 785178, 'consider common mwananchi': 194976, 'common mwananchi senator': 189419, 'mwananchi senator think': 547115, 'senator think about': 749794, 'offering alternative': 595011, 'alternative shopping': 49255, 'experience like': 291410, 'ordering we': 619044, 'local now': 498218, 'love that our': 504798, 'that our local': 845586, 'business are adapting': 143353, 'adapting to and': 31341, 'to and by': 900488, 'and by offering': 59378, 'by offering alternative': 153397, 'offering alternative shopping': 595012, 'alternative shopping experience': 49256, 'shopping experience like': 762616, 'experience like online': 291411, 'like online ordering': 490927, 'online ordering we': 608716, 'ordering we need': 619045, 'support local now': 826629, 'local now more': 498219, '3h': 18275, 'for 3h': 318822, '3h to': 18276, 'county im': 211412, 'im having': 416543, 'having nervous': 384184, 'nervous breakdown': 557460, 'breakdown here': 138843, 'here seriously': 393548, 'seriously curfew': 751573, 'curfew cant': 220866, 'cant go': 162304, 'might die': 530955, 'die while': 241479, 'work cant': 1004977, 'cant visit': 162350, 'next town': 561637, 'town all': 927426, 'doctor closed': 250875, 'closed war': 183424, 'tried for 3h': 931777, 'for 3h to': 318823, '3h to order': 18277, 'to order food': 911069, 'food online but': 315619, 'online but nobody': 607967, 'but nobody will': 146510, 'nobody will deliver': 566084, 'will deliver to': 993150, 'deliver to my': 233249, 'to my county': 910386, 'my county im': 547826, 'county im having': 211413, 'im having nervous': 416544, 'having nervous breakdown': 384185, 'nervous breakdown here': 557461, 'breakdown here seriously': 138844, 'here seriously curfew': 393549, 'seriously curfew cant': 751575, 'curfew cant go': 220867, 'cant go outside': 162306, 'go outside might': 354016, 'outside might die': 629488, 'might die while': 530958, 'die while shopping': 241480, 'while shopping not': 987268, 'shopping not allowed': 763349, 'to work cant': 918701, 'work cant visit': 1004978, 'cant visit the': 162352, 'visit the next': 959389, 'the next town': 861706, 'next town all': 561638, 'town all doctor': 927427, 'all doctor closed': 42602, 'doctor closed all': 250876, 'closed all shop': 182967, 'all shop closed': 44317, 'shop closed war': 760050, 'being manager': 125417, 'zero protection': 1027481, 'an insane': 56357, 'insane amount': 439026, 'out of being': 626685, 'of being manager': 580651, 'being manager in': 125419, 'manager in grocery': 512733, 'store because have': 806676, 'because have zero': 119107, 'have zero protection': 383728, 'zero protection to': 1027482, 'protection to and': 685652, 'to and have': 900506, 'and have put': 64266, 'put in an': 690611, 'in an insane': 420316, 'an insane amount': 56358, 'insane amount of': 439027, 'amount of hour': 53228, 'last week can': 480636, 'week can you': 976063, 'careless': 164530, 'it chinese': 457131, 'get careless': 346742, 'careless in': 164534, 'protocol violence': 686003, 'violence start': 957557, 'just temporary': 469967, 'temporary set': 837681, 'set rule': 753468, 'calling it chinese': 156585, 'it chinese virus': 457132, 'virus panic set': 958613, 'set in people': 753402, 'in people get': 426589, 'people get careless': 648045, 'get careless in': 346743, 'careless in health': 164535, 'in health protocol': 423605, 'health protocol violence': 386777, 'protocol violence start': 686004, 'violence start you': 957558, 'start you should': 794661, 'clearly it just': 181525, 'it just temporary': 459248, 'just temporary set': 469968, 'temporary set rule': 837682, 'grump': 367521, 'why naturally': 991201, 'naturally so': 552924, 'those if': 892079, 'if lower': 414401, 'lower production': 505974, 'pocket president': 662191, 'president grump': 670821, 'grump the': 367522, 'sad par': 729206, 'par it': 641201, 'it show': 461038, 'show real': 767101, 'real american': 701030, 'american that': 52244, 'you careless': 1017897, 'careless about': 164531, 'that died': 843530, 'why naturally so': 991202, 'naturally so important': 552925, 'so important to': 777378, 'important to talk': 419072, 'talk to those': 833895, 'to those if': 917506, 'those if lower': 892080, 'if lower production': 414402, 'lower production it': 505976, 'production it will': 682096, 'it will affect': 462368, 'price keep your': 674988, 'keep your money': 472279, 'your money in': 1024861, 'money in your': 536832, 'your pocket president': 1025340, 'pocket president grump': 662192, 'president grump the': 670822, 'grump the sad': 367523, 'the sad par': 866119, 'sad par it': 729207, 'par it show': 641202, 'it show real': 461039, 'show real american': 767102, 'real american that': 701031, 'american that care': 52245, 'that care you': 843162, 'care you careless': 164318, 'you careless about': 1017898, 'careless about those': 164533, 'about those that': 26684, 'those that died': 892530, 'widowed': 991879, 'jaime': 464307, 'harrison': 378514, 'senior especially': 750292, 'to serious': 914251, 'serious infection': 751415, 'throe for': 894256, 'senior benefit': 750229, 'and medicare': 66887, 'medicare rx': 526591, 'price benefit': 672909, 'for widowed': 327877, 'widowed spouse': 991880, 'spouse vote': 790229, 'for jaime': 322764, 'jaime harrison': 464308, 'harrison sc': 378515, 'sc for': 739845, 'for senate': 325448, '19 make our': 8521, 'make our senior': 510290, 'our senior especially': 624716, 'senior especially vulnerable': 750293, 'vulnerable to serious': 961230, 'to serious infection': 914252, 'serious infection and': 751416, 'and death throe': 60991, 'death throe for': 230239, 'throe for senior': 894257, 'for senior benefit': 325457, 'senior benefit for': 750230, 'benefit for and': 126965, 'for and medicare': 319328, 'and medicare rx': 66888, 'medicare rx price': 526592, 'rx price benefit': 728789, 'price benefit for': 672910, 'benefit for widowed': 126973, 'for widowed spouse': 327878, 'widowed spouse vote': 991881, 'spouse vote for': 790230, 'vote for jaime': 960483, 'for jaime harrison': 322765, 'jaime harrison sc': 464309, 'harrison sc for': 378516, 'sc for senate': 739846, 're controlled': 698466, 'by system': 154198, 'system but': 831125, 'when given': 983465, 'free choice': 331709, 'choice we': 177824, 'make selfish': 510428, 'selfish decision': 748069, 'decision thus': 231096, 'thus requiring': 895529, 'requiring an': 713516, 'an authority': 55483, 'force into': 328407, 'into being': 442430, 'being kind': 125363, 'kind essentially': 474837, 'essentially we': 281915, 'rationing by': 697797, 'by law': 153026, 'now stophoarding': 575916, 'usual we complain': 951059, 'we complain that': 971159, 'complain that we': 191868, 'we re controlled': 972847, 're controlled by': 698467, 'controlled by system': 202234, 'by system but': 154199, 'system but when': 831127, 'but when given': 147814, 'when given free': 983466, 'given free choice': 350998, 'free choice we': 331710, 'choice we make': 177825, 'we make selfish': 972339, 'make selfish decision': 510429, 'selfish decision thus': 748071, 'decision thus requiring': 231097, 'thus requiring an': 895530, 'requiring an authority': 713517, 'an authority to': 55484, 'authority to force': 103800, 'to force into': 906168, 'force into being': 328408, 'into being kind': 442431, 'being kind essentially': 125364, 'kind essentially we': 474838, 'essentially we need': 281916, 'need rationing by': 555497, 'rationing by law': 697798, 'by law and': 153027, 'law and now': 482210, 'and now stophoarding': 67861, 'rearrange': 702840, 'your perfect': 1025249, 'perfect wedding': 651369, 'wedding plan': 975575, 'on pause': 602713, 'pause you': 644622, 'to rearrange': 912877, 'rearrange for': 702841, 'new date': 558595, 'date speak': 226730, 've booked': 952966, 'booked to': 134678, 'check what': 174706, 'got insurance': 358636, 'what covered': 981275, 'ha put your': 371608, 'put your perfect': 690992, 'your perfect wedding': 1025252, 'perfect wedding plan': 651370, 'wedding plan on': 975576, 'plan on pause': 658195, 'on pause you': 602717, 'pause you might': 644623, 'able to rearrange': 24532, 'to rearrange for': 912878, 'rearrange for new': 702842, 'for new date': 323822, 'new date speak': 558596, 'date speak to': 226731, 'speak to all': 787707, 'of the service': 591452, 'service you ve': 753128, 'you ve booked': 1022028, 've booked to': 952967, 'booked to check': 134679, 'to check what': 902697, 'check what they': 174707, 'can do if': 158105, 've got insurance': 953179, 'got insurance check': 358637, 'insurance check the': 440687, 'check the to': 174658, 'the to see': 869689, 'see what covered': 746025, 'week investment': 976411, 'candid on': 161288, 'on investor': 601615, 'investor call': 444126, 'care conference': 163892, 'conference about': 193716, 'few week investment': 304149, 'week investment banker': 976412, 'been candid on': 120799, 'candid on investor': 161289, 'on investor call': 601616, 'investor call and': 444128, 'call and during': 155761, 'and during health': 61810, 'during health care': 262679, 'health care conference': 386224, 'care conference about': 163893, 'conference about the': 193718, 'total calm': 926137, 'calm at': 156700, 'swiss supermarket': 830457, 'morning everyone': 541248, 'hand sanitise': 375216, 'sanitise at': 733888, 'door everyone': 255585, 'keeping 2m': 472358, 'apart most': 81304, 'most shelf': 542736, 'shelf filled': 757078, 'filled although': 305526, 'although no': 49337, 'egg stocked': 269991, 'least 10': 484324, 'day keepcalm': 227871, 'total calm at': 926138, 'calm at the': 156701, 'at the swiss': 101118, 'the swiss supermarket': 869065, 'swiss supermarket this': 830459, 'this morning everyone': 888956, 'morning everyone had': 541250, 'everyone had to': 286982, 'had to hand': 373695, 'to hand sanitise': 907118, 'hand sanitise at': 375217, 'sanitise at the': 733889, 'the door everyone': 853564, 'door everyone keeping': 255586, 'everyone keeping 2m': 287140, 'keeping 2m apart': 472359, '2m apart most': 16663, 'apart most shelf': 81305, 'most shelf filled': 542737, 'shelf filled although': 757079, 'filled although no': 305527, 'although no egg': 49338, 'no egg stocked': 564093, 'egg stocked up': 269992, 'stocked up for': 803438, 'up for at': 944918, 'at least 10': 99438, 'least 10 day': 484325, '10 day keepcalm': 1385, 'rate landscape': 697288, 'landscape ha': 479401, 'changed post': 172532, 'spread steep': 790808, 'steep fall': 799388, 'and rbi': 69958, 'rbi concern': 698078, 'concern on': 193033, 'on lingering': 601863, 'lingering growth': 493707, 'growth read': 367446, 'latest fixed': 481340, 'fixed income': 309799, 'income update': 432486, 'interest rate landscape': 441396, 'rate landscape ha': 697289, 'landscape ha changed': 479402, 'ha changed post': 370133, 'changed post covid': 172533, '19 spread steep': 10751, 'spread steep fall': 790809, 'steep fall in': 799389, 'price and rbi': 672517, 'and rbi concern': 69959, 'rbi concern on': 698079, 'concern on lingering': 193036, 'on lingering growth': 601864, 'lingering growth read': 493708, 'growth read our': 367447, 'our latest fixed': 623663, 'latest fixed income': 481341, 'fixed income update': 309808, 'income update to': 432487, 'update to know': 947270, 'oman oman': 598841, 'oman 19': 598825, 'oman oman 19': 598842, 'got shop': 358830, 'sa charge': 728882, 'charge ridiculous': 173310, 'price pandemic': 675831, 'coronaoutbreak virus': 205139, 'virus globalpandemic': 958231, 'this started in': 890299, 'started in china': 794760, 'china now they': 176855, 'now they got': 576109, 'they got shop': 882227, 'got shop in': 358831, 'shop in sa': 760320, 'in sa charge': 427602, 'sa charge ridiculous': 728883, 'charge ridiculous price': 173311, 'ridiculous price pandemic': 721594, 'price pandemic coronaoutbreak': 675832, 'pandemic coronaoutbreak virus': 635227, 'coronaoutbreak virus globalpandemic': 205140, 'scott clarke': 742442, 'clarke consumer': 180113, 'product industry': 681309, 'industry lead': 435955, 'lead share': 483309, 'how cpg': 407638, 'cpg company': 214590, 'can respond': 159464, 'scott clarke consumer': 742443, 'clarke consumer product': 180114, 'consumer product industry': 198463, 'product industry lead': 681311, 'industry lead share': 435956, 'lead share tip': 483310, 'for how cpg': 322418, 'how cpg company': 407640, 'cpg company can': 214591, 'company can respond': 190530, 'can respond to': 159465, 'the impact from': 857937, 'kask': 470996, 'bs3': 141434, 'and kask': 65743, 'kask to': 470999, 'door we': 255774, 'limit any': 492289, 'any negative': 79504, 'impact that': 417982, 'social interaction': 779808, 'interaction will': 441268, 'have while': 383587, 'while helping': 986915, 'rent our': 711145, 'team support': 835784, 'supplier keep': 824565, 'keep real': 471846, 'real wine': 701457, 'wine flowing': 995811, 'in bs3': 421013, 'bs3 beyond': 141437, 'beyond shoplocal': 129233, 'and kask to': 65745, 'kask to your': 471000, 'your door we': 1023581, 'door we feel': 255777, 'we feel this': 971539, 'to limit any': 909280, 'limit any negative': 492291, 'any negative impact': 79505, 'negative impact that': 556793, 'impact that social': 417987, 'that social interaction': 846368, 'social interaction will': 779814, 'interaction will have': 441269, 'will have while': 993684, 'have while helping': 383588, 'while helping to': 986917, 'helping to pay': 391532, 'pay rent our': 645084, 'rent our team': 711146, 'our team support': 625108, 'team support our': 835785, 'support our supplier': 826741, 'our supplier keep': 625034, 'supplier keep real': 824566, 'keep real wine': 471847, 'real wine flowing': 701458, 'wine flowing in': 995812, 'flowing in bs3': 311355, 'in bs3 beyond': 421015, 'bs3 beyond shoplocal': 141438, 'ideally everyone': 413289, 'carrying bottle': 165169, 'sanitiser on': 733996, 'ideally everyone need': 413290, 'be carrying bottle': 114014, 'carrying bottle of': 165170, 'of hand sanitiser': 584431, 'hand sanitiser on': 375240, 'sanitiser on them': 733997, 'on them at': 604528, 'them at all': 875431, 'all time coronacrisis': 45219, 'posted vid': 666591, 'vid showing': 956586, 'food today': 317307, 'have line': 381324, 'or too': 617497, 'empty explain': 274868, 'explain me': 292108, 'please know': 660165, 'medium is': 527148, 'else la': 271772, 'la oc': 478198, 'oc sd': 578876, 'yesterday posted vid': 1015839, 'posted vid showing': 666592, 'vid showing no': 956587, 'showing no shortage': 767486, 'of food today': 583803, 'food today went': 317312, 'went to that': 979195, 'to that didn': 916449, 'didn have line': 241090, 'have line or': 381328, 'line or too': 493340, 'or too many': 617498, 'many people shopping': 514532, 'people shopping and': 649431, 'shopping and the': 762029, 'shelf are still': 756829, 'are still empty': 90419, 'still empty explain': 800477, 'empty explain me': 274869, 'explain me please': 292109, 'me please know': 523339, 'please know the': 660167, 'know the medium': 476836, 'the medium is': 860427, 'medium is in': 527152, 'is in on': 448795, 'on the panic': 604275, 'the panic but': 863188, 'panic but who': 637454, 'but who else': 147852, 'who else la': 988684, 'else la oc': 271773, 'la oc sd': 478199, 'crucial to': 219482, 'support organization': 826719, '19 is now': 8014, 'is now offering': 450305, 'now offering online': 575402, 'pantry service it': 639661, 'it is crucial': 458922, 'is crucial to': 446963, 'crucial to support': 219485, 'to support organization': 915954, 'support organization like': 826720, 'whiskeybusiness': 987789, 'turn whiskey': 935808, 'whiskey distillery': 987769, 'into handsanitizer': 442614, 'handsanitizer factory': 376532, 'factory whiskeybusiness': 296012, 'to turn whiskey': 917852, 'turn whiskey distillery': 935809, 'whiskey distillery into': 987770, 'distillery into handsanitizer': 247769, 'into handsanitizer factory': 442615, 'handsanitizer factory whiskeybusiness': 376533, 'do much': 249617, 'sure family': 827546, 'family across': 297554, 'country keep': 210839, 'their table': 874939, 'continue to weather': 201279, 'to weather this': 918457, 'weather this crisis': 974906, 'this crisis we': 887108, 'to work together': 918798, 'together and do': 920688, 'and do much': 61556, 'do much more': 249619, 'much more to': 545129, 'more to make': 540798, 'make sure family': 510512, 'sure family across': 827547, 'family across the': 297556, 'the country keep': 852105, 'country keep food': 210840, 'on their table': 604514, 'haram': 377801, 'of muslim': 586724, 'muslim shop': 546437, 'selling halal': 749282, 'halal food': 374104, 'at haram': 98853, 'haram price': 377806, 'lot of muslim': 504233, 'of muslim shop': 586725, 'muslim shop are': 546438, 'shop are selling': 759914, 'are selling halal': 89959, 'selling halal food': 749283, 'halal food but': 374105, 'food but at': 313810, 'but at haram': 145242, 'at haram price': 98854, 'haram price during': 377807, 'manchester club': 512942, 'club come': 184429, 'manchester club come': 512943, 'club come together': 184430, 'together to donate': 920990, 'donate 100 00': 254144, 'bank and have': 109613, 'uneducatedscrotes': 941093, 'farmersareessential': 299587, 'supermarket come': 819738, 'then uneducatedscrotes': 877700, 'uneducatedscrotes farmersareessential': 941094, 'doe the food': 251608, 'the supermarket come': 868523, 'supermarket come from': 819739, 'come from then': 187316, 'from then uneducatedscrotes': 337965, 'then uneducatedscrotes farmersareessential': 877701, 'blackandwhite': 132159, 'iphoneography': 444586, 'protectandsurvive': 685110, 'blackandwhitephotography': 132164, 'nbcdconditionzulu': 553244, 'my essential': 548106, 'item blackandwhite': 463162, 'blackandwhite iphoneography': 132162, 'iphoneography socialdistancing': 444587, 'socialdistancing protectandsurvive': 780625, 'protectandsurvive blackandwhitephotography': 685111, 'blackandwhitephotography nbcdconditionzulu': 132165, 'supermarket for my': 820406, 'for my essential': 323703, 'my essential item': 548107, 'essential item blackandwhite': 281191, 'item blackandwhite iphoneography': 463163, 'blackandwhite iphoneography socialdistancing': 132163, 'iphoneography socialdistancing protectandsurvive': 444588, 'socialdistancing protectandsurvive blackandwhitephotography': 780626, 'protectandsurvive blackandwhitephotography nbcdconditionzulu': 685112, 'shopper charged': 761457, 'paper brawl': 639957, 'brawl nine': 138316, 'nine news': 563291, 'news australia': 560257, 'australia toiletpaper': 103412, 'shopper charged over': 761458, 'charged over toilet': 173411, 'toilet paper brawl': 921210, 'paper brawl nine': 639958, 'brawl nine news': 138317, 'nine news australia': 563292, 'news australia toiletpaper': 560258, 'rerack': 713544, 'starting tuesday': 795065, 'tuesday march': 935163, '24th all': 15778, 'all rerack': 44162, 'rerack retail': 713545, 'community from': 189860, 'service team': 752896, 'email at': 272129, 'at sale': 100452, 'starting tuesday march': 795066, 'tuesday march 24th': 935167, 'march 24th all': 515199, '24th all rerack': 15779, 'all rerack retail': 44163, 'rerack retail location': 713546, 'retail location will': 718292, 'location will be': 498995, 'closed to protect': 183398, 'and the community': 73289, 'the community from': 851276, 'community from covid': 189861, '19 our online': 9056, 'store and customer': 806222, 'and customer service': 60865, 'customer service team': 222835, 'service team is': 752898, 'team is still': 835705, 'still available please': 800227, 'available please email': 104559, 'please email at': 659952, 'email at sale': 272130, 'at sale com': 100453, 'sale com for': 732127, 'com for any': 186935, 'for any question': 319422, 'any question you': 79723, 'question you may': 693822, '2025': 14819, 'become number': 120076, 'by 2025': 151589, '2025 but': 14820, 'sudden introduction': 817011, 'introduction of': 443517, '19 causing': 5724, 'causing the': 168114, 'the pending': 863437, 'pending economic': 646475, 'recession of': 704329, 'th economy': 840048, 'ha date': 370310, 'date ha': 226636, 'been revised': 121851, 'revised to': 720648, 'trillion of': 931994, 'debt 70': 230404, '70 consumer': 21749, 'china ha plan': 176695, 'ha plan to': 371494, 'plan to become': 658267, 'to become number': 901679, 'become number one': 120077, 'number one by': 577023, 'one by 2025': 606034, 'by 2025 but': 151590, '2025 but with': 14821, 'but with the': 147902, 'the sudden introduction': 868386, 'sudden introduction of': 817012, 'introduction of covid': 443518, 'covid 19 causing': 212770, '19 causing the': 5726, 'causing the pending': 168119, 'the pending economic': 863438, 'pending economic recession': 646476, 'economic recession of': 267225, 'recession of th': 704330, 'of th economy': 590698, 'th economy ha': 840049, 'economy ha date': 267919, 'ha date ha': 370311, 'date ha been': 226637, 'ha been revised': 369904, 'been revised to': 121852, 'revised to now': 720649, 'to now after': 910738, 'now after all': 573950, 'after all 22': 35321, 'all 22 trillion': 41899, '22 trillion of': 15253, 'trillion of debt': 931995, 'of debt 70': 582427, 'debt 70 consumer': 230405, '70 consumer based': 21750, 'people queing': 649207, 'queing at': 693432, 'atm supermarket': 101959, 'this wasn': 891114, 'wasn possible': 968011, 'possible staysafeug': 665790, 'people queing at': 649208, 'queing at the': 693433, 'the atm supermarket': 849018, 'atm supermarket without': 101961, 'supermarket without covid': 823949, '19 this wasn': 11355, 'this wasn possible': 891116, 'wasn possible staysafeug': 968012, 'mass mobility': 519814, 'mobility we': 535098, 'india anything': 434302, 'with tightly': 1001766, 'packed crowd': 633598, 'health hazard': 386481, 'hazard permanently': 384576, 'permanently reduced': 652106, 'demand what': 236472, 'option would': 614147, 'would mass': 1012033, 'mobility bus': 535077, 'bus train': 143104, 'train metro': 929265, 'metro consumer': 529910, 'consumer shift': 198962, 'end of mass': 275904, 'of mass mobility': 586287, 'mass mobility we': 519816, 'mobility we know': 535099, 'we know in': 972152, 'know in india': 476498, 'in india anything': 424021, 'india anything with': 434303, 'anything with tightly': 80948, 'with tightly packed': 1001767, 'tightly packed crowd': 895881, 'packed crowd of': 633599, 'crowd of people': 219221, 'people is now': 648522, 'is now health': 450293, 'now health hazard': 574912, 'health hazard permanently': 386482, 'hazard permanently reduced': 384577, 'permanently reduced demand': 652107, 'reduced demand what': 706058, 'demand what option': 236473, 'what option would': 981971, 'option would mass': 614149, 'would mass mobility': 1012034, 'mass mobility bus': 519815, 'mobility bus train': 535078, 'bus train metro': 143106, 'train metro consumer': 929266, 'metro consumer shift': 529911, 'consumer shift to': 198966, 'still underway': 801350, 'underway the': 940974, 'just overwhelmed': 469428, 'overwhelmed the': 631728, 'the ordering': 862456, 'ordering stocking': 619022, 'stocking of': 803573, 'food and production': 313317, 'and production is': 69581, 'is still underway': 452323, 'still underway the': 801351, 'underway the surge': 940975, 'surge in buying': 828179, 'in buying just': 421104, 'buying just overwhelmed': 150619, 'just overwhelmed the': 469429, 'overwhelmed the ordering': 631729, 'the ordering stocking': 862459, 'ordering stocking of': 619023, 'stocking of store': 803574, 'dubai slap': 261486, 'dubai slap fine': 261487, 'slap fine for': 773534, 'fine for hiking': 307636, 've faced': 953105, 'faced global': 295019, 'global epidemic': 351920, 'epidemic before': 279340, 'been saved': 121882, 'saved if': 737743, 'price charged': 673114, 'charged we': 173421, 'this injustice': 888119, 'injustice from': 438729, 'from happening': 335722, 'happening again': 377313, 'we ve faced': 973663, 've faced global': 953106, 'faced global epidemic': 295020, 'global epidemic before': 351921, 'epidemic before and': 279341, 'before and million': 122630, 'of people could': 587891, 'people could have': 647559, 'have been saved': 379670, 'been saved if': 121883, 'saved if it': 737744, 'weren for the': 980398, 'high price charged': 395239, 'price charged we': 673117, 'charged we need': 173422, 'need to prevent': 556017, 'prevent this injustice': 671748, 'this injustice from': 888120, 'injustice from happening': 438730, 'from happening again': 335723, 'jawnz': 464880, 'like copping': 490043, 'copping jawnz': 203450, 'jawnz but': 464881, 'but lately': 146246, 'lately just': 480968, 'just haven': 468937, 'mood because': 538271, 'how bleak': 407459, 'bleak thing': 132555, 'so wrote': 778823, 'wrote thing': 1013218, 'for cool': 320351, 'cool fun': 203007, 'fun stuff': 341218, 'stuff kinda': 815115, 'suck right': 816922, 'from psychology': 336992, 'psychology expert': 687555, 'all know like': 43332, 'know like copping': 476568, 'like copping jawnz': 490044, 'copping jawnz but': 203451, 'jawnz but lately': 464882, 'but lately just': 146247, 'lately just haven': 480969, 'just haven been': 468938, 'haven been in': 383753, 'in the mood': 429370, 'the mood because': 860863, 'mood because of': 538272, 'because of how': 119353, 'of how bleak': 584811, 'how bleak thing': 407460, 'bleak thing are': 132556, 'thing are in': 884157, 'world so wrote': 1009988, 'so wrote thing': 778824, 'wrote thing about': 1013219, 'thing about why': 884098, 'about why shopping': 26935, 'why shopping for': 991335, 'shopping for cool': 762666, 'for cool fun': 320352, 'cool fun stuff': 203008, 'fun stuff kinda': 341219, 'stuff kinda suck': 815116, 'kinda suck right': 475075, 'suck right now': 816923, 'now with some': 576454, 'with some word': 1000871, 'some word from': 784225, 'word from psychology': 1004495, 'from psychology expert': 336993, 'knob': 476137, 'comeuppance': 187811, 'retirementlife': 719718, 'ageingwell': 37974, 'grumpyoldman': 367527, 'panicbuying at': 638903, 'local co': 497831, 'op toiletroll': 611820, 'toiletroll knob': 923368, 'knob get': 476140, 'get his': 347228, 'his comeuppance': 397299, 'comeuppance uklockdown': 187812, 'lockdownuk stophoarding': 500436, 'coronacrisis retirement': 204733, 'retirement retirementlife': 719714, 'retirementlife ageingwell': 719719, 'ageingwell grumpyoldman': 37975, 'panicbuying at my': 638905, 'my local co': 549104, 'local co op': 497832, 'co op toiletroll': 184917, 'op toiletroll knob': 611821, 'toiletroll knob get': 923369, 'knob get his': 476141, 'get his comeuppance': 347229, 'his comeuppance uklockdown': 397300, 'comeuppance uklockdown lockdownuk': 187813, 'uklockdown lockdownuk stophoarding': 939000, 'lockdownuk stophoarding coronacrisis': 500437, 'stophoarding coronacrisis retirement': 805379, 'coronacrisis retirement retirementlife': 204734, 'retirement retirementlife ageingwell': 719715, 'retirementlife ageingwell grumpyoldman': 719720, 'negligence': 556887, 'spurious': 791345, 'stitch': 801706, 'inability and': 431171, 'and negligence': 67501, 'negligence of': 556888, 'facility available': 295309, 'pakistan sanitizer': 634502, 'small plastic': 775061, 'bottle are': 136185, 'are spurious': 90339, 'spurious low': 791346, 'quality mask': 691819, 'to stitch': 915422, 'stitch mask': 801707, 'exposed the inability': 292878, 'the inability and': 858026, 'inability and negligence': 431172, 'and negligence of': 67502, 'negligence of health': 556889, 'of health facility': 584507, 'health facility available': 386427, 'facility available for': 295310, 'people of pakistan': 648924, 'of pakistan sanitizer': 587680, 'pakistan sanitizer in': 634503, 'sanitizer in small': 735156, 'in small plastic': 428019, 'small plastic bottle': 775062, 'plastic bottle are': 658821, 'bottle are spurious': 136188, 'are spurious low': 90340, 'spurious low quality': 791347, 'low quality mask': 505563, 'quality mask at': 691820, 'higher price now': 395684, 'price now people': 675381, 'now people have': 575530, 'started to stitch': 794882, 'to stitch mask': 915423, 'stitch mask at': 801708, 'mask at home': 518421, 'home people are': 401831, 'fighting against coronavirus': 305028, 'seen price': 747198, 'yr stayhome': 1027049, 'lockdown mondaymotivation': 499667, 'haven seen price': 383888, 'seen price like': 747200, 'this in 20': 888035, 'in 20 yr': 419743, '20 yr stayhome': 13435, 'yr stayhome lockdown': 1027050, 'stayhome lockdown mondaymotivation': 798036, 'jun': 467978, 'coronacrisis once': 204678, 'the piss': 863752, 'piss with': 656958, 'price knowing': 675001, 'knowing for': 477111, 'currently struggling': 221679, 'already started': 47676, 'so expensive': 776998, 'month jun': 537810, 'jun nov': 467979, 'coronacrisis once this': 204679, 'over the travel': 630781, 'the travel and': 869932, 'travel and hospitality': 930252, 'and hospitality sector': 64755, 'hospitality sector will': 404800, 'sector will take': 744410, 'take the piss': 832669, 'the piss with': 863755, 'piss with their': 656959, 'with their price': 1001594, 'their price knowing': 874405, 'price knowing for': 675003, 'knowing for well': 477112, 'for well that': 327780, 'well that people': 978649, 'people are currently': 646952, 'are currently struggling': 85678, 'currently struggling to': 221681, 'keep their job': 472089, 'their job they': 873740, 'job they already': 466197, 'they already started': 881137, 'already started to': 47678, 'started to do': 794867, 'do so price': 250102, 'so price for': 778072, 'price for hotel': 673978, 'for hotel are': 322379, 'hotel are so': 405114, 'are so expensive': 90198, 'so expensive in': 777000, 'the month jun': 860846, 'month jun nov': 537811, 'celebrates': 168819, 'departing': 237177, 'easter is': 265460, 'time christian': 896476, 'christian celebrates': 178115, 'celebrates our': 168820, 'being threaten': 125948, 'threaten with': 893767, 'with taking': 1001114, 'love one': 504741, 'one very': 607336, 'sad pray': 729214, 'the departing': 853137, 'departing soul': 237178, 'soul to': 786234, 'to rest': 913383, 'rest in': 716166, 'peace keep': 646001, 'sanitizer happy': 735051, 'easter is time': 265462, 'is time christian': 453159, 'time christian celebrates': 896477, 'christian celebrates our': 178116, 'celebrates our world': 168821, 'our world is': 625410, 'world is being': 1009688, 'is being threaten': 446119, 'being threaten with': 125949, 'threaten with taking': 893768, 'with taking the': 1001116, 'of our love': 587504, 'our love one': 623814, 'love one very': 504746, 'one very sad': 607338, 'very sad pray': 955490, 'sad pray for': 729215, 'for the departing': 326380, 'the departing soul': 853138, 'departing soul to': 237179, 'soul to rest': 786235, 'to rest in': 913384, 'rest in peace': 716167, 'in peace keep': 426566, 'peace keep social': 646002, 'distancing wash hand': 247610, 'wash hand with': 967500, 'soap or use': 779075, 'hand sanitizer happy': 375433, 'sanitizer happy easter': 735052, 'antidote': 78508, 'revolutionary': 720756, '13 corona': 3197, 'virus antidote': 957951, 'antidote free': 78509, 'free revolutionary': 332107, 'revolutionary pain': 720757, 'pain relief': 634247, 'relief product': 709438, 'product no': 681440, 'paper needed': 640488, 'sanitizer home': 735092, 'test safe': 839156, 'mask uv': 519472, 'light that': 489605, 'kill deadly': 474379, 'and bacteria': 58624, 'bacteria survival': 107699, 'survival kit': 829049, 'kit alcohol': 475481, 'wipe infrared': 996300, 'thermometer movie': 879532, '13 corona virus': 3198, 'corona virus antidote': 204285, 'virus antidote free': 957952, 'antidote free revolutionary': 78510, 'free revolutionary pain': 332108, 'revolutionary pain relief': 720758, 'pain relief product': 634248, 'relief product no': 709439, 'product no toilet': 681442, 'toilet paper needed': 921365, 'paper needed hand': 640489, 'hand sanitizer home': 375444, 'sanitizer home test': 735093, 'home test safe': 402201, 'test safe mask': 839157, 'safe mask uv': 729817, 'mask uv light': 519473, 'uv light that': 951480, 'light that kill': 489606, 'that kill deadly': 844822, 'kill deadly virus': 474380, 'deadly virus and': 229302, 'virus and bacteria': 957917, 'and bacteria survival': 58628, 'bacteria survival kit': 107700, 'survival kit alcohol': 829050, 'kit alcohol wipe': 475482, 'alcohol wipe infrared': 41186, 'wipe infrared thermometer': 996301, 'infrared thermometer movie': 438181, 'use fdic': 949208, 'fdic name': 300975, 'and logo': 66343, 'logo name': 500830, 'of actual': 579761, 'actual employee': 30648, 'scheme full': 741567, 'full warning': 340973, 'scam alert from': 739978, 'alert from scammer': 41435, 'from scammer use': 337179, 'scammer use fdic': 740641, 'use fdic name': 949209, 'fdic name and': 300976, 'name and logo': 551610, 'and logo name': 66344, 'logo name of': 500831, 'name of actual': 551657, 'of actual employee': 579762, 'actual employee for': 30649, 'employee for fraud': 273863, 'for fraud scheme': 321696, 'fraud scheme full': 331344, 'scheme full warning': 741568, 'garcetti': 343548, 'fucoronavirus': 340095, 'towel egg': 927318, 'egg milk': 269916, 'milk frozen': 531684, 'frozen potato': 339009, 'of produce': 588463, 'produce no': 680371, 'panic per': 638413, 'per mayor': 650935, 'mayor garcetti': 521954, 'garcetti there': 343553, 'shortage take': 765237, 'clean fucoronavirus': 180542, 'from the market': 337784, 'market they had': 517211, 'they had toilet': 882268, 'paper towel egg': 640990, 'towel egg milk': 927319, 'egg milk frozen': 269920, 'milk frozen potato': 531685, 'frozen potato and': 339010, 'potato and lot': 666901, 'lot of produce': 504260, 'of produce no': 588469, 'produce no need': 680372, 'to panic per': 911417, 'panic per mayor': 638414, 'per mayor garcetti': 650936, 'mayor garcetti there': 521956, 'garcetti there is': 343554, 'is no food': 449929, 'food shortage take': 316607, 'shortage take what': 765238, 'need for week': 554878, 'for week more': 327731, 'week more or': 976544, 'more or le': 539960, 'le and stay': 482846, 'stay clean fucoronavirus': 796833, 'get bottle': 346697, 'wine him': 995821, 'him shocked': 396705, 'shocked face': 759566, 'face you': 294870, 're kidding': 698960, 'kidding right': 474213, 'right me': 721985, 'no why': 565891, 'would him': 1011925, 'him on': 396681, 'have to run': 383286, 'store should get': 810162, 'should get bottle': 766020, 'get bottle of': 346698, 'of wine him': 593182, 'wine him shocked': 995822, 'him shocked face': 396706, 'shocked face you': 759568, 'face you re': 294873, 'you re kidding': 1020663, 're kidding right': 698961, 'kidding right me': 474214, 'right me no': 721986, 'me no why': 523222, 'no why would': 565893, 'why would him': 991567, 'would him on': 1011926, 'him on sunday': 396683, 'using alcohol': 950372, 'hand but': 374842, 'but drinking': 145618, 'drinking alcohol': 258913, 'alcohol doe': 40996, 'your body': 1022983, 'body coronafighters': 133839, 'coronafighters follow': 204942, 'more best': 538726, 'best tweet': 127967, 'tweet twitter': 936421, 'twitter tuesdaythoughts': 936731, 'tuesdaythoughts tuesdaymotivation': 935227, 'tuesdaymotivation tuesday': 935211, 'using alcohol sanitizer': 950374, 'alcohol sanitizer kill': 41098, 'sanitizer kill corona': 735258, 'kill corona virus': 474372, 'corona virus on': 204334, 'virus on your': 958554, 'your hand but': 1024172, 'hand but drinking': 374844, 'but drinking alcohol': 145619, 'drinking alcohol doe': 258914, 'alcohol doe not': 40997, 'not kill corona': 570282, 'virus in your': 958336, 'in your body': 431061, 'your body coronafighters': 1022986, 'body coronafighters follow': 133840, 'coronafighters follow me': 204943, 'follow me for': 312460, 'me for more': 522753, 'for more best': 323555, 'more best tweet': 538727, 'best tweet twitter': 127968, 'tweet twitter tuesdaythoughts': 936422, 'twitter tuesdaythoughts tuesdaymotivation': 936732, 'tuesdaythoughts tuesdaymotivation tuesday': 935228, 'out my new': 626606, 'my new blog': 549455, 'new blog post': 558407, 'soar in': 779251, 'market despite': 516285, 'crisis toronto': 218267, 'toronto star': 925993, 'to soar in': 914812, 'soar in toronto': 779256, 'in toronto real': 430212, 'estate market despite': 282149, 'market despite covid': 516286, '19 crisis toronto': 6341, 'crisis toronto star': 218268, 'on fixed': 600815, 'income senior': 432451, 'disabled those': 243975, 'on assistance': 599490, 'assistance they': 96748, 'aren getting': 92415, 'getting extra': 348963, 'money yet': 537191, 'yet price': 1016203, 'rising and': 723161, 'getting ei': 348950, 'ei but': 270152, 'help too': 390805, 'too co': 924660, 'are on fixed': 88721, 'on fixed income': 600817, 'fixed income senior': 309806, 'income senior and': 432452, 'and the disabled': 73326, 'the disabled those': 853336, 'disabled those who': 243976, 'those who rely': 892667, 'rely on assistance': 709634, 'on assistance they': 599491, 'assistance they aren': 96749, 'they aren getting': 881477, 'aren getting extra': 92417, 'getting extra money': 348964, 'extra money yet': 293586, 'money yet price': 537192, 'yet price are': 1016204, 'are rising and': 89707, 'rising and people': 723164, 'are getting ei': 86801, 'getting ei but': 348951, 'ei but there': 270153, 'more vulnerable people': 540933, 'vulnerable people that': 961112, 'need help too': 554997, 'help too co': 390807, 'clogging': 182442, 'american coping': 51901, 'are clogging': 85321, 'clogging toilet': 182443, 'toilet toiletpaper': 921651, 'toiletpaper via': 922797, 'american coping with': 51902, 'coping with the': 203404, 'with the are': 1001206, 'the are clogging': 848859, 'are clogging toilet': 85322, 'clogging toilet toiletpaper': 182445, 'toilet toiletpaper via': 921652, 'exempted': 289991, 'sorrynotsorry': 786106, 'when after': 983117, 'after hurricane': 35807, 'hurricane maria': 411484, 'maria airline': 515671, 'airline increased': 39974, 'of ticket': 592157, 'to exorbitant': 905428, 'exorbitant amount': 290390, 'amount don': 53168, 'don feel': 253509, 'feel sorry': 302860, 'them disaster': 875606, 'disaster can': 244194, 'can hit': 158682, 'hit anyone': 398144, 'anyone at': 80188, 'any moment': 79472, 'is exempted': 447633, 'exempted just': 289998, 'like with': 491827, 'with death': 997939, 'death sorrynotsorry': 230204, 'sorrynotsorry puertorico': 786107, 'you remember when': 1020903, 'remember when after': 710408, 'when after hurricane': 983118, 'after hurricane maria': 35809, 'hurricane maria airline': 411485, 'maria airline increased': 515672, 'airline increased the': 39975, 'price of ticket': 675593, 'of ticket to': 592159, 'ticket to exorbitant': 895673, 'to exorbitant amount': 905429, 'exorbitant amount don': 290392, 'amount don feel': 53169, 'don feel sorry': 253511, 'feel sorry for': 302861, 'sorry for them': 786047, 'for them disaster': 326896, 'them disaster can': 875607, 'disaster can hit': 244196, 'can hit anyone': 158684, 'hit anyone at': 398145, 'anyone at any': 80189, 'at any moment': 98025, 'any moment no': 79475, 'moment no one': 536007, 'one is exempted': 606506, 'is exempted just': 447634, 'exempted just like': 289999, 'just like with': 469161, 'like with death': 491828, 'with death sorrynotsorry': 997941, 'death sorrynotsorry puertorico': 230205, 'amazon seek': 51109, 'with crush': 997870, 'online job': 608450, 'job retail': 466135, 'amazon seek to': 51110, 'seek to hire': 746611, 'to hire 100': 907787, '00 to work': 554, 'in warehouse to': 430686, 'warehouse to keep': 966791, 'up with crush': 946627, 'with crush of': 997871, 'crush of order': 219786, 'of order the': 587341, 'order the spread': 618635, 'spread and keep': 790412, 'keep more people': 471676, 'more people at': 540008, 'shopping online job': 763451, 'online job retail': 608451, 'anxietytherapy': 78824, 'anxiety share': 78789, 'support help': 826561, 'available via': 104685, 'via telehealth': 956285, 'telehealth mentalhealth': 836750, 'mentalhealth therapy': 528688, 'therapy anxietytherapy': 877911, 'anxiety share some': 78790, 'share some tip': 755218, 'tip for managing': 898772, 'for managing anxiety': 323186, 'managing anxiety and': 512848, 'anxiety and isolation': 78654, 'and isolation during': 65465, 'isolation during quarantine': 455255, 'during quarantine if': 262939, 'you need support': 1020046, 'need support help': 555687, 'support help is': 826562, 'help is available': 389933, 'is available via': 445930, 'available via telehealth': 104687, 'via telehealth mentalhealth': 956286, 'telehealth mentalhealth therapy': 836751, 'mentalhealth therapy anxietytherapy': 528689, 'the heartland': 857212, 'heartland is': 388460, 'temporarily reducing': 837531, 'it 17': 456179, '17 retail': 4379, 'location monday': 498937, 'monday saturday': 536376, 'saturday 11': 736988, 'and sunday': 72686, 'sunday 12': 818147, '12 pm': 2934, 'pm for': 661904, 'operation click': 613164, 'goodwill of the': 358107, 'of the heartland': 591099, 'the heartland is': 857213, 'heartland is temporarily': 388461, 'is temporarily reducing': 452600, 'temporarily reducing store': 837532, 'store hour at': 808188, 'hour at it': 405441, 'at it 17': 99312, 'it 17 retail': 456180, '17 retail location': 4380, 'retail location monday': 718285, 'location monday saturday': 498938, 'monday saturday 11': 536377, 'saturday 11 am': 736989, 'am pm and': 50312, 'pm and sunday': 661856, 'and sunday 12': 72687, 'sunday 12 pm': 818148, '12 pm for': 2936, 'pm for more': 661908, 'is impacting our': 448711, 'impacting our operation': 418248, 'our operation click': 624165, 'operation click here': 613165, 'click here covid': 181914, 'mpe': 544307, 'mpe ready': 544310, 'continue providing': 201110, 'providing safe': 687094, 'and reliable': 70195, 'reliable electric': 709197, 'electric service': 271124, 'is adopting': 445360, 'adopting consumer': 32699, 'measure related': 525308, 'mpe ready to': 544311, 'ready to continue': 700946, 'to continue providing': 903403, 'continue providing safe': 201112, 'providing safe and': 687095, 'safe and reliable': 729474, 'and reliable electric': 70196, 'reliable electric service': 709198, 'electric service is': 271126, 'service is adopting': 752514, 'is adopting consumer': 445361, 'adopting consumer and': 32700, 'and employee safety': 62066, 'employee safety measure': 274175, 'safety measure related': 730626, 'measure related to': 525309, 'fwp': 342582, 'into 24hr': 442352, '24hr curfew': 15760, 'curfew how': 220886, 'panic than': 638666, 'gov think': 359711, 'did any': 240551, 'any thinking': 79961, 'any chance': 79009, 'of gov': 584257, 'gov that': 359708, 'clearly communicate': 181502, 'communicate strategy': 189551, 'strategy thailand': 812720, 'thailand fwp': 840095, 'if we go': 415285, 'we go into': 971646, 'go into 24hr': 353733, 'into 24hr curfew': 442353, '24hr curfew how': 15761, 'curfew how are': 220887, 'supposed to buy': 827353, 'buy food think': 148681, 'food think this': 317187, 'going to cause': 355549, 'to cause more': 902538, 'cause more panic': 167662, 'more panic than': 539988, 'panic than the': 638668, 'than the gov': 841241, 'the gov think': 856493, 'gov think if': 359712, 'think if they': 885294, 'if they did': 415107, 'they did any': 881916, 'did any thinking': 240552, 'any thinking at': 79962, 'at all any': 97870, 'all any chance': 42026, 'any chance of': 79010, 'chance of gov': 171755, 'of gov that': 584259, 'gov that can': 359709, 'that can clearly': 843098, 'can clearly communicate': 157916, 'clearly communicate strategy': 181503, 'communicate strategy thailand': 189552, 'strategy thailand fwp': 812721, 'so ready': 778112, 'over so': 630620, 'so ready for': 778113, 'ready for this': 700877, 'to be over': 901429, 'be over so': 116303, 'over so now': 630624, 'so now we': 777910, 'jillian': 465486, 'macbryde': 507331, 'today blog': 919321, 'blog jillian': 132958, 'jillian macbryde': 465487, 'macbryde reflects': 507332, 'reflects on': 706681, 'increased challenge': 433239, 'management during': 512566, 'lack of product': 478648, 'of product on': 588492, 'product on supermarket': 681472, 'shelf ha been': 757133, 'been on the': 121600, 'the news for': 861610, 'news for week': 560445, 'week in today': 976388, 'in today blog': 430152, 'today blog jillian': 919322, 'blog jillian macbryde': 132959, 'jillian macbryde reflects': 465488, 'macbryde reflects on': 507333, 'reflects on the': 706683, 'on the increased': 604177, 'the increased challenge': 858072, 'increased challenge of': 433240, 'challenge of supply': 171517, 'chain management during': 170913, 'management during the': 512567, 'malvern': 511886, 'supermarket malvern': 821448, 'malvern supermarket': 511887, 'everyone nh': 287210, 'and specifically': 72074, 'supermarket malvern supermarket': 821449, 'malvern supermarket opening': 511888, 'for everyone nh': 321224, 'everyone nh worker': 287211, 'worker and specifically': 1006336, 'and specifically for': 72075, 'specifically for the': 788281, 'unite all': 942119, 'demand china': 235136, 'virus punishment': 958655, 'that eats': 843668, 'eats dog': 266367, 'without restriction': 1002885, 'restriction food': 717273, 'unite all country': 942120, 'all country of': 42476, 'to demand china': 904138, 'demand china to': 235139, 'spread the covid19': 790820, 'the covid19 virus': 852248, 'covid19 virus punishment': 214398, 'virus punishment country': 958656, 'country that eats': 211112, 'that eats dog': 843669, 'eats dog and': 266368, 'animal without restriction': 76691, 'without restriction food': 1002886, 'restriction food chain': 717274, 'impact hul': 417697, 'hul cut': 410339, 'cut lifebuoy': 223420, 'lifebuoy soap': 489272, 'soap sanitiser': 779099, '15 others': 3801, 'others ramp': 621603, 'production via': 682268, 'via india': 956029, 'impact hul cut': 417698, 'hul cut lifebuoy': 410340, 'cut lifebuoy soap': 223421, 'lifebuoy soap sanitiser': 489273, 'soap sanitiser price': 779100, 'sanitiser price by': 734005, 'price by 15': 673003, 'by 15 others': 151546, '15 others ramp': 3802, 'others ramp up': 621604, 'up production via': 945857, 'production via india': 682269, 'peoplearedumb': 650585, 'tadcaster': 831732, 'fucking crazy': 339842, 'crazy stop': 215427, 'stop clearing': 804569, 'stop treating': 805237, 'this like': 888627, 'like bank': 489871, 'bank fucking': 109857, 'fucking holiday': 339896, 'holiday people': 400343, 'man wtf': 512365, 'wtf peoplearedumb': 1013314, 'peoplearedumb tadcaster': 650586, 'this this shit': 890578, 'shit is fucking': 759141, 'is fucking crazy': 447959, 'fucking crazy stop': 339843, 'crazy stop clearing': 215428, 'stop clearing supermarket': 804570, 'shelf and stop': 756766, 'and stop treating': 72491, 'stop treating this': 805239, 'treating this like': 931021, 'this like bank': 888628, 'like bank fucking': 489872, 'bank fucking holiday': 109858, 'fucking holiday people': 339898, 'holiday people man': 400344, 'people man wtf': 648738, 'man wtf peoplearedumb': 512366, 'wtf peoplearedumb tadcaster': 1013315, 'fivefold': 309694, 'irctc': 444803, 'platformticketprice': 659068, 'travelnews': 930702, 'travelobiz': 930704, 'coronavirus railway': 206617, 'increase ticket': 433131, 'on platform': 602820, 'platform fivefold': 658961, 'fivefold india': 309695, 'india irctc': 434478, 'irctc platformticketprice': 444804, 'platformticketprice railway': 659069, 'railway travel': 695725, 'travel travelnews': 930553, 'travelnews travelobiz': 930703, 'coronavirus railway increase': 206618, 'railway increase ticket': 695709, 'increase ticket price': 433132, 'ticket price on': 895655, 'price on platform': 675707, 'on platform fivefold': 602822, 'platform fivefold india': 658962, 'fivefold india irctc': 309696, 'india irctc platformticketprice': 434479, 'irctc platformticketprice railway': 444805, 'platformticketprice railway travel': 659070, 'railway travel travelnews': 695726, 'travel travelnews travelobiz': 930554, 'guarantee you': 367729, 'get report': 347918, 'huge rise': 410176, 'food wastage': 317464, 'wastage due': 968055, 'and stockpilers': 72446, 'stockpilers not': 803881, 'not eating': 569143, 'eating what': 266338, 're keeping': 698951, 'keeping away': 472385, 'just letting': 469136, 'letting it': 487418, 'guarantee you few': 367730, 'you few week': 1018552, 'few week from': 304147, 'from now we': 336616, 'now we ll': 576344, 'll get report': 496790, 'get report of': 347919, 'report of huge': 712114, 'of huge rise': 584863, 'huge rise in': 410177, 'rise in food': 722881, 'in food wastage': 422993, 'food wastage due': 317465, 'wastage due to': 968056, 'buyer and stockpilers': 149562, 'and stockpilers not': 72447, 'stockpilers not eating': 803882, 'not eating what': 569147, 'eating what they': 266339, 'they re keeping': 883065, 're keeping away': 698952, 'keeping away from': 472386, 'from others who': 336754, 'need it and': 555080, 'it and just': 456499, 'and just letting': 65705, 'just letting it': 469137, 'letting it go': 487419, 'it go off': 458262, 'applicable': 82421, 'idsa': 413712, 'misconception': 533974, 'don realize': 253847, '7th human': 22526, 'human coronavirus': 410471, 'lot we': 504407, 'other six': 620926, 'six that': 772698, 'are directly': 85829, 'directly applicable': 243527, 'applicable to': 82426, 'one idsa': 606455, 'idsa spokesperson': 413713, 'spokesperson share': 789797, 'share common': 754963, 'common misconception': 189414, 'misconception amp': 533975, 'people don realize': 647706, 'don realize that': 253849, 'that we know': 847378, 'we know lot': 972156, 'know lot about': 476585, 'lot about this': 503970, 'about this is': 26641, 'is the 7th': 452716, 'the 7th human': 848194, '7th human coronavirus': 22527, 'human coronavirus there': 410472, 'coronavirus there is': 206923, 'is lot we': 449468, 'lot we know': 504410, 'we know about': 972147, 'about the other': 26470, 'the other six': 862554, 'other six that': 620927, 'six that are': 772699, 'that are directly': 842740, 'are directly applicable': 85830, 'directly applicable to': 243528, 'applicable to this': 82427, 'this one idsa': 889239, 'one idsa spokesperson': 606456, 'idsa spokesperson share': 413714, 'spokesperson share common': 789798, 'share common misconception': 754964, 'common misconception amp': 189415, 'misconception amp more': 533976, 'smbs': 775588, 'marketingtools': 517782, 'digitalmarketing tool': 242783, 'for smbs': 325679, 'smbs impacted': 775589, '19 marketingtools': 8565, 'digitalmarketing tool for': 242784, 'tool for smbs': 925412, 'for smbs impacted': 325680, 'smbs impacted by': 775590, 'covid 19 marketingtools': 213404, 'two macroeconomic': 937022, 'macroeconomic shock': 507486, 'shock one': 759492, 'one led': 606585, 'send another': 749812, 'to energy': 905108, 'energy exposed': 276454, 'exposed bank': 292833, 'but scale': 146969, 'sheet make': 756606, 'exposure relatively': 292990, 'relatively small': 708779, 'two macroeconomic shock': 937023, 'macroeconomic shock one': 507487, 'shock one led': 759493, 'one led by': 606586, 'led by the': 485224, 'by the other': 154400, 'the other and': 862509, 'other and plummeting': 619830, 'oil price send': 597249, 'price send another': 676343, 'send another blow': 749813, 'another blow to': 77517, 'blow to energy': 133357, 'to energy exposed': 905109, 'energy exposed bank': 276455, 'exposed bank but': 292834, 'bank but scale': 109694, 'but scale of': 146970, 'scale of their': 739904, 'of their balance': 591643, 'balance sheet make': 108985, 'sheet make their': 756607, 'make their exposure': 510594, 'their exposure relatively': 873214, 'exposure relatively small': 292991, 'milk pandemic': 531762, 'upends food': 947513, 'dairy farmer dump': 224979, 'dump milk pandemic': 262174, 'milk pandemic upends': 531763, 'pandemic upends food': 636885, 'upends food market': 947514, 'admire': 32568, 'decisiveness': 231125, 'to admire': 900112, 'admire putin': 32569, 'putin for': 691025, 'his decisiveness': 397353, 'have to admire': 383153, 'to admire putin': 900113, 'admire putin for': 32570, 'putin for his': 691026, 'for his decisiveness': 322303, 'wholesaled': 990499, 'tone': 924311, 'poirier': 662782, '19 chicken': 5790, 'chicken wholesaled': 175881, 'wholesaled 50': 990500, '50 kg': 19739, 'kg after': 473634, 'hoarder filled': 399025, 'filled their': 305556, 'their freezer': 873374, 'freezer chicken': 332595, 'chicken sell': 175856, 'sell 00': 748605, '00 kg': 291, 'kg loblaws': 473659, 'loblaws is': 497625, 'asking supplier': 96067, 'store tone': 810901, 'tone of': 924321, 'price poirier': 675950, 'covid 19 chicken': 212794, '19 chicken wholesaled': 5791, 'chicken wholesaled 50': 175882, 'wholesaled 50 kg': 990501, '50 kg after': 19740, 'kg after the': 473635, 'after the hoarder': 36323, 'the hoarder filled': 857406, 'hoarder filled their': 399026, 'filled their freezer': 305558, 'their freezer chicken': 873375, 'freezer chicken sell': 332596, 'chicken sell 00': 175857, 'sell 00 kg': 748606, '00 kg loblaws': 292, 'kg loblaws is': 473660, 'loblaws is asking': 497626, 'is asking supplier': 445834, 'asking supplier to': 96068, 'supplier to store': 824630, 'to store tone': 915648, 'store tone of': 810902, 'tone of chicken': 924322, 'of chicken but': 581329, 'chicken but won': 175762, 'but won reduce': 147917, 'won reduce price': 1003890, 'reduce price poirier': 705903, 'potential government': 667079, 'stimulus plan': 801606, 'meantime the': 524937, 'ftc released': 339431, 'released some': 709078, 'some plain': 783575, 'plain language': 658004, 'language fraud': 479488, 'fraud prevention': 331326, 'may receiving': 521445, 'receiving check': 703755, 'check direct': 174415, 'deposit in': 237499, 'future stimulus': 342461, 'potential government stimulus': 667080, 'government stimulus plan': 360640, 'stimulus plan are': 801607, 'plan are still': 658074, 'worked out in': 1006135, 'the meantime the': 860364, 'meantime the ftc': 524938, 'the ftc released': 855936, 'ftc released some': 339432, 'released some plain': 709079, 'some plain language': 783576, 'plain language fraud': 658005, 'language fraud prevention': 479489, 'fraud prevention tip': 331327, 'prevention tip for': 671899, 'tip for those': 898789, 'who may receiving': 989280, 'may receiving check': 521446, 'receiving check direct': 703756, 'check direct deposit': 174416, 'direct deposit in': 243312, 'deposit in the': 237501, 'near future stimulus': 553508, 'aware grandparent': 105612, 'be aware grandparent': 113776, 'aware grandparent scam': 105613, 'unh': 941689, 'homelessness': 402798, 'unh united': 941690, 'united health': 942170, 'health foundation': 386455, 'foundation support': 330506, 'support american': 826344, 'american experiencing': 51956, 'experiencing homelessness': 291664, 'homelessness and': 402801, 'unh united health': 941691, 'united health foundation': 942171, 'health foundation support': 386457, 'foundation support american': 330507, 'support american experiencing': 826345, 'american experiencing homelessness': 51957, 'experiencing homelessness and': 291665, 'homelessness and food': 402802, 'insecurity amid covid': 439141, 'asked more': 95798, 'than 44': 840249, 'american how': 52038, 'we asked more': 970787, 'asked more than': 95799, 'more than 44': 540566, 'than 44 00': 840250, '44 00 american': 18998, '00 american how': 61, 'american how they': 52039, 'result of here': 717595, 'chapple': 173126, 'today stayhomesavelives': 920216, 'stayhomesavelives check': 798357, 'your cupboard': 1023389, 'cupboard mr': 220481, 'mr chapple': 544356, 'chapple did': 173127, 'did had': 240623, 'had bit': 372927, 'an eat': 55567, 'eat up': 266094, 'up two': 946487, 'two different': 936890, 'different bag': 241905, 'and smoked': 71814, 'smoked bacon': 775877, 'bacon still': 107646, 'still delicious': 800417, 'supermarket today stayhomesavelives': 823466, 'today stayhomesavelives check': 920217, 'stayhomesavelives check to': 798358, 'check to see': 174688, 'have left in': 381293, 'left in your': 485522, 'in your cupboard': 431072, 'your cupboard mr': 1023391, 'cupboard mr chapple': 220482, 'mr chapple did': 544357, 'chapple did had': 173128, 'did had bit': 240624, 'had bit of': 372929, 'bit of an': 131632, 'of an eat': 580104, 'an eat up': 55569, 'eat up two': 266095, 'up two different': 946488, 'two different bag': 936891, 'different bag of': 241906, 'bag of pasta': 108359, 'of pasta and': 587807, 'pasta and smoked': 643686, 'and smoked bacon': 71815, 'smoked bacon still': 775879, 'bacon still delicious': 107647, 'time no': 897267, 'excuse profiteering': 289770, 'profiteering particularly': 683086, 'when xmas': 984530, 'xmas every': 1013882, 'day 4u': 227154, '4u shame': 19551, 'very difficult time': 955123, 'difficult time no': 242299, 'time no excuse': 897269, 'no excuse profiteering': 564165, 'excuse profiteering particularly': 289771, 'profiteering particularly when': 683087, 'particularly when xmas': 642733, 'when xmas every': 984531, 'xmas every day': 1013883, 'every day 4u': 285789, 'day 4u shame': 227155, '4u shame on': 19552, 'shame on all': 754619, 'on all other': 599239, 'all other supermarket': 43790, 'other supermarket in': 621018, 'occassions': 578964, 'shopping did': 762473, 'people ended': 647791, 'up within': 946704, 'within foot': 1002358, 'foot on': 318414, 'on 33': 599089, '33 occassions': 17764, 'occassions why': 578965, 'not mandatory': 570524, 'mandatory for': 513037, 'that cant': 843145, 'cant they': 162344, 'they submit': 883493, 'submit list': 815797, 'just went grocery': 470276, 'grocery shopping did': 365014, 'shopping did my': 762474, 'did my best': 240694, 'my best to': 547435, 'best to stay': 127964, 'to stay foot': 915286, 'stay foot away': 796872, 'away from all': 105857, 'from all people': 334436, 'all people ended': 43938, 'people ended up': 647792, 'ended up within': 276146, 'up within foot': 946705, 'within foot on': 1002360, 'foot on 33': 318415, 'on 33 occassions': 599090, '33 occassions why': 17765, 'occassions why is': 578966, 'why is ordering': 991115, 'is ordering online': 450604, 'or through an': 617451, 'through an app': 894320, 'an app for': 55354, 'app for pick': 81710, 'pick up not': 655739, 'up not mandatory': 945476, 'not mandatory for': 570525, 'mandatory for those': 513038, 'those that cant': 892528, 'that cant they': 843148, 'cant they submit': 162345, 'they submit list': 883494, 'submit list when': 815798, 'list when they': 494593, 'they get there': 882183, 'yipes': 1016398, 'workingfromhome rarely': 1009106, 'rarely do': 697108, 'much shopping': 545299, 'today tried': 920396, 'first delivery': 308629, 'slot could': 774163, 'get wa': 348590, 'wa 6pm': 961393, '6pm on': 21662, '25 yipes': 15999, 'yipes selected': 1016399, 'selected paid': 747498, 'paid but': 633986, 'final payment': 305856, 'payment stage': 645734, 'stage the': 793215, 'workingfromhome rarely do': 1009107, 'rarely do much': 697109, 'do much shopping': 249621, 'much shopping but': 545300, 'shopping but today': 762260, 'but today tried': 147607, 'today tried online': 920397, 'tried online at': 931807, 'at and the': 98011, 'and the first': 73377, 'the first delivery': 855299, 'first delivery slot': 308632, 'delivery slot could': 234517, 'slot could get': 774164, 'could get wa': 209210, 'get wa 6pm': 348591, 'wa 6pm on': 961395, '6pm on march': 21663, 'march 25 yipes': 515207, '25 yipes selected': 16000, 'yipes selected paid': 1016400, 'selected paid but': 747499, 'paid but at': 633987, 'at the final': 100945, 'the final payment': 855197, 'final payment stage': 305857, 'payment stage the': 645735, 'stage the website': 793217, 'whole problem': 990304, 'problem hoarding': 679545, 'save the whole': 737670, 'the whole problem': 871503, 'whole problem hoarding': 990305, 'problem hoarding toiletpaper': 679547, 'innocuous': 438830, 'just month': 469284, 'month an': 537570, 'an innocuous': 56353, 'innocuous looking': 438831, 'looking fake': 502841, 'fake video': 296735, 'video and': 956609, 'different version': 242122, 'it have': 458500, 'have single': 382567, 'handedly destroyed': 376095, 'poultry business': 667309, 'in just month': 424421, 'just month an': 469285, 'month an innocuous': 537571, 'an innocuous looking': 56354, 'innocuous looking fake': 438832, 'looking fake video': 502842, 'fake video and': 296736, 'video and different': 956610, 'and different version': 61347, 'different version of': 242123, 'version of it': 954916, 'of it have': 585406, 'it have single': 458503, 'have single handedly': 382568, 'single handedly destroyed': 771308, 'handedly destroyed the': 376096, 'destroyed the poultry': 239073, 'the poultry business': 864140, 'poultry business in': 667311, 'burying': 142984, 'graf': 361734, 'cremating': 216642, 'are burying': 85088, 'burying body': 142985, 'mass graf': 519780, 'graf in': 361735, 'york why': 1016685, 'aren they': 92561, 'they cremating': 881857, 'cremating the': 216643, 'body instead': 133862, 'they are burying': 881217, 'are burying body': 85089, 'burying body in': 142986, 'body in mass': 133860, 'in mass graf': 425172, 'mass graf in': 519781, 'graf in new': 361736, 'new york why': 559956, 'york why aren': 1016686, 'why aren they': 990806, 'aren they cremating': 92563, 'they cremating the': 881858, 'cremating the body': 216644, 'the body instead': 849825, 'marssai': 518031, 'translated': 929705, 'brisk': 140306, 'middleeast': 530692, 'for marssai': 323264, 'marssai dubai': 518032, 'dubai based': 261460, 'based company': 111539, 'manufacture hand': 513373, 'handwash and': 376751, 'and shampoo': 71380, 'shampoo the': 754787, 'crisis created': 217270, 'ha translated': 372357, 'translated into': 929706, 'into brisk': 442436, 'brisk sale': 140309, 'sale uae': 732607, 'abudhabi middleeast': 27564, 'middleeast safety': 530697, 'for marssai dubai': 323265, 'marssai dubai based': 518033, 'dubai based company': 261461, 'based company that': 111540, 'that manufacture hand': 845017, 'manufacture hand sanitizer': 513374, 'hand sanitizer handwash': 375431, 'sanitizer handwash and': 735040, 'handwash and shampoo': 376753, 'and shampoo the': 71381, 'shampoo the public': 754788, 'health crisis created': 386331, 'crisis created by': 217271, 'outbreak ha translated': 628280, 'ha translated into': 372358, 'translated into brisk': 929707, 'into brisk sale': 442437, 'brisk sale uae': 140310, 'sale uae abudhabi': 732608, 'uae abudhabi middleeast': 937733, 'abudhabi middleeast safety': 27565, 'stockpile and': 803714, 'need normal': 555303, 'normal there': 567361, 'everyone thinkofothers': 287478, 'thinkofothers especially': 886043, 'it difficult time': 457555, 'for everyone at': 321198, 'moment but please': 535890, 'do not stockpile': 249856, 'not stockpile and': 571742, 'stockpile and panic': 803716, 'you need normal': 1020019, 'need normal there': 555304, 'normal there will': 567362, 'for everyone thinkofothers': 321245, 'everyone thinkofothers especially': 287479, 'thinkofothers especially the': 886044, 'buy that': 149278, 'that last': 844842, 'you buy that': 1017583, 'buy that last': 149280, 'that last pack': 844845, 'wa posted': 962965, 'channel subscribe': 172933, 'subscribe and': 815845, 'an update wa': 56931, 'update wa posted': 947304, 'wa posted on': 962966, 'youtube channel subscribe': 1026895, 'channel subscribe and': 172934, 'subscribe and share': 815846, 'and share it': 71390, 'it with someone': 462478, 'with someone you': 1000884, 'someone you think': 784809, 'he met': 385235, 'met with': 529600, 'store ceo': 806902, 'they agreed': 881104, 'so where': 778734, 'at with': 101572, 'test will': 839240, 'trump release': 933789, 'release his': 708951, 'his tax': 397847, 'tax will': 835123, 'will trump': 995242, 'trump promise': 933763, 'said he met': 731112, 'he met with': 385236, 'met with grocery': 529602, 'with grocery store': 998696, 'grocery store ceo': 365275, 'store ceo and': 806903, 'ceo and they': 169648, 'and they agreed': 73888, 'they agreed to': 881105, 'agreed to remain': 38746, 'to remain open': 913168, 'open and stocked': 612081, 'and stocked so': 72425, 'stocked so where': 803398, 'so where is': 778737, 'the food at': 855533, 'food at with': 313455, 'at with the': 101575, '19 test will': 11090, 'test will we': 839242, 'will we get': 995328, 'we get to': 971635, 'see food in': 745121, 'the store when': 868142, 'store when trump': 811251, 'when trump release': 984350, 'trump release his': 933790, 'release his tax': 708952, 'his tax will': 397848, 'tax will trump': 835124, 'will trump promise': 995244, 'trump promise to': 933765, 'promise to have': 683699, 'stamp cannot': 793413, 'cannot currently': 161740, 'currently be': 221479, 'health just': 386588, 'major equality': 509316, 'equality issue': 279622, 'supermarket is dangerous': 821080, 'food stamp cannot': 316734, 'stamp cannot currently': 793414, 'cannot currently be': 161741, 'currently be used': 221480, 'some to risk': 784080, 'their health just': 873521, 'health just to': 386590, 'get delivery is': 346864, 'is major equality': 449524, 'major equality issue': 509317, 'verticalfarming': 954970, 'reportedly emerged': 712575, 'from live': 336239, 'market choice': 516169, 'important verticalfarming': 419092, 'verticalfarming can': 954971, 'while offering': 987095, 'offering higher': 595144, 'higher nutrient': 395631, 'nutrient product': 577699, 'more sustainable': 540518, 'sustainable way': 829809, 'reportedly emerged from': 712576, 'emerged from live': 272561, 'from live food': 336240, 'live food market': 495815, 'food market it': 315398, 'market it is': 516653, 'is clear that': 446551, 'clear that our': 181346, 'food and local': 313271, 'and local market': 66299, 'local market choice': 498177, 'market choice are': 516170, 'choice are very': 177736, 'very important verticalfarming': 955257, 'important verticalfarming can': 419093, 'verticalfarming can help': 954972, 'can help meet': 158638, 'help meet consumer': 390090, 'consumer demand while': 197175, 'demand while offering': 236489, 'while offering higher': 987096, 'offering higher nutrient': 595145, 'higher nutrient product': 395632, 'nutrient product in': 577700, 'product in more': 681292, 'in more sustainable': 425446, 'more sustainable way': 540520, 'kung': 477923, 'wala': 964683, 'naman': 551586, 'kayong': 471154, 'bilhin': 130477, 'labas': 478319, 'papa': 639734, 'carrefour': 164906, 'hi guy': 394656, 'guy please': 369110, 'home kung': 401507, 'kung wala': 477928, 'wala naman': 964684, 'naman kayong': 551587, 'kayong need': 471155, 'need bilhin': 554543, 'bilhin sa': 130478, 'sa labas': 728904, 'labas just': 478320, 'got news': 358739, 'from papa': 336849, 'papa that': 639743, 'staff died': 792369, 'and papa': 68690, 'papa is': 639737, 'working sa': 1008901, 'sa carrefour': 728878, 'carrefour one': 164913, 'in uae': 430364, 'uae now': 937766, 'tested pls': 839341, 'pls pray': 661165, 'hi guy please': 394659, 'guy please keep': 369111, 'please keep safe': 660156, 'keep safe stay': 471889, 'at home kung': 99026, 'home kung wala': 401508, 'kung wala naman': 477929, 'wala naman kayong': 964685, 'naman kayong need': 551588, 'kayong need bilhin': 471156, 'need bilhin sa': 554544, 'bilhin sa labas': 130479, 'sa labas just': 728905, 'labas just got': 478321, 'just got news': 468865, 'got news from': 358740, 'news from papa': 560458, 'from papa that': 336850, 'papa that one': 639744, 'of his staff': 584665, 'his staff died': 397812, 'staff died from': 792370, '19 and papa': 5080, 'and papa is': 68691, 'papa is working': 639738, 'is working sa': 454046, 'working sa carrefour': 1008902, 'sa carrefour one': 728879, 'carrefour one of': 164914, 'biggest supermarket here': 130332, 'here in uae': 393190, 'in uae now': 430367, 'uae now all': 937767, 'them are being': 875416, 'are being tested': 84934, 'being tested pls': 125912, 'tested pls pray': 839342, 'pls pray for': 661166, 'typical': 937623, 'from seasonal': 337196, 'seasonal allergy': 743462, 'allergy are': 45769, 'never pleasant': 558146, 'pleasant but': 659600, 'but coming': 145430, 'pandemic typical': 636858, 'typical hay': 937640, 'hay fever': 384511, 'fever symptom': 303687, 'symptom can': 830830, 'be alarming': 113540, 'from seasonal allergy': 337197, 'seasonal allergy are': 743463, 'allergy are never': 45772, 'are never pleasant': 88220, 'never pleasant but': 558147, 'pleasant but coming': 659601, 'but coming in': 145431, 'coming in the': 188098, 'coronavirus pandemic typical': 206502, 'pandemic typical hay': 636859, 'typical hay fever': 937641, 'hay fever symptom': 384512, 'fever symptom can': 303688, 'symptom can be': 830831, 'can be alarming': 157577, 'risk making': 723674, 'possible for': 665650, 'for ya': 327985, 'll to': 497073, 'market order': 516820, 'etc demand': 282486, 'their protection': 874500, 'protection pay': 685563, 'pay thats': 645141, 'from from': 335576, '19 collective': 5881, 'collective individual': 186509, 'at risk making': 100375, 'risk making it': 723675, 'making it possible': 511149, 'it possible for': 460390, 'possible for ya': 665653, 'for ya ll': 327986, 'ya ll to': 1014016, 'll to go': 497074, 'the market order': 860141, 'market order online': 516821, 'order online to': 618481, 'online to have': 609586, 'have food toilet': 380671, 'paper etc demand': 640137, 'etc demand more': 282487, 'demand more for': 235887, 'more for their': 539272, 'for their protection': 326862, 'their protection pay': 874503, 'protection pay thats': 685565, 'pay thats how': 645142, 'thats how we': 847813, 'how we start': 409193, 'we start making': 973374, 'start making sure': 794383, 'making sure our': 511386, 'sure our community': 827646, 'our community are': 622449, 'community are safe': 189740, 'safe from from': 729694, 'from from covid': 335577, 'covid 19 collective': 212824, '19 collective individual': 5882, 'anthrax': 78248, 'bayer': 112993, 'hhs': 394576, 'the used': 870570, 'used compulsory': 949883, 'compulsory license': 192716, 'license threat': 488160, 'crisis wa': 218326, 'wa re': 963049, 're anthrax': 698293, 'anthrax treatment': 78249, 'in bush': 421064, 'bush administration': 143135, 'administration bayer': 32457, 'bayer wa': 112994, 'price hhs': 674508, 'hhs sec': 394581, 'sec thompson': 743638, 'thompson threatened': 891729, 'use govt': 949242, 'govt use': 361326, 'use right': 949522, 'buy generic': 148730, 'generic price': 345692, 'last time the': 480571, 'time the used': 897880, 'the used compulsory': 870571, 'used compulsory license': 949884, 'compulsory license threat': 192717, 'license threat in': 488161, 'threat in health': 893669, 'in health crisis': 423604, 'health crisis wa': 386356, 'crisis wa re': 218327, 'wa re anthrax': 963050, 're anthrax treatment': 698294, 'anthrax treatment in': 78250, 'treatment in bush': 931091, 'in bush administration': 421065, 'bush administration bayer': 143136, 'administration bayer wa': 32458, 'bayer wa refusing': 112995, 'refusing to lower': 707095, 'lower price hhs': 505960, 'price hhs sec': 674509, 'hhs sec thompson': 394582, 'sec thompson threatened': 743639, 'thompson threatened to': 891730, 'threatened to use': 893792, 'to use govt': 918032, 'use govt use': 949243, 'govt use right': 361327, 'use right to': 949524, 'right to buy': 722337, 'to buy generic': 902235, 'buy generic price': 148731, 'generic price fell': 345693, 'worker don': 1006802, 'store and restaurant': 806329, 'and restaurant worker': 70398, 'restaurant worker don': 716817, 'worker don deserve': 1006803, 'deserve 15 hour': 238024, '15 hour they': 3730, 'hour they too': 405996, 'they too during': 883575, 'too during crisis': 924699, 'security tip from': 744779, 'commission for working': 188827, 'airplane': 40069, 'this turkish': 890882, 'turkish woman': 935601, 'woman inviting': 1003528, 'inviting ppl': 444290, 'travel turkey': 930555, 'turkey with': 935586, 'with private': 1000320, 'private airplane': 678858, 'airplane with': 40076, 'with extreme': 998352, 'extreme price': 293823, 'price ofcourse': 675611, 'ofcourse ppl': 593586, 'ppl like': 668270, 'putting others': 691181, 'to danger': 903909, 'danger for': 225646, 'for money': 323491, 'money although': 536581, 'although travelling': 49376, 'travelling is': 930690, 'is band': 445991, 'band ppl': 109347, 'this turkish woman': 890883, 'turkish woman inviting': 935602, 'woman inviting ppl': 1003529, 'inviting ppl to': 444291, 'ppl to travel': 668356, 'to travel turkey': 917738, 'travel turkey with': 930556, 'turkey with private': 935587, 'with private airplane': 1000321, 'private airplane with': 678859, 'airplane with extreme': 40077, 'with extreme price': 998353, 'extreme price ofcourse': 293824, 'price ofcourse ppl': 675612, 'ofcourse ppl like': 593587, 'ppl like these': 668271, 'like these are': 491428, 'these are putting': 879630, 'are putting others': 89355, 'putting others in': 691185, 'others in to': 621483, 'in to danger': 430106, 'to danger for': 903910, 'danger for money': 225647, 'for money although': 323492, 'money although travelling': 536582, 'although travelling is': 49377, 'travelling is band': 930691, 'is band ppl': 445992, 'band ppl do': 109348, 'adopts': 32730, 'anyone coming': 80236, 'coming here': 188068, 'here outside': 393439, 'my follower': 548372, 'follower opening': 312648, 'opening these': 612916, 'these adopts': 879578, 'adopts to': 32735, 'sibling who': 768336, 'either lost': 270329, 'or had': 615544, 'hour severely': 405905, 'severely cut': 754075, '19 quarantining': 9925, 'quarantining am': 693077, 'far my': 298858, 'unaffected so': 939388, 'for anyone coming': 319433, 'anyone coming here': 80237, 'coming here outside': 188071, 'here outside of': 393440, 'outside of my': 629509, 'of my follower': 586770, 'my follower opening': 548374, 'follower opening these': 312649, 'opening these adopts': 612917, 'these adopts to': 879579, 'adopts to help': 32736, 'help my sibling': 390129, 'my sibling who': 550082, 'sibling who either': 768337, 'who either lost': 988678, 'either lost their': 270330, 'job or had': 466066, 'or had their': 615545, 'had their hour': 373634, 'their hour severely': 873598, 'hour severely cut': 405906, 'severely cut due': 754076, 'covid 19 quarantining': 213643, '19 quarantining am': 9926, 'quarantining am grocery': 693078, 'cashier and so': 166462, 'and so far': 71839, 'so far my': 777042, 'far my hour': 298859, 'my hour are': 548717, 'hour are unaffected': 405434, 'are unaffected so': 91259, 'unaffected so like': 939389, 'help my family': 390124, 'stopairingtrump': 805305, 'public our': 688205, 'doctor supermarket': 251113, 'not fully': 569557, 'fully equipped': 341039, 'equipped when': 279899, 'are injected': 87542, 'injected they': 438691, 'pas on': 643131, 'people stopairingtrump': 649654, 'stopairingtrump people': 805306, 'people ppe': 649169, 'do know how': 249551, 'know how important': 476441, 'protect our hero': 684897, 'our hero in': 623424, 'hero in public': 394018, 'in public our': 427093, 'public our nurse': 688206, 'our nurse doctor': 624105, 'nurse doctor supermarket': 577308, 'doctor supermarket staff': 251115, 'supermarket staff they': 822900, 'they are all': 881196, 'all in contact': 43194, 'the most people': 861015, 'most people if': 542615, 'people if they': 648320, 'are not fully': 88377, 'not fully equipped': 569558, 'fully equipped when': 341042, 'equipped when they': 279900, 'when they are': 984242, 'they are injected': 881311, 'are injected they': 87543, 'injected they will': 438692, 'they will pas': 883869, 'will pas on': 994378, 'pas on to': 643134, 'on to more': 604747, 'to more people': 910262, 'more people stopairingtrump': 540040, 'people stopairingtrump people': 649655, 'stopairingtrump people ppe': 805307, 'order meal': 618382, 'at those': 101268, 'also reduce': 48766, 'distribution from': 248151, 'buying c4news': 150083, 'to order meal': 911077, 'order meal at': 618383, 'meal at those': 524112, 'at those restaurant': 101269, 'now it will': 575138, 'it will keep': 462408, 'will keep them': 993901, 'community to the': 190180, 'to the risk': 917029, 'infection and will': 436717, 'and will also': 75655, 'will also reduce': 992267, 'also reduce the': 48767, 'reduce the disruption': 705958, 'food distribution from': 314229, 'distribution from panic': 248152, 'panic buying c4news': 637669, 'be pulling': 116618, 'pulling tougher': 688954, 'tougher helping': 926890, 'helping each': 391316, 'other out': 620631, 'exploit and': 292330, 'try make': 934507, 'easy buck': 265663, 'buck by': 141653, 'by reselling': 153780, 'reselling handwash': 713992, 'handwash bog': 376762, 'formula at': 329698, 'ebay you': 266508, 'my piss': 549776, 'piss boil': 656946, 'is in crisis': 448761, 'in crisis with': 421905, 'crisis with the': 218432, 'with the we': 1001540, 'we are meant': 970625, 'to be pulling': 901469, 'be pulling tougher': 116619, 'pulling tougher helping': 688955, 'tougher helping each': 926891, 'helping each other': 391317, 'each other out': 264204, 'other out but': 620632, 'out but no': 625794, 'but no some': 146500, 'no some of': 565556, 'some of think': 783412, 'think it ok': 885345, 'ok to exploit': 597919, 'to exploit and': 905490, 'exploit and try': 292331, 'and try make': 74507, 'try make an': 934508, 'make an easy': 509675, 'an easy buck': 55558, 'easy buck by': 265664, 'buck by reselling': 141655, 'by reselling handwash': 153781, 'reselling handwash bog': 713993, 'handwash bog roll': 376763, 'bog roll and': 133946, 'baby formula at': 106617, 'formula at extortionate': 329699, 'extortionate price on': 293398, 'price on ebay': 675669, 'on ebay you': 600497, 'ebay you make': 266510, 'you make my': 1019760, 'make my piss': 510227, 'my piss boil': 549777, 'ramen': 696378, 'boyardee': 137304, 'senator getting': 749747, 'getting rich': 349236, 'rich off': 721239, 'meanwhile family': 524965, 'area cannot': 91971, 'to flour': 906017, 'flour rice': 311154, 'rice toilet': 721158, 'meat all': 525468, 'the cheaper': 850732, 'cheaper non': 174256, 'non pork': 566463, 'pork meat': 664807, 'meat potato': 525691, 'potato forget': 666931, 'forget easy': 329246, 'easy kid': 265724, 'kid meal': 474045, 'no ramen': 565269, 'ramen no': 696384, 'no chef': 563792, 'chef boyardee': 175251, 'boyardee and': 137306, 'crowd 19': 219113, 'senator getting rich': 749748, 'getting rich off': 349237, 'rich off covid': 721240, '19 meanwhile family': 8602, 'meanwhile family in': 524966, 'family in my': 297921, 'my area cannot': 547293, 'area cannot get': 91972, 'cannot get access': 161867, 'access to flour': 28234, 'to flour rice': 906018, 'flour rice toilet': 311155, 'rice toilet paper': 721159, 'paper many kind': 640448, 'many kind of': 514224, 'kind of meat': 474919, 'of meat all': 586372, 'meat all the': 525469, 'all the cheaper': 44685, 'the cheaper non': 850733, 'cheaper non pork': 174257, 'non pork meat': 566464, 'pork meat potato': 664808, 'meat potato forget': 525692, 'potato forget easy': 666932, 'forget easy kid': 329247, 'easy kid meal': 265725, 'kid meal no': 474046, 'meal no ramen': 524218, 'no ramen no': 565270, 'ramen no chef': 696385, 'no chef boyardee': 563793, 'chef boyardee and': 175253, 'boyardee and the': 137307, 'and the crowd': 73308, 'the crowd 19': 852517, 'wa inevitable': 962398, 'inevitable panic': 436399, 'certain type': 170122, 'food having': 314790, 'having buy': 384002, 'buy limit': 148899, 'limit now': 492384, 'well this wa': 978690, 'this wa inevitable': 891072, 'wa inevitable panic': 962399, 'inevitable panic buying': 436400, 'buying ha led': 150439, 'led to certain': 485272, 'to certain type': 902582, 'certain type of': 170123, 'type of food': 937560, 'of food having': 583703, 'food having buy': 314791, 'having buy limit': 384003, 'buy limit now': 148900, 'while yet': 987581, 'yet what': 1016320, 'really helpful': 702282, 'helpful is': 391201, 'is saving': 451648, 'saving map': 737919, 'map online': 514940, 'plan shopping': 658220, 'trip or': 932128, 'just island': 469074, 'island list': 454292, 'order some': 618589, 'may feel': 521181, 'feel rushed': 302821, 'rushed by': 728358, 'people behind': 647258, 'behind them': 124733, 'miss an': 534134, 'look like we': 502529, 'like we will': 491782, 'be in lockdown': 115415, 'lockdown for while': 499403, 'for while yet': 327855, 'while yet what': 987583, 'yet what would': 1016322, 'would be really': 1011637, 'be really helpful': 116711, 'really helpful is': 702285, 'helpful is saving': 391202, 'is saving map': 451650, 'saving map online': 737920, 'map online to': 514941, 'online to plan': 609594, 'to plan shopping': 911768, 'plan shopping trip': 658221, 'shopping trip or': 764254, 'trip or even': 932129, 'even just island': 284265, 'just island list': 469075, 'island list and': 454293, 'list and order': 494271, 'and order some': 68246, 'order some people': 618590, 'some people may': 783524, 'people may feel': 648754, 'may feel rushed': 521183, 'feel rushed by': 302822, 'rushed by people': 728359, 'by people behind': 153547, 'people behind them': 647263, 'behind them and': 124734, 'them and miss': 875389, 'and miss an': 67070, 'miss an important': 534135, 'an important item': 56198, 'anyone thinking': 80566, 'than their': 841282, 'usual amount': 950881, 'this first': 887552, 'for anyone thinking': 319451, 'anyone thinking of': 80568, 'thinking of buying': 885953, 'of buying more': 581015, 'more than their': 540683, 'than their usual': 841285, 'their usual amount': 875097, 'usual amount of': 950882, 'amount of consider': 53214, 'of consider this': 581686, 'consider this first': 195161, 'thelordprovides': 875295, 'ever found': 285312, 'found lot': 330279, 'toiletpaper thelordprovides': 922597, 'day ever found': 227573, 'ever found lot': 285313, 'found lot of': 330280, 'lot of toilet': 504311, 'toilet paper today': 921495, 'paper today toiletpaper': 640936, 'today toiletpaper thelordprovides': 920378, 'taiwanese': 831847, 'exportation': 292728, 'taiwanese government': 831848, 'government took': 360744, 'mask early': 518602, 'on banning': 599561, 'banning exportation': 110628, 'exportation and': 292729, 'and bringing': 59205, 'in soldier': 428066, 'it allocated': 456392, 'allocated certain': 45877, 'to retailer': 913455, 'lowered price': 506076, 'about 24': 24675, '24 cent': 15582, 'cent cdn': 169044, 'taiwanese government took': 831850, 'government took over': 360745, 'took over production': 925311, 'over production of': 630536, 'production of surgical': 682156, 'surgical mask early': 828354, 'mask early on': 518603, 'early on banning': 264664, 'on banning exportation': 599562, 'banning exportation and': 110629, 'exportation and bringing': 292730, 'and bringing in': 59207, 'bringing in soldier': 140168, 'in soldier to': 428067, 'soldier to help': 781824, 'help with increased': 390916, 'with increased production': 998978, 'increased production it': 433432, 'production it allocated': 682094, 'it allocated certain': 456393, 'allocated certain amount': 45878, 'certain amount to': 169971, 'amount to retailer': 53299, 'to retailer and': 913456, 'retailer and lowered': 718968, 'and lowered price': 66462, 'lowered price to': 506078, 'to the equivalent': 916677, 'equivalent of about': 279985, 'of about 24': 579708, 'about 24 cent': 24676, '24 cent cdn': 15583, 'are photo': 89075, 'photo colleague': 655146, 'colleague shared': 186234, 'shared of': 755434, 'qatar nation': 691496, 'nation that': 552328, 'already cut': 47279, 'it neighbour': 459766, 'neighbour even': 557202, 'isolated full': 454997, 'full shelf': 340876, 'buying why': 151364, 'that sensible': 846198, 'these are photo': 879629, 'are photo colleague': 89076, 'photo colleague shared': 655147, 'colleague shared of': 186235, 'shared of supermarket': 755435, 'supermarket in qatar': 820962, 'in qatar nation': 427160, 'qatar nation that': 691497, 'nation that wa': 552329, 'wa already cut': 961484, 'already cut off': 47280, 'cut off by': 223439, 'off by it': 593710, 'by it neighbour': 152945, 'it neighbour even': 459767, 'neighbour even before': 557203, 'even before and': 283869, 'before and is': 122628, 'and is now': 65419, 'is now even': 450285, 'now even more': 574620, 'even more isolated': 284364, 'more isolated full': 539627, 'isolated full shelf': 454998, 'full shelf and': 340877, 'shelf and no': 756746, 'and no panic': 67629, 'panic buying why': 637966, 'buying why can': 151365, 'why can we': 990864, 'we be that': 970823, 'be that sensible': 117585, 'formation': 329592, 'owcovid19': 631807, 'on owhealth': 602660, 'owhealth time': 631847, 'of turmoil': 592508, 'turmoil allow': 935610, 'the formation': 855711, 'formation of': 329593, 'of deeper': 582451, 'deeper relationship': 231968, 'relationship between': 708688, 'between insurer': 128805, 'insurer and': 440867, 'and member': 66939, 'society at': 781161, 'large owcovid19': 479733, 'on owhealth time': 602661, 'owhealth time of': 631848, 'time of turmoil': 897370, 'of turmoil allow': 592509, 'turmoil allow for': 935611, 'allow for the': 45972, 'for the formation': 326446, 'the formation of': 855712, 'formation of deeper': 329595, 'of deeper relationship': 582452, 'deeper relationship between': 231969, 'relationship between insurer': 708690, 'between insurer and': 128806, 'insurer and member': 440868, 'and member and': 66940, 'member and society': 528018, 'and society at': 71920, 'society at large': 781162, 'at large owcovid19': 99410, 'america essential': 51513, 'worker protect': 1007633, 'now retail': 575698, 'industry delayed response': 435769, 'delayed response is': 232808, 'response is killing': 715743, 'is killing america': 449201, 'killing america essential': 474655, 'america essential worker': 51514, 'essential worker protect': 281848, 'worker protect them': 1007634, 'them now retail': 876067, 'now retail wholesale': 575700, 'on hygiene': 601459, '19 mumbai': 8708, 'mumbai hindustan': 546004, 'unilever india': 941795, 'india largest': 434504, 'unilever to cut': 941798, 'cut price on': 223495, 'price on hygiene': 675683, 'on hygiene product': 601460, 'covid 19 mumbai': 213456, '19 mumbai hindustan': 8709, 'mumbai hindustan unilever': 546005, 'hindustan unilever india': 396879, 'unilever india largest': 941796, 'india largest consumer': 434505, 'largest consumer good': 479936, 'good company said': 356906, 'said it will': 731174, 'it will lower': 462410, 'will lower price': 994063, 'lower price of': 505964, 'of essential hygiene': 583172, 'hygiene product by': 412150, 'product by 15': 681035, 'exclude': 289620, 'flattenthe': 310153, 'surprised why': 828621, 'new return': 559491, 'policy doesn': 663382, 'doesn exclude': 251778, 'exclude critical': 289621, 'critical stuff': 218673, 'which selfish': 986300, 'selfish canadian': 748048, 'canadian have': 160692, 'hoarded and': 398929, 'returning whenever': 720031, 'whenever we': 984684, 'the wood': 871684, 'wood flattenthe': 1004276, 'surprised why your': 828622, 'why your new': 991609, 'your new return': 1024992, 'new return policy': 559492, 'return policy doesn': 719884, 'policy doesn exclude': 663383, 'doesn exclude critical': 251779, 'exclude critical stuff': 289622, 'critical stuff like': 218674, 'sanitizer which selfish': 736081, 'which selfish canadian': 986301, 'selfish canadian have': 748049, 'canadian have hoarded': 160694, 'have hoarded and': 380966, 'hoarded and will': 398930, 'will be returning': 992654, 'be returning whenever': 116867, 'returning whenever we': 720032, 'whenever we re': 984685, 'we re out': 972931, 'of the wood': 591624, 'the wood flattenthe': 871685, 'fossilfuel': 330088, 'surge with': 828281, 'with production': 1000331, 'cut anticipation': 223235, 'anticipation fossilfuel': 78487, 'fossilfuel climatechange': 330089, 'price surge with': 676730, 'surge with production': 828283, 'with production cut': 1000332, 'production cut anticipation': 681989, 'cut anticipation fossilfuel': 223236, 'anticipation fossilfuel climatechange': 78488, 'some easy': 782719, 'freezer with some': 332656, 'with some easy': 1000841, 'some easy meal': 782720, 'beforehand': 123345, 'taking important': 833400, 'important measure': 418874, 'isolating make': 455124, 'you inform': 1019344, 'supermarket beforehand': 819356, 'driver are taking': 259442, 'are taking important': 90722, 'taking important measure': 833401, 'important measure to': 418875, 'protect themselves and': 685017, 'themselves and you': 876765, 'and you from': 76019, 'you from if': 1018719, 'you re self': 1020738, 're self isolating': 699472, 'self isolating make': 747730, 'isolating make sure': 455125, 'sure you inform': 827861, 'you inform the': 1019345, 'inform the supermarket': 437670, 'the supermarket beforehand': 868484, 'stophoardingtoiletpaper': 805521, 'youaretheproblem': 1022505, 'shamibrahim': 754742, 'you tube': 1021942, 'tube love': 935039, 'all and': 42008, 'please stayhome': 660553, 'stayhome stophoardingtoiletpaper': 798191, 'stophoardingtoiletpaper stophoarding': 805522, 'stophoarding corona': 805373, 'corona youaretheproblem': 204406, 'youaretheproblem information': 1022506, 'information solution': 437979, 'solution stayhome': 782078, 'stayhome shamibrahim': 798106, 'full video on': 340965, 'video on you': 956851, 'on you tube': 605441, 'you tube love': 1021943, 'tube love you': 935040, 'love you all': 504884, 'you all and': 1016864, 'all and please': 42016, 'and please stayhome': 69115, 'please stayhome stophoardingtoiletpaper': 660556, 'stayhome stophoardingtoiletpaper stophoarding': 798192, 'stophoardingtoiletpaper stophoarding corona': 805523, 'stophoarding corona youaretheproblem': 805375, 'corona youaretheproblem information': 204407, 'youaretheproblem information solution': 1022507, 'information solution stayhome': 437980, 'solution stayhome shamibrahim': 782079, 'habe': 372529, 'online hope': 608375, 'away soon': 106034, 'soon or': 785784, 'will habe': 993587, 'habe big': 372530, 'big problem': 129934, 'shopping online hope': 763443, 'online hope this': 608376, 'hope this go': 403717, 'this go away': 887713, 'go away soon': 353331, 'away soon or': 106035, 'soon or will': 785786, 'or will habe': 617808, 'will habe big': 993588, 'habe big problem': 372531, 'canadian couple': 160666, 'couple say': 211664, 'received death': 703615, 'death threat': 230236, 'allegedly panic': 45695, 'store entire': 807600, 'entire meat': 278702, 'section hoarding': 744008, 'hoarding canada': 399242, 'canadian couple say': 160667, 'couple say they': 211665, 'they ve received': 883678, 've received death': 953487, 'received death threat': 703616, 'death threat after': 230237, 'threat after allegedly': 893628, 'after allegedly panic': 35344, 'allegedly panic buying': 45696, 'buying grocery store': 150417, 'grocery store entire': 365368, 'store entire meat': 807601, 'entire meat section': 278703, 'meat section hoarding': 525733, 'section hoarding canada': 744009, 'hoarding canada food': 399243, '2014': 13791, 'digital purchasing': 242630, 'power grew': 667615, 'between february': 128775, 'february 2019': 301672, 'and february': 62747, '2020 electronics': 14290, 'electronics decreased': 271293, 'decreased in': 231633, 'price 44': 672158, '44 since': 19021, 'since 2014': 770464, '2014 while': 13804, 'the doubled': 853613, 'doubled between': 256103, 'between march': 128820, 'and march': 66685, 'digital purchasing power': 242631, 'purchasing power grew': 689905, 'power grew in': 667616, 'grew in between': 363855, 'in between february': 420806, 'between february 2019': 128776, 'february 2019 and': 301673, '2019 and february': 13936, 'and february 2020': 62748, 'february 2020 electronics': 301677, '2020 electronics decreased': 14291, 'electronics decreased in': 271294, 'decreased in price': 231634, 'in price 44': 426945, 'price 44 since': 672159, '44 since 2014': 19022, 'since 2014 while': 770466, '2014 while grocery': 13805, 'while grocery have': 986887, 'grocery have increased': 364583, 'have increased online': 381061, 'increased online grocery': 433389, 'in the doubled': 429148, 'the doubled between': 853614, 'doubled between march': 256104, 'between march 11': 128821, 'march 11 and': 515054, '11 and march': 2490, 'and march 13': 66686, 'explain this': 292122, 'only one word': 610893, 'one word to': 607506, 'word to explain': 1004600, 'to explain this': 905477, 'lifeboat': 489261, 'uk lifeboat': 938511, 'lifeboat fund': 489262, 'ha unlimited': 372397, 'unlimited capacity': 942774, 'pay pension': 645040, 'pension of': 646660, 'of failed': 583374, 'failed airline': 296124, 'uk lifeboat fund': 938512, 'lifeboat fund say': 489263, 'fund say it': 341494, 'it ha unlimited': 458420, 'ha unlimited capacity': 372398, 'unlimited capacity to': 942775, 'capacity to pay': 162592, 'to pay pension': 911550, 'pay pension of': 645041, 'pension of failed': 646661, 'of failed airline': 583375, 'free testing': 332211, 'should get free': 766023, 'get free testing': 347099, 'free testing kit': 332214, 'videoeditor': 956990, 'videoediting': 956989, 'remote video': 710734, 'video editor': 956715, 'editor hit': 268657, 'can discus': 158071, 'discus price': 244897, 'price videoeditor': 677313, 'videoeditor videoediting': 956991, 'looking for remote': 502893, 'for remote video': 325112, 'remote video editor': 710735, 'video editor hit': 956717, 'editor hit me': 268658, 'me up so': 523862, 'we can discus': 970932, 'can discus price': 158073, 'discus price videoeditor': 244898, 'price videoeditor videoediting': 677314, 'question store': 693748, '19 right': 10230, 'right asking': 721777, 'for close': 320133, 'close friend': 182646, 'he work': 385681, 'question store ha': 693749, 'store ha to': 808027, 'ha to close': 372292, 'close if an': 182665, 'if an employee': 413811, 'an employee test': 55715, 'covid 19 right': 213718, '19 right asking': 10231, 'right asking for': 721778, 'asking for close': 95981, 'for close friend': 320134, 'close friend who': 182647, 'friend who contracted': 333894, 'and they aren': 73890, 'they aren closing': 881474, 'store he work': 808126, 'he work at': 385682, 'bookboost': 134649, 'iartg': 412560, 'mybookagents': 550690, 'need book': 554555, 'read whilst': 700661, 'whilst in': 987639, 'isolation ve': 455484, 've placed': 953440, 'placed 100': 657868, 'link also': 493786, 'also author': 47894, 'author book': 103642, 'book are': 134474, 'an escape': 55812, 'escape from': 280308, 'drop your': 260457, 'your book': 1022991, 'book link': 134559, 'link lockdownlondon': 493872, 'lockdownlondon bookboost': 500315, 'bookboost iartg': 134650, 'iartg mybookagents': 412561, 'mybookagents london': 550691, 'you need book': 1019971, 'need book to': 554556, 'book to read': 134618, 'to read whilst': 912844, 'read whilst in': 700662, 'whilst in isolation': 987640, 'in isolation ve': 424211, 'isolation ve placed': 455485, 've placed 100': 953441, 'placed 100 of': 657869, '100 of book': 1981, 'of book on': 580776, 'book on my': 134575, 'on my blog': 602265, 'with link also': 999244, 'link also author': 493787, 'also author book': 47895, 'author book are': 103643, 'book are an': 134475, 'are an escape': 84536, 'an escape from': 55813, 'escape from this': 280309, 'from this crazy': 337989, 'this crazy world': 887011, 'crazy world so': 215490, 'world so drop': 1009983, 'so drop your': 776922, 'drop your book': 260458, 'your book link': 1022994, 'book link lockdownlondon': 134560, 'link lockdownlondon bookboost': 493873, 'lockdownlondon bookboost iartg': 500316, 'bookboost iartg mybookagents': 134651, 'iartg mybookagents london': 412562, 'itc': 462980, 'dettol itc': 239527, 'itc godrej': 462987, 'godrej and': 354884, 'others reduce': 621609, 'after government': 35729, 'government directive': 360024, 'directive india': 243509, 'dettol itc godrej': 239528, 'itc godrej and': 462988, 'godrej and others': 354885, 'and others reduce': 68455, 'others reduce hand': 621610, 'sanitizer price after': 735579, 'price after government': 672231, 'after government directive': 35731, 'government directive india': 360026, 'preston': 671280, 'itvnews': 464021, 'relate': 708360, 'washyourself': 967945, 'day preston': 228242, 'preston itvnews': 671287, 'itvnews the': 464024, 'only people': 610943, 'can relate': 159422, 'relate to': 708365, 'this were': 891341, 'in wwii': 431010, 'wwii this': 1013700, 'is horrendous': 448542, 'horrendous yet': 404087, 'aren sticking': 92530, 'sticking around': 800099, 'around stophoarding': 93492, 'stophoarding washyourself': 805514, 'oh my day': 596418, 'my day preston': 547951, 'day preston itvnews': 228243, 'preston itvnews the': 671288, 'itvnews the only': 464025, 'the only people': 862327, 'only people who': 610950, 'who can relate': 988404, 'can relate to': 159424, 'relate to this': 708369, 'to this were': 917477, 'this were in': 891343, 'were in wwii': 979785, 'in wwii this': 431011, 'wwii this is': 1013701, 'this is horrendous': 888281, 'is horrendous yet': 448544, 'horrendous yet they': 404088, 're the one': 699697, 'one who aren': 607434, 'who aren sticking': 988270, 'aren sticking around': 92531, 'sticking around stophoarding': 800100, 'around stophoarding washyourself': 93493, 'if costco': 414003, 'costco is': 208242, 'health they': 386906, 'extend that': 293123, 'senior compromised': 750264, 'compromised hour': 192675, 'hour ft': 405635, 'ft is': 339348, 'safe socialdistancing': 729950, 'shopping groceryshopping': 762811, 'if costco is': 414004, 'costco is going': 208243, 'going to limit': 355643, 'store for public': 807831, 'public health they': 688085, 'health they need': 386907, 'need to extend': 555928, 'to extend that': 905528, 'extend that to': 293124, 'that to the': 847064, 'to the line': 916849, 'the store especially': 868016, 'store especially during': 807614, 'especially during senior': 280463, 'during senior compromised': 263000, 'senior compromised hour': 750265, 'compromised hour ft': 192676, 'hour ft is': 405636, 'ft is not': 339349, 'not safe socialdistancing': 571420, 'safe socialdistancing retail': 729951, 'socialdistancing retail shopping': 780645, 'retail shopping groceryshopping': 718564, 'wealth of': 974178, 'of readily': 588775, 'available data': 104312, 'and advertising': 57717, 'advertising platform': 33257, 'platform can': 658953, 'help marketer': 390052, 'marketer business': 517456, 'leader navigate': 483496, 'navigate wise': 553106, 'wise course': 996673, 'course during': 211858, 'pandemic prepare': 636223, 'accelerate coming': 27831, 'crisis ceo': 217203, 'ceo cio': 169666, 'cdo cmo': 168679, 'cmo cfo': 184683, 'cfo ai': 170325, 'ai digital': 39313, 'wealth of readily': 974180, 'of readily available': 588776, 'readily available data': 700717, 'available data from': 104313, 'data from search': 226238, 'from search engine': 337195, 'engine and advertising': 276932, 'and advertising platform': 57721, 'advertising platform can': 33258, 'platform can help': 658954, 'can help marketer': 158637, 'help marketer business': 390053, 'marketer business leader': 517457, 'business leader navigate': 143985, 'leader navigate wise': 483498, 'navigate wise course': 553107, 'wise course during': 996674, 'course during the': 211859, 'the pandemic prepare': 863060, 'pandemic prepare to': 636224, 'prepare to accelerate': 670136, 'to accelerate coming': 899928, 'accelerate coming out': 27832, 'coming out of': 188162, 'the crisis ceo': 852355, 'crisis ceo cio': 217204, 'ceo cio cdo': 169667, 'cio cdo cmo': 178582, 'cdo cmo cfo': 168680, 'cmo cfo ai': 184684, 'cfo ai digital': 170326, 'costner': 208358, 'thepostman': 877878, 'kevincostner': 473212, 'retailmatters': 719506, 'apocaliptic': 81500, 'being grocery': 125203, 'me feeling': 522720, 'feeling lot': 303019, 'like kevin': 490601, 'kevin costner': 473206, 'costner in': 208359, 'movie the': 544071, 'the postman': 864109, 'postman idea': 666730, 'idea thepostman': 413188, 'thepostman kevincostner': 877879, 'kevincostner retailmatters': 473213, 'retailmatters apocaliptic': 719507, 'apocaliptic work': 81501, 'being grocery store': 125204, 'time ha me': 896883, 'ha me feeling': 371250, 'me feeling lot': 522722, 'feeling lot like': 303020, 'lot like kevin': 504085, 'like kevin costner': 490602, 'kevin costner in': 473207, 'costner in the': 208360, 'the movie the': 861107, 'movie the postman': 544073, 'the postman idea': 864112, 'postman idea thepostman': 666731, 'idea thepostman kevincostner': 413189, 'thepostman kevincostner retailmatters': 877880, 'kevincostner retailmatters apocaliptic': 473214, 'retailmatters apocaliptic work': 719508, 'sharing quick': 755577, 'commission about': 188783, '19 hear': 7492, 'what scammy': 982127, 'scammy medicare': 740679, 'medicare call': 526571, 'call sound': 156108, 'your connection': 1023308, 'connection medicare': 194709, 'medicare scam': 526593, 'sharing quick alert': 755578, 'quick alert from': 694274, 'trade commission about': 928440, 'commission about some': 188784, 'covid 19 hear': 213197, '19 hear what': 7493, 'hear what scammy': 388023, 'what scammy medicare': 982128, 'scammy medicare call': 740680, 'medicare call sound': 526572, 'call sound like': 156109, 'sound like and': 786297, 'like and please': 489787, 'and please share': 69113, 'with your connection': 1002187, 'your connection medicare': 1023309, 'connection medicare scam': 194710, 'bob': 133741, 'what now': 981946, 'now governor': 574817, 'governor bob': 360880, 'bob evans': 133744, 'evans guess': 283757, 'guess stayhomechallenge': 368038, 'quarantinelife socialdistancing': 693010, 'is all they': 445471, 'all they had': 45067, 'they had left': 882246, 'had left what': 373241, 'left what now': 485726, 'what now governor': 981947, 'now governor bob': 574818, 'governor bob evans': 360881, 'bob evans guess': 133745, 'evans guess stayhomechallenge': 283758, 'guess stayhomechallenge quarantinelife': 368039, 'stayhomechallenge quarantinelife socialdistancing': 798276, 'habitat': 372720, 'wheresthetoiletpaper': 985451, 'look kid': 502450, 'kid rare': 474084, 'rare sighting': 697099, 'sighting toilet': 769073, 'it natural': 459737, 'natural habitat': 552840, 'habitat don': 372721, 'don spook': 253921, 'spook it': 789856, 'run away': 727577, 'away toiletpaper': 106076, 'quarantine wheresthetoiletpaper': 692699, 'look kid rare': 502451, 'kid rare sighting': 474085, 'rare sighting toilet': 697101, 'sighting toilet paper': 769074, 'paper in it': 640323, 'in it natural': 424259, 'it natural habitat': 459738, 'natural habitat don': 552841, 'habitat don spook': 372722, 'don spook it': 253922, 'spook it or': 789857, 'it or it': 460146, 'or it will': 615851, 'it will run': 462435, 'will run away': 994727, 'run away toiletpaper': 727578, 'away toiletpaper quarantine': 106077, 'toiletpaper quarantine wheresthetoiletpaper': 922378, 'stopthespread research': 805915, 'the faster': 854968, 'faster authority': 300086, 'authority moved': 103762, 'measure designed': 525174, 'disease the': 245251, 'life were': 489197, 'were saved': 980088, 'saved great': 737739, 'great read': 362937, 'stopthespread research ha': 805916, 'research ha shown': 713750, 'shown that the': 767619, 'that the faster': 846723, 'the faster authority': 854969, 'faster authority moved': 300087, 'authority moved to': 103763, 'moved to implement': 543836, 'implement the kind': 418435, 'kind of socialdistancing': 474941, 'socialdistancing measure designed': 780528, 'measure designed to': 525176, 'designed to slow': 238363, 'slow the transmission': 774402, 'of disease the': 582676, 'disease the more': 245252, 'the more life': 860887, 'more life were': 539682, 'life were saved': 489200, 'were saved great': 980090, 'saved great read': 737740, 'great read via': 362940, 'countered': 210292, 'carrie': 164926, 'underwood': 940995, 'newworldorder': 561170, 'caseysthoughts': 166142, 'she offered': 756243, 'rock my': 724906, 'my world': 550649, 'paper when': 641080, 'when countered': 983304, 'countered with': 210295, 'with she': 1000668, 'she left': 756192, 'left but': 485430, 'my standard': 550189, 'standard it': 793677, 'she carrie': 755933, 'carrie underwood': 164927, 'underwood for': 940996, 'for carrie': 319939, 'carrie would': 164929, 've given': 953153, 'all sick': 44345, 'sick toiletpaper': 768648, 'tp barter': 927755, 'barter newworldorder': 111404, 'newworldorder caseysthoughts': 561171, 'she offered to': 756244, 'offered to rock': 594982, 'to rock my': 913621, 'rock my world': 724907, 'my world for': 550652, 'world for roll': 1009564, 'toilet paper when': 921524, 'paper when countered': 641081, 'when countered with': 983305, 'countered with she': 210296, 'with she left': 1000669, 'she left but': 756193, 'left but have': 485432, 'have to have': 383223, 'have my standard': 381547, 'my standard it': 550190, 'standard it not': 793678, 'not like she': 570399, 'like she carrie': 491167, 'she carrie underwood': 755934, 'carrie underwood for': 164928, 'underwood for carrie': 940997, 'for carrie would': 319940, 'carrie would ve': 164930, 'would ve given': 1012371, 've given it': 953154, 'given it all': 351030, 'it all sick': 456371, 'all sick toiletpaper': 44346, 'sick toiletpaper tp': 768649, 'toiletpaper tp barter': 922745, 'tp barter newworldorder': 927756, 'barter newworldorder caseysthoughts': 111405, 'homestead': 402964, 'new homestead': 558890, 'homestead living': 402967, 'living video': 496471, 'up link': 945324, 'bio thanks': 131163, 'for watching': 327649, 'watching everyone': 968735, 'please subscribe': 660606, 'new homestead living': 558891, 'homestead living video': 402968, 'living video is': 496472, 'video is up': 956790, 'is up link': 453575, 'up link in': 945325, 'in bio thanks': 420853, 'bio thanks for': 131164, 'thanks for watching': 842085, 'for watching everyone': 327650, 'watching everyone and': 968736, 'everyone and please': 286700, 'and please subscribe': 69117, 'working we': 1009034, 'ask those': 95649, 'safely come': 730267, 'free up': 332284, 'more slot': 540401, 'this isn working': 888497, 'isn working we': 454760, 'working we ask': 1009035, 'we ask those': 970783, 'ask those who': 95651, 'who are able': 988093, 'able to safely': 24537, 'to safely come': 913713, 'safely come to': 730268, 'come to store': 187601, 'store to do': 810767, 'do so instead': 250095, 'so instead of': 777416, 'online so that': 609395, 'we can start': 971018, 'can start to': 159731, 'start to free': 794583, 'to free up': 906242, 'free up more': 332286, 'up more slot': 945406, 'more slot for': 540402, 'for the more': 326568, 'eastereggs': 265554, 'feeling upset': 303096, 'upset no': 947812, 'no eastereggs': 564075, 'eastereggs on': 265556, 'even having': 284173, 'having easter': 384046, 'sunday roast': 818261, 'roast dinner': 724592, 'dinner 19': 243045, '19 stayhomesavelives': 10833, 'feeling upset no': 303097, 'upset no eastereggs': 947813, 'no eastereggs on': 564076, 'eastereggs on supermarket': 265557, 'shelf not even': 757344, 'not even having': 569255, 'even having easter': 284174, 'having easter sunday': 384047, 'easter sunday roast': 265507, 'sunday roast dinner': 818262, 'roast dinner 19': 724593, 'dinner 19 stayhomesavelives': 243046, 'got home': 358612, 'after hour': 35803, 'hour stocking': 405956, 'stocking the': 803605, 'were criticized': 979497, 'criticized all': 218773, 'just got home': 468859, 'got home after': 358613, 'home after hour': 400568, 'after hour stocking': 35806, 'hour stocking the': 405957, 'stocking the grocery': 803606, 'the grocery shelf': 856822, 'grocery shelf at': 364954, 'local store where': 498485, 'where work part': 985369, 'part time we': 642457, 'time we were': 898243, 'we were criticized': 973786, 'were criticized all': 979498, 'criticized all the': 218774, 'the time this': 869624, 'the clothing': 851063, 'offering 20': 594996, 'full price': 340827, 'price item': 674932, 'crazy you': 215493, 'the clothing retail': 851065, 'clothing retail company': 184282, 'retail company work': 717979, 'for is now': 322672, 'now offering 20': 575397, 'offering 20 off': 594999, 'off all full': 593621, 'all full price': 42896, 'full price item': 340830, 'price item to': 674935, 'item to encourage': 463747, 'people to come': 649886, 'come in store': 187376, 'in store to': 428467, 'buy this is': 149361, 'this is fucking': 888265, 'fucking crazy you': 339844, 'crazy you must': 215494, 'you must close': 1019913, 'close all non': 182503, 'sparsely': 787628, 'trail': 929207, 'overshoot': 631513, 'ridiculous overreaction': 721576, 'overreaction close': 631426, 'close that': 182829, 'are excessively': 86305, 'excessively used': 289435, 'used we': 950120, 'currently using': 221708, 'using park': 950588, 'in bc': 420737, 'very lightly': 955305, 'lightly used': 489667, 'store store': 810414, 'on sparsely': 603589, 'sparsely used': 787629, 'used bc': 949870, 'bc park': 113276, 'park trail': 642014, 'trail this': 929210, 'an overshoot': 56753, 'is ridiculous overreaction': 451523, 'ridiculous overreaction close': 721577, 'overreaction close that': 631427, 'close that are': 182830, 'that are excessively': 842745, 'are excessively used': 86306, 'excessively used we': 289436, 'used we are': 950121, 'are currently using': 85682, 'currently using park': 221709, 'using park in': 950589, 'park in bc': 641933, 'in bc that': 420739, 'bc that are': 113289, 'that are very': 842842, 'are very lightly': 91468, 'very lightly used': 955307, 'lightly used we': 489668, 'used we have': 950122, 'we have far': 971814, 'have far more': 380589, 'far more chance': 298843, '19 in grocery': 7748, 'grocery store store': 365815, 'store store then': 810416, 'store then on': 810641, 'then on sparsely': 877377, 'on sparsely used': 603590, 'sparsely used bc': 787630, 'used bc park': 949871, 'bc park trail': 113277, 'park trail this': 642015, 'trail this is': 929211, 'is an overshoot': 445689, 'have about': 379107, 'hour left': 405736, 'drive you': 259267, 'give here': 350516, 'in 14': 419694, 'hour so': 405938, 've raised': 953466, 'raised almost': 695989, 'almost 145': 46483, '145 00': 3580, '00 that': 517, 'that insane': 844520, 'insane thank': 439073, 'you hoosier': 1019246, 'we have about': 971745, 'have about an': 379108, 'an hour left': 56089, 'hour left in': 405738, 'left in our': 485514, 'in our pack': 426325, 'the pantry food': 863254, 'pantry food drive': 639580, 'food drive you': 314294, 'drive you can': 259268, 'can give here': 158478, 'give here in': 350517, 'here in 14': 393128, 'in 14 hour': 419695, '14 hour so': 3482, 'hour so far': 405939, 'we ve raised': 973700, 've raised almost': 953467, 'raised almost 145': 695990, 'almost 145 00': 46484, '145 00 that': 3581, '00 that insane': 519, 'that insane thank': 844521, 'insane thank you': 439074, 'thank you hoosier': 841747, 'the tracker': 869850, 'tracker we': 928307, 'paper tracker': 641024, 'tracker toiletpaper': 928305, 'of the tracker': 591554, 'the tracker we': 869852, 'tracker we need': 928308, 'toilet paper tracker': 921505, 'paper tracker toiletpaper': 641025, 'tracker toiletpaper 19': 928306, 'toiletpaper 19 stayathome': 921679, 'delistings': 233073, '148': 3593, 'realestatenews': 701563, 'home delistings': 400995, 'delistings increase': 233074, 'increase 148': 432651, '148 from': 3594, 'ago covid': 38369, 'impact grows': 417687, 'grows new': 367316, 'new for': 558747, 'sale listing': 732341, 'listing also': 494824, 'also down': 48129, 'down along': 256471, 'with listing': 999252, 'listing price': 494875, 'price realestatenews': 676107, 'realestatenews realestate': 701566, 'realestate housingmarket': 701489, 'home delistings increase': 400996, 'delistings increase 148': 233075, 'increase 148 from': 432652, '148 from year': 3595, 'from year ago': 338435, 'year ago covid': 1014351, 'ago covid 19': 38370, '19 impact grows': 7697, 'impact grows new': 417688, 'grows new for': 367317, 'new for sale': 558749, 'for sale listing': 325319, 'sale listing also': 732342, 'listing also down': 494825, 'also down along': 48130, 'down along with': 256472, 'along with listing': 47059, 'with listing price': 999253, 'listing price realestatenews': 494876, 'price realestatenews realestate': 676108, 'realestatenews realestate housingmarket': 701567, 'expedition': 291144, 'young lady': 1022613, 'lady from': 478763, 'good point': 357566, 'point shopping': 662620, 'supply shouldn': 825845, 'be family': 114799, 'family expedition': 297769, 'expedition lockdown': 291147, 'the young lady': 872205, 'young lady from': 1022614, 'lady from the': 478764, 'supermarket ha good': 820626, 'ha good point': 370740, 'good point shopping': 357570, 'point shopping for': 662621, 'shopping for supply': 762715, 'for supply shouldn': 326053, 'supply shouldn be': 825846, 'shouldn be family': 766725, 'be family expedition': 114801, 'family expedition lockdown': 297770, 'just ordering': 469407, 'ordering everything': 618960, 'need on': 555359, 'amazon think': 51153, 'probably more': 679319, 'more safe': 540293, 'and latex': 65967, 'you are safe': 1017220, 'safe from covid': 729692, '19 by staying': 5576, 'home and just': 400655, 'and just ordering': 65711, 'just ordering everything': 469408, 'ordering everything you': 618961, 'you need on': 1020022, 'need on amazon': 555361, 'on amazon think': 599292, 'amazon think again': 51154, 'think again you': 885125, 'again you are': 37291, 'are probably more': 89241, 'probably more safe': 679323, 'more safe just': 540295, 'safe just shopping': 729789, 'just shopping at': 469785, 'store with face': 811378, 'mask and latex': 518343, 'and latex glove': 65968, 'latex glove on': 481620, 'ikea close all': 416032, 'all store and': 44487, 'store and will': 806403, 'and will continue': 75662, 'useyourkokote': 950344, 'philippine senator': 654741, 'senator went': 749795, 'spree while': 791144, 'being observed': 125461, 'observed for': 578614, 'for useyourkokote': 327499, 'useyourkokote wisely': 950345, 'philippine senator went': 654742, 'senator went on': 749796, 'went on shopping': 979075, 'on shopping spree': 603443, 'shopping spree while': 763960, 'spree while being': 791145, 'while being observed': 986645, 'being observed for': 125462, 'observed for useyourkokote': 578615, 'for useyourkokote wisely': 327500, 'gov coronavirus': 359554, 'coronavirus bill': 205560, 'will enable': 993292, 'enable police': 275431, 'and immigration': 65000, 'immigration officer': 417259, 'detain person': 239305, 'person for': 652432, 'limited period': 492697, 'period who': 651929, 'or may': 616080, 'be infectious': 115488, 'infectious and': 436893, 'to suitable': 915749, 'suitable place': 817815, 'enable screening': 275435, 'screening and': 742755, 'and assessment': 58448, 'assessment met': 96394, 'met say': 529588, 'doesn anticipate': 251701, 'anticipate routine': 78437, 'routine use': 726542, 'these power': 880506, 'gov coronavirus bill': 359555, 'coronavirus bill will': 205563, 'bill will enable': 130727, 'will enable police': 993295, 'enable police and': 275432, 'police and immigration': 662905, 'and immigration officer': 65001, 'immigration officer to': 417260, 'officer to detain': 595732, 'to detain person': 904224, 'detain person for': 239306, 'person for limited': 652436, 'for limited period': 322985, 'limited period who': 492698, 'period who is': 651930, 'who is or': 989099, 'is or may': 450599, 'or may be': 616081, 'may be infectious': 520995, 'be infectious and': 115489, 'infectious and to': 436894, 'and to take': 74203, 'them to suitable': 876517, 'to suitable place': 915750, 'suitable place to': 817816, 'place to enable': 657752, 'to enable screening': 905043, 'enable screening and': 275436, 'screening and assessment': 742756, 'and assessment met': 58449, 'assessment met say': 96395, 'met say it': 529589, 'say it doesn': 738839, 'it doesn anticipate': 457622, 'doesn anticipate routine': 251702, 'anticipate routine use': 78438, 'routine use of': 726543, 'use of these': 949432, 'of these power': 591853, 'omg all': 598894, 'fresh market': 333024, 'market fruit': 516439, 'fruit grower': 339096, 'grower coming': 367100, 'coming off': 188150, 'off terrible': 594216, 'terrible season': 838428, 'season for': 743395, 'year way': 1015079, 'way below': 969496, 'below cost': 126624, 'many variety': 514843, 'variety let': 952560, 'continues for': 201396, 'our summer': 624996, 'fall fruit': 296921, 'is good news': 448148, 'news for fresh': 560433, 'for fresh market': 321760, 'fresh market fruit': 333025, 'market fruit grower': 516440, 'fruit grower coming': 339097, 'grower coming off': 367101, 'coming off terrible': 188152, 'off terrible season': 594217, 'terrible season for': 838429, 'season for many': 743396, 'many of last': 514377, 'of last year': 585724, 'last year way': 480743, 'year way below': 1015080, 'way below cost': 969497, 'below cost of': 126625, 'cost of production': 208059, 'of production for': 588511, 'production for many': 682045, 'for many variety': 323240, 'many variety let': 514844, 'variety let hope': 952561, 'let hope it': 486802, 'hope it continues': 403514, 'it continues for': 457309, 'continues for our': 201398, 'for our summer': 324298, 'our summer and': 624997, 'summer and fall': 817955, 'and fall fruit': 62634, 'undeniably': 939950, 'kpmg': 477596, 'schmeling': 741619, 'listen now': 494694, 'ha undeniably': 372390, 'undeniably caused': 939951, 'caused the': 167968, 'rise kpmg': 722924, 'kpmg mark': 477599, 'mark schmeling': 515816, 'schmeling examines': 741620, 'examines distinct': 288837, 'industry face': 435818, 'listen now 19': 494695, 'now 19 ha': 573895, '19 ha undeniably': 7400, 'ha undeniably caused': 372391, 'undeniably caused the': 939952, 'caused the demand': 167969, 'and household product': 64790, 'household product to': 406917, 'product to rise': 681763, 'to rise kpmg': 913569, 'rise kpmg mark': 722925, 'kpmg mark schmeling': 477600, 'mark schmeling examines': 515817, 'schmeling examines distinct': 741621, 'examines distinct challenge': 288838, 'distinct challenge the': 247863, 'challenge the consumer': 171570, 'consumer and retail': 196241, 'retail industry face': 718215, 'industry face during': 435819, 'face during this': 294419, 'kashish': 470970, 'fol': 312041, 'disinfectant italy': 245699, 'grocery competition': 364392, 'competition alert': 191655, 'join friend': 466718, 'friend kashish': 333691, 'kashish like': 470971, 'like shared': 491164, 'shared fol': 755412, 'disinfectant italy wuhan': 245700, 'wuhan grocery competition': 1013485, 'grocery competition alert': 364393, 'competition alert giveawayalert': 191656, 'puzzle join friend': 691324, 'join friend kashish': 466719, 'friend kashish like': 333692, 'kashish like shared': 470972, 'like shared fol': 491165, 'essentias': 281968, 'of essentias': 583196, 'essentias and': 281969, 'empty of essentias': 274980, 'of essentias and': 583197, 'essentias and cannot': 281970, 'any supermarket do': 79894, 'not panicbuying': 570951, 'panicbuying they': 639081, 'doing now': 252564, 'will declare': 993111, 'declare shortage': 231202, 'therefore hike': 879433, 'is not panicbuying': 450148, 'not panicbuying they': 570952, 'panicbuying they know': 639083, 'they know what': 882533, 'know what they': 476981, 'are doing now': 85913, 'doing now that': 252565, 'they have stocked': 882381, 'stocked up they': 803446, 'up they will': 946272, 'they will declare': 883838, 'will declare shortage': 993113, 'declare shortage of': 231203, 'other essential in': 620165, 'essential in store': 281158, 'store and therefore': 806375, 'and therefore hike': 73865, 'therefore hike price': 879434, 'in dmv': 422331, 'dmv helping': 248967, 'you incl': 1019326, 'incl changing': 431462, 'it hour': 458640, 'stocked everyone': 803311, 'working harder': 1008690, 'harder working': 378197, 'it thru': 461685, 'thru many': 895205, 'store in dmv': 808296, 'in dmv helping': 422332, 'dmv helping to': 248968, 'helping to protect': 391533, 'protect you incl': 685050, 'you incl changing': 1019327, 'incl changing it': 431463, 'changing it hour': 172736, 'it hour to': 458642, 'hour to keep': 406027, 'keep store shelf': 471979, 'store shelf stocked': 810102, 'shelf stocked everyone': 757580, 'stocked everyone is': 803312, 'everyone is working': 287123, 'is working harder': 454038, 'working harder working': 1008692, 'harder working together': 378198, 'together to make': 920995, 'make it thru': 510061, 'it thru many': 461686, 'thru many more': 895206, 'abrupt': 27172, 'textile': 839970, 'shoemaking': 759701, 'abrupt national': 27179, 'lockdown put': 499818, 'put 50m': 690490, '50m job': 20177, 'in textile': 428896, 'textile shoemaking': 839979, 'shoemaking jewellery': 759702, 'jewellery and': 465379, 'other consumer': 619992, 'sector via': 744382, 'abrupt national lockdown': 27180, 'national lockdown put': 552558, 'lockdown put 50m': 499819, 'put 50m job': 690491, '50m job at': 20178, 'risk in textile': 723628, 'in textile shoemaking': 428897, 'textile shoemaking jewellery': 839980, 'shoemaking jewellery and': 759703, 'jewellery and other': 465380, 'and other consumer': 68298, 'other consumer good': 619997, 'good sector via': 357706, 'closure furlough': 183899, 'furlough associate': 341882, 'retail kohl': 718264, 'kohl housewares': 477334, 'store closure furlough': 807092, 'closure furlough associate': 183900, 'furlough associate retail': 341883, 'associate retail kohl': 96894, 'retail kohl housewares': 718265, 'kohl housewares homeworld': 477335, 'mindless': 532830, 'pursued': 690214, 'recovery anticipate': 705292, 'anticipate sharp': 78441, 'sharp recovery': 755695, 'the mindless': 860636, 'mindless hysteria': 532831, 'hysteria ha': 412450, 'ha ended': 370491, 'ended economist': 276128, 'wwii only': 1013696, 'demand pursued': 236100, 'pursued supply': 690215, '19 recovery anticipate': 10011, 'recovery anticipate sharp': 705293, 'anticipate sharp recovery': 78442, 'sharp recovery once': 755696, 'recovery once the': 705373, 'once the mindless': 605727, 'the mindless hysteria': 860637, 'mindless hysteria ha': 532832, 'hysteria ha ended': 412451, 'ha ended economist': 370492, 'ended economist expected': 276129, 'depression after wwii': 237624, 'after wwii only': 36592, 'wwii only to': 1013697, 'consumer demand pursued': 197159, 'demand pursued supply': 236101, 'shopbarefoot': 761115, 'gonoles': 356659, 'fsu': 339315, 'floridastateuniversity': 311016, 'seminole': 749658, 'distancing retail': 247430, 'therapy online': 877927, 'shopping snag': 763920, 'snag 25': 776046, '25 40': 15815, '40 off': 18626, 'our entire': 622916, 'entire online': 278707, 'now shopbarefoot': 575804, 'shopbarefoot gonoles': 761116, 'gonoles fsu': 356660, 'fsu floridastateuniversity': 339316, 'floridastateuniversity seminole': 311017, 'seminole socialdistancing': 749659, 'socialdistancing tee': 780785, 'social distancing retail': 779702, 'distancing retail therapy': 247431, 'retail therapy online': 718783, 'therapy online shopping': 877928, 'online shopping snag': 609274, 'shopping snag 25': 763921, 'snag 25 40': 776047, '25 40 off': 15816, '40 off our': 18627, 'off our entire': 594038, 'our entire online': 622918, 'entire online store': 278708, 'online store now': 609460, 'store now shopbarefoot': 809132, 'now shopbarefoot gonoles': 575805, 'shopbarefoot gonoles fsu': 761117, 'gonoles fsu floridastateuniversity': 356661, 'fsu floridastateuniversity seminole': 339317, 'floridastateuniversity seminole socialdistancing': 311018, 'seminole socialdistancing tee': 749660, 'fleece': 310291, 'please remove': 660378, 'the scumbags': 866546, 'scumbags that': 743007, 'to fleece': 906007, 'fleece hard': 310292, 'at crazy': 98359, 'crazy price': 215393, 'crisis eg': 217340, 'eg baby': 269695, 'milk at': 531580, 'at 2x': 97582, '2x supermarket': 16898, 'please please remove': 660311, 'please remove the': 660379, 'remove the scumbags': 710843, 'the scumbags that': 866547, 'scumbags that are': 743008, 'that are trying': 842831, 'trying to fleece': 934808, 'to fleece hard': 906008, 'fleece hard working': 310293, 'working people by': 1008871, 'people by selling': 647364, 'by selling basic': 153923, 'selling basic essential': 749179, 'basic essential at': 111869, 'essential at crazy': 280803, 'at crazy price': 98360, 'crazy price during': 215394, '19 crisis eg': 6242, 'crisis eg baby': 217341, 'eg baby milk': 269696, 'baby milk at': 106659, 'milk at 2x': 531581, 'at 2x supermarket': 97583, '2x supermarket price': 16899, 'masking': 519644, 'makeshift': 510885, 'since sunday': 770846, 'sunday morning': 818237, 'morning most': 541356, 'people masking': 648744, 'masking up': 519649, 'enough wondering': 277773, 'it lack': 459288, 'of ability': 579701, 'mask bandana': 518455, 'bandana whatever': 109386, 'whatever makeshift': 982782, 'makeshift mask': 510886, 'just ignoring': 469013, 'store for 1st': 807782, 'time since sunday': 897671, 'since sunday morning': 770847, 'sunday morning most': 818239, 'morning most people': 541357, 'most people masking': 542619, 'people masking up': 648745, 'masking up but': 519650, 'up but still': 944526, 'but still not': 147175, 'still not enough': 800893, 'not enough wondering': 569200, 'enough wondering if': 277774, 'wondering if it': 1004171, 'if it lack': 414317, 'it lack of': 459289, 'lack of ability': 478602, 'of ability to': 579702, 'get mask bandana': 347525, 'mask bandana whatever': 518458, 'bandana whatever makeshift': 109387, 'whatever makeshift mask': 982783, 'makeshift mask you': 510887, 'mask you can': 519605, 'get your hand': 348709, 'your hand on': 1024208, 'hand on or': 375139, 'on or are': 602537, 'or are people': 614412, 'are people just': 89036, 'people just ignoring': 648558, 'just ignoring the': 469014, 'ignoring the order': 415929, 'supermarket safety': 822291, 'latest grocery': 481369, 'keep shopper': 471929, 'supermarket safety is': 822292, 'safety is the': 730595, 'the latest grocery': 859109, 'latest grocery chain': 481370, 'grocery chain to': 364370, 'chain to take': 171198, 'to take new': 916209, 'take new measure': 832359, 'new measure to': 559099, 'measure to keep': 525396, 'to keep shopper': 908846, 'keep shopper and': 471930, 'shopper and employee': 761361, 'employee safe during': 274168, 'mmnewstv': 534778, 'the chicken': 850804, 'chicken price': 175843, 'been facing': 121125, 'facing significant': 295598, 'significant fall': 769448, 'crisis emerged': 217343, 'emerged after': 272552, 'outbreak across': 627956, 'country lockdowneffect': 210877, 'lockdowneffect mmnewstv': 500260, 'the chicken price': 850807, 'chicken price have': 175846, 'have been facing': 379534, 'been facing significant': 121126, 'facing significant fall': 295599, 'significant fall due': 769449, 'the crisis emerged': 852372, 'crisis emerged after': 217344, 'emerged after the': 272553, 'after the coronavirus': 36300, 'coronavirus outbreak across': 206371, 'outbreak across the': 627957, 'the country lockdowneffect': 852114, 'country lockdowneffect mmnewstv': 210878, 'supportnurses': 827279, 'kyliejenner': 478098, 'to west': 918495, 'west hill': 980505, 'hill hospital': 396478, 'hospital we': 404706, 'for hazard': 322136, 'four coronavirus': 330594, 'coronavirus relief': 206642, 'bill vote': 130714, 'vote supportnurses': 960504, 'supportnurses kyliejenner': 827280, 'kyliejenner tru': 478101, 'for your generous': 328156, 'your generous donation': 1024036, 'generous donation of': 345722, 'sanitizer to west': 735956, 'to west hill': 918496, 'west hill hospital': 980506, 'hill hospital we': 396479, 'hospital we greatly': 404707, 'greatly appreciate it': 363308, 'appreciate it please': 82733, 'it please help': 460358, 'with the fight': 1001304, 'fight for hazard': 304738, 'for hazard pay': 322138, 'phase four coronavirus': 654608, 'four coronavirus relief': 330595, 'coronavirus relief bill': 206643, 'relief bill vote': 709292, 'bill vote supportnurses': 130715, 'vote supportnurses kyliejenner': 960505, 'supportnurses kyliejenner tru': 827281, 'guard share': 367836, 'really prevent': 702493, 'prevent someone': 671715, 'look for and': 502348, 'your guard share': 1024145, 'guard share this': 367837, 'could really prevent': 209573, 'really prevent someone': 702494, 'prevent someone from': 671716, 'lucas': 506427, 'fuess': 340374, 'highground': 395879, 'biggest thing': 130342, 'demand say': 236172, 'say lucas': 738906, 'lucas fuess': 506430, 'fuess food': 340375, 'analyst with': 57196, 'with highground': 998816, 'highground dairy': 395880, 'dairy it': 225004, 'tough to': 926870, 'get number': 347679, 'number but': 576841, 'but would': 147942, 'would estimate': 1011792, 'estimate much': 282254, 'much 40': 544672, 'dairy go': 224992, 'into food': 442562, 'service channel': 752223, 'the biggest thing': 849682, 'biggest thing is': 130343, 'is the collapse': 452751, 'collapse in the': 186020, 'service demand say': 752282, 'demand say lucas': 236176, 'say lucas fuess': 738907, 'lucas fuess food': 506431, 'fuess food industry': 340376, 'food industry analyst': 315004, 'industry analyst with': 435626, 'analyst with highground': 57197, 'with highground dairy': 998817, 'highground dairy it': 395881, 'dairy it tough': 225005, 'it tough to': 461824, 'tough to get': 926872, 'to get number': 906545, 'get number but': 347680, 'number but would': 576842, 'but would estimate': 147945, 'would estimate much': 1011793, 'estimate much 40': 282255, 'much 40 of': 544673, '40 of dairy': 18623, 'of dairy go': 582324, 'dairy go into': 224993, 'go into food': 353746, 'into food service': 442564, 'food service channel': 316408, 'price who': 677532, 'thought in': 893092, '2008 when': 13703, 'oil touched': 597484, 'touched 145': 926591, '145 per': 3585, 'barrel that': 111284, 'that 12': 842431, '12 year': 2994, 'later the': 481134, 'same commodity': 733002, 'commodity would': 189346, 'would sell': 1012233, 'sell so': 748879, 'so cheap': 776748, 'cheap at': 174082, 'at nearly': 99861, 'nearly 20': 553766, '19 the collapse': 11177, 'oil price who': 597323, 'price who could': 677533, 'who could have': 988507, 'could have thought': 209270, 'have thought in': 383121, 'thought in 2008': 893093, 'in 2008 when': 419760, '2008 when oil': 13704, 'when oil touched': 983794, 'oil touched 145': 597485, 'touched 145 per': 926592, '145 per barrel': 3586, 'per barrel that': 650709, 'barrel that 12': 111285, 'that 12 year': 842432, '12 year later': 2995, 'year later the': 1014692, 'later the same': 481135, 'the same commodity': 866209, 'same commodity would': 733003, 'commodity would sell': 189347, 'would sell so': 1012234, 'sell so cheap': 748880, 'so cheap at': 776749, 'cheap at nearly': 174083, 'at nearly 20': 99862, 'nearly 20 per': 553768, '20 per barrel': 13251, 'housekeeper': 407003, 'guy learn': 369069, 'cook cannot': 202729, 'cannot stress': 162145, 'stress this': 813414, 'enough know': 277498, 'all earn': 42649, 'earn lot': 264792, 'spend enough': 788602, 'enough on': 277546, 'on cooking': 600105, 'cooking takeout': 202914, 'takeout but': 833140, 'but imagine': 146007, 'imagine quarantined': 416771, 'no cook': 563900, 'cook housekeeper': 202753, 'housekeeper to': 407004, 'avoid restaurant': 105252, 'limited action': 492596, 'action and': 29948, 'the partner': 863315, 'partner who': 642896, 'cook got': 202749, 'got sick': 358834, 'guy learn to': 369070, 'learn to cook': 484085, 'to cook cannot': 903479, 'cook cannot stress': 202730, 'cannot stress this': 162146, 'stress this enough': 813415, 'this enough know': 887389, 'enough know you': 277499, 'know you all': 477079, 'you all earn': 1016875, 'all earn lot': 42650, 'earn lot and': 264793, 'lot and make': 503984, 'and make lot': 66560, 'of money can': 586603, 'money can spend': 536661, 'can spend enough': 159696, 'spend enough on': 788603, 'enough on cooking': 277547, 'on cooking takeout': 600106, 'cooking takeout but': 202915, 'takeout but imagine': 833141, 'but imagine quarantined': 146009, 'imagine quarantined for': 416772, 'quarantined for few': 692855, 'week no cook': 976564, 'no cook housekeeper': 563901, 'cook housekeeper to': 202754, 'housekeeper to help': 407005, 'you avoid restaurant': 1017351, 'avoid restaurant food': 105253, 'restaurant food have': 716476, 'food have limited': 314786, 'have limited action': 381319, 'limited action and': 492597, 'action and the': 29954, 'and the partner': 73510, 'the partner who': 863317, 'partner who know': 642897, 'to cook got': 903483, 'cook got sick': 202750, 'hold that': 400011, 'that 100': 842428, 'person zoom': 652763, 'meeting dm': 527694, 'dm sale': 248925, 'of credential': 582127, 'credential now': 216268, 'at covid': 98355, 'want to hold': 966051, 'to hold that': 907917, 'hold that 100': 400012, 'that 100 person': 842430, '100 person zoom': 2034, 'person zoom meeting': 652764, 'zoom meeting dm': 1027812, 'meeting dm sale': 527695, 'dm sale of': 248926, 'sale of credential': 732388, 'of credential now': 582128, 'credential now at': 216269, 'now at covid': 574126, 'at covid 19': 98356, 'reup': 720139, 'hit giant': 398239, 'giant at': 349753, '6am for': 21556, 'the reup': 865756, 'reup it': 720140, 'crazy seeing': 215413, 'store damn': 807258, 'damn near': 225402, 'near empty': 553489, 'empty brand': 274810, 'brand if': 137862, 'product still': 681645, 'bulk right': 142354, 'it trash': 461845, 'trash everything': 930155, 'everything scarce': 287983, 'scarce except': 740781, 'vegan section': 953884, 'hit giant at': 398240, 'giant at 6am': 349754, 'at 6am for': 97721, '6am for the': 21557, 'for the reup': 326656, 'the reup it': 865757, 'reup it crazy': 720141, 'it crazy seeing': 457394, 'crazy seeing the': 215414, 'seeing the grocery': 746496, 'grocery store damn': 365320, 'store damn near': 807259, 'damn near empty': 225403, 'near empty brand': 553490, 'empty brand if': 274811, 'brand if your': 137864, 'your food product': 1023924, 'food product still': 316030, 'product still available': 681646, 'still available in': 800225, 'available in bulk': 104436, 'in bulk right': 421045, 'bulk right now': 142355, 'now it trash': 575135, 'it trash everything': 461846, 'trash everything scarce': 930156, 'everything scarce except': 287984, 'scarce except the': 740782, 'except the vegan': 289236, 'the vegan section': 870669, 'fvcking': 342568, 'excluding': 289634, 'me fvcking': 522796, 'fvcking break': 342569, 'break this': 138812, 'is manufactured': 449580, 'manufactured pandemic': 513408, 'crash school': 215031, 'closed business': 183021, 'activity grinding': 30431, 'worry your': 1010805, 'business excluding': 143720, 'excluding toilet': 289639, 'give me fvcking': 350572, 'me fvcking break': 522797, 'fvcking break this': 342570, 'break this is': 138814, 'this is manufactured': 888315, 'is manufactured pandemic': 449581, 'manufactured pandemic stock': 513409, 'market crash school': 516249, 'crash school closed': 215032, 'school closed business': 741729, 'closed business closed': 183023, 'closed and activity': 182980, 'and activity grinding': 57645, 'activity grinding to': 30432, 'to halt but': 907098, 'halt but not': 374427, 'but not to': 146575, 'not to worry': 572210, 'to worry your': 918845, 'worry your local': 1010806, 'for business excluding': 319832, 'business excluding toilet': 143721, 'excluding toilet paper': 289640, 'dallasnativeteam': 225145, 'dpmre': 257938, 'dallasrealestate': 225148, 'peoplefirst': 650602, 'elevatingrealestate': 271371, 'lastingrelationships': 480783, 'dallasnativelife': 225144, 'have appreciated': 379342, 'appreciated during': 82816, 'during of': 262823, 'recession dallasnativeteam': 704249, 'dallasnativeteam dpmre': 225146, 'dpmre realestate': 257939, 'realestate dallasrealestate': 701477, 'dallasrealestate peoplefirst': 225149, 'peoplefirst elevatingrealestate': 650603, 'elevatingrealestate lastingrelationships': 271372, 'lastingrelationships dallasnativelife': 480784, 'price have appreciated': 674412, 'have appreciated during': 379343, 'appreciated during of': 82817, 'during of the': 262824, 'last recession dallasnativeteam': 480470, 'recession dallasnativeteam dpmre': 704250, 'dallasnativeteam dpmre realestate': 225147, 'dpmre realestate dallasrealestate': 257940, 'realestate dallasrealestate peoplefirst': 701478, 'dallasrealestate peoplefirst elevatingrealestate': 225150, 'peoplefirst elevatingrealestate lastingrelationships': 650604, 'elevatingrealestate lastingrelationships dallasnativelife': 271373, 'from sport': 337382, 'sport league': 789943, 'league being': 483846, 'cancelled and': 161084, 'panic this': 638707, 'where shit': 985173, 'gotten real': 359163, 'is proof': 451097, 'proof that': 684011, 'ball right': 109065, 'that moment': 845198, 'apart from sport': 81274, 'from sport league': 337383, 'sport league being': 789944, 'league being cancelled': 483848, 'being cancelled and': 124922, 'cancelled and the': 161086, 'supermarket buying panic': 819473, 'buying panic this': 150869, 'panic this is': 638708, 'the moment for': 860754, 'moment for me': 535935, 'for me where': 323349, 'me where shit': 523953, 'where shit ha': 985174, 'shit ha gotten': 759121, 'ha gotten real': 370754, 'gotten real and': 359164, 'it is proof': 459050, 'is proof that': 451098, 'proof that covid': 684012, '19 ha the': 7396, 'ha the world': 372233, 'world by the': 1009392, 'by the ball': 154265, 'the ball right': 849221, 'ball right now': 109066, 'now what wa': 576386, 'what wa that': 982524, 'wa that moment': 963434, 'that moment for': 845200, 'moment for the': 535938, 'antivaxxers': 78581, 'one all': 605878, 'the karen': 858733, 'karen and': 470888, 'and antivaxxers': 58193, 'antivaxxers lining': 78582, 'get corona': 346814, 'virus vaccine': 958974, 'no one all': 564915, 'one all the': 605879, 'all the karen': 44801, 'the karen and': 858734, 'karen and antivaxxers': 470889, 'and antivaxxers lining': 58194, 'antivaxxers lining up': 78583, 'lining up to': 493769, 'to get corona': 906448, 'get corona virus': 346815, 'corona virus vaccine': 204371, 'maharashtrasainik': 508489, 'please pas': 660275, 'and confirmed': 60287, 'confirmed method': 194170, 'effective disinfectant': 269240, 'disinfectant at': 245620, 'skyrocketing if': 773428, 'becomes cheap': 120206, 'cheap more': 174148, 'more use': 540876, 'spreading suggestion': 791044, 'suggestion maharashtrasainik': 817653, 'please pas on': 660277, 'pas on the': 643133, 'on the guideline': 604153, 'the guideline and': 856928, 'guideline and confirmed': 368393, 'and confirmed method': 60288, 'confirmed method to': 194171, 'method to make': 529799, 'to make an': 909621, 'make an effective': 509676, 'an effective disinfectant': 55615, 'effective disinfectant at': 269241, 'disinfectant at home': 245622, 'at home price': 99087, 'are skyrocketing if': 90164, 'skyrocketing if it': 773429, 'if it becomes': 414289, 'it becomes cheap': 456774, 'becomes cheap more': 120207, 'cheap more use': 174149, 'more use le': 540878, 'use le chance': 949333, 'chance of virus': 171775, 'virus spreading suggestion': 958798, 'spreading suggestion maharashtrasainik': 791045, 'hallandale': 374364, 'my walmart': 550527, 'ha rice': 371758, 'rice next': 721082, 'more dry': 539081, 'dry good': 261270, 'bean be': 118304, 'like floridian': 490243, 'floridian and': 311025, 'food walmart': 317448, 'walmart hallandale': 965349, 'hallandale beach': 374365, 'my walmart ha': 550528, 'walmart ha rice': 965346, 'ha rice next': 371759, 'rice next thing': 721083, 'next thing they': 561588, 'thing they ll': 884850, 'they ll come': 882589, 'll come in': 496683, 'come in or': 187370, 'in or more': 426201, 'or more dry': 616168, 'more dry good': 539082, 'dry good like': 261273, 'good like pasta': 357332, 'like pasta and': 490971, 'pasta and bean': 643675, 'and bean be': 58777, 'bean be like': 118305, 'be like floridian': 115733, 'like floridian and': 490244, 'floridian and do': 311026, 'not panic food': 570910, 'panic food walmart': 638113, 'food walmart hallandale': 317449, 'walmart hallandale beach': 965350, 'republic africa': 713006, 'african republic africa': 35219, 'socialdista': 780037, 'but heard': 145910, 'heard all': 388057, 'boomer were': 134861, 'travel on': 930444, 'cheap flight': 174110, 'and infect': 65192, 'infect you': 436516, 'all meanwhile': 43478, 'of baby': 580493, 'baby boomer': 106575, 'boomer are': 134841, 'and afraid': 57749, 'store socialdista': 810246, 'but heard all': 145911, 'heard all the': 388058, 'all the boomer': 44676, 'the boomer were': 849855, 'boomer were going': 134862, 'going to travel': 355747, 'to travel on': 917734, 'travel on cheap': 930445, 'on cheap flight': 599888, 'cheap flight and': 174111, 'flight and infect': 310423, 'and infect you': 65193, 'infect you all': 436517, 'you all meanwhile': 1016891, 'all meanwhile the': 43479, 'meanwhile the majority': 525039, 'majority of baby': 509550, 'of baby boomer': 580494, 'baby boomer are': 106577, 'boomer are stuck': 134843, 'are stuck at': 90598, 'home and afraid': 400610, 'and afraid to': 57750, 'grocery store socialdista': 365781, '15 president': 3832, 'trump held': 933610, 'held phone': 388919, 'over two': 630869, 'two dozen': 936898, 'dozen grocery': 257880, 'discus on': 244881, 'going demand': 355104, 'supply march': 825538, '15 hhs': 3720, 'hhs announced': 394577, 'is projected': 451086, 'projected to': 683569, 'have million': 381471, 'million covid': 532117, 'test available': 838932, 'in 00': 419671, '00 lab': 293, 'lab this': 478306, 'march 15 president': 515076, '15 president trump': 3833, 'president trump held': 670939, 'trump held phone': 933611, 'held phone call': 388920, 'call with over': 156233, 'with over two': 1000043, 'over two dozen': 630870, 'two dozen grocery': 936899, 'dozen grocery store': 257881, 'store executive to': 807679, 'executive to discus': 289946, 'to discus on': 904379, 'discus on going': 244882, 'on going demand': 601131, 'going demand for': 355105, 'other supply march': 621041, 'supply march 15': 825539, 'march 15 hhs': 515075, '15 hhs announced': 3721, 'hhs announced it': 394578, 'it is projected': 459048, 'is projected to': 451087, 'projected to have': 683572, 'to have million': 907276, 'have million covid': 381472, 'million covid 19': 532118, '19 test available': 11070, 'test available in': 838934, 'available in 00': 104429, 'in 00 lab': 419672, '00 lab this': 294, 'lab this week': 478307, 'uncrustables': 939917, 'coronatime': 205296, 'more uncrustables': 540845, 'uncrustables coronatime': 939918, 'coronatime needfood': 205299, 'needfood uncrustables': 556597, 'so the grocery': 778428, 'store when are': 811236, 'when are all': 983167, 'are all gonna': 84309, 'all gonna get': 42969, 'gonna get more': 356532, 'get more uncrustables': 347603, 'more uncrustables coronatime': 540846, 'uncrustables coronatime needfood': 939919, 'coronatime needfood uncrustables': 205300, 'sova': 786934, 'nsa': 576655, 'cryptologist': 219994, 'mathematician': 520486, 'commission social': 188899, 'administration please': 32495, 'platform mark': 659004, 'mark allen': 515767, 'allen sova': 45743, 'sova nsa': 786935, 'nsa cryptologist': 576656, 'cryptologist analyst': 219995, 'analyst mathematician': 57153, 'mathematician avoiding': 520487, 'avoiding ssa': 105495, 'trade commission social': 928458, 'commission social security': 188900, 'security administration please': 744529, 'administration please share': 32496, 'this with everyone': 891459, 'with everyone on': 998292, 'everyone on all': 287229, 'on all your': 599258, 'all your social': 45584, 'your social medium': 1025855, 'medium platform mark': 527226, 'platform mark allen': 659005, 'mark allen sova': 515768, 'allen sova nsa': 45744, 'sova nsa cryptologist': 786936, 'nsa cryptologist analyst': 576657, 'cryptologist analyst mathematician': 219996, 'analyst mathematician avoiding': 57154, 'mathematician avoiding ssa': 520488, 'avoiding ssa scam': 105496, 'ssa scam during': 791633, 'scam during covid': 740140, 'onlineshoppingapps': 609947, 'lockdownshoppingapps': 500376, 'dear honorable': 229805, 'pm please': 661960, 'please lock': 660202, 'shopping app': 762051, 'app because': 81686, 'll look': 496890, 'this matter': 888782, 'matter lockdownnow': 520595, 'lockdownnow onlineshoppingapps': 500335, 'onlineshoppingapps lockdownshoppingapps': 609948, 'dear honorable pm': 229806, 'honorable pm please': 403269, 'pm please lock': 661961, 'please lock down': 660203, 'down the online': 257289, 'online shopping app': 609032, 'shopping app because': 762052, 'app because they': 81688, 'because they may': 119709, 'they may be': 882660, 'may be one': 521014, 'the reason to': 865279, 'reason to deliver': 703022, 'deliver the covid': 233227, '19 hope you': 7576, 'you ll look': 1019662, 'll look into': 496891, 'into this matter': 443217, 'this matter lockdownnow': 888784, 'matter lockdownnow onlineshoppingapps': 520596, 'lockdownnow onlineshoppingapps lockdownshoppingapps': 500336, 'it start': 461218, 'the potty': 864135, 'potty training': 667275, 'it start the': 461221, 'start the potty': 794556, 'the potty training': 864136, 'ever picked': 285449, 'wrong item': 1013053, 'notice until': 573387, 'home quarantinelife': 401942, 'you ever picked': 1018460, 'ever picked up': 285450, 'picked up the': 655820, 'up the wrong': 946228, 'the wrong item': 872104, 'wrong item from': 1013054, 'store and not': 806308, 'and not notice': 67760, 'not notice until': 570702, 'notice until you': 573388, 'until you got': 943941, 'you got home': 1018899, 'got home quarantinelife': 358615, 'sip': 771520, 'despite pandemic': 238814, 'pandemic worry': 637052, 'worry investor': 1010735, 'investor buying': 444123, 'market dip': 516290, 'dip and': 243169, 'and steady': 72328, 'steady sip': 799146, 'sip flow': 771521, 'flow lead': 311245, 'to largest': 909056, 'monthly flow': 538169, 'flow into': 311239, 'into equity': 442542, 'equity fund': 279938, 'fund investor': 341437, 'investor also': 444098, 'also joined': 48443, 'the gold': 856412, 'gold rush': 355996, 'rush hedge': 728297, 'hedge and': 388715, 'and tracking': 74340, 'tracking sharp': 928357, 'sharp gain': 755687, 'gain in': 342778, 'the yellow': 872182, 'yellow metal': 1015266, 'despite pandemic worry': 238816, 'pandemic worry investor': 637053, 'worry investor buying': 1010736, 'investor buying at': 444124, 'buying at market': 149967, 'at market dip': 99683, 'market dip and': 516291, 'dip and steady': 243170, 'and steady sip': 72330, 'steady sip flow': 799147, 'sip flow lead': 771522, 'flow lead to': 311246, 'lead to largest': 483360, 'to largest monthly': 909057, 'largest monthly flow': 479982, 'monthly flow into': 538170, 'flow into equity': 311240, 'into equity fund': 442543, 'equity fund investor': 279941, 'fund investor also': 341438, 'investor also joined': 444099, 'also joined in': 48444, 'joined in the': 466938, 'in the gold': 429237, 'the gold rush': 856415, 'gold rush hedge': 355997, 'rush hedge and': 728298, 'hedge and tracking': 388716, 'and tracking sharp': 74341, 'tracking sharp gain': 928358, 'sharp gain in': 755688, 'gain in the': 342780, 'in the yellow': 429699, 'the yellow metal': 872183, 'yellow metal price': 1015267, 'pulp': 688962, 'only orange': 610921, 'orange juice': 617919, 'juice ha': 467746, 'ha pulp': 371580, 'pulp the': 688967, 'only sour': 611171, 'cream is': 215559, 'is light': 449306, 'light this': 489609, 'is truly': 453376, 'truly the': 933351, 'the only orange': 862325, 'only orange juice': 610923, 'orange juice ha': 617920, 'juice ha pulp': 467747, 'ha pulp the': 371581, 'pulp the only': 688968, 'the only sour': 862342, 'only sour cream': 611172, 'sour cream is': 786435, 'cream is light': 215560, 'is light this': 449307, 'light this is': 489610, 'this is truly': 888438, 'is truly the': 453380, 'truly the end': 933352, 'barmy': 111125, 'chilloutforfucksake': 176421, 'fuck everything': 339561, 'the stockpile': 867941, 'of barmy': 580557, 'barmy bastard': 111126, 'bastard so': 112501, 'so tesco': 778343, 'ha resorted': 371740, 'to taking': 916270, 'taking out': 833486, 'unsold christmas': 943501, 'christmas food': 178173, 'food chilloutforfucksake': 313929, 'fuck everything that': 339562, 'everything that left': 288030, 'that left on': 844867, 'the shelf because': 866826, 'shelf because of': 756878, 'all the stockpile': 44925, 'the stockpile of': 867942, 'stockpile of barmy': 803781, 'of barmy bastard': 580558, 'barmy bastard so': 111127, 'bastard so tesco': 112502, 'so tesco ha': 778344, 'tesco ha resorted': 838710, 'ha resorted to': 371741, 'resorted to taking': 714687, 'to taking out': 916272, 'taking out their': 833490, 'out their unsold': 627456, 'their unsold christmas': 875084, 'unsold christmas food': 943502, 'christmas food chilloutforfucksake': 178174, 'equation': 279645, 'period everything': 651754, 'everything became': 287705, 'became expensive': 118869, 'expensive the': 291286, 'gone beyond': 356226, 'beyond acceptable': 129126, 'acceptable limit': 28022, 'make matter': 510123, 'matter worse': 520668, 'worse wholesale': 1011048, 'wholesale trade': 990495, 'trade is': 928517, 'demand equation': 235293, 'equation ha': 279646, 'completely disrupted': 192268, 'disrupted 19': 246387, 'this period everything': 889517, 'period everything became': 651755, 'everything became expensive': 287706, 'became expensive the': 118870, 'expensive the price': 291287, 'price of almost': 675403, 'of almost all': 580011, 'almost all good': 46533, 'all good have': 42977, 'good have increased': 357167, 'increased price have': 433415, 'have gone beyond': 380789, 'gone beyond acceptable': 356227, 'beyond acceptable limit': 129127, 'acceptable limit and': 28023, 'limit and to': 492288, 'to make matter': 909691, 'make matter worse': 510124, 'matter worse wholesale': 520672, 'worse wholesale trade': 1011049, 'wholesale trade is': 990496, 'trade is closed': 928520, 'closed the supply': 183373, 'and demand equation': 61151, 'demand equation ha': 235294, 'equation ha been': 279647, 'ha been completely': 369752, 'been completely disrupted': 120855, 'completely disrupted 19': 192269, 'comeonboris': 187793, 'comeonboris bet': 187794, 'comeonboris bet you': 187795, 'bet you never': 128130, 'you never had': 1020077, 'never had to': 558042, 'and get your': 63614, 'get your own': 348720, 'own food from': 631997, 'fml': 311769, 'only wish': 611482, 'wish is': 996773, 'those asshole': 891817, 'asshole dearcustomer': 96523, 'dearcustomer is': 229928, 'giving employee': 351277, 'employee hard': 273912, 'time about': 896192, 'an item': 56494, 'item going': 463300, 'them excited': 875673, 'excited retailproblems': 289555, 'retailproblems retaillife': 719532, 'retaillife customer': 719494, 'customer shopping': 222848, 'shopping fml': 762645, 'fml grocerystoreworkers': 311772, 'my only wish': 549595, 'only wish is': 611483, 'wish is to': 996774, 'is to at': 453180, 'store when one': 811246, 'when one of': 983800, 'of those asshole': 592081, 'those asshole dearcustomer': 891818, 'asshole dearcustomer is': 96524, 'dearcustomer is giving': 229929, 'is giving employee': 448060, 'giving employee hard': 351278, 'employee hard time': 273913, 'hard time about': 378027, 'time about being': 896193, 'about being out': 24869, 'out of an': 626678, 'of an item': 580123, 'an item going': 56495, 'item going to': 463301, 'going to blow': 355541, 'blow up on': 133365, 'on them excited': 604533, 'them excited retailproblems': 875674, 'excited retailproblems retaillife': 289556, 'retailproblems retaillife customer': 719533, 'retaillife customer shopping': 719495, 'customer shopping fml': 222849, 'shopping fml grocerystoreworkers': 762646, 'foodproduction': 318045, 'will prioritize': 994457, 'core item': 203521, 'done across': 254757, 'the portfolio': 864048, 'highest demand': 395820, 'met immediately': 529580, 'immediately vp': 417172, 'vp at': 960704, 'at foodsupply': 98681, 'foodsupply foodproduction': 318202, 'we will prioritize': 973890, 'will prioritize the': 994459, 'prioritize the core': 678452, 'the core item': 851735, 'core item and': 203522, 'item and that': 463077, 'and that we': 73218, 'we have done': 971801, 'have done across': 380322, 'done across the': 254758, 'across the portfolio': 29513, 'the portfolio to': 864049, 'portfolio to make': 665014, 'that the highest': 846745, 'the highest demand': 857338, 'highest demand is': 395821, 'is met immediately': 449639, 'met immediately vp': 529581, 'immediately vp at': 417173, 'vp at foodsupply': 960705, 'at foodsupply foodproduction': 98682, 'are determined': 85804, 'the course': 852211, 'keep feeding': 471500, 'the hungry': 857750, 'our supporter': 625050, 'supporter to': 827097, 'donating money': 254478, 'online adding': 607777, 'adding item': 31678, 'supermarket collection': 819735, 'collection bin': 186417, 'bin when': 131049, 'we are determined': 970525, 'are determined to': 85805, 'determined to stay': 239465, 'to stay the': 915322, 'stay the course': 797344, 'the course and': 852212, 'course and keep': 211836, 'and keep feeding': 65758, 'keep feeding the': 471501, 'feeding the hungry': 302483, 'the hungry during': 857752, 'hungry during but': 411241, 'need you our': 556262, 'you our supporter': 1020253, 'our supporter to': 625051, 'supporter to you': 827098, 'can still help': 159779, 'still help by': 800691, 'help by donating': 389465, 'by donating money': 152405, 'donating money online': 254479, 'money online adding': 536945, 'online adding item': 607778, 'adding item to': 31679, 'item to our': 463763, 'our supermarket collection': 625012, 'supermarket collection bin': 819736, 'collection bin when': 186418, 'bin when shopping': 131050, 'when shopping for': 984020, 'collaborated': 185911, 'rj': 724236, 'deriving': 237868, 'internet analyst': 441902, 'analyst aaron': 57096, 'aaron kessler': 24149, 'kessler collaborated': 473165, 'collaborated with': 185912, 'with most': 999570, 'the rj': 865907, 'rj consumer': 724237, 'analyst to': 57186, 'to publish': 912485, 'publish covid': 688629, 'consumer rj': 198836, 'survey updated': 828976, 'updated sector': 947433, 'sector thought': 744359, 'thought concerning': 893002, 'concerning consumer': 193238, 'impact deriving': 417632, 'deriving from': 237869, 'internet analyst aaron': 441903, 'analyst aaron kessler': 57097, 'aaron kessler collaborated': 24150, 'kessler collaborated with': 473166, 'collaborated with most': 185913, 'with most of': 999571, 'of the rj': 591423, 'the rj consumer': 865908, 'rj consumer analyst': 724238, 'consumer analyst to': 196195, 'analyst to publish': 57187, 'to publish covid': 912486, 'publish covid 19': 688630, 'the consumer rj': 851590, 'consumer rj consumer': 198837, 'rj consumer survey': 724239, 'consumer survey updated': 199198, 'survey updated sector': 828977, 'updated sector thought': 947434, 'sector thought concerning': 744360, 'thought concerning consumer': 893003, 'concerning consumer reaction': 193239, 'consumer reaction and': 198645, 'reaction and plan': 700190, 'and plan in': 69061, 'plan in response': 658153, 'response to economic': 715844, 'to economic impact': 904929, 'economic impact deriving': 267130, 'impact deriving from': 417633, 'deriving from covid': 237870, 'highered': 395804, 'readjust': 700831, 'now his': 574935, 'his point': 397711, 'point about': 662401, 'about refunding': 26066, 'refunding student': 706996, 'student is': 814712, 'is fair': 447713, 'mean is': 524499, 'it isolated': 459159, 'isolated to': 455034, 'the highered': 857334, 'highered system': 395805, 'system education': 831156, 'system readjust': 831298, 'readjust to': 700832, 'treat student': 930886, 'student consumer': 814662, 'consumer they': 199279, 'expect consumer': 290615, 'now his point': 574936, 'his point about': 397712, 'point about refunding': 662402, 'about refunding student': 26067, 'refunding student is': 706997, 'student is fair': 814713, 'is fair one': 447714, 'fair one and': 296360, 'one and by': 605895, 'and by no': 59377, 'no mean is': 564742, 'mean is it': 524502, 'is it isolated': 449032, 'it isolated to': 459160, 'isolated to the': 455036, 'to the highered': 916774, 'the highered system': 857335, 'highered system education': 395806, 'system education system': 831157, 'education system readjust': 268872, 'system readjust to': 831299, 'readjust to the': 700833, 'impact of if': 417778, 'to treat student': 917759, 'treat student consumer': 930887, 'student consumer they': 814663, 'consumer they ll': 199281, 'll come to': 496684, 'come to expect': 187568, 'to expect consumer': 905444, 'expect consumer right': 290618, 'ftse100': 339487, 'heavy ftse100': 388641, 'ftse100 on': 339491, 'thursday although': 895342, 'fragile britain': 330886, 'britain saw': 140437, 'plunge the': 661459, 'economy into': 267980, 'into deep': 442508, 'commodity heavy ftse100': 189188, 'heavy ftse100 on': 388642, 'ftse100 on thursday': 339492, 'on thursday although': 604665, 'thursday although the': 895343, 'wa fragile britain': 962168, 'fragile britain saw': 330887, 'britain saw record': 140438, 'pandemic that threatens': 636655, 'that threatens to': 847028, 'threatens to plunge': 893865, 'to plunge the': 911837, 'plunge the world': 661462, 'world economy into': 1009507, 'economy into deep': 267981, 'into deep recession': 442510, 'singleton': 771445, 'wooden': 1004289, 'noticed empty': 573434, 'recently elaine': 704087, 'elaine singleton': 270480, 'singleton director': 771446, 'the monica': 860836, 'monica wooden': 537260, 'wooden center': 1004290, 'management amp': 512527, 'amp sustainability': 54608, 'sustainability explains': 829763, 'chain 19': 170431, 'you noticed empty': 1020147, 'noticed empty shelf': 573435, 'store recently elaine': 809773, 'recently elaine singleton': 704088, 'elaine singleton director': 270481, 'singleton director of': 771447, 'director of the': 243657, 'of the monica': 591250, 'the monica wooden': 860837, 'monica wooden center': 537261, 'wooden center for': 1004291, 'center for supply': 169209, 'chain management amp': 170911, 'management amp sustainability': 512528, 'amp sustainability explains': 54609, 'sustainability explains the': 829764, 'explains the demand': 292233, 'demand shock in': 236199, 'shock in the': 759460, 'supply chain 19': 824899, 'shopnaw': 761250, 'safeshop': 730417, 'take that': 832629, 'that bold': 843005, 'bold step': 134097, 'all cost': 42464, 'cost choose': 207886, 'choose the': 177904, 'the smart': 867375, 'smart way': 775449, 'from shopnaw': 337266, 'shopnaw and': 761251, 'it delivered': 457503, 'doorstep with': 255876, 'with precautionary': 1000286, 'precautionary hygienic': 669415, 'hygienic measure': 412220, 'measure shopnaw': 525330, 'shopnaw convenient': 761253, 'shopping shopnaw': 763870, 'shopnaw safeshop': 761255, 'safeshop onlineshopping': 730418, 'shopping safety': 763799, 'take that bold': 832630, 'that bold step': 843006, 'bold step to': 134098, 'step to stay': 799668, 'stay safe at': 797212, 'safe at all': 729501, 'at all cost': 97877, 'all cost choose': 42465, 'cost choose the': 207887, 'choose the smart': 177906, 'the smart way': 867376, 'smart way to': 775450, 'to buy item': 902254, 'buy item shop': 148871, 'item shop online': 463632, 'online from shopnaw': 608273, 'from shopnaw and': 337267, 'shopnaw and get': 761252, 'get it delivered': 347402, 'it delivered to': 457506, 'your doorstep with': 1023593, 'doorstep with precautionary': 255878, 'with precautionary hygienic': 1000287, 'precautionary hygienic measure': 669416, 'hygienic measure shopnaw': 412221, 'measure shopnaw convenient': 525331, 'shopnaw convenient shopping': 761254, 'convenient shopping shopnaw': 202415, 'shopping shopnaw safeshop': 763871, 'shopnaw safeshop onlineshopping': 761256, 'safeshop onlineshopping shopping': 730419, 'onlineshopping shopping safety': 609937, 'arrested earlier': 93832, 'telling her': 837200, 'carrier new': 164998, 'jersey gov': 465207, 'gov phil': 359659, 'phil murphy': 654682, 'murphy said': 546208, 'an afternoon': 55179, 'afternoon press': 36707, 'conference that': 193760, 'man got': 512073, 'got into': 358638, 'jersey man wa': 465218, 'wa arrested earlier': 961584, 'arrested earlier this': 93833, 'this week after': 891182, 'week after allegedly': 975822, 'coughing on supermarket': 208725, 'on supermarket employee': 603786, 'employee and telling': 273587, 'and telling her': 73102, 'telling her he': 837201, 'her he wa': 392100, 'he wa covid': 385593, '19 carrier new': 5657, 'carrier new jersey': 164999, 'new jersey gov': 558972, 'jersey gov phil': 465208, 'gov phil murphy': 359660, 'phil murphy said': 654683, 'murphy said tuesday': 546209, 'said tuesday at': 731541, 'tuesday at an': 935128, 'at an afternoon': 97973, 'an afternoon press': 55180, 'afternoon press conference': 36708, 'press conference that': 671037, 'conference that the': 193762, 'that the man': 846768, 'the man got': 859976, 'man got into': 512074, 'got into an': 358639, 'mikayla': 531264, 'scanning million': 740745, 'of listing': 585887, 'listing on': 494866, 'site with': 772067, 'with urgency': 1001927, 'end any': 275773, 'are attempting': 84695, 'info mikayla': 437517, 'we are scanning': 970698, 'are scanning million': 89838, 'scanning million of': 740746, 'million of listing': 532275, 'of listing on': 585888, 'listing on our': 494868, 'our site with': 624791, 'site with urgency': 772069, 'with urgency to': 1001928, 'urgency to end': 948307, 'to end any': 905072, 'end any that': 275774, 'that are attempting': 842717, 'are attempting to': 84696, 'attempting to profit': 102287, 'from the current': 337664, 'current health crisis': 221223, 'health crisis visit': 386355, 'crisis visit for': 218325, 'visit for more': 959252, 'more info mikayla': 539558, 'engage local': 276861, 'local milkman': 498184, 'milkman he': 531935, 'doesn just': 251853, 'but bread': 145314, 'bread cheese': 138438, 'essential delivers': 280963, 'delivers early': 233587, 'into contact': 442483, 'contact plus': 200183, 'it helping': 458557, 'keep job': 471628, 'morning it good': 541320, 'it good time': 458305, 'time to engage': 897983, 'to engage local': 905124, 'engage local milkman': 276862, 'local milkman he': 498185, 'milkman he doesn': 531936, 'he doesn just': 384909, 'doesn just have': 251855, 'just have milk': 468934, 'have milk but': 381469, 'milk but bread': 531613, 'but bread cheese': 145315, 'bread cheese and': 138439, 'cheese and other': 175169, 'other essential delivers': 620157, 'essential delivers early': 280964, 'delivers early and': 233588, 'early and so': 264544, 'and so no': 71848, 'need to come': 555890, 'come into contact': 187388, 'into contact plus': 442486, 'contact plus it': 200184, 'plus it helping': 661628, 'it helping to': 458559, 'helping to make': 391529, 'make and keep': 509689, 'and keep job': 65766, 'torwards': 926061, 'caused many': 167907, 'to pivot': 911744, 'pivot torwards': 657105, 'torwards ecommerce': 926062, 'an unforeseen': 56860, 'unforeseen spike': 941548, 'order how': 618300, 'business handling': 143816, 'handling inventory': 376355, 'shipping official': 758875, 'ha caused many': 370087, 'caused many business': 167908, 'many business to': 513851, 'business to pivot': 144547, 'to pivot torwards': 911746, 'pivot torwards ecommerce': 657106, 'torwards ecommerce and': 926063, 'shopping with an': 764425, 'with an unforeseen': 997231, 'an unforeseen spike': 56861, 'unforeseen spike in': 941549, 'spike in online': 789305, 'in online order': 426169, 'online order how': 608693, 'order how is': 618301, 'how is your': 408119, 'is your business': 454137, 'your business handling': 1023060, 'business handling inventory': 143817, 'handling inventory and': 376356, 'inventory and shipping': 443645, 'and shipping official': 71476, 'replaces': 711627, '360': 18030, 'if retailer': 414738, 'retailer didn': 719107, 'place before': 657348, 'should look': 766199, 'at implementing': 99264, 'implementing it': 418509, 'use uber': 949777, 'uber lyft': 937822, 'some pick': 783562, 'ups delivery': 947736, 'the curbside': 852583, 'curbside replaces': 220667, 'replaces the': 711628, 'retailer digital': 719110, 'digital commerce': 242526, 'commerce 360': 188508, 'if retailer didn': 414739, 'retailer didn have': 719108, 'didn have this': 241102, 'have this in': 383103, 'this in place': 888053, 'in place before': 426723, 'place before covid': 657349, 'they should look': 883374, 'should look at': 766200, 'look at implementing': 502270, 'at implementing it': 99265, 'implementing it use': 418510, 'it use uber': 461994, 'use uber lyft': 949778, 'uber lyft driver': 937823, 'lyft driver for': 507053, 'driver for some': 259569, 'for some pick': 325761, 'some pick ups': 783563, 'pick ups delivery': 655781, 'ups delivery during': 947737, 'coronavirus crisis the': 205771, 'crisis the curbside': 218167, 'the curbside replaces': 852584, 'curbside replaces the': 220668, 'replaces the store': 711629, 'for some retailer': 325764, 'some retailer digital': 783766, 'retailer digital commerce': 719111, 'digital commerce 360': 242527, 'perception and': 651229, 'and attitude': 58511, 'ha free': 370678, 'available resource': 104568, 'industry professional': 436056, 'consumer perception and': 198350, 'perception and attitude': 651230, 'and attitude research': 58514, 'attitude research ha': 102583, 'research ha free': 713747, 'ha free and': 370679, 'free and available': 331642, 'and available resource': 58549, 'available resource for': 104570, 'resource for travel': 714792, 'for travel industry': 327327, 'travel industry professional': 930401, 'hortons': 404236, 'ontario man': 611611, 'man soak': 512239, 'soak coffee': 778879, 'spray in': 790298, 'in tim': 430071, 'tim hortons': 896156, 'hortons drive': 404237, 'thru video': 895241, 'video ridiculous': 956880, 'ridiculous if': 721556, 'worried why': 1010606, 'place onpoli': 657625, 'ontario man soak': 611612, 'man soak coffee': 512240, 'soak coffee in': 778880, 'coffee in sanitizer': 185500, 'in sanitizer spray': 427693, 'sanitizer spray in': 735784, 'spray in tim': 790300, 'in tim hortons': 430072, 'tim hortons drive': 896157, 'hortons drive thru': 404238, 'drive thru video': 259210, 'thru video ridiculous': 895242, 'video ridiculous if': 956881, 'ridiculous if you': 721557, 're that worried': 699686, 'that worried why': 847673, 'worried why buy': 1010607, 'why buy the': 990854, 'buy the coffee': 149287, 'the coffee in': 851132, 'coffee in the': 185501, 'first place onpoli': 308868, 'hybrid': 411894, 'underweighting': 940989, 'overweighting': 631702, 'my hybrid': 548807, 'hybrid investor': 411895, 'investor how': 444166, 'are underweighting': 91307, 'underweighting consumer': 940990, 'discretionary and': 244762, 'and overweighting': 68590, 'overweighting the': 631703, 'sector investing': 744238, 'investing stockmarket': 443947, 'stockmarket 19': 803642, 'all my hybrid': 43559, 'my hybrid investor': 548808, 'hybrid investor how': 411896, 'investor how many': 444167, 'how many are': 408242, 'many are underweighting': 513784, 'are underweighting consumer': 91308, 'underweighting consumer discretionary': 940991, 'consumer discretionary and': 197214, 'discretionary and overweighting': 244764, 'and overweighting the': 68591, 'overweighting the consumer': 631704, 'the consumer staple': 851600, 'staple and healthcare': 793899, 'and healthcare sector': 64380, 'healthcare sector investing': 387273, 'sector investing stockmarket': 744239, 'investing stockmarket 19': 443948, 'lombardy': 500998, 'with kill': 999147, 'beast shop': 118498, 'here lombardy': 393311, 'lombardy distantimauniti': 501001, 'war cultural': 966405, 'cultural staystrong': 220274, 'breakfast with kill': 138904, 'with kill the': 999148, 'the beast shop': 849402, 'beast shop here': 118499, 'shop here lombardy': 760277, 'here lombardy distantimauniti': 393312, 'lombardy distantimauniti italy': 501002, 'online war cultural': 609692, 'war cultural staystrong': 966406, 'cultural staystrong rock': 220275, 'wa six': 963233, 'six year': 772719, 'old when': 598533, 'when 11': 983103, '11 happened': 2530, 'happened don': 377233, 'remember much': 710234, 'wa 11': 961344, '11 like': 2552, 'closing everyone': 183631, 'everyone staying': 287410, 'home grocery': 401312, 'wa six year': 963234, 'six year old': 772720, 'year old when': 1014877, 'old when 11': 598534, 'when 11 happened': 983104, '11 happened don': 2531, 'happened don remember': 377234, 'don remember much': 253867, 'remember much of': 710235, 'of it wa': 585463, 'it wa 11': 462053, 'wa 11 like': 961345, '11 like this': 2553, 'like this all': 491466, 'this all store': 886271, 'all store closing': 44491, 'store closing everyone': 807073, 'closing everyone staying': 183632, 'everyone staying home': 287411, 'staying home grocery': 798610, 'home grocery store': 401314, 'hesitated': 394282, 'checkout lady': 174939, 'being nice': 125452, 'her she': 392362, 'she hesitated': 756122, 'hesitated body': 394283, 'body language': 133865, 'language changing': 479484, 'changing before': 172654, 'before saying': 123052, 'saying most': 739646, 'people understand': 650046, 'understand we': 940799, 'have limit': 381314, 'product now': 681443, 'so gonna': 777180, 'gonna take': 356632, 'no stop': 565584, 'being rude': 125702, 'rude it': 727040, 'the checkout lady': 850765, 'checkout lady at': 174940, 'supermarket if people': 820834, 'are being nice': 84888, 'being nice to': 125454, 'nice to her': 562490, 'to her she': 907706, 'her she hesitated': 392364, 'she hesitated body': 756123, 'hesitated body language': 394284, 'body language changing': 133866, 'language changing before': 479485, 'changing before saying': 172655, 'before saying most': 123053, 'saying most people': 739647, 'most people understand': 542628, 'people understand we': 650047, 'understand we have': 940801, 'we have limit': 971855, 'have limit on': 381315, 'limit on product': 492421, 'on product now': 602954, 'product now so': 681446, 'now so gonna': 575848, 'so gonna take': 777181, 'gonna take that': 356635, 'take that no': 832633, 'that no stop': 845364, 'no stop being': 565585, 'stop being rude': 804494, 'being rude it': 125704, 'rude it not': 727041, 'czkrapgyfg': 224161, 'reporting 12': 712654, 'fraud loss': 331303, '2020 http': 14375, 'co czkrapgyfg': 184824, 'consumer are reporting': 196305, 'are reporting 12': 89597, 'reporting 12 million': 712656, '12 million in': 2885, 'million in covid': 532187, '19 related fraud': 10052, 'related fraud loss': 708451, 'fraud loss since': 331305, 'january 2020 http': 464633, '2020 http co': 14376, 'http co czkrapgyfg': 409757, 'alrea': 47171, 'yep ra': 1015344, 'ra lupus': 695121, 'lupus already': 506812, 'already habe': 47386, 'habe heard': 372532, 'to het': 907722, 'het their': 394299, 'their med': 873931, 'med filled': 525890, 'my ra': 549883, 'ra support': 695125, 'group if': 366733, 'indeed the': 434010, 'the med': 860389, 'med is': 525902, 'positive treatment': 665474, 'treatment pharma': 931124, 'pharma comp': 654019, 'comp better': 190310, 'better ramp': 128440, 'like ve': 491716, 've alrea': 952818, 'yep ra lupus': 1015345, 'ra lupus already': 695122, 'lupus already habe': 506813, 'already habe heard': 47387, 'habe heard of': 372533, 'heard of people': 388123, 'of people not': 587953, 'people not being': 648863, 'able to het': 24492, 'to het their': 907723, 'het their med': 394300, 'their med filled': 873932, 'med filled in': 525891, 'filled in my': 305541, 'in my ra': 425618, 'my ra support': 549885, 'ra support group': 695126, 'support group if': 826552, 'group if indeed': 366734, 'if indeed the': 414260, 'indeed the med': 434011, 'the med is': 860390, 'med is positive': 525903, 'is positive treatment': 450939, 'positive treatment pharma': 665475, 'treatment pharma comp': 931125, 'pharma comp better': 654020, 'comp better ramp': 190311, 'better ramp up': 128441, 'up production not': 945854, 'production not hike': 682136, 'not hike up': 569969, 'hike up price': 396291, 'up price like': 945822, 'price like ve': 675049, 'like ve alrea': 491717, 'spread at': 790434, 'death is being': 230095, 'being spread at': 125847, 'spread at supermarket': 790436, 'outoftoiletpaper': 629202, 'wellcrap': 978806, 'ohshittheregoestheplanet': 596573, 'welp that': 978879, 'that wrap': 847695, 'wrap good': 1012657, 'day folk': 227605, 'folk corona': 312128, 'corona cov': 203897, 'toiletpapercrisis outoftoiletpaper': 923045, 'outoftoiletpaper wellcrap': 629203, 'wellcrap crap': 978807, 'crap ohshittheregoestheplanet': 214902, 'welp that wrap': 978880, 'that wrap good': 847696, 'wrap good day': 1012658, 'good day folk': 356946, 'day folk corona': 227606, 'folk corona cov': 312129, 'corona cov d19': 203898, 'cov d19 toiletpaper': 212120, 'd19 toiletpaper toiletpapercrisis': 224191, 'toiletpaper toiletpapercrisis outoftoiletpaper': 922657, 'toiletpapercrisis outoftoiletpaper wellcrap': 923046, 'outoftoiletpaper wellcrap crap': 629204, 'wellcrap crap ohshittheregoestheplanet': 978808, 'amid report': 52620, 'deposit please': 237508, 'following and': 312684, 'sure older': 827640, 'your circle': 1023222, 'circle know': 178610, 'these new': 880335, 'scam too': 740429, 'too 19': 924558, 'coronavirus consumer protection': 205684, 'protection amid report': 685311, 'amid report that': 52622, 'that the federal': 846727, 'federal government may': 301998, 'direct deposit please': 243313, 'deposit please be': 237509, 'the following and': 855496, 'following and make': 312687, 'make sure older': 510520, 'sure older people': 827642, 'people in your': 648456, 'in your circle': 431067, 'your circle know': 1023223, 'circle know about': 178611, 'know about these': 476226, 'about these new': 26611, 'these new scam': 880341, 'new scam too': 559548, 'scam too 19': 740430, 'is how covid': 448572, 'suitcase': 817818, 'moco': 535146, 'just loaded': 469178, 'loaded up': 497321, 'local wine': 498704, 'store sister': 810196, 'is headed': 448354, 'headed back': 385893, 'to philly': 911701, 'philly and': 654766, 'closed she': 183326, 'driving with': 260039, 'with suitcase': 1001045, 'suitcase full': 817821, 'liquor her': 494176, 'her clothes': 391943, 'now stuffed': 575927, 'stuffed in': 815284, 'in paper': 426496, 'bag can': 108252, 'buy alcohol': 148283, 'in moco': 425385, 'moco md': 535147, 'md stay': 522290, 'just loaded up': 469179, 'loaded up at': 497322, 'at local wine': 99612, 'local wine store': 498706, 'wine store sister': 995908, 'store sister is': 810197, 'sister is headed': 771759, 'is headed back': 448355, 'headed back to': 385895, 'back to philly': 107388, 'to philly and': 911702, 'philly and liquor': 654767, 'and liquor store': 66218, 'are closed she': 85365, 'closed she is': 183327, 'she is driving': 756151, 'is driving with': 447394, 'driving with suitcase': 260040, 'with suitcase full': 1001046, 'suitcase full of': 817822, 'full of liquor': 340738, 'of liquor her': 585881, 'liquor her clothes': 494177, 'her clothes are': 391944, 'clothes are now': 184143, 'are now stuffed': 88599, 'now stuffed in': 575928, 'stuffed in paper': 815285, 'in paper bag': 426497, 'paper bag can': 639920, 'bag can buy': 108253, 'can buy alcohol': 157810, 'buy alcohol in': 148285, 'alcohol in grocery': 41030, 'store in moco': 808342, 'in moco md': 425386, 'moco md stay': 535148, 'md stay safe': 522291, 'algorithmic': 41671, 'systemically': 831418, 'streamed': 812792, 'only signal': 611143, 'signal the': 769318, 'non automated': 566301, 'automated process': 103964, 'process going': 679905, 'forward everything': 329979, 'be algorithmic': 113544, 'algorithmic and': 41672, 'and systemically': 72942, 'systemically computer': 831419, 'computer oriented': 192751, 'oriented amazon': 619517, 'delivery warehouse': 234722, 'warehouse will': 966806, 'supermarket most': 821537, 'most movie': 542517, 'movie won': 544102, 'shown live': 767603, 'live but': 495758, 'but streamed': 147197, 'streamed from': 812795, '19 only signal': 9001, 'only signal the': 611144, 'signal the end': 769319, 'end of non': 275908, 'of non automated': 587053, 'non automated process': 566302, 'automated process going': 103965, 'process going forward': 679906, 'going forward everything': 355159, 'forward everything will': 329980, 'will be algorithmic': 992349, 'be algorithmic and': 113545, 'algorithmic and systemically': 41673, 'and systemically computer': 72943, 'systemically computer oriented': 831420, 'computer oriented amazon': 192752, 'oriented amazon delivery': 619518, 'amazon delivery warehouse': 50912, 'delivery warehouse will': 234723, 'warehouse will become': 966808, 'will become the': 992802, 'become the supermarket': 120166, 'the supermarket most': 868705, 'supermarket most movie': 821539, 'most movie won': 542518, 'movie won be': 544103, 'won be shown': 1003749, 'be shown live': 117173, 'shown live but': 767604, 'live but streamed': 495759, 'but streamed from': 147198, 'streamed from the': 812796, 'from the home': 337744, 'protection commission': 685380, 'commission covid': 188804, 'temporary merger': 837668, 'merger notification': 529104, 'notification process': 573538, 'consumer protection commission': 198518, 'protection commission covid': 685381, 'commission covid 19': 188805, '19 temporary merger': 11065, 'temporary merger notification': 837669, 'merger notification process': 529105, 'american meat': 52087, 'meat institute': 525629, 'institute said': 440430, 'said thursday': 731505, 'that meat': 845131, 'poultry producer': 667340, 'are leaning': 87743, 'leaning in': 483899, 'continue effort': 201027, 'meat under': 525786, 'under difficult': 940069, 'north american meat': 567613, 'american meat institute': 52088, 'meat institute said': 525630, 'institute said thursday': 440431, 'said thursday that': 731506, 'thursday that meat': 895429, 'that meat and': 845132, 'meat and poultry': 525480, 'and poultry producer': 69274, 'poultry producer are': 667341, 'producer are leaning': 680573, 'are leaning in': 87744, 'leaning in to': 483900, 'in to continue': 430104, 'to continue effort': 903383, 'continue effort to': 201028, 'meet the global': 527599, 'the global demand': 856298, 'for meat under': 323367, 'meat under difficult': 525787, 'under difficult circumstance': 940070, 'california woman': 155611, 'for licking': 322962, 'licking grocery': 488242, 'supermarket california': 819490, 'california supermarket': 155582, 'supermarket unitedstates': 823610, 'unitedstates 19': 942285, 'california woman arrested': 155612, 'woman arrested for': 1003414, 'arrested for licking': 93844, 'for licking grocery': 322963, 'licking grocery at': 488243, 'at supermarket california': 100705, 'supermarket california supermarket': 819491, 'california supermarket unitedstates': 155583, 'supermarket unitedstates 19': 823611, 'sheep365': 756553, 'farminguk': 299664, 'price tumbled': 677149, 'tumbled 30': 935318, '30 head': 17064, 'head after': 385716, 'after retailer': 36124, 'export demand': 292632, 'demand evaporated': 235301, 'evaporated with': 283769, 'with tightening': 1001764, 'tightening social': 895855, 'rule sheep365': 727337, 'sheep365 farminguk': 756554, 'lamb price tumbled': 479167, 'price tumbled 30': 677150, 'tumbled 30 head': 935319, '30 head after': 17065, 'head after retailer': 385717, 'after retailer and': 36125, 'retailer and export': 718963, 'and export demand': 62527, 'export demand evaporated': 292633, 'demand evaporated with': 235302, 'evaporated with tightening': 283770, 'with tightening social': 1001765, 'tightening social distancing': 895856, 'distancing rule sheep365': 247445, 'rule sheep365 farminguk': 727338, 'nothing will': 573224, 'same yes': 733432, 'nothing will be': 573225, 'the same yes': 866325, 'same yes it': 733433, 'yes it will': 1015469, 'toda new': 919115, 'from org': 336722, 'org real': 619190, 'time paper': 897456, 'paper edited': 640122, 'edited by': 268590, 'akira toda new': 40539, 'toda new from': 919116, 'new from org': 558780, 'from org real': 336723, 'org real time': 619191, 'real time paper': 701414, 'time paper edited': 897457, 'paper edited by': 640123, 'nationalistic': 552666, 'depression wwii': 237684, 'wwii government': 1013694, 'government realised': 360507, 'realised that': 701625, 'that decent': 843459, 'all rather': 44118, 'than greedy': 840710, 'greedy corporation': 363504, 'corporation or': 207452, 'or nationalistic': 616222, 'nationalistic leader': 552667, 'leader produce': 483515, 'produce decent': 680231, 'decent citizen': 230772, 'citizen stophoarding': 178967, 'stophoarding doesn': 805388, 'just apply': 468208, 'it applies': 456568, 'to housing': 908011, 'housing wealth': 407164, 'wealth opportunity': 974181, 'opportunity too': 613738, 'after the great': 36320, 'great depression wwii': 362631, 'depression wwii government': 237685, 'wwii government realised': 1013695, 'government realised that': 360508, 'realised that decent': 701628, 'that decent living': 843460, 'decent living condition': 230787, 'living condition for': 496330, 'for all rather': 319163, 'all rather than': 44119, 'rather than greedy': 697525, 'than greedy corporation': 840711, 'greedy corporation or': 363505, 'corporation or nationalistic': 207453, 'or nationalistic leader': 616223, 'nationalistic leader produce': 552668, 'leader produce decent': 483516, 'produce decent citizen': 680232, 'decent citizen stophoarding': 230773, 'citizen stophoarding doesn': 178968, 'stophoarding doesn just': 805389, 'doesn just apply': 251854, 'just apply to': 468209, 'apply to food': 82615, 'to food loo': 906085, 'loo roll it': 502184, 'roll it applies': 725358, 'it applies to': 456569, 'applies to housing': 82536, 'to housing wealth': 908012, 'housing wealth opportunity': 407165, 'wealth opportunity too': 974182, 'take fewer': 832121, 'fewer trip': 304241, 'store stay': 810353, 'stay put': 797190, 'put cooking': 690545, 'cooking how': 202876, 'and cook': 60536, 'cook down': 202737, 'fridge via': 333436, 'via stayhomesavelives': 956256, 'stayhomesavelives flattenthecurve': 798382, 'stock the pantry': 802938, 'the pantry and': 863251, 'pantry and fridge': 639521, 'and fridge and': 63314, 'fridge and take': 333379, 'and take fewer': 72962, 'take fewer trip': 832122, 'fewer trip to': 304242, 'grocery store stay': 365800, 'store stay put': 810354, 'stay put cooking': 797191, 'put cooking how': 690546, 'cooking how to': 202877, 'stock your pantry': 803231, 'your pantry and': 1025187, 'pantry and cook': 639518, 'and cook down': 60538, 'cook down your': 202738, 'down your fridge': 257529, 'your fridge via': 1023964, 'fridge via stayhomesavelives': 333437, 'via stayhomesavelives flattenthecurve': 956257, 'tearing': 835998, 'you lick': 1019599, 'lick your': 488214, 'before tearing': 123126, 'tearing off': 835999, 'off fruit': 593855, 'veg bag': 953725, 'just cunt': 468545, 'cunt woolworth': 220378, 'if you lick': 415463, 'you lick your': 1019600, 'lick your finger': 488215, 'your finger before': 1023879, 'finger before tearing': 307792, 'before tearing off': 123127, 'tearing off fruit': 836000, 'off fruit and': 593856, 'and veg bag': 74858, 'veg bag at': 953726, 'supermarket you re': 824202, 're just cunt': 698944, 'just cunt woolworth': 468546, 'soap box': 778955, 'box figure': 137057, 'figure what': 305248, 'matter right': 520619, 'medicine household': 526809, 'household supply': 406961, 'supply fuel': 825301, 'mortgage rent': 541951, 'rent bill': 711052, 'bill can': 130530, 'protect paycheck': 684917, 'paycheck job': 645297, 'security benefit': 744556, 'benefit can': 126941, 'protect family': 684829, 'friend community': 333559, 'spirit stay': 789503, 'without soap box': 1002921, 'soap box figure': 778956, 'box figure what': 137058, 'figure what matter': 305249, 'what matter right': 981856, 'matter right now': 520620, 'now to people': 576174, 'to people can': 911618, 'buy food medicine': 148662, 'food medicine household': 315443, 'medicine household supply': 526810, 'household supply fuel': 406964, 'supply fuel can': 825302, 'fuel can pay': 340138, 'pay mortgage rent': 645004, 'mortgage rent bill': 541952, 'rent bill can': 711054, 'bill can protect': 130531, 'can protect paycheck': 159325, 'protect paycheck job': 684918, 'paycheck job security': 645298, 'job security benefit': 466142, 'security benefit can': 744557, 'benefit can protect': 126943, 'can protect family': 159321, 'protect family friend': 684830, 'family friend community': 297817, 'friend community spirit': 333560, 'community spirit stay': 190107, 'spirit stay safe': 789504, 'the farmworkers': 854954, 'farmworkers and': 299689, 'production operator': 682169, 'operator working': 613421, 'buy nobody': 149004, 'nobody mention': 566038, 'mention them': 528799, 'recognition weareinthistogether': 704628, 'all the farmworkers': 44744, 'the farmworkers and': 854955, 'farmworkers and food': 299691, 'food production operator': 316049, 'production operator working': 682170, 'operator working hard': 613422, 'everyone panic buy': 287250, 'panic buy nobody': 637509, 'buy nobody mention': 149005, 'nobody mention them': 566039, 'mention them and': 528800, 'deserve recognition weareinthistogether': 238111, 'jokingly': 467206, 'yelling': 1015245, 'saw someone': 738246, 'someone getting': 784481, 'to jokingly': 908690, 'jokingly say': 467209, 'hey man': 394456, 'man see': 512223, 'got corona': 358502, 'corona then': 204225, 'then stopped': 877575, 'stopped myself': 805725, 'that thinking': 846977, 'new version': 559824, 'of yelling': 593351, 'yelling fire': 1015252, 'in movie': 425480, 'theater quarantinelife': 872267, 'store saw someone': 809998, 'saw someone getting': 738248, 'someone getting case': 784482, 'case of corona': 165896, 'of corona beer': 581886, 'corona beer and': 203822, 'beer and wa': 122434, 'and wa about': 75073, 'wa about to': 961411, 'about to jokingly': 26725, 'to jokingly say': 908692, 'jokingly say hey': 467210, 'say hey man': 738751, 'hey man see': 394457, 'man see you': 512224, 'see you got': 746106, 'you got corona': 1018897, 'got corona then': 358503, 'corona then stopped': 204226, 'then stopped myself': 877576, 'stopped myself doing': 805726, 'myself doing that': 550848, 'doing that thinking': 252710, 'that thinking it': 846978, 'thinking it would': 885939, 'the new version': 861577, 'new version of': 559825, 'version of yelling': 954922, 'of yelling fire': 593352, 'yelling fire in': 1015253, 'fire in movie': 308096, 'in movie theater': 425481, 'movie theater quarantinelife': 544079, 'food wholesaler': 317610, 'wholesaler have': 990518, 'hit massively': 398316, 'massively by': 520168, 'with pub': 1000353, 'pub bar': 687673, 'restaurant having': 716498, 'shut due': 767870, 'place but': 657362, 'food soaring': 316678, 'soaring how': 779326, 'can pivoting': 159237, 'consumer save': 198861, 'say that food': 739233, 'that food wholesaler': 843919, 'food wholesaler have': 317611, 'wholesaler have been': 990519, 'have been hit': 379573, 'been hit massively': 121300, 'hit massively by': 398317, 'massively by the': 520169, 'pandemic with pub': 637033, 'with pub bar': 1000354, 'pub bar and': 687674, 'and restaurant having': 70381, 'restaurant having to': 716499, 'having to shut': 384364, 'to shut due': 914604, 'shut due to': 767871, 'to the lockdown': 916854, 'the lockdown rule': 859627, 'lockdown rule in': 499869, 'rule in place': 727266, 'in place but': 426725, 'place but the': 657365, 'but the demand': 147330, 'for food soaring': 321632, 'food soaring how': 316679, 'soaring how can': 779327, 'how can pivoting': 407513, 'can pivoting to': 159238, 'pivoting to direct': 657133, 'to direct to': 904323, 'to consumer save': 903330, 'consumer save them': 198862, 'really enjoying': 702162, 'enjoying the': 277241, 'on face': 600693, 'their brain': 872637, 'brain debating': 137590, 'debating how': 230332, 'they actually': 881095, 'really enjoying the': 702163, 'enjoying the look': 277243, 'the look on': 859707, 'look on face': 502554, 'on face of': 600696, 'face of people': 294667, 'people who see': 650337, 'see the line': 745853, 'can see their': 159549, 'see their brain': 745900, 'their brain debating': 872639, 'brain debating how': 137591, 'debating how much': 230333, 'much they actually': 545366, 'they actually need': 881099, 'actually need those': 30908, 'need those item': 555830, 'concern are': 192919, 'causing major': 168055, 'major shortage': 509462, 'but distillery': 145548, 'gap with': 343473, 'own version': 632288, 'concern are causing': 192920, 'are causing major': 85207, 'causing major shortage': 168056, 'major shortage of': 509463, 'shortage of but': 765102, 'of but distillery': 580985, 'but distillery are': 145549, 'distillery are working': 247735, 'working to bridge': 1008982, 'the gap with': 856144, 'gap with their': 343474, 'their own version': 874214, 'report business': 711839, 'are price': 89217, 'report business that': 711841, 'that are price': 842800, 'are price gouging': 89219, 'gouging during covid': 359310, 'frazis': 331491, 'of queensland': 588678, 'queensland bos': 693405, 'bos george': 135662, 'george frazis': 346004, 'frazis is': 331492, 'of sharp': 589566, 'price bite': 672929, 'bite and': 131856, 'are case': 85188, 'of negative': 586924, 'negative equity': 556767, 'equity at': 279918, 'the margin': 860065, 'margin but': 515612, 'provide more': 686393, 'emergency stimulus': 272992, 'stimulus if': 801547, 'rate reach': 697349, 'reach double': 699913, 'at bank of': 98085, 'bank of queensland': 110053, 'of queensland bos': 588679, 'queensland bos george': 693406, 'bos george frazis': 135663, 'george frazis is': 346005, 'frazis is warning': 331493, 'warning of sharp': 967161, 'of sharp drop': 589567, 'house price bite': 406474, 'price bite and': 672930, 'bite and that': 131857, 'there are case': 878077, 'are case of': 85189, 'case of negative': 165919, 'of negative equity': 586926, 'negative equity at': 556768, 'equity at the': 279919, 'at the margin': 101014, 'the margin but': 860066, 'margin but think': 515613, 'but think the': 147536, 'think the government': 885636, 'government will provide': 360818, 'will provide more': 994518, 'provide more emergency': 686394, 'more emergency stimulus': 539119, 'emergency stimulus if': 272993, 'stimulus if the': 801549, 'if the unemployment': 415040, 'unemployment rate reach': 941276, 'rate reach double': 697350, 'reach double digit': 699914, 'buying actually': 149859, 'actually realise': 30932, 'hurt food': 411572, 'food based': 313677, 'based supply': 111759, 'chain than': 171157, 'don think the': 253983, 'think the idiot': 885638, 'idiot who are': 413637, 'panic buying actually': 637631, 'buying actually realise': 149860, 'actually realise they': 30933, 'realise they are': 701612, 'they are currently': 881242, 'are currently doing': 85662, 'currently doing more': 221519, 'doing more to': 252534, 'more to hurt': 540794, 'to hurt food': 908064, 'hurt food based': 411573, 'food based supply': 313678, 'based supply chain': 111760, 'supply chain than': 825047, 'chain than the': 171158, 'than the coronavirus': 841226, 'getyourtribble': 349488, 'those desperately': 891929, 'desperately in': 238566, 'toiletpaper there': 922600, 'there solution': 879064, 'solution you': 782141, 'never want': 558261, 'want for': 965788, 'tp again': 927728, 'again getyourtribble': 37003, 'for those desperately': 327107, 'those desperately in': 891930, 'desperately in need': 238567, 'need of toiletpaper': 555349, 'of toiletpaper there': 592283, 'toiletpaper there solution': 922602, 'there solution you': 879066, 'solution you ll': 782143, 'you ll never': 1019664, 'll never want': 496925, 'never want for': 558262, 'want for tp': 965789, 'for tp again': 327297, 'tp again getyourtribble': 927729, 'dropped after': 260526, 'after many': 35903, 'many government': 514102, 'government locked': 360328, 'down city': 256639, 'spreading leading': 790994, 'demand an': 234944, 'an energy': 55745, 'energy analyst': 276381, 'analyst at': 57111, 'at thai': 100850, 'thai oil': 840081, 'oil said': 597404, 'oil price dropped': 597111, 'price dropped after': 673587, 'dropped after many': 260527, 'after many government': 35904, 'many government locked': 514103, 'government locked down': 360329, 'locked down city': 500473, 'down city to': 256641, 'city to prevent': 179428, 'to prevent covid': 912052, '19 from spreading': 7137, 'from spreading leading': 337389, 'spreading leading to': 790995, 'leading to plunge': 483772, 'plunge in demand': 661434, 'in demand an': 422104, 'demand an energy': 234946, 'an energy analyst': 55746, 'energy analyst at': 276382, 'analyst at thai': 57114, 'at thai oil': 100851, 'thai oil said': 840082, 'oil said today': 597405, 'said today march': 731524, 'today march 23': 919856, 'soap fight': 778997, 'fight here': 304765, 'washing hand with': 967683, 'with soap fight': 1000796, 'soap fight here': 778998, 'fight here why': 304766, 'here why it': 393836, 'why it work': 991150, 'it work so': 462507, 'work so well': 1005746, 'hatecrime': 378943, 'dwnews': 263702, 'texas where': 839850, 'where year': 985380, 'were stabbed': 980160, 'stabbed in': 791763, 'the suspect': 869035, 'suspect allegedly': 829463, 'allegedly told': 45713, 'told police': 923659, 'police he': 663045, 'he stabbed': 385463, 'stabbed them': 791768, 'them while': 876616, 'while thinking': 987449, 'thinking in': 885922, 'in chinese': 421451, 'were spreading': 980157, 'disease hatecrime': 245150, 'hatecrime china': 378944, 'china news': 176844, 'news dwnews': 560377, 'dwnews http': 263703, 'texas where year': 839852, 'where year old': 985381, 'old and year': 598143, 'and year old': 75962, 'old were stabbed': 598528, 'were stabbed in': 980161, 'stabbed in front': 791764, 'and the suspect': 73608, 'the suspect allegedly': 869036, 'suspect allegedly told': 829464, 'allegedly told police': 45714, 'told police he': 923660, 'police he stabbed': 663046, 'he stabbed them': 385464, 'stabbed them while': 791770, 'them while thinking': 876619, 'while thinking in': 987450, 'thinking in chinese': 885923, 'in chinese and': 421453, 'chinese and they': 177192, 'they were spreading': 883804, 'were spreading the': 980159, 'spreading the disease': 791053, 'the disease hatecrime': 853365, 'disease hatecrime china': 245151, 'hatecrime china news': 378945, 'china news dwnews': 176845, 'news dwnews http': 560378, 'grieving': 363918, 'nyc healthcare': 577995, 'pushed to': 690385, 'it limit': 459396, 'and sadly': 70699, 'sadly so': 729355, 'city system': 179389, 'managing our': 512884, 'our dead': 622707, 'also requires': 48794, 'more resource': 540238, 'ha major': 371224, 'for grieving': 322016, 'grieving family': 363919, 'nyc healthcare system': 577996, 'healthcare system is': 387311, 'system is being': 831218, 'is being pushed': 446102, 'being pushed to': 125615, 'pushed to it': 690386, 'to it limit': 908593, 'it limit and': 459397, 'limit and sadly': 492285, 'and sadly so': 70702, 'sadly so now': 729356, 'so now doe': 777905, 'now doe the': 574547, 'doe the city': 251605, 'the city system': 850959, 'city system for': 179390, 'system for managing': 831171, 'for managing our': 323189, 'managing our dead': 512885, 'our dead and': 622708, 'dead and that': 229132, 'and that also': 73176, 'that also requires': 842605, 'also requires more': 48795, 'requires more resource': 713483, 'more resource this': 540240, 'resource this ha': 714901, 'this ha major': 887809, 'ha major consequence': 371225, 'consequence for grieving': 194855, 'for grieving family': 322017, 'grieving family and': 363920, 'family and for': 297587, 'and for all': 63135, 'haulier': 379014, 'sheep price': 756551, 'economic structure': 267326, 'cornwall agriculture': 203749, 'agriculture cornwall': 38953, 'cornwall report': 203755, 'report also': 711792, 'delivery haulier': 234083, 'haulier report': 379021, 'report problem': 712196, 'isolation brexit': 455219, 'sheep price plummet': 756552, 'price plummet covid': 675900, 'change the economic': 172290, 'the economic structure': 853920, 'economic structure of': 267327, 'structure of cornwall': 814309, 'of cornwall agriculture': 581882, 'cornwall agriculture cornwall': 203750, 'agriculture cornwall report': 38954, 'cornwall report also': 203756, 'report also problem': 711794, 'also problem with': 48691, 'problem with delivery': 679753, 'with delivery haulier': 997965, 'delivery haulier report': 234084, 'haulier report problem': 379022, 'report problem with': 712197, 'problem with self': 679758, 'with self isolation': 1000622, 'self isolation brexit': 747759, 'quarentined': 693182, 'kill our': 474468, 'our cat': 622324, 'cat because': 166833, 'allowed so': 46215, 'cannot fulfill': 161864, 'fulfill their': 340423, 'their subscription': 874887, 'subscription service': 815908, 'term customer': 838109, 'customer our': 222663, 'our household': 623486, 'is quarentined': 451170, 'quarentined due': 693183, 'pet are': 653359, 'to kill our': 908936, 'kill our cat': 474470, 'our cat because': 622325, 'cat because they': 166834, 'because they allowed': 119685, 'they allowed so': 881127, 'allowed so much': 46216, 'so much panic': 777800, 'buying that they': 151158, 'they cannot fulfill': 881707, 'cannot fulfill their': 161865, 'fulfill their subscription': 340425, 'their subscription service': 874890, 'subscription service to': 815909, 'service to long': 752983, 'to long term': 909425, 'long term customer': 501680, 'term customer our': 838110, 'customer our household': 222664, 'our household is': 623487, 'household is quarentined': 406852, 'is quarentined due': 451171, 'quarentined due to': 693184, 'due to having': 261800, 'to having covid': 907343, '19 and our': 5077, 'and our pet': 68512, 'our pet are': 624323, 'pet are out': 653361, 'food on thursday': 315607, 'beautybrands': 118825, 'rethinkretail': 719671, 'is welcome': 453835, 'own facemasks': 631981, 'facemasks retailer': 295161, 'retailer beautybrands': 719031, 'beautybrands have': 118826, 'become increasingly': 120032, 'increasingly proactive': 433797, 'proactive in': 679162, 'own store': 632236, 'location warehouse': 498986, 'assist frontline': 96628, 'worker rethinkretail': 1007695, 'rethinkretail retailtrends': 719672, 'retailtrends retailnews': 719577, 'while the public': 987413, 'public is welcome': 688126, 'is welcome to': 453836, 'welcome to make': 977905, 'to make their': 909751, 'make their own': 510598, 'their own facemasks': 874173, 'own facemasks retailer': 631982, 'facemasks retailer beautybrands': 295162, 'retailer beautybrands have': 719032, 'beautybrands have become': 118827, 'have become increasingly': 379439, 'become increasingly proactive': 120034, 'increasingly proactive in': 433798, 'proactive in using': 679165, 'in using their': 430509, 'using their own': 950729, 'their own store': 874207, 'own store location': 632237, 'store location warehouse': 808801, 'location warehouse to': 498987, 'warehouse to assist': 966788, 'to assist frontline': 900780, 'assist frontline worker': 96629, 'frontline worker rethinkretail': 338871, 'worker rethinkretail retailtrends': 1007696, 'rethinkretail retailtrends retailnews': 719673, 'fu': 339503, 'flowy': 311367, 'your fu': 1023995, 'fu ng': 339504, 'ng house': 561793, 'house thanks': 406598, 'thanks thanks': 842191, 'friend flowy': 333602, 'flowy for': 311368, 'translate my': 929703, 'my comic': 547747, 'comic 19': 187918, 'calm and please': 156692, 'and please stay': 69114, 'please stay in': 660549, 'in your fu': 431082, 'your fu ng': 1023996, 'fu ng house': 339505, 'ng house thanks': 561794, 'house thanks thanks': 406599, 'thanks thanks to': 842192, 'my friend flowy': 548431, 'friend flowy for': 333603, 'flowy for help': 311369, 'for help me': 322182, 'help me to': 390080, 'me to translate': 523792, 'to translate my': 917711, 'translate my comic': 929704, 'my comic 19': 547748, 'swamp': 829926, 'velocity': 954316, 'surge swamp': 828257, 'swamp warehouse': 829933, 'warehouse consumer': 966705, 'closure dc': 183872, 'dc velocity': 228983, 'shopping surge swamp': 764036, 'surge swamp warehouse': 828258, 'swamp warehouse consumer': 829934, 'warehouse consumer stock': 966706, 'stock up during': 803076, 'up during covid': 944752, '19 closure dc': 5857, 'closure dc velocity': 183873, 'are real': 89463, 'real tough': 701425, 'tough at': 926799, 'crazy ness': 215358, 'ness especially': 557499, 'my autism': 547360, 'autism ve': 103855, 'job think': 466205, 'think im': 885299, 'im going': 416536, 'with post': 1000264, 'post and': 665988, 'medium for': 527105, 'back covid': 106941, 'thing are real': 884164, 'are real tough': 89465, 'real tough at': 701426, 'tough at the': 926800, 'all this crazy': 45099, 'this crazy ness': 887009, 'crazy ness especially': 215359, 'ness especially with': 557500, 'especially with my': 280672, 'with my autism': 999608, 'my autism ve': 547362, 'autism ve had': 103856, 'had to stop': 373733, 'stop going to': 804691, 'my supermarket job': 550273, 'supermarket job think': 821209, 'job think im': 466206, 'think im going': 885300, 'im going to': 416537, 'to stop with': 915594, 'stop with post': 805278, 'with post and': 1000265, 'post and social': 665991, 'social medium for': 779853, 'medium for bit': 527106, 'for bit to': 319692, 'bit to try': 131723, 'try and clear': 934441, 'and clear my': 59958, 'clear my head': 181292, 'my head and': 548630, 'head and stuff': 385720, 'and stuff but': 72615, 'stuff but will': 815033, 'but will be': 147871, 'be back covid': 113783, 'back covid 19': 106942, 'mural': 546140, 'chalk': 171375, '2019ncov': 14059, 'washingtonheights': 967824, 'on quick': 603056, 'supermarket write': 824139, 'write message': 1012774, 'to urge': 917989, 'keep child': 471392, 'child away': 176018, 'from playground': 336938, 'playground we': 659368, 'cannot paint': 162023, 'paint mural': 634295, 'mural in': 546141, 'bring awareness': 139925, 'awareness but': 105691, 'there always': 877975, 'always chalk': 49510, 'chalk 2019ncov': 171376, '2019ncov washingtonheights': 14068, 'on quick run': 603057, 'the supermarket write': 868917, 'supermarket write message': 824140, 'write message to': 1012775, 'message to urge': 529465, 'to urge people': 917991, 'home and keep': 400656, 'and keep child': 65755, 'keep child away': 471393, 'child away from': 176019, 'away from playground': 105903, 'from playground we': 336939, 'playground we cannot': 659369, 'we cannot paint': 971074, 'cannot paint mural': 162024, 'paint mural in': 634296, 'mural in order': 546142, 'order to bring': 618668, 'to bring awareness': 902029, 'bring awareness but': 139926, 'awareness but there': 105692, 'but there always': 147461, 'there always chalk': 877976, 'always chalk 2019ncov': 49511, 'chalk 2019ncov washingtonheights': 171377, 'kenya how': 472910, 'we prevent': 972743, 'from post': 336953, 'post consumer': 666055, 'consumer waste': 199478, 'waste generated': 968128, 'kenya how do': 472911, 'do we prevent': 250482, 'we prevent covid': 972744, '19 infection from': 7851, 'infection from post': 436760, 'from post consumer': 336954, 'post consumer waste': 666059, 'consumer waste generated': 199480, 'waste generated by': 968129, 'generated by those': 345577, 'by those infected': 154539, 'nstnation': 576688, 'jalan': 464335, 'tuanku': 935015, 'rahman': 695577, 'masjidindia': 518246, 'underwent': 940992, 'jalantar': 464339, 'nstnation some': 576693, 'some popular': 783601, 'popular public': 664589, 'shopping area': 762069, 'in jalan': 424342, 'jalan tuanku': 464336, 'tuanku abdul': 935016, 'abdul rahman': 24296, 'rahman tar': 695580, 'tar and': 834407, 'and masjidindia': 66735, 'masjidindia underwent': 518247, 'underwent sanitation': 940993, 'sanitation process': 733855, 'process this': 679969, 'morning jalantar': 541325, 'jalantar mco': 464340, 'mco movementcontrolorder': 522228, 'nstnation some popular': 576694, 'some popular public': 783602, 'popular public and': 664590, 'public and shopping': 687855, 'and shopping area': 71536, 'shopping area in': 762070, 'area in jalan': 92068, 'in jalan tuanku': 424343, 'jalan tuanku abdul': 464337, 'tuanku abdul rahman': 935017, 'abdul rahman tar': 24297, 'rahman tar and': 695581, 'tar and masjidindia': 834408, 'and masjidindia underwent': 66736, 'masjidindia underwent sanitation': 518248, 'underwent sanitation process': 940994, 'sanitation process this': 733856, 'process this morning': 679970, 'this morning jalantar': 888976, 'morning jalantar mco': 541326, 'jalantar mco movementcontrolorder': 464341, 'launched sweeping': 482037, 'sweeping survey': 830204, 'survey tracking': 828970, 'across several': 29448, 'several country': 753815, 'launched sweeping survey': 482038, 'sweeping survey tracking': 830205, 'survey tracking consumer': 828971, 'consumer sentiment across': 198902, 'sentiment across several': 750889, 'across several country': 29449, 'several country during': 753816, 'country during the': 210594, 'disheartening': 245514, 'responder after': 715398, '11 or': 2572, 'it disheartening': 457582, 'disheartening that': 245518, 'take major': 832301, 'to value': 918110, 'value hard': 952128, 'especially lower': 280541, 'paid profession': 634113, 'whether it first': 985522, 'it first responder': 458030, 'first responder after': 308925, 'responder after 11': 715399, 'after 11 or': 35263, '11 or grocery': 2573, 'or grocery worker': 615530, 'grocery worker during': 366171, 'global pandemic find': 352086, 'pandemic find it': 635430, 'find it disheartening': 306988, 'it disheartening that': 457583, 'disheartening that it': 245519, 'that it take': 844748, 'it take major': 461426, 'take major crisis': 832302, 'major crisis to': 509297, 'crisis to value': 218257, 'to value hard': 918112, 'value hard working': 952129, 'working people especially': 1008873, 'people especially lower': 647817, 'especially lower paid': 280542, 'lower paid profession': 505938, 'podesta': 662342, 'smithfield': 775816, 'podesta amp': 662343, 'amp pig': 54301, 'pig farm': 656441, 'farm amp': 299078, 'amp china': 53525, 'amp smithfield': 54516, 'smithfield make': 775822, 'me jump': 523026, 'the conclusion': 851425, 'conclusion that': 193324, 'human meat': 410561, 'the bacon': 849165, 'bacon maybe': 107640, 'maybe shut': 521800, 'down part': 257076, 'the plan': 863789, 'podesta amp pig': 662344, 'amp pig farm': 54302, 'pig farm amp': 656442, 'farm amp china': 299079, 'amp china amp': 53526, 'china amp smithfield': 176473, 'amp smithfield make': 54517, 'smithfield make me': 775823, 'make me jump': 510133, 'me jump to': 523027, 'jump to the': 467902, 'to the conclusion': 916582, 'the conclusion that': 851427, 'conclusion that they': 193328, 'put the human': 690859, 'the human meat': 857719, 'human meat in': 410562, 'chain and we': 170481, 'and we love': 75304, 'we love the': 972310, 'love the bacon': 504804, 'the bacon maybe': 849166, 'bacon maybe shut': 107641, 'maybe shut down': 521801, 'shut down part': 767843, 'down part of': 257077, 'of the plan': 591339, 'dieseas': 241638, 'sir am': 771535, 'panic respect': 638485, 'respect accept': 714955, 'for survived': 326095, 'survived protect': 829325, 'with dangerous': 997919, 'dangerous dieseas': 225735, 'dieseas but': 241639, 'one humble': 606447, 'request plz': 713190, 'for emi': 321026, 'emi we': 273170, 'if pay': 414601, 'the emi': 854242, 'emi cannot': 273165, 'cannot getting': 161918, 'sir am not': 771537, 'am not panic': 50255, 'not panic respect': 570928, 'panic respect accept': 638486, 'respect accept your': 714956, 'accept your decision': 28009, 'decision it necessary': 231048, 'necessary for survived': 553993, 'for survived protect': 326096, 'survived protect our': 829326, 'protect our family': 684893, 'our family with': 623004, 'family with dangerous': 298385, 'with dangerous dieseas': 997921, 'dangerous dieseas but': 225736, 'dieseas but one': 241640, 'but one humble': 146669, 'one humble request': 606448, 'humble request plz': 410826, 'request plz do': 713191, 'plz do something': 661812, 'do something for': 250140, 'something for emi': 784907, 'for emi we': 321027, 'emi we could': 273171, 'could not pay': 209451, 'not pay if': 570978, 'pay if pay': 644948, 'if pay the': 414602, 'pay the emi': 645148, 'the emi cannot': 854243, 'emi cannot getting': 273166, '10 out': 1596, 'out 10': 625516, 'everybody queued': 286480, 'queued politely': 694157, 'politely and': 663611, 'and metre': 66972, 'apart when': 81372, 'were full': 979666, 'yesterday and they': 1015669, 'letting 10 out': 487397, '10 out 10': 1597, 'out 10 in': 625517, '10 in everybody': 1478, 'in everybody queued': 422695, 'everybody queued politely': 286481, 'queued politely and': 694158, 'politely and metre': 663612, 'and metre apart': 66973, 'metre apart when': 529832, 'apart when got': 81375, 'when got in': 983487, 'got in the': 358630, 'shelf were full': 757768, 'were full and': 979667, 'full and everything': 340476, 'francis': 331088, 'purposewash': 690186, 'bluff': 133512, 'francis or': 331089, 'worker getting': 1007031, 'getting huge': 349047, 'huge pay': 410123, 'rise think': 723023, 'is rubbing': 451580, 'rubbing away': 726970, 'away lot': 105964, 'of purposewash': 588618, 'purposewash to': 690187, 'show who': 767279, 'who and': 988073, 'is feel': 447773, 'feel company': 302595, 'company won': 191351, 'won get': 1003814, 'with bluff': 997439, 'bluff in': 133513, 'in future': 423194, 'pr should': 668445, 'francis or supermarket': 331090, 'or supermarket worker': 617290, 'supermarket worker getting': 824029, 'worker getting huge': 1007034, 'getting huge pay': 349048, 'huge pay rise': 410124, 'pay rise think': 645097, 'rise think covid': 723024, '19 is rubbing': 8039, 'is rubbing away': 451581, 'rubbing away lot': 726971, 'away lot of': 105965, 'lot of purposewash': 504264, 'of purposewash to': 588619, 'purposewash to show': 690188, 'to show who': 914581, 'show who and': 767280, 'who and what': 988075, 'what the real': 982356, 'the real value': 865245, 'real value to': 701442, 'value to society': 952224, 'to society is': 914851, 'society is feel': 781252, 'is feel company': 447774, 'feel company won': 302596, 'company won get': 191352, 'won get away': 1003815, 'away with bluff': 106121, 'with bluff in': 997440, 'bluff in future': 133514, 'in future and': 423195, 'future and pr': 342254, 'and pr should': 69296, 'pr should be': 668446, 'should be helping': 765641, 'workersoftheworldunite': 1008324, 'za': 1027166, 'cosatu pledge': 207771, 'pledge solidarity': 660850, 'class community': 180172, 'globe affected': 352436, 'pandemic workersoftheworldunite': 637045, 'workersoftheworldunite against': 1008325, 'against za': 37756, 'za news': 1027171, 'cosatu pledge solidarity': 207772, 'pledge solidarity with': 660851, 'solidarity with all': 781948, 'with all working': 997169, 'all working class': 45511, 'working class community': 1008560, 'class community across': 180173, 'the globe affected': 856344, 'globe affected by': 352437, 'by pandemic workersoftheworldunite': 153513, 'pandemic workersoftheworldunite against': 637046, 'workersoftheworldunite against za': 1008326, 'against za news': 37757, 'scarsdale new': 741120, 'york greeter': 1016619, 'largo maryland': 480045, 'maryland and': 518181, 'company confirmed': 190562, 'confirmed monday': 194172, 'in scarsdale new': 427724, 'scarsdale new york': 741121, 'new york greeter': 559932, 'york greeter at': 1016620, 'in largo maryland': 424594, 'largo maryland and': 480046, 'maryland and two': 518183, 'and two walmart': 74561, 'two walmart employee': 937309, 'walmart employee from': 965321, 'employee from the': 273875, 'from the same': 337868, 'area store have': 92204, 'store have died': 808076, 'day the company': 228484, 'the company confirmed': 851320, 'company confirmed monday': 190563, 'need think': 555807, 'morning or': 541398, 'everyone foodshopping': 286915, 'buying there no': 151198, 'no need think': 564855, 'need think of': 555808, 'the old people': 862141, 'old people do': 598412, 'people do your': 647685, 'your shopping in': 1025784, 'the morning or': 860918, 'morning or late': 541399, 'or late at': 615929, 'at night there': 99886, 'night there plenty': 563098, 'for everyone foodshopping': 321212, '304': 17387, 'poor retail': 664276, 'number today': 577078, 'sell costco': 748669, 'costco the': 208272, 'at 304': 97598, '304 value': 17392, 'at 270': 97561, '270 due': 16327, 'to headwind': 907364, 'headwind customer': 386059, 'bought lot': 136632, 'buy excess': 148604, 'excess product': 289363, 'product cost': 681092, 'with the poor': 1001432, 'the poor retail': 863985, 'poor retail sale': 664277, 'retail sale number': 718509, 'sale number today': 732379, 'number today would': 577079, 'today would be': 920577, 'good day to': 356950, 'day to sell': 228583, 'to sell costco': 914146, 'sell costco the': 748671, 'costco the stock': 208273, 'stock is currently': 802304, 'currently at 304': 221472, 'at 304 value': 97600, '304 value it': 17393, 'value it at': 952142, 'it at 270': 456609, 'at 270 due': 97562, '270 due to': 16328, 'due to headwind': 261801, 'to headwind customer': 907365, 'headwind customer have': 386061, 'customer have bought': 222439, 'have bought lot': 379828, 'bought lot of': 136633, 'and essential item': 62254, 'essential item but': 281192, 'item but that': 463169, 'doesn mean they': 251893, 'mean they will': 524717, 'continue to buy': 201167, 'to buy excess': 902226, 'buy excess product': 148605, 'excess product cost': 289364, 'crisis further': 217409, 'further pull': 342140, 'pull down': 688853, 'confidence thailand': 193956, '19 crisis further': 6252, 'crisis further pull': 217410, 'further pull down': 342141, 'pull down consumer': 688854, 'down consumer confidence': 256653, 'consumer confidence thailand': 196923, 'distressed': 247935, 'the goal': 856389, 'goal cannot': 354561, 'increase economic': 432754, 'activity before': 30386, 'before virus': 123266, 'control climate': 201982, 'climate focus': 182222, 'focus now': 311853, 'supporting front': 827136, 'worker distressed': 1006789, 'distressed family': 247940, 'family power': 298168, 'power water': 667730, 'water food': 968992, 'supply proper': 825741, 'proper waste': 684163, 'waste disposal': 968102, 'the goal cannot': 856391, 'goal cannot be': 354562, 'cannot be to': 161651, 'be to stimulate': 117733, 'stimulate demand increase': 801481, 'demand increase economic': 235688, 'increase economic activity': 432755, 'economic activity before': 266955, 'activity before virus': 30387, 'before virus is': 123268, 'virus is under': 958411, 'under control climate': 940043, 'control climate focus': 201983, 'climate focus now': 182223, 'focus now supporting': 311855, 'now supporting front': 575945, 'supporting front line': 827137, 'line worker distressed': 493600, 'worker distressed family': 1006790, 'distressed family power': 247941, 'family power water': 298169, 'power water food': 667731, 'water food supply': 968994, 'food supply proper': 316982, 'supply proper waste': 825742, 'proper waste disposal': 684164, 'that federal': 843847, 'federal ha': 302013, 'forced state': 328607, 'bid among': 129464, 'among themselves': 53087, 'themselves while': 876939, 'time bidding': 896397, 'federal gov': 301984, 'gov for': 359585, 'emergency equipment': 272684, 'supply that': 825951, 'necessary good': 553997, 'good little': 357336, 'little coordination': 495301, 'coordination would': 203226, 'it is ridiculous': 459062, 'is ridiculous that': 451525, 'ridiculous that federal': 721614, 'that federal ha': 843848, 'federal ha forced': 302014, 'ha forced state': 370665, 'forced state to': 328608, 'state to bid': 796010, 'to bid among': 901806, 'bid among themselves': 129465, 'among themselves while': 53089, 'themselves while at': 876940, 'while at the': 986627, 'same time bidding': 733348, 'time bidding against': 896398, 'bidding against the': 129516, 'against the federal': 37657, 'the federal gov': 855073, 'federal gov for': 301985, 'gov for emergency': 359586, 'for emergency equipment': 321017, 'emergency equipment and': 272685, 'equipment and supply': 279688, 'and supply that': 72819, 'supply that just': 825954, 'that just raise': 844795, 'just raise the': 469546, 'of necessary good': 586890, 'necessary good little': 553998, 'good little coordination': 357337, 'little coordination would': 495302, 'coordination would be': 203227, 'ongoing the': 607698, 'increased purchase': 433438, 'purchase simply': 689655, 'simply overwhelmed': 770256, 'is still ongoing': 452297, 'still ongoing the': 800941, 'ongoing the increased': 607699, 'the increased purchase': 858077, 'increased purchase simply': 433439, 'purchase simply overwhelmed': 689656, 'simply overwhelmed store': 770257, 'overwhelmed store order': 631726, 'store order supply': 809386, 'sttaconsulting': 814554, 'rate doe': 697197, 'not boost': 568589, 'boost occupancy': 134981, 'occupancy when': 578993, 'no demand': 563996, 'more dialogue': 539030, 'dialogue on': 240306, 'on tourism': 604822, 'tourism warn': 927020, 'that traditional': 847115, 'traditional approach': 928989, 'to driving': 904757, 'driving number': 259982, 'number will': 577089, 'crisis sttaconsulting': 218106, 'the rate doe': 865163, 'rate doe not': 697198, 'doe not boost': 251478, 'not boost occupancy': 568590, 'boost occupancy when': 134982, 'occupancy when there': 578994, 'is no demand': 449920, 'no demand more': 563997, 'and more dialogue': 67163, 'more dialogue on': 539032, 'dialogue on tourism': 240307, 'on tourism warn': 604823, 'tourism warn that': 927021, 'warn that traditional': 966969, 'that traditional approach': 847116, 'traditional approach to': 928990, 'approach to driving': 82985, 'to driving number': 904758, 'driving number will': 259983, 'number will not': 577090, 'work for this': 1005175, 'for this crisis': 327019, 'this crisis sttaconsulting': 887089, 'while american': 986602, 'american die': 51913, 'die company': 241313, 'company profit': 190982, 'profit they': 682870, 'keep alive': 471289, 'alive meanwhile': 41821, 'skyrocketed hospital': 773366, 'make in': 510001, 'house chemical': 406234, 'from nail': 336537, 'nail salon': 551456, 'and auto': 58533, 'auto body': 103867, 'body shop': 133885, 'shop npr': 760524, 'while american die': 986603, 'american die company': 51914, 'die company profit': 241314, 'company profit they': 190983, 'profit they raise': 682872, 'on good that': 601151, 'good that can': 357819, 'that can keep': 843109, 'can keep alive': 158803, 'keep alive meanwhile': 471290, 'alive meanwhile the': 41822, 'meanwhile the price': 525043, 'price of supply': 675579, 'of supply ha': 590483, 'supply ha skyrocketed': 825343, 'ha skyrocketed hospital': 371958, 'skyrocketed hospital are': 773367, 'to make in': 909682, 'make in house': 510003, 'in house chemical': 423846, 'house chemical and': 406235, 'chemical and get': 175336, 'get mask from': 347526, 'mask from nail': 518704, 'from nail salon': 336538, 'nail salon and': 551457, 'salon and auto': 732775, 'and auto body': 58534, 'auto body shop': 103868, 'body shop npr': 133886, 'innovation amp': 438851, 'between consumer': 128749, 'behaviour scar': 124513, 'scar amp': 740762, 'amp scab': 54448, 'scab growfearless': 739863, 'of innovation amp': 585213, 'innovation amp consumer': 438852, 'amp consumer technology': 53573, 'share the development': 755244, 'development of brand': 239829, 'difference between consumer': 241812, 'between consumer behaviour': 128750, 'consumer behaviour scar': 196596, 'behaviour scar amp': 124514, 'scar amp scab': 740763, 'amp scab growfearless': 54449, 'new diet': 558628, 'diet it': 241735, 'it called': 456991, 'called whatever': 156482, 'whatever can': 982743, 'family quarantine': 298174, 'quarantine diet': 692146, 'diet pandemic': 241746, 'on this new': 604623, 'this new diet': 889112, 'new diet it': 558630, 'diet it called': 241736, 'it called whatever': 456995, 'called whatever can': 156483, 'whatever can find': 982744, 'can find at': 158314, 'store it great': 808576, 'it great for': 458334, 'whole family quarantine': 990201, 'family quarantine diet': 298175, 'quarantine diet pandemic': 692147, 've reduced': 953499, 'reduced operation': 706127, 'disabled the': 243972, 'but it out': 146150, 'stock and they': 801834, 'and they ve': 73947, 'they ve reduced': 883680, 've reduced operation': 953500, 'reduced operation and': 706128, 'operation and disabled': 613132, 'and disabled the': 61396, 'disabled the online': 243973, 'shopping option due': 763532, '19 will just': 12098, 'will just have': 993881, 'buying covid': 150157, 'panic buying covid': 637692, 'buying covid 19': 150158, 'waitlist': 964424, 'on waitlist': 605088, 'waitlist and': 964425, 'cut shopping': 223534, 'outbreak amzn': 627977, 'amzn delivery': 55004, 'customer on waitlist': 222646, 'on waitlist and': 605089, 'waitlist and cut': 964426, 'and cut shopping': 60885, 'cut shopping hour': 223535, 'coronavirus outbreak amzn': 206374, 'outbreak amzn delivery': 627978, 'sd13': 743028, 'district13': 248394, 'meal alert': 524083, 'alert florida': 41406, 'ha posted': 371514, 'posted list': 666546, 'of location': 585943, 'location family': 498900, 'find free': 306921, 'kid during': 473930, 'during school': 262989, 'closure please': 183999, 'detail sd13': 239243, 'sd13 district13': 743029, '19 school meal': 10369, 'school meal alert': 741852, 'meal alert florida': 524084, 'alert florida department': 41407, 'consumer service ha': 198945, 'service ha posted': 752436, 'ha posted list': 371516, 'posted list of': 666547, 'list of location': 494452, 'of location family': 585944, 'location family can': 498901, 'family can find': 297683, 'can find free': 158319, 'find free meal': 306922, 'meal for kid': 524155, 'for kid during': 322838, 'kid during school': 473931, 'during school closure': 262990, 'school closure please': 741753, 'closure please click': 184000, 'on link for': 601867, 'for detail sd13': 320683, 'detail sd13 district13': 239244, '10kg': 2338, 'tamma': 834117, 'buy 10kg': 148247, '10kg of': 2339, 'paper box': 639955, 'box spare': 137162, 'society during': 781194, 'crisis often': 217796, 'without protection': 1002862, 'extra hour': 293548, 'respect from': 715004, 'customer tamma': 222897, 'to buy 10kg': 902165, 'buy 10kg of': 148248, '10kg of pasta': 2340, 'toilet paper box': 921209, 'paper box spare': 639956, 'box spare thought': 137163, 'spare thought of': 787506, 'thought of supermarket': 893151, 'are serving the': 89998, 'serving the society': 753221, 'the society during': 867441, 'society during crisis': 781195, 'during crisis often': 262560, 'crisis often without': 217797, 'often without protection': 596309, 'without protection pay': 1002863, 'protection pay for': 685564, 'pay for extra': 644877, 'for extra hour': 321344, 'extra hour and': 293549, 'hour and respect': 405413, 'and respect from': 70331, 'respect from customer': 715005, 'from customer tamma': 335084, 'content preference': 200834, 'preference yahoo': 669799, 'yahoo finance': 1014050, 'finance via': 306294, 'reshaping consumer content': 714206, 'consumer content preference': 196965, 'content preference yahoo': 200836, 'preference yahoo finance': 669800, 'yahoo finance via': 1014051, 'shelterathome': 757963, 'prayforourhealthcareworkers': 669099, 'parent staythefhome': 641733, 'staythefhome stophoarding': 799065, 'stophoarding shelterathome': 805461, 'shelterathome prayforourhealthcareworkers': 757966, 'can be one': 157651, 'of my parent': 586805, 'my parent staythefhome': 549698, 'parent staythefhome stophoarding': 641734, 'staythefhome stophoarding shelterathome': 799066, 'stophoarding shelterathome prayforourhealthcareworkers': 805462, 'indianexpress': 434942, 'read thing': 700603, 'outbreak shared': 628619, 'shared by': 755395, 'the indianexpress': 858134, 'indianexpress io': 434943, 'app click': 81695, 'read thing you': 700604, 'up on during': 945550, 'on during the': 600444, '19 outbreak shared': 9185, 'outbreak shared by': 628620, 'shared by the': 755401, 'by the indianexpress': 154358, 'the indianexpress io': 858135, 'indianexpress io app': 434944, 'io app click': 444427, 'app click here': 81696, 'here to download': 393707, 'enzymatic': 279238, 'biosensors': 131260, 'need funding': 554899, 'funding originally': 341609, 'originally set': 619598, 'test blood': 838946, 'blood glucose': 133116, 'glucose but': 353080, 'can change': 157887, 'the enzymatic': 854412, 'enzymatic biosensors': 279239, 'biosensors to': 131261, 'test the': 839197, 'the blood': 849783, 'blood for': 133109, 'facing product': 295567, 'product meant': 681403, 'store 98': 806050, '98 99': 23719, '99 accuracy': 23766, 'accuracy pe': 28883, 'this company can': 886821, 'do it they': 249516, 'it they just': 461630, 'just need funding': 469304, 'need funding originally': 554900, 'funding originally set': 341610, 'originally set up': 619599, 'up to test': 946435, 'to test blood': 916391, 'test blood glucose': 838947, 'blood glucose but': 133117, 'glucose but they': 353081, 'but they can': 147495, 'they can change': 881618, 'can change the': 157890, 'change the enzymatic': 172291, 'the enzymatic biosensors': 854413, 'enzymatic biosensors to': 279240, 'biosensors to test': 131262, 'to test the': 916396, 'test the blood': 839198, 'the blood for': 849784, 'blood for covid': 133110, '19 it consumer': 8126, 'it consumer facing': 457287, 'consumer facing product': 197439, 'facing product meant': 295568, 'product meant to': 681404, 'be in store': 115435, 'in store 98': 428378, 'store 98 99': 806051, '98 99 accuracy': 23720, '99 accuracy pe': 23767, 'restarted': 716246, 'which shock': 986314, 'is unbelievable': 453437, 'unbelievable global': 939502, 'relaunched 2008': 708796, '2008 emergency': 13657, 'measure restarted': 525318, 'restarted bernanke': 716247, 'for corp': 320400, 'corp debt': 207189, 'debt purchase': 230539, 'at which shock': 101545, 'which shock is': 986315, 'unfolding is unbelievable': 941524, 'is unbelievable global': 453438, 'unbelievable global recession': 939503, 'down 30 oil': 256412, '30 oil price': 17156, 'lowest since 2002': 506224, 'qe relaunched 2008': 691537, 'relaunched 2008 emergency': 708797, '2008 emergency measure': 13658, 'emergency measure restarted': 272797, 'measure restarted bernanke': 525319, 'restarted bernanke yellen': 716248, 'call for corp': 155859, 'for corp debt': 320401, 'corp debt purchase': 207190, 'debt purchase via': 230540, 'scam we': 740466, 'here an update': 392696, 'update on more': 947123, 'on more scam': 602214, 'more scam we': 540320, 'scam we re': 740468, 'seeing and step': 746226, 'and step you': 72347, 'recycled': 705535, 'squeezing': 791557, 'induced oil': 435477, 'plunge is': 661439, 'hurting the': 411649, 'the circulareconomy': 850893, 'circulareconomy for': 178654, 'for plastic': 324576, 'plastic via': 658883, 'of recycled': 588851, 'recycled plastic': 705538, 'plastic is': 658859, 'now much': 575322, 'than virgin': 841406, 'virgin plastic': 957648, 'plastic squeezing': 658877, 'squeezing demand': 791560, 'consumer polymer': 198387, 'induced oil price': 435478, 'price plunge is': 675927, 'plunge is hurting': 661440, 'is hurting the': 448642, 'hurting the circulareconomy': 411650, 'the circulareconomy for': 850894, 'circulareconomy for plastic': 178655, 'for plastic via': 324578, 'plastic via the': 658884, 'via the price': 956308, 'price of recycled': 675551, 'of recycled plastic': 588852, 'recycled plastic is': 705539, 'plastic is now': 658860, 'is now much': 450302, 'now much higher': 575323, 'higher than virgin': 395764, 'than virgin plastic': 841407, 'virgin plastic squeezing': 957649, 'plastic squeezing demand': 658878, 'squeezing demand for': 791561, 'for post consumer': 324634, 'post consumer polymer': 666057, 'flatearth': 310109, 'vids': 957010, 'to toiletpaperpanic': 917629, 'toiletpaperpanic have': 923215, 'have inventory': 381121, 'month check': 537639, 'check food': 174435, 'for cat': 319958, 'cat check': 166844, 'check unlimited': 174698, 'unlimited internet': 942780, 'internet check': 441922, 'check lot': 174485, 'of dumb': 582872, 'dumb flatearth': 262098, 'flatearth vids': 310110, 'vids to': 957011, 'watch laugh': 968460, 'at check': 98242, 'check ready': 174604, 'did not contribute': 240709, 'not contribute to': 568866, 'contribute to toiletpaperpanic': 201887, 'to toiletpaperpanic have': 917630, 'toiletpaperpanic have inventory': 923216, 'have inventory for': 381122, 'inventory for month': 443670, 'for month check': 323513, 'month check food': 537640, 'check food stock': 174438, 'food stock check': 316782, 'stock check food': 801977, 'food stock for': 316789, 'stock for cat': 802165, 'for cat check': 319959, 'cat check unlimited': 166845, 'check unlimited internet': 174699, 'unlimited internet check': 942781, 'internet check lot': 441923, 'check lot of': 174486, 'lot of dumb': 504179, 'of dumb flatearth': 582873, 'dumb flatearth vids': 262099, 'flatearth vids to': 310111, 'vids to watch': 957012, 'to watch laugh': 918385, 'watch laugh at': 968462, 'laugh at check': 481706, 'at check ready': 98244, 'check ready for': 174605, 'ready for corona': 700857, 'fentanyl': 303529, 'wuhancoronavirusoutbreak': 1013552, 'do two': 250424, 'two trade': 937282, 'trade tomorrow': 928597, 'get funding': 347127, 'funding for': 341596, 'food vancouver': 317415, 'vancouver corona': 952333, 'panic combined': 638014, 'with record': 1000424, 'record homelessness': 704983, 'homelessness an': 402799, 'an rv': 56789, 'rv army': 728712, 'army and': 92988, 'the fentanyl': 855110, 'fentanyl crisis': 303530, 'crisis broke': 217140, 'system wuhanvirus': 831400, 'wuhanvirus wuhancoronavirus': 1013592, 'wuhancoronavirus wuhancoronavirusoutbreak': 1013551, 'to do two': 904576, 'do two trade': 250425, 'two trade tomorrow': 937283, 'trade tomorrow to': 928598, 'tomorrow to get': 924216, 'to get funding': 906490, 'get funding for': 347128, 'funding for food': 341598, 'for food vancouver': 321649, 'food vancouver corona': 317416, 'vancouver corona virus': 952334, 'corona virus panic': 204339, 'virus panic combined': 958612, 'panic combined with': 638015, 'combined with record': 187149, 'with record homelessness': 1000425, 'record homelessness an': 704984, 'homelessness an rv': 402800, 'an rv army': 56790, 'rv army and': 728713, 'army and the': 92989, 'and the fentanyl': 73374, 'the fentanyl crisis': 855111, 'fentanyl crisis broke': 303531, 'crisis broke the': 217141, 'broke the system': 140864, 'the system wuhanvirus': 869103, 'system wuhanvirus wuhancoronavirus': 831401, 'wuhanvirus wuhancoronavirus wuhancoronavirusoutbreak': 1013593, 'love of': 504735, 'god we': 354827, 're risking': 699401, 'for the love': 326541, 'the love of': 859766, 'love of god': 504736, 'of god we': 584181, 'god we re': 354831, 'store for couple': 807795, 'for couple thing': 320422, 'couple thing every': 211689, 'house you re': 406712, 'you re risking': 1020727, 're risking your': 699404, 'microbiologist': 530451, 'you deal': 1018153, 'crisis university': 218292, 'guelph professor': 367947, 'professor and': 682536, 'food microbiologist': 315453, 'microbiologist say': 530454, 'do you deal': 250622, 'you deal with': 1018154, 'deal with food': 229551, 'with food during': 998486, 'covid crisis university': 214146, 'crisis university of': 218293, 'of guelph professor': 584377, 'guelph professor and': 367948, 'professor and food': 682537, 'and food microbiologist': 63069, 'food microbiologist say': 315454, 'microbiologist say there': 530455, 'weathering': 974922, 'celebration of': 168854, 'of find': 583538, 'it weathering': 462285, 'weathering perfect': 974923, 'the resulting': 865699, 'resulting humanitarian': 717698, 'crisis may': 217706, 'resilient iranian': 714525, 'iranian rally': 444738, 'rally around': 696255, 'year celebration of': 1014460, 'celebration of find': 168856, 'of find it': 583541, 'find it weathering': 307012, 'it weathering perfect': 462286, 'weathering perfect storm': 974924, 'storm of low': 811824, 'price and 19': 672353, 'and 19 the': 57393, '19 the resulting': 11244, 'the resulting humanitarian': 865700, 'resulting humanitarian crisis': 717699, 'humanitarian crisis may': 410684, 'crisis may make': 217711, 'make it even': 510031, 'even more resilient': 284374, 'more resilient iranian': 540234, 'resilient iranian rally': 714526, 'iranian rally around': 444739, 'rally around their': 696256, 'around their government': 93574, 'alosra': 47117, 'sar': 736706, 'najibi': 551533, 'bahrain alosra': 108564, 'alosra supermarket': 47118, 'supermarket sar': 822314, 'sar branch': 736707, 'in najibi': 425663, 'najibi center': 551534, 'center closed': 169173, 'for suspected': 326100, 'suspected case': 829518, 'bahrain alosra supermarket': 108565, 'alosra supermarket sar': 47120, 'supermarket sar branch': 822315, 'sar branch in': 736708, 'branch in najibi': 137679, 'in najibi center': 425664, 'najibi center closed': 551535, 'center closed for': 169174, 'closed for suspected': 183132, 'for suspected case': 326101, 'suspected case of': 829519, 'in dystopian': 422432, 'dystopian world': 263956, 'is risky': 451563, 'risky behaviour': 724114, 'going inside': 355224, 'inside in': 439290, 'keep some': 471953, 'some distancing': 782698, 'distancing ukgoverment': 247579, 'ukgoverment close': 938952, 'close what': 182937, 'isn essential': 454492, 'living in dystopian': 496369, 'in dystopian world': 422435, 'dystopian world when': 263957, 'world when going': 1010164, 'supermarket is risky': 821121, 'is risky behaviour': 451564, 'risky behaviour we': 724115, 'behaviour we need': 124555, 'people going inside': 648096, 'going inside in': 355225, 'inside in order': 439291, 'to keep some': 908852, 'keep some distancing': 471954, 'some distancing ukgoverment': 782699, 'distancing ukgoverment close': 247580, 'ukgoverment close what': 938953, 'close what isn': 182938, 'what isn essential': 981741, 'isn essential please': 454493, 'essential please coronacrisis': 281401, 'spread maximum': 790624, 'maximum awareness': 520811, 'safe and share': 729480, 'share this post': 755293, 'this post to': 889677, 'post to spread': 666375, 'to spread maximum': 915071, 'spread maximum awareness': 790625, 'sanitizer submit': 735829, 'submit your': 815803, 'your bid': 1022958, 'bid now': 129477, 'dude is': 261593, 'have himself': 380956, 'himself an': 396793, 'accident coronapocalypse': 28392, 'coronapocalypse 19': 205180, '19 sanitizer': 10315, 'anyone want some': 80604, 'want some hand': 965925, 'hand sanitizer submit': 375608, 'sanitizer submit your': 735830, 'submit your bid': 815804, 'your bid now': 1022959, 'bid now this': 129478, 'now this dude': 576131, 'this dude is': 887311, 'dude is about': 261594, 'to have himself': 907254, 'have himself an': 380957, 'himself an accident': 396794, 'an accident coronapocalypse': 55065, 'accident coronapocalypse 19': 28393, 'coronapocalypse 19 sanitizer': 205181, 'perplexing': 652230, 'aren totally': 92574, 'totally pi': 926382, 'pi ed': 655550, 'ed off': 268456, 'bit perplexing': 131675, 'perplexing to': 652231, 'feud together': 303644, 'to devastate': 904239, 'nigerian aren totally': 562836, 'aren totally pi': 92575, 'totally pi ed': 926383, 'pi ed off': 655551, 'ed off at': 268457, 'is bit perplexing': 446192, 'bit perplexing to': 131676, 'perplexing to me': 652232, 'their feud together': 873309, 'feud together with': 303645, 'crisis is going': 217573, 'going to devastate': 355568, 'to devastate the': 904240, 'feasible': 301515, 'technological': 836247, 'positive outcome': 665397, 'outcome is': 628866, 'that remote': 845996, 'online training': 609629, 'is feasible': 447763, 'feasible and': 301516, 'and useful': 74791, 'useful let': 950179, 'of technological': 590627, 'technological advancement': 836248, 'advancement and': 32942, 'most out': 542595, 'them once': 876098, 'take down': 832077, 'only positive outcome': 611003, 'positive outcome is': 665399, 'outcome is that': 628868, 'world ha found': 1009610, 'ha found out': 370674, 'found out that': 330329, 'out that remote': 627333, 'that remote work': 845997, 'remote work online': 710743, 'work online learning': 1005551, 'online learning online': 608475, 'learning online shopping': 484228, 'online shopping even': 609113, 'shopping even online': 762592, 'even online training': 284434, 'online training is': 609630, 'training is feasible': 929345, 'is feasible and': 447764, 'feasible and useful': 301517, 'and useful let': 74793, 'useful let all': 950180, 'let all take': 486573, 'all take advantage': 44590, 'advantage of technological': 33033, 'of technological advancement': 590628, 'technological advancement and': 836249, 'advancement and make': 32943, 'and make the': 66579, 'the most out': 861012, 'most out of': 542596, 'of them once': 591755, 'them once we': 876099, 'once we take': 605785, 'we take down': 973480, 'take down the': 832078, 'down the epidemic': 257276, 'blocker': 132874, 'geez who': 345056, 'else us': 271952, 'us to': 948556, 'on stats': 603650, 'stats of': 796623, 'now got': 574810, 'got ad': 358381, 'use ad': 949011, 'ad blocker': 31065, 'blocker even': 132875, 'even ugh': 284746, 'oh geez who': 596388, 'geez who else': 345057, 'who else us': 988687, 'else us to': 271953, 'us to check': 948557, 'check on stats': 174513, 'on stats of': 603651, 'stats of now': 796624, 'of now got': 587095, 'now got ad': 574811, 'got ad for': 358382, 'sanitizer for and': 734895, 'for and use': 319348, 'and use ad': 74767, 'use ad blocker': 949012, 'ad blocker even': 31066, 'blocker even ugh': 132876, 'india this': 434647, 'by india this': 152909, 'india this adversity': 434648, 'this adversity canonforcommunity': 886213, 'topper': 925846, 'to bos': 901949, 'bos found': 135660, 'get five': 347020, 'time much': 897235, 'in package': 426413, 'package from': 633279, 'to 40': 899710, 'roll coworker': 725260, 'coworker who': 214491, 'be topper': 117770, 'topper 19': 925847, 'worker to bos': 1007998, 'to bos found': 901950, 'bos found way': 135661, 'to get five': 906481, 'get five time': 347021, 'five time much': 309672, 'time much toilet': 897238, 'paper in package': 640328, 'in package from': 426415, 'package from to': 633284, 'from to 40': 338055, 'to 40 roll': 899715, '40 roll coworker': 18652, 'roll coworker who': 725261, 'coworker who always': 214492, 'who always ha': 988062, 'always ha to': 49593, 'to be topper': 901598, 'be topper 19': 117771, 'resolution': 714627, 'circulation': 178696, 'public authority': 687885, 'authority for': 103717, 'pacp ha': 633756, 'issued resolution': 456082, 'resolution stopping': 714628, 'the circulation': 850895, 'circulation of': 178697, 'two hand': 936950, 'brand oman': 137947, 'the public authority': 864792, 'public authority for': 687886, 'authority for consumer': 103718, 'protection pacp ha': 685552, 'pacp ha issued': 633757, 'ha issued resolution': 371005, 'issued resolution stopping': 456083, 'resolution stopping the': 714629, 'stopping the circulation': 805829, 'the circulation of': 850896, 'circulation of two': 178698, 'of two hand': 592540, 'two hand sanitizer': 936951, 'hand sanitizer brand': 375329, 'sanitizer brand oman': 734594, 'brand oman 19': 137948, 'nh food': 561954, 'demand covid': 235184, 'affect job': 34175, 'nh food bank': 561955, 'bank see increase': 110166, 'in demand covid': 422117, 'demand covid 19': 235185, '19 affect job': 4834, 'fascination': 299773, 'are written': 91753, 'written about': 1012949, 'great pandemic2020': 362869, 'pandemic2020 am': 637104, 'sure there': 827725, 'much speculation': 545318, 'speculation about': 788350, 'our fascination': 623030, 'fascination in': 299774, 'not shortage': 571565, 'tp but': 927773, 'when the history': 984161, 'history book are': 398009, 'book are written': 134476, 'are written about': 91754, 'written about the': 1012950, 'the great pandemic2020': 856728, 'great pandemic2020 am': 362870, 'pandemic2020 am sure': 637105, 'am sure there': 50463, 'sure there will': 827729, 'be much speculation': 116028, 'much speculation about': 545319, 'speculation about our': 788351, 'about our fascination': 25890, 'our fascination in': 623031, 'fascination in the': 299775, 'in the with': 429686, 'the with toiletpaper': 871643, 'with toiletpaper and': 1001804, 'toiletpaper and yes': 921734, 'yes there is': 1015563, 'is not shortage': 450183, 'not shortage of': 571566, 'shortage of tp': 765144, 'of tp but': 592361, 'tp but in': 927775, 'fake voucher': 296739, 'voucher alert': 960628, 'asda saying': 94978, 'received voucher': 703705, 'for cash': 319948, 'cash while': 166375, 'quarantine coupon': 692110, 'coupon claim': 211755, 'claim form': 179734, 'form actually': 329484, 'actually steal': 30965, 'steal credit': 799176, 'card information': 163556, 'information scamalert': 437972, 'fake voucher alert': 296740, 'voucher alert from': 960629, 'alert from email': 41431, 'from email claiming': 335267, 'be from supermarket': 114970, 'from supermarket chain': 337478, 'chain asda saying': 170529, 'asda saying you': 94979, 'saying you received': 739775, 'you received voucher': 1020858, 'received voucher for': 703706, 'voucher for cash': 960643, 'for cash while': 319950, 'cash while shopping': 166376, 'while shopping during': 987264, 'shopping during quarantine': 762539, 'during quarantine coupon': 262935, 'quarantine coupon claim': 692111, 'coupon claim form': 211756, 'claim form actually': 179735, 'form actually steal': 329485, 'actually steal credit': 30966, 'steal credit card': 799177, 'credit card information': 216339, 'card information scamalert': 163558, 'dow surge': 256339, 'surge 780': 828113, '780 point': 22340, 'recovery effort': 705318, 'effort oil': 269563, 'dow surge 780': 256340, 'surge 780 point': 828114, '780 point on': 22342, 'point on covid': 662575, '19 recovery effort': 10013, 'recovery effort oil': 705320, 'effort oil price': 269564, 'ingenuity': 438301, 'distillery bring': 247738, 'bring ingenuity': 140005, 'ingenuity and': 438302, 'and creativity': 60722, 'creativity to': 216222, 'sanitizer in high': 735139, 'demand and local': 234980, 'and local distillery': 66291, 'local distillery bring': 497895, 'distillery bring ingenuity': 247739, 'bring ingenuity and': 140006, 'ingenuity and creativity': 438303, 'and creativity to': 60723, 'creativity to help': 216223, 'illusory': 416433, 'today gdp': 919567, 'gdp data': 344874, 'of post': 588258, 'post election': 666105, 'election recovery': 271056, 'in growth': 423464, 'growth from': 367374, 'from previous': 336971, 'previous business': 671960, 'survey were': 828980, 'were illusory': 979766, 'illusory growth': 416434, 'growth wa': 367473, 'wa virtually': 963651, 'virtually flat': 957840, 'that hit': 844348, 'hit britain': 398170, 'britain with': 140476, 'force from': 328393, 'from mid': 336428, 'today gdp data': 919568, 'gdp data show': 344875, 'show that sign': 767194, 'that sign of': 846314, 'sign of post': 769166, 'of post election': 588261, 'post election recovery': 666107, 'election recovery in': 271057, 'recovery in growth': 705346, 'in growth from': 423465, 'growth from previous': 367377, 'from previous business': 336972, 'previous business and': 671961, 'and consumer survey': 60432, 'consumer survey were': 199200, 'survey were illusory': 828983, 'were illusory growth': 979767, 'illusory growth wa': 416435, 'growth wa virtually': 367476, 'wa virtually flat': 963652, 'virtually flat in': 957841, 'flat in the': 310079, 'in the run': 429522, 'the run up': 866078, 'outbreak that hit': 628698, 'that hit britain': 844349, 'hit britain with': 398172, 'britain with full': 140477, 'with full force': 998580, 'full force from': 340608, 'force from mid': 328394, 'from mid march': 336429, 'chill guy': 176354, 'guy you': 369242, 'drive during': 259044, 'curfew lka': 220898, 'lka srilanka': 496522, 'srilanka coronaoutbreak': 791610, 'chill guy you': 176355, 'guy you are': 369243, 'allowed to drive': 46228, 'to drive during': 904734, 'drive during the': 259046, 'during the curfew': 263110, 'the curfew lka': 852593, 'curfew lka srilanka': 220899, 'lka srilanka coronaoutbreak': 496523, 'wpost': 1012647, 'reprinted': 712985, 'retur': 719802, 'david wpost': 227008, 'wpost article': 1012648, 'also wrong': 49125, 'wrong fda': 1013030, 'fda did': 300850, 'not issue': 570178, 'issue guideline': 455776, 'guideline that': 368475, 'be proved': 116587, 'proved mask': 686137, 'mask fda': 518645, 'fda just': 300884, 'just reprinted': 469626, 'reprinted cdc': 712986, 'cdc guidance': 168567, 'that worker': 847661, 'worker exposed': 1006892, 'are asymptomatic': 84656, 'asymptomatic can': 97293, 'can retur': 159477, 'david wpost article': 227009, 'wpost article is': 1012649, 'article is also': 94372, 'is also wrong': 445584, 'also wrong fda': 49126, 'wrong fda did': 1013031, 'fda did not': 300851, 'did not issue': 240719, 'not issue guideline': 570179, 'issue guideline that': 455777, 'guideline that supermarket': 368476, 'should be proved': 765697, 'be proved mask': 116588, 'proved mask fda': 686138, 'mask fda just': 518646, 'fda just reprinted': 300885, 'just reprinted cdc': 469627, 'reprinted cdc guidance': 712987, 'cdc guidance that': 168568, 'guidance that worker': 368291, 'that worker exposed': 847662, 'worker exposed to': 1006893, 'supermarket and are': 818932, 'and are asymptomatic': 58295, 'are asymptomatic can': 84657, 'asymptomatic can retur': 97294, 'thursday grocery': 895379, 'store flyer': 807747, 'flyer ha': 311650, 'ha three': 372275, 'three ply': 894033, 'ply toilet': 661790, 'for 44': 318843, '44 there': 19023, 'there sure': 879123, 'be lineup': 115766, 'thursday grocery store': 895380, 'grocery store flyer': 365403, 'store flyer ha': 807748, 'flyer ha three': 311651, 'ha three ply': 372276, 'three ply toilet': 894036, 'ply toilet tissue': 661792, 'toilet tissue for': 921637, 'tissue for 44': 899146, 'for 44 there': 318844, '44 there sure': 19024, 'there sure to': 879124, 'to be lineup': 901368, 'geometry': 345965, 'get academic': 346496, 'academic credit': 27768, 'the geometry': 856217, 'geometry required': 345966, '6ft away': 21601, 'store lockdown': 808803, 'should get academic': 766017, 'get academic credit': 346497, 'academic credit for': 27769, 'credit for all': 216393, 'all the geometry': 44762, 'the geometry required': 856218, 'geometry required to': 345967, 'stay 6ft away': 796740, '6ft away from': 21602, 'away from everyone': 105880, 'from everyone in': 335336, 'grocery store lockdown': 365536, 'exhaust': 290143, 'wandering about': 965570, 'the warm': 871087, 'warm sunshine': 966887, 'sunshine most': 818437, 'most with': 542921, 'with dog': 998105, 'dog ll': 252123, 'admit dog': 32598, 'dog have': 252111, 'been walked': 122341, 'walked so': 964975, 'much supermarket': 545337, 'pretty busy': 671369, 'but operating': 146704, 'operating distance': 613067, 'rule people': 727322, 'only other': 610928, 'other mask': 620510, 'my exhaust': 548122, 'exhaust fell': 290144, 'fell off': 303214, 'of people wandering': 588020, 'people wandering about': 650137, 'wandering about in': 965571, 'about in the': 25514, 'in the warm': 429658, 'the warm sunshine': 871088, 'warm sunshine most': 966888, 'sunshine most with': 818438, 'most with dog': 542922, 'with dog ll': 998107, 'dog ll have': 252124, 'have to admit': 383154, 'to admit dog': 900117, 'admit dog have': 32599, 'dog have never': 252112, 'never been walked': 557908, 'been walked so': 122342, 'walked so much': 964976, 'so much supermarket': 777815, 'much supermarket pretty': 545338, 'supermarket pretty busy': 822052, 'pretty busy but': 671370, 'busy but operating': 144877, 'but operating distance': 146705, 'operating distance rule': 613068, 'distance rule people': 246812, 'rule people sticking': 727324, 'sticking to it': 800107, 'to it only': 908601, 'it only other': 460105, 'only other mask': 610929, 'other mask the': 620511, 'mask the whole': 519360, 'whole time my': 990363, 'time my exhaust': 897245, 'my exhaust fell': 548123, 'exhaust fell off': 290145, 'esa': 280250, 'pip': 656867, 'are asked': 84628, 'on esa': 600576, 'esa and': 280251, 'and pip': 69028, 'pip everyone': 656868, 'getting help': 349032, 'help but': 389448, 'when online': 983803, 'please when you': 660773, 'you are asked': 1017064, 'are asked to': 84629, 'asked to ask': 95858, 'about the covid': 26364, '19 could you': 6162, 'could you please': 209850, 'you please ask': 1020352, 'please ask if': 659675, 'ask if there': 95565, 'is any help': 445757, 'any help people': 79316, 'help people like': 390299, 'like me on': 490751, 'me on esa': 523259, 'on esa and': 600577, 'esa and pip': 280252, 'and pip everyone': 69029, 'pip everyone else': 656869, 'else is getting': 271752, 'is getting help': 448026, 'getting help but': 349033, 'help but is': 389450, 'but is when': 146086, 'is when online': 453918, 'when online shopping': 983804, 'shopping we cannot': 764348, 'cannot get slot': 161905, 'be reasonable': 116719, 'reasonable in': 703099, 'be reasonable in': 116721, 'reasonable in your': 703100, 'in your purchase': 431115, 'your purchase and': 1025477, 'purchase and be': 689347, 'considerate and considerate': 195207, 'considerate of others': 195221, 'others when doing': 621771, 'when doing so': 983357, 'justin': 470472, 'wedged': 975591, 'that prime': 845834, 'minister justin': 533393, 'justin trudeau': 470479, 'trudeau and': 933011, 'and premier': 69356, 'ford say': 328785, 'smoothly and': 775952, 'hoard looking': 398830, 'the 12': 847876, 'and lb': 66005, 'lb box': 482762, 'of dried': 582819, 'dried pasta': 258756, 'pasta wedged': 643851, 'wedged in': 975592, 'your stuffed': 1026020, 'stuffed shopping': 815290, 'reminder that prime': 710593, 'that prime minister': 845835, 'prime minister justin': 678144, 'minister justin trudeau': 533394, 'justin trudeau and': 470480, 'trudeau and premier': 933012, 'and premier doug': 69357, 'doug ford say': 256255, 'ford say supply': 328788, 'chain are running': 170513, 'are running smoothly': 89772, 'running smoothly and': 728070, 'smoothly and there': 775954, 'and there no': 73845, 'to hoard looking': 907874, 'hoard looking at': 398831, 'looking at you': 502832, 'at you with': 101665, 'with the 12': 1001184, 'the 12 pack': 847878, 'paper and lb': 639836, 'and lb box': 66006, 'lb box of': 482763, 'box of dried': 137116, 'of dried pasta': 582820, 'dried pasta wedged': 258759, 'pasta wedged in': 643852, 'wedged in your': 975593, 'in your stuffed': 431128, 'your stuffed shopping': 1026021, 'stuffed shopping cart': 815291, 'someone tested': 784682, 'positive at': 665259, 'door they': 255740, 'business doing': 143649, 'doing deep': 252347, 'deep clean': 231852, 'clean after': 180444, 'close tonight': 182927, 'tonight left': 924436, 'left immediately': 485507, 'immediately this': 417159, 'so fucked': 777132, 'someone tested positive': 784683, 'tested positive at': 839345, 'positive at the': 665260, 'work at part': 1004891, 'at part time': 100074, 'time and they': 896302, 'closing the door': 183773, 'the door they': 853588, 'door they are': 255741, 'are open for': 88789, 'for business doing': 319828, 'business doing deep': 143650, 'doing deep clean': 252348, 'deep clean after': 231853, 'clean after they': 180445, 'after they close': 36384, 'they close tonight': 881766, 'close tonight left': 182928, 'tonight left immediately': 924437, 'left immediately this': 485508, 'immediately this is': 417160, 'is so fucked': 452007, 'so fucked up': 777133, 'giggle': 350085, 'please buy': 659739, 'responsibly folk': 716094, 'folk if': 312185, 'today news': 919924, 'morning got': 541270, 'have giggle': 380767, 'giggle still': 350088, 'please buy responsibly': 659741, 'buy responsibly folk': 149125, 'responsibly folk if': 716095, 'folk if you': 312186, 're out shopping': 699226, 'out shopping today': 627183, 'shopping today news': 764213, 'today news in': 919925, 'news in from': 560529, 'this morning got': 888961, 'morning got to': 541271, 'got to have': 358959, 'to have giggle': 907245, 'have giggle still': 380768, 'reimburse': 708218, 'my impression': 548827, 'impression or': 419468, 'are airline': 84283, 'airline inflating': 39981, 'price result': 676199, 'crisis tried': 218273, 'rebook with': 703281, 'cost wa': 208151, 'high that': 395461, 'accept the': 27998, 'dreaded voucher': 258574, 'don reimburse': 253864, 'reimburse and': 708219, 'is it my': 449040, 'it my impression': 459718, 'my impression or': 548828, 'impression or are': 419469, 'or are airline': 614403, 'are airline inflating': 84284, 'airline inflating price': 39982, 'inflating price result': 437124, 'price result of': 676200, 'the crisis tried': 852468, 'crisis tried to': 218274, 'tried to rebook': 931843, 'to rebook with': 912898, 'rebook with uk': 703282, 'with uk and': 1001884, 'and the cost': 73301, 'the cost wa': 851988, 'cost wa so': 208152, 'wa so high': 963261, 'so high that': 777311, 'high that had': 395462, 'that had no': 844154, 'had no other': 373335, 'other choice but': 619942, 'but to accept': 147580, 'to accept the': 899945, 'accept the dreaded': 27999, 'the dreaded voucher': 853682, 'dreaded voucher they': 258575, 'voucher they don': 960671, 'they don reimburse': 881999, 'don reimburse and': 253865, 'reimburse and you': 708220, 'research website': 713878, 'cant help': 162311, 'her year': 392541, 'old just': 598305, 'made panic': 507908, 'buyer look': 149681, 'cant help but': 162312, 'help but love': 389452, 'but love her': 146328, 'love her year': 504685, 'her year old': 392542, 'year old just': 1014838, 'old just made': 598306, 'just made panic': 469210, 'made panic buyer': 507909, 'panic buyer look': 637587, 'buyer look very': 149682, 'look very very': 502658, 'very very bad': 955642, 'demand breakingnews': 235071, 'breakingnews collapse': 139092, 'collapse food': 186007, 'in demand breakingnews': 422110, 'demand breakingnews collapse': 235072, 'breakingnews collapse food': 139093, 'collapse food 19': 186008, 'food 19 collapse': 313009, 'ah yes': 39105, 'blood sacrifice': 133138, 'started all': 794676, 'all according': 41930, 'ah yes the': 39106, 'yes the blood': 1015549, 'the blood sacrifice': 849786, 'blood sacrifice of': 133139, 'sacrifice of the': 729100, 'essential worker ha': 281834, 'worker ha started': 1007076, 'ha started all': 372041, 'started all according': 794677, 'all according to': 41931, 'according to plan': 28574, 'for post coronavirus': 324635, 'reshaped': 714192, 'and ever': 62366, 'the proof': 864667, 'proof will': 684022, 'the pudding': 864883, 'pudding will': 688809, 'will everyone': 993352, 'the agreement': 848451, 'agreement theyve': 38799, 'theyve made': 883970, 'been reshaped': 121839, 'reshaped by': 714193, 'that change': 843197, 'is permanent': 450859, 'permanent will': 652081, 'and ever with': 62367, 'ever with oil': 285602, 'with oil production': 999862, 'production cut the': 682001, 'cut the proof': 223580, 'the proof will': 864668, 'proof will be': 684023, 'in the pudding': 429489, 'the pudding will': 864884, 'pudding will everyone': 688810, 'will everyone stick': 993355, 'to the agreement': 916483, 'the agreement theyve': 848452, 'agreement theyve made': 38800, 'theyve made the': 883971, 'made the global': 507993, 'ha been reshaped': 369900, 'been reshaped by': 121840, 'reshaped by and': 714194, 'by and how': 151840, 'much of that': 545197, 'of that change': 590715, 'that change is': 843198, 'change is permanent': 172154, 'is permanent will': 450860, 'permanent will have': 652082, 'will have huge': 993641, 'have huge impact': 380995, 'impact on oil': 417876, 'oil price going': 597150, 'price going forward': 674212, 'reinforced': 708251, 'j3gxbg5kj1': 464094, 'hdhpqoqsiu': 384697, 'week low': 976500, 'low large': 505374, 'large delivery': 479643, 'metal to': 529660, 'warehouse listed': 966740, 'the london': 859664, 'exchange reinforced': 289471, 'reinforced demand': 708254, 'demand concern': 235155, 'concern fueled': 192980, 'of j3gxbg5kj1': 585498, 'j3gxbg5kj1 hdhpqoqsiu': 464095, 'copper price fell': 203440, 'fell to three': 303252, 'to three week': 917549, 'three week low': 894109, 'week low large': 976501, 'low large delivery': 505375, 'large delivery of': 479644, 'delivery of the': 234237, 'of the metal': 591239, 'the metal to': 860540, 'metal to warehouse': 529662, 'to warehouse listed': 918333, 'warehouse listed on': 966741, 'on the london': 604219, 'the london metal': 859667, 'metal exchange reinforced': 529626, 'exchange reinforced demand': 289472, 'reinforced demand concern': 708255, 'demand concern fueled': 235156, 'concern fueled by': 192981, 'by the spread': 154443, 'spread of j3gxbg5kj1': 790682, 'of j3gxbg5kj1 hdhpqoqsiu': 585499, 'cooronavirus': 203246, 'discrimination towards': 244814, 'towards asian': 927167, 'toronto is': 925953, 'absolutely unacceptable': 27459, 'unacceptable supermarket': 939369, 'supermarket cooronavirus': 819784, 'cooronavirus socialdistancing': 203247, 'discrimination towards asian': 244815, 'towards asian community': 927168, 'community in toronto': 189920, 'in toronto is': 430205, 'toronto is absolutely': 925954, 'is absolutely unacceptable': 445302, 'absolutely unacceptable supermarket': 27461, 'unacceptable supermarket cooronavirus': 939370, 'supermarket cooronavirus socialdistancing': 819785, 'cooronavirus socialdistancing stayhome': 203248, 'good bit': 356831, 'about safety': 26126, 'safety first': 730531, 'first folk': 308679, 'this dr': 887290, 'giving solid': 351389, 'solid advice': 781902, 'advice that': 33519, 'also practice': 48678, 'practice health': 668582, 'wellness wednesdaywisdom': 978860, 'wednesdaywisdom besafe': 975739, 'here good bit': 393053, 'good bit of': 356832, 'bit of information': 131648, 'information about food': 437706, 'about food shopping': 25263, 'food shopping during': 316520, 'pandemic it all': 635818, 'all about safety': 41925, 'about safety first': 26127, 'safety first folk': 730532, 'first folk this': 308680, 'folk this dr': 312275, 'this dr is': 887291, 'dr is giving': 258035, 'is giving solid': 448065, 'giving solid advice': 351390, 'solid advice that': 781903, 'advice that he': 33520, 'that he also': 844251, 'he also practice': 384731, 'also practice health': 48679, 'practice health wellness': 668585, 'health wellness wednesdaywisdom': 386953, 'wellness wednesdaywisdom besafe': 978861, 'wonderful work': 1004141, 'very helpful': 955222, 'busy stocking': 144965, 'and checking': 59788, 'thing even': 884309, 'shelf hope': 757164, 'staff will': 793095, 'commended for': 188373, 'their impact': 873628, 'impact other': 417907, 'what can say': 981177, 'can say about': 159511, 'say about the': 738390, 'about the wonderful': 26564, 'the wonderful work': 871683, 'wonderful work is': 1004142, 'work is doing': 1005371, 'in the staff': 429570, 'staff are very': 792209, 'are very helpful': 91465, 'very helpful and': 955223, 'are busy stocking': 85102, 'busy stocking the': 144966, 'stocking the shelf': 803607, 'shelf and checking': 756723, 'and checking the': 59790, 'checking the back': 174852, 'back of thing': 107177, 'of thing even': 591896, 'thing even the': 884310, 'even the shelf': 284667, 'the shelf hope': 866846, 'shelf hope your': 757165, 'your staff will': 1025921, 'staff will be': 793096, 'will be commended': 992402, 'be commended for': 114159, 'commended for their': 188374, 'for their impact': 326840, 'their impact other': 873630, 'impact other supermarket': 417908, 'other supermarket are': 621013, 'are taking note': 90726, 'service trying': 753011, 'delivery service trying': 234474, 'service trying to': 753012, 'generator': 345679, 'duly': 262084, 'are ever': 86282, 'ever at': 285207, 'your generator': 1024031, 'generator in': 345682, 'in perfect': 426611, 'perfect working': 651371, 'condition at': 193407, 'safety preventive': 730690, 'measure duly': 525185, 'duly observed': 262085, 'observed let': 578618, 'let observe': 486948, 'the preventive': 864312, 'keep believing': 471341, 'believing for': 126450, 'safe staysafe': 729991, 'staysafe repair': 798868, 'we are ever': 970547, 'are ever at': 86283, 'ever at your': 285209, 'service to keep': 752981, 'keep your generator': 472267, 'your generator in': 1024032, 'generator in perfect': 345683, 'in perfect working': 426615, 'perfect working condition': 651372, 'working condition at': 1008576, 'condition at affordable': 193408, 'affordable price with': 34891, 'price with the': 677624, 'with the safety': 1001464, 'the safety preventive': 866152, 'safety preventive measure': 730691, 'preventive measure duly': 671922, 'measure duly observed': 525186, 'duly observed let': 262086, 'observed let observe': 578619, 'let observe the': 486949, 'observe the preventive': 578601, 'the preventive measure': 864313, 'preventive measure and': 671919, 'measure and keep': 525101, 'and keep believing': 65751, 'keep believing for': 471342, 'believing for the': 126451, 'stay safe staysafe': 797282, 'safe staysafe repair': 729993, 'exercise self': 290098, 'quarantine by': 692069, 'only working': 611493, 'home too': 402361, 'too visit': 925147, 'shopping covered': 762414, 'covered plus': 212436, 'staysafe onlineshopping': 798857, 'onlineshopping socialdistancing': 609938, 'exercise self quarantine': 290099, 'self quarantine by': 747850, 'quarantine by not': 692071, 'by not only': 153362, 'not only working': 570841, 'only working from': 611494, 'from home but': 335846, 'home but doing': 400832, 'but doing the': 145583, 'doing the shopping': 252727, 'the shopping from': 867063, 'shopping from home': 762755, 'from home too': 335918, 'home too visit': 402362, 'too visit our': 925148, 'visit our website': 959333, 'website to get': 975442, 'get your shopping': 348735, 'your shopping covered': 1025778, 'shopping covered plus': 762415, 'covered plus free': 212437, 'plus free delivery': 661607, 'your home staysafe': 1024377, 'home staysafe onlineshopping': 402140, 'staysafe onlineshopping socialdistancing': 798858, 'gift from': 349976, 'dad thanks': 224388, 'thanks dad': 842040, 'what ve': 982506, 've always': 952834, 'wanted toiletpaper': 966283, 'toiletpaper stayathome': 922514, 'birthday gift from': 131433, 'gift from my': 349979, 'from my dad': 336504, 'my dad thanks': 547902, 'dad thanks dad': 224389, 'thanks dad just': 842041, 'dad just what': 224361, 'just what ve': 470289, 'what ve always': 982507, 've always wanted': 952840, 'always wanted toiletpaper': 49786, 'wanted toiletpaper stayathome': 966284, 'toiletpaper stayathome stayhomesavelives': 922518, 'tylenol': 937499, 'sad sign': 729231, 'the alarm': 848545, 'alarm went': 40685, 'went off': 979064, 'morning wa': 541525, 'having wonderful': 384408, 'wonderful dream': 1004075, 'dream that': 258625, 'bleach tylenol': 132526, 'tylenol and': 937500, 'everyone needed': 287209, 'sad sign of': 729232, 'the time just': 869599, 'time just before': 897095, 'before the alarm': 123139, 'the alarm went': 848549, 'alarm went off': 40686, 'went off this': 979066, 'off this morning': 594306, 'this morning wa': 889035, 'morning wa having': 541527, 'wa having wonderful': 962290, 'having wonderful dream': 384409, 'wonderful dream that': 1004076, 'dream that wa': 258627, 'that wa at': 847273, 'and they had': 73910, 'they had plenty': 882256, 'plenty of bleach': 660941, 'of bleach tylenol': 580744, 'bleach tylenol and': 132527, 'tylenol and other': 937501, 'and other thing': 68422, 'other thing everyone': 621106, 'thing everyone needed': 884318, 'impact weaken': 418042, 'weaken steel': 974052, 'economic impact weaken': 267141, 'impact weaken steel': 418043, 'weaken steel price': 974053, 'horizon': 404038, 'bradco': 137533, 'refrigeration': 706785, 'horizon bradco': 404041, 'bradco would': 137536, 'hero our': 394058, 'own service': 632200, 'technician from': 836225, 'from horizon': 335941, 'bradco star': 137534, 'star refrigeration': 794058, 'refrigeration and': 706786, 'am are': 49900, 'supermarket equipment': 820190, 'and refrigeration': 70132, 'refrigeration up': 706798, 'running we': 728135, 'you word': 1022415, 'word cannot': 1004463, 'cannot express': 161815, 'how appreciated': 407380, 'appreciated you': 82847, 'horizon bradco would': 404043, 'bradco would like': 137537, '19 hero our': 7522, 'hero our own': 394059, 'our own service': 624214, 'own service technician': 632201, 'service technician from': 752901, 'technician from horizon': 836226, 'from horizon bradco': 335942, 'horizon bradco star': 404042, 'bradco star refrigeration': 137535, 'star refrigeration and': 794059, 'refrigeration and am': 706787, 'and am are': 58005, 'am are working': 49901, 'keep the supermarket': 472075, 'the supermarket equipment': 868574, 'supermarket equipment and': 820191, 'equipment and refrigeration': 279685, 'and refrigeration up': 70134, 'refrigeration up and': 706799, 'and running we': 70649, 'running we see': 728136, 'see you word': 746118, 'you word cannot': 1022416, 'word cannot express': 1004464, 'cannot express how': 161816, 'express how appreciated': 293040, 'how appreciated you': 407382, 'appreciated you are': 82848, 'imee': 416891, 'marcos': 515575, 'hasten': 378830, 'senator imee': 749753, 'imee marcos': 416892, 'marcos ha': 515576, 'more medicine': 539770, 'and hasten': 64212, 'hasten the': 378831, 'critical equipment': 218554, 'equipment other': 279798, 'just testing': 469975, 'country scramble': 211034, 'disease or': 245197, 'senator imee marcos': 749754, 'imee marcos ha': 416893, 'marcos ha called': 515577, 'called on the': 156402, 'government to cut': 360709, 'cut the price': 223578, 'price of more': 675507, 'of more medicine': 586645, 'more medicine and': 539771, 'medicine and hasten': 526716, 'and hasten the': 64213, 'hasten the purchase': 378832, 'purchase of critical': 689576, 'of critical equipment': 582204, 'critical equipment other': 218556, 'equipment other than': 279799, 'other than just': 621071, 'than just testing': 840823, 'just testing kit': 469976, 'kit the country': 475646, 'the country scramble': 852149, 'country scramble to': 211035, 'scramble to fight': 742544, 'fight the spread': 304904, 'coronavirus disease or': 205830, 'disease or covid': 245198, 'delivery app': 233691, 'arabia ha': 83884, 'raised fund': 696002, 'expand across': 290446, 'east lockdown': 265321, 'coronavirus boost': 205566, 'grocery delivery app': 364435, 'delivery app in': 233692, 'app in saudi': 81722, 'saudi arabia ha': 737196, 'arabia ha raised': 83888, 'ha raised fund': 371627, 'raised fund to': 696003, 'fund to expand': 341523, 'to expand across': 905432, 'expand across the': 290447, 'across the middle': 29504, 'middle east lockdown': 530649, 'east lockdown measure': 265322, 'lockdown measure related': 499653, 'the coronavirus boost': 851812, 'coronavirus boost demand': 205567, 'hairstore': 374062, 'togetherky': 921073, 'every black': 285692, 'black female': 132053, 'female right': 303508, 'knowing that': 477133, 'the hair': 857039, 'hair store': 374007, 'closing tonight': 183799, 'tonight at': 924368, '8pm thanks': 23234, 'to hairstore': 907090, 'hairstore togetherky': 374063, 'togetherky quarantinechronicles': 921074, 'quarantinechronicles stockup': 692802, 'stockup westend': 804220, 'westend of': 980580, 'of louisville': 586029, 'just about every': 468130, 'about every black': 25192, 'every black female': 285693, 'black female right': 132054, 'female right now': 303509, 'right now knowing': 722095, 'now knowing that': 575175, 'knowing that the': 477137, 'that the hair': 846742, 'the hair store': 857041, 'hair store are': 374008, 'are closing tonight': 85403, 'closing tonight at': 183800, 'tonight at 8pm': 924372, 'at 8pm thanks': 97799, '8pm thanks to': 23235, 'thanks to hairstore': 842231, 'to hairstore togetherky': 907091, 'hairstore togetherky quarantinechronicles': 374064, 'togetherky quarantinechronicles stockup': 921075, 'quarantinechronicles stockup westend': 692803, 'stockup westend of': 804221, 'westend of louisville': 980581, 'downtownrochestermn': 257775, 'frequenting': 332835, 'rochester': 724880, 'downtownrochestermn is': 257776, 'tight knit': 895829, 'another when': 77978, 'when in': 983588, 'person dining': 652398, 'dining shopping': 243033, 'or frequenting': 615392, 'frequenting business': 332836, 'business isn': 143962, 'isn possible': 454621, 'possible during': 665635, 'delivery take': 234601, 'out gift': 626219, 'online service': 608963, 'in rochester': 427525, 'downtownrochestermn is tight': 257777, 'is tight knit': 453156, 'tight knit community': 895830, 'knit community and': 476122, 'community and there': 189727, 'and there for': 73839, 'there for one': 878408, 'one another when': 605930, 'another when in': 77979, 'when in person': 983589, 'in person dining': 426624, 'person dining shopping': 652399, 'dining shopping or': 243034, 'shopping or frequenting': 763541, 'or frequenting business': 615393, 'frequenting business isn': 332837, 'business isn possible': 143965, 'isn possible during': 454623, 'possible during covid': 665636, '19 here are': 7509, 'here are business': 392734, 'are business offering': 85091, 'offering delivery take': 595072, 'delivery take out': 234602, 'take out gift': 832446, 'out gift card': 626220, 'gift card online': 349949, 'card online service': 163598, 'online service in': 608964, 'service in rochester': 752481, 'samoa': 733446, 'frankie': 331156, '19 samoa': 10306, 'samoa frankie': 733447, 'frankie supermarket': 331157, 'supply only': 825674, 'only shortage': 611131, 'is chicken': 446512, 'chicken supply': 175865, 'covid 19 samoa': 213741, '19 samoa frankie': 10307, 'samoa frankie supermarket': 733448, 'frankie supermarket is': 331158, 'supermarket is stocked': 821126, 'is stocked up': 452337, 'on supply only': 603829, 'supply only shortage': 825676, 'only shortage is': 611133, 'shortage is chicken': 765037, 'is chicken supply': 446513, 'designing': 238394, 'anjalilai': 76749, 'pandemicex': 637114, 'marketer designing': 517464, 'designing messaging': 238395, 'ease and': 265065, 'and engage': 62138, 'engage consumer': 276846, 'during need': 262811, 'current consumer': 221138, 'attitude more': 102572, 'blog by': 132909, 'by anjalilai': 151857, 'anjalilai pandemicex': 76750, 'marketer designing messaging': 517465, 'designing messaging to': 238396, 'messaging to ease': 529526, 'to ease and': 904848, 'ease and engage': 265066, 'and engage consumer': 62139, 'engage consumer during': 276848, 'consumer during need': 197271, 'during need to': 262813, 'aware of current': 105630, 'of current consumer': 582258, 'current consumer attitude': 221139, 'consumer attitude more': 196346, 'attitude more in': 102573, 'in our blog': 426265, 'our blog by': 622223, 'blog by anjalilai': 132910, 'by anjalilai pandemicex': 151858, 'business site': 144386, 'are updated': 91376, 'with relevant': 1000444, 'relevant covid': 709148, 'small business site': 774893, 'business site are': 144387, 'site are updated': 771885, 'are updated with': 91377, 'updated with relevant': 947467, 'with relevant covid': 1000445, 'relevant covid 19': 709149, 'roadshow': 724561, 'war send': 966534, 'send gas': 749862, 'cent at': 169035, 'one station': 607088, 'station roadshow': 796505, '19 price war': 9822, 'price war send': 677372, 'war send gas': 966535, 'send gas to': 749863, 'gas to 99': 344156, '99 cent at': 23791, 'cent at one': 169037, 'at one station': 99972, 'one station roadshow': 607090, 'instructional': 440579, 'some instructional': 783126, 'instructional video': 440580, 'video regarding': 956876, 'regarding social': 707262, 'did supermarket': 240829, 'walk there': 964884, 'there amazed': 877980, 'amazed how': 50624, 'how close': 407552, 'close people': 182757, 'you walking': 1022112, 'walking in': 965061, 'maintain foot': 508967, 'need some instructional': 555593, 'some instructional video': 783127, 'instructional video regarding': 440581, 'video regarding social': 956877, 'regarding social distancing': 707263, 'distancing just did': 247269, 'just did supermarket': 468587, 'did supermarket run': 240830, 'supermarket run on': 822274, 'on the walk': 604438, 'the walk there': 871043, 'walk there amazed': 964885, 'there amazed how': 877981, 'amazed how close': 50625, 'how close people': 407553, 'close people get': 182758, 'people get to': 648061, 'to you walking': 918935, 'you walking in': 1022113, 'walking in the': 965063, 'street to maintain': 813150, 'to maintain foot': 909573, 'wel done': 977859, 'done limiting': 254922, 'any point': 79664, 'wel done limiting': 977860, 'done limiting the': 254923, 'limiting the amount': 492875, 'at any point': 98028, 'any point in': 79665, 'refilling': 706565, 'generously': 345736, 'are refilling': 89534, 'refilling the': 706568, 'and dealing': 60980, 'dealing directly': 229637, 'directly with': 243596, 'public during': 687961, 'these dangerous': 879856, 'dangerous time': 225791, 'time hope': 896942, 'treated generously': 930956, 'generously by': 345737, 'owner they': 632578, 'who are refilling': 988205, 'are refilling the': 89535, 'refilling the shelf': 706569, 'shelf and dealing': 756727, 'and dealing directly': 60981, 'dealing directly with': 229638, 'directly with the': 243597, 'the public during': 864802, 'public during these': 687963, 'during these dangerous': 263233, 'these dangerous time': 879857, 'dangerous time hope': 225792, 'time hope they': 896943, 'they are treated': 881440, 'are treated generously': 91194, 'treated generously by': 930957, 'generously by the': 345738, 'by the store': 154448, 'store owner they': 809440, 'owner they deserve': 632579, 'stoppanicbuyingsouthafrica': 805662, 'yu': 1027059, 'stoppanicbuyingsouthafrica just': 805663, 'it yu': 462676, 'yu selfish': 1027062, 'poor cannot': 664139, 'rich empty': 721215, 'shelf showing': 757513, 'true immoral': 933109, 'immoral nature': 417288, 'nature stopit': 552987, 'stopit there': 805533, 'stoppanicbuyingsouthafrica just stop': 805664, 'just stop it': 469910, 'stop it yu': 804797, 'it yu selfish': 462677, 'yu selfish bastard': 1027063, 'selfish bastard the': 748022, 'bastard the poor': 112511, 'the poor cannot': 863970, 'poor cannot afford': 664140, 'get to store': 348494, 'store the rich': 810618, 'the rich empty': 865780, 'rich empty the': 721216, 'empty the shelf': 275181, 'the shelf showing': 866875, 'shelf showing their': 757514, 'their true immoral': 875048, 'true immoral nature': 933110, 'immoral nature stopit': 417289, 'nature stopit there': 552988, 'stopit there is': 805534, 'queue started': 694071, 'wa angry': 961540, 'lot journalist': 504072, 'nh for': 561956, 'supermarket queue started': 822132, 'queue started talking': 694072, 'talking to nurse': 834048, 'to nurse she': 910759, 'nurse she wa': 577479, 'she wa angry': 756408, 'wa angry she': 961541, 'said you lot': 731610, 'you lot journalist': 1019723, 'lot journalist need': 504073, 'they ve done': 883646, 've done to': 953067, 'the nh for': 861740, 'nh for the': 561958, 'consumption is': 199899, 'changing during': 172698, 'for advertiser': 319035, 'advertiser study': 33183, 'study survey': 814961, 'research result': 713827, 'result marketing': 717569, 'marketing advertising': 517511, 'advertising sale': 33273, 'sale business': 732106, 'out how consumer': 626319, 'how consumer medium': 407596, 'consumer medium consumption': 198117, 'medium consumption is': 527061, 'consumption is changing': 199901, 'is changing during': 446471, 'changing during and': 172699, 'during and what': 262459, 'mean for advertiser': 524431, 'for advertiser study': 319037, 'advertiser study survey': 33184, 'study survey research': 814962, 'survey research result': 828932, 'research result marketing': 713829, 'result marketing advertising': 717570, 'marketing advertising sale': 517514, 'advertising sale business': 33274, 'live look': 495918, 'me dodging': 522667, 'dodging people': 251301, 'make 6ft': 509639, '6ft of': 21612, 'live look at': 495919, 'look at me': 502275, 'at me dodging': 99703, 'me dodging people': 522668, 'dodging people to': 251303, 'people to make': 649919, 'to make 6ft': 909616, 'make 6ft of': 509640, '6ft of space': 21613, 'of space at': 589950, 'kid calpol': 473892, 'calpol with': 156920, 'store clearly': 806988, 'clearly ebay': 181506, 'ebay make': 266471, 'out each': 625992, 'each sale': 264268, 'sale londonlockdown': 732346, 'londonlockdown ebay': 501254, 'ebay calpol': 266442, 'calpol emptyshelves': 156906, 'emptyshelves bbcyourquestions': 275300, 'bbcyourquestions shame': 113160, 'shame greed': 754599, 'are the price': 90887, 'the price people': 864394, 'people are ready': 647053, 'ready to pay': 700967, 'pay for kid': 644884, 'for kid calpol': 322836, 'kid calpol with': 473893, 'calpol with empty': 156921, 'shelf in store': 757217, 'in store clearly': 428393, 'store clearly ebay': 806989, 'clearly ebay make': 181507, 'ebay make money': 266472, 'make money out': 510188, 'money out each': 536960, 'out each sale': 625994, 'each sale londonlockdown': 264269, 'sale londonlockdown ebay': 732347, 'londonlockdown ebay calpol': 501255, 'ebay calpol emptyshelves': 266443, 'calpol emptyshelves bbcyourquestions': 156907, 'emptyshelves bbcyourquestions shame': 275301, 'bbcyourquestions shame greed': 113161, 'our break': 622264, 'break for': 138724, '19 sadly': 10282, 'nothing vegan': 573208, 'vegan for': 953862, 'the supermarket work': 868914, 'supermarket work for': 823973, 'for is giving': 322666, 'is giving free': 448061, 'giving free meal': 351297, 'free meal in': 331969, 'meal in our': 524191, 'in our break': 426267, 'our break for': 622265, 'break for our': 138727, 'for our work': 324313, 'our work during': 625398, 'covid 19 sadly': 213734, '19 sadly there': 10283, 'sadly there wa': 729366, 'wa nothing vegan': 962789, 'nothing vegan for': 573209, 'vegan for me': 953863, 'really rich': 702519, 'or really': 616794, 'really poor': 702489, 'poor from': 664177, 'be lockdownaustralia': 115797, 'lockdownaustralia onlineshopping': 500220, 'are either going': 86093, 'to be really': 901486, 'be really rich': 116715, 'really rich when': 702520, 'rich when all': 721266, 'when all this': 983135, 'over or really': 630461, 'or really poor': 616795, 'really poor from': 702490, 'poor from all': 664178, 'all the online': 44850, 'shopping which one': 764393, 'one will you': 607478, 'you be lockdownaustralia': 1017391, 'be lockdownaustralia onlineshopping': 115798, 'released podcast': 709072, 'podcast hosted': 662283, 'hosted by': 404913, 'the turmoil': 870112, 'turmoil in': 935623, 'why america': 990741, 'america collaboration': 51483, 'fix oil': 309737, 'terribly dangerous': 838464, 'dangerous policy': 225763, 'just released podcast': 469599, 'released podcast hosted': 709073, 'podcast hosted by': 662284, 'hosted by and': 404915, 'by and an': 151831, 'and an article': 58105, 'article about the': 94239, 'about the turmoil': 26546, 'the turmoil in': 870114, 'turmoil in world': 935624, 'in world oil': 430986, 'world oil market': 1009860, 'oil market and': 596939, 'market and why': 516005, 'and why america': 75620, 'why america collaboration': 990742, 'america collaboration with': 51484, 'collaboration with saudi': 185940, 'russia to fix': 728588, 'to fix oil': 905991, 'fix oil price': 309738, 'price is terribly': 674896, 'is terribly dangerous': 452613, 'terribly dangerous policy': 838465, 'dangerous policy idea': 225764, 'wellnesswednesday': 978862, 'great free': 362690, 'free resource': 332100, 'update that': 947241, 'report put': 712201, 'anyone stayhealthy': 80534, 'staysafe wellnesswednesday': 798955, 'wellnesswednesday factsnotfear': 978863, 'are some great': 90267, 'some great free': 782987, 'great free resource': 362691, 'free resource on': 332102, 'resource on coronavirus': 714842, 'on coronavirus covid': 600121, '19 update that': 11687, 'update that consumer': 947242, 'consumer report put': 198721, 'report put together': 712202, 'put together for': 690938, 'together for anyone': 920791, 'for anyone stayhealthy': 319449, 'anyone stayhealthy staysafe': 80535, 'stayhealthy staysafe wellnesswednesday': 797914, 'staysafe wellnesswednesday factsnotfear': 798956, 'quarantinezone': 693070, '24hrs': 15765, 'thing which': 884984, 'are bought': 85040, 'bought from': 136572, 'kept in': 473044, 'made quarantinezone': 507931, 'quarantinezone for': 693071, 'about 24hrs': 24678, '24hrs before': 15766, 'before taking': 123121, 'into use': 443267, 'use what': 949798, 'what new': 981918, 'and unique': 74675, 'unique hygiene': 941984, 'habit you': 372718, 'you learnt': 1019571, 'learnt from': 484272, 'these thing which': 880820, 'thing which are': 884985, 'which are bought': 985673, 'are bought from': 85041, 'bought from supermarket': 136574, 'from supermarket will': 337511, 'will be kept': 992527, 'be kept in': 115597, 'kept in home': 473045, 'in home made': 423785, 'home made quarantinezone': 401570, 'made quarantinezone for': 507932, 'quarantinezone for about': 693072, 'for about 24hrs': 318978, 'about 24hrs before': 24679, '24hrs before taking': 15767, 'before taking them': 123123, 'taking them into': 833605, 'them into use': 875942, 'into use what': 443268, 'use what new': 949800, 'what new and': 981919, 'new and unique': 558346, 'and unique hygiene': 74676, 'unique hygiene habit': 941985, 'hygiene habit you': 412104, 'habit you learnt': 372719, 'you learnt from': 1019572, 'learnt from this': 484274, 'this pandemic lockdown': 889402, 'pandemic lockdown stayhome': 635903, 'make must': 510216, 'have retail': 382307, 'what make must': 981849, 'make must have': 510217, 'must have retail': 546706, 'have retail store': 382309, 'also god': 48272, 'god damn': 354672, 'also getting': 48260, 'getting fake': 348967, 'stop your': 805298, 'your wildlife': 1026354, 'but also god': 145117, 'also god damn': 48273, 'god damn annoying': 354674, 'we are getting': 970576, 'are getting to': 86831, 'getting to shortage': 349398, 'are also getting': 84455, 'also getting fake': 48261, 'getting fake news': 348968, 'just what happens': 470284, 'properly and not': 684170, 'and not stop': 67775, 'not stop your': 571764, 'stop your wildlife': 805300, 'your wildlife trade': 1026355, '500ml': 20099, '02268443322': 817, '9186958': 23453, '86958': 23007, 'yourself 500ml': 1026500, '500ml 100ml': 20100, '100ml app': 2196, 'app call': 81689, 'on 02268443322': 598967, '02268443322 whatsapp': 818, 'on 9186958': 599125, '9186958 86958': 23454, 'sanitizer to protect': 735943, 'protect yourself 500ml': 685077, 'yourself 500ml 100ml': 1026501, '500ml 100ml app': 20101, '100ml app call': 2197, 'app call on': 81690, 'call on 02268443322': 156023, 'on 02268443322 whatsapp': 598968, '02268443322 whatsapp on': 819, 'whatsapp on 9186958': 982906, 'on 9186958 86958': 599126, 'doldrums': 252919, 'the doldrums': 853508, 'doldrums with': 252920, 'with even': 998267, 'even ecommerce': 284035, 'ecommerce operation': 266826, 'operation shutting': 613255, 'concern grocery': 192982, 'seeing explosive': 746289, 'explosive growth': 292571, 'growth great': 367385, 'great podcast': 362894, 'podcast by': 662268, 'while most of': 987068, 'most of retail': 542556, 'of retail is': 589048, 'retail is in': 718242, 'in the doldrums': 429143, 'the doldrums with': 853509, 'doldrums with even': 252921, 'with even ecommerce': 998268, 'even ecommerce operation': 284036, 'ecommerce operation shutting': 266827, 'operation shutting down': 613256, 'shutting down due': 768259, 'to concern grocery': 903166, 'concern grocery chain': 192983, 'grocery chain are': 364357, 'chain are seeing': 170514, 'are seeing explosive': 89895, 'seeing explosive growth': 746290, 'explosive growth great': 292572, 'growth great podcast': 367386, 'great podcast by': 362895, 'podcast by in': 662269, 'frisco': 334085, 'person couple': 652385, 'just doesn': 468620, 'doesn want': 251990, 'go would': 354531, 'or around': 614431, 'around lewisville': 93374, 'lewisville frisco': 487849, 'frisco send': 334088, 'to figure': 905821, 'figure this': 305243, 'is an elderly': 445651, 'elderly person couple': 270845, 'person couple who': 652387, 'couple who cannot': 211711, 'who cannot make': 988425, 'cannot make it': 162008, 'store or just': 809341, 'or just doesn': 615879, 'just doesn want': 468623, 'doesn want to': 251992, 'to go would': 906889, 'go would be': 354532, 'would be happy': 1011594, 'happy to go': 377712, 'to go for': 906797, 'go for you': 353581, 'for you if': 328067, 'know of anyone': 476639, 'of anyone in': 580282, 'anyone in need': 80377, 'need in or': 555047, 'in or around': 426197, 'or around lewisville': 614433, 'around lewisville frisco': 93375, 'lewisville frisco send': 487851, 'frisco send me': 334089, 'private message and': 678951, 'message and try': 529268, 'try to figure': 934625, 'to figure this': 905824, 'figure this out': 305245, 'now white': 576407, 'force providing': 328486, 'providing an': 686938, 'pandemic watch': 636925, 'happening now white': 377387, 'now white house': 576408, 'task force providing': 834696, 'force providing an': 328487, 'providing an update': 686939, 'on the pandemic': 604274, 'the pandemic watch': 863148, 'pandemic watch live': 636926, 'watch live here': 968466, 'to greatly': 906994, 'impact animal': 417558, 'animal feed': 76592, 'feed additive': 302268, 'additive price': 31933, '19 to greatly': 11430, 'to greatly impact': 906995, 'greatly impact animal': 363318, 'impact animal feed': 417559, 'animal feed additive': 76593, 'feed additive price': 302269, 'markethive': 517503, 'bitcoin price': 131829, 'price losing': 675100, 'losing strength': 503585, 'strength covid': 813219, '19 slows': 10613, 'slows world': 774646, 'economy bitcoin': 267702, 'bitcoin markethive': 131825, 'markethive cryptocurrency': 517504, 'bitcoin price losing': 131831, 'price losing strength': 675101, 'losing strength covid': 503586, 'strength covid 19': 813220, 'covid 19 slows': 213816, '19 slows world': 10615, 'slows world economy': 774647, 'world economy bitcoin': 1009505, 'economy bitcoin markethive': 267703, 'bitcoin markethive cryptocurrency': 131826, 'about all': 24776, 'clerk 50': 181628, 'even provided': 284500, 'provided protective': 686643, 'gear are': 344940, 'they being': 881550, 'die let': 241389, 'them go': 875784, 'and compensate': 60211, 'what about all': 980960, 'about all the': 24780, 'store clerk 50': 806992, 'clerk 50 or': 181629, '50 or and': 19790, 'or and employee': 614319, 'and employee that': 62068, 'employee that aren': 274288, 'that aren even': 842852, 'aren even provided': 92403, 'even provided protective': 284501, 'provided protective gear': 686644, 'protective gear are': 685751, 'gear are they': 344941, 'are they being': 90993, 'they being sent': 881553, 'being sent out': 125758, 'out to die': 627635, 'to die let': 904276, 'die let them': 241391, 'let them go': 487155, 'them go home': 875787, 'go home and': 353659, 'home and compensate': 400625, 'and compensate them': 60212, 'ctsi': 220110, 'appalled': 81818, '08082231133': 1127, 'at ctsi': 98385, 'ctsi are': 220111, 'are appalled': 84588, 'appalled by': 81824, 'gouging amid': 359240, 'crisis profiteering': 217914, 'know people': 476675, 'over anyone': 629997, 'anyone affected': 80174, 'affected please': 34411, 'on 08082231133': 598993, 'we at ctsi': 970798, 'at ctsi are': 98386, 'ctsi are appalled': 220112, 'are appalled by': 84589, 'appalled by the': 81825, 'price gouging amid': 674256, 'gouging amid the': 359242, 'the crisis profiteering': 852434, 'crisis profiteering from': 217915, 'from selling in': 337210, 'selling in demand': 749299, 'in demand item': 422132, 'demand item at': 235762, 'item at time': 463138, 'of need at': 586901, 'need at exorbitant': 554491, 'exorbitant price just': 290415, 'price just know': 674976, 'just know people': 469107, 'know people will': 476681, 'people will remember': 650408, 'will remember when': 994645, 'remember when this': 710419, 'is over anyone': 450686, 'over anyone affected': 629998, 'anyone affected please': 80176, 'affected please contact': 34412, 'the consumer helpline': 851544, 'helpline on 08082231133': 391598, 'lothians': 504426, 'queen while': 693397, 'location is': 498929, 'week stop': 976931, 'purchase our': 689614, 'our wig': 625376, 'wig that': 992025, 'not shed': 571551, 'shed lothians': 756512, 'lothians boutique': 504427, 'boutique west': 136943, 'west trade': 980546, 'trade way': 928615, 'way unit': 970139, 'queen while our': 693398, 'while our retail': 987133, 'our retail location': 624635, 'retail location is': 718284, 'location is closed': 498930, 'open 24 hour': 612009, '24 hour day': 15615, 'hour day day': 405525, 'day day week': 227506, 'day week stop': 228699, 'week stop by': 976933, 'by and purchase': 151848, 'and purchase our': 69783, 'purchase our wig': 689615, 'our wig that': 625377, 'wig that do': 992026, 'do not shed': 249842, 'not shed lothians': 571552, 'shed lothians boutique': 756513, 'lothians boutique west': 504428, 'boutique west trade': 136944, 'west trade way': 980547, 'trade way unit': 928616, 'skyrocket damn': 773299, 'damn how': 225364, 'are guy': 86981, 'guy supposed': 369162, 'get ball': 346642, 'ball now': 109064, 'the cause the': 850547, 'cause the price': 167763, 'of gas mask': 584051, 'gas mask to': 343904, 'mask to skyrocket': 519424, 'to skyrocket damn': 914702, 'skyrocket damn how': 773300, 'damn how are': 225365, 'how are guy': 407404, 'are guy supposed': 86982, 'guy supposed to': 369163, 'to get ball': 906418, 'get ball now': 346643, 'sociology': 781396, 'inexplicable': 436458, 'sociology term': 781397, 'term paper': 838235, 'paper title': 640915, 'title of': 899290, 'flour cold': 311086, 'cold beach': 185737, 'paper covid': 640065, 'and sudden': 72657, 'sudden inexplicable': 817007, 'inexplicable consumer': 436459, 'sociology term paper': 781398, 'term paper title': 838236, 'paper title of': 640916, 'title of flour': 899291, 'of flour cold': 583598, 'flour cold beach': 311087, 'cold beach and': 185738, 'beach and toilet': 118190, 'toilet paper covid': 921245, 'paper covid 19': 640066, '19 and sudden': 5115, 'and sudden inexplicable': 72658, 'sudden inexplicable consumer': 817008, 'inexplicable consumer demand': 436460, 'demand during pandemic': 235272, 'reprehen': 712863, 'me immediately': 522949, 'immediately regarding': 417136, 'the complete': 851389, 'complete utter': 192186, 'utter failure': 951414, 'and drive': 61739, 'go which': 354496, 'which left': 986108, 'left an': 485375, 'issue without': 456024, 'food totally': 317338, 'totally inexcusable': 926362, 'inexcusable reprehen': 436444, 'you to contact': 1021761, 'to contact me': 903354, 'contact me immediately': 200140, 'me immediately regarding': 522950, 'immediately regarding the': 417137, 'regarding the complete': 707283, 'the complete utter': 851392, 'complete utter failure': 192187, 'utter failure of': 951415, 'failure of your': 296287, 'of your online': 593504, 'shopping and drive': 761977, 'and drive up': 61745, 'drive up go': 259244, 'up go which': 945023, 'go which left': 354497, 'which left an': 986109, 'left an at': 485376, 'an at risk': 55463, 'at risk elderly': 100357, 'risk elderly woman': 723515, 'elderly woman with': 270960, 'woman with underlying': 1003702, 'underlying health issue': 940485, 'health issue without': 386581, 'issue without food': 456025, 'without food totally': 1002662, 'food totally inexcusable': 317339, 'totally inexcusable reprehen': 926363, 'day 10': 227085, 'longer are': 501922, 'people starting': 649547, 'to dare': 903911, 'they running': 883231, 'they stockpiled': 883477, 'stockpiled in': 803848, 'day 10 the': 227090, '10 the queue': 1700, 'into supermarket one': 443052, 'supermarket one at': 821752, 'at time are': 101284, 'time are getting': 896325, 'getting longer are': 349098, 'longer are more': 501923, 'are more people': 88118, 'more people starting': 540038, 'people starting to': 649548, 'starting to dare': 795018, 'to dare to': 903912, 'dare to come': 225934, 'come out or': 187472, 'out or are': 626949, 'are they running': 91021, 'they running out': 883232, 'food they stockpiled': 317180, 'they stockpiled in': 883478, 'stockpiled in panic': 803849, 'people chose': 647466, 'be vile': 118006, 'vile if': 957308, 'you tweet': 1021945, 'tweet support': 936404, 'support towards': 826962, 'towards frontliners': 927199, 'it sincerely': 461071, 'sincerely even': 771037, 'why people chose': 991282, 'people chose to': 647467, 'chose to be': 178024, 'to be vile': 901623, 'be vile if': 118007, 'vile if you': 957309, 'if you tweet': 415546, 'you tweet support': 1021946, 'tweet support towards': 936405, 'support towards frontliners': 826963, 'towards frontliners do': 927200, 'frontliners do it': 338887, 'do it sincerely': 249511, 'it sincerely even': 461072, 'sincerely even in': 771038, 'even in supermarket': 284247, 'for network': 323814, 'network connectivity': 557710, 'connectivity due': 194732, 'pandemic joint': 635842, 'joint and': 466999, 'and commission': 60145, 'commission statement': 188901, 'statement explains': 796171, 'any crisis': 79086, 'telecom network': 836689, 'network read': 557762, 'how to cope': 409002, 'with the increased': 1001345, 'demand for network': 235458, 'for network connectivity': 323815, 'network connectivity due': 557711, 'connectivity due to': 194733, '19 pandemic joint': 9372, 'pandemic joint and': 635843, 'joint and commission': 467000, 'and commission statement': 60146, 'commission statement explains': 188902, 'statement explains how': 796172, 'to be ready': 901485, 'be ready to': 116698, 'ready to respond': 700972, 'respond to any': 715315, 'to any crisis': 900603, 'any crisis of': 79087, 'crisis of supply': 217788, 'of supply on': 590491, 'supply on the': 825663, 'on the telecom': 604399, 'the telecom network': 869256, 'telecom network read': 836690, 'network read more': 557763, 'bglutenfree': 129318, 'simplygf': 770319, 'gfcommunity': 349518, 'gemcityfinefoods': 345204, 'at simply': 100536, 'simply gluten': 770226, 'free have': 331892, 'to company': 903105, 'company offering': 190919, 'online gf': 608295, 'gf shopping': 349500, 'special there': 788074, 'there bglutenfree': 878253, 'bglutenfree simplygf': 129319, 'simplygf shoponline': 770320, 'shoponline gfcommunity': 761270, 'gfcommunity online': 349519, 'online special': 609407, 'special gemcityfinefoods': 787936, 'gemcityfinefoods strongertogether': 345205, 'friend at simply': 333530, 'at simply gluten': 100537, 'simply gluten free': 770227, 'gluten free have': 353125, 'free have put': 331893, 'have put together': 382120, 'together guide to': 920811, 'guide to company': 368362, 'to company offering': 903109, 'company offering online': 190922, 'offering online gf': 595200, 'online gf shopping': 608296, 'gf shopping we': 349501, 'shopping we hope': 764351, 'hope you look': 403802, 'you look for': 1019695, 'look for our': 502367, 'for our special': 324293, 'our special there': 624864, 'special there bglutenfree': 788075, 'there bglutenfree simplygf': 878254, 'bglutenfree simplygf shoponline': 129320, 'simplygf shoponline gfcommunity': 770321, 'shoponline gfcommunity online': 761271, 'gfcommunity online special': 349520, 'online special gemcityfinefoods': 609408, 'special gemcityfinefoods strongertogether': 787937, 'there thought': 879173, 'leadership on': 483637, 'make to': 510660, 'bailout ve': 108668, 'that congressional': 843286, 'are considering': 85508, 'considering this': 195435, 'idea 19': 412995, 'is there thought': 453039, 'there thought leadership': 879174, 'thought leadership on': 893113, 'leadership on what': 483640, 'on what change': 605213, 'what change airline': 981202, 'should make to': 766217, 'make to consumer': 510662, 'to consumer if': 903309, 'consumer if the': 197795, 'the government give': 856541, 'government give the': 360125, 'give the industry': 350743, 'the industry bailout': 858163, 'industry bailout ve': 435681, 'bailout ve heard': 108669, 've heard that': 953251, 'heard that congressional': 388139, 'that congressional staff': 843287, 'staff are considering': 792181, 'are considering this': 85511, 'considering this idea': 195436, 'this idea 19': 887991, 'jalanalanakanakakak': 464338, '19 ll': 8348, 'food bc': 313693, 'bc yall': 113317, 'yall done': 1014066, 'done took': 255085, 'supermarket jalanalanakanakakak': 821200, 'not die bc': 569018, 'covid 19 ll': 213362, '19 ll die': 8349, 'll die from': 496702, 'from the lack': 337765, 'of food bc': 583655, 'food bc yall': 313694, 'bc yall done': 113318, 'yall done took': 1014067, 'done took everything': 255086, 'the supermarket jalanalanakanakakak': 868657, 'newreality': 560169, 'humpdaayy': 410955, 'officer handing': 595666, 'hoarding newreality': 399438, 'newreality toiletpaperpanic': 560170, 'toiletpaperpanic humpdaayy': 923221, 'this what we': 891350, 'come to police': 187589, 'to police officer': 911866, 'police officer handing': 663122, 'officer handing out': 595667, 'handing out toiletpaper': 376139, 'toiletpaper at to': 921767, 'at to prevent': 101331, 'prevent hoarding newreality': 671645, 'hoarding newreality toiletpaperpanic': 399439, 'newreality toiletpaperpanic humpdaayy': 560171, 'gervasi': 346416, 'gervasi vineyard': 346417, 'vineyard to': 957448, 'of area': 580361, 'area company': 91977, 'gervasi vineyard to': 346418, 'vineyard to make': 957449, 'make hand with': 509959, 'hand with help': 376009, 'with help of': 998766, 'help of area': 390159, 'of area company': 580362, 'panda': 634718, 'unclerich': 939846, 'sensible question': 750652, 'for panda': 324358, 'panda pod': 634719, 'pod with': 662246, '19 apparently': 5176, 'apparently going': 81939, 'cost club': 207890, 'club million': 184459, 'and player': 69092, 'player transfer': 659345, 'transfer fee': 929513, 'fee apparently': 302141, 'apparently also': 81905, 'also set': 48862, 'drop will': 260449, 'effect fi': 268998, 'fi player': 304362, 'player price': 659329, 'price second': 676316, 'second part': 743787, 'what easter': 981398, 'egg doe': 269846, 'doe he': 251404, 'want from': 965792, 'from unclerich': 338176, 'sensible question for': 750653, 'question for panda': 693588, 'for panda pod': 324359, 'panda pod with': 634720, 'pod with covid': 662247, 'covid 19 apparently': 212642, '19 apparently going': 5177, 'apparently going to': 81940, 'going to cost': 355560, 'to cost club': 903595, 'cost club million': 207891, 'club million and': 184460, 'million and player': 532066, 'and player transfer': 69094, 'player transfer fee': 659346, 'transfer fee apparently': 929514, 'fee apparently also': 302142, 'apparently also set': 81906, 'also set to': 48864, 'set to drop': 753512, 'to drop will': 904784, 'drop will that': 260451, 'will that effect': 995123, 'that effect fi': 843676, 'effect fi player': 268999, 'fi player price': 304363, 'player price second': 659330, 'price second part': 676317, 'second part of': 743789, 'part of question': 642377, 'of question what': 588688, 'question what easter': 693796, 'what easter egg': 981399, 'easter egg doe': 265419, 'egg doe he': 269847, 'doe he want': 251407, 'he want from': 385637, 'want from unclerich': 965794, 'sepan': 751060, 'gatewaycityradio': 344362, 'laredoaf': 479581, 'fromthebordertotheworld': 338510, 'washyohands': 967846, 'washyoass': 967843, 'tpforthebunghole': 928065, 'garland': 343670, 'idea pa': 413153, 'pa que': 632879, 'que sepan': 693320, 'sepan gatewaycityradio': 751061, 'gatewaycityradio laredoaf': 344363, 'laredoaf fromthebordertotheworld': 479582, 'fromthebordertotheworld washyohands': 338511, 'washyohands washyoass': 967847, 'washyoass toiletpaper': 967844, 'toiletpaper tpforthebunghole': 922757, 'tpforthebunghole garland': 928066, 'garland texas': 343673, 'just some idea': 469831, 'some idea pa': 783064, 'idea pa que': 413154, 'pa que sepan': 632880, 'que sepan gatewaycityradio': 693321, 'sepan gatewaycityradio laredoaf': 751062, 'gatewaycityradio laredoaf fromthebordertotheworld': 344364, 'laredoaf fromthebordertotheworld washyohands': 479583, 'fromthebordertotheworld washyohands washyoass': 338512, 'washyohands washyoass toiletpaper': 967848, 'washyoass toiletpaper tpforthebunghole': 967845, 'toiletpaper tpforthebunghole garland': 922758, 'tpforthebunghole garland texas': 928067, 'novartis donated': 573728, 'drug then': 261116, 'the commitment': 851237, 'commitment announced': 188989, 'today build': 919329, 'build on': 141996, 'the previously': 864322, 'previously announced': 672019, 'announced commitment': 76934, 'commitment of': 188997, 'of usd': 592695, 'usd 20': 948897, 'million novartis': 532255, 'novartis covid': 573726, 'fund commitment': 341378, 'maintain stable': 509042, 'stable price': 791942, 'on basket': 599589, 'essential medicine': 281302, 'novartis donated the': 573729, 'donated the drug': 254359, 'the drug then': 853741, 'drug then the': 261117, 'then the commitment': 877611, 'the commitment announced': 851238, 'commitment announced today': 188990, 'announced today build': 77104, 'today build on': 919330, 'build on the': 141997, 'on the previously': 604302, 'the previously announced': 864323, 'previously announced commitment': 672020, 'announced commitment of': 76935, 'commitment of usd': 188998, 'of usd 20': 592696, 'usd 20 million': 948898, '20 million novartis': 13162, 'million novartis covid': 532256, 'novartis covid 19': 573727, 'response fund commitment': 715702, 'fund commitment to': 341379, 'commitment to maintain': 189008, 'to maintain stable': 909596, 'maintain stable price': 509043, 'stable price on': 791943, 'price on basket': 675653, 'on basket of': 599590, 'basket of essential': 112377, 'of essential medicine': 583179, 'essential medicine that': 281305, 'medicine that may': 526902, 'that may help': 845080, 'may help in': 521268, 'where sanitizer': 985154, 'sanitizer still': 735813, 'usa corona': 948612, 'pandemic comment': 635173, 'comment more': 188432, 'more link': 539701, 'where sanitizer still': 985155, 'sanitizer still available': 735814, 'still available online': 800226, 'available online in': 104543, 'online in usa': 608405, 'in usa corona': 430488, 'usa corona pandemic': 948613, 'corona pandemic comment': 204091, 'pandemic comment more': 635174, 'comment more link': 188433, 'adfarm': 32204, 'nourish': 573669, 'annmcarthur': 76823, 'adfarm checked': 32205, 'checked in': 174753, 'our nourish': 624094, 'nourish network': 573670, 'network partner': 557756, 'partner annmcarthur': 642771, 'annmcarthur of': 76824, 'consumer food': 197510, 'food consumption': 314002, 'and forecast': 63185, 'forecast trend': 328880, 'may emerge': 521138, 'emerge result': 272540, 'adfarm checked in': 32206, 'checked in with': 174755, 'with our nourish': 1000008, 'our nourish network': 624095, 'nourish network partner': 573671, 'network partner annmcarthur': 557757, 'partner annmcarthur of': 642772, 'annmcarthur of to': 76825, 'of to take': 592225, 'pulse on how': 688987, 'impacting consumer food': 418195, 'consumer food consumption': 197511, 'food consumption and': 314003, 'consumption and forecast': 199830, 'and forecast trend': 63187, 'forecast trend that': 328881, 'that may emerge': 845075, 'may emerge result': 521139, 'widji': 991873, 'widji20': 991876, 'itsmycamp': 463975, 'resilientyouth': 714548, 'new widji': 559880, 'widji blog': 991874, 'post what': 666402, 'here widji20': 393843, 'widji20 itsmycamp': 991877, 'itsmycamp socialdistancing': 463976, 'socialdistancing handwashing': 780408, 'handwashing prevention': 376853, 'prevention sanitizer': 671885, 'sanitizer screening': 735713, 'screening muskoka': 742766, 'muskoka resilientyouth': 546407, 'new widji blog': 559881, 'widji blog post': 991875, 'blog post what': 133005, 'post what are': 666403, 'we doing about': 971368, '19 read it': 9974, 'it here widji20': 458577, 'here widji20 itsmycamp': 393844, 'widji20 itsmycamp socialdistancing': 991878, 'itsmycamp socialdistancing handwashing': 463977, 'socialdistancing handwashing prevention': 780409, 'handwashing prevention sanitizer': 376854, 'prevention sanitizer screening': 671886, 'sanitizer screening muskoka': 735714, 'screening muskoka resilientyouth': 742767, 'yesterday people': 1015833, 'people queuing': 649220, 'queuing metre': 694223, 'apart man': 81300, 'man on': 512170, 'door talking': 255726, 'customer up': 223011, 'up close': 944609, 'nothing any': 572928, 'allowed out but': 46200, 'out but some': 625798, 'are not social': 88467, 'supermarket yesterday people': 824174, 'yesterday people queuing': 1015834, 'people queuing metre': 649223, 'queuing metre apart': 694224, 'metre apart man': 529825, 'apart man on': 81301, 'man on the': 512173, 'the door talking': 853584, 'door talking to': 255727, 'talking to customer': 834043, 'to customer up': 903862, 'customer up close': 223012, 'up close if': 944610, 'close if nothing': 182666, 'if nothing any': 414519, 'nothing any different': 572929, 'comprises': 192653, 'waste comprises': 968098, 'comprises more': 192654, '40 percent': 18639, 'waste stream': 968193, 'stream in': 812778, 'there tendency': 879127, 'tendency to': 837894, 'restocking item': 717008, 'item every': 463241, 'food waste comprises': 317475, 'waste comprises more': 968099, 'comprises more than': 192655, 'than 40 percent': 840241, '40 percent of': 18641, 'of the waste': 591603, 'the waste stream': 871116, 'waste stream in': 968194, 'stream in america': 812779, 'in america during': 420219, 'pandemic there tendency': 636726, 'there tendency to': 879128, 'tendency to panic': 837895, 'to panic shop': 911425, 'and buy more': 59344, 'than you really': 841497, 'really need but': 702430, 'need but please': 554575, 'but please remember': 146803, 'remember that grocery': 710280, 'grocery store remain': 365712, 'open and are': 612049, 'and are restocking': 58354, 'are restocking item': 89647, 'restocking item every': 717009, 'item every day': 463242, 'cegeps': 168748, 'premier announcing': 669890, 'announcing all': 77305, 'all shopping': 44327, 'room until': 725986, 'may 1st': 520869, '1st further': 12746, 'further measure': 342088, 'against spread': 37625, 'all cegeps': 42326, 'cegeps and': 168749, 'and university': 74681, 'university will': 942473, 'provide online': 686412, 'to student': 915693, 'student can': 814658, 'can finish': 158348, 'their year': 875251, 'premier announcing all': 669891, 'announcing all shopping': 77306, 'all shopping mall': 44330, 'mall and restaurant': 511739, 'and restaurant dining': 70375, 'dining room until': 243032, 'room until may': 725987, 'until may 1st': 943768, 'may 1st further': 520870, '1st further measure': 12747, 'further measure against': 342089, 'measure against spread': 525075, 'against spread of': 37626, '19 also all': 4925, 'also all cegeps': 47831, 'all cegeps and': 42327, 'cegeps and university': 168750, 'and university will': 74685, 'university will have': 942474, 'have to provide': 383268, 'to provide online': 912419, 'provide online service': 686413, 'online service to': 608967, 'service to student': 752993, 'to student can': 915694, 'student can finish': 814659, 'can finish their': 158349, 'finish their year': 307875, 'warfare': 966852, 'carnal': 164788, 'mighty': 531175, 'war can': 966395, 'be won': 118125, 'won just': 1003849, 'or breathing': 614586, 'breathing mask': 139234, 'is spiritual': 452166, 'spiritual war': 789535, 'war for': 966438, 'the weapon': 871245, 'our warfare': 625301, 'warfare are': 966855, 'not carnal': 568704, 'carnal but': 164789, 'but mighty': 146391, 'mighty through': 531180, 'through god': 894486, 'god to': 354818, 'pulling down': 688931, 'strong hold': 814041, 'hold co': 399903, 'co 10': 184796, 'always remember that': 49718, 'remember that this': 710293, 'that this war': 847006, 'this war can': 891102, 'war can be': 966396, 'can be won': 157714, 'be won just': 118126, 'won just by': 1003850, 'just by soap': 468403, 'by soap amp': 154057, 'soap amp water': 778904, 'amp water hand': 54809, 'sanitizer or breathing': 735479, 'or breathing mask': 614587, 'breathing mask it': 139235, 'mask it is': 518880, 'it is spiritual': 459086, 'is spiritual war': 452167, 'spiritual war for': 789536, 'war for the': 966440, 'for the weapon': 326772, 'the weapon of': 871246, 'weapon of our': 974250, 'of our warfare': 587589, 'our warfare are': 625302, 'warfare are not': 966856, 'are not carnal': 88339, 'not carnal but': 568705, 'carnal but mighty': 164790, 'but mighty through': 146392, 'mighty through god': 531181, 'through god to': 894487, 'god to the': 354819, 'to the pulling': 916995, 'the pulling down': 864890, 'pulling down of': 688932, 'down of strong': 257001, 'of strong hold': 590312, 'strong hold co': 814042, 'hold co 10': 399904, 'actsofkindness': 30623, 'started volunteer': 794896, 'deliver week': 233263, 'elderly individual': 270719, 'individual in': 435198, 'in specific': 428195, 'specific neighborhood': 788232, 'city according': 179032, 'via inthistogether': 956035, 'inthistogether actsofkindness': 442311, 'ha started volunteer': 372053, 'started volunteer delivery': 794897, 'plan to deliver': 658281, 'to deliver week': 904119, 'deliver week worth': 233264, 'to elderly individual': 904973, 'elderly individual in': 270721, 'individual in specific': 435201, 'in specific neighborhood': 428197, 'specific neighborhood in': 788233, 'neighborhood in the': 557133, 'the city according': 850914, 'city according to': 179033, 'to the via': 917171, 'the via inthistogether': 870721, 'via inthistogether actsofkindness': 956036, 'unsurprising': 943588, 'an unsurprising': 56909, 'unsurprising uptick': 943589, 'not without': 572517, 'without some': 1002925, 'some user': 784150, 'user experience': 950276, 'experience issue': 291405, 'an unsurprising uptick': 56910, 'unsurprising uptick in': 943590, 'in online grocery': 426167, 'grocery shopping but': 365003, 'shopping but not': 762250, 'but not without': 146584, 'not without some': 572519, 'without some user': 1002927, 'some user experience': 784151, 'user experience issue': 950278, 'seth': 753603, 'mendelson': 528589, 'storebrands': 811706, 'seth mendelson': 753604, 'mendelson talk': 528590, 'and clerk': 59971, 'clerk in': 181722, 'retail managing': 718306, 'managing issue': 512876, 'issue around': 455679, 'retail storebrands': 718738, 'seth mendelson talk': 753605, 'mendelson talk to': 528591, 'talk to store': 833891, 'to store manager': 915629, 'store manager and': 808873, 'manager and clerk': 512668, 'and clerk in': 59972, 'clerk in new': 181724, 'in new blog': 425817, 'blog series on': 133010, 'series on retail': 751288, 'on retail managing': 603178, 'retail managing issue': 718307, 'managing issue around': 512877, 'issue around the': 455681, 'around the coronavirus': 93531, 'coronavirus pandemic retail': 206485, 'pandemic retail storebrands': 636360, 'july or': 467818, 'or august': 614465, 'august my': 102992, 'as heading': 94754, 'heading back': 385925, 'july or august': 467819, 'or august my': 614466, 'august my as': 102993, 'my as heading': 547328, 'as heading back': 94755, 'heading back to': 385927, 'buy more food': 148970, 'sanitizer link': 735292, 'lockdown pakistan': 499757, 'pakistan strongertogether': 634509, 'link for hand': 493832, 'hand sanitizer link': 375472, 'sanitizer link for': 735293, 'link for mask': 493836, 'for mask lockdown': 323276, 'mask lockdown pakistan': 518923, 'lockdown pakistan strongertogether': 499759, 'closure via': 184059, 'store closure via': 807112, 'their spring': 874780, 'spring vacation': 791248, 'vacation plan': 951586, 'plan now': 658183, 'and before': 58820, 'they surge': 883510, 'surge fill': 828162, 'with quote': 1000390, 'caused many to': 167909, 'many to cancel': 514819, 'cancel their spring': 160895, 'their spring vacation': 874781, 'spring vacation plan': 791249, 'vacation plan now': 951587, 'plan now is': 658186, 'time to book': 897955, 'to book for': 901894, 'book for later': 134527, 'for later in': 322895, 'later in the': 481078, 'in the year': 429698, 'the year while': 872178, 'year while price': 1015104, 'low and before': 505122, 'and before they': 58823, 'before they surge': 123221, 'they surge fill': 883511, 'surge fill out': 828163, 'this form and': 887601, 'form and we': 329488, 'will contact you': 993004, 'contact you with': 200304, 'you with quote': 1022386, 'diversion': 248553, 'chain catch': 170584, 'stock diversion': 802046, 'diversion load': 248554, 'of lorry': 586015, 'driver waiting': 259833, 'lorry are': 503336, 'are the line': 90855, 'the line of': 859414, 'line of truck': 493320, 'of truck with': 592467, 'truck with the': 932884, 'with the stock': 1001498, 'the stock the': 867927, 'stock the supply': 802944, 'supply chain catch': 824925, 'chain catch up': 170585, 'catch up it': 167052, 'up it not': 945243, 'it not panic': 459908, 'not panic buying': 570901, 'buying it stock': 150603, 'it stock diversion': 461262, 'stock diversion load': 802047, 'diversion load of': 248555, 'load of lorry': 497271, 'of lorry driver': 586016, 'lorry driver waiting': 503346, 'driver waiting for': 259834, 'waiting for stock': 964334, 'for stock supermarket': 325912, 'stock supermarket warehouse': 802903, 'supermarket warehouse are': 823731, 'warehouse are empty': 966691, 'empty but the': 274828, 'but the lorry': 147355, 'the lorry are': 859733, 'lorry are turning': 503337, 'am trying': 50514, 'trying stayathomesavelives': 934734, 'stayathomesavelives but': 797798, 'supermarket doe': 819987, 'week need': 976556, 'food tomorrow': 317327, 'half time': 374284, 'time homedelivery': 896939, 'homedelivery shoponline': 402679, 'shoponline govt': 761272, 'am trying stayathomesavelives': 50515, 'trying stayathomesavelives but': 934735, 'stayathomesavelives but what': 797799, 'but what can': 147782, 'do when your': 250531, 'when your supermarket': 984641, 'your supermarket doe': 1026040, 'supermarket doe not': 819988, 'have any delivery': 379299, 'any delivery slot': 79106, 'slot for almost': 774175, 'for almost week': 319214, 'almost week need': 46766, 'week need to': 976557, 'buy food tomorrow': 148686, 'food tomorrow not': 317328, 'tomorrow not in': 924145, 'not in week': 570110, 'in week and': 430744, 'and half time': 64125, 'half time homedelivery': 374285, 'time homedelivery shoponline': 896940, 'homedelivery shoponline govt': 402680, 'wager': 964009, 'by hoarding': 152820, 'hoarding your': 399679, 'grocery selfishness': 364944, 'selfishness can': 748342, 'can create': 158023, 'daily wager': 224876, 'wager more': 964010, 'than corona': 840458, 'corona in': 204008, 'like pakistan': 490956, 'pakistan coronainpakistan': 634438, 'not panic by': 570902, 'panic by hoarding': 637982, 'by hoarding your': 152822, 'hoarding your grocery': 399680, 'your grocery selfishness': 1024133, 'grocery selfishness can': 364945, 'selfishness can create': 748343, 'can create food': 158025, 'create food shortage': 215646, 'shortage and it': 764820, 'it can kill': 457023, 'can kill the': 158825, 'kill the poor': 474520, 'poor and daily': 664110, 'and daily wager': 60917, 'daily wager more': 224877, 'wager more than': 964011, 'more than corona': 540602, 'than corona in': 840459, 'corona in third': 204012, 'world country like': 1009464, 'country like pakistan': 210863, 'like pakistan coronainpakistan': 490957, 'compact': 190319, 'now charge': 574373, 'charge all': 173192, 'for compact': 320201, 'compact price': 190320, 'especially people': 280577, 'have premium': 382022, 'premium for': 669950, 'for sport': 325832, 'sport we': 789989, 'for repeat': 325133, 'repeat every': 711514, 'every weekend': 286373, 'think should now': 885540, 'should now charge': 766275, 'now charge all': 574374, 'charge all of': 173194, 'all of for': 43689, 'of for compact': 583856, 'for compact price': 320202, 'compact price especially': 190321, 'price especially people': 673703, 'especially people who': 280579, 'who have premium': 988946, 'have premium for': 382023, 'premium for sport': 669953, 'for sport we': 325833, 'sport we can': 789990, 'can be paying': 157658, 'be paying for': 116380, 'paying for repeat': 645415, 'for repeat every': 325134, 'repeat every weekend': 711515, 'tater': 834849, 'tot': 926111, 'ingredient breakfast': 438353, 'breakfast taco': 138899, 'taco because': 831664, 'because from': 119070, 'store everyone': 807661, 'everyone hoarded': 287011, 'hoarded tater': 398959, 'tater tot': 834850, 'tot and': 926112, 'socialdistancing ingredient': 780454, 'ingredient required': 438396, 'required are': 713345, 'are egg': 86086, 'egg tater': 269997, 'tot or': 926114, 'ingredient breakfast taco': 438354, 'breakfast taco because': 138900, 'taco because from': 831665, 'because from the': 119071, 'from the look': 337780, 'look of the': 502548, 'grocery store everyone': 365381, 'store everyone hoarded': 807663, 'everyone hoarded tater': 287012, 'hoarded tater tot': 398960, 'tater tot and': 834851, 'tot and egg': 926113, 'and egg to': 61981, 'egg to wait': 270014, 'out the socialdistancing': 627419, 'the socialdistancing ingredient': 867428, 'socialdistancing ingredient required': 780455, 'ingredient required are': 438397, 'required are egg': 713346, 'are egg tater': 86087, 'egg tater tot': 269998, 'tater tot or': 834852, '25 hand': 15881, 'gel 200': 345080, '200 increase': 13496, 'on however': 601439, 'must come': 546592, 'and boycott': 59134, 'these money': 880310, 'money grabbing': 536796, 'grabbing business': 361581, 'that manufacturer': 845018, 'not it': 570181, 'your greed': 1024106, 'greed getting': 363378, 'you profiteering': 1020450, 'profiteering greed': 683052, '25 hand gel': 15882, 'hand gel 200': 374972, 'gel 200 increase': 345081, '200 increase on': 13498, 'increase on however': 432952, 'on however when': 601440, 'however when this': 409524, 'over we must': 630900, 'we must come': 972406, 'must come together': 546594, 'together and boycott': 920686, 'and boycott these': 59135, 'boycott these money': 137351, 'these money grabbing': 880311, 'money grabbing business': 536797, 'grabbing business they': 361582, 'are saying that': 89824, 'saying that manufacturer': 739701, 'that manufacturer are': 845019, 'manufacturer are increasing': 513425, 'increasing price they': 433682, 'are not it': 88404, 'not it is': 570183, 'is just your': 449160, 'just your greed': 470384, 'your greed getting': 1024107, 'greed getting the': 363379, 'getting the best': 349341, 'best of you': 127801, 'of you profiteering': 593414, 'you profiteering greed': 1020452, 'kafayat': 470600, 'shafau': 754356, 'ameh': 51367, 'kafayat shafau': 470601, 'shafau ameh': 754357, 'ameh ha': 51368, 'call out': 156060, 'out market': 626538, 'market trader': 517252, 'trader the': 928776, 'the dance': 852821, 'queen in': 693376, 'post slammed': 666317, 'slammed trader': 773510, 'trader using': 928791, 'kafayat shafau ameh': 470602, 'shafau ameh ha': 754358, 'ameh ha taken': 51369, 'ha taken to': 372154, 'taken to social': 833104, 'medium to call': 527326, 'to call out': 902384, 'call out market': 156062, 'out market trader': 626539, 'market trader the': 517253, 'trader the dance': 928777, 'the dance queen': 852822, 'dance queen in': 225571, 'queen in recent': 693377, 'in recent post': 427319, 'recent post slammed': 703961, 'post slammed trader': 666318, 'slammed trader using': 773511, 'trader using the': 928792, 'pandemic to inflate': 636781, 'edun': 268907, 'edun uber': 268908, 'driver ever': 259541, 'the isolation': 858566, 'no movement': 564834, 'movement me': 543891, 'stocked no': 803356, 'stock if': 802254, 'god can': 354662, 'can touch': 160025, 'touch ur': 926567, 'ur mind': 948035, 'mind to': 532755, 'me pls': 523341, 'pls nothing': 661160, 'small may': 775028, 'god remembered': 354788, 'remembered too': 710454, 'too in': 924798, 'edun uber driver': 268909, 'uber driver ever': 937805, 'driver ever since': 259542, 'ever since the': 285507, '19 the isolation': 11212, 'the isolation for': 858567, 'isolation for two': 455272, 'two week no': 937342, 'week no movement': 976567, 'no movement me': 564835, 'movement me and': 543892, 'my family have': 548203, 'family have been': 297877, 'have been stocked': 379694, 'been stocked no': 122042, 'stocked no food': 803357, 'no food stock': 564272, 'food stock if': 316794, 'stock if only': 802255, 'if only god': 414550, 'only god can': 610526, 'god can touch': 354664, 'can touch ur': 160026, 'touch ur mind': 926568, 'ur mind to': 948036, 'mind to help': 532756, 'help me pls': 390073, 'me pls nothing': 523342, 'pls nothing is': 661161, 'nothing is to': 573070, 'is to small': 453244, 'to small may': 914760, 'small may god': 775029, 'may god remembered': 521218, 'god remembered too': 354789, 'remembered too in': 710455, 'too in tim': 924802, 'refund due': 706894, 'your plan': 1025322, 'plan being': 658079, 'check our advice': 174525, 'our advice if': 622032, 'for refund due': 325059, 'refund due to': 706895, 'to your plan': 919015, 'your plan being': 1025323, 'plan being cancelled': 658080, 'being cancelled because': 124923, 'cancelled because of': 161090, 'lingards': 493684, 'lmaoo but': 497166, 'but united': 147659, 'united and': 942144, 'city came': 179081, 'came together': 157075, 'and felt': 62795, 'felt lingards': 303420, 'lingards wage': 493685, 'previous week': 672010, 'lmaoo but united': 497167, 'but united and': 147660, 'united and city': 942145, 'and city came': 59898, 'city came together': 179082, 'came together and': 157076, 'together and felt': 920690, 'and felt lingards': 62798, 'felt lingards wage': 303421, 'lingards wage for': 493686, 'wage for the': 963866, 'for the previous': 326630, 'the previous week': 864321, 'previous week is': 672011, 'week is enough': 976416, 'colruyt': 186870, 'marriage': 517988, 'wilm': 995501, 'belgium now': 126177, 'now testing': 575979, 'testing 10': 839414, '00 day': 157, 'day security': 228318, 'guard limit': 367817, 'limit access': 492272, 'park colruyt': 641892, 'colruyt supermarket': 186873, 'worker dy': 1006822, 'dy traffic': 263755, 'traffic light': 929112, 'light reprogrammed': 489586, 'reprogrammed brussels': 712992, 'brussels rubbish': 141393, 'rubbish strike': 726997, 'strike plan': 813759, 'plan new': 658181, 'rule on': 727310, 'on funeral': 601057, 'funeral and': 341656, 'and marriage': 66729, 'marriage pm': 517993, 'pm sophie': 661989, 'sophie wilm': 785969, 'wilm we': 995502, 'must hold': 546718, 'belgium now testing': 126178, 'now testing 10': 575980, 'testing 10 00': 839415, '10 00 day': 1194, '00 day security': 160, 'day security guard': 228319, 'security guard limit': 744619, 'guard limit access': 367818, 'limit access to': 492273, 'access to park': 28267, 'to park colruyt': 911466, 'park colruyt supermarket': 641893, 'colruyt supermarket worker': 186874, 'supermarket worker dy': 824015, 'worker dy traffic': 1006824, 'dy traffic light': 263756, 'traffic light reprogrammed': 929113, 'light reprogrammed brussels': 489587, 'reprogrammed brussels rubbish': 712993, 'brussels rubbish strike': 141394, 'rubbish strike plan': 726998, 'strike plan new': 813760, 'plan new rule': 658182, 'new rule on': 559524, 'rule on funeral': 727311, 'on funeral and': 601058, 'funeral and marriage': 341657, 'and marriage pm': 66730, 'marriage pm sophie': 517994, 'pm sophie wilm': 661990, 'sophie wilm we': 785970, 'wilm we must': 995503, 'we must hold': 972420, 'must hold on': 546719, 'installers': 440035, 'drop due': 260183, 'we care': 971100, 'our installers': 623563, 'installers perform': 440038, 'perform safe': 651414, 'safe non': 729839, 'non contact': 566313, 'contact practice': 200185, 'practice call': 668537, 'huge price drop': 410139, 'price drop due': 673570, 'drop due to': 260184, 'we are dropping': 970535, 'are dropping our': 86013, 'dropping our price': 260715, 'our price for': 624444, 'price for limited': 673989, 'limited time we': 492761, 'time we care': 898217, 'we care about': 971101, 'about our community': 25885, 'community and understand': 189730, 'and understand the': 74636, 'going through our': 355505, 'through our installers': 894616, 'our installers perform': 623565, 'installers perform safe': 440039, 'perform safe non': 651415, 'safe non contact': 729840, 'non contact practice': 566315, 'contact practice call': 200186, 'practice call now': 668538, 'call now we': 156012, 'lulumallfujairah': 506658, 'initiative by': 438614, 'by uae': 154622, 'uae government': 937756, '19 lulumallfujairah': 8490, 'lulumallfujairah will': 506659, 'be temporarily': 117537, 'from mar': 336336, 'mar 25th': 514995, '25th until': 16115, 'notice during': 573262, 'period lulu': 651819, 'hypermarket pharmacy': 412350, 'pharmacy will': 654564, 'through home': 894511, 'in support to': 428738, 'support to the': 826953, 'to the initiative': 916810, 'the initiative by': 858286, 'initiative by uae': 438617, 'by uae government': 154623, 'uae government to': 937757, 'government to contain': 360707, 'covid 19 lulumallfujairah': 213384, '19 lulumallfujairah will': 8491, 'lulumallfujairah will be': 506660, 'will be temporarily': 992716, 'be temporarily closed': 117538, 'temporarily closed from': 837465, 'closed from mar': 183140, 'from mar 25th': 336338, 'mar 25th until': 514996, '25th until further': 16116, 'further notice during': 342098, 'notice during this': 573263, 'this period lulu': 889525, 'period lulu hypermarket': 651820, 'lulu hypermarket pharmacy': 506650, 'hypermarket pharmacy will': 412351, 'pharmacy will be': 654565, 'be open restaurant': 116251, 'open restaurant will': 612486, 'restaurant will serve': 716809, 'will serve you': 994820, 'serve you through': 751975, 'you through home': 1021727, 'through home delivery': 894512, 'work sainsbury': 1005685, 'sainsbury how': 731676, 'how come': 407562, 'queue trolley': 694107, 'trolley at': 932371, 'time right': 897585, 'back carpark': 106926, 'carpark surely': 164883, 'surely people': 827923, 'already happened': 47406, 'happened poor': 377262, 'till some': 896089, 'some elderly': 782738, 'elderly because': 270614, 'because pension': 119462, 'pension uk': 646666, 'or 19': 614179, 'daughter work sainsbury': 226931, 'work sainsbury how': 1005686, 'sainsbury how come': 731677, 'how come there': 407566, 'come there is': 187532, 'is queue trolley': 451177, 'queue trolley at': 694108, 'trolley at opening': 932373, 'opening time right': 612929, 'time right to': 897588, 'right to back': 722336, 'to back carpark': 900977, 'back carpark surely': 106927, 'carpark surely people': 164884, 'surely people have': 827924, 'enough food with': 277425, 'food with panic': 317645, 'buying that ha': 151152, 'that ha already': 844106, 'ha already happened': 369510, 'already happened poor': 47408, 'happened poor people': 377263, 'people on till': 648975, 'on till some': 604702, 'till some elderly': 896090, 'some elderly because': 782739, 'elderly because pension': 270615, 'because pension uk': 119463, 'pension uk so': 646667, 'uk so poor': 938723, 'so poor or': 778043, 'poor or 19': 664244, 'ca gov': 154880, 'gov order': 359651, 'order 40': 617995, '40 mil': 18603, 'mil resident': 531299, 'most drastic': 542270, 'drastic statewide': 258415, 'statewide measure': 796269, 'fight journalist': 304791, 'journalist are': 467421, 'you information': 1019346, 'along your': 47086, 'store bank': 806638, 'bank gas': 109859, 'station hospital': 796425, 'hospital follow': 404404, 'latest important': 481386, 'ca gov order': 154881, 'gov order 40': 359652, 'order 40 mil': 617996, '40 mil resident': 18604, 'mil resident to': 531300, 'the most drastic': 860974, 'most drastic statewide': 542271, 'drastic statewide measure': 258416, 'statewide measure to': 796270, 'measure to fight': 525394, 'to fight journalist': 905797, 'fight journalist are': 304792, 'journalist are able': 467422, 'get you information': 348676, 'you information along': 1019347, 'information along your': 437725, 'along your grocery': 47087, 'grocery store bank': 365236, 'store bank gas': 806640, 'bank gas station': 109860, 'gas station hospital': 344114, 'station hospital follow': 796426, 'hospital follow for': 404405, 'follow for the': 312386, 'the latest important': 859114, 'wolf the': 1003372, 'homeless meal': 402758, 'meal center': 524119, 'center my': 169261, 'mother run': 543157, 'run for': 727640, 'for church': 320083, 'closed indefinitely': 183183, 'indefinitely due': 434044, 'cook over': 202767, '200 meal': 13501, 'meal per': 524237, 'per lunch': 650932, 'lunch day': 506718, 'week depends': 976148, 'supermarket almost': 818881, 'are volunteer': 91497, 'volunteer now': 960298, 'even fewer': 284057, 'fewer for': 304211, 'wolf the homeless': 1003373, 'the homeless meal': 857469, 'homeless meal center': 402759, 'meal center my': 524120, 'center my mother': 169262, 'my mother run': 549337, 'mother run for': 543158, 'run for church': 727641, 'for church is': 320085, 'church is closed': 178376, 'is closed indefinitely': 446581, 'closed indefinitely due': 183185, 'indefinitely due to': 434045, 'due to cook': 261741, 'to cook over': 903486, 'cook over 200': 202768, 'over 200 meal': 629804, '200 meal per': 13502, 'meal per lunch': 524239, 'per lunch day': 650933, 'lunch day week': 506719, 'day week depends': 228692, 'week depends on': 976149, 'depends on food': 237386, 'on food donation': 600857, 'food donation from': 314270, 'donation from supermarket': 254616, 'from supermarket almost': 337473, 'supermarket almost all': 818883, 'almost all are': 46530, 'all are volunteer': 42052, 'are volunteer now': 91498, 'volunteer now even': 960299, 'now even fewer': 574618, 'even fewer for': 284058, 'fewer for the': 304212, 'electricitymarkets': 271228, 'renewableenergy': 710976, 'ttf': 934995, 'some hour': 783056, 'hour negative': 405775, 'negative price': 556816, 'were reached': 980034, 'reached in': 700046, 'european electricitymarkets': 283566, 'electricitymarkets on': 271233, 'sunday april': 818172, 'april 5th': 83506, '5th due': 20823, 'high renewableenergy': 395336, 'renewableenergy production': 710979, 'and co2': 60041, 'co2 ttf': 185037, 'low and in': 505129, 'in some hour': 428089, 'some hour negative': 783057, 'hour negative price': 405776, 'negative price were': 556818, 'price were reached': 677456, 'were reached in': 980035, 'reached in the': 700047, 'the european electricitymarkets': 854582, 'european electricitymarkets on': 283568, 'electricitymarkets on sunday': 271234, 'on sunday april': 603754, 'sunday april 5th': 818173, 'april 5th due': 83507, '5th due to': 20824, 'crisis the high': 218176, 'the high renewableenergy': 857321, 'high renewableenergy production': 395337, 'renewableenergy production and': 710980, 'of gas and': 584048, 'gas and co2': 343760, 'and co2 ttf': 60043, 'vaporisation': 952503, 'some recommendation': 783706, 'recommendation from': 704753, 'from specialist': 337374, 'specialist in': 788118, 'package design': 633252, 'design and': 238215, 'seal design': 743176, 'design you': 238274, 'of cover': 582085, 'the vaporisation': 870638, 'vaporisation of': 952504, 'alcohol inside': 41033, 'the sanitiser': 866346, 'sanitiser is': 733981, 'is slower': 451970, 'slower when': 774520, 'when compared': 983266, '19 some recommendation': 10695, 'some recommendation from': 783707, 'recommendation from specialist': 704754, 'from specialist in': 337375, 'specialist in package': 788119, 'in package design': 426414, 'package design and': 633253, 'design and seal': 238217, 'and seal design': 71102, 'seal design you': 743177, 'design you should': 238275, 'should buy hand': 765803, 'buy hand sanitiser': 148770, 'sanitiser that ha': 734026, 'that ha this': 844139, 'ha this type': 372266, 'type of cover': 937551, 'of cover the': 582086, 'cover the vaporisation': 212298, 'the vaporisation of': 870639, 'vaporisation of alcohol': 952505, 'of alcohol inside': 579895, 'alcohol inside the': 41034, 'inside the sanitiser': 439419, 'the sanitiser is': 866347, 'sanitiser is slower': 733982, 'is slower when': 451972, 'slower when compared': 774521, 'when compared with': 983267, 'compared with others': 191446, 'craigslist': 214819, 'state attorney': 795400, 'general crack': 345307, 'crack down': 214698, 'on unscrupulous': 604981, 'actor on': 30585, 'on craigslist': 600152, 'craigslist engaging': 214820, 'in scam': 427717, 'scam my': 740259, 'against all': 37314, 'rich quick': 721256, 'quick scheme': 694366, 'scheme at': 741551, 'consumer expense': 197411, 'state attorney general': 795401, 'attorney general crack': 102629, 'general crack down': 345308, 'crack down on': 214700, 'down on unscrupulous': 257042, 'on unscrupulous actor': 604982, 'unscrupulous actor on': 943449, 'actor on craigslist': 30586, 'on craigslist engaging': 600153, 'craigslist engaging in': 214821, 'engaging in scam': 276921, 'in scam my': 427719, 'scam my office': 740260, 'my office will': 549551, 'hesitate to take': 394280, 'action against all': 29927, 'against all those': 37317, 'those who use': 892689, 'use the get': 949667, 'the get rich': 856240, 'get rich quick': 347933, 'rich quick scheme': 721257, 'quick scheme at': 694367, 'scheme at consumer': 741552, 'at consumer expense': 98317, 'store encountered': 807588, 'encountered parent': 275552, 'full gear': 340613, 'gear glove': 344954, 'mask kid': 518900, 'thinking are': 885879, 'that sick': 846311, 'kid masks4all': 474043, 'masks4all quarantinediaries': 519670, 'quarantinediaries quarentinelife': 692909, 'quarentinelife kid': 693196, 'grocery store encountered': 365365, 'store encountered parent': 807589, 'encountered parent in': 275553, 'parent in full': 641654, 'in full gear': 423164, 'full gear glove': 340614, 'gear glove mask': 344955, 'glove mask kid': 352776, 'mask kid are': 518901, 'kid are not': 473866, 'are not so': 88466, 'not so just': 571620, 'so just thinking': 777501, 'just thinking are': 470047, 'thinking are you': 885880, 'you all that': 1016911, 'all that sick': 44644, 'that sick of': 846312, 'sick of your': 768545, 'of your kid': 593492, 'your kid masks4all': 1024561, 'kid masks4all quarantinediaries': 474044, 'masks4all quarantinediaries quarentinelife': 519671, 'quarantinediaries quarentinelife kid': 692910, 'financial perspective': 306527, 'perspective what': 653244, 'from financial perspective': 335474, 'financial perspective what': 306528, 'perspective what action': 653245, 'what action are': 980999, 'action are being': 29956, 'this economic crisis': 887342, 'economic crisis due': 267033, 'dean': 229728, 'amler': 52871, 'former official': 329650, 'official amp': 595744, 'amp dean': 53609, 'dean of': 229731, 'health science': 386828, 'amp practice': 54318, 'practice robert': 668643, 'robert amler': 724698, 'amler suggests': 52874, 'suggests changing': 817683, 'changing clothes': 172662, 'former official amp': 329651, 'official amp dean': 595745, 'amp dean of': 53610, 'dean of school': 229733, 'of school of': 589399, 'school of health': 741882, 'of health science': 584513, 'health science amp': 386829, 'science amp practice': 742080, 'amp practice robert': 54319, 'practice robert amler': 668644, 'robert amler suggests': 724700, 'amler suggests changing': 52875, 'suggests changing clothes': 817684, 'changing clothes after': 172663, 'clothes after being': 184131, 'after being in': 35410, 'being in crowded': 125297, 'in crowded area': 421914, 'follow page': 312484, 'could follow page': 209188, 'sainsbury give': 731669, 'give older': 350618, 'people first': 647924, 'trading during': 928852, 'sainsbury give older': 731670, 'give older people': 350619, 'older people first': 598647, 'people first hour': 647925, 'hour of supermarket': 405811, 'of supermarket trading': 590453, 'supermarket trading during': 823531, 'trading during covid': 928853, '19 sign the': 10544, 'when at': 983190, 'rude 19': 727028, 'me when at': 523937, 'when at the': 983191, 'during this and': 263259, 'this and see': 886347, 'and see people': 71141, 'see people being': 745554, 'people being rude': 647269, 'being rude 19': 125703, 'bon': 134216, 'apetit': 81447, 'order checklist': 618129, 'checklist place': 174873, 'advance order': 32909, 'need create': 554649, 'create menu': 215685, 'menu for': 528876, 'buy share': 149167, 'with neighbour': 999695, 'neighbour order': 557232, 'go edit': 353510, 'edit only': 268587, 'really must': 702422, 'must there': 546951, 'everyone bon': 286743, 'bon apetit': 134217, 'online food order': 608212, 'food order checklist': 315676, 'order checklist place': 618130, 'checklist place your': 174874, 'your order in': 1025102, 'order in advance': 618309, 'in advance order': 420058, 'advance order only': 32910, 'order only what': 618490, 'you need create': 1019979, 'need create menu': 554650, 'create menu for': 215686, 'menu for the': 528877, 'day ahead to': 227221, 'ahead to avoid': 39216, 'to avoid panic': 900922, 'avoid panic buy': 105207, 'panic buy share': 637527, 'buy share your': 149168, 'share your order': 755378, 'your order with': 1025111, 'order with neighbour': 618785, 'with neighbour order': 999696, 'neighbour order in': 557233, 'order in one': 618319, 'in one go': 426145, 'one go edit': 606350, 'go edit only': 353511, 'edit only if': 268588, 'only if you': 610625, 'you really must': 1020840, 'really must there': 702423, 'must there enough': 546952, 'for everyone bon': 321200, 'everyone bon apetit': 286744, 'healthcare facility': 387103, 'facility front': 295337, 'front desk': 338523, 'desk worker': 238473, 'all first': 42792, 'responder heb': 715478, 'heb employee': 388673, 'employee grocery': 273897, 'amazon employee': 50932, 'our present': 624425, 'present day': 670588, 'day soldier': 228376, 'soldier thank': 781820, 'heart 19': 388257, 'nurse healthcare facility': 577361, 'healthcare facility front': 387104, 'facility front desk': 295338, 'front desk worker': 338525, 'desk worker all': 238474, 'worker all first': 1006222, 'all first responder': 42794, 'first responder heb': 308948, 'responder heb employee': 715479, 'heb employee grocery': 388674, 'employee grocery store': 273898, 'employee amazon employee': 273542, 'amazon employee they': 50934, 'are our present': 88868, 'our present day': 624426, 'present day soldier': 670590, 'day soldier thank': 228377, 'soldier thank you': 781821, 'bottom of my': 136417, 'of my heart': 586777, 'my heart 19': 548646, 'reconvene': 704893, 'ubi': 937840, 'all reconvene': 44132, 'reconvene and': 704894, 'pas month': 643125, 'month min': 537859, 'of meaningful': 586366, 'meaningful ubi': 524860, 'ubi for': 937843, 'all holder': 43136, 'holder of': 400080, 'number 18': 576807, 'older stat': 598678, 'stat food': 795317, 'bank overrun': 110087, 'all reconvene and': 44133, 'reconvene and pas': 704895, 'and pas month': 68742, 'pas month min': 643126, 'month min of': 537860, 'min of meaningful': 532557, 'of meaningful ubi': 586367, 'meaningful ubi for': 524861, 'ubi for all': 937844, 'for all holder': 319133, 'all holder of': 43137, 'holder of number': 400081, 'of number 18': 587104, 'number 18 and': 576808, '18 and older': 4519, 'and older stat': 68044, 'older stat food': 598679, 'stat food bank': 795318, 'food bank overrun': 313612, 'bank overrun surge': 110088, 'for corn': 320360, 'corn ohio': 203578, 'ohio farmer': 596538, 'farmer gonna': 299386, 'gonna plant': 356593, 'plant 32': 658605, '32 more': 17682, 'more corn': 538894, 'corn than': 203598, 'price for corn': 673942, 'for corn ohio': 320364, 'corn ohio farmer': 203579, 'ohio farmer gonna': 596539, 'farmer gonna plant': 299387, 'gonna plant 32': 356594, 'plant 32 more': 658606, '32 more corn': 17683, 'more corn than': 538895, 'corn than last': 203599, 'than last year': 840836, 'optimal': 613886, 'washyourbutt': 967849, 'most optimal': 542582, 'optimal solution': 613887, 'virus toilet': 958933, 'hoarding problem': 399484, 'it simple': 461056, 'simple wash': 770131, 'butt toiletpaper': 148112, 'toiletpaper washyourbutt': 922816, 'the most optimal': 861010, 'most optimal solution': 542583, 'optimal solution to': 613888, 'corona virus toilet': 204368, 'virus toilet paper': 958934, 'paper hoarding problem': 640283, 'hoarding problem it': 399485, 'problem it simple': 679580, 'it simple wash': 461063, 'simple wash your': 770132, 'wash your butt': 967583, 'your butt toiletpaper': 1023091, 'butt toiletpaper washyourbutt': 148113, 'newsalert benchmark': 560995, 'oil fell': 596788, 'over 25': 629807, '25 barrel': 15844, 'the reduces': 865397, 'reduces global': 706235, 'newsalert benchmark west': 560996, 'wti oil fell': 1013400, 'oil fell to': 596789, 'fell to it': 303247, 'to just over': 908726, 'just over 25': 469422, 'over 25 barrel': 629809, '25 barrel the': 15847, 'barrel the reduces': 111290, 'the reduces global': 865398, 'reduces global demand': 706236, 'lynette': 507119, 'holmes': 400478, 'financiallaws': 306649, 'calm south': 156802, 'south australian': 786692, 'australian disability': 103473, 'disability pensioner': 243842, 'pensioner lynette': 646686, 'lynette holmes': 507120, 'holmes can': 400479, 'longer afford': 501906, 'afford several': 34757, 'several item': 753871, 'list due': 494307, 'skyrocketing cost': 773416, 'food financiallaws': 314467, 'for calm south': 319889, 'calm south australian': 156803, 'south australian disability': 786693, 'australian disability pensioner': 103474, 'disability pensioner lynette': 243843, 'pensioner lynette holmes': 646687, 'lynette holmes can': 507121, 'holmes can no': 400480, 'no longer afford': 564628, 'longer afford several': 501907, 'afford several item': 34758, 'several item on': 753872, 'item on her': 463503, 'on her shopping': 601284, 'shopping list due': 763184, 'list due to': 494308, 'to the skyrocketing': 917070, 'the skyrocketing cost': 867315, 'skyrocketing cost of': 773417, 'cost of fresh': 208048, 'fresh food financiallaws': 332964, 'me america': 522391, 'america instead': 51568, 'and messing': 66968, 'messing up': 529548, 'up social': 946022, 'distancing what': 247626, 'store gave': 807911, 'gave out': 344655, 'out ticket': 627609, 'ticket with': 895682, 'with entry': 998241, 'entry time': 279028, 'made everyone': 507730, 'everyone wait': 287548, 'listen to me': 494743, 'to me america': 909915, 'me america instead': 522392, 'america instead of': 51569, 'of waiting in': 592884, 'supermarket and messing': 819016, 'and messing up': 66969, 'messing up social': 529549, 'up social distancing': 946023, 'social distancing what': 779764, 'distancing what would': 247628, 'what would happen': 982644, 'happen if store': 377098, 'if store gave': 414882, 'store gave out': 807913, 'gave out ticket': 344656, 'out ticket with': 627610, 'ticket with entry': 895683, 'with entry time': 998242, 'entry time and': 279029, 'time and made': 896279, 'and made everyone': 66506, 'made everyone wait': 507732, 'everyone wait in': 287549, 'wait in their': 964144, 'their car to': 872731, 'cfpb announces': 170345, 'announces flexibility': 77252, 'flexibility on': 310372, 'reporting requirement': 712748, 'requirement during': 713427, 'cfpb announces flexibility': 170346, 'announces flexibility on': 77253, 'flexibility on credit': 310373, 'on credit reporting': 600162, 'credit reporting requirement': 216494, 'reporting requirement during': 712749, 'requirement during the': 713428, 'finnish': 307991, 'finn': 307980, 'for finland': 321494, 'finland in': 307962, 'the finnish': 855251, 'finnish lifestyle': 307992, 'lifestyle it': 489366, 'it challenge': 457089, 'challenge everything': 171443, 'everything finland': 287789, 'finland stand': 307971, 'for finn': 321496, 'finn do': 307983, 'home they': 402269, 'not depend': 568992, 'not widely': 572510, 'widely used': 991792, 'biggest challenge for': 130193, 'challenge for finland': 171464, 'for finland in': 321495, 'finland in this': 307963, 'is the finnish': 452801, 'the finnish lifestyle': 855252, 'finnish lifestyle it': 307993, 'lifestyle it challenge': 489367, 'it challenge everything': 457090, 'challenge everything finland': 171444, 'everything finland stand': 287790, 'finland stand for': 307972, 'stand for finn': 793520, 'for finn do': 321497, 'finn do not': 307984, 'not stay at': 571702, 'at home they': 99143, 'home they do': 402272, 'do not depend': 249712, 'not depend on': 568993, 'depend on others': 237322, 'others for service': 621412, 'service and online': 752100, 'and online food': 68105, 'is not widely': 450221, 'not widely used': 572511, 'jealous': 464946, 'wfh day': 980834, 'day went': 228710, 'my lunch': 549174, 'lunch break': 506713, 'break guy': 138736, 'guy waiting': 369203, 'waiting outside': 964370, 'in had': 423501, 'had pint': 373405, 'beer in': 122468, 'hand wa': 375910, 'wa jealous': 962443, 'jealous gotta': 464947, 'gotta love': 359087, 'love texas': 504792, 'texas itsupport': 839794, 'wfh day went': 980835, 'day went to': 228711, 'store on my': 809200, 'on my lunch': 602295, 'my lunch break': 549175, 'lunch break guy': 506714, 'break guy waiting': 138737, 'guy waiting outside': 369204, 'waiting outside in': 964372, 'outside in front': 629461, 'of me in': 586333, 'me in line': 522966, 'get in had': 347296, 'in had pint': 423502, 'had pint of': 373406, 'pint of beer': 656855, 'of beer in': 580620, 'beer in his': 122469, 'his hand wa': 397494, 'hand wa jealous': 375911, 'wa jealous gotta': 962444, 'jealous gotta love': 464948, 'gotta love texas': 359089, 'love texas itsupport': 504793, 'whacked': 980918, 'shovel': 766831, 'corpse': 207487, 'oblivion': 578485, 'chris any': 178048, 'any high': 79324, 'oil zombie': 597533, 'zombie rising': 1027719, 'rising from': 723223, 'the grave': 856707, 'grave are': 362422, 'get whacked': 348617, 'whacked with': 980919, 'with shovel': 1000710, 'shovel by': 766832, 'price feud': 673858, 'feud and': 303636, 'the corpse': 851961, 'corpse well': 207491, 'truly shot': 933338, 'shot to': 765453, 'to oblivion': 910787, 'oblivion by': 578486, '19 running': 10266, 'of storage': 590235, 'storage space': 805985, 'oil issue': 596914, 'issue ft': 455762, 'ft wa': 339366, 'chris any high': 178049, 'any high price': 79325, 'high price oil': 395264, 'price oil zombie': 675631, 'oil zombie rising': 597534, 'zombie rising from': 1027720, 'rising from the': 723225, 'from the grave': 337730, 'the grave are': 856708, 'grave are going': 362423, 'to get whacked': 906643, 'get whacked with': 348618, 'whacked with shovel': 980920, 'with shovel by': 1000711, 'shovel by the': 766833, 'by the russia': 154429, 'the russia saudi': 866090, 'saudi price feud': 737289, 'price feud and': 673859, 'feud and the': 303637, 'and the corpse': 73300, 'the corpse well': 851963, 'corpse well and': 207492, 'well and truly': 978028, 'and truly shot': 74484, 'truly shot to': 933339, 'shot to oblivion': 765454, 'to oblivion by': 910788, 'oblivion by the': 578487, 'covid 19 running': 213728, '19 running out': 10267, 'out of storage': 626841, 'of storage space': 590236, 'storage space for': 805987, 'space for oil': 787100, 'for oil issue': 324035, 'oil issue ft': 596915, 'issue ft wa': 455763, 'from hardship': 335724, 'hardship assistance': 378273, 'assistance cashflow': 96673, 'cashflow assistance': 166422, 'equity loan': 279952, 'loan we': 497555, 'assistance option': 96726, 'from hardship assistance': 335725, 'hardship assistance cashflow': 378274, 'assistance cashflow assistance': 96674, 'cashflow assistance to': 166423, 'assistance to home': 96755, 'to home equity': 907933, 'home equity loan': 401155, 'equity loan we': 279953, 'loan we are': 497556, 'here to work': 393734, 'with you during': 1002147, 'for more consumer': 323559, 'more consumer assistance': 538872, 'consumer assistance option': 196329, 'assistance option during': 96727, 'wish would': 996853, 'put previous': 690786, 'previous price': 671993, 'price against': 672243, 'against item': 37524, 'item so': 463646, 'which seller': 986302, 'make out': 510293, 'the nameandshame': 861195, 'wish would put': 996854, 'would put previous': 1012141, 'put previous price': 690787, 'previous price against': 671994, 'price against item': 672244, 'against item so': 37525, 'item so that': 463648, 'can see which': 159553, 'see which seller': 746062, 'which seller are': 986303, 'seller are trying': 748982, 'to make out': 909713, 'make out of': 510295, 'of the nameandshame': 591261, 'our eating': 622826, 'shopping talk': 764048, 'consumer family': 197445, 'family farm': 297778, 'the org': 862467, 'org ny': 619187, 'ny restaurant': 577909, 'owner amp': 632368, 'midwest food': 530822, 'bank on': 110062, 'ha changed our': 370132, 'changed our eating': 172524, 'our eating habit': 622827, 'eating habit and': 266217, 'habit and grocery': 372555, 'grocery shopping talk': 365089, 'shopping talk to': 764049, 'talk to direct': 833875, 'to consumer family': 903296, 'consumer family farm': 197446, 'family farm the': 297779, 'farm the org': 299198, 'the org ny': 862468, 'org ny restaurant': 619188, 'ny restaurant owner': 577910, 'restaurant owner amp': 716623, 'owner amp the': 632369, 'amp the midwest': 54663, 'the midwest food': 860582, 'midwest food bank': 530823, 'food bank on': 313608, 'bank on how': 110064, 'on how all': 601381, 'of this impact': 591989, 'this impact our': 888016, 'skinnywine': 773111, 'skinnybooze': 773110, 'while self': 987239, 'isolating guy': 455104, 'guy we': 369209, 'still delivering': 800421, 'delivering all': 233463, 'in while': 430876, 'can wine': 160226, 'wine stockup': 995903, 'stockup skinnywine': 804199, 'skinnywine skinnybooze': 773112, 'run out while': 727773, 'out while self': 627835, 'while self isolating': 987241, 'self isolating guy': 747726, 'isolating guy we': 455105, 'guy we are': 369210, 'are still delivering': 90412, 'still delivering all': 800422, 'delivering all over': 233464, 'uk get your': 938403, 'get your order': 348719, 'order in while': 618325, 'in while you': 430883, 'you can wine': 1017834, 'can wine stockup': 160227, 'wine stockup skinnywine': 995904, 'stockup skinnywine skinnybooze': 804200, 'economiclaws': 267423, 'from idiot': 335991, 'up economiclaws': 944776, 'economiclaws supplyanddemand': 267424, 'post from idiot': 666141, 'from idiot who': 335992, 'idiot who have': 413642, 'going up economiclaws': 355781, 'up economiclaws supplyanddemand': 944777, 'you cheap': 1017928, 'cheap bastard': 174084, 'bastard send': 112499, 'some fucking': 782925, 'fucking toilet': 340036, 'paper trumpsucks': 641030, 'trumpsucks trumpvirus': 934160, 'trumpvirus toiletpaper': 934188, 'forget the check': 329300, 'the check you': 850749, 'check you cheap': 174726, 'you cheap bastard': 1017929, 'cheap bastard send': 174085, 'bastard send me': 112500, 'send me some': 749889, 'me some fucking': 523508, 'some fucking toilet': 782926, 'fucking toilet paper': 340037, 'toilet paper trumpsucks': 921508, 'paper trumpsucks trumpvirus': 641031, 'trumpsucks trumpvirus toiletpaper': 934161, 'chestnut': 175573, 'keepitonthehill': 472653, 'chestnuthillpa': 175576, 'new streaming': 559675, 'streaming experience': 812816, 'experience more': 291420, 'support chestnut': 826413, 'chestnut hill': 175574, 'business giveaway': 143785, 'giveaway daily': 350899, 'daily drawing': 224582, 'drawing 13': 258502, '13 19': 3163, '25 gift': 15875, 'gift certificate': 349960, 'certificate keepitonthehill': 170210, 'keepitonthehill chestnuthillpa': 472654, 'visit our site': 959331, 'our site for': 624787, 'site for online': 771921, 'shopping new streaming': 763323, 'new streaming experience': 559676, 'streaming experience more': 812817, 'experience more way': 291422, 'to support chestnut': 915911, 'support chestnut hill': 826414, 'chestnut hill business': 175575, 'hill business giveaway': 396466, 'business giveaway daily': 143786, 'giveaway daily drawing': 350900, 'daily drawing 13': 224583, 'drawing 13 19': 258503, '13 19 for': 3165, '19 for 25': 7062, 'for 25 gift': 318781, '25 gift certificate': 15876, 'gift certificate keepitonthehill': 349962, 'certificate keepitonthehill chestnuthillpa': 170211, 'eastlondon': 265628, 'panic fucking': 638131, 'fucking buying': 339818, 'buying your': 151412, 'day grow': 227704, 'egg today': 270015, 'today nor': 919941, 'nor milk': 566960, 'milk anyone': 531572, 'where could': 984795, 'some eastlondon': 782717, 'eastlondon coronacrisis': 265629, 'stop panic fucking': 804884, 'panic fucking buying': 638132, 'fucking buying your': 339819, 'buying your not': 151414, 'your not out': 1025044, 'of food every': 583689, 'every day grow': 285813, 'day grow the': 227705, 'grow the fuck': 367072, 'fuck up can': 339673, 'up can even': 944573, 'can even buy': 158248, 'even buy egg': 283917, 'buy egg today': 148557, 'egg today nor': 270016, 'today nor milk': 919942, 'nor milk anyone': 566961, 'milk anyone know': 531573, 'know where could': 477012, 'where could get': 984796, 'could get some': 209206, 'get some eastlondon': 348051, 'some eastlondon coronacrisis': 782718, 'to changing': 902623, 'time machinelearning': 897170, 'machinelearning threshold': 507432, 'how to adapt': 408974, 'adapt to changing': 31279, 'to changing consumer': 902624, 'behavior in uncertain': 124088, 'uncertain time machinelearning': 939620, 'time machinelearning threshold': 897171, 'dreading wednesday': 258588, 'wednesday morning': 975662, 'collect my': 186301, 'grocery due': 364479, 'deliver my': 233179, 'my flat': 548360, 'top percentage': 925659, 'are prone': 89284, 'catching this': 167126, 'but life': 146270, 'dreading wednesday morning': 258589, 'wednesday morning because': 975663, 'morning because have': 541188, 'supermarket to collect': 823362, 'to collect my': 902971, 'collect my grocery': 186302, 'my grocery due': 548572, 'grocery due to': 364480, 'able to deliver': 24469, 'to deliver my': 904108, 'deliver my grocery': 233180, 'my grocery to': 548584, 'grocery to my': 366055, 'to my flat': 910398, 'my flat in': 548361, 'in the top': 429618, 'the top percentage': 869789, 'top percentage of': 925660, 'percentage of more': 651211, 'of more vulnerable': 586654, 'vulnerable people who': 961116, 'who are prone': 988198, 'are prone to': 89285, 'prone to catching': 683973, 'to catching this': 902517, 'catching this covid': 167127, '19 but life': 5510, 'but life go': 146271, 'life go on': 488688, 'calgaryalberta': 155432, 'have partnered': 381897, 'all clean': 42365, 'clean natural': 180585, 'natural to': 552873, 'bring bundle': 139941, 'bundle of': 142652, 'quality hand': 691798, 'community best': 189757, 'we deliver': 971258, 'deliver straight': 233214, 'door step': 255718, 'step free': 799542, 'charge message': 173283, 'order now': 618422, 'now calgary': 574317, 'calgary calgaryalberta': 155419, 'calgaryalberta handsanitizer': 155433, 'we have partnered': 971893, 'have partnered with': 381898, 'partnered with all': 642920, 'with all clean': 997147, 'all clean natural': 42367, 'clean natural to': 180586, 'natural to bring': 552874, 'to bring bundle': 902032, 'bring bundle of': 139942, 'bundle of quality': 142653, 'of quality hand': 588646, 'quality hand sanitizer': 691799, 'our community best': 622451, 'community best of': 189758, 'best of all': 127792, 'of all we': 579994, 'all we deliver': 45405, 'we deliver straight': 971263, 'deliver straight to': 233215, 'straight to your': 812246, 'your door step': 1023579, 'door step free': 255719, 'step free of': 799543, 'of charge message': 581287, 'charge message to': 173284, 'message to place': 529457, 'to place you': 911760, 'place you order': 657859, 'you order now': 1020233, 'order now calgary': 618424, 'now calgary calgaryalberta': 574318, 'calgary calgaryalberta handsanitizer': 155420, 'famers': 297523, 'have rocketed': 382346, 'rocketed but': 724960, 'small dairy': 774928, 'dairy supply': 225047, 'supply cafe': 824876, 'closed some': 183340, 'some famers': 782811, 'famers now': 297524, 'face 2p': 294279, '2p litre': 16827, 'litre price': 495177, 'cut where': 223627, 'net for': 557545, 'these farmer': 880000, 'sale of milk': 732399, 'milk in supermarket': 531703, 'in supermarket have': 428613, 'supermarket have rocketed': 820705, 'have rocketed but': 382348, 'rocketed but many': 724961, 'but many small': 146361, 'many small dairy': 514709, 'small dairy supply': 774929, 'dairy supply cafe': 225048, 'supply cafe and': 824877, 'cafe and food': 155090, 'food service business': 316404, 'service business which': 752186, 'business which have': 144660, 'which have now': 985920, 'now closed some': 574406, 'closed some famers': 183342, 'some famers now': 782812, 'famers now face': 297525, 'now face 2p': 574652, 'face 2p litre': 294280, '2p litre price': 16828, 'litre price cut': 495179, 'price cut where': 673379, 'cut where is': 223628, 'is the safety': 452932, 'the safety net': 866149, 'safety net for': 730637, 'net for these': 557547, 'for these farmer': 326964, 'affect sf': 34223, 'sf rental': 754256, 'how coronavirus will': 407613, 'coronavirus will affect': 207081, 'will affect sf': 992215, 'affect sf rental': 34224, 'sf rental market': 754257, 'rental market via': 711245, 'diamond': 240320, 'diamond price': 240331, 'price slide': 676466, 'march spread': 515471, 'diamond price slide': 240333, 'price slide in': 676467, 'slide in march': 773903, 'in march spread': 425120, 'no gathering': 564338, 'yet work': 1016334, '40 coworkers': 18559, 'coworkers and': 214494, 'germ stayhomechallenge': 346151, 'stayhomechallenge socialdistancing': 798282, 'so no gathering': 777886, 'no gathering of': 564340, 'gathering of more': 344489, '10 people yet': 1618, 'people yet work': 650565, 'yet work in': 1016335, 'store with 30': 811361, 'with 30 40': 996997, '30 40 coworkers': 16938, '40 coworkers and': 18560, 'coworkers and hundred': 214496, 'customer and load': 222083, 'load of germ': 497267, 'of germ stayhomechallenge': 584100, 'germ stayhomechallenge socialdistancing': 346152, 'chicken ha': 175791, 'half due': 374155, 'virus only': 958561, 'only fool': 610460, 'fool will': 318312, 'it chinesevirus': 457133, 'price of egg': 675441, 'of egg and': 582993, 'egg and chicken': 269761, 'and chicken ha': 59818, 'chicken ha fallen': 175792, 'ha fallen to': 370598, 'fallen to half': 297184, 'to half due': 907093, 'half due to': 374156, 'to corona virus': 903532, 'corona virus only': 204336, 'virus only fool': 958562, 'only fool will': 610461, 'fool will go': 318314, 'go to eat': 354303, 'to eat it': 904890, 'eat it chinesevirus': 265959, 'friday update': 333312, 'veg but': 953733, 'normal tomorrow': 567377, 'have pasta': 381901, 'pasta grain': 643728, 'grain flour': 361772, 'flour amp': 311061, 'amp tin': 54705, 'tin in': 898539, 'limited per': 492695, 'from 9am': 334355, 'friday update we': 333313, 'update we are': 947306, 'we are low': 970619, 'low on fruit': 505458, 'on fruit amp': 601035, 'amp veg but': 54773, 'veg but that': 953734, 'but that should': 147297, 'should be back': 765564, 'be back to': 113789, 'to normal tomorrow': 910664, 'normal tomorrow we': 567378, 'tomorrow we have': 924235, 'we have pasta': 971894, 'have pasta grain': 381902, 'pasta grain flour': 643729, 'grain flour amp': 361773, 'flour amp tin': 311063, 'amp tin in': 54706, 'tin in stock': 898540, 'stock but all': 801942, 'but all will': 145092, 'all will be': 45468, 'be limited per': 115758, 'limited per customer': 492696, 'per customer to': 650785, 'customer to make': 222969, 'everyone get food': 286930, 'get food see': 347062, 'food see you': 316379, 'see you from': 746105, 'you from 9am': 1018707, 'avoiding eye': 105451, 'another safety': 77822, 'precaution right': 669351, 'avoiding eye contact': 105452, 'eye contact at': 294026, 'contact at the': 200028, 'supermarket is another': 821069, 'is another safety': 445741, 'another safety precaution': 77823, 'safety precaution right': 730687, 'medicaid': 526014, '432': 18987, '9257': 23506, 'new charity': 558480, 'and medicaid': 66867, 'medicaid scam': 526025, 'report suspected': 712290, 'suspected scam': 829534, 'hotline 88': 405239, '88 432': 23044, '432 9257': 18988, '9257 or': 23507, 'our medicaid': 623892, 'medicaid fraud': 526019, 'and abuse': 57571, 'abuse hotline': 27639, 'hotline 877': 405237, '877 abuse': 23034, 'abuse tip': 27674, 'tip read': 898880, 'scammer are attempting': 740528, 'profit from with': 682742, 'from with new': 338393, 'with new charity': 999699, 'new charity and': 558481, 'charity and medicaid': 173562, 'and medicaid scam': 66868, 'medicaid scam report': 526026, 'scam report suspected': 740332, 'report suspected scam': 712293, 'suspected scam to': 829536, 'scam to our': 740424, 'protection hotline 88': 685478, 'hotline 88 432': 405240, '88 432 9257': 23045, '432 9257 or': 18989, '9257 or our': 23508, 'or our medicaid': 616459, 'our medicaid fraud': 623893, 'medicaid fraud and': 526020, 'fraud and abuse': 331226, 'and abuse hotline': 57572, 'abuse hotline 877': 27640, 'hotline 877 abuse': 405238, '877 abuse tip': 23035, 'abuse tip read': 27675, 'tip read more': 898881, 'shine': 758605, 'take opportunity': 832426, 'to shine': 914422, 'shine lockdown': 758610, 'lockdown take': 499989, 'confidence via': 193975, 'brand should take': 138011, 'should take opportunity': 766551, 'take opportunity to': 832427, 'opportunity to shine': 613723, 'to shine lockdown': 914423, 'shine lockdown take': 758611, 'lockdown take toll': 499990, 'take toll on': 832750, 'toll on consumer': 923862, 'on consumer confidence': 600034, 'consumer confidence via': 196930, 'drive by': 259002, 'by testing': 154241, 'planner security': 658504, 'test team': 839188, 'team requires': 835762, 'requires you': 713512, 'them financial': 875689, 'planner people': 658502, 'pay bill': 644781, 'food putting': 316092, 'putting money': 691162, 'market isn': 516649, 'drive by testing': 259003, 'by testing and': 154242, 'testing and financial': 839434, 'and financial planner': 62874, 'financial planner security': 306532, 'planner security of': 658505, 'security of test': 744686, 'of test team': 590685, 'test team requires': 839189, 'team requires you': 835763, 'requires you go': 713513, 'go to them': 354371, 'to them financial': 917293, 'them financial planner': 875690, 'financial planner people': 306531, 'planner people need': 658503, 'people need money': 648831, 'to pay bill': 911518, 'pay bill and': 644782, 'bill and buy': 130501, 'buy food putting': 148668, 'food putting money': 316094, 'putting money in': 691163, 'stock market isn': 802406, 'market isn what': 516650, 'isn what it': 454756, 'what it is': 981752, 'exhoberent': 290212, 'sir many': 771598, 'vendor at': 954349, 'bazar are': 113024, 'at exhoberent': 98587, 'exhoberent price': 290213, 'situation kindly': 772364, 'kindly look': 475145, 'into it': 442670, 'it telangana': 461455, 'sir many vegetable': 771599, 'many vegetable vendor': 514849, 'vegetable vendor at': 954122, 'vendor at rythu': 954350, 'rythu bazar are': 728832, 'bazar are selling': 113025, 'selling at exhoberent': 749166, 'at exhoberent price': 98588, 'exhoberent price taking': 290214, 'current situation kindly': 221365, 'situation kindly look': 772365, 'kindly look into': 475146, 'look into it': 502431, 'into it telangana': 442675, 'cargill': 164643, 'hazleton': 384609, 'cargill meat': 164650, 'meat solution': 525750, 'solution 900': 781984, '900 worker': 23397, 'worker plant': 1007580, 'plant in': 658661, 'in hazleton': 423585, 'hazleton that': 384612, 'that package': 845630, 'package meat': 633327, 'in plastic': 426784, 'plastic for': 658843, 'pennsylvania and': 646555, 'surrounding state': 828758, 'state shut': 795936, 'down temporarily': 257252, 'temporarily on': 837516, 'tuesday 130': 935099, '130 hourly': 3296, 'hourly worker': 406146, 'cargill meat solution': 164651, 'meat solution 900': 525751, 'solution 900 worker': 781985, '900 worker plant': 23399, 'worker plant in': 1007581, 'plant in hazleton': 658665, 'in hazleton that': 423587, 'hazleton that package': 384613, 'that package meat': 845631, 'package meat in': 633328, 'meat in plastic': 525619, 'in plastic for': 426786, 'plastic for supermarket': 658845, 'shelf in pennsylvania': 757212, 'in pennsylvania and': 426578, 'pennsylvania and surrounding': 646556, 'and surrounding state': 72892, 'surrounding state shut': 828759, 'state shut down': 795937, 'shut down temporarily': 767856, 'down temporarily on': 257253, 'temporarily on tuesday': 837517, 'on tuesday 130': 604873, 'tuesday 130 hourly': 935100, '130 hourly worker': 3297, 'hourly worker have': 406148, 'restaurant delivery': 716413, 'service don': 752300, 'were paid': 979965, 'wage covid': 963839, 'if government around': 414171, 'world have decided': 1009622, 'have decided that': 380196, 'decided that grocery': 230887, 'and restaurant delivery': 70374, 'restaurant delivery worker': 716416, 'delivery worker are': 234768, 'worker are an': 1006368, 'are an essential': 84537, 'essential service don': 281502, 'service don you': 752301, 'think it high': 885335, 'high time they': 395480, 'time they were': 897907, 'they were paid': 883793, 'were paid more': 979967, 'paid more than': 634090, 'than the minimum': 841253, 'minimum wage covid': 533225, 'wage covid 19': 963840, 'great listen': 362805, 'listen in': 494687, 'car if': 163130, 'storm and': 811784, 'doctor factsnotfear': 250908, 'and it great': 65533, 'it great listen': 458337, 'great listen in': 362806, 'listen in the': 494690, 'the car if': 850379, 'car if you': 163131, 'have to brave': 383167, 'brave the storm': 138236, 'the storm and': 868157, 'storm and get': 811785, 'and get to': 63610, 'store or doctor': 809327, 'or doctor factsnotfear': 615025, 'riodejaneiro': 722591, 'brasil': 138188, 'chinaisasshoe': 177093, 'the unit': 870414, 'unit of': 942071, 'the guanabara': 856899, 'guanabara supermarket': 367688, 'in riodejaneiro': 427517, 'riodejaneiro brasil': 722592, 'brasil the': 138189, 'the insane': 858308, 'insane search': 439065, 'for alcohol': 319094, 'gel to': 345159, 'coronavirus 19': 205433, 'stayhome chinaisasshoe': 797965, 'chinaisasshoe chinaliedpeopledied': 177094, 'chinaliedpeopledied chinesevirus': 177114, 'of the unit': 591572, 'the unit of': 870415, 'unit of the': 942074, 'of the guanabara': 591084, 'the guanabara supermarket': 856900, 'guanabara supermarket in': 367689, 'supermarket in riodejaneiro': 820967, 'in riodejaneiro brasil': 427518, 'riodejaneiro brasil the': 722593, 'brasil the insane': 138190, 'the insane search': 858310, 'insane search for': 439066, 'search for alcohol': 743242, 'for alcohol gel': 319095, 'alcohol gel to': 41015, 'gel to protect': 345161, 'protect against the': 684767, 'the coronavirus 19': 851797, 'coronavirus 19 stayhome': 205436, '19 stayhome chinaisasshoe': 10826, 'stayhome chinaisasshoe chinaliedpeopledied': 797966, 'chinaisasshoe chinaliedpeopledied chinesevirus': 177095, 'ripponden': 722755, 'virtual tour': 957806, 'of ripponden': 589118, 'ripponden coop': 722756, 'coop demonstrating': 203100, 'demonstrating our': 236867, 'our one': 624135, 'way system': 969902, 'for entering': 321067, 'virtual tour of': 957807, 'tour of ripponden': 926931, 'of ripponden coop': 589119, 'ripponden coop demonstrating': 722757, 'coop demonstrating our': 203101, 'demonstrating our one': 236868, 'our one way': 624136, 'one way system': 607381, 'way system for': 969903, 'system for entering': 831170, 'for entering the': 321068, 'entering the store': 278432, 'the store retail': 868092, 'levity': 487820, 'jest': 465270, 'my to': 550386, 'do board': 249147, 'board ha': 133639, 'become rather': 120111, 'rather empty': 697452, 'empty decided': 274850, 'and bring': 59200, 'bring bit': 139935, 'of levity': 585797, 'levity to': 487825, 'recent experience': 703896, 'your fellow': 1023852, 'stockpile meant': 803773, 'meant only': 524895, 'in jest': 424386, 'jest coronacrisis': 465271, 'coronacrisis stockpiling': 204783, 'since my to': 770762, 'my to do': 550387, 'to do board': 904489, 'do board ha': 249148, 'board ha become': 133641, 'ha become rather': 369690, 'become rather empty': 120112, 'rather empty decided': 697454, 'empty decided to': 274851, 'decided to try': 230937, 'try and bring': 934438, 'and bring bit': 59203, 'bring bit of': 139936, 'bit of levity': 131652, 'of levity to': 585799, 'levity to my': 487826, 'to my recent': 910431, 'my recent experience': 549895, 'recent experience in': 703897, 'experience in my': 291391, 'local supermarket please': 498575, 'supermarket please be': 822009, 'to your fellow': 918981, 'your fellow human': 1023854, 'fellow human and': 303294, 'human and do': 410406, 'not stockpile meant': 571746, 'stockpile meant only': 803774, 'meant only in': 524896, 'only in jest': 610635, 'in jest coronacrisis': 424387, 'jest coronacrisis stockpiling': 465272, 'palmer': 634617, 'retail time': 718791, 'shine when': 758614, 'health covid': 386318, 'changing much': 172750, 'live today': 496072, 'future healthcare': 342347, 'healthcare access': 387013, 'access read': 28177, 'read andrea': 700284, 'andrea palmer': 76172, 'palmer perspective': 634618, 'how novel': 408413, 'this is retail': 888382, 'is retail time': 451496, 'retail time to': 718792, 'time to shine': 898062, 'to shine when': 914424, 'shine when it': 758615, 'come to consumer': 187562, 'to consumer health': 903307, 'consumer health covid': 197724, 'health covid 19': 386319, '19 is changing': 7945, 'is changing much': 446477, 'changing much of': 172751, 'much of how': 545191, 'of how we': 584845, 'we live today': 972223, 'live today and': 496073, 'today and could': 919198, 'and could change': 60614, 'could change how': 209011, 'change how future': 172091, 'how future healthcare': 407905, 'future healthcare access': 342348, 'healthcare access read': 387014, 'access read andrea': 28178, 'read andrea palmer': 700285, 'andrea palmer perspective': 76173, 'palmer perspective on': 634619, 'on how novel': 601414, 'how novel coronavirus': 408414, 'novel coronavirus is': 573759, 'coronavirus is changing': 206160, 'changing consumer health': 172673, 'nailed': 551470, 'nailed it': 551471, 'night if': 563009, 'keep lying': 471639, 'lying like': 507075, 'been every': 121096, 'stuff this': 815218, 'of stop': 590225, 'stop broadcasting': 804514, 'broadcasting it': 140749, 'it honestly': 458620, 'life watch': 489186, 'nailed it last': 551472, 'it last night': 459301, 'last night if': 480378, 'night if trump': 563012, 'if trump is': 415198, 'trump is going': 933645, 'going to keep': 355633, 'to keep lying': 908809, 'keep lying like': 471640, 'lying like he': 507076, 'like he ha': 490398, 'ha been every': 369799, 'been every day': 121097, 'day on stuff': 228146, 'on stuff this': 603731, 'stuff this important': 815219, 'this important we': 888028, 'important we should': 419107, 'should all of': 765493, 'all of stop': 43709, 'of stop broadcasting': 590226, 'stop broadcasting it': 804515, 'broadcasting it honestly': 140750, 'it honestly it': 458621, 'honestly it going': 403115, 'to cost life': 903598, 'cost life watch': 208001, 'rooivleis': 725860, '19 final': 7000, 'final lockdown': 305844, 'lockdown regulation': 499850, 'regulation redmeat': 708100, 'redmeat consumer': 705753, 'consumer rooivleis': 198840, 'covid 19 final': 213096, '19 final lockdown': 7001, 'final lockdown regulation': 305845, 'lockdown regulation redmeat': 499851, 'regulation redmeat consumer': 708101, 'redmeat consumer rooivleis': 705754, 'quadrupled': 691658, 'distribution offered': 248184, 'to philadelphia': 911699, 'philadelphia resident': 654699, 'resident starting': 714363, 'starting this': 795004, 'some site': 783881, 'site ran': 771995, 'meal box': 524114, 'distribute thursday': 248021, 'thursday even': 895362, 'city quadrupled': 179341, 'quadrupled the': 691665, 'meal it': 524197, 'is handing': 448266, 'demand is so': 235739, 'is so high': 452016, 'so high for': 777308, 'high for food': 395091, 'food distribution offered': 314232, 'distribution offered to': 248185, 'offered to philadelphia': 594980, 'to philadelphia resident': 911700, 'philadelphia resident starting': 654700, 'resident starting this': 714364, 'starting this week': 795007, 'this week that': 891278, 'week that some': 976980, 'that some site': 846396, 'some site ran': 783883, 'site ran out': 771996, 'out of meal': 626786, 'of meal box': 586357, 'meal box to': 524115, 'box to distribute': 137184, 'to distribute thursday': 904451, 'distribute thursday even': 248022, 'thursday even after': 895363, 'after the city': 36295, 'the city quadrupled': 850956, 'city quadrupled the': 179342, 'quadrupled the number': 691666, 'number of meal': 576960, 'of meal it': 586359, 'meal it is': 524198, 'it is handing': 458969, 'is handing out': 448267, 'handing out via': 376140, 'reach even': 699915, 'vulnerable community': 960916, 'our partnership': 624288, 'increased demand due': 433268, 'to the devastating': 916639, 'the devastating effect': 853220, 'devastating effect of': 239586, 'effect of we': 269070, 'of we are': 592958, 'proud to support': 686063, 'support to ensure': 826941, 'able to reach': 24530, 'to reach even': 912796, 'reach even the': 699916, 'even the most': 284662, 'most vulnerable community': 542872, 'vulnerable community during': 960917, 'this crisis learn': 887060, 'about our partnership': 25897, 'these innovation': 880175, 'innovation point': 438893, 'where online': 985069, 'heading during': 385928, 'these innovation point': 880176, 'innovation point to': 438894, 'point to where': 662679, 'to where online': 918540, 'where online shopping': 985070, 'online shopping trend': 609318, 'shopping trend are': 764245, 'trend are heading': 931279, 'are heading during': 87050, 'heading during the': 385929, 'crisis and beyond': 217015, 'state struggle': 795956, 'first rapid test': 308904, 'rapid test with': 696938, 'minute the united': 533856, 'united state struggle': 942242, 'state struggle to': 795957, 'yen': 1015321, 'hello japanese': 389181, 'japanese government': 464792, 'government how': 360198, 'give 100': 350353, '00 yen': 619, 'yen an': 1015324, 'use 100': 949001, 'yen in': 1015330, 'just minute': 469278, 'and expensive': 62498, 'expensive electronics': 291235, 'hello japanese government': 389182, 'japanese government how': 464793, 'government how are': 360199, 'are you if': 91810, 'if you give': 415444, 'you give 100': 1018822, 'give 100 00': 350354, '100 00 yen': 1805, '00 yen an': 620, 'yen an economic': 1015325, 'an economic measure': 55583, 'economic measure against': 267169, 'measure against covid': 525073, '19 can use': 5617, 'can use 100': 160085, 'use 100 00': 949002, '00 yen in': 621, 'yen in just': 1015331, 'in just minute': 424420, 'just minute for': 469279, 'minute for example': 533763, 'online shopping lot': 609177, 'rice and expensive': 720992, 'and expensive electronics': 62499, 'straightforward': 812259, 'angle': 76425, 'crisis reducing': 217952, 'reducing carbon': 706266, 'carbon emission': 163396, 'emission isn': 273207, 'isn straightforward': 454681, 'straightforward we': 812260, 'from couple': 335045, 'different angle': 241893, 'angle including': 76429, 'this crisis reducing': 887080, 'crisis reducing carbon': 217953, 'reducing carbon emission': 706267, 'carbon emission isn': 163397, 'emission isn straightforward': 273208, 'isn straightforward we': 454682, 'straightforward we think': 812261, 'we think this': 973536, 'look at it': 502272, 'at it from': 99325, 'it from couple': 458152, 'from couple of': 335046, 'couple of different': 211638, 'of different angle': 582596, 'different angle including': 241894, 'angle including the': 76430, 'including the drop': 432182, 'government covid': 360000, 'the government covid': 856520, 'government covid 19': 360001, '19 scam warning': 10353, 'feedingkindness': 302501, 'useful tip': 950197, 'tip shared': 898891, 'of housing': 584802, 'housing which': 407170, 'help other': 390204, 'other residential': 620834, 'residential housing': 714430, 'housing service': 407150, 'provider responding': 686773, 'an outdoor': 56735, 'outdoor supermarket': 628907, 'supermarket allowing': 818878, 'allowing resident': 46327, 'too often': 924978, 'supply feedingkindness': 825238, 'useful tip shared': 950200, 'tip shared by': 898892, 'shared by of': 755398, 'by of housing': 153392, 'of housing which': 584805, 'housing which may': 407171, 'which may help': 986138, 'may help other': 521270, 'help other residential': 390205, 'other residential housing': 620835, 'residential housing service': 714432, 'housing service provider': 407151, 'service provider responding': 752734, 'provider responding to': 686774, '19 is to': 8067, 'is to create': 453190, 'create an outdoor': 215607, 'an outdoor supermarket': 56736, 'outdoor supermarket allowing': 628908, 'supermarket allowing resident': 818879, 'allowing resident to': 46328, 'resident to social': 714386, 'and avoid going': 58569, 'going out too': 355398, 'out too often': 627723, 'too often for': 924979, 'often for supply': 596195, 'for supply feedingkindness': 326043, 'understocked': 940923, 'scary thing': 741197, 'thing israeli': 884492, 'are understocked': 91300, 'understocked there': 940924, 'poor corona': 664150, 'scary thing israeli': 741198, 'thing israeli grocery': 884493, 'store are understocked': 806533, 'are understocked there': 91301, 'understocked there is': 940925, 'is no fresh': 449932, 'and the food': 73383, 'the food is': 855564, 'food is old': 315140, 'chinese food is': 177263, 'food is hard': 315128, 'the poor corona': 863973, 'poor corona virus': 664151, '275m': 16350, 'uk travel': 938841, 'travel insurer': 930409, 'insurer have': 440879, 'been inundated': 121408, 'with claim': 997648, 'claim after': 179686, 'pandemic disrupted': 635308, 'disrupted 100': 246385, '100 00s': 1806, 'plan payouts': 658201, 'payouts are': 645798, 'reach 275m': 699872, '275m record': 16351, 'record figure': 704962, 'uk travel insurer': 938842, 'travel insurer have': 930410, 'insurer have been': 440880, 'have been inundated': 379584, 'been inundated with': 121409, 'inundated with claim': 443546, 'with claim after': 997649, 'claim after the': 179687, 'the pandemic disrupted': 862948, 'pandemic disrupted 100': 635309, 'disrupted 100 00s': 246386, '100 00s of': 1807, '00s of holiday': 709, 'of holiday plan': 584712, 'holiday plan payouts': 400347, 'plan payouts are': 658202, 'payouts are expected': 645799, 'expected to reach': 290995, 'to reach 275m': 912789, 'reach 275m record': 699873, '275m record figure': 16352, 'syndrome': 830995, 'is respiratory': 451467, 'respiratory depression': 715229, 'depression which': 237677, 'which sound': 986328, 'like aka': 489739, 'aka acute': 40471, 'acute respiratory': 31043, 'respiratory distress': 715235, 'distress syndrome': 247934, 'effect from hand': 269006, 'sanitizer is respiratory': 735207, 'is respiratory depression': 451468, 'respiratory depression which': 715230, 'depression which sound': 237678, 'which sound lot': 986329, 'lot like aka': 504083, 'like aka acute': 489740, 'aka acute respiratory': 40472, 'acute respiratory distress': 31044, 'respiratory distress syndrome': 715236, 'haller': 374369, 'today jennifer': 919749, 'jennifer haller': 465098, 'haller mother': 374374, 'two healthy': 936954, 'healthy child': 387558, 'child became': 176022, 'history to': 398067, 'test potential': 839133, 'vaccine we': 951794, 'owe him': 631816, 'the 44': 848117, '44 others': 19017, 'who engaged': 988698, 'human trial': 410649, 'trial debt': 931637, 'gratitude that': 362391, 'their courage': 872902, 'courage save': 211785, 'save many': 737570, 'many life': 514230, 'today jennifer haller': 919750, 'jennifer haller mother': 465100, 'haller mother of': 374375, 'of two healthy': 592541, 'two healthy child': 936955, 'healthy child became': 387559, 'child became the': 176023, 'became the first': 118891, 'person in history': 652482, 'in history to': 423759, 'history to test': 398068, 'to test potential': 916394, 'test potential covid': 839134, '19 vaccine we': 11726, 'vaccine we owe': 951795, 'we owe him': 972679, 'owe him and': 631817, 'him and the': 396543, 'and the 44': 73230, 'the 44 others': 848118, '44 others who': 19018, 'others who engaged': 621786, 'who engaged in': 988699, 'engaged in human': 276876, 'in human trial': 423907, 'human trial debt': 410650, 'trial debt of': 931638, 'of gratitude that': 584310, 'gratitude that their': 362392, 'that their courage': 846877, 'their courage save': 872903, 'courage save many': 211786, 'save many life': 737571, 'motivation': 543306, 'from neilson': 336560, 'neilson explores': 557310, 'explores consumer': 292524, 'consumer motivation': 198162, 'motivation to': 543313, 'technology enabled': 836285, 'enabled shopping': 275451, 'solution find': 782018, 'find detail': 306874, 'detail and': 239151, 'and highlight': 64563, 'highlight from': 395913, 'research from neilson': 713735, 'from neilson explores': 336561, 'neilson explores consumer': 557311, 'explores consumer motivation': 292525, 'consumer motivation to': 198164, 'motivation to turn': 543314, 'to turn to': 917850, 'turn to technology': 935795, 'to technology enabled': 916323, 'technology enabled shopping': 836286, 'enabled shopping solution': 275452, 'shopping solution find': 763941, 'solution find detail': 782019, 'find detail and': 306875, 'detail and highlight': 239152, 'and highlight from': 64565, 'highlight from the': 395914, 'from the article': 337603, 'the article on': 848937, 'article on our': 94409, 'sunshinecoastbc': 818449, 'on coast': 599961, 'coast reporter': 185113, 'reporter radio': 712629, 'radio we': 695466, 'we catch': 971109, 'with mp': 999583, 'mp and': 544237, 'spike because': 789264, '19 sunshinecoastbc': 10944, 'sunshinecoastbc news': 818450, 'news bcpoli': 560264, 'week on coast': 976665, 'on coast reporter': 599962, 'coast reporter radio': 185114, 'reporter radio we': 712630, 'radio we catch': 695467, 'we catch up': 971110, 'up with mp': 946663, 'with mp and': 999584, 'mp and check': 544238, 'and check in': 59782, 'in with local': 430945, 'with local food': 999279, 'bank demand spike': 109763, 'demand spike because': 236260, 'spike because of': 789266, 'covid 19 sunshinecoastbc': 213888, '19 sunshinecoastbc news': 10945, 'sunshinecoastbc news bcpoli': 818451, 'surprisingly rod': 828658, 'of economics': 582959, 'covid19 forcing': 214296, 'will decline': 993114, 'decline so': 231400, 'surprisingly rod sims': 828659, 'doesn understand the': 251987, 'understand the basic': 940745, 'the basic of': 849317, 'basic of economics': 112020, 'of economics profitability': 582962, 'with covid19 forcing': 997843, 'covid19 forcing people': 214297, 'turnover will decline': 936017, 'will decline so': 993116, 'decline so it': 231401, 'knockitoff': 476189, 've managed': 953365, 'for roughly': 325259, 'roughly day': 726287, 'now ve': 576292, 'when mum': 983744, 'mum needed': 545928, 'supply dropped': 825186, 'off understand': 594359, 'understand ppl': 940702, 'ppl need': 668283, 'but go': 145796, 'go le': 353794, 'le often': 483044, 'often only': 596243, 'buying knockitoff': 150628, 've managed to': 953366, 'managed to stay': 512512, 'indoors for roughly': 435401, 'for roughly day': 325260, 'roughly day now': 726288, 'day now ve': 228040, 'now ve only': 576295, 've only left': 953419, 'only left when': 610718, 'left when mum': 485729, 'when mum needed': 983745, 'mum needed supply': 545929, 'needed supply dropped': 556505, 'supply dropped off': 825187, 'dropped off understand': 260611, 'off understand ppl': 594360, 'understand ppl need': 940703, 'ppl need food': 668284, 'need food etc': 554795, 'food etc but': 314396, 'etc but go': 282447, 'but go le': 145797, 'go le often': 353795, 'le often only': 483046, 'often only get': 596244, 'only get essential': 610503, 'get essential what': 346955, 'essential what is': 281783, 'is it you': 449081, 'it you do': 462640, 'not understand about': 572316, 'understand about not': 940583, 'about not panic': 25817, 'panic buying knockitoff': 637786, 'ann': 76765, 'hui': 410327, 'kathryn': 471040, 'blaze': 132450, 'baum': 112895, 'symbolic': 830776, 'ann hui': 76766, 'hui and': 410328, 'and kathryn': 65746, 'kathryn blaze': 471041, 'blaze baum': 132451, 'baum the': 112896, 'become symbolic': 120153, 'symbolic of': 830777, 'anxiety are': 78662, 'are mostly': 88143, 'of larger': 585717, 'larger supply': 479909, 'problem major': 679599, 'ann hui and': 76767, 'hui and kathryn': 410329, 'and kathryn blaze': 65747, 'kathryn blaze baum': 471042, 'blaze baum the': 132452, 'baum the empty': 112897, 'store shelf that': 810103, 'shelf that have': 757642, 'that have become': 844196, 'have become symbolic': 379447, 'become symbolic of': 120154, 'symbolic of covid': 830778, '19 anxiety are': 5159, 'anxiety are mostly': 78663, 'are mostly due': 88145, 'buying and not': 149921, 'and not indicative': 67751, 'indicative of larger': 435038, 'of larger supply': 585718, 'larger supply problem': 479910, 'supply problem major': 825735, 'problem major retailer': 679600, 'major retailer and': 509440, 'retailer and expert': 718962, 'and expert say': 62507, 'hove': 407235, 'in brighton': 420981, 'brighton and': 139816, 'and hove': 64796, 'hove fear': 407236, 'fear supermarket': 301341, 'have lack': 381237, 'of adequate': 579782, 'adequate protection': 32174, 'protection during': 685407, 'shop worker and': 761080, 'and customer in': 60851, 'customer in brighton': 222491, 'in brighton and': 420982, 'brighton and hove': 139817, 'and hove fear': 64797, 'hove fear supermarket': 407237, 'fear supermarket worker': 301343, 'worker have lack': 1007087, 'have lack of': 381238, 'lack of adequate': 478604, 'of adequate protection': 579783, 'adequate protection during': 32175, 'protection during this': 685410, 'this crisis read': 887078, 'crisis read more': 217944, 'more by here': 538751, 'gun store': 368731, 'state say': 795919, 'say lot': 738901, 'scared that': 741013, 'break into': 138753, 'steal cash': 799172, 'cash their': 166342, 'paper their': 640884, 'their bottled': 872633, 'water their': 969200, 'gun store owner': 368736, 'store owner in': 809431, 'owner in washington': 632476, 'in washington state': 430712, 'washington state say': 967808, 'state say lot': 795920, 'say lot of': 738903, 'are scared that': 89853, 'scared that someone': 741014, 'that someone is': 846406, 'someone is going': 784528, 'going to break': 355543, 'to break into': 902003, 'break into their': 138754, 'into their home': 443195, 'home to steal': 402341, 'to steal cash': 915359, 'steal cash their': 799173, 'cash their toilet': 166343, 'toilet paper their': 921485, 'paper their bottled': 640885, 'their bottled water': 872634, 'bottled water their': 136378, 'water their food': 969201, 'devoid': 239986, 'also mean': 48528, 'these story': 880742, 'story are': 811908, 'are widely': 91634, 'widely accepted': 991779, 'accepted even': 28053, 'are devoid': 85808, 'devoid of': 239987, 'of logic': 585976, 'logic hard': 500653, 'hard fact': 377912, 'fact or': 295767, 'or simple': 617083, 'simple number': 770064, 'number it': 576900, 'matter even': 520555, 'despite global': 238747, 'falling people': 297310, 'still trust': 801337, 'trust him': 934264, 'that his': 844341, 'his brand': 397252, 'this also mean': 886287, 'also mean that': 48531, 'mean that these': 524688, 'that these story': 846919, 'these story are': 880744, 'story are widely': 811910, 'are widely accepted': 91635, 'widely accepted even': 991780, 'accepted even if': 28054, 'they are devoid': 881249, 'are devoid of': 85809, 'devoid of logic': 239988, 'of logic hard': 585977, 'logic hard fact': 500654, 'hard fact or': 377913, 'fact or simple': 295769, 'or simple number': 617084, 'simple number it': 770065, 'number it doesn': 576901, 'doesn matter even': 251881, 'matter even if': 520556, 'even if fuel': 284203, 'if fuel price': 414135, 'fuel price rise': 340250, 'price rise despite': 676232, 'rise despite global': 722826, 'despite global price': 238748, 'global price falling': 352137, 'price falling people': 673816, 'falling people will': 297311, 'people will still': 650414, 'will still trust': 994986, 'still trust him': 801338, 'trust him that': 934266, 'him that his': 396727, 'that his brand': 844342, 'twix': 936757, 'sir michael': 771606, 'michael day': 530232, 'enough non': 277527, 'last me': 480309, 'month maybe': 537851, 'maybe year': 521888, 'year day': 1014510, 'day 45': 227148, 'minute am': 533724, 'because wanted': 119786, 'wanted twix': 966285, 'twix britain': 936758, 'sir michael day': 771607, 'michael day have': 530233, 'day have stocked': 227736, 'on enough non': 600568, 'enough non perishable': 277528, 'non perishable food': 566454, 'perishable food and': 651970, 'to last me': 909068, 'last me for': 480311, 'me for month': 522752, 'for month maybe': 323528, 'month maybe year': 537852, 'maybe year day': 521889, 'year day 45': 1014511, 'day 45 minute': 227149, '45 minute am': 19115, 'minute am in': 533725, 'supermarket because wanted': 819339, 'because wanted twix': 119787, 'wanted twix britain': 966286, 'livingwage': 496495, 'trumpers': 934040, 'think unskilled': 885728, 'unskilled labor': 943485, 'labor like': 478421, 'clerk do': 181686, 'deserve livingwage': 238073, 'livingwage trumpers': 496498, 'still think unskilled': 801300, 'think unskilled labor': 885729, 'unskilled labor like': 943486, 'labor like grocery': 478422, 'store clerk do': 807001, 'clerk do not': 181687, 'not deserve livingwage': 569002, 'deserve livingwage trumpers': 238074, 'live it': 495903, 'an odd': 56552, 'odd time': 579194, 'much closed': 544790, 'rule popping': 727329, 'popping out': 664514, 'out most': 626586, 'most day': 542238, 'got consumer': 358497, 'consumer nz': 198229, 'nz along': 578174, 'question join': 693639, 'live it an': 495904, 'it an odd': 456477, 'an odd time': 56555, 'odd time for': 579195, 'for the shopping': 326682, 'the shopping public': 867072, 'shopping public with': 763699, 'public with much': 688490, 'with much closed': 999591, 'much closed and': 544791, 'closed and new': 182991, 'and new rule': 67558, 'new rule popping': 559526, 'rule popping out': 727330, 'popping out most': 664516, 'out most day': 626587, 'most day it': 542239, 'day it mean': 227852, 'mean there is': 524706, 'there is bit': 878532, 'is bit of': 446191, 'bit of confusion': 131637, 'of confusion about': 581669, 'confusion about consumer': 194373, 've got consumer': 953171, 'got consumer nz': 358499, 'consumer nz along': 198230, 'nz along to': 578175, 'along to help': 47035, 'help answer your': 389368, 'your question join': 1025500, 'question join the': 693640, 'support nh': 826676, 'nh specific': 562069, 'specific supermarket': 788256, 'please support nh': 660618, 'support nh specific': 826678, 'nh specific supermarket': 562070, 'specific supermarket shopping': 788257, 'hour for essential': 405601, 'for essential service': 321120, 'essential service worker': 281539, 'service worker during': 753093, 'worker during covid': 1006817, 'updated product': 947424, 'product limit': 681371, 'limit from': 492353, 'from stoppanicbuying': 337434, 'stophoarding auspol': 805354, 'updated product limit': 947425, 'product limit from': 681372, 'limit from stoppanicbuying': 492354, 'from stoppanicbuying stophoarding': 337435, 'stoppanicbuying stophoarding auspol': 805633, 'scam consumer': 740118, 'phishing scam consumer': 654833, 'scam consumer report': 740120, 'struggleisreal': 814415, 'piece out': 656356, 'emptyshelves struggleisreal': 275312, 'last piece out': 480452, 'piece out the': 656357, 'out the whole': 627441, 'whole supermarket but': 990346, 'supermarket but just': 819451, 'but just don': 146194, 'just don know': 468633, 'know how feel': 476438, 'feel about it': 302546, 'about it supermarket': 25595, 'supermarket emptyshelves struggleisreal': 820162, 'travel the': 930526, 'world scam': 1009953, 'artist are': 94590, 'behind in': 124643, 'cure chicago': 220717, 'chicago law': 175683, 'enforcement and': 276741, 'protection official': 685544, 'are expecting': 86326, 'expecting lot': 291043, 'of phishing': 588097, 'phishing message': 654825, 'message trying': 529468, 'or gain': 615414, 'gain access': 342747, '19 travel the': 11556, 'travel the world': 930528, 'the world scam': 871958, 'world scam artist': 1009954, 'scam artist are': 740056, 'artist are close': 94591, 'are close behind': 85324, 'close behind in': 182569, 'behind in addition': 124644, 'addition to fake': 31735, 'to fake cure': 905613, 'fake cure chicago': 296600, 'cure chicago law': 220718, 'chicago law enforcement': 175684, 'law enforcement and': 482266, 'enforcement and consumer': 276742, 'consumer protection official': 198548, 'protection official are': 685545, 'official are expecting': 595756, 'are expecting lot': 86328, 'expecting lot of': 291044, 'lot of phishing': 504248, 'of phishing message': 588099, 'phishing message trying': 654826, 'message trying to': 529469, 'information or gain': 437936, 'or gain access': 615415, 'gain access to': 342749, 'access to bank': 28219, 'to bank account': 901030, 'inside trading to': 439439, 'trading to care': 928946, 'that great': 844072, 'great but': 362545, 'be directly': 114468, 'hour significantly': 405934, 'significantly reduced': 769611, 'reduced or': 706129, 'consumer traffic': 199354, 'traffic at': 929054, 'at various': 101425, 'various job': 952612, 'be some': 117294, 'that great but': 844075, 'great but what': 362558, 'who will be': 989981, 'will be directly': 992429, 'be directly impacted': 114469, '19 those who': 11361, 'will see their': 994795, 'see their hour': 745905, 'their hour significantly': 873599, 'hour significantly reduced': 405935, 'significantly reduced or': 769612, 'reduced or laid': 706132, 'due to low': 261855, 'to low consumer': 909482, 'low consumer traffic': 505199, 'consumer traffic at': 199355, 'traffic at various': 929057, 'at various job': 101426, 'various job will': 952613, 'job will there': 466299, 'there be some': 878220, 'be some sort': 117299, 'sort of relief': 786139, 'of relief financial': 588915, 'relief financial assistance': 709329, 'financial assistance for': 306330, 'assistance for these': 96695, 'hello british': 389140, 'your back': 1022893, 'back follow': 106983, 'britain and': 140371, 'sure business': 827506, 'held to': 388938, 'to account': 899977, 'hello british consumer': 389141, 'british consumer we': 140510, 'consumer we ve': 199492, 'got your back': 359039, 'your back follow': 1022895, 'back follow for': 106984, 'follow for your': 312388, 'your daily update': 1023450, 'update on britain': 947107, 'on britain and': 599705, 'britain and make': 140373, 'make sure business': 510508, 'sure business are': 827507, 'business are held': 143370, 'are held to': 87081, 'held to account': 388939, 'to account for': 899979, 'account for how': 28667, 'for how they': 322422, 'how they treat': 408932, 'their staff during': 874793, 'dsnap': 261356, 'greatest hunger': 363280, 'hunger emergency': 411102, 'emergency in': 272755, 'in modern': 425387, 'modern american': 535373, 'american time': 52257, 'time via': 898190, 'via re': 956193, 're need': 699057, 'for dsnap': 320875, 'is the greatest': 452813, 'the greatest hunger': 856752, 'greatest hunger emergency': 363281, 'hunger emergency in': 411103, 'emergency in modern': 272756, 'in modern american': 425388, 'modern american time': 535374, 'american time via': 52258, 'time via re': 898191, 'via re need': 956194, 're need for': 699058, 'need for dsnap': 554834, 'driver postman': 259712, 'postman courier': 666724, 'courier who': 211828, 'all risking': 44201, 'need stepping': 555643, 'government turn': 360749, 'eye selfisolation': 294100, 'selfisolation stophoarding': 748496, 'shoutout to shop': 766814, 'to shop worker': 914504, 'shop worker nh': 761090, 'nh staff taxi': 562104, 'taxi driver postman': 835159, 'driver postman courier': 259713, 'postman courier who': 666725, 'courier who are': 211829, 'who are all': 988099, 'are all risking': 84342, 'all risking their': 44202, 'health to make': 386921, 'sure we re': 827809, 're getting what': 698738, 'getting what we': 349443, 'we need stepping': 972546, 'need stepping up': 555644, 'stepping up for': 799813, 'up for while': 944975, 'for while the': 327849, 'while the government': 987390, 'the government turn': 856616, 'government turn blind': 360750, 'blind eye selfisolation': 132690, 'eye selfisolation stophoarding': 294101, 'scam same': 740346, 'same one': 733189, 'if it scam': 414333, 'it scam same': 460901, 'scam same one': 740347, 'same one is': 733190, 'one is here': 606510, 'longer great': 501981, 'preserve food': 670700, 'store make it': 808853, 'make it last': 510042, 'it last longer': 459300, 'last longer great': 480302, 'longer great way': 501982, 'way to preserve': 970067, 'to preserve food': 912021, 'preserve food during': 670701, 'facebook health': 294937, 'seen on facebook': 747167, 'on facebook health': 600706, 'facebook health care': 294938, 'farce': 299007, 'obtuse': 578765, 'gasoline and': 344216, 'from farce': 335408, 'farce to': 299010, 'to tragedy': 917701, 'tragedy if': 929173, 'this brings': 886615, 'this regime': 889851, 'regime then': 707370, 'it obtuse': 459972, 'obtuse and': 578766, 'and obtuse': 67936, 'obtuse greedy': 578768, 'greedy policy': 363577, 'be seen': 117036, 'an example': 55903, 'gasoline and diesel': 344217, 'and diesel price': 61342, 'diesel price have': 241680, 'gone from farce': 356284, 'from farce to': 335409, 'farce to tragedy': 299011, 'to tragedy if': 917702, 'tragedy if this': 929174, 'if this brings': 415149, 'this brings down': 886616, 'brings down this': 140239, 'down this regime': 257344, 'this regime then': 889852, 'regime then it': 707371, 'then it obtuse': 877284, 'it obtuse and': 459973, 'obtuse and obtuse': 578767, 'and obtuse greedy': 67937, 'obtuse greedy policy': 578769, 'greedy policy on': 363578, 'policy on fuel': 663458, 'on fuel price': 601049, 'fuel price will': 340263, 'will be seen': 992667, 'be seen an': 117037, 'seen an example': 746929, 'quarantineonlineparty': 693055, 'give those': 350782, 'those kid': 892155, 'kid life': 474035, 'life sentence': 489032, 'produce this': 680464, 'for prank': 324675, 'prank or': 668940, 'going viral': 355804, 'viral quaratinelife': 957622, 'quaratinelife lockdown': 693128, 'lockdown quarantineonlineparty': 499831, 'give those kid': 350783, 'those kid life': 892156, 'kid life sentence': 474036, 'life sentence for': 489033, 'sentence for coughing': 750862, 'for coughing on': 320410, 'store produce this': 809669, 'produce this is': 680466, 'time for prank': 896742, 'for prank or': 324676, 'prank or going': 668941, 'or going viral': 615501, 'going viral quaratinelife': 355805, 'viral quaratinelife lockdown': 957623, 'quaratinelife lockdown quarantineonlineparty': 693129, 'continually panic': 200970, 'it wisely': 462460, 'wisely you': 996723, 'create greater': 215653, 'grow now': 367042, 'store excessive': 807670, 'excessive shopping': 289417, 'shopping reduces': 763732, 'reduces access': 706227, 'continually panic buying': 200971, 'buying after being': 149867, 'after being told': 35417, 'not to make': 572165, 'to make no': 909704, 'no sense for': 565459, 'sense for reason': 750519, 'reason you were': 703076, 'you were told': 1022260, 'it you will': 462654, 'run out if': 727758, 'if you use': 415548, 'you use it': 1022001, 'use it wisely': 949319, 'it wisely you': 462461, 'wisely you create': 996724, 'you create greater': 1018127, 'create greater chance': 215654, 'greater chance to': 363149, 'chance to grow': 171802, 'to grow now': 907033, 'grow now that': 367043, 'now that more': 576008, 'are in store': 87443, 'in store excessive': 428411, 'store excessive shopping': 807671, 'excessive shopping reduces': 289419, 'shopping reduces access': 763733, 'reduces access to': 706228, 'calderaarriba': 155374, 'athletics calderaarriba': 101785, 'open and offering': 612066, 'and offering takeout': 67991, 'offering takeout or': 595273, 'or delivery option': 614944, 'purdue athletics calderaarriba': 689948, 'usps': 950847, 'usps run': 950860, 'run net': 727713, 'net deficit': 557541, 'deficit annually': 232237, 'annually with': 77431, 'private competition': 678883, 'competition available': 191672, 'available the': 104618, 'been extremely': 121121, 'extremely profitable': 293917, 'profitable recently': 682926, 'recently and': 704043, 'have ran': 382157, 'ran large': 696504, 'large profit': 479756, '2020 due': 14282, 'someone rec': 784621, 'usps run net': 950861, 'run net deficit': 727714, 'net deficit annually': 557542, 'deficit annually with': 232238, 'annually with private': 77432, 'with private competition': 1000322, 'private competition available': 678884, 'competition available the': 191673, 'available the airline': 104619, 'the airline have': 848498, 'airline have been': 39961, 'have been extremely': 379533, 'been extremely profitable': 121122, 'extremely profitable recently': 293918, 'profitable recently and': 682927, 'recently and without': 704046, 'and without covid': 75789, '19 would have': 12211, 'would have ran': 1011888, 'have ran large': 382158, 'ran large profit': 696505, 'large profit in': 479757, 'profit in 2020': 682772, 'in 2020 due': 419832, '2020 due to': 14283, 'to low oil': 909488, 'oil price if': 597165, 'price if someone': 674619, 'if someone rec': 414859, 'reconstruction': 704890, 'end half': 275837, 'is shaping': 451829, 'great period': 362883, 'social reconstruction': 779922, 'reconstruction end': 704891, 'end 2nd': 275753, 'consumer relation': 198679, 'relation drastically': 708663, 'changed union': 172590, 'union def': 941879, 'def coming': 232013, 'in style': 428515, 'style maybe': 815614, 'capitalist will': 162829, 'will learn': 993967, 'learn their': 484073, 'their lesson': 873807, 'lesson about': 486463, 'loan no': 497481, 'the end half': 854301, 'end half of': 275838, 'half of 2020': 374216, '2020 is shaping': 14407, 'is shaping up': 451831, 'to be great': 901282, 'be great period': 115093, 'great period for': 362884, 'period for social': 651765, 'for social reconstruction': 325705, 'social reconstruction end': 779923, 'reconstruction end 2nd': 704892, 'end 2nd wave': 275754, '2nd wave of': 16813, 'wave of covid': 969370, '19 business consumer': 5480, 'business consumer relation': 143573, 'consumer relation drastically': 198680, 'relation drastically changed': 708664, 'drastically changed union': 258428, 'changed union def': 172591, 'union def coming': 941880, 'def coming back': 232014, 'coming back in': 188003, 'back in style': 107099, 'in style maybe': 428516, 'style maybe the': 815615, 'maybe the capitalist': 521828, 'the capitalist will': 850368, 'capitalist will learn': 162830, 'will learn their': 993970, 'learn their lesson': 484074, 'their lesson about': 873808, 'lesson about bad': 486464, 'about bad loan': 24842, 'bad loan no': 107931, 'murdering': 546173, 'sneezed when': 776299, 'and swear': 72922, 'people stopped': 649660, 'stopped and': 805678, 'were planning': 979979, 'planning on': 658563, 'on murdering': 602253, 'murdering me': 546176, 'me felt': 522723, 'infected zombie': 436676, 'zombie and': 1027686, 'shoot me': 759735, 'head it': 385758, 'just an': 468180, 'unexpected sneeze': 941381, 'sneeze healthy': 776244, 'sneezed when wa': 776300, 'supermarket and swear': 819076, 'and swear people': 72925, 'swear people stopped': 830039, 'people stopped and': 649661, 'stopped and looked': 805679, 'looked at me': 502709, 'at me like': 99709, 'me like they': 523085, 'like they were': 491460, 'they were planning': 883794, 'were planning on': 979980, 'planning on murdering': 658568, 'on murdering me': 602254, 'murdering me felt': 546177, 'me felt like': 522724, 'felt like they': 303416, 'like they thought': 491456, 'thought wa an': 893289, 'wa an infected': 961533, 'an infected zombie': 56303, 'infected zombie and': 436677, 'zombie and wanted': 1027687, 'wanted to shoot': 966272, 'to shoot me': 914441, 'shoot me in': 759736, 'in the head': 429259, 'the head it': 857165, 'head it wa': 385759, 'wa just an': 962451, 'just an unexpected': 468184, 'an unexpected sneeze': 56854, 'unexpected sneeze healthy': 941382, 'sneeze healthy person': 776245, 'right payment': 722223, 'payment tech': 645747, 'tech to': 836163, 'handle an': 376163, 'an influx': 56317, 'of shelter': 589586, 'home shopper': 402056, 'shopper amid': 761348, 'store have the': 808104, 'the right payment': 865817, 'right payment tech': 722224, 'payment tech to': 645748, 'tech to handle': 836164, 'to handle an': 907124, 'handle an influx': 376164, 'an influx of': 56320, 'influx of shelter': 437393, 'of shelter at': 589587, 'at home shopper': 99104, 'home shopper amid': 402057, 'shopper amid the': 761349, 'am ashamed': 49902, 'ashamed and': 95040, 'and sickened': 71643, 'sickened by': 768701, 'the greed': 856759, 'greed of': 363414, 'and spice': 72103, 'spice urge': 789220, 'remember their': 710325, 'not shop': 571558, 'again once': 37097, 'over price': 630518, 'rise greed': 722864, 'greed 19': 363355, '19 indian': 7820, 'indian bangladesh': 434779, 'bangladesh pakistani': 109504, 'am ashamed and': 49903, 'ashamed and sickened': 95043, 'and sickened by': 71644, 'sickened by the': 768702, 'by the greed': 154341, 'the greed of': 856761, 'greed of our': 363416, 'our community that': 622484, 'community that increase': 190155, 'that increase the': 844495, 'price of meat': 675501, 'of meat vegetable': 586378, 'meat vegetable and': 525791, 'vegetable and spice': 953930, 'and spice urge': 72104, 'spice urge everyone': 789221, 'everyone to remember': 287501, 'to remember their': 913189, 'remember their behavior': 710326, 'behavior and not': 123897, 'and not shop': 67770, 'not shop at': 571559, 'shop at these': 759960, 'at these store': 101208, 'these store again': 880732, 'store again once': 806092, 'again once this': 37098, 'once this pandemic': 605755, 'is over price': 450722, 'over price rise': 630523, 'price rise greed': 676238, 'rise greed 19': 722865, 'greed 19 indian': 363356, '19 indian bangladesh': 7821, 'indian bangladesh pakistani': 434780, 'president announcement': 670764, 'announcement practise': 77190, 'practise social': 668773, 'distancing whenever': 247638, 'whenever possible': 984670, 'possible example': 665642, 'example use': 288997, 'shop ask': 759931, 'manager where': 512828, 'where hand': 984906, 'dispenser are': 246137, 'they cleaning': 881760, 'president announcement practise': 670765, 'announcement practise social': 77191, 'practise social distancing': 668774, 'social distancing whenever': 779766, 'distancing whenever possible': 247639, 'whenever possible example': 984672, 'possible example use': 665643, 'example use online': 288998, 'shopping to avoid': 764166, 'the shop ask': 866980, 'shop ask the': 759932, 'ask the manager': 95636, 'the manager where': 860004, 'manager where hand': 512829, 'where hand sanitizer': 984907, 'sanitizer dispenser are': 734764, 'dispenser are and': 246138, 'are and why': 84553, 'and why aren': 75622, 'aren they cleaning': 92562, 'they cleaning surface': 881761, 'should you need': 766681, 'head out to': 385805, 'buy grocery supermarket': 148759, 'grocery supermarket remain': 366002, 'remain open just': 709815, 'open just remember': 612349, 'just remember to': 469608, 'distancing and proper': 246990, 'and proper hygiene': 69628, 'felt 10x': 303354, '10x more': 2409, 'ever felt': 285302, 'pub touch': 687793, 'touch screen': 926528, 'screen check': 742686, 'sanitiser busy': 733935, 'busy isle': 144924, 'isle using': 454391, 'using trolley': 950776, 'basket used': 112413, 'by other': 153465, 'people surely': 649703, 'surely something': 827931, 'that 19': 842441, 'felt 10x more': 303355, '10x more at': 2410, 'risk in the': 723629, 'supermarket than have': 823161, 'than have ever': 840730, 'have ever felt': 380490, 'ever felt in': 285303, 'felt in the': 303401, 'the pub touch': 864778, 'pub touch screen': 687794, 'touch screen check': 926529, 'screen check out': 742687, 'check out with': 174590, 'out with no': 627870, 'hand sanitiser busy': 375224, 'sanitiser busy isle': 733936, 'busy isle using': 144925, 'isle using trolley': 454392, 'using trolley and': 950777, 'and basket used': 58736, 'basket used by': 112414, 'used by other': 949879, 'by other people': 153466, 'other people surely': 620687, 'people surely something': 649704, 'surely something need': 827932, 'done about that': 254756, 'about that 19': 26318, 'here tip': 393698, 'tip if': 898820, 'you insist': 1019354, 'and queuing': 69875, 'up place': 945772, 'trolley between': 932385, 'that nice': 845344, 'nice distance': 562388, 'least put': 484612, 'put yourself': 690996, 'least risk': 484618, 'risk socialdistance': 723889, 'here tip if': 393700, 'tip if you': 898821, 'if you insist': 415457, 'you insist on': 1019355, 'insist on going': 439695, 'on going to': 601137, 'supermarket and queuing': 819046, 'and queuing up': 69877, 'queuing up place': 694243, 'up place the': 945773, 'place the length': 657724, 'the trolley between': 870007, 'trolley between you': 932386, 'and the person': 73513, 'the person in': 863586, 'you that nice': 1021572, 'that nice distance': 845346, 'nice distance so': 562389, 'distance so you': 246831, 'so you at': 778832, 'you at least': 1017336, 'at least put': 99538, 'least put yourself': 484613, 'put yourself at': 690997, 'yourself at least': 1026537, 'at least risk': 99540, 'least risk socialdistance': 484619, 'the passover': 863336, 'passover and': 643429, 'bread bean': 138425, 'rice aisle': 720985, 'are clean': 85293, 'out even': 626021, 'even saw': 284544, 'saw black': 738072, 'black couple': 132042, 'couple wearing': 211701, 'get some stuff': 348075, 'some stuff for': 783982, 'stuff for the': 815072, 'for the passover': 326613, 'the passover and': 863337, 'passover and the': 643431, 'and the bread': 73264, 'the bread bean': 849960, 'bread bean and': 138426, 'bean and rice': 118291, 'and rice aisle': 70501, 'rice aisle are': 720986, 'aisle are clean': 40205, 'are clean out': 85294, 'clean out even': 180606, 'out even saw': 626022, 'even saw black': 284545, 'saw black couple': 738073, 'black couple wearing': 132043, 'couple wearing mask': 211702, 'people did': 647640, 'did this': 240875, 'what animal': 981042, 'animal supermarket': 76664, 'kind of people': 474926, 'of people did': 587895, 'people did this': 647644, 'did this what': 240881, 'this what animal': 891345, 'what animal supermarket': 981044, 'trooper': 932553, 'particular corona': 642605, 'virus time': 958917, 'great excuse': 362663, 'wear our': 974438, 'our halloween': 623341, 'halloween costume': 374394, 'costume wish': 208375, 'wish had': 996766, 'had storm': 373567, 'storm trooper': 811855, 'trooper one': 932556, 'this particular corona': 889486, 'particular corona virus': 642606, 'corona virus time': 204366, 'virus time is': 958918, 'is great excuse': 448195, 'great excuse to': 362664, 'excuse to wear': 289791, 'to wear our': 918438, 'wear our halloween': 974439, 'our halloween costume': 623342, 'halloween costume wish': 374395, 'costume wish had': 208376, 'wish had storm': 996768, 'had storm trooper': 373569, 'storm trooper one': 811856, 'trooper one to': 932557, 'one to wear': 607290, 'to wear to': 918447, 'wear to the': 974488, 'jumped 186': 467917, '186 over': 4656, 'else doe': 271673, 'latest data': 481287, 'show ecommerce': 766927, 'ecommerce retail': 266842, 'grocery sale have': 364933, 'sale have jumped': 732268, 'have jumped 186': 381190, 'jumped 186 over': 467918, '186 over the': 4657, 'to the what': 917188, 'the what else': 871416, 'what else doe': 981408, 'else doe our': 271674, 'doe our latest': 251544, 'our latest data': 623658, 'latest data show': 481291, 'data show ecommerce': 226407, 'show ecommerce retail': 766928, 'donnie work grocery': 255150, 'work grocery worker': 1005221, 'sync': 830974, 'these vendor': 880929, 'vendor always': 954337, 'in sync': 428786, 'sync with': 830979, 'with hiking': 998821, 'price maybe': 675207, 'group where': 366965, 'like ok': 490910, 'ok from': 597801, 'from 4pm': 334300, 'start selling': 794485, 'selling cup': 749208, 'cup of': 220452, 'garri for': 343714, '100 price': 2050, 'are crazy': 85609, 'crazy right': 215401, 'now lockdownextension': 575242, 'how are these': 407417, 'are these vendor': 90983, 'these vendor always': 880930, 'vendor always in': 954338, 'always in sync': 49632, 'in sync with': 428787, 'sync with hiking': 830980, 'with hiking price': 998822, 'hiking price maybe': 396400, 'price maybe they': 675208, 'maybe they have': 521845, 'they have whatsapp': 882402, 'whatsapp group where': 982894, 'group where they': 366966, 'where they be': 985272, 'they be like': 881534, 'be like ok': 115741, 'like ok from': 490911, 'ok from 4pm': 597802, 'from 4pm today': 334301, '4pm today let': 19509, 'today let start': 919799, 'let start selling': 487072, 'start selling cup': 794486, 'selling cup of': 749209, 'cup of garri': 220455, 'of garri for': 584043, 'garri for 100': 343715, 'for 100 price': 318630, '100 price are': 2051, 'price are crazy': 672648, 'are crazy right': 85612, 'crazy right now': 215402, 'right now lockdownextension': 722098, 'wwd': 1013661, 'impacting fashion': 418222, 'fashion beauty': 299793, 'beauty and': 118738, 'retail wwd': 718913, 'how coronavirus covid': 407610, 'is impacting fashion': 448704, 'impacting fashion beauty': 418223, 'fashion beauty and': 299794, 'beauty and retail': 118741, 'and retail wwd': 70450, 'eyeglass': 294137, 'you venturing': 1022074, 'venturing to': 954703, 'any environment': 79187, 'environment where': 279172, '19 even': 6854, 'just local': 469180, 'park wear': 642023, 'wear eyeglass': 974313, 'eyeglass or': 294138, 'sunglass our': 818378, 'expert advise': 291762, 'are you venturing': 91878, 'you venturing to': 1022075, 'venturing to the': 954704, 'or any environment': 614341, 'any environment where': 79188, 'environment where you': 279173, 'where you might': 985395, 'might be exposed': 530894, 'to the that': 917122, 'covid 19 even': 213045, '19 even just': 6855, 'even just local': 284267, 'just local park': 469181, 'local park wear': 498256, 'park wear eyeglass': 642024, 'wear eyeglass or': 974314, 'eyeglass or sunglass': 294139, 'or sunglass our': 617270, 'sunglass our expert': 818379, 'our expert advise': 622954, 'abyss': 27740, 'refers': 706536, 'probable': 679191, 'mov': 543591, 'the abyss': 848271, 'abyss in': 27741, 'the shape': 866784, 'shape refers': 754846, 'refers to': 706539, 'negative effect': 556763, 'go any': 353295, 'soon probable': 785802, 'probable then': 679192, 'such expected': 816482, 'expected recovery': 290926, 'recovery consumer': 705306, 'consumption may': 199906, 'spike but': 789269, 'but permanent': 146782, 'we mov': 972393, 'the abyss in': 848272, 'abyss in the': 27742, 'in the shape': 429541, 'the shape refers': 866785, 'shape refers to': 754847, 'refers to negative': 706540, 'to negative effect': 910524, 'negative effect of': 556764, 'effect of which': 269071, 'of which may': 593108, 'which may mean': 986139, 'may mean that': 521343, 'mean that if': 524678, 'that if it': 844418, 'it doesn go': 457631, 'doesn go any': 251810, 'go any time': 353296, 'time soon probable': 897720, 'soon probable then': 785803, 'probable then there': 679193, 'be no such': 116110, 'no such expected': 565606, 'such expected recovery': 816483, 'expected recovery consumer': 290927, 'recovery consumer consumption': 705307, 'consumer consumption may': 196962, 'consumption may spike': 199907, 'may spike but': 521520, 'spike but permanent': 789270, 'but permanent change': 146783, 'permanent change to': 652039, 'how we mov': 409182, 'simmons': 769952, 'simmons still': 769954, 'still plenty': 801044, 'of sandpaper': 589268, 'sandpaper available': 733713, 'depot toiletpaper': 237551, 'simmons still plenty': 769955, 'still plenty of': 801045, 'plenty of sandpaper': 660975, 'of sandpaper available': 589269, 'sandpaper available at': 733714, 'at home depot': 98971, 'home depot toiletpaper': 401068, 'depot toiletpaper 19': 237552, 'itv news': 464013, 'itv news coronavirus': 464014, 'news coronavirus how': 560338, 'comforting news': 187905, 'news if': 560521, 'it canadian': 457040, 'comforting news if': 187906, 'news if you': 560523, 'you believe it': 1017448, 'believe it canadian': 126300, 'it canadian do': 457041, 'certainty': 170198, 'massive cancellation': 519977, 'delay that': 232749, 'that passenger': 845666, 'passenger and': 643319, 'facing we': 295654, 'provide legal': 686375, 'legal certainty': 485849, 'certainty to': 170199, 'passenger right': 643341, 'right find': 721897, 'find more': 307067, 'the massive cancellation': 860262, 'massive cancellation and': 519978, 'cancellation and delay': 161004, 'and delay that': 61070, 'delay that passenger': 232751, 'that passenger and': 845667, 'passenger and transport': 643321, 'and transport operator': 74383, 'transport operator are': 929918, 'operator are facing': 613348, 'are facing we': 86441, 'facing we want': 295655, 'to provide legal': 912409, 'provide legal certainty': 686376, 'legal certainty to': 485850, 'certainty to passenger': 170200, 'to passenger right': 911492, 'passenger right find': 643342, 'right find more': 721898, 'find more information': 307068, 'more information here': 539586, 'hmart': 398652, 'long on': 501536, 'to japanese': 908652, 'japanese one': 464798, 'one no': 606719, 'line quarantinelife': 493366, 'quarantinelife newyorklockdown': 692980, 'newyorklockdown newyork': 561223, 'newyork pandemic': 561202, 'pandemic hmart': 635647, 'supermarket line are': 821323, 'are long on': 87871, 'long on the': 501537, 'on the weekend': 604444, 'the weekend so': 871336, 'weekend so went': 977409, 'went to japanese': 979165, 'to japanese one': 908653, 'japanese one no': 464799, 'one no line': 606720, 'no line quarantinelife': 564610, 'line quarantinelife newyorklockdown': 493367, 'quarantinelife newyorklockdown newyork': 692981, 'newyorklockdown newyork pandemic': 561224, 'newyork pandemic hmart': 561203, 'stephanie': 799723, 'meier': 527874, 'pacheco': 632973, 'client alert': 181985, 'alert stephanie': 41505, 'stephanie meier': 799724, 'meier craig': 527875, 'craig pacheco': 214808, 'pacheco and': 632974, 'and prepared': 69367, 'for california': 319876, 'california brewery': 155470, 'brewery distillery': 139438, 'distillery restaurant': 247802, 'and winery': 75722, 'winery looking': 995958, 'offer direct': 594584, 'consumer delivery': 197104, 'delivery drinklocal': 233882, 'drinklocal supportlocal': 258957, 'here the client': 393643, 'the client alert': 851014, 'client alert stephanie': 181986, 'alert stephanie meier': 41506, 'stephanie meier craig': 799725, 'meier craig pacheco': 527876, 'craig pacheco and': 214809, 'pacheco and prepared': 632975, 'and prepared for': 69368, 'prepared for california': 670191, 'for california brewery': 319877, 'california brewery distillery': 155471, 'brewery distillery restaurant': 139439, 'distillery restaurant and': 247803, 'restaurant and winery': 716304, 'and winery looking': 75723, 'winery looking to': 995959, 'looking to offer': 503037, 'to offer direct': 910830, 'offer direct to': 594585, 'to consumer delivery': 903287, 'consumer delivery drinklocal': 197105, 'delivery drinklocal supportlocal': 233883, 'housingcrisis': 407172, '64 rise': 21317, 'in rental': 427388, 'rental property': 711271, 'property across': 684230, 'across dublin': 29312, 'dublin in': 261512, 'crisis according': 216974, 'property website': 684369, 'website landlord': 975333, 'landlord start': 479365, 'start withdrawing': 794652, 'withdrawing their': 1002271, 'rental from': 711227, 'from short': 337279, 'term listing': 838195, 'listing site': 494880, 'like airbnb': 489733, 'airbnb and': 39814, 'offering them': 595287, 'instead housingcrisis': 440206, 'housingcrisis coronacrisis': 407173, '64 rise in': 21318, 'rise in rental': 722906, 'in rental property': 427389, 'rental property across': 711272, 'property across dublin': 684231, 'across dublin in': 29313, 'dublin in midst': 261513, 'midst of crisis': 530782, 'of crisis according': 582147, 'crisis according to': 216975, 'according to property': 28576, 'to property website': 912273, 'property website landlord': 684370, 'website landlord start': 975334, 'landlord start withdrawing': 479366, 'start withdrawing their': 794653, 'withdrawing their rental': 1002272, 'their rental from': 874551, 'rental from short': 711228, 'from short term': 337280, 'short term listing': 764743, 'term listing site': 838196, 'listing site like': 494881, 'site like airbnb': 771972, 'like airbnb and': 489734, 'airbnb and are': 39815, 'and are offering': 58336, 'are offering them': 88681, 'offering them into': 595288, 'them into the': 875940, 'the market instead': 860124, 'market instead housingcrisis': 516600, 'instead housingcrisis coronacrisis': 440207, 'bersesak': 127417, 'kat': 471005, 'hancur': 374712, 'panic bersesak': 637405, 'bersesak kat': 127418, 'kat supermarket': 471006, 'distancing hancur': 247190, 'hancur covid': 374713, 'case risen': 165994, 'panic bersesak kat': 637406, 'bersesak kat supermarket': 127419, 'kat supermarket social': 471007, 'supermarket social distancing': 822751, 'social distancing hancur': 779627, 'distancing hancur covid': 247191, 'hancur covid 19': 374714, '19 case risen': 5699, 'hajj': 374083, 'umrah': 939257, 'tera': 838032, 'kya': 478077, 'hoga': 399840, 'kaalia': 470572, 'arabia crude': 83874, 'crashed no': 215078, 'people traveling': 650005, 'traveling for': 930642, 'for hajj': 322094, 'hajj or': 374084, 'or umrah': 617582, 'umrah uae': 939259, 'uae oil': 937768, 'no tourism': 565781, 'tourism amp': 926960, 'retail ab': 717794, 'ab tera': 24188, 'tera kya': 838033, 'kya hoga': 478078, 'hoga kaalia': 399841, 'saudi arabia crude': 737191, 'arabia crude oil': 83875, 'oil price crashed': 597093, 'price crashed no': 673333, 'crashed no people': 215079, 'no people traveling': 565095, 'people traveling for': 650006, 'traveling for hajj': 930644, 'for hajj or': 322095, 'hajj or umrah': 374085, 'or umrah uae': 617583, 'umrah uae oil': 939260, 'uae oil price': 937770, 'crashed no tourism': 215080, 'no tourism amp': 565782, 'tourism amp retail': 926962, 'amp retail ab': 54405, 'retail ab tera': 717795, 'ab tera kya': 24189, 'tera kya hoga': 838034, 'kya hoga kaalia': 478079, 'unreasonable': 943309, 'update price': 947180, 'gouging unreasonable': 359491, 'unreasonable and': 943310, 'and arbitrary': 58288, 'arbitrary increase': 84021, 'and certain': 59694, 'certain medication': 170052, 'medication panic': 526672, 'on account': 599151, 'update price gouging': 947181, 'price gouging unreasonable': 674339, 'gouging unreasonable and': 359492, 'unreasonable and arbitrary': 943311, 'and arbitrary increase': 58289, 'arbitrary increase in': 84022, 'product and certain': 680877, 'and certain medication': 59695, 'certain medication panic': 170053, 'medication panic buying': 526673, 'buying on account': 150807, 'on account of': 599152, 'account of coronavirus': 28727, 'edged': 268522, 'halifax report': 374321, 'report uk': 712401, 'price flat': 673893, 'march after': 515258, 'after rising': 36130, 'rising over': 723251, 'over previous': 630516, 'previous four': 671977, 'month annual': 537588, 'annual increase': 77402, 'increase edged': 432756, 'edged back': 268523, 'after dip': 35565, 'dip to': 243211, 'february from': 301718, 'from 23': 334247, '23 month': 15412, 'month high': 537770, 'january housing': 464665, 'now effectively': 574587, 'effectively at': 269337, 'at standstill': 100631, 'standstill due': 793849, 'halifax report uk': 374322, 'report uk house': 712402, 'house price flat': 406483, 'price flat month': 673894, 'in march after': 425075, 'march after rising': 515259, 'after rising over': 36131, 'rising over previous': 723252, 'over previous four': 630517, 'previous four month': 671978, 'four month annual': 330630, 'month annual increase': 537589, 'annual increase edged': 77403, 'increase edged back': 432757, 'edged back up': 268524, 'back up to': 107434, 'up to after': 946356, 'to after dip': 900169, 'after dip to': 35566, 'dip to in': 243213, 'to in february': 908221, 'in february from': 422844, 'february from 23': 301719, 'from 23 month': 334248, '23 month high': 15413, 'month high of': 537771, 'high of in': 395192, 'of in january': 585030, 'in january housing': 424360, 'january housing market': 464666, 'housing market now': 407107, 'market now effectively': 516766, 'now effectively at': 574588, 'effectively at standstill': 269338, 'at standstill due': 100632, 'standstill due to': 793850, 'littlehelp': 495668, 'vent': 954491, 'sixfeetaway': 772726, 'wegotthiswa': 977654, 'need littlehelp': 555165, 'littlehelp sometimes': 495669, 'sometimes especially': 785197, 'of hoarded': 584685, 'hoarded too': 398972, 'guilty need': 368560, 'need someone': 555604, 'to vent': 918134, 'vent to': 954494, 'from sixfeetaway': 337307, 'sixfeetaway send': 772727, 'send message': 749900, 'on mayo': 602060, 'mayo helping': 521923, 'other got': 620309, 'got little': 358673, 'bit easier': 131560, 'easier wegotthiswa': 265169, 'everyone need littlehelp': 287205, 'need littlehelp sometimes': 555166, 'littlehelp sometimes especially': 495670, 'sometimes especially in': 785198, 'time of hoarded': 897339, 'of hoarded too': 584687, 'hoarded too much': 398973, 'too much toiletpaper': 924951, 'much toiletpaper and': 545400, 'toiletpaper and feel': 921719, 'and feel guilty': 62776, 'feel guilty need': 302661, 'guilty need someone': 368561, 'need someone to': 555605, 'someone to vent': 784711, 'to vent to': 918136, 'vent to from': 954495, 'to from sixfeetaway': 906266, 'from sixfeetaway send': 337308, 'sixfeetaway send message': 772728, 'send message on': 749903, 'message on mayo': 529380, 'on mayo helping': 602061, 'mayo helping each': 521924, 'each other got': 264179, 'other got little': 620310, 'got little bit': 358674, 'little bit easier': 495254, 'bit easier wegotthiswa': 131561, 'and over in': 68559, 'over in the': 630317, '19 read on': 9976, 'anyone read': 80480, 'read or': 700492, 'or heard': 615618, 'heard if': 388089, 'can linger': 158880, 'linger on': 493695, 'cash just': 166264, 'left supermarket': 485652, 'where got': 984892, 'thought entered': 893031, 'entered my': 278366, 'ha anyone read': 369588, 'anyone read or': 80481, 'read or heard': 700493, 'or heard if': 615619, 'heard if can': 388090, 'if can linger': 413929, 'can linger on': 158883, 'linger on cash': 493696, 'on cash just': 599843, 'cash just left': 166265, 'just left supermarket': 469129, 'left supermarket where': 485654, 'supermarket where got': 823819, 'where got some': 984894, 'got some cash': 358848, 'some cash back': 782495, 'cash back and': 166172, 'back and the': 106865, 'and the thought': 73613, 'the thought entered': 869498, 'thought entered my': 893032, 'entered my mind': 278367, 'this2020': 891625, 'ridiculous this': 721622, 'post is': 666177, 'paper it': 640374, 'amazing that': 50798, 'even now': 284410, 'tp all': 927730, 'our nearby': 623991, 'nearby store': 553682, 'empty so': 275127, 'drive couple': 259020, 'couple town': 211697, 'town over': 927535, 'toiletpaper this2020': 922612, 'ridiculous this post': 721623, 'this post is': 889675, 'post is we': 666180, 'is we found': 453802, 'we found some': 971592, 'found some toilet': 330382, 'toilet paper it': 921327, 'paper it amazing': 640375, 'it amazing that': 456452, 'amazing that even': 50799, 'that even now': 843739, 'even now people': 284412, 'are still hoarding': 90435, 'still hoarding the': 800714, 'hoarding the tp': 399590, 'the tp all': 869837, 'tp all our': 927731, 'all our nearby': 43818, 'our nearby store': 623992, 'nearby store are': 553683, 'store are completely': 806466, 'are completely empty': 85468, 'completely empty so': 192282, 'empty so we': 275132, 'so we had': 778669, 'had to drive': 373687, 'to drive couple': 904731, 'drive couple town': 259021, 'couple town over': 211698, 'town over to': 927536, 'over to find': 630833, 'find some toiletpaper': 307233, 'some toiletpaper this2020': 784094, 'of priority': 588439, 'for elderly': 320985, 'not convinced': 568871, 'convinced of': 202667, 'the wisdom': 871626, 'wisdom of': 996657, 'of inviting': 585286, 'inviting the': 444294, 'group most': 366771, 'at same': 100460, 'time group': 896874, 'it justsaying': 459259, 'so this supermarket': 778502, 'this supermarket plan': 890434, 'supermarket plan of': 821997, 'plan of priority': 658188, 'of priority shopping': 588441, 'time for elderly': 896703, 'for elderly and': 320987, 'nh staff not': 562099, 'staff not convinced': 792683, 'not convinced of': 568872, 'convinced of the': 202668, 'of the wisdom': 591622, 'the wisdom of': 871627, 'wisdom of inviting': 996658, 'of inviting the': 585287, 'inviting the group': 444295, 'the group most': 856865, 'group most likely': 366773, 'been in contact': 121339, 'contact with virus': 200297, 'with virus to': 1001990, 'virus to shop': 958926, 'shop at same': 759954, 'at same time': 100461, 'same time group': 733357, 'time group most': 896875, 'group most vulnerable': 366774, 'vulnerable to it': 961223, 'to it justsaying': 908591, 'twitter will': 936741, 'now remove': 575673, 'remove false': 710820, 'claim news': 179765, 'story and': 811903, 'and racist': 69897, 'racist joke': 695318, 'joke about': 467043, 'twitter will now': 936742, 'will now remove': 994302, 'now remove false': 575675, 'remove false claim': 710821, 'false claim news': 297410, 'claim news story': 179768, 'news story and': 560832, 'story and racist': 811906, 'and racist joke': 69898, 'racist joke about': 695319, 'have quarantine': 382123, 'time help': 896911, 'do during': 249242, 'and lucky': 66479, 'say welcome': 739463, 'and we do': 75290, 'not have quarantine': 569860, 'have quarantine time': 382125, 'quarantine time help': 692632, 'time help you': 896914, 'help you all': 390950, 'you all get': 1016878, 'all get your': 42917, 'get your food': 348704, 'your food people': 1023923, 'food people come': 315831, 'people come up': 647496, 'to me and': 909916, 'me and say': 522424, 'and say thank': 71007, 'you for what': 1018684, 'you do during': 1018249, 'do during time': 249248, 'this and lucky': 886336, 'and lucky enough': 66480, 'enough to be': 277688, 'able to say': 24538, 'to say welcome': 913851, 'lifeinthetimeofcorona': 489289, 'like lifeinthetimeofcorona': 490642, 'supermarket like lifeinthetimeofcorona': 821315, 'transfering': 929542, 'in pittsburgh': 426710, 'pittsburgh the': 657045, 'chain giant': 170735, 'eagle need': 264375, 'need work': 556235, 'work guess': 1005222, 'doing working': 252872, 'together transfering': 921013, 'transfering the': 929543, 'here in pittsburgh': 393177, 'in pittsburgh the': 426711, 'pittsburgh the big': 657046, 'store chain giant': 806918, 'chain giant eagle': 170736, 'giant eagle need': 349768, 'eagle need more': 264376, 'need more employee': 555256, 'more employee restaurant': 539125, 'employee restaurant employee': 274149, 'restaurant employee need': 716443, 'employee need work': 274052, 'need work guess': 556237, 'work guess what': 1005223, 'guess what they': 368089, 're doing working': 698555, 'doing working together': 252873, 'working together transfering': 1009011, 'together transfering the': 921014, 'transfering the restaurant': 929544, 'the restaurant staff': 865659, 'restaurant staff to': 716709, 'staff to work': 793004, 'how we take': 409194, 'video thread': 956925, 'thread of': 893579, 'chinese intentionally': 177283, 'intentionally spreading': 441176, 'the wtf': 872114, 'people australia': 647195, 'australia infected': 103305, 'infected woman': 436672, 'supermarket spitting': 822795, 'caught day': 167414, 'day later': 227878, 'video thread of': 956926, 'thread of chinese': 893581, 'of chinese intentionally': 581377, 'chinese intentionally spreading': 177284, 'intentionally spreading the': 441178, 'spreading the wtf': 791061, 'the wtf is': 872115, 'these people australia': 880425, 'people australia infected': 647196, 'australia infected woman': 103306, 'infected woman in': 436673, 'woman in supermarket': 1003522, 'in supermarket spitting': 428674, 'supermarket spitting on': 822796, 'spitting on food': 789598, 'on food who': 600930, 'food who wa': 317609, 'who wa caught': 989903, 'wa caught day': 961793, 'caught day later': 167415, 'day later in': 227881, 'later in same': 481077, 'in same store': 427679, 'jessyelevators': 465267, 'tescoklong4': 838866, 'schindlerelevator': 741612, 'this elevator': 887355, 'elevator wa': 271385, 'wa filmed': 962121, 'filmed during': 305720, 'this place': 889597, 'ha supermarket': 372115, 'and red': 70080, 'red footprint': 705581, 'footprint can': 318572, 'it jessyelevators': 459194, 'jessyelevators tescoklong4': 465268, 'tescoklong4 schindlerelevator': 838867, 'this elevator wa': 887356, 'elevator wa filmed': 271386, 'wa filmed during': 962122, 'filmed during covid': 305721, '19 because this': 5337, 'because this place': 119741, 'this place ha': 889598, 'place ha supermarket': 657475, 'ha supermarket do': 372116, 'you see my': 1021051, 'see my finger': 745453, 'my finger and': 548323, 'finger and red': 307788, 'and red footprint': 70082, 'red footprint can': 705582, 'footprint can do': 318573, 'do it and': 249461, 'it and you': 456525, 'and you must': 76035, 'must do it': 546629, 'do it jessyelevators': 249486, 'it jessyelevators tescoklong4': 459195, 'jessyelevators tescoklong4 schindlerelevator': 465269, 'bureaucratic': 142821, 'paperwork': 641182, 'bank increase': 109936, 'increase bureaucratic': 432698, 'bureaucratic paperwork': 142823, 'paperwork often': 641183, 'often slows': 596274, 'slows supply': 774642, 'chain break': 170555, 'break it': 138757, 'food bank increase': 313589, 'bank increase bureaucratic': 109937, 'increase bureaucratic paperwork': 432699, 'bureaucratic paperwork often': 142824, 'paperwork often slows': 641184, 'often slows supply': 596275, 'slows supply chain': 774643, 'supply chain break': 824918, 'chain break it': 170556, 'break it down': 138758, 'thismorning if': 891661, 'chain why': 171235, 'profiteering with': 683108, 'product all': 680844, 'at top': 101343, 'top price': 925670, 'price believe': 672902, 'believe waitrose': 126402, 'waitrose always': 964438, 'always pricey': 49692, 'pricey are': 677905, 'low offender': 505439, 'offender but': 594468, 'the sainsbury': 866166, 'sainsbury and': 731642, 'tesco are': 838664, 'really coining': 702061, 'thismorning if there': 891662, 'if there plenty': 415074, 'supply chain why': 825063, 'chain why the': 171237, 'why the profiteering': 991431, 'the profiteering with': 864634, 'profiteering with product': 683109, 'with product all': 1000328, 'product all at': 680845, 'all at top': 42082, 'at top price': 101344, 'top price believe': 925671, 'price believe waitrose': 672903, 'believe waitrose always': 126403, 'waitrose always pricey': 964439, 'always pricey are': 49693, 'pricey are low': 677906, 'are low offender': 87932, 'low offender but': 505440, 'offender but the': 594469, 'but the sainsbury': 147403, 'the sainsbury and': 866167, 'sainsbury and tesco': 731643, 'and tesco are': 73128, 'tesco are really': 838665, 'are really coining': 89472, 'really coining it': 702062, 'coining it in': 185690, 'cashback website': 166406, 'website apps': 975210, 'these cashback website': 879725, 'cashback website apps': 166407, 'propertynews': 684391, 'plummet coronavirus': 661265, 'cause thousand': 167775, 'loss property': 503770, 'property propertynews': 684351, 'housing price plummet': 407137, 'price plummet coronavirus': 675899, 'plummet coronavirus pandemic': 661266, 'coronavirus pandemic cause': 206443, 'pandemic cause thousand': 635107, 'cause thousand of': 167776, 'of job loss': 585535, 'job loss property': 465984, 'loss property propertynews': 503771, 'canteen': 162355, 'scho': 741655, 'cant are': 162266, 'operating canteen': 613061, 'canteen is': 162358, 'joke if': 467094, 're off': 699154, 'against your': 37753, 'your absence': 1022726, 'absence record': 27196, 'record will': 705081, 'paid if': 634033, 'kid there': 474128, 'this factory': 887501, 'factory than': 295999, 'any pub': 79708, 'pub supermarket': 687769, 'or scho': 616979, 'cant are still': 162267, 'still operating canteen': 800993, 'operating canteen is': 613062, 'canteen is joke': 162360, 'is joke if': 449108, 'joke if you': 467096, 'you re off': 1020687, 're off due': 699155, '19 it still': 8152, 'it still go': 461251, 'still go against': 800573, 'go against your': 353255, 'against your absence': 37754, 'your absence record': 1022727, 'absence record will': 27197, 'record will not': 705082, 'get paid if': 347767, 'paid if you': 634034, 're home with': 698827, 'the kid there': 858795, 'kid there more': 474129, 'more people in': 540025, 'in this factory': 429946, 'this factory than': 887502, 'factory than any': 296000, 'than any pub': 840351, 'any pub supermarket': 79709, 'pub supermarket or': 687770, 'supermarket or scho': 821832, 'iraq collapse': 444759, 'in iraq collapse': 424152, 'iraq collapse of': 444760, 'this caledonia': 886668, 'caledonia supermarket': 155385, 'open an': 612044, 'this caledonia supermarket': 886669, 'caledonia supermarket open': 155386, 'supermarket open an': 821777, 'open an hour': 612045, 'hour early just': 405566, 'early just for': 264630, 'just for senior': 468758, 'for senior during': 325460, 'senior during covid': 750282, 'sephora say': 751141, '17 through': 4392, 'april full': 83609, 'sephora say that': 751142, 'say that it': 739242, 'canada and the': 160360, 'and the from': 73387, 'the from march': 855832, 'from march 17': 336345, 'march 17 through': 515099, '17 through april': 4393, 'through april full': 894338, 'april full list': 83610, 'list of closure': 494419, 'gold extend': 355886, 'extend gain': 293106, 'gain report': 342819, 'report slowing': 712260, 'slowing number': 774564, 'gold extend gain': 355887, 'extend gain report': 293107, 'gain report slowing': 342820, 'report slowing number': 712261, 'slowing number of': 774565, 'number of new': 576965, 'of new covid': 586960, 'effect india': 269017, 'india property': 434576, 'face steep': 294774, 'effect india property': 269018, 'india property price': 434577, 'property price likely': 684333, 'likely to face': 492151, 'to face steep': 905574, 'face steep decline': 294775, 'vit': 959663, 'enriched': 277826, 'guin': 368576, 'guy self': 369137, 'isolating have': 455106, 'plenty hay': 660927, 'hay vit': 384515, 'vit enriched': 959664, 'enriched dry': 277827, 'impossible due': 419370, 'to hi': 907724, 'hi demand': 394622, 'is fresh': 447932, 'veg 100': 953707, '100 vital': 2119, 'vital health': 959694, 'health wise': 386960, 'wise for': 996677, 'for pig': 324555, 'pig got': 656443, 'got stuff': 358873, 'now guin': 574836, 'hi guy self': 394660, 'guy self isolating': 369138, 'self isolating have': 747727, 'isolating have plenty': 455107, 'have plenty hay': 381966, 'plenty hay vit': 660928, 'hay vit enriched': 384516, 'vit enriched dry': 959665, 'enriched dry food': 277828, 'dry food but': 261263, 'food but supermarket': 313832, 'but supermarket home': 147220, 'home delivery is': 401025, 'delivery is impossible': 234139, 'is impossible due': 448743, 'impossible due to': 419371, 'due to hi': 261807, 'to hi demand': 907725, 'hi demand is': 394623, 'demand is fresh': 235726, 'is fresh veg': 447933, 'fresh veg 100': 333093, 'veg 100 vital': 953708, '100 vital health': 2121, 'vital health wise': 959695, 'health wise for': 386961, 'wise for pig': 996679, 'for pig got': 324556, 'pig got stuff': 656444, 'got stuff in': 358874, 'the fridge for': 855814, 'fridge for now': 333394, 'for now guin': 323970, 'quantify': 691892, 'identifying': 413385, 'to quantify': 912632, 'quantify the': 691893, 'exact magnitude': 288697, 'of containment': 581814, 'on activity': 599160, 'two approach': 936783, 'approach identifying': 82953, 'identifying the': 413392, 'the category': 850527, 'category of': 167195, 'spending most': 788920, 'most directly': 542253, 'directly affected': 243526, 'difficult to quantify': 242345, 'to quantify the': 912633, 'quantify the exact': 691894, 'the exact magnitude': 854656, 'exact magnitude of': 288698, 'impact of containment': 417758, 'of containment measure': 581815, 'containment measure on': 200605, 'measure on activity': 525279, 'on activity the': 599161, 'activity the take': 30511, 'the take two': 869128, 'take two approach': 832759, 'two approach identifying': 936784, 'approach identifying the': 82954, 'identifying the sector': 413393, 'the sector and': 866612, 'sector and the': 744090, 'and the category': 73274, 'the category of': 850529, 'category of consumer': 167196, 'of consumer spending': 581773, 'consumer spending most': 199077, 'spending most directly': 788921, 'most directly affected': 542254, 'gwinnett': 369286, 'replenishes': 711678, 'photo salvation': 655238, 'army gwinnett': 93004, 'gwinnett county': 369289, 'county corp': 211346, 'corp replenishes': 207213, 'replenishes food': 711679, 'pantry covid': 639557, 'photo salvation army': 655239, 'salvation army gwinnett': 732902, 'army gwinnett county': 93005, 'gwinnett county corp': 369290, 'county corp replenishes': 211347, 'corp replenishes food': 207214, 'replenishes food pantry': 711680, 'food pantry covid': 315772, 'pantry covid 19': 639558, '19 increase demand': 7809, 'staff fed': 792444, 'social shopper': 779962, 'who flout': 988749, 'flout pandemic': 311210, 'pandemic rule': 636372, 'store staff fed': 810315, 'staff fed up': 792445, 'up with social': 946682, 'with social shopper': 1000819, 'social shopper who': 779963, 'shopper who flout': 761827, 'who flout pandemic': 988750, 'flout pandemic rule': 311211, 'the hilarious': 857374, 'hilarious grocery': 396437, 'aren buying': 92348, 'the hilarious grocery': 857375, 'hilarious grocery store': 396438, 'store item people': 808604, 'item people aren': 463552, 'people aren buying': 647121, 'aren buying via': 92351, 'deliverwho': 233605, 'next image': 561407, 'image in': 416635, 'my deliverwho': 547975, 'deliverwho series': 233606, 'series the': 751305, 'the project': 864645, 'project think': 683544, 'changing work': 172843, 'one feel': 606285, 'feel appropriate': 302566, 'appropriate for': 83035, 'socialdistancing photography': 780598, 'next image in': 561408, 'image in my': 416636, 'in my deliverwho': 425562, 'my deliverwho series': 547976, 'deliverwho series the': 233608, 'series the project': 751306, 'the project think': 864650, 'project think about': 683545, 'about how online': 25458, 'how online life': 408444, 'online life is': 608488, 'life is changing': 488804, 'is changing work': 446484, 'changing work and': 172844, 'work and shopping': 1004805, 'and shopping this': 71554, 'shopping this one': 764132, 'this one feel': 889237, 'one feel appropriate': 606286, 'feel appropriate for': 302567, 'appropriate for now': 83036, 'for now socialdistancing': 323983, 'now socialdistancing photography': 575858, 'taken your': 833130, 'your eco': 1023614, 'eco bottle': 266653, 'bottle consider': 136208, 'donating one': 254488, 'worker veterinary': 1008100, 'veterinary staff': 955747, 'etc show': 282750, 'show them': 767231, 'them some': 876302, 'have you already': 383652, 'you already taken': 1016942, 'already taken your': 47705, 'taken your eco': 833131, 'your eco bottle': 1023615, 'eco bottle consider': 266654, 'bottle consider donating': 136209, 'consider donating one': 194985, 'donating one to': 254490, 'one to those': 607287, 'to those working': 917533, '19 medical staff': 8618, 'staff supermarket delivery': 792903, 'supermarket delivery worker': 819941, 'delivery worker veterinary': 234780, 'worker veterinary staff': 1008101, 'veterinary staff etc': 955748, 'staff etc show': 792422, 'etc show them': 282751, 'show them some': 767232, 'them some love': 876303, 'srvc': 791625, 'public trans': 688391, 'trans is': 929419, 'afford car': 34685, 'car get': 163106, 'store taxi': 810510, 'taxi or': 835168, 'or car': 614666, 'car srvc': 163290, 'if public trans': 414700, 'public trans is': 688392, 'trans is shut': 929420, 'is shut down': 451902, 'shut down because': 767807, 'of how do': 584820, 'how do people': 407722, 'do people who': 249977, 'cannot afford car': 161598, 'afford car get': 34686, 'car get to': 163107, 'get to doctor': 348464, 'to doctor appointment': 904603, 'appointment or the': 82679, 'or the grocery': 617375, 'grocery store taxi': 365838, 'store taxi or': 810511, 'taxi or car': 835169, 'or car srvc': 614668, 'still cannot find': 800338, 'cannot find bog': 161834, 'saa': 728967, 'gauteng': 344581, 'talking mtn': 834021, 'mtn slashing': 544636, 'slashing data': 773659, '19 saa': 10280, 'saa suspending': 728969, 'all regional': 44137, 'regional amp': 707490, 'amp international': 54009, 'international operation': 441836, 'operation gauteng': 613190, 'gauteng department': 344582, 'health obtaining': 386678, 'obtaining court': 578755, 'court order': 212005, 'order prevent': 618522, 'prevent church': 671591, 'gathering stream': 344510, 'in to with': 430144, 'to with we': 918646, 'with we re': 1002042, 're talking mtn': 699665, 'talking mtn slashing': 834022, 'mtn slashing data': 544637, 'slashing data price': 773660, 'data price 19': 226350, 'price 19 saa': 672117, '19 saa suspending': 10281, 'saa suspending all': 728970, 'suspending all regional': 829648, 'all regional amp': 44138, 'regional amp international': 707491, 'amp international operation': 54010, 'international operation gauteng': 441837, 'operation gauteng department': 613191, 'gauteng department of': 344583, 'of health obtaining': 584512, 'health obtaining court': 386679, 'obtaining court order': 578756, 'court order prevent': 212006, 'order prevent church': 618523, 'prevent church gathering': 671592, 'church gathering stream': 178367, 'how supermarket': 408762, 'supermarket mall': 821445, 'facility can': 295315, 'next from': 561379, 'the kenya': 858744, 'kenya update': 472947, 'update open': 947145, 'and county': 60645, 'county government': 211392, 'and here how': 64528, 'here how supermarket': 393111, 'how supermarket mall': 408766, 'supermarket mall and': 821446, 'mall and other': 511738, 'and other shopping': 68403, 'shopping facility can': 762626, 'facility can help': 295316, 'can help manage': 158635, 'help manage the': 390043, 'manage the spread': 512446, 'spread of next': 790689, 'of next from': 587003, 'next from the': 561380, 'from the kenya': 337763, 'the kenya update': 858748, 'kenya update open': 472948, 'update open air': 947146, 'air market and': 39758, 'market and county': 515958, 'and county government': 60646, 'amharic': 52362, 'vietnamese': 957050, 'scam price': 740313, 'and discrimination': 61420, 'discrimination during': 244806, 'during check': 262498, 'for dc': 320595, 'multiple language': 545758, 'language amharic': 479480, 'amharic chinese': 52363, 'chinese french': 177265, 'french korean': 332736, 'korean spanish': 477532, 'spanish vietnamese': 787422, 'vietnamese read': 957053, 'question about your': 693510, 'about your right': 27011, 'right and how': 721754, 'to report scam': 913284, 'report scam price': 712236, 'scam price gouging': 740314, 'gouging and discrimination': 359245, 'and discrimination during': 61421, 'discrimination during check': 244807, 'during check out': 262499, 'out our consumer': 626970, 'our consumer alert': 622518, 'alert for dc': 41415, 'for dc resident': 320596, 'dc resident in': 228970, 'resident in multiple': 714317, 'in multiple language': 425507, 'multiple language amharic': 545759, 'language amharic chinese': 479481, 'amharic chinese french': 52364, 'chinese french korean': 177266, 'french korean spanish': 332737, 'korean spanish vietnamese': 477533, 'spanish vietnamese read': 787423, 'vietnamese read the': 957054, 'read the alert': 700568, 'food understand': 317391, 'buying creates': 150162, 'creates more': 215951, 'anxiety including': 78726, 'other including': 620413, 'including store': 432167, 'together the': 920973, 'result is': 717557, 'better 19': 128170, 'of food understand': 583808, 'food understand that': 317392, 'are afraid but': 84262, 'afraid but panic': 34975, 'but panic buying': 146748, 'panic buying creates': 637694, 'buying creates more': 150163, 'creates more anxiety': 215952, 'more anxiety including': 538624, 'anxiety including for': 78727, 'including for others': 431970, 'for others who': 324207, 'others who cannot': 621785, 'what they really': 982414, 'really need be': 702429, 'need be kind': 554524, 'kind to each': 475006, 'each other including': 264185, 'other including store': 620415, 'including store staff': 432168, 'store staff if': 810318, 'staff if we': 792541, 'if we work': 415326, 'we work together': 973950, 'work together the': 1005918, 'together the result': 920977, 'the result is': 865695, 'result is much': 717558, 'is much better': 449762, 'much better 19': 544753, 'notable': 572642, 'newmr': 560128, 'research with': 713882, 'impact show': 417960, 'soon become': 785654, 'some notable': 783367, 'notable takeaway': 572651, 'takeaway for': 832861, 'and cpg': 60674, 'new press': 559336, 'release mrx': 708968, 'mrx newmr': 544487, 'ongoing research with': 607681, 'research with on': 713883, 'with on impact': 999874, 'on impact show': 601505, 'impact show the': 417961, 'show the emergence': 767205, 'emergence of new': 272574, 'of new behavior': 586953, 'new behavior that': 558391, 'behavior that will': 124228, 'will soon become': 994891, 'soon become the': 785655, 'new normal we': 559178, 'normal we share': 567397, 'we share some': 973227, 'share some notable': 755215, 'some notable takeaway': 783368, 'notable takeaway for': 572652, 'takeaway for retail': 832863, 'for retail and': 325188, 'retail and cpg': 717817, 'and cpg company': 60675, 'cpg company in': 214593, 'company in this': 190773, 'this new press': 889122, 'new press release': 559337, 'press release mrx': 671078, 'release mrx newmr': 708969, 'upsers': 947791, 'during challenging': 262496, 'time continue': 896508, 'do best': 249127, 'keep upsers': 472185, 'upsers amp': 947792, 'we worked': 973954, 'worked hard': 1006115, 'obtain glove': 578731, 'amp cleaning': 53531, 'll replenish': 496974, 'replenish operation': 711644, 'operation this': 613274, 'week proud': 976774, 'our driver': 622809, 'amp operator': 54231, 'during challenging time': 262497, 'challenging time continue': 171633, 'time continue to': 896509, 'we do best': 971326, 'do best to': 249130, 'help keep upsers': 389978, 'keep upsers amp': 472186, 'upsers amp others': 947793, 'amp others safe': 54255, 'others safe we': 621626, 'safe we worked': 730121, 'we worked hard': 973955, 'worked hard to': 1006117, 'to obtain glove': 910799, 'obtain glove hand': 578732, 'sanitizer amp cleaning': 734363, 'amp cleaning supply': 53532, 'cleaning supply we': 181089, 'supply we ll': 826078, 'we ll replenish': 972273, 'll replenish operation': 496975, 'replenish operation this': 711645, 'operation this week': 613275, 'this week proud': 891252, 'week proud of': 976775, 'proud of amp': 686024, 'of amp thank': 580096, 'amp thank our': 54634, 'thank our driver': 841618, 'our driver amp': 622810, 'driver amp operator': 259402, 'santizing': 736643, 'my respect': 549932, 'brother brian': 141041, 'brian and': 139556, 'are tirelessly': 91100, 'tirelessly deep': 899076, 'and santizing': 70919, 'santizing nursing': 736644, 'home hse': 401389, 'hse building': 409724, 'building etc': 142077, 'etc all': 282392, 'to pay my': 911544, 'pay my respect': 645009, 'my respect to': 549934, 'respect to my': 715081, 'to my brother': 910378, 'my brother brian': 547553, 'brother brian and': 141042, 'brian and all': 139557, 'who are tirelessly': 988243, 'are tirelessly deep': 91101, 'tirelessly deep cleaning': 899077, 'deep cleaning and': 231860, 'cleaning and santizing': 180900, 'and santizing nursing': 70920, 'santizing nursing home': 736645, 'nursing home hse': 577617, 'home hse building': 401390, 'hse building etc': 409725, 'building etc all': 142079, 'etc all around': 282393, 'all around the': 42065, 'the country in': 852099, 'country in order': 210778, 'order to help': 618686, 'to help save': 907616, 'fake miracle': 296663, 'cure shopping': 220804, 'shopping thief': 764122, 'thief door': 884006, 'door service': 255707, 'service robocalls': 752774, 'robocalls official': 724769, 'official looking': 595851, 'looking phishing': 502987, 'impostor scam': 419422, 'rise learn': 722928, 'lookout for covid': 503081, '19 scam fake': 10339, 'scam fake miracle': 740157, 'fake miracle cure': 296664, 'miracle cure shopping': 533921, 'cure shopping thief': 220805, 'shopping thief door': 764123, 'thief door to': 884007, 'to door service': 904672, 'door service robocalls': 255708, 'service robocalls official': 752775, 'robocalls official looking': 724770, 'official looking phishing': 595852, 'looking phishing email': 502988, 'phishing email and': 654814, 'email and government': 272111, 'and government impostor': 63883, 'government impostor scam': 360215, 'impostor scam are': 419423, 'scam are all': 740035, 'are all on': 84330, 'the rise learn': 865856, 'rise learn more': 722929, 'mack': 507442, 'cik': 178505, 'anne': 76794, 'akka': 40540, 'stan': 793457, 'nurse medical': 577419, 'worker mack': 1007339, 'mack cik': 507443, 'cik pak': 178508, 'pak cik': 634402, 'cik anne': 178506, 'anne and': 76795, 'and akka': 57817, 'akka for': 40541, 'all unsung': 45325, 'we stan': 973359, 'stan malaysian': 793460, 'malaysian malaysialockdown': 511663, 'doctor nurse medical': 251025, 'nurse medical staff': 577420, 'medical staff grocery': 526396, 'store worker mack': 811539, 'worker mack cik': 1007340, 'mack cik pak': 507444, 'cik pak cik': 178509, 'pak cik anne': 634403, 'cik anne and': 178507, 'anne and akka': 76796, 'and akka for': 57818, 'akka for staying': 40542, 'for staying in': 325889, 'fight for they': 304749, 'for they are': 326987, 'are at work': 84689, 'at work so': 101616, 'work so that': 1005742, 'can be at': 157586, 'at home thank': 99136, 'to all unsung': 900299, 'all unsung hero': 45326, 'unsung hero we': 943565, 'hero we stan': 394154, 'we stan malaysian': 973360, 'stan malaysian malaysialockdown': 793461, 'acting responsible': 29896, 'responsible company': 716016, 'important guideline': 418816, 'guideline related': 368461, 'while delivering': 986741, 'glad to observe': 351529, 'to observe that': 910795, 'observe that online': 578597, 'platform like are': 658998, 'like are acting': 489827, 'are acting responsible': 84193, 'acting responsible company': 29898, 'responsible company by': 716017, 'company by following': 190510, 'following the important': 312888, 'the important guideline': 857979, 'important guideline related': 418817, 'guideline related to': 368462, '19 while delivering': 12046, 'while delivering package': 986742, 'delivering package to': 233538, 'package to customer': 633428, 'delusional': 234839, 'invoking': 444323, 'brazil health': 138335, 'official confirm': 595786, 'confirm first': 194093, 'first indigenous': 308726, 'indigenous coronavirus': 435082, 'case amazon': 165612, 'amazon chief': 50896, 'chief bezos': 175907, 'bezos say': 129285, 'say donating': 738592, 'donating 100': 254413, '100 food': 1897, 'food charity': 313921, 'charity covid': 173600, 'pandemic trump': 636847, 'trump campaign': 933461, 'campaign demand': 157214, 'demand jeff': 235765, 'jeff session': 465015, 'session campaign': 753273, 'campaign end': 157216, 'end delusional': 275805, 'delusional invoking': 234840, 'invoking tie': 444326, 'tie president': 895743, 'president turkey': 670955, 'brazil health official': 138336, 'health official confirm': 386702, 'official confirm first': 595787, 'confirm first indigenous': 194094, 'first indigenous coronavirus': 308727, 'indigenous coronavirus case': 435083, 'coronavirus case amazon': 205613, 'case amazon chief': 165613, 'amazon chief bezos': 50897, 'chief bezos say': 175908, 'bezos say donating': 129286, 'say donating 100': 738593, 'donating 100 food': 254414, '100 food charity': 1898, 'food charity covid': 313922, 'charity covid 19': 173601, '19 pandemic trump': 9508, 'pandemic trump campaign': 636848, 'trump campaign demand': 933463, 'campaign demand jeff': 157215, 'demand jeff session': 235766, 'jeff session campaign': 465016, 'session campaign end': 753274, 'campaign end delusional': 157217, 'end delusional invoking': 275806, 'delusional invoking tie': 234841, 'invoking tie president': 444327, 'tie president turkey': 895744, 'stop speculation': 805045, 'speculation during': 788358, 'terrible time': 838446, 'time one': 897404, 'been marketing': 121519, 'marketing antibacterial': 517526, 'day obviously': 228044, 'that uk is': 847163, 'uk is doing': 938481, 'is doing nothing': 447284, 'to stop speculation': 915576, 'stop speculation during': 805046, 'speculation during this': 788359, 'during this terrible': 263323, 'this terrible time': 890491, 'terrible time one': 838447, 'time one example': 897405, 'one example among': 606257, 'among many who': 53023, 'many who have': 514877, 'have been marketing': 379606, 'been marketing antibacterial': 121520, 'marketing antibacterial and': 517527, 'price for day': 673950, 'for day obviously': 320579, 'day obviously profit': 228045, 'something did': 784884, 'did covid': 240584, '19 fuck': 7151, 'fuck over': 339626, 'over nintendo': 630431, 'miss something did': 534186, 'something did covid': 784885, 'did covid 19': 240585, 'covid 19 fuck': 213129, '19 fuck over': 7152, 'fuck over nintendo': 339627, 'over nintendo price': 630432, 'nintendo price too': 563321, 'aimsinternational': 39598, 'globalconsumerpractice': 352302, 'findandgrowleaders': 307418, 'partner from': 642819, 'from aim': 334421, 'aim international': 39534, 'international still': 441855, 'still connecting': 800393, 'connecting amidst': 194684, 'crisis nine': 217761, 'nine of': 563293, 'different country': 241927, 'country connect': 210551, 'develop the': 239663, 'the aim': 848474, 'aim global': 39530, 'practice all': 668521, 'all by': 42265, 'the click': 851010, 'click of': 181927, 'of mouse': 586684, 'mouse aimsinternational': 543470, 'aimsinternational globalconsumerpractice': 39599, 'globalconsumerpractice findandgrowleaders': 352303, 'partner from aim': 642820, 'from aim international': 334422, 'aim international still': 39535, 'international still connecting': 441856, 'still connecting amidst': 800394, 'connecting amidst the': 194685, '19 crisis nine': 6289, 'crisis nine of': 217762, 'nine of our': 563294, 'of our partner': 587531, 'our partner from': 624278, 'partner from different': 642821, 'from different country': 335143, 'different country connect': 241929, 'country connect to': 210552, 'connect to develop': 194628, 'to develop the': 904251, 'develop the aim': 239664, 'the aim global': 848475, 'aim global consumer': 39531, 'global consumer practice': 351806, 'consumer practice all': 198399, 'practice all by': 668522, 'all by the': 42267, 'by the click': 154285, 'the click of': 851012, 'click of mouse': 181928, 'of mouse aimsinternational': 586685, 'mouse aimsinternational globalconsumerpractice': 543471, 'aimsinternational globalconsumerpractice findandgrowleaders': 39600, 'vanished': 952419, 'cnb': 184712, 'bokakhat': 134076, 'sanitizers vanished': 736434, 'vanished from': 952420, 'chemist shop': 175444, 'shop people': 760660, 'people resorted': 649288, 'the cnb': 851096, 'cnb science': 184713, 'science college': 742092, 'college bokakhat': 186603, 'bokakhat chemistry': 134077, 'chemistry dept': 175467, 'dept ha': 237734, 'developed hand': 239706, 'sanitizer per': 735543, 'per world': 651082, 'organization who': 619444, 'who specification': 989647, 'specification corona': 788297, 'hand sanitizers vanished': 375728, 'sanitizers vanished from': 736435, 'vanished from chemist': 952421, 'from chemist shop': 334838, 'chemist shop people': 175445, 'shop people resorted': 760661, 'people resorted to': 649289, 'resorted to panic': 714686, 'outbreak the cnb': 628705, 'the cnb science': 851097, 'cnb science college': 184714, 'science college bokakhat': 742093, 'college bokakhat chemistry': 186604, 'bokakhat chemistry dept': 134078, 'chemistry dept ha': 175468, 'dept ha developed': 237735, 'ha developed hand': 370371, 'developed hand sanitizer': 239707, 'hand sanitizer per': 375533, 'sanitizer per world': 735545, 'per world health': 651083, 'health organization who': 386727, 'organization who specification': 619446, 'who specification corona': 989648, 'tackle keep american': 831579, 'quilted': 694732, 'hi evan': 394631, 'evan we': 283741, 'assure you': 97100, 'our suggested': 624992, 'commerce price': 188616, 'for quilted': 324921, 'quilted northern': 694735, 'northern product': 567771, 'we became': 970827, 'became aware': 118857, 'hi evan we': 394632, 'evan we want': 283742, 'want to assure': 965989, 'to assure you': 900798, 'assure you that': 97104, 'that our suggested': 845596, 'our suggested retail': 624993, 'retail price and': 718405, 'price and commerce': 672380, 'and commerce price': 60134, 'commerce price for': 188618, 'price for quilted': 674034, 'for quilted northern': 324922, 'quilted northern product': 694736, 'northern product have': 567772, 'product have not': 681255, 'have not changed': 381679, 'not changed since': 568733, 'changed since we': 172551, 'since we became': 770976, 'we became aware': 970828, 'became aware of': 118858, '19 thanks for': 11142, 'thanks for reaching': 842073, 'ecb': 266599, 'market fall': 516375, 'back despite': 106951, 'despite ecb': 238725, 'ecb and': 266602, 'reserve coronavirus': 714048, 'stock market fall': 802396, 'market fall back': 516377, 'fall back despite': 296850, 'back despite ecb': 106952, 'despite ecb and': 238727, 'ecb and federal': 266603, 'and federal reserve': 62760, 'federal reserve coronavirus': 302041, 'reserve coronavirus 19': 714049, 'coronavirus 19 corona': 205434, 'on biofuel': 599648, 'biofuel production': 131209, 'price mu': 675285, 'mu webinar': 544661, 'impact on biofuel': 417825, 'on biofuel production': 599649, 'biofuel production and': 131210, 'and price mu': 69463, 'price mu webinar': 675286, 'all age': 41967, 'age can': 37805, 'support senior': 826807, '19 know': 8250, 'what medication': 981866, 'medication your': 526701, 'taking and': 833272, 'have extra': 380539, 'hand monitor': 375087, 'monitor food': 537283, 'supply stock': 825903, 'food safer': 316262, 'people of all': 648907, 'of all age': 579919, 'all age can': 41968, 'age can support': 37806, 'can support senior': 159862, 'support senior during': 826808, 'senior during this': 750284, 'covid 19 know': 213325, '19 know what': 8251, 'know what medication': 476965, 'what medication your': 981867, 'medication your loved': 526702, 'one is taking': 606524, 'is taking and': 452534, 'taking and have': 833273, 'and have extra': 64240, 'have extra on': 380542, 'extra on hand': 293594, 'on hand monitor': 601232, 'hand monitor food': 375088, 'monitor food and': 537285, 'other medical supply': 620526, 'medical supply stock': 526459, 'supply stock up': 825906, 'up on non': 945600, 'on non perishable': 602424, 'perishable food safer': 651975, 'hey borisjohnson': 394335, 'borisjohnson in': 135527, 'it crime': 457404, 'crime to': 216805, 'sell product': 748850, 'price sure': 676715, 'stop bulk': 804516, 'hey borisjohnson in': 394336, 'borisjohnson in these': 135528, 'tough time how': 926854, 'time how about': 896953, 'how about making': 407290, 'about making it': 25691, 'making it crime': 511136, 'it crime to': 457405, 'crime to sell': 216806, 'to sell product': 914169, 'sell product at': 748851, 'product at inflated': 680975, 'inflated price sure': 437071, 'price sure that': 676716, 'sure that would': 827704, 'would stop bulk': 1012275, 'stop bulk buy': 804517, 'but refuse': 146907, 'that hole': 844360, 'hole that': 400235, 'fulfill my': 340410, 'order someone': 618592, 'retail being': 717884, 'being forced': 125165, '19 doing': 6619, 'doing just': 252506, 'that urging': 847206, 'urging if': 948428, 'tempted to do': 837743, 'shopping but refuse': 762254, 'but refuse to': 146908, 'refuse to be': 707030, 'be that hole': 117579, 'that hole that': 844361, 'hole that put': 400237, 'that put people': 845913, 'put people life': 690771, 'people life at': 648633, 'risk to fulfill': 723958, 'to fulfill my': 906305, 'fulfill my order': 340411, 'my order someone': 549615, 'order someone who': 618593, 'who work retail': 990041, 'work retail being': 1005669, 'retail being forced': 717885, 'being forced to': 125168, 'covid 19 doing': 212974, '19 doing just': 6620, 'doing just that': 252507, 'just that urging': 469984, 'that urging if': 847207, 'urging if it': 948429, 'not essential we': 569220, 'essential we don': 281765, 'don need it': 253762, 'azhar': 106409, 'markup': 517947, 'deffer': 232213, 'sbp': 739827, 'perssuer': 653260, 'azhar dear': 106410, 'sir pls': 771629, 'pls have': 661138, 'bank employee': 109802, 'employee home': 273938, 'car loan': 163171, 'loan markup': 497472, 'markup deffer': 517950, 'deffer for': 232214, 'year like': 1014698, 'product sbp': 681599, 'sbp did': 739828, 'did bank': 240560, 'also under': 49043, 'under perssuer': 940190, 'perssuer of': 653261, 'azhar dear sir': 106411, 'dear sir pls': 229871, 'sir pls have': 771631, 'pls have thought': 661140, 'have thought on': 383123, 'thought on bank': 893158, 'on bank employee': 599557, 'bank employee home': 109804, 'employee home and': 273939, 'home and car': 400621, 'and car loan': 59547, 'car loan markup': 163173, 'loan markup deffer': 497473, 'markup deffer for': 517951, 'deffer for one': 232215, 'for one year': 324096, 'one year like': 607525, 'year like in': 1014699, 'like in consumer': 490487, 'in consumer product': 421712, 'consumer product sbp': 198478, 'product sbp did': 681600, 'sbp did bank': 739829, 'did bank employee': 240561, 'bank employee are': 109803, 'employee are also': 273602, 'are also under': 84485, 'also under perssuer': 49044, 'under perssuer of': 940191, 'been restocking': 121842, 'restocking empty': 716996, 'ensuring essential': 278172, 'am especially': 50021, 'especially grateful': 280494, 'protect senior': 684945, 'senior by': 750234, 'by setting': 153950, 'setting specific': 753647, 'our retail worker': 624642, 'have been restocking': 379662, 'been restocking empty': 121843, 'restocking empty shelf': 716997, 'shelf and ensuring': 756730, 'and ensuring essential': 62174, 'ensuring essential product': 278174, 'essential product are': 281415, 'product are available': 680932, 'are available during': 84708, 'the pandemic am': 862900, 'pandemic am especially': 634832, 'am especially grateful': 50022, 'especially grateful to': 280495, 'grateful to store': 362327, 'to store owner': 915636, 'owner and employee': 632375, 'and employee who': 62072, 'working to protect': 1008997, 'to protect senior': 912330, 'protect senior by': 684946, 'senior by setting': 750236, 'by setting specific': 153952, 'setting specific shopping': 753648, 'specific shopping time': 788255, 'alrighty': 47791, 'sudden caring': 816987, 'health but': 386208, 'produce isle': 680327, 'isle are': 454345, 'plentiful at': 660887, 'food isle': 315163, 'scarce yeah': 740815, 'yeah we': 1014315, 'health alrighty': 386113, 'alrighty nutrition': 47792, 'of the sudden': 591507, 'the sudden caring': 868380, 'sudden caring about': 816988, 'caring about their': 164698, 'their health but': 873514, 'health but the': 386209, 'but the produce': 147385, 'the produce isle': 864571, 'produce isle are': 680328, 'isle are plentiful': 454346, 'are plentiful at': 89112, 'plentiful at the': 660888, 'and the junk': 73435, 'junk food and': 468035, 'food and processed': 313314, 'and processed food': 69540, 'processed food isle': 679988, 'food isle are': 315164, 'isle are scarce': 454347, 'are scarce yeah': 89844, 'scarce yeah we': 740816, 'yeah we care': 1014316, 'our health alrighty': 623366, 'health alrighty nutrition': 386114, 'richardson': 721327, '14 99': 3409, 'in richardson': 427498, 'richardson 42': 721328, '42 am': 18898, 'am wednesday': 50550, 'wednesday isn': 975650, 'isn this': 454728, 'gouging at 14': 359259, 'at 14 99': 97469, '14 99 for': 3410, 'sanitizer this is': 735891, 'is in richardson': 448808, 'in richardson 42': 427499, 'richardson 42 am': 721329, '42 am wednesday': 18900, 'am wednesday isn': 50551, 'wednesday isn this': 975651, 'isn this price': 454734, 'this price gouging': 889707, '6yrs': 21702, 'onevoice': 607572, 'ageconcern': 37927, 'dwpcrimes': 263711, 'thought then': 893251, 'then to': 877676, 'for 6yrs': 318904, '6yrs 1950': 21703, '1950 60': 12377, '60 woman': 21043, 'woman 73': 1003391, '73 job': 22069, 'job seeker': 466147, 'seeker uc': 746633, 'uc how': 937875, 'week let': 976481, 'alone month': 46887, 'month 90': 537518, '90 00': 23263, '00 our': 401, 'our cohort': 622423, 'cohort dead': 185598, 'le year': 483252, 'this mp': 889055, 'mp youre': 544287, 'youre disgrace': 1026414, 'disgrace onevoice': 245309, 'onevoice ageconcern': 607573, 'ageconcern mentalhealth': 37928, 'mentalhealth dwpcrimes': 528678, 'thought then to': 893252, 'then to those': 877678, 'to those of': 917513, 'of with no': 593208, 'no income for': 564492, 'income for 6yrs': 432341, 'for 6yrs 1950': 318905, '6yrs 1950 60': 21704, '1950 60 woman': 12378, '60 woman 73': 21044, 'woman 73 job': 1003392, '73 job seeker': 22070, 'job seeker uc': 466149, 'seeker uc how': 746634, 'uc how to': 937876, 'food for week': 314586, 'for week let': 327726, 'week let alone': 976482, 'let alone month': 486582, 'alone month 90': 46888, 'month 90 00': 537519, '90 00 our': 23264, '00 our cohort': 402, 'our cohort dead': 622424, 'cohort dead in': 185599, 'dead in le': 229150, 'in le year': 424651, 'le year then': 483253, 'year then hit': 1015007, 'then hit this': 877247, 'hit this mp': 398462, 'this mp youre': 889056, 'mp youre disgrace': 544288, 'youre disgrace onevoice': 1026415, 'disgrace onevoice ageconcern': 245310, 'onevoice ageconcern mentalhealth': 607574, 'ageconcern mentalhealth dwpcrimes': 37929, 'practice and': 668523, 'new information from': 558936, 'information from to': 437847, 'from to report': 338064, 'gouging practice and': 359433, 'practice and consumer': 668524, 'and consumer fraud': 60384, 'consumer fraud related': 197538, 'magmt': 508412, 'this interesting': 888144, 'interesting webinar': 441648, 'lockdown essential': 499344, 'of auto': 580462, 'industry workforce': 436263, 'workforce magmt': 1008375, 'magmt consumer': 508413, 'brand protection': 137976, 'protection short': 685609, 'term finance': 838141, 'finance magmt': 306222, 'magmt supply': 508417, 'chain magmt': 170908, 'magmt legal': 508415, 'legal and': 485842, 'and contract': 60503, 'contract india': 201671, 'watch this interesting': 968573, 'this interesting webinar': 888146, 'interesting webinar on': 441649, 'webinar on lockdown': 975076, 'on lockdown essential': 601910, 'lockdown essential of': 499345, 'essential of auto': 281343, 'of auto industry': 580464, 'auto industry workforce': 103881, 'industry workforce magmt': 436264, 'workforce magmt consumer': 1008376, 'magmt consumer brand': 508414, 'consumer brand protection': 196658, 'brand protection short': 137977, 'protection short term': 685610, 'short term finance': 764735, 'term finance magmt': 838142, 'finance magmt supply': 306223, 'magmt supply chain': 508418, 'supply chain magmt': 824990, 'chain magmt legal': 170909, 'magmt legal and': 508416, 'legal and contract': 485843, 'and contract india': 60505, 'siete': 769003, 'degli': 232525, 'animali': 76713, 'corvid19fr': 207741, 'law went': 482441, 'morning she': 541430, 'back had': 107042, 'had this': 373641, 'this sad': 889936, 'sad look': 729193, 'look asked': 502248, 'wrong siete': 1013102, 'siete degli': 769004, 'degli animali': 232526, 'animali you': 76714, 'are animal': 84559, 'animal empty': 76581, 'supermarket our': 821847, 'social conscience': 779468, 'conscience zero': 194781, 'zero it': 1027468, 'to object': 910785, 'object supermarket': 578421, 'supermarket corvid19fr': 819810, 'in law went': 424637, 'law went to': 482442, 'this morning she': 889008, 'morning she came': 541431, 'she came back': 755912, 'came back had': 156978, 'back had this': 107044, 'had this sad': 373644, 'this sad look': 889937, 'sad look asked': 729194, 'look asked what': 502249, 'asked what wa': 95901, 'what wa wrong': 982528, 'wa wrong siete': 963752, 'wrong siete degli': 1013103, 'siete degli animali': 769005, 'degli animali you': 232527, 'animali you are': 76715, 'you are animal': 1017060, 'are animal empty': 84560, 'animal empty supermarket': 76582, 'empty supermarket our': 275163, 'supermarket our social': 821852, 'our social conscience': 624808, 'social conscience zero': 779469, 'conscience zero it': 194783, 'zero it hard': 1027469, 'hard to object': 378074, 'to object supermarket': 910786, 'object supermarket corvid19fr': 578422, 'retweeted': 720105, 'so news': 777867, 'just increased': 469062, '20 taking': 13365, 'of well': 593019, 'done hul': 254882, 'hul this': 410366, 'be retweeted': 116868, 'retweeted boycotthul': 720107, 'so news ha': 777868, 'news ha just': 560493, 'ha just increased': 371054, 'just increased the': 469063, 'soap by 20': 778966, 'by 20 taking': 151579, '20 taking advantage': 13366, 'advantage of well': 33044, 'of well done': 593021, 'well done hul': 978186, 'done hul this': 254883, 'hul this need': 410367, 'to be retweeted': 901508, 'be retweeted boycotthul': 116869, 'people talk': 649727, 'about confinement': 24990, 'confinement or': 194074, 'traffic lot': 929114, 'restaurant parking': 716628, 'lot people': 504341, 'go everywhere': 353522, 'everywhere corona': 288189, 'virus texas': 958862, 'people talk about': 649728, 'talk about confinement': 833730, 'about confinement or': 24991, 'confinement or quarantine': 194075, 'quarantine but where': 692067, 'but where live': 147835, 'where live there': 984993, 'live there is': 496057, 'lot of traffic': 504315, 'of traffic lot': 592411, 'traffic lot of': 929115, 'of car in': 581131, 'car in grocery': 163135, 'and restaurant parking': 70389, 'restaurant parking lot': 716629, 'parking lot people': 642099, 'lot people come': 504342, 'people come and': 647492, 'come and go': 187215, 'and go everywhere': 63773, 'go everywhere corona': 353523, 'everywhere corona virus': 288190, 'corona virus texas': 204359, 'just assured': 468242, 'assured that': 97123, 'ppe they': 668078, 'need have': 554956, 'police who': 663265, 'is allegedly': 445476, 'allegedly not': 45693, 'available stayhomesavelifes': 104601, 'ha just assured': 371045, 'just assured that': 468243, 'assured that the': 97126, 'that the police': 846803, 'the police have': 863921, 'police have all': 663038, 'have all the': 379169, 'all the ppe': 44868, 'the ppe they': 864170, 'ppe they need': 668080, 'they need have': 882740, 'need have family': 554957, 'have family member': 380580, 'family member on': 298040, 'member on the': 528163, 'in the police': 429459, 'the police who': 863935, 'police who cannot': 663266, 'cannot get hand': 161888, 'it is allegedly': 458868, 'is allegedly not': 445477, 'allegedly not available': 45694, 'not available stayhomesavelifes': 568306, 'surge amazon': 828118, 'amazon announced': 50855, 'announced march': 76988, '16 that': 4174, 'open 100': 611998, 'new full': 558786, 'position in': 665172, 'in fulfillment': 423154, 'fulfillment center': 340442, 'center across': 169145, 'country wage': 211207, 'also increase': 48408, 'increase part': 432976, 'pandemic response': 636344, 'response via': 715905, 'with the online': 1001414, 'shopping surge amazon': 764027, 'surge amazon announced': 828119, 'amazon announced march': 50856, 'announced march 16': 76989, 'march 16 that': 515085, '16 that it': 4175, 'it will open': 462415, 'will open 100': 994339, 'open 100 00': 611999, '00 new full': 359, 'new full and': 558787, 'time position in': 897515, 'position in fulfillment': 665174, 'in fulfillment center': 423155, 'fulfillment center across': 340444, 'center across the': 169146, 'the country wage': 852177, 'country wage will': 211208, 'wage will also': 963995, 'will also increase': 992259, 'also increase part': 48410, 'increase part of': 432977, 'part of it': 642353, 'of it covid': 585380, '19 pandemic response': 9449, 'pandemic response via': 636346, 'and mall': 66610, 'mall closure': 511772, 'store and mall': 806290, 'and mall closure': 66612, 'mall closure in': 511773, 'closure in canada': 183907, 'australian prime': 103528, 'minister let': 533397, 'go stophoarding': 354170, 'the australian prime': 849063, 'australian prime minister': 103529, 'prime minister let': 678146, 'minister let go': 533398, 'let go stophoarding': 486752, 'go stophoarding stoppanicbuying': 354171, 'napa': 551836, 'napa valley': 551840, 'valley distillery': 951961, 'distillery make': 247778, '19 remember': 10094, 'that stepped': 846477, 'napa valley distillery': 551841, 'valley distillery make': 951962, 'distillery make free': 247779, 'help prevent spread': 390347, 'covid 19 remember': 213686, '19 remember the': 10096, 'the company that': 851354, 'company that stepped': 191191, 'that stepped up': 846478, 'stepped up during': 799784, 'up during the': 944760, 'consumption expected': 199871, 'strong due': 814016, 'to weak': 918411, 'price petroleum': 675864, 'petroleum make': 653821, 'make alternative': 509663, 'alternative fuel': 49229, 'gas consumption expected': 343797, 'consumption expected to': 199872, 'expected to remain': 290996, 'to remain strong': 913174, 'remain strong due': 709869, 'strong due to': 814017, 'due to weak': 262021, 'to weak lng': 918412, 'and low price': 66446, 'low price petroleum': 505531, 'price petroleum make': 675865, 'petroleum make alternative': 653822, 'make alternative fuel': 509664, 'alternative fuel cheaper': 49230, 'socialdistancing working': 780884, 'working if': 1008704, 'if even': 414079, 'from household': 335954, 'once wk': 605814, 'wk where': 1003225, 'keep ppl': 471804, 'ppl passing': 668304, 'passing you': 643412, 'you wandering': 1022114, 'wandering up': 965582, 'up down': 944741, 'down aisle': 256455, 'aisle slow': 40367, 'down be': 256549, 'not see socialdistancing': 571486, 'see socialdistancing working': 745710, 'socialdistancing working if': 780885, 'working if even': 1008705, 'if even one': 414080, 'even one of': 284429, 'of each person': 582904, 'each person from': 264249, 'person from household': 652440, 'from household is': 335955, 'household is going': 406850, 'store once wk': 809217, 'once wk where': 605816, 'wk where it': 1003226, 'where it impossible': 984964, 'impossible to keep': 419401, 'to keep ppl': 908831, 'keep ppl passing': 471806, 'ppl passing you': 668305, 'passing you wandering': 643413, 'you wandering up': 1022115, 'wandering up down': 965583, 'up down aisle': 944742, 'down aisle slow': 256458, 'aisle slow down': 40368, 'slow down be': 774341, 'down be patient': 256550, 'be patient and': 116370, 'patient and make': 644135, 'and make one': 66568, 'make one way': 510271, 'bubl': 141637, 'little jealous': 495420, 'jealous of': 464949, 'fact michael': 295748, 'michael bubl': 530223, 'bubl wa': 141638, 'in fully': 423179, 'here struggling': 393613, 'pasta convid19uk': 643707, 'convid19uk socialdistanacing': 202625, 'socialdistanacing fightcovid19': 780060, 'fightcovid19 supermarket': 304997, 'panicbuying quarentinelife': 639033, 'little jealous of': 495421, 'jealous of the': 464950, 'the fact michael': 854827, 'fact michael bubl': 295749, 'michael bubl wa': 530224, 'bubl wa able': 141639, 'able to be': 24452, 'be in fully': 115405, 'in fully stocked': 423180, 'stocked supermarket and': 803408, 'supermarket and here': 818999, 'and here struggling': 64534, 'here struggling to': 393614, 'get pasta convid19uk': 347794, 'pasta convid19uk socialdistanacing': 643708, 'convid19uk socialdistanacing fightcovid19': 202626, 'socialdistanacing fightcovid19 supermarket': 780061, 'fightcovid19 supermarket panicbuying': 304998, 'supermarket panicbuying quarentinelife': 821914, 'panicbuying quarentinelife stayconnected': 639034, 'mek': 527889, 'tek': 836617, 'go mek': 353837, 'mek online': 527890, 'shopping tek': 764056, 'tek off': 836618, 'off big': 593690, 'big in': 129830, '19 go mek': 7232, 'go mek online': 353838, 'mek online shopping': 527891, 'online shopping tek': 609297, 'shopping tek off': 764057, 'tek off big': 836619, 'off big in': 593691, 'big in jamaica': 129831, 'nurse wa': 577536, 'wa heartbroken': 962299, 'heartbroken by': 388429, 'after full': 35693, 'work serving': 1005706, 'nh do': 561934, 'do every': 249261, 'am greeted': 50106, 'greeted with': 363801, 'this emotional': 887369, 'emotional doesn': 273282, 'even cut': 283990, 'this nurse wa': 889196, 'nurse wa heartbroken': 577537, 'wa heartbroken by': 962300, 'heartbroken by empty': 388430, 'shelf after full': 756689, 'after full day': 35694, 'day of work': 228117, 'of work after': 593237, 'work after full': 1004714, 'at work serving': 101614, 'work serving the': 1005707, 'serving the nh': 753219, 'the nh do': 861735, 'nh do every': 561935, 'do every day': 249262, 'every day go': 285809, 'day go to': 227676, 'food and am': 313173, 'and am greeted': 58017, 'am greeted with': 50107, 'greeted with this': 363803, 'with this emotional': 1001695, 'this emotional doesn': 887370, 'emotional doesn even': 273283, 'doesn even cut': 251771, 'even cut it': 283991, 'notsponsored': 573640, 'mostly vitamin': 543029, 'vitamin what': 959815, 'your go': 1024062, 'item right': 463623, 'now convid': 574446, 'virus sickness': 958752, 'sickness quarantine': 768757, 'quarantine photooftheday': 692435, 'photooftheday bathandbodyworks': 655322, 'bathandbodyworks notsponsored': 112603, 'notsponsored vitamin': 573641, 'vitamin think': 959805, 'think washyourhands': 885753, 'washyourhands wash': 967938, 'wash sanitize': 967533, 'sanitize stockup': 734216, 'on the vitamin': 604435, 'the vitamin and': 870932, 'vitamin and sanitizer': 959762, 'and sanitizer but': 70862, 'sanitizer but mostly': 734610, 'but mostly vitamin': 146421, 'mostly vitamin what': 543030, 'vitamin what your': 959816, 'what your go': 982712, 'your go to': 1024063, 'go to stock': 354362, 'stock up item': 803091, 'up item right': 945255, 'item right now': 463624, 'right now convid': 722045, 'now convid 19': 574447, 'convid 19 virus': 202598, '19 virus sickness': 11834, 'virus sickness quarantine': 958753, 'sickness quarantine photooftheday': 768758, 'quarantine photooftheday bathandbodyworks': 692436, 'photooftheday bathandbodyworks notsponsored': 655323, 'bathandbodyworks notsponsored vitamin': 112604, 'notsponsored vitamin think': 573642, 'vitamin think washyourhands': 959806, 'think washyourhands wash': 885754, 'washyourhands wash sanitize': 967939, 'wash sanitize stockup': 967534, 'bx': 151493, 'thisiswhy': 891654, 'noonedoesnothing': 566876, 'why nyc': 991246, 'nyc number': 578019, 'this area': 886403, 'the bx': 850234, 'bx is': 151494, 'business this': 144521, 'is everyday': 447578, 'everyday thisiswhy': 286643, 'thisiswhy socialdistancing': 891655, 'socialdistancing noonedoesnothing': 780562, 'left the supermarket': 485675, 'the supermarket look': 868681, 'supermarket look this': 821391, 'is why nyc': 453970, 'why nyc number': 991247, 'nyc number are': 578020, 'number are so': 576833, 'high and especially': 394921, 'and especially in': 62238, 'in this area': 429907, 'this area in': 886404, 'in the bx': 429045, 'the bx is': 850235, 'bx is this': 151496, 'is this an': 453073, 'this an essential': 886318, 'an essential business': 55819, 'essential business this': 280865, 'business this is': 144522, 'this is everyday': 888250, 'is everyday thisiswhy': 447580, 'everyday thisiswhy socialdistancing': 286644, 'thisiswhy socialdistancing noonedoesnothing': 891656, 'constructed': 195778, 'those why': 892703, 'access or': 28167, 'buy surgical': 149270, 'mask n95': 518990, 'n95 etc': 551172, 'etc here': 282592, 'useful article': 950142, 'diy face': 248735, 'mask constructed': 518533, 'constructed out': 195779, 'for those why': 327149, 'those why cannot': 892704, 'why cannot access': 990868, 'cannot access or': 161587, 'access or buy': 28168, 'or buy surgical': 614618, 'buy surgical face': 149271, 'face mask n95': 294566, 'mask n95 etc': 518991, 'n95 etc here': 551173, 'etc here is': 282593, 'here is useful': 393257, 'is useful article': 453620, 'useful article for': 950143, 'article for diy': 94318, 'for diy face': 320782, 'diy face mask': 248736, 'face mask constructed': 294526, 'mask constructed out': 518534, 'constructed out of': 195780, 'out of facial': 626732, 'facial tissue and': 295249, 'tissue and paper': 899124, 'shame in': 754604, 'in clogging': 421506, 'toilet from': 921148, 'from using': 338212, 'imagine the shame': 416802, 'the shame in': 866775, 'shame in clogging': 754605, 'in clogging toilet': 421507, 'clogging toilet from': 182444, 'toilet from using': 921149, 'from using too': 338214, 'paper during these': 640116, 'these time 19': 880835, 'time 19 toiletpaper': 896182, 'closure increase due': 183917, 'to coronavirus stockmarket': 903567, 'bandanna': 109392, 'fellow idahoan': 303299, 'idahoan it': 412977, 'pull those': 688886, 'those bandanna': 891834, 'bandanna out': 109395, 'the drawer': 853676, 'drawer and': 258495, 'mouth at': 543490, 'fellow idahoan it': 303300, 'idahoan it time': 412978, 'time to pull': 898035, 'to pull those': 912498, 'pull those bandanna': 688887, 'those bandanna out': 891835, 'bandanna out of': 109396, 'of the drawer': 590963, 'the drawer and': 853677, 'drawer and start': 258496, 'and start wearing': 72252, 'start wearing them': 794637, 'wearing them over': 974808, 'them over your': 876143, 'over your nose': 630972, 'and mouth at': 67283, 'mouth at the': 543491, 'convo': 202690, 'thing empty': 884305, 'out were': 627802, 'were elderly': 979552, 'elderly kept': 270727, 'kept hearing': 473042, 'hearing snippet': 388228, 'of convo': 581863, 'convo like': 202693, 'like not': 490878, 'chance ve': 171824, 'been coming': 120844, 'here every': 392960, 'year very': 1015073, 'very concerning': 955073, 'concerning corvid19uk': 193240, 'get couple of': 346823, 'of thing empty': 591895, 'thing empty shelf': 884306, 'shelf the majority': 757651, 'majority of people': 509566, 'of people out': 587961, 'people out were': 649029, 'out were elderly': 627803, 'were elderly kept': 979553, 'elderly kept hearing': 270728, 'kept hearing snippet': 473043, 'hearing snippet of': 388229, 'snippet of convo': 776366, 'of convo like': 581864, 'convo like not': 202694, 'like not staying': 490881, 'not staying in': 571712, 'staying in no': 798642, 'in no chance': 425908, 'no chance ve': 563784, 'chance ve been': 171825, 've been coming': 952872, 'been coming here': 120845, 'coming here every': 188070, 'here every week': 392962, 'every week for': 286362, 'week for year': 976242, 'for year very': 328019, 'year very concerning': 1015074, 'very concerning corvid19uk': 955074, 'stateswoman': 796254, 'finally leadership': 306047, 'leadership german': 483607, 'chancellor angela': 171840, 'merkel wa': 529182, 'wa spotted': 963289, 'spotted doing': 790189, 'own covid': 631930, 'the esteemed': 854536, 'esteemed stateswoman': 282221, 'stateswoman bought': 796255, 'four bottle': 330588, 'wine this': 995917, 'correct ratio': 207520, 'ratio people': 697620, 'finally leadership german': 306048, 'leadership german chancellor': 483608, 'german chancellor angela': 346209, 'chancellor angela merkel': 171841, 'angela merkel wa': 76342, 'merkel wa spotted': 529183, 'wa spotted doing': 963290, 'spotted doing her': 790190, 'doing her own': 252446, 'her own covid': 392275, 'own covid 19': 631931, 'covid 19 shopping': 213789, '19 shopping at': 10485, 'berlin supermarket the': 127351, 'supermarket the esteemed': 823222, 'the esteemed stateswoman': 854537, 'esteemed stateswoman bought': 282222, 'stateswoman bought toilet': 796256, 'paper and four': 639824, 'and four bottle': 63238, 'four bottle of': 330589, 'of wine this': 593189, 'wine this is': 995918, 'the correct ratio': 851969, 'correct ratio people': 207521, 'bulandshahr': 142213, 'buried': 142867, 'poultry farm': 667317, 'farm in': 299133, 'in bulandshahr': 421025, 'bulandshahr district': 142214, 'district reportedly': 248382, 'reportedly buried': 712569, 'buried alive': 142868, 'alive over': 41829, '00 chick': 134, 'chick since': 175719, 'since maintaining': 770712, 'maintaining them': 509142, 'had become': 372879, 'become unfeasible': 120176, 'unfeasible in': 941487, 'of drastic': 582815, 'drastic fall': 258400, 'in chicken': 421373, 'scare source': 740914, 'poultry farm in': 667318, 'farm in bulandshahr': 299134, 'in bulandshahr district': 421026, 'bulandshahr district reportedly': 142215, 'district reportedly buried': 248383, 'reportedly buried alive': 712570, 'buried alive over': 142869, 'alive over 00': 41830, 'over 00 chick': 629749, '00 chick since': 135, 'chick since maintaining': 175720, 'since maintaining them': 770713, 'maintaining them had': 509143, 'them had become': 875812, 'had become unfeasible': 372881, 'become unfeasible in': 120177, 'unfeasible in view': 941488, 'view of drastic': 957124, 'of drastic fall': 582816, 'drastic fall in': 258401, 'fall in chicken': 296938, 'in chicken price': 421374, 'chicken price over': 175848, 'price over the': 675817, 'over the scare': 630764, 'the scare source': 866448, 'scare source said': 740915, 'source said on': 786542, 'well there': 978673, 'be surge': 117475, 'of stir': 590131, 'stir fry': 801700, 'fry and': 339281, 'pasta dish': 643709, 'dish being': 245498, 'made am': 507626, 'am disgusted': 50003, 'disgusted at': 245361, 'of ignorance': 584976, 'ignorance in': 415752, 'buying which': 151354, 'have key': 381220, 'worker hr': 1007149, 'hr education': 409613, 'education nhsworkers': 268847, 'well there must': 978674, 'must be surge': 546550, 'be surge of': 117477, 'surge of stir': 828235, 'of stir fry': 590132, 'stir fry and': 801701, 'fry and pasta': 339282, 'and pasta dish': 68757, 'pasta dish being': 643710, 'dish being made': 245499, 'being made am': 125408, 'made am disgusted': 507627, 'am disgusted at': 50004, 'disgusted at the': 245362, 'at the level': 101005, 'level of ignorance': 487644, 'of ignorance in': 584978, 'ignorance in these': 415753, 'panic buying which': 637963, 'buying which supermarket': 151356, 'which supermarket is': 986357, 'to have key': 907264, 'have key worker': 381221, 'key worker hr': 473487, 'worker hr education': 1007150, 'hr education nhsworkers': 409614, 'confidence plummet amid': 193929, 'plummet amid covid': 661251, 'keepmoving': 472659, 'short fb': 764614, 'fb live': 300656, 'any supply': 79922, 'been hearing': 121267, 'lot lately': 504076, 'be lock': 115790, 'lock in': 499070, 'house those': 406616, 'only important': 610628, 'life keepmoving': 488832, 'short fb live': 764615, 'fb live stock': 300658, 'live stock up': 496028, 'food and any': 313176, 'and any supply': 58220, 'any supply you': 79923, 'supply you been': 826143, 'you been hearing': 1017422, 'been hearing that': 121269, 'hearing that lot': 388240, 'that lot lately': 844955, 'lot lately if': 504077, 'lately if we': 480963, 'to be lock': 901371, 'be lock in': 115792, 'lock in our': 499071, 'in our house': 426304, 'our house those': 623484, 'house those are': 406617, 'those are not': 891803, 'are not only': 88426, 'not only important': 570803, 'only important thing': 610629, 'thing to change': 884879, 'change your life': 172418, 'your life keepmoving': 1024638, 'and above': 57558, 'do not charge': 249692, 'not charge excessive': 568739, 'excessive price in': 289405, 'price in these': 674743, 'these time stay': 880850, 'healthy and above': 387516, 'and above all': 57559, 'above all please': 27045, 'all please take': 43980, 'please take care': 660630, 'breakcorona': 138826, 'life the': 489099, 'winner will': 996050, 'is race': 451199, 'race one': 695195, 'one which': 607428, 'save say': 737631, 'please breakcorona': 659733, 'breakcorona togetherathome': 138829, 'time in life': 896995, 'in life the': 424710, 'life the winner': 489103, 'the winner will': 871611, 'winner will be': 996051, 'one who will': 607465, 'who will stay': 989999, 'will stay put': 994965, 'stay put this': 797193, 'put this is': 690911, 'this is race': 888369, 'is race one': 451200, 'race one which': 695196, 'one which will': 607430, 'which will save': 986504, 'will save say': 994745, 'save say yes': 737632, 'say yes to': 739509, 'yes to socialdistancing': 1015576, 'to socialdistancing please': 914834, 'socialdistancing please breakcorona': 780609, 'please breakcorona togetherathome': 659734, 'identified outbreak': 413342, 'outbreak evolves': 628204, 'evolves nielsen': 288530, 'threshold identified outbreak': 894144, 'identified outbreak evolves': 413343, 'outbreak evolves nielsen': 628205, 'jaunt': 464869, 'deviated': 239885, 'trackie': 928311, 'dacks': 224272, 'fleecy': 310302, 'hoodies': 403328, 'crocheted': 218834, 'rug': 727090, 'well ve': 978728, 've officially': 953414, 'officially hit': 596002, 'hit rock': 398391, 'bottom on': 136425, 'supermarket jaunt': 821201, 'jaunt deviated': 464870, 'deviated to': 239886, 'to mart': 909868, 'mart amp': 518035, 'amp bought': 53466, 'bought trackie': 136766, 'trackie dacks': 928312, 'dacks amp': 224273, 'amp 14': 53312, '14 fleecy': 3470, 'fleecy hoodies': 310303, 'hoodies ready': 403331, 'of winter': 593192, 'winter style': 996146, 'style all': 815588, 'is crocheted': 446950, 'crocheted rug': 218835, 'rug kill': 727091, 'well ve officially': 978729, 've officially hit': 953415, 'officially hit rock': 596003, 'hit rock bottom': 398392, 'rock bottom on': 724896, 'bottom on supermarket': 136426, 'on supermarket jaunt': 603796, 'supermarket jaunt deviated': 821202, 'jaunt deviated to': 464871, 'deviated to mart': 239887, 'to mart amp': 909869, 'mart amp bought': 518036, 'amp bought trackie': 53467, 'bought trackie dacks': 136767, 'trackie dacks amp': 928313, 'dacks amp 14': 224274, 'amp 14 fleecy': 53313, '14 fleecy hoodies': 3471, 'fleecy hoodies ready': 310304, 'hoodies ready for': 403332, 'for the onset': 326599, 'onset of winter': 611551, 'of winter style': 593193, 'winter style all': 996147, 'style all need': 815589, 'all need is': 43598, 'need is crocheted': 555064, 'is crocheted rug': 446951, 'crocheted rug kill': 218836, 'rug kill me': 727092, 'kill me now': 474440, 'beauty company': 118751, 'company or': 190942, 'or al': 614282, 'al is': 40578, 'it production': 460506, 'production line': 682108, 'outbreak quick': 628562, 'quick take': 694392, 'take 19': 831872, 'beauty company or': 118752, 'company or al': 190943, 'or al is': 614283, 'al is using': 40579, 'using it production': 950535, 'it production line': 460510, 'production line to': 682112, 'the outbreak quick': 862683, 'outbreak quick take': 628563, 'quick take 19': 694393, '19 california': 5582, 'california should': 155571, 'suspend the': 829587, '10 tax': 1693, 'bag from': 108293, 'always thought': 49776, 'wa disgustingly': 961994, 'disgustingly unsanitary': 245491, 'unsanitary to': 943417, 'keep bringing': 471351, 'bringing bag': 140148, 'people dirty': 647662, 'dirty home': 243750, 'car into': 163152, 'just irresponsible': 469073, 'covid 19 california': 212748, '19 california should': 5583, 'california should suspend': 155572, 'should suspend the': 766535, 'suspend the 10': 829588, 'the 10 tax': 847857, '10 tax on': 1694, 'tax on plastic': 835048, 'on plastic bag': 602816, 'plastic bag from': 658805, 'bag from grocery': 108294, 'store ve always': 811040, 've always thought': 952839, 'always thought that': 49777, 'thought that it': 893233, 'it wa disgustingly': 462105, 'wa disgustingly unsanitary': 961995, 'disgustingly unsanitary to': 245492, 'unsanitary to keep': 943418, 'to keep bringing': 908763, 'keep bringing bag': 471352, 'bringing bag from': 140149, 'bag from people': 108295, 'from people dirty': 336875, 'people dirty home': 647663, 'dirty home and': 243751, 'and car into': 59546, 'car into grocery': 163153, 'store but now': 806801, 'but now it': 146606, 'now it just': 575120, 'it just irresponsible': 459228, 'spar who': 787464, 'who spar': 989643, 'spar increase': 787446, 'by 75': 151700, '100 since': 2077, 'spar who spar': 787465, 'who spar increase': 989644, 'spar increase price': 787447, 'price by 75': 673011, 'by 75 to': 151703, '75 to 100': 22167, 'to 100 since': 899442, '100 since covid': 2078, '19 that one': 11158, '19 forcing': 7091, 'forcing shopper': 328729, 'purchase good': 689473, 'online magecart': 608515, 'magecart digital': 508358, 'digital credit': 242543, 'credit skimming': 216512, 'skimming activity': 773037, 'increasing be': 433554, 're online': 699193, 'shopping cybercriminals': 762431, 'cybercriminals magecart': 223973, 'magecart phishing': 508362, 'covid 19 forcing': 213118, '19 forcing shopper': 7092, 'forcing shopper to': 328730, 'shopper to stay': 761774, 'home and purchase': 400679, 'and purchase good': 69780, 'purchase good online': 689474, 'good online magecart': 357516, 'online magecart digital': 608516, 'magecart digital credit': 508359, 'digital credit skimming': 242544, 'credit skimming activity': 216513, 'skimming activity is': 773038, 'activity is increasing': 30453, 'is increasing be': 448854, 'increasing be aware': 433555, 'aware of what': 105647, 'what you and': 982661, 'your family are': 1023773, 'family are doing': 297624, 'are doing re': 85921, 'doing re online': 252622, 're online shopping': 699194, 'online shopping cybercriminals': 609084, 'shopping cybercriminals magecart': 762432, 'cybercriminals magecart phishing': 223974, 'investigates': 443826, 'at 30pm': 97612, '30pm on': 17513, 'channel coronavirus': 172875, 'coronavirus can': 205605, 'can our': 159181, 'supermarket cope': 819786, 'cope investigates': 203319, 'investigates how': 443829, 'with unprecedented': 1001911, 'tonight at 30pm': 924371, 'at 30pm on': 97616, '30pm on channel': 17514, 'on channel coronavirus': 599875, 'channel coronavirus can': 172876, 'coronavirus can our': 205607, 'can our supermarket': 159182, 'our supermarket cope': 625013, 'supermarket cope investigates': 819787, 'cope investigates how': 203320, 'investigates how our': 443830, 'how our food': 408459, 'our food retailer': 623126, 'retailer and supplier': 718974, 'supplier are dealing': 824494, 'dealing with unprecedented': 229701, 'with unprecedented demand': 1001913, 'unprecedented demand amid': 943107, 'excercise': 289315, 'grocery gas': 364552, 'gas work': 344189, 'work bank': 1004916, 'bank just': 109960, 'just no': 469313, 'household wear': 406981, 'mask eye': 518632, 'eye protection': 294094, 'against in': 37505, 've have': 953242, 'walk dog': 964763, 'dog go': 252101, 'to excercise': 905392, 'excercise yet': 289318, 'store for grocery': 807809, 'for grocery gas': 322031, 'grocery gas work': 364553, 'gas work bank': 344190, 'work bank just': 1004917, 'bank just no': 109961, 'just no gathering': 469314, 'gathering of people': 344490, 'people outside of': 649032, 'outside of household': 629506, 'of household wear': 584801, 'household wear mask': 406982, 'wear mask eye': 974387, 'mask eye protection': 518633, 'eye protection against': 294095, 'protection against in': 685294, 'against in ny': 37507, 'in ny and': 426000, 'ny and we': 577837, 'we ve have': 973673, 've have this': 953243, 'have this you': 383112, 'you can walk': 1017827, 'can walk dog': 160140, 'walk dog go': 964764, 'dog go outside': 252102, 'outside to excercise': 629618, 'to excercise yet': 905393, 'price scrambling': 676312, 'generally being': 345527, 'being damn': 125017, 'damn selfish': 225424, 'selfish self': 748250, 'isolation hoarding': 455296, 'see people raising': 745565, 'raising price scrambling': 696126, 'price scrambling to': 676313, 'scrambling to hoard': 742567, 'and generally being': 63515, 'generally being damn': 345528, 'being damn selfish': 125018, 'damn selfish self': 225426, 'selfish self isolation': 748251, 'self isolation hoarding': 747776, 'isolation hoarding bekind': 455297, 'lautoka': 482168, 'today still': 920221, 'still lot': 800816, 'people moving': 648799, 'moving around': 544121, 'around lautoka': 93372, 'lautoka fiji': 482169, 'city to the': 179429, 'supermarket today still': 823467, 'today still lot': 920222, 'still lot of': 800817, 'of people moving': 587946, 'people moving around': 648800, 'moving around lautoka': 544123, 'around lautoka fiji': 93373, 'pretty despicable': 671391, 'despicable for': 238630, 'to pile': 911736, 'this council': 886939, 'council how': 209989, 'with speculation': 1000914, 'it pretty despicable': 460439, 'pretty despicable for': 671392, 'despicable for market': 238631, 'for market to': 323256, 'market to pile': 517239, 'to pile up': 911737, 'pile up price': 656516, 'up price at': 945808, 'like this council': 491479, 'this council how': 886940, 'council how do': 209990, 'deal with speculation': 229577, 'done shopper': 255006, 'their distance': 873030, 'distance the': 246846, 'part the': 642434, 'of marking': 586250, 'marking the': 517915, 'ground came': 366487, 'community fighting': 189846, 'that is how': 844602, 'it done shopper': 457669, 'done shopper lining': 255007, 'the supermarket keep': 868662, 'supermarket keep their': 821241, 'keep their distance': 472084, 'their distance the': 873035, 'distance the best': 246847, 'best part the': 127825, 'part the idea': 642436, 'idea of marking': 413130, 'of marking the': 586251, 'marking the spot': 517916, 'the spot on': 867600, 'spot on the': 790089, 'the ground came': 856844, 'ground came from': 366488, 'the community fighting': 851273, 'community fighting back': 189847, 'up one': 945652, 'out onpoli': 626945, 'outside our local': 629530, 'being made to': 125413, 'made to line': 508036, 'line up one': 493528, 'up one in': 945653, 'one out onpoli': 606810, 'greenford': 363739, 'warning panicked': 967176, 'still active': 800161, 'active after': 30252, 'supermarket called': 819492, 'it location': 459444, 'at greenford': 98807, 'greenford broadway': 363740, 'broadway panicbuying': 140787, 'warning panicked shopper': 967177, 'panicked shopper are': 639280, 'shopper are still': 761400, 'are still active': 90389, 'still active after': 800162, 'active after the': 30254, 'government and supermarket': 359873, 'and supermarket called': 72705, 'supermarket called on': 819494, 'called on them': 156403, 'them to put': 876500, 'to put stop': 912614, 'stop to it': 805219, 'to it location': 908594, 'it location and': 459445, 'location and at': 498849, 'and at greenford': 58475, 'at greenford broadway': 98808, 'greenford broadway panicbuying': 363741, 'spreadtheword': 791116, 'price hygiene': 674605, 'hygiene stopthespread': 412175, 'stopthespread londonlockdown': 805908, 'londonlockdown spreadtheword': 501265, 'spreadtheword panicbuyers': 791117, 'panicbuyers panickbuying': 638869, 'panickbuying helpeachother': 639206, 'helpeachother do': 391038, 'pay over': 645034, 'counter price': 210245, 'protect yourself at': 685083, 'yourself at an': 1026535, 'at an affordable': 97972, 'an affordable price': 55175, 'affordable price hygiene': 34882, 'price hygiene stopthespread': 674606, 'hygiene stopthespread londonlockdown': 412176, 'stopthespread londonlockdown spreadtheword': 805909, 'londonlockdown spreadtheword panicbuyers': 501266, 'spreadtheword panicbuyers panickbuying': 791118, 'panicbuyers panickbuying helpeachother': 638870, 'panickbuying helpeachother do': 639207, 'helpeachother do not': 391039, 'not pay over': 570981, 'pay over the': 645035, 'over the counter': 630708, 'the counter price': 852030, 'counter price check': 210246, 'hero doing': 393976, 'their bit': 872621, 'bit you': 131736, 'you yes': 1022471, 'hero all': 393918, 'is stay': 452238, 'hero coronacrisisuk': 393968, 'nh worker our': 562193, 'worker our supermarket': 1007523, 'supermarket worker our': 824063, 'worker our delivery': 1007521, 'driver are all': 259430, 'all hero doing': 43108, 'hero doing their': 393977, 'doing their bit': 252734, 'their bit you': 872625, 'bit you yes': 131738, 'you yes you': 1022473, 'also be hero': 47922, 'be hero all': 115232, 'hero all you': 393921, 'all you have': 45543, 'do is stay': 249455, 'is stay at': 452239, 'home please please': 401866, 'please please be': 660297, 'please be hero': 659704, 'be hero coronacrisisuk': 115236, 'parkmead': 642135, 'pmg': 662042, 'tumbling gas': 935343, 'put parkmead': 690759, 'parkmead in': 642136, 'red pmg': 705612, 'pmg oott': 662043, 'tumbling gas price': 935344, 'gas price put': 344012, 'price put parkmead': 676036, 'put parkmead in': 690760, 'parkmead in the': 642137, 'in the red': 429504, 'the red pmg': 865386, 'red pmg oott': 705613, 'maybe if': 521712, 'store cover': 807209, 'cover both': 212201, 'both your': 136105, 'maybe if you': 521714, 'grocery store cover': 365310, 'store cover both': 807210, 'cover both your': 212202, 'both your mouth': 136106, 'mouth and your': 543489, 'and your mouth': 76086, 'uckfield': 937886, 'coronaviru': 205431, 'criminal live': 216854, 'in uckfield': 430369, 'uckfield east': 937887, 'east sussex': 265343, 'sussex and': 829732, 'taking my': 833448, 'mum on': 545934, 'our tesco': 625119, 'hope there': 403693, 'be something': 117304, 'something at': 784856, 'her by': 391909, 'then yesterday': 877774, 'wa bloody': 961721, 'bloody awful': 133173, 'awful coronaviru': 106222, 'it criminal live': 457408, 'criminal live in': 216855, 'live in uckfield': 495894, 'in uckfield east': 430370, 'uckfield east sussex': 937888, 'east sussex and': 265344, 'sussex and taking': 829733, 'and taking my': 72999, 'taking my mum': 833451, 'my mum on': 549379, 'mum on monday': 545936, 'on monday morning': 602174, 'monday morning to': 536336, 'morning to our': 541515, 'to our tesco': 911249, 'our tesco in': 625120, 'the hope there': 857495, 'hope there will': 403696, 'will be something': 992692, 'be something at': 117305, 'something at least': 784857, 'least for her': 484469, 'for her by': 322214, 'her by then': 391910, 'by then yesterday': 154510, 'then yesterday it': 877775, 'it wa bloody': 462080, 'wa bloody awful': 961722, 'bloody awful coronaviru': 133174, 'you trucker': 1021931, 'and myself': 67396, 'myself well': 550974, 'well grocery': 978261, 'worker plus': 1007594, 'plus few': 661600, 'are thank': 90782, 'world turn': 1010113, 'turn bet': 935653, 'bet people': 128094, 'people won': 650496, 'won look': 1003870, 'at such': 100678, 'low worker': 505752, 'it change': 457094, 'you trucker and': 1021932, 'trucker and myself': 932897, 'and myself well': 67399, 'myself well grocery': 550975, 'well grocery store': 978262, 'store worker plus': 811560, 'worker plus few': 1007595, 'plus few more': 661601, 'few more are': 303944, 'more are thank': 538647, 'are thank you': 90783, 'for helping this': 322205, 'helping this world': 391514, 'this world turn': 891519, 'world turn bet': 1010114, 'turn bet people': 935654, 'bet people won': 128095, 'people won look': 650499, 'won look at': 1003871, 'look at such': 502295, 'at such low': 100682, 'such low worker': 816611, 'low worker now': 505753, 'worker now hope': 1007460, 'now hope after': 574946, 'hope after this': 403410, 'is over it': 450705, 'over it change': 630341, 'it change the': 457101, 'change the world': 172305, 'for the better': 326320, 'abyssals': 27745, 'thingsiwontapologizefor': 885054, 'armesdeutschland': 92962, 'true character': 933043, 'character becomes': 173150, 'becomes apparent': 120200, 'apparent and': 81881, 'the abyssals': 848274, 'abyssals of': 27746, 'stupidity are': 815519, 'are shown': 90085, 'shown at': 767573, 'checkout thingsiwontapologizefor': 175031, 'thingsiwontapologizefor armesdeutschland': 885055, 'crisis the true': 218192, 'the true character': 870045, 'true character becomes': 933045, 'character becomes apparent': 173151, 'becomes apparent and': 120201, 'apparent and the': 81883, 'and the abyssals': 73233, 'the abyssals of': 848275, 'abyssals of stupidity': 27747, 'of stupidity are': 590343, 'stupidity are shown': 815520, 'are shown at': 90086, 'shown at the': 767574, 'store checkout thingsiwontapologizefor': 806959, 'checkout thingsiwontapologizefor armesdeutschland': 175032, 'page containing': 633838, 'containing helpful': 200585, 'including topic': 432220, 'topic like': 925799, 'health guidance': 386467, 'guidance supermarket': 368281, 'supermarket access': 818759, 'access handy': 28140, 'handy apps': 376882, 'apps what': 83330, 'out our resource': 626992, 'our resource page': 624615, 'resource page containing': 714851, 'page containing helpful': 633839, 'containing helpful information': 200586, 'helpful information for': 391196, 'information for and': 437822, 'for and people': 319334, 'and people during': 68863, 'people during including': 647742, 'during including topic': 262722, 'including topic like': 432221, 'topic like health': 925800, 'like health guidance': 490408, 'health guidance supermarket': 386468, 'guidance supermarket access': 368282, 'supermarket access handy': 818761, 'access handy apps': 28141, 'handy apps what': 376883, 'apps what you': 83331, 'help and more': 389354, 'and more go': 67174, 'to the page': 916938, 'thoug': 892764, 'supermarket face': 820261, 'mask may': 518962, 'may offer': 521399, 'offer more': 594701, 'protection than': 685637, 'previously thoug': 672058, 'thoug via': 892765, 'try to social': 934668, 'distance in supermarket': 246745, 'in supermarket face': 428594, 'supermarket face mask': 820263, 'face mask may': 294563, 'mask may offer': 518963, 'may offer more': 521400, 'offer more protection': 594703, 'more protection than': 540169, 'protection than previously': 685639, 'than previously thoug': 841042, 'previously thoug via': 672059, 'quedateentucasa': 693364, 'day puertorico': 228260, 'puertorico line': 688823, 'store stayathome': 810357, 'stayathome yomequedoencasa': 797718, 'yomequedoencasa quedateentucasa': 1016546, 'quedateentucasa curfew': 693365, 'curfew washyourhands': 220951, 'day puertorico line': 228261, 'puertorico line to': 688824, 'buy at grocery': 148380, 'grocery store stayathome': 365801, 'store stayathome yomequedoencasa': 810359, 'stayathome yomequedoencasa quedateentucasa': 797719, 'yomequedoencasa quedateentucasa curfew': 1016547, 'quedateentucasa curfew washyourhands': 693366, 'got such': 358875, 'such anxiety': 816335, 'anxiety today': 78808, 'today had': 919598, 'attack after': 102076, 'supermarket touched': 823520, 'touched me': 926623, 'cry all': 219843, 'day don': 227534, 'whole situation': 990324, 'seriously in': 751645, 'germany what': 346359, 've got such': 953196, 'got such anxiety': 358876, 'such anxiety today': 816337, 'anxiety today had': 78809, 'today had panic': 919602, 'panic attack after': 637369, 'attack after someone': 102077, 'after someone at': 36228, 'someone at the': 784380, 'the supermarket touched': 868873, 'supermarket touched me': 823521, 'touched me cry': 926624, 'me cry all': 522629, 'cry all day': 219844, 'all day don': 42515, 'day don know': 227535, 'do people don': 249969, 'people don take': 647710, 'don take the': 253953, 'take the whole': 832685, 'the whole situation': 871506, 'whole situation seriously': 990328, 'situation seriously in': 772475, 'seriously in germany': 751647, 'in germany what': 423285, 'germany what is': 346360, 'with people 19': 1000131, 'escena': 280335, 'repite': 711575, 'alrededor': 47769, 'mundo': 546069, 'estados': 282080, 'unidos': 941747, 'francia': 331085, 'espa': 280415, 'dejado': 232597, 'vac': 951551, 'estantes': 282083, 'destinados': 238967, 'papel': 639751, 'higi': 396170, 'nico': 562603, 'medio': 526942, 'por': 664766, 'nuevo': 576771, 'la escena': 478155, 'escena se': 280336, 'se repite': 743054, 'repite alrededor': 711576, 'alrededor del': 47770, 'del mundo': 232626, 'mundo desde': 546070, 'desde estados': 237987, 'estados unidos': 282081, 'unidos hasta': 941748, 'hasta australia': 378826, 'australia francia': 103284, 'francia espa': 331086, 'espa los': 280416, 'los clientes': 503377, 'clientes han': 182156, 'han dejado': 374689, 'dejado vac': 232598, 'vac los': 951552, 'los estantes': 503379, 'estantes de': 282084, 'de los': 229083, 'supermercados destinados': 824294, 'destinados al': 238968, 'al papel': 40598, 'papel higi': 639752, 'higi nico': 396171, 'nico en': 562604, 'en medio': 275390, 'medio del': 526943, 'del nico': 232628, 'nico por': 562606, 'por el': 664767, 'el nuevo': 270450, 'nuevo coronavirus': 576772, 'coronavirus afp': 205464, 'la escena se': 478156, 'escena se repite': 280337, 'se repite alrededor': 743055, 'repite alrededor del': 711577, 'alrededor del mundo': 47771, 'del mundo desde': 232627, 'mundo desde estados': 546071, 'desde estados unidos': 237988, 'estados unidos hasta': 282082, 'unidos hasta australia': 941749, 'hasta australia francia': 378827, 'australia francia espa': 103285, 'francia espa los': 331087, 'espa los clientes': 280417, 'los clientes han': 503378, 'clientes han dejado': 182157, 'han dejado vac': 374690, 'dejado vac los': 232599, 'vac los estantes': 951553, 'los estantes de': 503380, 'estantes de los': 282085, 'de los supermercados': 229084, 'los supermercados destinados': 503385, 'supermercados destinados al': 824295, 'destinados al papel': 238969, 'al papel higi': 40599, 'papel higi nico': 639753, 'higi nico en': 396172, 'nico en medio': 562605, 'en medio del': 275391, 'medio del nico': 526944, 'del nico por': 232629, 'nico por el': 562607, 'por el nuevo': 664768, 'el nuevo coronavirus': 270451, 'nuevo coronavirus afp': 576773, 'ha your': 372508, 'location closed': 498878, 'door of retail': 255665, 'retail store around': 718610, 'the country amid': 852045, 'country amid the': 210427, 'outbreak ha your': 628281, 'ha your store': 372512, 'your store location': 1025974, 'store location closed': 808794, 'healthday': 387436, 'to healthday': 907388, 'healthday news': 387438, 'quote medtwitter': 694997, 'medtwitter 19': 527370, 'thanks to healthday': 842233, 'to healthday news': 907389, 'healthday news for': 387439, 'news for including': 560435, 'my quote medtwitter': 549882, 'quote medtwitter 19': 694998, 'no wearing': 565878, 'no wearing glove': 565879, 'supermarket is not': 821106, 'closure job': 183927, 'disruption covid': 246457, 'impacted family': 418111, 'city putting': 179339, 'putting growing': 691121, 'we donated': 971401, 'donated 150k': 254304, '150k to': 3966, 'to 20k': 899608, '20k grant': 14904, 'grant to': 362052, 'with school closure': 1000599, 'school closure job': 741750, 'closure job disruption': 183928, 'job disruption covid': 465789, 'disruption covid 19': 246458, '19 ha severely': 7383, 'severely impacted family': 754093, 'impacted family in': 418112, 'in the twin': 429632, 'the twin city': 870131, 'twin city putting': 936571, 'city putting growing': 179340, 'putting growing demand': 691122, 'growing demand on': 367168, 'food bank that': 313654, 'bank that why': 110235, 'that why we': 847550, 'why we donated': 991522, 'we donated 150k': 971404, 'donated 150k to': 254305, '150k to 20k': 3967, 'to 20k grant': 899609, '20k grant to': 14905, 'grant to on': 362056, 'to on wheel': 910901, '19 bringing': 5444, 'bringing out': 140183, 'worst in': 1011204, 'people today': 649968, 'today me': 919870, 'boyfriend walked': 137431, 'walking two': 965118, 'apart you': 81381, 'british woman': 140620, 'least twice': 484675, 'twice my': 936534, 'age start': 37900, 'start shouting': 794500, 'shouting saying': 766796, 'are irresponsible': 87577, 'house together': 406637, 'an example of': 55906, 'example of covid': 288932, 'covid 19 bringing': 212730, '19 bringing out': 5445, 'bringing out the': 140186, 'the worst in': 872058, 'worst in people': 1011205, 'in people today': 426603, 'people today me': 649969, 'today me and': 919871, 'and my boyfriend': 67356, 'my boyfriend walked': 547526, 'boyfriend walked to': 137432, 'supermarket walking two': 823721, 'walking two metre': 965119, 'metre apart you': 529833, 'apart you have': 81382, 'have to british': 383169, 'to british woman': 902064, 'british woman at': 140621, 'woman at least': 1003419, 'at least twice': 99561, 'least twice my': 484676, 'twice my age': 936535, 'my age start': 547239, 'age start shouting': 37901, 'start shouting saying': 794501, 'shouting saying we': 766797, 'saying we are': 739751, 'we are irresponsible': 970601, 'are irresponsible for': 87578, 'irresponsible for leaving': 445052, 'for leaving the': 322922, 'the house together': 857644, 'galore': 343078, 'if retail': 414736, 'worker of': 1007469, 'could they': 209763, 'have legit': 381307, 'legit lawsuit': 486035, 'lawsuit cuz': 482526, 'cuz think': 223826, 'have potential': 382008, 'potential client': 667033, 'client galore': 182037, 'galore from': 343079, 'if retail worker': 414737, 'retail worker of': 718899, 'worker of non': 1007474, 'of non essential': 587054, 'non essential store': 566363, 'essential store is': 281591, 'store is required': 808522, 'required to work': 713412, 'with the store': 1001499, 'the store open': 868071, 'public and they': 687858, 'and they get': 73907, '19 could they': 6161, 'could they have': 209765, 'they have legit': 882339, 'have legit lawsuit': 381308, 'legit lawsuit cuz': 486036, 'lawsuit cuz think': 482527, 'cuz think you': 223827, 'you have potential': 1019094, 'have potential client': 382009, 'potential client galore': 667034, 'client galore from': 182038, 'galore from this': 343080, 'fulfil': 340390, 'although our': 49341, 'website available': 975217, 'for window': 327886, 'currently unable': 221698, 'to fulfil': 906297, 'fulfil any': 340391, 'order due': 618178, '19 sorry': 10707, 'any inconvenience': 79350, 'inconvenience caused': 432588, 'caused please': 167937, 'daily up': 224850, 'medium page': 527211, 'page stay': 633892, 'although our website': 49342, 'our website available': 625332, 'website available for': 975218, 'available for window': 104389, 'for window shopping': 327887, 'window shopping we': 995720, 'shopping we are': 764346, 'are currently unable': 85680, 'currently unable to': 221699, 'unable to fulfil': 939328, 'to fulfil any': 906298, 'fulfil any online': 340392, 'any online order': 79565, 'online order due': 608685, 'order due to': 618180, 'covid 19 sorry': 213834, '19 sorry for': 10708, 'for any inconvenience': 319409, 'any inconvenience caused': 79352, 'inconvenience caused please': 432589, 'caused please check': 167938, 'please check our': 659777, 'website for daily': 975266, 'for daily up': 320529, 'daily up to': 224851, 'date information or': 226665, 'information or our': 437939, 'or our social': 616462, 'social medium page': 779872, 'medium page stay': 527212, 'page stay safe': 633893, 'polythene': 663954, 'stop licking': 804807, 'licking your': 488260, 'finger to': 307823, 'grab polythene': 361525, 'polythene bag': 663955, 'stop licking your': 804808, 'licking your finger': 488261, 'your finger to': 1023884, 'finger to grab': 307824, 'to grab polythene': 906968, 'grab polythene bag': 361526, 'polythene bag in': 663956, 'reiterating': 708308, 'fjunited': 309891, 'council is': 209992, 'is reiterating': 451403, 'reiterating that': 708309, 'to unscrupulous': 917964, 'unscrupulous trade': 943459, 'practice fbcnews': 668556, 'fiji fjunited': 305280, 'fjunited more': 309892, 'consumer council is': 196998, 'council is reiterating': 209994, 'is reiterating that': 451404, 'reiterating that customer': 708310, 'that customer should': 843422, 'should be vigilant': 765764, 'be vigilant and': 117999, 'vigilant and not': 957236, 'and not fall': 67734, 'not fall prey': 569362, 'prey to unscrupulous': 672082, 'to unscrupulous trade': 917965, 'unscrupulous trade practice': 943460, 'trade practice fbcnews': 928550, 'practice fbcnews fijinews': 668557, 'fijinews fiji fjunited': 305313, 'fiji fjunited more': 305281, 'geoff': 345939, 'president ceo': 670781, 'ceo geoff': 169709, 'geoff cooper': 345940, 'cooper on': 203124, 'on industry': 601564, 'industry uncertainty': 436195, '19 don': 6623, 'think anybody': 885145, 'anybody know': 80097, 'that recovery': 845971, 'or how': 615688, 'of capacity': 581114, 'capacity and': 162492, 'and utilization': 74816, 'president ceo geoff': 670783, 'ceo geoff cooper': 169710, 'geoff cooper on': 345941, 'cooper on industry': 203125, 'on industry uncertainty': 601565, 'industry uncertainty amid': 436196, 'uncertainty amid covid': 939644, 'covid 19 don': 212976, '19 don think': 6632, 'don think anybody': 253972, 'think anybody know': 885146, 'anybody know what': 80099, 'what that recovery': 982288, 'that recovery look': 845973, 'recovery look like': 705356, 'look like or': 502503, 'like or how': 490934, 'or how long': 615691, 'how long it': 408203, 'long it will': 501470, 'will take in': 995073, 'take in term': 832219, 'term of capacity': 838213, 'of capacity and': 581115, 'capacity and utilization': 162495, 'speaking today': 787776, 'can price': 159292, 'to dive': 904456, 'dive how': 248483, 'that affect': 842509, 'affect oil': 34192, 'speaking today to': 787777, 'today to on': 920361, 'to on how': 910898, 'on how low': 601409, 'low can price': 505176, 'can price continue': 159293, 'continue to dive': 201180, 'to dive how': 904457, 'dive how would': 248484, 'how would that': 409261, 'would that affect': 1012314, 'that affect oil': 842510, 'affect oil company': 34193, 'light of crisis': 489552, 'toiletpapier': 923353, 'odishafightscorona': 579253, 'at india': 99289, 'india do': 434378, 'need toiletpaper': 556126, 'toiletpaperpanic toiletpapier': 923295, 'toiletpapier toiletpapercrisis': 923356, 'toiletpapercrisis odishafightscorona': 923042, 'thank god we': 841585, 'god we at': 354829, 'we at india': 970800, 'at india do': 99290, 'india do not': 434379, 'not need toiletpaper': 570676, 'need toiletpaper toiletpaperapocalypse': 556127, 'toiletpaperapocalypse toiletpaperpanic toiletpapier': 922951, 'toiletpaperpanic toiletpapier toiletpapercrisis': 923296, 'toiletpapier toiletpapercrisis odishafightscorona': 923357, 'escapee': 280324, 'not inundated': 570168, 'with escapee': 998251, 'escapee from': 280325, 'city on': 179300, 'coast putting': 185111, 'putting huge': 691133, 'on service': 603378, 'availability let': 104152, 'alone introducing': 46873, 'introducing covid': 443490, '19 resident': 10125, 'holiday area': 400262, 'are requesting': 89608, 'requesting second': 713277, 'are not inundated': 88402, 'not inundated with': 570169, 'inundated with escapee': 443547, 'with escapee from': 998252, 'escapee from the': 280326, 'the city on': 850950, 'city on the': 179302, 'on the west': 604447, 'west coast putting': 980487, 'coast putting huge': 185112, 'putting huge demand': 691134, 'huge demand on': 410024, 'demand on service': 235973, 'on service and': 603380, 'service and food': 752087, 'and food availability': 63029, 'food availability let': 313465, 'availability let alone': 104153, 'let alone introducing': 486581, 'alone introducing covid': 46874, 'introducing covid 19': 443491, 'covid 19 resident': 213698, '19 resident of': 10126, 'resident of holiday': 714341, 'of holiday area': 584709, 'holiday area are': 400263, 'area are requesting': 91954, 'are requesting second': 89609, 'requesting second home': 713278, 'second home owner': 743739, 'home owner to': 401815, 'owner to stay': 632586, 'great so': 362996, 'all very': 45357, 'well having': 978273, 'home shop': 402053, 'when order': 983815, 'order there': 618638, 'thing unavailable': 884925, 'unavailable thought': 939461, 'around beg': 93221, 'beg to': 123362, 'to differ': 904282, 'differ just': 241801, 'delivered stop': 233396, 'great so it': 362998, 'so it all': 777455, 'it all very': 456383, 'all very well': 45361, 'very well having': 955666, 'well having home': 978274, 'having home shop': 384107, 'home shop but': 402054, 'shop but when': 760007, 'but when order': 147820, 'when order there': 983816, 'order there are': 618639, 'there are 19': 878052, 'are 19 thing': 84110, '19 thing unavailable': 11329, 'thing unavailable thought': 884926, 'unavailable thought there': 939462, 'there wa more': 879251, 'wa more than': 962652, 'go around beg': 353308, 'around beg to': 93222, 'beg to differ': 123363, 'to differ just': 904283, 'differ just want': 241802, 'home but can': 400830, 'but can because': 145344, 'can because can': 157724, 'because can get': 118976, 'food delivered stop': 314098, 'delivered stop panic': 233397, 'stain': 793281, 'coronacrisis it': 204646, 'isolate all': 454807, 'all nothing': 43661, 'do bet': 249131, 'the mp': 861111, 'mp are': 544240, 'still drinking': 800464, 'drinking in': 258931, 'common bar': 189361, 'bar drive': 110702, 'drive car': 259008, 'car that': 163307, 'that delivers': 843484, 'get drink': 346906, 'drink on': 258867, 'weekend because': 977321, 'because nothing': 119289, 'can stain': 159717, 'stain the': 793284, 'milk paint': 531760, 'paint causing': 634279, 'coronacrisis it time': 204650, 'time to isolate': 898006, 'to isolate all': 908533, 'isolate all nothing': 454808, 'all nothing else': 43662, 'nothing else to': 572998, 'else to do': 271938, 'to do bet': 904487, 'do bet the': 249132, 'bet the mp': 128109, 'the mp are': 861112, 'mp are still': 544242, 'are still drinking': 90416, 'still drinking in': 800465, 'drinking in the': 258932, 'in the common': 429085, 'the common bar': 851249, 'common bar drive': 189362, 'bar drive car': 110703, 'drive car that': 259009, 'car that delivers': 163308, 'that delivers food': 843485, 'to store but': 915609, 'store but cannot': 806785, 'but cannot get': 145381, 'cannot get drink': 161883, 'get drink on': 346907, 'drink on the': 258868, 'the weekend because': 871325, 'weekend because nothing': 977322, 'because nothing in': 119290, 'store can stain': 806862, 'can stain the': 159718, 'stain the milk': 793285, 'the milk paint': 860610, 'milk paint causing': 531761, 'paint causing panic': 634280, 'causing panic shopper': 168082, 'it field': 457990, 'house stayhome': 406577, 'is from my': 447946, 'from my friend': 336509, 'my friend who': 548458, 'who is nurse': 989096, 'is nurse and': 450368, 'nurse and is': 577201, 'and is dealing': 65399, 'dealing with patient': 229682, 'with patient who': 1000112, 'patient who have': 644305, 'have the this': 383036, 'the this is': 869487, 'you to stay': 1021842, 'stay home stop': 797010, 'home stop taking': 402157, 'stop taking all': 805097, 'taking all your': 833269, 'all your kid': 45570, 'store like it': 808728, 'like it field': 490533, 'it field trip': 457991, 'field trip just': 304530, 'trip just to': 932106, 'the house stayhome': 857636, 'house stayhome stayathome': 406578, 'plush doll': 661729, 'doll stuffed': 252941, 'animal from': 76603, 'and stuffed': 72620, 'bear stuffed': 118419, 'animal stuffed': 76660, 'stuffed pillow': 815286, 'pillow stuffed': 656724, 'stuffed puppet': 815288, 'puppet and': 689300, 'animal more': 76630, 'animal plush doll': 76643, 'plush doll stuffed': 661730, 'doll stuffed animal': 252942, 'stuffed animal from': 815276, 'animal from great': 76604, 'stuffed animal and': 815275, 'animal and stuffed': 76551, 'and stuffed animal': 72621, 'teddy bear stuffed': 836433, 'bear stuffed animal': 118420, 'stuffed animal stuffed': 815280, 'animal stuffed pillow': 76661, 'stuffed pillow stuffed': 815287, 'pillow stuffed puppet': 656725, 'stuffed puppet and': 815289, 'puppet and stuffed': 689301, 'stuffed animal more': 815277, 'animal more in': 76631, 'more in every': 539512, 'in every day': 422676, 'every day 10': 285787, 'day 10 via': 227091, 'coveryourmouth': 212522, 'mouthwash': 543589, 'closeup': 183562, 'new revelation': 559493, 'revelation keep': 720362, 'keep mint': 471667, 'mint handy': 533660, 'handy apart': 376880, 'from sanitizer': 337154, 'sanitizer news': 735405, 'news mask': 560600, 'mask fridaythoughts': 518696, 'fridaythoughts coveryourmouth': 333354, 'coveryourmouth mouthwash': 212523, 'mouthwash closeup': 543590, 'new revelation keep': 559494, 'revelation keep mint': 720363, 'keep mint handy': 471668, 'mint handy apart': 533661, 'handy apart from': 376881, 'apart from sanitizer': 81273, 'from sanitizer news': 337155, 'sanitizer news mask': 735406, 'news mask fridaythoughts': 560601, 'mask fridaythoughts coveryourmouth': 518697, 'fridaythoughts coveryourmouth mouthwash': 333355, 'coveryourmouth mouthwash closeup': 212524, 'being stupid': 125876, 'not end': 569167, 'end wake': 276062, 'up yourselves': 946761, 'stop being stupid': 804499, 'being stupid and': 125877, 'and selfish in': 71193, 'supermarket the world': 823258, 'doe not end': 251491, 'not end wake': 569168, 'end wake up': 276063, 'wake up yourselves': 964633, 'create competition': 215624, 'competition that': 191743, 'that contestant': 843314, 'contestant have': 200890, 'most everything': 542304, 'everything due': 287763, 'to without': 918651, 'without sport': 1002932, 'sport need': 789954, 'need something': 555606, 'can create competition': 158024, 'create competition that': 215625, 'competition that contestant': 191744, 'that contestant have': 843315, 'contestant have to': 200891, 'have to shop': 383299, 'shop in supermarket': 760326, 'that is out': 844636, 'out of most': 626791, 'of most everything': 586672, 'most everything due': 542305, 'everything due to': 287764, 'due to without': 262031, 'to without sport': 918652, 'without sport need': 1002933, 'sport need something': 789955, 'why think': 991465, 'think your': 885820, 'your comparable': 1023292, 'comparable to': 191374, 'pharmacy your': 654589, 'your god': 1024066, 'damn retail': 225414, 'store ur': 811022, 'ur shelf': 948056, 'empty who': 275238, 'helping no': 391401, 'know why think': 477060, 'why think your': 991466, 'think your comparable': 885822, 'your comparable to': 1023293, 'comparable to walmart': 191375, 'to walmart or': 918313, 'walmart or pharmacy': 965384, 'or pharmacy your': 616596, 'pharmacy your god': 654590, 'your god damn': 1024067, 'god damn retail': 354677, 'damn retail store': 225415, 'retail store ur': 718722, 'store ur shelf': 811023, 'ur shelf are': 948057, 'are empty who': 86176, 'empty who are': 275239, 'are helping no': 87100, 'helping no one': 391402, 'no one but': 564921, 'one but covid': 606020, '19 spread do': 10742, 'spread do more': 790512, 'do more for': 249596, 'more for your': 539274, 'for your worker': 328228, 'an seller': 56793, 'seller for': 749020, '15 yr': 3882, 'yr horrified': 1027020, 'horrified to': 404167, 'pricegouging listing': 677824, 'listing being': 494830, 'being allowed': 124833, 'allowed on': 46192, 'site toiletpaper': 772040, 'for 150': 318672, '150 seriously': 3927, 'ashamed for': 95047, 'for providing': 324833, 'providing venue': 687131, 'venue for': 954713, 'these illegal': 880148, 'illegal practice': 416231, 'practice toiletpaper': 668694, 'toiletpaperpanic ebay': 923208, 'an seller for': 56794, 'seller for 15': 749021, 'for 15 yr': 318671, '15 yr horrified': 3883, 'yr horrified to': 1027021, 'horrified to see': 404168, 'see the hundred': 745844, 'the hundred of': 857743, 'hundred of pricegouging': 411009, 'of pricegouging listing': 588423, 'pricegouging listing being': 677825, 'listing being allowed': 494831, 'being allowed on': 124835, 'allowed on your': 46194, 'your site toiletpaper': 1025818, 'site toiletpaper for': 772041, 'toiletpaper for 150': 921997, 'for 150 seriously': 318674, '150 seriously you': 3928, 'seriously you should': 751806, 'be ashamed for': 113695, 'ashamed for providing': 95050, 'for providing venue': 324838, 'providing venue for': 687132, 'venue for these': 954714, 'for these illegal': 326970, 'these illegal practice': 880149, 'illegal practice toiletpaper': 416233, 'practice toiletpaper toiletpaperpanic': 668695, 'toiletpaper toiletpaperpanic ebay': 922694, 'apps serve': 83304, 'serve covid': 751875, 'delivery apps serve': 233703, 'apps serve covid': 83305, 'serve covid 19': 751876, '19 demand at': 6481, 'demand at price': 235045, 'at price by': 100199, 'love shopping': 504776, 'cause like': 167631, 'like love': 490683, 'these online': 880369, 'now giving': 574793, 'giving of': 351358, 'profit to': 682874, '19 aid': 4872, 'aid program': 39443, 'love shopping for': 504777, 'for cause like': 319970, 'cause like love': 167633, 'like love that': 490684, 'love that these': 504800, 'that these online': 846915, 'these online retailer': 880372, 'online retailer are': 608878, 'retailer are now': 719010, 'are now giving': 88552, 'now giving of': 574794, 'giving of profit': 351359, 'of profit to': 588523, 'profit to covid': 682875, 'covid 19 aid': 212600, '19 aid program': 4873, 'mall closing': 511769, 'and mall closing': 66611, 'mall closing in': 511771, 'closing in canada': 183657, '114': 2654, 'manuka': 513693, 'am seeing': 50366, 'this correctly': 886910, 'correctly 114': 207596, '114 for': 2655, 'for manuka': 323203, 'manuka honey': 513694, 'honey there': 403183, 'no manuka': 564696, 'honey left': 403177, 'shelf apparently': 756782, 'the magic': 859882, 'magic cure': 508383, 'cure prevention': 220793, 'virus all': 957903, 'sudden you': 817055, 'ashamed panicbuyers': 95072, 'am seeing this': 50367, 'seeing this correctly': 746515, 'this correctly 114': 886911, 'correctly 114 for': 207597, '114 for manuka': 2656, 'for manuka honey': 323204, 'manuka honey there': 513696, 'honey there is': 403184, 'is no manuka': 449948, 'no manuka honey': 564697, 'manuka honey left': 513695, 'honey left on': 403178, 'left on any': 485585, 'on any of': 599402, 'supermarket shelf apparently': 822427, 'shelf apparently it': 756783, 'apparently it the': 81958, 'it the magic': 461556, 'the magic cure': 859883, 'magic cure prevention': 508384, 'cure prevention of': 220794, 'prevention of this': 671878, 'this virus all': 890996, 'virus all of': 957904, 'of sudden you': 590377, 'sudden you should': 817057, 'be ashamed panicbuyers': 113698, 'vulnerable stuck': 961185, 'week my': 976548, 'husband robin': 411754, 'robin is': 724730, 'safe our': 729871, 'biggest issue': 130263, 'done could': 254812, 'supermarket also': 818889, 'some priority': 783638, 'too isolationessentials': 924809, 'isolationessentials shop': 455533, 'the vulnerable stuck': 870997, 'vulnerable stuck at': 961186, 'home for 12': 401216, '12 week my': 2987, 'week my lovely': 976550, 'lovely husband robin': 504965, 'husband robin is': 411755, 'robin is doing': 724731, 'is doing the': 447291, 'same to keep': 733384, 'keep safe our': 471886, 'safe our biggest': 729872, 'our biggest issue': 622208, 'biggest issue is': 130264, 'issue is getting': 455814, 'is getting the': 448047, 'getting the weekly': 349360, 'the weekly shop': 871348, 'shop done could': 760109, 'done could supermarket': 254813, 'could supermarket also': 209736, 'supermarket also do': 818890, 'also do some': 48112, 'do some priority': 250129, 'some priority online': 783639, 'shopping for too': 762723, 'for too isolationessentials': 327281, 'too isolationessentials shop': 924810, 'westbury': 980570, 'trym': 934901, 'hey james': 394435, 'james me': 464402, 'team at': 835596, 'at coop': 98330, 'coop food': 203102, 'food westbury': 317552, 'westbury on': 980571, 'on trym': 604870, 'trym are': 934902, 'providing people': 687069, 'little sanitizer': 495554, 'go round': 354075, 'round 29': 726311, '29 member': 16484, 'community with': 190235, '100 po': 2039, 'hey james me': 394436, 'james me and': 464403, 'me and the': 522429, 'and the team': 73610, 'the team at': 869201, 'team at coop': 835598, 'at coop food': 98331, 'coop food westbury': 203103, 'food westbury on': 317553, 'westbury on trym': 980572, 'on trym are': 604871, 'trym are providing': 934903, 'are providing people': 89322, 'providing people with': 687070, 'people with food': 650452, 'with food in': 998493, 'food in our': 314956, 'mask and little': 518344, 'and little sanitizer': 66244, 'little sanitizer to': 495555, 'sanitizer to go': 735924, 'to go round': 906847, 'go round 29': 354076, 'round 29 member': 726312, '29 member of': 16485, 'of staff so': 590025, 'staff so to': 792871, 'so to provide': 778540, 'provide our staff': 686421, 'staff and community': 792131, 'and community with': 60181, 'community with 100': 190236, 'with 100 po': 996932, 'bullshit just': 142498, 'clear they': 181368, 'they ask': 881496, 'ask citizen': 95499, 'ask nurse': 95595, 'nurse not': 577427, 'on ward': 605105, 'ward 19': 966624, '19 bullshit': 5472, 'bullshit just to': 142499, 'be clear they': 114104, 'clear they ask': 181369, 'they ask citizen': 881498, 'ask citizen to': 95500, 'citizen to wear': 178989, 'to wear face': 918427, 'mask when they': 519542, 'when they go': 984262, 'supermarket but ask': 819441, 'but ask nurse': 145231, 'ask nurse not': 95596, 'nurse not to': 577428, 'mask on ward': 519057, 'on ward 19': 605106, 'ward 19 bullshit': 966625, 'ilford': 416087, 'price matter': 675182, 'of principle': 588430, 'principle can': 678240, 'get halal': 347178, 'halal at': 374102, 'sainsburys without': 731810, 'without paying': 1002831, 'coronavirus shop': 206755, 'shop profiting': 760687, 'off death': 593761, 'death ilford': 230072, 'ilford lane': 416088, 'lane business': 479439, 'business accused': 143207, 'not paying these': 570994, 'paying these price': 645508, 'these price matter': 880537, 'price matter of': 675183, 'matter of principle': 520612, 'of principle can': 588431, 'principle can get': 678241, 'can get halal': 158419, 'get halal at': 347179, 'halal at asda': 374103, 'at asda tesco': 98055, 'asda tesco sainsburys': 94989, 'tesco sainsburys without': 838800, 'sainsburys without paying': 731811, 'without paying extortionate': 1002832, 'extortionate price coronavirus': 293390, 'price coronavirus shop': 673262, 'coronavirus shop profiting': 206756, 'shop profiting off': 760688, 'profiting off death': 683133, 'off death ilford': 593762, 'death ilford lane': 230073, 'ilford lane business': 416089, 'lane business accused': 479440, 'business accused of': 143208, 'doncaster': 254743, 'mccolls': 522106, 'berth': 127420, 'in doncaster': 422364, 'doncaster either': 254744, 'either smaller': 270375, 'smaller shop': 775295, 'like mccolls': 490732, 'mccolls still': 522107, 'still ok': 800927, 'for bread': 319771, 'milk etc': 531664, 'at usual': 101419, 'price inclined': 674756, 'give supermarket': 350722, 'supermarket wide': 823874, 'wide berth': 991703, 'berth now': 127423, 'too bad in': 924599, 'bad in doncaster': 107900, 'in doncaster either': 422365, 'doncaster either smaller': 254745, 'either smaller shop': 270376, 'smaller shop like': 775297, 'shop like mccolls': 760407, 'like mccolls still': 490733, 'mccolls still ok': 522108, 'still ok for': 800928, 'ok for bread': 597799, 'for bread milk': 319775, 'bread milk etc': 138527, 'milk etc at': 531665, 'etc at usual': 282433, 'at usual price': 101420, 'usual price inclined': 951004, 'price inclined to': 674757, 'inclined to give': 431494, 'to give supermarket': 906716, 'give supermarket wide': 350723, 'supermarket wide berth': 823875, 'wide berth now': 991705, 'berth now coronacrisis': 127424, 'incorrectly': 432629, 'found whole': 330471, 'new pandemic': 559251, 'pandemic anxiety': 634926, 'using mask': 950552, 'glove incorrectly': 352736, 'incorrectly it': 432630, 'it panic': 460247, 'panic me': 638301, 'found whole new': 330472, 'whole new pandemic': 990272, 'new pandemic anxiety': 559252, 'pandemic anxiety today': 634927, 'anxiety today people': 78810, 'today people at': 920031, 'grocery store using': 365907, 'store using mask': 811033, 'using mask and': 950553, 'and glove incorrectly': 63725, 'glove incorrectly it': 352737, 'incorrectly it panic': 432631, 'it panic me': 460252, 'powderedface': 667544, 'stuckathome': 814628, 'artistinresidence': 94633, 'interiordesignideas': 441697, 'interiordesign': 441695, 'latest piece': 481487, 'my ring': 549953, 'ring ring': 722529, 'ring of': 722527, 'of rose': 589161, 'rose collection': 726062, 'collection art': 186406, 'art tattoo': 94195, 'tattoo woman': 834875, 'woman face': 1003480, 'face powderedface': 294710, 'powderedface toiletpaper': 667545, 'toiletpaper stuckathome': 922557, 'stuckathome artistinresidence': 814629, 'artistinresidence interiordesignideas': 94634, 'interiordesignideas interiordesign': 441698, 'interiordesign designer': 441696, 'my latest piece': 548987, 'latest piece from': 481489, 'piece from my': 656305, 'from my ring': 336523, 'my ring ring': 549954, 'ring ring of': 722530, 'ring of rose': 722528, 'of rose collection': 589162, 'rose collection art': 726063, 'collection art tattoo': 186407, 'art tattoo woman': 94196, 'tattoo woman face': 834876, 'woman face powderedface': 1003481, 'face powderedface toiletpaper': 294711, 'powderedface toiletpaper stuckathome': 667546, 'toiletpaper stuckathome artistinresidence': 922558, 'stuckathome artistinresidence interiordesignideas': 814630, 'artistinresidence interiordesignideas interiordesign': 94635, 'interiordesignideas interiordesign designer': 441699, 'your strategy': 1026001, 'strategy isn': 812669, 'working more': 1008777, 'item than': 463683, 'ever aren': 285203, 'available it': 104468, 'good just': 357305, 'just asking': 468233, 'be enforced': 114678, 'enforced stopstockpiling': 276727, 'stophoarding people': 805441, 'starve unless': 795230, 'your strategy isn': 1026004, 'strategy isn working': 812670, 'isn working more': 454759, 'working more item': 1008778, 'more item than': 539637, 'item than ever': 463684, 'than ever aren': 840571, 'ever aren available': 285204, 'aren available it': 92337, 'available it no': 104469, 'it no good': 459828, 'no good just': 564370, 'good just asking': 357306, 'just asking people': 468236, 'asking people not': 96038, 'buy it ha': 148854, 'to be enforced': 901235, 'be enforced stopstockpiling': 114682, 'enforced stopstockpiling stophoarding': 276728, 'stopstockpiling stophoarding people': 805880, 'stophoarding people will': 805443, 'people will starve': 650413, 'will starve unless': 994954, 'starve unless you': 795231, 'unless you take': 942676, 'you take action': 1021505, 'hoarding work': 399667, 'every client': 285738, 'client ve': 182122, 'seen is': 747096, 'is stressed': 452367, 'stressed they': 813468, 'selfish hole': 748129, 'hole have': 400215, 'have raided': 382146, 'raided all': 695623, 'be greedy': 115097, 'and hoarding work': 64669, 'hoarding work in': 399668, 'bank and every': 109607, 'and every client': 62370, 'every client ve': 285740, 'client ve seen': 182123, 've seen is': 953535, 'seen is stressed': 747097, 'is stressed they': 452369, 'stressed they have': 813469, 'have no toilet': 381662, 'paper or food': 640550, 'or food because': 615340, 'food because selfish': 313711, 'because selfish hole': 119537, 'selfish hole have': 748130, 'hole have raided': 400216, 'have raided all': 382147, 'raided all the': 695624, 'grocery shopping please': 365068, 'shopping please use': 763651, 'please use common': 660707, 'sense and don': 750488, 'and don be': 61624, 'don be greedy': 253360, 'tweeps': 936293, 'definitely telling': 232403, 'telling everyone': 837191, 'if test': 414924, 'everyone tweeps': 287516, 'tweeps colleague': 936294, 'colleague nearby': 186226, 'supermarket my': 821555, 'place remember': 657671, 'remember going': 710198, 'definitely telling everyone': 232404, 'telling everyone if': 837193, 'everyone if test': 287027, 'if test positive': 414925, '19 like everyone': 8326, 'like everyone tweeps': 490195, 'everyone tweeps colleague': 287517, 'tweeps colleague nearby': 936295, 'colleague nearby supermarket': 186227, 'nearby supermarket my': 553687, 'supermarket my neighbor': 821558, 'my neighbor and': 549425, 'neighbor and every': 556975, 'every other place': 286071, 'other place remember': 620723, 'place remember going': 657672, 'remember going to': 710199, 'vestibule': 955696, 'not app': 568226, 'app capable': 81691, 'capable they': 162487, 'have someone': 382647, 'the vestibule': 870712, 'vestibule possibly': 955697, 'possibly closing': 665907, 'take order': 832430, 'eliminate contact': 271443, 'and contamination': 60481, 'an app and': 55353, 'app and pick': 81673, 'pick up at': 655704, 'store that is': 810555, 'that is best': 844561, 'is best if': 446142, 'best if the': 127727, 'store are not': 806501, 'are not app': 88324, 'not app capable': 568227, 'app capable they': 81692, 'capable they should': 162488, 'should have someone': 766094, 'have someone in': 382649, 'someone in the': 784521, 'in the vestibule': 429647, 'the vestibule possibly': 870713, 'vestibule possibly closing': 955698, 'possibly closing the': 665908, 'store to take': 810819, 'to take order': 916216, 'take order for': 832431, 'order for people': 618237, 'people to eliminate': 649896, 'to eliminate contact': 904989, 'eliminate contact and': 271444, 'contact and contamination': 200010, 'and contamination of': 60482, 'contamination of the': 200726, 'usdot': 948997, 'nh urge': 562156, 'urge usdot': 948246, 'usdot to': 948998, 'ensure fair': 277935, 'fair playing': 296362, 'playing field': 659401, 'care aid': 163828, 'aid recovery': 39450, 'package ice': 633296, 'ice arena': 412643, 'arena becomes': 92609, 'becomes surge': 120254, 'surge center': 828141, 'center nh': 169266, 'bank plan': 110099, 'plan mobile': 658172, 'mobile drive': 534966, 'latest on covid': 481473, '19 in nh': 7769, 'in nh urge': 425863, 'nh urge usdot': 562157, 'urge usdot to': 948247, 'usdot to ensure': 948999, 'to ensure fair': 905158, 'ensure fair playing': 277936, 'fair playing field': 296363, 'playing field for': 659402, 'field for in': 304476, 'for in care': 322508, 'in care aid': 421244, 'care aid recovery': 163829, 'aid recovery package': 39451, 'recovery package ice': 705378, 'package ice arena': 633297, 'ice arena becomes': 412644, 'arena becomes surge': 92610, 'becomes surge center': 120255, 'surge center nh': 828142, 'center nh food': 169267, 'food bank plan': 313615, 'bank plan mobile': 110100, 'plan mobile drive': 658173, 'mobile drive to': 534967, 'drive to meet': 259223, 'olderadults': 598692, 'olderadults are': 598693, 'fraudulent claim': 331449, 'claim offer': 179771, 'offer tip': 594844, 'scam caregiver': 740102, 'caregiver inthistogether': 164511, 'olderadults are particularly': 598694, 'vulnerable to fraudulent': 961220, 'to fraudulent claim': 906228, 'fraudulent claim offer': 331450, 'claim offer tip': 179772, 'offer tip on': 594846, 'tip on preventing': 898859, 'preventing scam caregiver': 671824, 'scam caregiver inthistogether': 740104, 'via training': 956337, 'training aca': 929323, 'crisis fallout via': 217368, 'fallout via training': 297398, 'via training aca': 956338, 'store why': 811315, 'busy joke': 144926, 'joke she': 467132, 'she thought': 756384, 'serious so': 751474, 'it ride': 460765, 'ride until': 721469, 'until left': 943758, 'left she': 485633, 'be telling': 117534, 'she helped': 756119, 'helped someone': 391096, 'count making': 210133, 'making difference': 511023, 'asked the cashier': 95837, 'the cashier at': 850483, 'cashier at the': 166488, 'grocery store why': 365955, 'store why it': 811319, 'so busy joke': 776659, 'busy joke she': 144927, 'joke she thought': 467133, 'she thought wa': 756386, 'thought wa serious': 893295, 'wa serious so': 963169, 'serious so let': 751475, 'so let it': 777543, 'let it ride': 486828, 'it ride until': 460767, 'ride until left': 721470, 'until left she': 943759, 'left she going': 485634, 'to be telling': 901580, 'be telling everyone': 117536, 'telling everyone for': 837192, 'everyone for month': 286919, 'for month that': 323540, 'month that she': 538037, 'that she helped': 846238, 'she helped someone': 756121, 'helped someone who': 391097, 'had no idea': 373333, 'idea what wa': 413233, 'wa that count': 963428, 'that count making': 843376, 'count making difference': 210134, 'making difference right': 511025, 'emojis': 273249, 'glad all': 351479, 'proper emojis': 684103, 'emojis exist': 273250, 'exist for': 290233, 'for really': 324995, 'really putting': 702501, 'putting thing': 691260, 'perspective now': 653216, 'worth more': 1011401, 'than these': 841293, 'these because': 879684, 'glad all the': 351480, 'all the proper': 44876, 'the proper emojis': 864674, 'proper emojis exist': 684104, 'emojis exist for': 273251, 'exist for really': 290234, 'for really putting': 324997, 'really putting thing': 702503, 'putting thing into': 691261, 'into perspective now': 442870, 'perspective now this': 653217, 'is worth more': 454086, 'worth more than': 1011402, 'more than these': 540684, 'than these because': 841294, 'these because of': 879685, 'of this toiletpaper': 592055, 'fringing': 334082, 'it fringing': 458145, 'fringing idiot': 334083, 'idiot like': 413543, 'him who': 396775, 'rise create': 722819, 'create shortage': 215734, 'shortage he': 764992, 'also probably': 48687, 'probably wasted': 679413, 'wasted lot': 968250, 'money some': 537026, 'some will': 784216, 'have expiry': 380528, 'date shopkeeper': 226726, 'shopkeeper must': 761186, 'use rationing': 949517, 'rationing to': 697879, 'customer pricegougers': 222715, 'pricegougers hoarder': 677772, 'hoarder idiot': 399048, 'idiot panicbuying': 413568, 'it fringing idiot': 458146, 'fringing idiot like': 334084, 'idiot like him': 413544, 'like him who': 490434, 'him who have': 396776, 'who have caused': 988914, 'have caused price': 379920, 'to rise create': 913560, 'rise create shortage': 722820, 'create shortage he': 215736, 'shortage he also': 764993, 'he also probably': 384732, 'also probably wasted': 48688, 'probably wasted lot': 679414, 'wasted lot of': 968251, 'of money some': 586618, 'money some will': 537027, 'some will have': 784219, 'will have expiry': 993630, 'have expiry date': 380529, 'expiry date shopkeeper': 292093, 'date shopkeeper must': 226727, 'shopkeeper must use': 761187, 'must use rationing': 546975, 'use rationing to': 949518, 'rationing to be': 697880, 'fair to customer': 296387, 'to customer pricegougers': 903855, 'customer pricegougers hoarder': 222716, 'pricegougers hoarder idiot': 677773, 'hoarder idiot panicbuying': 399049, 'idiot panicbuying selfishpeople': 413569, 'you analyzed': 1016973, 'analyzed the': 57262, 'of ubi': 592554, 'ubi on': 937847, 'on hyperinflation': 601461, 'hyperinflation especially': 412309, 'since restricts': 770807, 'restricts discretionary': 717428, 'spending towards': 789026, 'towards only': 927223, 'staple also': 793894, 'for ubi': 327399, 'ubi have': 937845, 'you looked': 1019702, 'at creating': 98361, 'creating cryptocurrency': 215991, 'cryptocurrency based': 219968, 'on finite': 600796, 'finite agricultural': 307945, 'agricultural out': 38896, 'have you analyzed': 383654, 'you analyzed the': 1016974, 'analyzed the impact': 57263, 'impact of ubi': 417809, 'of ubi on': 592555, 'ubi on hyperinflation': 937848, 'on hyperinflation especially': 601462, 'hyperinflation especially since': 412310, 'especially since restricts': 280598, 'since restricts discretionary': 770808, 'restricts discretionary spending': 717429, 'discretionary spending towards': 244779, 'spending towards only': 789027, 'towards only consumer': 927224, 'only consumer staple': 610266, 'consumer staple also': 199114, 'staple also for': 793895, 'also for ubi': 48232, 'for ubi have': 327400, 'ubi have you': 937846, 'have you looked': 383676, 'you looked at': 1019703, 'looked at creating': 502706, 'at creating cryptocurrency': 98362, 'creating cryptocurrency based': 215992, 'cryptocurrency based on': 219969, 'based on finite': 111680, 'on finite agricultural': 600797, 'finite agricultural out': 307946, 'carparks': 164889, 've actually': 952807, 'actually noticed': 30917, 'that driving': 843630, 'driving in': 259953, 'supermarket carparks': 819535, 'carparks is': 164890, 'dangerous since': 225773, 've actually noticed': 952808, 'actually noticed that': 30918, 'noticed that driving': 573478, 'that driving in': 843631, 'driving in supermarket': 259955, 'in supermarket carparks': 428574, 'supermarket carparks is': 819536, 'carparks is more': 164891, 'more dangerous since': 538955, 'dangerous since covid': 225774, '20 result': 13304, 'the putting': 864936, 'to 2008': 899590, 'level rabobank': 487684, 'rabobank tom': 695159, 'tom bailey': 923904, 'bailey discus': 108608, 'how restaurant': 408584, 'restaurant school': 716681, 'closure are': 183850, 'affect milk': 34182, 'milk consumption': 531627, 'his outlook': 397669, 'for 2020': 318742, 'milk price could': 531779, 'could fall 20': 209160, 'fall 20 result': 296795, '20 result of': 13305, 'of the putting': 591381, 'the putting them': 864937, 'putting them close': 691249, 'them close to': 875534, 'close to 2008': 182880, 'to 2008 level': 899592, '2008 level rabobank': 13682, 'level rabobank tom': 487685, 'rabobank tom bailey': 695160, 'tom bailey discus': 923905, 'bailey discus how': 108609, 'discus how restaurant': 244867, 'how restaurant school': 408587, 'restaurant school closure': 716682, 'school closure are': 741748, 'closure are likely': 183853, 'to affect milk': 900147, 'affect milk consumption': 34183, 'milk consumption and': 531628, 'consumption and share': 199832, 'and share his': 71389, 'share his outlook': 755030, 'his outlook for': 397670, 'outlook for 2020': 629148, 'for 2020 with': 318754, '70 on': 21814, 'regular basis': 707738, 'basis seems': 112271, 'an obvious': 56548, 'obvious idea': 578793, 'isolate this': 454927, 'in relative': 427374, 'relative safety': 708742, 'dedicated shopping slot': 231732, 'shopping slot in': 763906, 'slot in all': 774213, 'in all supermarket': 420185, 'all supermarket for': 44548, 'over 70 on': 629915, '70 on regular': 21816, 'on regular basis': 603126, 'regular basis seems': 707742, 'basis seems an': 112272, 'seems an obvious': 746757, 'an obvious idea': 56549, 'obvious idea to': 578794, 'idea to me': 413203, 'to me not': 909944, 'me not all': 523224, 'not all have': 568110, 'all have online': 43057, 'have online option': 381805, 'online option and': 608643, 'option and if': 613982, 'and if forced': 64934, 'forced to isolate': 328637, 'to isolate this': 908545, 'isolate this is': 454928, 'way to let': 970045, 'to let the': 909217, 'let the shop': 487141, 'the shop in': 867003, 'shop in relative': 760318, 'in relative safety': 427375, 'waiter': 964280, 'mettitilamascherinacazzo': 529972, 'mother enters': 543091, 'enters grocery': 278483, 'bread man': 138522, 'man without': 512359, 'poor waiter': 664323, 'waiter why': 964281, 'scare me': 740888, 'no sir': 565513, 'in fucking': 423147, 'fucking pandemic': 339965, 'why italy': 991151, 'shit mettitilamascherinacazzo': 759169, 'my mother enters': 549328, 'mother enters grocery': 543092, 'enters grocery store': 278484, 'store and in': 806267, 'and in front': 65052, 'front of her': 338639, 'of her in': 584576, 'buy bread man': 148444, 'bread man without': 138523, 'man without mask': 512361, 'without mask say': 1002778, 'mask say to': 519242, 'say to the': 739396, 'the poor waiter': 863997, 'poor waiter why': 664324, 'waiter why do': 964282, 'you have mask': 1019074, 'have mask to': 381444, 'mask to scare': 519421, 'to scare me': 913887, 'scare me no': 740892, 'me no sir': 523220, 'no sir we': 565514, 'sir we re': 771671, 're in fucking': 698868, 'in fucking pandemic': 423148, 'fucking pandemic and': 339966, 'pandemic and that': 634908, 'that why italy': 847537, 'why italy is': 991152, 'italy is fucking': 462858, 'is fucking shit': 447964, 'fucking shit mettitilamascherinacazzo': 339998, 'monitoring retail': 537365, 'behavior will': 124307, 'to understanding': 917919, 'understanding impact': 940876, 'it progress': 460520, 'progress retail': 683378, 'industry advisor': 435603, 'advisor share': 33739, 'already seeing': 47632, 'his latest': 397569, 'monitoring retail sale': 537366, 'retail sale and': 718503, 'sale and consumer': 732037, 'consumer behavior will': 196538, 'behavior will be': 124308, 'will be key': 992528, 'be key to': 115600, 'key to understanding': 473447, 'to understanding impact': 917920, 'understanding impact on': 940877, 'impact on it': 417862, 'on it progress': 601684, 'it progress retail': 460521, 'progress retail industry': 683379, 'retail industry advisor': 718209, 'industry advisor share': 435604, 'advisor share what': 33740, 'share what he': 755345, 'what he is': 981586, 'he is already': 385112, 'is already seeing': 445535, 'already seeing in': 47634, 'seeing in his': 746333, 'in his latest': 423732, 'his latest blog': 397570, '892': 23110, 'our walk': 625294, 'amp hygiene': 53965, 'kit we': 475663, 'supply soon': 825878, 'can drop': 158167, 'off donation': 593773, 'donation at': 254551, 'at 892': 97777, '892 cooper': 23111, 'cooper any': 203118, 'time 9am': 896190, '9am 6pm': 23950, '6pm click': 21654, 'your help due': 1024298, 'to the high': 916773, 'for our walk': 324306, 'our walk up': 625295, 'walk up food': 964912, 'up food amp': 944874, 'food amp hygiene': 313138, 'amp hygiene kit': 53967, 'hygiene kit we': 412120, 'kit we need': 475664, 'we need supply': 972552, 'need supply soon': 555681, 'supply soon possible': 825879, 'soon possible you': 785801, 'possible you can': 665885, 'you can drop': 1017666, 'can drop off': 158168, 'drop off donation': 260330, 'off donation at': 593774, 'donation at 892': 254552, 'at 892 cooper': 97778, '892 cooper any': 23112, 'cooper any time': 203119, 'any time 9am': 79968, 'time 9am 6pm': 896191, '9am 6pm click': 23952, '6pm click the': 21655, 'link to see': 493944, 'see the supply': 745890, 'the supply we': 868967, 'guess he': 367980, 'he ran': 385330, 'tp it': 927862, 'begun toiletpaper': 123740, 'guess he ran': 367981, 'he ran out': 385331, 'of tp it': 592371, 'tp it ha': 927863, 'ha begun toiletpaper': 370002, 'begun toiletpaper 19': 123741, 'foodhoaders': 317934, 'coronainnyc': 205000, 'coronainny': 204997, 'be mani': 115903, 'mani aunt': 513148, 'aunt say': 103003, 'hoarding hoarding': 399360, 'hoarding foodhoaders': 399319, 'foodhoaders corona': 317935, 'corona coronainnyc': 203880, 'coronainnyc coronainny': 205001, 'coronainny supermarket': 204998, 'supermarket compassion': 819746, 'compassion kindness': 191492, 'kindness mindfulness': 475215, 'mindfulness love': 532826, 'love care': 504632, 'care mentalhealth': 164063, 'let not be': 486936, 'not be mani': 568418, 'be mani aunt': 115904, 'mani aunt say': 513149, 'aunt say no': 103004, 'no to hoarding': 565741, 'to hoarding hoarding': 907898, 'hoarding hoarding foodhoaders': 399361, 'hoarding foodhoaders corona': 399320, 'foodhoaders corona coronainnyc': 317936, 'corona coronainnyc coronainny': 203881, 'coronainnyc coronainny supermarket': 205002, 'coronainny supermarket compassion': 204999, 'supermarket compassion kindness': 819747, 'compassion kindness mindfulness': 191493, 'kindness mindfulness love': 475216, 'mindfulness love care': 532827, 'love care mentalhealth': 504633, 'regulatethe': 708025, '50ml': 20181, 'r100': 695052, 'humanrightsday': 410805, 'please regulatethe': 660362, 'regulatethe price': 708026, 'sanitizers just': 736328, 'selling 50ml': 749139, '50ml bottle': 20184, 'for r100': 324929, 'r100 quarantineandchill': 695053, 'quarantineandchill stopthespread': 692770, 'stopthespread humanrightsday': 805906, 'can please regulatethe': 159255, 'please regulatethe price': 660363, 'regulatethe price of': 708027, 'hand sanitizers just': 375704, 'sanitizers just came': 736329, 'just came out': 468425, 'came out of': 157047, 'out of pharmacy': 626804, 'of pharmacy selling': 588091, 'pharmacy selling 50ml': 654446, 'selling 50ml bottle': 749140, '50ml bottle for': 20185, 'bottle for r100': 136224, 'for r100 quarantineandchill': 324930, 'r100 quarantineandchill stopthespread': 695054, 'quarantineandchill stopthespread humanrightsday': 692771, 'savelivesstayhome': 737782, 'please get': 660017, 'your thank': 1026131, 'you savelivesstayhome': 1020990, 'savelivesstayhome stopthespread': 737783, 'symptom of do': 830885, 'go to any': 354274, 'to any supermarket': 900612, 'any supermarket please': 79907, 'supermarket please get': 822015, 'please get someone': 660020, 'get someone else': 348080, 'do your thank': 250713, 'your thank you': 1026132, 'thank you savelivesstayhome': 841807, 'you savelivesstayhome stopthespread': 1020991, 'realising': 701651, 'way social': 969880, 'shutting all': 768242, 'shop apart': 759887, 'allowing so': 46333, 'time work': 898375, 'can distance': 158079, 'myself people': 550925, 'start realising': 794457, 'realising how': 701652, 'how bad': 407434, 'bad this': 108045, 'only way social': 611440, 'way social distancing': 969881, 'distancing will work': 247651, 'will work is': 995366, 'work is shutting': 1005375, 'is shutting all': 451908, 'shutting all the': 768243, 'the shop apart': 866977, 'shop apart from': 759888, 'apart from food': 81265, 'from food shop': 335512, 'food shop then': 316494, 'shop then only': 760911, 'then only allowing': 877383, 'only allowing so': 610067, 'allowing so many': 46334, 'so many in': 777668, 'many in at': 514164, 'at time work': 101318, 'time work in': 898377, 'supermarket so can': 822727, 'so can distance': 776706, 'can distance myself': 158080, 'distance myself people': 246772, 'myself people need': 550926, 'need to start': 556081, 'to start realising': 915217, 'start realising how': 794458, 'realising how bad': 701653, 'how bad this': 407438, 'bad this is': 108046, 'ccpa': 168474, 'clarity': 180092, 'company trade': 191259, 'trade organization': 928545, 'organization movie': 619402, 'movie industry': 544015, 'and newspaper': 67573, 'newspaper seek': 561100, 'postpone date': 666759, 'date for': 226630, 'act ccpa': 29614, 'ccpa due': 168483, 'of clarity': 581443, 'clarity on': 180099, 'the enforcement': 854331, 'enforcement rule': 276791, 'company trade organization': 191260, 'trade organization movie': 928546, 'organization movie industry': 619403, 'movie industry and': 544016, 'industry and newspaper': 435644, 'and newspaper seek': 67574, 'newspaper seek to': 561101, 'seek to postpone': 746617, 'to postpone date': 911924, 'postpone date for': 666760, 'date for the': 226633, 'for the california': 326330, 'the california consumer': 850279, 'california consumer privacy': 155484, 'privacy act ccpa': 678789, 'act ccpa due': 29616, 'ccpa due to': 168484, 'the new and': 861472, 'new and lack': 558342, 'lack of clarity': 478607, 'of clarity on': 581444, 'clarity on the': 180101, 'on the enforcement': 604093, 'the enforcement rule': 854332, '462001': 19235, 'travel home': 930382, 'more safety': 540299, 'old mum': 598376, 'mum but': 545883, 'but issue': 146089, 'money turn': 537141, 'turn everything': 935666, 'down am': 256477, 'am really': 50338, 'really thinking': 702663, 'thinking and': 885875, 'do 462001': 249020, 'suppose to travel': 827331, 'to travel home': 917732, 'travel home because': 930383, '19 for more': 7070, 'for more safety': 323595, 'more safety of': 540302, 'safety of my': 730650, 'life and buy': 488472, 'buy some food': 149203, 'some food stock': 782875, 'stock for my': 802174, 'for my old': 323733, 'my old mum': 549560, 'old mum but': 598377, 'mum but issue': 545884, 'but issue of': 146090, 'issue of money': 455865, 'of money turn': 586621, 'money turn everything': 537142, 'turn everything down': 935667, 'everything down am': 287755, 'down am really': 256479, 'am really really': 50341, 'really really thinking': 702515, 'really thinking and': 702664, 'thinking and do': 885876, 'what else to': 981413, 'to do 462001': 904473, '19 crackdown': 6185, 'crackdown ha': 214716, 'taken my': 833030, 'an escalated': 55806, 'escalated level': 280265, 'covid 19 crackdown': 212880, '19 crackdown ha': 6186, 'crackdown ha taken': 214717, 'ha taken my': 372146, 'taken my online': 833033, 'shopping to an': 764164, 'to an escalated': 900448, 'an escalated level': 55807, 'insulin': 440621, 'lilly': 492229, 'only after': 610041, 'after do': 35573, 'do insulin': 249437, 'insulin price': 440630, 'down lilly': 256922, 'lilly lower': 492233, 'lower most': 505914, 'most insulin': 542451, 'insulin cost': 440624, '35 month': 17901, 'only after do': 610042, 'after do insulin': 35574, 'do insulin price': 249438, 'insulin price go': 440631, 'go down lilly': 353494, 'down lilly lower': 256923, 'lilly lower most': 492234, 'lower most insulin': 505915, 'most insulin cost': 542452, 'insulin cost to': 440625, 'cost to 35': 208133, 'to 35 month': 899696, '35 month in': 17902, 'month in response': 537797, '10 time': 1718, 'attention yes': 102507, 'sure you wash': 827877, 'hand 10 time': 374718, '10 time day': 1719, 'time day also': 896534, '19 virus do': 11797, 'virus do not': 958137, 'not worry it': 572569, 'world attention yes': 1009338, 'attention yes panic': 102508, 'normal is': 567187, 'being bit': 124891, 'more mindful': 539776, 'mindful and': 532805, 'staying away': 798576, 'one kid': 606558, 'kid home': 473994, 'school because': 741706, 'cold not': 185783, 'school in': 741824, 'nz are': 578178, 'our normal is': 624088, 'normal is not': 567189, 'going out much': 355379, 'out much at': 626589, 'much at all': 544737, 'at all so': 97906, 'all so we': 44374, 'we re just': 972904, 're just being': 698943, 'just being bit': 468327, 'being bit more': 124892, 'bit more mindful': 131622, 'more mindful and': 539777, 'mindful and staying': 532806, 'and staying away': 72318, 'staying away from': 798579, 'from people need': 336883, 'supermarket today we': 823476, 'have one kid': 381789, 'one kid home': 606559, 'kid home from': 473997, 'from school because': 337181, 'school because she': 741707, 'she ha cold': 756071, 'ha cold not': 370190, 'cold not covid': 185784, '19 school in': 10368, 'school in nz': 741826, 'in nz are': 426034, 'nz are still': 578179, 'day chronicle': 227445, 'the quest': 865008, 'the day chronicle': 852874, 'day chronicle the': 227446, 'chronicle the quest': 178260, 'the quest for': 865009, 'quest for toiletpaper': 693485, 'for toiletpaper and': 327252, 'toiletpaper and socialdistancing': 921729, 'and socialdistancing at': 71903, 'socialdistancing at local': 780232, 'killerkyl88': 474644, 'healthylivinginsideandout': 387857, 'guy come': 368962, 'on repost': 603155, 'repost from': 712816, 'from killerkyl88': 336175, 'killerkyl88 haven': 474645, 'much work': 545467, 'do healthylivinginsideandout': 249386, 'healthylivinginsideandout wellness': 387858, 'guy come on': 368963, 'come on repost': 187445, 'on repost from': 603156, 'repost from killerkyl88': 712818, 'from killerkyl88 haven': 336176, 'killerkyl88 haven been': 474646, 'store in few': 808301, 'few day but': 303770, 'day but why': 227413, 'but why it': 147862, 'why it this': 991148, 'this thing have': 890565, 'thing have so': 884407, 'have so much': 382600, 'so much work': 777828, 'much work to': 545468, 'work to do': 1005885, 'to do healthylivinginsideandout': 904515, 'do healthylivinginsideandout wellness': 249387, 'remember medical': 710230, 'good fight': 357033, 'before themselves': 123200, 'when shopping please': 984025, 'shopping please remember': 763648, 'please remember medical': 660370, 'remember medical staff': 710231, 'staff and grocery': 792142, 'worker who also': 1008193, 'who also need': 988059, 'also need food': 48548, 'and supply but': 72778, 'supply but cannot': 824863, 'get it because': 347396, 'are fighting the': 86548, 'fighting the good': 305128, 'the good fight': 856433, 'good fight and': 357034, 'fight and putting': 304656, 'and putting others': 69839, 'putting others before': 691183, 'others before themselves': 621304, 'first candidate': 308557, 'candidate for': 161297, 'the nobel': 861836, 'nobel peace': 565967, 'peace prize': 646010, 'prize dr': 679072, 'fauci doctor': 300354, 'my first candidate': 548334, 'first candidate for': 308558, 'candidate for the': 161299, 'for the nobel': 326584, 'the nobel peace': 861837, 'nobel peace prize': 565968, 'peace prize dr': 646012, 'prize dr fauci': 679073, 'dr fauci doctor': 258014, 'fauci doctor and': 300355, 'and nurse grocery': 67888, 'ravioli': 697942, 'cancelthat': 161240, 'panic order': 638371, 'pandemic yeah': 637081, 'yeah read': 1014286, 'read carefully': 700313, 'carefully just': 164471, 'received notification': 703658, 'notification that': 573547, '12 90': 2813, '90 oz': 23330, 'oz can': 632731, 'of chef': 581315, 'boyardee mini': 137308, 'mini ravioli': 533018, 'ravioli will': 697945, 'delayed ninety': 232794, 'ninety hp': 563301, 'hp that': 409572, 'right guy': 721920, 'guy bought': 368927, 'bought big': 136517, 'big jar': 129841, 'jar oops': 464815, 'oops cancelthat': 611749, 'know when you': 477010, 'when you panic': 984588, 'you panic order': 1020287, 'panic order food': 638372, 'order food due': 618213, '19 pandemic yeah': 9530, 'pandemic yeah read': 637082, 'yeah read carefully': 1014287, 'read carefully just': 700314, 'carefully just received': 164473, 'just received notification': 469577, 'received notification that': 703659, 'notification that my': 573548, 'my order for': 549610, 'order for 12': 618219, 'for 12 90': 318639, '12 90 oz': 2814, '90 oz can': 23332, 'oz can of': 632732, 'can of chef': 159085, 'of chef boyardee': 581316, 'chef boyardee mini': 175254, 'boyardee mini ravioli': 137309, 'mini ravioli will': 533019, 'ravioli will be': 697946, 'be delayed ninety': 114385, 'delayed ninety hp': 232795, 'ninety hp that': 563302, 'hp that right': 409573, 'that right guy': 846050, 'right guy bought': 721921, 'guy bought big': 368928, 'bought big jar': 136518, 'big jar oops': 129842, 'jar oops cancelthat': 464816, 'there security': 879024, 'store security': 810015, 'there security at': 879025, 'security at the': 744553, 'grocery store security': 365752, 'our chief': 622360, 'executive ha': 289899, 'issued statement': 456091, 'statement which': 796227, 'which make': 986124, 'make clear': 509775, 'that pharmacy': 845736, 'pharmacy should': 654458, 'be profiteering': 116567, 'refer you': 706479, 'cma which': 184660, 'which lead': 986099, 'lead on': 483298, 'on identifying': 601474, 'identifying excessive': 413386, 'action where': 30196, 'where appropriate': 984736, 'our chief executive': 622361, 'chief executive ha': 175929, 'executive ha issued': 289900, 'ha issued statement': 371007, 'issued statement which': 456092, 'statement which make': 796228, 'which make clear': 986126, 'make clear that': 509776, 'clear that pharmacy': 181348, 'that pharmacy should': 845738, 'pharmacy should not': 654459, 'not be profiteering': 568438, 'be profiteering during': 116568, 'would also refer': 1011515, 'also refer you': 48772, 'refer you to': 706480, 'the cma which': 851093, 'cma which lead': 184661, 'which lead on': 986100, 'lead on identifying': 483299, 'on identifying excessive': 601475, 'identifying excessive price': 413387, 'excessive price and': 289400, 'price and taking': 672556, 'and taking action': 72994, 'taking action where': 833247, 'action where appropriate': 30197, 'coa': 185038, 'crim': 216762, 'lawyerly': 482574, 'lawyer of': 482557, 'of twitter': 592529, 'twitter many': 936687, 'the communication': 851260, 'communication from': 189592, 'the coa': 851108, 'coa crim': 185039, 'crim pointing': 216763, 'when appearing': 983160, 'court by': 211978, 'by video': 154666, 'have proper': 382081, 'proper backdrop': 684089, 'backdrop so': 107523, 'on let': 601825, 'most sensible': 542729, 'and lawyerly': 65993, 'lawyer of twitter': 482558, 'of twitter many': 592530, 'twitter many of': 936688, 'will have seen': 993669, 'seen the communication': 747279, 'the communication from': 851261, 'communication from the': 189594, 'from the coa': 337642, 'the coa crim': 851109, 'coa crim pointing': 185040, 'crim pointing out': 216764, 'pointing out that': 662754, 'out that when': 627339, 'that when appearing': 847480, 'when appearing in': 983161, 'appearing in court': 82170, 'in court by': 421839, 'court by video': 211979, 'by video it': 154667, 'video it is': 956794, 'important to have': 419054, 'to have proper': 907293, 'have proper backdrop': 382082, 'proper backdrop so': 684090, 'backdrop so come': 107524, 'so come on': 776773, 'come on let': 187438, 'on let see': 601827, 'let see what': 487038, 'what you plan': 982688, 'plan to use': 658330, 'at your most': 101684, 'your most sensible': 1024890, 'most sensible and': 542730, 'sensible and lawyerly': 750632, 'uncovered': 939908, 'amazon marketplace': 51032, 'marketplace are': 517802, 'seller due': 749012, 'warned after': 966988, 'it investigation': 458833, 'investigation uncovered': 443890, 'uncovered wide': 939909, 'and amazon marketplace': 58048, 'amazon marketplace are': 51034, 'marketplace are failing': 517803, 'by seller due': 153918, 'seller due to': 749013, 'the coronavirus consumer': 851820, 'coronavirus consumer group': 205683, 'consumer group ha': 197662, 'group ha warned': 366714, 'ha warned after': 372451, 'warned after it': 966989, 'after it investigation': 35839, 'it investigation uncovered': 458834, 'investigation uncovered wide': 443891, 'uncovered wide range': 939910, 'range of product': 696719, 'product on sale': 681470, 'on sale at': 603263, 'sale at extortionate': 732087, 'reputationmanagement': 713128, 'reptrak': 713003, 'company blog': 190498, 'blog explains': 132928, 'covid19 crisis': 214289, 'corporate reputationmanagement': 207330, 'reputationmanagement based': 713129, 'research in': 713760, 'especially spain': 280606, 'spain reptrak': 787338, 'reptrak csr': 713004, 'my latest post': 548988, 'latest post on': 481502, 'post on our': 666256, 'on our company': 602585, 'our company blog': 622496, 'company blog explains': 190499, 'blog explains the': 132929, 'explains the implication': 292236, 'the implication of': 857970, 'of the covid19': 590905, 'the covid19 crisis': 852243, 'covid19 crisis for': 214290, 'crisis for corporate': 217389, 'for corporate reputationmanagement': 320406, 'corporate reputationmanagement based': 207331, 'reputationmanagement based on': 713130, 'on our latest': 602612, 'our latest research': 623678, 'latest research in': 481533, 'research in italy': 713761, 'italy the and': 462941, 'the and especially': 848696, 'and especially spain': 62239, 'especially spain reptrak': 280607, 'spain reptrak csr': 787339, 'at these cheap': 101196, 'these cheap oil': 879749, 'cheap oil and': 174155, 'gas price when': 344053, 'price when have': 677483, 'when have no': 983523, 'have no where': 381665, 'scummy shop': 743012, 'over inflating': 630325, 'one should': 607022, 'should support': 766530, 'we should make': 973279, 'should make list': 766209, 'make list of': 510093, 'list of all': 494412, 'all those scummy': 45185, 'those scummy shop': 892428, 'scummy shop who': 743013, 'who are over': 988188, 'are over inflating': 88910, 'over inflating price': 630326, 'inflating price in': 437118, 'in their shop': 429776, 'their shop at': 874702, 'shop at time': 759962, 'like this because': 491471, 'this because when': 886522, 'because when this': 119832, 'this all blow': 886263, 'over no one': 630435, 'no one should': 564960, 'one should support': 607032, 'should support their': 766531, 'support their business': 826893, 'may physically': 521424, '2020 but': 14203, 'won financially': 1003808, 'financially this': 306692, 'swear don': 830027, 'happened but': 377230, 'three pair': 894020, 'shoe were': 759696, 'were delivered': 979509, 'today online': 919981, 'may physically survive': 521425, 'physically survive covid': 655523, '19 of 2020': 8889, 'of 2020 but': 579489, '2020 but won': 14206, 'but won financially': 147916, 'won financially this': 1003809, 'financially this social': 306694, 'distancing is hard': 247246, 'is hard on': 448303, 'hard on me': 377982, 'on me and': 602065, 'me and swear': 522427, 'and swear don': 72924, 'swear don know': 830028, 'know what happened': 476956, 'what happened but': 981542, 'happened but three': 377231, 'but three pair': 147571, 'three pair of': 894021, 'of shoe were': 589616, 'shoe were delivered': 759697, 'were delivered today': 979510, 'delivered today online': 233433, 'today online shopping': 919985, 'way to cope': 970007, 'this cartoon': 886705, 'cartoon capture': 165503, 'capture how': 162943, 'providing mask': 687048, 'he doe': 384903, 'doe deliver': 251373, 'deliver on': 233181, 'what american': 981028, 'american really': 52155, 'toiletpaper resist': 922410, 'resist the': 714578, 'the trumpvirus': 870081, 'this cartoon capture': 886706, 'cartoon capture how': 165504, 'capture how is': 162944, 'how is all': 408081, 'is all talk': 445466, 'all talk when': 44607, 'talk when it': 833911, 'come to testing': 187604, 'to testing for': 916402, 'testing for and': 839494, 'for and providing': 319337, 'and providing mask': 69712, 'providing mask for': 687051, 'mask for healthcare': 518679, 'worker but he': 1006556, 'but he doe': 145899, 'he doe deliver': 384904, 'doe deliver on': 251374, 'deliver on what': 233182, 'on what american': 605209, 'what american really': 981029, 'american really need': 52156, 'really need during': 702432, 'this pandemic toiletpaper': 889443, 'pandemic toiletpaper resist': 636814, 'toiletpaper resist the': 922411, 'resist the trumpvirus': 714580, 'panic looking': 638291, 'doesn stop': 251954, 'also panicking': 48642, 'panicking looking': 639351, 'panic looking for': 638292, 'looking for planning': 502891, 'planning doesn stop': 658539, 'doesn stop at': 251955, 'stop at food': 804462, 'at food water': 98676, 'are also panicking': 84472, 'also panicking looking': 48643, 'panicking looking for': 639352, 'looking for life': 502878, 'and preparation': 69358, 'preparation kindly': 670044, 'kindly donate': 475125, 'donate via': 254281, 'via bank': 955803, 'bank transfer': 110269, 'account name': 28720, 'name lagos': 551652, 'intervention and preparation': 442178, 'and preparation kindly': 69360, 'preparation kindly donate': 670045, 'kindly donate via': 475126, 'donate via bank': 254283, 'via bank transfer': 955804, 'bank transfer to': 110270, 'transfer to account': 929533, 'to account name': 899980, 'account name lagos': 28721, 'name lagos food': 551653, 'groovy': 366428, '5th go': 20825, 'supermarket around': 819202, 'corner from': 203642, 'house monday': 406408, '6th the': 21695, 'house announces': 406188, 'it facebook': 457921, 'page that': 633897, '19 groovy': 7298, 'april 5th go': 83508, '5th go grocery': 20826, 'the supermarket around': 868471, 'supermarket around the': 819203, 'the corner from': 851745, 'corner from my': 203644, 'from my house': 336511, 'my house monday': 548737, 'house monday april': 406409, 'monday april 6th': 536253, 'april 6th the': 83515, '6th the supermarket': 21696, 'my house announces': 548723, 'house announces on': 406189, 'announces on it': 77273, 'on it facebook': 601659, 'it facebook page': 457922, 'facebook page that': 294985, 'page that an': 633898, 'covid 19 groovy': 213169, 'whoopi': 990589, 'goldberg': 356037, 'whoopi goldberg': 990590, 'goldberg spotted': 356038, 'whoopi goldberg spotted': 990591, 'goldberg spotted at': 356039, 'thali': 840115, 'pakistan pm': 634490, 'pm announces': 661861, 'announces petrol': 77283, 'diesel 15': 241642, '15 cheaper': 3682, 'cheaper and': 174242, 'our pm': 624373, 'pm paid': 661958, 'paid 15': 633942, '15 petrol': 3822, 'petrol amp': 653706, 'amp 13': 53310, '13 diesel': 3206, 'circumstance of': 178734, 'help clapped': 389488, 'clapped amp': 180028, 'amp thali': 54631, 'thali amp': 840116, 'pakistan pm announces': 634491, 'pm announces petrol': 661862, 'announces petrol and': 77284, 'and diesel 15': 61340, 'diesel 15 cheaper': 241643, '15 cheaper and': 3683, 'cheaper and our': 174244, 'and our pm': 68514, 'our pm paid': 624375, 'pm paid 15': 661959, 'paid 15 petrol': 633943, '15 petrol amp': 3823, 'petrol amp 13': 653707, 'amp 13 diesel': 53311, '13 diesel price': 3207, 'diesel price increased': 241681, 'price increased in': 674801, 'in the circumstance': 429069, 'the circumstance of': 850900, 'circumstance of this': 178735, 'of this epidemic': 591968, 'this epidemic and': 887399, 'epidemic and instead': 279336, 'and instead of': 65287, 'instead of help': 440273, 'of help clapped': 584541, 'help clapped amp': 389489, 'clapped amp thali': 180029, 'amp thali amp': 54632, 'peterborough police': 653556, 'police chief': 662955, 'chief ha': 175933, 'ha praised': 371525, 'praised food': 668881, 'and promised': 69618, 'peterborough police chief': 653557, 'police chief ha': 662956, 'chief ha praised': 175935, 'ha praised food': 371526, 'praised food shop': 668882, 'food shop staff': 316492, 'shop staff and': 760817, 'staff and promised': 792156, 'and promised to': 69619, 'promised to support': 683736, 'support them in': 826908, 'in these challenging': 429829, 'dedicating': 231761, 'united supermarket': 942260, 'are dedicating': 85713, 'dedicating time': 231766, 'and immune': 65002, 'compromised guest': 192673, 'guest most': 368168, 'to severe': 914314, 'severe illness': 754021, 'illness by': 416350, 'united supermarket store': 942261, 'supermarket store are': 823002, 'store are dedicating': 806471, 'are dedicating time': 85714, 'dedicating time from': 231768, 'time from store': 896810, 'from store opening': 337445, 'store opening to': 809284, 'opening to for': 612935, 'to for older': 906149, 'for older and': 324051, 'older and immune': 598575, 'and immune compromised': 65004, 'immune compromised guest': 417317, 'compromised guest most': 192674, 'guest most vulnerable': 368170, 'vulnerable to severe': 961231, 'to severe illness': 914315, 'severe illness by': 754022, 'illness by covid': 416351, 'reality you': 701817, 'wash by': 967445, 'clean do': 180506, 'in reality you': 427302, 'reality you will': 701819, 'will be safe': 992661, 'safe there do': 730024, 'hygiene product if': 412154, 'product if there': 681275, 'are any left': 84578, 'left wash by': 485717, 'wash by hand': 967446, 'by hand wash': 152753, 'wash your face': 967585, 'your face and': 1023740, 'face and keep': 294299, 'it clean do': 457152, 'clean do not': 180507, 'debated': 230328, 'had dream': 373057, 'dream last': 258600, 'that walked': 847322, 'wa stocked': 963319, 'sanitizer debated': 734732, 'debated on': 230329, 'on waiting': 605086, 'because wa': 119776, 'this ish': 888477, 'ish up': 454225, 'up quarantinelife': 945877, 'had dream last': 373058, 'dream last night': 258601, 'last night that': 480394, 'night that walked': 563092, 'that walked into': 847323, 'walked into store': 964959, 'into store that': 443020, 'that wa stocked': 847312, 'wa stocked up': 963320, 'up with hand': 946645, 'hand sanitizer debated': 375366, 'sanitizer debated on': 734733, 'debated on waiting': 230330, 'on waiting in': 605087, 'buy it because': 148847, 'it because wa': 456764, 'because wa scared': 119782, 'wa scared to': 963148, 'scared to be': 741020, 'can make this': 158953, 'make this ish': 510643, 'this ish up': 888478, 'ish up quarantinelife': 454226, 'no extreme': 564186, 'extreme measure': 293814, 'measure required': 525313, 'required how': 713376, 'no extreme measure': 564187, 'extreme measure required': 293817, 'measure required how': 525314, 'required how to': 713377, 'how to minimise': 409045, 'to minimise risk': 910152, 'minimise risk of': 533082, 'the supermarket via': 868885, 'shithouses': 759330, 'shithouses in': 759331, 'and shithouses': 71486, 'shithouses selling': 759333, 'selling tub': 749516, 'for extortionate': 321340, 'price plenty': 675889, 'plenty more': 660935, 'shithouses in panic': 759332, 'in panic buyer': 426477, 'buyer and shithouses': 149561, 'and shithouses selling': 71487, 'shithouses selling tub': 759334, 'selling tub of': 749517, 'tub of hand': 935021, 'sanitizer for extortionate': 734901, 'for extortionate price': 321341, 'extortionate price plenty': 293401, 'price plenty more': 675890, 'covidma': 214425, 'introducing another': 443484, 'connected and': 194643, 'informed during': 438095, 'outbreak text': 628687, 'text covidma': 839884, 'covidma to': 214426, 'to 88': 899859, '88 77': 23048, '77 to': 22297, 'receive covid': 703457, 'message alert': 529255, 'alert straight': 41507, 'news update': 560927, 'the commonwealth': 851257, 're introducing another': 698916, 'introducing another way': 443485, 'another way that': 77960, 'way that you': 969930, 'can stay connected': 159738, 'stay connected and': 796847, 'connected and informed': 194644, 'and informed during': 65226, 'informed during the': 438096, 'the outbreak text': 862706, 'outbreak text covidma': 628688, 'text covidma to': 839885, 'covidma to 88': 214427, 'to 88 77': 899860, '88 77 to': 23049, '77 to receive': 22298, 'to receive covid': 912913, 'receive covid 19': 703458, '19 text message': 11118, 'text message alert': 839904, 'message alert straight': 529256, 'alert straight to': 41508, 'to your phone': 919013, 'your phone and': 1025287, 'phone and stay': 654886, 'and stay up': 72306, 'date with the': 226763, 'latest news update': 481461, 'news update from': 560928, 'from the commonwealth': 337648, 'that step': 846475, 'that sit': 846331, 'sit and': 771812, 'nothing and': 572923, 'company that step': 191190, 'that step up': 846476, 'up and the': 944379, 'and the one': 73500, 'one that sit': 607187, 'that sit and': 846332, 'sit and do': 771813, 'do nothing and': 249900, 'nothing and increase': 572925, 'and increase their': 65110, 'price when this': 677493, 'scavenge': 741229, 'really challenging': 702051, 'challenging my': 171619, 'my cooking': 547799, 'cooking skill': 202912, 'skill due': 772949, 'my limited': 549066, 'limited fund': 492636, 'fund instead': 341435, 'food scavenge': 316314, 'scavenge my': 741230, 'my pantry': 549675, 'make meal': 510154, 'from whatever': 338347, 'whatever have': 982763, 'have anyone': 379330, 'dinner date': 243065, 'date tonight': 226744, 'is really challenging': 451291, 'really challenging my': 702052, 'challenging my cooking': 171620, 'my cooking skill': 547800, 'cooking skill due': 202913, 'skill due to': 772950, 'to my limited': 910415, 'my limited fund': 549067, 'limited fund instead': 492637, 'fund instead of': 341436, 'instead of going': 440266, 'buy food scavenge': 148670, 'food scavenge my': 316315, 'scavenge my pantry': 741231, 'my pantry and': 549676, 'pantry and try': 639525, 'to make meal': 909692, 'make meal from': 510155, 'meal from whatever': 524168, 'from whatever have': 338348, 'whatever have anyone': 982764, 'have anyone up': 379332, 'anyone up for': 80594, 'up for dinner': 944925, 'for dinner date': 320718, 'dinner date tonight': 243066, 'benfeldman': 127189, 'loved this': 504933, 'of sent': 589512, 'difficult epidemic': 242215, 'epidemic that': 279447, 'said couldn': 731031, 'couldn help': 209900, 'help noticing': 390147, 'noticing the': 573511, 'the avenger': 849091, 'avenger pillow': 104766, 'pillow next': 656718, 'to benfeldman': 901770, 'benfeldman here': 127190, 'and wondering': 75827, 'if ppl': 414678, 'ppl see': 668319, 'those naked': 892235, 'loved this message': 504934, 'this message that': 888842, 'message that the': 529434, 'that the cast': 846676, 'cast of sent': 166761, 'of sent out': 589513, 'hard working retail': 378146, 'working retail store': 1008894, 'this difficult epidemic': 887225, 'difficult epidemic that': 242216, 'epidemic that said': 279448, 'that said couldn': 846095, 'said couldn help': 731032, 'couldn help noticing': 209901, 'help noticing the': 390148, 'noticing the avenger': 573512, 'the avenger pillow': 849092, 'avenger pillow next': 104767, 'pillow next to': 656719, 'next to benfeldman': 561615, 'to benfeldman here': 901771, 'benfeldman here and': 127191, 'here and wondering': 392716, 'and wondering if': 75829, 'wondering if ppl': 1004176, 'if ppl see': 414679, 'ppl see those': 668320, 'see those naked': 745962, 'item go': 463297, 'go skyrocketing': 354144, 'skyrocketing amid': 773406, 'outbreak detail': 628168, 'detail 19': 239145, 'essential item go': 281200, 'item go skyrocketing': 463299, 'go skyrocketing amid': 354145, 'skyrocketing amid coronavirus': 773407, 'amid coronavirus outbreak': 52425, 'coronavirus outbreak detail': 206382, 'outbreak detail 19': 628169, 'ha offered': 371417, 'offered helpful': 594928, 'senior from': 750298, 'ha offered helpful': 371418, 'offered helpful advice': 594929, 'helpful advice to': 391153, 'advice to protect': 33533, 'protect senior from': 684947, 'senior from covid': 750299, 'smartkid': 775489, 'superjewflair': 818703, 'flair': 309974, 'bartender': 111396, 'liqour': 494066, 'rockstar': 724993, 'therainking': 877896, 'your yr': 1026406, 'yr old': 1027030, 'old knowns': 598316, 'knowns to': 477263, 'pack sanitizer': 633147, 'her scooter': 392345, 'scooter ride': 742330, 'ride around': 721425, 'neighborhood smartkid': 557152, 'smartkid superjewflair': 775490, 'superjewflair vega': 818704, 'vega lasvegas': 953818, 'lasvegas flair': 480809, 'flair bar': 309975, 'bar bartender': 110679, 'bartender cool': 111397, 'cool bottle': 202990, 'bottle tin': 136340, 'tin liqour': 898541, 'liqour rockstar': 494067, 'rockstar fun': 724994, 'fun juggle': 341186, 'juggle sun': 467713, 'sun awesome': 818054, 'awesome clown': 106160, 'clown therainking': 184381, 'when your yr': 984645, 'your yr old': 1026407, 'yr old knowns': 1027035, 'old knowns to': 598317, 'knowns to pack': 477264, 'to pack sanitizer': 911347, 'pack sanitizer for': 633148, 'sanitizer for her': 734910, 'for her scooter': 322231, 'her scooter ride': 392346, 'scooter ride around': 742331, 'ride around the': 721426, 'around the neighborhood': 93547, 'the neighborhood smartkid': 861434, 'neighborhood smartkid superjewflair': 557153, 'smartkid superjewflair vega': 775491, 'superjewflair vega lasvegas': 818705, 'vega lasvegas flair': 953819, 'lasvegas flair bar': 480810, 'flair bar bartender': 309976, 'bar bartender cool': 110680, 'bartender cool bottle': 111398, 'cool bottle tin': 202991, 'bottle tin liqour': 136341, 'tin liqour rockstar': 898542, 'liqour rockstar fun': 494068, 'rockstar fun juggle': 724995, 'fun juggle sun': 341187, 'juggle sun awesome': 467714, 'sun awesome clown': 818055, 'awesome clown therainking': 106161, 'egg nor': 269934, 'nor meat': 566958, 'responsible trump': 716064, 'trump did': 933511, 'act trump': 29808, 'trump called': 933459, 'the hoax': 857423, 'hoax trump': 399747, 'is failure': 447712, 'store are continuing': 806468, 'continuing to be': 201556, 'be empty no': 114672, 'empty no bread': 274960, 'no bread egg': 563728, 'bread egg nor': 138452, 'egg nor meat': 269935, 'nor meat no': 566959, 'meat no toilet': 525665, 'paper and trump': 639860, 'and trump is': 74490, 'trump is responsible': 933656, 'is responsible trump': 451475, 'responsible trump did': 716065, 'trump did not': 933513, 'did not act': 240708, 'not act trump': 568041, 'act trump called': 29809, 'trump called the': 933460, 'called the hoax': 156457, 'the hoax trump': 857424, 'hoax trump is': 399748, 'trump is failure': 933642, 'necessitate': 554152, 'except in': 289189, 'start empty': 794287, 'store necessitate': 809046, 'necessitate trip': 554153, 'multiple store': 545793, 'increase risk': 433047, 'increased cost': 433256, 'except in the': 289191, 'the and we': 848731, 'to start empty': 915196, 'start empty store': 794288, 'empty store necessitate': 275149, 'store necessitate trip': 809047, 'necessitate trip to': 554154, 'trip to multiple': 932198, 'to multiple store': 910349, 'multiple store which': 545796, 'store which increase': 811271, 'which increase risk': 985963, 'increase risk of': 433048, 'spread and increased': 790410, 'and increased cost': 65115, 'increased cost for': 433257, 'cost for the': 207952, 'chickpea': 175897, 'ok convinced': 597779, 'convinced ll': 202659, 'buy chickpea': 148491, 'chickpea pasta': 175902, 'ok convinced ll': 597780, 'convinced ll buy': 202660, 'll buy chickpea': 496668, 'buy chickpea pasta': 148492, 'foo': 313004, 'got almost': 358396, 'almost 300': 46501, '300 worth': 17355, 'at target': 100824, '100 the': 2090, 'baby coupon': 106589, 'coupon before': 211749, 'but literally': 146284, 'only non': 610827, 'non baby': 566305, 'baby thing': 106716, 'have stockpiled': 382770, 'stockpiled from': 803840, 'no foo': 564246, 'we got almost': 971668, 'got almost 300': 358397, 'almost 300 worth': 46502, '300 worth of': 17356, 'worth of stuff': 1011416, 'of stuff at': 590326, 'stuff at target': 815018, 'at target for': 100826, 'target for about': 834459, 'for about 100': 318977, 'about 100 the': 24637, '100 the other': 2092, 'other day with': 620087, 'day with all': 228776, 'all the baby': 44664, 'the baby coupon': 849134, 'baby coupon before': 106590, 'coupon before the': 211750, 'panic and felt': 637310, 'and felt great': 62796, 'felt great but': 303392, 'great but literally': 362550, 'but literally the': 146286, 'the only non': 862322, 'only non baby': 610828, 'non baby thing': 566306, 'baby thing that': 106717, 'we have stockpiled': 971951, 'have stockpiled from': 382771, 'stockpiled from that': 803841, 'from that is': 337578, 'that is toilet': 844669, 'paper no foo': 640494, 'alexandria': 41607, 'microwaveable': 530534, 'photo took': 655263, 'took at': 925212, 'target in': 834470, 'in alexandria': 420160, 'alexandria virginia': 41608, 'virginia showing': 957681, 'showing an': 767417, 'shelf no': 757334, 'no canned': 563756, 'good no': 357472, 'no microwaveable': 564768, 'microwaveable meal': 530535, 'no medicine': 564755, 'medicine vitamin': 526919, 'importantly no': 419135, 'photo took at': 655264, 'took at target': 925213, 'at target in': 100827, 'target in alexandria': 834471, 'in alexandria virginia': 420161, 'alexandria virginia showing': 41610, 'virginia showing an': 957682, 'showing an empty': 767418, 'empty supermarket with': 275166, 'supermarket with empty': 823919, 'empty shelf no': 275080, 'shelf no canned': 757336, 'no canned good': 563757, 'canned good no': 161540, 'good no microwaveable': 357473, 'no microwaveable meal': 564769, 'microwaveable meal no': 530536, 'meal no medicine': 524216, 'no medicine vitamin': 564757, 'medicine vitamin and': 526920, 'vitamin and most': 959761, 'most importantly no': 542422, 'importantly no toilet': 419136, 'trudeau asks': 933013, 'asks canadian': 96132, 'canadian not': 160716, 'for fear': 321426, 'many shopper': 514701, 'shopper tell': 761731, 'buying right': 150969, 'justin trudeau asks': 470481, 'trudeau asks canadian': 933014, 'asks canadian not': 96133, 'canadian not to': 160717, 'food for fear': 314534, 'for fear of': 321429, '19 many shopper': 8548, 'many shopper tell': 514703, 'shopper tell what': 761733, 'tell what they': 837131, 'what they think': 982418, 'they think about': 883557, 'think about panic': 885095, 'panic buying right': 637866, 'buying right now': 150970, 'um': 939197, 'um color': 939198, 'color me': 186742, 'me confused': 522586, 'confused none': 194344, 'this sound': 890265, 'sound healthy': 786292, 'um color me': 939199, 'color me confused': 186743, 'me confused none': 522587, 'confused none of': 194345, 'of this sound': 592042, 'this sound healthy': 890266, 'babe': 106550, 'pause need': 644601, 'go fight': 353531, 'fight first': 304727, 'first at': 308517, 'worry babe': 1010677, 'babe ll': 106551, 'britney pause need': 140635, 'pause need to': 644602, 'to go fight': 906794, 'go fight first': 353532, 'fight first at': 304728, 'first at the': 308518, 'store but don': 806788, 'but don worry': 145601, 'don worry babe': 254079, 'worry babe ll': 1010678, 'babe ll feel': 106552, 'll feel you': 496757, 'intel senator': 440972, 'scrutiny for': 742947, 'for claim': 320096, 'impending covid': 418314, 'plummeted republican': 661348, 'republican richard': 713061, 'burr kelly': 142941, 'loeffler amp': 500592, 'amp james': 54028, 'james inhofe': 464400, 'inhofe democrat': 438466, 'democrat dianne': 236711, 'feinstein after': 303125, 'after selling': 36164, 'selling million': 749350, 'intel senator are': 440973, 'under scrutiny for': 940239, 'scrutiny for claim': 742948, 'for claim they': 320098, 'the impending covid': 857955, 'impending covid 19': 418315, '19 crisis to': 6339, 'sell share the': 748878, 'share the price': 755253, 'the price plummeted': 864396, 'price plummeted republican': 675914, 'plummeted republican richard': 661349, 'republican richard burr': 713062, 'richard burr kelly': 721288, 'burr kelly loeffler': 142942, 'kelly loeffler amp': 472718, 'loeffler amp james': 500593, 'amp james inhofe': 54029, 'james inhofe democrat': 464401, 'inhofe democrat dianne': 438467, 'democrat dianne feinstein': 236712, 'dianne feinstein after': 240349, 'feinstein after selling': 303126, 'after selling million': 36165, 'selling million in': 749351, 'million in the': 532197, 'hotdog': 405095, 'bmovie': 133556, 'disastermovie': 244270, 'to shit': 914433, 'actual fist': 30653, 'fist pump': 309447, 'pump because': 689034, 'have secured': 382407, 'secured tin': 744487, 'of pea': 587848, 'and tin': 74128, 'of hotdog': 584775, 'hotdog in': 405096, 'supermarket bmovie': 819386, 'bmovie disastermovie': 133557, 'well you know': 978779, 'world ha turned': 1009616, 'ha turned to': 372383, 'turned to shit': 935888, 'to shit when': 914435, 'do an actual': 249055, 'an actual fist': 55093, 'actual fist pump': 30654, 'fist pump because': 309448, 'pump because you': 689035, 'because you have': 119869, 'you have secured': 1019109, 'have secured tin': 382410, 'secured tin of': 744488, 'tin of pea': 898552, 'of pea and': 587849, 'pea and tin': 645973, 'and tin of': 74129, 'tin of hotdog': 898551, 'of hotdog in': 584776, 'hotdog in the': 405097, 'the supermarket bmovie': 868489, 'supermarket bmovie disastermovie': 819387, 'moonpies': 538343, 'emptiest': 274716, 'donut moonpies': 255418, 'moonpies twinkie': 538344, 'twinkie at': 936589, 'the emptiest': 854279, 'emptiest shelf': 274717, 'stock comfort': 802005, 'donut moonpies twinkie': 255419, 'moonpies twinkie at': 538345, 'twinkie at this': 936590, 'at this some': 101257, 'this some of': 890240, 'of the emptiest': 590983, 'the emptiest shelf': 854280, 'emptiest shelf in': 274718, 'whole store are': 990335, 'one that stock': 607189, 'that stock comfort': 846491, 'stock comfort food': 802006, '30p': 17497, 'webinar 30p': 975009, '30p et': 17498, 'et navigating': 282365, 'navigating today': 553135, 'today marketing': 919860, 'marketing landscape': 517634, 'landscape understand': 479414, 'consumer advertiser': 196037, 'advertiser mindset': 33175, 'mindset in': 532850, 'in plan': 426780, 'marketing strategy': 517708, 'environment register': 279135, 'webinar 30p et': 975010, '30p et navigating': 17499, 'et navigating today': 282366, 'navigating today marketing': 553136, 'today marketing landscape': 919861, 'marketing landscape understand': 517635, 'landscape understand consumer': 479415, 'understand consumer advertiser': 940617, 'consumer advertiser mindset': 196038, 'advertiser mindset in': 33176, 'mindset in plan': 532851, 'in plan your': 426781, 'plan your marketing': 658364, 'your marketing strategy': 1024781, 'marketing strategy in': 517712, 'strategy in this': 812662, 'this environment register': 887395, 'environment register here': 279136, 'before rushing': 123045, 'rushing out': 728384, 'food take': 317058, 'take stock': 832609, 'your take': 1026099, 'this declutter': 887192, 'declutter coach': 231501, 'coach you': 185046, 'before rushing out': 123046, 'rushing out to': 728385, 'shop for more': 760193, 'more food take': 539254, 'food take stock': 317063, 'take stock of': 832611, 'stock of what': 802552, 'already have in': 47421, 'in your take': 431131, 'your take it': 1026101, 'take it from': 832244, 'it from this': 458160, 'from this declutter': 337992, 'this declutter coach': 887193, 'declutter coach you': 231502, 'coach you already': 185047, 'grocery get': 364556, 'get new': 347656, 'new shipment': 559575, 'paper daily': 640080, 'daily but': 224534, 'but around': 145226, 'around 90': 93169, '90 people': 23333, 'people line': 648658, 'outside before': 629377, '7am the': 22436, 'supply disappears': 825168, 'disappears quickly': 244087, 'quickly after': 694457, 'after opening': 35994, 'opening hot': 612843, 'dog bread': 252049, 'bread paper': 138560, 'product bleach': 681014, 'bleach are': 132481, 'still gone': 800594, 'gone today': 356400, 'today corona': 919406, 'local grocery get': 498049, 'grocery get new': 364557, 'get new shipment': 347662, 'new shipment of': 559578, 'toilet paper daily': 921250, 'paper daily but': 640081, 'daily but around': 224535, 'but around 90': 145227, 'around 90 people': 93170, '90 people line': 23334, 'people line up': 648659, 'up outside before': 945714, 'outside before the': 629378, 'before the store': 123192, 'open at 7am': 612096, 'at 7am the': 97750, '7am the store': 22437, 'the store supply': 868114, 'store supply disappears': 810473, 'supply disappears quickly': 825169, 'disappears quickly after': 244088, 'quickly after opening': 694459, 'after opening hot': 35995, 'opening hot dog': 612844, 'hot dog bread': 405010, 'dog bread paper': 252050, 'bread paper product': 138561, 'paper product bleach': 640625, 'product bleach are': 681015, 'bleach are still': 132482, 'are still gone': 90429, 'still gone today': 800595, 'gone today corona': 356401, 'buying lockdown may': 150672, 'drive world food': 259265, 'food inflation analyst': 315036, 'albanian': 40739, 'albania': 40735, 'tirana': 899007, 'the albanian': 848550, 'albanian competition': 40740, 'competition authority': 191669, 'launched investigation': 482000, 'medical alcohol': 526040, 'pharmacy albania': 654202, 'albania tirana': 40738, 'the albanian competition': 848551, 'albanian competition authority': 40741, 'competition authority ha': 191670, 'authority ha launched': 103732, 'ha launched investigation': 371107, 'launched investigation into': 482001, 'into the increase': 443138, 'the increase of': 858067, 'of price for': 588401, 'for mask medical': 323277, 'mask medical alcohol': 518970, 'medical alcohol and': 526041, 'alcohol and disinfectant': 40903, 'and disinfectant in': 61447, 'disinfectant in local': 245690, 'in local pharmacy': 424822, 'local pharmacy albania': 498273, 'pharmacy albania tirana': 654203, 'attracting': 102713, 'effort retail': 269575, 'retail put': 718430, 'put into': 690632, 'into attracting': 442415, 'attracting customer': 102714, 'the commercial': 851228, 'commercial the': 188743, 'the technology': 869232, 'technology marketing': 836330, 'marketing messaging': 517649, 'messaging signage': 529517, 'signage no': 769279, 'no engaged': 564122, 'engaged shopping': 276880, 'experience anymore': 291315, 'anymore now': 80145, 'to basic': 901063, 'basic survival': 112075, 'survival shopping': 829076, 'even inflated': 284257, 'are irrelevant': 87575, 'irrelevant coronacrisis': 445010, 'all the effort': 44728, 'the effort retail': 854083, 'effort retail put': 269576, 'retail put into': 718431, 'put into attracting': 690633, 'into attracting customer': 442416, 'attracting customer all': 102715, 'customer all the': 222046, 'all the commercial': 44691, 'the commercial the': 851232, 'commercial the technology': 188744, 'the technology marketing': 869235, 'technology marketing messaging': 836331, 'marketing messaging signage': 517650, 'messaging signage no': 529518, 'signage no engaged': 769280, 'no engaged shopping': 564123, 'engaged shopping experience': 276881, 'shopping experience anymore': 762606, 'experience anymore now': 291316, 'anymore now we': 80146, 'we re back': 972831, 're back to': 698339, 'back to basic': 107355, 'to basic survival': 901065, 'basic survival shopping': 112076, 'survival shopping when': 829077, 'shopping when even': 764375, 'when even inflated': 983385, 'even inflated price': 284258, 'inflated price are': 437026, 'price are irrelevant': 672687, 'are irrelevant coronacrisis': 87576, 'artnaturals': 94639, '236ml': 15483, 'jojoba': 467038, 'alovera': 47139, 'artnaturals alcohol': 94640, 'gel pack': 345143, 'pack fl': 633041, 'oz 236ml': 632712, '236ml infused': 15484, 'infused with': 438268, 'with jojoba': 999116, 'jojoba oil': 467039, 'oil alovera': 596598, 'alovera gel': 47140, 'gel vitamin': 345166, 'vitamin via': 959811, 'facemask corona': 295070, 'staysafe stayhomestaysafe': 798910, 'artnaturals alcohol based': 94641, 'hand sanitizer gel': 375416, 'sanitizer gel pack': 734966, 'gel pack fl': 345144, 'pack fl oz': 633042, 'fl oz 236ml': 309913, 'oz 236ml infused': 632713, '236ml infused with': 15485, 'infused with jojoba': 438271, 'with jojoba oil': 999117, 'jojoba oil alovera': 467040, 'oil alovera gel': 596599, 'alovera gel vitamin': 47142, 'gel vitamin via': 345167, 'vitamin via 19': 959812, 'via 19 facemask': 955778, '19 facemask corona': 6920, 'facemask corona stayhome': 295071, 'corona stayhome staysafe': 204195, 'stayhome staysafe stayhomestaysafe': 798175, 'merkel go': 529157, 'tp few': 927808, 'few other': 303968, 'thing bottle': 884196, 'wine be': 995778, 'like angela': 489796, 'merkel 19': 529144, 'angela merkel go': 76334, 'merkel go to': 529158, 'and buy one': 59345, 'buy one pack': 149040, 'of tp few': 592365, 'tp few other': 927809, 'few other thing': 303969, 'other thing bottle': 621101, 'thing bottle of': 884197, 'of wine be': 593179, 'wine be like': 995779, 'be like angela': 115728, 'like angela merkel': 489797, 'angela merkel 19': 76331, 'play football': 659147, 'football in': 318494, 'supermarket stayhome': 822938, 'people still think': 649609, 'still think it': 801296, 'ok to play': 597926, 'to play football': 911790, 'play football in': 659148, 'football in the': 318495, 'in the park': 429437, 'the park or': 863294, 'park or take': 641963, 'or take the': 617329, 'the supermarket stayhome': 868824, 'supermarket stayhome stayhomesavelives': 822939, 'oh he': 596404, 'on bail': 599540, 'bail this': 108596, 'my completely': 547776, 'completely shocked': 192355, 'face coronavirus': 294361, '19 christchurch': 5811, 'christchurch supermarket': 178103, 'cougher jailed': 208650, 'for breaching': 319769, 'breaching bail': 138367, 'bail condition': 108583, 'oh he wa': 596405, 'wa on bail': 962821, 'on bail this': 599541, 'bail this is': 108597, 'is my completely': 449787, 'my completely shocked': 547777, 'completely shocked face': 192356, 'shocked face coronavirus': 759567, 'face coronavirus covid': 294362, 'covid 19 christchurch': 212799, '19 christchurch supermarket': 5812, 'christchurch supermarket cougher': 178104, 'supermarket cougher jailed': 819817, 'cougher jailed for': 208651, 'jailed for breaching': 464299, 'for breaching bail': 319770, 'breaching bail condition': 138368, 'fashionisland': 299882, 'thepromenade': 877884, 'bigc': 130131, 'gourmetmarket': 359515, 'asphalt9': 96230, 'asphalt9legends': 96233, 'rimacctwo': 722503, 'koronawirus': 477549, 'kwaichungmysupport': 478030, 'from support': 337524, 'support supermarket': 826842, 'only fashionisland': 610427, 'fashionisland thepromenade': 299883, 'thepromenade bigc': 877885, 'bigc gourmetmarket': 130132, 'gourmetmarket asphalt9': 359516, 'asphalt9 asphalt9legends': 96231, 'asphalt9legends rimacctwo': 96234, 'rimacctwo koronawirus': 722504, 'koronawirus 19': 477550, '19 kwaichungmysupport': 8260, 'from support supermarket': 337525, 'support supermarket only': 826843, 'supermarket only fashionisland': 821770, 'only fashionisland thepromenade': 610428, 'fashionisland thepromenade bigc': 299884, 'thepromenade bigc gourmetmarket': 877886, 'bigc gourmetmarket asphalt9': 130133, 'gourmetmarket asphalt9 asphalt9legends': 359517, 'asphalt9 asphalt9legends rimacctwo': 96232, 'asphalt9legends rimacctwo koronawirus': 96235, 'rimacctwo koronawirus 19': 722505, 'koronawirus 19 kwaichungmysupport': 477551, 'usconsumers': 948891, 'consumersurvey': 199771, 'voiceofthecustomer': 960015, 'what usconsumers': 982504, 'usconsumers sentiment': 948894, 'crisis mckinsey': 217714, 'survey consumersurvey': 828847, 'consumersurvey customerexperience': 199772, 'customerexperience customerfeedback': 223137, 'customerfeedback voiceofthecustomer': 223145, 'what usconsumers sentiment': 982505, 'usconsumers sentiment during': 948895, 'the crisis mckinsey': 852410, 'crisis mckinsey survey': 217716, 'mckinsey survey consumersurvey': 522207, 'survey consumersurvey customerexperience': 828848, 'consumersurvey customerexperience customerfeedback': 199773, 'customerexperience customerfeedback voiceofthecustomer': 223138, 'singaporean': 771168, 'photographed': 655279, 'singaporean politician': 771175, 'politician who': 663760, 'who punched': 989475, 'punched woman': 689180, 'woman photographed': 1003575, 'photographed with': 655280, 'with seven': 1000649, 'seven shopping': 753768, 'eat humble': 265944, 'humble pie': 410822, 'pie after': 656243, 'wa revealed': 963099, 'revealed she': 720272, 'wa donating': 962013, 'donating good': 254462, 'poor 19': 664101, 'singaporean politician who': 771176, 'politician who punched': 663761, 'who punched woman': 989476, 'punched woman photographed': 689181, 'woman photographed with': 1003576, 'photographed with seven': 655281, 'with seven shopping': 1000651, 'seven shopping cart': 753769, 'shopping cart at': 762295, 'cart at supermarket': 165264, 'lockdown ha been': 499443, 'to eat humble': 904888, 'eat humble pie': 265945, 'humble pie after': 410823, 'pie after it': 656244, 'it wa revealed': 462180, 'wa revealed she': 963100, 'revealed she wa': 720273, 'she wa donating': 756411, 'wa donating good': 962014, 'donating good to': 254463, 'good to the': 357903, 'the poor 19': 863964, 'poor 19 quarantine': 664102, 'welcomehome': 977923, 'longday': 501894, 'look who': 502680, 'some well': 784200, 'deserved flower': 238152, 'flower always': 311272, 'always proud': 49699, 'you mom': 1019879, 'mom love': 535770, 'love family': 504652, 'family mom': 298053, 'mom proud': 535792, 'proud welcomehome': 686068, 'welcomehome flower': 977924, 'flower longday': 311305, 'longday supermarket': 501895, 'supermarket saturday': 822316, 'look who came': 502682, 'who came home': 988363, 'home after long': 400569, 'long day at': 501388, 'work with some': 1006043, 'with some well': 1000870, 'some well deserved': 784202, 'well deserved flower': 978151, 'deserved flower always': 238153, 'flower always proud': 311273, 'always proud of': 49700, 'of you mom': 593402, 'you mom love': 1019880, 'mom love family': 535771, 'love family mom': 504653, 'family mom proud': 298054, 'mom proud welcomehome': 535793, 'proud welcomehome flower': 686069, 'welcomehome flower longday': 977925, 'flower longday supermarket': 311306, 'longday supermarket saturday': 501896, '519': 20231, '738': 22077, '2241': 15292, 'our winery': 625382, 'harrow will': 378533, 'purchase there': 689678, 'there by': 878266, 'phone all': 654875, 'all phone': 43952, 'phone order': 654990, 'placed with': 657931, 'up between': 944491, 'between 12pm': 128669, '12pm 5pm': 3122, '5pm daily': 20802, 'call 519': 155705, '519 738': 20234, '738 2241': 22078, '19 update our': 11674, 'update our winery': 947151, 'our winery retail': 625383, 'store in harrow': 808311, 'in harrow will': 423559, 'harrow will be': 378534, 'closed but our': 183028, 'but our product': 146730, 'our product are': 624475, 'product are still': 680950, 'still available for': 800224, 'for purchase there': 324866, 'purchase there by': 689679, 'there by phone': 878268, 'by phone all': 153573, 'phone all phone': 654877, 'all phone order': 43953, 'phone order can': 654993, 'order can be': 618110, 'can be placed': 157664, 'be placed with': 116425, 'placed with credit': 657932, 'card and available': 163447, 'available for pick': 104378, 'pick up between': 655708, 'up between 12pm': 944492, 'between 12pm 5pm': 128670, '12pm 5pm daily': 3123, '5pm daily to': 20803, 'daily to place': 224845, 'order call 519': 618101, 'call 519 738': 155707, '519 738 2241': 20235, 'can prioritize': 159298, 'cage that': 155172, 'your desired': 1023496, 'desired product': 238432, 'on before': 599607, 'other stock': 620972, 'stock delivery': 802042, 'delivery cage': 233771, 'cage after': 155161, 'all how': 43161, 'an appearance': 55365, 'appearance we': 82139, 'thing efficiently': 884301, 'efficiently possible': 269448, 'no way we': 565873, 'we can prioritize': 970992, 'can prioritize the': 159300, 'prioritize the cage': 678451, 'the cage that': 850270, 'cage that ha': 155173, 'that ha your': 844144, 'ha your desired': 372511, 'your desired product': 1023497, 'desired product on': 238433, 'product on before': 681463, 'on before any': 599609, 'before any other': 122640, 'any other stock': 79606, 'other stock delivery': 620973, 'stock delivery cage': 802043, 'delivery cage after': 233772, 'cage after all': 155162, 'after all how': 35324, 'all how do': 43162, 'we know when': 972165, 'going to make': 355651, 'make an appearance': 509673, 'an appearance we': 55366, 'appearance we try': 82140, 'to do thing': 904571, 'do thing efficiently': 250328, 'thing efficiently possible': 884302, 'efficiently possible supermarket': 269449, 'bowlinggreen': 136983, 'few bright': 303732, 'bright spot': 139798, 'spot in': 790069, 'the gloom': 856370, 'gloom one': 352498, 'them is': 875943, 'price found': 674090, 'in bowlinggreen': 420935, 'bowlinggreen share': 136984, 'normal with': 567416, 'are few bright': 86529, 'few bright spot': 303733, 'bright spot in': 139800, 'spot in all': 790070, 'all the gloom': 44764, 'the gloom one': 856371, 'gloom one of': 352499, 'of them is': 591749, 'them is the': 875944, 'is the drop': 452777, 'drop in gas': 260249, 'gas price found': 343967, 'price found this': 674091, 'found this in': 330436, 'this in bowlinggreen': 888039, 'in bowlinggreen share': 420936, 'bowlinggreen share your': 136985, 'share your new': 755377, 'your new normal': 1024990, 'new normal with': 559180, '5x': 20843, 'offense': 594479, 'codice': 185407, 'penale': 646414, '501bis': 20122, 'moderated': 535359, 'your 3rd': 1022718, 'party are': 642975, 'pushing up': 690465, 'of ffp2': 583498, 'ffp2 mask': 304277, 'even 5x': 283799, '5x people': 20850, 'criminal offense': 216864, 'offense codice': 594482, 'codice penale': 185408, 'penale art': 646415, 'art 501bis': 94129, '501bis be': 20123, 'be decent': 114354, 'decent human': 230780, 'being and': 124847, 'price moderated': 675255, 'your 3rd party': 1022719, '3rd party are': 18440, 'party are pushing': 642977, 'are pushing up': 89347, 'pushing up the': 690467, 'price of ffp2': 675451, 'of ffp2 mask': 583499, 'ffp2 mask and': 304278, 'mask and even': 518323, 'and even 5x': 62326, 'even 5x people': 283800, '5x people need': 20851, 'people need more': 648832, 'need more this': 555266, 'this is and': 888176, 'is and it': 445707, 'and it criminal': 65508, 'it criminal offense': 457409, 'criminal offense codice': 216865, 'offense codice penale': 594483, 'codice penale art': 185409, 'penale art 501bis': 646416, 'art 501bis be': 94130, '501bis be decent': 20124, 'be decent human': 114355, 'decent human being': 230781, 'human being and': 410436, 'being and keep': 124849, 'and keep price': 65774, 'keep price moderated': 471816, 'alchohol': 40877, 'four way': 330694, 'destroy soap': 239032, 'water bleach': 968918, 'solution alchohol': 781986, 'alchohol hand': 40878, 'sanitizer hydrogen': 735106, 'four way to': 330696, 'way to destroy': 970012, 'to destroy soap': 904218, 'destroy soap and': 239033, 'and water bleach': 75233, 'water bleach solution': 968919, 'bleach solution alchohol': 132520, 'solution alchohol hand': 781987, 'alchohol hand sanitizer': 40879, 'hand sanitizer hydrogen': 375447, 'sanitizer hydrogen peroxide': 735107, 'irs': 445120, 'alert local': 41460, 'local irs': 498125, 'irs investigator': 445123, 'investigator are': 443906, 'asking colorado': 95953, 'colorado taxpayer': 186814, 'scam especially': 740152, 'especially stimulus': 280612, 'check are': 174370, 'are issued': 87589, 'issued in': 456068, 'week ftc': 976260, 'ftc report': 339433, 'complaint and': 191941, 'in fraud': 423093, 'loss nationwide': 503730, 'consumer alert local': 196148, 'alert local irs': 41461, 'local irs investigator': 498127, 'irs investigator are': 445124, 'investigator are asking': 443907, 'are asking colorado': 84636, 'asking colorado taxpayer': 95954, 'colorado taxpayer to': 186815, 'taxpayer to be': 835207, 'related scam especially': 708552, 'scam especially stimulus': 740153, 'especially stimulus check': 280613, 'stimulus check are': 801521, 'check are issued': 174374, 'are issued in': 87590, 'issued in the': 456069, 'coming week ftc': 188276, 'week ftc report': 976261, 'ftc report more': 339434, 'report more than': 712090, 'than 12 00': 840174, '12 00 complaint': 2758, '00 complaint and': 140, 'complaint and million': 191943, 'and million in': 67029, 'million in fraud': 532189, 'in fraud loss': 423095, 'fraud loss nationwide': 331304, 'agsiw': 39065, 'nasser': 552046, 'saidi': 731616, 'mogielnicki': 535552, 'panelist': 637210, 'interesting discussion': 441546, 'discussion happening': 245024, 'on agsiw': 599190, 'agsiw virtual': 39066, 'virtual panel': 957770, 'panel with': 637206, 'with nasser': 999674, 'nasser saidi': 552047, 'saidi amp': 731617, 'amp robert': 54410, 'robert mogielnicki': 724711, 'mogielnicki on': 535553, 'outbreak join': 628398, 'the conversation': 851705, 'conversation and': 202456, 'amp with': 54852, 'the panelist': 863178, 'panelist via': 637213, 'via zoom': 956376, 'interesting discussion happening': 441547, 'discussion happening now': 245025, 'happening now on': 377384, 'now on agsiw': 575416, 'on agsiw virtual': 599191, 'agsiw virtual panel': 39067, 'virtual panel with': 957773, 'panel with nasser': 637207, 'with nasser saidi': 999675, 'nasser saidi amp': 552048, 'saidi amp robert': 731618, 'amp robert mogielnicki': 54411, 'robert mogielnicki on': 724712, 'mogielnicki on the': 535554, 'on the economic': 604084, '19 outbreak join': 9145, 'outbreak join the': 628399, 'join the conversation': 466853, 'the conversation and': 851706, 'conversation and take': 202457, 'and take part': 72971, 'part in the': 642303, 'in the amp': 428978, 'the amp with': 848666, 'amp with the': 54855, 'with the panelist': 1001422, 'the panelist via': 863180, 'panelist via zoom': 637214, 'prediction not': 669667, 'after getting': 35703, 'getting bored': 348877, 'quarantined shopper': 692884, 'shopper shop': 761682, 'shop until': 760989, 'they fall': 882092, 'fall on': 297013, 'couch for': 208436, 'retail long': 718296, '19 end': 6779, 'prediction not that': 669668, 'but after getting': 145067, 'after getting bored': 35705, 'getting bored quarantined': 348879, 'bored quarantined shopper': 135370, 'quarantined shopper shop': 692885, 'shopper shop until': 761683, 'shop until they': 760990, 'until they fall': 943890, 'they fall on': 882093, 'fall on the': 297016, 'on the couch': 604044, 'the couch for': 851996, 'couch for 15': 208437, 'crush retail long': 219789, 'retail long after': 718297, 'long after covid': 501318, 'covid 19 end': 213021, 'the requesting': 865553, 'requesting party': 713273, 'using any': 950388, 'any collaboration': 79027, 'collaboration to': 185932, 'price reduce': 676124, 'reduce output': 705884, 'output reduce': 629284, 'reduce quality': 705913, 'otherwise engage': 621837, 'profiteering 28': 682995, '28 who': 16413, 'the audit': 849047, 'the requesting party': 865554, 'requesting party are': 713274, 'party are not': 642976, 'not using any': 572375, 'using any collaboration': 950390, 'any collaboration to': 79028, 'collaboration to increase': 185933, 'increase price reduce': 433011, 'price reduce output': 676125, 'reduce output reduce': 705886, 'output reduce quality': 629285, 'reduce quality or': 705914, 'quality or otherwise': 691831, 'or otherwise engage': 616454, 'otherwise engage in': 621838, 'engage in covid': 276857, '19 profiteering 28': 9841, 'profiteering 28 who': 682996, '28 who will': 16414, 'who will do': 989985, 'will do the': 993230, 'do the audit': 250233, 'target of': 834481, '60 50': 20865, 'gallon oil': 343050, 'oil analyst': 596608, 'say nation': 738965, 'nation could': 552150, 'history economy': 398024, 'economy oilpricewar': 268123, 'oilpricewar gasoline': 597709, 'target of 60': 834482, 'of 60 50': 579642, '60 50 gallon': 20866, '50 gallon oil': 19707, 'gallon oil analyst': 343051, 'oil analyst say': 596609, 'analyst say nation': 57176, 'say nation could': 738966, 'nation could see': 552151, 'in history economy': 423753, 'history economy oilpricewar': 398025, 'economy oilpricewar gasoline': 268124, 'more small': 540404, 'business hurt': 143863, 'hurt farmer': 411570, 'restaurant closing': 716379, 'closing destroy': 183616, 'demand wsj': 236526, 'more small business': 540405, 'small business hurt': 774865, 'business hurt farmer': 143864, 'hurt farmer dump': 411571, 'egg restaurant closing': 269970, 'restaurant closing destroy': 716380, 'closing destroy demand': 183617, 'destroy demand wsj': 239011, 'food assures': 313435, 'assures pm': 97144, 'enough food assures': 277383, 'food assures pm': 313436, 'question that': 693759, 'having how': 384112, 'florida emergency': 310925, 'emergency declaration': 272653, 'declaration impact': 231153, 'impact my': 417743, 'business whether': 144655, 'owner operator': 632531, 'operator key': 613376, 'key employee': 473279, 'those law': 892159, 'law read': 482374, 'blog to': 133035, 'more 19': 538477, 'it question that': 460582, 'question that many': 693762, 'many are having': 513762, 'are having how': 87036, 'having how doe': 384113, 'doe the state': 251621, 'state of florida': 795806, 'of florida emergency': 583590, 'florida emergency declaration': 310926, 'emergency declaration impact': 272656, 'declaration impact my': 231154, 'impact my business': 417744, 'my business whether': 547584, 'business whether the': 144656, 'whether the owner': 985585, 'the owner operator': 862811, 'owner operator key': 632532, 'operator key employee': 613377, 'key employee or': 473280, 'employee or consumer': 274087, 'or consumer it': 614796, 'consumer it important': 197958, 'important to be': 419048, 'aware of those': 105645, 'of those law': 592099, 'those law read': 892160, 'law read the': 482375, 'read the blog': 700570, 'the blog to': 849780, 'blog to learn': 133036, 'learn more 19': 484011, 'myopinion': 550773, 'paper dog': 640103, 'soap antibacterial': 778938, 'wash can': 967447, 'can paracetamol': 159196, 'paracetamol you': 641286, 'are incredibly': 87506, 'incredibly selfish': 433920, 'abuse store': 27657, 'staff arsehole': 792222, 'arsehole stockpiling': 94099, 'stockpiling myopinion': 804031, 'myopinion tesco': 550774, 'tesco sainsbury': 838789, 'who have lot': 988937, 'lot of meat': 504225, 'of meat toilet': 586377, 'meat toilet paper': 525782, 'toilet paper dog': 921259, 'paper dog food': 640104, 'dog food soap': 252092, 'food soap antibacterial': 316676, 'soap antibacterial wash': 778939, 'antibacterial wash can': 78386, 'wash can paracetamol': 967448, 'can paracetamol you': 159197, 'paracetamol you are': 641287, 'you are incredibly': 1017152, 'are incredibly selfish': 87511, 'incredibly selfish and': 433921, 'selfish and to': 747998, 'and to those': 74206, 'to those people': 917515, 'people who abuse': 650254, 'who abuse store': 988013, 'abuse store staff': 27658, 'store staff arsehole': 810302, 'staff arsehole stockpiling': 792223, 'arsehole stockpiling myopinion': 94100, 'stockpiling myopinion tesco': 804032, 'myopinion tesco sainsbury': 550775, '149': 3599, 'despite we': 238923, 'we increased': 972070, 'increased our': 433391, 'our passover': 624291, 'distribution by': 248116, 'by 21': 151595, 'meet additional': 527402, 'demand one': 235981, 'our outstanding': 624189, 'outstanding 149': 629687, '149 community': 3604, 'despite we increased': 238924, 'we increased our': 972071, 'increased our passover': 433392, 'our passover food': 624292, 'food distribution by': 314224, 'distribution by 21': 248117, 'by 21 to': 151596, '21 to meet': 15035, 'to meet additional': 910014, 'meet additional demand': 527403, 'additional demand one': 31808, 'demand one of': 235982, 'of our outstanding': 587526, 'our outstanding 149': 624190, 'outstanding 149 community': 629688, '149 community partner': 3605, 'ha upended': 372410, 'upended the': 947502, 'all amp': 42006, 'amp are': 53404, 'in amp': 420258, 'amp is': 54019, 'the ha upended': 857027, 'ha upended the': 372413, 'upended the all': 947503, 'the all amp': 848581, 'all amp are': 42007, 'amp are in': 53407, 'are in amp': 87352, 'in amp is': 420262, 'amp is the': 54021, 'costa': 208176, 'luminosa': 506673, 'marseille': 518013, 'disembark': 245291, 'barred': 111183, 'docking': 250795, 'costaluminosa': 208185, 'struck cruise': 814254, 'ship costa': 758659, 'costa luminosa': 208183, 'luminosa is': 506674, 'to dock': 904598, 'dock in': 250781, 'in marseille': 425153, 'marseille so': 518014, 'so non': 777893, 'non italian': 566419, 'italian passenger': 462714, 'passenger can': 643324, 'can disembark': 158075, 'disembark the': 245294, 'the cruise': 852544, 'ship wa': 758730, 'wa barred': 961640, 'barred from': 111184, 'from docking': 335168, 'docking in': 250796, 'the canary': 850327, 'canary island': 160806, 'island since': 454308, 'since previous': 770794, 'previous passenger': 671989, 'passenger tested': 643351, 'positive costaluminosa': 665291, 'struck cruise ship': 814255, 'cruise ship costa': 219705, 'ship costa luminosa': 758660, 'costa luminosa is': 208184, 'luminosa is expected': 506675, 'expected to dock': 290974, 'to dock in': 904599, 'dock in marseille': 250782, 'in marseille so': 425154, 'marseille so non': 518015, 'so non italian': 777894, 'non italian passenger': 566420, 'italian passenger can': 462715, 'passenger can disembark': 643325, 'can disembark the': 158076, 'disembark the cruise': 245295, 'the cruise ship': 852545, 'cruise ship wa': 219708, 'ship wa barred': 758731, 'wa barred from': 961641, 'barred from docking': 111185, 'from docking in': 335169, 'docking in the': 250797, 'in the canary': 429050, 'the canary island': 850328, 'canary island since': 160807, 'island since previous': 454309, 'since previous passenger': 770795, 'previous passenger tested': 671990, 'passenger tested positive': 643352, 'tested positive costaluminosa': 839346, 'store received': 809766, 'received my': 703653, 'my official': 549553, 'official pas': 595873, 'pas today': 643168, 'company wave': 191285, 'wave it': 969355, 'someone face': 784463, 'why out': 991268, 'house great': 406331, 'great essential': 362658, 'am union': 50523, 'union member': 941905, 'and overtime': 68588, 'overtime are': 631618, 'being resolved': 125682, 'resolved 19': 714645, 'well the fun': 978660, 'the fun thing': 856034, 'fun thing about': 341225, 'thing about working': 884099, 'about working in': 26953, 'grocery store received': 365709, 'store received my': 809768, 'received my official': 703654, 'my official pas': 549555, 'official pas today': 595874, 'pas today from': 643169, 'today from the': 919561, 'from the company': 337650, 'the company wave': 851358, 'company wave it': 191286, 'wave it in': 969356, 'it in someone': 458745, 'in someone face': 428112, 'someone face when': 784464, 'face when they': 294850, 'when they want': 984289, 'want to ask': 965988, 'to ask why': 900767, 'ask why out': 95670, 'why out of': 991270, 'the house great': 857611, 'house great essential': 406332, 'great essential the': 362659, 'essential the good': 281661, 'the good thing': 856452, 'good thing is': 357847, 'is that am': 452630, 'that am union': 842616, 'am union member': 50525, 'union member and': 941906, 'member and pay': 528017, 'and pay and': 68795, 'pay and overtime': 644735, 'and overtime are': 68589, 'overtime are being': 631619, 'are being resolved': 84913, 'being resolved 19': 125683, 'big supply': 130039, 'house this': 406614, 'not something': 571651, 'on warehouse': 605107, 'warehouse with': 966810, 'be hearing': 115181, 'hearing knock': 388208, 'you have big': 1019018, 'have big supply': 379791, 'big supply of': 130040, 'supply of toilet': 825654, 'paper in your': 640336, 'in your house': 431095, 'your house this': 1024419, 'house this is': 406615, 'is not something': 450189, 'not something you': 571653, 'worry about but': 1010627, 'about but if': 24908, 'you are sitting': 1017236, 'are sitting on': 90147, 'sitting on warehouse': 772138, 'on warehouse with': 605108, 'warehouse with mask': 966811, 'with mask surgical': 999415, 'mask surgical mask': 519327, 'surgical mask you': 828376, 'mask you will': 519610, 'will be hearing': 992493, 'be hearing knock': 115182, 'hearing knock on': 388209, 'knock on your': 476163, 'on your door': 605457, 'instantly': 440125, 'devalued': 239555, 'all real': 44125, 'estate is': 282138, 'is instantly': 448940, 'instantly devalued': 440126, 'devalued 40': 239556, '40 realtor': 18649, 'realtor listing': 702788, 'listing house': 494853, 'at old': 99948, 'old world': 598555, 'for nothing': 323939, 'all real estate': 44126, 'real estate is': 701153, 'estate is instantly': 282141, 'is instantly devalued': 448941, 'instantly devalued 40': 440127, 'devalued 40 realtor': 239557, '40 realtor listing': 18650, 'realtor listing house': 702789, 'listing house at': 494854, 'house at old': 406207, 'at old world': 99949, 'old world price': 598556, 'world price are': 1009911, 'be doing lot': 114521, 'lot of work': 504326, 'work for nothing': 1005163, 'manure': 513700, 'pit': 656991, 'demand 19': 234894, '19 wsj': 12233, 'wsj the': 1013257, 'restaurant due': 716434, 'coronavirus force': 205945, 'force tough': 328536, 'decision like': 231052, 'at wisconsin': 101570, 'wisconsin farm': 996618, 'dump 00': 262152, 'milk into': 531709, 'into manure': 442741, 'manure pit': 513701, 'destroy demand 19': 239006, 'demand 19 wsj': 234895, '19 wsj the': 12234, 'wsj the closing': 1013258, 'of restaurant due': 589016, 'restaurant due to': 716435, 'to coronavirus force': 903548, 'coronavirus force tough': 205947, 'force tough decision': 328537, 'tough decision like': 926810, 'decision like the': 231053, 'like the one': 491387, 'the one at': 862190, 'one at wisconsin': 605971, 'at wisconsin farm': 101571, 'wisconsin farm to': 996619, 'farm to dump': 299202, 'to dump 00': 904797, 'dump 00 gallon': 262153, '00 gallon of': 228, 'of milk into': 586513, 'milk into manure': 531710, 'into manure pit': 442742, 'school opening': 741893, 'opening shop': 612901, 'staff stocked': 792889, 'stocked by': 803284, 'supplier brilliant': 824506, 'brilliant idea': 139855, 'idea could': 413036, 'could hospital': 209307, 'same have': 733099, 'staff shop': 792842, 'staff save': 792822, 'them heading': 875829, 'coronacrisis nhscovidheroes': 204670, 'heard of school': 388124, 'of school opening': 589400, 'school opening shop': 741894, 'opening shop for': 612902, 'shop for staff': 760202, 'for staff stocked': 325855, 'staff stocked by': 792890, 'stocked by their': 803285, 'by their usual': 154500, 'their usual food': 875101, 'usual food supplier': 950944, 'food supplier brilliant': 316916, 'supplier brilliant idea': 824507, 'brilliant idea could': 139858, 'idea could hospital': 413037, 'could hospital do': 209308, 'hospital do the': 404375, 'the same have': 866237, 'same have staff': 733100, 'have staff shop': 382712, 'staff shop for': 792844, 'shop for our': 760196, 'for our frontline': 324245, 'our frontline staff': 623202, 'frontline staff save': 338829, 'staff save them': 792823, 'save them heading': 737680, 'them heading to': 875830, 'supermarket coronacrisis nhscovidheroes': 819794, 'due respect': 261678, 'respect here': 715013, 'italy people': 462887, 'people maintaining': 648720, 'maintaining distance': 509102, 'distance people': 246798, 'paper food': 640161, 'food inc': 314985, 'inc fresh': 431284, 'fruit meat': 339112, 'death than': 230224, 'country including': 210783, 'including china': 431911, 'with all due': 997149, 'all due respect': 42639, 'due respect here': 261680, 'respect here in': 715014, 'here in italy': 393154, 'in italy people': 424312, 'italy people maintaining': 462889, 'people maintaining distance': 648721, 'maintaining distance people': 509103, 'distance people not': 246799, 'people not panic': 648873, 'toilet paper food': 921277, 'paper food inc': 640163, 'food inc fresh': 314986, 'inc fresh fruit': 431285, 'fresh fruit meat': 332998, 'fruit meat pasta': 339114, 'pasta rice etc': 643795, 'rice etc all': 721038, 'etc all in': 282396, 'all in good': 43196, 'in good supply': 423373, 'good supply despite': 357803, 'supply despite the': 825167, 'despite the end': 238880, 'of today we': 592241, 'today we will': 920488, 'have more death': 381498, 'more death than': 538973, 'death than any': 230225, 'than any other': 840350, 'any other country': 79586, 'other country including': 620020, 'country including china': 210785, 'including china due': 431912, 'all the worst': 44990, 'panic and be': 637298, 'and be greedy': 58752, 'be greedy hoarding': 115099, 'socialdistanacing doe': 780055, 'know personally': 476682, 'personally of': 653041, 'panicbuyinguk socialdistanacing doe': 639164, 'socialdistanacing doe anybody': 780056, 'doe anybody know': 251334, 'anybody know personally': 80098, 'know personally of': 476683, 'personally of anyone': 653042, 'of anyone affected': 580278, 'anyone affected by': 80175, 'different they': 242094, 'open essential': 612212, 'even other': 284447, 'close but': 182577, 'making accommodation': 510940, 'accommodation to': 28471, 'spreading via': 791078, 'via bavis': 955807, 'very different they': 955117, 'different they remain': 242095, 'remain open essential': 709808, 'open essential business': 612213, 'essential business even': 280845, 'business even other': 143713, 'even other store': 284448, 'other store close': 620982, 'store close but': 807050, 'close but they': 182578, 'they re making': 883073, 're making accommodation': 699023, 'making accommodation to': 510941, 'accommodation to keep': 28472, 'from spreading via': 337392, 'spreading via bavis': 791079, 'sucka': 816951, 're selfish': 699474, 'you deserve': 1018180, 'this done': 887283, 'you dig': 1018222, 'dig it': 242438, 'it sucka': 461343, 'you re selfish': 1020739, 're selfish in': 699477, 'selfish in your': 748148, 'local supermarket you': 498623, 'supermarket you deserve': 824190, 'you deserve to': 1018186, 'to get this': 906618, 'get this done': 348405, 'this done to': 887284, 'done to you': 255081, 'can you dig': 160291, 'you dig it': 1018224, 'dig it sucka': 242439, 'ok do': 597787, 'on someone': 603576, 'someone when': 784745, 'when run': 983949, 'errand we': 280208, 'run go': 727652, 'go people': 354038, 'already going': 47376, 'edge bc': 268496, 'posted that': 666575, 'it ok do': 460016, 'ok do not': 597788, 'have to depend': 383192, 'depend on someone': 237324, 'on someone when': 603579, 'someone when run': 784746, 'when run errand': 983950, 'run errand we': 727625, 'errand we ll': 280209, 'll see how': 496992, 'see how the': 745255, 'how the next': 408856, 'grocery run go': 364917, 'run go people': 727653, 'go people are': 354039, 'are already going': 84413, 'already going to': 47377, 'be on edge': 116192, 'on edge bc': 600519, 'edge bc my': 268497, 'bc my local': 113252, 'local supermarket just': 498546, 'supermarket just posted': 821227, 'just posted that': 469477, 'posted that one': 666576, 'their employee tested': 873154, 'assistance and': 96663, 'hiring worker': 397146, 'meet need': 527533, 'need they': 555800, 'hire worker': 397035, 'have suffered': 382843, 'suffered from': 817259, 'from lost': 336276, 'economy click': 267757, 'the north texas': 861876, 'bank is seeing': 109953, 'is seeing an': 451708, 'seeing an increased': 746219, 'food assistance and': 313424, 'assistance and hiring': 96665, 'and hiring worker': 64589, 'hiring worker to': 397148, 'worker to meet': 1008013, 'to meet need': 910039, 'meet need they': 527535, 'need they are': 555802, 'they are looking': 881329, 'looking to hire': 503034, 'to hire worker': 907801, 'hire worker who': 397036, 'who have suffered': 988959, 'have suffered from': 382844, 'suffered from lost': 817260, 'from lost income': 336277, 'to coronavirus impact': 903553, 'the economy click': 853950, 'economy click here': 267758, 'here for more': 393007, 'wishlist': 996884, 'me watching': 523908, 'watching my': 968762, 'my wishlist': 550625, 'wishlist for': 996888, 'download cheap': 257586, 'cheap game': 174115, 'game during': 343166, 'my self': 550012, 'me watching my': 523909, 'watching my wishlist': 968765, 'my wishlist for': 550626, 'wishlist for sale': 996889, 'for sale price': 325324, 'sale price so': 732462, 'price so can': 676500, 'so can download': 776707, 'can download cheap': 158148, 'download cheap game': 257587, 'cheap game during': 174116, 'game during my': 343167, 'during my self': 262804, 'my self isolation': 550013, 'pregga': 669823, 'with out': 1000031, 'out buying': 625809, 'it telling': 461461, 'much ve': 545419, 'stock ups': 803140, 'ups don': 947740, 'don wanna': 254028, 'wanna know': 965648, 'know alright': 476241, 'alright got': 47775, 'enough shit': 277615, 'shit going': 759114, 'told ve': 923781, 'spend 20': 788556, '20 quid': 13289, 'quid on': 694662, 'on pregga': 602884, 'pregga test': 669824, 'so done with': 776914, 'done with out': 255120, 'with out buying': 1000032, 'out buying food': 625811, 'and it telling': 65588, 'it telling me': 461462, 'telling me how': 837223, 'me how much': 522915, 'how much ve': 408382, 'much ve just': 545421, 've just spend': 953310, 'just spend on': 469842, 'spend on food': 788662, 'food and stock': 313345, 'and stock ups': 72420, 'stock ups don': 803141, 'ups don wanna': 947741, 'don wanna know': 254031, 'wanna know alright': 965649, 'know alright got': 476242, 'alright got enough': 47776, 'got enough shit': 358539, 'enough shit going': 277616, 'shit going on': 759115, 'going on don': 355314, 'on don wanna': 600384, 'don wanna be': 254029, 'wanna be told': 965615, 'be told ve': 117752, 'told ve just': 923782, 'just spend 20': 469840, 'spend 20 quid': 788557, '20 quid on': 13290, 'quid on pregga': 694663, 'on pregga test': 602885, 'gsa': 367534, 'governmentcont': 360845, 'gouging beware': 359268, 'of imposter': 585010, 'imposter company': 419413, 'company attempting': 190481, 'price claimed': 673135, 'claimed to': 179889, 'on gsa': 601202, 'gsa schedule': 367539, 'wa marketing': 962623, 'marketing to': 517734, 'to federal': 905710, 'agency well': 38105, 'consumer caveat': 196748, 'emptor governmentcont': 274730, 'fraud and price': 331234, 'price gouging beware': 674263, 'gouging beware of': 359269, 'beware of imposter': 129084, 'of imposter company': 585011, 'imposter company attempting': 419414, 'company attempting to': 190482, 'attempting to sell': 102290, 'sell at exorbitant': 748631, 'exorbitant price claimed': 290406, 'price claimed to': 673136, 'claimed to be': 179890, 'be on gsa': 116195, 'on gsa schedule': 601203, 'gsa schedule and': 367540, 'schedule and wa': 741426, 'and wa marketing': 75091, 'wa marketing to': 962624, 'marketing to federal': 517736, 'to federal agency': 905711, 'federal agency well': 301946, 'agency well consumer': 38106, 'well consumer caveat': 978117, 'consumer caveat emptor': 196749, 'caveat emptor governmentcont': 168260, 'patrick we': 644359, 'demand customer': 235201, 'customer prepare': 222708, 'patrick we will': 644360, 'our store stocked': 624954, 'store stocked and': 810392, 'high demand customer': 395002, 'demand customer prepare': 235202, 'customer prepare for': 222709, 'created twitter': 215922, 'twitter account': 936627, 'account just': 28711, 'could show': 209674, 'gouging n95': 359387, 'sanitizer pricegouging': 735588, 'pricegouging ve': 677870, 've included': 953274, 'included screenshot': 431704, 'screenshot of': 742780, 'depot price': 237547, 'for reference': 325050, 'created twitter account': 215923, 'twitter account just': 936628, 'account just so': 28712, 'just so could': 469819, 'so could show': 776808, 'could show how': 209675, 'how one of': 408434, 'of their store': 591705, 'their store is': 874858, 'the by price': 850245, 'price gouging n95': 674299, 'gouging n95 mask': 359388, 'hand sanitizer pricegouging': 375546, 'sanitizer pricegouging ve': 735589, 'pricegouging ve included': 677871, 've included screenshot': 953275, 'included screenshot of': 431705, 'screenshot of local': 742781, 'of local home': 585934, 'local home depot': 498082, 'home depot price': 401066, 'depot price for': 237548, 'price for reference': 674037, 'lot on': 504331, 'medium of': 527188, 'charging over': 173510, 'wash baby': 967441, 'in common': 421609, 'common wonder': 189485, 'have seen lot': 382431, 'seen lot on': 747125, 'lot on social': 504333, 'social medium of': 779868, 'medium of all': 527189, 'of these shop': 591859, 'these shop charging': 880678, 'shop charging over': 760033, 'charging over inflated': 173511, 'toilet roll hand': 921574, 'roll hand wash': 725331, 'hand wash baby': 375920, 'wash baby food': 967442, 'baby food etc': 106604, 'food etc all': 314395, 'etc all of': 282398, 'these shop have': 880679, 'shop have one': 760267, 'have one thing': 381800, 'thing in common': 884430, 'in common wonder': 421610, 'common wonder if': 189486, 'wonder if anyone': 1003966, 'if anyone can': 413841, 'anyone can work': 80224, 'geezus': 345058, 'people geezus': 648037, 'geezus 65': 345059, 'wa tackled': 963387, 'with people geezus': 1000149, 'people geezus 65': 648038, 'geezus 65 year': 345060, 'old man wa': 598353, 'man wa tackled': 512295, 'wa tackled after': 963388, 'cocooning': 185297, 'this spiritual': 890282, 'spiritual cocooning': 789533, 'cocooning which': 185300, 'll get this': 496795, 'get this through': 348415, 'this through this': 890599, 'through this spiritual': 894841, 'this spiritual cocooning': 890283, 'spiritual cocooning which': 789534, 'cocooning which covid': 185301, 'pandemic pummels': 636256, 'pummels demand': 689013, 'monday after saudi': 536232, 'after saudi arabia': 36142, 'could help to': 209297, 'help to reduce': 390789, 'to reduce global': 913025, 'oversupply the pandemic': 631605, 'the pandemic pummels': 863067, 'pandemic pummels demand': 636257, 'resource shortage': 714877, 'reporting any': 712673, 'any resellers': 79749, 'resellers on': 713981, 'or ebay': 615111, 'ebay who': 266506, 'you report': 1020907, 'by product': 153659, 'people profiting': 649197, 'can all do': 157421, 'our bit in': 622214, 'bit in response': 131586, '19 food and': 7041, 'food and resource': 313325, 'and resource shortage': 70327, 'resource shortage by': 714878, 'shortage by reporting': 764871, 'by reporting any': 153769, 'reporting any resellers': 712674, 'any resellers on': 79750, 'resellers on amazon': 713982, 'on amazon or': 599283, 'amazon or ebay': 51060, 'or ebay who': 615112, 'ebay who are': 266507, 'are hiking up': 87174, 'household item you': 406874, 'item you report': 463873, 'you report by': 1020908, 'report by product': 711847, 'by product it': 153660, 'product it easy': 681333, 'easy to do': 265778, 'do and will': 249076, 'stop people profiting': 804908, 'people profiting from': 649198, 'profiting from this': 683128, 'employee usually': 274367, 'discount ask': 244448, 'ask every': 95517, 'match this': 520310, 'this 10': 886142, '10 average': 1325, 'supermarket employee usually': 820147, 'employee usually get': 274368, '10 discount ask': 1397, 'discount ask every': 244449, 'ask every store': 95518, 'every store manager': 286221, 'to match this': 909895, 'match this 10': 520311, 'this 10 average': 886143, '10 average to': 1326, 'average to fund': 104906, 'show their absolute': 767226, 'their absolute love': 872451, 'charles': 173735, 'secondhand': 743896, 'pawn': 644684, 'the statewide': 867830, 'statewide shut': 796283, 'disgusting 2nd': 245385, '2nd charles': 16762, 'charles is': 173738, 'hospital it': 404484, 'is secondhand': 451704, 'secondhand pawn': 743897, 'pawn shop': 644685, 'response to and': 715826, 'to and the': 900527, 'and the statewide': 73593, 'the statewide shut': 867831, 'statewide shut down': 796284, 'shut down is': 767832, 'down is disgusting': 256886, 'is disgusting 2nd': 447217, 'disgusting 2nd charles': 245386, '2nd charles is': 16763, 'charles is not': 173739, 'is not grocery': 450098, 'pharmacy or hospital': 654401, 'or hospital it': 615672, 'hospital it is': 404485, 'it is secondhand': 459071, 'is secondhand pawn': 451705, 'secondhand pawn shop': 743898, 'getting fired': 348971, 'fired from': 308173, 'supermarket never': 821591, 'never ha': 558036, 'situation suck': 772496, 'suck so': 816926, 'badly but': 108142, 'but honestly': 145956, 'honestly the': 403141, 'the danish': 852830, 'danish government': 225845, 'government handled': 360176, 'handled this': 376315, 'quickly before': 694472, 'got bad': 358429, 'bad bad': 107773, 'many are getting': 513759, 'are getting fired': 86803, 'getting fired from': 348973, 'fired from their': 308174, 'their job bc': 873700, 'job bc of': 465689, '19 nothing is': 8838, 'nothing is open': 573066, 'is open our': 450574, 'open our supermarket': 612432, 'our supermarket never': 625024, 'supermarket never ha': 821592, 'never ha the': 558037, 'ha the basic': 372189, 'the basic thing': 849319, 'basic thing this': 112086, 'thing this situation': 884868, 'this situation suck': 890190, 'situation suck so': 772497, 'suck so badly': 816927, 'so badly but': 776587, 'badly but honestly': 108143, 'but honestly the': 145958, 'honestly the danish': 403142, 'the danish government': 852832, 'danish government handled': 225846, 'government handled this': 360178, 'handled this really': 376316, 'this really great': 889822, 'really great and': 702244, 'great and quickly': 362506, 'and quickly before': 69881, 'quickly before it': 694474, 'before it got': 122888, 'it got bad': 458314, 'got bad bad': 358430, 'watch free': 968419, 'depth analysis': 237756, 'price implication': 674637, 'implication and': 418544, 'collapse is': 186023, 'this march': 888767, 'of icis': 584957, 'icis chemical': 412749, 'chemical business': 175338, 'in association': 420542, 'watch free access': 968420, 'to the in': 916799, 'the in depth': 858000, 'in depth analysis': 422199, 'depth analysis of': 237757, 'the price implication': 864367, 'price implication and': 674638, 'implication and collapse': 418546, 'and collapse is': 60071, 'collapse is available': 186024, 'available in this': 104456, 'in this march': 429975, 'this march 20': 888768, 'march 20 special': 515136, '20 special edition': 13357, 'edition of icis': 268629, 'of icis chemical': 584958, 'icis chemical business': 412750, 'chemical business in': 175339, 'business in association': 143879, 'in association with': 420543, 'fiberglass': 304397, 'inground': 438415, 'snyder': 776437, 'dug our': 262056, 'our second': 624690, 'second fiberglass': 743715, 'fiberglass inground': 304398, 'inground swimming': 438416, 'pool plan': 664018, 'perfect snyder': 651337, 'snyder staycation': 776440, 'staycation with': 797841, 'with call': 997512, 'schedule video': 741473, 'our sale': 624666, 'sale member': 732356, 'member socialdistancing': 528195, 'dug our second': 262057, 'our second fiberglass': 624692, 'second fiberglass inground': 743716, 'fiberglass inground swimming': 304399, 'inground swimming pool': 438417, 'swimming pool plan': 830362, 'pool plan your': 664019, 'plan your perfect': 658367, 'your perfect snyder': 1025251, 'perfect snyder staycation': 651338, 'snyder staycation with': 776441, 'staycation with call': 797842, 'with call the': 997516, 'call the retail': 156139, 'retail store today': 718717, 'today to schedule': 920367, 'to schedule video': 913896, 'schedule video call': 741474, 'video call with': 956655, 'call with one': 156232, 'of our sale': 587557, 'our sale member': 624668, 'sale member socialdistancing': 732357, 'honest not': 403068, 'buying where': 151351, 'small scale': 775110, 'scale retailer': 739910, 'household consumer': 406769, 'in hoarding': 423765, 'stuff etc': 815059, 'faith of': 296528, 'vulnerable who': 961255, 'who relies': 989520, 'on charity': 599883, 'charity for': 173621, 'their mean': 873929, 'be honest not': 115293, 'honest not in': 403069, 'not in support': 570108, 'support of this': 826696, 'of this panic': 592022, 'panic buying where': 637962, 'buying where all': 151352, 'all the small': 44911, 'the small scale': 867367, 'small scale retailer': 775112, 'scale retailer are': 739911, 'retailer are fighting': 718997, 'fighting with household': 305160, 'with household consumer': 998889, 'household consumer in': 406770, 'consumer in hoarding': 197822, 'in hoarding food': 423766, 'hoarding food stuff': 399313, 'food stuff etc': 316889, 'stuff etc my': 815060, 'etc my concern': 282665, 'my concern is': 547782, 'concern is the': 193007, 'is the faith': 452794, 'the faith of': 854858, 'faith of the': 296529, 'the vulnerable who': 871004, 'vulnerable who relies': 961256, 'who relies on': 989521, 'relies on charity': 709518, 'on charity for': 599884, 'charity for their': 173623, 'for their mean': 326848, 'their mean of': 873930, '013': 749, 'wors': 1010848, 'or wait': 617702, 'wait any': 964076, 'good stock': 357771, 'stock pick': 802621, 'pick covid': 655647, 'the unknown': 870435, 'unknown caused': 942524, 'caused one': 167925, 'history on': 398042, '9th the': 24028, 'jones fell': 467247, 'fell 013': 303149, '013 76': 750, '76 point': 22244, 'at 79': 97744, '79 drop': 22367, 'it proved': 460543, 'proved to': 686143, 'the wors': 872024, 'buy now or': 149017, 'now or wait': 575476, 'or wait any': 617703, 'wait any good': 964077, 'any good stock': 79286, 'good stock pick': 357774, 'stock pick covid': 802622, 'pick covid 19': 655648, 'price and fear': 672414, 'and fear of': 62740, 'of the unknown': 591574, 'the unknown caused': 870436, 'unknown caused one': 942525, 'caused one of': 167926, 'the biggest drop': 849651, 'drop in the': 260279, 'market in history': 516557, 'in history on': 423756, 'history on march': 398043, 'on march 9th': 602027, 'march 9th the': 515255, '9th the dow': 24029, 'the dow jones': 853620, 'dow jones fell': 256328, 'jones fell 013': 467248, 'fell 013 76': 303150, '013 76 point': 751, '76 point at': 22245, 'point at 79': 662421, 'at 79 drop': 97745, '79 drop it': 22368, 'drop it proved': 260286, 'it proved to': 460544, 'proved to be': 686144, 'be the wors': 117666, 'greece will': 363352, 'will implement': 993787, 'implement nationwide': 418401, 'nationwide ban': 552713, 'ban of': 109222, 'essential movement': 281317, 'movement starting': 543937, 'am only': 50287, 'people required': 649282, 'supermarket hospital': 820789, 'their doctor': 873050, 'doctor will': 251164, 'be permitted': 116400, 'greece will implement': 363353, 'will implement nationwide': 993788, 'implement nationwide ban': 418402, 'nationwide ban of': 552714, 'ban of non': 109223, 'non essential movement': 566347, 'essential movement starting': 281318, 'movement starting monday': 543938, 'monday at am': 536259, 'at am only': 97937, 'am only people': 50289, 'only people required': 610948, 'people required to': 649283, 'required to go': 713398, 'work the supermarket': 1005818, 'the supermarket hospital': 868636, 'supermarket hospital or': 820791, 'hospital or to': 404549, 'or to see': 617478, 'to see their': 914082, 'see their doctor': 745902, 'their doctor will': 873053, 'doctor will be': 251165, 'will be permitted': 992605, 'be permitted to': 116402, 'permitted to go': 652185, 'on human': 601441, 'human we': 410658, 'this down': 887287, 'down follow': 256759, 'store sign': 810188, 'sign socialdistancing': 769212, 'come on human': 187436, 'on human we': 601445, 'human we can': 410659, 'do this down': 250349, 'this down follow': 887289, 'down follow the': 256760, 'follow the grocery': 312526, 'grocery store sign': 365774, 'store sign socialdistancing': 810190, 'realistic than': 701674, 'think wuhan': 885800, 'wuhan 19': 1013459, 'chinesevirus batflu': 177426, 'batflu socialdistancing': 112590, 'idea of negative': 413132, 'of negative oil': 586929, 'price is more': 674876, 'is more realistic': 449720, 'more realistic than': 540191, 'realistic than you': 701675, 'you think wuhan': 1021691, 'think wuhan 19': 885801, 'wuhan 19 chinesevirus': 1013460, '19 chinesevirus batflu': 5802, 'chinesevirus batflu socialdistancing': 177427, 'someone sneeze': 784659, 'station when someone': 796551, 'when someone sneeze': 984063, 'someone sneeze or': 784660, 'jo': 465576, 'isolat': 454805, 'jo cannot': 465577, 'cannot say': 162071, 'it surprise': 461395, 'first nh': 308799, 'mean packed': 524600, 'packed full': 633606, 'full no': 340693, 'no sanitiser': 565403, 'sanitiser no': 733992, 'screen now': 742706, 'now into': 575051, 'my second': 550007, 'self isolat': 747660, 'jo cannot say': 465578, 'cannot say it': 162072, 'say it surprise': 738860, 'it surprise me': 461396, 'surprise me work': 828540, 'supermarket the first': 823223, 'the first nh': 855328, 'first nh hour': 308800, 'nh hour on': 561985, 'on sunday the': 603774, 'sunday the place': 818279, 'the place wa': 863777, 'place wa packed': 657799, 'wa packed and': 962900, 'packed and mean': 633588, 'and mean packed': 66846, 'mean packed full': 524601, 'packed full no': 633607, 'full no glove': 340694, 'glove no sanitiser': 352809, 'no sanitiser no': 565404, 'sanitiser no social': 733993, 'distancing no screen': 247357, 'no screen now': 565437, 'screen now into': 742707, 'now into my': 575052, 'into my second': 442788, 'my second week': 550009, 'second week of': 743871, 'week of self': 976638, 'of self isolat': 589471, 'grimsby': 363976, 'publicpanic': 688611, 'socialsafety': 781122, 'luckyducker': 506588, 'shop grimsby': 760242, 'grimsby this': 363977, 'uk this': 938816, 'due purely': 261676, 'purely to': 690045, 'to publicpanic': 912483, 'publicpanic stopstockpiling': 688612, 'stophoarding socialsafety': 805465, 'socialsafety luckyducker': 781123, 'of my sister': 586817, 'sister is in': 771760, 'queue to try': 694103, 'try and shop': 934453, 'and shop grimsby': 71499, 'shop grimsby this': 760243, 'grimsby this is': 363978, 'it like there': 459377, 'like there right': 491423, 'now there plenty': 576094, 'plenty of stock': 660979, 'of stock in': 590168, 'stock in the': 802278, 'the uk this': 870293, 'uk this is': 938817, 'is due purely': 447401, 'due purely to': 261677, 'purely to to': 690046, 'to to publicpanic': 917598, 'to publicpanic stopstockpiling': 912484, 'publicpanic stopstockpiling stophoarding': 688613, 'stopstockpiling stophoarding socialsafety': 805881, 'stophoarding socialsafety luckyducker': 805466, '19 commission': 5898, 'commission consumer': 188800, 'is over 19': 450679, 'over 19 commission': 629796, '19 commission consumer': 5899, 'silenthill2': 769717, 'silenthill': 769715, 'oh silenthill2': 596447, 'silenthill2 how': 769718, 'changed silenthill': 172543, 'silenthill toiletpaper': 769716, 'oh silenthill2 how': 596448, 'silenthill2 how time': 769719, 'have changed silenthill': 379943, 'changed silenthill toiletpaper': 172544, 'basf': 111798, 'belongatbasf': 126521, 'nj give': 563434, 'to basf': 901059, 'basf for': 111799, 'nj belongatbasf': 563417, 'nj give shout': 563435, 'out to basf': 627622, 'to basf for': 901060, 'basf for donating': 111800, 'sanitizer made in': 735330, 'made in nj': 507792, 'in nj belongatbasf': 425899, 'mousemat': 543474, 'new mousemat': 559121, 'mousemat off': 543475, 'off amazon': 593631, 'amazon but': 50882, 'travel around': 930271, 'around so': 93482, 'so going': 777178, 'halt my': 374443, 'habit until': 372703, 'to get new': 906543, 'get new mousemat': 347660, 'new mousemat off': 559122, 'mousemat off amazon': 543476, 'off amazon but': 593632, 'amazon but also': 50883, 'but also feel': 145113, 'also feel bad': 48199, 'for the delivery': 326377, 'the delivery worker': 853079, 'delivery worker who': 234782, 'to travel around': 917723, 'travel around so': 930273, 'around so going': 93484, 'so going to': 777179, 'going to halt': 355613, 'to halt my': 907103, 'halt my online': 374444, 'shopping habit until': 762853, 'habit until covid': 372704, '19 is under': 8074, 'heading out': 385947, 'still smile': 801205, 'smile with': 775751, 'eye see': 294098, 'see smiling': 745701, 'safe friend': 729685, 'heading out for': 385948, 'for walk to': 327628, 'walk to the': 964901, 'store wear mask': 811191, 'wear mask you': 974416, 'can still smile': 159794, 'still smile with': 801206, 'smile with your': 775752, 'with your eye': 1002197, 'your eye see': 1023734, 'eye see smiling': 294099, 'see smiling at': 745702, 'smiling at you': 775769, 'at you right': 101660, 'you right now': 1020940, 'now be safe': 574204, 'be safe friend': 116957, 'said monday': 731231, 'amazon said monday': 51099, 'said monday that': 731232, '00 people across': 406, 'oil jump': 596921, 'jump 11': 467830, 'to 22': 899616, '22 54': 15174, '54 barrel': 20319, 'barrel in': 111235, 'volatile trading': 960062, 'trading in': 928873, 'oil jump 11': 596922, 'jump 11 to': 467831, '11 to 22': 2602, 'to 22 54': 899617, '22 54 barrel': 15175, '54 barrel in': 20320, 'barrel in volatile': 111237, 'in volatile trading': 430614, 'volatile trading in': 960063, 'trading in new': 928875, 'rallied': 696239, 'alongside': 47088, '1650': 4243, 'have rallied': 382153, 'rallied alongside': 696244, 'alongside global': 47095, 'equity since': 279968, 'the opening': 862385, 'opening of': 612883, 'of trading': 592404, 'and trade': 74342, 'trade just': 928523, 'just below': 468330, 'below 1650': 126558, '1650 oz': 4244, 'oz in': 632741, 'spot market': 790075, 'morning silver': 541439, 'silver ha': 769802, '14 70': 3403, '70 and': 21729, 'and though': 74047, 'though stock': 892896, 'having strong': 384287, 'strong start': 814119, 'gold stock': 356015, 'stock mondaymorning': 802479, 'price have rallied': 674449, 'have rallied alongside': 382154, 'rallied alongside global': 696245, 'alongside global equity': 47096, 'global equity since': 351925, 'equity since the': 279969, 'since the opening': 770897, 'the opening of': 862388, 'opening of trading': 612887, 'of trading for': 592405, 'trading for the': 928860, 'week and trade': 975942, 'and trade just': 74344, 'trade just below': 928524, 'just below 1650': 468331, 'below 1650 oz': 126559, '1650 oz in': 4245, 'oz in the': 632742, 'in the spot': 429563, 'the spot market': 867599, 'spot market this': 790077, 'market this morning': 517216, 'this morning silver': 889012, 'morning silver ha': 541440, 'silver ha risen': 769803, 'ha risen to': 371770, 'risen to 14': 723127, 'to 14 70': 899494, '14 70 and': 3404, '70 and though': 21733, 'and though stock': 74048, 'though stock are': 892897, 'stock are having': 801853, 'are having strong': 87039, 'having strong start': 384289, 'strong start to': 814120, 'start to the': 794599, 'to the day': 916624, 'day gold stock': 227684, 'gold stock mondaymorning': 356016, 'hail': 373940, 'socoialism': 781412, 'all hail': 43025, 'hail capitalism': 373941, 'capitalism forever': 162752, 'forever co': 329107, 'co under': 184995, 'under socoialism': 940256, 'socoialism have': 781413, 'for empty': 321043, 'shelf capitalism': 756926, 'all hail capitalism': 43026, 'hail capitalism forever': 373942, 'capitalism forever co': 162753, 'forever co under': 329108, 'co under socoialism': 184996, 'under socoialism have': 940257, 'socoialism have to': 781414, 'have to queue': 383271, 'queue for empty': 693927, 'for empty supermarket': 321044, 'supermarket shelf capitalism': 822439, 'ramgarh': 696400, 'all requesting': 44160, 'requesting to': 713281, 'our mp': 623955, 'and mla': 67086, 'distribute free': 247979, 'free mask': 331961, 'your region': 1025546, 'from ramgarh': 337034, 'are all requesting': 84340, 'all requesting to': 44161, 'requesting to our': 713285, 'to our mp': 911213, 'our mp and': 623956, 'mp and mla': 544239, 'and mla and': 67087, 'mla and to': 534737, 'and to distribute': 74165, 'to distribute free': 904442, 'distribute free mask': 247980, 'free mask and': 331962, 'people of your': 648932, 'of your region': 593517, 'your region that': 1025547, 'region that help': 707467, 'that help them': 844303, 'help them to': 390716, 'them to save': 876504, 'to save from': 913780, 'save from ramgarh': 737512, 'kris': 477680, 'hamer': 374550, 'xander': 1013765, 'friedl': 333465, 'nder': 553405, 'kris hamer': 477681, 'hamer vp': 374551, 'vp research': 960717, 'research and': 713666, 'and xander': 75948, 'xander friedl': 1013766, 'friedl nder': 333466, 'nder chief': 553406, 'chief analyst': 175905, 'at ri': 100311, 'ri the': 720938, 'world leading': 1009756, 'leading provider': 483728, 'provider of': 686759, 'store focused': 807750, 'focused retail': 311978, 'analytics solution': 57237, 'solution have': 782038, 'have discussed': 380301, 'discussed the': 244969, 'kris hamer vp': 477682, 'hamer vp research': 374552, 'vp research and': 960718, 'research and xander': 713674, 'and xander friedl': 75949, 'xander friedl nder': 1013767, 'friedl nder chief': 333467, 'nder chief analyst': 553407, 'chief analyst at': 175906, 'analyst at ri': 57113, 'at ri the': 100312, 'ri the world': 720939, 'the world leading': 871905, 'world leading provider': 1009760, 'leading provider of': 483729, 'provider of store': 686761, 'of store focused': 590250, 'store focused retail': 807751, 'focused retail analytics': 311979, 'retail analytics solution': 717811, 'analytics solution have': 57238, 'solution have discussed': 782039, 'have discussed the': 380302, 'discussed the effect': 244970, '19 in retail': 7779, 'and pantry during': 68682, 'pantry during the': 639568, 'shelf over': 757389, 'over why': 630934, 'give farm': 350485, 'home food': 401211, 'service try': 753010, 'sick of supermarket': 768542, 'queue and empty': 693860, 'empty shelf over': 275085, 'shelf over why': 757391, 'over why not': 630935, 'why not give': 991218, 'not give farm': 569640, 'give farm shop': 350486, 'farm shop home': 299173, 'shop home food': 760286, 'home food delivery': 401212, 'delivery service try': 234473, 'of distillery': 582717, 'distillery producing': 247795, 'producing and': 680738, 'or donating': 615053, 're thankful': 699681, 'their generous': 873400, 'gallon drum': 342996, 'drum of': 261203, 'sanitizer three': 735895, 'two to': 937279, 'joined the growing': 466953, 'list of distillery': 494426, 'of distillery producing': 582719, 'distillery producing and': 247796, 'producing and or': 680740, 'and or donating': 68210, 'or donating hand': 615054, 'sanitizer to ease': 735916, 'to ease the': 904855, 'ease the shortage': 265110, 'the shortage we': 867100, 'shortage we re': 765298, 'we re thankful': 972986, 're thankful for': 699682, 'thankful for their': 841912, 'for their generous': 326829, 'their generous donation': 873401, 'donation of gallon': 254647, 'of gallon drum': 584030, 'gallon drum of': 342997, 'drum of sanitizer': 261204, 'of sanitizer three': 589299, 'sanitizer three to': 735896, 'three to and': 894085, 'to and two': 900533, 'and two to': 74558, 'be advised': 113503, 'advised that': 33643, 'be observing': 116142, 'observing reserved': 578652, 'reserved store': 714147, 'your cooperation': 1023340, 'cooperation and': 203157, 'please be advised': 659692, 'be advised that': 113504, 'advised that our': 33647, 'that our retail': 845592, 'location will now': 498996, 'now be observing': 574202, 'be observing reserved': 116143, 'observing reserved store': 578653, 'reserved store hour': 714148, 'hour for those': 405625, 'at risk during': 100355, 'pandemic we appreciate': 636931, 'appreciate your cooperation': 82794, 'your cooperation and': 1023341, 'cooperation and understanding': 203158, '25 71': 15821, '71 march': 21973, '25 71 march': 15822, '71 march 15': 21974, 'scary this': 741201, 'getting ve': 349427, 'off not': 593997, 'exercise like': 290071, 'already queue': 47598, 'queue waiting': 694119, 'get who': 348628, 'is how fucking': 448575, 'how fucking scary': 407896, 'fucking scary this': 339991, 'scary this is': 741202, 'is getting ve': 448050, 'getting ve got': 349428, 've got up': 953203, 'got up on': 359003, 'up on my': 945594, 'on my day': 602275, 'my day off': 547949, 'day off not': 228128, 'off not to': 593998, 'not to exercise': 572149, 'to exercise like': 905411, 'exercise like normal': 290072, 'like normal but': 490870, 'normal but to': 567107, 'supermarket which there': 823840, 'there is already': 878520, 'is already queue': 445532, 'already queue waiting': 47599, 'queue waiting to': 694121, 'waiting to go': 964403, 'in to get': 430110, 'to get who': 906645, 'get who know': 348629, 'what to help': 982457, 'to help some': 907630, 'help some people': 390543, 'face skyrocketing': 294757, 'syrian face skyrocketing': 831052, 'face skyrocketing price': 294758, 'skyrocketing price and': 773448, 'health system are': 386886, 'system are unable': 831118, 'rodewayinnla': 725007, 'bay staysafe': 112970, 'staysafe staystrong': 798919, 'staystrong rodewayinnla': 799055, 'prey to scam': 672078, 'to scam during': 913862, 'scam during here': 740141, 'at bay staysafe': 98109, 'bay staysafe staystrong': 112971, 'staysafe staystrong rodewayinnla': 798920, 'costco ban': 208205, 'ban return': 109252, 'hoarded item': 398951, 'costco ban return': 208206, 'ban return of': 109253, 'return of hoarded': 719871, 'of hoarded item': 584686, 'hoarded item including': 398952, 'andre think': 76163, 'it irresponsible': 458850, 'irresponsible not': 445063, 'peter andre think': 653516, 'andre think it': 76164, 'think it irresponsible': 885338, 'it irresponsible not': 458851, 'irresponsible not to': 445064, 'on food amid': 600837, 'market alert': 515924, 'alert uk': 41530, 'uk electricity': 938322, 'electricity price': 271192, 'been bullish': 120760, 'bullish this': 142468, 'since friday': 770608, 'friday close': 333209, 'close this': 182872, 'after slowdown': 36216, 'italy saw': 462903, 'saw sharp': 738238, 'sharp rebound': 755693, 'rebound in': 703312, 'equity and': 279913, 'the carbon': 850399, 'energy market alert': 276495, 'market alert uk': 515925, 'alert uk electricity': 41531, 'uk electricity price': 938323, 'electricity price have': 271197, 'have been bullish': 379480, 'been bullish this': 120761, 'bullish this week': 142469, 'this week up': 891289, 'week up since': 977147, 'up since friday': 945999, 'since friday close': 770610, 'friday close this': 333210, 'close this come': 182873, 'this come after': 886803, 'come after slowdown': 187190, 'after slowdown in': 36217, 'slowdown in covid': 774448, 'case in spain': 165811, 'in spain and': 428166, 'spain and italy': 787273, 'and italy saw': 65620, 'italy saw sharp': 462904, 'saw sharp rebound': 738239, 'sharp rebound in': 755694, 'rebound in global': 703313, 'global equity and': 351923, 'equity and the': 279915, 'and the carbon': 73270, 'the carbon market': 850402, 'all empty': 42687, 'death aren': 229976, 'we better': 970854, 'better hoard': 128322, 'hoard up': 398903, 'up panicking': 945742, 'panicking moron': 639353, 'moron everywhere': 541590, 'everywhere stopstockpiling': 288258, 'course the supermarket': 211938, 'the supermarket warehouse': 868891, 'supermarket warehouse in': 823732, 'warehouse in the': 966737, 'uk are all': 938186, 'are all empty': 84302, 'all empty and': 42688, 'empty and we': 274780, 'to starve to': 915250, 'to death aren': 903974, 'death aren we': 229977, 'aren we better': 92583, 'we better hoard': 970857, 'better hoard up': 128323, 'hoard up panicking': 398904, 'up panicking moron': 945743, 'panicking moron everywhere': 639354, 'moron everywhere stopstockpiling': 541591, 'trumpadministration': 934019, 'trumpslump': 934154, 'fiscal conservative': 309245, 'conservative that': 194919, 'the trumpadministration': 870072, 'trumpadministration being': 934020, 'history that': 398057, 'toiletpaper wa': 922807, 'wa unavailable': 963591, 'unavailable to': 939463, 'people toiletpapercrisis': 649979, 'toiletpapercrisis trumpslump': 923124, 'fiscal conservative that': 309246, 'conservative that will': 194920, 'that will always': 847556, 'will always remember': 992276, 'always remember the': 49719, 'remember the trumpadministration': 710323, 'the trumpadministration being': 870073, 'trumpadministration being the': 934021, 'being the first': 125926, 'time in modern': 897000, 'in modern history': 425389, 'modern history that': 535391, 'history that toiletpaper': 398058, 'that toiletpaper wa': 847083, 'toiletpaper wa unavailable': 922810, 'wa unavailable to': 963592, 'unavailable to the': 939465, 'american people toiletpapercrisis': 52127, 'people toiletpapercrisis trumpslump': 649980, 'here amid': 392685, 'safe to work': 730063, 'to work here': 918733, 'work here amid': 1005251, 'here amid coronavirus': 392686, 'amid coronavirus via': 52430, 'goc': 354630, 'borro': 135592, 'been unprecedented': 122292, 'unprecedented drop': 943132, 'that lowering': 844970, 'lowering government': 506109, 'government spending': 360620, 'idea look': 413117, 'the yield': 872189, 'yield on': 1016373, 'year government': 1014595, 'bond the': 134267, 'the goc': 856396, 'goc is': 354631, 'literally borro': 494959, 'time when there': 898305, 'when there ha': 984226, 'ha been unprecedented': 369971, 'been unprecedented drop': 122293, 'unprecedented drop in': 943133, 'in consumer demand': 421692, 'consumer demand due': 197128, '19 this guy': 11344, 'this guy think': 887796, 'guy think that': 369182, 'think that lowering': 885599, 'that lowering government': 844971, 'lowering government spending': 506110, 'government spending is': 360622, 'spending is good': 788877, 'good idea look': 357218, 'idea look at': 413118, 'at the yield': 101159, 'the yield on': 872190, 'yield on the': 1016374, 'on the 30': 603956, 'the 30 year': 848088, '30 year government': 17270, 'year government bond': 1014596, 'government bond the': 359937, 'bond the goc': 134268, 'the goc is': 856397, 'goc is literally': 354632, 'is literally borro': 449388, 'chch': 174055, 'bomber': 134205, 'crime supermarket': 216801, 'supermarket cough': 819812, 'cough refused': 208539, 'refused bail': 707051, 'bail and': 108580, 'same raymond': 733264, 'raymond gary': 698044, 'gary coombs': 343735, 'coombs who': 203089, 'got year': 359024, 'the chch': 850726, 'chch bottle': 174056, 'bottle bomber': 136194, 'serious crime supermarket': 751365, 'crime supermarket cough': 216802, 'supermarket cough refused': 819813, 'cough refused bail': 208540, 'refused bail and': 707052, 'bail and wa': 108582, 'and wa tested': 75100, '19 is this': 8066, 'this the same': 890538, 'the same raymond': 866288, 'same raymond gary': 733265, 'raymond gary coombs': 698045, 'gary coombs who': 343736, 'coombs who got': 203090, 'who got year': 988814, 'got year and': 359025, 'year and month': 1014396, 'and month for': 67129, 'month for being': 537728, 'for being the': 319640, 'being the chch': 125925, 'the chch bottle': 850727, 'chch bottle bomber': 174057, 'remaining food': 709965, 'in girl': 423314, 'girl international': 350258, 'international house': 441817, 'house that': 406600, 'wa unlikely': 963608, 'eaten all': 266129, 'all now': 43663, 'now taken': 575957, 'bank based': 109673, 'request easy': 713150, 'for boarding': 319704, 'boarding school': 133700, 'help school': 390490, 'school community': 741758, 'this wa all': 891049, 'wa all the': 961471, 'all the remaining': 44885, 'the remaining food': 865495, 'remaining food stock': 709966, 'food stock in': 316795, 'stock in girl': 802265, 'in girl international': 423315, 'girl international house': 350259, 'international house that': 441818, 'house that wa': 406602, 'that wa unlikely': 847318, 'wa unlikely to': 963609, 'unlikely to be': 942763, 'to be eaten': 901228, 'be eaten all': 114635, 'eaten all now': 266130, 'all now taken': 43666, 'now taken to': 575958, 'taken to local': 833102, 'food bank based': 313525, 'bank based on': 109674, 'based on request': 111693, 'on request easy': 603158, 'request easy way': 713151, 'easy way for': 265798, 'way for boarding': 969581, 'for boarding school': 319705, 'boarding school to': 133701, 'school to help': 741960, 'to help school': 907617, 'help school community': 390491, 'now evident': 574638, 'evident on': 288417, 'analysis how': 57053, 'disruption caused': 246451, 'affected indian': 34378, 'indian startup': 434882, 'startup read': 795123, 'of pandemic is': 587700, 'pandemic is now': 635786, 'is now evident': 450286, 'now evident on': 574639, 'evident on supply': 288418, 'chain and access': 170453, 'to consumer market': 903314, 'consumer market analysis': 198095, 'market analysis how': 515945, 'analysis how the': 57054, 'how the disruption': 408815, 'the disruption caused': 853402, 'disruption caused by': 246452, 'pandemic ha affected': 635530, 'ha affected indian': 369463, 'affected indian startup': 34379, 'indian startup read': 434883, 'startup read more': 795124, 'and tata': 73046, 'product limited': 681375, 'limited said': 492709, 'launch distribution': 481893, 'distribution solution': 248221, 'solution amidst': 781990, 'pandemic enabling': 635374, 'enabling access': 275471, 'flipkart and tata': 310610, 'and tata consumer': 73047, 'consumer product limited': 198468, 'product limited said': 681377, 'limited said on': 492710, 'said on saturday': 731287, 'on saturday that': 603306, 'saturday that they': 737066, 'have come together': 380033, 'together to launch': 920994, 'to launch distribution': 909098, 'launch distribution solution': 481894, 'distribution solution amidst': 248222, 'solution amidst the': 781991, '19 pandemic enabling': 9316, 'pandemic enabling access': 635375, 'enabling access to': 275472, 'sunnyside': 818400, 'greenpoint': 363760, '1104': 2627, '718': 21991, '752': 22208, '1931': 12351, 'in queen': 427206, 'queen ny': 693388, 'ny located': 577891, 'located near': 498817, 'near elmhurst': 553486, 'elmhurst hospital': 271572, 'hospital no': 404525, 'no le': 564582, 'le ha': 482968, 'ha employee': 370483, 'working who': 1009046, 'sick green': 768463, 'green valley': 363712, 'valley marketplace': 951973, 'marketplace of': 517821, 'of sunnyside': 590401, 'sunnyside 44': 818401, '44 07': 19000, '07 greenpoint': 1019, 'greenpoint ave': 363761, 'ave sunnyside': 104748, 'sunnyside ny': 818405, 'ny 1104': 577827, '1104 718': 2628, '718 752': 21992, '752 1931': 22209, 'store in queen': 808378, 'in queen ny': 427208, 'queen ny located': 693389, 'ny located near': 577892, 'located near elmhurst': 498818, 'near elmhurst hospital': 553487, 'elmhurst hospital no': 271574, 'hospital no le': 404526, 'no le ha': 564583, 'le ha employee': 482969, 'ha employee working': 370484, 'employee working who': 274470, 'working who are': 1009047, 'are sick green': 90110, 'sick green valley': 768464, 'green valley marketplace': 363714, 'valley marketplace of': 951974, 'marketplace of sunnyside': 517822, 'of sunnyside 44': 590402, 'sunnyside 44 07': 818402, '44 07 greenpoint': 19001, '07 greenpoint ave': 1020, 'greenpoint ave sunnyside': 363762, 'ave sunnyside ny': 104750, 'sunnyside ny 1104': 818406, 'ny 1104 718': 577828, '1104 718 752': 2629, '718 752 1931': 21993, 'sustenance': 829835, 'getting sustenance': 349328, 'sustenance warning': 829836, 'warning anyone': 967087, 'else there': 271913, 'there socialdistancing': 879061, 'socialdistancing flattenthecurve': 780365, 'flattenthecurve inthistogether': 310174, 'grocery store getting': 365427, 'store getting sustenance': 807927, 'getting sustenance warning': 349329, 'sustenance warning anyone': 829837, 'warning anyone else': 967088, 'anyone else there': 80296, 'else there socialdistancing': 271914, 'there socialdistancing flattenthecurve': 879062, 'socialdistancing flattenthecurve inthistogether': 780367, 'incomed': 432509, 'lastmanstanding': 480792, 'low economic': 505261, 'economic incomed': 267147, 'incomed people': 432510, 'drive fly': 259057, 'fly and': 311597, 'go visit': 354463, 'visit national': 959306, 'national park': 552578, 'cost so': 208112, 'all enjoy': 42689, 'enjoy these': 277199, 'from thanks': 337572, 'thanks lastmanstanding': 842126, 'lastmanstanding sars': 480793, 'like for low': 490273, 'for low economic': 323125, 'low economic incomed': 505262, 'economic incomed people': 267148, 'incomed people now': 432511, 'time to drive': 897980, 'to drive fly': 904736, 'drive fly and': 259058, 'fly and go': 311598, 'and go visit': 63789, 'go visit national': 354465, 'visit national park': 959307, 'national park when': 552579, 'park when this': 642029, 'we please keep': 972713, 'please keep these': 660158, 'keep these price': 472124, 'these price low': 880536, 'price low to': 675122, 'low to no': 505693, 'to no cost': 910618, 'no cost so': 563908, 'cost so we': 208113, 'can all enjoy': 157422, 'all enjoy these': 42690, 'enjoy these thing': 277201, 'these thing without': 880822, 'thing without the': 885008, 'without the risk': 1002976, 'risk of dying': 723744, 'of dying from': 582893, 'dying from thanks': 263827, 'from thanks lastmanstanding': 337573, 'thanks lastmanstanding sars': 842127, 'enfield': 276648, 'dear lovely': 229831, 'lovely royal': 504978, 'royal enfield': 726616, 'enfield with': 276652, 'respect do': 714978, 'about customer': 25059, 'customer problem': 222721, 'problem or': 679644, 'meet me': 527525, 'your patience': 1025229, 'is utmost': 453644, 'utmost appreciated': 951384, 'my dear lovely': 547959, 'dear lovely royal': 229832, 'lovely royal enfield': 504979, 'royal enfield with': 726618, 'enfield with all': 276653, 'due respect do': 261679, 'respect do you': 714979, 'you even care': 1018447, 'care about customer': 163783, 'about customer problem': 25060, 'customer problem or': 222722, 'problem or is': 679645, 'it just that': 459249, 'just that you': 469986, 'that you act': 847707, 'you act if': 1016794, 'act if you': 29656, 'if you hear': 415453, 'you hear your': 1019183, 'hear your customer': 388039, 'your customer please': 1023417, 'customer please expect': 222696, 'please expect to': 659979, 'expect to meet': 290771, 'to meet me': 910036, 'meet me at': 527526, 'me at consumer': 522468, 'at consumer after': 98312, 'covid 19 your': 214110, '19 your patience': 12282, 'your patience is': 1025231, 'patience is utmost': 644109, 'is utmost appreciated': 453645, '143': 3570, 'kr40 73': 477633, '73 bottle': 22061, 'kr100 143': 477628, '143 22': 3571, '22 each': 15211, 'bottle kr40 73': 136262, 'kr40 73 bottle': 477634, '73 bottle kr100': 22062, 'bottle kr100 143': 136259, 'kr100 143 22': 477629, '143 22 each': 3572, '22 each bottle': 15212, 'stopped hoarding we': 805717, 'hoarding we should': 399647, 'same for toiletpaper': 733074, 'check indeed': 174476, 'reality check indeed': 701713, 'yarra': 1014174, 'piling and': 656567, 'and stripped': 72579, 'stripped supermarket': 813882, 'shelf continue': 756956, 'continue amid': 200995, 'outbreak group': 628258, 'of volunteer': 592856, 'cook and': 202721, 'deliver free': 233134, 'need across': 554364, 'the yarra': 872141, 'yarra range': 1014175, 'stock piling and': 802651, 'piling and stripped': 656570, 'and stripped supermarket': 72580, 'stripped supermarket shelf': 813884, 'supermarket shelf continue': 822447, 'shelf continue amid': 756957, 'continue amid the': 200996, '19 outbreak group': 9128, 'outbreak group of': 628259, 'group of volunteer': 366808, 'of volunteer have': 592859, 'volunteer have come': 960278, 'together to cook': 920987, 'to cook and': 903478, 'cook and deliver': 202723, 'and deliver free': 61078, 'deliver free meal': 233135, 'meal for those': 524160, 'in need across': 425721, 'need across the': 554365, 'across the yarra': 29536, 'the yarra range': 872142, 'dinsdale': 243143, 'battlefield': 112852, 'genocide': 345802, 'atrocity': 102003, 'aerial': 33888, 'dinsdale most': 243144, 'died during': 241535, 'during ww2': 263421, 'ww2 did': 1013645, 'die on': 241434, 'the battlefield': 849353, 'battlefield they': 112853, 'they either': 882028, 'either died': 270284, 'died through': 241606, 'through genocide': 894477, 'genocide atrocity': 345803, 'atrocity or': 102004, 'or aerial': 614267, 'aerial bombing': 33889, 'bombing their': 134211, 'their chance': 872756, 'or death': 614896, 'death were': 230271, 'were random': 980030, 'random my': 696608, 'my chance': 547659, 'of contract': 581829, 'dinsdale most of': 243145, 'who died during': 988601, 'died during ww2': 241538, 'during ww2 did': 263422, 'ww2 did not': 1013646, 'did not die': 240711, 'not die on': 569024, 'die on the': 241435, 'on the battlefield': 603982, 'the battlefield they': 849354, 'battlefield they either': 112854, 'they either died': 882029, 'either died through': 270285, 'died through genocide': 241607, 'through genocide atrocity': 894478, 'genocide atrocity or': 345804, 'atrocity or aerial': 102005, 'or aerial bombing': 614268, 'aerial bombing their': 33890, 'bombing their chance': 134212, 'their chance of': 872757, 'chance of life': 171761, 'of life or': 585830, 'life or death': 488951, 'or death were': 614899, 'death were random': 230272, 'were random my': 980031, 'random my chance': 696609, 'my chance of': 547660, 'chance of contract': 171751, 'wa driving': 962034, 'supermarket usually': 823627, 'usually don': 951113, 'see police': 745586, 'police car': 662946, 'car today': 163325, 'saw luxembourg': 738158, 'luxembourg stayathome': 506898, 'wa driving to': 962037, 'the supermarket usually': 868882, 'supermarket usually don': 823629, 'usually don see': 951114, 'don see police': 253894, 'see police car': 745587, 'police car today': 662948, 'car today saw': 163326, 'today saw luxembourg': 920141, 'saw luxembourg stayathome': 738159, 'luxembourg stayathome quarantinelife': 506900, 'have felt': 380601, 'get ethylene': 346956, 'ethylene and': 283141, 'propylene perspective': 684604, 'perspective and': 653187, 'and trend': 74446, 'watch in': 968447, 'newest blog': 560055, 'and price have': 69452, 'have dropped in': 380381, 'dropped in 2020': 260576, '2020 and have': 14142, 'and have felt': 64243, 'have felt the': 380602, 'felt the impact': 303461, '19 get ethylene': 7196, 'get ethylene and': 346957, 'ethylene and propylene': 283142, 'and propylene perspective': 69640, 'propylene perspective and': 684605, 'perspective and trend': 653189, 'and trend to': 74449, 'trend to watch': 931480, 'to watch in': 918383, 'watch in our': 968448, 'in our newest': 426318, 'our newest blog': 624051, 'newest blog post': 560056, 'manna': 513287, 'volunteer in': 960285, 'force at': 328338, 'at manna': 99670, 'manna foodbank': 513288, 'foodbank demand': 317764, 'is soaring': 452050, 'soaring while': 779353, 'while donation': 986772, 'donation are': 254546, 'down right': 257154, '19 volunteer': 11854, 'volunteer anthony': 960219, 'anthony feel': 78243, 'extra sense': 293634, 'urgency 13': 948299, 'volunteer in full': 960287, 'full force at': 340607, 'force at manna': 328339, 'at manna foodbank': 99671, 'manna foodbank demand': 513289, 'foodbank demand for': 317765, 'food is soaring': 315152, 'is soaring while': 452054, 'soaring while donation': 779354, 'while donation are': 986773, 'donation are down': 254548, 'are down right': 85981, 'down right now': 257155, 'covid 19 volunteer': 214035, '19 volunteer anthony': 11855, 'volunteer anthony feel': 960220, 'anthony feel the': 78244, 'feel the extra': 302883, 'the extra sense': 854766, 'extra sense of': 293635, 'of urgency 13': 592688, 'quant': 691883, 'quake': 691686, 'the quant': 864953, 'quant quake': 691884, 'quake downturn': 691687, 'downturn so': 257816, 'so brutal': 776654, 'brutal that': 141407, 'high powered': 395217, 'powered computer': 667762, 'computer vast': 192769, 'vast data': 952701, 'data set': 226399, 'and sophisticated': 72004, 'sophisticated algorithm': 785972, 'algorithm provided': 41662, 'provided little': 686622, 'they re calling': 883007, 're calling it': 698408, 'it the quant': 461570, 'the quant quake': 864954, 'quant quake downturn': 691885, 'quake downturn so': 691688, 'downturn so brutal': 257817, 'so brutal that': 776655, 'brutal that high': 141408, 'that high powered': 844325, 'high powered computer': 395218, 'powered computer vast': 667763, 'computer vast data': 192770, 'vast data set': 952702, 'data set and': 226400, 'set and sophisticated': 753342, 'and sophisticated algorithm': 72005, 'sophisticated algorithm provided': 785973, 'algorithm provided little': 41663, 'provided little or': 686623, 'or no protection': 616265, 'protection from falling': 685457, 'falling price market': 297327, 'spirit animal': 789452, 'animal pandemic': 76638, 'found my new': 330292, 'my new spirit': 549473, 'new spirit animal': 559628, 'spirit animal pandemic': 789453, 'animal pandemic toiletpaper': 76639, 'may notice': 521394, 'notice even': 573266, 'change during': 172024, 'aldi lockdown': 41284, 'you may notice': 1019806, 'may notice even': 521395, 'notice even more': 573267, 'even more change': 284346, 'more change during': 538798, 'change during your': 172030, 'during your weekly': 263437, 'shop tesco sainsburys': 760885, 'sainsburys aldi lockdown': 731749, 'sale finally': 732216, 'well that the': 978650, 'that the dfs': 846704, 'dfs sale finally': 240062, 'sale finally over': 732217, 'knowwhentowearamask': 477270, 'wearecput': 974528, 'wearecputmedia': 974530, 'frequently keeping': 332857, 'clean use': 180677, 'use soap': 949587, 'sanitizer knowwhentowearamask': 735269, 'knowwhentowearamask wearecput': 477271, 'wearecput wearecputmedia': 974529, 'mask only work': 519066, 'only work when': 611492, 'work when you': 1006000, 'you are frequently': 1017129, 'are frequently keeping': 86681, 'frequently keeping your': 332858, 'keeping your hand': 472634, 'hand clean use': 374866, 'clean use soap': 180678, 'use soap or': 949590, 'hand sanitizer knowwhentowearamask': 375467, 'sanitizer knowwhentowearamask wearecput': 735270, 'knowwhentowearamask wearecput wearecputmedia': 477272, 'nigerian telecom': 562882, 'telecom company': 836673, 'nigerian telecom company': 562883, 'telecom company should': 836676, 'company should slash': 191079, 'should slash price': 766478, 'slash price this': 773591, 'price this period': 676918, 'thank also': 841537, 'teacher the': 835514, 'is long': 449431, 'long 19': 501316, 'many people to': 514539, 'people to thank': 649954, 'to thank also': 916418, 'thank also thankful': 841538, 'for our delivery': 324227, 'our delivery people': 622727, 'worker teacher the': 1007889, 'teacher the list': 835516, 'list is long': 494379, 'is long 19': 449432, 'pandemic slash': 636481, 'of luxury': 586077, 'luxury car': 506924, 'car here': 163125, 'best deal': 127662, 'deal in': 229425, 'car read': 163257, '19 pandemic slash': 9471, 'pandemic slash price': 636482, 'price of luxury': 675495, 'of luxury car': 586079, 'luxury car here': 506925, 'car here are': 163126, 'the best deal': 849506, 'best deal in': 127664, 'deal in the': 229429, 'the are you': 848874, 'the market for': 860109, 'market for brand': 516406, 'for brand new': 319766, 'brand new car': 137930, 'new car read': 558448, 'car read more': 163258, 'bb20': 113059, 'tbt': 835268, 'buying force': 150364, 'force south': 328499, 'african supermarket': 35228, 'food bb20': 313691, 'bb20 tbt': 113060, 'panic buying force': 637736, 'buying force south': 150366, 'force south african': 328500, 'south african supermarket': 786679, 'african supermarket to': 35229, 'supermarket to ration': 823402, 'ration food bb20': 697677, 'food bb20 tbt': 313692, 'hgtv': 394570, 'milaniplumbing': 531316, 'plumbing': 661235, 'airconditioning': 39870, 'make diy': 509845, 'diy homemade': 248743, 'by hgtv': 152795, 'hgtv milaniplumbing': 394571, 'milaniplumbing plumbing': 531317, 'plumbing airconditioning': 661236, 'airconditioning health': 39871, 'washyourhands prepared': 967893, 'prepared stayathome': 670234, 'to make diy': 909652, 'make diy homemade': 509846, 'diy homemade hand': 248744, 'sanitizer by hgtv': 734621, 'by hgtv milaniplumbing': 152796, 'hgtv milaniplumbing plumbing': 394572, 'milaniplumbing plumbing airconditioning': 531318, 'plumbing airconditioning health': 661237, 'airconditioning health washyourhands': 39872, 'health washyourhands prepared': 386937, 'washyourhands prepared stayathome': 967894, 'drive ecommerce': 259047, 'sale beyond': 732097, 'beyond 2020': 129122, '2020 projection': 14538, 'projection and': 683579, 'future retail': 342445, 'retail tech': 718764, 'tech by': 836050, 'fear may drive': 301194, 'may drive ecommerce': 521133, 'drive ecommerce sale': 259048, 'ecommerce sale beyond': 266855, 'sale beyond 2020': 732098, 'beyond 2020 projection': 129123, '2020 projection and': 14539, 'projection and change': 683580, 'and change how': 59722, 'change how people': 172092, 'how people shop': 408508, 'people shop in': 649426, 'the future retail': 856089, 'future retail tech': 342446, 'retail tech by': 718765, 'tonite': 924530, 'eventful': 285119, 'unicornday': 941740, 'glad made': 351505, 'trip with': 932223, 'wife tonite': 991986, 'tonite quite': 924531, 'quite eventful': 694859, 'eventful good': 285120, 'guy pulling': 369119, 'pulling it': 688935, 'off unicorn': 594361, 'unicorn unicornday': 941736, 'unicornday corona': 941741, 'corona groceryshopping': 203967, 'glad made the': 351506, 'made the grocery': 507994, 'store trip with': 810956, 'trip with the': 932225, 'with the wife': 1001546, 'the wife tonite': 871553, 'wife tonite quite': 991987, 'tonite quite eventful': 924532, 'quite eventful good': 694860, 'eventful good for': 285121, 'good for this': 357091, 'for this guy': 327032, 'this guy pulling': 887793, 'guy pulling it': 369120, 'pulling it off': 688936, 'it off unicorn': 459988, 'off unicorn unicornday': 594362, 'unicorn unicornday corona': 941737, 'unicornday corona groceryshopping': 941742, 'corona groceryshopping socialdistancing': 203968, 'paranoid after': 641436, 'paranoid after the': 641437, 'reasi': 702851, 'fcs': 300804, 'whatsapp70067': 982914, '47305': 19278, '94192': 23559, '45670': 19178, 'adcapdrsi': 31376, 'ww': 1013634, 'angel of': 76314, 'of reasi': 588807, 'reasi group': 702852, 'volunteer under': 960363, 'under guidance': 940100, 'of dm': 582740, 'dm reasi': 248919, 'reasi is': 702854, 'helping district': 391305, 'district admin': 248345, 'admin in': 32420, 'in reaching': 427277, 'to public': 912469, 'commodity control': 189153, 'control room': 202126, 'room ad': 725870, 'ad fcs': 31095, 'fcs ca': 300805, 'ca reasi': 154904, 'reasi whatsapp70067': 702858, 'whatsapp70067 47305': 982915, '47305 call': 19279, 'call 94192': 155734, '94192 45670': 23560, '45670 adcapdrsi': 19179, 'adcapdrsi com': 31377, 'com ww': 186964, 'ww twitter': 1013641, 'twitter ad': 936632, 'angel of reasi': 76315, 'of reasi group': 588808, 'reasi group of': 702853, 'of volunteer under': 592861, 'volunteer under guidance': 960364, 'under guidance of': 940101, 'guidance of dm': 368259, 'of dm reasi': 582741, 'dm reasi is': 248920, 'reasi is helping': 702855, 'is helping district': 448397, 'helping district admin': 391306, 'district admin in': 248346, 'admin in reaching': 32421, 'in reaching out': 427278, 'reaching out to': 700103, 'out to public': 627673, 'to public for': 912472, 'public for essential': 688010, 'essential commodity control': 280917, 'commodity control room': 189154, 'control room ad': 202127, 'room ad fcs': 725871, 'ad fcs ca': 31096, 'fcs ca reasi': 300806, 'ca reasi whatsapp70067': 154905, 'reasi whatsapp70067 47305': 702859, 'whatsapp70067 47305 call': 982916, '47305 call 94192': 19280, 'call 94192 45670': 155735, '94192 45670 adcapdrsi': 23561, '45670 adcapdrsi com': 19180, 'adcapdrsi com ww': 31378, 'com ww twitter': 186965, 'ww twitter ad': 1013642, 'twitter ad fcs': 936633, 'drafted': 258145, 'good beginning': 356821, 'parent they': 641745, 'live hour': 495841, 'hour drive': 405547, 'drive away': 258994, 'away and': 105777, 'category can': 167166, 'get supermarket': 348144, 'out uk': 627737, 'uk military': 938548, 'military planner': 531486, 'planner drafted': 658490, 'drafted in': 258146, 'feed vulnerable': 302400, 'good beginning to': 356822, 'beginning to panic': 123672, 'panic about my': 637258, 'about my parent': 25768, 'my parent they': 549700, 'parent they live': 641746, 'they live hour': 882577, 'live hour drive': 495842, 'hour drive away': 405548, 'drive away and': 258995, 'away and also': 105778, 'and also in': 57961, 'also in the': 48402, 'the vulnerable category': 870979, 'vulnerable category can': 960904, 'category can get': 167167, 'can get supermarket': 158454, 'get supermarket delivery': 348146, 'slot and not': 774105, 'and not safe': 67769, 'go out uk': 353996, 'out uk military': 627738, 'uk military planner': 938549, 'military planner drafted': 531488, 'planner drafted in': 658491, 'drafted in to': 258147, 'help feed vulnerable': 389697, 'feed vulnerable in': 302401, 'vulnerable in covid': 961013, 'these household': 880132, 'expert say these': 291963, 'say these household': 739329, 'these household product': 880133, 'household product can': 406911, 'product can kill': 681043, 'can kill covid': 158821, '19 in your': 7798, 'kagame': 470626, 'jameson': 464413, 'in rwanda': 427596, 'rwanda president': 728745, 'president kagame': 670844, 'kagame ha': 470629, 'kenya jameson': 472916, 'jameson is': 464416, 'for prayer': 324677, 'prayer on': 669067, 'saturday the': 737067, 'the tragedy': 869881, 'tragedy of': 929178, 'in rwanda president': 427599, 'rwanda president kagame': 728746, 'president kagame ha': 670846, 'kagame ha fixed': 470630, 'essential commodity amid': 280910, 'commodity amid an': 189120, 'amid an outbreak': 52388, 'outbreak of in': 628481, 'of in kenya': 585031, 'in kenya jameson': 424480, 'kenya jameson is': 472918, 'jameson is calling': 464417, 'calling for prayer': 156557, 'for prayer on': 324678, 'prayer on saturday': 669068, 'on saturday the': 603307, 'saturday the tragedy': 737069, 'the tragedy of': 869882, 'tragedy of the': 929180, 'whitman': 987981, 'plaza': 659513, 'another line': 77698, 'this shoprite': 890111, 'shoprite in': 764550, 'in whitman': 430887, 'whitman plaza': 987984, 'plaza now': 659514, '7am previously': 22432, 'previously 6am': 672013, 'give worker': 350842, 'worker chance': 1006628, 'restock people': 716890, 'line since': 493400, 'since 15': 770409, 'another day another': 77564, 'day another line': 227303, 'another line outside': 77699, 'line outside grocery': 493346, 'store this shoprite': 810704, 'this shoprite in': 890112, 'shoprite in whitman': 764552, 'in whitman plaza': 430888, 'whitman plaza now': 987985, 'plaza now open': 659515, 'now open at': 575458, 'at 7am previously': 97749, '7am previously 6am': 22433, 'previously 6am to': 672014, '6am to give': 21579, 'to give worker': 906728, 'give worker chance': 350843, 'worker chance to': 1006629, 'to restock people': 913407, 'restock people have': 716891, 'been in line': 121354, 'in line since': 424770, 'line since 15': 493401, 'since 15 19': 770410, 're shifting': 699498, 'shifting our': 758545, 'our focus': 623095, 'focus during': 311832, 'safe consumer': 729558, 'safety signage': 730731, 'signage and': 769273, 'guard can': 367788, 'safe stayathome': 729978, 'stayathome safetyfirst': 797602, 'safetyfirst socialdistancing': 730808, 'we re shifting': 972961, 're shifting our': 699499, 'shifting our focus': 758546, 'our focus during': 623096, 'focus during this': 311834, 'time and doing': 896268, 'and doing our': 61606, 'doing our part': 252592, 'help people stay': 390306, 'people stay safe': 649562, 'stay safe consumer': 797220, 'safe consumer safety': 729559, 'consumer safety signage': 198852, 'safety signage and': 730732, 'signage and guard': 769274, 'and guard can': 64025, 'guard can help': 367789, 'help keep your': 389980, 'customer safe stayathome': 222788, 'safe stayathome safetyfirst': 729979, 'stayathome safetyfirst socialdistancing': 797603, 'play with': 659253, 'family play': 298160, 'play ftcscambingo': 659149, 'ftcscambingo spot': 339478, 'spot some': 790111, 'those scam': 892423, 'out of game': 626740, 'of game to': 584035, 'to play with': 911808, 'play with your': 659258, 'with your family': 1002198, 'your family play': 1023799, 'family play ftcscambingo': 298161, 'play ftcscambingo spot': 659150, 'ftcscambingo spot some': 339479, 'spot some of': 790112, 'some of those': 783414, 'of those scam': 592112, 'those scam call': 892424, 'scam call you': 740098, 'call you might': 156251, 'might be getting': 530899, 'be getting and': 115000, 'getting and spread': 348840, 'and spread the': 72149, 'the word to': 871723, 'word to help': 1004602, 'help protect others': 390373, 'protect others in': 684882, 'others in your': 621484, 'uniquetimes': 942021, 'lockdown online': 499739, 'shopping fall': 762630, 'fall 16': 296790, '16 for': 4110, 'visit latestnews': 959287, 'latestnews uniquetimes': 481609, 'uniquetimes onlineshopping': 942022, 'to lockdown online': 909401, 'lockdown online shopping': 499741, 'online shopping fall': 609120, 'shopping fall 16': 762631, 'fall 16 for': 296791, '16 for more': 4112, 'more info visit': 539567, 'info visit latestnews': 437609, 'visit latestnews uniquetimes': 959288, 'latestnews uniquetimes onlineshopping': 481610, 'mind driving': 532658, 'driving an': 259892, 'extra mile': 293574, 'find supermarket': 307261, 'could offer': 209471, 'product choice': 681057, 'is most': 449737, 'essential is': 281173, 'it practice': 460415, 'seriously don mind': 751587, 'don mind driving': 253740, 'mind driving an': 532659, 'driving an extra': 259893, 'an extra mile': 56015, 'extra mile to': 293575, 'mile to find': 531418, 'to find supermarket': 905941, 'find supermarket that': 307264, 'supermarket that could': 823182, 'that could offer': 843358, 'could offer more': 209472, 'offer more product': 594702, 'more product choice': 540149, 'product choice but': 681058, 'choice but what': 177743, 'what is most': 981709, 'is most essential': 449739, 'most essential is': 542302, 'essential is that': 281176, 'that it practice': 844733, 'it practice socialdistancing': 460416, 'sol': 781587, 'the host': 857550, 'host say': 404894, 'no refund': 565316, 'is sol': 452064, 'sol believe': 781588, 'believe me': 126308, 'your policy': 1025350, 'policy never': 663450, 'again hello': 37021, 'so if the': 777355, 'if the host': 414987, 'the host say': 857552, 'host say no': 404895, 'say no refund': 738985, 'no refund the': 565321, 'refund the consumer': 706959, 'consumer is sol': 197940, 'is sol believe': 452065, 'sol believe me': 781589, 'believe me we': 126310, 'me we will': 523917, 'we will remember': 973899, 'will remember this': 994644, 'remember this is': 710349, 'is your policy': 454161, 'your policy never': 1025351, 'policy never again': 663451, 'never again hello': 557851, 'on finding': 600793, 'global barometer': 351751, 'barometer we': 111157, 'have designed': 380240, 'designed webinar': 238368, 'to outline': 911274, 'key topic': 473449, 'topic in': 925790, 'report relating': 712213, 'the cpg': 852254, 'cpg fmcg': 214599, 'fmcg industry': 311735, 'industry register': 436068, 'understand key': 940670, 'based on finding': 111679, 'on finding from': 600794, 'finding from the': 307477, '19 global barometer': 7218, 'global barometer we': 351752, 'barometer we have': 111158, 'we have designed': 971796, 'have designed webinar': 380241, 'designed webinar to': 238369, 'webinar to outline': 975121, 'to outline key': 911275, 'outline key topic': 629093, 'key topic in': 473450, 'topic in the': 925791, 'in the report': 429511, 'the report relating': 865536, 'report relating to': 712214, 'to the cpg': 916607, 'the cpg fmcg': 852255, 'cpg fmcg industry': 214600, 'fmcg industry register': 311736, 'industry register for': 436069, 'to understand key': 917906, 'understand key trend': 940671, 'key trend and': 473454, 'trend and consumer': 931268, 'provide sanitary': 686460, 'sanitary and': 733796, 'bag provide sanitary': 108391, 'provide sanitary and': 686461, 'sanitary and convenient': 733797, 'eccentricgin': 266613, 'welshgin': 978888, 'badbusiness': 108116, 'wale': 964688, 'shameful you': 754713, 'discount based': 244450, 'on covid19': 600145, 'covid19 affected': 214259, 'affected people': 34406, 'real any': 701039, 'product boycott': 681018, 'boycott eccentricgin': 137329, 'eccentricgin gin': 266614, 'gin welshgin': 350179, 'welshgin badbusiness': 978889, 'badbusiness wale': 108117, 'wale retail': 964703, 'god it shameful': 354750, 'it shameful you': 461002, 'shameful you are': 754714, 'you are offering': 1017182, 'are offering discount': 88663, 'offering discount based': 595076, 'discount based on': 244451, 'based on covid19': 111673, 'on covid19 affected': 600146, 'covid19 affected people': 214260, 'affected people or': 34408, 'people or employee': 648998, 'or employee get': 615157, 'employee get real': 273884, 'get real any': 347889, 'real any excuse': 701040, 'excuse to promote': 289787, 'to promote your': 912262, 'your product boycott': 1025437, 'product boycott eccentricgin': 681019, 'boycott eccentricgin gin': 137330, 'eccentricgin gin welshgin': 266615, 'gin welshgin badbusiness': 350180, 'welshgin badbusiness wale': 978890, 'badbusiness wale retail': 108118, 'grateful not': 362292, 'live anywhere': 495725, 'near scene': 553577, 'scene like': 741337, 'so very grateful': 778630, 'very grateful not': 955201, 'grateful not to': 362293, 'not to live': 572163, 'to live anywhere': 909336, 'live anywhere near': 495726, 'anywhere near scene': 81134, 'near scene like': 553578, 'scene like this': 741339, 'like this so': 491528, 'this so very': 890224, 'very sad for': 955486, 'sad for those': 729172, 'arrest made': 93756, 'made warrenton': 508060, 'video who': 956963, 'coronavirus cody': 205660, 'arrest made warrenton': 93757, 'made warrenton man': 508061, 'supermarket video who': 823649, 'video who is': 956964, 'who is scared': 989109, 'scared of coronavirus': 740994, 'of coronavirus cody': 581924, 'coronavirus cody pfister': 205661, 'yielding': 1016386, 'exceed': 289015, 'strong rise': 814109, 'index with': 434261, 'with slowdown': 1000760, '19 gold': 7239, 'rise benefiting': 722793, 'cover risk': 212279, 'of recession': 588822, 'recession decline': 704253, 'usd affected': 948903, 'trader leaning': 928731, 'leaning towards': 483907, 'towards high': 927205, 'high yielding': 395530, 'yielding asset': 1016387, 'asset loss': 96440, 'loss may': 503724, 'may exceed': 521151, 'exceed deposit': 289030, 'strong rise in': 814110, 'rise in global': 722884, 'in global stock': 423341, 'global stock index': 352220, 'stock index with': 802292, 'index with slowdown': 434262, 'with slowdown in': 1000761, 'in the spread': 429565, 'covid 19 gold': 213151, '19 gold price': 7240, 'may rise benefiting': 521468, 'rise benefiting from': 722794, 'from the safe': 337866, 'the safe haven': 866132, 'haven demand to': 383784, 'demand to cover': 236392, 'to cover risk': 903659, 'cover risk of': 212280, 'risk of recession': 723770, 'of recession decline': 588824, 'recession decline in': 704254, 'decline in usd': 231370, 'in usd affected': 430500, 'usd affected by': 948904, 'affected by trader': 34327, 'by trader leaning': 154586, 'trader leaning towards': 928732, 'leaning towards high': 483908, 'towards high yielding': 927206, 'high yielding asset': 395531, 'yielding asset loss': 1016388, 'asset loss may': 96441, 'loss may exceed': 503725, 'may exceed deposit': 521152, 'sunday world': 818295, 'world business': 1009377, 'business report': 144310, 'report food': 711944, 'food return': 316229, '19 lesson': 8307, 'lesson been': 486466, 'been learned': 121442, 'learned or': 484137, 'are supply': 90659, 'chain vulnerable': 171214, 'second wave': 743862, 'sunday world business': 818296, 'world business report': 1009380, 'business report food': 144311, 'report food return': 711945, 'food return to': 316230, 'return to supermarket': 719931, 'shelf have covid': 757143, 'covid 19 lesson': 213349, '19 lesson been': 8308, 'lesson been learned': 486467, 'been learned or': 121443, 'learned or are': 484138, 'or are supply': 614417, 'are supply chain': 90660, 'supply chain vulnerable': 825057, 'chain vulnerable to': 171215, 'vulnerable to second': 961229, 'to second wave': 913958, 'any wonder': 80052, 'buying junk': 150616, 'junk like': 468044, 'rag we': 695534, 'really encourage': 702158, 'encourage coronacrisis': 275578, 'coronacrisis storage': 204799, 'storage stophoarding': 805996, 'is it any': 449009, 'it any wonder': 456544, 'any wonder people': 80053, 'panic buying junk': 637781, 'buying junk like': 150617, 'junk like this': 468045, 'this in daily': 888042, 'in daily rag': 421962, 'daily rag we': 224763, 'rag we really': 695535, 'we really encourage': 973024, 'really encourage coronacrisis': 702159, 'encourage coronacrisis storage': 275579, 'coronacrisis storage stophoarding': 204800, 'storage stophoarding this': 805997, 'stophoarding this is': 805505, 'need to store': 556091, 'to store for': 915619, 'week in isolation': 976373, 'in isolation due': 424193, 'for having': 322128, 'having join': 384128, 'our class': 622386, 'class this': 180272, 'and answering': 58172, 'answering some': 78208, 'question great': 693601, 'insight of': 439600, 'economy reopening': 268178, 'of economy': 582963, 'be press': 116526, 'press of': 671061, 'of button': 581001, 'button consumer': 148209, 'very cautious': 955044, 'cautious after': 168207, 'thankful for having': 841906, 'for having join': 322130, 'having join our': 384129, 'join our class': 466811, 'our class this': 622388, 'class this morning': 180273, 'morning and answering': 541152, 'and answering some': 58173, 'answering some of': 78209, 'of our question': 587551, 'our question great': 624528, 'question great insight': 693602, 'great insight of': 362767, 'insight of the': 439601, 'the economy reopening': 854013, 'economy reopening of': 268179, 'reopening of economy': 711392, 'of economy will': 582971, 'economy will not': 268360, 'not be press': 568437, 'be press of': 116527, 'press of button': 671062, 'of button consumer': 581002, 'button consumer behavior': 148210, 'be very cautious': 117971, 'very cautious after': 955045, 'baton': 112713, 'rouge': 726237, 'virus response': 958686, 'response baton': 715628, 'baton rouge': 112714, 'rouge biotech': 726238, 'biotech firm': 131276, 'firm now': 308391, 'producing handsanitizer': 680774, 'virus response baton': 958687, 'response baton rouge': 715629, 'baton rouge biotech': 112715, 'rouge biotech firm': 726239, 'biotech firm now': 131277, 'firm now producing': 308392, 'now producing handsanitizer': 575604, 'sayin': 739540, 'all did': 42563, 'did ask': 240555, '20 back': 12957, 'back full': 107026, 'swing pandemic': 830411, 'bar closing': 110689, 'closing just': 183682, 'just sayin': 469709, 'fault but all': 300398, 'but all did': 145082, 'all did ask': 42564, 'did ask for': 240556, 'ask for the': 95538, 'roaring 20 back': 724584, '20 back and': 12958, 'back and it': 106857, 'and it came': 65494, 'it came back': 457002, 'came back full': 156977, 'back full swing': 107027, 'full swing pandemic': 340918, 'swing pandemic stock': 830412, 'supply shortage people': 825836, 'shortage people losing': 765172, 'job and bar': 465616, 'and bar closing': 58695, 'bar closing just': 110690, 'closing just sayin': 183683, 'youthful': 1026878, 'builder': 142025, 'any fun': 79264, 'fun in': 341179, 'many precaution': 514583, 'precaution demanded': 669307, 'demanded by': 236548, 'but computer': 145437, 'computer science': 192761, 'science student': 742139, 'student at': 814651, 'at ha': 98832, 'for youthful': 328245, 'youthful robot': 1026879, 'robot builder': 724790, 'find any fun': 306793, 'any fun in': 79265, 'fun in the': 341180, 'in the many': 429339, 'the many precaution': 860050, 'many precaution demanded': 514584, 'precaution demanded by': 669308, 'demanded by the': 236549, 'pandemic but computer': 635041, 'but computer science': 145438, 'computer science student': 192762, 'science student at': 742140, 'student at ha': 814652, 'at ha managed': 98834, 'managed to come': 512495, 'up with one': 946668, 'with one for': 999884, 'one for youthful': 606311, 'for youthful robot': 328246, 'youthful robot builder': 1026880, 'is actually': 445326, 'actually pretty': 30921, 'pretty weird': 671518, 'weird stay': 977785, 'ill try': 416180, 'try my': 934513, 'still working in': 801436, 'outbreak is actually': 628367, 'is actually pretty': 445335, 'actually pretty weird': 30922, 'pretty weird stay': 671520, 'weird stay safe': 977786, 'safe everyone and': 729644, 'everyone and ill': 286697, 'and ill try': 64974, 'ill try my': 416181, 'try my best': 934514, 'best to at': 127936, 'to at work': 900811, 'at work too': 101623, 'czech republic': 224159, 'republic went': 713012, 'from zero': 338505, 'zero mask': 1027473, 'mask usage': 519462, 'usage to': 948855, '100 in': 1920, 'process they': 679967, 'they halted': 882274, 'case how': 165775, 'made their': 508004, 'own they': 632263, 'it themselves': 461599, 'themselves it': 876842, 'for masks4all': 323282, 'masks4all see': 519674, 'the czech republic': 852764, 'czech republic went': 224160, 'republic went from': 713013, 'went from zero': 979023, 'from zero mask': 338506, 'zero mask usage': 1027474, 'mask usage to': 519463, 'usage to 100': 948856, 'to 100 in': 899439, '100 in 10': 1921, 'in 10 day': 419678, '10 day and': 1382, 'day and in': 227266, 'the process they': 864551, 'process they halted': 679968, 'they halted the': 882276, 'halted the growth': 374497, 'the growth of': 856885, 'growth of new': 367432, '19 case how': 5680, 'case how they': 165776, 'how they made': 408922, 'they made their': 882642, 'made their own': 508005, 'their own they': 874210, 'own they didn': 632264, 'they didn need': 881930, 'didn need government': 241141, 'need government help': 554919, 'government help they': 360193, 'help they did': 390729, 'they did it': 881918, 'did it themselves': 240669, 'it themselves it': 461600, 'themselves it time': 876844, 'time for masks4all': 896723, 'for masks4all see': 323283, 'masks4all see why': 519675, 'indiafightcorona': 434717, 'graphzoid': 362185, 'handsanitizer stayathome': 376648, 'staysafe indiafightcorona': 798830, 'indiafightcorona lockdown': 434719, 'lockdown isolation': 499564, 'isolation graphzoid': 455280, 'sanitizer 19 sanitizer': 734285, '19 sanitizer handsanitizer': 10316, 'sanitizer handsanitizer stayathome': 735037, 'handsanitizer stayathome staysafe': 376649, 'stayathome staysafe indiafightcorona': 797660, 'staysafe indiafightcorona lockdown': 798831, 'indiafightcorona lockdown isolation': 434720, 'lockdown isolation graphzoid': 499565, 'believe due': 126260, 'infrastructure we': 438227, 'might see': 531116, 'see 50': 744866, '50 recession': 19830, 'recession instead': 704303, 'full blow': 340502, 'one people': 606843, 'make for': 509908, 'for bored': 319727, 'bored consumer': 135340, 'consumer so': 199013, 'online economy': 608153, 'believe due to': 126261, 'shopping and infrastructure': 761994, 'and infrastructure we': 65231, 'infrastructure we might': 438228, 'we might see': 972375, 'might see 50': 531117, 'see 50 recession': 744867, '50 recession instead': 19831, 'recession instead of': 704304, 'instead of full': 440263, 'of full blow': 584000, 'full blow one': 340503, 'blow one people': 133333, 'one people at': 606844, 'at home make': 99040, 'home make for': 401575, 'make for bored': 509909, 'for bored consumer': 319728, 'bored consumer so': 135341, 'consumer so they': 199016, 'so they ll': 778473, 'll spend more': 497023, 'spend more online': 788640, 'more online economy': 539940, 'tip wash': 898952, 'second and': 743656, 'use greater': 949244, 'sanitizer whenever': 736072, 'you return': 1020926, 'any activity': 78898, 'that involves': 844538, 'involves location': 444376, 'location where': 498991, 'where other': 985075, 'tip wash your': 898953, '20 second and': 13323, 'second and or': 743658, 'and or use': 68234, 'or use greater': 617618, 'use greater than': 949245, 'greater than 60': 363245, 'than 60 alcohol': 840273, '60 alcohol based': 20884, 'hand sanitizer whenever': 375660, 'sanitizer whenever you': 736073, 'whenever you return': 984689, 'you return home': 1020928, 'return home from': 719853, 'home from any': 401257, 'from any activity': 334544, 'any activity that': 78899, 'activity that involves': 30507, 'that involves location': 844540, 'involves location where': 444377, 'location where other': 498992, 'where other people': 985076, 'other people have': 620669, 'courageous': 211791, 'intrepid': 443366, 'stockman': 803638, 'courageous trucker': 211794, 'trucker an': 932892, 'an intrepid': 56431, 'intrepid nurse': 443367, 'nurse humble': 577375, 'humble supermarket': 410832, 'supermarket stockman': 822977, 'stockman they': 803639, 'all matter': 43469, 'matter more': 520597, 'more right': 540264, 'our fancy': 623007, 'fancy graduate': 298553, 'graduate degree': 361713, 'degree they': 232575, 'save our': 737611, 'nation once': 552284, 'deserve everyone': 238051, 'everyone resolution': 287320, 'courageous trucker an': 211795, 'trucker an intrepid': 932893, 'an intrepid nurse': 56432, 'intrepid nurse humble': 443368, 'nurse humble supermarket': 577377, 'humble supermarket stockman': 410833, 'supermarket stockman they': 822978, 'stockman they all': 803640, 'they all matter': 881117, 'all matter more': 43470, 'matter more right': 520599, 'more right now': 540265, 'right now than': 722148, 'now than half': 575985, 'than half dozen': 840716, 'half dozen of': 374153, 'dozen of with': 257903, 'of with our': 593210, 'with our fancy': 999994, 'our fancy graduate': 623008, 'fancy graduate degree': 298554, 'graduate degree they': 361714, 'degree they will': 232576, 'they will save': 883884, 'will save our': 994744, 'save our nation': 737615, 'our nation once': 623984, 'nation once again': 552285, 'once again they': 605580, 'again they deserve': 37222, 'they deserve everyone': 881894, 'deserve everyone resolution': 238053, 'amazon on': 51050, 'amazon on monday': 51052, 'dice': 240438, 'charisma': 173536, 'like game': 490294, 'now rolling': 575713, 'the dice': 853240, 'dice to': 240443, 'enough charisma': 277350, 'charisma to': 173537, 'to score': 913914, 'score roll': 742367, 'toiletpaper apocalypse2020': 921746, 'grocery shopping like': 365050, 'shopping like game': 763164, 'like game of': 490295, 'game of right': 343218, 'of right now': 589113, 'right now rolling': 722127, 'now rolling the': 575714, 'rolling the dice': 725686, 'the dice to': 853242, 'dice to see': 240444, 'see if have': 745279, 'if have enough': 414201, 'have enough charisma': 380445, 'enough charisma to': 277351, 'charisma to score': 173538, 'to score roll': 913915, 'score roll of': 742368, 'of tp toiletpaper': 592384, 'tp toiletpaper apocalypse2020': 927990, 'frontlineworkers': 338933, 'bendthecurve': 126865, 'be spacing': 117320, 'spacing checkout': 787223, 'checkout line': 174945, 'line every': 493075, 'other line': 620476, 'line should': 493396, 'at min': 99747, 'min rule': 532566, 'rule many': 727292, 'have checker': 379958, 'checker back2back': 174794, 'back2back forcing': 107496, 'forcing customer': 328703, 'in radius': 427235, 'of frontlineworkers': 583976, 'frontlineworkers this': 338934, 'socialdistancing bendthecurve': 780251, 'should be spacing': 765736, 'be spacing checkout': 117321, 'spacing checkout line': 787224, 'checkout line every': 174946, 'line every other': 493076, 'every other line': 286069, 'other line should': 620477, 'line should be': 493397, 'should be closed': 765584, 'be closed at': 114120, 'closed at min': 183007, 'at min rule': 99748, 'min rule many': 532567, 'rule many store': 727293, 'store have checker': 808071, 'have checker back2back': 379959, 'checker back2back forcing': 174795, 'back2back forcing customer': 107497, 'forcing customer in': 328704, 'customer in radius': 222504, 'in radius of': 427236, 'radius of frontlineworkers': 695489, 'of frontlineworkers this': 583977, 'frontlineworkers this bad': 338935, 'this bad socialdistancing': 886484, 'bad socialdistancing bendthecurve': 108013, 'confessionsofashopaholic': 193797, 'shopping confessionsofashopaholic': 762389, 'online shopping confessionsofashopaholic': 609077, 'age marketing101': 37847, 'marketing101 cro': 517759, 'cro retail': 218811, 'retail transaction': 718810, 'transaction via': 929477, 'store age marketing101': 806097, 'age marketing101 cro': 37848, 'marketing101 cro retail': 517760, 'cro retail transaction': 218812, 'retail transaction via': 718811, 'adorables': 32746, 'icymi we': 412917, 'we offered': 972631, 'offered everything': 594918, 'everything lone': 287910, 'lone shark': 501283, 'shark and': 755639, 'of adorables': 579792, 'adorables do': 32747, 'want something': 965927, 'do or': 249941, 'if one': 414536, 'use little': 949341, 'little encouragement': 495327, 'encouragement go': 275680, 'icymi we offered': 412918, 'we offered everything': 972632, 'offered everything lone': 594919, 'everything lone shark': 287911, 'lone shark and': 501284, 'shark and basket': 755640, 'and basket of': 58734, 'basket of adorables': 112376, 'of adorables do': 579793, 'adorables do at': 32748, 'do at extremely': 249103, 'help people deal': 390289, 'you want something': 1022154, 'want something we': 965928, 'something we do': 785133, 'we do or': 971344, 'do or if': 249942, 'or if one': 615717, 'if one of': 414541, 'one of your': 606774, 'of your loved': 593497, 'loved one could': 504907, 'one could use': 606120, 'could use little': 209805, 'use little encouragement': 949342, 'little encouragement go': 495328, 'encouragement go here': 275681, 'go here and': 353644, 'here and get': 392705, 'and get what': 63613, 'have billgates': 379796, 'billgates drfauci': 130751, 'or we would': 617744, 'all have billgates': 43044, 'have billgates drfauci': 379797, '19fr': 12520, 'job which': 466286, 'which leaf': 986102, 'leaf you': 483828, 'money then': 537067, 'then everyone': 877158, 'and quarantining': 69862, 'quarantining and': 693079, 'know at': 476280, 'supply 19fr': 824654, 'when you lose': 984577, 'your job which': 1024538, 'job which leaf': 466287, 'which leaf you': 986104, 'leaf you with': 483831, 'you with no': 1022383, 'no money then': 564788, 'money then everyone': 537068, 'then everyone panic': 877162, 'buying and quarantining': 149926, 'and quarantining and': 69863, 'quarantining and you': 693080, 'you know at': 1019487, 'know at some': 476281, 'point you will': 662727, 'will be locked': 992542, 'be locked down': 115800, 'locked down with': 500482, 'down with no': 257498, 'or supply 19fr': 617296, 'mother corona': 543072, 'for mother': 323628, 'your mother corona': 1024893, 'mother corona virus': 543073, 'corona virus for': 204308, 'virus for mother': 958201, 'for mother day': 323629, 'pimentel': 656753, 'gettested': 348808, 'if using': 415230, 'using senator': 950644, 'senator pimentel': 749776, 'pimentel connection': 656754, 'connection to': 194721, 'to gettested': 906652, 'gettested for': 348809, 'isn bad': 454441, 'enough he': 277464, 'even went': 284775, 'place hospital': 657499, 'store fully': 807898, 'fully aware': 341021, 'if using senator': 415231, 'using senator pimentel': 950645, 'senator pimentel connection': 749777, 'pimentel connection to': 656755, 'connection to gettested': 194722, 'to gettested for': 906653, 'gettested for covid': 348810, '19 isn bad': 8089, 'isn bad enough': 454442, 'bad enough he': 107839, 'enough he even': 277465, 'he even went': 384933, 'even went to': 284777, 'went to public': 979184, 'to public place': 912474, 'public place hospital': 688229, 'place hospital and': 657500, 'hospital and grocery': 404283, 'grocery store fully': 365419, 'store fully aware': 807899, 'fully aware that': 341022, 'aware that he': 105658, 'he will spread': 385675, 'will spread the': 994926, 'spread the deadly': 790821, 'important remember': 418946, 'important remember if': 418947, 'capital expenditure': 162654, 'and reducing': 70110, 'reducing cash': 706268, 'cost by': 207884, 'to oversupply': 911322, 'and weak': 75338, 'it is cutting': 458925, '2020 capital expenditure': 14214, 'capital expenditure by': 162656, 'expenditure by 30': 291160, 'percent and reducing': 651113, 'and reducing cash': 70111, 'reducing cash operating': 706269, 'cash operating cost': 166288, 'operating cost by': 613064, 'cost by 15': 207885, 'commodity price due': 189268, 'due to oversupply': 261893, 'to oversupply and': 911323, 'oversupply and weak': 631578, 'and weak demand': 75341, 'weak demand due': 974007, 'africa economy': 35066, 'real horror': 701209, 'movie we': 544096, 'have higher': 380945, 'rate higher': 697247, 'loss junk': 503718, 'status crisis': 796671, 'the education': 854056, 'system higher': 831201, 'tax higher': 835002, '19 in south': 7782, 'south africa economy': 786651, 'africa economy will': 35067, 'be the real': 117649, 'the real horror': 865223, 'real horror movie': 701210, 'horror movie we': 404204, 'movie we will': 544097, 'will have higher': 993638, 'have higher unemployment': 380947, 'unemployment rate higher': 941272, 'rate higher job': 697248, 'job loss junk': 465978, 'loss junk status': 503719, 'junk status crisis': 468051, 'status crisis in': 796672, 'crisis in the': 217542, 'in the education': 429161, 'the education system': 854057, 'education system higher': 268871, 'system higher tax': 831202, 'higher tax higher': 395743, 'tax higher price': 835003, 'price and further': 672420, 'and further depreciation': 63442, 'rand it is': 696573, 'it is mess': 459011, 'georgia saw': 346045, 'revenue last': 720451, 'but say': 146963, 'crisis catch': 217195, 'of higher': 584618, 'spending take': 788994, 'georgia saw an': 346046, 'saw an increase': 738060, 'increase in state': 432870, 'in state revenue': 428244, 'state revenue last': 795907, 'revenue last month': 720452, 'last month but': 480330, 'month but say': 537629, 'but say we': 146968, 'we are likely': 970609, 'likely to see': 492174, 'see the economic': 745828, 'the economic crisis': 853898, 'economic crisis catch': 267032, 'crisis catch up': 217196, 'catch up in': 167051, 'coming month the': 188145, 'month the effect': 538041, 'effect of higher': 269049, 'of higher unemployment': 584619, 'higher unemployment and': 395780, 'unemployment and lower': 941161, 'and lower consumer': 66451, 'lower consumer spending': 505817, 'consumer spending take': 199094, 'spending take hold': 788995, 'woolworth aren': 1004405, 'aren allowing': 92315, 'allowing refund': 46323, 're politely': 699278, 'amend your': 51399, 'how woolworth aren': 409255, 'woolworth aren allowing': 1004406, 'aren allowing refund': 92316, 'allowing refund on': 46324, 'they re politely': 883096, 're politely saying': 699279, 'right to amend': 722335, 'to amend your': 900406, 'amend your stupidity': 51400, '03 25': 864, '25 2020': 15809, '2020 england': 14294, 'england turkey': 277035, 'turkey supermarket': 935577, '03 25 2020': 865, '25 2020 england': 15811, '2020 england turkey': 14295, 'england turkey supermarket': 277036, 'coronapanic': 205165, 'panic feeling': 638095, 'feeling isn': 303002, 'isn such': 454683, 'such that': 816793, 'my panic': 549673, 'charge do': 173218, 'around him': 93326, 'him they': 396736, 'not equipped': 569208, 'equipped to': 279892, 'this coronapanic': 886889, 'the panic feeling': 863204, 'panic feeling isn': 638096, 'feeling isn such': 303003, 'isn such that': 454684, 'such that could': 816794, 'that could catch': 843342, 'catch it or': 167002, 'it or be': 460141, 'or be stuck': 614513, 'be stuck in': 117417, 'house with no': 406691, 'no money or': 564787, 'money or food': 536955, 'or food my': 615343, 'food my panic': 315498, 'my panic is': 549674, 'panic is that': 638225, 'is that is': 452658, 'is in charge': 448755, 'in charge do': 421339, 'charge do not': 173219, 'not trust him': 572286, 'trust him or': 934265, 'him or the': 396688, 'or the people': 617388, 'people around him': 647141, 'around him they': 93327, 'him they are': 396737, 'are not equipped': 88360, 'not equipped to': 569210, 'equipped to handle': 279894, 'to handle this': 907137, 'handle this coronapanic': 376285, 'driver became': 259458, 'became more': 118875, 'actor pro': 30589, 'musician twgrp': 546383, 'like that health': 491321, 'that health care': 844279, 'truck driver became': 932767, 'driver became more': 259459, 'became more important': 118876, 'than actor pro': 840317, 'actor pro athlete': 30590, 'pro athlete and': 679099, 'famous musician twgrp': 298483, 'musician twgrp whitehouse': 546384, 'employee some': 274224, 'hero rn': 394083, 'rn wednesdaythoughts': 724348, 'store employee some': 807538, 'employee some of': 274225, 'of the real': 591390, 'real hero rn': 701204, 'hero rn wednesdaythoughts': 394084, 'broker morgan': 140939, 'stanley ha': 793882, 'ha named': 371311, 'named it': 551721, 'two best': 936801, 'best small': 127901, 'small cap': 774910, 'cap consumer': 162413, 'it considers': 457275, 'considers them': 195459, 'them best': 875478, 'best placed': 127832, 'to withstand': 918653, 'withstand the': 1003098, '19 downturn': 6646, 'broker morgan stanley': 140940, 'morgan stanley ha': 541093, 'stanley ha named': 793883, 'ha named it': 371312, 'named it two': 551722, 'it two best': 461892, 'two best small': 936802, 'best small cap': 127902, 'small cap consumer': 774911, 'cap consumer stock': 162414, 'consumer stock to': 199146, 'stock to buy': 802990, 'buy it considers': 148850, 'it considers them': 457276, 'considers them best': 195460, 'them best placed': 875479, 'best placed to': 127833, 'placed to withstand': 657920, 'to withstand the': 918656, 'withstand the covid': 1003099, 'covid 19 downturn': 212982, 'martiallaw': 518083, 'morning thing': 541497, 'worse martiallaw': 1010963, 'this morning thing': 889030, 'morning thing are': 541498, 'are getting worse': 86837, 'getting worse martiallaw': 349457, 'price volatile': 677322, 'volatile at': 960037, 'at multi': 99796, 'low amid': 505115, 'oil price volatile': 597310, 'price volatile at': 677323, 'volatile at multi': 960038, 'at multi year': 99798, 'year low amid': 1014708, 'low amid pandemic': 505117, 'ghs': 349697, 'will people': 994400, 'people drop': 647730, '19 sanitiser': 10312, 'for ghs': 321872, 'ghs 180': 349698, '180 is': 4620, 'will people drop': 994401, 'people drop down': 647731, 'drop down their': 260178, 'down their price': 257317, 'their price after': 874373, 'price after covid': 672230, 'covid 19 sanitiser': 213744, '19 sanitiser for': 10313, 'sanitiser for ghs': 733956, 'for ghs 180': 321873, 'ghs 180 is': 349699, '180 is crazy': 4621, 'let any': 486596, 'elderly jump': 270725, 'jump the': 467897, 'queue if': 693951, 'your in': 1024461, 'please and let': 659660, 'and let any': 66103, 'let any elderly': 486597, 'any elderly jump': 79167, 'elderly jump the': 270726, 'jump the queue': 467898, 'the queue if': 865041, 'queue if your': 693954, 'if your in': 415587, 'your in supermarket': 1024464, 'an innovative': 56355, 'innovative leader': 438924, 'retail space': 718584, 'space offering': 787149, 'minute home': 533771, 'service stay': 752865, 'proud of for': 686028, 'of for being': 583854, 'being an innovative': 124844, 'an innovative leader': 56356, 'innovative leader in': 438925, 'in the cannabis': 429051, 'the cannabis retail': 850341, 'cannabis retail space': 161437, 'retail space offering': 718586, 'space offering 20': 787150, 'offering 20 minute': 594998, '20 minute home': 13171, 'minute home delivery': 533772, 'delivery service stay': 234464, 'service stay home': 752866, 'stay home people': 796991, 'mean mask': 524546, 'material is': 520394, 'specific and': 788203, 'if you mean': 415475, 'you mean mask': 1019824, 'mean mask to': 524547, 'mask to avoid': 519392, 'avoid catching the': 105030, 'catching the the': 167120, 'the the material': 869390, 'the material is': 860287, 'material is very': 520395, 'is very specific': 453698, 'very specific and': 955579, 'specific and not': 788204, 'and not available': 67718, 'not available to': 568308, 'to the average': 916503, 'new marketplace': 559084, 'marketplace aggregate': 517798, 'aggregate telehealth': 38224, 'telehealth provider': 836756, 'provider service': 686779, 'so consumer': 776786, 'easily compare': 265198, 'compare price': 191401, 'offering really': 595223, 'for screening': 325393, 'new marketplace aggregate': 559085, 'marketplace aggregate telehealth': 517799, 'aggregate telehealth provider': 38225, 'telehealth provider service': 836757, 'provider service so': 686780, 'service so consumer': 752839, 'so consumer can': 776787, 'consumer can easily': 196722, 'can easily compare': 158181, 'easily compare price': 265199, 'compare price and': 191402, 'price and offering': 672482, 'and offering really': 67990, 'offering really helpful': 595224, 'really helpful for': 702284, 'helpful for screening': 391179, 'for screening and': 325394, 'screening and other': 742757, 'other health condition': 620347, 'villieria': 957407, 'r1600': 695072, 'spar not': 787452, 'we popped': 972720, '15 item': 3750, 'at villieria': 101452, 'villieria store': 957408, 'week good': 976280, 'good you': 357982, 'no wipe': 565905, 'for trolley': 327351, 'trolley glove': 932417, 'or sanitized': 616944, 'sanitized surface': 734261, 'customer your': 223129, 'staff laughed': 792610, 'laughed when': 481799, 'asked price': 95812, 'so inflated': 777406, 'inflated too': 437095, 'too r1600': 925024, 'spar not panic': 787453, 'not panic shopper': 570931, 'panic shopper we': 638558, 'shopper we popped': 761809, 'we popped in': 972721, 'popped in for': 664498, 'in for 15': 423008, 'for 15 item': 318668, '15 item at': 3751, 'item at villieria': 463139, 'at villieria store': 101453, 'villieria store for': 957409, 'store for next': 807824, 'for next week': 323859, 'next week good': 561682, 'week good you': 976283, 'good you had': 357984, 'you had no': 1018983, 'had no wipe': 373343, 'no wipe for': 565906, 'wipe for trolley': 996268, 'for trolley glove': 327352, 'trolley glove for': 932418, 'glove for worker': 352692, 'for worker or': 327940, 'worker or sanitized': 1007510, 'or sanitized surface': 616945, 'sanitized surface after': 734262, 'surface after customer': 827981, 'after customer your': 35527, 'customer your staff': 223130, 'your staff laughed': 1025913, 'staff laughed when': 792611, 'laughed when asked': 481800, 'when asked price': 983182, 'asked price were': 95813, 'price were so': 677458, 'were so inflated': 980141, 'so inflated too': 777407, 'inflated too r1600': 437096, 'attire': 102532, 'supermarket attire': 819267, 'attire staysafestayhealthy': 102535, 'staysafestayhealthy coveryourface': 798983, 'standard supermarket attire': 793702, 'supermarket attire staysafestayhealthy': 819269, 'attire staysafestayhealthy coveryourface': 102536, 'felt member': 303422, 'can count': 158007, 'on first': 600808, 'first commerce': 308582, 'commerce to': 188650, 'provide safe': 686456, 'safe uninterrupted': 730086, 'uninterrupted service': 941859, 'member deal': 528054, 'with potential': 1000268, 'potential financial': 667064, 'financial difficulty': 306398, 'continues to be': 201460, 'be felt member': 114826, 'felt member can': 303423, 'member can count': 528042, 'can count on': 158008, 'count on first': 210143, 'on first commerce': 600809, 'first commerce to': 308583, 'commerce to provide': 188652, 'to provide safe': 912430, 'provide safe uninterrupted': 686459, 'safe uninterrupted service': 730087, 'uninterrupted service to': 941860, 'help our consumer': 390225, 'and business member': 59290, 'business member deal': 144043, 'member deal with': 528055, 'deal with potential': 229568, 'with potential financial': 1000270, 'potential financial difficulty': 667065, 'financial difficulty we': 306400, 'difficulty we offer': 242415, 'we offer relief': 972628, 'offer relief program': 594765, 'relief program more': 709444, 'program more information': 683273, 'more information at': 539576, 'ha reshaped': 371736, 'reshaped consumer': 714195, 'their ad': 872469, 'ad preference': 31141, 'preference want': 669797, 'how head': 407988, 'to stayhome': 915339, 'stayhome consumer': 797967, '19 ha reshaped': 7378, 'ha reshaped consumer': 371737, 'reshaped consumer content': 714196, 'content consumption and': 200791, 'consumption and their': 199835, 'and their ad': 73669, 'their ad preference': 872470, 'ad preference want': 31143, 'preference want to': 669798, 'want to find': 966035, 'out how head': 626324, 'how head to': 407989, 'head to stayhome': 385832, 'to stayhome consumer': 915340, 'salette': 732708, 'centrelink': 169578, 'scottmorrison': 742489, 'lnp': 497221, 'salette post': 732709, 'post standing': 666320, 'at centrelink': 98220, 'centrelink cafe': 169579, 'cafe restaurant': 155126, 'restaurant bank': 716322, 'online shut': 609362, 'down scottmorrison': 257171, 'scottmorrison lnp': 742490, 'lnp contact': 497222, 'salette post standing': 732710, 'post standing in': 666321, 'in queue at': 427220, 'queue at centrelink': 693883, 'at centrelink cafe': 98221, 'centrelink cafe restaurant': 169580, 'cafe restaurant bank': 155127, 'restaurant bank or': 716324, 'bank or shopping': 110080, 'or shopping centre': 617059, 'shopping centre is': 762351, 'centre is increasing': 169511, 'is increasing the': 448862, 'increasing the spread': 433712, '19 pandemic if': 9357, 'pandemic if it': 635674, 'if it cannot': 414290, 'cannot be done': 161635, 'done online shut': 254967, 'online shut it': 609363, 'it down scottmorrison': 457696, 'down scottmorrison lnp': 257172, 'scottmorrison lnp contact': 742491, 'inaugural': 431239, 'the inaugural': 858029, 'inaugural episode': 431240, 'to for including': 906140, 'including me in': 432053, 'in the inaugural': 429285, 'the inaugural episode': 858030, 'modify': 535503, 'stayhomestayhealthy': 798498, 'afford without': 34822, 'benefit maybe': 127025, 'maybe certain': 521652, 'certain shopping': 170097, 'hour or': 405833, 'to modify': 910215, 'modify online': 535506, 'ordering stayhomesavelives': 619020, 'stayhomesavelives stayhomestayhealthy': 798458, 'they can afford': 881606, 'can afford without': 157413, 'afford without the': 34823, 'without the benefit': 1002960, 'the benefit maybe': 849473, 'benefit maybe certain': 127026, 'maybe certain shopping': 521653, 'certain shopping hour': 170098, 'shopping hour or': 762926, 'hour or working': 405836, 'or working with': 617842, 'working with store': 1009069, 'with store to': 1000998, 'store to modify': 810787, 'to modify online': 910217, 'modify online ordering': 535507, 'online ordering stayhomesavelives': 608715, 'ordering stayhomesavelives stayhomestayhealthy': 619021, 'visible': 959130, 'my bigger': 547445, 'bigger chain': 130149, 'chain grocery': 170742, 'grocery today': 366063, 're serious': 699485, 'disinfecting floor': 245844, 'floor marker': 310815, 'marker show': 515887, 'disinfecting team': 245881, 'is visible': 453716, 'visible all': 959131, 'store california': 806840, 'california is': 155521, 'taking seriously': 833556, 'you ignore': 1019285, 'ignore trump': 415854, 'to my bigger': 910377, 'my bigger chain': 547446, 'bigger chain grocery': 130150, 'chain grocery today': 170743, 'grocery today they': 366065, 'today they re': 920323, 'they re serious': 883122, 're serious about': 699486, 'serious about socialdistancing': 751327, 'about socialdistancing and': 26216, 'socialdistancing and disinfecting': 780208, 'and disinfecting floor': 61460, 'disinfecting floor marker': 245845, 'floor marker show': 310816, 'marker show you': 515888, 'show you where': 767297, 'you where you': 1022287, 'you can stand': 1017791, 'can stand at': 159721, 'stand at checkout': 793495, 'at checkout the': 98253, 'checkout the disinfecting': 175028, 'the disinfecting team': 853392, 'disinfecting team is': 245882, 'team is visible': 835708, 'is visible all': 453717, 'visible all over': 959132, 'over the store': 630771, 'the store california': 867990, 'store california is': 806841, 'california is taking': 155525, 'is taking seriously': 452563, 'taking seriously so': 833559, 'seriously so should': 751723, 'should you ignore': 766678, 'you ignore trump': 1019286, 'car without': 163358, 'damaging surface': 225275, 'surface consumer': 828003, 'report clean': 711865, 'clean car': 180491, 'kill coronavirus in': 474375, 'coronavirus in car': 206117, 'in car without': 421238, 'car without damaging': 163359, 'without damaging surface': 1002577, 'damaging surface consumer': 225276, 'surface consumer report': 828004, 'consumer report clean': 198701, 'report clean car': 711866, 'acknowledge': 29101, 'for canadian': 319900, 'canadian we': 160767, 'to acknowledge': 899995, 'acknowledge that': 29106, 'we control': 971190, 'control is': 202037, 'for canadian we': 319902, 'canadian we need': 160768, 'need to acknowledge': 555849, 'to acknowledge that': 899996, 'acknowledge that the': 29108, 'only thing we': 611324, 'thing we control': 884960, 'we control is': 971191, 'control is how': 202038, 'we react to': 973011, 'react to global': 700151, 'after purposefully': 36091, 'wiping saliva': 996525, 'been charged after': 120817, 'charged after purposefully': 173369, 'after purposefully wiping': 36092, 'purposefully wiping saliva': 690173, 'wiping saliva on': 996526, 'saliva on supermarket': 732736, 'on supermarket product': 603803, 'supermarket product during': 822074, 'beeton': 122561, 'benefitted': 127174, 'rosneft': 726132, 'elliot': 271563, 'abrams': 27134, 'sidelining': 768931, 'guaido': 367684, 'maduro': 508240, 'beeton covid': 122562, 'ha actually': 369441, 'actually benefitted': 30738, 'benefitted them': 127177, 'driving rosneft': 260000, 'rosneft out': 726135, 'of venezuela': 592775, 'venezuela because': 954435, 'price elliot': 673668, 'elliot abrams': 271564, 'abrams is': 27135, 'about ending': 25173, 'ending sanction': 276198, 'sanction and': 733616, 'and sidelining': 71651, 'sidelining guaido': 768932, 'guaido if': 367685, 'if maduro': 414403, 'maduro step': 508244, 'step down': 799528, 'down will': 257477, 'how th': 408788, 'beeton covid 19': 122563, '19 ha actually': 7321, 'ha actually benefitted': 369442, 'actually benefitted them': 30739, 'benefitted them by': 127178, 'them by driving': 875512, 'by driving rosneft': 152429, 'driving rosneft out': 260001, 'rosneft out of': 726136, 'out of venezuela': 626870, 'of venezuela because': 592776, 'venezuela because of': 954436, 'because of falling': 119341, 'oil price elliot': 597116, 'price elliot abrams': 673669, 'elliot abrams is': 271565, 'abrams is talking': 27136, 'talking about ending': 833963, 'about ending sanction': 25174, 'ending sanction and': 276199, 'sanction and sidelining': 733618, 'and sidelining guaido': 71652, 'sidelining guaido if': 768933, 'guaido if maduro': 367686, 'if maduro step': 414404, 'maduro step down': 508245, 'step down will': 799529, 'down will be': 257478, 'will be interesting': 992518, 'be interesting to': 115525, 'see how th': 745253, 'rule stayhomesavelives': 727352, 'these rule stayhomesavelives': 880618, 'gentles': 345852, 'fmr': 311776, 'in join': 424403, 'our gm': 623257, 'gm laura': 353175, 'laura gentles': 482141, 'gentles in': 345853, 'in conversation': 421771, 'with medium': 999476, 'medium strategist': 527297, 'strategist fmr': 812581, 'fmr cnn': 311777, 'cnn to': 184778, 'of hosted': 584773, 'pm est': 661897, 'tune in join': 935405, 'in join our': 424404, 'join our gm': 466812, 'our gm laura': 623258, 'gm laura gentles': 353176, 'laura gentles in': 482142, 'gentles in conversation': 345854, 'in conversation with': 421772, 'conversation with medium': 202508, 'with medium strategist': 999477, 'medium strategist fmr': 527298, 'strategist fmr cnn': 812582, 'fmr cnn to': 311778, 'cnn to discus': 184779, 'discus consumer expectation': 244838, 'consumer expectation of': 197398, 'expectation of brand': 290832, 'of brand in': 580827, 'time of hosted': 897340, 'of hosted by': 584774, 'hosted by pm': 404916, 'by pm est': 153600, 'shameonsky': 754737, 'nice of': 562447, 'biggest crisis': 130204, 'in living': 424807, 'living memory': 496413, 'memory which': 528440, 'which forced': 985858, 'isolate indoors': 454877, 'indoors coronacrisis': 435391, 'coronacrisis shameonsky': 204754, 'nice of to': 562448, 'of to put': 592220, 'the biggest crisis': 849648, 'biggest crisis in': 130205, 'crisis in living': 217533, 'in living memory': 424808, 'living memory which': 496415, 'memory which forced': 528441, 'which forced people': 985859, 'people to isolate': 649914, 'to isolate indoors': 908539, 'isolate indoors coronacrisis': 454878, 'indoors coronacrisis shameonsky': 435392, 'purchaselimits': 689819, 'supermarket purchaselimits': 822094, 'purchaselimits mean': 689820, 'basic like': 111971, 'milk each': 531651, 'with possible': 1000261, 'possible exposure': 665644, 'supermarket your': 824209, 'well meaning': 978393, 'meaning restriction': 524830, 'restriction will': 717420, 'up killing': 945281, 'people stayhome': 649566, 'supermarket purchaselimits mean': 822095, 'purchaselimits mean people': 689821, 'mean people have': 524614, 'shop more often': 760469, 'more often to': 539906, 'get basic like': 346648, 'basic like milk': 111972, 'like milk each': 490778, 'milk each time': 531652, 'each time with': 264299, 'time with possible': 898356, 'with possible exposure': 1000263, 'possible exposure to': 665645, 'exposure to the': 293015, 'the supermarket your': 868925, 'supermarket your well': 824210, 'your well meaning': 1026346, 'well meaning restriction': 978394, 'meaning restriction will': 524831, 'restriction will end': 717421, 'end up killing': 276036, 'up killing people': 945282, 'killing people stayhome': 474709, '9am and': 23956, 'still didn': 800432, 'store at 9am': 806577, 'at 9am and': 97823, '9am and still': 23957, 'and still didn': 72372, 'still didn get': 800433, 'didn get everything': 241068, 'essentialliving': 281894, 'yesterday our': 1015827, 'reality the': 701801, 'the brick': 849987, 'brick building': 139579, 'building at': 142055, 'edge of': 268516, 'pic behind': 655581, 'in waiting': 430644, 'waiting apart': 964291, 'apart to': 81357, 'the 100': 847859, '100 shopper': 2073, 'shopper never': 761621, 'never imagined': 558070, 'imagined this': 416848, 'my lifetime': 549053, 'lifetime essentialliving': 489398, 'essentialliving socialdistancing': 281895, 'grocery shopping yesterday': 365111, 'shopping yesterday our': 764482, 'yesterday our new': 1015828, 'new reality the': 559406, 'reality the brick': 701802, 'the brick building': 849989, 'brick building at': 139580, 'building at the': 142057, 'at the edge': 100932, 'the edge of': 854052, 'edge of the': 268517, 'of the pic': 591335, 'the pic behind': 863716, 'pic behind me': 655582, 'behind me is': 124666, 'is the store': 452949, 'store we were': 811186, 'were in line': 979775, 'go in waiting': 353723, 'in waiting apart': 430645, 'waiting apart to': 964292, 'apart to be': 81358, 'of the 100': 590758, 'the 100 shopper': 847861, '100 shopper never': 2074, 'shopper never imagined': 761622, 'never imagined this': 558073, 'imagined this in': 416849, 'this in my': 888047, 'in my lifetime': 425594, 'my lifetime essentialliving': 549055, 'lifetime essentialliving socialdistancing': 489399, 'ripoffmerchant': 722695, 'moisturiser': 535601, 'still seller': 801157, 'seller like': 749039, 'this allowed': 886278, 'sell on': 748823, 'your platform': 1025327, 'this corvid19uk': 886912, 'corvid19uk ripoffmerchant': 207758, 'ripoffmerchant 500ml': 722696, '500ml alcohol': 20102, 'gel 70': 345090, '70 anti': 21735, 'bacterial with': 107737, 'with moisturiser': 999535, 'moisturiser pump': 535602, 'pump action': 689017, 'why is there': 991123, 'is there still': 453037, 'there still seller': 879104, 'still seller like': 801158, 'seller like this': 749040, 'like this allowed': 491467, 'this allowed to': 886279, 'to sell on': 914165, 'sell on your': 748828, 'on your platform': 605491, 'your platform with': 1025329, 'platform with inflated': 659060, 'like this corvid19uk': 491478, 'this corvid19uk ripoffmerchant': 886913, 'corvid19uk ripoffmerchant 500ml': 207759, 'ripoffmerchant 500ml alcohol': 722697, '500ml alcohol gel': 20103, 'alcohol gel 70': 41012, 'gel 70 anti': 345091, '70 anti bacterial': 21736, 'anti bacterial with': 78281, 'bacterial with moisturiser': 107738, 'with moisturiser pump': 999536, 'moisturiser pump action': 535603, 'unbritish': 939536, 'inferred': 436930, 'borisajoke': 135505, 'parttimeprimeminister': 642960, 'backdoorboris': 107516, 'it unbritish': 461907, 'unbritish to': 939537, 'apply restriction': 82587, 'europe elsewhere': 283431, 'elsewhere re': 272025, 're say': 699424, 'say inferred': 738804, 'inferred by': 436931, 'by boris': 151980, 'johnson but': 466582, 'but ok': 146648, 'catch spread': 167029, 'spread virus': 790873, 'virus borisajoke': 958010, 'borisajoke borisout': 135506, 'borisout parttimeprimeminister': 135543, 'parttimeprimeminister backdoorboris': 642961, 'it unbritish to': 461908, 'unbritish to apply': 939538, 'to apply restriction': 900656, 'apply restriction in': 82588, 'restriction in europe': 717293, 'in europe elsewhere': 422635, 'europe elsewhere re': 283432, 'elsewhere re say': 272026, 're say inferred': 699425, 'say inferred by': 738805, 'inferred by boris': 436932, 'by boris johnson': 151981, 'boris johnson but': 135465, 'johnson but ok': 466583, 'but ok to': 146649, 'ok to catch': 597917, 'to catch spread': 902505, 'catch spread virus': 167030, 'spread virus borisajoke': 790875, 'virus borisajoke borisout': 958011, 'borisajoke borisout parttimeprimeminister': 135507, 'borisout parttimeprimeminister backdoorboris': 135544, 'panicbuying is not': 638980, 'and implication': 65024, 'sentiment in india': 750948, 'india and implication': 434296, 'and implication for': 65025, 'implication for brand': 418550, 'sacrificing': 729131, 'who signed': 989623, 'industry see': 436100, 'keeping society': 472556, 'society stable': 781312, 'stable thank': 791959, 'for sacrificing': 325285, 'sacrificing yourself': 729143, 'cashier vehicle': 166648, 'vehicle cashier': 954255, 'cashier all': 166439, 'all gas': 42903, 'transportation employee': 930002, 'everyone who signed': 287603, 'who signed up': 989625, 'signed up today': 769391, 'up today to': 946458, 'today to everyone': 920354, 'to everyone in': 905343, 'in the service': 429537, 'service industry see': 752501, 'industry see you': 436102, 'see you thank': 746114, 'you for keeping': 1018651, 'for keeping society': 322817, 'keeping society stable': 472558, 'society stable thank': 781313, 'stable thank you': 791960, 'you for sacrificing': 1018666, 'for sacrificing yourself': 325286, 'sacrificing yourself to': 729144, 'yourself to all': 1026726, 'store cashier vehicle': 806893, 'cashier vehicle cashier': 166649, 'vehicle cashier all': 954256, 'cashier all gas': 166440, 'all gas station': 42904, 'station and public': 796336, 'and public transportation': 69751, 'public transportation employee': 688431, 'transportation employee thank': 930003, 'major asian': 509237, 'charging exorbitant': 173469, 'haji it': 374079, 'really shame': 702572, 'it shame that': 460997, 'that some major': 846388, 'some major asian': 783250, 'major asian supermarket': 509238, 'asian supermarket have': 95360, 'have started charging': 382719, 'started charging exorbitant': 794707, 'charging exorbitant price': 173470, 'exorbitant price most': 290418, 'are haji it': 86985, 'haji it really': 374080, 'it really shame': 460656, 'really shame for': 702573, 'these shameless people': 880665, 'emergency three': 273024, 'three state': 894062, 'state designate': 795520, 'designate them': 238284, 'them such': 876344, 'such to': 816834, 'are grocery employee': 86966, 'grocery employee emergency': 364493, 'employee emergency three': 273815, 'emergency three state': 273025, 'three state designate': 894063, 'state designate them': 795521, 'designate them such': 238285, 'them such to': 876346, 'such to be': 816835, 'receive free during': 703479, 'your quarantine': 1025487, 'quarantine kit': 692330, 'kit ready': 475618, 'ready here': 700890, 'what expert': 981440, 'expert recommend': 291929, 'recommend you': 704727, 'you have your': 1019143, 'have your quarantine': 383719, 'your quarantine kit': 1025489, 'quarantine kit ready': 692331, 'kit ready here': 475619, 'ready here what': 700892, 'here what expert': 393804, 'what expert recommend': 981441, 'expert recommend you': 291931, 'recommend you stock': 704728, 'grieve': 363913, 'bar should': 110762, 'remain take': 709876, 'only until': 611401, 're sure': 699643, 've flattened': 953125, 'flattened the': 310135, 've moved': 953378, 'moved on': 543820, '19 entirely': 6797, 'entirely grieve': 278793, 'grieve with': 363916, 'fellow people': 303321, 'service will': 753072, 'high once': 395200, 'again it': 37044, 'actually unsafe': 30995, 'restaurant and bar': 716274, 'and bar should': 58702, 'bar should remain': 110763, 'should remain take': 766399, 'remain take out': 709877, 'out only until': 626944, 'only until we': 611404, 'until we re': 943927, 'we re sure': 972980, 're sure that': 699644, 'sure that we': 827703, 'we ve flattened': 973666, 've flattened the': 953126, 'flattened the curve': 310136, 'curve or we': 221883, 'we ve moved': 973687, 've moved on': 953379, 'moved on from': 543822, 'on from covid': 601026, 'covid 19 entirely': 213029, '19 entirely grieve': 6798, 'entirely grieve with': 278794, 'grieve with my': 363917, 'my fellow people': 548304, 'fellow people in': 303322, 'people in food': 648376, 'food service but': 316405, 'service but the': 752192, 'for our service': 324290, 'our service will': 624735, 'service will be': 753073, 'be so high': 117258, 'so high once': 777310, 'high once we': 395201, 'once we can': 605778, 'we can open': 970983, 'can open again': 159143, 'open again it': 612023, 'again it actually': 37045, 'it actually unsafe': 456265, '122': 3049, 'helped make': 391079, 'you rich': 1020933, 'rich beyond': 721197, 'beyond belief': 129136, 'belief why': 126230, 'giving back': 351246, 'back just': 107131, 'your 122': 1022711, '122 billion': 3050, 'fight of': 304809, 'consumer ha helped': 197677, 'ha helped make': 370854, 'helped make you': 391080, 'make you rich': 510746, 'you rich beyond': 1020934, 'rich beyond belief': 721198, 'beyond belief why': 129140, 'belief why not': 126231, 'why not consider': 991215, 'not consider giving': 568831, 'consider giving back': 195004, 'giving back just': 351250, 'back just one': 107132, 'of your 122': 593441, 'your 122 billion': 1022712, '122 billion to': 3051, 'billion to help': 130926, 'the fight of': 855166, 'fight of covid': 304810, 'stock drop': 802060, 'extent of': 293328, 'damage for': 225195, 'several key': 753873, 'key company': 473250, 'it tech': 461450, 'tech medium': 836117, 'medium auto': 527015, 'auto transportation': 103925, 'transportation travel': 930048, 'travel retail': 930492, 'and banking': 58688, 'banking finance': 110426, 'finance opportunity': 306245, 'for investing': 322636, 'stock drop amid': 802062, 'drop amid the': 260121, '19 outbreak here': 9133, 'outbreak here the': 628304, 'on the extent': 604105, 'the extent of': 854756, 'extent of the': 293331, 'of the damage': 590924, 'the damage for': 852806, 'damage for the': 225196, 'share price for': 755173, 'price for several': 674046, 'for several key': 325515, 'several key company': 753874, 'key company in': 473251, 'company in it': 190764, 'in it tech': 424276, 'it tech medium': 461451, 'tech medium auto': 836119, 'medium auto transportation': 527016, 'auto transportation travel': 103926, 'transportation travel retail': 930049, 'travel retail consumer': 930493, 'retail consumer good': 717990, 'good and banking': 356726, 'and banking finance': 58689, 'banking finance opportunity': 110427, 'finance opportunity for': 306246, 'opportunity for investing': 613617, 'below ceo': 126612, 'ceo talk': 169852, 'business journal': 143973, 'journal about': 467380, 'is weathering': 453817, 'weathering where': 974927, 'he see': 385406, 'see opportunity': 745510, 'economy rebound': 268170, 'five below ceo': 309588, 'below ceo talk': 126613, 'ceo talk with': 169853, 'talk with the': 833924, 'the business journal': 850171, 'business journal about': 143974, 'journal about how': 467381, 'how the retailer': 408869, 'the retailer is': 865742, 'retailer is weathering': 719223, 'is weathering where': 453818, 'weathering where he': 974928, 'where he see': 984919, 'he see opportunity': 385411, 'see opportunity and': 745511, 'opportunity and share': 613585, 'share his view': 755032, 'on the strength': 604389, 'consumer when the': 199511, 'the economy rebound': 854010, 'law two': 482432, 'two purpose': 937172, 'purpose are': 690094, 'prevent anyone': 671580, 'anyone from': 80327, 'from accumulating': 334382, 'accumulating in': 28862, 'in excess': 422709, 'the reasonable': 865284, 'reasonable demand': 703091, 'business personal': 144215, 'home consumption': 400922, 'of resale': 588959, 'resale at': 713556, 'of prevailing': 588378, 'prevailing market': 671553, 'the law two': 859196, 'law two purpose': 482433, 'two purpose are': 937173, 'purpose are to': 690095, 'are to prevent': 91112, 'to prevent anyone': 912045, 'prevent anyone from': 671581, 'anyone from accumulating': 80328, 'from accumulating in': 334383, 'accumulating in excess': 28863, 'in excess of': 422710, 'excess of the': 289360, 'of the reasonable': 591392, 'the reasonable demand': 865285, 'reasonable demand of': 703092, 'demand of business': 235944, 'of business personal': 580965, 'business personal or': 144216, 'personal or home': 652933, 'or home consumption': 615664, 'home consumption or': 400924, 'or for the': 615369, 'for the purpose': 326642, 'purpose of resale': 690145, 'of resale at': 588960, 'resale at price': 713557, 'at price in': 100200, 'price in excess': 674683, 'excess of prevailing': 289358, 'of prevailing market': 588379, 'prevailing market price': 671554, 'front door': 338526, 'door offer': 255669, 'offer corona': 594556, 'corona discount': 203921, 'discount flattenthecurve': 244468, 'flattenthecurve online': 310183, 'online farm': 608190, 'shop providing': 760691, 'providing alternative': 686934, 'to everyday': 905324, 'everyday shopping': 286623, 'shopping homeoffice': 762904, 'food to front': 317254, 'to front door': 906270, 'front door offer': 338528, 'door offer corona': 255670, 'offer corona discount': 594557, 'corona discount flattenthecurve': 203922, 'discount flattenthecurve online': 244469, 'flattenthecurve online farm': 310184, 'online farm shop': 608191, 'farm shop providing': 299176, 'shop providing alternative': 760692, 'providing alternative to': 686935, 'alternative to everyday': 49269, 'to everyday shopping': 905326, 'everyday shopping homeoffice': 286624, 'the request': 865551, 'well known': 978361, 'known gestrointrogist': 477221, 'sarin 500': 736778, '500 three': 20061, '24 liter': 15647, 'sanitizer donated': 734782, 'worker santitation': 1007734, 'at the request': 101077, 'the request of': 865552, 'the well known': 871379, 'well known gestrointrogist': 978362, 'known gestrointrogist dr': 477222, 'dr sarin 500': 258095, 'sarin 500 three': 736779, '500 three ply': 20062, 'three ply mask': 894035, 'ply mask and': 661774, 'mask and 24': 518304, 'and 24 liter': 57423, '24 liter of': 15648, 'hand sanitizer donated': 375378, 'sanitizer donated to': 734784, 'donated to healthcare': 254365, 'healthcare worker santitation': 387382, 'worker santitation coronawarriors': 1007735, 'wegman': 977629, '40 which': 18686, 'wa apparent': 961561, 'apparent by': 81884, 'car full': 163104, 'folk needing': 312221, 'needing food': 556617, 'emergency distribution': 272666, 'distribution access': 248102, 'by wegman': 154715, 'wegman image': 977630, 'image by': 416621, 'up 40 which': 944172, '40 which wa': 18687, 'which wa apparent': 986439, 'wa apparent by': 961562, 'apparent by the': 81885, 'by the massive': 154374, 'the massive line': 860269, 'massive line of': 520054, 'line of car': 493293, 'of car full': 581130, 'car full of': 163105, 'full of folk': 340722, 'of folk needing': 583625, 'folk needing food': 312222, 'needing food today': 556620, 'food today at': 317308, 'today at an': 919271, 'at an emergency': 97981, 'an emergency distribution': 55675, 'emergency distribution access': 272667, 'distribution access to': 248103, '19 story by': 10893, 'story by wegman': 811931, 'by wegman image': 154716, 'wegman image by': 977631, 'proverbs31': 686189, 'riseup': 723130, 'spiritualfamily': 789537, 'today episode': 919484, 'episode 19': 279505, '19 church': 5815, 'church proverbs31': 178394, 'proverbs31 riseup': 686190, 'riseup worship': 723131, 'worship toiletpaper': 1011128, 'toiletpaper provide': 922363, 'provide family': 686286, 'family spiritualfamily': 298242, 'check out today': 174585, 'out today episode': 627703, 'today episode 19': 919485, 'episode 19 church': 279506, '19 church proverbs31': 5816, 'church proverbs31 riseup': 178395, 'proverbs31 riseup worship': 686191, 'riseup worship toiletpaper': 723132, 'worship toiletpaper provide': 1011129, 'toiletpaper provide family': 922364, 'provide family spiritualfamily': 686287, 'fybne4vlyh': 342617, 'help recognizing': 390412, 'avoiding fraudulent': 105457, 'fraudulent scheme': 331472, 'website http': 975306, 'co fybne4vlyh': 184846, 'find help recognizing': 306955, 'help recognizing and': 390413, 'and avoiding fraudulent': 58584, 'avoiding fraudulent scheme': 105458, 'fraudulent scheme please': 331473, 'commission website http': 188917, 'website http co': 975307, 'http co fybne4vlyh': 409761, 'be delighted': 114392, 'in whatever': 430837, 'whatever way': 982811, 'would deem': 1011749, 'deem appropriate': 231801, 'appropriate and': 83027, 'your premise': 1025375, 'premise liverpool': 669931, 'liverpool ceo': 496239, 'ceo message': 169754, 'would be delighted': 1011572, 'be delighted to': 114393, 'delighted to help': 233049, 'help in whatever': 389915, 'in whatever way': 430839, 'whatever way you': 982812, 'way you would': 970209, 'you would deem': 1022447, 'would deem appropriate': 1011750, 'deem appropriate and': 231802, 'appropriate and safe': 83028, 'and safe on': 70718, 'on your premise': 605492, 'your premise liverpool': 1025377, 'premise liverpool ceo': 669932, 'liverpool ceo message': 496240, 'ceo message to': 169755, 'message to supermarket': 529463, 'to supermarket manager': 915813, 'more amid': 538604, 'read more amid': 700419, 'more amid regime': 538605, 'desinfections': 238406, 'havefun': 383729, 'uotech': 944102, 'senseofhumor': 750617, 'for sell': 325432, 'sell sterile': 748884, 'sterile disposable': 799839, 'disposable anti': 246230, 'bacterial wet': 107735, 'wipe antibacterial': 996194, 'hand disinfectant': 374893, 'wipe common': 996215, 'common disinfecting': 189375, 'wipe no': 996321, 'no alcohol': 563599, 'alcohol desinfections': 40987, 'desinfections wet': 238407, 'disinfectant quarantine': 245733, 'quarantine havefun': 692247, 'havefun uotech': 383730, 'uotech senseofhumor': 944103, 'senseofhumor lysol': 750618, 'lysol purell': 507186, 'purell sanitizer': 690026, 'sanitizer pandemic': 735529, 'pandemic stay': 636536, 'for sell sterile': 325433, 'sell sterile disposable': 748885, 'sterile disposable anti': 799840, 'disposable anti bacterial': 246231, 'anti bacterial wet': 78280, 'bacterial wet wipe': 107736, 'wet wipe antibacterial': 980758, 'wipe antibacterial hand': 996195, 'antibacterial hand disinfectant': 78361, 'hand disinfectant wipe': 374895, 'disinfectant wipe common': 245809, 'wipe common disinfecting': 996216, 'common disinfecting wipe': 189376, 'disinfecting wipe no': 245898, 'wipe no alcohol': 996322, 'no alcohol desinfections': 563600, 'alcohol desinfections wet': 40988, 'desinfections wet wipe': 238408, 'wet wipe disinfectant': 980759, 'wipe disinfectant quarantine': 996226, 'disinfectant quarantine havefun': 245734, 'quarantine havefun uotech': 692248, 'havefun uotech senseofhumor': 383731, 'uotech senseofhumor lysol': 944104, 'senseofhumor lysol purell': 750619, 'lysol purell sanitizer': 507187, 'purell sanitizer pandemic': 690027, 'sanitizer pandemic stay': 735530, 'concentrated': 192834, 'do north': 249650, 'shelf seem': 757486, 'empty everywhere': 274864, 'everywhere whereas': 288285, 'europe they': 283518, 'stock available': 801894, 'available even': 104339, 'when coronavirus': 983288, 'more concentrated': 538850, 'concentrated throughout': 192835, 'eu please': 283256, 'buy only': 149052, 'affecting everyone': 34513, 'why do north': 990933, 'do north american': 249651, 'north american supermarket': 567617, 'supermarket shelf seem': 822524, 'shelf seem to': 757487, 'be empty everywhere': 114670, 'empty everywhere whereas': 274865, 'everywhere whereas in': 288286, 'whereas in europe': 985426, 'in europe they': 422656, 'europe they manage': 283519, 'they manage to': 882656, 'manage to still': 512468, 'have stock available': 382760, 'stock available even': 801895, 'available even when': 104340, 'even when coronavirus': 284779, 'when coronavirus is': 983290, 'coronavirus is more': 206164, 'is more concentrated': 449698, 'more concentrated throughout': 538851, 'concentrated throughout the': 192836, 'throughout the uk': 894988, 'uk and eu': 938169, 'and eu please': 62301, 'eu please buy': 283257, 'please buy only': 659740, 'buy only what': 149054, 'need this disease': 555814, 'this disease is': 887251, 'disease is affecting': 245162, 'is affecting everyone': 445387, 'bright side of': 139796, 'are going down': 86882, 'cairn': 155200, 'methanol': 529752, 'of indialockdown': 585121, 'indialockdown on': 434759, 'on commodity': 599982, 'commodity cairn': 189145, 'cairn fight': 155201, 'fight double': 304710, 'blow indian': 133313, 'indian petrochemical': 434864, 'petrochemical plant': 653695, 'close corn': 182597, 'for methanol': 323418, 'methanol is': 529753, 'is falling': 447721, 'impact of indialockdown': 417781, 'of indialockdown on': 585122, 'indialockdown on commodity': 434760, 'on commodity cairn': 599983, 'commodity cairn fight': 189146, 'cairn fight double': 155202, 'fight double blow': 304711, 'double blow indian': 255983, 'blow indian petrochemical': 133314, 'indian petrochemical plant': 434865, 'petrochemical plant to': 653696, 'plant to close': 658714, 'to close corn': 902862, 'close corn price': 182598, 'fall demand for': 296889, 'demand for methanol': 235454, 'for methanol is': 323419, 'methanol is falling': 529754, 'ration employee': 697665, 'ration blame': 697642, 'giving share': 351385, 'essential request': 281453, 'take appropriate': 831952, 'appropriate action': 83025, 'person needed': 652545, 'sir there are': 771659, 'no product available': 565213, 'product available in': 680991, 'in the ration': 429497, 'the ration employee': 865175, 'ration employee of': 697666, 'employee of the': 274070, 'of the ration': 591387, 'the ration blame': 865173, 'ration blame the': 697643, 'for not giving': 323927, 'not giving share': 569660, 'giving share it': 351386, 'share it feel': 755074, 'it feel so': 457975, 'so bad in': 776579, 'bad in covid': 107899, 'suffering from food': 817310, 'and essential request': 62259, 'essential request you': 281454, 'to take appropriate': 916159, 'take appropriate action': 831953, 'appropriate action on': 83026, 'the issue please': 858577, 'issue please help': 455891, 'help the person': 390673, 'the person needed': 863588, 'aggravates': 38218, 'unprovoked': 943269, 'disfigured': 245301, 'epidemic aggravates': 279329, 'aggravates racial': 38219, 'racial discrimination': 695230, 'discrimination asian': 244804, 'asian family': 95277, 'state supermarket': 795960, 'supermarket unprovoked': 823614, 'unprovoked attack': 943270, 'attack boy': 102093, 'boy disfigured': 137251, 'disfigured trump': 245302, 'ha dubbed': 370468, 'dubbed covid': 261505, 'is asian': 445819, 'asian in': 95296, 'of european': 583219, 'european and': 283536, 'epidemic aggravates racial': 279330, 'aggravates racial discrimination': 38220, 'racial discrimination asian': 695231, 'discrimination asian family': 244805, 'asian family in': 95278, 'united state supermarket': 942243, 'state supermarket unprovoked': 795962, 'supermarket unprovoked attack': 823615, 'unprovoked attack boy': 943271, 'attack boy disfigured': 102094, 'boy disfigured trump': 137252, 'disfigured trump ha': 245303, 'trump ha dubbed': 933590, 'ha dubbed covid': 370469, 'dubbed covid 19': 261506, '19 chinese virus': 5800, 'chinese virus and': 177375, 'virus and is': 957932, 'and is asian': 65393, 'is asian in': 445820, 'asian in the': 95298, 'in the eye': 429187, 'the eye of': 854790, 'eye of european': 294065, 'of european and': 583220, 'supermarkt': 824268, 'koeln': 477318, 'don rush': 253882, 'rush is': 728302, 'not flu': 569452, 'flu if': 311420, 'if some': 414843, 'some ask': 782345, 'stay far': 796860, 'far respect': 298902, 'down supermarkt': 257235, 'supermarkt apply': 824269, 'restriction now': 717328, 'limit entrance': 492335, 'entrance it': 278881, 'it italy': 459187, 'work learn': 1005422, 'others de': 621353, 'de koeln': 229078, 'keep the distance': 472036, 'the distance at': 853416, 'distance at supermarket': 246656, 'at supermarket don': 100716, 'supermarket don rush': 820001, 'don rush is': 253883, 'rush is not': 728303, 'is not flu': 450084, 'not flu if': 569453, 'flu if some': 311421, 'if some ask': 414844, 'some ask you': 782346, 'to stay far': 915283, 'stay far respect': 796861, 'far respect and': 298903, 'respect and slow': 714965, 'and slow down': 71750, 'slow down supermarkt': 774351, 'down supermarkt apply': 257236, 'supermarkt apply restriction': 824270, 'apply restriction now': 82589, 'restriction now like': 717329, 'now like in': 575206, 'like in pharmacy': 490498, 'in pharmacy and': 426673, 'pharmacy and limit': 654216, 'and limit entrance': 66170, 'limit entrance it': 492336, 'entrance it italy': 278883, 'it italy it': 459188, 'italy it work': 462866, 'it work learn': 462504, 'work learn from': 1005423, 'learn from others': 483968, 'from others de': 336737, 'others de koeln': 621354, '2020 reality': 14560, 'reality sketch': 701789, 'sketch toiletpaper': 772893, '2020 reality sketch': 14561, 'reality sketch toiletpaper': 701790, 'sketch toiletpaper illustration': 772894, 'deployment': 237477, 'breaking half': 138957, 'world student': 1010017, 'student population': 814756, 'population not': 664718, 'not attending': 568282, 'attending school': 102416, 'school due': 741774, 'launch global': 481907, 'global coalition': 351775, 'coalition to': 185088, 'accelerate deployment': 27842, 'deployment of': 237480, 'learning solution': 484235, 'solution full': 782036, 'breaking half of': 138958, 'half of world': 374240, 'of world student': 593314, 'world student population': 1010018, 'student population not': 814757, 'population not attending': 664719, 'not attending school': 568283, 'attending school due': 102417, 'school due to': 741775, 'due to launch': 261844, 'to launch global': 909100, 'launch global coalition': 481908, 'global coalition to': 351776, 'coalition to accelerate': 185089, 'to accelerate deployment': 899930, 'accelerate deployment of': 27843, 'deployment of remote': 237481, 'remote learning solution': 710715, 'learning solution full': 484236, 'solution full story': 782037, 'johnson wa': 466638, 'test he': 839014, 'he struggle': 385487, 'coronavirus serious': 206743, 'serious blow': 751342, 'to britain': 902060, 'britain bid': 140381, 'boris johnson wa': 135477, 'johnson wa taken': 466639, 'wa taken to': 963397, 'taken to hospital': 833101, 'to hospital for': 907970, 'hospital for test': 404413, 'for test he': 326229, 'test he struggle': 839016, 'he struggle to': 385488, 'recover from coronavirus': 705180, 'from coronavirus serious': 335019, 'coronavirus serious blow': 206744, 'serious blow to': 751343, 'blow to britain': 133355, 'to britain bid': 902061, 'britain bid to': 140382, 'bid to tackle': 129499, 'tackle the crisis': 831606, 'usa alert': 948579, 'alert white': 41547, 'unless essential': 942602, 'usa alert white': 948580, 'alert white house': 41548, 'drug store unless': 261099, 'store unless essential': 811002, 'time deputy': 896554, 'deputy speaker': 237803, 'speaker bruce': 787742, 'bruce stanton': 141325, 'stanton in': 793887, 'in parliament': 426520, 'parliament with': 642171, 'his bottle': 397250, 'sanitizer cdnpoli': 734646, 'the time deputy': 869585, 'time deputy speaker': 896555, 'deputy speaker bruce': 237804, 'speaker bruce stanton': 787743, 'bruce stanton in': 141326, 'stanton in parliament': 793888, 'in parliament with': 426521, 'parliament with his': 642172, 'with his bottle': 998829, 'his bottle of': 397251, 'hand sanitizer cdnpoli': 375340, 'helped dozen': 391065, 'of artist': 580380, 'artist struggling': 94618, 'struggling financially': 814439, 'month donating': 537682, 'donating 00': 254408, 'baking cake': 108902, 'cake and': 155215, 'local neighbor': 498201, 've helped dozen': 953258, 'helped dozen of': 391066, 'dozen of artist': 257889, 'of artist struggling': 580381, 'artist struggling financially': 94619, 'struggling financially this': 814442, 'financially this month': 306693, 'this month donating': 888905, 'month donating 00': 537683, 'donating 00 to': 254409, '19 charity to': 5779, 'charity to help': 173705, 'to help hospital': 907540, 'help hospital get': 389873, 'hospital get medical': 404421, 'get medical supply': 347555, 'supply and baking': 824703, 'and baking cake': 58667, 'baking cake and': 108903, 'cake and stockpiling': 155217, 'and stockpiling food': 72453, 'stockpiling food supply': 803964, 'supply to help': 826011, 'help my local': 390126, 'my local neighbor': 549129, 'coupla': 211548, 'how putting': 408540, 'putting coat': 691098, 'coat on': 185135, 'month you': 538152, '50 note': 19760, 'note in': 572740, 'pocket how': 662176, 'how excited': 407826, 'excited you': 289580, 'well moved': 978406, 'moved coupla': 543798, 'coupla supermarket': 211549, 'supermarket bag': 819282, 'the boot': 849856, 'boot of': 135104, 'car found': 163090, 'found roll': 330357, 'paper used': 641040, 'we travel': 973566, 'travel oh': 930442, 'the joy': 858693, 'know how putting': 476453, 'how putting coat': 408541, 'putting coat on': 691099, 'coat on that': 185136, 'on that been': 603931, 'that been in': 842960, 'in the closet': 429073, 'closet for month': 183551, 'for month you': 323546, 'month you find': 538153, 'you find 50': 1018570, 'find 50 note': 306759, '50 note in': 19761, 'note in the': 572741, 'in the pocket': 429457, 'the pocket how': 863887, 'pocket how excited': 662177, 'how excited you': 407827, 'excited you be': 289581, 'you be well': 1017405, 'be well moved': 118087, 'well moved coupla': 978407, 'moved coupla supermarket': 543799, 'coupla supermarket bag': 211550, 'supermarket bag in': 819283, 'in the boot': 429033, 'the boot of': 849857, 'boot of my': 135105, 'of my car': 586737, 'my car found': 547600, 'car found roll': 163091, 'found roll of': 330358, 'toilet paper used': 921512, 'paper used for': 641041, 'used for when': 949914, 'for when we': 327824, 'when we travel': 984470, 'we travel oh': 973567, 'travel oh the': 930443, 'oh the joy': 596457, 'keep pocket': 471798, 'pocket sanitizer': 662195, 'rub it': 726913, 'often we': 596299, 'virus virus': 958978, 'stay safe with': 797300, 'safe with and': 730149, 'with and keep': 997246, 'and keep pocket': 65773, 'keep pocket sanitizer': 471799, 'pocket sanitizer in': 662197, 'your pocket and': 1025337, 'pocket and rub': 662153, 'and rub it': 70611, 'rub it in': 726914, 'in your hand': 431087, 'hand often we': 375126, 'often we need': 596300, 'need to avoid': 555863, 'the virus virus': 870914, 'virus virus sanitizer': 958979, 'jemima': 465058, 'pedigree': 646223, 'focussing': 312012, 'hi jemima': 394678, 'jemima congrats': 465059, 'congrats on': 194429, 'published our': 688682, 'our investigation': 623582, 'into pedigree': 442858, 'pedigree dog': 646224, 'dog industry': 252116, 'in oz': 426402, 'oz focussing': 632739, 'focussing on': 312015, 'on failure': 600718, 'protect public': 684928, 'public consumer': 687928, 'right cd': 721838, 'cd you': 168534, 'you pls': 1020369, 'pls follow': 661136, 'get update': 348569, 'update re': 947186, 're kc': 698950, 'hi jemima congrats': 394679, 'jemima congrats on': 465060, 'congrats on your': 194430, 'on your work': 605516, 'your work just': 1026374, 'work just published': 1005405, 'just published our': 469509, 'published our investigation': 688683, 'our investigation into': 623583, 'investigation into pedigree': 443878, 'into pedigree dog': 442859, 'pedigree dog industry': 646225, 'dog industry in': 252118, 'industry in oz': 435904, 'in oz focussing': 426403, 'oz focussing on': 632740, 'focussing on failure': 312016, 'on failure to': 600719, 'failure to protect': 296303, 'to protect public': 912324, 'protect public consumer': 684929, 'public consumer right': 687929, 'consumer right cd': 198807, 'right cd you': 721839, 'cd you pls': 168535, 'you pls follow': 1020370, 'pls follow me': 661137, 'follow me like': 312461, 'me like to': 523087, 'like to dm': 491583, 'to dm you': 904471, 'dm you to': 248941, 'to get update': 906634, 'get update re': 348570, 'update re kc': 947187, 'aglaw': 38296, 'aglaw hotlink': 38297, 'hotlink coronavirus': 405281, 'coronavirus hit': 206080, 'hit already': 398128, 'already frail': 47363, 'frail farm': 330930, 'farm economy': 299108, 'economy farming': 267865, 'farming agriculture': 299604, 'agriculture farmer': 38968, 'farmer economy': 299351, 'economy price': 268157, 'price crop': 673349, 'crop livestock': 218934, 'livestock labor': 496273, 'labor impact': 478415, 'aglaw hotlink coronavirus': 38298, 'hotlink coronavirus hit': 405282, 'coronavirus hit already': 206081, 'hit already frail': 398129, 'already frail farm': 47364, 'frail farm economy': 330931, 'farm economy farming': 299109, 'economy farming agriculture': 267866, 'farming agriculture farmer': 299606, 'agriculture farmer economy': 38970, 'farmer economy price': 299352, 'economy price crop': 268158, 'price crop livestock': 673350, 'crop livestock labor': 218935, 'livestock labor impact': 496274, 'stayathomechllenge am': 797765, 'am home': 50122, 'run crazy': 727601, 'all toddler': 45255, 'and teen': 73073, 'teen both': 836478, 'both running': 136032, 'around teen': 93511, 'teen sick': 836506, 'and toddler': 74232, 'toddler missing': 920622, 'cry about': 219837, 'she doesn': 756001, 'would sure': 1012299, 'stayathomechllenge am home': 797766, 'am home for': 50123, 'long run crazy': 501607, 'run crazy kid': 727602, 'and all toddler': 57903, 'all toddler and': 45256, 'toddler and teen': 920614, 'and teen both': 73074, 'teen both running': 836479, 'both running around': 136033, 'running around teen': 727917, 'around teen sick': 93512, 'teen sick dog': 836507, 'dog not covid': 252136, '19 and toddler': 5128, 'and toddler missing': 74233, 'toddler missing and': 920623, 'and cry about': 60781, 'cry about her': 219839, 'about her pre': 25378, 'class she doesn': 180253, 'she doesn understand': 756004, 'doesn understand this': 251988, 'understand this would': 940793, 'this would sure': 891546, 'disagree': 244012, 'hunt your': 411380, 'your public': 1025469, 'public intervention': 688114, 'intervention on': 442193, 'can disagree': 158069, 'disagree with': 244017, 'government strategy': 360643, 'strategy but': 812621, 'not actively': 568044, 'actively campaign': 30301, 'campaign against': 157193, 'government people': 360456, 'scared you': 741049, 'fear this': 301393, 'this cause': 886718, 'panic action': 637268, 'hunt your public': 411381, 'your public intervention': 1025470, 'public intervention on': 688115, 'intervention on covid': 442194, 'not helping you': 569946, 'helping you can': 391550, 'you can disagree': 1017658, 'can disagree with': 158070, 'disagree with the': 244019, 'the government strategy': 856604, 'government strategy but': 360644, 'strategy but do': 812623, 'do not actively': 249656, 'not actively campaign': 568045, 'actively campaign against': 30302, 'campaign against the': 157195, 'against the government': 37660, 'the government people': 856579, 'government people are': 360457, 'are scared you': 89858, 'scared you add': 741050, 'you add to': 1016822, 'to their fear': 917234, 'their fear this': 873302, 'fear this cause': 301394, 'this cause panic': 886719, 'cause panic action': 167690, 'stockpiling tp': 804106, 'tp now': 927881, 'even the bird': 284648, 'bird are stockpiling': 131327, 'are stockpiling tp': 90530, 'stockpiling tp now': 804107, 'aspiration': 96239, 'expectmore': 291063, 'for brilliant': 319793, 'brilliant read': 139883, 'read of': 700476, 'on understanding': 604956, '19 looking': 8471, 'looking into': 502940, 'into growth': 442610, 'consumption device': 199858, 'device usage': 239942, 'usage and': 948815, 'travel aspiration': 930275, 'aspiration expectmore': 96240, 'expectmore advertising': 291064, 'here for brilliant': 392999, 'for brilliant read': 319794, 'brilliant read of': 139884, 'read of the': 700477, 'the new report': 861548, 'new report from': 559449, 'report from on': 711978, 'from on understanding': 336673, 'on understanding consumer': 604958, 'understanding consumer behaviour': 940868, 'consumer behaviour during': 196566, 'covid 19 looking': 213377, '19 looking into': 8472, 'looking into growth': 502942, 'into growth in': 442611, 'growth in medium': 367401, 'in medium consumption': 425236, 'medium consumption device': 527056, 'consumption device usage': 199859, 'device usage and': 239943, 'usage and travel': 948818, 'and travel aspiration': 74404, 'travel aspiration expectmore': 930276, 'aspiration expectmore advertising': 96241, 'expectmore advertising marketing': 291065, 'however much': 409418, 'don assuming': 253349, 'assuming my': 97052, 'math is': 520467, 'is correct': 446849, 'correct buy': 207507, 'sensibly people': 750683, 'however much you': 409419, 'much you might': 545495, 'you might think': 1019855, 'might think you': 531145, 'think you need': 885816, 'you need you': 1020061, 'need you probably': 556263, 'you probably don': 1020440, 'probably don assuming': 679253, 'don assuming my': 253350, 'assuming my math': 97053, 'my math is': 549218, 'math is correct': 520468, 'is correct buy': 446850, 'correct buy sensibly': 207508, 'buy sensibly people': 149162, 'nipped': 563339, 'dogma': 252208, 'have nipped': 381603, 'nipped profiteering': 563340, 'bud right': 141731, 'right of': 722196, 'scare too': 740922, 'too concerned': 924667, 'their dogma': 873056, 'dogma of': 252209, 'of allowing': 580004, 'allowing market': 46302, 'market force': 516416, 'to prevail': 912040, 'prevail no': 671538, 'no dou': 564044, 'should have nipped': 766086, 'have nipped profiteering': 381604, 'nipped profiteering and': 563341, 'profiteering and panic': 683002, 'in the bud': 429039, 'the bud right': 850081, 'bud right of': 141732, 'right of the': 722199, 'of the start': 591488, 'the scare too': 866449, 'scare too concerned': 740923, 'too concerned with': 924668, 'concerned with their': 193236, 'with their dogma': 1001567, 'their dogma of': 873057, 'dogma of allowing': 252210, 'of allowing market': 580005, 'allowing market force': 46303, 'market force to': 516422, 'force to prevail': 328528, 'to prevail no': 912041, 'prevail no dou': 671539, 'consumertrends': 199779, 'the cross': 852506, 'world our': 1009874, 'changing dramatically': 172690, 'dramatically here': 258343, 'is close': 446565, 'close look': 182712, 'it impacting': 458697, 'impacting consumertrends': 418201, 'consumertrends and': 199780, 'how business': 407476, 'meet these': 527624, 'the cross the': 852509, 'cross the world': 219036, 'the world our': 871931, 'world our day': 1009875, 'our day to': 622704, 'to day life': 903956, 'day life are': 227899, 'life are changing': 488500, 'are changing dramatically': 85232, 'changing dramatically here': 172692, 'dramatically here is': 258344, 'here is close': 393219, 'is close look': 446566, 'close look at': 182713, 'at how it': 99221, 'how it impacting': 408133, 'it impacting consumertrends': 458698, 'impacting consumertrends and': 418202, 'consumertrends and how': 199781, 'and how business': 64804, 'how business are': 407478, 'adapting to meet': 31347, 'to meet these': 910058, 'meet these new': 527625, 'these new customer': 880337, 'new customer need': 558580, 'dear supply': 229896, 'chain supermarket': 171144, 'service thank': 752909, 'can stayathome': 159747, 'stayathome without': 797706, 'without worry': 1003059, 'worry fr': 1010710, 'fr stayhomechallenge': 330843, 'dear supply chain': 229897, 'supply chain supermarket': 825045, 'chain supermarket and': 171145, 'and pharmacy employee': 68969, 'pharmacy employee thank': 654294, 'your service thank': 1025739, 'service thank you': 752910, 'your job so': 1024537, 'job so we': 466161, 'we can stayathome': 971020, 'can stayathome without': 159749, 'stayathome without worry': 797707, 'without worry fr': 1003060, 'worry fr stayhomechallenge': 1010711, 'therein': 879477, 'ever it': 285377, 'that big': 842985, 'tech firm': 836087, 'firm act': 308300, 'act vital': 29814, 'vital utility': 959747, 'utility therein': 951325, 'therein lie': 879478, 'the trap': 869914, 'trap because': 930087, 'because almost': 118923, 'almost everywhere': 46635, 'everywhere other': 288241, 'other utility': 621165, 'utility such': 951318, 'such water': 816859, 'or electricity': 615125, 'electricity are': 271149, 'are heavily': 87076, 'heavily regulated': 388599, 'regulated and': 708002, 'and profit': 69593, 'profit capped': 682696, 'capped via': 162885, 'than ever it': 840589, 'ever it is': 285378, 'clear that big': 181339, 'that big tech': 842988, 'big tech firm': 130053, 'tech firm act': 836088, 'firm act vital': 308301, 'act vital utility': 29815, 'vital utility therein': 959748, 'utility therein lie': 951326, 'therein lie the': 879479, 'lie the trap': 488383, 'the trap because': 869915, 'trap because almost': 930088, 'because almost everywhere': 118924, 'almost everywhere other': 46637, 'everywhere other utility': 288242, 'other utility such': 621166, 'utility such water': 951319, 'such water or': 816860, 'water or electricity': 969096, 'or electricity are': 615126, 'electricity are heavily': 271150, 'are heavily regulated': 87078, 'heavily regulated and': 388600, 'regulated and have': 708003, 'and have their': 64286, 'have their price': 383058, 'price and profit': 672504, 'and profit capped': 69594, 'profit capped via': 682697, 'why ppl': 991294, 'to cannabis': 902436, 'cannabis club': 161389, 'club right': 184477, 'in crazy': 421855, 'edible or': 268553, 'or joint': 615867, 'joint to': 467028, 'customer cuz': 222284, 'cuz they': 223823, 'no chill': 563798, 'chill got': 176352, 'got ppl': 358793, 'ppl acting': 668146, 'acting fool': 29871, 'really see why': 702563, 'see why ppl': 746076, 'why ppl are': 991295, 'ppl are flocking': 668166, 'flocking to cannabis': 310688, 'to cannabis club': 902437, 'cannabis club right': 161390, 'club right now': 184478, 'are in crazy': 87369, 'in crazy time': 421856, 'crazy time work': 215457, 'time work at': 898376, 'store we need': 811176, 'need to hand': 555955, 'out edible or': 626002, 'edible or joint': 268554, 'or joint to': 615868, 'joint to our': 467029, 'our customer cuz': 622655, 'customer cuz they': 222285, 'cuz they really': 223825, 'they really have': 883161, 'have no chill': 381614, 'no chill got': 563799, 'chill got ppl': 176353, 'got ppl acting': 358794, 'ppl acting fool': 668147, 'lockdown guide': 499435, 'quarantine anxiety': 692027, 'america adaa': 51437, '19 lockdown guide': 8387, 'lockdown guide how': 499436, 'manage anxiety and': 512376, 'during quarantine anxiety': 262934, 'quarantine anxiety and': 692028, 'of america adaa': 580033, 'others via': 621755, 'than others via': 841010, 'it doing': 457650, 'more harm': 539387, 'harm than': 378417, 'shelf personally': 757410, 'personally it': 653033, 'more panicked': 539991, 'panicked think': 639299, 'more responsibility': 540245, 'responsibility stop': 715977, 'sharing them': 755598, 'stop causing': 804565, 'think it doing': 885327, 'it doing more': 457651, 'doing more harm': 252530, 'more harm than': 539389, 'harm than good': 378418, 'than good to': 840705, 'good to post': 357894, 'to post photo': 911916, 'post photo and': 666280, 'photo and video': 655126, 'video of empty': 956823, 'empty shelf personally': 275087, 'shelf personally it': 757411, 'personally it make': 653034, 'make me more': 510135, 'me more panicked': 523169, 'more panicked think': 539992, 'panicked think we': 639300, 'we should take': 973298, 'should take more': 766548, 'take more responsibility': 832340, 'more responsibility stop': 540246, 'responsibility stop sharing': 715978, 'stop sharing them': 805008, 'sharing them and': 755599, 'them and stop': 875400, 'and stop causing': 72470, 'stop causing panic': 804566, 'record profit': 705052, '2020 thanks': 14629, 'to shameful': 914332, 'most supermarket chain': 542789, 'chain are on': 170507, 'track for record': 928192, 'for record profit': 325028, 'record profit in': 705054, 'profit in the': 682776, 'of 2020 thanks': 579504, '2020 thanks to': 14630, 'thanks to shameful': 842259, 'prioritize care': 678432, 'and superior': 72698, 'superior online': 818695, 'win customer': 995546, 'customer preference': 222706, 'preference advocacy': 669772, 'advocacy spend': 33811, 'and trust': 74496, 'trust this': 934324, 'this trust': 890870, 'trust will': 934331, 'continue long': 201058, 'pandemic leaf': 635871, 'insight from on': 439553, 'on how company': 601388, 'how company can': 407573, 'company can prioritize': 190528, 'can prioritize care': 159299, 'prioritize care and': 678433, 'care and superior': 163847, 'and superior online': 72699, 'superior online shopping': 818696, 'shopping to win': 764200, 'to win customer': 918611, 'win customer preference': 995547, 'customer preference advocacy': 222707, 'preference advocacy spend': 669773, 'advocacy spend and': 33812, 'spend and trust': 788581, 'and trust this': 74499, 'trust this trust': 934325, 'this trust will': 890871, 'trust will continue': 934332, 'will continue long': 993014, 'continue long after': 201059, 'the pandemic leaf': 863013, 'financialassistance': 306633, 'financialliteracy': 306650, 'helpful consumer': 391168, 'via mondaymotivation': 956081, 'health financialassistance': 386432, 'financialassistance education': 306634, 'education money': 268839, 'money financialliteracy': 536740, 'financialliteracy personalfinance': 306651, 'helpful consumer resource': 391169, 'consumer resource via': 198777, 'resource via mondaymotivation': 714922, 'via mondaymotivation health': 956082, 'mondaymotivation health financialassistance': 536460, 'health financialassistance education': 386433, 'financialassistance education money': 306635, 'education money financialliteracy': 268840, 'money financialliteracy personalfinance': 536741, 'reply like': 711740, 'meet he': 527499, 'ticket holder': 895630, 'holder he': 400072, 'currently running': 221659, 'running supermarket': 728085, 'london stockpilinguk': 501188, 'we wait for': 973734, 'for the reply': 326650, 'the reply like': 865526, 'reply like you': 711741, 'like you to': 491882, 'you to meet': 1021806, 'to meet he': 910027, 'meet he is': 527500, 'of the ticket': 591542, 'the ticket holder': 869537, 'ticket holder he': 895631, 'holder he is': 400073, 'is currently running': 447001, 'currently running supermarket': 221660, 'running supermarket in': 728086, 'in london stockpilinguk': 424897, 'ineedppenow': 436281, 'maskshortage': 519692, 'almost 800': 46527, '800 more': 22712, 'more dead': 538964, 'italy advise': 462756, 'advise from': 33585, 'future protect': 342437, 'your doctor': 1023546, 'nurse ineedppenow': 577388, 'ineedppenow please': 436282, 'please stophoarding': 660599, 'stophoarding australia': 805355, 'australia maskshortage': 103328, 'maskshortage via': 519697, 'almost 800 more': 46528, '800 more dead': 22713, 'more dead in': 538965, 'in italy advise': 424288, 'italy advise from': 462757, 'advise from the': 33586, 'from the future': 337717, 'the future protect': 856087, 'future protect your': 342438, 'protect your doctor': 685059, 'your doctor and': 1023547, 'and nurse ineedppenow': 67891, 'nurse ineedppenow please': 577389, 'ineedppenow please stophoarding': 436283, 'please stophoarding australia': 660600, 'stophoarding australia maskshortage': 805356, 'australia maskshortage via': 103329, 'please order': 660267, 'related worker': 708636, 'morning only': 541395, 'about of': 25833, 'most were': 542906, 'were ignoring': 979764, 'ignoring distancing': 415904, 'distancing guideline': 247182, 'please order food': 660268, 'order food related': 618217, 'food related worker': 316155, 'related worker to': 708637, 'mask at grocery': 518418, 'this morning only': 888995, 'morning only about': 541396, 'only about of': 610028, 'about of worker': 25834, 'of worker were': 593286, 'worker were wearing': 1008171, 'wearing mask most': 974703, 'mask most were': 518984, 'most were ignoring': 542907, 'were ignoring distancing': 979765, 'ignoring distancing guideline': 415905, 'market on': 516790, 'medium emarketer': 527087, 'not to market': 572166, 'to market on': 909855, 'market on social': 516796, 'social medium emarketer': 779848, 'of luzon': 586083, '19 30': 4740, '30 at': 16974, 'counter in': 210225, 'laguna social': 478978, 'is barely': 445996, 'barely observed': 111028, 'observed by': 578610, 'day of luzon': 228082, 'of luzon wide': 586085, 'covid 19 30': 212558, '19 30 at': 4741, '30 at the': 16975, 'at the back': 100881, 'at supermarket counter': 100712, 'supermarket counter in': 819843, 'counter in los': 210227, 'ba laguna social': 106530, 'laguna social distancing': 478979, 'distancing is barely': 247241, 'is barely observed': 445998, 'barely observed by': 111029, 'observed by shopper': 578611, 'by shopper they': 153985, 'shopper they stock': 761748, 'militray': 531531, 'bein': 124794, 'comin': 187973, 'somethin': 784822, 'stink': 801669, 'puttin': 691075, 'ever militray': 285415, 'militray personal': 531532, 'personal is': 652906, 'is bein': 446059, 'bein called': 124795, 'for duty': 320889, 'duty is': 263582, 'another disease': 77580, 'disease comin': 245106, 'comin from': 187974, 'outside usa': 629632, 'usa problem': 948722, 'problem created': 679504, 'for control': 320335, 'control somethin': 202135, 'somethin stink': 784823, 'stink here': 801674, 'gas down': 343825, 'down call': 256610, 'american govt': 52003, 'govt puttin': 361249, 'puttin diversion': 691076, 'diversion to': 248556, 'to attack': 900812, 'attack iran': 102122, 'gas price lower': 343993, 'price lower than': 675128, 'lower than ever': 506009, 'than ever militray': 840595, 'ever militray personal': 285416, 'militray personal is': 531533, 'personal is bein': 652907, 'is bein called': 446060, 'bein called for': 124796, 'called for duty': 156315, 'for duty is': 320890, 'duty is another': 263584, 'is another disease': 445733, 'another disease comin': 77581, 'disease comin from': 245107, 'comin from outside': 187975, 'from outside usa': 336812, 'outside usa problem': 629633, 'usa problem created': 948723, 'problem created for': 679505, 'created for control': 215828, 'for control somethin': 320337, 'control somethin stink': 202136, 'somethin stink here': 784824, 'stink here why': 801675, 'here why is': 393835, 'why is gas': 991105, 'is gas down': 448002, 'gas down call': 343826, 'down call for': 256611, 'call for duty': 155863, 'duty is american': 263583, 'is american govt': 445623, 'american govt puttin': 52004, 'govt puttin diversion': 361250, 'puttin diversion to': 691077, 'diversion to attack': 248557, 'to attack iran': 900813, 'xtra': 1013905, 'reg': 707109, 'poor senior': 664284, 'senior on': 750367, 'security need': 744675, 'need xtra': 556247, 'xtra also': 1013906, 'food oh': 315587, 'oh an': 596345, 'an my': 56510, 'my reg': 549905, 'reg pharmacy': 707110, 'pharmacy cannot': 654268, 'my med': 549225, 'med had': 525898, 'drive 43': 258975, '43 mile': 18971, 'only pharma': 610965, 'poor senior on': 664285, 'senior on social': 750369, 'social security need': 779947, 'security need xtra': 744677, 'need xtra also': 556248, 'xtra also price': 1013907, 'also price are': 48685, 'are higher cost': 87156, 'higher cost more': 395559, 'cost more to': 208022, 'more to drive': 540791, 'drive to every': 259219, 'to every store': 905313, 'every store in': 286220, 'store in city': 808288, 'in city to': 421487, 'city to get': 179426, 'get enough food': 346939, 'enough food oh': 277406, 'food oh an': 315588, 'oh an my': 596346, 'an my reg': 56511, 'my reg pharmacy': 549906, 'reg pharmacy cannot': 707111, 'pharmacy cannot get': 654269, 'cannot get my': 161896, 'get my med': 347633, 'my med had': 549226, 'med had to': 525899, 'to drive 43': 904728, 'drive 43 mile': 258976, '43 mile to': 18972, 'mile to only': 531420, 'to only pharma': 910976, 'misfit': 534025, 'promo': 683758, 'cookwme': 202956, 'fe8vlt': 300988, 'stayinghome': 798737, 'with misfit': 999523, 'misfit market': 534031, 'market right': 517002, 'with promo': 1000339, 'promo code': 683759, 'code cookwme': 185349, 'cookwme fe8vlt': 202957, 'fe8vlt stayinghome': 300990, 'skip the grocery': 773145, 'store with misfit': 811388, 'with misfit market': 999524, 'misfit market right': 534033, 'market right now': 517003, 'now you get': 576508, 'you get 50': 1018756, '50 off your': 19786, 'off your first': 594443, 'your first order': 1023894, 'first order with': 308841, 'order with promo': 618786, 'with promo code': 1000340, 'promo code cookwme': 683761, 'code cookwme fe8vlt': 185350, 'cookwme fe8vlt stayinghome': 202959, '4400': 19029, 'asking ri': 96052, 'ri er': 720930, 'er to': 280020, 'amid notice': 52546, 'notice or': 573331, 'or suspect': 617312, 'gouging contact': 359298, 'unit at': 942041, '401 274': 18788, '274 4400': 16342, '4400 more': 19030, 'info below': 437429, 'below aw': 126604, 'on the now': 604255, 'the now asking': 861934, 'now asking ri': 574116, 'asking ri er': 96053, 'ri er to': 720931, 'er to keep': 280021, 'out for price': 626153, 'gouging amid notice': 359241, 'amid notice or': 52547, 'notice or suspect': 573332, 'or suspect price': 617313, 'price gouging contact': 674272, 'gouging contact the': 359299, 'contact the ag': 200219, 'protection unit at': 685664, 'unit at 401': 942042, 'at 401 274': 97647, '401 274 4400': 18789, '274 4400 more': 16343, '4400 more info': 19031, 'more info below': 539549, 'info below aw': 437430, 'testing people': 839601, 'should start testing': 766491, 'start testing people': 794546, 'testing people for': 839602, 'people for when': 647962, 'for when they': 327822, 'webinar for': 975036, 'for discussing': 320744, 'discussing changing': 244983, 'changing automotive': 172650, 'behaviour trend': 124548, 'trend we': 931499, 'have observed': 381748, 'observed during': 578612, 'unprecedented upheaval': 943211, 'upheaval well': 947561, 'best practise': 127852, 'practise for': 668763, 'your digitalmarketing': 1023508, 'digitalmarketing effort': 242772, 'week we hosted': 977193, 'we hosted webinar': 972044, 'hosted webinar for': 404928, 'webinar for discussing': 975037, 'for discussing changing': 320745, 'discussing changing automotive': 244984, 'changing automotive consumer': 172651, 'automotive consumer behaviour': 104040, 'consumer behaviour trend': 196606, 'behaviour trend we': 124549, 'trend we have': 931501, 'we have observed': 971881, 'have observed during': 381749, 'observed during this': 578613, 'during this week': 263337, 'this week of': 891241, 'week of unprecedented': 976648, 'of unprecedented upheaval': 592658, 'unprecedented upheaval well': 943212, 'upheaval well some': 947562, 'well some best': 978568, 'some best practise': 782404, 'best practise for': 127853, 'practise for your': 668764, 'for your digitalmarketing': 328139, 'your digitalmarketing effort': 1023509, 'digitalmarketing effort during': 242773, 'truth many': 934404, 'have ocd': 381755, 'ocd after': 579088, 'period good': 651775, 'luck changing': 506442, 'follow mark': 312453, 'mark it': 515791, 'll meet': 496900, 'meet in': 527505, 'truth many people': 934405, 'many people will': 514549, 'will have ocd': 993661, 'have ocd after': 381756, 'ocd after this': 579089, 'after this period': 36412, 'this period good': 889518, 'period good luck': 651776, 'good luck changing': 357352, 'luck changing consumer': 506443, 'changing consumer habit': 172672, 'consumer habit will': 197695, 'habit will follow': 372713, 'will follow mark': 993463, 'follow mark it': 312454, 'mark it down': 515792, 'it down we': 457699, 'down we ll': 257447, 'we ll meet': 972262, 'll meet in': 496901, 'meet in the': 527507, 'liartrump': 487982, 'everyone feel': 286907, 'your emptyshelves': 1023671, 'emptyshelves walmart': 275323, 'walmart photo': 965394, 'photo to': 655259, 'thread to': 893609, 'show off': 767077, 'off liartrump': 593946, 'liartrump toiletpaper': 487983, 'hey everyone feel': 394370, 'everyone feel free': 286908, 'add your emptyshelves': 31534, 'your emptyshelves walmart': 1023672, 'emptyshelves walmart photo': 275324, 'walmart photo to': 965395, 'photo to this': 655262, 'to this thread': 917469, 'this thread to': 890592, 'thread to show': 893611, 'to show off': 914568, 'show off liartrump': 767078, 'off liartrump toiletpaper': 593947, 'flatly': 310115, 'worker meant': 1007369, 'public do': 687956, 'not observe': 570713, 'observe it': 578585, 'our boss': 622246, 'boss flatly': 135741, 'flatly refuse': 310116, 'let attempt': 486609, 'very vulnerable': 955651, 'vulnerable need': 961049, 'how are supermarket': 407414, 'supermarket worker meant': 824047, 'worker meant to': 1007370, 'meant to practice': 524912, 'distancing when the': 247635, 'when the public': 984189, 'the public do': 864800, 'public do not': 687958, 'do not observe': 249788, 'not observe it': 570714, 'observe it and': 578586, 'it and our': 456506, 'and our boss': 68478, 'our boss flatly': 622247, 'boss flatly refuse': 135742, 'flatly refuse to': 310117, 'to let attempt': 909198, 'let attempt to': 486610, 'attempt to protect': 102256, 'to protect ourselves': 912321, 'protect ourselves with': 684909, 'ourselves with mask': 625508, 'with mask or': 999411, 'or glove we': 615481, 'glove we are': 353016, 'we are feeling': 970561, 'are feeling very': 86525, 'feeling very vulnerable': 303103, 'very vulnerable need': 955653, 'vulnerable need help': 961050, 'safe informed': 729776, 'informed healthy': 438100, 'keep safe informed': 471882, 'safe informed healthy': 729777, 'informed healthy and': 438102, 'soopers': 785945, 'king soopers': 475302, 'soopers amidst': 785946, 'outbreak within': 628833, 'within 15': 1002310, 'of opening': 587295, 'opening my': 612879, 'wa threatened': 963502, 'threatened atleast': 893773, 'atleast time': 101901, 'on paper': 602694, 'please respect': 660399, 'respect grocery': 715009, 'accomodate you': 28476, 'work at king': 1004879, 'at king soopers': 99385, 'king soopers amidst': 475303, 'soopers amidst the': 785947, 'the outbreak within': 862727, 'outbreak within 15': 628834, 'within 15 minute': 1002311, '15 minute of': 3778, 'minute of opening': 533813, 'of opening my': 587297, 'opening my store': 612880, 'my store wa': 550230, 'store wa threatened': 811128, 'wa threatened atleast': 963503, 'threatened atleast time': 893774, 'atleast time due': 101902, 'fact that we': 295818, 'limit on paper': 492419, 'on paper product': 602695, 'paper product please': 640630, 'product please respect': 681531, 'please respect grocery': 660400, 'respect grocery worker': 715010, 'grocery worker we': 366194, 'doing everything we': 252393, 'can to accomodate': 160002, 'to accomodate you': 899976, 'thirdly': 886122, 'provide cushion': 686257, 'cushion to': 221921, 'to firm': 905975, 'corporation to': 207468, 'avoid imminent': 105152, 'imminent bankruptcy': 417269, 'bankruptcy thirdly': 110542, 'thirdly the': 886123, 'ha long': 371177, 'been depressed': 120953, 'depressed for': 237586, 'for variety': 327521, 'now causing': 574360, 'causing another': 167989, 'another round': 77810, 'panic sale': 638505, 'collapsed 16': 186085, 'this will provide': 891437, 'will provide cushion': 994510, 'provide cushion to': 686258, 'cushion to firm': 221922, 'to firm and': 905976, 'firm and corporation': 308307, 'and corporation to': 60584, 'corporation to avoid': 207469, 'to avoid imminent': 900909, 'avoid imminent bankruptcy': 105153, 'imminent bankruptcy thirdly': 417270, 'bankruptcy thirdly the': 110543, 'thirdly the stock': 886124, 'market ha long': 516484, 'ha long been': 371178, 'long been depressed': 501342, 'been depressed for': 120954, 'depressed for variety': 237588, 'for variety of': 327522, 'variety of reason': 952569, 'of reason the': 588811, 'reason the outbreak': 702999, 'is now causing': 450269, 'now causing another': 574361, 'causing another round': 167990, 'another round of': 77811, 'round of panic': 726345, 'of panic sale': 587732, 'panic sale and': 638506, 'sale and stock': 732048, 'stock price have': 802721, 'have collapsed 16': 380011, 'meanwhile at home': 524952, 'coronavirus fraudalert': 205950, 'fraudalert ftc': 331381, 'ftc learn': 339419, 'commission coronavirus': 188802, 'the coronavirus fraudalert': 851851, 'coronavirus fraudalert ftc': 205951, 'fraudalert ftc learn': 331382, 'ftc learn more': 339420, 'trade commission coronavirus': 928444, 'commission coronavirus scammer': 188803, 'coronavirus scammer follow': 206728, 'bwcdeals': 151490, 'purell hand': 690013, 'wipe supply': 996381, 'supply restock': 825770, 'restock bwcdeals': 716869, 'purell hand sanitizer': 690014, 'sanitizer wipe supply': 736124, 'wipe supply restock': 996382, 'supply restock bwcdeals': 825771, 'carluccios': 164768, 'debenhams cath': 230355, 'kidston laura': 474272, 'laura ashley': 482137, 'ashley car': 95104, 'car telephone': 163301, 'telephone warehouse': 836824, 'warehouse carluccios': 966701, 'carluccios more': 164769, 'added to': 31615, 'list that': 494550, 'not strong': 571779, 'strong enough': 814027, 'survive them': 829256, 'them mid': 876025, 'mid market': 530579, 'market brand': 516113, 'brand struggle': 138018, 'connect with': 194632, 'different consumer': 241926, 'debenhams cath kidston': 230356, 'cath kidston laura': 167283, 'kidston laura ashley': 474273, 'laura ashley car': 482138, 'ashley car telephone': 95105, 'car telephone warehouse': 163302, 'telephone warehouse carluccios': 836825, 'warehouse carluccios more': 966702, 'carluccios more company': 164770, 'more company will': 538842, 'will be added': 992342, 'be added to': 113483, 'added to the': 31616, 'the list that': 859473, 'list that went': 494551, 'that went through': 847433, 'went through tough': 979130, 'tough time before': 926847, 'time before the': 896382, 'outbreak but are': 628059, 'but are not': 145216, 'are not strong': 88474, 'not strong enough': 571780, 'strong enough to': 814029, 'to survive them': 916050, 'survive them mid': 829257, 'them mid market': 876027, 'mid market brand': 530580, 'market brand struggle': 516114, 'brand struggle to': 138019, 'struggle to connect': 814383, 'to connect with': 903211, 'connect with very': 194637, 'with very different': 1001970, 'very different consumer': 955110, 'new living': 559048, 'living standard': 496456, 'and prepare': 69361, 'prepare their': 670131, 'reflect new living': 706613, 'new living standard': 559049, 'living standard during': 496457, 'standard during the': 793654, 'item and prepare': 463068, 'and prepare their': 69364, 'prepare their pantry': 670132, 'the garage': 856145, 'garage in': 343487, 'isolation avoiding': 455211, 'avoiding covid': 105441, 'keeping sharp': 472547, 'sharp just': 755691, 'just incase': 469054, 'incase there': 431346, 'trouble in': 932621, 'aisle if': 40270, 'in the garage': 429227, 'the garage in': 856147, 'garage in self': 343488, 'self isolation avoiding': 747756, 'isolation avoiding covid': 455212, 'avoiding covid 19': 105442, 'and keeping sharp': 65799, 'keeping sharp just': 472548, 'sharp just incase': 755692, 'just incase there': 469058, 'incase there is': 431347, 'is any trouble': 445761, 'any trouble in': 79990, 'trouble in the': 932622, 'in the toilet': 429614, 'roll aisle if': 725163, 'aisle if need': 40271, 'if need to': 414454, 'need to pop': 556014, 'to pop into': 911886, 'pop into the': 664432, 'ehbot': 270141, 'printed store': 678318, 'flyer may': 311654, 'retail habit': 718171, 'habit ehbot': 372608, 'ehbot canada': 270142, 'canada news': 160507, 'printed store flyer': 678319, 'store flyer may': 807749, 'flyer may not': 311655, 'may not come': 521371, 'not come back': 568794, 'come back covid': 187234, '19 change retail': 5765, 'change retail habit': 172246, 'retail habit ehbot': 718172, 'habit ehbot canada': 372609, 'ehbot canada news': 270143, 'forbearance': 328269, 'overdraft': 631179, 'diclemente': 240496, 'regulation requires': 708104, 'requires to': 713505, 'honor forbearance': 403244, 'forbearance request': 328276, 'request and': 713144, 'other regulated': 620824, 'regulated entity': 708009, 'entity to': 278863, 'to potentially': 911934, 'potentially restrict': 667239, 'restrict late': 717106, 'late and': 480849, 'and overdraft': 68572, 'overdraft fee': 631180, 'fee ryan': 302221, 'ryan diclemente': 728810, 'diclemente provides': 240497, 'provides further': 686854, 'further insight': 342073, 'executive order and': 289921, 'order and regulation': 618035, 'and regulation requires': 70170, 'regulation requires to': 708105, 'requires to honor': 713507, 'to honor forbearance': 907950, 'honor forbearance request': 403245, 'forbearance request and': 328277, 'request and other': 713146, 'and other regulated': 68393, 'other regulated entity': 620825, 'regulated entity to': 708011, 'entity to potentially': 278865, 'to potentially restrict': 911938, 'potentially restrict late': 667240, 'restrict late and': 717107, 'late and overdraft': 480850, 'and overdraft fee': 68573, 'overdraft fee ryan': 631182, 'fee ryan diclemente': 302222, 'ryan diclemente provides': 728811, 'diclemente provides further': 240498, 'provides further insight': 686855, 'nation struggled': 552320, 'finalise record': 305903, 'record output': 705044, 'cut at': 223241, 'friday to': 333303, 'price slammed': 676457, 'top oil nation': 925650, 'oil nation struggled': 596969, 'nation struggled to': 552321, 'struggled to finalise': 814409, 'to finalise record': 905859, 'finalise record output': 305904, 'record output cut': 705045, 'output cut at': 629248, 'cut at talk': 223242, 'at talk on': 100822, 'talk on friday': 833832, 'on friday to': 601016, 'friday to boost': 333305, 'boost price slammed': 134997, 'price slammed by': 676458, 'administration is': 32482, 'give or': 350622, 'item basic': 463146, 'basic hand': 111920, 'and complex': 60237, 'complex respirator': 192413, 'respirator to': 715220, 'the surging': 869011, 'surging pandemic': 828440, 'trump administration is': 933380, 'administration is appealing': 32484, 'appealing to country': 82107, 'to country around': 903637, 'world to give': 1010081, 'to give or': 906697, 'give or sell': 350624, 'or sell the': 617003, 'sell the item': 748895, 'the item basic': 858604, 'item basic hand': 463147, 'basic hand sanitizer': 111922, 'sanitizer and complex': 734396, 'and complex respirator': 60238, 'complex respirator to': 192414, 'respirator to combat': 715221, 'combat the surging': 187054, 'the surging pandemic': 869013, 'carp01': 164876, 'thirteen': 886135, 'msgulfcoast': 544528, 'carp01 now': 164877, 'now aren': 574104, 'you sweet': 1021498, 'sweet bet': 830225, 'your grandma': 1024093, 'grandma love': 361910, 'all thirteen': 45087, 'thirteen 13': 886136, '13 walmart': 3277, 'my msgulfcoast': 549356, 'msgulfcoast have': 544531, 'grocery department': 364459, 'department at': 237185, '00 tonight': 559, 'tonight for': 924411, 'next seven': 561543, 'seven day': 753748, 'go shop': 354097, 'carp01 now aren': 164878, 'now aren you': 574105, 'aren you sweet': 92606, 'you sweet bet': 1021499, 'sweet bet your': 830226, 'bet your grandma': 128134, 'your grandma love': 1024094, 'grandma love you': 361911, 'you all thirteen': 1016915, 'all thirteen 13': 45088, 'thirteen 13 walmart': 886137, '13 walmart store': 3278, 'walmart store on': 965418, 'on my msgulfcoast': 602297, 'my msgulfcoast have': 549358, 'msgulfcoast have shut': 544532, 'have shut down': 382542, 'shut down their': 767858, 'down their online': 257316, 'their online grocery': 874101, 'online grocery department': 608317, 'grocery department at': 364460, 'department at 00': 237186, 'at 00 tonight': 97354, '00 tonight for': 560, 'tonight for the': 924414, 'the next seven': 861693, 'next seven day': 561544, 'seven day you': 753753, 'day you can': 228817, 'can go shop': 158510, 'go shop at': 354099, 'store or you': 809382, 'or you can': 617857, 'store bakery': 806635, 'bakery got': 108853, 'got creative': 358512, 'creative for': 216134, 'for obvious': 324013, 'obvious reason': 578797, 'grocery store bakery': 365235, 'store bakery got': 806637, 'bakery got creative': 108854, 'got creative for': 358513, 'creative for obvious': 216135, 'for obvious reason': 324014, 'is sufficient': 452436, 'sufficient the': 817401, 'put brake': 690539, 'chain company': 170601, 'fill supermarket': 305493, 'shelf fast': 757070, 'fast consumer': 299937, 'consumer empty': 197356, 'empty them': 275189, 'via cre': 955899, 'supply is sufficient': 825457, 'is sufficient the': 452441, 'sufficient the ha': 817402, 'ha put brake': 371591, 'put brake on': 690540, 'brake on the': 137641, 'supply chain company': 824933, 'chain company are': 170602, 'company are rushing': 190448, 'are rushing to': 89780, 'rushing to fill': 728395, 'to fill supermarket': 905849, 'fill supermarket shelf': 305494, 'supermarket shelf fast': 822467, 'shelf fast consumer': 757071, 'fast consumer empty': 299938, 'consumer empty them': 197357, 'empty them this': 275190, 'this is war': 888457, 'is war via': 453754, 'war via cre': 966585, 'for sleep': 325654, 'sleep before': 773758, 'before go': 122823, 'night keyworker': 563022, 'keyworker trucking': 473584, 'trucking between': 932983, 'between supermarket': 128909, 'supermarket depot': 819946, 'depot love': 237537, 'isolate even': 454852, 'though don': 892801, 'to yet': 918881, 'make sacrifice': 510413, 'sacrifice for': 729089, 'time for sleep': 896753, 'for sleep before': 325655, 'sleep before go': 773759, 'before go back': 122824, 'go back on': 353347, 'back on night': 107195, 'on night keyworker': 602410, 'night keyworker trucking': 563023, 'keyworker trucking between': 473585, 'trucking between supermarket': 932984, 'between supermarket depot': 128911, 'supermarket depot love': 819947, 'depot love to': 237538, 'love to be': 504842, 'able to self': 24541, 'self isolate even': 747673, 'isolate even though': 454853, 'even though don': 284705, 'though don need': 892802, 'don need to': 253773, 'need to yet': 556120, 'to yet but': 918882, 'yet but we': 1016027, 'have to make': 383248, 'to make sacrifice': 909730, 'make sacrifice for': 510414, 'sacrifice for the': 729091, 'just helping': 468966, 'helping an': 391266, 'elderly gentleman': 270689, 'gentleman in': 345837, 'but 90': 145041, 'empty apparently': 274784, 'an older': 56593, 'older person': 598669, 'shop early': 760124, 'early rather': 264674, 'the evening': 854600, 'wa just helping': 962459, 'just helping an': 468967, 'helping an elderly': 391267, 'an elderly gentleman': 55635, 'elderly gentleman in': 270690, 'gentleman in who': 345839, 'in who wa': 430892, 'who wa looking': 989911, 'looking for cheap': 502855, 'for cheap food': 320027, 'cheap food but': 174113, 'food but 90': 313808, 'but 90 of': 145042, '90 of shelf': 23319, 'of shelf were': 589583, 'were empty apparently': 979562, 'empty apparently the': 274785, 'apparently the store': 82021, 'full of stock': 340757, 'the morning so': 860919, 'morning so if': 541445, 'know an older': 476251, 'an older person': 56596, 'older person please': 598670, 'person please tell': 652584, 'them to shop': 876511, 'to shop early': 914457, 'shop early rather': 760127, 'early rather than': 264675, 'than waiting until': 841420, 'waiting until the': 964419, 'until the evening': 943855, 'coronavirus nurse': 206329, 'urged panic': 948265, 'buyer to': 149778, 'empty obvious': 274974, 'obvious this': 578809, 'happen government': 377085, 'did nothing': 240740, 'coronavirus nurse despair': 206330, 'ha urged panic': 372416, 'urged panic buyer': 948266, 'panic buyer to': 637608, 'buyer to think': 149781, 'shelf empty obvious': 757025, 'empty obvious this': 274975, 'obvious this would': 578810, 'would happen government': 1011858, 'happen government did': 377086, 'government did nothing': 360022, 'did nothing to': 240743, 'prosecute profiteer': 684621, 'pandemic normal': 636046, 'need to intervene': 555973, 'to intervene to': 908463, 'and prosecute profiteer': 69643, 'prosecute profiteer in': 684622, 'profiteer in global': 682963, 'global pandemic normal': 352099, 'pandemic normal law': 636047, 'create artificial shortage': 215615, 'shortage and are': 764812, 'abc730': 24274, 'credibility': 216272, 'of woolies': 593230, 'woolies did': 1004371, 'did good': 240617, 'of explaining': 583330, 'it problem': 460492, 'do instead': 249435, 'instead on': 440342, 'on abc730': 599133, 'abc730 earlier': 24275, 'earlier perhaps': 264472, 'supermarket ceo': 819583, 'ceo deliver': 169678, 'message at': 529272, 'some credibility': 782635, 'credibility on': 216275, 'ceo of woolies': 169793, 'of woolies did': 593231, 'woolies did good': 1004372, 'did good job': 240618, 'job of explaining': 466033, 'of explaining why': 583331, 'explaining why it': 292197, 'why it problem': 991146, 'it problem and': 460493, 'problem and what': 679459, 'and what to': 75492, 'to do instead': 904523, 'do instead on': 249436, 'instead on abc730': 440343, 'on abc730 earlier': 599134, 'abc730 earlier perhaps': 24276, 'earlier perhaps the': 264473, 'perhaps the government': 651642, 'government should let': 360607, 'should let the': 766192, 'let the supermarket': 487142, 'the supermarket ceo': 868512, 'supermarket ceo deliver': 819584, 'ceo deliver the': 169679, 'deliver the message': 233231, 'the message at': 860513, 'message at least': 529273, 'they have some': 882379, 'have some credibility': 382625, 'some credibility on': 782636, 'credibility on this': 216276, 'wearestillhereforyou': 974570, 'your budget': 1023032, 'budget planning': 141809, 'planning be': 658518, 'be interrupted': 115528, 'interrupted even': 442109, 'personal account': 652776, 'account on': 28737, 'access and': 28099, 'and calculate': 59405, 'calculate the': 155299, 'device online': 239926, 'make budget': 509752, 'budget at': 141759, 'time wearestillhereforyou': 898246, 'not let your': 570378, 'let your budget': 487220, 'your budget planning': 1023033, 'budget planning be': 141810, 'planning be interrupted': 658519, 'be interrupted even': 115529, 'interrupted even during': 442110, 'challenging time with': 171655, 'with your personal': 1002220, 'your personal account': 1025260, 'personal account on': 652777, 'account on you': 28738, 'on you can': 605415, 'can access and': 157350, 'access and calculate': 28100, 'and calculate the': 59406, 'calculate the price': 155301, 'of all your': 579997, 'all your device': 45561, 'your device online': 1023505, 'device online to': 239927, 'online to make': 609592, 'to make budget': 909632, 'make budget at': 509753, 'budget at any': 141760, 'any time wearestillhereforyou': 79980, 'for ready': 324985, 'ready made': 700903, 'made meal': 507847, 'meal help': 524181, 'demand for ready': 235485, 'for ready made': 324986, 'ready made meal': 700904, 'made meal help': 507848, 'meal help restaurant': 524183, 'help restaurant sale': 390448, 'restaurant sale and': 716678, 'sale and food': 732039, 'gachibowli': 342695, 'manikonda': 513191, 'alkapur': 41880, 'narsingi': 551965, 'am waiting': 50545, 'waiting lady': 964355, 'lady gentleman': 478765, 'hyderabad gachibowli': 411923, 'gachibowli manikonda': 342696, 'manikonda alkapur': 513192, 'alkapur township': 41881, 'township narsingi': 927621, 'narsingi area': 551966, 'area from': 92018, 'in medical': 425225, 'india am waiting': 434289, 'am waiting lady': 50546, 'waiting lady gentleman': 964356, 'lady gentleman in': 478766, 'gentleman in hyderabad': 345838, 'in hyderabad gachibowli': 423935, 'hyderabad gachibowli manikonda': 411924, 'gachibowli manikonda alkapur': 342697, 'manikonda alkapur township': 513193, 'alkapur township narsingi': 41882, 'township narsingi area': 927622, 'narsingi area from': 551967, 'area from last': 92019, 'last week hand': 480649, 'sanitizer mask are': 735350, 'mask are not': 518400, 'available in medical': 104448, 'in medical shop': 425228, 'ha high': 370860, 'temperature or': 837392, 'or new': 616237, 'and continuous': 60500, 'continuous cough': 201588, 'cough here': 208475, 'should and': 765514, 'do watch': 250458, 'watch find': 968405, 'isolate at': 454823, 'important information if': 418841, 'or anyone else': 614369, 'anyone else in': 80271, 'else in your': 271740, 'household ha high': 406826, 'ha high temperature': 370863, 'high temperature or': 395457, 'temperature or new': 837393, 'or new and': 616238, 'new and continuous': 558340, 'and continuous cough': 60501, 'continuous cough here': 201589, 'cough here what': 208476, 'you should and': 1021182, 'should and should': 765515, 'should not do': 766239, 'not do watch': 569073, 'do watch find': 250459, 'watch find out': 968406, 'how to isolate': 409035, 'to isolate at': 908535, 'isolate at home': 454824, 'rort': 726031, 'petrol company': 653720, 'company your': 191367, 'your petrol': 1025281, 'are rort': 89744, 'rort essential': 726032, 'service people': 752689, 'people risk': 649310, 'serve and': 751864, 'you penalise': 1020311, 'penalise them': 646418, 'by ripping': 153818, 'ripping them': 722725, 'petrol company your': 653721, 'company your petrol': 191368, 'your petrol price': 1025282, 'price are rort': 672727, 'are rort essential': 89745, 'rort essential service': 726033, 'essential service people': 281519, 'service people risk': 752691, 'people risk their': 649313, 'life everyday to': 488637, 'everyday to serve': 286648, 'to serve and': 914257, 'serve and you': 751865, 'and you penalise': 76038, 'you penalise them': 1020312, 'penalise them by': 646419, 'them by ripping': 875516, 'by ripping them': 153820, 'ripping them off': 722726, 'soar amp': 779226, 'amp shortage': 54495, 'shortage more': 765072, 'acute resident': 31041, 'of brace': 580817, 'for forced': 321673, 'between isolation': 128809, 'corona and': 203804, 'in search': 427753, 'search of': 743267, 'daily sustenance': 224823, 'price soar amp': 676524, 'soar amp shortage': 779227, 'amp shortage more': 54498, 'shortage more acute': 765073, 'more acute resident': 538549, 'acute resident of': 31042, 'resident of brace': 714336, 'of brace for': 580818, 'brace for forced': 137486, 'for forced to': 321674, 'choose between isolation': 177879, 'between isolation to': 128810, 'isolation to protect': 455467, 'ourselves from corona': 625474, 'from corona and': 335005, 'corona and going': 203805, 'going out in': 355373, 'out in search': 626395, 'in search of': 427757, 'search of our': 743270, 'of our daily': 587448, 'our daily sustenance': 622688, 'viable': 956381, 'important read': 418941, 'our ceo': 622338, 'ceo jackson': 169726, 'jackson writes': 464209, 'behaviour well': 124557, 'well his': 978293, 'his recommendation': 397741, 'business viable': 144619, 'viable during': 956382, 'crisis retailnews': 217984, 'retailnews omnichannel': 719525, 'an important read': 56204, 'important read our': 418943, 'read our ceo': 700502, 'our ceo jackson': 622344, 'ceo jackson writes': 169727, 'jackson writes about': 464210, 'writes about the': 1012828, 'coronavirus on supply': 206343, 'consumer behaviour well': 196609, 'behaviour well his': 124558, 'well his recommendation': 978295, 'his recommendation on': 397742, 'your business viable': 1023085, 'business viable during': 144620, 'viable during this': 956383, 'this crisis retailnews': 887081, 'crisis retailnews omnichannel': 217985, 'pay any': 644747, 'been diagnosed': 120971, 'found it the': 330266, 'it the grocery': 461542, 'grocery store announced': 365199, 'store announced it': 806410, 'it will pay': 462419, 'will pay any': 994388, 'pay any part': 644749, 'any part time': 79630, 'time and full': 896272, 'full time employee': 340937, 'time employee for': 896613, 'employee for 14': 273858, '14 day that': 3460, 'that are forced': 842752, 'forced to quarantine': 328646, 'to quarantine at': 912637, 'quarantine at home': 692040, 'home or have': 401744, 'or have been': 615579, 'have been diagnosed': 379510, 'been diagnosed with': 120972, 'preview': 671944, 'watched person': 968666, 'store fill': 807719, 'right out': 722207, 'door without': 255787, 'thing looked': 884567, 'looked back': 502713, 'back then': 107324, 'then ran': 877456, 'took off': 925300, 'off hopefully': 593908, 'not preview': 571087, 'preview of': 671949, 'come looting': 187406, 'looting unemployment': 503278, 'unemployment trumpvirus': 941312, 'just watched person': 470246, 'watched person at': 968667, 'grocery store fill': 365395, 'store fill up': 807720, 'fill up shopping': 305514, 'up shopping bag': 945980, 'shopping bag and': 762140, 'bag and walk': 108225, 'and walk right': 75140, 'walk right out': 964871, 'right out the': 722208, 'out the front': 627369, 'the front door': 855843, 'front door without': 338535, 'door without paying': 255789, 'without paying for': 1002833, 'paying for thing': 645418, 'for thing looked': 326996, 'thing looked back': 884568, 'looked back then': 502715, 'back then ran': 107326, 'then ran to': 877457, 'ran to her': 696517, 'to her car': 907692, 'her car and': 391914, 'car and took': 163005, 'and took off': 74277, 'took off hopefully': 925302, 'off hopefully this': 593909, 'hopefully this is': 403895, 'is not preview': 450158, 'not preview of': 571088, 'preview of thing': 671953, 'of thing to': 591916, 'to come looting': 903037, 'come looting unemployment': 187407, 'looting unemployment trumpvirus': 503279, 'comme': 188348, 'raoult': 696863, 'beaucoup': 118643, 'lui': 506616, 'font': 312997, 'confiance': 193798, 'tends': 837916, 'est comme': 281985, 'comme raoult': 188349, 'raoult beaucoup': 696864, 'beaucoup lui': 118644, 'lui font': 506617, 'font confiance': 312998, 'confiance but': 193799, 'pandemic public': 636254, 'public sentiment': 688292, 'sentiment about': 750886, 'the balance': 849212, 'balance between': 108966, 'privacy tends': 678838, 'tends to': 837917, 'est comme raoult': 281986, 'comme raoult beaucoup': 188350, 'raoult beaucoup lui': 696865, 'beaucoup lui font': 118645, 'lui font confiance': 506618, 'font confiance but': 312999, 'confiance but in': 193800, 'but in time': 146039, 'crisis like the': 217665, 'like the current': 491363, '19 pandemic public': 9436, 'pandemic public sentiment': 636255, 'public sentiment about': 688293, 'sentiment about the': 750887, 'about the balance': 26339, 'the balance between': 849213, 'balance between the': 108970, 'between the common': 128927, 'common good and': 189391, 'good and consumer': 356728, 'and consumer privacy': 60416, 'consumer privacy tends': 198437, 'privacy tends to': 678839, 'tends to shift': 837920, 'grainger': 361814, 'future our': 342414, 'new donation': 558641, 'donation station': 254698, 'at garden': 98739, 'garden will': 343630, 'keep donating': 471458, 'off point': 594079, 'point amp': 662409, 'the grainger': 856690, 'grainger market': 361815, 'via co': 955867, 'co amp': 184804, 'afternoon for the': 36690, 'foreseeable future our': 329065, 'future our new': 342415, 'our new donation': 624027, 'new donation station': 558642, 'donation station at': 254699, 'station at garden': 796350, 'at garden will': 98740, 'garden will be': 343631, 'be closed due': 114126, 'the crisis please': 852429, 'crisis please keep': 217879, 'please keep donating': 660150, 'keep donating to': 471459, 'the via supermarket': 870723, 'via supermarket drop': 956272, 'drop off point': 260337, 'off point amp': 594080, 'point amp the': 662410, 'amp the grainger': 54654, 'the grainger market': 856691, 'grainger market via': 361816, 'market via co': 517296, 'via co amp': 955868, 'co amp online': 184805, 'here the full': 393651, 'the full list': 856014, 'capitel': 162851, 'nexus': 561751, 'state capitel': 795452, 'capitel nexus': 162852, 'nexus only': 561752, 'only see': 611092, 'you consumer': 1018024, 'consumer or': 198280, 'or producer': 616710, 'producer not': 680663, 'not human': 570031, 'being lockdownnow': 125394, 'the state capitel': 867757, 'state capitel nexus': 795453, 'capitel nexus only': 162853, 'nexus only see': 561753, 'only see you': 611094, 'see you consumer': 746103, 'you consumer or': 1018027, 'consumer or producer': 198282, 'or producer not': 616711, 'producer not human': 680664, 'not human being': 570032, 'human being lockdownnow': 410442, 'madness really': 508204, 'really prof': 702495, 'most customer': 542230, 'zero fucking': 1027454, 'fucking respect': 339978, 'for we': 327655, 'risking our': 724086, 'health well': 386944, 'well our': 978454, 'family health': 297886, 'health too': 386925, 'supermarket during this': 820061, '19 madness really': 8510, 'madness really prof': 508205, 'really prof that': 702496, 'prof that most': 682375, 'that most customer': 845225, 'most customer have': 542232, 'customer have zero': 222445, 'have zero fucking': 383727, 'zero fucking respect': 1027455, 'fucking respect for': 339979, 'respect for we': 715003, 'for we re': 327660, 'we re risking': 972954, 're risking our': 699402, 'risking our health': 724087, 'our health well': 623383, 'health well our': 386945, 'well our family': 978455, 'our family health': 622998, 'family health too': 297887, 'health too don': 386926, 'too don forget': 924690, 'don forget that': 253529, 'clearair': 181391, 'few have': 303857, 'appreciate this': 82768, 'this newly': 889128, 'newly fresh': 560108, 'air except': 39717, 'except through': 289246, 'open window': 612674, 'window or': 995702, 'or during': 615095, 'during speedy': 263038, 'speedy trip': 788505, 'supermarket pandemic': 821895, 'pandemic environment': 635385, 'environment irony': 279116, 'irony clearair': 444959, 'few have any': 303858, 'have any way': 379327, 'way to appreciate': 969987, 'to appreciate this': 900670, 'appreciate this newly': 82770, 'this newly fresh': 889129, 'newly fresh air': 560109, 'fresh air except': 332914, 'air except through': 39718, 'except through an': 289247, 'through an open': 894323, 'an open window': 56658, 'open window or': 612676, 'window or during': 995703, 'or during speedy': 615099, 'during speedy trip': 263039, 'speedy trip to': 788506, 'the supermarket pandemic': 868741, 'supermarket pandemic environment': 821896, 'pandemic environment irony': 635386, 'environment irony clearair': 279117, 'gel earlier': 345107, 'month making': 537849, 'making handwash': 511108, 'handwash likely': 376780, 'step too': 799672, 'too far': 924724, 'far stophoarding': 298920, 'started making my': 794778, 'making my own': 511238, 'my own hand': 549645, 'own hand gel': 632045, 'hand gel earlier': 374977, 'gel earlier this': 345108, 'this month making': 888913, 'month making handwash': 537850, 'making handwash likely': 511109, 'handwash likely to': 376781, 'to be step': 901563, 'be step too': 117366, 'step too far': 799673, 'too far stophoarding': 924729, 'far stophoarding panicbuyinguk': 298921, 'everybody always': 286398, 'always giving': 49573, 'giving me': 351338, 'me crap': 522618, 'crap about': 214877, 'terrible my': 838416, 'my gluten': 548515, 'gluten and': 353118, 'dairy substitute': 225045, 'substitute are': 816081, 'sure think': 827749, 're good': 698765, 'good enough': 356999, 'when ha': 983504, 'ha you': 372505, 'you cleaning': 1017967, 'shelf huh': 757172, 'everybody always giving': 286399, 'always giving me': 49574, 'giving me crap': 351339, 'me crap about': 522619, 'crap about how': 214878, 'about how terrible': 25476, 'how terrible my': 408784, 'terrible my gluten': 838417, 'my gluten and': 548516, 'gluten and dairy': 353119, 'and dairy substitute': 60928, 'dairy substitute are': 225046, 'substitute are but': 816082, 'are but all': 85106, 'but all sure': 145089, 'all sure think': 44573, 'sure think they': 827750, 'think they re': 885685, 'they re good': 883047, 're good enough': 698766, 'good enough when': 357001, 'enough when ha': 277763, 'when ha you': 983506, 'ha you cleaning': 372507, 'you cleaning out': 1017968, 'cleaning out those': 181008, 'out those grocery': 627598, 'store shelf huh': 810080, 'even toilet': 284734, 'some have': 783027, 'have headed': 380904, 'to gun': 907078, 'gun shop': 368728, '19 pandemic people': 9424, 'pandemic people have': 636166, 'people have stocked': 648199, 'water and even': 968861, 'and even toilet': 62350, 'even toilet paper': 284735, 'paper but some': 639973, 'but some have': 147095, 'some have headed': 783030, 'have headed to': 380905, 'headed to gun': 385918, 'to gun shop': 907079, 'gun shop in': 368729, 'shop in search': 760322, 'search of way': 743271, 'cartoon made': 165525, 'day 233': 227125, '233 more': 15458, 'on cartoon': 599837, 'cartoon fun': 165517, 'fun comic': 341147, 'comic pandemic': 187944, 'pandemic picoftheday': 636183, 'picoftheday smile': 656094, 'smile corona': 775711, 'corona lockdown': 204041, 'lockdown stupid': 499971, 'stupid quarantine': 815447, 'virus happy': 958258, 'happy stayhome': 377677, 'stayhome health': 798014, 'health bathroom': 386184, 'toiletpaper shutdown': 922477, 'shutdown stayathome': 768103, 'stayathome staythefuckhome': 797669, 'staythefuckhome flattenthecurve': 799072, 'cartoon made my': 165526, 'made my day': 507858, 'my day 233': 547942, 'day 233 more': 227126, '233 more on': 15459, 'more on cartoon': 539914, 'on cartoon fun': 599838, 'cartoon fun comic': 165518, 'fun comic pandemic': 341148, 'comic pandemic picoftheday': 187945, 'pandemic picoftheday smile': 636184, 'picoftheday smile corona': 656095, 'smile corona lockdown': 775712, 'corona lockdown stupid': 204043, 'lockdown stupid quarantine': 499972, 'stupid quarantine virus': 815449, 'quarantine virus happy': 692677, 'virus happy stayhome': 958259, 'happy stayhome health': 377678, 'stayhome health bathroom': 798015, 'health bathroom toiletpaper': 386185, 'bathroom toiletpaper shutdown': 112681, 'toiletpaper shutdown stayathome': 922478, 'shutdown stayathome staythefuckhome': 768104, 'stayathome staythefuckhome flattenthecurve': 797670, 'morphed': 541673, 'positional': 665208, 'wild meat': 992066, 'meat which': 525801, 'had long': 373257, 'been dietary': 120973, 'dietary staple': 241775, 'world poorer': 1009898, 'poorer people': 664356, 'ha morphed': 371298, 'morphed into': 541674, 'into modern': 442763, 'modern consumer': 535377, 'consumer luxury': 198082, 'luxury positional': 506946, 'positional good': 665209, 'like louis': 490681, 'vuitton handbag': 960787, 'handbag or': 376042, 'or cartier': 614676, 'cartier watch': 165475, 'watch 19': 968352, 'wild meat which': 992067, 'meat which had': 525802, 'which had long': 985906, 'had long been': 373258, 'long been dietary': 501343, 'been dietary staple': 120974, 'dietary staple for': 241776, 'staple for many': 793940, 'the world poorer': 871940, 'world poorer people': 1009899, 'poorer people ha': 664357, 'people ha morphed': 648133, 'ha morphed into': 371299, 'morphed into modern': 541675, 'into modern consumer': 442764, 'modern consumer luxury': 535378, 'consumer luxury positional': 198084, 'luxury positional good': 506947, 'positional good like': 665210, 'good like louis': 357331, 'like louis vuitton': 490682, 'louis vuitton handbag': 504526, 'vuitton handbag or': 960788, 'handbag or cartier': 376043, 'or cartier watch': 614677, 'cartier watch 19': 165476, 'makarna': 509613, 'worldcorona': 1010225, 'food 25': 313022, '25 thousand': 15975, 'thousand people': 893479, 'people die': 647649, 'hunger every': 411108, 'you aware': 1017359, 'aware world': 105671, 'world corona': 1009447, 'corona makarna': 204052, 'makarna 19': 509614, '19 worldcorona': 12198, 'enough food 25': 277380, 'food 25 thousand': 313023, '25 thousand people': 15976, 'thousand people die': 893480, 'people die from': 647651, 'die from hunger': 241351, 'from hunger every': 335981, 'hunger every day': 411109, 'world are you': 1009330, 'are you aware': 91767, 'you aware world': 1017360, 'aware world corona': 105672, 'world corona makarna': 1009448, 'corona makarna 19': 204053, 'makarna 19 worldcorona': 509615, '630pm': 21282, 'yegfood': 1015185, 'yegvegan': 1015195, 'keepingclean': 472646, 'freshbread': 333108, 'muffin': 545547, 'feedingoursouls': 302505, 'feedingthepublic': 302513, 'until 630pm': 943661, '630pm supportlocal': 21283, 'supportlocal blissbakedgoods': 827254, 'blissbakedgoods yegfood': 132732, 'yegfood yegvegan': 1015190, 'yegvegan stayhealthy': 1015196, 'staysafe keepingclean': 798838, 'keepingclean freshbread': 472647, 'freshbread bagel': 333109, 'bagel muffin': 108477, 'muffin donut': 545555, 'donut feedingoursouls': 255416, 'feedingoursouls feedingthepublic': 302506, 'feedingthepublic stockup': 302514, 'are open until': 88809, 'open until 630pm': 612626, 'until 630pm supportlocal': 943662, '630pm supportlocal blissbakedgoods': 21284, 'supportlocal blissbakedgoods yegfood': 827255, 'blissbakedgoods yegfood yegvegan': 132733, 'yegfood yegvegan stayhealthy': 1015191, 'yegvegan stayhealthy staysafe': 1015197, 'stayhealthy staysafe keepingclean': 797912, 'staysafe keepingclean freshbread': 798839, 'keepingclean freshbread bagel': 472648, 'freshbread bagel muffin': 333110, 'bagel muffin donut': 108478, 'muffin donut feedingoursouls': 545556, 'donut feedingoursouls feedingthepublic': 255417, 'feedingoursouls feedingthepublic stockup': 302507, 'demerit': 236637, 'more demerit': 538995, 'demerit than': 236638, 'than merit': 840882, 'merit from': 529128, 'medical personal': 526289, 'seen panic': 747185, 'buying surge': 151131, 'many coun': 513941, 'coun pakistan': 209951, 'pakistan quarantinelife': 634492, 'quarantinelife lockdown21': 692968, 'buying more demerit': 150728, 'more demerit than': 538996, 'demerit than merit': 236639, 'than merit from': 840883, 'merit from just': 529129, 'from just face': 336164, 'sanitizers to medical': 736423, 'to medical personal': 909999, 'medical personal or': 526290, 'personal or food': 652932, 'or food supply': 615350, 'food supply the': 317005, 'supply the world': 825968, 'world ha seen': 1009615, 'ha seen panic': 371838, 'seen panic buying': 747186, 'panic buying surge': 637919, 'buying surge in': 151132, 'surge in many': 828197, 'in many coun': 425050, 'many coun pakistan': 513942, 'coun pakistan quarantinelife': 209952, 'pakistan quarantinelife lockdown21': 634493, 'bristol': 140318, 'bristol friend': 140321, 'buy face': 148612, 'face cream': 294381, 'her food': 392054, 'shopping whilst': 764401, 'death 400': 229946, '400 ppl': 18774, 'ppl go': 668239, 'to sunbathe': 915753, 'your affluent': 1022753, 'affluent london': 34656, 'london garden': 501074, 'garden amp': 343576, 'amp walk': 54795, 'walk on': 964840, 'on quiet': 603058, 'quiet road': 694692, 'bristol friend wa': 140322, 'friend wa not': 333875, 'wa not allowed': 962756, 'allowed to buy': 46226, 'to buy face': 902228, 'buy face cream': 148613, 'face cream in': 294382, 'cream in supermarket': 215557, 'supermarket with her': 823923, 'with her food': 998774, 'her food shopping': 392056, 'food shopping whilst': 316546, 'shopping whilst in': 764402, 'whilst in with': 987642, 'in with the': 430949, 'most death 400': 542242, 'death 400 ppl': 229947, '400 ppl go': 18775, 'ppl go to': 668240, 'go to sunbathe': 354365, 'to sunbathe in': 915755, 'sunbathe in your': 818108, 'in your affluent': 431054, 'your affluent london': 1022754, 'affluent london garden': 34657, 'london garden amp': 501075, 'garden amp walk': 343577, 'amp walk on': 54796, 'walk on quiet': 964841, 'on quiet road': 603059, 'it everything': 457882, 'everything must': 287921, 'stay grocery': 796886, 'announced it everything': 76971, 'it everything must': 457885, 'everything must stay': 287922, 'must stay grocery': 546904, 'stay grocery grocery': 796887, 'grocery grocery toiletpaper': 364566, 'euf': 283324, 'haven felt': 383802, 'felt this': 303466, 'this anxious': 886371, 'anxious in': 78856, 'know going': 476395, 'supermarket full': 820470, 'panicking stocking': 639376, 'getting stressed': 349308, 'stressed euf': 813443, 'haven felt this': 383803, 'felt this anxious': 303467, 'this anxious in': 886372, 'anxious in long': 78857, 'time and it': 896276, 'it not because': 459862, 'because of fear': 119342, 'of fear of': 583458, '19 it because': 8124, 'it because know': 456751, 'because know going': 119220, 'know going to': 476396, 'going to walk': 355756, 'into supermarket full': 443044, 'supermarket full of': 820471, 'of people panicking': 587965, 'people panicking stocking': 649072, 'panicking stocking up': 639377, 'stocking up and': 803614, 'and getting stressed': 63624, 'getting stressed euf': 349309, 'ministry icmr': 533531, 'appealed that': 82090, 'that private': 845841, 'laboratory should': 478475, 'should offer': 766284, 'diagnosis at': 240250, 'health ministry icmr': 386645, 'ministry icmr indian': 533532, 'strongly appealed that': 814219, 'appealed that private': 82091, 'that private laboratory': 845843, 'private laboratory should': 678937, 'laboratory should offer': 478476, 'should offer covid': 766285, '19 diagnosis at': 6535, 'diagnosis at no': 240251, 'happening here': 377357, 'crisis same': 217996, 'in pc': 426561, 'pc express': 645882, 'express and': 293022, 'free pc': 332054, 'express pick': 293055, 'cart suddenly': 165387, 'suddenly get': 817098, 'expensive when': 291293, 'when choose': 983251, 'choose my': 177896, 'my pick': 549767, 'what happening here': 981553, 'happening here you': 377358, 'here you said': 393859, 'you said no': 1020977, 'said no price': 731262, 'no price gouging': 565183, '19 crisis same': 6315, 'crisis same price': 217997, 'same price in': 733243, 'price in store': 674737, 'and in pc': 65064, 'in pc express': 426562, 'pc express and': 645883, 'express and free': 293023, 'and free pc': 63276, 'free pc express': 332055, 'pc express pick': 645886, 'express pick up': 293056, 'pick up so': 655760, 'up so why': 946021, 'so why do': 778754, 'why do thing': 990943, 'do thing in': 250329, 'thing in my': 884437, 'in my cart': 425547, 'my cart suddenly': 547627, 'cart suddenly get': 165388, 'suddenly get more': 817099, 'get more expensive': 347587, 'more expensive when': 539183, 'expensive when choose': 291294, 'when choose my': 983252, 'choose my pick': 177897, 'my pick up': 549768, 'writes on': 1012856, 'daily impact': 224636, 'consumer expenditure': 197409, 'expenditure of': 291166, 'writes on the': 1012857, 'on the daily': 604054, 'the daily impact': 852780, 'daily impact on': 224637, 'on consumer expenditure': 600046, 'consumer expenditure of': 197410, 'expenditure of 19': 291167, 'of 19 tracked': 579421, '19 tracked by': 11532, 'bleeds': 132564, 'elephant': 271356, 'too know': 924819, 'public sector': 688289, 'why india': 991093, 'india bleeds': 434324, 'bleeds money': 132565, 'money just': 536861, 'read these': 700601, 'two headline': 936952, 'headline india': 386001, 'india simply': 434610, 'afford white': 34820, 'white elephant': 987840, 'too know all': 924820, 'know all that': 476240, 'that is wrong': 844678, 'wrong with public': 1013159, 'with public sector': 1000358, 'public sector and': 688290, 'sector and why': 744092, 'and why india': 75628, 'why india bleeds': 991094, 'india bleeds money': 434325, 'bleeds money just': 132566, 'money just read': 536862, 'just read these': 469565, 'read these two': 700602, 'these two headline': 880894, 'two headline india': 936953, 'headline india simply': 386002, 'india simply cannot': 434611, 'simply cannot afford': 770197, 'cannot afford white': 161620, 'afford white elephant': 34821, 'elderlyperson': 270966, 'comorbids': 190304, 'dont allow': 255185, 'supermarket crowded': 819872, 'place elderlyperson': 657422, 'elderlyperson immunocompromised': 270967, 'immunocompromised multiple': 417471, 'multiple comorbids': 545735, 'comorbids especially': 190305, 'infected dr': 436567, 'dr department': 257999, 'emergency ppum': 272892, 'please dont allow': 659935, 'dont allow your': 255186, 'to supermarket crowded': 915785, 'supermarket crowded place': 819873, 'crowded place elderlyperson': 219335, 'place elderlyperson immunocompromised': 657423, 'elderlyperson immunocompromised multiple': 270968, 'immunocompromised multiple comorbids': 417472, 'multiple comorbids especially': 545736, 'comorbids especially diabetes': 190306, 'get infected dr': 347330, 'infected dr department': 436568, 'dr department of': 258000, 'department of emergency': 237238, 'of emergency ppum': 583050, 'emergency ppum 19': 272893, 'cobbcounty': 185161, 'novel some': 573817, 'some national': 783337, 'national retailer': 552608, 'hour cobbcounty': 405496, 'cobbcounty business': 185164, 'business health': 143839, 'the novel some': 861924, 'novel some national': 573818, 'some national retailer': 783338, 'national retailer are': 552609, 'retailer are adjusting': 718985, 'their hour cobbcounty': 873593, 'hour cobbcounty business': 405497, 'cobbcounty business health': 185165, 'complexity': 192425, 'driver access': 259385, 'to critical': 903750, 'off decent': 593763, 'decent place': 230793, 'sleep shower': 773790, 'shower even': 767375, 'even use': 284753, 'clean toilet': 180663, 'toilet is': 921158, 'becoming difficult': 120292, 'track down': 928185, 'down transport': 257404, 'transport trucking': 929968, 'trucking supplychain': 932993, 'supplychain food': 826177, 'food complexity': 313993, 'complexity price': 192430, 'price logistics': 675087, 'driver access to': 259386, 'access to critical': 28225, 'to critical service': 903751, 'critical service ha': 218656, 'service ha been': 752433, 'ha been reduced': 369892, 'been reduced or': 121799, 'reduced or even': 706130, 'or even cut': 615195, 'even cut off': 283992, 'cut off decent': 223440, 'off decent place': 593764, 'decent place to': 230794, 'place to sleep': 657772, 'to sleep shower': 914730, 'sleep shower even': 773791, 'shower even use': 767376, 'even use clean': 284754, 'use clean toilet': 949112, 'clean toilet is': 180664, 'toilet is becoming': 921159, 'is becoming difficult': 446034, 'becoming difficult to': 120293, 'difficult to track': 242349, 'to track down': 917676, 'track down transport': 928186, 'down transport trucking': 257405, 'transport trucking supplychain': 929969, 'trucking supplychain food': 932994, 'supplychain food complexity': 826178, 'food complexity price': 313994, 'complexity price logistics': 192431, 'macron imposed': 507496, 'the municipal': 861143, 'election canceled': 271026, 'canceled citizen': 160931, 'function like': 341268, 'emmanuel macron imposed': 273238, 'macron imposed two': 507498, 'declaring war against': 231288, 'against the municipal': 37666, 'the municipal election': 861144, 'municipal election canceled': 546088, 'election canceled citizen': 271027, 'canceled citizen have': 160932, 'for essential function': 321102, 'essential function like': 281076, 'function like going': 341269, 'aerodynamics': 33894, 'new aerodynamics': 558327, 'aerodynamics study': 33895, 'study tracking': 814976, 'of show': 589694, 'airborne and': 39833, 'and aerosol': 57736, 'aerosol particle': 33915, 'from cough': 335036, 'cough lingers': 208501, 'infect people': 436505, '30 foot': 17049, 'away or': 105983, 'two aisle': 936772, 'aisle way': 40426, 'way in': 969654, 'new aerodynamics study': 558328, 'aerodynamics study tracking': 33896, 'study tracking the': 814977, 'tracking the spread': 928372, 'spread of show': 790709, 'of show the': 589695, 'show the virus': 767223, 'virus is airborne': 958361, 'is airborne and': 445434, 'airborne and aerosol': 39834, 'and aerosol particle': 57738, 'aerosol particle from': 33916, 'particle from cough': 642585, 'from cough lingers': 335037, 'cough lingers in': 208502, 'lingers in the': 493722, 'air and can': 39682, 'and can infect': 59458, 'can infect people': 158743, 'infect people with': 436506, 'people with up': 650479, 'up to 30': 946332, 'to 30 foot': 899669, '30 foot away': 17050, 'foot away or': 318358, 'away or two': 105986, 'or two aisle': 617554, 'two aisle way': 936775, 'aisle way in': 40427, 'way in supermarket': 969657, 'inflation fao': 437177, 'fao analyst': 298643, 'food inflation fao': 315040, 'inflation fao analyst': 437178, 'barrier being': 111351, 'being installed': 125331, 'protective barrier being': 685712, 'barrier being installed': 111352, 'being installed at': 125332, 'installed at supermarket': 440021, 'so key': 777508, 'worker because': 1006504, 'neither please': 557337, 'please nor': 660243, 'nor thank': 566982, 'you wa': 1022095, 'now former': 574733, 'former key': 329640, 'home until': 402402, 'worker again': 1006212, 'being piece': 125543, 'so key worker': 777509, 'key worker because': 473469, 'worker because work': 1006508, 'supermarket the other': 823236, 'other day neither': 620078, 'day neither please': 228012, 'neither please nor': 557338, 'please nor thank': 660244, 'nor thank you': 566983, 'thank you wa': 841841, 'you wa worth': 1022097, 'worth it now': 1011380, 'it now former': 459951, 'now former key': 574734, 'former key worker': 329641, 'worker are staying': 1006427, 'are staying safe': 90377, 'at home until': 99156, 'home until it': 402403, 'until it safe': 943750, 'safe to be': 730044, 'key worker again': 473464, 'worker again and': 1006213, 'again and can': 36884, 'and can go': 59455, 'can go back': 158492, 'back to being': 107356, 'to being piece': 901741, 'being piece of': 125544, 'troubled': 932666, 'recommended these': 704799, 'these troubled': 880884, 'troubled time': 932671, 'shopping is recommended': 763075, 'is recommended these': 451351, 'recommended these day': 704800, 'these day this': 879896, 'day this is': 228533, '19 and stay': 5111, 'stay safe in': 797245, 'in these troubled': 429870, 'these troubled time': 880885, '2020is': 14744, '2020is traveling': 14745, 'traveling with': 930662, 'alcohol swab': 41122, 'swab in': 829904, 'pocket so': 662204, 'every keypad': 285969, 'keypad you': 473563, 'go stayathome': 354162, '2020is traveling with': 14746, 'traveling with alcohol': 930663, 'with alcohol swab': 997138, 'alcohol swab in': 41123, 'swab in your': 829905, 'your pocket so': 1025342, 'pocket so that': 662206, 'so that you': 778409, 'can wipe down': 160229, 'wipe down every': 996236, 'down every keypad': 256733, 'every keypad you': 285970, 'keypad you have': 473564, 'have to interact': 383230, 'interact with at': 441204, 'atm supermarket and': 101960, 'and pharmacy which': 68985, 'pharmacy which are': 654553, 'which are the': 985698, 'still go stayathome': 800580, 'go stayathome stayhome': 354163, 'bulk that': 142360, 'will expire': 993377, 'expire before': 292047, 'get eaten': 346928, 'idiot are panic': 413455, 'are panic purchasing': 88960, 'panic purchasing food': 638453, 'purchasing food in': 689864, 'food in bulk': 314927, 'in bulk that': 421047, 'bulk that will': 142361, 'that will expire': 847575, 'will expire before': 993378, 'expire before it': 292048, 'it get eaten': 458216, 'something rather': 785027, 'rather cruel': 697444, 'cruel about': 219662, 'list online': 494499, 'then being': 877030, 'told at': 923529, 'checkout that': 175024, 'or collection': 614760, 'collection slot': 186472, 'there is something': 878629, 'is something rather': 452110, 'something rather cruel': 785028, 'rather cruel about': 697445, 'cruel about being': 219663, 'about being allowed': 24862, 'being allowed to': 124836, 'allowed to make': 46237, 'your shopping list': 1025785, 'shopping list online': 763191, 'list online and': 494500, 'online and then': 607855, 'and then being': 73747, 'then being told': 877031, 'being told at': 125964, 'told at checkout': 923530, 'at checkout that': 98252, 'checkout that there': 175025, 'delivery or collection': 234280, 'or collection slot': 614763, 'collection slot for': 186473, 'ha happened': 370821, 'happened is': 377255, 'happening will': 377437, 'australia see': 103372, 'my commentary': 547756, 'commentary amongst': 188473, 'the sydney': 869072, 'sydney morning': 830701, 'morning herald': 541292, 'herald this': 392557, 'what ha happened': 981535, 'ha happened is': 370825, 'happened is happening': 377256, 'is happening will': 448292, 'happening will happen': 377438, 'happen to food': 377178, 'to food price': 906087, 'price in australia': 674666, 'in australia see': 420616, 'australia see my': 103373, 'see my commentary': 745449, 'my commentary amongst': 547757, 'commentary amongst others': 188474, 'amongst others in': 53137, 'in the sydney': 429590, 'the sydney morning': 869073, 'sydney morning herald': 830702, 'morning herald this': 541293, 'herald this morning': 392558, 'hotlines': 405273, 'in bit': 420862, 'still communicate': 800387, 'communicate valuable': 189553, 'information know': 437880, 'best you': 128007, 'get anywhere': 346593, 'anywhere when': 81166, 'your exam': 1023699, 'exam via': 288808, 'website call': 975231, 'the hotlines': 857569, 'hotlines for': 405274, 'info regard': 437566, 'regard training': 707160, 'training and': 929326, 'and registration': 70154, 'registration this': 707684, 'in bit to': 420865, 'bit to still': 131721, 'to still communicate': 915408, 'still communicate valuable': 800388, 'communicate valuable information': 189554, 'valuable information know': 952028, 'information know that': 437881, 'that our price': 845589, 'our price is': 624448, 'price is still': 674892, 'is still the': 452315, 'still the best': 801287, 'the best you': 849565, 'best you can': 128008, 'can get anywhere': 158403, 'get anywhere when': 346594, 'anywhere when you': 81167, 'when you book': 984540, 'you book for': 1017492, 'book for your': 134529, 'for your exam': 328148, 'your exam via': 1023700, 'exam via our': 288809, 'via our website': 956151, 'our website call': 625334, 'website call the': 975232, 'call the hotlines': 156134, 'the hotlines for': 857570, 'hotlines for more': 405275, 'more info regard': 539563, 'info regard training': 437567, 'regard training and': 707161, 'training and registration': 929327, 'and registration this': 70155, 'registration this covid': 707685, 'apupdates': 83770, 'wicked problem': 991678, 'problem due': 679509, 'good apupdates': 356765, 'apupdates lockdown': 83771, 'wicked problem due': 991679, 'problem due to': 679510, 'due to rising': 261929, 'to rising price': 913588, 'essential good apupdates': 281084, 'good apupdates lockdown': 356766, 'visited garage': 959478, 'garage supermarket': 343501, 'in belfast': 420776, 'belfast there': 126157, 'man behind': 512006, 'could move': 209419, 'move back': 543616, 'back metre': 107148, 'metre which': 529875, 'he did': 384874, 'just visited garage': 470186, 'visited garage supermarket': 959479, 'garage supermarket in': 343502, 'supermarket in belfast': 820867, 'in belfast there': 420780, 'belfast there wa': 126158, 'wa no in': 962726, 'no in the': 564485, 'the queue of': 865049, 'queue of 10': 694017, 'of 10 people': 579311, '10 people had': 1612, 'had to ask': 373661, 'ask the man': 95635, 'the man behind': 859972, 'man behind me': 512007, 'behind me if': 124664, 'me if he': 522937, 'if he could': 414211, 'he could move': 384859, 'could move back': 209420, 'move back metre': 543617, 'back metre which': 107149, 'metre which he': 529876, 'which he did': 985925, 'share toiletpaper': 755314, 'toiletpaper panickbuying': 922311, 'panickbuying 19': 639196, 'had to share': 373726, 'to share toiletpaper': 914370, 'share toiletpaper panickbuying': 755315, 'toiletpaper panickbuying 19': 922312, 'so clear': 776761, 'is raided': 451206, 'raided of': 695637, 'people hire': 648259, 'hire bus': 397005, 'to raid': 912709, 'raid supermarket': 695611, 'other suburb': 621009, 'suburb so': 816127, 'clear about': 181214, 'about mixed': 25739, 'messaging so': 529519, 'so clear that': 776763, 'clear that every': 181341, 'that every supermarket': 843757, 'supermarket is raided': 821117, 'is raided of': 451207, 'raided of food': 695638, 'food so clear': 316648, 'clear that people': 181347, 'that people hire': 845696, 'people hire bus': 648260, 'hire bus to': 397006, 'bus to raid': 143102, 'to raid supermarket': 912712, 'raid supermarket in': 695613, 'supermarket in country': 820885, 'in country town': 421829, 'country town and': 211189, 'town and or': 927434, 'and or other': 68223, 'or other suburb': 616452, 'other suburb so': 621010, 'suburb so clear': 816128, 'clear that everyone': 181342, 'that everyone know': 843768, 'everyone know what': 287151, 'do so clear': 250090, 'so clear about': 776762, 'clear about mixed': 181215, 'about mixed messaging': 25741, 'mixed messaging so': 534635, 'is handling': 448268, 'handling 572': 376327, 'related price': 708516, 'nessel office is': 557512, 'office is handling': 595456, 'is handling 572': 448269, 'handling 572 consumer': 376328, '19 related price': 10062, 'related price gouging': 708517, 'gouging and scam': 359251, 'and scam via': 71037, 'responsive': 716125, 'scaling': 739936, 'how responsive': 408582, 'responsive both': 716126, 'both have': 135924, 'in scaling': 427715, 'scaling up': 739942, 'charge up': 173332, 'so supplychain': 778317, 'see how responsive': 745245, 'how responsive both': 408583, 'responsive both have': 716127, 'both have been': 135925, 'been in scaling': 121361, 'in scaling up': 427716, 'scaling up their': 739943, 'up their operation': 946244, 'meet the consumer': 527595, 'the consumer demand': 851523, 'liquidity to charge': 494156, 'to charge up': 902645, 'charge up their': 173333, 'their operation are': 874117, 'operation are doing': 613140, 'are doing so': 85925, 'doing so supplychain': 252660, 'so supplychain grocery': 778318, 'undignified': 941011, 'more undignified': 540850, 'undignified than': 941012, 'queue plus': 694044, 'plus by': 661573, 'this lot': 888714, 'lot catching': 504015, 'catching is': 167091, 'anything more undignified': 80832, 'more undignified than': 540851, 'undignified than supermarket': 941013, 'than supermarket queue': 841190, 'supermarket queue plus': 822129, 'queue plus by': 694045, 'plus by the': 661574, 'by the look': 154369, 'look of this': 502549, 'of this lot': 592001, 'this lot catching': 888715, 'lot catching is': 504016, 'catching is the': 167092, 'least of my': 484574, 'of my problem': 586809, 'selling item': 749318, 'with loose': 999312, 'loose hike': 503194, 'trader selling item': 928765, 'selling item with': 749323, 'item with loose': 463839, 'with loose hike': 999313, 'loose hike price': 503195, 'falling with': 297358, 'hitting 18': 398552, 'world accelerate': 1009261, 'accelerate containment': 27836, 'economy global': 267892, 'are falling with': 86475, 'falling with crude': 297359, 'future hitting 18': 342354, 'hitting 18 year': 398553, 'low government around': 505308, 'the world accelerate': 871805, 'world accelerate containment': 1009262, 'accelerate containment measure': 27837, 'containment measure to': 200609, 'measure to counter': 525390, 'is causing the': 446434, 'causing the collapse': 168115, 'the economy global': 853971, 'economy global fuel': 267893, 'met lady': 529582, 'lady today': 478845, 'today who': 920532, '120 loo': 3015, 'roll 38': 725156, '38 toothpaste': 18146, 'toothpaste 44': 925494, '44 shampoo': 19019, 'shampoo and': 754767, 'and 60': 57502, '60 bleach': 20911, 'bleach bottle': 132487, 'bottle not': 136268, 'buying she': 151011, 'me her': 522889, 'her religion': 392327, 'religion requires': 709565, 'requires her': 713466, 'many is': 514207, 'thing panicbuying': 884673, 'panicbuying 19uk': 638894, '19uk stoppanicbuying': 12567, 'met lady today': 529583, 'lady today who': 478846, 'today who ha': 920535, 'who ha 120': 988829, 'ha 120 loo': 369398, '120 loo roll': 3016, 'loo roll 38': 502166, 'roll 38 toothpaste': 725157, '38 toothpaste 44': 18147, 'toothpaste 44 shampoo': 925495, '44 shampoo and': 19020, 'shampoo and 60': 754768, 'and 60 bleach': 57503, '60 bleach bottle': 20912, 'bleach bottle not': 132488, 'bottle not panic': 136269, 'panic buying she': 637880, 'buying she tell': 151013, 'tell me her': 837012, 'me her religion': 522890, 'her religion requires': 392328, 'religion requires her': 709566, 'requires her to': 713467, 'her to have': 392463, 'have this many': 383105, 'this many is': 888766, 'many is that': 514208, 'that even thing': 843742, 'even thing panicbuying': 284683, 'thing panicbuying 19uk': 884674, 'panicbuying 19uk stoppanicbuying': 638895, '26 consumer': 16159, 'affair agency': 33984, 'agency posted': 38057, 'posted warning': 666593, 'warning letter': 967144, 'avoid consumer': 105042, 'consumer trouble': 199395, 'trouble related': 932636, 'to infectious': 908366, 'infectious disease': 436899, 'it highlighted': 458587, 'highlighted con': 395984, 'con business': 192790, 'to pretend': 912038, 'service agent': 752042, 'agent to': 38195, 'the subsidy': 868360, 'subsidy to': 816023, 'help business': 389443, 'business currently': 143602, 'currently damaged': 221507, 'march 26 consumer': 515213, '26 consumer affair': 16160, 'consumer affair agency': 196073, 'affair agency posted': 33986, 'agency posted warning': 38058, 'posted warning letter': 666594, 'warning letter to': 967146, 'letter to avoid': 487357, 'to avoid consumer': 900877, 'avoid consumer trouble': 105043, 'consumer trouble related': 199396, 'trouble related to': 932637, 'related to infectious': 708608, 'to infectious disease': 908367, 'infectious disease it': 436902, 'disease it highlighted': 245169, 'it highlighted con': 458588, 'highlighted con business': 395985, 'con business to': 192791, 'business to pretend': 144549, 'to pretend the': 912039, 'pretend the service': 671319, 'the service agent': 866731, 'service agent to': 752044, 'agent to get': 38196, 'get the subsidy': 348301, 'the subsidy to': 868361, 'subsidy to help': 816024, 'to help business': 907468, 'help business currently': 389444, 'business currently damaged': 143603, 'currently damaged by': 221508, 'service center': 752217, 'center found': 169210, 'open although': 612035, 'although had': 49317, 'read apple': 700289, 'apple notification': 82347, 'that until': 847191, 'closed this': 183385, 'visited the service': 959506, 'the service center': 866732, 'service center found': 752218, 'center found out': 169212, 'that the apple': 846662, 'the apple store': 848828, 'apple store one': 82370, 'store one is': 809224, 'one is open': 606515, 'is open although': 450557, 'open although had': 612036, 'although had read': 49318, 'had read apple': 373446, 'read apple notification': 700290, 'apple notification that': 82348, 'notification that until': 573549, 'that until march': 847192, '27 2020 all': 16257, '2020 all retail': 14132, 'remain closed this': 709725, 'closed this isn': 183386, 'isn the apple': 454705, 'groepsimmuniteit': 366417, 'groepsimmuniteit corona': 366418, 'corona anyone': 203808, 'anyone actually': 80172, 'actually the': 30973, 'pandemic procedure': 636242, 'advice report': 33478, 'report free': 711964, 'free accessible': 331622, 'accessible online': 28337, 'online did': 608100, 'did and': 240545, 'beginning more': 123640, 'come think': 187538, 'wuhan no': 1013507, 'food expected': 314426, 'expected but': 290879, 'expect logistical': 290669, 'logistical problem': 500711, 'groepsimmuniteit corona anyone': 366419, 'corona anyone actually': 203809, 'anyone actually the': 80173, 'actually the read': 30977, 'the read the': 865201, 'read the pandemic': 700586, 'the pandemic procedure': 863066, 'pandemic procedure and': 636243, 'procedure and advice': 679801, 'and advice report': 57732, 'advice report free': 33479, 'report free accessible': 711965, 'free accessible online': 331623, 'accessible online did': 28338, 'online did and': 608101, 'did and tell': 240548, 'only the beginning': 611259, 'the beginning more': 849436, 'beginning more to': 123641, 'to come think': 903053, 'come think wuhan': 187539, 'think wuhan no': 885802, 'wuhan no shortage': 1013508, 'shortage of basic': 765101, 'basic food expected': 111887, 'food expected but': 314427, 'expected but expect': 290880, 'but expect logistical': 145689, 'expect logistical problem': 290670, 'fixitnow': 309875, 'dear and': 229742, 'shopping apps': 762058, 'apps are': 83265, 'of want': 592900, 'shop hassle': 760258, 'sake in': 731858, 'not fixitnow': 569443, 'dear and your': 229744, 'and your online': 76089, 'online shopping apps': 609034, 'shopping apps are': 762059, 'apps are at': 83266, 'are at this': 84687, 'time of some': 897362, 'some of want': 783415, 'of want to': 592901, 'want to shop': 966118, 'to shop hassle': 914463, 'shop hassle free': 760259, 'hassle free online': 378821, 'free online for': 332025, 'online for goodness': 608227, 'goodness sake in': 358062, 'sake in 2020': 731859, 'in 2020 we': 419863, '2020 we should': 14704, 'shop online or': 760580, 'online or not': 608661, 'or not fixitnow': 616296, 'telanganafightscorona': 836641, 'telanganafightscorona in': 836642, 'time our': 897428, 'staff police': 792764, 'police municipal': 663097, 'municipal worker': 546095, 'worker water': 1008130, 'supply staff': 825886, 'driver electricity': 259527, 'worker many': 1007353, 'been tirelessly': 122206, 'tirelessly working': 899094, 'you stayhomesavelives': 1021383, 'telanganafightscorona in these': 836643, 'testing time our': 839671, 'time our medical': 897432, 'our medical staff': 623898, 'medical staff police': 526402, 'staff police municipal': 792768, 'police municipal worker': 663098, 'municipal worker water': 546097, 'worker water supply': 1008132, 'water supply staff': 969190, 'supply staff grocery': 825887, 'delivery driver electricity': 233902, 'driver electricity worker': 259528, 'electricity worker many': 271227, 'worker many others': 1007355, 'have been tirelessly': 379720, 'been tirelessly working': 122207, 'tirelessly working for': 899097, 'working for all': 1008634, 'all of big': 43680, 'of big thank': 580705, 'you to you': 1021859, 'to you stayhomesavelives': 918925, 'thankatruckdriver': 841860, 'today thankatruckdriver': 920257, 'thankatruckdriver for': 841861, 'pandemic keeping': 635857, 'society economy': 781196, 'going your': 355824, 'distancing food': 247153, 'the clothes': 851059, 'clothes you': 184240, 'the device': 853228, 'device you': 239950, 'supply everything': 825231, 'today thankatruckdriver for': 920258, 'thankatruckdriver for working': 841862, 'for working during': 327948, '19 pandemic keeping': 9375, 'pandemic keeping our': 635858, 'keeping our society': 472508, 'our society economy': 624821, 'society economy going': 781197, 'economy going your': 267903, 'going your social': 355826, 'your social distancing': 1025853, 'social distancing food': 779612, 'distancing food stock': 247154, 'food stock the': 316811, 'stock the clothes': 802928, 'the clothes you': 851062, 'clothes you re': 184241, 'you re wearing': 1020789, 're wearing the': 699792, 'wearing the device': 974797, 'the device you': 853229, 'device you re': 239951, 'this on medicine': 889215, 'medicine and medical': 526719, 'medical supply everything': 526442, 'authorisation': 103661, 'mkinsights': 534687, 'ha granted': 370759, 'granted supermarket': 362087, 'supermarket bank': 819294, 'bank airline': 109581, 'airline and': 39916, 'medical technology': 526479, 'company interim': 190791, 'interim authorisation': 441672, 'authorisation in': 103662, 'pandemic mkinsights': 635964, 'mkinsights acc': 534688, 'commission acc ha': 188786, 'acc ha granted': 27807, 'ha granted supermarket': 370760, 'granted supermarket bank': 362088, 'supermarket bank airline': 819295, 'bank airline and': 109582, 'airline and medical': 39920, 'and medical technology': 66886, 'medical technology company': 526480, 'technology company interim': 836275, 'company interim authorisation': 190792, 'interim authorisation in': 441673, 'authorisation in response': 103663, '19 pandemic mkinsights': 9394, 'pandemic mkinsights acc': 635965, 'trilby': 931947, 'lundberg': 506776, 'gas fell': 343847, 'fell 14': 303155, '14 cent': 3431, 'to 01': 899414, '01 per': 724, 'gallon industry': 343030, 'analyst trilby': 57188, 'trilby lundberg': 931948, 'lundberg say': 506777, 'dropped 52': 260515, '52 cent': 20243, 'demand declined': 235217, 'declined amid': 231420, 'amid stay': 52665, 'price of regular': 675554, 'of regular gas': 588889, 'regular gas fell': 707781, 'gas fell 14': 343848, 'fell 14 cent': 303156, '14 cent in': 3432, 'cent in the': 169078, 'past week to': 643652, 'week to 01': 977066, 'to 01 per': 899415, '01 per gallon': 725, 'per gallon industry': 650850, 'gallon industry analyst': 343031, 'industry analyst trilby': 435625, 'analyst trilby lundberg': 57189, 'trilby lundberg say': 931949, 'lundberg say that': 506778, 'say that price': 739249, 'that price have': 845826, 'have dropped 52': 380372, 'dropped 52 cent': 260516, '52 cent in': 20244, 'past week demand': 643644, 'week demand declined': 976144, 'demand declined amid': 235218, 'declined amid stay': 231421, 'amid stay at': 52666, 'home order because': 401767, 'order because of': 618076, 'monium': 537393, 'hastings': 378837, 'eggplant': 270054, 'apricot': 83382, 'harissa': 378371, 'roasted': 724601, 'pande fucking': 634734, 'fucking monium': 339949, 'monium at': 537394, 'at morrison': 99771, 'morrison hastings': 541723, 'hastings and': 378838, 'and worse': 75914, 'worse yet': 1011059, 'not damn': 568953, 'damn eggplant': 225343, 'eggplant in': 270055, 'town stop': 927554, 'you weirdo': 1022228, 'weirdo do': 977834, 'have apricot': 379346, 'apricot and': 83383, 'and harissa': 64198, 'harissa roasted': 378372, 'roasted vegetable': 724608, 'pande fucking monium': 634735, 'fucking monium at': 339950, 'monium at morrison': 537395, 'at morrison hastings': 99772, 'morrison hastings and': 541724, 'hastings and worse': 378839, 'and worse yet': 75919, 'worse yet not': 1011061, 'yet not damn': 1016169, 'not damn eggplant': 568954, 'damn eggplant in': 225344, 'eggplant in any': 270056, 'in any grocery': 420425, 'in town stop': 430251, 'town stop stockpiling': 927556, 'stop stockpiling you': 805080, 'stockpiling you weirdo': 804132, 'you weirdo do': 1022229, 'weirdo do not': 977835, 'not you understand': 572622, 'understand that some': 940732, 'of have apricot': 584464, 'have apricot and': 379347, 'apricot and harissa': 83384, 'and harissa roasted': 64199, 'harissa roasted vegetable': 378373, 'roasted vegetable to': 724609, 'vegetable to make': 954111, 'to make for': 909664, 'make for dinner': 509910, 'for dinner in': 320720, 'dinner in this': 243072, 'will new': 994177, 'habit caused': 372582, '19 stick': 10844, 'stick in': 800033, 'term we': 838339, 'keep new': 471694, 'habit mrx': 372652, 'will new consumer': 994178, 'new consumer habit': 558524, 'consumer habit caused': 197683, 'habit caused by': 372583, 'caused by coronavirus': 167833, 'by coronavirus covid': 152229, 'covid 19 stick': 213865, '19 stick in': 10845, 'stick in the': 800035, 'long term we': 501721, 'term we take': 838342, 'how people make': 408504, 'people make and': 648725, 'and keep new': 65770, 'keep new habit': 471695, 'new habit mrx': 558842, 'malay': 511582, 'pandemic malay': 635922, 'malay mail': 511583, '19 pandemic malay': 9386, 'pandemic malay mail': 635923, 'ncat': 553293, 'hand ncat': 375092, 'ncat sanitizer': 553294, 'sanitizer soap': 735756, 'your hand ncat': 1024202, 'hand ncat sanitizer': 375093, 'ncat sanitizer soap': 553295, 'you providing': 1020486, 'your shop': 1025760, 'floor staff': 310840, 'they play': 882883, 'role serving': 725125, 'serving your': 753236, 'aren you providing': 92605, 'you providing your': 1020488, 'providing your shop': 687150, 'your shop floor': 1025764, 'shop floor staff': 760175, 'floor staff with': 310842, 'staff with protective': 793102, 'with protective glove': 1000347, 'protective glove mask': 685771, 'glove mask they': 352784, 'mask they play': 519373, 'they play key': 882885, 'key role serving': 473391, 'role serving your': 725126, 'serving your customer': 753237, 'customer and making': 222086, 'and making sure': 66598, 'making sure everyone': 511378, 'what they feel': 982400, 'they feel they': 882105, 'feel they need': 302898, 'they need at': 882719, 'need at the': 554496, 'supermarket it unfair': 821184, 'it unfair that': 461925, 'unfair that they': 941441, 'being put at': 125619, '3dprinting': 18263, 'have realized': 382184, 'realized how': 701892, 'vital 3d': 959667, 'printer would': 678331, 'low their': 505672, 'their wouldn': 875245, 'of printer': 588437, 'printer around': 678323, 'other ppe': 620743, 'ppe equipment': 667936, 'equipment 3dprinting': 279673, 'this pandemic do': 889383, 'not think we': 572092, 'think we would': 885778, 'we would have': 973970, 'would have realized': 1011889, 'have realized how': 382185, 'realized how vital': 701893, 'how vital 3d': 409144, 'vital 3d printer': 959668, '3d printer would': 18251, 'printer would be': 678332, 'be if it': 115350, 'wasn for the': 967977, 'for the price': 326631, 'the price being': 864335, 'price being so': 672899, 'being so low': 125820, 'so low their': 777612, 'low their wouldn': 505673, 'their wouldn be': 875246, 'wouldn be an': 1012436, 'be an army': 113596, 'army of printer': 93024, 'of printer around': 588438, 'printer around the': 678324, 'world to make': 1010083, 'to make mask': 909690, 'make mask and': 510117, 'and other ppe': 68384, 'other ppe equipment': 620744, 'ppe equipment 3dprinting': 667937, '19 latest': 8275, 'latest action': 481196, 'from uk': 338165, 'uk retailer': 938677, 'retailer via': 719397, 'covid 19 latest': 213335, '19 latest action': 8276, 'latest action from': 481197, 'action from uk': 30031, 'from uk retailer': 338169, 'uk retailer via': 938680, 'precautionsofcoronavirus': 669438, 'handwashchallenge': 376805, 'keephygine': 472354, 'coronajihad': 205016, 'eiplinfra': 270242, 'lapaloma': 479527, 'apila': 81465, 'luxuryhomes': 506989, 'regularly for': 707915, 'sanitizer precautionsofcoronavirus': 735572, 'precautionsofcoronavirus handwashing': 669439, 'handwashing sanitizer': 376857, 'quarantine handwash': 692241, 'handwash handwashchallenge': 376774, 'handwashchallenge keephygine': 376806, 'keephygine coronajihad': 472355, 'coronajihad eiplinfra': 205017, 'eiplinfra lapaloma': 270243, 'lapaloma apila': 479528, 'apila luxuryhomes': 81466, 'luxuryhomes realestate': 506990, 'hand regularly for': 375197, 'regularly for 20': 707916, 'hand sanitizer precautionsofcoronavirus': 375542, 'sanitizer precautionsofcoronavirus handwashing': 735573, 'precautionsofcoronavirus handwashing sanitizer': 669440, 'handwashing sanitizer quarantine': 376858, 'sanitizer quarantine handwash': 735627, 'quarantine handwash handwashchallenge': 692242, 'handwash handwashchallenge keephygine': 376775, 'handwashchallenge keephygine coronajihad': 376807, 'keephygine coronajihad eiplinfra': 472356, 'coronajihad eiplinfra lapaloma': 205018, 'eiplinfra lapaloma apila': 270244, 'lapaloma apila luxuryhomes': 479529, 'apila luxuryhomes realestate': 81467, 'nasal': 551973, 'episode now': 279537, 'who turned': 989840, 'turned down': 935837, 'down shark': 257177, 'shark tank': 755646, 'tank 4m': 834181, '4m offer': 19491, 'offer kick': 594677, 'kick off': 473792, 'off 40': 593602, '40 country': 18556, 'country wide': 211239, 'wide distribution': 991712, 'distribution with': 248258, 'with purchase': 1000360, 'purchase order': 689612, 'for 8m': 318943, '8m of': 23196, 'his first': 397432, 'first defense': 308627, 'defense nasal': 232139, 'nasal screen': 551974, 'screen for': 742691, 'the nose': 861888, 'nose will': 567942, 'will debut': 993103, 'debut at': 230640, 'product event': 681166, 'event january': 285006, 'january 20': 464619, '20 2016': 12878, 'episode now on': 279538, 'now on man': 575428, 'on man who': 601979, 'man who turned': 512342, 'who turned down': 989841, 'turned down shark': 935838, 'down shark tank': 257178, 'shark tank 4m': 755647, 'tank 4m offer': 834182, '4m offer kick': 19492, 'offer kick off': 594678, 'kick off 40': 473793, 'off 40 country': 593604, '40 country wide': 18558, 'country wide distribution': 211240, 'wide distribution with': 991713, 'distribution with purchase': 248259, 'with purchase order': 1000363, 'purchase order for': 689613, 'order for 8m': 618220, 'for 8m of': 318944, '8m of his': 23197, 'of his first': 584653, 'his first defense': 397434, 'first defense nasal': 308628, 'defense nasal screen': 232140, 'nasal screen for': 551975, 'screen for the': 742693, 'for the nose': 326588, 'the nose will': 861891, 'nose will debut': 567943, 'will debut at': 993104, 'debut at consumer': 230641, 'at consumer product': 98320, 'consumer product event': 198455, 'product event january': 681167, 'event january 20': 285007, 'january 20 2016': 464620, 'gpn': 361427, 'gvc': 369254, 'inquest': 438993, 'inevit': 436360, 'want reporting': 965915, 'reporting of': 712724, 'economic chaos': 267003, 'chaos that': 173063, 'developing and': 239765, 'worse western': 1011046, 'western demand': 980611, 'demand consumer': 235160, 'and gpn': 63898, 'gpn gvc': 361428, 'gvc fall': 369257, 'fall they': 297076, 'also don': 48121, 'want reporter': 965912, 'reporter in': 712618, '19 inquest': 7890, 'inquest that': 438994, 'happen and': 377055, 'will inevit': 993839, 'they don want': 882006, 'don want reporting': 254044, 'want reporting of': 965916, 'reporting of the': 712726, 'the economic chaos': 853895, 'economic chaos that': 267004, 'chaos that is': 173064, 'that is developing': 844576, 'is developing and': 447158, 'developing and will': 239767, 'and will get': 75667, 'will get worse': 993525, 'get worse western': 348660, 'worse western demand': 1011047, 'western demand consumer': 980612, 'demand consumer and': 235161, 'consumer and gpn': 196213, 'and gpn gvc': 63899, 'gpn gvc fall': 361430, 'gvc fall they': 369258, 'fall they also': 297077, 'they also don': 881147, 'also don want': 48124, 'don want reporter': 254043, 'want reporter in': 965913, 'reporter in country': 712619, 'in country for': 421825, 'country for the': 210671, 'covid 19 inquest': 213276, '19 inquest that': 7891, 'inquest that going': 438995, 'to happen and': 907147, 'happen and will': 377056, 'and will inevit': 75672, 'just panicked': 469434, 'panicked to': 639301, 'paper tonight': 640975, 'tonight you': 924527, 'alcohol pub': 41081, 'pub close': 687685, 'close maybe': 182719, 'uk ha just': 938433, 'ha just panicked': 371062, 'just panicked to': 469435, 'panicked to buy': 639302, 'toilet paper tonight': 921502, 'paper tonight you': 640977, 'tonight you will': 924529, 'you will panic': 1022348, 'panic buy alcohol': 637461, 'buy alcohol pub': 148287, 'alcohol pub close': 41082, 'pub close maybe': 687687, 'close maybe now': 182720, 'maybe now we': 521762, 'we can buy': 970918, 'this phase': 889548, 'of follow': 583628, 'the protocol': 864717, 'protocol of': 685992, 'government there': 360685, 'panic home': 638183, 'available do': 104323, 'much necessary': 545141, 'from odisha': 336641, 'during this phase': 263309, 'this phase of': 889550, 'phase of follow': 654630, 'of follow the': 583629, 'follow the protocol': 312543, 'the protocol of': 864718, 'protocol of government': 685993, 'of government there': 584278, 'government there is': 360686, 'to panic home': 911401, 'panic home delivery': 638184, 'home delivery of': 401034, 'of food from': 583694, 'from restaurant is': 337091, 'restaurant is available': 716536, 'is available do': 445912, 'available do not': 104324, 'unless it very': 942626, 'it very much': 462036, 'very much necessary': 955364, 'much necessary stay': 545142, 'necessary stay at': 554081, 'safe from odisha': 729697, 'stagnant': 793268, 'price stagnant': 676604, 'stagnant for': 793272, 'for 24th': 318775, '24th consecutive': 15780, 'consecutive amid': 194813, 'lockdown key': 499578, 'diesel price stagnant': 241683, 'price stagnant for': 676605, 'stagnant for 24th': 793274, 'for 24th consecutive': 318776, '24th consecutive amid': 15781, 'consecutive amid covid': 194815, '19 lockdown key': 8399, 'lockdown key thing': 499580, 'key thing to': 473422, 'staydistance': 797851, 'pakistanarmy': 634521, 'respective': 715155, 'constituency': 195722, 'staydistance pakistanarmy': 797852, 'pakistanarmy if': 634522, 'the election': 854168, 'election is': 271044, 'is announced': 445719, 'today all': 919167, 'politician will': 663763, 'food mask': 315413, 'their respective': 874563, 'respective constituency': 715156, 'constituency now': 195729, 'staydistance pakistanarmy if': 797853, 'pakistanarmy if the': 634523, 'if the election': 414970, 'the election is': 854170, 'election is announced': 271045, 'is announced today': 445720, 'announced today all': 77103, 'today all the': 919169, 'all the politician': 44866, 'the politician will': 863952, 'politician will distribute': 663764, 'will distribute food': 993215, 'distribute food mask': 247975, 'food mask and': 315414, 'and sanitizer in': 70874, 'in their respective': 429771, 'their respective constituency': 874564, 'respective constituency now': 715157, 'constituency now they': 195730, 'they have died': 882311, 'causing symptom': 168109, 'are not afraid': 88314, 'not afraid of': 568082, 'the disease they': 853374, 'disease they created': 245256, 'the causing symptom': 850550, 'causing symptom and': 168110, 'petition re': 653622, 're hydro': 698851, 'hydro time': 411959, 'need hydro': 555028, 'be capped': 113974, 'please help ontario': 660076, 'my petition re': 549747, 'petition re hydro': 653623, 're hydro time': 698852, 'hydro time of': 411960, 'we need hydro': 972496, 'need hydro price': 555029, 'to be capped': 901149, 'be capped at': 113975, 'to go see': 906850, 'go see how': 354091, 'is at 30': 445848, 'at 30 am': 97588, '30 am sure': 16956, 'am sure it': 50460, 'sure it will': 827608, 'associate that': 96897, 'been increasing': 121370, 'night during': 562986, 'during her': 262684, 'her shift': 392365, 'shift greedy': 758303, 'greedy corporate': 363502, 'corporate most': 207313, 'affected do': 34343, 'hearing from an': 388201, 'from an associate': 334480, 'an associate that': 55452, 'associate that work': 96898, 'that work for': 847651, 'work for and': 1005138, 'for and had': 319324, 'and had been': 64095, 'had been increasing': 372896, 'been increasing price': 121371, 'increasing price all': 433662, 'price all night': 672271, 'all night during': 43641, 'night during her': 562987, 'during her shift': 262685, 'her shift greedy': 392367, 'shift greedy corporate': 758304, 'greedy corporate most': 363503, 'corporate most vulnerable': 207314, 'vulnerable will be': 961258, 'be affected do': 113512, 'affected do something': 34344, 'another national': 77720, 'national clap': 552442, 'clap tonight': 179972, 'teacher 19': 835418, 'another national clap': 77721, 'national clap tonight': 552443, 'clap tonight for': 179973, 'tonight for carers': 924412, 'for carers supermarket': 319937, 'supermarket worker teacher': 824090, 'worker teacher 19': 1007883, 'meandering': 524794, 'hindquarter': 396853, 'attention idiot': 102446, 'idiot when': 413634, 'trouble of': 932634, 'of labeling': 585691, 'labeling aisle': 478377, 'encourage socialdistancing': 275628, 'go meandering': 353833, 'meandering like': 524795, 'like chicken': 489986, 'chicken with': 175885, 'it head': 458509, 'will call': 992872, 'out don': 625976, 'give rat': 350672, 'rat hindquarter': 697129, 'hindquarter what': 396854, 'rude jerk': 727042, 'attention idiot when': 102447, 'idiot when the': 413635, 'store ha gone': 808007, 'to the trouble': 917143, 'the trouble of': 870027, 'trouble of labeling': 932635, 'of labeling aisle': 585692, 'labeling aisle one': 478378, 'to encourage socialdistancing': 905066, 'encourage socialdistancing and': 275629, 'socialdistancing and you': 780221, 'and you go': 76021, 'you go meandering': 1018860, 'go meandering like': 353834, 'meandering like chicken': 524796, 'like chicken with': 489988, 'chicken with it': 175886, 'with it head': 999069, 'it head cut': 458512, 'cut off will': 223446, 'off will call': 594388, 'will call you': 992873, 'call you out': 156252, 'you out don': 1020258, 'out don give': 625977, 'don give rat': 253557, 'give rat hindquarter': 350673, 'rat hindquarter what': 697130, 'hindquarter what you': 396855, 're being rude': 698362, 'being rude jerk': 125705, 'englishmuffins': 277066, 'increasing emphasis': 433599, 'on socialdistancing': 603540, 'of finding': 583543, 'finding certain': 307446, 'grocery staple': 365149, 'staple due': 793923, 'these englishmuffins': 879969, 'englishmuffins food': 277067, 'food recipe': 316136, 'the increasing emphasis': 858084, 'increasing emphasis on': 433600, 'emphasis on socialdistancing': 273375, 'on socialdistancing and': 603541, 'socialdistancing and the': 780218, 'and the challenge': 73276, 'challenge of finding': 171512, 'of finding certain': 583544, 'finding certain grocery': 307447, 'certain grocery staple': 170028, 'grocery staple due': 365150, 'staple due to': 793924, 'to now might': 910746, 'might be good': 530900, 'be good time': 115076, 'time to try': 898090, 'to try these': 917822, 'try these englishmuffins': 934588, 'these englishmuffins food': 879970, 'englishmuffins food recipe': 277068, 'do struggle': 250182, 'struggle every': 814345, 'when wake': 984411, 'up like': 945311, 'like can': 489956, 'again because': 36914, 'scared angie': 740944, 'kim via': 474770, 'do struggle every': 250183, 'struggle every day': 814346, 'every day when': 285859, 'day when wake': 228731, 'when wake up': 984412, 'wake up like': 964626, 'up like can': 945312, 'like can do': 489957, 'do it again': 249460, 'it again because': 456305, 'again because scared': 36915, 'because scared angie': 119531, 'scared angie kim': 740945, 'angie kim via': 76424, 'good insight': 357272, 'feeling these': 303084, 'energy index': 276473, 'index marketing': 434218, 'some good insight': 782968, 'good insight into': 357273, 'into how consumer': 442651, 'consumer are feeling': 196295, 'are feeling these': 86522, 'feeling these day': 303085, 'these day per': 879888, 'day per the': 228206, 'per the consumer': 651037, 'consumer energy index': 197363, 'energy index marketing': 276474, 'alaga4040': 40638, 'cameltoechallenge': 157096, 'fatihportakalyalnizdegildir': 300343, 'heineken alcohol': 388845, '70 alcohol': 21718, 'thinking what': 886028, 'am thinking': 50494, 'thinking alaga4040': 885871, 'alaga4040 worldhealthday': 40639, 'worldhealthday cameltoechallenge': 1010241, 'cameltoechallenge fatihportakalyalnizdegildir': 157097, 'fatihportakalyalnizdegildir whatsapp': 300344, 'heineken alcohol sanitizer': 388846, 'alcohol sanitizer 70': 41091, 'sanitizer 70 alcohol': 734302, '70 alcohol are': 21719, 'alcohol are you': 40916, 'you thinking what': 1021699, 'thinking what am': 886029, 'what am thinking': 981023, 'am thinking alaga4040': 50495, 'thinking alaga4040 worldhealthday': 885872, 'alaga4040 worldhealthday cameltoechallenge': 40640, 'worldhealthday cameltoechallenge fatihportakalyalnizdegildir': 1010242, 'cameltoechallenge fatihportakalyalnizdegildir whatsapp': 157098, '30 owned': 17170, 'by would': 154771, 'would cut': 1011747, '20 french': 13064, 'french energy': 332726, 'energy group': 276469, 'group seek': 366882, 'reduce spending': 705930, 'billion price': 130899, 'dropped 60': 260517, 'over hit': 630292, 'hit travel': 398488, 'travel business': 930300, 'and 30 owned': 57442, '30 owned by': 17171, 'owned by would': 632336, 'by would cut': 154772, 'would cut capital': 1011748, 'spending by 20': 788768, 'by 20 french': 151570, '20 french energy': 13065, 'french energy group': 332727, 'energy group seek': 276470, 'group seek to': 366883, 'seek to reduce': 746620, 'to reduce spending': 913038, 'reduce spending by': 705931, 'spending by more': 788771, 'than billion price': 840411, 'billion price have': 130900, 'have dropped 60': 380373, 'dropped 60 since': 260519, '60 since beginning': 20999, 'the year over': 872166, 'year over hit': 1014900, 'over hit travel': 630293, 'hit travel business': 398489, 'travel business restriction': 930302, 'restriction and oil': 717210, 'run newnormal': 727715, 'store run newnormal': 809928, 'at woolworth': 101583, 'woolworth in': 1004419, 'in eastern': 422466, 'eastern melbourne': 265585, 'melbourne said': 527937, 'said their': 731456, 'received pellet': 703667, 'pellet of': 646354, 'stock tonight': 803015, 'tonight in': 924425, 'total food': 926162, 'supermarket woolworth': 823967, 'woolworth shortage': 1004425, 'work at woolworth': 1004911, 'at woolworth in': 101584, 'woolworth in eastern': 1004420, 'in eastern melbourne': 422468, 'eastern melbourne said': 265586, 'melbourne said their': 527938, 'said their store': 731459, 'their store received': 874866, 'store received pellet': 809769, 'received pellet of': 703668, 'pellet of stock': 646355, 'of stock tonight': 590201, 'stock tonight in': 803016, 'tonight in total': 924427, 'in total food': 430218, 'total food supermarket': 926163, 'food supermarket woolworth': 316913, 'supermarket woolworth shortage': 823968, 'reshapes': 714197, '19 reshapes': 10120, 'reshapes consumer': 714198, 'consumption ad': 199824, 'preference from': 669780, 'from rapid': 337039, 'rapid tv': 696941, 'tv news': 936146, 'covid 19 reshapes': 213696, '19 reshapes consumer': 10121, 'reshapes consumer content': 714199, 'content consumption ad': 200790, 'consumption ad preference': 199825, 'ad preference from': 31142, 'preference from rapid': 669781, 'from rapid tv': 337040, 'rapid tv news': 696942, 'breaking bangkok': 138915, 'bangkok shopping': 109493, 'close except': 182632, 'except supermarket': 289224, 'pharmacy restaurant': 654433, 'away only': 105981, 'for 22': 318764, '22 march': 15222, 'breaking bangkok shopping': 138916, 'bangkok shopping mall': 109494, 'mall and business': 511732, 'and business close': 59272, 'business close except': 143535, 'close except supermarket': 182633, 'except supermarket pharmacy': 289225, 'supermarket pharmacy restaurant': 821978, 'pharmacy restaurant take': 654434, 'restaurant take away': 716730, 'take away only': 831969, 'away only for': 105982, 'only for 22': 610463, 'for 22 day': 318765, '22 day from': 15204, 'day from 22': 227655, 'from 22 march': 334243, '22 march 2020': 15224, 'long consumer': 501374, 'consumer durables': 197265, 'durables spending': 262355, 'spending remains': 788967, 'remains low': 710033, 'low retail': 505575, 'retail will': 718858, 'see recovery': 745634, 'recovery anytime': 705294, 'anytime soon': 80969, 'and growth': 64020, 'growth may': 367419, 'not return': 571365, 'return until': 719940, 'until 2022': 943645, '2022 financial': 14810, 'financial retail': 306559, 'long consumer durables': 501376, 'consumer durables spending': 197267, 'durables spending remains': 262356, 'spending remains low': 788969, 'remains low retail': 710034, 'low retail will': 505576, 'retail will not': 718861, 'not see recovery': 571485, 'see recovery anytime': 745635, 'recovery anytime soon': 705295, 'anytime soon and': 80970, 'soon and growth': 785621, 'and growth may': 64022, 'growth may not': 367420, 'may not return': 521386, 'not return until': 571366, 'return until 2022': 719941, 'until 2022 financial': 943646, '2022 financial retail': 14811, 'delores': 234813, 'updating don': 947472, 'don and': 253340, 'and delores': 61134, 'delores how': 234814, 'have annuity': 379285, 'annuity price': 77437, 'price changed': 673112, 'changed with': 172602, 'updating don and': 947473, 'don and delores': 253341, 'and delores how': 61135, 'delores how have': 234815, 'how have annuity': 407970, 'have annuity price': 379286, 'annuity price changed': 77438, 'price changed with': 673113, 'ncsolutions': 553365, 'from ncsolutions': 336550, 'ncsolutions show': 553366, 'show average': 766874, 'average household': 104852, 'household grocery': 406823, 'ha decreased': 370332, 'decreased since': 231642, '19 peak': 9607, 'peak from': 646064, '11 21': 2451, '21 but': 14978, 'but remains': 146921, 'remains 23': 709986, '23 higher': 15395, 'than pre': 841038, 'new data from': 558593, 'data from ncsolutions': 226235, 'from ncsolutions show': 336551, 'ncsolutions show average': 553367, 'show average household': 766875, 'average household grocery': 104854, 'household grocery spending': 406824, 'grocery spending ha': 365143, 'spending ha decreased': 788827, 'ha decreased since': 370335, 'decreased since the': 231643, 'covid 19 peak': 213563, '19 peak from': 9608, 'peak from march': 646065, 'from march 11': 336341, 'march 11 21': 515053, '11 21 but': 2452, '21 but remains': 14980, 'but remains 23': 146922, 'remains 23 higher': 709987, '23 higher than': 15396, 'higher than pre': 395760, 'than pre covid': 841039, 'craziest': 215213, 'wa diagnosed': 961972, 'diagnosed covid': 240225, 'place he': 657486, 'he gone': 384997, 'last several': 480495, 'careful he': 164400, 'he doing': 384913, 'doing okay': 252573, 'but said': 146957, 'illness ha': 416366, 'like yo': 491861, 'yo yo': 1016459, 'yo the': 1016449, 'the craziest': 852285, 'craziest one': 215214, 'one he': 606408, 'he ever': 384934, 'ever experienced': 285299, 'experienced stay': 291606, 'friend wa diagnosed': 333874, 'wa diagnosed covid': 961973, 'diagnosed covid 19': 240226, '19 only place': 9000, 'only place he': 610984, 'place he gone': 657487, 'he gone for': 384998, 'gone for the': 356279, 'the last several': 859041, 'last several week': 480496, 'several week wa': 753965, 'week wa the': 977173, 'wa the grocery': 963450, 'store he tried': 808123, 'tried to be': 931825, 'to be careful': 901151, 'be careful he': 113986, 'careful he doing': 164401, 'he doing okay': 384915, 'doing okay but': 252574, 'okay but said': 597965, 'but said that': 146958, 'that the illness': 846747, 'the illness ha': 857883, 'illness ha been': 416367, 'been like yo': 121460, 'like yo yo': 491862, 'yo yo the': 1016460, 'yo the craziest': 1016450, 'the craziest one': 852286, 'craziest one he': 215215, 'one he ever': 606409, 'he ever experienced': 384935, 'ever experienced stay': 285301, 'experienced stay home': 291607, 'stunned': 815309, 'paper ha': 640232, 'ultimate symbol': 939131, 'buying around': 149959, 'help supply': 390606, 'are stunned': 90604, 'stunned and': 815310, 'this rapidly': 889800, 'evolving new': 288573, 'toilet paper ha': 921293, 'paper ha become': 640233, 'become the ultimate': 120167, 'the ultimate symbol': 870319, 'ultimate symbol of': 939132, 'symbol of panic': 830771, 'panic buying around': 637647, 'buying around the': 149960, 'around the company': 93528, 'company that help': 191173, 'that help supply': 844302, 'help supply it': 390608, 'supply it are': 825469, 'it are stunned': 456585, 'are stunned and': 90605, 'stunned and trying': 815311, 'trying to adjust': 934764, 'to adjust to': 900106, 'adjust to this': 32303, 'to this rapidly': 917456, 'this rapidly evolving': 889801, 'rapidly evolving new': 696982, 'evolving new normal': 288574, 'normal in consumer': 567180, 'could halt': 209229, 'could halt the': 209230, 'halt the rise': 374463, 'rise in house': 722886, 'house price housingmarket': 406490, 'global ha': 351969, 'ha likely': 371141, 'likely pushed': 492089, 'pushed the': 690383, 'further uncertainty': 342197, 'uncertainty arising': 939655, 'and shaken': 71354, 'shaken financial': 754438, 'global ha likely': 351970, 'ha likely pushed': 371142, 'likely pushed the': 492090, 'pushed the global': 690384, 'global economy into': 351901, 'economy into recession': 267982, 'into recession with': 442937, 'recession with further': 704412, 'with further uncertainty': 998591, 'further uncertainty arising': 342198, 'uncertainty arising from': 939656, 'from the collapse': 337643, 'price and shaken': 672534, 'and shaken financial': 71355, 'shaken financial market': 754439, 'dj': 248803, 'djlife': 248837, 'seriously publix': 751703, 'had dj': 373041, 'dj damn': 248804, 'damn this': 225445, 'this dj': 887262, 'dj probably': 248811, 'probably talked': 679394, 'talked them': 833939, 'lol who': 500977, 'who gonna': 988801, 'go after': 353248, 'after cv': 35530, 'cv and': 223835, 'and walgreens': 75136, 'walgreens now': 964719, 'the nail': 861185, 'salon are': 732777, 'too dj': 924687, 'dj djlife': 248806, 'seriously publix grocery': 751704, 'store had dj': 808039, 'had dj damn': 373042, 'dj damn this': 248805, 'damn this dj': 225447, 'this dj probably': 887263, 'dj probably talked': 248812, 'probably talked them': 679395, 'talked them into': 833940, 'them into it': 875935, 'into it lol': 442674, 'it lol who': 459451, 'lol who gonna': 500978, 'who gonna go': 988802, 'gonna go after': 356542, 'go after cv': 353249, 'after cv and': 35531, 'cv and walgreens': 223836, 'and walgreens now': 75137, 'walgreens now guess': 964720, 'now guess the': 574834, 'guess the nail': 368054, 'the nail salon': 861186, 'nail salon are': 551458, 'salon are still': 732778, 'are still up': 90496, 'still up for': 801358, 'up for grab': 944939, 'for grab too': 321975, 'grab too dj': 361552, 'too dj djlife': 924688, 'wireless carrier': 996568, 'carrier have': 164985, 'temporarily shutting': 837545, 'this wireless carrier': 891451, 'wireless carrier have': 996569, 'carrier have announced': 164986, 'be temporarily shutting': 117540, 'temporarily shutting down': 837546, 'shutting down their': 768277, 'down their retail': 257319, 'burger': 142828, '30 fast': 17045, 'restaurant across': 716257, 'across california': 29281, 'california will': 155609, 'strike tomorrow': 813765, 'tomorrow thursday': 924208, 'thursday worker': 895458, 'from mcdonald': 336384, 'mcdonald burger': 522138, 'burger king': 142836, 'king taco': 475308, 'taco bell': 831666, 'bell and': 126481, 'and domino': 61620, 'domino will': 253310, 'walk off': 964838, 'demand stronger': 236282, 'stronger protection': 814182, 'worker at 30': 1006456, 'at 30 fast': 97591, '30 fast food': 17046, 'food restaurant across': 316191, 'restaurant across california': 716259, 'across california will': 29283, 'california will go': 155610, 'will go on': 993555, 'go on strike': 353894, 'on strike tomorrow': 603727, 'strike tomorrow thursday': 813766, 'tomorrow thursday worker': 924210, 'thursday worker from': 895459, 'worker from mcdonald': 1006995, 'from mcdonald burger': 336385, 'mcdonald burger king': 522139, 'burger king taco': 142837, 'king taco bell': 475309, 'taco bell and': 831667, 'bell and domino': 126482, 'and domino will': 61622, 'domino will walk': 253311, 'will walk off': 995312, 'walk off the': 964839, 'off the job': 594250, 'the job to': 858674, 'job to demand': 466223, 'to demand stronger': 904158, 'demand stronger protection': 236283, 'stronger protection against': 814183, 'protection against covid': 685291, 'pullman': 688958, 'foodpodcast': 318032, 'food special': 316709, 'episode featuring': 279524, 'featuring pullman': 301602, 'pullman we': 688959, 'environment mutual': 279129, 'mutual aid': 547085, 'aid and': 39353, 'supporting local': 827146, 'shop listen': 760418, 'now foodpodcast': 574711, 'foodpodcast coronacrisis': 318033, 'coronacrisis supportsmallbusiness': 204805, 'coronavirus food special': 205937, 'food special episode': 316710, 'special episode featuring': 787913, 'episode featuring pullman': 279525, 'featuring pullman we': 301603, 'pullman we discus': 688960, 'we discus panic': 971314, 'buying the environment': 151168, 'the environment mutual': 854405, 'environment mutual aid': 279130, 'mutual aid and': 547086, 'aid and supporting': 39356, 'and supporting local': 72861, 'supporting local shop': 827149, 'local shop listen': 498407, 'shop listen now': 760419, 'listen now foodpodcast': 494696, 'now foodpodcast coronacrisis': 574712, 'foodpodcast coronacrisis supportsmallbusiness': 318034, 'easterathome': 265540, 'agreed and': 38694, 'county going': 211388, 'going police': 355423, 'staff bus': 792278, 'postman woman': 666744, 'woman delivery': 1003463, 'endless thankyounhs': 276246, 'thankyounhs stayhomesavelives': 842380, 'stayhomesavelives easterathome': 798372, 'agreed and everyone': 38695, 'who is keeping': 989087, 'is keeping the': 449178, 'keeping the county': 472575, 'the county going': 852193, 'county going police': 211389, 'going police supermarket': 355424, 'supermarket staff bus': 822822, 'staff bus driver': 792279, 'bus driver postman': 143025, 'driver postman woman': 259714, 'postman woman delivery': 666745, 'woman delivery driver': 1003464, 'is endless thankyounhs': 447496, 'endless thankyounhs stayhomesavelives': 276247, 'thankyounhs stayhomesavelives easterathome': 842381, 'agreed we': 38757, 'some mean': 783268, 'buyer stripping': 149765, 'stripping shelf': 813915, 'ebay we': 266504, 'need way': 556176, 'of speeding': 589974, 'speeding up': 788486, 'agreed we really': 38758, 'really need and': 702427, 'need and did': 554423, 'not get some': 569608, 'get some mean': 348062, 'some mean to': 783269, 'mean to prevent': 524739, 'prevent the bulk': 671729, 'the bulk buyer': 850104, 'bulk buyer stripping': 142267, 'buyer stripping shelf': 149766, 'stripping shelf and': 813916, 'shelf and selling': 756761, 'and selling at': 71231, 'selling at inflated': 749170, 'inflated price on': 437058, 'and ebay we': 61890, 'ebay we also': 266505, 'also need way': 48554, 'need way of': 556177, 'way of speeding': 969768, 'of speeding up': 589975, 'speeding up delivery': 788487, 'up delivery of': 944699, 'liner': 493648, 'former grocery': 329636, 'clerk school': 181763, 'district office': 248380, 'office assistant': 595371, 'assistant healthcare': 96782, 'healthcare work': 387336, 'heard it': 388093, 'yet thank': 1016247, 'front liner': 338625, 'liner during': 493649, 'former grocery store': 329637, 'store clerk school': 807024, 'clerk school district': 181764, 'school district office': 741773, 'district office assistant': 248381, 'office assistant healthcare': 595372, 'assistant healthcare work': 96783, 'healthcare work and': 387337, 'work and food': 1004776, 'service worker thank': 753109, 'thank you if': 841750, 'you haven heard': 1019150, 'haven heard it': 383832, 'heard it yet': 388097, 'it yet thank': 462633, 'yet thank you': 1016248, 'all the front': 44754, 'the front liner': 855849, 'front liner during': 338626, 'liner during this': 493650, 'government tracking': 360746, 'staple across': 793892, 'across country': 29300, 'country asked': 210490, 'asked state': 95825, 'state announcing': 795377, 'announcing lockdown': 77317, 'truck carrying': 932748, 'carrying essential': 165177, 'allow delivery': 45942, 'delivery by': 233767, 'city with': 179466, 'with movement': 999581, 'union government tracking': 941887, 'government tracking price': 360747, 'household staple across': 406947, 'staple across country': 793893, 'across country asked': 29301, 'country asked state': 210491, 'asked state announcing': 95826, 'state announcing lockdown': 795378, 'announcing lockdown to': 77318, 'lockdown to allow': 500045, 'interstate movement of': 442142, 'movement of truck': 543906, 'of truck carrying': 592464, 'truck carrying essential': 932749, 'carrying essential supply': 165178, 'supply and to': 824760, 'and to allow': 74150, 'to allow delivery': 900329, 'allow delivery by': 45943, 'delivery by online': 233770, 'by online retailer': 153435, 'online retailer in': 608881, 'retailer in big': 719198, 'big city with': 129706, 'city with movement': 179468, 'with movement restriction': 999582, 'buying many': 150697, 'many smaller': 514711, 'now demanding': 574513, 'demanding cash': 236581, 'shop using': 760995, 'kid hostileenvironment': 474000, 'panic buying many': 637805, 'buying many smaller': 150699, 'many smaller local': 514712, 'shop are now': 759906, 'are now demanding': 88542, 'now demanding cash': 574514, 'demanding cash only': 236582, 'on these shop': 604574, 'these shop using': 880680, 'shop using aspencard': 760996, 'no food essential': 564254, 'food essential for': 314380, 'essential for them': 281064, 'them and kid': 875383, 'and kid hostileenvironment': 65834, 'global growth': 351967, 'commerce sale': 188623, 'with million': 999507, 'consumer worldwide': 199570, 'entertainment online': 278591, 'online transaction': 609632, 'transaction volume': 929478, 'volume in': 960139, 'most retail': 542704, 'crisis is driving': 217569, 'is driving the': 447389, 'driving the global': 260006, 'the global growth': 856305, 'global growth of': 351968, 'growth of commerce': 367430, 'of commerce sale': 581556, 'commerce sale with': 188625, 'sale with million': 732657, 'with million of': 999509, 'million of consumer': 532263, 'of consumer worldwide': 581788, 'consumer worldwide in': 199571, 'worldwide in quarantine': 1010377, 'in quarantine shopping': 427190, 'quarantine shopping for': 692534, 'shopping for good': 762677, 'for good service': 321943, 'good service and': 357708, 'service and entertainment': 752083, 'and entertainment online': 62196, 'entertainment online transaction': 278592, 'online transaction volume': 609634, 'transaction volume in': 929480, 'volume in most': 960140, 'in most retail': 425469, 'most retail sector': 542706, 'sector have seen': 744213, 'have seen via': 382451, 'can slow': 159640, 'safe mean': 729821, 'stayhome only': 798060, 'errand like': 280197, 'like doctor': 490128, 'appointment getting': 82667, 'home order can': 401768, 'order can slow': 618111, 'can slow spread': 159641, '19 and keep': 5053, 'and keep people': 65772, 'people safe mean': 649335, 'safe mean you': 729822, 'mean you need': 524788, 'need to stayhome': 556083, 'to stayhome only': 915342, 'stayhome only leave': 798061, 'only leave your': 610712, 'home for essential': 401228, 'for essential errand': 321101, 'essential errand like': 281006, 'errand like doctor': 280198, 'like doctor appointment': 490129, 'doctor appointment getting': 250830, 'appointment getting food': 82668, 'getting food from': 348982, 'or walking the': 617716, 'walking the dog': 965107, 'help because': 389411, 'and sup': 72695, 'need help because': 554975, 'help because of': 389413, 'place is on': 657528, 'is on lockdown': 450472, 'on lockdown now': 601919, 'family to be': 298320, 'safe and of': 729463, 'of course want': 582077, 'want to store': 966133, 'to store food': 915618, 'store food and': 807762, 'food and sup': 313349, 'licking thing': 488257, 'infected scare': 436633, 'hell out': 389049, 'clown infected': 184367, 'infected my': 436600, 'with could': 997824, 'could die': 209083, 'the people licking': 863485, 'people licking thing': 648629, 'licking thing that': 488259, 'thing that might': 884818, 'that might be': 845156, 'might be infected': 530907, 'be infected scare': 115485, 'infected scare the': 436634, 'scare the hell': 740917, 'the hell out': 857246, 'hell out of': 389050, 'of me have': 586330, 'me have health': 522861, 'have health problem': 380909, 'health problem and': 386754, 'problem and if': 679454, 'and if one': 64944, 'of these clown': 591818, 'these clown infected': 879771, 'clown infected my': 184368, 'infected my local': 436601, 'store with could': 811370, 'with could die': 997825, 'walmart said': 965405, 'the everyday': 854617, 'everyday good': 286567, 'good such': 357790, 'and house': 64776, 'house essential': 406283, 'essential had': 281115, 'had surged': 373584, 'surged to': 828315, 'point that': 662642, 'would hire': 1011929, 'hire 150': 396979, '00 temp': 503, 'walmart said that': 965406, 'said that demand': 731398, 'that demand for': 843492, 'demand for the': 235505, 'for the everyday': 326418, 'the everyday good': 854620, 'everyday good such': 286568, 'good such food': 357792, 'food and house': 313255, 'and house essential': 64777, 'house essential had': 406284, 'essential had surged': 281116, 'had surged to': 373585, 'surged to the': 828316, 'the point that': 863906, 'point that it': 662644, 'it would hire': 462595, 'would hire 150': 1011930, 'hire 150 00': 396980, '150 00 temp': 3888, '00 temp worker': 504, 'is this true': 453129, 'holidaytrip': 400406, 'my holidaytrip': 548680, 'holidaytrip is': 400407, 'another few': 77614, 'month should': 538000, 'should cancel': 765818, 'cancel if': 160852, 'you cancel': 1017841, 'cancel too': 160899, 'late you': 480936, 'higher fee': 395590, 'fee know': 302192, 'your consumerrights': 1023328, 'consumerrights for': 199760, 'for airtravel': 319092, 'airtravel seatravel': 40155, 'packageholidays irishconsumers': 633511, 'my holidaytrip is': 548681, 'holidaytrip is not': 400408, 'is not for': 450088, 'not for another': 569485, 'for another few': 319370, 'another few month': 77615, 'few month should': 303938, 'month should cancel': 538001, 'should cancel if': 765819, 'cancel if you': 160853, 'if you cancel': 415404, 'you cancel too': 1017842, 'cancel too late': 160900, 'too late you': 924842, 'late you may': 480937, 'may have to': 521260, 'pay higher fee': 644932, 'higher fee know': 395591, 'fee know your': 302193, 'know your consumerrights': 477097, 'your consumerrights for': 1023329, 'consumerrights for airtravel': 199761, 'for airtravel seatravel': 319093, 'airtravel seatravel packageholidays': 40156, 'seatravel packageholidays irishconsumers': 743545, 'ronaldo': 725803, 'leonardodicaprio': 486406, 'worldchange': 1010223, 'maybe ronaldo': 521789, 'ronaldo or': 725806, 'or leonardodicaprio': 615958, 'leonardodicaprio should': 486409, 'should find': 765990, 'find cure': 306867, 'truck bringing': 932735, 'bringing our': 140181, 'supply today': 826037, 'today newworldorder': 919927, 'newworldorder for': 561173, 'good 2020': 356674, '2020 worldchange': 14732, 'worldchange injustice': 1010224, 'maybe ronaldo or': 521790, 'ronaldo or leonardodicaprio': 725807, 'or leonardodicaprio should': 615959, 'leonardodicaprio should find': 486410, 'should find cure': 765991, 'find cure for': 306868, 'cure for or': 220744, 'for or stock': 324152, 'or stock our': 617231, 'store or nurse': 809351, 'or nurse or': 616330, 'nurse or drive': 577442, 'or drive the': 615072, 'drive the truck': 259170, 'the truck bringing': 870030, 'truck bringing our': 932736, 'bringing our supply': 140182, 'our supply today': 625039, 'supply today newworldorder': 826039, 'today newworldorder for': 919928, 'newworldorder for good': 561174, 'for good 2020': 321924, 'good 2020 worldchange': 356675, '2020 worldchange injustice': 14733, 'abelmoreno': 24314, 'heman': 391680, 'mastersoftheuniverse': 520236, 'melonseta': 527968, 'princeadam': 678209, 'shirt he': 758991, 'he man': 385218, 'man shirt': 512229, 'shirt from': 758984, 'just 14': 468099, '14 abelmoreno': 3414, 'abelmoreno cartoon': 24315, 'cartoon heman': 165520, 'heman mastersoftheuniverse': 391681, 'mastersoftheuniverse melonseta': 520237, 'melonseta parody': 527969, 'parody princeadam': 642198, 'princeadam toiletpaper': 678210, 'toiletpaper tv': 922783, 'have the toilet': 383037, 'paper shirt he': 640759, 'shirt he man': 758992, 'he man shirt': 385219, 'man shirt from': 512230, 'shirt from for': 758985, 'from for just': 335530, 'for just 14': 322786, 'just 14 abelmoreno': 468100, '14 abelmoreno cartoon': 3415, 'abelmoreno cartoon heman': 24316, 'cartoon heman mastersoftheuniverse': 165521, 'heman mastersoftheuniverse melonseta': 391682, 'mastersoftheuniverse melonseta parody': 520238, 'melonseta parody princeadam': 527970, 'parody princeadam toiletpaper': 642199, 'princeadam toiletpaper tv': 678211, 'berkshire': 127332, 'the berkshire': 849479, 'berkshire dream': 127333, 'dream center': 258591, 'need stock': 555647, 'prepared with': 670267, 'necessity amid': 554162, 'food diaper': 314201, 'diaper distribution': 240357, 'distribution is': 248156, 'place today': 657780, 'on tyler': 604938, 'tyler street': 937505, 'street detail': 812947, 'the berkshire dream': 849480, 'berkshire dream center': 127334, 'dream center in': 258592, 'center in is': 169232, 'in is working': 424176, 'in need stock': 425766, 'need stock up': 555648, 'up and stay': 944374, 'and stay prepared': 72300, 'stay prepared with': 797184, 'prepared with basic': 670268, 'with basic necessity': 997376, 'basic necessity amid': 111988, 'necessity amid the': 554163, 'the outbreak food': 862624, 'outbreak food diaper': 628224, 'food diaper distribution': 314202, 'diaper distribution is': 240358, 'distribution is taking': 248158, 'taking place today': 833516, 'place today on': 657781, 'today on tyler': 919974, 'on tyler street': 604939, 'tyler street detail': 937506, 'street detail here': 812948, 'how gas': 407907, 'now irony': 575057, 'me thinking about': 523701, 'thinking about how': 885848, 'about how gas': 25438, 'how gas price': 407909, 'price are the': 672750, 'are the lowest': 90858, 'lowest in year': 506180, 'year and we': 1014409, 'go anywhere right': 353301, 'anywhere right now': 81149, 'right now irony': 722086, 'not beat': 568485, 'without community': 1002550, 'that important': 844440, 'the handwashing': 857086, 'handwashing and': 376818, 'isolating london': 455122, 'london stophoarding': 501189, 'do not beat': 249677, 'not beat this': 568486, 'beat this thing': 118571, 'this thing without': 890572, 'thing without community': 885006, 'without community that': 1002551, 'community that important': 190154, 'that important the': 844441, 'important the handwashing': 419016, 'the handwashing and': 857087, 'handwashing and isolating': 376819, 'and isolating london': 65461, 'isolating london stophoarding': 455123, 'london stophoarding panicbuyinguk': 501190, 'dinosaurextinction': 243140, 'toiletpaperchaos': 922996, 'common reaction': 189444, 'crisis stayathome': 218086, 'stayathome quarantine': 797583, 'quarantine dinosaurextinction': 692148, 'dinosaurextinction toiletpaper': 243141, 'toiletpaper toiletpaperchaos': 922646, 'toiletpaperchaos quarantinelife': 922997, 'quarantinelife um': 693040, 'what the most': 982343, 'most common reaction': 542188, 'common reaction to': 189445, 'reaction to crisis': 700216, 'to crisis stayathome': 903747, 'crisis stayathome quarantine': 218087, 'stayathome quarantine dinosaurextinction': 797584, 'quarantine dinosaurextinction toiletpaper': 692149, 'dinosaurextinction toiletpaper toiletpaperchaos': 243142, 'toiletpaper toiletpaperchaos quarantinelife': 922647, 'toiletpaperchaos quarantinelife um': 922998, 'dampened': 225502, 'wor': 1004434, '19 leaf': 8292, 'leaf consumer': 483792, 'electronics at': 271280, 'and dampened': 60936, 'dampened demand': 225503, 'globaldata the': 352308, 'significant theme': 769528, 'theme to': 876714, 'technology industry': 836312, '2020 it': 14411, 'will put': 994536, 'put incredible': 690626, 'incredible strain': 433875, 'the wor': 871695, 'covid 19 leaf': 213343, '19 leaf consumer': 8294, 'leaf consumer electronics': 483793, 'consumer electronics at': 197331, 'electronics at the': 271281, 'mercy of supply': 529081, 'chain and dampened': 170459, 'and dampened demand': 60937, 'dampened demand say': 225504, 'demand say globaldata': 236175, 'say globaldata the': 738685, 'globaldata the coronavirus': 352309, '19 is by': 7942, 'is by far': 446336, 'by far the': 152552, 'far the most': 298932, 'most significant theme': 542744, 'significant theme to': 769529, 'theme to affect': 876715, 'affect the technology': 34256, 'the technology industry': 869233, 'technology industry in': 836313, 'industry in 2020': 435900, 'in 2020 it': 419842, '2020 it will': 14413, 'it will put': 462426, 'will put incredible': 994540, 'put incredible strain': 690627, 'incredible strain on': 433876, 'strain on the': 812293, 'on the wor': 604457, 'fall doubt': 296891, 'doubt grow': 256196, 'grow over': 367053, 'price fall doubt': 673783, 'fall doubt grow': 296892, 'doubt grow over': 256197, 'grow over output': 367054, 'over output cut': 630473, 'nhl': 562204, 'think these': 885673, 'these rich': 880604, 'rich owner': 721244, 'the nhl': 861773, 'nhl team': 562205, 'team need': 835733, 'major penalty': 509411, 'penalty and': 646439, 'the season': 866562, 'season and': 743372, 'and forget': 63204, 'ridiculous idea': 721554, 'idea with': 413250, 'money they': 537075, 'from expensive': 335355, 'expensive ticket': 291288, 'think these rich': 885675, 'these rich owner': 880606, 'rich owner of': 721245, 'owner of all': 632508, 'all the nhl': 44843, 'the nhl team': 861774, 'nhl team need': 562206, 'team need to': 835734, 'to take major': 916199, 'take major penalty': 832303, 'major penalty and': 509412, 'penalty and close': 646440, 'close the season': 182846, 'the season and': 866563, 'season and forget': 743373, 'and forget about': 63205, 'forget about making': 329223, 'making it up': 511153, 'it up it': 461961, 'up it ridiculous': 945247, 'it ridiculous idea': 460771, 'ridiculous idea with': 721555, 'idea with covid': 413251, '19 and with': 5139, 'the money they': 860829, 'money they have': 537078, 'they have made': 882343, 'have made over': 381414, 'made over the': 507905, 'the year from': 872157, 'year from expensive': 1014576, 'from expensive ticket': 335356, 'pealways': 646137, 'stamptheworld': 793456, 'can thank': 159939, 'them enough': 875652, 'enough nh': 277525, 'nh nurse': 562022, 'pharmacist teacher': 654181, 'delivery thankyou': 234614, 'thankyou pealways': 842347, 'pealways stamptheworld': 646138, 'we can thank': 971031, 'can thank them': 159941, 'thank them enough': 841659, 'them enough nh': 875654, 'enough nh nurse': 277526, 'nh nurse doctor': 562024, 'nurse doctor pharmacist': 577306, 'doctor pharmacist teacher': 251076, 'pharmacist teacher supermarket': 654182, 'teacher supermarket delivery': 835510, 'supermarket delivery thankyou': 819934, 'delivery thankyou pealways': 234615, 'thankyou pealways stamptheworld': 842348, 'of worry': 593319, 'worry and': 1010669, 'and overstock': 68584, 'overstock on': 631556, 'essential including': 281163, 'very practical': 955427, 'practical list': 668471, 'hand during': 374909, 'quarantine via': 692674, 'the today': 869697, 'today show': 920180, 'lot of worry': 504327, 'of worry and': 593320, 'worry and we': 1010672, 'told to not': 923756, 'panic and overstock': 637327, 'and overstock on': 68586, 'overstock on essential': 631557, 'on essential including': 600588, 'essential including food': 281164, 'including food this': 431967, 'is very practical': 453688, 'very practical list': 955428, 'practical list of': 668472, 'food to have': 317260, 'on hand during': 601229, 'hand during the': 374910, 'during the quarantine': 263178, 'the quarantine via': 864984, 'quarantine via the': 692675, 'via the today': 956310, 'the today show': 869699, 'patna': 644334, 'an indispensable': 56279, 'indispensable step': 435113, 'in patna': 426552, 'patna potato': 644335, 'potato onion': 666956, 'onion and': 607711, 'and atta': 58499, 'atta is': 102019, 'retail at': 717857, 'of 40': 579581, '40 50': 18515, 'and 40': 57469, '40 per': 18635, 'kg respectively': 473665, 'complete lockdown is': 192117, 'lockdown is an': 499538, 'is an indispensable': 445675, 'an indispensable step': 56280, 'indispensable step to': 435114, 'step to fight': 799647, '19 but the': 5533, 'essential commodity are': 280912, 'commodity are on': 189131, 'rise in patna': 722897, 'in patna potato': 426553, 'patna potato onion': 644336, 'potato onion and': 666957, 'onion and atta': 607712, 'and atta is': 58500, 'atta is being': 102020, 'is being sold': 446114, 'being sold in': 125833, 'sold in retail': 781688, 'in retail at': 427447, 'retail at the': 717862, 'at the rate': 101072, 'the rate of': 865165, 'rate of 40': 697310, 'of 40 50': 579582, '40 50 and': 18516, '50 and 40': 19610, 'and 40 per': 57471, '40 per kg': 18637, 'per kg respectively': 650900, 'time drastic': 896583, 'measure day': 525170, 'day unable': 228633, 'toiletpaper within': 922856, 'within 20': 1002312, '20 mile': 13157, 'mile installation': 531390, 'installation of': 440014, 'of japanese': 585510, 'japanese bidet': 464786, 'bidet toilet': 129576, 'toilet seat': 921623, 'seat coronapocolypse': 743508, 'coronapocolypse toiletpapercrisis': 205251, 'drastic time drastic': 258421, 'time drastic measure': 896584, 'drastic measure day': 258408, 'measure day unable': 525171, 'day unable to': 228634, 'to find toiletpaper': 905949, 'find toiletpaper within': 307350, 'toiletpaper within 20': 922857, 'within 20 mile': 1002313, '20 mile installation': 13158, 'mile installation of': 531391, 'installation of japanese': 440015, 'of japanese bidet': 585511, 'japanese bidet toilet': 464787, 'bidet toilet seat': 129577, 'toilet seat coronapocolypse': 921624, 'seat coronapocolypse toiletpapercrisis': 743509, 'jacksonville nc': 464216, 'nc for': 553287, 'donating gallon': 254458, 'their sanitizing': 874628, 'sanitizing product': 736494, 'work area': 1004837, 'customer repair': 222753, 'repair well': 711470, 'well product': 978509, 'product shipment': 681615, 'are sanitized': 89805, 'sanitized properly': 734257, 'properly thankyou': 684198, 'thankyou donation': 842331, 'donation sanitizer': 254687, 'to in jacksonville': 908224, 'in jacksonville nc': 424331, 'jacksonville nc for': 464217, 'nc for donating': 553288, 'for donating gallon': 320818, 'donating gallon of': 254459, 'gallon of their': 343048, 'of their sanitizing': 591700, 'their sanitizing product': 874629, 'sanitizing product this': 736499, 'product this will': 681730, 'will help ensure': 993711, 'ensure that work': 278076, 'that work area': 847648, 'work area for': 1004838, 'area for customer': 92013, 'for customer repair': 320513, 'customer repair well': 222754, 'repair well product': 711471, 'well product shipment': 978510, 'product shipment are': 681616, 'shipment are sanitized': 758742, 'are sanitized properly': 89806, 'sanitized properly thankyou': 734258, 'properly thankyou donation': 684199, 'thankyou donation sanitizer': 842332, 'singled': 771429, 'rees': 706459, 'mogg': 535547, 'yes and': 1015374, 'be singled': 117201, 'singled out': 771430, 'out which': 627831, 'point rees': 662608, 'rees mogg': 706460, 'mogg is': 535550, 'company fall': 190650, 'fall share': 297043, 'price paying': 675839, 'paying no': 645453, 'no tax': 565667, 'tax he': 835000, 'he member': 385230, 'gov paterson': 359655, 'paterson get': 644007, 'paid 100': 633938, 'yes and they': 1015376, 'they should take': 883386, 'should take pay': 766552, 'pay cut to': 644831, 'cut to help': 223601, 'help others but': 390207, 'others but they': 621315, 'but they should': 147518, 'not be singled': 568457, 'be singled out': 117202, 'singled out which': 771431, 'out which wa': 627833, 'which wa my': 986446, 'wa my point': 962678, 'my point rees': 549805, 'point rees mogg': 662609, 'rees mogg is': 706462, 'mogg is making': 535551, 'making money out': 511230, 'out of company': 626704, 'of company fall': 581605, 'company fall share': 190651, 'fall share price': 297044, 'share price paying': 755180, 'price paying no': 675840, 'paying no tax': 645454, 'no tax he': 565669, 'tax he member': 835001, 'he member of': 385231, 'member of gov': 528139, 'of gov paterson': 584258, 'gov paterson get': 359656, 'paterson get paid': 644008, 'get paid 100': 347760, 'paid 100 00': 633939, 'seating': 743532, 'le in': 482989, 'packed walmart': 633659, 'walmart costco': 965300, 'costco or': 208255, 'any now': 79524, 'store compared': 807128, 'people sitting': 649475, 'sitting down': 772103, 'having meal': 384154, 'that sanitizes': 846113, 'sanitizes it': 736453, 'it plate': 460344, 'plate utensil': 658922, 'utensil cup': 951222, 'cup and': 220444, 'it seating': 460919, 'seating with': 743538, 'me how the': 522919, 'how the threat': 408886, 'threat of catching': 893685, 'catching the is': 167117, 'the is le': 858506, 'is le in': 449247, 'le in packed': 482990, 'in packed walmart': 426420, 'packed walmart costco': 633660, 'walmart costco or': 965303, 'costco or any': 208256, 'or any now': 614350, 'any now open': 79525, 'now open grocery': 575461, 'grocery store compared': 365291, 'store compared to': 807129, 'compared to people': 191435, 'to people sitting': 911637, 'people sitting down': 649476, 'sitting down and': 772104, 'down and having': 256498, 'and having meal': 64296, 'having meal at': 384155, 'meal at restaurant': 524109, 'at restaurant that': 100299, 'restaurant that sanitizes': 716741, 'that sanitizes it': 846114, 'sanitizes it plate': 736454, 'it plate utensil': 460345, 'plate utensil cup': 658923, 'utensil cup and': 951223, 'cup and wipe': 220445, 'and wipe it': 75738, 'wipe it seating': 996309, 'it seating with': 460920, 'seating with sanitizer': 743539, 'drugdealers': 261164, 'n8tronic40': 551153, 'dimebags': 242925, 'dimebag': 242922, 'drug drugdealers': 260940, 'drugdealers corona': 261165, 'corona tp': 204257, 'toiletpaper n8tronic40': 922250, 'n8tronic40 humor': 551154, 'laugh laughter': 481740, 'laughter comedy': 481837, 'comedy dimebags': 187742, 'dimebags dimebag': 242926, 'dimebag got': 242923, 'want got': 965803, 'drug drugdealers corona': 260941, 'drugdealers corona tp': 261166, 'corona tp toiletpaper': 204258, 'tp toiletpaper n8tronic40': 928001, 'toiletpaper n8tronic40 humor': 922251, 'n8tronic40 humor laugh': 551155, 'humor laugh laughter': 410891, 'laugh laughter comedy': 481741, 'laughter comedy dimebags': 481838, 'comedy dimebags dimebag': 187743, 'dimebags dimebag got': 242927, 'dimebag got what': 242924, 'you want got': 1022141, 'treatment because': 931041, 'human before': 410431, 'and treatment because': 74433, 'treatment because covid': 931043, '19 ha never': 7368, 'never been seen': 557903, 'been seen in': 121899, 'seen in human': 747073, 'in human before': 423905, 'human before there': 410432, 'before there are': 123203, 'food4thought': 317737, 'food4thought how': 317738, 'food4thought how to': 317739, 'prioritizing': 678474, 'it indefensible': 458778, 'indefensible grocery': 434022, 'any employer': 79181, 'employer isn': 274520, 'isn prioritizing': 454627, 'prioritizing staff': 678490, 'health there': 386904, 'it indefensible grocery': 458779, 'indefensible grocery store': 434023, 'or any employer': 614340, 'any employer isn': 79182, 'employer isn prioritizing': 274521, 'isn prioritizing staff': 454628, 'prioritizing staff health': 678491, 'staff health there': 792521, 'health there no': 386905, 'there no excuse': 878808, 'excuse more grocery': 289763, 'store worker die': 811480, 'staff emts': 792406, 'emts social': 275356, 'worker counselor': 1006705, 'counselor emergency': 210088, 'repair grocery': 711457, 'grocery essential': 364496, 'employee anyone': 273598, 'anyone forgot': 80325, 'forgot amp': 329394, 'amp friend': 53843, 'family worth': 298409, 'something to think': 785113, 'think of for': 885443, 'of for hospital': 583860, 'for hospital staff': 322369, 'hospital staff emts': 404634, 'staff emts social': 792407, 'emts social worker': 275357, 'social worker counselor': 780020, 'worker counselor emergency': 1006706, 'counselor emergency service': 210089, 'emergency service repair': 272966, 'service repair grocery': 752767, 'repair grocery essential': 711458, 'grocery essential retail': 364497, 'store employee anyone': 807457, 'employee anyone forgot': 273599, 'anyone forgot amp': 80326, 'forgot amp friend': 329395, 'amp friend family': 53844, 'friend family worth': 333601, 'family worth the': 298410, 'worth the read': 1011446, 'meaningfulgrowth': 524864, 'geniouxmg': 345756, 'digitaltransformation meaningfulgrowth': 242819, 'meaningfulgrowth geniouxmg': 524865, 'geniouxmg emarketer': 345757, 'emarketer principal': 272406, 'closure the': 184039, 'the seismic': 866646, 'digitaltransformation meaningfulgrowth geniouxmg': 242820, 'meaningfulgrowth geniouxmg emarketer': 524866, 'geniouxmg emarketer principal': 345758, 'emarketer principal analyst': 272407, 'store closure the': 807108, 'closure the seismic': 184041, 'the seismic shift': 866647, 'seismic shift to': 747424, 'shift to online': 758441, 'crushthecurve': 219824, 'read before': 700302, 'next weekly': 561712, 'weekly visit': 977590, 'supermarket staysafe': 822947, 'staysafe help': 798823, 'help crushthecurve': 389553, 'good to read': 357897, 'to read before': 912826, 'read before your': 700303, 'before your next': 123343, 'your next weekly': 1025009, 'next weekly visit': 561713, 'weekly visit to': 977591, 'the supermarket staysafe': 868826, 'supermarket staysafe help': 822948, 'staysafe help crushthecurve': 798824, 'is place': 450879, 'place want': 657804, 'not place': 571029, 'like costco': 490052, 'costco who': 208291, 'who raised': 989491, 'raised it': 696006, 'soon crisis': 785687, 'crisis hit': 217492, 'hit caring': 398193, 'population amp': 664647, 'employee is': 273986, 'worth rewarding': 1011432, 'rewarding not': 720816, 'abuse their': 27669, 'their shopper': 874707, 'shopper loblaws': 761600, 'loblaws hike': 497623, 'hike employee': 396209, 'employee pay': 274108, 'this is place': 888358, 'is place want': 450881, 'place want to': 657805, 'to shop not': 914477, 'shop not place': 760506, 'not place like': 571030, 'place like costco': 657551, 'like costco who': 490053, 'costco who raised': 208292, 'who raised it': 989492, 'raised it price': 696009, 'it price soon': 460468, 'price soon crisis': 676566, 'soon crisis hit': 785688, 'crisis hit caring': 217493, 'hit caring for': 398194, 'for the population': 326625, 'the population amp': 864021, 'population amp employee': 664648, 'amp employee is': 53715, 'employee is worth': 273991, 'is worth rewarding': 454088, 'worth rewarding not': 1011433, 'rewarding not the': 720817, 'not the company': 571991, 'company who abuse': 191313, 'who abuse their': 988015, 'abuse their shopper': 27670, 'their shopper loblaws': 874708, 'shopper loblaws hike': 761601, 'loblaws hike employee': 497624, 'hike employee pay': 396210, 'employee pay amid': 274109, 'pay amid covid': 644720, 'geltwo': 345197, 'hurry we': 411530, 'stock handsanitizer': 802219, 'handwashing stayathome': 376864, 'stayhome geltwo': 798009, 'hurry we only': 411531, 'we only have': 972649, 'only have few': 610579, 'have few more': 380613, 'few more left': 303949, 'more left in': 539671, 'in stock handsanitizer': 428305, 'stock handsanitizer handwashing': 802220, 'handsanitizer handwashing stayathome': 376549, 'handwashing stayathome stayhome': 376865, 'stayathome stayhome geltwo': 797636, '86': 22965, 'streak': 812768, 'catchup fell': 167136, 'over 26': 629811, '26 86': 16144, '86 at': 22972, 'at press': 100185, 'press time': 671089, 'monday ending': 536277, 'ending day': 276170, 'day winning': 228772, 'winning streak': 996077, 'streak watch': 812769, 'price carefully': 673080, 'carefully read': 164480, 'news catchup fell': 560299, 'catchup fell by': 167137, 'fell by over': 303183, 'by over 26': 153496, 'over 26 86': 629812, '26 86 at': 16145, '86 at press': 22973, 'at press time': 100187, 'press time on': 671090, 'time on monday': 897400, 'on monday ending': 602165, 'monday ending day': 536278, 'ending day winning': 276171, 'day winning streak': 228773, 'winning streak watch': 996078, 'streak watch price': 812770, 'watch price carefully': 968513, 'price carefully read': 673081, 'carefully read the': 164481, 'sale the': 732569, 'client sale': 182091, 'up across': 944221, 'board this': 133674, 'example and': 288868, 'more now': 539858, 'before lower': 122928, 'lower ad': 505788, 'ad cost': 31086, 're wondering what': 699818, 'having on ecommerce': 384200, 'on ecommerce sale': 600502, 'ecommerce sale the': 266859, 'sale the answer': 732570, 'answer is that': 78064, 'is that our': 452677, 'that our client': 845573, 'our client sale': 622399, 'client sale are': 182092, 'sale are up': 732072, 'are up across': 91357, 'up across the': 944222, 'the board this': 849814, 'board this is': 133675, 'is just one': 449140, 'one example and': 606258, 'example and ha': 288869, 'and ha lot': 64076, 'lot to do': 504391, 'do with people': 250565, 'with people shopping': 1000164, 'online more now': 608561, 'more now than': 539861, 'now than before': 575983, 'than before lower': 840394, 'before lower ad': 122929, 'lower ad cost': 505789, 'lima': 492236, 'the quiet': 865069, 'quiet street': 694697, 'of lima': 585857, 'lima stateofemergency': 492237, 'stateofemergency of': 796238, 'of particular': 587795, 'particular interest': 642617, 'interest wa': 441426, 'social spacing': 779968, 'spacing in': 787227, 'people stood': 649642, 'stood meter': 804381, 'meter from': 529715, 'line lot': 493244, 'is provided': 451114, 'the quiet street': 865071, 'quiet street of': 694698, 'street of lima': 813048, 'of lima stateofemergency': 585858, 'lima stateofemergency of': 492238, 'stateofemergency of particular': 796239, 'of particular interest': 587796, 'particular interest wa': 642618, 'interest wa the': 441427, 'wa the extent': 963446, 'extent of social': 293330, 'of social spacing': 589843, 'social spacing in': 779969, 'spacing in the': 787228, 'queue some people': 694068, 'some people stood': 783539, 'people stood meter': 649644, 'stood meter from': 804382, 'meter from the': 529718, 'from the next': 337804, 'person in line': 652485, 'in line lot': 424760, 'line lot of': 493245, 'lot of care': 504151, 'of care is': 581145, 'care is provided': 164031, 'polyester': 663935, 'would likely': 1011999, 'likely survive': 492108, 'survive better': 829133, 'better on': 128391, 'on artificial': 599470, 'artificial fiber': 94515, 'fiber such': 304393, 'such polyester': 816682, 'polyester than': 663938, 'on cotton': 600136, 'store the would': 810629, 'the would likely': 872088, 'would likely survive': 1012000, 'likely survive better': 492109, 'survive better on': 829134, 'better on artificial': 128392, 'on artificial fiber': 599471, 'artificial fiber such': 94516, 'fiber such polyester': 304394, 'such polyester than': 816683, 'polyester than on': 663939, 'than on cotton': 840970, 'during in': 262715, 'in mauritius': 425192, 'fight over food': 304829, 'supermarket during in': 820052, 'during in mauritius': 262718, 'admired': 32573, 'prawn': 668982, 'squid': 791567, 'don lose': 253714, 'lose the': 503478, 'cook what': 202785, 'your your': 1026404, 'your admired': 1022749, 'admired chef': 32574, 'chef do': 175255, 'restaurant made': 716555, 'made white': 508062, 'bean stew': 118367, 'stew with': 799991, 'with prawn': 1000279, 'prawn baby': 668983, 'baby squid': 106703, 'squid and': 791568, 'and cod': 60048, 'cod we': 185319, 'send everything': 749852, 'home ask': 400738, 'by dm': 152382, 'to website': 918462, 'don lose the': 253715, 'lose the opportunity': 503481, 'opportunity to cook': 613702, 'to cook what': 903490, 'cook what your': 202787, 'what your your': 982725, 'your your admired': 1026405, 'your admired chef': 1022750, 'admired chef do': 32575, 'chef do in': 175256, 'do in their': 249433, 'in their restaurant': 429773, 'their restaurant made': 874580, 'restaurant made white': 716556, 'made white bean': 508063, 'white bean stew': 987819, 'bean stew with': 118368, 'stew with prawn': 799992, 'with prawn baby': 1000280, 'prawn baby squid': 668984, 'baby squid and': 106704, 'squid and cod': 791569, 'and cod we': 60049, 'cod we can': 185320, 'can send everything': 159573, 'send everything to': 749853, 'everything to your': 288061, 'your home ask': 1024339, 'home ask me': 400739, 'ask me by': 95580, 'me by dm': 522545, 'by dm for': 152383, 'for price or': 324726, 'price or go': 675778, 'or go directly': 615488, 'directly to website': 243594, 'caterer': 167248, 'milk is': 531711, 'think restaurant': 885516, 'and caterer': 59627, 'caterer are': 167249, 'they collectively': 881773, 'collectively produce': 186539, 'produce huge': 680302, 'huge amount': 409974, 'waste because': 968082, 'this enormous': 887385, 'enormous waste': 277296, 'waste oversupply': 968165, 'oversupply wa': 631607, 'always built': 49504, 'built into': 142189, 'dumping milk is': 262242, 'milk is just': 531713, 'beginning of big': 123644, 'of big change': 580698, 'big change think': 129699, 'change think restaurant': 172330, 'think restaurant and': 885517, 'restaurant and caterer': 716277, 'and caterer are': 59628, 'caterer are great': 167250, 'are great but': 86949, 'great but they': 362556, 'but they collectively': 147499, 'they collectively produce': 881774, 'collectively produce huge': 186540, 'produce huge amount': 680303, 'huge amount of': 409976, 'of food waste': 583811, 'food waste because': 317470, 'waste because of': 968083, 'of this enormous': 591967, 'this enormous waste': 887386, 'enormous waste oversupply': 277297, 'waste oversupply wa': 968166, 'oversupply wa always': 631608, 'wa always built': 961511, 'always built into': 49505, 'built into the': 142191, 'into the food': 443125, 'kam': 470726, 'directory': 243687, 'confirmation': 194121, 'kenya association': 472884, 'of manufacturer': 586161, 'manufacturer kam': 513482, 'kam ha': 470727, 'launched an': 481964, 'online directory': 608104, 'directory of': 243693, 'locally manufactured': 498765, 'manufactured good': 513403, 'the confirmation': 851444, 'confirmation of': 194122, 'the kenya association': 858745, 'kenya association of': 472885, 'association of manufacturer': 96970, 'of manufacturer kam': 586162, 'manufacturer kam ha': 513483, 'kam ha launched': 470728, 'ha launched an': 371101, 'launched an online': 481967, 'an online directory': 56615, 'online directory of': 608106, 'directory of locally': 243694, 'of locally manufactured': 585941, 'locally manufactured good': 498766, 'manufactured good in': 513404, 'of the confirmation': 590883, 'the confirmation of': 851445, 'confirmation of coronavirus': 194123, 'well supported': 978627, 'supported keeping': 827055, 'keeping interest': 472453, 'rate ultra': 697402, 'ultra low': 939170, 'crisis prof': 217910, 'prof problematic': 682369, 'problematic for': 679782, 'outbreak get': 628247, 'your xauusd': 1026398, 'xauusd market': 1013775, 'gold price well': 355980, 'price well supported': 677429, 'well supported keeping': 978629, 'supported keeping interest': 827056, 'keeping interest rate': 472454, 'interest rate ultra': 441405, 'rate ultra low': 697403, 'ultra low in': 939171, 'low in response': 505338, 'to the 2008': 916474, 'financial crisis prof': 306380, 'crisis prof problematic': 217911, 'prof problematic for': 682370, 'problematic for fighting': 679784, 'for fighting the': 321471, 'fighting the next': 305130, 'next one the': 561487, 'one the outbreak': 607200, 'the outbreak get': 862631, 'outbreak get your': 628249, 'get your xauusd': 348746, 'your xauusd market': 1026399, 'xauusd market update': 1013776, 'market update from': 517283, 'update from here': 946979, 'alberta is': 40800, 'reach staggering': 699982, 'staggering 25': 793251, 'rate business': 697168, 'business continue': 143575, 'cut job': 223413, 'job amid': 465608, 'pandemic coupled': 635253, 'the premier': 864228, 'premier said': 669905, 'alberta is on': 40802, 'track to reach': 928235, 'to reach staggering': 912807, 'reach staggering 25': 699983, 'staggering 25 unemployment': 793253, '25 unemployment rate': 15987, 'unemployment rate business': 941267, 'rate business continue': 697169, 'business continue to': 143576, 'continue to cut': 201174, 'to cut job': 903877, 'cut job amid': 223414, 'job amid the': 465609, 'global pandemic coupled': 352080, 'pandemic coupled with': 635254, 'coupled with historically': 211733, 'historically low price': 397998, 'low price the': 505540, 'price the premier': 676856, 'the premier said': 864230, 'ucat': 937879, 'gonna have': 356555, 'everything gonna': 287820, 'be shifted': 117137, 'to october': 910808, 'october price': 579147, 'price gonna': 674222, 'same give': 733077, 'please ucat': 660698, 'gonna happen now': 356550, 'happen now are': 377129, 'we gonna have': 971665, 'gonna have the': 356557, 'have the test': 383034, 'the test is': 869313, 'test is everything': 839041, 'is everything gonna': 447593, 'everything gonna be': 287821, 'gonna be shifted': 356481, 'be shifted to': 117138, 'shifted to october': 758506, 'to october price': 910809, 'october price gonna': 579148, 'price gonna be': 674223, 'gonna be the': 356483, 'the same give': 866229, 'same give an': 733078, 'an update please': 56928, 'update please ucat': 947171, '234': 15467, 'southwark': 786913, 'se16': 743070, '3rw': 18466, 'to fruit': 906278, 'veg you': 953804, 'now buy': 574299, 'the butcher': 850208, 'butcher counter': 148041, 'counter within': 210278, 'within fm': 1002356, 'fm food': 311697, 'food 234': 313020, '234 southwark': 15468, 'southwark park': 786914, 'park rd': 641972, 'london se16': 501166, 'se16 3rw': 743071, '3rw are': 18467, 'are keep': 87646, 'addition to fruit': 31736, 'to fruit and': 906279, 'and veg you': 74870, 'veg you can': 953805, 'can now buy': 159058, 'now buy meat': 574303, 'buy meat in': 148952, 'in the butcher': 429043, 'the butcher counter': 850209, 'butcher counter within': 148042, 'counter within fm': 210279, 'within fm food': 1002357, 'fm food 234': 311698, 'food 234 southwark': 313021, '234 southwark park': 15469, 'southwark park rd': 786915, 'park rd london': 641973, 'rd london se16': 698139, 'london se16 3rw': 501167, 'se16 3rw are': 743072, '3rw are keep': 18468, 'homebuyers': 402631, 'homesellers': 402957, 'cheadle': 174069, 'blog look': 132964, 'most frequently': 542342, 'frequently asked': 332843, 'asked question': 95814, 'concerned homebuyers': 193204, 'homebuyers homesellers': 402632, 'homesellers concerning': 402958, 'coronavirus affect': 205457, 'affect house': 34162, 'in cheadle': 421348, 'new blog look': 558406, 'blog look at': 132965, 'look at that': 502297, 'at that most': 100857, 'that most frequently': 845227, 'most frequently asked': 542343, 'frequently asked question': 332844, 'asked question from': 95816, 'question from concerned': 693593, 'from concerned homebuyers': 334946, 'concerned homebuyers homesellers': 193205, 'homebuyers homesellers concerning': 402633, 'homesellers concerning the': 402959, 'concerning the property': 193252, 'market will coronavirus': 517354, 'will coronavirus affect': 993036, 'coronavirus affect house': 205460, 'affect house price': 34163, 'price in cheadle': 674672, 'vaisman': 951856, 'guaranteeing': 367763, 'reversing': 720539, 'pandemic made': 635918, 'permanent francis': 652056, 'francis tseng': 331091, 'daria vaisman': 225946, 'vaisman the': 951857, 'produced emergency': 680515, 'such guaranteeing': 816530, 'guaranteeing housing': 367766, 'housing reversing': 407146, 'reversing excessive': 720540, 'excessive incarceration': 289388, 'reducing drug': 706278, 'the pandemic made': 863019, 'pandemic made unthinkable': 635919, 'them permanent francis': 876158, 'permanent francis tseng': 652057, 'francis tseng and': 331092, 'and daria vaisman': 60951, 'daria vaisman the': 225947, 'vaisman the crisis': 951858, 'crisis ha produced': 217442, 'ha produced emergency': 371544, 'produced emergency response': 680516, 'emergency response such': 272932, 'response such guaranteeing': 715799, 'such guaranteeing housing': 816531, 'guaranteeing housing reversing': 367767, 'housing reversing excessive': 407147, 'reversing excessive incarceration': 720541, 'excessive incarceration and': 289389, 'incarceration and reducing': 431332, 'and reducing drug': 70112, 'reducing drug price': 706279, 'onlinepayment': 609852, '19 vietnam': 11776, 'vietnam see': 957043, 'surge ecommerce': 828156, 'ecommerce onlinepayment': 266820, 'onlinepayment finance': 609853, 'covid 19 vietnam': 214030, '19 vietnam see': 11777, 'vietnam see no': 957044, 'see no online': 745485, 'no online shopping': 564995, 'shopping surge ecommerce': 764031, 'surge ecommerce onlinepayment': 828158, 'ecommerce onlinepayment finance': 266821, 'with dining': 998041, 'dining hall': 243016, 'hall worker': 374356, 'at seattle': 100478, 'seattle university': 743580, 'university who': 942471, 'receiving pay': 703792, 'show solidarity with': 767142, 'solidarity with dining': 781949, 'with dining hall': 998042, 'dining hall worker': 243017, 'hall worker at': 374357, 'worker at seattle': 1006475, 'at seattle university': 100479, 'seattle university who': 743582, 'university who are': 942472, 'are not receiving': 88453, 'not receiving pay': 571258, 'receiving pay during': 703794, 'this global crisis': 887704, 'pretended': 671327, 'before had': 122832, 'get quarantined': 347871, 'quarantined pretended': 692878, 'pretended to': 671328, 'on shit': 603424, 'were looking': 979852, 'throw down': 895024, 'it tested': 461471, 'tested covid': 839284, 'that melbourne': 845136, 'melbourne cbd': 527928, 'cbd cole': 168297, 'cole gone': 185861, 'before had to': 122833, 'had to get': 373693, 'to get quarantined': 906570, 'get quarantined pretended': 347872, 'quarantined pretended to': 692879, 'pretended to cough': 671329, 'cough on shit': 208524, 'on shit at': 603425, 'shit at the': 759067, 'the supermarket when': 868900, 'supermarket when people': 823805, 'when people were': 983871, 'people were looking': 650214, 'were looking to': 979854, 'looking to throw': 503052, 'to throw down': 917563, 'throw down for': 895025, 'down for it': 256774, 'for it tested': 322739, 'it tested covid': 461472, 'tested covid 19': 839285, 'covid 19 few': 213086, '19 few day': 6978, 'few day after': 303765, 'day after the': 227186, 'after the last': 36329, 'last time so': 480569, 'time so guess': 897691, 'guess that melbourne': 368041, 'that melbourne cbd': 845137, 'melbourne cbd cole': 527929, 'cbd cole gone': 168298, 'mania': 513152, 'real unsung': 701439, 'one paying': 606839, 'the mania': 860016, 'mania panicbuying': 513153, 'the real unsung': 865244, 'real unsung hero': 701440, '19 story are': 10892, 'story are grocery': 811909, 'the one paying': 862213, 'one paying the': 606840, 'for the mania': 326549, 'the mania panicbuying': 860017, 'extendedlockdown': 293213, 'now wish': 576437, 'bought more': 136643, 'alcohol than': 41132, 'toiletpaper southafrica': 922502, 'southafrica extendedlockdown': 786805, 'now wish had': 576438, 'wish had bought': 996767, 'had bought more': 372935, 'bought more alcohol': 136644, 'more alcohol than': 538584, 'alcohol than toiletpaper': 41133, 'than toiletpaper southafrica': 841352, 'toiletpaper southafrica extendedlockdown': 922503, 'may think': 521574, 'think north': 885424, 'texas foodbank': 839769, 'need just': 555128, 'donate they': 254244, 'bulk rate': 142352, 'rate the': 697388, 'need hunger': 555026, 'jenkins say do': 465080, 'buy food you': 148694, 'food you may': 317715, 'you may think': 1019815, 'may think north': 521576, 'think north texas': 885425, 'north texas foodbank': 567687, 'texas foodbank need': 839770, 'foodbank need just': 317777, 'need just go': 555129, 'to the website': 917183, 'the website and': 871273, 'website and donate': 975198, 'and donate they': 61652, 'donate they can': 254245, 'can buy in': 157825, 'in bulk rate': 421044, 'bulk rate the': 142353, 'rate the food': 697390, 'food they know': 317170, 'they know people': 882529, 'know people need': 476679, 'people need hunger': 648826, 'worker gas': 1007012, 'attendant fast': 102346, 'more hourly': 539453, 'health possibly': 386748, 'possibly life': 665935, 'in advocating': 420069, 'for livingwage': 323029, 'livingwage of': 496496, 'hour healthcare': 405667, 'healthcare after': 387020, 'store worker gas': 811515, 'worker gas station': 1007014, 'station attendant fast': 796356, 'attendant fast food': 102347, 'food worker many': 317675, 'worker many more': 1007354, 'many more hourly': 514304, 'more hourly worker': 539454, 'hourly worker are': 406147, 'putting their health': 691240, 'their health possibly': 873523, 'health possibly life': 386749, 'possibly life on': 665936, 'line to give': 493486, 'give you what': 350874, 'you need are': 1019966, 'need are you': 554476, 'going to support': 355732, 'them in advocating': 875891, 'in advocating for': 420070, 'advocating for livingwage': 33865, 'for livingwage of': 323030, 'livingwage of 15': 496497, 'of 15 hour': 579361, '15 hour healthcare': 3727, 'hour healthcare after': 405668, '4ish': 19469, 'idontusetwittermuch': 413705, 'day 4ish': 227152, '4ish of': 19470, 'quarantine while': 692702, 'been comfortably': 120842, 'comfortably practicing': 187884, 'hand excessively': 374925, 'excessively for': 289427, 'decade the': 230698, 'quarantine seems': 692509, 'taken different': 832985, 'different toll': 242114, 'boy family': 137253, 'family love': 298004, 'toiletpaper idontusetwittermuch': 922109, 'day 4ish of': 227153, '4ish of quarantine': 19471, 'of quarantine while': 588669, 'quarantine while ve': 692703, 'while ve been': 987510, 've been comfortably': 952871, 'been comfortably practicing': 120843, 'comfortably practicing social': 187885, 'distancing and washing': 247001, 'and washing my': 75210, 'my hand excessively': 548604, 'hand excessively for': 374926, 'excessively for decade': 289428, 'for decade the': 320608, 'decade the quarantine': 230699, 'the quarantine seems': 864975, 'quarantine seems to': 692510, 'to have taken': 907320, 'have taken different': 382910, 'taken different toll': 832986, 'different toll on': 242115, 'toll on the': 923870, 'on the boy': 603997, 'the boy family': 849929, 'boy family love': 137254, 'family love quarantine': 298005, 'love quarantine toiletpaper': 504759, 'quarantine toiletpaper idontusetwittermuch': 692647, 'dear indian': 229813, 'indian please': 434866, 'stockpile grocery': 803754, 'grocery there': 366035, 'like who': 491812, 'cannot store': 162142, 'store anything': 806434, 'anything humble': 80787, 'request 19': 713137, 'dear indian please': 229814, 'indian please do': 434867, 'not stockpile grocery': 571745, 'stockpile grocery there': 803756, 'grocery there are': 366036, 'are people like': 89037, 'people like who': 648655, 'like who cannot': 491814, 'who cannot pay': 988427, 'cannot pay high': 162032, 'price and cannot': 672375, 'and cannot store': 59523, 'cannot store anything': 162143, 'store anything humble': 806435, 'anything humble request': 80788, 'humble request 19': 410825, 'spotted heading': 790195, 'into london': 442722, 'london today': 501205, 'today london': 919829, 'london heading': 501086, 'lockdown soon': 499938, 'soon lockdownuk': 785768, 'spotted heading into': 790196, 'heading into london': 385944, 'into london today': 442723, 'london today london': 501206, 'today london heading': 919830, 'london heading for': 501087, 'heading for lockdown': 385931, 'for lockdown soon': 323067, 'lockdown soon lockdownuk': 499939, 'professorcj': 682600, 'professorcj covid': 682601, '19 gone': 7242, 'gone be': 356221, 'done wiped': 255116, 'wiped all': 996444, 'ppl out': 668299, 'they gone': 882213, 'gone have': 356293, 'some ppl': 783609, 'actually move': 30890, 'in lmao': 424809, 'professorcj covid 19': 682602, 'covid 19 gone': 213152, '19 gone be': 7243, 'gone be done': 356222, 'be done wiped': 114573, 'done wiped all': 255117, 'wiped all the': 996445, 'all the ppl': 44869, 'the ppl out': 864177, 'ppl out they': 668301, 'out they gone': 627546, 'they gone have': 882214, 'gone have to': 356294, 'have to lower': 383246, 'price to get': 676994, 'get some ppl': 348069, 'some ppl to': 783612, 'ppl to actually': 668350, 'to actually move': 900031, 'actually move in': 30891, 'move in lmao': 543665, 'from park': 336853, 'park associate': 641872, 'associate find': 96869, 'three quarter': 894047, 'of broadband': 580899, 'broadband household': 140722, 'household report': 406924, 'without broadband': 1002529, 'broadband service': 140730, 'service finding': 752365, 'finding likely': 307499, 'increase following': 432767, 'widespread covid': 991837, 'consumer research from': 198754, 'research from park': 713736, 'from park associate': 336854, 'park associate find': 641873, 'associate find that': 96870, 'find that more': 307270, 'than three quarter': 841331, 'three quarter of': 894049, 'quarter of broadband': 693256, 'of broadband household': 580900, 'broadband household report': 140723, 'household report it': 406925, 'report it would': 712069, 'would be difficult': 1011574, 'difficult for them': 242231, 'them to do': 876468, 'to do without': 904593, 'do without broadband': 250583, 'without broadband service': 1002530, 'broadband service finding': 140731, 'service finding likely': 752366, 'finding likely to': 307500, 'to increase following': 908279, 'increase following the': 432768, 'following the widespread': 312912, 'the widespread covid': 871543, 'widespread covid 19': 991838, 'internment': 442071, 'an internment': 56420, 'internment to': 442072, 'get alone': 346526, 'alone always': 46808, 'always with': 49806, 'and regular': 70158, 'regular hand': 707789, 'wash under': 967563, 'running it': 727985, 'it shall': 460994, 'well soon': 978572, 'the is an': 858479, 'is an internment': 445680, 'an internment to': 56421, 'internment to the': 442073, 'to the whole': 917190, 'whole world get': 990382, 'world get alone': 1009579, 'get alone always': 346527, 'alone always with': 46809, 'always with hand': 49807, 'mask and regular': 518360, 'and regular hand': 70160, 'regular hand wash': 707790, 'hand wash under': 375935, 'wash under running': 967564, 'under running it': 940232, 'running it shall': 727987, 'it shall be': 460995, 'shall be well': 754522, 'be well soon': 118089, 'gmp': 353198, '19920': 12491, 'qty': 691621, 'prevention 75': 671833, 'gel with': 345168, 'fda ce': 300845, 'ce gmp': 168706, 'gmp issued': 353201, 'by sg': 153957, 'sg 20': 754273, '20 container': 13008, 'container 19920': 200527, '19920 bottle': 12492, 'bottle 500': 136170, '500 ml': 20022, 'bottle anyone': 136183, 'bulk qty': 142350, 'qty happy': 691622, 'at factory': 98611, 'factory price': 295980, 'prevention 75 alcohol': 671834, '75 alcohol hand': 22107, 'sanitizer gel with': 734970, 'gel with fda': 345169, 'with fda ce': 998398, 'fda ce gmp': 300846, 'ce gmp issued': 168708, 'gmp issued by': 353202, 'issued by sg': 456043, 'by sg 20': 153958, 'sg 20 container': 754274, '20 container 19920': 13009, 'container 19920 bottle': 200528, '19920 bottle 500': 12493, 'bottle 500 ml': 136171, '500 ml bottle': 20023, 'ml bottle anyone': 534710, 'bottle anyone need': 136184, 'anyone need it': 80423, 'need it in': 555090, 'it in bulk': 458727, 'in bulk qty': 421043, 'bulk qty happy': 142351, 'qty happy to': 691623, 'happy to help': 377714, 'you with it': 1022381, 'with it at': 999058, 'it at factory': 456614, 'at factory price': 98614, 'hoarding staple': 399529, 'staple good': 793942, 'stop hoarding staple': 804739, 'hoarding staple good': 399530, 'something nice': 784979, 'nice can': 562363, 'you tip': 1021739, 'tip them': 898921, 'is something nice': 452108, 'something nice can': 784980, 'nice can do': 562364, 'do for my': 249314, 'for my local': 323717, 'do you tip': 250690, 'you tip them': 1021740, 'paper quarantine': 640640, 'toiletpaper fiber': 921981, 'low on toilet': 505468, 'toilet paper quarantine': 921405, 'paper quarantine toiletpaper': 640642, 'quarantine toiletpaper fiber': 692644, 'dissertation': 246588, 'authoritarian': 103672, 'dictatorship': 240523, 'marxist': 518147, 'critique': 218793, 'the dissertation': 853412, 'dissertation that': 246591, '19 authoritarian': 5272, 'authoritarian response': 103675, 'covid are': 214125, 'are dictatorship': 85812, 'dictatorship better': 240524, 'better equipped': 128276, 'pandemic empty': 635372, 'shelf marxist': 757309, 'marxist critique': 518148, 'critique of': 218794, 'stage capitalism': 793181, 'capitalism in': 162764, 'imagine all of': 416689, 'of the dissertation': 590958, 'the dissertation that': 853413, 'dissertation that are': 246592, 'going to come': 355555, 'covid 19 authoritarian': 212666, '19 authoritarian response': 5273, 'authoritarian response to': 103676, 'to covid are': 903670, 'covid are dictatorship': 214126, 'are dictatorship better': 85813, 'dictatorship better equipped': 240525, 'better equipped to': 128277, 'equipped to deal': 279893, 'deal with pandemic': 229565, 'with pandemic empty': 1000072, 'pandemic empty supermarket': 635373, 'supermarket shelf marxist': 822497, 'shelf marxist critique': 757310, 'marxist critique of': 518149, 'critique of late': 218795, 'of late stage': 585729, 'late stage capitalism': 480914, 'stage capitalism in': 793182, 'capitalism in the': 162765, 'utahn': 951200, 'one utahn': 607334, 'utahn never': 951203, 'imagined her': 416840, 'her delivery': 391991, 'not risk': 571391, 'risk trip': 723979, 'or mother': 616194, 'mother who': 543201, 'find baby': 306822, 'wipe on': 996329, 'one utahn never': 607335, 'utahn never imagined': 951204, 'never imagined her': 558071, 'imagined her delivery': 416841, 'her delivery would': 391992, 'delivery would be': 234784, 'would be helping': 1011598, 'helping out an': 391421, 'out an elderly': 625633, 'an elderly woman': 55642, 'elderly woman who': 270959, 'woman who could': 1003675, 'could not risk': 209454, 'not risk trip': 571392, 'risk trip to': 723980, 'store or mother': 809348, 'or mother who': 616195, 'mother who could': 543202, 'not find baby': 569419, 'find baby wipe': 306824, 'baby wipe on': 106741, 'wipe on store': 996332, 'shelf during the': 757004, 'gonna say': 356611, 'do communism': 249195, 'communism pilot': 189664, 'pilot test': 656743, 'test healthcare': 839019, 'healthcare is': 387151, 'gov private': 359667, 'private establishment': 678905, 'establishment are': 282050, 'closed price': 183301, 'are controlled': 85553, 'possibly salary': 665949, 'salary but': 731954, 'till everything': 896014, 'everything collapse': 287734, 'collapse that': 186060, 'that another': 842667, 'another episode': 77601, 'im gonna say': 416540, 'gonna say it': 356612, 'say it covid': 738837, 'is making do': 449541, 'making do communism': 511027, 'do communism pilot': 249196, 'communism pilot test': 189665, 'pilot test healthcare': 656744, 'test healthcare is': 839020, 'healthcare is provided': 387152, 'is provided by': 451115, 'by the gov': 154338, 'the gov private': 856487, 'gov private establishment': 359668, 'private establishment are': 678906, 'establishment are closed': 282051, 'are closed price': 85363, 'closed price of': 183302, 'of good are': 584211, 'good are controlled': 356770, 'are controlled by': 85554, 'the gov and': 856483, 'gov and possibly': 359532, 'and possibly salary': 69223, 'possibly salary but': 665950, 'salary but how': 731955, 'long till everything': 501759, 'till everything collapse': 896015, 'everything collapse that': 287735, 'collapse that another': 186061, 'that another episode': 842668, 'another episode of': 77602, 'episode of what': 279547, 'of what if': 593055, 'everything return': 287979, 'music store': 546340, 'providing equipment': 686981, 'equipment repair': 279817, 'couple le': 211612, 'le day': 482917, 'even after everything': 283813, 'after everything return': 35637, 'everything return to': 287980, 'my music store': 549396, 'music store providing': 546342, 'store providing equipment': 809697, 'providing equipment repair': 686982, 'equipment repair lesson': 279818, 'work couple le': 1005016, 'couple le day': 211613, 'le day week': 482918, 'day week twitchmusic': 228704, 'of pay': 587829, 'closed also': 182972, 'profit instead': 682782, 'sending home': 750029, 'employee with': 274444, 'with pay': 1000116, 'pay welcome': 645221, 'being consumer': 124989, 'consumer 2020': 195982, 'like to support': 491626, 'support those that': 826935, 'those that would': 892546, 'would be out': 1011627, 'out of pay': 626801, 'of pay if': 587830, 'pay if their': 644950, 'their business closed': 872678, 'business closed also': 143537, 'closed also not': 182973, 'also not like': 48576, 'not like to': 570405, 'support business staying': 826396, 'staying open for': 798674, 'open for profit': 612257, 'for profit instead': 324795, 'profit instead of': 682783, 'instead of sending': 440317, 'of sending home': 589504, 'sending home employee': 750030, 'home employee with': 401134, 'employee with pay': 274446, 'with pay welcome': 1000117, 'pay welcome to': 645222, 'welcome to being': 977901, 'to being consumer': 901735, 'being consumer 2020': 124990, 'farnworth': 299714, 'columbians': 186886, 'bcleg': 113345, 'shape farnworth': 754836, 'farnworth reassures': 299715, 'reassures british': 703218, 'british columbians': 140503, 'columbians state': 186889, 'emergency give': 272730, 'province the': 687198, 'ration supply': 697730, 'needed and': 556290, 'gas cbc': 343781, 'cbc bcpoli': 168270, 'bcpoli bcleg': 113356, 'good shape farnworth': 357724, 'shape farnworth reassures': 754837, 'farnworth reassures british': 299716, 'reassures british columbians': 703219, 'british columbians state': 140505, 'columbians state of': 186890, 'of emergency give': 583036, 'emergency give the': 272731, 'give the province': 350749, 'the province the': 864735, 'province the power': 687199, 'power to ration': 667716, 'to ration supply': 912766, 'ration supply if': 697731, 'supply if needed': 825384, 'if needed and': 414458, 'needed and set': 556294, 'set price for': 753460, 'price for food': 673966, 'food and gas': 313241, 'and gas cbc': 63471, 'gas cbc bcpoli': 343782, 'cbc bcpoli bcleg': 168271, 'buy meal': 148949, 'profit grocery': 682750, 'can buy meal': 157831, 'buy meal from': 148950, 'meal from the': 524166, 'the restaurant in': 865653, 'and the restaurant': 73550, 'the restaurant will': 865665, 'restaurant will keep': 716808, 'will keep the': 993899, 'keep the profit': 472064, 'the profit grocery': 864619, 'hoard grocery store': 398807, 'store ceo say': 806905, '00th': 712, 'the 00th': 847850, '00th time': 713, 'but excited': 145686, 'than people': 841022, 'time walking': 898208, 'here bitch': 392819, 'bitch socialdistancing': 131769, 'for the 00th': 326279, 'the 00th time': 847851, '00th time but': 714, 'time but excited': 896417, 'but excited to': 145687, 'excited to see': 289575, 'see more than': 745438, 'more than people': 540659, 'than people at': 841023, 'people at one': 647177, 'one time walking': 607263, 'time walking in': 898209, 'walking in like': 965062, 'in like here': 424725, 'like here bitch': 490426, 'here bitch socialdistancing': 392820, 'wisconsin making': 996625, 'making product': 511291, 'food ramp': 316107, 'up consumer': 944633, 'pandemic while': 636988, 'also planning': 48654, 'for impact': 322487, 'workforce the': 1008387, 'spread report': 790772, 'manufacturer in wisconsin': 513474, 'in wisconsin making': 430932, 'wisconsin making product': 996626, 'making product like': 511292, 'product like toilet': 681369, 'canned food ramp': 161519, 'food ramp up': 316108, 'ramp up consumer': 696436, 'up consumer stock': 944638, '19 pandemic while': 9524, 'pandemic while also': 636989, 'while also planning': 986594, 'also planning for': 48655, 'planning for impact': 658545, 'for impact to': 322490, 'impact to their': 418033, 'to their workforce': 917280, 'their workforce the': 875232, 'workforce the virus': 1008388, 'virus spread report': 958792, 'overused': 631672, 'england denies': 277012, 'denies the': 236986, 'an ffp3': 56049, 'for front': 321776, 'line encounter': 493071, 'encounter except': 275527, 'in aerosol': 420071, 'generating area': 345585, 'staff fell': 792448, 'ill and': 416101, 'and 32': 57451, '32 people': 17695, 'died staff': 241600, 'were given': 979680, 'apron that': 83750, 'wa overused': 962898, 'england denies the': 277013, 'denies the need': 236987, 'need for an': 554823, 'for an ffp3': 319296, 'an ffp3 gown': 56050, 'gown for front': 361376, 'for front line': 321777, 'front line encounter': 338569, 'line encounter except': 493072, 'encounter except in': 275528, 'except in aerosol': 289190, 'in aerosol generating': 420073, 'aerosol generating area': 33910, 'generating area the': 345586, 'area the staff': 92227, 'the staff fell': 867687, 'staff fell ill': 792449, 'fell ill and': 303200, 'ill and 32': 416102, 'and 32 people': 57453, '32 people died': 17696, 'people died staff': 647658, 'died staff were': 241601, 'staff were given': 793069, 'were given useless': 979684, 'plastic apron that': 658795, 'apron that said': 83751, 'it wa overused': 462168, 'pulp friction': 688963, 'friction border': 333170, 'border jam': 135256, 'jam delay': 464352, 'delay supply': 232747, 'toiletpaper only': 922278, 'only ingredient': 610644, 'ingredient hoarding': 438374, 'hoarding virus': 399642, 'pulp friction border': 688964, 'friction border jam': 333171, 'border jam delay': 135257, 'jam delay supply': 464353, 'delay supply of': 232748, 'of toiletpaper only': 592274, 'toiletpaper only ingredient': 922279, 'only ingredient hoarding': 610645, 'ingredient hoarding virus': 438375, 'disagreement': 244020, 'latam update': 480824, 'update mar': 947065, 'russian arab': 728611, 'arab disagreement': 83824, 'disagreement over': 244023, 'the fixing': 855388, 'price accelerated': 672204, 'accelerated an': 27876, 'already bad': 47208, 'bad trend': 108061, 'hit stock': 398410, 'and hy': 64893, 'hy credit': 411883, 'lower global': 505868, 'latam update mar': 480825, 'update mar 2020': 947066, 'mar 2020 the': 514978, '2020 the russian': 14642, 'the russian arab': 866094, 'russian arab disagreement': 728612, 'arab disagreement over': 83825, 'disagreement over the': 244024, 'over the fixing': 630720, 'the fixing of': 855389, 'fixing of oil': 309852, 'oil price accelerated': 597033, 'price accelerated an': 672205, 'accelerated an already': 27877, 'an already bad': 55250, 'already bad trend': 47209, 'bad trend in': 108062, 'trend in the': 931370, 'price hit stock': 674564, 'hit stock and': 398411, 'stock and hy': 801815, 'and hy credit': 64894, 'hy credit the': 411884, 'credit the prospect': 216530, 'prospect of lower': 684692, 'of lower global': 586052, 'lower global growth': 505870, 'if pub': 414697, 'club bar': 184413, 'close couldn': 182599, 'couldn food': 209881, 'retail operate': 718352, 'operate sunday': 613017, 'sunday hour': 818211, 'hour trade': 406051, 'trade day': 928474, 'week this': 977044, 'could allow': 208807, 'replenish store': 711648, 'more effectively': 539112, 'effectively clean': 269343, 'and sanitise': 70825, 'sanitise effectively': 733891, 'effectively help': 269353, 'if pub club': 414698, 'pub club bar': 687695, 'club bar are': 184414, 'bar are to': 110676, 'are to close': 91110, 'to close couldn': 902863, 'close couldn food': 182600, 'couldn food retail': 209882, 'food retail operate': 316208, 'retail operate sunday': 718353, 'operate sunday hour': 613018, 'sunday hour trade': 818212, 'hour trade day': 406052, 'trade day week': 928475, 'day week this': 228701, 'week this could': 977046, 'this could allow': 886917, 'could allow to': 208809, 'allow to replenish': 46104, 'to replenish store': 913258, 'replenish store more': 711649, 'store more effectively': 808983, 'more effectively clean': 539113, 'effectively clean and': 269344, 'clean and sanitise': 180467, 'and sanitise effectively': 70826, 'sanitise effectively help': 733892, 'effectively help stop': 269354, 'help stop panic': 390588, 'buying and help': 149911, 'help the supply': 390683, 'overload': 631264, 'naples': 551865, 'probably suffering': 679390, 'from total': 338112, 'total overload': 926219, 'overload but': 631265, 'morning of': 541385, 'in naples': 425674, 'naples florida': 551866, 'florida also': 310895, 'beach have': 118204, 'closed feel': 183108, 'feel very': 302916, 'real indeed': 701225, 'know everyone is': 476370, 'everyone is probably': 287103, 'is probably suffering': 451050, 'probably suffering from': 679391, 'suffering from total': 817315, 'from total overload': 338113, 'total overload but': 926220, 'overload but just': 631266, 'but just have': 146196, 'have to share': 383298, 'share this photo': 755291, 'this photo took': 889567, 'photo took this': 655265, 'took this morning': 925358, 'this morning of': 888993, 'morning of the': 541386, 'get into my': 347368, 'here in naples': 393168, 'in naples florida': 425675, 'naples florida also': 551868, 'florida also all': 310896, 'all the beach': 44670, 'the beach have': 849380, 'beach have been': 118205, 'have been closed': 379491, 'been closed feel': 120838, 'closed feel very': 183109, 'feel very very': 302921, 'very very real': 955649, 'very real indeed': 955454, 'something seriously': 785048, 'seriously wrong': 751793, 'government inflation': 360224, 'inflation data': 437155, 'data because': 226138, 'because everything': 119052, 'is costing': 446854, 'costing time': 208336, 'price before': 672877, 'lockdown retail': 499864, 'retail inflation': 718223, 'inflation eas': 437161, 'eas to': 265062, 'to 91': 899870, '91 in': 23433, 'something seriously wrong': 785049, 'seriously wrong with': 751795, 'wrong with government': 1013154, 'with government inflation': 998656, 'government inflation data': 360225, 'inflation data because': 437156, 'data because everything': 226139, 'because everything is': 119053, 'everything is costing': 287868, 'is costing time': 446857, 'costing time of': 208337, 'the price before': 864334, 'price before lockdown': 672879, 'before lockdown retail': 122917, 'lockdown retail inflation': 499865, 'retail inflation eas': 718225, 'inflation eas to': 437162, 'eas to 91': 265063, 'to 91 in': 899871, '91 in march': 23434, 'perceived': 651092, 'god did': 354678, 'not hide': 569959, 'hide covid': 394832, '19 had': 7408, 'had told': 373750, 'people close': 647483, 'water what': 969254, 'what perceived': 982022, 'perceived wa': 651103, 'wa national': 962687, 'national event': 552500, 'event others': 285049, 'others far': 621395, 'far back': 298718, 'back 2015': 106815, '2015 had': 13812, 'had word': 373805, 'about china': 24957, 'god did not': 354679, 'did not hide': 240717, 'not hide covid': 569960, 'hide covid 19': 394833, 'covid 19 had': 213178, '19 had told': 7413, 'had told people': 373752, 'told people close': 923655, 'people close to': 647484, 'to me from': 909927, 'me from the': 522791, 'from the last': 337767, 'quarter of last': 693257, 'last year to': 480739, 'year to stock': 1015047, 'and water what': 75263, 'water what perceived': 969255, 'what perceived wa': 982023, 'perceived wa national': 651104, 'wa national event': 962688, 'national event others': 552501, 'event others far': 285050, 'others far back': 621396, 'far back 2015': 298719, 'back 2015 had': 106816, '2015 had word': 13813, 'had word about': 373806, 'word about china': 1004440, 'about china in': 24959, 'at challenging': 98224, 'fight our': 304821, 'our selfishness': 624706, 'elderly key': 270729, 'not fortune': 569522, 'fortune enough': 329927, 'expose all': 292781, 'it at challenging': 456611, 'at challenging time': 98225, 'challenging time like': 171641, 'like these we': 491442, 'these we need': 880947, 'to fight our': 905801, 'fight our selfishness': 304822, 'our selfishness and': 624707, 'and greed by': 63943, 'greed by buying': 363369, 'by buying from': 152039, 'from supermarket at': 337475, 'same time thinking': 733370, 'time thinking of': 897916, 'thinking of the': 885971, 'the elderly key': 854129, 'elderly key worker': 270730, 'are not fortune': 88374, 'not fortune enough': 569523, 'fortune enough to': 329928, 'enough to work': 277731, 'from home is': 335874, 'home is here': 401452, 'here to expose': 393709, 'to expose all': 905511, 'hull': 410372, 'what self': 982143, 'isolation look': 455337, 'in hull': 423902, 'hull lockdownuknow': 410373, 'is what self': 453892, 'what self isolation': 982144, 'self isolation look': 747783, 'isolation look like': 455338, 'like in hull': 490491, 'in hull lockdownuknow': 423903, 'hull lockdownuknow 19': 410374, 'lockdownuknow 19 stayathome': 500446, 'invests': 444236, 'njbanks': 563473, 'lucky the': 506576, 'to wfh': 918502, 'wfh wa': 980861, 'pretty smooth': 671496, 'smooth for': 775926, 'everyone though': 287485, 'it cool': 457317, 'how other': 408451, 'helping their': 391501, 'their team': 874952, 'team invests': 835694, 'invests in': 444237, 'in employee': 422554, 'employee consumer': 273728, 'consumer initiative': 197878, 'initiative amid': 438603, 'amid njbanks': 52545, 'pretty lucky the': 671441, 'lucky the transition': 506577, 'the transition to': 869906, 'transition to wfh': 929685, 'to wfh wa': 918504, 'wfh wa pretty': 980862, 'wa pretty smooth': 962994, 'pretty smooth for': 671497, 'smooth for me': 775927, 'me it not': 523014, 'not for everyone': 569487, 'for everyone though': 321246, 'everyone though so': 287486, 'though so it': 892887, 'so it cool': 777458, 'it cool to': 457318, 'see how other': 745242, 'how other business': 408452, 'business are helping': 143371, 'are helping their': 87112, 'helping their team': 391502, 'their team invests': 874955, 'team invests in': 835695, 'invests in employee': 444238, 'in employee consumer': 422557, 'employee consumer initiative': 273729, 'consumer initiative amid': 197879, 'initiative amid njbanks': 438604, 'oregonian': 619166, 'shutdown cost': 768015, 'cost oregonian': 208081, 'oregonian their': 619167, 'their livelihood': 873860, 'livelihood nonprofit': 496202, 'nonprofit that': 566705, 'seeing dramatic': 746270, 'dramatic surge': 258311, 'the oregon': 862462, 'oregon food': 619146, 'bank say': 110150, 'could start': 209710, 'soon two': 785881, 'now report': 575680, '19 shutdown cost': 10522, 'shutdown cost oregonian': 768016, 'cost oregonian their': 208082, 'oregonian their livelihood': 619168, 'their livelihood nonprofit': 873861, 'livelihood nonprofit that': 496203, 'nonprofit that provide': 566707, 'that provide food': 845884, 'provide food are': 686303, 'food are seeing': 313413, 'are seeing dramatic': 89892, 'seeing dramatic surge': 746271, 'dramatic surge in': 258312, 'demand the oregon': 236355, 'the oregon food': 862466, 'oregon food bank': 619147, 'food bank say': 313631, 'bank say it': 110152, 'say it could': 738836, 'it could start': 457370, 'could start running': 209711, 'start running short': 794475, 'running short on': 728064, 'on supply soon': 603832, 'supply soon two': 825880, 'soon two week': 785882, 'two week from': 937332, 'from now report': 336612, 'yogalesson': 1016500, 'sexlife': 754218, 'talktoeachother': 834063, 'work thing': 1005847, 'thing out': 884664, 'during isolation': 262730, 'isolation couple': 455242, 'couple separate': 211669, 'separate shopping': 751086, 'schedule take': 741465, 'online yogalesson': 609770, 'yogalesson spice': 1016501, 'spice up': 789218, 'your sexlife': 1025742, 'sexlife develop': 754219, 'develop new': 239653, 'new learning': 559016, 'learning activity': 484180, 'kid talktoeachother': 474125, 'way to work': 970121, 'to work thing': 918792, 'work thing out': 1005848, 'thing out during': 884665, 'out during isolation': 625988, 'during isolation couple': 262731, 'isolation couple separate': 455243, 'couple separate shopping': 211670, 'separate shopping schedule': 751087, 'shopping schedule take': 763817, 'schedule take an': 741466, 'take an online': 831937, 'an online yogalesson': 56642, 'online yogalesson spice': 609771, 'yogalesson spice up': 1016502, 'spice up your': 789219, 'up your sexlife': 946752, 'your sexlife develop': 1025743, 'sexlife develop new': 754220, 'develop new learning': 239654, 'new learning activity': 559017, 'learning activity for': 484181, 'the kid talktoeachother': 858794, 'trump wasted': 933966, 'wasted the': 968264, 'golden time': 356063, '19 wear': 11963, 'small area': 774795, 'dad send': 224375, 'from shanghai': 337229, 'shanghai if': 754804, 'extra mask': 293570, 'case some': 166022, 'some homeless': 783050, 'cant buy': 162271, 'any here': 79322, 'here bless': 392821, 'bless human': 132585, 'trump wasted the': 933967, 'wasted the golden': 968266, 'the golden time': 856419, 'golden time to': 356064, 'time to slow': 898069, 'covid 19 wear': 214052, '19 wear mask': 11964, 'to small area': 914755, 'small area my': 774796, 'area my dad': 92115, 'my dad send': 547900, 'dad send me': 224376, 'send me lot': 749884, 'lot of mask': 504223, 'of mask from': 586265, 'mask from shanghai': 518706, 'from shanghai if': 337230, 'shanghai if go': 754805, 'if go to': 414157, 'to supermarket will': 915859, 'supermarket will take': 823896, 'will take extra': 995067, 'take extra mask': 832111, 'extra mask in': 293571, 'mask in case': 518829, 'in case some': 421273, 'case some homeless': 166023, 'some homeless people': 783051, 'homeless people cant': 402771, 'people cant buy': 647442, 'cant buy any': 162272, 'buy any here': 148350, 'any here bless': 79323, 'here bless human': 392822, 'want an': 965700, 'absolute shutdown': 27292, 'shutdown in': 768043, 'ghana in': 349571, 'where majority': 985003, 'majority depend': 509538, 'mouth visit': 543574, 'visit any': 959183, 'any reputable': 79747, 'reputable supermarket': 713114, 'there cap': 878273, 'thing sold': 884757, 'sold hunger': 781679, 'hunger would': 411209, 'ghana than': 349586, 'we shutdown': 973319, 'shutdown 100': 767976, 'you want an': 1022127, 'want an absolute': 965701, 'an absolute shutdown': 55043, 'absolute shutdown in': 27293, 'shutdown in ghana': 768046, 'in ghana in': 423303, 'ghana in country': 349572, 'country where majority': 211219, 'where majority depend': 985004, 'majority depend on': 509539, 'depend on hand': 237315, 'to mouth visit': 910299, 'mouth visit any': 543575, 'visit any reputable': 959184, 'any reputable supermarket': 79748, 'reputable supermarket and': 713115, 'and there cap': 73834, 'there cap on': 878274, 'cap on thing': 162441, 'on thing sold': 604589, 'thing sold hunger': 884758, 'sold hunger would': 781680, 'hunger would kill': 411210, 'would kill more': 1011977, 'kill more in': 474450, 'more in ghana': 539514, 'in ghana than': 423305, 'ghana than covid': 349587, 'if we shutdown': 415310, 'we shutdown 100': 973320, '12th': 3133, 'saw toilet': 738302, 'shelf wa': 757737, 'wa march': 962616, 'march 12th': 515063, '12th this': 3138, 'time saw toilet': 897617, 'saw toilet paper': 738303, 'paper on supermarket': 640533, 'supermarket shelf wa': 822560, 'shelf wa march': 757739, 'wa march 12th': 962617, 'march 12th this': 515064, '12th this is': 3139, 'this is insane': 888293, 'zealander now': 1027324, 'now receive': 575651, 'receive their': 703563, 'food via': 317427, 'effect no': 269036, 'many new zealander': 514344, 'new zealander now': 560003, 'zealander now receive': 1027325, 'now receive their': 575652, 'receive their food': 703564, 'their food via': 873357, 'food via delivery': 317429, 'via delivery company': 955912, 'company and are': 190374, 'are in effect': 87380, 'in effect no': 422508, 'effect no different': 269037, 'no different to': 564018, 'different to supermarket': 242112, 'supermarket delivery option': 819930, 'mail grocery': 508619, '27 who': 16315, '19 continued': 6027, 'continued working': 201371, 'help elderly': 389626, 'daily mail grocery': 224682, 'mail grocery store': 508620, 'store clerk 27': 806991, 'clerk 27 who': 181627, '27 who died': 16316, 'covid 19 continued': 212856, '19 continued working': 6028, 'continued working to': 201373, 'to help elderly': 907501, 'help elderly customer': 389628, 'just wrote': 470359, 'wrote letter': 1013201, 'letter email': 487306, 'email american': 272106, 'university demand': 942427, 'worker receive': 1007666, 'receive full': 703488, 'benefit while': 127136, 'while laid': 986999, '19 write': 12228, 'write one': 1012782, 'one here': 606419, 'just wrote letter': 470360, 'wrote letter email': 1013202, 'letter email american': 487307, 'email american university': 272107, 'american university demand': 52279, 'university demand food': 942428, 'demand food service': 235365, 'service worker receive': 753107, 'worker receive full': 1007667, 'receive full pay': 703489, 'health benefit while': 386195, 'benefit while laid': 127137, 'while laid off': 987000, 'off during covid': 593787, 'covid 19 write': 214098, '19 write one': 12229, 'write one here': 1012783, 'barcode': 110848, 'customary': 222001, '530': 20301, 'x121': 1013750, 'usausausa': 948881, '19 barcode': 5300, 'barcode printing': 110851, 'printing supply': 678352, 'supply status': 825893, 'status we': 796705, 'have barcode': 379408, 'normal discounted': 567137, 'with customary': 997893, 'customary additional': 222002, 'additional volume': 31897, 'volume discount': 960129, 'discount contact': 244460, 'contact 970': 199998, '970 530': 23692, '530 4400': 20302, '4400 x121': 19032, 'x121 coronalockdown': 1013751, 'coronalockdown coronavillains': 205032, 'coronavillains usa': 205414, 'usa usausausa': 948787, 'covid 19 barcode': 212678, '19 barcode printing': 5301, 'barcode printing supply': 110852, 'printing supply status': 678354, 'supply status we': 825894, 'status we have': 796706, 'we have barcode': 971761, 'have barcode printing': 379409, 'printing supply in': 678353, 'stock at normal': 801882, 'at normal discounted': 99910, 'normal discounted price': 567138, 'discounted price with': 244606, 'price with customary': 677608, 'with customary additional': 997894, 'customary additional volume': 222003, 'additional volume discount': 31898, 'volume discount contact': 960130, 'discount contact 970': 244461, 'contact 970 530': 199999, '970 530 4400': 23693, '530 4400 x121': 20303, '4400 x121 coronalockdown': 19033, 'x121 coronalockdown coronavillains': 1013752, 'coronalockdown coronavillains usa': 205033, 'coronavillains usa usausausa': 205415, 'every1': 286384, 'every1 crazy': 286387, 'crazy about': 215238, 'about empty': 25170, 'shop come': 760057, 'if normally': 414481, 'normally 50': 567476, 'my meal': 549219, 'and 2x': 57436, '2x in': 16892, 'now suddenly': 575931, 'suddenly 100': 817062, 'then necessarily': 877351, 'necessarily need': 553928, 'it conservation': 457267, 'conservation of': 194898, 'every1 crazy about': 286388, 'crazy about empty': 215239, 'about empty shelf': 25171, 'in grocery shop': 423442, 'grocery shop come': 364968, 'shop come on': 760058, 'on people if': 602741, 'people if normally': 648315, 'if normally 50': 414482, 'normally 50 of': 567477, '50 of my': 19772, 'of my meal': 586789, 'my meal at': 549220, 'meal at work': 524113, 'work and 2x': 1004757, 'and 2x in': 57437, '2x in week': 16893, 'in week in': 430754, 'week in restaurant': 976382, 'in restaurant and': 427426, 'restaurant and now': 716292, 'and now suddenly': 67862, 'now suddenly 100': 575932, 'suddenly 100 of': 817063, '100 of meal': 1986, 'of meal at': 586356, 'home then necessarily': 402255, 'then necessarily need': 877352, 'necessarily need to': 553929, 'more food it': 539246, 'food it is': 315179, 'is not panic': 450147, 'not panic shopping': 570932, 'panic shopping it': 638577, 'shopping it conservation': 763098, 'it conservation of': 457268, 'conservation of mass': 194899, 'sickleave': 768733, 'sickleave petition': 768738, 'petition kroger': 653615, 'is ensure': 447520, 'ensure it': 277979, 'paid sickleave': 634127, 'sickleave please': 768740, 'sickleave petition kroger': 768739, 'petition kroger is': 653616, 'supermarket chain it': 819614, 'chain it worker': 170867, 'it worker do': 462519, 'do an amazing': 249056, 'amazing job supporting': 50724, 'do is ensure': 249442, 'is ensure it': 447521, 'ensure it employee': 277980, 'have paid sickleave': 381871, 'paid sickleave please': 634129, 'sickleave please sign': 768741, 'be experiencing': 114736, 'experiencing outbreak': 291688, 'outbreak forever': 628234, 'or can': 614646, 'anything wildlife': 80940, 'wildlife we': 992144, 'stop that': 805116, 'is entirely': 447525, 'entirely we': 278813, 'consumer desire': 197185, 'desire and': 238415, 'are we just': 91574, 'we just going': 972108, 'to be experiencing': 901244, 'be experiencing outbreak': 114738, 'experiencing outbreak forever': 291689, 'outbreak forever or': 628235, 'forever or can': 329134, 'or can we': 614650, 'we do anything': 971324, 'do anything wildlife': 249092, 'anything wildlife we': 80941, 'wildlife we can': 992145, 'we can stop': 971023, 'can stop that': 159825, 'stop that is': 805117, 'that is entirely': 844581, 'is entirely we': 447526, 'entirely we need': 278814, 'to change consumer': 902596, 'change consumer desire': 171982, 'consumer desire and': 197186, 'desire and demand': 238416, 'srpeading': 791622, 'buying continually': 150135, 'continually after': 200964, 'use wisely': 949814, 'of srpeading': 590010, 'srpeading now': 791623, 'buying decrease': 150180, 'decrease food': 231566, 'panic buying continually': 637684, 'buying continually after': 150136, 'continually after being': 200965, 'not to you': 572211, 'to you will': 918942, 'you use wisely': 1022009, 'use wisely you': 949815, 'chance of srpeading': 171770, 'of srpeading now': 590011, 'srpeading now that': 791624, 'in store over': 428440, 'store over buying': 809415, 'over buying decrease': 630051, 'buying decrease food': 150181, 'decrease food access': 231567, 'saw tweet': 738307, 'tweet earlier': 936356, 'long post': 501566, 'post grocery': 666145, 'store sanitization': 809987, 'sanitization process': 734145, 'process that': 679961, 'that triggered': 847123, 'triggered my': 931921, 'anxiety sharing': 78791, 'some piece': 783568, 'that helped': 844307, 'helped calm': 391053, 'calm me': 156767, 'prepared when': 670264, 'saw tweet earlier': 738308, 'tweet earlier about': 936357, 'earlier about long': 264418, 'about long post': 25661, 'long post grocery': 501567, 'post grocery store': 666146, 'grocery store sanitization': 365743, 'store sanitization process': 809988, 'sanitization process that': 734146, 'process that triggered': 679962, 'that triggered my': 847125, 'triggered my anxiety': 931922, 'my anxiety sharing': 547280, 'anxiety sharing some': 78792, 'sharing some piece': 755583, 'some piece of': 783569, 'piece of 19': 656326, 'of 19 information': 579396, '19 information that': 7884, 'information that helped': 437997, 'that helped calm': 844308, 'helped calm me': 391054, 'calm me in': 156768, 'me in case': 522958, 'case they might': 166068, 'they might help': 882680, 'might help you': 531038, 'help you we': 391008, 'you we should': 1022206, 'should be prepared': 765694, 'be prepared when': 116523, 'prepared when it': 670265, 'come to but': 187560, 'to but we': 902157, 'but we don': 147747, 'have to panic': 383260, 'ramaphosa': 696361, 'mysouthafricans': 550989, 'ramaphosa prohibition': 696364, 'gathering for': 344461, 'people also': 646819, 'also apply': 47870, 'to funeral': 906336, 'and wedding': 75373, 'wedding mysouthafricans': 975570, 'ramaphosa prohibition of': 696365, 'prohibition of gathering': 683442, 'of gathering for': 584057, 'gathering for more': 344462, 'than 100 people': 840161, '100 people also': 2015, 'people also apply': 646820, 'also apply to': 47871, 'apply to funeral': 82616, 'to funeral and': 906337, 'funeral and wedding': 341658, 'and wedding mysouthafricans': 75374, 'today doing': 919461, 'doing all': 252267, 'give bonus': 350420, 'congratulation to today': 194454, 'to today doing': 917609, 'today doing all': 919462, 'doing all the': 252270, 'all the right': 44891, 'thing in your': 884445, 'your supermarket give': 1026044, 'supermarket give bonus': 820522, 'give bonus to': 350421, 'bonus to all': 134409, 'to all your': 900307, 'your staff please': 1025916, 'staff please coronacrisis': 792759, 'summarize': 817911, 'multifamily': 545689, 'watch real': 968520, 'real summarize': 701378, 'summarize how': 817914, 'how volatility': 409147, 'affect transaction': 34267, 'for multifamily': 323650, 'multifamily and': 545690, 'commercial real': 188725, 'watch real summarize': 968521, 'real summarize how': 701379, 'summarize how volatility': 817915, 'how volatility in': 409148, 'financial market may': 306507, 'market may affect': 516706, 'may affect transaction': 520894, 'affect transaction volume': 34268, 'transaction volume and': 929479, 'volume and price': 960120, 'price for multifamily': 674007, 'for multifamily and': 323651, 'multifamily and commercial': 545691, 'and commercial real': 60138, 'commercial real estate': 188726, 'from thank': 337570, 'great tip here': 363065, 'tip here from': 898817, 'here from thank': 393029, 'from thank you': 337571, 'many due': 514016, 'shutdown our': 768079, 'now notice': 575380, 'notice after': 573243, 'the welcome': 871370, 'back special': 107285, 'special of': 788001, 'be so many': 117260, 'so many due': 777653, 'many due to': 514017, '19 shutdown our': 10527, 'shutdown our price': 768080, 'are now notice': 88574, 'now notice after': 575381, 'notice after the': 573244, 'after the welcome': 36369, 'the welcome back': 871371, 'welcome back special': 977874, 'back special of': 107286, 'special of course': 788002, 'northumberland': 567818, 'viligant': 957318, 'northumberland police': 567819, 'police is': 663072, 'be viligant': 118008, 'viligant more': 957319, 'are reported': 89592, 'the force': 855679, 'force is': 328411, 'nh scam': 562058, 'public asking': 687877, 'asking them': 96081, 'share personal': 755145, 'northumberland police is': 567820, 'police is warning': 663073, 'is warning people': 453762, 'warning people to': 967182, 'to be viligant': 901624, 'be viligant more': 118009, 'viligant more covid': 957320, 'scam are reported': 740043, 'are reported the': 89593, 'reported the force': 712546, 'the force is': 855680, 'force is aware': 328412, 'aware of an': 105622, 'of an nh': 580124, 'an nh scam': 56524, 'nh scam text': 562059, 'sent to the': 750847, 'the public asking': 864789, 'public asking them': 687878, 'asking them to': 96082, 'them to share': 876508, 'to share personal': 914358, 'share personal detail': 755146, 'personal detail and': 652825, 'detail and report': 239154, 'report of online': 712116, 'shopping scam more': 763810, 'trend shift': 931443, 'shift dramatically': 758277, 'dramatically amid': 258320, 'consumer trend shift': 199385, 'trend shift dramatically': 931444, 'shift dramatically amid': 758278, 'dramatically amid covid': 258322, '19 crisis 19': 6206, 'p35gzkdnn7': 632808, 'amazing healthcare': 50698, 'worker school': 1007743, 'school teacher': 741943, 'teacher grocery': 835470, 'help around': 389375, 'world coronacrisis': 1009451, 'coronacrisis you': 204872, 'hero co': 393959, 'co p35gzkdnn7': 184939, 'much to all': 545387, 'all the amazing': 44658, 'the amazing healthcare': 848611, 'amazing healthcare worker': 50700, 'healthcare worker school': 387383, 'worker school teacher': 1007744, 'school teacher grocery': 741944, 'teacher grocery store': 835471, 'who is stepping': 989114, 'to help around': 907453, 'help around the': 389376, 'the world coronacrisis': 871847, 'world coronacrisis you': 1009452, 'coronacrisis you are': 204873, 'all hero co': 43106, 'hero co p35gzkdnn7': 393960, 'actual picture': 30686, 'house wanted': 406661, 'guy would': 369239, 'would tackle': 1012304, 'tackle me': 831588, 'actual picture of': 30687, 'of the hand': 591090, 'at the near': 101030, 'the near my': 861350, 'my house wanted': 548749, 'house wanted to': 406662, 'to take it': 916193, 'take it and': 832241, 'it and see': 456513, 'and see if': 71138, 'see if the': 745281, 'if the security': 415027, 'the security guy': 866625, 'security guy would': 744636, 'guy would tackle': 369240, 'would tackle me': 1012305, 'warehouse fulfillment': 966726, 'center food': 169195, 'stock worker': 803206, 'supermarket convenience': 819771, 'restaurant fast': 716458, 'food joint': 315253, 'joint janitor': 467011, 'janitor bathroom': 464533, 'bathroom attendant': 112633, 'attendant at': 102336, 'at rest': 100295, 'rest stop': 716225, 'stop volunteer': 805254, 'volunteer please': 960318, 'mindful grateful': 532808, 'them grateful': 875795, 'to our non': 911221, 'our non essential': 624083, 'essential essential people': 281012, 'essential people working': 281383, 'people working in': 650517, 'in warehouse fulfillment': 430684, 'warehouse fulfillment center': 966727, 'fulfillment center food': 340445, 'center food stock': 169198, 'food stock worker': 316818, 'stock worker supermarket': 803207, 'worker supermarket convenience': 1007855, 'supermarket convenience store': 819772, 'convenience store restaurant': 202354, 'store restaurant fast': 809844, 'restaurant fast food': 716459, 'fast food joint': 299969, 'food joint janitor': 315257, 'joint janitor bathroom': 467012, 'janitor bathroom attendant': 464534, 'bathroom attendant at': 112634, 'attendant at rest': 102338, 'at rest stop': 100296, 'rest stop volunteer': 716227, 'stop volunteer please': 805255, 'volunteer please be': 960319, 'be mindful grateful': 115942, 'mindful grateful to': 532809, 'grateful to them': 362329, 'to them grateful': 917296, 'cut unneeded': 223617, 'unneeded cost': 942970, 'cost improve': 207971, 'improve the': 419545, 'all foodservice': 42828, 'foodservice deploy': 318096, 'deploy our': 237448, 'our du': 622817, 'to cut unneeded': 903894, 'cut unneeded cost': 223618, 'unneeded cost improve': 942971, 'cost improve the': 207972, 'improve the bottom': 419546, 'bottom line of': 136414, 'line of all': 493289, 'of all foodservice': 579942, 'all foodservice deploy': 42829, 'foodservice deploy our': 318097, 'deploy our du': 237449, 'illogical': 416416, 'close contract': 182595, 'contract for': 201658, '15 min': 3766, 'min is': 532545, 'is danger': 447023, 'for yet': 328024, 'risk unless': 723985, 'unless huge': 942613, 'huge crowd': 410013, 'crowd inside': 219179, 'inside illogical': 439288, 'illogical overreaction': 416418, 'overreaction with': 631430, 'senior staff': 750408, 'staff interviewed': 792570, 'interviewed fr': 442280, 'state close contract': 795461, 'close contract for': 182596, 'contract for 15': 201659, 'for 15 min': 318669, '15 min is': 3768, 'min is danger': 532546, 'is danger for': 447024, 'danger for yet': 225648, 'for yet no': 328025, 'yet no one': 1016165, 'one in supermarket': 606484, 'supermarket at risk': 819249, 'at risk unless': 100409, 'risk unless huge': 723986, 'unless huge crowd': 942614, 'huge crowd inside': 410015, 'crowd inside illogical': 219181, 'inside illogical overreaction': 439289, 'illogical overreaction with': 416419, 'overreaction with senior': 631431, 'with senior staff': 1000642, 'senior staff interviewed': 750409, 'staff interviewed fr': 792571, 'lit': 494901, 'college due': 186612, 'kid already': 473844, 'my vehicle': 550490, 'vehicle window': 954298, 'window wa': 995731, 'wa smashed': 963246, 'smashed and': 775562, 'and iphone': 65375, 'iphone grocery': 444568, 'grocery rx': 364922, 'rx med': 728783, 'med stolen': 525924, 'stolen while': 804311, 'store thing': 810681, 'are lit': 87834, 'we have kid': 971850, 'have kid home': 381226, 'kid home and': 473996, 'home and out': 400676, 'out of college': 626701, 'of college due': 581534, 'college due to': 186613, 'of the kid': 591166, 'the kid already': 858777, 'kid already lost': 473845, 'already lost their': 47515, 'their job my': 873726, 'job my vehicle': 466017, 'my vehicle window': 550491, 'vehicle window wa': 954300, 'window wa smashed': 995733, 'wa smashed and': 963247, 'smashed and iphone': 775563, 'and iphone grocery': 65376, 'iphone grocery rx': 444570, 'grocery rx med': 364923, 'rx med stolen': 728784, 'med stolen while': 525925, 'stolen while wa': 804312, 'while wa trying': 987525, 'trying to shop': 934871, 'grocery store thing': 365856, 'store thing are': 810682, 'thing are lit': 884160, 'curt': 221767, 'larson': 480056, 'coop curt': 203098, 'curt larson': 221768, 'larson discus': 480057, 'discus recent': 244903, 'their precaution': 874356, 'precaution at': 669287, 'at auction': 98071, 'coop curt larson': 203099, 'curt larson discus': 221769, 'larson discus recent': 480058, 'discus recent market': 244904, 'recent market and': 703925, 'market and their': 515998, 'and their precaution': 73709, 'their precaution at': 874357, 'precaution at auction': 669288, 'live most': 495924, 'is locally': 449418, 'locally grown': 498753, 'grown delivered': 367277, 'delivered uk': 233439, 'uk supplychain': 938786, 'supplychain ok': 826207, 'ok my': 597838, 'my arse': 547314, 'arse how': 94073, 'can it': 158776, 'be when': 118096, 'when where': 984491, 'where most': 985033, 'uk stock': 938740, 'stock come': 802001, 'same in spain': 733123, 'spain but where': 787285, 'but where we': 147838, 'where we live': 985345, 'we live most': 972219, 'live most supermarket': 495925, 'most supermarket produce': 542792, 'supermarket produce is': 822068, 'produce is locally': 680324, 'is locally grown': 449419, 'locally grown delivered': 498755, 'grown delivered uk': 367278, 'delivered uk supplychain': 233440, 'uk supplychain ok': 938787, 'supplychain ok my': 826208, 'ok my arse': 597839, 'my arse how': 547315, 'arse how can': 94074, 'how can it': 407502, 'can it be': 158777, 'it be when': 456739, 'be when where': 118098, 'when where most': 984493, 'where most of': 985034, 'most of uk': 542566, 'of uk stock': 592578, 'uk stock come': 938741, 'stock come from': 802003, 'come from is': 187306, 'from is in': 336097, 'productdescriptions': 681885, 'other industry': 620425, 'being hit': 125250, 'still present': 801060, 'present huge': 670597, 'huge opportunity': 410112, 'retailer everywhere': 719134, 'everywhere onlineshopping': 288239, 'onlineshopping productdescriptions': 609922, 'productdescriptions ecommerce': 681886, 'just like every': 469143, 'like every other': 490185, 'every other industry': 286067, 'other industry the': 620426, 'industry the retail': 436152, 'sector is being': 744242, 'is being hit': 446091, 'being hit hard': 125253, 'by the rapid': 154421, '19 but online': 5520, 'shopping still present': 763985, 'still present huge': 801062, 'present huge opportunity': 670598, 'huge opportunity for': 410113, 'opportunity for retailer': 613628, 'for retailer everywhere': 325202, 'retailer everywhere onlineshopping': 719135, 'everywhere onlineshopping productdescriptions': 288240, 'onlineshopping productdescriptions ecommerce': 609923, 'britain there': 140454, 'plenty stop': 661002, 'slot do': 774165, 'go think': 354234, 'beat together': 118575, 'together coronacrisisuk': 920756, 'you hear that': 1019180, 'hear that great': 387989, 'that great britain': 844074, 'great britain there': 362535, 'britain there isn': 140455, 'food there plenty': 317154, 'there plenty stop': 878943, 'plenty stop with': 661003, 'stop with the': 805279, 'with the selfish': 1001472, 'shopping and if': 761993, 'it not your': 459937, 'not your time': 572636, 'your time slot': 1026164, 'time slot do': 897682, 'slot do not': 774166, 'not go think': 569689, 'go think of': 354235, 'of others please': 587399, 'others please and': 621587, 'let get through': 486739, 'this and beat': 886323, 'and beat together': 58788, 'beat together coronacrisisuk': 118576, 'together coronacrisisuk coronacrisis': 920757, 'toiletpapermeme': 923185, 'be bog': 113880, 'bog troll': 133971, 'troll wash': 932345, 'often stay': 596278, 'lot buy': 504009, 'need donate': 554698, 'bank toiletpaper': 110263, 'toiletpaper bogroll': 921819, 'bogroll toiletpapercrisis': 134010, 'toiletpapercrisis toiletpapermeme': 923107, 'toiletpapermeme 19': 923186, 'stayhomesavelives bekind': 798347, 'don be bog': 253355, 'be bog troll': 113881, 'bog troll wash': 133972, 'troll wash hand': 932346, 'hand often stay': 375124, 'often stay home': 596279, 'stay home lot': 796982, 'home lot buy': 401556, 'lot buy only': 504011, 'you need donate': 1019984, 'need donate some': 554700, 'donate some food': 254227, 'some food or': 782866, 'food or money': 315663, 'or money to': 616156, 'food bank toiletpaper': 313659, 'bank toiletpaper bogroll': 110264, 'toiletpaper bogroll toiletpapercrisis': 921820, 'bogroll toiletpapercrisis toiletpapermeme': 134011, 'toiletpapercrisis toiletpapermeme 19': 923108, 'toiletpapermeme 19 stayhome': 923187, '19 stayhome stayhomesavelives': 10830, 'stayhome stayhomesavelives bekind': 798153, 'on 10': 598995, 'gouger check the': 359213, 'check the price': 174651, 'price on 10': 675643, 'on 10 for': 598996, '10 for pack': 1434, 'hartzell': 378593, 'cranga': 214856, 'to brad': 901976, 'brad hartzell': 137519, 'hartzell dawn': 378594, 'dawn cranga': 227050, 'cranga and': 214857, 'manufacturing team': 513674, 'giving five': 351284, 'five case': 309590, 'nurse social': 577482, 'worker clinician': 1006663, 'clinician counselor': 182337, 'counselor food': 210090, 'pantry worker': 639719, 'essential staff': 281573, 'your kindness': 1024571, 'kindness hero': 475206, 'thanks to brad': 842209, 'to brad hartzell': 901977, 'brad hartzell dawn': 137520, 'hartzell dawn cranga': 378595, 'dawn cranga and': 227051, 'cranga and the': 214858, 'and the manufacturing': 73469, 'the manufacturing team': 860031, 'manufacturing team for': 513675, 'team for giving': 835640, 'for giving five': 321890, 'giving five case': 351285, 'five case of': 309591, 'case of hand': 165905, 'protect our nurse': 684902, 'our nurse social': 624106, 'nurse social worker': 577483, 'social worker clinician': 780019, 'worker clinician counselor': 1006664, 'clinician counselor food': 182338, 'counselor food pantry': 210091, 'food pantry worker': 315807, 'pantry worker and': 639720, 'worker and other': 1006320, 'other essential staff': 620177, 'essential staff we': 281574, 'are grateful for': 86942, 'for your kindness': 328171, 'your kindness hero': 1024573, 'barrett': 111321, 'nutraceuticals': 577691, 'holland and': 400423, 'and barrett': 58711, 'barrett imposes': 111324, 'imposes limit': 419324, 'on immunity': 601495, 'immunity product': 417424, 'product amid': 680854, 'buying nutraceuticals': 150782, 'nutraceuticals food': 577694, 'holland and barrett': 400424, 'and barrett imposes': 58712, 'barrett imposes limit': 111325, 'imposes limit on': 419325, 'limit on immunity': 492413, 'on immunity product': 601496, 'immunity product amid': 417425, 'product amid covid': 680855, 'panic buying nutraceuticals': 637826, 'buying nutraceuticals food': 150783, 'allstate': 46408, 'geico': 345068, 'progressive': 683405, 'agreeing': 38761, 'policyholder': 663549, 'news state': 560812, 'state farm': 795576, 'farm joined': 299143, 'joined allstate': 466916, 'allstate geico': 46411, 'geico progressive': 345069, 'progressive and': 683408, 'in agreeing': 420108, 'agreeing to': 38762, 'auto policyholder': 103909, 'policyholder covid': 663550, '19 keep': 8215, 'driver off': 259670, 'road real': 724497, 'real reform': 701336, 'reform ha': 706719, 'been proud': 121721, 'these reduction': 880575, 'good news state': 357457, 'news state farm': 560813, 'state farm joined': 795578, 'farm joined allstate': 299144, 'joined allstate geico': 466917, 'allstate geico progressive': 46412, 'geico progressive and': 345070, 'progressive and others': 683409, 'others in agreeing': 621471, 'in agreeing to': 420109, 'agreeing to give': 38763, 'to give relief': 906707, 'relief to auto': 709474, 'to auto policyholder': 900847, 'auto policyholder covid': 103910, 'policyholder covid 19': 663551, 'covid 19 keep': 213313, '19 keep driver': 8216, 'keep driver off': 471462, 'driver off the': 259671, 'the road real': 865935, 'road real reform': 724498, 'real reform ha': 701337, 'reform ha been': 706720, 'ha been proud': 369878, 'been proud to': 121722, 'proud to join': 686058, 'to join consumer': 908676, 'join consumer group': 466697, 'consumer group in': 197663, 'group in calling': 366739, 'calling for these': 156563, 'for these reduction': 326976, 'situation ha': 772293, 'taught me': 834894, 'me anything': 522442, 'eat pork': 266025, 'pork in': 664800, 'struggle it': 814356, 'last surviving': 480530, 'surviving meat': 829361, 'if this situation': 415170, 'this situation ha': 890177, 'situation ha taught': 772300, 'ha taught me': 372163, 'taught me anything': 834895, 'me anything it': 522443, 'anything it that': 80805, 'it that people': 461499, 'that people don': 845693, 'people don want': 647713, 'want to eat': 966029, 'to eat pork': 904899, 'eat pork in': 266026, 'pork in time': 664801, 'time of struggle': 897365, 'of struggle it': 590314, 'struggle it the': 814357, 'it the last': 461552, 'the last surviving': 859044, 'last surviving meat': 480531, 'surviving meat at': 829362, 'meat at the': 525494, 'tpci': 928053, 'outbreak india': 628360, 'india can': 434329, 'can tap': 159915, 'tap it': 834326, 'it tpci': 461831, 'tpci the': 928056, 'econ via': 266938, 'for food product': 321615, 'product in global': 681284, 'global market due': 352024, '19 outbreak india': 9140, 'outbreak india can': 628361, 'india can tap': 434331, 'can tap it': 159916, 'tap it tpci': 834327, 'it tpci the': 461832, 'tpci the econ': 928057, 'the econ via': 853888, 'today grateful': 919587, 'to smell': 914768, 'smell the': 775621, 'nature to': 552995, 'to notice': 910728, 'how beautiful': 407447, 'beautiful it': 118689, 'while inevitably': 986956, 'inevitably cross': 436420, 'store gratitude': 807965, 'gratitude isolationlife': 362378, 'today grateful for': 919588, 'for the possibility': 326627, 'possibility of being': 665542, 'able to smell': 24546, 'to smell the': 914769, 'smell the nature': 775622, 'the nature to': 861324, 'nature to notice': 552997, 'to notice how': 910729, 'notice how beautiful': 573285, 'how beautiful it': 407448, 'beautiful it is': 118690, 'it is while': 459131, 'is while inevitably': 453937, 'while inevitably cross': 986957, 'inevitably cross the': 436421, 'street to go': 813149, 'grocery store gratitude': 365440, 'store gratitude isolationlife': 807966, 'wecare': 975534, 'zuku': 1027885, 'wecare with': 975535, 'indefinitely and': 434036, 'child doing': 176063, 'their course': 872906, 'course online': 211916, 'for zuku': 328255, 'zuku to': 1027886, 'propose price': 684505, 'reduction keeping': 706376, 'wecare with school': 975536, 'with school closed': 1000598, 'school closed indefinitely': 741731, 'closed indefinitely and': 183184, 'indefinitely and child': 434037, 'and child doing': 59827, 'child doing their': 176064, 'doing their course': 252736, 'their course online': 872907, 'course online it': 211917, 'it is good': 458964, 'is good time': 448154, 'good time for': 357863, 'time for zuku': 896779, 'for zuku to': 328256, 'zuku to propose': 1027887, 'to propose price': 912278, 'propose price reduction': 684506, 'price reduction keeping': 676135, 'reduction keeping in': 706377, 'others make': 621523, 'make meme': 510159, 'meme about': 528296, 'paper sell': 640741, 'sell hand': 748749, 'ridiculous throwing': 721629, 'our care': 622319, 'care partner': 164140, 'are recovering': 89515, 'recovering with': 705272, 'speed and': 788424, 'energy purpose': 276564, 'of implementing': 584997, 'implementing technological': 418524, 'technological solution': 836251, 'while others make': 987124, 'others make meme': 621524, 'make meme about': 510160, 'meme about toilet': 528298, 'toilet paper sell': 921441, 'paper sell hand': 640742, 'sell hand sanitizer': 748750, 'sanitizer for ridiculous': 734921, 'for ridiculous throwing': 325237, 'ridiculous throwing fist': 721630, 'the supermarket my': 868708, 'supermarket my team': 821562, 'team along with': 835574, 'along with our': 47071, 'with our care': 999978, 'our care partner': 622320, 'care partner are': 164141, 'partner are recovering': 642778, 'are recovering with': 89517, 'recovering with speed': 705273, 'with speed and': 1000916, 'speed and energy': 788425, 'and energy purpose': 62128, 'energy purpose of': 276565, 'purpose of implementing': 690143, 'of implementing technological': 584999, 'implementing technological solution': 418525, 'blueberry': 133491, 'caronavirusaus': 164872, '19 silver': 10547, 'lining number': 493746, 'number my': 576914, 'current addiction': 221090, 'addiction to': 31652, 'to cole': 902945, 'cole blueberry': 185845, 'blueberry muffin': 133494, 'muffin is': 545559, 'stand the': 793587, 'madness anymore': 508156, 'anymore not': 80143, 'for blueberry': 319702, 'muffin caronavirusaus': 545552, 'covid 19 silver': 213804, '19 silver lining': 10548, 'silver lining number': 769825, 'lining number my': 493747, 'number my current': 576915, 'my current addiction': 547867, 'current addiction to': 221091, 'addiction to cole': 31654, 'to cole blueberry': 902946, 'cole blueberry muffin': 185846, 'blueberry muffin is': 133496, 'muffin is about': 545560, 'about to break': 26708, 'to break because': 901997, 'break because cannot': 138682, 'because cannot stand': 118987, 'cannot stand the': 162121, 'stand the supermarket': 793588, 'supermarket madness anymore': 821426, 'madness anymore not': 508157, 'anymore not even': 80144, 'even for blueberry': 284078, 'for blueberry muffin': 319703, 'blueberry muffin caronavirusaus': 133495, 'royalty': 726648, 'palace': 634559, 'finally stocked': 306108, 'being down': 125078, 'roll now': 725404, 'shall live': 754531, 'live like': 495910, 'like royalty': 491105, 'royalty in': 726651, 'our palace': 624237, 'palace coronapocalypse': 634560, 'finally stocked up': 306109, 'stocked up after': 803432, 'up after being': 944225, 'after being down': 35404, 'being down to': 125079, 'our last roll': 623647, 'last roll now': 480476, 'roll now we': 725405, 'now we shall': 576355, 'we shall live': 973219, 'shall live like': 754532, 'live like royalty': 495911, 'like royalty in': 491106, 'royalty in our': 726652, 'in our palace': 426326, 'our palace coronapocalypse': 624238, 'palace coronapocalypse toiletpaper': 634561, 'coronapocalypse toiletpaper toiletpaperapocalypse': 205202, 'cricketer': 216739, 'employee bus': 273684, 'bus and': 142995, 'than cricketer': 840473, 'cricketer actor': 216740, 'musician we': 546387, 'really think': 702656, 'think who': 885783, 'store employee bus': 807464, 'employee bus and': 273685, 'bus and truck': 142999, 'important than cricketer': 418987, 'than cricketer actor': 840474, 'cricketer actor and': 216741, 'famous musician we': 298484, 'musician we should': 546388, 'should really think': 766381, 'really think who': 702662, 'think who the': 885784, 'who the real': 989756, 'if british': 413905, 'british people': 140558, 'usual why': 951067, 'if recommendation': 414717, 'least from': 484482, 'supermarket sign': 822696, 'sign state': 769213, 'state uk': 796051, 'if british people': 413906, 'british people think': 140560, 'think that socialdistancing': 885610, 'that socialdistancing is': 846371, 'socialdistancing is ridiculous': 780473, 'ridiculous and that': 721516, 'and that it': 73197, 'business usual why': 144609, 'usual why are': 951068, 'are they still': 91028, 'they still hoarding': 883466, 'still hoarding food': 800711, 'hoarding food if': 399306, 'food if recommendation': 314892, 'if recommendation are': 414718, 'recommendation are to': 704737, 'are to keep': 91111, 'keep distance of': 471452, 'at least from': 99497, 'least from other': 484483, 'from other people': 336732, 'other people why': 620700, 'people why do': 650372, 'why do supermarket': 990939, 'do supermarket sign': 250195, 'supermarket sign state': 822697, 'sign state uk': 769215, 'keep motorist': 471681, 'motorist off': 543363, 'reform is': 706724, 'agreeing to provide': 38764, 'to provide relief': 912428, 'provide relief to': 686451, '19 keep motorist': 8217, 'keep motorist off': 471682, 'motorist off the': 543364, 'real reform is': 701338, 'reform is proud': 706725, 'for these cut': 326963, 'grow surrounding': 367064, 'collective anxiety': 186485, 'anxiety make': 78745, 'consumer fear grow': 197457, 'fear grow surrounding': 301151, 'grow surrounding the': 367065, 'surrounding the spread': 828778, 'virus our collective': 958580, 'our collective anxiety': 622431, 'collective anxiety make': 186486, 'anxiety make more': 78746, 'make more susceptible': 510201, 'susceptible to fraud': 829441, 'to fraud learn': 906224, 'fraud learn how': 331301, 'wanna bet': 965617, 'bet we': 128122, 'start buying': 794235, 'meat online': 525676, 'online like': 608489, 'like tf': 491306, 'tf people': 840006, 'all since': 44349, 'much you wanna': 545499, 'you wanna bet': 1022118, 'wanna bet we': 965618, 'bet we will': 128123, 'have to start': 383306, 'to start buying': 915188, 'start buying meat': 794236, 'buying meat online': 150712, 'meat online like': 525677, 'online like tf': 608490, 'like tf people': 491307, 'tf people buying': 840007, 'people buying everything': 647344, 'buying everything and': 150252, 'everything and haven': 287685, 'and haven been': 64291, 'haven been shopping': 383759, 'been shopping at': 121950, 'shopping at all': 762082, 'at all since': 97905, 'all since covid': 44350, 'cam': 156925, 'on cam': 599777, 'cam man': 156926, 'man likely': 512142, 'the spit': 867585, 'packaged drink': 633472, 'infect many': 436496, 'possible their': 665816, 'their motto': 874014, 'motto if': 543373, 'die you': 241493, 'die with': 241486, 'caught on cam': 167445, 'on cam man': 599778, 'cam man likely': 156927, 'man likely infected': 512143, 'likely infected with': 492031, 'with the spit': 1001488, 'the spit on': 867586, 'spit on some': 789562, 'on some packaged': 603565, 'some packaged drink': 783492, 'packaged drink at': 633473, 'drink at grocery': 258802, 'to infect many': 908351, 'infect many possible': 436497, 'many possible their': 514571, 'possible their motto': 665817, 'their motto if': 874015, 'motto if die': 543374, 'if die you': 414045, 'die you die': 241494, 'you die with': 1018221, 'die with me': 241488, 'richardism': 721318, 'lol factsnotfear': 500900, 'factsnotfear is': 296034, 'such richardism': 816720, 'richardism it': 721319, 'ourselves slow': 625491, 'virus when': 959029, 'run etc': 727628, 'then same': 877498, 'same question': 733260, 'question but': 693556, 'but specifically': 147132, 'for elder': 320982, 'elder who': 270551, 'glove et': 352665, 'lol factsnotfear is': 500901, 'factsnotfear is such': 296036, 'is such richardism': 452427, 'such richardism it': 816721, 'richardism it be': 721320, 'protect ourselves slow': 684908, 'ourselves slow the': 625492, 'the virus when': 870919, 'virus when we': 959030, 'when we must': 984458, 'we must do': 972411, 'must do grocery': 546628, 'do grocery run': 249358, 'grocery run etc': 364916, 'run etc then': 727629, 'etc then same': 282800, 'then same question': 877499, 'same question but': 733261, 'question but specifically': 693557, 'but specifically for': 147133, 'specifically for elder': 788279, 'for elder who': 320984, 'elder who may': 270552, 'who may not': 989276, 'may not have': 521378, 'not have mask': 569849, 'have mask glove': 381441, 'mask glove et': 518730, 'believer': 126444, 'all much': 43531, 'death for': 230042, 'many ve': 514845, 'been believer': 120735, 'believer in': 126445, 'kindness many': 475213, 'shopping tried': 764247, 'someone today': 784713, 'today stranger': 920227, 'stranger to': 812498, 'need amp': 554394, 'amp encountered': 53726, 'encountered the': 275560, 'difficult for all': 242220, 'for all much': 319150, 'all much harder': 43532, 'much harder for': 544978, 'harder for some': 378168, 'for some life': 325750, 'some life or': 783196, 'or death for': 614897, 'death for many': 230043, 'for many ve': 323241, 'many ve always': 514846, 've always been': 952835, 'always been believer': 49485, 'been believer in': 120736, 'believer in small': 126446, 'in small act': 428010, 'of kindness many': 585649, 'kindness many elderly': 475214, 'many elderly vulnerable': 514027, 'elderly vulnerable can': 270927, 'vulnerable can use': 960901, 'can use online': 160101, 'online shopping tried': 609319, 'shopping tried to': 764248, 'to order for': 911070, 'order for someone': 618243, 'for someone today': 325782, 'someone today stranger': 784714, 'today stranger to': 920228, 'stranger to me': 812500, 'me but in': 522533, 'but in need': 146030, 'in need amp': 425725, 'need amp encountered': 554395, 'amp encountered the': 53727, 'encountered the result': 275561, 'your spewing': 1025885, 'spewing my': 789189, 'store national': 809027, 'national chain': 552439, 'worker received': 1007669, 'received 15': 703579, '15 pay': 3805, 'pay hike': 644935, 'hike 2020': 396188, '2020 despite': 14271, 'panic created': 638025, 'by fakenewsmedia': 152532, 'fakenewsmedia and': 296770, 'and democrat': 61193, 'democrat of': 236735, 'of thanks': 590701, 'thanks trump': 842277, 'trump leadership': 933681, 'leadership economy': 483599, 'economy su': 268243, 'you dont know': 1018345, 'dont know what': 255245, 'know what kind': 476963, 'kind of your': 474955, 'of your spewing': 593527, 'your spewing my': 1025886, 'spewing my grocery': 789190, 'grocery store national': 365584, 'store national chain': 809028, 'national chain worker': 552441, 'chain worker received': 171264, 'worker received 15': 1007670, 'received 15 pay': 703580, '15 pay hike': 3806, 'pay hike 2020': 644936, 'hike 2020 despite': 396189, '2020 despite the': 14274, 'despite the panic': 238894, 'the panic created': 863197, 'panic created by': 638026, 'created by fakenewsmedia': 215791, 'by fakenewsmedia and': 152533, 'fakenewsmedia and democrat': 296771, 'and democrat of': 61195, 'democrat of thanks': 236736, 'of thanks trump': 590702, 'thanks trump leadership': 842278, 'trump leadership economy': 933682, 'leadership economy su': 483600, 'endthelockdown': 276281, 'stopthestupid': 805937, '19 coronapocalypse': 6076, 'coronapocalypse lockdown': 205192, 'lockdown pandemia': 499760, 'pandemia endthelockdown': 634744, 'endthelockdown stopthestupid': 276283, 'stopthestupid sorry': 805938, 'but wearing': 147772, 'wearing facemask': 974619, 'facemask while': 295116, 'against my': 37551, 'my religion': 549915, 'religion which': 709569, 'which strictly': 986348, 'strictly prohibits': 813700, 'prohibits looking': 683453, 'like stupid': 491252, 'stupid jerk': 815412, 'jerk for': 465145, '19 coronapocalypse lockdown': 6077, 'coronapocalypse lockdown pandemia': 205193, 'lockdown pandemia endthelockdown': 499761, 'pandemia endthelockdown stopthestupid': 634745, 'endthelockdown stopthestupid sorry': 276284, 'stopthestupid sorry but': 805939, 'sorry but wearing': 786033, 'but wearing facemask': 147773, 'wearing facemask while': 974621, 'facemask while going': 295117, 'store is against': 808463, 'is against my': 445419, 'against my religion': 37552, 'my religion which': 549916, 'religion which strictly': 709570, 'which strictly prohibits': 986349, 'strictly prohibits looking': 813701, 'prohibits looking like': 683454, 'looking like stupid': 502961, 'like stupid jerk': 491253, 'stupid jerk for': 815413, 'jerk for no': 465146, 'coronaapocalypse': 204431, 'humorcoronavirus': 410937, 'hilarious if': 396439, 'anyone ha': 80340, 'ha ever': 370522, 'experienced being': 291560, 'being behind': 124887, 'behind difficult': 124619, 'difficult person': 242251, 'is must': 449770, 'some much': 783328, 'needed humor': 556392, 'during coronaapocalypse': 262525, 'coronaapocalypse humorcoronavirus': 204434, 'this woman is': 891478, 'woman is hilarious': 1003534, 'is hilarious if': 448473, 'hilarious if anyone': 396440, 'if anyone ha': 413845, 'anyone ha ever': 80341, 'ha ever experienced': 370525, 'ever experienced being': 285300, 'experienced being behind': 291561, 'being behind difficult': 124888, 'behind difficult person': 124620, 'difficult person at': 242252, 'store checkout this': 806960, 'checkout this is': 175034, 'this is must': 888323, 'is must watch': 449773, 'must watch some': 546992, 'watch some much': 968529, 'some much needed': 783330, 'much needed humor': 545155, 'needed humor during': 556393, 'humor during coronaapocalypse': 410865, 'during coronaapocalypse humorcoronavirus': 262526, 'factcheck': 295857, 'landfall': 479321, 'factcheck claim': 295858, 'claim well': 179863, 'stocked vegan': 803448, 'vegan food': 953859, 'shelf while': 757799, 'amid round': 52632, 'novel reality': 573815, 'reality 2017': 701686, '2017 photo': 13859, 'photo about': 655115, 'harvey made': 378674, 'made landfall': 507816, 'landfall in': 479322, 'factcheck claim well': 295859, 'claim well stocked': 179864, 'well stocked vegan': 978610, 'stocked vegan food': 803449, 'vegan food shelf': 953861, 'food shelf while': 316458, 'shelf while other': 757801, 'while other food': 987115, 'other food item': 620242, 'food item are': 315194, 'item are cleared': 463090, 'are cleared out': 85310, 'cleared out amid': 181426, 'out amid round': 625623, 'amid round of': 52633, 'during the novel': 263161, 'the novel reality': 861923, 'novel reality 2017': 573816, 'reality 2017 photo': 701687, '2017 photo about': 13860, 'photo about panic': 655116, 'buying after hurricane': 149869, 'after hurricane harvey': 35808, 'hurricane harvey made': 411478, 'harvey made landfall': 378675, 'made landfall in': 507817, 'landfall in the': 479323, '0541296': 968, 'uselessness': 950250, 'staysafestayhom': 798987, 'ain you': 39668, 'you traveling': 1021919, 'traveling any': 930634, 'soon most': 785772, 'most president': 542654, 'president giving': 670817, 'giving aide': 351228, 'aide to': 39502, 'citizen wit': 179004, 'wit billion': 996899, 'billion and': 130778, 'and trillion': 74458, 'trillion buhari': 931961, 'buhari took': 141932, 'off 0541296': 593589, '0541296 dollar': 969, 'dollar off': 253046, 'off fuel': 593859, 'own aide': 631872, 'nigerian pls': 562868, 'pls define': 661123, 'define uselessness': 232276, 'uselessness staysafestayhom': 950251, 'ain you traveling': 39669, 'you traveling any': 1021920, 'traveling any time': 930635, 'time soon most': 897719, 'soon most president': 785773, 'most president giving': 542655, 'president giving aide': 670818, 'giving aide to': 351229, 'aide to their': 39504, 'their citizen wit': 872786, 'citizen wit billion': 179005, 'wit billion and': 996900, 'billion and trillion': 130779, 'and trillion buhari': 74459, 'trillion buhari took': 931962, 'buhari took off': 141933, 'took off 0541296': 925301, 'off 0541296 dollar': 593590, '0541296 dollar off': 970, 'dollar off fuel': 253047, 'off fuel price': 593860, 'fuel price that': 340254, 'price that his': 676806, 'that his own': 844345, 'his own aide': 397672, 'own aide to': 631873, 'aide to nigerian': 39503, 'to nigerian pls': 910604, 'nigerian pls define': 562869, 'pls define uselessness': 661124, 'define uselessness staysafestayhom': 232277, 'saw grocery': 738121, 'clerk standing': 181767, 'standing at': 793744, 'entrance wiping': 278911, 'wiping cart': 996505, 'offering hand': 595136, 'sanitizer thank': 735847, 'are valuable': 91444, 'valuable part': 952041, 'society groceryworkers': 781226, 'groceryworkers 19': 366394, 'back from local': 107010, 'store saw grocery': 809996, 'saw grocery clerk': 738122, 'grocery clerk standing': 364383, 'clerk standing at': 181768, 'standing at the': 793747, 'the entrance wiping': 854388, 'entrance wiping cart': 278912, 'wiping cart and': 996506, 'cart and offering': 165250, 'and offering hand': 67986, 'offering hand sanitizer': 595137, 'hand sanitizer thank': 375614, 'sanitizer thank you': 735848, 'thank you guy': 841740, 'you guy you': 1018980, 'you are valuable': 1017280, 'are valuable part': 91446, 'valuable part of': 952042, 'our society groceryworkers': 624824, 'society groceryworkers 19': 781227, 'accusation stop': 28924, 'item there': 463713, 'everyone only': 287237, 'need shelf': 555555, 'temporarily empty': 837492, 'buying faster': 150272, 'than truck': 841360, 'deliver product': 233196, 'product 19': 680822, 'accusation stop you': 28925, 'stop you do': 805291, 'food or household': 315657, 'or household item': 615685, 'household item there': 406871, 'item there is': 463715, 'no shortage if': 565493, 'shortage if everyone': 765006, 'if everyone only': 414095, 'everyone only take': 287239, 'only take what': 611236, 'take what they': 832792, 'they need shelf': 882756, 'need shelf are': 555556, 'shelf are temporarily': 756832, 'are temporarily empty': 90763, 'temporarily empty because': 837493, 'empty because customer': 274801, 'because customer are': 119013, 'customer are buying': 222116, 'are buying faster': 85117, 'buying faster than': 150273, 'faster than truck': 300129, 'than truck can': 841361, 'truck can deliver': 932745, 'can deliver product': 158045, 'deliver product 19': 233197, 'boc': 133760, 'intensified': 441091, 'boc survey': 133765, 'survey interview': 828891, 'interview were': 442256, 'were conducted': 979467, 'conducted before': 193659, 'before concern': 122701, '19 intensified': 7902, 'intensified two': 441104, 'two smaller': 937226, 'smaller phone': 775289, 'phone survey': 655025, 'were completed': 979461, 'completed more': 192202, 'more recently': 540197, 'recently to': 704168, 'provide picture': 686427, 'on firm': 600806, 'boc survey interview': 133766, 'survey interview were': 828892, 'interview were conducted': 442257, 'were conducted before': 979468, 'conducted before concern': 193660, 'before concern around': 122703, 'concern around covid': 192925, 'covid 19 intensified': 213281, '19 intensified two': 7904, 'intensified two smaller': 441105, 'two smaller phone': 937227, 'smaller phone survey': 775290, 'phone survey were': 655026, 'survey were completed': 828981, 'were completed more': 979462, 'completed more recently': 192203, 'more recently to': 540198, 'recently to provide': 704169, 'to provide picture': 912422, 'provide picture of': 686428, '19 shock and': 10468, 'shock and low': 759425, 'price on firm': 675674, '0214996028': 814, 'hi mr': 394702, 'mr jack': 544370, 'jack ma': 464106, 'ma please': 507279, 'please need': 660237, 'help financialy': 389724, 'financialy for': 306726, 'am from': 50063, 'from nigeria': 336588, 'nigeria my': 562768, 'my name': 549401, 'name success': 551675, 'success justice': 816206, 'justice my': 470420, 'is 0214996028': 445142, '0214996028 my': 815, 'is gt': 448240, 'gt bank': 367585, 'bank nigeria': 110032, 'nigeria appreciate': 562715, 'kindness greatly': 475204, 'greatly god': 363316, 'hi mr jack': 394703, 'mr jack ma': 544371, 'jack ma please': 464109, 'ma please need': 507280, 'please need your': 660239, 'your help financialy': 1024300, 'help financialy for': 389725, 'financialy for my': 306727, 'my family so': 548222, 'we can stock': 971022, 'up food because': 944880, '19 am from': 4940, 'am from nigeria': 50065, 'from nigeria my': 336589, 'nigeria my name': 562769, 'my name success': 549403, 'name success justice': 551676, 'success justice my': 816207, 'justice my account': 470421, 'my account number': 547223, 'account number is': 28723, 'number is 0214996028': 576895, 'is 0214996028 my': 445143, '0214996028 my bank': 816, 'my bank is': 547399, 'bank is gt': 109949, 'is gt bank': 448241, 'gt bank nigeria': 367586, 'bank nigeria appreciate': 110033, 'nigeria appreciate your': 562716, 'appreciate your kindness': 82800, 'your kindness greatly': 1024572, 'kindness greatly god': 475205, 'nan': 551759, 'facetimed': 295224, 'my nan': 549404, 'nan every': 551760, 'week take': 976959, 'take her': 832172, 'been few': 121138, 'week already': 975884, 'already we': 47754, 'we facetimed': 971523, 'facetimed today': 295225, 'hasn got': 378748, 'got food': 358564, 'use to see': 949760, 'to see my': 914047, 'see my nan': 745457, 'my nan every': 549405, 'nan every week': 551761, 'every week take': 286368, 'week take her': 976960, 'take her shopping': 832175, 'her shopping it': 392376, 'shopping it been': 763095, 'it been few': 456793, 'been few week': 121139, 'few week already': 304131, 'week already we': 975885, 'already we facetimed': 47756, 'we facetimed today': 971524, 'facetimed today but': 295226, 'today but worried': 919341, 'but worried she': 147935, 'worried she hasn': 1010575, 'she hasn got': 756112, 'hasn got food': 378749, 'got food because': 358565, 'womenpeacebuilders': 1003722, 'the womenpeacebuilders': 871672, 'womenpeacebuilders who': 1003723, 'are once': 88742, 'again responding': 37148, 'community dealing': 189808, 'dealing in': 229641, 'alone yemen': 46955, 'yemen pakistan': 1015319, 'pakistan uganda': 634514, 'all the womenpeacebuilders': 44985, 'the womenpeacebuilders who': 871673, 'womenpeacebuilders who are': 1003724, 'who are once': 988184, 'are once again': 88743, 'once again responding': 605575, 'again responding to': 37149, 'to the need': 916895, 'your community dealing': 1023271, 'community dealing in': 189809, 'dealing in reality': 229643, 'reality you are': 701818, 'responder in the': 715484, 'the community please': 851292, 'community please know': 190044, 'please know you': 660168, 'not alone yemen': 568162, 'alone yemen pakistan': 46956, 'yemen pakistan uganda': 1015320, 'real challenge': 701059, 'challenge with': 171599, 'with isolation': 999052, 'nigeria result': 562795, 'many home': 514141, 'there huge': 878490, 'the real challenge': 865208, 'real challenge with': 701061, 'challenge with isolation': 171601, 'with isolation in': 999053, 'isolation in nigeria': 455312, 'in nigeria result': 425883, 'nigeria result of': 562796, '19 would be': 12209, 'be the inability': 117623, 'inability to stock': 431178, 'essential in many': 281153, 'in many home': 425055, 'many home there': 514145, 'home there huge': 402260, 'there huge problem': 878491, 'ctu': 220121, 'paridaias': 641824, 'of fruit': 583982, 'fruit were': 339198, 'also added': 47813, 'the displayed': 853397, 'displayed price': 246218, 'vegetable sold': 954089, 'sold through': 781783, 'through ctu': 894404, 'ctu bus': 220122, 'bus some': 143082, 'some complaint': 782576, 'overcharging were': 631117, 'were received': 980042, 'received paridaias': 703666, 'price of fruit': 675457, 'of fruit were': 583987, 'fruit were also': 339199, 'were also added': 979316, 'also added to': 47814, 'to the displayed': 916643, 'the displayed price': 853398, 'displayed price list': 246219, 'list of vegetable': 494488, 'of vegetable sold': 592765, 'vegetable sold through': 954090, 'sold through ctu': 781784, 'through ctu bus': 894405, 'ctu bus some': 220123, 'bus some complaint': 143083, 'some complaint of': 782577, 'complaint of overcharging': 192002, 'of overcharging were': 587627, 'overcharging were received': 631118, 'were received paridaias': 980043, 'obtained': 578745, 'pretty please': 671481, 'please with': 660778, 'with sugar': 1001041, 'sugar on': 817465, 'top don': 925563, 'any form': 79246, 'chloroquine unless': 177635, 'been prescribed': 121695, 'prescribed for': 670472, 'and obtained': 67932, 'obtained from': 578748, 'from legitimate': 336211, 'legitimate source': 486059, 'source coronahoax': 786465, 'pretty please with': 671482, 'please with sugar': 660779, 'with sugar on': 1001042, 'sugar on the': 817466, 'the top don': 869777, 'top don take': 925564, 'don take any': 253950, 'take any form': 831944, 'any form of': 79247, 'form of chloroquine': 329532, 'of chloroquine unless': 581390, 'chloroquine unless it': 177636, 'unless it ha': 942620, 'ha been prescribed': 369873, 'been prescribed for': 121696, 'prescribed for you': 670473, 'for you by': 328042, 'you by your': 1017598, 'by your health': 154788, 'your health care': 1024273, 'care provider and': 164173, 'provider and obtained': 686685, 'and obtained from': 67933, 'obtained from legitimate': 578749, 'from legitimate source': 336212, 'legitimate source coronahoax': 486060, 'munch': 546063, 'when artist': 983174, 'artist see': 94614, 'the funny': 856051, 'funny side': 341784, 'side do': 768802, 'who created': 988522, 'it brilliant': 456918, 'brilliant if': 139861, 'had seen': 373482, 'would understand': 1012354, 'understand munch': 940684, 'munch toiletpaper': 546064, 'it when artist': 462335, 'when artist see': 983175, 'artist see the': 94615, 'see the funny': 745835, 'the funny side': 856052, 'funny side do': 341785, 'side do not': 768803, 'not know who': 570310, 'know who created': 477032, 'who created this': 988523, 'created this but': 215914, 'but it brilliant': 146105, 'it brilliant if': 456919, 'brilliant if you': 139862, 'if you had': 415449, 'you had seen': 1018985, 'had seen the': 373483, 'seen the idiot': 747284, 'idiot in tesco': 413531, 'in tesco the': 428884, 'tesco the other': 838830, 'other day you': 620088, 'day you would': 228828, 'you would understand': 1022461, 'would understand munch': 1012355, 'understand munch toiletpaper': 940685, 'munch toiletpaper toiletroll': 546065, 'boldly': 134099, 'witnessed certain': 1003140, 'certain individual': 170030, 'individual they': 435265, 'were walking': 980339, 'they went': 883740, 'straight for': 812211, 'wipe sanitized': 996363, 'sanitized their': 734263, 'then grabbed': 877223, 'grabbed trolley': 361571, 'and boldly': 59050, 'boldly walked': 134100, 'that defeat': 843471, 'whole purpose': 990309, 'purpose let': 690137, 'let think': 487172, 'doing fightcovid19': 252401, 'witnessed certain individual': 1003141, 'certain individual they': 170031, 'individual they were': 435266, 'they were walking': 883817, 'were walking into': 980340, 'supermarket they went': 823296, 'they went straight': 883744, 'went straight for': 979120, 'straight for the': 812212, 'for the wipe': 326782, 'the wipe sanitized': 871620, 'wipe sanitized their': 996364, 'sanitized their hand': 734264, 'hand then grabbed': 375830, 'then grabbed trolley': 877224, 'grabbed trolley and': 361572, 'trolley and boldly': 932361, 'and boldly walked': 59051, 'boldly walked into': 134101, 'walked into the': 964961, 'into the shop': 443169, 'the shop that': 867030, 'shop that defeat': 760892, 'that defeat the': 843472, 'defeat the whole': 232049, 'the whole purpose': 871505, 'whole purpose let': 990310, 'purpose let think': 690138, 'let think about': 487173, 'about what we': 26904, 'are doing fightcovid19': 85897, 'recent chinese': 703833, 'chinese crisis': 177236, 'ha resulted': 371747, 'economic disaster': 267066, 'disaster for': 244207, 'for western': 327785, 'virus just': 958431, 'like china': 489995, 'china did': 176607, 'did in': 240649, 'it early': 457729, 'the recent chinese': 865300, 'recent chinese crisis': 703834, 'chinese crisis ha': 177237, 'crisis ha resulted': 217445, 'ha resulted in': 371749, 'resulted in an': 717674, 'in an economic': 420291, 'an economic disaster': 55579, 'economic disaster for': 267067, 'disaster for western': 244211, 'for western country': 327787, 'western country where': 980609, 'country where they': 211223, 'struggling to control': 814497, 'to control the': 903454, 'control the virus': 202176, 'the virus just': 870854, 'virus just like': 958432, 'just like china': 469141, 'like china did': 489996, 'china did in': 176610, 'did in it': 240650, 'in it early': 424239, 'it early day': 457731, 'farmer don': 299340, 'full access': 340467, 'to immigrant': 908144, 'immigrant labor': 417225, 'labor said': 478433, 'said agriculture': 730951, 'agriculture could': 38955, 'see loss': 745372, 'if american farmer': 413808, 'american farmer don': 51969, 'farmer don have': 299341, 'don have full': 253600, 'have full access': 380737, 'full access to': 340468, 'access to immigrant': 28245, 'to immigrant labor': 908145, 'immigrant labor said': 417226, 'labor said agriculture': 478434, 'said agriculture could': 730952, 'agriculture could see': 38956, 'could see loss': 209636, 'see loss of': 745373, 'loss of up': 503756, 'up to 10': 946316, 'to 10 billion': 899422, '10 billion in': 1343, 'billion in sale': 130854, 'in sale for': 427653, 've visited': 953650, 'empty genuinely': 274892, 'genuinely need': 345898, 'now eaten': 574583, 'eaten mac': 266133, 'cheese leftover': 175201, 'leftover for': 485778, 'plenty of stuff': 660980, 'of stuff for': 590329, 'stuff for everyone': 815070, 'tesco ve visited': 838848, 've visited the': 953653, 'visited the last': 959504, 'day and everything': 227262, 'everything is still': 287887, 'is still empty': 452274, 'still empty genuinely': 800478, 'empty genuinely need': 274893, 'genuinely need food': 345899, 'buyer ve now': 149794, 've now eaten': 953408, 'now eaten mac': 574584, 'eaten mac and': 266134, 'and cheese leftover': 59801, 'cheese leftover for': 175202, 'leftover for day': 485779, 'start social': 794510, 'retail so': 718574, 'not talk': 571935, 'lol fml': 500902, 'fml 100': 311770, '100 going': 1908, 'government say to': 360571, 'say to start': 739395, 'to start social': 915226, 'start social distancing': 794511, 'distancing but you': 247065, 'but you work': 148007, 'you work retail': 1022424, 'work retail so': 1005673, 'retail so you': 718576, 'you cannot just': 1017867, 'cannot just not': 161981, 'just not talk': 469338, 'not talk to': 571939, 'talk to customer': 833873, 'the store lol': 868051, 'store lol fml': 808809, 'lol fml 100': 500903, 'fml 100 going': 311771, '100 going to': 1909, 'hey hope': 394417, 'this there': 890549, 'there doesn': 878330, 'doesn appear': 251703, 'be dedicated': 114368, 'dedicated tesco': 231741, 'tesco customer': 838691, 'service twitter': 753013, 'twitter like': 936681, 'an query': 56781, 'query regarding': 693460, 'regarding in': 707227, 'disabled elderly': 243902, 'hey hope you': 394418, 'hope you can': 403792, 'can see this': 159551, 'see this there': 745957, 'this there doesn': 890551, 'there doesn appear': 878331, 'doesn appear to': 251704, 'to be dedicated': 901192, 'be dedicated tesco': 114369, 'dedicated tesco customer': 231742, 'tesco customer service': 838692, 'customer service twitter': 222837, 'service twitter like': 753014, 'twitter like to': 936682, 'make an query': 509686, 'an query regarding': 56782, 'query regarding in': 693461, 'regarding in store': 707228, 'in store online': 428435, 'store online shopping': 809230, 'for the disabled': 326383, 'the disabled elderly': 853332, 'disabled elderly in': 243903, 'the crisis can': 852354, 'crisis can you': 217185, 'cuomo asks': 220398, 'asks business': 96128, 'consider producing': 195072, 'glove with': 353043, 'and promise': 69616, 'promise of': 683686, 'of premium': 588357, 'cuomo asks business': 220399, 'asks business of': 96129, 'business of any': 144116, 'any kind to': 79392, 'kind to consider': 475005, 'to consider producing': 903234, 'consider producing mask': 195073, 'producing mask gown': 680779, 'gown and glove': 361367, 'and glove with': 63750, 'glove with government': 353045, 'with government support': 998661, 'government support and': 360650, 'support and promise': 826366, 'and promise of': 69617, 'promise of premium': 683688, 'of premium price': 588358, 'stock update': 803138, 'update unprecedented': 947291, 'demand with': 236508, 'emergency food stock': 272714, 'food stock update': 316816, 'stock update unprecedented': 803139, 'update unprecedented demand': 947292, 'unprecedented demand with': 943127, 'demand with covid': 236510, 'cry so': 219914, 'lost 20': 503811, '20 pound': 13271, 'pound in': 667377, 'store ran': 809733, 'produce how': 680298, 'healthy when': 387811, 'buy covid': 148511, '19 literally': 8344, 'literally made': 495038, 'nothing what': 573218, 'to cry so': 903782, 'cry so bad': 219915, 'so bad right': 776582, 'right now ve': 722171, 'now ve lost': 576294, 've lost 20': 953346, 'lost 20 pound': 503812, '20 pound in': 13272, 'pound in week': 667379, 'in week but': 430748, 'week but the': 976043, 'the store ran': 868089, 'store ran out': 809734, 'fresh produce how': 333053, 'produce how can': 680299, 'how can be': 407494, 'can be healthy': 157628, 'be healthy when': 115177, 'healthy when they': 387812, 'have any fresh': 379303, 'any fresh food': 79251, 'to buy covid': 902210, 'buy covid 19': 148512, 'covid 19 literally': 213360, '19 literally made': 8345, 'literally made people': 495039, 'made people stock': 507914, 'up and leave': 944343, 'with nothing what': 999827, 'nothing what am': 573219, 'privately': 679006, 're privately': 699305, 'privately owned': 679011, 'owned supermarket': 632358, 'supermarket off': 821702, 'license shop': 488157, 're pushing': 699332, 'basic up': 112093, 'something ridiculous': 785040, 'ridiculous then': 721616, 'you when': 1022275, 'this coronacrisisuk': 886884, 'coronacrisisuk is': 204888, 'll remember': 496972, 'coronacrisis selfquarantine': 204753, 'you re privately': 1020710, 're privately owned': 699306, 'privately owned supermarket': 679012, 'owned supermarket off': 632359, 'supermarket off license': 821703, 'off license shop': 593953, 'license shop and': 488158, 'shop and you': 759879, 'you re pushing': 1020716, 're pushing the': 699333, 'pushing the price': 690449, 'of basic up': 580579, 'basic up to': 112094, 'up to something': 946427, 'to something ridiculous': 914916, 'something ridiculous then': 785041, 'ridiculous then you': 721617, 'then you when': 877798, 'you when this': 1022280, 'when this coronacrisisuk': 984302, 'this coronacrisisuk is': 886886, 'coronacrisisuk is over': 204889, 'we ll remember': 972272, 'll remember you': 496973, 'remember you coronacrisis': 710434, 'you coronacrisis selfquarantine': 1018059, 'with correction': 997815, 'correction while': 207584, 'while globally': 986876, 'the correction': 851972, 'correction wa': 207579, 'wa around': 961575, 'declined further': 231426, 'further since': 342162, 'since on': 770773, 'april price': 83657, 'exchange were': 289495, 'were down': 979538, 'lasting impact': 480770, 'steel industry': 799338, 'industry 19': 435590, 'with correction while': 997816, 'correction while globally': 207585, 'while globally the': 986877, 'globally the correction': 352401, 'the correction wa': 851973, 'correction wa around': 207580, 'wa around the': 961579, 'around the global': 93539, 'have declined further': 380200, 'declined further since': 231427, 'further since on': 342163, 'since on april': 770774, 'on april price': 599450, 'april price on': 83659, 'metal exchange were': 529628, 'exchange were down': 289496, 'were down this': 979541, 'down this can': 257342, 'this can have': 886681, 'can have lasting': 158579, 'have lasting impact': 381254, 'lasting impact on': 480771, 'on the steel': 604383, 'the steel industry': 867864, 'steel industry 19': 799339, 'huawei': 409782, 'report china': 711860, 'ship france': 758667, 'france billion': 330981, 'billion face': 130813, 'their 5g': 872436, '5g equipment': 20668, 'equipment from': 279730, 'from huawei': 335964, 'report china say': 711861, 'china say it': 176927, 'it will ship': 462437, 'will ship france': 994840, 'ship france billion': 758668, 'france billion face': 330982, 'billion face mask': 130814, 'face mask but': 294522, 'mask but only': 518495, 'only if they': 610622, 'if they buy': 415096, 'they buy their': 881595, 'buy their 5g': 149314, 'their 5g equipment': 872437, '5g equipment from': 20669, 'equipment from huawei': 279734, 'convinced the': 202673, 'plan will': 658351, 'work slot': 1005733, 'else free': 271696, 'continued empty': 201315, 'shelf think': 757680, 'think rationing': 885508, 'rationing will': 697885, 'early day but': 264574, 'day but not': 227407, 'but not convinced': 146532, 'not convinced the': 568874, 'convinced the supermarket': 202674, 'the supermarket plan': 868754, 'supermarket plan will': 821999, 'plan will work': 658352, 'will work slot': 995368, 'work slot for': 1005734, 'vulnerable are great': 960875, 'what about everyone': 980968, 'about everyone else': 25197, 'everyone else free': 286855, 'else free for': 271697, 'for all and': 319110, 'all and continued': 42009, 'and continued empty': 60495, 'continued empty shelf': 201316, 'empty shelf think': 275099, 'shelf think rationing': 757681, 'think rationing will': 885509, 'rationing will have': 697886, '553': 20426, '790': 22383, '19 yesterday': 12252, 'yesterday 553': 1015640, '553 today': 20427, 'today 790': 919135, '790 congratulation': 22384, 'at tb': 100830, 'tb and': 835229, 'other bus': 619906, 'bus terminal': 143090, 'covid 19 yesterday': 214106, '19 yesterday 553': 12253, 'yesterday 553 today': 1015641, '553 today 790': 20428, 'today 790 congratulation': 919136, '790 congratulation to': 22385, 'congratulation to everyone': 194448, 'who is panic': 989102, 'supermarket and gathering': 818987, 'and gathering at': 63492, 'gathering at tb': 344443, 'at tb and': 100831, 'tb and other': 835230, 'and other bus': 68289, 'other bus terminal': 619907, 'never hear': 558056, 'hear in': 387936, 'pack is': 633060, 'me thanks': 523600, 'thanks stayhome': 842185, 'thing you ll': 885034, 'll never hear': 496918, 'never hear in': 558059, 'hear in supermarket': 387938, 'in supermarket just': 428621, 'supermarket just the': 821232, 'just the one': 470008, 'the one pack': 862211, 'one pack is': 606817, 'pack is plenty': 633061, 'plenty for me': 660924, 'for me thanks': 323339, 'me thanks stayhome': 523601, 'thanks stayhome staysafe': 842186, 'everyone their': 287469, 'their space': 874765, 'those more': 892217, 'vulnerable safe': 961148, 'safe most': 729827, 'done wonderful': 255124, 'our number': 624098, 'number show': 577048, 'aware and give': 105605, 'and give everyone': 63659, 'give everyone their': 350482, 'everyone their space': 287470, 'their space in': 874766, 'space in the': 787121, 'store please stay': 809594, 'home to keep': 402326, 'yourself and those': 1026529, 'and those more': 74031, 'those more vulnerable': 892219, 'more vulnerable safe': 540934, 'vulnerable safe most': 961149, 'safe most canadian': 729828, 'most canadian have': 542155, 'canadian have done': 160693, 'have done wonderful': 380342, 'done wonderful job': 255125, 'wonderful job of': 1004092, 'job of social': 466040, 'distancing and our': 246986, 'and our number': 68508, 'our number show': 624101, 'number show it': 577049, 'stemming': 799470, 'to challenge': 902585, 'challenge stemming': 171558, 'stemming from': 799471, 'help project': 390361, 'project manager': 683511, 'of horizon': 584751, 'horizon 2020': 404039, 'continue collaborating': 201017, 'collaborating efficiently': 185915, 'introduced 60': 443416, 'free period': 332059, 'use upon': 949783, 'upon request': 947653, '30 contact': 17001, 'response to challenge': 715832, 'to challenge stemming': 902588, 'challenge stemming from': 171559, 'stemming from covid': 799473, 'to help project': 907593, 'help project manager': 390362, 'project manager of': 683512, 'manager of horizon': 512762, 'of horizon 2020': 584752, 'horizon 2020 to': 404040, '2020 to continue': 14663, 'to continue collaborating': 903380, 'continue collaborating efficiently': 201018, 'collaborating efficiently we': 185916, 'efficiently we have': 269452, 'we have introduced': 971845, 'have introduced 60': 381114, 'introduced 60 day': 443417, '60 day free': 20926, 'day free period': 227649, 'free period of': 332060, 'period of use': 651860, 'of use upon': 592703, 'use upon request': 949784, 'upon request and': 947654, 'request and reduced': 713147, 'and reduced price': 70103, 'reduced price by': 706145, 'by 30 contact': 151628, 'some ingredient': 783122, 'ingredient may': 438378, 'stock due': 802064, 'some smart': 783897, 'smart recipe': 775411, 'recipe substitute': 704500, 'some ingredient may': 783123, 'ingredient may be': 438379, 'may be out': 521016, 'of stock due': 590157, 'stock due to': 802065, 'to the here': 916771, 'the here some': 857290, 'here some smart': 393585, 'some smart recipe': 783899, 'smart recipe substitute': 775412, 'expects that': 291111, 'have hard': 380902, 'time following': 896678, 'brand expects that': 137842, 'expects that consumer': 291112, 'that consumer will': 843304, 'consumer will have': 199545, 'will have hard': 993637, 'have hard time': 380903, 'hard time following': 378035, 'time following the': 896679, 'redoubled': 705763, 'our fear': 623047, 'fear are': 301046, 'are redoubled': 89524, 'redoubled by': 705764, 'the regime': 865420, 'secrecy over': 743908, '19 weary': 11967, 'weary face': 974834, 'of soaring': 589833, 'our fear are': 623048, 'fear are redoubled': 301047, 'are redoubled by': 89525, 'redoubled by the': 705765, 'by the regime': 154424, 'the regime secrecy': 865422, 'regime secrecy over': 707365, 'secrecy over the': 743909, 'covid 19 weary': 214053, '19 weary face': 11968, 'weary face of': 974835, 'face of soaring': 294674, 'of soaring price': 589834, 'coronavisurs': 207123, 'when coronavisurs': 983291, 'coronavisurs is': 207124, 'is ripping': 451546, 'ripping through': 722727, 'want stock': 965935, 'high through': 395473, 'your term': 1026129, 'term trumpviruscoverup': 838329, 'when coronavisurs is': 983292, 'coronavisurs is ripping': 207125, 'is ripping through': 451547, 'ripping through the': 722728, 'through the but': 894721, 'the but you': 850207, 'but you want': 148005, 'you want stock': 1022156, 'want stock market': 965936, 'stock market price': 802424, 'market price to': 516905, 'price to stay': 677047, 'to stay high': 915292, 'stay high through': 796931, 'high through your': 395474, 'through your term': 894928, 'your term trumpviruscoverup': 1026130, 'amy that': 54994, 'all happened': 43034, 'happened before': 377226, 'to primarily': 912132, 'primarily doing': 678032, 'have heard': 380915, 'other disabled': 620109, 'folk shopping': 312249, 'worse now': 1010976, 'amy that all': 54995, 'that all happened': 842550, 'all happened before': 43035, 'happened before covid': 377227, 'which is part': 986041, 'why we switched': 991533, 'we switched to': 973472, 'switched to primarily': 830555, 'to primarily doing': 912133, 'primarily doing online': 678033, 'doing online grocery': 252583, 'grocery shopping have': 365031, 'shopping have heard': 762870, 'have heard from': 380916, 'heard from other': 388083, 'from other disabled': 336727, 'other disabled folk': 620110, 'disabled folk shopping': 243908, 'folk shopping is': 312250, 'shopping is worse': 763088, 'is worse now': 454068, 'mustapha': 547011, 'allamin': 45621, 'hoard essential': 398778, 'and hike': 64574, 'we produced': 972758, 'produced hand': 680521, 'distributed free': 248051, 'to maid': 909546, 'maid staff': 508551, 'duty dr': 263566, 'dr adam': 257944, 'adam mustapha': 31223, 'mustapha phd': 547014, 'phd allamin': 654660, 'allamin below': 45622, 'like 19 pandemic': 489686, 'pandemic people hoard': 636167, 'people hoard essential': 648265, 'hoard essential commodity': 398779, 'essential commodity and': 280911, 'commodity and hike': 189126, 'and hike price': 64576, 'hike price we': 396274, 'price we produced': 677407, 'we produced hand': 972760, 'produced hand sanitizer': 680522, 'according to guideline': 28550, 'to guideline and': 907076, 'guideline and distributed': 368395, 'and distributed free': 61518, 'distributed free to': 248052, 'free to maid': 332244, 'to maid staff': 909547, 'maid staff on': 508552, 'staff on essential': 792715, 'on essential duty': 600583, 'essential duty dr': 280983, 'duty dr adam': 263567, 'dr adam mustapha': 257945, 'adam mustapha phd': 31224, 'mustapha phd allamin': 547015, 'phd allamin below': 654661, 'opelika': 611994, 'fuller': 340998, 'breaking opelika': 139018, 'opelika mayor': 611995, 'mayor gary': 521957, 'gary fuller': 343737, 'fuller signed': 340999, 'order monday': 618394, 'monday which': 536417, 'which limit': 986114, 'breaking opelika mayor': 139019, 'opelika mayor gary': 611996, 'mayor gary fuller': 521958, 'gary fuller signed': 343738, 'fuller signed an': 341000, 'executive order monday': 289923, 'order monday which': 618395, 'monday which limit': 536418, 'which limit the': 986115, 'at retail and': 100301, 'retail and grocery': 717823, 'snappy': 776148, 'slogan': 774071, 'like no': 490859, 'how shitty': 408666, 'shitty stayhomesavelives': 759383, 'stayhomesavelives is': 798395, 'of attempt': 580432, 'at snappy': 100563, 'snappy slogan': 776149, 'slogan feel': 774072, 'like licking': 490640, 'licking everyone': 488236, 'be despite': 114421, 'feel like no': 302733, 'like no one': 490862, 'one is talking': 606525, 'about how shitty': 25471, 'how shitty stayhomesavelives': 408669, 'shitty stayhomesavelives is': 759384, 'stayhomesavelives is some': 798396, 'is some sort': 452092, 'sort of attempt': 786117, 'of attempt at': 580433, 'attempt at snappy': 102216, 'at snappy slogan': 100564, 'snappy slogan feel': 776150, 'slogan feel like': 774073, 'feel like licking': 302726, 'like licking everyone': 490641, 'licking everyone in': 488237, 'to be despite': 901198, 'be despite it': 114422, 'messy': 529553, 'gave lady': 344632, 'lady the': 478837, 'the stink': 867899, 'stink eye': 801672, 'eye at': 294006, 'had 20': 372799, '20 roll': 13310, 'buggy now': 141916, 'any until': 80000, 'over matter': 630384, 'principle sure': 678249, 'sure hope': 827567, 'or thing': 617430, 'get really': 347897, 'really messy': 702415, 'messy really': 529554, 'really fast': 702187, 'gave lady the': 344633, 'lady the stink': 478838, 'the stink eye': 867900, 'stink eye at': 801673, 'eye at the': 294008, 'because she had': 119547, 'she had 20': 756089, 'had 20 roll': 372800, '20 roll of': 13311, 'paper in her': 640320, 'her buggy now': 391903, 'buggy now cannot': 141917, 'now cannot buy': 574344, 'cannot buy any': 161687, 'buy any until': 148355, 'any until the': 80001, 'until the pandemic': 943865, 'is over matter': 450712, 'over matter of': 630385, 'of principle sure': 588432, 'principle sure hope': 678250, 'sure hope this': 827570, 'hope this thing': 403728, 'this thing clear': 890561, 'clear up soon': 181379, 'up soon or': 946050, 'soon or thing': 785785, 'or thing are': 617431, 'thing are gonna': 884154, 'are gonna get': 86917, 'gonna get really': 356535, 'get really messy': 347898, 'really messy really': 702416, 'messy really fast': 529555, 'closure could': 183870, 'to via': 918157, 'via brick': 955826, 'retail closure could': 717965, 'closure could explode': 183871, 'due to via': 262017, 'to via brick': 918159, 'via brick and': 955827, 'handwashes': 376808, 'hindustanunilever': 396883, 'you hul': 1019266, 'hul you': 410370, 'buck in': 141664, 'these grave': 880069, 'grave time': 362432, 'and handwashes': 64161, 'handwashes hul': 376813, 'hul hindustanunilever': 410352, 'hindustanunilever shameful': 396884, 'on you hul': 605422, 'you hul you': 1019267, 'hul you are': 410371, 'quick buck in': 694288, 'buck in these': 141665, 'in these grave': 429844, 'these grave time': 880070, 'grave time by': 362433, 'time by increasing': 896435, 'by increasing the': 152901, 'of your soap': 593526, 'your soap and': 1025846, 'soap and handwashes': 778913, 'and handwashes hul': 64162, 'handwashes hul hindustanunilever': 376814, 'hul hindustanunilever shameful': 410353, 'albuquerque': 40864, 'abq': 27122, 'newmexico': 560124, 'spread albuquerque': 790394, 'albuquerque abq': 40865, 'abq newmexico': 27125, 'newmexico nm': 560125, 'plummet coronavirus spread': 661267, 'coronavirus spread albuquerque': 206802, 'spread albuquerque abq': 790395, 'albuquerque abq newmexico': 40866, 'abq newmexico nm': 27126, 'reluctantly': 709622, 'shopping sustainable': 764039, 'sustainable after': 829790, 'after coronavirus': 35507, 'coronavirus or': 206356, 'consumer doing': 197236, 'it reluctantly': 460699, 'reluctantly because': 709623, 'their only': 874110, 'choice hear': 177776, 'our take': 625068, 'episode listen': 279534, 'is the increase': 452830, 'increase in online': 432848, 'online shopping sustainable': 609294, 'shopping sustainable after': 764040, 'sustainable after coronavirus': 829791, 'after coronavirus or': 35511, 'coronavirus or are': 206357, 'or are consumer': 614406, 'are consumer doing': 85526, 'consumer doing it': 197237, 'doing it reluctantly': 252491, 'it reluctantly because': 460700, 'reluctantly because it': 709624, 'because it their': 119209, 'it their only': 461595, 'their only choice': 874111, 'only choice hear': 610245, 'choice hear our': 177777, 'hear our take': 387974, 'our take in': 625070, 'take in the': 832220, 'the latest episode': 859099, 'latest episode listen': 481323, 'ravage': 697909, 'across report': 29437, 'report unprecedented': 712405, 'shortage pandemic': 765154, 'pandemic ravage': 636293, 'ravage via': 697914, 'step in food': 799561, 'bank across report': 109567, 'across report unprecedented': 29438, 'report unprecedented demand': 712406, 'demand and shortage': 235000, 'and shortage pandemic': 71572, 'shortage pandemic ravage': 765157, 'pandemic ravage via': 636294, 'overcoming': 631144, 'farming is': 299630, 'actually providing': 30923, 'providing good': 687014, 'story surrounding': 812120, '19 aside': 5228, 'aside from': 95414, 'from when': 338349, 'when panic': 983841, 'buying wa': 151317, 'wa rife': 963105, 'rife farmer': 721694, 'producer were': 680714, 'were stating': 980165, 'stating there': 796312, 'all yet': 45528, 'yet emphasis': 1016055, 'emphasis is': 273370, 'on overcoming': 602656, 'overcoming workforce': 631150, 'business logistics': 144016, 'logistics challenge': 500734, 'farming is actually': 299631, 'is actually providing': 445336, 'actually providing good': 30924, 'providing good news': 687015, 'news story surrounding': 560834, 'story surrounding covid': 812121, 'covid 19 aside': 212657, '19 aside from': 5229, 'aside from when': 95420, 'from when panic': 338350, 'when panic buying': 983842, 'panic buying wa': 637954, 'buying wa rife': 151318, 'wa rife farmer': 963106, 'rife farmer and': 721695, 'farmer and food': 299256, 'and food producer': 63080, 'food producer were': 316007, 'producer were stating': 680715, 'were stating there': 980166, 'stating there is': 796313, 'plenty for all': 660922, 'for all yet': 319191, 'all yet emphasis': 45529, 'yet emphasis is': 1016056, 'emphasis is needed': 273371, 'is needed on': 449865, 'needed on overcoming': 556454, 'on overcoming workforce': 602657, 'overcoming workforce and': 631151, 'workforce and business': 1008338, 'and business logistics': 59289, 'business logistics challenge': 144017, 'tpmp': 928078, 'tpshortage2020': 928101, 'toiletpaper like': 922180, 'like savage': 491134, 'savage and': 737428, 'yourself this': 1026723, 'way tp': 970133, 'tp tpmp': 928017, 'tpmp tpshortage2020': 928079, 'tpshortage2020 coronapocalypse': 928103, 'stop hoarding toiletpaper': 804750, 'hoarding toiletpaper like': 399620, 'toiletpaper like savage': 922181, 'like savage and': 491135, 'savage and treat': 737430, 'and treat yourself': 74425, 'treat yourself this': 930929, 'yourself this is': 1026724, 'the way tp': 871202, 'way tp tpmp': 970134, 'tp tpmp tpshortage2020': 928018, 'tpmp tpshortage2020 coronapocalypse': 928080, 'roll the': 725534, 'what why': 982588, 'it cant': 457053, 'cant understand': 162348, 'water vitamin': 969243, 'vitamin etc': 959772, 'etc wtf': 282909, 'is toilet roll': 453267, 'toilet roll the': 921611, 'roll the cure': 725535, 'for or what': 324154, 'or what why': 617771, 'what why the': 982589, 'why the panic': 991426, 'panic for it': 638121, 'for it cant': 322697, 'it cant understand': 457054, 'cant understand it': 162349, 'understand it it': 940667, 'it it the': 459183, 'last thing go': 480542, 'thing go for': 884364, 'go for what': 353579, 'for what about': 327791, 'food water vitamin': 317517, 'water vitamin etc': 969244, 'vitamin etc wtf': 959773, 'etc wtf is': 282910, 'wtf is going': 1013291, 'disinfectant face': 245657, 'participate stayh': 642561, 'wash alcohol based': 967424, 'based disinfectant face': 111557, 'disinfectant face mask': 245658, 'competition participate stayh': 191721, 'pietre': 656429, 'holistic': 400409, 'is jennifer': 449092, 'jennifer field': 465096, 'field pietre': 304502, 'pietre founder': 656430, 'of narrative': 586853, 'narrative food': 551940, 'food narrative': 315505, 'food mission': 315469, 'to inspire': 908412, 'inspire people': 439828, 'start cooking': 794266, 'cooking again': 202838, 'again with': 37275, 'with holistic': 998861, 'holistic ingredient': 400412, 'ingredient their': 438406, 'skyrocketed since': 773380, '300 delivery': 17297, 'delivery per': 234329, 'out to is': 627655, 'to is jennifer': 908523, 'is jennifer field': 449093, 'jennifer field pietre': 465097, 'field pietre founder': 304503, 'pietre founder ceo': 656431, 'founder ceo of': 330530, 'ceo of narrative': 169782, 'of narrative food': 586854, 'narrative food narrative': 551942, 'food narrative food': 315506, 'narrative food mission': 551941, 'food mission is': 315470, 'is to inspire': 453212, 'to inspire people': 908414, 'inspire people to': 439829, 'people to start': 649943, 'to start cooking': 915193, 'start cooking again': 794267, 'cooking again with': 202839, 'again with holistic': 37278, 'with holistic ingredient': 998862, 'holistic ingredient their': 400413, 'ingredient their demand': 438407, 'ha skyrocketed since': 371960, 'skyrocketed since covid': 773381, '19 to 300': 11413, 'to 300 delivery': 899676, '300 delivery per': 17298, 'delivery per week': 234331, 'buying export': 150266, 'export curb': 292629, 'curb via': 220591, 'via foxnews': 955992, 'foxnews cnbc': 330799, 'cnbc bloomberg': 184716, 'bloomberg qanon': 133264, 'qanon maga': 691464, 'coronavirus may cause': 206270, 'may cause global': 521073, 'panic buying export': 637724, 'buying export curb': 150267, 'export curb via': 292631, 'curb via foxnews': 220592, 'via foxnews cnbc': 955993, 'foxnews cnbc bloomberg': 330800, 'cnbc bloomberg qanon': 184717, 'bloomberg qanon maga': 133265, '1968': 12412, 'gasoline hasn': 344237, 'since 1968': 770425, 'for gasoline hasn': 321846, 'gasoline hasn been': 344238, 'hasn been this': 378731, 'low since 1968': 505605, 'doomsdayprepper': 255483, 'should stockup': 766509, 'stockup for': 804172, 'my stock': 550204, 'stock besides': 801920, 'besides water': 127533, 'water pasta': 969107, 'pasta canned': 643703, 'good juice': 357303, 'juice diaper': 467739, 'diaper and': 240352, 'paper married': 640449, 'married and': 517999, 'child under': 176239, 'under year': 940393, 'old here': 598292, 'here doomsdayprepper': 392928, 'what item should': 981769, 'item should stockup': 463644, 'should stockup for': 766510, 'stockup for my': 804173, 'for my stock': 323751, 'my stock besides': 550205, 'stock besides water': 801921, 'besides water pasta': 127534, 'water pasta canned': 969108, 'pasta canned good': 643704, 'canned good juice': 161538, 'good juice diaper': 357304, 'juice diaper and': 467740, 'diaper and toilet': 240354, 'toilet paper married': 921351, 'paper married and': 640450, 'married and father': 518000, 'and father of': 62721, 'father of two': 300301, 'two child under': 936832, 'child under year': 176242, 'under year old': 940394, 'year old here': 1014834, 'old here doomsdayprepper': 598293, 'ha revealed': 371752, 'revealed simple': 720274, 'simple fact': 770014, 'society run': 781298, 'run not': 727720, 'not banker': 568333, 'banker landlord': 110371, 'landlord or': 479361, 'or ceo': 614694, 'coronavirus pandemic ha': 206461, 'pandemic ha revealed': 635564, 'ha revealed simple': 371754, 'revealed simple fact': 720275, 'simple fact it': 770015, 'fact it low': 295743, 'it low wage': 459475, 'wage worker that': 964003, 'worker that make': 1007916, 'that make our': 844998, 'make our society': 510291, 'our society run': 624829, 'society run not': 781299, 'run not banker': 727721, 'not banker landlord': 568334, 'banker landlord or': 110372, 'landlord or ceo': 479362, 'new banger': 558373, 'banger in': 109472, 'town amazingly': 927430, 'amazingly cheap': 50819, 'the new banger': 861473, 'new banger in': 558374, 'banger in town': 109473, 'in town amazingly': 430247, 'town amazingly cheap': 927431, 'amazingly cheap price': 50820, 'apologetically': 81618, 'guy bumped': 368935, 'sorry super': 786080, 'super apologetically': 818470, 'apologetically could': 81619, 'feel everyone': 302617, 'building heart': 142084, 'heart stop': 388334, 'fucking madness': 339938, 'madness 19': 508150, 'store guy bumped': 807991, 'guy bumped into': 368936, 'bumped into me': 142582, 'me and said': 522423, 'and said so': 70775, 'said so sorry': 731362, 'so sorry super': 778250, 'sorry super apologetically': 786081, 'super apologetically could': 818471, 'apologetically could feel': 81620, 'could feel everyone': 209174, 'feel everyone in': 302618, 'in the building': 429040, 'the building heart': 850098, 'building heart stop': 142085, 'heart stop this': 388335, 'is fucking madness': 447961, 'fucking madness 19': 339939, 'people ask': 647157, 'me at work': 522482, 'at work when': 101628, 'work when people': 1005998, 'when people ask': 983855, 'people ask if': 647158, 'ask if we': 95567, 'we have toilet': 971969, 'cosumerbehavior': 208384, 'more marketresearch': 539753, 'marketresearch cosumerbehavior': 517855, 'happen if consumer': 377092, 'if consumer stay': 413986, 'consumer stay home': 199135, 'for month or': 323535, 'or more marketresearch': 616178, 'more marketresearch cosumerbehavior': 539754, 'dear the': 229898, 'spice way': 789222, 'covid19 but': 214276, 'com we': 186960, 'to welcome': 918483, 'our lovely': 623817, 'lovely shop': 504984, 'shop again': 759806, 'again soon': 37173, 'soon keep': 785762, 'dear the spice': 229899, 'the spice way': 867574, 'spice way customer': 789223, 'way customer our': 969538, 'customer our shop': 222667, 'our shop is': 624753, 'shop is temporarily': 760367, 'temporarily closed due': 837462, 'to covid19 but': 903673, 'covid19 but you': 214278, 'can continue shopping': 157981, 'shopping online at': 763411, 'or email sale': 615148, 'sale com we': 732128, 'com we hope': 186961, 'hope to be': 403736, 'able to welcome': 24571, 'to welcome you': 918485, 'welcome you back': 977917, 'you back into': 1017367, 'back into our': 107115, 'into our lovely': 442821, 'our lovely shop': 623818, 'lovely shop again': 504985, 'shop again soon': 759809, 'again soon keep': 37175, 'soon keep safe': 785763, 'keep safe 19': 471870, 'thing buy': 884213, 'always need': 49665, 'need do': 554686, 'would normally': 1012066, 'normally stophoarding': 567548, 'it simple thing': 461062, 'simple thing buy': 770119, 'thing buy what': 884214, 'you need what': 1020056, 'need what you': 556200, 'what you always': 982660, 'you always need': 1016951, 'always need do': 49666, 'need do not': 554687, 'not buy more': 568652, 'than you would': 841500, 'you would normally': 1022456, 'would normally stophoarding': 1012068, 'normally stophoarding panicbuyinguk': 567549, 'isolationism': 455538, 'advertisingtrends': 33290, 'hopefully isolationism': 403859, 'isolationism isn': 455539, 'them advertisingtrends': 875318, 'hopefully isolationism isn': 403860, 'isolationism isn one': 455540, 'isn one of': 454605, 'of them advertisingtrends': 591720, 'superbrugsen': 818629, 'ndby': 553397, 'safely queue': 730299, 'receive the': 703552, 'bill at': 130512, 'denmark flag': 237013, 'flag of': 309942, 'of denmark': 582528, 'denmark maintain': 237020, 'customer chinesevirus': 222245, 'lockdown photo': 499801, 'photo credit': 655150, 'credit superbrugsen': 216521, 'superbrugsen br': 818630, 'br ndby': 137471, 'ndby fb': 553398, 'to safely queue': 913718, 'safely queue to': 730300, 'queue to receive': 694099, 'to receive the': 912934, 'receive the bill': 703553, 'the bill at': 849692, 'bill at the': 130514, 'in denmark flag': 422186, 'denmark flag of': 237014, 'flag of denmark': 309943, 'of denmark maintain': 582529, 'denmark maintain distance': 237021, 'distance of more': 246785, 'more than from': 540622, 'than from other': 840681, 'other customer chinesevirus': 620057, 'customer chinesevirus lockdown': 222246, 'chinesevirus lockdown photo': 177445, 'lockdown photo credit': 499802, 'photo credit superbrugsen': 655152, 'credit superbrugsen br': 216522, 'superbrugsen br ndby': 818631, 'br ndby fb': 137472, 'spill': 789365, 'dontpanic': 255374, 'saturdayvibes': 737124, 'than rob': 841096, 'rob for': 724621, 'about tearing': 26304, 'tearing up': 836003, 'your old': 1025060, 'old clothes': 598186, 'clothes use': 184229, 'for wiping': 327891, 'as well': 94826, 'well spill': 978577, 'spill stophoarding': 789372, 'stophoarding quarantine': 805449, '19 dontpanic': 6640, 'dontpanic saturdaythoughts': 255381, 'saturdaythoughts saturdayvibes': 737118, 'saturdayvibes saturdaymorning': 737129, 'rather than rob': 697546, 'than rob for': 841097, 'rob for toilet': 724622, 'paper how about': 640295, 'how about tearing': 407305, 'about tearing up': 26305, 'tearing up your': 836004, 'up your old': 946743, 'your old clothes': 1025062, 'old clothes use': 598187, 'clothes use that': 184230, 'use that for': 949643, 'that for wiping': 843939, 'for wiping your': 327892, 'wiping your as': 996538, 'your as well': 1022854, 'as well spill': 94827, 'well spill stophoarding': 978578, 'spill stophoarding quarantine': 789373, 'stophoarding quarantine 19': 805450, 'quarantine 19 dontpanic': 691984, '19 dontpanic saturdaythoughts': 6641, 'dontpanic saturdaythoughts saturdayvibes': 255382, 'saturdaythoughts saturdayvibes saturdaymorning': 737119, 'akash': 40506, 'smethwick': 775653, 'akash supermarket': 40509, 'supermarket messenger': 821514, 'messenger road': 529537, 'road smethwick': 724511, 'smethwick doubled': 775654, 'buying brit': 150050, 'brit wiped': 140359, 'wiped the': 996479, 'supermarket flat': 820331, 'out utter': 627764, 'utter scum': 951425, 'scum for': 742976, 'for doubling': 320840, 'doubling price': 256165, 'akash supermarket messenger': 40510, 'supermarket messenger road': 821515, 'messenger road smethwick': 529538, 'road smethwick doubled': 724512, 'smethwick doubled price': 775655, 'doubled price since': 256137, 'since the pandemic': 770899, 'pandemic and panic': 634888, 'panic buying brit': 637662, 'buying brit wiped': 150051, 'brit wiped the': 140360, 'wiped the supermarket': 996482, 'the supermarket flat': 868594, 'supermarket flat out': 820332, 'flat out utter': 310093, 'out utter scum': 627765, 'utter scum for': 951426, 'scum for doubling': 742977, 'for doubling price': 320841, 'doubling price and': 256166, 'price and they': 672564, 'be fined for': 114859, 'fined for doing': 307742, 'phone data': 654941, 'data do': 226192, 'not tell': 571944, 'whole story': 990339, 'virginia drive': 957663, 'drive 15': 258967, 'min to': 532578, '25 min': 15916, 'out rural': 627124, 'rural american': 728218, 'american drive': 51926, 'drive stayathome': 259157, 'cell phone data': 168959, 'phone data do': 654942, 'data do not': 226193, 'do not tell': 249865, 'not tell the': 571948, 'tell the whole': 837094, 'the whole story': 871508, 'whole story in': 990340, 'story in virginia': 812016, 'in virginia drive': 430598, 'virginia drive 15': 957664, 'drive 15 min': 258968, '15 min to': 3770, 'min to the': 532580, 'grocery store 25': 365168, 'store 25 min': 806031, '25 min to': 15917, 'min to restaurant': 532579, 'to restaurant take': 913394, 'take out rural': 832459, 'out rural american': 627125, 'rural american drive': 728219, 'american drive stayathome': 51927, 'dusty': 263483, 'gearhard': 345017, 'homeland': 402713, 'is dusty': 447415, 'dusty gearhard': 263484, 'gearhard he': 345018, 'at homeland': 99182, 'homeland store': 402718, 'oklahoma he': 598066, 'see family': 745103, 'family coming': 297712, 'shopper aren': 761405, 'aren social': 92521, 'most don': 542262, 'don wear': 254063, 'this change': 886734, 'change his': 172079, 'stake groceryworkers': 793306, 'this is dusty': 888242, 'is dusty gearhard': 447416, 'dusty gearhard he': 263485, 'gearhard he is': 345019, 'he is grocery': 385126, 'store worker at': 811458, 'worker at homeland': 1006466, 'at homeland store': 99183, 'homeland store in': 402719, 'store in oklahoma': 808360, 'in oklahoma he': 426096, 'oklahoma he say': 598067, 'he say he': 385393, 'say he see': 738734, 'he see family': 385409, 'see family coming': 745104, 'family coming to': 297714, 'coming to the': 188233, 'the store he': 868035, 'he say shopper': 385397, 'say shopper aren': 739133, 'shopper aren social': 761406, 'aren social distancing': 92522, 'distancing and most': 246978, 'and most don': 67265, 'most don wear': 542263, 'don wear mask': 254065, 'mask and until': 518383, 'and until this': 74719, 'until this change': 943898, 'this change his': 886736, 'change his life': 172081, 'his life is': 397581, 'life is at': 488801, 'is at stake': 445875, 'at stake groceryworkers': 100628, 'richiet': 721353, 'richiet that': 721354, 'the practical': 864188, 'practical reality': 668481, 'reality there': 701803, 'for quality': 324891, 'quality ecological': 691778, 'ecological food': 266683, 'market willing': 517367, 'it big': 456870, 'is accessing': 445313, 'accessing direct': 28354, 'direct or': 243363, 'or efficient': 615115, 'efficient route': 269430, 'market perhaps': 516840, 'perhaps one': 651627, '19 wil': 12072, 'richiet that the': 721355, 'that the practical': 846807, 'the practical reality': 864189, 'practical reality there': 668482, 'reality there is': 701805, 'is demand for': 447112, 'demand for quality': 235484, 'for quality ecological': 324893, 'quality ecological food': 691779, 'ecological food and': 266684, 'food and small': 313334, 'and small market': 71781, 'small market willing': 775027, 'market willing to': 517368, 'for it big': 322693, 'it big problem': 456872, 'big problem is': 129935, 'problem is accessing': 679566, 'is accessing direct': 445314, 'accessing direct or': 28355, 'direct or efficient': 243364, 'or efficient route': 615116, 'efficient route to': 269431, 'route to that': 726475, 'to that market': 916454, 'that market perhaps': 845046, 'market perhaps one': 516841, 'perhaps one good': 651628, 'good thing from': 357845, 'thing from covid': 884344, 'covid 19 wil': 214075, 'vee to': 953698, 'begin temporary': 123570, 'hour change': 405486, 'change march': 172174, 'hy vee to': 411892, 'vee to begin': 953699, 'to begin temporary': 901715, 'begin temporary store': 123571, 'temporary store hour': 837704, 'store hour change': 808192, 'hour change march': 405487, 'change march 18': 172175, 'unemploymentinsurance': 941322, 'ohiolockdown': 596560, 'why hand': 991041, 'isn better': 454446, 'than soap': 841149, 'for explained': 321331, 'explained californialockdown': 292151, 'californialockdown newyorklockdown': 155631, 'newyorklockdown australia': 561221, 'australia uklockdownnow': 103414, 'uklockdownnow italy': 939020, 'italy breaking': 462781, 'breaking unemploymentinsurance': 139075, 'unemploymentinsurance ohiolockdown': 941323, 'ohiolockdown lockdown': 596561, 'lockdown cdc': 499230, 'cdc notoviptesting': 168596, 'notoviptesting maga': 573615, 'why hand sanitizer': 991042, 'sanitizer isn better': 735220, 'isn better than': 454447, 'better than soap': 128535, 'than soap for': 841150, 'soap for explained': 779009, 'for explained californialockdown': 321332, 'explained californialockdown newyorklockdown': 292152, 'californialockdown newyorklockdown australia': 155632, 'newyorklockdown australia uklockdownnow': 561222, 'australia uklockdownnow italy': 103415, 'uklockdownnow italy breaking': 939021, 'italy breaking unemploymentinsurance': 462782, 'breaking unemploymentinsurance ohiolockdown': 139076, 'unemploymentinsurance ohiolockdown lockdown': 941324, 'ohiolockdown lockdown cdc': 596562, 'lockdown cdc notoviptesting': 499231, 'cdc notoviptesting maga': 168597, 'get day': 346849, 'of rest': 589010, 'rest hope': 716164, 'great today grocery': 363074, 'store worker get': 811516, 'worker get day': 1007021, 'get day of': 346850, 'day of rest': 228096, 'of rest hope': 589011, 'rest hope they': 716165, 'hope they all': 403701, 'they all know': 881115, 'all know how': 43330, 'they are appreciated': 881204, 'some trusted': 784122, 'trusted information': 934341, 'outbreak includes': 628354, 'rule around': 727203, 'around ei': 93276, 'ei sickness': 270164, 'sickness coverage': 768750, 'coverage please': 212373, 'share widely': 755349, 'some trusted information': 784123, 'trusted information about': 934342, 'information about managing': 437711, 'about managing your': 25698, 'the outbreak includes': 862649, 'outbreak includes link': 628355, 'new rule around': 559519, 'rule around ei': 727204, 'around ei sickness': 93277, 'ei sickness coverage': 270165, 'sickness coverage please': 768751, 'coverage please share': 212374, 'please share widely': 660500, 'imune': 419664, 'buliders': 142232, 'strange the': 812424, 'the profession': 864609, 'profession that': 682390, 'deemed imune': 231827, 'imune to': 419665, '19 transport': 11548, 'staff buliders': 792276, 'buliders maintenance': 142233, 'maintenance staff': 509168, 'staff postal': 792776, 'fire basically': 308061, 'basically anybody': 112108, 'anybody who': 80109, 'is officially': 450435, 'officially immune': 596004, 'strange the profession': 812425, 'the profession that': 864611, 'profession that are': 682391, 'that are deemed': 842737, 'are deemed imune': 85719, 'deemed imune to': 231828, 'imune to covid': 419666, 'covid 19 transport': 213977, '19 transport worker': 11549, 'transport worker nh': 929981, 'worker nh worker': 1007441, 'supermarket staff buliders': 822821, 'staff buliders maintenance': 792277, 'buliders maintenance staff': 142234, 'maintenance staff postal': 509170, 'staff postal worker': 792777, 'postal worker delivery': 666471, 'worker delivery and': 1006741, 'delivery and warehouse': 233687, 'and warehouse staff': 75184, 'warehouse staff police': 966774, 'staff police fire': 792765, 'police fire basically': 662998, 'fire basically anybody': 308062, 'basically anybody who': 112109, 'anybody who doesn': 80110, 'who doesn work': 988642, 'doesn work in': 251998, 'in an office': 420324, 'an office is': 56561, 'office is officially': 595459, 'is officially immune': 450436, 'diesel rate': 241689, 'rate stagnant': 697375, 'stagnant amid': 793269, 'lockdown oil': 499721, 'jump after': 467844, 'after top': 36437, 'producer agree': 680552, 'agree output': 38628, 'petrol diesel rate': 653729, 'diesel rate stagnant': 241690, 'rate stagnant amid': 697376, 'stagnant amid covid': 793271, '19 lockdown oil': 8411, 'lockdown oil price': 499723, 'oil price jump': 597175, 'price jump after': 674953, 'jump after top': 467845, 'after top producer': 36438, 'top producer agree': 925692, 'producer agree output': 680553, 'agree output cut': 38629, 'gojo': 355832, 'news granted': 560483, 'granted tariff': 362089, 'for component': 320220, 'component used': 192560, 'enable ohio': 275426, 'ohio based': 596522, 'based gojo': 111597, 'gojo to': 355833, 'up distribution': 944722, 'of purell': 588614, 'good news granted': 357447, 'news granted tariff': 560484, 'granted tariff relief': 362090, 'tariff relief for': 834619, 'relief for component': 709338, 'for component used': 320221, 'component used in': 192561, 'used in the': 949945, 'in the distribution': 429139, 'sanitizer this will': 735892, 'this will enable': 891413, 'will enable ohio': 993294, 'enable ohio based': 275427, 'ohio based gojo': 596523, 'based gojo to': 111598, 'gojo to ramp': 355834, 'ramp up distribution': 696439, 'up distribution of': 944723, 'distribution of purell': 248178, 'of purell hand': 588615, 'sanitizer to meet': 735935, 'growing demand due': 367162, 'is vital': 453718, 'vital that': 959734, 'any decline': 79101, 'farm beef': 299092, 'beef price': 120540, 'is investigated': 448967, 'it is vital': 459123, 'is vital that': 453719, 'vital that any': 959735, 'that any decline': 842675, 'any decline in': 79102, 'decline in farm': 231350, 'in farm beef': 422795, 'farm beef price': 299093, 'beef price is': 120544, 'price is investigated': 674871, 'is investigated for': 448968, 'investigated for collusion': 443818, 'between processor and': 128868, 'processor and that': 680060, 'that we look': 847381, 'at what happens': 101525, 'relation to the': 708678, 'the supermarket price': 868761, 'competition rule are': 191738, 'rule are currently': 727202, 'are currently suspended': 85679, 'jhalakbollywood': 465419, 'jhalakkollywood': 465422, 'jhalaktollywood': 465424, 'corona scare': 204164, 'scare sends': 740909, 'sends seafood': 750137, 'seafood price': 743144, 'soaring in': 779328, 'mumbai seafood': 546027, 'seafood coronavid19': 743125, 'coronavid19 jhalakbollywood': 205382, 'jhalakbollywood jhalakkollywood': 465420, 'jhalakkollywood jhalaktollywood': 465423, 'corona scare sends': 204165, 'scare sends seafood': 740911, 'sends seafood price': 750138, 'seafood price soaring': 743145, 'price soaring in': 676539, 'soaring in mumbai': 779330, 'in mumbai seafood': 425517, 'mumbai seafood coronavid19': 546028, 'seafood coronavid19 jhalakbollywood': 743126, 'coronavid19 jhalakbollywood jhalakkollywood': 205383, 'jhalakbollywood jhalakkollywood jhalaktollywood': 465421, '19 planning': 9696, 'insurance take': 440818, 'shopping for covid': 762667, 'covid 19 planning': 213585, '19 planning doesn': 9698, 'life insurance take': 488790, 'insurance take few': 440819, 'take few minute': 832116, 'few minute to': 303918, 'minute to learn': 533873, 'shavedonatenominate': 755809, 'shavedonatenominate the': 755810, 'are telling': 90757, 'they tackle': 883518, 'this ongoing': 889258, 'unpredictable emergency': 943229, 'emergency our': 272839, 'amazing nh': 50745, 'shavedonatenominate the government': 755811, 'government are telling': 359903, 'are telling all': 90758, 'telling all to': 837181, 'all to stay': 45250, 'home unless essential': 402396, 'unless essential while': 942604, 'essential while they': 281791, 'while they tackle': 987445, 'they tackle this': 883519, 'tackle this ongoing': 831617, 'this ongoing and': 889259, 'ongoing and unpredictable': 607598, 'and unpredictable emergency': 74701, 'unpredictable emergency our': 943230, 'emergency our amazing': 272840, 'our amazing nh': 622061, 'amazing nh worker': 50748, 'of this tragic': 592058, 'marcus': 515578, 'and marcus': 66692, 'marcus not': 515579, 'sure who': 827833, 'is who': 453947, 'who but': 988354, 'right spoke': 722281, 'spoke alot': 789710, 'of sense': 589509, 'sense pointed': 750574, 'out many': 626534, 'out staff': 627236, 'feel forced': 302628, 'joe and marcus': 466404, 'and marcus not': 66693, 'marcus not sure': 515580, 'not sure who': 571856, 'sure who is': 827835, 'who is who': 989128, 'is who but': 453949, 'who but the': 988355, 'one on the': 606785, 'the right spoke': 865827, 'right spoke alot': 722282, 'spoke alot of': 789711, 'alot of sense': 47134, 'of sense pointed': 589511, 'sense pointed out': 750575, 'pointed out many': 662736, 'out many supermarket': 626535, 'many supermarket check': 514756, 'supermarket check out': 819659, 'check out staff': 174578, 'out staff are': 627237, 'staff are high': 792192, 'are high risk': 87152, 'risk elderly who': 723514, 'elderly who feel': 270947, 'who feel forced': 988731, 'feel forced to': 302629, 'forced to continue': 328624, 'unnoticed': 942975, 'mapoli': 514959, 'work doe': 1005051, 'go unnoticed': 354412, 'unnoticed say': 942978, 'say thanking': 739216, 'thanking them': 841998, 'and committing': 60151, 'committing to': 189096, 'ensuring their': 278198, 'safety this': 730756, 'come day': 187267, 'after market': 35909, 'basket worker': 112427, '19 mapoli': 8549, 'store worker critical': 811474, 'worker critical work': 1006714, 'critical work doe': 218724, 'work doe not': 1005052, 'doe not go': 251495, 'not go unnoticed': 569691, 'go unnoticed say': 354413, 'unnoticed say thanking': 942979, 'say thanking them': 739217, 'thanking them and': 841999, 'them and committing': 875375, 'and committing to': 60152, 'committing to ensuring': 189098, 'to ensuring their': 905207, 'ensuring their safety': 278199, 'their safety this': 874616, 'safety this come': 730757, 'this come day': 886806, 'come day after': 187268, 'day after market': 227183, 'after market basket': 35910, 'market basket worker': 516084, 'basket worker died': 112428, 'worker died of': 1006784, 'covid 19 mapoli': 213400, 'ha huge': 370891, 'huge online': 410109, 'around 70': 93160, 'internet user': 442046, 'user in': 950293, 'india purchase': 434578, 'online majority': 608518, 'digital shopper': 242644, 'be restricted': 116851, 'restricted for': 717138, 'time hence': 896916, 'hence ban': 391737, 'ban online': 109238, 'avoid spread': 105287, 'any source': 79838, 'source jai': 786501, 'india ha huge': 434442, 'ha huge online': 370893, 'huge online market': 410110, 'online market this': 608524, 'market this mean': 517215, 'mean that around': 524673, 'that around 70': 842869, 'around 70 of': 93162, '70 of internet': 21803, 'of internet user': 585264, 'internet user in': 442047, 'user in india': 950295, 'in india purchase': 424050, 'india purchase product': 434579, 'purchase product online': 689640, 'product online majority': 681482, 'online majority of': 608519, 'majority of digital': 509557, 'of digital shopper': 582613, 'digital shopper should': 242645, 'shopper should be': 761685, 'should be restricted': 765716, 'be restricted for': 116852, 'restricted for some': 717139, 'some time hence': 784058, 'time hence ban': 896917, 'hence ban online': 391738, 'ban online shopping': 109239, 'to avoid spread': 900941, 'avoid spread of': 105288, '19 from any': 7116, 'from any source': 334553, 'any source jai': 79839, 'source jai hind': 786502, 'wef20': 977614, 'besieged': 127537, 'wef20 via': 977615, 'via there': 956321, 'together uk': 921015, 'are besieged': 84950, 'besieged by': 127538, 'customer food': 222381, 'wef20 via there': 977616, 'via there is': 956322, 'work together uk': 1005920, 'together uk supermarket': 921016, 'uk supermarket are': 938757, 'supermarket are besieged': 819148, 'are besieged by': 84951, 'besieged by customer': 127539, 'by customer food': 152282, 'you hate': 1019003, 'hate socialism': 378906, 'socialism but': 780952, 'do socialist': 250116, 'socialist action': 781003, 'action what': 30193, 'to letting': 909224, 'letting the': 487443, 'consumer decide': 197096, 'decide what': 230849, 'what company': 981235, 'company survive': 191133, 'survive or': 829218, 'in capitalism': 421225, 'capitalism this': 162784, 'very socialist': 955558, 'socialist lately': 781015, 'lately give': 480957, 'give peop': 350642, 'wow you hate': 1012631, 'you hate socialism': 1019004, 'hate socialism but': 378907, 'socialism but then': 780953, 'but then you': 147458, 'then you say': 877793, 'you say you': 1021007, 'say you will': 739522, 'you will do': 1022328, 'will do socialist': 993229, 'do socialist action': 250117, 'socialist action what': 781004, 'action what happened': 30194, 'happened to letting': 377278, 'to letting the': 909225, 'letting the market': 487446, 'the consumer decide': 851522, 'consumer decide what': 197097, 'decide what company': 230850, 'what company survive': 981237, 'company survive or': 191134, 'survive or die': 829219, 'or die in': 614965, 'die in capitalism': 241376, 'in capitalism this': 421228, 'capitalism this covid': 162785, '19 ha you': 7405, 'ha you being': 372506, 'you being very': 1017440, 'being very socialist': 126035, 'very socialist lately': 955559, 'socialist lately give': 781016, 'lately give peop': 480958, 'of farmer': 583425, 'farmer having': 299410, 'time why': 898336, 'frustration about': 339263, 'about purchasing': 26028, 'purchasing limit': 689881, 'medium of farmer': 527191, 'of farmer having': 583428, 'farmer having to': 299412, 'having to dump': 384344, 'their milk for': 873966, 'first time why': 309122, 'time why covid': 898337, 'loss of demand': 503739, 'of demand for': 582504, 'for food service': 321626, 'service but there': 752193, 'is also frustration': 445556, 'also frustration about': 48248, 'frustration about purchasing': 339264, 'about purchasing limit': 26030, 'purchasing limit at': 689882, 'limit at supermarket': 492297, 'thetechinfinite': 881048, 'post how': 666159, 'return an': 719812, 'an amazon': 55273, 'amazon item': 51016, 'item thetechinfinite': 463719, 'thetechinfinite technology': 881049, 'technology news': 836338, 'news trending': 560906, 'trending thought': 931569, 'new post how': 559324, 'post how to': 666161, 'how to return': 409075, 'to return an': 913475, 'return an amazon': 719813, 'an amazon item': 55275, 'amazon item thetechinfinite': 51017, 'item thetechinfinite technology': 463720, 'thetechinfinite technology news': 881050, 'technology news trending': 836339, 'news trending thought': 560908, 'assembles': 96349, 'germany berlin': 346275, 'berlin in': 127340, 'almost triple': 46753, 'of christmas': 581416, 'christmas sale': 178199, 'sale large': 732331, 'large central': 479613, 'central warehouse': 169443, 'warehouse on': 966744, 'the outskirt': 862752, 'of berlin': 580675, 'berlin currently': 127336, 'currently assembles': 221466, 'assembles quantity': 96350, 'to 700': 899816, '700 00': 21870, '00 unit': 573, 'unit day': 942050, 'germany berlin in': 346276, 'berlin in the': 127341, 'in the corona': 429097, 'corona crisis the': 203911, 'food and hygiene': 313258, 'product in berlin': 681278, 'berlin supermarket almost': 127347, 'supermarket almost triple': 818886, 'almost triple the': 46754, 'triple the volume': 932266, 'the volume of': 870953, 'volume of christmas': 960152, 'of christmas sale': 581417, 'christmas sale large': 178200, 'sale large central': 732332, 'large central warehouse': 479614, 'central warehouse on': 169444, 'warehouse on the': 966745, 'on the outskirt': 604271, 'the outskirt of': 862753, 'outskirt of berlin': 629674, 'of berlin currently': 580676, 'berlin currently assembles': 127337, 'currently assembles quantity': 221467, 'assembles quantity of': 96351, 'quantity of up': 691944, 'up to 700': 946345, 'to 700 00': 899817, '700 00 unit': 21873, '00 unit day': 574, 'mzansi': 551090, 'namc': 551598, 'sifiso': 769009, 'ntombela': 576740, 'security emergency': 744593, 'in mzansi': 425653, 'mzansi most': 551091, 'most south': 542763, 'african can': 35179, 'should refrain': 766393, 'say namc': 738963, 'namc chief': 551599, 'economist dr': 267539, 'dr sifiso': 258098, 'sifiso ntombela': 769010, 'no evidence that': 564147, 'evidence that will': 288396, 'that will cause': 847562, 'will cause food': 992890, 'cause food security': 167567, 'food security emergency': 316346, 'security emergency in': 744594, 'emergency in mzansi': 272757, 'in mzansi most': 425654, 'mzansi most south': 551092, 'most south african': 542764, 'south african can': 786671, 'african can afford': 35180, 'bulk and should': 142242, 'and should refrain': 71595, 'should refrain from': 766394, 'refrain from doing': 706743, 'from doing so': 335181, 'doing so say': 252657, 'so say namc': 778149, 'say namc chief': 738964, 'namc chief economist': 551600, 'chief economist dr': 175914, 'economist dr sifiso': 267541, 'dr sifiso ntombela': 258099, 'nu': 576748, 'shopper within': 761839, 'within normal': 1002395, 'normal proximity': 567281, 'proximity of': 687325, 'shopper number': 761629, 'number too': 577080, 'too large': 924824, 'large do': 479651, 'do believe': 249123, 'believe for': 126267, 'staff wellbeing': 793065, 'wellbeing security': 978801, 'the nu': 861949, 've just visited': 953315, 'just visited my': 470187, 'supermarket wa surprised': 823708, 'wa surprised at': 963370, 'surprised at the': 828572, 'amount of shopper': 53255, 'of shopper within': 589656, 'shopper within normal': 761840, 'within normal proximity': 1002396, 'normal proximity of': 567282, 'proximity of each': 687326, 'each other shopper': 264217, 'other shopper number': 620903, 'shopper number too': 761630, 'number too large': 577081, 'too large do': 924825, 'large do believe': 479652, 'do believe for': 249124, 'believe for staff': 126268, 'for staff wellbeing': 325858, 'staff wellbeing security': 793066, 'wellbeing security guard': 978802, 'security guard to': 744629, 'guard to limit': 367853, 'limit the nu': 492512, 'just washing': 470239, 'washing virus': 967748, 'virus down': 958149, 'the drain': 853648, 'drain soap': 258216, 'soap destroys': 778975, 'destroys the': 239100, 're not just': 699101, 'not just washing': 570264, 'just washing virus': 470240, 'washing virus down': 967749, 'virus down the': 958150, 'down the drain': 257273, 'the drain soap': 853652, 'drain soap destroys': 258217, 'soap destroys the': 778976, 'destroys the here': 239101, 'the here how': 857288, 'simon': 769957, 'hi simon': 394730, 'simon we': 769970, 'had planned': 373407, 'planned to': 658470, 'book nz': 134571, 'for feb': 321433, 'feb 2021': 301625, '2021 but': 14767, 'but put': 146868, 'hold due': 399912, 'like company': 490034, 'taking booking': 833285, 'booking again': 134705, 'and flight': 62968, 'flight price': 310522, 'creep up': 216620, 'up gut': 945050, 'gut feeling': 368850, 'feeling would': 303118, 'you risk': 1020943, 'risk booking': 723419, 'booking now': 134736, 'hi simon we': 394731, 'simon we had': 769971, 'we had planned': 971719, 'had planned to': 373409, 'planned to book': 658472, 'to book nz': 901898, 'book nz for': 134572, 'nz for feb': 578187, 'for feb 2021': 321434, 'feb 2021 but': 301626, '2021 but put': 14768, 'but put that': 146869, 'put that on': 690849, 'that on hold': 845484, 'on hold due': 601340, 'hold due to': 399913, '19 it now': 8145, 'it now look': 459955, 'look like company': 502471, 'like company are': 490035, 'are taking booking': 90716, 'taking booking again': 833286, 'booking again and': 134706, 'again and flight': 36889, 'and flight price': 62970, 'flight price are': 310524, 'price are starting': 672742, 'starting to creep': 795017, 'to creep up': 903736, 'creep up gut': 216621, 'up gut feeling': 945051, 'gut feeling would': 368851, 'feeling would you': 303119, 'would you risk': 1012421, 'you risk booking': 1020944, 'risk booking now': 723420, 'ttravelandyouwon': 935002, 'tdoit': 835313, 'actually this': 30985, 'so fucking': 777135, 'stupid mean': 815423, 'pretty simple': 671492, 'simple get': 770026, 'get water': 348602, 'water like': 969051, 'relax that': 708831, 'all stop': 44479, 'being scared': 125720, 'it won': 462488, 'won don': 1003789, 'don ttravelandyouwon': 253998, 'ttravelandyouwon tdoit': 935003, 'actually this panic': 30986, 'panic is so': 638221, 'is so fucking': 452008, 'so fucking stupid': 777141, 'fucking stupid mean': 340022, 'stupid mean it': 815424, 'mean it pretty': 524511, 'it pretty simple': 460446, 'pretty simple get': 671493, 'simple get food': 770027, 'get food get': 347042, 'food get water': 314656, 'get water like': 348603, 'water like you': 969052, 'like you normally': 491876, 'normally would go': 567576, 'would go home': 1011844, 'home and relax': 400680, 'and relax that': 70192, 'relax that all': 708832, 'that all stop': 842565, 'all stop being': 44481, 'stop being scared': 804495, 'being scared about': 125721, 'scared about it': 740935, 'about it do': 25574, 'not travel and': 572258, 'travel and it': 930253, 'and it won': 65602, 'it won don': 462491, 'won don ttravelandyouwon': 1003790, 'don ttravelandyouwon tdoit': 253999, 'much grocery': 544963, 'food town': 317342, 'town offer': 927525, 'offer senior': 594783, 'customer over': 222671, 'like it so': 490552, 'it so much': 461120, 'so much grocery': 777782, 'much grocery store': 544964, 'store chain food': 806916, 'chain food town': 170707, 'food town offer': 317344, 'town offer senior': 927526, 'offer senior hour': 594784, 'senior hour to': 750330, 'hour to customer': 406020, 'to customer over': 903854, 'customer over 65': 222672, 'dundalk': 262267, 'giant supermarket': 349870, 'largo ha': 480043, 'coronavirus while': 207072, 'while worker': 987572, 'chain dundalk': 170662, 'dundalk store': 262270, 'positive the': 665456, 'confirmed tuesday': 194213, 'employee at giant': 273644, 'at giant supermarket': 98758, 'giant supermarket in': 349872, 'supermarket in largo': 820920, 'in largo ha': 424593, 'largo ha died': 480044, '19 the disease': 11185, 'the disease caused': 853359, 'by the new': 154385, 'new coronavirus while': 558554, 'coronavirus while worker': 207073, 'while worker at': 987573, 'worker at the': 1006479, 'the grocery chain': 856807, 'grocery chain dundalk': 364359, 'chain dundalk store': 170663, 'dundalk store ha': 262271, 'store ha tested': 808024, 'tested positive the': 839354, 'positive the company': 665457, 'company confirmed tuesday': 190564, 'who put': 989479, 'once all': 605585, 'will boycott': 992847, 'boycott the': 137344, 'and rightly': 70526, 'owner only': 632527, 'have themselves': 383075, 'shopper will remember': 761834, 'remember the shop': 710317, 'the shop who': 867039, 'shop who put': 761046, 'who put up': 989483, 'put up price': 690967, 'price and once': 672483, 'and once all': 68078, 'once all this': 605587, 'over will boycott': 630939, 'will boycott the': 992848, 'boycott the shop': 137346, 'shop and rightly': 759861, 'and rightly so': 70527, 'rightly so and': 722478, 'so and the': 776510, 'and the shop': 73581, 'the shop owner': 867021, 'shop owner only': 760647, 'owner only have': 632528, 'only have themselves': 610585, 'have themselves to': 383076, 'themselves to blame': 876908, 'homeschooling': 402932, 'home homeschooling': 401373, 'homeschooling remote': 402943, 'remote education': 710708, 'online banking': 607910, 'banking it': 110439, 'little boost': 495263, 'boost into': 134970, 'thing people will': 884679, 'do more after': 249594, '19 working from': 12179, 'from home homeschooling': 335871, 'home homeschooling remote': 401374, 'homeschooling remote education': 402944, 'remote education online': 710709, 'education online meeting': 268851, 'meeting online shopping': 527742, 'shopping online banking': 763412, 'online banking it': 607911, 'banking it like': 110440, 'it like little': 459367, 'like little boost': 490652, 'little boost into': 495264, 'boost into the': 134971, 'into the future': 443128, 'supermarket especially not': 820195, 'especially not to': 280554, 'truck freight': 932810, 'freight of': 332697, 'busy retail': 144950, 'retail try': 718820, 'restock truck': 716933, 'the 11': 847871, 'hour maximum': 405762, 'truck freight of': 932811, 'freight of consumer': 332698, 'of consumer supply': 581775, 'consumer supply is': 199181, 'supply is busy': 825436, 'is busy retail': 446320, 'busy retail try': 144951, 'retail try to': 718821, 'try to restock': 934656, 'to restock truck': 913417, 'restock truck driver': 716934, 'driver have been': 259594, 'have been released': 379659, 'been released from': 121813, 'released from the': 709040, 'from the 11': 337581, 'the 11 hour': 847873, '11 hour maximum': 2535, 'wheeler': 983076, 'callofduty': 156654, 'atv': 102757, 'rtv': 726878, 'recreation': 705441, 'fun riding': 341213, 'riding wheeler': 721676, 'wheeler shield': 983083, 'shield bash': 758139, 'bash cod': 111806, 'cod callofduty': 185306, 'callofduty practice': 156656, 'practice atv': 668533, 'atv rtv': 102758, 'rtv recreation': 726879, 'recreation fun': 705442, 'fun bored': 341140, 'bored todo': 135377, 'todo quarantine': 920630, 'lockdown art': 499172, 'art milk': 94170, 'milk water': 531904, 'water cloud': 968947, 'cloud weather': 184326, 'weather cleveland': 974851, 'cleveland ohio': 181850, 'ohio brown': 596528, 'superbowl poetry': 818627, 'fun riding wheeler': 341214, 'riding wheeler shield': 721677, 'wheeler shield bash': 983084, 'shield bash cod': 758140, 'bash cod callofduty': 111807, 'cod callofduty practice': 185307, 'callofduty practice atv': 156657, 'practice atv rtv': 668534, 'atv rtv recreation': 102759, 'rtv recreation fun': 726880, 'recreation fun bored': 705443, 'fun bored todo': 341141, 'bored todo quarantine': 135378, 'todo quarantine isolation': 920631, 'quarantine isolation toiletpaper': 692317, 'isolation toiletpaper lockdown': 455469, 'toiletpaper lockdown art': 922194, 'lockdown art milk': 499173, 'art milk water': 94171, 'milk water cloud': 531905, 'water cloud weather': 968948, 'cloud weather cleveland': 184327, 'weather cleveland ohio': 974852, 'cleveland ohio brown': 181851, 'ohio brown nfl': 596529, 'nfl superbowl poetry': 561783, 'superbowl poetry via': 818628, 'action hi': 30038, 'hi consumer': 394616, 'consumer action': 196012, 'action we': 30188, 'since tweeted': 770955, 'tweeted an': 936435, 'statement about': 796153, 'place many': 657568, 'many process': 514596, 'those directly': 891931, 'action hi consumer': 30039, 'hi consumer action': 394617, 'consumer action we': 196014, 'action we have': 30190, 'we have since': 971940, 'have since tweeted': 382566, 'since tweeted an': 770956, 'tweeted an official': 936436, 'official statement about': 595937, 'statement about this': 796156, 'about this we': 26671, 'we have put': 971911, 'in place many': 426746, 'place many process': 657569, 'many process that': 514597, 'process that will': 679963, 'that will help': 847583, 'will help all': 993699, 'help all of': 389323, 'our customer especially': 622659, 'customer especially those': 222344, 'especially those directly': 280637, 'those directly impacted': 891932, '19 stay safe': 10802, 'together an': 920680, 'an updated': 56932, 'updated resource': 947431, 'for updated': 327473, 'updated circumstance': 947351, 'circumstance at': 178712, 'at continue': 98326, 'continue sharing': 201125, 'and reaching': 69969, 'with idea': 998931, 'together community': 920743, 'put together an': 690931, 'together an updated': 920683, 'an updated resource': 56935, 'updated resource guide': 947432, 'resource guide for': 714798, 'guide for updated': 368325, 'for updated circumstance': 327474, 'updated circumstance at': 947352, 'circumstance at continue': 178713, 'at continue sharing': 98327, 'continue sharing this': 201126, 'sharing this with': 755611, 'this with student': 891465, 'with student and': 1001027, 'student and reaching': 814642, 'and reaching out': 69971, 'out with idea': 627866, 'with idea we': 998932, 'idea we ll': 413227, 'this together community': 890762, 'while handsanitizers': 986903, 'handsanitizers are': 376688, 'empty in': 274917, 'uk handsanitizers': 938436, 'distributed for': 248049, 'of saudiarabia': 589326, 'saudiarabia in': 737340, 'uk price': 938646, 'sanitizers went': 736436, 'customer coronauk': 222275, 'while handsanitizers are': 986904, 'handsanitizers are empty': 376690, 'are empty in': 86152, 'empty in many': 274921, 'many store in': 514739, 'the uk handsanitizers': 870230, 'uk handsanitizers are': 938437, 'handsanitizers are being': 376689, 'are being distributed': 84850, 'being distributed for': 125062, 'distributed for free': 248050, 'free in the': 331921, 'street of saudiarabia': 813052, 'of saudiarabia in': 589327, 'saudiarabia in the': 737342, 'the uk price': 870268, 'uk price of': 938647, 'hand sanitizers went': 375729, 'sanitizers went up': 736437, 'went up and': 979213, 'up and it': 944339, 'it is limited': 459000, 'per customer coronauk': 650776, 'store april': 806450, '2020 masks4all': 14437, 'grocery store april': 365213, 'store april 2020': 806451, 'april 2020 masks4all': 83467, 'family we are': 298360, 'are not prone': 88443, 'prone to covid': 683974, 'related payment': 708509, 'holiday on': 400341, 'report we': 712425, '19 related payment': 10059, 'related payment holiday': 708510, 'payment holiday on': 645651, 'holiday on your': 400342, 'credit report we': 216486, 'report we are': 712426, 'to help for': 907521, 'help for more': 389751, 'strengthened': 813259, 'eased from': 265120, 'equity strengthened': 279971, 'strengthened on': 813260, 'on sign': 603462, 'death here': 230062, 'here more': 393350, 'price eased from': 673644, 'eased from week': 265122, 'from week high': 338322, 'week high and': 976329, 'high and global': 394922, 'and global equity': 63694, 'global equity strengthened': 351926, 'equity strengthened on': 279972, 'strengthened on sign': 813261, 'on sign of': 603463, 'related death here': 708412, 'death here more': 230063, 'vincentian': 957419, '901': 23403, 'braker': 137643, '78758': 22356, 'pantry will': 639713, 'open tomorrow': 612606, 'the vincentian': 870770, 'vincentian family': 957420, 'family center': 297698, '9am to': 23970, 'to noon': 910635, 'noon at': 566834, 'at 901': 97804, '901 braker': 23404, 'braker lane': 137644, 'lane austin': 479437, 'tx 78758': 937431, '78758 due': 22357, 'grown read': 367294, 'the food pantry': 855585, 'food pantry will': 315806, 'pantry will be': 639714, 'be open tomorrow': 116256, 'open tomorrow at': 612608, 'at the vincentian': 101141, 'the vincentian family': 870771, 'vincentian family center': 957421, 'family center from': 297699, 'center from 9am': 169214, 'from 9am to': 334357, '9am to noon': 23973, 'to noon at': 910636, 'noon at 901': 566835, 'at 901 braker': 97805, '901 braker lane': 23405, 'braker lane austin': 137645, 'lane austin tx': 479438, 'austin tx 78758': 103194, 'tx 78758 due': 937432, '78758 due to': 22358, '19 the demand': 11183, 'for food to': 321644, 'in need ha': 425746, 'need ha grown': 554946, 'ha grown read': 370781, 'grown read more': 367295, 'blog summary': 133018, 'summary the': 817943, 'canadian residential': 160739, 'with data': 997927, 'from logic': 336265, 'logic download': 500649, 'blog summary the': 133019, 'summary the impact': 817945, 'on the canadian': 604009, 'the canadian residential': 850324, 'canadian residential housing': 160740, 'residential housing market': 714431, 'housing market with': 407117, 'market with data': 517376, 'with data from': 997929, 'data from logic': 226234, 'from logic download': 336266, 'logic download the': 500650, 'onlinemarketing': 609837, 'customersatisfaction': 223155, 'electronicsindustry': 271317, 'investmentbanking': 444090, 'appliance consumer': 82414, 'electronics maker': 271301, 'maker are': 510817, 'using social': 950659, 'reach it': 699935, 'customer amid': 222054, 'lockdown subject': 499973, 'subject fmcg': 815731, 'fmcg platform': 311739, 'platform onlinemarketing': 659015, 'onlinemarketing customersatisfaction': 609838, 'customersatisfaction electronicsindustry': 223156, 'electronicsindustry investmentbanking': 271318, 'appliance consumer electronics': 82415, 'consumer electronics maker': 197339, 'electronics maker are': 271302, 'maker are using': 510820, 'are using social': 91431, 'using social medium': 950661, 'medium platform and': 527224, 'platform and other': 658940, 'online tool to': 609618, 'tool to reach': 925453, 'to reach it': 912798, 'reach it customer': 699936, 'it customer amid': 457446, 'customer amid covid': 222055, '19 lockdown subject': 8428, 'lockdown subject fmcg': 499974, 'subject fmcg platform': 815732, 'fmcg platform onlinemarketing': 311740, 'platform onlinemarketing customersatisfaction': 659016, 'onlinemarketing customersatisfaction electronicsindustry': 609839, 'customersatisfaction electronicsindustry investmentbanking': 223157, 'settling': 753725, 'for trudeau': 327359, 'trudeau to': 933023, 'tell canadian': 836922, 'canadian that': 160757, 'be settling': 117109, 'settling in': 753726, 'around 2008': 93128, 'level this': 487732, 'beginning folk': 123624, 'folk govern': 312167, 'govern yourselves': 359769, 'yourselves accordingly': 1026775, 'accordingly federal': 28611, 'federal covid': 301974, '19 lockdowneffect': 8447, 'lockdowneffect cdnpoli': 500246, 'can wait for': 160134, 'wait for trudeau': 964125, 'for trudeau to': 327360, 'trudeau to tell': 933024, 'to tell canadian': 916337, 'tell canadian that': 836923, 'canadian that real': 160758, 'that real estate': 845955, 'to be settling': 901532, 'be settling in': 117110, 'settling in and': 753727, 'in and around': 420346, 'and around 2008': 58396, 'around 2008 level': 93129, '2008 level this': 13683, 'level this is': 487733, 'the beginning folk': 849432, 'beginning folk govern': 123625, 'folk govern yourselves': 312168, 'govern yourselves accordingly': 359770, 'yourselves accordingly federal': 1026776, 'accordingly federal covid': 28612, 'federal covid 19': 301975, 'covid 19 lockdowneffect': 213369, '19 lockdowneffect cdnpoli': 8448, 'lockdowneffect cdnpoli onpoli': 500247, 'decline falling': 231327, 'falling point': 297312, 'to land': 909035, 'land at': 479256, 'at 49': 97668, '49 it': 19389, 'january 2019': 464624, 'drastic decline falling': 258398, 'decline falling point': 231328, 'falling point to': 297313, 'point to land': 662668, 'to land at': 909036, 'land at 49': 479257, 'at 49 it': 97669, '49 it lowest': 19390, 'it lowest reading': 459484, 'reading since january': 700800, 'since january 2019': 770672, '70 at': 21739, 'could care': 208987, 'care le': 164044, 'about 6ft': 24741, 'rule super': 727361, 'super frustrating': 818508, 'frustrating socialdistancing': 339250, 'socialdistancing have': 780410, 'at the number': 101036, 'of people over': 587963, 'people over 70': 649037, 'over 70 at': 629902, '70 at the': 21740, 'store who could': 811300, 'who could care': 988504, 'could care le': 208988, 'care le about': 164045, 'le about 6ft': 482827, 'about 6ft rule': 24742, '6ft rule super': 21621, 'rule super frustrating': 727362, 'super frustrating socialdistancing': 818509, 'frustrating socialdistancing have': 339251, 'socialdistancing have not': 780412, 'have not gone': 381682, 'not gone in': 569710, 'gone in two': 356312, 'two week good': 937333, 'week good for': 976281, 'good for another': 357072, 'for another week': 319379, 'another week now': 77972, 'week now stayhome': 976593, 'infocoronavirus': 437622, 'out brandon': 625778, 'brandon video': 138154, 'video tiktok': 956927, 'tiktok selfquarantine': 895914, 'selfquarantine stockup': 748579, 'stockup virus': 804216, 'virus infocoronavirus': 958352, 'check out brandon': 174539, 'out brandon video': 625779, 'brandon video tiktok': 138155, 'video tiktok selfquarantine': 956928, 'tiktok selfquarantine stockup': 895915, 'selfquarantine stockup virus': 748580, 'stockup virus infocoronavirus': 804217, 'grocery shopping surge': 365088, 'shopping surge to': 764038, 'level in during': 487594, 'in during covid': 422423, 'foodvaluechain': 318241, 'wa demand': 961946, 'shock but': 759430, 'what worrying': 982635, 'worrying is': 1010823, 'impending supply': 418333, 'lockdown sickness': 499916, 'sickness barrier': 768748, 'barrier to': 111367, 'to trade': 917686, 'trade foodvaluechain': 928493, 'foodvaluechain the': 318242, 'chain coronavirus': 170621, 'coronavirus where': 207067, 'go bbc': 353366, 'bbc sound': 113105, 'moment it wa': 535977, 'it wa demand': 462100, 'wa demand shock': 961947, 'demand shock but': 236197, 'shock but what': 759431, 'but what worrying': 147804, 'what worrying is': 982636, 'worrying is the': 1010825, 'is the impending': 452827, 'the impending supply': 857961, 'impending supply shock': 418334, 'to lockdown sickness': 909405, 'lockdown sickness barrier': 499917, 'sickness barrier to': 768749, 'barrier to trade': 111371, 'to trade foodvaluechain': 917687, 'trade foodvaluechain the': 928494, 'foodvaluechain the food': 318243, 'food chain coronavirus': 313908, 'chain coronavirus where': 170622, 'coronavirus where did': 207068, 'food go bbc': 314677, 'go bbc sound': 353367, 'every socio': 286205, 'economic level': 267166, 'level because': 487518, 'american live': 52079, 're seeing people': 699461, 'seeing people from': 746406, 'people from every': 647988, 'from every socio': 335326, 'every socio economic': 286206, 'socio economic level': 781383, 'economic level because': 267167, 'level because the': 487519, 'because the majority': 119634, 'majority of american': 509549, 'of american live': 580066, 'american live paycheck': 52080, 'seattle local': 743565, 'local employee': 497923, 'employee said': 274177, 'is talk': 452567, 'who enter': 988703, 'mean your': 524792, 'affected too': 34453, 'update on in': 947119, 'on in seattle': 601533, 'in seattle local': 427762, 'seattle local employee': 743566, 'local employee said': 497924, 'employee said there': 274178, 'there is talk': 878639, 'is talk of': 452568, 'talk of limiting': 833827, 'of limiting the': 585867, 'people who enter': 650296, 'who enter retail': 988705, 'same time that': 733366, 'time that mean': 897834, 'that mean your': 845126, 'mean your grocery': 524793, 'would be affected': 1011544, 'be affected too': 113518, 'underwear': 940984, 'lingerie': 493701, 'increase with': 433158, '20 more': 13186, 'grocery 27': 364195, '27 more': 16293, 'product 35': 680828, '35 more': 17903, 'on underwear': 604959, 'underwear and': 940985, 'and lingerie': 66200, 'lingerie see': 493702, 'how else': 407795, 'shaping consumer': 754882, 'is causing online': 446429, 'causing online sale': 168077, 'online sale to': 608927, 'sale to increase': 732588, 'to increase with': 908308, 'increase with consumer': 433159, 'consumer spending 20': 199041, 'spending 20 more': 788712, '20 more on': 13187, 'more on online': 539928, 'online grocery 27': 608311, 'grocery 27 more': 364196, '27 more on': 16294, 'more on healthcare': 539920, 'on healthcare product': 601262, 'healthcare product 35': 387222, 'product 35 more': 680829, '35 more on': 17904, 'more on underwear': 539934, 'on underwear and': 604960, 'underwear and lingerie': 940986, 'and lingerie see': 66201, 'lingerie see how': 493703, 'see how else': 745229, 'how else the': 407797, 'else the outbreak': 271910, 'outbreak is shaping': 628382, 'is shaping consumer': 451830, 'shaping consumer behaviour': 754884, 'consumer behaviour here': 196577, 'wearyourmask': 974838, 'spread over': 790741, 'over long': 630367, 'socialdistancing wearyourmask': 780859, 'show how cough': 766973, 'can spread over': 159709, 'spread over long': 790742, 'over long distance': 630368, 'long distance in': 501394, 'distance in grocery': 246741, 'store socialdistancing wearyourmask': 810256, 'econmic': 266943, 'fundamental': 341547, 'the reaction': 865196, 'the econmic': 853889, 'econmic stimulus': 266944, 'package with': 633460, 'three trading': 894089, 'trading session': 928916, 'session including': 753286, 'including today': 432209, 'hoax nothing': 399730, 'economic fundamental': 267106, 'fundamental 11': 341548, '11 usa': 2609, 'to the reaction': 917005, 'the reaction of': 865198, 'reaction of the': 700203, 'stock market with': 802457, 'market with stock': 517380, 'with stock price': 1000976, 'stock price going': 802718, 'of the econmic': 590971, 'the econmic stimulus': 853890, 'econmic stimulus package': 266945, 'stimulus package with': 801598, 'package with stock': 633463, 'going up during': 355780, 'last three trading': 480555, 'three trading session': 894090, 'trading session including': 928917, 'session including today': 753287, 'including today it': 432210, 'it is hoax': 458976, 'is hoax nothing': 448516, 'hoax nothing in': 399731, 'in the economic': 429159, 'the economic fundamental': 853905, 'economic fundamental 11': 267107, 'fundamental 11 usa': 341549, '11 usa trump': 2610, 'lifelong': 489322, '225 increase': 15294, 'shopping over': 763577, 'old change': 598180, 'change lifelong': 172165, 'lifelong habit': 489323, 'and rush': 70656, 'booming and': 134867, 'extra worker': 293702, '225 increase in': 15295, 'grocery shopping over': 365063, 'shopping over 60': 763578, 'year old change': 1014817, 'old change lifelong': 598181, 'change lifelong habit': 172166, 'lifelong habit and': 489324, 'habit and rush': 372562, 'and rush to': 70657, 'rush to online': 728346, 'to online food': 910933, 'delivery business is': 233758, 'is booming and': 446220, 'booming and hiring': 134868, 'and hiring extra': 64588, 'hiring extra worker': 397094, 'extra worker retail': 293703, 'salvador': 732889, 'country el': 210607, 'el salvador': 270460, 'salvador the': 732892, 'precaution both': 669294, 'and everyday': 62390, 'everyday people': 286607, '19 pregnant': 9779, 'senior 60': 750175, '60 will': 21041, 'leave all': 484724, 'all border': 42200, 'of my country': 586749, 'my country el': 547813, 'country el salvador': 210608, 'el salvador the': 270462, 'salvador the precaution': 732893, 'the precaution both': 864207, 'precaution both the': 669295, 'both the government': 136065, 'government and everyday': 359864, 'and everyday people': 62394, 'everyday people are': 286608, 'people are taking': 647099, 'covid 19 pregnant': 213603, '19 pregnant woman': 9780, 'woman and senior': 1003402, 'and senior 60': 71253, 'senior 60 will': 750177, '60 will have': 21042, 'stay home will': 797030, 'home will get': 402507, 'will get paid': 993518, 'get paid sick': 347775, 'sick leave all': 768480, 'leave all border': 484725, 'all border are': 42201, 'closed and price': 182996, 'and price of': 69465, 'basic good are': 111908, 'good are being': 356769, 'are being monitored': 84886, 'more loo': 539723, 'or pasta': 616514, 'pasta so': 643809, 'over suddenly': 630656, 'suddenly shop': 817129, 'shop won': 761075, 'toiletpaper all': 921703, 'pasta will': 643853, 'waste bin': 968084, 'bin dispatch': 131001, 'people aren going': 647124, 'going to use': 355751, 'use more loo': 949375, 'more loo paper': 539724, 'loo paper or': 502156, 'paper or pasta': 640556, 'or pasta so': 616519, 'pasta so what': 643810, 'so what happens': 778718, 'when the panic': 984184, 'is over suddenly': 450733, 'over suddenly shop': 630657, 'suddenly shop won': 817130, 'shop won be': 761076, 'able to sell': 24542, 'to sell toiletpaper': 914185, 'sell toiletpaper all': 748926, 'toiletpaper all the': 921706, 'all the pasta': 44860, 'the pasta will': 863382, 'pasta will end': 643855, 'food waste bin': 317471, 'waste bin dispatch': 968085, 'alternating': 49196, 'friend worried': 333924, 'worried used': 1010596, 'that involved': 844535, 'involved risk': 444356, 'no experience': 564169, 'experience disease': 291344, 'disease but': 245096, 'is protective': 451109, 'must shocked': 546881, 'shocked grocery': 759571, 'worker aren': 1006439, 'aren wearing': 92587, 'glove something': 352921, 'something over': 785006, 'face not': 294639, 'not alternating': 568173, 'alternating lane': 49197, 'lane grocerystores': 479452, 'grocerystores rule': 366379, 'friend worried used': 333925, 'worried used to': 1010597, 'used to have': 950057, 'to have job': 907261, 'job that involved': 466183, 'that involved risk': 844537, 'involved risk have': 444357, 'have no experience': 381625, 'no experience disease': 564170, 'experience disease but': 291345, 'disease but is': 245097, 'but is protective': 146083, 'is protective gear': 451111, 'gear is must': 344963, 'is must shocked': 449772, 'must shocked grocery': 546882, 'shocked grocery store': 759572, 'store worker aren': 811455, 'worker aren wearing': 1006441, 'aren wearing glove': 92588, 'wearing glove something': 974640, 'glove something over': 352922, 'something over their': 785007, 'over their face': 630789, 'their face not': 873224, 'face not alternating': 294640, 'not alternating lane': 568174, 'alternating lane grocerystores': 49198, 'lane grocerystores rule': 479453, 'no1': 565948, 'supporting customer': 827121, 'situation my': 772391, 'old employer': 598237, 'and no1': 67653, 'no1 consumer': 565949, 'consumer champion': 196773, 'how the energy': 408821, 'sector is supporting': 744253, 'is supporting customer': 452474, 'supporting customer during': 827123, 'customer during the': 222320, 'during the situation': 263194, 'the situation my': 867266, 'situation my blog': 772392, 'my blog for': 547477, 'blog for my': 132934, 'my old employer': 549558, 'old employer and': 598238, 'employer and no1': 274484, 'and no1 consumer': 67654, 'no1 consumer champion': 565950, 'wa tweet': 963587, 'from donald': 335193, 'outbreak pandemic': 628516, 'pandemic donald': 635326, 'he wa tweet': 385627, 'wa tweet from': 963588, 'tweet from donald': 936366, 'from donald trump': 335194, 'on the outbreak': 604270, 'the outbreak pandemic': 862674, 'outbreak pandemic donald': 628517, 'pandemic donald trump': 635327, 'next consumer': 561310, 'survey field': 828860, 'field to': 304525, 're ask': 698304, 'question wrote': 693818, 'wrote about': 1013183, 'forward to the': 330039, 'the next consumer': 861659, 'next consumer survey': 561311, 'consumer survey field': 199189, 'survey field to': 828861, 'field to re': 304528, 'to re ask': 912773, 're ask the': 698305, 'ask the question': 95639, 'the question wrote': 865030, 'question wrote about': 693819, 'wrote about in': 1013184, 'about in this': 25515, 'in this article': 429908, 'see if covid': 745276, 'crisis ha changed': 217432, 'ha changed consumer': 370120, 'changed consumer perspective': 172459, 'hul say': 410362, 'wash till': 967554, 'till government': 896030, 'government make': 360334, 'mind what': 532769, 'on poorest': 602841, 'poorest let': 664368, 'let corporates': 486661, 'corporates take': 207377, 'lead distribute': 483272, 'distribute soap': 248006, 'amp sanitisers': 54434, 'sanitisers to': 734108, 'hul say will': 410363, 'say will reduce': 739495, 'will reduce price': 994608, 'increase production of': 433022, 'production of sanitisers': 682154, 'sanitisers and hand': 734060, 'and hand wash': 64148, 'hand wash till': 375932, 'wash till government': 967555, 'till government make': 896031, 'government make up': 360336, 'make up it': 510686, 'up it mind': 945242, 'it mind what': 459629, 'mind what to': 532772, 'do to alleviate': 250379, 'alleviate the stress': 45829, 'the stress on': 868275, 'stress on poorest': 813374, 'on poorest let': 602842, 'poorest let corporates': 664369, 'let corporates take': 486662, 'corporates take lead': 207378, 'take lead distribute': 832265, 'lead distribute soap': 483273, 'distribute soap amp': 248007, 'soap amp sanitisers': 778903, 'amp sanitisers to': 54435, 'sanitisers to daily': 734109, 'to daily wage': 903897, 'mum she': 545944, 'emergency accommodation': 272580, 'accommodation is': 28454, 'now shielding': 575796, 'shielding because': 758195, 'her health': 392102, 'looking for support': 502906, 'for support for': 326065, 'support for my': 826516, 'my mum she': 549382, 'mum she in': 545946, 'she in emergency': 756136, 'in emergency accommodation': 422543, 'emergency accommodation is': 272581, 'accommodation is now': 28455, 'is now shielding': 450334, 'now shielding because': 575797, 'shielding because of': 758196, 'because of her': 119350, 'of her health': 584575, 'her health condition': 392104, 'condition and all': 193393, 'and all supermarket': 57894, 'all supermarket delivery': 44546, 'delivery slot are': 234506, 'slot are fully': 774118, 'are fully booked': 86743, 'can wear': 160209, 'be perceived': 116389, 'perceived because': 651093, 'black friend': 132063, 'friend have': 333629, 'worry enough': 1010698, 'enough can': 277338, 'even imagine': 284225, 'imagine but': 416703, 'but gonna': 145804, 'your attention': 1022870, 'attention white': 102505, 'live in country': 495855, 'country where can': 211216, 'where can wear': 984771, 'can wear this': 160210, 'wear this to': 974482, 'this to the': 890744, 'and not worry': 67792, 'about how ll': 25450, 'll be perceived': 496608, 'be perceived because': 116390, 'perceived because covid': 651094, '19 but my': 5513, 'but my black': 146427, 'my black friend': 547469, 'black friend have': 132064, 'friend have to': 333632, 'to worry enough': 918838, 'worry enough can': 1010699, 'enough can even': 277339, 'can even imagine': 158254, 'even imagine but': 284226, 'imagine but gonna': 416704, 'but gonna call': 145805, 'gonna call this': 356492, 'call this to': 156158, 'this to your': 890747, 'to your attention': 918951, 'your attention white': 1022871, 'attention white people': 102506, 'white people over': 987893, 'people over and': 649038, 'over and over': 629990, 'and over again': 68555, 'carrying sanitizer': 165210, 'sanitizer served': 735719, 'together protect': 920904, 'mask and carrying': 518311, 'and carrying sanitizer': 59588, 'carrying sanitizer served': 165212, 'sanitizer served her': 735720, 'cash people need': 166305, 'need to understand': 556108, 'to understand we': 917915, 'understand we are': 940800, 'this together protect': 890777, 'together protect yourself': 920905, 'news supply': 560840, 'not broken': 568627, 'broken more': 140907, 'shop supply': 760872, 'positive news supply': 665375, 'news supply chain': 560841, 'chain are not': 170505, 'are not broken': 88335, 'not broken more': 568628, 'broken more food': 140908, 'more food and': 539238, 'roll is on': 725352, 'on it way': 601694, 'it way to': 462272, 'to shop supply': 914490, 'shop supply chain': 760873, 'chain expert explains': 170686, 'bouncer': 136833, 'those pub': 892376, 'club bouncer': 184417, 'bouncer to': 136842, 'supermarket duty': 820064, 'don we put': 254061, 'we put all': 972789, 'put all those': 690505, 'all those pub': 45180, 'those pub and': 892377, 'and club bouncer': 60023, 'club bouncer to': 184418, 'bouncer to good': 136843, 'good use and': 357924, 'use and get': 949043, 'get them on': 348368, 'them on supermarket': 876095, 'on supermarket duty': 603785, 'supermarket duty to': 820065, 'duty to stop': 263617, 'stop these selfish': 805178, 'these selfish people': 880650, 'selfish people from': 748209, 'people from stockpiling': 648010, 'from stockpiling food': 337427, 'ebaypricegouging': 266512, 'people charging': 647455, 'for lysol': 323149, 'lysol wipe': 507206, 'sanitizer cannot': 734631, 'believe people': 126318, '300 unreal': 17353, 'unreal ebay': 943292, 'this immediately': 888012, 'immediately ebaypricegouging': 417083, 'ebaypricegouging pricegouging': 266513, 'should really get': 766379, 'really get rid': 702219, 'these people charging': 880430, 'people charging exorbitant': 647456, 'price for lysol': 673993, 'for lysol wipe': 323150, 'lysol wipe and': 507207, 'wipe and sanitizer': 996191, 'and sanitizer cannot': 70864, 'sanitizer cannot believe': 734633, 'cannot believe people': 161671, 'believe people are': 126319, 'are selling for': 89956, 'selling for up': 749260, 'up to 300': 946333, 'to 300 unreal': 899679, '300 unreal ebay': 17354, 'unreal ebay need': 943293, 'stop this immediately': 805190, 'this immediately ebaypricegouging': 888013, 'immediately ebaypricegouging pricegouging': 417084, 'uk press': 938644, 'press ahead': 671002, 'with point': 1000248, 'point based': 662428, 'based immigration': 111614, 'immigration plan': 417261, 'plan amid': 658052, 'no specific': 565562, 'specific entry': 788209, 'entry route': 279014, 'route into': 726461, 'outbreak delivery': 628162, 'uk press ahead': 938645, 'press ahead with': 671003, 'ahead with point': 39222, 'with point based': 1000249, 'point based immigration': 662429, 'based immigration plan': 111615, 'immigration plan amid': 417262, 'plan amid pandemic': 658053, 'amid pandemic there': 52579, 'pandemic there will': 636727, 'be no specific': 116109, 'no specific entry': 565563, 'specific entry route': 788210, 'entry route into': 279015, 'route into the': 726462, 'uk for the': 938383, 'the low skilled': 859785, 'skilled worker who': 773015, 'have been at': 379471, 'been at the': 120704, '19 outbreak delivery': 9113, 'outbreak delivery driver': 628163, 'driver amp supermarket': 259403, 'amp supermarket worker': 54590, 'discovering': 244709, '128': 3084, 'tfeu': 840013, 'belgium warned': 126192, 'not accepted': 568026, 'accepted then': 28060, 'they changed': 881741, 'changed it': 172498, 'this perhaps': 889507, 'perhaps upon': 651661, 'upon discovering': 947621, 'discovering article': 244712, 'article 128': 94224, '128 of': 3090, 'the tfeu': 869350, 'tfeu on': 840014, 'on legal': 601818, 'legal tender': 485904, 'tender in': 837902, 'the eurozone': 854587, 'eurozone now': 283640, 'now wonder': 576465, 'is scope': 451688, 'the legal': 859275, 'tender law': 837904, 'law under': 482434, 'threat 19': 893626, 'until this morning': 943902, 'this morning this': 889031, 'morning this supermarket': 541502, 'supermarket in belgium': 820868, 'in belgium warned': 420785, 'belgium warned that': 126193, 'warned that cash': 967027, 'that cash payment': 843173, 'cash payment is': 166299, 'payment is not': 645661, 'is not accepted': 450024, 'not accepted then': 568027, 'accepted then they': 28061, 'then they changed': 877654, 'they changed it': 881742, 'changed it to': 172501, 'it to this': 461763, 'to this perhaps': 917451, 'this perhaps upon': 889509, 'perhaps upon discovering': 651662, 'upon discovering article': 947622, 'discovering article 128': 244713, 'article 128 of': 94225, '128 of the': 3091, 'of the tfeu': 591530, 'the tfeu on': 869351, 'tfeu on legal': 840015, 'on legal tender': 601820, 'legal tender in': 485905, 'tender in the': 837903, 'in the eurozone': 429181, 'the eurozone now': 854590, 'eurozone now wonder': 283641, 'now wonder if': 576466, 'wonder if there': 1003977, 'there is scope': 878619, 'is scope to': 451689, 'scope to suspend': 742344, 'to suspend the': 916070, 'suspend the legal': 829591, 'the legal tender': 859279, 'legal tender law': 485906, 'tender law under': 837905, 'law under threat': 482436, 'under threat 19': 940360, 'softest': 781515, 'that steal': 846473, 'steal of': 799191, 'tissue our': 899189, 'making their': 511437, 'own tissue': 632270, 'tissue after': 899114, 'stock ran': 802774, 'out unfortunately': 627741, 'unfortunately their': 941650, 'made tissue': 508027, 'tissue extremely': 899143, 'extremely expensive': 293877, '12 per': 2928, 'is however': 448607, 'the softest': 867451, 'softest tissue': 781516, 'tissue ev': 899142, 'that steal of': 846474, 'steal of deal': 799192, 'of deal for': 582408, 'deal for two': 229406, 'for two roll': 327394, 'roll of tissue': 725419, 'of tissue our': 592203, 'tissue our grocery': 899190, 'store started making': 810347, 'started making their': 794779, 'making their own': 511440, 'their own tissue': 874211, 'own tissue after': 632271, 'tissue after their': 899115, 'after their stock': 36376, 'their stock ran': 874835, 'stock ran out': 802775, 'ran out unfortunately': 696513, 'out unfortunately their': 627742, 'unfortunately their store': 941651, 'their store made': 874860, 'store made tissue': 808850, 'made tissue extremely': 508028, 'tissue extremely expensive': 899144, 'extremely expensive at': 293878, 'expensive at 12': 291224, 'at 12 per': 97454, '12 per roll': 2929, 'per roll it': 651003, 'roll it is': 725359, 'it is however': 458978, 'is however the': 448608, 'however the softest': 409482, 'the softest tissue': 867452, 'softest tissue ev': 781517, 'postpandemic': 666754, 'report post': 712182, 'most extraordinary': 542327, 'extraordinary time': 293751, 'download here': 257592, 'here trend': 393744, 'trend postpandemic': 931420, 'new report post': 559451, 'report post pandemic': 712183, 'consumer trend we': 199390, 'trend we are': 931500, 'through the most': 894752, 'the most extraordinary': 860987, 'most extraordinary time': 542328, 'extraordinary time to': 293753, 'help you understand': 391007, 'you understand what': 1021969, 'understand what the': 940807, 'what the coronavirus': 982303, 'coronavirus pandemic mean': 206472, 'for you we': 328098, 'you we are': 1022196, 'sharing this new': 755609, 'this new report': 889123, 'new report free': 559448, 'report free to': 711966, 'to download here': 904692, 'download here trend': 257594, 'here trend postpandemic': 393745, 'killit': 474730, 'jasmine': 464835, 'sunshine killit': 818434, 'killit handsanitizer': 474733, 'handsanitizer free': 376537, 'free ml': 331981, 'ml sample': 534722, 'sample with': 733491, '100 order': 2008, 'order kill': 618354, 'kill let': 474429, 'let kill': 486851, 'kill this': 474535, 'friend team': 333821, 'team natural': 835731, 'ingredient jasmine': 438376, 'jasmine scent': 464836, 'scent will': 741396, 'not dry': 569118, 'dry your': 261325, 'sunshine killit handsanitizer': 818436, 'killit handsanitizer free': 474734, 'handsanitizer free ml': 376538, 'free ml sample': 331982, 'ml sample with': 534723, 'sample with 100': 733492, 'with 100 order': 996930, '100 order kill': 2009, 'order kill let': 618355, 'kill let kill': 474430, 'let kill this': 486852, 'kill this thing': 474536, 'this thing for': 890564, 'thing for your': 884338, 'for your family': 328149, 'family friend team': 297822, 'friend team natural': 333822, 'team natural ingredient': 835732, 'natural ingredient jasmine': 552847, 'ingredient jasmine scent': 438377, 'jasmine scent will': 464838, 'scent will not': 741397, 'will not dry': 994211, 'not dry your': 569119, 'dry your skin': 261327, 'rvaca': 728726, 'amp founder': 53837, 'profit rv': 682851, 'rv advisor': 728710, 'advisor consumer': 33725, 'consumer association': 196331, 'association rvaca': 96983, 'rvaca is': 728727, 'providing rv': 687092, 'rv to': 728721, 'quarantine detail': 692141, 'ceo of amp': 169768, 'of amp founder': 580095, 'amp founder of': 53839, 'of the non': 591277, 'the non profit': 861840, 'non profit rv': 566476, 'profit rv advisor': 682852, 'rv advisor consumer': 728711, 'advisor consumer association': 33726, 'consumer association rvaca': 196332, 'association rvaca is': 96984, 'rvaca is providing': 728728, 'is providing rv': 451123, 'providing rv to': 687093, 'rv to healthcare': 728722, 'healthcare worker who': 387396, 'need of safe': 555341, 'of safe space': 589216, 'safe space to': 729959, 'space to quarantine': 787179, 'to quarantine detail': 912640, 'starlingbank': 794176, 'out data': 625930, 'been shedding': 121941, 'shedding light': 756526, 'how customer': 407654, 'customer spending': 222868, 'been evolving': 121098, 'evolving throughout': 288588, 'time analytics': 896252, 'analytics data': 57222, 'data starlingbank': 226430, 'check out data': 174544, 'out data in': 625933, 'the news today': 861633, 'news today we': 560901, 'today we ve': 920485, 've been shedding': 952929, 'been shedding light': 121942, 'shedding light on': 756527, 'light on how': 489572, 'on how customer': 601393, 'how customer spending': 407656, 'customer spending ha': 222869, 'spending ha been': 788825, 'ha been evolving': 369800, 'been evolving throughout': 121099, 'evolving throughout this': 288589, 'throughout this challenging': 894992, 'challenging time analytics': 171630, 'time analytics data': 896253, 'analytics data starlingbank': 57224, 'cry after': 219841, 'buying left': 150643, 'left shelf': 485635, 'food video': 317432, 'video sarscov2': 956882, 'sarscov2 panicbuying': 736855, 'nurse cry after': 577259, 'cry after coronavirus': 219842, 'after coronavirus panic': 35512, 'panic buying left': 637792, 'buying left shelf': 150644, 'left shelf empty': 485636, 'shelf empty of': 757026, 'empty of food': 274981, 'of food video': 583809, 'food video sarscov2': 317433, 'video sarscov2 panicbuying': 956883, 'paywall': 645834, 'coronavirus countdown': 205713, 'countdown grey': 210157, 'grey lynn': 363878, 'lynn supermarket': 507132, 'supermarket turned': 823590, 'via wasn': 956361, 'wasn just': 967992, 'me then': 523672, 'then who': 877751, 'thought doing': 893023, 'so would': 778813, 'helpful what': 391252, 'what wrote': 982654, 'wrote it': 1013199, 'it behind': 456822, 'the premium': 864233, 'premium paywall': 669968, '19 coronavirus countdown': 6097, 'coronavirus countdown grey': 205714, 'countdown grey lynn': 210158, 'grey lynn supermarket': 363879, 'lynn supermarket turned': 507133, 'supermarket turned into': 823591, 'turned into online': 935849, 'into online store': 442812, 'online store via': 609480, 'store via wasn': 811064, 'via wasn just': 956362, 'wasn just me': 967994, 'just me then': 469247, 'me then who': 523673, 'then who thought': 877752, 'who thought doing': 989785, 'thought doing so': 893024, 'doing so would': 252664, 'so would be': 778814, 'would be helpful': 1011597, 'be helpful what': 115213, 'helpful what wrote': 391253, 'what wrote it': 982655, 'wrote it behind': 1013200, 'it behind the': 456823, 'behind the premium': 124723, 'the premium paywall': 864234, 'for member': 323403, 'created consumer': 215806, 'consumer covid': 197007, 'page featuring': 633842, 'featuring link': 301594, 'our lawyer': 623687, 'lawyer referral': 482563, 'referral service': 706522, 'service legal': 752558, 'legal service': 485893, 'income individual': 432381, 'individual guidance': 435187, 'for member of': 323404, 'public we ve': 688462, 've created consumer': 953019, 'created consumer covid': 215807, 'consumer covid 19': 197008, '19 resource page': 10133, 'resource page featuring': 714852, 'page featuring link': 633843, 'featuring link to': 301595, 'link to our': 493936, 'to our lawyer': 911201, 'our lawyer referral': 623688, 'lawyer referral service': 482564, 'referral service legal': 706524, 'service legal service': 752559, 'legal service for': 485896, 'service for low': 752383, 'for low income': 323128, 'low income individual': 505351, 'income individual guidance': 432382, 'individual guidance from': 435188, 'guidance from the': 368239, 'from the ag': 337594, 'the ag office': 848429, 'ag office and': 36820, 'office and more': 595356, 'castlevania': 166784, 'meet someone': 527574, 'who seen': 989580, 'paper castlevania': 640016, 'castlevania netflix': 166785, 'netflix toiletpaper': 557637, 'toiletpaper nh': 922258, 'wanted to meet': 966262, 'to meet someone': 910051, 'meet someone who': 527575, 'someone who seen': 784768, 'who seen toilet': 989581, 'toilet paper castlevania': 921223, 'paper castlevania netflix': 640017, 'castlevania netflix toiletpaper': 166786, 'netflix toiletpaper nh': 557638, 'measure at': 525131, 'oregon coast': 619136, 'coast they': 185119, 'distancing measure at': 247318, 'measure at local': 525132, 'store on the': 809208, 'on the oregon': 604265, 'the oregon coast': 862464, 'oregon coast they': 619137, 'coast they get': 185120, 'they get it': 882170, 'get it 19': 347389, 'neighbour connect': 557190, 'connect amp': 194593, 'amp reach': 54367, 'out connect': 625873, 'connect via': 194630, 'local group': 498054, 'group support': 366898, 'vulnerable share': 961158, 'share accurate': 754908, 'accurate info': 28898, 'amp advice': 53357, 'advice unite': 33545, 'unite against': 942117, 'vulnerable by': 960890, 'by volunteering': 154679, 'volunteering to': 960401, 'to pickup': 911731, 'pickup shopping': 656013, 'shopping posting': 763666, 'mail urgent': 508670, 'urgent supply': 948365, 'to your neighbour': 919006, 'your neighbour connect': 1024972, 'neighbour connect amp': 557191, 'connect amp reach': 194594, 'amp reach out': 54368, 'reach out connect': 699965, 'out connect via': 625874, 'connect via online': 194631, 'via online local': 956135, 'online local group': 608499, 'local group support': 498055, 'group support vulnerable': 366899, 'support vulnerable share': 826979, 'vulnerable share accurate': 961159, 'share accurate info': 754909, 'accurate info amp': 28899, 'info amp advice': 437413, 'amp advice unite': 53358, 'advice unite against': 33546, 'unite against 19': 942118, 'against 19 help': 37303, '19 help the': 7501, 'the vulnerable by': 870978, 'vulnerable by volunteering': 960891, 'by volunteering to': 154680, 'volunteering to pickup': 960403, 'to pickup shopping': 911734, 'pickup shopping posting': 656014, 'shopping posting mail': 763667, 'posting mail urgent': 666664, 'mail urgent supply': 508671, 'urgent supply etc': 948366, 'coronavirus chain': 205633, 'retail walmart': 718841, 'walmart pittsburgh': 965398, 'pittsburgh coronapocolypse': 657036, 'fight coronavirus chain': 304701, 'coronavirus chain store': 205634, 'age retail walmart': 37895, 'retail walmart pittsburgh': 718842, 'walmart pittsburgh coronapocolypse': 965399, 'dispatcher': 246109, 'first district': 308642, 'district dispatcher': 248364, 'dispatcher law': 246112, 'enforcement officer': 276783, 'officer paramedic': 595693, 'paramedic emts': 641378, 'emts and': 275346, 'firefighter who': 308238, 'city during': 179127, 'to all first': 900247, 'all first district': 42793, 'first district dispatcher': 308643, 'district dispatcher law': 248365, 'dispatcher law enforcement': 246113, 'law enforcement officer': 482275, 'enforcement officer paramedic': 276784, 'officer paramedic emts': 595694, 'paramedic emts and': 641379, 'emts and firefighter': 275347, 'and firefighter who': 62922, 'firefighter who continue': 308239, 'continue to protect': 201237, 'protect our city': 684889, 'our city during': 622372, 'city during these': 179128, 'difficult time thank': 242310, 'half case': 374148, 'of mre': 586707, 'stock letsfightcorona': 802348, 'half case of': 374149, 'case of mre': 165917, 'of mre meal': 586708, 'in stock letsfightcorona': 428314, 'resturants': 717463, 'the sink': 867225, 'sink area': 771465, 'in resturants': 427443, 'resturants can': 717464, 'used properly': 949994, 'it job': 459196, 'job 19': 465588, 'so it look': 777472, 'like the type': 491404, 'type of sanitizer': 937579, 'of sanitizer we': 589302, 'sanitizer we use': 736052, 'we use for': 973612, 'use for the': 949223, 'for the sink': 326688, 'the sink area': 867226, 'sink area in': 771466, 'area in resturants': 92070, 'in resturants can': 427444, 'resturants can kill': 717465, 'the virus but': 870806, 'virus but it': 958014, 'but it need': 146143, 'be used properly': 117922, 'used properly and': 949995, 'properly and remain': 684171, 'and remain on': 70215, 'remain on surface': 709795, 'surface for about': 828024, 'for about 10': 318976, 'about 10 second': 24631, '10 second to': 1674, 'second to do': 743851, 'do it job': 249487, 'it job 19': 459197, 'job 19 usa': 465589, 'agriculture with': 39045, 'are farmer': 86492, 'farmer coping': 299324, 'we should try': 973301, 'should try to': 766607, 'try to understand': 934675, 'understand the impact': 940758, '19 on agriculture': 8926, 'on agriculture with': 599189, 'agriculture with question': 39047, 'with question doe': 1000381, 'question doe the': 693575, 'doe the world': 251626, 'world have enough': 1009623, 'feed it people': 302327, 'it people is': 460292, 'people is food': 648516, 'is food available': 447864, 'available at affordable': 104242, 'affordable price how': 34880, 'price how are': 674588, 'how are farmer': 407400, 'are farmer coping': 86493, 'farmer coping with': 299325, 'with the lockdown': 1001373, 'took your': 925383, 'can fulfil': 158382, 'fulfil that': 340393, 'that contract': 843320, 'contract you': 201726, 're entitled': 698616, 'refund chair': 706879, 'chair of': 171297, 'digital asset': 242510, 'asset working': 96491, 'working group': 1008668, 'group speaks': 366892, 'right if': 721948, 'an is': 56467, 'is cancelled': 446369, 'person who took': 652739, 'who took your': 989806, 'took your money': 925384, 'your money can': 1024857, 'money can fulfil': 536660, 'can fulfil that': 158383, 'fulfil that contract': 340394, 'that contract you': 843321, 'contract you re': 201727, 'you re entitled': 1020614, 're entitled to': 698617, 'to refund chair': 913084, 'refund chair of': 706880, 'chair of our': 171299, 'of our digital': 587452, 'our digital asset': 622751, 'digital asset working': 242511, 'asset working group': 96492, 'working group speaks': 1008671, 'group speaks to': 366893, 'speaks to about': 787805, 'to about people': 899915, 'about people right': 25939, 'people right if': 649305, 'right if an': 721949, 'if an is': 413813, 'an is cancelled': 56468, 'is cancelled due': 446371, 'peckham': 646182, 'story flying': 811970, 'flying around': 311665, 'around at': 93212, 'moment about': 535868, 'so thought': 778513, 'thought share': 893208, 'share mine': 755092, 'mine for': 532890, 'worth coronacrisis': 1011349, 'stopstockpiling few': 805866, 'in peckham': 426571, 'peckham my': 646185, 'lot of story': 504290, 'of story flying': 590277, 'story flying around': 811971, 'flying around at': 311666, 'around at the': 93214, 'the moment about': 860740, 'moment about hoarding': 535869, 'about hoarding so': 25402, 'hoarding so thought': 399526, 'so thought share': 778515, 'thought share mine': 893209, 'share mine for': 755093, 'mine for what': 532891, 'what it worth': 981763, 'it worth coronacrisis': 462565, 'worth coronacrisis stophoarding': 1011350, 'coronacrisis stophoarding stopstockpiling': 204790, 'stophoarding stopstockpiling few': 805491, 'stopstockpiling few day': 805867, 'wa in peckham': 962377, 'in peckham my': 426573, 'peckham my friend': 646186, 'my friend and': 548420, 'friend and were': 333515, 'and were working': 75438, 'were working for': 980356, 'erdogan': 280127, 'erdogan is': 280128, 'quite optimistic': 694898, 'that turkey': 847141, 'turkey stand': 935575, 'people seek': 649373, 'seek production': 746599, 'production capacity': 681961, 'capacity outside': 162557, 'collapse ahead': 185953, 'stimulus announcement': 801508, 'announcement expected': 77144, 'expected later': 290908, 'today president': 920065, 'president call': 670774, 'sector to': 744362, 'counter economic': 210211, 'erdogan is quite': 280129, 'is quite optimistic': 451193, 'quite optimistic about': 694899, 'about the saying': 26510, 'the saying that': 866400, 'saying that turkey': 739706, 'that turkey stand': 847142, 'turkey stand to': 935576, 'stand to benefit': 793591, 'to benefit people': 901766, 'benefit people seek': 127064, 'people seek production': 649374, 'seek production capacity': 746600, 'production capacity outside': 681962, 'capacity outside of': 162559, 'outside of china': 629502, 'of china and': 581357, 'china and oil': 176489, 'price collapse ahead': 673166, 'collapse ahead of': 185954, 'of the stimulus': 591491, 'the stimulus announcement': 867893, 'stimulus announcement expected': 801509, 'announcement expected later': 77145, 'expected later today': 290909, 'later today president': 481152, 'today president call': 920066, 'president call on': 670775, 'on the private': 604304, 'private sector to': 678981, 'sector to work': 744370, 'work with government': 1006034, 'with government to': 998663, 'government to counter': 360708, 'to counter economic': 903626, 'counter economic fallout': 210212, 'vega real': 953826, 'march sale': 515463, 'yoy inventory': 1026962, 'inventory down': 443661, 'down 17': 256379, '17 yoy': 4412, 'la vega real': 478236, 'vega real estate': 953827, 'real estate in': 701150, 'estate in march': 282132, 'in march sale': 425117, 'march sale up': 515464, 'sale up yoy': 732625, 'up yoy inventory': 946763, 'yoy inventory down': 1026963, 'inventory down 17': 443662, 'down 17 yoy': 256381, 'ramesh': 696397, 'ind': 433962, 'verma': 954830, 'ramesh ind': 696398, 'ind rohatgi': 433968, 'rohatgi verma': 725036, 'verma had': 954831, 'buy indian': 148824, 'indian rice': 434878, 'our unsung': 625232, 'hero my': 394042, 'my shout': 550074, 'all tho': 45153, 'ramesh ind rohatgi': 696399, 'ind rohatgi verma': 433969, 'rohatgi verma had': 725037, 'verma had been': 954832, 'been to local': 122220, 'to local supermarket': 909389, 'to buy indian': 902250, 'buy indian rice': 148825, 'indian rice and': 434879, 'rice and thought': 721003, 'and thought of': 74052, 'thought of our': 893148, 'of our unsung': 587583, 'our unsung hero': 625233, 'unsung hero my': 943557, 'hero my shout': 394043, 'my shout out': 550075, 'to all tho': 900296, 'cornholio': 203721, 'beavisandbutthead': 118838, 'like via': 491732, 'via cornholio': 955881, 'cornholio beavisandbutthead': 203722, 'beavisandbutthead tp': 118840, 'yesterday and wa': 1015672, 'wa like via': 962551, 'like via cornholio': 491733, 'via cornholio beavisandbutthead': 955882, 'cornholio beavisandbutthead tp': 203723, 'our distillery': 622774, 'distillery partner': 247787, 'partner make': 642851, 'donate to help': 254259, 'help our distillery': 390227, 'our distillery partner': 622775, 'distillery partner make': 247788, 'partner make sanitizer': 642852, 'make sanitizer for': 510421, 'responder in their': 715485, 'in their local': 429757, 'local community to': 497847, 'community to fight': 190173, '99 price': 23883, '99 why': 23919, 'largest american': 479918, 'chain product': 171012, 'to saving': 913800, 'normal price 99': 567265, 'price 99 price': 672190, '99 price 14': 23884, 'price 14 99': 672110, '14 99 why': 3413, '99 why is': 23920, 'the largest american': 858956, 'largest american supermarket': 479919, 'american supermarket chain': 52232, 'supermarket chain product': 819629, 'chain product that': 171013, 'product that is': 681693, 'that is essential': 844583, 'is essential to': 447555, 'essential to saving': 281707, 'to saving life': 913801, 'saving life during': 737908, 'pineapple': 656797, 'studying item': 814992, 'like pineapple': 491003, 'pineapple toe': 656804, 'toe scrub': 920640, 'and hairbrush': 64113, 'hairbrush have': 374019, 'aisle studying item': 40379, 'studying item like': 814993, 'item like pineapple': 463421, 'like pineapple toe': 491004, 'pineapple toe scrub': 656805, 'toe scrub and': 920641, 'scrub and hairbrush': 742890, 'and hairbrush have': 64114, 'hairbrush have they': 374020, 'thediamondloupe': 872317, 'tier': 895770, 'petra': 653647, 'thediamondloupe mid': 872318, 'mid tier': 530595, 'tier miner': 895776, 'miner petra': 532965, 'petra diamond': 653648, 'diamond see': 240334, 'see 27': 744862, '27 drop': 16278, 'price withdraws': 677628, 'withdraws best': 1002279, 'best stone': 127914, 'stone from': 804339, 'from most': 336475, 'recent sale': 703984, 'sale buyer': 732113, 'buyer being': 149591, 'being opportunistic': 125501, 'opportunistic in': 613566, 'in depressed': 422195, 'depressed market': 237593, 'market petra': 516844, 'diamond temporarily': 240336, 'close mine': 182723, 'in tanzania': 428818, 'tanzania reduces': 834294, 'reduces operation': 706239, 'in due': 422409, 'thediamondloupe mid tier': 872319, 'mid tier miner': 530596, 'tier miner petra': 895777, 'miner petra diamond': 532966, 'petra diamond see': 653649, 'diamond see 27': 240335, 'see 27 drop': 744863, '27 drop in': 16279, 'in price withdraws': 426985, 'price withdraws best': 677629, 'withdraws best stone': 1002280, 'best stone from': 127915, 'stone from most': 804340, 'from most recent': 336476, 'most recent sale': 542687, 'recent sale buyer': 703985, 'sale buyer being': 732114, 'buyer being opportunistic': 149592, 'being opportunistic in': 125502, 'opportunistic in depressed': 613567, 'in depressed market': 422196, 'depressed market petra': 237595, 'market petra diamond': 516845, 'petra diamond temporarily': 653650, 'diamond temporarily close': 240337, 'temporarily close mine': 837450, 'close mine in': 182724, 'mine in tanzania': 532901, 'in tanzania reduces': 428819, 'tanzania reduces operation': 834295, 'reduces operation in': 706240, 'operation in due': 613206, 'in due to': 422410, 'retail summary': 718746, 'summary and': 817927, 'are moving': 88154, 'moving quickly': 544171, 'distance shopper': 246823, 'limit store': 492501, 'capacity amid': 162490, 'retail summary and': 718748, 'summary and other': 817928, 'state are moving': 795388, 'are moving quickly': 88156, 'moving quickly to': 544172, 'quickly to socially': 694630, 'socially distance shopper': 781047, 'distance shopper and': 246824, 'shopper and limit': 761368, 'and limit store': 66179, 'limit store capacity': 492502, 'store capacity amid': 806867, 'capacity amid the': 162491, 'someone walking': 784740, 'store cough': 807192, 'your general': 1024029, 'general direction': 345321, 'direction quarantinelife': 243480, 're walking into': 699778, 'and someone walking': 71989, 'someone walking out': 784741, 'the store cough': 868003, 'store cough in': 807193, 'cough in your': 208487, 'in your general': 431084, 'your general direction': 1024030, 'general direction quarantinelife': 345322, 'fdacs': 300959, 'fried fdacs': 333449, 'fdacs working': 300960, 'florida farmer': 310927, '19 2020': 4725, 'nikki fried fdacs': 563248, 'fried fdacs working': 333450, 'fdacs working for': 300961, 'working for florida': 1008637, 'for florida farmer': 321530, 'florida farmer during': 310929, 'farmer during covid': 299347, 'covid 19 2020': 212556, '19 2020 press': 4728, 'and record': 70059, 'record volatility': 705077, 'market creditworthiness': 516258, 'creditworthiness around': 216603, 'feeling significant': 303057, 'from read': 337043, 'read everything': 700329, 'price and record': 672518, 'and record volatility': 70062, 'record volatility in': 705078, 'the market creditworthiness': 860100, 'market creditworthiness around': 516259, 'creditworthiness around the': 216604, 'world is feeling': 1009696, 'is feeling significant': 447777, 'feeling significant pressure': 303058, 'significant pressure from': 769493, 'pressure from read': 671163, 'from read everything': 337044, 'read everything you': 700330, 'to know today': 909000, 'know today in': 476910, 'today in our': 919686, 'in our daily': 426280, 'our daily update': 622691, 'daily update for': 224854, 'update for april': 946957, 'sny': 776434, '87': 23012, 'sny keep': 776435, 'but option': 146707, 'option price': 614089, 'aren keeping': 92448, 'waiting 47': 964284, '47 isn': 19259, 'far away': 298713, 'away currently': 105814, 'currently 41': 221449, '41 87': 18853, '87 give': 23017, 'more dollar': 539065, 'sny keep going': 776436, 'up in price': 945173, 'in price but': 426953, 'price but option': 672985, 'but option price': 146708, 'option price aren': 614090, 'price aren keeping': 672770, 'aren keeping up': 92449, 'keeping up just': 472612, 'up just waiting': 945272, 'just waiting 47': 470198, 'waiting 47 isn': 964285, '47 isn that': 19260, 'isn that far': 454699, 'that far away': 843836, 'far away currently': 298714, 'away currently 41': 105815, 'currently 41 87': 221450, '41 87 give': 18854, '87 give me': 23018, 'give me few': 350571, 'me few more': 522726, 'few more dollar': 303946, 'ifa': 415620, 'mymoney': 550766, 'lost wedding': 503952, 'god the': 354812, 'still causing': 800353, 'causing huge': 168047, 'huge confusion': 410005, 'confusion for': 194383, 'guardian sift': 367902, 'sift the': 769014, 'fact from': 295721, 'the fiction': 855139, 'fiction financialplanning': 304421, 'financialplanning ifa': 306710, 'ifa mymoney': 415621, 'coronavirus consumer from': 205682, 'consumer from lost': 197559, 'from lost wedding': 336278, 'lost wedding to': 503953, 'wedding to act': 975582, 'to act of': 900017, 'of god the': 584180, 'god the outbreak': 354813, 'outbreak is still': 628383, 'is still causing': 452268, 'still causing huge': 800354, 'causing huge confusion': 168048, 'huge confusion for': 410006, 'confusion for consumer': 194384, 'for consumer the': 320294, 'consumer the guardian': 199267, 'the guardian sift': 856912, 'guardian sift the': 367903, 'sift the fact': 769015, 'the fact from': 854822, 'fact from some': 295724, 'from some of': 337341, 'of the fiction': 591022, 'the fiction financialplanning': 855140, 'fiction financialplanning ifa': 304422, 'financialplanning ifa mymoney': 306711, 'mean huge': 524485, 'huge shift': 410193, 'shift increase': 758332, 'shopping esp': 762575, 'esp for': 280385, 'healthcare many': 387170, 'retailer business': 719049, 'model are': 535230, 'are put': 89348, 'into test': 443085, 'test store': 839178, 'mall reduce': 511818, 'reduce hour': 705853, 'canada amid': 160347, 'that mean huge': 845111, 'mean huge shift': 524486, 'huge shift increase': 410195, 'shift increase in': 758333, 'online shopping esp': 609110, 'shopping esp for': 762576, 'esp for grocery': 280387, 'grocery and healthcare': 364242, 'and healthcare many': 64378, 'healthcare many retailer': 387171, 'many retailer business': 514647, 'retailer business model': 719050, 'business model are': 144055, 'model are put': 535232, 'are put into': 89351, 'put into test': 690637, 'into test store': 443086, 'test store close': 839179, 'close and mall': 182533, 'and mall reduce': 66613, 'mall reduce hour': 511819, 'reduce hour in': 705854, 'hour in canada': 405685, 'in canada amid': 421181, 'canada amid covid': 160348, 'yougov poll': 1022535, 'poll brit': 663829, 'brit consider': 140328, 'consider newsagent': 195044, 'newsagent bank': 560988, 'bank pet': 110097, 'store essential': 807620, 'yougov poll brit': 1022536, 'poll brit consider': 663830, 'brit consider newsagent': 140329, 'consider newsagent bank': 195045, 'newsagent bank pet': 560989, 'bank pet store': 110098, 'pet store essential': 653456, 'store essential service': 807623, 'reviewing': 720613, 'are reviewing': 89679, 'reviewing manufacturing': 720614, 'manufacturing flow': 513589, 'flow to': 311263, 'and anticipate': 58184, 'anticipate consumer': 78425, 'pandemic saying': 636398, 'saying diversity': 739582, 'diversity digitalization': 248559, 'digitalization are': 242732, 'story during report': 811956, 'during report on': 262971, 'report on how': 712147, 'company are reviewing': 190446, 'are reviewing manufacturing': 89680, 'reviewing manufacturing flow': 720615, 'manufacturing flow to': 513590, 'flow to adapt': 311264, 'to adapt and': 900038, 'adapt and anticipate': 31245, 'and anticipate consumer': 58185, 'anticipate consumer behavior': 78426, 'behavior change during': 123963, 'change during pandemic': 172027, 'during pandemic saying': 262890, 'pandemic saying diversity': 636400, 'saying diversity digitalization': 739583, 'diversity digitalization are': 248560, 'digitalization are key': 242733, 'local shelter': 498387, 'shelter if': 757926, 'mean wa': 524755, 'wa today': 963530, 'today pick': 920038, 'pick for': 655649, 'also always': 47841, 'always looking': 49655, 'for gift': 321880, 'card from': 163528, 'from retailer': 337104, 'better they': 128552, 'love additional': 504584, 'additional support': 31883, 'to local shelter': 909386, 'local shelter if': 498388, 'shelter if you': 757927, 'the mean wa': 860352, 'mean wa today': 524756, 'wa today pick': 963532, 'today pick for': 920039, 'pick for me': 655650, 'for me they': 323342, 'me they are': 523685, 'are also always': 84439, 'also always looking': 47843, 'always looking for': 49656, 'looking for gift': 502868, 'for gift card': 321881, 'gift card from': 349943, 'card from retailer': 163530, 'from retailer if': 337106, 'retailer if that': 719195, 'if that suit': 414944, 'that suit you': 846556, 'suit you better': 817803, 'you better they': 1017469, 'better they would': 128554, 'they would love': 883946, 'would love additional': 1012010, 'love additional support': 504585, 'additional support they': 31885, 'support they work': 826921, 'they work to': 883927, 'work to combat': 1005881, 'superblue': 818621, 'sham': 754568, 'charlatan': 173728, 'jones superblue': 467259, 'superblue toothpaste': 818622, 'toothpaste which': 925506, 'he claim': 384835, 'claim cure': 179720, 'ha star': 372037, 'star on': 794052, 'amazon the': 51145, 'the single': 867217, 'single star': 771401, 'star review': 794060, 'review gave': 720564, 'gave low': 344636, 'low mark': 505399, 'mark not': 515807, 'product is': 681322, 'is sham': 451820, 'sham and': 754569, 'off sold': 594172, 'by charlatan': 152106, 'charlatan but': 173729, 'contains blue': 200627, 'blue this': 133480, 'this clearly': 886784, 'clearly disappointed': 181504, 'disappointed one': 244111, 'alex jones superblue': 41580, 'jones superblue toothpaste': 467260, 'superblue toothpaste which': 818623, 'toothpaste which he': 925507, 'which he claim': 985924, 'he claim cure': 384836, 'claim cure covid': 179721, '19 ha star': 7392, 'ha star on': 372038, 'star on amazon': 794053, 'on amazon the': 599291, 'amazon the single': 51150, 'the single star': 867223, 'single star review': 771402, 'star review gave': 794061, 'review gave low': 720565, 'gave low mark': 344637, 'low mark not': 505400, 'mark not because': 515808, 'not because the': 568493, 'because the product': 119641, 'the product is': 864591, 'product is sham': 681329, 'is sham and': 451821, 'sham and rip': 754570, 'rip off sold': 722668, 'off sold by': 594173, 'sold by charlatan': 781651, 'by charlatan but': 152107, 'charlatan but because': 173730, 'because it contains': 119180, 'it contains blue': 457306, 'contains blue this': 200628, 'blue this clearly': 133481, 'this clearly disappointed': 886785, 'clearly disappointed one': 181505, 'disappointed one consumer': 244112, 'curtain': 221799, 'buenos': 141847, 'aire': 39884, 'yasky': 1014191, 'cashier scan': 166600, 'scan product': 740704, 'product behind': 681010, 'behind makeshift': 124655, 'makeshift plastic': 510888, 'plastic curtain': 658834, 'curtain to': 221807, 'in buenos': 421020, 'buenos aire': 141848, 'aire lalo': 39885, 'lalo yasky': 479143, 'supermarket cashier scan': 819569, 'cashier scan product': 166601, 'scan product behind': 740705, 'product behind makeshift': 681011, 'behind makeshift plastic': 124656, 'makeshift plastic curtain': 510889, 'plastic curtain to': 658835, 'curtain to prevent': 221808, 'spread of on': 790692, 'of on march': 587220, 'on march 14': 602009, 'march 14 2020': 515070, '14 2020 in': 3394, '2020 in buenos': 14390, 'in buenos aire': 421021, 'buenos aire lalo': 141849, 'aire lalo yasky': 39886, 'sappy': 736696, 'proje': 683463, 'real let': 701247, 'let sappy': 487019, 'sappy town': 736699, 'town do': 927452, 'the dirty': 853327, 'dirty work': 243773, 'from costco': 335034, 'to garage': 906360, 'garage clean': 343479, 'covered let': 212430, 'sappy student': 736697, 'student help': 814700, 'you flatten': 1018598, 'you sane': 1020986, 'sane during': 733757, 'these weird': 880953, 'time send': 897638, 'send your': 749991, 'your proje': 1025455, 'is here and': 448415, 'here and the': 392712, 'and the lock': 73456, 'lock down is': 499037, 'down is real': 256887, 'is real let': 451270, 'real let sappy': 701248, 'let sappy town': 487021, 'sappy town do': 736700, 'town do the': 927453, 'do the dirty': 250239, 'the dirty work': 853328, 'dirty work for': 243774, 'for you from': 328057, 'you from costco': 1018713, 'from costco or': 335035, 'costco or grocery': 208257, 'store trip to': 810954, 'trip to garage': 932191, 'to garage clean': 906361, 'garage clean out': 343480, 'clean out we': 180609, 'out we have': 627796, 'we have you': 971989, 'have you covered': 383663, 'you covered let': 1018117, 'covered let sappy': 212431, 'let sappy student': 487020, 'sappy student help': 736698, 'student help you': 814701, 'help you flatten': 390972, 'you flatten the': 1018599, 'curve and keep': 221833, 'and keep you': 65788, 'keep you sane': 472247, 'you sane during': 1020987, 'sane during these': 733758, 'during these weird': 263251, 'these weird time': 880954, 'weird time send': 977807, 'time send your': 897639, 'send your proje': 749992, 'simulates': 770347, 'pathogenic': 644084, 'supermarket finnish': 820322, 'finnish scientist': 307996, 'scientist developed': 742212, 'developed 3d': 239674, '3d model': 18235, 'model that': 535312, 'that simulates': 846321, 'simulates the': 770348, 'coughing preliminary': 208738, 'preliminary result': 669879, 'result show': 717635, 'the pathogenic': 863392, 'pathogenic load': 644085, 'load remains': 497293, 'happens when someone': 377525, 'when someone with': 984066, 'someone with 19': 784782, 'with 19 cough': 996963, '19 cough in': 6148, 'cough in supermarket': 208484, 'in supermarket finnish': 428598, 'supermarket finnish scientist': 820323, 'finnish scientist developed': 307997, 'scientist developed 3d': 742213, 'developed 3d model': 239675, '3d model that': 18242, 'model that simulates': 535314, 'that simulates the': 846322, 'simulates the spread': 770349, 'the coronavirus when': 851943, 'coronavirus when coughing': 207064, 'when coughing preliminary': 983297, 'coughing preliminary result': 208739, 'preliminary result show': 669880, 'result show the': 717636, 'show the pathogenic': 767216, 'the pathogenic load': 863393, 'pathogenic load remains': 644086, 'load remains in': 497294, 'remains in the': 710026, 'batch cooking': 112575, 'cooking for': 202870, 'week haven': 976311, 'bought buying': 136525, 'buying little': 150660, 'basic meal': 111975, 'meal oh': 524221, 'some chocolate': 782532, 'chocolate plenty': 177701, 'around sundaythoughts': 93496, 'sundaythoughts stophoarding': 818353, 'batch cooking for': 112576, 'cooking for the': 202873, 'the week haven': 871302, 'week haven panic': 976312, 'panic bought buying': 637419, 'bought buying little': 136526, 'buying little and': 150661, 'little and when': 495233, 'and when needed': 75519, 'when needed and': 983764, 'needed and just': 556291, 'and just what': 65731, 'need for basic': 554828, 'for basic meal': 319587, 'basic meal oh': 111976, 'meal oh and': 524222, 'oh and some': 596359, 'and some chocolate': 71954, 'some chocolate plenty': 782534, 'chocolate plenty of': 177702, 'plenty of that': 660982, 'of that around': 590711, 'that around sundaythoughts': 842872, 'around sundaythoughts stophoarding': 93497, 'glad he': 351500, 'excited bought': 289535, 'bought 300': 136478, '300 more': 17333, 'pantry frozen': 639594, 'frozen cleaning': 338961, 'supply starting': 825891, 'starting week': 795070, 'when dr': 983364, 'fauci calmly': 300350, 'calmly suggested': 156862, 'suggested to': 817592, 'up be': 944465, 'home worry': 402573, 'worry for': 1010704, 'glad he is': 351501, 'he is excited': 385120, 'is excited bought': 447629, 'excited bought 300': 289536, 'bought 300 more': 136479, '300 more food': 17334, 'more food pantry': 539249, 'food pantry frozen': 315780, 'pantry frozen cleaning': 639595, 'frozen cleaning supply': 338962, 'cleaning supply starting': 181085, 'supply starting week': 825892, 'starting week ago': 795071, 'ago when dr': 38544, 'when dr fauci': 983365, 'dr fauci calmly': 258012, 'fauci calmly suggested': 300351, 'calmly suggested to': 156863, 'suggested to stock': 817594, 'stock up be': 803060, 'up be ready': 944466, 'be ready for': 116695, 'ready for week': 700879, 'for week at': 327691, 'week at home': 975960, 'at home worry': 99178, 'home worry for': 402574, 'worry for people': 1010708, 'hand sanitizer supply': 375609, 'sanitizer supply restock': 735834, 'address and': 31946, 'safe update': 730090, 'update after': 946844, 'after meeting': 35921, 'strong and job': 813976, 'and job are': 65660, 'position to address': 665193, 'to address and': 900084, 'address and keep': 31948, 'and keep american': 65750, 'american safe update': 52178, 'safe update after': 730091, 'update after meeting': 946845, 'after meeting with': 35923, 'meeting with amp': 527794, 'continuously': 201598, 'deserve free': 238058, 'free drink': 331783, 'drink food': 258823, 'food discount': 314213, 'discount like': 244490, 'also daily': 48084, 'daily put': 224757, 'themselves on': 876858, 'frontline by': 338713, 'by continuously': 152206, 'continuously stacking': 201603, 'shelf running': 757474, 'running till': 728112, 'till or': 896078, 'or delivering': 614928, 'supermarket worker also': 823984, 'worker also deserve': 1006235, 'also deserve free': 48095, 'deserve free drink': 238059, 'free drink food': 331785, 'drink food discount': 258824, 'food discount like': 314214, 'discount like the': 244491, 'like the nh': 491384, 'nh worker because': 562176, 'worker because they': 1006507, 'because they also': 119687, 'they also daily': 881144, 'also daily put': 48085, 'daily put themselves': 224758, 'put themselves on': 690899, 'themselves on the': 876861, '19 frontline by': 7146, 'frontline by continuously': 338714, 'by continuously stacking': 152207, 'continuously stacking shelf': 201604, 'stacking shelf running': 792043, 'shelf running till': 757475, 'running till or': 728113, 'till or delivering': 896080, 'or delivering food': 614929, 'to our door': 911172, 'still struggling': 801244, 'supermarket slot': 822713, 'the scottish': 866521, 'scottish government': 742478, 'yet shared': 1016225, 'shared information': 755417, 'possible am': 665563, 'am pleased': 50309, 'are still struggling': 90485, 'still struggling to': 801245, 'to get access': 906403, 'to online supermarket': 910953, 'online supermarket slot': 609505, 'supermarket slot because': 822714, 'slot because the': 774146, 'because the scottish': 119644, 'the scottish government': 866523, 'scottish government ha': 742479, 'government ha not': 360160, 'not yet shared': 572603, 'yet shared information': 1016226, 'shared information to': 755418, 'information to make': 438014, 'to make that': 909749, 'make that possible': 510552, 'that possible am': 845790, 'possible am pleased': 665564, 'am pleased to': 50310, 'see this coverage': 745944, 'this coverage in': 886990, 'think in': 885304, 'shock after': 759414, 'store bad': 806626, 'bad trip': 108063, 'trip it': 932102, 'wa how': 962340, 'bad is': 107908, 'rich but': 721201, 'are poor': 89142, 'poor ppl': 664267, 'ppl getting': 668237, 'getting by': 348888, 'think in state': 885307, 'state of shock': 795821, 'of shock after': 589612, 'shock after my': 759415, 'after my trip': 35947, 'grocery store bad': 365231, 'store bad trip': 806627, 'bad trip it': 108065, 'trip it wa': 932103, 'it wa how': 462128, 'wa how bad': 962341, 'how bad is': 407436, 'bad is it': 107909, 'is it going': 449025, 'to get and': 906409, 'get and not': 346556, 'and not rich': 67768, 'not rich but': 571378, 'rich but how': 721202, 'how are poor': 407412, 'are poor ppl': 89143, 'poor ppl getting': 664268, 'ppl getting by': 668238, 'would save': 1012206, 'save more': 737591, 'money being': 536633, 'being quarantined': 125624, 'quarantined but': 692833, 'shopping determined': 762471, 'determined that': 239456, 'wa lie': 962534, 'lie coronacrisis': 488346, 'thought would save': 893327, 'would save more': 1012209, 'save more money': 737592, 'more money being': 539787, 'money being quarantined': 536634, 'being quarantined but': 125625, 'quarantined but online': 692834, 'online shopping determined': 609090, 'shopping determined that': 762472, 'determined that wa': 239458, 'that wa lie': 847296, 'wa lie coronacrisis': 962535, 'approved ad': 83127, 'ad misinformation': 31129, 'misinformation consumer': 534068, 'facebook approved ad': 294893, 'approved ad misinformation': 83128, 'ad misinformation consumer': 31130, 'misinformation consumer report': 534069, 'be quarantined': 116655, 'face some': 294763, 'financial challenge': 306344, 'challenge amp': 171392, 'amp malawi': 54097, 'malawi please': 511578, 'consider reducing': 195084, 'price cc': 673101, 'we are to': 970740, 'to be quarantined': 901474, 'be quarantined at': 116657, 'at home amp': 98938, 'home amp we': 400605, 'amp we are': 54817, 'are all to': 84366, 'all to face': 45239, 'to face some': 905573, 'face some financial': 294764, 'some financial challenge': 782828, 'financial challenge amp': 306345, 'challenge amp malawi': 171393, 'amp malawi please': 54098, 'malawi please do': 511579, 'please do your': 659904, 'part and consider': 642229, 'and consider reducing': 60315, 'consider reducing the': 195085, 'reducing the data': 706325, 'data price cc': 226356, 'our stockist': 624926, 'still supplying': 801255, 'supplying rely': 826305, 'sale our': 732434, 'wa launched': 962512, 'launched with': 482055, 'trading online': 928901, 'voucher from': 960647, 'been busier': 120764, 'busier thankyou': 143176, 'thankyou online': 842345, 'speaking to about': 787771, 'to about covid': 899911, 'lot of our': 504243, 'of our stockist': 587571, 'our stockist are': 624927, 'stockist are closed': 803636, 'are still supplying': 90486, 'still supplying rely': 801257, 'supplying rely on': 826306, 'rely on retail': 709649, 'on retail online': 603179, 'retail online sale': 718346, 'online sale our': 608922, 'sale our online': 732435, 'online store which': 609482, 'which wa launched': 986445, 'wa launched with': 962515, 'launched with the': 482056, 'help of trading': 390168, 'of trading online': 592407, 'trading online voucher': 928902, 'online voucher from': 609686, 'voucher from our': 960648, 'from our ha': 336776, 'our ha never': 623337, 'never been busier': 557889, 'been busier thankyou': 120765, 'busier thankyou online': 143177, 'thankyou online local': 842346, 'altercation': 49155, 'paper war': 641056, 'new ridiculousness': 559502, 'ridiculousness get': 721658, 'get load': 347491, 'this altercation': 886289, 'altercation in': 49156, 'toilet paper war': 921516, 'paper war the': 641057, 'war the new': 966547, 'the new ridiculousness': 861551, 'new ridiculousness get': 559503, 'ridiculousness get load': 721659, 'get load of': 347492, 'load of this': 497285, 'of this altercation': 591934, 'this altercation in': 886290, 'globalization': 352348, 'de globalization': 229066, 'globalization may': 352353, '19 leading': 8290, 'for manufactured': 323197, 'de globalization may': 229067, 'globalization may happen': 352354, 'may happen after': 521226, 'happen after covid': 377052, 'covid 19 leading': 213342, '19 leading to': 8291, 'leading to higher': 483760, 'to higher price': 907745, 'price for manufactured': 673996, 'for manufactured good': 323198, 'magento': 508369, 'magedia': 508367, 'behavior magento': 124110, 'magento magedia': 508370, 'magedia ecommerce': 508368, 'this article to': 886433, 'article to know': 94485, 'shopping behavior magento': 762207, 'behavior magento magedia': 124111, 'magento magedia ecommerce': 508371, 'anyone out': 80455, 'toiletpaper asking': 921760, 'friend pandemic': 333750, 'anyone out there': 80456, 'out there already': 627466, 'there already sick': 877967, 'already sick of': 47659, 'sick of pasta': 768539, 'of pasta or': 587811, 'pasta or toiletpaper': 643778, 'or toiletpaper asking': 617492, 'toiletpaper asking for': 921761, 'for friend pandemic': 321770, 'icmyi': 412801, 'nat': 552070, 'icmyi top': 412802, 'top consumer': 925553, 'watchdog is': 968627, 'new heartless': 558875, 'heartless scam': 388471, 'scam taking': 740384, 'place here': 657488, 'here amp': 392687, 'amp around': 53412, 'country introduces': 210792, 'introduces bill': 443467, 'punish price': 689221, 'gouger during': 359215, 'during nat': 262805, 'nat emergency': 552071, 'icmyi top consumer': 412803, 'top consumer watchdog': 925555, 'consumer watchdog is': 199483, 'watchdog is warning': 968628, 'is warning about': 453758, 'warning about new': 967068, 'about new heartless': 25790, 'new heartless scam': 558876, 'heartless scam taking': 388472, 'scam taking place': 740386, 'taking place here': 833510, 'place here amp': 657489, 'here amp around': 392688, 'amp around the': 53413, 'the country introduces': 852102, 'country introduces bill': 210793, 'introduces bill that': 443468, 'bill that would': 130691, 'that would punish': 847686, 'would punish price': 1012136, 'punish price gouger': 689222, 'price gouger during': 674243, 'gouger during nat': 359216, 'during nat emergency': 262806, 'fresno': 333149, 'breaking city': 138925, 'of fresno': 583954, 'fresno considers': 333152, 'considers shelter': 195450, '19 live': 8346, 'breaking city of': 138926, 'city of fresno': 179280, 'of fresno considers': 583956, 'fresno considers shelter': 333153, 'considers shelter in': 195451, 'place order in': 657637, 'order in response': 618321, 'covid 19 live': 213361, 'interpol': 442080, 'unfamiliar': 941470, '19 be': 5315, 'of counterfeit': 582020, 'counterfeit medical': 210303, 'product fraud': 681211, 'and cybercrime': 60894, 'cybercrime warns': 223963, 'warns interpol': 967261, 'interpol be': 442081, 'cautious when': 168235, 'any unfamiliar': 79996, 'unfamiliar link': 941471, 'in email': 422538, 'criminal are exploiting': 216821, 'the panic around': 863183, 'panic around covid': 637352, 'covid 19 be': 212684, '19 be wary': 5323, 'wary of counterfeit': 967406, 'of counterfeit medical': 582022, 'counterfeit medical product': 210304, 'medical product fraud': 526320, 'product fraud and': 681212, 'fraud and cybercrime': 331230, 'and cybercrime warns': 60895, 'cybercrime warns interpol': 223964, 'warns interpol be': 967262, 'interpol be very': 442082, 'very cautious when': 955046, 'cautious when shopping': 168237, 'online and do': 607811, 'click on any': 181931, 'on any unfamiliar': 599411, 'any unfamiliar link': 79997, 'unfamiliar link in': 941472, 'link in email': 493856, 'insecurity rise': 439174, 'rise amid': 722771, 'scare foodwaste': 740873, 'food insecurity rise': 315071, 'insecurity rise amid': 439175, 'rise amid coronavirus': 722773, 'amid coronavirus scare': 52428, 'coronavirus scare foodwaste': 206731, 'there disruption': 878323, 'price saw': 676297, 'saw at': 738062, 'were beyond': 979377, 'beyond outrageous': 129216, 'outrageous when': 629342, 'when loaf': 983698, 'major brand': 509245, 'brand bread': 137773, 'up muffin': 945411, 'muffin up': 545561, 'milk up': 531891, 'up 75': 944206, '75 from': 22131, 'from month': 336466, 'ago someone': 38470, 'someone should': 784654, 'get it that': 347427, 'it that there': 461502, 'that there disruption': 846896, 'there disruption in': 878324, 'chain during pandemic': 170667, 'during pandemic but': 262859, 'pandemic but price': 635050, 'but price saw': 146845, 'price saw at': 676298, 'saw at the': 738063, 'the grocery today': 856831, 'grocery today were': 366066, 'today were beyond': 920505, 'were beyond outrageous': 979378, 'beyond outrageous when': 129218, 'outrageous when loaf': 629343, 'when loaf of': 983699, 'loaf of major': 497367, 'of major brand': 586109, 'major brand bread': 509246, 'brand bread is': 137774, 'bread is up': 138509, 'is up muffin': 453576, 'up muffin up': 945412, 'muffin up amp': 545562, 'up amp milk': 944289, 'amp milk up': 54140, 'milk up 75': 531892, 'up 75 from': 944207, '75 from month': 22132, 'from month ago': 336467, 'month ago someone': 537542, 'ago someone should': 38471, 'someone should be': 784655, 'after queuing': 36099, 'apart then': 81352, 'odd idiot': 579185, 'idiot just': 413535, 'just stroll': 469917, 'stroll over': 813950, 'over lean': 630355, 'lean across': 483870, 'across your': 29562, 'use brain': 949081, 'minute socialdistancing': 533840, 'after queuing to': 36100, 'supermarket can now': 819508, 'can now see': 159071, 'see what the': 746045, 'what the issue': 982329, 'issue is most': 455819, 'is most people': 449742, 'most people waiting': 542630, 'people waiting standing': 650115, 'waiting standing 2m': 964385, 'standing 2m apart': 793736, '2m apart then': 16668, 'apart then the': 81353, 'then the odd': 877620, 'the odd idiot': 862035, 'odd idiot just': 579186, 'idiot just stroll': 413537, 'just stroll over': 469918, 'stroll over lean': 813951, 'over lean across': 630356, 'lean across your': 483871, 'across your trolley': 29563, 'your trolley and': 1026217, 'trolley and get': 932363, 'what they want': 982422, 'they want it': 883709, 'want it not': 965835, 'it not difficult': 459870, 'not difficult to': 569028, 'difficult to use': 242352, 'to use brain': 918005, 'use brain cell': 949082, 'brain cell for': 137589, 'cell for 10': 168951, 'for 10 minute': 318618, '10 minute socialdistancing': 1542, '20 consumer': 13006, 'report tell': 712305, 'tell and': 836909, 'first not': 308803, 'not corporation': 568891, 'corporation sign': 207462, '20 consumer report': 13007, 'consumer report tell': 198731, 'report tell and': 712306, 'tell and to': 836910, 'and to protect': 74191, 'the pandemic put': 863068, 'pandemic put people': 636262, 'put people first': 690770, 'people first not': 647927, 'first not corporation': 308804, 'not corporation sign': 568892, 'corporation sign the': 207463, 'ferocity': 303552, 'witnessing': 1003168, 'oil world': 597523, 'many shock': 514692, 'shock over': 759498, 'but none': 146515, 'none ha': 566563, 'industry with': 436252, 'with quite': 1000387, 'the ferocity': 855112, 'ferocity we': 303553, 'are witnessing': 91662, 'witnessing today': 1003182, 'today market': 919857, 'market company': 516196, 'and entire': 62199, 'entire economy': 278666, 'crisis caused': 217197, 'pandemic oil': 636077, 'have crumbled': 380162, 'oil world ha': 597524, 'ha seen many': 371835, 'seen many shock': 747134, 'many shock over': 514693, 'shock over the': 759499, 'the year but': 872148, 'year but none': 1014447, 'but none ha': 146516, 'none ha hit': 566564, 'hit the industry': 398432, 'the industry with': 858197, 'industry with quite': 436255, 'with quite the': 1000389, 'quite the ferocity': 694926, 'the ferocity we': 855113, 'ferocity we are': 303554, 'we are witnessing': 970764, 'are witnessing today': 91667, 'witnessing today market': 1003183, 'today market company': 919858, 'market company and': 516197, 'company and entire': 190379, 'and entire economy': 62201, 'entire economy reel': 278667, 'the global crisis': 856296, 'global crisis caused': 351836, 'crisis caused by': 217198, '19 pandemic oil': 9413, 'pandemic oil price': 636078, 'price have crumbled': 674422, 'story how': 812003, 'restaurant transformed': 716772, 'transformed into': 929588, '19 story how': 10895, 'story how restaurant': 812004, 'how restaurant transformed': 408588, 'restaurant transformed into': 716773, 'transformed into grocery': 929589, 'covid19 it': 214328, 'briefing covid19 it': 139704, 'covid19 it is': 214329, 'it is shame': 459075, 'is shame that': 451824, 'northsomerset': 567816, 'westonsupermare': 980706, 'yeah thanks': 1014296, 'thanks then': 842195, 'you selfish': 1021101, 'bastard stockpiling': 112503, 'stockpiling ransacked': 804054, 'ransacked emptyshelves': 696815, 'emptyshelves supermarket': 275313, 'supermarket northsomerset': 821635, 'northsomerset westonsupermare': 567817, 'yeah thanks then': 1014297, 'thanks then you': 842196, 'then you selfish': 877795, 'you selfish bastard': 1021102, 'selfish bastard stockpiling': 748021, 'bastard stockpiling ransacked': 112505, 'stockpiling ransacked emptyshelves': 804055, 'ransacked emptyshelves supermarket': 696816, 'emptyshelves supermarket northsomerset': 275315, 'supermarket northsomerset westonsupermare': 821636, 'exerciseathome': 290120, 'almost at': 46557, 'wondering which': 1004203, 'wearing to': 974815, 'supermarket lockdownextended': 821369, 'lockdownextended 19': 500270, 'easterweekend coronaupdate': 265617, 'coronaupdate tesco': 205332, 'asda sainsburys': 94974, 'sainsburys waitrose': 731806, 'waitrose ocado': 964467, 'ocado marksandspencer': 578905, 'marksandspencer exerciseathome': 517932, 'almost at the': 46558, 'end of week': 275924, 'of week and': 592995, 'week and wa': 975945, 'and wa wondering': 75106, 'wa wondering which': 963722, 'wondering which of': 1004204, 'which of the': 986186, 'the following are': 855497, 'following are you': 312692, 'are you wearing': 91880, 'you wearing to': 1022222, 'wearing to the': 974816, 'the supermarket lockdownextended': 868679, 'supermarket lockdownextended 19': 821370, 'lockdownextended 19 stayhomesavelives': 500271, '19 stayhomesavelives easterweekend': 10835, 'stayhomesavelives easterweekend coronaupdate': 798376, 'easterweekend coronaupdate tesco': 265618, 'coronaupdate tesco asda': 205333, 'tesco asda sainsburys': 838673, 'asda sainsburys waitrose': 94977, 'sainsburys waitrose ocado': 731807, 'waitrose ocado marksandspencer': 964468, 'ocado marksandspencer exerciseathome': 578906, 'he panic': 385289, 'up tirelessly': 946312, 'tirelessly provide': 899084, 'he panic buy': 385290, 'panic buy you': 637546, 'buy you stock': 149490, 'stock up tirelessly': 803123, 'up tirelessly provide': 946313, 'tirelessly provide food': 899085, 'provide food for': 686306, 'you strip': 1021453, 'strip the': 813837, 'leave our': 484889, 'hardworking nh': 378341, 'vital employee': 959680, 'healthy to': 387791, 'nurse you': 577560, 'amp uncaring': 54754, 'uncaring you': 939557, 'starve you': 795234, 'may save': 521476, 'if you strip': 415531, 'you strip the': 1021454, 'strip the supermarket': 813839, 'supermarket shelf you': 822573, 'shelf you leave': 757848, 'you leave our': 1019576, 'leave our hardworking': 484891, 'our hardworking nh': 623357, 'hardworking nh amp': 378342, 'nh amp other': 561872, 'amp other vital': 54250, 'other vital employee': 621177, 'vital employee without': 959681, 'employee without the': 274456, 'without the food': 1002966, 'stay healthy to': 796924, 'healthy to nurse': 387794, 'to nurse you': 910760, 'nurse you when': 577561, 'you when you': 1022282, 'have no need': 381639, 'to be selfish': 901526, 'be selfish amp': 117054, 'selfish amp uncaring': 747981, 'amp uncaring you': 54755, 'uncaring you won': 939558, 'you won starve': 1022405, 'won starve you': 1003908, 'starve you may': 795235, 'you may save': 1019811, 'may save your': 521477, 'save your own': 737714, 'your own life': 1025151, 'grocery during covid': 364482, '19 pandemic health': 9346, 'bustling': 144852, 'store minute': 808962, 'they opened': 882836, 'opened parking': 612751, 'lot wa': 504405, 'full shopper': 340885, 'shopper were': 761816, 'were bustling': 979402, 'bustling asked': 144853, 'asked clerk': 95726, 'opened early': 612719, 'early nope': 264659, 'door no': 255658, 'no covid19': 563922, 'city yet': 179473, 'yet ve': 1016308, 'been concerned': 120860, 'concerned not': 193206, 'got to grocery': 358958, 'grocery store minute': 365570, 'store minute after': 808963, 'minute after they': 533713, 'after they opened': 36389, 'they opened parking': 882838, 'opened parking lot': 612752, 'parking lot wa': 642110, 'lot wa full': 504406, 'wa full shopper': 962182, 'full shopper were': 340886, 'shopper were bustling': 761817, 'were bustling asked': 979403, 'bustling asked clerk': 144854, 'asked clerk if': 95727, 'clerk if they': 181720, 'if they opened': 415121, 'they opened early': 882837, 'opened early nope': 612720, 'early nope there': 264660, 'there wa huge': 879244, 'wa huge line': 962345, 'huge line waiting': 410091, 'line waiting at': 493546, 'waiting at the': 964297, 'the door no': 853577, 'door no covid19': 255659, 'no covid19 in': 563925, 'covid19 in our': 214322, 'our city yet': 622379, 'city yet ve': 179475, 'yet ve been': 1016309, 've been concerned': 952874, 'been concerned not': 120861, 'given rising': 351100, 'rising unemployment': 723317, 'insecurity increasing': 439164, 'increasing dependence': 433586, 'already high': 47440, 'high global': 395101, 'can ill': 158715, 'ill afford': 416094, 'self inflicted': 747655, 'inflicted market': 437283, 'market disruption': 516298, 'given rising unemployment': 351101, 'rising unemployment and': 723318, 'unemployment and food': 941158, 'food insecurity increasing': 315067, 'insecurity increasing dependence': 439165, 'increasing dependence on': 433587, 'dependence on global': 237344, 'on global food': 601107, 'global food trade': 351954, 'food trade and': 317351, 'trade and already': 928406, 'and already high': 57935, 'already high global': 47441, 'high global food': 395103, 'global food price': 351947, 'food price the': 315980, 'price the global': 676834, 'global economy can': 351892, 'economy can ill': 267737, 'can ill afford': 158716, 'ill afford these': 416095, 'afford these type': 34783, 'type of self': 937583, 'of self inflicted': 589470, 'self inflicted market': 747657, 'inflicted market disruption': 437284, 'market disruption in': 516299, 'disruption in blog': 246489, 'deborah': 230392, 'safe dr': 729604, 'dr deborah': 257997, 'deborah birx': 230393, 'birx the': 131485, 'house response': 406528, 'response coordinator': 715663, 'coordinator said': 203241, 'friend safe dr': 333788, 'safe dr deborah': 729606, 'dr deborah birx': 257998, 'deborah birx the': 230395, 'birx the white': 131486, 'white house response': 987859, 'house response coordinator': 406529, 'response coordinator said': 715666, 'callingwood': 156648, '19 protocol': 9863, 'protocol is': 685988, 'ever changing': 285249, 'changing just': 172737, 'considered an': 195273, 'service since': 752832, 'supplying our': 826303, 'grocery partner': 364834, 'partner we': 642894, 'in callingwood': 421165, 'callingwood marketplace': 156649, 'marketplace open': 517823, 'covid 19 protocol': 213625, '19 protocol is': 9864, 'protocol is ever': 685989, 'is ever changing': 447570, 'ever changing just': 285251, 'changing just want': 172738, 'just want you': 470230, 'want you all': 966179, 'all to know': 45243, 'we are considered': 970511, 'are considered an': 85501, 'considered an essential': 195274, 'essential service since': 281523, 'service since we': 752833, 'still supplying our': 801256, 'supplying our grocery': 826304, 'our grocery partner': 623306, 'grocery partner we': 364835, 'partner we continue': 642895, 'store in callingwood': 808281, 'in callingwood marketplace': 421166, 'callingwood marketplace open': 156650, 'ridiculed': 721504, 'year people': 1014904, 'have ridiculed': 382323, 'ridiculed survivalist': 721505, 'survivalist or': 829100, 'or preppers': 616677, 'preppers who': 670413, 'basic military': 111981, 'military supply': 531501, 'worst happens': 1011186, 'happens but': 377455, 'with spreading': 1000928, 'spreading people': 791029, 'now turning': 576238, 'for year people': 328013, 'year people have': 1014905, 'people have ridiculed': 648193, 'have ridiculed survivalist': 382324, 'ridiculed survivalist or': 721506, 'survivalist or preppers': 829101, 'or preppers who': 616678, 'preppers who stock': 670414, 'water and basic': 968855, 'and basic military': 58720, 'basic military supply': 111982, 'military supply in': 531502, 'supply in case': 825396, 'case the worst': 166059, 'the worst happens': 872052, 'worst happens but': 1011187, 'happens but with': 377456, 'but with spreading': 147901, 'with spreading people': 1000929, 'spreading people are': 791030, 'are now turning': 88611, 'now turning to': 576239, 'turning to them': 935977, 'to them for': 917294, 'them for advice': 875710, 'wa bad': 961629, 'enough now': 277533, 'stockpiling alcohol': 803899, 'alcohol whats': 41172, 'whats wrong': 982853, 'so panic buying': 777985, 'buying of soap': 150798, 'soap and toilet': 778930, 'roll wa bad': 725585, 'wa bad enough': 961630, 'bad enough now': 107842, 'enough now the': 277534, 'now the idiot': 576046, 'idiot are stockpiling': 413457, 'are stockpiling alcohol': 90521, 'stockpiling alcohol whats': 803900, 'alcohol whats wrong': 41173, 'whats wrong with': 982854, 'with people stoppanicbuying': 1000173, 'upmost': 947611, 'their upmost': 875088, 'upmost to': 947612, 'people financial': 647917, 'situation through': 772524, 'when it feel': 983629, 'feel like everyone': 302711, 'else is doing': 271750, 'doing their upmost': 252742, 'their upmost to': 875089, 'upmost to help': 947613, 'help people financial': 390293, 'people financial situation': 647918, 'financial situation through': 306596, 'situation through the': 772525, 'the crisis put': 852435, 'downhill': 257567, 'jumped over': 467943, 'over three': 630824, 'three per': 894025, 'cent on': 169100, 'wa downhill': 962026, 'downhill since': 257568, 'price jumped over': 674964, 'jumped over three': 467945, 'over three per': 630825, 'three per cent': 894026, 'per cent on': 650756, 'cent on monday': 169101, 'on monday which': 602192, 'monday which wa': 536419, 'which wa downhill': 986441, 'wa downhill since': 962027, 'downhill since the': 257569, 'news really': 560729, 'really now': 702463, 'fight shame': 304865, 'you boycotthul': 1017512, 'news really now': 560730, 'really now is': 702465, 'and help this': 64476, 'help this country': 390738, 'this country fight': 886951, 'country fight shame': 210651, 'fight shame on': 304866, 'on you boycotthul': 605413, 'account call': 28644, 'other account call': 619795, 'doorknob': 255813, 'moisturizer': 535610, 'essential watch': 281757, 'pump shopping': 689100, 'handle cash': 376184, 'cash door': 166215, 'and doorknob': 61682, 'doorknob card': 255816, 'reader cellphone': 700685, 'cellphone atm': 168975, 'atm carry': 101921, 'or wipe': 617816, 'wipe washing': 996414, 'washing with': 967752, 'always better': 49500, 'better carry': 128226, 'carry moisturizer': 165109, 'moisturizer alcohol': 535611, 'alcohol dry': 40998, 'dry skin': 261298, 'for essential watch': 321128, 'essential watch for': 281758, 'watch for these': 968418, 'for these gas': 326968, 'these gas pump': 880051, 'gas pump shopping': 344076, 'pump shopping cart': 689101, 'shopping cart handle': 762302, 'cart handle cash': 165316, 'handle cash door': 376185, 'cash door and': 166216, 'door and doorknob': 255506, 'and doorknob card': 61683, 'doorknob card reader': 255817, 'card reader cellphone': 163629, 'reader cellphone atm': 700686, 'cellphone atm carry': 168976, 'atm carry sanitizer': 101922, 'carry sanitizer or': 165146, 'sanitizer or wipe': 735497, 'or wipe washing': 617821, 'wipe washing with': 996415, 'washing with soap': 967753, 'with soap is': 1000801, 'soap is always': 779042, 'is always better': 445592, 'always better carry': 49501, 'better carry moisturizer': 128227, 'carry moisturizer alcohol': 165110, 'moisturizer alcohol dry': 535612, 'alcohol dry skin': 40999, 'virology': 957704, 'from virology': 338246, 'virology healthcare': 957708, 'healthcare policy': 387215, 'policy etc': 663395, 'second but': 743672, 'still massive': 800839, 'massive credit': 519999, 'credit due': 216382, 'stressful at': 813482, 'moment so': 536042, 'away from virology': 105921, 'from virology healthcare': 338247, 'virology healthcare policy': 957709, 'healthcare policy etc': 387216, 'policy etc for': 663396, 'etc for second': 282549, 'for second but': 325407, 'second but still': 743673, 'but still massive': 147172, 'still massive credit': 800840, 'massive credit due': 520000, 'credit due to': 216383, 'due to uk': 262008, 'to uk supermarket': 917881, 'uk supermarket worker': 938782, 'supermarket worker it': 824040, 'worker it must': 1007248, 'must be really': 546537, 'be really stressful': 116717, 'really stressful at': 702620, 'stressful at the': 813483, 'the moment so': 860777, 'moment so thank': 536044, 'thank you please': 841801, 'you please rt': 1020363, 'worst trapped': 1011293, 'trapped pensioner': 930114, 'worst trapped pensioner': 1011294, 'trapped pensioner forced': 930115, 'coronavirus going': 205993, 'grocery might': 364728, 'best check': 127629, 'online alternative': 607791, 'deliver right': 233202, 'the coronavirus going': 851857, 'coronavirus going out': 205994, 'out and shopping': 625690, 'and shopping for': 71543, 'for grocery might': 322040, 'grocery might not': 364729, 'not be the': 568471, 'the best check': 849499, 'best check out': 127630, 'list of great': 494439, 'great online alternative': 362860, 'online alternative that': 607792, 'alternative that deliver': 49265, 'that deliver right': 843479, 'deliver right to': 233204, 'interior': 441686, 'didyouknow': 241283, 'moistwipes': 535624, 'disinfectantwipes': 245819, 'wheels24': 983088, 'cleaning your': 181130, 'car interior': 163150, 'interior with': 441693, 'sanitisers during': 734081, 'idea fyi': 413060, 'fyi didyouknow': 342629, 'didyouknow car': 241284, 'car cleaning': 163048, 'cleaning moistwipes': 180985, 'moistwipes sanitizer': 535625, 'sanitizer disinfectantwipes': 734755, 'disinfectantwipes handsanitizer': 245820, 'handsanitizer lockdownsa': 376570, 'lockdownsa wheels24': 500371, 'cleaning your car': 181131, 'your car interior': 1023136, 'car interior with': 163151, 'interior with hand': 441694, 'with hand sanitisers': 998723, 'hand sanitisers during': 375263, 'sanitisers during lockdown': 734082, 'during lockdown might': 262769, 'lockdown might not': 499660, 'not be such': 568463, 'be such good': 117431, 'such good idea': 816523, 'good idea fyi': 357212, 'idea fyi didyouknow': 413061, 'fyi didyouknow car': 342630, 'didyouknow car cleaning': 241285, 'car cleaning moistwipes': 163049, 'cleaning moistwipes sanitizer': 180986, 'moistwipes sanitizer disinfectantwipes': 535626, 'sanitizer disinfectantwipes handsanitizer': 734756, 'disinfectantwipes handsanitizer lockdownsa': 245821, 'handsanitizer lockdownsa wheels24': 376571, 'wasn even': 967970, 'even scared': 284549, 'scared until': 741035, 'until all': 943676, 'started emptying': 794728, 'emptying out': 275267, 'out not': 626649, 'scary is': 741158, 'sense afraid': 750484, 'afraid for': 34977, 'store feed': 807703, 'wasn even scared': 967971, 'even scared until': 284550, 'scared until all': 741036, 'until all the': 943678, 'store started emptying': 810345, 'started emptying out': 794729, 'emptying out not': 275268, 'out not afraid': 626650, 'afraid of covid19': 34997, 'of covid19 but': 582098, 'covid19 but what': 214277, 'but what scary': 147796, 'what scary is': 982133, 'scary is people': 741159, 'is people lack': 450838, 'lack of common': 478609, 'common sense afraid': 189452, 'sense afraid for': 750485, 'afraid for people': 34980, 'store and need': 806302, 'the store feed': 868020, 'store feed their': 807704, 'completes': 192382, 'basement': 111786, 'penguin': 646500, 'whale': 980926, 'also trending': 49032, 'trending on': 931558, 'your wednesday': 1026331, 'wednesday cnn': 975629, 'cnn cuomo': 184752, 'cuomo with': 220434, 'coronavirus completes': 205667, 'completes show': 192383, 'show from': 766954, 'from basement': 334638, 'basement iceland': 111787, 'iceland lab': 412711, 'lab testing': 478296, 'testing suggests': 839651, 'suggests 50': 817679, 'this penguin': 889499, 'penguin visit': 646511, 'visit whale': 959428, 'whale in': 980927, 'also trending on': 49033, 'trending on your': 931559, 'on your wednesday': 605513, 'your wednesday cnn': 1026332, 'wednesday cnn cuomo': 975630, 'cnn cuomo with': 184753, 'cuomo with coronavirus': 220435, 'with coronavirus completes': 997795, 'coronavirus completes show': 205668, 'completes show from': 192384, 'show from basement': 766955, 'from basement iceland': 334639, 'basement iceland lab': 111788, 'iceland lab testing': 412712, 'lab testing suggests': 478297, 'testing suggests 50': 839652, 'suggests 50 of': 817680, '50 of coronavirus': 19768, 'of coronavirus case': 581921, 'coronavirus case have': 205615, 'case have no': 165764, 'no symptom and': 565655, 'symptom and you': 830817, 'you must watch': 1019938, 'must watch this': 546993, 'watch this penguin': 968576, 'this penguin visit': 889500, 'penguin visit whale': 646512, 'visit whale in': 959429, 'whale in chicago': 980928, 'chain kroger': 170880, 'kroger said': 477762, 'said two': 731544, 'recovering one': 705266, 'wa employed': 962067, 'employed at': 273465, 'the king': 858820, 'soopers grocery': 785948, 'colorado and': 186777, 'at fred': 98703, 'meyer grocery': 530035, 'supermarket chain kroger': 819616, 'chain kroger said': 170881, 'kroger said two': 477763, 'said two of': 731545, 'two of it': 937089, 'virus and are': 957916, 'and are recovering': 58349, 'are recovering one': 89516, 'recovering one wa': 705267, 'one wa employed': 607344, 'wa employed at': 962068, 'employed at the': 273466, 'at the king': 100992, 'the king soopers': 858822, 'king soopers grocery': 475304, 'soopers grocery chain': 785949, 'grocery chain in': 364365, 'chain in colorado': 170803, 'in colorado and': 421561, 'colorado and the': 186779, 'the other at': 862510, 'other at fred': 619859, 'at fred meyer': 98704, 'fred meyer grocery': 331576, 'meyer grocery chain': 530036, 'chain in washington': 170819, 'with nobody': 999800, 'nobody to': 566066, 'farmer are now': 299287, 'are now starting': 88598, 'see the effect': 745829, '19 panic with': 9564, 'panic with nobody': 638796, 'with nobody to': 999802, 'nobody to buy': 566067, 'buy their product': 149319, 'houston tx': 407225, 'tx popular': 937448, 'store encouraging': 807592, 'encouraging social': 275732, 'distancing via': 247588, 'via limited': 956060, 'limited indoor': 492661, 'indoor capacity': 435348, 'capacity shopper': 162574, 'rain with': 695760, 'staff offering': 792710, 'offering umbrella': 595313, 'umbrella shopper': 939228, 'maintaining several': 509129, 'several foot': 753851, 'between party': 128847, 'houston tx popular': 407227, 'tx popular grocery': 937449, 'grocery store encouraging': 365367, 'store encouraging social': 807593, 'encouraging social distancing': 275734, 'social distancing via': 779753, 'distancing via limited': 247589, 'via limited indoor': 956061, 'limited indoor capacity': 492662, 'indoor capacity shopper': 435349, 'capacity shopper are': 162575, 'shopper are standing': 761399, 'are standing in': 90352, 'the rain with': 865117, 'rain with store': 695761, 'with store staff': 1000997, 'store staff offering': 810322, 'staff offering umbrella': 792711, 'offering umbrella shopper': 595314, 'umbrella shopper are': 939229, 'shopper are maintaining': 761394, 'are maintaining several': 87968, 'maintaining several foot': 509130, 'several foot of': 753852, 'foot of space': 318413, 'of space between': 589951, 'space between party': 787073, 'that zoom': 847784, 'zoom stock': 1027823, 'stock tho': 802977, 'tho dump': 891677, 'dump all': 262158, 'stock pertaining': 802619, 'to anything': 900632, 'anything affected': 80679, '19 invest': 7916, 'provide necessity': 686399, 'necessity well': 554294, 'well super': 978620, 'market chain': 516161, 'apps then': 83316, 'then dump': 877141, 'dump them': 262193, 'second the': 743832, 'is lifted': 449303, 'that zoom stock': 847785, 'zoom stock tho': 1027824, 'stock tho dump': 802978, 'tho dump all': 891678, 'dump all stock': 262159, 'all stock pertaining': 44469, 'stock pertaining to': 802620, 'pertaining to anything': 653277, 'to anything affected': 900633, 'anything affected by': 80680, 'covid 19 invest': 213287, '19 invest in': 7917, 'invest in company': 443754, 'in company that': 421625, 'company that provide': 191185, 'that provide necessity': 845887, 'provide necessity well': 686400, 'necessity well super': 554295, 'well super market': 978621, 'super market chain': 818544, 'market chain and': 516162, 'delivery apps then': 233704, 'apps then dump': 83317, 'then dump them': 877142, 'dump them the': 262195, 'them the second': 876395, 'the second the': 866593, 'second the quarantine': 743833, 'quarantine is lifted': 692303, 'monday amidst': 536243, 'amidst an': 52775, 'price dropped to': 673597, 'dropped to 30': 260641, 'per barrel on': 650704, 'barrel on monday': 111259, 'on monday amidst': 602156, 'monday amidst an': 536244, 'amidst an ongoing': 52776, 'an ongoing coronavirus': 56599, 'ongoing coronavirus outbreak': 607610, 'installing': 440042, 'several local': 753878, 'are installing': 87547, 'installing clear': 440043, 'clear shield': 181317, 'shield like': 758164, 'checkout lane': 174941, 'lane in': 479456, 'several local chain': 753879, 'local chain say': 497813, 'chain say they': 171089, 'they are installing': 881312, 'are installing clear': 87548, 'installing clear shield': 440044, 'clear shield like': 181318, 'shield like this': 758165, 'this one at': 889230, 'one at checkout': 605964, 'at checkout lane': 98249, 'checkout lane in': 174942, 'lane in an': 479457, 'wpi': 1012641, 'wpidata': 1012644, 'govt release': 361257, 'release february': 708942, 'february wpi': 301757, 'wpi inflation': 1012642, '26 mom': 16178, 'and core': 60552, 'core wpi': 203531, 'at mom': 99761, 'mom here': 535743, 'more wpidata': 541023, 'wpidata inflation': 1012645, 'govt release february': 361258, 'release february wpi': 708943, 'february wpi inflation': 301758, 'wpi inflation at': 1012643, 'inflation at 26': 437143, 'at 26 mom': 97558, '26 mom and': 16179, 'mom and core': 535680, 'and core wpi': 60553, 'core wpi inflation': 203532, 'inflation at mom': 437146, 'at mom here': 99762, 'mom here more': 535744, 'here more wpidata': 393353, 'more wpidata inflation': 541024, 'wpidata inflation economy': 1012646, 'digitalbanking': 242698, 'via digitalbanking': 955916, 'digitalbanking digitaltransformation': 242699, 'digitaltransformation banking': 242815, 'pandemic via digitalbanking': 636895, 'via digitalbanking digitaltransformation': 955917, 'digitalbanking digitaltransformation banking': 242700, 'depth amid': 237754, 'in depth amid': 422198, 'depth amid regime': 237755, 'service agree': 752045, 'california governor and': 155507, 'governor and financial': 360857, 'and financial service': 62875, 'financial service agree': 306580, 'service agree to': 752046, 'agree to covid': 38658, '19 consumer relief': 5979, 'mountaineer': 543431, 'maryannfishing': 518172, 'allnatural': 45860, 'dearbernie': 229925, 'shopping mountaineer': 763298, 'mountaineer brand': 543432, 'brand get': 137845, 'get 20': 346469, 'off when': 594378, 'use my': 949380, 'code maryannfishing': 185380, 'maryannfishing skincare': 518173, 'skincare health': 773097, 'health allnatural': 386109, 'allnatural beard': 45861, 'beard trumppandemic': 118443, 'trumppandemic dearbernie': 934108, 'dearbernie socialdistanacing': 229926, 'the house do': 857603, 'house do some': 406271, 'online shopping mountaineer': 609190, 'shopping mountaineer brand': 763299, 'mountaineer brand get': 543433, 'brand get 20': 137846, 'get 20 off': 346470, '20 off when': 13218, 'off when you': 594380, 'when you use': 984611, 'you use my': 1022002, 'use my code': 949381, 'my code maryannfishing': 547723, 'code maryannfishing skincare': 185381, 'maryannfishing skincare health': 518174, 'skincare health allnatural': 773098, 'health allnatural beard': 386110, 'allnatural beard trumppandemic': 45862, 'beard trumppandemic dearbernie': 118444, 'trumppandemic dearbernie socialdistanacing': 934109, 'quickly being': 694475, 'being emptied': 125102, 'emptied due': 274678, 'worry the': 1010779, 'rather trying': 697575, 'demand cover': 235182, 'shelf are quickly': 756820, 'are quickly being': 89398, 'quickly being emptied': 694476, 'being emptied due': 125103, 'emptied due to': 274679, 'outbreak but not': 628065, 'to worry the': 918842, 'worry the store': 1010780, 'food but rather': 313830, 'but rather trying': 146888, 'rather trying to': 697576, 'in demand cover': 422116, 'demand cover the': 235183, 'cover the story': 212296, 'the story on': 868182, 'story on the': 812088, 'been in2': 121366, 'in2 local': 431166, 'local about': 497663, '45 team': 19137, 'team doing': 835626, 'job shelf': 466154, 'all round': 44208, 'round were': 726382, 'full not': 340696, 'where stop': 985190, 'stop panicbuying': 804888, 'panicbuying buying': 638910, 'buying thinkofothers': 151215, 'thinkofothers stophoarding': 886049, 'been in2 local': 121367, 'in2 local about': 431167, 'local about 45': 497664, 'about 45 team': 24716, '45 team doing': 19138, 'team doing great': 835627, 'great job shelf': 362788, 'job shelf all': 466155, 'shelf all round': 756695, 'all round were': 44209, 'round were full': 726383, 'were full not': 979669, 'full not saying': 340697, 'not saying where': 571449, 'saying where stop': 739761, 'where stop panicbuying': 985191, 'stop panicbuying buying': 804890, 'panicbuying buying thinkofothers': 638911, 'buying thinkofothers stophoarding': 151216, 'maslow': 519707, 'hierarchy': 394889, 'vigorous': 957271, 'silverlinings': 769876, 'my updated': 550467, 'updated maslow': 947399, 'maslow hierarchy': 519708, 'hierarchy pyramid': 394890, 'need need': 555291, 'and vigorous': 74961, 'vigorous hand': 957272, 'washing to': 967739, 'fight nationalemergency': 304801, 'nationalemergency silverlinings': 552648, 'silverlinings patriotic': 769877, 'my updated maslow': 550468, 'updated maslow hierarchy': 947400, 'maslow hierarchy pyramid': 519709, 'hierarchy pyramid of': 394891, 'pyramid of need': 691394, 'of need need': 586912, 'need need for': 555292, 'need for toiletpaper': 554877, 'for toiletpaper sanitizer': 327262, 'toiletpaper sanitizer and': 922437, 'sanitizer and vigorous': 734450, 'and vigorous hand': 74962, 'vigorous hand washing': 957273, 'hand washing to': 375962, 'washing to fight': 967740, 'to fight nationalemergency': 905798, 'fight nationalemergency silverlinings': 304802, 'nationalemergency silverlinings patriotic': 552649, 'and table': 72944, 'table have': 831472, 'been pillar': 121662, 'support task': 826853, 'force encourages': 328376, 'encourages donation': 275691, 'organization like and': 619396, 'like and table': 489791, 'and table have': 72945, 'table have been': 831474, 'have been pillar': 379630, 'been pillar of': 121663, 'pillar of support': 656683, 'of support in': 590513, 'support in for': 826584, 'in for those': 423029, 'essential service the': 281531, 'service the social': 752936, 'the social support': 867422, 'social support task': 779986, 'support task force': 826854, 'task force encourages': 834684, 'force encourages donation': 328377, 'encourages donation during': 275692, 'donation during this': 254595, 'nay': 553171, 'sayers': 739537, 'any appropriate': 78937, 'appropriate wage': 83063, 'increase when': 433151, 'more exposed': 539185, '19 loblaws': 8357, 'loblaws or': 497629, 'can never': 159031, 'never win': 558273, 'win against': 995533, 'the nay': 861331, 'nay sayers': 553172, 'sayers everyone': 739538, 'think there is': 885669, 'is any appropriate': 445755, 'any appropriate wage': 78938, 'appropriate wage increase': 83064, 'wage increase when': 963908, 'increase when you': 433152, 'are more exposed': 88112, 'more exposed to': 539187, 'covid 19 loblaws': 213364, '19 loblaws or': 8358, 'loblaws or any': 497630, 'or any supermarket': 614365, 'any supermarket can': 79890, 'supermarket can never': 819507, 'can never win': 159036, 'never win against': 558274, 'win against the': 995534, 'against the nay': 37667, 'the nay sayers': 861332, 'nay sayers everyone': 553173, 'sayers everyone stay': 739539, 'mjt': 534677, 'your frustration': 1023991, 'frustration please': 339276, 'please submit': 660604, 'submit the': 815799, 'form that': 329565, 'is listed': 449382, 'page listed': 633869, 'under faq': 940082, 'faq mjt': 298675, 'we understand your': 973592, 'understand your frustration': 940836, 'your frustration please': 1023994, 'frustration please submit': 339277, 'please submit the': 660605, 'submit the form': 815800, 'the form that': 855710, 'form that is': 329566, 'that is listed': 844616, 'is listed on': 449383, 'listed on this': 494636, 'this page listed': 889356, 'page listed under': 633870, 'listed under faq': 494652, 'under faq mjt': 940083, 'to mostly': 910284, 'mostly empty': 542954, 'empty safeway': 275033, 'wish everyone': 996754, 'health fight': 386429, 'home to mostly': 402331, 'to mostly empty': 910285, 'mostly empty safeway': 542955, 'empty safeway grocery': 275034, 'store so decided': 810219, 'shoe with the': 759700, 'with the hope': 1001335, 'go away we': 353333, 'away we wish': 106097, 'we wish everyone': 973927, 'wish everyone good': 996755, 'everyone good health': 286949, 'good health fight': 357176, 'health fight coronavirus': 386430, 'may benefit': 521059, 'term supply': 838303, 'uncertain consumer': 939575, 'demand could': 235174, 'could dampen': 209071, 'dampen the': 225500, 'commerce outlook': 188602, 'outlook here': 629161, 'ecommerce world': 266900, 'shopping may benefit': 763256, 'may benefit in': 521061, 'short term supply': 764753, 'term supply chain': 838304, 'chain issue and': 170858, 'issue and uncertain': 455672, 'and uncertain consumer': 74601, 'uncertain consumer demand': 939577, 'consumer demand could': 197124, 'demand could dampen': 235175, 'could dampen the': 209072, 'dampen the commerce': 225501, 'the commerce outlook': 851226, 'commerce outlook here': 188603, 'outlook here how': 629162, 'here how is': 393104, 'affecting the ecommerce': 34559, 'the ecommerce world': 853883, 'photo this': 655255, 'poor lady': 664212, 'the canned': 850342, 'section which': 744053, 'wa stripped': 963329, 'bare by': 110874, 'buying next': 150752, 'heartbreaking photo this': 388395, 'photo this poor': 655256, 'this poor lady': 889660, 'poor lady wa': 664213, 'lady wa in': 478856, 'in tear in': 428841, 'tear in the': 835950, 'in the canned': 429052, 'the canned food': 850343, 'canned food section': 161520, 'food section which': 316327, 'section which wa': 744054, 'which wa stripped': 986452, 'wa stripped bare': 963330, 'stripped bare by': 813847, 'bare by panic': 110877, 'panic buying next': 637818, 'buying next time': 150754, 'supermarket please think': 822023, 'about this lady': 26645, 'employee who just': 274428, 'who just got': 989142, 'just got out': 468867, 'got out of': 358771, 'work and on': 1004792, 'and on my': 68064, 'or live': 615981, 'the coop': 851721, 'coop for': 203104, 'vulnerable wouldn': 961269, 'had local': 373255, 'local place': 498280, 'we young': 973986, 'people dedicated': 647615, 'would happily': 1011861, 'happily donate': 377554, 'an idea if': 56128, 'idea if you': 413087, 'you have car': 1019024, 'have car or': 379897, 'car or live': 163200, 'or live near': 615983, 'live near supermarket': 495930, 'near supermarket leave': 553591, 'leave the coop': 484963, 'the coop for': 851722, 'coop for the': 203105, 'and vulnerable wouldn': 75068, 'vulnerable wouldn it': 961270, 'great if they': 362743, 'they had local': 882247, 'had local place': 373256, 'local place that': 498281, 'place that we': 657717, 'that we young': 847408, 'we young people': 973987, 'young people dedicated': 1022642, 'people dedicated to': 647616, 'dedicated to them': 231751, 'to them would': 917321, 'them would happily': 876668, 'would happily donate': 1011862, 'happily donate to': 377555, 'donate to cover': 254252, 'cover the higher': 212291, 'the higher price': 857330, 'higher price covid': 395670, 'vegetableoils': 954132, 'the vegetableoils': 870675, 'vegetableoils market': 954133, 'essential question': 281440, 'that trader': 847111, 'analyst need': 57157, 'to forecast': 906178, 'forecast price': 328857, 'next six': 561554, 'month is': 537802, 'all the vegetableoils': 44970, 'the vegetableoils market': 870676, 'vegetableoils market the': 954134, 'market the essential': 517185, 'the essential question': 854518, 'essential question that': 281441, 'question that trader': 693765, 'that trader and': 847112, 'trader and analyst': 928646, 'and analyst need': 58126, 'analyst need to': 57158, 'need to answer': 555858, 'to answer to': 900591, 'answer to forecast': 78132, 'to forecast price': 906181, 'forecast price over': 328858, 'the next six': 861696, 'next six month': 561555, 'six month is': 772672, 'month is the': 537804, 'is the strength': 452950, 'strength of demand': 813229, 'of demand following': 582503, 'following the pandemic': 312899, 'you fancy': 1018515, 'fancy getting': 298551, 'nobody give': 566003, 'give shit': 350691, 'shit there': 759248, 'there anymore': 878029, 'if you fancy': 415435, 'you fancy getting': 1018516, 'fancy getting covid': 298552, '19 go to': 7233, 'supermarket nobody give': 821626, 'nobody give shit': 566004, 'give shit there': 350693, 'shit there anymore': 759249, 'freakonomics': 331558, 'kate and': 471015, 'is bigger': 446174, 'bigger issue': 130157, 'issue than': 455953, 'than many': 840867, 'many realize': 514619, 'realize it': 701845, 'one area': 605950, 'another institutional': 77674, 'institutional consumer': 440483, 'll happen': 496820, 'happen tho': 377172, 'tho and': 891671, 'already is': 47485, 'good freakonomics': 357097, 'freakonomics pod': 331559, 'pod about': 662240, 'very topic': 955616, 'topic from': 925785, 'kate and this': 471016, 'this is bigger': 888192, 'is bigger issue': 446176, 'bigger issue than': 130159, 'issue than many': 455954, 'than many realize': 840869, 'many realize it': 514620, 'realize it take': 701846, 'it take time': 461431, 'time to move': 898018, 'move the supply': 543738, 'chain from one': 170726, 'from one area': 336682, 'one area to': 605952, 'area to another': 92235, 'to another institutional': 900568, 'another institutional consumer': 77675, 'institutional consumer it': 440484, 'consumer it ll': 197960, 'it ll happen': 459425, 'll happen tho': 496821, 'happen tho and': 377173, 'tho and already': 891672, 'and already is': 57936, 'already is pretty': 47487, 'is pretty good': 451010, 'pretty good freakonomics': 671419, 'good freakonomics pod': 357098, 'freakonomics pod about': 331560, 'pod about this': 662241, 'about this very': 26669, 'this very topic': 890967, 'very topic from': 955617, 'topic from last': 925787, 'podium': 662345, 'impractical': 419433, 'doe actually': 251316, 'actually know': 30864, 'far metre': 298840, 'about meter': 25724, 'meter for': 529713, 'person next': 652546, 'the podium': 863897, 'podium metre': 662348, 'about foot': 25273, 'very impractical': 955258, 'impractical imagine': 419436, 'imagine standing': 416781, 'standing foot': 793769, 'in que': 427201, 'que at': 693307, 'doe actually know': 251317, 'actually know how': 30865, 'know how far': 476437, 'how far metre': 407844, 'far metre is': 298841, 'metre is his': 529855, 'is his is': 448497, 'his is only': 397549, 'only about meter': 610027, 'about meter for': 25726, 'meter for the': 529714, 'for the person': 326619, 'the person next': 863589, 'person next to': 652547, 'next to him': 561621, 'to him on': 907775, 'him on the': 396684, 'on the podium': 604290, 'the podium metre': 863898, 'podium metre is': 662349, 'metre is about': 529853, 'is about foot': 445273, 'about foot which': 25274, 'foot which is': 318467, 'which is very': 986062, 'is very impractical': 453679, 'very impractical imagine': 955259, 'impractical imagine standing': 419437, 'imagine standing foot': 416782, 'standing foot apart': 793770, 'foot apart when': 318349, 'apart when in': 81376, 'when in que': 983591, 'in que at': 427202, 'que at the': 693308, 'differs': 242177, 'wildly': 992146, 'took brief': 925218, 'brief trip': 139683, 'to aldi': 900216, 'aldi at': 41256, 'at lunch': 99651, 'food again': 313052, 'again learned': 37052, 'that despite': 843509, 'despite marking': 238781, 'marking on': 517907, 'floor indicating': 310807, 'indicating how': 435010, 'people perception': 649098, 'of meter': 586449, 'meter differs': 529701, 'differs wildly': 242180, 'wildly no': 992149, 'wonder this': 1003998, 'took brief trip': 925219, 'brief trip to': 139684, 'trip to aldi': 932185, 'to aldi at': 900217, 'aldi at lunch': 41259, 'at lunch to': 99652, 'lunch to stock': 506750, 'on food again': 600835, 'food again learned': 313053, 'again learned that': 37053, 'learned that despite': 484144, 'that despite marking': 843510, 'despite marking on': 238782, 'marking on the': 517908, 'the floor indicating': 855424, 'floor indicating how': 310808, 'indicating how far': 435011, 'how far it': 407843, 'far it is': 298824, 'it is people': 459035, 'is people perception': 450841, 'people perception of': 649099, 'perception of meter': 651237, 'of meter differs': 586450, 'meter differs wildly': 529702, 'differs wildly no': 242181, 'wildly no wonder': 992150, 'no wonder this': 565916, 'wonder this pandemic': 1004000, 'pandemic ha ended': 635542, 'ha ended up': 370493, 'ended up it': 276143, 'up it ha': 945240, 'it ha 19': 458373, 'field the': 304519, 'worker supply': 1007862, 'chain employee': 170677, 'more flattenthecurve': 539218, 'all the hero': 44782, 'the hero in': 857293, 'medical field the': 526178, 'field the grocery': 304520, 'emergency worker supply': 273065, 'worker supply chain': 1007863, 'supply chain employee': 824951, 'chain employee truck': 170680, 'driver and so': 259424, 'many more flattenthecurve': 514299, 'include consumer': 431539, 'needed consumer': 556331, 'relief condition': 709310, 'any bailout': 78958, 'bailout to': 108664, 'working to include': 1008991, 'to include consumer': 908246, 'include consumer protection': 431540, 'protection and much': 685321, 'much needed consumer': 545148, 'needed consumer relief': 556333, 'consumer relief condition': 198687, 'relief condition of': 709311, 'condition of any': 193495, 'of any bailout': 580248, 'any bailout to': 78959, 'bailout to the': 108665, 'to the airline': 916485, 'improving': 419595, 'buybooks': 149532, 'buying choice': 150112, 'choice effective': 177761, 'effective healthcare': 269259, 'response improving': 715725, 'improving via': 419602, 'via university': 956346, 'university academic': 942403, 'academic buybooks': 27766, 'buybooks canada': 149533, 'canada virus': 160599, 'uk italy': 938493, 'italy food': 462828, 'food cdc': 313894, 'cdc who': 168636, 'who book': 988322, 'book industry': 134548, 'industry trump': 436191, 'trump pelosi': 933749, 'buying choice effective': 150113, 'choice effective healthcare': 177762, 'effective healthcare consumer': 269260, 'healthcare consumer response': 387068, 'consumer response improving': 198787, 'response improving via': 715726, 'improving via university': 419603, 'via university academic': 956347, 'university academic buybooks': 942404, 'academic buybooks canada': 27767, 'buybooks canada virus': 149534, 'canada virus uk': 160600, 'virus uk italy': 958956, 'uk italy food': 938494, 'italy food cdc': 462829, 'food cdc who': 313895, 'cdc who book': 168637, 'who book industry': 988323, 'book industry trump': 134549, 'industry trump pelosi': 436192, 'stockwell': 804231, 'this disappointed': 887245, 'mass since': 519859, '2011 riot': 13769, 'riot when': 722629, 'few guy': 303853, 'in stockwell': 428358, 'stockwell not': 804232, 'to suddenly': 915728, 'suddenly acquire': 817066, 'acquire new': 29155, 'new trainer': 559781, 'been this disappointed': 122186, 'this disappointed in': 887246, 'disappointed in the': 244107, 'in the mass': 429345, 'the mass since': 860252, 'mass since the': 519860, 'since the 2011': 770857, 'the 2011 riot': 848000, '2011 riot when': 13770, 'riot when wa': 722631, 'when wa one': 984404, 'wa one of': 962843, 'the few guy': 855118, 'few guy in': 303854, 'guy in stockwell': 369039, 'in stockwell not': 428359, 'stockwell not to': 804233, 'not to suddenly': 572197, 'to suddenly acquire': 915729, 'suddenly acquire new': 817067, 'acquire new trainer': 29156, 'ada': 31200, 'millenials': 531986, 'genx': 345915, 'zoomers': 1027844, 'police investigating': 663070, 'investigating teenager': 443854, 'store justice': 808633, 'justice sarscov2': 470430, 'sarscov2 grocery': 736844, 'grocery ada': 364209, 'ada boomer': 31201, 'boomer millenials': 134851, 'millenials genx': 531989, 'genx zoomers': 345918, 'zoomers evil': 1027845, 'evil jail': 288443, 'jail arrest': 464260, 'arrest prison': 93776, 'police investigating teenager': 663071, 'investigating teenager coughing': 443855, 'produce at grocery': 680196, 'grocery store justice': 365499, 'store justice sarscov2': 808634, 'justice sarscov2 grocery': 470431, 'sarscov2 grocery ada': 736845, 'grocery ada boomer': 364210, 'ada boomer millenials': 31202, 'boomer millenials genx': 134852, 'millenials genx zoomers': 531990, 'genx zoomers evil': 345919, 'zoomers evil jail': 1027846, 'evil jail arrest': 288444, 'jail arrest prison': 464261, 'spin': 789387, 'tolerable': 923799, 'the transaction': 869896, 'transaction involved': 929455, 'involved significant': 444360, 'significant percentage': 769486, 'the senator': 866707, 'senator holding': 749751, 'holding and': 400092, 'place about': 657290, 'sent stock': 750811, 'plunging what': 661550, 'what possible': 982042, 'possible spin': 665784, 'spin make': 789392, 'this tolerable': 890799, 'tolerable coincidence': 923800, 'coincidence luck': 185663, 'the transaction involved': 869897, 'transaction involved significant': 929456, 'involved significant percentage': 444361, 'significant percentage of': 769487, 'percentage of the': 651215, 'of the senator': 591451, 'the senator holding': 866708, 'senator holding and': 749752, 'holding and took': 400094, 'and took place': 74278, 'took place about': 925319, 'place about week': 657291, 'about week before': 26868, 'week before the': 975998, 'before the impact': 123170, 'virus outbreak sent': 958590, 'outbreak sent stock': 628613, 'sent stock price': 750812, 'stock price plunging': 802741, 'price plunging what': 675940, 'plunging what possible': 661551, 'what possible spin': 982043, 'possible spin make': 665785, 'spin make this': 789393, 'make this tolerable': 510651, 'this tolerable coincidence': 890800, 'tolerable coincidence luck': 923801, 'idshield': 413715, 'privacymanagement': 678850, 'wecanhelp': 975529, 'are numerous': 88621, 'numerous report': 577145, 'potential consumer': 667039, 'medical scam': 526370, 'more idshield': 539472, 'idshield privacy': 413716, 'privacy reputation': 678831, 'reputation privacymanagement': 713123, 'privacymanagement wecanhelp': 678851, 'wecanhelp weareinthistogether': 975530, 'face of the': 294677, 'of the ongoing': 591293, 'coronavirus pandemic there': 206495, 'there are numerous': 878134, 'are numerous report': 88623, 'numerous report of': 577146, 'report of potential': 712118, 'of potential consumer': 588280, 'potential consumer and': 667040, 'consumer and medical': 196227, 'and medical scam': 66883, 'medical scam learn': 526371, 'scam learn more': 740231, 'learn more idshield': 484032, 'more idshield privacy': 539473, 'idshield privacy reputation': 413717, 'privacy reputation privacymanagement': 678832, 'reputation privacymanagement wecanhelp': 713124, 'privacymanagement wecanhelp weareinthistogether': 678852, 'namely': 551732, 'bbc speak': 113107, 'and examines': 62448, 'trend namely': 931398, 'namely that': 551733, 'increasing you': 433747, 'bbc speak to': 113108, 'speak to small': 787719, 'to small business': 914756, '19 and examines': 5020, 'and examines the': 62449, 'examines the change': 288846, 'the change in': 850673, 'consumer trend namely': 199382, 'trend namely that': 931399, 'namely that online': 551734, 'that online sale': 845513, 'online sale are': 608912, 'are increasing you': 87497, 'increasing you can': 433748, 'can read more': 159383, 'is dire': 447182, 'dire we': 243271, 'we being': 970843, 'forced into': 328571, 'risk delivery': 723489, 'risky we': 724131, 'up rubbish': 945935, 'rubbish from': 726989, 'home twice': 402380, 'twice week': 936554, 'do delivery': 249219, 'least once': 484580, 'once for': 605637, 'the situation with': 867284, 'situation with online': 772601, 'shopping is dire': 763043, 'is dire we': 447183, 'dire we being': 243272, 'we being forced': 970844, 'being forced into': 125166, 'forced into going': 328573, 'into going into': 442598, 'into shop which': 442983, 'shop which is': 761036, 'which is serious': 986052, 'is serious health': 451786, 'serious health risk': 751402, 'health risk delivery': 386807, 'risk delivery are': 723490, 'delivery are far': 233716, 'are far le': 86486, 'far le risky': 298832, 'le risky we': 483104, 'risky we can': 724132, 'we can pick': 970986, 'pick up rubbish': 655757, 'up rubbish from': 945936, 'rubbish from home': 726990, 'from home twice': 335921, 'home twice week': 402381, 'twice week so': 936557, 'week so we': 976895, 'can do delivery': 158100, 'do delivery to': 249220, 'delivery to home': 234661, 'to home at': 907926, 'home at least': 400747, 'at least once': 99531, 'least once for': 484581, 'or hoard': 615652, 'hoard let': 398828, 'panic buy or': 637515, 'buy or hoard': 149057, 'or hoard let': 615655, 'hoard let be': 398829, 'let be kind': 486617, 'another we will': 77965, 'shrewd': 767667, 'manoeuvre': 513317, 'that opec': 845529, 'opec finally': 611887, 'and agreed': 57784, 'wa becoming': 961657, 'becoming too': 120347, 'too cheap': 924646, 'cheap hope': 174124, 'eventual manufacturer': 285131, 'vaccine are': 951659, 'this shrewd': 890141, 'shrewd and': 767668, 'and entirely': 62203, 'entirely ethical': 278791, 'ethical manoeuvre': 283078, 'great to hear': 363069, 'hear that opec': 387994, 'that opec finally': 845530, 'opec finally got': 611888, 'finally got their': 306030, 'got their head': 358920, 'their head together': 873507, 'head together and': 385843, 'together and agreed': 920685, 'and agreed to': 57785, 'production and artificially': 681917, 'and artificially inflate': 58411, 'price because it': 672863, 'it wa becoming': 462073, 'wa becoming too': 961659, 'becoming too cheap': 120348, 'too cheap hope': 924647, 'cheap hope the': 174125, 'hope the eventual': 403675, 'the eventual manufacturer': 854610, 'eventual manufacturer of': 285132, 'manufacturer of covid': 513492, '19 vaccine are': 11717, 'vaccine are taking': 951660, 'taking note of': 833463, 'note of this': 572773, 'of this shrewd': 592037, 'this shrewd and': 890142, 'shrewd and entirely': 767669, 'and entirely ethical': 62204, 'entirely ethical manoeuvre': 278792, 'of christchurch': 581414, 'christchurch man': 178098, 'who filmed': 988743, 'filmed himself': 305722, 'himself coughing': 396799, '19 test result': 11081, 'test result of': 839151, 'result of christchurch': 717581, 'of christchurch man': 581415, 'christchurch man who': 178100, 'man who filmed': 512328, 'who filmed himself': 988744, 'filmed himself coughing': 305723, 'himself coughing on': 396800, 'on supermarket shopper': 603807, 'supermarket shopper ha': 822615, 'shopper ha been': 761535, 'ha been revealed': 369902, 'optimizing': 613952, 'beautymatter': 118828, 'while makeup': 987024, 'makeup ranked': 510910, 'ranked relatively': 696788, 'list however': 494354, 'however search': 409448, 'for nail': 323769, 'nail kit': 551450, 'up focus': 944865, 'focus shift': 311917, 'to optimizing': 911041, 'optimizing at': 613953, 'home experience': 401175, 'experience impact': 291385, 'impact search': 417954, 'behavior beautymatter': 123926, 'consumer are stocking': 196315, 'up on personal': 945603, 'on personal care': 602772, 'care item while': 164039, 'item while makeup': 463821, 'while makeup ranked': 987025, 'makeup ranked relatively': 510911, 'ranked relatively low': 696789, 'relatively low on': 708773, 'on the list': 604215, 'the list however': 859467, 'list however search': 494355, 'however search for': 409449, 'search for nail': 743252, 'for nail kit': 323770, 'nail kit are': 551451, 'kit are up': 475498, 'are up focus': 91363, 'up focus shift': 944866, 'focus shift to': 311918, 'shift to optimizing': 758442, 'to optimizing at': 911042, 'optimizing at home': 613954, 'at home experience': 98990, 'home experience impact': 401176, 'experience impact search': 291386, 'impact search and': 417955, 'and change consumer': 59719, 'consumer behavior beautymatter': 196446, 'virus dm': 958132, 'corona virus dm': 204300, 'virus dm and': 958133, 'dm and rt': 248870, 'and rt 19': 70607, 'in these uncertain': 429875, 'time it is': 897083, 'humbled': 410834, 'appreciative': 82909, 'mechanic': 525833, 'always humbled': 49624, 'humbled by': 410835, 'the clapforkeyworkers': 850978, 'clapforkeyworkers pleased': 180001, 'hashtag for': 378694, 'for key': 322826, 'is trending': 453349, 'trending rather': 931566, 'nh being': 561900, 'being key': 125355, 'nh am': 561868, 'also appreciative': 47874, 'appreciative of': 82911, 'worker mechanic': 1007373, 'mechanic etc': 525836, 'etc still': 282766, 'always humbled by': 49625, 'humbled by the': 410836, 'by the clapforkeyworkers': 154284, 'the clapforkeyworkers pleased': 850979, 'clapforkeyworkers pleased to': 180002, 'see that the': 745800, 'that the hashtag': 846744, 'the hashtag for': 857139, 'hashtag for key': 378695, 'for key worker': 322829, 'worker is trending': 1007243, 'is trending rather': 453350, 'trending rather than': 931567, 'than just the': 840824, 'the nh being': 861727, 'nh being key': 561901, 'being key worker': 125356, 'the nh am': 861722, 'nh am also': 561869, 'am also appreciative': 49872, 'also appreciative of': 47875, 'appreciative of supermarket': 82912, 'supermarket worker mechanic': 824048, 'worker mechanic etc': 1007374, 'mechanic etc still': 525837, 'etc still out': 282767, 'out there too': 627521, 'there too coronacrisis': 879198, 'finance the': 306278, 'canada fcac': 160428, 'fcac ha': 300742, 'published some': 688694, 'money during': 536717, 'pandemic on your': 636097, 'on your finance': 605464, 'your finance the': 1023868, 'finance the financial': 306280, 'the financial consumer': 855210, 'of canada fcac': 581078, 'canada fcac ha': 160429, 'fcac ha just': 300743, 'ha just published': 371064, 'just published some': 469511, 'published some tip': 688695, 'help you manage': 390981, 'you manage your': 1019772, 'manage your money': 512474, 'your money during': 1024858, 'money during these': 536722, 'antibiotic': 78393, 'india very': 434667, 'of antibiotic': 580239, 'antibiotic cheap': 78394, 'no rx': 565388, 'rx required': 728794, 'required believe': 713351, 'help deadly': 389569, 'deadly secondary': 229286, 'secondary infection': 743887, 'infection sarscov2': 436836, 'and india very': 65149, 'india very high': 434668, 'very high consumer': 955228, 'high consumer of': 394967, 'consumer of antibiotic': 198235, 'of antibiotic cheap': 580240, 'antibiotic cheap and': 78395, 'cheap and no': 174077, 'and no rx': 67635, 'no rx required': 565389, 'rx required believe': 728795, 'required believe that': 713352, 'believe that could': 126337, 'could help deadly': 209281, 'help deadly secondary': 389570, 'deadly secondary infection': 229287, 'secondary infection sarscov2': 743888, 'store worker be': 811459, 'worker be like': 1006501, 'jackinthebox': 464190, 'studiocity': 814846, 'canyon': 162396, 'mistreat': 534483, 'jackbox': 464134, 'dear jackinthebox': 229819, 'jackinthebox your': 464191, 'to awful': 900967, 'awful especially': 106225, 'your studiocity': 1026015, 'studiocity location': 814847, 'on laurel': 601802, 'laurel canyon': 482148, 'canyon you': 162397, 'raised your': 696056, 'get order': 347717, 'order wrong': 618795, 'wrong mistreat': 1013059, 'mistreat your': 534484, 'customer you': 223123, 'losing customer': 503548, 'customer jackbox': 222551, 'dear jackinthebox your': 229820, 'jackinthebox your customer': 464192, 'your customer service': 1023423, 'customer service ha': 222825, 'service ha gone': 752435, 'ha gone from': 370724, 'gone from bad': 356282, 'bad to awful': 108054, 'to awful especially': 900968, 'awful especially at': 106226, 'especially at your': 280448, 'at your studiocity': 101694, 'your studiocity location': 1026016, 'studiocity location on': 814849, 'location on laurel': 498944, 'on laurel canyon': 601803, 'laurel canyon you': 482149, 'canyon you ve': 162399, 'you ve raised': 1022059, 've raised your': 953469, 'raised your price': 696057, 'your price amid': 1025394, 'price amid this': 672321, 'amid this crisis': 52722, 'this crisis get': 887042, 'crisis get order': 217415, 'get order wrong': 347718, 'order wrong mistreat': 618796, 'wrong mistreat your': 1013060, 'mistreat your customer': 534485, 'your customer you': 1023435, 'customer you re': 223127, 'you re losing': 1020671, 're losing customer': 699015, 'losing customer jackbox': 503549, 'india never': 434535, 'never fails': 557987, 'fails surprise': 296243, 'surprise with': 828561, 'it initiative': 458799, 'initiative for': 438622, 'community canonforcommunity': 189776, 'india india never': 434465, 'india never fails': 434536, 'never fails surprise': 557988, 'fails surprise with': 296244, 'surprise with it': 828563, 'with it initiative': 999072, 'it initiative for': 458800, 'initiative for the': 438623, 'the community canonforcommunity': 851270, 'having anxiety': 383978, 'about crowd': 25050, 'inside most': 439314, 'most store': 542773, 'use grocery': 949246, 'service use': 753029, 'head prevent': 385811, 'having anxiety about': 383979, 'anxiety about crowd': 78644, 'about crowd at': 25051, 'crowd at the': 219131, 'store you don': 811683, 'to go inside': 906812, 'go inside most': 353728, 'inside most store': 439315, 'most store offer': 542774, 'store offer curbside': 809153, 'offer curbside pick': 594568, 'up or you': 945689, 'can use grocery': 160095, 'use grocery delivery': 949248, 'delivery service use': 234477, 'service use your': 753030, 'use your head': 949834, 'your head prevent': 1024264, 'head prevent the': 385812, 'substitution': 816105, 'dontbuythesun': 255354, 'finally an': 305940, 'shopping substitution': 764005, 'substitution that': 816109, 'sense andrex': 750493, 'andrex classic': 76214, 'classic clean': 180317, 'clean pack': 180610, 'pack toilet': 633175, 'tissue newspaper': 899178, 'newspaper dontbuythesun': 561090, 'dontbuythesun workingfromhome': 255355, 'finally an online': 305941, 'online shopping substitution': 609291, 'shopping substitution that': 764007, 'substitution that make': 816110, 'that make sense': 845001, 'make sense andrex': 510434, 'sense andrex classic': 750494, 'andrex classic clean': 76215, 'classic clean pack': 180318, 'clean pack toilet': 180611, 'pack toilet tissue': 633176, 'toilet tissue newspaper': 921643, 'tissue newspaper dontbuythesun': 899179, 'newspaper dontbuythesun workingfromhome': 561091, 'people driving': 647727, 'driving around': 259899, 'jammed with': 464435, 'car thought': 163315, 'be lockdown': 115793, 'lockdown lockdown': 499603, 'lockdown glasgow': 499416, 'of people driving': 587898, 'people driving around': 647728, 'driving around and': 259900, 'around and the': 93199, 'local supermarket car': 498508, 'is jammed with': 449089, 'jammed with car': 464436, 'with car thought': 997541, 'car thought this': 163316, 'this wa supposed': 891089, 'to be lockdown': 901372, 'be lockdown lockdown': 115795, 'lockdown lockdown glasgow': 499605, 'far buyer': 298736, 'like vulture': 491739, 'vulture and': 961289, 'and predator': 69339, 'predator empty': 669522, 'problem just': 679583, 'just demand': 468571, 'demand problem': 236074, 'problem hopefully': 679548, 'hopefully the': 403883, 'the purchasing': 864923, 'purchasing situation': 689918, 'will stabilize': 994931, 'stabilize soon': 791859, 'soon for': 785706, 'know be': 476289, 'ok so far': 597884, 'so far buyer': 777016, 'far buyer are': 298737, 'buyer are like': 149571, 'are like vulture': 87798, 'like vulture and': 491740, 'vulture and predator': 961290, 'and predator empty': 69340, 'predator empty the': 669523, 'shelf there are': 757664, 'are no supply': 88286, 'no supply problem': 565634, 'supply problem just': 825734, 'problem just demand': 679584, 'just demand problem': 468574, 'demand problem hopefully': 236076, 'problem hopefully the': 679549, 'hopefully the purchasing': 403885, 'the purchasing situation': 864926, 'purchasing situation will': 689919, 'situation will stabilize': 772591, 'will stabilize soon': 994933, 'stabilize soon for': 791860, 'soon for covid': 785707, '19 who know': 12064, 'who know be': 989178, 'know be careful': 476290, 'mha': 530107, 'invoke provision': 444308, 'act fix': 29641, 'fix stock': 309748, 'stock limit': 802360, 'limit cap': 492305, 'price enhance': 673686, 'enhance production': 277080, 'commodity mha': 189227, 'mha to': 530110, 'invoke provision of': 444309, 'provision of essential': 687278, 'commodity act fix': 189112, 'act fix stock': 29642, 'fix stock limit': 309749, 'stock limit cap': 802361, 'limit cap price': 492306, 'cap price enhance': 162443, 'price enhance production': 673687, 'enhance production of': 277081, 'production of essential': 682142, 'essential commodity mha': 280926, 'commodity mha to': 189228, 'mha to state': 530111, 'complaint re': 192015, 're and': 698291, 'price those': 676931, 'money de': 536690, 'could you help': 209848, 'you help with': 1019208, 'numerous complaint re': 577127, 'complaint re and': 192016, 're and forcing': 698292, 'and forcing people': 63183, 'inflated price those': 437077, 'price those who': 676932, 'their money de': 873996, 'body certain': 133837, 'your strong': 1026011, 'prevent winter': 671765, 'winter cold': 996119, 'flu your': 311500, 'first step': 309027, 'step should': 799616, 'be visit': 118018, 'store plan': 809570, 'include these': 431647, 'these powerful': 880507, 'powerful immune': 667775, 'system booster': 831122, 'feeding your body': 302498, 'your body certain': 1022985, 'body certain food': 133838, 'certain food may': 170016, 'food may help': 315418, 'may help keep': 521269, 'keep your strong': 472287, 'your strong if': 1026012, 'strong if you': 814045, 'to prevent winter': 912101, 'prevent winter cold': 671766, 'winter cold and': 996120, 'cold and the': 185735, 'and the flu': 73380, 'the flu your': 855468, 'flu your first': 311501, 'your first step': 1023896, 'first step should': 309032, 'step should be': 799617, 'should be visit': 765765, 'be visit to': 118019, 'visit to your': 959421, 'grocery store plan': 365662, 'store plan your': 809572, 'plan your meal': 658365, 'your meal to': 1024799, 'meal to include': 524290, 'to include these': 908256, 'include these powerful': 431648, 'these powerful immune': 880508, 'powerful immune system': 667776, 'immune system booster': 417335, 'lager': 478895, 'guy buying': 368944, 'buying case': 150098, 'san miguel': 733561, 'miguel lager': 531257, 'lager paella': 478900, 'paella and': 633818, 'back from my': 107011, 'supermarket and saw': 819053, 'and saw guy': 70981, 'saw guy buying': 738126, 'guy buying case': 368945, 'buying case of': 150099, 'case of san': 165923, 'of san miguel': 589264, 'san miguel lager': 733562, 'miguel lager paella': 531258, 'lager paella and': 478901, 'paella and sombrero': 633819, 'mattieu': 520694, 'today mattieu': 919864, 'mattieu ethan': 520695, 'ethan hand': 282955, 'sanitizer travel': 735973, 'travel size': 930508, 'size come': 772767, 'yours today mattieu': 1026486, 'today mattieu ethan': 919865, 'mattieu ethan hand': 520696, 'ethan hand sanitizer': 282956, 'hand sanitizer travel': 375633, 'sanitizer travel size': 735974, 'travel size come': 930509, 'size come in': 772768, 'come in pack': 187371, 'in pack for': 426411, 'pack for 99': 633046, '99 help stop': 23839, 'merkel is': 529164, 'like million': 490782, 'other german': 620291, 'german and': 346195, 'and heading': 64340, 'merkel is living': 529165, 'is living through': 449410, 'through the like': 894746, 'the like million': 859368, 'like million of': 490783, 'million of other': 532281, 'of other german': 587364, 'other german and': 620292, 'german and heading': 346196, 'and heading to': 64341, 'stouffers': 812176, 'entree': 278917, 'local martin': 498180, 'martin grocery': 518100, 'no purell': 565254, 'purell no': 690021, 'egg no': 269929, 'cream other': 215573, 'other frozen': 620282, 'like stouffers': 491248, 'stouffers entree': 812177, 'entree or': 278918, 'or vegetable': 617650, 'vegetable the': 954103, 'manager told': 512819, 'had frozen': 373128, 'their truck': 875043, 'truck in': 932818, 'my local martin': 549127, 'local martin grocery': 498181, 'martin grocery store': 518101, 'store today they': 810871, 'today they had': 920321, 'they had no': 882250, 'had no toilet': 373341, 'towel no purell': 927352, 'no purell no': 565255, 'purell no bread': 690022, 'no bread no': 563731, 'bread no egg': 138540, 'no egg no': 564092, 'egg no ice': 269932, 'ice cream other': 412658, 'cream other frozen': 215574, 'other frozen food': 620283, 'frozen food like': 338974, 'food like stouffers': 315313, 'like stouffers entree': 491249, 'stouffers entree or': 812178, 'entree or vegetable': 278920, 'or vegetable the': 617653, 'vegetable the manager': 954104, 'the manager told': 860002, 'manager told me': 512820, 'told me they': 923626, 'me they haven': 523687, 'they haven had': 882409, 'haven had frozen': 383823, 'had frozen food': 373129, 'frozen food on': 338976, 'on their truck': 604517, 'their truck in': 875044, 'truck in day': 932819, 'week sitrep': 976883, 'sitrep continued': 772073, 'this week sitrep': 891266, 'week sitrep continued': 976884, 'sitrep continued covid': 772074, 'kn95mask': 475983, 'medicalmask': 526549, 'kn95mask manufacturer': 475984, 'manufacturer wholesale': 513545, 'price large': 675012, 'order high': 618296, 'quality face': 691780, 'face medicalmask': 294613, 'medicalmask n95': 526550, 'respirator safety': 715214, 'safety protective': 730706, 'protective n95mask': 685795, 'n95mask contact': 551247, 'contact andy': 200018, 'andy kong': 76248, 'kong com': 477382, 'com buy': 186922, 'buy via': 149428, 'via alibaba': 955788, 'alibaba here': 41715, 'kn95mask manufacturer wholesale': 475985, 'manufacturer wholesale price': 513546, 'wholesale price large': 990475, 'price large order': 675013, 'large order high': 479732, 'order high quality': 618297, 'high quality face': 395312, 'quality face medicalmask': 691782, 'face medicalmask n95': 294614, 'medicalmask n95 respirator': 526551, 'n95 respirator safety': 551231, 'respirator safety protective': 715215, 'safety protective n95mask': 730707, 'protective n95mask contact': 685796, 'n95mask contact andy': 551248, 'contact andy kong': 200019, 'andy kong com': 76249, 'kong com buy': 477383, 'com buy via': 186923, 'buy via alibaba': 149429, 'via alibaba here': 955789, 'ceo join': 169734, 'join au': 466681, 'au and': 102776, 'chat about': 173923, 'increasing pressure': 433659, 'on australian': 599506, 'australian charity': 103459, 'support listen': 826615, 'listen via': 494770, 'via link': 956062, 'ceo join au': 169735, 'join au and': 466682, 'au and to': 102777, 'and to chat': 74155, 'to chat about': 902664, 'chat about the': 173924, 'about the increasing': 26424, 'the increasing pressure': 858087, 'increasing pressure on': 433660, 'pressure on australian': 671202, 'on australian charity': 599507, 'australian charity to': 103460, 'charity to keep': 173706, 'up with an': 946616, 'with an unprecedented': 997233, 'an unprecedented demand': 56885, 'for food relief': 321622, 'food relief and': 316157, 'relief and support': 709281, 'and support listen': 72840, 'support listen via': 826616, 'listen via link': 494772, 'have return': 382312, 'home ritual': 401986, 'ritual for': 724156, 'take disposable': 832071, 'store discard': 807320, 'discard after': 244315, 'shopping sanitizer': 763800, 'in garage': 423219, 'garage before': 343477, 'into house': 442646, 'house spray': 406568, 'spray shoe': 790327, 'shoe wash': 759692, 'more glove': 539345, 'grocery wipe': 366146, 'all down': 42627, 'down before': 256556, 'up wipe': 946612, 'you have return': 1019106, 'have return home': 382313, 'return home ritual': 719854, 'home ritual for': 401987, 'ritual for take': 724157, 'for take disposable': 326125, 'take disposable glove': 832072, 'disposable glove to': 246250, 'glove to store': 352977, 'to store discard': 915614, 'store discard after': 807321, 'discard after shopping': 244316, 'after shopping sanitizer': 36206, 'shopping sanitizer for': 763801, 'sanitizer for hand': 734908, 'for hand in': 322105, 'hand in garage': 375037, 'in garage before': 423220, 'garage before going': 343478, 'going into house': 355238, 'into house spray': 442648, 'house spray shoe': 406569, 'spray shoe wash': 790328, 'shoe wash hand': 759693, 'wash hand more': 967489, 'hand more glove': 375091, 'more glove to': 539346, 'glove to bring': 352969, 'to bring in': 902039, 'bring in grocery': 139994, 'in grocery wipe': 423444, 'grocery wipe them': 366147, 'wipe them all': 996391, 'them all down': 875340, 'all down before': 42628, 'down before putting': 256558, 'before putting up': 123032, 'putting up wipe': 691280, 'up wipe all': 946613, 'wipe all surface': 996180, 'rampaging': 696456, 'ha dementia': 370347, 'dementia do': 236633, 'is rampaging': 451222, 'rampaging is': 696457, 'dying is': 263841, 'so wear': 778693, 'haven worn': 383927, 'worn it': 1010466, 'start had': 794320, 'three such': 894064, 'such conversation': 816419, 'her this': 392444, 'call with my': 156231, 'with my mother': 999639, 'my mother who': 549347, 'mother who ha': 543203, 'who ha dementia': 988839, 'ha dementia do': 370348, 'dementia do you': 236634, 'know that is': 476770, 'that is rampaging': 844643, 'is rampaging is': 451223, 'rampaging is that': 696458, 'are dying is': 86048, 'dying is that': 263842, 'that so wear': 846363, 'so wear mask': 778694, 'to supermarket haven': 915799, 'supermarket haven worn': 820717, 'haven worn it': 383928, 'worn it but': 1010467, 'it but ll': 456951, 'but ll start': 146300, 'll start had': 497029, 'start had three': 794321, 'had three such': 373651, 'three such conversation': 894065, 'such conversation with': 816420, 'conversation with her': 202504, 'with her this': 998781, 'her this week': 392446, 'your regular': 1025548, 'regular online': 707823, 'shopping consider': 762390, 'consider any': 194952, 'these brand': 879696, 'organization serving': 619420, 'serving those': 753225, 'doing your regular': 252889, 'your regular online': 1025549, 'regular online shopping': 707824, 'online shopping consider': 609078, 'shopping consider any': 762391, 'consider any of': 194953, 'of these brand': 591811, 'these brand that': 879700, 'that are donating': 842742, 'are donating to': 85951, 'to organization serving': 911099, 'organization serving those': 619421, 'serving those who': 753226, 'are most impacted': 88137, 'akan': 40503, 'dekat': 232606, 'stesen': 799938, 'balai': 108959, 'this perintahkawalanpergerakan': 889510, 'perintahkawalanpergerakan akan': 651693, 'akan cause': 40504, 'more case': 538777, 'gather dekat': 344376, 'dekat stesen': 232609, 'stesen bus': 799939, 'bus balai': 143001, 'balai polis': 108960, 'polis supermarket': 663571, 'think this perintahkawalanpergerakan': 885704, 'this perintahkawalanpergerakan akan': 889511, 'perintahkawalanpergerakan akan cause': 651694, 'akan cause more': 40505, 'cause more case': 167656, 'more case of': 538779, 'case of more': 165915, 'of more people': 586648, 'more people gather': 540020, 'people gather dekat': 648027, 'gather dekat stesen': 344377, 'dekat stesen bus': 232610, 'stesen bus balai': 799940, 'bus balai polis': 143002, 'balai polis supermarket': 108961, 'polis supermarket panic': 663572, 'supermarket panic buy': 821900, 'dasani': 226056, 'arrowhead': 94051, 'eat amid': 265841, 'independent you': 434151, 'you couldn': 1018107, 'couldn pay': 209910, 'to drink': 904720, 'drink dasani': 258811, 'dasani arrowhead': 226057, 'arrowhead is': 94052, 'my bottled': 547512, 'coronavirus the grocery': 206909, 'the grocery item': 856815, 'grocery item that': 364661, 'item that people': 463698, 'to eat amid': 904865, 'eat amid covid': 265842, 'pandemic the independent': 636686, 'the independent you': 858110, 'independent you couldn': 434152, 'you couldn pay': 1018109, 'couldn pay me': 209911, 'me to drink': 523750, 'to drink dasani': 904722, 'drink dasani arrowhead': 258812, 'dasani arrowhead is': 226058, 'arrowhead is my': 94053, 'is my bottled': 449783, 'my bottled water': 547513, 'bottled water of': 136374, 'water of choice': 969077, 'receptionist': 704188, 'kindnesscounts': 475234, 'thank supermarket': 841631, 'staff your': 793128, 'doctor receptionist': 251085, 'receptionist and': 704189, 'frontline kindnesscounts': 338775, 'kindnesscounts 19': 475235, 'to thank supermarket': 916433, 'thank supermarket staff': 841633, 'supermarket staff your': 822910, 'staff your doctor': 793129, 'your doctor receptionist': 1023551, 'doctor receptionist and': 251086, 'receptionist and others': 704190, 'others at the': 621294, 'the frontline kindnesscounts': 855877, 'frontline kindnesscounts 19': 338776, 'cone': 193700, 'my papa': 549679, 'papa protected': 639741, 'protected himself': 685137, 'himself from': 396803, 'from at': 334600, 'store cone': 807136, 'cone of': 193703, 'of shame': 589557, 'shame and': 754580, 'and dog': 61597, 'dog bag': 252043, 'bag dog': 108262, 'owner innovation': 632479, 'is how my': 448589, 'how my papa': 408393, 'my papa protected': 549680, 'papa protected himself': 639742, 'protected himself from': 685138, 'himself from at': 396804, 'from at the': 334604, 'grocery store cone': 365294, 'store cone of': 807137, 'cone of shame': 193704, 'of shame and': 589558, 'shame and dog': 754581, 'and dog bag': 61598, 'dog bag dog': 252044, 'bag dog owner': 108263, 'dog owner innovation': 252145, 'slavery': 773721, 'worker raise': 1007656, 'raise if': 695865, 'all call': 42272, 'call off': 156019, 'sick we': 768669, 'all screwed': 44256, 'screwed you': 742831, 'it 12': 456175, '00 an': 62, 'hour is': 405706, 'is slavery': 451962, 'slavery now': 773722, 'give the grocery': 350741, 'store worker raise': 811569, 'worker raise if': 1007658, 'raise if they': 695866, 'if they all': 415091, 'they all call': 881110, 'all call off': 42273, 'call off sick': 156020, 'off sick we': 594164, 'sick we are': 768670, 'are all screwed': 84345, 'all screwed you': 44257, 'screwed you can': 742832, 'afford it 12': 34709, 'it 12 00': 456176, '12 00 an': 2757, '00 an hour': 63, 'an hour is': 56087, 'hour is slavery': 405709, 'is slavery now': 451963, 'slavery now coronacrisis': 773723, 'now coronacrisis saturdaymorning': 574452, 'in latest': 424615, 'latest economic': 481308, 'upends global food': 947517, 'chain in latest': 170808, 'in latest economic': 424616, 'latest economic shock': 481309, 'plaquenil': 658771, 'prohibitive': 683447, 'took plaquenil': 925322, 'plaquenil for': 658774, 'hot new': 405029, 'eye checked': 294018, 'checked at': 174743, 'point while': 662710, 'can cause': 157880, 'cause eye': 167553, 'eye damage': 294034, 'those already': 891789, 'already using': 47748, 'become prohibitive': 120105, 'took plaquenil for': 925323, 'plaquenil for year': 658775, 'year now it': 1014766, 'now it the': 575132, 'it the hot': 461545, 'the hot new': 857561, 'hot new drug': 405030, 'new drug to': 558653, 'drug to help': 261120, 'help against covid': 389310, 'taking it for': 833408, 'it for 19': 458065, 'for 19 you': 318717, '19 you must': 12273, 'you must get': 1019919, 'must get your': 546681, 'get your eye': 348701, 'your eye checked': 1023730, 'eye checked at': 294019, 'checked at some': 174744, 'some point while': 783594, 'point while on': 662711, 'while on it': 987103, 'it it can': 459167, 'it can cause': 457010, 'can cause eye': 157881, 'cause eye damage': 167554, 'eye damage to': 294035, 'damage to those': 225243, 'to those already': 917494, 'those already using': 891791, 'already using it': 47749, 'using it hope': 950530, 'it hope the': 458626, 'hope the price': 403684, 'the price do': 864342, 'do not become': 249678, 'not become prohibitive': 568499, 'nottingham': 573647, 'while socialdistancing': 987290, 'online free': 608263, 'easyfundraising every': 265814, 'shop via': 761003, 'via easyfundraising': 955941, 'easyfundraising retailer': 265818, 'retailer donate': 719118, 'donate money': 254201, 'to nottingham': 910733, 'nottingham central': 573648, 'central woman': 169451, 'woman aid': 1003393, 'aid completely': 39370, 'completely free': 192287, 'free visit': 332299, 'while socialdistancing more': 987293, 'socialdistancing more shopping': 780535, 'more shopping is': 540388, 'shopping is done': 763044, 'is done online': 447323, 'done online free': 254965, 'online free way': 608264, 'to easyfundraising every': 904861, 'easyfundraising every time': 265815, 'you shop via': 1021170, 'shop via easyfundraising': 761005, 'via easyfundraising retailer': 955943, 'easyfundraising retailer donate': 265819, 'retailer donate money': 719119, 'donate money to': 254203, 'money to nottingham': 537112, 'to nottingham central': 910734, 'nottingham central woman': 573649, 'central woman aid': 169452, 'woman aid completely': 1003394, 'aid completely free': 39371, 'completely free visit': 192291, 'today made': 919846, 'made supermarket': 507969, 'on even': 600609, 'worse hardly': 1010942, 'hardly anyone': 378252, 'wa practicing': 962973, 'socialdistancing don': 780328, 'pandemic seriously': 636427, 'seriously even': 751598, 'in madness': 424977, 'madness smh': 508208, 'today made supermarket': 919848, 'made supermarket run': 507970, 'supermarket run and': 822268, 'run and wa': 727564, 'and wa surprised': 75099, 'wa surprised to': 963372, 'to see so': 914069, 'many people without': 514550, 'people without glove': 650490, 'without glove or': 1002692, 'or mask on': 616072, 'mask on even': 519046, 'on even worse': 600611, 'even worse hardly': 284824, 'worse hardly anyone': 1010943, 'hardly anyone wa': 378254, 'anyone wa practicing': 80599, 'wa practicing socialdistancing': 962974, 'practicing socialdistancing don': 668747, 'socialdistancing don understand': 780330, 'understand how people': 940646, 'taking this pandemic': 833618, 'this pandemic seriously': 889422, 'pandemic seriously even': 636428, 'seriously even after': 751599, 'even after week': 283823, 'week of living': 976622, 'living in madness': 496380, 'in madness smh': 424978, 'colorado spring': 186809, 'market stayed': 517117, 'stayed strong': 797876, 'march but': 515304, 'but slowdown': 147065, 'slowdown expected': 774433, 'expected residential': 290930, 'realestate home': 701480, 'price soared': 676534, 'soared mortgage': 779297, 'mortgage homebuyers': 541910, 'homebuyers rental': 402637, 'property supply': 684363, 'colorado spring housing': 186811, 'housing market stayed': 407111, 'market stayed strong': 517118, 'stayed strong in': 797877, 'strong in march': 814049, 'in march but': 425086, 'march but slowdown': 515308, 'but slowdown expected': 147066, 'slowdown expected residential': 774435, 'expected residential realestate': 290931, 'residential realestate home': 714444, 'realestate home sale': 701481, 'home sale price': 402007, 'sale price soared': 732463, 'price soared mortgage': 676535, 'soared mortgage homebuyers': 779298, 'mortgage homebuyers rental': 541911, 'homebuyers rental property': 402638, 'rental property supply': 711274, 'stock mixed': 802477, 'mixed stimulus': 534645, 'stimulus effect': 801531, 'effect start': 269112, 'to peter': 911683, 'peter out': 653529, 'out icis': 626352, 'chemical pricing': 175377, 'pricing petchems': 677955, 'petchems stock': 653505, 'price stock mixed': 676666, 'stock mixed stimulus': 802478, 'mixed stimulus effect': 534646, 'stimulus effect start': 801532, 'effect start to': 269113, 'start to peter': 794591, 'to peter out': 911684, 'peter out icis': 653530, 'out icis chemical': 626353, 'icis chemical pricing': 412752, 'chemical pricing petchems': 175378, 'pricing petchems stock': 677956, 'crowd it': 219190, 'these empty': 879967, 'is worrying': 454064, 'worrying my': 1010828, 'the crowd it': 852528, 'crowd it not': 219191, 'all these empty': 45032, 'these empty shelf': 879968, 'empty shelf this': 275100, 'shelf this is': 757684, 'what is worrying': 981736, 'is worrying my': 454066, 'worrying my family': 1010829, 'the family do': 854890, 'not have corona': 569820, 'have corona virus': 380114, 'going near': 355278, 'supermarket till': 823338, 'till tuesday': 896120, 'tuesday now': 935170, 'eat easter': 265895, 'egg stayhomesavelives': 269990, 'not going near': 569699, 'going near supermarket': 355280, 'near supermarket till': 553595, 'supermarket till tuesday': 823343, 'till tuesday now': 896121, 'tuesday now time': 935171, 'now time to': 576159, 'time to relax': 898047, 'to relax stay': 913132, 'relax stay at': 708827, 'home and eat': 400635, 'and eat easter': 61873, 'eat easter egg': 265896, 'easter egg stayhomesavelives': 265425, 'sweep been': 830110, 'been preparing': 121693, 'decade hoarder': 230683, 'supermarket sweep been': 823085, 'sweep been preparing': 830111, 'been preparing for': 121694, 'preparing for this': 670340, 'for this for': 327027, 'this for decade': 887589, 'for decade hoarder': 320605, 'casualty': 166810, 'flapol': 310009, 'latest casualty': 481248, 'casualty consumer': 166811, 'via flapol': 955973, 'latest casualty consumer': 481249, 'casualty consumer confidence': 166812, 'confidence via flapol': 193977, 'stop profiteer': 804938, 'say consumer': 738532, 'which economics': 985840, 'economics business': 267436, 'business pricegouging': 144258, 'to stop profiteer': 915559, 'stop profiteer say': 804940, 'profiteer say consumer': 682977, 'say consumer group': 738535, 'consumer group which': 197669, 'group which economics': 366968, 'which economics business': 985841, 'economics business pricegouging': 267437, 'shopclub': 761121, 'staywell': 799082, 'handwashing handsanitiser': 376835, 'handsanitiser stayathome': 376453, 'stayathome mom': 797542, 'mom wellness': 535831, 'wellness shopclub': 978856, 'shopclub my': 761122, 'my don': 548026, 'is plant': 450892, 'based feel': 111576, 'good kill': 357309, 'germ staywell': 346153, 'staywell stayhealthy': 799083, 'handwashing handsanitiser stayathome': 376836, 'handsanitiser stayathome mom': 376454, 'stayathome mom wellness': 797543, 'mom wellness shopclub': 535832, 'wellness shopclub my': 978857, 'shopclub my don': 761123, 'my don like': 548027, 'don like that': 253702, 'like that my': 491327, 'sanitizer is plant': 735203, 'is plant based': 450893, 'plant based feel': 658621, 'based feel good': 111577, 'feel good kill': 302648, 'good kill germ': 357310, 'kill germ staywell': 474406, 'germ staywell stayhealthy': 346154, 'the said': 866163, 'said free': 731081, 'when 900': 983113, 'be confirmed': 114181, 'confirmed in': 194164, 'in ogun': 426072, 'state staysafe': 795947, 'when will start': 984504, 'will start the': 994947, 'start the distribution': 794550, 'distribution of the': 248182, 'of the said': 591429, 'the said free': 866165, 'said free hand': 731082, 'sanitizer or are': 735478, 'you still waiting': 1021414, 'time when 900': 898278, 'when 900 00': 983114, '900 00 case': 23359, '00 case will': 114, 'case will be': 166112, 'will be confirmed': 992405, 'be confirmed in': 114182, 'confirmed in ogun': 194166, 'in ogun state': 426073, 'ogun state staysafe': 596338, 'fascinating the': 299765, 'distancing of': 247365, 'america side': 51678, 'side story': 768894, 'great interest': 362768, 'interest is': 441363, 'is california': 446341, 'act no': 29709, 'no data': 563964, 'public consumption': 687930, 'consumption from': 199875, 'there data': 878308, 'data socialdistancingnow': 226422, 'socialdistancingnow privacy': 780906, 'privacy tracking': 678840, 'fascinating the social': 299766, 'social distancing of': 779674, 'distancing of america': 247366, 'of america side': 580045, 'america side story': 51679, 'side story of': 768895, 'story of great': 812062, 'of great interest': 584315, 'great interest is': 362769, 'interest is california': 441364, 'is california consumer': 446342, 'privacy act no': 678792, 'act no data': 29710, 'no data for': 563965, 'data for public': 226218, 'for public consumption': 324852, 'public consumption from': 687931, 'consumption from there': 199876, 'from there data': 337968, 'there data socialdistancingnow': 878309, 'data socialdistancingnow privacy': 226423, 'socialdistancingnow privacy tracking': 780907, 'kitten': 475824, 'thing thought': 884871, 'be chasing': 114070, 'chasing down': 173905, 'weird fuckin': 977762, 'fuckin time': 339789, 'is wet': 453858, 'wet kitten': 980737, 'kitten food': 475825, 'which appears': 985665, 'store minus': 808960, 'testing spot': 839645, 'spot opening': 790090, 'lot tomorrow': 504398, 'tomorrow morning': 924129, 'last thing thought': 480548, 'thing thought would': 884874, 'would be chasing': 1011565, 'be chasing down': 114071, 'chasing down stock': 173907, 'down stock on': 257214, 'stock on in': 802559, 'on in this': 601539, 'in this weird': 430047, 'this weird fuckin': 891333, 'weird fuckin time': 977763, 'fuckin time is': 339790, 'time is wet': 897070, 'is wet kitten': 453859, 'wet kitten food': 980738, 'kitten food which': 475826, 'food which appears': 317584, 'which appears to': 985666, 'out at all': 625737, 'at all our': 97901, 'all our local': 43814, 'local store minus': 498469, 'store minus the': 808961, 'minus the one': 533694, 'the one store': 862223, 'one store that': 607123, 'that ha covid': 844114, '19 testing spot': 11111, 'testing spot opening': 839646, 'spot opening up': 790091, 'opening up in': 612946, 'parking lot tomorrow': 642108, 'lot tomorrow morning': 504399, 'uhh': 938089, 'fml one': 311773, 'most practical': 542650, 'practical friend': 668460, 'she sure': 756370, 'she ill': 756130, '19 traveled': 11558, 'traveled recently': 930607, 'recently from': 704099, 'from hawaii': 335738, 'hawaii but': 384448, 'coming food': 188045, 'up uhh': 946491, 'fml one of': 311774, 'my best and': 547432, 'and most practical': 67274, 'most practical friend': 542651, 'practical friend called': 668461, 'friend called to': 333543, 'called to tell': 156477, 'to tell me': 916346, 'me she sure': 523449, 'she sure she': 756371, 'sure she ill': 827666, 'she ill with': 756132, 'ill with covid': 416187, 'covid 19 traveled': 213980, '19 traveled recently': 11559, 'traveled recently from': 930608, 'recently from hawaii': 704100, 'from hawaii but': 335739, 'hawaii but ha': 384449, 'but ha not': 145837, 'been tested for': 122152, 'tested for anything': 839303, 'for anything and': 319457, 'anything and there': 80686, 'there is coming': 878537, 'is coming food': 446656, 'coming food shortage': 188046, 'shortage and we': 764832, 'we should stock': 973296, 'stock up uhh': 803128, 'more optimistic': 539955, 'optimistic view': 613942, 'here is more': 393237, 'is more optimistic': 449716, 'more optimistic view': 539957, 'optimistic view of': 613943, 'impact the covid': 417994, 'have on the': 381777, 'on the housing': 604165, 'nv04': 577793, 'with constituent': 997742, 'constituent at': 195734, 'his nv04': 397650, 'nv04 telephone': 577794, 'telephone town': 836822, 'hall answered': 374326, 'answered many': 78177, 'question earlier': 693578, 'earlier announced': 264426, 'rule including': 727271, 'including golf': 431988, 'course closure': 211854, 'store protocol': 809689, 'spoke with constituent': 789747, 'with constituent at': 997743, 'constituent at his': 195735, 'at his nv04': 98920, 'his nv04 telephone': 397651, 'nv04 telephone town': 577795, 'telephone town hall': 836823, 'town hall answered': 927475, 'hall answered many': 374327, 'answered many question': 78178, 'many question earlier': 514612, 'question earlier announced': 693579, 'earlier announced new': 264427, 'announced new social': 77004, 'distancing rule including': 247442, 'rule including golf': 727272, 'including golf course': 431989, 'golf course closure': 356120, 'course closure and': 211855, 'closure and change': 183832, 'and change to': 59729, 'change to grocery': 172346, 'grocery store protocol': 365687, 'husband brother': 411688, 'back with': 107473, 'with 43': 997017, '43 bag': 18957, 'of crisp': 582199, 'crisp pack': 218491, 'of biscuit': 580719, 'biscuit chocolate': 131503, 'chocolate pair': 177698, 'washing up': 967743, 'up glove': 945019, 'my husband brother': 548775, 'husband brother in': 411689, 'with list in': 999249, 'list in hand': 494360, 'in hand they': 423529, 'hand they came': 375838, 'came back with': 156981, 'back with 43': 107474, 'with 43 bag': 997018, '43 bag of': 18958, 'bag of crisp': 108347, 'of crisp pack': 582200, 'crisp pack of': 218492, 'pack of biscuit': 633089, 'of biscuit chocolate': 580720, 'biscuit chocolate pair': 131504, 'chocolate pair of': 177699, 'pair of washing': 634341, 'of washing up': 592923, 'washing up glove': 967744, 'brewdog': 139412, 'brewdog and': 139413, 'and lvmh': 66488, 'lvmh handsanitizer': 507024, 'handsanitizer move': 376589, 'move provide': 543723, 'provide much': 686397, 'needed unity': 556560, 'unity between': 942321, 'between business': 128741, 'public amid': 687842, 'panic say': 638511, 'brewdog and lvmh': 139414, 'and lvmh handsanitizer': 66489, 'lvmh handsanitizer move': 507025, 'handsanitizer move provide': 376590, 'move provide much': 543724, 'provide much needed': 686398, 'much needed unity': 545171, 'needed unity between': 556561, 'unity between business': 942322, 'between business and': 128742, 'the public amid': 864786, 'public amid panic': 687843, 'amid panic say': 52586, 'panic say globaldata': 638512, 'seaside': 743364, 'coronavirus seaside': 206733, 'seaside visitor': 743365, 'visitor defy': 959587, 'defy social': 232505, 'distancing advice': 246947, 'coronavirus seaside visitor': 206734, 'seaside visitor defy': 743366, 'visitor defy social': 959588, 'defy social distancing': 232506, 'social distancing advice': 779546, 're forcing': 698703, 'worry anxiously': 1010673, 'anxiously about': 78883, 'meal is': 524195, 'other people who': 620698, 'cupboard you re': 220508, 'you re forcing': 1020625, 're forcing all': 698704, 'and worry anxiously': 75907, 'worry anxiously about': 1010674, 'anxiously about where': 78884, 'about where our': 26913, 'next meal is': 561442, 'meal is coming': 524196, 'vietnamese consumer': 957051, 'four key': 330620, 'key city': 473246, 'city show': 179357, 'show tendency': 767170, 'across three': 29546, 'three group': 893936, 'of category': 581212, 'category during': 167174, 'during personal': 262918, 'family hygiene': 297906, 'hygiene convenience': 412075, 'convenience food': 202325, 'cooking aid': 202840, 'immune boosting': 417313, 'boosting and': 135063, 'nutrition product': 577734, 'product learn': 681351, 'vietnamese consumer in': 957052, 'in the four': 429216, 'the four key': 855738, 'four key city': 330621, 'key city show': 473247, 'city show tendency': 179359, 'show tendency to': 767171, 'tendency to stock': 837896, 'stock up across': 803050, 'up across three': 944223, 'across three group': 29547, 'three group of': 893937, 'group of category': 366786, 'of category during': 581213, 'category during personal': 167176, 'during personal and': 262919, 'personal and family': 652782, 'and family hygiene': 62664, 'family hygiene convenience': 297907, 'hygiene convenience food': 412076, 'convenience food and': 202326, 'food and cooking': 313200, 'and cooking aid': 60541, 'cooking aid and': 202841, 'aid and immune': 39355, 'and immune boosting': 65003, 'immune boosting and': 417314, 'boosting and nutrition': 135064, 'and nutrition product': 67906, 'nutrition product learn': 577735, 'product learn more': 681352, 'accusing': 28972, 'coneyisland': 193705, 'are accusing': 84182, 'accusing supermarket': 28973, 'on coneyisland': 600007, 'coneyisland of': 193706, 'shopper are accusing': 761382, 'are accusing supermarket': 84183, 'accusing supermarket on': 28974, 'supermarket on coneyisland': 821724, 'on coneyisland of': 600008, 'coneyisland of price': 193707, 'sure fire': 827552, 'fire way': 308132, 'sure fire way': 827553, 'fire way to': 308134, 'way to make': 970049, 'sure you always': 827846, 'you always have': 1016950, 'always have supply': 49616, 'of toiletpaper toiletpaperapocalypse': 592285, 'coronacrisis really': 204723, 'humanity right': 410771, 'week nothing': 976584, 'shelf local': 757292, 'store raise': 809728, 'quick money': 694329, 'money stophoarding': 537039, 'selfish be': 748024, 'coronacrisis really show': 204724, 'really show the': 702588, 'show the state': 767221, 'state of humanity': 795808, 'of humanity right': 584889, 'humanity right now': 410772, 'are no online': 88272, 'for week nothing': 327735, 'week nothing on': 976585, 'supermarket shelf local': 822493, 'shelf local store': 757294, 'local store raise': 498474, 'store raise price': 809729, 'raise price to': 695931, 'make quick money': 510379, 'quick money stophoarding': 694330, 'money stophoarding people': 537040, 'stophoarding people stop': 805442, 'people stop being': 649648, 'being selfish be': 125734, 'selfish be responsible': 748025, 'responsible for yourself': 716043, 'for yourself and': 328232, 'and the elderly': 73343, 'revise': 720624, 'stalling': 793393, 'mounting risk': 543455, 'slowdown after': 774418, 'after pick': 36041, 'february the': 301742, 'preparing to': 670364, 'to revise': 913500, 'revise it': 720625, 'amid drop': 52453, 'price stalling': 676606, 'stalling business': 793394, 'business activity': 143219, 'activity due': 30414, 'outbreak russia': 628592, 'russian economy face': 728630, 'economy face mounting': 267860, 'face mounting risk': 294628, 'mounting risk of': 543456, 'risk of slowdown': 723778, 'of slowdown after': 589772, 'slowdown after pick': 774419, 'after pick up': 36042, 'up in february': 945151, 'in february the': 422849, 'february the government': 301743, 'government is preparing': 360270, 'is preparing to': 450998, 'preparing to revise': 670367, 'to revise it': 913501, 'revise it spending': 720626, 'it spending priority': 461195, 'spending priority amid': 788959, 'priority amid drop': 678507, 'amid drop in': 52454, 'oil price stalling': 597270, 'price stalling business': 676607, 'stalling business activity': 793395, 'business activity due': 143222, 'activity due to': 30415, 'global outbreak russia': 352061, 'wept': 979238, 'ventolin it': 954660, 'not assist': 568262, 'assist breathing': 96617, 'doe help': 251408, 'get asthma': 346611, 'but moron': 146412, 'moron out': 541614, 'jesus wept': 465313, 'buying ventolin it': 151306, 'ventolin it will': 954662, 'not help if': 569927, 'get the virus': 348310, 'virus it doe': 958417, 'it doe not': 457618, 'doe not assist': 251476, 'not assist breathing': 568263, 'assist breathing if': 96618, 'pneumonia it doe': 662097, 'it doe help': 457612, 'doe help poor': 251409, 'poor bastard who': 664123, 'bastard who get': 112519, 'who get asthma': 988769, 'get asthma but': 346612, 'asthma but moron': 97189, 'but moron out': 146413, 'moron out there': 541615, 'there are buying': 878074, 'are buying it': 85123, 'buying it all': 150591, 'it all up': 456382, 'all up and': 45328, 'out you are': 627900, 'you are supposed': 1017250, 'that jesus wept': 844772, 'president kenyatta': 670847, 'kenyatta caution': 473003, 'caution trader': 168181, 'trader against': 928641, 'against doing': 37419, 'doing immoral': 252465, 'immoral practice': 417290, 'hoarding good': 399336, 'president kenyatta caution': 670848, 'kenyatta caution trader': 473004, 'caution trader against': 168182, 'trader against doing': 928642, 'against doing immoral': 37420, 'doing immoral practice': 252466, 'immoral practice of': 417291, 'practice of hiking': 668615, 'hiking price and': 396391, 'price and hoarding': 672435, 'and hoarding good': 64656, 'dundas': 262272, 'hurontario': 411459, 'stayhomesave': 798320, 'ago near': 38430, 'near dundas': 553480, 'dundas and': 262273, 'and hurontario': 64882, 'hurontario due': 411460, 'limited space': 492719, 'no physical': 565109, 'being maintained': 125415, 'were ignorant': 979760, 'ignorant too': 415801, 'into such': 443025, 'such issue': 816581, 'issue stayhomesave': 455940, 'to an indian': 900463, 'an indian grocery': 56270, 'day ago near': 227203, 'ago near dundas': 38431, 'near dundas and': 553481, 'dundas and hurontario': 262274, 'and hurontario due': 64883, 'hurontario due to': 411461, 'to limited space': 909313, 'limited space in': 492720, 'the store no': 868062, 'store no physical': 809085, 'no physical distancing': 565110, 'physical distancing wa': 655416, 'distancing wa being': 247601, 'wa being maintained': 961682, 'being maintained and': 125416, 'maintained and people': 509079, 'people were ignorant': 650207, 'were ignorant too': 979761, 'ignorant too please': 415802, 'too please look': 925003, 'look into such': 502434, 'into such issue': 443026, 'such issue stayhomesave': 816582, 'supermarket essentialbusiness': 820204, 'are here every': 87118, 'here every day': 392961, 'day from to': 227661, 'from to to': 338068, 'to to and': 917586, 'to and yes': 900539, 'zero line supermarket': 1027472, 'line supermarket essentialbusiness': 493435, 'supermarket essentialbusiness zinccafeandmarket': 820205, 'dispersion': 246171, 'informing': 438144, 'state lag': 795720, 'lag by': 478886, 'week behind': 976003, 'behind dispersion': 124623, 'dispersion pattern': 246172, 'pattern recorded': 644503, 'recorded in': 705105, 'delay is': 232715, 'helpful in': 391187, 'in informing': 424102, 'informing amp': 438145, 'social measure': 779832, 'measure but': 525145, 'also point': 48666, 'larger impact': 479891, 'is yet': 454118, 'united state lag': 942227, 'state lag by': 795721, 'lag by few': 478887, 'by few week': 152579, 'few week behind': 304137, 'week behind dispersion': 976004, 'behind dispersion pattern': 124624, 'dispersion pattern recorded': 246173, 'pattern recorded in': 644504, 'recorded in amp': 705106, 'in amp the': 420265, 'amp the delay': 54645, 'the delay is': 853048, 'delay is helpful': 232717, 'is helpful in': 448389, 'helpful in informing': 391188, 'in informing amp': 424103, 'informing amp social': 438146, 'amp social measure': 54525, 'social measure but': 779833, 'measure but also': 525146, 'but also point': 145132, 'also point to': 48667, 'point to larger': 662669, 'to larger impact': 909052, 'larger impact that': 479892, 'impact that is': 417985, 'that is yet': 844679, 'is yet to': 454120, 'yet to come': 1016287, 'attempted': 102267, 'subprime': 815839, 'google ha': 358156, 'ha blocked': 370010, 'blocked hundred': 132861, 'ad that': 31172, 'that attempted': 842884, 'attempted to': 102271, 'from among': 334469, 'among email': 53002, 'product some': 681637, 'some investment': 783139, 'investment firm': 443991, 'firm have': 308367, 'push subprime': 690319, 'subprime bond': 815840, 'to worried': 918831, 'worried investor': 1010568, 'investor harry': 444162, 'brennan report': 139324, 'google ha blocked': 358157, 'ha blocked hundred': 370012, 'blocked hundred of': 132862, 'thousand of ad': 893422, 'of ad that': 579765, 'ad that attempted': 31173, 'that attempted to': 842885, 'attempted to profit': 102274, 'profit from among': 682730, 'from among email': 334470, 'among email scam': 53003, 'email scam and': 272291, 'and fake product': 62631, 'fake product some': 296695, 'product some investment': 681638, 'some investment firm': 783140, 'investment firm have': 443992, 'firm have used': 308368, 'have used the': 383484, 'used the virus': 950018, 'virus to push': 958925, 'to push subprime': 912572, 'push subprime bond': 690320, 'subprime bond to': 815841, 'bond to worried': 134272, 'to worried investor': 918832, 'worried investor harry': 1010569, 'investor harry brennan': 444163, 'harry brennan report': 378548, 'fact about': 295669, 'are the fact': 90826, 'the fact about': 854814, 'fact about coronavirus': 295670, 'about coronavirus according': 25027, 'instinct': 440400, 'today lady': 919778, 'me selfish': 523433, 'selfish bitch': 748031, 'bitch because': 131749, 'because grabbed': 119085, 'grabbed the': 361568, 'last bread': 480123, 'bread she': 138580, 'she wanted': 756445, 'wanted my': 966219, 'first instinct': 308735, 'instinct were': 440405, 'to light': 909267, 'light his': 489527, 'as on': 94787, 'on fire': 600801, 'fire but': 308063, 'of responded': 588996, 'responded first': 715351, 'first come': 308577, 'first serve': 308995, 'serve bitch': 751872, 'today lady at': 919779, 'the supermarket called': 868503, 'supermarket called me': 819493, 'called me selfish': 156374, 'me selfish bitch': 523434, 'selfish bitch because': 748032, 'bitch because grabbed': 131750, 'because grabbed the': 119086, 'grabbed the last': 361569, 'the last bread': 858995, 'last bread she': 480124, 'bread she wanted': 138581, 'she wanted my': 756447, 'wanted my first': 966220, 'my first instinct': 548341, 'first instinct were': 308737, 'instinct were to': 440406, 'were to light': 980268, 'to light his': 909268, 'light his as': 489528, 'his as on': 397212, 'as on fire': 94788, 'on fire but': 600802, 'fire but because': 308064, 'because of responded': 119396, 'of responded first': 588997, 'responded first come': 715352, 'first come first': 308578, 'come first serve': 187287, 'first serve bitch': 308996, 'buying at our': 149968, 'at our super': 100035, 'our super market': 625001, '34kfwlbmsd': 17854, 'office factsnotfear': 595415, 'factsnotfear co': 296032, 'co 34kfwlbmsd': 184801, 'doctor office factsnotfear': 251045, 'office factsnotfear co': 595416, 'factsnotfear co 34kfwlbmsd': 296033, 'product american': 680852, 'american need': 52097, 'need policy': 555451, 'not hinder': 569974, 'hinder access': 396835, 'product company are': 681071, 'company are working': 190462, 'clock to make': 182416, 'make the product': 510579, 'the product american': 864582, 'product american need': 680853, 'american need to': 52098, 'crisis we need': 218351, 'we need policy': 972528, 'need policy to': 555452, 'policy to not': 663526, 'to not hinder': 910696, 'not hinder access': 569975, 'hinder access to': 396836, 'to essential good': 905258, 'fvck': 342566, 'paracetamol fvck': 641244, 'fvck you': 342567, 'who are increasing': 988162, 'paper and paracetamol': 639846, 'and paracetamol fvck': 68702, 'paracetamol fvck you': 641245, 'hyperbolic hysterical': 412301, 'hysterical is': 412499, 'grocery stocker': 365155, 'stocker are': 803494, 'hyperbolic hysterical is': 412302, 'hysterical is exactly': 412500, 'time grocery stocker': 896866, 'grocery stocker are': 365156, 'stocker are unsung': 803495, 'help stock store': 390580, 'ceo out': 169798, 'there which': 879344, 'which strategy': 986346, 'strategy are': 812614, 'you adopting': 1016829, 'adopting right': 32705, 'now cutting': 574489, 'cutting cost': 223716, 'price adapting': 672216, 'to whatever': 918528, 'whatever your': 982823, 'now building': 574273, 'building community': 142064, 'community running': 190074, 'running workshop': 728144, 'workshop on': 1009228, 'on zoom': 605534, 'zoom other': 1027819, 'other strategy': 620999, 'strategy ceo': 812632, 'the ceo out': 850616, 'ceo out there': 169799, 'out there which': 627527, 'there which strategy': 879345, 'which strategy are': 986347, 'strategy are you': 812615, 'are you adopting': 91761, 'you adopting right': 1016830, 'adopting right now': 32706, 'right now cutting': 722052, 'now cutting cost': 574490, 'cutting cost cutting': 223717, 'cost cutting price': 207905, 'cutting price adapting': 223761, 'price adapting to': 672217, 'adapting to whatever': 31353, 'to whatever your': 918529, 'whatever your customer': 982824, 'your customer need': 1023415, 'customer need right': 222617, 'need right now': 555528, 'right now building': 722035, 'now building community': 574274, 'building community running': 142065, 'community running workshop': 190075, 'running workshop on': 728145, 'workshop on zoom': 1009229, 'on zoom other': 605536, 'zoom other strategy': 1027820, 'other strategy ceo': 621000, 'more pensioner': 540002, 'pensioner will': 646697, 'cold due': 185751, 'high energy': 395062, 'than will': 841460, 'will dy': 993273, 'more pensioner will': 540003, 'pensioner will die': 646698, 'die of cold': 241417, 'of cold due': 581516, 'cold due to': 185752, 'to high energy': 907734, 'high energy price': 395063, 'energy price than': 276548, 'price than will': 676783, 'than will dy': 841461, 'will dy from': 993274, 'lasting maybe': 480774, 're hoarder': 698814, 'hoarder anyway': 398982, 'anyway scored': 81031, 'scored package': 742390, 'package unlike': 633448, 'commercial did': 188694, 'did pick': 240763, 'up stay': 946061, 'calm fear': 156735, 'your biggest': 1022962, 'biggest enemy': 130220, 'enemy toiletpaper': 276370, 'long lasting maybe': 501480, 'lasting maybe if': 480775, 'you re hoarder': 1020645, 're hoarder anyway': 698815, 'hoarder anyway scored': 398983, 'anyway scored package': 81032, 'scored package unlike': 742391, 'package unlike the': 633449, 'unlike the commercial': 942728, 'the commercial did': 851230, 'commercial did pick': 188695, 'did pick it': 240764, 'it up stay': 461969, 'up stay calm': 946063, 'stay calm fear': 796810, 'calm fear is': 156736, 'fear is your': 301178, 'is your biggest': 454134, 'your biggest enemy': 1022963, 'biggest enemy toiletpaper': 130222, 'enemy toiletpaper toiletpapercrisis': 276371, 'kill grocery': 474412, '19 kill grocery': 8234, 'kill grocery worker': 474413, 'worker the washington': 1007947, 'washington post via': 967796, 'repeat my': 711526, 'for respect': 325162, 'respect of': 715032, 'of consumerprotection': 581792, 'consumerprotection and': 199737, 'tourism business': 926972, 'package travel': 633441, 'holiday commission': 400272, 'commission travel': 188912, 'repeat my call': 711527, 'call for respect': 155889, 'for respect of': 325164, 'respect of consumerprotection': 715034, 'of consumerprotection and': 581793, 'consumerprotection and support': 199738, 'support to travel': 826957, 'travel and tourism': 930261, 'and tourism business': 74318, 'tourism business for': 926973, 'business for package': 143755, 'for package travel': 324350, 'package travel holiday': 633443, 'travel holiday commission': 930379, 'holiday commission travel': 400273, 'sidneysmithcre8tiv': 768966, 'quadruplethreatstar': 691669, 'standup': 793860, 'put down': 690558, 'down that': 257258, 'paper grab': 640228, 'condom sidneysmithcre8tiv': 193609, 'sidneysmithcre8tiv quadruplethreatstar': 768967, 'quadruplethreatstar comedian': 691670, 'comedian standup': 187727, 'standup comedy': 793861, 'joke toiletpaper': 467146, 'socialdistancing lol': 780502, 'put down that': 690560, 'down that toilet': 257260, 'toilet paper grab': 921291, 'paper grab some': 640229, 'grab some condom': 361530, 'some condom sidneysmithcre8tiv': 782585, 'condom sidneysmithcre8tiv quadruplethreatstar': 193610, 'sidneysmithcre8tiv quadruplethreatstar comedian': 768968, 'quadruplethreatstar comedian standup': 691671, 'comedian standup comedy': 187728, 'standup comedy joke': 793862, 'comedy joke toiletpaper': 187761, 'joke toiletpaper socialdistancing': 467147, 'toiletpaper socialdistancing lol': 922493, 'nuke': 576786, 'grau': 362419, 'first nuke': 308808, 'nuke 77': 576787, '77 headquarters': 22289, 'headquarters supermarket': 386037, 'supermarket 55': 818753, '55 grau': 20379, 'grau via': 362420, 'first nuke 77': 308809, 'nuke 77 headquarters': 576788, '77 headquarters supermarket': 22290, 'headquarters supermarket 55': 386038, 'supermarket 55 grau': 818754, '55 grau via': 20380, 'news have': 560497, 'stopped production': 805742, 'handwash or': 376786, 'soap why': 779181, 'why product': 991300, 'extremely necessary': 293914, 'news have you': 560498, 'have you stopped': 383695, 'you stopped production': 1021446, 'stopped production of': 805743, 'of sanitizer handwash': 589291, 'sanitizer handwash or': 735043, 'handwash or soap': 376787, 'or soap why': 617138, 'soap why product': 779182, 'why product are': 991301, 'available in market': 104447, 'in market online': 425147, 'market online when': 516800, 'online when they': 609715, 'they are extremely': 881269, 'are extremely necessary': 86396, 'naphtha': 551843, 'languishing': 479504, 'asia naphtha': 95203, 'naphtha price': 551845, 'are languishing': 87709, 'languishing at': 479505, 'at 18': 97485, 'product crack': 681095, 'crack spread': 214707, 'spread measure': 790626, 'it refining': 460677, 'refining margin': 706595, 'margin ha': 515634, 'territory icis': 838564, 'icis naphtha': 412765, 'naphtha asia': 551844, 'asia naphtha price': 95204, 'naphtha price are': 551846, 'price are languishing': 672689, 'are languishing at': 87710, 'languishing at 18': 479506, 'at 18 year': 97488, 'low while the': 505745, 'while the product': 987411, 'the product crack': 864585, 'product crack spread': 681096, 'crack spread measure': 214708, 'spread measure of': 790627, 'measure of it': 525269, 'of it refining': 585437, 'it refining margin': 460678, 'refining margin ha': 706596, 'margin ha fallen': 515635, 'fallen to negative': 297185, 'to negative territory': 910528, 'negative territory icis': 556831, 'territory icis naphtha': 838565, 'icis naphtha asia': 412766, 'recondition': 704867, 'to recondition': 912963, 'recondition myself': 704868, 'myself not': 550914, 'blow my': 133321, 'my nose': 549517, 'nose on': 567906, 'hard habit': 377926, 'break but': 138690, 'done toiletpaper': 255082, 'have to recondition': 383274, 'to recondition myself': 912964, 'recondition myself not': 704869, 'myself not to': 550915, 'not to blow': 572135, 'to blow my': 901868, 'blow my nose': 133322, 'my nose on': 549521, 'nose on toilet': 567907, 'paper it hard': 640378, 'it hard habit': 458486, 'hard habit to': 377927, 'habit to break': 372698, 'to break but': 901998, 'break but must': 138692, 'but must be': 146425, 'be done toiletpaper': 114570, 'any public': 79710, 'public servant': 688294, 'servant to': 751849, 'of duty': 582882, 'duty whether': 263623, 're bus': 698389, 'driver or': 259680, 'or prime': 616697, 'minister it': 533385, 'just health': 468946, 'need adequate': 554369, 'it very hard': 462032, 'very hard for': 955211, 'hard for any': 377915, 'for any public': 319421, 'any public servant': 79711, 'public servant to': 688297, 'servant to do': 751850, 'do social distancing': 250112, 'line of duty': 493301, 'of duty whether': 582888, 'duty whether you': 263624, 'you re bus': 1020581, 're bus driver': 698390, 'bus driver or': 143024, 'driver or prime': 259683, 'or prime minister': 616698, 'prime minister it': 678141, 'minister it not': 533386, 'not just health': 570226, 'just health and': 468947, 'health and care': 386130, 'and care staff': 59559, 'care staff who': 164214, 'staff who need': 793090, 'who need adequate': 989307, 'need adequate ppe': 554370, 'eod': 279249, 'retraction': 719741, 'be similar': 117190, 'recession unless': 704388, 'unless unemployment': 942652, 'unemployment stay': 941298, 'the eod': 854414, 'eod if': 279250, 'gov step': 359701, 'income if': 432373, 'curb activity': 220546, 'beat covid': 118516, '19 temp': 11060, 'temp gdp': 837326, 'gdp retraction': 344911, 'retraction shouldn': 719742, '19 won be': 12160, 'won be similar': 1003750, 'be similar to': 117191, 'similar to the': 769942, 'to the great': 916749, 'the great recession': 856730, 'great recession unless': 362950, 'recession unless unemployment': 704389, 'unless unemployment stay': 942654, 'unemployment stay at': 941299, 'stay at the': 796774, 'at the eod': 100938, 'the eod if': 854415, 'eod if the': 279251, 'if the gov': 414977, 'the gov step': 856492, 'gov step up': 359702, 'step up for': 799690, 'the consumer business': 851502, 'consumer business people': 196679, 'business people will': 144211, 'will still have': 994980, 'still have income': 800654, 'have income if': 381046, 'income if it': 432374, 'if it necessary': 414322, 'necessary to curb': 554114, 'to curb activity': 903796, 'curb activity to': 220547, 'activity to beat': 30513, 'to beat covid': 901654, 'beat covid 19': 118517, 'covid 19 temp': 213919, '19 temp gdp': 11061, 'temp gdp retraction': 837327, 'gdp retraction shouldn': 344912, 'retraction shouldn be': 719743, 'shouldn be surprise': 766728, 'westbiloxi': 980567, 'walmarts': 965492, 'in westbiloxi': 430807, 'westbiloxi where': 980568, 'only two': 611391, 'both walmarts': 136084, 'walmarts the': 965497, 'the larger': 858952, 'larger store': 479903, 'which offer': 986188, 'ordering shut': 619016, 'service down': 752302, 'monday for': 536283, 'no folk': 564244, 'folk here': 312177, 'not here in': 569949, 'here in westbiloxi': 393193, 'in westbiloxi where': 430808, 'westbiloxi where there': 980569, 'are only two': 88778, 'only two grocery': 611393, 'store which are': 811270, 'which are both': 985672, 'are both walmarts': 85039, 'both walmarts the': 136085, 'walmarts the larger': 965498, 'the larger store': 858954, 'larger store which': 479904, 'store which offer': 811275, 'which offer online': 986189, 'offer online ordering': 594724, 'online ordering shut': 608714, 'ordering shut that': 619017, 'shut that service': 767938, 'that service down': 846211, 'service down on': 752303, 'down on monday': 257026, 'on monday for': 602166, 'monday for week': 536285, 'for week so': 327748, 'week so no': 976891, 'so no folk': 777885, 'no folk here': 564245, 'folk here can': 312178, 'here can just': 392852, 'can just go': 158797, 'and buy it': 59341, 'some clear': 782546, 'clear shift': 181319, 'behaviour good': 124431, 'we are starting': 970720, 'see some clear': 745713, 'some clear shift': 782547, 'clear shift in': 181321, 'consumer behaviour good': 196573, 'behaviour good read': 124432, 'behaviorchange': 124342, 'consumer experience': 197412, 'more uncertainty': 540843, 'uncertainty during': 939684, 'health brand': 386201, 'to react': 912813, 'react it': 700136, 'important these': 419022, 'brand consider': 137804, 'insight when': 439656, 'when responding': 983941, 'their varying': 875120, 'varying audience': 952678, 'audience behaviorchange': 102907, 'behaviorchange by': 124343, 'consumer experience more': 197415, 'experience more uncertainty': 291421, 'more uncertainty during': 540844, 'uncertainty during the': 939685, '19 crisis they': 6336, 'crisis they look': 218215, 'they look to': 882627, 'look to consumer': 502628, 'consumer health brand': 197719, 'health brand on': 386202, 'brand on how': 137951, 'how to react': 409067, 'to react it': 912815, 'react it important': 700137, 'it important these': 458711, 'important these brand': 419023, 'these brand consider': 879698, 'brand consider these': 137805, 'consider these key': 195155, 'these key insight': 880210, 'key insight when': 473329, 'insight when responding': 439657, 'when responding to': 983942, 'responding to their': 715589, 'to their varying': 917276, 'their varying audience': 875121, 'varying audience behaviorchange': 952679, 'audience behaviorchange by': 102908, 'ha truly': 372373, 'truly changed': 933277, 'stake but': 793300, 'our mentalhealth': 623910, 'mentalhealth wa': 528690, 'by national': 153302, 'national drug': 552483, 'drug watch': 261151, 'watch organization': 968494, 'organization on': 619408, 'very issue': 955282, 'coronavirus mentalhealth': 206284, 'corona ha truly': 203973, 'ha truly changed': 372374, 'truly changed the': 933278, 'changed the life': 172567, 'life of many': 488922, 'of many of': 586183, 'many of not': 514379, 'of not only': 587084, 'only is our': 610659, 'is our health': 450623, 'our health at': 623369, 'health at stake': 386176, 'at stake but': 100627, 'stake but also': 793301, 'also our mentalhealth': 48634, 'our mentalhealth wa': 623911, 'mentalhealth wa interviewed': 528691, 'interviewed by national': 442278, 'by national drug': 153303, 'national drug watch': 552484, 'drug watch organization': 261152, 'watch organization on': 968495, 'organization on this': 619409, 'on this very': 604643, 'this very issue': 890960, 'very issue consumer': 955283, 'issue consumer guide': 455710, 'guide to the': 368373, 'the coronavirus mentalhealth': 851880, 'pisano': 656938, 'affect and': 34115, 'change customer': 171998, 'customer habit': 222425, 'behavior pisano': 124145, 'pisano we': 656939, 'share our': 755138, 'our suggestion': 624994, 'suggestion that': 817663, 'enable company': 275420, 'good customer': 356933, 'intense crisis': 441075, '19 pandemic affect': 9253, 'pandemic affect and': 634803, 'affect and change': 34116, 'and change customer': 59720, 'change customer habit': 172000, 'customer habit and': 222426, 'habit and consumer': 372550, 'consumer behavior pisano': 196499, 'behavior pisano we': 124146, 'pisano we wanted': 656940, 'to share our': 914357, 'share our suggestion': 755142, 'our suggestion that': 624995, 'suggestion that will': 817665, 'that will enable': 847570, 'will enable company': 993293, 'enable company to': 275421, 'company to have': 191228, 'to have good': 907246, 'have good customer': 380801, 'good customer experience': 356935, 'customer experience in': 222353, 'experience in such': 291396, 'in such an': 428520, 'such an intense': 816328, 'an intense crisis': 56387, 'intense crisis period': 441076, 'walmart cut': 965309, 'cut store': 223555, 'for restocking': 325180, 'giant ha': 349784, 'reduced it': 706105, 'store operating': 809288, 'operating hour': 613077, 'give employee': 350467, 'sanitize store': 734217, 'retail restocking': 718461, 'restocking store': 717024, 'walmart retailtrends': 965404, 'walmart cut store': 965310, 'cut store hour': 223556, 'hour for restocking': 405615, 'for restocking the': 325183, 'restocking the retail': 717027, 'retail giant ha': 718142, 'giant ha reduced': 349787, 'ha reduced it': 371683, 'reduced it store': 706110, 'it store operating': 461296, 'store operating hour': 809289, 'operating hour to': 613078, 'to give employee': 906682, 'give employee more': 350470, 'employee more time': 274047, 'restock shelf and': 716901, 'shelf and clean': 756724, 'and clean and': 59932, 'clean and sanitize': 180468, 'and sanitize store': 70849, 'sanitize store retail': 734218, 'store retail restocking': 809874, 'retail restocking store': 718462, 'restocking store walmart': 717025, 'store walmart retailtrends': 811145, 'venezuelan supermarket in': 954464, 'face of there': 294678, 'liberally': 488027, 'foodstorage': 318148, 'grocery then': 366033, 'then wear': 877734, 'it liberally': 459339, 'liberally read': 488028, 'more virus': 540915, 'handsanitizer prepping': 376609, 'prepping preparedness': 670424, 'preparedness foodstorage': 670284, 'buy grocery then': 148760, 'grocery then wear': 366034, 'then wear mask': 877735, 'mask and carry': 518310, 'and carry hand': 59582, 'pocket and use': 662154, 'use it liberally': 949306, 'it liberally read': 459340, 'liberally read more': 488029, 'read more virus': 700456, 'more virus pandemic': 540916, 'virus pandemic handsanitizer': 958600, 'pandemic handsanitizer prepping': 635584, 'handsanitizer prepping preparedness': 376610, 'prepping preparedness foodstorage': 670425, 'than blessing': 840415, 'blessing that': 132650, 'that daraz': 843437, 'daraz is': 225925, 'offering you': 595329, 'really glad': 702226, 'glad that': 351516, 'that platform': 845764, 'daraz are': 225923, 'following who': 312940, 'at this hour': 101235, 'this hour it': 887957, 'hour it no': 405713, 'it no le': 459829, 'no le than': 564586, 'le than blessing': 483166, 'than blessing that': 840416, 'blessing that daraz': 132651, 'that daraz is': 843438, 'daraz is offering': 225926, 'is offering you': 450434, 'offering you all': 595330, 'you all online': 1016898, 'all online shopping': 43752, 'shopping this make': 764130, 'me really glad': 523378, 'really glad that': 702227, 'glad that platform': 351517, 'that platform like': 845765, 'like daraz are': 490095, 'daraz are acting': 225924, 'are acting responsibly': 84194, 'by following who': 152611, 'following who guideline': 312941, 'in their delivery': 429734, 'their delivery package': 872994, '320': 17704, '330': 17777, 'zealot': 1027330, 'saw post': 738217, 'linkedin claiming': 493999, 'claiming american': 179897, 'american use': 52281, 'use billion': 949075, 'billion roll': 130909, 'toiletpaper day': 921908, 'there 320': 877943, '320 330': 17705, '330 million': 17779, 'america once': 51638, 'the eco': 853875, 'eco zealot': 266663, 'zealot lie': 1027331, 'used 10': 949856, '10 roll': 1661, 'tp yourself': 928043, 'just saw post': 469688, 'saw post on': 738218, 'post on linkedin': 666254, 'on linkedin claiming': 601872, 'linkedin claiming american': 494000, 'claiming american use': 179898, 'american use billion': 52282, 'use billion roll': 949076, 'billion roll of': 130910, 'of toiletpaper day': 592259, 'toiletpaper day there': 921909, 'day there 320': 228508, 'there 320 330': 877944, '320 330 million': 17706, '330 million people': 17780, 'in america once': 420234, 'america once again': 51639, 'again the eco': 37207, 'the eco zealot': 853876, 'eco zealot lie': 266664, 'zealot lie and': 1027332, 'lie and get': 488334, 'and get away': 63563, 'with it when': 999089, 'it when is': 462338, 'last time you': 480579, 'time you used': 898420, 'you used 10': 1022013, 'used 10 roll': 949857, '10 roll of': 1663, 'of tp yourself': 592386, 'tp yourself in': 928044, 'yourself in one': 1026646, 'in one day': 426141, 'one day panicbuying': 606162, 'magnified': 508431, 'fct': 300811, 'domestic production': 253221, 'production may': 682125, 'be magnified': 115869, 'magnified if': 508432, 'if severe': 414771, '19 occurs': 8882, 'occurs despite': 579077, 'ongoing effort': 607631, 'pandemic through': 636763, 'through compulsory': 894377, 'compulsory lockdown': 192718, 'lockdown of': 499712, 'and ogun': 68014, 'state well': 796074, 'the fct': 855011, 'according to her': 28551, 'to her the': 907709, 'her the decline': 392433, 'price and domestic': 672398, 'and domestic production': 61616, 'domestic production may': 253222, 'production may be': 682126, 'may be magnified': 521006, 'be magnified if': 115870, 'magnified if severe': 508433, 'if severe outbreak': 414772, 'covid 19 occurs': 213501, '19 occurs despite': 8883, 'occurs despite ongoing': 579078, 'despite ongoing effort': 238807, 'ongoing effort to': 607632, 'effort to curtail': 269619, 'the pandemic through': 863128, 'pandemic through compulsory': 636764, 'through compulsory lockdown': 894378, 'compulsory lockdown of': 192719, 'lockdown of lagos': 499716, 'of lagos and': 585705, 'lagos and ogun': 478921, 'and ogun state': 68015, 'ogun state well': 596339, 'state well the': 796075, 'well the fct': 978658, 'gently': 345855, 'directing': 243430, 'restriction evident': 717267, 'evident in': 288413, 'richmond this': 721369, 'morning little': 541341, 'little vehicle': 495634, 'vehicle traffic': 954291, 'in swan': 428758, 'swan st': 829966, 'st free': 791697, 'free parking': 332047, 'parking cole': 642064, 'supermarket gently': 820485, 'gently directing': 345856, 'directing in': 243435, 'store access': 806056, 'access no': 28157, 'essential kindness': 281265, 'kindness two': 475229, 'two separate': 937199, 'separate people': 751080, 'people offered': 648941, 'offered help': 594926, 'my bag': 547384, '19 restriction evident': 10176, 'restriction evident in': 717268, 'evident in richmond': 288414, 'in richmond this': 427504, 'richmond this morning': 721370, 'this morning little': 888982, 'morning little vehicle': 541342, 'little vehicle traffic': 495635, 'vehicle traffic in': 954292, 'traffic in swan': 929103, 'in swan st': 428759, 'swan st free': 829967, 'st free parking': 791698, 'free parking cole': 332048, 'parking cole supermarket': 642065, 'cole supermarket gently': 185880, 'supermarket gently directing': 820486, 'gently directing in': 345857, 'directing in store': 243436, 'in store access': 428379, 'store access no': 806057, 'access no shortage': 28158, 'of essential kindness': 583176, 'essential kindness two': 281266, 'kindness two separate': 475230, 'two separate people': 937200, 'separate people offered': 751081, 'people offered help': 648942, 'offered help with': 594927, 'help with my': 390918, 'with my bag': 999609, 'app downloads': 81700, 'downloads and': 257656, 'in app': 420448, 'app spending': 81760, 'are booming': 85020, 'this via': 890970, 'app downloads and': 81701, 'downloads and in': 257658, 'and in app': 65043, 'in app spending': 420449, 'app spending are': 81761, 'spending are booming': 788749, 'are booming during': 85022, 'booming during and': 134876, 'during and china': 262453, 'and china is': 59856, 'china is already': 176743, 'already the biggest': 47715, 'the biggest market': 849663, 'biggest market for': 130274, 'market for this': 516414, 'for this via': 327084, '4p': 19496, 'this tokyo': 890797, 'tokyo grocery': 923491, 'grocery no': 364754, 'no it': 564531, 'it 4p': 456208, '4p friday': 19497, 'friday japan': 333246, 'japan capital': 464714, 'capital is': 162661, 'an advised': 55161, 'advised not': 33631, 'mandatory stay': 513066, 'home weekend': 402469, 'but instant': 146060, 'noodle meat': 566806, 'meat bun': 525504, 'bun fish': 142609, 'fish cake': 309300, 'frozen veg': 339025, 'veg are': 953719, 'clear faves': 181248, 'faves is': 300454, 'buying at this': 149973, 'at this tokyo': 101262, 'this tokyo grocery': 890798, 'tokyo grocery no': 923492, 'grocery no it': 364755, 'no it 4p': 564532, 'it 4p friday': 456209, '4p friday japan': 19498, 'friday japan capital': 333247, 'japan capital is': 464715, 'capital is going': 162662, 'going into an': 355229, 'into an advised': 442389, 'an advised not': 55162, 'advised not mandatory': 33632, 'not mandatory stay': 570526, 'mandatory stay home': 513067, 'stay home weekend': 797026, 'home weekend lot': 402470, 'food but instant': 313815, 'but instant noodle': 146061, 'instant noodle meat': 440108, 'noodle meat bun': 566807, 'meat bun fish': 525505, 'bun fish cake': 142610, 'fish cake and': 309301, 'cake and frozen': 155216, 'and frozen veg': 63365, 'frozen veg are': 339026, 'veg are clear': 953720, 'are clear faves': 85300, 'clear faves is': 181249, 'faves is here': 300455, 'prioritized': 678456, 'bcg second': 113339, 'reveals consistency': 720309, 'consistency in': 195475, 'impacting category': 418185, 'category across': 167151, 'across surveyed': 29474, 'surveyed country': 828998, 'country while': 211228, 'spending saving': 788980, 'being prioritized': 125581, 'bcg second covid': 113340, 'snapshot reveals consistency': 776167, 'reveals consistency in': 720310, 'consistency in how': 195476, 'in how the': 423878, 'how the virus': 408889, 'virus is impacting': 958381, 'is impacting category': 448695, 'impacting category across': 418186, 'category across surveyed': 167152, 'across surveyed country': 29475, 'surveyed country while': 828999, 'country while consumer': 211229, 'consumer have reduced': 197713, 'have reduced spending': 382232, 'reduced spending saving': 706171, 'spending saving and': 788981, 'saving and wellness': 737846, 'wellness are being': 978829, 'are being prioritized': 84896, 'littering': 495214, 'recyclables': 705527, 'wearing clove': 974604, 'clove precaution': 184350, 'throwing glove': 895095, 'lot or': 504334, 'or littering': 615979, 'littering the': 495215, 'sidewalk with': 768964, 'your maid': 1024758, 'maid throw': 508553, 'trash or': 930170, 'or recyclables': 616808, 'recyclables like': 705528, 'were raised': 980020, 'raised properly': 696034, 'all for wearing': 42852, 'for wearing clove': 327667, 'wearing clove precaution': 974605, 'clove precaution against': 184351, 'precaution against but': 669266, 'but please stop': 146805, 'please stop throwing': 660595, 'stop throwing glove': 805207, 'throwing glove on': 895096, 'ground in parking': 366513, 'parking lot or': 642098, 'lot or littering': 504335, 'or littering the': 615980, 'littering the sidewalk': 495217, 'the sidewalk with': 867169, 'sidewalk with them': 768965, 'with them grocery': 1001613, 'employee are not': 273622, 'are not your': 88502, 'not your maid': 572634, 'your maid throw': 1024759, 'maid throw them': 508554, 'throw them in': 895057, 'the trash or': 869921, 'trash or recyclables': 930171, 'or recyclables like': 616809, 'recyclables like you': 705529, 'like you were': 491884, 'you were raised': 1022255, 'were raised properly': 980023, 'warning regarding': 967185, 'regarding fraudulent': 707215, 'treatment do': 931060, 'fooled there': 318326, 'by fda': 152563, 'fda pas': 300900, 'it along': 456407, 'along for': 46992, 'info please': 437554, 'ha issued warning': 371009, 'issued warning regarding': 456111, 'warning regarding fraudulent': 967186, 'regarding fraudulent coronavirus': 707216, 'and treatment do': 74435, 'treatment do not': 931062, 'be fooled there': 114902, 'fooled there are': 318327, 'approved by fda': 83135, 'by fda pas': 152565, 'fda pas it': 300901, 'pas it along': 643114, 'it along for': 456408, 'along for more': 46993, 'more info please': 539561, 'info please visit': 437556, 'eastenders': 265365, 'ohtogobacktonormal': 596575, 'shelf place': 757412, 'place closing': 657387, 'closing people': 183721, 'people isolated': 648529, 'isolated holiday': 455003, 'holiday cancelled': 400266, 'cancelled people': 161159, 'people fearing': 647883, 'fearing for': 301484, 'no eastenders': 564071, 'eastenders tonight': 265368, 'tonight damn': 924395, 'damn ohtogobacktonormal': 225406, 'supermarket shelf place': 822510, 'shelf place closing': 757413, 'place closing people': 657388, 'closing people isolated': 183723, 'people isolated holiday': 648530, 'isolated holiday cancelled': 455004, 'holiday cancelled people': 400268, 'cancelled people fearing': 161161, 'people fearing for': 647884, 'fearing for their': 301485, 'for their job': 326843, 'now there will': 576096, 'be no eastenders': 116095, 'no eastenders tonight': 564072, 'eastenders tonight damn': 265369, 'tonight damn ohtogobacktonormal': 924396, 'sen kelly': 749673, 'sold more': 781702, 'stock than': 802913, 'than known': 840828, 'known 18': 477198, '18 million': 4554, 'million including': 532200, 'including share': 432141, 'buying into': 150558, 'into company': 442468, 'company making': 190870, 'making coronavirus': 511005, 'coronavirus protective': 206606, 'gear after': 344936, 'she attended': 755873, 'attended closed': 102390, 'briefing and': 139697, 'and publicly': 69754, 'publicly claimed': 688581, 'claimed dems': 179878, 'dems were': 236901, 'were overhyping': 979959, 'overhyping the': 631261, 'sen kelly loeffler': 749674, 'kelly loeffler sold': 472720, 'loeffler sold more': 500600, 'sold more stock': 781703, 'more stock than': 540471, 'stock than known': 802914, 'than known 18': 840829, 'known 18 million': 477199, '18 million including': 4555, 'million including share': 532201, 'including share in': 432142, 'share in retail': 755055, 'retail store while': 718728, 'store while buying': 811279, 'while buying into': 986666, 'buying into company': 150559, 'into company making': 442469, 'company making coronavirus': 190871, 'making coronavirus protective': 511006, 'coronavirus protective gear': 206607, 'protective gear after': 685750, 'gear after she': 344937, 'after she attended': 36185, 'she attended closed': 755874, 'attended closed door': 102391, 'door briefing and': 255536, 'briefing and publicly': 139698, 'and publicly claimed': 69755, 'publicly claimed dems': 688582, 'claimed dems were': 179879, 'dems were overhyping': 236902, 'were overhyping the': 979960, 'overhyping the virus': 631262, 'hope covid': 403441, 'teach to': 835409, 'stop judging': 804798, 'judging people': 467669, 'people based': 647214, 'job title': 466212, 'title or': 899292, 'or earnings': 615104, 'earnings grocery': 264910, 'driver fast': 259556, 'collector sanitation': 186582, 'one taking': 607156, 'taking through': 833624, 'hope covid 19': 403442, '19 will teach': 12114, 'will teach to': 995096, 'teach to stop': 835411, 'to stop judging': 915542, 'stop judging people': 804799, 'judging people based': 467670, 'people based on': 647215, 'on their job': 604489, 'their job title': 873741, 'job title or': 466213, 'title or earnings': 899293, 'or earnings grocery': 615105, 'earnings grocery store': 264911, 'store worker bus': 811463, 'delivery driver fast': 233907, 'driver fast food': 259557, 'food worker garbage': 317672, 'garbage collector sanitation': 343524, 'collector sanitation worker': 186583, 'sanitation worker etc': 733873, 'worker etc they': 1006871, 'the one taking': 862226, 'one taking through': 607159, 'taking through this': 833625, 'texpirg': 839860, 'absentee': 27211, 'texpirg is': 839861, 'join such': 466844, 'an esteemed': 55847, 'esteemed group': 282219, 'of individual': 585132, 'demonstrate leadership': 236833, 'on absentee': 599142, 'absentee voting': 27212, 'voting we': 960620, 'our right': 624645, 'health or': 386713, 'others txlege': 621752, 'texpirg is proud': 839862, 'to join such': 908683, 'join such an': 466845, 'such an esteemed': 816323, 'an esteemed group': 55848, 'esteemed group of': 282220, 'group of individual': 366793, 'of individual and': 585133, 'individual and organization': 435131, 'and organization in': 68271, 'on to demonstrate': 604731, 'to demonstrate leadership': 904167, 'demonstrate leadership on': 236834, 'leadership on absentee': 483638, 'on absentee voting': 599143, 'absentee voting we': 27213, 'voting we should': 960621, 'have to choose': 383176, 'choose between our': 177880, 'between our right': 128846, 'our right to': 624646, 'right to vote': 722360, 'vote and our': 960467, 'our health or': 623377, 'health or that': 386714, 'or that of': 617360, 'that of others': 845450, 'of others txlege': 587412, 'equifax': 279651, 'experian': 291297, 'three major': 893977, 'major credit': 509292, 'credit reference': 216477, 'reference agency': 706484, 'agency equifax': 38006, 'equifax transunion': 279652, 'transunion and': 930073, 'and experian': 62500, 'experian have': 291298, 'agreed payment': 38719, 'their lender': 873804, 'lender due': 486224, 'three major credit': 893979, 'major credit reference': 509293, 'credit reference agency': 216478, 'reference agency equifax': 706485, 'agency equifax transunion': 38007, 'equifax transunion and': 279653, 'transunion and experian': 930074, 'and experian have': 62501, 'experian have agreed': 291299, 'agreed to protect': 38742, 'protect the credit': 684967, 'the credit score': 852319, 'credit score of': 216506, 'score of those': 742364, 'who have agreed': 988905, 'have agreed payment': 379144, 'agreed payment holiday': 38720, 'payment holiday with': 645652, 'holiday with their': 400388, 'with their lender': 1001580, 'their lender due': 873805, 'lender due to': 486225, 'soon after': 785614, 'announced their': 77085, 'their north': 874070, 'coronavirus followed': 205930, 'followed suit': 312608, 'suit the': 817790, 'popular beauty': 664534, 'beauty store': 118801, 'closed starting': 183345, '6pm until': 21666, 'update soon after': 947215, 'soon after announced': 785615, 'after announced their': 35367, 'announced their north': 77086, 'their north american': 874071, 'be closing because': 114143, 'the coronavirus followed': 851848, 'coronavirus followed suit': 205931, 'followed suit the': 312609, 'suit the popular': 817791, 'the popular beauty': 864013, 'popular beauty store': 664535, 'beauty store will': 118803, 'be closed starting': 114133, 'closed starting today': 183346, 'starting today at': 795051, 'today at 6pm': 919270, 'at 6pm until': 97735, '6pm until march': 21667, 'until march 31': 943765, 'to datasets': 903918, 'datasets that': 226570, 'and geo': 63539, 'geo location': 345928, 'location detail': 498887, 'detail we': 239269, 'how sector': 408629, 'impacted over': 418141, 'likely month': 492052, 'month externaldata': 537715, 'access to datasets': 28227, 'to datasets that': 903919, 'datasets that track': 226571, 'profile and geo': 682605, 'and geo location': 63540, 'geo location detail': 345929, 'location detail we': 498888, 'detail we can': 239270, 'help understand how': 390830, 'understand how sector': 940648, 'how sector are': 408630, 'sector are being': 744095, 'being impacted over': 125284, 'impacted over the': 418142, 'coming day and': 188018, 'day and likely': 227269, 'and likely month': 66161, 'likely month externaldata': 492053, 'any spray': 79845, 'bottle can': 136199, 'repurposed do': 713095, 'yourself bidet': 1026547, 'any spray bottle': 79846, 'spray bottle can': 790276, 'bottle can be': 136200, 'be repurposed do': 116811, 'repurposed do it': 713096, 'it yourself bidet': 462670, 'yourself bidet toiletpaper': 1026548, 'idly': 413701, 'voluntary': 960196, 'just sitting': 469810, 'sitting idly': 772116, 'idly by': 413702, 'by while': 154732, 'while someone': 987302, 'someone scream': 784639, 'scream at': 742634, 'walmart etc': 965326, 'please speak': 660530, 'business either': 143692, 'either started': 270377, 'started voluntary': 794894, 'voluntary self': 960199, 'quarantine or': 692408, 'started being': 794690, 'those of all': 892260, 'of all that': 579981, 'all that are': 44629, 'that are just': 842769, 'are just sitting': 87637, 'just sitting idly': 469811, 'sitting idly by': 772117, 'idly by while': 413703, 'by while someone': 154733, 'while someone scream': 987303, 'someone scream at': 784640, 'scream at grocery': 742635, 'store walmart etc': 811144, 'walmart etc worker': 965327, 'etc worker please': 282906, 'worker please speak': 1007591, 'please speak up': 660531, 'speak up and': 787724, 'up and say': 944368, 'and say something': 71004, 'say something because': 739161, 'lot of employee': 504183, 'of employee for': 583074, 'employee for essential': 273862, 'for essential business': 321095, 'essential business either': 280844, 'business either started': 143693, 'either started voluntary': 270378, 'started voluntary self': 794895, 'voluntary self quarantine': 960201, 'self quarantine or': 747865, 'quarantine or have': 692409, 'or have started': 615590, 'have started being': 382718, 'me there': 523675, 'at another': 98015, 'road go': 724452, 'no joy': 564552, 'joy try': 467528, 'try three': 934596, 'three more': 894005, 'more same': 540305, 'same story': 733307, 'story really': 812106, 'really pushing': 702499, 'pushing cloth': 690400, 'cloth now': 184098, 'so drive': 776918, 'to nearby': 910498, 'nearby town': 553694, 'town three': 927568, 'three big': 893883, 'big shop': 129986, 'tell me there': 837024, 'me there are': 523676, 'there are supposed': 878170, 'to be some': 901554, 'be some at': 117295, 'some at another': 782350, 'at another store': 98018, 'another store down': 77871, 'store down the': 807381, 'down the road': 257299, 'the road go': 865928, 'road go there': 724453, 'go there no': 354225, 'there no joy': 878816, 'no joy try': 564553, 'joy try three': 467529, 'try three more': 934597, 'three more same': 894006, 'more same story': 540306, 'same story really': 733308, 'story really pushing': 812107, 'really pushing cloth': 702500, 'pushing cloth now': 690401, 'cloth now so': 184099, 'now so drive': 575847, 'so drive to': 776919, 'drive to nearby': 259225, 'to nearby town': 910501, 'nearby town three': 553695, 'town three big': 927569, 'three big shop': 893885, 'big shop the': 129988, 'shop the shelf': 760907, 'are empty stoppanicbuying': 86169, 'empty stoppanicbuying stophoarding': 275146, 'helicopter': 388963, 'whatsapp msg': 982902, 'msg from': 544522, 'mom what': 535837, 'we living': 972227, 'to spray': 915045, 'city from': 179156, 'from helicopter': 335755, 'whatsapp msg from': 982903, 'msg from my': 544523, 'from my mom': 336517, 'my mom what': 549288, 'mom what world': 535838, 'what world are': 982633, 'world are we': 1009327, 'are we living': 91576, 'we living in': 972228, 'living in they': 496394, 'in they re': 429886, 'going to spray': 355715, 'to spray hand': 915047, 'the city from': 850934, 'city from helicopter': 179157, 'doe one': 251541, 'one report': 606951, 'reason nyc': 702967, 'nyc nyclockdown': 578021, 'how doe one': 407745, 'doe one report': 251542, 'one report business': 606952, 'that are raising': 842802, 'price for no': 674014, 'no reason nyc': 565295, 'reason nyc nyclockdown': 702968, 'dog look': 252125, 'giant bag': 349755, 'of purina': 588616, 'purina just': 690061, 'just brought': 468376, 'otherwise empty': 621835, 'love how the': 504698, 'how the dog': 408816, 'the dog look': 853497, 'dog look at': 252126, 'at the giant': 100960, 'the giant bag': 856253, 'giant bag of': 349756, 'bag of purina': 108364, 'of purina just': 588617, 'purina just brought': 690062, 'just brought from': 468377, 'brought from an': 141154, 'from an otherwise': 334495, 'an otherwise empty': 56721, 'otherwise empty shelved': 621836, 'store and think': 806377, 'think it for': 885329, 'it for him': 458080, 'shopping used': 764301, 'be simple': 117192, 'simple order': 770068, 'order your': 618803, 'delivered now': 233362, 'it drive': 457704, 'drive around': 258987, 'around every': 93279, 'nothing empty': 572999, 'is buying': 446327, 'food shopping used': 316544, 'shopping used to': 764302, 'to be simple': 901541, 'be simple order': 117193, 'simple order your': 770069, 'order your food': 618805, 'food and get': 313243, 'it delivered now': 457505, 'delivered now it': 233364, 'now it drive': 575113, 'it drive around': 457705, 'drive around every': 258988, 'around every supermarket': 93280, 'every supermarket for': 286251, 'supermarket for nothing': 820409, 'for nothing empty': 323940, 'nothing empty shelf': 573000, 'empty shelf who': 275111, 'shelf who is': 757807, 'who is buying': 989063, 'is buying all': 446328, 'ha depression': 370358, 'depression do': 237641, 'talk for': 833793, 'for speak': 325802, 'yourself our': 1026676, 'health will': 386958, 'suffer even': 817203, 'we lose': 972299, 'pandemic rather': 636288, 'rather isolate': 697476, 'isolate myself': 454891, 'manage my': 512407, 'my symptom': 550299, 'symptom than': 830933, 'who ha depression': 988840, 'ha depression do': 370359, 'depression do not': 237642, 'do not talk': 249864, 'not talk for': 571938, 'talk for speak': 833795, 'for speak for': 325803, 'speak for yourself': 787689, 'for yourself our': 328237, 'yourself our mental': 1026677, 'mental health will': 528653, 'health will suffer': 386959, 'will suffer even': 995021, 'suffer even more': 817204, 'even more if': 284362, 'more if we': 539478, 'if we lose': 415292, 'we lose more': 972300, 'lose more people': 503456, 'more people during': 540015, 'this pandemic rather': 889418, 'pandemic rather isolate': 636289, 'rather isolate myself': 697477, 'isolate myself and': 454892, 'myself and learn': 550820, 'and learn to': 66040, 'to manage my': 909793, 'manage my symptom': 512409, 'my symptom than': 550300, 'with standing': 1000939, 'standing zone': 793837, 'zone and': 1027748, 'and arrow': 58406, 'at this supermarket': 101260, 'supermarket is an': 821068, 'is an aisle': 445638, 'an aisle with': 55219, 'aisle with standing': 40440, 'with standing zone': 1000940, 'standing zone and': 793838, 'zone and arrow': 1027749, 'uncontrollable': 939876, 'perso': 652283, 'of flu': 583612, 'is uncontrollable': 453450, 'uncontrollable let': 939878, 'let deal': 486672, 'in instead': 424116, 'person could': 652383, 'could identify': 209311, 'identify every': 413356, 'every perso': 286094, 'what make you': 981850, 'make you say': 510747, 'you say the': 1021004, 'say the spread': 739304, 'spread of flu': 790671, 'of flu is': 583613, 'flu is uncontrollable': 311427, 'is uncontrollable let': 453451, 'uncontrollable let deal': 939879, 'let deal in': 486673, 'deal in fact': 229426, 'in fact and': 422757, 'fact and while': 295679, 'we are at': 970485, 'are at it': 84670, 'at it can': 99317, 'it can we': 457038, 'can we deal': 160167, 'we deal in': 971243, 'deal in instead': 229427, 'in instead of': 424117, 'instead of if': 440278, 'of if every': 584971, 'if every person': 414088, 'every person could': 286097, 'person could identify': 652384, 'could identify every': 209312, 'identify every perso': 413357, 'new campaign': 558442, 'campaign launched': 157234, 'launched by': 481968, 'by aim': 151781, 'purchase just': 689519, 'new campaign launched': 558443, 'campaign launched by': 157235, 'launched by aim': 481969, 'by aim to': 151782, 'aim to remind': 39560, 'remind people to': 710503, 'people to purchase': 649929, 'to purchase just': 912539, 'purchase just what': 689521, 'just what they': 470287, 'help keep store': 389973, 'store shelf full': 810074, 'you maintain': 1019750, 'can you maintain': 160317, 'you maintain social': 1019751, 'between crashing': 128755, 'the ev': 854592, 'ev revolution': 283674, 'revolution ha': 720744, 'been put': 121751, 'pause for': 644591, 'stop fighting': 804647, 'for healthier': 322164, 'healthier planet': 387461, 'planet is': 658415, 'still an': 800190, 'an existential': 55948, 'it moving': 459697, 'between crashing oil': 128756, 'and the ev': 73352, 'the ev revolution': 854593, 'ev revolution ha': 283675, 'revolution ha been': 720745, 'ha been put': 369885, 'been put on': 121753, 'put on pause': 690724, 'on pause for': 602715, 'pause for now': 644593, 'now but we': 574296, 'we cannot stop': 971084, 'cannot stop fighting': 162135, 'stop fighting for': 804648, 'fighting for healthier': 305074, 'for healthier planet': 322165, 'healthier planet is': 387462, 'planet is still': 658416, 'is still an': 452263, 'still an existential': 800191, 'an existential threat': 55949, 'threat to life': 893736, 'to life we': 909257, 'life we know': 489191, 'know it moving': 476536, 'it moving forward': 459699, 'the usps': 870579, 'usps and': 950848, 'and fedex': 62762, 'fedex worker': 302122, 'worker rn': 1007704, 'rn with': 724351, 'around because': 93218, 'there dumb': 878344, 'dumb bitch': 262095, 'bitch still': 131770, 'me dumb': 522689, 'all the usps': 44967, 'the usps and': 870580, 'usps and fedex': 950849, 'and fedex worker': 62763, 'fedex worker rn': 302123, 'worker rn with': 1007705, 'rn with covid': 724353, '19 going around': 7235, 'going around because': 355024, 'around because there': 93219, 'because there dumb': 119667, 'there dumb bitch': 878345, 'dumb bitch still': 262096, 'bitch still shopping': 131771, 'still shopping online': 801191, 'online it me': 608446, 'it me dumb': 459563, 'me dumb bitch': 522690, 'estonian': 282325, 'lot just': 504074, 'just approached': 468210, 'about whether': 26915, 'whether want': 985607, 'support his': 826569, 'his estonian': 397400, 'estonian corona': 282326, 'corona rock': 204147, 'rock band': 724891, 'their cd': 872752, 'cd this': 168530, 'is peak': 450828, 'peak wtf': 646121, 'wtf level': 1013298, 'parking lot just': 642093, 'lot just approached': 504075, 'just approached me': 468211, 'approached me about': 83009, 'me about whether': 522352, 'about whether want': 26919, 'whether want to': 985608, 'to support his': 915936, 'support his estonian': 826570, 'his estonian corona': 397401, 'estonian corona rock': 282327, 'corona rock band': 204148, 'rock band and': 724892, 'band and tried': 109334, 'sell me their': 748793, 'me their cd': 523668, 'their cd this': 872753, 'cd this is': 168531, 'this is peak': 888355, 'is peak wtf': 450830, 'peak wtf level': 646122, 'wtf level for': 1013299, 'level for me': 487561, 'kroger and': 477717, 'domino are': 253297, 'hiring food': 397095, 'off set': 594144, 'set demand': 753365, 'kroger and domino': 477718, 'and domino are': 61621, 'domino are hiring': 253298, 'are hiring food': 87181, 'hiring food company': 397096, 'food company want': 313991, 'company want to': 191282, 'to hire thousand': 907800, 'hire thousand of': 397030, 'thousand of worker': 893474, 'of worker to': 593284, 'worker to off': 1008015, 'to off set': 910818, 'off set demand': 594145, 'set demand due': 753366, 'say store': 739183, 'see again': 744873, 'again he': 37016, 'this next': 889136, 'difficult but': 242191, 'but pennsylvanian': 146759, 'pennsylvanian are': 646598, 'not panic shop': 570930, 'panic shop or': 638545, 'shop or hoard': 760615, 'or hoard food': 615653, 'hoard food say': 398797, 'food say store': 316311, 'say store will': 739185, 'open during this': 612201, 'time if we': 896963, 'not do everything': 569058, 'do everything to': 249270, 'everything to slow': 288060, '19 there are': 11285, 'are some people': 90281, 'some people you': 783552, 'people you will': 650583, 'not see again': 571473, 'see again he': 744874, 'again he say': 37018, 'he say this': 385401, 'say this next': 739370, 'this next month': 889137, 'next month will': 561463, 'month will be': 538126, 'be difficult but': 114456, 'difficult but pennsylvanian': 242192, 'but pennsylvanian are': 146760, 'pennsylvanian are strong': 646599, 'engrossed': 277069, 'labelling': 478392, 'now feel': 574677, 'like daunting': 490096, 'daunting weird': 226946, 'weird expedition': 977758, 'expedition here': 291145, 'in amsterdam': 420266, 'amsterdam just': 54938, 'your end': 1023673, 'end you': 276085, 'see different': 745044, 'different behaviour': 241909, 'myself engrossed': 550851, 'engrossed in': 277070, 'in labelling': 424570, 'labelling and': 478393, 'even calling': 283928, 'calling out': 156620, 'out good': 626225, 'supermarket now feel': 821664, 'now feel like': 574678, 'feel like daunting': 302706, 'like daunting weird': 490097, 'daunting weird expedition': 226947, 'weird expedition here': 977759, 'expedition here in': 291146, 'here in amsterdam': 393133, 'in amsterdam just': 420267, 'amsterdam just like': 54939, 'just like at': 469140, 'like at your': 489845, 'at your end': 101675, 'your end you': 1023675, 'end you see': 276086, 'you see different': 1021031, 'see different behaviour': 745045, 'different behaviour and': 241910, 'behaviour and find': 124363, 'and find myself': 62889, 'find myself engrossed': 307083, 'myself engrossed in': 550852, 'engrossed in labelling': 277071, 'in labelling and': 424571, 'labelling and sometimes': 478394, 'sometimes even calling': 785200, 'even calling out': 283929, 'calling out good': 156621, 'gail': 342737, 'sahar': 730906, 'prof of': 682364, 'psychology gail': 687556, 'gail sahar': 342742, 'sahar shed': 730907, 'shed light': 756509, 'human behavior': 410433, 'of grows': 584372, 'grows worldwide': 367330, 'and provides': 69702, 'provides some': 686894, 'some theory': 784035, 'theory to': 877868, 'understand behavior': 940602, 'behavior such': 124207, 'such crowding': 816429, 'crowding of': 219399, 'prof of psychology': 682366, 'of psychology gail': 588577, 'psychology gail sahar': 687557, 'gail sahar shed': 342743, 'sahar shed light': 730908, 'shed light on': 756511, 'light on human': 489573, 'on human behavior': 601442, 'human behavior the': 410434, 'behavior the impact': 124230, 'impact of grows': 417775, 'of grows worldwide': 584373, 'grows worldwide and': 367331, 'worldwide and provides': 1010319, 'and provides some': 69705, 'provides some theory': 686897, 'some theory to': 784036, 'theory to help': 877869, 'help understand behavior': 390829, 'understand behavior such': 940603, 'behavior such crowding': 124208, 'such crowding of': 816430, 'crowding of grocery': 219400, 'store and emptying': 806233, 'emptying shelf of': 275281, 'and food staple': 63093, 'kolobi': 477361, 'knackdown': 475986, 'upandan': 946770, 'you no': 1020103, 'no shake': 565470, 'don kolobi': 253681, 'kolobi four': 477362, 'isolation wey': 455501, 'wey never': 980815, 'never last': 558098, 'week me': 976523, 'and dey': 61299, 'dey laugh': 240031, 'laugh you': 481782, 'you dem': 1018172, 'dem call': 234859, 'call am': 155752, 'am lockdown': 50189, 'don turn': 254000, 'turn am': 935640, 'to knackdown': 908964, 'knackdown na': 475987, 'na you': 551329, 'you dey': 1018190, 'dey rub': 240035, 'rub sanitizer': 726917, 'sanitizer na': 735390, 'na still': 551319, 'still you': 801448, 'dey wear': 240041, 'wear condom': 974307, 'condom upandan': 193617, 'you no shake': 1020107, 'no shake hand': 565471, 'shake hand with': 754412, 'hand with people': 376013, 'with people around': 1000134, 'around you but': 93661, 'you but only': 1017554, 'but only you': 146698, 'only you don': 611509, 'you don kolobi': 1018322, 'don kolobi four': 253682, 'kolobi four people': 477363, 'four people for': 330652, 'people for this': 647961, 'for this isolation': 327042, 'this isolation wey': 888503, 'isolation wey never': 455502, 'wey never last': 980816, 'never last two': 558099, 'two week me': 937340, 'week me and': 976524, 'me and dey': 522407, 'and dey laugh': 61300, 'dey laugh you': 240032, 'laugh you dem': 481783, 'you dem call': 1018173, 'dem call am': 234860, 'call am lockdown': 155753, 'am lockdown but': 50190, 'lockdown but you': 499217, 'but you don': 147983, 'you don turn': 1018332, 'don turn am': 254001, 'turn am to': 935641, 'am to knackdown': 50505, 'to knackdown na': 908965, 'knackdown na you': 475988, 'na you dey': 551330, 'you dey rub': 1018191, 'dey rub sanitizer': 240036, 'rub sanitizer na': 726918, 'sanitizer na still': 735392, 'na still you': 551320, 'still you dey': 801450, 'you dey wear': 1018192, 'dey wear condom': 240042, 'wear condom upandan': 974308, 'how retail': 408589, 'disrupted how': 246400, 'ecommerce can': 266728, 'help like': 389994, 'most brand': 542142, 'marketing category': 517549, 'category the': 167224, 'traffic ha': 929095, 'been quick': 121764, 'quick and': 694275, 'and profound': 69609, 'profound joemandese': 683160, 'how retail brand': 408590, 'retail brand have': 717893, 'brand have been': 137851, 'been disrupted how': 121003, 'disrupted how ecommerce': 246401, 'how ecommerce can': 407783, 'ecommerce can help': 266729, 'can help like': 158632, 'help like most': 389995, 'like most brand': 490796, 'most brand marketing': 542143, 'brand marketing category': 137904, 'marketing category the': 517550, 'category the effect': 167225, 'pandemic on retail': 636092, 'on retail store': 603181, 'retail store traffic': 718719, 'store traffic ha': 810936, 'traffic ha been': 929096, 'ha been quick': 369887, 'been quick and': 121765, 'quick and profound': 694277, 'and profound joemandese': 69610, 'by pandemicex': 153514, 'blog by pandemicex': 132911, 'hoarder one': 399084, 'food hoarder one': 314821, 'hoarder one week': 399085, 'one week from': 607411, 'brandsvscovid19': 138165, 'changingmarkets': 172849, 'changingconsumers': 172848, '19 behaviour': 5354, 'behaviour will': 124564, 'will outlast': 994360, 'outlast the': 629002, 'pandemic brandsvscovid19': 635017, 'brandsvscovid19 marketing': 138166, 'marketing consumerbehaviour': 517561, 'consumerbehaviour changingmarkets': 199631, 'changingmarkets changingconsumers': 172850, 'what new consumer': 981920, 'new consumer covid': 558520, 'covid 19 behaviour': 212691, '19 behaviour will': 5357, 'behaviour will outlast': 124566, 'will outlast the': 994361, 'outlast the pandemic': 629004, 'the pandemic brandsvscovid19': 862921, 'pandemic brandsvscovid19 marketing': 635018, 'brandsvscovid19 marketing consumerbehaviour': 138167, 'marketing consumerbehaviour changingmarkets': 517562, 'consumerbehaviour changingmarkets changingconsumers': 199632, 'happen but': 377063, 'if pro': 414691, 'pro sport': 679126, 'sport owner': 789958, 'owner realized': 632549, 'realized they': 701918, 're league': 698979, 'league are': 483844, 'are pretty': 89207, 'much worth': 545480, 'worth zero': 1011464, 'zero without': 1027516, 'without fan': 1002640, 'fan in': 298519, 'the stand': 867721, 'stand and': 793486, 'lower ticket': 506038, 'and concession': 60252, 'concession price': 193281, 'when thing': 984292, 'gonna happen but': 356548, 'happen but would': 377065, 'but would be': 147944, 'nice if pro': 562420, 'if pro sport': 414692, 'pro sport owner': 679127, 'sport owner realized': 789959, 'owner realized they': 632550, 'realized they re': 701919, 'they re league': 883067, 're league are': 698980, 'league are pretty': 483845, 'are pretty much': 89209, 'pretty much worth': 671468, 'much worth zero': 545481, 'worth zero without': 1011465, 'zero without fan': 1027517, 'without fan in': 1002641, 'fan in the': 298521, 'in the stand': 429571, 'the stand and': 867722, 'stand and lower': 793487, 'and lower ticket': 66460, 'lower ticket and': 506039, 'ticket and concession': 895593, 'and concession price': 60253, 'concession price when': 193282, 'price when thing': 677492, 'when thing get': 984294, 'agmarketingiq': 38302, 'usda weighs': 948972, 'world under': 1010125, 'under house': 940120, 'arrest covid': 93752, '19 damage': 6412, 'could vary': 209812, 'vary agmarketingiq': 952665, 'agmarketingiq usda': 38303, 'usda farm': 948957, 'farm agriculture': 299075, 'usda weighs in': 948973, 'in on pandemic': 426124, 'on pandemic impact': 602685, 'pandemic impact in': 635686, 'impact in world': 417711, 'in world under': 430988, 'world under house': 1010126, 'under house arrest': 940121, 'house arrest covid': 406201, 'arrest covid 19': 93753, 'covid 19 damage': 212907, '19 damage to': 6413, 'damage to price': 225240, 'to price could': 912117, 'price could vary': 673300, 'could vary agmarketingiq': 209813, 'vary agmarketingiq usda': 952666, 'agmarketingiq usda farm': 38304, 'usda farm agriculture': 948958, 'all shopper': 44324, 'toiletry they': 923447, 'need uklockdown': 556144, 'uklockdown toiletpaperpanic': 939012, 'toiletpapercrisis coronacrisisuk': 923017, 'coronacrisisuk uk': 204917, 'not panic supermarket': 570937, 'panic supermarket are': 638655, 'supermarket are implementing': 819163, 'are implementing new': 87331, 'implementing new emergency': 418514, 'new emergency measure': 558674, 'emergency measure to': 272798, 'measure to ensure': 525393, 'ensure that all': 278051, 'that all shopper': 842562, 'all shopper get': 44325, 'shopper get the': 761531, 'and toiletry they': 74253, 'toiletry they need': 923448, 'they need uklockdown': 882766, 'need uklockdown toiletpaperpanic': 556145, 'uklockdown toiletpaperpanic toiletpapercrisis': 939013, 'toiletpaperpanic toiletpapercrisis coronacrisisuk': 923281, 'toiletpapercrisis coronacrisisuk uk': 923018, 'coronacrisisuk uk 19': 204918, 'pspcl': 687482, 'the relief': 865484, 'relief pspcl': 709450, 'pspcl is': 687483, 'is charging': 446487, 'charging higher': 173488, 'higher bill': 395544, 'bill amount': 130497, 'consumer highly': 197754, 'highly disappointed': 396058, 'disappointed from': 244099, 'decision how': 231040, 'how middle': 408320, 'middle man': 530662, 'without no': 1002803, 'will cope': 993032, 'with such': 1001033, 'such kind': 816589, 'of decision': 582440, 'difficult time of': 242300, 'of pandemic covid': 587694, 'of giving the': 584141, 'giving the relief': 351414, 'the relief pspcl': 865488, 'relief pspcl is': 709451, 'pspcl is charging': 687484, 'is charging higher': 446489, 'charging higher bill': 173489, 'higher bill amount': 395545, 'bill amount from': 130498, 'amount from the': 53184, 'the consumer highly': 851545, 'consumer highly disappointed': 197755, 'highly disappointed from': 396059, 'disappointed from the': 244100, 'from the decision': 337666, 'the decision how': 852997, 'decision how middle': 231041, 'how middle man': 408321, 'middle man without': 530663, 'man without no': 512362, 'without no income': 1002804, 'no income will': 564497, 'income will cope': 432500, 'will cope with': 993034, 'cope with such': 203357, 'with such kind': 1001037, 'such kind of': 816590, 'kind of decision': 474886, 'for mainstream': 323159, 'mainstream shopper': 508919, 'in au': 420572, 'au again': 102775, 'store aisle gt': 806114, 'return for mainstream': 719841, 'for mainstream shopper': 323160, 'mainstream shopper in': 508920, 'shopper in au': 761557, 'in au again': 420573, 'are tricky': 91199, 'tricky and': 931744, 'with investment': 999033, 'investment at': 443965, 'dropping crude': 260682, 'other rate': 620808, 'fluctuate price': 311510, 'be unstable': 117880, 'unstable however': 943536, 'however never': 409423, 'estate never': 282162, 'never loses': 558110, 'loses value': 503525, 'covid 19 time': 213956, '19 time are': 11398, 'time are tricky': 896334, 'are tricky and': 91200, 'tricky and so': 931746, 'and so it': 71845, 'is with investment': 454013, 'with investment at': 999034, 'investment at this': 443967, 'this time stock': 890691, 'time stock are': 897764, 'stock are dropping': 801852, 'are dropping crude': 86009, 'dropping crude price': 260683, 'dropping and other': 260670, 'and other rate': 68392, 'other rate will': 620810, 'rate will fluctuate': 697417, 'will fluctuate price': 993454, 'fluctuate price will': 311512, 'drop and investment': 260126, 'and investment will': 65366, 'investment will be': 444085, 'will be unstable': 992747, 'be unstable however': 117881, 'unstable however never': 943538, 'however never forget': 409424, 'forget that real': 329294, 'real estate never': 701156, 'estate never loses': 282163, 'never loses value': 558111, 'csa': 220019, 'grown and': 367271, 'and produced': 69554, 'produced food': 680517, 'food presented': 315912, 'many csa': 513961, 'csa program': 220020, 'program have': 683253, 'have filled': 380623, 'quickly several': 694593, 'farm are': 299090, 'actively working': 30331, 'on increasing': 601544, 'increasing capacity': 433562, 'capacity such': 162578, 'an evolving': 55894, 'evolving list': 288570, 'increased demand of': 433282, 'demand of locally': 235952, 'of locally grown': 585939, 'locally grown and': 498754, 'grown and produced': 367272, 'and produced food': 69555, 'produced food presented': 680518, 'food presented by': 315913, 'presented by covid': 670658, '19 many csa': 8545, 'many csa program': 513962, 'csa program have': 220021, 'program have filled': 683254, 'have filled up': 380624, 'filled up quickly': 305569, 'up quickly several': 945880, 'quickly several local': 694594, 'several local farm': 753880, 'local farm are': 497939, 'farm are actively': 299091, 'are actively working': 84210, 'actively working on': 30332, 'working on increasing': 1008805, 'on increasing capacity': 601545, 'increasing capacity such': 433563, 'capacity such this': 162579, 'such this is': 816817, 'is an evolving': 445659, 'an evolving list': 55895, 'ndash': 553394, 'who highlight': 988997, 'highlight that': 395961, 'foodborne disease': 317868, 'disease ndash': 245182, 'ndash care': 553395, 'care must': 164070, 'minimize impact': 533115, 'who highlight that': 988998, 'highlight that the': 395962, 'not foodborne disease': 569477, 'foodborne disease ndash': 317869, 'disease ndash care': 245183, 'ndash care must': 553396, 'care must be': 164071, 'must be taken': 546551, 'taken to minimize': 833103, 'to minimize impact': 910166, 'minimize impact on': 533116, 'impact on food': 417851, 'food supply stock': 316998, 'supply stock marketscreener': 825904, 'housework': 407038, 'summerlin': 818028, 'boulder': 136792, 'ccsd': 168504, 'ccsdnews': 168507, 'vegasnews': 953900, 'home safe': 401994, 'the housework': 857658, 'housework the': 407041, 'avoid is': 105164, 'house absolutely': 406158, 'absolutely exceptional': 27356, 'exceptional cleaning': 289297, 'cleaning at': 180902, 'at impressive': 99266, 'impressive rate': 419485, 'price hour': 674580, '75 serving': 22160, 'serving la': 753188, 'vega summerlin': 953832, 'summerlin boulder': 818031, 'boulder city': 136793, 'city more': 179261, 'more 702': 538489, '9032 ccsd': 23410, 'ccsd ccsdnews': 168505, 'ccsdnews vegasnews': 168508, 'your home safe': 1024371, 'home safe to': 401996, 'safe to do': 730047, 'do the housework': 250246, 'the housework the': 857659, 'housework the best': 407042, 'way to avoid': 969988, 'to avoid is': 900913, 'avoid is to': 105165, 'is to clean': 453187, 'to clean the': 902813, 'clean the house': 180650, 'the house absolutely': 857589, 'house absolutely exceptional': 406159, 'absolutely exceptional cleaning': 27357, 'exceptional cleaning at': 289298, 'cleaning at impressive': 180903, 'at impressive rate': 99267, 'impressive rate price': 419486, 'rate price hour': 697346, 'price hour maid': 674581, 'maid 75 serving': 508541, '75 serving la': 22161, 'serving la vega': 753189, 'la vega summerlin': 478237, 'vega summerlin boulder': 953833, 'summerlin boulder city': 818032, 'boulder city more': 136794, 'city more 702': 179262, 'more 702 508': 538490, '508 9032 ccsd': 20137, '9032 ccsd ccsdnews': 23411, 'ccsd ccsdnews vegasnews': 168506, 'cannot sleep': 162103, 'sleep here': 773774, 'some nice': 783354, 'nice lockdown': 562433, 'lockdown suggestion': 499978, 'suggestion from': 817643, 'still cannot sleep': 800344, 'cannot sleep here': 162105, 'sleep here are': 773775, 'are some nice': 90273, 'some nice lockdown': 783355, 'nice lockdown suggestion': 562434, 'lockdown suggestion from': 499979, 'suggestion from the': 817644, 'scaremongering': 741052, 'sake give': 731856, 'it rest': 460741, 'rest nothing': 716177, 'is gained': 447995, 'gained by': 342846, 'by scaremongering': 153888, 'scaremongering all': 741053, 'doe is': 251425, 'is keep': 449167, 'your huge': 1024435, 'huge ego': 410037, 'ego front': 270066, 'shelf read': 757456, 'god sake give': 354794, 'sake give it': 731857, 'give it rest': 350549, 'it rest nothing': 460742, 'rest nothing is': 716178, 'nothing is gained': 573061, 'is gained by': 447996, 'gained by scaremongering': 342847, 'by scaremongering all': 153889, 'scaremongering all it': 741054, 'all it doe': 43266, 'it doe is': 457613, 'doe is keep': 251426, 'is keep your': 449168, 'keep your huge': 472272, 'your huge ego': 1024436, 'huge ego front': 410038, 'ego front and': 270067, 'and centre and': 59677, 'centre and empty': 169480, 'supermarket shelf read': 822517, 'shelf read this': 757457, 'read this for': 700612, 'this for some': 887596, 'for some perspective': 325760, 'magatrain': 508319, 'magats': 508322, 'gianourmous': 349725, 'maga magatrain': 508288, 'magatrain magats': 508320, 'magats corona': 508323, 'corona all': 203801, 'all look': 43413, 'look here': 502403, 'here profiteering': 393476, 'from pandemic': 336839, 'while store': 987334, 'food hospital': 314851, 'hospital have': 404446, 'no bed': 563682, 'bed or': 120408, 'or respirator': 616872, 'respirator they': 715216, 'for gianourmous': 321874, 'gianourmous price': 349726, 'for expect': 321322, 'expect you': 290785, 'work sick': 1005725, 'sick while': 768671, 'maga magatrain magats': 508289, 'magatrain magats corona': 508321, 'magats corona all': 508324, 'corona all look': 203803, 'all look here': 43415, 'look here profiteering': 502405, 'here profiteering from': 393477, 'profiteering from pandemic': 683045, 'from pandemic while': 336840, 'pandemic while store': 636992, 'while store run': 987335, 'of food hospital': 583712, 'food hospital have': 314854, 'hospital have no': 404447, 'have no bed': 381610, 'no bed or': 563683, 'bed or respirator': 120409, 'or respirator they': 616874, 'respirator they re': 715217, 'they re asking': 882997, 're asking for': 698311, 'asking for gianourmous': 95986, 'for gianourmous price': 321875, 'gianourmous price for': 349727, 'price for expect': 673961, 'for expect you': 321323, 'expect you work': 290787, 'you work sick': 1022425, 'work sick while': 1005727, 'falsepanic': 297482, 'worldshutdown': 1010275, 'on compassion': 599996, 'compassion love': 191494, 'love no': 504728, 'paper coronaoutbreak': 640053, 'coronaoutbreak falsepanic': 205120, 'falsepanic worldshutdown': 297483, 'up on compassion': 945541, 'on compassion love': 599997, 'compassion love no': 191495, 'love no tissue': 504729, 'no tissue paper': 565737, 'tissue paper coronaoutbreak': 899197, 'paper coronaoutbreak falsepanic': 640054, 'coronaoutbreak falsepanic worldshutdown': 205121, 'cleric': 181619, 'patreon': 644343, 'icon': 412805, 'discord': 244435, 'nsfw': 576667, 'new cleric': 558486, 'cleric wizard': 181620, 'wizard tier': 1003205, 'tier patreon': 895781, 'patreon icon': 644344, 'icon the': 412808, 'the revamp': 865758, 'revamp is': 720225, 'fully live': 341063, 'live new': 495933, 'new tier': 559754, 'tier reward': 895783, 'reward monthly': 720785, 'monthly illustration': 538176, 'illustration private': 416461, 'private discord': 678892, 'discord nsfw': 244436, 'nsfw price': 576668, 'price lowered': 675131, 'lowered more': 506072, 'more wa': 540939, 'any support': 79924, 'support even': 826484, 'just rts': 469655, 'rts is': 726873, 'very appreciated': 954994, 'new cleric wizard': 558487, 'cleric wizard tier': 181621, 'wizard tier patreon': 1003206, 'tier patreon icon': 895782, 'patreon icon the': 644345, 'icon the revamp': 412809, 'the revamp is': 865759, 'revamp is fully': 720226, 'is fully live': 447980, 'fully live new': 341064, 'live new tier': 495935, 'new tier reward': 559755, 'tier reward monthly': 895784, 'reward monthly illustration': 720786, 'monthly illustration private': 538177, 'illustration private discord': 416462, 'private discord nsfw': 678893, 'discord nsfw price': 244437, 'nsfw price lowered': 576669, 'price lowered more': 675132, 'lowered more wa': 506073, 'more wa laid': 540940, 'laid off for': 479020, 'off for month': 593833, 'for month due': 323515, '19 so any': 10634, 'so any support': 776528, 'any support even': 79925, 'support even just': 826485, 'even just rts': 284270, 'just rts is': 469656, 'rts is very': 726874, 'is very appreciated': 453665, 'nerd': 557428, 'wa tough': 963562, 'tough one': 926823, 'write given': 1012764, 'facing though': 295631, 'though marketing': 892854, 'marketing nerd': 517658, 'nerd there': 557431, 'cool insight': 203016, 'this wa tough': 891093, 'wa tough one': 963563, 'tough one to': 926824, 'one to write': 607291, 'to write given': 918861, 'write given the': 1012765, 'given the pandemic': 351146, 'pandemic we re': 636948, 're currently facing': 698492, 'currently facing though': 221529, 'facing though marketing': 295632, 'though marketing nerd': 892855, 'marketing nerd there': 517659, 'nerd there are': 557432, 'there are super': 878169, 'are super cool': 90644, 'super cool insight': 818489, 'cool insight to': 203017, 'insight to take': 439648, 'take in given': 832217, 'in given the': 423318, 'given the shift': 351156, 'the shift the': 866933, 'shift the is': 758416, 'having on consumer': 384199, 'behavior and medium': 123895, 'and medium consumption': 66922, 'alphabet drone': 47149, 'company wing': 191341, 'wing ha': 995976, 'week making': 976502, 'making over': 511264, 'delivery number': 234217, 'number have': 576884, 'doubled in': 256115, 'alphabet drone delivery': 47150, 'drone delivery company': 260064, 'delivery company wing': 233817, 'company wing ha': 191342, 'wing ha seen': 995977, 'in demand in': 422130, 'demand in recent': 235674, 'recent week making': 704021, 'week making over': 976503, 'making over 00': 511265, '00 delivery in': 168, 'delivery in the': 234119, 'two week delivery': 937326, 'week delivery number': 976140, 'delivery number have': 234218, 'number have doubled': 576885, 'have doubled in': 380348, 'doubled in the': 256118, 'appalachia': 81810, 'icymi this': 412915, 'week big': 976012, 'big john': 129843, 'john got': 466528, 'got beef': 358431, 'beef with': 120564, 'sanitizer appalachia': 734478, 'icymi this week': 412916, 'this week big': 891191, 'week big john': 976013, 'big john got': 129844, 'john got beef': 466529, 'got beef with': 358432, 'beef with people': 120565, 'with people hoarding': 1000151, 'hand sanitizer appalachia': 375307, 'business struggle': 144433, 'struggle during': 814340, 'crisis annual': 217065, 'annual meeting': 77411, 'meeting of': 527730, 'toilet manufacturer': 921162, 'manufacturer during': 513453, 'business toiletpaper': 144568, 'not all the': 568127, 'the business struggle': 850181, 'business struggle during': 144434, 'struggle during crisis': 814341, 'during crisis annual': 262553, 'crisis annual meeting': 217066, 'annual meeting of': 77412, 'meeting of toilet': 527733, 'of toilet manufacturer': 592251, 'toilet manufacturer during': 921163, 'manufacturer during the': 513454, 'outbreak business toiletpaper': 628056, 'retaining': 719616, 'kpis': 477584, 'market decline': 516275, 'decline retaining': 231391, 'retaining current': 719617, 'current customer': 221165, 'just important': 469022, 'important if': 418828, 'than winning': 841462, 'winning new': 996075, 'customer brand': 222196, 'that digital': 843537, 'digital customer': 242546, 'the success': 868372, 'success of': 816208, 'consumer journey': 197977, 'journey are': 467466, 'of kpis': 585680, 'kpis during': 477587, 'time of market': 897346, 'of market decline': 586229, 'market decline retaining': 516276, 'decline retaining current': 231392, 'retaining current customer': 719618, 'current customer is': 221166, 'customer is just': 222538, 'is just important': 449134, 'just important if': 469024, 'important if not': 418829, 'if not more': 414502, 'not more so': 570601, 'so than winning': 778350, 'than winning new': 841463, 'winning new customer': 996076, 'new customer brand': 558577, 'customer brand will': 222197, 'brand will need': 138074, 'ensure that digital': 278056, 'that digital customer': 843538, 'digital customer experience': 242547, 'customer experience and': 222352, 'experience and the': 291314, 'and the success': 73601, 'the success of': 868373, 'success of the': 816211, 'the consumer journey': 851555, 'consumer journey are': 197978, 'journey are at': 467467, 'of the list': 591193, 'list of kpis': 494449, 'of kpis during': 585681, 'kpis during the': 477588, 'sanitzer': 736553, 'someday': 784294, 'valueless': 952272, 'so cruel': 776821, 'cruel they': 219679, 'and duplicate': 61802, 'duplicate sanitzer': 262332, 'sanitzer without': 736554, 'without alcohol': 1002475, 'alcohol what': 41170, 'one someday': 607067, 'someday they': 784295, 'all alone': 41987, 'alone with': 46950, 'with valueless': 1001953, 'valueless money': 952273, 'money fuck': 536776, 'are so cruel': 90195, 'so cruel they': 776822, 'cruel they are': 219680, 'selling at higher': 749168, 'higher price of': 395685, 'mask and duplicate': 518322, 'and duplicate sanitzer': 61803, 'duplicate sanitzer without': 262333, 'sanitzer without alcohol': 736555, 'without alcohol what': 1002476, 'alcohol what do': 41171, 'you do with': 1018280, 'do with money': 250560, 'with money when': 999542, 'money when there': 537163, 'no one someday': 564962, 'one someday they': 607068, 'someday they will': 784296, 'will be all': 992351, 'be all alone': 113551, 'all alone with': 41988, 'alone with valueless': 46952, 'with valueless money': 1001954, 'valueless money fuck': 952274, 'money fuck you': 536777, 'fuck you corona': 339697, 'betterment': 128623, 'sam approach': 732908, 'is far': 447738, 'creative than': 216171, 'than most': 840910, 'most he': 542372, 'he effectively': 384925, 'effectively leveraged': 269360, 'leveraged his': 487798, 'his operation': 397662, 'the betterment': 849579, 'betterment of': 128624, 'another industry': 77672, 'industry impacted': 435897, 'got supply': 358879, 'everyone win': 287618, 'win here': 995554, 'sam approach to': 732909, 'approach to hand': 82989, 'sanitizer production is': 735600, 'production is far': 682088, 'is far more': 447740, 'far more creative': 298844, 'more creative than': 538922, 'creative than most': 216172, 'than most he': 840911, 'most he effectively': 542373, 'he effectively leveraged': 384926, 'effectively leveraged his': 269361, 'leveraged his operation': 487800, 'his operation for': 397663, 'operation for the': 613187, 'for the betterment': 326321, 'the betterment of': 849580, 'betterment of another': 128625, 'of another industry': 580233, 'another industry impacted': 77673, 'industry impacted by': 435898, 'by the hospitality': 154350, 'the hospitality and': 857545, 'hospitality and still': 404757, 'and still got': 72376, 'still got supply': 800605, 'got supply to': 358880, 'supply to frontline': 826007, 'frontline worker everyone': 338864, 'worker everyone win': 1006881, 'everyone win here': 287619, 'itsnottheapocalypse': 463982, 'stoptakingeverything': 805891, 'first venture': 309157, 'store since': 810191, 'went collectively': 978976, 'collectively nut': 186535, 'nut some': 577668, 'some wearing': 784192, 'some avoiding': 782360, 'avoiding me': 105467, 'some not': 783363, 'caring bit': 164703, 'bit how': 131582, 'stand need': 793551, 'need cocktail': 554610, 'cocktail wtf': 185251, 'wtf itsnottheapocalypse': 1013296, 'itsnottheapocalypse stoptakingeverything': 463983, 'from my first': 336508, 'my first venture': 548356, 'first venture to': 309158, 'grocery store since': 365775, 'store since people': 810194, 'since people went': 770785, 'people went collectively': 650187, 'went collectively nut': 978977, 'collectively nut some': 186536, 'nut some wearing': 577669, 'some wearing mask': 784193, 'wearing mask some': 974713, 'mask some avoiding': 519292, 'some avoiding me': 782361, 'avoiding me like': 105468, 'me like should': 523084, 'like should be': 491186, 'should be and': 765553, 'be and some': 113620, 'and some not': 71971, 'some not caring': 783365, 'not caring bit': 568703, 'caring bit how': 164704, 'bit how close': 131583, 'how close they': 407554, 'close they stand': 182869, 'they stand need': 883435, 'stand need cocktail': 793552, 'need cocktail wtf': 554611, 'cocktail wtf itsnottheapocalypse': 185252, 'wtf itsnottheapocalypse stoptakingeverything': 1013297, 'sa have': 728894, 'guy inflated': 369043, 'inflated your': 437097, 'period your': 651942, 'your honesty': 1024397, 'honesty is': 403162, 'is appreciated': 445793, 'sa have you': 728895, 'have you guy': 383671, 'you guy inflated': 1018965, 'guy inflated your': 369044, 'inflated your price': 437098, 'your price over': 1025409, 'price over this': 675818, '19 period your': 9652, 'period your honesty': 651943, 'your honesty is': 1024398, 'honesty is appreciated': 403163, 'thinkbeforeyoubuy': 885828, 'food fresh': 314593, 'eaten thrown': 266139, 'thrown out': 895147, 'out because': 625766, 'because past': 119460, 'past it': 643556, 'that needed': 845318, 'it never': 459779, 'had chance': 372961, 'chance thinkbeforeyoubuy': 171790, 'much panic bought': 545221, 'bought food fresh': 136566, 'food fresh food': 314594, 'fresh food will': 332983, 'food will never': 317626, 'never be eaten': 557877, 'be eaten thrown': 114636, 'eaten thrown out': 266140, 'thrown out because': 895148, 'out because past': 625768, 'because past it': 119461, 'past it best': 643557, 'it best and': 456852, 'best and those': 127579, 'and those that': 74038, 'those that needed': 892540, 'that needed it': 845319, 'needed it never': 556412, 'it never had': 459782, 'never had chance': 558039, 'had chance thinkbeforeyoubuy': 372963, 'vital community': 959675, 'connected in': 194655, 'online thanks': 609522, 'thanks action': 842005, 'it vital community': 462046, 'vital community and': 959676, 'community and family': 189716, 'and family stay': 62671, 'family stay connected': 298250, 'stay connected in': 796849, 'connected in touch': 194657, 'in touch and': 430225, 'touch and online': 926451, 'and online thanks': 68124, 'online thanks action': 609523, 'thanks action for': 842006, 'action for this': 30022, 'adversely': 33128, 'the passenger': 863331, 'passenger sector': 643343, 'most adversely': 542068, 'adversely affected': 33130, 'affected industry': 34380, 'to given': 906730, 'it exposure': 457916, 'restriction sensitivity': 717370, 'sensitivity of': 750713, 'demand amp': 234938, 'amp sentiment': 54466, 'sentiment read': 750980, 'below or': 126701, 'dedicated hub': 231717, 'the passenger sector': 863332, 'passenger sector is': 643344, 'sector is one': 744249, 'the most adversely': 860942, 'most adversely affected': 542069, 'adversely affected industry': 33131, 'affected industry to': 34381, 'industry to given': 436168, 'to given it': 906731, 'given it exposure': 351032, 'it exposure to': 457917, 'exposure to travel': 293016, 'to travel restriction': 917735, 'travel restriction sensitivity': 930491, 'restriction sensitivity of': 717371, 'sensitivity of consumer': 750714, 'of consumer demand': 581732, 'consumer demand amp': 197114, 'demand amp sentiment': 234942, 'amp sentiment read': 54467, 'sentiment read more': 750981, 'read more below': 700423, 'more below or': 538720, 'below or visit': 126702, 'or visit our': 617682, 'visit our dedicated': 959325, 'our dedicated hub': 622719, 'chartered': 173871, 'the chartered': 850720, 'chartered trading': 173872, 'standard institute': 793675, 'institute ctsi': 440413, 'ctsi ha': 220115, 'issued advice': 456035, 'on utility': 605008, 'utility work': 951334, 'work performed': 1005606, 'performed during': 651483, 'the chartered trading': 850721, 'chartered trading standard': 173873, 'trading standard institute': 928929, 'standard institute ctsi': 793676, 'institute ctsi ha': 440414, 'ctsi ha issued': 220116, 'ha issued advice': 371000, 'issued advice to': 456036, 'advice to the': 33539, 'the public on': 864839, 'public on utility': 688197, 'on utility work': 605010, 'utility work performed': 951335, 'work performed during': 1005607, 'performed during the': 651484, 'food already': 313105, 'already feel': 47350, 'have autoimmune': 379379, 'autoimmune need': 103938, 'some real': 783689, 'real food': 701174, 'me safe': 523411, 'please hand': 660050, 'your sister': 1025809, 'sister here': 771750, 'can use your': 160110, 'use your help': 949835, 'your help with': 1024312, 'help with some': 390929, 'with some money': 1000853, 'some money for': 783312, 'for food already': 321546, 'food already feel': 313106, 'already feel very': 47353, 'feel very low': 302918, 'very low and': 955336, 'low and have': 505128, 'and have autoimmune': 64224, 'have autoimmune need': 379381, 'autoimmune need to': 103939, 'up on some': 945619, 'on some real': 603567, 'some real food': 783691, 'real food to': 701176, 'to keep me': 908812, 'keep me safe': 471655, 'me safe from': 523412, '19 please hand': 9719, 'please hand up': 660051, 'hand up for': 375896, 'for your sister': 328209, 'your sister here': 1025810, 'sister here bless': 771751, 'here bless you': 392823, 'feedly': 302524, 'pandemic see': 636415, 'for homeless': 322348, 'homeless panic': 402766, 'buying strip': 151106, 'strip supermarket': 813832, '19 feedly': 6969, 'coronavirus pandemic see': 206487, 'pandemic see food': 636416, 'see food shortage': 745123, 'shortage for homeless': 764963, 'for homeless panic': 322351, 'homeless panic buying': 402767, 'panic buying strip': 637911, 'buying strip supermarket': 151107, 'strip supermarket shelf': 813834, 'shelf 19 feedly': 756674, 'hawaiian': 384464, 'friendly news': 333974, 'first hawaiian': 308704, 'hawaiian bank': 384465, 'waiving fee': 964561, 'fee through': 302239, 'through june': 894545, '30 for': 17051, 'all atm': 42085, 'atm withdrawal': 101974, 'withdrawal in': 1002266, 'in hawaii': 423575, 'some consumer friendly': 782595, 'consumer friendly news': 197543, 'friendly news in': 333975, 'time of first': 897332, 'of first hawaiian': 583552, 'first hawaiian bank': 308705, 'hawaiian bank is': 384466, 'bank is waiving': 109955, 'is waiving fee': 453738, 'waiving fee through': 964562, 'fee through june': 302240, 'through june 30': 894546, 'june 30 for': 467997, '30 for all': 17052, 'for all atm': 319111, 'all atm withdrawal': 42086, 'atm withdrawal in': 101975, 'withdrawal in hawaii': 1002267, 'operation team': 613267, 'to service': 914280, 'retail partner': 718383, 'virus challenge': 958047, 'our driver and': 622811, 'driver and operation': 259421, 'and operation team': 68188, 'operation team will': 613268, 'team will continue': 835831, 'continue to service': 201255, 'to service our': 914283, 'service our customer': 752673, 'customer especially our': 222342, 'especially our consumer': 280573, 'our consumer product': 622544, 'and retail partner': 70438, 'retail partner to': 718385, 'ensure we do': 278123, 'we do everything': 971331, '19 virus challenge': 11789, 'virus challenge to': 958048, 'challenge to all': 171575, 'find consumer': 306857, 'consumer information': 197869, 'information publication': 437956, 'publication and': 688509, 'community resource': 190066, 'created page to': 215871, 'page to make': 633906, 'make it easy': 510030, 'it easy for': 457743, 'easy for you': 265707, 'you to find': 1021777, 'to find consumer': 905890, 'find consumer information': 306860, 'consumer information publication': 197876, 'information publication and': 437957, 'publication and community': 688510, 'and community resource': 60176, 're tryna': 699740, 'tryna sell': 934907, 'bought because': 136513, 've run': 953512, 'you re tryna': 1020780, 're tryna sell': 699741, 'tryna sell all': 934908, 'sell all that': 748622, 'that toilet roll': 847077, 'toilet roll that': 921610, 'roll that you': 725533, 'that you panic': 847738, 'you panic bought': 1020282, 'panic bought because': 637417, 'bought because you': 136514, 'because you ve': 119879, 'you ve run': 1022062, 've run out': 953513, 'shopping retailer': 763757, 'retailer featuring': 719145, 'featuring on': 301600, 'bbc midland': 113085, 'midland news': 530733, 'news yesterday': 560974, 'how large': 408157, 'large independent': 479704, 'independent supermarket': 434138, 'dramatic increase': 258294, 'out our online': 626985, 'our online shopping': 624154, 'online shopping retailer': 609249, 'shopping retailer featuring': 763759, 'retailer featuring on': 719146, 'featuring on bbc': 301601, 'on bbc midland': 599594, 'bbc midland news': 113086, 'midland news yesterday': 530734, 'news yesterday the': 560975, 'yesterday the video': 1015888, 'the video show': 870752, 'show how large': 766981, 'how large independent': 408158, 'large independent supermarket': 479705, 'independent supermarket is': 434142, 'supermarket is coping': 821078, 'and the dramatic': 73333, 'the dramatic increase': 853662, 'dramatic increase in': 258295, 'warn watch': 966977, 'model developed': 535243, 'scientist from': 742223, 'from finland': 335475, 'scientist warn watch': 742271, 'warn watch the': 966978, 'watch the 3d': 968538, 'the 3d model': 848100, '3d model developed': 18237, 'model developed by': 535244, 'developed by the': 239691, 'by the scientist': 154434, 'the scientist from': 866507, 'scientist from finland': 742224, 'foodmanufacturers': 317998, 'all uk': 45307, 'uk foodmanufacturers': 938375, 'foodmanufacturers in': 318001, 'pace we': 632969, 'your critical': 1023385, 'equipment in': 279750, 'in operation': 426189, 'of breakdown': 580854, 'breakdown find': 138839, 'calling all uk': 156519, 'all uk foodmanufacturers': 45308, 'uk foodmanufacturers in': 938376, 'foodmanufacturers in the': 318002, 'face of unprecedented': 294680, '19 food manufacturer': 7045, 'manufacturer have ramped': 513465, 'keep pace we': 471774, 'pace we want': 632970, 'keep your critical': 472258, 'your critical equipment': 1023386, 'critical equipment in': 218555, 'equipment in operation': 279752, 'in operation and': 426190, 'operation and free': 613134, 'and free of': 63275, 'free of breakdown': 332011, 'of breakdown find': 580855, 'breakdown find out': 138840, 'esselunga': 280722, 'prato': 668973, 'os': 619691, 'esselunga di': 280723, 'di prato': 240144, 'prato os': 668974, 'os vera': 619692, 'esselunga di prato': 280724, 'di prato os': 240145, 'prato os vera': 668975, 'support actually': 826326, 'actually broke': 30746, 'broke down': 140827, 'while reading': 987201, 'our support actually': 625043, 'support actually broke': 826327, 'actually broke down': 30747, 'broke down while': 140829, 'down while reading': 257474, 'while reading this': 987202, 'reading this via': 700815, 'buoyed': 142719, 'benzene buoyed': 127263, 'buoyed by': 142720, 'by firm': 152592, 'firm crude': 308331, 'oil outlook': 596993, 'outlook clouded': 629137, 'by soft': 154066, 'soft demand': 781465, 'asia benzene buoyed': 95162, 'benzene buoyed by': 127264, 'buoyed by firm': 142721, 'by firm crude': 152593, 'firm crude oil': 308332, 'crude oil outlook': 219563, 'oil outlook clouded': 596994, 'outlook clouded by': 629138, 'clouded by soft': 184330, 'by soft demand': 154067, 'soft demand icis': 781466, 'so united': 778604, 'united right': 942196, 'no political': 565141, 'political party': 663669, 'party is': 643003, 'fighting or': 305101, 'that aside': 842873, 'see bright': 744981, 'bright future': 139786, 'future usa': 342500, 'politics trump': 663807, 'so not saying': 777899, 'not saying the': 571447, 'saying the situation': 739714, 'situation is good': 772348, 'is good but': 448139, 'good but love': 356851, 'but love how': 146329, 'how the nation': 408852, 'nation is so': 552233, 'is so united': 452043, 'so united right': 778605, 'united right now': 942197, 'now no political': 575353, 'no political party': 565142, 'political party is': 663670, 'party is fighting': 643004, 'is fighting or': 447792, 'fighting or anything': 305102, 'like that aside': 491313, 'that aside from': 842874, 'aside from people': 95418, 'from people going': 336878, 'people going little': 648098, 'going little crazy': 355262, 'little crazy in': 495306, 'crazy in the': 215334, 'store see bright': 810017, 'see bright future': 744982, 'bright future usa': 139787, 'future usa politics': 342501, 'usa politics trump': 948720, 'starbucks see': 794103, 'see sale': 745646, 'sale impact': 732288, 'coronavirus stretching': 206839, 'stretching into': 813585, 'into end': 442540, 'starbucks see sale': 794104, 'see sale impact': 745647, 'sale impact from': 732289, 'impact from coronavirus': 417664, 'from coronavirus stretching': 335023, 'coronavirus stretching into': 206840, 'stretching into end': 813586, 'into end of': 442541, 'end of 2020': 275888, 'worker public': 1007641, 'public safety': 688279, 'safety law': 730604, 'enforcement administrative': 276734, 'administrative staff': 32524, 'and attendant': 58505, 'attendant food': 102348, 'staff janitorial': 792592, 'fight while': 304944, 'appreciate and': 82710, 'and pray': 69318, 'pray to': 669031, 'hello to all': 389231, 'healthcare worker public': 387378, 'worker public safety': 1007642, 'public safety law': 688282, 'safety law enforcement': 730605, 'law enforcement administrative': 482263, 'enforcement administrative staff': 276735, 'administrative staff supermarket': 32525, 'supermarket cashier and': 819549, 'cashier and attendant': 166451, 'and attendant food': 58506, 'attendant food service': 102349, 'food service staff': 316431, 'service staff janitorial': 752852, 'staff janitorial staff': 792593, 'janitorial staff and': 464571, 'staff and many': 792148, 'many others who': 514461, 'others who help': 621788, 'who help fight': 988986, 'help fight while': 389719, 'fight while we': 304946, 'are in quarantine': 87427, 'in quarantine we': 427196, 'quarantine we appreciate': 692690, 'we appreciate and': 970451, 'appreciate and pray': 82711, 'and pray to': 69321, 'pray to you': 669035, '132': 3310, 'march consumer': 515324, '120 from': 3007, 'from 132': 334190, '132 economy': 3311, 'march consumer confidence': 515325, 'fall to 120': 297086, 'to 120 from': 899472, '120 from 132': 3008, 'from 132 economy': 334191, 'umhlanga': 939233, 'super spar': 818585, 'spar in': 787444, 'in umhlanga': 430406, 'umhlanga for': 939234, 'still looking': 800810, 'looking socialdistance': 503003, 'socialdistance stayathome': 780165, 'found this hand': 330434, 'at the super': 101115, 'the super spar': 868432, 'super spar in': 818586, 'spar in umhlanga': 787445, 'in umhlanga for': 430407, 'umhlanga for those': 939235, 'you who are': 1022303, 'are still looking': 90445, 'still looking socialdistance': 800813, 'looking socialdistance stayathome': 503004, 'euficoemcasa': 283325, 'next normal': 561471, 'behavior supply': 124209, 'chain regulation': 171037, 'regulation organization': 708092, 'organization by': 619352, 'by stayhomestaysafe': 154107, 'stayhomestaysafe yomequedoencasa': 798540, 'yomequedoencasa euficoemcasa': 1016541, 'the next normal': 861682, 'next normal in': 561472, 'consumer behavior supply': 196517, 'behavior supply chain': 124211, 'supply chain regulation': 825019, 'chain regulation organization': 171038, 'regulation organization by': 708093, 'organization by stayhomestaysafe': 619353, 'by stayhomestaysafe yomequedoencasa': 154108, 'stayhomestaysafe yomequedoencasa euficoemcasa': 798541, 'team are': 835587, 'people experiencing': 647845, 'experiencing vulnerability': 291717, 'vulnerability and': 960806, 'and disadvantage': 61398, 'disadvantage through': 243998, 'financial stress': 306605, 'consumer problem': 198439, 'are highly': 87164, 'highly likely': 396078, 'month see': 537990, 'our team are': 625096, 'team are continuing': 835588, 'continuing to support': 201574, 'support people experiencing': 826757, 'people experiencing vulnerability': 647846, 'experiencing vulnerability and': 291718, 'vulnerability and disadvantage': 960807, 'and disadvantage through': 61399, 'disadvantage through the': 243999, 'through the health': 894744, 'health crisis we': 386357, 'crisis we know': 218349, 'that financial stress': 843872, 'financial stress and': 306606, 'stress and consumer': 813298, 'and consumer problem': 60417, 'consumer problem are': 198440, 'problem are highly': 679464, 'are highly likely': 87166, 'highly likely to': 396080, 'to increase over': 908291, 'increase over the': 432975, 'coming month see': 188143, 'month see here': 537991, 'see here for': 745188, 'grateful the': 362315, 'stock well': 803166, 'well lockdown': 978375, 'tuscany thankful': 936027, 'lockdown day am': 499299, 'day am grateful': 227239, 'am grateful the': 50105, 'grateful the grocery': 362316, 'paper stock well': 640835, 'stock well lockdown': 803167, 'well lockdown grocery': 978376, 'lockdown grocery supermarket': 499429, 'grocery supermarket stock': 366005, 'italy tuscany thankful': 462959, 'futile': 342244, 'wonderful greed': 1004085, 'of airbnb': 579861, 'airbnb landlord': 39820, 'landlord is': 479354, 'is futile': 447993, 'futile now': 342245, 'hope house': 403501, 'drop next': 260313, 'for buyer': 319856, 'buyer economy': 149633, 'wonderful greed of': 1004086, 'greed of airbnb': 363415, 'of airbnb landlord': 579862, 'airbnb landlord is': 39821, 'landlord is futile': 479355, 'is futile now': 447994, 'futile now that': 342246, 'in crisis hope': 421884, 'crisis hope house': 217495, 'hope house price': 403502, 'price drop next': 673575, 'drop next great': 260314, 'next great for': 561386, 'great for buyer': 362678, 'for buyer economy': 319858, 'state need': 795777, 'just national': 469298, 'national industrial': 552541, 'an allied': 55242, 'allied industrial': 45846, 'ensure group': 277959, 'group allied': 366591, 'allied democratic': 45844, 'democratic nation': 236763, 'nation still': 552316, 'the ability': 848234, 'produce innovative': 680320, 'innovative product': 438930, 'at competitive': 98305, 'competitive price': 191778, 'key area': 473230, 'united state need': 942230, 'state need not': 795779, 'need not just': 555307, 'not just national': 570234, 'just national industrial': 469299, 'national industrial strategy': 552542, 'industrial strategy but': 435575, 'strategy but an': 812622, 'but an allied': 145179, 'an allied industrial': 55243, 'allied industrial strategy': 45847, 'strategy to ensure': 812730, 'to ensure group': 905165, 'ensure group allied': 277960, 'group allied democratic': 366592, 'allied democratic nation': 45845, 'democratic nation still': 236764, 'nation still have': 552317, 'still have the': 800663, 'have the ability': 382958, 'the ability to': 848236, 'ability to produce': 24396, 'to produce innovative': 912198, 'produce innovative product': 680321, 'innovative product at': 438931, 'product at competitive': 680963, 'at competitive price': 98306, 'competitive price in': 191782, 'price in set': 674729, 'in set of': 427829, 'set of key': 753441, 'of key area': 585610, 'kcet': 471195, 'kcet would': 471196, 'customer about': 222011, 'we protected': 972771, 'protected enough': 685127, 'kcet would like': 471197, 'like to talk': 491628, 'talk to some': 833889, 'to some grocery': 914877, 'and customer about': 60832, 'customer about our': 222013, 'about our visit': 25904, 'our visit to': 625284, 'outbreak are we': 628028, 'are we protected': 91584, 'we protected enough': 972772, 'protected enough please': 685128, 'enough please dm': 277565, 'best option during': 127814, 'option during time': 614022, 'sanantonio': 733576, 'store 30mins': 806033, '30mins before': 17484, 'even open': 284435, 'opposite end': 613788, 'lot socialdistancing': 504366, 'socialdistancing sanantonio': 780656, 'sanantonio heb': 733579, 'is how long': 448585, 'how long the': 408208, 'long the line': 501729, 'line is to': 493210, 'is to get': 453205, 'grocery store 30mins': 365169, 'store 30mins before': 806034, '30mins before it': 17485, 'it even open': 457857, 'even open in': 284436, 'open in line': 612322, 'in line on': 424764, 'line on the': 493326, 'the opposite end': 862412, 'opposite end of': 613789, 'of the parking': 591320, 'parking lot socialdistancing': 642104, 'lot socialdistancing sanantonio': 504367, 'socialdistancing sanantonio heb': 780657, 'towards new': 927219, 'normal key': 567199, 'towards new normal': 927220, 'new normal key': 559160, 'normal key consumer': 567200, 'identified the outbreak': 413350, 'the outbreak evolves': 862621, 'll admit': 496537, 'admit did': 32594, 'did bit': 240570, 'shopping tonight': 764230, 'my cupboard': 547860, 'cupboard are': 220469, 'keto only': 473183, 'only got': 610535, 'got few': 358551, 'll admit did': 496538, 'admit did bit': 32595, 'did bit of': 240571, 'bit of panic': 131656, 'panic shopping tonight': 638592, 'shopping tonight but': 764231, 'because my cupboard': 119258, 'my cupboard are': 547862, 'cupboard are bare': 220470, 'of my food': 586771, 'went keto only': 979055, 'keto only got': 473184, 'only got few': 610536, 'got few week': 358553, 'few week worth': 304175, 'week worth it': 977282, 'worth it just': 1011378, 'just me in': 469242, 'go these time': 354230, 'these time are': 880837, 'time are so': 896331, 'are so sad': 90216, 'make covid': 509805, 'testing accessible': 839416, 'accessible and': 28330, 'free well': 332321, 'well other': 978450, 'the filipino': 855183, 'filipino people': 305441, 'people via': 650089, 'petition to make': 653640, 'to make covid': 909644, 'make covid 19': 509806, '19 testing accessible': 11093, 'testing accessible and': 839417, 'accessible and free': 28331, 'and free well': 63280, 'free well other': 332323, 'well other necessity': 978451, 'other necessity like': 620571, 'necessity like free': 554242, 'like free food': 490283, 'food and ppe': 313310, 'and ppe for': 69284, 'ppe for the': 667951, 'for the filipino': 326434, 'the filipino people': 855184, 'filipino people via': 305442, 'bookshop': 134777, 'shop both': 759988, 'online physical': 608749, 'physical bookshop': 655384, 'bookshop for': 134778, 'year horrified': 1014634, 'horrified disappointed': 404163, 'risk also': 723360, 'also your': 49132, 'loyal customer of': 506271, 'customer of your': 222640, 'of your shop': 593524, 'your shop both': 1025762, 'shop both online': 759989, 'both online physical': 135994, 'online physical bookshop': 608750, 'physical bookshop for': 655385, 'bookshop for year': 134780, 'for year horrified': 328006, 'year horrified disappointed': 1014635, 'horrified disappointed that': 404164, 'disappointed that your': 244121, 'that your shop': 847774, 'your shop are': 1025761, 'shop are still': 759916, 'still open during': 800957, 'open during the': 612199, '19 pandemic this': 9498, 'pandemic this is': 636745, 'this is putting': 888367, 'is putting your': 451166, 'putting your staff': 691294, 'staff at risk': 792238, 'at risk also': 100335, 'risk also your': 723361, 'also your customer': 49133, 'happy face': 377613, 'mask making': 518941, 'working cancelled': 1008552, 'cancelled launch': 161133, 'launch event': 481900, 'event restricted': 285063, 'restricted travel': 717175, 'travel mandatory': 930422, 'mandatory sanitizer': 513055, 'use temp': 949633, 'temp check': 837319, 'check cough': 174401, 'cough cold': 208465, 'cold mask': 185771, 'mask flu': 518651, 'flu fever': 311410, 'home also': 400594, 'testing remote': 839628, 'remote working': 710752, 'day take': 228449, 'happy face in': 377614, 'face in mask': 294469, 'in mask making': 425167, 'mask making change': 518942, 'making change in': 510987, 'change in way': 172141, 'in way of': 430724, 'of working cancelled': 593297, 'working cancelled launch': 1008553, 'cancelled launch event': 161134, 'launch event restricted': 481901, 'event restricted travel': 285064, 'restricted travel mandatory': 717176, 'travel mandatory sanitizer': 930423, 'mandatory sanitizer use': 513056, 'sanitizer use temp': 735995, 'use temp check': 949634, 'temp check cough': 837320, 'check cough cold': 174402, 'cough cold mask': 208466, 'cold mask flu': 185772, 'mask flu fever': 518652, 'flu fever at': 311412, 'fever at home': 303658, 'at home also': 98936, 'home also testing': 400595, 'also testing remote': 48962, 'testing remote working': 839629, 'remote working for': 710753, 'working for few': 1008636, 'few day take': 303793, 'day take care': 228450, 'cbse': 168380, 'ahsec': 39283, 'examscancelled': 289011, 'cbse exam': 168381, 'exam postponed': 288802, 'postponed school': 666826, 'school canceled': 741715, 'canceled but': 160925, 'about ahsec': 24774, 'ahsec class': 39284, 'class 11': 180131, '11 exam': 2520, 'exam please': 288798, 'please clear': 659786, 'exam is': 288796, 'it postponed': 460400, 'postponed or': 666822, 'same date': 733018, 'date told': 226742, 'told before': 923531, 'before examscancelled': 122788, 'cbse exam postponed': 168382, 'exam postponed school': 288803, 'postponed school canceled': 666827, 'school canceled but': 741716, 'canceled but what': 160928, 'what about ahsec': 980959, 'about ahsec class': 24775, 'ahsec class 11': 39285, 'class 11 exam': 180132, '11 exam please': 2521, 'exam please clear': 288799, 'please clear about': 659787, 'clear about the': 181216, 'about the exam': 26392, 'the exam is': 854662, 'exam is it': 288797, 'is it postponed': 449050, 'it postponed or': 460401, 'postponed or is': 666823, 'the same date': 866214, 'same date told': 733019, 'date told before': 226743, 'told before examscancelled': 923532, 'puremichigan': 690047, 'michigan farmer': 530337, 'farmer fear': 299372, 'fear ruin': 301312, 'ruin coronavirus': 727104, 'lockdown crash': 499282, 'crash price': 215023, 'via puremichigan': 956190, 'michigan farmer fear': 530338, 'farmer fear ruin': 299373, 'fear ruin coronavirus': 301313, 'ruin coronavirus lockdown': 727105, 'coronavirus lockdown crash': 206241, 'lockdown crash price': 499283, 'crash price via': 215026, 'price via puremichigan': 677309, 'should panic': 766306, 'buyer be': 149585, 'banned in': 110578, 'socialdistanacing should panic': 780092, 'should panic buyer': 766307, 'panic buyer be': 637557, 'buyer be banned': 149586, 'be banned in': 113810, 'banned in supermarket': 110579, 'restarting': 716249, 'rebooting': 703289, 'resource so': 714881, 'week available': 975967, 'now including': 575029, 'including restarting': 432129, 'restarting rebooting': 716250, 'rebooting post': 703290, 'buying data': 150176, 'data strategy': 226431, 'strategy smallbusiness': 812712, 'new resource so': 559474, 'resource so far': 714882, 'this week available': 891188, 'week available now': 975968, 'available now including': 104517, 'now including restarting': 575030, 'including restarting rebooting': 432130, 'restarting rebooting post': 716251, 'rebooting post and': 703291, 'post and consumer': 665989, 'and consumer buying': 60358, 'consumer buying data': 196702, 'buying data strategy': 150177, 'data strategy smallbusiness': 226433, 'man face': 512057, 'charge after': 173188, 'after coughing': 35515, 'man face terror': 512058, 'terror charge after': 838587, 'charge after coughing': 173189, 'after coughing on': 35516, 'seems fitting': 746785, 'fitting warning': 309569, 'warning with': 967237, 'society current': 781188, 'current mindset': 221258, 'mindset stophoarding': 532856, 'seems fitting warning': 746786, 'fitting warning with': 309570, 'warning with society': 967238, 'with society current': 1000830, 'society current mindset': 781189, 'current mindset stophoarding': 221259, 'mindset stophoarding quarantine': 532857, 'recent survey': 703995, 'survey found': 828868, 'that 55': 842466, '55 of': 20404, 'surveyed plan': 829009, 'pandemic positive': 636214, 'retailer with': 719435, 'those product': 892369, 'recent survey found': 703996, 'survey found that': 828869, 'found that 55': 330393, 'that 55 of': 842467, '55 of consumer': 20406, 'consumer surveyed plan': 199202, 'surveyed plan to': 829010, 'do more online': 249601, 'the pandemic positive': 863059, 'pandemic positive for': 636215, 'positive for retailer': 665325, 'for retailer with': 325208, 'retailer with online': 719437, 'with online business': 999893, 'online business and': 607955, 'business and for': 143305, 'for the company': 326354, 'that supply those': 846588, 'supply those product': 825992, 'yum': 1027082, 'particular note': 642623, 'note is': 572744, 'is yum': 454178, 'yum brand': 1027083, 'brand which': 138069, 'which engaged': 985848, 'it largest': 459294, 'largest period': 479998, 'buyback the': 149524, 'same year': 733430, 'took out': 925306, 'out record': 627096, 'record debt': 704935, 'debt read': 230542, 'of particular note': 587797, 'particular note is': 642624, 'note is yum': 572746, 'is yum brand': 454179, 'yum brand which': 1027084, 'brand which engaged': 138070, 'which engaged in': 985849, 'engaged in one': 276877, 'of it largest': 585412, 'it largest period': 459296, 'largest period of': 479999, 'period of stock': 651853, 'of stock buyback': 590145, 'stock buyback the': 801959, 'buyback the same': 149525, 'the same year': 866324, 'same year it': 733431, 'year it took': 1014683, 'it took out': 461804, 'took out record': 925307, 'out record debt': 627097, 'record debt read': 704936, 'debt read the': 230543, 'fatigue': 300340, 'gas attendant': 343772, 'attendant amp': 102331, 'amp pharmacist': 54291, 'pharmacist are': 654116, 'of they': 591880, 'job despite': 465779, 'the jeopardy': 858643, 'jeopardy stress': 465133, 'stress amp': 813291, 'amp fatigue': 53783, 'fatigue we': 300341, 'ask that': 95627, 'do yours': 250715, 'yours clean': 1026455, 'hand cover': 374883, 'cover cough': 212205, 'cough physical': 208537, 'physical distance': 655404, 'worker gas attendant': 1007013, 'gas attendant amp': 343773, 'attendant amp pharmacist': 102332, 'amp pharmacist are': 54292, 'pharmacist are at': 654117, 'are at higher': 84668, 'risk of they': 723785, 'of they are': 591881, 'their job despite': 873709, 'job despite the': 465781, 'despite the jeopardy': 238888, 'the jeopardy stress': 858644, 'jeopardy stress amp': 465134, 'stress amp fatigue': 813292, 'amp fatigue we': 53784, 'fatigue we ask': 300342, 'we ask that': 970782, 'ask that you': 95630, 'that you do': 847719, 'you do yours': 1018284, 'do yours clean': 250716, 'yours clean your': 1026456, 'your hand cover': 1024181, 'hand cover cough': 374884, 'cover cough physical': 212207, 'cough physical distance': 208538, 'physical distance yourself': 655408, '410': 18872, '528': 20278, '8662': 23004, 'heau': 388539, 'working4md': 1009081, 'alerta': 41553, 'hotline 410': 405229, '410 528': 18873, '528 8662': 20281, '8662 and': 23005, 'and 410': 57475, '528 1840': 20279, '1840 consumer': 4639, 'state md': 795764, 'and heau': 64425, 'heau state': 388540, 'md working4md': 522300, 'working4md education': 1009082, 'education alerta': 268800, 'alerta scamalert': 41554, 'gouging or any': 359413, 'any other coronavirus': 79584, 'other coronavirus scam': 620009, 'coronavirus scam to': 206723, 'scam to the': 740426, 'to the attorney': 916500, 'protection hotline 410': 685476, 'hotline 410 528': 405230, '410 528 8662': 18875, '528 8662 and': 20282, '8662 and 410': 23006, 'and 410 528': 57476, '410 528 1840': 18874, '528 1840 consumer': 20280, '1840 consumer state': 4640, 'consumer state md': 199132, 'state md and': 795765, 'md and heau': 522257, 'and heau state': 64426, 'heau state md': 388541, 'state md working4md': 795766, 'md working4md education': 522301, 'working4md education alerta': 1009083, 'education alerta scamalert': 268801, 'shutdown govt': 768032, 'govt say': 361267, 'say online': 739030, 'food necessity': 315512, 'necessity count': 554197, '19 shutdown govt': 10525, 'shutdown govt say': 768033, 'govt say online': 361269, 'say online shopping': 739031, 'shopping delivery of': 762462, 'delivery of non': 234231, 'non food necessity': 566392, 'food necessity count': 315514, 'necessity count essential': 554198, 'shitting': 759351, 'mobo': 535115, 'totally shitting': 926392, 'shitting on': 759356, 'my pc': 549733, 'pc building': 645874, 'building aspiration': 142053, 'aspiration mobo': 96242, 'mobo price': 535116, 'skyrocketed or': 773374, '19 is totally': 8069, 'is totally shitting': 453308, 'totally shitting on': 926393, 'shitting on my': 759358, 'on my pc': 602303, 'my pc building': 549734, 'pc building aspiration': 645875, 'building aspiration mobo': 142054, 'aspiration mobo price': 96243, 'mobo price skyrocketed': 535117, 'price skyrocketed or': 676446, 'skyrocketed or completely': 773375, 'or completely sold': 614787, 'keepcalmandstoppanicbuying': 472320, 'the emotion': 854246, 'emotion of': 273264, 'rot keepcalmandstoppanicbuying': 726169, 'enough people see': 277558, 'see the emotion': 745830, 'the emotion of': 854247, 'emotion of this': 273266, 'of this amazing': 591935, 'amazing person to': 50760, 'person to stop': 652662, 'to stop filling': 915522, 'stop filling the': 804651, 'filling the cupboard': 305626, 'the cupboard with': 852580, 'it rot keepcalmandstoppanicbuying': 460806, 'rhe': 720878, 'force argo': 328336, 'argo to': 92673, 'close do': 182609, 'sell food': 748721, 'medicine so': 526885, 'is rhe': 451508, 'rhe queue': 720879, 'queue 10x': 693847, '10x that': 2413, 'need to force': 555943, 'to force argo': 906166, 'force argo to': 328337, 'argo to close': 92674, 'to close do': 902867, 'close do they': 182610, 'do they sell': 250316, 'they sell food': 883311, 'sell food medicine': 748724, 'food medicine so': 315447, 'medicine so why': 526888, 'why is rhe': 991118, 'is rhe queue': 451509, 'rhe queue 10x': 720880, 'queue 10x that': 693848, '10x that of': 2414, 'calm everybody': 156733, 'everybody there': 286492, 'stock staycalm': 802878, 'staycalm panicshopping': 797834, 'panicshopping bogroll': 639418, 'bogroll toiletpaperpanic': 134012, 'stay calm everybody': 796809, 'calm everybody there': 156734, 'everybody there no': 286493, 'buy there enough': 149340, 'bog roll in': 133955, 'roll in stock': 725344, 'in stock staycalm': 428330, 'stock staycalm panicshopping': 802879, 'staycalm panicshopping bogroll': 797835, 'panicshopping bogroll toiletpaperpanic': 639419, 'centennial': 169138, 'like centennial': 489980, 'centennial state': 169139, 'state craft': 795506, 'craft brewery': 214767, 'brewery local': 139446, 'wine maker': 995837, 'facing decreased': 295441, 'decreased revenue': 231640, 'revenue and': 720373, 'and relying': 70209, 'on direct': 600331, 'like centennial state': 489981, 'centennial state craft': 169140, 'state craft brewery': 795507, 'craft brewery local': 214768, 'brewery local wine': 139447, 'local wine maker': 498705, 'wine maker are': 995838, 'maker are facing': 510819, 'are facing decreased': 86409, 'facing decreased revenue': 295442, 'decreased revenue and': 231641, 'revenue and relying': 720378, 'and relying on': 70210, 'relying on direct': 709672, 'on direct to': 600332, 'consumer sale more': 198859, 'while restaurant': 987218, 'closing community': 183608, 'community supported': 190136, 'supported agriculture': 827035, 'food subscription': 316902, 'subscription or': 815898, 'one off': 606775, 'box delivery': 137044, 'demand farming': 235326, 'farming csa': 299614, 'while restaurant and': 987219, 'restaurant and other': 716293, 'and other small': 68406, 'business are temporarily': 143393, 'temporarily closing community': 837476, 'closing community supported': 183609, 'community supported agriculture': 190137, 'supported agriculture food': 827036, 'agriculture food subscription': 38976, 'food subscription or': 316903, 'subscription or one': 815899, 'or one off': 616382, 'one off box': 606776, 'off box delivery': 593696, 'box delivery of': 137045, 'delivery of local': 234227, 'local food are': 497961, 'food are skyrocketing': 313414, 'skyrocketing in demand': 773431, 'in demand farming': 422124, 'demand farming csa': 235327, 'buck co': 141656, 'co covid': 184822, 'experience price': 291456, 'gouging please': 359427, 'the dept': 853163, 'buck co covid': 141657, 'co covid 19': 184823, 'you experience price': 1018488, 'experience price gouging': 291457, 'price gouging please': 674313, 'gouging please contact': 359428, 'contact the dept': 200222, 'the dept of': 853165, 'motivated': 543290, 'company think': 191208, 'raise product': 695939, 'this show': 890134, 'be motivated': 116009, 'motivated by': 543291, 'by money': 153235, 'money it': 536854, 'really disappointing': 702120, 'disappointing because': 244132, 'necessary at': 553958, 'buying do': 150194, 'me started': 523537, 'this company think': 886827, 'company think it': 191209, 'okay to raise': 598025, 'to raise product': 912732, 'raise product price': 695940, 'product price this': 681548, 'price this show': 676923, 'this show how': 890136, 'how people can': 408497, 'can be motivated': 157647, 'be motivated by': 116010, 'motivated by money': 543292, 'by money it': 153236, 'money it really': 536859, 'it really disappointing': 460633, 'really disappointing because': 702121, 'disappointing because it': 244133, 'not necessary at': 570634, 'necessary at all': 553959, 'at all and': 97869, 'all and people': 42015, 'panic buying do': 637705, 'buying do not': 150195, 'get me started': 347539, 'me started on': 523538, 'started on that': 794794, 'raining': 695788, 'angelenos': 76351, 'pumpkin': 689142, 'thread went': 893618, 'it raining': 460596, 'raining in': 695789, 'angeles and': 76358, 'and angelenos': 58146, 'angelenos turn': 76354, 'into pumpkin': 442910, 'pumpkin in': 689143, 'rain so': 695754, 'figured it': 305251, 'busy thankfully': 144984, 'thankfully it': 841953, 'wasn but': 967966, 'clear lot': 181281, 'thread went to': 893619, 'store because needed': 806682, 'because needed to': 119271, 'needed to and': 556527, 'to and it': 900510, 'and it raining': 65576, 'it raining in': 460597, 'raining in los': 695790, 'los angeles and': 503359, 'angeles and angelenos': 76359, 'and angelenos turn': 58147, 'angelenos turn into': 76355, 'turn into pumpkin': 935693, 'into pumpkin in': 442911, 'pumpkin in the': 689144, 'the rain so': 865116, 'rain so figured': 695755, 'so figured it': 777092, 'figured it wouldn': 305253, 'wouldn be busy': 1012439, 'be busy thankfully': 113929, 'busy thankfully it': 144985, 'thankfully it wasn': 841954, 'it wasn but': 462255, 'wasn but it': 967967, 'but it clear': 146110, 'it clear lot': 457160, 'clear lot of': 181282, 'of people don': 587897, 'people don get': 647700, 'date trump2020': 226745, 'trump2020 chinesevirus': 934001, 'chinesevirus hysteria': 177441, 'hysteria quarantine': 412475, 'quarantine fakenews': 692188, 'fakenews in': 296760, 'in stroke': 428505, 'stroke of': 813941, 'genius president': 345796, 'trump creates': 933499, 'creates nationwide': 215953, 'nationwide network': 552748, 'network of': 557746, 'america top': 51720, 'building drive': 142075, 'thru coronavirus': 895174, 'testing location': 839557, 'check the date': 174646, 'the date trump2020': 852860, 'date trump2020 chinesevirus': 226746, 'trump2020 chinesevirus hysteria': 934002, 'chinesevirus hysteria quarantine': 177442, 'hysteria quarantine fakenews': 412476, 'quarantine fakenews in': 692189, 'fakenews in stroke': 296761, 'in stroke of': 428506, 'stroke of genius': 813942, 'of genius president': 584087, 'genius president trump': 345797, 'president trump creates': 670936, 'trump creates nationwide': 933500, 'creates nationwide network': 215954, 'nationwide network of': 552749, 'network of america': 557747, 'of america top': 580047, 'america top consumer': 51721, 'top consumer store': 925554, 'consumer store who': 199165, 'store who are': 811298, 'who are building': 988110, 'are building drive': 85075, 'building drive thru': 142076, 'drive thru coronavirus': 259192, 'thru coronavirus testing': 895175, 'coronavirus testing location': 206890, 'bordering': 135304, 'company ad': 190349, 'ad are': 31057, 'search they': 743295, 'they lead': 882541, 'and toronto': 74289, 'toronto location': 925960, 'location the': 498964, 'price seem': 676331, 'seem very': 746705, 'and bordering': 59079, 'bordering on': 135305, 'on profiteering': 602963, 'coronacrisis please': 204708, 'and review': 70491, 'this company ad': 886819, 'company ad are': 190350, 'ad are popping': 31058, 'up in search': 945176, 'in search they': 427758, 'search they lead': 743296, 'they lead to': 882542, 'lead to website': 483394, 'to website and': 918463, 'website and toronto': 975206, 'and toronto location': 74290, 'toronto location the': 925961, 'location the price': 498966, 'the price seem': 864410, 'price seem very': 676334, 'seem very high': 746706, 'very high and': 955227, 'high and bordering': 394918, 'and bordering on': 59080, 'bordering on profiteering': 135307, 'on profiteering from': 602964, 'from the coronacrisis': 337655, 'the coronacrisis please': 851787, 'coronacrisis please check': 204709, 'please check and': 659770, 'check and review': 174365, 'vulnrable': 961283, 'vari': 952522, 'hi can': 394606, 'help sure': 390623, 'sure filled': 827550, 'in something': 428115, 'something recently': 785034, 'recently on': 704129, 'state that': 795978, 'am vulnrable': 50539, 'vulnrable to': 961284, 'do shopping': 250074, 'shopping however': 762934, 'however am': 409339, 'still blocked': 800290, 'blocked from': 132856, 'from placing': 336932, 'placing online': 657951, 'on vari': 605017, 'hi can you': 394607, 'you help sure': 1019201, 'help sure filled': 390624, 'sure filled in': 827551, 'filled in something': 305542, 'in something recently': 428116, 'something recently on': 785035, 'recently on my': 704130, 'on my online': 602300, 'my online account': 549577, 'online account to': 607767, 'account to state': 28772, 'to state that': 915257, 'state that am': 795979, 'that am vulnrable': 842618, 'am vulnrable to': 50540, 'vulnrable to covid': 961285, '19 so cannot': 10637, 'so cannot go': 776740, 'to do shopping': 904553, 'do shopping however': 250078, 'shopping however am': 762935, 'however am still': 409340, 'am still blocked': 50432, 'still blocked from': 800291, 'blocked from placing': 132857, 'from placing online': 336933, 'placing online order': 657952, 'online order and': 608677, 'order and am': 618023, 'and am starting': 58032, 'starting to run': 795036, 'to run low': 913663, 'low on vari': 505469, 'meetingthechallenges': 527806, 'store seem': 810021, 'other appreciate': 619842, 'america meetingthechallenges': 51610, 'meetingthechallenges unitedstates': 527807, 'unitedstates grocerystore': 942291, 'grocery store seem': 365754, 'store seem to': 810022, 'new normal yet': 559181, 'normal yet let': 567426, 'yet let not': 1016134, 'other and be': 619820, 'and be kind': 58755, 'each other appreciate': 264155, 'other appreciate those': 619843, 'across america meetingthechallenges': 29246, 'america meetingthechallenges unitedstates': 51611, 'meetingthechallenges unitedstates grocerystore': 527808, 'unitedstates grocerystore groceryshopping': 942292, 'completely agree': 192212, 'gym thing': 369356, 'thing stan': 884759, 'stan exercise': 793458, 'exercise doe': 290039, 'doe so': 251577, 'mental wellbeing': 528668, 'wellbeing and': 978787, 'are careful': 85172, 'careful much': 164410, 'catch something': 167026, 'something horrible': 784939, 'horrible not': 404110, 'completely agree with': 192213, 'with you on': 1002158, 'you on the': 1020193, 'on the gym': 604154, 'the gym thing': 856976, 'gym thing stan': 369357, 'thing stan exercise': 884760, 'stan exercise doe': 793459, 'exercise doe so': 290040, 'doe so much': 251578, 'much for your': 544928, 'for your mental': 328176, 'your mental wellbeing': 1024816, 'mental wellbeing and': 528669, 'wellbeing and can': 978788, 'and can see': 59473, 'can see what': 159552, 'issue is if': 455818, 'you are careful': 1017082, 'are careful much': 85173, 'careful much more': 164411, 'much more likely': 545114, 'likely to catch': 492134, 'to catch something': 902504, 'catch something horrible': 167028, 'something horrible not': 784940, 'horrible not just': 404111, 'not just covid': 570218, '19 from supermarket': 7139, 'supermarket at th': 819252, 'while fully': 986862, 'fully support': 341108, 'support healthcare': 826559, 'we shout': 973308, 'who still': 989672, 'employee utility': 274369, 'technician truck': 836234, 'driver government': 259582, 'government military': 360359, 'military police': 531489, 'while fully support': 986863, 'fully support healthcare': 341109, 'support healthcare professional': 826560, 'the pandemic can': 862927, 'pandemic can we': 635086, 'can we shout': 160197, 'we shout out': 973309, 'everyone who still': 287605, 'who still ha': 989676, 'to work retail': 918774, 'work retail grocery': 1005670, 'retail grocery store': 718159, 'store employee utility': 807563, 'employee utility technician': 274370, 'utility technician truck': 951324, 'technician truck driver': 836235, 'truck driver government': 932779, 'driver government military': 259583, 'government military police': 360361, 'military police and': 531490, 'police and so': 662910, 'so on thank': 777942, 'on thank them': 603925, 'lessens': 486452, 'airline slash': 40024, 'demand lessens': 235804, 'lessens due': 486453, 'coronavirus virus': 207025, 'virus airline': 957901, 'airline flight': 39949, 'flight business': 310449, 'airline slash price': 40025, 'slash price travel': 773592, 'price travel demand': 677114, 'travel demand lessens': 930334, 'demand lessens due': 235805, 'lessens due to': 486454, 'to coronavirus virus': 903574, 'coronavirus virus airline': 207026, 'virus airline flight': 957902, 'airline flight business': 39950, 'flight business economy': 310450, 'fhe': 304353, 'tropic': 932570, 'dengue': 236927, 'stalk': 793342, 'of kill': 585635, 'in fhe': 422866, 'fhe tropic': 304354, 'tropic covid': 932571, '19 dengue': 6492, 'dengue weirdo': 236930, 'who dress': 988661, 'full body': 340506, 'body suit': 133891, 'suit mask': 817771, 'and sunglass': 72693, 'sunglass and': 818374, 'and stalk': 72214, 'stalk you': 793345, 'thing out of': 884666, 'out of kill': 626770, 'of kill you': 585636, 'kill you in': 474554, 'you in fhe': 1019303, 'in fhe tropic': 422867, 'fhe tropic covid': 304355, 'tropic covid 19': 932572, 'covid 19 dengue': 212931, '19 dengue weirdo': 6494, 'dengue weirdo who': 236931, 'weirdo who dress': 977840, 'who dress up': 988662, 'dress up in': 258685, 'up in full': 945154, 'in full body': 423159, 'full body suit': 340507, 'body suit mask': 133892, 'suit mask and': 817772, 'mask and sunglass': 518376, 'and sunglass and': 72694, 'sunglass and stalk': 818375, 'and stalk you': 72215, 'stalk you at': 793346, 'you at the': 1017342, 'office reiterates': 595529, 'reiterates state': 708306, 'state position': 795867, 'position call': 665162, 'call local': 155975, 'local cop': 497859, 'cop not': 203274, 'not ag': 568086, 'hotline with': 405271, 'michigan ag office': 530315, 'ag office reiterates': 36826, 'office reiterates state': 595530, 'reiterates state position': 708307, 'state position call': 795868, 'position call local': 665163, 'call local cop': 155976, 'local cop not': 497860, 'cop not ag': 203275, 'not ag consumer': 568087, 'ag consumer hotline': 36778, 'consumer hotline with': 197779, 'hotline with complaint': 405272, 'with complaint about': 997710, 'complaint about potential': 191929, 'about potential violation': 25980, 'violation of stayhome': 957519, 'of stayhome order': 590093, 'hygene': 412035, 'fact there': 295825, 'uk fact': 938345, 'of toiletry': 592297, 'of hygene': 584940, 'hygene product': 412036, 'uk stop': 938744, 'stop acting': 804428, 'like knob': 490614, 'knob stoppanicbuying': 476143, 'fact there is': 295827, 'absolutely no shortage': 27404, 'the uk fact': 870215, 'uk fact there': 938346, 'shortage of toiletry': 765143, 'of toiletry in': 592298, 'toiletry in the': 923430, 'shortage of hygene': 765117, 'of hygene product': 584941, 'hygene product in': 412037, 'the uk stop': 870285, 'uk stop panic': 938745, 'buying stop acting': 151092, 'stop acting like': 804429, 'acting like knob': 29883, 'like knob stoppanicbuying': 490615, 'r4today': 695100, 'r4today the': 695104, 'coronavirus show': 206764, 'that capitalism': 843151, 'capitalism doe': 162740, 'real wealth': 701451, 'wealth creator': 974153, 'creator are': 216234, 'not billionaire': 568572, 'billionaire they': 130967, 'the wealth': 871238, 'wealth hoarder': 974169, 'true creator': 933061, 'creator of': 216247, 'of wealth': 592970, 'wealth are': 974145, 'like hoarding': 490443, 'hoarding wealth': 399649, 'wealth just': 974171, 'just mean': 469250, 'r4today the coronavirus': 695105, 'the coronavirus show': 851912, 'coronavirus show that': 206765, 'show that capitalism': 767180, 'that capitalism doe': 843153, 'capitalism doe not': 162741, 'doe not work': 251537, 'not work it': 572533, 'work it turn': 1005392, 'turn out that': 935740, 'that the real': 846814, 'the real wealth': 865247, 'real wealth creator': 701452, 'wealth creator are': 974154, 'creator are not': 216235, 'are not billionaire': 88334, 'not billionaire they': 568573, 'billionaire they are': 130968, 'are the wealth': 90934, 'the wealth hoarder': 871239, 'wealth hoarder the': 974170, 'hoarder the true': 399121, 'the true creator': 870048, 'true creator of': 933062, 'creator of wealth': 216249, 'of wealth are': 592971, 'wealth are the': 974146, 'are the worker': 90936, 'the worker like': 871756, 'worker like hoarding': 1007319, 'like hoarding toilet': 490444, 'paper hoarding wealth': 640285, 'hoarding wealth just': 399650, 'wealth just mean': 974172, 'just mean there': 469253, 'mean there isn': 524707, 'there isn enough': 878663, 'isn enough to': 454491, 'mufc': 545537, 'for panicbuying': 324370, 'panicbuying wa': 639111, 'local super': 498492, 'prove there': 686117, 'everything shopping': 287989, 'shopping panicbuyinguk': 763596, 'panicbuyinguk quarantine': 639155, 'quarantine qanon': 692450, 'qanon quarantinecats': 691465, 'quarantinecats tesco': 692793, 'tesco mufc': 838750, 'mufc toiletpaper': 545545, 'toiletpaper bread': 921825, 'need to for': 555942, 'to for panicbuying': 906152, 'for panicbuying wa': 324372, 'panicbuying wa in': 639112, 'wa in my': 962376, 'my local super': 549143, 'local super market': 498493, 'market and took': 516001, 'and took this': 74279, 'this photo to': 889566, 'photo to prove': 655260, 'to prove there': 912369, 'prove there is': 686118, 'lot of everything': 504185, 'of everything shopping': 583277, 'everything shopping panicbuyinguk': 287990, 'shopping panicbuyinguk quarantine': 763597, 'panicbuyinguk quarantine qanon': 639156, 'quarantine qanon quarantinecats': 692451, 'qanon quarantinecats tesco': 691466, 'quarantinecats tesco mufc': 692794, 'tesco mufc toiletpaper': 838751, 'mufc toiletpaper bread': 545546, 'furlough store': 341900, 'center worker': 169333, 'retail burlington': 717897, 'burlington housewares': 142882, 'furlough store and': 341901, 'store and distribution': 806228, 'and distribution center': 61526, 'distribution center worker': 248127, 'center worker retail': 169335, 'worker retail burlington': 1007690, 'retail burlington housewares': 717898, 'burlington housewares homeworld': 142883, 'is mentioned': 449630, 'mentioned 33': 528815, '33 time': 17771, 'time second': 897625, 'second on': 743777, 'medium here': 527135, 'about socialmedia': 26222, 'socialmedia analytics': 781074, 'analytics branding': 57212, 'branding health': 138127, 'coronavirus is mentioned': 206163, 'is mentioned 33': 449631, 'mentioned 33 time': 528816, '33 time second': 17772, 'time second on': 897626, 'second on social': 743778, 'social medium here': 779858, 'medium here what': 527138, 'here what everyone': 393803, 'what everyone talking': 981431, 'talking about socialmedia': 833985, 'about socialmedia analytics': 26223, 'socialmedia analytics branding': 781075, 'analytics branding health': 57213, 'worker underpaid': 1008072, 'offered limited': 594938, 'why are lot': 990776, 'of people we': 588022, 'people we turn': 650164, 'turn to in': 935783, 'to in crisis': 908219, 'crisis like nurse': 217663, 'store worker underpaid': 811611, 'worker underpaid and': 1008073, 'underpaid and offered': 940524, 'and offered limited': 67978, 'offered limited to': 594939, 'limited to no': 492773, 'to no benefit': 910617, 'cutts': 223789, 'notgalleryinventory': 572895, 'instaart': 439882, 'instaartist': 439887, 'attoftheday': 102608, 'stevecutts': 799965, 'issue by': 455696, 'by cutts': 152285, 'cutts official': 223790, 'official inspiration': 595843, 'inspiration notgalleryinventory': 439808, 'notgalleryinventory toiletpaper': 572896, 'toiletpapercrisis panicbuying': 923053, 'panicbuying instaart': 638975, 'instaart instaartist': 439885, 'instaartist attoftheday': 439888, 'attoftheday cartoon': 102609, 'cartoon cov': 165513, 'd19 illustration': 224175, 'illustration stevecutts': 416466, 'tissue issue by': 899167, 'issue by cutts': 455697, 'by cutts official': 152286, 'cutts official inspiration': 223791, 'official inspiration notgalleryinventory': 595844, 'inspiration notgalleryinventory toiletpaper': 439809, 'notgalleryinventory toiletpaper toiletpapercrisis': 572897, 'toiletpaper toiletpapercrisis panicbuying': 922661, 'toiletpapercrisis panicbuying instaart': 923054, 'panicbuying instaart instaartist': 638977, 'instaart instaartist attoftheday': 439886, 'instaartist attoftheday cartoon': 439889, 'attoftheday cartoon cov': 102610, 'cartoon cov d19': 165514, 'cov d19 illustration': 212116, 'd19 illustration stevecutts': 224176, 'vicki': 956445, 'clc': 180435, 'hello vicki': 389243, 'vicki we': 956446, 'definitely understand': 232407, 'concern during': 192963, 'question regarding': 693706, 'outbreak clc': 628108, 'hello vicki we': 389244, 'vicki we definitely': 956448, 'we definitely understand': 971257, 'definitely understand your': 232408, 'understand your concern': 940833, 'your concern during': 1023304, 'concern during this': 192964, 'this time please': 890677, 'time please use': 897498, 'please use this': 660714, 'this link here': 888645, 'link here for': 493849, 'here for any': 392998, 'any question regarding': 79722, 'question regarding the': 693708, 'regarding the recent': 707293, '19 outbreak clc': 9099, 'walgreen': 964708, 'sycophant': 830664, 'walk down': 964765, 'to walgreen': 918295, 'walgreen and': 964709, 'sanitizer rubber': 735669, 'his sycophant': 397843, 'sycophant have': 830665, 'failed it': 296144, 'low bar': 505149, 'until can walk': 943710, 'can walk down': 160141, 'walk down to': 964767, 'down to walgreen': 257388, 'to walgreen and': 918296, 'walgreen and buy': 964710, 'and buy hand': 59340, 'hand sanitizer rubber': 375571, 'sanitizer rubber glove': 735670, 'rubber glove mask': 726940, 'mask and home': 518337, 'home test the': 402202, 'test the trump': 839203, 'trump administration and': 933377, 'administration and his': 32449, 'and his sycophant': 64613, 'his sycophant have': 397844, 'sycophant have failed': 830666, 'have failed it': 380555, 'failed it low': 296145, 'it low bar': 459472, 'oap': 578281, 'bizitalk': 131983, 'sainsbury packed': 731703, 'hour basingstoke': 405452, 'basingstoke sainsbury': 112209, 'sainsbury store': 731721, 'wa heaving': 962301, 'morning since': 541441, 'supermarket announced': 819116, 'early oap': 264661, 'oap hour': 578284, '19 bizitalk': 5399, 'sainsbury packed with': 731704, 'packed with customer': 633664, 'with customer for': 997900, 'customer for over': 222390, 'for over 70': 324326, 'over 70 hour': 629910, '70 hour basingstoke': 21775, 'hour basingstoke sainsbury': 405453, 'basingstoke sainsbury store': 112210, 'sainsbury store wa': 731722, 'store wa heaving': 811115, 'wa heaving with': 962302, 'heaving with elderly': 388615, 'with elderly people': 998189, 'elderly people this': 270836, 'people this morning': 649846, 'this morning since': 889013, 'morning since the': 541442, 'since the supermarket': 770908, 'the supermarket announced': 868461, 'supermarket announced it': 819117, 'announced it early': 76970, 'it early oap': 457732, 'early oap hour': 264662, 'oap hour in': 578285, 'covid 19 bizitalk': 212709, 'initiate': 438583, 'etailers': 282380, 'could initiate': 209344, 'initiate the': 438584, 'ultimate paradigm': 939121, 'for etailers': 321134, 'the could initiate': 852006, 'could initiate the': 209345, 'initiate the ultimate': 438585, 'the ultimate paradigm': 870315, 'ultimate paradigm shift': 939122, 'paradigm shift to': 641302, 'and delivery is': 61120, 'delivery is ready': 234143, 'ready to step': 700980, 'up for etailers': 944928, 'stick this': 800055, 'sign on': 769179, 'my back': 547375, 'distancing socialdistanacing': 247491, 'next time go': 561603, 'time go to': 896847, 'supermarket will stick': 823893, 'will stick this': 994974, 'stick this sign': 800056, 'this sign on': 890146, 'sign on my': 769181, 'on my back': 602262, 'my back and': 547376, 'back and maybe': 106859, 'and maybe people': 66817, 'maybe people will': 521775, 'people will finally': 650389, 'will finally understand': 993440, 'finally understand the': 306128, 'understand the meaning': 940765, 'meaning of social': 524825, 'social distancing socialdistanacing': 779722, 'worker trying': 1008061, 'enough aren': 277325, 'aren being': 92341, 'being looked': 125399, 'looked after': 502701, 'after properly': 36081, 'properly by': 684172, 'the boss': 849886, 'boss south': 135751, 'south ldn': 786759, 'ldn morrison': 482806, 'morrison worker': 541791, 'worker mike': 1007385, 'mike said': 531279, 'sanitiser we': 734042, 'have is': 381125, 'is brought': 446282, 'staff themselves': 792957, 'supermarket worker trying': 824108, 'worker trying to': 1008063, 'trying to ensure': 934799, 'ensure people have': 278005, 'have enough aren': 380439, 'enough aren being': 277326, 'aren being looked': 92342, 'being looked after': 125400, 'looked after properly': 502702, 'after properly by': 36082, 'properly by the': 684175, 'by the boss': 154271, 'the boss south': 849888, 'boss south ldn': 135752, 'south ldn morrison': 786760, 'ldn morrison worker': 482807, 'morrison worker mike': 541792, 'worker mike said': 1007386, 'mike said all': 531280, 'said all the': 730961, 'all the hand': 44775, 'the hand sanitiser': 857062, 'hand sanitiser we': 375255, 'sanitiser we have': 734043, 'we have is': 971846, 'have is brought': 381126, 'is brought in': 446283, 'brought in by': 141162, 'in by staff': 421112, 'by staff themselves': 154098, 'fuckpanicbuyers': 340075, 'guarantee all': 367695, 'people moaning': 648780, 'moaning about': 534897, 'out are': 625725, 'food meaning': 315423, 'meaning people': 524827, 'our usual': 625245, 'usual weekly': 951061, 'shop fuckpanicbuyers': 760228, 'you can guarantee': 1017689, 'can guarantee all': 158539, 'guarantee all the': 367696, 'the people moaning': 863490, 'people moaning about': 648781, 'moaning about people': 534899, 'about people going': 25935, 'people going out': 648099, 'going out are': 355358, 'out are the': 625726, 'one that have': 607178, 'that have panic': 844227, 'panic bought all': 637413, 'all the fucking': 44758, 'the fucking food': 855988, 'fucking food meaning': 339867, 'food meaning people': 315424, 'meaning people do': 524828, 'people do have': 647678, 'go out supermarket': 353986, 'out supermarket and': 627276, 'supermarket and we': 819101, 'and we still': 75325, 'we still don': 973400, 'still don have': 800454, 'don have our': 253611, 'have our usual': 381851, 'our usual weekly': 625246, 'usual weekly food': 951062, 'food shop fuckpanicbuyers': 316480, 'toilettenpapier': 923453, 'mediziner': 527358, 'nennt': 557380, 'symptome': 830966, 'durchfall': 262381, 'sei': 747409, 'selten': 749570, 'gewesen': 349489, 'streeck': 812873, 'toilettenpapier mediziner': 923454, 'mediziner nennt': 527359, 'nennt symptome': 557383, 'symptome von': 830967, 'von durchfall': 960419, 'durchfall sei': 262382, 'sei nicht': 747410, 'nicht selten': 562573, 'selten gewesen': 749571, 'gewesen toiletpaper': 349490, 'toiletpaper medical': 922230, 'medical doctor': 526135, 'doctor name': 250982, 'name symptom': 551679, 'of diarrhea': 582581, 'diarrhea wa': 240391, 'not uncommon': 572304, 'uncommon say': 939857, 'say streeck': 739186, 'streeck via': 812876, 'toilettenpapier mediziner nennt': 923455, 'mediziner nennt symptome': 527360, 'nennt symptome von': 557384, 'symptome von durchfall': 830968, 'von durchfall sei': 960420, 'durchfall sei nicht': 262383, 'sei nicht selten': 747411, 'nicht selten gewesen': 562574, 'selten gewesen toiletpaper': 749572, 'gewesen toiletpaper medical': 349491, 'toiletpaper medical doctor': 922231, 'medical doctor name': 526136, 'doctor name symptom': 250983, 'name symptom of': 551680, 'symptom of diarrhea': 830884, 'of diarrhea wa': 582583, 'diarrhea wa also': 240392, 'wa also not': 961505, 'also not uncommon': 48579, 'not uncommon say': 572306, 'uncommon say streeck': 939858, 'say streeck via': 739187, 'streeck via news': 812877, 'via news via': 956106, 'news via news': 560940, 'squarely': 791510, 'biman': 130986, 'basu': 112530, 'india west': 434691, 'bengal wb': 127205, 'should place': 766320, 'place all': 657302, 'all data': 42507, 'data regarding': 226377, 'regarding 19': 707167, '19 squarely': 10768, 'squarely amp': 791511, 'amp correctly': 53580, 'correctly to': 207612, 'people secrecy': 649364, 'secrecy won': 743910, 'good we': 357945, 'also requested': 48792, 'requested cm': 713250, 'cm to': 184639, 'demand central': 235117, 'of cr': 582112, 'cr tone': 214676, 'tone food': 924313, 'grain to': 361803, 'state biman': 795426, 'biman basu': 130987, 'basu lf': 112531, 'india west bengal': 434692, 'west bengal wb': 980469, 'bengal wb govt': 127206, 'wb govt should': 970232, 'govt should place': 361280, 'should place all': 766321, 'place all data': 657303, 'all data regarding': 42508, 'data regarding 19': 226378, 'regarding 19 squarely': 707169, '19 squarely amp': 10769, 'squarely amp correctly': 791512, 'amp correctly to': 53581, 'correctly to the': 207613, 'the people secrecy': 863501, 'people secrecy won': 649365, 'secrecy won be': 743911, 'won be good': 1003742, 'be good we': 115078, 'good we also': 357946, 'we also requested': 970407, 'also requested cm': 48793, 'requested cm to': 713251, 'cm to demand': 184640, 'to demand central': 904137, 'demand central govt': 235118, 'central govt for': 169395, 'govt for distribution': 361125, 'for distribution of': 320771, 'distribution of cr': 248172, 'of cr tone': 582113, 'cr tone food': 214677, 'tone food grain': 924314, 'food grain to': 314712, 'grain to the': 361804, 'the state biman': 867754, 'state biman basu': 795427, 'biman basu lf': 130988, 'honkhonk': 403230, 'typical canadian': 937628, 'canadian news': 160714, 'day mask': 227967, 'mask bad': 518453, 'bad glove': 107873, 'glove bad': 352606, 'bad homemade': 107883, 'bad vitamin': 108070, 'vitamin bad': 959764, 'bad honkhonk': 107886, 'honkhonk canada': 403231, 'canada fakenews': 160427, 'typical canadian news': 937629, 'canadian news these': 160715, 'news these day': 560878, 'these day mask': 879884, 'day mask bad': 227968, 'mask bad glove': 518454, 'bad glove bad': 107874, 'glove bad homemade': 352607, 'bad homemade sanitizer': 107885, 'homemade sanitizer bad': 402851, 'sanitizer bad vitamin': 734545, 'bad vitamin bad': 108071, 'vitamin bad honkhonk': 959765, 'bad honkhonk canada': 107887, 'honkhonk canada fakenews': 403232, 'girl during': 350241, 'quarantine kinda': 692328, 'kinda looking': 475059, 'binge watching': 131085, 'watching youtube': 968830, 'youtube and': 1026886, 'and netflix': 67526, 'doing self': 252639, 'care bubble': 163872, 'bubble bath': 141586, 'bath haha': 112596, 'haha boy': 373893, 'girl during quarantine': 350242, 'during quarantine kinda': 262940, 'quarantine kinda looking': 692329, 'kinda looking forward': 475060, 'forward to binge': 330022, 'to binge watching': 901824, 'binge watching youtube': 131087, 'watching youtube and': 968831, 'youtube and netflix': 1026887, 'and netflix and': 67527, 'netflix and shopping': 557594, 'shopping online while': 763507, 'online while doing': 609723, 'while doing self': 986765, 'doing self care': 252640, 'self care bubble': 747556, 'care bubble bath': 163873, 'bubble bath haha': 141587, 'bath haha boy': 112597, 'saks': 731891, '6ftapart': 21622, 'late start': 480915, 'to saks': 913735, 'saks early': 731892, 'early start': 264702, 'store most': 808993, 'were good': 979696, 'good about': 356679, 'some just': 783160, 'it image': 458686, 'image 6ftapart': 416619, '6ftapart staysafe': 21623, 'late start to': 480916, 'start to saks': 794595, 'to saks early': 913736, 'saks early start': 731893, 'early start to': 264703, 'start to grocery': 794585, 'grocery store most': 365577, 'store most people': 808995, 'most people were': 542633, 'people were good': 650205, 'were good about': 979697, 'good about socialdistancing': 356681, 'about socialdistancing but': 26217, 'socialdistancing but some': 780261, 'but some just': 147099, 'some just don': 783162, 'just don get': 468630, 'don get it': 253540, 'get it image': 347408, 'it image 6ftapart': 458687, 'image 6ftapart staysafe': 416620, '6ftapart staysafe stayhealthy': 21624, 'siddiqi': 768773, 'siddiqi alarming': 768774, 'alarming situation': 40701, 'situation not': 772403, 'not scare': 571452, 'scare from': 740877, 'but scare': 146974, 'from pakistani': 336835, 'pakistani wholesaler': 634534, 'wholesaler store': 990533, 'store up': 811014, 'every thing': 286287, 'thing then': 884838, 'then sale': 877496, 'sale out': 732436, 'time feel': 896649, 'feel shame': 302836, 'shame pakistani': 754634, 'siddiqi alarming situation': 768775, 'alarming situation not': 40703, 'situation not scare': 772405, 'not scare from': 571453, 'scare from but': 740878, 'from but scare': 334766, 'but scare from': 146975, 'scare from pakistani': 740879, 'from pakistani wholesaler': 336836, 'pakistani wholesaler store': 634535, 'wholesaler store up': 990534, 'store up every': 811015, 'up every thing': 944809, 'every thing then': 286290, 'thing then sale': 884840, 'then sale out': 877497, 'sale out on': 732437, 'out on high': 626906, 'on high price': 601298, 'high price some': 395276, 'price some time': 676557, 'some time feel': 784056, 'time feel shame': 896650, 'feel shame pakistani': 302837, 'socialisolation': 780999, 'feeling disconnected': 302978, 'friend sending': 333797, 'sending gift': 750025, 'gift can': 349929, 'help bridge': 389434, 'distance my': 246767, 'for isolation': 322680, 'isolation socialdistancing': 455437, 'socialdistancing socialisolation': 780709, 'feeling disconnected from': 302979, 'disconnected from family': 244414, 'from family and': 335402, 'and friend sending': 63334, 'friend sending gift': 333798, 'sending gift can': 750026, 'gift can help': 349930, 'can help bridge': 158607, 'help bridge the': 389435, 'bridge the distance': 139620, 'the distance my': 853421, 'distance my latest': 246768, 'latest for isolation': 481347, 'for isolation socialdistancing': 322681, 'isolation socialdistancing socialisolation': 455439, 'comeback': 187706, 'survivalmode': 829105, 'hornsby': 404066, 'gradually making': 361698, 'making comeback': 510992, 'comeback do': 187709, 'this much': 889057, 'much flour': 544891, 'flour though': 311174, 'though cooking': 892789, 'cooking flour': 202866, 'flour survival': 311168, 'survival survivalmode': 829085, 'survivalmode hornsby': 829106, 'hornsby new': 404067, 'new south': 559623, 'south wale': 786788, 'shelf are gradually': 756805, 'are gradually making': 86936, 'gradually making comeback': 361699, 'making comeback do': 510993, 'comeback do not': 187710, 'not think need': 572079, 'think need this': 885418, 'need this much': 555821, 'this much flour': 889059, 'much flour though': 544892, 'flour though cooking': 311175, 'though cooking flour': 892790, 'cooking flour survival': 202867, 'flour survival survivalmode': 311169, 'survival survivalmode hornsby': 829086, 'survivalmode hornsby new': 829107, 'hornsby new south': 404068, 'new south wale': 559624, 'illustrates': 416442, 'stress test': 813401, 'test analysis': 838908, 'analysis illustrates': 57055, 'illustrates the': 416445, 'sector impact': 744225, 'chain shock': 171096, 'near total': 553623, 'shutdown on': 768075, 'on sector': 603353, 'sector such': 744335, 'such automotive': 816345, 'automotive airplane': 104035, 'airplane and': 40070, 'our stress test': 624975, 'stress test analysis': 813402, 'test analysis illustrates': 838909, 'analysis illustrates the': 57056, 'illustrates the sector': 416448, 'the sector impact': 866616, 'sector impact of': 744226, 'impact of supply': 417801, 'supply chain shock': 825033, 'chain shock and': 171097, 'shock and the': 759429, 'and the near': 73488, 'the near total': 861352, 'near total shutdown': 553626, 'total shutdown on': 926248, 'shutdown on sector': 768076, 'on sector such': 603354, 'sector such automotive': 744336, 'such automotive airplane': 816347, 'automotive airplane and': 104036, 'airplane and consumer': 40071, 'bl': 132016, 'argusoil': 92764, 'mexico crudeoil': 529994, 'crudeoil basket': 219630, 'basket price': 112384, '18 78': 4507, '78 bl': 22325, 'bl 17': 132017, 'in 18': 419710, 'year amid': 1014383, 'global rout': 352180, 'pandemic argusoil': 634954, 'argusoil report': 92765, 'mexico crudeoil basket': 529995, 'crudeoil basket price': 219631, 'basket price closed': 112385, 'price closed at': 673152, 'closed at 18': 183003, 'at 18 78': 97487, '18 78 bl': 4508, '78 bl 17': 22326, 'bl 17 march': 132018, '17 march the': 4356, 'march the lowest': 515486, 'price in 18': 674647, 'in 18 year': 419711, '18 year amid': 4604, 'year amid the': 1014386, 'the ongoing global': 862244, 'ongoing global rout': 607636, 'global rout in': 352181, 'the pandemic argusoil': 862912, 'pandemic argusoil report': 634955, 'shaft': 754362, 'really so': 702604, 'off what': 594374, 'left at': 485392, 'at knock': 99388, 'knock down': 476150, 'price shaft': 676352, 'shaft economically': 754363, 'economically for': 267387, 'really so he': 702605, 'he can sell': 384818, 'can sell off': 159567, 'sell off what': 748822, 'off what left': 594375, 'what left at': 981808, 'left at knock': 485396, 'at knock down': 99389, 'knock down price': 476151, 'down price shaft': 257119, 'price shaft economically': 676353, 'shaft economically for': 754364, 'economically for longer': 267388, 'for longer than': 323097, 'longer than covid': 502069, '19 will do': 12088, 'will do not': 993225, 'not think so': 572084, 'stopthegreed': 805894, 'late stopthegreed': 480919, 'stopthegreed stoppanicbuying': 805895, 'stoppanicbuying protectthevulnerable': 805599, 'do something like': 250145, 'this in all': 888037, 'in all store': 420184, 'all store before': 44489, 'too late stopthegreed': 924837, 'late stopthegreed stoppanicbuying': 480920, 'stopthegreed stoppanicbuying protectthevulnerable': 805896, 'nice for': 562397, 'for premier': 324689, 'premier prime': 669903, 'thank truck': 841677, 'clerk for': 181701, 'work but': 1004954, 'be hypocrisy': 115340, 'hypocrisy of': 412400, 'highest order': 395840, 'our govts': 623289, 'up again': 944234, 'again where': 37271, 'we left': 972183, 'it is nice': 459020, 'is nice for': 449902, 'nice for premier': 562399, 'for premier prime': 324690, 'premier prime minister': 669904, 'minister to thank': 533477, 'to thank truck': 916439, 'thank truck driver': 841678, 'store clerk for': 807007, 'clerk for their': 181703, 'for their essential': 326823, 'their essential work': 873178, 'essential work but': 281805, 'work but it': 1004958, 'will be hypocrisy': 992506, 'be hypocrisy of': 115341, 'hypocrisy of the': 412401, 'of the highest': 591103, 'the highest order': 857346, 'highest order for': 395841, 'order for our': 618235, 'for our govts': 324249, 'our govts to': 623290, 'govts to only': 361350, 'to only hope': 910972, 'only hope to': 610612, 'hope to start': 403745, 'to start up': 915230, 'start up again': 794617, 'up again where': 944238, 'again where we': 37272, 'where we left': 985343, 'we left off': 972185, 'your heist': 1024294, 'heist doesn': 388861, 'go quite': 354058, 'quite planned': 694900, 'when your heist': 984628, 'your heist doesn': 1024295, 'heist doesn go': 388862, 'doesn go quite': 251811, 'go quite planned': 354059, 'classy': 180385, 'hero company': 393966, 'potentially end': 667206, 'price classy': 673140, 'classy meanwhile': 180386, 'meanwhile are': 524949, 'donating ten': 254507, 'ten million': 837786, 'the tablet': 869115, 'instead of being': 440236, 'of being the': 580661, 'being the hero': 125928, 'the hero company': 857292, 'hero company to': 393967, 'company to potentially': 191235, 'to potentially end': 911935, 'potentially end the': 667207, 'end the they': 275983, 'the they raise': 869437, 'raise price classy': 695911, 'price classy meanwhile': 673141, 'classy meanwhile are': 180387, 'meanwhile are donating': 524950, 'are donating ten': 85950, 'donating ten million': 254508, 'ten million of': 837787, 'of the tablet': 591520, 'the tablet to': 869116, 'tablet to fight': 831533, 'groveroes': 366998, 'are unemployed': 91309, 'unemployed homeless': 941117, 'stamp just': 793428, 'eat cant': 265878, 'on groveroes': 601200, 'groveroes and': 366999, 'moment notice': 536009, 'happens to those': 377516, 'that are unemployed': 842834, 'are unemployed homeless': 91310, 'unemployed homeless and': 941118, 'homeless and rely': 402729, 'on food stamp': 600912, 'food stamp just': 316737, 'stamp just to': 793429, 'just to eat': 470087, 'to eat cant': 904875, 'eat cant afford': 265879, 'afford to go': 34796, 'out and stock': 625698, 'up on groveroes': 945572, 'on groveroes and': 601201, 'groveroes and supply': 367000, 'and supply at': 72777, 'supply at moment': 824816, 'at moment notice': 99765, 'commission released': 188883, 'released part': 709070, 'it article': 456594, 'scam part': 740289, 'trade commission released': 928455, 'commission released part': 188884, 'released part of': 709071, 'of it article': 585365, 'it article on': 456595, 'article on covid': 94404, '19 scam ftc': 10342, 'scam ftc coronavirus': 740178, 'coronavirus scam part': 206718, 'animalcrossingnewhorizon': 76702, 'this gift': 887694, 'in animalcrossingnewhorizon': 420403, 'animalcrossingnewhorizon even': 76703, 'even my': 284395, 'my island': 548893, 'island understands': 454318, 'understands the': 940915, 'toiletpaper situation': 922480, 'situation 19': 772158, 'got this gift': 358941, 'this gift in': 887696, 'gift in animalcrossingnewhorizon': 349993, 'in animalcrossingnewhorizon even': 420404, 'animalcrossingnewhorizon even my': 76704, 'even my island': 284397, 'my island understands': 548894, 'island understands the': 454319, 'understands the toiletpaper': 940917, 'the toiletpaper situation': 869736, 'toiletpaper situation 19': 922481, 'from tesco': 337565, 'aisle supermarket': 40383, 'supermarket unable': 823601, 'selfish demand': 748072, 'demand pointless': 236048, 'pointless visit': 662780, 'and proved': 69684, 'of unnecessary': 592652, 'unnecessary social': 942934, 'contact how': 200096, 'anyone self': 80519, 'isolate without': 454952, 'returned from tesco': 719965, 'from tesco have': 337566, 'tesco have never': 838713, 'like it empty': 490531, 'it empty shelf': 457814, 'shelf across all': 756680, 'across all aisle': 29227, 'all aisle supermarket': 41979, 'aisle supermarket unable': 40385, 'supermarket unable to': 823602, 'unable to keep': 939333, 'up with selfish': 946681, 'with selfish demand': 1000627, 'selfish demand pointless': 748073, 'demand pointless visit': 236049, 'pointless visit and': 662781, 'visit and proved': 959179, 'and proved to': 69685, 'be an example': 113602, 'example of unnecessary': 288955, 'of unnecessary social': 592654, 'unnecessary social contact': 942935, 'social contact how': 779475, 'contact how can': 200097, 'how can anyone': 407493, 'can anyone self': 157514, 'anyone self isolate': 80520, 'self isolate without': 747699, 'isolate without food': 454953, 'mygolfspy': 550726, 'article well': 94499, 'done golf': 254856, 'golf covid': 356123, 'and golf': 63822, 'golf direct': 356126, 'business mygolfspy': 144078, 'great article well': 362512, 'article well done': 94500, 'well done golf': 978181, 'done golf covid': 254857, 'golf covid 19': 356124, '19 and golf': 5033, 'and golf direct': 63823, 'golf direct to': 356127, 'to consumer business': 903274, 'consumer business mygolfspy': 196677, 'people ftc': 648016, 'ftc consumer': 339390, '19 message to': 8640, 'message to scam': 529459, 'scam people ftc': 740296, 'people ftc consumer': 648017, 'ftc consumer information': 339391, 'optimism in': 613907, 'spain uk': 787354, 'usa by': 948597, 'by economy': 152459, 'interesting consumer optimism': 441531, 'consumer optimism in': 198276, 'optimism in italy': 613908, 'italy spain uk': 462920, 'spain uk usa': 787355, 'uk usa by': 938850, 'usa by economy': 948598, 'pilers hope': 656560, 'drop every': 260191, 'every fucking': 285907, 'fucking bog': 339814, 'roll down': 725273, 'toilet hope': 921154, 'bought go': 136582, 'off hope': 593906, 'eat that': 266064, 'that gone': 844036, 'with something': 1000885, 'something 10': 784826, 'time worse': 898385, 'prick coronapocolypse': 678003, 'coronapocolypse shopping': 205242, 'stock pilers hope': 802649, 'pilers hope you': 656561, 'hope you drop': 403794, 'you drop every': 1018364, 'drop every fucking': 260192, 'every fucking bog': 285908, 'fucking bog roll': 339815, 'bog roll down': 133952, 'roll down the': 725276, 'the toilet hope': 869709, 'toilet hope all': 921155, 'hope all the': 403414, 'you bought go': 1017504, 'bought go off': 136583, 'go off hope': 353870, 'off hope you': 593907, 'hope you eat': 403795, 'you eat that': 1018393, 'eat that gone': 266065, 'that gone off': 844038, 'gone off food': 356344, 'off food and': 593820, 'and get sick': 63599, 'sick with something': 768682, 'with something 10': 1000886, 'something 10 time': 784827, '10 time worse': 1722, 'time worse than': 898386, 'worse than you': 1011022, 'than you selfish': 841498, 'you selfish prick': 1021106, 'selfish prick coronapocolypse': 748232, 'prick coronapocolypse shopping': 678004, 'to chair': 902583, 'group discus': 366668, 'discus people': 244891, 'people consumer': 647535, 'their or': 874133, 'his interview': 397544, 'interview start': 442237, 'in to to': 430143, 'to to listen': 917595, 'listen to chair': 494729, 'to chair of': 902584, 'working group discus': 1008669, 'group discus people': 366669, 'discus people consumer': 244892, 'people consumer right': 647536, 'consumer right if': 198817, 'right if their': 721950, 'if their or': 415057, 'their or is': 874134, 'or is cancelled': 615828, 'due to his': 261812, 'to his interview': 907816, 'his interview start': 397545, 'interview start from': 442238, 'start from 20': 794301, 'from 20 00': 334226, 'superheros': 818687, 'like superheros': 491264, 'superheros northern': 818688, 'northern quebec': 567773, 'quebec grocery': 693343, 'store vital': 811087, 'vital service': 959717, 'like superheros northern': 491265, 'superheros northern quebec': 818689, 'northern quebec grocery': 567774, 'quebec grocery store': 693344, 'grocery store vital': 365919, 'store vital service': 811088, 'vital service for': 959721, 'service for resident': 752391, 'becauze': 119888, 'it mad': 459489, 'mad how': 507545, 'worker doing': 1006798, 'doing mad': 252523, 'mad overtime': 507560, 'saving people': 737945, 'they then': 883554, 'buy becauze': 148411, 'becauze selfish': 119889, 'have cleared': 379986, 'it mad how': 459490, 'mad how nh': 507546, 'nh worker doing': 562184, 'worker doing mad': 1006799, 'doing mad overtime': 252524, 'mad overtime saving': 507561, 'overtime saving people': 631636, 'saving people life': 737947, 'people life against': 648631, 'virus and they': 957946, 'and they then': 73946, 'they then go': 883555, 'and there nothing': 73846, 'there nothing left': 878873, 'to buy becauze': 902189, 'buy becauze selfish': 148412, 'becauze selfish people': 119890, 'people have cleared': 648170, 'have cleared the': 379987, 'now understandably': 576257, 'understandably many': 940851, 'financial affair': 306315, 'face meeting': 294615, 'the wellbeing': 871381, 'staff client': 792327, 'client is': 182055, 'priority contact': 678536, 'contact by': 200034, 'email will': 272365, 'right now understandably': 722168, 'now understandably many': 576258, 'understandably many people': 940852, 'people are looking': 647016, 'looking to get': 503031, 'get their financial': 348329, 'their financial affair': 873320, 'financial affair in': 306316, 'in order we': 426221, 'order we can': 618755, 'you with this': 1022390, 'with this without': 1001740, 'this without the': 891471, 'without the need': 1002972, 'need for face': 554839, 'to face meeting': 905569, 'face meeting the': 294616, 'meeting the wellbeing': 527775, 'the wellbeing of': 871382, 'our staff client': 624877, 'staff client is': 792328, 'client is our': 182056, 'our priority contact': 624461, 'priority contact by': 678537, 'contact by phone': 200036, 'by phone or': 153580, 'phone or email': 654987, 'or email will': 615152, 'surpasses': 828459, 'plunge asian': 661410, 'fall after': 296805, 'after virus': 36489, 'virus grip': 958234, 'grip about': 364005, 'world death': 1009476, 'toll surpasses': 923885, 'surpasses 800': 828461, '800 china': 22691, 'china 2020': 176440, '2020 car': 14216, 'car sale': 163271, 'sale set': 732515, 'fall rate': 297037, 'new infection': 558925, 'infection slows': 436845, 'slows health': 774640, 'health minister': 386641, 'minister south': 533460, 'korea say': 477498, 'say italy': 738867, 'italy surpasses': 462935, 'surpasses south': 828467, 'korea in': 477483, 'price plunge asian': 675922, 'plunge asian market': 661411, 'asian market fall': 95304, 'market fall after': 516376, 'fall after virus': 296808, 'after virus grip': 36490, 'virus grip about': 958235, 'grip about half': 364006, 'half the world': 374281, 'the world death': 871854, 'world death toll': 1009477, 'death toll surpasses': 230256, 'toll surpasses 800': 923887, 'surpasses 800 china': 828462, '800 china 2020': 22692, 'china 2020 car': 176441, '2020 car sale': 14217, 'car sale set': 163275, 'sale set to': 732516, 'set to fall': 753516, 'to fall rate': 905639, 'fall rate of': 297038, 'rate of new': 697320, 'of new infection': 586970, 'new infection slows': 558926, 'infection slows health': 436846, 'slows health minister': 774641, 'health minister south': 386643, 'minister south korea': 533461, 'south korea say': 786750, 'korea say italy': 477499, 'say italy surpasses': 738868, 'italy surpasses south': 462936, 'surpasses south korea': 828468, 'south korea in': 786744, 'korea in case': 477484, 'despot': 238936, 'two despot': 936880, 'despot and': 238937, 'raise gas': 695855, 'american on': 52109, 'day million': 227978, 'american joined': 52061, 'unemployment roll': 941288, 'roll great': 725319, 'spoke to two': 789740, 'to two despot': 917863, 'two despot and': 936881, 'despot and they': 238938, 'agreed to raise': 38743, 'to raise gas': 912722, 'raise gas price': 695856, 'gas price on': 344007, 'price on american': 675649, 'on american on': 599301, 'american on the': 52111, 'same day million': 733029, 'day million american': 227979, 'million american joined': 532055, 'american joined the': 52062, 'joined the unemployment': 466957, 'the unemployment roll': 870377, 'unemployment roll great': 941290, 'obsolescent': 578699, 'disproportionately': 246304, 'sell stuff': 748888, 'facebook now': 294972, 'the terribly': 869302, 'terribly sad': 838470, 'sad closure': 729154, 'because online': 119440, 'is obsolescent': 450388, 'obsolescent and': 578700, 'and disproportionately': 61483, 'disproportionately affected': 246305, '19 yeah': 12240, 'apparently the way': 82022, 'to sell stuff': 914177, 'sell stuff on': 748889, 'stuff on facebook': 815160, 'on facebook now': 600712, 'facebook now is': 294973, 'now is to': 575088, 'is to announce': 453178, 'announce the terribly': 76887, 'the terribly sad': 869303, 'terribly sad closure': 838471, 'sad closure of': 729155, 'closure of your': 183981, 'your online store': 1025080, 'store that nobody': 810562, 'that nobody ha': 845367, 'nobody ha ever': 566010, 'ha ever heard': 370526, 'heard of because': 388118, 'of because online': 580604, 'because online shopping': 119442, 'shopping is obsolescent': 763066, 'is obsolescent and': 450389, 'obsolescent and disproportionately': 578701, 'and disproportionately affected': 61484, 'disproportionately affected by': 246306, 'covid 19 yeah': 214103, 'what finally': 981452, 'today and guess': 919211, 'guess what finally': 368081, 'what finally got': 981453, 'finally got you': 306032, 'got you name': 359033, 'name it 19': 551649, 'blackcab': 132166, 'blockade': 132807, 'do love': 249577, 'love cabby': 504626, 'cabby them': 154957, 'them blackcab': 875482, 'blackcab driver': 132167, 'driver step': 259755, 'time fuel': 896816, 'high protest': 395307, 'protest mayor': 685915, 'london messing': 501133, 'messing about': 529546, 'about blockade': 24883, 'blockade pandemic': 132808, 'pandemic free': 635458, 'free ride': 332111, 'for nhsheroes': 323867, 'nhsheroes welldone': 562243, 'welldone london': 978810, 'london selfemployed': 501170, 'selfemployed virus': 747952, 'do love cabby': 249578, 'love cabby them': 504627, 'cabby them blackcab': 154958, 'them blackcab driver': 875483, 'blackcab driver step': 132168, 'driver step up': 259756, 'step up every': 799688, 'up every time': 944810, 'every time fuel': 286306, 'time fuel price': 896818, 'fuel price too': 340256, 'price too high': 677091, 'too high protest': 924789, 'high protest mayor': 395308, 'protest mayor of': 685916, 'mayor of london': 521977, 'of london messing': 585990, 'london messing about': 501134, 'messing about blockade': 529547, 'about blockade pandemic': 24884, 'blockade pandemic free': 132809, 'pandemic free ride': 635459, 'free ride for': 332112, 'ride for nhsheroes': 721436, 'for nhsheroes welldone': 323868, 'nhsheroes welldone london': 562244, 'welldone london selfemployed': 978812, 'london selfemployed virus': 501171, 'too ftc': 924755, 'information fraud': 437833, 'fraud banking': 331240, 'banking idtheft': 110433, 'do too ftc': 250419, 'too ftc consumer': 924756, 'consumer information fraud': 197873, 'information fraud banking': 437834, 'fraud banking idtheft': 331241, 'advising': 33696, 'buoyant': 142715, 'is advising': 445366, 'advising we': 33716, 'buy enough': 148562, 'not currently': 568942, 'currently buoyant': 221488, 'buoyant enough': 142716, 'up foodstuff': 944909, 'foodstuff for': 318166, 'month nysc': 537890, 'everyone is advising': 287062, 'is advising we': 445370, 'advising we buy': 33717, 'we buy enough': 970875, 'buy enough food': 148563, 'enough food what': 277422, 'food what about': 317557, 'about those of': 26682, 'those of not': 892266, 'of not currently': 587081, 'not currently buoyant': 568943, 'currently buoyant enough': 221489, 'buoyant enough to': 142717, 'stock up foodstuff': 803084, 'up foodstuff for': 944910, 'foodstuff for 12': 318167, 'for 12 month': 318642, '12 month nysc': 2901, 'hell people': 389056, 'so full': 777142, 'hell people line': 389057, 'line up on': 493527, 'because it so': 119204, 'it so full': 461111, 'so full or': 777144, 'full or if': 340783, 'or if only': 615718, 'if only people': 414555, 'only people are': 610945, 'jetty': 465366, 'are fishing': 86589, 'fishing from': 309402, 'from jetty': 336152, 'jetty it': 465367, 'it quite': 460585, 'quite easy': 694849, 'find spot': 307246, 'spot with': 790140, 'nobody near': 566040, 'when fishing': 983429, 'fishing than': 309416, 'you are fishing': 1017124, 'are fishing from': 86590, 'fishing from jetty': 309403, 'from jetty it': 336153, 'jetty it quite': 465368, 'it quite easy': 460586, 'quite easy to': 694850, 'easy to find': 265779, 'to find spot': 905938, 'find spot with': 307248, 'spot with nobody': 790141, 'with nobody near': 999801, 'nobody near you': 566041, 'near you people': 553643, 'you people are': 1020316, 'people are le': 647010, 'are le likely': 87735, 'likely to pas': 492166, 'to pas on': 911487, '19 when fishing': 12017, 'when fishing than': 983430, 'fishing than they': 309417, 'stupid lady': 815417, 'wa arguing': 961573, 'clerk about': 181630, 'about hand': 25341, 'yesterday when went': 1015953, 'store some stupid': 810264, 'some stupid lady': 783990, 'stupid lady wa': 815418, 'lady wa arguing': 478853, 'wa arguing with': 961574, 'with the clerk': 1001235, 'the clerk about': 851004, 'clerk about hand': 181631, 'about hand sanitizer': 25342, 'sanitizer what wrong': 736065, 'wrong with you': 1013169, 'trolley handle': 932423, 'handle can': 376182, 'be sprayed': 117328, 'sprayed with': 790364, 'disinfectant after': 245599, 'each use': 264318, 'use basket': 949068, 'basket too': 112405, 'too could': 924675, 'stop lot': 804823, 'of spread': 589999, 'wondering if supermarket': 1004178, 'if supermarket shopping': 414899, 'supermarket shopping trolley': 822655, 'shopping trolley handle': 764264, 'trolley handle can': 932425, 'handle can be': 376183, 'can be sprayed': 157688, 'be sprayed with': 117329, 'sprayed with disinfectant': 790365, 'with disinfectant after': 998083, 'disinfectant after each': 245600, 'after each use': 35598, 'each use basket': 264319, 'use basket too': 949069, 'basket too could': 112406, 'too could stop': 924678, 'could stop lot': 209726, 'stop lot of': 804824, 'lot of spread': 504286, 'of spread of': 590002, 'fauci is': 300364, 'is telling': 452592, 'telling if': 837214, 'is seasonal': 451699, 'seasonal we': 743477, 'have month': 381494, 'produce 350': 680158, 'million test': 532363, 'million ventilator': 532409, 'ventilator time': 954623, 'national strategic': 552622, 'reserve it': 714076, 'sure would': 827843, 'would call': 1011703, 'dr fauci is': 258019, 'fauci is telling': 300365, 'is telling if': 452593, 'telling if covid': 837215, '19 is seasonal': 8043, 'is seasonal we': 451700, 'seasonal we have': 743478, 'we have month': 971869, 'have month to': 381495, 'month to produce': 538086, 'to produce 350': 912184, 'produce 350 million': 680159, '350 million test': 17933, 'million test kit': 532364, 'kit and 10': 475488, 'and 10 million': 57345, '10 million ventilator': 1532, 'million ventilator time': 532410, 'ventilator time to': 954624, 'time to replenish': 898051, 'replenish the national': 711654, 'the national strategic': 861307, 'national strategic reserve': 552623, 'strategic reserve it': 812561, 'reserve it would': 714078, 'be great news': 115091, 'great news but': 362839, 'news but not': 560285, 'not sure would': 571858, 'sure would call': 827844, 'would call it': 1011704, 'call it fine': 155954, 'retweet with': 720097, 'glass pic': 351635, 'pic and': 655577, 'farmer retweet with': 299495, 'retweet with your': 720098, 'with your raise': 1002227, 'raise glass pic': 695861, 'glass pic and': 351636, 'pic and add': 655578, 'believe my': 126313, 'that open': 845531, 'on jamaica': 601716, 'jamaica ave': 464370, 'ave all': 104734, 'such made': 816616, 'the wise': 871628, 'can believe my': 157741, 'believe my job': 126315, 'job is the': 465910, 'only major retail': 610751, 'major retail store': 509438, 'store that open': 810563, 'that open on': 845534, 'open on jamaica': 612409, 'on jamaica ave': 601717, 'jamaica ave all': 464371, 'ave all other': 104735, 'all other store': 43788, 'other store such': 620992, 'store such made': 810438, 'such made the': 816617, 'made the wise': 508003, 'the wise decision': 871629, 'close their store': 182856, '19 virus this': 11839, 'virus this go': 958909, 'this go to': 887718, 'go to show': 354358, 'to show you': 914583, 'show you how': 767295, 'homebuilder': 402625, 'single family': 771296, 'family housing': 297900, 'housing start': 407156, 'february but': 301697, 'but challenge': 145406, 'challenge lie': 171499, 'lie ahead': 488326, 'ahead due': 39145, 'to realestate': 912849, 'realestate homebuilder': 701482, 'homebuilder construction': 402626, 'construction permit': 195807, 'permit multifamily': 652160, 'multifamily consumer': 545692, 'single family housing': 771297, 'family housing start': 297901, 'housing start up': 407157, 'start up in': 794618, 'in february but': 422838, 'february but challenge': 301699, 'but challenge lie': 145407, 'challenge lie ahead': 171500, 'lie ahead due': 488328, 'ahead due to': 39146, 'due to realestate': 261919, 'to realestate homebuilder': 912850, 'realestate homebuilder construction': 701483, 'homebuilder construction permit': 402627, 'construction permit multifamily': 195808, 'permit multifamily consumer': 652161, 'multifamily consumer demand': 545693, 'cattleman': 167383, 'tyson ups': 937703, 'ups payment': 947768, 'to cattleman': 902528, 'cattleman virus': 167384, 'hit price': 398377, 'tyson ups payment': 937704, 'ups payment to': 947769, 'payment to cattleman': 645763, 'to cattleman virus': 902529, 'cattleman virus hit': 167385, 'virus hit price': 958287, 'bitdefender': 131850, 'inflammatory': 436967, 'not sitting': 571606, 'from bitdefender': 334700, 'bitdefender reassuring': 131853, 'reassuring that': 703236, 'being protected': 125586, 'protected something': 685152, 'not adding': 568054, 'up noticed': 945480, 'noticed mostly': 573456, 'mostly men': 542976, 'men have': 528489, 'passing inflammatory': 643376, 'inflammatory issue': 436968, 'issue just': 455827, 'wondering just': 1004185, 'thought well': 893304, 'something is not': 784952, 'is not sitting': 450186, 'not sitting right': 571607, 'sitting right with': 772145, 'right with me': 722435, 'with me on': 999447, 'me on this': 523265, '19 got an': 7249, 'email from bitdefender': 272182, 'from bitdefender reassuring': 334702, 'bitdefender reassuring that': 131854, 'reassuring that online': 703237, 'shopping is being': 763036, 'is being protected': 446098, 'being protected something': 125588, 'protected something is': 685154, 'is not adding': 450026, 'not adding up': 568055, 'adding up noticed': 31718, 'up noticed mostly': 945481, 'noticed mostly men': 573457, 'mostly men have': 542977, 'men have been': 528490, 'have been passing': 379629, 'been passing inflammatory': 121652, 'passing inflammatory issue': 643377, 'inflammatory issue just': 436969, 'issue just wondering': 455828, 'just wondering just': 470331, 'wondering just thought': 1004186, 'just thought well': 470071, 'thought well for': 893305, 'well for now': 978248, 'scourge': 742509, 'directory for': 243690, 'for locally': 323058, 'help kenyan': 389982, 'kenyan shop': 472986, 'online this': 609555, 'is aimed': 445427, 'at enhancing': 98544, 'enhancing supply': 277113, 'amp ensuring': 53736, 'ensuring trade': 278206, 'trade transaction': 928599, 'transaction continue': 929443, 'continue uninterrupted': 201285, 'uninterrupted in': 941853, 'of scourge': 589415, 'scourge kenya': 742510, 'online directory for': 608105, 'directory for locally': 243692, 'for locally manufactured': 323059, 'manufactured good to': 513405, 'good to help': 357885, 'to help kenyan': 907550, 'help kenyan shop': 389983, 'kenyan shop online': 472987, 'shop online this': 760587, 'online this is': 609559, 'this is aimed': 888168, 'is aimed at': 445428, 'aimed at enhancing': 39567, 'at enhancing supply': 98545, 'enhancing supply amp': 277114, 'supply amp ensuring': 824694, 'amp ensuring trade': 53738, 'ensuring trade transaction': 278207, 'trade transaction continue': 928600, 'transaction continue uninterrupted': 929444, 'continue uninterrupted in': 201286, 'uninterrupted in the': 941854, 'wake of scourge': 964603, 'of scourge kenya': 589416, 'scourge kenya kenya': 742511, 'firmly': 308462, 'doing nicely': 252550, 'nicely on': 562531, 'their firmly': 873326, 'firmly in': 308468, 'in buy': 421100, 'buy on': 149030, 'system see': 831304, 'see chart': 744992, 'chart key': 173837, 'key above': 473226, 'the cloud': 851066, 'cloud in': 184305, 'buy below': 148415, 'in sell': 427787, 'sell hd': 748751, 'in the doing': 429142, 'the doing nicely': 853504, 'doing nicely on': 252551, 'nicely on the': 562532, 'back of people': 107173, 'of people queue': 587969, 'people queue to': 649213, 'get their firmly': 348330, 'their firmly in': 873327, 'firmly in buy': 308469, 'in buy on': 421102, 'buy on our': 149032, 'on our system': 602636, 'our system see': 625063, 'system see chart': 831305, 'see chart key': 744993, 'chart key above': 173838, 'key above the': 473227, 'above the cloud': 27105, 'the cloud in': 851067, 'cloud in buy': 184306, 'in buy below': 421101, 'buy below in': 148416, 'below in sell': 126673, 'in sell hd': 427789, 'scardina': 740857, 'elaborates': 270474, 'rebuild': 703345, 'are help': 87082, 'client anticipate': 181997, 'anticipate business': 78423, 'need after': 554376, 'after head': 35767, 'retail barrie': 717870, 'barrie scardina': 111336, 'scardina elaborates': 740858, 'elaborates on': 270475, 'on forward': 600972, 'forward looking': 329991, 'looking strategy': 503009, 'strategy retailer': 812701, 'to rebuild': 912902, 'rebuild consumer': 703346, 'confidence once': 193926, 'we are help': 970587, 'are help our': 87083, 'help our client': 390223, 'our client anticipate': 622390, 'client anticipate business': 181998, 'anticipate business need': 78424, 'business need after': 144085, 'need after head': 554377, 'after head of': 35768, 'head of retail': 385773, 'of retail barrie': 589042, 'retail barrie scardina': 717871, 'barrie scardina elaborates': 111337, 'scardina elaborates on': 740859, 'elaborates on forward': 270476, 'on forward looking': 600973, 'forward looking strategy': 329993, 'looking strategy retailer': 503010, 'strategy retailer can': 812703, 'retailer can use': 719063, 'use to rebuild': 949758, 'to rebuild consumer': 912903, 'rebuild consumer confidence': 703347, 'consumer confidence once': 196911, 'confidence once the': 193927, 'virus is contained': 958370, 'gracie': 361621, 'heraldsun': 392559, 'petsofinsta': 653875, 'dogsofinstagram': 252218, 'nikonphotography': 563250, 'petphotography': 653645, 'canine': 161367, 'let gracie': 486757, 'gracie or': 361622, 'food stop': 316827, 'food heraldsun': 314811, 'heraldsun dog': 392560, 'dog pet': 252156, 'pet panicbuying': 653432, 'panicbuying petsofinsta': 639027, 'petsofinsta dogsofinstagram': 653876, 'dogsofinstagram nikonphotography': 252219, 'nikonphotography petphotography': 563251, 'petphotography canine': 653646, 'don let gracie': 253691, 'let gracie or': 486758, 'gracie or any': 361623, 'any other pet': 79599, 'pet go without': 653409, 'without food stop': 1002660, 'food stop panic': 316829, 'pet food heraldsun': 653386, 'food heraldsun dog': 314812, 'heraldsun dog pet': 392561, 'dog pet panicbuying': 252157, 'pet panicbuying petsofinsta': 653433, 'panicbuying petsofinsta dogsofinstagram': 639028, 'petsofinsta dogsofinstagram nikonphotography': 653877, 'dogsofinstagram nikonphotography petphotography': 252220, 'nikonphotography petphotography canine': 563252, '9pm': 24004, 'about tonight': 26756, 'at 9pm': 97825, '9pm everyone': 24005, 'is clapping': 446534, 'clapping through': 180047, 'their window': 875190, 'window for': 995671, 'our brave': 622258, 'brave friend': 138214, 'family working': 298401, 'how about tonight': 407311, 'about tonight at': 26757, 'tonight at 9pm': 924373, 'at 9pm everyone': 97826, '9pm everyone in': 24006, 'everyone in london': 287044, 'london is clapping': 501099, 'is clapping through': 446535, 'clapping through their': 180048, 'through their window': 894789, 'their window for': 875193, 'window for our': 995673, 'for our brave': 324216, 'our brave friend': 622259, 'brave friend and': 138216, 'and family working': 62680, 'family working on': 298402, 'front line it': 338585, 'line it the': 493214, 'it the nh': 461561, 'the nh police': 861756, 'nh police firefighter': 562044, 'and everyone in': 62401, 'everyone in between': 287036, 'known that': 477247, 'is deadly': 447044, 'deadly these': 229293, 'these teenager': 880787, 'teenager should': 836552, 'should jailed': 766155, 'jailed if': 464301, 'not fill': 569401, 'the blank': 849754, 'since it is': 770662, 'it is well': 459130, 'is well known': 453847, 'well known that': 978366, 'known that is': 477248, 'that is deadly': 844575, 'is deadly these': 447046, 'deadly these teenager': 229294, 'these teenager should': 880788, 'teenager should jailed': 836553, 'should jailed if': 766156, 'jailed if not': 464302, 'if not fill': 414497, 'not fill in': 569402, 'fill in the': 305468, 'in the blank': 429027, 'pardeeprofs': 641546, 'latinamerica': 481652, 'pardeeprofs how': 641547, 'impact copper': 417616, 'price amb': 672303, 'amb explains': 51271, 'explains to': 292241, 'to dialogue': 904264, 'dialogue the': 240308, 'the dynamic': 853803, 'price fluctuation': 673899, 'in metal': 425258, 'metal market': 529637, 'for latinamerica': 322903, 'latinamerica chinese': 481655, 'chinese demand': 177238, 'demand get': 235565, 'get affected': 346502, 'pardeeprofs how doe': 641548, 'how doe impact': 407740, 'doe impact copper': 251419, 'impact copper price': 417617, 'copper price amb': 203437, 'price amb explains': 672304, 'amb explains to': 51272, 'explains to dialogue': 292242, 'to dialogue the': 904265, 'dialogue the dynamic': 240309, 'the dynamic and': 853804, 'dynamic and the': 263903, 'and the importance': 73419, 'importance of price': 418708, 'of price fluctuation': 588400, 'price fluctuation in': 673900, 'fluctuation in metal': 311521, 'in metal market': 425259, 'metal market for': 529638, 'market for latinamerica': 516413, 'for latinamerica chinese': 322904, 'latinamerica chinese demand': 481656, 'chinese demand get': 177239, 'demand get affected': 235566, 'get affected by': 346503, 'affected by read': 34324, 'by read more': 153728, 'straining': 812331, 'have destroyed': 380246, 'destroyed fuel': 239057, 'sent oil': 750787, 'price tumbling': 677154, 'tumbling straining': 935351, 'straining oil': 812334, 'producer budget': 680582, 'and hitting': 64627, 'the shale': 866771, 'shale industry': 754499, 'cost oott': 208073, 'oott product': 611783, 'product oil': 681461, 'measure to slow': 525407, 'spread of have': 790677, 'of have destroyed': 584467, 'have destroyed fuel': 380248, 'destroyed fuel demand': 239058, 'fuel demand and': 340154, 'demand and sent': 234999, 'and sent oil': 71269, 'sent oil price': 750788, 'oil price tumbling': 597302, 'price tumbling straining': 677156, 'tumbling straining oil': 935352, 'straining oil producer': 812335, 'oil producer budget': 597334, 'producer budget and': 680583, 'budget and hitting': 141752, 'and hitting the': 64629, 'hitting the shale': 398601, 'the shale industry': 866772, 'shale industry which': 754500, 'is more vulnerable': 449729, 'vulnerable to low': 961224, 'to low price': 909490, 'low price due': 505510, 'due to higher': 261809, 'to higher cost': 907740, 'higher cost oott': 395561, 'cost oott product': 208075, 'oott product oil': 611784, 'nahi': 551421, 'haldi': 374124, 'pani': 637232, 'peenay': 646267, 'nai': 551428, 'marta': 518076, 'nahi amma': 551422, 'amma haldi': 52879, 'haldi wala': 374125, 'wala pani': 964686, 'pani peenay': 637235, 'peenay se': 646268, 'se corona': 743044, 'corona nai': 204066, 'nai marta': 551429, 'nahi amma haldi': 551423, 'amma haldi wala': 52880, 'haldi wala pani': 374126, 'wala pani peenay': 964687, 'pani peenay se': 637236, 'peenay se corona': 646269, 'se corona nai': 743045, 'corona nai marta': 204067, 'you due': 1018371, 'due covid': 261643, '19 refund': 10029, 'insurance school': 440810, 'fee travel': 302245, 'travel card': 930314, 'or gym': 615537, 'are you due': 91783, 'you due covid': 1018372, 'due covid 19': 261644, 'covid 19 refund': 213676, '19 refund on': 10031, 'refund on health': 706935, 'on health insurance': 601258, 'health insurance school': 386550, 'insurance school fee': 440811, 'school fee travel': 741791, 'fee travel card': 302246, 'travel card or': 930315, 'card or gym': 163605, 'tuesday hold': 935153, 'second don': 743699, 'don ignore': 253649, 'ignore your': 415857, 'small boutique': 774817, 'boutique shop': 136939, 'your town': 1026189, 'town close': 927450, 'help more': 390109, 'going to raid': 355684, 'raid supermarket on': 695614, 'supermarket on tuesday': 821738, 'on tuesday hold': 604885, 'tuesday hold on': 935154, 'hold on second': 399979, 'on second don': 603351, 'second don ignore': 743700, 'don ignore your': 253650, 'ignore your local': 415859, 'or the small': 617397, 'the small boutique': 867357, 'small boutique shop': 774818, 'boutique shop in': 136940, 'in your town': 431134, 'your town close': 1026190, 'town close to': 927451, 'close to your': 182925, 'to your house': 918993, 'is time when': 453166, 'they need your': 882772, 'your help more': 1024306, 'help more than': 390111, 'neatly': 553888, 'easter family': 265432, 'family gathering': 297841, 'gathering bit': 344450, 'bit different': 131551, 'different this': 242100, 'time take': 897795, 'flour the': 311170, 'butter quite': 148160, 'quite bit': 694828, 'bit actually': 131527, 'egg the': 270001, 'milk all': 531545, 'all neatly': 43588, 'neatly stocked': 553889, 'stocked in': 803344, 'happy easter family': 377606, 'easter family gathering': 265433, 'family gathering bit': 297843, 'gathering bit different': 344451, 'bit different this': 131552, 'different this time': 242101, 'this time take': 890694, 'time take this': 897797, 'take this have': 832710, 'this have fun': 887877, 'have fun and': 380742, 'fun and thank': 341130, 'you who make': 1022307, 'who make sure': 989252, 'sure the flour': 827711, 'the flour the': 855442, 'flour the butter': 311171, 'the butter quite': 850216, 'butter quite bit': 148161, 'quite bit actually': 694829, 'bit actually the': 131528, 'actually the egg': 30975, 'the egg the': 854090, 'egg the milk': 270002, 'the milk all': 860604, 'milk all neatly': 531546, 'all neatly stocked': 43589, 'neatly stocked in': 553890, 'stocked in the': 803345, 'just declared': 468562, 'declared state': 231243, 'emergency all': 272591, 'must disinfect': 546620, 'doctor still': 251111, 'good the swiss': 357831, 'the swiss government': 869063, 'swiss government ha': 830453, 'ha just declared': 371049, 'just declared state': 468563, 'declared state of': 231244, 'of emergency all': 583025, 'emergency all unnecessary': 272593, 'you must disinfect': 1019914, 'must disinfect your': 546621, 'hand before entering': 374832, 'entering the supermarket': 278433, 'supermarket but the': 819460, 'the doctor still': 853472, 'doctor still doesn': 251112, 'still doesn want': 800444, 'want to accept': 965981, 'to accept it': 899941, 'people video': 650090, 'while urging': 987499, 'urging them': 948455, 'buy probably': 149102, 'showing people video': 767494, 'people video of': 650091, 'supermarket shelf while': 822567, 'shelf while urging': 757803, 'while urging them': 987500, 'urging them not': 948456, 'panic buy probably': 637521, 'buy probably isn': 149103, 'probably isn going': 679299, 'tart': 834642, 'news while': 560963, 'while toilet': 987469, 'shelf pop': 757420, 'pop tart': 664469, 'tart remain': 834647, 'remain plentiful': 709842, 'plentiful selfquarantine': 660895, 'selfquarantine stayhome': 748577, 'stayhome workingfromhome': 798237, 'breaking news while': 139010, 'news while toilet': 560964, 'while toilet paper': 987470, 'towel and hand': 927293, 'sanitizer are flying': 734483, 'the shelf pop': 866865, 'shelf pop tart': 757421, 'pop tart remain': 664470, 'tart remain plentiful': 834648, 'remain plentiful selfquarantine': 709843, 'plentiful selfquarantine stayhome': 660896, 'selfquarantine stayhome workingfromhome': 748578, 'auto insurer': 103888, 'insurer make': 440886, 'make windfall': 510717, 'windfall profit': 995643, 'advocate call': 33828, 'refund lower': 706923, 'lower pre': 505947, 'pre via': 669220, 'auto insurer make': 103889, 'insurer make windfall': 440887, 'make windfall profit': 510718, 'windfall profit from': 995644, 'profit from covid': 682732, '19 consumer advocate': 5951, 'consumer advocate call': 196066, 'advocate call for': 33829, 'call for refund': 155888, 'for refund lower': 325062, 'refund lower pre': 706924, 'lower pre via': 505948, 'whatthehelldoyouhavetolose': 982947, 'trumptweet': 934174, 'trumptradewar': 934173, 'campaign 2016': 157191, '2016 closing': 13826, 'closing argument': 183590, 'argument whatthehelldoyouhavetolose': 92759, 'whatthehelldoyouhavetolose and': 982948, 'and trumptweet': 74494, 'trumptweet march': 934175, 'march 2018': 515140, '2018 trade': 13904, 'war are': 966366, 'and easy': 61866, 'with 22': 996982, '22 115': 15155, '115 death': 2660, 'death the': 230226, 'trumpadministration is': 934022, 'still fighting': 800524, 'the trumptradewar': 870080, 'remember the trump': 710322, 'the trump campaign': 870063, 'trump campaign 2016': 933462, 'campaign 2016 closing': 157192, '2016 closing argument': 13827, 'closing argument whatthehelldoyouhavetolose': 183591, 'argument whatthehelldoyouhavetolose and': 92760, 'whatthehelldoyouhavetolose and trumptweet': 982949, 'and trumptweet march': 74495, 'trumptweet march 2018': 934176, 'march 2018 trade': 515141, '2018 trade war': 13905, 'trade war are': 928604, 'war are good': 966367, 'are good and': 86923, 'good and easy': 356730, 'and easy to': 61870, 'easy to win': 265794, 'win with 22': 995600, 'with 22 115': 996983, '22 115 death': 15156, '115 death the': 2661, 'death the trumpadministration': 230228, 'the trumpadministration is': 870074, 'trumpadministration is still': 934023, 'is still fighting': 452276, 'still fighting the': 800525, 'fighting the trumptradewar': 305134, 'product distributor': 681128, 'distributor will': 248339, 'will list': 994020, 'list marketplace': 494396, 'marketplace seller': 517835, 'the flipkart': 855409, 'flipkart platform': 310622, 'consumer product distributor': 198453, 'product distributor will': 681130, 'distributor will list': 248341, 'will list marketplace': 994021, 'list marketplace seller': 494397, 'marketplace seller on': 517837, 'seller on the': 749052, 'on the flipkart': 604122, 'the flipkart platform': 855410, 'two meal': 937031, 'meal yo': 524313, 'me start': 523534, 'panic ate': 637365, 'ate lot': 101723, 'le dinner': 482928, 'dinner because': 243054, 'is vegan': 453660, 'vegan which': 953892, 'two meal yo': 937032, 'meal yo but': 524314, 'yo but this': 1016428, 'but this covid': 147546, 'panic is making': 638217, 'making me start': 511202, 'me start to': 523536, 'start to panic': 794590, 'to panic ate': 911385, 'panic ate lot': 637366, 'ate lot le': 101724, 'lot le dinner': 504080, 'le dinner because': 482929, 'dinner because there': 243055, 'in my house': 425587, 'my house people': 548741, 'house people to': 406456, 'people to feed': 649901, 'to feed and': 905716, 'feed and the': 302281, 'them is vegan': 875946, 'is vegan which': 453661, 'vegan which make': 953893, 'which make me': 986128, 'make me so': 510146, 'me so stressed': 523497, 'bread recipe': 138571, 'well family': 978234, 'family stayathome': 298254, 'to basic bread': 901064, 'basic bread recipe': 111841, 'bread recipe from': 138572, 'recipe from and': 704470, 'from and in': 334516, 'and in case': 65045, 're running out': 699407, 'out of bread': 626689, 'of bread in': 580845, 'bread in your': 138500, 'local supermarket well': 498610, 'supermarket well family': 823777, 'well family stayathome': 978235, 'retailer based': 719029, 'the experienced': 854725, 'experienced 52': 291552, '52 growth': 20247, 'growth rate': 367443, 'online spending': 609409, 'these week': 880949, 'week compared': 976098, 'huge time': 410243, 'time saver': 897611, 'saver when': 737818, 'to filling': 905853, 'the web': 871260, 'web form': 974944, 'form while': 329577, 'retailer based in': 719030, 'based in the': 111622, 'in the experienced': 429186, 'the experienced 52': 854726, 'experienced 52 growth': 291553, '52 growth rate': 20248, 'growth rate in': 367445, 'rate in online': 697265, 'in online spending': 426175, 'online spending during': 609410, 'spending during these': 788796, 'during these week': 263250, 'these week compared': 880950, 'week compared to': 976099, 'the same week': 866321, 'same week of': 733417, 'week of 2019': 976602, 'of 2019 is': 579480, '2019 is huge': 13977, 'is huge time': 448620, 'huge time saver': 410244, 'time saver when': 897612, 'saver when it': 737819, 'come to filling': 187571, 'to filling the': 905854, 'filling the web': 305629, 'the web form': 871262, 'web form while': 974945, 'form while shopping': 329578, 'imi': 416930, 'marketingstrategy': 517778, 'marketingonline': 517773, 'shopping visit': 764323, 'visit predicted': 959342, 'hold steady': 400001, 'ahead imi': 39161, 'imi ongoing': 416931, 'ongoing analysis': 607594, 'behaviour amid': 124353, 'pandemic show': 636457, 'impact differs': 417634, 'differs across': 242178, 'across category': 29290, 'category marketingstrategy': 167190, 'marketingstrategy marketingonline': 517779, 'shopping visit predicted': 764325, 'visit predicted to': 959343, 'predicted to hold': 669629, 'to hold steady': 907916, 'hold steady in': 400002, 'steady in month': 799124, 'in month ahead': 425411, 'month ahead imi': 537552, 'ahead imi ongoing': 39162, 'imi ongoing analysis': 416932, 'ongoing analysis of': 607595, 'consumer behaviour amid': 196551, 'behaviour amid the': 124354, '19 pandemic show': 9467, 'pandemic show the': 636459, 'the impact differs': 857935, 'impact differs across': 417635, 'differs across category': 242179, 'across category marketingstrategy': 29291, 'category marketingstrategy marketingonline': 167191, 'oilsands project that': 597732, 'are renting': 89584, 'renting storage': 711324, 'storage unit': 806003, 'unit stoppanicbuying': 942093, 'if the hoarder': 414986, 'the hoarder are': 857404, 'hoarder are renting': 398988, 'are renting storage': 89585, 'renting storage unit': 711325, 'storage unit stoppanicbuying': 806005, 'sousa': 786637, 'is learning': 449259, 'learning that': 484243, 'far from': 298778, 'being inefficient': 125319, 'inefficient predatory': 436311, 'predatory and': 669529, 'privacy invasive': 678820, 'invasive monopoly': 443602, 'monopoly big': 537427, 'are responsive': 89639, 'responsive consumer': 716128, 'centric dynamic': 169592, 'dynamic organization': 263906, 'organization writes': 619454, 'writes and': 1012829, 'and richard': 70512, 'richard sousa': 721305, 'outbreak the world': 628726, 'world is learning': 1009704, 'is learning that': 449260, 'learning that far': 484244, 'that far from': 843837, 'far from being': 298780, 'from being inefficient': 334679, 'being inefficient predatory': 125320, 'inefficient predatory and': 436312, 'predatory and privacy': 669530, 'and privacy invasive': 69519, 'privacy invasive monopoly': 678821, 'invasive monopoly big': 443603, 'monopoly big tech': 537428, 'tech firm are': 836089, 'firm are responsive': 308317, 'are responsive consumer': 89640, 'responsive consumer centric': 716129, 'consumer centric dynamic': 196764, 'centric dynamic organization': 169593, 'dynamic organization writes': 263907, 'organization writes and': 619455, 'writes and richard': 1012830, 'and richard sousa': 70513, 'foolish': 318331, 'how foolish': 407879, 'foolish and': 318332, 'and greedy': 63948, 'greedy can': 363498, 'be producing': 116560, 'producing fake': 680763, 'fake medicine': 296659, 'could cure': 209066, 'or perhaps': 616545, 'perhaps alleviate': 651563, 'far disease': 298756, 'also contract': 48066, 'contract isn': 201677, 'enough that': 277661, 'skyrocketed unnecessarily': 773393, 'how foolish and': 407880, 'foolish and greedy': 318333, 'and greedy can': 63949, 'greedy can people': 363499, 'people be producing': 647229, 'be producing fake': 116561, 'producing fake medicine': 680765, 'fake medicine that': 296662, 'medicine that could': 526901, 'that could cure': 843346, 'could cure or': 209068, 'cure or perhaps': 220785, 'or perhaps alleviate': 616546, 'perhaps alleviate the': 651565, 'alleviate the so': 45828, 'so far disease': 777023, 'far disease that': 298757, 'disease that they': 245249, 'they can also': 881608, 'can also contract': 157454, 'also contract isn': 48067, 'contract isn it': 201678, 'isn it enough': 454564, 'it enough that': 457826, 'enough that drug': 277663, 'that drug price': 843641, 'drug price have': 261044, 'have skyrocketed unnecessarily': 382579, 'accomplished': 28497, 'house before': 406211, 'before 8am': 122598, 'buy toiletpaper': 149381, 'at hardware': 98855, 'so accomplished': 776455, 'accomplished shoutout': 28500, 'day possible': 228236, 'possible coronaquarantine': 665613, 'the house before': 857594, 'house before 8am': 406212, 'before 8am to': 122600, '8am to buy': 23162, 'to buy toiletpaper': 902324, 'buy toiletpaper at': 149382, 'toiletpaper at hardware': 921764, 'at hardware store': 98856, 'hardware store ve': 378332, 'store ve never': 811043, 've never felt': 953384, 'never felt so': 557995, 'felt so accomplished': 303451, 'so accomplished shoutout': 776456, 'accomplished shoutout to': 28501, 'shoutout to for': 766810, 'to for making': 906145, 'making this day': 511459, 'this day possible': 887170, 'day possible coronaquarantine': 228237, 'idontunerstand': 413704, 'only tissue': 611351, 'tissue type': 899232, 'type paper': 937596, 'wa dude': 962044, 'dude wipe': 261624, 'desperation purchased': 238611, 'purchased two': 689813, 'two pack': 937121, 'pack given': 633049, 'given our': 351065, 'family need': 298069, 'ration toilet': 697745, 'paper over': 640566, 'next three': 561593, 'week idontunerstand': 976350, 'the time the': 869621, 'the only tissue': 862351, 'only tissue type': 611352, 'tissue type paper': 899233, 'type paper left': 937597, 'paper left at': 640408, 'left at the': 485401, 'store yesterday wa': 811673, 'yesterday wa dude': 1015920, 'wa dude wipe': 962045, 'dude wipe in': 261625, 'wipe in desperation': 996298, 'in desperation purchased': 422217, 'desperation purchased two': 238612, 'purchased two pack': 689814, 'two pack given': 937122, 'pack given our': 633050, 'given our family': 351066, 'our family need': 623000, 'family need to': 298073, 'need to ration': 556028, 'to ration toilet': 912769, 'ration toilet paper': 697746, 'toilet paper over': 921382, 'paper over the': 640567, 'the next three': 861703, 'next three week': 561596, 'three week idontunerstand': 894104, 'hello welcome': 389249, 'to 2020': 899597, '2020 where': 14711, 'is quarantined': 451167, 'give speech': 350718, 'speech about': 788382, '19 sundaythoughts': 10941, 'hello welcome to': 389250, 'welcome to 2020': 977900, 'to 2020 where': 899599, '2020 where everyone': 14712, 'where everyone is': 984866, 'everyone is quarantined': 287104, 'is quarantined and': 451168, 'quarantined and the': 692820, 'and the state': 73592, 'the state governor': 867778, 'state governor ha': 795622, 'governor ha to': 360908, 'ha to give': 372300, 'to give speech': 906715, 'give speech about': 350719, 'speech about toiletpaper': 788383, 'about toiletpaper 19': 26748, 'toiletpaper 19 sundaythoughts': 921681, 'turbine': 935492, 'renews': 711022, 'gencorpower': 345242, 'powergen': 667818, 'uk wind': 938904, 'wind turbine': 995635, 'turbine price': 935493, 'increase renews': 433036, 'renews renewable': 711023, 'news gencorpower': 560466, 'gencorpower energy': 345243, 'energy powergen': 276530, 'powergen renewableenergy': 667819, 'renewableenergy electricity': 710977, 'electricity uk': 271218, '19 uk wind': 11617, 'uk wind turbine': 938905, 'wind turbine price': 995636, 'turbine price to': 935495, 'price to increase': 677004, 'to increase renews': 908298, 'increase renews renewable': 433037, 'renews renewable energy': 711024, 'renewable energy news': 710968, 'energy news gencorpower': 276513, 'news gencorpower energy': 560467, 'gencorpower energy powergen': 345244, 'energy powergen renewableenergy': 276531, 'powergen renewableenergy electricity': 667820, 'renewableenergy electricity uk': 710978, 'hinoo': 396894, 'blackmarketing': 132198, 'something people': 785008, 'road like': 724473, 'like mad': 490689, 'mad crowd': 507536, 'crowd standing': 219255, 'standing to': 793824, 'of kirana': 585654, 'kirana shop': 475402, 'in hinoo': 423708, 'hinoo blackmarketing': 396895, 'blackmarketing and': 132199, 'peak crowd': 646058, 'crowd is': 219186, 'serious threat': 751496, 'sir please do': 771626, 'do something people': 250148, 'something people are': 785009, 'people are on': 647031, 'are on road': 88732, 'on road like': 603209, 'road like mad': 724474, 'like mad crowd': 490690, 'mad crowd standing': 507537, 'crowd standing to': 219256, 'standing to store': 793825, 'to store essential': 915617, 'store essential food': 807621, 'item and vegetable': 463081, 'vegetable in front': 954011, 'front of kirana': 338641, 'of kirana shop': 585655, 'kirana shop in': 475403, 'shop in hinoo': 760307, 'in hinoo blackmarketing': 423709, 'hinoo blackmarketing and': 396896, 'blackmarketing and hoarding': 132200, 'and hoarding is': 64658, 'hoarding is at': 399387, 'at peak crowd': 100086, 'peak crowd is': 646059, 'crowd is serious': 219187, 'is serious threat': 451791, 'serious threat to': 751498, 'threat to spread': 893741, 'swil': 830345, 'professionally': 682530, 'retailgraph': 719456, 'supermarketsoftware': 824235, 'swilsoftware': 830348, 'leave any': 484737, 'future business': 342272, 'at swil': 100809, 'swil are': 830346, 'you professionally': 1020446, 'professionally join': 682531, 'join retailgraph': 466828, 'retailgraph 45': 719457, 'trial an': 931631, 'an ideal': 56138, 'ideal software': 413273, 'software solution': 781546, 'supermarket business': 819435, 'business supermarketsoftware': 144443, 'supermarketsoftware lockdown': 824236, 'lockdown swilsoftware': 499985, 'swilsoftware retailgraph': 830349, 'not leave any': 570346, 'leave any opportunity': 484738, 'any opportunity for': 79569, 'opportunity for future': 613612, 'for future business': 321824, 'future business we': 342274, 'business we at': 144635, 'we at swil': 970801, 'at swil are': 100810, 'swil are determined': 830347, 'determined to serve': 239464, 'to serve you': 914276, 'serve you professionally': 751973, 'you professionally join': 1020447, 'professionally join retailgraph': 682532, 'join retailgraph 45': 466829, 'retailgraph 45 day': 719458, '45 day free': 19083, 'free trial an': 332274, 'trial an ideal': 931632, 'an ideal software': 56140, 'ideal software solution': 413274, 'software solution for': 781547, 'solution for the': 782033, 'the supermarket business': 868497, 'supermarket business supermarketsoftware': 819436, 'business supermarketsoftware lockdown': 144444, 'supermarketsoftware lockdown swilsoftware': 824237, 'lockdown swilsoftware retailgraph': 499986, 'other free': 620271, 'meal what': 524300, 'voucher and': 960630, 'work thank': 1005794, 'looking after each': 502775, 'after each other': 35596, 'each other free': 264173, 'other free school': 620272, 'school meal what': 741862, 'meal what are': 524301, 'the supermarket voucher': 868886, 'supermarket voucher and': 823670, 'voucher and how': 960632, 'and how do': 64809, 'do they work': 250324, 'they work thank': 883924, 'work thank you': 1005795, 'for sharing this': 325531, 'sharing this article': 755605, 'out point': 627059, 'another frontline': 77624, 'frontline there': 338846, 'distance there': 246853, 'for comfort': 320167, 'comfort every': 187830, 'human is': 410533, 'is potential': 450969, 'covid case': 214134, 'minimum let': 533197, 'they sanitize': 883253, 'after very': 36484, 'very card': 955037, 'card handled': 163540, 'handled 19': 376294, 'check out point': 174570, 'out point is': 627060, 'point is another': 662531, 'is another frontline': 445735, 'another frontline there': 77625, 'frontline there is': 338847, 'is no social': 449974, 'no social distance': 565546, 'social distance there': 779526, 'distance there too': 246854, 'there too close': 879197, 'too close for': 924655, 'close for comfort': 182640, 'for comfort every': 320168, 'comfort every human': 187831, 'every human is': 285945, 'human is potential': 410534, 'is potential covid': 450970, 'potential covid case': 667051, 'covid case at': 214135, 'at the minimum': 101022, 'the minimum let': 860648, 'minimum let have': 533198, 'let have mask': 486772, 'have mask for': 381440, 'mask for all': 518669, 'of them and': 591722, 'them and may': 875388, 'and may they': 66805, 'may they sanitize': 521573, 'they sanitize hand': 883254, 'sanitize hand after': 734191, 'hand after very': 374735, 'after very card': 36485, 'very card handled': 955038, 'card handled 19': 163541, 'snazzy': 776181, 'these look': 880252, 'look snazzy': 502594, 'these look snazzy': 880253, 'hepa': 391798, 'car safety': 163269, 'tip contrary': 898738, 'car cabin': 163041, 'cabin air': 154963, 'air filter': 39725, 'filter even': 305758, 'it hepa': 458561, 'hepa one': 391801, 'ha opening': 371454, 'opening too': 612940, 'large to': 479817, 'the passage': 863329, 'of ultra': 592581, 'ultra tiny': 939176, 'tiny virus': 898680, 'keep those': 472135, 'those wipe': 892708, 'car safety tip': 163270, 'safety tip contrary': 730763, 'tip contrary to': 898739, 'contrary to what': 201838, 'to what you': 918527, 'might think your': 531146, 'think your car': 885821, 'your car cabin': 1023129, 'car cabin air': 163042, 'cabin air filter': 154964, 'air filter even': 39726, 'filter even if': 305759, 'if it hepa': 414310, 'it hepa one': 458562, 'hepa one ha': 391802, 'one ha opening': 606389, 'ha opening too': 371455, 'opening too large': 612941, 'too large to': 924826, 'large to prevent': 479819, 'prevent the passage': 671734, 'the passage of': 863330, 'passage of ultra': 643240, 'of ultra tiny': 592582, 'ultra tiny virus': 939177, 'tiny virus so': 898681, 'virus so it': 958762, 'so it best': 777456, 'best to keep': 127949, 'to keep those': 908870, 'keep those wipe': 472137, 'those wipe and': 892709, 'and sanitizer handy': 70872, 'to dog': 904621, 'walking how': 965057, 'samaritan are': 732942, 'via support': 956274, 'support community': 826427, 'shopping to dog': 764172, 'to dog walking': 904622, 'dog walking how': 252188, 'walking how good': 965058, 'how good samaritan': 407926, 'good samaritan are': 357687, 'samaritan are stepping': 732943, 'help those affected': 390742, 'affected by via': 34329, 'by via support': 154665, 'via support community': 956275, 'chipped': 177539, 'auckland': 102826, 'chipped fingernail': 177540, 'fingernail paint': 307827, 'paint in': 634289, 'war of': 966493, 'of auckland': 580442, 'auckland supermarket': 102833, 'supermarket detergent': 819955, 'detergent sold': 239392, 'chipped fingernail paint': 177541, 'fingernail paint in': 307828, 'paint in the': 634290, 'the war of': 871070, 'war of auckland': 966495, 'of auckland supermarket': 580443, 'auckland supermarket detergent': 102834, 'supermarket detergent sold': 819956, 'detergent sold out': 239393, 'fallen 60': 297129, 'fallen not': 297163, 'explain how': 292102, 'this tax': 890475, 'tax structure': 835099, 'structure benefit': 814299, 'benefit hard': 126999, 'working californian': 1008548, 'californian coronacrisis': 155639, 'coronacrisis caronavirus': 204543, 'caronavirus wuhancoronavius': 164867, 'wuhancoronavius chinesewuhanvirus': 1013554, 'of oil ha': 587184, 'oil ha fallen': 596853, 'ha fallen 60': 370588, 'fallen 60 and': 297130, '60 and gas': 20901, 'have fallen not': 380573, 'fallen not at': 297164, 'not at all': 568267, 'at all can': 97876, 'all can you': 42290, 'you explain how': 1018492, 'explain how this': 292103, 'how this tax': 408957, 'this tax structure': 890477, 'tax structure benefit': 835100, 'structure benefit hard': 814300, 'benefit hard working': 127000, 'hard working californian': 378139, 'working californian coronacrisis': 1008549, 'californian coronacrisis caronavirus': 155640, 'coronacrisis caronavirus wuhancoronavius': 204544, 'caronavirus wuhancoronavius chinesewuhanvirus': 164868, 'emergency retail': 272933, 'become front': 120001, 'line responder': 493372, 'responder we': 715546, 'can county': 158009, 'this health emergency': 887887, 'health emergency retail': 386401, 'emergency retail grocery': 272934, 'drug store remain': 261094, 'open and their': 612084, 'employee have become': 273916, 'have become front': 379434, 'become front line': 120002, 'front line responder': 338597, 'line responder we': 493373, 'responder we must': 715547, 'must do everything': 546626, 'we can county': 970928, 'can county to': 158010, 'county to protect': 211515, 'protect these worker': 685027, 'prestige': 671274, 'louise': 504530, 'ame': 51363, 'radical consumer': 695401, 'shift ahead': 758222, 'ahead post': 39201, 'will prioritise': 994454, 'prioritise health': 678393, 'amp meaning': 54121, 'meaning ahead': 524798, 'luxury amp': 506909, 'amp prestige': 54324, 'prestige by': 671275, 'by louise': 153102, 'louise burger': 504531, 'burger ame': 142829, 'radical consumer shift': 695402, 'consumer shift ahead': 198963, 'shift ahead post': 758223, 'ahead post pandemic': 39202, 'pandemic consumer will': 635198, 'consumer will prioritise': 199549, 'will prioritise health': 994455, 'prioritise health amp': 678394, 'health amp meaning': 386120, 'amp meaning ahead': 54122, 'meaning ahead of': 524799, 'ahead of luxury': 39187, 'of luxury amp': 586078, 'luxury amp prestige': 506910, 'amp prestige by': 54325, 'prestige by louise': 671276, 'by louise burger': 153103, 'louise burger ame': 504532, 'spx500': 791388, '2421': 15728, 'nas100': 551968, '7288': 22049, '1485': 3596, '165': 4240, 'future in': 342361, 'ny jumped': 577887, 'jumped 11': 467915, 'barrel more': 111248, 'below noon': 126697, 'price spx500': 676587, 'spx500 2421': 791389, '2421 nas100': 15729, 'nas100 7288': 551969, '7288 wti': 22050, 'wti 22': 1013377, '22 41': 15168, '41 gold': 18861, 'gold 1485': 355844, '1485 89': 3597, '89 silver': 23103, 'silver 12': 769783, '12 165': 2777, '165 practise': 4241, 'practise trading': 668777, 'trading oil': 928895, 'oil on': 596985, 'on free': 600984, 'free demo': 331762, 'demo donaldtrump': 236670, 'oil future in': 596821, 'future in ny': 342362, 'in ny jumped': 426003, 'ny jumped 11': 577888, 'jumped 11 to': 467916, '54 barrel more': 20321, 'barrel more below': 111249, 'more below noon': 538719, 'below noon price': 126698, 'noon price spx500': 566863, 'price spx500 2421': 676588, 'spx500 2421 nas100': 791390, '2421 nas100 7288': 15730, 'nas100 7288 wti': 551970, '7288 wti 22': 22051, 'wti 22 41': 1013378, '22 41 gold': 15169, '41 gold 1485': 18862, 'gold 1485 89': 355845, '1485 89 silver': 3598, '89 silver 12': 23104, 'silver 12 165': 769784, '12 165 practise': 2778, '165 practise trading': 4242, 'practise trading oil': 668778, 'trading oil on': 928896, 'oil on free': 596986, 'on free demo': 600985, 'free demo donaldtrump': 331763, 'will life': 993984, 'life be': 488522, 'after goodbye': 35722, 'goodbye retail': 358000, 'retail retail': 718465, 'store already': 806150, 'their heel': 873529, 'heel with': 388773, 'move completely': 543634, 'die slow': 241450, 'slow death': 774332, 'death local': 230116, 'local boutique': 497735, 'boutique will': 136945, 'continue but': 201011, 'but recover': 146905, 'recover slowly': 705194, 'what will life': 982603, 'will life be': 993985, 'life be like': 488524, 'be like after': 115727, 'like after goodbye': 489729, 'after goodbye retail': 35723, 'goodbye retail retail': 358001, 'retail retail store': 718466, 'retail store already': 718604, 'store already on': 806153, 'already on their': 47541, 'on their heel': 604488, 'their heel with': 873530, 'heel with online': 388774, 'will be decimated': 992419, 'be decimated the': 114358, 'decimated the big': 230992, 'the big retailer': 849622, 'big retailer we': 129966, 'retailer we have': 719404, 'have now will': 381741, 'now will move': 576430, 'will move completely': 994132, 'move completely online': 543635, 'completely online or': 192328, 'online or die': 608653, 'or die slow': 614966, 'die slow death': 241451, 'slow death local': 774333, 'death local boutique': 230117, 'local boutique will': 497737, 'boutique will continue': 136946, 'will continue but': 993011, 'continue but recover': 201012, 'but recover slowly': 146906, 'quest to': 693486, 'find cat': 306841, 'on today episode': 604776, 'today episode of': 919486, 'and we didn': 75289, 'we didn panic': 971303, 'panic buy the': 637535, 'buy the quest': 149305, 'the quest to': 865010, 'quest to find': 693487, 'to find cat': 905888, 'find cat food': 306842, 'about ventilator': 26821, 'ventilator we': 954634, 'about losing': 25667, 'losing income': 503556, 'income our': 432428, 'stop bailing': 804471, 'bailing business': 108613, 'business out': 144165, 'out who': 627837, 'people aren worried': 647131, 'worried about ventilator': 1010528, 'about ventilator we': 26822, 'ventilator we are': 954635, 'worried about losing': 1010501, 'about losing income': 25668, 'losing income our': 503558, 'income our home': 432429, 'our home food': 623447, 'home food our': 401213, 'food our life': 315707, 'our life stop': 623733, 'life stop bailing': 489064, 'stop bailing business': 804472, 'bailing business out': 108614, 'business out who': 144166, 'out who care': 627839, 'market in these': 516576, 'these time take': 880851, 'time take care': 897796, 'incorrect': 432626, 'ryanair': 728812, 'from saying': 337168, 'saying my': 739648, 'flight wa': 310552, 'canceled and': 160916, 'can request': 159456, 'request refund': 713192, 'refund fill': 706903, 'form but': 329494, 'the error': 854480, 'error that': 280233, 'the reservation': 865571, 'reservation number': 714017, 'is incorrect': 448844, 'incorrect even': 432627, '100 true': 2105, 'true see': 933157, 'problem horrible': 679550, 'horrible service': 404117, 'service ryanair': 752781, 'email from saying': 272194, 'from saying my': 337169, 'saying my flight': 739649, 'my flight wa': 548366, 'flight wa canceled': 310553, 'wa canceled and': 961786, 'canceled and can': 160917, 'and can request': 59470, 'can request refund': 159458, 'request refund fill': 713193, 'refund fill out': 706904, 'the form but': 855707, 'form but still': 329496, 'but still get': 147164, 'still get the': 800558, 'get the error': 348239, 'the error that': 854481, 'error that the': 280234, 'that the reservation': 846818, 'the reservation number': 865572, 'reservation number is': 714018, 'number is incorrect': 576899, 'is incorrect even': 448845, 'incorrect even though': 432628, 'though it 100': 892836, 'it 100 true': 456172, '100 true see': 2106, 'true see lot': 933158, 'the same problem': 866283, 'same problem horrible': 733247, 'problem horrible service': 679551, 'horrible service ryanair': 404119, 'many property': 514602, 'property around': 684241, 'dropped meanwhile': 260593, 'meanwhile my': 525006, 'my agent': 547243, 'agent hasn': 38169, 'even contacted': 283972, 'contacted me': 200327, 'their respond': 874566, 'help tenant': 390629, 'tenant during': 837840, 'time nor': 897279, 'nor have': 566953, 'their responding': 874568, 'kidding me so': 474208, 'me so many': 523493, 'so many property': 777693, 'many property around': 514603, 'property around my': 684242, 'around my area': 93406, 'my area are': 547291, 'area are having': 91951, 'are having their': 87042, 'having their rental': 384325, 'their rental price': 874552, 'rental price dropped': 711263, 'price dropped meanwhile': 673595, 'dropped meanwhile my': 260594, 'meanwhile my agent': 525007, 'my agent hasn': 547244, 'agent hasn even': 38170, 'hasn even contacted': 378744, 'even contacted me': 283973, 'contacted me about': 200328, 'me about their': 522348, 'about their respond': 26591, 'their respond to': 874567, 'and how they': 64839, 'to help tenant': 907643, 'help tenant during': 390630, 'tenant during this': 837841, 'this time nor': 890668, 'time nor have': 897280, 'nor have their': 566954, 'have their responding': 383059, 'their responding to': 874569, 'responding to my': 715585, 'to my email': 910391, 'my email or': 548087, 'email or call': 272255, 'lewk': 487854, 'makeupnoob': 510923, 'jeffreestarcosmetics': 465036, 'facetattoos': 295207, 'my going': 548533, 'supermarket lewk': 821305, 'lewk doing': 487855, 'ensure socialdistancing': 278032, 'socialdistancing makeupnoob': 780511, 'makeupnoob jeffreestarcosmetics': 510924, 'jeffreestarcosmetics facetattoos': 465037, 'my going to': 548534, 'the supermarket lewk': 868672, 'supermarket lewk doing': 821306, 'lewk doing my': 487856, 'my bit to': 547467, 'bit to ensure': 131715, 'to ensure socialdistancing': 905188, 'ensure socialdistancing makeupnoob': 278033, 'socialdistancing makeupnoob jeffreestarcosmetics': 780512, 'makeupnoob jeffreestarcosmetics facetattoos': 510925, 'thing getting': 884360, 'getting hit': 349039, 'world population': 1009902, 'population by': 664662, 'account from': 28675, 'only thing getting': 611303, 'thing getting hit': 884361, 'getting hit harder': 349040, 'than the world': 841280, 'the world population': 871942, 'world population by': 1009903, 'population by covid': 664663, 'is my bank': 449780, 'bank account from': 109551, 'account from online': 28676, 'from online shopping': 336695, 'it begin': 456818, 'begin store': 123568, 'increase or': 432964, 'or fix': 615323, 'item whoever': 463824, 'whoever ha': 990096, 'madness must': 508192, 'must end': 546636, 'end truth': 276020, 'it begin store': 456819, 'begin store that': 123569, 'store that increase': 810554, 'that increase or': 844493, 'increase or fix': 432966, 'or fix price': 615324, 'essential item whoever': 281236, 'item whoever ha': 463825, 'whoever ha the': 990097, 'ha the most': 372213, 'the most will': 861066, 'most will get': 542920, 'it this madness': 461651, 'this madness must': 888739, 'madness must end': 508193, 'must end truth': 546637, 'wwll': 1013705, 'bbcqt': 113153, 'peston': 653345, 'still stripped': 801240, 'bare no': 110928, 'and town': 74326, 'hall in': 374334, 'consider after': 194943, 'after wwll': 36594, 'wwll uk': 1013706, 'uk fed': 938352, 'fed west': 301932, 'west germany': 980501, 'germany in': 346309, '2020 everyone': 14298, 'are broke': 85066, 'broke no': 140845, 'no stock': 565576, 'stock mass': 802465, 'death food': 230040, 'now who': 576409, 'save anyone': 737478, 'anyone bbcqt': 80193, 'bbcqt peston': 113156, 'supermarket still stripped': 822962, 'still stripped bare': 801241, 'stripped bare no': 813848, 'bare no delivery': 110929, 'no delivery and': 563982, 'delivery and town': 233684, 'and town hall': 74327, 'town hall in': 927477, 'hall in charge': 374335, 'in charge if': 421340, 'if you consider': 415411, 'you consider after': 1018012, 'consider after wwll': 194944, 'after wwll uk': 36595, 'wwll uk fed': 1013707, 'uk fed west': 938353, 'fed west germany': 301933, 'west germany in': 980502, 'germany in 2020': 346311, 'in 2020 everyone': 419834, '2020 everyone in': 14299, 'everyone in all': 287034, 'in all country': 420167, 'all country are': 42473, 'country are broke': 210460, 'are broke no': 85067, 'broke no stock': 140846, 'no stock mass': 565579, 'stock mass death': 802466, 'mass death food': 519755, 'death food shortage': 230041, 'shortage in week': 765026, 'in week from': 430751, 'from now who': 336617, 'now who can': 576411, 'who can save': 988406, 'can save anyone': 159503, 'save anyone bbcqt': 737479, 'anyone bbcqt peston': 80194, 'currently look': 221582, 'photo you': 655273, 'yourself have': 1026635, 'income living': 432400, 'living week': 496483, 'can or': 159161, 'amp now': 54195, 'if your home': 415586, 'your home currently': 1024346, 'home currently look': 400979, 'currently look like': 221583, 'look like any': 502459, 'like any of': 489811, 'of these photo': 591850, 'these photo you': 880478, 'photo you should': 655274, 'of yourself have': 593545, 'yourself have consideration': 1026636, 'consideration for the': 195252, 'the family on': 854900, 'family on low': 298117, 'on low income': 601944, 'low income living': 505353, 'income living week': 432401, 'living week to': 496484, 'to week who': 918478, 'week who can': 977243, 'who can or': 988398, 'can or the': 159165, 'or the elderly': 617373, 'the elderly person': 854136, 'elderly person who': 270849, 'person who can': 652720, 'get out often': 347741, 'out often amp': 626890, 'often amp now': 596155, 'amp now ha': 54196, 'now ha nothing': 574845, 'disgust': 245353, 'obese': 578351, 'fsr': 339312, 'normsl': 567588, 'at panic': 100060, 'in disgust': 422303, 'disgust but': 245354, 'but obese': 146630, 'obese people': 578354, 'they consume': 881797, 'consume fsr': 195934, 'fsr too': 339313, 'in normsl': 425938, 'normsl time': 567589, 'now far': 574666, 'worse sure': 1011003, 've raided': 953464, 'raided store': 695639, 'their current': 872935, 'current pace': 221286, 'when if the': 983585, 'if the shortage': 415029, 'of food get': 583695, 'food get worse': 314657, 'get worse were': 348659, 'worse were not': 1011045, 'were not just': 979921, 'not just going': 570225, 'be looking at': 115821, 'looking at panic': 502816, 'at panic buyer': 100061, 'buyer in disgust': 149668, 'in disgust but': 422304, 'disgust but obese': 245355, 'but obese people': 146631, 'obese people they': 578355, 'people they consume': 649817, 'they consume fsr': 881799, 'consume fsr too': 195935, 'fsr too much': 339314, 'too much in': 924926, 'much in normsl': 545009, 'in normsl time': 425939, 'normsl time now': 567590, 'time now far': 897296, 'now far worse': 574667, 'far worse sure': 298982, 'worse sure they': 1011004, 'they ve raided': 883674, 've raided store': 953465, 'raided store to': 695640, 'stock up just': 803093, 'up just to': 945271, 'just to keep': 470095, 'keep themselves at': 472119, 'themselves at their': 876775, 'at their current': 101164, 'their current pace': 872938, 'expires': 292076, 'scriptchat': 742858, 'are rolling': 89741, 'rolling back': 725666, 'back our': 107217, 'our old': 624126, 'we first': 971569, 'first launched': 308754, 'in 2013': 419766, '2013 we': 13789, 'help offer': 390169, 'offer expires': 594601, 'expires may': 292081, '1st learn': 12756, 'here check': 392863, 'newest lead': 560060, 'lead scriptchat': 483307, 'scriptchat hollywood': 742859, 'hollywood movie': 400462, 'movie streaming': 544067, 'streaming film': 812818, 'we are rolling': 970692, 'are rolling back': 89742, 'rolling back our': 725668, 'back our old': 107218, 'our old price': 624127, 'old price from': 598435, 'price from when': 674122, 'from when we': 338352, 'when we first': 984443, 'we first launched': 971570, 'first launched in': 308755, 'launched in 2013': 481995, 'in 2013 we': 419768, '2013 we hope': 13790, 'this help offer': 887894, 'help offer expires': 390170, 'offer expires may': 594602, 'expires may 1st': 292082, 'may 1st learn': 520871, '1st learn more': 12757, 'more here check': 539416, 'here check out': 392864, 'out our newest': 626984, 'our newest lead': 624053, 'newest lead scriptchat': 560061, 'lead scriptchat hollywood': 483308, 'scriptchat hollywood movie': 742860, 'hollywood movie streaming': 400463, 'movie streaming film': 544068, 'madness believe': 508158, 'of exercise': 583299, 'exercise go': 290059, 'our body': 622237, 'body but': 133833, 'our mind': 623918, 've cut': 953025, 'cut our': 223463, 'provide free': 686320, 'just ask': 468223, 'hope can help': 403432, 'can help some': 158655, 'some people during': 783512, 'during this madness': 263298, 'this madness believe': 888736, 'madness believe that': 508159, 'believe that little': 126342, 'that little bit': 844904, 'bit of exercise': 131641, 'of exercise go': 583301, 'exercise go long': 290060, 'long way not': 501823, 'way not just': 969731, 'not just for': 570223, 'just for our': 468755, 'for our body': 324214, 'our body but': 622238, 'body but for': 133834, 'but for our': 145751, 'for our mind': 324272, 'our mind we': 623921, 'mind we ve': 532768, 'we ve cut': 973651, 've cut our': 953026, 'cut our price': 223464, 'our price in': 624447, 'half and will': 374143, 'and will provide': 75685, 'will provide free': 994514, 'provide free access': 686321, 'access to those': 28292, 'need it just': 555092, 'it just ask': 459215, 'see him': 745200, 'him but': 396561, 'own risk': 632168, 'risk you': 724030, 'do entering': 249257, 'entering another': 278389, 'household with': 406992, 'still go and': 800574, 'and see him': 71136, 'see him but': 745202, 'him but at': 396562, 'but at your': 145248, 'at your own': 101687, 'your own risk': 1025157, 'own risk you': 632169, 'risk you have': 724032, 'packed supermarket then': 633649, 'supermarket then you': 823272, 'then you do': 877784, 'you do entering': 1018250, 'do entering another': 249258, 'entering another household': 278390, 'another household with': 77662, 'household with social': 406995, 'distancing and ppe': 246988, 'trumpistheworstpresidentever': 934058, 'trumpliesaboutcoronavirus': 934077, 'there silver': 879048, 'lining trump': 493761, 'trump think': 933918, 'making killing': 511160, 'killing from': 474677, 'buying trumpistheworstpresidentever': 151269, 'trumpistheworstpresidentever trumpliesaboutcoronavirus': 934061, 'so if there': 777356, 'if there silver': 415076, 'there silver lining': 879049, 'silver lining trump': 769830, 'lining trump think': 493762, 'trump think it': 933919, 'it the store': 461577, 'the store that': 868116, 'are making killing': 87988, 'making killing from': 511162, 'killing from consumer': 474678, 'from consumer panic': 334967, 'panic buying trumpistheworstpresidentever': 637945, 'buying trumpistheworstpresidentever trumpliesaboutcoronavirus': 151270, 'kinsa': 475384, 'quickcare': 694425, 'for thermometer': 326958, 'thermometer suddenly': 879543, 'suddenly higher': 817104, '19 up': 11647, 'until mid': 943774, 'mid nov2019': 530581, 'nov2019 the': 573708, 'your thermometer': 1026135, 'thermometer were': 879555, 'were 40': 979256, '40 cheaper': 18548, 'cheaper why': 174296, 'this sudden': 890407, 'sudden price': 817031, 'increase kinsa': 432892, 'kinsa quickcare': 475385, 'quickcare 19': 694426, '99 35': 23758, '35 99': 17874, '99 kinsa': 23853, 'kinsa smart': 475387, 'smart ear': 775371, 'ear 39': 264390, 'price for thermometer': 674063, 'for thermometer suddenly': 326959, 'thermometer suddenly higher': 879544, 'suddenly higher in': 817105, 'higher in time': 395611, 'covid 19 up': 214004, '19 up until': 11649, 'up until mid': 946498, 'until mid nov2019': 943776, 'mid nov2019 the': 530582, 'nov2019 the price': 573709, 'for your thermometer': 328219, 'your thermometer were': 1026136, 'thermometer were 40': 879556, 'were 40 cheaper': 979257, '40 cheaper why': 18550, 'cheaper why this': 174297, 'why this sudden': 991475, 'this sudden price': 890408, 'sudden price increase': 817033, 'price increase kinsa': 674776, 'increase kinsa quickcare': 432893, 'kinsa quickcare 19': 475386, 'quickcare 19 99': 694427, '19 99 35': 4771, '99 35 99': 23759, '35 99 kinsa': 17875, '99 kinsa smart': 23854, 'kinsa smart ear': 475388, 'smart ear 39': 775372, 'ear 39 99': 264391, 'bitte': 131898, 'anschauen': 77994, 'emotionaler': 273313, 'aufruf': 102964, 'gehard': 345061, 'bosselmann': 135768, 'hannover': 377006, 'gehen': 345064, 'sie': 768971, 'zu': 1027880, 'ihrem': 415956, 'cker': 179648, 'ecke': 266646, 'schei': 741538, 'egal': 269733, 'wie': 991882, 'hei': 388797, 'hin': 396823, 'mittelstand': 534570, 'handwerk': 376870, 'landb': 479309, 'ckereibosselmann': 179653, 'emsland': 275332, 'bitte anschauen': 131899, 'anschauen emotionaler': 77995, 'emotionaler aufruf': 273314, 'aufruf von': 102967, 'von gehard': 960421, 'gehard bosselmann': 345062, 'bosselmann au': 135769, 'au hannover': 102787, 'hannover bitte': 377007, 'bitte gehen': 131901, 'gehen sie': 345065, 'sie zu': 768976, 'zu ihrem': 1027881, 'ihrem cker': 415957, 'cker um': 179651, 'um die': 939200, 'die ecke': 241321, 'ecke schei': 266647, 'schei egal': 741539, 'egal wie': 269734, 'wie der': 991883, 'der hei': 237812, 'hei bitte': 388798, 'sie hin': 768972, 'hin cker': 396824, 'cker mittelstand': 179649, 'mittelstand handwerk': 534571, 'handwerk landb': 376871, 'landb ckereibosselmann': 479310, 'ckereibosselmann hannover': 179654, 'hannover emsland': 377009, 'bitte anschauen emotionaler': 131900, 'anschauen emotionaler aufruf': 77996, 'emotionaler aufruf von': 273315, 'aufruf von gehard': 102968, 'von gehard bosselmann': 960422, 'gehard bosselmann au': 345063, 'bosselmann au hannover': 135770, 'au hannover bitte': 102788, 'hannover bitte gehen': 377008, 'bitte gehen sie': 131902, 'gehen sie zu': 345067, 'sie zu ihrem': 768977, 'zu ihrem cker': 1027882, 'ihrem cker um': 415958, 'cker um die': 179652, 'um die ecke': 939201, 'die ecke schei': 241322, 'ecke schei egal': 266648, 'schei egal wie': 741540, 'egal wie der': 269735, 'wie der hei': 991884, 'der hei bitte': 237813, 'hei bitte gehen': 388799, 'gehen sie hin': 345066, 'sie hin cker': 768973, 'hin cker mittelstand': 396825, 'cker mittelstand handwerk': 179650, 'mittelstand handwerk landb': 534572, 'handwerk landb ckereibosselmann': 376872, 'landb ckereibosselmann hannover': 479311, 'ckereibosselmann hannover emsland': 179655, 'wash which': 967570, 'better against': 128184, 'coronavirus sanitizer': 206700, 'hand wash which': 375936, 'wash which is': 967571, 'which is better': 985989, 'is better against': 446149, 'better against coronavirus': 128185, 'against coronavirus sanitizer': 37393, 'coronavirus sanitizer handwash': 206701, '9629': 23670, 'advanced hand': 32933, 'natural with': 552876, 'with plant': 1000226, 'based alcohol': 111500, 'alcohol citrus': 40957, 'citrus scent': 179025, 'scent 12': 741379, '12 fl': 2852, 'oz pump': 632755, 'pump bottle': 689036, 'bottle pack': 136306, 'of 9629': 579689, '9629 06': 23671, '06 ec': 989, 'ec sanitizer': 266592, 'purell advanced hand': 690003, 'advanced hand sanitizer': 32934, 'hand sanitizer natural': 375497, 'sanitizer natural with': 735395, 'natural with plant': 552877, 'with plant based': 1000227, 'plant based alcohol': 658618, 'based alcohol citrus': 111501, 'alcohol citrus scent': 40958, 'citrus scent 12': 179026, 'scent 12 fl': 741380, '12 fl oz': 2853, 'fl oz pump': 309921, 'oz pump bottle': 632756, 'pump bottle pack': 689037, 'bottle pack of': 136307, 'pack of 9629': 633086, 'of 9629 06': 579690, '9629 06 ec': 23672, '06 ec sanitizer': 990, 'ec sanitizer sanitizers': 266593, 'every area': 285673, 'area should': 92187, 'one policed': 606902, 'policed supermarket': 663276, 'supermarket designated': 819950, 'designated for': 238294, 'with pass': 1000103, 'pass pointless': 643221, 'pointless opening': 662772, 'opening just': 612868, 'hour most': 405767, 'work shift': 1005715, 'shift coronacrisis': 758270, 'every area should': 285674, 'area should have': 92188, 'should have one': 766087, 'have one policed': 381796, 'one policed supermarket': 606903, 'policed supermarket designated': 663277, 'supermarket designated for': 819951, 'designated for front': 238295, 'line worker with': 493611, 'worker with pass': 1008266, 'with pass pointless': 1000104, 'pass pointless opening': 643222, 'pointless opening just': 662773, 'opening just for': 612870, 'just for few': 468747, 'for few hour': 321453, 'few hour most': 303867, 'hour most work': 405768, 'most work shift': 542927, 'work shift coronacrisis': 1005716, 'upbeat': 946771, 'p500': 632818, 'nzd': 578217, 'market remained': 516979, 'remained upbeat': 709949, 'upbeat amid': 946772, 'amid optimism': 52554, 'optimism that': 613917, 'the pace': 862834, 'case may': 165862, 'be slowing': 117225, 'slowing the': 774572, 'the p500': 862822, 'p500 is': 632821, 'currently up': 221706, 'the aud': 849038, 'aud and': 102883, 'and nzd': 67914, 'nzd following': 578218, 'following suit': 312859, 'suit oil': 817773, 'bond yield': 134275, 'also higher': 48357, 'equity market remained': 279959, 'market remained upbeat': 516980, 'remained upbeat amid': 709950, 'upbeat amid optimism': 946773, 'amid optimism that': 52555, 'optimism that the': 613919, 'that the pace': 846793, 'the pace of': 862835, 'pace of new': 632950, '19 case may': 5690, 'case may be': 165863, 'may be slowing': 521030, 'be slowing the': 117226, 'slowing the p500': 774573, 'the p500 is': 862823, 'p500 is currently': 632822, 'is currently up': 447006, 'currently up the': 221707, 'up the aud': 946154, 'the aud and': 849039, 'aud and nzd': 102884, 'and nzd following': 67915, 'nzd following suit': 578219, 'following suit oil': 312860, 'suit oil price': 817774, 'price and bond': 672372, 'and bond yield': 59060, 'bond yield are': 134276, 'yield are also': 1016361, 'are also higher': 84458, 'contracting shameful': 201780, 'trolley via': 932493, 'worker are at': 1006370, 'of contracting shameful': 581834, 'contracting shameful shopper': 201781, 'glove in car': 352730, 'in car park': 421235, 'park and shopping': 641865, 'and shopping trolley': 71556, 'shopping trolley via': 764267, 'plunged sharply': 661501, 'sharply over': 755758, 'year concern': 1014477, 'economy grew': 267908, 'grew rakamoto': 363857, 'rakamoto wednesdaythoughts': 696205, 'wednesdaythoughts blockchain': 975722, 'bitcoin price plunged': 131833, 'price plunged sharply': 675936, 'plunged sharply over': 661502, 'sharply over the': 755759, 'over the first': 630719, 'first three month': 309088, 'month of the': 537911, 'the year concern': 872151, 'year concern about': 1014478, 'global pandemic and': 352072, 'the economy grew': 853974, 'economy grew rakamoto': 267909, 'grew rakamoto wednesdaythoughts': 363858, 'rakamoto wednesdaythoughts blockchain': 696206, 'wednesdaythoughts blockchain crypto': 975723, 'the student': 868313, 'student family': 814682, 'family teacher': 298281, 'teacher leader': 835479, 'leader and': 483417, 'staff affected': 792081, 'send our': 749924, 'our sincere': 624781, 'sincere gratitude': 771028, 'worker stay': 1007811, 'positive everyone': 665308, 'am thinking of': 50496, 'all the student': 44931, 'the student family': 868314, 'student family teacher': 814683, 'family teacher leader': 298282, 'teacher leader and': 835480, 'leader and staff': 483418, 'and staff affected': 72190, 'staff affected by': 792082, '19 we also': 11917, 'we also send': 970411, 'also send our': 48854, 'send our sincere': 749926, 'our sincere gratitude': 624782, 'sincere gratitude to': 771029, 'gratitude to everyone': 362398, 'front line from': 338575, 'line from healthcare': 493123, 'from healthcare to': 335753, 'healthcare to grocery': 387322, 'store worker stay': 811586, 'worker stay positive': 1007812, 'stay positive everyone': 797173, 'positive everyone we': 665309, '19 tip': 11408, 'for safely': 325297, 'covid 19 tip': 213957, '19 tip for': 11409, 'tip for safely': 898779, 'for safely online': 325298, 'tp talk': 927963, 'talk comic': 833787, 'comic claw': 187923, 'claw for': 180421, '13 2020': 3168, 'tp talk comic': 927964, 'talk comic claw': 833788, 'comic claw for': 187924, 'claw for april': 180422, 'for april 13': 319475, 'april 13 2020': 83407, '13 2020 via': 3171, 'owor': 632641, 'official in': 595840, 'prison have': 678725, 'on charge': 599881, 'of inflating': 585178, 'inflating food': 437107, 'these include': 880162, 'include commissioner': 431536, 'commissioner for': 188945, 'disaster preparedness': 244234, 'management martin': 512593, 'martin owor': 518102, 'owor the': 632644, 'the permanent': 863570, 'permanent secretary': 652070, 'secretary and': 743943, 'two others': 937114, 'others by': 621316, 'by sh': 153959, 'sh ug': 754305, 'official in the': 595841, 'the prison have': 864479, 'prison have been': 678726, 'have been arrested': 379468, 'been arrested on': 120688, 'arrested on charge': 93864, 'on charge of': 599882, 'charge of inflating': 173290, 'of inflating food': 585179, 'inflating food price': 437108, 'to 19 these': 899554, '19 these include': 11295, 'these include commissioner': 880163, 'include commissioner for': 431538, 'commissioner for disaster': 188946, 'for disaster preparedness': 320741, 'disaster preparedness and': 244236, 'preparedness and management': 670277, 'and management martin': 66626, 'management martin owor': 512594, 'martin owor the': 518104, 'owor the permanent': 632645, 'the permanent secretary': 863571, 'permanent secretary and': 652071, 'secretary and two': 743945, 'and two others': 74555, 'two others by': 937115, 'others by sh': 621320, 'by sh ug': 153960, 'clickers': 181977, 'overcapacity': 631086, 'doing crowd': 252342, 'crowd control': 219143, 'entrance staff': 278901, 'and clickers': 59982, 'clickers like': 181978, 'like bouncer': 489929, 'bouncer at': 136836, 'at club': 98283, 'club want': 184493, 'avoid overcapacity': 105204, 'overcapacity 19': 631087, 'store to shop': 810814, 'shop and they': 759875, 're doing crowd': 698536, 'doing crowd control': 252343, 'crowd control at': 219144, 'control at the': 201972, 'the entrance staff': 854386, 'entrance staff and': 278902, 'staff and clickers': 792128, 'and clickers like': 59983, 'clickers like bouncer': 181979, 'like bouncer at': 489930, 'bouncer at club': 136837, 'at club want': 98285, 'club want to': 184494, 'to avoid overcapacity': 900921, 'avoid overcapacity 19': 105205, 'price recover': 676119, 'recover after': 705158, 'after three': 36425, 'of decline': 582441, 'decline but': 231311, 'but analyst': 145183, 'say gain': 738664, 'gain are': 342758, 'collapse this': 186063, 'curb supply': 220577, 'oil price recover': 597231, 'price recover after': 676120, 'recover after three': 705159, 'after three day': 36426, 'three day of': 893912, 'day of decline': 228066, 'of decline but': 582442, 'decline but analyst': 231312, 'but analyst say': 145184, 'analyst say gain': 57174, 'say gain are': 738665, 'gain are likely': 342759, 'to be limited': 901367, 'limited the drop': 492747, 'outbreak is compounded': 628371, 'the collapse this': 851148, 'collapse this month': 186064, 'this month of': 888914, 'of the deal': 590932, 'the deal between': 852957, 'deal between opec': 229355, 'between opec russia': 128843, 'russia and others': 728432, 'others to curb': 621724, 'to curb supply': 903805, 'vigilance': 957218, 'public vigilance': 688453, 'vigilance around': 957219, 'around related': 93463, 'scam most': 740254, 'most reported': 542693, 'reported incident': 712495, 'incident relate': 431434, 'public ordered': 688203, 'equipment that': 279841, 'that then': 846887, 'then never': 877353, 'urge public vigilance': 948216, 'public vigilance around': 688454, 'vigilance around related': 957220, 'around related scam': 93464, 'related scam most': 708553, 'scam most reported': 740256, 'most reported incident': 542695, 'reported incident relate': 712496, 'incident relate to': 431435, 'relate to online': 708367, 'shopping scam in': 763808, 'in which the': 430870, 'which the public': 986377, 'the public ordered': 864840, 'public ordered and': 688204, 'ordered and paid': 618821, 'paid for personal': 634020, 'for personal protective': 324505, 'protective equipment that': 685737, 'equipment that then': 279844, 'that then never': 846888, 'then never arrived': 877354, 'alr': 47169, 'yes buy': 1015401, 'of posting': 588268, 'stuff they': 815209, 'their elderly': 873118, 'parent kid': 641670, 'kid sibling': 474107, 'sibling etc': 768332, 'themselves not': 876853, 'be viral': 118010, 'viral covid': 957588, '19 alr': 4919, 'alr is': 47170, 'yes buy only': 1015402, 'you need but': 1019972, 'need but what': 554577, 'point of posting': 662564, 'of posting photo': 588269, 'photo of those': 655218, 'those people in': 892321, 'supermarket with load': 823930, 'of stuff they': 590335, 'stuff they could': 815210, 'could be buying': 208848, 'be buying for': 113940, 'buying for all': 150351, 'all their elderly': 44996, 'their elderly parent': 873119, 'elderly parent kid': 270810, 'parent kid sibling': 641671, 'kid sibling etc': 474108, 'sibling etc who': 768333, 'etc who cannot': 282882, 'who cannot buy': 988420, 'cannot buy for': 161693, 'buy for themselves': 148701, 'for themselves not': 326944, 'themselves not everything': 876854, 'not everything need': 569308, 'everything need to': 287929, 'to be viral': 901625, 'be viral covid': 118011, 'viral covid 19': 957589, 'covid 19 alr': 212614, '19 alr is': 4920, 'accurately': 28918, 'my marketer': 549204, 'marketer out': 517483, 'there join': 878677, 'join my': 466788, 'colleague and': 186184, 'hour webinar': 406079, 'webinar where': 975133, 'how advanced': 407323, 'advanced data': 32923, 'data science': 226393, 'more accurately': 538543, 'accurately predict': 28919, 'predict how': 669566, 'how weather': 409201, 'weather covid': 974863, '19 influence': 7869, 'influence consumer': 437298, 'for my marketer': 323721, 'my marketer out': 549205, 'marketer out there': 517484, 'out there join': 627493, 'there join my': 878678, 'join my colleague': 466789, 'my colleague and': 547730, 'colleague and for': 186186, 'and for this': 63163, 'for this hour': 327037, 'this hour webinar': 887960, 'hour webinar where': 406080, 'webinar where we': 975135, 'where we discus': 985340, 'we discus how': 971312, 'discus how advanced': 244859, 'how advanced data': 407324, 'advanced data science': 32924, 'data science and': 226394, 'science and ai': 742083, 'and ai can': 57800, 'ai can be': 39304, 'can be applied': 157582, 'applied to more': 82501, 'to more accurately': 910251, 'more accurately predict': 538544, 'accurately predict how': 28920, 'predict how weather': 669567, 'how weather covid': 409202, 'weather covid 19': 974864, 'covid 19 influence': 213270, '19 influence consumer': 7870, 'influence consumer behavior': 437299, 'provoke': 687299, 'icco': 412635, '77 of': 22293, 'of pr': 588338, 'firm expect': 308341, 'earnings pressure': 264924, 'pressure it': 671178, 'spend provoke': 788668, 'provoke icco': 687302, 'icco global': 412636, 'global industry': 351985, 'reveals cancelled': 720307, 'cancelled campaign': 161099, 'campaign marketing': 157236, 'marketing budget': 517535, 'budget cut': 141770, 'earnings via': 264938, '77 of pr': 22294, 'of pr firm': 588339, 'pr firm expect': 668427, 'firm expect loss': 308342, 'of earnings pressure': 582917, 'earnings pressure it': 264925, 'pressure it consumer': 671179, 'it consumer spend': 457293, 'consumer spend provoke': 199035, 'spend provoke icco': 788669, 'provoke icco global': 687303, 'icco global industry': 412637, 'global industry survey': 351987, 'industry survey reveals': 436136, 'survey reveals cancelled': 828940, 'reveals cancelled campaign': 720308, 'cancelled campaign marketing': 161100, 'campaign marketing budget': 157237, 'marketing budget cut': 517537, 'budget cut and': 141771, 'cut and loss': 223228, 'and loss of': 66407, 'of earnings via': 582918, 'earnings via news': 264939, 'old what': 598531, 'to pressure': 912034, 'pressure and': 671131, 'consider hazard': 195011, 'pay better': 644777, 'better working': 128613, 'and possible': 69212, 'possible compensation': 665608, 'compensation fund': 191560, 'for victim': 327552, 'great piece am': 362886, 'piece am the': 656265, 'am the son': 50489, 'the son of': 867475, 'son of supermarket': 785423, 'supermarket worker over': 824065, 'worker over 60': 1007529, 'year old what': 1014876, 'old what can': 598532, 'do to pressure': 250396, 'to pressure and': 912035, 'pressure and to': 671133, 'and to consider': 74156, 'to consider hazard': 903225, 'consider hazard pay': 195012, 'hazard pay better': 384562, 'pay better working': 644780, 'better working condition': 128614, 'working condition and': 1008575, 'condition and possible': 193399, 'and possible compensation': 69213, 'possible compensation fund': 665609, 'compensation fund for': 191561, 'fund for victim': 341411, 'for victim 19': 327553, 'hollow': 400435, 'is singing': 451936, 'singing the': 771226, 'the praise': 864193, 'driver some': 259747, 'outbreak those': 628752, 'people deserve': 647631, 'deserve more': 238082, 'than hollow': 840750, 'hollow praise': 400438, 'praise they': 668872, 'deserve national': 238087, 'national 15': 552402, 'quality healthcare': 691800, 'the is singing': 858529, 'is singing the': 451937, 'singing the praise': 771227, 'the praise of': 864194, 'praise of grocery': 668850, 'clerk and delivery': 181638, 'delivery driver some': 233938, 'driver some of': 259748, 'of the frontline': 591046, 'the frontline hero': 855871, 'frontline hero of': 338759, 'of this outbreak': 592020, 'this outbreak those': 889333, 'outbreak those people': 628753, 'those people deserve': 892318, 'people deserve more': 647632, 'deserve more than': 238084, 'more than hollow': 540629, 'than hollow praise': 840751, 'hollow praise they': 400439, 'praise they deserve': 668873, 'they deserve national': 881900, 'deserve national 15': 238088, 'national 15 hr': 552403, 'wage and quality': 963816, 'and quality healthcare': 69850, 'increase covid': 432723, 'announcement to increase': 77217, 'to increase covid': 908274, 'increase covid 19': 432724, 'today just': 919760, 'thing stop': 884772, 'doe no': 251465, 'child doe': 176061, 'not quarantinelife': 571189, 'store today just': 810850, 'today just couple': 919763, 'of thing stop': 591913, 'thing stop taking': 884773, 'taking your child': 833672, 'your child to': 1023207, 'child to the': 176235, 'take your child': 832816, 'store it doe': 808570, 'it doe no': 457616, 'doe no good': 251466, 'no good for': 564367, 'you to have': 1021785, 'to have mask': 907273, 'have mask and': 381439, 'and glove on': 63731, 'glove on if': 352821, 'on if your': 601485, 'if your child': 415571, 'your child doe': 1023200, 'child doe not': 176062, 'doe not quarantinelife': 251521, 'from focus': 335496, 'inflation which': 437261, 'fallen overall': 297169, 'overall but': 630997, 'some component': 782578, 'component are': 192547, 'this piece from': 889590, 'piece from focus': 656303, 'from focus on': 335497, 'focus on inflation': 311881, 'on inflation which': 601571, 'inflation which ha': 437262, 'which ha fallen': 985881, 'ha fallen overall': 370595, 'fallen overall but': 297170, 'overall but some': 630998, 'but some component': 147091, 'some component are': 782579, 'component are at': 192548, 'at risk due': 100354, 'to supply disruption': 915879, 'supply disruption caused': 825172, 'help most': 390112, 'most organization': 542588, 'turn one': 935729, 'one dollar': 606205, 'dollar donated': 252983, 'donated into': 254345, 'into approximately': 442409, 'five dollar': 309608, 'dollar worth': 253114, 'so monetary': 777745, 'support will': 826995, 're financially': 698687, 'financially able': 306653, 'able donating': 24432, 'donating online': 254491, 'something easy': 784895, 'easy you': 265809, 'big impact': 129829, 'to help most': 907566, 'help most organization': 390113, 'most organization are': 542589, 'organization are able': 619343, 'able to turn': 24564, 'to turn one': 917847, 'turn one dollar': 935730, 'one dollar donated': 606206, 'dollar donated into': 252984, 'donated into approximately': 254346, 'into approximately five': 442410, 'approximately five dollar': 83255, 'five dollar worth': 309609, 'dollar worth of': 253115, 'food so monetary': 316661, 'so monetary support': 777746, 'monetary support will': 536554, 'support will go': 826996, 'will go far': 993550, 'go far right': 353529, 'far right now': 298907, 'now if you': 574975, 'you re financially': 1020622, 're financially able': 698688, 'financially able donating': 306654, 'able donating online': 24433, 'donating online is': 254492, 'online is something': 608436, 'is something easy': 452106, 'something easy you': 784896, 'easy you can': 265810, 'from home that': 335910, 'home that will': 402220, 'that will make': 847593, 'make big impact': 509737, 'only allows': 610068, 'allows entry': 46375, 'entry with': 279042, 'with shopping': 1000692, 'customer keep': 222560, 'keep meter': 471658, 'time regular': 897561, 'regular in': 707795, 'announcement say': 77201, 'highlight importance': 395929, 'hygiene 19': 412040, 'seen in grocery': 747071, 'store only allows': 809239, 'only allows entry': 610069, 'allows entry with': 46376, 'entry with shopping': 279043, 'with shopping cart': 1000694, 'shopping cart so': 762315, 'so that customer': 778366, 'that customer keep': 843420, 'customer keep meter': 222562, 'keep meter distance': 471660, 'meter distance at': 529705, 'all time regular': 45224, 'time regular in': 897562, 'regular in store': 707796, 'in store announcement': 428384, 'store announcement say': 806415, 'announcement say that': 77202, 'say that panic': 739247, 'buying not necessary': 150771, 'necessary and highlight': 553952, 'and highlight importance': 64566, 'highlight importance of': 395930, 'importance of hand': 418702, 'of hand hygiene': 584425, 'hand hygiene 19': 375026, 'whole 2m': 990136, '2m foot': 16686, 'foot spacing': 318437, 'spacing idea': 787225, 'idea vancouver': 413219, 'some people still': 783538, 'people still don': 649591, 'still don get': 800453, 'don get the': 253546, 'the whole 2m': 871477, 'whole 2m foot': 990137, '2m foot spacing': 16687, 'foot spacing idea': 318438, 'spacing idea vancouver': 787226, 'idea vancouver british': 413220, '368': 18051, '8808': 23069, 'see or': 745512, 'gouging call': 359282, 'call our': 156057, '800 368': 22666, '368 8808': 18052, '8808 or': 23070, 'you see or': 1021054, 'see or are': 745513, 'or are the': 614418, 'victim of related': 956498, 'of related price': 588908, 'price gouging call': 674267, 'gouging call our': 359284, 'call our consumer': 156058, 'our consumer hotline': 622534, 'consumer hotline at': 197777, 'at 800 368': 97764, '800 368 8808': 22667, '368 8808 or': 18053, '8808 or file': 23071, 'and sentiment': 71273, 'sentiment relating': 750982, 'across 13': 29214, '13 market': 3231, 'market globally': 516458, 'globally including': 352384, 'including uk': 432235, 'uk newnormal': 938562, 'for consumer attitude': 320241, 'attitude and sentiment': 102547, 'and sentiment relating': 71277, 'sentiment relating to': 750983, '19 across 13': 4792, 'across 13 market': 29215, '13 market globally': 3232, 'market globally including': 516459, 'globally including uk': 352385, 'including uk newnormal': 432236, 'wanna hate': 965643, 'hate business': 378869, 'business why': 144673, 'hate domino': 378877, 'domino coronavirus': 253299, 'still will': 801410, 'down greedy': 256805, 'you wanna hate': 1022122, 'wanna hate business': 965644, 'hate business why': 378870, 'business why not': 144674, 'why not hate': 991219, 'not hate domino': 569805, 'hate domino coronavirus': 378878, 'domino coronavirus and': 253300, 'coronavirus and they': 205501, 'they still will': 883470, 'still will not': 801411, 'will not put': 994256, 'not put price': 571176, 'put price down': 690789, 'price down greedy': 673524, 'grilled': 363948, 'resturant': 717458, '69th': 21544, 'in philippine': 426685, 'philippine community': 654728, 'in worker': 430979, 'popular grilled': 664552, 'grilled food': 363949, 'out resturant': 627117, 'resturant and': 717459, 'wife reportedly': 991966, 'reportedly victim': 712593, 'in woodside': 430963, 'woodside queen': 1004323, 'queen newyork': 693382, 'newyork both': 561184, 'both were': 136088, 'were confined': 979470, 'confined at': 194041, 'area hospital': 92057, 'is unclear': 453446, 'unclear if': 939838, 'the resturant': 865684, 'resturant near': 717461, 'near 69th': 553458, '69th street': 21545, 'panic in philippine': 638201, 'in philippine community': 426686, 'philippine community in': 654729, 'community in worker': 189922, 'in worker at': 430980, 'worker at popular': 1006472, 'at popular grilled': 100162, 'popular grilled food': 664553, 'grilled food take': 363950, 'food take out': 317061, 'take out resturant': 832458, 'out resturant and': 627118, 'resturant and his': 717460, 'his wife reportedly': 397918, 'wife reportedly victim': 991967, 'reportedly victim of': 712594, 'the in woodside': 858023, 'in woodside queen': 430964, 'woodside queen newyork': 1004324, 'queen newyork both': 693383, 'newyork both were': 561185, 'both were confined': 136089, 'were confined at': 979471, 'confined at an': 194042, 'at an area': 97976, 'an area hospital': 55389, 'area hospital it': 92058, 'it is unclear': 459112, 'is unclear if': 453447, 'unclear if the': 939839, 'if the resturant': 415023, 'the resturant near': 865685, 'resturant near 69th': 717462, 'near 69th street': 553459, '69th street is': 21546, 'street is operating': 813011, 'astounding': 97240, 'this appeal': 886388, 'appeal originally': 82072, 'originally put': 619596, 'by ha': 152737, 'been truly': 122270, 'truly astounding': 933264, 'astounding to': 97243, 'show not': 767070, 'have we': 383554, 'we seen': 973185, 'real engine': 701128, 'engine room': 276942, 'room of': 725940, 'and postman': 69244, 'postman and': 666719, 'else ve': 271954, 've forgot': 953133, 'forgot you': 329426, 'to this appeal': 917404, 'this appeal originally': 886389, 'appeal originally put': 82073, 'originally put on': 619597, 'put on by': 690712, 'on by ha': 599763, 'by ha been': 152738, 'ha been truly': 369965, 'been truly astounding': 122271, 'truly astounding to': 933265, 'astounding to me': 97244, 'to me it': 909938, 'me it just': 523013, 'it just go': 459222, 'to show not': 914567, 'show not only': 767071, 'not only have': 570800, 'only have we': 610586, 'have we seen': 383560, 'we seen the': 973186, 'seen the real': 747290, 'the real engine': 865219, 'real engine room': 701129, 'engine room of': 276943, 'room of all': 725941, 'all the and': 44660, 'the and driver': 848692, 'and driver and': 61750, 'driver and supermarket': 259425, 'staff and postman': 792155, 'and postman and': 69245, 'postman and everyone': 666720, 'everyone else ve': 286885, 'else ve forgot': 271955, 've forgot you': 953135, 'forgot you are': 329427, 'you are this': 1017265, 'are this country': 91051, 'idiot stole': 413596, 'stole 20': 804262, '20 out': 13236, 'my center': 547652, 'center console': 169175, 'console last': 195526, 'and didnt': 61327, 'didnt take': 241277, 'some idiot stole': 783076, 'idiot stole 20': 413597, 'stole 20 out': 804263, '20 out of': 13237, 'of my center': 586740, 'my center console': 547653, 'center console last': 169176, 'console last night': 195527, 'night and didnt': 562940, 'and didnt take': 61328, 'didnt take the': 241278, 'take the hand': 832651, 'doe panicbuy': 251549, 'panicbuy make': 638834, 'you stockup': 1021430, 'stockup condom': 804167, 'dont produce': 255273, 'produce anymore': 680189, 'anymore idiot': 80137, 'those who doe': 892630, 'who doe panicbuy': 988633, 'doe panicbuy make': 251550, 'panicbuy make sure': 638835, 'sure you stockup': 827872, 'you stockup condom': 1021431, 'stockup condom so': 804168, 'so you dont': 778840, 'you dont produce': 1018348, 'dont produce anymore': 255274, 'produce anymore idiot': 680190, 'massachusetts grocery': 519912, 'now eligible': 574595, 'testing no': 839573, 'symptom required': 830908, 'required for': 713365, 'testing when': 839687, 'michigan time': 530380, 'everything right': 287981, 'support ht': 826577, 'massachusetts grocery supermarket': 519914, 'are now eligible': 88546, 'now eligible for': 574596, 'eligible for free': 271424, 'for free covid': 321711, '19 testing no': 11105, 'testing no symptom': 839576, 'no symptom required': 565661, 'symptom required for': 830909, 'required for testing': 713368, 'for testing when': 326238, 'testing when can': 839688, 'when can we': 983234, 'we expect this': 971503, 'expect this to': 290763, 'to happen in': 907153, 'happen in michigan': 377103, 'in michigan time': 425293, 'michigan time is': 530381, 'time is everything': 897053, 'is everything right': 447595, 'everything right now': 287982, 'now we need': 576348, 'your support ht': 1026083, 'hu horrible': 409777, 'horrible time': 404133, 'where contact': 984789, 'ever response': 285467, 'response hey': 715717, 'hey let': 394449, 'let raise': 487005, 'price vodafone': 677320, 'vodafone ripoff': 959931, 'hu horrible time': 409778, 'horrible time where': 404134, 'time where contact': 898316, 'where contact by': 984790, 'phone to family': 655038, 'to family is': 905656, 'family is more': 297953, 'than ever response': 840603, 'ever response hey': 285468, 'response hey let': 715718, 'hey let raise': 394450, 'let raise our': 487006, 'raise our price': 695896, 'our price vodafone': 624452, 'price vodafone ripoff': 677321, 'thanksvodafone': 842313, 'great timing': 363061, 'timing vodafone': 898524, 'vodafone not': 959927, 'service poor': 752704, 'poor you': 664336, 'now increased': 575031, 'by smallbusinesses': 154046, 'smallbusinesses thanksvodafone': 775246, 'great timing vodafone': 363062, 'timing vodafone not': 898525, 'vodafone not only': 959928, 'only is your': 610662, 'is your service': 454165, 'your service poor': 1025735, 'service poor you': 752705, 'poor you have': 664337, 'you have now': 1019083, 'have now increased': 381735, 'now increased price': 575032, 'price by smallbusinesses': 673040, 'by smallbusinesses thanksvodafone': 154047, 'supermarket 10': 818721, '10 also': 1301, 'also useless': 49055, 'useless 11': 950216, '12 imminent': 2869, 'imminent and': 417267, 'then finished': 877173, 'finished it': 307906, 'of wonderful': 593226, 'wonderful people': 1004106, 'supermarket 10 also': 818722, '10 also useless': 1302, 'also useless 11': 49056, 'useless 11 and': 950217, '11 and 12': 2489, 'and 12 imminent': 57363, '12 imminent and': 2870, 'imminent and then': 417268, 'and then finished': 73761, 'then finished it': 877174, 'finished it good': 307907, 'that this city': 846983, 'city is full': 179216, 'full of wonderful': 340770, 'of wonderful people': 593227, 'wonderful people 19': 1004107, 'people 19 stophoarding': 646722, '19 stophoarding panicbuyinguk': 10874, 'airlinebailout': 40064, 'baggage': 108486, 'an airlinebailout': 55213, 'airlinebailout but': 40065, 'centric rule': 169599, 'rule attached': 727209, 'attached end': 102037, 'change fee': 172041, 'and baggage': 58651, 'baggage fee': 108487, 'fee extortion': 302165, 'extortion work': 293382, 'increase pitch': 432983, 'pitch between': 657000, 'between seat': 128885, 'seat carry': 743506, 'on consumerrights': 600087, 'consumerrights travel': 199765, 'all for an': 42833, 'for an airlinebailout': 319271, 'an airlinebailout but': 55214, 'airlinebailout but with': 40066, 'but with some': 147900, 'with some consumer': 1000838, 'some consumer centric': 782590, 'consumer centric rule': 196768, 'centric rule attached': 169600, 'rule attached end': 727210, 'attached end the': 102038, 'end the change': 275972, 'the change fee': 850671, 'change fee and': 172042, 'fee and baggage': 302135, 'and baggage fee': 58652, 'baggage fee extortion': 108488, 'fee extortion work': 302166, 'extortion work for': 293383, 'work for increase': 1005155, 'for increase pitch': 322526, 'increase pitch between': 432984, 'pitch between seat': 657001, 'between seat carry': 128886, 'seat carry on': 743507, 'carry on consumerrights': 165118, 'on consumerrights travel': 600088, 'preece': 669711, 'wheelchair': 983064, 'hoarding this': 399609, 'really hurt': 702321, 'hurt other': 411601, 'people ashley': 647155, 'ashley preece': 95114, 'preece is': 669712, 'in wheelchair': 430842, 'wheelchair and': 983065, 'her grocery': 392080, 'her when': 392521, 'when her': 983566, 'her order': 392265, 'order arrived': 618058, 'arrived it': 93965, 'even food': 284071, 'her cat': 391923, 'cat stophoarding': 166897, 'who are hoarding': 988155, 'are hoarding this': 87212, 'hoarding this really': 399611, 'this really hurt': 889826, 'really hurt other': 702322, 'hurt other people': 411602, 'other people ashley': 620658, 'people ashley preece': 647156, 'ashley preece is': 95115, 'preece is in': 669713, 'is in wheelchair': 448828, 'in wheelchair and': 430843, 'wheelchair and her': 983068, 'and her grocery': 64512, 'her grocery are': 392082, 'grocery are delivered': 364280, 'are delivered to': 85763, 'delivered to her': 233422, 'to her when': 907712, 'her when her': 392522, 'when her order': 983567, 'her order arrived': 392266, 'order arrived it': 618059, 'arrived it didn': 93966, 'it didn have': 457541, 'didn have toilet': 241104, 'paper or even': 640549, 'or even food': 615200, 'even food for': 284073, 'food for her': 314538, 'for her cat': 322215, 'her cat stophoarding': 391924, 'novel continues': 573749, 'spread major': 790614, 'major company': 509273, 'critical product': 218632, 'food household': 314858, 'household essential': 406786, 'essential amp': 280771, 'amp medical': 54126, 'supply here': 825357, 'company hiring': 190749, 'hiring during': 397086, 'the novel continues': 861906, 'novel continues to': 573750, 'to spread major': 915068, 'spread major company': 790615, 'major company are': 509274, 'company are looking': 190433, 'looking to ramp': 503041, 'ramp up their': 696447, 'up their workforce': 946254, 'their workforce to': 875233, 'workforce to meet': 1008392, 'for critical product': 320457, 'critical product such': 218634, 'product such food': 681654, 'such food household': 816501, 'food household essential': 314859, 'household essential amp': 406787, 'essential amp medical': 280772, 'amp medical supply': 54128, 'medical supply here': 526447, 'supply here list': 825360, 'of company hiring': 581609, 'company hiring during': 190750, 'should boris': 765785, 'boris be': 135441, 'socialdistanacing should boris': 780091, 'should boris be': 765786, 'boris be in': 135442, 'be in charge': 115393, 'great representation': 362960, 'of socialist': 589861, 'socialist society': 781021, 'society grocery': 781224, 'empty food': 274874, 'is rationed': 451236, 'rationed and': 697771, 'limiting our': 492841, 'our freedom': 623167, 'freedom let': 332371, 'period be': 651722, 'be prime': 116534, 'prime example': 678111, 'the socialist': 867435, 'socialist program': 781017, 'program is': 683263, 'terrible idea': 838409, 'the is great': 858497, 'is great representation': 448203, 'great representation of': 362961, 'representation of socialist': 712890, 'of socialist society': 589862, 'socialist society grocery': 781022, 'society grocery store': 781225, 'are empty food': 86148, 'empty food is': 274876, 'food is rationed': 315145, 'is rationed and': 451237, 'rationed and the': 697773, 'government is closing': 360246, 'is closing business': 446605, 'closing business and': 183604, 'business and limiting': 143317, 'and limiting our': 66190, 'limiting our freedom': 492842, 'our freedom let': 623168, 'freedom let this': 332372, 'let this period': 487181, 'this period be': 889514, 'period be prime': 651723, 'be prime example': 116535, 'prime example of': 678112, 'of why the': 593155, 'why the socialist': 991434, 'the socialist program': 867436, 'socialist program is': 781018, 'program is terrible': 683265, 'is terrible idea': 452608, 'is site': 451940, 'here is site': 393248, 'is site for': 451941, 'site for reference': 771922, 'chuck': 178275, 'month time': 538073, 'stock hoarder': 802237, 'hoarder will': 399147, 'will chuck': 992935, 'chuck load': 178276, 'date hope': 226645, 'men do': 528475, 'in month time': 425423, 'month time the': 538074, 'time the stock': 897877, 'the stock hoarder': 867913, 'stock hoarder will': 802238, 'hoarder will chuck': 399148, 'will chuck load': 992936, 'chuck load of': 178277, 'load of food': 497266, 'of food away': 583652, 'food away because': 313490, 'away because it': 105793, 'because it out': 119198, 'of date hope': 582368, 'date hope the': 226646, 'hope the bin': 403666, 'the bin men': 849712, 'bin men do': 131019, 'men do this': 528476, 'do this to': 250370, 'to them coronacrisis': 917289, 'them coronacrisis stophoarding': 875559, 'son wa': 785452, 'wa young': 963757, 'young we': 1022670, 'we taught': 973505, 'taught him': 834890, 'the helper': 857265, 'helper in': 391127, 'of trouble': 592461, 'trouble ha': 932619, 'these helper': 880111, 'helper let': 391130, 'let honour': 486799, 'honour and': 403289, 'treat them': 930895, 'when our son': 983827, 'our son wa': 624846, 'son wa young': 785453, 'wa young we': 963758, 'young we taught': 1022671, 'we taught him': 973506, 'taught him to': 834891, 'him to look': 396745, 'look for the': 502371, 'for the helper': 326473, 'the helper in': 857268, 'helper in time': 391129, 'time of trouble': 897369, 'of trouble ha': 592462, 'trouble ha taught': 932620, 'taught me that': 834898, 'me that our': 523623, 'that our grocery': 845582, 'store staff warehouse': 810333, 'professional are these': 682407, 'are these helper': 90975, 'these helper let': 880112, 'helper let honour': 391131, 'let honour and': 486800, 'honour and treat': 403290, 'and treat them': 74421, 'treat them how': 930896, 'them how they': 875868, 'how they deserve': 408914, 'pricecycle': 677717, 'publictransport': 688622, 'are slowly': 90179, 'slowly coming': 774585, 'the pricecycle': 864444, 'pricecycle fat': 677718, 'fat lot': 300210, 'good auspol': 356805, 'auspol acc': 103072, 'acc is': 27809, 'doing whatever': 252853, 'price lot': 675106, 'lot seem': 504358, 'be pricegouging': 116532, 'pricegouging they': 677861, 'more driving': 539077, 'work avoiding': 1004912, 'avoiding publictransport': 105485, 'publictransport now': 688623, 'place are slowly': 657337, 'are slowly coming': 90181, 'slowly coming down': 774586, 'coming down in': 188033, 'in the pricecycle': 429472, 'the pricecycle fat': 864445, 'pricecycle fat lot': 677719, 'fat lot of': 300211, 'lot of good': 504197, 'of good auspol': 584212, 'good auspol acc': 356806, 'auspol acc is': 103073, 'acc is in': 27811, 'is in doing': 448767, 'in doing whatever': 422345, 'doing whatever it': 252854, 'whatever it is': 982772, 'be doing on': 114526, 'doing on petrol': 252577, 'on petrol price': 602782, 'petrol price lot': 653771, 'price lot seem': 675107, 'lot seem to': 504359, 'to be pricegouging': 901454, 'be pricegouging they': 116533, 'pricegouging they know': 677862, 'they know more': 882528, 'know more driving': 476604, 'more driving to': 539078, 'driving to work': 260023, 'to work avoiding': 918691, 'work avoiding publictransport': 1004913, 'avoiding publictransport now': 105486, 'this insightful': 888133, 'insightful article': 439672, 'your expense': 1023713, 'income during': 432318, 'out this insightful': 627573, 'this insightful article': 888134, 'insightful article to': 439673, 'article to learn': 94486, 'learn how you': 483995, 'you can manage': 1017724, 'can manage your': 158970, 'manage your expense': 512471, 'your expense and': 1023714, 'expense and income': 291174, 'and income during': 65091, 'income during challenging': 432319, 'staff incl': 792562, 'incl community': 431466, 'community 99': 189689, '99 staff': 23890, 'provider supermarket': 686789, 'staff food': 792460, 'distribution emergency': 248149, 'emergency maintenance': 272784, 'maintenance nobody': 509164, 'day exposure': 227589, 'exposure grant': 292978, 'above affected': 27040, 'affected keyworkers': 34388, 'keyworkers that': 473610, 'nh staff incl': 562093, 'staff incl community': 792563, 'incl community 99': 431467, 'community 99 staff': 189690, '99 staff care': 23891, 'staff care provider': 792306, 'care provider supermarket': 164177, 'provider supermarket staff': 686790, 'supermarket staff food': 822847, 'staff food distribution': 792461, 'food distribution emergency': 314228, 'distribution emergency maintenance': 248150, 'emergency maintenance nobody': 272785, 'maintenance nobody else': 509165, 'nobody else to': 565998, 'else to go': 271940, 'go out at': 353937, 'at all 50': 97867, 'all 50 per': 41906, '50 per day': 19806, 'per day exposure': 650799, 'day exposure grant': 227590, 'exposure grant to': 292979, 'grant to above': 362053, 'to above affected': 899922, 'above affected keyworkers': 27041, 'affected keyworkers that': 34389, 'keyworkers that that': 473611, 'graphical': 362175, 'so britain': 776646, 'britain for': 140400, 'the marking': 860196, 'marking in': 517899, 'photo below': 655133, 'them arrow': 875426, 'arrow an': 94032, 'an arrow': 55409, 'arrow is': 94045, 'is graphical': 448179, 'graphical symbol': 362176, 'symbol such': 830774, 'such or': 816659, 'or used': 617624, 'point or': 662577, 'or indicate': 615784, 'indicate direction': 434966, 'direction at': 243449, 'which way': 986457, 'so britain for': 776647, 'britain for those': 140401, 'who don understand': 988651, 'understand the marking': 940764, 'the marking in': 860197, 'marking in the': 517900, 'in the photo': 429451, 'the photo below': 863701, 'photo below we': 655136, 'below we call': 126777, 'we call them': 970887, 'call them arrow': 156147, 'them arrow an': 875427, 'arrow an arrow': 94033, 'an arrow is': 55410, 'arrow is graphical': 94046, 'is graphical symbol': 448180, 'graphical symbol such': 362177, 'symbol such or': 830775, 'such or used': 816660, 'or used to': 617626, 'used to point': 950077, 'to point or': 911859, 'point or indicate': 662578, 'or indicate direction': 615785, 'indicate direction at': 434967, 'direction at supermarket': 243450, 'supermarket it will': 821186, 'it will tell': 462446, 'tell you which': 837158, 'you which way': 1022293, 'which way to': 986460, 'go in one': 353710, 'enlisted': 277267, 'pdmac': 645952, 'silly panic': 769758, 'we enlisted': 971464, 'enlisted the': 277268, 'of pdmac': 587846, 'pdmac to': 645953, 'others stayathome': 621661, 'all the silly': 44910, 'the silly panic': 867191, 'silly panic buying': 769759, 'buying we enlisted': 151324, 'we enlisted the': 971465, 'enlisted the help': 277269, 'help of pdmac': 390165, 'of pdmac to': 587847, 'pdmac to help': 645954, 'to help find': 907517, 'help find the': 389728, 'find the essential': 307285, 'the essential only': 854515, 'essential only buy': 281361, 'you need think': 1020051, 'of others stayathome': 587402, 'prince': 678201, 'prince of': 678206, 'of wale': 592885, 'wale 71': 964689, '71 test': 21980, 'but otherwise': 146715, 'otherwise remains': 621863, 'prince of wale': 678208, 'of wale 71': 592886, 'wale 71 test': 964690, '71 test positive': 21981, 'coronavirus and ha': 205490, 'mild symptom but': 531345, 'symptom but otherwise': 830826, 'but otherwise remains': 146717, 'otherwise remains in': 621864, 'remains in good': 710023, 'in good health': 423368, 'wiwt': 1003189, 'bank forced': 109846, 'outbreak independent': 628358, 'independent corona': 434097, 'corona wiwt': 204400, 'wiwt friday': 1003190, 'update who': 947319, 'who tbt': 989735, 'food bank forced': 313575, 'bank forced to': 109847, 'close amid coronavirus': 182518, 'coronavirus outbreak independent': 206394, 'outbreak independent corona': 628359, 'independent corona wiwt': 434098, 'corona wiwt friday': 204401, 'wiwt friday update': 1003191, 'friday update who': 333314, 'update who tbt': 947320, 'lovely to': 505000, 'offering huge': 595156, 'huge 50': 409972, 'off takeaway': 594208, 'takeaway food': 832857, 'off call': 593714, 'lovely to see': 505001, 'see that are': 745785, 'are offering huge': 88669, 'offering huge 50': 595157, 'huge 50 off': 409973, '50 off takeaway': 19783, 'off takeaway food': 594209, 'takeaway food for': 832859, 'food for worker': 314587, 'supermarket worker during': 824014, 'worker during and': 1006816, 'during and 20': 262449, 'and 20 off': 57398, '20 off call': 13208, 'off call and': 593715, 'call and collect': 155760, 'and collect for': 60081, 'collect for everyone': 186273, 'amazon grapple': 50961, 'now limiting': 575217, 'limiting new': 492835, 'it amazon': 456455, 'amazon fresh': 50951, 'and whole': 75603, 'market delivery': 516277, 'amazon grapple with': 50962, 'way to meet': 970053, 'meet the surging': 527615, 'the surging consumer': 869012, 'consumer demand caused': 197120, 'caused by social': 167868, 'distancing to slow': 247569, 'it now limiting': 459954, 'now limiting new': 575218, 'limiting new customer': 492836, 'new customer to': 558582, 'customer to it': 222965, 'to it amazon': 908565, 'it amazon fresh': 456456, 'amazon fresh and': 50952, 'fresh and whole': 332923, 'and whole food': 75605, 'whole food market': 990214, 'food market delivery': 315394, 'market delivery service': 516278, 'arcing': 84068, 'plateau': 658926, 'now daily': 574491, 'daily new': 224719, 'case arcing': 165635, 'arcing up': 84069, 'the ten': 869287, 'case per': 165956, 'day still': 228406, 'no nationwide': 564845, 'american continue': 51898, 'travel france': 930368, 'france germany': 330995, 'germany possibly': 346342, 'possibly joining': 665933, 'joining italy': 466973, 'and spain': 72039, 'spain in': 787308, 'in seeing': 427778, 'case plateau': 165963, 'plateau if': 658927, 'not dip': 569033, 'now daily new': 574492, 'daily new case': 224720, 'new case arcing': 558459, 'case arcing up': 165636, 'arcing up into': 84070, 'up into the': 945218, 'into the ten': 443179, 'the ten of': 869288, 'thousand of confirmed': 893428, 'confirmed case per': 194145, 'case per day': 165957, 'per day still': 650809, 'day still no': 228408, 'still no nationwide': 800873, 'no nationwide lockdown': 564846, 'nationwide lockdown and': 552739, 'lockdown and american': 499134, 'and american continue': 58065, 'american continue to': 51900, 'continue to travel': 201276, 'to travel france': 917731, 'travel france germany': 930369, 'france germany possibly': 330997, 'germany possibly joining': 346343, 'possibly joining italy': 665934, 'joining italy and': 466974, 'italy and spain': 462765, 'and spain in': 72042, 'spain in seeing': 787310, 'in seeing new': 427779, 'seeing new case': 746384, 'new case plateau': 558466, 'case plateau if': 165964, 'plateau if not': 658928, 'if not dip': 414492, 'spot are': 790036, 'are emerging': 86119, 'emerging amid': 273095, 'challenge retail': 171546, 'facing during': 295452, 'crisis several': 218020, 'key industry': 473316, 'including toy': 432222, 'toy consumer': 927672, 'technology small': 836366, 'small appliance': 774793, 'appliance and': 82406, 'office janitorial': 595470, 'janitorial supply': 464575, 'found significant': 330363, 'bright spot are': 139799, 'spot are emerging': 790037, 'are emerging amid': 86120, 'emerging amid the': 273096, 'amid the challenge': 52682, 'the challenge retail': 850651, 'challenge retail is': 171547, 'retail is facing': 718241, 'is facing during': 447691, 'facing during the': 295453, 'the crisis several': 852445, 'crisis several key': 218021, 'several key industry': 753875, 'key industry including': 473317, 'industry including toy': 435911, 'including toy consumer': 432223, 'toy consumer technology': 927673, 'consumer technology small': 199240, 'technology small appliance': 836367, 'small appliance and': 774794, 'appliance and office': 82407, 'and office janitorial': 67997, 'office janitorial supply': 595471, 'janitorial supply have': 464576, 'supply have found': 825348, 'have found significant': 380700, 'found significant growth': 330364, 'charliebaker': 173755, 'weareallinthistogether': 974522, 'bostonathlete': 135809, 'bostonathletemagazine': 135811, 'boston athlete': 135783, 'athlete news': 101772, 'news new': 560628, 'remain at': 709697, 'at 40': 97640, '40 occupancy': 18618, 'occupancy announced': 578975, 'today by': 919347, 'by charliebaker': 152108, 'charliebaker staysafestayhome': 173756, 'staysafestayhome flattenthecurve': 798994, 'socialdistancing weareallinthistogether': 780857, 'weareallinthistogether boston': 974523, 'boston bostonathlete': 135787, 'bostonathlete bostonathletemagazine': 135810, 'boston athlete news': 135784, 'athlete news new': 101774, 'news new grocery': 560629, 'new grocery store': 558821, 'grocery store restriction': 365722, 'store restriction are': 809861, 'restriction are in': 717219, 'place for store': 657447, 'for store to': 325932, 'store to remain': 810807, 'to remain at': 913156, 'remain at 40': 709698, 'at 40 occupancy': 97641, '40 occupancy announced': 18619, 'occupancy announced today': 578976, 'announced today by': 77105, 'today by charliebaker': 919349, 'by charliebaker staysafestayhome': 152109, 'charliebaker staysafestayhome flattenthecurve': 173757, 'staysafestayhome flattenthecurve socialdistancing': 798995, 'flattenthecurve socialdistancing weareallinthistogether': 310204, 'socialdistancing weareallinthistogether boston': 780858, 'weareallinthistogether boston bostonathlete': 974524, 'boston bostonathlete bostonathletemagazine': 135788, 'independent bookshop': 434083, 'amazon have': 50975, 'enough money': 277519, '19 cheer': 5786, 'who don know': 988649, 'don know you': 253680, 'can support your': 159866, 'your local independent': 1024701, 'local independent bookshop': 498113, 'independent bookshop for': 434084, 'bookshop for me': 134779, 'for me by': 323307, 'me by online': 522548, 'shopping at amazon': 762083, 'at amazon have': 97948, 'amazon have enough': 50976, 'have enough money': 380457, 'enough money to': 277522, 'money to survive': 537122, 'covid 19 cheer': 212792, 'icke': 412774, 'day11oflockdown': 228844, 'watching david': 968725, 'david icke': 226983, 'icke video': 412775, 'video went': 956956, 'in odd': 426053, 'odd shoe': 579189, 'shoe so': 759684, 'how isolating': 408120, 'isolating is': 455118, 'house lockdowneffect': 406399, 'lockdowneffect day11oflockdown': 500249, 'lockdown day who': 499303, 'day who know': 228758, 'who know is': 989182, 'know is watching': 476512, 'is watching david': 453784, 'watching david icke': 968726, 'david icke video': 226984, 'icke video went': 412776, 'video went to': 956957, 'supermarket in odd': 820949, 'in odd shoe': 426054, 'odd shoe so': 579190, 'shoe so that': 759685, 'so that how': 778376, 'that how isolating': 844381, 'how isolating is': 408121, 'isolating is going': 455119, 'is going in': 448092, 'going in our': 355220, 'our house lockdowneffect': 623479, 'house lockdowneffect day11oflockdown': 406400, 'greenhouse': 363750, 'people demand': 647626, 'demand reliable': 236120, 'reliable energy': 709199, 'energy to': 276604, 'keep water': 472204, 'water running': 969142, 'running food': 727958, 'food safe': 316259, 'safe lighting': 729803, 'lighting and': 489644, 'hospital appliance': 404292, 'appliance we': 82419, 'need clean': 554608, 'energy solution': 276585, 'solution why': 782134, 'why lower': 991177, 'cost efficient': 207923, 'efficient healthy': 269425, 'cooking reduce': 202898, 'reduce greenhouse': 705846, 'greenhouse gas': 363751, 'gas emission': 343834, '19 lockdown people': 8415, 'lockdown people demand': 499778, 'people demand reliable': 647628, 'demand reliable energy': 236121, 'reliable energy to': 709200, 'energy to keep': 276606, 'to keep water': 908877, 'keep water running': 472207, 'water running food': 969144, 'running food safe': 727961, 'food safe lighting': 316260, 'safe lighting and': 729804, 'lighting and hospital': 489645, 'and hospital appliance': 64743, 'hospital appliance we': 404293, 'appliance we need': 82420, 'we need clean': 972474, 'need clean energy': 554609, 'energy and renewable': 276392, 'renewable energy solution': 710971, 'energy solution why': 276586, 'solution why lower': 782135, 'why lower cost': 991178, 'lower cost efficient': 505825, 'cost efficient healthy': 207924, 'efficient healthy for': 269426, 'healthy for cooking': 387640, 'for cooking reduce': 320349, 'cooking reduce greenhouse': 202899, 'reduce greenhouse gas': 705847, 'greenhouse gas emission': 363752, 'adrian': 32768, 'of tesco': 590676, 'tesco rush': 838785, 'rush during': 728290, '19 meet': 8620, 'meet adrian': 527404, 'adrian and': 32769, 'his amazing': 397189, 'amazing team': 50793, 'life of tesco': 488926, 'of tesco rush': 590677, 'tesco rush during': 838786, 'rush during covid': 728291, 'covid 19 meet': 213423, '19 meet adrian': 8621, 'meet adrian and': 527405, 'adrian and his': 32770, 'and his amazing': 64591, 'his amazing team': 397190, 'that cross': 843403, 'cross my': 219019, 'this is me': 888317, 'is me going': 449606, 'to avoid people': 900923, 'avoid people that': 105218, 'people that cross': 649757, 'that cross my': 843404, 'cross my way': 219021, 'facemask on': 295095, 'run is': 727685, 'like silly': 491192, 'silly twat': 769778, 'twat for': 936261, 'wearing facemask on': 974620, 'facemask on grocery': 295096, 'store run is': 809926, 'run is against': 727686, 'looking like silly': 502960, 'like silly twat': 491193, 'silly twat for': 769779, 'twat for no': 936262, 'key challenge': 473241, 'for state': 325877, 'to streamline': 915664, 'streamline farmer': 812859, 'consumer transportation': 199357, 'transportation warehousing': 930050, 'warehousing agri': 966833, 'agri market': 38842, 'market functioning': 516445, 'functioning seamlessly': 341332, 'seamlessly if': 743207, 'they crack': 881849, 'crack that': 214709, 'get easier': 346926, 'all hope': 43142, 'hope farmer': 403469, 'farmer crop': 299330, 'crop don': 218913, 'get wasted': 348598, 'during lockdown key': 262768, 'lockdown key challenge': 499579, 'key challenge for': 473242, 'challenge for state': 171468, 'for state government': 325879, 'state government will': 795618, 'be to streamline': 117734, 'to streamline farmer': 915665, 'streamline farmer to': 812860, 'farmer to consumer': 299534, 'to consumer transportation': 903344, 'consumer transportation warehousing': 199358, 'transportation warehousing agri': 930051, 'warehousing agri market': 966834, 'agri market functioning': 38843, 'market functioning seamlessly': 516446, 'functioning seamlessly if': 341333, 'seamlessly if they': 743208, 'if they crack': 415103, 'they crack that': 881850, 'crack that life': 214710, 'life will get': 489216, 'will get easier': 993501, 'get easier for': 346927, 'easier for all': 265143, 'for all hope': 319134, 'all hope farmer': 43143, 'hope farmer crop': 403470, 'farmer crop don': 299331, 'crop don get': 218914, 'don get wasted': 253548, 'pandemic morning': 635981, '19 pandemic morning': 9396, 'agege': 37963, 'lga': 487902, 'oseni': 619699, 'olamide': 598109, '0026691661': 637, 'community agege': 189706, 'agege lga': 37964, 'lga that': 487909, 'toiletry here': 923424, 'account detail': 28651, 'detail oseni': 239235, 'oseni olamide': 619700, 'olamide 0026691661': 598110, '0026691661 sterling': 638, 'bank cannot': 109704, 'this al': 886258, 'my community agege': 547764, 'community agege lga': 189707, 'agege lga that': 37965, 'lga that cannot': 487910, 'that cannot afford': 843136, 'stock up this': 803122, 'up this quarantine': 946280, 'this quarantine time': 889782, 'quarantine time covid': 692631, '19 by providing': 5570, 'by providing food': 153676, 'providing food stuff': 686996, 'food stuff and': 316884, 'stuff and toiletry': 815011, 'and toiletry here': 74251, 'toiletry here is': 923425, 'is my account': 449779, 'my account detail': 547220, 'account detail oseni': 28652, 'detail oseni olamide': 239236, 'oseni olamide 0026691661': 619701, 'olamide 0026691661 sterling': 598111, '0026691661 sterling bank': 639, 'sterling bank cannot': 799893, 'bank cannot do': 109705, 'cannot do this': 161763, 'do this al': 250336, 'london spoke': 501186, 'to sainsbury': 913731, 'sainsbury manager': 731698, 'manager they': 512809, 're restocking': 699388, 'restocking shelf': 717018, 'shelf soon': 757536, 'soon item': 785759, 'item come': 463184, 'product time': 681737, 'problem 19': 679441, 'london spoke to': 501187, 'spoke to sainsbury': 789734, 'to sainsbury manager': 913732, 'sainsbury manager they': 731699, 'manager they said': 512810, 'they re restocking': 883112, 're restocking shelf': 699389, 'restocking shelf soon': 717020, 'shelf soon item': 757539, 'soon item come': 785761, 'item come in': 463185, 'come in for': 187365, 'same product time': 733255, 'product time day': 681738, 'time day there': 896541, 'day there no': 228511, 'of food panic': 583745, 'food panic shopping': 315755, 'the real problem': 865233, 'real problem 19': 701319, 'gayrunner': 344739, 'thisiswhattranslookslike': 891651, 'mastersathlete': 520233, 'transathlete': 929488, 'lgbt': 487914, 'geodoinggeothings': 345936, 'runnerslife': 727884, 'runloverock': 727880, 'ran my': 696506, 'essential task': 281639, 'task pharmacy': 834725, 'pharmacy postal': 654425, 'postal office': 666440, 'office grocery': 595428, 'this yall': 891557, 'yall socialdistancing': 1014094, 'socialdistancing neworleans': 780555, 'neworleans louisiana': 560156, 'louisiana gayrunner': 504543, 'gayrunner thisiswhattranslookslike': 344740, 'thisiswhattranslookslike run': 891652, 'run trans': 727851, 'trans mastersathlete': 929421, 'mastersathlete transathlete': 520234, 'transathlete lgbt': 929489, 'lgbt lgbtq': 487915, 'lgbtq geodoinggeothings': 487923, 'geodoinggeothings runnerslife': 345937, 'runnerslife runloverock': 727885, 'ran my essential': 696507, 'my essential task': 548109, 'essential task pharmacy': 281641, 'task pharmacy postal': 834726, 'pharmacy postal office': 654426, 'postal office grocery': 666441, 'office grocery store': 595429, 'grocery store home': 365467, 'store home we': 808170, 'home we can': 402453, 'do this yall': 250374, 'this yall socialdistancing': 891558, 'yall socialdistancing neworleans': 1014095, 'socialdistancing neworleans louisiana': 780556, 'neworleans louisiana gayrunner': 560157, 'louisiana gayrunner thisiswhattranslookslike': 504544, 'gayrunner thisiswhattranslookslike run': 344741, 'thisiswhattranslookslike run trans': 891653, 'run trans mastersathlete': 727852, 'trans mastersathlete transathlete': 929422, 'mastersathlete transathlete lgbt': 520235, 'transathlete lgbt lgbtq': 929490, 'lgbt lgbtq geodoinggeothings': 487916, 'lgbtq geodoinggeothings runnerslife': 487924, 'geodoinggeothings runnerslife runloverock': 345938, 'stapler': 794018, 'allergen': 45755, 'fashioned': 299871, 'carrier thus': 165029, 'thus should': 895531, 'public make': 688151, 'with stapler': 1000943, 'stapler shoe': 794019, 'shoe string': 759686, 'string vacuum': 813799, 'vacuum bag': 951813, 'bag best': 108246, 'best hepa': 127716, 'hepa bag': 391799, 'bag same': 108400, 'same material': 733153, 'material n95': 520398, 'n95 allergen': 551159, 'allergen bag': 45756, 'bag similar': 108402, 'to surgical': 916004, 'mask nose': 519017, 'nose peace': 567913, 'peace fashioned': 645996, 'fashioned from': 299872, 'from 14': 334192, '14 16': 3384, '16 gauge': 4117, 'gauge wire': 344549, 'wire or': 996560, 'or piece': 616618, 'of flashing': 583580, 'all can be': 42281, 'can be an': 157579, 'be an asymptomatic': 113598, 'an asymptomatic carrier': 55458, 'asymptomatic carrier thus': 97300, 'carrier thus should': 165030, 'thus should wear': 895532, 'in public make': 427089, 'public make your': 688153, 'own with stapler': 632310, 'with stapler shoe': 1000944, 'stapler shoe string': 794020, 'shoe string vacuum': 759687, 'string vacuum bag': 813800, 'vacuum bag best': 951814, 'bag best hepa': 108247, 'best hepa bag': 127717, 'hepa bag same': 391800, 'bag same material': 108401, 'same material n95': 733154, 'material n95 allergen': 520399, 'n95 allergen bag': 551160, 'allergen bag similar': 45757, 'bag similar to': 108403, 'similar to surgical': 769940, 'to surgical mask': 916005, 'surgical mask nose': 828362, 'mask nose peace': 519018, 'nose peace fashioned': 567914, 'peace fashioned from': 645997, 'fashioned from 14': 299873, 'from 14 16': 334193, '14 16 gauge': 3385, '16 gauge wire': 4118, 'gauge wire or': 344550, 'wire or piece': 996561, 'or piece of': 616619, 'piece of flashing': 656334, 'cliffe': 182173, '2007': 13628, 'multilateral': 545701, 'director cliffe': 243609, 'cliffe on': 182174, 'on draw': 600407, 'draw parallel': 258477, 'between mask': 128823, 'mask war': 519495, 'and 2007': 57402, '2007 08': 13629, '08 global': 1080, 'food crisis': 314056, 'skyrocketed country': 773360, 'country began': 210507, 'began competing': 123378, 'competing on': 191635, 'on multilateral': 602251, 'multilateral solution': 545702, 'director cliffe on': 243610, 'cliffe on draw': 182175, 'on draw parallel': 600408, 'draw parallel between': 258478, 'parallel between mask': 641340, 'between mask war': 128824, 'mask war and': 519497, 'war and 2007': 966353, 'and 2007 08': 57403, '2007 08 global': 13630, '08 global food': 1081, 'global food crisis': 351945, 'food crisis price': 314061, 'crisis price skyrocketed': 217904, 'price skyrocketed country': 676444, 'skyrocketed country began': 773361, 'country began competing': 210508, 'began competing on': 123379, 'competing on multilateral': 191636, 'on multilateral solution': 602252, 'multilateral solution to': 545704, 'solution to covid': 782093, 'novop': 573879, 'will freeze': 993480, 'price part': 675833, 'economic response': 267254, 'miss novop': 534167, 'novop latest': 573880, 'news piece': 560699, 'western australia will': 980589, 'australia will freeze': 103422, 'will freeze water': 993481, 'water price part': 969123, 'price part of': 675834, 'the economic response': 853912, 'economic response to': 267257, 'to the do': 916646, 'not miss novop': 570587, 'miss novop latest': 534168, 'novop latest news': 573881, 'latest news piece': 481458, 'abode': 24597, 'haven filled': 383806, 'filled my': 305544, 'my tank': 550312, 'tank in': 834212, 'week russia': 976828, 'russia needed': 728516, 'price imposed': 674639, 'by opec': 153442, 'opec were': 611983, 'were killing': 979828, 'his rural': 397772, 'rural abode': 728209, 'abode and': 24598, 'haven filled my': 383807, 'filled my tank': 305545, 'my tank in': 550314, 'tank in week': 834213, 'in week russia': 430763, 'week russia needed': 976829, 'russia needed to': 728517, 'this because the': 886521, 'because the low': 119633, 'low price imposed': 505519, 'price imposed by': 674640, 'imposed by opec': 419280, 'by opec were': 153443, 'opec were killing': 611984, 'were killing the': 979829, 'killing the russian': 474717, 'russian economy russia': 728633, 'economy russia is': 268194, 'russia is suffering': 728505, '19 and putin': 5092, 'and putin is': 69828, 'putin is in': 691032, 'is in his': 448777, 'in his rural': 423736, 'his rural abode': 397773, 'rural abode and': 728210, 'abode and is': 24599, 'and is nowhere': 65420, 'is nowhere to': 450363, 'nowhere to be': 576573, 'everyone say': 287346, 'then an': 876985, 'later go': 481068, 'quarantine unless': 692664, 'not quarantined': 571187, 'so have question': 777262, 'have question why': 382137, 'question why doe': 693810, 'why doe everyone': 990950, 'doe everyone say': 251392, 'everyone say they': 287348, 'in quarantine and': 427174, 'quarantine and then': 692024, 'and then an': 73741, 'then an hour': 876986, 'an hour later': 56088, 'hour later go': 405731, 'later go to': 481069, 'one is in': 606512, 'is in quarantine': 448805, 'in quarantine unless': 427193, 'quarantine unless you': 692665, 'unless you actually': 942663, 'you actually have': 1016809, 'actually have covid': 30829, 'stay home much': 796985, 'much possible but': 545240, 'possible but not': 665592, 'but not quarantined': 146555, 'are front': 86696, 'doing very': 252817, 'hard job': 377957, 'shopping before': 762184, 'open worker': 612689, 'worker lobby': 1007330, 'lobby your': 497591, 'your union': 1026249, 'union rep': 941918, 'rep to': 711429, 'propose this': 684509, 'to ceo': 902571, 'staff are front': 792188, 'are front line': 86697, 'line worker doing': 493601, 'worker doing very': 1006801, 'doing very hard': 252819, 'very hard job': 955213, 'hard job they': 377958, 'job they should': 466204, 'food shopping before': 316513, 'shopping before the': 762185, 'store open worker': 809270, 'open worker lobby': 612690, 'worker lobby your': 1007331, 'lobby your union': 497592, 'your union rep': 1026250, 'union rep to': 941920, 'rep to propose': 711430, 'to propose this': 912280, 'propose this to': 684510, 'this to ceo': 890729, 'to ceo and': 902572, 'ceo and management': 169646, 'distribution this': 248237, 'notification shall': 573539, 'shall remain': 754549, 'in force': 423032, 'period upto': 651915, 'upto 30th': 947926, '30th june': 17531, 'public distribution this': 687954, 'distribution this notification': 248238, 'this notification shall': 889180, 'notification shall remain': 573540, 'shall remain in': 754550, 'remain in force': 709767, 'in force for': 423033, 'force for period': 328392, 'for period upto': 324485, 'period upto 30th': 651916, 'upto 30th june': 947927, '30th june 2020': 17532, 'segregation': 747403, 'wymondham': 1013720, 'wa little': 962575, 'little surprised': 495596, 'such segregation': 816735, 'segregation within': 747404, 'within packed': 1002407, 'in wymondham': 431012, 'wymondham earlier': 1013721, 'today know': 919774, 'control such': 202152, 'such store': 816770, 'wa little surprised': 962576, 'little surprised to': 495597, 'to see no': 914050, 'see no such': 745488, 'no such segregation': 565607, 'such segregation within': 816736, 'segregation within packed': 747405, 'within packed supermarket': 1002408, 'packed supermarket in': 633645, 'supermarket in wymondham': 821005, 'in wymondham earlier': 431013, 'wymondham earlier today': 1013722, 'earlier today know': 264503, 'today know how': 919775, 'know how difficult': 476434, 'difficult it to': 242241, 'it to control': 461709, 'to control such': 903453, 'control such store': 202154, 'such store but': 816771, 'bite fine': 131863, 'fine dining': 307625, 'dining restaurant': 243023, 'singapore see': 771151, 'their order': 874135, 'from europe': 335309, 'japan delayed': 464724, 'delayed or': 232799, 'flight bite fine': 310446, 'bite fine dining': 131864, 'fine dining restaurant': 307627, 'dining restaurant in': 243024, 'restaurant in singapore': 716524, 'in singapore see': 427974, 'singapore see their': 771152, 'see their order': 745909, 'their order from': 874136, 'order from europe': 618254, 'from europe and': 335310, 'europe and japan': 283397, 'and japan delayed': 65645, 'japan delayed or': 464725, 'delayed or put': 232800, 'or put on': 616750, 'put on hold': 690719, 'coronavirus guidance': 206012, 'guidance set': 368279, 'account amazon': 28623, 'amazon pantry': 51066, 'pantry tinned': 639694, 'all currently': 42497, 'home coronavirus guidance': 400951, 'coronavirus guidance set': 206013, 'guidance set up': 368280, 'set up online': 753568, 'up online shopping': 945658, 'shopping account amazon': 761883, 'account amazon pantry': 28624, 'amazon pantry tinned': 51067, 'pantry tinned food': 639695, 'tinned food all': 898609, 'food all currently': 313084, 'all currently unavailable': 42498, 'normalize': 567464, 'since cutting': 770556, 'on spending': 603600, 'distance due': 246693, 'to ve': 918128, 've learnt': 953332, 'learnt that': 484280, 'supermarket time': 823345, 'weekend got': 977340, 'his habit': 397483, 'habit when': 372708, 'thing normalize': 884624, 'since cutting back': 770557, 'cutting back on': 223712, 'back on spending': 107199, 'on spending and': 603601, 'spending and maintaining': 788736, 'and maintaining social': 66535, 'social distance due': 779503, 'distance due to': 246694, 'due to ve': 262015, 'to ve learnt': 918131, 've learnt that': 953333, 'learnt that do': 484281, 'do not actually': 249657, 'not actually need': 568049, 'to supermarket time': 915850, 'supermarket time in': 823347, 'time in weekend': 897019, 'in weekend got': 430780, 'weekend got to': 977341, 'got to keep': 358961, 'up with his': 946650, 'with his habit': 998835, 'his habit when': 397484, 'habit when thing': 372709, 'when thing normalize': 984295, 'removed their': 710883, 'their normal': 874065, 'normal fare': 567146, 'fare for': 299021, 'change date': 172008, 'date time': 226740, 'of previously': 588389, 'previously booked': 672023, 'booked ticket': 134674, 'ticket due': 895609, 'future train': 342484, 'train travel': 929286, 'travel have': 930375, 'up instead': 945208, 'instead this': 440374, 'this ticket': 890608, 'ticket normally': 895634, 'normally cost': 567489, 'cost me': 208012, 'me 18': 522327, '18 look': 4547, 'great that ha': 363038, 'that ha removed': 844132, 'ha removed their': 371721, 'removed their normal': 710884, 'their normal fare': 874066, 'normal fare for': 567147, 'fare for worker': 299023, 'for worker who': 327943, 'worker who want': 1008236, 'want to change': 966009, 'to change date': 902598, 'change date time': 172009, 'date time of': 226741, 'time of previously': 897354, 'of previously booked': 588390, 'previously booked ticket': 672024, 'booked ticket due': 134675, 'ticket due to': 895610, 'coronacrisis but it': 204536, 'but it seems': 146163, 'seems that price': 746861, 'price for future': 673969, 'for future train': 321828, 'future train travel': 342485, 'train travel have': 929287, 'travel have gone': 930376, 'gone up instead': 356423, 'up instead this': 945210, 'instead this ticket': 440375, 'this ticket normally': 890609, 'ticket normally cost': 895635, 'normally cost me': 567490, 'cost me 18': 208013, 'me 18 look': 522328, 'place standing': 657694, 'store watching': 811163, 'watching this': 968810, 'this thanks': 890504, 'laugh socialdistancing': 481765, 'place standing in': 657695, 'grocery store watching': 365935, 'store watching this': 811164, 'watching this thanks': 968811, 'this thanks for': 890505, 'the laugh socialdistancing': 859170, 'scrapped': 742598, 'in wake': 430654, 'panic woolworth': 638800, 'and cole': 60065, 'cole are': 185839, 'opening an': 612796, 'early favour': 264596, 'favour to': 300577, 'avoid mentioning': 105193, 'mentioning they': 528862, 'also scrapped': 48834, 'scrapped online': 742601, 'delivery surely': 234591, 'that add': 842497, 'crowd panic': 219232, 'panic profit': 638439, 'profit auspol': 682670, 'so in wake': 777390, 'in wake of': 430655, 'wake of shopping': 964604, 'of shopping panic': 589669, 'shopping panic woolworth': 763592, 'panic woolworth and': 638801, 'woolworth and cole': 1004403, 'and cole are': 60066, 'cole are opening': 185840, 'are opening an': 88812, 'opening an hour': 612797, 'hour early favour': 405565, 'early favour to': 264597, 'favour to the': 300579, 'elderly but they': 270624, 'but they avoid': 147493, 'they avoid mentioning': 881516, 'avoid mentioning they': 105194, 'mentioning they ve': 528863, 'they ve also': 883636, 've also scrapped': 952831, 'also scrapped online': 48835, 'scrapped online shopping': 742602, 'home delivery surely': 401050, 'delivery surely that': 234592, 'surely that add': 827936, 'that add to': 842498, 'add to crowd': 31518, 'to crowd panic': 903768, 'crowd panic profit': 219233, 'panic profit auspol': 638440, 'undermined': 940501, 'raboresearch': 695163, 'sugar price': 817469, 'been undermined': 122288, 'undermined by': 940502, 'but rabobank': 146879, 'rabobank doe': 695157, 'foresee major': 329049, 'on 2019': 599053, '20 global': 13079, 'global sugar': 352227, 'consumption raboresearch': 199935, 'raboresearch charles': 695164, 'sugar price have': 817470, 'have been undermined': 379729, 'been undermined by': 122289, 'undermined by the': 940504, 'the crisis but': 852352, 'crisis but rabobank': 217153, 'but rabobank doe': 146880, 'rabobank doe not': 695158, 'doe not foresee': 251493, 'not foresee major': 569501, 'foresee major impact': 329050, 'impact on 2019': 417815, 'on 2019 20': 599054, '2019 20 global': 13920, '20 global sugar': 13080, 'global sugar consumption': 352228, 'sugar consumption raboresearch': 817442, 'consumption raboresearch charles': 199936, 'barking': 111116, 'dagenham': 224467, 'in barking': 420705, 'barking and': 111117, 'and dagenham': 60908, 'dagenham that': 224470, 'gain and': 342756, 'profit should': 682856, 'other safe': 620863, 'job income': 465886, 'income are': 432288, 'shop in barking': 760304, 'in barking and': 420706, 'barking and dagenham': 111118, 'and dagenham that': 60909, 'dagenham that have': 224471, 'that have increased': 844215, 'increased price due': 433413, '19 for gain': 7067, 'for gain and': 321834, 'gain and profit': 342757, 'and profit should': 69598, 'profit should be': 682857, 'of themselves we': 591790, 'themselves we are': 876930, 'this together and': 890758, 'together and should': 920697, 'and should work': 71600, 'should work together': 766664, 'work together to': 1005919, 'together to keep': 920993, 'each other safe': 264216, 'other safe and': 620864, 'safe and look': 729460, 'and look after': 66363, 'look after each': 502221, 'each other people': 264208, 'are losing job': 87899, 'losing job income': 503566, 'job income are': 465887, 'income are affected': 432289, 'springboot': 791262, 'somegoodnews': 784297, 'the matching': 860283, 'matching shirt': 520324, 'complete the': 192167, 'the outfit': 862736, 'outfit stayhome': 628948, 'stayhomestaysafe style': 798532, 'style style': 815629, 'style pandemia': 815623, 'pandemia shopping': 634751, 'online springboot': 609418, 'springboot love': 791263, 'love trending': 504865, 'trend new': 931400, 'new sale': 559535, 'sale somegoodnews': 732540, 'somegoodnews workingfromhome': 784300, 'workingfromhome quarantineandchill': 1009102, 'quarantineandchill quarentinelife': 692765, 'get the matching': 348263, 'the matching shirt': 860284, 'matching shirt to': 520325, 'shirt to complete': 759012, 'to complete the': 903140, 'complete the outfit': 192171, 'the outfit stayhome': 862737, 'outfit stayhome stayhomestaysafe': 628949, 'stayhome stayhomestaysafe style': 798160, 'stayhomestaysafe style style': 798533, 'style style pandemia': 815630, 'style pandemia shopping': 815624, 'pandemia shopping online': 634752, 'shopping online springboot': 763487, 'online springboot love': 609419, 'springboot love trending': 791264, 'love trending trend': 504866, 'trending trend new': 931575, 'trend new sale': 931401, 'new sale somegoodnews': 559536, 'sale somegoodnews workingfromhome': 732541, 'somegoodnews workingfromhome quarantineandchill': 784301, 'workingfromhome quarantineandchill quarentinelife': 1009103, 'of insanity': 585218, 'insanity is': 439101, 'thing over': 884669, 'and expecting': 62488, 'expecting different': 291032, 'different result': 242045, 'result me': 717573, 'me checking': 522575, 'checking everyday': 174817, 'everyday for': 286561, 'use gift': 949232, 'from two': 338163, 'two christmas': 936836, 'christmas ago': 178149, 'ago quarantinelife': 38446, 'definition of insanity': 232426, 'of insanity is': 585219, 'insanity is doing': 439102, 'same thing over': 733336, 'thing over and': 884670, 'again and expecting': 36888, 'and expecting different': 62489, 'expecting different result': 291033, 'different result me': 242046, 'result me checking': 717574, 'me checking everyday': 522576, 'checking everyday for': 174818, 'everyday for hand': 286562, 'sanitizer so can': 735750, 'so can use': 776730, 'can use gift': 160094, 'use gift card': 949233, 'card from two': 163531, 'from two christmas': 338164, 'two christmas ago': 936837, 'christmas ago quarantinelife': 178150, 'brandprotection': 138159, 'pandemic wreaking': 637068, 'havoc across': 384418, 'across healthcare': 29340, 'economy worldwide': 268370, 'creating opportunity': 216041, 'for counterfeiter': 320412, 'counterfeiter via': 210322, 'via brandprotection': 955824, 'brandprotection fake': 138160, 'fake ecommerce': 296613, '19 pandemic wreaking': 9529, 'pandemic wreaking havoc': 637069, 'wreaking havoc across': 1012695, 'havoc across healthcare': 384419, 'across healthcare system': 29341, 'system and economy': 831095, 'and economy worldwide': 61927, 'economy worldwide is': 268371, 'worldwide is creating': 1010382, 'is creating opportunity': 446914, 'creating opportunity for': 216042, 'opportunity for counterfeiter': 613608, 'for counterfeiter via': 320414, 'counterfeiter via brandprotection': 210323, 'via brandprotection fake': 955825, 'brandprotection fake ecommerce': 138161, 'engineer wear': 276979, 'wear garbage': 974326, '19 engineer wear': 6785, 'engineer wear garbage': 276980, 'wear garbage bag': 974327, 'ohh': 596506, 'ohh you': 596509, 'that part': 845655, 'part out': 642402, 'out would': 627891, 'would say': 1012210, 've definitely': 953038, 'definitely done': 232328, 'done more': 254937, 'ohh you left': 596510, 'you left that': 1019586, 'left that part': 485664, 'that part out': 845658, 'part out would': 642403, 'out would say': 627892, 'would say using': 1012219, 'say using it': 739429, 'using it more': 950531, 'it more now': 459672, 'than before covid': 840392, '19 ve definitely': 11737, 've definitely done': 953039, 'definitely done more': 232329, 'done more online': 254939, 'online shopping than': 609299, 'shopping than in': 764067, 'than in store': 840782, 'store shopping due': 810131, 'charliemackesy': 173758, 'gratefulforournhs': 362342, 'nhsengland': 562221, 'supermarketsuperstars': 824246, 'charliemackesy thankyou': 173759, 'thankyou gratefulforournhs': 842339, 'gratefulforournhs nh': 362343, 'nh nhsengland': 562010, 'nhsengland nhsheroes': 562222, 'nhsheroes supermarket': 562241, 'supermarket doctor': 819985, 'doctor supermarketsuperstars': 251116, 'charliemackesy thankyou gratefulforournhs': 173760, 'thankyou gratefulforournhs nh': 842340, 'gratefulforournhs nh nhsengland': 362344, 'nh nhsengland nhsheroes': 562011, 'nhsengland nhsheroes supermarket': 562223, 'nhsheroes supermarket doctor': 562242, 'supermarket doctor supermarketsuperstars': 819986, 'isolation this': 455458, 'week thought': 977052, 'wa useful': 963621, 'staying sane': 798704, 'sane and': 733755, 'happy 19': 377571, 'lot of are': 504140, 'of are going': 580346, 'self isolation this': 747802, 'isolation this week': 455460, 'this week thought': 891282, 'week thought this': 977053, 'this wa useful': 891096, 'wa useful article': 963622, 'useful article on': 950144, 'article on staying': 94412, 'on staying sane': 603658, 'staying sane and': 798705, 'sane and happy': 733756, 'and happy 19': 64173, 'insight are': 439513, 'while general': 986866, 'general merchandise': 345408, 'merchandise amp': 528968, 'sale continued': 732142, 'continued to': 201352, 'accelerate consumer': 27833, 'consumer stockpiled': 199153, 'stockpiled supply': 803858, 'supply travel': 826047, 'travel apparel': 930267, 'apparel and': 81855, 'store got': 807954, 'hard see': 378010, 'our latest insight': 623667, 'latest insight are': 481406, 'insight are up': 439514, 'are up on': 91367, 'our website while': 625356, 'website while general': 975482, 'while general merchandise': 986867, 'general merchandise amp': 345409, 'merchandise amp grocery': 528969, 'amp grocery sale': 53890, 'grocery sale continued': 364931, 'sale continued to': 732143, 'continued to accelerate': 201353, 'to accelerate consumer': 899929, 'accelerate consumer stockpiled': 27835, 'consumer stockpiled supply': 199154, 'stockpiled supply travel': 803859, 'supply travel apparel': 826048, 'travel apparel and': 930268, 'apparel and department': 81856, 'department store got': 237273, 'store got hit': 807958, 'got hit hard': 358610, 'hit hard see': 398253, 'hard see our': 378011, 'see our full': 745527, 'our full report': 623216, 'canada police': 160524, 'police protects': 663171, 'protects toilet': 685845, 'canada police protects': 160525, 'police protects toilet': 663172, 'protects toilet paper': 685846, 'paper in supermarket': 640331, 'foam': 311806, 'size hand': 772777, 'wash gel': 967470, 'gel 60ml': 345086, '60ml free': 21160, 'free foaming': 331820, 'foaming sanitizer': 311821, 'no rinse': 565370, 'rinse foam': 722571, 'foam hand': 311811, 'soap gel': 779016, 'gel kid': 345135, 'kid friendly': 473959, 'friendly pack': 333978, 'pack via': 633187, 'travel size hand': 930510, 'size hand wash': 772778, 'hand wash gel': 375924, 'wash gel 60ml': 967471, 'gel 60ml free': 345087, '60ml free foaming': 21161, 'free foaming sanitizer': 331823, 'foaming sanitizer no': 311822, 'sanitizer no rinse': 735419, 'no rinse foam': 565371, 'rinse foam hand': 722572, 'foam hand soap': 311813, 'hand soap gel': 375772, 'soap gel kid': 779017, 'gel kid friendly': 345136, 'kid friendly pack': 473962, 'friendly pack via': 333979, 'pack via 19': 633188, 'retail where': 718848, 'go daily': 353440, 'daily what': 224884, 'between convenience': 128751, 'in retail where': 427473, 'retail where people': 718849, 'where people come': 985099, 'and go daily': 63771, 'go daily what': 353441, 'daily what is': 224885, 'difference between convenience': 241813, 'between convenience store': 128752, 'store and nail': 806301, 'and nail salon': 67413, 'finance monitor': 306238, 'monitor launch': 537294, 'launch banking': 481866, 'banking and': 110405, 'service covid': 752263, 'center ballard': 169164, 'spahr to': 787260, 'hold march': 399953, '25 webinar': 15992, 'consumer finance monitor': 197482, 'finance monitor launch': 306239, 'monitor launch banking': 537295, 'launch banking and': 481867, 'banking and consumer': 110406, 'and consumer financial': 60381, 'financial service covid': 306583, 'service covid 19': 752264, 'resource center ballard': 714730, 'center ballard spahr': 169165, 'ballard spahr to': 109085, 'spahr to hold': 787261, 'to hold march': 907911, 'hold march 25': 399954, 'march 25 webinar': 515206, '25 webinar for': 15993, 'webinar for financial': 975038, 'for financial institution': 321486, 'ola': 598106, 'property hunter': 684275, 'hunter were': 411401, 'were heading': 979728, 'the showroom': 867123, 'showroom of': 767646, 'of ola': 587197, 'ola an': 598107, 'executive condominium': 289874, 'condominium ec': 193623, 'ec in': 266590, 'sengkang on': 750170, 'on weekday': 605188, 'another property hunter': 77779, 'property hunter were': 684276, 'hunter were heading': 411402, 'were heading to': 979729, 'to the showroom': 917065, 'the showroom of': 867124, 'showroom of ola': 767647, 'of ola an': 587198, 'ola an executive': 598108, 'an executive condominium': 55939, 'executive condominium ec': 289875, 'condominium ec in': 193624, 'ec in sengkang': 266591, 'in sengkang on': 427804, 'sengkang on weekday': 750171, 'chloroquineinn': 177639, 'godssake': 354901, 'couple took': 211695, 'took an': 925206, 'an aquarium': 55383, 'aquarium cleaner': 83777, 'ha chloroquineinn': 370151, 'chloroquineinn it': 177640, 'died she': 241597, 'icu for': 412835, 'for godssake': 321910, 'godssake don': 354902, 'don listen': 253704, 'couple took an': 211696, 'took an aquarium': 925207, 'an aquarium cleaner': 55384, 'aquarium cleaner that': 83778, 'cleaner that ha': 180844, 'that ha chloroquineinn': 844112, 'ha chloroquineinn it': 370152, 'chloroquineinn it he': 177641, 'it he died': 458505, 'he died she': 384891, 'died she in': 241599, 'she in icu': 756138, 'in icu for': 423959, 'icu for godssake': 412836, 'for godssake don': 321911, 'godssake don listen': 354903, 'don listen to': 253705, 'listen to trump': 494759, 'ogemgo3qw7': 596327, 'reframe am': 706756, 'am stuck': 50443, 'house myself': 406410, 'of chaotic': 581280, 'telehealth co': 836741, 'co ogemgo3qw7': 184906, 'ogemgo3qw7 wespeechies': 596328, 'reframe am stuck': 706757, 'am stuck inside': 50446, 'my home and': 548683, 'home and my': 400666, 'and my house': 67371, 'my house myself': 548738, 'house myself stay': 406411, 'endless coverage of': 276225, 'coverage of chaotic': 212365, 'of chaotic home': 581281, 'use telehealth co': 949631, 'telehealth co ogemgo3qw7': 836742, 'co ogemgo3qw7 wespeechies': 184907, 'stalled': 793386, 'australia booming': 103240, 'booming lng': 134886, 'lng industry': 497205, 'ha stalled': 372034, 'stalled following': 793389, 'following collapse': 312699, 'than 80': 840302, '80 billion': 22555, 'in investment': 424136, 'investment decision': 443977, 'are delayed': 85739, 'delayed by': 232770, 'geopolitical price': 345974, 'australia booming lng': 103242, 'booming lng industry': 134887, 'lng industry ha': 497206, 'industry ha stalled': 435867, 'ha stalled following': 372036, 'stalled following collapse': 793390, 'following collapse in': 312700, 'price more than': 675270, 'more than 80': 540582, 'than 80 billion': 840303, '80 billion in': 22556, 'billion in investment': 130848, 'in investment decision': 424137, 'investment decision are': 443978, 'decision are delayed': 231007, 'are delayed by': 85740, 'delayed by falling': 232772, 'price and geopolitical': 672422, 'and geopolitical price': 63546, 'geopolitical price war': 345975, 'need information': 555055, 'need information on': 555056, 'information on scam': 437921, 'on scam check': 603326, 'shortage 2020': 764795, 'survived the toilet': 829334, 'paper shortage 2020': 640762, 'trashmen': 930195, 'said often': 731273, 'often enough': 596190, 'enough thank': 277659, 'doctor medical': 250976, 'staff trashmen': 793017, 'trashmen delivery': 930196, 'worker law': 1007299, 'enforcement we': 276794, 'it can not': 457027, 'not be said': 568447, 'be said often': 116984, 'said often enough': 731274, 'often enough thank': 596191, 'enough thank you': 277660, 'nurse doctor medical': 577301, 'doctor medical staff': 250977, 'medical staff trashmen': 526407, 'staff trashmen delivery': 793018, 'trashmen delivery people': 930197, 'store worker law': 811537, 'worker law enforcement': 1007300, 'law enforcement we': 482279, 'enforcement we are': 276795, 'are getting through': 86830, 'getting through this': 349390, 'through this because': 894805, 'priority appeal': 678518, 'appeal if': 82067, 'with are': 997303, 'risk vulnerable': 723996, 'elderly health': 270697, 'condition category': 193427, 'category please': 167205, 'not deprive': 568996, 'deprive those': 237692, 'by booking': 151974, 'booking online': 134739, 'slot 19': 774091, 'priority appeal if': 678519, 'appeal if you': 82068, 'anyone you are': 80667, 'you are self': 1017227, 'isolating with are': 455165, 'with are not': 997306, 'not in high': 570094, 'high risk vulnerable': 395376, 'risk vulnerable elderly': 723998, 'vulnerable elderly health': 960947, 'elderly health condition': 270698, 'health condition category': 386289, 'condition category please': 193428, 'category please do': 167206, 'do not deprive': 249713, 'not deprive those': 568997, 'deprive those who': 237693, 'who are by': 988112, 'are by booking': 85139, 'by booking online': 151975, 'booking online supermarket': 134740, 'online supermarket shopping': 609504, 'supermarket shopping slot': 822648, 'shopping slot 19': 763897, 'tracking retail': 928355, 'retail response': 718452, 'via store': 956264, 'closure pandemic': 183993, 'tracking retail response': 928356, 'retail response to': 718453, 'response to via': 715893, 'to via store': 918161, 'via store closure': 956265, 'store closure pandemic': 807101, 'closure pandemic 19': 183994, 'pandemic 19 socialdistancing': 634771, 'mean hand': 524472, 'you mean hand': 1019822, 'mean hand sanitizer': 524473, 'sheen': 756530, 'numbing': 577106, 'local waitrose': 498682, 'east sheen': 265341, 'sheen yesterday': 756531, 'yesterday just': 1015789, 'vegetable can': 953955, 'toiletpaperpanic it': 923222, 'beyond mind': 129204, 'mind numbing': 532697, 'numbing stophoarding': 577109, 'stophoarding panicbuying': 805437, '19 unitedkingdom': 11636, 'my local waitrose': 549148, 'local waitrose in': 498683, 'waitrose in east': 964456, 'in east sheen': 422462, 'east sheen yesterday': 265342, 'sheen yesterday just': 756532, 'yesterday just how': 1015790, 'just how much': 469000, 'how much fresh': 408348, 'much fresh vegetable': 544933, 'fresh vegetable can': 333100, 'vegetable can you': 953956, 'can you store': 160339, 'you store in': 1021449, 'store in your': 808413, 'your fridge for': 1023963, 'fridge for the': 333395, 'for the toiletpaperpanic': 326737, 'the toiletpaperpanic it': 869744, 'toiletpaperpanic it beyond': 923223, 'it beyond mind': 456869, 'beyond mind numbing': 129205, 'mind numbing stophoarding': 532698, 'numbing stophoarding panicbuying': 577110, 'stophoarding panicbuying 19': 805438, 'panicbuying 19 unitedkingdom': 638893, 'made quick': 507933, 'quick video': 694417, 'video yesterday': 956972, 'shortage here': 764994, 'spain since': 787342, 'the tl': 869664, 'dr after': 257946, 'initial shortage': 438554, 'shortage supermarket': 765231, 'supermarket back': 819280, 'stock mostly': 802483, 'with home': 998863, 'now preferred': 575582, 'preferred option': 669812, 'option stay': 614095, 'made quick video': 507935, 'quick video yesterday': 694418, 'video yesterday on': 956973, 'yesterday on the': 1015824, 'on the experience': 604104, 'the experience of': 854723, 'experience of shopping': 291439, 'of shopping and': 589659, 'shopping and shortage': 762023, 'and shortage here': 71570, 'shortage here in': 764997, 'here in spain': 393182, 'in spain since': 428180, 'spain since the': 787343, 'since the tl': 770911, 'the tl dr': 869665, 'tl dr after': 899338, 'dr after initial': 257947, 'after initial shortage': 35827, 'initial shortage supermarket': 438555, 'shortage supermarket back': 765232, 'supermarket back to': 819281, 'to normal stock': 910661, 'normal stock mostly': 567339, 'stock mostly online': 802484, 'mostly online shopping': 542988, 'shopping with home': 764436, 'with home delivery': 998864, 'home delivery now': 401033, 'delivery now preferred': 234214, 'now preferred option': 575583, 'preferred option stay': 669813, 'option stay safe': 614096, 'scam don': 740134, 'don click': 253432, 'from source': 337359, 'source you': 786589, 'could download': 209111, 'download virus': 257637, 'your computer': 1023301, 'computer or': 192749, 'or device': 614957, 'more advice': 538556, 'advice via': 33549, 'avoid scam don': 105257, 'scam don click': 740135, 'don click on': 253433, 'on link from': 601868, 'link from source': 493842, 'from source you': 337360, 'source you don': 786590, 'don know they': 253672, 'know they could': 476874, 'they could download': 881824, 'could download virus': 209112, 'download virus to': 257639, 'virus to your': 958930, 'to your computer': 918965, 'your computer or': 1023302, 'computer or device': 192750, 'or device more': 614958, 'device more advice': 239921, 'more advice via': 538558, 'being purchased': 125607, 'purchased online': 689791, 'online supplychain': 609509, 'supplychain ecommerce': 826176, 'paper is being': 640349, 'is being purchased': 446101, 'being purchased online': 125609, 'purchased online supplychain': 689793, 'online supplychain ecommerce': 609510, 'february home': 301723, 'by percent': 153565, 'percent annual': 651115, 'annual in': 77400, 'in pre': 426908, 'pre coronavirus': 669152, 'world property': 1009919, 'property journal': 684286, 'journal global': 467388, 'global news': 352041, 'news center': 560307, 'february home price': 301724, 'home price increased': 401908, 'increased by percent': 433236, 'by percent annual': 153566, 'percent annual in': 651116, 'annual in pre': 77401, 'in pre coronavirus': 426909, 'pre coronavirus world': 669153, 'coronavirus world property': 207109, 'world property journal': 1009920, 'property journal global': 684287, 'journal global news': 467389, 'global news center': 352042, '00 tp': 567, 'tp had': 927826, 'had disappeared': 373037, 'disappeared at': 244057, 'at 45': 97657, '45 quarantinelife': 19128, 'guess the new': 368055, 'new normal is': 559159, 'normal is hitting': 567188, 'is hitting the': 448506, 'store at 00': 806571, 'at 00 tp': 97355, '00 tp had': 568, 'tp had disappeared': 927827, 'had disappeared at': 373038, 'disappeared at 45': 244058, 'at 45 quarantinelife': 97658, 'finewineandgoodspirts': 307779, 'wildaf': 992096, 'pa finewineandgoodspirts': 632850, 'finewineandgoodspirts wine': 307780, 'wine liquor': 995834, 'liquor plcb': 494183, 'plcb stockup': 659530, 'stockup wildaf': 804222, 'the state make': 867789, 'state make the': 795758, 'make the announcement': 510557, 'announcement that it': 77206, 'it is shutting': 459077, 'shutting down all': 768251, 'down all the': 256467, 'all the liquor': 44808, 'store in pa': 808367, 'in pa finewineandgoodspirts': 426405, 'pa finewineandgoodspirts wine': 632851, 'finewineandgoodspirts wine liquor': 307781, 'wine liquor plcb': 995835, 'liquor plcb stockup': 494184, 'plcb stockup wildaf': 659531, 'need break': 554562, 'helping kid': 391371, 'here 3rd': 392650, '3rd moment': 18434, 'levity for': 487823, 'put halt': 690592, 'halt to': 374468, 'your creativity': 1023376, 'creativity meme': 216214, 'meme capture': 528301, 'capture humor': 162945, 'in kit': 424522, 'kit sport': 475639, 'sport per': 789964, 'need break from': 554563, 'break from helping': 138733, 'from helping kid': 335759, 'helping kid with': 391373, 'kid with here': 474172, 'with here 3rd': 998791, 'here 3rd moment': 392651, '3rd moment of': 18435, 'moment of levity': 536015, 'of levity for': 585798, 'levity for covid': 487824, 'covid 19 put': 213637, '19 put halt': 9892, 'put halt to': 690593, 'halt to all': 374469, 'to all thing': 900294, 'all thing but': 45073, 'thing but not': 884210, 'but not your': 146586, 'not your creativity': 572628, 'your creativity meme': 1023377, 'creativity meme capture': 216215, 'meme capture humor': 528302, 'capture humor in': 162946, 'humor in kit': 410884, 'in kit sport': 424523, 'kit sport per': 475640, 'oppression': 613839, 'will disproportionately': 993209, 'disproportionately harm': 246311, 'harm people': 378407, 'live under': 496087, 'under structural': 940277, 'structural oppression': 814290, 'oppression people': 613842, 'prison and': 678705, 'detention camp': 239368, 'camp the': 157184, 'homeless the': 402792, 'the undocumented': 870367, 'undocumented the': 941033, 'poor without': 664331, 'without access': 1002471, 'the saving': 866388, 'saving to': 737976, 'medicine at': 526729, '19 will disproportionately': 12087, 'will disproportionately harm': 993210, 'disproportionately harm people': 246312, 'harm people who': 378408, 'people who live': 650312, 'who live under': 989220, 'live under structural': 496088, 'under structural oppression': 940278, 'structural oppression people': 814291, 'oppression people in': 613843, 'people in prison': 648420, 'in prison and': 427000, 'prison and detention': 678706, 'and detention camp': 61289, 'detention camp the': 239370, 'camp the homeless': 157185, 'the homeless the': 857473, 'homeless the undocumented': 402793, 'the undocumented the': 870369, 'undocumented the disabled': 941034, 'the disabled the': 853335, 'disabled the poor': 243974, 'the poor without': 864000, 'poor without access': 664332, 'without access to': 1002472, 'access to medical': 28256, 'to medical care': 909994, 'medical care or': 526085, 'care or the': 164133, 'or the saving': 617396, 'the saving to': 866389, 'saving to stock': 737978, 'and medicine at': 66902, 'medicine at all': 526730, 'sellout': 749556, 'mdc': 522302, 'distract': 247882, 'the sellout': 866695, 'sellout were': 749561, 'only paid': 610935, 'paid to': 634159, 'cause confusion': 167527, 'confusion in': 194386, 'the mdc': 860330, 'mdc they': 522303, 'also managed': 48511, 'to distract': 904435, 'distract the': 247885, 'to forget': 906191, 'busy infecting': 144922, 'infecting each': 436683, 'even dying': 284031, 'dying coronavirus': 263797, 'wipe everyone': 996250, 'everyone will': 287612, 'will vote': 995306, 'vote you': 960532, 'the sellout were': 866696, 'sellout were not': 749562, 'were not only': 979922, 'not only paid': 570816, 'only paid to': 610936, 'paid to cause': 634162, 'to cause confusion': 902532, 'cause confusion in': 167528, 'confusion in the': 194387, 'in the mdc': 429348, 'the mdc they': 860331, 'mdc they also': 522304, 'they also managed': 881150, 'also managed to': 48512, 'managed to distract': 512496, 'to distract the': 904437, 'distract the whole': 247886, 'whole country to': 990173, 'country to forget': 211162, 'to forget about': 906192, 'forget about people': 329225, 'about people are': 25931, 'people are busy': 646942, 'are busy infecting': 85100, 'busy infecting each': 144923, 'infecting each other': 436684, 'other at supermarket': 619860, 'at supermarket queue': 100761, 'queue some are': 694066, 'are even dying': 86275, 'even dying coronavirus': 284032, 'dying coronavirus will': 263799, 'coronavirus will wipe': 207088, 'will wipe everyone': 995354, 'wipe everyone will': 996251, 'everyone will see': 287617, 'will see who': 994799, 'see who will': 746071, 'who will vote': 990006, 'will vote you': 995307, 'dunno': 262309, 'grr': 367503, 'dunno how': 262310, 'this stay': 890308, 'inside month': 439312, 'month thing': 538061, 'thing cuz': 884261, 'outside if': 629456, 'necessary like': 554023, 'see friend': 745134, 'boyfriend just': 137419, 'wish this': 996826, 'wasn happening': 967984, 'this wud': 891553, 'wud hurry': 1013443, 'hurry the': 411519, 'over grr': 630264, 'dunno how long': 262311, 'long can do': 501364, 'do this stay': 250367, 'this stay inside': 890310, 'stay inside month': 797101, 'inside month thing': 439313, 'month thing cuz': 538062, 'thing cuz of': 884262, 'cuz of and': 223811, 'of and only': 580170, 'and only going': 68138, 'only going outside': 610530, 'going outside if': 355407, 'outside if necessary': 629457, 'if necessary like': 414446, 'necessary like for': 554024, 'like for food': 490271, 'up can see': 944576, 'can see friend': 159535, 'see friend or': 745135, 'friend or my': 333745, 'or my boyfriend': 616212, 'my boyfriend just': 547522, 'boyfriend just wish': 137420, 'just wish this': 470313, 'wish this wasn': 996828, 'this wasn happening': 891115, 'wasn happening and': 967985, 'happening and just': 377318, 'and just wish': 65732, 'wish this wud': 996829, 'this wud hurry': 891554, 'wud hurry the': 1013444, 'hurry the up': 411520, 'up and all': 944302, 'and all blow': 57855, 'blow over grr': 133340, 'sanitizer north': 735423, 'north houston': 567653, 'houston resident': 407222, 'creative to': 216175, 'mask to hand': 519407, 'hand sanitizer north': 375504, 'sanitizer north houston': 735424, 'north houston resident': 567654, 'houston resident and': 407223, 'business are getting': 143368, 'getting creative to': 348922, 'creative to help': 216176, 'spread of this': 790716, 'of this disease': 591963, 'the presence': 864242, 'presence of': 670557, 'of trace': 592387, 'trace of': 928133, 'about the presence': 26486, 'the presence of': 864243, 'presence of trace': 670559, 'of trace of': 592388, 'trace of covid': 928134, 'on the package': 604273, 'the package delivered': 862843, 'package delivered to': 633249, 'you the expert': 1021597, 'the expert are': 854730, 'expert are here': 291784, 'alizeh': 41863, 'shah': 754374, 'noman': 566258, 'sami': 733437, 'trolled': 932349, 'alizehshah': 41866, 'nomansami': 566263, 'alizeh shah': 41864, 'shah and': 754377, 'and noman': 67665, 'noman sami': 566261, 'sami trolled': 733438, 'trolled for': 932350, 'for collecting': 320148, 'collecting ration': 186391, 'ration from': 697687, 'store alizehshah': 806126, 'alizehshah nomansami': 41867, 'alizeh shah and': 41865, 'shah and noman': 754378, 'and noman sami': 67666, 'noman sami trolled': 566262, 'sami trolled for': 733439, 'trolled for collecting': 932351, 'for collecting ration': 320149, 'collecting ration from': 186392, 'ration from grocery': 697688, 'grocery store alizehshah': 365185, 'store alizehshah nomansami': 806127, 'extort': 293370, 'seen report': 747206, 'colleague across': 186178, 'house thief': 406610, 'thief pretending': 884012, 'nh providing': 562048, 'providing covid': 686963, 'vaccine fraudsters': 951707, 'to extort': 905537, 'extort money': 293371, 'home report': 401970, 'cold call': 185743, 'via 0808': 955772, 'have seen report': 382439, 'seen report from': 747207, 'report from colleague': 711972, 'from colleague across': 334910, 'colleague across the': 186179, 'country of house': 210928, 'of house thief': 584792, 'house thief pretending': 406611, 'thief pretending to': 884013, 'the nh providing': 861758, 'nh providing covid': 562049, 'providing covid 19': 686964, '19 vaccine fraudsters': 11719, 'vaccine fraudsters will': 951708, 'situation to extort': 772534, 'to extort money': 905538, 'extort money or': 293372, 'money or gain': 536956, 'access to your': 28299, 'your home report': 1024369, 'home report any': 401971, 'report any cold': 711802, 'any cold call': 79025, 'cold call to': 185744, 'call to via': 156194, 'to via 0808': 918158, 'via 0808 223': 955773, 'youbeneathyourskin': 1022508, 'ebooks': 266565, 'youbeneathyourskin and': 1022509, 'other title': 621130, 'available ebooks': 104336, 'ebooks because': 266568, 'covid19 have': 214311, 'slashed ebook': 773626, 'can stayhomesavelives': 159753, 'stayhomesavelives and': 798339, 'give hand': 350509, 'youbeneathyourskin and other': 1022510, 'and other title': 68424, 'other title are': 621131, 'title are only': 899283, 'are only available': 88761, 'only available ebooks': 610131, 'available ebooks because': 104337, 'ebooks because of': 266569, 'because of covid19': 119328, 'of covid19 have': 582101, 'covid19 have slashed': 214312, 'have slashed ebook': 382583, 'slashed ebook price': 773627, 'ebook price so': 266561, 'you can stayhomesavelives': 1017793, 'can stayhomesavelives and': 159754, 'stayhomesavelives and give': 798340, 'and give hand': 63661, 'give hand to': 350510, 'hand to cause': 375856, 'to cause like': 902536, 'cause like and': 167632, 'like and at': 489779, 'idiot christchurch': 413484, 'man call': 512015, 'call man': 155981, 'coughed sneezed': 208643, 'sneezed on': 776292, 'shopper an': 761354, 'idiot christchurch man': 413485, 'christchurch man call': 178099, 'man call man': 512016, 'call man who': 155982, 'who coughed sneezed': 988502, 'coughed sneezed on': 208644, 'sneezed on supermarket': 776293, 'supermarket shopper an': 822608, 'shopper an idiot': 761355, 'whole street': 990341, 'street added': 812881, 'added green': 31564, 'green paper': 363689, 'window if': 995676, 'turn red': 935755, 'red it': 705589, 'help buying': 389461, 'buying medicine': 150713, 'or getting': 615439, 'getting around': 348850, 'it incredible': 458777, 'home the whole': 402247, 'the whole street': 871509, 'whole street added': 990342, 'street added green': 812882, 'added green paper': 31565, 'green paper to': 363690, 'paper to their': 640927, 'to their window': 917278, 'their window if': 875194, 'window if it': 995677, 'if it turn': 414340, 'it turn red': 461881, 'turn red it': 935756, 'red it mean': 705590, 'it mean they': 459579, 'mean they need': 524715, 'they need help': 882741, 'need help buying': 554976, 'help buying medicine': 389463, 'buying medicine or': 150714, 'medicine or getting': 526858, 'or getting around': 615440, 'getting around it': 348851, 'around it incredible': 93364, 'si': 768307, 'elderly the': 270903, 'via please': 956171, 'please si': 660514, 'sainsbury give the': 731671, 'give the elderly': 350736, 'the elderly the': 854149, 'elderly the first': 270904, 'petition via please': 653644, 'via please si': 956172, 'or say': 616971, 'say free': 738654, 'free preview': 332076, 'preview into': 671947, 'your ignite': 1024449, 'ignite tv': 415737, 'tv remote': 936174, 'remote to': 710730, 'check out or': 174565, 'out or say': 626956, 'or say free': 616972, 'say free preview': 738655, 'free preview into': 332077, 'preview into your': 671948, 'into your ignite': 443323, 'your ignite tv': 1024450, 'ignite tv remote': 415738, 'tv remote to': 936176, 'remote to see': 710731, 'see what new': 746038, 'what new you': 981925, 'out for more': 626140, 'on what we': 605249, 'doing during these': 252367, 'any instance': 79362, 'instance of': 440081, 'the contra': 851686, 'contra costa': 201613, 'costa county': 208179, 'county da': 211356, 'da consumer': 224221, 'unit via': 942110, 'org resident': 619192, 'resident can': 714268, 'also fill': 48205, 'form online': 329552, 'resident are encouraged': 714251, 'encouraged to report': 275669, 'report any instance': 711804, 'any instance of': 79363, 'instance of price': 440083, 'gouging to the': 359484, 'to the contra': 916588, 'the contra costa': 851687, 'contra costa county': 201614, 'costa county da': 208180, 'county da consumer': 211357, 'da consumer protection': 224222, 'protection unit via': 685666, 'unit via email': 942111, 'via email da': 955951, 'reportfraud org resident': 712652, 'org resident can': 619193, 'resident can also': 714269, 'can also fill': 157458, 'also fill out': 48206, 'out consumer complaint': 625878, 'consumer complaint form': 196852, 'complaint form online': 191974, 'form online at': 329553, 'white collar': 987836, 'collar worker': 186164, 'class being': 180156, 'treated differently': 930948, 'differently during': 242158, '19 are white': 5209, 'are white collar': 91626, 'white collar worker': 987837, 'collar worker and': 186165, 'worker and the': 1006343, 'and the working': 73662, 'working class being': 1008559, 'class being treated': 180157, 'being treated differently': 125981, 'treated differently during': 930949, 'differently during the': 242160, 'team wash': 835821, 'entry team wash': 279020, 'team wash hand': 835822, 'fear share': 301318, 'scam so': 740361, 'unfortunately fraudsters are': 941605, 'fraudsters are finding': 331401, 'way to take': 970111, 'of fear share': 583461, 'fear share valuable': 301319, 'valuable insight and': 952032, 'insight and tip': 439511, 'coronavirus scam so': 206720, 'scam so you': 740362, 'can protect your': 159326, 'protect your money': 685068, 'booming so': 134897, 'here thought': 393689, 'thought could': 893010, 'team from': 835645, 'etc help': 282586, 'difference what': 241880, 'think et': 885224, 'is booming so': 446230, 'booming so here': 134898, 'so here thought': 777300, 'here thought could': 393690, 'thought could the': 893011, 'could the team': 209760, 'the team from': 869204, 'team from and': 835646, 'from and etc': 334510, 'and etc help': 62282, 'etc help out': 282587, 'help out with': 390260, 'out with online': 627871, 'with online grocery': 999896, 'grocery delivery it': 364445, 'delivery it could': 234152, 'it could make': 457362, 'big difference what': 129760, 'difference what do': 241881, 'you think et': 1021654, 'think et al': 885225, 'analyst agriculture': 57098, 'agriculture export': 38967, 'fao analyst agriculture': 298644, 'analyst agriculture export': 57099, 'expert answer': 291778, '19 shopping and': 10484, 'shopping and consumer': 761970, 'right expert answer': 721893, 'expert answer your': 291780, 'are personal': 89069, 'shopper filling': 761508, 'filling cart': 305597, 'open do': 612185, 'hire personal': 397022, 'product toiletpaper': 681774, 'why are personal': 990781, 'are personal shopper': 89070, 'personal shopper filling': 652961, 'shopper filling cart': 761509, 'filling cart before': 305598, 'cart before the': 165274, 'store open do': 809256, 'open do we': 612186, 'have to hire': 383225, 'to hire personal': 907799, 'hire personal shopper': 397023, 'personal shopper in': 652963, 'shopper in order': 761564, 'order to access': 618659, 'to access food': 899951, 'food and paper': 313301, 'and paper product': 68695, 'paper product toiletpaper': 640634, 'sale reflects': 732488, 'eating pattern': 266284, 'pattern to': 644513, 'to significantly': 914651, 'significantly more': 769593, 'home meal': 401602, 'change in sale': 172131, 'in sale reflects': 427662, 'sale reflects the': 732489, 'reflects the shift': 706690, 'in consumer eating': 421693, 'consumer eating pattern': 197280, 'eating pattern to': 266285, 'pattern to significantly': 644516, 'to significantly more': 914652, 'significantly more at': 769594, 'at home meal': 99047, 'brisket': 140313, 'whoo': 990583, 'hoo': 403309, 'passoverdinner': 643453, 'craigs': 214816, 'omg just': 598903, 'delivered my': 233358, 'my delicious': 547973, 'delicious passover': 233020, 'passover dinner': 643432, 'dinner better': 243056, 'than brisket': 840417, 'brisket wa': 140316, 'sanitizer whoo': 736097, 'whoo hoo': 990584, 'hoo good': 403310, 'good bonus': 356833, 'bonus passover': 134392, 'passover passoverdinner': 643446, 'passoverdinner craigs': 643454, 'craigs brisket': 214817, 'brisket corona': 140314, 'omg just delivered': 598905, 'just delivered my': 468569, 'delivered my delicious': 233359, 'my delicious passover': 547974, 'delicious passover dinner': 233021, 'passover dinner better': 643433, 'dinner better than': 243057, 'better than brisket': 128515, 'than brisket wa': 840418, 'brisket wa the': 140317, 'wa the hand': 963451, 'hand sanitizer whoo': 375667, 'sanitizer whoo hoo': 736098, 'whoo hoo good': 990585, 'hoo good bonus': 403311, 'good bonus passover': 356835, 'bonus passover passoverdinner': 134393, 'passover passoverdinner craigs': 643447, 'passoverdinner craigs brisket': 643455, 'craigs brisket corona': 214818, 'brisket corona stayhome': 140315, 'statista': 796569, 'retail category': 717927, 'category statista': 167220, 'statista reported': 796570, 'category read': 167207, 'here digitalmarketing': 392919, 'digitalmarketing ecommerce': 242768, 'sale increase': 732309, 'increase decrease': 432732, 'coronavirus on retail': 206342, 'on retail category': 603174, 'retail category statista': 717930, 'category statista reported': 167221, 'statista reported the': 796571, 'reported the impact': 712547, 'in the by': 429046, 'the by retail': 850246, 'by retail category': 153795, 'retail category read': 717929, 'category read full': 167208, 'read full article': 700346, 'full article here': 340488, 'article here digitalmarketing': 94346, 'here digitalmarketing ecommerce': 392920, 'digitalmarketing ecommerce sale': 242771, 'ecommerce sale increase': 266856, 'sale increase decrease': 732310, 'why some': 991361, '19 better': 5383, 'others family': 621393, 'family firm': 297798, 'presence more': 670555, 'survive economic': 829160, 'economic standstill': 267314, 'standstill and': 793840, 'behaviour that': 124532, 'follow say': 312498, 'why some local': 991363, 'local business will': 497784, 'business will get': 144683, 'get through covid': 348432, 'covid 19 better': 212701, '19 better than': 5384, 'better than others': 128530, 'than others family': 841007, 'others family firm': 621394, 'family firm and': 297799, 'firm and retailer': 308309, 'and retailer with': 70465, 'with online presence': 999900, 'online presence more': 608789, 'presence more likely': 670556, 'likely to survive': 492182, 'to survive economic': 916027, 'survive economic standstill': 829161, 'economic standstill and': 267315, 'standstill and change': 793841, 'consumer behaviour that': 196602, 'behaviour that will': 124534, 'that will follow': 847576, 'will follow say': 993464, 'follow say of': 312499, 'say of expert': 739009, 'nimmo': 563263, 'keep giving': 471536, 'also they': 48995, 'ever supply': 285528, 'ha and': 369551, 'increase nimmo': 432923, 'locally please keep': 498775, 'please keep giving': 660151, 'keep giving and': 471537, 'giving and encourage': 351236, 'others to also': 621722, 'to also they': 900381, 'also they are': 48996, 'than ever supply': 840613, 'ever supply to': 285529, 'supply to food': 826006, 'bank drop and': 109793, 'drop and demand': 260124, 'demand ha and': 235600, 'ha and will': 369553, 'will increase nimmo': 993820, 'diarrhoea': 240395, 'cantwin': 162385, 'supermarket thought': 823327, 'thought had': 893070, 'had debilitating': 373013, 'debilitating diarrhoea': 230366, 'diarrhoea when': 240400, 'when purchased': 983909, 'purchased 24': 689748, 'an inconsiderate': 56232, 'inconsiderate arsehole': 432559, 'arsehole with': 94101, 'vulnerable shutdownaustralia': 961165, 'shutdownaustralia tpshortage2020': 768141, 'tpshortage2020 cantwin': 928102, 'week ago people': 975854, 'ago people in': 38442, 'the supermarket thought': 868856, 'supermarket thought had': 823329, 'thought had debilitating': 893071, 'had debilitating diarrhoea': 373014, 'debilitating diarrhoea when': 230367, 'diarrhoea when purchased': 240401, 'when purchased 24': 983910, 'purchased 24 pack': 689749, 'of tp now': 592374, 'tp now they': 927883, 'now they think': 576116, 'they think an': 883558, 'think an inconsiderate': 885136, 'an inconsiderate arsehole': 56233, 'inconsiderate arsehole with': 432561, 'arsehole with no': 94102, 'with no regard': 999782, 'regard for the': 707137, 'and vulnerable shutdownaustralia': 75062, 'vulnerable shutdownaustralia tpshortage2020': 961166, 'shutdownaustralia tpshortage2020 cantwin': 768142, 'countryrisk': 211300, 'rising risk': 723287, 'food supplychains': 317027, 'supplychains upside': 826267, 'upside risk': 947862, 'to agriculture': 900185, 'agriculture price': 39012, 'price countryrisk': 673303, 'rising risk of': 723288, 'of disruption to': 582711, 'disruption to global': 246544, 'to global food': 906743, 'global food supplychains': 351952, 'food supplychains upside': 317028, 'supplychains upside risk': 826268, 'upside risk to': 947863, 'risk to agriculture': 723949, 'to agriculture price': 900186, 'agriculture price countryrisk': 39013, 'ororo': 619655, 'transistor': 929616, 'melaye': 527913, 'nigerian politician': 562870, 'politician pls': 663733, 'nice by': 562359, 'sharing hand': 755527, 'mass same': 519851, 'you shared': 1021140, 'shared rice': 755444, 'rice salt': 721131, 'salt ororo': 732817, 'ororo transistor': 619656, 'transistor radio': 929617, 'radio and': 695431, 'election pls': 271054, 'pls show': 661174, 'your kind': 1024569, 'kind self': 474969, 'self now': 747824, 'now melaye': 575296, 'nigerian politician pls': 562871, 'politician pls be': 663734, 'pls be nice': 661114, 'be nice by': 116079, 'nice by sharing': 562360, 'by sharing hand': 153966, 'sharing hand sanitizer': 755528, 'the mass same': 860251, 'mass same way': 519852, 'same way you': 733412, 'way you shared': 970206, 'you shared rice': 1021141, 'shared rice salt': 755446, 'rice salt ororo': 721132, 'salt ororo transistor': 732818, 'ororo transistor radio': 619657, 'transistor radio and': 929618, 'radio and money': 695432, 'and money during': 67112, 'money during election': 536719, 'during election pls': 262619, 'election pls show': 271055, 'pls show your': 661175, 'show your kind': 767303, 'your kind self': 1024570, 'kind self now': 474971, 'self now melaye': 747825, 'gordon': 358314, 'ha inevitably': 370963, 'inevitably prompted': 436430, 'prompted change': 683931, 'industry priority': 436052, 'priority our': 678624, 'director gordon': 243623, 'gordon bruce': 358315, 'bruce shared': 141323, 'shared his': 755413, 'his insight': 397539, 'insight with': 439663, 'help future': 389790, 'proof your': 684024, 'crisis ha inevitably': 217437, 'ha inevitably prompted': 370964, 'inevitably prompted change': 436431, 'prompted change in': 683932, 'demand and industry': 234976, 'and industry priority': 65185, 'industry priority our': 436053, 'priority our director': 678625, 'our director gordon': 622760, 'director gordon bruce': 243624, 'gordon bruce shared': 358316, 'bruce shared his': 141324, 'shared his insight': 755414, 'his insight with': 397541, 'insight with on': 439664, 'with on the': 999875, 'pandemic and way': 634917, 'and way to': 75272, 'to help future': 907527, 'help future proof': 389791, 'future proof your': 342434, 'proof your business': 684025, 'stayhomecanada': 798254, 'ha sale': 371803, 'on simply': 603470, 'simply protein': 770262, 'protein bar': 685878, 'bar for': 110706, 'ha limit': 371143, 'of per': 588032, 'for benefit': 319644, 'socialdistancing stayhomecanada': 780741, 'so ha sale': 777226, 'ha sale on': 371804, 'sale on simply': 732421, 'on simply protein': 603471, 'simply protein bar': 770263, 'protein bar for': 685881, 'bar for 21': 110707, 'for 21 but': 318758, '21 but online': 14979, 'but online order': 146679, 'online order ha': 608691, 'order ha limit': 618279, 'ha limit of': 371144, 'limit of per': 492401, 'of per customer': 588034, 'per customer so': 650783, 'customer so they': 222862, 'so they want': 778485, 'store so much': 810229, 'much for benefit': 544915, 'for benefit of': 319645, 'benefit of online': 127047, 'online shopping socialdistancing': 609278, 'shopping socialdistancing stayhomecanada': 763939, 'apcoinsight': 81433, 'apcoinsight joined': 81434, 'joined fast': 466928, 'forward podcast': 330000, 'podcast to': 662320, 'quick serve': 694372, 'serve restaurant': 751936, 'research listen': 713782, 'interview here': 442216, 'apcoinsight joined fast': 81435, 'joined fast forward': 466929, 'fast forward podcast': 299984, 'forward podcast to': 330001, 'podcast to discus': 662322, 'consumer expectation for': 197396, 'expectation for quick': 290822, 'for quick serve': 324919, 'quick serve restaurant': 694373, 'serve restaurant during': 751937, 'restaurant during the': 716438, 'pandemic and our': 634887, 'and our latest': 68499, 'latest research listen': 481534, 'research listen to': 713783, 'to the interview': 916815, 'the interview here': 858400, 'flavoured': 310251, 'sparkling': 787615, 'description': 237979, 'so putting': 778092, 'putting flavoured': 691117, 'flavoured sparkling': 310252, 'sparkling water': 787616, 'my gin': 548494, 'gin due': 350171, 'no tonic': 565773, 'any description': 79108, 'description at': 237982, 'thanks lot': 842128, 'lot panic': 504339, 'buyer panicbuying': 149713, 'panicbuying firstworldproblems': 638938, 'so putting flavoured': 778093, 'putting flavoured sparkling': 691118, 'flavoured sparkling water': 310253, 'sparkling water in': 787618, 'water in my': 969029, 'in my gin': 425580, 'my gin due': 548495, 'gin due to': 350172, 'to no tonic': 910626, 'no tonic water': 565775, 'tonic water of': 924343, 'water of any': 969076, 'of any description': 580252, 'any description at': 79109, 'description at the': 237983, 'supermarket thanks lot': 823174, 'thanks lot panic': 842130, 'lot panic buyer': 504340, 'panic buyer panicbuying': 637596, 'buyer panicbuying firstworldproblems': 149714, 'collapse by': 185973, 'another 24': 77478, '20 it': 13112, 'it hasn': 458498, '2002 usa': 13581, 'oil collapse by': 596677, 'collapse by another': 185975, 'by another 24': 151864, 'another 24 to': 77479, '24 to 20': 15698, 'to 20 it': 899575, '20 it hasn': 13113, 'it hasn been': 458499, 'low since 2002': 505606, 'since 2002 usa': 770439, 'starve right': 795215, 'right better': 721819, 'better accumulate': 128178, 'accumulate panicked': 28853, 'panicked moron': 639272, 'to starve right': 915247, 'starve right better': 795216, 'right better accumulate': 721820, 'better accumulate panicked': 128179, 'accumulate panicked moron': 28854, 'panicked moron everywhere': 639273, '30a': 17400, '8p': 23205, 'bridgeport': 139636, 'below from': 126653, 'from stop': 337431, 'stop shop': 805014, 'shop special': 760814, 'hour 6am': 405351, '6am 30am': 21548, '30am designated': 17413, 'customer senior': 222810, '60 the': 21013, 'hour intended': 405704, 'allow distancing': 45949, 'crowded environment': 219310, 'environment regular': 279137, 'hour 30a': 405349, '30a 8p': 17401, '8p bridgeport': 23206, 'bridgeport publichealth': 139639, 'publichealth prevention': 688543, 'please see link': 660454, 'see link below': 745362, 'link below from': 493801, 'below from stop': 126654, 'from stop shop': 337433, 'stop shop special': 805018, 'shop special hour': 760815, 'special hour 6am': 787958, 'hour 6am 30am': 405352, '6am 30am designated': 21549, '30am designated for': 17414, 'designated for grocery': 238296, 'store customer senior': 807248, 'customer senior over': 222811, 'over 60 the': 629881, '60 the hour': 21014, 'the hour intended': 857578, 'hour intended to': 405705, 'intended to allow': 441055, 'to allow distancing': 900332, 'allow distancing in': 45951, 'distancing in le': 247229, 'le crowded environment': 482911, 'crowded environment regular': 219311, 'environment regular hour': 279138, 'regular hour 30a': 707792, 'hour 30a 8p': 405350, '30a 8p bridgeport': 17402, '8p bridgeport publichealth': 23207, 'bridgeport publichealth prevention': 139640, 'around 10 percent': 93097, 'cern': 169963, 'lhc': 487936, 'physic': 655361, 'infectiousdiseases': 436922, 'cern scientist': 169964, 'scientist producing': 742248, 'sanitizer ventilator': 736007, 'with fight': 998430, 'fight lhc': 304793, 'lhc physic': 487937, 'physic infectiousdiseases': 655362, 'infectiousdiseases pandemic2020': 436923, 'cern scientist producing': 169965, 'scientist producing hand': 742249, 'hand sanitizer ventilator': 375642, 'sanitizer ventilator to': 736008, 'help with fight': 390909, 'with fight lhc': 998431, 'fight lhc physic': 304794, 'lhc physic infectiousdiseases': 487938, 'physic infectiousdiseases pandemic2020': 655363, 'from temporarily': 337559, 'temporarily banning': 837438, 'banning in': 110633, 'to curbside': 903810, 'curbside and': 220613, 'these bagger': 879667, 'bagger and': 108500, 'cashier can': 166497, 'become curbside': 119958, 'curbside shopper': 220673, 'limit themselves': 492528, 'also think grocery': 49002, 'store would benefit': 811645, 'benefit from temporarily': 126992, 'from temporarily banning': 337560, 'temporarily banning in': 837439, 'banning in store': 110634, 'shopping and move': 762002, 'and move to': 67293, 'move to all': 543751, 'to all online': 900273, 'all online to': 43753, 'online to curbside': 609582, 'to curbside and': 903811, 'curbside and delivery': 220614, 'and delivery all': 61108, 'delivery all these': 233637, 'all these bagger': 45021, 'these bagger and': 879668, 'bagger and cashier': 108501, 'and cashier can': 59610, 'cashier can become': 166498, 'can become curbside': 157731, 'become curbside shopper': 119959, 'curbside shopper and': 220674, 'and limit themselves': 66181, 'limit themselves and': 492529, 'themselves and other': 876758, 'customer from being': 222396, 'from being exposed': 334677, 'scoffing': 742291, 'their denial': 873004, 'denial and': 236937, 'and scoffing': 71086, 'scoffing when': 742292, 'when member': 983728, 'gop recommends': 358270, 'recommends you': 704862, 'alcohol free': 41007, 'sanitizer shit': 735728, 'shit that': 759235, 'work you': 1006070, 'gotta ask': 359062, 'yourself do': 1026581, 'all dead': 42535, 'top of their': 925643, 'of their denial': 591657, 'their denial and': 873005, 'denial and scoffing': 236938, 'and scoffing when': 71087, 'scoffing when member': 742293, 'when member of': 983729, 'the gop recommends': 856469, 'gop recommends you': 358271, 'recommends you use': 704863, 'you use alcohol': 1021998, 'use alcohol free': 949020, 'alcohol free hand': 41009, 'hand sanitizer shit': 375586, 'sanitizer shit that': 735729, 'shit that doesn': 759238, 'that doesn work': 843589, 'doesn work you': 252004, 'work you gotta': 1006071, 'you gotta ask': 1018912, 'gotta ask yourself': 359063, 'ask yourself do': 95691, 'yourself do they': 1026583, 'they want all': 883705, 'want all dead': 965693, 'at grim': 98809, 'grim time': 363970, 'for lebanon': 322923, 'lebanon financial': 485185, 'currency value': 221069, 'soaring for': 779324, 'this come at': 886805, 'come at grim': 187226, 'at grim time': 98810, 'grim time for': 363971, 'time for lebanon': 896720, 'for lebanon financial': 322924, 'lebanon financial crisis': 485186, 'financial crisis ha': 306370, 'crisis ha wiped': 217450, 'wiped out about': 996463, 'out about half': 625553, 'half the currency': 374271, 'the currency value': 852606, 'currency value and': 221070, 'value and sent': 952088, 'and sent price': 71270, 'sent price soaring': 750799, 'price soaring for': 676538, 'soaring for month': 779325, 'ne': 553435, 'weareinthistogether hey': 974547, 'well local': 978372, 'in ne': 425699, 'ne pa': 553442, 'pa emailed': 632844, 'emailed their': 272386, 'customer this': 222944, 'awesome email': 106170, 'pandemic plea': 636193, 'weareinthistogether hey guy': 974548, 'hey guy we': 394407, 'guy we hope': 369212, 'we hope everyone': 972031, 'safe and doing': 729442, 'and doing well': 61612, 'doing well local': 252834, 'well local supermarket': 978374, 'supermarket in ne': 820940, 'in ne pa': 425700, 'ne pa emailed': 553443, 'pa emailed their': 632845, 'emailed their customer': 272387, 'their customer this': 872960, 'customer this awesome': 222945, 'this awesome email': 886468, 'awesome email today': 106171, 'email today we': 272347, 'today we wanted': 920486, 'info with you': 437618, 'you during the': 1018382, '19 pandemic plea': 9428, 'they we': 883733, 're everywhere': 698633, 'everywhere motor': 288234, 'motor home': 543332, 'home roof': 401990, 'even french': 284085, 'registration car': 707674, 'park the': 641998, 'the holiday': 857434, 'holiday let': 400324, 'let is': 486821, 'even full': 284094, 'full down': 340570, 'the lane': 858938, 'lane from': 479445, 'and alike': 57849, 'and they we': 73949, 'they we re': 883734, 'we re everywhere': 972867, 're everywhere motor': 698634, 'everywhere motor home': 288235, 'motor home roof': 543333, 'home roof box': 401991, 'box even french': 137056, 'even french registration': 284086, 'french registration car': 332754, 'registration car in': 707675, 'car in the': 163139, 'car park the': 163236, 'park the holiday': 641999, 'the holiday let': 857436, 'holiday let is': 400325, 'let is even': 486822, 'is even full': 447563, 'even full down': 284095, 'full down the': 340571, 'down the lane': 257285, 'the lane from': 858939, 'lane from so': 479446, 'from so so': 337326, 'so so irresponsible': 778234, 'nh and alike': 561875, 'zillion': 1027563, 'need zillion': 556276, 'zillion roll': 1027564, 'toiletpaper emptyshelves': 921956, 'why you do': 991588, 'not need zillion': 570681, 'need zillion roll': 556277, 'zillion roll of': 1027565, 'of toiletpaper emptyshelves': 592262, 'oil drillers': 596751, 'drillers urge': 258779, 'urge regulator': 948217, 'regulator to': 708151, 'place oil': 657611, 'production cap': 681957, 'significant market': 769474, 'market oversupply': 516827, 'oversupply amid': 631571, 'shale oil drillers': 754504, 'oil drillers urge': 596752, 'drillers urge regulator': 258780, 'urge regulator to': 948218, 'regulator to put': 708152, 'in place oil': 426751, 'place oil production': 657613, 'oil production cap': 597364, 'production cap price': 681958, 'cap price plummet': 162445, 'due to significant': 261951, 'to significant market': 914649, 'significant market oversupply': 769475, 'market oversupply amid': 516828, 'oversupply amid the': 631572, 'pandemic wait': 636912, 'wait til': 964208, 'plummet before': 661261, 'before filling': 122797, 'filling ur': 305645, 'ur tank': 948076, 'tank it': 834214, 'didn pay': 241154, 'thing ve learned': 884941, 'learned about pandemic': 484106, 'about pandemic wait': 25918, 'pandemic wait til': 636913, 'wait til the': 964209, 'til the gas': 895949, 'price plummet before': 675897, 'plummet before filling': 661262, 'before filling ur': 122798, 'filling ur tank': 305646, 'ur tank it': 948077, 'tank it didn': 834215, 'it didn pay': 457543, 'didn pay for': 241157, 'pay for me': 644885, 'these risky': 880613, 'time tell': 897810, 'tell fit': 836956, 'fit to': 309501, 'book the': 134610, 'when so': 984038, 'many disabled': 513999, 'early one': 264668, 'hour physical': 405858, 'one step': 607099, 'step go': 799546, 'we can really': 970997, 'can really in': 159387, 'really in these': 702337, 'in these risky': 429853, 'these risky time': 880614, 'risky time tell': 724125, 'time tell fit': 897811, 'tell fit to': 836957, 'fit to not': 309502, 'to not book': 910683, 'not book the': 568588, 'book the supermarket': 134611, 'the supermarket home': 868633, 'slot but when': 774155, 'but when so': 147822, 'when so many': 984039, 'so many disabled': 777651, 'many disabled can': 514000, 'disabled can make': 243889, 'can make it': 158934, 'make it out': 510046, 'it out even': 460180, 'out even when': 626024, 'even when not': 284783, 'when not the': 983784, 'not the threat': 572035, '19 you really': 12276, 'think more supermarket': 885404, 'more supermarket early': 540499, 'supermarket early one': 820077, 'early one hour': 264669, 'one hour physical': 606439, 'hour physical shop': 405859, 'physical shop is': 655454, 'shop is one': 760365, 'is one step': 450509, 'one step go': 607101, 'step go further': 799547, 'ncovsupply': 553355, 'ncovsupplies': 553353, 'contact ncovsupply': 200152, 'ncovsupply for': 553356, 'sanitizer ncovsupplies': 735396, 'ncovsupplies com': 553354, 'please contact ncovsupply': 659839, 'contact ncovsupply for': 200153, 'ncovsupply for mask': 553357, 'hand sanitizer ncovsupplies': 375498, 'sanitizer ncovsupplies com': 735397, 'announced full': 76948, 'week starting': 976911, 'starting in': 794967, 'hour only': 405826, 'only exception': 610408, 'exception are': 289259, 'zealand government ha': 1027285, 'ha announced full': 369558, 'announced full lockdown': 76949, 'full lockdown for': 340672, 'next week starting': 561697, 'week starting in': 976912, 'starting in 48': 794968, '48 hour only': 19310, 'hour only exception': 405827, 'only exception are': 610409, 'exception are supermarket': 289260, 'are supermarket and': 90648, 'supermarket and essential': 818970, 'and essential service': 62261, 'sensitize': 750717, 'to sensitize': 914245, 'sensitize the': 750718, 'ration amidst': 697626, 'amidst fear': 52792, 'need to sensitize': 556064, 'to sensitize the': 914246, 'sensitize the union': 750719, 'the union health': 870406, 'health ministry to': 386648, 'ministry to people': 533577, 'who are stocking': 988227, 'on food ration': 600901, 'food ration amidst': 316114, 'ration amidst fear': 697627, 'be sudden': 117435, 'sudden rise': 817038, 'in telemedicine': 428858, 'telemedicine will': 836792, 'will robot': 994721, 'robot and': 724784, 'ai shift': 39338, 'shift consumer': 758265, 'behaviour even': 124414, 'further we': 342203, 'crisis retreat': 217986, 'there be sudden': 878222, 'be sudden rise': 117436, 'sudden rise in': 817039, 'rise in telemedicine': 722910, 'in telemedicine will': 428859, 'telemedicine will robot': 836793, 'will robot and': 994722, 'robot and ai': 724785, 'and ai shift': 57803, 'ai shift consumer': 39339, 'shift consumer behaviour': 758266, 'consumer behaviour even': 196568, 'behaviour even further': 124415, 'even further we': 284100, 'further we look': 342204, 'what the long': 982334, 'term impact could': 838174, 'could be after': 208840, 'be after the': 113530, 'after the crisis': 36303, 'the crisis retreat': 852442, 'worst disease': 1011170, 'century covid': 169612, '19 irresponsible': 7925, 'behaviour by': 124376, 'by nd': 153309, 'nd along': 553378, 'china exporter': 176649, 'exporter of': 292755, 'disease ppl': 245210, 'ppl around': 668182, 'should boycott': 765789, 'boycott chinese': 137327, 'consumer nd': 198183, 'nd industrial': 553387, 'industrial product': 435561, 'product should': 681620, 'should shut': 766469, 'office for': 595421, 'behaviour in': 124451, 'worst disease of': 1011171, 'disease of 21st': 245191, '21st century covid': 15141, 'century covid 19': 169613, 'covid 19 irresponsible': 213291, '19 irresponsible behaviour': 7926, 'irresponsible behaviour by': 445041, 'behaviour by nd': 124377, 'by nd along': 153310, 'nd along with': 553379, 'along with china': 47045, 'with china exporter': 997631, 'china exporter of': 176650, 'exporter of disease': 292757, 'of disease ppl': 582673, 'disease ppl around': 245211, 'ppl around the': 668183, 'the world should': 871964, 'world should boycott': 1009974, 'should boycott chinese': 765790, 'boycott chinese consumer': 137328, 'chinese consumer nd': 177230, 'consumer nd industrial': 198184, 'nd industrial product': 553388, 'industrial product should': 435562, 'product should shut': 681623, 'should shut down': 766470, 'down their shop': 257320, 'their shop office': 874703, 'shop office for': 760537, 'office for irresponsible': 595423, 'irresponsible behaviour in': 445042, 'behaviour in total': 124455, 'accompanied': 28480, 'been accompanied': 120596, 'accompanied by': 28481, 'ha been accompanied': 369704, 'been accompanied by': 120597, 'accompanied by surge': 28483, 'in consumer fraud': 421697, 'group is': 366743, 'same household': 733108, 'household or': 406900, 'staying metre': 798667, 'apart what': 81368, 'which load': 986118, 'doing every': 252384, 'air exercise': 39719, 'exercise many': 290075, 'if the group': 414983, 'the group is': 856864, 'group is from': 366745, 'is from the': 447947, 'the same household': 866241, 'same household or': 733110, 'household or if': 406901, 'or if not': 615716, 'if not staying': 414510, 'not staying metre': 571715, 'staying metre apart': 798668, 'metre apart what': 529831, 'apart what is': 81370, 'problem it no': 679578, 'it no different': 459827, 'different to standing': 242111, 'in queue for': 427222, 'supermarket which load': 823836, 'which load of': 986119, 'load of people': 497275, 'are doing every': 85894, 'doing every day': 252385, 'day people need': 228200, 'people need fresh': 648822, 'need fresh air': 554887, 'fresh air exercise': 332915, 'air exercise many': 39720, 'pestilence': 653342, 'that plague': 845753, 'locust ha': 500567, 'ha stripped': 372085, 'stripped clean': 813856, 'the pestilence': 863605, 'pestilence and': 653343, 'the flood': 855413, 'flood oh': 310717, 'had fire': 373115, 'be that plague': 117584, 'that plague of': 845754, 'of locust ha': 585974, 'locust ha stripped': 500568, 'ha stripped clean': 372086, 'stripped clean the': 813857, 'clean the supermarket': 180654, 'shelf after all': 756687, 'after all we': 35339, 'all we ve': 45411, 'got the pestilence': 358910, 'the pestilence and': 863606, 'pestilence and we': 653344, 've had the': 953238, 'had the flood': 373615, 'the flood oh': 855414, 'flood oh and': 310718, 'oh and australia': 596350, 'and australia had': 58522, 'australia had fire': 103298, 'assurance': 97069, 'bescom': 127459, 'uniterrupted': 942308, 'dont spam': 255281, 'spam with': 787392, 'with false': 998370, 'false assurance': 297406, 'assurance dear': 97070, 'consumer bescom': 196625, 'bescom work': 127462, 'ensure uniterrupted': 278115, 'uniterrupted electricity': 942309, 'electricity during': 271171, 'wish stayhomestaysafe': 996812, 'stayhomestaysafe finally': 798513, 'finally bescom': 305949, 'bescom is': 127460, 'worst electricity': 1011175, 'electricity provider': 271201, 'india worst': 434697, 'worst infra': 1011207, 'infra customer': 438169, 'customer care': 222234, 'dont spam with': 255282, 'spam with false': 787393, 'with false assurance': 998371, 'false assurance dear': 297407, 'assurance dear consumer': 97071, 'dear consumer bescom': 229764, 'consumer bescom work': 196626, 'bescom work 24': 127463, 'work 24 to': 1004699, '24 to ensure': 15699, 'to ensure uniterrupted': 905201, 'ensure uniterrupted electricity': 278116, 'uniterrupted electricity during': 942310, 'electricity during covid': 271172, 'pandemic we wish': 636958, 'we wish stayhomestaysafe': 973929, 'wish stayhomestaysafe finally': 996813, 'stayhomestaysafe finally bescom': 798514, 'finally bescom is': 305950, 'bescom is the': 127461, 'the worst electricity': 872049, 'worst electricity provider': 1011176, 'electricity provider in': 271202, 'provider in india': 686742, 'in india worst': 424065, 'india worst infra': 434698, 'worst infra customer': 1011208, 'infra customer care': 438170, 'essential hero': 281126, 'hero including': 394021, 'including grocery': 431996, 'safety aside': 730476, 'aside to': 95446, 'safe fed': 729659, 'fed let': 301848, 'part people': 642408, 'people stayhomesavelives': 649568, 'the essential hero': 854508, 'essential hero including': 281127, 'hero including grocery': 394022, 'including grocery store': 431997, 'store chain who': 806940, 'chain who are': 171232, 'are tirelessly working': 91102, 'tirelessly working and': 899095, 'working and putting': 1008506, 'and putting their': 69840, 'putting their safety': 691244, 'their safety aside': 874612, 'safety aside to': 730477, 'aside to keep': 95447, 'keep safe fed': 471878, 'safe fed let': 729660, 'fed let all': 301849, 'all go our': 42946, 'go our part': 353928, 'our part people': 624264, 'part people stayhomesavelives': 642409, 'betwinnervirtual': 128969, 'for worst': 327972, '19 betwinnervirtual': 5386, 'need it to': 555112, 'it to stock': 461756, 'preparation for worst': 670038, 'for worst case': 327973, 'case scenario of': 166004, 'scenario of covid': 741278, 'covid 19 betwinnervirtual': 212702, 'deputized': 237779, 'gratuitous': 362416, 'petulant': 653889, 'worker didn': 1006773, 'didn sign': 241200, 'the essentially': 854530, 'essentially deputized': 281903, 'deputized them': 237780, 'them first': 875693, 'responder without': 715553, 'their knowledge': 873771, 'knowledge shut': 477185, 'your complain': 1023296, 'complain hole': 191860, 'hole and': 400202, 'to gratuitous': 906986, 'gratuitous thanking': 362417, 'thanking stop': 841994, 'like petulant': 490996, 'petulant child': 653890, 'child that': 176218, 'is solely': 452073, 'solely affected': 781861, 'store worker didn': 811479, 'worker didn sign': 1006774, 'didn sign up': 241202, 'for this the': 327074, 'this the essentially': 890519, 'the essentially deputized': 854531, 'essentially deputized them': 281904, 'deputized them first': 237781, 'them first responder': 875694, 'first responder without': 308975, 'responder without their': 715554, 'without their knowledge': 1002986, 'their knowledge shut': 873773, 'knowledge shut your': 477186, 'shut your complain': 767969, 'your complain hole': 1023297, 'complain hole and': 191861, 'hole and get': 400203, 'get to gratuitous': 348470, 'to gratuitous thanking': 906987, 'gratuitous thanking stop': 362418, 'thanking stop acting': 841995, 'acting like petulant': 29886, 'like petulant child': 490997, 'petulant child that': 653891, 'child that is': 176220, 'that is solely': 844654, 'is solely affected': 452074, 'solely affected by': 781862, 'by this pandemic': 154533, 'momentarily': 536138, 'force will': 328548, 'update momentarily': 947077, 'momentarily watch': 536141, 'watch here': 968435, 'task force will': 834707, 'force will be': 328549, 'be providing covid': 116602, '19 update momentarily': 11670, 'update momentarily watch': 947078, 'momentarily watch here': 536142, '927': 23512, 'whereisjoebiden': 985440, 'm4a': 507225, 'forgiveness': 329379, 'mass majority': 519801, 'majority will': 509592, 'afford covid': 34687, 'treatment 34': 931027, '34 927': 17799, '927 43': 23513, '43 on': 18979, 'their unemployment': 875075, 'unemployment student': 941302, 'debt rising': 230553, 'rising rent': 723283, 'risk death': 723485, 'death but': 229988, 'but whereisjoebiden': 147840, 'whereisjoebiden m4a': 985441, 'm4a college': 507229, 'college medical': 186629, 'debt forgiveness': 230482, 'forgiveness housing': 329382, 'housing for': 407081, 'the mass majority': 860244, 'mass majority will': 519802, 'majority will not': 509593, 'to afford covid': 900156, 'afford covid 19': 34688, '19 treatment 34': 11566, 'treatment 34 927': 931028, '34 927 43': 17800, '927 43 on': 23515, '43 on top': 18980, 'of the their': 591532, 'the their unemployment': 869420, 'their unemployment student': 875076, 'unemployment student debt': 941303, 'student debt rising': 814668, 'debt rising rent': 230554, 'rising rent price': 723284, 'rent price and': 711156, 'price and risk': 672526, 'and risk death': 70555, 'risk death but': 723486, 'death but whereisjoebiden': 229989, 'but whereisjoebiden m4a': 147841, 'whereisjoebiden m4a college': 985442, 'm4a college medical': 507230, 'college medical debt': 186630, 'medical debt forgiveness': 526125, 'debt forgiveness housing': 230483, 'forgiveness housing for': 329383, 'fear price': 301294, 'complaint spike': 192032, 'spike amid': 789259, 'preying on fear': 672088, 'on fear price': 600762, 'fear price gouging': 301296, 'gouging complaint spike': 359295, 'complaint spike amid': 192033, 'spike amid coronavirus': 789260, 'handout': 376429, 'are screwed': 89870, 'screwed again': 742816, 'again remember': 37140, 'remember president': 710247, 'president bush': 670772, 'bush 400': 143133, '00 handout': 239, 'handout with': 376436, 'at 50': 97674, 'gallon burr': 342985, 'burr knew': 142943, 'knew week': 476095, 'ago about': 38321, 'we are screwed': 970700, 'are screwed again': 89872, 'screwed again remember': 742817, 'again remember president': 37141, 'remember president bush': 710248, 'president bush 400': 670773, 'bush 400 00': 143134, '400 00 handout': 18708, '00 handout with': 240, 'handout with gas': 376437, 'gas price at': 343934, 'price at 50': 672789, 'at 50 50': 97675, '50 50 gallon': 19591, '50 gallon burr': 19705, 'gallon burr knew': 342986, 'burr knew week': 142945, 'knew week ago': 476096, 'week ago about': 975833, 'serious question': 751461, 'question so': 693742, 'employee rn': 274161, 'rn what': 724349, 'serious question so': 751465, 'question so what': 693743, 'so what being': 778712, 'what being done': 981101, 'done to protect': 255076, 'protect the grocery': 684971, 'store employee rn': 807529, 'employee rn what': 274162, 'rn what if': 724350, 'what if one': 981630, 'of them get': 591741, 'them get sick': 875774, 'is human': 448622, 'so lockdown': 777574, 'and visual': 74996, 'visual show': 959633, 'show if': 767001, 'if double': 414065, 'double standard': 256055, 'standard police': 793692, 'wearing ppe': 974761, 'ppe keeping': 667988, 'keeping carrier': 472394, 'carrier or': 165004, 'they immune': 882446, 'there is human': 878576, 'is human right': 448626, 'human right to': 410602, 'right to life': 722346, 'to life so': 909253, 'life so lockdown': 489051, 'so lockdown and': 777575, 'lockdown and visual': 499157, 'and visual show': 74997, 'visual show if': 959634, 'show if double': 767002, 'if double standard': 414066, 'double standard police': 256056, 'standard police and': 793693, 'police and supermarket': 662912, 'supermarket staff not': 822869, 'staff not wearing': 792687, 'not wearing ppe': 572478, 'wearing ppe keeping': 974764, 'ppe keeping carrier': 667989, 'keeping carrier or': 472395, 'carrier or are': 165005, 'are they immune': 91006, 'they immune to': 882447, 'immune to covid': 417365, 'can hate': 158569, 'one loyal': 606626, 'loyal sister': 506279, 'sister the': 771791, 'the duo': 853782, 'duo to': 262324, 'one too': 607298, 'you see why': 1021078, 'see why we': 746080, 'why we can': 991518, 'we can hate': 970959, 'can hate this': 158570, 'hate this one': 378925, 'this one loyal': 889243, 'one loyal sister': 606627, 'loyal sister the': 506280, 'sister the duo': 771792, 'the duo to': 853783, 'duo to support': 262325, 'bank to meet': 110261, 'of this one': 592018, 'this one too': 889254, 'one too shall': 607300, 'atp': 101998, 'travel ecommerce': 930349, 'ecommerce player': 266838, 'player to': 659341, 'fraud perspective': 331322, 'perspective online': 653223, 'shopping witness': 764453, 'witness surge': 1003129, 'surge owing': 828239, 'pandemic atp': 634963, 'atp payment': 101999, 'payment fraudprevention': 645630, 'fraudprevention dataanalytics': 331387, 'dataanalytics giftcards': 226506, 'giftcards machinelearning': 350047, 'what is there': 981732, 'is there for': 453010, 'there for travel': 878414, 'for travel ecommerce': 327326, 'travel ecommerce player': 930350, 'ecommerce player to': 266839, 'player to learn': 659344, 'learn from fraud': 483963, 'from fraud perspective': 335557, 'fraud perspective online': 331323, 'perspective online shopping': 653224, 'online shopping witness': 609351, 'shopping witness surge': 764454, 'witness surge owing': 1003130, 'surge owing to': 828240, 'the pandemic atp': 862914, 'pandemic atp payment': 634964, 'atp payment fraudprevention': 102000, 'payment fraudprevention dataanalytics': 645631, 'fraudprevention dataanalytics giftcards': 331388, 'dataanalytics giftcards machinelearning': 226507, 'brewery store': 139460, 'continue to manage': 201220, 'manage the situation': 512444, 'follow the advice': 312522, 'the advice and': 848381, 'advice and recommendation': 33316, 'our brewery store': 622270, 'brewery store will': 139461, 'with exploring': 998341, 'exploring the': 292552, 'business post': 144237, '19 such': 10926, 'an insightful': 56365, 'insightful piece': 439678, 'piece backed': 656273, 'backed up': 107542, 'research observation': 713792, 'observation and': 578535, 'expert opinion': 291906, 'opinion helping': 613465, 'well informed': 978320, 'in with exploring': 430941, 'with exploring the': 998342, 'exploring the lasting': 292553, 'the lasting impact': 859060, 'and business post': 59297, 'business post covid': 144238, 'covid 19 such': 213883, '19 such an': 10927, 'such an insightful': 816327, 'an insightful piece': 56366, 'insightful piece backed': 439679, 'piece backed up': 656275, 'backed up with': 107543, 'up with research': 946677, 'with research observation': 1000474, 'research observation and': 713793, 'observation and expert': 578536, 'and expert opinion': 62506, 'expert opinion helping': 291907, 'opinion helping to': 613466, 'helping to ensure': 391523, 'ensure your marketing': 278136, 'marketing strategy is': 517713, 'strategy is well': 812668, 'is well informed': 453846, 'pressure despite': 671147, 'despite recent': 238834, 'recent positive': 703957, 'positive result': 665423, 'result due': 717499, 'rising commodity': 723178, 'and various': 74843, 'various cost': 952593, 'cost saving': 208102, 'saving initiative': 737891, 'initiative africa': 438599, 'company are feeling': 190425, 'feeling the pressure': 303076, 'the pressure despite': 864297, 'pressure despite recent': 671148, 'despite recent positive': 238835, 'recent positive result': 703958, 'positive result due': 665425, 'result due to': 717500, 'to rising commodity': 913585, 'rising commodity price': 723179, 'price and various': 672576, 'and various cost': 74844, 'various cost saving': 952595, 'cost saving initiative': 208103, 'saving initiative africa': 737892, 'initiative africa technologynews': 438600, 'mining economy business': 533275, 'first do': 308644, 'mind war': 532764, 'are won': 91670, 'won and': 1003729, 'mind fear': 532660, 'fear mongering': 301199, 'mongering produce': 537229, 'produce panic': 680390, 'panic keepcalmandcarryon': 638256, 'keepcalmandcarryon tearful': 472315, 'first do not': 308645, 'lose your mind': 503503, 'your mind war': 1024839, 'mind war are': 532765, 'war are won': 966369, 'are won and': 91671, 'won and lost': 1003730, 'and lost in': 66411, 'the mind fear': 860634, 'mind fear mongering': 532661, 'fear mongering produce': 301202, 'mongering produce panic': 537230, 'produce panic keepcalmandcarryon': 680391, 'panic keepcalmandcarryon tearful': 638257, 'keepcalmandcarryon tearful nurse': 472316, 'nurse urge the': 577533, 'urge the public': 948229, 'buying food via': 150343, 'continues so': 201441, 'will scam': 994753, 'misinformation take': 534077, 'some specific': 783916, 'specific example': 788211, 'scam provided': 740319, '19 continues so': 6030, 'continues so will': 201442, 'so will scam': 778775, 'will scam and': 994754, 'scam and the': 740021, 'spread of misinformation': 790686, 'of misinformation take': 586576, 'misinformation take look': 534078, 'at some specific': 100581, 'some specific example': 783917, 'specific example of': 788212, '19 scam provided': 10349, 'scam provided by': 740320, 'by the ftc': 154330, 'operation forced': 613188, 'to scale': 913858, 'scale back': 739873, 'the nanaimo': 861196, 'nanaimo food': 551783, 'bank brace': 109685, 'demand nanaimo': 235912, 'nanaimo news': 551789, 'now nanaimo': 575333, 'nanaimo loaf': 551787, 'loaf fish': 497359, 'fish community': 309304, 'are down and': 85970, 'down and operation': 256507, 'and operation forced': 68187, 'operation forced to': 613189, 'forced to scale': 328651, 'to scale back': 913859, 'scale back the': 739876, 'back the nanaimo': 107312, 'the nanaimo food': 861197, 'nanaimo food bank': 551784, 'food bank brace': 313530, 'bank brace for': 109686, 'brace for increased': 137488, 'for increased demand': 322530, 'increased demand nanaimo': 433281, 'demand nanaimo news': 235913, 'nanaimo news now': 551790, 'news now nanaimo': 560643, 'now nanaimo loaf': 575334, 'nanaimo loaf fish': 551788, 'loaf fish community': 497360, 'fish community food': 309305, 'minion world': 533307, 'world successfully': 1010019, 'successfully stole': 816273, 'stole case': 804268, 'paper got': 640226, 'got off': 358756, 'off scott': 594124, 'scott via': 742468, 'minion world successfully': 533309, 'world successfully stole': 1010020, 'successfully stole case': 816274, 'stole case of': 804269, 'case of toilet': 165932, 'toilet paper got': 921290, 'paper got off': 640227, 'got off scott': 358757, 'off scott via': 594125, 'forgetting': 329356, 'hamsteren': 374661, 'basically hoarded': 112137, 'hoarded toilet': 398968, 'paper before': 639937, 'it became': 456742, 'became cool': 118865, 'cool when': 203060, 'feb notice': 301654, 'paper being': 639942, 'being discounted': 125054, 'discounted but': 244578, 'but forgetting': 145761, 'forgetting you': 329362, 'had full': 373130, 'full pack': 340790, 'pack at': 633021, 'home settled': 402043, 'apocalypse hamsteren': 81533, 'hamsteren hoarding': 374662, 'basically hoarded toilet': 112138, 'hoarded toilet paper': 398969, 'toilet paper before': 921203, 'paper before it': 639939, 'before it became': 122877, 'it became cool': 456743, 'became cool when': 118866, 'cool when you': 203061, 'supermarket in feb': 820896, 'in feb notice': 422829, 'feb notice the': 301655, 'toilet paper being': 921204, 'paper being discounted': 639943, 'being discounted but': 125055, 'discounted but forgetting': 244579, 'but forgetting you': 145762, 'forgetting you already': 329363, 'you already had': 1016939, 'already had full': 47393, 'had full pack': 373131, 'full pack at': 340791, 'pack at home': 633022, 'at home settled': 99101, 'home settled for': 402044, 'settled for the': 753708, 'for the apocalypse': 326305, 'the apocalypse hamsteren': 848809, 'apocalypse hamsteren hoarding': 81534, 'katrina': 471065, 'rita': 724138, 'ike': 416022, 'mres': 544426, 'is somewhat': 452121, 'somewhat similar': 785275, 'hurricane katrina': 411479, 'katrina rita': 471070, 'rita and': 724139, 'and ike': 64970, 'ike but': 416023, 'global scale': 352182, 'scale one': 739905, 'learned is': 484126, 'why mres': 991193, 'mres should': 544433, 'coronavirus panic is': 206522, 'panic is somewhat': 638223, 'is somewhat similar': 452124, 'somewhat similar to': 785276, 'the panic caused': 863194, 'caused by hurricane': 167844, 'by hurricane katrina': 152855, 'hurricane katrina rita': 411482, 'katrina rita and': 471071, 'rita and ike': 724140, 'and ike but': 64971, 'ike but on': 416024, 'but on global': 146658, 'on global scale': 601111, 'global scale one': 352187, 'scale one thing': 739906, 'thing we have': 884963, 'we have learned': 971853, 'have learned is': 381278, 'learned is to': 484127, 'is to make': 453223, 'sure everyone ha': 827543, 'enough food during': 277392, 'food during crisis': 314320, 'during crisis this': 262571, 'is why mres': 453968, 'why mres should': 991194, 'mres should be': 544434, 'should be available': 765561, 'available to those': 104665, 'need them we': 555789, 'them we have': 876587, 'have to act': 383149, 'herded': 392623, 'being herded': 125230, 'herded like': 392624, 'like cattle': 489974, 'cattle in': 167354, 'in airport': 420125, 'airport you': 40140, 'you pas': 1020300, 'pas dozen': 643099, 'per aisle': 650688, 'but forbidding': 145757, 'forbidding hairdresser': 328313, 'hairdresser to': 374048, 'their living': 873862, 'living is': 496401, 'are being herded': 84869, 'being herded like': 125231, 'herded like cattle': 392625, 'like cattle in': 489975, 'cattle in airport': 167355, 'in airport you': 420126, 'airport you pas': 40141, 'you pas dozen': 1020301, 'pas dozen people': 643100, 'dozen people per': 257913, 'people per aisle': 649095, 'per aisle in': 650689, 'store but forbidding': 806791, 'but forbidding hairdresser': 145758, 'forbidding hairdresser to': 328314, 'hairdresser to continue': 374049, 'continue to make': 201219, 'make their living': 510595, 'their living is': 873863, 'living is what': 496402, 'is what ha': 453876, 'what ha saved': 981536, 'ha saved all': 371808, 'saved all from': 737726, 'all from covid': 42874, 'wearing my': 974734, 'life would': 489236, 'save mine': 737576, 'mine justsaying': 532910, 'justsaying corvid19': 470513, 'corvid19 pandemic': 207735, 'pandemic walmart': 636915, 'walmart usa': 965457, 'wearing my face': 974735, 'my face mask': 548161, 'help save your': 390487, 'save your life': 737712, 'your life would': 1024653, 'life would you': 489239, 'would you wear': 1012430, 'you wear your': 1022218, 'wear your face': 974499, 'your face mask': 1023752, 'help save mine': 390484, 'save mine justsaying': 737577, 'mine justsaying corvid19': 532911, 'justsaying corvid19 pandemic': 470514, 'corvid19 pandemic walmart': 207736, 'pandemic walmart usa': 636916, 'want advice': 965690, 'provided under': 686658, 'information when': 438037, 'want advice on': 965691, 'advice on avoiding': 33452, 'avoiding scam related': 105493, 'related to 19': 708591, 'to 19 visit': 899557, 'visit the link': 959385, 'the link provided': 859444, 'link provided under': 493886, 'provided under consumer': 686659, 'under consumer protection': 940040, 'protection resource find': 685591, 'resource find this': 714771, 'find this and': 307329, 'other important information': 620401, 'important information when': 418842, 'information when you': 438038, 'visit the main': 959386, 'the main page': 859906, 'main page at': 508784, 'fmcg maker': 311737, 'reduce sanitiser': 705926, 'price amidst': 672323, 'covid scare': 214224, 'fmcg maker reduce': 311738, 'maker reduce sanitiser': 510860, 'reduce sanitiser price': 705927, 'sanitiser price amidst': 734004, 'price amidst covid': 672325, 'amidst covid scare': 52787, 'likeit': 491922, 'gallinago': 342951, 'sturgeon': 815575, 'junky': 468062, 'junkie': 468055, 'likeit gallinago': 491923, 'gallinago gel': 342952, 'gel cocaine': 345103, 'cocaine ha': 185192, 'ha hiked': 370869, 'hiked in': 396322, 'here co': 392877, '19 snp': 10630, 'snp tv': 776426, 'tv other': 936149, 'other night': 620583, 'night after': 562928, 'after sturgeon': 36256, 'sturgeon amp': 815576, 'covid chat': 214139, 'chat showed': 173955, 'showed people': 767348, 'concerned on': 193207, 'the junky': 858712, 'junky they': 468063, 'their fix': 873331, 'fix every': 309715, 'day co': 227455, 'covid19 amp': 214263, 'of cocaine': 581495, 'cocaine etc': 185188, 'thing harder': 884395, 'harder junkie': 378173, 'junkie land': 468058, 'likeit gallinago gel': 491924, 'gallinago gel cocaine': 342953, 'gel cocaine ha': 345104, 'cocaine ha hiked': 185193, 'ha hiked in': 370870, 'hiked in price': 396323, 'in price up': 426983, 'price up here': 677236, 'up here co': 945073, 'here co of': 392878, 'co of covid': 184898, 'covid 19 snp': 213824, '19 snp tv': 10631, 'snp tv other': 776427, 'tv other night': 936150, 'other night after': 620584, 'night after sturgeon': 562929, 'after sturgeon amp': 36257, 'sturgeon amp covid': 815577, 'amp covid chat': 53592, 'covid chat showed': 214140, 'chat showed people': 173956, 'showed people concerned': 767349, 'people concerned on': 647521, 'concerned on the': 193208, 'on the junky': 604195, 'the junky they': 858713, 'junky they are': 468064, 'getting their fix': 349366, 'their fix every': 873332, 'fix every day': 309716, 'every day co': 285799, 'day co of': 227456, 'co of covid19': 184899, 'of covid19 amp': 582097, 'covid19 amp with': 214264, 'amp with price': 54854, 'with price hike': 1000308, 'hike of cocaine': 396237, 'of cocaine etc': 581496, 'cocaine etc is': 185189, 'etc is making': 282617, 'making thing harder': 511454, 'thing harder junkie': 884396, 'harder junkie land': 378174, 'chloroquine raised': 177621, 'raised 400': 695985, '400 in': 18742, 'minute nigeria': 533807, 'nigeria after': 562710, 'after trump': 36451, 'trump conference': 933488, 'conference this': 193765, 'so disgusting': 776873, 'disgusting they': 245470, 'killing themselves': 474722, 'themselves by': 876785, 'by overdosing': 153500, 'medicine protect': 526873, 'yourself by': 1026555, 'home taking': 402189, 'all safety': 44226, 'measure stayhomestaysafe': 525345, 'price for chloroquine': 673937, 'for chloroquine raised': 320073, 'chloroquine raised 400': 177622, 'raised 400 in': 695986, '400 in minute': 18743, 'in minute nigeria': 425364, 'minute nigeria after': 533808, 'nigeria after trump': 562711, 'after trump conference': 36453, 'trump conference this': 933489, 'conference this is': 193766, 'is seriously so': 451802, 'seriously so disgusting': 751722, 'so disgusting they': 776874, 'disgusting they re': 245471, 'they re killing': 883066, 're killing themselves': 698966, 'killing themselves by': 474723, 'themselves by overdosing': 876786, 'by overdosing on': 153501, 'overdosing on the': 631178, 'on the medicine': 604232, 'the medicine protect': 860411, 'medicine protect yourself': 526874, 'protect yourself by': 685086, 'yourself by staying': 1026556, 'at home taking': 99131, 'home taking all': 402190, 'taking all safety': 833266, 'all safety measure': 44227, 'safety measure stayhomestaysafe': 730629, 'is increase': 448846, 'increase gas': 432796, 'would fee': 1011814, 'fee guilty': 302181, 'guilty for': 368555, 'should do is': 765926, 'do is increase': 249446, 'is increase gas': 448847, 'increase gas price': 432797, 'price so people': 676513, 'so people would': 778007, 'people would fee': 650538, 'would fee guilty': 1011815, 'fee guilty for': 302182, 'guilty for going': 368557, 'out for no': 626143, 'reason just thought': 702953, 'yk': 1016404, 'dear mr': 229835, 'president yk': 670979, 'yk following': 1016405, 'enyangyi croozefmnews': 279232, 'dear mr president': 229836, 'mr president yk': 544395, 'president yk following': 670980, 'yk following the': 1016406, 'shop enyangyi croozefmnews': 760142, 'incapable': 431316, 'health bureaucracy': 386206, 'bureaucracy ha': 142816, 'failed knowing': 296147, 'wa incapable': 962390, 'incapable of': 431317, 'managing pandemic': 512886, 'bureaucracy should': 142819, 'told year': 923794, 'of n95': 586843, 'is one example': 450502, 'one example of': 606260, 'public health bureaucracy': 688061, 'health bureaucracy ha': 386207, 'bureaucracy ha failed': 142817, 'ha failed knowing': 370582, 'failed knowing that': 296148, 'knowing that it': 477136, 'it wa incapable': 462130, 'wa incapable of': 962391, 'incapable of managing': 431318, 'of managing pandemic': 586144, 'managing pandemic like': 512887, 'pandemic like the': 635888, 'like the bureaucracy': 491355, 'the bureaucracy should': 850133, 'bureaucracy should have': 142820, 'should have told': 766102, 'have told year': 383367, 'told year ago': 923795, 'year ago to': 1014365, 'ago to keep': 38515, 'keep an ample': 471315, 'an ample supply': 55295, 'ample supply of': 54890, 'supply of n95': 825637, 'of n95 mask': 586845, 'and sanitizer at': 70859, 'home just in': 401483, 'tigerking': 895811, 'carolebaskin': 164823, 'twitterdoyourthing': 936752, 'easy is': 265719, 'state toiletpaper': 796032, 'toiletpaper tigerking': 922613, 'tigerking poll': 895814, 'poll wednesdaythoughts': 663866, 'wednesdaythoughts coronaoutbreak': 975724, 'coronaoutbreak usa': 205137, 'usa shelterinplace': 948743, 'shelterinplace carolebaskin': 757990, 'carolebaskin netflix': 164824, 'netflix twitterdoyourthing': 557641, 'how easy is': 407779, 'easy is it': 265720, 'it to find': 461713, 'in your state': 431125, 'your state toiletpaper': 1025934, 'state toiletpaper tigerking': 796033, 'toiletpaper tigerking poll': 922614, 'tigerking poll wednesdaythoughts': 895815, 'poll wednesdaythoughts coronaoutbreak': 663867, 'wednesdaythoughts coronaoutbreak usa': 975725, 'coronaoutbreak usa shelterinplace': 205138, 'usa shelterinplace carolebaskin': 948744, 'shelterinplace carolebaskin netflix': 757991, 'carolebaskin netflix twitterdoyourthing': 164825, 'armyselcaday': 93061, 'arsd': 94063, 'online yoga': 609768, 'yoga teacher': 1016491, 'teacher training': 835525, 'training schedule': 929357, 'schedule visit': 741475, 'and schedule': 71064, 'schedule of': 741448, 'of yoga': 593363, 'training course': 929330, 'course yoga': 211963, 'yoga meditation': 1016485, 'meditation armyselcaday': 526953, 'armyselcaday arsd': 93062, 'arsd mondaymotivation': 94064, 'mondaymotivation mondaymorning': 536472, 'mondaymorning mondaythoughts': 536450, 'online yoga teacher': 609769, 'yoga teacher training': 1016492, 'teacher training schedule': 835527, 'training schedule visit': 929358, 'schedule visit the': 741476, 'visit the following': 959380, 'following link to': 312781, 'link to know': 493932, 'know about price': 476218, 'about price and': 25992, 'price and schedule': 672532, 'and schedule of': 71065, 'schedule of yoga': 741450, 'of yoga teacher': 593364, 'teacher training course': 835526, 'training course yoga': 929332, 'course yoga meditation': 211964, 'yoga meditation armyselcaday': 1016486, 'meditation armyselcaday arsd': 526954, 'armyselcaday arsd mondaymotivation': 93063, 'arsd mondaymotivation mondaymorning': 94065, 'mondaymotivation mondaymorning mondaythoughts': 536473, 'prosecuted cma': 684638, 'cma warns': 184656, 'warns tough': 967303, 'tough prosecution': 926829, 'prosecution needed': 684658, 'pakistan for': 634454, 'or inflate': 615793, 'because of could': 119325, 'could be prosecuted': 208907, 'be prosecuted cma': 116575, 'prosecuted cma warns': 684639, 'cma warns tough': 184657, 'warns tough prosecution': 967304, 'tough prosecution needed': 926830, 'prosecution needed in': 684659, 'needed in pakistan': 556405, 'in pakistan for': 426439, 'pakistan for those': 634455, 'those who hoard': 892642, 'who hoard or': 989010, 'hoard or inflate': 398845, 'or inflate price': 615794, 'retention': 719638, 'offsetting': 596123, 'with exclusive': 998318, 'exclusive insight': 289671, '19 sent': 10412, 'sent straight': 750813, 'straight into': 812219, 'inbox today': 431259, 'we reported': 973086, 'how migration': 408324, 'customer retention': 222770, 'retention are': 719639, 'not offsetting': 570733, 'offsetting the': 596126, 'of drop': 582833, 'up with exclusive': 946636, 'with exclusive insight': 998319, 'exclusive insight on': 289672, 'insight on covid': 439606, 'covid 19 sent': 213767, '19 sent straight': 10413, 'sent straight into': 750814, 'straight into your': 812220, 'into your inbox': 443324, 'your inbox today': 1024469, 'inbox today we': 431260, 'today we reported': 920481, 'we reported on': 973087, 'reported on how': 712510, 'on how migration': 601412, 'how migration to': 408325, 'migration to commerce': 531249, 'to commerce and': 903068, 'commerce and customer': 188514, 'and customer retention': 60862, 'customer retention are': 222771, 'retention are not': 719640, 'are not offsetting': 88424, 'not offsetting the': 570734, 'offsetting the negative': 596127, 'negative impact of': 556790, 'impact of drop': 417771, 'of drop in': 582834, 'drop in retail': 260270, 'in retail demand': 427450, 'retail demand amid': 718028, 'demand amid store': 234932, 'closure in north': 183909, 'in north america': 425941, 'price growing': 674364, 'faster homeprices': 300106, 'homeprices growth': 402907, 'growth realestate': 367448, 'home price growing': 401904, 'price growing faster': 674365, 'growing faster homeprices': 367192, 'faster homeprices growth': 300107, 'homeprices growth realestate': 402908, 'growth realestate market': 367449, 'heartening': 388443, 'quite heartening': 694877, 'heartening to': 388444, 'much fully': 544941, 'quite heartening to': 694878, 'heartening to see': 388445, 'see the local': 745855, 'local supermarket pretty': 498578, 'pretty much fully': 671451, 'much fully stocked': 544942, 'and no sign': 67641, 'sign of panic': 769164, 'humanitas': 410694, 'reflex': 706696, 'worktogether': 1009241, 'ukcoronavirus': 938928, 'word humanity': 1004502, 'the latin': 859158, 'latin humanitas': 481646, 'humanitas for': 410695, 'nature kindness': 552964, 'kindness for': 475198, 'those increasing': 892108, 'increasing purchase': 433685, 'and exploiting': 62520, 'need take': 555703, 'to reflex': 913072, 'reflex these': 706697, 'are time': 91089, 'need worktogether': 556241, 'worktogether tuesdaythoughts': 1009242, 'tuesdaythoughts ukcoronavirus': 935229, 'the word humanity': 871703, 'word humanity is': 1004503, 'humanity is from': 410745, 'from the latin': 337768, 'the latin humanitas': 859159, 'latin humanitas for': 481647, 'humanitas for human': 410696, 'for human nature': 322443, 'human nature kindness': 410569, 'nature kindness for': 552965, 'kindness for all': 475199, 'all those increasing': 45165, 'those increasing purchase': 892109, 'increasing purchase price': 433686, 'purchase price and': 689633, 'price and exploiting': 672411, 'and exploiting those': 62521, 'in need take': 425768, 'need take moment': 555705, 'moment to reflex': 536088, 'to reflex these': 913073, 'reflex these are': 706698, 'these are time': 879640, 'are time of': 91091, 'of need worktogether': 586919, 'need worktogether tuesdaythoughts': 556242, 'worktogether tuesdaythoughts ukcoronavirus': 1009243, 'for movement': 323634, 'movement permit': 543915, 'permit in': 652154, 'in if': 423964, 'are walking': 91524, 'walking or': 965078, 'or riding': 616906, 'riding your': 721678, 'your bike': 1022965, 'bike to': 130427, 'your burning': 1023038, 'curfew here': 220885, 'need to apply': 555859, 'to apply for': 900654, 'apply for movement': 82563, 'for movement permit': 323635, 'movement permit in': 543916, 'permit in if': 652155, 'in if you': 423969, 'you are walking': 1017286, 'are walking or': 91525, 'walking or riding': 965079, 'or riding your': 616907, 'riding your bike': 721679, 'your bike to': 1022966, 'bike to the': 130430, 'grocery store find': 365397, 'store find out': 807728, 'find out the': 307151, 'out the answer': 627347, 'answer to your': 78137, 'to your burning': 918958, 'your burning question': 1023039, 'about the curfew': 26367, 'the curfew here': 852592, '750bn': 22196, 'ecb 750bn': 266600, '750bn coronavirus': 22197, 'coronavirus stimulus': 206824, 'stimulus 19': 801497, 'despite ecb 750bn': 238726, 'ecb 750bn coronavirus': 266601, '750bn coronavirus stimulus': 22199, 'coronavirus stimulus 19': 206825, 'stimulus 19 corona': 801498, 'bowed': 136956, 'cheered': 175129, 'tonight we': 924519, 'we started': 973382, 'started clapping': 794711, 'clapping the': 180045, 'were ending': 979582, 'ending their': 276208, 'shift they': 758427, 'and bowed': 59124, 'bowed we': 136957, 'we cheered': 971124, 'cheered them': 175130, 'filled and': 305528, 'fresh thank': 333082, 'you brussels': 1017535, 'brussels stayathome': 141395, 'tonight we started': 924521, 'we started clapping': 973383, 'started clapping the': 794713, 'clapping the local': 180046, 'local supermarket worker': 498620, 'supermarket worker were': 824119, 'worker were ending': 1008166, 'were ending their': 979583, 'ending their shift': 276209, 'their shift they': 874694, 'shift they all': 758428, 'they all come': 881112, 'all come out': 42392, 'out in row': 626394, 'row and bowed': 726566, 'and bowed we': 59125, 'bowed we cheered': 136958, 'we cheered them': 971125, 'cheered them on': 175131, 'them on for': 876089, 'on for keeping': 600948, 'for keeping the': 322818, 'keeping the shelf': 472585, 'the shelf filled': 866836, 'shelf filled and': 757080, 'filled and food': 305529, 'and food fresh': 63051, 'food fresh thank': 314595, 'fresh thank you': 333083, 'thank you brussels': 841698, 'you brussels stayathome': 1017536, 'babyessentials': 106761, 'cleanhandssavelives': 180883, 'thankyoupost': 842384, 'lakelyn': 479080, 'babylake': 106772, 'noviruswanted': 573871, 'cartersbaby': 165471, 'hug and': 409947, 'and kiss': 65860, 'kiss are': 475448, 'are free': 86675, 'free but': 331691, 'please sanitize': 660437, 'sanitize before': 734171, 'touching me': 926693, 'me big': 522516, 'stock sanitizer': 802807, 'sanitizer babyessentials': 734537, 'babyessentials cleanhandssavelives': 106762, 'cleanhandssavelives thankyoupost': 180884, 'thankyoupost lakelyn': 842385, 'lakelyn babylake': 479081, 'babylake noviruswanted': 106773, 'noviruswanted cartersbaby': 573872, 'hug and kiss': 409948, 'and kiss are': 65861, 'kiss are free': 475449, 'are free but': 86677, 'free but please': 331693, 'but please sanitize': 146804, 'please sanitize before': 660438, 'sanitize before touching': 734173, 'before touching me': 123249, 'touching me big': 926694, 'me big thanks': 522517, 'big thanks to': 130061, 'thanks to and': 842205, 'and for keeping': 63145, 'for keeping all': 322810, 'keeping all our': 472372, 'all our essential': 43806, 'our essential in': 622924, 'essential in stock': 281157, 'in stock sanitizer': 428325, 'stock sanitizer babyessentials': 802808, 'sanitizer babyessentials cleanhandssavelives': 734538, 'babyessentials cleanhandssavelives thankyoupost': 106763, 'cleanhandssavelives thankyoupost lakelyn': 180885, 'thankyoupost lakelyn babylake': 842386, 'lakelyn babylake noviruswanted': 479082, 'babylake noviruswanted cartersbaby': 106774, 'staple covid': 793917, 'abroad are': 27149, 'important via': 419094, 'consumer staple covid': 199117, 'staple covid 19': 793918, '19 lesson from': 8309, 'lesson from abroad': 486478, 'from abroad are': 334368, 'abroad are important': 27150, 'are important via': 87340, 'unfollowed': 941536, 'insta': 439877, 'boasting': 133710, 'just unfollowed': 470160, 'unfollowed some': 941537, 'on insta': 601584, 'insta because': 439878, 're boasting': 698373, 'boasting about': 133711, 'roll sad': 725493, 'sad stoppanicbuying': 729243, 'just unfollowed some': 470161, 'unfollowed some people': 941538, 'some people on': 783527, 'people on insta': 648963, 'on insta because': 601585, 'insta because they': 439879, 'they re boasting': 883003, 're boasting about': 698374, 'boasting about hoarding': 133712, 'about hoarding toilet': 25404, 'hoarding toilet roll': 399616, 'toilet roll sad': 921601, 'roll sad stoppanicbuying': 725494, 'sad stoppanicbuying stophoarding': 729244, 'going cashless': 355080, 'cashless can': 166687, 'infection going': 436762, 'cashless in': 166692, 'retail environment': 718087, 'environment can': 279092, 'bacteria combat': 107666, 'disease at': 245094, 'and improve': 65036, 'your checkout': 1023192, 'checkout process': 174984, 'process payment': 679946, 'how going cashless': 407922, 'going cashless can': 355081, 'cashless can prevent': 166688, 'can prevent spread': 159291, 'spread of infection': 790680, 'of infection going': 585163, 'infection going cashless': 436763, 'going cashless in': 355082, 'cashless in retail': 166693, 'in retail environment': 427452, 'retail environment can': 718089, 'environment can help': 279093, 'spread of virus': 790719, 'of virus and': 592823, 'and bacteria combat': 58625, 'bacteria combat the': 107667, 'spread of disease': 790666, 'of disease at': 582672, 'disease at your': 245095, 'store and improve': 806266, 'and improve your': 65038, 'improve your checkout': 419555, 'your checkout process': 1023193, 'checkout process payment': 174985, 'important question': 418935, 'question should': 693734, 'if live': 414381, 'with immunocompromised': 998948, 'immunocompromised people': 417476, 'people note': 648878, 'note work': 572859, 'store opinion': 809302, 'opinion advice': 613441, 'advice medtwitter': 33434, 'important question should': 418937, 'question should go': 693735, 'to work if': 918735, 'work if live': 1005277, 'if live with': 414382, 'live with immunocompromised': 496118, 'with immunocompromised people': 998949, 'immunocompromised people note': 417477, 'people note work': 648879, 'note work at': 572860, 'grocery store opinion': 365621, 'store opinion advice': 809303, 'opinion advice medtwitter': 613442, 'gunjan': 368779, 'in gunjan': 423482, 'gunjan vinita': 368782, 'grocery join in': 364675, 'join in gunjan': 466748, 'in gunjan vinita': 423483, 'alpha': 47143, 'morl': 541113, 'mrrl': 544465, 'reml': 710664, 'guy on': 369099, 'on seeking': 603357, 'seeking alpha': 746640, 'alpha said': 47146, 'of morl': 586658, 'morl mrrl': 541114, 'mrrl and': 544466, 'and reml': 70229, 'reml that': 710665, 'ha accompanied': 369437, 'accompanied the': 28484, 'market dive': 516302, 'dive present': 248505, 'present buying': 670582, 'buying opportunity': 150831, 'guy on seeking': 369101, 'on seeking alpha': 603358, 'seeking alpha said': 746641, 'alpha said this': 47147, 'said this on': 731498, 'this on the': 889218, 'on the decline': 604060, 'price of morl': 675508, 'of morl mrrl': 586659, 'morl mrrl and': 541115, 'mrrl and reml': 544467, 'and reml that': 70230, 'reml that ha': 710666, 'that ha accompanied': 844104, 'ha accompanied the': 369438, 'accompanied the covid': 28485, 'stock market dive': 802391, 'market dive present': 516303, 'dive present buying': 248506, 'present buying opportunity': 670583, 'emergency over': 272841, 'japan to declare': 464767, 'to declare state': 904010, 'of emergency over': 583047, 'emergency over empty': 272842, 'over empty food': 630182, 'empty food shelf': 274878, 'food shelf at': 316454, 'shelf at supermarket': 756853, 'supermarket in tokyo': 820994, 'not medium': 570561, 'medium created': 527067, 'an observation': 56541, 'observation ppl': 578554, 'being recommended': 125648, 'having what': 384404, 'business being': 143443, 'month those': 538070, 'those closed': 891875, 'business get': 143777, 'get broken': 346713, 'are asshole': 84653, 'is not medium': 450130, 'not medium created': 570562, 'medium created panic': 527068, 'created panic just': 215874, 'panic just an': 638245, 'just an observation': 468183, 'an observation ppl': 56543, 'observation ppl are': 578555, 'ppl are being': 668163, 'are being recommended': 84905, 'being recommended to': 125650, 'recommended to stay': 704807, 'stay home grocery': 796970, 'store not having': 809108, 'not having what': 569911, 'having what needed': 384405, 'what needed and': 981911, 'needed and non': 556293, 'and non essential': 67669, 'essential business being': 280840, 'business being closed': 143444, 'being closed in': 124962, 'closed in month': 183176, 'in month those': 425422, 'month those closed': 538071, 'those closed business': 891876, 'closed business get': 183024, 'business get broken': 143778, 'get broken into': 346714, 'broken into people': 140899, 'into people are': 442861, 'people are asshole': 646929, 'not supplying': 571818, 'supplying your': 826309, 'proper gear': 684107, 'gear like': 344967, 'sanitizer guess': 735005, 'guess lowe': 368008, 'lowe just': 505777, 'employee lowes': 274021, 'lowes asshole': 506139, 'asshole coronavir': 96518, 'is there reason': 453027, 'there reason why': 878992, 're not supplying': 699120, 'not supplying your': 571819, 'supplying your employee': 826310, 'your employee with': 1023665, 'employee with proper': 274447, 'with proper gear': 1000342, 'proper gear like': 684108, 'gear like mask': 344968, 'like mask glove': 490722, 'and sanitizer guess': 70871, 'sanitizer guess lowe': 735006, 'guess lowe just': 368009, 'lowe just want': 505778, 'spread the corona': 790818, 'corona virus and': 204284, 'virus and doesn': 957921, 'and doesn care': 61593, 'their employee lowes': 873150, 'employee lowes asshole': 274022, 'lowes asshole coronavir': 506140, 'dork': 255894, 'these dork': 879936, 'dork running': 255895, 'the gun': 856946, 'shop instead': 760348, 'like law': 490629, 'enforcement will': 276798, 'stop functioning': 804676, 'functioning this': 341336, 'wild west': 992089, 'why are these': 990792, 'are these dork': 90973, 'these dork running': 879937, 'dork running to': 255896, 'to the gun': 916760, 'the gun shop': 856949, 'gun shop instead': 368730, 'shop instead of': 760349, 'supermarket it not': 821174, 'not like law': 570396, 'like law enforcement': 490630, 'law enforcement will': 482281, 'enforcement will stop': 276799, 'will stop functioning': 994997, 'stop functioning this': 804678, 'functioning this isn': 341337, 'this isn gonna': 888484, 'be the wild': 117665, 'the wild west': 871560, 'during from': 262650, 'what hear': 981590, 'even giving': 284121, 'protect your employee': 685060, 'your employee during': 1023656, 'employee during from': 273793, 'during from what': 262651, 'from what hear': 338340, 'what hear your': 981592, 'hear your not': 388040, 'your not even': 1025039, 'not even giving': 569250, 'even giving your': 284122, 'giving your employee': 351461, 'your employee mask': 1023660, 'employee mask or': 274042, 'sanitizer do better': 734775, 'masked people': 519622, 'rob it': 724627, 'so many masked': 777675, 'many masked people': 514270, 'masked people in': 519623, 'supermarket and none': 819024, 'them is there': 875945, 'there to rob': 879190, 'to rob it': 913612, 'socialdistanacing can': 780049, 'public come': 687918, 'panicbuyinguk socialdistanacing can': 639162, 'socialdistanacing can the': 780050, 'can the british': 159948, 'british public come': 140578, 'public come together': 687919, 'together to beat': 920983, 'and kurdistan': 65908, 'closed border': 183017, 'down financial': 256753, 'salary unpaid': 732000, 'unpaid yet': 943037, 'yet how': 1016095, 'can people in': 159214, 'people in iraq': 648385, 'in iraq and': 424150, 'iraq and kurdistan': 444755, 'and kurdistan region': 65909, 'if everything go': 414102, 'everything go to': 287814, 'go to be': 354280, 'be closed border': 114122, 'closed border airport': 183018, 'city locked down': 179246, 'locked down financial': 500475, 'down financial crisis': 256754, 'and salary unpaid': 70789, 'salary unpaid yet': 732001, 'unpaid yet how': 943038, 'yet how could': 1016096, 'buy food need': 148663, 'food need pay': 315520, 'been sending': 121917, 'sending their': 750098, 'customer mail': 222590, 'april great': 83611, 'good to here': 357886, 'to here have': 907715, 'here have been': 393074, 'have been sending': 379675, 'been sending their': 121918, 'sending their customer': 750099, 'their customer mail': 872955, 'customer mail about': 222591, 'mail about putting': 508568, 'about putting price': 26033, 'up in april': 945147, 'in april great': 420469, 'april great timing': 83612, 'so increased': 777393, 'home internet': 401439, 'internet price': 441986, 'this cycle': 887144, 'cycle amid': 224029, 'amid people': 52596, 'cannot change': 161712, 'change cut': 172001, 'cut internet': 223395, 'internet in': 441957, 'and bell': 58879, 'bell definitely': 126485, 'definitely know': 232360, 'situation ontario': 772424, 'ontario stayathome': 611631, 'so increased the': 777396, 'increased the home': 433494, 'the home internet': 857447, 'home internet price': 401441, 'internet price this': 441991, 'price this cycle': 676909, 'this cycle amid': 887145, 'cycle amid people': 224030, 'amid people cannot': 52597, 'people cannot change': 647427, 'cannot change cut': 161713, 'change cut internet': 172002, 'cut internet in': 223396, 'internet in these': 441958, 'these time and': 880836, 'time and bell': 896259, 'and bell definitely': 58880, 'bell definitely know': 126486, 'definitely know how': 232361, 'how to take': 409097, 'of situation ontario': 589752, 'situation ontario stayathome': 772425, 'daily tp': 224846, 'tp check': 927778, 'check toiletpapercrisis': 174690, 'toiletpaper comedy': 921863, 'time for our': 896736, 'our daily tp': 622690, 'daily tp check': 224847, 'tp check toiletpapercrisis': 927779, 'check toiletpapercrisis toiletpaper': 174691, 'toiletpapercrisis toiletpaper comedy': 923080, 'this guessing': 887775, 'guessing that': 368130, 'social all': 779427, 'day too': 228610, 'what changing': 981210, 'changing about': 172633, 'the ad': 848333, 'ad you': 31198, 'reading this guessing': 700808, 'this guessing that': 887776, 'guessing that you': 368131, 'you re on': 1020690, 're on social': 699182, 'on social all': 603532, 'social all day': 779428, 'all day too': 42530, 'day too here': 228611, 'too here what': 924783, 'here what changing': 393800, 'what changing about': 981211, 'changing about the': 172634, 'about the ad': 26333, 'the ad you': 848335, 'ad you re': 31199, 'looting people': 503263, '19 onion': 8986, 'potato being': 666914, 'at sky': 100543, 'price where': 677499, 'guy getting': 369003, 'these from': 880030, 'stop looting': 804821, 'is looting people': 449456, 'looting people in': 503264, 'covid 19 onion': 213518, '19 onion and': 8987, 'onion and potato': 607713, 'and potato being': 69249, 'potato being sold': 666915, 'sold at sky': 781643, 'at sky high': 100544, 'high price where': 395291, 'price where are': 677501, 'you guy getting': 1018962, 'guy getting these': 369005, 'getting these from': 349376, 'these from stop': 880031, 'from stop looting': 337432, 'stop looting people': 804822, 'visitation': 959441, 'leaflet': 483832, 'teampnp': 835883, 'weserveandprotect': 980440, 'pnpkakampimo': 662113, 'personnel of': 653140, 'miguel police': 531259, 'station conducted': 796380, 'conducted establishment': 193665, 'establishment visitation': 282076, 'visitation dialogue': 959442, 'dialogue distribution': 240302, 'of leaflet': 585759, 'leaflet to': 483833, 'owner consumer': 632432, 'regarding safety': 707250, '19 anti': 5154, 'terrorism awareness': 838600, 'and crime': 60747, 'crime prevention': 216796, 'tip teampnp': 898912, 'teampnp weserveandprotect': 835884, 'weserveandprotect pnpkakampimo': 980441, 'personnel of san': 653141, 'san miguel police': 733563, 'miguel police station': 531260, 'police station conducted': 663213, 'station conducted establishment': 796381, 'conducted establishment visitation': 193666, 'establishment visitation dialogue': 282077, 'visitation dialogue distribution': 959443, 'dialogue distribution of': 240303, 'distribution of leaflet': 248176, 'of leaflet to': 585760, 'leaflet to the': 483834, 'to the owner': 916934, 'the owner consumer': 862806, 'owner consumer regarding': 632433, 'consumer regarding safety': 198669, 'regarding safety measure': 707251, 'safety measure against': 730617, 'covid 19 anti': 212634, '19 anti terrorism': 5155, 'anti terrorism awareness': 78332, 'terrorism awareness and': 838601, 'awareness and crime': 105685, 'and crime prevention': 60749, 'crime prevention tip': 216798, 'prevention tip teampnp': 671900, 'tip teampnp weserveandprotect': 898913, 'teampnp weserveandprotect pnpkakampimo': 835885, 'north providence': 567675, 'providence rhodeisland': 686677, 'rhodeisland shopper': 720906, 'shopper wait': 761798, 'enter during': 278246, 'during hour': 262700, 'hour open': 405829, 'daily only': 224735, 'senior grocery': 750308, 'retailer began': 719033, 'began offering': 123412, 'senior other': 750378, 'group considered': 366656, 'considered the': 195337, 'north providence rhodeisland': 567676, 'providence rhodeisland shopper': 686678, 'rhodeisland shopper wait': 720907, 'shopper wait in': 761800, 'to enter during': 905215, 'enter during hour': 278247, 'during hour open': 262701, 'hour open daily': 405830, 'open daily only': 612177, 'daily only for': 224736, 'only for senior': 610474, 'for senior grocery': 325462, 'senior grocery store': 750310, 'chain and other': 170472, 'and other retailer': 68397, 'other retailer began': 620849, 'retailer began offering': 719034, 'began offering special': 123413, 'offering special shopping': 595261, 'for senior other': 325471, 'senior other group': 750379, 'other group considered': 620324, 'group considered the': 366657, 'considered the most': 195338, 'conmen': 194587, 'bahrami': 108572, 'uniteideas': 942302, 'consumer cop': 196973, 'cop combat': 203259, 'the conmen': 851457, 'conmen country': 194588, 'age old': 37879, 'old problem': 598436, 'and profiteer': 69603, 'profiteer bahrami': 682946, 'bahrami uniteideas': 108573, 'consumer cop combat': 196974, 'cop combat the': 203260, 'combat the conmen': 187048, 'the conmen country': 851458, 'conmen country need': 194589, 'fight the age': 304884, 'the age old': 848435, 'age old problem': 37880, 'old problem of': 598437, 'problem of hoarding': 679627, 'of hoarding and': 584692, 'hoarding and profiteer': 399188, 'and profiteer bahrami': 69604, 'profiteer bahrami uniteideas': 682947, 'vaccine in': 951719, 'and vaccine in': 74833, 'vaccine in pandemic': 951720, 'in pandemic rationing': 426462, 'pandemic rationing because': 636291, 'know two': 476915, 'two easy': 936905, 'easy step': 265762, 'for homemade': 322352, 'you know two': 1019535, 'know two easy': 476916, 'two easy step': 936906, 'easy step for': 265763, 'step for homemade': 799540, 'for homemade sanitizer': 322354, 'delayed needed': 232792, 'needed response': 556479, 'change ecological': 172033, 'have delayed needed': 380222, 'delayed needed response': 232793, 'needed response to': 556480, 'climate change ecological': 182194, 'change ecological collapse': 172034, 'debt they appear': 230579, 'imagine corporation': 416710, 'like recognized': 491068, 'recognized the': 704663, 'employee instead': 273984, 'price give': 674184, 'all permanent': 43945, 'permanent raise': 652066, 'raise and': 695811, 'them essential': 875657, 'worse could': 1010910, 'imagine corporation like': 416711, 'corporation like recognized': 207441, 'like recognized the': 491069, 'recognized the value': 704664, 'value of their': 952171, 'their employee instead': 873149, 'employee instead of': 273985, 'instead of record': 440311, 'of record profit': 588840, 'record profit and': 705053, 'profit and stock': 682659, 'stock price give': 802717, 'price give them': 674187, 'give them all': 350760, 'them all permanent': 875348, 'all permanent raise': 43946, 'permanent raise and': 652067, 'raise and pay': 695814, 'and pay them': 68805, 'pay them essential': 645165, 'them essential service': 875658, 'essential service they': 281533, 'they are without': 881463, 'are without them': 91661, 'without them how': 1002992, 'them how much': 875867, 'how much worse': 408386, 'much worse could': 545474, 'worse could this': 1010911, 'could this be': 209770, 'heaven': 388544, 'hades': 373829, 'no heaven': 564413, 'heaven or': 388549, 'or hades': 615546, 'hades for': 373830, 'these scammer': 880630, 'scammer on': 740606, 'on judgement': 601737, 'judgement day': 467656, 'day eternal': 227565, 'eternal quarantine': 282935, 'scam people no': 740298, 'people no heaven': 648851, 'no heaven or': 564414, 'heaven or hades': 388550, 'or hades for': 615547, 'hades for these': 373831, 'for these scammer': 326978, 'these scammer on': 880631, 'scammer on judgement': 740607, 'on judgement day': 601738, 'judgement day eternal': 467657, 'day eternal quarantine': 227566, 'busy stock': 144963, 'piling there': 656628, 'great sikh': 362992, 'sikh volunteer': 769684, 'volunteer australia': 960232, 'australia community': 103257, 'community who': 190229, 'in providing': 427055, 'food home': 314833, 'for needy': 323802, 'needy people': 556690, 'this hat': 887869, 'reach needy': 699952, 'when many of': 983717, 'of are busy': 580341, 'are busy stock': 85101, 'busy stock piling': 144964, 'stock piling there': 802675, 'piling there is': 656629, 'there is this': 878641, 'is this great': 453090, 'this great sikh': 887756, 'great sikh volunteer': 362993, 'sikh volunteer australia': 769685, 'volunteer australia community': 960233, 'australia community who': 103258, 'community who is': 190232, 'who is busy': 989062, 'is busy in': 446319, 'busy in providing': 144917, 'in providing free': 427056, 'providing free food': 687003, 'free food home': 331832, 'food home delivery': 314834, 'delivery service for': 234437, 'service for needy': 752388, 'for needy people': 323803, 'needy people in': 556694, 'in this hat': 429958, 'this hat off': 887870, 'off to them': 594330, 'to them please': 917309, 'them please share': 876170, 'share it so': 755078, 'it so that': 461132, 'so that it': 778378, 'that it can': 844699, 'it can reach': 457030, 'can reach needy': 159379, 'reach needy people': 699953, 'needy people across': 556691, 'foodpantry': 318026, 'aia': 39347, 'trenton': 931601, 'princeton': 678215, 'feedamerica': 302413, 'foodpantry hour': 318027, 'the aia': 848466, 'aia this': 39348, 'be trenton': 117812, 'trenton 03': 931602, '03 18': 842, '18 03': 4485, '20 from': 13066, 'to 12': 899463, '12 or': 2917, 'or while': 617792, 'while supply': 987352, 'supply last': 825487, 'last princeton': 480459, 'princeton 18': 678216, 'and 18': 57383, 'from 30': 334266, 'last closed': 480148, 'on 03': 598969, '20 pre': 13275, 'pre packaged': 669191, 'packaged grocery': 633496, 'bag will': 108456, 'available outside': 104555, 'all pantry': 43913, 'pantry community': 639553, 'community feedamerica': 189845, 'foodpantry hour at': 318028, 'at the aia': 100872, 'the aia this': 848467, 'aia this week': 39349, 'this week will': 891299, 'week will be': 977251, 'will be trenton': 992739, 'be trenton 03': 117813, 'trenton 03 18': 931603, '03 18 03': 843, '18 03 20': 4486, '03 20 from': 851, '20 from 10': 13067, 'from 10 to': 334165, '10 to 12': 1726, 'to 12 or': 899468, '12 or while': 2918, 'or while supply': 617793, 'while supply last': 987354, 'supply last princeton': 825489, 'last princeton 18': 480460, 'princeton 18 and': 678217, '18 and 18': 4517, 'and 18 19': 57384, '18 19 from': 4488, '19 from 30': 7114, 'from 30 to': 334268, '30 to or': 17248, 'to or while': 911056, 'supply last closed': 825488, 'last closed on': 480149, 'closed on 03': 183257, 'on 03 20': 598970, '03 20 pre': 854, '20 pre packaged': 13276, 'pre packaged grocery': 669194, 'packaged grocery bag': 633497, 'grocery bag will': 364303, 'bag will be': 108457, 'be available outside': 113761, 'available outside of': 104556, 'outside of all': 629499, 'of all pantry': 579968, 'all pantry community': 43914, 'pantry community feedamerica': 639554, 'frogger': 334146, 'live version': 496104, 'of frogger': 583963, 'like the live': 491377, 'the live version': 859504, 'live version of': 496105, 'version of frogger': 954914, 'time teen': 897808, 'joke via': 467152, 'strait time teen': 812343, 'time teen arrested': 897809, 'video joke via': 956801, 'europeansagainstcovid19': 283620, '19 beware': 5387, 'unfair practice': 941429, 'practice some': 668663, 'seller exploit': 749018, 'exploit fear': 292339, 'eu is': 283243, 'action find': 30014, 'for europeansagainstcovid19': 321147, 'covid 19 beware': 212703, '19 beware of': 5389, 'beware of online': 129090, 'of online scam': 587261, 'scam and unfair': 740025, 'and unfair practice': 74661, 'unfair practice some': 941430, 'practice some online': 668664, 'online seller exploit': 608960, 'seller exploit fear': 749019, 'exploit fear surrounding': 292340, 'outbreak to sell': 628762, 'sell fake medicine': 748712, 'fake medicine or': 296661, 'medicine or raise': 526860, 'or raise price': 616776, 'raise price the': 695929, 'price the eu': 676829, 'the eu is': 854561, 'eu is taking': 283245, 'is taking action': 452531, 'taking action find': 833245, 'action find out': 30015, 'out what to': 627817, 'out for europeansagainstcovid19': 626114, 'toiletpaper manufacturer': 922215, 'manufacturer ramp': 513510, 'amid run': 52634, 'toiletpaper manufacturer ramp': 922216, 'manufacturer ramp up': 513511, 'up production amid': 945851, 'production amid run': 681909, 'amid run on': 52635, 'run on roll': 727738, 'saving tube': 737981, 'tube in': 935033, 'case need': 165870, 'to roll': 913627, 'roll my': 725389, 'own toiletpaper': 632276, 'saving tube in': 737982, 'tube in case': 935034, 'in case need': 421265, 'case need to': 165871, 'need to roll': 556053, 'to roll my': 913628, 'roll my own': 725390, 'my own toiletpaper': 549661, 'we end': 971454, 'ups outside': 947765, 'store superstore': 810464, 'superstore corona': 824345, 'socialdistancing oshawa': 780581, 'oshawa ontario': 619710, 'never thought we': 558236, 'thought we end': 893299, 'we end up': 971456, 'up with line': 946656, 'with line ups': 999240, 'line ups outside': 493535, 'ups outside the': 947766, 'grocery store superstore': 365825, 'store superstore corona': 810465, 'superstore corona socialdistancing': 824346, 'corona socialdistancing oshawa': 204179, 'socialdistancing oshawa ontario': 780582, 'investing101': 443952, 'forexinvestment': 329182, 'forexmarket': 329184, 'buy stock': 149237, 'is fearful': 447761, 'fearful wait': 301469, 'to bottom': 901960, 'buying relatively': 150960, 'relatively cheap': 708762, 'price investing101': 674845, 'investing101 forexinvestment': 443953, 'forexinvestment forexmarket': 329183, 'to buy stock': 902307, 'buy stock is': 149239, 'stock is when': 802316, 'is when everybody': 453913, 'when everybody is': 983396, 'everybody is fearful': 286448, 'is fearful wait': 447762, 'fearful wait for': 301470, 'stock market to': 802445, 'market to bottom': 517231, 'to bottom out': 901962, 'bottom out and': 136428, 'out and start': 625695, 'and start buying': 72238, 'start buying relatively': 794239, 'buying relatively cheap': 150961, 'relatively cheap price': 708763, 'cheap price investing101': 174176, 'price investing101 forexinvestment': 674846, 'investing101 forexinvestment forexmarket': 443954, 'crown': 219421, 'power base': 667574, 'base of': 111467, 'of trump': 592470, 'trump saudi': 933815, 'saudi crown': 737253, 'crown prince': 219426, 'prince and': 678202, 'putin at': 691010, 'moment when': 536111, 'coronavirus threatens': 206936, 'pull their': 688883, 'via oil': 956127, 'opec saudiarabia': 611963, 'the plunge in': 863861, 'price hit the': 674565, 'hit the power': 398440, 'the power base': 864150, 'power base of': 667575, 'base of trump': 111468, 'of trump saudi': 592476, 'trump saudi crown': 933816, 'saudi crown prince': 737254, 'crown prince and': 219427, 'prince and putin': 678203, 'and putin at': 69826, 'putin at moment': 691011, 'at moment when': 99766, 'moment when the': 536113, 'the coronavirus threatens': 851929, 'coronavirus threatens to': 206937, 'threatens to pull': 893866, 'to pull their': 912497, 'pull their economy': 688884, 'their economy into': 873100, 'into recession via': 442936, 'recession via oil': 704392, 'via oil opec': 956128, 'oil opec saudiarabia': 596990, 'opec saudiarabia russia': 611964, 'saudiarabia russia economy': 737358, 'barnet': 111133, 'conway3': 202707, 'apply now': 82578, 'now first': 574695, 'first round': 308984, 'of funding': 584014, 'support barnet': 826379, 'barnet community': 111136, 'community group': 189871, 'group response': 366862, 'coronavirus closing': 205656, 'closing date': 183610, 'for round': 325261, 'friday 10': 333177, '10 min': 1535, 'min application': 532515, 'application form': 82457, 'form conway3': 329501, 'apply now first': 82579, 'now first round': 574697, 'first round of': 308985, 'round of funding': 726344, 'of funding to': 584015, 'funding to support': 341627, 'to support barnet': 915906, 'support barnet community': 826380, 'barnet community group': 111137, 'community group response': 189874, 'group response to': 366863, 'the coronavirus closing': 851819, 'coronavirus closing date': 205657, 'closing date for': 183611, 'date for round': 226632, 'for round this': 325262, 'round this friday': 726369, 'this friday 10': 887615, 'friday 10 min': 333178, '10 min application': 1536, 'min application form': 532516, 'application form conway3': 82458, 'several large': 753876, 'large winery': 479828, 'winery in': 995955, 'cape wine': 162626, 'wine region': 995880, 'region have': 707420, 'or part': 616508, 'tour who': 926941, 'who visited': 989890, 'location during': 498893, 'several large winery': 753877, 'large winery in': 479829, 'winery in the': 995957, 'the cape wine': 850360, 'cape wine region': 162627, 'wine region have': 995881, 'region have closed': 707421, 'have closed all': 379992, 'closed all or': 182966, 'all or part': 43768, 'or part of': 616509, 'wine tour who': 995923, 'tour who visited': 926942, 'who visited 30': 989891, 'estate and location': 282092, 'and location during': 66314, 'location during 10': 498894, 'day trip wa': 228624, 'trip wa tested': 932214, '19 this weekend': 11356, 'mccormick': 522131, 'recognizing covid': 704674, 'forced many': 328583, 'many cook': 513935, 'cook into': 202755, 'kitchen mccormick': 475728, 'mccormick set': 522132, 'up interactive': 945211, 'interactive area': 441278, 'write in': 1012766, 'in get': 423289, 'time answer': 896311, 'question sale': 693726, 'sale data': 732152, 'data now': 226312, 'answer are': 78015, 'heavily influencing': 388586, 'influencing consumer': 437351, 'recognizing covid 19': 704675, 'ha forced many': 370662, 'forced many cook': 328584, 'many cook into': 513936, 'cook into the': 202756, 'into the kitchen': 443139, 'the kitchen mccormick': 858835, 'kitchen mccormick set': 475729, 'mccormick set up': 522133, 'set up interactive': 753564, 'up interactive area': 945212, 'interactive area for': 441279, 'area for consumer': 92012, 'for consumer to': 320297, 'consumer to write': 199335, 'to write in': 918862, 'write in get': 1012767, 'in get real': 423290, 'get real time': 347894, 'real time answer': 701401, 'time answer to': 896312, 'answer to question': 78133, 'to question sale': 912664, 'question sale data': 693727, 'sale data now': 732154, 'data now showing': 226313, 'now showing the': 575824, 'showing the answer': 767521, 'the answer are': 848765, 'answer are heavily': 78016, 'are heavily influencing': 87077, 'heavily influencing consumer': 388587, 'influencing consumer buying': 437352, 'recently surveyed': 704157, 'surveyed it': 829005, 'member about': 527998, 'about increased': 25516, 'era here': 280049, 'recently surveyed it': 704158, 'surveyed it member': 829006, 'it member about': 459594, 'member about increased': 527999, 'about increased demand': 25517, '19 era here': 6820, 'era here what': 280050, 'kbra': 471187, 'securitizations': 744515, 'kbra release': 471188, 'release research': 708994, 'which discus': 985821, 'potential ramification': 667122, 'ramification to': 696410, 'consumer ab': 195987, 'ab securitizations': 24186, 'securitizations due': 744516, 'report ab': 711779, 'kbra release research': 471189, 'release research report': 708995, 'research report which': 713825, 'report which discus': 712431, 'which discus the': 985822, 'discus the potential': 244929, 'the potential ramification': 864125, 'potential ramification to': 667124, 'ramification to consumer': 696411, 'to consumer ab': 903260, 'consumer ab securitizations': 195988, 'ab securitizations due': 24187, 'securitizations due to': 744517, 'pandemic read our': 636298, 'read our report': 700518, 'our report ab': 624591, 'suffolk': 817414, 'healthinnovations': 387463, 'coronavirus west': 207057, 'west suffolk': 980537, 'suffolk huge': 817417, 'huge petrol': 410127, 'difference fuel': 241841, 'fuel value': 340306, 'value plummet': 952180, 'plummet healthinnovations': 661279, 'healthinnovations pharma': 387464, 'pharma banking': 654015, 'banking stock': 110461, 'stock brexit': 801939, 'brexit via': 139533, 'coronavirus west suffolk': 207058, 'west suffolk huge': 980538, 'suffolk huge petrol': 817418, 'huge petrol and': 410128, 'diesel price difference': 241677, 'price difference fuel': 673442, 'difference fuel value': 241842, 'fuel value plummet': 340307, 'value plummet healthinnovations': 952181, 'plummet healthinnovations pharma': 661280, 'healthinnovations pharma banking': 387465, 'pharma banking stock': 654016, 'banking stock brexit': 110462, 'stock brexit via': 801940, 'india gold': 434423, 'gold june': 355918, 'june future': 468004, 'future eased': 342309, 'high tracking': 395485, 'tracking some': 928361, 'some profit': 783651, 'profit booking': 682681, 'booking in': 134729, 'firm usd': 308446, 'usd here': 948921, 'trading strategy': 928935, 'strategy by': 812624, 'by expert': 152518, 'expert by': 291802, 'india gold june': 434424, 'gold june future': 355919, 'june future eased': 468005, 'future eased from': 342310, 'eased from high': 265121, 'from high tracking': 335790, 'high tracking some': 395486, 'tracking some profit': 928362, 'some profit booking': 783652, 'profit booking in': 682682, 'booking in international': 134730, 'in international price': 424126, 'international price on': 441844, 'on firm usd': 600807, 'firm usd here': 308447, 'usd here are': 948922, 'here are trading': 392767, 'are trading strategy': 91180, 'trading strategy by': 928936, 'strategy by expert': 812625, 'by expert by': 152519, 'blacklisting': 132183, 'faithful': 296544, 'price blacklisting': 672931, 'blacklisting all': 132184, 've realised': 953478, 'realised you': 701643, 'be faithful': 114793, 'faithful business': 296545, 'business partner': 144199, 'partner you': 642913, 'll enjoy': 496734, 'enjoy now': 277161, 'come your': 187704, 'way crook': 969534, 'those people now': 892325, 'people now selling': 648895, 'now selling sanitizers': 575773, 'selling sanitizers at': 749433, 'sanitizers at exorbitant': 736224, 'exorbitant price blacklisting': 290405, 'price blacklisting all': 672932, 'blacklisting all ve': 132185, 'all ve realised': 45351, 've realised you': 953480, 'realised you will': 701644, 'not be faithful': 568382, 'be faithful business': 114794, 'faithful business partner': 296546, 'business partner you': 144200, 'partner you ll': 642915, 'you ll enjoy': 1019649, 'll enjoy now': 496735, 'enjoy now but': 277162, 'now but after': 574280, 'but after this': 145070, 'after this outbreak': 36409, 'this outbreak is': 889322, 'is over no': 450716, 'over no other': 630436, 'no other business': 565013, 'other business will': 619919, 'business will come': 144680, 'will come your': 992977, 'come your way': 187705, 'your way crook': 1026314, 'noma': 566252, 'sana': 733573, 'kitengela': 475802, 'kobil': 477297, 'ku': 477855, 'mzalendo': 551086, 'chezaclean': 175605, 'changamka': 171875, 'noma sana': 566253, 'sana power': 733574, 'power star': 667689, 'star supermarket': 794067, 'supermarket kitengela': 821248, 'kitengela opposite': 475805, 'opposite kobil': 613798, 'kobil petrol': 477298, 'station ni': 796466, 'ni mandatory': 562304, 'mandatory ku': 513043, 'ku sanitize': 477856, 'the premise': 864231, 'premise mzalendo': 669933, 'mzalendo chezaclean': 551088, 'chezaclean washyourhands': 175606, 'washyourhands changamka': 967863, 'noma sana power': 566254, 'sana power star': 733575, 'power star supermarket': 667690, 'star supermarket kitengela': 794068, 'supermarket kitengela opposite': 821250, 'kitengela opposite kobil': 475806, 'opposite kobil petrol': 613799, 'kobil petrol station': 477299, 'petrol station ni': 653795, 'station ni mandatory': 796467, 'ni mandatory ku': 562305, 'mandatory ku sanitize': 513044, 'ku sanitize before': 477857, 'sanitize before entering': 734172, 'entering the premise': 278427, 'the premise mzalendo': 864232, 'premise mzalendo chezaclean': 669934, 'mzalendo chezaclean washyourhands': 551089, 'chezaclean washyourhands changamka': 175607, 'rightly refer': 722473, 'staff hero': 792527, 'are operating': 88819, 'operating on': 613089, 'crisis doing': 217302, 'in impossible': 423994, 'impossible circumstance': 419363, 'circumstance to': 178756, 'nation going': 552193, 'hero too': 394139, 'we rightly refer': 973108, 'rightly refer to': 722474, 'refer to nh': 706477, 'nh staff hero': 562090, 'staff hero the': 792528, 'hero the staff': 394119, 'staff at my': 792235, 'supermarket are operating': 819175, 'are operating on': 88821, 'operating on the': 613091, 'frontline of this': 338807, 'this crisis doing': 887034, 'crisis doing everything': 217303, 'they can in': 881639, 'can in impossible': 158737, 'in impossible circumstance': 423995, 'impossible circumstance to': 419364, 'circumstance to keep': 178757, 'keep the nation': 472057, 'the nation going': 861235, 'nation going and': 552194, 'going and to': 355014, 'and to me': 74185, 'to me they': 909961, 'are hero too': 87139, '708': 21952, '708 dead': 21953, 'last 24': 480095, 'hour the': 405982, '13 year': 3286, 'old boy': 598165, 'boy wa': 137298, 'wa buried': 961762, 'buried with': 142870, 'no immediate': 564477, 'immediate family': 416989, 'family there': 298301, 'there year': 879385, 'old ha': 598282, 'died nh': 241581, 'dying scared': 263861, 'scared my': 740984, 'not bank': 568331, '708 dead in': 21954, 'dead in the': 229153, 'the last 24': 858990, 'last 24 hour': 480096, '24 hour the': 15627, 'hour the 13': 405983, 'the 13 year': 847885, '13 year old': 3287, 'year old boy': 1014813, 'old boy wa': 598167, 'boy wa buried': 137299, 'wa buried with': 961763, 'buried with no': 142871, 'with no immediate': 999761, 'no immediate family': 564478, 'immediate family there': 416990, 'family there year': 298303, 'there year old': 879386, 'year old ha': 1014833, 'old ha died': 598284, 'ha died nh': 370380, 'died nh staff': 241582, 'staff are dying': 792186, 'are dying scared': 86054, 'dying scared my': 263862, 'scared my family': 740986, 'my family are': 548186, 'family are scared': 297631, 'are scared my': 89851, 'scared my colleague': 740985, 'my colleague are': 547731, 'colleague are scared': 186199, 'scared you can': 741051, 'this by staying': 886662, 'by staying the': 154113, 'staying the fuck': 798716, 'home this in': 402289, 'this in not': 888048, 'in not bank': 425965, 'not bank holiday': 568332, 'liking': 492206, 'yeah and': 1014232, 'suck we': 816945, 'sanitizer cup': 734719, 'cup 90': 220440, '90 alcohol': 23267, 'alcohol cup': 40982, 'cup aloe': 220442, 'aloe gel': 46785, 'gel body': 345099, 'body oil': 133873, 'oil for': 596806, 'for smell': 325681, 'smell to': 775623, 'your liking': 1024655, 'liking coronapocolypse': 492207, 'coronapocolypse rona': 205238, 'yeah and it': 1014233, 'and it suck': 65587, 'it suck we': 461341, 'suck we all': 816946, 'all need it': 43599, 'it to make': 461730, 'to make our': 909712, 'make our own': 510289, 'our own sanitizer': 624211, 'own sanitizer cup': 632188, 'sanitizer cup 90': 734720, 'cup 90 alcohol': 220441, '90 alcohol cup': 23268, 'alcohol cup aloe': 40983, 'cup aloe gel': 220443, 'aloe gel body': 46786, 'gel body oil': 345100, 'body oil for': 133874, 'oil for smell': 596807, 'for smell to': 325682, 'smell to your': 775624, 'to your liking': 918996, 'your liking coronapocolypse': 1024656, 'liking coronapocolypse rona': 492208, 'profound change': 683153, 'how uk': 409121, 'household plan': 406904, 'use their': 949696, 'their leisure': 873802, 'leisure time': 486144, 'pandemic new': 636021, 'consumer intention': 197901, 'intention during': 441148, 'this deeply': 887194, 'deeply challenging': 231983, 'time released': 897563, 'today link': 919812, 'link added': 493781, 'profound change to': 683154, 'to how uk': 908028, 'how uk household': 409122, 'uk household plan': 938460, 'household plan to': 406905, 'to use their': 918072, 'use their leisure': 949700, 'their leisure time': 873803, 'leisure time in': 486146, 'time in light': 896996, '19 pandemic new': 9404, 'pandemic new data': 636022, 'new data on': 558594, 'data on consumer': 226320, 'on consumer intention': 600057, 'consumer intention during': 197902, 'intention during this': 441149, 'during this deeply': 263276, 'this deeply challenging': 887195, 'deeply challenging time': 231984, 'challenging time released': 171647, 'time released today': 897564, 'released today link': 709094, 'today link added': 919813, 'immuno': 417447, 'ibd': 412576, 'shopping since': 763884, 'since before': 770521, 'food severely': 316440, 'severely immuno': 754089, 'immuno compromised': 417448, 'compromised wish': 192692, 'luck health': 506454, 'health ibd': 386513, 'been shopping since': 121953, 'shopping since before': 763886, 'since before the': 770523, 'before the panic': 123181, 'and now need': 67856, 'now need food': 575340, 'need food severely': 554806, 'food severely immuno': 316441, 'severely immuno compromised': 754090, 'immuno compromised wish': 417451, 'compromised wish me': 192693, 'me luck health': 523127, 'luck health ibd': 506455, 'ironically the': 444947, 'increased between': 433212, 'between 30': 128681, 'rise again': 722768, 'again sokonews': 37171, 'ironically the price': 444948, 'the price increased': 864370, 'price increased between': 674797, 'increased between 30': 433213, 'between 30 and': 128682, '30 and 40': 16960, 'and 40 percent': 57472, '40 percent and': 18640, 'percent and retailer': 651114, 'and retailer say': 70463, 'retailer say it': 719304, 'it is set': 459074, 'to rise again': 913551, 'rise again sokonews': 722769, 'again sokonews image': 37172, 'classy move': 180388, 'classy move from': 180389, 'move from increasing': 543653, 'from increasing price': 336039, 'ha tesco': 372175, 'tesco quietly': 838781, 'quietly raised': 694725, 'kind coronacrisis': 474825, 'coronacrisisuk supermarketsweep': 204913, 'supermarketsweep supermarket': 824264, 'me or ha': 523285, 'or ha tesco': 615543, 'ha tesco quietly': 372176, 'tesco quietly raised': 838782, 'quietly raised price': 694726, 'raised price on': 696029, 'on some good': 603559, 'some good if': 782965, 'good if so': 357233, 'if so that': 414831, 'so that not': 778386, 'that not very': 845403, 'not very kind': 572391, 'very kind coronacrisis': 955289, 'kind coronacrisis coronacrisisuk': 474826, 'coronacrisis coronacrisisuk supermarketsweep': 204570, 'coronacrisisuk supermarketsweep supermarket': 204914, 'the dallas': 852799, 'dallas golf': 225128, 'golf retail': 356141, 'indefinitely starting': 434054, 'march 24': 515194, '24 2020': 15529, '2020 our': 14492, 'priority is': 678591, 'keep both': 471347, 'our loyal': 623820, 'customer dallas': 222288, 'golf employee': 356128, 'uncertainty thank': 939766, 'pandemic the dallas': 636674, 'the dallas golf': 852800, 'dallas golf retail': 225131, 'golf retail store': 356142, 'be closed indefinitely': 114130, 'closed indefinitely starting': 183186, 'indefinitely starting march': 434055, 'starting march 24': 794974, 'march 24 2020': 515195, '24 2020 our': 15531, '2020 our priority': 14493, 'our priority is': 624464, 'priority is to': 678594, 'to keep both': 908762, 'keep both our': 471348, 'both our loyal': 135999, 'our loyal customer': 623821, 'loyal customer dallas': 506269, 'customer dallas golf': 222289, 'dallas golf employee': 225130, 'golf employee safe': 356129, 'employee safe possible': 274169, 'safe possible during': 729897, 'possible during this': 665637, 'of uncertainty thank': 592602, 'uncertainty thank you': 939767, 'blog update': 133040, 'update april': 946876, 'april field': 83586, 'world three': 1010070, 'three artisanal': 893877, 'mining region': 533291, 'are sharply': 90025, 'sharply down': 755732, 'down leaving': 256915, 'leaving rural': 485125, 'community le': 189956, 'essential basic': 280817, 'basic staple': 112054, 'staple artisanal': 793912, 'mining africa': 533260, 'africa latam': 35104, 'latam asia': 480823, 'blog update april': 133041, 'update april field': 946877, 'april field gold': 83587, 'gold price for': 355955, 'for the world': 326788, 'the world three': 871990, 'world three artisanal': 1010071, 'three artisanal gold': 893878, 'gold mining region': 355936, 'mining region are': 533292, 'region are sharply': 707392, 'are sharply down': 90026, 'sharply down leaving': 755734, 'down leaving rural': 256916, 'leaving rural community': 485126, 'rural community le': 728232, 'community le able': 189957, 'buy essential basic': 148568, 'essential basic staple': 280818, 'basic staple artisanal': 112055, 'staple artisanal gold': 793913, 'gold mining africa': 355934, 'mining africa latam': 533261, 'africa latam asia': 35105, 'target is': 834473, 'raising hourly': 696090, 'wage expanding': 963855, 'offering bonus': 595030, 'frontline store': 338836, 'employee through': 274317, 'through tgt': 894711, 'target is raising': 834475, 'is raising hourly': 451211, 'raising hourly wage': 696091, 'hourly wage expanding': 406143, 'wage expanding it': 963856, 'expanding it paid': 290508, 'it paid leave': 460236, 'policy and offering': 663335, 'and offering bonus': 67981, 'offering bonus to': 595031, 'bonus to thousand': 134415, 'thousand of frontline': 893441, 'of frontline store': 583974, 'frontline store employee': 338837, 'store employee through': 807554, 'employee through tgt': 274318, 'disabled woman': 243985, 'is pushed': 451143, 'pushed in': 690365, 'in woolworth': 430969, 'woolworth by': 1004407, 'by non': 153343, 'non disabled': 566324, 'disabled shopper': 243962, 'shopper during': 761488, 'hour reserved': 405883, 'disabled woman is': 243986, 'woman is pushed': 1003535, 'is pushed in': 451144, 'pushed in woolworth': 690367, 'in woolworth by': 430970, 'woolworth by non': 1004408, 'by non disabled': 153344, 'non disabled shopper': 566325, 'disabled shopper during': 243963, 'shopper during an': 761489, 'during an hour': 262446, 'an hour reserved': 56100, 'hour reserved for': 405884, 'reserved for vulnerable': 714136, 'the sanitation': 866342, 'staff cannabis': 792298, 'cannabis dispensary': 161407, 'dispensary staff': 246124, 'worker and also': 1006271, 'also the sanitation': 48986, 'the sanitation worker': 866345, 'sanitation worker grocery': 733876, 'store staff cannabis': 810305, 'staff cannabis dispensary': 792299, 'cannabis dispensary staff': 161408, 'dispensary staff and': 246125, 'staff and public': 792158, 'public transportation worker': 688437, 'transportation worker we': 930057, 'appreciate you 19': 82780, 'dear young': 229923, 'young healthy': 1022605, 'healthy female': 387610, 'aisle nationwide': 40313, 'nationwide seem': 552753, 'day selfisolation': 228326, 'selfisolation period': 748470, 'period stockpiling': 651887, 'dear young healthy': 229924, 'young healthy female': 1022606, 'healthy female please': 387611, 'supermarket aisle nationwide': 818840, 'aisle nationwide seem': 40314, 'nationwide seem to': 552754, '14 day selfisolation': 3457, 'day selfisolation period': 228327, 'selfisolation period stockpiling': 748471, 'foraging': 328263, 'like foraging': 490275, 'foraging hubby': 328264, 'cheese but': 175176, 'but came': 145340, 'with bag': 997357, 'of frozen': 583978, 'frozen blueberry': 338957, 'blueberry and': 133492, 'some ground': 783011, 'beef because': 120485, 'now more like': 575312, 'more like foraging': 539690, 'like foraging hubby': 490276, 'foraging hubby went': 328265, 'store for egg': 807799, 'for egg and': 320968, 'egg and cheese': 269760, 'and cheese but': 59799, 'cheese but came': 175177, 'but came back': 145341, 'back with bag': 107475, 'with bag of': 997360, 'bag of frozen': 108355, 'of frozen blueberry': 583979, 'frozen blueberry and': 338958, 'blueberry and some': 133493, 'and some ground': 71962, 'some ground beef': 783012, 'ground beef because': 366481, 'beef because that': 120486, 'because that what': 119607, 'that what they': 847471, 'boxed': 137208, 'quarantining since': 693089, 'last friday': 480244, 'friday one': 333271, 'one whole': 607467, 'whole week': 990376, 'week today': 977103, 'but made': 146333, 'essential yesterday': 281872, 'yesterday soon': 1015867, 'soon boxed': 785662, 'boxed hair': 137211, 'dye will': 263768, 've been self': 952926, 'been self quarantining': 121909, 'self quarantining since': 747880, 'quarantining since last': 693090, 'since last friday': 770691, 'last friday one': 480246, 'friday one whole': 333272, 'one whole week': 607468, 'whole week today': 990377, 'week today but': 977104, 'today but made': 919334, 'but made quick': 146334, 'made quick trip': 507934, 'few essential yesterday': 303823, 'essential yesterday soon': 281873, 'yesterday soon boxed': 1015868, 'soon boxed hair': 785663, 'boxed hair dye': 137212, 'hair dye will': 373981, 'dye will be': 263769, 'be on that': 116210, 'on that list': 603938, 'made meme': 507849, 'made meme toiletpaper': 507851, 'sanitizers online': 736361, 'from they': 337978, 've great': 953212, 'great website': 363104, 'commerce shopping': 188630, 'experience stay': 291486, 'order sanitizers online': 618562, 'sanitizers online from': 736362, 'online from they': 608275, 'from they ve': 337980, 'they ve great': 883655, 've great website': 953213, 'great website and': 363105, 'website and commerce': 975196, 'and commerce shopping': 60135, 'commerce shopping experience': 188631, 'shopping experience stay': 762620, 'experience stay safe': 291487, 'mukesh': 545608, 'ambani': 51275, 'vaka98': 951862, 'anakkalege': 56992, 'ilmez': 416475, 'clubtwitter': 184517, 'reliance industry': 709230, 'industry chairman': 435721, 'chairman mukesh': 171344, 'mukesh ambani': 545609, 'ambani is': 51276, 'longer asia': 501924, 'asia richest': 95221, 'man handing': 512087, 'the title': 869662, 'title to': 899297, 'ma after': 507248, 'stock vaka98': 803142, 'vaka98 anakkalege': 951863, 'anakkalege ilmez': 56993, 'ilmez nifty': 416476, 'nifty bandkarobazaar': 562683, 'bandkarobazaar clubtwitter': 109423, 'reliance industry chairman': 709231, 'industry chairman mukesh': 435722, 'chairman mukesh ambani': 171345, 'mukesh ambani is': 545610, 'ambani is no': 51277, 'no longer asia': 564634, 'longer asia richest': 501925, 'asia richest man': 95222, 'richest man handing': 721345, 'man handing the': 512088, 'handing the title': 376144, 'the title to': 869663, 'title to jack': 899298, 'to jack ma': 908640, 'jack ma after': 464107, 'ma after the': 507249, 'after the collapse': 36297, 'and global stock': 63700, 'global stock vaka98': 352224, 'stock vaka98 anakkalege': 803143, 'vaka98 anakkalege ilmez': 951864, 'anakkalege ilmez nifty': 56994, 'ilmez nifty bandkarobazaar': 416477, 'nifty bandkarobazaar clubtwitter': 562684, 'centrex': 169581, '65s': 21409, 'postcode': 666496, 'b8': 106516, 'b9': 106519, 'b23': 106446, 'b24': 106449, 'b34': 106493, 'b35': 106496, 'b36': 106499, 'b37': 106502, 'of centrex': 581241, 'centrex car': 169582, 'car based': 163018, 'based just': 111636, 'shopping drop': 762523, 'over 65s': 629896, '65s self': 21410, 'following postcode': 312818, 'postcode b8': 666497, 'b8 b9': 106517, 'b9 b23': 106520, 'b23 b24': 106447, 'b24 b34': 106450, 'b34 b35': 106494, 'b35 b36': 106497, 'b36 and': 106500, 'and b37': 58605, 'b37 simply': 106503, 'order purchase': 618526, 'or over': 616477, 'proud of centrex': 686026, 'of centrex car': 581242, 'centrex car based': 169583, 'car based just': 163019, 'based just outside': 111637, 'just outside my': 469419, 'local area who': 497696, 'who are offering': 988179, 'offering free shopping': 595126, 'free shopping drop': 332169, 'shopping drop for': 762524, 'drop for over': 260203, 'for over 65s': 324325, 'over 65s self': 629897, '65s self isolating': 21411, 'isolating in the': 455115, 'in the following': 429206, 'the following postcode': 855517, 'following postcode b8': 312819, 'postcode b8 b9': 666498, 'b8 b9 b23': 106518, 'b9 b23 b24': 106521, 'b23 b24 b34': 106448, 'b24 b34 b35': 106451, 'b34 b35 b36': 106495, 'b35 b36 and': 106498, 'b36 and b37': 106501, 'and b37 simply': 58606, 'b37 simply order': 106504, 'simply order purchase': 770253, 'order purchase online': 618527, 'purchase online or': 689604, 'online or over': 608665, 'or over the': 616479, 'seattlecartoonist': 743587, 'seattleillustrator': 743597, 'dailycomic': 224904, 'seattlescene': 743603, 'learning to': 484248, 'bring book': 139939, 'shopping grocerystore': 762812, 'grocerystore seattlecartoonist': 366326, 'seattlecartoonist humor': 743588, 'humor seattleillustrator': 410912, 'seattleillustrator dailycomic': 743598, 'dailycomic seattlescene': 224905, 'learning to bring': 484249, 'to bring book': 902031, 'bring book to': 139940, 'book to the': 134620, 'store lockdown shopping': 808806, 'lockdown shopping grocerystore': 499911, 'shopping grocerystore seattlecartoonist': 762813, 'grocerystore seattlecartoonist humor': 366327, 'seattlecartoonist humor seattleillustrator': 743589, 'humor seattleillustrator dailycomic': 410913, 'seattleillustrator dailycomic seattlescene': 743599, 'sensation': 750472, 'strange sensation': 812415, 'sensation to': 750473, 'be grocery': 115107, 'stocker during': 803504, 'coronacrisis get': 204611, 'get thanked': 348203, 'thanked like': 841877, 'like veteran': 491730, 'veteran returning': 955725, 'returning from': 720003, 'from war': 338289, 'putting toilet': 691272, 'it strange sensation': 461308, 'strange sensation to': 812416, 'sensation to be': 750474, 'to be grocery': 901286, 'be grocery store': 115108, 'store stocker during': 810396, 'stocker during the': 803505, 'the coronacrisis get': 851779, 'coronacrisis get thanked': 204612, 'get thanked like': 348204, 'thanked like veteran': 841878, 'like veteran returning': 491731, 'veteran returning from': 955726, 'returning from war': 720008, 'from war just': 338290, 'war just for': 966480, 'just for putting': 468756, 'for putting toilet': 324879, 'putting toilet paper': 691273, 'paper on the': 640534, 'on the shelve': 604355, 'forecasted': 328884, '14k': 3617, 'quar': 691971, 'moon bro': 538326, 'bro so': 140695, 'retail before': 717882, 'the forecasted': 855689, 'forecasted metric': 328887, 'metric for': 529880, 'happening are': 377324, 'to 14k': 899498, '14k given': 3618, 'the quar': 864960, 'moon bro so': 538327, 'bro so who': 140696, 'so who worked': 778746, 'who worked in': 990049, 'worked in retail': 1006123, 'in retail before': 427448, 'retail before and': 717883, 'before and grocery': 122626, 'and grocery the': 64005, 'grocery the forecasted': 366030, 'the forecasted metric': 855690, 'forecasted metric for': 328888, 'metric for consumer': 529881, 'for consumer traffic': 320298, 'consumer traffic in': 199356, 'traffic in store': 929102, 'in store day': 428400, 'store day when': 807265, 'day when covid': 228722, '19 isn happening': 8092, 'isn happening are': 454537, 'happening are closer': 377325, 'are closer to': 85382, 'closer to 14k': 183515, 'to 14k given': 899499, '14k given the': 3619, 'given the quar': 351148, 'refers simulation': 706537, 'on spreading': 603611, 'careful socialdistancing': 164431, 'refers simulation on': 706538, 'simulation on spreading': 770356, 'on spreading in': 603612, 'in supermarket check': 428575, 'supermarket check this': 819660, 'out and be': 625644, 'be careful socialdistancing': 113996, 'entrepreneur is': 278939, 'huge way': 410260, 'way n95': 969723, 'mask shield': 519261, 'shield glove': 758156, 'bottle his': 136236, 'his capacity': 397268, 'is staggering': 452212, 'staggering he': 793260, 'he may': 385222, 'canada greatest': 160449, 'greatest contributor': 363272, 'contributor to': 201953, 'an entrepreneur is': 55781, 'entrepreneur is poised': 278940, 'is poised to': 450924, 'poised to take': 662791, 'take the fight': 832647, 'fight to in': 304924, 'to in huge': 908223, 'in huge way': 423901, 'huge way n95': 410261, 'way n95 mask': 969724, 'n95 mask shield': 551206, 'mask shield glove': 519262, 'shield glove sanitizer': 758158, 'glove sanitizer bottle': 352901, 'sanitizer bottle his': 734584, 'bottle his capacity': 136237, 'his capacity is': 397269, 'capacity is staggering': 162539, 'is staggering he': 452213, 'staggering he may': 793261, 'he may become': 385224, 'may become one': 521054, 'of canada greatest': 581081, 'canada greatest contributor': 160450, 'greatest contributor to': 363273, 'wednesday jerry': 975658, 'demings called': 236649, 'on local': 601891, 'local manufacturer': 498169, 'community by': 189765, 'making ppe': 511287, 'sanitizer if': 735112, 'help here': 389861, 'on wednesday jerry': 605175, 'wednesday jerry demings': 975659, 'jerry demings called': 465182, 'demings called on': 236650, 'called on local': 156398, 'on local manufacturer': 601895, 'local manufacturer to': 498171, 'manufacturer to help': 513528, 'our community by': 622453, 'community by making': 189766, 'by making ppe': 153144, 'making ppe and': 511288, 'ppe and hand': 667898, 'hand sanitizer if': 375448, 'sanitizer if your': 735118, 'your company can': 1023281, 'company can help': 190522, 'can help here': 158624, 'help here what': 389862, 've difficulty': 953048, 'difficulty getting': 242380, 'getting pasta': 349190, 'at ur': 101414, 'ur local': 948031, 'via locally': 956063, 'locally made': 498762, 'made they': 508013, 'offering 40': 595002, 'bulk delivered': 142296, 'you ve difficulty': 1022034, 've difficulty getting': 953049, 'difficulty getting pasta': 242382, 'getting pasta at': 349191, 'pasta at ur': 643694, 'at ur local': 101416, 'ur local supermarket': 948032, 'supermarket get them': 820492, 'get them online': 348369, 'them online via': 876106, 'online via locally': 609674, 'via locally made': 956064, 'locally made they': 498764, 'made they re': 508014, 're now offering': 699143, 'now offering 40': 575398, 'offering 40 off': 595003, '40 off when': 18628, 'you buy in': 1017573, 'in bulk delivered': 421033, 'bulk delivered to': 142297, 'your home to': 1024382, 'help people out': 390302, 'diego california': 241620, 'these were the': 880959, 'were the shelf': 980245, 'shelf in my': 757206, 'today in san': 919689, 'in san diego': 427682, 'san diego california': 733524, 'would propose': 1012124, 'propose you': 684513, 'need putting': 555491, 'on ship': 603418, 'ship with': 758735, 'money than': 537052, 'you long': 1019691, 'long long': 501523, 'to sea': 913943, 'sea with': 743106, 'of overpriced': 587628, 'overpriced food': 631392, 'and fiver': 62950, 'fiver in': 309698, 'pocket to': 662209, 'appreciate market': 82735, 'force in': 328403, 'would propose you': 1012125, 'propose you need': 684514, 'you need putting': 1020033, 'need putting on': 555493, 'putting on ship': 691180, 'on ship with': 603419, 'ship with lot': 758736, 'lot of other': 504241, 'who have more': 988938, 'have more money': 381501, 'more money than': 539793, 'money than you': 537056, 'than you long': 841494, 'you long long': 1019692, 'long long way': 501525, 'long way out': 501825, 'way out to': 969796, 'out to sea': 627679, 'to sea with': 913945, 'sea with limited': 743107, 'with limited stock': 999233, 'limited stock of': 492726, 'stock of overpriced': 802535, 'of overpriced food': 587629, 'overpriced food ration': 631393, 'food ration and': 316116, 'ration and fiver': 697633, 'and fiver in': 62951, 'fiver in your': 309699, 'your pocket to': 1025343, 'pocket to appreciate': 662210, 'to appreciate market': 900666, 'appreciate market force': 82736, 'market force in': 516419, 'force in time': 328404, 'wwe': 1013666, 'wrestler': 1012743, 'merch': 528948, 'think wwe': 885803, 'wwe after': 1013668, 'over ha': 630265, 'ha mass': 371243, 'mass release': 519847, 'release party': 708988, 'party on': 643018, 'on wrestler': 605386, 'wrestler they': 1012744, 'they hardly': 882281, 'hardly ever': 378259, 'ever use': 285570, 'use mostly': 949378, 'lost from': 503845, 'non live': 566425, 'live show': 496013, 'from gate': 335602, 'and merch': 66952, 'merch and': 528949, 'such they': 816809, 'aren receiving': 92499, 'receiving at': 703747, 'you think wwe': 1021692, 'think wwe after': 885804, 'wwe after this': 1013669, 'is over ha': 450702, 'over ha mass': 630267, 'ha mass release': 371244, 'mass release party': 519848, 'release party on': 708989, 'party on wrestler': 643019, 'on wrestler they': 605387, 'wrestler they hardly': 1012745, 'they hardly ever': 882282, 'hardly ever use': 378260, 'ever use mostly': 285571, 'use mostly to': 949379, 'mostly to help': 543027, 'with the money': 1001393, 'the money lost': 860818, 'money lost from': 536877, 'lost from non': 503847, 'from non live': 336594, 'non live show': 566426, 'live show from': 496014, 'show from gate': 766956, 'from gate price': 335603, 'gate price and': 344351, 'price and merch': 672469, 'and merch and': 66953, 'merch and such': 528950, 'and such they': 72653, 'such they aren': 816810, 'they aren receiving': 881485, 'aren receiving at': 92500, 'receiving at the': 703748, 'slaughterhouse': 773704, 'porc': 664769, 'market pork': 516868, 'falling due': 297248, 'from slaughterhouse': 337311, 'slaughterhouse hit': 773707, 'by labor': 153007, 'difficulty accessing': 242362, 'accessing foreign': 28361, 'market inst': 516597, 'inst porc': 439876, 'impact the pork': 418001, 'the pork and': 864037, 'pork and commodity': 664784, 'and commodity market': 60154, 'commodity market pork': 189220, 'market pork price': 516869, 'pork price are': 664812, 'are falling due': 86462, 'falling due to': 297249, 'demand from slaughterhouse': 235547, 'from slaughterhouse hit': 337312, 'slaughterhouse hit by': 773708, 'hit by labor': 398178, 'by labor shortage': 153008, 'labor shortage and': 478438, 'shortage and difficulty': 764814, 'and difficulty accessing': 61351, 'difficulty accessing foreign': 242365, 'accessing foreign market': 28362, 'foreign market inst': 328988, 'market inst porc': 516598, 'comb': 186974, 'braiding': 137578, 'anybody in': 80093, 'of hair': 584407, 'hair beauty': 373959, 'beauty supply': 118804, 'supply always': 824679, 'stock ship': 802841, 'ship immediately': 758679, 'immediately the': 417154, 'bio great': 131145, 'from comb': 334919, 'comb closure': 186975, 'to braiding': 901980, 'braiding hair': 137579, 'hair edge': 373982, 'edge control': 268502, 'control stimulusplan': 202143, 'anybody in need': 80095, 'need of hair': 555331, 'of hair beauty': 584408, 'hair beauty supply': 373960, 'beauty supply always': 118805, 'supply always in': 824680, 'always in stock': 49631, 'in stock ship': 428326, 'stock ship immediately': 802842, 'ship immediately the': 758680, 'immediately the link': 417155, 'link is also': 493864, 'is also always': 445547, 'also always in': 47842, 'always in my': 49630, 'my bio great': 547454, 'bio great price': 131146, 'great price and': 362907, 'price and have': 672430, 'and have everything': 64239, 'have everything from': 380501, 'everything from comb': 287797, 'from comb closure': 334920, 'comb closure to': 186976, 'closure to braiding': 184047, 'to braiding hair': 901981, 'braiding hair edge': 137580, 'hair edge control': 373983, 'edge control stimulusplan': 268503, 'hold to': 400032, 'idiot mostly': 413552, 'mostly rich': 542999, 'rich people': 721248, 'people relaxing': 649262, 'relaxing at': 708887, 'their cottage': 872893, 'cottage who': 208400, 'are pressuring': 89202, 'pressuring our': 671272, 'economy go': 267896, 'hell your': 389101, 'your action': 1022739, 'are hurting': 87280, 'hurting lot': 411643, 'of poor': 588220, 'take hold to': 832199, 'hold to all': 400033, 'all the idiot': 44790, 'the idiot mostly': 857844, 'idiot mostly rich': 413553, 'mostly rich people': 543000, 'rich people relaxing': 721250, 'people relaxing at': 649263, 'relaxing at their': 708888, 'at their cottage': 101163, 'their cottage who': 872894, 'cottage who are': 208401, 'who are pressuring': 988194, 'are pressuring our': 89204, 'pressuring our government': 671273, 'our government to': 623276, 'government to shut': 360736, 'shut down the': 767857, 'down the economy': 257274, 'the economy go': 853972, 'economy go to': 267900, 'to hell your': 907434, 'hell your action': 389102, 'your action are': 1022741, 'action are hurting': 29958, 'are hurting lot': 87284, 'hurting lot of': 411644, 'lot of poor': 504253, 'of poor people': 588222, '0800203033': 1107, '080010066': 1104, '0782909153': 1055, '0772460297': 1049, '0772469323': 1051, 'croozefmnews president': 218888, 'president museveni': 670858, 'museveni ha': 546260, 'should increase': 766131, 'increase commodity': 432717, 'crisis he': 217471, 'say those': 739378, 'are crook': 85631, 'crook licence': 218872, 'licence will': 488118, 'cancelled report': 161166, 'the crook': 852498, 'crook issue': 218870, 'issue 0800203033': 455635, '0800203033 080010066': 1108, '080010066 0782909153': 1105, '0782909153 0772460297': 1056, '0772460297 0772469323': 1050, 'croozefmnews president museveni': 218889, 'president museveni ha': 670859, 'museveni ha ordered': 546261, 'ha ordered that': 371460, 'ordered that no': 618909, 'one should increase': 607028, 'should increase commodity': 766132, 'increase commodity price': 432718, 'commodity price in': 189276, 'this crisis he': 887049, 'crisis he say': 217472, 'he say those': 385402, 'say those doing': 739379, 'those doing so': 891941, 'doing so are': 252653, 'so are crook': 776541, 'are crook licence': 85632, 'crook licence will': 218873, 'licence will be': 488119, 'will be cancelled': 992387, 'be cancelled report': 113968, 'cancelled report the': 161167, 'report the crook': 712339, 'the crook issue': 852499, 'crook issue 0800203033': 218871, 'issue 0800203033 080010066': 455636, '0800203033 080010066 0782909153': 1109, '080010066 0782909153 0772460297': 1106, '0782909153 0772460297 0772469323': 1057, 'ian': 412552, 'wa forced': 962160, 'close it': 182686, 'heart this': 388343, 'specifically ian': 788285, 'ian golden': 412553, 'golden ha': 356055, 'than could': 840465, 'could ever': 209144, 'ever hope': 285357, 'hope or': 403584, 'or ask': 614434, 'yesterday wa forced': 1015921, 'wa forced to': 962161, 'to close it': 902882, 'close it retail': 182694, '19 this break': 11339, 'my heart this': 548661, 'heart this store': 388345, 'this store and': 890347, 'store and specifically': 806354, 'and specifically ian': 72076, 'specifically ian golden': 788286, 'ian golden ha': 412554, 'golden ha done': 356056, 'ha done more': 370417, 'done more for': 254938, 'more for me': 539269, 'for me than': 323338, 'me than could': 523595, 'than could ever': 840466, 'could ever hope': 209145, 'ever hope or': 285358, 'hope or ask': 403585, 'or ask for': 614435, 'ask for his': 95526, 'telecare': 836669, 'general it': 345385, 'it play': 460348, 'play role': 659207, 'in treatment': 430279, 'risk reduction': 723837, 'reduction can': 706346, 'only say': 611088, 'thing now': 884627, 'adjust the': 32290, 'for telecare': 326174, 'general it play': 345386, 'it play role': 460350, 'play role in': 659208, 'in the cure': 429115, 'cure for it': 220741, 'for it play': 322725, 'it play an': 460349, 'important role in': 418956, 'role in treatment': 725103, 'in treatment and': 430280, 'treatment and risk': 931032, 'and risk reduction': 70560, 'risk reduction can': 723838, 'reduction can only': 706347, 'can only say': 159134, 'only say that': 611089, 'say that this': 739254, 'good thing now': 357848, 'thing now we': 884629, 'now we just': 576342, 'we just have': 972111, 'have to adjust': 383152, 'to adjust the': 900105, 'adjust the price': 32291, 'price for telecare': 674056, 'because working': 119848, 'working outside': 1008854, 'home planting': 401860, 'planting healthy': 658754, 'healthy vegetable': 387803, 'vegetable eating': 953973, 'eating better': 266180, 'better going': 128303, 'store le': 808690, 'often increase': 596216, 'complication of': 192492, 'because working outside': 119850, 'working outside the': 1008855, 'the home planting': 857453, 'home planting healthy': 401861, 'planting healthy vegetable': 658755, 'healthy vegetable eating': 387804, 'vegetable eating better': 953974, 'eating better going': 266181, 'better going to': 128304, 'grocery store le': 365514, 'store le often': 808691, 'le often increase': 483045, 'often increase the': 596217, 'increase the spread': 433115, 'spread and health': 790409, 'and health complication': 64351, 'health complication of': 386282, 'complication of covid': 192493, '31 can': 17560, 'rent it': 711117, 'worse article': 1010867, 'article in': 94362, 'in highlight': 423695, 'on usa': 604994, 'usa rental': 948738, 'rental sector': 711278, 'sector we': 744390, 'facing global': 295481, 'global rental': 352169, 'rental crisis': 711221, 'huge potential': 410131, 'global finance': 351936, '31 can pay': 17561, 'pay the rent': 645154, 'the rent it': 865513, 'rent it only': 711118, 'it only going': 460100, 'get worse article': 348645, 'worse article in': 1010868, 'article in highlight': 94363, 'in highlight the': 423696, 'highlight the impact': 395968, '19 on usa': 8972, 'on usa rental': 604996, 'usa rental sector': 948739, 'rental sector we': 711279, 'sector we re': 744391, 're facing global': 698660, 'facing global rental': 295482, 'global rental crisis': 352170, 'rental crisis with': 711222, 'crisis with huge': 218425, 'with huge potential': 998905, 'huge potential impact': 410133, 'potential impact on': 667087, 'impact on global': 417853, 'on global finance': 601106, 'global finance and': 351937, 'finance and house': 306154, 'and house price': 64778, 'subscription hope': 815893, 'company survives': 191135, 'survives am': 829340, 'am big': 49947, 'big consumer': 129712, '19 affect your': 4839, 'affect your revenue': 34279, 'your revenue is': 1025620, 'revenue is it': 720445, 'it because people': 456756, 'because people and': 119467, 'and company choose': 60189, 'choose to cancel': 177909, 'cancel their subscription': 160896, 'their subscription hope': 874888, 'subscription hope your': 815894, 'hope your company': 403819, 'your company survives': 1023290, 'company survives am': 191136, 'survives am big': 829341, 'am big consumer': 49948, 'big consumer of': 129713, 'consumer of your': 198253, 'of your product': 593514, 'your product and': 1025436, 'product and big': 680875, 'and big fan': 58958, 'will rob': 994719, 'rob people': 724632, 'violence stay': 957559, 'focused and': 311932, 'hope ll': 403535, 'that situation': 846335, 'protect my': 684869, 'family my': 298061, 'panic 24': 637245, '24 news': 15657, 'news talk': 560850, 'about meanwhile': 25716, 'year ignoring': 1014645, 'they will rob': 883882, 'will rob people': 994720, 'rob people for': 724633, 'food and turn': 313372, 'and turn to': 74526, 'turn to violence': 935798, 'to violence stay': 918189, 'violence stay focused': 957560, 'stay focused and': 796867, 'focused and protect': 311934, 'and protect your': 69663, 'protect your family': 685061, 'your family hope': 1023786, 'family hope ll': 297896, 'hope ll never': 403536, 'never be in': 557879, 'be in that': 115438, 'in that situation': 428932, 'that situation will': 846336, 'situation will protect': 772590, 'will protect my': 994495, 'protect my family': 684870, 'my family my': 548213, 'family my home': 298062, 'my home the': 548696, 'home the news': 402241, 'the news medium': 861618, 'news medium is': 560612, 'medium is causing': 527150, 'is causing panic': 446430, 'causing panic 24': 168080, 'panic 24 news': 637246, '24 news talk': 15659, 'news talk about': 560851, 'talk about meanwhile': 833746, 'about meanwhile the': 25717, 'meanwhile the last': 525038, 'last two year': 480607, 'two year ignoring': 937405, 'year ignoring the': 1014646, 'ignoring the flu': 415928, 'and venture': 74923, 'for bogroll': 319710, 'bogroll there': 134006, 'none and': 566546, 'large hoard': 479691, 'hoard of': 398837, 'it cheered': 457122, 'cheered up': 175132, 'that apparently': 842697, 'the italian': 858591, 'italian think': 462730, 'buying bogroll': 150030, 'bogroll is': 134004, 'home and venture': 400709, 'and venture to': 74924, 'supermarket for bogroll': 820383, 'for bogroll there': 319711, 'bogroll there is': 134007, 'is none and': 450003, 'none and we': 566547, 'panic buy large': 637497, 'buy large hoard': 148887, 'large hoard of': 479692, 'hoard of it': 398839, 'of it cheered': 585376, 'it cheered up': 457123, 'cheered up that': 175133, 'up that apparently': 946147, 'that apparently the': 842699, 'apparently the italian': 82016, 'the italian think': 858595, 'italian think the': 462731, 'think the uk': 885657, 'the uk panic': 870260, 'panic buying bogroll': 637657, 'buying bogroll is': 150031, 'bogroll is hilarious': 134005, 'tc': 835273, 'when life': 983686, 'life give': 488683, '19 tc': 11042, 'tc give': 835274, 'you free': 1018702, 'shipping practice': 758890, 'distancing by': 247066, 'shopping tc': 764052, 'tc online': 835276, 'online then': 609541, 'new gear': 558797, 'gear shipped': 344984, 'shipped free': 758797, 'free amp': 331635, 'amp fast': 53781, 'door detail': 255570, 'when life give': 983687, 'life give you': 488684, 'covid 19 tc': 213913, '19 tc give': 11043, 'tc give you': 835275, 'give you free': 350858, 'you free shipping': 1018703, 'free shipping practice': 332161, 'shipping practice social': 758891, 'social distancing by': 779575, 'distancing by shopping': 247067, 'by shopping tc': 154001, 'shopping tc online': 764053, 'tc online then': 835277, 'online then have': 609543, 'then have all': 877232, 'have all your': 379174, 'all your new': 45576, 'your new gear': 1024989, 'new gear shipped': 558798, 'gear shipped free': 344985, 'shipped free amp': 758798, 'free amp fast': 331636, 'amp fast to': 53782, 'fast to your': 300060, 'your door detail': 1023573, 'door detail on': 255571, 'crash 2020': 214946, '2020 alberta': 14129, 'alberta may': 40811, 'never recover': 558155, 'recover alberta': 705160, 'alberta ha': 40795, 'ha every': 370528, 'every reason': 286133, '19 alberta': 4882, 'alberta oil': 40813, 'gas producer': 344063, 'producer face': 680612, 'face their': 294803, 'challenge when': 171594, 'of western': 593036, 'oil market crash': 596943, 'market crash 2020': 516241, 'crash 2020 alberta': 214947, '2020 alberta may': 14130, 'alberta may never': 40812, 'may never recover': 521366, 'never recover alberta': 558156, 'recover alberta ha': 705161, 'alberta ha every': 40796, 'ha every reason': 370529, 'every reason to': 286134, 'reason to worry': 703039, 'covid 19 alberta': 212605, '19 alberta oil': 4883, 'alberta oil and': 40814, 'and gas producer': 63484, 'gas producer face': 344065, 'producer face their': 680613, 'face their biggest': 294804, 'their biggest challenge': 872610, 'biggest challenge when': 130195, 'challenge when it': 171595, 'price of western': 675607, 'have guessed': 380852, 'guessed the': 368113, 'most wanted': 542902, 'wanted item': 966213, 'wa bread': 961744, 'bread machine': 138520, 'machine pretty': 507395, 'pretty cool': 671382, 'cool article': 202988, 'buying trend': 151259, 'trend from': 931344, 'from visual': 338257, 'capitalist ecommerce': 162801, 'ecommerce cre': 266745, 'cre will': 215517, 'pack once': 633124, 'this nasty': 889078, 'nasty virus': 552068, 'is destroyed': 447143, 'destroyed stay': 239068, 'safe eve': 729632, 'bet you would': 128131, 'you would not': 1022457, 'not have guessed': 569838, 'have guessed the': 380853, 'guessed the most': 368114, 'the most wanted': 861063, 'most wanted item': 542903, 'wanted item wa': 966214, 'item wa bread': 463790, 'wa bread machine': 961745, 'bread machine pretty': 138521, 'machine pretty cool': 507396, 'pretty cool article': 671383, 'cool article on': 202989, 'article on consumer': 94403, 'on consumer buying': 600031, 'consumer buying trend': 196712, 'buying trend from': 151260, 'trend from visual': 931346, 'from visual capitalist': 338258, 'visual capitalist ecommerce': 959623, 'capitalist ecommerce cre': 162802, 'ecommerce cre will': 266746, 'cre will lead': 215518, 'will lead the': 993965, 'lead the pack': 483319, 'the pack once': 862837, 'pack once this': 633125, 'once this nasty': 605752, 'this nasty virus': 889079, 'nasty virus is': 552069, 'virus is destroyed': 958371, 'is destroyed stay': 447144, 'destroyed stay safe': 239069, 'stay safe eve': 797232, 'crazy had': 215307, 'took several': 925328, 'several extra': 753844, 'precaution idiot': 669320, 'idiot round': 413576, 'round me': 726334, 'giving stuff': 351399, 'diagnosis in': 240256, 'local school': 498372, 'crazy had to': 215308, 'shop for my': 760194, 'my parent today': 549702, 'parent today took': 641757, 'today took several': 920385, 'took several extra': 925329, 'several extra precaution': 753845, 'extra precaution idiot': 293611, 'precaution idiot round': 669321, 'idiot round me': 413577, 'round me not': 726335, 'me not giving': 523227, 'not giving stuff': 569663, 'giving stuff and': 351400, 'stuff and today': 815010, 'and today the': 74227, 'today the first': 920284, 'the first covid': 855292, '19 diagnosis in': 6537, 'diagnosis in one': 240257, 'our local school': 623786, 'raider': 695646, 'uspol': 950842, 'the raider': 865106, 'raider of': 695649, 'on uspol': 605004, 'uspol response': 950843, 'donald trump and': 254107, 'and the raider': 73540, 'the raider of': 865107, 'raider of the': 695650, 'the last supermarket': 859043, 'last supermarket on': 480526, 'supermarket on uspol': 821739, 'on uspol response': 605005, 'uspol response to': 950844, 'froze': 338942, 'mths': 544617, 'federally': 302085, 'sentiment plunged': 750977, 'plunged most': 661495, 'most on': 542580, 'early april': 264547, 'april coronavirus': 83564, 'coronavirus froze': 205964, 'froze economy': 338945, 'economy if': 267950, 'if djt': 414048, 'djt had': 248841, 'had taken': 373592, 'seriously rather': 751709, 'waiting mths': 964360, 'mths address': 544618, 'address it': 31990, 'then no': 877358, 'no federally': 564204, 'federally coordinated': 302088, 'coordinated effort': 203197, 'effort economy': 269508, 'economy wouldn': 268374, 'wouldn in': 1012482, 'consumer sentiment plunged': 198921, 'sentiment plunged most': 750978, 'plunged most on': 661496, 'most on record': 542581, 'record in early': 704989, 'in early april': 422448, 'early april coronavirus': 264548, 'april coronavirus froze': 83565, 'coronavirus froze economy': 205965, 'froze economy if': 338946, 'economy if djt': 267951, 'if djt had': 414049, 'djt had taken': 248842, 'had taken the': 373594, '19 pandemic seriously': 9461, 'pandemic seriously rather': 636430, 'seriously rather than': 751710, 'than waiting mths': 841418, 'waiting mths address': 964361, 'mths address it': 544619, 'address it then': 31991, 'it then no': 461605, 'then no federally': 877359, 'no federally coordinated': 564205, 'federally coordinated effort': 302089, 'coordinated effort economy': 203198, 'effort economy wouldn': 269509, 'economy wouldn in': 268375, 'wouldn in free': 1012483, 'son just': 785403, 'got sent': 358828, 'because publix': 119503, 'publix ran': 688773, 'stock hoarding': 802239, 'my son just': 550161, 'son just got': 785405, 'just got sent': 468869, 'got sent home': 358829, 'sent home because': 750757, 'home because publix': 400783, 'because publix ran': 119504, 'publix ran out': 688774, 'out of frozen': 626738, 'of frozen food': 583980, 'frozen food to': 338981, 'to stock hoarding': 915438, 'besmartbesafe': 127548, 'get work': 348639, 'done from': 254847, 'home avoid': 400750, 'having physical': 384218, 'physical meeting': 655433, 'meeting unless': 527783, 'service besmartbesafe': 752180, 'still get work': 800560, 'get work done': 348640, 'work done from': 1005060, 'done from the': 254849, 'your home avoid': 1024341, 'home avoid going': 400753, 'the office or': 862077, 'office or having': 595505, 'or having physical': 615598, 'having physical meeting': 384219, 'physical meeting unless': 655434, 'meeting unless you': 527784, 'unless you work': 942682, 'work in essential': 1005305, 'in essential service': 422607, 'essential service besmartbesafe': 281499, 'saath': 728982, 'bhi': 129377, 'gayi': 344729, 'ki': 473754, 'baniyawaalas': 109534, 'ke saath': 471239, 'saath price': 728983, 'price bhi': 672925, 'bhi bad': 129378, 'bad gayi': 107871, 'gayi grocery': 344730, 'grocery ki': 364678, 'ki seriously': 473755, 'seriously baniyawaalas': 751545, 'baniyawaalas are': 109535, 'like anything': 489816, 'ke saath price': 471240, 'saath price bhi': 728984, 'price bhi bad': 672926, 'bhi bad gayi': 129379, 'bad gayi grocery': 107872, 'gayi grocery ki': 344731, 'grocery ki seriously': 364679, 'ki seriously baniyawaalas': 473756, 'seriously baniyawaalas are': 751546, 'baniyawaalas are looting': 109536, 'are looting people': 87890, 'looting people like': 503265, 'people like anything': 648641, 'incendiary': 431352, 'biological': 131225, 'the cannot': 850344, 'super rich': 818569, 'job wait': 466272, 'wait then': 964200, 'then buy': 877044, 'at incendiary': 99277, 'incendiary sale': 431355, 'consequence even': 194848, 'more concentration': 538852, 'concentration of': 192846, 'wealth no': 974176, 'no biological': 563699, 'biological warfare': 131226, 'warfare against': 966853, 'against china': 37364, 'china or': 176862, 'or elimination': 615129, 'the cannot help': 850345, 'cannot help but': 161955, 'help but think': 389455, 'but think it': 147530, 'think it wa': 885358, 'it wa created': 462096, 'by the super': 154452, 'the super rich': 868429, 'super rich to': 818571, 'rich to destroy': 721263, 'to destroy demand': 904215, 'destroy demand and': 239007, 'demand and job': 234978, 'and job wait': 65667, 'job wait then': 466273, 'wait then buy': 964201, 'then buy at': 877045, 'buy at incendiary': 148381, 'at incendiary sale': 99278, 'incendiary sale price': 431356, 'sale price consequence': 732458, 'price consequence even': 673211, 'consequence even more': 194849, 'even more concentration': 284347, 'more concentration of': 538853, 'concentration of wealth': 192847, 'of wealth no': 592972, 'wealth no biological': 974177, 'no biological warfare': 563700, 'biological warfare against': 131227, 'warfare against china': 966854, 'against china or': 37365, 'china or elimination': 176863, 'or elimination of': 615130, 'elimination of the': 271496, 'peopleareselfish': 650592, 'car watching': 163336, 'horror of': 404205, 'need bread': 554560, 'bread we': 138631, 'we salad': 973120, 'salad and': 731908, 'with mothersday': 999575, 'mothersday card': 543234, 'and galaxy': 63459, 'galaxy chocolate': 342920, 'chocolate mothersday2020': 177692, 'mothersday2020 supermarketsweep': 543243, 'supermarketsweep chocolate': 824253, 'chocolate peopleareselfish': 177700, 'the car watching': 850391, 'car watching the': 163337, 'watching the horror': 968797, 'the horror of': 857509, 'horror of the': 404207, 'supermarket we need': 823749, 'we need bread': 972472, 'need bread we': 554561, 'bread we salad': 138632, 'we salad and': 973121, 'salad and will': 731910, 'and will come': 75660, 'come back with': 187247, 'back with mothersday': 107480, 'with mothersday card': 999576, 'mothersday card and': 543235, 'card and galaxy': 163451, 'and galaxy chocolate': 63460, 'galaxy chocolate mothersday2020': 342921, 'chocolate mothersday2020 supermarketsweep': 177693, 'mothersday2020 supermarketsweep chocolate': 543244, 'supermarketsweep chocolate peopleareselfish': 824254, 'incubation': 433947, 'ordinated': 619106, 'invaded': 443565, 'show marked': 767047, 'marked rise': 515864, 'in recorded': 427331, 'recorded infection': 705107, 'infection virus': 436876, 'virus incubation': 958341, 'incubation is': 433948, 'is perfectly': 450850, 'perfectly co': 651384, 'co ordinated': 184928, 'ordinated with': 619107, 'with 19th': 996971, 'march infection': 515395, 'infection where': 436881, 'where pub': 985139, 'pub were': 687802, 'were packed': 979961, 'one last': 606574, 'last good': 480256, 'night out': 563051, 'crowd invaded': 219184, 'invaded grocer': 443566, 'grocer across': 364086, '19 data show': 6422, 'data show marked': 226409, 'show marked rise': 767048, 'marked rise in': 515865, 'rise in recorded': 722904, 'in recorded infection': 427332, 'recorded infection virus': 705108, 'infection virus incubation': 436877, 'virus incubation is': 958342, 'incubation is perfectly': 433949, 'is perfectly co': 450851, 'perfectly co ordinated': 651385, 'co ordinated with': 184929, 'ordinated with 19th': 619108, 'with 19th march': 996972, '19th march infection': 12540, 'march infection where': 515396, 'infection where pub': 436882, 'where pub were': 985141, 'pub were packed': 687803, 'were packed with': 979964, 'packed with one': 633668, 'with one last': 999886, 'one last good': 606575, 'last good night': 480257, 'good night out': 357469, 'night out before': 563052, 'out before lockdown': 625772, 'lockdown and panic': 499148, 'buying supermarket crowd': 151120, 'supermarket crowd invaded': 819870, 'crowd invaded grocer': 219185, 'invaded grocer across': 443567, 'grocer across several': 364087, 'across several day': 29450, 'foodhoard': 317937, 'those panicbuying': 892306, 'in nearby': 425706, 'nearby argo': 553654, 'argo panic': 92664, 'buying freezer': 150372, 'freezer now': 332624, 'their foodhoard': 873360, 'foodhoard if': 317938, 'afford second': 34755, 'second freezer': 743723, 'no selfish': 565449, 'selfish stophoarding': 748275, 'so those panicbuying': 778509, 'those panicbuying food': 892307, 'panicbuying food due': 638944, 'to are now': 900690, 'are now according': 88518, 'according to customer': 28532, 'customer who work': 223088, 'work in nearby': 1005327, 'in nearby argo': 425707, 'nearby argo panic': 553655, 'argo panic buying': 92665, 'panic buying freezer': 637739, 'buying freezer now': 150373, 'freezer now to': 332625, 'now to deal': 576166, 'deal with their': 229582, 'with their foodhoard': 1001572, 'their foodhoard if': 873361, 'foodhoard if they': 317939, 'can afford second': 157407, 'afford second freezer': 34756, 'second freezer then': 743724, 'freezer then surely': 332639, 'then surely they': 877591, 'surely they have': 827953, 'buy extra food': 148608, 'extra food no': 293515, 'food no selfish': 315549, 'no selfish stophoarding': 565451, 'is 70': 445233, 'economy we': 268328, 'already reeling': 47608, 'tariff another': 834593, 'bad business': 107792, 'business decision': 143625, 'decision now': 231060, 'only spend': 611178, 'necessary during': 553975, 'need competent': 554618, 'competent people': 191618, 'charge voting': 173338, 'voting for': 960601, 'spending is 70': 788868, 'is 70 of': 445234, 'the economy we': 854034, 'economy we were': 268330, 'we were already': 973781, 'were already reeling': 979309, 'already reeling from': 47609, 'reeling from trump': 706449, 'from trump tariff': 338153, 'trump tariff another': 933887, 'tariff another bad': 834594, 'another bad business': 77506, 'bad business decision': 107793, 'business decision now': 143626, 'decision now we': 231061, 'now we only': 576349, 'we only spend': 972650, 'only spend on': 611180, 'spend on what': 788664, 'is necessary during': 449844, 'necessary during pandemic': 553976, 'pandemic we need': 636945, 'we need competent': 972475, 'need competent people': 554619, 'competent people in': 191619, 'people in charge': 648357, 'in charge voting': 421345, 'charge voting for': 173339, '19 baba': 5285, 'china consumer impact': 176580, 'consumer impact from': 197803, 'covid 19 baba': 212671, '19 baba jd': 5286, 'scent 41oz': 741383, '41oz qt': 18895, 'qt fl': 691612, 'oz bleach': 632724, 'linen scent 41oz': 493642, 'scent 41oz qt': 741384, '41oz qt fl': 18896, 'qt fl oz': 691613, 'fl oz bleach': 309916, 'lockdown hungry': 499485, 'hungry resident': 411303, 'resident demand': 714285, 'in protest': 427052, '19 lockdown hungry': 8394, 'lockdown hungry resident': 499486, 'hungry resident demand': 411304, 'resident demand food': 714286, 'demand food in': 235361, 'food in protest': 314965, 'if today': 415181, 'today oil': 919965, 'and prevail': 69403, 'prevail north': 671540, 'than mb': 840873, 'mb by': 522023, 'of november': 587092, 'if today oil': 415182, 'today oil price': 919966, 'price in and': 674658, 'in and prevail': 420384, 'and prevail north': 69404, 'prevail north american': 671541, 'american oil production': 52108, 'oil production will': 597374, 'production will decline': 682281, 'will decline by': 993115, 'decline by more': 231315, 'more than mb': 540644, 'than mb by': 840874, 'mb by the': 522024, 'end of november': 275909, 'growing rapidly': 367230, 'affected equally': 34349, 'fraud is growing': 331296, 'is growing rapidly': 448238, 'growing rapidly result': 367231, 'industry are affected': 435657, 'are affected equally': 84249, 'affected equally we': 34350, 'data to find': 226459, 'out how the': 626336, 'antivirus': 78599, 'norton': 567831, 'mcafee': 522082, 'kaspersky': 471001, 'whether antivirus': 985487, 'antivirus company': 78600, 'of norton': 587077, 'norton mcafee': 567832, 'mcafee kaspersky': 522083, 'wonder whether antivirus': 1004030, 'whether antivirus company': 985488, 'antivirus company share': 78601, 'share price will': 755189, 'will rise result': 994713, 'rise result of': 722990, 'result of norton': 717603, 'of norton mcafee': 587078, 'norton mcafee kaspersky': 567833, 'rsr': 726717, 'on recent': 603093, 'recent report': 703972, 'from rsr': 337129, 'rsr it': 726718, 'lost confidence': 503833, 'in amazon': 420211, 'amazon only': 51057, 'only 42': 610004, 'them believed': 875474, 'giant would': 349893, 'would deliver': 1011755, 'deliver their': 233239, 'time download': 896581, 'based on recent': 111692, 'on recent report': 603094, 'recent report from': 703973, 'report from rsr': 711979, 'from rsr it': 337130, 'rsr it is': 726720, 'clear that consumer': 181340, 'consumer have lost': 197710, 'have lost confidence': 381380, 'lost confidence in': 503834, 'confidence in amazon': 193897, 'in amazon only': 420213, 'amazon only 42': 51058, 'only 42 of': 610006, '42 of them': 18910, 'of them believed': 591725, 'them believed that': 875475, 'believed that the': 126435, 'that the retail': 846821, 'retail giant would': 718145, 'giant would deliver': 349894, 'would deliver their': 1011756, 'deliver their product': 233241, 'their product on': 874471, 'product on time': 681475, 'on time download': 604707, 'time download the': 896582, 'download the report': 257633, 'the report to': 865540, 'report to learn': 712386, 'jukebox': 467780, 'pubclosures': 687814, 'shutdownuk': 768151, 'fuckingidiots': 340061, 'one final': 606289, 'final attempt': 305822, 'ensure many': 277985, 'die possible': 241444, 'possible lot': 665709, 'of pub': 588578, 'pub in': 687714, 'having party': 384216, 'party tonight': 643053, 'tonight with': 924525, 'special offer': 788003, 'free pool': 332070, 'pool and': 664008, 'and jukebox': 65689, 'jukebox thanet': 467781, 'thanet pubclosures': 841518, 'pubclosures shutdownuk': 687815, 'shutdownuk fuckingidiots': 768154, 'in one final': 426143, 'one final attempt': 606290, 'final attempt to': 305823, 'attempt to ensure': 102243, 'to ensure many': 905172, 'ensure many people': 277986, 'many people die': 514497, 'people die possible': 647654, 'die possible lot': 241445, 'possible lot of': 665710, 'lot of pub': 504263, 'of pub in': 588580, 'pub in my': 687716, 'are having party': 87038, 'having party tonight': 384217, 'party tonight with': 643054, 'tonight with special': 924526, 'with special offer': 1000910, 'special offer on': 788007, 'offer on price': 594720, 'on price with': 602923, 'price with free': 677614, 'with free pool': 998538, 'free pool and': 332071, 'pool and jukebox': 664009, 'and jukebox thanet': 65690, 'jukebox thanet pubclosures': 467782, 'thanet pubclosures shutdownuk': 841519, 'pubclosures shutdownuk fuckingidiots': 687817, 'best advice': 127562, 'my people': 549737, 'you house': 1019253, 'petrol prepare': 653754, 'prepare yourself': 670157, 'dark day': 225961, 'doesn come': 251730, 'come alone': 187199, 'alone it': 46875, 'best advice for': 127563, 'advice for my': 33371, 'for my people': 323741, 'my people in': 549738, 'people in nigeria': 648403, 'in nigeria is': 425877, 'nigeria is to': 562757, 'to stock you': 915461, 'stock you house': 803218, 'you house with': 1019254, 'house with supply': 406696, 'with supply food': 1001081, 'water and petrol': 968874, 'and petrol prepare': 68951, 'petrol prepare yourself': 653755, 'prepare yourself for': 670158, 'yourself for the': 1026603, 'for the dark': 326371, 'the dark day': 852835, 'dark day of': 225962, '19 it doesn': 8131, 'it doesn come': 457625, 'doesn come alone': 251731, 'come alone it': 187200, 'alone it come': 46876, 'it come with': 457215, 'come with lockdown': 187683, 'workbook': 1006082, 'strategy workbook': 812749, 'workbook helping': 1006083, 'you develop': 1018188, 'develop strategy': 239659, 'includes example': 431742, 'behaviour framework': 124423, 'framework to': 330955, 'you provide': 1020480, 'provide value': 686534, 'customer work': 223110, 'can flourish': 158358, '19 strategy workbook': 10906, 'strategy workbook helping': 812750, 'workbook helping you': 1006084, 'helping you develop': 391551, 'you develop strategy': 1018189, 'develop strategy in': 239660, 'strategy in response': 812660, 'pandemic it includes': 635823, 'it includes example': 458763, 'includes example of': 431743, 'example of changing': 288928, 'of changing consumer': 581275, 'consumer behaviour framework': 196570, 'behaviour framework to': 124424, 'framework to help': 330956, 'help you provide': 390991, 'you provide value': 1020483, 'provide value to': 686535, 'value to your': 952226, 'to your customer': 918969, 'your customer work': 1023434, 'customer work out': 223111, 'work out how': 1005582, 'you can flourish': 1017677, 'story my': 812046, 'grandmother go': 361932, 'day she': 228337, 'towel shelf': 927375, 'are wiped': 91645, 'wiped she': 996477, 'cashier what': 166657, 'you closing': 1017978, 'closing that': 183766, 'she learned': 756189, '19 old': 8916, 'are something': 90300, 'true story my': 933174, 'story my grandmother': 812047, 'my grandmother go': 548551, 'grandmother go to': 361933, 'other day she': 620080, 'day she went': 228338, 'she went for': 756461, 'went for paper': 979005, 'for paper towel': 324380, 'paper towel shelf': 641010, 'towel shelf are': 927376, 'shelf are wiped': 756834, 'are wiped she': 91647, 'wiped she find': 996478, 'she find one': 756035, 'find one and': 307112, 'one and go': 605898, 'go to check': 354289, 'check out say': 174575, 'out say to': 627149, 'the cashier what': 850501, 'cashier what going': 166658, 'going on are': 355301, 'on are you': 599461, 'are you closing': 91775, 'you closing that': 1017979, 'closing that when': 183767, 'that when she': 847492, 'when she learned': 984000, 'she learned about': 756190, 'learned about covid': 484104, 'covid 19 old': 213512, '19 old people': 8917, 'people are something': 647081, 'are something else': 90301, 'bullet': 142419, 'buy bullet': 148450, 'bullet with': 142433, 'all timeforplanb': 45230, 'wa designed for': 961959, 'designed for used': 238337, 'for used bitcoin': 327497, 'to buy bullet': 902195, 'buy bullet with': 148451, 'bullet with my': 142434, 'safe all timeforplanb': 729418, 'all timeforplanb crypto': 45231, 'joining hand': 466969, 'with uae': 1001878, 'uae effort': 937750, '19 considering': 5944, 'our mall': 623843, 'mall visitor': 511849, 'visitor community': 959585, 'general prayer': 345438, 'prayer area': 669050, 'cinema will': 178553, 'stay closed': 796838, 'notice lulu': 573306, 'hypermarket other': 412348, 'in routine': 427555, 'joining hand with': 466970, 'hand with uae': 376019, 'with uae effort': 1001879, 'uae effort to': 937751, 'covid 19 considering': 212842, '19 considering the': 5945, 'considering the wellbeing': 195431, 'of our mall': 587509, 'our mall visitor': 623846, 'mall visitor community': 511850, 'visitor community in': 959586, 'community in general': 189914, 'in general prayer': 423255, 'general prayer area': 345439, 'prayer area and': 669051, 'area and cinema': 91934, 'and cinema will': 59892, 'cinema will stay': 178555, 'will stay closed': 994962, 'stay closed until': 796839, 'further notice lulu': 342108, 'notice lulu hypermarket': 573307, 'lulu hypermarket other': 506649, 'hypermarket other store': 412349, 'other store are': 620979, 'store are operating': 806505, 'are operating in': 88820, 'operating in routine': 613080, 'else stress': 271896, 'been through': 122190, 'anyone else stress': 80294, 'else stress shopping': 271897, 'anxiety ha been': 78715, 'ha been through': 369953, 'been through the': 122192, 'march businessnews': 515302, 'businessnews april': 144775, 'new article how': 558357, 'article how covid': 94356, 'in march businessnews': 425085, 'march businessnews april': 515303, 'businessnews april 10': 144776, 'home friend': 401254, 'friend stay': 333813, 'stay fucking': 796881, 'fucking home': 339900, 'work fine': 1005129, 'store fine': 807729, 'fine other': 307678, 'that stay': 846466, 'difficult covid': 242205, 'stay home friend': 796967, 'home friend stay': 401255, 'friend stay fucking': 333814, 'stay fucking home': 796882, 'fucking home if': 339901, 'to work fine': 918720, 'work fine if': 1005130, 'fine if you': 307646, 'the pharmacy grocery': 863653, 'grocery store fine': 365398, 'store fine other': 807731, 'fine other than': 307679, 'other than that': 621082, 'than that stay': 841212, 'that stay home': 846467, 'home you fucking': 402584, 'you fucking idiot': 1018736, 'fucking idiot are': 339911, 'idiot are killing': 413453, 'are killing people': 87686, 'killing people why': 474711, 'people why is': 650373, 'is it difficult': 449020, 'it difficult covid': 457550, 'difficult covid 19': 242206, 'hydroxycoroquine': 412031, 'source mylan': 786514, 'mylan lab': 550750, 'lab hydroxycoroquine': 478268, 'source mylan lab': 786515, 'mylan lab hydroxycoroquine': 550751, 'could we': 209822, 'we lift': 972188, 'lift the': 489462, 'payment sars': 645721, 'cov can': 212109, 'of 24h': 579535, '24h on': 15753, 'plastic yet': 658891, 'touching these': 926737, 'these keypad': 880213, 'keypad 19': 473552, 'could we lift': 209824, 'we lift the': 972189, 'lift the limit': 489465, 'the limit for': 859384, 'limit for contactless': 492347, 'contactless payment sars': 200381, 'payment sars cov': 645722, 'sars cov can': 736799, 'cov can survive': 212110, 'survive in excess': 829192, 'excess of 24h': 289355, 'of 24h on': 579536, '24h on plastic': 15754, 'on plastic yet': 602819, 'plastic yet every': 658892, 'yet every person': 1016060, 'person in supermarket': 652489, 'supermarket is touching': 821133, 'is touching these': 453314, 'touching these keypad': 926738, 'these keypad 19': 880214, 'day particularly': 228191, 'particularly to': 642723, 'those looking': 892180, 'after in': 35816, 'time mothersday': 897229, 'mothersday nhscovidheroes': 543238, 'nhscovidheroes remember': 562219, 'remember bekind': 710172, 'bekind stretch': 126117, 'stretch to': 813568, 'our neighbour': 624014, 'buy necessity': 148985, 'necessity and': 554164, 'mother day particularly': 543086, 'day particularly to': 228192, 'particularly to those': 642724, 'to those looking': 917511, 'those looking after': 892181, 'looking after in': 502777, 'after in this': 35817, 'difficult time mothersday': 242297, 'time mothersday nhscovidheroes': 897230, 'mothersday nhscovidheroes remember': 543239, 'nhscovidheroes remember bekind': 562220, 'remember bekind stretch': 710173, 'bekind stretch to': 126118, 'stretch to our': 813569, 'to our neighbour': 911216, 'our neighbour who': 624015, 'neighbour who might': 557259, 'be vulnerable and': 118030, 'vulnerable and le': 960865, 'and le able': 66009, 'to buy necessity': 902274, 'buy necessity and': 148986, 'necessity and to': 554165, 'and to supermarket': 74201, 'marylander': 518219, 'marylander should': 518220, 'targeting individual': 834568, 'to maryland': 909870, 'maryland consumer': 518188, 'marylander should be': 518221, 'aware of scam': 105640, 'of scam targeting': 589366, 'scam targeting individual': 740392, 'targeting individual during': 834569, 'individual during the': 435180, 'the pandemic report': 863078, 'pandemic report scam': 636333, 'report scam to': 712237, 'scam to maryland': 740423, 'to maryland consumer': 909871, 'maryland consumer protection': 518189, 'act prevents': 29742, 'prevents business': 671932, 'from grossly': 335702, 'grossly raising': 366465, 'no explanation': 564174, 'explanation beyond': 292269, 'beyond what': 129258, 'reasonable and': 703084, 'available elsewhere': 104338, 'are in demand': 87374, 'in demand because': 422109, '19 the consumer': 11179, 'protection act prevents': 685283, 'act prevents business': 29743, 'prevents business from': 671933, 'business from grossly': 143768, 'from grossly raising': 335703, 'grossly raising price': 366466, 'raising price with': 696133, 'with no explanation': 999749, 'no explanation beyond': 564175, 'explanation beyond what': 292270, 'beyond what is': 129259, 'what is reasonable': 981721, 'is reasonable and': 451330, 'reasonable and available': 703086, 'and available elsewhere': 58547, 'someone working': 784795, 'call text': 156116, 'text etc': 839890, 'etc co': 282476, 'responsibility right': 715973, 'and might': 67001, 'support well': 826986, 'know someone working': 476733, 'someone working in': 784797, 'in supermarket give': 428607, 'supermarket give them': 820525, 'give them call': 350762, 'them call text': 875519, 'call text etc': 156117, 'text etc co': 839891, 'etc co they': 282477, 'co they are': 184981, 'having to put': 384356, 'up with quite': 946675, 'with quite bit': 1000388, 'quite bit of': 694830, 'bit of responsibility': 131658, 'of responsibility right': 589009, 'responsibility right now': 715974, 'now and might': 574042, 'and might need': 67002, 'might need bit': 531081, 'bit of support': 131667, 'of support well': 590515, 'reduceinternetprices': 706216, 'some covid': 782623, 'special data': 787879, 'bundle will': 142656, 'nice you': 562524, 'giving horrible': 351316, 'same high': 733101, 'price reduceinternetprices': 676132, 'if you all': 415389, 'you all did': 1016871, 'all did some': 42566, 'did some covid': 240812, 'some covid 19': 782624, '19 special data': 10719, 'special data bundle': 787880, 'data bundle will': 226153, 'bundle will not': 142657, 'will not it': 994234, 'not it be': 570182, 'it be nice': 456732, 'be nice you': 116086, 'nice you re': 562525, 'you re giving': 1020633, 're giving horrible': 698744, 'giving horrible service': 351317, 'horrible service for': 404118, 'the same high': 866238, 'same high price': 733103, 'high price reduceinternetprices': 395270, 'tracked amendment': 928238, 'amendment to': 51409, 'loading bay': 497330, 'bay can': 112924, 'our govt ha': 623286, 'govt ha fast': 361141, 'fast tracked amendment': 300064, 'tracked amendment to': 928239, 'amendment to our': 51410, 'law so supermarket': 482400, 'so supermarket distribution': 778308, 'supermarket distribution centre': 819973, 'distribution centre and': 248129, 'centre and loading': 169481, 'and loading bay': 66280, 'loading bay can': 497331, 'bay can operate': 112925, 'mynewnormal': 550767, 'local publix': 498318, 'am mynewnormal': 50229, 'mynewnormal gainesville': 550768, 'gainesville gainesville': 342869, 'gainesville florida': 342868, 'my local publix': 549135, 'local publix grocery': 498320, 'store this am': 810694, 'this am mynewnormal': 886296, 'am mynewnormal gainesville': 50230, 'mynewnormal gainesville gainesville': 550769, 'gainesville gainesville florida': 342870, 'michele': 530286, 'michele consumption': 530291, 'consumption down': 199860, 'down bit': 256567, 'bit but': 131539, 'but product': 146852, 'mix ha': 534597, 'shifted people': 758495, 'consume le': 195943, 'le cream': 482905, 'cream butter': 215534, 'butter cheese': 148139, 'cheese home': 175195, 'home than': 402207, 'than restaurant': 841087, 'restaurant package': 716626, 'package size': 633396, 'size destined': 772769, 'service aren': 752152, 'aren sold': 92525, 'retail spec': 718587, 'michele consumption down': 530292, 'consumption down bit': 199861, 'down bit but': 256568, 'bit but product': 131541, 'but product mix': 146853, 'product mix ha': 681413, 'mix ha shifted': 534599, 'ha shifted people': 371904, 'shifted people consume': 758496, 'people consume le': 647534, 'consume le cream': 195944, 'le cream butter': 482906, 'cream butter cheese': 215535, 'butter cheese home': 148140, 'cheese home than': 175196, 'home than restaurant': 402208, 'than restaurant package': 841088, 'restaurant package size': 716627, 'package size destined': 633397, 'size destined for': 772770, 'destined for food': 238995, 'food service aren': 316403, 'service aren sold': 752153, 'aren sold at': 92526, 'sold at retail': 781642, 'at retail spec': 100306, 'first thought': 309085, 'that corona': 843326, 'beer wa': 122532, 'the funniest': 856048, 'funniest thing': 341687, 'then thought': 877670, 'wa classic': 961816, 'classic indicator': 180333, 'how dumb': 407767, 'dumb people': 262111, 'now thinking': 576126, 'thinking can': 885885, 'at first thought': 98659, 'first thought the': 309086, 'thought the fact': 893245, 'fact that corona': 295791, 'that corona beer': 843327, 'corona beer wa': 203825, 'beer wa being': 122533, 'wa being left': 961681, 'being left on': 125379, 'left on shelf': 485589, 'on shelf wa': 603412, 'shelf wa the': 757740, 'wa the funniest': 963449, 'the funniest thing': 856049, 'funniest thing so': 341688, 'thing so far': 884752, 'far about the': 298691, 'the then thought': 869425, 'then thought it': 877671, 'it wa classic': 462089, 'wa classic indicator': 961817, 'classic indicator of': 180334, 'indicator of how': 435048, 'of how dumb': 584822, 'how dumb people': 407768, 'dumb people are': 262112, 'are now thinking': 88609, 'now thinking can': 576127, 'thinking can get': 885886, 'hand on some': 375143, 'on some at': 603554, 'some at reduced': 782352, 'satisfying': 736963, 'satisfying to': 736964, 'pack grocery': 633053, 'needy the': 556709, 'not boasting': 568583, 'boasting hope': 133713, 'll inspire': 496851, 'inspire someone': 439832, 'it removed': 460708, 'removed mask': 710872, 'picture it': 656150, 'in hygienic': 423946, 'hygienic condition': 412212, 'sanitizer given': 734983, 'given every': 350989, 'every 30': 285650, 'minute lockdown': 533802, 'satisfying to volunteer': 736966, 'to volunteer and': 918230, 'volunteer and help': 960213, 'and help pack': 64461, 'help pack grocery': 390265, 'pack grocery for': 633054, 'for the needy': 326578, 'the needy the': 861415, 'needy the least': 556710, 'the least we': 859258, 'least we could': 484685, 'we could do': 971203, 'could do not': 209098, 'do not boasting': 249681, 'not boasting hope': 568584, 'boasting hope it': 133714, 'hope it ll': 403518, 'it ll inspire': 459426, 'll inspire someone': 496852, 'inspire someone to': 439833, 'someone to do': 784703, 'do it removed': 249507, 'it removed mask': 460709, 'removed mask for': 710873, 'mask for the': 518690, 'for the picture': 326621, 'the picture it': 863726, 'picture it wa': 656151, 'wa in hygienic': 962371, 'in hygienic condition': 423947, 'hygienic condition with': 412213, 'condition with sanitizer': 193563, 'with sanitizer given': 1000569, 'sanitizer given every': 734984, 'given every 30': 350990, 'every 30 minute': 285651, '30 minute lockdown': 17122, 'oliverscampaign': 598755, 'oliverscampaign what': 598756, 'what type': 982494, 'being isolated': 125345, 'oliverscampaign what type': 598757, 'what type of': 982495, 'food are people': 313412, 'are people stock': 89051, 'stock piling in': 802664, 'piling in case': 656602, 'case of being': 165893, 'of being isolated': 580647, 'bethesda': 128150, 'julii': 467800, 'supportlocalrestaurants': 827276, 'north bethesda': 567622, 'bethesda tweeps': 128153, 'tweeps julii': 936301, 'julii at': 467801, 'ha curbside': 370296, 'their beer': 872573, 'wine bottle': 995785, 'wine are': 995772, 'are 50': 84134, 'pay moco': 644995, 'moco price': 535149, 'for wine': 327888, 'wine that': 995915, 'that basically': 842929, 'basically retail': 112158, 'retail shoplocal': 718558, 'shoplocal supportlocalrestaurants': 761240, 'for my north': 323732, 'my north bethesda': 549516, 'north bethesda tweeps': 567623, 'bethesda tweeps julii': 128154, 'tweeps julii at': 936302, 'julii at ha': 467802, 'at ha curbside': 98833, 'ha curbside pick': 370297, 'up and is': 944337, 'and is selling': 65430, 'is selling their': 451766, 'selling their beer': 749484, 'their beer wine': 872574, 'beer wine bottle': 122539, 'wine bottle of': 995786, 'of wine are': 593178, 'wine are 50': 995773, 'are 50 off': 84135, '50 off when': 19785, 'when you pay': 984589, 'you pay moco': 1020307, 'pay moco price': 644996, 'moco price for': 535150, 'price for wine': 674079, 'for wine that': 327890, 'wine that basically': 995916, 'that basically retail': 842930, 'basically retail shoplocal': 112159, 'retail shoplocal supportlocalrestaurants': 718559, 'inept': 436326, 'boyc': 137310, 'also infected': 48423, 'infected million': 436598, 'million with': 532425, 'with wuhanvirus': 1002132, 'wuhanvirus after': 1013566, 'it inept': 458786, 'inept and': 436327, 'and incompetent': 65095, 'incompetent communist': 432529, 'communist government': 189669, 'government lied': 360317, 'act that': 29783, 'be forgetting': 114922, 'forgetting anytime': 329359, 'soon boyc': 785664, 'china also infected': 176460, 'also infected million': 48424, 'infected million with': 436599, 'million with wuhanvirus': 532427, 'with wuhanvirus after': 1002133, 'wuhanvirus after it': 1013567, 'after it inept': 35838, 'it inept and': 458787, 'inept and incompetent': 436328, 'and incompetent communist': 65096, 'incompetent communist government': 432530, 'communist government lied': 189670, 'government lied to': 360318, 'lied to the': 488422, 'to the it': 916820, 'the it people': 858588, 'it people and': 460291, 'world that an': 1010041, 'that an act': 842639, 'an act that': 55079, 'act that no': 29785, 'that no consumer': 845358, 'no consumer on': 563884, 'consumer on planet': 198260, 'on planet earth': 602810, 'earth is going': 264989, 'to be forgetting': 901263, 'be forgetting anytime': 114923, 'forgetting anytime soon': 329360, 'anytime soon boyc': 80971, '366': 18048, '357': 17960, 'china 83': 176447, '83 00': 22849, '00 infected': 278, 'infected population': 436624, 'population billion': 664660, 'billion 366': 130766, '366 00': 18049, 'population 357': 664636, '357 million': 17961, 'million plus': 532326, 'plus 3x': 661555, '3x death': 18482, 'death trump': 230260, 'trump delay': 933507, 'virus threat': 958914, 'threat destroyed': 893656, 'destroyed health': 239061, 'health life': 386610, 'economy now': 268103, 'china 83 00': 176448, '83 00 infected': 22850, '00 infected population': 279, 'infected population billion': 436628, 'population billion 366': 664661, 'billion 366 00': 130767, '366 00 infected': 18050, 'infected population 357': 436625, 'population 357 million': 664637, '357 million plus': 17962, 'million plus 3x': 532327, 'plus 3x death': 661556, '3x death trump': 18483, 'death trump delay': 230261, 'trump delay in': 933508, 'delay in response': 232710, '19 virus threat': 11840, 'virus threat destroyed': 958916, 'threat destroyed health': 893657, 'destroyed health life': 239062, 'health life and': 386611, 'life and economy': 488476, 'and economy now': 61925, 'economy now he': 268106, 'now he talking': 574907, 'ceo mark': 169744, 'mark schneider': 515818, 'schneider is': 741635, 'is rallying': 451217, 'rallying his': 696300, 'employee worldwide': 274472, 'worldwide to': 1010434, 'to brace': 901974, 'product brought': 681022, 'brought about': 141130, 'about by': 24919, 'ceo mark schneider': 169745, 'mark schneider is': 515819, 'schneider is rallying': 741636, 'is rallying his': 451219, 'rallying his employee': 696301, 'his employee worldwide': 397391, 'employee worldwide to': 274473, 'worldwide to brace': 1010435, 'to brace for': 901975, 'for an increased': 319299, 'beverage product brought': 129028, 'product brought about': 681023, 'brought about by': 141131, 'about by the': 24921, 'nevasa': 557838, 'million california': 532102, 'california 25': 155452, 'million will': 532421, 'the lethal': 859305, 'from mild': 336434, 'mild to': 531353, 'to icu': 908083, 'icu isolation': 412841, 'our border': 622241, 'in nevada': 425810, 'nevada except': 557828, 'supermarket trucking': 823576, 'trucking we': 932998, 'million population': 532328, 'in nevasa': 425812, 'nevasa scary': 557839, 'out of 40': 626670, 'of 40 million': 579583, '40 million california': 18607, 'million california 25': 532103, 'california 25 million': 155453, '25 million will': 15915, 'million will get': 532423, 'will get the': 993521, 'get the lethal': 348262, 'the lethal covid': 859306, '19 from mild': 7127, 'from mild to': 336435, 'mild to icu': 531354, 'to icu isolation': 908084, 'icu isolation for': 412842, 'isolation for 14': 455269, '14 day to': 3463, 'day to death': 228563, 'to death we': 903986, 'death we are': 230269, 'we are requesting': 970688, 'are requesting to': 89610, 'requesting to close': 713283, 'close our border': 182751, 'our border in': 622242, 'border in nevada': 135255, 'in nevada except': 425811, 'nevada except for': 557829, 'except for supermarket': 289170, 'for supermarket trucking': 326032, 'supermarket trucking we': 823577, 'trucking we have': 933000, 'have just about': 381198, 'just about million': 468135, 'about million population': 25731, 'million population in': 532329, 'population in nevasa': 664694, 'in nevasa scary': 425813, 'have gf': 380763, 'gf talk': 349504, 'on skype': 603499, 'skype maintain': 773263, 'you have gf': 1019050, 'have gf talk': 380764, 'gf talk to': 349505, 'talk to her': 833878, 'to her on': 907703, 'her on skype': 392248, 'on skype maintain': 603500, 'skype maintain distance': 773264, 'sedate': 744827, 'santabarbara': 736606, 'forcedsmiles': 328672, 'stayawayfromme': 797823, 'more sedate': 540334, 'sedate scene': 744830, 'scene at': 741305, 'in santabarbara': 427700, 'santabarbara today': 736607, 'today almost': 919170, 'almost heartening': 46664, 'of freak': 583905, 'out mode': 626554, 'mode forcedsmiles': 535166, 'forcedsmiles stayawayfromme': 328673, 'much more sedate': 545126, 'more sedate scene': 540335, 'sedate scene at': 744831, 'scene at the': 741307, 'supermarket in santabarbara': 820972, 'in santabarbara today': 427701, 'santabarbara today almost': 736608, 'today almost heartening': 919172, 'almost heartening to': 46665, 'to see everyone': 914005, 'see everyone in': 745091, 'everyone in about': 287033, 'in about the': 419982, 'about the same': 26508, 'level of freak': 487639, 'of freak out': 583906, 'freak out mode': 331513, 'out mode forcedsmiles': 626555, 'mode forcedsmiles stayawayfromme': 535167, 'worsen': 1011064, 'asia major': 95191, 'major petrochemical': 509415, 'petrochemical market': 653690, 'since 2008': 770454, '2008 amid': 13642, 'amid falling': 52461, 'could worsen': 209835, 'worsen growing': 1011067, 'country impose': 210767, 'impose strict': 419266, 'strict measure': 813634, 'pandemic icis': 635671, 'price in asia': 674663, 'in asia major': 420522, 'asia major petrochemical': 95192, 'major petrochemical market': 509416, 'petrochemical market have': 653691, 'market have fallen': 516501, 'level since 2008': 487705, 'since 2008 amid': 770455, '2008 amid falling': 13643, 'amid falling demand': 52462, 'falling demand that': 297238, 'demand that could': 236332, 'that could worsen': 843370, 'could worsen growing': 209836, 'worsen growing number': 1011068, 'number of country': 576933, 'of country impose': 582031, 'country impose strict': 210768, 'impose strict measure': 419268, 'strict measure to': 813636, 'coronavirus pandemic icis': 206464, 'pandemic icis petrochemical': 635672, 'hurried': 411495, 'on lock': 601900, 'while longer': 987012, 'longer what': 502109, 'is store': 452350, 'store map': 808904, 'just isle': 469076, 'isle list': 454365, 'might feel': 530973, 'feel hurried': 302669, 'hurried by': 411496, 'miss important': 534149, 'like we re': 491779, 'be on lock': 116201, 'on lock down': 601901, 'lock down for': 499030, 'down for while': 256781, 'for while longer': 327844, 'while longer what': 987013, 'longer what would': 502110, 'helpful is store': 391203, 'is store map': 452351, 'store map online': 808905, 'even just isle': 284266, 'just isle list': 469077, 'isle list and': 454366, 'some people might': 783525, 'people might feel': 648770, 'might feel hurried': 530974, 'feel hurried by': 302670, 'hurried by people': 411497, 'and miss important': 67072, 'miss important item': 534150, 'gulzar': 368666, 'zafar': 1027177, 'unsatisfactory': 943424, 'motu': 543379, 'awaited': 105541, 'chief justice': 175940, 'justice gulzar': 470414, 'gulzar ahmed': 368667, 'ahmed say': 39257, 'dr zafar': 258129, 'zafar mirza': 1027178, 'mirza performance': 533956, 'tackling coronavirus': 831638, 'been unsatisfactory': 122296, 'unsatisfactory the': 943425, 'court made': 212001, 'made these': 508009, 'these remark': 880582, 'remark today': 710110, 'while hearing': 986913, 'hearing suo': 388236, 'suo motu': 818455, 'motu case': 543380, 'case on': 165938, 'against written': 37751, 'written order': 1012964, 'is awaited': 445931, 'chief justice gulzar': 175941, 'justice gulzar ahmed': 470415, 'gulzar ahmed say': 368668, 'ahmed say dr': 39258, 'say dr zafar': 738598, 'dr zafar mirza': 258130, 'zafar mirza performance': 1027180, 'mirza performance on': 533957, 'performance on tackling': 651458, 'on tackling coronavirus': 603869, 'tackling coronavirus outbreak': 831639, 'ha been unsatisfactory': 369972, 'been unsatisfactory the': 122297, 'unsatisfactory the court': 943426, 'the court made': 852216, 'court made these': 212002, 'made these remark': 508012, 'these remark today': 880583, 'remark today while': 710111, 'today while hearing': 920530, 'while hearing suo': 986914, 'hearing suo motu': 388237, 'suo motu case': 818456, 'motu case on': 543381, 'case on the': 165939, 'the government measure': 856563, 'government measure against': 360353, 'measure against written': 525079, 'against written order': 37752, 'written order is': 1012965, 'order is awaited': 618331, 'gamify': 343344, 'scavenger': 741232, 'stock issue': 802317, 'issue all': 455649, 'all wrong': 45521, 'wrong guy': 1013036, 'to gamify': 906358, 'gamify it': 343345, 'it form': 458118, 'form team': 329563, 'team with': 835833, 'store scavenger': 810007, 'scavenger hunt': 741233, 'hunt before': 411353, 'lockdown who': 500138, 'who on': 989370, 'on bread': 599688, 'grocery store stock': 365809, 'store stock issue': 810389, 'stock issue all': 802318, 'issue all wrong': 455651, 'all wrong guy': 45523, 'wrong guy we': 1013037, 'guy we just': 369213, 'we just need': 972114, 'need to gamify': 555949, 'to gamify it': 906359, 'gamify it form': 343346, 'it form team': 458119, 'form team with': 329564, 'team with your': 835834, 'neighbor and start': 556980, 'and start the': 72250, 'start the grocery': 794552, 'grocery store scavenger': 365750, 'store scavenger hunt': 810008, 'scavenger hunt before': 741234, 'hunt before lockdown': 411354, 'before lockdown who': 122918, 'lockdown who on': 500139, 'who on bread': 989371, 'meat but': 525506, 'of seafood': 589423, 'seafood at': 743123, 'my cole': 547727, 'cole plenty': 185874, 'say from': 738656, 'this phenomenon': 889551, 'phenomenon but': 654667, 'really wtf': 702721, 'people thing': 649825, 'change eating': 172031, 'le meat': 483024, 'bad starting': 108018, 'starting point': 794991, 'no meat but': 564746, 'meat but plenty': 525507, 'plenty of seafood': 660976, 'of seafood at': 589424, 'seafood at good': 743124, 'at good price': 98783, 'good price at': 357584, 'price at my': 672805, 'at my cole': 99805, 'my cole plenty': 547728, 'cole plenty to': 185875, 'plenty to say': 661008, 'to say from': 913820, 'say from this': 738657, 'from this phenomenon': 338004, 'this phenomenon but': 889552, 'phenomenon but really': 654668, 'but really wtf': 146902, 'really wtf people': 702722, 'wtf people thing': 1013313, 'people thing have': 649826, 'thing have to': 884409, 'have to change': 383175, 'to change eating': 902600, 'change eating le': 172032, 'eating le meat': 266246, 'le meat is': 483025, 'meat is not': 525634, 'is not bad': 450034, 'not bad starting': 568324, 'bad starting point': 108019, 'pickle': 655900, 'of add': 579774, 'add pickle': 31464, 'pickle to': 655906, 'to cart': 902471, 'algorithm suggests': 41666, 'age of add': 37859, 'of add pickle': 579776, 'add pickle to': 31465, 'pickle to cart': 655907, 'to cart and': 902472, 'cart and the': 165255, 'and the algorithm': 73238, 'the algorithm suggests': 848574, 'stockyard': 804236, 'divergence': 248513, 'holcomb': 399877, 'packer and': 633674, 'and stockyard': 72460, 'stockyard division': 804237, 'division will': 248695, 'be extending': 114752, 'extending our': 293226, 'our oversight': 624193, 'oversight to': 631526, 'determine the': 239443, 'of divergence': 582732, 'divergence between': 248514, 'between box': 128732, 'live beef': 495741, 'price beginning': 672888, 'beginning with': 123692, 'the holcomb': 857429, 'holcomb fire': 399878, 'packer and stockyard': 633675, 'and stockyard division': 72461, 'stockyard division will': 804238, 'division will be': 248696, 'will be extending': 992450, 'be extending our': 114753, 'extending our oversight': 293227, 'our oversight to': 624194, 'oversight to determine': 631527, 'to determine the': 904238, 'determine the cause': 239444, 'cause of divergence': 167681, 'of divergence between': 582733, 'divergence between box': 248515, 'between box and': 128733, 'box and live': 137009, 'and live beef': 66250, 'live beef price': 495742, 'beef price beginning': 120542, 'price beginning with': 672889, 'beginning with the': 123693, 'with the holcomb': 1001333, 'the holcomb fire': 857430, 'holcomb fire in': 399879, 'fire in last': 308095, 'in last summer': 424605, 'last summer and': 480513, 'summer and now': 817956, 'hawking': 384477, 'fear far': 301111, 'right conspiracy': 721843, 'theory outlet': 877860, 'outlet infowars': 629050, 'infowars ha': 438162, 'been aggressively': 120630, 'aggressively hawking': 38264, 'hawking bulk': 384478, 'from fear far': 335435, 'fear far right': 301112, 'far right conspiracy': 298905, 'right conspiracy theory': 721844, 'conspiracy theory outlet': 195584, 'theory outlet infowars': 877861, 'outlet infowars ha': 629051, 'infowars ha been': 438163, 'ha been aggressively': 369713, 'been aggressively hawking': 120631, 'aggressively hawking bulk': 38265, 'hawking bulk food': 384479, 'intensively': 441139, 'collaborating intensively': 185917, 'intensively with': 441140, 'fellow the': 303340, 'forum member': 329954, 'member company': 528047, 'company from': 190685, 'more fmcg': 539223, 'are collaborating intensively': 85414, 'collaborating intensively with': 185918, 'intensively with fellow': 441141, 'with fellow the': 998409, 'fellow the forum': 303341, 'the forum member': 855722, 'forum member company': 329955, 'member company from': 528049, 'company from around': 190686, 'around the to': 93564, 'the to maintain': 869685, 'maintain the availability': 509057, 'availability of daily': 104156, 'of daily essential': 582315, 'daily essential for': 224598, 'essential for local': 281058, 'for local community': 323045, 'local community during': 497839, 'this pandemic read': 889419, 'read more fmcg': 700434, 'nurture': 577641, 'lockdown could': 499276, 'help gave': 389792, 'gave in': 344625, 'shopping temptation': 764058, 'temptation me': 837734, 'me think': 523695, 'to nurture': 910763, 'nurture some': 577642, 'some expensive': 782788, 'expensive hobby': 291248, 'hobby stayathome': 399777, 'stayathome malaysialockdown': 797535, 'malaysialockdown socialdistancing': 511654, 'socialdistancing hobby': 780425, 'hobby are': 399766, 'getting expensive': 348962, 'day lockdown could': 227924, 'lockdown could not': 499278, 'could not help': 209445, 'not help gave': 569926, 'help gave in': 389793, 'gave in to': 344626, 'in to online': 430126, 'online shopping temptation': 609298, 'shopping temptation me': 764059, 'temptation me think': 837735, 'me think this': 523699, 'think this lockdown': 885701, 'this lockdown is': 888689, 'lockdown is going': 499543, 'going to nurture': 355661, 'to nurture some': 910764, 'nurture some expensive': 577643, 'some expensive hobby': 782789, 'expensive hobby stayathome': 291249, 'hobby stayathome malaysialockdown': 399778, 'stayathome malaysialockdown socialdistancing': 797536, 'malaysialockdown socialdistancing hobby': 511655, 'socialdistancing hobby are': 780426, 'hobby are getting': 399767, 'are getting expensive': 86802, 'trimmed': 932016, 'arabia finance': 83880, 'budget will': 141832, 'be trimmed': 117820, 'trimmed by': 932017, 'by le': 153031, 'than around': 840367, 'around 13': 93105, '13 billion': 3188, 'billion amid': 130774, 'saudi arabia finance': 737194, 'arabia finance minister': 83881, 'finance minister say': 306231, 'minister say the': 533454, 'say the 2020': 739263, '2020 budget will': 14198, 'budget will be': 141833, 'will be trimmed': 992740, 'be trimmed by': 117821, 'trimmed by le': 932018, 'by le than': 153033, 'le than around': 483164, 'than around 13': 840368, 'around 13 billion': 93106, '13 billion amid': 3189, 'billion amid the': 130775, 'amid the impact': 52698, 'the impact and': 857929, 'impact and low': 417549, 'training program': 929353, 'program on': 683278, 'over my day': 630419, 'consultancy training program': 195855, 'training program on': 929354, 'very concerned': 955071, 'supermarket regarding': 822187, 'coronavirus everything': 205893, 'neighborhood except': 557112, 'where technology': 985202, 'technology can': 836266, 'totally agree with': 926304, 'agree with this': 38685, 'with this article': 1001677, 'article and am': 94251, 'and am very': 58036, 'am very concerned': 50531, 'very concerned about': 955072, 'the crowd in': 852526, 'crowd in supermarket': 219175, 'in supermarket regarding': 428654, 'supermarket regarding the': 822188, 'regarding the spread': 707294, 'of coronavirus everything': 581932, 'coronavirus everything is': 205894, 'is closed in': 446580, 'closed in my': 183177, 'my neighborhood except': 549432, 'neighborhood except the': 557113, 'except the grocery': 289231, 'this is where': 888466, 'is where technology': 453930, 'where technology can': 985203, 'technology can come': 836267, 'recommends that': 704844, 'public such': 688340, 'such at': 816342, 'but social': 147082, 'washing are': 967650, 'also important': 48393, 'step learn': 799584, 'about face': 25212, 'the cdc recommends': 850575, 'cdc recommends that': 168612, 'recommends that most': 704845, 'that most people': 845231, 'most people wear': 542632, 'in public such': 427101, 'public such at': 688341, 'such at the': 816344, 'store but social': 806808, 'but social distancing': 147083, 'distancing and hand': 246970, 'and hand washing': 64149, 'hand washing are': 375943, 'washing are also': 967651, 'are also important': 84461, 'also important step': 48394, 'important step learn': 418971, 'step learn more': 799585, 'more about face': 538507, 'about face covering': 25213, '854': 22953, 'undernourished': 940519, 'world covid': 1009470, '19 each': 6682, 'day 25': 227129, 'including more': 432064, '00 child': 136, 'hunger 854': 411070, '854 million': 22954, 'are estimated': 86267, 'be undernourished': 117855, 'undernourished high': 940520, 'high food': 395088, 'drive another': 258983, 'another 100': 77468, 'million into': 532204, 'poverty and': 667478, 'understand this world': 940792, 'this world covid': 891508, 'world covid 19': 1009471, 'covid 19 each': 212996, '19 each day': 6683, 'each day 25': 264036, 'day 25 00': 227130, '25 00 people': 15795, '00 people including': 412, 'people including more': 648461, 'including more than': 432065, '10 00 child': 1192, '00 child die': 137, 'child die from': 176057, 'from hunger 854': 335978, 'hunger 854 million': 411071, '854 million people': 22955, 'million people worldwide': 532322, 'people worldwide are': 650526, 'worldwide are estimated': 1010322, 'are estimated to': 86268, 'estimated to be': 282308, 'to be undernourished': 901608, 'be undernourished high': 117856, 'undernourished high food': 940521, 'high food price': 395089, 'food price may': 315959, 'price may drive': 675188, 'may drive another': 521132, 'drive another 100': 258984, 'another 100 million': 77469, '100 million into': 1952, 'million into poverty': 532205, 'into poverty and': 442882, 'poverty and hunger': 667481, 'danny we': 225893, 'come with danny': 187678, 'with danny we': 997924, 'danny we have': 225894, 'morally': 538428, 'portrays': 665059, 'honestly shame': 403133, 'that believe': 842981, 'believe sky': 126322, 'sky rocketing': 773220, 'rocketing price': 724971, 'humane and': 410672, 'and morally': 67134, 'morally appropriate': 538429, 'appropriate thing': 83056, 'profiting of': 683130, 'crisis just': 217626, 'just portrays': 469469, 'portrays your': 665060, 'company poor': 190965, 'poor value': 664319, 'value system': 952203, 'honestly shame on': 403134, 'shame on the': 754628, 'company that believe': 191161, 'that believe sky': 842982, 'believe sky rocketing': 126323, 'sky rocketing price': 773222, 'rocketing price of': 724972, 'price of sanitizer': 675563, 'of sanitizer is': 589293, 'sanitizer is the': 735214, 'is the humane': 452821, 'the humane and': 857728, 'humane and morally': 410673, 'and morally appropriate': 67135, 'morally appropriate thing': 538430, 'appropriate thing to': 83057, 'to do profiting': 904545, 'do profiting of': 250007, 'profiting of global': 683131, 'of global health': 584154, 'health crisis just': 386341, 'crisis just portrays': 217627, 'just portrays your': 469470, 'portrays your company': 665061, 'your company poor': 1023287, 'company poor value': 190966, 'poor value system': 664320, '400k': 18781, 'by 45': 151655, '45 result': 19129, 'pa unemployment': 632894, 'claim rising': 179801, 'from 1k': 334219, '1k wk': 12627, 'wk to': 1003223, 'almost 400k': 46511, '400k wk': 18782, 'wk will': 1003227, 'lower drug': 505844, 'price healthcare': 674486, 'working family': 1008620, 'of pa': 587641, 'pa no': 632865, 'no cut': 563958, 'to soc': 914819, 'soc sec': 779391, 'failure to act': 296297, 'to act by': 900008, 'act by 45': 29607, 'by 45 result': 151656, '45 result in': 19130, 'result in pa': 717544, 'in pa unemployment': 426408, 'pa unemployment claim': 632895, 'unemployment claim rising': 941183, 'claim rising from': 179802, 'rising from 1k': 723224, 'from 1k wk': 334220, '1k wk to': 12628, 'wk to almost': 1003224, 'to almost 400k': 900369, 'almost 400k wk': 46512, '400k wk will': 18783, 'wk will fight': 1003228, 'will fight for': 993431, 'fight for lower': 304744, 'for lower drug': 323134, 'lower drug price': 505845, 'drug price healthcare': 261046, 'price healthcare for': 674487, 'healthcare for all': 387121, 'all the working': 44988, 'the working family': 871779, 'working family of': 1008623, 'family of pa': 298103, 'of pa no': 587642, 'pa no cut': 632866, 'no cut to': 563959, 'cut to soc': 223609, 'to soc sec': 914820, 'bro how': 140683, 'how taking': 408776, 'taking you': 833666, 'bro how taking': 140684, 'how taking you': 408777, 'taking you guy': 833668, 'm25': 507220, 'box fruit': 137068, 'fruit box': 339078, 'box weekly': 137195, 'weekly box': 977481, 'box super': 137172, 'super food': 818504, 'at free': 98705, 'for london': 323071, 'london anywhere': 501017, 'anywhere within': 81172, 'within m25': 1002375, 'm25 minimum': 507223, 'minimum order': 533210, 'order 54': 618001, '54 00': 20309, 'delivery 19': 233612, 'veg box fruit': 953729, 'box fruit box': 137069, 'fruit box weekly': 339079, 'box weekly box': 137196, 'weekly box super': 977482, 'box super food': 137173, 'super food now': 818506, 'food now available': 315567, 'now available at': 574152, 'available at free': 104248, 'at free delivery': 98706, 'free delivery for': 331754, 'delivery for london': 234024, 'for london anywhere': 323072, 'london anywhere within': 501018, 'anywhere within m25': 81173, 'within m25 minimum': 1002376, 'm25 minimum order': 507224, 'minimum order 54': 533211, 'order 54 00': 618002, '54 00 for': 20310, '00 for delivery': 208, 'for delivery 19': 320626, 'society key': 781257, 'revealed not': 720270, 'banker hollywood': 110369, 'hollywood amp': 400447, 'amp tv': 54748, 'tv star': 936200, 'star economist': 794036, 'economist lawyer': 267568, 'lawyer hedge': 482551, 'manager but': 512694, 'stacker porter': 792024, 'porter check': 664977, 'society key worker': 781258, 'been revealed not': 121847, 'revealed not the': 720271, 'the banker hollywood': 849262, 'banker hollywood amp': 110370, 'hollywood amp tv': 400448, 'amp tv star': 54749, 'tv star economist': 936201, 'star economist lawyer': 794037, 'economist lawyer hedge': 267569, 'lawyer hedge fund': 482552, 'fund manager but': 341455, 'manager but the': 512695, 'but the nurse': 147371, 'doctor delivery driver': 250887, 'delivery driver teacher': 233943, 'driver teacher supermarket': 259780, 'teacher supermarket shelf': 835511, 'shelf stacker porter': 757561, 'stacker porter check': 792025, 'porter check out': 664978, 'out staff you': 627239, 'staff you name': 793126, 'take make': 832304, 'make wish': 510719, 'wish kid': 996780, 'to jump': 908703, 'jump is': 467873, 'take nurse': 832386, 'same asking': 732971, 'if it ok': 414326, 'ok to take': 597929, 'to take make': 916200, 'take make wish': 832305, 'make wish kid': 510720, 'wish kid to': 996781, 'kid to to': 474145, 'to to jump': 917594, 'to jump is': 908705, 'jump is it': 467874, 'to take nurse': 916212, 'take nurse to': 832387, 'nurse to the': 577521, 'the same asking': 866197, 'same asking for': 732972, 'pandamicsays': 634727, 'wipeyourwayout': 996496, 'proposal your': 684490, 'paper count': 640061, 'count equal': 210117, 'equal your': 279612, 'day left': 227892, 'quarantine pandamicsays': 692419, 'pandamicsays wipeyourwayout': 634728, 'wipeyourwayout quarantine': 996497, 'toiletpaper petty': 922341, 'petty payback': 653886, 'proposal your toilet': 684491, 'toilet paper count': 921244, 'paper count equal': 640062, 'count equal your': 210118, 'equal your day': 279613, 'your day left': 1023470, 'day left in': 227893, 'left in quarantine': 485515, 'in quarantine pandamicsays': 427189, 'quarantine pandamicsays wipeyourwayout': 692420, 'pandamicsays wipeyourwayout quarantine': 634729, 'wipeyourwayout quarantine toiletpaper': 996498, 'quarantine toiletpaper petty': 692648, 'toiletpaper petty payback': 922342, 'house wa': 406659, 'wa pleasantly': 962942, 'pleasantly surprised': 659623, 'shelf fully': 757114, 'stocked except': 803313, 'paper wtf': 641116, 'wtf that': 1013325, 'empty mean': 274949, 'mean when': 524769, 'quarantine what': 692697, 'store by my': 806835, 'by my house': 153281, 'my house wa': 548748, 'house wa pleasantly': 406660, 'wa pleasantly surprised': 962943, 'pleasantly surprised to': 659625, 'see the shelf': 745883, 'the shelf fully': 866841, 'shelf fully stocked': 757115, 'fully stocked except': 341088, 'stocked except for': 803314, 'except for toilet': 289174, 'toilet paper wtf': 921535, 'paper wtf that': 641117, 'wtf that shelf': 1013326, 'that shelf wa': 846249, 'shelf wa completely': 757738, 'completely empty mean': 192279, 'empty mean when': 274950, 'mean when it': 524770, 'come to quarantine': 187590, 'to quarantine what': 912651, 'quarantine what more': 692698, 'what more essential': 981881, 'more essential to': 539152, 'essential to stock': 281708, 'lunathi': 506700, 'hlakanyane': 398636, 'farmers4change': 299586, 'to could': 903613, 'have damaging': 380179, 'the agri': 848453, 'agri supply': 38850, 'say agri': 738395, 'economist lunathi': 267570, 'lunathi hlakanyane': 506701, 'hlakanyane farmers4change': 398637, 'buying in response': 150540, 'response to could': 715838, 'to could have': 903616, 'could have damaging': 209250, 'have damaging effect': 380180, 'on the agri': 603962, 'the agri supply': 848454, 'agri supply chain': 38851, 'chain say agri': 171083, 'say agri economist': 738396, 'agri economist lunathi': 38837, 'economist lunathi hlakanyane': 267571, 'lunathi hlakanyane farmers4change': 506702, 'pandamic': 634726, '20 rise': 13306, 'online platform': 608762, 'platform are': 658942, 'are delaying': 85742, 'delaying delivery': 232823, 'delivery thing': 234629, 'thing other': 884658, 'happen post': 377145, 'the pandamic': 862884, '15 20 rise': 3645, '20 rise in': 13307, 'rise in sale': 722909, 'in sale with': 427665, 'sale with respect': 732658, 'respect to panic': 715082, 'panic buying online': 637830, 'buying online platform': 150822, 'online platform are': 608763, 'platform are delaying': 658943, 'are delaying delivery': 85743, 'delaying delivery thing': 232824, 'delivery thing other': 234630, 'thing other than': 884659, 'other than sanitizer': 621079, 'than sanitizer are': 841111, 'sanitizer are running': 734485, 'running out what': 728034, 'out what would': 627819, 'would happen post': 1011860, 'happen post crisis': 377146, 'post crisis the': 666083, 'crisis the aftermath': 218162, 'aftermath of the': 36659, 'of the pandamic': 591315, 'hospital raise': 404580, 'and lay': 65994, 'lay off': 482599, 'off staff': 594182, 'staff amid': 792109, 'hospital raise price': 404581, 'raise price cut': 695912, 'price cut cost': 673376, 'cut cost and': 223281, 'cost and lay': 207860, 'and lay off': 65995, 'lay off staff': 482605, 'off staff amid': 594183, 'staff amid covid': 792110, 'another psa': 77782, 'psa supermarket': 687436, 'supermarket edition': 820090, 'edition please': 268641, 'stop bringing': 804509, 'bringing the': 140197, 'family along': 297567, 'shop asda': 759927, 'daily exercise': 224605, 'another psa supermarket': 77783, 'psa supermarket edition': 687437, 'supermarket edition please': 820092, 'edition please stop': 268642, 'please stop bringing': 660569, 'stop bringing the': 804511, 'bringing the whole': 140204, 'whole family along': 990192, 'family along for': 297568, 'along for shop': 46994, 'for shop asda': 325563, 'shop asda is': 759928, 'asda is not': 94936, 'not the place': 572020, 'get your daily': 348696, 'your daily exercise': 1023440, 'all flour': 42800, 'flour hoarder': 311119, 'hoarder gonna': 399029, 'be baking': 113806, 'baking your': 108938, 'gone all flour': 356196, 'all flour hoarder': 42801, 'flour hoarder gonna': 311120, 'hoarder gonna be': 399030, 'gonna be baking': 356466, 'be baking your': 113807, 'baking your own': 108939, 'your own bread': 1025128, 'foodbiznews': 317859, 'foodtrends': 318240, 'up 50': 944183, 'food spending': 316715, 'spending estimate': 788802, 'estimate say': 282264, 'now approximately': 574092, 'approximately 80': 83245, '80 learn': 22595, 'from foodbiznews': 335518, 'foodbiznews foodtrends': 317860, '19 crisis food': 6248, 'crisis food at': 217381, 'at home made': 99038, 'home made up': 401572, 'made up 50': 508050, 'up 50 of': 944186, '50 of consumer': 19767, 'of consumer food': 581741, 'consumer food spending': 197514, 'food spending estimate': 316716, 'spending estimate say': 788803, 'estimate say it': 282265, 'say it now': 738853, 'it now approximately': 459948, 'now approximately 80': 574093, 'approximately 80 learn': 83246, '80 learn more': 22596, 'more from foodbiznews': 539301, 'from foodbiznews foodtrends': 335519, 'mandarino': 512988, 'queenvictotia': 693423, 'too sensible': 925048, 'sensible this': 750665, 'my request': 549925, 'request from': 713166, 'friend supermarket': 333817, 'run socialdistance': 727805, 'socialdistance sunday': 780168, 'sunday day': 818182, 'day mandarino': 227958, 'mandarino like': 512989, 'like queenvictotia': 491056, 'queenvictotia christmas': 693424, 'christmas treat': 178205, 'treat 19': 930794, 'too sensible this': 925049, 'sensible this wa': 750666, 'wa my request': 962679, 'my request from': 549926, 'request from friend': 713167, 'from friend supermarket': 335571, 'friend supermarket run': 333818, 'supermarket run socialdistance': 822276, 'run socialdistance sunday': 727806, 'socialdistance sunday day': 780169, 'sunday day mandarino': 818183, 'day mandarino like': 227959, 'mandarino like queenvictotia': 512990, 'like queenvictotia christmas': 491057, 'queenvictotia christmas treat': 693425, 'christmas treat 19': 178206, 'treat 19 quaratinelife': 930795, '551': 20423, '827': 22842, 'almost unprecedented': 46761, '29 551': 16460, '551 to': 20424, '19 827': 4765, '827 since': 22843, 'hit america': 398130, 'the gain': 856102, 'gain recorded': 342817, 'recorded since': 705116, 'election of': 271052, 'stock would': 803208, '10 103': 1225, '103 imagine': 2244, 'imagine today': 416816, 'today economy': 919473, 'economy without': 268368, 'these gain': 880048, 'with the almost': 1001200, 'the almost unprecedented': 848594, 'almost unprecedented drop': 46762, 'drop in stock': 260277, 'in stock price': 428324, 'stock price from': 802715, 'price from 29': 674107, 'from 29 551': 334262, '29 551 to': 16461, '551 to 19': 20425, 'to 19 827': 899532, '19 827 since': 4766, '827 since the': 22844, 'since the hit': 770888, 'the hit america': 857393, 'hit america and': 398131, 'america and without': 51454, 'and without the': 75796, 'without the gain': 1002967, 'the gain recorded': 856104, 'gain recorded since': 342818, 'recorded since the': 705117, 'since the election': 770877, 'the election of': 854171, 'election of to': 271053, 'of to the': 592226, 'the stock would': 867930, 'stock would be': 803209, 'would be at': 1011554, 'be at 10': 113726, 'at 10 103': 97396, '10 103 imagine': 1226, '103 imagine today': 2246, 'imagine today economy': 416817, 'today economy without': 919474, 'economy without these': 268369, 'without these gain': 1002999, 'airing': 39904, 'channel started': 172929, 'started airing': 794674, 'airing the': 39905, 'the chief': 850809, 'secretary first': 743952, 'first statement': 309021, 'statement since': 796213, 'clarification it': 180061, 'news channel started': 560312, 'channel started airing': 172930, 'started airing the': 794675, 'airing the chief': 39906, 'the chief secretary': 850811, 'chief secretary first': 175972, 'secretary first statement': 743953, 'first statement since': 309022, 'statement since then': 796214, 'despite clarification it': 238694, 'clarification it ha': 180062, 'helpourelderly': 391620, 'completely and': 192214, 'and utterly': 74825, 'shameful emptyshelves': 754685, 'emptyshelves toiletpaperpanic': 275318, 'toiletpaperpanic disgraceful': 923206, 'disgraceful helpourelderly': 245328, 'helpourelderly nofood': 391621, 'nofood soldout': 566175, 'completely and utterly': 192215, 'and utterly shameful': 74826, 'utterly shameful emptyshelves': 951459, 'shameful emptyshelves toiletpaperpanic': 754686, 'emptyshelves toiletpaperpanic disgraceful': 275319, 'toiletpaperpanic disgraceful helpourelderly': 923207, 'disgraceful helpourelderly nofood': 245329, 'helpourelderly nofood soldout': 391622, 'all adult': 41949, 'adult amp': 32788, 'amp 00': 53306, 'each child': 264005, 'child provide': 176180, 'provide 10': 686196, 'development block': 239806, 'block grant': 132780, 'grant suspend': 362048, 'suspend all': 829544, 'payment ban': 645554, 'all eviction': 42714, 'repossession just': 712797, 'few proposal': 304019, 'proposal from': 684461, '00 month for': 337, 'month for all': 537727, 'for all adult': 319107, 'all adult amp': 41951, 'adult amp 00': 32789, 'amp 00 for': 53307, '00 for each': 209, 'for each child': 320900, 'each child provide': 264006, 'child provide 10': 176181, 'provide 10 billion': 686197, '10 billion for': 1342, 'billion for community': 130817, 'for community development': 320194, 'community development block': 189816, 'development block grant': 239807, 'block grant suspend': 132781, 'grant suspend all': 362049, 'suspend all consumer': 829546, 'credit payment ban': 216448, 'payment ban all': 645555, 'ban all eviction': 109169, 'all eviction foreclosure': 42715, 'eviction foreclosure and': 288315, 'foreclosure and repossession': 328914, 'and repossession just': 70277, 'repossession just few': 712798, 'just few proposal': 468710, 'few proposal from': 304020, 'proposal from to': 684462, 'from to deal': 338057, 'brand interested': 137873, 'in building': 421022, 'building long': 142106, 'term equity': 838137, 'and retaining': 70468, 'retaining public': 719619, 'public trust': 688440, 'trust maintaining': 934287, 'maintaining price': 509123, 'at fixed': 98663, 'fixed level': 309811, 'and ethical': 62294, 'ethical move': 283079, 'move corporate': 543636, 'corporate ethic': 207279, 'ethic and': 283039, 'for brand interested': 319763, 'brand interested in': 137874, 'interested in building': 441453, 'in building long': 421024, 'building long term': 142107, 'long term equity': 501683, 'term equity and': 838138, 'equity and retaining': 279914, 'and retaining public': 70469, 'retaining public trust': 719620, 'public trust maintaining': 688441, 'trust maintaining price': 934288, 'maintaining price at': 509124, 'price at fixed': 672801, 'at fixed level': 98664, 'fixed level for': 309812, 'level for item': 487560, 'item that are': 463689, 'the most sensible': 861032, 'sensible and ethical': 750631, 'and ethical move': 62297, 'ethical move corporate': 283080, 'move corporate ethic': 543637, 'corporate ethic and': 207280, 'ethic and the': 283040, 'inconvenient': 432604, 'ashland': 95098, 'instituted': 440438, 'inconvenient but': 432605, 'but necessary': 146449, 'necessary said': 554069, 'enter market': 278269, 'basket in': 112356, 'in ashland': 420512, 'ashland responding': 95099, 'chain instituted': 170826, 'instituted new': 440443, 'policy last': 663432, 'week limiting': 976486, 'limiting how': 492823, 'many customer': 513970, 'inconvenient but necessary': 432606, 'but necessary said': 146450, 'necessary said one': 554070, 'said one customer': 731294, 'one customer waiting': 606143, 'customer waiting at': 223032, 'to enter market': 905221, 'enter market basket': 278270, 'market basket in': 516079, 'basket in ashland': 112357, 'in ashland responding': 420513, 'ashland responding to': 95100, 'supermarket chain instituted': 819612, 'chain instituted new': 170827, 'instituted new policy': 440444, 'new policy last': 559301, 'policy last week': 663433, 'last week limiting': 480659, 'week limiting how': 976487, 'limiting how many': 492825, 'how many customer': 408254, 'many customer are': 513971, 'customer are allowed': 222111, 'allowed in it': 46165, 'uk ve': 938857, 'been humbled': 121316, 'sacrifice our': 729101, 'our armed': 622115, 'police make': 663083, 'make they': 510624, 'danger they': 225701, 'face but': 294341, 'but nh': 146473, 'nh transport': 562150, 'transport cleaning': 929875, 'new front': 558782, 'line covid': 493042, 'covid hero': 214170, 'hero bless': 393950, 'uk ve always': 938858, 'always been humbled': 49487, 'been humbled by': 121317, 'by the sacrifice': 154430, 'the sacrifice our': 866113, 'sacrifice our armed': 729102, 'our armed force': 622116, 'armed force police': 92940, 'force police make': 328483, 'police make they': 663085, 'make they know': 510625, 'they know the': 882531, 'know the danger': 476817, 'the danger they': 852828, 'danger they have': 225703, 'to face but': 905562, 'face but nh': 294343, 'but nh transport': 146475, 'nh transport cleaning': 562151, 'transport cleaning and': 929876, 'cleaning and supermarket': 180901, 'staff are the': 792207, 'the new front': 861507, 'new front line': 558783, 'front line covid': 338564, 'line covid hero': 493044, 'covid hero bless': 214171, 'luxemburg': 506901, '21 after': 14968, 'am 18': 49834, '18 again': 4514, 'again cheap': 36941, 'cheap petrol': 174165, 'am grounded': 50110, 'grounded beatcovid19': 366568, 'beatcovid19 luxemburg': 118596, 'day 21 after': 227117, '21 after week': 14969, 'of lockdown it': 585958, 'lockdown it feel': 499567, 'it feel if': 457973, 'feel if am': 302672, 'if am 18': 413800, 'am 18 again': 49835, '18 again cheap': 4515, 'again cheap petrol': 36942, 'cheap petrol price': 174166, 'and am grounded': 58018, 'am grounded beatcovid19': 50111, 'grounded beatcovid19 luxemburg': 366569, 'webinarwednesdays': 975161, 'striking': 813777, 'week webinarwednesdays': 977208, 'webinarwednesdays explores': 975162, 'explores conscious': 292522, 'conscious advertising': 194792, 'business ethic': 143709, 'ethic striking': 283059, 'striking the': 813786, 'right tone': 722364, 'tone in': 924319, 'in communication': 421611, 'communication ha': 189599, 'than now': 840953, 'the complexity': 851399, 'complexity that': 192432, '19 present': 9785, 'present with': 670641, 'with watch': 1002028, 'webinar here': 975040, 'this week webinarwednesdays': 891295, 'week webinarwednesdays explores': 977209, 'webinarwednesdays explores conscious': 975163, 'explores conscious advertising': 292523, 'conscious advertising and': 194793, 'advertising and business': 33203, 'and business ethic': 59281, 'business ethic striking': 143710, 'ethic striking the': 283060, 'striking the right': 813787, 'the right tone': 865833, 'right tone in': 722365, 'tone in communication': 924320, 'in communication ha': 421612, 'communication ha never': 189600, 'important than now': 418996, 'than now we': 840955, 'now we navigate': 576347, 'we navigate the': 972454, 'navigate the complexity': 553078, 'the complexity that': 851401, 'complexity that 19': 192433, 'that 19 present': 842444, '19 present with': 9788, 'present with watch': 670642, 'with watch the': 1002029, 'watch the webinar': 968555, 'the webinar here': 871266, 'reiterate': 708291, 'didiza must': 240960, 'must reiterate': 546845, 'reiterate there': 708296, 'because such': 119587, 'such purchase': 816702, 'purchase create': 689414, 'chain online': 170972, 'didiza must reiterate': 240961, 'must reiterate there': 546846, 'reiterate there is': 708297, 'buying because such': 149999, 'because such purchase': 119588, 'such purchase create': 816703, 'purchase create artificial': 689415, 'artificial shortage in': 94534, 'supply chain online': 825002, 'overdue': 631197, '500 earnings': 19979, 'share were': 755341, '24 27': 15535, '27 range': 16301, 'range depending': 696694, 'looked the': 502750, 'thing supporting': 884786, 'supporting stock': 827199, 'of valuable': 592735, 'valuable alternative': 952012, 'alternative for': 49226, 'investor correction': 444144, 'correction in': 207561, 'long overdue': 501549, 'crisis the 500': 218161, 'the 500 earnings': 848142, '500 earnings per': 19980, 'per share were': 651012, 'share were in': 755342, 'in the 24': 428952, 'the 24 27': 848047, '24 27 range': 15536, '27 range depending': 16302, 'range depending on': 696695, 'depending on when': 237383, 'on when you': 605265, 'when you looked': 984576, 'you looked the': 1019705, 'looked the only': 502751, 'only thing supporting': 611316, 'thing supporting stock': 884787, 'supporting stock price': 827200, 'stock price wa': 802755, 'price wa the': 677340, 'wa the lack': 963453, 'lack of valuable': 478666, 'of valuable alternative': 592736, 'valuable alternative for': 952013, 'alternative for investor': 49227, 'for investor correction': 322642, 'investor correction in': 444145, 'correction in stock': 207562, 'stock price is': 802728, 'price is long': 674874, 'is long overdue': 449434, 'govt issue': 361175, 'issue order': 455880, 'sanitizers read': 736377, 'read notification': 700475, 'central govt issue': 169398, 'govt issue order': 361176, 'issue order to': 455881, 'order to regulate': 618699, 'hand sanitizers read': 375717, 'sanitizers read notification': 736378, 'sampling': 733493, 'you easily': 1018385, 'easily finding': 265207, 'basic in': 111945, 'please amp': 659657, 'amp for': 53830, 'better sampling': 128453, 'the day are': 852870, 'day are you': 227318, 'are you easily': 91784, 'you easily finding': 1018386, 'easily finding the': 265208, 'finding the basic': 307551, 'the basic in': 849312, 'basic in your': 111947, 'supermarket please amp': 822008, 'please amp for': 659658, 'amp for better': 53831, 'for better sampling': 319661, 'sprout': 791306, 'gelson': 345194, 'vallarta': 951941, 'at sprout': 100615, 'sprout gelson': 791309, 'gelson amp': 345195, 'amp vallarta': 54770, 'vallarta supermarket': 951942, 'supermarket test': 823155, 'worker at sprout': 1006476, 'at sprout gelson': 100616, 'sprout gelson amp': 791310, 'gelson amp vallarta': 345196, 'amp vallarta supermarket': 54771, 'vallarta supermarket test': 951944, 'supermarket test positive': 823156, 'ommcomnews': 598935, 'after declaring': 35549, 'declaring face': 231275, 'sanitisers under': 734114, 'commodity the': 189316, 'now fixed': 574698, 'item nation': 463466, 'nation ommcomnews': 552278, 'after declaring face': 35550, 'declaring face mask': 231276, 'hand sanitisers under': 375270, 'sanitisers under essential': 734115, 'essential commodity the': 280931, 'commodity the government': 189318, 'government ha now': 360161, 'ha now fixed': 371395, 'now fixed the': 574699, 'these item nation': 880199, 'item nation ommcomnews': 463467, 'kelowna': 472739, 'in kelowna': 424460, 'kelowna due': 472742, '19 kelowna': 8224, 'bank on the': 110066, 'rise in kelowna': 722890, 'in kelowna due': 424461, 'kelowna due to': 472743, 'covid 19 kelowna': 213315, 'alone add': 46804, 'add the': 31500, 'anxiety of': 78760, 'starting to rise': 795035, 'to rise at': 913554, 'rise at the': 722790, 'to run supermarket': 913672, 'run supermarket by': 727814, 'supermarket by myself': 819479, 'let alone add': 486578, 'alone add the': 46805, 'add the anxiety': 31501, 'the anxiety of': 848794, 'anxiety of covid': 78761, '19 to it': 11436, 'gamble': 343097, 'coffeetime': 185570, 'improvisation': 419604, 'of filter': 583515, 'filter paper': 305777, 'don fancy': 253504, 'fancy the': 298557, 'the gamble': 856115, 'gamble of': 343098, 'lockdownuk coffee': 500403, 'coffee coffeetime': 185471, 'coffeetime improvisation': 185571, 'when you run': 984599, 'out of filter': 626734, 'of filter paper': 583516, 'filter paper and': 305778, 'paper and don': 639820, 'and don fancy': 61631, 'don fancy the': 253505, 'fancy the gamble': 298558, 'the gamble of': 856116, 'gamble of going': 343099, 'the supermarket lockdown': 868677, 'supermarket lockdown lockdownuk': 821365, 'lockdown lockdownuk coffee': 499621, 'lockdownuk coffee coffeetime': 500404, 'coffee coffeetime improvisation': 185472, 'conducted online': 193677, 'discus your': 244956, 'you via': 1022078, 'or various': 617644, 'various other': 952618, 'will be conducted': 992404, 'be conducted online': 114178, 'conducted online only': 193678, 'to discus your': 904387, 'discus your at': 244957, 'at need with': 99870, 'need with you': 556229, 'with you via': 1002170, 'you via email': 1022079, 'zoom or various': 1027818, 'or various other': 617645, 'various other online': 952620, 'town early': 927454, 'morning man': 541349, 'man shoved': 512233, 'shoved an': 766823, 'lady to': 478843, 'floor all': 310768, 'buy actually': 148269, 'actually ashamed': 30731, 'behaving coronacrisis': 123825, 'my town early': 550409, 'town early this': 927455, 'early this morning': 264715, 'this morning man': 888986, 'morning man shoved': 541350, 'man shoved an': 512234, 'shoved an elderly': 766824, 'elderly lady to': 270736, 'lady to the': 478844, 'the floor all': 855416, 'floor all so': 310769, 'all so he': 44371, 'he could go': 384856, 'could go and': 209215, 'panic buy actually': 637459, 'buy actually ashamed': 148270, 'actually ashamed of': 30732, 'ashamed of how': 95058, 'of how people': 584836, 'are behaving coronacrisis': 84816, 'can marketer': 158971, 'marketer keep': 517466, 'with change': 997598, 'behaviour when': 124562, 'change on': 172200, 'basis due': 112234, 'how can marketer': 407505, 'can marketer keep': 158972, 'marketer keep up': 517467, 'up with change': 946621, 'with change in': 997600, 'consumer behaviour when': 196611, 'behaviour when it': 124563, 'when it change': 983626, 'it change on': 457097, 'change on daily': 172202, 'daily basis due': 224505, 'basis due to': 112235, 'hungry people': 411293, 'people brake': 647303, 'brake in': 137637, 'hungry people brake': 411294, 'people brake in': 647304, 'brake in to': 137638, 'been alerted': 120636, 'alerted by': 41558, 'by constituent': 152179, 'constituent to': 195741, 'few trader': 304116, 'trader in': 928695, 'in edmonton': 422499, 'edmonton ve': 268717, 've written': 953662, 'written to': 1012971, 'the council': 852011, 'police asking': 662938, 'all local': 43406, 'local trader': 498655, 've been alerted': 952862, 'been alerted by': 120637, 'alerted by constituent': 41559, 'by constituent to': 152180, 'constituent to possible': 195742, 'to possible price': 911902, 'possible price gouging': 665743, 'gouging by few': 359279, 'by few trader': 152578, 'few trader in': 304117, 'trader in edmonton': 928696, 'in edmonton ve': 422501, 'edmonton ve written': 268718, 've written to': 953663, 'written to the': 1012975, 'to the council': 916602, 'the council and': 852012, 'council and police': 209960, 'and police asking': 69157, 'police asking them': 662939, 'them to look': 876489, 'into it and': 442671, 'it and urge': 456520, 'and urge all': 74754, 'urge all local': 948150, 'all local trader': 43408, 'local trader to': 498656, 'trader to keep': 928782, 'keep their price': 472093, 'their price fair': 874396, 'price fair at': 673761, 'fair at this': 296320, 'difficult time 19': 242274, 'report tip': 712381, 'pandemic stayinghealthy': 636547, 'consumer report tip': 198735, 'report tip for': 712382, 'tip for staying': 898784, 'for staying healthy': 325888, 'staying healthy at': 798597, 'healthy at the': 387539, 'during pandemic stayinghealthy': 262893, 'matter seriously': 520623, 'seriously yesterday': 751801, 'yesterday past': 1015831, 'past dozen': 643529, 'of sunbather': 590396, 'sunbather and': 818110, 'be called': 113946, 'to action': 900020, 'something be': 784863, 'be leader': 115678, 'leader stayhomesavelifes': 483542, 'the world country': 871851, 'world country are': 1009460, 'country are taking': 210485, 'taking this matter': 833616, 'this matter seriously': 888785, 'matter seriously yesterday': 520624, 'seriously yesterday past': 751802, 'yesterday past dozen': 1015832, 'past dozen of': 643530, 'dozen of sunbather': 257898, 'of sunbather and': 590397, 'sunbather and small': 818111, 'and small group': 71777, 'small group on': 774978, 'group on the': 366817, 'the supermarket our': 868733, 'supermarket our country': 821849, 'our country need': 622599, 'to be called': 901145, 'be called to': 113951, 'called to action': 156471, 'to action you': 900022, 'action you have': 30210, 'do something be': 250138, 'something be leader': 784864, 'be leader stayhomesavelifes': 115680, 'wv': 1013616, 'soon wv': 785907, 'wv ag': 1013617, 'ag press': 36833, 'conference regarding': 193750, 'outbreak watch': 628790, 'coming soon wv': 188200, 'soon wv ag': 785908, 'wv ag press': 1013618, 'ag press conference': 36834, 'press conference regarding': 671032, 'conference regarding consumer': 193751, 'regarding consumer issue': 707191, 'consumer issue related': 197951, '19 outbreak watch': 9204, 'what like': 981819, 'be black': 113866, 'black and': 132022, 'poor right': 664278, 'cash the': 166340, 'nothing the': 573175, 'closed you': 183456, 'get laid': 347465, 'stamp but': 793411, 'the welfare': 871373, 'welfare office': 977959, 'open hour': 612307, 'you watch': 1022187, 'watch your': 968618, 'neighbor die': 556998, 'what like to': 981820, 'like to be': 491578, 'to be black': 901133, 'be black and': 113867, 'black and poor': 132024, 'and poor right': 69194, 'poor right now': 664279, 'now you go': 576509, 'to work you': 918811, 'work you the': 1006073, 'you the cash': 1021588, 'the cash the': 850476, 'cash the supermarket': 166341, 'ha nothing the': 371385, 'nothing the corner': 573176, 'the corner store': 851751, 'corner store is': 203685, 'is closed you': 446598, 'closed you get': 183458, 'you get laid': 1018783, 'get laid off': 347466, 'laid off and': 479012, 'off and need': 593643, 'and need food': 67470, 'need food stamp': 554808, 'food stamp but': 316733, 'stamp but the': 793412, 'but the welfare': 147427, 'the welfare office': 871375, 'welfare office is': 977960, 'office is only': 595460, 'is only open': 450545, 'only open hour': 610904, 'open hour day': 612308, 'hour day you': 405532, 'day you watch': 228827, 'you watch your': 1022189, 'watch your neighbor': 968620, 'your neighbor die': 1024951, 'buyer stockpilers': 149761, 'stockpilers whatever': 803895, 'disgrace there': 245313, 'your selfish': 1025708, 'selfish arses': 748003, 'arses home': 94115, 'fortunate or': 329895, 'need than': 555715, 'than yourselves': 841512, 'yourselves coronacrisis': 1026788, 'panic buyer stockpilers': 637604, 'buyer stockpilers whatever': 149762, 'stockpilers whatever you': 803896, 'to call them': 902389, 'call them they': 156150, 'they are disgrace': 881252, 'are disgrace there': 85854, 'disgrace there plenty': 245314, 'bog roll to': 133962, 'roll to go': 725555, 'go around so': 353316, 'around so get': 93483, 'so get your': 777162, 'get your selfish': 348733, 'your selfish arses': 1025710, 'selfish arses home': 748004, 'arses home and': 94116, 'home and think': 400703, 'think about those': 885108, 'about those le': 26681, 'le fortunate or': 482960, 'fortunate or more': 329896, 'or more in': 616175, 'in need than': 425769, 'need than yourselves': 555717, 'than yourselves coronacrisis': 841513, 'distillery have': 247756, 'have switched': 382887, 'switched portion': 830544, 'from alcohol': 334429, 'distillery have switched': 247758, 'have switched portion': 382888, 'switched portion of': 830545, 'of their production': 591692, 'their production from': 874483, 'production from alcohol': 682052, 'from alcohol to': 334430, 'jerk who': 465157, 'that urge': 847200, 'urge if': 948197, 'tempted to shop': 837746, 'shop online but': 760565, 'online but refuse': 607969, 'be that jerk': 117580, 'that jerk who': 844769, 'jerk who put': 465158, 'who put people': 989480, 'retail and is': 717828, 'and is forced': 65406, 'just that urge': 469983, 'that urge if': 847201, 'urge if it': 948198, 'essential we do': 281764, 'not need it': 570660, 'the asshole': 848980, 'asshole panic': 96542, 'pantry while': 639709, 'hungry the': 411315, 'the goddamn': 856401, 'goddamn bean': 354853, 'bean aren': 118300, 'aren catching': 92352, 'food selfish': 316384, 'selfish fuck': 748097, 'all the asshole': 44662, 'the asshole panic': 848981, 'asshole panic buying': 96543, 'buying food are': 150301, 'food are just': 313410, 'are just going': 87625, 'going to let': 355641, 'to let it': 909206, 'let it rot': 486829, 'it rot in': 460804, 'rot in the': 726166, 'in the pantry': 429435, 'the pantry while': 863258, 'pantry while other': 639710, 'while other people': 987117, 'other people go': 620667, 'people go hungry': 648083, 'go hungry the': 353695, 'hungry the goddamn': 411317, 'the goddamn bean': 856402, 'goddamn bean aren': 354854, 'bean aren catching': 118301, 'aren catching covid': 92353, 'is only shortage': 450547, 'only shortage because': 611132, 'shortage because people': 764853, 'people are wasting': 647112, 'are wasting food': 91541, 'wasting food selfish': 968309, 'food selfish fuck': 316385, 'hope company': 403439, 'like find': 490236, 'their heart': 873526, 'significantly permanently': 769601, 'permanently increase': 652102, 'your compensation': 1023294, 'compensation because': 191547, 'higher profit': 395702, 'crisis thankyou': 218146, 'thankyou groceryworkers': 842341, 'worker hope company': 1007136, 'hope company like': 403440, 'company like find': 190843, 'like find it': 490237, 'find it in': 306994, 'it in their': 458749, 'in their heart': 429747, 'their heart to': 873528, 'heart to significantly': 388348, 'to significantly permanently': 914653, 'significantly permanently increase': 769602, 'permanently increase your': 652103, 'increase your compensation': 433162, 'your compensation because': 1023295, 'compensation because you': 191548, 'are vital to': 91494, 'vital to society': 959744, 'to society and': 914849, 'society and they': 781157, 'seeing higher profit': 746319, 'higher profit in': 395704, 'this crisis thankyou': 887094, 'crisis thankyou groceryworkers': 218147, 'past in': 643550, 'wear on': 974431, 'face otherwise': 294688, 'otherwise it': 621849, 'no virus': 565840, 'people it seems': 648540, 'seems that is': 746857, 'the past in': 863358, 'past in addition': 643551, 'to the mask': 916868, 'the mask people': 860224, 'mask people wear': 519108, 'people wear on': 650170, 'wear on their': 974433, 'on their face': 604477, 'their face otherwise': 873225, 'face otherwise it': 294689, 'otherwise it look': 621850, 'like there wa': 491424, 'wa no virus': 962741, 'no virus at': 565841, 'virus at all': 957971, 'image speaks': 416653, 'speaks and': 787789, 'how inconsiderate': 408054, 'inconsiderate and': 432556, 'selfish the': 748284, 'human population': 410589, 'population is': 664701, 'heartbreaking image': 388382, 'this image speaks': 888008, 'image speaks and': 416654, 'speaks and show': 787790, 'and show how': 71611, 'show how inconsiderate': 766980, 'how inconsiderate and': 408055, 'inconsiderate and selfish': 432557, 'and selfish the': 71200, 'selfish the human': 748286, 'the human population': 857722, 'human population is': 410590, 'population is heartbreaking': 664705, 'is heartbreaking image': 448373, 'yourself take': 1026711, 'your peer': 1025243, 'peer wash': 646313, 'hand take': 375812, 'take shower': 832577, 'shower disinfect': 767373, 'phone do': 654943, 'else at': 271630, 'care of yourself': 164124, 'of yourself take': 593547, 'yourself take care': 1026712, 'of your peer': 593510, 'your peer wash': 1025244, 'peer wash your': 646314, 'your hand take': 1024228, 'hand take shower': 375814, 'take shower disinfect': 832579, 'shower disinfect your': 767374, 'hand clean your': 374867, 'clean your phone': 180696, 'your phone do': 1025290, 'phone do not': 654944, 'face and stop': 294301, 'stop hoarding toilet': 804749, 'paper hand sanitizers': 640249, 'sanitizers and everything': 736194, 'and everything else': 62419, 'everything else at': 287767, 'else at the': 271634, 'jesusfails': 465326, 'faith gun': 296508, 'gun virus': 368759, 'virus apparently': 957955, 'apparently that': 82008, 'your death': 1023472, 'death jesusfails': 230103, 'faith gun virus': 296509, 'gun virus apparently': 368760, 'virus apparently that': 957956, 'apparently that all': 82009, 'that all you': 842578, 'ensure your death': 278134, 'your death jesusfails': 1023473, 'paper pandemic': 640568, 'it wa toilet': 462213, 'toilet paper pandemic': 921383, 'paper pandemic more': 640569, 'more than coronavirus': 540603, 'than coronavirus pandemic': 840461, 'coronavirus pandemic in': 206466, 'pandemic in my': 635702, 'dread': 258563, 'historian': 397939, 'essential wish': 281799, 'luck dread': 506448, 'dread to': 258566, 'how historian': 408005, 'historian will': 397940, 'will describe': 993162, 'describe our': 237927, 'our generation': 623238, 'popping out for': 664515, 'out for few': 626118, 'few essential wish': 303822, 'essential wish me': 281800, 'me luck dread': 523125, 'luck dread to': 506449, 'dread to think': 258567, 'think how historian': 885289, 'how historian will': 408006, 'historian will describe': 397941, 'will describe our': 993163, 'describe our generation': 237928, 'our generation in': 623239, 'generation in the': 345619, 'sportsdirectshame': 790018, 'oh boy': 596364, 'boy hiking': 137259, 'home equipment': 401151, 'equipment reported': 279821, 'reported very': 712561, 'low despicable': 505241, 'despicable if': 238632, 'true sportsdirect': 933167, 'sportsdirect sportsdirectshame': 790017, 'oh boy hiking': 596365, 'boy hiking price': 137260, 'hiking price for': 396396, 'price for stay': 674050, 'at home equipment': 98987, 'home equipment reported': 401152, 'equipment reported very': 279822, 'reported very very': 712562, 'very very low': 955647, 'very low despicable': 955338, 'low despicable if': 505242, 'despicable if true': 238633, 'if true sportsdirect': 415195, 'true sportsdirect sportsdirectshame': 933168, 'ad cannot': 31077, 'cannot dismiss': 161753, 'dismiss covid': 246002, 'facebook ad cannot': 294883, 'ad cannot dismiss': 31078, 'cannot dismiss covid': 161754, 'dismiss covid 19': 246003, 'wow do': 1012548, 'have pair': 381875, 'these yet': 881001, 'yet just': 1016120, 'just popped': 469462, 'popped up': 664511, 'my facebook': 548169, 'facebook feed': 294911, 'feed buying': 302288, 'buying them': 151186, 'trump trump2020': 933940, 'wow do you': 1012549, 'you have pair': 1019089, 'have pair of': 381876, 'pair of these': 634340, 'of these yet': 591877, 'these yet just': 881002, 'yet just popped': 1016124, 'just popped up': 469464, 'popped up in': 664512, 'up in my': 945167, 'in my facebook': 425573, 'my facebook feed': 548170, 'facebook feed buying': 294912, 'feed buying them': 302289, 'buying them to': 151190, 'them to support': 876519, 'to support online': 915951, 'support online shopping': 826710, 'shopping and trump': 762036, 'and trump trump2020': 74493, 'and warning': 75197, 'warning every': 967118, 'every medical': 286001, 'of hygienic': 584946, 'hygienic product': 412227, 'and hereby': 64538, 'are bound': 85042, 'every and': 285669, 'hospital who': 404719, 'and warning every': 75198, 'warning every medical': 967119, 'every medical and': 286002, 'departmental store who': 237298, 'store who take': 811308, 'who take chance': 989729, 'take chance to': 832025, 'chance to increase': 171804, 'price of hygienic': 675473, 'of hygienic product': 584947, 'hygienic product during': 412228, 'this time and': 890619, 'time and hereby': 896275, 'and hereby also': 64539, 'hereby also we': 393870, 'we are bound': 970493, 'are bound to': 85043, 'bound to thank': 136863, 'to thank every': 916422, 'thank every and': 841555, 'every and employee': 285670, 'and employee at': 62060, 'employee at hospital': 273646, 'at hospital who': 99195, 'hospital who selflessly': 404720, 'treat all the': 930800, 'all the patient': 44861, 'premier say': 669906, 'country six': 211061, 'six largest': 772658, 'chain about': 170432, 'about possibly': 25966, 'possibly limiting': 665937, 'distancing say': 247457, 'paper situation': 640780, 'say people': 739053, 'people shouldn': 649453, 'shouldn hoard': 766738, 'premier say he': 669907, 'say he talking': 738737, 'he talking to': 385501, 'the country six': 852155, 'country six largest': 211062, 'six largest grocery': 772659, 'largest grocery chain': 479959, 'grocery chain about': 364353, 'chain about possibly': 170433, 'about possibly limiting': 25967, 'possibly limiting the': 665938, 'shopper in each': 761559, 'in each store': 422442, 'each store to': 264284, 'store to practice': 810797, 'social distancing say': 779708, 'distancing say he': 247458, 'say he can': 738727, 'he can get': 384815, 'can get over': 158440, 'toilet paper situation': 921452, 'paper situation and': 640781, 'situation and say': 772186, 'and say people': 71002, 'say people shouldn': 739056, 'people shouldn hoard': 649455, 'coming monday': 188132, 'monday see': 536379, 'our spring': 624869, 'spring business': 791180, 'our canadian': 622309, 'canadian survey': 160755, 'expectation find': 290813, 'household were': 406983, 'were feeling': 979617, 'feeling about': 302959, 'economy before': 267695, 'about intensified': 25541, 'intensified in': 441102, 'canada cdnecon': 160392, 'coming monday see': 188133, 'monday see the': 536380, 'the result from': 865690, 'result from our': 717511, 'from our spring': 336800, 'our spring business': 624872, 'spring business outlook': 791181, 'outlook survey and': 629187, 'survey and our': 828813, 'and our canadian': 68479, 'our canadian survey': 622310, 'canadian survey of': 160756, 'consumer expectation find': 197395, 'expectation find out': 290814, 'out how business': 626317, 'how business and': 407477, 'business and household': 143310, 'and household were': 64793, 'household were feeling': 406984, 'were feeling about': 979618, 'feeling about the': 302961, 'the economy before': 853939, 'economy before concern': 267697, 'before concern about': 122702, 'concern about intensified': 192895, 'about intensified in': 25542, 'intensified in canada': 441103, 'in canada cdnecon': 421186, 'arkansan': 92856, 'gov if': 359603, 'if entered': 414075, 'order more': 618396, 'than 700k': 840296, '700k arkansan': 21918, 'arkansan would': 92859, 'countless number': 210382, 'number would': 577093, 'me assure': 522460, 'will 19': 992175, 'gov if entered': 359604, 'if entered the': 414076, 'entered the stay': 278377, 'home order more': 401780, 'order more than': 618398, 'more than 700k': 540579, 'than 700k arkansan': 840297, '700k arkansan would': 21919, 'arkansan would go': 92860, 'would go to': 1011846, 'work and countless': 1004770, 'and countless number': 60640, 'countless number would': 210383, 'number would go': 577094, 'store let me': 808710, 'let me assure': 486893, 'me assure you': 522461, 'assure you if': 97102, 'you if we': 1019283, 'if we need': 415295, 'do more we': 249607, 'more we will': 540955, 'we will 19': 973829, 'sanctuary': 733651, 'rainforest': 695785, 'wildlife sanctuary': 992139, 'sanctuary struggling': 733656, 'big cat': 129684, 'cat due': 166850, 'the rainforest': 865120, 'rainforest site': 695786, 'wildlife sanctuary struggling': 992140, 'sanctuary struggling to': 733657, 'food for big': 314522, 'for big cat': 319673, 'big cat due': 129685, 'cat due to': 166851, 'buying via the': 151313, 'via the rainforest': 956309, 'the rainforest site': 865121, 'rainforest site blog': 695787, 'treatment check': 931050, 'this fda': 887520, 'fda webpage': 300952, 'information on fraudulent': 437913, 'on fraudulent test': 600983, 'and treatment check': 74434, 'treatment check out': 931051, 'out this fda': 627565, 'this fda webpage': 887521, 'offspring': 596141, 'that police': 845779, 'in sheffield': 427875, 'sheffield have': 756644, 'have fined': 380631, 'fined parent': 307761, 'parent 250': 641559, '250 because': 16014, 'their offspring': 874089, 'offspring were': 596142, 'were hanging': 979719, 'friend near': 333716, 'doesn tell': 251964, 'heard that police': 388144, 'that police in': 845780, 'police in sheffield': 663065, 'in sheffield have': 427877, 'sheffield have fined': 756645, 'have fined parent': 380632, 'fined parent 250': 307762, 'parent 250 because': 641560, '250 because their': 16015, 'because their offspring': 119662, 'their offspring were': 874090, 'offspring were hanging': 596143, 'were hanging around': 979720, 'hanging around with': 376966, 'with their friend': 1001573, 'their friend near': 873383, 'friend near supermarket': 333717, 'near supermarket if': 553589, 'supermarket if this': 820838, 'if this doesn': 415151, 'this doesn tell': 887276, 'doesn tell people': 251965, 'tell people how': 837047, 'people how serious': 648304, 'how serious thing': 408647, 'serious thing are': 751490, 'thing are they': 884165, 'are they don': 90996, 'they don deserve': 881988, 'don deserve to': 253457, 'deserve to have': 238138, 'in their pocket': 429763, 'asking drug': 95961, 'company firm': 190658, 'firm supplying': 308423, 'supplying n95': 826301, 'key healthcare firm': 473305, 'firm to hike': 308442, 'hike price over': 396268, 'banker asking drug': 110347, 'asking drug company': 95962, 'drug company firm': 260918, 'company firm supplying': 190659, 'firm supplying n95': 308424, 'supplying n95 mask': 826302, 'n95 mask ventilator': 551209, 'mask ventilator to': 519480, 'ventilator to figure': 954626, 'to figure out': 905823, 'finance due': 306187, 'for adviser': 319048, 'adviser to': 33669, 'provide reassurance': 686445, 'with consumer concern': 997750, 'concern over their': 193054, 'over their finance': 630790, 'their finance due': 873314, 'finance due to': 306188, 'to 19 here': 899540, '19 here the': 7516, 'best way for': 127984, 'way for adviser': 969577, 'for adviser to': 319049, 'adviser to provide': 33670, 'to provide reassurance': 912426, 'duct': 261561, 'ducttape': 261568, 'pws': 691379, 'hereforyou': 393874, 'plumbingproblems': 661240, 'pipework': 656921, 'that duct': 843642, 'duct tape': 261564, 'tape cannot': 834352, 'cannot solve': 162113, 'solve toiletpaper': 782169, 'toiletpaper ducttape': 921928, 'ducttape pws': 261569, 'pws wereallinthistogether': 691380, 'wereallinthistogether hereforyou': 980375, 'hereforyou plumbingproblems': 393875, 'plumbingproblems plumbing': 661241, 'plumbing thankful': 661238, 'thankful essential': 841902, 'essential localbusiness': 281290, 'localbusiness pipework': 498721, 'one thing that': 607233, 'thing that duct': 884800, 'that duct tape': 843643, 'duct tape cannot': 261565, 'tape cannot solve': 834353, 'cannot solve toiletpaper': 162115, 'solve toiletpaper ducttape': 782170, 'toiletpaper ducttape pws': 921929, 'ducttape pws wereallinthistogether': 261570, 'pws wereallinthistogether hereforyou': 691381, 'wereallinthistogether hereforyou plumbingproblems': 980376, 'hereforyou plumbingproblems plumbing': 393876, 'plumbingproblems plumbing thankful': 661242, 'plumbing thankful essential': 661239, 'thankful essential localbusiness': 841903, 'essential localbusiness pipework': 281291, '102': 2240, 'total 102': 926117, '102 no': 2241, 'new regulating': 559430, 'regulating seller': 708031, 'seller affair': 748960, 'affair authority': 34006, 'authority directed': 103707, 'directed their': 243417, 'their cannot': 872714, 'cannot exceed': 161807, 'exceed given': 289035, 'given max': 351045, 'total 102 no': 926118, '102 no new': 2242, 'no new regulating': 564868, 'new regulating seller': 559431, 'regulating seller affair': 708032, 'seller affair authority': 748961, 'affair authority directed': 34007, 'authority directed their': 103708, 'directed their cannot': 243418, 'their cannot exceed': 872715, 'cannot exceed given': 161809, 'exceed given max': 289036, 'given max price': 351046, 'maxmotives': 520854, 'getting so': 349288, 'my sims': 550088, 'sims have': 770340, 'the maxmotives': 860309, 'maxmotives cheat': 520855, 'cheat stoppanicbuying': 174339, 'supply is getting': 825440, 'is getting so': 448044, 'getting so low': 349290, 'so low that': 777611, 'low that even': 505662, 'that even my': 843738, 'even my sims': 284399, 'my sims have': 550089, 'sims have to': 770341, 'use the maxmotives': 949678, 'the maxmotives cheat': 860310, 'maxmotives cheat stoppanicbuying': 520856, 'idk': 413661, 'deer': 232001, 'best idk': 127722, 'idk why': 413671, 'driving them': 260011, 'them crazy': 875571, 'crazy wa': 215477, 'and deer': 61050, 'deer offered': 232004, 'offered me': 594942, 'me joint': 523024, 'joint quarantine': 467022, 'quarantine coronacrisis': 692100, 'quarantine is the': 692307, 'the best idk': 849518, 'best idk why': 127723, 'idk why people': 413672, 'why people say': 991289, 'people say it': 649351, 'it is driving': 458940, 'is driving them': 447391, 'driving them crazy': 260012, 'them crazy wa': 875572, 'crazy wa the': 215478, 'wa the other': 963461, 'day at grocery': 227331, 'store and deer': 806225, 'and deer offered': 61051, 'deer offered me': 232005, 'offered me joint': 594943, 'me joint quarantine': 523025, 'joint quarantine coronacrisis': 467023, 'merci': 529061, 'madame': 507594, 'vous': 960687, 'vos': 960449, 'gues': 367958, 'nous': 573690, 'pouvons': 667464, 'tous': 927058, 'lutter': 506879, 'contre': 201859, 'assurer': 97132, 'votre': 960622, 'curit': 220997, 'dans': 225899, 'sans': 736589, 'dent': 237069, 'produire': 682325, 'merci madame': 529062, 'madame est': 507595, 'est gr': 281990, 'gr ce': 361448, 'ce vous': 168709, 'vous et': 960688, 'et vos': 282373, 'vos coll': 960450, 'coll gues': 185900, 'gues que': 367959, 'que nous': 693316, 'nous pouvons': 573691, 'pouvons tous': 667465, 'tous ensemble': 927059, 'ensemble lutter': 277860, 'lutter contre': 506880, 'contre le': 201860, 'le covid': 482903, '19 pour': 9763, 'pour assurer': 667434, 'assurer votre': 97133, 'votre curit': 960623, 'curit le': 220998, 'le pay': 483066, 'pay engage': 644846, 'engage dans': 276849, 'dans un': 225900, 'un effort': 939277, 'effort sans': 269579, 'sans pr': 736592, 'pr dent': 668422, 'dent pour': 237076, 'pour produire': 667438, 'produire masque': 682326, 'masque et': 519726, 'et gel': 282362, 'merci madame est': 529063, 'madame est gr': 507596, 'est gr ce': 281991, 'gr ce vous': 361449, 'ce vous et': 168710, 'vous et vos': 960689, 'et vos coll': 282374, 'vos coll gues': 960451, 'coll gues que': 185901, 'gues que nous': 367960, 'que nous pouvons': 693317, 'nous pouvons tous': 573692, 'pouvons tous ensemble': 667466, 'tous ensemble lutter': 927060, 'ensemble lutter contre': 277861, 'lutter contre le': 506881, 'contre le covid': 201861, 'le covid 19': 482904, 'covid 19 pour': 213598, '19 pour assurer': 9764, 'pour assurer votre': 667435, 'assurer votre curit': 97134, 'votre curit le': 960624, 'curit le pay': 220999, 'le pay engage': 483067, 'pay engage dans': 644847, 'engage dans un': 276850, 'dans un effort': 225901, 'un effort sans': 939278, 'effort sans pr': 269580, 'sans pr dent': 736593, 'pr dent pour': 668423, 'dent pour produire': 237077, 'pour produire masque': 667439, 'produire masque et': 682327, 'masque et gel': 519727, 'pandemicquestions': 637132, 'this fun': 887655, 'fun light': 341190, 'light hearted': 489525, 'hearted article': 388436, 'never need': 558130, 'actually run': 30938, 'toiletpaper hope': 922083, 'hope find': 403473, 'helpful toiletpapershortage': 391244, 'toiletpapershortage panicbuying': 923323, 'panicbuying pandemicquestions': 639005, 'wa so happy': 963260, 'happy to contribute': 377709, 'contribute to this': 201886, 'to this fun': 917424, 'this fun light': 887657, 'fun light hearted': 341191, 'light hearted article': 489526, 'hearted article by': 388437, 'article by hope': 94280, 'by hope you': 152829, 'hope you never': 403803, 'you never need': 1020080, 'never need this': 558131, 'need this but': 555811, 'this but if': 886642, 'you actually run': 1016813, 'actually run out': 30939, 'of toiletpaper hope': 592266, 'toiletpaper hope find': 922084, 'hope find this': 403474, 'find this helpful': 307332, 'this helpful toiletpapershortage': 887906, 'helpful toiletpapershortage panicbuying': 391245, 'toiletpapershortage panicbuying pandemicquestions': 923324, 'fwitts': 342579, 'spluttering': 789678, '90mins': 23418, 'staticair': 796296, 'movefaster': 543845, 'what fwitts': 981488, 'fwitts would': 342580, 'aisle long': 40303, 'long meter': 501527, 'apart coughing': 81245, 'and spluttering': 72123, 'spluttering in': 789679, 'no moving': 564838, 'air checkout': 39700, 'checkout open': 174967, 'for 90mins': 318951, '90mins we': 23419, 'following gov': 312736, 'gov regulation': 359679, 'regulation meter': 708077, 'apart they': 81354, 'me staticair': 523539, 'staticair movefaster': 796297, 'what fwitts would': 981489, 'fwitts would make': 342581, 'would make people': 1012026, 'make people stand': 510321, 'in line in': 424758, 'line in supermarket': 493203, 'supermarket aisle long': 818838, 'aisle long meter': 40304, 'long meter apart': 501528, 'meter apart coughing': 529685, 'apart coughing and': 81246, 'coughing and spluttering': 208668, 'and spluttering in': 72124, 'spluttering in no': 789680, 'in no moving': 425911, 'no moving air': 564839, 'moving air checkout': 544115, 'air checkout open': 39701, 'checkout open for': 174968, 'open for 90mins': 612238, 'for 90mins we': 318952, '90mins we are': 23420, 'we are following': 970568, 'are following gov': 86621, 'following gov regulation': 312737, 'gov regulation meter': 359680, 'regulation meter apart': 708078, 'meter apart they': 529690, 'apart they told': 81356, 'told me staticair': 923619, 'me staticair movefaster': 523540, 'lenana': 486198, 'for forcing': 321675, 'forcing positive': 328725, 'positive people': 665405, 'over crowded': 630130, 'crowded dirty': 219308, 'dirty and': 243725, 'and inhumane': 65238, 'inhumane condition': 438487, 'the lenana': 859290, 'lenana school': 486199, 'other so': 620934, 'called quarantine': 156422, 'centre stealing': 169541, 'stealing donated': 799225, 'donated medical': 254349, 'medical protective': 526344, 'equipment then': 279845, 'to kenyan': 908895, 'kenyan at': 472957, 'for forcing positive': 321677, 'forcing positive people': 328726, 'positive people to': 665408, 'stay in over': 797057, 'in over crowded': 426378, 'over crowded dirty': 630131, 'crowded dirty and': 219309, 'dirty and inhumane': 243726, 'and inhumane condition': 65239, 'inhumane condition at': 438488, 'condition at the': 193410, 'at the lenana': 101004, 'the lenana school': 859291, 'lenana school and': 486200, 'school and other': 741687, 'and other so': 68408, 'other so called': 620935, 'so called quarantine': 776691, 'called quarantine centre': 156423, 'quarantine centre stealing': 692077, 'centre stealing donated': 169542, 'stealing donated medical': 799226, 'donated medical protective': 254350, 'medical protective equipment': 526345, 'protective equipment then': 685738, 'equipment then selling': 279846, 'selling them to': 749497, 'them to kenyan': 876484, 'to kenyan at': 908896, 'kenyan at inflated': 472958, 'and target': 73032, 'target please': 834490, 'your frontline': 1023983, 'frontline employee': 338732, 'it frontliners': 458163, 'walmart costco and': 965301, 'costco and target': 208197, 'and target please': 73034, 'target please increase': 834491, 'please increase your': 660111, 'your price and': 1025395, 'price and increase': 672441, 'and increase the': 65109, 'of your frontline': 593476, 'your frontline employee': 1023984, 'frontline employee we': 338733, 'we will pay': 973888, 'will pay it': 994394, 'pay it frontliners': 644970, 'rudely': 727063, 'some bus': 782441, 'glove soon': 352924, 'soon got': 785729, 'got on': 358761, 'on didn': 600310, 'card but': 163481, 'but cash': 145398, 'cash wa': 166371, 'wa rudely': 963116, 'rudely told': 727064, 'bus bus': 143003, 'bus price': 143072, 'by 40p': 151653, '40p wow': 18851, 'due to some': 261962, 'to some bus': 914871, 'some bus driver': 782442, 'bus driver do': 143019, 'not wear glove': 572471, 'wear glove soon': 974347, 'glove soon got': 352925, 'soon got on': 785730, 'got on didn': 358763, 'on didn have': 600311, 'didn have my': 241092, 'have my card': 381541, 'my card but': 547609, 'card but cash': 163482, 'but cash wa': 145399, 'cash wa rudely': 166372, 'wa rudely told': 963117, 'rudely told to': 727065, 'told to get': 923749, 'to get off': 906546, 'off the bus': 594234, 'the bus bus': 850138, 'bus bus price': 143004, 'bus price have': 143073, 'gone up by': 356417, 'up by 40p': 944544, 'by 40p wow': 151654, 'nurses2020': 577580, 'nursesunite': 577587, 'laughteristhebestmedicine': 481852, 'my socialdistancing': 550140, 'socialdistancing time': 780813, 'my nursing': 549531, 'nursing shift': 577624, 'colleague smile': 186238, 'smile through': 775743, 'bullshit nurses2020': 142506, 'nurses2020 nursesunite': 577581, 'nursesunite stophoarding': 577588, 'stayhome nyc': 798056, 'nyc laughteristhebestmedicine': 578010, 'decided to use': 230938, 'to use my': 918049, 'use my socialdistancing': 949384, 'my socialdistancing time': 550141, 'socialdistancing time after': 780814, 'time after my': 896214, 'after my nursing': 35942, 'my nursing shift': 549532, 'nursing shift to': 577626, 'shift to make': 758438, 'to make any': 909624, 'make any of': 509706, 'my colleague smile': 547737, 'colleague smile through': 186239, 'smile through this': 775744, 'through this bullshit': 894806, 'this bullshit nurses2020': 886626, 'bullshit nurses2020 nursesunite': 142507, 'nurses2020 nursesunite stophoarding': 577582, 'nursesunite stophoarding stayhome': 577589, 'stophoarding stayhome nyc': 805475, 'stayhome nyc laughteristhebestmedicine': 798057, 'paton': 644337, 'tasmania': 834758, 'luke taylor': 506635, 'taylor and': 835218, 'and laura': 65986, 'laura paton': 482143, 'paton recently': 644338, 'recently discussed': 704073, 'worker compensation': 1006680, 'compensation implication': 191564, 'in tasmania': 428824, 'tasmania and': 834759, 'luke taylor and': 506636, 'taylor and laura': 835219, 'and laura paton': 65987, 'laura paton recently': 482144, 'paton recently discussed': 644339, 'recently discussed the': 704074, 'discussed the worker': 244972, 'the worker compensation': 871751, 'worker compensation implication': 1006682, 'compensation implication of': 191565, 'implication of covid': 418562, '19 in tasmania': 7789, 'in tasmania and': 428825, 'tasmania and what': 834760, 'and what you': 75497, 'aware of to': 105646, 'of to find': 592212, 'out more click': 626566, 'state impose': 795676, 'impose new': 419243, 'new iran': 558948, 'iran link': 444695, 'link sanction': 493898, 'sanction entity': 733626, 'entity covid': 278851, 'call lift': 155973, 'lift soap': 489456, '19 rbi': 9965, 'rbi buy': 698076, 'buy 35': 148258, '35 billion': 17879, 'it government': 458321, 'government security': 360577, 'security stabilize': 744753, 'stabilize financial': 791845, 'united state impose': 942223, 'state impose new': 795677, 'impose new iran': 419244, 'new iran link': 558949, 'iran link sanction': 444696, 'link sanction entity': 493899, 'sanction entity covid': 733627, 'entity covid 19': 278852, 'boycott call lift': 137321, 'call lift soap': 155974, 'lift soap hand': 489457, 'soap hand sanitizer': 779023, 'sanitizer price covid': 735581, 'covid 19 rbi': 213657, '19 rbi buy': 9966, 'rbi buy 35': 698077, 'buy 35 billion': 148259, '35 billion it': 17880, 'billion it worth': 130859, 'worth it government': 1011377, 'it government security': 458324, 'government security stabilize': 360578, 'security stabilize financial': 744754, 'stabilize financial market': 791846, 'meager': 524078, 'menial': 528601, 'many family': 514053, 'individual covid': 435169, 'than lockdown': 840851, 'who feed': 988728, 'feed from': 302309, 'mouth living': 543527, 'on meager': 602075, 'meager income': 524079, 'from menial': 336418, 'menial job': 528602, 'is luxury': 449491, 'luxury they': 506967, 'for many family': 323218, 'many family and': 514054, 'and individual covid': 65162, 'individual covid 19': 435170, '19 mean more': 8600, 'mean more than': 524556, 'more than lockdown': 540643, 'than lockdown for': 840852, 'lockdown for those': 499400, 'those who feed': 892635, 'who feed from': 988729, 'feed from hand': 302310, 'to mouth living': 910296, 'mouth living on': 543528, 'living on meager': 496431, 'on meager income': 602076, 'meager income from': 524080, 'income from menial': 432349, 'from menial job': 336419, 'menial job it': 528603, 'job it mean': 465921, 'it mean panic': 459575, 'mean panic shopping': 524606, 'shopping is luxury': 763058, 'is luxury they': 449493, 'luxury they can': 506968, 'afford it mean': 34717, 'it mean no': 459574, 'mean no income': 524567, 'no income and': 564489, 'income and lack': 432281, 'dist': 246613, 'however going': 409379, 'beach is': 118215, 'far safer': 298912, 'or bunnings': 614596, 'bunnings where': 142695, 'where hardly': 984908, 'anyone keep': 80396, 'aisle it': 40291, 'totally illegal': 926354, 'illegal for': 416208, 'enforce social': 276682, 'social dist': 779490, 'believe in shutting': 126290, 'down to stop': 257381, 'covid 19 however': 213231, '19 however going': 7616, 'however going to': 409380, 'the beach is': 849383, 'beach is far': 118216, 'is far safer': 447742, 'far safer than': 298913, 'safer than going': 730388, 'or supermarket or': 617283, 'supermarket or bunnings': 821797, 'or bunnings where': 614597, 'bunnings where hardly': 142696, 'where hardly anyone': 984909, 'hardly anyone keep': 378253, 'anyone keep safe': 80397, 'keep safe distance': 471875, 'safe distance in': 729588, 'in crowded aisle': 421913, 'crowded aisle it': 219290, 'aisle it is': 40293, 'it is totally': 459109, 'is totally illegal': 453305, 'totally illegal for': 926355, 'illegal for police': 416211, 'for police to': 324606, 'to enforce social': 905119, 'enforce social dist': 276683, 'maricopa': 515696, '242': 15723, '630': 21272, '112': 2636, 'of maricopa': 586220, 'maricopa az': 515697, 'az avg': 106373, 'price 242': 672136, '242 630': 15724, '630 avg': 21275, 'ft 112': 339319, '112 80': 2637, '80 covid': 22561, 'impact le': 417726, 'le people': 483068, 'le homeowner': 482977, 'homeowner listing': 402890, 'listing so': 494882, 'stable see': 791951, 'trend for the': 931341, 'for the city': 326345, 'city of maricopa': 179286, 'of maricopa az': 586221, 'maricopa az avg': 515698, 'az avg home': 106374, 'home price 242': 401889, 'price 242 630': 672137, '242 630 avg': 15725, '630 avg per': 21276, 'sq ft 112': 791429, 'ft 112 80': 339320, '112 80 covid': 2638, '80 covid 19': 22562, '19 impact le': 7701, 'impact le people': 417727, 'le people buying': 483069, 'people buying but': 647342, 'buying but le': 150066, 'but le homeowner': 146252, 'le homeowner listing': 482978, 'homeowner listing so': 402891, 'listing so housing': 494883, 'home price stable': 401918, 'price stable see': 676601, 'stable see more': 791952, 'see more info': 745428, 'running special': 728075, 'disability put': 243846, 'store chain running': 806934, 'chain running special': 171069, 'running special exclusive': 728076, 'risk for senior': 723557, 'senior and in': 750201, 'with disability put': 998061, 'disability put together': 243847, 'together this list': 920981, 'this list for': 888656, 'list for you': 494332, 'health immune': 386516, 'food choice': 313930, 'choice during': 177757, 'quarantine here': 692256, 'restock remember': 716898, 'practice the': 668673, 'the foot': 855650, 'shopping immunesupport': 762948, 'immunesupport socialdistancing': 417380, 'socialdistancing healthtips': 780417, 'support your health': 827017, 'your health immune': 1024277, 'health immune system': 386517, 'system with good': 831389, 'with good food': 998639, 'good food choice': 357054, 'food choice during': 313932, 'choice during quarantine': 177759, 'during quarantine here': 262938, 'quarantine here what': 692258, 'what to shop': 982463, 'shop for when': 760211, 'for when you': 327825, 'store to restock': 810809, 'to restock remember': 913409, 'restock remember to': 716899, 'to practice the': 911965, 'practice the foot': 668674, 'the foot distancing': 855652, 'foot distancing rule': 318377, 'distancing rule when': 247449, 'when shopping immunesupport': 984022, 'shopping immunesupport socialdistancing': 762949, 'immunesupport socialdistancing healthtips': 417381, 'the commissary': 851233, 'commissary grocery': 188776, 'base my': 111465, 'father retired': 300310, 'retired ha': 719680, 'taken necessary': 833034, 'his household': 397526, 'household permitted': 406902, 'permitted quantity': 652177, 'quantity list': 691928, 'list rationing': 494521, 'the commissary grocery': 851234, 'commissary grocery store': 188777, 'store on base': 809186, 'on base my': 599572, 'base my father': 111466, 'my father retired': 548250, 'father retired ha': 300311, 'retired ha taken': 719681, 'ha taken necessary': 372147, 'taken necessary step': 833035, 'step to make': 799657, 'they need this': 882763, 'need this is': 555819, 'this is his': 888279, 'is his household': 448496, 'his household permitted': 397527, 'household permitted quantity': 406903, 'permitted quantity list': 652178, 'quantity list rationing': 691929, 'collier': 186665, 'term beneficiary': 838069, 'habit induced': 372640, 'induced by': 435453, 'have predicted': 382018, 'predicted with': 669634, 'uk logistics': 938522, 'logistics property': 500783, 'market collier': 516188, 'online grocery retail': 608326, 'grocery retail will': 364897, 'retail will be': 718859, 'will be long': 992543, 'be long term': 115811, 'long term beneficiary': 501672, 'term beneficiary of': 838070, 'beneficiary of change': 126897, 'in shopping habit': 427910, 'shopping habit induced': 762847, 'habit induced by': 372641, 'induced by the': 435454, 'by the response': 154425, '19 pandemic expert': 9322, 'pandemic expert have': 635409, 'expert have predicted': 291849, 'have predicted with': 382021, 'predicted with major': 669635, 'with major consequence': 999362, 'consequence for the': 194858, 'for the uk': 326748, 'the uk logistics': 870246, 'uk logistics property': 938523, 'logistics property market': 500784, 'property market collier': 684302, 'lineup after': 493656, 'work coronacrisis': 1005003, 'coronacrisis safeway': 204736, 'safeway superstore': 730858, 'superstore costco': 824347, 'how about grocery': 407283, 'opening for the': 612838, 'worker they shouldn': 1007971, 'have to battle': 383160, 'battle the lineup': 112828, 'the lineup after': 859429, 'lineup after work': 493657, 'after work coronacrisis': 36564, 'work coronacrisis safeway': 1005005, 'coronacrisis safeway superstore': 204737, 'safeway superstore costco': 730859, 'dunkin': 262292, 'endhunger': 276156, 'are thrilled': 91078, 'have received': 382197, 'emergency covid': 272647, '19 grant': 7277, 'grant from': 362029, 'in childhood': 421376, 'childhood foundation': 176317, 'foundation due': 330485, 'to steep': 915376, 'steep increase': 799392, 'service these': 752942, 'these grant': 880065, 'grant fund': 362031, 'fund will': 341542, 'to purchasing': 912558, 'purchasing more': 689891, 'provide 40': 686203, 'meal thank': 524282, 'you dunkin': 1018378, 'dunkin endhunger': 262295, 'we are thrilled': 970738, 'are thrilled to': 91079, 'thrilled to have': 894190, 'to have received': 907299, 'have received an': 382198, 'received an emergency': 703590, 'an emergency covid': 55673, 'emergency covid 19': 272648, 'covid 19 grant': 213164, '19 grant from': 7278, 'grant from the': 362030, 'from the joy': 337761, 'the joy in': 858694, 'joy in childhood': 467509, 'in childhood foundation': 421377, 'childhood foundation due': 176318, 'foundation due to': 330486, 'due to steep': 261973, 'to steep increase': 915378, 'steep increase in': 799393, 'for service these': 325500, 'service these grant': 752943, 'these grant fund': 880066, 'grant fund will': 362032, 'fund will go': 341544, 'go to purchasing': 354345, 'to purchasing more': 912559, 'purchasing more food': 689892, 'more food enough': 539241, 'food enough to': 314361, 'to provide 40': 912373, 'provide 40 00': 686204, '40 00 meal': 18510, '00 meal thank': 326, 'meal thank you': 524283, 'thank you dunkin': 841720, 'you dunkin endhunger': 1018379, 'opinion online': 613487, 'opinion online shopping': 613488, 'averaged': 104913, 'ffpi': 304287, 'index averaged': 434172, 'averaged 172': 104914, '2020 down': 14278, 'down point': 257098, 'point percent': 662587, 'percent from': 651123, 'march marked': 515409, 'marked the': 515868, 'second month': 743763, 'month drop': 537688, 'the ffpi': 855135, 'ffpi largely': 304288, 'largely driven': 479850, 'demand contraction': 235171, 'price index averaged': 674808, 'index averaged 172': 434173, 'averaged 172 point': 104915, '172 point in': 4432, 'point in march': 662520, 'in march 2020': 425074, 'march 2020 down': 515155, '2020 down point': 14279, 'down point percent': 257099, 'point percent from': 662588, 'percent from february': 651124, 'from february the': 335445, 'february the sharp': 301744, 'the sharp decline': 866799, 'decline in march': 231360, 'in march marked': 425110, 'march marked the': 515410, 'marked the second': 515869, 'the second month': 866584, 'second month on': 743764, 'on month drop': 602200, 'month drop in': 537690, 'of the ffpi': 591021, 'the ffpi largely': 855136, 'ffpi largely driven': 304289, 'largely driven by': 479851, 'driven by covid': 259276, '19 pandemic demand': 9307, 'pandemic demand contraction': 635294, 'breaking two': 139071, 'men licked': 528502, 'licked their': 488223, 'in british': 420995, 'supermarket wiping': 823901, 'wiping them': 996531, 'on meat': 602085, 'meat fresh': 525582, 'fridge handle': 333402, 'handle men': 376230, 'men arrested': 528463, 'arrested food': 93838, 'destroyed coronapandemic': 239050, 'breaking two men': 139072, 'two men licked': 937039, 'men licked their': 528503, 'licked their hand': 488224, 'their hand in': 873477, 'hand in british': 375036, 'in british supermarket': 420996, 'british supermarket wiping': 140611, 'supermarket wiping them': 823902, 'wiping them on': 996532, 'them on meat': 876091, 'on meat fresh': 602086, 'meat fresh food': 525583, 'fresh food and': 332958, 'food and fridge': 313237, 'and fridge handle': 63316, 'fridge handle men': 333404, 'handle men arrested': 376231, 'men arrested food': 528464, 'arrested food had': 93839, 'had to be': 373664, 'to be destroyed': 901199, 'be destroyed coronapandemic': 114424, '4pc': 19499, 'the pakistan': 862870, 'pakistan bureau': 634430, 'of statistic': 590078, 'statistic pb': 796585, 'pb on': 645855, 'the inflation': 858236, 'rate fell': 697211, 'from 12': 334179, '12 4pc': 2804, '4pc in': 19500, 'previous month': 671985, 'month owing': 537943, 'the pakistan bureau': 862871, 'pakistan bureau of': 634431, 'bureau of statistic': 142799, 'of statistic pb': 590079, 'statistic pb on': 796586, 'pb on wednesday': 645856, 'on wednesday said': 605179, 'wednesday said the': 975685, 'said the inflation': 731433, 'the inflation rate': 858238, 'inflation rate fell': 437225, 'rate fell to': 697212, 'fell to 10': 303240, 'to 10 per': 899430, '10 per cent': 1621, 'cent in march': 169076, 'march from 12': 515370, 'from 12 4pc': 334181, '12 4pc in': 2805, '4pc in the': 19501, 'the previous month': 864317, 'previous month owing': 671986, 'month owing to': 537944, 'owing to decline': 631851, 'item for second': 463273, 'for second consecutive': 325408, 'nationwidelockdown': 552774, 'with southafrica': 1000894, 'southafrica entering': 786803, 'entering 3rd': 278384, '3rd week': 18453, 'of nationwidelockdown': 586873, 'nationwidelockdown for': 552775, 'ha reflected': 371691, 'reflected several': 706648, 'several about': 753788, 'about turn': 26789, 'turn here': 935673, 'with southafrica entering': 1000895, 'southafrica entering 3rd': 786804, 'entering 3rd week': 278385, '3rd week of': 18454, 'week of nationwidelockdown': 976630, 'of nationwidelockdown for': 586874, 'nationwidelockdown for 19': 552776, 'for 19 consumer': 318700, '19 consumer spending': 5987, 'spending ha reflected': 788829, 'ha reflected several': 371692, 'reflected several about': 706649, 'several about turn': 753789, 'about turn here': 26790, 'turn here what': 935674, 'here what is': 393812, 'what is seeing': 981724, 'new health': 558869, 'health guideline': 386469, 'mask idea': 518815, 'own if': 632075, 'don already': 253337, 'please wear': 660765, 'running your': 728148, 'your necessary': 1024937, 'necessary errand': 553982, 'store facemasks': 807692, 'facemasks cdc': 295130, 'cdc socialdistancing': 168623, 'new health guideline': 558870, 'health guideline on': 386470, 'guideline on face': 368454, 'on face mask': 600695, 'face mask idea': 294548, 'mask idea on': 518816, 'be creative and': 114285, 'creative and make': 216124, 'and make your': 66585, 'your own if': 1025148, 'own if you': 632076, 'you don already': 1018305, 'don already have': 253338, 'already have some': 47432, 'have some please': 382637, 'some please wear': 783579, 'please wear them': 660767, 'wear them when': 974476, 'them when you': 876610, 'are running your': 89776, 'running your necessary': 728149, 'your necessary errand': 1024938, 'necessary errand or': 553983, 'errand or going': 280205, 'grocery store facemasks': 365387, 'store facemasks cdc': 807693, 'facemasks cdc socialdistancing': 295131, 'ausp': 103064, 'yep we': 1015351, 'life while': 489208, 'some obese': 783377, 'obese woman': 578357, 'woman fighting': 1003482, 'toiletpaper supermarket': 922561, 'few healthy': 303861, 'hospital queue': 404578, 'for clinical': 320129, 'clinical trial': 182331, 'trial of': 931652, 'of vaccine': 592732, 'vaccine sadly': 951763, 'australia ausp': 103233, 'yep we can': 1015352, 'can save life': 159506, 'save life while': 737565, 'life while some': 489212, 'while some obese': 987298, 'some obese woman': 783378, 'obese woman fighting': 578358, 'woman fighting each': 1003483, 'other for toiletpaper': 620263, 'for toiletpaper supermarket': 327263, 'toiletpaper supermarket few': 922563, 'supermarket few healthy': 820301, 'few healthy young': 303863, 'healthy young people': 387821, 'young people staying': 1022647, 'people staying in': 649573, 'staying in hospital': 798637, 'in hospital queue': 423816, 'hospital queue for': 404579, 'queue for clinical': 693925, 'for clinical trial': 320130, 'clinical trial of': 182332, 'trial of vaccine': 931653, 'of vaccine sadly': 592733, 'vaccine sadly this': 951764, 'sadly this the': 729373, 'this the reality': 890535, 'the reality in': 865259, 'reality in australia': 701746, 'in australia ausp': 420598, 'another letter': 77693, 'plan have': 658144, 'of month': 586627, 'month especially': 537707, 'be struggling': 117412, 'financially coronacrisis': 306669, 'of to send': 592222, 'to send me': 914214, 'send me another': 749880, 'me another letter': 522440, 'another letter to': 77694, 'letter to let': 487365, 'me know that': 523044, 'price of my': 675512, 'of my plan': 586806, 'my plan have': 549784, 'plan have gone': 658145, 'gone up for': 356419, 'the second time': 866594, 'second time in': 743846, 'space of month': 787147, 'of month especially': 586629, 'month especially during': 537708, 'especially during these': 280465, 'difficult time where': 242319, 'time where people': 898318, 'where people may': 985106, 'people may be': 648751, 'may be struggling': 521033, 'be struggling financially': 117414, 'struggling financially coronacrisis': 814440, 'blazing': 132453, 'uniquely': 942014, 'so basically': 776597, 'basically what': 112182, 'who tout': 989811, 'tout blazing': 927062, 'blazing fast': 132454, 'fast speed': 300039, 'speed to': 788468, 'each consumer': 264014, 'consumer uniquely': 199416, 'uniquely ha': 942017, 'selling smoke': 749447, 'smoke if': 775865, 'can truly': 160046, 'truly deliver': 933285, 'speed they': 788465, 'are promising': 89278, 'promising we': 683756, 'of back': 580498, 'so basically what': 776602, 'basically what you': 112183, 're saying is': 699428, 'saying is and': 739615, 'is and others': 445710, 'others who tout': 621793, 'who tout blazing': 989812, 'tout blazing fast': 927063, 'blazing fast speed': 132455, 'fast speed to': 300040, 'speed to each': 788469, 'to each consumer': 904820, 'each consumer uniquely': 264015, 'consumer uniquely ha': 199417, 'uniquely ha been': 942018, 'ha been selling': 369915, 'been selling smoke': 121915, 'selling smoke if': 749448, 'smoke if they': 775867, 'they can truly': 881686, 'can truly deliver': 160047, 'truly deliver the': 933286, 'deliver the speed': 233236, 'the speed they': 867564, 'speed they are': 788466, 'they are promising': 881370, 'are promising we': 89279, 'promising we should': 683757, 'should be getting': 765633, 'be getting lot': 115006, 'getting lot of': 349102, 'lot of back': 504143, 've left': 953334, 'not plan': 571031, 'back anytime': 106871, 'soon the': 785842, 'and ignorance': 64960, 'ignorance of': 415758, 'who empty': 988694, 'appalling ve': 81847, 'life staysafestayhome': 489062, 'it the first': 461534, 'time ve left': 898183, 've left my': 953336, 'left my house': 485560, 'house in long': 406360, 'long time to': 501784, 'store but do': 806787, 'do not plan': 249801, 'not plan on': 571032, 'plan on going': 658193, 'on going back': 601129, 'going back anytime': 355045, 'back anytime soon': 106872, 'anytime soon the': 80975, 'soon the selfishness': 785847, 'selfishness and ignorance': 748331, 'and ignorance of': 64962, 'ignorance of many': 415760, 'of many who': 586188, 'many who empty': 514876, 'who empty the': 988695, 'the shelf is': 866850, 'shelf is appalling': 757233, 'is appalling ve': 445781, 'appalling ve never': 81848, 'like it in': 490539, 'my life staysafestayhome': 549037, 'people posting': 649167, 'posting and': 666643, 'of half': 584411, 'shelf calling': 756922, 'people dumb': 647738, 'dumb or': 262107, 'or idiot': 615711, 'idiot all': 413445, 'people posting and': 649168, 'posting and sharing': 666644, 'and sharing photo': 71399, 'photo of of': 655206, 'of of half': 587155, 'of half to': 584413, 'half to completely': 374288, 'to completely empty': 903146, 'empty shelf calling': 275054, 'shelf calling those': 756923, 'calling those people': 156638, 'those people dumb': 892320, 'people dumb or': 647739, 'dumb or idiot': 262108, 'or idiot all': 615712, 'idiot all while': 413446, 'all while shopping': 45450, 'while shopping at': 987263, 'telling what': 837292, 'and own': 68596, 'own up': 632280, 'didn standing': 241208, 'probably line': 679311, 'line full': 493127, 'of democrat': 582519, 'democrat and': 236694, 'and republican': 70281, 'republican and': 713015, 'twitter bragging': 936640, 'your approval': 1022810, 'approval all': 83084, 'to stop telling': 915582, 'stop telling what': 805106, 'telling what you': 837294, 'you did and': 1018196, 'did and own': 240546, 'and own up': 68597, 'own up to': 632281, 'up to what': 946448, 'what you didn': 982670, 'you didn standing': 1018213, 'didn standing in': 241209, 'which is probably': 986044, 'is probably line': 451046, 'probably line full': 679312, 'line full of': 493128, 'full of democrat': 340715, 'of democrat and': 582520, 'democrat and republican': 236697, 'and republican and': 70282, 'republican and you': 713017, 're on twitter': 699187, 'on twitter bragging': 604915, 'twitter bragging about': 936641, 'bragging about your': 137566, 'about your approval': 26988, 'your approval all': 1022811, 'approval all we': 83085, 'luna': 506691, 'harness': 378480, 'luna ha': 506692, 'ha bag': 369653, 'food new': 315528, 'new toy': 559775, 'toy new': 927684, 'new harness': 558857, 'harness thanks': 378481, 've stock': 953600, 'piled nothing': 656547, 'luna ha bag': 506693, 'ha bag of': 369654, 'bag of dog': 108349, 'of dog food': 582764, 'dog food new': 252085, 'food new toy': 315529, 'new toy new': 559776, 'toy new harness': 927685, 'new harness thanks': 558858, 'harness thanks to': 378482, '19 ve stock': 11740, 've stock piled': 953602, 'stock piled nothing': 802644, 'piled nothing else': 656548, 'vender': 954326, 'allege': 45651, 'issued call': 456045, 'for brooklyn': 319802, 'brooklyn resident': 140995, 'report two': 712399, 'two wholesale': 937383, 'wholesale vender': 990497, 'vender which': 954327, 'which allege': 985645, 'allege have': 45652, 'on cleaning': 599933, 'facebook video': 295003, 'today issued call': 919733, 'issued call to': 456046, 'call to action': 156164, 'to action for': 900021, 'action for brooklyn': 30019, 'for brooklyn resident': 319803, 'brooklyn resident to': 140997, 'resident to report': 714384, 'to report two': 913295, 'report two wholesale': 712400, 'two wholesale vender': 937384, 'wholesale vender which': 990498, 'vender which allege': 954328, 'which allege have': 985646, 'allege have been': 45653, 'have been increasing': 379578, 'been increasing their': 121373, 'price on cleaning': 675661, 'on cleaning product': 599935, 'cleaning product to': 181039, 'product to learn': 681751, 'more and to': 538621, 'and to join': 74178, 'join me please': 466778, 'me please watch': 523340, 'please watch my': 660755, 'watch my facebook': 968481, 'my facebook video': 548171, 'ingenious': 438294, 'placement': 657933, 'welcoming': 977926, 'scorpion': 742404, 'womeninstem': 1003718, 'ingenious product': 438297, 'product placement': 681523, 'placement at': 657934, 'store handwash': 808056, 'sanitizer condom': 734683, 'condom and': 193598, 'and facemasks': 62590, 'facemasks diy': 295133, 'diy quarantine': 248765, 'kit welcoming': 475665, 'welcoming all': 977927, 'the scorpion': 866519, 'scorpion going': 742405, 'to born': 901943, 'pandemic womeninstem': 637039, 'womeninstem medtwitter': 1003719, 'ingenious product placement': 438298, 'product placement at': 681524, 'placement at my': 657935, 'grocery store handwash': 365453, 'store handwash sanitizer': 808057, 'handwash sanitizer condom': 376790, 'sanitizer condom and': 734684, 'condom and facemasks': 193599, 'and facemasks diy': 62592, 'facemasks diy quarantine': 295134, 'diy quarantine kit': 248766, 'quarantine kit welcoming': 692332, 'kit welcoming all': 475666, 'welcoming all the': 977928, 'all the scorpion': 44901, 'the scorpion going': 866520, 'scorpion going to': 742406, 'going to born': 355542, 'to born out': 901944, 'this pandemic womeninstem': 889449, 'pandemic womeninstem medtwitter': 637040, 'how pp': 408526, 'pp loan': 667871, 'loan work': 497563, 'an overview': 56765, 'situation you': 772611, 'wondering how pp': 1004159, 'how pp loan': 408527, 'pp loan work': 667872, 'loan work here': 497564, 'work here an': 1005252, 'here an overview': 392694, 'an overview of': 56766, 'the situation you': 867286, 'situation you can': 772613, 'more by visiting': 538753, 'during didn': 262597, 'didn sleep': 241205, 'sleep last': 773778, 'tired anxiety': 899024, 'anxiety socialdistancing': 78797, 'change during didn': 172025, 'during didn sleep': 262598, 'didn sleep last': 241206, 'sleep last night': 773779, 'last night because': 480369, 'night because wa': 562965, 'because wa afraid': 119777, 'wa afraid to': 961452, 'supermarket today so': 823465, 'today so tired': 920195, 'so tired anxiety': 778528, 'tired anxiety socialdistancing': 899025, 'socialj': 781034, 'lockdown experience': 499361, 'spain isolation': 787316, 'house increased': 406364, 'increased police': 433406, 'police patrol': 663150, 'patrol fine': 644382, 'who leave': 989194, 'house exception': 406289, 'pharmacy medical': 654374, 'service dog': 752296, 'walker beach': 964992, 'beach public': 118233, 'public equipment': 687972, 'equipment closed': 279708, 'closed police': 183295, 'police taped': 663228, 'taped ghost': 834377, 'town socialj': 927553, 'lockdown experience in': 499362, 'experience in spain': 291395, 'in spain isolation': 428177, 'spain isolation in': 787317, 'isolation in house': 455311, 'in house increased': 423850, 'house increased police': 406365, 'increased police patrol': 433407, 'police patrol fine': 663151, 'patrol fine for': 644383, 'fine for those': 307639, 'those who leave': 892649, 'who leave house': 989195, 'leave house exception': 484829, 'house exception to': 406290, 'exception to go': 289287, 'to supermarket pharmacy': 915829, 'supermarket pharmacy medical': 821976, 'pharmacy medical service': 654375, 'medical service dog': 526375, 'service dog walker': 752297, 'dog walker beach': 252183, 'walker beach public': 964993, 'beach public equipment': 118234, 'public equipment closed': 687973, 'equipment closed police': 279709, 'closed police taped': 183296, 'police taped ghost': 663229, 'taped ghost town': 834378, 'ghost town socialj': 349678, 'brittain': 140661, 'can british': 157803, 'british citizen': 140495, 'gb uk': 344791, 'uk great': 938422, 'great brittain': 362543, 'brittain united': 140662, 'how can british': 407496, 'can british citizen': 157804, 'british citizen accept': 140496, 'week gb uk': 976266, 'gb uk great': 344792, 'uk great brittain': 938423, 'great brittain united': 362544, 'brittain united kingdom': 140663, 'indeed there enough': 434013, 'there enough then': 878359, 'possible wash': 665866, 'hand keep': 375064, 'covering when': 212507, 'much possible wash': 545249, 'possible wash your': 665867, 'your hand keep': 1024198, 'hand keep sanitizer': 375065, 'and wear face': 75351, 'wear face covering': 974317, 'face covering when': 294378, 'covering when out': 212508, '2020 pandemic': 14499, 'shopping stayhome': 763972, 'stayhealthy socialdistancing': 797908, 'shopping in 2020': 762951, 'in 2020 pandemic': 419849, '2020 pandemic toiletpaper': 14500, 'pandemic toiletpaper shopping': 636815, 'toiletpaper shopping stayhome': 922461, 'shopping stayhome stayhealthy': 763976, 'stayhome stayhealthy socialdistancing': 798148, 'man right': 512211, 'right sits': 722271, 'sits outside': 772085, 'outside elmhurst': 629409, 'hospital queen': 404576, 'queen newyorkcity': 693384, 'newyorkcity hospital': 561212, 'staff left': 792612, 'left gather': 485476, 'gather donated': 344378, 'donated ppe': 254353, 'elderly man right': 270749, 'man right sits': 512212, 'right sits outside': 722272, 'sits outside elmhurst': 772086, 'outside elmhurst hospital': 629410, 'elmhurst hospital queen': 271575, 'hospital queen newyorkcity': 404577, 'queen newyorkcity hospital': 693385, 'newyorkcity hospital staff': 561213, 'hospital staff left': 404639, 'staff left gather': 792613, 'left gather donated': 485477, 'gather donated ppe': 344379, 'donated ppe to': 254354, 'ppe to treat': 668089, 'please contact for': 659834, 'contact for price': 200081, 'for price pandemic': 324727, 'freelancing': 332457, 'digitalnomad': 242790, 'entrepreneurship': 278969, 'onlineretail': 609857, 'released waking': 709102, 'coronavirus business': 205580, 'and entrepreneur': 62205, 'entrepreneur must': 278948, 'economy running': 268189, 'running online': 728015, 'online freelancing': 608265, 'freelancing business': 332458, 'business digitalnomad': 143638, 'digitalnomad entrepreneurship': 242791, 'entrepreneurship shopping': 278973, 'shopping digital': 762478, 'digital onlineretail': 242612, 'onlineretail startup': 609860, 'startup advertising': 795084, 'advertising digital': 33221, 'digital marketing': 242596, 'just released waking': 469601, 'released waking up': 709103, 'up to coronavirus': 946366, 'to coronavirus business': 903542, 'coronavirus business and': 205581, 'business and entrepreneur': 143300, 'and entrepreneur must': 62206, 'entrepreneur must keep': 278949, 'keep the economy': 472041, 'the economy running': 854015, 'economy running online': 268190, 'running online freelancing': 728016, 'online freelancing business': 608266, 'freelancing business digitalnomad': 332459, 'business digitalnomad entrepreneurship': 143639, 'digitalnomad entrepreneurship shopping': 242792, 'entrepreneurship shopping digital': 278974, 'shopping digital onlineretail': 762479, 'digital onlineretail startup': 242613, 'onlineretail startup advertising': 609861, 'startup advertising digital': 795085, 'advertising digital marketing': 33222, 'sales': 732682, 'shopping catching': 762327, 'catching all': 167068, 'these sales': 880623, 'online shopping catching': 609067, 'shopping catching all': 762328, 'catching all these': 167069, 'all these sales': 45053, 'can virus': 160121, '19 survive': 10998, 'freezer thinking': 332640, 'advice ve': 33547, 'seen to': 747323, 'can virus like': 160122, 'covid 19 survive': 213900, '19 survive the': 10999, 'survive the freezer': 829251, 'the freezer thinking': 855786, 'freezer thinking about': 332641, 'about the advice': 26334, 'the advice ve': 848389, 'advice ve seen': 33548, 've seen to': 953553, 'seen to quarantine': 747324, 'to quarantine supermarket': 912649, 'quarantine supermarket good': 692597, 'supermarket good when': 820551, 'someone affected': 784358, 'then continues': 877090, 'absolute moron': 27261, 'moron it': 541602, 'simple stay': 770094, 'are the sort': 90911, 'of person who': 588059, 'person who is': 652726, 'who is self': 989110, 'is self isolating': 451738, 'being in contact': 125295, 'contact with someone': 200289, 'with someone affected': 1000876, 'someone affected by': 784359, '19 then continues': 11272, 'then continues to': 877091, 'continues to go': 201478, 'are an absolute': 84529, 'an absolute moron': 55039, 'absolute moron it': 27262, 'moron it simple': 541603, 'it simple stay': 461060, 'simple stay at': 770095, 'brianelderroofing': 139566, 'brianelderroofing is': 139567, 'that continue': 843316, 'hard during': 377904, 'brianelderroofing is thinking': 139568, 'healthcare worker delivery': 387353, 'restaurant employee and': 716441, 'employee and community': 273558, 'and community member': 60174, 'community member that': 189986, 'member that continue': 528209, 'that continue to': 843317, 'to work hard': 918730, 'work hard during': 1005237, 'hard during covid': 377905, 'morning briefing': 541201, 'briefing crude': 139706, 'skyrocketed by': 773358, '25 their': 15971, 'largest day': 479941, 'day gain': 227668, 'gain on': 342800, 'record crudeoil': 704924, 'crudeoil read': 219654, 'more risk': 540274, 'risk warning': 724002, 'warning 80': 967063, 'cfd account': 170306, 'account lose': 28718, 'morning briefing crude': 541202, 'briefing crude oil': 139707, 'oil price skyrocketed': 597259, 'price skyrocketed by': 676443, 'skyrocketed by 25': 773359, 'by 25 their': 151611, '25 their largest': 15972, 'their largest day': 873786, 'largest day gain': 479942, 'day gain on': 227669, 'gain on record': 342801, 'on record crudeoil': 603098, 'record crudeoil read': 704925, 'crudeoil read more': 219655, 'read more risk': 700450, 'more risk warning': 540275, 'risk warning 80': 724003, 'warning 80 of': 967064, '80 of retail': 22610, 'retail cfd account': 717934, 'cfd account lose': 170307, 'account lose money': 28719, 'ebitda': 266527, 'stockstowatch': 804155, 'stockbags': 803233, 'play it': 659179, 'like time': 491566, 'time normalized': 897284, 'normalized ebitda': 567468, 'ebitda wa': 266530, 'minimum here': 533191, 'and opened': 68168, 'opened this': 612770, 'morning would': 541554, 'have imagined': 381011, 'imagined that': 416846, 'that quality': 845922, 'quality consumer': 691772, 'good could': 356922, 'ever stockstowatch': 285520, 'stockstowatch stockbags': 804156, 'stockbags restaurant': 803234, 'play it seems': 659180, 'seems like time': 746819, 'like time normalized': 491567, 'time normalized ebitda': 897285, 'normalized ebitda wa': 567469, 'ebitda wa the': 266531, 'wa the minimum': 963456, 'the minimum here': 860647, 'minimum here that': 533192, 'here that where': 393639, 'that where it': 847507, 'where it closed': 984961, 'it closed yesterday': 457192, 'closed yesterday and': 183451, 'yesterday and opened': 1015665, 'and opened this': 68169, 'opened this morning': 612771, 'this morning would': 889041, 'morning would never': 541555, 'never have imagined': 558051, 'have imagined that': 381013, 'imagined that quality': 416847, 'that quality consumer': 845923, 'quality consumer good': 691773, 'consumer good could': 197608, 'good could be': 356923, 'could be purchased': 208908, 'be purchased at': 116628, 'purchased at such': 689756, 'such low price': 816610, 'low price ever': 505513, 'price ever stockstowatch': 673717, 'ever stockstowatch stockbags': 285521, 'stockstowatch stockbags restaurant': 804157, 'have impact': 381020, 'should have impact': 766081, 'have impact on': 381021, 'oil price given': 597146, 'price given the': 674192, 'given the lack': 351139, 'exacerbate': 288652, 'joysms': 467543, 'reason most': 702960, 'these trader': 880874, 'giving for': 351289, 'sense though': 750602, 'though but': 892783, 'trader do': 928676, 'greed which': 363448, 'more worrisome': 541016, 'worrisome because': 1010613, 'this exacerbate': 887472, 'exacerbate the': 288658, 'hardship we': 378308, 'through because': 894347, '19 joysms': 8196, 'the reason most': 865273, 'reason most of': 702961, 'most of these': 542563, 'of these trader': 591869, 'these trader are': 880875, 'trader are giving': 928654, 'are giving for': 86855, 'giving for increasing': 351290, 'increasing price make': 433675, 'price make sense': 675156, 'make sense though': 510444, 'sense though but': 750603, 'though but some': 892784, 'but some trader': 147109, 'some trader do': 784112, 'trader do this': 928678, 'do this out': 250361, 'this out of': 889314, 'out of greed': 626746, 'of greed which': 584327, 'greed which is': 363449, 'is more worrisome': 449730, 'more worrisome because': 541017, 'worrisome because this': 1010614, 'because this exacerbate': 119738, 'this exacerbate the': 887473, 'exacerbate the hardship': 288659, 'the hardship we': 857120, 'hardship we are': 378309, 'going through because': 355496, 'through because of': 894348, 'of 19 joysms': 579399, 'wa ransacked': 963042, 'ransacked thank': 696821, 'craziness you': 215232, 'with right': 1000512, 'now panicshopping': 575516, 'panicshopping retailworkers': 639452, 'whole store wa': 990338, 'store wa ransacked': 811120, 'wa ransacked thank': 963044, 'ransacked thank you': 696822, 'the retail worker': 865735, 'retail worker cannot': 718875, 'worker cannot imagine': 1006598, 'cannot imagine the': 161966, 'imagine the craziness': 416796, 'the craziness you': 852292, 'craziness you have': 215233, 'deal with right': 229571, 'with right now': 1000513, 'right now panicshopping': 722117, 'now panicshopping retailworkers': 575517, 'expect cannabis': 290611, 'cannabis company': 161391, 'can weather': 160212, 'storm today': 811851, 'their rapid': 874525, 'rapid growth': 696920, 'growth trajectory': 367469, 'trajectory once': 929389, 'given the strength': 351159, 'strength of cannabis': 813228, 'of cannabis consumer': 581102, 'cannabis consumer we': 161402, 'consumer we expect': 199489, 'we expect cannabis': 971492, 'expect cannabis company': 290612, 'cannabis company that': 161394, 'that can weather': 843125, 'can weather the': 160213, 'the storm today': 868162, 'storm today to': 811852, 'today to continue': 920351, 'to continue their': 903408, 'continue their rapid': 201151, 'their rapid growth': 874526, 'rapid growth trajectory': 696922, 'growth trajectory once': 367470, 'trajectory once the': 929390, 'once the pandemic': 605729, 'pandemic is under': 635804, 'tease': 836008, 'today those': 920340, 'those sardine': 892420, 'are 34': 84126, '34 tease': 17833, 'tease do': 836011, 'now wait': 576315, 'again another': 36895, 'another clue': 77540, 'reason people': 702975, 'hoard if': 398812, 'double or': 256031, 'or quadruple': 616758, 'quadruple for': 691652, 'for staple': 325868, 'staple how': 793952, 'would poor': 1012111, 'class family': 180184, 'family senior': 298211, 'income be': 432296, 'afford them': 34777, 'today those sardine': 920341, 'those sardine are': 892421, 'sardine are 34': 736758, 'are 34 tease': 84127, '34 tease do': 17834, 'tease do buy': 836012, 'do buy them': 249165, 'buy them now': 149328, 'them now wait': 876071, 'now wait for': 576316, 'price to drop': 676986, 'to drop again': 904763, 'drop again another': 260113, 'again another clue': 36897, 'another clue to': 77541, 'clue to reason': 184557, 'to reason people': 912880, 'reason people hoard': 702977, 'people hoard if': 648266, 'hoard if price': 398814, 'if price double': 414686, 'price double or': 673502, 'double or quadruple': 256032, 'or quadruple for': 616759, 'quadruple for staple': 691653, 'for staple how': 325870, 'staple how would': 793953, 'how would poor': 409260, 'would poor and': 1012112, 'poor and working': 664114, 'and working class': 75892, 'working class family': 1008561, 'class family senior': 180187, 'family senior on': 298212, 'senior on fixed': 750368, 'fixed income be': 309803, 'income be able': 432297, 'to afford them': 900162, 'polio': 663565, 'eradication': 280108, 'linear': 493621, 'it trade': 461835, 'trade offs': 928531, 'offs like': 596083, 'of polio': 588204, 'polio which': 663566, 'made along': 507624, 'our path': 624293, 'path in': 644018, 'the eradication': 854476, 'eradication of': 280109, 'path will': 644032, 'be linear': 115764, 'linear other': 493622, 'other threat': 621121, 'threat will': 893750, 'will present': 994438, 'present themselves': 670630, 'those will': 892705, 'be economic': 114643, 'economic or': 267179, 'even simply': 284576, 'simply the': 770302, 'of preserving': 588373, 'preserving food': 670723, 'it trade offs': 461836, 'trade offs like': 928532, 'offs like that': 596084, 'like that of': 491329, 'that of polio': 845452, 'of polio which': 588205, 'polio which must': 663567, 'which must also': 986169, 'must also be': 546472, 'be made along': 115861, 'made along our': 507625, 'along our path': 47017, 'our path in': 624294, 'path in the': 644020, 'in the eradication': 429174, 'the eradication of': 854477, 'eradication of covid': 280110, '19 the path': 11231, 'the path will': 863389, 'path will not': 644033, 'not be linear': 568415, 'be linear other': 115765, 'linear other threat': 493623, 'other threat will': 621122, 'threat will present': 893751, 'will present themselves': 994439, 'present themselves and': 670631, 'themselves and some': 876761, 'of those will': 592128, 'those will be': 892706, 'will be economic': 992441, 'be economic or': 114644, 'economic or even': 267180, 'or even simply': 615212, 'even simply the': 284577, 'simply the demand': 770303, 'demand of preserving': 235954, 'of preserving food': 588374, 'preserving food security': 670725, 'unfinished': 941490, 'puzzels': 691308, 'plz everyone': 661814, 'house cannot': 406232, 'but plz': 146814, 'plz stay': 661837, 'household finish': 406802, 'finish those': 307876, 'those unfinished': 892576, 'unfinished project': 941491, 'project gardening': 683493, 'gardening puzzels': 343650, 'puzzels home': 691309, 'schooling every': 742035, 'christmas day': 178167, 'plz everyone stay': 661815, 'stay in long': 797053, 'in long you': 424916, 'long you in': 501875, 'the house cannot': 857600, 'house cannot work': 406233, 'cannot work in': 162235, 'supermarket but plz': 819455, 'but plz stay': 146815, 'plz stay in': 661839, 'stay in now': 797054, 'in now is': 425986, 'time to spend': 898071, 'to spend more': 914993, 'spend more with': 788645, 'more with your': 540999, 'your family in': 1023788, 'your household finish': 1024428, 'household finish those': 406803, 'finish those unfinished': 307877, 'those unfinished project': 892577, 'unfinished project gardening': 941492, 'project gardening puzzels': 683494, 'gardening puzzels home': 343651, 'puzzels home schooling': 691310, 'home schooling every': 402024, 'schooling every day': 742036, 'every day like': 285825, 'day like christmas': 227907, 'like christmas day': 490003, 'recruitment': 705504, 'recruit 100': 705457, '00 extra': 194, 'surge plan': 828244, 'focus recruitment': 311913, 'recruitment on': 705507, 'providing job': 687042, 'to hospitality': 907983, 'hospitality service': 404801, 'work coronavirus': 1005012, 'coronavirus prompt': 206602, 'prompt city': 683898, 'city wide': 179460, 'wide shutdown': 991757, 'shutdown across': 767977, 'to recruit 100': 912996, 'recruit 100 00': 705458, '100 00 extra': 1786, '00 extra worker': 195, 'extra worker to': 293704, 'cope with online': 203351, 'shopping surge plan': 764033, 'surge plan to': 828245, 'plan to focus': 658291, 'to focus recruitment': 906039, 'focus recruitment on': 311914, 'recruitment on providing': 705508, 'on providing job': 602991, 'providing job to': 687043, 'job to hospitality': 466228, 'to hospitality service': 907985, 'hospitality service industry': 404802, 'industry worker out': 436260, 'worker out of': 1007526, 'of work coronavirus': 593246, 'work coronavirus prompt': 1005013, 'coronavirus prompt city': 206603, 'prompt city wide': 683899, 'city wide shutdown': 179461, 'wide shutdown across': 991758, 'shutdown across the': 767978, 'bowling': 136980, 'housing authority': 407056, 'authority of': 103768, 'of bowling': 580812, 'bowling green': 136981, 'green is': 363673, 'serve member': 751915, 'outbreak their': 628727, 'mobile grocery': 534973, 'making delivery': 511019, 'delivery so': 234552, 'so folk': 777102, 'folk can': 312119, 'practice safe': 668645, 'safe social': 729947, 'the housing authority': 857661, 'housing authority of': 407057, 'authority of bowling': 103769, 'of bowling green': 580813, 'bowling green is': 136982, 'green is using': 363674, 'using it to': 950539, 'it to serve': 461752, 'to serve member': 914268, 'serve member of': 751916, 'the outbreak their': 862709, 'outbreak their mobile': 628729, 'their mobile grocery': 873988, 'mobile grocery store': 534974, 'is making delivery': 449540, 'making delivery so': 511020, 'delivery so folk': 234553, 'so folk can': 777103, 'folk can practice': 312121, 'can practice safe': 159278, 'practice safe social': 668648, 'safe social distancing': 729949, 'comptroller': 192705, 'glenn': 351694, 'hegar': 388791, 'texas comptroller': 839751, 'comptroller glenn': 192706, 'glenn hegar': 351695, 'hegar say': 388792, 'are early': 86067, 'early sign': 264688, 'heading toward': 385970, 'toward recession': 927148, 'recession due': 704263, 'to paired': 911360, 'paired with': 634351, 'texas comptroller glenn': 839752, 'comptroller glenn hegar': 192707, 'glenn hegar say': 351696, 'hegar say there': 388793, 'there are early': 878096, 'are early sign': 86068, 'early sign state': 264691, 'sign state is': 769214, 'state is heading': 795698, 'is heading toward': 448359, 'heading toward recession': 385971, 'toward recession due': 927150, 'recession due to': 704264, 'due to paired': 261895, 'to paired with': 911361, 'paired with low': 634352, 'pandemic remember': 636326, 'are disease': 85848, 'which treatment': 986412, 'vaccine exist': 951696, 'exist where': 290252, 'most heavily': 542377, 'heavily affected': 388564, 'affected region': 34421, 'region of': 707442, 'our planet': 624356, 'planet cannot': 658397, 'the ridiculous': 865794, 'ridiculous drug': 721528, 'some community': 782564, 'community don': 189820, 'clean drinking': 180510, 'water perspective': 969111, 'we all panic': 970350, 'all panic over': 43908, 'the pandemic remember': 863076, 'pandemic remember that': 636327, 'there are disease': 878094, 'are disease for': 85849, 'disease for which': 245146, 'for which treatment': 327832, 'which treatment and': 986413, 'treatment and vaccine': 931035, 'and vaccine exist': 74831, 'vaccine exist where': 951697, 'exist where the': 290253, 'where the most': 985239, 'the most heavily': 860994, 'most heavily affected': 542378, 'heavily affected region': 388566, 'affected region of': 34422, 'region of our': 707444, 'of our planet': 587536, 'our planet cannot': 624357, 'planet cannot afford': 658398, 'cannot afford the': 161614, 'afford the ridiculous': 34773, 'the ridiculous drug': 865796, 'ridiculous drug price': 721529, 'drug price some': 261054, 'price some community': 676552, 'some community don': 782565, 'community don have': 189821, 'don have clean': 253592, 'have clean drinking': 379980, 'clean drinking water': 180511, 'drinking water perspective': 258947, 'patient killed': 644204, 'italy had': 462841, 'had existing': 373084, 'existing illness': 290327, 'illness new': 416386, 'study find': 814881, '99 of patient': 23869, 'of patient killed': 587820, 'patient killed by': 644205, 'by coronavirus in': 152231, 'coronavirus in italy': 206121, 'in italy had': 424305, 'italy had existing': 462842, 'had existing illness': 373086, 'existing illness new': 290328, 'illness new study': 416387, 'new study find': 559681, 'focal': 311823, 'mpa': 544297, 'presided': 670738, 'ghaffar': 349545, 'soomro': 785606, 'adeel': 32126, 'chandio': 171862, 'examined': 288827, 'focal person': 311824, 'hyd mpa': 411908, 'mpa presided': 544300, 'presided over': 670739, 'over meeting': 630391, 'with dc': 997933, 'dc hyd': 228955, 'hyd ghaffar': 411902, 'ghaffar soomro': 349546, 'soomro amp': 785607, 'amp sp': 54539, 'sp hyd': 787013, 'hyd adeel': 411898, 'adeel chandio': 32127, 'chandio examined': 171863, 'examined the': 288832, 'overall situation': 631034, 'situation created': 772231, 'created after': 215775, 'he instructed': 385105, 'hyd to': 411914, 'price facilitate': 673757, 'focal person for': 311825, 'person for 19': 652433, 'for 19 in': 318707, '19 in hyd': 7753, 'in hyd mpa': 423931, 'hyd mpa presided': 411909, 'mpa presided over': 544301, 'presided over meeting': 670740, 'over meeting with': 630392, 'meeting with dc': 527795, 'with dc hyd': 997934, 'dc hyd ghaffar': 228956, 'hyd ghaffar soomro': 411903, 'ghaffar soomro amp': 349547, 'soomro amp sp': 785608, 'amp sp hyd': 54540, 'sp hyd adeel': 787014, 'hyd adeel chandio': 411899, 'adeel chandio examined': 32128, 'chandio examined the': 171864, 'examined the overall': 288834, 'the overall situation': 862769, 'overall situation created': 631035, 'situation created after': 772232, 'created after the': 215776, 'after the corona': 36298, 'corona virus he': 204313, 'virus he instructed': 958271, 'he instructed to': 385106, 'instructed to dc': 440528, 'to dc hyd': 903963, 'dc hyd to': 228957, 'hyd to look': 411915, 'after the retail': 36350, 'retail price facilitate': 718408, 'price facilitate the': 673758, 'facilitate the ppl': 295276, 'the ppl in': 864175, 'ppl in this': 668261, 'consumption change': 199852, 'other behavioral': 619883, 'behavioral shift': 124336, 'are affecting': 84252, 'affecting agriculture': 34479, 'fewer driver': 304209, 'driver on': 259674, 'road demand': 724440, 'ethanol ha': 282980, 'fallen and': 297131, 'fallen record': 297175, 'low ethanol': 505270, 'plant have': 658657, 'have halted': 380883, 'halted production': 374493, 'production eliminating': 682028, 'eliminating 100': 271484, 'of rural': 589180, 'rural job': 728253, 'outside food consumption': 629426, 'food consumption change': 314004, 'consumption change other': 199853, 'change other behavioral': 172214, 'other behavioral shift': 619884, 'behavioral shift are': 124338, 'shift are affecting': 758241, 'are affecting agriculture': 84253, 'affecting agriculture with': 34480, 'agriculture with fewer': 39046, 'with fewer driver': 998426, 'fewer driver on': 304210, 'driver on the': 259675, 'the road demand': 865925, 'road demand for': 724441, 'for ethanol ha': 321139, 'ethanol ha fallen': 282981, 'ha fallen and': 370589, 'fallen and price': 297132, 'have fallen record': 380575, 'fallen record low': 297176, 'record low ethanol': 705011, 'low ethanol plant': 505271, 'ethanol plant have': 282997, 'plant have halted': 658658, 'have halted production': 380884, 'halted production eliminating': 374494, 'production eliminating 100': 682029, 'eliminating 100 of': 271485, '100 of rural': 1994, 'of rural job': 589181, 'fake good': 296629, 'more watch': 540945, 'for fraudsters': 321697, 'fraudsters exploiting': 331414, 'email scam fake': 272292, 'scam fake good': 740155, 'fake good and': 296630, 'and service and': 71295, 'service and more': 752098, 'and more watch': 67229, 'more watch out': 540946, 'out for fraudsters': 626121, 'for fraudsters exploiting': 321698, 'fraudsters exploiting the': 331416, 'the panic with': 863230, 'noshame': 567956, 'nosense': 567951, 'cancelsky': 161234, 'after numerous': 35972, 'numerous email': 577129, 'day explaining': 227587, 'during sky': 263025, 'sky show': 773227, 'true color': 933046, 'color and': 186724, 'and raise': 69906, 'price noshame': 675364, 'noshame nosense': 567957, 'nosense cancelsky': 567952, 'after numerous email': 35973, 'numerous email from': 577130, 'email from company': 272184, 'from company in': 334935, 'company in recent': 190770, 'recent day explaining': 703859, 'day explaining how': 227588, 'explaining how they': 292181, 'how they would': 408937, 'they would help': 883942, 'would help customer': 1011907, 'help customer during': 389557, 'customer during sky': 222318, 'during sky show': 263026, 'sky show their': 773228, 'show their true': 767230, 'their true color': 875046, 'true color and': 933047, 'color and raise': 186725, 'and raise price': 69909, 'raise price noshame': 695921, 'price noshame nosense': 675365, 'noshame nosense cancelsky': 567958, 'is annoying': 445723, 'annoying me': 77367, 'reason food': 702899, 'at increased': 99281, 'who is annoying': 989058, 'is annoying me': 445724, 'annoying me more': 77368, 'me more at': 523164, 'moment the people': 536060, 'are going out': 86895, 'going out panic': 355385, 'buying for no': 150355, 'no reason food': 565286, 'reason food shop': 702900, 'food shop aren': 316474, 'shop aren going': 759923, 'going to shut': 355706, 'to shut and': 914602, 'shut and will': 767786, 'and will still': 75696, 'will still get': 994979, 'still get delivery': 800550, 'delivery or those': 234289, 'or those who': 617439, 'who are trying': 988248, 'money from coronavirus': 536765, 'from coronavirus by': 335012, 'coronavirus by selling': 205594, 'by selling product': 153930, 'selling product at': 749416, 'product at increased': 680974, 'at increased price': 99282, 'clamp': 179938, 'drop clamp': 260155, 'clamp down': 179939, 'food price drop': 315935, 'price drop clamp': 673564, 'drop clamp down': 260156, 'clamp down on': 179941, 'down on demand': 257016, 'sisolak': 771705, 'governor sisolak': 360989, 'sisolak call': 771706, 'call police': 156075, 'pharmacy bank': 654246, 'bank grocery': 109875, 'station essential': 796396, 'well business': 978075, 'shelter or': 757941, 'to disadvantaged': 904335, 'disadvantaged population': 244011, 'governor sisolak call': 360990, 'sisolak call police': 771707, 'call police firefighter': 156077, 'police firefighter and': 663007, 'care pharmacy bank': 164143, 'pharmacy bank grocery': 654248, 'bank grocery store': 109878, 'gas station essential': 344109, 'station essential service': 796397, 'essential service well': 281537, 'service well business': 753058, 'well business that': 978076, 'business that provide': 144487, 'provide food shelter': 686311, 'food shelter or': 316462, 'shelter or social': 757942, 'or social service': 617142, 'social service to': 779961, 'service to disadvantaged': 752976, 'to disadvantaged population': 904336, 'peo': 646716, 'access my': 28154, 'account anymore': 28632, 'anymore started': 80152, 'started using': 794890, 'you block': 1017486, 'block my': 132792, 'take my': 832347, 'my access': 547215, 'access shouldn': 28191, 'shouldn you': 766754, 'be supporting': 117459, 'supporting peo': 827173, 'can access my': 157354, 'access my account': 28155, 'my account anymore': 547218, 'account anymore started': 28633, 'anymore started using': 80153, 'started using to': 794893, 'using to pay': 950766, 'for shopping online': 325591, 'shopping online due': 763425, 'distancing and you': 247003, 'and you block': 76004, 'you block my': 1017487, 'block my account': 132794, 'my account how': 547221, 'suppose to shop': 827330, 'shop online when': 760595, 'online when you': 609716, 'when you take': 984605, 'you take my': 1021512, 'take my money': 832353, 'my money and': 549295, 'money and block': 536591, 'and block my': 59014, 'block my access': 132793, 'my access shouldn': 547216, 'access shouldn you': 28192, 'shouldn you be': 766755, 'you be supporting': 1017401, 'be supporting peo': 117462, 'an affiliate': 55169, 'affiliate code': 34610, 'you extra': 1018502, 'off saturdayt': 594117, 'do have an': 249366, 'have an affiliate': 379238, 'an affiliate code': 55170, 'affiliate code april': 34611, 'april that will': 83696, 'that will give': 847578, 'give you extra': 350856, 'you extra 20': 1018503, 'extra 20 off': 293432, '20 off saturdayt': 13217, 'chucklevision': 178291, 'chucklebrothers': 178287, 'ahh simpler': 39228, 'simpler time': 770152, 'time chucklevision': 896480, 'chucklevision chucklebrothers': 178292, 'chucklebrothers store': 178288, 'panicbuying lockdown': 638983, 'ahh simpler time': 39229, 'simpler time chucklevision': 770154, 'time chucklevision chucklebrothers': 896481, 'chucklevision chucklebrothers store': 178293, 'chucklebrothers store supermarket': 178289, 'store supermarket panicbuying': 810459, 'supermarket panicbuying lockdown': 821911, 'oxfordshire': 632661, 'estrella': 282336, 'somewhere in': 785297, 'in oxfordshire': 426398, 'oxfordshire is': 632662, 'supermarket trying': 823586, 'of estrella': 583198, 'estrella and': 282337, 'and paella': 68623, 'paella at': 633820, 'somewhere in oxfordshire': 785298, 'in oxfordshire is': 426399, 'oxfordshire is supermarket': 632663, 'is supermarket trying': 452463, 'supermarket trying to': 823587, 'trying to figure': 934806, 'figure out why': 305224, 'out why there': 627850, 'why there an': 991439, 'there an increase': 877991, 'increase in sale': 432864, 'in sale of': 427660, 'sale of estrella': 732390, 'of estrella and': 583199, 'estrella and paella': 282338, 'and paella at': 68624, 'paella at this': 633821, 'supermarket ban': 819289, 'ban couple': 109186, 'couple from': 211588, 'together waitrose': 921022, 'waitrose ha': 964449, 'ha implemented': 370922, 'implemented one': 418470, 'household rule': 406926, 'supermarket ban couple': 819290, 'ban couple from': 109187, 'couple from shopping': 211589, 'from shopping together': 337278, 'shopping together waitrose': 764220, 'together waitrose ha': 921023, 'waitrose ha implemented': 964450, 'ha implemented one': 370924, 'implemented one customer': 418471, 'one customer per': 606141, 'customer per household': 222682, 'per household rule': 650891, 'household rule in': 406927, 'rule in their': 727269, 'their store across': 874844, 'the uk coronacrisisuk': 870204, 'uk coronacrisisuk coronacrisis': 938276, 'week should': 976868, 'be declared': 114359, 'declared criminal': 231223, 'offense in': 594484, 'daily bet': 224517, 'bet that': 128101, 'that suffer': 846549, 'most either': 542289, 'either due': 270294, 'to scarcity': 913882, 'scarcity or': 740852, 'or unpleasant': 617598, 'unpleasant price': 943053, 'that scarcity': 846147, 'scarcity 19': 740818, 'up for more': 944948, 'than week should': 841438, 'week should be': 976869, 'should be declared': 765597, 'be declared criminal': 114360, 'declared criminal offense': 231225, 'criminal offense in': 216866, 'offense in this': 594485, 'need it is': 555091, 'is the daily': 452762, 'the daily bet': 852773, 'daily bet that': 224518, 'bet that suffer': 128105, 'that suffer the': 846550, 'the most either': 860978, 'most either due': 542291, 'either due to': 270295, 'due to scarcity': 261936, 'to scarcity or': 913884, 'scarcity or unpleasant': 740854, 'or unpleasant price': 617599, 'unpleasant price due': 943054, 'due to that': 261990, 'to that scarcity': 916461, 'that scarcity 19': 846148, 'to many': 909823, 'finland ha': 307957, 'the contrary': 851692, 'contrary report': 201832, 'chain show': 171108, 'doubled here': 256113, 'here during': 392940, 'crisis coronabeer': 217255, 'compared to many': 191430, 'to many other': 909827, 'many other country': 514427, 'other country the': 620029, 'country the sale': 211135, 'the sale of': 866180, 'sale of in': 732396, 'of in finland': 585025, 'in finland ha': 422899, 'finland ha not': 307958, 'ha not gone': 371364, 'gone down on': 356263, 'down on the': 257039, 'on the contrary': 604036, 'the contrary report': 851693, 'contrary report from': 201833, 'report from supermarket': 711982, 'supermarket chain show': 819636, 'chain show that': 171109, 'show that the': 767197, 'that the sale': 846826, 'the sale ha': 866176, 'sale ha doubled': 732259, 'ha doubled here': 370431, 'doubled here during': 256114, 'here during the': 392942, 'the crisis coronabeer': 852362, 'dhirajsons': 240115, 'staying apart': 798569, 'apart is': 81293, 'of staying': 590099, 'staying united': 798722, 'united stay': 942258, 'all preventative': 44022, 'measure coronapocalypse': 525161, 'coronapocalypse indiafightscorona': 205190, 'indiafightscorona staysafestayhome': 434733, 'staysafestayhome staysafe': 799028, 'stayhome safeathome': 798086, 'safeathome socialdistancing': 730179, 'socialdistancing dhirajsons': 780314, 'dhirajsons supermarket': 240116, 'staying apart is': 798570, 'apart is the': 81294, 'best way of': 127985, 'way of staying': 969770, 'of staying united': 590102, 'staying united stay': 798723, 'united stay home': 942259, 'safe maintain social': 729811, 'distance and take': 246641, 'and take all': 72957, 'take all preventative': 831928, 'all preventative measure': 44023, 'preventative measure coronapocalypse': 671776, 'measure coronapocalypse indiafightscorona': 525162, 'coronapocalypse indiafightscorona staysafestayhome': 205191, 'indiafightscorona staysafestayhome staysafe': 434734, 'staysafestayhome staysafe stayhome': 799029, 'staysafe stayhome safeathome': 798900, 'stayhome safeathome socialdistancing': 798087, 'safeathome socialdistancing dhirajsons': 730180, 'socialdistancing dhirajsons supermarket': 780315, '33 when': 17775, 'you respect': 1020917, 'respect our': 715036, 'sale ticket': 732579, 'cancellation we': 161081, 'll respect': 496978, 'respect your': 715092, 'your privacy': 1025429, '33 when you': 17776, 'when you respect': 984596, 'you respect our': 1020918, 'respect our point': 715037, 'of sale ticket': 589249, 'sale ticket price': 732580, 'price to canada': 676972, 'to canada and': 902409, 'canada and refund': 160359, 'and refund for': 70138, 'refund for covid': 706910, '19 cancellation we': 5632, 'cancellation we ll': 161082, 'we ll respect': 972275, 'll respect your': 496979, 'respect your privacy': 715093, 'soapandwater': 779202, 'it obvious': 459974, 'obvious hand': 578791, 'sanitizer doe': 734778, 'not cut': 568949, 'water people': 969109, 'people soapandwater': 649500, 'it obvious hand': 459975, 'obvious hand sanitizer': 578792, 'hand sanitizer doe': 375376, 'sanitizer doe not': 734779, 'doe not cut': 251488, 'not cut it': 568950, 'cut it soap': 223411, 'it soap water': 461144, 'soap water people': 779161, 'water people soapandwater': 969110, 'theshinning': 881010, 'comeplaywithus': 187799, 'comeplay': 187796, 'coronaviral': 205422, 'paper after': 639769, 'all tp': 45280, 'tp theshinning': 927980, 'theshinning twin': 881011, 'twin comeplaywithus': 936573, 'comeplaywithus comeplay': 187800, 'comeplay quarantine': 187797, 'quarantine coronaviral': 692106, 'coronaviral virus': 205423, 'toiletpaper hollywood': 922078, 'don need toilet': 253774, 'toilet paper after': 921175, 'paper after all': 639770, 'after all tp': 35336, 'all tp theshinning': 45281, 'tp theshinning twin': 927981, 'theshinning twin comeplaywithus': 881012, 'twin comeplaywithus comeplay': 936574, 'comeplaywithus comeplay quarantine': 187801, 'comeplay quarantine coronaviral': 187798, 'quarantine coronaviral virus': 692107, 'coronaviral virus toiletpaper': 205424, 'virus toiletpaper hollywood': 958937, '19 youtube': 12285, 'youtube trend': 1026921, 'covid 19 youtube': 214111, '19 youtube trend': 12286, 'youtube trend think': 1026922, 'shabby': 754321, 'broke social': 140858, 'after got': 35724, 'flu shot': 311455, 'shot no': 765427, 'no florist': 564232, 'florist are': 311045, 'aren too': 92572, 'too shabby': 925050, 'shabby for': 754322, 'supermarket flower': 820342, 'flower are': 311277, 'they flower': 882122, 'flower socialdistancing': 311328, 'socialdistancing sydney': 780778, 'just broke social': 468374, 'broke social isolation': 140859, 'social isolation to': 779823, 'isolation to go': 455466, 'grocery shopping after': 364991, 'shopping after got': 761908, 'after got the': 35725, 'got the flu': 358901, 'the flu shot': 855461, 'flu shot no': 311456, 'shot no florist': 765428, 'no florist are': 564233, 'florist are open': 311046, 'open but these': 612130, 'but these aren': 147478, 'these aren too': 879649, 'aren too shabby': 92573, 'too shabby for': 925051, 'shabby for supermarket': 754323, 'for supermarket flower': 326012, 'supermarket flower are': 820343, 'flower are they': 311278, 'are they flower': 91000, 'they flower socialdistancing': 882123, 'flower socialdistancing sydney': 311329, 'milliona': 532438, 're leading': 698977, 'have succeed': 382828, 'succeed in': 816165, 'getting our': 349166, 'least 70': 484375, '70 day': 21751, 'day while': 228747, 'wa coming': 961838, 'coming you': 188300, 'you acted': 1016798, 'acted now': 29844, 're helping': 698800, 'helping milliona': 391388, 'we re leading': 972911, 're leading in': 698978, 'leading in the': 483716, '19 infection and': 7847, 'infection and million': 436712, 'and million are': 67027, 'million are out': 532074, 'of work you': 593272, 'work you have': 1006072, 'you have succeed': 1019123, 'have succeed in': 382829, 'succeed in getting': 816166, 'in getting our': 423297, 'getting our gas': 349167, 'price to go': 676995, 'go back up': 353351, 'back up you': 107436, 'up you wait': 946728, 'you wait for': 1022099, 'wait for at': 964109, 'at least 70': 99457, 'least 70 day': 484376, '70 day while': 21752, 'day while the': 228750, 'while the virus': 987423, 'the virus wa': 870916, 'virus wa coming': 958986, 'wa coming you': 961842, 'coming you acted': 188301, 'you acted now': 1016799, 'acted now you': 29845, 'you re helping': 1020642, 're helping milliona': 698801, 'is resuming': 451490, 'resuming activity': 717764, 'activity after': 30364, 'after near': 35949, 'shutdown china': 768009, 'china based': 176512, 'based executive': 111571, 'executive share': 289935, 'and challenge': 59707, 'managing at': 512851, 'at leading': 99430, 'leading company': 483694, 'china economy is': 176636, 'economy is resuming': 268012, 'is resuming activity': 451491, 'resuming activity after': 717765, 'activity after near': 30365, 'after near total': 35950, 'total shutdown china': 926245, 'shutdown china based': 768010, 'china based executive': 176513, 'based executive share': 111572, 'executive share their': 289936, 'share their experience': 755263, 'their experience and': 873204, 'experience and challenge': 291310, 'and challenge of': 59710, 'challenge of managing': 171514, 'of managing at': 586143, 'managing at leading': 512852, 'at leading company': 99431, 'leading company through': 483695, 'company through the': 191215, 'through the epidemic': 894733, 'misread': 534123, 'absolutely delighted': 27333, 'delighted that': 233045, 'pm is': 661917, 'is recovering': 451364, 'recovering did': 705258, 'did misread': 240682, 'misread this': 534124, 'he travelling': 385545, 'his second': 397780, 'absolutely delighted that': 27334, 'delighted that the': 233046, 'that the pm': 846802, 'the pm is': 863877, 'pm is recovering': 661918, 'is recovering did': 451365, 'recovering did misread': 705259, 'did misread this': 240683, 'misread this is': 534125, 'this is he': 888276, 'is he travelling': 448353, 'he travelling to': 385546, 'travelling to his': 930695, 'to his second': 907823, 'his second home': 397781, 'regulates': 708022, 'cytokine': 224148, 'modest': 535429, 'vitamin legit': 959790, 'legit known': 486033, 'known to': 477251, 'of respiratory': 588994, 'respiratory infection': 715242, 'infection regulates': 436828, 'regulates cytokine': 708023, 'cytokine production': 224149, 'other virus': 621171, 'virus such': 958831, 'such influenza': 816575, 'influenza adequate': 437365, 'adequate vitamin': 32189, 'vitamin may': 959792, 'may potentially': 521434, 'potentially provide': 667237, 'some modest': 783305, 'modest protection': 535436, 'protection former': 685451, 'former cdc': 329616, 'cdc director': 168554, 'vitamin legit known': 959791, 'legit known to': 486034, 'known to reduce': 477254, 'to reduce risk': 913036, 'reduce risk of': 705921, 'risk of respiratory': 723773, 'of respiratory infection': 588995, 'respiratory infection regulates': 715243, 'infection regulates cytokine': 436829, 'regulates cytokine production': 708024, 'cytokine production and': 224150, 'production and can': 681919, 'and can limit': 59460, 'risk of other': 723767, 'of other virus': 587379, 'other virus such': 621172, 'virus such influenza': 958832, 'such influenza adequate': 816576, 'influenza adequate vitamin': 437366, 'adequate vitamin may': 32190, 'vitamin may potentially': 959793, 'may potentially provide': 521435, 'potentially provide some': 667238, 'provide some modest': 686484, 'some modest protection': 783306, 'modest protection former': 535437, 'protection former cdc': 685452, 'former cdc director': 329617, 'tierras': 895790, 'aztecas': 106432, 'sube': 815714, 'en tierras': 275409, 'tierras aztecas': 895791, 'aztecas todo': 106433, 'todo sube': 920632, 'sube world': 815715, 'en tierras aztecas': 275410, 'tierras aztecas todo': 895792, 'aztecas todo sube': 106434, 'todo sube world': 920633, 'sube world food': 815716, 'of oil slump': 587195, 'consults': 195910, 'while concern': 986702, 'won in': 1003847, 'now through': 576148, 'june we': 468013, 'of virtual': 592815, 'virtual consults': 957729, 'consults and': 195911, 'powered med': 667766, 'med clinic': 525881, 'clinic visit': 182317, 'just 49': 468118, '49 learn': 19395, 'while concern of': 986703, 'concern of the': 193029, '19 increase our': 7811, 'increase our price': 432969, 'our price won': 624454, 'price won in': 677639, 'won in fact': 1003848, 'in fact now': 422763, 'fact now through': 295760, 'now through june': 576150, 'through june we': 894547, 'june we ve': 468014, 've lowered the': 953355, 'lowered the cost': 506082, 'cost of virtual': 208066, 'of virtual consults': 592817, 'virtual consults and': 957730, 'consults and ai': 195912, 'and ai powered': 57802, 'ai powered med': 39330, 'powered med clinic': 667767, 'med clinic visit': 525882, 'clinic visit to': 182318, 'visit to just': 959412, 'to just 49': 908719, 'just 49 learn': 468119, '49 learn more': 19396, 'panicbuyinguk coronacrisis': 639134, 'socialdistanacing after': 780040, 'country handling': 210729, 'we cope': 971193, 'cope leaving': 203321, 'leaving europe': 485078, 'panicbuyinguk coronacrisis stopstockpiling': 639135, 'panicbuyinguk socialdistanacing after': 639160, 'socialdistanacing after seeing': 780041, 'seeing the country': 746489, 'the country handling': 852090, 'country handling of': 210730, 'handling of corona': 376363, 'corona will we': 204399, 'will we cope': 995322, 'we cope leaving': 971194, 'cope leaving europe': 203322, 'radiation': 695392, 'be precautionary': 116507, 'precautionary supermarket': 669436, 'entry and': 278983, 'visit can': 959210, 'treated place': 930966, '19 contamination': 6013, 'contamination look': 200722, 'at radiation': 100239, 'radiation protection': 695395, 'operating room': 613101, 'room practice': 725952, 'contamination control': 200710, 'control method': 202053, 'method this': 529793, 'best to be': 127938, 'to be precautionary': 901452, 'be precautionary supermarket': 116508, 'precautionary supermarket entry': 669437, 'supermarket entry and': 820183, 'entry and visit': 278987, 'and visit can': 74984, 'visit can be': 959211, 'can be treated': 157704, 'be treated place': 117807, 'treated place of': 930967, 'place of potential': 657603, 'covid 19 contamination': 212850, '19 contamination look': 6014, 'contamination look at': 200723, 'look at radiation': 502290, 'at radiation protection': 100240, 'radiation protection and': 695396, 'protection and operating': 685322, 'and operating room': 68182, 'operating room practice': 613102, 'room practice for': 725953, 'practice for contamination': 668565, 'for contamination control': 320317, 'contamination control method': 200711, 'control method this': 202054, 'method this is': 529794, 'this is out': 888349, 'out of love': 626776, 'for movie': 323636, 'cardboard display': 163719, 'display rack': 246204, 'rack came': 695340, 'across contagion': 29298, 'contagion put': 200422, 'front on': 338653, 'top rack': 925705, 'rack then': 695353, 'then found': 877179, 'found mad': 330282, 'max and': 520738, 'and placed': 69053, 'placed it': 657893, 'it beside': 456849, 'beside it': 127476, 'then another': 876992, 'another copy': 77547, 'moved it': 543810, 'top too': 925745, 'the supermarket searching': 868785, 'searching for movie': 743331, 'for movie in': 323637, 'movie in cardboard': 544010, 'in cardboard display': 421242, 'cardboard display rack': 163720, 'display rack came': 246205, 'rack came across': 695341, 'came across contagion': 156961, 'across contagion put': 29299, 'contagion put it': 200423, 'the front on': 855851, 'front on the': 338654, 'the top rack': 869792, 'top rack then': 925706, 'rack then found': 695354, 'then found mad': 877180, 'found mad max': 330283, 'mad max and': 507550, 'max and placed': 520740, 'and placed it': 69056, 'placed it beside': 657894, 'it beside it': 456850, 'beside it then': 127477, 'it then another': 461603, 'then another copy': 876993, 'another copy of': 77548, 'copy of contagion': 203466, 'of contagion and': 581809, 'contagion and moved': 200397, 'and moved it': 67295, 'moved it to': 543811, 'to the top': 917136, 'the top too': 869798, 'yajuj': 1014056, 'majuj': 509603, 'schoolsout': 742049, 'been off': 121587, 'school for': 741794, 'like yajuj': 491852, 'yajuj majuj': 1014057, 'majuj allah': 509604, 'when war': 984419, 'war break': 966383, 'understand concept': 940614, 'of rationing': 588753, 'rationing schoolsout': 697864, 'schoolsout coronacrisis': 742050, 'my kid have': 548947, 'kid have been': 473982, 'have been off': 379622, 'been off school': 121589, 'off school for': 594119, 'school for day': 741795, 'for day this': 320588, 'day this week': 228539, 'this week they': 891281, 'week they ve': 977036, 've gone through': 953160, 'through the food': 894738, 'the food stock': 855608, 'food stock like': 316798, 'stock like yajuj': 802359, 'like yajuj majuj': 491853, 'yajuj majuj allah': 1014058, 'majuj allah help': 509605, 'allah help me': 45602, 'help me when': 390083, 'me when war': 523946, 'when war break': 984420, 'war break out': 966384, 'break out they': 138785, 'out they do': 627545, 'not understand concept': 572318, 'understand concept of': 940615, 'concept of rationing': 192866, 'of rationing schoolsout': 588754, 'rationing schoolsout coronacrisis': 697865, 'we hate': 971735, 'hate you': 378941, 'and day': 60962, 'out past': 627020, 'past overtime': 643583, 'the outbreak please': 862677, 'outbreak please be': 628535, 'hand sanitizer because': 375322, 'sanitizer because we': 734558, 'because we hate': 119805, 'we hate you': 971736, 'hate you the': 378942, 'you the truth': 1021614, 'truth is we': 934399, 've had people': 953232, 'had people working': 373400, 'people working day': 650514, 'working day in': 1008584, 'day in and': 227791, 'in and day': 420358, 'and day out': 60964, 'day out past': 228179, 'out past overtime': 627021, 'past overtime to': 643584, 'overtime to restock': 631651, 'work maintain': 1005453, 'distancing one': 247374, 'regularly if you': 707924, 'or work maintain': 617837, 'work maintain social': 1005454, 'social distancing one': 779677, 'distancing one call': 247375, 'one call day': 606041, 'difference love and': 241857, 'love and love': 504598, 'and love prayer': 66425, 'ggp': 349532, 'pours': 667461, 'shale go': 754495, 'go viral': 354458, 'viral ggp': 957592, 'ggp when': 349533, 'rain it': 695744, 'it pours': 460406, 'pours international': 667462, 'international and': 441751, 'domestic oil': 253209, 'gas market': 343897, 'under heavy': 940108, 'heavy pressure': 388651, 'arabia oil': 83907, 'market battle': 516085, 'battle now': 112806, 'eye are': 294004, 'on domestic': 600378, 'shale go viral': 754496, 'go viral ggp': 354459, 'viral ggp when': 957593, 'ggp when it': 349534, 'when it rain': 983645, 'it rain it': 460595, 'rain it pours': 695745, 'it pours international': 460407, 'pours international and': 667463, 'international and domestic': 441752, 'and domestic oil': 61615, 'domestic oil and': 253210, 'and gas market': 63481, 'gas market and': 343898, 'market and price': 515983, 'price are under': 672758, 'are under heavy': 91277, 'under heavy pressure': 940109, 'heavy pressure from': 388652, 'pressure from covid': 671162, '19 impact and': 7690, 'and the russian': 73561, 'the russian saudi': 866104, 'russian saudi arabia': 728671, 'saudi arabia oil': 737204, 'arabia oil market': 83908, 'oil market battle': 596940, 'market battle now': 516086, 'battle now all': 112807, 'now all eye': 573959, 'all eye are': 42731, 'eye are on': 294005, 'are on domestic': 88720, 'distance rising': 246808, 'rising consumer': 723182, 'trend socialdistancing': 931449, 'socialdistancing consumertrends': 780285, 'consumertrends selfisolation': 199787, 'selfisolation coronapocolypse': 748444, 'going the social': 355483, 'the social distance': 867410, 'social distance rising': 779520, 'distance rising consumer': 246809, 'rising consumer trend': 723185, 'consumer trend socialdistancing': 199387, 'trend socialdistancing consumertrends': 931450, 'socialdistancing consumertrends selfisolation': 780286, 'consumertrends selfisolation coronapocolypse': 199788, 'clip highlight': 182358, 'companion history': 190327, 'clip highlight from': 182359, 'highlight from this': 395915, 'coronavirus companion history': 205665, 'companion history of': 190328, 'history of grocery': 398039, 'shopping during pandemic': 762538, 'during pandemic pandemonium': 262884, 'many consumer': 513929, 'consumer stuck': 199168, 'shopping join': 763112, 'join and': 466673, 'on 21': 599062, '21 for': 15004, 'an that': 56810, 'most effective': 542282, 'effective solution': 269303, 'for matching': 323288, 'matching these': 520329, 'these shopper': 880684, 'right product': 722237, 'with many consumer': 999381, 'many consumer stuck': 513934, 'consumer stuck at': 199169, 'to the they': 917125, 'they are turning': 881442, 'turning to shopping': 935971, 'to shopping join': 914520, 'shopping join and': 763113, 'join and on': 466675, 'and on 21': 68051, 'on 21 for': 599063, '21 for an': 15005, 'for an that': 319308, 'an that will': 56811, 'that will look': 847592, 'the most effective': 860977, 'most effective solution': 542285, 'effective solution for': 269304, 'solution for matching': 782028, 'for matching these': 323289, 'matching these shopper': 520330, 'these shopper to': 880685, 'shopper to the': 761776, 'the right product': 865821, 'videotaped': 957002, 'in purcellville': 427123, 'purcellville say': 689324, 'say teen': 739207, 'teen videotaped': 836512, 'videotaped themselves': 957005, 'parent help': 641644, 'stop disturbing': 804611, 'trend 19': 931254, 'police in purcellville': 663064, 'in purcellville say': 427124, 'purcellville say teen': 689325, 'say teen videotaped': 739209, 'teen videotaped themselves': 836513, 'videotaped themselves coughing': 957006, 'and are asking': 58294, 'asking for parent': 95994, 'for parent help': 324390, 'parent help to': 641645, 'to stop disturbing': 915516, 'stop disturbing trend': 804612, 'disturbing trend 19': 248426, 'celebrity in': 168888, 'celebrity in the': 168889, 'respectable': 715095, 'respectable prime': 715096, 'minister we': 533491, 'effort against': 269461, 'consider operational': 195055, 'operational cost': 613303, 'the imported': 857987, 'imported good': 419178, 'control domestic': 201995, 'respectable prime minister': 715097, 'prime minister we': 678165, 'minister we appreciate': 533492, 'appreciate all your': 82709, 'all your effort': 45562, 'your effort against': 1023624, 'effort against fighting': 269462, 'against fighting with': 37447, 'fighting with covid': 305159, 'is the right': 452922, 'time to consider': 897968, 'to consider operational': 903231, 'consider operational cost': 195056, 'operational cost of': 613305, 'of the imported': 591133, 'the imported good': 857988, 'imported good and': 419179, 'good and to': 356755, 'and to control': 74159, 'to control domestic': 903444, 'control domestic price': 201996, 'due all': 261635, 'now school': 575735, 'closed how': 183161, 'are parent': 88978, 'parent esp': 641623, 'esp those': 280409, 'income supposed': 432466, 'child schoolclosuresuk': 176201, 'supermarket due all': 820039, 'due all the': 261636, 'buying now school': 150777, 'now school are': 575736, 'are closed how': 85348, 'closed how are': 183162, 'how are parent': 407410, 'are parent esp': 88980, 'parent esp those': 641624, 'esp those on': 280410, 'those on low': 892287, 'low income supposed': 505359, 'income supposed to': 432467, 'supposed to feed': 827356, 'feed their child': 302388, 'their child schoolclosuresuk': 872774, 'my corona': 547803, 'corona survival': 204208, 'kit also': 475483, 'known fuck': 477219, 'my corona survival': 547804, 'corona survival kit': 204209, 'survival kit also': 829051, 'kit also known': 475484, 'also known fuck': 48462, 'known fuck all': 477220, 'fuck all left': 339517, 'all left in': 43361, 'rosekart': 726108, 'on rosekart': 603220, 'rosekart online': 726109, 'shopping free': 762742, 'shipping hr': 758854, 'hr delivery': 409609, 'on location': 601898, 'location to': 498973, 'careful on': 164418, 'now shop on': 575803, 'shop on rosekart': 760547, 'on rosekart online': 603221, 'rosekart online grocery': 726110, 'grocery shopping free': 365024, 'shopping free shipping': 762743, 'free shipping hr': 332157, 'shipping hr delivery': 758855, 'hr delivery on': 409610, 'delivery on location': 234252, 'on location to': 601899, 'location to be': 498974, 'be careful on': 113992, 'careful on covid': 164419, 'joann': 465581, 'joann and': 465582, 'and lucas': 66472, 'lucas found': 506428, 'toiletpaper today': 922624, 'today last': 919784, 'last package': 480433, 'home alexa': 400578, 'alexa said': 41594, 'it miracle': 459634, 'miracle we': 533927, 'all laughing': 43352, 'laughing at': 481808, 'ridiculous it': 721558, 'are excited': 86307, 'joann and lucas': 465583, 'and lucas found': 66473, 'lucas found toiletpaper': 506429, 'found toiletpaper today': 330448, 'toiletpaper today last': 922625, 'today last package': 919785, 'last package on': 480435, 'package on the': 633353, 'shelf when they': 757788, 'when they came': 984243, 'they came home': 881601, 'came home alexa': 157004, 'home alexa said': 400579, 'alexa said it': 41595, 'said it miracle': 731159, 'it miracle we': 459635, 'miracle we are': 533928, 'are all laughing': 84321, 'all laughing at': 43353, 'laughing at how': 481811, 'at how ridiculous': 99230, 'how ridiculous it': 408599, 'ridiculous it is': 721559, 'we are excited': 970548, 'are excited for': 86308, 'excited for toilet': 289544, 'situation continues': 772224, 'evolve will': 288518, 'available opportunity': 104549, 'location their': 498967, 'open free': 612266, '19 situation continues': 10571, 'situation continues to': 772225, 'to evolve will': 905375, 'evolve will take': 288519, 'take every available': 832099, 'every available opportunity': 285680, 'available opportunity to': 104550, 'opportunity to protect': 613716, 'protect the health': 684972, 'it staff and': 461210, 'and customer which': 60877, 'customer which includes': 223067, 'which includes closing': 985957, 'includes closing retail': 431732, 'closing retail location': 183740, 'retail location their': 718288, 'location their online': 498968, 'remains open free': 710045, 'open free delivery': 612267, 'delivery to canada': 234652, 'fauci here': 300360, 'iowa we': 444517, 'our school': 624684, 'our restaurant': 624626, 'restaurant playground': 716638, 'playground church': 659359, 'church etc': 178355, 'not stupid': 571785, 'dear dr fauci': 229778, 'dr fauci here': 258017, 'fauci here in': 300361, 'here in iowa': 393152, 'in iowa we': 424141, 'iowa we are': 444518, 'are practicing social': 89173, 'distancing our school': 247386, 'our school are': 624685, 'are closed our': 85360, 'closed our restaurant': 183275, 'our restaurant playground': 624627, 'restaurant playground church': 716639, 'playground church etc': 659360, 'church etc are': 178356, 'etc are closed': 282418, 'are closed all': 85328, 'closed all social': 182968, 'all social gathering': 44379, 'social gathering are': 779792, 'gathering are cancelled': 344436, 'are cancelled people': 85163, 'cancelled people are': 161160, 'people are wearing': 647113, 'are not stupid': 88475, 'store th': 810535, 'is why all': 453956, 'why all need': 990729, 'to stay out': 915306, 'grocery store th': 365845, 'british pub': 140572, 'it survivor': 461403, 'for the british': 326326, 'the british pub': 850030, 'british pub it': 140573, 'pub it survivor': 687724, 'tissue laugh': 899170, 'laugh stayhome': 481766, 'toilet tissue laugh': 921642, 'tissue laugh stayhome': 899171, 'laugh stayhome toiletpaper': 481767, 'loungewear': 504564, 'nicole stop': 562616, 'only so': 611161, 'many loungewear': 514250, 'loungewear sweat': 504565, 'sweat you': 830061, 'need stayinghome': 555639, 'stayinghome stayhomesavelives': 798740, 'nicole stop online': 562617, 'shopping there only': 764110, 'there only so': 878901, 'only so many': 611162, 'so many loungewear': 777673, 'many loungewear sweat': 514251, 'loungewear sweat you': 504566, 'sweat you need': 830062, 'you need stayinghome': 1020042, 'need stayinghome stayhomesavelives': 555640, 'couscous': 212070, 'gigantifying': 350076, 'kitkat': 475813, 'sound over': 786315, 'dramatic but': 258269, 'whoever panic': 990105, 'the couscous': 852218, 'couscous in': 212076, 'in asda': 420509, 'this giant': 887692, 'giant couscous': 349763, 'couscous bullshit': 212071, 'bullshit will': 142520, 'hell no': 389038, 'is improved': 448746, 'improved by': 419563, 'by gigantifying': 152681, 'gigantifying it': 350077, 'beyond it': 129190, 'it original': 460156, 'original proportion': 619583, 'proportion kitkat': 684426, 'kitkat chunky': 475814, 'chunky not': 178323, 'not inc': 570111, 'inc goddamn': 431286, 'goddamn covid': 354855, 'mean to sound': 524743, 'to sound over': 914932, 'sound over dramatic': 786316, 'over dramatic but': 630164, 'dramatic but to': 258271, 'but to whoever': 147596, 'to whoever panic': 918575, 'whoever panic bought': 990106, 'all the couscous': 44700, 'the couscous in': 852220, 'couscous in asda': 212077, 'in asda and': 420510, 'asda and left': 94904, 'and left me': 66082, 'left me with': 485550, 'me with this': 524002, 'with this giant': 1001699, 'this giant couscous': 887693, 'giant couscous bullshit': 349764, 'couscous bullshit will': 212073, 'bullshit will see': 142521, 'will see you': 994800, 'you in hell': 1019305, 'in hell no': 423627, 'hell no food': 389039, 'no food is': 564259, 'food is improved': 315131, 'is improved by': 448747, 'improved by gigantifying': 419564, 'by gigantifying it': 152682, 'gigantifying it beyond': 350078, 'it beyond it': 456868, 'beyond it original': 129192, 'it original proportion': 460157, 'original proportion kitkat': 619585, 'proportion kitkat chunky': 684427, 'kitkat chunky not': 475815, 'chunky not inc': 178324, 'not inc goddamn': 570112, 'inc goddamn covid': 431287, 'goddamn covid 19': 354856, 'small amp': 774785, 'amp mid': 54133, 'mid size': 530587, 'size amp': 772755, 'be overlooked': 116309, 'overlooked in': 631296, 'relief legislation': 709377, 'legislation we': 485998, 'need moratorium': 555249, 'on farm': 600733, 'farm foreclosure': 299118, 'foreclosure disaster': 328920, 'disaster payment': 244229, 'farmer expansion': 299359, 'expansion of': 290565, 'program amp': 683202, 'amp systemic': 54610, 'systemic reform': 831415, 'small amp mid': 774786, 'amp mid size': 54134, 'mid size amp': 530588, 'size amp should': 772756, 'amp should not': 54500, 'not be overlooked': 568429, 'be overlooked in': 116310, 'overlooked in economic': 631297, 'in economic relief': 422482, 'economic relief legislation': 267248, 'relief legislation we': 709378, 'legislation we need': 485999, 'we need moratorium': 972517, 'need moratorium on': 555250, 'moratorium on farm': 538447, 'on farm foreclosure': 600735, 'farm foreclosure disaster': 299119, 'foreclosure disaster payment': 328921, 'disaster payment to': 244230, 'payment to farmer': 645764, 'to farmer expansion': 905675, 'farmer expansion of': 299360, 'expansion of local': 290566, 'local food program': 497970, 'food program amp': 316055, 'program amp systemic': 683204, 'amp systemic reform': 54611, 'disclosed': 244383, '774': 22301, 'mr ahmed': 544340, 'ahmed disclosed': 39253, 'disclosed this': 244388, 'on fiscal': 600811, 'stimulus measure': 801558, 'price fiscal': 673879, 'fiscal shock': 309266, 'shock on': 759488, 'monday in': 536302, 'abuja she': 27581, 'she explained': 756021, 'explained that': 292163, 'that 00': 842424, 'were expected': 979600, 'be recruited': 116731, 'recruited from': 705472, 'the 774': 848189, '774 local': 22309, 'government area': 359909, 'mr ahmed disclosed': 544341, 'ahmed disclosed this': 39254, 'disclosed this at': 244389, 'this at press': 886453, 'at press conference': 100186, 'conference on fiscal': 193749, 'on fiscal stimulus': 600812, 'fiscal stimulus measure': 309276, 'stimulus measure in': 801562, 'measure in response': 525231, 'pandemic and oil': 634885, 'oil price fiscal': 597131, 'price fiscal shock': 673880, 'fiscal shock on': 309267, 'shock on monday': 759490, 'on monday in': 602168, 'monday in abuja': 536303, 'in abuja she': 419991, 'abuja she explained': 27582, 'she explained that': 756022, 'explained that 00': 292164, 'that 00 people': 842425, 'people were expected': 650202, 'were expected to': 979601, 'expected to be': 290963, 'to be recruited': 901490, 'be recruited from': 116732, 'recruited from each': 705473, 'from each of': 335242, 'of the 774': 590772, 'the 774 local': 848191, '774 local government': 22310, 'local government area': 498022, 'government area in': 359910, 'kempston': 472753, 'doing any': 252293, 'any re': 79724, 'your kempston': 1024542, 'kempston store': 472754, 'store nearly': 809044, 'nobody out': 566044, 'out restocking': 627113, 'restocking you': 717035, 'so disabled': 776869, 'much need': 545143, 'you doing any': 1018293, 'doing any re': 252294, 'any re stocking': 79725, 're stocking of': 699614, 'stocking of your': 803575, 'of your kempston': 593491, 'your kempston store': 1024543, 'kempston store nearly': 472756, 'store nearly all': 809045, 'nearly all shelf': 553802, 'all shelf empty': 44307, 'shelf empty and': 757012, 'empty and nobody': 274771, 'and nobody out': 67661, 'nobody out restocking': 566045, 'out restocking you': 627114, 'restocking you need': 717036, 'stop people panic': 804906, 'buying so disabled': 151041, 'so disabled people': 776870, 'can actually get': 157363, 'actually get some': 30806, 'get some much': 348064, 'some much need': 783329, 'much need food': 545144, 'all pub': 44081, 'pub owner': 687748, 'owner listen': 632490, 'show showing': 767128, 'showing how': 767452, 'how closed': 407555, 'restaurant turned': 716778, 'turned the': 935880, 'game around': 343126, 'create supermarket': 215748, 'supplier produce': 824595, 'produce well': 680482, 'well delivery': 978143, 'service amazing': 752055, 'amazing 19': 50634, 'calling all pub': 156518, 'all pub owner': 44083, 'pub owner listen': 687749, 'owner listen to': 632491, 'listen to today': 494758, 'to today show': 917614, 'today show showing': 920182, 'show showing how': 767129, 'showing how closed': 767454, 'how closed restaurant': 407557, 'closed restaurant turned': 183310, 'restaurant turned the': 716779, 'turned the game': 935881, 'the game around': 856118, 'game around to': 343127, 'around to create': 93594, 'to create supermarket': 903724, 'create supermarket selling': 215750, 'supermarket selling it': 822383, 'selling it supplier': 749316, 'it supplier produce': 461371, 'supplier produce well': 824596, 'produce well delivery': 680484, 'well delivery service': 978144, 'delivery service amazing': 234423, 'service amazing 19': 752056, 'be booming': 113884, 'booming the': 134901, 'the obstacle': 862015, 'obstacle will': 578712, 'be smoother': 117245, 'smoother scheduling': 775949, 'scheduling and': 741532, 'logistics overall': 500777, 'the time online': 869609, 'time online shopping': 897411, 'online shopping should': 609268, 'shopping should be': 763878, 'should be booming': 765571, 'be booming the': 113885, 'booming the obstacle': 134902, 'the obstacle will': 862016, 'obstacle will be': 578713, 'will be smoother': 992688, 'be smoother scheduling': 117246, 'smoother scheduling and': 775950, 'scheduling and logistics': 741533, 'and logistics overall': 66338, 'stayhomebesafe': 798248, 'freeshipping': 332498, 'no makeup': 564690, 'makeup no': 510904, 'no pant': 565055, 'pant and': 639487, 'and ofcourse': 67960, 'ofcourse no': 593584, 'with stayhomebesafe': 1000956, 'stayhomebesafe so': 798249, 'here im': 393125, 'im just': 416551, 'share good': 755008, 'good new': 357436, 'new rn': 559506, 'rn official': 724335, 'official offering': 595859, 'offering freeshipping': 595127, 'freeshipping for': 332499, 'shopping no makeup': 763329, 'no makeup no': 564691, 'makeup no pant': 510905, 'no pant and': 565056, 'pant and ofcourse': 639491, 'and ofcourse no': 67961, 'ofcourse no problem': 593585, 'problem with stayhomebesafe': 679760, 'with stayhomebesafe so': 1000957, 'stayhomebesafe so here': 798250, 'so here im': 777296, 'here im just': 393126, 'im just want': 416552, 'want to share': 966114, 'to share good': 914342, 'share good new': 755009, 'good new rn': 357437, 'new rn official': 559507, 'rn official offering': 724336, 'official offering freeshipping': 595860, 'offering freeshipping for': 595128, 'freeshipping for online': 332500, 'for online shopper': 324114, 'eustace': 283647, 'presser': 671105, 'btw the': 141545, 'govt isn': 361173, 'isn ruling': 454652, 'ruling out': 727452, 'out rationing': 627094, 'rationing minister': 697841, 'minister george': 533371, 'george eustace': 345993, 'eustace wouldn': 283648, 'wouldn say': 1012500, 'that presser': 845814, 'presser just': 671106, 'just then': 470025, 'then lot': 877325, 'now 1billion': 573900, '1billion worth': 12590, 'people ho': 648263, 'btw the govt': 141547, 'the govt isn': 856661, 'govt isn ruling': 361174, 'isn ruling out': 454653, 'ruling out rationing': 727453, 'out rationing minister': 627095, 'rationing minister george': 697842, 'minister george eustace': 533372, 'george eustace wouldn': 345994, 'eustace wouldn say': 283649, 'wouldn say no': 1012501, 'no to it': 565743, 'to it at': 908567, 'it at that': 456627, 'at that presser': 100860, 'that presser just': 845815, 'presser just then': 671107, 'just then lot': 470027, 'then lot of': 877326, 'lot of supermarket': 504293, 'day now 1billion': 228033, 'now 1billion worth': 573901, '1billion worth of': 12591, 'worth of extra': 1011407, 'food in people': 314960, 'in people ho': 426591, 'logistics pharma': 500780, 'pharma hyper': 654039, 'company food': 190670, 'company insurance': 190788, 'insurance will': 440833, 'good demand': 356968, 'market business': 516119, 'business demand': 143627, 'logistics pharma hyper': 500781, 'pharma hyper local': 654040, 'hyper local company': 412291, 'local company food': 497849, 'company food delivery': 190672, 'delivery company insurance': 233814, 'company insurance will': 190790, 'insurance will have': 440834, 'will have good': 993635, 'have good demand': 380803, 'good demand in': 356971, 'demand in this': 235680, 'this corona market': 886865, 'corona market business': 204056, 'market business demand': 516120, 'business demand forecast': 143628, '0300': 872, '123': 3057, '2040': 14847, 'scamwarnings': 740691, 'been victim': 122334, 'fraud please': 331324, 'contact action': 200004, 'fraud on': 331313, 'on 0300': 598971, '0300 123': 873, '123 2040': 3058, '2040 and': 14848, 'advice call': 33338, '223 11': 15277, '11 33': 2455, '33 scamwarnings': 17768, 'safe everyone if': 729646, 'everyone if you': 287031, 'concerned that you': 193225, 'that you or': 847737, 'know ha been': 476402, 'ha been victim': 369980, 'been victim of': 122335, 'victim of fraud': 956495, 'of fraud please': 583895, 'fraud please contact': 331325, 'please contact action': 659829, 'contact action fraud': 200005, 'action fraud on': 30025, 'fraud on 0300': 331314, 'on 0300 123': 598972, '0300 123 2040': 874, '123 2040 and': 3059, '2040 and contact': 14849, 'and contact your': 60468, 'your bank for': 1022905, 'bank for advice': 109840, 'for advice call': 319044, 'advice call the': 33339, 'call the citizen': 156130, 'the citizen advice': 850905, 'advice consumer helpline': 33347, 'helpline on 0808': 391597, '0808 223 11': 1120, '223 11 33': 15278, '11 33 scamwarnings': 2456, 'and sanitisers': 70835, 'sanitisers much': 734092, 'appreciated decision': 82814, 'decision 19': 230995, 'mask and sanitisers': 518367, 'and sanitisers much': 70837, 'sanitisers much appreciated': 734093, 'much appreciated decision': 544721, 'appreciated decision 19': 82815, 'lockdown suck': 499975, 'suck but': 816886, '19 lockdown suck': 8429, 'lockdown suck but': 499976, 'suck but these': 816889, 'but these gas': 147482, 'price could get': 673281, 'used to them': 950097, 'hoard just': 398826, 'just see': 469728, 'clear your': 181389, 'up on thing': 945631, 'on thing like': 604587, 'like this don': 491481, 'this don hoard': 887280, 'don hoard just': 253639, 'hoard just see': 398827, 'just see what': 469729, 'what is available': 981678, 'is available and': 445907, 'available and go': 104223, 'each day to': 264053, 'day to clear': 228558, 'to clear your': 902835, 'clear your head': 181390, 'ihatetheinternet': 415943, 'whodidthis': 990086, 'ptcares': 687627, 'vlogger': 959879, 'blogger': 133054, 'lmbo': 497172, 'ihti': 415966, 'currentevents': 221439, 'wuhanchina': 1013529, 'wuhancorona': 1013534, 'ihatetheinternet whodidthis': 415944, 'whodidthis most': 990087, 'expensive dress': 291231, 'dress right': 258674, 'now ptcares': 575615, 'ptcares vlogger': 687628, 'vlogger vlog': 959880, 'vlog blogger': 959867, 'blogger blog': 133057, 'blog humor': 132951, 'humor funny': 410876, 'funny lol': 341763, 'lol lmao': 500924, 'lmao lmbo': 497150, 'lmbo ihti': 497173, 'ihti currentevents': 415967, 'currentevents wuhan': 221440, 'wuhan wuhanchina': 1013524, 'wuhanchina wuhancoronavirus': 1013532, 'wuhancoronavirus wuhancorona': 1013549, 'wuhancorona protection': 1013535, 'protection mask': 685525, 'mask toiletpaper': 519439, 'ihatetheinternet whodidthis most': 415945, 'whodidthis most expensive': 990088, 'most expensive dress': 542318, 'expensive dress right': 291232, 'dress right now': 258675, 'right now ptcares': 722122, 'now ptcares vlogger': 575616, 'ptcares vlogger vlog': 687629, 'vlogger vlog blogger': 959881, 'vlog blogger blog': 959868, 'blogger blog humor': 133058, 'blog humor funny': 132952, 'humor funny lol': 410878, 'funny lol lmao': 341765, 'lol lmao lmbo': 500925, 'lmao lmbo ihti': 497151, 'lmbo ihti currentevents': 497174, 'ihti currentevents wuhan': 415968, 'currentevents wuhan wuhanchina': 221441, 'wuhan wuhanchina wuhancoronavirus': 1013525, 'wuhanchina wuhancoronavirus wuhancorona': 1013533, 'wuhancoronavirus wuhancorona protection': 1013550, 'wuhancorona protection mask': 1013536, 'protection mask toiletpaper': 685526, 'primer': 678185, 'irrigation20': 445107, 'coulditbeworsethan2019': 209856, 'start watering': 794630, 'watering before': 969282, 'easter well': 265528, 'beach body': 118191, 'body ready': 133875, 'summer that': 818013, 'beach no': 118221, 'no electric': 564099, 'electric primer': 271122, 'primer on': 678188, 'my pump': 549866, 'pump much': 689069, 'much like': 545050, 'job didn': 465784, 'didn really': 241176, 'yet irrigation20': 1016113, 'irrigation20 coulditbeworsethan2019': 445108, 'start watering before': 794631, 'watering before easter': 969283, 'before easter well': 122761, 'easter well it': 265529, 'well it way': 978347, 'get the beach': 348226, 'the beach body': 849377, 'beach body ready': 118193, 'body ready for': 133876, 'ready for summer': 700875, 'for summer that': 325990, 'summer that is': 818014, 'that is if': 844606, 'we re allowed': 972819, 'the beach no': 849385, 'beach no electric': 118222, 'no electric primer': 564100, 'electric primer on': 271123, 'primer on my': 678190, 'on my pump': 602306, 'my pump much': 549867, 'pump much like': 689070, 'much like this': 545056, 'like this job': 491501, 'this job didn': 888543, 'job didn really': 465785, 'didn really want': 241178, 'to start it': 915202, 'start it yet': 794354, 'it yet irrigation20': 462630, 'yet irrigation20 coulditbeworsethan2019': 1016114, 'all usual': 45345, 'usual your': 951073, 'your co': 1023245, 'co operation': 184922, 'operation is': 613218, 'extremely important': 293894, 'important here': 418822, 'note that there': 572813, 'need for bulk': 554829, 'for bulk buying': 319813, 'bulk buying hoarding': 142277, 'buying hoarding or': 150493, 'hoarding or any': 399462, 'or any sort': 614363, 'sort of panic': 786131, 'panic food supply': 638112, 'supply and grocery': 824721, 'grocery shop will': 364980, 'open for all': 612239, 'for all usual': 319184, 'all usual your': 45347, 'usual your co': 951074, 'your co operation': 1023246, 'co operation is': 184923, 'operation is extremely': 613219, 'is extremely important': 447679, 'extremely important here': 293895, 'important here and': 418823, 'here and we': 392715, 'fight this 19': 304914, 'paraphrase': 641463, 'pandemic self': 636418, 'isolation journal': 455325, 'journal day': 467384, '30am mild': 17419, 'mild panic': 531339, 'to paraphrase': 911456, 'paraphrase simpson': 641464, 'simpson all': 770323, '19 pandemic self': 9459, 'pandemic self isolation': 636419, 'self isolation journal': 747780, 'isolation journal day': 455326, 'journal day 10': 467385, 'day 10 30am': 227086, '10 30am mild': 1271, '30am mild panic': 17420, 'mild panic set': 531341, 'set in to': 753407, 'in to paraphrase': 430131, 'to paraphrase simpson': 911457, 'paraphrase simpson all': 641465, 'simpson all we': 770324, 'all we have': 45408, 'house is the': 406379, 'food we need': 317532, 'to make food': 909663, 'prosper': 684714, 'farewell': 299046, 'postapocalyptic': 666486, 'llap': 497105, 'of live': 585898, 'live long': 495915, 'and prosper': 69652, 'prosper farewell': 684715, 'farewell and': 299047, 'and wishing': 75755, 'you infinite': 1019340, 'infinite toilet': 436950, 'sundaythoughts postapocalyptic': 818342, 'postapocalyptic llap': 666487, 'llap toiletpaperapocalypse': 497106, 'instead of live': 440285, 'of live long': 585899, 'live long and': 495916, 'long and prosper': 501330, 'and prosper farewell': 69653, 'prosper farewell and': 684716, 'farewell and wishing': 299048, 'and wishing you': 75756, 'wishing you infinite': 996882, 'you infinite toilet': 1019341, 'infinite toilet paper': 436951, 'paper 19 sundaythoughts': 639757, '19 sundaythoughts postapocalyptic': 10942, 'sundaythoughts postapocalyptic llap': 818343, 'postapocalyptic llap toiletpaperapocalypse': 666488, 'llap toiletpaperapocalypse toiletpaper': 497107, 'toiletpaperapocalypse toiletpaper toiletpaperpanic': 922934, '85 train': 22935, 'train cancelled': 929240, 'cancelled on': 161142, 'on major': 601964, 'major route': 509449, 'route platform': 726469, '85 train cancelled': 22936, 'train cancelled on': 929241, 'cancelled on major': 161143, 'on major route': 601965, 'major route platform': 509450, 'route platform ticket': 726470, 'regs': 707720, 'offshore': 596130, 'environmentalist start': 279205, 'start screaming': 794481, 'screaming about': 742655, 'about saving': 26133, 'environment gov': 279106, 'gov reacts': 359673, 'reacts with': 700246, 'with passing': 1000105, 'passing 100': 643365, 'of rule': 589173, 'and regs': 70156, 'regs on': 707725, 'everything business': 287715, 'business react': 144289, 'react by': 700126, 'by moving': 153250, 'moving offshore': 544161, 'offshore or': 596136, 'or move': 616200, 'move manufacturing': 543691, 'to foreign': 906185, 'foreign country': 328965, 'down covid': 256668, '19 happens': 7431, 'happens country': 377459, 'is caught': 446409, 'caught with': 167477, 'environmentalist start screaming': 279206, 'start screaming about': 794482, 'screaming about saving': 742656, 'about saving the': 26134, 'saving the environment': 737966, 'the environment gov': 854401, 'environment gov reacts': 279107, 'gov reacts with': 359674, 'reacts with passing': 700247, 'with passing 100': 1000106, 'passing 100 of': 643366, '100 of rule': 1993, 'of rule and': 589174, 'rule and regs': 727190, 'and regs on': 70157, 'regs on everything': 707726, 'on everything business': 600646, 'everything business react': 287716, 'business react by': 144290, 'react by moving': 700127, 'by moving offshore': 153251, 'moving offshore or': 544162, 'offshore or move': 596137, 'or move manufacturing': 616201, 'move manufacturing to': 543692, 'manufacturing to foreign': 513679, 'to foreign country': 906186, 'foreign country to': 328969, 'country to keep': 211166, 'keep price down': 471812, 'price down covid': 673521, 'down covid 19': 256669, 'covid 19 happens': 213184, '19 happens country': 7432, 'happens country is': 377460, 'country is caught': 210797, 'is caught with': 446412, 'this movie': 889052, 'platform very': 659053, 'very deep': 955101, 'deep about': 231838, 'about isolation': 25559, 'isolation starvation': 455442, 'starvation and': 795149, 'life pandemic': 488960, 'ha people': 371480, 'store libya': 808714, 'watch this movie': 968575, 'this movie the': 889053, 'movie the platform': 544072, 'the platform very': 863825, 'platform very deep': 659054, 'very deep about': 955102, 'deep about isolation': 231839, 'about isolation starvation': 25561, 'isolation starvation and': 455443, 'starvation and the': 795151, 'and the scarcity': 73567, 'scarcity of food': 740843, 'middle of real': 530684, 'of real life': 588789, 'real life pandemic': 701252, 'life pandemic that': 488961, 'that ha people': 844129, 'ha people panic': 371482, 'panic shopping at': 638564, 'grocery store libya': 365522, 'delicate': 233000, 'should publish': 766350, 'publish article': 688627, 'on tenant': 603902, 'tenant using': 837862, 'using commercial': 950427, 'commercial space': 188735, 'selling food': 749243, 'swing not': 830409, 'take shield': 832566, 'shield of': 758168, 'demand waiver': 236449, 'waiver of': 964550, 'of rent': 588930, 'rent this': 711193, 'is exploitation': 447658, 'such delicate': 816442, 'delicate situation': 233003, 'will adversely': 992205, 'adversely affect': 33129, 'you should publish': 1021213, 'should publish article': 766351, 'publish article on': 688628, 'article on tenant': 94413, 'on tenant using': 603903, 'tenant using commercial': 837863, 'using commercial space': 950428, 'commercial space for': 188736, 'space for selling': 787101, 'for selling food': 325441, 'selling food and': 749244, 'and grocery item': 63990, 'grocery item in': 364657, 'item in full': 463344, 'full swing not': 340917, 'swing not to': 830410, 'not to take': 572198, 'to take shield': 916234, 'take shield of': 832567, 'shield of covid': 758169, '19 to demand': 11420, 'to demand waiver': 904164, 'demand waiver of': 236450, 'waiver of rent': 964551, 'of rent this': 588933, 'rent this is': 711194, 'this is exploitation': 888253, 'is exploitation of': 447659, 'exploitation of such': 292391, 'of such delicate': 590364, 'such delicate situation': 816443, 'delicate situation will': 233004, 'situation will adversely': 772586, 'will adversely affect': 992206, 'more frontline': 539314, 'frontline retail': 338815, 'worker falling': 1006900, 'falling ill': 297284, 'ill or': 416155, 'or dying': 615102, 'from well': 338327, 'well more': 978401, 'shopper becoming': 761421, 'becoming infected': 120308, 'passing it': 643378, 'just the start': 470015, 'start of more': 794412, 'of more frontline': 586643, 'more frontline retail': 539315, 'frontline retail worker': 338816, 'retail worker falling': 718883, 'worker falling ill': 1006901, 'falling ill or': 297286, 'ill or dying': 416156, 'or dying from': 615103, 'dying from well': 263832, 'from well more': 338328, 'well more shopper': 978403, 'more shopper becoming': 540382, 'shopper becoming infected': 761422, 'becoming infected and': 120309, 'infected and passing': 436531, 'and passing it': 68748, 'passing it on': 643380, 'on to others': 604750, 'mountain america': 543414, 'america member': 51612, 'member if': 528109, 'offer loan': 594689, 'loan relief': 497516, 'your unique': 1026251, 'situation visit': 772559, 'mountain america member': 543415, 'america member if': 51613, 'member if you': 528111, 'been financially impacted': 121148, '19 can offer': 5614, 'can offer loan': 159099, 'offer loan relief': 594690, 'loan relief option': 497517, 'relief option to': 709410, 'option to help': 614124, 'with your unique': 1002240, 'your unique situation': 1026252, 'unique situation visit': 942001, 'situation visit to': 772560, 'breaking company': 138929, 'including agree': 431864, 'halt debt': 374431, 'collection lawsuit': 186444, 'lawsuit during': 482528, 'crisis after': 216983, 'after consumer': 35496, 'advocate publicly': 33847, 'publicly called': 688577, 'to harmful': 907176, 'harmful practice': 378454, 'breaking company including': 138930, 'company including agree': 190776, 'including agree to': 431865, 'agree to halt': 38661, 'to halt debt': 907100, 'halt debt collection': 374432, 'debt collection lawsuit': 230446, 'collection lawsuit during': 186445, 'lawsuit during crisis': 482529, 'during crisis after': 262550, 'crisis after consumer': 216984, 'after consumer advocate': 35497, 'consumer advocate publicly': 196068, 'advocate publicly called': 33848, 'publicly called for': 688578, 'called for stop': 156322, 'stop to harmful': 805217, 'to harmful practice': 907177, 'consumer toilet': 199336, 'uk you': 938921, 'lot can': 504013, 'can chill': 157900, 'chill in': 176356, '95 of consumer': 23599, 'of consumer toilet': 581780, 'consumer toilet tissue': 199338, 'toilet tissue is': 921641, 'tissue is made': 899165, 'is made in': 449507, 'made in the': 507794, 'the uk you': 870307, 'uk you lot': 938922, 'you lot can': 1019722, 'lot can chill': 504014, 'can chill in': 157901, 'chill in the': 176357, 'zakatify': 1027194, 'sixteen': 772737, 'rescuing': 713641, 'staten': 796231, 'ramadanstrong': 696342, 'zakatify charity': 1027195, 'charity respond': 173676, 'to table': 916115, 'table man': 831480, 'man we': 512305, 'been non': 121571, 'running sixteen': 728065, 'sixteen hour': 772738, 'with two': 1001866, 'two truck': 937288, 'truck going': 932814, 'and rescuing': 70292, 'rescuing food': 713642, 'needy community': 556675, 'community on': 190012, 'on staten': 603646, 'staten island': 796232, 'island ramadanstrong': 454305, 'zakatify charity respond': 1027196, 'charity respond to': 173677, 'respond to table': 715327, 'to table man': 916117, 'table man we': 831481, 'man we have': 512306, 'have been non': 379616, 'been non stop': 121572, 'non stop running': 566506, 'stop running sixteen': 804966, 'running sixteen hour': 728066, 'sixteen hour day': 772739, 'day with two': 228787, 'with two truck': 1001874, 'two truck going': 937289, 'truck going and': 932815, 'going and rescuing': 355012, 'and rescuing food': 70293, 'rescuing food from': 713643, 'from supermarket and': 337474, 'supermarket and deliver': 818961, 'deliver it to': 233154, 'it to needy': 461735, 'to needy community': 910518, 'needy community on': 556676, 'community on staten': 190013, 'on staten island': 603647, 'staten island ramadanstrong': 796234, 'haa': 372517, 'marketing email': 517590, 'inbox right': 431257, 'like noo': 490865, 'noo don': 566766, 'price worth': 677654, 'worth dying': 1011357, 'dying for': 263813, 'for instead': 322615, 'instead haa': 440197, 'haa haa': 372518, 'all the marketing': 44823, 'the marketing email': 860185, 'marketing email in': 517591, 'my inbox right': 548837, 'inbox right now': 431258, 'now are like': 574096, 'are like noo': 87793, 'like noo don': 490866, 'noo don die': 566767, 'don die of': 253461, 'out our sale': 626993, 'our sale price': 624669, 'sale price worth': 732470, 'price worth dying': 677655, 'worth dying for': 1011358, 'dying for instead': 263814, 'for instead haa': 322616, 'instead haa haa': 440198, 'shopping shoe': 763862, 'shoe fall': 759666, 'wait up': 964249, 'for ecommerce': 320937, 'ecommerce order': 266828, 'full disruption': 340568, 'crisis shoplocal': 218032, 'shoplocal supportlocalbusiness': 761239, 'online shopping shoe': 609266, 'shopping shoe fall': 763863, 'shoe fall and': 759667, 'fall and consumer': 296828, 'and consumer have': 60388, 'consumer have to': 197715, 'to wait up': 918277, 'wait up to': 964250, 'to month or': 910245, 'or more now': 616179, 'more now for': 539859, 'now for ecommerce': 574717, 'for ecommerce order': 320940, 'ecommerce order to': 266829, 'order to be': 618665, 'to be delivered': 901197, 'be delivered we': 114402, 'delivered we begin': 233448, 'see the full': 745834, 'the full disruption': 856004, 'full disruption caused': 340569, 'coronavirus crisis shoplocal': 205768, 'crisis shoplocal supportlocalbusiness': 218033, 'only 25': 609993, '25 people': 15940, 'time tried': 898128, 'patient in': 644187, 'in ten': 428864, 'minute they': 533860, 'will let': 993977, 'let 25': 486534, '25 more': 15920, 'store losangeles': 808831, 'only 25 people': 609994, '25 people allowed': 15941, 'at time tried': 101315, 'time tried to': 898129, 'and we were': 75332, 'were all told': 979288, 'to be patient': 901436, 'be patient in': 116372, 'patient in ten': 644189, 'in ten minute': 428865, 'ten minute they': 837789, 'minute they will': 533862, 'they will let': 883860, 'will let 25': 993978, 'let 25 more': 486535, '25 more people': 15921, 'more people into': 540026, 'the store losangeles': 868053, 'winny': 996102, 'bint': 131122, 'no screw': 565441, 'screw that': 742802, 'that winny': 847622, 'winny let': 996103, 'to lidl': 909239, 'lidl to': 488311, 'to sweep': 916084, 'sweep out': 830150, 'and screw': 71092, 'thing not': 884625, 'home supposed': 402180, 'night the': 563093, 'second bit': 743670, 'bit is': 131588, 'is actual': 445324, 'actual word': 30713, 'some previous': 783631, 'previous bint': 671958, 'bint food': 131124, 'food hole': 314831, 'no screw that': 565442, 'screw that winny': 742804, 'that winny let': 847623, 'winny let go': 996104, 'let go to': 486754, 'go to lidl': 354326, 'to lidl to': 909242, 'lidl to sweep': 488313, 'to sweep out': 916087, 'sweep out their': 830151, 'out their stock': 627453, 'their stock shelf': 874837, 'stock shelf and': 802828, 'shelf and screw': 756760, 'and screw the': 71093, 'screw the rest': 742808, 'of and another': 580140, 'and another thing': 58166, 'another thing not': 77901, 'thing not staying': 884626, 'not staying home': 571711, 'staying home supposed': 798623, 'home supposed to': 402181, 'supposed to go': 827359, 'out tomorrow night': 627720, 'tomorrow night the': 924142, 'night the second': 563095, 'the second bit': 866575, 'second bit is': 743671, 'bit is actual': 131589, 'is actual word': 445325, 'actual word from': 30714, 'word from some': 1004496, 'from some previous': 337343, 'some previous bint': 783632, 'previous bint food': 671959, 'bint food hole': 131125, 'ag round': 36835, 'up funny': 945007, 'funny story': 341792, 'story even': 811966, 'though consumer': 892787, 'those increase': 892106, 'increase are': 432679, 'sector they': 744354, 'the corporate': 851953, 'corporate exec': 207281, 'ag round up': 36836, 'round up funny': 726376, 'up funny story': 945008, 'funny story even': 341793, 'story even though': 811967, 'even though consumer': 284702, 'though consumer price': 892788, 'consumer price are': 198416, 'going up those': 355796, 'up those increase': 946292, 'those increase are': 892107, 'increase are not': 432680, 'are not making': 88414, 'not making it': 570518, 'making it into': 511144, 'it into the': 458829, 'into the ag': 443096, 'ag sector they': 36841, 'sector they re': 744355, 'to the corporate': 916597, 'the corporate exec': 851955, 'my piece': 549771, 'piece for': 656299, 'report spell': 712272, 'spell out': 788524, 'exactly to': 288756, 'one are high': 605943, 'risk for covid': 723544, '19 my piece': 8733, 'my piece for': 549772, 'piece for consumer': 656300, 'consumer report spell': 198726, 'report spell out': 712273, 'spell out how': 788525, 'out how exactly': 626321, 'how exactly to': 407823, 'exactly to protect': 288757, 'partly': 642745, 'mischief': 533971, 'automation': 104011, 'our village': 625275, 'dying partly': 263857, 'partly because': 642748, 'due of': 261670, '19 mischief': 8655, 'mischief for': 533972, 'profit let': 682793, 'let endeavour': 486698, 'endeavour setting': 276119, 'up direct': 944717, 'from manufacturer': 336329, 'manufacturer online': 513498, 'moving away': 544126, 'scene automation': 741308, 'automation is': 104017, 'is king': 449215, 'king till': 475310, 'till we': 896128, 'want back': 965724, 'back what': 107457, 'what lost': 981837, 'our village are': 625277, 'village are dying': 957332, 'are dying partly': 86052, 'dying partly because': 263858, 'partly because of': 642749, 'because of supermarket': 119410, 'of supermarket due': 590421, 'supermarket due of': 820041, 'due of covid': 261671, 'covid 19 mischief': 213438, '19 mischief for': 8656, 'mischief for profit': 533973, 'for profit let': 324796, 'profit let endeavour': 682794, 'let endeavour setting': 486699, 'endeavour setting up': 276120, 'setting up direct': 753657, 'up direct from': 944719, 'direct from manufacturer': 243331, 'from manufacturer online': 336330, 'manufacturer online food': 513499, 'food shopping retail': 316534, 'shopping retail is': 763754, 'retail is moving': 718244, 'is moving away': 449757, 'moving away from': 544127, 'away from human': 105890, 'from human face': 335970, 'human face to': 410493, 'face to behind': 294813, 'the scene automation': 866461, 'scene automation is': 741309, 'automation is king': 104018, 'is king till': 449219, 'king till we': 475311, 'till we want': 896130, 'we want back': 973744, 'want back what': 965725, 'back what lost': 107458, 'sanitizer aren': 734489, 'only item': 610667, 'item flying': 463260, 'fear add': 301009, 'add ammo': 31391, 'ammo and': 52892, 'list via': 494582, 'hand sanitizer aren': 375309, 'sanitizer aren the': 734490, 'the only item': 862314, 'only item flying': 610668, 'item flying off': 463261, 'flying off shelf': 311679, 'off shelf because': 594147, 'of coronavirus fear': 581934, 'coronavirus fear add': 205912, 'fear add ammo': 301010, 'add ammo and': 31392, 'ammo and gun': 52893, 'and gun to': 64051, 'gun to that': 368751, 'to that list': 916453, 'that list via': 844897, 'furnish': 341942, 'obvi': 578777, 'about trying': 26787, 'to furnish': 906340, 'furnish hazard': 341945, 'keep working': 472219, 'keep thing': 472126, 'thing running': 884723, 'running thinking': 728106, 'thinking healthcare': 885909, 'worker obvi': 1007467, 'obvi doorman': 578778, 'doorman postman': 255831, 'postman transit': 666738, 'clerk etc': 181694, 'talking about trying': 833993, 'about trying to': 26788, 'get the government': 348249, 'government to furnish': 360717, 'to furnish hazard': 906341, 'furnish hazard pay': 341946, 'to keep working': 908880, 'keep working to': 472224, 'to keep thing': 908868, 'keep thing running': 472127, 'thing running thinking': 884724, 'running thinking healthcare': 728107, 'thinking healthcare worker': 885910, 'healthcare worker obvi': 387369, 'worker obvi doorman': 1007468, 'obvi doorman postman': 578779, 'doorman postman transit': 255832, 'postman transit worker': 666739, 'store clerk etc': 807004, 'sender': 749994, 'caller': 156496, 'lost 12': 503809, 'phishing don': 654811, 'link attachment': 493794, 'attachment from': 102065, 'from unsolicited': 338193, 'email don': 272162, 'give financial': 350491, 'financial info': 306459, 'info via': 437603, 'text email': 839888, 'or unsolicited': 617602, 'unsolicited call': 943511, 'call contact': 155825, 'contact sender': 200199, 'sender or': 749995, 'or caller': 614644, 'caller via': 156497, 'via legit': 956057, 'legit website': 486041, 'have lost 12': 381379, 'lost 12 million': 503810, '12 million from': 2883, 'million from covid': 532163, '19 scam beware': 10338, 'beware of phishing': 129091, 'of phishing don': 588098, 'phishing don click': 654812, 'on link attachment': 601866, 'link attachment from': 493795, 'attachment from unsolicited': 102066, 'from unsolicited email': 338194, 'unsolicited email don': 943514, 'email don give': 272163, 'don give financial': 253553, 'give financial info': 350492, 'financial info via': 306461, 'info via text': 437604, 'via text email': 956292, 'text email or': 839889, 'email or unsolicited': 272263, 'or unsolicited call': 617603, 'unsolicited call contact': 943512, 'call contact sender': 155826, 'contact sender or': 200200, 'sender or caller': 749996, 'or caller via': 614645, 'caller via legit': 156498, 'via legit website': 956058, 'legit website or': 486042, 'truth how': 934391, 'australia have': 103299, 'caught lie': 167436, 'lie lie': 488362, 'more lie': 539675, 'lie from': 488359, 'from woolworth': 338399, 'woolworth aldi': 1004400, 'aldi cole': 41262, 'cole please': 185872, 'please investigate': 660121, 'want the truth': 965964, 'the truth how': 870089, 'truth how many': 934392, 'employee in australia': 273956, 'in australia have': 420608, 'australia have caught': 103300, 'have caught lie': 379914, 'caught lie lie': 167437, 'lie lie and': 488363, 'lie and more': 488335, 'and more lie': 67186, 'more lie from': 539676, 'lie from woolworth': 488360, 'from woolworth aldi': 338400, 'woolworth aldi cole': 1004401, 'aldi cole please': 41263, 'cole please investigate': 185873, 'vacuum filter': 951819, 'filter also': 305749, 'also cloth': 48036, 'cloth shopping': 184104, 'bag we': 108445, 'we tapped': 973503, 'tapped two': 834394, 'two medical': 937033, '19 survivor': 11000, 'survivor who': 829403, 'mask pattern': 519098, 'pattern online': 644489, 'best filter': 127687, 'filter fabric': 305760, 'fabric to': 294246, 'use when': 949801, 'when crafting': 983316, 'crafting mask': 214792, 'own via': 632289, 'vacuum filter also': 951820, 'filter also cloth': 305750, 'also cloth shopping': 48037, 'cloth shopping bag': 184105, 'shopping bag we': 762149, 'bag we tapped': 108446, 'we tapped two': 973504, 'tapped two medical': 834395, 'two medical professional': 937034, 'professional and covid': 682398, 'covid 19 survivor': 213901, '19 survivor who': 11002, 'survivor who make': 829404, 'who make mask': 989249, 'make mask pattern': 510121, 'mask pattern online': 519099, 'pattern online to': 644490, 'online to give': 609585, 'lowdown on the': 505763, 'on the best': 603985, 'the best filter': 849511, 'best filter fabric': 127688, 'filter fabric to': 305761, 'fabric to use': 294247, 'to use when': 918081, 'use when crafting': 949802, 'when crafting mask': 983317, 'crafting mask of': 214793, 'mask of your': 519038, 'your own via': 1025169, 'you acknowledge': 1016790, 'acknowledge the': 29109, 'retail front': 718128, 'public let': 688141, 'them know': 875965, 'treated such': 930970, 'up supply make': 946105, 'supply make sure': 825530, 'sure to say': 827781, 'thank you acknowledge': 841684, 'you acknowledge the': 1016791, 'acknowledge the retail': 29110, 'the retail front': 865717, 'retail front line': 718129, 'line worker who': 493610, 'who are exposed': 988142, 'the public let': 864827, 'public let them': 688142, 'let them know': 487157, 'them know you': 875968, 'know you appreciate': 477080, 'appreciate them they': 82767, 'hero and should': 393931, 'be treated such': 117808, 'mine went': 532939, 'for sanitizer': 325334, 'sanitizer he': 735061, 'he made': 385210, 'made fun': 507757, 'fun of': 341199, 'her amp': 391839, 'amp asked': 53416, 'get member': 347561, 'community talk': 190143, 'about discrimination': 25104, 'discrimination amid': 244802, 'amid for': 52482, 'of mine went': 586561, 'mine went to': 532940, 'went to pharmacy': 979180, 'to pharmacy and': 911692, 'pharmacy and asked': 654208, 'and asked for': 58432, 'asked for sanitizer': 95749, 'for sanitizer he': 325336, 'sanitizer he made': 735063, 'he made fun': 385211, 'made fun of': 507758, 'fun of her': 341201, 'of her amp': 584566, 'her amp asked': 391840, 'amp asked if': 53417, 'asked if people': 95773, 'if people like': 414623, 'like you get': 491872, 'you get member': 1018784, 'get member of': 347562, 'the community talk': 851300, 'community talk about': 190144, 'talk about discrimination': 833737, 'about discrimination amid': 25105, 'discrimination amid for': 244803, 'renewannewithane': 711007, 'my much': 549359, 'needed candy': 556325, 'candy luckily': 161342, 'luckily didn': 506496, 'paper renewannewithane': 640673, 'today and finally': 919206, 'and finally got': 62861, 'finally got all': 306027, 'got all my': 358392, 'all my much': 43566, 'my much needed': 549360, 'much needed candy': 545146, 'needed candy luckily': 556326, 'candy luckily didn': 161343, 'luckily didn need': 506497, 'didn need toilet': 241142, 'toilet paper renewannewithane': 921419, 'discarded': 244328, 'vinylgloves': 957478, 'every long': 285985, 'island supermarket': 454310, 'lot even': 504041, 'though store': 892898, 'out extra': 626047, 'extra trash': 293687, 'trash barrel': 930136, 'barrel for': 111221, 'the discarded': 853347, 'discarded glove': 244329, 'glove really': 352883, 'really people': 702483, 'don store': 253939, 'do vinylgloves': 250441, 'see it in': 745334, 'it in every': 458730, 'in every long': 422682, 'every long island': 285986, 'long island supermarket': 501462, 'island supermarket parking': 454311, 'parking lot even': 642087, 'lot even though': 504042, 'even though store': 284717, 'though store have': 892899, 'store have put': 808094, 'have put out': 382115, 'put out extra': 690750, 'out extra trash': 626048, 'extra trash barrel': 293688, 'trash barrel for': 930137, 'barrel for the': 111222, 'for the discarded': 326386, 'the discarded glove': 853348, 'discarded glove really': 244330, 'glove really people': 352884, 'really people don': 702484, 'people don store': 647709, 'don store employee': 253940, 'enough to do': 277699, 'to do vinylgloves': 904580, 'since cannot': 770536, 'food reservation': 316178, 'reservation online': 714019, 'online until': 609651, 'until 2021': 943642, '2021 my': 14786, 'taking me': 833436, 'me shopping': 523452, 'shopping tomorrow': 764226, 'morning are': 541172, 'store meter': 808950, 'stay meter': 797125, 'since cannot get': 770537, 'get food reservation': 347061, 'food reservation online': 316179, 'reservation online until': 714020, 'online until 2021': 609652, 'until 2021 my': 943643, '2021 my daughter': 14787, 'daughter is taking': 226873, 'is taking me': 452553, 'taking me shopping': 833438, 'me shopping tomorrow': 523455, 'shopping tomorrow morning': 764227, 'tomorrow morning are': 924130, 'morning are we': 541173, 'supposed to walk': 827379, 'the store meter': 868058, 'store meter apart': 808951, 'meter apart to': 529691, 'apart to respect': 81361, 'to respect social': 913372, 'distancing and how': 246973, 'do we stay': 250488, 'we stay meter': 973389, 'stay meter apart': 797126, 'meter apart in': 529687, 'professional recommend': 682482, 'recommend staying': 704709, 'least six': 484628, 'avoid contracting': 105054, 'that overrun': 845624, 'overrun with': 631453, 'customer bailey': 222164, 'bailey asked': 108604, 'me worry': 524020, 'own mortality': 632107, 'health professional recommend': 386768, 'professional recommend staying': 682483, 'recommend staying at': 704710, 'staying at least': 798573, 'at least six': 99545, 'least six foot': 484629, 'people to avoid': 649877, 'to avoid contracting': 900881, 'avoid contracting the': 105056, 'contracting the but': 201785, 'the but how': 850195, 'but how do': 145969, 'do we do': 250469, 'we do that': 971353, 'do that in': 250220, 'that in grocery': 844450, 'store that overrun': 810564, 'that overrun with': 845625, 'overrun with customer': 631454, 'with customer bailey': 997898, 'customer bailey asked': 222165, 'bailey asked this': 108605, 'asked this is': 95854, 'this is making': 888313, 'making me worry': 511208, 'me worry about': 524021, 'worry about my': 1010646, 'about my own': 25767, 'my own mortality': 549648, 'encroaching': 275749, 'shame didn': 754589, 'this sooner': 890257, 'sooner would': 785934, 'have handed': 380891, 'handed the': 376086, 'picture out': 656181, 'those encroaching': 891968, 'encroaching into': 275750, 'socialdistancing square': 780715, 'shame didn see': 754590, 'didn see this': 241191, 'see this sooner': 745955, 'this sooner would': 890258, 'sooner would have': 785935, 'would have handed': 1011880, 'have handed the': 380892, 'handed the picture': 376087, 'the picture out': 863728, 'picture out to': 656182, 'out to those': 627692, 'to those encroaching': 917501, 'those encroaching into': 891969, 'encroaching into my': 275751, 'into my supermarket': 442791, 'my supermarket socialdistancing': 550278, 'supermarket socialdistancing square': 822759, 'shi': 758114, 'ting': 898587, 'corson': 207712, 'holliewoodandfriends': 400432, 'seriously like': 751663, 'like stop': 491243, 'one shi': 607013, 'shi ting': 758117, 'ting this': 898588, '45 shit': 19133, 'via tiktok': 956326, 'tiktok naomi': 895907, 'naomi corson': 551829, 'corson follow': 207713, 'follow holliewoodandfriends': 312419, 'holliewoodandfriends toiletpaper': 400433, 'seriously like stop': 751664, 'like stop it': 491245, 'stop it no': 804787, 'no one shi': 564959, 'one shi ting': 607014, 'shi ting this': 758118, 'ting this much': 898589, 'this much 45': 889058, 'much 45 shit': 544677, '45 shit per': 19134, 'shit per day': 759192, 'per day via': 650814, 'day via tiktok': 228650, 'via tiktok naomi': 956327, 'tiktok naomi corson': 895908, 'naomi corson follow': 551830, 'corson follow holliewoodandfriends': 207714, 'follow holliewoodandfriends toiletpaper': 312420, 'holliewoodandfriends toiletpaper costco': 400434, 'helmet': 389269, 'skateboard': 772847, 'keepactive': 472302, 'kid active': 473842, 'active we': 30291, 'kid bike': 473884, 'bike helmet': 130411, 'helmet skateboard': 389272, 'skateboard and': 772848, 'more kid': 539651, 'kid sale': 474096, 'sale keepactive': 732325, 'keepactive shutdown': 472303, 'your kid active': 1024549, 'kid active we': 473843, 'active we have': 30292, 'we have slashed': 971941, 'have slashed the': 382585, 'slashed the price': 773650, 'of our kid': 587495, 'our kid bike': 623621, 'kid bike helmet': 473885, 'bike helmet skateboard': 130412, 'helmet skateboard and': 389273, 'skateboard and more': 772849, 'and more kid': 67183, 'more kid sale': 539652, 'kid sale keepactive': 474097, 'sale keepactive shutdown': 732326, 'following for': 312731, 'only buy one': 610203, 'buy one of': 149039, 'the following for': 855505, 'following for your': 312733, 'your family for': 1023779, 'family for the': 297813, 'next week what': 561705, 'said thank': 731387, 'clerk before': 181665, 'wa cool': 961874, 'said thank you': 731388, 'store clerk before': 806997, 'clerk before it': 181666, 'before it wa': 122899, 'it wa cool': 462093, 'six way': 772713, 'behaviour ha': 124433, 'the six way': 867292, 'six way consumer': 772714, 'way consumer behaviour': 969526, 'consumer behaviour ha': 196574, 'behaviour ha changed': 124435, 'ha changed with': 370143, 'report come': 711871, 'with reliable': 1000446, 'reliable hub': 709203, 'hub coronavirus': 409789, 'consumer report come': 198703, 'report come up': 711872, 'up with reliable': 946676, 'with reliable hub': 1000447, 'reliable hub coronavirus': 709204, 'hub coronavirus information': 409790, 'coronavirus information and': 206144, 'information and it': 437738, 'newscaster': 561006, 'fox 13': 330742, '13 news': 3241, 'news post': 560705, 'post our': 666269, 'our earthquake': 622822, 'earthquake this': 265052, 'morning newscaster': 541368, 'newscaster might': 561007, 'on little': 601879, 'just adding': 468156, 'already happening': 47409, 'happening because': 377332, 'fox 13 news': 330743, '13 news post': 3242, 'news post our': 560706, 'post our earthquake': 666270, 'our earthquake this': 622823, 'earthquake this morning': 265053, 'this morning newscaster': 888989, 'morning newscaster might': 541369, 'newscaster might be': 561008, 'up on little': 945587, 'on little food': 601880, 'little food and': 495347, 'water are you': 968902, 'are you stupid': 91865, 'you stupid just': 1021462, 'stupid just adding': 815415, 'just adding to': 468157, 'the crazy hoarding': 852297, 'crazy hoarding that': 215317, 'hoarding that is': 399581, 'is already happening': 445521, 'already happening because': 47410, 'happening because of': 377333, 'complaint call': 191949, 'call over': 156067, 'over related': 630575, 'agency top': 38093, 'complaint call over': 191950, 'call over related': 156068, 'over related scam': 630576, 'related scam to': 708561, 'scam to consumer': 740420, 'to consumer affair': 903263, 'affair agency top': 33987, 'agency top 100': 38094, 'top 100 in': 925519, '100 in japan': 1924, 'drumettes': 261205, 'tumeric': 935360, 'cumin': 220325, '15mins': 4030, 'chicken drumettes': 175775, 'drumettes in': 261206, 'in yellow': 431035, 'yellow curry': 1015260, 'curry sauce': 221743, 'sauce basmati': 737144, 'rice with': 721176, 'with tumeric': 1001858, 'tumeric cumin': 935361, 'cumin bon': 220326, 'apetit an': 81448, 'an instant': 56372, 'instant meal': 440103, 'all ingredient': 43229, 'ingredient from': 438369, 'from ur': 338206, 'stayathome meal': 797540, 'meal can': 524117, 'be spicy': 117326, 'spicy yummy': 789239, 'yummy too': 1027105, 'too made': 924878, 'in 15mins': 419700, '15mins stayhomesavelives': 4031, 'chicken drumettes in': 175776, 'drumettes in yellow': 261207, 'in yellow curry': 431036, 'yellow curry sauce': 1015261, 'curry sauce basmati': 221744, 'sauce basmati rice': 737145, 'basmati rice with': 112449, 'rice with tumeric': 721178, 'with tumeric cumin': 1001859, 'tumeric cumin bon': 935362, 'cumin bon apetit': 220327, 'bon apetit an': 134218, 'apetit an instant': 81449, 'an instant meal': 56373, 'instant meal all': 440104, 'meal all ingredient': 524086, 'all ingredient from': 43230, 'ingredient from ur': 438371, 'from ur local': 338207, 'local supermarket stayathome': 498594, 'supermarket stayathome meal': 822937, 'stayathome meal can': 797541, 'meal can be': 524118, 'can be spicy': 157687, 'be spicy yummy': 117327, 'spicy yummy too': 789240, 'yummy too made': 1027106, 'too made this': 924879, 'made this in': 508021, 'this in 15mins': 888034, 'in 15mins stayhomesavelives': 419701, 'bad press': 107991, 'press but': 671019, 'but looking': 146315, 'at flight': 98667, 'flight for': 310470, 'law who': 482449, 'uk right': 938686, 'and air': 57807, 'air canada': 39694, 'ha them': 372239, 'on consistent': 600018, 'consistent schedule': 195489, 'schedule from': 741437, 'from london': 336269, 'that seem': 846168, 'seem more': 746675, 'than fair': 840635, 'fair it': 296343, 'the http': 857685, 'get lot of': 347503, 'lot of bad': 504144, 'of bad press': 580510, 'bad press but': 107992, 'press but looking': 671020, 'but looking at': 146316, 'looking at flight': 502808, 'at flight for': 98668, 'flight for my': 310472, 'for my in': 323713, 'in law who': 424639, 'law who are': 482450, 'to get home': 906503, 'get home from': 347242, 'from the uk': 337909, 'the uk right': 870276, 'uk right now': 938687, 'now and air': 574024, 'and air canada': 57808, 'air canada ha': 39697, 'canada ha them': 160456, 'ha them on': 372244, 'them on consistent': 876086, 'on consistent schedule': 600019, 'consistent schedule from': 195490, 'schedule from london': 741438, 'from london at': 336271, 'london at price': 501035, 'at price that': 100204, 'price that seem': 676815, 'that seem more': 846169, 'seem more than': 746676, 'more than fair': 540617, 'than fair it': 840637, 'fair it good': 296344, 'see the http': 745843, 'saddest': 729302, 'signofthetines': 769666, 'worldgonemad': 1010232, 'at 05': 97377, '05 45': 947, '45 for': 19095, 'the saddest': 866121, 'saddest thing': 729305, 'done signofthetines': 255008, 'signofthetines worldgonemad': 769667, 'worldgonemad coronacrisis': 1010233, 'coronacrisis bekindtoeachother': 204524, 'to supermarket at': 915772, 'supermarket at 05': 819224, 'at 05 45': 97378, '05 45 for': 948, '45 for my': 19096, 'for my weekly': 323760, 'my weekly shop': 550564, 'weekly shop is': 977549, 'shop is the': 760368, 'is the saddest': 452930, 'the saddest thing': 866123, 'saddest thing ve': 729306, 'ever done signofthetines': 285278, 'done signofthetines worldgonemad': 255009, 'signofthetines worldgonemad coronacrisis': 769668, 'worldgonemad coronacrisis bekindtoeachother': 1010234, 'aisi': 40177, 'taisi': 831831, 'shopping stuff': 764002, 'stuff which': 815255, 'which yet': 986528, 'sale ki': 732327, 'ki toh': 473758, 'toh aisi': 921106, 'aisi ki': 40178, 'ki taisi': 473757, 'online shopping stuff': 609290, 'shopping stuff which': 764003, 'stuff which yet': 815256, 'which yet to': 986529, 'yet to use': 1016297, 'to use is': 918039, 'use is now': 949294, 'available at 50': 104241, 'at 50 sale': 97679, '50 sale ki': 19840, 'sale ki toh': 732328, 'ki toh aisi': 473759, 'toh aisi ki': 921107, 'aisi ki taisi': 40179, 'associate become': 96850, 'become sick': 120128, 'or dont': 615057, 'dont come': 255198, 'being afraid': 124825, 'thing might': 884586, 'might happen': 531003, 'use self': 949565, 'checkout which': 175056, 'make line': 510088, 'line go': 493133, 'go slower': 354146, 'slower due': 774506, 'check lane': 174480, 'grocery store associate': 365221, 'store associate become': 806561, 'associate become sick': 96851, 'become sick or': 120129, 'sick or dont': 768555, 'or dont come': 615058, 'dont come to': 255199, 'to being afraid': 901733, 'being afraid of': 124827, 'few thing might': 304099, 'thing might happen': 884587, 'might happen more': 531004, 'happen more people': 377121, 'will use self': 995287, 'use self checkout': 949566, 'self checkout which': 747588, 'checkout which will': 175057, 'which will make': 986496, 'will make line': 994086, 'make line go': 510089, 'line go slower': 493134, 'go slower due': 354147, 'slower due to': 774507, 'lack of self': 478654, 'of self check': 589465, 'self check lane': 747571, 'inspects': 439792, 'tobruk': 919103, 'committee inspects': 189073, 'inspects market': 439793, 'in tobruk': 430148, 'tobruk to': 919104, 'price libya': 675036, 'economic committee inspects': 267016, 'committee inspects market': 189074, 'inspects market in': 439794, 'market in tobruk': 516578, 'in tobruk to': 430149, 'tobruk to monitor': 919105, 'to monitor price': 910234, 'monitor price libya': 537310, 'so focused': 777100, 'that forgot': 843942, 'forgot that': 329408, 'that easter': 843663, 'is right': 451533, 'right around': 721775, 'corner went': 203693, 'saw bun': 738078, 'bun cheese': 142606, 'cheese everywhere': 175187, 'like huh': 490462, 'they better': 881558, 'better replace': 128446, 'replace them': 711590, 'with lysol': 999351, 'so focused on': 777101, 'focused on what': 311970, 'on what going': 605222, 'on with covid': 605339, '19 that forgot': 11152, 'that forgot that': 843943, 'forgot that easter': 329409, 'that easter is': 843664, 'easter is right': 265461, 'is right around': 451534, 'right around the': 721776, 'the corner went': 851753, 'corner went to': 203694, 'and saw bun': 70978, 'saw bun cheese': 738079, 'bun cheese everywhere': 142608, 'cheese everywhere and': 175188, 'everywhere and it': 288172, 'wa like huh': 962544, 'like huh what': 490463, 'huh what it': 410324, 'what it for': 981750, 'it for they': 458102, 'for they better': 326988, 'they better replace': 881559, 'better replace them': 128448, 'replace them with': 711592, 'them with lysol': 876650, 'we grapple': 971685, 'amp health': 53916, 'health impact': 386518, '10 australian': 1323, 'australian believe': 103446, 'believe our': 126316, 'our finance': 623067, 'finance sector': 306266, 'ha role': 371776, 'in generating': 423259, 'generating positive': 345591, 'positive social': 665433, 'social environmental': 779781, 'environmental amp': 279181, 'amp economic': 53695, 'economic outcome': 267181, 'outcome for': 628862, 'country read': 210983, 'our 2020': 621987, 'we grapple with': 971686, 'with the economic': 1001276, 'the economic amp': 853892, 'economic amp health': 266974, 'amp health impact': 53918, 'health impact of': 386519, '19 new research': 8772, 'new research show': 559468, 'research show in': 713840, 'show in 10': 767007, 'in 10 australian': 419677, '10 australian believe': 1324, 'australian believe our': 103447, 'believe our finance': 126317, 'our finance sector': 623068, 'finance sector ha': 306267, 'sector ha role': 744205, 'ha role to': 371777, 'to play in': 911795, 'play in generating': 659171, 'in generating positive': 423260, 'generating positive social': 345592, 'positive social environmental': 665434, 'social environmental amp': 779782, 'environmental amp economic': 279182, 'amp economic outcome': 53697, 'economic outcome for': 267182, 'outcome for the': 628863, 'for the country': 326365, 'the country read': 852137, 'country read our': 210984, 'read our 2020': 700495, 'our 2020 report': 621989, 'corrupted': 207674, 'same after': 732950, 'the recovery': 865370, 'of lie': 585809, 'lie but': 488337, 'you confirmed': 1018008, 'confirmed how': 194162, 'how corrupted': 407618, 'corrupted the': 207677, 'government actually': 359824, 'actually is': 30850, 'government been': 359927, 'been robbing': 121866, 'robbing for': 724684, 'century all': 169605, 'lowered gas': 506068, 'price within': 677630, 'all cut': 42505, 'cut interest': 223390, 'interest within': 441434, 'the same after': 866192, 'same after the': 732951, 'after the recovery': 36349, 'the recovery from': 865372, '19 we all': 11916, 'know the government': 476827, 'government is full': 360253, 'full of lie': 340737, 'of lie but': 585810, 'lie but you': 488338, 'but you confirmed': 147980, 'you confirmed how': 1018009, 'confirmed how corrupted': 194163, 'how corrupted the': 407619, 'corrupted the government': 207678, 'the government actually': 856506, 'government actually is': 359825, 'actually is the': 30851, 'the government been': 856512, 'government been robbing': 359928, 'been robbing for': 121867, 'robbing for century': 724685, 'for century all': 319987, 'century all lowered': 169606, 'all lowered gas': 43425, 'lowered gas price': 506069, 'gas price within': 344061, 'price within day': 677631, 'within day all': 1002345, 'day all cut': 227225, 'all cut interest': 42506, 'cut interest within': 223392, 'interest within day': 441435, 'eliminated': 271474, 'who cross': 988526, 'cross path': 219026, 'path with': 644034, 'checkout because': 174890, 'medium feed': 527099, 'feed will': 302402, 'be eliminated': 114662, 'eliminated do': 271475, 'are man': 88018, 'man or': 512175, 'or woman': 617830, 'woman thank': 1003631, 'person who cross': 652722, 'who cross path': 988527, 'cross path with': 219027, 'path with me': 644036, 'with me while': 999460, 'me while standing': 523961, 'the supermarket checkout': 868515, 'supermarket checkout because': 819662, 'checkout because they': 174892, 'they re too': 883143, 're too busy': 699723, 'social medium feed': 779851, 'medium feed will': 527100, 'feed will be': 302403, 'will be eliminated': 992443, 'be eliminated do': 114663, 'eliminated do not': 271476, 'you are man': 1017170, 'are man or': 88019, 'man or woman': 512176, 'or woman thank': 617831, 'woman thank you': 1003632, 'india government': 434427, 'say watch': 739449, 'watch soap': 968526, 'soap price': 779082, 'price find': 673872, 'all live': 43396, 'case rise in': 165990, 'rise in india': 722888, 'in india government': 424036, 'india government say': 434429, 'government say watch': 360572, 'say watch soap': 739450, 'watch soap price': 968527, 'soap price find': 779086, 'price find all': 673873, 'find all live': 306761, 'all live update': 43399, 'new youtube': 559974, 'video making': 956810, 'amp here': 53937, 'make yours': 510773, 'my new youtube': 549477, 'new youtube video': 559975, 'youtube video making': 1026924, 'video making hand': 956811, 'sanitizer amp here': 734366, 'amp here is': 53939, 'can make yours': 158959, 'make yours to': 510774, 'yours to protect': 1026480, 'costco sale': 208262, 'sale went': 732637, 'like lion': 490643, 'lion and': 494027, 'out like': 626498, 'like lamb': 490621, 'lamb in': 479155, 'restriction it': 717307, 'via cost': 955893, 'costco sale went': 208263, 'sale went in': 732638, 'went in like': 979040, 'in like lion': 424727, 'like lion and': 490644, 'lion and went': 494028, 'and went out': 75429, 'went out like': 979089, 'out like lamb': 626500, 'like lamb in': 490622, 'lamb in march': 479156, 'to the restriction': 917024, 'the restriction it': 865672, 'restriction it put': 717310, 'it put in': 460566, 'place to address': 657744, 'address the via': 32047, 'the via cost': 870720, 'two co': 936838, 'with via': 1001978, 'two co store': 936839, 'diagnosed with via': 240244, 'with via news': 1001979, 'will boost': 992841, 'boost ecommerce': 134946, 'ecommerce in': 266785, 'run but': 727585, 'but brings': 145318, 'brings new': 140261, 'new risk': 559504, 'risk link': 723664, 'coronavirus will boost': 207083, 'will boost ecommerce': 992842, 'boost ecommerce in': 134947, 'ecommerce in the': 266786, 'long run but': 501606, 'run but brings': 727586, 'but brings new': 145319, 'brings new risk': 140262, 'new risk link': 559505, 'please confirm': 659806, 'chem statement': 175324, 'statement per': 796205, 'attached picture': 102047, 'actually trying': 30993, 'you please confirm': 1020355, 'please confirm whether': 659807, 'dis chem statement': 243788, 'chem statement per': 175325, 'statement per the': 796206, 'per the attached': 651036, 'the attached picture': 849022, 'attached picture is': 102048, 'picture is true': 656149, 'or not you': 616322, 'not you re': 572614, 'you re price': 1020709, 're price have': 699304, 'period of corona': 651836, 'corona virus are': 204286, 'virus are you': 957964, 'you actually trying': 1016816, 'actually trying to': 30994, '188': 4661, '135': 3338, 'ipc': 444545, 'shahibaugh': 754398, 'man booked': 512009, 'booked under': 134680, 'under section': 940241, 'section 188': 743990, '188 and': 4662, 'and 135': 57372, '135 of': 3345, 'of ipc': 585292, 'ipc for': 444546, 'having other': 384209, 'like sanitizer': 491122, 'in shahibaugh': 427849, 'shahibaugh area': 754399, 'city his': 179184, 'his vehicle': 397896, 'vehicle wa': 954294, 'also detained': 48100, 'man booked under': 512010, 'booked under section': 134681, 'under section 188': 940242, 'section 188 and': 743991, '188 and 135': 4663, 'and 135 of': 57373, '135 of ipc': 3346, 'of ipc for': 585293, 'ipc for not': 444547, 'for not wearing': 323937, 'mask and for': 518327, 'and for not': 63151, 'for not having': 323928, 'not having other': 569902, 'having other item': 384210, 'other item like': 620446, 'item like sanitizer': 463422, 'like sanitizer with': 491124, 'sanitizer with in': 736135, 'with in shahibaugh': 998965, 'in shahibaugh area': 427850, 'shahibaugh area of': 754400, 'the city his': 850938, 'city his vehicle': 179185, 'his vehicle wa': 397897, 'vehicle wa also': 954295, 'wa also detained': 961503, 'malegaon': 511693, 'chineseviruscorona': 177471, 'stock 5x': 801756, '5x more': 20848, 'than required': 841082, 'coronavillains malegaon': 205409, 'malegaon chinesevirus19': 511694, 'chinesevirus19 chinesevirus': 177463, 'chinesevirus chineseviruscorona': 177429, 'chineseviruscorona coronaindia': 177472, 'coronaindia indialockdown': 204985, 'indialockdown indiafightcorona': 434755, 'indiafightcorona italy': 434718, 'not do panic': 569066, 'buying we already': 151322, 'already have food': 47420, 'have food grain': 380655, 'grain stock 5x': 361800, 'stock 5x more': 801757, '5x more than': 20849, 'more than required': 540666, 'than required for': 841083, 'required for year': 713369, 'for year coronavillains': 328001, 'year coronavillains malegaon': 1014493, 'coronavillains malegaon chinesevirus19': 205410, 'malegaon chinesevirus19 chinesevirus': 511695, 'chinesevirus19 chinesevirus chineseviruscorona': 177464, 'chinesevirus chineseviruscorona coronaindia': 177430, 'chineseviruscorona coronaindia indialockdown': 177473, 'coronaindia indialockdown indiafightcorona': 204986, 'indialockdown indiafightcorona italy': 434756, 'protection still': 685621, 'refund my': 706929, 'my airfare': 547245, 'airfare for': 39895, 'for trip': 327345, 'trip had': 932084, 'cancel due': 160839, 'coronavirus airline': 205474, 'airline aid': 39914, 'must include': 546726, 'include worker': 431665, 'protection union': 685660, 'union say': 941932, 'how about consumer': 407276, 'about consumer protection': 25001, 'consumer protection still': 198564, 'protection still waiting': 685622, 'waiting for to': 964342, 'for to refund': 327231, 'to refund my': 913088, 'refund my airfare': 706930, 'my airfare for': 547246, 'airfare for trip': 39896, 'for trip had': 327346, 'trip had to': 932085, 'to cancel due': 902423, 'cancel due covid': 160840, '19 coronavirus airline': 6089, 'coronavirus airline aid': 205475, 'airline aid must': 39915, 'aid must include': 39421, 'must include worker': 546729, 'include worker protection': 431666, 'worker protection union': 1007637, 'protection union say': 685661, 'ethereum': 283025, 'commoditymarkets': 189351, 'usdbitstamp': 948977, 'ripplexrp': 722748, 'cryptocurrency value': 219984, 'value rise': 952196, 'rise over': 722970, 'hour bitcoin': 405465, 'bitcoin rally': 131835, 'rally 10': 696249, '10 market': 1510, '19 ethereum': 6843, 'ethereum ripple': 283030, 'ripple commoditymarkets': 722732, 'commoditymarkets fintech': 189352, 'fintech cryptocurrency': 308023, 'cryptocurrency bitcoin': 219972, 'bitcoin usdbitstamp': 131841, 'usdbitstamp ether': 948978, 'ether usd': 283023, 'usd ripplexrp': 948931, 'ripplexrp usdbitstamp': 722749, 'cryptocurrency value rise': 219985, 'value rise over': 952197, 'rise over 14': 722971, 'over 14 billion': 629784, 'billion in 24': 130839, '24 hour bitcoin': 15613, 'hour bitcoin rally': 405466, 'bitcoin rally 10': 131836, 'rally 10 market': 696250, '10 market 19': 1511, 'market 19 ethereum': 515895, '19 ethereum ripple': 6844, 'ethereum ripple commoditymarkets': 283031, 'ripple commoditymarkets fintech': 722733, 'commoditymarkets fintech cryptocurrency': 189353, 'fintech cryptocurrency bitcoin': 308024, 'cryptocurrency bitcoin usdbitstamp': 219974, 'bitcoin usdbitstamp ether': 131842, 'usdbitstamp ether usd': 948979, 'ether usd ripplexrp': 283024, 'usd ripplexrp usdbitstamp': 948932, 'befairtoall': 122574, 'who hike': 988999, 'necessary product': 554052, 'warned and': 966994, 'and prosecuted': 69645, 'prosecuted profiteering': 684650, 'profiteering befairtoall': 683011, 'large retailer who': 479779, 'retailer who hike': 719423, 'who hike price': 989000, 'of necessary product': 586893, 'necessary product should': 554053, 'product should be': 681621, 'should be warned': 765767, 'be warned and': 118042, 'warned and prosecuted': 966995, 'and prosecuted profiteering': 69648, 'prosecuted profiteering befairtoall': 684651, 'photoshoot': 655328, 'studioshoot': 814852, 'coronaart': 204435, 'simple yet': 770138, 'yet effect': 1016051, 'effect message': 269032, 'message photography': 529398, 'photography photoshoot': 655305, 'photoshoot studioshoot': 655329, 'studioshoot studio': 814853, 'studio toiletpaper': 814844, 'tp corona': 927786, 'corona coronaart': 203872, 'simple yet effect': 770139, 'yet effect message': 1016052, 'effect message photography': 269033, 'message photography photoshoot': 529399, 'photography photoshoot studioshoot': 655306, 'photoshoot studioshoot studio': 655330, 'studioshoot studio toiletpaper': 814854, 'studio toiletpaper tp': 814845, 'toiletpaper tp corona': 922746, 'tp corona coronaart': 927787, 'halving': 374521, 'businessoutlook': 144783, 'most dramatic': 542268, 'in oilprice': 426090, 'oilprice in': 597615, 'year halving': 1014603, 'halving of': 374522, 'an increasingly': 56250, 'increasingly fragile': 433776, 'fragile outlook': 330900, 'uk offshore': 938581, 'offshore oil': 596133, 'sector businessoutlook': 744115, 'the most dramatic': 860973, 'most dramatic fall': 542269, 'fall in oilprice': 296958, 'in oilprice in': 426091, 'oilprice in 30': 597616, 'in 30 year': 419910, '30 year halving': 17271, 'year halving of': 1014604, 'halving of gas': 374523, 'global economic impact': 351882, 'of the continued': 590890, 'the is driving': 858493, 'is driving an': 447380, 'driving an increasingly': 259894, 'an increasingly fragile': 56251, 'increasingly fragile outlook': 433777, 'fragile outlook for': 330901, 'outlook for the': 629158, 'the uk offshore': 870254, 'uk offshore oil': 938582, 'offshore oil and': 596134, 'and gas sector': 63487, 'gas sector businessoutlook': 344084, 'reconsidering their': 704888, 'their input': 873667, 'input in': 438977, 'these exceptional': 879980, 'exceptional time': 289305, 'example an': 288866, 'an airline': 55210, 'pilot who': 656745, 'who became': 988301, 'became supermarket': 118888, 'people are reconsidering': 647056, 'are reconsidering their': 89514, 'reconsidering their input': 704889, 'their input in': 873668, 'input in these': 438978, 'in these exceptional': 429842, 'these exceptional time': 879981, 'exceptional time in': 289306, 'time in my': 897003, 'my family we': 548233, 'we have discussed': 971800, 'have discussed this': 380303, 'discussed this too': 244974, 'this too for': 890805, 'too for example': 924743, 'for example an': 321271, 'example an airline': 288867, 'an airline pilot': 55211, 'airline pilot who': 39995, 'pilot who became': 656746, 'who became supermarket': 988302, 'became supermarket chain': 118889, 'supermarket chain delivery': 819600, 'chain delivery driver': 170640, 'historic production': 397972, 'support plummeting': 826763, 'sunday to historic': 818286, 'to historic production': 907832, 'historic production cut': 397973, 'production cut in': 681996, 'cut in bid': 223372, 'bid to support': 129498, 'to support plummeting': 915961, 'support plummeting oil': 826764, '6m': 21634, '3days': 18257, 'decit': 231126, 'wickedness': 991687, 'wahala': 964035, 'go demand': 353452, 'ppl that': 668340, 'that shared': 846228, 'shared 20k': 755391, '20k to': 14908, 'to 6m': 899809, '6m faceless': 21635, 'faceless nigerian': 295060, 'nigerian in': 562860, 'in 3days': 419922, '3days that': 18258, 'money belongs': 536635, 'the lie': 859330, 'lie decit': 488349, 'decit and': 231127, 'and wickedness': 75639, 'wickedness of': 991688, 'leader yr': 483576, 'yr now': 1027028, 'the wahala': 871024, 'wahala go': 964036, 'go star': 354160, 'star so': 794064, 'them go demand': 875785, 'go demand food': 353453, 'demand food from': 235359, 'from the ppl': 337839, 'the ppl that': 864178, 'ppl that shared': 668341, 'that shared 20k': 846229, 'shared 20k to': 755392, '20k to 6m': 14909, 'to 6m faceless': 899810, '6m faceless nigerian': 21636, 'faceless nigerian in': 295061, 'nigerian in 3days': 562861, 'in 3days that': 419923, '3days that money': 18259, 'that money belongs': 845208, 'money belongs to': 536636, 'belongs to all': 126524, 'all of have': 43693, 'of have said': 584469, 'said it covid': 731149, '19 will expose': 12090, 'will expose all': 993384, 'expose all the': 292782, 'all the lie': 44806, 'the lie decit': 859332, 'lie decit and': 488350, 'decit and wickedness': 231128, 'and wickedness of': 75640, 'wickedness of our': 991689, 'of our leader': 587498, 'our leader yr': 623698, 'leader yr now': 483577, 'yr now the': 1027029, 'now the wahala': 576078, 'the wahala go': 871025, 'wahala go star': 964037, 'go star so': 354161, 'idio': 413421, 'for enabling': 321045, 'enabling people': 275475, 'the abuse': 848265, 'abuse that': 27662, 'some idio': 783065, 'idio yourcustomerssaythankyou': 413422, 'thank you lovely': 841767, 'lovely people for': 504974, 'people for enabling': 647948, 'for enabling people': 321046, 'enabling people in': 275476, 'this area to': 886406, 'area to buy': 92236, 'buy food at': 148633, 'food at great': 313444, 'great price am': 362906, 'price am so': 672302, 'am so sorry': 50413, 'so sorry about': 778249, 'about the abuse': 26331, 'the abuse that': 848266, 'abuse that you': 27663, 'that you get': 847723, 'you get from': 1018773, 'get from some': 347112, 'from some idio': 337340, 'some idio yourcustomerssaythankyou': 783066, 'idio yourcustomerssaythankyou 19': 413423, 'hackathon': 372754, 'titanhacks': 899267, 'submission': 815773, 'school student': 741934, 'online hackathon': 608345, 'hackathon this': 372755, 'safe place': 729883, 'place web': 657819, 'web app': 974933, 'make shopping': 510448, 'shopping safer': 763797, 'safer and': 730339, 'efficient for': 269419, '19 kudos': 8258, 'them titanhacks': 876448, 'titanhacks final': 899268, 'final submission': 305877, 'submission via': 815782, 'high school student': 395396, 'school student in': 741936, 'student in the': 814709, 'the online hackathon': 862272, 'online hackathon this': 608346, 'hackathon this weekend': 372756, 'this weekend to': 891321, 'weekend to build': 977429, 'to build an': 902080, 'an app to': 55358, 'app to fight': 81774, '19 they created': 11304, 'they created the': 881856, 'created the safe': 215912, 'the safe place': 866134, 'safe place web': 729887, 'place web app': 657820, 'web app to': 974935, 'app to make': 81775, 'to make shopping': 909737, 'make shopping safer': 510452, 'shopping safer and': 763798, 'safer and efficient': 730340, 'and efficient for': 61963, 'efficient for all': 269420, 'all during covid': 42644, 'covid 19 kudos': 213328, '19 kudos to': 8259, 'kudos to them': 477887, 'to them titanhacks': 917319, 'them titanhacks final': 876449, 'titanhacks final submission': 899269, 'final submission via': 305878, 'shopper anyone': 761376, 'to use your': 918082, 'use your local': 949837, 'for essential shopping': 321121, 'essential shopping only': 281554, 'shopping only then': 763521, 'only then please': 611292, 'then please keep': 877429, 'please keep 2m': 660147, '2m apart from': 16661, 'from other shopper': 336734, 'other shopper anyone': 620900, 'shopper anyone can': 761377, 'anyone can get': 80218, 'can get it': 158426, 'get it anyone': 347393, 'it anyone can': 456546, 'anyone can spread': 80223, 'can spread it': 159707, 'arsewipe': 94123, 'employee being': 273677, 'treated badly': 930937, 'badly because': 108139, 'of arsewipe': 580376, 'arsewipe panicbuyers': 94124, 'panicbuyers they': 638884, 'stock replenished': 802784, 'replenished where': 711676, 'respect tesco': 715056, 'tesco panickbuyinguk': 838780, 'supermarket employee being': 820110, 'employee being treated': 273679, 'being treated badly': 125980, 'treated badly because': 930938, 'badly because of': 108140, 'because of arsewipe': 119311, 'of arsewipe panicbuyers': 580377, 'arsewipe panicbuyers they': 94125, 'panicbuyers they re': 638885, 're working hard': 699828, 'keep our stock': 471753, 'our stock replenished': 624922, 'stock replenished where': 802785, 'replenished where the': 711677, 'where the respect': 985246, 'the respect tesco': 865602, 'respect tesco panickbuyinguk': 715057, 'change amid': 171907, 'behavior change amid': 123959, 'change amid covid': 171908, 'this hasn': 887866, 'said yet': 731602, 'but thanks': 147275, 'paper factory': 640148, 'factory worker': 296015, 'worker quaratinelife': 1007652, 'cannot believe this': 161674, 'believe this hasn': 126384, 'this hasn been': 887867, 'hasn been said': 378730, 'been said yet': 121881, 'said yet but': 731603, 'yet but thanks': 1016025, 'but thanks to': 147276, 'toilet paper factory': 921272, 'paper factory worker': 640150, 'factory worker quaratinelife': 296022, 'worker quaratinelife toiletpaper': 1007653, 'it unprecedented': 461940, 'service world': 753118, 'world writes': 1010209, 'meant that': 524901, 'that shop': 846269, 'shop from': 760222, 'from multi': 336489, 'multi national': 545661, 'national brand': 552430, 'independent have': 434112, 'make decision': 509819, 'decision about': 230996, 'it unprecedented time': 461941, 'retail and food': 717820, 'food service world': 316439, 'service world writes': 753119, 'world writes the': 1010210, 'writes the onset': 1012876, '19 ha meant': 7366, 'ha meant that': 371266, 'meant that shop': 524902, 'that shop from': 846272, 'shop from multi': 760225, 'from multi national': 336490, 'multi national brand': 545662, 'national brand to': 552431, 'brand to small': 138050, 'to small local': 914759, 'small local independent': 775022, 'local independent have': 498115, 'independent have had': 434113, 'to make decision': 909647, 'make decision about': 509820, 'decision about the': 230997, 'about the immediate': 26415, 'the immediate future': 857901, 'at big': 98133, 'brother house': 141069, 'house workfromhome': 406706, 'workfromhome have': 1008418, 'any expectation': 79202, 'light week': 489621, 'week were': 977213, 'very wrong': 955674, 'wrong back': 1012998, 'back call': 106924, 'call meant': 155992, 'meant trip': 524916, 'wa break': 961746, 'news california': 560290, 'california expects': 155496, 'expects 50': 291067, 'it day at': 457476, 'day at big': 227327, 'at big brother': 98134, 'big brother house': 129667, 'brother house workfromhome': 141070, 'house workfromhome have': 406707, 'workfromhome have realized': 1008419, 'have realized that': 382186, 'realized that any': 701909, 'that any expectation': 842677, 'any expectation of': 79203, 'expectation of light': 290836, 'of light week': 585851, 'light week were': 489623, 'week were very': 977214, 'were very wrong': 980332, 'very wrong back': 955675, 'wrong back to': 1012999, 'back to back': 107354, 'to back call': 900976, 'back call meant': 106925, 'call meant trip': 155993, 'meant trip to': 524917, 'store wa break': 811101, 'wa break in': 961747, 'break in other': 138748, 'other news california': 620580, 'news california expects': 560291, 'california expects 50': 155497, 'expects 50 of': 291068, 'the population to': 864033, 'population to be': 664745, 'italy lockdown': 462868, 'lockdown extended': 499365, 'extended until': 293209, 'may anyone': 520926, 'thinking lockdown': 885941, 'end may': 275868, 'may ve': 521596, 'got bridge': 358452, 'bridge to': 139623, 'italy lockdown extended': 462869, 'lockdown extended until': 499366, 'extended until may': 293210, 'until may anyone': 943771, 'may anyone thinking': 520927, 'anyone thinking lockdown': 80567, 'thinking lockdown end': 885942, 'lockdown end may': 499338, 'end may ve': 275869, 'may ve got': 521597, 've got bridge': 953170, 'got bridge to': 358453, 'bridge to sell': 139624, 'implies': 418581, 'herding': 392629, 'coronvirusaus': 207158, 'college covid': 186608, 'team report': 835760, 'report implies': 712031, 'implies huge': 418584, 'in herding': 423665, 'herding australian': 392630, 'australian elderly': 103481, 'in exclusive': 422718, 'exclusive senior': 289694, 'access strategy': 28196, 'strategy must': 812688, 'must shift': 546879, 'them coronvirusaus': 875562, 'coronvirusaus sarscov2': 207159, 'imperial college covid': 418351, 'college covid 19': 186609, '19 response team': 10163, 'response team report': 715807, 'team report implies': 835761, 'report implies huge': 712032, 'implies huge risk': 418585, 'huge risk in': 410179, 'risk in herding': 723627, 'in herding australian': 423666, 'herding australian elderly': 392631, 'australian elderly in': 103482, 'elderly in exclusive': 270714, 'in exclusive senior': 422719, 'exclusive senior hour': 289695, 'senior hour for': 750325, 'hour for supermarket': 405622, 'for supermarket access': 325997, 'supermarket access strategy': 818762, 'access strategy must': 28198, 'strategy must shift': 812689, 'must shift to': 546880, 'shift to social': 758447, 'to social isolation': 914825, 'and online delivery': 68103, 'online delivery to': 608093, 'delivery to them': 234675, 'to them coronvirusaus': 917290, 'them coronvirusaus sarscov2': 875563, 'new interactive': 558943, 'interactive consumer': 441280, 'report covid': 711891, 'economic index': 267149, 'index despite': 434182, 'circumstance retail': 178742, 'continue through': 201158, 'day retail': 228281, 'new interactive consumer': 558944, 'interactive consumer spending': 441281, 'spending report covid': 788971, 'report covid 19': 711892, 'pandemic impact consumer': 635685, 'impact consumer economic': 417608, 'consumer economic index': 197292, 'economic index despite': 267150, 'index despite the': 434183, 'despite the circumstance': 238874, 'the circumstance retail': 850901, 'circumstance retail spending': 178743, 'retail spending is': 718590, 'expected to continue': 290968, 'to continue through': 903409, 'continue through the': 201159, 'through the next': 894754, '30 day retail': 17020, 'day retail restaurant': 228282, 'little reminder': 495541, 'reminder be': 710543, 'little reminder be': 495542, 'reminder be nice': 710544, 'nice to the': 562499, 'doing the best': 252713, 'the best they': 849557, 'other we are': 621191, 'price disaster': 673448, 'lining via': 493770, 'house price disaster': 406477, 'price disaster or': 673449, 'disaster or is': 244226, 'or is there': 615837, 'is there silver': 453033, 'silver lining via': 769831, 'to hope': 907959, 'hope come': 403437, 'with month': 999544, 'month case': 537635, 'diarrhea else': 240379, 'an addition': 55103, 'their toiletpaper': 875005, 'toiletpaper shelf': 922448, 'at superstore': 100794, 'superstore again': 824341, 'again today': 37236, 'want to hope': 966052, 'to hope come': 907960, 'hope come with': 403438, 'come with month': 187685, 'with month case': 999545, 'month case of': 537636, 'case of diarrhea': 165901, 'of diarrhea else': 582582, 'diarrhea else they': 240380, 'else they are': 271917, 'to need to': 910515, 'build an addition': 141946, 'an addition to': 55104, 'addition to store': 31749, 'store all their': 806141, 'all their toiletpaper': 45011, 'their toiletpaper shelf': 875009, 'toiletpaper shelf empty': 922449, 'shelf empty at': 757014, 'empty at superstore': 274794, 'at superstore again': 100795, 'superstore again today': 824342, 'bandipora': 109409, 'shahbaz': 754379, 'ahmad': 39243, 'constituted': 195743, 'district development': 248362, 'development commissioner': 239810, 'commissioner bandipora': 188933, 'bandipora shahbaz': 109410, 'shahbaz ahmad': 754380, 'ahmad mirza': 39246, 'mirza sunday': 533960, 'sunday directed': 818186, 'directed officer': 243411, 'officer of': 595685, 'affair fcs': 34033, 'ca to': 154908, 'ensure hassle': 277961, 'free distribution': 331772, 'of ration': 588749, 'ration amid': 697624, 'amid restriction': 52623, 'also constituted': 48058, 'constituted team': 195746, 'district development commissioner': 248363, 'development commissioner bandipora': 239811, 'commissioner bandipora shahbaz': 188934, 'bandipora shahbaz ahmad': 109411, 'shahbaz ahmad mirza': 754381, 'ahmad mirza sunday': 39247, 'mirza sunday directed': 533961, 'sunday directed officer': 818187, 'directed officer of': 243412, 'officer of food': 595686, 'of food civil': 583667, 'consumer affair fcs': 196086, 'affair fcs ca': 34034, 'fcs ca to': 300807, 'ca to ensure': 154909, 'to ensure hassle': 905166, 'ensure hassle free': 277962, 'hassle free distribution': 378820, 'free distribution of': 331773, 'distribution of ration': 248179, 'of ration amid': 588750, 'ration amid restriction': 697625, 'amid restriction and': 52624, 'restriction and also': 717203, 'and also constituted': 57944, 'also constituted team': 48059, 'york largest': 1016627, 'largest plant': 480000, 'plant supply': 658707, 'to canadian': 902416, 'canadian corporation': 160664, 'corporation persists': 207456, 'persists read': 652277, 'new york largest': 559935, 'york largest plant': 1016628, 'largest plant supply': 480001, 'plant supply for': 658708, 'supply for sanitizer': 825277, 'for sanitizer to': 325339, 'sanitizer to canadian': 735908, 'to canadian corporation': 902417, 'canadian corporation persists': 160665, 'corporation persists read': 207457, 'persists read more': 652278, 'china took': 177015, 'it serious': 460983, 'serious one': 751438, 'member from': 528089, 'each family': 264072, 'family out': 298137, 'supply every': 825229, 'every three': 286293, 'day only': 228161, 'if wearing': 415328, 'also having': 48342, 'having temp': 384306, 'temp taken': 837335, 'taken before': 832961, 'supermarket uk': 823598, 'to explode': 905484, 'explode in': 292297, '10 14': 1236, 'late co': 480857, 'china took it': 177016, 'took it serious': 925268, 'it serious one': 460985, 'serious one member': 751440, 'one member from': 606649, 'member from each': 528090, 'from each family': 335241, 'each family out': 264073, 'family out for': 298138, 'for supply every': 326042, 'supply every three': 825230, 'every three day': 286294, 'three day only': 893914, 'day only if': 228162, 'only if wearing': 610624, 'if wearing mask': 415329, 'mask and also': 518307, 'and also having': 57956, 'also having temp': 48344, 'having temp taken': 384307, 'temp taken before': 837336, 'taken before going': 832963, 'the supermarket uk': 868879, 'supermarket uk is': 823600, 'uk is going': 938482, 'going to explode': 355591, 'to explode in': 905485, 'explode in 10': 292298, 'in 10 14': 419676, '10 14 day': 1237, '14 day it': 3451, 'day it too': 227856, 'too late co': 924832, '99p': 23942, 'fuckingchancers': 340060, 'this absolutely': 886175, 'absolutely disgusting': 27340, 'for 99p': 318967, '99p hand': 23945, 'wash fuckingchancers': 967469, 'anything about this': 80678, 'about this absolutely': 26628, 'this absolutely disgusting': 886176, 'absolutely disgusting price': 27342, 'disgusting price for': 245447, 'price for 99p': 673921, 'for 99p hand': 318968, '99p hand wash': 23946, 'hand wash fuckingchancers': 375923, 'jr': 467561, 'stew leonard': 799984, 'leonard jr': 486402, 'jr the': 467564, 'buying especially': 150232, 'how store': 408748, 'shelf despite': 756980, 'despite major': 238777, 'major spike': 509466, 'stew leonard jr': 799986, 'leonard jr the': 486403, 'jr the ceo': 467565, 'talk about panic': 833751, 'panic buying especially': 637718, 'buying especially of': 150233, 'especially of toilet': 280571, 'paper and how': 639830, 'and how store': 64836, 'how store are': 408749, 'store are filling': 806477, 'are filling shelf': 86557, 'filling shelf despite': 305615, 'shelf despite major': 756981, 'despite major spike': 238778, 'major spike in': 509467, 'ankara': 76751, '156': 3986, 'ankara cemetery': 76752, 'cemetery closed': 169005, 'visitor online': 959597, 'shopping soar': 763932, 'soar turkey': 779276, 'turkey isolates': 935557, 'isolates during': 455046, 'pandemic turkey': 636855, 'turkey put': 935567, 'put 156': 690488, '156 place': 3987, 'place into': 657520, 'into quarantine': 442912, 'quarantine interior': 692296, 'interior ministry': 441689, 'ministry say': 533561, 'ankara cemetery closed': 76753, 'cemetery closed to': 169006, 'to visitor online': 918221, 'visitor online shopping': 959598, 'online shopping soar': 609276, 'shopping soar turkey': 763934, 'soar turkey isolates': 779277, 'turkey isolates during': 935558, 'isolates during pandemic': 455047, 'during pandemic turkey': 262905, 'pandemic turkey put': 636856, 'turkey put 156': 935568, 'put 156 place': 690489, '156 place into': 3988, 'place into quarantine': 657521, 'into quarantine interior': 442915, 'quarantine interior ministry': 692297, 'interior ministry say': 441690, 'viruscoronaupdate': 959102, 'updateviruscorona': 947468, 'reckon they': 704572, 'do movie': 249615, 'movie about': 543979, 'virus one': 958557, 'really boring': 702035, 'boring 19': 135426, 'coronavid19 viruscoronaupdate': 205404, 'viruscoronaupdate updateviruscorona': 959103, 'updateviruscorona panicbuying': 947469, 'panicbuying coronaupdatesinindia': 638924, 'coronaupdatesinindia toiletpaper': 205350, 'toiletpaperpanic lol': 923225, 'reckon they ll': 704573, 'll do movie': 496715, 'do movie about': 249616, 'movie about corona': 543981, 'about corona virus': 25023, 'corona virus one': 204335, 'virus one day': 958558, 'one day and': 606147, 'll be really': 496615, 'be really boring': 116709, 'really boring 19': 702036, 'boring 19 coronavid19': 135427, '19 coronavid19 viruscoronaupdate': 6086, 'coronavid19 viruscoronaupdate updateviruscorona': 205405, 'viruscoronaupdate updateviruscorona panicbuying': 959104, 'updateviruscorona panicbuying coronaupdatesinindia': 947470, 'panicbuying coronaupdatesinindia toiletpaper': 638925, 'coronaupdatesinindia toiletpaper toiletpaperpanic': 205351, 'toiletpaper toiletpaperpanic lol': 922697, 'vilains': 957306, 'hold one': 399982, 'new vilains': 559834, 'take hold one': 832196, 'hold one main': 399983, 'one main reason': 606633, 'reason is the': 702945, 'the new vilains': 861578, 'this explains': 887482, 'supply need': 825578, 'need yet': 556251, 'yet say': 1016221, 'sending ton': 750110, 'going from': 355170, 'federal govt': 302008, 'to commercial': 903073, 'commercial distributor': 188696, 'distributor who': 248336, 'who then': 989764, 'then deliver': 877114, 'highest bidder': 395811, 'bidder state': 129508, 'important for everyone': 418801, 'everyone to understand': 287508, 'to understand this': 917914, 'understand this explains': 940787, 'this explains why': 887483, 'explains why governor': 292259, 'why governor say': 991023, 'governor say not': 360985, 'say not getting': 738993, 'getting the supply': 349357, 'the supply need': 868954, 'supply need yet': 825580, 'need yet say': 556252, 'yet say we': 1016222, 'we are sending': 970704, 'are sending ton': 89980, 'sending ton of': 750111, 'ton of supply': 924287, 'of supply it': 590486, 'supply it going': 825471, 'it going from': 458281, 'going from the': 355176, 'the federal govt': 855075, 'federal govt to': 302010, 'govt to commercial': 361307, 'to commercial distributor': 903076, 'commercial distributor who': 188697, 'distributor who then': 248338, 'who then deliver': 989765, 'then deliver to': 877115, 'to the highest': 916775, 'the highest bidder': 857337, 'highest bidder state': 395815, 'you present': 1020417, 'even each': 284033, 'each place': 264256, 'have drop': 380367, 'off area': 593661, 'area thankyou': 92212, 'thank you present': 841802, 'you present to': 1020418, 'present to those': 670637, 'to those at': 917495, 'those at store': 891823, 'frontlineheroes even each': 338879, 'even each place': 284034, 'each place have': 264257, 'place have drop': 657483, 'have drop off': 380368, 'drop off area': 260327, 'off area thankyou': 593662, 'nonessential': 566613, 'the heel': 857231, 'of md': 586316, 'md first': 522266, 'old girl': 598266, 'girl state': 350281, 'state pile': 795858, 'pile on': 656513, 'restriction shopping': 717372, 'mall entertainment': 511778, 'venue closed': 954709, 'only instruction': 610648, 'instruction for': 440549, 'for college': 320152, 'and airport': 57815, 'airport access': 40082, 'access nonessential': 28159, 'nonessential travel': 566627, 'travel limit': 930418, 'on the heel': 604158, 'the heel of': 857232, 'heel of md': 388768, 'of md first': 586317, 'md first covid': 522267, '19 death case': 6441, 'death case of': 230001, 'virus in year': 958335, 'in year old': 431029, 'year old girl': 1014829, 'old girl state': 598267, 'girl state pile': 350282, 'state pile on': 795859, 'pile on new': 656514, 'on new restriction': 602381, 'new restriction shopping': 559485, 'restriction shopping mall': 717373, 'shopping mall entertainment': 763230, 'mall entertainment venue': 511779, 'entertainment venue closed': 278613, 'venue closed online': 954710, 'closed online only': 183266, 'online only instruction': 608630, 'only instruction for': 610649, 'instruction for college': 440550, 'for college and': 320153, 'college and airport': 186599, 'and airport access': 57816, 'airport access nonessential': 40083, 'access nonessential travel': 28160, 'nonessential travel limit': 566628, 'authority detained': 103705, 'detained five': 239312, 'allegedly trying': 45717, 'smuggle face': 775985, 'the ex': 854651, 'ex director': 288627, 'azerbaijani authority detained': 106400, 'authority detained five': 103706, 'detained five people': 239313, 'five people for': 309651, 'people for allegedly': 647946, 'for allegedly trying': 319199, 'allegedly trying to': 45718, 'trying to smuggle': 934873, 'to smuggle face': 914780, 'smuggle face mask': 775986, 'face mask into': 294553, 'sell at inflated': 748635, 'to the ex': 916687, 'the ex director': 854652, 'ex director of': 288628, 'effective handwashing': 269257, 'avoid transmission': 105364, 'the potentially': 864132, 'potentially fatal': 667210, 'fatal for': 300229, 'for dubai': 320876, 'company this': 191210, 'meant sale': 524897, '00 bottle': 88, 'effective handwashing and': 269258, 'handwashing and use': 376821, 'and use of': 74779, 'use of hand': 949413, 'sanitizer are two': 734486, 'are two of': 91248, 'two of the': 937091, 'most important measure': 542406, 'measure to avoid': 525384, 'to avoid transmission': 900954, 'avoid transmission of': 105365, 'transmission of the': 929754, 'the the potentially': 869394, 'the potentially fatal': 864133, 'potentially fatal for': 667211, 'fatal for dubai': 300230, 'for dubai based': 320877, 'based company this': 111541, 'company this ha': 191211, 'this ha meant': 887810, 'ha meant sale': 371265, 'meant sale of': 524898, 'sale of over': 732402, '100 00 bottle': 1783, '00 bottle of': 89, 'of sanitizer in': 589292, 'hoarding going': 399334, 'on couldn': 600137, 'couldn the': 209928, 'just bring': 468369, 'in ration': 427260, 'book it': 134555, 'be fairer': 114791, 'fairer create': 296412, 'create clarity': 215622, 'clarity for': 180095, 'production therefore': 682227, 'therefore helping': 879431, 'economy develop': 267803, 'develop in': 239645, 'in strategic': 428489, 'strategic way': 812565, 'and hoarding going': 64655, 'hoarding going on': 399335, 'going on couldn': 355311, 'on couldn the': 600138, 'couldn the government': 209929, 'the government just': 856556, 'government just bring': 360296, 'just bring in': 468370, 'bring in ration': 139997, 'in ration book': 427261, 'ration book it': 697648, 'book it would': 134556, 'would be fairer': 1011582, 'be fairer create': 114792, 'fairer create clarity': 296413, 'create clarity for': 215623, 'clarity for food': 180096, 'for food production': 321616, 'food production therefore': 316051, 'production therefore helping': 682228, 'therefore helping the': 879432, 'the economy develop': 853958, 'economy develop in': 267804, 'develop in strategic': 239646, 'in strategic way': 428490, 'hawthorn': 384493, 'visited aldi': 959454, 'at hawthorn': 98866, 'hawthorn adelaide': 384494, 'adelaide and': 32133, 'meat canned': 525510, 'food among': 313125, 'thing gone': 884371, 'gone panic': 356352, 'insane what': 439083, 'just visited aldi': 470184, 'visited aldi at': 959455, 'aldi at hawthorn': 41258, 'at hawthorn adelaide': 98867, 'hawthorn adelaide and': 384495, 'adelaide and all': 32134, 'and all meat': 57875, 'all meat canned': 43483, 'meat canned food': 525511, 'canned food among': 161508, 'food among other': 313126, 'other thing gone': 621107, 'thing gone panic': 884372, 'gone panic buying': 356353, 'due to is': 261833, 'to is insane': 908522, 'is insane what': 448932, 'insane what happens': 439084, 'are not panic': 88431, 'buying and have': 149910, 'and have family': 64242, 'have family to': 380584, 'family to feed': 298327, 'feed and keep': 302279, 'and keep healthy': 65763, 'reposition': 712790, 'jordanian': 467303, 'pandemic created': 635262, 'created many': 215846, 'opinion local': 613477, 'specific fmcg': 788213, 'great opportunity': 362865, 're brand': 698383, 'brand or': 137959, 'or reposition': 616856, 'reposition themselves': 712791, 'themselves in': 876829, 'market jordanian': 516659, 'jordanian consumer': 467304, 'mind in': 532678, 'in competing': 421630, 'strong international': 814055, 'international brand': 441760, 'pandemic created many': 635263, 'created many business': 215847, 'many business opportunity': 513849, 'opportunity in my': 613645, 'my opinion local': 549604, 'opinion local manufacturer': 613478, 'local manufacturer in': 498170, 'manufacturer in specific': 513472, 'in specific fmcg': 428196, 'specific fmcg company': 788214, 'fmcg company have': 311722, 'company have great': 190736, 'have great opportunity': 380835, 'great opportunity to': 362866, 'opportunity to re': 613720, 'to re brand': 912776, 're brand or': 698384, 'brand or reposition': 137961, 'or reposition themselves': 616857, 'reposition themselves in': 712792, 'themselves in the': 876835, 'the market jordanian': 860127, 'market jordanian consumer': 516660, 'jordanian consumer mind': 467305, 'consumer mind in': 198131, 'mind in competing': 532679, 'in competing with': 421631, 'competing with strong': 191648, 'with strong international': 1001024, 'strong international brand': 814056, 'the math': 860290, 'math on': 520473, 'demand go': 235572, 'go learn': 353796, 'learn something': 484061, 'something while': 785143, 'home eating': 401119, 'food quarantine': 316099, 'quarantine youtube': 692725, 'to the math': 916872, 'the math on': 860293, 'math on demand': 520474, 'on demand go': 600282, 'demand go learn': 235573, 'go learn something': 353797, 'learn something while': 484062, 'something while you': 785144, 'at home eating': 98981, 'home eating up': 401120, 'eating up all': 266329, 'the food quarantine': 855592, 'food quarantine youtube': 316100, '604': 21130, '9802': 23737, 'reason home': 702931, 'remain steady': 709862, 'steady despite': 799118, 'despite 19': 238659, 'isn large': 454584, 'market 604': 515899, '604 561': 21131, '561 9802': 20470, 'main reason home': 508809, 'reason home price': 702932, 'to remain steady': 913173, 'remain steady despite': 709863, 'steady despite 19': 799119, 'despite 19 is': 238660, 'there isn large': 878668, 'isn large enough': 454585, 'large enough supply': 479658, 'enough supply for': 277648, 'supply for people': 825274, 'advantage of low': 33012, 'of low price': 586046, 'low price we': 505548, 'price we couldn': 677399, 'we couldn agree': 971223, 'agree more call': 38619, 'more call to': 538758, 'call to make': 156178, 'to make sense': 909736, 'make sense of': 510441, 'sense of the': 750567, 'the market 604': 860083, 'market 604 561': 515900, '604 561 9802': 21132, 'into aldi': 442379, 'aldi right': 41293, 'sweep 19': 830092, 'heading into aldi': 385943, 'into aldi right': 442380, 'aldi right now': 41294, 'now for family': 574718, 'family of like': 298101, 'of like getting': 585854, 'like getting ready': 490308, 'ready to compete': 700944, 'compete on supermarket': 191597, 'supermarket sweep 19': 823078, 'elderly population': 270859, 'population the': 664741, 'is significant': 451919, 'significant at': 769399, '20 particularly': 13242, 'particularly 80': 642654, '80 elderly': 22565, 'supermarket cancel': 819517, 'cancel it': 160854, 'it thank': 461479, 'the elderly population': 854139, 'elderly population the': 270861, 'population the mortality': 664743, 'rate is significant': 697278, 'is significant at': 451920, 'significant at around': 769400, 'around 20 particularly': 93126, '20 particularly 80': 13243, 'particularly 80 elderly': 642655, '80 elderly people': 22566, 'elderly people are': 270816, 'health and life': 386145, 'and life to': 66143, 'supermarket please if': 822016, 'you have delivery': 1019036, 'slot and you': 774110, 'and you could': 76009, 'the supermarket cancel': 868505, 'supermarket cancel it': 819518, 'cancel it thank': 160856, 'it thank you': 461480, 'bergamo': 127296, 'cremation': 216645, 'morgue': 541096, 'exist word': 290254, 'to define': 904063, 'define this': 232273, 'image those': 416655, 'those military': 892209, 'military truck': 531509, 'truck across': 932716, 'across bergamo': 29276, 'bergamo are': 127297, 'carrying coffin': 165171, 'coffin to': 185573, 'other city': 619948, 'of lombardy': 585983, 'lombardy region': 501005, 'region so': 707460, 'proceed with': 679838, 'with cremation': 997851, 'cremation process': 216646, 'and cemetery': 59668, 'cemetery morgue': 169009, 'morgue can': 541099, 'the overload': 862779, 'overload this': 631269, 'far went': 298975, 'it doesn exist': 457628, 'doesn exist word': 251786, 'exist word to': 290255, 'word to define': 1004598, 'to define this': 904064, 'define this image': 232275, 'this image those': 888009, 'image those military': 416656, 'those military truck': 892210, 'military truck across': 531510, 'truck across bergamo': 932717, 'across bergamo are': 29277, 'bergamo are carrying': 127298, 'are carrying coffin': 85184, 'carrying coffin to': 165172, 'coffin to other': 185574, 'to other city': 911111, 'other city of': 619949, 'city of lombardy': 179283, 'of lombardy region': 585984, 'lombardy region so': 501006, 'region so to': 707463, 'so to proceed': 778538, 'to proceed with': 912169, 'proceed with cremation': 679839, 'with cremation process': 997852, 'cremation process the': 216647, 'process the city': 679965, 'the city and': 850917, 'city and cemetery': 179045, 'and cemetery morgue': 59669, 'cemetery morgue can': 169010, 'morgue can take': 541100, 'can take the': 159907, 'take the overload': 832668, 'the overload this': 862780, 'overload this is': 631270, 'is how far': 448574, 'how far went': 407846, 'your shit': 1025750, 'be disaster': 114477, 'disaster with': 244266, 'in leadership': 424652, 'leadership lock': 483626, 'lock it': 499072, 'down close': 256642, 'border people': 135270, 'from vacation': 338217, 'vacation yesterday': 951611, 'get your shit': 348734, 'your shit together': 1025753, 'shit together the': 759269, 'together the is': 920975, 'to be disaster': 901208, 'be disaster with': 114478, 'disaster with you': 244267, 'you in leadership': 1019306, 'in leadership lock': 424653, 'leadership lock it': 483627, 'lock it down': 499074, 'it down close': 457689, 'down close border': 256644, 'close border people': 182572, 'border people know': 135271, 'know are coming': 476277, 'are coming back': 85430, 'coming back from': 188002, 'back from vacation': 107020, 'from vacation yesterday': 338218, 'vacation yesterday and': 951612, 'yesterday and are': 1015658, 'and are at': 58296, 'stoptouchingyourface': 805942, 'on touch': 604818, 'touch his': 926491, 'face about': 294281, 'time within': 898363, 'minute glove': 533767, 'glove aren': 352597, 'aren magic': 92457, 'magic stoptouchingyourface': 508389, 'guy in line': 369035, 'in line today': 424779, 'line today at': 493500, 'with glove on': 998624, 'glove on touch': 352828, 'on touch his': 604819, 'touch his face': 926492, 'his face about': 397409, 'face about time': 294282, 'about time within': 26700, 'time within minute': 898364, 'within minute glove': 1002388, 'minute glove aren': 533768, 'glove aren magic': 352598, 'aren magic stoptouchingyourface': 92458, 'phillyascleo': 654778, 'thetwiddleofficial': 881051, 'are delicate': 85752, 'delicate time': 233005, 'time phillyascleo': 897482, 'phillyascleo thetwiddleofficial': 654779, 'thetwiddleofficial life': 881052, 'life living': 488854, 'living lifestyle': 496407, 'lifestyle toiletpaper': 489380, 'tp delicate': 927791, 'these are delicate': 879611, 'are delicate time': 85753, 'delicate time phillyascleo': 233006, 'time phillyascleo thetwiddleofficial': 897483, 'phillyascleo thetwiddleofficial life': 654780, 'thetwiddleofficial life living': 881053, 'life living lifestyle': 488855, 'living lifestyle toiletpaper': 496408, 'lifestyle toiletpaper tp': 489381, 'toiletpaper tp delicate': 922747, 'gantz': 343424, 'epidemic safety': 279439, 'safety filter': 730527, 'filter let': 305768, 'let brand': 486631, 'brand opt': 137957, 'opt out': 613864, 'virus news': 958524, 'news gantz': 560464, 'gantz reported': 343425, 'epidemic safety filter': 279440, 'safety filter let': 730528, 'filter let brand': 305769, 'let brand opt': 486632, 'brand opt out': 137958, 'opt out of': 613865, 'out of virus': 626871, 'of virus news': 592828, 'virus news gantz': 958525, 'news gantz reported': 560465, 'gantz reported by': 343426, 'distancing isolation': 247259, 'use contactless': 949133, 'or ideally': 615709, 'ideally mobile': 413292, 'mobile payment': 535007, 'payment much': 645681, 'can instead': 158758, 'cash wednesdaywisdom': 166373, 'wednesdaywisdom askdrh': 975738, 'social distancing isolation': 779640, 'distancing isolation please': 247261, 'isolation please try': 455392, 'try to use': 934676, 'to use contactless': 918019, 'use contactless payment': 949134, 'contactless payment or': 200379, 'payment or ideally': 645700, 'or ideally mobile': 615710, 'ideally mobile payment': 413293, 'mobile payment much': 535008, 'payment much you': 645682, 'you can instead': 1017706, 'can instead of': 158759, 'instead of cash': 440244, 'of cash wednesdaywisdom': 581187, 'cash wednesdaywisdom askdrh': 166374, 'omwanvu': 598954, 'wakuffa': 964674, 'going high': 355193, 'high more': 395172, 'so da': 776832, 'da sanitizers': 224240, 'sanitizers imagine': 736313, 'from 30k': 334273, '30k to': 17456, 'to 150k': 899510, '150k after': 3960, '19 omwanvu': 8923, 'omwanvu wakuffa': 598955, 'price of thing': 675589, 'are going high': 86886, 'going high more': 355194, 'high more so': 395173, 'more so da': 540414, 'so da sanitizers': 776833, 'da sanitizers imagine': 224241, 'sanitizers imagine from': 736314, 'imagine from 30k': 416722, 'from 30k to': 334274, '30k to 150k': 17457, 'to 150k after': 899511, '150k after day': 3961, 'after day of': 35540, 'covid 19 omwanvu': 213514, '19 omwanvu wakuffa': 8924, '00 uk': 571, 'pub to': 687784, 'reopen click': 711348, 'collect supermarket': 186323, '00 uk pub': 572, 'uk pub to': 938655, 'pub to reopen': 687786, 'to reopen click': 913238, 'reopen click and': 711349, 'and collect supermarket': 60090, 'collect supermarket during': 186324, 'supermarket during lockdown': 820053, 'news check': 560314, 'article scary': 94453, 'scary good': 741150, 'good graphic': 357143, 'graphic though': 362174, 'sky news check': 773210, 'news check out': 560315, 'out the video': 627434, 'the video in': 870747, 'video in the': 956785, 'the article scary': 848941, 'article scary good': 94454, 'scary good graphic': 741151, 'good graphic though': 357144, 'your fighter': 1023856, 'choose your fighter': 177928, 'topped': 925839, 'lost access': 503819, 'just topped': 470135, 'topped up': 925844, 'longer access': 501904, 'so fewer': 777087, 'fewer customer': 304204, 'agent available': 38156, 'available due': 104331, 'block access': 132766, 'lost access to': 503820, 'access to my': 28260, 'to my account': 910370, 'my account just': 547222, 'account just topped': 28713, 'just topped up': 470136, 'topped up money': 925845, 'up money for': 945395, 'money for online': 536756, 'for online purchase': 324110, 'online purchase and': 608816, 'purchase and can': 689348, 'and can no': 59461, 'no longer access': 564627, 'longer access my': 501905, 'my account so': 547224, 'account so fewer': 28750, 'so fewer customer': 777088, 'fewer customer service': 304206, 'customer service agent': 222815, 'service agent available': 752043, 'agent available due': 38157, 'available due to': 104332, '19 but you': 5545, 'going to block': 355540, 'to block access': 901862, 'block access to': 132767, 'access to account': 28212, 'pickins': 655897, 'slim pickins': 773992, 'pickins at': 655898, 'supermarket requires': 822210, 'requires creativity': 713460, 'in cooking': 421773, 'cooking anyone': 202847, 'slim pickins at': 773993, 'pickins at the': 655899, 'the supermarket requires': 868774, 'supermarket requires creativity': 822211, 'requires creativity in': 713461, 'creativity in cooking': 216211, 'in cooking anyone': 421774, 'cooking anyone else': 202848, 're in an': 698863, 'good number': 357478, 'icu now': 412843, 'now life': 575203, 'life without': 489225, 'without won': 1003053, 'won kill': 1003851, 'good number of': 357479, 'number of those': 577003, 'those people would': 892335, 'people would probably': 650541, 'would probably be': 1012120, 'probably be in': 679215, 'be in icu': 115410, 'in icu now': 423961, 'icu now life': 412844, 'now life without': 575204, 'life without won': 489226, 'without won kill': 1003054, 'won kill you': 1003853, 'kill you but': 474551, 'you but will': 1017558, 'ebmt': 266535, 'biopharma': 131244, 'ebmt noun': 266536, 'noun verb': 573664, 'verb person': 954747, 'now attack': 574144, 'attack biopharma': 102091, 'biopharma about': 131245, 'about high': 25382, 'price whilst': 677530, 'whilst biopharma': 987613, 'biopharma are': 131247, 'cure treatment': 220840, 'treatment is': 931097, 'is non': 449998, 'ebmt noun verb': 266537, 'noun verb person': 573665, 'verb person who': 954748, 'person who now': 652733, 'who now attack': 989349, 'now attack biopharma': 574145, 'attack biopharma about': 102092, 'biopharma about high': 131246, 'about high drug': 25383, 'drug price whilst': 261061, 'price whilst biopharma': 677531, 'whilst biopharma are': 987614, 'biopharma are trying': 131248, 'to find cure': 905892, 'find cure treatment': 306869, 'cure treatment is': 220844, 'treatment is who': 931099, 'is who is': 453950, 'who is non': 989093, 'is non stop': 450001, 'andrewyang': 76208, 'only correction': 610273, 'correction to': 207576, 'to globaleconomy': 906749, 'globaleconomy globaleconomy': 352312, 'globaleconomy thrown': 352317, 'thrown off': 895145, 'by or': 153451, 'any future': 79268, 'future strain': 342462, 'total reset': 926234, 'reset of': 714167, 'debt down': 230470, 'zero reset': 1027489, 'zero and': 1027406, 'an andrewyang': 55305, 'andrewyang ubi': 76209, 'ubi policy': 937851, 'the only correction': 862295, 'only correction to': 610274, 'correction to globaleconomy': 207578, 'to globaleconomy globaleconomy': 906750, 'globaleconomy globaleconomy thrown': 352313, 'globaleconomy thrown off': 352318, 'thrown off by': 895146, 'off by or': 593711, 'by or any': 153453, 'or any future': 614345, 'any future strain': 79270, 'future strain of': 342463, 'strain of virus': 812286, 'of virus is': 592825, 'virus is total': 958409, 'is total reset': 453298, 'total reset of': 926235, 'reset of debt': 714169, 'of debt down': 582429, 'debt down to': 230471, 'down to zero': 257391, 'to zero reset': 919055, 'zero reset of': 1027490, 'reset of asset': 714168, 'of asset price': 580400, 'to zero and': 919050, 'zero and an': 1027407, 'and an andrewyang': 58102, 'an andrewyang ubi': 55306, 'andrewyang ubi policy': 76210, 'shopowner': 761285, 'asiyah': 95463, 'javed': 464872, 'watching bbc': 968711, 'news shopowner': 560787, 'shopowner asiyah': 761286, 'asiyah javed': 95468, 'javed her': 464873, 'husband have': 411712, 'been delivering': 120945, 'delivering handwash': 233509, 'handwash face': 376764, 'elderly why': 270951, 'why asiyah': 990811, 'asiyah had': 95466, 'had met': 373300, 'met an': 529559, 'cry co': 219859, 'co people': 184948, 'had stockpiled': 373558, 'stockpiled the': 803860, 'the handwash': 857084, 'handwash asiyah': 376756, 'asiyah and': 95464, 'husband are': 411677, 'absolute hero': 27244, 'watching bbc news': 968712, 'bbc news shopowner': 113098, 'news shopowner asiyah': 560788, 'shopowner asiyah javed': 761287, 'asiyah javed her': 95469, 'javed her husband': 464874, 'her husband have': 392124, 'husband have been': 411713, 'have been delivering': 379507, 'been delivering handwash': 120947, 'delivering handwash face': 233510, 'handwash face mask': 376765, 'the elderly why': 854161, 'elderly why asiyah': 270952, 'why asiyah had': 990812, 'asiyah had met': 95467, 'had met an': 373301, 'met an elderly': 529560, 'in supermarket who': 428715, 'supermarket who wa': 823861, 'who wa cry': 989906, 'wa cry co': 961907, 'cry co people': 219860, 'co people had': 184949, 'people had stockpiled': 648141, 'had stockpiled the': 373560, 'stockpiled the handwash': 803861, 'the handwash asiyah': 857085, 'handwash asiyah and': 376757, 'asiyah and her': 95465, 'and her husband': 64513, 'her husband are': 392120, 'husband are absolute': 411678, 'are absolute hero': 84164, 'gaugers': 344552, 'price gaugers': 674152, 'gaugers yes': 344553, 'yes everything': 1015427, 'bigger in': 130153, 'texas just': 839795, 'price stimuluschecks': 676656, 'price gaugers yes': 674153, 'gaugers yes everything': 344554, 'yes everything is': 1015428, 'everything is bigger': 287866, 'is bigger in': 446175, 'bigger in texas': 130154, 'in texas just': 428891, 'texas just not': 839796, 'just not our': 469334, 'not our price': 570859, 'our price stimuluschecks': 624449, 'supermarket measure': 821494, 'measure amp': 525093, 'amp introducing': 54011, 'introducing dedicated': 443492, 'dedicated hour': 231714, 'amp vulnerable': 54789, 'customer aldi': 222039, 'aldi to': 41311, 'install clear': 439988, 'clear screen': 181311, 'shorten opening': 765331, 'more supermarket measure': 540502, 'supermarket measure amp': 821495, 'measure amp introducing': 525095, 'amp introducing dedicated': 54012, 'introducing dedicated hour': 443493, 'dedicated hour for': 231715, 'nh worker amp': 562172, 'worker amp vulnerable': 1006264, 'amp vulnerable customer': 54790, 'vulnerable customer aldi': 960921, 'customer aldi to': 222040, 'aldi to install': 41312, 'to install clear': 908417, 'install clear screen': 439989, 'clear screen at': 181312, 'screen at checkout': 742676, 'at checkout to': 98254, 'checkout to prevent': 175043, 'prevent infection and': 671656, 'infection and shorten': 436715, 'and shorten opening': 71576, 'shorten opening hour': 765332, 'musical': 546357, 'here show': 393557, 'your socialdistancing': 1025857, 'socialdistancing from': 780374, 'from distance': 335162, 'distance with': 246901, 'our exclusive': 622940, 'exclusive design': 289663, 'design this': 238268, 'this musical': 889064, 'musical plague': 546360, 'plague doctor': 657960, 'doctor is': 250965, 'that shout': 846295, 'shout including': 766766, 'including netflix': 432070, 'paper spread': 640816, 'news not': 560639, 'virus order': 958577, 'it here show': 458573, 'here show off': 393558, 'show off your': 767079, 'off your socialdistancing': 594449, 'your socialdistancing from': 1025859, 'socialdistancing from distance': 780375, 'from distance with': 335163, 'distance with our': 246902, 'with our exclusive': 999992, 'our exclusive design': 622943, 'exclusive design this': 289664, 'design this musical': 238269, 'this musical plague': 889065, 'musical plague doctor': 546361, 'plague doctor is': 657962, 'doctor is surrounded': 250967, 'surrounded by all': 828721, 'by all thing': 151792, 'all thing that': 45079, 'thing that shout': 884821, 'that shout including': 846296, 'shout including netflix': 766767, 'including netflix and': 432071, 'netflix and toiletpaper': 557595, 'and toiletpaper paper': 74245, 'toiletpaper paper spread': 922318, 'paper spread the': 640817, 'spread the news': 790828, 'the news not': 861621, 'news not the': 560640, 'the virus order': 870872, 'virus order today': 958578, 'affect home': 34158, 'here how covid': 393102, 'might affect home': 530862, 'affect home price': 34159, 'price in canada': 674671, 'distancing 10': 246937, 'audience amid': 102903, 'social distancing 10': 779541, 'distancing 10 way': 246938, '10 way to': 1753, 'way to engage': 970024, 'to engage consumer': 905122, 'engage consumer audience': 276847, 'consumer audience amid': 196355, 'audience amid the': 102904, 'independent toy': 434145, 'independent toy retailer': 434146, 'are severely': 90008, 'severely affected': 754073, 'spending and consumption': 788732, 'and consumption are': 60458, 'consumption are severely': 199838, 'are severely affected': 90009, 'severely affected by': 754074, 'large stake': 479798, 'price implement': 674635, 'implement good': 418387, 'good corporate': 356920, 'corporate governance': 207287, 'governance and': 359772, 'sell when': 748944, 'price recovers': 676122, 'recovers profit': 705279, 'profit can': 682694, 'be injected': 115505, 'injected into': 438689, 'reimbursed to': 708230, 'government should buy': 360599, 'should buy large': 765804, 'buy large stake': 148889, 'large stake in': 479799, 'stake in these': 793312, 'in these company': 429834, 'these company at': 879785, 'company at rock': 190478, 'bottom price implement': 136437, 'price implement good': 674636, 'implement good corporate': 418388, 'good corporate governance': 356921, 'corporate governance and': 207288, 'governance and then': 359773, 'and then sell': 73804, 'then sell when': 877512, 'sell when the': 748945, 'the price recovers': 864404, 'price recovers profit': 676123, 'recovers profit can': 705280, 'profit can be': 682695, 'can be injected': 157633, 'be injected into': 115506, 'injected into public': 438690, 'into public service': 442908, 'public service or': 688306, 'service or reimbursed': 752667, 'or reimbursed to': 616835, 'reimbursed to key': 708231, 'key worker to': 473523, 'worker to say': 1008020, 'just watching': 470248, 'the italy': 858596, 'italy report': 462899, 'news lock': 560589, 'lock this': 499082, 'country down': 210588, 'now freeze': 574746, 'price protect': 676016, 'protect wage': 685034, 'wage like': 963922, 'eu ha': 283232, 'done close': 254810, 'close non': 182732, 'shop bar': 759967, 'restaurant protect': 716645, 'like italy': 490572, 'just watching the': 470249, 'watching the italy': 968799, 'the italy report': 858597, 'italy report on': 462900, 'report on sky': 712152, 'on sky news': 603496, 'sky news lock': 773212, 'news lock this': 560590, 'lock this country': 499083, 'this country down': 886948, 'country down now': 210589, 'down now freeze': 256993, 'now freeze price': 574747, 'freeze price protect': 332551, 'price protect wage': 676017, 'protect wage like': 685035, 'wage like the': 963923, 'like the eu': 491366, 'the eu ha': 854559, 'eu ha done': 283233, 'ha done close': 370414, 'done close non': 254811, 'close non essential': 182733, 'non essential shop': 566357, 'essential shop bar': 281545, 'shop bar restaurant': 759969, 'bar restaurant protect': 110757, 'restaurant protect the': 716646, 'the public before': 864793, 'public before we': 687898, 'before we end': 123284, 'end up like': 276037, 'up like italy': 945315, 'germx': 346390, 'beervirus': 122558, 'damnbeervirus': 225470, 'coronabeervirus': 204446, 'got at': 358417, 'house coronaoutbreak': 406245, 'coronaoutbreak corona': 205107, 'corona washyourhands': 204386, 'toiletpaperpanic germx': 923209, 'germx beervirus': 346391, 'beervirus damnbeervirus': 122559, 'damnbeervirus coronabeer': 225471, 'coronabeer coronabeervirus': 204445, 've got at': 953167, 'got at my': 358419, 'my house coronaoutbreak': 548727, 'house coronaoutbreak corona': 406246, 'coronaoutbreak corona washyourhands': 205110, 'corona washyourhands toiletpaper': 204387, 'washyourhands toiletpaper toiletpapercrisis': 967930, 'toiletpapercrisis toiletpaperpanic germx': 923112, 'toiletpaperpanic germx beervirus': 923210, 'germx beervirus damnbeervirus': 346392, 'beervirus damnbeervirus coronabeer': 122560, 'damnbeervirus coronabeer coronabeervirus': 225472, 'bedford': 120442, 'abide': 24344, 'sickened that': 768704, 'person saw': 652593, 'saw in': 738142, 'the bedford': 849414, 'bedford didn': 120443, 'any attention': 78950, 'distance or': 246792, 'the route': 866013, 'route they': 726471, 'that play': 845766, 'play vital': 659244, 'vital role': 959714, 'role we': 725140, 'to abide': 899904, 'abide by': 24345, 'safe too': 730069, 'sickened that every': 768705, 'that every single': 843755, 'every single person': 286190, 'single person saw': 771376, 'person saw in': 652595, 'saw in the': 738143, 'in the bedford': 429018, 'the bedford didn': 849415, 'bedford didn pay': 120444, 'didn pay any': 241155, 'pay any attention': 644748, 'any attention to': 78951, 'to the 2m': 916478, 'the 2m distance': 848067, '2m distance or': 16682, 'distance or the': 246793, 'or the route': 617394, 'the route they': 866015, 'route they put': 726472, 'they put in': 882951, 'in place it': 426743, 'place it not': 657537, 'the nh that': 861766, 'nh that play': 562135, 'that play vital': 845769, 'play vital role': 659245, 'vital role we': 959716, 'role we need': 725141, 'need to abide': 555847, 'to abide by': 899905, 'abide by the': 24349, 'by the rule': 154428, 'rule and keep': 727188, 'and keep supermarket': 65782, 'keep supermarket staff': 471990, 'supermarket staff safe': 822885, 'staff safe too': 792811, 'forum editor': 329952, 'editor pick': 268671, 'pick coping': 655645, 'with dual': 998150, 'dual shock': 261440, 'shock 19': 759410, 'from the forum': 337709, 'the forum editor': 855721, 'forum editor pick': 329953, 'editor pick coping': 268672, 'pick coping with': 655646, 'coping with dual': 203399, 'with dual shock': 998151, 'dual shock 19': 261441, 'shock 19 and': 759411, 'snitch': 776368, 'hereafter': 393864, 'tangentially': 834164, 'have general': 380757, 'general no': 345414, 'no snitch': 565535, 'snitch policy': 776369, 'day hereafter': 227754, 'hereafter when': 393865, 'anything even': 80754, 'even tangentially': 284635, 'tangentially related': 834165, 'to if': 908099, 'you selling': 1021112, 'selling disinfecting': 749214, 'wipe spray': 996377, 'spray toilet': 790337, 'paper soap': 640792, 'for exorbitant': 321318, 'am reporting': 50348, 'reporting you': 712786, 'have general no': 380758, 'general no snitch': 345415, 'no snitch policy': 565536, 'snitch policy but': 776370, 'policy but on': 663356, 'but on one': 146659, 'on one today': 602514, 'one today and': 607293, 'every day hereafter': 285817, 'day hereafter when': 227755, 'hereafter when it': 393866, 'come to anything': 187554, 'to anything even': 900634, 'anything even tangentially': 80755, 'even tangentially related': 284636, 'tangentially related to': 834166, 'related to if': 708606, 'to if see': 908102, 'if see you': 414766, 'see you selling': 746111, 'you selling disinfecting': 1021113, 'selling disinfecting wipe': 749215, 'disinfecting wipe spray': 245900, 'wipe spray toilet': 996378, 'spray toilet paper': 790338, 'toilet paper soap': 921455, 'paper soap etc': 640793, 'soap etc for': 778992, 'etc for exorbitant': 282545, 'for exorbitant price': 321319, 'exorbitant price am': 290401, 'price am reporting': 672301, 'am reporting you': 50349, 'supplier during': 824529, 'by paying': 153540, 'paying them': 645505, 'them immediately': 875888, 'making finance': 511071, 'finance available': 306163, 'available 19': 104200, 'british supermarket said': 140609, 'supermarket said on': 822297, 'wednesday it would': 975657, 'it would help': 462594, 'would help it': 1011909, 'help it smaller': 389949, 'smaller supplier during': 775311, 'supplier during the': 824530, 'the emergency by': 854221, 'emergency by paying': 272615, 'by paying them': 153542, 'paying them immediately': 645506, 'them immediately and': 875889, 'immediately and making': 417055, 'and making finance': 66588, 'making finance available': 511072, 'finance available 19': 306164, 'choice no': 177793, 'supermarket infection': 821029, 'control publichealth': 202118, 'publichealth government': 688536, 'government food': 360093, 'food queue': 316105, 'queue nightmare': 694004, 'supermarket but have': 819446, 'but have no': 145880, 'no choice no': 563808, 'choice no slot': 177795, 'no slot for': 565523, 'for week for': 327706, 'collect supermarket must': 186325, 'supermarket must do': 821553, 'do more supermarket': 249604, 'more supermarket infection': 540501, 'supermarket infection control': 821030, 'infection control publichealth': 436736, 'control publichealth government': 202119, 'publichealth government food': 688537, 'government food queue': 360094, 'food queue nightmare': 316106, 'yuma': 1027087, 'president with': 670975, 'guard should': 367838, 'at 2nd': 97574, '2nd rate': 16801, 'rate grocery': 697238, 'food city': 313934, 'city here': 179182, 'in yuma': 431147, 'yuma az': 1027088, 'az is': 106380, 'this blatant': 886569, 'blatant abuse': 132430, 'abuse of': 27645, 'government fund': 360113, 'mr president with': 544393, 'president with all': 670976, 'due respect the': 261681, 'respect the national': 715064, 'national guard should': 552527, 'guard should not': 367839, 'used to stock': 950093, 'stock shelf at': 802829, 'shelf at 2nd': 756842, 'at 2nd rate': 97575, '2nd rate grocery': 16802, 'rate grocery store': 697239, 'store chain like': 806927, 'chain like food': 170891, 'like food city': 490258, 'food city here': 313936, 'city here in': 179183, 'here in yuma': 393195, 'in yuma az': 431148, 'yuma az is': 1027089, 'az is there': 106381, 'any way you': 80041, 'you can stop': 1017797, 'can stop this': 159828, 'stop this blatant': 805185, 'this blatant abuse': 886570, 'blatant abuse of': 132431, 'abuse of government': 27646, 'of government fund': 584271, 'covied19': 214428, 'financialempowerment': 306642, 'the published': 864879, 'time covied19': 896520, 'covied19 financialempowerment': 214429, 'finance the published': 306281, 'the published some': 864880, 'challenging time covied19': 171634, 'time covied19 financialempowerment': 896521, 'folder': 312067, 'oxygenators': 632681, 'work email': 1005089, 'email spam': 272302, 'spam folder': 787382, 'folder had': 312070, 'had over': 373378, '200 email': 13481, 'about various': 26817, 'various product': 952629, 'against or': 37567, 'cure special': 220809, 'special mask': 787987, 'sanitizer oxygenators': 735521, 'oxygenators immune': 632682, 'immune booster': 417311, 'booster there': 135058, 'is whole': 453951, 'whole industry': 990247, 'industry around': 435666, 'around already': 93184, 'today my work': 919908, 'my work email': 550640, 'work email spam': 1005090, 'email spam folder': 272303, 'spam folder had': 787383, 'folder had over': 312071, 'had over 200': 373379, 'over 200 email': 629803, '200 email about': 13482, 'email about various': 272097, 'about various product': 26818, 'various product to': 952630, 'product to protect': 681759, 'protect against or': 684765, 'against or cure': 37568, 'or cure special': 614870, 'cure special mask': 220810, 'special mask hand': 787988, 'hand sanitizer oxygenators': 375526, 'sanitizer oxygenators immune': 735522, 'oxygenators immune booster': 632683, 'immune booster there': 417312, 'booster there is': 135059, 'there is whole': 878653, 'is whole industry': 453953, 'whole industry around': 990248, 'industry around already': 435667, 'failing miserably': 296208, 'miserably at': 533995, 'at providing': 100216, 'providing grocery': 687016, 'online causing': 607996, 'causing senior': 168088, 'claim there': 179837, 'website out': 975385, 'stock coronav': 802026, 'is failing miserably': 447710, 'failing miserably at': 296209, 'miserably at providing': 533996, 'at providing grocery': 100217, 'providing grocery online': 687017, 'grocery online causing': 364774, 'online causing senior': 607997, 'causing senior to': 168089, 'senior to have': 750428, 'go out in': 353960, 'public and yet': 687863, 'and yet they': 75995, 'yet they claim': 1016272, 'they claim there': 881758, 'claim there is': 179838, 'chain so why': 171120, 'is everything on': 447594, 'everything on your': 287947, 'on your website': 605512, 'your website out': 1026325, 'website out of': 975386, 'of stock coronav': 590153, 'sin': 770386, 'tried your': 931857, 'website daily': 975241, 'recognise me': 704590, 'vulnerable am': 960846, 'list am': 494263, '19 desperately': 6507, 'need shopping': 555559, 'help have': 389843, 'also tried': 49035, 'tried every': 931771, 'every sin': 286174, 'have tried your': 383404, 'tried your website': 931858, 'your website daily': 1026321, 'website daily but': 975242, 'daily but can': 224536, 'can get slot': 158451, 'get slot because': 348017, 'slot because you': 774148, 'because you don': 119867, 'you don recognise': 1018329, 'don recognise me': 253858, 'recognise me vulnerable': 704591, 'me vulnerable am': 523886, 'vulnerable am on': 960847, 'am on the': 50284, 'the vulnerable list': 870987, 'vulnerable list am': 961031, 'list am also': 494264, 'am also very': 49875, 'also very ill': 49062, 'very ill with': 955244, 'covid 19 desperately': 212937, '19 desperately need': 6508, 'desperately need shopping': 238572, 'need shopping am': 555560, 'shopping am on': 761937, 'my own and': 549634, 'own and need': 631884, 'and need help': 67472, 'need help have': 554985, 'help have also': 389844, 'have also tried': 379220, 'also tried every': 49036, 'tried every sin': 931772, 'unsungheroes': 943569, 'at mcdonald': 99693, 'mcdonald in': 522146, 're tempted': 699673, 'remember they': 710338, 'crisis unsungheroes': 218300, 'shift at mcdonald': 758246, 'at mcdonald in': 99694, 'mcdonald in the': 522147, 'you re tempted': 1020771, 're tempted to': 699674, 'supermarket remember they': 822200, 'remember they put': 710340, 'this crisis unsungheroes': 887104, 'furry': 341977, 'hit up': 398498, 'store stop': 810407, 'go coffee': 353416, 'home meet': 401611, 'meet some': 527572, 'some cute': 782651, 'cute furry': 223663, 'furry new': 341982, 'morning coffee': 541217, 'coffee canine': 185468, 'hit up the': 398499, 'up the grocery': 946177, 'grocery store stop': 365813, 'store stop for': 810408, 'stop for to': 804665, 'for to go': 327220, 'to go coffee': 906784, 'go coffee on': 353417, 'coffee on the': 185522, 'way home meet': 969635, 'home meet some': 401612, 'meet some cute': 527573, 'some cute furry': 782652, 'cute furry new': 223664, 'furry new friend': 341983, 'new friend it': 558774, 'friend it wa': 333676, 'it wa very': 462218, 'wa very good': 963639, 'very good morning': 955191, 'good morning coffee': 357402, 'morning coffee canine': 541218, 'pop out': 664446, 'not selfish': 571517, 'and panicked': 68671, 'panicked bought': 639252, 'bought supermarket': 136727, 'supermarket finally': 820319, 'finally ha': 306033, 'down tape': 257248, 'tape for': 834356, 'some this': 784047, 'this just': 888552, 'mean an': 524360, 'and ignore': 64965, 'guideline socialdistancinguk': 368470, 'had to pop': 373710, 'to pop out': 911887, 'pop out for': 664448, 'some food supply': 782876, 'food supply not': 316973, 'supply not selfish': 825602, 'not selfish and': 571518, 'selfish and panicked': 747988, 'and panicked bought': 68672, 'panicked bought supermarket': 639254, 'bought supermarket finally': 136728, 'supermarket finally ha': 820321, 'finally ha put': 306034, 'ha put down': 371593, 'put down tape': 690559, 'down tape for': 257249, 'tape for the': 834357, 'for the metre': 326561, 'the metre distance': 860545, 'metre distance to': 529842, 'distance to some': 246867, 'to some this': 914892, 'some this just': 784049, 'this just mean': 888554, 'just mean an': 469251, 'mean an excuse': 524361, 'excuse to jump': 289783, 'to jump the': 908707, 'the queue and': 865033, 'queue and ignore': 693865, 'and ignore the': 64967, 'ignore the guideline': 415845, 'the guideline socialdistancinguk': 856932, 'outlined': 629106, 'is radically': 451204, 'radically reshaping': 695417, 'only channel': 610240, 'channel causing': 172867, 'causing deep': 168020, 'deep ripple': 231922, 'ripple across': 722730, 'chain we': 171222, 've outlined': 953426, 'outlined three': 629113, 'three critical': 893898, 'critical mobile': 218611, 'mobile program': 535015, 'program retailer': 683292, 'supplychain need': 826205, 'pandemic is radically': 635793, 'is radically reshaping': 451205, 'radically reshaping consumer': 695418, 'behavior to pick': 124258, 'up and online': 944353, 'and online only': 68110, 'online only channel': 608627, 'only channel causing': 610241, 'channel causing deep': 172868, 'causing deep ripple': 168021, 'deep ripple across': 231923, 'ripple across the': 722731, 'across the supply': 29527, 'supply chain we': 825059, 'chain we ve': 171224, 'we ve outlined': 973693, 've outlined three': 953427, 'outlined three critical': 629114, 'three critical mobile': 893899, 'critical mobile program': 218612, 'mobile program retailer': 535016, 'program retailer and': 683293, 'retailer and supplychain': 718975, 'and supplychain need': 72828, 'supplychain need to': 826206, 'need to focus': 555940, 'just stated': 469882, 'are confident': 85484, 'confident that': 194010, 'chain can': 170572, 'shop stocked': 760843, 'needed one': 556456, 'one look': 606621, 'around any': 93205, 'not happening': 569791, 'happening what': 377424, 'you have just': 1019066, 'have just stated': 381210, 'just stated that': 469883, 'stated that you': 796143, 'you are confident': 1017095, 'are confident that': 85486, 'confident that our': 194011, 'supply chain can': 824923, 'chain can keep': 170574, 'can keep our': 158813, 'keep our shop': 471749, 'our shop stocked': 624754, 'shop stocked with': 760845, 'stocked with the': 803469, 'with the amount': 1001202, 'of food needed': 583736, 'food needed one': 315525, 'needed one look': 556457, 'one look around': 606622, 'look around any': 502243, 'around any supermarket': 93207, 'any supermarket today': 79913, 'supermarket today will': 823481, 'today will tell': 920545, 'tell you that': 837153, 'you that is': 1021570, 'is not happening': 450101, 'not happening what': 569792, 'happening what are': 377425, 'to do about': 904474, 'do about it': 249024, 'minute stayhomesavelives': 533841, 'me when go': 523940, 'supermarket for minute': 820404, 'for minute stayhomesavelives': 323465, 'alleging': 45727, 'honoring': 403282, 'consumer lawsuit': 198011, 'lawsuit alleging': 482522, 'alleging company': 45730, 'not honoring': 570012, 'honoring their': 403283, 'their pre': 874354, 'and cancellation': 59492, 'cancellation policy': 161050, 'rise of consumer': 722945, 'of consumer lawsuit': 581752, 'consumer lawsuit alleging': 198012, 'lawsuit alleging company': 482523, 'alleging company are': 45731, 'company are not': 190436, 'are not honoring': 88391, 'not honoring their': 570013, 'honoring their pre': 403284, 'their pre covid': 874355, '19 refund and': 10030, 'refund and cancellation': 706864, 'and cancellation policy': 59494, 'yourpoorcolon': 1026444, 'yourpoortoilet': 1026446, 'wonder all': 1003938, 'toiletpaper after': 921695, 'seeing what': 746553, 'what food': 981456, 'shit if': 759131, 'all ate': 42083, 'ate for': 101717, 'week straight': 976939, 'straight too': 812247, 'too stayhome': 925086, 'stayhomesavelives yourpoorcolon': 798493, 'yourpoorcolon yourpoortoilet': 1026445, 'no wonder all': 565910, 'wonder all need': 1003939, 'all need so': 43607, 'need so much': 555578, 'much toiletpaper after': 545399, 'toiletpaper after seeing': 921696, 'after seeing what': 36162, 'seeing what food': 746555, 'what food is': 981461, 'food is sold': 315153, 'have the shit': 383024, 'the shit if': 866954, 'shit if that': 759132, 'if that all': 414931, 'that all ate': 842537, 'all ate for': 42084, 'ate for two': 101718, 'two week straight': 937366, 'week straight too': 976942, 'straight too stayhome': 812248, 'too stayhome stayhomesavelives': 925087, 'stayhome stayhomesavelives yourpoorcolon': 798157, 'stayhomesavelives yourpoorcolon yourpoortoilet': 798494, 'supermarket bagger': 819284, 'bagger among': 108498, 'among jobless': 53015, 'jobless due': 466338, 'supermarket bagger among': 819285, 'bagger among jobless': 108499, 'among jobless due': 53016, 'jobless due to': 466339, 'thing literally': 884555, 'literally few': 494993, 'thing le': 884522, 'held basket': 388888, 'basket however': 112348, 'however everything': 409368, 'everything picked': 287969, 'placed into': 657891, 'that basket': 842933, 'basket felt': 112332, 'felt guilty': 303393, 'guilty doing': 368551, 'what weird': 982575, 'weird world': 977814, 'coronacrisis selfisolating': 204750, 'few thing literally': 304098, 'thing literally few': 884556, 'literally few thing': 494995, 'few thing le': 304096, 'thing le than': 884523, 'le than hand': 483175, 'than hand held': 840724, 'hand held basket': 375014, 'held basket however': 388889, 'basket however everything': 112349, 'however everything picked': 409369, 'everything picked up': 287970, 'picked up and': 655808, 'up and placed': 944357, 'and placed into': 69055, 'placed into that': 657892, 'into that basket': 443088, 'that basket felt': 842934, 'basket felt guilty': 112333, 'felt guilty doing': 303394, 'guilty doing so': 368552, 'doing so what': 252663, 'so what weird': 778725, 'what weird world': 982578, 'weird world we': 977815, 'world we re': 1010148, 'living in right': 496389, 'right now coronacrisis': 722046, 'now coronacrisis selfisolating': 574453, 'employee say': 274185, 'sick themselves': 768624, 'and coming': 60119, 'coming over': 188169, 'know giving': 476393, 'giving her': 351309, 'her those': 392447, 'those germ': 892023, 'they work through': 883926, 'coronavirus pandemic grocery': 206459, 'pandemic grocery store': 635516, 'store employee say': 807531, 'employee say they': 274186, 'they are fearful': 881274, 'fearful of getting': 301460, 'getting sick themselves': 349276, 'sick themselves going': 768625, 'themselves going to': 876819, 'every day with': 285862, 'general public and': 345445, 'public and coming': 687847, 'and coming over': 60121, 'coming over to': 188170, 'over to look': 630835, 'look at my': 502276, 'at my kid': 99820, 'my kid and': 548939, 'kid and know': 473855, 'and know giving': 65889, 'know giving her': 476394, 'giving her those': 351310, 'her those germ': 392448, 'senitizer': 750465, 'medical organization': 526282, 'about eliminating': 25165, 'eliminating gst': 271486, 'on sanitizer': 603288, 'sanitizer product': 735592, 'epidemic time': 279459, 'time medical': 897200, 'medical govt': 526196, 'govt gst': 361130, 'gst mask': 367554, 'mask senitizer': 519251, 'senitizer pandemic': 750466, 'this pandemic time': 889440, 'pandemic time when': 636768, 'time when our': 898299, 'when our country': 983825, 'country is fighting': 210801, 'against coronavirus outbreak': 37392, 'outbreak the medical': 628717, 'the medical organization': 860399, 'medical organization have': 526283, 'organization have asked': 619378, 'have asked the': 379366, 'asked the government': 95843, 'government to think': 360741, 'think about eliminating': 885082, 'about eliminating gst': 25166, 'eliminating gst on': 271487, 'gst on sanitizer': 367558, 'on sanitizer product': 603290, 'sanitizer product and': 735593, 'product and mask': 680891, 'and mask in': 66756, 'mask in this': 518840, 'in this epidemic': 429941, 'this epidemic time': 887403, 'epidemic time medical': 279460, 'time medical govt': 897201, 'medical govt gst': 526197, 'govt gst mask': 361131, 'gst mask senitizer': 367555, 'mask senitizer pandemic': 519252, 'shape despite': 754832, 'buying kansa': 150622, 'kansa farmer': 470810, 'adjusting but': 32345, 'but remain': 146919, 'optimistic during': 613932, 'supply remains in': 825760, 'good shape despite': 357723, 'shape despite panic': 754833, 'panic buying kansa': 637783, 'buying kansa farmer': 150623, 'kansa farmer are': 470811, 'farmer are adjusting': 299268, 'are adjusting but': 84232, 'adjusting but remain': 32346, 'but remain optimistic': 146920, 'remain optimistic during': 709836, 'optimistic during the': 613933, 'the bum': 850111, 'bum hoarding': 142541, 'hoarding stock': 399536, 'stock stop': 802888, 'food stash': 316749, 'stash other': 795296, 'idiot stockpilinguk': 413595, 'all the bum': 44681, 'the bum hoarding': 850113, 'bum hoarding stock': 142542, 'hoarding stock stop': 399540, 'stock stop shopping': 802889, 'stop shopping once': 805024, 'shopping once you': 763395, 'once you have': 605822, 'your food stash': 1023927, 'food stash other': 316750, 'stash other more': 795297, 'other more vulnerable': 620551, 'vulnerable people need': 961099, 'need it you': 555114, 'it you selfish': 462648, 'you selfish idiot': 1021103, 'selfish idiot stockpilinguk': 748137, 'on analysis': 599342, 'by showing': 154003, 'how price': 408528, 'an additive': 55115, 'additive used': 31934, 'clean fish': 180527, 'skyrocketed after': 773349, 'after study': 36254, 'study found': 814892, 'the pharmaceutical': 863638, 'pharmaceutical drug': 654073, 'drug version': 261147, 'may treat': 521583, 'in report on': 427400, 'report on analysis': 712139, 'on analysis by': 599343, 'analysis by showing': 57029, 'by showing how': 154004, 'showing how price': 767460, 'how price for': 408530, 'price for an': 673924, 'for an additive': 319267, 'an additive used': 55116, 'additive used to': 31935, 'used to clean': 950042, 'to clean fish': 902808, 'clean fish tank': 180528, 'fish tank have': 309344, 'tank have skyrocketed': 834211, 'have skyrocketed after': 382572, 'skyrocketed after study': 773350, 'after study found': 36255, 'study found the': 814894, 'found the pharmaceutical': 330414, 'the pharmaceutical drug': 863640, 'pharmaceutical drug version': 654074, 'drug version of': 261148, 'of it may': 585416, 'it may treat': 459556, 'may treat the': 521584, 'shopping planning': 763631, 'planning and': 658513, 'and campaign': 59444, 'campaign if': 157227, 'ahead seo': 39205, 'seo audit': 751040, 'audit user': 102944, 'experience etc': 291357, 'etc ecommerce': 282508, 'online shopping planning': 609225, 'shopping planning and': 763632, 'planning and campaign': 658514, 'and campaign if': 59445, 'campaign if you': 157228, 'if you sell': 415517, 'you sell product': 1021110, 'sell product online': 748853, 'product online now': 681483, 'online now is': 608594, 'now is great': 575071, 'is great time': 448211, 'time to plan': 898025, 'to plan ahead': 911764, 'plan ahead seo': 658051, 'ahead seo audit': 39206, 'seo audit user': 751041, 'audit user experience': 102945, 'user experience etc': 950277, 'experience etc ecommerce': 291358, 'etc ecommerce business': 282509, 'spiv profiteering': 789624, 'resell basic': 713962, 'do about these': 249026, 'about these spiv': 26616, 'these spiv profiteering': 880714, 'spiv profiteering on': 789625, 'profiteering on ebay': 683076, 'shelf and to': 756772, 'and to resell': 74195, 'to resell basic': 913336, 'resell basic item': 713963, 'item at extortionate': 463124, 'who are desperate': 988131, 'are desperate for': 85793, 'desperate for them': 238528, 'because brand': 118960, 'name are': 551612, 'party shoplocal': 643037, 'shopping shopeeth': 763864, 'shopeeth stayathomechallenge': 761136, 'stayathomechallenge workingfromhome': 797762, 'workingfromhome online': 1009100, 'online onlineclasses': 608618, 'onlineclasses clothes': 609795, 'clothes onlineshopping': 184191, 'because brand name': 118961, 'brand name are': 137922, 'name are the': 551613, 'are the life': 90854, 'of the party': 591323, 'the party shoplocal': 863323, 'party shoplocal shopping': 643038, 'shoplocal shopping shopeeth': 761230, 'shopping shopeeth stayathomechallenge': 763865, 'shopeeth stayathomechallenge workingfromhome': 761137, 'stayathomechallenge workingfromhome online': 797763, 'workingfromhome online onlineclasses': 1009101, 'online onlineclasses clothes': 608619, 'onlineclasses clothes onlineshopping': 609796, 'wfhtips': 980869, 'lsuhfno': 506360, 'home becomes': 400788, 'american these': 52252, 'online safety': 608905, 'tip are': 898709, 'are helpful': 87087, 'helpful wfhtips': 391250, 'wfhtips lsuhfno': 980870, 'from home becomes': 335844, 'home becomes the': 400790, 'becomes the new': 120259, 'normal for many': 567152, 'for many american': 323206, 'many american these': 513736, 'american these online': 52253, 'these online safety': 880373, 'online safety tip': 608907, 'safety tip are': 730760, 'tip are helpful': 898710, 'are helpful wfhtips': 87088, 'helpful wfhtips lsuhfno': 391251, 'shiseido': 759037, 'shiseido shiseido': 759040, 'shiseido america': 759038, 'america employee': 51509, 'employee rally': 274138, 'york and': 1016574, 'jersey newspicks': 465222, 'shiseido shiseido america': 759041, 'shiseido america employee': 759039, 'america employee rally': 51510, 'employee rally to': 274139, 'rally to donate': 696289, 'to donate hand': 904646, 'sanitizer to new': 735937, 'to new york': 910584, 'new york and': 559919, 'york and new': 1016577, 'and new jersey': 67552, 'new jersey newspicks': 558979, 'article animal': 94257, 'health share': 386846, 'price begin': 672885, 'begin recovery': 123562, 'article animal health': 94258, 'animal health share': 76607, 'health share price': 386847, 'share price begin': 755162, 'price begin recovery': 672886, 'begin recovery during': 123563, 'recovery during covid': 705316, 'had customer': 373004, 'customer call': 222215, 'call my': 156000, 'store angry': 806407, 'angry that': 76497, 'we adjusted': 970289, 'adjusted our': 32328, 'hour opening': 405831, 'opening one': 612888, 'later closing': 481040, 'closing two': 183801, 'and coworkers': 60670, 'coworkers safe': 214504, 'healthy groceryworkers': 387647, 'today had customer': 919600, 'had customer call': 373006, 'customer call my': 222216, 'call my grocery': 156003, 'grocery store angry': 365198, 'store angry that': 806408, 'angry that we': 76499, 'that we adjusted': 847359, 'we adjusted our': 970290, 'adjusted our hour': 32329, 'our hour opening': 623475, 'hour opening one': 405832, 'opening one hour': 612889, 'one hour later': 606437, 'hour later closing': 405729, 'later closing two': 481041, 'closing two hour': 183802, 'two hour earlier': 936961, 'hour earlier in': 405559, 'earlier in effort': 264459, 'keep our customer': 471726, 'customer and coworkers': 222072, 'and coworkers safe': 60671, 'coworkers safe healthy': 214505, 'safe healthy groceryworkers': 729748, 'making some': 511353, 'excellent point': 289106, 'on 774': 599114, '774 this': 22311, 'afternoon about': 36670, 'behaviour remember': 124505, 'make time': 510656, 'we consume': 971173, 'consume so': 195947, 'food unnecessary': 317402, 'from making some': 336313, 'making some excellent': 511354, 'some excellent point': 782781, 'excellent point on': 289107, 'point on 774': 662574, 'on 774 this': 599115, '774 this afternoon': 22312, 'this afternoon about': 886230, 'afternoon about covid': 36671, '19 behaviour remember': 5356, 'behaviour remember we': 124506, 'remember we make': 710400, 'we make time': 972342, 'make time much': 510657, 'time much food': 897236, 'much food we': 544912, 'food we consume': 317524, 'we consume so': 971174, 'consume so panic': 195948, 'buying food unnecessary': 150342, 'gambling': 343100, 'australia between': 103238, 'march 30th': 515236, '30th amp': 17527, 'amp april': 53400, '5th wa': 20837, 'wa online': 962846, 'online gambling': 608283, 'gambling calling': 343103, 'an advertising': 55159, 'advertising amp': 33199, 'amp promotion': 54342, 'promotion ban': 683863, 'ban during': 109192, 'protect uk': 685030, 'number one in': 577024, 'one in consumer': 606469, 'spending in australia': 788855, 'in australia between': 420600, 'australia between march': 103239, 'between march 30th': 128822, 'march 30th amp': 515237, '30th amp april': 17528, 'amp april 5th': 53401, 'april 5th wa': 83510, '5th wa online': 20838, 'wa online gambling': 962847, 'online gambling calling': 608284, 'gambling calling for': 343104, 'for an advertising': 319270, 'an advertising amp': 55160, 'advertising amp promotion': 33200, 'amp promotion ban': 54343, 'promotion ban during': 683864, 'ban during covid': 109193, 'to protect uk': 912343, 'protect uk citizen': 685031, 'uk citizen in': 938248, 'citizen in isolation': 178916, 'hamstering': 374663, 'daytime': 228911, 'of hamstering': 584420, 'hamstering wa': 374664, 'wa over': 962890, 'in coronacrisis': 421799, 'coronacrisis time': 204827, 'but clearly': 145423, 'brussels not': 141391, 'flour available': 311078, 'available shop': 104591, 'assistant say': 96798, 'say stock': 739177, 'gone early': 356267, 'early every': 264591, 'day great': 227694, 'in daytime': 422029, 'daytime there': 228914, 'home baker': 400756, 'thought the period': 893248, 'period of hamstering': 651842, 'of hamstering wa': 584421, 'hamstering wa over': 374665, 'wa over in': 962894, 'over in coronacrisis': 630311, 'in coronacrisis time': 421800, 'coronacrisis time but': 204828, 'time but clearly': 896416, 'but clearly not': 145424, 'clearly not at': 181530, 'not at supermarket': 568271, 'in brussels not': 421012, 'brussels not single': 141392, 'not single pack': 571598, 'pack of flour': 633099, 'of flour available': 583596, 'flour available shop': 311079, 'available shop assistant': 104592, 'shop assistant say': 759936, 'assistant say stock': 96799, 'say stock is': 739178, 'stock is gone': 802307, 'is gone early': 448116, 'gone early every': 356268, 'early every day': 264592, 'every day great': 285811, 'day great if': 227695, 'working in daytime': 1008711, 'in daytime there': 422030, 'daytime there must': 228915, 'be many home': 115911, 'many home baker': 514142, 'wti fell': 1013392, 'to 26': 899646, 'february 2016': 301670, 'for wti': 327979, 'wti for': 1013395, 'wti fell to': 1013394, 'fell to 26': 303243, 'to 26 95': 899648, 'level since february': 487709, 'since february 2016': 770589, 'february 2016 is': 301671, 'cut it forecast': 223405, 'it forecast for': 458116, 'forecast for wti': 328823, 'for wti for': 327980, 'wti for the': 1013396, 'adbuy': 31373, 'adsense': 32774, 'advertisement': 33163, 'productplacement': 682322, 'unruly data': 943377, 'reveals covid': 720314, 'consumption spending': 199945, 'advertising preference': 33263, 'preference read': 669791, 'more adbuy': 538550, 'adbuy adsense': 31374, 'adsense advertisement': 32775, 'advertisement advertising': 33166, 'advertising productplacement': 33266, 'productplacement promotion': 682323, 'promotion traffic': 683879, 'unruly data reveals': 943378, 'data reveals covid': 226386, 'reveals covid 19': 720315, 'is reshaping consumer': 451459, 'content consumption spending': 200792, 'consumption spending habit': 199946, 'spending habit and': 788833, 'habit and advertising': 372548, 'and advertising preference': 57723, 'advertising preference read': 33264, 'preference read more': 669792, 'read more adbuy': 700417, 'more adbuy adsense': 538551, 'adbuy adsense advertisement': 31375, 'adsense advertisement advertising': 32776, 'advertisement advertising productplacement': 33167, 'advertising productplacement promotion': 33267, 'productplacement promotion traffic': 682324, 'price vary': 677292, 'vary from': 952670, 'from mask': 336373, 'mask however': 518808, 'the turkish': 870110, 'turkish government': 935592, 'doe well': 251666, 'everyone all': 286681, 'best wish': 128000, 'to turkey': 917838, 'price vary from': 677293, 'vary from mask': 952672, 'from mask to': 336374, 'mask to mask': 519414, 'to mask however': 909876, 'mask however it': 518809, 'it is necessary': 459017, 'is necessary precaution': 449848, 'necessary precaution the': 554046, 'precaution the turkish': 669373, 'the turkish government': 870111, 'turkish government doe': 935594, 'government doe well': 360038, 'doe well to': 251667, 'well to distribute': 978698, 'to distribute mask': 904447, 'distribute mask to': 247997, 'mask to everyone': 519402, 'to everyone all': 905328, 'everyone all my': 286682, 'all my best': 43541, 'my best wish': 547436, 'best wish to': 128001, 'wish to turkey': 996840, 'this lock': 888682, 'would hurt': 1011936, 'hurt people': 411605, 'people oo': 648993, 'oo but': 611721, 'do covid': 249205, 'doesn check': 251728, 'account balance': 28637, 'balance think': 108994, 'they feed': 882098, 'feed even': 302300, 'but money': 146403, 'money no': 536904, 'no dey': 564000, 'dey the': 240039, 'story long': 812037, 've food': 953127, 'your table': 1026097, 'table brother': 831456, 'brother thank': 141103, 'god oo': 354780, 'this lock down': 888683, 'down would hurt': 257512, 'would hurt people': 1011937, 'hurt people oo': 411606, 'people oo but': 648994, 'oo but what': 611722, 'we do covid': 971330, 'do covid 19': 249206, '19 doesn check': 6609, 'doesn check your': 251729, 'check your account': 174729, 'your account balance': 1022735, 'account balance think': 28638, 'balance think about': 108995, 'about this how': 26639, 'this how will': 887975, 'will they feed': 995180, 'they feed even': 882099, 'feed even though': 302301, 'even though they': 284720, 'though they were': 892925, 'they were told': 883809, 'up but money': 944525, 'but money no': 146404, 'money no dey': 536905, 'no dey the': 564001, 'dey the story': 240040, 'the story long': 868180, 'story long so': 812038, 'long so if': 501639, 'you ve food': 1022040, 've food on': 953128, 'on your table': 605506, 'your table brother': 1026098, 'table brother thank': 831457, 'brother thank god': 141104, 'thank god oo': 841584, 'backbreaking': 107508, 'today look': 919833, 'on around': 599467, 'cashier play': 166584, 'play prank': 659205, 'prank with': 668955, 'help reaching': 390408, 'reaching the': 700116, 'the cooky': 851718, 'cooky be': 202966, 'that keeping': 844809, 'is backbreaking': 445954, 'backbreaking work': 107509, 'his humanity': 397528, 'store today look': 810852, 'today look at': 919834, 'at what going': 101524, 'going on around': 355302, 'on around you': 599469, 'around you smile': 93666, 'smile at the': 775699, 'at the cashier': 100903, 'the cashier play': 850492, 'cashier play prank': 166585, 'play prank with': 659206, 'prank with the': 668956, 'with the old': 1001409, 'the old man': 862139, 'old man who': 598356, 'man who need': 512336, 'need help reaching': 554992, 'help reaching the': 390409, 'reaching the cooky': 700117, 'the cooky be': 851719, 'cooky be aware': 202967, 'aware that keeping': 105660, 'that keeping the': 844810, 'shelf stocked for': 757582, 'stocked for you': 803324, 'for you is': 328069, 'you is backbreaking': 1019377, 'is backbreaking work': 445955, 'backbreaking work and': 107510, 'see him in': 745204, 'him in all': 396635, 'in all his': 420169, 'all his humanity': 43122, 'heaux': 388542, 'had those': 373645, 'those double': 891943, 'double wide': 256095, 'wide food': 991716, 'stamp buggy': 793409, 'buggy left': 141914, 'so loaded': 777572, 'loaded that': 497317, 'that heaux': 844289, 'heaux up': 388543, 'made it back': 507801, 'it back from': 456666, 'store they only': 810674, 'only had those': 610562, 'had those double': 373646, 'those double wide': 891944, 'double wide food': 256096, 'wide food stamp': 991718, 'food stamp buggy': 316732, 'stamp buggy left': 793410, 'buggy left so': 141915, 'left so loaded': 485640, 'so loaded that': 777573, 'loaded that heaux': 497318, 'that heaux up': 844290, 'catsofthequarantine': 167326, 'catsofinstagram': 167325, 'now punishable': 575623, 'by death': 152306, 'death seductivesunday': 230184, 'seductivesunday lockdown': 744854, 'lockdown catsofthequarantine': 499226, 'catsofthequarantine cat': 167327, 'cat toiletpaperapocalypse': 166900, 'toiletpaperchallenge catsofinstagram': 922973, 'sure this is': 827753, 'is now punishable': 450319, 'now punishable by': 575624, 'punishable by death': 689227, 'by death seductivesunday': 152308, 'death seductivesunday lockdown': 230185, 'seductivesunday lockdown catsofthequarantine': 744855, 'lockdown catsofthequarantine cat': 499227, 'catsofthequarantine cat toiletpaperapocalypse': 167328, 'cat toiletpaperapocalypse toiletpaper': 166901, 'toiletpaperapocalypse toiletpaper toiletpaperchallenge': 922932, 'toiletpaper toiletpaperchallenge catsofinstagram': 922644, 'global survey': 352245, 'global survey of': 352246, 'no tin': 565729, 'pea at': 645974, 'be shelf': 117129, 'shelf isolating': 757243, 'no tin of': 565731, 'of pea at': 587850, 'pea at my': 645975, 'supermarket they must': 823291, 'must be shelf': 546545, 'be shelf isolating': 117130, 'scenery': 741375, 'we enforce': 971459, 'the legislation': 859280, 'legislation put': 485981, 'simple that': 770112, 'that huge': 844391, 'huge supermarket': 410218, 'supermarket leaf': 821282, 'leaf people': 483811, 'beautiful scenery': 118710, 'scenery is': 741376, 'is unnecessary': 453530, 'unnecessary we': 942960, 'our think': 625130, 'we enforce the': 971460, 'enforce the legislation': 276690, 'the legislation put': 859282, 'legislation put in': 485982, 'place to save': 657770, 'life it simple': 488826, 'it simple that': 461061, 'simple that huge': 770113, 'that huge supermarket': 844395, 'huge supermarket leaf': 410221, 'supermarket leaf people': 821283, 'leaf people queuing': 483812, 'people queuing in': 649222, 'queuing in park': 694217, 'in park and': 426509, 'park and our': 641864, 'and our beautiful': 68477, 'our beautiful scenery': 622174, 'beautiful scenery is': 118711, 'scenery is unnecessary': 741377, 'is unnecessary we': 453533, 'unnecessary we ll': 942961, 'll get back': 496782, 'back to it': 107374, 'it but only': 456954, 'only if we': 610623, 'if we use': 415321, 'we use our': 973615, 'use our think': 949468, 'jackig': 464171, 'mth': 544608, 'love taking': 504788, 'by jackig': 152954, 'jackig up': 464172, 'up internet': 945213, 'by mth': 153256, 'mth yeah': 544609, 'yeah let': 1014274, 'gotta love taking': 359088, 'love taking advantage': 504789, 'advantage of by': 32990, 'of by jackig': 581024, 'by jackig up': 152955, 'jackig up internet': 464173, 'up internet price': 945214, 'internet price by': 441987, 'price by mth': 673026, 'by mth yeah': 153257, 'mth yeah let': 544610, 'yeah let talk': 1014275, 'asda morrison': 94946, 'new supermarket opening': 559694, 'opening time and': 612921, 'time and buying': 896260, 'and buying limit': 59369, 'buying limit for': 150656, 'limit for tesco': 492350, 'for tesco asda': 326217, 'tesco asda morrison': 838670, 'asda morrison and': 94948, 'morrison and more': 541703, 'reopened': 711372, 'largest trading': 480036, 'trading center': 928844, 'china eastern': 176626, 'eastern manufacturing': 265583, 'manufacturing hub': 513602, 'hub finally': 409793, 'finally reopened': 306084, 'reopened it': 711373, 'with official': 999854, 'official reaching': 595888, 'world largest trading': 1009747, 'largest trading center': 480037, 'trading center for': 928845, 'center for daily': 169201, 'for daily consumer': 320524, 'daily consumer good': 224558, 'good in china': 357242, 'in china eastern': 421398, 'china eastern manufacturing': 176627, 'eastern manufacturing hub': 265584, 'manufacturing hub finally': 513603, 'hub finally reopened': 409794, 'finally reopened it': 306085, 'reopened it door': 711374, 'it door this': 457683, 'door this week': 255746, 'week after the': 975829, 'the outbreak with': 862726, 'outbreak with official': 628831, 'with official reaching': 999855, 'official reaching out': 595889, 'maxvalue': 520857, 'namaka maxvalue': 551582, 'maxvalue supermarket': 520858, 'frenzy namaka maxvalue': 332788, 'namaka maxvalue supermarket': 551583, 'maxvalue supermarket panic': 520859, 'supermarket panic take': 821905, 'from adam': 334395, 'jonas on': 467232, 'further other': 342128, 'other competing': 619980, 'competing ev': 191628, 'are brought': 85068, 'expand their': 290471, 'their competitive': 872837, 'competitive advantage': 191765, 'latest from adam': 481357, 'from adam jonas': 334396, 'adam jonas on': 31222, 'jonas on how': 467233, 'the further other': 856059, 'further other competing': 342129, 'other competing ev': 619981, 'competing ev program': 191629, 'ev program are': 283672, 'program are brought': 683210, 'are brought to': 85069, 'brought to market': 141204, 'to market the': 909861, 'market the more': 517193, 'tesla will expand': 838890, 'will expand their': 993372, 'expand their competitive': 290472, 'their competitive advantage': 872838, 'competitive advantage in': 191766, 'advantage in electrification': 32978, 'day 23': 227121, '23 went': 15440, 'flour tp': 311180, 'or sanitizing': 616960, 'sanitizing wipe': 736531, 'wipe figured': 996255, 'figured wa': 305266, 'one wearing': 607400, 'surprised when': 828618, 'when wasn': 984421, 'wasn made': 967999, 'made new': 507868, 'friend today': 333853, 'distancing day 23': 247093, 'day 23 went': 227124, '23 went to': 15441, 'no flour tp': 564241, 'flour tp or': 311181, 'tp or sanitizing': 927898, 'or sanitizing wipe': 616961, 'sanitizing wipe figured': 736533, 'wipe figured wa': 996256, 'figured wa going': 305267, 'only one wearing': 610890, 'one wearing mask': 607401, 'mask so wa': 519284, 'so wa pleasantly': 778642, 'pleasantly surprised when': 659626, 'surprised when wasn': 828620, 'when wasn made': 984422, 'wasn made new': 968000, 'made new friend': 507870, 'new friend today': 558776, 'friend today stayhomesavelives': 333854, 'virus scam': 958726, 'part day': 642263, 'later we': 481168, 'new warning': 559847, 'virus scam part': 958727, 'scam part day': 740291, 'part day later': 642264, 'day later we': 227884, 'later we had': 481169, 'we had more': 971715, 'had more scam': 373312, 'more scam to': 540319, 'scam to talk': 740425, 'talk about new': 833749, 'about new warning': 25795, 'new warning from': 559848, 'warning from and': 967128, 'from and 13': 334503, 'and 13 19': 57369, '13 19 19': 3164, 'safestore': 730436, 'purchase item': 689517, 'at shopnaw': 100511, 'them delivered': 875586, 'delivered at': 233297, 'with hygienic': 998921, 'hygienic precautionary': 412225, 'shopnaw safestore': 761257, 'safestore onlineshopping': 730437, 'way to purchase': 970076, 'to purchase item': 912538, 'purchase item shop': 689518, 'online at shopnaw': 607893, 'at shopnaw and': 100512, 'get them delivered': 348356, 'them delivered at': 875587, 'delivered at your': 233299, 'doorstep with hygienic': 255877, 'with hygienic precautionary': 998922, 'hygienic precautionary measure': 412226, 'precautionary measure shopnaw': 669429, 'shopping shopnaw safestore': 763872, 'shopnaw safestore onlineshopping': 761258, 'safestore onlineshopping shopping': 730438, 'this is kind': 888300, 'snacking': 776039, 'even gun': 284144, 'gun that': 368742, 'that shame': 846219, 'what even': 981419, 'more worrying': 541021, 'are eating': 86078, 'eating too': 266324, 'and constantly': 60333, 'constantly snacking': 195705, 'snacking panic': 776042, 'panic chain': 638003, 'chain today': 171201, 'today putting': 920086, 'together video': 921019, 'video at': 956623, 'buying food toilet': 150340, 'paper and even': 639822, 'and even gun': 62337, 'even gun that': 284145, 'gun that shame': 368744, 'that shame and': 846220, 'shame and what': 754582, 'and what even': 75464, 'what even more': 981420, 'even more worrying': 284392, 'more worrying is': 541022, 'worrying is that': 1010824, 'is that people': 452678, 'people are eating': 646961, 'are eating too': 86079, 'eating too much': 266325, 'too much and': 924914, 'much and constantly': 544710, 'and constantly snacking': 60336, 'constantly snacking panic': 195706, 'snacking panic chain': 776043, 'panic chain today': 638004, 'chain today putting': 171202, 'today putting together': 920087, 'putting together video': 691271, 'together video at': 921020, 'sensical': 750693, 'rex': 720838, 'dander': 225604, 'totally non': 926374, 'non sensical': 566494, 'sensical that': 750694, 'that rex': 846046, 'rex get': 720839, 'his dander': 397343, 'dander up': 225605, 'over carbon': 630068, 'carbon tax': 163417, 'increase magnitude': 432900, 'magnitude le': 508444, 'huge drop': 410035, 'price rex': 676215, 'rex murphy': 720843, 'murphy covid': 546200, '19 wake': 11888, 'call canada': 155809, 'canada must': 160503, 'self destruction': 747600, 'destruction national': 239111, 'national post': 552586, 'it totally non': 461819, 'totally non sensical': 926375, 'non sensical that': 566495, 'sensical that rex': 750695, 'that rex get': 846047, 'rex get his': 720840, 'get his dander': 347230, 'his dander up': 397344, 'dander up over': 225606, 'up over carbon': 945725, 'over carbon tax': 630069, 'carbon tax increase': 163419, 'tax increase magnitude': 835016, 'increase magnitude le': 432901, 'magnitude le than': 508445, 'le than the': 483188, 'than the huge': 841246, 'the huge drop': 857699, 'huge drop in': 410036, 'oil price rex': 597238, 'price rex murphy': 676216, 'rex murphy covid': 720844, 'murphy covid 19': 546201, 'covid 19 wake': 214040, '19 wake up': 11889, 'up call canada': 944565, 'call canada must': 155810, 'canada must stop': 160504, 'must stop this': 546927, 'stop this self': 805196, 'this self destruction': 890013, 'self destruction national': 747601, 'destruction national post': 239112, 'so pulled': 778087, 'pulled off': 688918, 'off an': 593637, 'an outfit': 56737, 'outfit and': 628938, 'mother wore': 543208, 'wore dress': 1004646, 'dress palm': 258672, 'palm sunday': 634609, 'sunday in': 818213, 'so pulled off': 778088, 'pulled off an': 688919, 'off an outfit': 593639, 'an outfit and': 56738, 'outfit and my': 628939, 'and my mother': 67379, 'my mother wore': 549348, 'mother wore dress': 543209, 'wore dress palm': 1004647, 'dress palm sunday': 258673, 'palm sunday in': 634610, 'sunday in the': 818215, 'foodshortage chinesevirus': 318127, 'like to assure': 491575, 'assure you all': 97101, 'you all there': 1016913, 'all there is': 45016, 'food left at': 315290, 'the store grocery': 868028, 'store grocery supermarket': 807977, 'grocery supermarket foodshortage': 365996, 'supermarket foodshortage chinesevirus': 820372, 'everyonematters': 287651, 'becomes life': 120232, 'need most': 555270, 'survive are': 829127, 'one business': 606017, 'business pay': 144203, 'pay minimum': 644993, 'wage let': 963920, 'let that': 487113, 'that sink': 846329, 'think down': 885214, 'worker clerk': 1006661, 'clerk cashier': 181675, 'driver ect': 259525, 'ect ever': 268423, 'again everyonematters': 36986, 'shown that when': 767621, 'that when it': 847487, 'when it becomes': 983624, 'it becomes life': 456776, 'becomes life or': 120233, 'or death the': 614898, 'death the people': 230227, 'people you need': 650576, 'you need most': 1020017, 'need most to': 555274, 'most to survive': 542821, 'to survive are': 916019, 'survive are the': 829128, 'the one business': 862193, 'one business pay': 606018, 'business pay minimum': 144205, 'pay minimum wage': 644994, 'minimum wage let': 533239, 'wage let that': 963921, 'let that sink': 487115, 'that sink in': 846330, 'sink in before': 771472, 'in before you': 420758, 'before you think': 123338, 'you think down': 1021652, 'think down on': 885215, 'down on grocery': 257022, 'store worker clerk': 811469, 'worker clerk cashier': 1006662, 'clerk cashier delivery': 181676, 'delivery driver ect': 233901, 'driver ect ever': 259526, 'ect ever again': 268424, 'ever again everyonematters': 285188, 'lately can': 480949, 'buying thats': 151159, 'thats going': 847804, 'on panicbuying': 602691, 'you been to': 1017429, 'store lately can': 808679, 'lately can you': 480950, 'can you believe': 160281, 'you believe all': 1017444, 'believe all this': 126240, 'panic buying thats': 637925, 'buying thats going': 151160, 'thats going on': 847805, 'going on panicbuying': 355331, 'box food': 137061, 'store struggle': 810428, 'demand farmer': 235323, 'south coast': 786710, 'coast are': 185095, 'finding an': 307435, 'unexpected new': 941376, 'customer base': 222166, 'supermarket and big': 818941, 'big box food': 129657, 'box food store': 137062, 'food store struggle': 316861, 'store struggle to': 810429, 'struggle to keep': 814388, 'with the unprecedented': 1001531, 'the unprecedented demand': 870454, 'unprecedented demand farmer': 943113, 'demand farmer market': 235325, 'farmer market on': 299453, 'market on the': 516797, 'on the central': 604016, 'the central and': 850600, 'central and south': 169361, 'and south coast': 72026, 'south coast are': 786711, 'coast are finding': 185096, 'are finding an': 86570, 'finding an unexpected': 307436, 'an unexpected new': 56852, 'unexpected new customer': 941377, 'new customer base': 558576, 'is soo': 452128, 'soo on': 785592, 'like constantly': 490036, 'constantly finding': 195663, 'finding item': 307497, 'time higher': 896934, 'tree item': 931192, 'item being': 463156, 'then name': 877349, 'brand pricegougers': 137973, 'love how amazon': 504691, 'amazon is soo': 51008, 'is soo on': 452129, 'soo on top': 785593, 'top of price': 925639, 'gouging it not': 359370, 'not like constantly': 570393, 'like constantly finding': 490037, 'constantly finding item': 195664, 'finding item that': 307498, 'that are time': 842828, 'are time higher': 91090, 'time higher in': 896935, 'higher in price': 395610, 'in price dollar': 426960, 'price dollar tree': 673485, 'dollar tree item': 253102, 'tree item being': 931193, 'item being sold': 463159, 'sold at higher': 781634, 'higher price then': 395694, 'price then name': 676876, 'then name brand': 877350, 'name brand pricegougers': 551619, 'amazon buy': 50887, 'buy anti': 148342, 'anti pollution': 78318, 'pollution mask': 663908, 'price order': 675798, 'amazon buy anti': 50888, 'buy anti pollution': 148343, 'anti pollution mask': 78319, 'pollution mask at': 663909, 'mask at best': 518414, 'at best price': 98128, 'best price order': 127867, 'price order now': 675800, 'correlation': 207626, 'there direct': 878319, 'direct correlation': 243303, 'correlation between': 207629, 'between shopping': 128893, 'strong concern': 813994, 'to physical': 911713, 'physical grocery': 655422, 'there even': 878364, 'even correlation': 283976, 'correlation among': 207627, 'grocery le': 364682, 'there direct correlation': 878320, 'direct correlation between': 243304, 'correlation between shopping': 207630, 'between shopping online': 128894, 'online more for': 608557, 'more for grocery': 539266, 'grocery and having': 364241, 'and having strong': 64298, 'having strong concern': 384288, 'strong concern about': 813995, 'concern about going': 192893, 'going to physical': 355670, 'to physical grocery': 911716, 'physical grocery store': 655423, 'store there even': 810647, 'there even correlation': 878365, 'even correlation among': 283977, 'correlation among those': 207628, 'among those who': 53100, 'for grocery le': 322038, 'chat to': 173963, 'open thanks': 612540, 'looking to chat': 503022, 'to chat to': 902668, 'chat to someone': 173966, 'in the if': 429280, 'the if you': 857855, 'you do my': 1018261, 'do my dm': 249626, 'are open thanks': 88803, 'something online': 784998, 'coronavirus stop': 206832, 'being delivered': 125031, 'delivered via': 233441, 'so you ve': 778852, 'you ve bought': 1022029, 've bought something': 952974, 'bought something online': 136721, 'something online but': 784999, 'online but will': 607973, 'but will coronavirus': 147875, 'will coronavirus stop': 993038, 'coronavirus stop it': 206833, 'stop it from': 804782, 'it from being': 458149, 'from being delivered': 334676, 'being delivered via': 125033, 'supermarket putting': 822102, 'up bloody': 944501, 'bloody seems': 133233, 'is it me': 449038, 'it me or': 459565, 'me or are': 523281, 'or are supermarket': 614416, 'are supermarket putting': 90653, 'supermarket putting their': 822105, 'putting their price': 691243, 'price up bloody': 677225, 'up bloody seems': 944502, 'bloody seems that': 133234, 'seems that way': 746863, 'way to me': 970051, 'the campaign': 850302, 'campaign is': 157231, 'also calling': 47999, 'people extra': 647849, 'cannot chase': 161714, 'chase food': 173881, 'there ready': 878979, 'be distributed': 114500, 'distributed united': 248063, 'essential to support': 281709, 'bank but the': 109695, 'but the campaign': 147314, 'the campaign is': 850305, 'campaign is also': 157232, 'is also calling': 445551, 'also calling on': 48000, 'government to ensure': 360714, 'ensure food bank': 277941, 'bank will have': 110317, 'will have stock': 993676, 'have stock and': 382759, 'stock and to': 801835, 'give people extra': 350645, 'people extra money': 647850, 'extra money so': 293584, 'money so they': 537024, 'can buy their': 157840, 'buy their own': 149317, 'own food we': 632006, 'food we cannot': 317523, 'we cannot chase': 971050, 'cannot chase food': 161715, 'chase food like': 173882, 'this it should': 888527, 'should be there': 765751, 'be there ready': 117684, 'there ready to': 878981, 'ready to be': 700939, 'to be distributed': 901213, 'be distributed united': 114502, 'distributed united kingdom': 248064, 'unctad': 939920, 'unctad call': 939921, 'for stronger': 325946, 'stronger consumer': 814170, 'and misleading': 67064, 'misleading practice': 534106, 'unctad call for': 939922, 'call for stronger': 155893, 'for stronger consumer': 325947, 'stronger consumer protection': 814171, 'protection amid the': 685312, 'crisis and growing': 217025, 'and growing number': 64015, 'scam and misleading': 740007, 'and misleading practice': 67066, 'well fun': 978250, 'official hall': 595830, 'hall pas': 374342, 'from corporate': 335029, 'corporate wave': 207354, 'great an': 362501, 'is am': 445604, 'union and': 941868, 'pay overtime': 645036, 'overtime is': 631630, 'well fun thing': 978251, 'about working for': 26952, 'working for grocery': 1008638, 'grocery store got': 365437, 'store got my': 807959, 'got my official': 358729, 'my official hall': 549554, 'official hall pas': 595831, 'hall pas today': 374343, 'today from corporate': 919557, 'from corporate wave': 335031, 'corporate wave it': 207355, 'why out and': 991269, 'and about great': 57547, 'about great an': 25324, 'great an essential': 362502, 'an essential the': 55838, 'thing is am': 884460, 'is am union': 445606, 'am union and': 50524, 'union and pay': 941869, 'and pay overtime': 68802, 'pay overtime is': 645037, 'overtime is being': 631631, 'is being worked': 446124, 'rylan': 728827, 'else realised': 271854, 'shop into': 760351, 'into real': 442927, 'life supermarket': 489077, 'supermarket rylan': 822286, 'anyone else realised': 80285, 'else realised that': 271855, 'realised that covid': 701627, '19 ha turned': 7399, 'ha turned the': 372381, 'turned the shop': 935882, 'the shop into': 867004, 'shop into real': 760352, 'into real life': 442929, 'real life supermarket': 701255, 'life supermarket sweep': 489078, 'supermarket sweep supermarket': 823107, 'sweep supermarket rylan': 830165, 'annadominic12345': 76785, 'mehtaa3': 527872, 'grocery my': 364741, 'email annadominic12345': 272118, 'annadominic12345 com': 76786, 'com join': 186943, 'guy mehtaa3': 369087, 'wuhan grocery my': 1013491, 'grocery my email': 364743, 'my email annadominic12345': 548085, 'email annadominic12345 com': 272119, 'annadominic12345 com join': 76787, 'com join guy': 186944, 'join guy mehtaa3': 466730, 'caresact': 164632, 'fcra': 300799, 'mainzer': 509180, 'several portion': 753923, 'the caresact': 850419, 'caresact will': 164636, 'directly impact': 243553, 'impact financial': 417654, 'institution that': 440473, 'that furnish': 843977, 'furnish consumer': 341943, 'to credit': 903732, 'agency under': 38097, 'the fcra': 855009, 'fcra or': 300800, 'service federally': 752359, 'federally backed': 302086, 'backed mortgage': 107534, 'mortgage more': 541926, 'and troy': 74471, 'troy mainzer': 932697, 'several portion of': 753924, 'of the caresact': 590849, 'the caresact will': 850421, 'caresact will directly': 164637, 'will directly impact': 993198, 'directly impact financial': 243554, 'impact financial institution': 417655, 'financial institution that': 306473, 'institution that furnish': 440474, 'that furnish consumer': 843978, 'furnish consumer information': 341944, 'consumer information to': 197877, 'information to credit': 438009, 'to credit reporting': 903733, 'reporting agency under': 712665, 'agency under the': 38098, 'under the fcra': 940307, 'the fcra or': 855010, 'fcra or service': 300801, 'or service federally': 617016, 'service federally backed': 752360, 'federally backed mortgage': 302087, 'backed mortgage more': 107535, 'mortgage more from': 541927, 'from and troy': 334529, 'and troy mainzer': 74472, 'peaked': 646123, 'rs4': 726701, 'clearly superior': 181577, 'superior the': 818701, 'sector wide': 744396, 'wide turbulence': 991772, 'turbulence caused': 935502, 'war pushing': 966517, 'pushing price': 690440, 'low 25': 505082, 'barrel gold': 111227, 'gold peaked': 355947, 'peaked then': 646128, 'then reduced': 877464, 'reduced after': 706021, 'opening march': 612877, 'march at': 515285, 'at rs4': 100426, 'rs4 274': 726702, '274 per': 16348, 'per gram': 650874, 'gram now': 361831, 'now once': 575443, 'again on': 37090, 'on downward': 600403, 'downward trajectory': 257840, 'estate is clearly': 282140, 'is clearly superior': 446562, 'clearly superior the': 181578, 'superior the sector': 818702, 'the sector wide': 866621, 'sector wide turbulence': 744397, 'wide turbulence caused': 991773, 'turbulence caused by': 935503, 'price war pushing': 677368, 'war pushing price': 966518, 'pushing price to': 690441, 'to low 25': 909479, 'low 25 per': 505083, 'per barrel gold': 650698, 'barrel gold peaked': 111228, 'gold peaked then': 355948, 'peaked then reduced': 646129, 'then reduced after': 877465, 'reduced after opening': 706022, 'after opening march': 35996, 'opening march at': 612878, 'march at rs4': 515288, 'at rs4 274': 100427, 'rs4 274 per': 726703, '274 per gram': 16349, 'per gram now': 650875, 'gram now once': 361832, 'now once again': 575444, 'once again on': 605570, 'again on downward': 37091, 'on downward trajectory': 600404, 'hussain': 411808, 'let no': 486933, 'hungry use': 411322, 'have ration': 382161, 'urban poor': 948122, 'poor siraj': 664288, 'siraj hussain': 771691, '19 let no': 8314, 'let no one': 486934, 'one go hungry': 606351, 'go hungry use': 353697, 'hungry use the': 411323, 'use the supply': 949691, 'the supply for': 868947, 'who have ration': 988948, 'have ration card': 382162, 'card and those': 163458, 'not provide food': 571143, 'to the urban': 917161, 'the urban poor': 870523, 'urban poor siraj': 948123, 'poor siraj hussain': 664289, 'to summarize': 915751, 'summarize ducey': 817912, 'ducey action': 261529, 'action close': 29986, 'close bar': 182561, '19 county': 6169, 'case order': 165944, 'order restaurant': 618544, 'delivery activates': 233621, 'activates national': 30236, 'bank delay': 109755, 'delay expiration': 232696, 'on az': 599525, 'az driver': 106377, 'driver license': 259633, 'and com': 60101, 'com driver': 186933, 'to summarize ducey': 915752, 'summarize ducey action': 817913, 'ducey action close': 261530, 'action close bar': 29987, 'close bar in': 182562, 'bar in covid': 110726, 'covid 19 county': 212875, '19 county with': 6170, 'county with positive': 211540, 'positive case order': 665278, 'case order restaurant': 165945, 'order restaurant to': 618546, 'restaurant to take': 716765, 'take out or': 832455, 'out or delivery': 626951, 'or delivery activates': 614932, 'delivery activates national': 233622, 'activates national guard': 30237, 'national guard to': 552529, 'guard to help': 367852, 'food bank delay': 313548, 'bank delay expiration': 109756, 'delay expiration date': 232697, 'expiration date on': 292044, 'date on az': 226697, 'on az driver': 599526, 'az driver license': 106378, 'driver license for': 259635, 'license for senior': 488135, 'senior and com': 750197, 'and com driver': 60102, 'worker your': 1008317, 'time isn': 897071, 'going unnoticed': 355770, 'you all grocery': 1016884, 'store worker your': 811631, 'worker your work': 1008318, 'work at this': 1004906, 'this time isn': 890654, 'time isn going': 897072, 'isn going unnoticed': 454524, '3hrs': 18284, 'out working': 627886, 'working doing': 1008592, 'delivery today': 234678, 'today started': 920211, 'started 3hrs': 794668, '3hrs ago': 18285, 'walmart you': 965481, 'store thru': 810731, 'grocery side': 365119, 'side and': 768780, 'shopper can': 761447, 'be inside': 115512, 'inside store': 439389, 'sundaythoughts thenewnormal': 818356, 'out working doing': 627887, 'working doing delivery': 1008593, 'doing delivery today': 252351, 'delivery today started': 234679, 'today started 3hrs': 920212, 'started 3hrs ago': 794669, '3hrs ago for': 18286, 'ago for anyone': 38382, 'going to walmart': 355757, 'to walmart you': 918318, 'walmart you can': 965482, 'only go in': 610518, 'the store thru': 868125, 'store thru the': 810732, 'thru the grocery': 895231, 'the grocery side': 856824, 'grocery side and': 365120, 'side and walmart': 768781, 'walmart is limiting': 965362, 'is limiting how': 449369, 'how many shopper': 408283, 'many shopper can': 514702, 'shopper can be': 761449, 'can be inside': 157634, 'be inside store': 115513, 'inside store sundaythoughts': 439392, 'store sundaythoughts thenewnormal': 810448, 'tennessee grocer': 837948, 'grocer convenient': 364116, 'convenient store': 202416, 'store association': 806568, 'association the': 96989, 'retail association': 717855, 'association and': 96942, 'hospitality tn': 404812, 'tn partnered': 899389, 'with state': 1000946, 'state workforce': 796106, 'workforce development': 1008349, 'development to': 239852, 'quickly connect': 694503, 'connect job': 194607, 'seeker to': 746631, 'to hiring': 907802, 'hiring company': 397082, 'logistics industry': 500758, 'industry get': 435846, 'get connected': 346803, 'connected here': 194654, 'tennessee grocer convenient': 837949, 'grocer convenient store': 364117, 'convenient store association': 202417, 'store association the': 806569, 'association the retail': 96990, 'the retail association': 865710, 'retail association and': 717856, 'association and hospitality': 96944, 'and hospitality tn': 64757, 'hospitality tn partnered': 404813, 'tn partnered with': 899390, 'partnered with state': 642926, 'with state workforce': 1000947, 'state workforce development': 796107, 'workforce development to': 1008350, 'development to quickly': 239853, 'to quickly connect': 912680, 'quickly connect job': 694504, 'connect job seeker': 194608, 'job seeker to': 466148, 'seeker to hiring': 746632, 'to hiring company': 907803, 'hiring company in': 397083, 'the grocery retail': 856820, 'retail and logistics': 717829, 'and logistics industry': 66336, 'logistics industry get': 500759, 'industry get connected': 435847, 'get connected here': 346804, 'outfit for': 628940, 'shopping alright': 761926, 'alright ll': 47781, 'back later': 107133, 'later everybody': 481060, 'everybody just': 286451, 'just heading': 468944, 'crazy for': 215290, 'like my new': 490826, 'new outfit for': 559243, 'outfit for grocery': 628941, 'grocery shopping alright': 364993, 'shopping alright ll': 761927, 'alright ll be': 47782, 'be back later': 113785, 'back later everybody': 107134, 'later everybody just': 481061, 'everybody just heading': 286452, 'just heading to': 468945, 'store to fight': 810769, 'to fight off': 905800, 'fight off the': 304816, 'off the crazy': 594239, 'the crazy for': 852295, 'crazy for the': 215292, 'the last package': 859029, 'last package of': 480434, 'sanitize everything': 734186, 'just common': 468505, 'sense it': 750537, 'risk after': 723356, 'this had': 887819, 'had already': 372827, 'already feared': 47348, 'feared this': 301445, 'another issue': 77682, 'sanitize everything when': 734187, 'everything when have': 288103, 'store it just': 808581, 'it just common': 459218, 'just common sense': 468507, 'common sense it': 189461, 'sense it would': 750538, 'would be high': 1011599, 'be high risk': 115245, 'high risk after': 395344, 'risk after reading': 723357, 'after reading this': 36108, 'reading this had': 700809, 'this had already': 887820, 'had already feared': 372828, 'already feared this': 47349, 'feared this would': 301446, 'would be another': 1011551, 'be another issue': 113630, 'notinthistogether': 573578, 'sent someone': 750807, 'pick something': 655686, 'something up': 785118, 'the walmart': 871052, 'walmart parking': 965390, 'packed together': 633654, 'together taking': 920967, 'taking off': 833469, 'off glove': 593865, 'and throwing': 74099, 'throwing them': 895113, 'ground wtf': 366557, 'people stayathome': 649563, 'stayathome growup': 797493, 'growup notinthistogether': 367494, 'notinthistogether stopthespread': 573579, 'sent someone to': 750808, 'someone to the': 784710, 'to pick something': 911726, 'pick something up': 655687, 'something up and': 785119, 'and the walmart': 73644, 'the walmart parking': 871054, 'walmart parking lot': 965391, 'parking lot is': 642092, 'lot is full': 504071, 'is full crowd': 447973, 'full crowd of': 340551, 'people are packed': 647040, 'are packed together': 88949, 'packed together taking': 633656, 'together taking off': 920969, 'taking off glove': 833472, 'off glove and': 593866, 'mask and throwing': 518379, 'and throwing them': 74100, 'throwing them on': 895114, 'the ground wtf': 856858, 'ground wtf is': 366558, 'with people stayathome': 1000167, 'people stayathome growup': 649564, 'stayathome growup notinthistogether': 797494, 'growup notinthistogether stopthespread': 367495, 'tame': 834096, 'palate': 634565, 'fin': 305812, 'blanket': 132377, '30day': 17441, 'let pledge': 486978, 'pledge not': 660848, 'and tame': 73015, 'tame down': 834097, 'our palate': 624239, 'palate habit': 634566, 'longer on': 502025, 'on immediate': 601491, 'immediate basis': 416970, 'basis should': 112273, 'should announce': 765517, 'announce provision': 76865, '19 fin': 6998, 'fin task': 305815, 'force this': 328518, 'keep stress': 471981, 'stress panic': 813380, 'bay blanket': 112921, 'blanket 30day': 132378, '30day ban': 17442, 'on tobacco': 604771, 'tobacco item': 919078, 'let pledge not': 486979, 'pledge not to': 660849, 'to hoard essential': 907868, 'hoard essential supply': 398782, 'supply and tame': 824754, 'and tame down': 73016, 'tame down our': 834098, 'down our palate': 257069, 'our palate habit': 624240, 'palate habit for': 634567, 'habit for food': 372617, 'for food stock': 321636, 'food stock to': 316813, 'stock to last': 802999, 'to last longer': 909067, 'last longer on': 480304, 'longer on immediate': 502026, 'on immediate basis': 601492, 'immediate basis should': 416971, 'basis should announce': 112274, 'should announce provision': 765518, 'announce provision of': 76866, 'provision of covid': 687276, 'covid 19 fin': 213095, '19 fin task': 6999, 'fin task force': 305816, 'task force this': 834701, 'force this should': 328520, 'this should keep': 890131, 'should keep stress': 766170, 'keep stress panic': 471982, 'stress panic at': 813381, 'panic at bay': 637361, 'at bay blanket': 98098, 'bay blanket 30day': 112922, 'blanket 30day ban': 132379, '30day ban on': 17443, 'ban on tobacco': 109235, 'on tobacco item': 604772, 'crucified': 219491, 'resurrection': 717785, 'goodfriday2020': 358019, 'ha crucified': 370294, 'crucified the': 219492, 'economy the': 268271, 'system the': 831339, 'economy capitalism': 267745, 'driven way': 259377, 'life wonder': 489227, 'the resurrection': 865706, 'resurrection will': 717787, 'like goodfriday2020': 490333, '19 ha crucified': 7337, 'ha crucified the': 370295, 'crucified the economy': 219493, 'the economy the': 854026, 'economy the political': 268275, 'the political system': 863949, 'political system the': 663685, 'system the education': 831341, 'education system the': 268873, 'system the healthcare': 831342, 'healthcare system the': 387315, 'system the economy': 831340, 'the economy capitalism': 853949, 'economy capitalism and': 267746, 'capitalism and our': 162721, 'and our consumer': 68482, 'consumer driven way': 197253, 'driven way of': 259378, 'of life wonder': 585841, 'life wonder what': 489228, 'wonder what the': 1004015, 'what the resurrection': 982361, 'the resurrection will': 865707, 'resurrection will look': 717788, 'look like goodfriday2020': 502480, 'supplier haven': 824543, 'outlet cashing': 629034, 'supplier haven increased': 824544, 'haven increased their': 383844, 'increased their price': 433501, 'their price so': 874422, 'price so why': 676519, 'why are some': 990787, 'are some retail': 90284, 'some retail outlet': 783760, 'retail outlet cashing': 718370, 'outlet cashing in': 629035, 'in on covid': 426114, 'montana': 537484, 'montana farmer': 537487, 'montana farmer having': 537488, 'farmer having little': 299411, 'having little fun': 384141, 'hitchens': 398532, 'feckin': 301765, 'dunce': 262266, 'the hitchens': 857398, 'hitchens comment': 398533, 'comment were': 188467, 'were complaining': 979459, 'their hospital': 873586, 'hospital wa': 404702, 'wa half': 962264, 'half empty': 374159, 'empty still': 275138, 'still that': 801283, 'the feckin': 855051, 'feckin point': 301766, 'you dunce': 1018377, 'on the hitchens': 604162, 'the hitchens comment': 857399, 'hitchens comment were': 398534, 'comment were complaining': 188468, 'were complaining that': 979460, 'complaining that they': 191909, 'they were having': 883776, 'were having to': 979725, 'having to queue': 384358, 'supermarket but their': 819461, 'but their hospital': 147433, 'their hospital wa': 873588, 'hospital wa half': 404703, 'wa half empty': 962265, 'half empty still': 374162, 'empty still that': 275139, 'still that the': 801284, 'that the feckin': 846725, 'the feckin point': 855052, 'feckin point you': 301767, 'point you dunce': 662725, 'usps only': 950858, 'most respect': 542698, 'my mail': 549184, 'and postal': 69234, 'what trend': 982486, 'trend if': 931355, 'any are': 78941, 'you seeing': 1021080, 'your carrier': 1023149, 'carrier are': 164950, 'delivering would': 233565, 'percent nonessential': 651149, 'love the usps': 504810, 'the usps only': 870581, 'usps only the': 950859, 'only the most': 611271, 'the most respect': 861027, 'most respect to': 542699, 'to my mail': 910418, 'my mail carrier': 549185, 'mail carrier and': 508575, 'carrier and postal': 164948, 'and postal worker': 69236, 'postal worker out': 666477, 'out there what': 627524, 'there what trend': 879337, 'what trend if': 982488, 'trend if any': 931356, 'if any are': 413826, 'any are you': 78942, 'are you seeing': 91851, 'you seeing in': 1021083, 'shopping order your': 763566, 'order your carrier': 618804, 'your carrier are': 1023150, 'carrier are delivering': 164952, 'are delivering would': 85768, 'delivering would say': 233566, 'would say 80': 1012212, 'say 80 percent': 738377, '80 percent nonessential': 22621, 'bakkt marching': 108951, 'marching towards': 515557, 'towards summer': 927249, 'securitytokens digitalsecurities': 744812, 'bakkt marching towards': 108952, 'marching towards summer': 515558, 'towards summer launch': 927250, 'launch of consumer': 481930, 'of consumer app': 581707, 'sto securitytokens digitalsecurities': 801748, 'more via via': 540904, 'illinois foodbank': 416284, 'foodbank to': 317799, 'northern illinois foodbank': 567756, 'illinois foodbank to': 416285, 'foodbank to help': 317800, 'and consumerbehavior': 60446, 'consumerbehavior change': 199605, 'ecommerce and consumerbehavior': 266707, 'and consumerbehavior change': 60447, 'consumerbehavior change amid': 199606, 'nicola': 562608, 'lacetera': 478583, 'by university': 154634, 'toronto professor': 925979, 'professor nicola': 682571, 'nicola lacetera': 562609, 'lacetera and': 478584, 'co author': 184811, 'author us': 103651, 'us data': 948513, 'from italy': 336133, 'that surprising': 846595, 'surprising people': 828632, 'with longer': 999308, 'longer period': 502027, 'restriction make': 717320, 'people le': 648613, 'le willing': 483248, 'restriction themselves': 717391, 'themselves writes': 876947, 'new study by': 559680, 'study by university': 814872, 'by university of': 154635, 'university of toronto': 942453, 'of toronto professor': 592324, 'toronto professor nicola': 925980, 'professor nicola lacetera': 682572, 'nicola lacetera and': 562610, 'lacetera and co': 478585, 'and co author': 60036, 'co author us': 184812, 'author us data': 103652, 'us data from': 948514, 'data from italy': 226232, 'from italy to': 336138, 'italy to show': 462954, 'to show that': 914576, 'show that surprising': 767196, 'that surprising people': 846596, 'surprising people with': 828633, 'people with longer': 650458, 'with longer period': 999309, 'longer period of': 502028, 'period of restriction': 651849, 'of restriction make': 589039, 'restriction make people': 717321, 'make people le': 510319, 'people le willing': 648614, 'le willing to': 483249, 'willing to comply': 995466, 'comply with the': 192540, 'with the restriction': 1001455, 'the restriction themselves': 865677, 'restriction themselves writes': 717392, 'shopping healthy': 762878, 'safe society': 729952, 'grocery shopping healthy': 365033, 'shopping healthy and': 762879, 'and safe society': 70721, 'hobnobbing': 399786, 'stayinside': 798750, 'give damn': 350451, 'damn about': 225309, 'about hobnobbing': 25405, 'hobnobbing with': 399787, 'store bar': 806643, 'bar gym': 110713, 'restaurant they': 716747, 'they refuse': 883184, 'up stayinside': 946065, 'stayinside coronacrisis': 798751, 'these selfish moron': 880649, 'selfish moron who': 748174, 'moron who continue': 541649, 'and supply stock': 72816, 'supply stock shelf': 825905, 'stock shelf almost': 802827, 'shelf almost everywhere': 756702, 'almost everywhere and': 46636, 'everywhere and yet': 288174, 'yet they do': 1016273, 'not give damn': 569639, 'give damn about': 350452, 'damn about hobnobbing': 225311, 'about hobnobbing with': 25406, 'hobnobbing with stranger': 399788, 'with stranger in': 1001004, 'stranger in store': 812474, 'in store bar': 428386, 'store bar gym': 806644, 'bar gym and': 110714, 'gym and shop': 369297, 'and shop restaurant': 71510, 'shop restaurant they': 760721, 'restaurant they refuse': 716750, 'they refuse to': 883185, 'refuse to give': 707034, 'to give up': 906725, 'give up stayinside': 350820, 'up stayinside coronacrisis': 946066, 'you brad': 1017514, 'thank you brad': 841695, 'you brad paisley': 1017515, 'trumph': 934048, 'sinceivebeenquarantined': 771022, 'trumph just': 934049, 'in live': 424803, 'live news': 495936, 'conference he': 193738, 'low 91': 505097, '91 cent': 23431, 'gallon out': 343054, 'touch sinceivebeenquarantined': 926535, 'trumph just said': 934050, 'just said in': 469667, 'said in live': 731138, 'in live news': 424804, 'live news conference': 495937, 'news conference he': 560325, 'conference he ha': 193739, 'he ha seen': 385033, 'ha seen gas': 371826, 'gas price low': 343992, 'price low 91': 675111, 'low 91 cent': 505098, '91 cent gallon': 23432, 'cent gallon out': 169065, 'gallon out of': 343055, 'of touch sinceivebeenquarantined': 592337, 'sector fashion': 744188, 'fashion the': 299855, 'the textile': 869348, 'textile industry': 839971, 'industry go': 435850, 'into pause': 442854, 'pause mode': 644599, 'mode social': 535197, 'becomes priority': 120247, 'priority buying': 678528, 'idea at': 413010, 'of delivery': 582485, 'delivery agent': 233631, 'agent at': 38154, 'like other sector': 490946, 'other sector fashion': 620879, 'sector fashion the': 744190, 'fashion the textile': 299856, 'the textile industry': 869349, 'textile industry go': 839972, 'industry go into': 435851, 'go into pause': 353763, 'into pause mode': 442855, 'pause mode social': 644600, 'mode social distancing': 535198, 'distancing becomes priority': 247037, 'becomes priority buying': 120248, 'priority buying non': 678529, 'essential product online': 281423, 'product online is': 681481, 'online is not': 608433, 'not good idea': 569723, 'good idea at': 357206, 'idea at this': 413011, 'time we will': 898244, 'will be putting': 992629, 'be putting the': 116649, 'putting the health': 691231, 'health of delivery': 386683, 'of delivery agent': 582486, 'delivery agent at': 233632, 'agent at risk': 38155, 'scalping': 739947, 'fun quarantine': 341209, 'quarantine activity': 691989, 'activity find': 30423, 'find people': 307174, 'ebay amazon': 266425, 'amazon scalping': 51107, 'scalping supply': 739950, 'mask then': 519361, 'then report': 877478, 'and notify': 67811, 'notify via': 573563, 'via twitter': 956340, 'twitter at': 936636, 'and counting': 60634, 'counting and': 210356, 'get old': 347692, 'old mask': 598361, 'mask maskshortage': 518960, 'maskshortage quarantineandchill': 519695, 'quarantineandchill sanitizer': 692766, 'sanitizer ebay': 734808, 'fun quarantine activity': 341210, 'quarantine activity find': 691990, 'activity find people': 30424, 'find people on': 307176, 'people on ebay': 648958, 'on ebay amazon': 600486, 'ebay amazon scalping': 266426, 'amazon scalping supply': 51108, 'scalping supply like': 739951, 'supply like mask': 825506, 'like mask then': 490725, 'mask then report': 519362, 'then report on': 877479, 'report on ebay': 712144, 'ebay and notify': 266430, 'and notify via': 67812, 'notify via twitter': 573564, 'via twitter at': 956341, 'twitter at and': 936637, 'at and counting': 98001, 'and counting and': 60635, 'counting and this': 210357, 'not get old': 569599, 'get old mask': 347694, 'old mask maskshortage': 598362, 'mask maskshortage quarantineandchill': 518961, 'maskshortage quarantineandchill sanitizer': 519696, 'quarantineandchill sanitizer ebay': 692767, 'sanitizer ebay amazon': 734809, 'frescogrocers': 332895, 'again most': 37073, 'with frescogrocers': 998548, 'frescogrocers their': 332896, 'staff wear': 793058, 'with security': 1000617, 'someone cleaning': 784402, 'the basket': 849324, 'basket upon': 112411, 'entering he': 278404, 'move position': 543719, 'position of': 665183, 'cloth but': 184078, 'good start': 357762, 'once again most': 605569, 'again most impressed': 37074, 'impressed with frescogrocers': 419455, 'with frescogrocers their': 998549, 'frescogrocers their staff': 332897, 'their staff wear': 874806, 'staff wear mask': 793059, 'wear mask glove': 974388, 'mask glove with': 518757, 'glove with security': 353047, 'with security at': 1000618, 'security at check': 744550, 'at check out': 98243, 'check out and': 174536, 'out and someone': 625692, 'and someone cleaning': 71984, 'someone cleaning the': 784403, 'cleaning the basket': 181101, 'the basket upon': 849326, 'basket upon entering': 112412, 'upon entering he': 947628, 'entering he should': 278405, 'he should use': 385441, 'should use sanitizer': 766617, 'use sanitizer and': 949537, 'sanitizer and move': 734419, 'and move position': 67291, 'move position of': 543720, 'position of cloth': 665184, 'of cloth but': 581475, 'cloth but it': 184079, 'but it good': 146125, 'it good start': 458302, 'good start thank': 357763, 'citizen not': 178932, 'not screwing': 571464, 'screwing with': 742844, 'chain you': 171277, 'are don': 85943, 'home when': 402481, 'can sanitize': 159498, 'sanitize don': 734182, 'face shop': 294747, 'normal it': 567192, 'be ok': 116171, 'ok side': 597874, 'note be': 572704, 'worker quit': 1007654, 'quit calling': 694791, 'calling chill': 156527, 'chill out': 176369, 'all citizen not': 42351, 'citizen not screwing': 178933, 'not screwing with': 571465, 'screwing with the': 742845, 'supply chain you': 825075, 'chain you are': 171278, 'you are don': 1017111, 'are don panic': 85944, 'panic stay home': 638624, 'stay home when': 797028, 'home when you': 402483, 'you can sanitize': 1017773, 'can sanitize don': 159499, 'sanitize don touch': 734183, 'your face shop': 1023757, 'face shop normal': 294748, 'shop normal it': 760490, 'normal it going': 567193, 'to be ok': 901418, 'be ok side': 116175, 'ok side note': 597875, 'side note be': 768838, 'note be nice': 572705, 'store worker quit': 811568, 'worker quit calling': 1007655, 'quit calling chill': 694792, 'calling chill out': 156528, 'chill out we': 176374, 'out we are': 627791, 'trivia': 932318, 'impair': 418279, 'postitive': 666709, 'trivia covid': 932319, 'ha cause': 370072, 'market plunging': 516863, 'plunging and': 661515, 'and impair': 65012, 'impair the': 418282, 'the postitive': 864107, 'postitive momentum': 666710, 'past four': 643545, 'trivia covid 19': 932320, 'covid 19 crude': 212892, '19 crude oil': 6366, 'price since january': 676415, 'january the spreading': 464685, '19 ha cause': 7330, 'ha cause global': 370073, 'cause global stock': 167578, 'global stock market': 352221, 'stock market plunging': 802423, 'market plunging and': 516864, 'plunging and impair': 661516, 'and impair the': 65013, 'impair the postitive': 418283, 'the postitive momentum': 864108, 'postitive momentum in': 666711, 'momentum in oil': 536157, 'oil price over': 597212, 'the past four': 863356, 'past four month': 643546, 'biobarrier': 131176, 'customersafety': 223154, 'bio barrier': 131127, 'barrier with': 111374, 'with 48': 997024, 'hour delivery': 405540, 'delivery contact': 233823, 'uk if': 938470, 'these sorting': 880708, 'sorting for': 786184, 'premise or': 669935, 'or outlet': 616471, 'outlet shop': 629058, 'shop conveniencestore': 760074, 'conveniencestore supermarket': 202379, 'pharmacy biobarrier': 654258, 'biobarrier 19': 131177, '19 customersafety': 6397, 'bio barrier with': 131128, 'barrier with 48': 111375, 'with 48 hour': 997025, '48 hour delivery': 19308, 'hour delivery contact': 405541, 'delivery contact lorri': 233824, 'co uk if': 184994, 'uk if you': 938471, 'you need these': 1020050, 'need these sorting': 555799, 'these sorting for': 880709, 'sorting for your': 786185, 'for your premise': 328193, 'your premise or': 1025378, 'premise or outlet': 669936, 'or outlet shop': 616473, 'outlet shop conveniencestore': 629059, 'shop conveniencestore supermarket': 760075, 'conveniencestore supermarket pharmacy': 202380, 'supermarket pharmacy biobarrier': 821974, 'pharmacy biobarrier 19': 654259, 'biobarrier 19 customersafety': 131178, 'annoys': 77377, 'store annoys': 806419, 'annoys me': 77378, 'low threshold': 505685, 'threshold for': 894141, 'for stupidity': 325960, 'stupidity and': 815516, 'hysteria it': 412456, 'it boring': 456902, 'boring and': 135428, 'dangerous mix': 225759, 'mix corona': 534593, 'grocery store annoys': 365201, 'store annoys me': 806420, 'annoys me more': 77381, 'me more have': 523166, 'more have very': 539395, 'have very low': 383501, 'very low threshold': 955346, 'low threshold for': 505686, 'threshold for stupidity': 894142, 'for stupidity and': 325961, 'stupidity and hysteria': 815517, 'and hysteria it': 64915, 'hysteria it boring': 412458, 'it boring and': 456903, 'boring and dangerous': 135429, 'and dangerous mix': 60943, 'dangerous mix corona': 225760, 'mix corona virus': 534594, 'adelaide peep': 32137, 'peep on': 646290, 'now talking': 575964, 'customer rule': 222780, 'pandemic tune': 636853, 'adelaide peep on': 32138, 'peep on now': 646291, 'on now talking': 602454, 'now talking about': 575965, 'talking about supermarket': 833987, 'about supermarket and': 26280, 'supermarket and their': 819080, 'and their new': 73704, 'their new customer': 874050, 'new customer rule': 558581, 'customer rule amid': 222781, 'rule amid the': 727184, '19 pandemic tune': 9509, 'pandemic tune in': 636854, 'riversidecounty': 724204, 'marvelous': 518137, 'magnitude earthquake': 508440, 'earthquake shook': 265046, 'shook the': 759724, 'area near': 92118, 'near riversidecounty': 553571, 'riversidecounty late': 724205, 'late friday': 480875, 'friday no': 333263, 'no damage': 563960, 'damage supermarket': 225220, 'were bare': 979363, 'restaurant church': 716366, 'and theater': 73666, 'theater were': 872270, 'empty trump': 275215, 'trump immediately': 933622, 'immediately credited': 417077, 'credited our': 216568, 'our marvelous': 623871, 'marvelous with': 518140, 'with saving': 1000587, 'saving thousand': 737972, 'magnitude earthquake shook': 508441, 'earthquake shook the': 265047, 'shook the area': 759725, 'the area near': 848883, 'area near riversidecounty': 92119, 'near riversidecounty late': 553572, 'riversidecounty late friday': 724206, 'late friday no': 480876, 'friday no damage': 333264, 'no damage supermarket': 563961, 'damage supermarket shelf': 225221, 'shelf were bare': 757765, 'were bare and': 979364, 'bare and bar': 110855, 'and bar restaurant': 58701, 'bar restaurant church': 110754, 'restaurant church and': 716367, 'church and theater': 178334, 'and theater were': 73667, 'theater were empty': 872271, 'were empty trump': 979578, 'empty trump immediately': 275216, 'trump immediately credited': 933623, 'immediately credited our': 417078, 'credited our marvelous': 216569, 'our marvelous with': 623872, 'marvelous with saving': 518141, 'with saving thousand': 1000588, 'saving thousand and': 737973, 'thousand and thousand': 893376, 'iodine': 444437, 'get health': 347199, 'problem from': 679528, 'much iodine': 545018, 'iodine but': 444438, 'of iodine': 585288, 'iodine for': 444440, 'if infected': 414264, 'die this': 241466, 'recommended daily': 704781, 'amount and': 53161, 'upper limit': 947690, 'limit based': 492300, 'can get health': 158420, 'get health problem': 347201, 'health problem from': 386756, 'problem from too': 679529, 'from too much': 338106, 'too much iodine': 924928, 'much iodine but': 545019, 'iodine but sure': 444439, 'but sure it': 147237, 'sure it be': 827595, 'it be better': 456723, 'be better to': 113844, 'better to get': 128561, 'to get lot': 906523, 'lot of iodine': 504214, 'of iodine for': 585289, 'iodine for few': 444441, 'few day if': 303777, 'day if infected': 227778, 'if infected with': 414267, 'rather than die': 697512, 'than die this': 840503, 'die this ha': 241467, 'this ha the': 887816, 'ha the recommended': 372223, 'the recommended daily': 865354, 'recommended daily amount': 704782, 'daily amount and': 224490, 'amount and upper': 53162, 'and upper limit': 74747, 'upper limit based': 947691, 'limit based on': 492301, 'arrears': 93741, 'melaye commend': 527914, 'commend your': 188370, 'time family': 896645, 'are greatly': 86956, 'greatly in': 363321, 'stuff think': 815216, 'consider paying': 195066, 'paying nysc': 645455, 'nysc member': 578124, 'member their': 528214, 'their earned': 873095, 'earned arrears': 264822, 'arrears from': 93742, 'april 2019': 83451, '2019 that': 14023, 'melaye commend your': 527915, 'commend your effort': 188371, 'your effort so': 1023628, 'far in combating': 298814, 'combating the covid': 187076, '19 at this': 5254, 'at this critical': 101230, 'critical time family': 218697, 'time family are': 896646, 'family are greatly': 297625, 'are greatly in': 86958, 'greatly in need': 363322, 'need of cash': 555323, 'of cash to': 581185, 'cash to stock': 166360, 'up food stuff': 944899, 'food stuff think': 316900, 'stuff think you': 815217, 'think you should': 885818, 'you should consider': 1021189, 'should consider paying': 765862, 'consider paying nysc': 195067, 'paying nysc member': 645456, 'nysc member their': 578125, 'member their earned': 528215, 'their earned arrears': 873096, 'earned arrears from': 264823, 'arrears from april': 93743, 'from april 2019': 334575, 'april 2019 that': 83452, '2019 that will': 14024, 'daft': 224457, 'groaning': 364072, 'riice': 722495, 'pastaa': 643862, 'you realise': 1020822, 'how daft': 407657, 'daft toilet': 224462, 'paper stockpiling': 640836, 'few roll': 304046, 'roll spare': 725512, 'spare do': 787473, 'not share': 571546, 'share wrap': 755362, 'wrap yourself': 1012668, 'yourself up': 1026736, 'mummy wait': 546061, 'empty toilet': 275205, 'paper aisle': 639774, 'come round': 187494, 'and lurch': 66484, 'lurch toward': 506828, 'toward them': 927160, 'them groaning': 875798, 'groaning riice': 364073, 'riice pastaa': 722496, 'if you realise': 415502, 'you realise how': 1020823, 'realise how daft': 701595, 'how daft toilet': 407658, 'daft toilet paper': 224463, 'toilet paper stockpiling': 921471, 'paper stockpiling is': 640837, 'stockpiling is and': 803996, 'is and have': 445705, 'have few roll': 380617, 'few roll spare': 304048, 'roll spare do': 725513, 'spare do not': 787474, 'do not share': 249841, 'not share wrap': 571548, 'share wrap yourself': 755363, 'wrap yourself up': 1012669, 'yourself up like': 1026739, 'up like mummy': 945316, 'like mummy wait': 490809, 'mummy wait on': 546062, 'wait on the': 964164, 'on the empty': 604091, 'the empty toilet': 854292, 'empty toilet paper': 275206, 'toilet paper aisle': 921177, 'paper aisle at': 639777, 'for someone to': 325781, 'someone to come': 784700, 'to come round': 903045, 'come round the': 187496, 'round the corner': 726361, 'the corner and': 851744, 'corner and lurch': 203637, 'and lurch toward': 66485, 'lurch toward them': 506829, 'toward them groaning': 927161, 'them groaning riice': 875799, 'groaning riice pastaa': 364074, 'campbell9': 157302, 'rediscovery': 705729, 'campbell9 if': 157303, 'anything positive': 80863, 'positive can': 665272, 'the nightmare': 861812, 'nightmare really': 563187, 'is rediscovery': 451375, 'rediscovery of': 705730, 'importance and': 418685, 'local fear': 497953, 'financial damage': 306390, 'damage done': 225190, 'and advantage': 57713, 'advantage handed': 32973, 'handed to': 376092, 'the bigger': 849633, 'bigger retailer': 130166, 'retailer online': 719264, 'campbell9 if anything': 157304, 'if anything positive': 413864, 'anything positive can': 80864, 'positive can come': 665273, 'can come from': 157932, 'come from the': 187314, 'from the nightmare': 337807, 'the nightmare really': 861813, 'nightmare really hope': 563188, 'really hope it': 702308, 'hope it is': 403517, 'it is rediscovery': 459058, 'is rediscovery of': 451376, 'rediscovery of the': 705731, 'of the importance': 591131, 'the importance and': 857975, 'importance and benefit': 418686, 'benefit of shopping': 127051, 'of shopping local': 589666, 'shopping local fear': 763202, 'local fear the': 497954, 'fear the financial': 301376, 'the financial damage': 855213, 'financial damage done': 306391, 'damage done and': 225191, 'done and advantage': 254772, 'and advantage handed': 57714, 'advantage handed to': 32974, 'handed to the': 376093, 'to the bigger': 916519, 'the bigger retailer': 849638, 'bigger retailer online': 130167, 'retailer online will': 719267, 'notouchy': 573610, 'kuzco': 478012, 'perfect shirt': 651335, 'store later': 808683, 'today notouchy': 919947, 'notouchy kuzco': 573611, 'kuzco greenville': 478013, 'greenville south': 363774, 'south carolina': 786703, 'good thing have': 357846, 'thing have the': 884408, 'have the perfect': 383010, 'the perfect shirt': 863545, 'perfect shirt for': 651336, 'shirt for having': 758982, 'for having to': 322134, 'grocery store later': 365512, 'store later today': 808684, 'later today notouchy': 481150, 'today notouchy kuzco': 919948, 'notouchy kuzco greenville': 573612, 'kuzco greenville south': 478014, 'greenville south carolina': 363775, 'shaggy': 754371, '800ksh': 22735, '00ksh': 685, 'housewear': 407035, 'save0745927128': 737720, '0787370387': 1058, 'guy thanks': 369170, 'the talent': 869136, 'talent is': 833705, 'booming shaggy': 134895, 'shaggy mat': 754372, 'mat are': 520251, 'all color': 42385, 'color shape': 186749, 'shape and': 754818, 'size at': 772763, 'low 800ksh': 505095, '800ksh and': 22736, 'not higher': 569964, '10 00ksh': 1215, '00ksh why': 686, 'for expensive': 321327, 'expensive housewear': 291250, 'housewear call': 407036, 'call me': 155987, 'quality and': 691760, 'and save0745927128': 70963, 'save0745927128 0787370387': 737721, 'hey guy thanks': 394405, 'guy thanks to': 369171, 'quarantine the talent': 692614, 'the talent is': 869137, 'talent is booming': 833706, 'is booming shaggy': 446229, 'booming shaggy mat': 134896, 'shaggy mat are': 754373, 'mat are now': 520252, 'are now available': 88525, 'available in all': 104432, 'in all color': 420166, 'all color shape': 42386, 'color shape and': 186750, 'shape and size': 754819, 'and size at': 71713, 'size at very': 772764, 'low price low': 505523, 'price low 800ksh': 675110, 'low 800ksh and': 505096, '800ksh and not': 22737, 'and not higher': 67747, 'not higher than': 569965, 'higher than 10': 395748, 'than 10 00ksh': 840141, '10 00ksh why': 1216, '00ksh why go': 687, 'why go for': 991015, 'go for expensive': 353557, 'for expensive housewear': 321328, 'expensive housewear call': 291251, 'housewear call me': 407037, 'call me for': 155989, 'me for quality': 522759, 'for quality and': 324892, 'quality and save0745927128': 691765, 'and save0745927128 0787370387': 70964, 'buyer your': 149815, 'your taking': 1026104, 'panic buyer your': 637622, 'buyer your taking': 149816, 'your taking food': 1026105, 'ecommercebytes': 266906, 'story ebay': 811959, 'ebay uk': 266500, 'uk place': 938622, 'place covid': 657400, '19 limit': 8335, 'consumer seller': 198895, 'seller ecommercebytes': 749016, 'ecommercebytes see': 266907, 'top story ebay': 925727, 'story ebay uk': 811960, 'ebay uk place': 266501, 'uk place covid': 938623, 'place covid 19': 657401, 'covid 19 limit': 213356, '19 limit on': 8337, 'limit on consumer': 492410, 'on consumer seller': 600076, 'consumer seller ecommercebytes': 198896, 'seller ecommercebytes see': 749017, 'ecommercebytes see more': 266908, 'by stock': 154122, 'food surely': 317031, 'surely this': 827956, 'this cannot': 886693, '19 strangetimes': 10900, 'believe how selfish': 126277, 'selfish people can': 748207, 'be in these': 115440, 'challenging time by': 171632, 'time by stock': 896439, 'by stock piling': 154123, 'piling food surely': 656593, 'food surely this': 317032, 'surely this cannot': 827957, 'this cannot go': 886695, 'cannot go on': 161929, 'go on 19': 353875, 'on 19 strangetimes': 599035, 'nightclub': 563137, 're advised': 698193, 'pub nightclub': 687734, 'nightclub hotel': 563142, 'hotel school': 405191, 'school etc': 741784, 'happily go': 377556, 'you re advised': 1020557, 're advised not': 698194, 'advised not to': 33633, 'go to restaurant': 354350, 'to restaurant pub': 913392, 'restaurant pub nightclub': 716652, 'pub nightclub hotel': 687735, 'nightclub hotel school': 563143, 'hotel school etc': 405192, 'school etc but': 741785, 'etc but you': 282454, 'you can happily': 1017690, 'can happily go': 158560, 'happily go to': 377557, 'crowded supermarket for': 219358, 'supermarket for shopping': 820417, 'reprediction': 712860, 'reprediction spring': 712861, 'spring gas': 791208, 'be gallon': 114993, 'gallon cheaper': 342987, 'than expected': 840625, 'expected learn': 290910, 'reprediction spring gas': 712862, 'spring gas price': 791209, 'could be gallon': 208871, 'be gallon cheaper': 114994, 'gallon cheaper than': 342988, 'cheaper than expected': 174276, 'than expected learn': 840627, 'expected learn more': 290911, 'imho': 416921, 'governmental': 360841, 'anything different': 80732, 'different if': 241963, 'inside just': 439302, 'food imho': 314906, 'imho this': 416922, 'panic theater': 638689, 'theater is': 872257, 'an egregious': 55627, 'egregious governmental': 270086, 'governmental over': 360843, 'over reach': 630547, 'reach please': 699974, 'please jump': 660138, 'jump into': 467871, 'the spotlight': 867605, 'spotlight and': 790163, 'would be doing': 1011575, 'be doing anything': 114511, 'doing anything different': 252296, 'anything different if': 80733, 'different if he': 241964, 'he had to': 385061, 'had to stand': 373729, 'line with mask': 493581, 'with mask to': 999417, 'mask to get': 519403, 'get inside just': 347345, 'inside just to': 439303, 'buy food imho': 148655, 'food imho this': 314907, 'imho this covid': 416923, '19 panic theater': 9561, 'panic theater is': 638690, 'theater is an': 872258, 'is an egregious': 445650, 'an egregious governmental': 55628, 'egregious governmental over': 270087, 'governmental over reach': 360844, 'over reach please': 630548, 'reach please jump': 699975, 'please jump into': 660139, 'jump into the': 467872, 'into the spotlight': 443173, 'the spotlight and': 867607, 'spotlight and provide': 790164, 'and provide some': 69698, 'provide some sanity': 686486, 'moj': 535627, 'constitutes': 195747, '200 year': 13558, 'old rule': 598452, 'rule governing': 727244, 'governing will': 359803, 'will writing': 995374, 'writing could': 1012893, 'be relaxed': 116759, 'relaxed to': 708873, 'the moj': 860730, 'moj is': 535628, 'considering plan': 195397, 'give judge': 350556, 'judge greater': 467617, 'greater flexibility': 363180, 'flexibility in': 310367, 'in assessing': 420537, 'assessing what': 96379, 'what constitutes': 981244, 'constitutes valid': 195750, 'valid will': 951923, '200 year old': 13559, 'year old rule': 1014863, 'old rule governing': 598453, 'rule governing will': 727245, 'governing will writing': 359804, 'will writing could': 995375, 'writing could be': 1012894, 'could be relaxed': 208915, 'be relaxed to': 116761, 'relaxed to allow': 708874, 'get their affair': 348321, 'in order in': 426215, 'crisis the moj': 218180, 'the moj is': 860731, 'moj is considering': 535629, 'is considering plan': 446759, 'considering plan to': 195398, 'plan to give': 658292, 'to give judge': 906690, 'give judge greater': 350557, 'judge greater flexibility': 467618, 'greater flexibility in': 363181, 'flexibility in assessing': 310368, 'in assessing what': 420538, 'assessing what constitutes': 96380, 'what constitutes valid': 981246, 'constitutes valid will': 195751, 'brainwashed': 137630, 'being brainwashed': 124899, 'brainwashed into': 137631, 'tissue in': 899155, 'buying even': 150243, 'before food': 122807, 'maybe stupid': 521808, 'stupid comment': 815370, 'but toilet': 147613, 'tissue covid': 899138, '19 rush': 10270, 'rush make': 728310, 'wondering if we': 1004181, 'are being brainwashed': 84832, 'being brainwashed into': 124900, 'brainwashed into buying': 137632, 'into buying toilet': 442442, 'buying toilet tissue': 151249, 'toilet tissue in': 921640, 'tissue in panic': 899158, 'panic buying even': 637720, 'buying even before': 150244, 'even before food': 283872, 'before food maybe': 122808, 'food maybe stupid': 315421, 'maybe stupid comment': 521809, 'stupid comment but': 815371, 'comment but toilet': 188400, 'but toilet tissue': 147615, 'toilet tissue covid': 921636, 'tissue covid 19': 899139, 'covid 19 rush': 213730, '19 rush make': 10271, 'rush make sense': 728311, 'intel chairman': 440963, 'chairman got': 171336, 'got private': 358798, 'private briefing': 678864, 'briefing about': 139693, 'coronavirus week': 207055, 'ago burr': 38353, 'be he': 115161, 'truth to': 934410, 'his wealthy': 397908, 'donor while': 255175, 'assuring the': 97165, 'then he': 877239, 'he sold': 385454, 'sold off': 781709, 'off million': 593973, 'fall he': 296926, 'intel chairman got': 440964, 'chairman got private': 171337, 'got private briefing': 358799, 'private briefing about': 678865, 'briefing about coronavirus': 139694, 'about coronavirus week': 25034, 'coronavirus week ago': 207056, 'week ago burr': 975838, 'ago burr knew': 38354, 'burr knew how': 142944, 'knew how bad': 476039, 'how bad it': 407437, 'bad it would': 107916, 'would be he': 1011595, 'be he told': 115162, 'he told the': 385537, 'told the truth': 923711, 'the truth to': 870092, 'truth to his': 934411, 'to his wealthy': 907826, 'his wealthy donor': 397909, 'wealthy donor while': 974200, 'donor while assuring': 255176, 'while assuring the': 986621, 'assuring the public': 97166, 'public that we': 688356, 'we were fine': 973789, 'were fine then': 979630, 'fine then he': 307700, 'then he sold': 877241, 'he sold off': 385455, 'sold off million': 781712, 'off million in': 593974, 'in stock before': 428285, 'before the fall': 123162, 'the fall he': 854870, 'fall he need': 296927, 'need to resign': 556044, 'icantstayhomeiamanure': 412620, 'nursesareheroes': 577583, 'need 20': 554338, '30 face': 17043, 'worker getmeppe': 1007029, 'getmeppe facemask': 348792, 'facemask icantstayhomeiamanure': 295083, 'icantstayhomeiamanure healthcareheroes': 412621, 'healthcareheroes nursesareheroes': 387420, 'nursesareheroes socialdistancing': 577584, 'need 20 30': 554339, '20 30 face': 12900, '30 face mask': 17044, 'mask to donate': 519398, 'donate to my': 254263, 'to my neighborhood': 910422, 'my neighborhood grocery': 549433, 'store worker getmeppe': 811517, 'worker getmeppe facemask': 1007030, 'getmeppe facemask icantstayhomeiamanure': 348793, 'facemask icantstayhomeiamanure healthcareheroes': 295084, 'icantstayhomeiamanure healthcareheroes nursesareheroes': 412622, 'healthcareheroes nursesareheroes socialdistancing': 387421, 'nursesareheroes socialdistancing stayathome': 577585, 'you been keeping': 1017424, 'been keeping up': 121425, 'keeping up to': 472613, 'the latest price': 859138, 'paper do this': 640098, 'impending mask': 418325, 'mask shortage': 519267, 'shortage expected': 764937, 'expected the': 290954, 'now spreading': 575881, 'spreading exponentially': 790960, 'exponentially better': 292592, 'better that': 128546, 'the pleb': 863841, 'pleb hoard': 660831, 'hoard toiletpaper': 398895, 'are saved': 89812, 'saved for': 737735, 'and infected': 65195, 'actually the reason': 30978, 'for the narrative': 326573, 'the narrative is': 861206, 'narrative is the': 551947, 'the impending mask': 857959, 'impending mask shortage': 418326, 'mask shortage expected': 519268, 'shortage expected the': 764938, 'expected the is': 290956, 'is now spreading': 450340, 'now spreading exponentially': 575882, 'spreading exponentially better': 790961, 'exponentially better that': 292593, 'better that the': 128547, 'that the pleb': 846801, 'the pleb hoard': 863842, 'pleb hoard toiletpaper': 660832, 'hoard toiletpaper and': 398896, 'toiletpaper and mask': 921724, 'mask are saved': 518401, 'are saved for': 89813, 'saved for health': 737736, 'worker and infected': 1006307, 'fuckfaces': 339761, 'kid eat': 473936, 'eat lot': 265973, 'lot in': 504062, 'buying lazy': 150631, 'lazy and': 482741, 'these fuckfaces': 880040, 'fuckfaces eat': 339762, 'eat about': 265836, '20 lb': 13123, 'lb of': 482766, 'of feed': 583480, 'feed day': 302294, 'day surprised': 228445, 'surprised don': 828575, 'kid eat lot': 473937, 'eat lot in': 265974, 'lot in isolation': 504063, 'in isolation if': 424201, 'isolation if see': 455305, 'if see me': 414762, 'see me at': 745407, 'me at grocery': 522469, 'store not panic': 809111, 'panic buying lazy': 637788, 'buying lazy and': 150632, 'lazy and these': 482742, 'and these fuckfaces': 73880, 'these fuckfaces eat': 880041, 'fuckfaces eat about': 339763, 'eat about 20': 265837, 'about 20 lb': 24663, '20 lb of': 13124, 'lb of feed': 482767, 'of feed day': 583481, 'feed day surprised': 302295, 'day surprised don': 228446, 'surprised don need': 828576, 'don need more': 253764, 'need more toilet': 555268, 'biggest ever cut': 130226, 'ever cut to': 285267, 'occupied': 579004, 'life angel': 488492, 'angel we': 76320, 'in neighborhood': 425793, 'neighborhood where': 557164, 'mostly occupied': 542984, 'occupied by': 579007, 'by old': 153415, 'amp she': 54476, 'morning asking': 541174, 'asking each': 95963, 'each house': 264093, 'she knew': 756178, 'knew old': 476064, 'people lived': 648678, 'at le': 99424, 'le of': 483041, 'mother is real': 543130, 'is real life': 451271, 'real life angel': 701250, 'life angel we': 488493, 'angel we live': 76322, 'live in neighborhood': 495877, 'in neighborhood where': 425795, 'neighborhood where it': 557165, 'where it mostly': 984967, 'it mostly occupied': 459689, 'mostly occupied by': 542985, 'occupied by old': 579009, 'by old people': 153416, 'old people amp': 598409, 'people amp she': 646836, 'amp she went': 54479, 'for walk around': 327610, 'walk around this': 964746, 'around this morning': 93585, 'this morning asking': 888940, 'morning asking each': 541175, 'asking each house': 95964, 'each house that': 264095, 'house that she': 406601, 'that she knew': 846240, 'she knew old': 756179, 'knew old people': 476065, 'old people lived': 598415, 'people lived in': 648679, 'lived in if': 496164, 'in if they': 423967, 'anything from the': 80772, 'supermarket so they': 822743, 'so they re': 778479, 're at le': 698328, 'at le of': 99425, 'le of risk': 483042, 'you head': 1019162, 'learn which': 484097, 'are smart': 90186, 'smart to': 775442, 'canned product': 161558, 'product prescription': 681536, 'medication over': 526670, 'counter medication': 210238, 'before you head': 123323, 'you head to': 1019164, 'head to your': 385838, 'store learn which': 808698, 'learn which item': 484098, 'which item are': 986079, 'item are smart': 463105, 'are smart to': 90188, 'smart to stock': 775443, '19 canned product': 5637, 'canned product prescription': 161559, 'product prescription medication': 681537, 'prescription medication over': 670518, 'medication over the': 526671, 'the counter medication': 852027, 'incontrovertible': 432581, 'sign like': 769143, 'is incontrovertible': 448842, 'incontrovertible evidence': 432582, 'serious word': 751518, 'word with': 1004619, 'with themselves': 1001622, 'themselves coronacrisis': 876792, 'stayathome panicbuyinguk': 797573, 'we need sign': 972541, 'need sign like': 555571, 'sign like this': 769144, 'this in supermarket': 888056, 'supermarket is incontrovertible': 821099, 'is incontrovertible evidence': 448843, 'incontrovertible evidence that': 432583, 'evidence that some': 288394, 'some people need': 783526, 'to have serious': 907306, 'have serious word': 382476, 'serious word with': 751519, 'word with themselves': 1004620, 'with themselves coronacrisis': 1001623, 'themselves coronacrisis stayathome': 876793, 'coronacrisis stayathome panicbuyinguk': 204770, 'marketing during': 517578, 'be discussing': 114483, 'discussing how': 244993, 'can adapt': 157368, 'anticipate enduring': 78429, 'enduring change': 276327, 'behavior you': 124323, 'can sign': 159622, 'here cor': 392894, 'hosting webinar on': 404978, 'webinar on consumer': 975069, 'behavior and marketing': 123894, 'and marketing during': 66724, 'marketing during difficult': 517580, 'time we ll': 898229, 'll be discussing': 496579, 'be discussing how': 114484, 'discussing how brand': 244994, 'brand can adapt': 137783, 'can adapt and': 157369, 'and anticipate enduring': 58186, 'anticipate enduring change': 78430, 'enduring change in': 276328, 'consumer behavior you': 196542, 'behavior you can': 124324, 'you can sign': 1017784, 'can sign up': 159623, 'up here cor': 945074, 'handclap': 376054, 'fitz': 309571, 'handclap after': 376055, 'after sanitizer': 36139, 'by fitz': 152595, 'fitz and': 309572, 'the tantrum': 869146, 'tantrum stayhome': 834289, 'handclap after sanitizer': 376056, 'after sanitizer by': 36140, 'sanitizer by fitz': 734619, 'by fitz and': 152596, 'fitz and the': 309573, 'and the tantrum': 73609, 'the tantrum stayhome': 869147, 'shopping history': 762894, 'history thread': 398064, 'thread this': 893607, 'not flex': 569444, 'flex it': 310345, 'online shopping history': 609147, 'shopping history thread': 762895, 'history thread this': 398065, 'thread this is': 893608, 'is not flex': 450083, 'not flex it': 569445, 'flex it problem': 310346, 'lancashire': 479225, 'lancashirehour': 479232, 'about across': 24755, 'across lancashire': 29371, 'lancashire delivering': 479226, 'delivering pet': 233540, 'customer door': 222311, 'stock arriving': 801865, 'arriving and': 94000, 'we possibly': 972722, 'possibly can': 665900, 'me call': 522554, 'call if': 155935, 'you lancashirehour': 1019552, 'lancashirehour stayhomesavelives': 479233, 'still out and': 801006, 'and about across': 57541, 'about across lancashire': 24756, 'across lancashire delivering': 29372, 'lancashire delivering pet': 479227, 'delivering pet food': 233541, 'pet food to': 653401, 'our customer door': 622656, 'customer door we': 222312, 'door we have': 255778, 'we have new': 971875, 'have new stock': 381593, 'new stock arriving': 559657, 'stock arriving and': 801866, 'arriving and are': 94001, 'and are still': 58363, 'are still offering': 90454, 'still offering the': 800926, 'offering the best': 595278, 'best service we': 127898, 'service we possibly': 753055, 'we possibly can': 972723, 'possibly can please': 665901, 'can please give': 159252, 'please give me': 660029, 'give me call': 350567, 'me call if': 522555, 'call if we': 155936, 'can be of': 157648, 'of service to': 589534, 'service to you': 752999, 'to you lancashirehour': 918905, 'you lancashirehour stayhomesavelives': 1019553, 'recognize government': 704635, 'government scam': 360573, 'fraudsters are trying': 331406, 'to recognize government': 912955, 'recognize government scam': 704636, 'government scam and': 360574, 'scam and spread': 740020, 'lifeatprime': 489255, 'attauthorizedretailer': 102209, 'where retail': 985148, 'closing and': 183582, 'employee be': 273664, 'to exposure': 905517, 'exposure from': 292976, 'for want': 327636, 'promote that': 683794, 'open lifeatprime': 612359, 'lifeatprime attauthorizedretailer': 489256, 'in time where': 430090, 'time where retail': 898319, 'where retail store': 985149, 'retail store should': 718702, 'should be closing': 765585, 'be closing and': 114142, 'closing and not': 183584, 'and not having': 67746, 'not having the': 569907, 'having the employee': 384312, 'the employee be': 854256, 'employee be at': 273665, 'be at risk': 113737, 'risk to exposure': 723955, 'to exposure from': 905518, 'exposure from the': 292977, 'the company work': 851364, 'work for want': 1005181, 'for want to': 327637, 'to promote that': 912257, 'promote that we': 683795, 'still open lifeatprime': 800966, 'open lifeatprime attauthorizedretailer': 612360, 'professional postal': 682478, 'attendant sanitation': 102370, 'sanitation housekeeping': 733846, 'housekeeping police': 407009, 'officer amp': 595621, 'way during': 969564, 'god watch': 354825, 'watch over': 968503, 'over you': 630961, 'bring abundant': 139919, 'abundant blessing': 27597, 'your selfless': 1025711, 'selfless sacrifice': 748533, 'thanks to doctor': 842218, 'nurse healthcare professional': 577362, 'healthcare professional postal': 387239, 'professional postal worker': 682479, 'postal worker grocery': 666474, 'store attendant sanitation': 806607, 'attendant sanitation housekeeping': 102371, 'sanitation housekeeping police': 733847, 'housekeeping police officer': 407010, 'police officer amp': 663112, 'officer amp everyone': 595622, 'amp everyone in': 53758, 'everyone in harm': 287040, 'harm way during': 378425, 'way during covid': 969565, '19 may god': 8577, 'may god watch': 521220, 'god watch over': 354826, 'watch over you': 968504, 'over you and': 630963, 'you and bring': 1016980, 'and bring abundant': 59201, 'bring abundant blessing': 139920, 'abundant blessing for': 27598, 'blessing for your': 132646, 'for your selfless': 328205, 'your selfless sacrifice': 1025712, 'law360': 482460, 'oped': 611988, 'experimental': 291743, 'state ag': 795330, 'ag law360': 36807, 'law360 published': 482461, 'our oped': 624158, 'oped with': 611989, 'with few': 998418, 'few thought': 304104, 'area including': 92076, 'including consumer': 431923, 'protection experimental': 685429, 'experimental law': 291748, 'law obamacare': 482345, 'obamacare and': 578342, 'internet monopoly': 441966, 'monopoly attorneygeneral': 537426, 'is changing the': 446483, 'changing the work': 172815, 'the work of': 871736, 'work of state': 1005520, 'of state ag': 590063, 'state ag law360': 795331, 'ag law360 published': 36808, 'law360 published our': 482462, 'published our oped': 688685, 'our oped with': 624159, 'oped with few': 611990, 'with few thought': 998423, 'few thought on': 304105, 'the impact in': 857938, 'impact in area': 417702, 'in area including': 420488, 'area including consumer': 92077, 'including consumer protection': 431926, 'consumer protection experimental': 198528, 'protection experimental law': 685430, 'experimental law obamacare': 291749, 'law obamacare and': 482346, 'obamacare and internet': 578343, 'and internet monopoly': 65331, 'internet monopoly attorneygeneral': 441967, 'omgg': 598928, 'omgg they': 598929, 'everyone phone': 287268, 'phone rang': 655007, 'rang at': 696673, 'yes back': 1015377, 'essential since': 281561, 'we ran': 972810, 'omgg they sent': 598930, 'they sent out': 883322, 'sent out an': 750792, 'out an emergency': 625635, 'an emergency alert': 55668, 'emergency alert about': 272588, 'alert about covid': 41339, '19 and everyone': 5019, 'and everyone phone': 62406, 'everyone phone rang': 287269, 'phone rang at': 655008, 'rang at the': 696674, 'supermarket yes back': 824157, 'yes back to': 1015379, 'back to pick': 107389, 'more essential since': 539149, 'essential since we': 281562, 'since we ran': 770982, 'we ran out': 972811, 'of them over': 591757, 'them over the': 876142, 'labatt': 478322, 'labatt switching': 478323, 'switching production': 830570, 'labatt switching production': 478324, 'switching production to': 830571, 'production to hand': 682243, 'hard through': 378023, 'working hard through': 1008687, 'hard through covid': 378024, '19 to keep': 11437, 'cautiously': 168242, 'cautiously optimistic': 168247, 'optimistic chinese': 613930, 'behavior post': 124149, 'interesting study': 441618, 'study allowing': 814858, 'for preview': 324708, 'how behavior': 407450, 'behavior might': 124118, 'might at': 530874, 'be changing': 114054, 'changing in': 172727, 'world too': 1010100, 'cautiously optimistic chinese': 168248, 'optimistic chinese consumer': 613931, 'chinese consumer behavior': 177225, 'consumer behavior post': 196501, 'behavior post covid': 124152, '19 interesting study': 7907, 'interesting study allowing': 441619, 'study allowing for': 814859, 'allowing for preview': 46287, 'for preview of': 324709, 'preview of how': 671951, 'of how behavior': 584809, 'how behavior might': 407451, 'behavior might at': 124119, 'might at least': 530875, 'least in part': 484517, 'in part be': 426523, 'part be changing': 642236, 'be changing in': 114056, 'changing in europe': 172728, 'and the western': 73651, 'western world too': 980649, 'world too 19': 1010101, 'currently blasting': 221486, 'blasting high': 132423, 'are currently blasting': 85659, 'currently blasting high': 221487, 'blasting high price': 132424, 'high price with': 395294, '19 outbreak check': 9097, 'outbreak check out': 628103, 'our store but': 624942, 'store but please': 806804, 'remember to social': 710384, 'town ha': 927471, 'ha arrested': 369614, 'arrested four': 93851, 'four trader': 330691, 'trader for': 928681, 'allegedly taking': 45711, 'police in town': 663068, 'in town ha': 430249, 'town ha arrested': 927472, 'ha arrested four': 369615, 'arrested four trader': 93852, 'four trader for': 330692, 'trader for allegedly': 928682, 'for allegedly taking': 319198, 'allegedly taking advantage': 45712, 'the lockdown to': 859635, 're practicing': 699287, 'socialdistancing by': 780265, 'avoiding the': 105497, 'be time': 117717, 'freezer supply': 332635, 'are go': 86872, 'to recipe': 912944, 'ingredient you': 438413, 'you re practicing': 1020706, 're practicing socialdistancing': 699289, 'practicing socialdistancing by': 668746, 'socialdistancing by avoiding': 780266, 'by avoiding the': 151923, 'avoiding the grocery': 105498, 'store it may': 808584, 'may be time': 521043, 'be time to': 117718, 'time to dip': 897977, 'into your freezer': 443320, 'your freezer supply': 1023958, 'freezer supply here': 332636, 'supply here are': 825358, 'here are go': 392741, 'are go to': 86873, 'go to recipe': 354348, 'to recipe using': 912946, 'using ingredient you': 950522, 'ingredient you may': 438414, 'you may already': 1019790, 'may already have': 520913, 'little freedom': 495357, 'freedom in': 332368, 'like wiping': 491825, 'as coronavid19': 94735, 'panicbuying quote': 639035, 'quote quote': 695001, 'quote stayhome': 695003, 'staysafe stupidity': 798928, 'stupidity stopthespread': 815559, 'stopthespread toiletpaper': 805926, 'enjoy the little': 277189, 'the little freedom': 859486, 'little freedom in': 495358, 'freedom in life': 332369, 'in life people': 424709, 'life people like': 488965, 'people like wiping': 648656, 'like wiping your': 491826, 'your as coronavid19': 1022843, 'as coronavid19 corona': 94736, 'coronavid19 corona pandemic': 205376, 'corona pandemic panicbuying': 204095, 'pandemic panicbuying quote': 636158, 'panicbuying quote quote': 639036, 'quote quote stayhome': 695002, 'quote stayhome staysafe': 695004, 'stayhome staysafe stupidity': 798176, 'staysafe stupidity stopthespread': 798929, 'stupidity stopthespread toiletpaper': 815560, 'illness from': 416363, 'letter advising': 487283, 'advising them': 33712, 'shield will': 758181, 'the ha said': 857017, 'said that from': 731399, 'that from this': 843961, 'this week people': 891248, 'week people who': 976741, 'highest risk of': 395859, 'risk of severe': 723775, 'of severe illness': 589552, 'severe illness from': 754023, 'illness from coronavirus': 416365, 'from coronavirus and': 335010, 'coronavirus and have': 205491, 'and have received': 64270, 'have received letter': 382200, 'received letter advising': 703635, 'letter advising them': 487284, 'advising them to': 33713, 'them to shield': 876509, 'to shield will': 914409, 'shield will start': 758182, 'will start to': 994948, 'start to get': 794584, 'get priority access': 347844, 'in encouraging': 422562, 'encouraging all': 275712, 'responder during': 715448, 'ad in encouraging': 31119, 'in encouraging all': 422563, 'encouraging all to': 275713, 'and safe while': 70723, 're home make': 698826, 'home make sure': 401578, 'sure you call': 827850, 'you call and': 1017602, 'call and tell': 155765, 'and tell him': 73093, 'tell him that': 836974, 'him that grocery': 396725, 'worker are first': 1006390, 'are first responder': 86585, 'first responder during': 308937, 'responder during this': 715450, 'how completely': 407575, 'completely idiotic': 192300, 'idiotic today': 413655, 'today teenager': 920247, 'teenager are': 836535, 'realize their': 701870, 'brain aren': 137585, 'aren fully': 92413, 'fully developed': 341033, 'developed yet': 239747, 'show how completely': 766972, 'how completely idiotic': 407576, 'completely idiotic today': 192301, 'idiotic today teenager': 413656, 'today teenager are': 920248, 'teenager are they': 836537, 'they don realize': 881997, 'don realize their': 253850, 'realize their brain': 701871, 'their brain aren': 872638, 'brain aren fully': 137586, 'aren fully developed': 92414, 'fully developed yet': 341034, 'developed yet and': 239748, 'yet and it': 1015985, 'and it show': 65584, 'veto': 955749, 'other restriction': 620839, 'promote use': 683800, 'of bag': 580513, 'virus should': 958741, 'should veto': 766628, 'veto the': 955750, 'the plastic': 863811, 'bag ban': 108240, 'and reconsider': 70057, 'reconsider next': 704881, 'many other restriction': 514438, 'other restriction to': 620840, 'restriction to fight': 717401, '19 it make': 8141, 'sense for the': 750521, 'the state to': 867816, 'state to promote': 796023, 'to promote use': 912260, 'promote use of': 683801, 'use of bag': 949400, 'of bag that': 580514, 'bag that risk': 108414, 'that risk spreading': 846062, 'risk spreading the': 723898, 'the virus should': 870889, 'virus should veto': 958743, 'should veto the': 766629, 'veto the plastic': 955751, 'the plastic bag': 863812, 'plastic bag ban': 658801, 'bag ban and': 108241, 'ban and reconsider': 109176, 'and reconsider next': 70058, 'reconsider next year': 704882, 'choked': 177850, 'bro this': 140697, 'so true': 778572, 'true yesterday': 933228, 'yesterday choked': 1015703, 'choked on': 177851, 'own spit': 632222, 'spit while': 789570, 'stop coughing': 804592, 'literally thought': 495097, 'thought someone': 893223, 'as clean': 94733, 'up island': 945229, 'island coronamemes': 454284, 'coronamemes funny': 205063, 'funny hysterical': 341746, 'bro this is': 140698, 'is so true': 452039, 'so true yesterday': 778577, 'true yesterday choked': 933229, 'yesterday choked on': 1015704, 'choked on my': 177852, 'my own spit': 549658, 'own spit while': 632225, 'spit while wearing': 789571, 'grocery store could': 365308, 'store could not': 807200, 'could not stop': 209459, 'not stop coughing': 571753, 'stop coughing and': 804593, 'coughing and literally': 208662, 'and literally thought': 66234, 'literally thought someone': 495098, 'thought someone wa': 893224, 'someone wa going': 784735, 'going to shoot': 355703, 'the as clean': 848948, 'as clean up': 94734, 'clean up island': 180672, 'up island coronamemes': 945230, 'island coronamemes funny': 454285, 'coronamemes funny hysterical': 205064, 'racialization': 695240, 'been unfair': 122290, 'unfair racialization': 941436, 'racialization of': 695241, 'illness remember': 416392, 'healthcare contributed': 387072, 'and concern': 60243, 'effect of coronavirus': 269044, 'of coronavirus ha': 581942, 'ha been unfair': 369970, 'been unfair racialization': 122291, 'unfair racialization of': 941437, 'racialization of the': 695242, 'of the illness': 591124, 'the illness remember': 857885, 'illness remember that': 416393, 'economic and healthcare': 266981, 'and healthcare contributed': 64373, 'healthcare contributed to': 387073, 'pandemic and concern': 634867, 'and concern for': 60246, 'concern for people': 192975, 'for people worldwide': 324473, 'attach': 102031, 'notalwaysaboutyou': 572659, 'compassioninads': 191505, 'sudden all': 816979, 'little people': 495516, 'becoming our': 120327, 'all brand': 42217, 'can attach': 157543, 'attach to': 102032, 'somehow they': 784340, 'have these': 383082, 'employee besmart': 273680, 'besmart notalwaysaboutyou': 127544, 'notalwaysaboutyou compassioninads': 572660, 'all the sudden': 44933, 'the sudden all': 868378, 'sudden all these': 816980, 'all these little': 45039, 'these little people': 880242, 'little people around': 495517, 'world are becoming': 1009306, 'are becoming our': 84805, 'becoming our hero': 120328, 'our hero all': 623420, 'hero all brand': 393919, 'all brand can': 42218, 'brand can attach': 137785, 'can attach to': 157544, 'attach to that': 102033, 'to that somehow': 916463, 'that somehow they': 846403, 'somehow they have': 784342, 'they have these': 882391, 'have these employee': 383084, 'these employee besmart': 879961, 'employee besmart notalwaysaboutyou': 273681, 'besmart notalwaysaboutyou compassioninads': 127545, 'compassionatecommunity': 191504, 'you mayor': 1019817, 'for reminding': 325105, 'reminding stock': 710638, 'pilers and': 656556, 'hoarder to': 399127, 'leave wic': 485038, 'wic marked': 991653, 'marked item': 515858, 'stamp benefit': 793407, 'benefit ebt': 126959, 'else compassionatecommunity': 271666, 'thank you mayor': 841775, 'you mayor for': 1019818, 'mayor for reminding': 521953, 'for reminding stock': 325106, 'reminding stock pilers': 710639, 'stock pilers and': 802647, 'pilers and hoarder': 656557, 'and hoarder to': 64644, 'hoarder to leave': 399128, 'to leave wic': 909169, 'leave wic marked': 485039, 'wic marked item': 991654, 'marked item for': 515859, 'item for people': 463272, 'people on food': 648962, 'food stamp benefit': 316731, 'stamp benefit ebt': 793408, 'benefit ebt card': 126960, 'ebt card that': 266581, 'card that cannot': 163666, 'that cannot buy': 843138, 'buy anything else': 148362, 'anything else compassionatecommunity': 80742, 'dallascounty': 225136, 'dallascounty texas': 225139, 'texas announces': 839740, 'new or': 559224, 'or enhanced': 615167, 'enhanced restriction': 277096, 'restriction including': 717299, 'toiletpaper publichealth': 922365, 'publichealth pandemic': 688540, 'dallascounty texas announces': 225140, 'texas announces new': 839741, 'announces new or': 77271, 'new or enhanced': 559225, 'or enhanced restriction': 615168, 'enhanced restriction including': 277097, 'restriction including toiletpaper': 717300, 'including toiletpaper publichealth': 432216, 'toiletpaper publichealth pandemic': 922366, 'doing horrible': 252458, 'horrible job': 404106, 'spread socialdistancing': 790802, 'socialdistancing absolute': 780186, 'absolute chaos': 27227, 'chaos with': 173082, 'with curbside': 997878, 'never mind': 558115, 'the score': 866517, 'keep spreading': 471959, 'doing horrible job': 252459, 'horrible job stopping': 404107, 'the spread socialdistancing': 867639, 'spread socialdistancing absolute': 790803, 'socialdistancing absolute chaos': 780187, 'absolute chaos with': 27229, 'chaos with curbside': 173083, 'with curbside and': 997879, 'curbside and online': 220615, 'and online pickup': 68112, 'online pickup and': 608755, 'pickup and never': 655927, 'and never mind': 67538, 'never mind the': 558121, 'mind the score': 532745, 'the score of': 866518, 'of people just': 587934, 'people just walking': 648565, 'just walking around': 470214, 'walking around shopping': 965026, 'around shopping no': 93479, 'shopping no wonder': 763337, 'wonder this disease': 1003999, 'this disease keep': 887252, 'disease keep spreading': 245174, 'keep spreading people': 471960, 'everything normally': 287935, 'normally buy': 567484, 'food looking': 315346, 'trying something': 934732, 'something different': 784886, 'and grateful': 63924, 'stocked dontstockpile': 803303, 'shop to get': 760946, 'next few day': 561361, 'few day not': 303784, 'day not everything': 228026, 'not everything normally': 569309, 'everything normally buy': 287936, 'normally buy in': 567486, 'buy in stock': 148816, 'stock but plenty': 801947, 'of other food': 587363, 'other food looking': 620243, 'food looking forward': 315347, 'forward to trying': 330043, 'to trying something': 917826, 'trying something different': 934733, 'something different and': 784887, 'different and grateful': 241891, 'and grateful to': 63927, 'grateful to all': 362320, 'all the staff': 44919, 'the staff keeping': 867692, 'staff keeping the': 792600, 'keeping the shop': 472586, 'and stocked dontstockpile': 72423, 'pertinent': 653288, 'random playstation': 696613, 'playstation hand': 659499, 'is particularly': 450804, 'particularly pertinent': 642712, 'pertinent right': 653291, 'random playstation hand': 696614, 'playstation hand sanitizer': 659500, 'sanitizer is particularly': 735202, 'is particularly pertinent': 450806, 'particularly pertinent right': 642713, 'pertinent right now': 653292, 'infront': 438244, 'time guess': 896876, 'guess many': 368010, 'smile infront': 775719, 'infront of': 438245, 'of yr': 593561, 'yr normal': 1027026, 'choose charity': 177885, 'charity they': 173700, 'll donate': 496718, 'yr spend': 1027045, 'spend not': 788651, 'huge but': 409993, 'at this coronacrisis': 101228, 'this coronacrisis time': 886881, 'coronacrisis time guess': 204829, 'time guess many': 896877, 'guess many folk': 368011, 'many folk will': 514078, 'folk will be': 312307, 'online shopping if': 609151, 'put smile infront': 690818, 'smile infront of': 775720, 'infront of yr': 438248, 'of yr normal': 593562, 'yr normal amazon': 1027027, 'can choose charity': 157904, 'choose charity they': 177886, 'charity they ll': 173701, 'they ll donate': 882594, 'll donate of': 496719, 'donate of yr': 254211, 'of yr spend': 593563, 'yr spend not': 1027046, 'spend not huge': 788653, 'not huge but': 570028, 'huge but so': 409994, 'but so easy': 147075, 'sardine social': 736764, 'wa impossible': 962355, 'impossible grocery': 419378, 'have limitation': 381316, 'limitation on': 492585, 'shopper allowed': 761346, 'once and': 605590, 'longer hour': 501991, 'individual high': 435193, 'shop socialdistancing': 760810, 'just left grocery': 469127, 'we were packed': 973803, 'were packed in': 979962, 'like sardine social': 491131, 'sardine social distancing': 736765, 'distancing wa impossible': 247603, 'wa impossible grocery': 962356, 'impossible grocery store': 419379, 'store should have': 810164, 'should have limitation': 766084, 'have limitation on': 381317, 'limitation on the': 492587, 'of shopper allowed': 589634, 'shopper allowed in': 761347, 'at once and': 99953, 'once and longer': 605591, 'and longer hour': 66358, 'longer hour for': 501992, 'hour for individual': 405606, 'for individual high': 322550, 'individual high risk': 435194, 'risk and or': 723376, 'and or 60': 68205, 'or 60 to': 614211, '60 to grocery': 21028, 'grocery shop socialdistancing': 364978, 'california government': 155504, 'control who': 202209, 'll control': 496689, 'well control': 978119, 'place at': 657341, 'at given': 98762, 'time each': 896595, 'see ha': 745172, 'ha packed': 371467, 'packed parking': 633633, 'lot californiacoronavirus': 504012, 'california government need': 155505, 'need to control': 555896, 'to control who': 903457, 'control who can': 202210, 'store on what': 809210, 'what day it': 981296, 'day it ll': 227851, 'it ll control': 459421, 'll control the': 496690, 'control the run': 202170, 'run on supply': 727740, 'on supply well': 603837, 'supply well control': 826086, 'well control how': 978120, 'are in one': 87417, 'one place at': 606876, 'place at given': 657342, 'at given time': 98763, 'given time each': 351180, 'time each store': 896597, 'each store see': 264283, 'store see ha': 810018, 'see ha packed': 745173, 'ha packed parking': 371468, 'packed parking lot': 633634, 'parking lot californiacoronavirus': 642082, 'nightly': 563161, 'andalucia': 76126, 'sanlucar': 736580, 'nightly ritual': 563164, 'ritual in': 724158, 'to applaud': 900645, 'applaud grocery': 82251, 'close quarantine': 182780, 'quarantine spain': 692558, 'spain corona': 787286, 'corona hero': 203989, 'hero andalucia': 393936, 'andalucia sanlucar': 76127, 'nightly ritual in': 563165, 'ritual in my': 724159, 'my neighborhood in': 549434, 'neighborhood in spain': 557132, 'in spain is': 428176, 'spain is to': 787315, 'is to applaud': 453179, 'to applaud grocery': 900646, 'applaud grocery store': 82252, 'pharmacy worker when': 654585, 'worker when they': 1008180, 'they close quarantine': 881765, 'close quarantine spain': 182781, 'quarantine spain corona': 692559, 'spain corona hero': 787287, 'corona hero andalucia': 203990, 'hero andalucia sanlucar': 393937, 'sure signed': 827672, 'this key': 888561, 'worker stuff': 1007841, 'pretty worrying': 671527, 'worrying public': 1010830, 'public response': 688271, 'general ignore': 345363, 'ignore social': 415837, 'distancing pay': 247392, 'pack bag': 633025, 'bag over': 108383, 'not sure signed': 571845, 'sure signed up': 827673, 'for this key': 327043, 'this key worker': 888562, 'key worker stuff': 473515, 'worker stuff when': 1007842, 'stuff when got': 815251, 'when got job': 983488, 'got job in': 358658, 'job in supermarket': 465881, 'supermarket it pretty': 821178, 'it pretty worrying': 460448, 'pretty worrying public': 671528, 'worrying public response': 1010831, 'public response in': 688272, 'response in general': 715729, 'in general ignore': 423251, 'general ignore social': 345364, 'ignore social distancing': 415838, 'social distancing pay': 779684, 'distancing pay with': 247393, 'pay with cash': 645231, 'with cash and': 997562, 'cash and pack': 166159, 'and pack bag': 68603, 'pack bag over': 633026, 'bag over the': 108384, 'top of you': 925646, 'desert': 237998, 'biitches': 130398, 'jumanji': 467821, 'desert locust': 238000, 'locust covid': 500561, '19 hiked': 7533, 'hiked weed': 396360, 'weed price': 975764, 'price ugly': 677165, 'ugly biitches': 938042, 'biitches in': 130399, 'in relationship': 427371, 'relationship who': 708708, 'who tf': 989744, 'tf is': 840003, 'playing this': 659457, 'new jumanji': 558997, 'desert locust covid': 238001, 'locust covid 19': 500562, 'covid 19 hiked': 213207, '19 hiked weed': 7535, 'hiked weed price': 396361, 'weed price ugly': 975765, 'price ugly biitches': 677166, 'ugly biitches in': 938043, 'biitches in relationship': 130400, 'in relationship who': 427372, 'relationship who tf': 708709, 'who tf is': 989746, 'tf is playing': 840005, 'is playing this': 450900, 'playing this new': 659458, 'this new jumanji': 889118, 'the sars': 866367, 'sars pandemic': 736819, 'wa caused': 961800, 'by sars': 153870, 'cov which': 212136, 'which stand': 986331, 'for severe': 325521, 'severe acute': 753982, 'respiratory syndrome': 715255, 'syndrome coronavirus': 830996, 'coronavirus he': 206056, 'sick not': 768526, 'because went': 119821, 'the sars pandemic': 866369, 'sars pandemic wa': 736820, 'pandemic wa caused': 636909, 'wa caused by': 961801, 'caused by sars': 167863, 'by sars cov': 153871, 'sars cov which': 736807, 'cov which stand': 212137, 'which stand for': 986332, 'stand for severe': 793522, 'for severe acute': 325522, 'severe acute respiratory': 753983, 'acute respiratory syndrome': 31045, 'respiratory syndrome coronavirus': 715256, 'syndrome coronavirus he': 830997, 'coronavirus he wa': 206058, 'he wa there': 385622, 'wa there before': 963479, 'there before covid': 878237, '19 people die': 9624, 'people die because': 647650, 'die because they': 241305, 'because they get': 119703, 'they get old': 882174, 'get old and': 347693, 'old and or': 598138, 'and or sick': 68231, 'or sick not': 617076, 'sick not because': 768527, 'not because went': 568495, 'because went to': 119822, 'attending online': 102414, 'online class': 608010, 'class wearing': 180287, 'shopping having': 762872, 'having more': 384174, 'family meeting': 298019, 'meeting friend': 527701, 'friend on': 333734, 'out people': 627026, 'attending online class': 102415, 'online class wearing': 608014, 'class wearing face': 180288, 'mask for shopping': 518688, 'for shopping having': 325583, 'shopping having more': 762873, 'having more time': 384177, 'time with family': 898353, 'with family meeting': 998381, 'family meeting friend': 298021, 'meeting friend on': 527703, 'friend on the': 333736, 'on the screen': 604347, 'the screen check': 866533, 'check out people': 174568, 'out people daily': 627027, 'people daily life': 647599, 'daily life while': 224671, 'life while practicing': 489211, 'distancing during the': 247117, 'outbreak in new': 628348, 'nurse whose': 577550, 'whose worked': 990692, 'worked 48': 1006092, 'shift go': 758299, 'stripped story': 813880, 'news people': 560694, 'behavior not': 124125, 'press are': 671008, 'are scare': 89845, 'mongering in': 537224, 'my view': 550505, 'view coronacrisis': 957081, 'coronacrisis bbcnews': 204522, 'care nurse whose': 164089, 'nurse whose worked': 577551, 'whose worked 48': 990693, 'worked 48 hour': 1006093, 'hour shift go': 405915, 'shift go to': 758300, 'food supply only': 316976, 'supply only to': 825677, 'find the shelf': 307301, 'the shelf stripped': 866885, 'shelf stripped story': 757615, 'stripped story on': 813881, 'story on bbc': 812082, 'bbc news people': 113096, 'news people should': 560696, 'ashamed of their': 95065, 'of their behavior': 591644, 'their behavior not': 872582, 'behavior not to': 124128, 'mention the press': 528797, 'the press are': 864281, 'press are scare': 671009, 'are scare mongering': 89846, 'scare mongering in': 740896, 'mongering in my': 537225, 'in my view': 425642, 'my view coronacrisis': 550506, 'view coronacrisis bbcnews': 957082, 'food tp': 317347, 'tl dr wash': 899340, 'dr wash your': 258124, 'your hand also': 1024160, 'hand also do': 374740, 'not hoard or': 569983, 'hoard or stock': 398847, 'or stock pile': 617232, 'pile food tp': 656494, 'tinted': 898641, 'hater': 378961, 'service fruit': 752416, 'vegetable available': 953947, 'at doorstep': 98482, 'doorstep medicine': 255859, 'medicine milk': 526839, 'bread shop': 138584, 'open newspaper': 612396, 'newspaper delivered': 561086, 'delivered price': 233377, 'price under': 677175, 'control regular': 202124, 'regular sanitization': 707856, 'sanitization overall': 734143, 'overall appreciation': 630993, 'these doesn': 879932, 'doesn pas': 251911, 'pas tinted': 643166, 'tinted glass': 898642, 'glass modi': 351624, 'modi hater': 535459, 'essential service fruit': 281506, 'service fruit vegetable': 752417, 'fruit vegetable available': 339178, 'vegetable available at': 953948, 'available at doorstep': 104245, 'at doorstep medicine': 98484, 'doorstep medicine milk': 255860, 'medicine milk bread': 526841, 'milk bread shop': 531601, 'bread shop open': 138585, 'shop open newspaper': 760604, 'open newspaper delivered': 612397, 'newspaper delivered price': 561087, 'delivered price under': 233378, 'price under control': 677177, 'under control regular': 940050, 'control regular sanitization': 202125, 'regular sanitization overall': 707857, 'sanitization overall appreciation': 734144, 'overall appreciation for': 630994, 'appreciation for but': 82875, 'for but all': 319852, 'but all these': 145091, 'all these doesn': 45031, 'these doesn pas': 879933, 'doesn pas tinted': 251912, 'pas tinted glass': 643167, 'tinted glass modi': 898643, 'glass modi hater': 351625, 'from coronavirus worker': 335028, 'coronavirus worker at': 207101, 'worker at walmart': 1006483, 'golub': 356164, 'golub another': 356165, 'another graph': 77640, 'graph foot': 362146, 'airport in': 40105, '2019 2020': 13923, 'golub another graph': 356166, 'another graph foot': 77641, 'graph foot traffic': 362147, 'foot traffic to': 318461, 'traffic to airport': 929150, 'to airport in': 900206, 'airport in 2019': 40106, 'in 2019 2020': 419797, '2019 2020 via': 13924, 'stroller': 813952, 'someone told': 784715, 'story before': 811915, 'before about': 122603, 'edinburgh who': 268575, 'had his': 373185, 'his stroller': 397837, 'stroller stolen': 813953, 'behind his': 124639, 'someone told me': 784716, 'told me story': 923621, 'me story before': 523557, 'story before about': 811916, 'before about home': 122604, 'in edinburgh who': 422498, 'edinburgh who had': 268576, 'who had his': 988880, 'had his stroller': 373187, 'his stroller stolen': 397838, 'stroller stolen from': 813954, 'from behind his': 334665, 'behind his back': 124640, 'supermarket some people': 822774, 'some people really': 783531, 'people really have': 649243, 'retailbusiness': 718926, 'financial fraud': 306418, 'time protect': 897527, 'your retailbusiness': 1025612, 'retailbusiness your': 718927, 'fraudsters are exploiting': 331400, 'exploiting the public': 292459, 'public fear about': 687992, 'fear about the': 301007, 'from financial fraud': 335472, 'financial fraud scam': 306419, 'fraud scam during': 331341, 'scam during these': 740143, 'challenging time protect': 171646, 'time protect your': 897528, 'protect your retailbusiness': 685071, 'your retailbusiness your': 1025613, 'retailbusiness your employee': 718928, 'your employee customer': 1023654, 'omfg': 598886, 'omfg it': 598891, 'difficult thing': 242271, 'buyer everywhere': 149640, 'everywhere what': 288280, 'your advise': 1022751, 'shopping serious': 763837, 'omfg it is': 598892, 'is difficult thing': 447173, 'difficult thing when': 242272, 'you go food': 1018847, 'shopping with panic': 764442, 'with panic buyer': 1000082, 'panic buyer everywhere': 637574, 'buyer everywhere what': 149641, 'everywhere what is': 288281, 'is your advise': 454131, 'your advise on': 1022752, 'advise on food': 33596, 'on food shopping': 600906, 'food shopping serious': 316535, 'shopping serious question': 763838, 'update date': 946926, 'date went': 226753, '30 roll': 17208, 'first begin': 308539, 'begin so': 123564, 'half roll': 374257, 'house whole': 406680, 'can safely': 159495, 'safely say': 730308, 'say toilet': 739401, 'paper wasn': 641058, 'wasn part': 968007, 'solution carry': 782008, 'new update date': 559809, 'update date went': 946927, 'date went out': 226754, 'out and got': 625665, 'and got 30': 63842, 'got 30 roll': 358372, '30 roll of': 17209, 'of toiletpaper when': 592290, 'toiletpaper when the': 922834, 'the first begin': 855283, 'first begin so': 308540, 'begin so far': 123565, 'far ve used': 298963, 've used in': 953648, 'used in half': 949939, 'in half roll': 423514, 'half roll in': 374258, 'roll in house': 725342, 'in house whole': 423857, 'house whole of': 406681, 'whole of so': 990288, 'of so can': 589807, 'so can safely': 776722, 'can safely say': 159497, 'safely say toilet': 730310, 'say toilet paper': 739402, 'toilet paper wasn': 921517, 'paper wasn part': 641059, 'wasn part of': 968008, 'the solution carry': 867460, 'solution carry on': 782009, 'eulogy': 283336, 'medium must': 527178, 'responsible in': 716048, 'crisis no': 217763, 'no eulogy': 564136, 'eulogy for': 283337, 'every coronavirus': 285760, 'for flu': 321535, 'flu victim': 311489, 'victim and': 956456, 'must avoid': 546480, 'higher cause': 395550, 'cause than': 167749, 'of follower': 583630, 'follower reader': 312650, 'the medium must': 860429, 'medium must be': 527179, 'must be responsible': 546540, 'be responsible in': 116838, 'responsible in this': 716049, 'this crisis no': 887067, 'crisis no photo': 217765, 'no photo of': 565108, 'supermarket shelf no': 822501, 'shelf no eulogy': 757338, 'no eulogy for': 564137, 'eulogy for every': 283339, 'for every coronavirus': 321163, 'every coronavirus death': 285761, 'coronavirus death this': 205800, 'death this is': 230234, 'not for flu': 569489, 'for flu victim': 321536, 'flu victim and': 311490, 'victim and we': 956457, 'we must avoid': 972402, 'must avoid panic': 546482, 'avoid panic we': 105212, 'panic we all': 638760, 'all have higher': 43050, 'have higher cause': 380946, 'higher cause than': 395551, 'cause than the': 167750, 'than the number': 841258, 'number of follower': 576943, 'of follower reader': 583631, 'tamper': 834124, 'tamper evident': 834125, 'evident label': 288415, 'label drive': 478337, 'tamper evident label': 834126, 'evident label drive': 288416, 'label drive consumer': 478338, 'drive consumer confidence': 259017, 'confidence during crisis': 193855, 'rmo': 724298, 'your government': 1024078, 'do partial': 249962, 'same like': 733143, 'malaysia we': 511636, 'we called': 970890, 'called restriction': 156430, 'restriction movement': 717324, 'order rmo': 618552, 'rmo in': 724299, 'on leave': 601814, 'leave for': 484793, 'bank allowed': 109590, 'your government should': 1024082, 'should do partial': 765929, 'do partial lockdown': 249963, 'partial lockdown for': 642516, 'lockdown for week': 499402, 'week same like': 976836, 'same like in': 733145, 'like in malaysia': 490496, 'in malaysia we': 425016, 'malaysia we called': 511637, 'we called restriction': 970891, 'called restriction movement': 156431, 'restriction movement order': 717325, 'movement order rmo': 543912, 'order rmo in': 618553, 'rmo in order': 724300, 'order to break': 618667, 'chain of the': 170961, '19 people on': 9629, 'people on leave': 648964, 'on leave for': 601815, 'leave for week': 484797, 'week and just': 975918, 'and just stay': 65722, 'at home essential': 98989, 'home essential service': 401162, 'essential service like': 281514, 'service like supermarket': 752570, 'like supermarket bank': 491268, 'supermarket bank allowed': 819296, 'bank allowed to': 109591, 'allowed to continue': 46227, 'coloradan against': 186763, 'warns coloradan against': 967257, 'coloradan against coronavirus': 186764, 'against coronavirus scam': 37394, 'the illinois': 857878, 'illinois stay': 416305, 'all pillar': 43960, 'pillar store': 656684, 'april all': 83535, 'online private': 608806, 'private purchase': 678969, 'purchase through': 689687, 'through request': 894642, 'temporarily closed to': 837471, 'closed to ensure': 183393, 'situation and in': 772180, 'and in compliance': 65046, 'with the illinois': 1001342, 'the illinois stay': 857879, 'illinois stay at': 416306, 'order all pillar': 618011, 'all pillar store': 43961, 'pillar store will': 656685, 'closed until april': 183413, 'until april all': 943697, 'april all product': 83536, 'all product will': 44067, 'product will remain': 681863, 'will remain available': 994626, 'remain available online': 709704, 'available online private': 104544, 'online private purchase': 608807, 'private purchase through': 678970, 'purchase through request': 689688, 'amrusha': 54928, 'amrushafightscovid19': 54932, 'amrushaeradicatinghunger': 54931, 'hand away': 374811, 'sanitizer amrusha': 734369, 'amrusha amrushafightscovid19': 54929, 'amrushafightscovid19 amrushaeradicatinghunger': 54933, 'your hand away': 1024168, 'hand away from': 374812, 'from your face': 338475, 'face and wash': 294305, 'hand regularly or': 375201, 'regularly or use': 707939, 'use sanitizer amrusha': 949536, 'sanitizer amrusha amrushafightscovid19': 734370, 'amrusha amrushafightscovid19 amrushaeradicatinghunger': 54930, 'staysafeathome unless': 798970, 'hospital supermarket': 404656, 'supermarket fire': 820324, 'police service': 663194, 'etc stay': 282763, 'please we': 660758, 'digital world': 242682, 'can speak': 159688, 'friend online': 333738, 'online youllneverwalkalone': 609779, 'staysafeathome unless you': 798971, 'in hospital supermarket': 423820, 'hospital supermarket fire': 404657, 'supermarket fire police': 820325, 'fire police service': 308110, 'police service etc': 663195, 'service etc stay': 752342, 'etc stay at': 282764, 'at home stay': 99117, 'home stay away': 402118, 'from others please': 336745, 'others please we': 621592, 'please we live': 660760, 'live in digital': 495856, 'in digital world': 422270, 'digital world you': 242685, 'you can speak': 1017790, 'can speak to': 159692, 'all your family': 45564, 'and friend online': 63332, 'friend online youllneverwalkalone': 333740, 'boss not': 135743, 'what doesn': 981375, 'doesn sell': 251939, 'sell well': 748942, 'have walk': 383534, 'see 19': 744859, 'supermarket boss not': 819399, 'boss not sure': 135744, 'sure what doesn': 827818, 'what doesn sell': 981378, 'doesn sell well': 251940, 'sell well in': 748943, 'well in your': 978318, 'in your shop': 431120, 'your shop have': 1025765, 'shop have walk': 760268, 'have walk around': 383535, 'walk around any': 964742, 'around any of': 93206, 'any of your': 79544, 'of your store': 593529, 'your store right': 1025987, 'store right about': 809893, 'about now and': 25824, 'now and you': 574071, 'will see 19': 994764, 'nijobs': 563217, 'nation without': 552395, 'been impacted': 121326, 'impacted due': 418099, 'current event': 221186, 'for short': 325601, 'term work': 838348, 'have opportunity': 381821, 'you apply': 1017033, 'hiring nijobs': 397118, 'cannot feed the': 161823, 'the nation without': 861278, 'nation without you': 552396, 'without you if': 1003069, 'have been impacted': 379575, 'been impacted due': 121328, 'impacted due to': 418100, 'the current event': 852630, 'current event or': 221190, 'event or you': 285048, 'looking for short': 502900, 'for short term': 325602, 'short term work': 764761, 'term work we': 838350, 'work we have': 1005978, 'we have opportunity': 971886, 'have opportunity for': 381822, 'opportunity for you': 613633, 'for you apply': 328036, 'you apply now': 1017034, 'apply now hiring': 82580, 'now hiring nijobs': 574933, 'don say': 253884, 'say anything': 738430, 'anything just': 80810, 'just watch': 470241, 'laugh and': 481702, 'rt toiletpaper': 726838, 'don say anything': 253885, 'say anything just': 738431, 'anything just watch': 80812, 'just watch laugh': 470242, 'watch laugh and': 968461, 'laugh and rt': 481703, 'and rt toiletpaper': 70609, 'rt toiletpaper 19': 726839, 'thankful went': 841939, 'panic hit': 638170, 'hit and': 398136, 'least publicly': 484610, 'publicly known': 688587, 'known have': 477223, 'have week': 383572, 'tp if': 927848, 'if careful': 413946, 'careful some': 164432, 'thankful went grocery': 841940, 'grocery shopping before': 365001, 'the panic hit': 863208, 'panic hit and': 638171, 'hit and covid': 398137, '19 wa at': 11860, 'wa at least': 961603, 'at least publicly': 99537, 'least publicly known': 484611, 'publicly known have': 688588, 'known have week': 477224, 'have week of': 383573, 'week of tp': 976646, 'of tp if': 592370, 'tp if careful': 927849, 'if careful some': 413947, 'careful some food': 164433, 'some food item': 782863, 'food item we': 315241, 'item we are': 463798, 'and classroom': 59925, 'classroom in': 180382, 'in atlanta': 420560, 'atlanta will': 101852, 'or class': 614728, 'week beginning': 976001, 'beginning monday': 123638, 'process online': 679938, 'and phone': 68991, 'order normal': 618418, 'normal thank': 567353, 'store and classroom': 806217, 'and classroom in': 59926, 'classroom in atlanta': 180383, 'in atlanta will': 420563, 'atlanta will not': 101853, 'open for walk': 612264, 'in business or': 421078, 'business or class': 144158, 'or class for': 614729, 'class for the': 180191, 'two week beginning': 937322, 'week beginning monday': 976002, 'beginning monday march': 123639, 'march 16 we': 515089, '16 we will': 4189, 'continue to process': 201235, 'to process online': 912175, 'process online and': 679939, 'online and phone': 607838, 'and phone order': 68994, 'phone order normal': 654995, 'order normal thank': 618419, 'normal thank you': 567354, 'no laundry': 564580, 'detergent on': 239390, 'shelf honestly': 757162, 'honestly people': 403123, 'fucking grip': 339879, 'grip auspol': 364009, 'there no laundry': 878818, 'no laundry detergent': 564581, 'laundry detergent on': 482108, 'detergent on local': 239391, 'on local supermarket': 601896, 'local supermarket shelf': 498586, 'supermarket shelf honestly': 822480, 'shelf honestly people': 757163, 'honestly people get': 403124, 'people get fucking': 648050, 'get fucking grip': 347121, 'fucking grip auspol': 339880, 'sweeting': 830287, 'mean my': 524557, 'eye wa': 294117, 'wa sweeting': 963380, 'sweeting me': 830288, 'me side': 523465, 'side track': 768910, 'track small': 928223, 'small because': 774799, 'because few': 119060, 'day pas': 228193, 'pas my': 643127, 'my plug': 549794, 'plug told': 661221, 'the boarder': 849816, 'boarder about': 133689, 'closed co': 183049, 'me cool': 522599, 'this apocalypse': 886383, 'apocalypse time': 81569, 'wa something': 963282, 'mean my eye': 524558, 'my eye wa': 548144, 'eye wa sweeting': 294118, 'wa sweeting me': 963381, 'sweeting me side': 830289, 'me side track': 523466, 'side track small': 768912, 'track small because': 928224, 'small because few': 774800, 'because few day': 119061, 'few day pas': 303787, 'day pas my': 228194, 'pas my plug': 643128, 'my plug told': 549795, 'plug told me': 661222, 'told me with': 923633, 'me with the': 524000, 'with the boarder': 1001214, 'the boarder about': 849817, 'boarder about to': 133690, 'be closed co': 114124, 'closed co of': 183050, 'co of price': 184901, 'of price will': 588419, 'will rise up': 994716, 'rise up but': 723051, 'up but for': 944521, 'but for me': 145748, 'for me cool': 323310, 'me cool so': 522600, 'cool so getting': 203044, 'so getting for': 777165, 'getting for normal': 348992, 'in this apocalypse': 429906, 'this apocalypse time': 886384, 'apocalypse time wa': 81570, 'time wa something': 898203, 'wa something to': 963284, 'something to be': 785095, 'to be happy': 901292, 'be happy about': 115141, 'kyoto': 478102, 'of kyoto': 585687, 'kyoto kyoto': 478103, 'kyoto we': 478105, 'quarantined by': 692837, 'government restaurant': 360542, 'cafe shopping': 155133, 'paper kitchen': 640396, 'tissue are': 899128, 'there re': 878975, 're no': 699068, 'hoarding panic': 399470, 'situation of kyoto': 772414, 'of kyoto kyoto': 585688, 'kyoto kyoto we': 478104, 'kyoto we re': 478106, 're not being': 699078, 'not being quarantined': 568544, 'being quarantined by': 125626, 'quarantined by the': 692838, 'the government restaurant': 856595, 'government restaurant cafe': 360543, 'restaurant cafe shopping': 716348, 'cafe shopping mall': 155134, 'shopping mall are': 763228, 'mall are open': 511750, 'are open the': 88804, 'open the food': 612549, 'the food toilet': 855617, 'toilet paper kitchen': 921330, 'paper kitchen paper': 640397, 'kitchen paper and': 475739, 'paper and tissue': 639858, 'and tissue are': 74143, 'tissue are not': 899129, 'are not out': 88429, 'of stock there': 590196, 'stock there re': 802961, 'there re no': 878976, 're no hoarding': 699069, 'no hoarding panic': 564432, 'and advertiser': 57715, 'advertiser shift': 33179, 'shift marketing': 758355, 'to align': 900227, 'behavior take': 124217, 'how regional': 408574, 'regional pizza': 707519, 'pizza restaurant': 657198, 'chain wa': 171216, 'help our partner': 390236, 'our partner and': 624272, 'partner and advertiser': 642763, 'and advertiser shift': 57716, 'advertiser shift marketing': 33180, 'shift marketing strategy': 758356, 'marketing strategy to': 517714, 'strategy to align': 812727, 'to align with': 900228, 'align with the': 41763, 'recent change in': 703831, 'consumer behavior take': 196520, 'behavior take look': 124218, 'at our blog': 100006, 'our blog post': 622227, 'see how regional': 745244, 'how regional pizza': 408575, 'regional pizza restaurant': 707520, 'pizza restaurant chain': 657199, 'restaurant chain wa': 716363, 'chain wa able': 171217, 'able to pivot': 24518, 'to pivot to': 911745, 'pivot to online': 657104, 'to online order': 910941, 'online order amid': 608675, 'order amid covid': 618016, 'macrobusiness': 507481, 'industry virus': 436212, 'no threat': 565719, 'to house': 908005, 'price macrobusiness': 675142, 'property industry virus': 684283, 'industry virus no': 436213, 'virus no threat': 958529, 'no threat to': 565720, 'threat to house': 893735, 'to house price': 908006, 'house price macrobusiness': 406496, 'goodlettsville': 358030, 'breaking metro': 138991, 'metro nashville': 529926, 'nashville health': 552016, 'investigating possible': 443848, 'possible cluster': 665606, 'cluster of': 184591, 'the tyson': 870169, 'tyson plant': 937701, 'in goodlettsville': 423376, 'goodlettsville the': 358031, 'city ha': 179165, 'chicken company': 175769, 'company over': 190946, 'breaking metro nashville': 138992, 'metro nashville health': 529927, 'nashville health department': 552017, 'health department is': 386372, 'is investigating possible': 448973, 'investigating possible cluster': 443849, 'possible cluster of': 665607, 'cluster of covid': 184592, '19 case at': 5667, 'at the tyson': 101134, 'the tyson plant': 870170, 'tyson plant in': 937702, 'plant in goodlettsville': 658664, 'in goodlettsville the': 423377, 'goodlettsville the city': 358032, 'the city ha': 850935, 'city ha been': 179167, 'ha been working': 369989, 'working with the': 1009073, 'with the chicken': 1001230, 'the chicken company': 850805, 'chicken company over': 175770, 'company over the': 190947, 'southeastasian': 786841, 'middleeastern': 530698, 'global ginger': 351962, 'ginger price': 350209, 'risen chinese': 723103, 'chinese supply': 177362, 'became unstable': 118898, 'unstable due': 943532, 'in southeastasian': 428144, 'southeastasian middleeastern': 786842, 'middleeastern country': 530699, 'stabilize depending': 791839, 'how fast': 407851, 'fast chinese': 299935, 'chinese export': 177257, 'export resume': 292698, 'resume to': 717754, 'it previous': 460451, 'previous state': 672005, 'global ginger price': 351963, 'ginger price have': 350210, 'have risen chinese': 382335, 'risen chinese supply': 723104, 'chinese supply became': 177363, 'supply became unstable': 824841, 'became unstable due': 118899, 'unstable due to': 943533, 'the price in': 864368, 'price in southeastasian': 674735, 'in southeastasian middleeastern': 428145, 'southeastasian middleeastern country': 786843, 'middleeastern country have': 530700, 'country have gone': 210738, 'gone up and': 356416, 'up and will': 944390, 'and will stabilize': 75694, 'will stabilize depending': 994932, 'stabilize depending on': 791840, 'depending on how': 237377, 'on how fast': 601398, 'how fast chinese': 407852, 'fast chinese export': 299936, 'chinese export resume': 177258, 'export resume to': 292699, 'resume to it': 717755, 'to it previous': 908607, 'it previous state': 460453, 'line national': 493271, 'front line national': 338591, 'line national post': 493272, 'bloom': 133248, 'panicking have': 639340, 'plan you': 658358, 'on important': 601513, 'important issue': 418849, 'best opportunity': 127811, 'outcome create': 628860, 'create structure': 215744, 'structure reduce': 814312, 'reduce key': 705866, 'key decision': 473268, 'to bloom': 901865, 'bloom be': 133249, '19 wa more': 11871, 'wa more worried': 962653, 'worried about people': 1010513, 'about people panicking': 25938, 'people panicking have': 649070, 'panicking have plan': 639341, 'have plan you': 381949, 'plan you do': 658359, 'not panic when': 570946, 'buying food you': 150346, 'you can focus': 1017678, 'focus on important': 311879, 'on important issue': 601514, 'important issue you': 418851, 'issue you have': 456031, 'the best opportunity': 849533, 'best opportunity for': 127812, 'opportunity for positive': 613625, 'for positive outcome': 324626, 'positive outcome create': 665398, 'outcome create structure': 628861, 'create structure reduce': 215745, 'structure reduce key': 814313, 'reduce key decision': 705867, 'key decision to': 473270, 'decision to bloom': 231101, 'to bloom be': 901866, 'bloom be careful': 133250, 'are bidding': 84970, 'for ventilator': 327537, 'but couldn': 145472, 'state band': 795414, 'ventilator say': 954602, 'on regional': 603123, 'regional basis': 707496, 'know the state': 476851, 'state are bidding': 795382, 'are bidding against': 84971, 'bidding against each': 129513, 'other and the': 619833, 'and the federal': 73373, 'federal government for': 301992, 'government for ventilator': 360104, 'for ventilator and': 327538, 'ventilator and driving': 954524, 'and driving price': 61757, 'driving price up': 259995, 'price up but': 677226, 'up but couldn': 944517, 'but couldn the': 145473, 'couldn the state': 209930, 'the state band': 867751, 'state band together': 795415, 'band together to': 109362, 'together to bid': 920984, 'bid for ventilator': 129474, 'for ventilator say': 327541, 'ventilator say on': 954603, 'say on regional': 739019, 'on regional basis': 603124, 'precenting': 669456, 'this meaning': 888819, 'meaning gas': 524810, 'will soar': 994878, 'soar again': 779218, 'again precenting': 37124, 'precenting the': 669457, 'the financially': 855234, 'financially broken': 306663, 'broken american': 140878, 'american family': 51963, 'afford travel': 34815, 'travel even': 930351, 'so doe this': 776896, 'doe this meaning': 251640, 'this meaning gas': 888820, 'meaning gas price': 524811, 'gas price will': 344059, 'price will soar': 677588, 'will soar again': 994879, 'soar again precenting': 779219, 'again precenting the': 37125, 'precenting the financially': 669458, 'the financially broken': 855235, 'financially broken american': 306664, 'broken american family': 140879, 'american family from': 51964, 'family from being': 297825, 'to afford travel': 900164, 'afford travel even': 34816, 'travel even after': 930352, 'even after this': 283821, '19 lockdown end': 8381, '226k': 15312, '54k': 20350, 'hey from': 394386, 'wednesday day': 975633, 'during free': 262648, 'free add': 331624, 'any link': 79413, 'link tell': 493911, 'me which': 523955, 'poll ll': 663844, 'll feature': 496753, 'feature on': 301556, 'blog 226k': 132897, '226k view': 15313, 'view ll': 957112, 'll tweet': 497080, 'tweet to': 936417, 'over 54k': 629869, '54k follower': 20351, 'hey from wednesday': 394387, 'from wednesday day': 338319, 'wednesday day off': 975634, 'off from helping': 593850, 'from helping out': 335760, 'helping out supermarket': 391427, 'out supermarket during': 627278, 'supermarket during free': 820051, 'during free add': 262649, 'free add any': 331625, 'add any link': 31400, 'any link tell': 79415, 'link tell me': 493912, 'tell me which': 837032, 'me which one': 523956, 'which one in': 986197, 'in the poll': 429461, 'the poll ll': 863955, 'poll ll feature': 663845, 'll feature on': 496754, 'feature on my': 301557, 'my blog 226k': 547476, 'blog 226k view': 132898, '226k view ll': 15314, 'view ll tweet': 957113, 'll tweet to': 497081, 'tweet to over': 936418, 'to over 54k': 911288, 'over 54k follower': 629870, 'affair goi': 34043, 'goi retail': 354968, 'price immediately': 674633, 'immediately report': 417138, 'report if': 712025, 'anyone wrong': 80664, 'wrong doing': 1013024, 'consumer affair goi': 196089, 'affair goi retail': 34044, 'goi retail price': 354969, 'these price immediately': 880534, 'price immediately report': 674634, 'immediately report if': 417139, 'report if anyone': 712026, 'if anyone wrong': 413858, 'anyone wrong doing': 80665, 'taunt': 834913, 'hoardershaming': 399160, '25thamendmentnow': 16119, 'paper commercial': 640036, 'commercial just': 188712, 'just taunt': 469960, 'taunt people': 834914, 'now hoardershaming': 574937, 'hoardershaming toiletpaper': 399161, 'toiletpaper toiletpapershortage': 922721, 'toiletpapershortage 25thamendmentnow': 923317, 'toilet paper commercial': 921233, 'paper commercial just': 640037, 'commercial just taunt': 188713, 'just taunt people': 469961, 'taunt people now': 834915, 'people now hoardershaming': 648889, 'now hoardershaming toiletpaper': 574938, 'hoardershaming toiletpaper toiletpapershortage': 399162, 'toiletpaper toiletpapershortage 25thamendmentnow': 922722, 'bunga': 142658, 'revoked': 720720, 'vega supermarket': 953834, 'in bunga': 421057, 'bunga their': 142659, 'be revoked': 116875, 'revoked but': 720721, 'or again': 614276, 'la vega supermarket': 478238, 'vega supermarket in': 953835, 'supermarket in bunga': 820872, 'in bunga their': 421058, 'bunga their licence': 142660, 'their licence will': 873812, 'licence will probably': 488120, 'will probably not': 994466, 'probably not be': 679334, 'not be revoked': 568445, 'be revoked but': 116876, 'revoked but just': 720722, 'but just want': 146205, 'have increased their': 381069, 'price so do': 676503, 'even go there': 284127, 'go there now': 354226, 'there now or': 878883, 'now or again': 575468, 'or again in': 614277, 'again in my': 37040, 'to our unsung': 911251, 'unsung hero the': 943564, 'hero the grocery': 394115, 'store supermarket employee': 810454, 'jfk': 465413, 'popeyes': 664491, 'coachj': 185048, 'wow in': 1012568, 'past 27': 643499, '27 day': 16270, 'place other': 657644, 'than my': 840914, 'the jfk': 858647, 'jfk lga': 465414, 'lga airport': 487903, 'airport the': 40124, 'last but': 480127, 'not least': 570342, 'least popeyes': 484600, 'popeyes what': 664492, 'what group': 981527, 'group socialdistancing': 366890, 'socialdistancing coachj': 780282, 'coachj blessed': 185049, 'wow in the': 1012569, 'the past 27': 863346, 'past 27 day': 643500, '27 day have': 16271, 'day have only': 227732, 'have only been': 381809, 'been to place': 122224, 'to place other': 911755, 'place other than': 657645, 'other than my': 621073, 'than my house': 840916, 'my house the': 548746, 'house the jfk': 406605, 'the jfk lga': 858648, 'jfk lga airport': 465415, 'lga airport the': 487904, 'airport the grocery': 40125, 'store and last': 806277, 'and last but': 65957, 'last but not': 480129, 'but not least': 146542, 'not least popeyes': 570343, 'least popeyes what': 484601, 'popeyes what group': 664493, 'what group socialdistancing': 981528, 'group socialdistancing coachj': 366891, 'socialdistancing coachj blessed': 780283, 'with quarantine': 1000376, 'place grateful': 657469, 'sufficient enough': 817376, 'food covid': 314048, 'is wakeup': 453741, 'wakeup call': 964651, 'call that': 156121, 'start living': 794370, 'living more': 496416, 'more sustainably': 540521, 'sustainably and': 829815, 'and appreciate': 58265, 'produce our': 680384, 'food even': 314407, 'these turbulent': 880891, 'with quarantine in': 1000377, 'quarantine in place': 692289, 'in place grateful': 426737, 'place grateful that': 657470, 'grateful that my': 362312, 'that my house': 845268, 'house is self': 406378, 'self sufficient enough': 747918, 'sufficient enough that': 817377, 'enough that don': 277662, 'to go panic': 906840, 'for food covid': 321572, 'food covid 19': 314049, '19 is wakeup': 8081, 'is wakeup call': 453742, 'wakeup call that': 964652, 'call that we': 156122, 'to start living': 915204, 'start living more': 794371, 'living more sustainably': 496417, 'more sustainably and': 540522, 'sustainably and appreciate': 829816, 'and appreciate the': 58267, 'people who produce': 650329, 'who produce our': 989452, 'produce our food': 680386, 'our food even': 623109, 'food even in': 314410, 'even in these': 284249, 'in these turbulent': 429872, 'these turbulent time': 880892, 'nurse are': 577208, 'pressure to': 671242, 'all hiked': 43116, 'who themselves': 989762, 'themselves are': 876768, 'we okay': 972642, 'nurse are under': 577211, 'are under pressure': 91282, 'under pressure to': 940209, 'pressure to save': 671248, 'save life in': 737545, 'life in this': 488770, 'pandemic but the': 635059, 'but the protective': 147388, 'do this job': 250357, 'this job have': 888544, 'job have their': 465855, 'their price all': 874374, 'price all hiked': 672270, 'all hiked by': 43117, 'hiked by business': 396305, 'by business people': 152028, 'business people who': 144210, 'people who themselves': 650348, 'who themselves are': 989763, 'themselves are at': 876769, 'are we okay': 91582, 'submitting': 815825, 'in wichita': 430906, 'wichita have': 991666, 'group offer': 366811, 'offer various': 594869, 'various supply': 952654, 'need can': 554587, 'visit by': 959202, 'by submitting': 154148, 'submitting an': 815826, 'organization in wichita': 619392, 'in wichita have': 430907, 'wichita have been': 991667, 'been working together': 122403, 'together to provide': 920999, 'to provide one': 912418, 'provide one stop': 686411, 'one stop shop': 607114, 'stop shop of': 805016, 'shop of resource': 760529, 'of resource that': 588987, 'resource that are': 714888, '19 the group': 11203, 'the group offer': 856866, 'group offer various': 366812, 'offer various supply': 594870, 'various supply those': 952655, 'supply those in': 825991, 'in need can': 425733, 'need can visit': 554589, 'can visit by': 160125, 'visit by submitting': 959203, 'by submitting an': 154149, 'submitting an online': 815827, 'an online form': 56618, 'impatient': 418296, 'descend': 237903, 'italy becoming': 462777, 'becoming impatient': 120302, 'impatient with': 418297, 'unrest is': 943355, 'is brewing': 446266, 'brewing police': 139477, 'police descend': 662976, 'descend on': 237908, 'after report': 36117, 'report people': 712168, 'have stolen': 382775, 'stolen food': 804286, 'feed themselves': 302392, 'themselves patience': 876874, 'patience turn': 644114, 'to desperation': 904210, 'italy becoming impatient': 462778, 'becoming impatient with': 120303, 'impatient with lockdown': 418298, 'and social unrest': 71900, 'social unrest is': 780001, 'unrest is brewing': 943356, 'is brewing police': 446267, 'brewing police descend': 139478, 'police descend on': 662977, 'descend on supermarket': 237909, 'on supermarket after': 603780, 'supermarket after report': 818808, 'after report people': 36119, 'report people have': 712169, 'people have stolen': 648200, 'have stolen food': 382776, 'stolen food to': 804287, 'to feed themselves': 905734, 'feed themselves patience': 302394, 'themselves patience turn': 876875, 'patience turn to': 644115, 'turn to desperation': 935775, 'leading fmcg': 483705, 'co drop': 184830, 'drop sanitiser': 260382, 'after govt': 35734, 'order even': 618194, 'even they': 284680, 'they scramble': 883286, 'leading fmcg co': 483706, 'fmcg co drop': 311719, 'co drop sanitiser': 184831, 'drop sanitiser price': 260383, 'sanitiser price after': 734003, 'price after govt': 672232, 'after govt order': 35735, 'govt order even': 361234, 'order even they': 618195, 'even they scramble': 284681, 'they scramble to': 883287, 'scramble to meet': 742547, 'the demand 19': 853083, 'everyone sorry': 287394, 'that lack': 844835, 'post through': 666366, 'this troubled': 890858, 'will try': 995245, 'keep morale': 471673, 'morale high': 538418, 'high but': 394954, 'but posting': 146827, 'fun picture': 341205, 'picture want': 656211, 'you nhscovidheroes': 1020099, 'nhscovidheroes for': 562214, 'continued hard': 201323, 'out community': 625867, 'community much': 189993, 'hi everyone sorry': 394638, 'everyone sorry for': 287395, 'sorry for that': 786045, 'for that lack': 326260, 'that lack of': 844836, 'lack of post': 478644, 'of post through': 588263, 'post through this': 666367, 'through this troubled': 894852, 'this troubled time': 890859, 'troubled time will': 932675, 'time will try': 898346, 'will try and': 995246, 'try and keep': 934445, 'and keep morale': 65768, 'keep morale high': 471674, 'morale high but': 538419, 'high but posting': 394955, 'but posting some': 146828, 'posting some fun': 666688, 'some fun picture': 782930, 'fun picture want': 341206, 'picture want to': 656212, 'thank you nhscovidheroes': 841789, 'you nhscovidheroes for': 1020100, 'nhscovidheroes for the': 562215, 'for the continued': 326358, 'the continued hard': 851670, 'continued hard work': 201324, 'work and let': 1004787, 'and let all': 66102, 'let all help': 486561, 'all help and': 43091, 'and support out': 72848, 'support out community': 826743, 'out community much': 625868, 'community much possible': 189994, 'ditch': 248438, 'you ditch': 1018235, 'ditch the': 248448, 'science of': 742121, 'people move': 648797, 'door please': 255693, 'how about in': 407285, 'of crisis you': 582198, 'crisis you ditch': 218464, 'you ditch the': 1018236, 'ditch the science': 248449, 'the science of': 866501, 'science of how': 742122, 'we get people': 971623, 'buy more in': 148971, 'more in favour': 539513, 'favour of how': 300573, 'can we protect': 160187, 'we protect people': 972769, 'protect people move': 684924, 'people move the': 648798, 'move the milk': 543737, 'the milk bread': 860606, 'bread egg to': 138454, 'egg to the': 270013, 'front door please': 338529, 'dampf': 225511, 'paramus': 641415, 'niche': 562558, 'dampf store': 225512, 'the paramus': 863273, 'paramus we': 641416, 'paper good': 640222, 'good soap': 357745, 'soap cleaning': 778973, 'our niche': 624076, 'niche is': 562559, 'market 80': 515903, 'are fresh': 86683, 'food only': 315631, '20 is': 13110, 'dampf store manager': 225513, 'of the paramus': 591318, 'the paramus we': 863274, 'paramus we don': 641417, 'don have lot': 253607, 'lot of paper': 504246, 'of paper good': 587757, 'paper good soap': 640225, 'good soap cleaning': 357746, 'soap cleaning supply': 778974, 'cleaning supply that': 181086, 'supply that not': 825955, 'that not what': 845405, 'not what our': 572485, 'what our niche': 981987, 'our niche is': 624077, 'niche is we': 562560, 'is we re': 453805, 'we re fresh': 972880, 're fresh food': 698713, 'fresh food market': 332971, 'food market 80': 315389, 'market 80 of': 515904, '80 of our': 22607, 'our item are': 623591, 'item are fresh': 463091, 'are fresh food': 86684, 'fresh food only': 332973, 'food only 20': 315632, 'only 20 is': 609990, '20 is grocery': 13111, 'precipitate': 669485, 'payworkersfairly': 645847, 'should precipitate': 766324, 'precipitate re': 669486, 're evaluation': 698627, 'much these': 545363, 'are paid': 88954, 'paid nurse': 634094, 'driver cleaner': 259483, 'cleaner carers': 180762, 'carers teaching': 164622, 'teaching assistant': 835546, 'assistant school': 96800, 'school dinner': 741766, 'dinner worker': 243118, 'they literally': 882573, 'literally keep': 495032, 'all alive': 41980, 'alive payworkersfairly': 41831, 'pandemic should precipitate': 636456, 'should precipitate re': 766325, 'precipitate re evaluation': 669487, 're evaluation of': 698629, 'evaluation of how': 283735, 'of how much': 584832, 'how much these': 408375, 'much these worker': 545364, 'worker are paid': 1006413, 'are paid nurse': 88956, 'paid nurse teacher': 634095, 'nurse teacher supermarket': 577496, 'teacher supermarket staff': 835512, 'delivery driver cleaner': 233896, 'driver cleaner carers': 259486, 'cleaner carers teaching': 180763, 'carers teaching assistant': 164623, 'teaching assistant school': 835547, 'assistant school dinner': 96801, 'school dinner worker': 741767, 'dinner worker they': 243119, 'worker they literally': 1007967, 'they literally keep': 882575, 'literally keep all': 495033, 'keep all alive': 471293, 'all alive payworkersfairly': 41981, 'thrus': 895254, 'have temporarily': 382933, 'the lobby': 859524, 'lobby at': 497579, 'branch please': 137695, 'drive thrus': 259213, 'thrus and': 895255, 'service visit': 753043, 'we have temporarily': 971958, 'have temporarily closed': 382934, 'temporarily closed the': 837469, 'closed the lobby': 183368, 'the lobby at': 859525, 'lobby at all': 497580, 'all our branch': 43797, 'our branch please': 622255, 'branch please use': 137696, 'please use our': 660710, 'use our drive': 949459, 'our drive thrus': 622808, 'drive thrus and': 259214, 'thrus and online': 895256, 'and online service': 68120, 'online service visit': 608968, 'service visit for': 753044, 'negligible': 556895, 'then increased': 877267, 'item negligible': 463470, 'how have stepped': 407973, 'and then increased': 73775, 'then increased price': 877268, 'price by about': 673013, 'by about 25': 151728, 'about 25 on': 24683, 'baby item negligible': 106646, 'in mississippi': 425375, 'mississippi out': 534404, 'are doubling': 85961, 'doubling how': 256158, 'people gonna': 648107, 'gonna survive': 356629, 'people in mississippi': 648397, 'in mississippi out': 425376, 'mississippi out of': 534405, 'job and grocery': 465628, 'and grocery price': 63996, 'price are doubling': 672654, 'are doubling how': 85962, 'doubling how are': 256159, 'how are people': 407411, 'are people gonna': 89033, 'people gonna survive': 648109, 'gonna survive this': 356631, 'covoid19': 214442, 'emptystore': 275326, 'homesteading': 402972, 'homesteader': 402969, 'countryliving': 211289, 'countrylifestyle': 211286, 'countrylife': 211283, 'outdoorliving': 628912, 'outdoorlife': 628911, 'go pandemic': 354029, 'shelterinplace covoid19': 757998, 'covoid19 emptyshelves': 214443, 'supermarket emptystore': 820163, 'emptystore egg': 275327, 'egg homestead': 269885, 'homestead homesteading': 402965, 'homesteading homesteader': 402973, 'homesteader countryliving': 402970, 'countryliving countrylifestyle': 211290, 'countrylifestyle countrylife': 211287, 'countrylife outdoorliving': 211284, 'outdoorliving outdoorlife': 628913, 'so it go': 777463, 'it go pandemic': 458264, 'go pandemic shelterinplace': 354030, 'pandemic shelterinplace covoid19': 636437, 'shelterinplace covoid19 emptyshelves': 757999, 'covoid19 emptyshelves supermarket': 214444, 'emptyshelves supermarket emptystore': 275314, 'supermarket emptystore egg': 820164, 'emptystore egg homestead': 275328, 'egg homestead homesteading': 269886, 'homestead homesteading homesteader': 402966, 'homesteading homesteader countryliving': 402974, 'homesteader countryliving countrylifestyle': 402971, 'countryliving countrylifestyle countrylife': 211291, 'countrylifestyle countrylife outdoorliving': 211288, 'countrylife outdoorliving outdoorlife': 211285, 'online stayhome': 609427, 'stayhome sale': 798088, 'sale fashion': 732209, 'fashion shopping': 299846, 'online style': 609488, 'style offer': 815621, 'offer best': 594541, 'and shop online': 71505, 'shop online stayhome': 760585, 'online stayhome sale': 609428, 'stayhome sale fashion': 798089, 'sale fashion shopping': 732210, 'fashion shopping online': 299847, 'shopping online style': 763490, 'online style offer': 609489, 'style offer best': 815622, 'offer best deal': 594542, 'at pharmacy': 100111, 'pharmacy counter': 654283, 'protection she': 685607, 'isolation with': 455510, 'her partner': 392287, 'partner age': 642756, 'age 40': 37789, '40 who': 18688, 'ha suspected': 372129, 'suspected covid': 829520, 'been poorly': 121674, 'poorly for': 664383, 'for fortnight': 321682, 'work at pharmacy': 1004893, 'at pharmacy counter': 100113, 'pharmacy counter in': 654284, 'counter in supermarket': 210228, 'supermarket no social': 821617, 'distancing no protection': 247356, 'no protection she': 565232, 'protection she is': 685608, 'she is now': 756159, 'now in isolation': 575003, 'in isolation with': 424214, 'isolation with her': 455512, 'with her partner': 998776, 'her partner age': 392288, 'partner age 40': 642757, 'age 40 who': 37790, '40 who ha': 18690, 'who ha suspected': 988864, 'ha suspected covid': 372130, 'suspected covid 19': 829521, '19 he been': 7471, 'he been poorly': 384774, 'been poorly for': 121675, 'poorly for fortnight': 664384, 'zoonosis': 1027854, 'lancet': 479242, 'ecology': 266685, 'unnatural': 942840, 'watch esp': 968399, 'esp from': 280389, 'from 55': 334307, '55 min': 20393, 'min on': 532559, 'on zoonosis': 605537, 'zoonosis and': 1027855, 'and lancet': 65939, 'lancet article': 479243, 'article ecology': 94304, 'ecology of': 266686, 'of zoonosis': 593566, 'zoonosis natural': 1027857, 'natural and': 552806, 'and unnatural': 74692, 'unnatural history': 942841, 'history section': 398051, 'section zoonotic': 744062, 'zoonotic disease': 1027862, 'disease risk': 245222, 'watch esp from': 968400, 'esp from 55': 280390, 'from 55 min': 334308, '55 min on': 20394, 'min on zoonosis': 532560, 'on zoonosis and': 605538, 'zoonosis and lancet': 1027856, 'and lancet article': 65940, 'lancet article ecology': 479244, 'article ecology of': 94305, 'ecology of zoonosis': 266687, 'of zoonosis natural': 593567, 'zoonosis natural and': 1027858, 'natural and unnatural': 552807, 'and unnatural history': 74693, 'unnatural history section': 942842, 'history section zoonotic': 398052, 'section zoonotic disease': 744063, 'zoonotic disease risk': 1027863, 'disease risk and': 245223, 'risk and global': 723372, 'and global demand': 63693, 'hey panic': 394473, 'buyer the': 149771, 'll pick': 496950, 'up corona': 944649, 'virus these': 958897, 'better stay': 128490, 'hey panic buyer': 394474, 'panic buyer the': 637606, 'buyer the most': 149773, 'likely place you': 492078, 'place you ll': 657857, 'you ll pick': 1019667, 'll pick up': 496951, 'pick up corona': 655710, 'up corona virus': 944650, 'corona virus these': 204363, 'virus these day': 958898, 'day is the': 227841, 'supermarket you better': 824187, 'you better stay': 1017467, 'better stay away': 128491, 'ifmarkwatneycoulddoit': 415637, 'almost being': 46564, 'being nonexistent': 125457, 'nonexistent it': 566633, 'thinking ifmarkwatneycoulddoit': 885921, 'with the great': 1001319, 'paper shortage of': 640776, 'shortage of 2020': 765096, 'of 2020 and': 579486, '2020 and stock': 14143, 'and stock of': 72410, 'the shelf almost': 866821, 'shelf almost being': 756700, 'almost being nonexistent': 46565, 'being nonexistent it': 125458, 'nonexistent it got': 566634, 'me thinking ifmarkwatneycoulddoit': 523702, 'weird text': 977791, 'call regarding': 156088, '19 canadian': 5623, 'canadian should': 160749, 'should beware': 765777, 'way fraudsters': 969596, 'you getting weird': 1018816, 'getting weird text': 349440, 'weird text message': 977792, 'text message or': 839910, 'message or call': 529387, 'or call regarding': 614641, 'call regarding covid': 156089, 'covid 19 canadian': 212755, '19 canadian should': 5625, 'canadian should beware': 160750, 'should beware of': 765778, 'beware of all': 129073, 'the way fraudsters': 871153, 'way fraudsters are': 969597, 'to scam you': 913871, 'how shopper can': 408674, 'shopper can avoid': 761448, 'can avoid catching': 157554, 'avoid catching at': 105028, 'catching at grocery': 167073, 'actualfacts': 30715, 'bad diy': 107827, 'recipe lab': 704486, 'lab muffin': 478277, 'muffin beauty': 545550, 'beauty science': 118785, 'science via': 742147, 'handsanitizer may': 376583, 'the actualfacts': 848327, 'actualfacts science': 30716, 'good and bad': 356725, 'and bad diy': 58636, 'bad diy hand': 107828, 'sanitizer recipe lab': 735642, 'recipe lab muffin': 704487, 'lab muffin beauty': 478278, 'muffin beauty science': 545551, 'beauty science via': 118786, 'science via handsanitizer': 742148, 'via handsanitizer may': 956009, 'handsanitizer may or': 376584, 'may or may': 521409, 'or may not': 616082, 'may not help': 521379, 'not help against': 569923, 'help against the': 389311, 'against the actualfacts': 37639, 'the actualfacts science': 848328, 'taliban': 833720, 'afghani': 34924, 'stronghold': 814206, 'valve': 952275, 'is world': 454057, 'world dying': 1009501, 'dying over': 263855, 'over corona': 630112, 'corona iran': 204020, 'iran build': 444675, 'build up': 142012, 'up nuclear': 945488, 'nuclear establishment': 576756, 'establishment pakistan': 282068, 'pakistan fly': 634450, 'fly drone': 311607, 'drone over': 260077, 'over indian': 630320, 'indian border': 434783, 'border taliban': 135281, 'taliban keep': 833721, 'keep butchering': 471367, 'butchering afghani': 148077, 'afghani in': 34925, 'it stronghold': 461320, 'stronghold doctor': 814207, 'doctor keep': 250974, 'keep raising': 471840, 'italy ban': 462772, 'ban 3d': 109161, '3d print': 18245, 'print patented': 678287, 'patented valve': 644002, 'even when it': 284782, 'when it is': 983636, 'it is world': 459134, 'is world dying': 454058, 'world dying over': 1009502, 'dying over corona': 263856, 'over corona iran': 630113, 'corona iran build': 204021, 'iran build up': 444676, 'build up nuclear': 142013, 'up nuclear establishment': 945489, 'nuclear establishment pakistan': 576757, 'establishment pakistan fly': 282069, 'pakistan fly drone': 634451, 'fly drone over': 311608, 'drone over indian': 260078, 'over indian border': 630321, 'indian border taliban': 434784, 'border taliban keep': 135282, 'taliban keep butchering': 833722, 'keep butchering afghani': 471368, 'butchering afghani in': 148078, 'afghani in it': 34926, 'in it stronghold': 424275, 'it stronghold doctor': 461321, 'stronghold doctor keep': 814208, 'doctor keep raising': 250975, 'keep raising price': 471841, 'and sanitizer italy': 70876, 'sanitizer italy ban': 735235, 'italy ban 3d': 462773, 'ban 3d print': 109162, '3d print patented': 18247, 'print patented valve': 678288, 'probably my': 679325, 'my highest': 548674, 'risk this': 723944, 'week queuing': 976785, 'store two': 810977, 'two pple': 937165, 'pple behind': 668387, 'behind within': 124759, 'within touching': 1002450, 'touching distance': 926667, 'distance one': 246790, 'with blocked': 997429, 'and runny': 70651, 'nose turned': 567932, 'catch anything': 166984, 'anything everyone': 80756, 'else standing': 271890, 'close 19': 182486, 'probably my highest': 679326, 'my highest risk': 548675, 'highest risk this': 395860, 'risk this week': 723947, 'this week queuing': 891254, 'week queuing at': 976786, 'queuing at grocery': 694196, 'grocery store two': 365891, 'store two pple': 810980, 'two pple behind': 937166, 'pple behind within': 668388, 'behind within touching': 124760, 'within touching distance': 1002451, 'touching distance one': 926668, 'distance one with': 246791, 'one with blocked': 607483, 'with blocked and': 997430, 'blocked and runny': 132853, 'and runny nose': 70652, 'runny nose turned': 728157, 'nose turned around': 567933, 'turned around to': 935830, 'around to ask': 93592, 'to ask them': 900766, 'them to keep': 876483, 'safe distance from': 729587, 'distance from me': 246715, 'from me if': 336395, 'me if they': 522942, 'if they don': 415109, 'to catch anything': 902495, 'catch anything everyone': 166985, 'anything everyone else': 80757, 'everyone else standing': 286878, 'else standing too': 271891, 'too close 19': 924652, 'wa way': 963668, 'this lady wa': 888594, 'lady wa way': 478860, 'wa way ahead': 963669, 'the time toiletpaper': 869626, 'time toiletpaper toiletpaperemergency': 898112, '2089': 14871, 'amusement': 54958, 'in 2089': 419878, '2089 are': 14872, 'given test': 351118, 'test question': 839141, 'question such': 693752, 'such which': 816871, 'been considered': 120875, 'pandemic bartender': 634969, 'bartender store': 111399, 'cashier amusement': 166446, 'amusement park': 54961, 'park employee': 641900, 'employee shop': 274196, 'child in 2089': 176113, 'in 2089 are': 419879, '2089 are given': 14873, 'are given test': 86848, 'given test question': 351119, 'test question such': 839143, 'question such which': 693753, 'such which would': 816872, 'have been considered': 379495, 'been considered an': 120876, 'an essential job': 55826, 'essential job during': 281246, '19 pandemic bartender': 9272, 'pandemic bartender store': 634970, 'bartender store cashier': 111400, 'store cashier amusement': 806883, 'cashier amusement park': 166447, 'amusement park employee': 54962, 'park employee shop': 641901, 'employee shop assistant': 274197, 'cov stay': 212128, 'stay viable': 797379, 'viable in': 956386, 'aerosol for': 33907, 'least hour': 484508, 'news mean': 560604, 'mean supermarket': 524667, 'transportation are': 929992, 'now officially': 575406, 'officially death': 595994, 'death trap': 230257, 'trap source': 930097, 'sars cov stay': 736804, 'cov stay viable': 212129, 'stay viable in': 797380, 'viable in aerosol': 956387, 'in aerosol for': 420072, 'aerosol for at': 33908, 'at least hour': 99507, 'least hour this': 484509, 'hour this is': 405998, 'really bad news': 702002, 'bad news mean': 107956, 'news mean supermarket': 560605, 'mean supermarket and': 524668, 'supermarket and public': 819043, 'public transportation are': 688429, 'transportation are now': 929993, 'are now officially': 88577, 'now officially death': 575408, 'officially death trap': 595995, 'death trap source': 230259, 'suv': 829847, 'systematically': 831405, 'suoermarket': 818457, 'stockpilinguk it': 804143, 'the zero': 872222, 'hour worker': 406112, 'benefit with': 127143, 'the suv': 869040, 'suv and': 829848, 'of ready': 588779, 'ready cash': 700850, 'cash that': 166338, 'are systematically': 90701, 'systematically driving': 831406, 'driving from': 259931, 'to suoermarket': 915758, 'suoermarket in': 818458, 'west yorkshire': 980554, 'yorkshire stripping': 1016729, 'stockpilinguk it isn': 804144, 'it isn the': 459156, 'isn the zero': 454720, 'the zero hour': 872223, 'zero hour worker': 1027463, 'hour worker and': 406113, 'those on benefit': 892283, 'on benefit with': 599628, 'benefit with the': 127144, 'with the suv': 1001509, 'the suv and': 869041, 'suv and plenty': 829849, 'plenty of ready': 660971, 'of ready cash': 588780, 'ready cash that': 700851, 'cash that are': 166339, 'that are systematically': 842825, 'are systematically driving': 90702, 'systematically driving from': 831407, 'driving from supermarket': 259932, 'from supermarket to': 337508, 'supermarket to suoermarket': 823420, 'to suoermarket in': 915759, 'suoermarket in west': 818459, 'in west yorkshire': 430804, 'west yorkshire stripping': 980557, 'yorkshire stripping the': 1016730, 'stripping the shelf': 813923, 'book is': 134550, 'for address': 319019, 'address restricted': 32017, 'restricted have': 717143, 'have phone': 381926, 'without internet': 1002736, 'can rapidly': 159369, 'rapidly rethink': 697016, 'rethink our': 719653, 'our economic': 622832, 'economic model': 267171, 'alternative to ration': 49272, 'to ration book': 912759, 'ration book is': 697647, 'book is online': 134554, 'is online shopping': 450523, 'shopping order for': 763561, 'order for address': 618221, 'for address restricted': 319020, 'address restricted have': 32018, 'restricted have phone': 717144, 'have phone order': 381927, 'phone order for': 654994, 'for people without': 324471, 'people without internet': 650492, 'without internet access': 1002737, 'internet access and': 441894, 'access and then': 28101, 'and then have': 73768, 'then have supermarket': 877233, 'have supermarket collection': 382852, 'supermarket collection or': 819737, 'or delivery only': 614942, 'delivery only we': 234266, 'only we can': 611450, 'we can rapidly': 970995, 'can rapidly rethink': 159371, 'rapidly rethink our': 697017, 'rethink our economic': 719654, 'our economic model': 622833, 'economic model for': 267172, 'model for and': 535251, 'for and we': 319349, 'outlive': 629120, 'in ecommerce': 422476, 'will outlive': 994362, 'outlive corona': 629121, 'corona across': 203794, 'europe consumer': 283423, 'research suggest': 713851, 'surge in ecommerce': 828188, 'in ecommerce will': 422477, 'ecommerce will outlive': 266899, 'will outlive corona': 994363, 'outlive corona across': 629122, 'corona across europe': 203795, 'across europe consumer': 29325, 'europe consumer research': 283424, 'consumer research suggest': 198760, 'period request': 651874, 'you reduce': 1020869, 'for moreover': 323610, 'moreover please': 541063, 'some improvement': 783089, 'improvement on': 419583, 'your network': 1024984, 'is slow': 451968, 'slow reduceinternetprices': 774387, 'we the citizen': 973518, 'the citizen in': 850908, 'citizen in this': 178919, '19 period request': 9649, 'period request you': 651875, 'request you reduce': 713240, 'you reduce the': 1020873, 'reduce the internet': 705966, 'the internet price': 858390, 'internet price for': 441988, 'price for moreover': 674005, 'for moreover please': 323611, 'moreover please we': 541064, 'please we need': 660761, 'need some improvement': 555592, 'some improvement on': 783090, 'improvement on the': 419584, 'part of because': 642333, 'of because your': 580606, 'because your network': 119886, 'your network is': 1024986, 'network is slow': 557734, 'is slow reduceinternetprices': 451969, 'zatural': 1027249, 'this sticker': 890326, 'sticker with': 800096, 'amazing cbd': 50657, 'cbd hand': 168309, 'sanitizer thought': 735893, 'very fitting': 955169, 'fitting loved': 309555, 'loved zatural': 504935, 'zatural all': 1027250, 'product prior': 681551, 'to happy': 907170, 'handsanitizer somegoodnews': 376644, 'somegoodnews socialdistancing': 784298, 'socialdistancing family': 780359, 'family cbd': 297695, 'got this sticker': 358943, 'this sticker with': 890327, 'sticker with my': 800097, 'with my order': 999646, 'my order of': 549614, 'order of amazing': 618440, 'of amazing cbd': 580023, 'amazing cbd hand': 50658, 'cbd hand sanitizer': 168310, 'hand sanitizer thought': 375624, 'sanitizer thought it': 735894, 'wa very fitting': 963638, 'very fitting loved': 955170, 'fitting loved zatural': 309556, 'loved zatural all': 504936, 'zatural all of': 1027251, 'of their product': 591691, 'their product prior': 874473, 'product prior to': 681552, 'prior to happy': 678373, 'to happy to': 907171, 'now making handsanitizer': 575278, 'making handsanitizer somegoodnews': 511106, 'handsanitizer somegoodnews socialdistancing': 376645, 'somegoodnews socialdistancing family': 784299, 'socialdistancing family cbd': 780360, 'mgnrega': 530101, 'deceleration': 230735, 'rbi unusually': 698097, 'unusually lower': 944005, 'lower agriculture': 505794, 'price slowdown': 676481, 'in construction': 421674, 'construction sector': 195813, 'sector below': 744107, 'below average': 126602, 'average performance': 104884, 'performance of': 651452, 'of flagship': 583574, 'flagship mgnrega': 309962, 'mgnrega prog': 530102, 'prog have': 683175, 'have contributed': 380101, 'lower farm': 505857, 'farm income': 299136, 'income deceleration': 432312, 'deceleration in': 230736, 'rural wage': 728274, 'wage loss': 963925, 'of employment': 583080, 'employment opportunity': 274634, 'rural sector': 728261, 'sector more': 744267, 'rbi unusually lower': 698098, 'unusually lower agriculture': 944006, 'lower agriculture price': 505795, 'agriculture price slowdown': 39014, 'price slowdown in': 676482, 'slowdown in construction': 774447, 'in construction sector': 421675, 'construction sector below': 195814, 'sector below average': 744108, 'below average performance': 126603, 'average performance of': 104885, 'performance of flagship': 651453, 'of flagship mgnrega': 583575, 'flagship mgnrega prog': 309963, 'mgnrega prog have': 530103, 'prog have contributed': 683176, 'have contributed to': 380102, 'contributed to lower': 201894, 'to lower farm': 909496, 'lower farm income': 505858, 'farm income deceleration': 299137, 'income deceleration in': 432313, 'deceleration in rural': 230738, 'in rural wage': 427580, 'rural wage loss': 728275, 'wage loss of': 963926, 'loss of employment': 503742, 'of employment opportunity': 583082, 'employment opportunity in': 274635, 'opportunity in rural': 613647, 'in rural sector': 427578, 'rural sector more': 728262, 'sector more so': 744268, 'more so in': 540416, 'so in the': 777386, 'statcan': 795323, 'statcan study': 795324, 'study canadian': 814875, 'consumer prepare': 198411, '19 fascinating': 6941, 'fascinating look': 299757, 'canadian trend': 160765, 'sale using': 732626, 'using transaction': 950772, 'transaction data': 929449, '2020 doe': 14276, 'this match': 888778, 'match your': 520314, 'statcan study canadian': 795325, 'study canadian consumer': 814876, 'canadian consumer prepare': 160659, 'consumer prepare for': 198412, 'covid 19 fascinating': 213075, '19 fascinating look': 6942, 'fascinating look at': 299758, 'look at canadian': 502256, 'at canadian trend': 98191, 'canadian trend in': 160766, 'demand and sale': 234995, 'and sale using': 70795, 'sale using transaction': 732627, 'using transaction data': 950773, 'transaction data for': 929450, 'data for grocery': 226216, 'for grocery product': 322048, 'grocery product up': 364881, 'to the week': 917184, 'ending march 14': 276186, '14 2020 doe': 3393, '2020 doe this': 14277, 'doe this match': 251638, 'this match your': 888779, 'match your experience': 520315, 'ded': 231678, 'ded issue': 231681, 'issue fine': 455749, 'pharmaceutical supplier': 654090, 'for inflating': 322561, 'take undue': 832762, 'pandemic dubai': 635341, 'ded issue fine': 231682, 'issue fine to': 455750, 'fine to pharmacy': 307713, 'pharmacy and pharmaceutical': 654221, 'and pharmaceutical supplier': 68960, 'pharmaceutical supplier for': 654091, 'supplier for inflating': 824535, 'for inflating the': 322563, 'mask and trying': 518382, 'to take undue': 916254, 'take undue advantage': 832763, 'high demand amid': 394989, '19 pandemic dubai': 9312, 'oregon will': 619161, 'put million': 690690, 'in weekly': 430782, 'weekly funding': 977501, 'funding toward': 341628, 'network needed': 557743, 'needed over': 556458, 'week food': 976216, 'seen increasing': 747090, 'falling donation': 297243, 'oregon will put': 619163, 'will put million': 994541, 'put million in': 690691, 'million in weekly': 532199, 'in weekly funding': 430783, 'weekly funding toward': 977502, 'funding toward the': 341629, 'toward the oregon': 927158, 'bank network needed': 110031, 'network needed over': 557744, 'needed over the': 556459, 'next week food': 561679, 'week food bank': 976218, 'have seen increasing': 382428, 'seen increasing demand': 747091, 'increasing demand and': 433579, 'and falling donation': 62640, 'falling donation amid': 297244, 'icymi shopping': 412907, 'tip many': 898836, 'are setting': 90004, 'setting aside': 753620, 'aside special': 95431, 'for check': 320032, 'before setting': 123063, 'setting out': 753643, 'icymi shopping tip': 412908, 'shopping tip many': 764158, 'tip many grocery': 898837, 'store are setting': 806523, 'are setting aside': 90005, 'setting aside special': 753621, 'aside special hour': 95432, 'risk for check': 723539, 'for check with': 320034, 'with your store': 1002237, 'your store before': 1025963, 'store before setting': 806705, 'before setting out': 123064, 'our purchasing': 624520, 'purchasing decision': 689852, 'decision what': 231117, 'expert begin': 291798, 'to unpack': 917959, 'unpack the': 943006, 'on the psychology': 604313, 'the psychology of': 864761, 'psychology of our': 687569, 'of our purchasing': 587550, 'our purchasing decision': 624521, 'purchasing decision what': 689854, 'decision what will': 231118, 'what will they': 982611, 'will they be': 995175, 'they be consumer': 881531, 'be consumer behavior': 114210, 'behavior expert begin': 124031, 'expert begin to': 291799, 'begin to unpack': 123597, 'to unpack the': 917960, 'unpack the answer': 943007, 'peut': 653895, 'se peut': 743050, 'peut why': 653896, 'se peut why': 743051, 'peut why doe': 653897, 'palisade': 634576, 'palisade empty': 634577, 'shelf fight': 757076, 'supermarket strict': 823022, 'packaged product': 633501, 'product finally': 681183, 'crappy lunch': 214935, 'lunch box': 506712, 'palisade empty shelf': 634578, 'empty shelf fight': 275064, 'shelf fight in': 757077, 'fight in supermarket': 304780, 'in supermarket strict': 428679, 'supermarket strict limit': 823023, 'on packaged product': 602670, 'packaged product finally': 633502, 'product finally some': 681184, 'my crappy lunch': 547851, 'crappy lunch box': 214936, 'food shopping order': 316532, 'shopping order due': 763560, 'order due in': 618179, 'due in an': 261661, 'in an hour': 420306, 'an hour socialdistancing': 56102, 'nicholas': 562563, 'bertram': 127425, 'great by': 362561, 'by president': 153643, 'president nicholas': 670861, 'nicholas bertram': 562564, 'bertram in': 127426, 'the encouraging': 854294, 'encouraging customer': 275716, 'with associate': 997323, 'associate working': 96912, 'buying also': 149881, 'also affect': 47817, 'great by president': 362562, 'by president nicholas': 153644, 'president nicholas bertram': 670862, 'nicholas bertram in': 562565, 'bertram in the': 127427, 'in the encouraging': 429167, 'the encouraging customer': 854295, 'encouraging customer to': 275717, 'customer to stop': 222981, 'stop with associate': 805277, 'with associate working': 997324, 'associate working hard': 96913, 'hard to restock': 378084, 'restock shelf panic': 716906, 'panic buying also': 637638, 'buying also affect': 149882, 'also affect food': 47818, 'affect food bank': 34144, 'suggestive': 817673, 'not suggestive': 571804, 'suggestive at': 817674, 'official shirt': 595924, 'shirt of': 758997, 'normal sanitizer': 567298, 'washyourhands quarantineandchill': 967897, 'quarantineandchill quarantine': 692757, 'quarantine socialdistance': 692548, 'it not suggestive': 459923, 'not suggestive at': 571805, 'suggestive at all': 817675, 'at all it': 97889, 'all it an': 43263, 'it an official': 456478, 'an official shirt': 56570, 'official shirt of': 595925, 'shirt of the': 758998, 'new normal sanitizer': 559169, 'normal sanitizer washyourhands': 567299, 'sanitizer washyourhands quarantineandchill': 736035, 'washyourhands quarantineandchill quarantine': 967898, 'quarantineandchill quarantine socialdistance': 692760, 'singlepoint': 771440, 'otcqb': 619784, 'sing': 771082, 'klen': 475917, 'hemp stock': 391713, 'stock news': 802491, 'news singlepoint': 560793, 'singlepoint otcqb': 771443, 'otcqb sing': 619785, 'sing launch': 771087, 'new corporate': 558555, 'corporate website': 207356, 'corporate video': 207352, 'video provides': 956870, 'provides update': 686906, 'on klen': 601772, 'klen hand': 475920, 'hand hand': 375002, 'sanitizer initial': 735171, 'initial order': 438542, 'order singlepoint': 618584, 'hemp stock news': 391714, 'stock news singlepoint': 802492, 'news singlepoint otcqb': 560795, 'singlepoint otcqb sing': 771444, 'otcqb sing launch': 619787, 'sing launch new': 771088, 'launch new corporate': 481926, 'new corporate website': 558556, 'corporate website and': 207357, 'website and corporate': 975197, 'and corporate video': 60581, 'corporate video provides': 207353, 'video provides update': 956871, 'provides update on': 686907, 'update on klen': 947121, 'on klen hand': 601773, 'klen hand hand': 475921, 'hand hand sanitizer': 375003, 'hand sanitizer initial': 375454, 'sanitizer initial order': 735172, 'initial order singlepoint': 438543, 'opened the': 612757, 'trend desk': 931319, 'desk source': 238465, 'source to': 786565, 'brand agency': 137716, 'agency keep': 38031, 'keep pulse': 471834, 'shift amid': 758224, 'amid to': 52728, 'to speed': 914978, 'speed check': 788434, 'trend revealed': 931436, 'revealed in': 720264, 'last week opened': 480667, 'week opened the': 976695, 'opened the trend': 612765, 'the trend desk': 869962, 'trend desk source': 931320, 'desk source to': 238466, 'source to help': 786566, 'help brand agency': 389426, 'brand agency keep': 137717, 'agency keep pulse': 38032, 'keep pulse on': 471835, 'pulse on real': 688988, 'on real time': 603090, 'time consumer behavioral': 896503, 'consumer behavioral shift': 196547, 'behavioral shift amid': 124337, 'shift amid to': 758225, 'amid to get': 52730, 'to get up': 906633, 'up to speed': 946428, 'to speed check': 914979, 'speed check out': 788435, 'out some of': 627221, 'biggest consumer trend': 130203, 'consumer trend revealed': 199384, 'trend revealed in': 931437, 'revealed in the': 720265, '19 set': 10424, 'in overseas': 426389, 'overseas supermarket': 631489, 'been cleared': 120831, 'cleared in': 181415, 'particular the': 642643, 'go further into': 353598, 'further into lockdown': 342077, 'into lockdown the': 442719, 'lockdown the reality': 500017, 'covid 19 set': 213771, '19 set in': 10425, 'set in overseas': 753401, 'in overseas supermarket': 426390, 'overseas supermarket shelf': 631490, 'have been cleared': 379489, 'been cleared in': 120833, 'cleared in particular': 181416, 'in particular the': 426536, 'nice touch': 562504, 'touch sending': 926533, 'out notification': 626653, 'notification telling': 573545, 'telling people': 837248, 'then blocking': 877034, 'blocking all': 132878, 'all access': 41928, 'centre so': 169537, 'cannot talk': 162164, 'anyone about': 80168, 'our subscription': 624990, 'subscription package': 815900, 'package brilliant': 633227, 'brilliant use': 139900, 'nice touch sending': 562505, 'touch sending out': 926534, 'sending out notification': 750070, 'out notification telling': 626654, 'notification telling people': 573546, 'telling people their': 837252, 'people their price': 649801, 'going up but': 355778, 'up but then': 944528, 'but then blocking': 147443, 'then blocking all': 877035, 'blocking all access': 132879, 'all access to': 41929, 'to your call': 918960, 'your call centre': 1023106, 'call centre so': 155820, 'centre so we': 169538, 'so we cannot': 778661, 'we cannot talk': 971086, 'cannot talk to': 162166, 'talk to anyone': 833871, 'to anyone about': 900619, 'anyone about our': 80169, 'about our subscription': 25901, 'our subscription package': 624991, 'subscription package brilliant': 815901, 'package brilliant use': 633228, 'brilliant use of': 139901, 'use of the': 949430, 'of the there': 591533, 'social stigma': 779972, 'stigma around': 800141, 'around panic': 93446, 'be serious': 117092, 'serious that': 751484, 'many crime': 513955, 'crime these': 216803, 'paper dried': 640108, 'rice should': 721140, 'stayathome confinement': 797457, 'confinement sent': 194078, 'the social stigma': 867420, 'social stigma around': 779973, 'stigma around panic': 800142, 'around panic buying': 93447, 'should be serious': 765725, 'be serious that': 117095, 'serious that of': 751486, 'that of many': 845446, 'of many crime': 586176, 'many crime these': 513956, 'crime these selfish': 216804, 'these selfish hoarder': 880648, 'selfish hoarder of': 748122, 'toilet paper dried': 921261, 'paper dried pasta': 640109, 'dried pasta and': 258757, 'and rice should': 70506, 'rice should be': 721141, 'should be called': 765576, 'be called out': 113947, 'called out for': 156406, 'out for what': 626171, 'are coronacrisis stayathome': 85573, 'coronacrisis stayathome confinement': 204768, 'stayathome confinement sent': 797458, 'confinement sent via': 194079, 'that weird': 847426, 'weird your': 977816, 'your sugar': 1026030, 'daddy will': 224427, 'closing deflation': 183612, 'deflation is': 232453, 'down real': 257138, 'price donald': 673494, 'donald ha': 254099, 'many outstanding': 514466, 'outstanding loan': 629697, 'loan margin': 497470, 'margin call': 515616, 'call good': 155917, 'luck to': 506478, 'all goodbye': 42980, 'goodbye trump': 358005, 'trump organization': 933741, 'organization covid': 619360, 'kill caput': 474363, 'that weird your': 847427, 'weird your sugar': 977817, 'your sugar daddy': 1026031, 'sugar daddy will': 817446, 'daddy will soon': 224428, 'soon be closing': 785636, 'be closing deflation': 114144, 'closing deflation is': 183613, 'deflation is driving': 232454, 'is driving down': 447382, 'driving down real': 259920, 'down real estate': 257139, 'estate price donald': 282177, 'price donald ha': 673495, 'donald ha many': 254100, 'ha many outstanding': 371238, 'many outstanding loan': 514467, 'outstanding loan margin': 629698, 'loan margin call': 497471, 'margin call good': 515617, 'call good luck': 155918, 'good luck to': 357359, 'luck to you': 506479, 'you all goodbye': 1016882, 'all goodbye trump': 42981, 'goodbye trump organization': 358006, 'trump organization covid': 933742, 'organization covid 19': 619361, '19 kill caput': 8232, 'office worker': 595601, 'their third': 874976, 'been shift': 121943, 'fashion priority': 299835, 'with most office': 999572, 'most office worker': 542574, 'office worker now': 595602, 'worker now going': 1007459, 'now going on': 574800, 'going on their': 355339, 'on their third': 604516, 'their third week': 874977, 'week of working': 976651, 'the outbreak there': 862710, 'outbreak there ha': 628734, 'there ha also': 878451, 'also been shift': 47943, 'been shift in': 121944, 'shift in online': 758326, 'shopping and fashion': 761982, 'and fashion priority': 62708, 'street ensuring': 812959, 'ensuring your': 278210, 'safety they': 730754, 'check log': 174483, 'log and': 500605, 'and monitor': 67118, 'monitor people': 537305, 'do help': 249388, 'possible doesn': 665631, 'huge even': 410039, 'one pocket': 606892, 'always be kind': 49479, 'the street ensuring': 868224, 'street ensuring your': 812960, 'ensuring your safety': 278211, 'your safety they': 1025667, 'safety they re': 730755, 'they re risking': 883114, 're risking their': 699403, 'life to check': 489131, 'to check log': 902687, 'check log and': 174484, 'log and monitor': 500606, 'and monitor people': 67120, 'monitor people please': 537306, 'people please do': 649130, 'please do help': 659894, 'do help them': 249391, 'help them out': 390709, 'out if possible': 626363, 'if possible doesn': 414664, 'possible doesn have': 665632, 'to be huge': 901316, 'be huge even': 115315, 'huge even one': 410040, 'even one pocket': 284430, 'one pocket sanitizer': 606893, 'pocket sanitizer go': 662196, 'sanitizer go long': 734995, 'lab yeah': 478317, 'yeah consumer': 1014245, 'consumer buyer': 196697, 'buyer behaviour': 149589, 'changed due': 172465, 'life post': 488972, 'lab yeah consumer': 478318, 'yeah consumer buyer': 1014246, 'consumer buyer behaviour': 196698, 'buyer behaviour ha': 149590, 'ha changed due': 370121, 'changed due to': 172466, 'of life post': 585832, 'heartbreaking this': 388422, 'heartbreaking this is': 388423, 'is my grocery': 449797, 'those struggling': 892498, 'grocery fyi': 364546, 'fyi amp': 342621, 'amp and': 53390, 'bargain store': 111069, 'overlooked by': 631288, 'for those struggling': 327142, 'those struggling to': 892500, 'buy grocery fyi': 148752, 'grocery fyi amp': 364547, 'fyi amp and': 342622, 'amp and home': 53393, 'and home bargain': 64676, 'home bargain store': 400762, 'bargain store seem': 111070, 'to be fully': 901271, 'be fully stocked': 114983, 'fully stocked with': 341106, 'stocked with food': 803462, 'with food they': 998513, 'food they ve': 317181, 've been overlooked': 952914, 'been overlooked by': 121632, 'overlooked by the': 631289, 'the baseball': 849297, 'card plus': 163622, 'plus outlet': 661650, 'outlet will': 629077, 'support effort': 826469, 'problem more': 679605, 'more quickly': 540179, 'take shipped': 832568, 'shipped telephone': 758806, 'telephone order': 836816, 'time additionally': 896200, 'additionally our': 31912, 'our ebay': 622828, 'ebay store': 266488, 'offer same': 594773, 'day service': 228336, 'virus the baseball': 958880, 'the baseball card': 849298, 'baseball card plus': 111488, 'card plus outlet': 163623, 'plus outlet will': 661651, 'outlet will close': 629078, 'will close for': 992944, 'for week to': 327756, 'week to support': 977097, 'to support effort': 915924, 'support effort to': 826470, 'effort to eliminate': 269621, 'eliminate this problem': 271468, 'this problem more': 889725, 'problem more quickly': 679606, 'more quickly we': 540180, 'quickly we will': 694637, 'will take shipped': 995080, 'take shipped telephone': 832569, 'shipped telephone order': 758807, 'telephone order in': 836817, 'order in store': 618323, 'store for free': 807807, 'free during this': 331792, 'this time additionally': 890615, 'time additionally our': 896201, 'additionally our ebay': 31913, 'our ebay store': 622829, 'ebay store offer': 266489, 'store offer same': 809156, 'offer same day': 594774, 'same day service': 733032, '505': 20132, 'succumbs': 816299, 'gold gold': 355900, 'which contracted': 985771, 'contracted by': 201734, 'cent last': 169080, 'after short': 36208, 'short rally': 764678, 'rally is': 696267, 'to plummet': 911828, '300 from': 17306, 'current 505': 221084, '505 an': 20133, 'ounce level': 621961, 'economy succumbs': 268244, 'succumbs to': 816300, 'devastating impact': 239593, 'safe trade': 730074, 'gold gold price': 355901, 'gold price which': 355981, 'price which contracted': 677507, 'which contracted by': 985772, 'contracted by around': 201735, 'by around 10': 151888, 'around 10 per': 93096, 'per cent last': 650753, 'cent last week': 169081, 'last week after': 480629, 'week after short': 975827, 'after short rally': 36209, 'short rally is': 764679, 'rally is likely': 696270, 'likely to plummet': 492167, 'to plummet to': 911831, 'plummet to 300': 661310, 'to 300 from': 899677, '300 from it': 17307, 'it current 505': 457437, 'current 505 an': 221085, '505 an ounce': 20134, 'an ounce level': 56725, 'ounce level in': 621962, 'level in the': 487596, 'second quarter the': 743801, 'quarter the global': 693265, 'global economy succumbs': 351906, 'economy succumbs to': 268245, 'succumbs to the': 816302, 'the devastating impact': 853221, 'devastating impact of': 239594, '19 pandemic stay': 9479, 'pandemic stay safe': 636538, 'stay safe trade': 797291, '17 nordstrom': 4369, 'nordstrom voluntarily': 567019, 'voluntarily closed': 960184, 'now launched': 575183, 'launched huge': 481992, 'sale here': 732274, 'favorite sale': 300548, 'sale piece': 732445, 'are suitable': 90639, 'both home': 135932, 'march 17 nordstrom': 515097, '17 nordstrom voluntarily': 4370, 'nordstrom voluntarily closed': 567020, 'voluntarily closed all': 960185, 'closed all of': 182965, 'two week to': 937370, 'week to help': 977083, 'it ha now': 458405, 'ha now launched': 371400, 'now launched huge': 575184, 'launched huge online': 481993, 'huge online sale': 410111, 'online sale here': 608917, 'sale here are': 732275, 'our favorite sale': 623043, 'favorite sale piece': 300549, 'sale piece that': 732446, 'piece that are': 656368, 'that are suitable': 842824, 'are suitable for': 90640, 'suitable for both': 817811, 'for both home': 319737, 'both home and': 135933, 'blood if': 133120, 'able volunteer': 24574, 'else when': 271974, 'when headed': 983551, 'order takeout': 618615, 'your neighborhood': 1024965, 'neighborhood restaurant': 557141, 'restaurant shop': 716693, 'in safe': 427616, 'sensible way': 750669, 'way when': 970183, 'possible stop': 665791, 'only stressing': 611212, 'stressing supply': 813540, 'give blood if': 350419, 'blood if you': 133121, 're able volunteer': 698170, 'able volunteer to': 24575, 'volunteer to shop': 960359, 'shop for someone': 760201, 'someone else when': 784456, 'else when headed': 271975, 'when headed to': 983552, 'grocery store order': 365624, 'store order takeout': 809387, 'order takeout from': 618617, 'takeout from your': 833164, 'from your neighborhood': 338485, 'your neighborhood restaurant': 1024969, 'neighborhood restaurant shop': 557142, 'restaurant shop local': 716694, 'shop local in': 760425, 'local in safe': 498107, 'in safe and': 427617, 'safe and sensible': 729478, 'and sensible way': 71263, 'sensible way when': 750670, 'way when possible': 970185, 'when possible stop': 983895, 'possible stop panic': 665792, 'is only stressing': 450549, 'only stressing supply': 611213, 'stressing supply line': 813541, 'resource centre': 714742, 'centre for': 169493, 'compiled our': 191825, 'consumer intelligence': 197897, 'intelligence amp': 440985, 'amp insight': 53998, 'insight across': 439497, 'our global': 623253, 'global network': 352039, 'partner continue': 642805, 'to successfully': 915724, 'successfully navigate': 816269, 'navigate their': 553088, 'business through': 144525, 'this uncertainty': 890899, 'resource centre for': 714743, 'centre for covid': 169494, 've compiled our': 953011, 'compiled our latest': 191826, 'latest consumer intelligence': 481262, 'consumer intelligence amp': 197898, 'intelligence amp insight': 440986, 'amp insight across': 53999, 'insight across our': 439498, 'across our global': 29421, 'our global network': 623256, 'global network to': 352040, 'network to help': 557776, 'to help all': 907446, 'help all our': 389324, 'all our partner': 43825, 'our partner continue': 624275, 'partner continue to': 642806, 'continue to successfully': 201268, 'to successfully navigate': 915727, 'successfully navigate their': 816270, 'navigate their business': 553089, 'their business through': 872691, 'business through this': 144526, 'through this uncertainty': 894853, 'happen to property': 377185, 'to property price': 912272, 'reduced pay': 706137, 'the drained': 853653, 'drained our': 258225, 'account this': 28766, 'risk had': 723600, 'medicine we': 526921, 'for mortgage': 323614, 'mortgage modification': 541924, 'modification or': 535501, 'or forbearance': 615372, 'forbearance no': 328272, 'option our': 614083, 'our credit': 622625, 'score wil': 742382, 'not have reduced': 569861, 'have reduced pay': 382230, 'reduced pay but': 706138, 'pay but the': 644797, 'but the drained': 147334, 'the drained our': 853654, 'drained our bank': 258226, 'our bank account': 622160, 'bank account this': 109559, 'account this month': 28768, 'this month high': 888909, 'month high risk': 537772, 'high risk had': 395358, 'risk had to': 723601, 'food medicine we': 315449, 'medicine we do': 526922, 'do not qualify': 249809, 'qualify for mortgage': 691726, 'for mortgage modification': 323616, 'mortgage modification or': 541925, 'modification or forbearance': 535502, 'or forbearance no': 615373, 'forbearance no option': 328273, 'no option our': 565004, 'option our credit': 614084, 'our credit score': 622626, 'credit score wil': 216507, 'cookinginacrisis': 202949, 'this cookbook': 886860, 'cookbook based': 202803, 'hoarding certain': 399251, 'food none': 315555, 'have egg': 380413, 'egg bread': 269798, 'rice or': 721094, 'or potato': 616658, 'potato cookinginacrisis': 666926, 'wrote this cookbook': 1013224, 'this cookbook based': 886861, 'cookbook based on': 202804, 'based on what': 111702, 'right now even': 722060, 'now even with': 574623, 'even with people': 284804, 'people hoarding certain': 648270, 'hoarding certain food': 399252, 'certain food none': 170017, 'food none of': 315556, 'none of the': 566596, 'of the recipe': 591396, 'the recipe have': 865347, 'recipe have egg': 704475, 'have egg bread': 380414, 'egg bread pasta': 269803, 'bread pasta rice': 138567, 'pasta rice or': 643796, 'rice or potato': 721096, 'or potato cookinginacrisis': 616659, 'this stupid': 890397, 'stupid food': 815388, 'people who make': 650317, 'sure everyone can': 827541, 'everyone can eat': 286768, 'sell this stupid': 748918, 'this stupid food': 890399, 'lighter': 489635, 'the lighter': 859360, 'lighter side': 489641, 'of the lighter': 591190, 'the lighter side': 859361, 'lighter side of': 489642, 'side of toilet': 768857, 'banter': 110653, 'distancing finding': 247151, 'twitter good': 936664, 'but fuck': 145782, 'fuck do': 339542, 'do miss': 249591, 'miss the': 534190, 'the useless': 870572, 'useless banter': 950218, 'banter with': 110654, 'line stay': 493426, 'healthy out': 387718, 'll outlive': 496935, 'outlive this': 629125, 'shit yet': 759305, 'yet socialdistancing': 1016234, 'social distancing finding': 779611, 'distancing finding new': 247152, 'finding new friend': 307506, 'new friend on': 558775, 'friend on twitter': 333737, 'on twitter good': 604920, 'twitter good but': 936665, 'good but fuck': 356847, 'but fuck do': 145783, 'fuck do miss': 339543, 'do miss the': 249592, 'miss the useless': 534195, 'the useless banter': 870573, 'useless banter with': 950219, 'banter with other': 110655, 'with other shopper': 999962, 'other shopper in': 620902, 'shopper in grocery': 761561, 'store line stay': 808758, 'line stay healthy': 493427, 'stay healthy out': 796910, 'healthy out there': 387719, 'out there people': 627505, 'there people we': 878928, 'people we ll': 650154, 'we ll outlive': 972268, 'll outlive this': 496936, 'outlive this shit': 629126, 'this shit yet': 890092, 'shit yet socialdistancing': 759306, 'answered from': 78172, 'from whether': 338360, 'should clean': 765832, 'clean packaging': 180614, 'packaging and': 633518, 'all your question': 45581, 'question answered from': 693534, 'answered from whether': 78173, 'from whether you': 338361, 'whether you should': 985624, 'you should clean': 1021187, 'should clean packaging': 765833, 'clean packaging and': 180615, 'packaging and bag': 633519, 'and bag to': 58644, 'bag to how': 108425, 'in the australian': 428997, 'the australian supermarket': 849065, 'australian supermarket the': 103554, 'supermarket the crisis': 823214, 'gaming': 343347, 'to category': 902518, 'category though': 167226, 'though are': 892775, 'booming online': 134890, 'and gaming': 63461, 'gaming direct': 343356, 'direct consequence': 243297, 'but likely': 146279, 'spending is falling': 788876, 'is falling due': 447723, 'due to category': 261723, 'to category though': 902519, 'category though are': 167227, 'though are booming': 892776, 'are booming online': 85023, 'booming online grocery': 134891, 'delivery service and': 234425, 'service and gaming': 752088, 'and gaming direct': 63462, 'gaming direct consequence': 343357, 'direct consequence of': 243298, 'consequence of people': 194875, 'of people staying': 587990, 'home but likely': 400838, 'but likely to': 146280, 'to have long': 907267, 'long lasting impact': 501479, 'not left': 570359, 'since monday': 770740, 'monday not': 536348, 'not saw': 571436, 'saw single': 738240, 'single human': 771311, 'human since': 410612, 'monday being': 536265, 'is terrifying': 452615, 'terrifying live': 838534, 'live only': 495973, 'hour away': 405448, 'getting pretty': 349200, 'area now': 92122, 'that minute': 845180, 'minute away': 533738, 'away fucking': 105927, 'not left the': 570360, 'house since monday': 406561, 'since monday not': 770742, 'monday not saw': 536350, 'not saw single': 571437, 'saw single human': 738241, 'single human since': 771312, 'human since monday': 410613, 'since monday being': 770741, 'monday being high': 536266, 'being high risk': 125240, 'high risk is': 395360, 'risk is terrifying': 723643, 'is terrifying live': 452616, 'terrifying live only': 838535, 'live only an': 495974, 'only an hour': 610087, 'an hour away': 56076, 'hour away from': 405449, 'away from london': 105893, 'from london and': 336270, 'london and it': 501013, 'and it getting': 65531, 'it getting pretty': 458232, 'getting pretty bad': 349201, 'pretty bad in': 671364, 'bad in my': 107902, 'my area now': 547301, 'area now too': 92123, 'now too scared': 576211, 'scared to even': 741024, 'to even go': 905287, 'supermarket that minute': 823191, 'that minute away': 845181, 'minute away fucking': 533739, 'away fucking scared': 105928, 'aahh': 24094, 'shop only': 760598, 'only couple': 610284, 'finding everything': 307464, 'shelf aahh': 756677, 'aahh the': 24095, 'the simple': 867197, 'taken for': 832993, 'the shop only': 867017, 'shop only couple': 760599, 'only couple of': 610285, 'couple of month': 211644, 'of month ago': 586628, 'ago and finding': 38336, 'and finding everything': 62899, 'finding everything we': 307465, 'everything we needed': 288094, 'we needed on': 972575, 'needed on the': 556455, 'supermarket shelf aahh': 822418, 'shelf aahh the': 756678, 'aahh the simple': 24096, 'the simple thing': 867201, 'simple thing in': 770120, 'thing in life': 884435, 'in life we': 424713, 'life we have': 489190, 'we have taken': 971955, 'have taken for': 382912, 'taken for granted': 832995, 'commerce gmv': 188560, 'gmv check': 353218, 'data behind': 226140, 'behind panicbuying': 124682, 'panicbuying of': 638997, 'understand macro': 940674, 'macro consumer': 507472, 'blog sit': 133012, 'this nc': 889090, 'nc based': 553285, 'based based': 111520, 'based ecommerce': 111558, 'ecommerce firm': 266768, '19 on commerce': 8935, 'on commerce gmv': 599976, 'commerce gmv check': 188561, 'gmv check out': 353219, 'out data behind': 625931, 'data behind panicbuying': 226141, 'behind panicbuying of': 124683, 'panicbuying of toiletpaper': 638999, 'of toiletpaper and': 592256, 'toiletpaper and understand': 921733, 'and understand macro': 74635, 'understand macro consumer': 940675, 'macro consumer spending': 507473, 'spending in this': 788866, 'in this blog': 429912, 'this blog sit': 886578, 'blog sit on': 133013, 'sit on the': 771833, 'on the board': 603992, 'the board of': 849811, 'board of this': 133660, 'of this nc': 592010, 'this nc based': 889091, 'nc based based': 553286, 'based based ecommerce': 111521, 'based ecommerce firm': 111559, 'c920s': 154853, 'themselves allowing': 876742, 'skyrocket website': 773342, 'is 69': 445231, '69 99': 21521, 'the c920s': 850251, 'c920s on': 154854, 'amazon 170': 50825, '170 300': 4416, '300 maybe': 17317, 'court just': 211997, 'around don': 93268, 'can jack': 158782, 'up pric': 945802, 'of themselves allowing': 591782, 'themselves allowing price': 876743, 'to skyrocket website': 914711, 'skyrocket website is': 773343, 'website is 69': 975317, 'is 69 99': 445232, '69 99 for': 21522, '99 for the': 23830, 'for the c920s': 326329, 'the c920s on': 850252, 'c920s on ebay': 154855, 'and amazon 170': 58042, 'amazon 170 300': 50826, '170 300 maybe': 4417, '300 maybe people': 17318, 'maybe people need': 521773, 'see me in': 745408, 'me in court': 522960, 'in court just': 421840, 'court just because': 211998, 'just because covid': 468283, '19 is around': 7936, 'is around don': 445810, 'around don mean': 93269, 'don mean people': 253731, 'mean people can': 524612, 'people can jack': 647395, 'can jack up': 158783, 'jack up pric': 464125, 'secureyourinfo': 744497, 'surrounding use': 828781, 'yourself ftc': 1026626, 'ftc fraud': 339402, 'fraud secureyourinfo': 331346, 'fear surrounding use': 301354, 'surrounding use these': 828782, 'use these tip': 949715, 'protect yourself ftc': 685094, 'yourself ftc fraud': 1026627, 'ftc fraud secureyourinfo': 339403, 'alfred': 41627, 'dupuy': 262334, 'ever is': 285373, 'consumer alfred': 196166, 'alfred dupuy': 41628, 'dupuy executive': 262335, 'and analytics': 58128, 'analytics share': 57235, 'how doing': 407753, 'create stronger': 215742, 'stronger tie': 814188, 'tie between': 895733, 'between brand': 128736, 'latest thought': 481575, 'leadership series': 483655, 'than ever is': 840587, 'ever is the': 285374, 'time to listen': 898014, 'listen to your': 494762, 'to your consumer': 918966, 'your consumer alfred': 1023313, 'consumer alfred dupuy': 196167, 'alfred dupuy executive': 41629, 'dupuy executive director': 262336, 'director of strategy': 243656, 'of strategy and': 590291, 'strategy and analytics': 812606, 'and analytics share': 58129, 'analytics share how': 57236, 'share how doing': 755036, 'how doing so': 407757, 'doing so can': 252654, 'so can create': 776705, 'can create stronger': 158028, 'create stronger tie': 215743, 'stronger tie between': 814190, 'tie between brand': 895734, 'between brand consumer': 128738, 'brand consumer after': 137807, 'our latest thought': 623682, 'latest thought leadership': 481576, 'thought leadership series': 893115, 'sono': 785554, 'folk at': 312105, 'in sono': 428119, 'sono if': 785555, 're low': 699017, 'their other': 874141, 'used responsibly': 949998, 'responsibly will': 716123, 'ease this': 265115, 'crisis cant': 217190, 'cant lie': 162320, 'lie did': 488353, 'this small': 890211, 'the folk at': 855484, 'folk at have': 312108, 'at have converted': 98860, 'converted their operation': 202559, 'operation to making': 613282, 'sanitizer get some': 734976, 'get some in': 348059, 'some in sono': 783095, 'in sono if': 428120, 'sono if you': 785556, 'you re low': 1020672, 're low and': 699018, 'low and their': 505137, 'and their other': 73707, 'their other product': 874142, 'other product used': 620776, 'product used responsibly': 681800, 'used responsibly will': 949999, 'responsibly will help': 716124, 'help ease this': 389624, 'ease this crisis': 265116, 'this crisis cant': 887026, 'crisis cant lie': 217191, 'cant lie did': 162321, 'lie did my': 488354, 'did my part': 240698, 'support this small': 826928, 'this small biz': 890212, 'paper quarantinelife': 640643, 'socialdistancing indialockdown': 780450, 'indialockdown toiletpaper': 434763, 'toilet paper quarantinelife': 921406, 'paper quarantinelife socialdistancing': 640644, 'quarantinelife socialdistancing indialockdown': 693011, 'socialdistancing indialockdown toiletpaper': 780451, 'really weird': 702709, 'weird because': 977742, 'because some': 119569, 'friend are': 333520, 'dropping acid': 260663, 'acid on': 29080, 'afternoon while': 36731, '19 quarantine is': 9911, 'quarantine is really': 692306, 'is really weird': 451323, 'really weird because': 702710, 'weird because some': 977743, 'because some of': 119571, 'my friend are': 548422, 'friend are dropping': 333521, 'are dropping acid': 86006, 'dropping acid on': 260664, 'acid on wednesday': 29081, 'on wednesday afternoon': 605166, 'wednesday afternoon while': 975611, 'afternoon while some': 36732, 'some are fighting': 782319, 'are fighting for': 86545, 'fighting for basic': 305070, 'for basic necessity': 319588, 'basic necessity at': 111990, 'necessity at the': 554176, 'are thing': 91035, 'here are thing': 392764, 'are thing you': 91041, 'you should stock': 1021224, 'up on for': 945566, 'on for isolation': 600947, 'for isolation via': 322682, 'abusing cashier': 27707, 'cashier they': 166634, 'put limit': 690660, 'stop abusing cashier': 804420, 'abusing cashier they': 27708, 'cashier they did': 166636, 'did not put': 240729, 'not put limit': 571175, 'put limit on': 690663, 'hop': 403395, 'about company': 24981, 'situation so': 772487, 'so poorly': 778045, 'poorly yet': 664401, 'who barely': 988296, 'barely make': 111019, 'any wage': 80030, 'wage forced': 963869, 'store hop': 808175, 'hop getting': 403398, 'getting maximum': 349110, 'maximum exposure': 520816, 'people magazine': 648717, 'thing about company': 884084, 'about company like': 24982, 'like retail is': 491085, 'retail is that': 718247, 'they are handling': 881292, 'are handling the': 87001, 'handling the situation': 376397, 'the situation so': 867277, 'situation so poorly': 772489, 'so poorly yet': 778046, 'poorly yet no': 664402, 'one know who': 606564, 'they are or': 881351, 'are or what': 88835, 'or what they': 617770, 'they do people': 881971, 'people who barely': 650265, 'who barely make': 988298, 'barely make any': 111020, 'make any wage': 509711, 'any wage forced': 80031, 'wage forced to': 963870, 'forced to store': 328660, 'to store hop': 915623, 'store hop getting': 808176, 'hop getting maximum': 403399, 'getting maximum exposure': 349111, 'maximum exposure to': 520817, 'exposure to put': 293014, 'to put out': 912602, 'put out people': 690756, 'out people magazine': 627028, 'hehe': 388794, 'apt': 83754, 'unapologetic': 939408, 'comedic': 187732, 'downright': 257690, 'laughable': 481784, 'hehe at': 388795, 'these like': 880236, 'to imagine': 908132, 'imagine myself': 416759, 'myself an': 550813, 'an alien': 55233, 'alien observing': 41744, 'race and': 695179, 'only apt': 610107, 'apt emotion': 83756, 'emotion would': 273269, 'would feel': 1011818, 'feel is': 302683, 'is unapologetic': 453428, 'unapologetic pathetic': 939409, 'pathetic pity': 644059, 'pity so': 657058, 'is comedic': 446647, 'comedic and': 187733, 'and downright': 61702, 'downright laughable': 257691, 'laughable human': 481785, 'human toiletpaper': 410641, 'hehe at time': 388796, 'like these like': 491435, 'these like to': 880237, 'like to imagine': 491598, 'to imagine myself': 908134, 'imagine myself an': 416760, 'myself an alien': 550814, 'an alien observing': 55234, 'alien observing the': 41745, 'observing the human': 578662, 'human race and': 410598, 'race and the': 695181, 'the only apt': 862288, 'only apt emotion': 610108, 'apt emotion would': 83757, 'emotion would feel': 273270, 'would feel is': 1011820, 'feel is unapologetic': 302686, 'is unapologetic pathetic': 453429, 'unapologetic pathetic pity': 939410, 'pathetic pity so': 644060, 'pity so much': 657059, 'much so that': 545309, 'it is comedic': 458907, 'is comedic and': 446648, 'comedic and downright': 187734, 'and downright laughable': 61703, 'downright laughable human': 257692, 'laughable human toiletpaper': 481786, 'allender': 45749, 'phase one': 654631, 'focus our': 311907, 'our attention': 622144, 'attention on': 102466, 'vulnerable said': 961150, 'said allender': 730963, 'allender now': 45750, 'phase two': 654643, 'two we': 937312, 'help many': 390048, 'household possible': 406908, 'possible by': 665597, 'by stocking': 154126, 'stocking our': 803578, 'pantry who': 639711, 'being overwhelmed': 125519, 'by demand': 152326, 'in phase one': 426679, 'phase one we': 654632, 'one we wanted': 607395, 'wanted to focus': 966253, 'to focus our': 906038, 'focus our attention': 311908, 'our attention on': 622145, 'attention on the': 102468, 'most vulnerable said': 542893, 'vulnerable said allender': 961151, 'said allender now': 730964, 'allender now in': 45751, 'now in phase': 575011, 'in phase two': 426680, 'phase two we': 654645, 'two we want': 937314, 'to help many': 907558, 'help many people': 390049, 'people and household': 646865, 'and household possible': 64789, 'household possible by': 406909, 'possible by stocking': 665599, 'by stocking our': 154127, 'stocking our local': 803579, 'food pantry who': 315805, 'pantry who are': 639712, 'who are already': 988100, 'already being overwhelmed': 47233, 'being overwhelmed by': 125520, 'overwhelmed by demand': 631720, '19 soaring': 10663, 'are exhausting': 86319, 'exhausting bomb': 290189, 'covid 19 soaring': 213826, '19 soaring price': 10664, 'food shortage are': 316556, 'shortage are exhausting': 764835, 'are exhausting bomb': 86320, 'exhausting bomb damaged': 290190, 'stampitout': 793454, 'uktogether': 939067, 'improve stop': 419541, 'this greed': 887762, 'greed panic': 363420, 'panic seal': 638517, 'seal the': 743180, 'checkout so': 175003, 'cannot come': 161719, 'least then': 484653, 'our cupboard': 622636, 'cupboard stampitout': 220492, 'stampitout uktogether': 793455, 'up and improve': 944336, 'and improve stop': 65037, 'improve stop this': 419542, 'stop this greed': 805189, 'this greed panic': 887763, 'greed panic seal': 363421, 'panic seal the': 638518, 'seal the back': 743181, 'back of your': 107179, 'hand at the': 374807, 'the checkout so': 850775, 'checkout so people': 175004, 'so people cannot': 777996, 'people cannot come': 647428, 'cannot come back': 161720, 'come back for': 187236, 'back for 48': 106988, '48 hour in': 19309, 'hour in any': 405684, 'in any store': 420439, 'any store at': 79860, 'at least then': 99553, 'least then we': 484654, 'will all have': 992233, 'have food in': 380657, 'in our cupboard': 426278, 'our cupboard stampitout': 622637, 'cupboard stampitout uktogether': 220493, 'integrated': 440944, 'rising supply': 723293, 'price moody': 675262, 'moody look': 538308, 'europe integrated': 283461, 'integrated oil': 440947, 'gas company': 343787, 'company also': 190365, 'also visit': 49067, 'shock and rising': 759428, 'and rising supply': 70549, 'rising supply driving': 723295, 'supply driving the': 825184, 'driving the sharp': 260008, 'in oil and': 426083, 'oil and natural': 596618, 'and natural gas': 67443, 'gas price moody': 343997, 'price moody look': 675264, 'moody look at': 538309, 'at the implication': 100986, 'implication for europe': 418553, 'for europe integrated': 321146, 'europe integrated oil': 283462, 'integrated oil amp': 440948, 'amp gas company': 53858, 'gas company also': 343788, 'company also visit': 190366, 'also visit our': 49068, 'demand remained': 236126, 'remained low': 709935, 'low even': 505272, 'in jan': 424348, 'jan feb': 464461, 'feb before': 301635, 'before outbreak': 122994, 'be asked': 113703, 'asked is': 95781, 'is whether': 453932, 'whether tax': 985570, '45 lakh': 19106, 'lakh crore': 479101, 'to corporate': 903578, 'corporate in': 207291, 'in sept': 427809, 'sept 2019': 751147, '2019 should': 14013, 'have instead': 381100, 'instead gone': 440188, 'farmer under': 299552, 'under to': 940365, 'bolster direct': 134141, 'direct income': 243343, 'if consumer demand': 413983, 'consumer demand remained': 197161, 'demand remained low': 236127, 'remained low even': 709936, 'low even in': 505275, 'even in jan': 284240, 'in jan feb': 424349, 'jan feb before': 464463, 'feb before outbreak': 301636, 'before outbreak the': 122995, 'outbreak the question': 628720, 'the question to': 865026, 'question to be': 693777, 'to be asked': 901117, 'be asked is': 113704, 'asked is whether': 95784, 'is whether tax': 453933, 'whether tax cut': 985571, 'tax cut of': 834956, 'cut of 45': 223434, 'of 45 lakh': 579592, '45 lakh crore': 19107, 'lakh crore to': 479102, 'crore to corporate': 218971, 'to corporate in': 903581, 'corporate in sept': 207292, 'in sept 2019': 427810, 'sept 2019 should': 751148, '2019 should have': 14014, 'should have instead': 766082, 'have instead gone': 381101, 'instead gone to': 440189, 'gone to farmer': 356391, 'to farmer under': 905679, 'farmer under to': 299553, 'under to bolster': 940366, 'to bolster direct': 901882, 'bolster direct income': 134142, 'direct income support': 243344, 'income support to': 432465, 'support to 18': 826940, '18 00 per': 4482, '00 per year': 434, 'you panickbuying': 1020294, 'panickbuying bellends': 639197, 'bellends there': 126508, 'food short': 316549, 'country coronacrisis': 210561, 'and hoarding you': 64670, 'hoarding you panickbuying': 399676, 'you panickbuying bellends': 1020295, 'panickbuying bellends there': 639198, 'bellends there is': 126509, 'no food short': 564269, 'food short in': 316550, 'short in this': 764630, 'this country coronacrisis': 886945, 'asia may': 95193, 'in battling': 420730, 'battling the': 112876, 'but property': 146860, 'don reflect': 253862, 'crisis week': 218361, 'outbreak infected': 628362, 'infected global': 436575, 'global ca': 351765, 'asia may have': 95194, 'have the edge': 382978, 'edge in battling': 268510, 'in battling the': 420731, 'battling the coronavirus': 112879, 'the coronavirus but': 851814, 'coronavirus but property': 205587, 'but property price': 146861, 'property price don': 684326, 'price don reflect': 673493, 'don reflect the': 253863, 'reflect the severity': 706630, 'the crisis week': 852475, 'crisis week the': 218363, 'week the covid': 976986, '19 outbreak infected': 9141, 'outbreak infected global': 628363, 'infected global ca': 436576, 'paying those': 645510, 'work 80': 1004704, 'sit home': 771822, 'work 20': 1004694, '20 bonus': 12972, 'bonus top': 134416, 'wage health': 963889, 'health staff': 386865, 'staff finance': 792452, 'finance staff': 306272, 're paying those': 699253, 'paying those who': 645511, 'can work 80': 160240, 'work 80 to': 1004705, '80 to sit': 22640, 'to sit home': 914683, 'sit home how': 771823, 'home how about': 401379, 'how about those': 407310, 'to work 20': 918677, 'work 20 bonus': 1004695, '20 bonus top': 12973, 'bonus top up': 134417, 'top up of': 925749, 'up of their': 945508, 'their wage health': 875143, 'wage health staff': 963890, 'health staff supermarket': 386868, 'supermarket staff finance': 822845, 'staff finance staff': 792453, 'finance staff police': 306273, 'staff police those': 792769, 'police those working': 663246, 'from home to': 335917, 'keep the country': 472033, 'country going and': 210690, 'going and so': 355013, 'dilutes': 242899, 'decreasing': 231652, 'xrp': 1013902, 'trading tip': 928943, 'tip be': 898720, 'of reverse': 589087, 'reverse split': 720522, 'split when': 789666, 'buying energy': 150221, 'energy stock': 276589, 'and option': 68202, 'option at': 613989, 'these wholesale': 880970, 'price investor': 674847, 'investor lose': 444181, 'lose per': 503467, 'down then': 257322, 'then company': 877082, 'company dilutes': 190591, 'dilutes share': 242900, 'share decreasing': 754981, 'decreasing investor': 231659, 'investor leverage': 444175, 'leverage for': 487784, 'rise ya': 723076, 'ya dig': 1013976, 'dig btc': 242425, 'btc oil': 141503, 'oil sp500': 597447, 'sp500 nyse': 787028, 'nyse xrp': 578143, 'trading tip be': 928944, 'tip be wary': 898721, 'wary of reverse': 967409, 'of reverse split': 589088, 'reverse split when': 720523, 'split when buying': 789667, 'when buying energy': 983222, 'buying energy stock': 150222, 'energy stock and': 276590, 'stock and option': 801823, 'and option at': 68203, 'option at these': 613992, 'at these wholesale': 101210, 'these wholesale price': 880971, 'wholesale price investor': 990474, 'price investor lose': 674848, 'investor lose per': 444182, 'lose per share': 503468, 'per share on': 651010, 'share on the': 755130, 'way down then': 969561, 'down then company': 257323, 'then company dilutes': 877083, 'company dilutes share': 190592, 'dilutes share decreasing': 242901, 'share decreasing investor': 754982, 'decreasing investor leverage': 231660, 'investor leverage for': 444176, 'leverage for the': 487786, 'for the rise': 326660, 'the rise ya': 865864, 'rise ya dig': 723077, 'ya dig btc': 1013977, 'dig btc oil': 242426, 'btc oil sp500': 141504, 'oil sp500 nyse': 597448, 'sp500 nyse xrp': 787029, 'spear': 787818, 'contrast of': 201842, 'life before': 488526, '19 la': 8261, 'la britney': 478135, 'britney spear': 140636, 'spear the': 787821, 'the zone': 872230, 'zone now': 1027770, '100 yard': 2136, 'yard long': 1014156, 'store streetphotography': 810422, 'contrast of life': 201843, 'of life before': 585818, 'life before and': 488527, 'before and during': 122625, 'and during covid': 61808, 'covid 19 la': 213329, '19 la britney': 8262, 'la britney spear': 478136, 'britney spear the': 140638, 'spear the zone': 787822, 'the zone now': 872231, 'zone now closed': 1027771, 'now closed and': 574395, 'closed and the': 182999, 'and the scene': 73569, 'the scene of': 866470, 'scene of 100': 741345, 'of 100 yard': 579323, '100 yard long': 2137, 'yard long line': 1014157, 'line of people': 493311, 'of people waiting': 588017, 'people waiting to': 650116, 'grocery store streetphotography': 365818, 'assistance network': 96718, 'whole nation': 990265, 'nation at': 552131, 'once at': 605597, 'at giveaway': 98760, 'giveaway in': 350903, 'antonio last': 78615, 'week car': 976068, 'car began': 163027, 'began lining': 123401, 'midnight for': 530743, 'even scheduled': 284551, 'america food assistance': 51522, 'food assistance network': 313430, 'assistance network is': 96719, 'network is struggling': 557735, '19 crisis that': 6333, 'crisis that is': 218150, 'that is affecting': 844549, 'affecting the whole': 34575, 'the whole nation': 871497, 'whole nation at': 990266, 'nation at once': 552132, 'at once at': 99954, 'once at giveaway': 605598, 'at giveaway in': 98761, 'giveaway in san': 350904, 'in san antonio': 427681, 'san antonio last': 733520, 'antonio last week': 78616, 'last week car': 480637, 'week car began': 976069, 'car began lining': 163028, 'began lining up': 123402, 'up at midnight': 944434, 'at midnight for': 99738, 'midnight for an': 530744, 'for an even': 319287, 'an even scheduled': 55869, 'even scheduled for': 284552, 'scheduled for 10': 741489, 'villager': 957394, 'gatsi': 344531, 'mutasa': 547053, 'increased such': 433479, 'that villager': 847249, 'villager in': 957397, 'in ward': 430677, 'ward gatsi': 966638, 'gatsi and': 344532, 'and ward': 75175, 'ward 20': 966626, '20 mutasa': 13191, 'mutasa central': 547054, 'central are': 169363, 'aid woman': 39484, 'good in grocery': 357244, 'grocery shop have': 364973, 'shop have increased': 760265, 'have increased such': 381067, 'increased such that': 433480, 'such that villager': 816795, 'that villager in': 847250, 'villager in ward': 957398, 'in ward gatsi': 430678, 'ward gatsi and': 966639, 'gatsi and ward': 344533, 'and ward 20': 75176, 'ward 20 mutasa': 966627, '20 mutasa central': 13192, 'mutasa central are': 547055, 'central are appealing': 169364, 'appealing for food': 82103, 'for food aid': 321544, 'food aid woman': 313073, 'searchenginemarketing': 743315, 'completely sane': 192347, 'sane reason': 733763, 'you shouldn': 1021232, 'shouldn stop': 766747, 'stop seo': 805000, 'seo effort': 751048, 'via product': 956187, 'consumer searchenginemarketing': 198879, 'searchenginemarketing business': 743316, 'business world': 144722, 'world seo': 1009961, 'seo via': 751053, 'completely sane reason': 192348, 'sane reason why': 733764, 'why you shouldn': 991600, 'you shouldn stop': 1021235, 'shouldn stop seo': 766748, 'stop seo effort': 805001, 'seo effort during': 751049, 'effort during covid': 269506, '19 via product': 11764, 'via product consumer': 956188, 'product consumer searchenginemarketing': 681079, 'consumer searchenginemarketing business': 198880, 'searchenginemarketing business world': 743317, 'business world seo': 144723, 'world seo via': 1009962, 'buying forcing': 150367, 'forcing one': 328720, 'western sydney': 980640, 'sydney to': 830722, 'charge 10': 173181, 'for single': 325634, 'single but': 771250, 'but large': 146244, 'panic buying forcing': 637737, 'buying forcing one': 150368, 'forcing one local': 328721, 'one local supermarket': 606618, 'supermarket in western': 821002, 'in western sydney': 430818, 'western sydney to': 980641, 'sydney to charge': 830723, 'to charge 10': 902632, 'charge 10 for': 173182, '10 for single': 1437, 'for single but': 325635, 'single but large': 771251, 'but large roll': 146245, 'large roll of': 479782, 'paper what is': 641077, 'the world coming': 871843, 'new evidence': 558715, 'evidence cdc': 288352, 'covering to': 212500, 'maintain grocery': 508973, 'pharmacy sarscov2': 654439, 'sarscov2 cdc': 736834, 'cdc masks4all': 168593, 'light of new': 489559, 'of new evidence': 586965, 'new evidence cdc': 558717, 'evidence cdc recommends': 288353, 'cdc recommends wearing': 168613, 'face covering to': 294377, 'covering to slow': 212501, 'to slow spread': 914741, 'setting where other': 753666, 'where other social': 985077, 'other social distancing': 620938, 'distancing measure are': 247317, 'measure are difficult': 525116, 'to maintain grocery': 909575, 'maintain grocery store': 508974, 'store pharmacy sarscov2': 809547, 'pharmacy sarscov2 cdc': 654440, 'sarscov2 cdc masks4all': 736835, 'arguably': 92675, 'food arguably': 313416, 'arguably the': 92678, 'staple that': 793997, 'needed will': 556579, 'grow in': 367033, 'demand again': 234914, 'again glove': 37004, 'glove name': 352798, 'name vaccine': 551691, 'vaccine play': 951750, 'play etc': 659141, 'all lose': 43416, 'lose volatility': 503496, 'volatility at': 960067, 'point basic': 662430, 'at basic': 98093, 'level become': 487520, 'this play': 889609, 'out economics': 625999, 'economics 101': 267430, 'food arguably the': 313417, 'arguably the most': 92679, 'most basic staple': 542134, 'basic staple that': 112057, 'staple that is': 793999, 'that is needed': 844621, 'is needed will': 449871, 'needed will continue': 556580, 'to grow in': 907030, 'grow in demand': 367035, 'in demand again': 422098, 'demand again glove': 234915, 'again glove name': 37005, 'glove name vaccine': 352799, 'name vaccine play': 551692, 'vaccine play etc': 951751, 'play etc all': 659142, 'etc all lose': 282397, 'all lose volatility': 43417, 'lose volatility at': 503497, 'volatility at some': 960068, 'some point basic': 783582, 'point basic need': 662431, 'need at basic': 554490, 'at basic level': 98094, 'basic level become': 111969, 'level become the': 487521, 'become the growing': 120157, 'the growing concern': 856876, 'growing concern this': 367143, 'concern this play': 193126, 'this play out': 889610, 'play out economics': 659200, 'out economics 101': 626000, 'it ever': 457864, 'ever star': 285515, 'star park': 794056, 'and when did': 75509, 'when did it': 983338, 'did it ever': 240661, 'it ever star': 457867, 'ever star park': 285516, 'star park and': 794057, 'park and supermarket': 641866, 'and supermarket full': 72719, 'of people stayhomesavelives': 587989, 'enthusiastically': 278632, 'just opened': 469393, 'opened my': 612741, 'my living': 549087, 'room curtain': 725903, 'curtain and': 221800, 'some guy': 783018, 'his girlfriend': 397471, 'girlfriend at': 350308, 'street saw': 813093, 'got so': 358841, 'excited and': 289530, 'started waving': 794903, 'waving enthusiastically': 969409, 'enthusiastically so': 278635, 'so cute': 776827, 'cute socialdistancing': 223672, 'just opened my': 469394, 'opened my living': 612743, 'my living room': 549088, 'living room curtain': 496444, 'room curtain and': 725904, 'curtain and some': 221802, 'and some guy': 71963, 'some guy and': 783019, 'guy and his': 368890, 'and his girlfriend': 64599, 'his girlfriend at': 397472, 'girlfriend at the': 350309, 'the street saw': 868245, 'street saw me': 813094, 'saw me got': 738172, 'me got so': 522830, 'got so excited': 358842, 'so excited and': 776983, 'excited and started': 289531, 'and started waving': 72261, 'started waving enthusiastically': 794904, 'waving enthusiastically so': 969410, 'enthusiastically so cute': 278636, 'so cute socialdistancing': 776829, 'the alien': 848575, 'alien sent': 41746, 'to earth': 904843, 'earth for': 264982, 'human slow': 410614, 'crazy supermarket': 215432, 'now dying': 574574, 'da rona': 224237, 'rona hope': 725780, 'favorite american': 300481, 'president say': 670898, 'say only': 739032, 'only cnn': 610249, 'cnn would': 184783, 'would ask': 1011533, 'question like': 693641, 'the alien sent': 848577, 'alien sent the': 41747, 'sent the to': 750826, 'the to earth': 869675, 'to earth for': 904845, 'earth for human': 264983, 'for human slow': 322444, 'human slow death': 410615, 'slow death this': 774334, 'death this shit': 230235, 'is crazy supermarket': 446900, 'crazy supermarket worker': 215435, 'are now dying': 88545, 'now dying from': 574575, 'dying from da': 263821, 'from da rona': 335094, 'da rona hope': 224238, 'rona hope this': 725781, 'hope this is': 403719, 'this is fake': 888255, 'fake news my': 296671, 'news my favorite': 560623, 'my favorite american': 548266, 'favorite american president': 300482, 'american president say': 52143, 'president say only': 670900, 'say only cnn': 739033, 'only cnn would': 610250, 'cnn would ask': 184784, 'would ask question': 1011534, 'ask question like': 95615, 'question like that': 693643, 'like that idiot': 491323, 'wt': 1013260, 'vessel': 955679, 'mask reached': 519181, 'reached mp': 700050, 'mp early': 544247, 'need wt': 556245, 'wt did': 1013261, 'did do': 240590, 'an mp': 56508, 'mp of': 544260, 'of bengaluru': 580673, 'bengaluru south': 127216, 'south surya': 786784, 'surya thats': 829414, 'thats what': 847827, 'say empty': 738607, 'empty vessel': 275221, 'vessel make': 955680, 'sanitizer mask reached': 735357, 'mask reached mp': 519182, 'reached mp early': 700051, 'mp early morning': 544248, 'early morning it': 264651, 'morning it will': 541324, 'will be distributed': 992433, 'be distributed to': 114501, 'distributed to people': 248060, 'in need wt': 425786, 'need wt did': 556246, 'wt did do': 1013262, 'did do an': 240591, 'do an mp': 249060, 'an mp of': 56509, 'mp of bengaluru': 544261, 'of bengaluru south': 580674, 'bengaluru south surya': 127217, 'south surya thats': 786785, 'surya thats what': 829415, 'thats what they': 847828, 'they say empty': 883267, 'say empty vessel': 738609, 'empty vessel make': 275222, 'vessel make more': 955681, 'make more noise': 510199, 'hoarder on': 399082, 'on alert': 599212, 'alert give': 41437, 'sanitizer booty': 734577, 'booty gov': 135142, 'gov just': 359618, 'said gov': 731088, 'now thru': 576153, 'thru executive': 895186, 'hoarder on alert': 399083, 'on alert give': 599214, 'alert give up': 41438, 'give up your': 350824, 'up your medical': 946742, 'your medical supply': 1024806, 'hand sanitizer booty': 375326, 'sanitizer booty gov': 734578, 'booty gov just': 135143, 'gov just said': 359620, 'just said gov': 469666, 'said gov is': 731089, 'gov is gonna': 359608, 'gonna get them': 356538, 'get them and': 348353, 'they can right': 881671, 'right now thru': 722160, 'now thru executive': 576154, 'thru executive order': 895187, 'via food': 955978, 'producer worry': 680724, 'if supply': 414903, 'handle covid': 376188, 'without migrant': 1002785, 'worker canada': 1006594, 'via food producer': 955981, 'food producer worry': 316008, 'producer worry if': 680726, 'worry if supply': 1010729, 'if supply chain': 414904, 'chain can handle': 170573, 'can handle covid': 158546, 'handle covid 19': 376189, '19 without migrant': 12152, 'without migrant worker': 1002786, 'migrant worker canada': 531228, 'worker canada top': 1006595, 'tired complaining': 899028, 'class should': 180254, 'our tuition': 625208, 'tuition need': 935251, 'be lowered': 115850, 'lowered inspired': 506070, 'inspired signing': 439849, 'this letter': 888613, 'letter for': 487310, 'for justice': 322798, 'justice for': 470412, 'our dining': 622755, 'tired complaining that': 899029, 'complaining that online': 191906, 'that online class': 845509, 'online class should': 608013, 'class should be': 180255, 'should be cheaper': 765583, 'be cheaper and': 114074, 'and our tuition': 68524, 'our tuition need': 625209, 'tuition need to': 935252, 'to be lowered': 901380, 'be lowered inspired': 115851, 'lowered inspired signing': 506071, 'inspired signing this': 439850, 'signing this letter': 769650, 'this letter for': 888614, 'letter for justice': 487311, 'for justice for': 322800, 'justice for our': 470413, 'for our dining': 324228, 'our dining hall': 622756, 'landingpage': 479330, 'contentcreator': 200860, 'creator stuck': 216250, 'website blog': 975225, 'blog landingpage': 132960, 'landingpage commerce': 479331, 'hour im': 405680, 'im stuck': 416585, 'slashing freelance': 773665, 'freelance price': 332434, 'quarantinelife creative': 692943, 'creative contentcreator': 216129, 'creator stuck at': 216251, 'home let me': 401523, 'let me help': 486900, 'you get that': 1018798, 'get that website': 348217, 'that website blog': 847421, 'website blog landingpage': 975226, 'blog landingpage commerce': 132961, 'landingpage commerce store': 479332, 'commerce store started': 188640, 'store started in': 810346, 'started in le': 794763, 'le than hour': 483176, 'than hour im': 840757, 'hour im stuck': 405681, 'im stuck inside': 416586, 'inside and slashing': 439223, 'and slashing freelance': 71738, 'slashing freelance price': 773666, 'freelance price hit': 332435, 'price hit me': 674560, 'me up quarantinelife': 523861, 'up quarantinelife creative': 945878, 'quarantinelife creative contentcreator': 692944, 'inmate': 438774, 'demand suspension': 236309, 'suspension of': 829687, 'all rent': 44154, 'rent mortgage': 711131, 'mortgage obligation': 541930, 'obligation paid': 578463, 'worker testing': 1007902, 'testing available': 839457, 'and inmate': 65246, 'inmate access': 438775, 'all no': 43644, 'cash bail': 166178, 'bail no': 108584, 'no coordination': 563902, 'coordination ice': 203220, 'ice more': 412676, 'crisis we demand': 218344, 'we demand suspension': 971270, 'demand suspension of': 236310, 'suspension of all': 829688, 'of all rent': 579973, 'all rent mortgage': 44155, 'rent mortgage obligation': 711134, 'mortgage obligation paid': 541931, 'obligation paid sick': 578464, 'sick leave for': 768492, 'leave for all': 484795, 'all worker testing': 45507, 'worker testing available': 1007903, 'testing available for': 839459, 'available for homeless': 104372, 'for homeless and': 322349, 'homeless and inmate': 402724, 'and inmate access': 65247, 'inmate access to': 438776, 'for all no': 319152, 'all no cash': 43645, 'no cash bail': 563772, 'cash bail no': 166179, 'bail no coordination': 108585, 'no coordination ice': 563903, 'coordination ice more': 203221, 'these way': 880940, 'out these way': 627540, 'these way people': 880941, 'turning to to': 935979, 'to to cope': 917588, 'zeppelin10': 1027394, 'overloaded': 631271, 'zeppelin10 only': 1027395, 'first stage': 309014, 'stage when': 793218, 'when theirs': 984220, 'theirs medical': 875273, 'care also': 163832, 'it 80': 456226, 'death where': 230275, 'where over': 985088, '65 in': 21357, 'china but': 176528, 'but china': 145417, 'ha le': 371116, 'le life': 483007, 'life style': 489071, 'style illness': 815601, 'illness like': 416382, 'like heart': 490412, 'heart disease': 388285, 'diabetes also': 240162, 'also once': 48617, 'once system': 605713, 'is overloaded': 450759, 'overloaded then': 631276, 'then young': 877800, 'people under': 650042, 'under 30': 939967, '30 start': 17226, 'zeppelin10 only in': 1027396, 'the first stage': 855349, 'first stage when': 309015, 'stage when theirs': 793219, 'when theirs medical': 984221, 'theirs medical care': 875274, 'medical care also': 526076, 'care also it': 163833, 'also it 80': 48440, 'it 80 of': 456227, '80 of death': 22604, 'of death where': 582422, 'death where over': 230276, 'where over 65': 985089, 'over 65 in': 629892, '65 in china': 21358, 'in china but': 421394, 'china but china': 176529, 'but china ha': 145418, 'china ha le': 176694, 'ha le life': 371117, 'le life style': 483009, 'life style illness': 489072, 'style illness like': 815602, 'illness like heart': 416384, 'like heart disease': 490413, 'heart disease and': 388286, 'disease and diabetes': 245085, 'and diabetes also': 61302, 'diabetes also once': 240163, 'also once system': 48618, 'once system is': 605714, 'system is overloaded': 831224, 'is overloaded then': 450760, 'overloaded then young': 631277, 'then young people': 877801, 'young people under': 1022650, 'people under 30': 650043, 'under 30 start': 939968, 'fucking stop': 340013, 'treat victim': 930911, 'you arsehole': 1017311, 'arsehole are': 94085, 'taking everything': 833348, 'everything coronavirus': 287742, 'buyer urged': 149790, 'you stockpiling you': 1021429, 'stockpiling you need': 804129, 'need to fucking': 555947, 'to fucking stop': 906288, 'fucking stop it': 340014, 'stop it the': 804793, 'it the worker': 461588, 'the worker trying': 871766, 'trying to treat': 934893, 'to treat victim': 917762, 'treat victim of': 930912, 'victim of covid': 956494, '19 cannot even': 5641, 'even get fresh': 284105, 'get fresh food': 347104, 'fresh food because': 332962, 'food because you': 313719, 'because you arsehole': 119861, 'you arsehole are': 1017312, 'arsehole are taking': 94086, 'are taking everything': 90719, 'taking everything coronavirus': 833349, 'everything coronavirus uk': 287743, 'panic buyer urged': 637613, 'buyer urged to': 149791, 'urged to think': 948296, 'think of frontline': 885444, 'real breaking': 701049, 'news johnson': 560568, 'johnson amp': 466580, 'amp johnson': 54032, 'johnson the': 466631, 'consumer pharmaceutical': 198365, 'pharmaceutical and': 654056, 'begin human': 123526, 'trial on': 931654, 'vaccine by': 951669, 'by september': 153946, 'september at': 751161, 'real breaking news': 701050, 'breaking news johnson': 139005, 'news johnson amp': 560569, 'johnson amp johnson': 466581, 'amp johnson the': 54033, 'johnson the consumer': 466632, 'the consumer pharmaceutical': 851573, 'consumer pharmaceutical and': 198366, 'pharmaceutical and medical': 654059, 'and medical company': 66871, 'medical company ha': 526101, 'it will begin': 462377, 'will begin human': 992806, 'begin human trial': 123527, 'human trial on': 410651, 'trial on it': 931655, 'on it new': 601674, 'it new covid': 459788, '19 vaccine by': 11718, 'vaccine by september': 951670, 'by september at': 153947, 'september at the': 751162, 'at the latest': 101001, 'me little': 523092, 'store hoarding': 808159, 'like buying': 489948, 'future but': 342275, 'maybe only': 521767, 'bought rarely': 136691, 'rarely in': 697115, 'reminds me little': 710647, 'me little bit': 523093, 'bit of grocery': 131643, 'grocery store hoarding': 365464, 'store hoarding like': 808161, 'hoarding like buying': 399414, 'like buying thing': 489949, 'thing you might': 885035, 'the future but': 856069, 'future but maybe': 342276, 'but maybe only': 146378, 'maybe only bought': 521768, 'only bought rarely': 610188, 'bought rarely in': 136692, 'rarely in the': 697116, 'cut funding': 223354, '2018 go': 13878, 'hoax created': 399709, 'dems warns': 236899, 'warns people': 967280, 'who appear': 988082, 'lately moron': 480974, 'why the wh': 991437, 'wh cut funding': 980906, 'cut funding for': 223355, 'funding for the': 341599, 'for the cdc': 326338, 'the cdc pandemic': 850574, 'cdc pandemic in': 168600, 'pandemic in 2018': 635692, 'in 2018 go': 419785, '2018 go on': 13879, 'to say covid': 913817, 'is hoax created': 448514, 'hoax created by': 399710, 'by dems warns': 152334, 'dems warns people': 236900, 'warns people who': 967281, 'people who appear': 650261, 'who appear to': 988083, 'hoarding or shopping': 399463, 'or shopping now': 617062, 'shopping now we': 763370, 'the pharmacy have': 863654, 'online lately moron': 608467, 'roche': 724877, 'new becomes': 558383, 'again dedicating': 36969, 'dedicating first': 231764, '60 customer': 20921, 'disability roche': 243848, 'roche bros': 724878, 'bros will': 141025, 'these rt': 880615, 'rt customer': 726755, 'alert their': 41515, 'new becomes the': 558385, 'becomes the latest': 120258, 'store to announce': 810753, 'announce that it': 76877, 'it is once': 459028, 'is once again': 450497, 'once again dedicating': 605562, 'again dedicating first': 36970, 'dedicating first hour': 231765, 'hour to 60': 406011, 'to 60 customer': 899788, '60 customer and': 20922, 'customer and people': 222095, 'with disability roche': 998062, 'disability roche bros': 243849, 'roche bros will': 724879, 'bros will open': 141026, 'will open all': 994340, 'open all store': 612034, 'all store from': 44497, 'to to these': 917600, 'to these rt': 917351, 'these rt customer': 880616, 'rt customer to': 726756, 'customer to alert': 222954, 'to alert their': 900226, 'alert their friend': 41516, 'the suck': 868376, 'during the suck': 263201, 'line troop': 493511, 'troop grocery': 932541, 'update the other': 947250, 'the other front': 862529, 'front line troop': 338617, 'line troop grocery': 493513, 'troop grocery store': 932542, 'couriered': 211830, 'everydayimhustlin': 286658, 'latest shipment': 481546, 'shipment couriered': 758743, 'couriered in': 211831, 'in wipe': 430926, 'no deal': 563967, 'deal everydayimhustlin': 229391, 'everydayimhustlin toiletpaperchallenge': 286659, 'toiletpaperchallenge toiletpaperemergency': 922988, 'looroll 19': 503166, '19 panicbuyers': 9568, 'panicbuyers panicbuying': 638867, 'latest shipment couriered': 481547, 'shipment couriered in': 758744, 'couriered in wipe': 211832, 'in wipe no': 430927, 'wipe no deal': 996323, 'no deal everydayimhustlin': 563970, 'deal everydayimhustlin toiletpaperchallenge': 229392, 'everydayimhustlin toiletpaperchallenge toiletpaperemergency': 286660, 'toiletpaperchallenge toiletpaperemergency toiletpaper': 922989, 'toiletpaperemergency toiletpaper looroll': 923139, 'toiletpaper looroll 19': 922206, 'looroll 19 panicbuyers': 503167, '19 panicbuyers panicbuying': 9569, 'snapped': 776143, 'who slammed': 989631, 'slammed woman': 773512, 'woman snapped': 1003610, 'snapped with': 776146, 'seven supermarket': 753772, 'trolley during': 932399, 'poor lockdown': 664215, 'politician who slammed': 663762, 'who slammed woman': 989632, 'slammed woman snapped': 773513, 'woman snapped with': 1003611, 'snapped with seven': 776147, 'with seven supermarket': 1000652, 'seven supermarket trolley': 753773, 'supermarket trolley during': 823563, 'trolley during covid': 932400, 'after it turned': 35843, 'turned out she': 935866, 'out she wa': 627168, 'the poor lockdown': 863979, 'please please do': 660301, 'coronavirus concern': 205669, 'concern scammer': 193088, 'using fake': 950477, 'yourself cybersecurity': 1026573, 'cybersecurity phishing': 224004, 'amid coronavirus concern': 52417, 'coronavirus concern scammer': 205671, 'concern scammer are': 193089, 'are using fake': 91417, 'using fake website': 950478, 'website email text': 975255, 'text and social': 839876, 'medium post in': 527233, 'post in an': 666167, 'attempt to steal': 102264, 'from the to': 337903, 'the to protect': 869687, 'protect yourself cybersecurity': 685087, 'yourself cybersecurity phishing': 1026574, '500 worker': 20071, 'site if': 771950, 'were really': 980038, 'really into': 702347, 'the camp': 850299, 'camp could': 157174, 'converted to': 202560, 'service provided': 752720, 'provided could': 686588, 'could possibly': 209520, 'repurposed to': 713103, 'elder health': 270532, '500 worker on': 20072, 'worker on site': 1007490, 'on site if': 603488, 'site if we': 771951, 'we were really': 973807, 'were really into': 980039, 'really into doing': 702348, 'into doing some': 442524, 'doing some good': 252672, 'some good the': 782975, 'good the camp': 357826, 'the camp could': 850301, 'camp could be': 157175, 'be converted to': 114238, 'converted to hospital': 202562, 'to hospital bed': 907965, 'bed and food': 120380, 'food service provided': 316427, 'service provided could': 752721, 'provided could possibly': 686589, 'could possibly be': 209521, 'possibly be repurposed': 665898, 'be repurposed to': 116813, 'repurposed to provide': 713104, 'provide meal for': 686387, 'meal for elder': 524152, 'for elder health': 320983, 'elder health care': 270533, 'store employee etc': 807485, 'read exclusive': 700331, 'australian nursing': 103513, 'nursing federation': 577608, 'federation ha': 302103, 'called coronavirus': 156294, 'coronavirus our': 206364, 'generation version': 345645, 'plague demanding': 657958, 'demanding curfew': 236583, 'curfew total': 220944, 'total aged': 926125, 'care lockdown': 164049, 'lockdown school': 499888, 'must read exclusive': 546832, 'read exclusive the': 700332, 'exclusive the australian': 289700, 'the australian nursing': 849062, 'australian nursing federation': 103514, 'nursing federation ha': 577609, 'federation ha called': 302104, 'ha called coronavirus': 370043, 'called coronavirus our': 156295, 'coronavirus our generation': 206365, 'our generation version': 623240, 'generation version of': 345646, 'the plague demanding': 863782, 'plague demanding curfew': 657959, 'demanding curfew total': 236584, 'curfew total aged': 220945, 'total aged care': 926126, 'aged care lockdown': 37950, 'care lockdown school': 164050, 'lockdown school closure': 499889, 'school closure and': 741747, 'closure and 24': 183831, 'and 24 hour': 57422, '24 hour supermarket': 15625, 'hour supermarket trading': 405966, 'supermarket trading to': 823533, 'trading to stop': 928948, 'yes do': 1015414, 'also everything': 48170, 'you bring': 1017524, 'store wash': 811152, 'wash all': 967426, 'all canned': 42297, 'good box': 356838, 'box package': 137143, 'package fruit': 633286, 'veggie all': 954163, 'all wash': 45397, 'all anything': 42031, 'anything you': 80959, 'wash wash': 967567, 'wash droz': 967454, 'droz germ': 260826, 'yes do this': 1015418, 'do this also': 250338, 'this also everything': 886285, 'also everything you': 48171, 'everything you bring': 288131, 'you bring home': 1017525, 'grocery store wash': 365930, 'store wash all': 811153, 'wash all canned': 967428, 'all canned good': 42298, 'canned good box': 161534, 'good box package': 356839, 'box package fruit': 137144, 'package fruit veggie': 633287, 'fruit veggie all': 339188, 'veggie all wash': 954164, 'all wash all': 45398, 'wash all anything': 967427, 'all anything you': 42032, 'anything you bring': 80960, 'from any store': 334554, 'any store wash': 79872, 'store wash wash': 811154, 'wash wash wash': 967569, 'wash wash droz': 967568, 'wash droz germ': 967455, 'outweighs': 629732, 'found job': 330267, 'job cashier': 465728, 'choice fear': 177765, 'kid being': 473882, 'being homeless': 125267, 'and hungry': 64876, 'hungry outweighs': 411289, 'outweighs my': 629733, 'be couple': 114261, 'before get': 122818, 'meantime have': 524921, 'become desperate': 119966, 'desperate have': 238531, 'have applied': 379340, 'found job cashier': 330268, 'job cashier at': 465729, 'store had no': 808043, 'no choice fear': 563807, 'choice fear of': 177766, 'fear of my': 301251, 'of my kid': 586784, 'my kid being': 548942, 'kid being homeless': 473883, 'being homeless and': 125268, 'homeless and hungry': 402723, 'and hungry outweighs': 64877, 'hungry outweighs my': 411290, 'outweighs my fear': 629734, 'my fear of': 548293, 'fear of it': 301243, 'of it will': 585466, 'will be couple': 992411, 'be couple of': 114262, 'of week before': 592996, 'week before get': 975994, 'before get paid': 122820, 'paid and in': 633966, 'the meantime have': 860358, 'meantime have become': 524922, 'have become desperate': 379430, 'become desperate have': 119967, 'desperate have applied': 238532, 'recent local': 703920, 'local emergency': 497920, 'declaration due': 231151, 'avoid share': 105271, 'community informed': 189925, 'the recent local': 865314, 'recent local emergency': 703921, 'local emergency declaration': 497921, 'emergency declaration due': 272655, 'declaration due to': 231152, 'to the want': 917176, 'the want you': 871060, 'to know your': 909008, 'right and learn': 721758, 'to avoid share': 900938, 'avoid share this': 105272, 'share this to': 755296, 'keep your community': 472257, 'your community informed': 1023275, 'abd': 24285, 'contaminating': 200685, 'specimen': 788317, 'what seeing': 982139, 'weekly grocery': 977503, 'trip people': 932139, 'need primer': 555472, 'use disposable': 949162, 'glove properly': 352874, 'properly scientist': 684196, 'who wear': 989940, 'from lethal': 336217, 'lethal chemical': 487232, 'chemical abd': 175330, 'abd to': 24286, 'avoid contaminating': 105049, 'contaminating ice': 200688, 'ice age': 412641, 'age specimen': 37898, 'specimen let': 788318, 'me share': 523439, 'on what seeing': 605238, 'what seeing in': 982140, 'seeing in my': 746336, 'in my weekly': 425645, 'my weekly grocery': 550561, 'weekly grocery trip': 977505, 'grocery trip people': 366084, 'trip people need': 932141, 'people need primer': 648834, 'need primer on': 555473, 'primer on how': 678189, 'to use disposable': 918023, 'use disposable glove': 949163, 'disposable glove properly': 246249, 'glove properly scientist': 352875, 'properly scientist who': 684197, 'scientist who wear': 742274, 'who wear glove': 989941, 'wear glove to': 974349, 'protect me from': 684865, 'me from lethal': 522787, 'from lethal chemical': 336218, 'lethal chemical abd': 487233, 'chemical abd to': 175331, 'abd to avoid': 24287, 'to avoid contaminating': 900879, 'avoid contaminating ice': 105050, 'contaminating ice age': 200689, 'ice age specimen': 412642, 'age specimen let': 37899, 'specimen let me': 788319, 'let me share': 486912, 'me share some': 523440, 'sobering analysis': 779368, 'term price': 838241, 'should recover': 766386, 'recover somewhat': 705195, 'somewhat product': 785267, 'product cut': 681107, 'underway this': 940978, 'cover weak': 212319, 'weak global': 974021, 'be faced': 114772, 'with oversupply': 1000048, 'oversupply for': 631593, 'sobering analysis of': 779369, 'state of oil': 795815, 'short term price': 764744, 'term price should': 838244, 'price should recover': 676388, 'should recover somewhat': 766387, 'recover somewhat product': 705197, 'somewhat product cut': 785268, 'product cut are': 681108, 'cut are underway': 223240, 'are underway this': 91306, 'underway this is': 940979, 'this is unlikely': 888447, 'to be enough': 901236, 'enough to cover': 277695, 'to cover weak': 903664, 'cover weak global': 212320, 'weak global demand': 974022, 'global demand due': 351863, '19 we will': 11960, 'will be faced': 992452, 'be faced with': 114773, 'faced with oversupply': 295045, 'with oversupply for': 1000049, 'oversupply for month': 631594, 'doom': 255437, 'all doom': 42625, 'doom and': 255438, 'and gloom': 63704, 'gloom the': 352502, 'outbreak completely': 628123, 'completely upends': 192374, 'upends the': 947522, 'we knew': 972142, 'knew but': 476028, 'but pasta': 146754, 'pasta maker': 643756, 'maker may': 510839, 'so good': 777182, 'good panic': 357540, 'stricken shopper': 813603, 'may be all': 520944, 'be all doom': 113552, 'all doom and': 42626, 'doom and gloom': 255439, 'and gloom the': 63706, 'gloom the outbreak': 352503, 'the outbreak completely': 862604, 'outbreak completely upends': 628124, 'completely upends the': 192375, 'upends the world': 947523, 'world we knew': 1010144, 'we knew but': 972143, 'knew but pasta': 476029, 'but pasta maker': 146755, 'pasta maker may': 643757, 'maker may never': 510840, 'may never have': 521364, 'never have had': 558050, 'had it so': 373213, 'it so good': 461114, 'so good panic': 777187, 'good panic stricken': 357541, 'panic stricken shopper': 638649, 'stricken shopper stock': 813604, 'up on basic': 945529, 'on basic food': 599580, 'basic food to': 111898, 'food to survive': 317297, 'survive the crisis': 829246, 'other similar': 620920, 'similar retail': 769922, 'location out': 498950, 'world dealing': 1009474, 'asshole you': 96593, 'needed coronapocolypse': 556334, 'and other similar': 68405, 'other similar retail': 620922, 'similar retail location': 769923, 'retail location out': 718286, 'location out there': 498951, 'out there in': 627491, 'the world dealing': 871853, 'world dealing with': 1009475, 'the asshole you': 848983, 'asshole you re': 96594, 're the hero': 699692, 'the hero we': 857301, 'hero we didn': 394151, 'didn know we': 241126, 'know we needed': 476930, 'we needed coronapocolypse': 972572, 'undeserving': 941005, 'everyone relying': 287316, 'on part': 602701, 'week never': 976560, 'again refer': 37138, 'them low': 876002, 'worker undeserving': 1008074, 'undeserving of': 941006, 'wage 19': 963798, 'to everyone relying': 905349, 'everyone relying on': 287317, 'relying on part': 709681, 'on part time': 602702, 'part time grocery': 642447, 'employee the last': 274297, 'week and coming': 975906, 'and coming week': 60123, 'coming week never': 188281, 'week never again': 976561, 'never again refer': 557852, 'again refer to': 37139, 'refer to them': 706478, 'to them low': 917305, 'them low skilled': 876003, 'skilled worker undeserving': 773014, 'worker undeserving of': 1008075, 'undeserving of living': 941007, 'of living wage': 585918, 'living wage 19': 496474, 'bubbly': 141636, 'if local': 414385, 'of bubbly': 580922, 'wonder if local': 1003973, 'if local grocery': 414386, 'store ha had': 808008, 'ha had panic': 370794, 'had panic buying': 373386, 'buying of bubbly': 150786, 'two shopping': 937213, 'cart away': 165267, 'are le than': 87737, 'than two shopping': 841372, 'two shopping cart': 937216, 'shopping cart away': 762296, 'cart away from': 165269, 'away from you': 105925, 'from you at': 338456, 'this include': 888065, 'include stealing': 431626, 'want this': 965975, 'necessary know': 554019, 'afraid know': 34988, 'it survival': 461400, 'survival instinct': 829045, 'instinct but': 440401, 'all survive': 44576, 'is decent': 447057, 'decent let': 230784, 'did this include': 240878, 'this include stealing': 888066, 'include stealing from': 431627, 'stealing from people': 799229, 'from people in': 336882, 'in need we': 425780, 'need we do': 556183, 'not want this': 572446, 'want this it': 965977, 'this it not': 888524, 'not necessary know': 570638, 'necessary know people': 554020, 'know people are': 476676, 'are afraid know': 84264, 'afraid know it': 34989, 'know it survival': 476543, 'it survival instinct': 461401, 'survival instinct but': 829046, 'instinct but we': 440402, 'can all survive': 157439, 'all survive this': 44577, 'survive this let': 829263, 'this let do': 888610, 'let do what': 486683, 'what is decent': 981686, 'is decent let': 447058, 'decent let share': 230785, 'psa work': 687451, 'store didn': 807308, 'close because': 182563, 'because damn': 119017, 'it capitalism': 457059, 'industry who': 436240, 'necessary avoid': 553961, 'psa work in': 687452, 'work in shopping': 1005342, 'in shopping center': 427907, 'shopping center my': 762343, 'center my store': 169263, 'my store didn': 550217, 'store didn close': 807309, 'didn close because': 241012, 'close because damn': 182564, 'because damn it': 119018, 'damn it capitalism': 225377, 'it capitalism and': 457060, 'capitalism and want': 162723, 'and want you': 75168, 'difficult it is': 242240, 'is for retailer': 447891, 'for retailer and': 325200, 'retailer and people': 718973, 'and people in': 68867, 'food industry who': 315029, 'industry who have': 436241, 'who have no': 988940, 'to work so': 918781, 'so please if': 778022, 'please if not': 660100, 'if not necessary': 414503, 'not necessary avoid': 570635, 'necessary avoid the': 553962, 'avoid the mall': 105328, 'belgique': 126171, 'ensemblecontrecorona': 277862, 'while carrying': 986674, 'carrying toilet': 165222, 'belgium on': 126179, 'mar 18': 514972, 'brussels belgique': 141379, 'belgique stayhome': 126172, '19 ensemblecontrecorona': 6792, 'protective mask while': 685788, 'mask while carrying': 519559, 'while carrying toilet': 986677, 'carrying toilet paper': 165223, 'paper outside of': 640564, 'outside of supermarket': 629515, 'brussels belgium on': 141383, 'belgium on mar': 126181, 'on mar 18': 602003, 'mar 18 2020': 514973, 'bruxelles brussels belgique': 141427, 'brussels belgique stayhome': 141380, 'belgique stayhome coronaoutbreak': 126173, 'coronaoutbreak 19 ensemblecontrecorona': 205103, 'pandemic started': 636531, 'charted via': 173861, 'the pandemic started': 863105, 'pandemic started charted': 636532, 'started charted via': 794710, 'selling beer': 749182, 'wine merch': 995841, 'merch gift': 528953, 'certificate cigarette': 170204, 'cigarette at': 178476, 'at insane': 99303, 'price open': 675758, 'from 1pm': 334221, '1pm 9pm': 12688, '9pm today': 24009, 'everyday after': 286522, 'after until': 36469, 'selling beer wine': 749183, 'beer wine merch': 122541, 'wine merch gift': 995842, 'merch gift certificate': 528954, 'gift certificate cigarette': 349961, 'certificate cigarette at': 170205, 'cigarette at insane': 178477, 'at insane price': 99304, 'insane price open': 439063, 'price open from': 675759, 'open from 1pm': 612270, 'from 1pm 9pm': 334222, '1pm 9pm today': 12689, '9pm today and': 24010, 'today and everyday': 919203, 'and everyday after': 62391, 'everyday after until': 286523, 'after until it': 36470, 'until it all': 943745, 'it all sold': 456372, 'manage beauty': 512378, 've shortened': 953566, 'shortened our': 765342, 'hour but': 405469, 'bos is': 135675, 'my salary': 549982, 'salary though': 731996, 'though ll': 892848, 'short hour': 764623, 'week had': 976299, 'day waiting': 228657, 'result he': 717518, 'he paid': 385285, 'me without': 524003, 'without taking': 1002951, 'taking pto': 833536, 'pto and': 687648, 'manage beauty retail': 512379, 'store we ve': 811184, 'we ve shortened': 973711, 've shortened our': 953567, 'shortened our hour': 765343, 'our hour but': 623473, 'hour but my': 405473, 'but my bos': 146428, 'my bos is': 547506, 'bos is still': 135676, 'is still paying': 452302, 'still paying me': 801032, 'paying me my': 645441, 'me my salary': 523197, 'my salary though': 549983, 'salary though ll': 731997, 'though ll be': 892849, 'll be short': 496628, 'be short hour': 117159, 'short hour per': 764624, 'hour per week': 405855, 'per week had': 651067, 'week had to': 976300, 'had to self': 373725, 'self quarantine for': 747856, 'quarantine for day': 692200, 'for day waiting': 320591, 'day waiting on': 228658, 'waiting on my': 964367, 'on my covid': 602274, '19 result he': 10190, 'result he paid': 717519, 'he paid me': 385286, 'paid me without': 634078, 'me without taking': 524004, 'without taking pto': 1002952, 'taking pto and': 833537, 'forextrading': 329205, 'marketnews': 517789, 'amazon fundamental': 50953, 'fundamental analysis': 341550, 'analysis the': 57086, 'market consumer': 516212, 'panic read': 638466, 'more forex': 539279, 'forex educate': 329165, 'educate forextrader': 268755, 'forextrader forexsignals': 329203, 'forexsignals forextrading': 329196, 'forextrading trader': 329208, 'trader market': 928735, 'market marketnews': 516703, 'marketnews share': 517790, 'share amazon': 754915, 'amazon fundamental analysis': 50954, 'fundamental analysis the': 341551, 'analysis the rapid': 57088, 'led to fall': 485284, 'to fall in': 905634, 'fall in financial': 296950, 'financial market consumer': 306501, 'market consumer panic': 516213, 'consumer panic read': 198332, 'panic read more': 638467, 'read more forex': 700435, 'more forex educate': 539280, 'forex educate forextrader': 329166, 'educate forextrader forexsignals': 268756, 'forextrader forexsignals forextrading': 329204, 'forexsignals forextrading trader': 329197, 'forextrading trader market': 329209, 'trader market marketnews': 928736, 'market marketnews share': 516704, 'marketnews share amazon': 517791, 'cost go': 207956, 'need created': 554651, 'la regional': 478204, 'regional food': 707505, 'bank will see': 110322, 'see their cost': 745901, 'their cost go': 872890, 'cost go up': 207957, 'go up they': 354442, 'up they respond': 946271, 'the need created': 861391, 'need created by': 554652, 'the the la': 869385, 'the la regional': 858878, 'la regional food': 478205, 'regional food bank': 707506, 'bank ha already': 109882, 'ha already seen': 369516, 'already seen an': 47636, 'seen an increased': 746933, 'toyota': 927709, 'nissan': 563371, 'honda': 403045, 'automaker': 103943, 'toyota nissan': 927716, 'nissan and': 563372, 'and honda': 64698, 'honda have': 403046, 'all suspended': 44579, 'suspended their': 829636, 'car manufacturing': 163178, 'manufacturing operation': 513636, '19 countermeasure': 6165, 'plummeting consumer': 661368, 'demand mp': 235902, 'mp toyota': 544281, 'nissan honda': 563374, 'honda manufacturing': 403048, 'manufacturing automaker': 513563, 'automaker japan': 103948, 'toyota nissan and': 927717, 'nissan and honda': 563373, 'and honda have': 64699, 'honda have all': 403047, 'have all suspended': 379168, 'all suspended their': 44580, 'suspended their car': 829637, 'their car manufacturing': 872727, 'car manufacturing operation': 163179, 'manufacturing operation in': 513637, 'operation in the': 613211, 'united state under': 942251, 'under the impact': 940314, 'covid 19 countermeasure': 212873, '19 countermeasure and': 6166, 'countermeasure and plummeting': 210336, 'and plummeting consumer': 69126, 'plummeting consumer demand': 661369, 'consumer demand mp': 197149, 'demand mp toyota': 235903, 'mp toyota nissan': 544282, 'toyota nissan honda': 927718, 'nissan honda manufacturing': 563375, 'honda manufacturing automaker': 403049, 'manufacturing automaker japan': 513564, 'fmcy': 311752, 'in cyprus': 421953, 'cyprus ha': 224140, 'ha triggered': 372363, 'triggered profiteering': 931926, 'profiteering essential': 683029, 'sold on': 781713, 'government price': 360477, 'price ceiling': 673102, 'ceiling ha': 168762, 'not solved': 571644, 'issue said': 455916, 'group fmcy': 366692, 'fmcy consumer': 311753, 'outbreak in cyprus': 628339, 'in cyprus ha': 421954, 'cyprus ha triggered': 224141, 'ha triggered profiteering': 372365, 'triggered profiteering essential': 931927, 'profiteering essential item': 683030, 'essential item are': 281188, 'item are being': 463089, 'being sold on': 125834, 'sold on the': 781717, 'on the black': 603990, 'black market while': 132096, 'market while government': 517345, 'while government price': 986883, 'government price ceiling': 360478, 'price ceiling ha': 673103, 'ceiling ha not': 168763, 'ha not solved': 371373, 'not solved the': 571645, 'solved the issue': 782187, 'the issue said': 858578, 'issue said consumer': 455917, 'said consumer group': 731028, 'consumer group fmcy': 197660, 'group fmcy consumer': 366693, 'join man': 466768, 'man 14': 511960, 'puzzle join man': 691329, 'join man 14': 466769, 'are reserving': 89620, 'reserving special': 714156, 'of becoming': 580607, 'chain are reserving': 170512, 'are reserving special': 89622, 'reserving special shopping': 714158, 'others at greater': 621291, 'risk of becoming': 723727, 'of becoming infected': 580608, 'becoming infected with': 120311, 'with the report': 1001451, 'boksburg': 134085, 'to trace': 917666, 'trace customer': 928127, 'with ur': 1001922, 'ur worker': 948082, 'retail park': 718377, 'park boksburg': 641882, 'you have system': 1019126, 'have system in': 382901, 'system in place': 831207, 'place to trace': 657778, 'to trace customer': 917667, 'trace customer that': 928128, 'customer that may': 222918, 'may have come': 521233, 'have come into': 380031, 'into contact with': 442487, 'contact with ur': 200296, 'with ur worker': 1001926, 'ur worker who': 948083, 'worker who tested': 1008232, '19 at your': 5256, 'your store in': 1025971, 'store in retail': 808380, 'in retail park': 427464, 'retail park boksburg': 718378, 'axios': 106311, 'socioeconomic status': 781391, 'status could': 796669, 'could influence': 209342, 'emotional well': 273311, 'being throughout': 125954, 'epidemic according': 279327, 'new figure': 558733, 'figure from': 305200, 'an ipsos': 56459, 'ipsos axios': 444616, 'axios poll': 106312, 'poll although': 663824, 'although not': 49339, 'not exactly': 569312, 'exactly in': 288741, 'socioeconomic status could': 781392, 'status could influence': 796670, 'could influence consumer': 209343, 'influence consumer experience': 437300, 'consumer experience and': 197413, 'experience and emotional': 291311, 'and emotional well': 62050, 'emotional well being': 273312, 'well being throughout': 978064, 'being throughout the': 125955, 'throughout the epidemic': 894972, 'the epidemic according': 854426, 'epidemic according to': 279328, 'to new figure': 910556, 'new figure from': 558734, 'figure from an': 305201, 'from an ipsos': 334490, 'an ipsos axios': 56460, 'ipsos axios poll': 444617, 'axios poll although': 106313, 'poll although not': 663825, 'although not exactly': 49340, 'not exactly in': 569313, 'exactly in the': 288742, 'way to be': 969989, 'so pasta': 777988, 'pasta for': 643722, 'cupboard glad': 220475, 'glad do': 351485, 'it everyday': 457876, 'stockpiled stophoarding': 803856, 'so pasta for': 777989, 'pasta for lunch': 643723, 'lunch and not': 506707, 'and not because': 67722, 'not because it': 568489, 'because it the': 119208, 'it the only': 461564, 'the cupboard glad': 852576, 'cupboard glad do': 220476, 'glad do not': 351486, 'eat it everyday': 265961, 'it everyday for': 457877, 'everyday for the': 286563, 'next year like': 561732, 'year like those': 1014700, 'who have stockpiled': 988958, 'have stockpiled stophoarding': 382773, 'stockpiled stophoarding stopstockpiling': 803857, 'coronavaccine': 205363, 'could prevent': 209529, 'the why': 871523, 'not scientist': 571458, 'scientist use': 742266, 'it composition': 457249, 'composition to': 192580, 'make coronavaccine': 509801, 'coronavaccine stayhome': 205364, 'if sanitizer could': 414749, 'sanitizer could prevent': 734710, 'could prevent the': 209530, 'prevent the why': 671739, 'the why do': 871525, 'do not scientist': 249836, 'not scientist use': 571459, 'scientist use it': 742267, 'use it composition': 949302, 'it composition to': 457250, 'composition to make': 192581, 'to make coronavaccine': 909642, 'make coronavaccine stayhome': 509802, 'asking shopper': 96058, 'use trolley': 949773, 'maintain safe': 509026, 'bag under': 108440, 'new safety': 559532, 'safety change': 730493, 'supermarket giant is': 820504, 'giant is asking': 349810, 'is asking shopper': 445833, 'asking shopper to': 96059, 'shopper to use': 761780, 'to use trolley': 918078, 'use trolley to': 949774, 'trolley to maintain': 932490, 'to maintain safe': 909592, 'maintain safe social': 509028, 'safe social distance': 729948, 'distance and to': 246642, 'and to pack': 74190, 'their own bag': 874160, 'own bag under': 631895, 'bag under new': 108441, 'under new safety': 940173, 'new safety change': 559533, 'cover mouth': 212257, 'nose while': 567940, 'while cough': 986719, 'frequently eat': 332851, 'business spread': 144404, 'home cover mouth': 400963, 'cover mouth and': 212258, 'and nose while': 67706, 'nose while cough': 567941, 'while cough and': 986720, 'cough and sneezing': 208450, 'surface wash hand': 828088, 'sanitizer frequently eat': 734939, 'frequently eat well': 332852, 'sleep well think': 773808, 'well think of': 978687, 'think of new': 885450, 'of new way': 586990, 'way of online': 969763, 'of online business': 587251, 'online business spread': 607959, 'business spread this': 144405, 'hateisavirus': 378958, 'aapi': 24118, 'amplify': 54905, 'hateisavirus is': 378959, 'new movement': 559123, 'movement started': 543935, 'started by': 794695, 'racism related': 695295, 'support aapi': 826322, 'aapi business': 24119, 'business affected': 143246, 'and amplify': 58095, 'hateisavirus is new': 378960, 'is new movement': 449886, 'new movement started': 559124, 'movement started by': 543936, 'started by to': 794697, 'by to fight': 154554, 'to fight racism': 905806, 'fight racism related': 304853, 'racism related to': 695296, '19 and support': 5118, 'and support aapi': 72831, 'support aapi business': 826323, 'aapi business affected': 24120, 'business affected by': 143247, 'this pandemic check': 889378, 'pandemic check it': 635131, 'out and amplify': 625642, 'second soap': 743816, 'prevent community': 671598, '20 second soap': 13334, 'second soap and': 743817, 'and water or': 75248, 'sanitizer wash your': 736030, 'hand and prevent': 374767, 'and prevent community': 69408, 'prevent community spread': 671599, 'commerce department': 188543, 'department share': 237260, 'following consumer': 312705, 'alert travel': 41526, 'insurance may': 440774, 'cover cancellation': 212203, 'the commerce department': 851221, 'commerce department share': 188544, 'department share the': 237261, 'share the following': 755247, 'the following consumer': 855502, 'following consumer alert': 312706, 'consumer alert travel': 196159, 'alert travel insurance': 41527, 'travel insurance may': 930407, 'insurance may not': 440775, 'may not cover': 521372, 'not cover cancellation': 568903, 'cover cancellation due': 212204, 'sasse': 736884, 'amdmt': 51360, 'bipartisan': 131306, 'clear 70': 181212, 'mean consumer': 524395, 'spend money': 788631, 'the sasse': 866373, 'sasse scott': 736885, 'scott scott': 742460, 'scott graham': 742449, 'graham amdmt': 361746, 'amdmt is': 51361, 'bad idea': 107890, 'idea there': 413190, 'be bipartisan': 113860, 'bipartisan opposition': 131309, 'opposition to': 613835, 'to reducing': 913055, 'reducing unemployment': 706335, 'benefit 1u': 126907, 'let be clear': 486613, 'be clear 70': 114101, 'clear 70 of': 181213, 'spending that mean': 788997, 'that mean consumer': 845105, 'mean consumer need': 524397, 'need to spend': 556078, 'to spend money': 914992, 'spend money for': 788633, 'economy to work': 268301, 'work that why': 1005805, 'why the sasse': 991433, 'the sasse scott': 866374, 'sasse scott scott': 736886, 'scott scott graham': 742461, 'scott graham amdmt': 742450, 'graham amdmt is': 361747, 'amdmt is bad': 51362, 'is bad idea': 445965, 'bad idea there': 107894, 'idea there should': 413191, 'should be bipartisan': 765569, 'be bipartisan opposition': 113861, 'bipartisan opposition to': 131310, 'opposition to reducing': 613836, 'to reducing unemployment': 913056, 'reducing unemployment benefit': 706336, 'unemployment benefit 1u': 941169, 'poorest will': 664374, 'least help': 484504, 'service decline': 752271, 'next related': 561527, 'related recession': 708534, 'rise supply': 723014, 'short usual': 764779, 'again the poorest': 37214, 'the poorest will': 864008, 'poorest will receive': 664375, 'will receive the': 994596, 'receive the least': 703557, 'the least help': 859250, 'least help supply': 484505, 'help supply of': 390609, 'and other service': 68402, 'other service decline': 620891, 'service decline in': 752272, 'the next related': 861690, 'next related recession': 561528, 'related recession and': 708535, 'recession and price': 704207, 'and price rise': 69473, 'price rise supply': 676247, 'rise supply and': 723015, 'and demand will': 61179, 'demand will fall': 236499, 'will fall short': 993408, 'fall short usual': 297053, 'hadda': 373820, 'heldmybreaththewholetime': 388954, 'lihue': 489675, 'hadda go': 373821, 'costco besafe': 208209, 'besafe heldmybreaththewholetime': 127436, 'heldmybreaththewholetime walmart': 388955, 'walmart lihue': 965367, 'hadda go to': 373822, 'store walmart costco': 811143, 'walmart costco besafe': 965302, 'costco besafe heldmybreaththewholetime': 208210, 'besafe heldmybreaththewholetime walmart': 127437, 'heldmybreaththewholetime walmart lihue': 388956, 'enough toiletpaper': 277736, 'toiletpaper coronapocalypse': 921890, 'coronapocalypse coronaoutbreak': 205185, 'you have enough': 1019042, 'have enough toiletpaper': 380471, 'enough toiletpaper coronapocalypse': 277737, 'toiletpaper coronapocalypse coronaoutbreak': 921891, '09093052802': 1170, 'ehub': 270150, 'made sell': 507950, 'sell high': 748752, 'quality made': 691817, 'nigeria shoe': 562799, 'shoe affordable': 759650, 'thank me': 841604, 'me later': 523052, 'later price': 481112, 'price 400': 672156, '400 each': 18730, 'each location': 264113, 'location kano': 498931, 'kano nationwide': 470800, 'nationwide international': 552734, 'international delivery': 441784, 'delivery call': 233773, 'whatsapp 09093052802': 982867, '09093052802 kindly': 1171, 'kindly retweet': 475162, 'retweet plz': 720067, 'plz ehub': 661813, 'morning everyone we': 541251, 'everyone we made': 287565, 'we made sell': 972325, 'made sell high': 507951, 'sell high quality': 748753, 'high quality made': 395317, 'quality made in': 691818, 'made in nigeria': 507791, 'in nigeria shoe': 425884, 'nigeria shoe affordable': 562800, 'shoe affordable price': 759651, 'affordable price give': 34878, 'price give it': 674185, 'give it try': 350552, 'it try and': 461875, 'try and will': 934459, 'and will thank': 75703, 'will thank me': 995116, 'thank me later': 841608, 'me later price': 523054, 'later price 400': 481113, 'price 400 each': 672157, '400 each location': 18731, 'each location kano': 264114, 'location kano nationwide': 498932, 'kano nationwide international': 470801, 'nationwide international delivery': 552735, 'international delivery call': 441785, 'delivery call whatsapp': 233775, 'call whatsapp 09093052802': 156223, 'whatsapp 09093052802 kindly': 982868, '09093052802 kindly retweet': 1172, 'kindly retweet plz': 475164, 'retweet plz ehub': 720069, 'early but': 264562, 'continuous empty': 201594, 'be introduced': 115530, 'it early but': 457730, 'early but not': 264563, 'all and continuous': 42010, 'and continuous empty': 60502, 'continuous empty shelf': 201595, 'to be introduced': 901340, 'be introduced in': 115533, 'node': 566116, 'about resilience': 26088, 'resilience during': 714480, 'crisis shared': 218028, 'shared kpis': 755424, 'kpis across': 477585, 'across different': 29304, 'different node': 242002, 'node of': 566117, 'supplychain over': 826211, 'over time': 630827, 'time series': 897640, 'series which': 751314, 'from vulnerability': 338269, 'learn from about': 483960, 'from about resilience': 334362, 'about resilience during': 26089, 'resilience during crisis': 714481, 'during crisis shared': 262566, 'crisis shared kpis': 218029, 'shared kpis across': 755425, 'kpis across different': 477586, 'across different node': 29305, 'different node of': 242003, 'node of the': 566118, 'of the supplychain': 591513, 'the supplychain over': 868975, 'supplychain over time': 826212, 'over time series': 630829, 'time series which': 897642, 'series which will': 751315, 'which will help': 986490, 'will help protect': 993724, 'help protect the': 390377, 'chain from vulnerability': 170728, 'in hudson': 423892, 'valley ny': 951979, 'state of grocery': 795807, 'store in hudson': 808316, 'in hudson valley': 423895, 'hudson valley ny': 409915, 'reinforce': 708242, 'cgiar': 170385, 'must manage': 546764, 'manage our': 512417, 'not helpful': 569936, 'helpful are': 391159, 'two extreme': 936918, 'extreme hysteria': 293805, 'ignorance both': 415748, 'both reinforce': 136026, 'reinforce panic': 708245, 'food analysis': 313162, 'analysis cgiar': 57031, '19 is unprecedented': 8076, 'is unprecedented and': 453539, 'unprecedented and to': 943081, 'manage the crisis': 512438, 'the crisis well': 852476, 'crisis well we': 218366, 'well we must': 978736, 'we must manage': 972428, 'must manage our': 546765, 'manage our behavior': 512418, 'our behavior not': 622176, 'behavior not helpful': 124126, 'not helpful are': 569937, 'helpful are two': 391160, 'are two extreme': 91246, 'two extreme hysteria': 936919, 'extreme hysteria and': 293806, 'hysteria and ignorance': 412432, 'and ignorance both': 64961, 'ignorance both reinforce': 415749, 'both reinforce panic': 136027, 'reinforce panic buying': 708246, 'of food analysis': 583645, 'food analysis cgiar': 313163, 'maximizes': 520800, 'milk demand': 531633, 'is elastic': 447459, 'elastic the': 270497, 'supply management': 825532, 'management is': 512588, 'price castle': 673085, 'castle it': 166777, 'it maximizes': 459541, 'maximizes the': 520801, 'consumer why': 199537, 'why canada': 990865, 'canada dairy': 160413, 'milk despite': 531636, 'despite food': 238743, '19 cbc': 5728, 'milk demand is': 531635, 'demand is elastic': 235723, 'is elastic the': 447460, 'elastic the low': 270498, 'the low the': 859786, 'low the price': 505670, 'the price the': 864422, 'price the higher': 676839, 'higher the demand': 395768, 'the demand supply': 853111, 'demand supply management': 236295, 'supply management is': 825534, 'management is price': 512589, 'is price castle': 451017, 'price castle it': 673086, 'castle it maximizes': 166778, 'it maximizes the': 459542, 'maximizes the profit': 520802, 'the profit at': 864618, 'profit at the': 682668, 'expense of consumer': 291203, 'of consumer why': 581785, 'consumer why canada': 199539, 'why canada dairy': 990866, 'canada dairy farmer': 160414, 'farmer are dumping': 299275, 'dumping milk despite': 262238, 'milk despite food': 531637, 'despite food supply': 238744, 'food supply issue': 316963, 'supply issue in': 825465, 'issue in covid': 455800, 'covid 19 cbc': 212771, '19 cbc news': 5729, 'captaintrips': 162923, 'tpformybunghole': 928063, 'oh shit': 596442, 'shit or': 759177, 'maybe don': 521663, 'don outbreak': 253785, 'outbreak captaintrips': 628086, 'captaintrips pandemic': 162924, 'quarantine apocalypse': 692031, 'apocalypse toiletpaper': 81571, 'toiletpaper tpformybunghole': 922756, 'oh shit or': 596443, 'shit or maybe': 759178, 'or maybe don': 616085, 'maybe don outbreak': 521664, 'don outbreak captaintrips': 253786, 'outbreak captaintrips pandemic': 628087, 'captaintrips pandemic socialdistancing': 162925, 'pandemic socialdistancing quarantine': 636502, 'socialdistancing quarantine apocalypse': 780634, 'quarantine apocalypse toiletpaper': 692032, 'apocalypse toiletpaper tpformybunghole': 81572, 'emphasised': 273382, 'responsible environment': 716022, 'secretary urge': 743976, 'urge coronavirus': 948175, 'ha emphasised': 370479, 'emphasised that': 273383, 'chain scene': 171090, 'and huge': 64852, 'huge queue': 410161, 'have dominated': 380314, 'dominated coverage': 253282, 'be responsible environment': 116836, 'responsible environment secretary': 716023, 'environment secretary urge': 279149, 'secretary urge coronavirus': 743977, 'urge coronavirus panic': 948176, 'coronavirus panic buyer': 206514, 'buyer the government': 149772, 'government ha emphasised': 360147, 'ha emphasised that': 370480, 'emphasised that there': 273384, 'supply chain scene': 825031, 'chain scene of': 171091, 'scene of empty': 741346, 'shelf and huge': 756737, 'and huge queue': 64856, 'huge queue outside': 410163, 'queue outside of': 694036, 'of supermarket have': 590427, 'supermarket have dominated': 820682, 'have dominated coverage': 380315, 'dominated coverage of': 253283, 'coverage of covid': 212367, 'supermarket being': 819357, 'down through': 257347, 'through staff': 894687, 'member contracting': 528050, 've not heard': 953400, 'not heard of': 569917, 'heard of supermarket': 388126, 'of supermarket being': 590413, 'supermarket being locked': 819359, 'being locked down': 125396, 'locked down through': 500479, 'down through staff': 257349, 'through staff member': 894688, 'staff member contracting': 792653, 'member contracting covid': 528051, 'picturesof': 656235, 'few picturesof': 304001, 'picturesof grocery': 656236, 'few picturesof grocery': 304002, 'picturesof grocery store': 656237, 'grocery store coronacrisis': 365302, 'naiwan': 551530, 'ay': 106317, 'nissin': 563376, 'supermarket running': 822279, 'known instant': 477229, 'noodle brand': 566788, 'brand naiwan': 137918, 'naiwan na': 551531, 'na lng': 551295, 'lng ay': 497196, 'ay nissin': 106322, 'supermarket running out': 822280, 'out of well': 626874, 'of well known': 593022, 'well known instant': 978363, 'known instant noodle': 477230, 'instant noodle brand': 440106, 'noodle brand naiwan': 566789, 'brand naiwan na': 137919, 'naiwan na lng': 551532, 'na lng ay': 551296, 'lng ay nissin': 497197, 'hpcl': 409574, 'cmd': 184668, 'mk': 534678, 'surana': 827457, 'dicuss': 240531, 'hpcl cmd': 409575, 'cmd mk': 184669, 'mk surana': 534679, 'surana join': 827458, 'to dicuss': 904266, 'dicuss the': 240532, 'impacting business': 418181, 'hpcl cmd mk': 409576, 'cmd mk surana': 184670, 'mk surana join': 534680, 'surana join in': 827459, 'join in to': 466756, 'in to dicuss': 430107, 'to dicuss the': 904267, 'dicuss the fall': 240533, 'fall in crude': 296943, 'price and how': 672436, 'and how covid': 64807, 'is impacting business': 448693, 'homedepot': 402684, 'depot or': 237545, 'keep walking': 472194, 'walking if': 965059, 'stop next': 804850, 'at red': 100272, 'red light': 705593, 'light do': 489521, 'not roll': 571400, 'your window': 1026358, 'just wave': 470250, 'wave thank': 969392, 'socialdistancing homedepot': 780428, 'you see me': 1021048, 'home depot or': 401065, 'depot or the': 237546, 'store keep walking': 808644, 'keep walking if': 472195, 'walking if you': 965060, 'if you stop': 415529, 'you stop next': 1021438, 'stop next to': 804851, 'next to me': 561625, 'me at red': 522475, 'at red light': 100273, 'red light do': 705594, 'light do not': 489522, 'do not roll': 249832, 'not roll down': 571401, 'roll down your': 725277, 'down your window': 257536, 'your window just': 1026359, 'window just wave': 995686, 'just wave thank': 470251, 'wave thank you': 969393, 'thank you socialdistancing': 841813, 'you socialdistancing homedepot': 1021295, 'etailer': 282377, 'etailer flipkart': 282378, 'limited on': 492684, 'saturday announced': 737009, 'announced to': 77098, 'nation amid': 552115, 'etailer flipkart and': 282379, 'product limited on': 681376, 'limited on saturday': 492685, 'on saturday announced': 603294, 'saturday announced to': 737010, 'announced to serve': 77101, 'serve the nation': 751947, 'the nation amid': 861217, 'nation amid the': 552116, 'global pandemic enabling': 352084, 'ok got': 597810, 'everyone dm': 286812, 'ok got everyone': 597811, 'got everyone dm': 358543, 'everyone dm are': 286813, 'dm are closed': 248877, 'closed now be': 183250, 'now be well': 574209, 'be well and': 118084, 'well and safe': 978023, 'and safe out': 70719, 'paying people': 645468, 'moment isn': 535972, 'enough not': 277531, 'mass stupidity': 519870, 'being coronauk': 124999, 'coronauk panicbuying': 205323, 'whatever they re': 982808, 'they re paying': 883092, 're paying people': 699251, 'paying people to': 645469, 'the moment isn': 860763, 'moment isn enough': 535973, 'isn enough not': 454488, 'enough not only': 277532, 'not only because': 570780, 'only because they': 610160, 'because they risk': 119716, 'they risk being': 883223, 'to the but': 916537, 'the but because': 850191, 'but because they': 145275, 're also being': 698264, 'also being exposed': 47949, 'the mass stupidity': 860254, 'mass stupidity of': 519871, 'of human being': 584871, 'human being coronauk': 410439, 'being coronauk panicbuying': 125000, 'coronauk panicbuying stoppanicbuying': 205324, 'exxon slash': 293976, 'slash capital': 773557, 'spending 30': 788714, 'percent oil': 651164, 'slump amid': 774676, 'oversupply due': 631589, 'exxon slash capital': 293977, 'slash capital spending': 773558, 'capital spending 30': 162684, 'spending 30 percent': 788715, '30 percent oil': 17193, 'percent oil price': 651165, 'price slump amid': 676491, 'slump amid price': 774677, 'war and market': 966361, 'and market oversupply': 66708, 'market oversupply due': 516829, 'oversupply due to': 631590, 'approach email': 82941, 'four approach email': 330584, 'approach email marketing': 82942, 'mongolia': 537235, '13 reuters': 3253, 'reuters mongolia': 720200, 'mongolia central': 537236, 'it benchmark': 456842, 'benchmark interest': 126845, 'rate to': 697391, 'and extended': 62554, 'extended consumer': 293150, 'loan by': 497406, 'by 12': 151531, 'month amid': 537562, 'environment due': 279096, 'seen 17': 746903, '17 case': 4342, 'country so': 211063, 'april 13 reuters': 83409, '13 reuters mongolia': 3254, 'reuters mongolia central': 720201, 'mongolia central bank': 537237, 'central bank ha': 169373, 'bank ha cut': 109884, 'cut it benchmark': 223401, 'it benchmark interest': 456843, 'benchmark interest rate': 126846, 'interest rate to': 441404, 'rate to from': 697392, 'to from 10': 906261, '10 and extended': 1314, 'and extended consumer': 62555, 'extended consumer loan': 293151, 'consumer loan by': 198057, 'loan by 12': 497407, 'by 12 month': 151533, '12 month amid': 2898, 'month amid an': 537563, 'amid an uncertain': 52389, 'an uncertain environment': 56824, 'uncertain environment due': 939584, 'environment due to': 279097, 'ha seen 17': 371817, 'seen 17 case': 746904, '17 case in': 4343, 'the country so': 852156, 'country so far': 211064, 'abruptly': 27181, 'northeastern': 567730, 'many ra': 514613, 'ra rely': 695123, 'critical income': 218581, 'income housing': 432371, 'security abruptly': 744521, 'abruptly forcing': 27182, 'forcing them': 328743, 'no compensation': 563860, 'compensation could': 191554, 'could amount': 208819, 'to homelessness': 907944, 'homelessness for': 402806, 'some demand': 782672, 'demand northeastern': 235931, 'northeastern compensate': 567731, 'compensate ra': 191536, 'ra for': 695119, 'lost housing': 503862, 'and meal': 66839, 'many ra rely': 514614, 'ra rely on': 695124, 'rely on their': 709652, 'their job for': 873715, 'job for critical': 465822, 'for critical income': 320454, 'critical income housing': 218582, 'income housing and': 432372, 'food security abruptly': 316335, 'security abruptly forcing': 744522, 'abruptly forcing them': 27183, 'forcing them out': 328744, 'the job with': 858677, 'job with no': 466305, 'with no compensation': 999741, 'no compensation could': 563861, 'compensation could amount': 191555, 'could amount to': 208820, 'amount to homelessness': 53296, 'to homelessness for': 907945, 'homelessness for some': 402807, 'for some demand': 325735, 'some demand northeastern': 782673, 'demand northeastern compensate': 235932, 'northeastern compensate ra': 567732, 'compensate ra for': 191537, 'ra for lost': 695120, 'for lost housing': 323112, 'lost housing and': 503863, 'housing and meal': 407052, 'chipchirps': 177536, 'vlsiresearch': 959893, 'vlsi': 959888, 'ic': 412604, 'tmas': 899358, 'slid': 773881, 'chipchirps from': 177537, 'from vlsiresearch': 338259, 'vlsiresearch app': 959894, 'app vlsi': 81798, 'vlsi semiconductor': 959889, 'semiconductor market': 749636, 'market watch': 517314, 'watch week': 968607, 'week ic': 976347, 'ic sale': 412613, 'sale rebounded': 732482, 'rebounded and': 703331, 'and unit': 74677, 'unit over': 942081, 'year tmas': 1015031, 'tmas price': 899359, 'price slid': 676462, 'slid this': 773888, 'this brought': 886620, 'the ic': 857802, 'sale comp': 732132, 'comp back': 190308, 'from usa': 338208, 'usa europe': 948636, 'chipchirps from vlsiresearch': 177538, 'from vlsiresearch app': 338260, 'vlsiresearch app vlsi': 959895, 'app vlsi semiconductor': 81799, 'vlsi semiconductor market': 959890, 'semiconductor market watch': 749637, 'market watch week': 517315, 'watch week last': 968608, 'week last week': 976461, 'last week ic': 480653, 'week ic sale': 976348, 'ic sale rebounded': 412616, 'sale rebounded and': 732483, 'rebounded and unit': 703332, 'and unit over': 74678, 'unit over their': 942082, 'over their year': 630799, 'their year tmas': 875252, 'year tmas price': 1015032, 'tmas price slid': 899360, 'price slid this': 676464, 'slid this brought': 773889, 'this brought the': 886621, 'brought the ic': 141194, 'the ic sale': 857805, 'ic sale comp': 412614, 'sale comp back': 732133, 'comp back to': 190309, 'back to an': 107351, 'average of from': 104881, 'of from usa': 583969, 'from usa europe': 338209, 'vega one': 953823, 'one else': 606230, 'till 00': 895968, '00 they': 527, 'are checking': 85269, 'checking id': 174825, 'store in la': 808329, 'la vega one': 478235, 'vega one for': 953824, 'one for 60': 606304, 'for 60 and': 318887, 'other for every': 620255, 'for every one': 321172, 'every one else': 286047, 'one else who': 606236, 'can get in': 158424, 'get in till': 347314, 'in till 00': 430069, 'till 00 they': 895969, '00 they are': 528, 'they are checking': 881225, 'are checking id': 85270, 'influenced': 437325, 'interesting how': 441560, '19 recession': 9995, 'recession ha': 704280, 'not influenced': 570143, 'influenced college': 437330, 'college tuition': 186657, 'lower to': 506040, 'prevent high': 671642, 'high drop': 395045, 'out rate': 627092, 'rate really': 697352, 'much college': 544796, 'college truly': 186655, 'truly care': 933275, 'about student': 26273, 'student success': 814778, 'interesting how covid': 441561, 'covid 19 recession': 213666, '19 recession ha': 9998, 'recession ha not': 704281, 'ha not influenced': 371368, 'not influenced college': 570144, 'influenced college tuition': 437331, 'college tuition price': 186658, 'tuition price to': 935255, 'to be lower': 901379, 'be lower to': 115848, 'lower to prevent': 506041, 'to prevent high': 912066, 'prevent high drop': 671643, 'high drop out': 395046, 'drop out rate': 260362, 'out rate really': 627093, 'rate really show': 697353, 'how much college': 408341, 'much college truly': 544797, 'college truly care': 186656, 'truly care about': 933276, 'care about student': 163804, 'about student success': 26274, 'cheerful': 175138, 'firebomb': 308155, 'every idiot': 285946, 'who invokes': 989052, 'invokes the': 444320, 'the cheerful': 850786, 'cheerful british': 175139, 'british sentiment': 140591, 'sentiment with': 751034, 'which our': 986212, 'grandparent greeted': 361972, 'greeted hail': 363795, 'hail of': 373943, 'of firebomb': 583549, 'firebomb there': 308156, 'we survived': 973467, 'for every idiot': 321168, 'every idiot who': 285947, 'idiot who invokes': 413643, 'who invokes the': 989053, 'invokes the cheerful': 444321, 'the cheerful british': 850787, 'cheerful british sentiment': 175140, 'british sentiment with': 140592, 'sentiment with which': 751035, 'with which our': 1002088, 'which our grandparent': 986213, 'our grandparent greeted': 623294, 'grandparent greeted hail': 361973, 'greeted hail of': 363796, 'hail of firebomb': 373944, 'of firebomb there': 583550, 'firebomb there will': 308157, 'be 10 people': 113407, '10 people who': 1617, 'people who think': 650349, 'who think we': 989781, 'think we survived': 885774, 'we survived the': 973469, 'survived the war': 829335, 'war by having': 966393, 'by having more': 152768, 'having more than': 384176, 'more than we': 540695, 'than we needed': 841431, 'coronavirus on food': 206340, 'on food market': 600882, 'army rolled': 93034, 'like spain': 491227, 'italy have': 462843, 'idiot from': 413507, 'exercising or': 290127, 'get the army': 348222, 'the army rolled': 848909, 'army rolled out': 93035, 'rolled out like': 725645, 'out like spain': 626502, 'like spain and': 491228, 'and italy have': 65617, 'italy have done': 462844, 'stop the idiot': 805137, 'the idiot from': 857840, 'idiot from going': 413508, 'from going out': 335660, 'going out exercising': 355369, 'out exercising or': 626046, 'exercising or going': 290128, 'to supermarket everyday': 915793, 'ncb': 553296, 'tina': 898567, 'glnrtoday': 351723, 'line marker': 493252, 'marker inside': 515881, 'inside this': 439428, 'this national': 889082, 'national commercial': 552448, 'commercial bank': 188674, 'bank ncb': 110017, 'ncb outline': 553297, 'outline the': 629096, 'is encouraging': 447485, 'distance part': 246796, 'of effort': 582990, 'the tina': 869642, 'tina hamilton': 898568, 'hamilton glnrtoday': 374557, 'line marker inside': 493253, 'marker inside this': 515882, 'inside this national': 439429, 'this national commercial': 889083, 'national commercial bank': 552449, 'commercial bank ncb': 188675, 'bank ncb outline': 110018, 'ncb outline the': 553298, 'outline the distance': 629098, 'distance customer are': 246689, 'customer are expected': 222121, 'expected to observe': 290990, 'observe the government': 578599, 'government is encouraging': 360251, 'is encouraging social': 447486, 'encouraging social distance': 275733, 'social distance part': 779517, 'distance part of': 246797, 'part of effort': 642344, 'of effort to': 582991, 'effort to reduce': 269641, 'of the tina': 591544, 'the tina hamilton': 869643, 'tina hamilton glnrtoday': 898569, 'regulation having': 708069, 'having forced': 384073, 'forced bar': 328559, 'close local': 182706, 'begun making': 123713, 'meet high': 527501, 'staff employed': 792402, 'employed during': 273475, 'with public health': 1000357, 'public health regulation': 688080, 'health regulation having': 386786, 'regulation having forced': 708070, 'having forced bar': 384074, 'forced bar and': 328560, 'and restaurant across': 70365, 'restaurant across australia': 716258, 'across australia to': 29275, 'australia to close': 103409, 'to close local': 902884, 'close local distillery': 182707, 'local distillery have': 497896, 'distillery have begun': 247757, 'have begun making': 379753, 'begun making hand': 123714, 'to meet high': 910028, 'meet high demand': 527502, 'and keep staff': 65781, 'keep staff employed': 471964, 'staff employed during': 792403, 'employed during the': 273476, 'inherently': 438453, 'unequal': 941327, 'microprocessing': 530481, 'digitallife': 242738, 'fueledby': 340340, 'problem isn': 679574, 'the urge': 870524, 'or seek': 616986, 'support it': 826603, 'it provides': 460545, 'provides will': 686916, 'be inherently': 115503, 'inherently unequal': 438454, 'unequal and': 941328, 'insufficient read': 440607, 'more microprocessing': 539774, 'microprocessing socialmedia': 530482, 'socialmedia digitallife': 781084, 'digitallife fueledby': 242739, 'the problem isn': 864514, 'problem isn the': 679575, 'isn the urge': 454719, 'the urge to': 870525, 'urge to help': 948235, 'to help or': 907577, 'help or seek': 390202, 'or seek help': 616988, 'this way but': 891129, 'way but that': 969509, 'that the support': 846848, 'the support it': 868981, 'support it provides': 826606, 'it provides will': 460546, 'provides will be': 686917, 'will be inherently': 992517, 'be inherently unequal': 115504, 'inherently unequal and': 438455, 'unequal and insufficient': 941329, 'and insufficient read': 65297, 'insufficient read more': 440608, 'read more microprocessing': 700444, 'more microprocessing socialmedia': 539775, 'microprocessing socialmedia digitallife': 530483, 'socialmedia digitallife fueledby': 781085, 'damanding': 225283, 'staff did': 792366, 'did better': 240568, 'bank security': 110163, 'guard who': 367866, 'who beat': 988299, 'beat up': 118579, 'up customer': 944681, 'baby on': 106676, 'her back': 391871, 'for damanding': 320536, 'damanding her': 225284, 'own money': 632102, 'put everything': 690567, 'in context': 421745, 'context with': 200925, 'did ok': 240747, 'supermarket staff did': 822833, 'staff did better': 792367, 'did better than': 240569, 'than the bank': 841219, 'the bank security': 849254, 'bank security guard': 110164, 'security guard who': 744632, 'guard who beat': 367867, 'who beat up': 988300, 'beat up customer': 118580, 'up customer with': 944682, 'customer with baby': 223100, 'with baby on': 997349, 'baby on her': 106677, 'on her back': 601280, 'her back for': 391872, 'back for damanding': 106991, 'for damanding her': 320537, 'damanding her own': 225285, 'her own money': 392278, 'own money if': 632103, 'money if you': 536827, 'you put everything': 1020504, 'put everything in': 690569, 'everything in context': 287848, 'in context with': 421746, 'context with the': 200926, 'and uncertainty around': 74607, '19 would say': 12217, 'would say they': 1012217, 'say they did': 739339, 'they did ok': 881921, 'pitiful': 657020, 'essential have': 281119, '30 what': 17261, 'is pitiful': 450875, 'pitiful lockdown': 657021, 'lockdown situation': 499921, 'situation miserable': 772385, 'miserable worst': 533991, 'all thought': 45198, 'could treat': 209788, 'treat very': 930909, 'very large': 955291, 'without medical': 1002783, 'facility almost': 295293, 'all clinic': 42368, 'clinic are': 182297, 'closed others': 183272, 'others suspect': 621683, 'suspect them': 829497, 'them others': 876119, 'of all essential': 579938, 'all essential have': 42698, 'essential have increased': 281121, 'have increased by': 381056, 'than 30 what': 840227, '30 what is': 17262, 'what is next': 981712, 'is next in': 449891, 'next in india': 561410, 'india is pitiful': 434490, 'is pitiful lockdown': 450876, 'pitiful lockdown situation': 657022, 'lockdown situation miserable': 499923, 'situation miserable worst': 772386, 'miserable worst of': 533992, 'of all thought': 579988, 'all thought could': 45199, 'thought could treat': 893013, 'could treat very': 209789, 'treat very large': 930910, 'very large number': 955292, 'number of patient': 576969, 'of patient without': 587824, 'patient without medical': 644317, 'without medical facility': 1002784, 'medical facility almost': 526171, 'facility almost all': 295294, 'almost all clinic': 46531, 'all clinic are': 42369, 'clinic are closed': 182298, 'are closed others': 85359, 'closed others suspect': 183273, 'others suspect them': 621684, 'suspect them others': 829498, 'today world': 920574, 'world or': 1009870, 'or before': 614528, 'before spit': 123096, 'this probably': 889720, 'probably should': 679375, 'whether it in': 985526, 'it in today': 458750, 'in today world': 430171, 'today world or': 920575, 'world or before': 1009871, 'or before spit': 614529, 'before spit in': 123097, 'spit in grocery': 789555, 'store and this': 806378, 'and this probably': 74006, 'this probably should': 889722, 'probably should and': 679376, 'should and will': 765516, 'and will happen': 75669, 'happen to you': 377190, 'to you 19': 918887, 'been serving': 121928, 'serving record': 753207, 'record number': 705034, 'of patron': 587825, 'patron at': 644408, 'at god': 98773, 'god kitchen': 354752, 'kitchen since': 475751, 'go meal': 353831, 'meal are': 524102, 'being prepared': 125573, 'prepared daily': 670175, 'those dealing': 891918, 'insecurity below': 439147, 'kitchen anything': 475694, 'anything help': 80782, 'have been serving': 379678, 'been serving record': 121930, 'serving record number': 753208, 'record number of': 705035, 'number of patron': 576970, 'of patron at': 587826, 'patron at god': 644409, 'at god kitchen': 98774, 'god kitchen since': 354754, 'kitchen since the': 475752, '19 hundred of': 7631, 'hundred of to': 411019, 'of to go': 592215, 'to go meal': 906824, 'go meal are': 353832, 'meal are being': 524103, 'are being prepared': 84895, 'being prepared daily': 125575, 'prepared daily to': 670176, 'daily to help': 224844, 'help those dealing': 390743, 'those dealing with': 891919, 'dealing with food': 229665, 'with food insecurity': 998494, 'food insecurity below': 315060, 'insecurity below are': 439148, 'for good at': 321929, 'good at god': 356790, 'god kitchen anything': 354753, 'kitchen anything help': 475695, 'ohioprimary': 596565, 'do why': 250539, 'and vote': 75038, 'vote just': 960492, 'something go': 784922, 'etc doesn': 282495, 'thing stayhomechallenge': 884764, 'stayhomechallenge ohioprimary': 798272, 'of you saying': 593419, 'you saying if': 1021009, 'saying if can': 739612, 'if can still': 413934, 'can still do': 159770, 'still do why': 800438, 'do why can': 250540, 'we still go': 973404, 'out and vote': 625707, 'and vote just': 75039, 'vote just because': 960493, 'just because you': 468296, 'because you can': 119863, 'can do something': 158118, 'do something go': 250141, 'something go to': 784923, 'store etc doesn': 807628, 'etc doesn mean': 282496, 'mean you should': 524790, 'should do that': 765932, 'do that thing': 250230, 'that thing stayhomechallenge': 846972, 'thing stayhomechallenge ohioprimary': 884765, 'jake': 464321, '19 canceled': 5627, 'canceled pro': 160954, 'pro day': 679106, 'made his': 507777, 'in prospect': 427045, 'prospect need': 684684, 'find alternate': 306766, 'alternate method': 49186, 'to showcase': 914585, 'showcase their': 767312, 'their ability': 872445, 'ability well': 24407, 'done jake': 254914, 'jake check': 464322, 'our pre': 624416, 'pre draft': 669163, 'draft signed': 258141, 'signed helmet': 769364, 'helmet and': 389270, 'and jersey': 65651, 'jersey dm': 465199, '19 canceled pro': 5628, 'canceled pro day': 160955, 'pro day so': 679107, 'day so he': 228366, 'so he made': 777278, 'he made his': 385212, 'made his own': 507779, 'his own with': 397682, 'own with the': 632311, 'with the whole': 1001543, 'whole world in': 990383, 'world in prospect': 1009663, 'in prospect need': 427047, 'prospect need to': 684685, 'to find alternate': 905876, 'find alternate method': 306767, 'alternate method to': 49187, 'method to showcase': 529800, 'to showcase their': 914586, 'showcase their ability': 767313, 'their ability well': 872448, 'ability well done': 24408, 'well done jake': 978188, 'done jake check': 254915, 'jake check out': 464323, 'out our pre': 626986, 'our pre draft': 624417, 'pre draft signed': 669164, 'draft signed helmet': 258142, 'signed helmet and': 769365, 'helmet and jersey': 389271, 'and jersey dm': 65652, 'jersey dm for': 465200, 'regional in': 707511, 'supermarket industry': 821023, 'industry can': 435711, 'can 100': 157340, '100 verify': 2115, 'verify this': 954799, 'absolute worst': 27307, 'no procedure': 565207, 'eliminate risk': 271458, 're safer': 699416, 'safer at': 730343, 'regional in the': 707512, 'the supermarket industry': 868645, 'supermarket industry can': 821024, 'industry can 100': 435712, 'can 100 verify': 157341, '100 verify this': 2116, 'verify this the': 954801, 'this the absolute': 890513, 'the absolute worst': 848258, 'absolute worst place': 27309, 'place to be': 657748, 'to be right': 901511, 'supermarket most have': 821538, 'most have little': 542367, 'have little to': 381354, 'to no procedure': 910625, 'no procedure to': 565208, 'procedure to eliminate': 679824, 'to eliminate risk': 904992, 'eliminate risk you': 271459, 'risk you re': 724033, 'you re safer': 1020731, 're safer at': 699417, 'safer at the': 730345, 'office the': 595563, 'another destination': 77574, 'destination keep': 238984, 'keep practicing': 471807, 'practicing on': 668733, 'bus see': 143076, 'work the doctor': 1005810, 'the doctor office': 853467, 'doctor office the': 251049, 'office the supermarket': 595565, 'supermarket or another': 821793, 'or another destination': 614327, 'another destination keep': 77575, 'destination keep practicing': 238985, 'keep practicing on': 471808, 'practicing on the': 668734, 'the bus see': 850145, 'bus see service': 143077, 'site wa': 772050, 'site wa on': 772051, 'wa on today': 962838, 'commenced': 188357, 'fully commenced': 341027, 'commenced since': 188360, 'service ceased': 752215, 'ceased delivery': 168715, 'delivery operation': 234269, 'morning have': 541282, 'since 11': 770407, '11 actually': 2481, 'actually it': 30852, 'at large grocery': 99408, 'store in tokyo': 808405, 'in tokyo and': 430179, 'tokyo and panic': 923486, 'and panic shopping': 68664, 'shopping ha fully': 762825, 'ha fully commenced': 370692, 'fully commenced since': 341028, 'commenced since most': 188361, 'since most store': 770754, 'most store with': 542775, 'store with online': 811393, 'with online delivery': 999895, 'online delivery service': 608090, 'delivery service ceased': 234429, 'service ceased delivery': 752216, 'ceased delivery operation': 168716, 'delivery operation of': 234270, 'operation of this': 613239, 'this morning have': 888965, 'morning have not': 541283, 'not seen anything': 571505, 'this since 11': 890158, 'since 11 actually': 770408, '11 actually it': 2482, 'actually it worse': 30855, 'fbi': 300698, 'possession': 665529, 'brooklyn man': 140988, 'man arrested': 511996, 'for assaulting': 319503, 'assaulting fbi': 96333, 'fbi agent': 300699, 'agent and': 38150, 'false statement': 297457, 'his possession': 397720, 'possession and': 665530, 'scarce medical': 740795, 'brooklyn man arrested': 140989, 'man arrested for': 511998, 'arrested for assaulting': 93842, 'for assaulting fbi': 319504, 'assaulting fbi agent': 96334, 'fbi agent and': 300700, 'agent and making': 38151, 'and making false': 66587, 'making false statement': 511066, 'false statement about': 297458, 'statement about his': 796154, 'about his possession': 25396, 'his possession and': 397721, 'possession and sale': 665531, 'sale of scarce': 732406, 'of scarce medical': 589380, 'scarce medical equipment': 740796, 'cleaningmachine': 181132, 'me whenever': 523948, 'whenever come': 984652, 'come inside': 187382, 'inside even': 439256, 'from walk': 338276, 'walk mostly': 964830, 'mostly just': 542971, 'socialdistancing cleaningmachine': 780281, 'me whenever come': 523949, 'whenever come inside': 984653, 'come inside even': 187383, 'inside even if': 439257, 'if it from': 414303, 'it from walk': 458161, 'from walk mostly': 338277, 'walk mostly just': 964831, 'mostly just the': 542972, 'just the grocery': 470003, 'store socialdistancing cleaningmachine': 810249, 'leap': 483915, 'case leap': 165855, 'leap via': 483920, '19 case leap': 5688, 'case leap via': 165856, 'legco': 485922, 'legco today': 485923, 'today asked': 919258, 'be transparent': 117793, 'transparent on': 929843, 'mask supply': 519322, 'supply inventory': 825428, 'inventory distribution': 443659, 'distribution per': 248192, 'per department': 650818, 'department etc': 237192, 'etc government': 282567, 'government representative': 360531, 'representative we': 712924, 'because telling': 119595, 'may encourage': 521140, 'the procurement': 864561, 'procurement process': 680119, 'process 19': 679870, 'legco today asked': 485924, 'today asked the': 919259, 'government to be': 360702, 'to be transparent': 901600, 'be transparent on': 117795, 'transparent on mask': 929844, 'on mask supply': 602047, 'mask supply inventory': 519323, 'supply inventory distribution': 825429, 'inventory distribution per': 443660, 'distribution per department': 248193, 'per department etc': 650819, 'department etc government': 237193, 'etc government representative': 282568, 'government representative we': 360532, 'representative we cannot': 712925, 'cannot talk about': 162165, 'talk about this': 833763, 'about this because': 26631, 'this because telling': 886520, 'because telling you': 119596, 'telling you may': 837298, 'you may encourage': 1019797, 'may encourage manufacturer': 521141, 'to raise their': 912735, 'their price in': 874403, 'in the procurement': 429479, 'the procurement process': 864562, 'procurement process 19': 680120, 'virtuallybartable': 957855, 'oakland': 578260, 'this virtuallybartable': 890992, 'virtuallybartable oakland': 957856, 'oakland distillery': 578263, 'distillery pivoted': 247791, 'pivoted to': 657120, 'how this virtuallybartable': 408958, 'this virtuallybartable oakland': 890993, 'virtuallybartable oakland distillery': 957857, 'oakland distillery pivoted': 578264, 'distillery pivoted to': 247792, 'pivoted to making': 657122, 'dovish': 256310, 'from dovish': 335204, 'dovish federal': 256311, 'reserve ad': 714028, 'ad these': 31181, 'these six': 880698, 'six stock': 772691, 'from both': 334711, 'both low': 135965, 'the unique': 870412, 'unique economic': 941976, 'pandemic click': 635155, 'share now': 755112, 'now consumer': 574433, 'benefit from dovish': 126984, 'from dovish federal': 335205, 'dovish federal reserve': 256312, 'federal reserve ad': 302039, 'reserve ad these': 714029, 'ad these six': 31182, 'these six stock': 880699, 'six stock will': 772693, 'stock will benefit': 803194, 'benefit from both': 126979, 'from both low': 334714, 'both low interest': 135966, 'and the unique': 73637, 'the unique economic': 870413, 'unique economic condition': 941977, '19 pandemic click': 9294, 'pandemic click to': 635156, 'click to view': 181963, 'to view the': 918176, 'view the share': 957170, 'the share now': 866789, 'share now consumer': 755113, 'now consumer market': 574434, 'having member': 384156, 'supermarket advising': 818790, 'advising everyone': 33701, 'distance while': 246895, 'shop appalled': 759889, 'appalled at': 81821, 'how few': 407863, 'are understanding': 91298, 'what about having': 980974, 'about having member': 25351, 'having member of': 384157, 'staff at every': 792232, 'every supermarket advising': 286238, 'supermarket advising everyone': 818791, 'advising everyone to': 33703, 'everyone to social': 287503, 'social distance while': 779534, 'distance while in': 246896, 'the shop appalled': 866978, 'shop appalled at': 759890, 'appalled at how': 81822, 'at how few': 99215, 'how few are': 407864, 'few are understanding': 303717, 'are understanding the': 91299, 'understanding the importance': 940892, 'importance of this': 418716, 'datuk': 226815, 'if person': 414639, 'person know': 652513, 'he or': 385283, 'or she': 617036, 'virus am': 957906, 'office have': 595439, 'not datuk': 568961, 'datuk karim': 226816, 'karim heard': 470921, 'about news': 25797, 'affected woman': 34463, 'purposely spitting': 690184, 'spitting at': 789586, 'if person know': 414643, 'person know that': 652515, 'that he or': 844266, 'he or she': 385284, 'or she ha': 617038, 'she ha the': 756082, 'ha the virus': 372230, 'the virus am': 870795, 'virus am sure': 957908, 'am sure that': 50462, 'sure that they': 827702, 'not get to': 569615, 'the office have': 862072, 'office have not': 595440, 'have not datuk': 381680, 'not datuk karim': 568962, 'datuk karim heard': 226817, 'karim heard about': 470922, 'heard about news': 388050, 'about news that': 25799, 'news that covid': 560859, '19 affected woman': 4844, 'affected woman purposely': 34464, 'woman purposely spitting': 1003590, 'purposely spitting at': 690185, 'spitting at good': 789587, 'at good in': 98782, 'good in supermarket': 357251, '15 30': 3652, 'to 15 30': 899501, '15 30 foot': 3653, 'why wearing': 991539, 'idea keep': 413104, 'keep cough': 471430, 'in keep': 424452, 'keep virus': 472189, 'virus out': 958583, 'science make': 742115, 'outside stayhomesavelives': 629556, 'is why wearing': 453983, 'why wearing mask': 991541, 'mask is good': 518868, 'good idea keep': 357214, 'idea keep cough': 413105, 'keep cough in': 471431, 'cough in keep': 208481, 'in keep virus': 424453, 'keep virus out': 472191, 'virus out the': 958585, 'guidance is slower': 368250, 'is slower than': 451971, 'slower than the': 774517, 'than the science': 841271, 'the science make': 866500, 'science make mask': 742116, 'mask and wear': 518389, 'wear it if': 974369, 'you really have': 1020838, 'really have to': 702272, 'go outside stayhomesavelives': 354021, 'uk how': 938464, 'sell just': 748778, 'one sheet': 607011, 'sheet of': 756608, 'paper actually': 639767, 'actually used': 31001, 'used ffs': 949895, 'ffs the': 304326, 'ridiculous armageddon': 721519, 'uk how do': 938466, 'do you allow': 250614, 'you allow people': 1016927, 'to sell just': 914157, 'sell just one': 748779, 'just one sheet': 469385, 'one sheet of': 607012, 'sheet of paper': 756609, 'of paper actually': 587755, 'paper actually used': 639768, 'actually used ffs': 31002, 'used ffs the': 949896, 'ffs the price': 304327, 'paper are ridiculous': 639890, 'are ridiculous armageddon': 89689, 'jhawk': 465431, 'willfully': 995417, 'precise': 669496, 'rock jhawk': 724900, 'jhawk because': 465432, 'are willfully': 91637, 'willfully ignorant': 995418, 'ignorant deliberately': 415778, 'deliberately blind': 232951, 'blind the': 132695, 'medium have': 527133, 'been much': 121549, 'more precise': 540119, 'precise than': 669503, 'than 45': 840251, '45 the': 19139, 'king of': 475283, 'market reacts': 516949, 'rock jhawk because': 724901, 'jhawk because you': 465433, 'you are willfully': 1017290, 'are willfully ignorant': 91638, 'willfully ignorant deliberately': 995419, 'ignorant deliberately blind': 415779, 'deliberately blind the': 232952, 'blind the medium': 132696, 'the medium have': 860425, 'medium have been': 527134, 'have been much': 379612, 'been much more': 121551, 'much more precise': 545120, 'more precise than': 540121, 'precise than 45': 669504, 'than 45 the': 840253, '45 the king': 19140, 'the king of': 858821, 'king of lie': 475286, 'of lie the': 585812, 'lie the market': 488381, 'the market reacts': 860149, 'market reacts to': 516950, 'hazmat': 384614, 'beijing going': 124788, 'your temperature': 1026127, 'temperature checked': 837373, 'checked upon': 174780, 'upon entry': 947631, 'entry there': 279021, 'also body': 47968, 'body scanner': 133883, 'scanner checking': 740729, 'checking temperature': 174847, 'temperature worker': 837411, 'worker there': 1007953, 'in hazmat': 423588, 'hazmat suit': 384617, 'suit credit': 817758, 'credit this': 216533, 'china relative': 176903, 'relative success': 708745, 'in stemming': 428263, 'stemming the': 799474, 'talking to my': 834047, 'my brother in': 547559, 'brother in beijing': 141072, 'in beijing going': 420767, 'beijing going to': 124789, 'store you have': 811690, 'have your temperature': 383722, 'your temperature checked': 1026128, 'temperature checked upon': 837374, 'checked upon entry': 174781, 'upon entry there': 947632, 'entry there are': 279022, 'are also body': 84444, 'also body scanner': 47969, 'body scanner checking': 133884, 'scanner checking temperature': 740730, 'checking temperature worker': 174850, 'temperature worker there': 837412, 'worker there are': 1007954, 'are in hazmat': 87389, 'in hazmat suit': 423589, 'hazmat suit credit': 384618, 'suit credit this': 817759, 'credit this for': 216534, 'this for china': 887586, 'for china relative': 320069, 'china relative success': 176904, 'relative success in': 708746, 'success in stemming': 816205, 'in stemming the': 428264, 'stemming the spread': 799475, 'empty we': 275228, 'under considerable': 940034, 'considerable pressure': 195188, 'is published': 451135, 'social network': 779900, 'network what': 557780, 'of our supermarket': 587574, 'our supermarket are': 625009, 'supermarket are already': 819144, 'are already empty': 84405, 'already empty we': 47315, 'empty we are': 275229, 'we are under': 970748, 'are under considerable': 91275, 'under considerable pressure': 940035, 'considerable pressure and': 195189, 'pressure and this': 671132, 'this is published': 888365, 'is published on': 451136, 'published on social': 688679, 'on social network': 603538, 'social network what': 779902, 'network what wrong': 557781, 'duck': 261536, 'hand working': 376021, 'nice cause': 562365, 'cause my': 167670, 'gonna close': 356499, 'close presumably': 182772, 'presumably and': 671292, 'and hour': 64772, 'increasing by': 433560, 'downside we': 257716, 'all sitting': 44355, 'sitting duck': 772105, 'duck for': 261545, 'lol anxious': 500871, 'about bringing': 24891, 'on one hand': 602510, 'one hand working': 606402, 'hand working in': 376022, 'this time is': 890653, 'time is nice': 897060, 'is nice cause': 449900, 'nice cause my': 562366, 'cause my job': 167671, 'job isn gonna': 465915, 'isn gonna close': 454527, 'gonna close presumably': 356500, 'close presumably and': 182773, 'presumably and hour': 671293, 'and hour are': 64773, 'hour are increasing': 405430, 'are increasing by': 87478, 'increasing by people': 433561, 'buying on the': 150810, 'on the downside': 604078, 'the downside we': 853632, 'downside we re': 257717, 're all sitting': 698234, 'all sitting duck': 44356, 'sitting duck for': 772106, 'duck for covid': 261546, 'covid 19 lol': 213373, '19 lol anxious': 8460, 'lol anxious about': 500872, 'anxious about bringing': 78827, 'about bringing it': 24892, 'it home and': 458611, 'infecting my dad': 436688, 'revealing': 720289, 'elevate': 271361, 'consciousness': 194807, 'collectivemindpower': 186542, 'clearly revealing': 181555, 'revealing is': 720294, 'incredibly dumb': 433893, 'dumb and': 262091, 'selfish most': 748175, 'are specie': 90318, 'specie we': 788195, 'so need': 777859, 'to elevate': 904980, 'elevate our': 271364, 'our level': 623709, 'of consciousness': 581676, 'consciousness collectivemindpower': 194809, 'what is clearly': 981681, 'is clearly revealing': 446561, 'clearly revealing is': 181556, 'revealing is how': 720295, 'is how incredibly': 448581, 'how incredibly dumb': 408059, 'incredibly dumb and': 433894, 'dumb and selfish': 262092, 'and selfish most': 71195, 'selfish most people': 748176, 'most people really': 542624, 'people really are': 649239, 'really are specie': 701991, 'are specie we': 90319, 'specie we so': 788197, 'we so need': 973334, 'so need to': 777862, 'need to elevate': 555914, 'to elevate our': 904981, 'elevate our level': 271365, 'our level of': 623710, 'level of consciousness': 487627, 'of consciousness collectivemindpower': 581678, 'since am': 770501, 'not religious': 571301, 'religious anything': 709576, 'anything going': 80777, 'like finding': 490238, 'finding out': 307521, 'who god': 988796, 'god child': 354667, 'child the': 176221, 'child clearing': 176047, 'paper off': 640524, 'off every': 593803, 're winning': 699806, 'since am not': 770503, 'am not religious': 50258, 'not religious anything': 571302, 'religious anything going': 709577, 'anything going to': 80778, 'is like finding': 449315, 'like finding out': 490240, 'finding out who': 307527, 'out who god': 627841, 'who god child': 988797, 'god child the': 354668, 'child the child': 176222, 'the child clearing': 850815, 'child clearing out': 176048, 'clearing out the': 181468, 'out the water': 627438, 'toilet paper off': 921374, 'paper off every': 640525, 'off every shelf': 593805, '19 world it': 12189, 'world it like': 1009729, 'it like they': 459378, 'like they want': 491459, 'want to kill': 966059, 'to kill the': 908943, 'kill the rest': 474521, 'rest of they': 716206, 'of they re': 591883, 'they re winning': 883153, 're winning the': 699807, 'winning the hunger': 996087, 'unfortunately major': 941619, 'major medical': 509392, 'company failed': 190648, 'the logistics': 859662, 'logistics and': 500718, 'and failed': 62610, 'manufacture test': 513392, 'kit vaccine': 475656, 'vaccine medicine': 951734, 'necessary equipment': 553979, 'unfortunately major medical': 941620, 'major medical and': 509393, 'medical and pharmaceutical': 526050, 'and pharmaceutical company': 68959, 'pharmaceutical company failed': 654065, 'company failed to': 190649, 'failed to keep': 296180, 'with the logistics': 1001374, 'the logistics and': 859663, 'logistics and failed': 500720, 'and failed to': 62611, 'failed to manufacture': 296181, 'to manufacture test': 909822, 'manufacture test kit': 513393, 'test kit vaccine': 839071, 'kit vaccine medicine': 475659, 'vaccine medicine and': 951735, 'medicine and other': 526721, 'other necessary equipment': 620561, 'necessary equipment in': 553980, 'equipment in time': 279755, 'of crisis consumer': 582154, 'crisis consumer people': 217243, 'tov': 927085, 'vienna': 957019, 'idea tov': 413211, 'tov business': 927086, 'best continue': 127639, 'all vienna': 45362, 'vienna business': 957020, 'local ordering': 498238, 'ordering pick': 619003, 'from vienna': 338237, 'vienna restaurant': 957022, 'visiting local': 959532, 'great idea tov': 362735, 'idea tov business': 413212, 'tov business are': 927087, 'business are the': 143394, 'the best continue': 849501, 'best continue to': 127640, 'support all vienna': 826339, 'all vienna business': 45363, 'vienna business by': 957021, 'by shopping local': 153995, 'shopping local ordering': 763204, 'local ordering pick': 498239, 'ordering pick up': 619004, 'up and delivery': 944315, 'and delivery from': 61117, 'delivery from vienna': 234050, 'from vienna restaurant': 338238, 'vienna restaurant and': 957023, 'restaurant and visiting': 716303, 'and visiting local': 74991, 'visiting local retailer': 959533, 'local retailer online': 498355, 'glove waited': 353008, 'waited 15': 964262, 'minute in': 533775, 'in spent': 428202, 'spent 350': 789090, '350 and': 17929, 'very creepy': 955086, 'creepy please': 216633, 'disinfect everything': 245542, 'your residence': 1025590, 'grocery store wore': 365968, 'wore mask and': 1004665, 'and glove waited': 63745, 'glove waited 15': 353009, 'waited 15 minute': 964263, '15 minute in': 3776, 'minute in line': 533778, 'get in spent': 347310, 'in spent 350': 428203, 'spent 350 and': 789091, '350 and it': 17930, 'wa all very': 961472, 'all very creepy': 45359, 'very creepy please': 955087, 'creepy please take': 216634, 'please take the': 660640, 'time to disinfect': 897978, 'to disinfect everything': 904397, 'disinfect everything before': 245544, 'everything before you': 287710, 'before you bring': 123315, 'you bring it': 1017527, 'bring it into': 140012, 'it into your': 458830, 'into your residence': 443328, 'anyway that': 81038, 'worker convince': 1006696, 'convince store': 202652, 'an environment': 55786, 'environment that': 279156, 'see multiple': 745446, 'multiple people': 545773, 'are virus': 91485, 'free worry': 332343, 'anyway that grocery': 81039, 'that grocery worker': 844091, 'grocery worker convince': 366166, 'worker convince store': 1006697, 'convince store worker': 202653, 'worker like health': 1007317, 'like health care': 490407, 'care worker get': 164289, 'worker get tested': 1007027, '19 we work': 11961, 'we work in': 973944, 'in an environment': 420298, 'an environment that': 55787, 'environment that see': 279157, 'that see multiple': 846165, 'see multiple people': 745447, 'multiple people come': 545774, 'people come in': 647494, 'come in and': 187359, 'in and we': 420398, 'knowing if they': 477123, 'they are virus': 881452, 'are virus free': 91486, 'virus free worry': 958207, 'free worry that': 332344, 'worry that because': 1010777, 'that because of': 842954, 'motiongraphics': 543276, 'aftereffect': 36631, 'digitalart': 242692, 'visualeffects': 959635, 'vfx': 955761, 'sanitizer motion': 735384, 'motion graphic': 543264, 'graphic corona': 362157, 'staysafe indiafightscorona': 798832, 'indiafightscorona wuhanvirus': 434739, 'wuhanvirus medical': 1013580, 'medical 21daylockdown': 526028, '21daylockdown hand': 15099, 'hand virus': 375908, 'virus motiongraphics': 958510, 'motiongraphics sanitizer': 543277, 'sanitizer aftereffect': 734331, 'aftereffect animation': 36632, 'animation digitalart': 76728, 'digitalart visualeffects': 242693, 'visualeffects indian': 959636, 'indian vfx': 434903, 'vfx 2d': 955762, 'hand sanitizer motion': 375495, 'sanitizer motion graphic': 735385, 'motion graphic corona': 543265, 'graphic corona stayhome': 362158, 'stayhome staysafe indiafightscorona': 798168, 'staysafe indiafightscorona wuhanvirus': 798833, 'indiafightscorona wuhanvirus medical': 434740, 'wuhanvirus medical 21daylockdown': 1013581, 'medical 21daylockdown hand': 526029, '21daylockdown hand virus': 15100, 'hand virus motiongraphics': 375909, 'virus motiongraphics sanitizer': 958511, 'motiongraphics sanitizer aftereffect': 543278, 'sanitizer aftereffect animation': 734332, 'aftereffect animation digitalart': 36633, 'animation digitalart visualeffects': 76729, 'digitalart visualeffects indian': 242694, 'visualeffects indian vfx': 959637, 'indian vfx 2d': 434904, 'cannon': 161573, 'and contaminated': 60477, 'contaminated shopping': 200667, 'shopping question': 763709, 'and answer': 58169, 'answer dr': 78042, 'dr ellie': 258007, 'ellie cannon': 271559, 'cannon answer': 161574, 'coronavirus daily': 205789, 'test mask and': 839084, 'mask and contaminated': 518312, 'and contaminated shopping': 60478, 'contaminated shopping question': 200668, 'shopping question and': 763710, 'question and answer': 693520, 'and answer dr': 58170, 'answer dr ellie': 78043, 'dr ellie cannon': 258008, 'ellie cannon answer': 271560, 'cannon answer your': 161575, 'on coronavirus daily': 600122, 'coronavirus daily mail': 205790, 'shelf once': 757379, 'once filled': 605635, 'more enduring': 539130, 'enduring and': 276325, 'and strange': 72534, 'strange image': 812400, 'but scene': 146978, 'uncommon in': 939855, 'of stress': 590298, 'stress they': 813412, 'are product': 89258, 'the irrational': 858463, 'irrational consumer': 444984, 'empty shelf once': 275083, 'shelf once filled': 757380, 'once filled with': 605636, 'filled with toilet': 305581, 'paper it is': 640379, 'it is one': 459029, 'of the more': 591252, 'the more enduring': 860879, 'more enduring and': 539131, 'enduring and strange': 276326, 'and strange image': 72535, 'strange image of': 812401, 'image of the': 416652, 'crisis but scene': 217156, 'but scene like': 146979, 'scene like these': 741338, 'are not uncommon': 88489, 'not uncommon in': 572305, 'uncommon in time': 939856, 'time of stress': 897364, 'of stress they': 590302, 'stress they are': 813413, 'they are product': 881368, 'are product of': 89259, 'product of the': 681456, 'of the irrational': 591157, 'the irrational consumer': 858464, 'irrational consumer mind': 444985, 'armed with': 92952, 'and wet': 75444, 'wipe essential': 996244, 'worker go': 1007043, 'outbreak despite': 628166, 'despite making': 238779, 'some worry': 784233, 'armed with hand': 92954, 'glove and wet': 352586, 'and wet wipe': 75445, 'wet wipe essential': 980760, 'wipe essential employee': 996245, 'essential employee like': 281004, 'employee like grocery': 274017, 'store worker go': 811518, 'worker go to': 1007044, '19 outbreak despite': 9115, 'outbreak despite making': 628167, 'despite making money': 238780, 'making money some': 511232, 'money some worry': 537028, 'some worry for': 784235, 'worry for their': 1010709, 'own health and': 632056, 'realitycheck': 701820, 'since supply': 770848, 'demand control': 235172, 'now pay': 575520, 'pay cleaner': 644805, 'cleaner much': 180800, 'doctor justsaying': 250972, 'justsaying realitycheck': 470515, 'realitycheck supplychain': 701821, 'since supply and': 770849, 'and demand control': 61144, 'demand control price': 235173, 'control price do': 202112, 'price do we': 673474, 'do we now': 250481, 'we now pay': 972615, 'now pay cleaner': 575521, 'pay cleaner much': 644806, 'cleaner much doctor': 180801, 'much doctor justsaying': 544838, 'doctor justsaying realitycheck': 250973, 'justsaying realitycheck supplychain': 470516, 'telescope': 836831, 'your technology': 1026123, 'big infrared': 129832, 'infrared telescope': 438174, 'telescope that': 836832, 'can scan': 159521, 'scan big': 740698, 'big area': 129619, 'all infected': 43223, 'infected area': 436536, 'spray them': 790333, 'sanitizer com': 734666, 'com china': 186924, 'china thanks': 176975, 'thanks me': 842137, 'use your technology': 949848, 'your technology to': 1026124, 'technology to make': 836392, 'to make big': 909628, 'make big infrared': 509738, 'big infrared telescope': 129833, 'infrared telescope that': 438175, 'telescope that can': 836833, 'that can scan': 843121, 'can scan big': 159522, 'scan big area': 740699, 'big area to': 129620, 'area to discover': 92237, 'to discover all': 904364, 'discover all infected': 244649, 'all infected area': 43225, 'infected area and': 436537, 'area and spray': 91943, 'and spray them': 72139, 'spray them with': 790334, 'them with sanitizer': 876652, 'with sanitizer com': 1000567, 'sanitizer com china': 734667, 'com china thanks': 186925, 'china thanks me': 176976, 'thanks me later': 842138, 'examination': 288810, 'aways': 106136, 'unimpressed': 941822, 'robin examination': 724728, 'examination of': 288811, 'take aways': 831977, 'aways unimpressed': 106137, 'unimpressed by': 941823, 'deal avail': 229347, 'avail for': 104103, 'those isolating': 892132, 'worse the': 1011026, 'profiteer shame': 682984, 'shame uk': 754662, 'takeaway take': 832909, 'note come': 572710, 'together coronacrisis': 920755, 'round robin examination': 726351, 'robin examination of': 724729, 'examination of take': 288812, 'of take aways': 590573, 'take aways unimpressed': 831978, 'aways unimpressed by': 106138, 'unimpressed by the': 941824, 'by the lack': 154361, 'of deal avail': 582405, 'deal avail for': 229348, 'avail for those': 104104, 'for those isolating': 327119, 'those isolating but': 892133, 'but worse the': 147939, 'worse the hiking': 1011027, 'of price generally': 588403, 'price generally to': 674166, 'generally to profiteer': 345545, 'to profiteer shame': 912242, 'profiteer shame shame': 682985, 'shame shame shame': 754643, 'shame shame uk': 754644, 'shame uk takeaway': 754663, 'uk takeaway take': 938792, 'takeaway take note': 832910, 'take note come': 832371, 'note come together': 572711, 'come together coronacrisis': 187626, 'care mzansi': 164072, 'mzansi stay': 551093, 'safe can': 729540, 'serious and': 751333, 'this hard': 887860, 'much it': 545025, 'reduce data': 705817, 'effect even': 268996, 'until covi': 943714, 'take care mzansi': 832011, 'care mzansi stay': 164073, 'mzansi stay safe': 551094, 'stay safe can': 797218, 'safe can you': 729541, 'can you be': 160280, 'you be serious': 1017399, 'be serious and': 117093, 'serious and show': 751335, 'and show that': 71617, 'show that you': 767199, 'you are with': 1017291, 'are with during': 91651, 'with during this': 998154, 'during this hard': 263290, 'this hard time': 887861, 'hard time of': 378040, 'how much it': 408356, 'much it will': 545026, 'will help if': 993717, 'if you reduce': 415506, 'you reduce data': 1020871, 'reduce data price': 705818, 'data price with': 226366, 'price with immediate': 677616, 'immediate effect even': 416984, 'effect even if': 268997, 'is for week': 447896, 'for week only': 327738, 'week only until': 976693, 'only until covi': 611402, 'mailorder': 508712, 'amazon in': 50985, 'pandemic savior': 636387, 'savior or': 737997, 'profiteering price': 683088, 'gouger amazon': 359209, 'amazon retailer': 51092, 'retailer mailorder': 719240, 'mailorder pricegouging': 508713, 'pricegouging consumer': 677798, 'market jeffbezos': 516658, 'amazon in the': 50987, 'midst of coronavirus': 530780, 'of coronavirus pandemic': 581954, 'coronavirus pandemic savior': 206486, 'pandemic savior or': 636388, 'savior or profiteering': 737998, 'or profiteering price': 616723, 'profiteering price gouger': 683089, 'price gouger amazon': 674240, 'gouger amazon retailer': 359210, 'amazon retailer mailorder': 51093, 'retailer mailorder pricegouging': 719241, 'mailorder pricegouging consumer': 508714, 'pricegouging consumer market': 677799, 'consumer market jeffbezos': 198100, 'unpopular': 943060, 'decision is': 231044, 'very unpopular': 955631, 'unpopular with': 943061, 'most oil': 542578, 'oil exporting': 596781, 'exporting country': 292764, 'country international': 210788, 'international energy': 441794, 'energy company': 276407, 'american shale': 52189, 'shale producer': 754507, 'producer because': 680580, 'because collapsing': 119001, 'drastically decrease': 258431, 'decrease revenue': 231595, 'case force': 165749, 'into bankruptcy': 442421, 'damn this decision': 225446, 'this decision is': 887186, 'decision is very': 231046, 'is very unpopular': 453701, 'very unpopular with': 955632, 'unpopular with most': 943062, 'with most oil': 999573, 'most oil exporting': 542579, 'oil exporting country': 596782, 'exporting country international': 292765, 'country international energy': 210789, 'international energy company': 441796, 'energy company and': 276408, 'company and american': 190372, 'and american shale': 58068, 'american shale producer': 52190, 'shale producer because': 754508, 'producer because collapsing': 680581, 'because collapsing price': 119002, 'collapsing price will': 186147, 'price will drastically': 677561, 'will drastically decrease': 993253, 'drastically decrease revenue': 258432, 'decrease revenue and': 231596, 'revenue and in': 720377, 'some case force': 782486, 'case force them': 165750, 'force them into': 328515, 'them into bankruptcy': 875934, 'order healthcare': 618290, 'worker policeman': 1007606, 'particular order healthcare': 642628, 'order healthcare worker': 618291, 'healthcare worker policeman': 387374, 'worker policeman woman': 1007607, 'amenity': 51415, 'rentstrike': 711338, 'rentrelief': 711333, 'greedoverpe': 363462, 'bell continues': 126483, 'charge full': 173244, 'full rent': 340846, 'rent with': 711207, 'very few': 955158, 'few accommodation': 303706, 'accommodation for': 28447, 'still deprived': 800426, 'deprived of': 237701, 'all amenity': 41998, 'amenity but': 51416, 'they demand': 881888, 'demand their': 236363, 'their luxury': 873901, 'luxury price': 506948, 'no empathy': 564106, 'empathy for': 273350, 'tenant rentstrike': 837853, 'rentstrike rentrelief': 711339, 'rentrelief greedoverpe': 711337, 'bell continues to': 126484, 'continues to charge': 201464, 'to charge full': 902639, 'charge full rent': 173246, 'full rent with': 340847, 'rent with very': 711208, 'with very few': 1001972, 'very few accommodation': 955159, 'few accommodation for': 303707, 'accommodation for resident': 28450, 'for resident we': 325149, 'resident we are': 714396, 'are still deprived': 90413, 'still deprived of': 800427, 'deprived of all': 237702, 'of all amenity': 579920, 'all amenity but': 41999, 'amenity but they': 51417, 'but they demand': 147500, 'they demand their': 881890, 'demand their luxury': 236365, 'their luxury price': 873902, 'luxury price no': 506949, 'price no empathy': 675342, 'no empathy for': 564107, 'empathy for tenant': 273352, 'for tenant rentstrike': 326207, 'tenant rentstrike rentrelief': 837854, 'rentstrike rentrelief greedoverpe': 711340, 'traditional shopping': 929020, 'being fractured': 125169, 'fractured nationwide': 330878, 'consumer grapple': 197648, '19 consumertrends': 6003, 'consumertrends news': 199786, 'traditional shopping habit': 929021, 'shopping habit are': 762837, 'habit are being': 372568, 'are being fractured': 84863, 'being fractured nationwide': 125170, 'fractured nationwide consumer': 330879, 'nationwide consumer grapple': 552721, 'consumer grapple with': 197649, 'grapple with uncertainty': 362198, 'with uncertainty about': 1001889, 'impact of novel': 417788, 'of novel coronavirus': 587090, 'covid 19 consumertrends': 212846, '19 consumertrends news': 6004, 'shal': 754488, 'frnds': 334129, 'news stop': 560824, 'stop creating': 804598, 'creating panic': 216043, 'panic avoid': 637389, 'avoid gathering': 105117, 'hygiene will': 412196, 'all shal': 44293, 'shal celebrate': 754489, 'celebrate than': 168797, 'than happily': 840726, 'happily we': 377560, 'we miss': 972380, 'miss our': 534171, 'our frnds': 623189, 'frnds food': 334130, 'most ti': 542815, 'could not agree': 209431, 'not agree more': 568091, 'agree more need': 38620, 'stop spreading fake': 805058, 'fake news stop': 296675, 'news stop creating': 560825, 'stop creating panic': 804600, 'creating panic avoid': 216045, 'panic avoid gathering': 637391, 'avoid gathering and': 105118, 'gathering and keep': 344432, 'and keep good': 65762, 'keep good hygiene': 471556, 'good hygiene will': 357204, 'hygiene will end': 412197, 'will end and': 993303, 'end and we': 275772, 'we all shal': 970358, 'all shal celebrate': 44294, 'shal celebrate than': 754490, 'celebrate than happily': 168798, 'than happily we': 840727, 'happily we miss': 377561, 'we miss our': 972382, 'miss our frnds': 534172, 'our frnds food': 623190, 'frnds food and': 334131, 'food and place': 313308, 'and place we': 69052, 'place we like': 657816, 'we like the': 972196, 'like the most': 491382, 'the most ti': 861048, 'lymphoma': 507110, 'chemotherapy': 175483, 'having leukemia': 384136, 'leukemia or': 487470, 'or lymphoma': 616026, 'lymphoma undergoing': 507111, 'undergoing chemotherapy': 940439, 'chemotherapy or': 175484, 'having current': 384022, 'or recent': 616802, 'recent cancer': 703826, 'cancer treatment': 161277, 'treatment increase': 931095, 'your chance': 1023177, 'serious reaction': 751466, 'info will': 437615, 'help stayhome': 390568, 'having leukemia or': 384137, 'leukemia or lymphoma': 487471, 'or lymphoma undergoing': 616027, 'lymphoma undergoing chemotherapy': 507112, 'undergoing chemotherapy or': 940440, 'chemotherapy or having': 175485, 'or having current': 615595, 'having current or': 384023, 'current or recent': 221279, 'or recent cancer': 616803, 'recent cancer treatment': 703827, 'cancer treatment increase': 161278, 'treatment increase your': 931096, 'increase your chance': 433161, 'your chance of': 1023182, 'chance of serious': 171768, 'of serious reaction': 589524, 'serious reaction to': 751467, 'reaction to the': 700225, 'coronavirus this info': 206930, 'this info will': 888104, 'info will help': 437616, 'will help stayhome': 993730, 'help stayhome socialdistancing': 390569, 'stayhome socialdistancing quarantine': 798117, 'with careful': 997546, 'consideration the': 195263, 'continue an': 200997, 'interactive online': 441291, 'online program': 608811, 'program in': 683256, 'minimize health': 533113, 're adjusting': 698188, 'adjusting price': 32349, 'together condensed': 920749, 'condensed experience': 193368, 'experience that': 291500, 'just inspiring': 469066, 'inspiring more': 439863, '19 update with': 11693, 'update with careful': 947325, 'with careful consideration': 997547, 'careful consideration the': 164395, 'consideration the 2020': 195264, 'the 2020 will': 848028, '2020 will continue': 14722, 'will continue an': 993009, 'continue an interactive': 200998, 'an interactive online': 56396, 'interactive online program': 441292, 'online program in': 608812, 'program in order': 683257, 'order to minimize': 618693, 'to minimize health': 910165, 'minimize health risk': 533114, 'health risk we': 386813, 'risk we re': 724006, 'we re adjusting': 972817, 're adjusting price': 698189, 'adjusting price and': 32350, 'price and putting': 672512, 'and putting together': 69843, 'putting together condensed': 691266, 'together condensed experience': 920750, 'condensed experience that': 193369, 'experience that will': 291501, 'will be just': 992525, 'be just inspiring': 115586, 'just inspiring more': 469067, 'servicers': 753149, 'pandemic mortgage': 635984, 'mortgage lender': 541918, 'and servicers': 71324, 'servicers are': 753150, 'new moratorium': 559114, 'moratorium and': 538435, 'regulation affecting': 708038, 'affecting residential': 34550, 'residential mortgage': 714435, '19 pandemic mortgage': 9398, 'pandemic mortgage lender': 635985, 'mortgage lender and': 541919, 'lender and servicers': 486215, 'and servicers are': 71325, 'servicers are working': 753151, 'working to adapt': 1008980, 'to new moratorium': 910565, 'new moratorium and': 559115, 'moratorium and regulation': 538437, 'and regulation affecting': 70168, 'regulation affecting residential': 708039, 'affecting residential mortgage': 34551, 'residential mortgage loan': 714436, 'break due': 138710, 'to panicshopping': 911445, 'on break due': 599697, 'break due to': 138711, 'due to panicshopping': 261899, 'whiskey producer': 987777, 'they organized': 882848, 'whiskey producer are': 987778, 'producer are making': 680574, 'sanitizer here how': 735081, 'here how they': 393113, 'how they organized': 408923, 'md and two': 522258, 'like healthcare': 490410, 'and stocker': 72427, 'stocker risk': 803519, 'risk infection': 723637, 'infection they': 436867, 'they qualify': 882963, 'qualify emergency': 691720, 'in vermont': 430558, 'vermont and': 954844, 'and minnesota': 67054, 'like healthcare worker': 490411, 'responder grocery clerk': 715470, 'grocery clerk and': 364379, 'clerk and stocker': 181645, 'and stocker risk': 72430, 'stocker risk infection': 803520, 'risk infection they': 723638, 'infection they put': 436869, 'they put themselves': 882959, 'put themselves in': 690898, 'themselves in close': 876831, 'in close contact': 421510, 'with customer now': 997901, 'customer now they': 222630, 'now they qualify': 576113, 'they qualify emergency': 882964, 'qualify emergency worker': 691721, 'emergency worker in': 273060, 'worker in vermont': 1007209, 'in vermont and': 430559, 'vermont and minnesota': 954845, 'bulgaria': 142229, 'medium showed': 527278, 'showed bulgaria': 767319, 'bulgaria national': 142230, 'national reserve': 552604, 'reserve announced': 714036, 'of equipment': 583143, 'equipment which': 279873, 'need re': 555499, 'private entity': 678896, 'entity the': 278861, 'the reserve': 865574, 'reserve claim': 714046, 'claim this': 179843, 'is equipment': 447533, 'from 70': 334328, 'ago such': 38480, 'such equipment': 816474, 'equipment cannot': 279704, 'medium showed bulgaria': 527279, 'showed bulgaria national': 767320, 'bulgaria national reserve': 142231, 'national reserve announced': 552605, 'reserve announced the': 714038, 'announced the sale': 77083, 'sale of equipment': 732389, 'of equipment which': 583146, 'equipment which we': 279875, 'which we need': 986465, 'we need re': 972532, 'need re at': 555500, 're at discounted': 698323, 'discounted price to': 244603, 'price to private': 677026, 'to private entity': 912155, 'private entity the': 678897, 'entity the reserve': 278862, 'the reserve claim': 865576, 'reserve claim this': 714047, 'claim this is': 179844, 'this is equipment': 888245, 'is equipment from': 447534, 'equipment from 70': 279731, 'from 70 year': 334329, '70 year ago': 21864, 'year ago such': 1014361, 'ago such equipment': 38481, 'such equipment cannot': 816475, 'equipment cannot be': 279705, 'cannot be part': 161643, 'of the reserve': 591406, 'restoring': 717069, 'sa say': 728932, 'say restoring': 739100, 'restoring balance': 717070, 'balance to': 108996, 'require change': 713297, 'in forecasting': 423036, 'forecasting demand': 328903, 'demand planning': 236034, 'planning by': 658524, 'retailer cpg': 719098, 'company read': 191003, 'read his': 700357, 'his tip': 397863, 'sa say restoring': 728933, 'say restoring balance': 739101, 'restoring balance to': 717071, 'balance to the': 108997, 'chain will require': 171243, 'will require change': 994661, 'require change in': 713298, 'change in forecasting': 172119, 'in forecasting demand': 423038, 'forecasting demand planning': 328904, 'demand planning by': 236035, 'planning by retailer': 658525, 'by retailer cpg': 153800, 'retailer cpg company': 719099, 'cpg company read': 214594, 'company read his': 191004, 'read his tip': 700359, 'fav': 300443, 'clever solution': 181870, 'my fav': 548258, 'fav supermarket': 300446, 'buy bottle': 148432, 'pay approx': 644756, 'approx bottle': 83232, 'you 130': 1016744, 'clever solution to': 181871, 'solution to in': 782101, 'to in my': 908228, 'in my fav': 425576, 'my fav supermarket': 548260, 'fav supermarket if': 300447, 'you buy bottle': 1017563, 'buy bottle of': 148433, 'sanitizer you pay': 736169, 'you pay approx': 1020304, 'pay approx bottle': 644757, 'approx bottle of': 83233, 'of sanitizer will': 589303, 'sanitizer will cost': 736103, 'will cost you': 993051, 'cost you 130': 208166, 'rescheduling': 713591, 'is canceling': 446366, 'canceling order': 160988, 'order without': 618788, 'without rescheduling': 1002883, 'rescheduling them': 713597, 'them due': 875631, 'despite putting': 238826, 'more out': 539971, 'out hope': 626310, 'all stocked': 44472, 'do use': 250433, 'use shopping': 949569, 'not can': 568678, 'so is canceling': 777440, 'is canceling order': 446368, 'canceling order without': 160989, 'order without rescheduling': 618789, 'without rescheduling them': 1002884, 'rescheduling them due': 713598, 'them due to': 875632, 'high demand despite': 395003, 'demand despite putting': 235230, 'despite putting in': 238827, 'in the order': 429422, 'the order week': 862455, 'order week or': 618763, 'or more out': 616184, 'more out hope': 539972, 'out hope all': 626311, 'hope all stocked': 403413, 'all stocked up': 44473, 'stocked up please': 803442, 'up please do': 945776, 'please do use': 659902, 'do use shopping': 250436, 'use shopping delivery': 949571, 'shopping delivery service': 762463, 'delivery service if': 234441, 'you did so': 1018200, 'did so those': 240806, 'so those that': 778511, 'those that could': 892529, 'could not can': 209436, 'not can get': 568679, 'experience financial': 291359, 'hardship because': 378275, 'need soon': 555617, 'possible read': 665750, 'read financial': 700334, 'financial tip': 306619, 'think you may': 885815, 'you may experience': 1019798, 'may experience financial': 521158, 'experience financial hardship': 291360, 'financial hardship because': 306429, 'hardship because of': 378276, 'pandemic be sure': 634978, 'sure to get': 827763, 'get the help': 348250, 'the help you': 857264, 'help you need': 390985, 'you need soon': 1020039, 'need soon possible': 555618, 'soon possible read': 785799, 'possible read financial': 665751, 'read financial tip': 700335, 'financial tip here': 306620, 'bursting': 142963, 'china army': 176504, 'hurting demand': 411634, 'new credit': 558567, 'and ability': 57534, 'service older': 752641, 'older one': 598632, 'one read': 606936, 'loan bubble': 497404, 'bubble is': 141602, 'is bursting': 446306, '19 china army': 5793, 'china army of': 176505, 'army of consumer': 93021, 'consumer are hurting': 196298, 'are hurting demand': 87282, 'hurting demand for': 411635, 'demand for new': 235459, 'for new credit': 323820, 'new credit and': 558568, 'credit and ability': 216305, 'and ability to': 57535, 'ability to service': 24402, 'to service older': 914282, 'service older one': 752642, 'older one read': 598633, 'one read how': 606937, 'read how the': 700362, 'how the consumer': 408808, 'the consumer loan': 851557, 'consumer loan bubble': 198056, 'loan bubble is': 497405, 'bubble is bursting': 141603, 'that selfish': 846174, 'selfish person': 748220, 'just hug': 469004, 'hug up': 409963, 'that selfish person': 846175, 'selfish person who': 748221, 'person who just': 652727, 'who just hug': 989143, 'just hug up': 469005, 'hug up everything': 409964, 'mpe prepared': 544308, 'service adopts': 752033, 'adopts covid': 32731, 'measure read': 525304, 'mpe prepared to': 544309, 'prepared to continue': 670249, 'electric service adopts': 271125, 'service adopts covid': 752034, 'adopts covid 19': 32732, '19 consumer and': 5954, 'safety measure read': 730625, 'measure read more': 525305, 'more money by': 539789, 'money by being': 536651, 'by being quarantined': 151948, 'sizeable': 772815, 'mcdonald announcement': 522136, 'announcement alongside': 77127, 'alongside other': 47099, 'outlet ha': 629042, 'caused mass': 167910, 'panic across': 637266, 'with sizeable': 1000751, 'sizeable queue': 772818, 'queue reported': 694048, 'reported outside': 712514, 'outside many': 629481, 'restaurant doe': 716426, 'the reliance': 865482, 'reliance of': 709235, 'on convenience': 600103, 'convenience marketing': 202328, 'marketing mcdonalds': 517648, 'mcdonald announcement alongside': 522137, 'announcement alongside other': 77128, 'alongside other food': 47100, 'other food outlet': 620244, 'food outlet ha': 315718, 'outlet ha caused': 629043, 'ha caused mass': 370088, 'caused mass panic': 167911, 'mass panic across': 519822, 'panic across the': 637267, 'uk with sizeable': 938912, 'with sizeable queue': 1000752, 'sizeable queue reported': 772819, 'queue reported outside': 694049, 'reported outside many': 712515, 'outside many restaurant': 629482, 'many restaurant doe': 514642, 'restaurant doe this': 716427, 'doe this show': 251644, 'this show the': 890140, 'show the reliance': 767217, 'the reliance of': 865483, 'reliance of the': 709236, 'uk consumer on': 938265, 'consumer on convenience': 198259, 'on convenience marketing': 600104, 'convenience marketing mcdonalds': 202329, 'america go': 51535, 'irresponsibly reporting': 445099, 'reporting that': 712764, 'that cashier': 843174, 'well america go': 978008, 'america go out': 51536, 'out in panic': 626391, 'in panic buy': 426476, 'is irresponsibly reporting': 448993, 'irresponsibly reporting that': 445100, 'reporting that there': 712766, 'and that cashier': 73184, 'that cashier are': 843175, 'they create panic': 881852, 'create panic and': 215716, 'and smile they': 71810, 'smile they film': 775742, 'coronated': 205290, 'eyed': 294134, 'forex today': 329174, 'will king': 993927, 'king dollar': 475256, 'dollar be': 252957, 'be re': 116683, 're coronated': 698470, 'coronated after': 205291, 'plunge virus': 661472, 'virus consumer': 958074, 'data eyed': 226205, 'eyed by': 294135, 'forex today will': 329175, 'today will king': 920543, 'will king dollar': 993928, 'king dollar be': 475257, 'dollar be re': 252958, 'be re coronated': 116684, 're coronated after': 698471, 'coronated after the': 205292, 'after the plunge': 36345, 'the plunge virus': 863863, 'plunge virus consumer': 661473, 'virus consumer data': 958075, 'consumer data eyed': 197054, 'data eyed by': 226206, 'had dramatic': 373055, 'dramatic impact': 258292, '19 ha already': 7325, 'ha already had': 369509, 'already had dramatic': 47392, 'had dramatic impact': 373056, 'dramatic impact on': 258293, 'fixture': 309879, 'adulation': 32777, 'the 8pm': 848206, '8pm clap': 23212, 'clap celebration': 179955, 'celebration permanent': 168861, 'permanent fixture': 652050, 'fixture post': 309880, 'post it': 666183, 'nice in': 562423, 'way and': 969457, 'll always': 496550, 'be someone': 117302, 'that deserves': 843505, 'deserves bit': 238169, 'of adulation': 579796, 'we make the': 972341, 'make the 8pm': 510556, 'the 8pm clap': 848207, '8pm clap celebration': 23213, 'clap celebration permanent': 179956, 'celebration permanent fixture': 168862, 'permanent fixture post': 652051, 'fixture post it': 309881, 'post it nice': 666186, 'it nice in': 459804, 'nice in all': 562424, 'of way and': 592951, 'way and there': 969461, 'and there ll': 73843, 'there ll always': 878719, 'll always be': 496551, 'always be someone': 49482, 'be someone that': 117303, 'someone that deserves': 784685, 'that deserves bit': 843506, 'deserves bit of': 238170, 'bit of adulation': 131630, 'of pad': 587658, 'pad soap': 633785, 'soap dettol': 778977, 'dettol etc': 239525, 'etc people': 282698, 'not freaking': 569528, 'aren crazy': 92374, 'crazy buying': 215263, 'buying let': 150646, 'panic end': 638066, 'live happily': 495834, 'happily again': 377550, 'market are full': 516020, 'full of pad': 340744, 'of pad soap': 587659, 'pad soap dettol': 633786, 'soap dettol etc': 778978, 'dettol etc people': 239526, 'etc people are': 282699, 'are not freaking': 88375, 'not freaking out': 569529, 'freaking out they': 331551, 'out they know': 627548, 'know there enough': 476864, 'there enough they': 878360, 'enough they aren': 277679, 'they aren crazy': 881475, 'aren crazy buying': 92375, 'crazy buying let': 215264, 'buying let hope': 150647, 'let hope the': 486807, 'hope the panic': 403682, 'the panic end': 863202, 'panic end soon': 638067, 'soon all over': 785617, 'world and we': 1009291, 'and we live': 75301, 'we live happily': 972215, 'live happily again': 495835, 'happily again 19': 377551, 'cannabis weed': 161455, 'weed cbd': 975758, 'cbd windsor': 168332, 'cannabis shop': 161443, 'shop set': 760756, 'ongoing cannabiscommunity': 607601, 'cannabis weed cbd': 161456, 'weed cbd windsor': 975759, 'cbd windsor first': 168333, 'legal cannabis shop': 485848, 'cannabis shop set': 161444, 'shop set to': 760757, 'set to open': 753528, 'week despite covid': 976152, '19 concern the': 5927, 'concern the team': 193121, 'despite ongoing cannabiscommunity': 238805, 'payphones': 645811, 'littlefireseverywhere': 495666, 'watching them': 968808, 'them talking': 876367, 'talking on': 834025, 'on payphones': 602724, 'payphones without': 645812, 'sanitizer sanitizing': 735698, 'mask make': 518938, 'me cringe': 522624, 'cringe yes': 216922, 'yes know': 1015475, 'they in': 882448, 'different time': 242103, 'time triggered': 898132, 'triggered littlefireseverywhere': 931918, 'watching them talking': 968809, 'them talking on': 876368, 'talking on payphones': 834026, 'on payphones without': 602725, 'payphones without hand': 645813, 'hand sanitizer sanitizing': 375577, 'sanitizer sanitizing wipe': 735699, 'sanitizing wipe or': 736536, 'wipe or mask': 996337, 'or mask make': 616070, 'mask make me': 518939, 'make me cringe': 510128, 'me cringe yes': 522625, 'cringe yes know': 216923, 'yes know they': 1015476, 'know they in': 476878, 'they in different': 882449, 'in different time': 422258, 'different time triggered': 242106, 'time triggered littlefireseverywhere': 898133, 'civet': 179490, '19 described': 6501, 'virus came': 958027, 'no coincidence': 563844, 'coincidence it': 185661, 'of practice': 588342, 'practice specific': 668665, 'specific to': 788263, 'china economic': 176629, 'china led': 176791, 'animal protein': 76645, 'protein from': 685888, 'from exotic': 335351, 'exotic game': 290439, 'game food': 343170, 'food animal': 313388, 'animal such': 76662, 'such civet': 816397, 'covid 19 described': 212934, '19 described the': 6502, 'described the chinese': 237955, 'virus the fact': 958885, 'fact that the': 295812, 'the virus came': 870808, 'virus came from': 958028, 'china is no': 176755, 'is no coincidence': 449917, 'no coincidence it': 563845, 'coincidence it wa': 185662, 'wa the result': 963468, 'result of practice': 717610, 'of practice specific': 588343, 'practice specific to': 668666, 'specific to china': 788264, 'to china economic': 902725, 'china economic growth': 176630, 'economic growth in': 267115, 'growth in china': 367394, 'in china led': 421414, 'china led to': 176792, 'led to increased': 485287, 'for animal protein': 319361, 'animal protein from': 76646, 'protein from exotic': 685889, 'from exotic game': 335352, 'exotic game food': 290440, 'game food animal': 343171, 'food animal such': 313389, 'animal such civet': 76663, 'kilowatt': 474756, 'period the': 651893, 'will hold': 993750, 'hold electricity': 399916, 'the off': 862058, '10 cent': 1358, 'per kilowatt': 650907, 'kilowatt hour': 474757, 'hour read': 405881, 'benefit you': 127147, '45 day period': 19087, 'day period the': 228213, 'period the government': 651894, 'government will hold': 360815, 'will hold electricity': 993752, 'hold electricity price': 399917, 'electricity price to': 271200, 'to the off': 916916, 'the off peak': 862060, 'peak rate of': 646098, 'rate of 10': 697309, 'of 10 cent': 579304, '10 cent per': 1359, 'cent per kilowatt': 169108, 'per kilowatt hour': 650908, 'kilowatt hour read': 474759, 'hour read more': 405882, 'on how this': 601426, 'how this can': 408944, 'this can benefit': 886680, 'can benefit you': 157751, 'lifespan': 489342, 'inevitable the': 436409, 'severity depends': 754123, 'the lifespan': 859346, 'lifespan of': 489345, 'employment despite': 274588, 'lowest mortgage': 506187, 'mortgage rate': 541944, 'history if': 398028, 'in drove': 422392, 'drove demand': 260789, 'and foreclosure': 63191, 'foreclosure rise': 328930, 'rise rapidly': 722982, 'rapidly within': 697038, 'within month': 1002391, 'month real': 537974, 'impact on housing': 417856, 'on housing price': 601379, 'housing price is': 407136, 'price is inevitable': 674869, 'is inevitable the': 448898, 'inevitable the severity': 436410, 'the severity depends': 866754, 'severity depends on': 754124, 'on the lifespan': 604210, 'the lifespan of': 859347, 'lifespan of the': 489346, 'impact on employment': 417847, 'on employment despite': 600548, 'employment despite the': 274589, 'despite the lowest': 238890, 'the lowest mortgage': 859814, 'lowest mortgage rate': 506188, 'mortgage rate in': 541946, 'rate in history': 697264, 'in history if': 423754, 'history if people': 398029, 'if people lose': 414624, 'job in drove': 465876, 'in drove demand': 422393, 'drove demand collapse': 260790, 'demand collapse and': 235147, 'collapse and foreclosure': 185967, 'and foreclosure rise': 63192, 'foreclosure rise rapidly': 328931, 'rise rapidly within': 722985, 'rapidly within month': 697040, 'within month real': 1002392, 'month real estate': 537975, 'mustardoil': 547030, 'enginemustardoil': 276991, 'enginebrand': 276950, 'stayfit': 797880, 'needy stop': 556703, 'them staysafe': 876327, 'staysafe mustardoil': 798849, 'mustardoil enginemustardoil': 547031, 'enginemustardoil enginebrand': 276992, 'enginebrand healthyfood': 276951, 'healthyfood stayfit': 387843, 'stayfit cooking': 797881, 'cooking nutrition': 202884, 'buying will lead': 151368, 'food for needy': 314557, 'for needy stop': 323804, 'needy stop it': 556704, 'stop it and': 804780, 'it and help': 456498, 'and help them': 64475, 'help them staysafe': 390713, 'them staysafe mustardoil': 876328, 'staysafe mustardoil enginemustardoil': 798850, 'mustardoil enginemustardoil enginebrand': 547032, 'enginemustardoil enginebrand healthyfood': 276993, 'enginebrand healthyfood stayfit': 276952, 'healthyfood stayfit cooking': 387844, 'stayfit cooking nutrition': 797882, 'hedger': 388737, 'feedlot': 302521, 'diverge': 248512, 'absent long': 27205, 'long live': 501514, 'cattle market': 167359, 'market hedger': 516516, 'hedger panic': 388738, 'panic selloff': 638528, 'selloff like': 749551, 'like tyson': 491690, 'tyson fire': 937696, 'fire or': 308104, '19 create': 6195, 'create rapidly': 215724, 'rapidly oversold': 697000, 'oversold market': 631538, 'resulting positive': 717719, 'positive basis': 665261, 'basis give': 112242, 'give hedged': 350511, 'hedged feedlot': 388724, 'feedlot incentive': 302522, 'so packer': 777980, 'packer bid': 633678, 'bid and': 129466, 'pay lower': 644987, 'lower money': 505912, 'money causing': 536666, 'causing cattle': 167999, 'and beef': 58807, 'to diverge': 904458, 'absent long live': 27206, 'long live cattle': 501515, 'live cattle market': 495764, 'cattle market hedger': 167361, 'market hedger panic': 516517, 'hedger panic selloff': 388739, 'panic selloff like': 638529, 'selloff like tyson': 749552, 'like tyson fire': 491691, 'tyson fire or': 937697, 'fire or covid': 308105, 'covid 19 create': 212885, '19 create rapidly': 6196, 'create rapidly oversold': 215725, 'rapidly oversold market': 697001, 'oversold market the': 631539, 'market the resulting': 517200, 'the resulting positive': 865703, 'resulting positive basis': 717720, 'positive basis give': 665262, 'basis give hedged': 112243, 'give hedged feedlot': 350512, 'hedged feedlot incentive': 388725, 'feedlot incentive to': 302523, 'incentive to sell': 431372, 'to sell so': 914174, 'sell so packer': 748881, 'so packer bid': 777981, 'packer bid and': 633679, 'bid and pay': 129467, 'and pay lower': 68800, 'pay lower money': 644988, 'lower money causing': 505913, 'money causing cattle': 536667, 'causing cattle price': 168000, 'cattle price and': 167366, 'price and beef': 672367, 'and beef price': 58808, 'beef price to': 120545, 'price to diverge': 676984, 'buffer': 141858, 'demand market': 235842, 'say closure': 738516, 'market part': 516834, 'contain spread': 200487, 'increase level': 432896, 'food going': 314681, 'waste this': 968203, 'this implies': 888017, 'implies an': 418582, 'increased need': 433375, 'in mean': 425209, 'among small': 53053, 'informal food': 437682, 'to buffer': 902078, 'disruption in demand': 246491, 'in demand market': 422139, 'demand market due': 235843, 'due to say': 261935, 'to say closure': 913814, 'say closure of': 738517, 'closure of food': 183964, 'of food market': 583730, 'food market part': 315400, 'market part of': 516835, 'to contain spread': 903367, 'contain spread of': 200488, 'of virus will': 592832, 'virus will increase': 959042, 'will increase level': 993816, 'increase level of': 432897, 'level of food': 487637, 'of food going': 583697, 'food going to': 314683, 'to waste this': 918374, 'waste this implies': 968204, 'this implies an': 888018, 'implies an increased': 418583, 'an increased need': 56244, 'increased need in': 433376, 'need in mean': 555044, 'in mean of': 425210, 'mean of preserving': 524585, 'preserving food among': 670724, 'food among small': 313127, 'among small scale': 53054, 'small scale and': 775111, 'scale and informal': 739871, 'and informal food': 65216, 'informal food trader': 437683, 'food trader to': 317355, 'trader to buffer': 928780, 'tasmanian': 834761, 'outbreak domestic': 628174, 'domestic demand': 253177, 'dramatically citizen': 258331, 'product tasmanian': 681681, 'tasmanian potato': 834762, 'potato supplier': 666985, 'supplier reported': 824603, 'reported they': 712548, 'sold three': 781781, 'week than': 976967, 'update with the': 947329, 'the outbreak domestic': 862613, 'outbreak domestic demand': 628175, 'domestic demand for': 253179, 'demand for staple': 235498, 'for staple food': 325869, 'staple food in': 793932, 'food in ha': 314940, 'in ha increased': 423497, 'ha increased dramatically': 370946, 'increased dramatically citizen': 433301, 'dramatically citizen are': 258332, 'citizen are stockpiling': 178855, 'are stockpiling food': 90522, 'stockpiling food product': 803963, 'food product tasmanian': 316031, 'product tasmanian potato': 681682, 'tasmanian potato supplier': 834763, 'potato supplier reported': 666986, 'supplier reported they': 824604, 'reported they sold': 712549, 'they sold three': 883413, 'sold three time': 781782, 'three time the': 894080, 'time the number': 897863, 'number of last': 576953, 'last week than': 480678, 'week than normal': 976969, 're parent': 699242, 'london if': 501094, 'child receives': 176184, 'receives free': 703729, 'meal make': 524209, 're accessing': 698175, 'accessing the': 28367, 'government 15': 359808, 'voucher over': 960657, 'weekend here': 977345, 'information you': 438051, 'this on if': 889214, 'you re parent': 1020698, 're parent in': 699243, 'parent in london': 641655, 'in london if': 424883, 'london if your': 501095, 'your child receives': 1023206, 'child receives free': 176185, 'receives free school': 703730, 'school meal make': 741858, 'meal make sure': 524210, 'you re accessing': 1020555, 're accessing the': 698176, 'accessing the government': 28368, 'the government 15': 856503, 'government 15 supermarket': 359809, 'supermarket voucher over': 823675, 'voucher over the': 960658, 'over the bank': 630695, 'the bank holiday': 849244, 'holiday weekend here': 400380, 'weekend here all': 977346, 'here all the': 392667, 'all the information': 44795, 'the information you': 858262, 'information you need': 438053, 'feeling effect': 302982, 'of induced': 585141, 'induced shift': 435489, 'feeling effect of': 302983, 'effect of induced': 269052, 'of induced shift': 585142, 'induced shift in': 435490, 'shift in behavior': 758317, 'cattle what': 167381, 'may exist': 521155, 'front or': 338655, 'or behind': 614532, 'behind you': 124763, 'you space': 1021311, 'space yourselves': 787200, 'yourselves out': 1026805, 'out demand': 625948, 'space this': 787171, 'not video': 572398, 'have immunity': 381016, 'immunity if': 417410, 'store line up': 808759, 'line up like': 493526, 'up like cattle': 945313, 'like cattle what': 489977, 'cattle what don': 167382, 'what don they': 981385, 'don they get': 253966, 'they get the': 882181, 'get the coronavirus': 348234, 'coronavirus may exist': 206271, 'may exist in': 521156, 'exist in the': 290238, 'in the person': 429447, 'in front or': 423134, 'front or behind': 338656, 'or behind you': 614533, 'behind you space': 124764, 'you space yourselves': 1021313, 'space yourselves out': 787201, 'yourselves out demand': 1026806, 'out demand the': 625950, 'demand the space': 236361, 'the space this': 867531, 'space this is': 787172, 'is not video': 450218, 'not video game': 572399, 'video game you': 956763, 'game you do': 343305, 'not have immunity': 569842, 'have immunity if': 381017, 'immunity if you': 417411, 'if you make': 415473, 'professional city': 682436, 'others thank': 621689, 'all powerful': 44004, 'karim emergency': 470919, 'crisis healthcare professional': 217479, 'healthcare professional city': 387229, 'professional city official': 682437, 'many others thank': 514455, 'others thank you': 621690, 'you all powerful': 1016900, 'all powerful perspective': 44006, 'naz karim emergency': 553182, 'karim emergency physician': 470920, 'emergency physician and': 272873, 'subsidised': 815979, 'ccea': 168418, 'approves': 83217, 'gov decision': 359569, 'give 80': 350358, '80 cr': 22563, 'cr indian': 214668, 'indian 7kg': 434765, '7kg ration': 22481, 'ration at': 697640, 'at subsidised': 100673, 'subsidised price': 815980, 'during is': 262725, 'big wheat': 130106, 'wheat kg': 982996, 'kg amp': 473636, 'not 27': 567993, '27 kg': 16287, 'kg rice': 473666, 'rice kg': 721073, 'not 37': 568001, '37 kg': 18073, 'kg ccea': 473646, 'ccea approves': 168419, 'approves of': 83218, 'with 1340': 996946, '1340 cr': 3334, 'gov decision to': 359570, 'decision to give': 231104, 'to give 80': 906669, 'give 80 cr': 350359, '80 cr indian': 22564, 'cr indian 7kg': 214669, 'indian 7kg ration': 434766, '7kg ration at': 22482, 'ration at subsidised': 697641, 'at subsidised price': 100674, 'subsidised price during': 815981, 'price during is': 673626, 'during is big': 262726, 'is big wheat': 446173, 'big wheat kg': 130107, 'wheat kg amp': 982997, 'kg amp not': 473637, 'amp not 27': 54189, 'not 27 kg': 567994, '27 kg rice': 16288, 'kg rice kg': 473667, 'rice kg amp': 721074, 'amp not 37': 54190, 'not 37 kg': 568002, '37 kg ccea': 18074, 'kg ccea approves': 473647, 'ccea approves of': 168420, 'approves of with': 83219, 'of with 1340': 593203, 'with 1340 cr': 996947, '1340 cr to': 3335, 'cr to improve': 214674, 'to improve their': 908208, 'about trump': 26783, 'trump not': 933728, 'being proactive': 125583, 'proactive to': 679170, 'yet obama': 1016173, 'obama wa': 578337, 'not proactive': 571094, 'collapse which': 186072, 'recession which': 704402, 'to gas': 906368, 'price reaching': 676091, 'over gallon': 630246, 'gallon people': 343056, 'talk about trump': 833765, 'about trump not': 26785, 'trump not being': 933729, 'not being proactive': 568541, 'being proactive to': 125585, 'proactive to covid': 679171, '19 yet obama': 12257, 'yet obama wa': 1016174, 'obama wa not': 578338, 'wa not proactive': 962770, 'not proactive to': 571096, 'proactive to the': 679172, 'housing market collapse': 407099, 'market collapse which': 516187, 'collapse which lead': 186073, 'which lead to': 986101, 'to the recession': 917009, 'the recession which': 865343, 'recession which lead': 704403, 'lead to gas': 483346, 'to gas price': 906370, 'gas price reaching': 344014, 'price reaching over': 676092, 'reaching over gallon': 700106, 'over gallon people': 630247, 'other fake': 620212, 'fake new': 296665, 'drug treatment': 261132, 'treatment the': 931150, 'and other fake': 68324, 'other fake new': 620213, 'fake new drug': 296666, 'new drug treatment': 558654, 'drug treatment the': 261133, 'treatment the federal': 931151, 'trade commission ha': 928447, 'commission ha received': 188839, 'kid each': 473932, 'each work': 264336, 'crazy story': 215429, 'people upset': 650056, 'upset of': 947814, 'not believing': 568562, 'believing their': 126463, 'order doesn': 618172, 'have substitute': 382826, 'substitute really': 816096, 'for patience': 324412, 'understanding coronacrisis': 940871, 'coronacrisis panickbuying': 204697, 'my kid each': 548944, 'kid each work': 473933, 'each work at': 264337, 'store so get': 810224, 'so get the': 777161, 'get the crazy': 348236, 'the crazy story': 852301, 'crazy story of': 215431, 'of people upset': 588013, 'people upset of': 650058, 'upset of being': 947815, 'of being sold': 580660, 'being sold out': 125836, 'sold out or': 781745, 'out or not': 626954, 'or not believing': 616289, 'not believing their': 568564, 'believing their online': 126464, 'their online order': 874102, 'online order doesn': 608684, 'order doesn even': 618173, 'even have substitute': 284171, 'have substitute really': 382827, 'substitute really people': 816097, 'really people this': 702486, 'time for patience': 896739, 'for patience and': 324413, 'patience and understanding': 644101, 'and understanding coronacrisis': 74642, 'understanding coronacrisis panickbuying': 940872, 'know whats': 476993, 'whats funny': 982841, 'funny if': 341747, 'everyone shopped': 287366, 'shopped like': 761306, 'always did': 49527, 'did before': 240564, 'have trouble': 383412, 'trouble buying': 932595, 'food disinfecting': 314220, 'shortage stupidity': 765229, 'stupidity pandemic': 815550, 'you know whats': 1019541, 'know whats funny': 476994, 'whats funny if': 982842, 'funny if everyone': 341748, 'if everyone shopped': 414097, 'everyone shopped like': 287367, 'shopped like they': 761307, 'like they always': 491446, 'they always did': 881159, 'always did before': 49528, 'did before this': 240567, 'crisis we wouldn': 218358, 'we wouldn have': 973984, 'wouldn have trouble': 1012481, 'have trouble buying': 383413, 'trouble buying food': 932596, 'buying food disinfecting': 150310, 'food disinfecting wipe': 314221, 'disinfecting wipe or': 245899, 'wipe or toilet': 996339, 'paper panic buyer': 640571, 'buyer are the': 149578, 'have shortage stupidity': 382527, 'shortage stupidity pandemic': 765230, 'stupidity pandemic panicbuying': 815551, 'hogan': 399842, 'sagamore': 730886, 'governor hogan': 360913, 'hogan say': 399843, 'say sagamore': 739110, 'sagamore distillery': 730887, 'sanitizer well': 736060, 'governor hogan say': 360914, 'hogan say sagamore': 399844, 'say sagamore distillery': 739111, 'sagamore distillery is': 730888, 'distillery is working': 247775, 'is working on': 454044, 'working on making': 1008809, 'on making hand': 601970, 'hand sanitizer well': 375656, 'alert new': 41466, 'church member': 178384, 'member senior': 528187, 'senior scam': 750399, 'alert consumer': 41382, 'consumer alert new': 196149, 'alert new coronavirus': 41467, 'new coronavirus scam': 558551, 'coronavirus scam are': 206712, 'scam are targeting': 740046, 'targeting senior and': 834573, 'senior and church': 750196, 'and church member': 59887, 'church member senior': 178385, 'member senior scam': 528188, 'senior scam alert': 750400, 'scam alert consumer': 739975, 'aopportunities': 81185, 'industryanalysisadsmurai': 436271, 'main concern': 508731, 'household we': 406978, 'remain indoors': 709772, 'indoors up': 435433, 'now post': 575574, 'go deep': 353448, 'deep into': 231900, 'into fact': 442548, 'and aopportunities': 58232, 'aopportunities for': 81186, 'period industryanalysisadsmurai': 651794, 'industryanalysisadsmurai marketing': 436272, 'consumer product will': 198486, 'product will be': 681856, 'the main concern': 859899, 'main concern of': 508733, 'concern of household': 193022, 'of household we': 584800, 'household we remain': 406979, 'we remain indoors': 973071, 'remain indoors up': 709773, 'indoors up on': 435434, 'the blog now': 849777, 'blog now post': 132972, 'now post to': 575575, 'post to go': 666373, 'to go deep': 906788, 'go deep into': 353449, 'deep into fact': 231901, 'into fact and': 442549, 'fact and aopportunities': 295675, 'and aopportunities for': 58233, 'aopportunities for the': 81187, 'the consumer product': 851577, 'product industry during': 681310, 'this period industryanalysisadsmurai': 889521, 'period industryanalysisadsmurai marketing': 651795, 'each raised': 264262, 'because thanks': 119597, 'crisis and each': 217020, 'and each raised': 61836, 'each raised price': 264263, 'on my service': 602313, 'my service by': 550024, 'service by just': 752197, 'by just because': 152973, 'just because thanks': 468291, 'kvoenews': 478019, 'coronavirus trolley': 206968, 'trolley house': 932428, 'house resuming': 406530, 'resuming hand': 717768, 'production kvoenews': 682101, 'coronavirus trolley house': 206969, 'trolley house resuming': 932429, 'house resuming hand': 406531, 'resuming hand sanitizer': 717769, 'sanitizer production kvoenews': 735602, 'great indiana': 362750, 'indiana keep': 434919, 're doing great': 698539, 'doing great indiana': 252428, 'great indiana keep': 362751, 'indiana keep it': 434920, 'keep it up': 471624, 'up and help': 944331, 'deserved appreciation': 238150, 'appreciation toward': 82903, 'toward our': 927146, 'our incredible': 623514, 'incredible health': 433838, 'give big': 350408, 'clerk many': 181735, 'whom make': 990564, 'supply going': 825326, 'going strong': 355473, 'lot of well': 504324, 'of well deserved': 593020, 'well deserved appreciation': 978150, 'deserved appreciation toward': 238151, 'appreciation toward our': 82904, 'toward our incredible': 927147, 'our incredible health': 623516, 'incredible health care': 433839, 'care worker also': 164275, 'worker also want': 1006238, 'to give big': 906678, 'give big thanks': 350409, 'store clerk many': 807017, 'clerk many of': 181736, 'of whom make': 593149, 'whom make minimum': 990565, 'wage and are': 963804, 'and are keeping': 58328, 'food supply going': 316958, 'supply going strong': 825328, 'own small': 632212, 'small safety': 775106, 'safety supply': 730745, 'company follow': 190668, 'n95 surgical': 551234, 'etc diligently': 282490, 'diligently and': 242876, 'china what': 177058, 'don hear': 253626, 'chinese manufacturer': 177297, '200 since': 13542, 'own small safety': 632213, 'small safety supply': 775107, 'safety supply company': 730746, 'supply company follow': 825090, 'company follow the': 190669, 'follow the price': 312542, 'price of n95': 675514, 'of n95 surgical': 586846, 'n95 surgical mask': 551235, 'surgical mask etc': 828355, 'mask etc diligently': 518613, 'etc diligently and': 282491, 'diligently and nearly': 242877, 'and nearly all': 67452, 'nearly all of': 553800, 'these item are': 880193, 'item are produced': 463103, 'in china what': 421446, 'china what you': 177060, 'what you don': 982672, 'you don hear': 1018319, 'don hear about': 253627, 'hear about is': 387870, 'about is how': 25553, 'is how the': 448599, 'how the chinese': 408804, 'the chinese manufacturer': 850862, 'chinese manufacturer have': 177298, 'manufacturer have raised': 513464, 'have raised price': 382151, 'raised price in': 696027, 'excess of 200': 289354, 'of 200 since': 579456, '200 since covid': 13543, 'later supermarket': 481124, 'hire 19': 396983, 'hour later supermarket': 405734, 'later supermarket hire': 481125, 'supermarket hire 19': 820759, 'hire 19 corona': 396984, 'from video': 338233, 'call party': 156069, 'party to': 643048, 'ireland are': 444813, 'from video call': 338235, 'video call party': 956651, 'call party to': 156070, 'party to grocery': 643049, 'to grocery shopping': 907009, 'elderly people in': 270825, 'people in ireland': 648386, 'in ireland are': 424158, 'ireland are coming': 444814, 'coming together during': 188242, 'together during this': 920770, 'could stay': 209714, 'madness but': 508162, 'employee making': 274027, 'making barely': 510975, 'barely over': 111030, 'over minimum': 630403, 'wage getting': 963879, 'getting between': 348869, 'between 24': 128679, '24 30': 15537, 'hour having': 405663, 'family cause': 297693, 'cause cannot': 167513, 'afford my': 34731, 'own place': 632132, 'place fml': 657432, 'fml stayhomechallenge': 311775, 'wish could stay': 996750, 'could stay at': 209715, 'this madness but': 888737, 'madness but grocery': 508163, 'but grocery store': 145828, 'store employee making': 807507, 'employee making barely': 274029, 'making barely over': 510976, 'barely over minimum': 111031, 'over minimum wage': 630404, 'minimum wage getting': 533232, 'wage getting between': 963880, 'getting between 24': 348870, 'between 24 30': 128680, '24 30 hour': 15538, '30 hour having': 17073, 'hour having to': 405664, 'having to live': 384352, 'to live with': 909353, 'live with family': 496114, 'with family cause': 998375, 'family cause cannot': 297694, 'cause cannot afford': 167514, 'cannot afford my': 161605, 'afford my own': 34732, 'my own place': 549652, 'own place fml': 632133, 'place fml stayhomechallenge': 657433, 'see gu': 745170, 'gu market': 367677, 'in mission': 425371, 'bay pretty': 112962, 'pretty well': 671521, 'orderly no': 619057, 'line tonight': 493502, 'tonight city': 924389, 'city leader': 179230, 'leader say': 483527, 'say please': 739061, 'shop no': 760483, 'hoard there': 398882, 'to see gu': 914015, 'see gu market': 745171, 'gu market in': 367678, 'market in mission': 516563, 'in mission bay': 425372, 'mission bay pretty': 534346, 'bay pretty well': 112963, 'pretty well stocked': 671522, 'stocked and orderly': 803265, 'and orderly no': 68259, 'orderly no line': 619058, 'no line tonight': 564612, 'line tonight city': 493503, 'tonight city leader': 924390, 'city leader say': 179231, 'leader say please': 483529, 'say please do': 739062, 'panic shop no': 638544, 'shop no need': 760484, 'to hoard there': 907881, 'hoard there is': 398883, 'shortage and store': 764829, 'and store will': 72522, 'store will restock': 811343, 'butting': 148191, 'teeth': 836600, 'well just': 978348, 'told an': 923524, 'wa behind': 961673, 'close his': 182659, 'his jacket': 397551, 'jacket wa': 464162, 'wa touching': 963560, 'touching mine': 926695, 'mine amp': 532866, 'amp wa': 54791, 'wa yelling': 963755, 'yelling at': 1015246, 'lady directing': 478751, 'directing people': 243437, 'to till': 917574, 'till to': 896116, 'amp step': 54564, 'back meter': 107146, 'meter or': 529731, 'be head': 115163, 'head butting': 385724, 'butting your': 148192, 'your teeth': 1026125, 'teeth down': 836601, 'your throat': 1026152, 'well just told': 978352, 'just told an': 470118, 'told an old': 923525, 'who wa behind': 989902, 'wa behind me': 961675, 'that wa so': 847310, 'wa so close': 963253, 'so close his': 776769, 'close his jacket': 182660, 'his jacket wa': 397552, 'jacket wa touching': 464163, 'wa touching mine': 963561, 'touching mine amp': 926696, 'mine amp wa': 532867, 'amp wa yelling': 54792, 'wa yelling at': 963756, 'yelling at the': 1015250, 'at the lady': 100996, 'the lady directing': 858907, 'lady directing people': 478752, 'directing people to': 243438, 'people to till': 649957, 'to till to': 917575, 'till to shut': 896119, 'to shut up': 914614, 'shut up amp': 767958, 'up amp step': 944291, 'amp step back': 54565, 'step back meter': 799507, 'back meter or': 107147, 'meter or be': 529732, 'or be head': 614510, 'be head butting': 115164, 'head butting your': 385725, 'butting your teeth': 148193, 'your teeth down': 1026126, 'teeth down your': 836602, 'down your throat': 257535, 'at till': 101277, 'blank attestation': 132365, 'attestation and': 102523, 'explain calm': 292098, 'calm kindness': 156760, 'kindness and': 475185, 'clear info': 181269, 'info ha': 437485, 'been our': 121615, 'barrier at till': 111350, 'at till to': 101279, 'till to protect': 896118, 'with blank attestation': 997421, 'blank attestation and': 132366, 'attestation and had': 102524, 'had staff to': 373548, 'staff to explain': 792987, 'to explain calm': 905473, 'explain calm kindness': 292099, 'calm kindness and': 156761, 'kindness and clear': 475186, 'and clear info': 59956, 'clear info ha': 181270, 'info ha been': 437486, 'ha been our': 369861, 'been our experience': 121616, 'noonegoeshungry': 566877, 'our 34': 621999, '34 county': 17814, 'county service': 211483, 'area will': 92278, 'same type': 733392, 'whose budget': 990623, 'budget are': 141756, 'already stretched': 47689, 'thin noonegoeshungry': 884057, 'family across our': 297555, 'across our 34': 29417, 'our 34 county': 622000, '34 county service': 17815, 'county service area': 211484, 'service area will': 752151, 'area will all': 92279, 'all be looking': 42137, 'be looking for': 115823, 'the same type': 866315, 'same type of': 733393, 'of item you': 585494, 'you are stocking': 1017243, 'up on by': 945531, 'on by not': 599764, 'by not panic': 153363, 'panic shopping or': 638582, 'shopping or hoarding': 763544, 'or hoarding you': 615662, 'hoarding you can': 399673, 'can support people': 159860, 'support people whose': 826760, 'people whose budget': 650365, 'whose budget are': 990624, 'budget are already': 141757, 'are already stretched': 84425, 'already stretched thin': 47690, 'stretched thin noonegoeshungry': 813576, 'impact around': 417569, 'world many': 1009779, 'that ecommerce': 843670, 'the make an': 859949, 'make an impact': 509682, 'an impact around': 56184, 'impact around the': 417570, 'the world many': 871909, 'world many consumer': 1009780, 'many consumer are': 513930, 'online to purchase': 609595, 'to purchase the': 912551, 'purchase the item': 689673, 'the item that': 858614, 'item that they': 463700, 'that they need': 846939, 'they need here': 882742, 'need here are': 555004, 'are thing that': 91039, 'thing that ecommerce': 884801, 'that ecommerce business': 843671, 'ecommerce business can': 266725, 'do to prepare': 250395, 'evangelical': 283743, 'judaism': 467606, 'stay ya': 797409, 'as in': 94761, 'mother fucking': 543103, 'house no': 406412, 'run no': 727716, 'no pharmacy': 565100, 'pharmacy run': 654437, 'run nothing': 727722, 'nothing other': 573132, 'than emergency': 840545, 'emergency also': 272594, 'also fuck': 48250, 'fuck ya': 339691, 'ya evangelical': 1013982, 'evangelical bullshit': 283744, 'bullshit fuck': 142488, 'ya orthodox': 1014021, 'orthodox judaism': 619686, 'judaism bullshit': 467607, 'for fuck': 321791, 'fuck sake': 339632, 'sake stayathome': 731876, 'stay ya as': 797410, 'ya as in': 1013964, 'as in the': 94762, 'in the mother': 429375, 'the mother fucking': 861072, 'mother fucking house': 543104, 'fucking house no': 339905, 'house no grocery': 406414, 'no grocery store': 564380, 'store run no': 809929, 'run no pharmacy': 727717, 'no pharmacy run': 565101, 'pharmacy run nothing': 654438, 'run nothing other': 727723, 'nothing other than': 573133, 'other than emergency': 621063, 'than emergency also': 840546, 'emergency also fuck': 272595, 'also fuck ya': 48251, 'fuck ya evangelical': 339692, 'ya evangelical bullshit': 1013983, 'evangelical bullshit fuck': 283745, 'bullshit fuck ya': 142490, 'fuck ya orthodox': 339693, 'ya orthodox judaism': 1014022, 'orthodox judaism bullshit': 619687, 'judaism bullshit fuck': 467608, 'bullshit fuck it': 142489, 'fuck it for': 339599, 'it for fuck': 458076, 'for fuck sake': 321792, 'fuck sake stayathome': 339634, 'mexican drug': 529981, 'drug cartel': 260902, 'cartel struggle': 165455, 'during hike': 262688, 'price lab': 675005, 'lab supply': 478287, 'from dry': 335226, 'up poor': 945783, 'bastard why': 112523, 'isn reporting': 454646, 'reporting this': 712773, 'mexican drug cartel': 529982, 'drug cartel struggle': 260903, 'cartel struggle during': 165456, 'struggle during hike': 814342, 'during hike price': 262689, 'hike price lab': 396262, 'price lab supply': 675006, 'lab supply from': 478288, 'supply from dry': 825288, 'from dry up': 335227, 'dry up poor': 261316, 'up poor bastard': 945784, 'poor bastard why': 664124, 'bastard why isn': 112524, 'why isn reporting': 991133, 'isn reporting this': 454647, 'reporting this injustice': 712774, 'with team': 1001130, 'team state': 835780, 'to capture': 902448, 'capture consumer': 162941, 'perception opinion': 651240, 'opinion and': 613447, 'share far': 754997, 'far and': 298700, 'our friend have': 623184, 'friend have partnered': 333631, 'partnered with team': 642928, 'with team state': 1001131, 'team state to': 835781, 'state to capture': 796012, 'to capture consumer': 902449, 'capture consumer perception': 162942, 'consumer perception opinion': 198352, 'perception opinion and': 651241, 'opinion and anxiety': 613448, 'and anxiety about': 58198, 'anxiety about the': 78646, 'about the 19': 26328, 'pandemic in real': 635705, 'real time please': 701415, 'time please take': 897497, 'moment to complete': 536081, 'complete the survey': 192173, 'the survey and': 869023, 'survey and share': 828815, 'and share far': 71388, 'share far and': 754998, 'far and wide': 298701, 'socialdistanacing are': 780042, 'are kid': 87681, 'kid more': 474049, 'risk out': 723809, 'school than': 741945, 'panicbuyinguk socialdistanacing are': 639161, 'socialdistanacing are kid': 780043, 'are kid more': 87682, 'kid more at': 474050, 'at risk out': 100383, 'risk out of': 723810, 'of school than': 589402, 'school than in': 741946, 'adopted': 32688, 'delimitation': 233054, 'be adopted': 113495, 'adopted danish': 32689, 'supermarket delimitation': 819907, 'delimitation for': 233055, 'time civilised': 896482, 'civilised community': 179577, 'that good idea': 844048, 'idea to be': 413201, 'to be adopted': 901094, 'be adopted danish': 113496, 'adopted danish supermarket': 32690, 'danish supermarket delimitation': 225852, 'supermarket delimitation for': 819908, 'delimitation for their': 233056, 'for their customer': 326816, 'the is time': 858542, 'is time civilised': 453160, 'time civilised community': 896483, 'isolationdiaries': 455529, 'this current': 887134, 'making anyone': 510965, 'shopping isolationdiaries': 763091, 'isolationdiaries wednesdaythoughts': 455530, 'wednesdaythoughts stayhome': 975731, 'is this current': 453081, 'this current situation': 887137, 'current situation making': 221367, 'situation making anyone': 772381, 'making anyone else': 510966, 'want to online': 966073, 'to online shop': 910949, 'online shop more': 608981, 'shop more 19': 760468, 'more 19 quarantine': 538480, '19 quarantine shopping': 9916, 'quarantine shopping isolationdiaries': 692535, 'shopping isolationdiaries wednesdaythoughts': 763092, 'isolationdiaries wednesdaythoughts stayhome': 455531, 'of advice': 579802, 'bring all': 139921, 'member especially': 528071, 'especially kid': 280537, 'kid if': 474009, 'buying stay': 151077, 'stay respectful': 797202, 'bit of advice': 131631, 'of advice if': 579804, 'please don do': 659911, 'don do not': 253470, 'not bring all': 568620, 'bring all of': 139922, 'of your family': 593469, 'family member especially': 298030, 'member especially kid': 528072, 'especially kid if': 280538, 'kid if you': 474010, 'can help it': 158627, 'help it think': 389951, 'it think if': 461639, 'think if you': 885298, 'actually need what': 30911, 'you re buying': 1020584, 're buying stay': 698400, 'buying stay respectful': 151079, 'stay respectful to': 797203, 'respectful to store': 715131, 'to store worker': 915651, 'store worker retail': 811573, 'there practically': 878948, 'practically nothing': 668506, 'left trumpcrash': 485701, 'market is looking': 516634, 'is looking like': 449448, 'looking like the': 502962, 'like the supermarket': 491399, 'supermarket there practically': 823279, 'there practically nothing': 878949, 'practically nothing left': 668507, 'nothing left trumpcrash': 573091, 'note sent': 572785, 'tuesday amazon': 935110, 'seeing increasing': 746345, 'increasing online': 433647, 'it household': 458645, 'prioritize certain': 678434, 'certain category': 169976, 'in note sent': 425970, 'note sent to': 572786, 'sent to seller': 750846, 'to seller on': 914194, 'seller on tuesday': 749054, 'on tuesday amazon': 604875, 'tuesday amazon said': 935111, 'it is seeing': 459072, 'is seeing increasing': 451713, 'seeing increasing online': 746346, 'increasing online shopping': 433648, 'shopping demand it': 762469, 'demand it household': 235754, 'it household staple': 458646, 'household staple and': 406948, 'medical supply are': 526428, 'of stock it': 590170, 'stock it will': 802325, 'it will prioritize': 462422, 'will prioritize certain': 994458, 'prioritize certain category': 678435, 'coding': 185410, 'hospital coding': 404350, 'coding patient': 185411, 'patient death': 644160, 'death possible': 230165, 'can charge': 157891, 'charge government': 173247, 'government outrageous': 360438, 'outrageous health': 629316, 'price typical': 677161, 'typical coronavirus': 937634, 'patient cost': 644151, 'cost are': 207867, 'are between': 84959, 'between 10k': 128667, '10k 20k': 2327, 'are hospital coding': 87241, 'hospital coding patient': 404351, 'coding patient and': 185412, 'patient and patient': 644136, 'and patient death': 68772, 'patient death possible': 644161, 'death possible covid': 230166, 'they can charge': 881619, 'can charge government': 157892, 'charge government outrageous': 173248, 'government outrageous health': 360439, 'outrageous health care': 629317, 'care price typical': 164156, 'price typical coronavirus': 677162, 'typical coronavirus patient': 937635, 'coronavirus patient cost': 206540, 'patient cost are': 644152, 'cost are between': 207868, 'are between 10k': 84960, 'between 10k 20k': 128668, 'dnd': 248995, 'requiermasksworn': 713289, 'wearamask': 974513, 'with constant': 997739, 'constant contact': 195610, 'who most': 989296, 'most not': 542529, 'who cover': 988514, 'cover their': 212301, 'their mouth': 874016, 'mouth our': 543546, 'our mayor': 623877, 'mayor well': 521993, 'well he': 978275, 'he seems': 385416, 'put dnd': 690556, 'dnd on': 248996, 'door requiermasksworn': 255694, 'requiermasksworn 19': 713290, 'stayathome wearamask': 797704, 'store with constant': 811369, 'with constant contact': 997740, 'constant contact the': 195611, 'contact the public': 200228, 'the public who': 864874, 'public who most': 688480, 'who most not': 989297, 'most not all': 542530, 'not all who': 568131, 'all who cover': 45460, 'who cover their': 988515, 'cover their mouth': 212304, 'their mouth our': 874021, 'mouth our mayor': 543547, 'our mayor well': 623878, 'mayor well he': 521994, 'well he seems': 978276, 'he seems to': 385419, 'seems to put': 746886, 'to put dnd': 912585, 'put dnd on': 690557, 'dnd on his': 248997, 'on his door': 601318, 'his door requiermasksworn': 397373, 'door requiermasksworn 19': 255695, 'requiermasksworn 19 stayathome': 713291, '19 stayathome wearamask': 10816, 'zelle': 1027359, 'venmo zelle': 954486, 'zelle and': 1027360, 'to my response': 910433, 'cashapp venmo zelle': 166391, 'venmo zelle and': 954487, 'zelle and paypal': 1027361, 'paper each': 640118, 'each from': 264082, 'of double': 582797, 'same manufacturer': 733148, 'manufacturer one': 513496, 'pack purchased': 633143, 'november 2019': 573845, '2019 one': 13988, '2020 which': 14714, 'pandemic roll': 636370, 'toilet paper each': 921264, 'paper each from': 640119, 'each from 12': 264083, 'from 12 pack': 334182, 'pack of double': 633095, 'of double roll': 582798, 'double roll from': 256043, 'roll from the': 725313, 'the same manufacturer': 866254, 'same manufacturer one': 733149, 'manufacturer one pack': 513497, 'one pack purchased': 606822, 'pack purchased in': 633144, 'purchased in november': 689781, 'in november 2019': 425977, 'november 2019 one': 573846, '2019 one in': 13989, 'one in march': 606477, 'march 2020 which': 515168, '2020 which one': 14717, 'which one is': 986198, 'one is the': 606528, 'is the post': 452900, 'post pandemic roll': 666277, 'pandemic roll toiletpaper': 636371, 'roll toiletpaper toiletpapergate': 725566, 'more frustrating': 539316, 'frustrating rn': 339246, 'rn working': 724354, 'or listening': 615977, 'coworkers talk': 214506, 'know what more': 476966, 'what more frustrating': 981882, 'more frustrating rn': 539317, 'frustrating rn working': 339247, 'rn working in': 724355, 'store during or': 807405, 'during or listening': 262837, 'or listening to': 615978, 'listening to my': 494808, 'to my coworkers': 910387, 'my coworkers talk': 547849, 'coworkers talk about': 214507, 'talk about covid': 833733, 'ny wilding': 577929, 'wilding rn': 992127, 'ny wilding rn': 577930, 'wilding rn nofood': 992128, '1952': 12390, 'trump people': 933750, 'driving paying': 259988, 'paying 90': 645378, '90 gallon': 23300, 'gallon did': 342992, 'ever hear': 285346, 'hear of': 387966, 'that 1952': 842445, '1952 or': 12391, 'president trump people': 670945, 'trump people are': 933751, 'to be driving': 901223, 'be driving paying': 114610, 'driving paying 90': 259989, 'paying 90 gallon': 645379, '90 gallon did': 23301, 'gallon did you': 342993, 'did you ever': 240925, 'you ever hear': 1018458, 'ever hear of': 285348, 'hear of that': 387968, 'of that what': 590753, 'that what that': 847469, 'what that 1952': 982283, 'that 1952 or': 842446, '1952 or something': 12392, 'about 200': 24665, '200 other': 13521, 'coronacrisis idiot': 204631, 'with people let': 1000156, 'people let take': 648626, 'let take our': 487103, 'take our kid': 832436, 'our kid to': 623623, 'supermarket with about': 823909, 'with about 200': 997080, 'about 200 other': 24668, '200 other people': 13522, 'other people coronacrisis': 620662, 'people coronacrisis idiot': 647546, 'stop coronavirus': 804587, 'coronavirus profiteer': 206596, 'which consumer': 985763, 'group consistent': 366658, 'to stop coronavirus': 915512, 'stop coronavirus profiteer': 804589, 'coronavirus profiteer say': 206597, 'say which consumer': 739484, 'which consumer group': 985765, 'consumer group consistent': 197657, 'group consistent overpricing': 366659, 'trauma': 930204, 'thankunext': 842315, 'about thanking': 26315, 'for enduring': 321054, 'enduring the': 276333, 'chaos and': 172989, 'and trauma': 74397, 'trauma of': 930207, 'those uncivilized': 892574, 'uncivilized day': 939809, 'day groceryshopping': 227700, 'grocerystore grocer': 366307, 'grocer thankyou': 364173, 'thankyou thankful': 842353, 'thankful thankunext': 841922, 'how about thanking': 407306, 'about thanking grocery': 26316, 'employee for enduring': 273861, 'for enduring the': 321055, 'enduring the chaos': 276334, 'the chaos and': 850690, 'chaos and trauma': 172993, 'and trauma of': 74398, 'trauma of those': 930208, 'of those uncivilized': 592123, 'those uncivilized day': 892575, 'uncivilized day groceryshopping': 939810, 'day groceryshopping grocerystore': 227701, 'groceryshopping grocerystore grocer': 366257, 'grocerystore grocer thankyou': 366308, 'grocer thankyou thankful': 364174, 'thankyou thankful thankunext': 842354, 'alrighty then': 47793, 'another quick': 77784, 'quick preview': 694344, 'work collect': 1004991, 'collect and': 186260, 'while avoiding': 986632, 'avoiding or': 105473, 'or destroying': 614953, 'destroying the': 239088, 'alrighty then another': 47794, 'then another quick': 876994, 'another quick preview': 77785, 'quick preview of': 694345, 'preview of my': 671952, 'of my in': 586782, 'my in the': 548835, 'the work collect': 871729, 'work collect and': 1004992, 'collect and while': 186262, 'and while avoiding': 75565, 'while avoiding or': 986633, 'avoiding or destroying': 105474, 'or destroying the': 614954, 'destroying the 19': 239089, 'interesting stuff': 441620, 'bank crisis': 109747, 'already underway': 47737, 'country service': 211038, 'demand new': 235914, 'new logistical': 559059, 'logistical challenge': 500699, 'challenge and': 171397, 'increasing uncertainty': 433727, 'the coronavirus food': 851849, 'coronavirus food bank': 205933, 'food bank crisis': 313546, 'bank crisis is': 109748, 'crisis is already': 217559, 'is already underway': 445543, 'already underway in': 47738, 'underway in austin': 940966, 'austin and across': 103174, 'the country service': 852151, 'country service provider': 211039, 'service provider are': 752724, 'provider are dealing': 686690, 'dealing with spike': 229692, 'in demand new': 422142, 'demand new logistical': 235915, 'new logistical challenge': 559060, 'logistical challenge and': 500700, 'challenge and increasing': 171400, 'and increasing uncertainty': 65131, 'increasing uncertainty about': 433728, 'about the month': 26453, 'the month ahead': 860844, 'nurse emergency': 577318, 'room register': 725958, 'register etc': 707562, 'believe this need': 126388, 'said but please': 731012, 'respectful and kind': 715125, 'kind to everyone': 475007, 'to everyone working': 905361, 'everyone working during': 287633, 'time especially grocery': 896624, 'store worker doctor': 811483, 'worker doctor nurse': 1006797, 'doctor nurse emergency': 251010, 'nurse emergency room': 577319, 'emergency room register': 272938, 'room register etc': 725959, 'selfquarantined': 748586, 'today someone': 920205, 'someone asked': 784372, 'if okay': 414530, 'okay and': 597955, 'said yes': 731596, 'yes not': 1015495, 'okay have': 597979, 'scared have': 740971, 'have selfquarantined': 382457, 'selfquarantined myself': 748587, 'myself for': 550857, 'to love': 909473, 'love going': 504674, 'it hotbed': 458636, 'hotbed for': 405085, 'so stuck': 778289, 'inside cabinfever': 439241, 'today someone asked': 920206, 'someone asked me': 784373, 'me if okay': 522939, 'if okay and': 414531, 'okay and said': 597956, 'and said yes': 70782, 'said yes not': 731598, 'yes not okay': 1015497, 'not okay have': 570740, 'okay have autoimmune': 597980, 'have autoimmune disease': 379380, 'disease and scared': 245088, 'and scared have': 71049, 'scared have selfquarantined': 740972, 'have selfquarantined myself': 382458, 'selfquarantined myself for': 748588, 'myself for week': 550861, 'for week now': 327736, 'week now used': 976596, 'now used to': 576288, 'used to love': 950067, 'to love going': 909474, 'love going to': 504675, 'now it hotbed': 575118, 'it hotbed for': 458637, 'hotbed for the': 405086, 'for the so': 326696, 'the so stuck': 867404, 'so stuck inside': 778290, 'stuck inside cabinfever': 814610, 'die there': 241461, 'already 37': 47173, 'american struggling': 52225, 'even among': 283835, 'help after': 389303, 'you eat or': 1018391, 'eat or you': 266012, 'or you die': 617858, 'you die there': 1018220, 'die there were': 241462, 'there were already': 879309, 'were already 37': 979300, 'already 37 million': 47174, 'million american struggling': 532058, 'american struggling to': 52226, 'their family even': 873253, 'family even among': 297767, 'even among the': 283836, 'among the best': 53060, 'time now there': 897299, 'are many more': 88030, 'need help after': 554971, 'help after losing': 389304, 'after losing their': 35894, 'their job because': 873701, 'because of closure': 119318, 'guyzz': 369248, 'so guyzz': 777220, 'guyzz do': 369249, 'situation 21daylockdown': 772159, 'food reserve in': 316183, 'reserve in india': 714071, 'india so guyzz': 434615, 'so guyzz do': 777221, 'guyzz do not': 369250, 'not panic to': 570943, 'panic to buying': 638717, 'to buying food': 902350, 'buying food in': 150317, 'food in this': 314977, 'this situation 21daylockdown': 890171, 'latest cereal': 481250, 'cereal supply': 169942, 'demand inventory': 235710, 'inventory released': 443703, '2020 assures': 14150, 'assures that': 97145, 'that global': 844016, 'global cereal': 351771, 'cereal market': 169928, 'market expected': 516358, 'remain well': 709918, 'well supplied': 978622, 'supplied say': 824466, 'say outlook': 739039, 'major staple': 509471, 'staple crop': 793919, 'positive despite': 665296, 'despite read': 238830, 'latest cereal supply': 481251, 'cereal supply demand': 169943, 'supply demand inventory': 825154, 'demand inventory released': 235711, 'inventory released in': 443704, 'released in march': 709051, 'march 2020 assures': 515149, '2020 assures that': 14151, 'assures that global': 97146, 'that global cereal': 844017, 'global cereal market': 351772, 'cereal market expected': 169929, 'market expected to': 516359, 'to remain well': 913179, 'remain well supplied': 709920, 'well supplied say': 978624, 'supplied say outlook': 824467, 'say outlook for': 739040, 'outlook for other': 629156, 'for other major': 324172, 'other major staple': 620497, 'major staple crop': 509472, 'staple crop in': 793920, 'crop in 2020': 218930, 'in 2020 is': 419841, '2020 is positive': 14406, 'is positive despite': 450936, 'positive despite read': 665297, 'despite read here': 238831, 'read here foodsecurity': 700351, 'thepeople': 877873, 'if gas': 414138, 'dropping then': 260742, 'then store': 877577, 'should drop': 765943, 'drop their': 260408, 'to thepeople': 917327, 'if gas price': 414139, 'are dropping then': 86016, 'dropping then store': 260743, 'then store should': 877578, 'store should drop': 810160, 'should drop their': 765944, 'drop their price': 260412, 'price to thepeople': 677054, 'of subscription': 590355, 'subscription business': 815884, 'across video': 29555, 'video consumer': 956686, 'today global': 919573, 'out an analysis': 625627, 'analysis of subscription': 57069, 'of subscription business': 590356, 'subscription business across': 815885, 'business across video': 143214, 'across video consumer': 29556, 'video consumer and': 956687, 'consumer and that': 196250, 'and that are': 73179, 'seeing an impact': 746217, 'an impact from': 56185, 'impact from today': 417668, 'from today global': 338076, 'today global crisis': 919574, 'every charmin': 285725, 'charmin and': 173791, 'store commercial': 807121, 'commercial think': 188745, 'think wasted': 885755, 'wasted advertising': 968225, 'advertising budget': 33211, 'budget toiletpaper': 141827, 'every charmin and': 285726, 'charmin and grocery': 173792, 'grocery store commercial': 365289, 'store commercial think': 807122, 'commercial think wasted': 188746, 'think wasted advertising': 885756, 'wasted advertising budget': 968226, 'advertising budget toiletpaper': 33212, 'normal under': 567381, 'circumstance but': 178715, 'but look': 146311, 'couple and': 211558, 'here ffs': 392971, 'ffs stayhomesavelives': 304322, 'stayhomesavelives it': 798399, 've come out': 953001, 'come out to': 187477, 'get some essential': 348052, 'some essential and': 782758, 'essential and queuing': 280787, 'get in normal': 347305, 'in normal under': 425935, 'normal under the': 567382, 'under the circumstance': 940291, 'the circumstance but': 850899, 'circumstance but look': 178716, 'but look around': 146312, 'look around and': 502242, 'around and there': 93200, 'there are couple': 878085, 'are couple and': 85592, 'couple and whole': 211559, 'and whole family': 75604, 'whole family out': 990200, 'family out here': 298139, 'out here ffs': 626279, 'here ffs stayhomesavelives': 392972, 'ffs stayhomesavelives it': 304323, 'stayhomesavelives it not': 798400, 'it not hard': 459884, 'ru trump': 726900, 'least during': 484448, '19 disaster': 6554, 'disaster we': 244259, 'had low': 373270, 'he do': 384898, 'do reduces': 250036, 'reduces oil': 706237, '10 too': 1739, 'too the': 925109, 'just opec': 469389, 'ru trump just': 726901, 'just said that': 469671, 'said that at': 731395, 'that at least': 842879, 'at least during': 99486, 'least during the': 484449, 'covid 19 disaster': 212957, '19 disaster we': 6556, 'disaster we had': 244260, 'we had low': 971711, 'had low oil': 373271, 'oil price so': 597264, 'price so what': 676518, 'so what doe': 778716, 'what doe he': 981365, 'doe he do': 251405, 'he do reduces': 384901, 'do reduces oil': 250037, 'reduces oil production': 706238, 'oil production in': 597370, 'the by 10': 850238, 'by 10 too': 151523, '10 too the': 1741, 'too the problem': 925113, 'the problem is': 864513, 'problem is not': 679569, 'not just opec': 570239, 'house please': 406458, 'face this': 294807, 'house please ask': 406459, 'asset to face': 96482, 'to face this': 905576, 'face this we': 294809, 'this we the': 891155, 'we the consumer': 973519, 'the consumer don': 851525, 'anyhow': 80114, 'coronakrise': 205025, 'decontamination': 231517, 'coronavarkenruhhalim': 205365, 'careful guy': 164398, 'not anyhow': 568222, 'anyhow spray': 80115, 'spray your': 790349, 'thing coronakrise': 884246, 'coronakrise pandemia': 205026, 'pandemia corona': 634742, 'corona decontamination': 203914, 'decontamination sanitise': 231520, 'sanitise coronavarkenruhhalim': 733890, 'be careful guy': 113985, 'careful guy do': 164399, 'guy do not': 368981, 'do not anyhow': 249667, 'not anyhow spray': 568223, 'anyhow spray your': 80116, 'spray your hand': 790350, 'sanitizer to other': 735939, 'to other thing': 911124, 'other thing coronakrise': 621103, 'thing coronakrise pandemia': 884247, 'coronakrise pandemia corona': 205027, 'pandemia corona decontamination': 634743, 'corona decontamination sanitise': 203915, 'decontamination sanitise coronavarkenruhhalim': 231521, 'isolated because': 454980, 'got symptom': 358883, 'much online': 545210, 'my wish': 550620, 'are extensive': 86381, 'extensive probs': 293312, 'probs responsible': 679795, 'self isolated because': 747703, 'isolated because ve': 454982, 'because ve got': 119768, 've got symptom': 953198, 'got symptom of': 358884, '19 and have': 5039, 'and have done': 64235, 'have done so': 380335, 'so much online': 777797, 'much online shopping': 545212, 'shopping not that': 763355, 'not that can': 571966, 'that can buy': 843095, 'can buy anything': 157814, 'buy anything but': 148360, 'anything but my': 80698, 'but my wish': 146444, 'my wish list': 550623, 'wish list are': 996785, 'list are extensive': 494280, 'are extensive probs': 86382, 'extensive probs responsible': 293313, 'probs responsible for': 679796, 'responsible for 90': 716026, 'for 90 of': 318949, '90 of traffic': 23321, 'traffic to and': 929151, 'waterpeacesecurity': 969299, 'impact global': 417677, 'global security': 352189, 'security in': 744643, 'way read': 969831, 'the waterpeacesecurity': 871132, 'waterpeacesecurity can': 969300, 'help address': 389296, 'address these': 32053, 'these threat': 880827, 'threat nl': 893680, 'new blog the': 558409, 'blog the pandemic': 133029, 'pandemic will impact': 637011, 'will impact global': 993782, 'impact global security': 417680, 'global security in': 352190, 'security in many': 744645, 'many way read': 514861, 'way read how': 969832, 'how the waterpeacesecurity': 408891, 'the waterpeacesecurity can': 871133, 'waterpeacesecurity can help': 969301, 'can help address': 158602, 'help address these': 389299, 'address these threat': 32054, 'these threat nl': 880828, 'buying crap': 150159, 'crap in': 214897, 'worst affected': 1011140, 'still manage': 800830, 'manage not': 512410, 'to bullshit': 902106, 'bullshit each': 142484, 'by acting': 151746, 'asshole in': 96533, 'supermarket stoppanicbuying': 822996, 'that all this': 842574, 'panic buying crap': 637693, 'buying crap in': 150160, 'crap in the': 214899, 'the uk italy': 870241, 'uk italy is': 938495, 'the worst affected': 872038, 'worst affected country': 1011141, 'affected country in': 34342, 'world and they': 1009289, 'they still manage': 883467, 'still manage not': 800831, 'manage not to': 512411, 'not to bullshit': 572138, 'to bullshit each': 902107, 'bullshit each other': 142485, 'other by acting': 619925, 'by acting like': 151747, 'acting like selfish': 29887, 'like selfish asshole': 491155, 'selfish asshole in': 748008, 'asshole in the': 96535, 'the supermarket stoppanicbuying': 868831, 'debbie': 230341, 'dougherty': 256274, 'continues many': 201417, 'experiencing food': 291647, 'insecurity due': 439149, 'or inability': 615767, 'do dr': 249236, 'dr debbie': 257995, 'debbie dougherty': 230342, 'dougherty and': 256275, 'other scientist': 620876, 'have several': 382495, 'several suggestion': 753938, 'pandemic continues many': 635210, 'continues many in': 201418, 'many in our': 514168, 'community are or': 189738, 'are or may': 88833, 'may be experiencing': 520980, 'be experiencing food': 114737, 'experiencing food insecurity': 291648, 'food insecurity due': 315061, 'insecurity due to': 439150, 'to loss of': 909472, 'of income or': 585068, 'income or inability': 432425, 'or inability to': 615768, 'on food what': 600929, 'food what can': 317559, 'you do dr': 1018247, 'do dr debbie': 249237, 'dr debbie dougherty': 257996, 'debbie dougherty and': 230343, 'dougherty and many': 256276, 'many other scientist': 514441, 'other scientist have': 620877, 'scientist have several': 742234, 'have several suggestion': 382497, 'understand these': 940784, 'adjust your': 32306, 'business practice': 144241, 'practice accordingly': 668512, 'accordingly twenty': 28615, 'twenty over': 936495, 'over ten': 630682, 'ten cmo': 837766, 'cmo share': 184687, 'the is drastically': 858492, 'is drastically changing': 447371, 'behavior and it': 123892, 'and it critical': 65509, 'critical that you': 218690, 'that you understand': 847748, 'you understand these': 1021968, 'understand these change': 940785, 'these change and': 879739, 'change and adjust': 171912, 'and adjust your': 57697, 'adjust your business': 32307, 'your business practice': 1023075, 'business practice accordingly': 144242, 'practice accordingly twenty': 668513, 'accordingly twenty over': 28616, 'twenty over ten': 936496, 'over ten cmo': 630683, 'ten cmo share': 837767, 'cmo share valuable': 184688, 'valuable insight on': 952033, 'insight on this': 439610, 'soo everyone': 785571, 'will hear': 993694, 'except social': 289220, 'sick do': 768417, 'item avoid': 463141, 'curve do': 221849, 'soo everyone will': 785572, 'everyone will hear': 287614, 'will hear the': 993696, 'hear the warning': 388006, 'virus except social': 958174, 'except social distancing': 289221, 'wear mask unless': 974409, 'are sick do': 90109, 'sick do not': 768418, 'hoard food or': 398794, 'or essential item': 615182, 'essential item avoid': 281190, 'item avoid crowd': 463142, 'the curve do': 852690, 'curve do not': 221850, 'not panic bought': 570897, 'defecate': 232068, 'so too': 778561, 'too given': 924759, 'of defecate': 582459, 'defecate and': 232069, 'more when': 540965, 'when anxious': 983154, 'stressed feeling': 813444, 'feeling which': 303112, '19 certainly': 5741, 'certainly ha': 170154, 'ha intensified': 370982, 'intensified an': 441094, 'demand whatever': 236474, 'the percentage': 863527, 'percentage for': 651204, 'is understandable': 453469, 'so too given': 778562, 'too given that': 924760, 'given that many': 351124, 'many of defecate': 514369, 'of defecate and': 582460, 'defecate and eat': 232070, 'and eat more': 61875, 'eat more when': 265987, 'more when anxious': 540966, 'when anxious and': 983155, 'anxious and stressed': 78838, 'and stressed feeling': 72561, 'stressed feeling which': 813445, 'feeling which covid': 303113, 'covid 19 certainly': 212777, '19 certainly ha': 5742, 'certainly ha intensified': 170155, 'ha intensified an': 370983, 'intensified an increased': 441095, 'increased demand whatever': 433292, 'demand whatever the': 236475, 'whatever the percentage': 982805, 'the percentage for': 863528, 'percentage for toilet': 651205, 'for toilet tissue': 327250, 'toilet tissue and': 921635, 'tissue and food': 899121, 'and food is': 63062, 'food is understandable': 315160, 'recent from': 703904, 'chinese ha': 177279, 'having difficulty': 384027, 'difficulty controlling': 242369, 'controlling the': 202279, 'did at': 240557, 'the recent from': 865309, 'recent from the': 703905, 'from the chinese': 337640, 'the chinese ha': 850860, 'chinese ha resulted': 177280, 'are having difficulty': 87030, 'having difficulty controlling': 384028, 'difficulty controlling the': 242370, 'controlling the virus': 202283, 'china did at': 176608, 'did at it': 240558, 'at it early': 99321, 'it early stage': 457733, 'trinitysswellness': 932034, 'carry handsanitizer': 165086, 'handsanitizer for': 376534, 'for under': 327416, '10 stockup': 1682, 'stockup trinitysswellness': 804215, 'of the only': 591295, 'the only store': 862346, 'only store during': 611207, 'this outbreak to': 889334, 'outbreak to carry': 628757, 'to carry handsanitizer': 902467, 'carry handsanitizer for': 165087, 'handsanitizer for under': 376535, 'for under 10': 327417, 'under 10 stockup': 939956, '10 stockup trinitysswellness': 1683, 'ke in': 471229, 'been dropping': 121048, 'dropping world': 260753, 'wide to': 991768, '2002 why': 13582, 'our pump': 624516, 'pump not': 689071, 'being affected': 124823, 'ke in the': 471230, 'have been dropping': 379521, 'been dropping world': 121049, 'dropping world wide': 260754, 'world wide to': 1010183, 'wide to an': 991769, 'time low since': 897166, 'since 2002 why': 770440, '2002 why are': 13583, 'are our pump': 88870, 'our pump not': 624517, 'pump not being': 689072, 'not being affected': 568526, 'everyone ask': 286710, 'safe everyone ask': 729645, 'everyone ask doctor': 286711, 'donegal': 255133, 'across donegal': 29310, 'donegal recruiting': 255134, 'recruiting to': 705502, 'supermarket chain with': 819646, 'chain with store': 171247, 'with store across': 1000990, 'store across donegal': 806063, 'across donegal recruiting': 29311, 'donegal recruiting to': 255135, 'recruiting to meet': 705503, 'reassess': 703169, 'store checker': 806954, 'checker and': 174789, 'stocker often': 803514, 'often receive': 596266, 'receive low': 703502, 'unappreciated for': 939417, 'to reassess': 912883, 'reassess how': 703170, 'we value': 973628, 'value what': 952240, 'grocery store checker': 365279, 'store checker and': 806955, 'checker and stocker': 174790, 'and stocker often': 72429, 'stocker often receive': 803515, 'often receive low': 596267, 'receive low wage': 703503, 'low wage and': 505726, 'wage and go': 963811, 'and go unappreciated': 63788, 'go unappreciated for': 354405, 'unappreciated for the': 939418, 'the service they': 866740, 'service they provide': 752950, 'they provide it': 882931, 'provide it might': 686370, 'might be time': 530933, 'time to reassess': 898041, 'to reassess how': 912884, 'reassess how much': 703171, 'how much we': 408384, 'much we value': 545445, 'we value what': 973631, 'value what they': 952241, 'you fool': 1018617, 'think bottled': 885165, 'water is': 969040, 'huge priority': 410141, 'priority right': 678636, 'now should': 575816, 'should realize': 766372, 'be filling': 114840, 'filling them': 305634, 'with tap': 1001119, 'tap water': 834343, 'at silly': 100531, 'silly price': 769762, 'desperation im': 238596, 'im sure': 416587, 'many always': 513728, 'all you fool': 45540, 'you fool who': 1018618, 'fool who think': 318310, 'who think bottled': 989772, 'think bottled water': 885166, 'bottled water is': 136373, 'water is huge': 969041, 'is huge priority': 448615, 'huge priority right': 410142, 'priority right now': 678637, 'right now should': 722135, 'now should realize': 575819, 'should realize that': 766373, 'realize that many': 701856, 'many are gonna': 513761, 'gonna be filling': 356468, 'be filling them': 114842, 'filling them up': 305635, 'them up with': 876573, 'up with tap': 946690, 'with tap water': 1001120, 'tap water and': 834344, 'water and selling': 968879, 'and selling it': 71237, 'selling it to': 749317, 'it to you': 461766, 'to you at': 918891, 'you at silly': 1017339, 'at silly price': 100533, 'silly price cause': 769763, 'of the desperation': 590945, 'the desperation im': 853197, 'desperation im sure': 238597, 'im sure many': 416588, 'sure many always': 827614, 'many always did': 513729, 'scarfacediary': 741095, 'worldhealthday2020': 1010251, 'subzeroflow': 816159, 'relearn2020': 708910, 'toiletpaper911': 922894, 'pray do': 668989, 'worried do': 1010555, 'not pray': 571072, 'pray someone': 669017, 'devil is': 239963, 'is liar': 449287, 'liar lol': 487969, 'lol another': 500869, 'another scarfacediary': 77830, 'scarfacediary tuesdayvibes': 741096, 'tuesdayvibes tuesdaythoughts': 935238, 'tuesdaythoughts worldhealthday2020': 935232, 'worldhealthday2020 china': 1010252, 'china subzeroflow': 176960, 'subzeroflow relearn2020': 816160, 'relearn2020 toiletpaper911': 708911, 'go to pray': 354341, 'to pray do': 911975, 'pray do not': 668991, 'not worry if': 572568, 'worry if you': 1010732, 're worried do': 699844, 'worried do not': 1010556, 'do not pray': 249804, 'not pray someone': 571074, 'pray someone will': 669018, 'someone will give': 784778, 'will give up': 993534, 'give up some': 350818, 'up some toiletpaper': 946040, 'some toiletpaper the': 784093, 'toiletpaper the devil': 922590, 'the devil is': 853232, 'devil is liar': 239964, 'is liar lol': 449288, 'liar lol another': 487970, 'lol another scarfacediary': 500870, 'another scarfacediary tuesdayvibes': 77831, 'scarfacediary tuesdayvibes tuesdaythoughts': 741097, 'tuesdayvibes tuesdaythoughts worldhealthday2020': 935239, 'tuesdaythoughts worldhealthday2020 china': 935233, 'worldhealthday2020 china subzeroflow': 1010253, 'china subzeroflow relearn2020': 176961, 'subzeroflow relearn2020 toiletpaper911': 816161, 'desinfection': 238403, 'work used': 1005957, 'today wore': 920570, 'wore one': 1004679, 'still most': 800852, 'use no': 949389, 'no desinfection': 563998, 'desinfection touch': 238404, 'everything cough': 287744, 'cough around': 208454, 'around regardless': 93461, 'and distance': 61494, 'distance what': 246888, 'what distance': 981335, 'distance corona': 246685, 'at work used': 101625, 'work used to': 1005958, 'used to wear': 950102, 'face mask today': 294601, 'mask today wore': 519436, 'today wore one': 920571, 'wore one at': 1004680, 'one at the': 605969, 'first time wa': 309120, 'time wa the': 898204, 'only one still': 610885, 'one still most': 607106, 'still most of': 800853, 'the people use': 863513, 'people use no': 650067, 'use no desinfection': 949390, 'no desinfection touch': 563999, 'desinfection touch everything': 238405, 'touch everything cough': 926472, 'everything cough around': 287745, 'cough around regardless': 208455, 'around regardless of': 93462, 'regardless of other': 707322, 'people and distance': 646854, 'and distance what': 61496, 'distance what distance': 246890, 'what distance corona': 981336, 'cineplex': 178563, 'pcl': 645908, 'bt13': 141481, 'bt12': 141478, 'major major': 509377, 'major cineplex': 509258, 'cineplex group': 178566, 'group pcl': 366835, 'pcl major': 645909, 'cineplex major': 178568, 'major tb': 509510, 'tb hit': 835231, 'by changing': 152098, 'pandemic update': 636878, 'update major': 947061, 'tb sell': 835233, 'sell bt13': 748654, 'bt13 90': 141482, '90 target': 23341, 'target bt12': 834445, 'bt12 10': 141479, '10 hit': 1460, 'during equity': 262633, 'major major cineplex': 509378, 'major cineplex group': 509259, 'cineplex group pcl': 178567, 'group pcl major': 366836, 'pcl major cineplex': 645910, 'major cineplex major': 509260, 'cineplex major tb': 178569, 'major tb hit': 509511, 'tb hit hard': 835232, 'hard by changing': 377884, 'by changing consumer': 152099, '19 pandemic update': 9512, 'pandemic update major': 636880, 'update major cineplex': 947062, 'major tb sell': 509512, 'tb sell bt13': 835234, 'sell bt13 90': 748655, 'bt13 90 target': 141483, '90 target bt12': 23342, 'target bt12 10': 834446, 'bt12 10 hit': 141480, '10 hit hard': 1461, 'behaviour during equity': 124407, 'during equity stock': 262634, 'expect supermarket': 290734, 'cleaner hospital': 180786, 'staff doctor': 792381, 'pharmacist nursing': 654159, 'on very': 605036, 'little wage': 495640, 'bother go': 136117, 'work do': 1005047, 'you expect supermarket': 1018483, 'expect supermarket worker': 290735, 'worker cleaner hospital': 1006649, 'cleaner hospital staff': 180787, 'hospital staff doctor': 404631, 'staff doctor pharmacist': 792383, 'doctor pharmacist nursing': 251075, 'pharmacist nursing home': 654160, 'many others on': 514453, 'others on very': 621568, 'on very little': 605038, 'very little wage': 955328, 'little wage to': 495641, 'wage to go': 963974, 'to work but': 918698, 'work but you': 1004962, 'you don want': 1018333, 'want to bother': 966001, 'to bother go': 901956, 'bother go to': 136118, 'to work do': 918709, 'work do your': 1005050, 'job and come': 465621, 'china labor': 176782, 'labor and': 478396, 'material shortage': 520415, 'shortage travel': 765282, 'logistics restriction': 500788, 'demand highlight': 235640, 'current fragility': 221204, 'the major consequence': 859927, 'major consequence of': 509283, 'pandemic in china': 635695, 'in china labor': 421412, 'china labor and': 176783, 'labor and raw': 478397, 'and raw material': 69956, 'raw material shortage': 697980, 'material shortage travel': 520416, 'shortage travel and': 765283, 'travel and logistics': 930255, 'and logistics restriction': 66341, 'logistics restriction and': 500789, 'restriction and drop': 717208, 'consumer demand highlight': 197140, 'demand highlight the': 235641, 'highlight the current': 395965, 'the current fragility': 852634, 'current fragility of': 221205, 'fragility of global': 330912, 'soarin': 779307, 'to soarin': 914813, 'soarin toronto': 779308, 'toronto despite': 925932, 'despite of': 238800, 'estate price continue': 282176, 'continue to soarin': 201261, 'to soarin toronto': 914814, 'soarin toronto despite': 779309, 'toronto despite of': 925933, 'despite of fear': 238801, 'county asks': 211328, 'asks not': 96152, 'infection losangeles': 436785, 'losangeles la': 503399, 'angeles county asks': 76371, 'county asks not': 211329, 'asks not to': 96153, 'supermarket to avoid': 823355, 'avoid infection losangeles': 105161, 'infection losangeles la': 436786, 'toiletpaperblues': 922965, 'uk hope': 938450, 'ha great': 370763, 'great tuesday': 363083, 'and survives': 72898, 'survives the': 829344, 'the toiletpaperblues': 869741, 'meanwhile in every': 524988, 'the uk hope': 870233, 'uk hope everyone': 938451, 'hope everyone ha': 403461, 'everyone ha great': 286966, 'ha great tuesday': 370767, 'great tuesday and': 363084, 'tuesday and survives': 935116, 'and survives the': 72899, 'survives the toiletpaperblues': 829345, 'stenographer': 799479, 'getting most': 349129, 'american do': 51915, 'die why': 241483, 'the stenographer': 867873, 'stenographer asking': 799480, 'asking bull': 95951, 'bull question': 142408, 'about topic': 26760, 'topic that': 925820, 'the trumppressbriefing': 870078, 'trumppressbriefing in': 934129, 'that direction': 843541, 'direction ask': 243447, 'afraid of getting': 35000, 'of getting most': 584124, 'getting most american': 349130, 'most american do': 542090, 'american do not': 51917, 'sick die why': 768416, 'die why are': 241484, 'are the stenographer': 90913, 'the stenographer asking': 867874, 'stenographer asking bull': 799481, 'asking bull question': 95952, 'bull question about': 142409, 'question about topic': 693508, 'about topic that': 26762, 'topic that do': 925821, 'do not pertain': 249800, 'pertain to covid': 653273, 'take the trumppressbriefing': 832684, 'the trumppressbriefing in': 870079, 'trumppressbriefing in that': 934130, 'in that direction': 428917, 'that direction ask': 843542, 'direction ask why': 243448, 'ask why toilet': 95671, 'paper sanitizer is': 640719, 'sanitizer is low': 735196, 'coronavirus leading': 206215, 'behavior people': 124142, 'online reading': 608852, 'reading news': 700789, 'news participating': 560692, 'social video': 780008, 'video streaming': 956906, 'streaming event': 812815, 'coronavirus leading to': 206216, 'leading to new': 483769, 'to new online': 910569, 'new online consumer': 559209, 'consumer behavior people': 196498, 'behavior people on': 124143, 'people on lockdown': 648966, 'on lockdown are': 601905, 'lockdown are spending': 499168, 'time online reading': 897410, 'online reading news': 608853, 'reading news participating': 700790, 'news participating in': 560693, 'participating in online': 642573, 'in online community': 426163, 'community and interacting': 189717, 'and interacting with': 65319, 'interacting with social': 441226, 'with social video': 1000820, 'social video streaming': 780009, 'video streaming event': 956907, 'spoof': 789849, 'so frustrating': 777124, 'frustrating finding': 339240, 'finding empty': 307458, 'shelf where': 757791, 'sanitizer once': 735465, 'once proudly': 605693, 'proudly stood': 686080, 'stood so': 804391, 'this spoof': 890284, 'spoof song': 789850, 'song can': 785481, 'sanitizer humor': 735104, 'humor song': 410916, 'song handsanitizer': 785496, 'handsanitizer funny': 376539, 'funny comedy': 341712, 'it so frustrating': 461109, 'so frustrating finding': 777125, 'frustrating finding empty': 339241, 'finding empty shelf': 307460, 'empty shelf where': 275109, 'shelf where the': 757794, 'where the hand': 985229, 'hand sanitizer once': 375513, 'sanitizer once proudly': 735466, 'once proudly stood': 605694, 'proudly stood so': 686081, 'stood so came': 804392, 'up with this': 946696, 'with this spoof': 1001729, 'this spoof song': 890285, 'spoof song can': 789851, 'song can get': 785482, 'get no sanitizer': 347670, 'no sanitizer humor': 565409, 'sanitizer humor song': 735105, 'humor song handsanitizer': 410917, 'song handsanitizer funny': 785497, 'handsanitizer funny comedy': 376540, 'about adding': 24763, 'of donating': 582788, 'donating an': 254432, 'bank whilst': 110302, 'whilst online': 987663, 'many avoid': 513809, 'how about adding': 407270, 'about adding the': 24764, 'adding the option': 31703, 'the option of': 862430, 'option of donating': 614074, 'of donating an': 582789, 'donating an item': 254433, 'an item to': 56500, 'food bank whilst': 313670, 'bank whilst online': 110303, 'whilst online shopping': 987664, 'online shopping whilst': 609344, 'shopping whilst many': 764403, 'whilst many avoid': 987654, 'many avoid the': 513810, 'avoid the shop': 105333, 'and get home': 63578, 'get home delivery': 347240, 'potential food': 667067, 'hunger coalition': 411080, 'coalition purchased': 185084, 'purchased 10': 689744, 'percent more': 651145, 'and implemented': 65022, 'implemented new': 418466, 'new protocol': 559371, 'protocol due': 685978, 'preparation for higher': 670034, 'for higher demand': 322262, 'higher demand and': 395569, 'demand and potential': 234990, 'and potential food': 69257, 'potential food shortage': 667068, 'shortage the hunger': 765254, 'the hunger coalition': 857745, 'hunger coalition purchased': 411081, 'coalition purchased 10': 185085, 'purchased 10 percent': 689745, '10 percent more': 1627, 'percent more food': 651146, 'food and implemented': 313260, 'and implemented new': 65023, 'implemented new protocol': 418467, 'new protocol due': 559372, 'protocol due to': 685979, 'been good': 121224, 'just booked': 468343, 'booked round': 134670, 'round trip': 726373, 'trip summer': 932167, 'summer flight': 817975, 'under 500': 939983, '500 combined': 19961, 'combined today': 187136, 'today bc': 919302, 'bc price': 113281, 'are dirt': 85831, 'cheap can': 174086, 'both all': 135838, 'all wedding': 45417, 'well if there': 978306, 'there one thing': 878897, 'thing this ha': 884863, 'ha been good': 369818, 'been good for': 121225, 'good for just': 357078, 'for just booked': 322789, 'just booked round': 468344, 'booked round trip': 134671, 'round trip summer': 726374, 'trip summer flight': 932168, 'summer flight for': 817976, 'flight for under': 310473, 'for under 500': 327418, 'under 500 combined': 939984, '500 combined today': 19962, 'combined today bc': 187137, 'today bc price': 919303, 'bc price are': 113282, 'price are dirt': 672652, 'are dirt cheap': 85832, 'dirt cheap can': 243712, 'cheap can wait': 174087, 'wait to turn': 964234, 'to turn up': 917851, 'turn up at': 935803, 'up at both': 944426, 'at both all': 98151, 'both all wedding': 135839, 'truce business': 932706, 'business oil': 144133, 'war truce business': 966576, 'truce business oil': 932707, 'sendhelp': 749997, 'the lot': 859739, 'of ya': 593337, 'ya buying': 1013972, 'buying 300': 149840, 'shit paper': 759181, 'paper either': 640125, 'either sitting': 270373, 'here til': 393696, 'til it': 895943, 'it dry': 457714, 'dry or': 261289, 'my sock': 550142, 'sock coming': 781403, 'off stophoarding': 594197, 'stophoarding toiletpapercrisis': 805511, 'toiletpapercrisis sendhelp': 923061, 'fuck the lot': 339659, 'the lot of': 859743, 'lot of ya': 504328, 'of ya buying': 593338, 'ya buying 300': 1013973, 'buying 300 roll': 149841, 'roll of shit': 725417, 'of shit paper': 589603, 'shit paper either': 759183, 'paper either sitting': 640126, 'either sitting here': 270374, 'sitting here til': 772109, 'here til it': 393697, 'til it dry': 895944, 'it dry or': 457715, 'dry or my': 261290, 'or my sock': 616217, 'my sock coming': 550143, 'sock coming off': 781404, 'coming off stophoarding': 188151, 'off stophoarding toiletpapercrisis': 594198, 'stophoarding toiletpapercrisis sendhelp': 805512, 'briefing is': 139723, 'start any': 794201, 'any minute': 79466, 'minute now': 533809, 'now earlier': 574577, 'post reported': 666292, 'that attorney': 842886, 'general bill': 345289, 'bill barr': 130515, 'barr wa': 111175, 'wa scheduled': 963152, 'house coronavirus briefing': 406248, 'coronavirus briefing is': 205574, 'briefing is due': 139724, 'due to start': 261970, 'to start any': 915187, 'start any minute': 794202, 'any minute now': 79467, 'minute now earlier': 533810, 'now earlier the': 574578, 'earlier the washington': 264491, 'washington post reported': 967792, 'post reported that': 666293, 'reported that attorney': 712537, 'that attorney general': 842887, 'attorney general bill': 102626, 'general bill barr': 345290, 'bill barr wa': 130517, 'barr wa scheduled': 111176, 'wa scheduled to': 963153, 'scheduled to join': 741522, 'join the briefing': 466851, 'the briefing for': 849995, 'briefing for the': 139714, 'coronaplus': 205176, 'kid always': 473846, 'show supermarket': 767161, 'sweep so': 830158, 'final game': 305836, 'game super': 343257, 'super sweep': 818600, 'sweep and': 830099, 'run around': 727568, 'place grabbing': 657467, 'food inflatable': 315031, 'inflatable bonus': 436977, 'causing chaos': 168005, 'chaos now': 173034, 'going mental': 355272, 'mental coronaplus': 528631, 'when wa kid': 984402, 'wa kid always': 962486, 'kid always wanted': 473847, 'go on the': 353897, 'on the game': 604138, 'the game show': 856126, 'game show supermarket': 343248, 'show supermarket sweep': 767163, 'supermarket sweep so': 823104, 'sweep so could': 830159, 'so could do': 776802, 'could do the': 209102, 'do the final': 250242, 'the final game': 855194, 'final game super': 305837, 'game super sweep': 343258, 'super sweep and': 818601, 'sweep and run': 830101, 'and run around': 70633, 'run around the': 727571, 'around the place': 93550, 'the place grabbing': 863768, 'place grabbing food': 657468, 'grabbing food inflatable': 361584, 'food inflatable bonus': 315032, 'inflatable bonus and': 436978, 'bonus and causing': 134346, 'and causing chaos': 59644, 'causing chaos now': 168006, 'chaos now thanks': 173035, '19 can because': 5604, 'can because the': 157728, 'because the shop': 119647, 'shop are going': 759901, 'are going mental': 86891, 'going mental coronaplus': 355273, 'polypropylene': 663951, 'decon': 231508, 'my kn95': 548964, 'kn95 still': 475981, 'still hasn': 800635, 'hasn arrived': 378719, 'arrived so': 93971, 'one made': 606628, 'with polyester': 1000254, 'polyester covering': 663936, 'covering and': 212455, 'and polypropylene': 69180, 'polypropylene filter': 663952, 'filter got': 305766, 'cart hand': 165313, 'and purell': 69796, 'purell spray': 690031, 'spray to': 790335, 'to decon': 904025, 'decon my': 231509, 'shoe before': 759657, 'truck to': 932867, 'grocery shopping my': 365055, 'shopping my kn95': 763312, 'my kn95 still': 548965, 'kn95 still hasn': 475982, 'still hasn arrived': 800636, 'hasn arrived so': 378720, 'arrived so had': 93972, 'so had one': 777230, 'had one made': 373369, 'one made with': 606630, 'made with polyester': 508070, 'with polyester covering': 1000255, 'polyester covering and': 663937, 'covering and polypropylene': 212456, 'and polypropylene filter': 69181, 'polypropylene filter got': 663953, 'filter got the': 305767, 'got the wipe': 358918, 'the wipe for': 871618, 'wipe for the': 996266, 'for the cart': 326336, 'the cart hand': 850445, 'cart hand sanitizer': 165314, 'sanitizer and purell': 734430, 'and purell spray': 69797, 'purell spray to': 690032, 'spray to decon': 790336, 'to decon my': 904026, 'decon my shoe': 231510, 'my shoe before': 550041, 'shoe before get': 759658, 'before get in': 122819, 'get in my': 347302, 'my truck to': 550436, 'truck to come': 932868, 'to come home': 903033, 'gorollick': 358334, 'powersports': 667841, 'gorollick is': 358335, 'consumer shop': 198971, 'for recreation': 325037, 'recreation vehicle': 705446, 'vehicle online': 954275, 'with dealer': 997937, 'dealer learn': 229612, 'here powersports': 393469, 'powersports boat': 667842, 'boat rv': 133730, 'rv gorollick': 728716, 'gorollick is helping': 358336, 'is helping consumer': 448394, 'helping consumer shop': 391295, 'consumer shop for': 198972, 'shop for recreation': 760199, 'for recreation vehicle': 325038, 'recreation vehicle online': 705447, 'vehicle online during': 954276, '19 situation by': 10570, 'situation by providing': 772211, 'by providing resource': 153679, 'providing resource to': 687087, 'connect with dealer': 194633, 'with dealer learn': 997938, 'dealer learn more': 229613, 'more here powersports': 539429, 'here powersports boat': 393470, 'powersports boat rv': 667843, 'boat rv gorollick': 133731, 'jlmco': 465552, 'jlmcobrand': 465555, 'healthy environment': 387596, 'environment for': 279102, 'community online': 190018, 'placed here': 657884, 'here jlmco': 393274, 'jlmco jlmcobrand': 465553, 'jlmcobrand coronapocolypse': 465556, 'coronapocolypse shoponline': 205241, 'here to provide': 393722, 'provide safe shopping': 686458, 'safe shopping experience': 729934, 'shopping experience for': 762612, 'experience for our': 291365, 'for our customer': 324224, 'customer and healthy': 222078, 'and healthy environment': 64387, 'healthy environment for': 387598, 'environment for our': 279103, 'for our associate': 324212, 'our associate and': 622135, 'and community online': 60175, 'community online order': 190019, 'online order can': 608681, 'be placed here': 116423, 'placed here jlmco': 657885, 'here jlmco jlmcobrand': 393275, 'jlmco jlmcobrand coronapocolypse': 465554, 'jlmcobrand coronapocolypse shoponline': 465557, 'guy when': 369221, 'wa confused': 961859, 'confused that': 194348, 'were still': 980169, 'still using': 801364, 'using self': 950642, 'checkout touching': 175046, 'screen one': 742708, 'zero social': 1027499, 'no wiping': 565907, 'down between': 256564, 'guy when doing': 369222, 'when doing the': 983358, 'doing the essential': 252717, 'the essential supermarket': 854521, 'essential supermarket shop': 281614, 'supermarket shop wa': 822597, 'shop wa confused': 761009, 'wa confused that': 961861, 'confused that people': 194349, 'that people were': 845709, 'people were still': 650223, 'were still using': 980176, 'still using self': 801366, 'using self checkout': 950643, 'self checkout touching': 747586, 'checkout touching the': 175047, 'touching the screen': 926730, 'the screen one': 866534, 'screen one after': 742709, 'one after one': 605873, 'after one with': 35987, 'one with zero': 607492, 'with zero social': 1002249, 'zero social distancing': 1027500, 'distancing and no': 246980, 'and no wiping': 67652, 'no wiping down': 565908, 'wiping down between': 996509, 'hi nikki': 394708, 'nikki absolutely': 563244, 'absolutely we': 27464, 'offering flexible': 595103, 'flexible payment': 310392, 'payment option': 645696, 'financially affected': 306655, 'hand please': 375180, 'call check': 155823, 'hi nikki absolutely': 394709, 'nikki absolutely we': 563245, 'absolutely we re': 27465, 're offering flexible': 699159, 'offering flexible payment': 595104, 'flexible payment option': 310394, 'payment option for': 645697, 'option for consumer': 614033, 'business customer who': 143615, 'customer who have': 223079, 'been financially affected': 121147, 'financially affected by': 306656, 'the crisis if': 852392, 'you need hand': 1019996, 'need hand please': 554949, 'hand please give': 375181, 'please give call': 660025, 'give call check': 350428, 'call check out': 155824, 'out this link': 627575, 'this link for': 888643, 'link for our': 493838, 'overcrowding': 631161, 'spre': 790380, 'the rationing': 865178, 'rationing on': 697853, 'grocery like': 364685, 'flour etc': 311096, 'etc mean': 282653, 'trip week': 932217, 'increase considerably': 432719, 'considerably this': 195203, 'to overcrowding': 911302, 'overcrowding in': 631164, 'will add': 992196, 'current exponential': 221194, 'exponential spre': 292585, 'the rationing on': 865180, 'rationing on essential': 697854, 'on essential grocery': 600585, 'essential grocery like': 281107, 'grocery like milk': 364686, 'like milk rice': 490781, 'rice pasta and': 721099, 'pasta and flour': 643680, 'and flour etc': 62986, 'flour etc mean': 311097, 'etc mean supermarket': 282656, 'mean supermarket trip': 524669, 'supermarket trip week': 823557, 'trip week will': 932218, 'week will increase': 977254, 'will increase considerably': 993809, 'increase considerably this': 432720, 'considerably this situation': 195204, 'situation will lead': 772588, 'lead to overcrowding': 483374, 'to overcrowding in': 911303, 'overcrowding in the': 631165, 'supermarket will add': 823879, 'will add to': 992198, 'the current exponential': 852631, 'current exponential spre': 221195, 'cheapgas': 174317, 'found premium': 330342, 'premium gasoline': 669954, 'gasoline for': 344228, 'for 29': 318787, '29 gallon': 16476, 'california no': 155543, 'where saw': 985156, 'did to': 240884, 'available toilet': 104669, 'towel shelterinplace': 927377, 'shelterinplace hoarder': 758002, 'toiletpaper papertowels': 922323, 'papertowels cheapgas': 641167, 'cheapgas quarantine': 174318, 'found premium gasoline': 330343, 'premium gasoline for': 669955, 'gasoline for 29': 344229, 'for 29 gallon': 318789, '29 gallon in': 16477, 'gallon in california': 343020, 'in california no': 421144, 'california no not': 155544, 'you where saw': 1022286, 'where saw what': 985157, 'saw what you': 738321, 'you did to': 1018201, 'did to all': 240885, 'all the available': 44663, 'the available toilet': 849090, 'available toilet paper': 104670, 'paper towel shelterinplace': 641011, 'towel shelterinplace hoarder': 927378, 'shelterinplace hoarder toiletpaper': 758003, 'hoarder toiletpaper papertowels': 399134, 'toiletpaper papertowels cheapgas': 922324, 'papertowels cheapgas quarantine': 641168, 'cheapgas quarantine staysafe': 174319, 'precisely': 669505, 'the due': 853770, 'see disruption': 745046, 'not dying': 569124, 'hunger precisely': 411173, 'precisely because': 669508, 'see story of': 745756, 'story of food': 812061, 'in the due': 429153, 'the due to': 853771, '19 we see': 11950, 'we see disruption': 973155, 'see disruption in': 745047, 'demand for perishable': 235471, 'good it is': 357289, 'are not dying': 88354, 'not dying of': 569125, 'of hunger precisely': 584918, 'hunger precisely because': 411174, 'precisely because of': 669509, 'of this supply': 592047, 'deluge': 234834, 'marketwatch': 517885, 'fighting three': 305144, 'three headed': 893946, 'headed monster': 385906, 'monster that': 537472, 'recession oversupply': 704336, 'oversupply deluge': 631587, 'deluge and': 234835, 'demand destruction': 235231, 'destruction oilprice': 239118, 'oilprice recession2020': 597634, 'recession2020 oversupply': 704427, 'oversupply marketwatch': 631598, 'marketwatch retweet': 517886, 'retweet comment': 720042, 'comment like': 188426, 'oil price seem': 597248, 'price seem to': 676333, 'to be fighting': 901255, 'be fighting three': 114835, 'fighting three headed': 305145, 'three headed monster': 893947, 'headed monster that': 385907, 'monster that is': 537473, 'that is global': 844589, 'is global recession': 448071, 'global recession oversupply': 352161, 'recession oversupply deluge': 704337, 'oversupply deluge and': 631588, 'deluge and demand': 234836, 'and demand destruction': 61149, 'demand destruction oilprice': 235236, 'destruction oilprice recession2020': 239119, 'oilprice recession2020 oversupply': 597635, 'recession2020 oversupply marketwatch': 704428, 'oversupply marketwatch retweet': 631599, 'marketwatch retweet comment': 517887, 'retweet comment like': 720043, 'brough': 141126, '1person': 12681, 'door man': 255642, 'entrance we': 278909, 'family guy': 297867, 'guy brough': 368931, 'brough the': 141127, 'age 70': 37797, '70 yet': 21867, '45 couldn': 19080, 'couldn understand': 209935, 'he putting': 385319, 'putting his': 691131, 'nominate 1person': 566276, '1person from': 12682, 'the door man': 853574, 'door man on': 255643, 'man on supermarket': 512172, 'on supermarket entrance': 603787, 'supermarket entrance we': 820180, 'entrance we re': 278910, 'we re telling': 972984, 'that family guy': 843829, 'family guy brough': 297868, 'guy brough the': 368932, 'brough the whole': 141128, 'family out to': 298140, 'to shop the': 914492, 'shop the parent': 760904, 'vulnerable age 70': 960843, 'age 70 yet': 37798, '70 yet the': 21868, 'son 45 couldn': 785343, '45 couldn understand': 19081, 'couldn understand the': 209936, 'danger he putting': 225653, 'he putting his': 385320, 'putting his parent': 691132, 'just nominate 1person': 469318, 'nominate 1person from': 566277, '1person from household': 12683, 'of lawmaker': 585740, 'lawmaker across': 482479, 'including 16': 431844, '16 from': 4113, 'from md': 336388, 'md want': 522296, 'want online': 965878, 'of policing': 588200, 'policing price': 663305, 'hundred of lawmaker': 411001, 'of lawmaker across': 585741, 'lawmaker across the': 482480, 'the country including': 852100, 'country including 16': 210784, 'including 16 from': 431845, '16 from md': 4114, 'from md want': 336389, 'md want online': 522297, 'want online retailer': 965879, 'online retailer to': 608889, 'do better job': 249136, 'better job of': 128346, 'job of policing': 466037, 'of policing price': 588201, 'policing price gouging': 663306, 'entryway': 279044, 'entryway in': 279045, 'house thank': 406596, 'for visiting': 327586, 'visiting use': 959568, 'use tissue': 949746, 'wipe ur': 996410, 'ur nose': 948043, 'nose use': 567934, 'sanitizer put': 735622, 'glove go': 352699, '19 socialdistance': 10671, 'entryway in my': 279046, 'my house thank': 548745, 'house thank you': 406597, 'you for visiting': 1018683, 'for visiting use': 327587, 'visiting use tissue': 959569, 'use tissue to': 949747, 'tissue to wipe': 899224, 'to wipe ur': 918630, 'wipe ur nose': 996411, 'ur nose use': 948044, 'nose use the': 567935, 'use the hand': 949671, 'hand sanitizer put': 375555, 'sanitizer put on': 735623, 'on the glove': 604142, 'the glove go': 856374, 'glove go outside': 352700, 'go outside now': 354017, 'outside now we': 629497, 'we can visit': 971037, 'can visit 19': 160124, 'visit 19 socialdistance': 959168, 'the misinformation': 860684, 'misinformation circulating': 534066, 'circulating widely': 178692, 'widely about': 991777, 'drug potential': 261030, 'potential treatment': 667161, 'is harmful': 448313, 'to patient': 911497, 'with illness': 998939, 'like lupus': 490685, 'lupus for': 506818, 'are proven': 89311, 'effective it': 269278, 'creating scarcity': 216060, 'also the misinformation': 48979, 'the misinformation circulating': 860685, 'misinformation circulating widely': 534067, 'circulating widely about': 178693, 'widely about these': 991778, 'about these drug': 26610, 'these drug potential': 879944, 'drug potential treatment': 261031, 'potential treatment for': 667163, 'treatment for covid': 931075, '19 is harmful': 7983, 'is harmful to': 448314, 'harmful to patient': 378459, 'to patient with': 911500, 'patient with illness': 644312, 'with illness like': 998941, 'illness like lupus': 416385, 'like lupus for': 490686, 'lupus for which': 506819, 'which the drug': 986373, 'the drug are': 853728, 'drug are proven': 260882, 'are proven to': 89312, 'be effective it': 114653, 'effective it is': 269279, 'it is creating': 458918, 'is creating scarcity': 446917, 'creating scarcity and': 216061, 'scarcity and driving': 740821, '80 something': 22630, 'something relative': 785038, 'at senior': 100484, 'in he': 423594, 'busy so': 144958, 'she gave': 756045, 'nothing really': 573147, 'really embarrassed': 702154, 'british please': 140561, 'shop sensibly': 760752, 'sensibly you': 750691, 'idiot stopstockpiling': 413602, 'my 80 something': 547193, '80 something relative': 22631, 'something relative went': 785039, 'relative went to': 708754, 'went to at': 979142, 'to at senior': 900808, 'at senior hour': 100485, 'senior hour and': 750321, 'hour and could': 405392, 'and could not': 60619, 'not get in': 569593, 'get in he': 347297, 'in he wa': 423598, 'he wa too': 385625, 'too busy so': 924624, 'busy so she': 144960, 'so she gave': 778190, 'she gave up': 756047, 'gave up and': 344678, 'and went home': 75428, 'went home with': 979033, 'home with nothing': 402533, 'with nothing really': 999823, 'nothing really embarrassed': 573148, 'really embarrassed to': 702155, 'be british please': 113911, 'british please please': 140562, 'please please shop': 660313, 'please shop sensibly': 660511, 'shop sensibly you': 760753, 'sensibly you fucking': 750692, 'fucking idiot stopstockpiling': 339916, 'idiot stopstockpiling stophoarding': 413603, 'leveraging': 487806, 'methodology': 529808, 'bareshares': 111042, 'measuring': 525458, 'by leveraging': 153048, 'leveraging innovative': 487809, 'innovative methodology': 438926, 'methodology and': 529809, 'new technology': 559725, 'technology insight': 836316, 'insight program': 439621, 'program can': 683221, 'continue allowing': 200993, 'allowing company': 46270, 'quickly react': 694581, 'this changing': 886741, 'changing environment': 172705, 'environment bareshares': 279088, 'bareshares from': 111043, 'on measuring': 602083, 'measuring customer': 525459, 'customer insight': 222523, 'insight in': 439569, 'by leveraging innovative': 153049, 'leveraging innovative methodology': 487810, 'innovative methodology and': 438927, 'methodology and new': 529810, 'and new technology': 67561, 'new technology insight': 559726, 'technology insight program': 836317, 'insight program can': 439622, 'program can continue': 683223, 'can continue allowing': 157980, 'continue allowing company': 200994, 'allowing company to': 46271, 'to quickly react': 912683, 'quickly react to': 694582, 'react to this': 700153, 'to this changing': 917408, 'this changing environment': 886742, 'changing environment bareshares': 172706, 'environment bareshares from': 279089, 'bareshares from on': 111044, 'from on measuring': 336667, 'on measuring customer': 602084, 'measuring customer insight': 525460, 'customer insight in': 222524, 'insight in time': 439572, 'hkt': 398631, 'sustain his': 829741, 'his community': 397301, 'community hashtag': 189881, 'hashtag three': 378705, 'three april': 893871, '2020 49': 14115, '49 hkt': 19387, 'hkt neworleans': 398632, 'owner is trying': 632485, 'trying to sustain': 934885, 'to sustain his': 916075, 'sustain his community': 829742, 'his community hashtag': 397303, 'community hashtag three': 189882, 'hashtag three april': 378706, 'three april 14': 893872, '14 2020 49': 3391, '2020 49 hkt': 14116, '49 hkt neworleans': 19388, 'national authority': 552420, 'false sale': 297453, 'consumer consumer and': 196950, 'consumer and national': 196230, 'and national authority': 67427, 'national authority to': 552421, 'authority to combat': 103798, 'combat scam and': 187035, 'scam and false': 739997, 'and false sale': 62648, 'false sale online': 297454, 'sale online covid': 732423, 'milkdumping': 531922, 'accentuated': 27932, 'jubilee': 467603, 'orchard': 617956, 'produce being': 680210, 'field not': 304493, 'just milkdumping': 469272, 'milkdumping the': 531923, 'ha accentuated': 369433, 'accentuated the': 27933, 'local control': 497855, 'control community': 201984, 'community have': 189883, 'supply bud': 824860, 'bud chile': 141721, 'chile jubilee': 176339, 'jubilee orchard': 467604, 'orchard fl': 617957, 'fl produce': 309924, 'produce issue': 680329, 'state too': 796036, 'produce being left': 680211, 'being left in': 125378, 'left in field': 485513, 'in field not': 422872, 'field not just': 304494, 'not just milkdumping': 570233, 'just milkdumping the': 469273, 'milkdumping the coronavirus': 531924, 'coronavirus ha accentuated': 206017, 'ha accentuated the': 369434, 'accentuated the lack': 27934, 'security and lack': 744535, 'lack of local': 478634, 'of local control': 585927, 'local control community': 497856, 'control community have': 201985, 'community have over': 189886, 'have over their': 381857, 'over their food': 630791, 'food supply bud': 316939, 'supply bud chile': 824861, 'bud chile jubilee': 141722, 'chile jubilee orchard': 176340, 'jubilee orchard fl': 467605, 'orchard fl produce': 617958, 'fl produce issue': 309925, 'produce issue in': 680330, 'in other state': 426251, 'other state too': 620969, 'clavey': 180417, 'paddlesports': 633792, 'update clavey': 946900, 'clavey paddlesports': 180418, 'paddlesports retail': 633793, 'closed please': 183291, 'our statement': 624905, '19 update clavey': 11657, 'update clavey paddlesports': 946901, 'clavey paddlesports retail': 180419, 'paddlesports retail store': 633794, 'temporarily closed please': 837468, 'closed please read': 183292, 'please read our': 660353, 'read our statement': 700521, 'business been': 143435, 'virus web': 959017, 'web on': 974952, 'on speed': 603597, 'speed are': 788426, 'ecommerce site': 266867, 'struggling at': 814420, 'moment during': 535926, 'these bad': 879664, 'also allow': 47833, 'allow part': 46027, 'part payment': 642406, 'on website': 605158, 'foot contact': 318370, 'ha your business': 372510, 'your business been': 1023051, 'business been affected': 143436, '19 virus web': 11846, 'virus web on': 959018, 'web on speed': 974953, 'on speed are': 603598, 'speed are offering': 788427, 'offering special price': 595260, 'special price for': 788030, 'price for ecommerce': 673954, 'for ecommerce site': 320942, 'ecommerce site to': 266869, 'site to help': 772032, 'help those that': 390752, 'are struggling at': 90582, 'struggling at the': 814421, 'the moment during': 860751, 'moment during these': 535927, 'during these bad': 263229, 'these bad time': 879666, 'bad time we': 108051, 'will also allow': 992250, 'also allow part': 47834, 'allow part payment': 46028, 'part payment on': 642407, 'payment on website': 645693, 'on website to': 605160, 'website to help': 975444, 'you get back': 1018760, 'get back on': 346633, 'back on your': 107206, 'on your foot': 605467, 'your foot contact': 1023938, '826': 22839, 'big breaking': 129664, 'breaking no': 139011, 'no community': 563855, 'india yet': 434701, 'yet all': 1015977, 'all 826': 41912, '826 random': 22840, 'random sample': 696615, 'sample tested': 733485, 'tested by': 839277, 'by icmr': 152858, 'icmr found': 412795, 'found negative': 330300, 'big breaking no': 129665, 'breaking no community': 139012, 'no community spread': 563857, 'in india yet': 424066, 'india yet all': 434702, 'yet all 826': 1015978, 'all 826 random': 41913, '826 random sample': 22841, 'random sample tested': 696616, 'sample tested by': 733486, 'tested by icmr': 839279, 'by icmr found': 152859, 'icmr found negative': 412796, 'retailer when': 719414, 're all practising': 698231, 'be online really': 116232, 'really simple free': 702597, 'to shop via': 914499, 'via easyfundraising we': 955944, 'the retailer when': 865745, 'retailer when you': 719416, 'no landlord': 564576, 'landlord in': 479351, 'in md': 425200, 'md should': 522287, 'increase rent': 433038, 'rent during': 711074, 'crisis take': 218124, 'action now': 30086, 'no landlord in': 564577, 'landlord in md': 479352, 'in md should': 425201, 'md should increase': 522289, 'should increase rent': 766133, 'increase rent during': 433039, 'rent during this': 711075, 'this crisis take': 887090, 'crisis take action': 218125, 'take action now': 831899, 'next 21': 561269, 'are crucial': 85638, 'you me': 1019819, 'family very': 298350, 'very imp': 955245, 'imp we': 417527, 'we behave': 970840, 'responsibly adhere': 716074, 'to instruction': 908428, 'ourselves stay': 625493, 'home follow': 401207, 'available stayhomeindia': 104599, 'stayhomeindia 19': 798307, 'next 21 day': 561270, '21 day are': 14985, 'day are crucial': 227315, 'are crucial to': 85639, 'crucial to you': 219486, 'to you me': 918907, 'you me our': 1019820, 'me our family': 523294, 'our family very': 623003, 'family very imp': 298351, 'very imp we': 955246, 'imp we behave': 417528, 'we behave responsibly': 970842, 'behave responsibly adhere': 123789, 'responsibly adhere to': 716075, 'adhere to instruction': 32211, 'to instruction we': 908430, 'instruction we must': 440577, 'we must isolate': 972423, 'must isolate ourselves': 546739, 'isolate ourselves stay': 454908, 'ourselves stay home': 625494, 'stay home follow': 796964, 'home follow social': 401208, 'distancing and do': 246967, 'about food medicine': 25258, 'medicine or essential': 526857, 'or essential they': 615183, 'essential they will': 281679, 'be available stayhomeindia': 113763, 'available stayhomeindia 19': 104600, 'contaminatedwithstupid': 200682, 'dontbeadick': 255329, 'seriously may': 751667, 'never leave': 558100, 'leave my': 484873, 'house again': 406160, 'again bless': 36925, 'you worker': 1022428, 'your salary': 1025669, 'salary should': 731990, 'be quadrupled': 116651, 'quadrupled contaminatedwithstupid': 691659, 'contaminatedwithstupid socialdistancing': 200683, 'socialdistancing dontbeadick': 780331, 'dontbeadick stophoarding': 255330, 'seriously may never': 751668, 'may never leave': 521365, 'never leave my': 558101, 'leave my house': 484874, 'my house again': 548720, 'house again bless': 406161, 'again bless you': 36926, 'bless you worker': 132611, 'you worker who': 1022429, 'with this your': 1001744, 'this your salary': 891623, 'your salary should': 1025670, 'salary should be': 731991, 'should be quadrupled': 765706, 'be quadrupled contaminatedwithstupid': 116652, 'quadrupled contaminatedwithstupid socialdistancing': 691660, 'contaminatedwithstupid socialdistancing dontbeadick': 200684, 'socialdistancing dontbeadick stophoarding': 780332, 'monkey': 537401, 'several btc': 753797, 'btc chart': 141495, 'chart by': 173822, 'twitter monkey': 936689, 'monkey ha': 537406, 'just started': 469874, 'world impact': 1009650, 'impact are': 417560, 'not done': 569094, 'see bottom': 744970, 'worst is': 1011209, 'after may': 35914, 'into consideration': 442478, 'prediction chart': 669657, 'chart etc': 173826, 'several btc chart': 753798, 'btc chart by': 141496, 'chart by twitter': 173823, 'by twitter monkey': 154616, 'twitter monkey ha': 936690, 'monkey ha just': 537407, 'ha just started': 371066, 'just started all': 469875, 'started all around': 794678, 'the world impact': 871891, 'world impact are': 1009651, 'impact are not': 417563, 'are not done': 88353, 'not done and': 569095, 'done and we': 254781, 'will see bottom': 994768, 'see bottom price': 744971, 'bottom price again': 136432, 'price again the': 672242, 'again the worst': 37215, 'the worst is': 872059, 'worst is yet': 1011212, 'to come after': 903018, 'come after may': 187187, 'after may take': 35916, 'may take into': 521557, 'take into consideration': 832231, 'into consideration the': 442479, 'consideration the prediction': 195265, 'the prediction chart': 864225, 'prediction chart etc': 669658, 'disgusting how': 245412, 'how allows': 407335, 'allows seller': 46393, 'for respirator': 325167, 'respirator and': 715190, '300 00': 17278, 'it god': 458272, 'all ebay': 42654, 'it disgusting how': 457577, 'disgusting how allows': 245413, 'how allows seller': 407336, 'allows seller to': 46394, 'seller to take': 749101, 'this pandemic price': 889417, 'pandemic price for': 636233, 'price for respirator': 674039, 'for respirator and': 325168, 'respirator and mask': 715191, 'mask are close': 518397, 'are close to': 85326, 'close to 300': 182881, 'to 300 00': 899674, '300 00 for': 17281, '00 for those': 217, 'those that really': 892541, 'that really need': 845963, 'really need it': 702437, 'need it god': 555088, 'it god help': 458274, 'god help them': 354739, 'help them all': 390697, 'them all ebay': 875341, 'lockedupwithatoddler': 500515, 'distancing starting': 247498, 'go little': 353803, 'little stir': 495581, 'practicing for': 668725, 'sweep any': 830102, 'any pointer': 79666, 'pointer lockedupwithatoddler': 662746, 'social distancing starting': 779725, 'distancing starting to': 247499, 'to go little': 906819, 'go little stir': 353804, 'little stir crazy': 495582, 'stir crazy so': 801698, 'crazy so we': 215422, 'are practicing for': 89172, 'practicing for the': 668726, 'new supermarket sweep': 559696, 'supermarket sweep any': 823082, 'sweep any pointer': 830103, 'any pointer lockedupwithatoddler': 79667, 'elbowing': 270521, 'got old': 358759, 'store elbowing': 807443, 'elbowing what': 270522, 'of hug': 584856, 'hug or': 409956, 'hand shake': 375755, 'shake to': 754428, 'hi funny': 394650, 'still touching': 801327, 'touching that': 926724, 'person lol': 652524, 'got old lady': 358760, 'grocery store elbowing': 365360, 'store elbowing what': 807444, 'elbowing what up': 270523, 'what up instead': 982498, 'up instead of': 945209, 'instead of hug': 440277, 'of hug or': 584857, 'hug or hand': 409957, 'or hand shake': 615559, 'hand shake to': 375756, 'shake to say': 754429, 'say hi funny': 738754, 'hi funny thing': 394651, 'funny thing is': 341801, 'thing is your': 884488, 'is your still': 454166, 'your still touching': 1025948, 'still touching that': 801328, 'touching that person': 926725, 'that person lol': 845720, 'for delivering': 320622, 'keep stockpiling': 471975, 'our supermarket for': 625017, 'supermarket for delivering': 820389, 'for delivering grocery': 320624, 'grocery to hospital': 366053, 'to hospital to': 907980, 'hospital to help': 404685, 'help out staff': 390256, 'out staff because': 627238, 'staff because people': 792256, 'because people keep': 119476, 'people keep stockpiling': 648578, 'side gas': 768816, 'bright side gas': 139791, 'side gas price': 768817, 'and supply expert': 72788, 'induced 2020': 435449, '2020 recession': 14562, 'will disrupt': 993211, 'disrupt automotive': 246365, 'electronics semiconductor': 271313, 'semiconductor and': 749632, 'it infrastructure': 458795, 'infrastructure business': 438186, '19 induced 2020': 7828, 'induced 2020 recession': 435450, '2020 recession will': 14563, 'recession will disrupt': 704406, 'will disrupt automotive': 993212, 'disrupt automotive consumer': 246366, 'consumer electronics semiconductor': 197342, 'electronics semiconductor and': 271314, 'semiconductor and it': 749633, 'and it infrastructure': 65540, 'it infrastructure business': 458796, 'collapsitarian': 186159, 'shelf he': 757151, 'he going': 384995, 'to hate': 907186, 'really collapse': 702063, 'get restocked': 347923, 'restocked collapsitarian': 716942, 'collapsitarian what': 186160, 'emptying shelf he': 275280, 'shelf he going': 757152, 'he going to': 384996, 'going to hate': 355617, 'to hate life': 907187, 'shit really collapse': 759201, 'really collapse and': 702064, 'collapse and food': 185966, 'and food doesn': 63039, 'food doesn get': 314258, 'doesn get restocked': 251800, 'get restocked collapsitarian': 347924, 'restocked collapsitarian what': 716943, 'business men': 144046, 'are daily': 85698, 'daily increasing': 224645, 'their commodity': 872814, 'commodity without': 189344, 'reason in': 702937, 'fact they': 295828, 'day nothing': 228028, 'some business men': 782449, 'business men and': 144047, 'and woman are': 75800, 'woman are daily': 1003408, 'are daily increasing': 85699, 'daily increasing the': 224646, 'price of their': 675585, 'of their commodity': 591651, 'their commodity without': 872817, 'commodity without any': 189345, 'without any reason': 1002499, 'any reason in': 79731, 'reason in fact': 702938, 'in fact they': 422765, 'fact they bought': 295829, 'they bought the': 881577, 'bought the good': 136739, 'the good at': 856428, 'good at very': 356804, 'low price in': 505520, 'in the pre': 429465, '19 day nothing': 6429, 'day nothing ha': 228029, 'teacher those': 835519, 'who transport': 989817, 'transport it': 929898, 'risk continue': 723470, 'serve in': 751904, 'nurse teacher those': 577497, 'teacher those who': 835520, 'those who grow': 892638, 'food and those': 313361, 'those who transport': 892686, 'who transport it': 989818, 'transport it to': 929899, 'shelf and the': 756768, 'people who despite': 650284, 'who despite the': 988579, 'despite the health': 238887, 'health risk continue': 386806, 'risk continue to': 723471, 'continue to serve': 201254, 'to serve in': 914267, 'serve in the': 751905, 'critical support': 218680, 'local foodbanks': 497981, 'foodbanks but': 317817, 'also campaign': 48003, 'campaign urge': 157268, 'govt guarantee': 361132, 'guarantee foodbanks': 367705, 'foodbanks will': 317857, 'chasing food': 173908, 'distribution uk': 248247, 'it critical support': 457414, 'critical support local': 218681, 'support local foodbanks': 826626, 'local foodbanks but': 497983, 'foodbanks but also': 317818, 'but also campaign': 145100, 'also campaign urge': 48004, 'campaign urge the': 157269, 'urge the govt': 948227, 'the govt guarantee': 856658, 'govt guarantee foodbanks': 361133, 'guarantee foodbanks will': 367706, 'foodbanks will have': 317858, 'stock and giving': 801814, 'giving people extra': 351370, 'food we can': 317522, 'can be chasing': 157602, 'be chasing food': 114072, 'chasing food like': 173909, 'there ready for': 878980, 'ready for distribution': 700860, 'for distribution uk': 320774, 'show doesn': 766916, 'if market': 414410, 'go low': 353816, 'low you': 505758, 'soup also': 786365, 'also said': 48816, 'said of': 731270, 're fucked': 698717, 'just said on': 469670, 'said on show': 731288, 'on show doesn': 603454, 'show doesn matter': 766917, 'matter if market': 520577, 'if market go': 414413, 'market go low': 516463, 'go low you': 353818, 'low you can': 505759, 'can still use': 159799, 'still use rotten': 801363, 'make soup also': 510483, 'soup also said': 786366, 'also said of': 48818, 'said of the': 731272, 'is consumer we': 446799, 'we re fucked': 972881, 'two million': 937052, 'million meal': 532237, 'family impacted': 297912, 'economic consequence': 267022, 'by partnering': 153533, 'coast and': 185093, 'louisiana and': 504539, 'and alabama': 57821, 'proud to help': 686057, 'to help provide': 907596, 'help provide more': 390384, 'provide more than': 686396, 'more than two': 540693, 'than two million': 841370, 'two million meal': 937053, 'million meal to': 532239, 'meal to family': 524287, 'to family impacted': 905654, 'family impacted by': 297913, 'the economic consequence': 853897, 'economic consequence of': 267025, 'consequence of covid': 194873, '19 by partnering': 5569, 'by partnering with': 153534, 'partnering with food': 642932, 'west coast and': 980484, 'coast and in': 185094, 'and in louisiana': 65060, 'in louisiana and': 424940, 'louisiana and alabama': 504540, 'harm picking': 378409, 'while youre': 987601, 'youre in': 1026418, 'supermarket getting': 820495, 'getting essential': 348955, 'limit purchase': 492464, 'purchase people': 689626, 'than doing': 840509, 'doing full': 252420, 'full shop': 340883, 'or fortnight': 615380, 'fortnight stayhomesaveli': 329842, 'dont think there': 255298, 'any harm picking': 79305, 'harm picking up': 378410, 'picking up some': 655885, 'up some extra': 946030, 'some extra while': 782802, 'extra while youre': 293701, 'while youre in': 987602, 'youre in the': 1026420, 'the supermarket getting': 868608, 'supermarket getting essential': 820497, 'getting essential if': 348956, 'you limit purchase': 1019617, 'limit purchase people': 492466, 'purchase people have': 689627, 'worse than doing': 1011009, 'than doing full': 840510, 'doing full shop': 252421, 'full shop once': 340884, 'week or fortnight': 976698, 'or fortnight stayhomesaveli': 615381, 'deserve hand': 238060, 'cream like': 215563, 'also deserve hand': 48096, 'deserve hand cream': 238061, 'hand cream like': 374888, 'cream like the': 215564, 'winner of': 996033, 'country best': 210514, 'best effort': 127677, 'being source': 125840, 'of inspiration': 585226, 'luxembourg ha': 506892, 'opened public': 612753, 'public grocery': 688041, 'down winner of': 257481, 'winner of the': 996034, 'the country best': 852050, 'country best effort': 210515, 'best effort so': 127678, 'the day thank': 852916, 'for being source': 319638, 'being source of': 125841, 'source of inspiration': 786528, 'of inspiration light': 585227, 'light in the': 489533, 'in the darkness': 429123, 'the darkness luxembourg': 852839, 'darkness luxembourg ha': 226005, 'luxembourg ha opened': 506893, 'ha opened public': 371451, 'opened public grocery': 612754, 'public grocery store': 688042, 'feed the sick': 302382, 'the sick elderly': 867149, 'sick elderly and': 768428, 'and vulnerable during': 75052, 'vulnerable during the': 960941, 'special opening': 788009, 'idea coronacrisis': 413035, 'store chain have': 806920, 'chain have special': 170771, 'have special opening': 382677, 'special opening hour': 788010, 'opening hour just': 612855, 'just for elderly': 468746, 'for elderly people': 320997, 'elderly people good': 270823, 'people good idea': 648111, 'good idea coronacrisis': 357209, 'lasted': 480750, 'adidas': 32251, 'collab': 185902, 'so lasted': 777526, 'lasted this': 480753, 'this long': 888702, 'long without': 501861, 'without online': 1002808, 'pas up': 643170, 'that adidas': 842501, 'adidas pok': 32256, 'mon collab': 536189, 'collab restock': 185903, 'so lasted this': 777527, 'lasted this long': 480754, 'this long without': 888705, 'long without online': 501863, 'without online shopping': 1002809, 'online shopping since': 609269, 'shopping since covid': 763887, '19 got real': 7253, 'got real but': 358808, 'real but could': 701054, 'could not pas': 209450, 'not pas up': 570972, 'pas up that': 643171, 'up that adidas': 946146, 'that adidas pok': 842502, 'adidas pok mon': 32257, 'pok mon collab': 662826, 'mon collab restock': 536190, 'ggsm': 349535, 'progess': 683179, 'ftxp': 339500, 'ewll': 288611, 'abce': 24279, 'biel': 129592, 'gcgx': 344835, 'tptw': 928107, 'fonu': 313001, 'pctl': 645927, 'ggsm look': 349536, 'weekly monthly': 977517, 'monthly progess': 538189, 'progess silver': 683180, 'price set': 676346, 'rapidly the': 697029, 'on halt': 601223, 'halt due': 374435, 'dont fall': 255218, 'fall asleep': 296845, 'asleep during': 96189, 'this ftxp': 887636, 'ftxp igen': 339501, 'igen ewll': 415704, 'ewll abce': 288612, 'abce biel': 24280, 'biel gcgx': 129593, 'gcgx tptw': 344836, 'tptw fonu': 928108, 'fonu pctl': 313002, 'pctl best': 645928, 'best chart': 127627, 'chart in': 173833, 'the otc': 862503, 'otc at': 619773, 'ggsm look at': 349537, 'at the weekly': 101149, 'the weekly monthly': 871346, 'weekly monthly progess': 977518, 'monthly progess silver': 538190, 'progess silver price': 683181, 'silver price set': 769853, 'price set to': 676349, 'to rise rapidly': 913573, 'rise rapidly the': 722984, 'rapidly the world': 697030, 'the world supply': 871978, 'world supply is': 1010029, 'supply is on': 825453, 'is on halt': 450466, 'on halt due': 601224, 'halt due to': 374436, '19 dont fall': 6639, 'dont fall asleep': 255219, 'fall asleep during': 296846, 'asleep during this': 96190, 'during this ftxp': 263287, 'this ftxp igen': 887637, 'ftxp igen ewll': 339502, 'igen ewll abce': 415705, 'ewll abce biel': 288613, 'abce biel gcgx': 24281, 'biel gcgx tptw': 129594, 'gcgx tptw fonu': 344837, 'tptw fonu pctl': 928109, 'fonu pctl best': 313003, 'pctl best chart': 645929, 'best chart in': 127628, 'chart in the': 173834, 'in the otc': 429423, 'the otc at': 862504, 'otc at this': 619774, 'at this price': 101250, 'seriously fuck': 751618, 'who dy': 988668, 'jersey and': 465186, 'region due': 707407, 'but seriously fuck': 147013, 'seriously fuck this': 751619, 'deserves to be': 238184, 'be in jail': 115412, 'worker who dy': 1008208, 'who dy in': 988669, 'the new jersey': 861522, 'new jersey and': 558963, 'jersey and new': 465187, 'new york region': 559947, 'york region due': 1016656, 'region due to': 707408, 'lack of personal': 478641, 'of personal protective': 588063, 'discover why': 244674, 'why 43': 990716, '43 of': 18975, 'tracker now': 928286, 'changing shopping': 172790, 'shopping behaviour': 762218, 'trend just': 931383, 'just click': 468485, 'here stayhomesavelives': 393598, 'stayhomesavelives consumerinsights': 798363, 'discover why 43': 244675, 'why 43 of': 990717, '43 of shopper': 18977, 'of shopper are': 589637, 'shopper are switching': 761401, 'are switching to': 90696, 'switching to online': 830581, 'to online in': 910935, 'wake of sign': 964605, 'of sign up': 589723, 'up to our': 946411, 'to our covid': 911166, '19 tracker now': 11537, 'tracker now for': 928287, 'now for daily': 574716, 'for daily update': 320530, 'on changing shopping': 599872, 'changing shopping behaviour': 172791, 'shopping behaviour and': 762219, 'behaviour and consumer': 124359, 'and consumer trend': 60439, 'consumer trend just': 199380, 'trend just click': 931384, 'just click here': 468486, 'click here stayhomesavelives': 181917, 'here stayhomesavelives consumerinsights': 393599, 'fuelpricehike': 340365, 'about janatacurfew': 25606, 'janatacurfew why': 464494, 'one including': 606487, 'including opposition': 432088, 'opposition talking': 613833, 'about hike': 25384, 'falling oilprices': 297306, 'oilprices fuelpricehike': 597668, 'fuelpricehike coronacrisis': 340366, 'to be excited': 901240, 'excited about janatacurfew': 289524, 'about janatacurfew why': 25607, 'janatacurfew why is': 464495, 'why is no': 991113, 'no one including': 564941, 'one including opposition': 606488, 'including opposition talking': 432089, 'opposition talking about': 613834, 'talking about hike': 833970, 'about hike in': 25385, 'hike in fuel': 396220, 'fuel price when': 340260, 'price when global': 677482, 'when global oil': 983471, 'are falling oilprices': 86469, 'falling oilprices fuelpricehike': 297307, 'oilprices fuelpricehike coronacrisis': 597669, 'scot': 742407, 'scot vulnerable': 742410, 'getting increasingly': 349060, 'increasingly concerned': 433765, 'government hasn': 360179, 'hasn shared': 378776, 'shared data': 755404, 'with key': 999137, 'key retailer': 473388, 'scot vulnerable to': 742411, 'vulnerable to are': 961213, 'to are getting': 900689, 'are getting increasingly': 86811, 'getting increasingly concerned': 349061, 'increasingly concerned that': 433767, 'concerned that they': 193223, 'can get priority': 158443, 'get priority supermarket': 347849, 'priority supermarket delivery': 678665, 'scottish government hasn': 742480, 'government hasn shared': 360180, 'hasn shared data': 378777, 'shared data with': 755405, 'data with key': 226497, 'with key retailer': 999139, 'chihuahua': 175980, 'when human': 983579, 'human sneeze': 410616, 'sneeze at': 776229, 'god get': 354706, 'fuck away': 339531, 'you disgusting': 1018231, 'disgusting vile': 245479, 'vile piece': 957312, 'of trash': 592428, 'trash when': 930182, 'cute chihuahua': 223655, 'chihuahua sneeze': 175981, 'sneeze oh': 776257, 'yes god': 1015444, 'during the when': 263217, 'the when human': 871436, 'when human sneeze': 983580, 'human sneeze at': 410617, 'sneeze at the': 776231, 'store oh god': 809172, 'oh god get': 596391, 'god get the': 354707, 'get the fuck': 348246, 'the fuck away': 855958, 'fuck away from': 339532, 'from me you': 336403, 'me you disgusting': 524046, 'you disgusting vile': 1018232, 'disgusting vile piece': 245480, 'vile piece of': 957313, 'piece of trash': 656351, 'of trash when': 592429, 'trash when the': 930183, 'when the cute': 984140, 'the cute chihuahua': 852746, 'cute chihuahua sneeze': 223656, 'chihuahua sneeze oh': 175982, 'sneeze oh god': 776258, 'oh god bless': 596390, 'bless you yes': 132612, 'you yes god': 1022472, 'yes god bless': 1015445, 'worst corporate': 1011161, 'corporate consumer': 207252, '19 ive': 8180, 'ive gotten': 464053, 'the worst corporate': 872046, 'worst corporate consumer': 1011162, 'corporate consumer email': 207253, 'covid 19 ive': 213304, '19 ive gotten': 8181, 'shortcrust': 765322, 'ukfood': 938940, 'luxury savoury': 506953, 'savoury sweet': 738015, 'sweet shortcrust': 830252, 'shortcrust pastry': 765323, 'pastry pie': 643896, 'pie made': 656251, 'made fresh': 507750, 'fresh ready': 333069, 'freeze for': 332526, 'year ukfood': 1015060, 'ukfood corona': 938941, 'ru stockup': 726899, 'luxury savoury sweet': 506954, 'savoury sweet shortcrust': 738016, 'sweet shortcrust pastry': 830253, 'shortcrust pastry pie': 765324, 'pastry pie made': 643897, 'pie made fresh': 656252, 'made fresh ready': 507751, 'fresh ready to': 333070, 'ready to freeze': 700958, 'to freeze for': 906245, 'freeze for up': 332527, 'up to year': 946451, 'to year ukfood': 918874, 'year ukfood corona': 1015061, 'ukfood corona coronav': 938942, 'coronav ru stockup': 205361, 'for walking': 327633, 'supermarket claiming': 819702, 'prankster arrested for': 668965, 'arrested for walking': 93850, 'for walking around': 327635, 'walking around supermarket': 965027, 'around supermarket claiming': 93500, 'supermarket claiming to': 819703, 'lockdownmalaysia': 500320, 'did panic': 240753, 'are stupid': 90606, 'stupid said': 815454, 'guy still': 369155, 'then why': 877753, 'why need': 991203, 'buying lockdownmalaysia': 150673, 'people who did': 650285, 'who did panic': 988588, 'did panic buying': 240754, 'buying are stupid': 149956, 'are stupid said': 90607, 'stupid said what': 815455, 'said what said': 731582, 'what said you': 982115, 'said you guy': 731608, 'you guy still': 1018974, 'guy still can': 369156, 'still can buy': 800332, 'food during lockdown': 314323, 'during lockdown then': 262776, 'lockdown then why': 500024, 'then why need': 877761, 'why need to': 991204, 'panic buying lockdownmalaysia': 637798, 'store sell': 810027, 'stock consider': 802009, 'whiskey update': 987787, 'update chinaliedpeopledied': 946898, 'if your nearest': 415596, 'your nearest grocery': 1024935, 'grocery store sell': 365757, 'store sell hand': 810028, 'sanitizer at higher': 734508, 'higher price or': 395688, 'price or is': 675781, 'or is out': 615834, 'of stock consider': 590150, 'stock consider these': 802010, 'cheap whiskey update': 174238, 'whiskey update chinaliedpeopledied': 987788, 'update chinaliedpeopledied wuhanvirus': 946899, 'prejudice': 669853, 'misperceptions': 534120, 'roughly half': 726289, 'consumer prejudice': 198409, 'prejudice and': 669854, 'and misperceptions': 67067, 'misperceptions according': 534121, 'roughly half the': 726290, 'half the chinese': 374270, 'the chinese restaurant': 850866, 'united state have': 942221, 'state have closed': 795653, 'have closed because': 379994, 'result in part': 717545, 'part of consumer': 642339, 'of consumer prejudice': 581759, 'consumer prejudice and': 198410, 'prejudice and misperceptions': 669855, 'and misperceptions according': 67068, 'misperceptions according to': 534122, 'to new study': 910576, 'today temperature': 920249, 'on entry': 600572, 'entry free': 278996, 'free sanitiser': 332128, 'sanitiser so': 734016, 'can clean': 157910, 'distance why': 246899, 'asian supermarket today': 95364, 'supermarket today temperature': 823468, 'today temperature check': 920250, 'temperature check on': 837372, 'check on entry': 174508, 'on entry free': 600575, 'entry free sanitiser': 278997, 'free sanitiser so': 332129, 'sanitiser so you': 734017, 'you can clean': 1017644, 'can clean your': 157911, 'hand and your': 374790, 'and your shopping': 76097, 'shopping basket and': 762159, 'basket and telling': 112299, 'and telling people': 73104, 'telling people to': 837253, 'people to keep': 649916, 'their distance why': 873038, 'distance why cannot': 246900, 'cannot the big': 162177, 'big supermarket do': 130029, 'supermarket do this': 819983, 'stupidly': 815563, 'so hotel': 777330, 'suffering in': 817326, 'day next': 228016, 'work price': 1005622, 'in reading': 427286, 'reading all': 700733, 'all stupidly': 44523, 'stupidly high': 815564, 'high rate': 395322, 'rate per': 697341, 'per night': 650961, 'if low': 414399, 'low occupancy': 505429, 'occupancy declared': 578977, 'declared 100': 231215, '100 135': 1809, '135 85': 3339, '85 ripoffbritain': 22933, 'so hotel are': 777331, 'hotel are suffering': 405116, 'are suffering in': 90631, 'suffering in crisis': 817327, 'in crisis need': 421889, 'crisis need to': 217747, 'out of house': 626757, 'of house for': 584787, 'house for couple': 406302, 'of day next': 582379, 'day next week': 228017, 'next week due': 561677, 'due to gas': 261792, 'to gas work': 906372, 'gas work price': 344191, 'work price in': 1005623, 'price in reading': 674723, 'in reading all': 427287, 'reading all stupidly': 700734, 'all stupidly high': 44524, 'stupidly high rate': 815566, 'high rate per': 395324, 'rate per night': 697342, 'per night if': 650962, 'night if low': 563010, 'if low occupancy': 414400, 'low occupancy declared': 505430, 'occupancy declared 100': 578978, 'declared 100 135': 231216, '100 135 85': 1810, '135 85 ripoffbritain': 3340, 'nascar': 551976, 'ag investigator': 36796, 'investigator found': 443908, 'that menards': 845143, 'menards is': 528582, 'is exploiting': 447660, 'exploiting public': 292448, 'by doubling': 152409, 'and tying': 74562, 'tying purchase': 937496, 'an in': 56219, 'store refund': 809777, 'refund nascar': 706931, 'michigan ag investigator': 530313, 'ag investigator found': 36797, 'investigator found that': 443910, 'found that menards': 330401, 'that menards is': 845144, 'menards is exploiting': 528583, 'is exploiting public': 447662, 'exploiting public fear': 292449, 'is the disease': 452771, 'the coronavirus by': 851815, 'coronavirus by doubling': 205592, 'by doubling price': 152410, 'doubling price on': 256168, 'product and tying': 680917, 'and tying purchase': 74563, 'tying purchase to': 937497, 'purchase to an': 689695, 'to an in': 900460, 'an in store': 56222, 'in store refund': 428448, 'store refund nascar': 809778, 'jesus going': 465294, 'glove give': 352696, 'anxiety then': 78802, '19 itself': 8171, 'itself yes': 463973, 'yes wore': 1015615, 'mask too': 519443, 'still shit': 801181, 'jesus going into': 465295, 'people with mask': 650460, 'with mask and': 999402, 'and glove give': 63721, 'glove give me': 352697, 'give me so': 350582, 'me so much': 523494, 'much more anxiety': 545095, 'more anxiety then': 538626, 'anxiety then covid': 78803, 'covid 19 itself': 213301, '19 itself yes': 8173, 'itself yes wore': 463974, 'yes wore mask': 1015616, 'wore mask too': 1004669, 'mask too but': 519444, 'too but still': 924630, 'but still shit': 147179, 'still shit is': 801182, 'share practical': 755151, 'practical tip': 668489, 'stay relevant': 797196, 'relevant offer': 709164, 'offer real': 594759, 'crisis understanding': 218286, 'share practical tip': 755152, 'practical tip on': 668492, 'brand can stay': 137792, 'can stay relevant': 159741, 'stay relevant offer': 797197, 'relevant offer real': 709165, 'offer real value': 594760, 'value to consumer': 952222, '19 crisis understanding': 6342, 'crisis understanding consumer': 218287, 'understanding consumer need': 940870, 'consumer need is': 198192, 'need is key': 555070, 'drive down': 259032, 'commodity according': 189109, 'march driven': 515346, 'driven mostly': 259331, 'mostly by': 542940, 'global pandemic drive': 352083, 'pandemic drive down': 635335, 'drive down international': 259037, 'for major food': 323166, 'major food commodity': 509334, 'food commodity according': 313972, 'commodity according to': 189110, 'according to world': 28604, 'in march driven': 425096, 'march driven mostly': 515347, 'driven mostly by': 259332, 'mostly by demand': 542941, 'by demand side': 152327, 'linked to the': 493997, 'update pelosi': 947158, 'pelosi say': 646372, 'say must': 738957, 'must move': 546770, 'mail taking': 508658, 'taking aim': 833260, 'aim at': 39526, 'trump if': 933619, 'the voting': 870964, 'coronavirus update pelosi': 206998, 'update pelosi say': 947159, 'pelosi say must': 646373, 'say must move': 738958, 'must move to': 546772, 'move to vote': 543770, 'to vote by': 918239, 'by mail taking': 153125, 'mail taking aim': 508659, 'taking aim at': 833261, 'aim at trump': 39527, 'at trump if': 101368, 'trump if it': 933620, 'it is safe': 459068, 'is safe for': 451618, 'store it is': 808580, 'to the voting': 917174, 'the voting booth': 870965, 'deprivation': 237686, 'to realize': 912860, 'need much': 555277, 'much on': 545205, 'other hand': 620336, 'and deprivation': 61238, 'deprivation is': 237687, 'really intense': 702340, 'intense we': 441086, 'be craving': 114274, 'craving bit': 215179, 'entertainment which': 278620, 'what shopping': 982176, 'think that lot': 885598, 'going to realize': 355686, 'to realize that': 912861, 'realize that they': 701859, 'not need much': 570666, 'need much on': 555279, 'much on the': 545207, 'the other hand': 862534, 'other hand the': 620341, 'hand the social': 375824, 'distancing and deprivation': 246966, 'and deprivation is': 61239, 'deprivation is really': 237688, 'is really intense': 451308, 'really intense we': 702341, 'intense we will': 441087, 'all be craving': 42128, 'be craving bit': 114275, 'craving bit of': 215180, 'bit of entertainment': 131639, 'of entertainment which': 583134, 'entertainment which is': 278621, 'which is what': 986064, 'is what shopping': 453893, 'what shopping ha': 982177, 'shopping ha always': 762819, 'bootleg': 135130, 'reorganizing': 711407, 'redecorating': 705655, 'bucket': 141680, 'watching lot': 968755, 'of documentary': 582753, 'documentary trying': 251229, 'find good': 306941, 'good bootleg': 356836, 'bootleg reorganizing': 135131, 'reorganizing my': 711408, 'my medical': 549228, 'supply maybe': 825549, 'maybe redecorating': 521783, 'redecorating my': 705656, 'room updating': 725988, 'my bucket': 547568, 'bucket list': 141685, 'feel even': 302613, 'more pathetic': 539998, 'pathetic lolol': 644056, 'watching lot of': 968756, 'lot of documentary': 504178, 'of documentary trying': 582754, 'documentary trying to': 251230, 'to find good': 905903, 'find good bootleg': 306942, 'good bootleg reorganizing': 356837, 'bootleg reorganizing my': 135132, 'reorganizing my medical': 711409, 'my medical supply': 549229, 'medical supply maybe': 526450, 'supply maybe redecorating': 825550, 'maybe redecorating my': 521784, 'redecorating my room': 705657, 'my room updating': 549968, 'room updating my': 725989, 'updating my bucket': 947477, 'my bucket list': 547569, 'bucket list online': 141686, 'list online window': 494502, 'window shopping which': 995721, 'shopping which make': 764392, 'me feel even': 522715, 'feel even more': 302614, 'even more pathetic': 284370, 'more pathetic lolol': 539999, 'price brent': 672955, 'brent have': 139344, 'just crossed': 468541, 'the 2016': 848005, '2016 low': 13834, '27 and': 16262, 'at 27': 97559, '27 this': 16311, 'brent oil': 139348, 'oil oil': 596979, 'oil price brent': 597067, 'price brent have': 672956, 'brent have just': 139345, 'have just crossed': 381203, 'just crossed the': 468542, 'crossed the 2016': 219063, 'the 2016 low': 848006, '2016 low of': 13835, 'low of 27': 505433, 'of 27 and': 579545, '27 and are': 16263, 'and are trading': 58370, 'trading at 27': 928838, 'at 27 this': 97560, '27 this is': 16312, 'is the lowest': 452855, 'the lowest level': 859813, 'lowest level in': 506185, 'level in 17': 487589, '17 year for': 4407, 'year for brent': 1014562, 'for brent oil': 319784, 'brent oil oil': 139349, 'oil oil opec': 596980, 'difference btw': 241818, 'btw and': 141528, 'and opec': 68160, 'ha private': 371536, 'any cut': 79094, 'cut would': 223637, 'would face': 1011810, 'face court': 294363, 'court challenge': 211982, 'challenge opec': 171524, 'opec started': 611967, 'started it': 794765, 'achieve their': 29043, 'price did': 673433, 'last price': 480457, 'war but': 966388, 'the difference btw': 853257, 'difference btw and': 241819, 'btw and opec': 141529, 'and opec is': 68161, 'opec is that': 611907, 'the ha private': 857008, 'ha private company': 371537, 'private company and': 678880, 'company and any': 190373, 'and any cut': 58214, 'any cut would': 79095, 'cut would face': 223639, 'would face court': 1011811, 'face court challenge': 294364, 'court challenge opec': 211983, 'challenge opec started': 171525, 'opec started it': 611968, 'started it now': 794766, 'it now they': 459965, 'need to cut': 555899, 'production to achieve': 682237, 'to achieve their': 899992, 'achieve their price': 29044, 'their price did': 874388, 'price did not': 673434, 'did not learn': 240720, 'not learn from': 570338, 'learn from the': 483971, 'the last price': 859034, 'last price war': 480458, 'price war but': 677354, 'war but now': 966389, 'but now there': 146616, 'pibfactcheck': 655573, 'pibfactcheck no': 655574, 'no antibiotic': 563625, 'antibiotic do': 78396, 'against since': 37617, 'since antibiotic': 770507, 'antibiotic only': 78398, 'bacteria it': 107681, 'in preventing': 426935, 'preventing get': 671808, 'your fact': 1023765, 'source beware': 786457, 'of fakenews': 583385, 'pibfactcheck no antibiotic': 655575, 'no antibiotic do': 563626, 'antibiotic do not': 78397, 'not work against': 572526, 'work against since': 1004723, 'against since antibiotic': 37618, 'since antibiotic only': 770508, 'antibiotic only work': 78399, 'only work against': 611488, 'work against bacteria': 1004721, 'against bacteria it': 37340, 'bacteria it can': 107682, 'can be effective': 157616, 'effective in preventing': 269270, 'in preventing get': 426936, 'preventing get your': 671809, 'get your fact': 348702, 'your fact from': 1023766, 'fact from trusted': 295725, 'trusted source beware': 934348, 'source beware of': 786458, 'beware of fakenews': 129078, 'agoraphobia': 38575, 'hello ve': 389241, 've set': 953559, 'up petition': 945766, 'for agoraphobia': 319078, 'agoraphobia sufferer': 38576, 'sufferer like': 817274, 'who heavily': 988982, 'heavily rely': 388605, 'government vulnerability': 360771, 'vulnerability list': 960817, 'list without': 494601, 'hello ve set': 389242, 've set up': 953561, 'set up petition': 753571, 'up petition for': 945767, 'petition for agoraphobia': 653603, 'for agoraphobia sufferer': 319079, 'agoraphobia sufferer like': 38577, 'sufferer like me': 817275, 'me who heavily': 523967, 'who heavily rely': 988983, 'heavily rely on': 388606, 'rely on online': 709644, 'shopping to be': 764167, 'to be added': 901092, 'to the government': 916747, 'the government vulnerability': 856620, 'government vulnerability list': 360772, 'vulnerability list without': 960818, 'list without online': 494602, 'shopping we have': 764350, 'no food please': 564267, 'food please sign': 315868, 'sign and share': 769094, 'other however': 620374, 'however other': 409431, 'other american': 619817, 'greedy money': 363548, 'hungry hoarding': 411264, 'hoarding asshats': 399200, 'asshats thinking': 96499, 'world ending': 1009516, 'ending other': 276190, 'need glove': 554908, 'glad that you': 351519, 'that you guy': 847726, 'guy are taking': 368907, 'are taking care': 90717, 'each other however': 264182, 'other however other': 620375, 'however other american': 409432, 'other american need': 619818, 'to stop being': 915502, 'stop being greedy': 804489, 'being greedy money': 125198, 'greedy money hungry': 363549, 'money hungry hoarding': 536818, 'hungry hoarding asshats': 411265, 'hoarding asshats thinking': 399201, 'asshats thinking that': 96500, 'thinking that the': 886001, 'the world ending': 871863, 'world ending other': 1009517, 'ending other people': 276191, 'people need glove': 648823, 'need glove mask': 554909, 'glove mask sanitizer': 352780, 'mask sanitizer tp': 519230, 'sanitizer tp and': 735970, 'tp and food': 927741, 'justly': 470503, 'allocate': 45863, 'unjustly': 942497, 'illustrated': 416439, 'market justly': 516661, 'justly allocate': 470504, 'allocate scarce': 45866, 'scarce resource': 740807, 'via price': 956183, 'price state': 676621, 'state unjustly': 796056, 'unjustly do': 942498, 'not illustrated': 570057, 'illustrated this': 416440, 'this truth': 890872, 'truth today': 934413, 'today when': 920513, 'when instead': 983600, 'of offering': 587163, '19 responder': 10135, 'responder considering': 715435, 'considering more': 195393, 'more lucrative': 539733, 'lucrative non': 506594, 'non ky': 566421, 'ky job': 478073, 'job he': 465856, 'he threatened': 385526, 'threatened them': 893786, 'with week': 1002059, 'quarantine disgraceful': 692152, 'market justly allocate': 516662, 'justly allocate scarce': 470505, 'allocate scarce resource': 45867, 'scarce resource via': 740808, 'resource via price': 714923, 'via price state': 956184, 'price state unjustly': 676623, 'state unjustly do': 796057, 'unjustly do not': 942499, 'do not illustrated': 249761, 'not illustrated this': 570058, 'illustrated this truth': 416441, 'this truth today': 890873, 'truth today when': 934414, 'today when instead': 920517, 'when instead of': 983601, 'instead of offering': 440292, 'of offering higher': 587164, 'offering higher pay': 595146, 'higher pay to': 395653, 'pay to covid': 645180, 'covid 19 responder': 213700, '19 responder considering': 10136, 'responder considering more': 715436, 'considering more lucrative': 195394, 'more lucrative non': 539734, 'lucrative non ky': 506595, 'non ky job': 566422, 'ky job he': 478074, 'job he threatened': 465857, 'he threatened them': 385527, 'threatened them with': 893787, 'them with week': 876654, 'with week quarantine': 1002061, 'week quarantine disgraceful': 976780, 'ocado close': 578886, 'to staggering': 915145, 'staggering demand': 793258, 'demand ocado': 235937, 'ocado said': 578913, 'no customer': 563953, 'could edit': 209133, 'edit existing': 268583, 'ocado close online': 578887, 'close online store': 182741, 'online store due': 609446, 'due to staggering': 261969, 'to staggering demand': 915146, 'staggering demand ocado': 793259, 'demand ocado said': 235939, 'ocado said no': 578914, 'said no new': 731261, 'no new order': 564866, 'new order would': 559233, 'order would be': 618792, 'would be allowed': 1011547, 'be allowed for': 113563, 'allowed for the': 46158, 'day and no': 227273, 'and no customer': 67605, 'no customer could': 563955, 'customer could edit': 222278, 'could edit existing': 209134, 'edit existing order': 268584, 'digitalmedia': 242787, 'digitalmarketers': 242749, 'boost digitalmedia': 134944, 'digitalmedia consumption': 242788, 'consumption across': 199820, 'board people': 133666, 'and communicate': 60158, 'communicate in': 189543, 'person le': 652516, 'le must': 483031, 'read short': 700546, 'term boost': 838071, 'for digitalmarketers': 320712, 'digitalmarketers amidst': 242752, 'likely to boost': 492131, 'to boost digitalmedia': 901917, 'boost digitalmedia consumption': 134945, 'digitalmedia consumption across': 242789, 'consumption across the': 199823, 'the board people': 849812, 'board people spend': 133667, 'people spend more': 649518, 'spend more time': 788644, 'home and communicate': 400624, 'and communicate in': 60159, 'communicate in person': 189544, 'in person le': 426632, 'person le must': 652517, 'le must read': 483032, 'must read short': 546836, 'read short term': 700547, 'short term boost': 764724, 'term boost for': 838072, 'boost for digitalmarketers': 134958, 'for digitalmarketers amidst': 320714, 'digitalmarketers amidst pandemic': 242753, 'storage due': 805963, 'to limitation': 909309, 'limitation commerce': 492579, 'rapidly accelerating': 696950, 'accelerating so': 27914, 'so announced': 776517, 'create 100': 215600, 'pace learn': 632944, 'storage due to': 805964, 'due to limitation': 261847, 'to limitation commerce': 909310, 'limitation commerce and': 492580, 'commerce and online': 188516, 'are rapidly accelerating': 89431, 'rapidly accelerating so': 696951, 'accelerating so announced': 27915, 'so announced plan': 776518, 'plan to create': 658278, 'to create 100': 903698, 'create 100 00': 215601, 'position in the': 665175, 'united state to': 942249, 'state to keep': 796021, 'keep pace learn': 471773, 'pace learn more': 632945, 'how with': 409249, 'with health': 998745, 'care share': 164194, 'wonder how with': 1003963, 'how with health': 409250, 'with health care': 998747, 'health care share': 386248, 'care share price': 164195, 'share price do': 755167, 'price do during': 673471, 'do during this': 249247, 'whodat': 990084, 'people wonder': 650501, 'why going': 991016, 'stress me': 813360, 'here people': 393449, 'people photo': 649108, 'credit hm': 216403, 'hm wtf': 398650, 'wtf ppe': 1013316, 'ppe whodat': 668113, 'whodat groceryshopping': 990085, 'people wonder why': 650502, 'wonder why going': 1004039, 'why going to': 991017, 'grocery store stress': 365819, 'store stress me': 810425, 'stress me out': 813361, 'me out this': 523308, 'out this right': 627585, 'right here people': 721935, 'here people photo': 393452, 'people photo credit': 649109, 'photo credit hm': 655151, 'credit hm wtf': 216404, 'hm wtf ppe': 398651, 'wtf ppe whodat': 1013317, 'ppe whodat groceryshopping': 668114, 'cer': 169900, '2020 federal': 14300, 'federal register': 302034, 'register safety': 707602, 'consumer antiseptic': 196255, 'antiseptic rub': 78565, 'rub topical': 726923, 'topical antimicrobial': 925827, 'antimicrobial drug': 78531, 'drug product': 261066, 'counter human': 210223, 'human use': 410652, 'use prevention': 949495, 'prevention cer': 671846, 'effective april 13': 269223, '13 2020 federal': 3170, '2020 federal register': 14301, 'federal register safety': 302035, 'register safety and': 707603, 'and effectiveness of': 61959, 'effectiveness of consumer': 269391, 'of consumer antiseptic': 581706, 'consumer antiseptic rub': 196256, 'antiseptic rub topical': 78566, 'rub topical antimicrobial': 726924, 'topical antimicrobial drug': 925828, 'antimicrobial drug product': 78532, 'drug product for': 261068, 'product for over': 681203, 'for over the': 324332, 'the counter human': 852024, 'counter human use': 210224, 'human use prevention': 410653, 'use prevention cer': 949496, 'skyrocketing for': 773426, 'half the value': 374280, 'of the currency': 590919, 'the currency and': 852602, 'currency and sent': 221009, 'sent price skyrocketing': 750798, 'price skyrocketing for': 676453, 'skyrocketing for month': 773427, 'local sainsburys': 498366, 'sainsburys this': 731802, 'morning managed': 541351, 'shop everything': 760157, 'my list': 549071, 'fact even': 295713, 'went an': 978949, 'later given': 481066, 'rule yes': 727418, 'wa busy': 961768, 'supply show': 825847, 'that restricting': 846025, 'restricting essential': 717186, 'working stophoarding': 1008922, 'my local sainsburys': 549138, 'local sainsburys this': 498367, 'sainsburys this morning': 731803, 'this morning managed': 888987, 'morning managed to': 541353, 'managed to shop': 512509, 'to shop everything': 914459, 'shop everything that': 760158, 'everything that wa': 288033, 'that wa on': 847302, 'on my list': 602293, 'my list in': 549074, 'list in fact': 494359, 'in fact even': 422761, 'fact even went': 295714, 'even went an': 284776, 'went an hour': 978950, 'hour later given': 405730, 'later given the': 481067, 'given the new': 351144, 'new rule yes': 559531, 'rule yes it': 727419, 'yes it wa': 1015467, 'it wa busy': 462086, 'wa busy but': 961769, 'busy but nothing': 144876, 'but nothing wa': 146593, 'nothing wa in': 573211, 'wa in short': 962382, 'short supply show': 764713, 'supply show that': 825848, 'show that restricting': 767192, 'that restricting essential': 846026, 'restricting essential item': 717187, 'essential item is': 281208, 'item is working': 463393, 'is working stophoarding': 454047, 'foremost': 329036, 'thx': 895541, 'and foremost': 63199, 'foremost it': 329039, 'that post': 845795, 'still operational': 800995, 'operational you': 613325, 'send and': 749810, 'and receive': 70034, 'receive domestic': 703463, 'domestic parcel': 253211, 'and mail': 66512, 'mail pay': 508642, 'use bank': 949066, 'bank thx': 110251, 'first and foremost': 308499, 'and foremost it': 63201, 'foremost it important': 329040, 'note that post': 572808, 'that post is': 845799, 'post is still': 666179, 'is still operational': 452300, 'still operational you': 800996, 'operational you ll': 613326, 'able to send': 24543, 'to send and': 914202, 'send and receive': 749811, 'and receive domestic': 70036, 'receive domestic parcel': 703464, 'domestic parcel and': 253212, 'parcel and mail': 641477, 'and mail pay': 66515, 'mail pay bill': 508643, 'bill and use': 130509, 'and use bank': 74768, 'use bank thx': 949067, 'about hydroxychloroquine': 25489, 'hydroxychloroquine ve': 412016, 'on 400': 599100, '400 mg': 18750, 'mg for': 530082, 'for ra': 324936, 'ra work': 695129, 'had but': 372947, 'only mild': 610788, 'symptom not': 830876, 'not candidate': 568684, 'testing too': 839677, 'too young': 925186, 'young not': 1022627, 'not severely': 571544, 'severely ill': 754087, 'ill now': 416152, 'now fine': 574692, 'for the info': 326504, 'the info about': 858243, 'info about hydroxychloroquine': 437403, 'about hydroxychloroquine ve': 25490, 'hydroxychloroquine ve been': 412017, 've been on': 952909, 'been on 400': 121594, 'on 400 mg': 599101, '400 mg for': 18751, 'mg for year': 530083, 'for year for': 328003, 'year for ra': 1014567, 'for ra work': 324937, 'ra work at': 695130, 'grocery store probably': 365679, 'store probably had': 809656, 'probably had but': 679279, 'had but only': 372948, 'but only mild': 146690, 'only mild symptom': 610789, 'mild symptom not': 531346, 'symptom not candidate': 830877, 'not candidate for': 568685, 'candidate for testing': 161298, 'for testing too': 326237, 'testing too young': 839678, 'too young not': 925187, 'young not severely': 1022629, 'not severely ill': 571545, 'severely ill now': 754088, 'ill now fine': 416154, 'givingback': 351463, 'guerlain': 367955, 'parfumschristiandior': 641818, 'diorparfums': 243159, 'dior': 243154, 'givenchybeauty': 351210, 'givenchy': 351209, 'for manufacturing': 323201, 'manufacturing distributing': 513575, 'hospital givingback': 404427, 'givingback staysafe': 351464, 'stayathome lvmh': 797530, 'lvmh guerlain': 507022, 'guerlain parfumschristiandior': 367956, 'parfumschristiandior diorparfums': 641819, 'diorparfums dior': 243160, 'dior givenchybeauty': 243157, 'givenchybeauty givenchy': 351211, 'to the folk': 916718, 'folk at and': 312106, 'at and for': 98003, 'and for manufacturing': 63147, 'for manufacturing distributing': 323202, 'manufacturing distributing hand': 513576, 'sanitizer to hospital': 735930, 'to hospital givingback': 907971, 'hospital givingback staysafe': 404428, 'givingback staysafe stayathome': 351465, 'staysafe stayathome lvmh': 798894, 'stayathome lvmh guerlain': 797531, 'lvmh guerlain parfumschristiandior': 507023, 'guerlain parfumschristiandior diorparfums': 367957, 'parfumschristiandior diorparfums dior': 641820, 'diorparfums dior givenchybeauty': 243161, 'dior givenchybeauty givenchy': 243158, 'overall in': 631020, 'michigan retail': 530368, 'and recreation': 70074, 'recreation were': 705449, 'by 58': 151684, '58 from': 20532, 'average 28': 104797, '28 fewer': 16392, 'fewer people': 304227, 'and 43': 57479, '43 fewer': 18963, 'their workplace': 875236, 'workplace the': 1009215, 'see boost': 744968, 'boost park': 134989, 'park visit': 642018, 'overall in michigan': 631021, 'in michigan retail': 425292, 'michigan retail and': 530369, 'retail and recreation': 717834, 'and recreation were': 70075, 'recreation were down': 705450, 'were down by': 979539, 'down by 58': 256591, 'by 58 from': 151685, '58 from the': 20533, 'from the average': 337605, 'the average 28': 849094, 'average 28 fewer': 104798, '28 fewer people': 16393, 'fewer people went': 304230, 'people went to': 650191, 'and pharmacy and': 68963, 'pharmacy and 43': 654207, 'and 43 fewer': 57480, '43 fewer people': 18964, 'to their workplace': 917281, 'their workplace the': 875238, 'workplace the only': 1009216, 'only thing to': 611321, 'thing to see': 884901, 'to see boost': 913989, 'see boost park': 744969, 'boost park visit': 134990, 'optionalize': 614157, 'have risk': 382340, 'risk management': 723677, 'system more': 831249, 'ever instead': 285367, 'of optimizing': 587311, 'optimizing our': 613955, 'our supplychain': 625040, 'supplychain to': 826236, 'of inventory': 585274, 'to optionalize': 911043, 'optionalize that': 614158, 'that inventory': 844531, 'inventory interviewed': 443680, 'retail dtc': 718045, 'to have risk': 907303, 'have risk management': 382341, 'risk management system': 723678, 'management system more': 512636, 'system more than': 831250, 'than ever instead': 840585, 'ever instead of': 285368, 'instead of optimizing': 440295, 'of optimizing our': 587312, 'optimizing our supplychain': 613956, 'our supplychain to': 625041, 'supplychain to minimize': 826237, 'minimize the cost': 533125, 'cost of inventory': 208049, 'of inventory we': 585278, 'inventory we need': 443725, 'need to optionalize': 555999, 'to optionalize that': 911044, 'optionalize that inventory': 614159, 'that inventory interviewed': 844532, 'inventory interviewed by': 443681, 'interviewed by more': 442277, 'by more insight': 153246, 'insight here retail': 439566, 'here retail dtc': 393524, 'pilea': 656526, 'prayerplant': 669087, 'bought socialdistancing': 136711, 'socialdistancing plant': 780606, 'plant today': 658722, 'today chinese': 919374, 'chinese pilea': 177322, 'pilea toiletpaper': 656527, 'cost lot': 208010, 'money plant': 536970, 'plant living': 658676, 'on prayerplant': 602874, 'prayerplant them': 669088, 'or leave': 615952, 'leave stayathome': 484944, 'stayathome dish': 797473, 'dish all': 245494, 'bought socialdistancing plant': 136712, 'socialdistancing plant today': 780607, 'plant today chinese': 658723, 'today chinese pilea': 919375, 'chinese pilea toiletpaper': 177323, 'pilea toiletpaper is': 656528, 'toiletpaper is going': 922136, 'to cost lot': 903599, 'cost lot of': 208011, 'of money plant': 586613, 'money plant living': 536971, 'plant living on': 658677, 'living on prayerplant': 496433, 'on prayerplant them': 602875, 'prayerplant them they': 669089, 'them they do': 876415, 'not talk back': 571937, 'talk back or': 833782, 'back or leave': 107216, 'or leave stayathome': 615953, 'leave stayathome dish': 484945, 'stayathome dish all': 797474, 'dish all over': 245495, 'the place or': 863772, 'place or use': 657630, 'or use the': 617623, 'use the tp': 949693, 'many concern': 513925, 'livelihood deprivation': 496198, 'deprivation of': 237689, 'earner is': 264847, 'one starvation': 607084, 'starvation can': 795155, 'can ignite': 158711, 'ignite civil': 415731, 'unrest death': 943345, 'death providing': 230169, 'providing at': 686946, 'least daily': 484430, 'daily nourishment': 224725, 'nourishment to': 573688, 'the responsibility': 865625, 'responsibility of': 715970, 'community let': 189963, 'let stand': 487068, 'together beat': 920723, 'virus sg': 958735, 'the many concern': 860039, 'many concern of': 513926, 'concern of livelihood': 193024, 'of livelihood deprivation': 585902, 'livelihood deprivation of': 496199, 'deprivation of daily': 237690, 'of daily wage': 582320, 'daily wage earner': 224872, 'wage earner is': 963848, 'earner is serious': 264848, 'is serious one': 451789, 'serious one starvation': 751441, 'one starvation can': 607085, 'starvation can ignite': 795156, 'can ignite civil': 158712, 'ignite civil unrest': 415732, 'civil unrest death': 179560, 'unrest death providing': 943346, 'death providing at': 230170, 'providing at least': 686947, 'at least daily': 99479, 'least daily nourishment': 484431, 'daily nourishment to': 224726, 'nourishment to them': 573689, 'to them is': 917302, 'is the responsibility': 452920, 'the responsibility of': 865626, 'responsibility of the': 715972, 'the community let': 851284, 'community let stand': 189965, 'let stand together': 487069, 'stand together beat': 793597, 'together beat the': 920724, 'beat the virus': 118564, 'the virus sg': 870887, 'overwhelms': 631775, 'accelerate slow': 27858, 'slow move': 774375, 'move toward': 543771, 'toward automation': 927102, 'automation online': 104019, 'online demand': 608095, 'demand overwhelms': 236001, 'overwhelms operation': 631776, 'and threatens': 74076, 'threatens profit': 893851, 'crisis is likely': 217579, 'likely to accelerate': 492126, 'to accelerate slow': 899932, 'accelerate slow move': 27859, 'slow move toward': 774376, 'move toward automation': 543772, 'toward automation online': 927103, 'automation online demand': 104020, 'online demand overwhelms': 608097, 'demand overwhelms operation': 236002, 'overwhelms operation and': 631777, 'operation and threatens': 613136, 'and threatens profit': 74077, 'her tonight': 392480, 'tonight plea': 924472, 'plea from': 659547, 'from father': 335423, 'ha family': 370599, 'better be': 128207, 'better period': 128406, 'period obey': 651830, 'daughter work for': 226927, 'for and this': 319345, 'and this happened': 73994, 'happened to her': 377277, 'to her tonight': 907710, 'her tonight plea': 392481, 'tonight plea from': 924473, 'plea from father': 659549, 'from father who': 335424, 'father who ha': 300320, 'who ha family': 988844, 'ha family member': 370600, 'front line because': 338562, 'line because he': 493003, 'he want to': 385641, 'help for the': 389755, 'shopping public do': 763696, 'public do better': 687957, 'do better be': 249134, 'better be better': 128209, 'be better period': 113840, 'better period obey': 128407, 'line essential': 493073, 'you witness': 1022394, 'witness customer': 1003113, 'customer willfully': 223095, 'willfully refusing': 995420, 'distancing protocol': 247407, 'protocol etc': 685982, 'etc can': 282459, 'you refuse': 1020882, 'refuse service': 707026, 'those customer': 891910, 'health socialdistancing': 386857, 'socialdistancing essentialworkers': 780349, 'you are front': 1017130, 'front line essential': 338570, 'line essential worker': 493074, 'worker in grocery': 1007174, 'store or food': 809333, 'or food industry': 615341, 'food industry and': 315005, 'industry and you': 435655, 'and you witness': 76058, 'you witness customer': 1022395, 'witness customer willfully': 1003114, 'customer willfully refusing': 223096, 'willfully refusing to': 995421, 'refusing to follow': 707091, 'social distancing protocol': 779691, 'distancing protocol etc': 247408, 'protocol etc can': 685983, 'etc can you': 282464, 'can you refuse': 160328, 'you refuse service': 1020883, 'refuse service to': 707027, 'service to those': 752996, 'to those customer': 917499, 'those customer to': 891912, 'customer to protect': 222975, 'your own health': 1025144, 'own health socialdistancing': 632061, 'health socialdistancing essentialworkers': 386858, 'it worked': 462510, 'worked what': 1006167, 'what brilliant': 981139, 'idea other': 413147, 'hording stayhomestaysafe': 404026, 'sanitiser hoarding and': 733968, 'and it worked': 65605, 'it worked what': 462514, 'worked what brilliant': 1006168, 'what brilliant idea': 981140, 'brilliant idea other': 139860, 'idea other supermarket': 413148, 'other supermarket should': 621024, 'same to stop': 733386, 'to stop hording': 915537, 'stop hording stayhomestaysafe': 804758, 'hoarder crushed': 399008, 'by his': 152815, 'own stash': 632228, 'stash toiletpapercrisis': 795300, 'toiletpaper toiletpaperwars': 922724, 'paper hoarder crushed': 640274, 'hoarder crushed by': 399009, 'crushed by his': 219798, 'by his own': 152817, 'his own stash': 397679, 'own stash toiletpapercrisis': 632229, 'stash toiletpapercrisis toiletpaper': 795301, 'toiletpapercrisis toiletpaper toiletpaperwars': 923088, 'ope': 611830, 'pleasesomeonehelp': 660817, 'me looking': 523113, 'at apartment': 98032, 'apartment hoping': 81404, 'hoping the': 403942, 'down bc': 256545, 'virus check': 958053, 'check my': 174495, 'account ope': 28739, 'ope never': 611831, 'mind pleasesomeonehelp': 532715, 'me looking at': 523114, 'looking at apartment': 502799, 'at apartment hoping': 98033, 'apartment hoping the': 81405, 'hoping the price': 403943, 'go down bc': 353485, 'down bc of': 256546, 'bc of the': 113266, 'the virus check': 870812, 'virus check my': 958055, 'check my bank': 174497, 'bank account ope': 109555, 'account ope never': 28740, 'ope never mind': 611832, 'never mind pleasesomeonehelp': 558120, 'summer my': 817988, 'my file': 548316, 'file on': 305357, 'kenney speech': 472805, 'of summer my': 590392, 'summer my file': 817989, 'my file on': 548317, 'file on jason': 305358, 'on jason kenney': 601728, 'jason kenney speech': 464852, 'breaking sainsbury': 139042, 'breaking sainsbury is': 139043, 'having issue': 384122, 'their borderline': 872631, 'borderline criminal': 135313, 'criminal practice': 216867, 'practice please': 668631, 'of transportation': 592426, 'transportation and': 929989, 'complaint against': 191937, 'for anyone having': 319438, 'anyone having issue': 80357, 'having issue with': 384124, 'issue with during': 456010, 'pandemic and their': 634910, 'and their borderline': 73671, 'their borderline criminal': 872632, 'borderline criminal practice': 135314, 'criminal practice please': 216868, 'practice please go': 668632, 'to the department': 916635, 'department of transportation': 237247, 'of transportation and': 592427, 'transportation and file': 929990, 'file complaint against': 305330, 'complaint against them': 191938, 'child at': 176014, 'work make': 1005455, 'kid wear': 474162, 'keep your child': 472256, 'your child at': 1023197, 'child at home': 176015, 'can because of': 157726, 'because of work': 119428, 'of work make': 593257, 'work make sure': 1005456, 'sure your kid': 827884, 'your kid wear': 1024565, 'kid wear mask': 474163, 'glove and have': 352563, 'and have hand': 64248, 'sanitizer on them': 735463, 'arvin': 94688, 'irrigation': 445104, 'hose': 404241, 'wefeedyou': 977618, 'carlos is': 164753, 'in arvin': 420507, 'arvin ca': 94689, 'ca moving': 154892, 'moving the': 544192, 'the irrigation': 858469, 'irrigation hose': 445105, 'hose closer': 404242, 'the citrus': 850911, 'citrus tree': 179027, 'tree thank': 931202, 'you carlos': 1017901, 'carlos we': 164758, 'appreciate everything': 82717, 'other farm': 620219, 'farm worker': 299210, 'doing are': 252300, 'supermarket wefeedyou': 823773, 'carlos is hard': 164754, 'is hard at': 448300, 'hard at work': 377873, 'at work today': 101621, 'work today in': 1005912, 'today in arvin': 919681, 'in arvin ca': 420508, 'arvin ca moving': 94690, 'ca moving the': 154893, 'moving the irrigation': 544194, 'the irrigation hose': 858470, 'irrigation hose closer': 445106, 'hose closer to': 404243, 'closer to the': 183522, 'to the citrus': 916562, 'the citrus tree': 850912, 'citrus tree thank': 179028, 'tree thank you': 931203, 'thank you carlos': 841706, 'you carlos we': 1017902, 'carlos we appreciate': 164759, 'we appreciate everything': 970453, 'appreciate everything you': 82718, 'everything you and': 288128, 'you and other': 1016999, 'and other farm': 68326, 'other farm worker': 620220, 'farm worker are': 299211, 'are doing are': 85887, 'doing are doing': 252301, 'doing so we': 252662, 'the supermarket wefeedyou': 868895, 'saw 19': 738044, 'went shopping today': 979111, 'what saw 19': 982119, 'from discussing': 335155, 'discussing major': 244997, 'article from discussing': 94328, 'from discussing major': 335156, 'discussing major consumer': 244998, 'davinci': 227020, 'gelato': 345176, 'operates': 613044, 'yegfoodie': 1015192, 'edmontonlocal': 268726, 'stalbert': 793337, 'davinci gelato': 227021, 'gelato also': 345177, 'also operates': 48624, 'operates distillery': 613047, 'distillery so': 247810, 'proud that': 686050, 'now licensed': 575201, 'licensed to': 488182, 'swing for': 830399, 'week fightcovid': 976210, 'fightcovid sanitizer': 304982, 'sanitizer flattenthecurve': 734873, 'flattenthecurve supportlocal': 310212, 'supportlocal yegfood': 827271, 'yegfood yegfoodie': 1015188, 'yegfoodie edmontonlocal': 1015193, 'edmontonlocal stalbert': 268727, 'stalbert yeg': 793338, 'davinci gelato also': 227022, 'gelato also operates': 345178, 'also operates distillery': 48625, 'operates distillery so': 613048, 'distillery so proud': 247811, 'so proud that': 778084, 'proud that we': 686051, 'are now licensed': 88563, 'now licensed to': 575202, 'licensed to manufacture': 488183, 'to manufacture hand': 909817, 'full swing for': 340915, 'swing for delivery': 830400, 'for delivery this': 320651, 'delivery this week': 234635, 'this week fightcovid': 891213, 'week fightcovid sanitizer': 976211, 'fightcovid sanitizer flattenthecurve': 304983, 'sanitizer flattenthecurve supportlocal': 734875, 'flattenthecurve supportlocal yegfood': 310213, 'supportlocal yegfood yegfoodie': 827272, 'yegfood yegfoodie edmontonlocal': 1015189, 'yegfoodie edmontonlocal stalbert': 1015194, 'edmontonlocal stalbert yeg': 268728, 'my answer': 547269, 'could rosneft': 209612, 'rosneft and': 726133, '19 push': 9882, 'push oil': 690303, 'negative number': 556805, 'my answer to': 547270, 'answer to could': 78128, 'to could rosneft': 903617, 'could rosneft and': 209613, 'rosneft and covid': 726134, 'covid 19 push': 213634, '19 push oil': 9884, 'push oil price': 690304, 'price into negative': 674841, 'into negative number': 442798, 'the apparel': 848820, 'apparel rental': 81870, 'rental company': 711216, 'which bought': 985720, 'million is': 532207, 'operating online': 613092, 'until store': 943840, 'can reopen': 159440, 'the apparel rental': 848821, 'apparel rental company': 81871, 'rental company which': 711218, 'company which bought': 191309, 'which bought the': 985721, 'bought the department': 136737, 'the department store': 853146, 'department store last': 237277, 'store last summer': 808674, 'last summer for': 480515, 'summer for 100': 817978, 'for 100 million': 318628, '100 million is': 1953, 'million is operating': 532208, 'is operating online': 450592, 'operating online only': 613093, 'online only until': 608636, 'only until store': 611403, 'until store can': 943841, 'store can reopen': 806861, 'in rapid': 427252, 'rapid unprecedented': 696943, 'unprecedented change': 943092, 'their preference': 874360, 'pandemic ha resulted': 635563, 'resulted in rapid': 717684, 'in rapid unprecedented': 427253, 'rapid unprecedented change': 696944, 'unprecedented change in': 943093, 'and their preference': 73710, 'safe covid': 729574, 'been spreading': 122020, 'spreading rapidly': 791033, 'pakistan please': 634488, 'please understand': 660701, 'go very': 354455, 'wrong please': 1013080, 'please stock': 660561, 'the lawyer': 859203, 'lawyer sector': 482565, 'pakistan ha': 634456, 'given holiday': 351014, 'holiday this': 400365, 'guy please stay': 369112, 'stay safe covid': 797224, 'safe covid 19': 729575, 'ha been spreading': 369931, 'been spreading rapidly': 122021, 'spreading rapidly in': 791035, 'rapidly in pakistan': 696989, 'in pakistan please': 426445, 'pakistan please understand': 634489, 'please understand that': 660702, 'understand that if': 940728, 'not take this': 571909, 'take this pandemic': 832712, 'pandemic seriously it': 636429, 'seriously it can': 751654, 'it can go': 457018, 'can go very': 158518, 'go very wrong': 354457, 'very wrong please': 955676, 'wrong please stock': 1013081, 'please stock up': 660562, 'up your house': 946740, 'food the lawyer': 317121, 'the lawyer sector': 859204, 'lawyer sector in': 482566, 'sector in pakistan': 744234, 'in pakistan ha': 426440, 'pakistan ha been': 634457, 'been given holiday': 121209, 'given holiday this': 351015, 'holiday this show': 400366, 'this show that': 890139, 'the behavioral': 849443, 'data reveals the': 226390, 'reveals the behavioral': 720348, 'the behavioral impact': 849444, 'relationship during the': 708695, 'go contactless': 353421, 'contactless when': 200390, 'cashier catch': 166499, 'hungry if': 411266, 'pharmacist catch': 654125, 'your pill': 1025315, 'pill if': 656660, 'driver catch': 259481, 'go contactless when': 353422, 'contactless when you': 200391, 'you can if': 1017698, 'can if the': 158709, 'supermarket cashier catch': 819553, 'cashier catch it': 166500, 'catch it you': 167006, 'it you go': 462642, 'you go hungry': 1018854, 'go hungry if': 353692, 'hungry if the': 411268, 'if the pharmacist': 415017, 'the pharmacist catch': 863643, 'pharmacist catch it': 654126, 'it you don': 462641, 'you don get': 1018316, 'don get your': 253550, 'get your pill': 348724, 'your pill if': 1025316, 'pill if the': 656661, 'if the bus': 414952, 'the bus driver': 850140, 'bus driver catch': 143016, 'driver catch it': 259482, 'it you re': 462647, 're walking home': 699777, 'shop inflating': 760343, 'on many': 601993, 'many basic': 513815, 'forget your': 329349, 'come karma': 187401, 'all the independent': 44793, 'the independent supermarket': 858109, 'independent supermarket and': 434139, 'supermarket and shop': 819061, 'and shop inflating': 71502, 'shop inflating price': 760344, 'price on many': 675690, 'on many basic': 601995, 'many basic essential': 513816, 'basic essential people': 111872, 'essential people will': 281382, 'will not forget': 994223, 'not forget your': 569520, 'forget your time': 329351, 'your time will': 1026167, 'will come karma': 992968, 'italy coronavirus': 462801, 'is two': 453403, 'it property': 460530, 'is similar': 451921, 'to ours': 911256, 'ours here': 625437, 'italy coronavirus outbreak': 462802, 'coronavirus outbreak is': 206395, 'outbreak is two': 628386, 'is two week': 453405, 'two week ahead': 937317, 'week ahead of': 975872, 'ahead of britain': 39175, 'of britain and': 580887, 'britain and it': 140372, 'and it property': 65574, 'it property market': 460531, 'market is similar': 516640, 'is similar to': 451922, 'similar to ours': 769938, 'to ours here': 911257, 'ours here what': 625438, 'here what we': 393824, 'energy gas': 276463, 'water utility': 969237, 'utility which': 951332, 'which obviously': 986183, 'obviously will': 578866, 'increase staying': 433081, 'home specially': 402102, 'specially family': 788142, 'do government have': 249354, 'government have plan': 360185, 'plan to reduce': 658314, 'reduce price on': 705902, 'price on energy': 675670, 'on energy gas': 600563, 'energy gas and': 276464, 'gas and water': 343767, 'and water utility': 75262, 'water utility which': 969238, 'utility which obviously': 951333, 'which obviously will': 986184, 'obviously will increase': 578867, 'will increase staying': 993825, 'increase staying at': 433082, 'at home specially': 99113, 'home specially family': 402103, 'specially family who': 788143, 'family who have': 298376, 'advised to self': 33651, 'relearn': 708907, 'corona cookinginacrisis': 203863, 'cookinginacrisis cooking': 202951, 'cooking you': 202944, 'to relearn': 913134, 'relearn how': 708908, 'cook google': 202747, 'cooking video': 202930, 'video reach': 956872, 'reach record': 699976, 'this thanksgiving': 890506, 'thanksgiving and': 842294, 'and traffic': 74353, 'to cooking': 903492, 'cooking website': 202939, 'website skyrocket': 975418, 'corona cookinginacrisis cooking': 203864, 'cookinginacrisis cooking you': 202953, 'cooking you have': 202945, 'have to relearn': 383276, 'to relearn how': 913135, 'relearn how to': 708909, 'to cook google': 903482, 'cook google search': 202748, 'google search for': 358189, 'search for cooking': 743245, 'for cooking video': 320350, 'cooking video reach': 202932, 'video reach record': 956873, 'reach record level': 699977, 'record level this': 705004, 'level this thanksgiving': 487734, 'this thanksgiving and': 890507, 'thanksgiving and traffic': 842295, 'and traffic to': 74355, 'traffic to cooking': 929153, 'to cooking website': 903493, 'cooking website skyrocket': 202941, 'over economic': 630177, 'recovery will': 705422, 'be slower': 117222, 'negative much': 556801, 'by predatory': 153640, 'predatory price': 669535, 'is over economic': 450697, 'over economic recovery': 630178, 'economic recovery will': 267239, 'recovery will be': 705423, 'will be slower': 992686, 'be slower than': 117224, 'slower than in': 774515, 'in other place': 426248, 'other place it': 620719, 'place it is': 657535, 'possible that the': 665809, 'that the oil': 846787, 'price will turn': 677595, 'will turn negative': 995253, 'turn negative much': 935705, 'negative much of': 556802, 'much of this': 545200, '19 recession and': 9996, 'recession and it': 704206, 'it is made': 459006, 'is made worse': 449511, 'worse by predatory': 1010899, 'by predatory price': 153641, 'predatory price war': 669536, 'apparently these': 82026, 'essential bank': 280815, 'store liquor': 808772, 'store laundromat': 808688, 'laundromat gas': 482094, 'station post': 796495, 'office 11': 595339, '11 restaurant': 2588, 'restaurant semi': 716685, 'semi essential': 749610, 'essential police': 281403, 'fire medical': 308102, 'center who': 169325, 'am forgetting': 50056, 'forgetting essentialworkers': 329361, 'so apparently these': 776537, 'apparently these are': 82027, 'are essential bank': 86244, 'essential bank grocery': 280816, 'grocery store liquor': 365530, 'store liquor store': 808773, 'liquor store laundromat': 494207, 'store laundromat gas': 808689, 'laundromat gas station': 482095, 'gas station post': 344126, 'station post office': 796496, 'post office 11': 666231, 'office 11 restaurant': 595340, '11 restaurant semi': 2589, 'restaurant semi essential': 716686, 'semi essential police': 749611, 'essential police fire': 281404, 'police fire medical': 663001, 'fire medical center': 308103, 'medical center who': 526092, 'center who am': 169326, 'who am forgetting': 988065, 'am forgetting essentialworkers': 50057, 'and reserved': 70306, 'reserved senior': 714141, 'hour see': 405898, 'our regularly': 624578, 'for local grocery': 323049, 'hour and reserved': 405412, 'and reserved senior': 70307, 'reserved senior hour': 714142, 'senior hour see': 750329, 'hour see our': 405899, 'see our regularly': 745531, 'our regularly updated': 624579, 'trinidad': 932024, 'tobago': 919091, 'supermarket association': 819220, 'of trinidad': 592451, 'trinidad and': 932027, 'and tobago': 74216, 'tobago urgent': 919098, 'urgent advisory': 948317, 'advisory 2020': 33752, 'supermarket association of': 819221, 'association of trinidad': 96973, 'of trinidad and': 592452, 'trinidad and tobago': 932028, 'and tobago urgent': 74219, 'tobago urgent advisory': 919099, 'urgent advisory 2020': 948318, 'advisory 2020 19': 33753, 'got these': 358929, 'price rising': 676252, '19 got these': 7255, 'got these price': 358932, 'these price rising': 880540, 'strained 19': 812309, 'infrastructure strained 19': 438222, 'strained 19 outbreak': 812310, 'online shopping ecommerce': 609106, 'their tactic': 874940, 'tactic learn': 831700, 'falling prey': 297314, 'their scheme': 874632, 'scammer are changing': 740530, 'changing their tactic': 172823, 'their tactic learn': 874941, 'tactic learn how': 831701, 'yourself from falling': 1026611, 'from falling prey': 335396, 'falling prey to': 297315, 'prey to their': 672081, 'to their scheme': 917264, 'qild': 691550, 'australiansbeingaustralians': 103589, 'imagine sitting': 416775, 'going qild': 355425, 'qild bulk': 691551, 'paper knowing': 640399, 'completely calm': 192228, 'calm you': 156825, 'absolute bunch': 27225, 'of bastard': 580580, 'bastard australiansbeingaustralians': 112465, 'imagine sitting at': 416776, 'after going qild': 35720, 'going qild bulk': 355426, 'qild bulk buying': 691552, 'bulk buying toilet': 142287, 'toilet paper knowing': 921331, 'paper knowing that': 640400, 'knowing that every': 477134, 'stocked and completely': 803258, 'and completely calm': 60233, 'completely calm you': 192229, 'calm you absolute': 156826, 'you absolute bunch': 1016778, 'absolute bunch of': 27226, 'bunch of bastard': 142617, 'of bastard australiansbeingaustralians': 580581, 'hurtin': 411628, 'leave of': 484877, 'of absence': 579715, 'absence due': 27185, '19 either': 6737, 'either because': 270260, 're immunocompromised': 698858, 'immunocompromised and': 417453, 'there hospitalized': 878486, 'hospitalized currently': 404838, 'currently give': 221546, 'employee man': 274030, 'we hurtin': 972051, 'have people out': 381912, 'of work on': 593261, 'work on leave': 1005535, 'on leave of': 601816, 'leave of absence': 484878, 'of absence due': 579716, 'absence due to': 27186, 'covid 19 either': 213012, '19 either because': 6738, 'either because they': 270262, 'because they might': 119710, 'they might have': 882679, 'might have it': 531014, 'have it or': 381155, 'it or they': 460149, 'or they re': 617429, 'they re immunocompromised': 883058, 're immunocompromised and': 698859, 'immunocompromised and do': 417454, 'be there hospitalized': 117680, 'there hospitalized currently': 878487, 'hospitalized currently give': 404839, 'currently give some': 221547, 'give some love': 350708, 'some love to': 783238, 'love to your': 504860, 'store employee man': 807508, 'employee man we': 274031, 'man we hurtin': 512307, 'increase quality': 433030, 'increase innovation': 432884, 'innovation we': 438912, 'healthcare market': 387172, 'state 19': 795327, 'to increase quality': 908297, 'increase quality and': 433031, 'quality and lower': 691761, 'and increase innovation': 65104, 'increase innovation we': 432885, 'innovation we need': 438913, 'need to free': 555945, 'to free the': 906240, 'free the healthcare': 332217, 'the healthcare market': 857196, 'healthcare market with': 387173, 'market with the': 517381, 'with the separation': 1001474, 'separation of medicine': 751121, 'of medicine and': 586411, 'medicine and state': 526724, 'and state 19': 72273, 'delivered no': 233360, 'no affordable': 563593, 'except few': 289145, 'package bag': 633222, 'bag extra': 108277, 'basmati no': 112444, 'from flyer': 335494, 'product unsure': 681788, 'unsure on': 943582, 'package delivered no': 633247, 'delivered no affordable': 233361, 'no affordable food': 563594, 'affordable food soon': 34844, 'food soon at': 316698, 'soon at grocery': 785631, 'store or poultry': 809362, 'or poultry except': 616661, 'poultry except few': 667315, 'except few package': 289147, 'few package bag': 303977, 'package bag extra': 633223, 'bag extra large': 108278, 'large basmati no': 479600, 'basmati no sale': 112445, 'no sale from': 565399, 'sale from flyer': 732237, 'from flyer nofood': 335495, 'delay and product': 232671, 'and product unsure': 69574, 'product unsure on': 681789, 'unsure on my': 943583, 'spot rate': 790100, 'rate market': 697296, 'been active': 120604, 'active fleet': 30269, 'fleet worked': 310328, 'good by': 356860, 'the spot rate': 867601, 'spot rate market': 790101, 'rate market ha': 697297, 'ha been active': 369707, 'been active fleet': 120605, 'active fleet worked': 30270, 'fleet worked hard': 310329, 'hard to meet': 378073, 'meet surging demand': 527586, 'consumer good by': 197602, 're panic': 699235, 'food keep': 315264, 'support restaurant': 826793, 'restaurant by': 716341, 'getting takeout': 349330, 'takeout they': 833192, 'now then': 576084, 'you re panic': 1020696, 're panic buying': 699237, 'buying food keep': 150318, 'food keep it': 315265, 'keep it support': 471622, 'it support restaurant': 461383, 'support restaurant by': 826794, 'restaurant by getting': 716342, 'by getting takeout': 152674, 'getting takeout they': 349332, 'takeout they need': 833193, 'need our support': 555403, 'our support right': 625048, 'right now then': 722154, 'now then use': 576086, 'then use your': 877704, 'use your food': 949832, 'your food if': 1023917, 'are in lockdown': 87410, 'rotunden': 726221, 'dkk': 248848, 'the rotunden': 865997, 'rotunden supermarket': 726222, 'denmark ha': 237017, 'ha pricing': 371534, 'trick aimed': 931691, 'the antiseptic': 848787, 'antiseptic one': 78563, 'reasonable 40': 703078, '40 dkk': 18565, 'dkk 09': 248849, '09 but': 1151, '00 dkk': 171, 'dkk 95': 248851, '95 for': 23578, 'two bottle': 936813, 'the rotunden supermarket': 865998, 'rotunden supermarket in': 726223, 'in denmark ha': 422188, 'denmark ha pricing': 237018, 'ha pricing trick': 371535, 'pricing trick aimed': 677994, 'trick aimed at': 931692, 'keeping shopper from': 472553, 'shopper from hoarding': 761525, 'from hoarding the': 335833, 'hoarding the antiseptic': 399584, 'the antiseptic one': 848788, 'antiseptic one bottle': 78564, 'one bottle is': 606010, 'bottle is reasonable': 136253, 'is reasonable 40': 451329, 'reasonable 40 dkk': 703079, '40 dkk 09': 18566, 'dkk 09 but': 248850, '09 but the': 1152, 'the price jump': 864376, 'jump to 00': 467900, 'to 00 dkk': 899411, '00 dkk 95': 172, 'dkk 95 for': 248852, '95 for two': 23580, 'for two bottle': 327388, 'seattle offer': 743567, 'offer 800': 594507, '800 supermarket': 22722, 'seattle offer 800': 743568, 'offer 800 supermarket': 594509, '800 supermarket voucher': 22723, 'voucher to family': 960676, 'to family in': 905655, 'need via foodsecurity': 556160, 'smfh': 775657, 'guy said': 369130, 'cheaper the': 174282, 'price smfh': 676496, 'smfh quarantineandchill': 775659, 'quarantineandchill costco': 692751, 'costco gasprices': 208230, 'gasprices gas': 344292, 'gas rona': 344080, 'rona corona': 725777, 'this guy said': 887794, 'guy said the': 369131, 'said the more': 731439, 'the more people': 860890, 'more people dying': 540016, 'people dying from': 647749, 'coronavirus the cheaper': 206904, 'the cheaper the': 850734, 'cheaper the gas': 174283, 'gas price smfh': 344024, 'price smfh quarantineandchill': 676497, 'smfh quarantineandchill costco': 775660, 'quarantineandchill costco gasprices': 692752, 'costco gasprices gas': 208231, 'gasprices gas rona': 344293, 'gas rona corona': 344081, 'rona corona virus': 725778, 'docente': 250764, 'tiempos': 895764, 'enkil': 277256, 'ser docente': 751177, 'docente online': 250765, 'online en': 608166, 'en tiempos': 275407, 'tiempos de': 895765, 'de covid': 229047, '19 enkil': 6788, 'enkil nice': 277257, 'nice shopping': 562472, 'ser docente online': 751178, 'docente online en': 250766, 'online en tiempos': 608167, 'en tiempos de': 275408, 'tiempos de covid': 895766, 'de covid 19': 229048, 'covid 19 enkil': 213025, '19 enkil nice': 6789, 'enkil nice shopping': 277258, 'is soap': 452048, 'soap better': 778953, 'at killing': 99377, 'killing chemistry': 474665, 'chemistry professor': 175473, 'professor explains': 682543, 'why soap': 991355, 'killing covid': 474669, 'is soap better': 452049, 'soap better than': 778954, 'sanitizer at killing': 734513, 'at killing chemistry': 99378, 'killing chemistry professor': 474666, 'chemistry professor explains': 175474, 'professor explains why': 682546, 'explains why soap': 292263, 'why soap is': 991356, 'soap is so': 779047, 'is so good': 452009, 'so good at': 777183, 'good at killing': 356794, 'at killing covid': 99379, 'killing covid 19': 474670, 'wa standing': 963297, 'to frozen': 906276, 'frozen section': 339017, 'section where': 744051, 'people kept': 648590, 'kept asking': 473019, 'ok replied': 597863, 'replied 4th': 711706, '4th in': 19527, 'were correctly': 979486, 'correctly standing': 207608, 'standing metre': 793786, 'apart chinesevirus': 81241, 'chinesevirus farce': 177436, 'wa standing in': 963298, 'back of supermarket': 107175, 'of supermarket next': 590435, 'next to frozen': 561620, 'to frozen section': 906277, 'frozen section where': 339018, 'section where people': 744052, 'where people kept': 985104, 'people kept asking': 648591, 'kept asking me': 473020, 'asking me if': 96024, 'me if wa': 522944, 'if wa ok': 415238, 'wa ok replied': 962813, 'ok replied 4th': 597864, 'replied 4th in': 711707, '4th in queue': 19528, 'checkout we were': 175053, 'we were correctly': 973785, 'were correctly standing': 979487, 'correctly standing metre': 207609, 'standing metre apart': 793787, 'metre apart chinesevirus': 529821, 'apart chinesevirus farce': 81242, 'tuesday it': 935159, 'would protect': 1012126, 'workforce from': 1008359, 'pay contractor': 644816, 'contractor and': 201811, 'other part': 620645, 'time staff': 897740, 'month fmcg': 537718, 'fmcg retail': 311744, 'good giant said': 357124, 'giant said on': 349860, 'said on tuesday': 731291, 'on tuesday it': 604887, 'tuesday it would': 935160, 'it would protect': 462602, 'would protect it': 1012128, 'protect it workforce': 684862, 'it workforce from': 462527, 'workforce from the': 1008360, 'the by continuing': 850239, 'by continuing to': 152205, 'continuing to pay': 201566, 'to pay contractor': 911524, 'pay contractor and': 644817, 'contractor and other': 201812, 'and other part': 68376, 'other part time': 620646, 'part time staff': 642454, 'time staff for': 897741, 'staff for up': 792467, 'up to three': 946438, 'to three month': 917548, 'three month fmcg': 893997, 'month fmcg retail': 537719, 'michelle': 530298, 'and apologize': 58240, 'trouble michelle': 932630, 'michelle we': 530301, 'understand your situation': 940838, 'your situation and': 1025821, 'situation and apologize': 772177, 'and apologize for': 58241, 'for the trouble': 326742, 'the trouble michelle': 870026, 'trouble michelle we': 932631, 'michelle we will': 530302, 'louisvuitton': 504554, 'vuitton is': 960791, 'french hospital': 332734, 'hospital louisvuitton': 404498, 'louisvuitton handsanitizer': 504555, 'handsanitizer france': 376536, 'louis vuitton is': 504528, 'vuitton is now': 960792, 'sanitizer for french': 734905, 'for french hospital': 321751, 'french hospital louisvuitton': 332735, 'hospital louisvuitton handsanitizer': 404499, 'louisvuitton handsanitizer france': 504556, 'merchant and': 528993, 'killing your': 474728, 'hope when': 403775, 'over they': 630810, 'remember and': 710168, 'never enter': 557970, 'premise again': 669919, 'again covid': 36963, 'you are merchant': 1017171, 'are merchant and': 88066, 'merchant and you': 528995, 'you are killing': 1017157, 'are killing your': 87687, 'killing your loyal': 474729, 'your loyal customer': 1024750, 'loyal customer by': 506268, 'customer by inflating': 222214, 'inflating price during': 437116, 'crisis hope when': 217496, 'hope when this': 403777, 'is over they': 450738, 'over they will': 630811, 'they will remember': 883877, 'will remember and': 994639, 'remember and never': 710169, 'and never enter': 67534, 'never enter your': 557971, 'enter your premise': 278341, 'your premise again': 1025376, 'premise again covid': 669920, 'again covid 19': 36964, 'eczema': 268437, 'psoriasis': 687479, 'southbeachsymposium': 786822, 'dermatology': 237881, 'the directive': 853315, 'directive recommended': 243510, 'sanitizer however': 735100, 'can trigger': 160044, 'trigger such': 931889, 'such condition': 816414, 'condition eczema': 193446, 'eczema and': 268438, 'and psoriasis': 69725, 'psoriasis southbeachsymposium': 687480, 'southbeachsymposium dermatology': 786823, 'the first step': 855351, 'first step in': 309029, 'step in the': 799567, 'in the directive': 429136, 'the directive recommended': 853316, 'directive recommended by': 243511, 'recommended by to': 704780, 'spread of are': 790651, 'of are to': 580357, 'are to wash': 91115, 'hand sanitizer however': 375446, 'sanitizer however this': 735103, 'however this can': 409502, 'this can trigger': 886687, 'can trigger such': 160045, 'trigger such condition': 931890, 'such condition eczema': 816415, 'condition eczema and': 193447, 'eczema and psoriasis': 268439, 'and psoriasis southbeachsymposium': 69726, 'psoriasis southbeachsymposium dermatology': 687481, 'hinshaw': 396897, 'non medical': 566433, 'use dr': 949168, 'dr hinshaw': 258028, 'hinshaw in': 396898, '14 hr': 3483, 'home hasn': 401338, 'hasn observed': 378762, 'observed in': 578616, 'place most': 657578, 'important make': 418872, 'off yyc': 594450, 'yyc yeg': 1027159, 'you seen any': 1021091, 'seen any of': 746942, 'any of this': 79541, 'of this non': 592016, 'this non medical': 889155, 'non medical mask': 566435, 'medical mask use': 526262, 'mask use dr': 519466, 'use dr hinshaw': 949169, 'dr hinshaw in': 258029, 'hinshaw in the': 396899, 'the office for': 862071, 'office for 12': 595422, 'for 12 14': 318638, '12 14 hr': 2771, '14 hr day': 3484, 'hr day or': 409607, 'day or at': 228169, 'at home hasn': 99003, 'home hasn observed': 401339, 'hasn observed in': 378763, 'observed in grocery': 578617, 'store or other': 809354, 'other place most': 620721, 'place most important': 657579, 'most important make': 542405, 'important make sure': 418873, 'you wash hand': 1022174, 'wash hand before': 967479, 'before you put': 123329, 'you put it': 1020506, 'it on and': 460030, 'on and taking': 599374, 'taking it off': 833410, 'it off yyc': 459990, 'off yyc yeg': 594451, 'quarantinethoughts': 693066, 'anyone remember': 80490, 'when bathandbodyworks': 983200, 'bathandbodyworks sold': 112607, 'sold those': 781779, 'sanitizer lotion': 735311, 'lotion they': 504438, 'really bring': 702037, 'bring those': 140098, 'those back': 891828, 'back genius': 107030, 'genius know': 345790, 'know quarantinethoughts': 476690, 'doe anyone remember': 251344, 'anyone remember when': 80492, 'remember when bathandbodyworks': 710411, 'when bathandbodyworks sold': 983201, 'bathandbodyworks sold those': 112608, 'sold those hand': 781780, 'those hand sanitizer': 892045, 'hand sanitizer lotion': 375477, 'sanitizer lotion they': 735312, 'lotion they should': 504439, 'they should really': 883381, 'should really bring': 766376, 'really bring those': 702038, 'bring those back': 140099, 'those back genius': 891829, 'back genius know': 107031, 'genius know quarantinethoughts': 345791, 'extends exclusive': 293249, 'exclusive shopping': 289696, 'sainsbury extends exclusive': 731666, 'extends exclusive shopping': 293250, 'exclusive shopping hour': 289697, 'crazytimes': 215499, 'how crazy': 407641, 'wa planning': 962939, 'pop in': 664425, 'walmart this': 965438, 'literally had': 495012, 'had you': 373814, 'line turned': 493516, 'turned right': 935874, 'what wanted': 982530, 'wanted at': 966194, 'store crazytimes': 807221, 'how crazy is': 407642, 'crazy is this': 215341, 'is this wa': 453130, 'this wa planning': 891085, 'wa planning to': 962941, 'planning to pop': 658589, 'to pop in': 911885, 'pop in at': 664426, 'in at walmart': 420559, 'at walmart this': 101478, 'walmart this morning': 965439, 'morning and they': 541168, 'and they literally': 73915, 'they literally had': 882574, 'literally had you': 495013, 'had you stand': 373817, 'you stand in': 1021347, 'in line turned': 424781, 'line turned right': 493517, 'turned right away': 935875, 'right away and': 721785, 'away and got': 105780, 'and got what': 63870, 'got what wanted': 359013, 'what wanted at': 982531, 'wanted at my': 966196, 'grocery store crazytimes': 365316, 'way business': 969505, 'can appropriately': 157525, 'appropriately engage': 83068, 'engage audience': 276844, 'audience today': 102918, 'key takeaway': 473410, 'takeaway it': 832875, 'back amp': 106843, 'amp remaining': 54385, 'remaining consumer': 709959, 'way business can': 969506, 'business can appropriately': 143488, 'can appropriately engage': 157526, 'appropriately engage audience': 83069, 'engage audience today': 276845, 'audience today the': 102919, 'today the key': 920295, 'the key takeaway': 858764, 'key takeaway it': 473411, 'takeaway it about': 832876, 'it about giving': 456237, 'about giving back': 25308, 'giving back amp': 351247, 'back amp remaining': 106844, 'amp remaining consumer': 54386, 'remaining consumer centric': 709960, 'farm slashed': 299181, 'slashed auto': 773614, 'people dealing': 647609, 'driving le': 259964, 'ever anyway': 285198, 'anyway but': 80989, 'but curious': 145490, 'if wsj': 415378, 'wsj is': 1013253, 'follow up': 312575, 'what state': 982250, 'farm doe': 299106, 'with homeowner': 998867, 'homeowner insurance': 402888, 'insurance or': 440785, 'rent insurance': 711113, 'insurance rn': 440804, 'state farm slashed': 795579, 'farm slashed auto': 299182, 'slashed auto premium': 773615, 'premium to help': 669978, 'help people dealing': 390290, 'people dealing with': 647610, '19 since people': 10557, 'people are driving': 646958, 'are driving le': 86001, 'driving le than': 259967, 'le than ever': 483170, 'than ever anyway': 840570, 'ever anyway but': 285199, 'anyway but curious': 80990, 'but curious to': 145491, 'see if wsj': 745286, 'if wsj is': 415379, 'wsj is going': 1013254, 'going to follow': 355603, 'to follow up': 906068, 'follow up on': 312578, 'up on what': 945644, 'on what state': 605242, 'what state farm': 982251, 'state farm doe': 795577, 'farm doe with': 299107, 'doe with homeowner': 251673, 'with homeowner insurance': 998868, 'homeowner insurance or': 402889, 'insurance or rent': 440786, 'or rent insurance': 616847, 'rent insurance rn': 711114, 'sinc': 770401, '265 badly': 16221, 'needed help': 556386, 'husband no': 411742, 'work sinc': 1005730, '265 badly needed': 16222, 'badly needed help': 108164, 'needed help my': 556387, 'help my husband': 390125, 'my husband no': 548787, 'husband no work': 411743, 'no work sinc': 565929, 'department in': 237208, 'hamburger because': 374542, 'wa just told': 962473, 'just told that': 470123, 'told that the': 923698, 'that the meat': 846772, 'meat department in': 525538, 'department in local': 237209, 'in local grocery': 424820, 'grocery store were': 365943, 'store were told': 811222, 'told to raise': 923759, 'to raise the': 912734, 'price of hamburger': 675465, 'of hamburger because': 584417, 'hamburger because of': 374543, 'foodprices': 318035, 'world foodprices': 1009559, 'foodprices fall': 318038, 'world foodprices fall': 1009560, 'foodprices fall sharply': 318039, 'cursing': 221763, 'hoarding item': 399402, 'the regular': 865444, 'regular level': 707802, 'these commodity': 879774, 'commodity will': 189338, 'will disappear': 993199, 'disappear from': 244037, 'up then': 946255, 'start cursing': 794274, 'cursing government': 221764, 'fear of people': 301253, 'have started hoarding': 382722, 'started hoarding item': 794752, 'hoarding item of': 399403, 'item of daily': 463490, 'daily use this': 224862, 'use this will': 949737, 'this will impact': 891419, 'will impact the': 993785, 'impact the regular': 418004, 'the regular level': 865445, 'regular level of': 707803, 'level of supply': 487663, 'of supply in': 590484, 'supply in market': 825403, 'in market if': 425145, 'market if these': 516539, 'if these commodity': 415083, 'these commodity will': 879775, 'commodity will disappear': 189339, 'will disappear from': 993200, 'disappear from market': 244038, 'from market it': 336363, 'market it will': 516656, 'it will create': 462388, 'will create shortage': 993074, 'create shortage and': 215735, 'shortage and price': 764825, 'go up then': 354441, 'up then people': 946256, 'people will start': 650412, 'will start cursing': 994940, 'start cursing government': 794275, 'sanitizer may': 735359, 'but coronavirus': 145462, 'no match': 564721, 'match to': 520312, 'old soap': 598468, 'soap take': 779119, 'virus know': 958440, 'more stayhome': 540455, 'staysafe socialdistance': 798879, 'hand sanitizer may': 375487, 'sanitizer may seem': 735360, 'seem like an': 746670, 'like an essential': 489767, 'up but coronavirus': 944516, 'but coronavirus is': 145463, 'coronavirus is no': 206166, 'is no match': 449950, 'no match to': 564722, 'match to the': 520313, 'to the good': 916746, 'good old soap': 357492, 'old soap here': 598469, 'here how soap': 393110, 'how soap take': 408706, 'soap take out': 779121, 'take out the': 832461, 'the virus know': 870856, 'virus know more': 958441, 'know more stayhome': 476611, 'more stayhome staysafe': 540456, 'stayhome staysafe socialdistance': 798172, 'scrappage': 742595, '72m': 22055, 'heater': 388503, 'scrappage scheme': 742596, 'scheme can': 741553, 'can boost': 157773, 'and achieve': 57612, 'achieve emission': 29021, 'emission reduction': 273213, 'reduction just': 706374, 'benefit if': 127005, 'if applied': 413869, 'to old': 910888, 'old heating': 598290, 'heating system': 388534, 'system installed': 831211, 'installed in': 440027, 'home heating': 401362, 'heating 85': 388528, '85 energy': 22914, 'building 72m': 142037, '72m heater': 22056, 'heater still': 388504, 'scrappage scheme can': 742597, 'scheme can boost': 741554, 'can boost consumer': 157774, 'demand and achieve': 234948, 'and achieve emission': 57613, 'achieve emission reduction': 29022, 'emission reduction just': 273214, 'reduction just imagine': 706375, 'imagine the benefit': 416794, 'the benefit if': 849471, 'benefit if applied': 127006, 'if applied to': 413870, 'applied to old': 82503, 'to old heating': 910889, 'old heating system': 598291, 'heating system installed': 388535, 'system installed in': 831212, 'installed in our': 440028, 'our home heating': 623451, 'home heating 85': 401363, 'heating 85 energy': 388529, '85 energy consumption': 22915, 'energy consumption in': 276417, 'consumption in building': 199892, 'in building 72m': 421023, 'building 72m heater': 142038, '72m heater still': 22057, 'heater still need': 388505, 'hct': 384661, 'oll': 598763, 'today early': 919471, 'early leader': 264631, 'leader were': 483568, 'were company': 979456, 'company capitalizing': 190540, 'by hct': 152772, 'hct oll': 384662, 'once again today': 605581, 'again today early': 37238, 'today early leader': 919472, 'early leader were': 264633, 'leader were company': 483569, 'were company capitalizing': 979458, 'company capitalizing on': 190541, 'capitalizing on consumer': 162844, 'consumer demand driven': 197127, 'demand driven by': 235256, 'driven by hct': 259280, 'by hct oll': 152773, 'spilling': 789379, 'my handbag': 548619, 'handbag after': 376036, 'after spilling': 36239, 'spilling water': 789382, 'water inside': 969034, 'inside proceeded': 439364, 'discover an': 244651, 'entire pharmacy': 278719, 'store paper': 809463, 'paper mill': 640466, 'mill and': 531950, 'and bank': 58677, 'bank not': 110038, 'good way': 357942, 'way quarantine': 969830, 'glad have all': 351495, 'have all this': 379171, 'all this time': 45140, 'time on my': 897401, 'on my hand': 602287, 'my hand to': 548617, 'hand to clean': 375857, 'to clean out': 902811, 'clean out my': 180607, 'out my handbag': 626598, 'my handbag after': 548620, 'handbag after spilling': 376037, 'after spilling water': 36240, 'spilling water inside': 789383, 'water inside proceeded': 969035, 'inside proceeded to': 439365, 'proceeded to discover': 679843, 'to discover an': 904365, 'discover an entire': 244652, 'an entire pharmacy': 55774, 'entire pharmacy grocery': 278720, 'grocery store paper': 365639, 'store paper mill': 809464, 'paper mill and': 640467, 'mill and bank': 531951, 'and bank not': 58681, 'bank not in': 110040, 'not in good': 570092, 'in good way': 423375, 'good way quarantine': 357943, 'kohat': 477322, 'kp': 477576, 'walkthrough sanitizer': 965145, 'in kohat': 424531, 'kohat kp': 477323, 'walkthrough sanitizer in': 965146, 'sanitizer in kohat': 735143, 'in kohat kp': 424532, 'dampness': 225514, 'in lebanon': 424662, 'lebanon where': 485196, 'now refugee': 575663, 'refugee this': 706856, 'this vulnerable': 891045, 'is uniquely': 453509, 'uniquely exposed': 942015, 'it large': 459292, 'large family': 479662, 'family sharing': 298213, 'sharing tent': 755589, 'tent lot': 838012, 'baby child': 106587, 'child already': 175991, 'sick most': 768514, 'to cold': 902943, 'cold dampness': 185749, 'dampness and': 225515, 'in lebanon where': 424664, 'lebanon where people': 485198, 'where people is': 985103, 'is now refugee': 450323, 'now refugee this': 575664, 'refugee this vulnerable': 706857, 'this vulnerable population': 891046, 'vulnerable population is': 961129, 'population is uniquely': 664710, 'is uniquely exposed': 453510, 'uniquely exposed to': 942016, 'pandemic it large': 635827, 'it large family': 459293, 'large family sharing': 479663, 'family sharing tent': 298214, 'sharing tent lot': 755590, 'tent lot of': 838013, 'lot of baby': 504142, 'of baby child': 580495, 'baby child already': 106588, 'child already sick': 175992, 'already sick most': 47658, 'sick most of': 768515, 'the time due': 869586, 'due to cold': 261732, 'to cold dampness': 902944, 'cold dampness and': 185750, 'dampness and flooding': 225516, 'kubwa': 477865, 'wan': 965537, 'spoil': 789683, 'aedc': 33877, '19 aka': 4876, 'aka corona': 40477, 'affected our': 34402, 'our light': 623744, 'light too': 489615, 'too kubwa': 924822, 'kubwa phase': 477866, 'phase ha': 654612, 'darkness since': 226009, 'since yesterday': 771011, 'yesterday food': 1015737, 'food wey': 317554, 'wey cook': 980811, 'cook stock': 202779, 'for freezer': 321747, 'freezer wan': 332648, 'wan spoil': 965538, 'spoil what': 789688, 'happening oo': 377390, 'oo aedc': 611720, 'covid 19 aka': 212602, '19 aka corona': 4877, 'aka corona virus': 40478, 'virus affected our': 957896, 'affected our light': 34403, 'our light too': 623745, 'light too kubwa': 489616, 'too kubwa phase': 924823, 'kubwa phase ha': 477867, 'phase ha been': 654613, 'been in darkness': 121341, 'in darkness since': 421993, 'darkness since yesterday': 226010, 'since yesterday food': 771012, 'yesterday food wey': 1015738, 'food wey cook': 317555, 'wey cook stock': 980812, 'cook stock for': 202780, 'stock for freezer': 802168, 'for freezer wan': 321748, 'freezer wan spoil': 332649, 'wan spoil what': 965539, 'spoil what really': 789689, 'what really happening': 982084, 'really happening oo': 702258, 'happening oo aedc': 377391, 'brilliant hand': 139850, 'hand it': 375055, 'quite you': 694941, 'heard him': 388087, 'him before': 396556, 'brilliant hand washing': 139851, 'hand washing hand': 375948, 'washing hand it': 967672, 'hand it but': 375056, 'but not quite': 146556, 'not quite you': 571196, 'quite you ve': 694942, 've heard him': 953249, 'heard him before': 388088, 'current way': 221430, 'ha celebrating': 370108, 'celebrating small': 168838, 'small win': 775191, 'win like': 995560, 'store quarentinelife': 809720, 'this current way': 887139, 'current way of': 221431, 'of life ha': 585823, 'life ha celebrating': 488703, 'ha celebrating small': 370109, 'celebrating small win': 168839, 'small win like': 775193, 'win like finding': 995561, 'like finding chicken': 490239, 'finding chicken or': 307451, 'chicken or toilet': 175827, 'grocery store quarentinelife': 365696, 'from essential': 335303, 'food hygiene': 314876, 'health even': 386411, 'even machine': 284314, 'machine product': 507399, 'make household': 509990, 'household work': 406996, 'work easier': 1005079, 'easier are': 265133, 'also growing': 48297, 'growing on': 367224, 'ecommerce what': 266893, 'surge exponentially': 828160, 'exponentially for': 292596, 'essential post': 281405, 'apart from essential': 81261, 'from essential food': 335304, 'essential food hygiene': 281044, 'food hygiene and': 314877, 'hygiene and health': 412048, 'and health even': 64354, 'health even machine': 386412, 'even machine product': 284315, 'machine product to': 507400, 'to make household': 909678, 'make household work': 509991, 'household work easier': 406997, 'work easier are': 1005080, 'easier are also': 265134, 'are also growing': 84457, 'also growing on': 48298, 'growing on ecommerce': 367225, 'on ecommerce what': 600504, 'ecommerce what is': 266894, 'the lockdown will': 859641, 'lockdown will the': 500157, 'consumer demand surge': 197168, 'demand surge exponentially': 236305, 'surge exponentially for': 828161, 'exponentially for non': 292597, 'non essential post': 566350, 'essential post lockdown': 281406, 'kay': 471133, 'ducing': 261533, 'beautynews': 118829, 'mary kay': 518163, 'kay inc': 471134, 'inc will': 431313, 'will dedicate': 993123, 'dedicate part': 231684, 'it global': 458250, 'manufacturing capability': 513565, 'capability to': 162470, 'to pro': 912160, 'pro ducing': 679108, 'ducing much': 261534, 'sanitizer beautynews': 734551, 'beautynews sanitizer': 118830, 'mary kay inc': 518164, 'kay inc will': 471135, 'inc will dedicate': 431315, 'will dedicate part': 993124, 'dedicate part of': 231685, 'of it global': 585401, 'it global supply': 458252, 'chain and manufacturing': 170469, 'and manufacturing capability': 66658, 'manufacturing capability to': 513566, 'capability to pro': 162474, 'to pro ducing': 912162, 'pro ducing much': 679109, 'ducing much needed': 261535, 'much needed hand': 545152, 'hand sanitizer beautynews': 375321, 'sanitizer beautynews sanitizer': 734552, 'beautynews sanitizer manufacturing': 118831, 'welding': 977936, 'diary all': 240403, 'friday while': 333321, 'while braved': 986658, 'supermarket armed': 819200, 'were rather': 980032, 'man wearing': 512310, 'wearing welding': 974821, 'welding mask': 977937, 'mask which': 519553, '19 diary all': 6539, 'diary all school': 240405, 'all school to': 44253, 'school to close': 741956, 'to close on': 902889, 'close on friday': 182736, 'on friday while': 601018, 'friday while braved': 333322, 'while braved the': 986659, 'braved the supermarket': 138259, 'the supermarket armed': 868470, 'supermarket armed with': 819201, 'armed with carrier': 92953, 'carrier bag and': 164956, 'bag and hand': 108219, 'hand sanitizer the': 375618, 'sanitizer the shelf': 735872, 'shelf were rather': 757772, 'were rather empty': 980033, 'rather empty also': 697453, 'empty also saw': 274753, 'also saw an': 48824, 'saw an elderly': 738059, 'elderly man wearing': 270751, 'man wearing welding': 512314, 'wearing welding mask': 974822, 'welding mask which': 977938, 'mask which wa': 519555, 'which wa weird': 986456, 'pfizer': 653921, 'this end': 887376, 'end 3m': 275755, '3m would': 18345, 'be rich': 116881, 'rich company': 721207, 'company so': 191089, 'be pfizer': 116405, 'pfizer so': 653922, 'that produce': 845853, 'produce cleaning': 680223, 'and sanitary': 70819, 'wa earlier': 962049, 'earlier kind': 264461, 'all this end': 45102, 'this end 3m': 887377, 'end 3m would': 275756, '3m would be': 18346, 'would be rich': 1011640, 'be rich company': 116882, 'rich company so': 721208, 'company so would': 191091, 'would be pfizer': 1011631, 'be pfizer so': 116406, 'pfizer so would': 653923, 'be any other': 113651, 'any other consumer': 79583, 'good company that': 356907, 'company that produce': 191183, 'that produce cleaning': 845855, 'produce cleaning and': 680224, 'cleaning and sanitary': 180897, 'and sanitary product': 70821, 'sanitary product which': 733819, 'product which wa': 681844, 'which wa earlier': 986442, 'wa earlier kind': 962050, 'earlier kind of': 264462, 'kind of commodity': 474881, 'of commodity market': 581577, 'four senator': 330666, 'senator investigated': 749757, 'investigated over': 443822, 'impending crisis': 418316, 'plummeted ex': 661339, 'ex ceo': 288619, 'ceo face': 169696, 'quit after': 694786, 'four senator investigated': 330667, 'senator investigated over': 749758, 'investigated over claim': 443823, 'insider knowledge of': 439474, 'knowledge of the': 477179, 'the impending crisis': 857956, 'impending crisis to': 418317, 'price plummeted ex': 675912, 'plummeted ex ceo': 661340, 'ex ceo face': 288620, 'ceo face call': 169697, 'call to quit': 156182, 'to quit after': 912690, 'quit after selling': 694788, 'in stock last': 428312, 'stock last month': 802344, 'go running': 354079, 'running or': 728017, 'walking and': 965015, 'at close': 98276, 'close range': 182784, 'range think': 696745, 'this when': 891352, 'reach across': 699886, 'across someone': 29458, 'grab something': 361537, 'something off': 784995, 'like waiting': 491752, 'waiting stayhomesavelives': 964387, 'consider this next': 195163, 'this next time': 889139, 'you go running': 1018863, 'go running or': 354080, 'running or walking': 728018, 'or walking and': 617714, 'walking and pas': 965016, 'and pas by': 68738, 'pas by others': 643093, 'by others at': 153470, 'others at close': 621290, 'at close range': 98277, 'close range think': 182785, 'range think about': 696746, 'about this when': 26673, 'this when you': 891360, 'store and you': 806406, 'and you reach': 76041, 'you reach across': 1020804, 'reach across someone': 699887, 'across someone to': 29459, 'someone to grab': 784706, 'to grab something': 906970, 'grab something off': 361538, 'something off shelf': 784996, 'shelf because you': 756880, 'because you do': 119866, 'feel like waiting': 302759, 'like waiting stayhomesavelives': 491753, 'lease': 484289, 'advice answer': 33322, 'to faq': 905667, 'faq for': 298669, 'with vehicle': 1001963, 'vehicle on': 954273, 'rent or': 711139, 'or lease': 615951, 'consumer advice answer': 196041, 'advice answer to': 33323, 'answer to faq': 78130, 'to faq for': 905668, 'faq for customer': 298670, 'for customer with': 320517, 'customer with vehicle': 223107, 'with vehicle on': 1001964, 'vehicle on rent': 954274, 'on rent or': 603145, 'rent or lease': 711140, 'atl': 101814, 'nyy': 578169, 'price throughout': 676942, '2nd behind': 16754, 'behind hawaii': 124633, 'hawaii which': 384462, '50 atl': 19622, 'atl 89': 101815, '89 ten': 23105, 'ten 94': 837762, '94 va': 23552, 'va 99': 951528, '99 utah': 23909, 'utah 45': 951185, '45 ind': 19102, 'ind 88': 433963, '88 nyy': 23054, 'nyy 43': 578170, '43 nv': 18973, 'nv 77': 577789, '77 fl': 22284, 'fl 10': 309899, '10 az': 1327, 'az 61': 106369, '61 ca': 21184, 'ca 25': 154857, 'price throughout the': 676943, 'throughout the california': 894964, 'the california is': 850281, 'california is 2nd': 155522, 'is 2nd behind': 445199, '2nd behind hawaii': 16755, 'behind hawaii which': 124634, 'hawaii which is': 384463, 'which is at': 985984, 'is at 50': 445849, 'at 50 atl': 97676, '50 atl 89': 19623, 'atl 89 ten': 101816, '89 ten 94': 23106, 'ten 94 va': 837763, '94 va 99': 23553, 'va 99 utah': 951529, '99 utah 45': 23910, 'utah 45 ind': 951186, '45 ind 88': 19103, 'ind 88 nyy': 433964, '88 nyy 43': 23055, 'nyy 43 nv': 578171, '43 nv 77': 18974, 'nv 77 fl': 577790, '77 fl 10': 22285, 'fl 10 az': 309900, '10 az 61': 1328, 'az 61 ca': 106370, '61 ca 25': 21185, 'harmed': 378430, 'preclude': 669514, 'relitigating': 709598, 'first long': 308771, 'long report': 501593, 'report ve': 712412, 'the wa': 871011, 'act suit': 29778, 'fox this': 330776, 'this seek': 890006, 'seek declaration': 746573, 'declaration but': 231147, 'because fox': 119068, 'fox can': 330749, 'can foresee': 158378, 'foresee additional': 329044, 'additional lawsuit': 31835, 'lawsuit this': 482541, 'could let': 209382, 'let harmed': 486767, 'harmed individual': 378437, 'individual preclude': 435240, 'preclude fox': 669515, 'fox from': 330755, 'from relitigating': 337073, 'relitigating violation': 709599, 'the first long': 855324, 'first long report': 308772, 'long report ve': 501594, 'report ve seen': 712413, 'seen of the': 747163, 'of the wa': 591596, 'the wa consumer': 871012, 'protection act suit': 685285, 'act suit against': 29779, 'suit against fox': 817752, 'against fox this': 37454, 'fox this seek': 330777, 'this seek declaration': 890007, 'seek declaration but': 746574, 'declaration but because': 231148, 'but because fox': 145269, 'because fox can': 119069, 'fox can foresee': 330750, 'can foresee additional': 158379, 'foresee additional lawsuit': 329045, 'additional lawsuit this': 31836, 'lawsuit this could': 482542, 'this could let': 886929, 'could let harmed': 209383, 'let harmed individual': 486768, 'harmed individual preclude': 378438, 'individual preclude fox': 435241, 'preclude fox from': 669516, 'fox from relitigating': 330757, 'from relitigating violation': 337074, 'join with': 466905, 'of useful': 592708, 'useful offer': 950181, 'pleased to join': 660800, 'to join with': 908687, 'join with to': 466906, 'with to ask': 1001784, 'to ask that': 900764, 'ask that low': 95629, 'that low income': 844964, 'income family can': 432333, 'family can take': 297686, 'can take advantage': 159894, 'advantage of useful': 33042, 'of useful offer': 592711, 'useful offer from': 950182, 'cancelled severe': 161168, 'severe crisis': 754003, 'demand cut': 235204, 'cut demand': 223301, 'order cancelled severe': 618118, 'cancelled severe crisis': 161169, 'severe crisis grip': 754004, 'term and demand': 838057, 'and demand cut': 61147, 'demand cut demand': 235205, 'cut demand product': 223303, 'demand product price': 236087, 'keeping pet': 472521, 'pet safe': 653442, 'of pet': 588068, 'and medication': 66889, 'medication to': 526684, 'pet wellbeing': 653481, 'wellbeing in': 978791, 'house or': 406441, 'local pet': 498265, 'or clinic': 614744, 'clinic adjusts': 182292, 'adjusts it': 32389, 'on keeping pet': 601752, 'keeping pet safe': 472522, 'pet safe during': 653443, 'safe during covid': 729611, '19 check your': 5785, 'check your current': 174730, 'your current stock': 1023398, 'stock of pet': 802536, 'of pet food': 588069, 'pet food and': 653381, 'food and medication': 313282, 'and medication to': 66894, 'medication to ensure': 526685, 'ensure your pet': 278139, 'your pet wellbeing': 1025280, 'pet wellbeing in': 653482, 'wellbeing in case': 978792, 'case you are': 166122, 'unable to leave': 939334, 'your house or': 1024415, 'house or your': 406442, 'or your local': 617883, 'your local pet': 1024711, 'local pet food': 498266, 'food store or': 316855, 'store or clinic': 809319, 'or clinic adjusts': 614745, 'clinic adjusts it': 182293, 'adjusts it hour': 32390, 'santamonica': 736616, 'trumprecession': 934153, 'haven met': 383861, 'met yet': 529606, 'yet allow': 1015979, 'allow me': 45995, 'introduce you': 443409, 'the cue': 852558, 'at 25am': 97553, '25am the': 16078, 'news shelf': 560785, 'longer bare': 501931, 'of restocking': 589026, 'restocking santamonica': 717016, 'santamonica trumpvirus': 736617, 'trumpvirus trumprecession': 934197, 'case you haven': 166126, 'you haven met': 1019153, 'haven met yet': 383862, 'met yet allow': 529607, 'yet allow me': 1015980, 'allow me to': 45997, 'me to introduce': 523759, 'to introduce you': 908474, 'introduce you to': 443410, 'to the cue': 916616, 'the cue to': 852559, 'cue to get': 220208, 'store at 25am': 806572, 'at 25am the': 97554, '25am the good': 16079, 'the good news': 856443, 'good news shelf': 357456, 'news shelf are': 560786, 'shelf are no': 756816, 'no longer bare': 564637, 'longer bare and': 501932, 'bare and store': 110860, 'and store seem': 72516, 'process of restocking': 679933, 'of restocking santamonica': 589027, 'restocking santamonica trumpvirus': 717017, 'santamonica trumpvirus trumprecession': 736618, 'what job': 981772, 'job profit': 466107, 'profit is': 682786, 'family what': 298367, 'job pay': 466079, 'pay is': 644963, 'job produce': 466105, 'must open': 546797, 'what job are': 981773, 'job are essential': 465656, 'are essential what': 86261, 'essential what the': 281784, 'what the job': 982330, 'the job profit': 858670, 'job profit is': 466108, 'profit is essential': 682788, 'the ceo and': 850612, 'ceo and their': 169647, 'their family what': 873276, 'family what the': 298369, 'the job pay': 858668, 'job pay is': 466080, 'pay is essential': 644964, 'to the employee': 916671, 'employee and their': 273589, 'the job produce': 858669, 'job produce is': 466106, 'produce is essential': 680323, 'their family we': 873275, 'family we must': 298362, 'we must open': 972433, 'must open the': 546798, 'open the economy': 612548, 'verge': 954765, 'the verge': 870691, 'is booming the': 446232, 'booming the verge': 134903, 'archaeologist': 84044, 'nash': 552000, '19 making': 8528, 'way around': 969472, 'paper why': 641094, 'buy weird': 149448, 'crisis museum': 217739, 'museum archaeologist': 546237, 'archaeologist steve': 84045, 'steve nash': 799949, 'nash throw': 552003, 'throw light': 895034, 'other bout': 619900, 'bout of': 136914, 'of odd': 587147, 'odd consumer': 579180, 'covid 19 making': 213395, '19 making it': 8529, 'making it way': 511154, 'it way around': 462268, 'way around the': 969474, 'around the united': 93566, 'are emptying store': 86185, 'emptying store of': 275287, 'store of toilet': 809149, 'toilet paper why': 921528, 'paper why do': 641095, 'do we buy': 250463, 'we buy weird': 970881, 'buy weird thing': 149449, 'weird thing in': 977799, 'of crisis museum': 582175, 'crisis museum archaeologist': 217740, 'museum archaeologist steve': 546238, 'archaeologist steve nash': 84046, 'steve nash throw': 799951, 'nash throw light': 552004, 'throw light on': 895035, 'light on this': 489578, 'on this and': 604602, 'and other bout': 68288, 'other bout of': 619901, 'bout of odd': 136915, 'of odd consumer': 587148, 'odd consumer behavior': 579181, 'vulnerable only': 961066, 'hoarding moron': 399430, 'moron look': 541608, 'need coronacrisisuk': 554644, 'uk supermarket elderly': 938763, 'supermarket elderly and': 820104, 'and vulnerable only': 75057, 'vulnerable only opening': 961067, 'only opening time': 610910, 'time to allow': 897942, 'them to beat': 876456, 'beat the panic': 118561, 'and hoarding moron': 64659, 'hoarding moron look': 399431, 'moron look after': 541609, 'other and only': 619828, 'and only by': 68131, 'only by what': 610214, 'actually need coronacrisisuk': 30899, 'l1jhx4wml': 478119, 'also worried': 49119, 'piling have': 656597, 'have code': 380006, 'first hello': 308708, 'hello fresh': 389162, 'fresh box': 332928, 'box l1jhx4wml': 137096, 'l1jhx4wml 19uk': 478120, 'okay so if': 598004, 'you re also': 1020566, 're also worried': 698273, 'also worried about': 49120, 'worried about getting': 1010491, 'about getting food': 25299, 'getting food due': 348981, 'to stock piling': 915446, 'stock piling have': 802662, 'piling have code': 656598, 'have code for': 380007, 'code for 20': 185362, 'for 20 off': 318729, '20 off your': 13219, 'your first hello': 1023892, 'first hello fresh': 308709, 'hello fresh box': 389163, 'fresh box l1jhx4wml': 332929, 'box l1jhx4wml 19uk': 137097, 'boost store': 135018, 'operation initiative': 613214, 'initiative retail': 438646, 'retail lowes': 718300, 'lowes housewares': 506145, 'boost store operation': 135019, 'store operation initiative': 809294, 'operation initiative retail': 613215, 'initiative retail lowes': 438647, 'retail lowes housewares': 718301, 'lowes housewares homeworld': 506146, 'socialdistancehumor': 780179, 'supermarket carefully': 819531, 'carefully socially': 164482, 'socially distancing': 781060, 'distancing everyone': 247136, 'wa dodging': 961996, 'dodging each': 251297, 'when nowhere': 983785, 'run came': 727595, 'the came': 850293, 'supermarket speaker': 822790, 'speaker socialdistancing': 787746, 'socialdistancing socialdistancehumor': 780702, 'the supermarket carefully': 868509, 'supermarket carefully socially': 819532, 'carefully socially distancing': 164483, 'socially distancing everyone': 781061, 'distancing everyone wa': 247137, 'everyone wa dodging': 287537, 'wa dodging each': 961997, 'dodging each other': 251298, 'aisle when nowhere': 40434, 'when nowhere to': 983786, 'nowhere to run': 576575, 'to run came': 913658, 'run came on': 727596, 'on the came': 604008, 'the came on': 850294, 'the supermarket speaker': 868817, 'supermarket speaker socialdistancing': 822792, 'speaker socialdistancing socialdistancehumor': 787747, 'increasing demand of': 433585, 'heard local': 388100, 'local politician': 498287, 'politician make': 663722, 'real stupid': 701376, 'stupid statement': 815465, 'statement in': 796182, 'said will': 731591, 'will solve': 994884, 'usa medicare': 948690, 'medicare fund': 526577, 'fund shortfall': 341498, 'shortfall by': 765367, 'by killing': 152995, 'killing off': 474699, 'off old': 594017, 'he actually': 384707, 'actually saw': 30944, 'saw beneficial': 738070, 'beneficial it': 126881, 'save social': 737634, 'heard local politician': 388101, 'local politician make': 498288, 'politician make real': 663723, 'make real stupid': 510391, 'real stupid statement': 701377, 'stupid statement in': 815466, 'statement in the': 796184, 'he said will': 385383, 'said will solve': 731593, 'will solve the': 994885, 'solve the usa': 782163, 'the usa medicare': 870545, 'usa medicare fund': 948691, 'medicare fund shortfall': 526578, 'fund shortfall by': 341499, 'shortfall by killing': 765368, 'by killing off': 152996, 'killing off old': 474700, 'off old people': 594018, 'old people he': 598413, 'people he actually': 648220, 'he actually saw': 384709, 'actually saw beneficial': 30945, 'saw beneficial it': 738071, 'beneficial it will': 126882, 'will save social': 994746, 'save social security': 737635, 'stimuluspackage': 801644, 'restaurant help': 716500, 'but eliminated': 145641, 'eliminated your': 271481, 'your payroll': 1025241, 'payroll put': 645826, 'put away': 690521, 'away your': 106132, 'your dish': 1023523, 'dish put': 245508, 'your linen': 1024661, 'linen and': 493638, 'still asking': 800214, 'asking 22': 95928, 'for piece': 324553, 'in tin': 430091, 'tin no': 898543, 'no adjust': 563591, 'or perish': 616548, 'perish like': 651953, 'like produce': 491034, 'produce stimuluspackage': 680437, 'restaurant help me': 716501, 'help you you': 391011, 'you you all': 1022477, 'you all but': 1016867, 'all but eliminated': 42247, 'but eliminated your': 145642, 'eliminated your payroll': 271482, 'your payroll put': 1025242, 'payroll put away': 645827, 'put away your': 690522, 'away your dish': 106134, 'your dish put': 1023524, 'dish put away': 245509, 'away your linen': 106135, 'your linen and': 1024662, 'linen and your': 493639, 'and your still': 76098, 'your still asking': 1025943, 'still asking 22': 800215, 'asking 22 00': 95929, '22 00 for': 15151, '00 for piece': 214, 'for piece of': 324554, 'piece of chicken': 656330, 'of chicken in': 581332, 'chicken in tin': 175800, 'in tin no': 430092, 'tin no adjust': 898544, 'no adjust your': 563592, 'adjust your price': 32310, 'your price or': 1025408, 'price or perish': 675784, 'or perish like': 616549, 'perish like produce': 651954, 'like produce stimuluspackage': 491036, 'dove': 256298, 'now my': 575328, 'partner bought': 642787, 'of dove': 582801, 'dove soap': 256301, 'sanitizer is ridiculous': 735208, 'is ridiculous now': 451522, 'ridiculous now my': 721570, 'now my partner': 575331, 'my partner bought': 549717, 'partner bought some': 642788, 'bought some for': 136715, 'some for better': 782887, 'for better off': 319658, 'better off with': 128390, 'off with buying': 594395, 'with buying bottle': 997504, 'buying bottle of': 150040, 'bottle of water': 136300, 'water and bar': 968854, 'bar of dove': 110736, 'of dove soap': 582802, 'coronabullshit': 204452, 'so making': 777629, 'wait online': 964166, 'socialdistancing no': 780557, 'it creating': 457402, 'shopping coronabullshit': 762400, 'so making people': 777631, 'making people wait': 511279, 'people wait online': 650108, 'wait online outside': 964167, 'online outside your': 608725, 'outside your store': 629661, 'your store for': 1025970, 'for hr is': 322428, 'hr is practicing': 409637, 'is practicing socialdistancing': 450979, 'practicing socialdistancing no': 668752, 'socialdistancing no it': 780559, 'no it creating': 564533, 'it creating panic': 457403, 'creating panic shopping': 216047, 'panic shopping coronabullshit': 638568, 'cvirus': 223873, 'show cvirus': 766914, 'cvirus cough': 223874, 'supermarket scientist': 822341, 'scientist created': 742208, 'created computer': 215798, 'computer simulation': 192763, 'simulation to': 770361, 'study how': 814910, 'travel indoors': 930395, 'found how': 330245, 'how cloud': 407560, 'of droplet': 582835, 'droplet will': 260491, 'others after': 621242, 'ha walked': 372446, 'walked away': 964939, 'video show cvirus': 956890, 'show cvirus cough': 766915, 'cvirus cough spread': 223875, 'across supermarket scientist': 29469, 'supermarket scientist created': 822342, 'scientist created computer': 742209, 'created computer simulation': 215799, 'computer simulation to': 192764, 'simulation to study': 770362, 'to study how': 915700, 'study how far': 814911, 'how far the': 407845, 'far the can': 298928, 'the can travel': 850314, 'can travel indoors': 160038, 'travel indoors and': 930396, 'indoors and found': 435379, 'and found how': 63228, 'found how cloud': 330246, 'how cloud of': 407561, 'cloud of droplet': 184314, 'of droplet will': 582836, 'droplet will infect': 260492, 'will infect others': 993847, 'infect others after': 436503, 'others after the': 621243, 'after the sick': 36352, 'the sick person': 867152, 'sick person ha': 768587, 'person ha walked': 652455, 'ha walked away': 372447, 'bloomin': 133274, 'pannier': 639477, 'flatbattery': 310103, 'bit by': 131542, 'the bloomin': 849793, 'bloomin car': 133275, 'car will': 163351, 'start bike': 794225, 'bike and': 130403, 'and pannier': 68678, 'pannier tomorrow': 639478, 'tomorrow flatbattery': 924079, 'flatbattery socialdistancing': 310104, 'socialdistancing stayathomesavelives': 780729, 'thought wa doing': 893292, 'wa doing my': 962005, 'my bit by': 547463, 'bit by not': 131544, 'by not going': 153360, 'supermarket for two': 820428, 'week now the': 976594, 'now the bloomin': 576032, 'the bloomin car': 849794, 'bloomin car will': 133276, 'car will not': 163352, 'will not start': 994272, 'not start bike': 571692, 'start bike and': 794226, 'bike and pannier': 130404, 'and pannier tomorrow': 68679, 'pannier tomorrow flatbattery': 639479, 'tomorrow flatbattery socialdistancing': 924080, 'flatbattery socialdistancing stayathomesavelives': 310105, 'global spread': 352210, 'chicago is': 175681, 'is ensuring': 447522, 'ensuring senior': 278185, 'health supplement': 386879, 'supplement toiletry': 824430, 'mission today': 534383, 'with the global': 1001316, 'the global spread': 856328, 'global spread of': 352212, 'of and growing': 580159, 'of case right': 581174, 'case right here': 165985, 'right here in': 721931, 'here in chicago': 393141, 'in chicago is': 421368, 'chicago is ensuring': 175682, 'is ensuring senior': 447524, 'ensuring senior have': 278186, 'senior have access': 750314, 'access to hand': 28241, 'hand sanitizer health': 375438, 'sanitizer health supplement': 735069, 'health supplement toiletry': 386880, 'supplement toiletry and': 824431, 'toiletry and food': 923408, 'and food find': 63049, 'can help support': 158659, 'help support their': 390618, 'support their mission': 826902, 'their mission today': 873985, 'mission today at': 534384, 'be option': 116267, 'those depending': 891925, 'online grocery service': 608329, 'grocery service may': 364949, 'service may soon': 752585, 'soon be option': 785644, 'be option for': 116268, 'option for those': 614041, 'for those depending': 327106, 'those depending on': 891926, 'depending on snap': 237381, 'itscoronatime': 463906, 'over40andfabulous': 630977, 'kevinhart': 473215, 'boredaf': 135386, 'real itscoronatime': 701235, 'itscoronatime toiletpaper': 463907, 'toiletpapercrisis over40andfabulous': 923047, 'over40andfabulous comedy': 630978, 'comedy kevinhart': 187762, 'kevinhart genx': 473216, 'genx socialdistancing': 345916, 'socialdistancing athome': 780234, 'athome boredaf': 101792, 'is real itscoronatime': 451269, 'real itscoronatime toiletpaper': 701236, 'itscoronatime toiletpaper toiletpapercrisis': 463908, 'toiletpaper toiletpapercrisis over40andfabulous': 922658, 'toiletpapercrisis over40andfabulous comedy': 923048, 'over40andfabulous comedy kevinhart': 630979, 'comedy kevinhart genx': 187763, 'kevinhart genx socialdistancing': 473217, 'genx socialdistancing athome': 345917, 'socialdistancing athome boredaf': 780235, 'bitcoins': 131847, 'iwasthinking': 464061, 'could toiletpaper': 209782, 'toiletpaper be': 921785, 'new bitcoins': 558399, 'bitcoins quarantine': 131848, 'socialdistancing iwasthinking': 780484, 'could toiletpaper be': 209783, 'toiletpaper be the': 921787, 'the new bitcoins': 861475, 'new bitcoins quarantine': 558400, 'bitcoins quarantine socialdistancing': 131849, 'quarantine socialdistancing iwasthinking': 692550, 'problem across': 679442, 'it hitting': 458598, 'hitting one': 398581, 'one fox': 606316, 'fox valley': 330780, 'valley woman': 952006, 'woman particularly': 1003571, 'particularly hard': 642689, 'store shelf is': 810084, 'shelf is an': 757231, 'is an ongoing': 445685, 'an ongoing problem': 56604, 'ongoing problem across': 607675, 'problem across the': 679443, 'and it hitting': 65536, 'it hitting one': 458599, 'hitting one fox': 398582, 'one fox valley': 606317, 'fox valley woman': 330781, 'valley woman particularly': 952007, 'woman particularly hard': 1003572, 'unexpected burden': 941352, 'up therefore': 946265, 'therefore am': 879415, 'the moratorium': 860873, 'ha put an': 371589, 'put an unexpected': 690510, 'an unexpected burden': 56850, 'unexpected burden on': 941353, 'burden on supermarket': 142752, 'on supermarket the': 603811, 'supermarket the demand': 823216, 'demand for household': 235442, 'for household supply': 322412, 'household supply and': 406962, 'food product ha': 316021, 'product ha gone': 681240, 'gone up therefore': 356432, 'up therefore am': 946266, 'therefore am asking': 879416, 'am asking to': 49905, 'asking to extend': 96096, 'to extend the': 905529, 'extend the moratorium': 293127, 'the moratorium on': 860874, 'moratorium on plastic': 538449, 'bag to june': 108426, 'comical': 187959, 'smile comical': 775709, 'comical comedy': 187960, 'laugh smile comical': 481763, 'smile comical comedy': 775710, 'comical comedy joke': 187961, 'pandemic toiletpaper toiletpaperapocalypse': 636818, 'interconnected': 441310, 'rampant': 696459, 'our interconnected': 623571, 'interconnected world': 441313, 'laid bare': 479006, 'bare rampant': 110939, 'rampant individualism': 696460, 'individualism ha': 435294, 'queue forming': 693936, 'forming outside': 329682, 'outside gun': 629443, 'store conspiracy': 807149, 'theory are': 877845, 'more contagious': 538885, 'contagious than': 200449, 'to defeating': 904057, 'defeating this': 232066, 'fragility of our': 330913, 'of our interconnected': 587491, 'our interconnected world': 623572, 'interconnected world ha': 441314, 'world ha been': 1009604, 'ha been laid': 369841, 'been laid bare': 121434, 'laid bare rampant': 479007, 'bare rampant individualism': 110940, 'rampant individualism ha': 696461, 'individualism ha left': 435295, 'ha left supermarket': 371132, 'left supermarket shelf': 485653, 'empty and queue': 274774, 'and queue forming': 69869, 'queue forming outside': 693937, 'forming outside gun': 329683, 'outside gun store': 629444, 'gun store conspiracy': 368732, 'store conspiracy theory': 807150, 'conspiracy theory are': 195581, 'theory are more': 877846, 'are more contagious': 88110, 'more contagious than': 538886, 'contagious than the': 200450, 'than the biggest': 841221, 'threat to defeating': 893731, 'to defeating this': 904058, 'defeating this virus': 232067, 'virus is human': 958380, 'is human behavior': 448623, 'fatbergs': 300260, 'shortage could': 764899, 'more sewage': 540371, 'sewage fatbergs': 754149, 'fatbergs charity': 300261, 'charity warns': 173714, 'warns wastewater': 967309, 'wastewater panicbuying': 968297, 'paper shortage could': 640768, 'shortage could cause': 764900, 'could cause more': 209002, 'cause more sewage': 167664, 'more sewage fatbergs': 540372, 'sewage fatbergs charity': 754150, 'fatbergs charity warns': 300262, 'charity warns wastewater': 173715, 'warns wastewater panicbuying': 967310, 'moovers': 538362, 'movingday': 544217, 'my moovers': 549309, 'moovers is': 538363, 'seriously our': 751691, 'and main': 66517, 'main priority': 508797, 'free pack': 332041, 'every move': 286032, 'move pandemic': 543715, 'pandemic movingday': 635990, 'my moovers is': 549310, 'moovers is taking': 538364, 'is taking the': 452565, '19 very seriously': 11755, 'very seriously our': 955525, 'seriously our first': 751692, 'our first and': 623076, 'first and main': 308502, 'and main priority': 66518, 'main priority is': 508798, 'priority is the': 678593, 'is the health': 452818, 'community we will': 190212, 'be offering free': 116158, 'offering free pack': 595121, 'free pack of': 332042, 'sanitizer with every': 736132, 'with every move': 998274, 'every move pandemic': 286033, 'move pandemic movingday': 543716, '458': 19184, 'alert this': 41519, 'scam suggests': 740378, 'suggests the': 817718, 'pay 458': 644705, '458 to': 19187, 'pandemic think': 636740, 'be scam': 117007, 'scam try': 740437, 'online helper': 608366, 'helper tool': 391142, 'tool scam': 925434, 'scam scammer': 740351, '19 scam alert': 10333, 'scam alert this': 739981, 'alert this scam': 41520, 'this scam suggests': 889978, 'scam suggests the': 740379, 'suggests the government': 817720, 'government will pay': 360817, 'will pay 458': 994386, 'pay 458 to': 644706, '458 to all': 19188, 'to all resident': 900282, 'all resident during': 44165, 'coronavirus pandemic think': 206497, 'pandemic think it': 636741, 'think it may': 885341, 'may be scam': 521026, 'be scam try': 117008, 'scam try our': 740438, 'try our online': 934538, 'our online helper': 624147, 'online helper tool': 608367, 'helper tool scam': 391143, 'tool scam scammer': 925435, 'wa terrified': 963419, 'terrified and': 838483, 'and closed': 60006, 'closed her': 183152, 'her line': 392167, 'line when': 493561, 'and refused': 70140, 'check me': 174489, 'supermarket cashier wa': 819575, 'cashier wa terrified': 166653, 'wa terrified and': 963420, 'terrified and closed': 838485, 'and closed her': 60008, 'closed her line': 183153, 'her line when': 392168, 'line when she': 493562, 'when she got': 983999, 'she got to': 756064, 'got to me': 358964, 'me and refused': 522421, 'and refused to': 70141, 'refused to check': 707069, 'to check me': 902688, 'check me out': 174490, 'me out sorry': 523307, 'out sorry but': 627230, 'sorry but covid': 786026, '19 doesn discriminate': 6610, 'only need': 610809, 'need few': 554770, 'bit from': 131571, 'yourself the': 1026715, 'question do': 693570, 'stophoarding staysafestayhome': 805476, 'if you only': 415485, 'you only need': 1020212, 'only need few': 610811, 'need few bit': 554771, 'few bit from': 303725, 'bit from the': 131574, 'from the shop': 337877, 'the shop just': 867008, 'shop just ask': 760380, 'just ask yourself': 468225, 'ask yourself the': 95693, 'yourself the question': 1026716, 'the question do': 865013, 'question do you': 693571, 'really need them': 702444, 'need them coronacrisis': 555773, 'them coronacrisis stopstockpiling': 875560, 'coronacrisis stopstockpiling stophoarding': 204796, 'stopstockpiling stophoarding staysafestayhome': 805882, 'local lately': 498140, 'this according': 886178, 'we to': 973546, 'the local lately': 859560, 'local lately and': 498141, 'all the is': 44797, 'the is this': 858541, 'taken over our': 833047, 'our life and': 623716, 'life and ha': 488478, 'and ha caused': 64066, 'many to lose': 514821, 'lose their is': 503485, 'their is this': 873687, 'is this according': 453069, 'this according to': 886179, 'according to what': 28602, 'to what have': 918516, 'what have we': 981581, 'have we to': 383561, 're meaning': 699029, 'meaning mask': 524816, 'material are': 520369, 'you re meaning': 1020675, 're meaning mask': 699030, 'meaning mask to': 524817, 'mask to prevent': 519418, 'prevent getting the': 671635, 'getting the material': 349353, 'the material are': 860286, 'material are very': 520370, 'are very specific': 91481, 'it gone': 458286, 'gone there': 356384, 'be humanity': 115323, 'humanity left': 410752, 'helping friend': 391336, 'who unable': 989846, 'his disability': 397360, 'disability disgusted': 243820, 'panicbuying yet': 639122, 'when it gone': 983632, 'it gone there': 458288, 'gone there will': 356386, 'there will not': 879362, 'not be humanity': 568398, 'be humanity left': 115324, 'humanity left on': 410753, 'left on helping': 485587, 'on helping friend': 601270, 'helping friend who': 391337, 'friend who unable': 333908, 'who unable to': 989847, 'because of his': 119352, 'of his disability': 584650, 'his disability disgusted': 397361, 'disability disgusted at': 243821, 'at the behaviour': 100886, 'the behaviour of': 849448, 'behaviour of people': 124487, 'to panicbuying yet': 911444, 'panicbuying yet the': 639123, 'dumbteens': 262144, 'meantime we': 524939, 'this stupidity': 890400, 'stupidity coronacrisis': 815525, 'coronacrisis quaratineandchill': 204721, 'quaratineandchill lockdown': 693108, 'lockdown dumbteens': 499327, 'the meantime we': 860365, 'meantime we have': 524940, 'we have this': 971964, 'have this stupidity': 383108, 'this stupidity coronacrisis': 890401, 'stupidity coronacrisis quaratineandchill': 815526, 'coronacrisis quaratineandchill lockdown': 204722, 'quaratineandchill lockdown dumbteens': 693109, 'lite': 494908, 'psa if': 687407, 'have switch': 382885, 'switch do': 830479, 'one right': 606967, 'skyrocketed same': 773376, 'for switch': 326108, 'switch lite': 830498, 'lite highly': 494911, 'recommend the': 704717, 'worth 400': 1011330, '400 500': 18712, '500 investment': 20004, 'investment wait': 444082, 'psa if you': 687409, 'not have switch': 569877, 'have switch do': 382886, 'switch do not': 830480, 'not try to': 572296, 'to buy one': 902281, 'buy one right': 149042, 'one right now': 606968, 'short supply due': 764706, '19 restriction and': 10173, 'restriction and the': 717213, 'have skyrocketed same': 382577, 'skyrocketed same go': 773377, 'go for switch': 353574, 'for switch lite': 326109, 'switch lite highly': 830499, 'lite highly recommend': 494912, 'highly recommend the': 396092, 'recommend the system': 704718, 'the system but': 869089, 'system but it': 831126, 'is not worth': 450223, 'not worth 400': 572578, 'worth 400 500': 1011331, '400 500 investment': 18714, '500 investment wait': 20005, 'investment wait for': 444083, 'wait for lower': 964117, 'balance their': 108992, 'their budget': 872659, 'budget each': 141780, 'year leaf': 1014694, 'leaf state': 483816, 'few option': 303964, 'boost short': 135011, 'term economic': 838126, 'growth during': 367363, 'need to balance': 555865, 'to balance their': 901011, 'balance their budget': 108993, 'their budget each': 872660, 'budget each year': 141781, 'each year leaf': 264343, 'year leaf state': 1014695, 'leaf state with': 483817, 'state with few': 796094, 'with few option': 998420, 'few option to': 303965, 'option to boost': 614117, 'to boost short': 901930, 'boost short term': 135012, 'short term economic': 764734, 'term economic growth': 838127, 'economic growth during': 267111, 'growth during emergency': 367365, 'eau': 266400, 'parfum': 641815, 'restezchezvous': 716844, 'use eau': 949183, 'eau de': 266401, 'de parfum': 229095, 'parfum hand': 641816, 'sanitizer an': 734373, 'an expensive': 55964, 'expensive way': 291291, 'clean but': 180485, 'but handy': 145857, 'handy tip': 376906, 'forget soap': 329281, 'water too': 969229, 'too stay': 925083, 'staysafe restezchezvous': 798869, 'restezchezvous takecare': 716845, 'takecare quaratinelife': 832923, 'quaratinelife cleanhandssavelives': 693120, 'know that you': 476803, 'can use eau': 160091, 'use eau de': 949184, 'eau de parfum': 266402, 'de parfum hand': 229096, 'parfum hand sanitizer': 641817, 'hand sanitizer an': 375300, 'sanitizer an expensive': 734374, 'an expensive way': 55965, 'expensive way to': 291292, 'to keep hand': 908798, 'keep hand clean': 471565, 'hand clean but': 374863, 'clean but handy': 180486, 'but handy tip': 145858, 'handy tip if': 376907, 'if you run': 415514, 'run out do': 727756, 'not forget soap': 569513, 'forget soap and': 329282, 'and water too': 75260, 'water too stay': 969230, 'too stay safe': 925085, 'stay home staysafe': 797007, 'home staysafe restezchezvous': 402141, 'staysafe restezchezvous takecare': 798870, 'restezchezvous takecare quaratinelife': 716846, 'takecare quaratinelife cleanhandssavelives': 832924, 'rafaelgonzalezesq': 695507, 'workerscompensation': 1008323, 'death leading': 230110, 'country rafaelgonzalezesq': 210979, 'rafaelgonzalezesq workerscompensation': 695508, 'first coronavirus related': 308599, 'coronavirus related employee': 206633, 'employee death leading': 273759, 'death leading to': 230111, 'leading to store': 483776, 'the country rafaelgonzalezesq': 852136, 'country rafaelgonzalezesq workerscompensation': 210980, 'mosque': 542020, 'are advocating': 84243, 'advocating shutting': 33869, 'society church': 781174, 'church mosque': 178386, 'mosque school': 542029, 'school market': 741849, 'being advised': 124821, 'essential laugh': 281269, 'laugh because': 481709, 'very removed': 955469, 'issue of covid': 455857, 'people are advocating': 646918, 'are advocating shutting': 84244, 'advocating shutting down': 33870, 'shutting down the': 768276, 'down the society': 257302, 'the society church': 867439, 'society church mosque': 781175, 'church mosque school': 178387, 'mosque school market': 542030, 'school market etc': 741850, 'market etc people': 516344, 'are being advised': 84827, 'being advised to': 124822, 'advised to stock': 33654, 'other essential laugh': 620168, 'essential laugh because': 281270, 'laugh because we': 481711, 'are very removed': 91476, 'very removed from': 955470, 'removed from the': 710864, 'reality of our': 701776, 'johnston using': 466650, 'the crashed': 852279, 'crashed share': 215087, 'sudden pandemic': 817028, 'johnston using the': 466651, 'using the money': 950703, 'money they ll': 537079, 'they ll make': 882604, 'll make from': 496894, 'make from all': 509925, 'all the crashed': 44703, 'the crashed share': 852280, 'crashed share price': 215088, 'share price they': 755186, 'price they bought': 676892, 'they bought up': 881579, 'bought up during': 136777, 'during the sudden': 263202, 'the sudden pandemic': 868388, 'another good': 77636, 'good example': 357018, 'restaurant teaming': 716735, 'offer freshly': 594633, 'freshly prepared': 333137, 'prepared restaurant': 670229, '19 innovation': 7889, 'another good example': 77637, 'good example of': 357019, 'example of innovation': 288937, 'of innovation in': 585215, 'innovation in retail': 438880, 'in retail restaurant': 427466, 'retail restaurant teaming': 718460, 'restaurant teaming up': 716736, 'teaming up with': 835872, 'up with retailer': 946678, 'with retailer to': 1000509, 'retailer to offer': 719383, 'to offer freshly': 910835, 'offer freshly prepared': 594634, 'freshly prepared restaurant': 333138, 'prepared restaurant meal': 670230, 'restaurant meal in': 716572, 'meal in store': 524193, 'covid 19 innovation': 213275, 'kishon': 475435, 'quantum': 691966, 'fiatcurrency': 304382, 'samanthaellenlambert': 732940, 'truth behind': 934385, 'coronavirus surge': 206856, 'in gold': 423359, 'price mining': 675248, 'mining stock': 533293, 'stock mark': 802373, 'mark kishon': 515793, 'kishon christopher': 475436, 'christopher quantum': 178219, 'quantum corona': 691967, 'corona gold': 203963, 'gold fiat': 355888, 'fiat fiatcurrency': 304376, 'fiatcurrency samanthaellenlambert': 304383, 'the truth behind': 870088, 'truth behind the': 934386, 'behind the coronavirus': 124710, 'the coronavirus surge': 851921, 'coronavirus surge in': 206857, 'surge in gold': 828192, 'in gold price': 423360, 'gold price mining': 355967, 'price mining stock': 675249, 'mining stock mark': 533294, 'stock mark kishon': 802374, 'mark kishon christopher': 515794, 'kishon christopher quantum': 475437, 'christopher quantum corona': 178220, 'quantum corona gold': 691968, 'corona gold fiat': 203964, 'gold fiat fiatcurrency': 355889, 'fiat fiatcurrency samanthaellenlambert': 304377, 'on terrorist': 603911, 'terrorist charge': 838615, 'charge licking': 173277, 'licking item': 488246, 'disgusting and': 245389, 'particular with': 642651, 'serious disease': 751372, 'disease killing': 245176, 'off re': 594105, 'not funny': 569563, 'not smart': 571612, 'smart it': 775388, 'it deadly': 457480, 'glad he wa': 351502, 'he wa arrested': 385585, 'wa arrested on': 961586, 'arrested on terrorist': 93866, 'on terrorist charge': 603912, 'terrorist charge licking': 838616, 'charge licking item': 173278, 'licking item on': 488247, 'item on supermarket': 463510, 'shelf is disgusting': 757235, 'is disgusting and': 447218, 'disgusting and at': 245390, 'and at this': 58489, 'time in particular': 897007, 'in particular with': 426539, 'particular with serious': 642652, 'with serious disease': 1000644, 'serious disease killing': 751373, 'disease killing people': 245177, 'killing people off': 474708, 'people off re': 648939, 'off re covid': 594106, 'it not funny': 459878, 'not funny it': 569565, 'funny it not': 341755, 'it not smart': 459919, 'not smart it': 571613, 'smart it deadly': 775389, 'hungry you': 411329, 'have mouth': 381518, 'feed but': 302286, 'for click': 320121, 'delivery maybe': 234175, 'maybe should': 521795, 'just starve': 469878, 'starve myself': 795207, 'myself stoppanicbuying': 550937, 'stophoarding hunger': 805417, 're hungry you': 698848, 'hungry you have': 411330, 'you have mouth': 1019076, 'have mouth to': 381519, 'to feed but': 905718, 'feed but the': 302287, 'but the supermarket': 147414, 'supermarket are out': 819176, 'food and there': 313357, 'are no slot': 88282, 'available for click': 104360, 'for click and': 320122, 'and collect or': 60087, 'or delivery maybe': 614939, 'delivery maybe should': 234176, 'maybe should just': 521798, 'should just starve': 766163, 'just starve myself': 469880, 'starve myself stoppanicbuying': 795208, 'myself stoppanicbuying stophoarding': 550938, 'stoppanicbuying stophoarding hunger': 805635, 'for look': 323101, 'latest effort': 481312, 'site for look': 771920, 'for look at': 323102, 'of the latest': 591178, 'the latest effort': 859097, 'latest effort to': 481313, 'need of consumer': 555324, 'of consumer during': 581735, 'consumer during this': 197273, 'now doctor': 574543, 'worker play': 1007582, 'forget to thank': 329335, 'right now doctor': 722054, 'now doctor and': 574544, 'doctor and doctor': 250816, 'and doctor nurse': 61580, 'and delivery worker': 61133, 'delivery worker play': 234776, 'worker play an': 1007583, 'hero in movie': 394016, 'in movie they': 425482, 'movie they re': 544083, 're the real': 699701, 'sainsbury limit': 731696, 'limit sale': 492480, 'amid stockpiling': 52669, 'move think': 543746, 'think 21': 885065, 'sainsbury limit sale': 731697, 'limit sale of': 492481, 'item amid stockpiling': 463046, 'amid stockpiling great': 52670, 'stockpiling great move': 803977, 'great move think': 362830, 'move think 21': 543747, 'think 21 think': 885066, 'businessfair': 144745, 'is consideration': 446744, 'consideration think': 195266, 'stophoarding businessfair': 805364, 'businessfair fridaymotivation': 144746, 'fridaymotivation fridayfeeling': 333344, 'make sure there': 510532, 'sure there is': 827727, 'is enough supply': 447517, 'enough supply and': 277646, 'supply and that': 824756, 'that is consideration': 844568, 'is consideration think': 446745, 'consideration think before': 195267, 'you buy stophoarding': 1017582, 'buy stophoarding businessfair': 149242, 'stophoarding businessfair fridaymotivation': 805365, 'businessfair fridaymotivation fridayfeeling': 144747, 'cludger': 184521, 'direct result': 243375, 'result out': 717627, 'of cludger': 581483, 'cludger co': 184522, 'any when': 80046, 'supermarket really': 822169, 'need poo': 555453, 'poo so': 664002, 'back which': 107463, 'which not': 986179, 'not mad': 570484, 'mad about': 507515, 'about co': 24973, 'co take': 184965, 'distancing seriously': 247467, 'seriously despite': 751580, 'despite being': 238673, 'being confident': 124983, 'confident covid': 194001, 'me stoppanicbuying': 523553, 'direct result out': 243377, 'result out of': 717628, 'out of cludger': 626698, 'of cludger co': 581484, 'cludger co they': 184523, 'co they didn': 184982, 'didn have any': 241084, 'have any when': 379328, 'any when went': 80047, 'the supermarket really': 868771, 'supermarket really need': 822171, 'really need poo': 702441, 'need poo so': 555454, 'poo so have': 664003, 'go back which': 353352, 'back which not': 107464, 'which not mad': 986180, 'not mad about': 570485, 'mad about co': 507516, 'about co take': 24974, 'co take the': 184966, 'social distancing seriously': 779712, 'distancing seriously despite': 247468, 'seriously despite being': 751581, 'despite being confident': 238676, 'being confident covid': 124984, 'confident covid 19': 194002, '19 won kill': 12164, 'won kill me': 1003852, 'kill me stoppanicbuying': 474443, 'paradigmatic': 641303, 'netfl': 557588, 'we experience': 971505, 'experience an': 291307, 'absolutely paradigmatic': 27425, 'paradigmatic shift': 641304, 'our cultural': 622633, 'cultural value': 220276, 'consumer tendency': 199251, 'tendency do': 837886, 'this wouldn': 891548, 'case covid': 165701, '19 pose': 9748, 'pose le': 665101, 'le threat': 483201, 'to theater': 917204, 'theater than': 872268, 'than netflix': 840934, 'had theater': 373629, '2019 when': 14040, 'when netfl': 983768, 'unless we experience': 942660, 'we experience an': 971506, 'experience an absolutely': 291308, 'an absolutely paradigmatic': 55045, 'absolutely paradigmatic shift': 27426, 'paradigmatic shift in': 641305, 'in our cultural': 426277, 'our cultural value': 622634, 'cultural value and': 220277, 'value and consumer': 952087, 'and consumer tendency': 60435, 'consumer tendency do': 199252, 'tendency do not': 837887, 'not see why': 571490, 'see why this': 746079, 'why this wouldn': 991476, 'this wouldn be': 891549, 'wouldn be the': 1012447, 'the case covid': 850458, 'case covid 19': 165702, 'covid 19 pose': 213595, '19 pose le': 9749, 'pose le threat': 665102, 'le threat to': 483202, 'threat to theater': 893743, 'to theater than': 917205, 'theater than netflix': 872269, 'than netflix and': 840935, 'netflix and we': 557596, 'we still had': 973406, 'still had theater': 800626, 'had theater in': 373630, 'theater in 2019': 872255, 'in 2019 when': 419812, '2019 when netfl': 14041, 'prakash': 668911, 'how public': 408538, 'is turning': 453397, 'crisis akash': 216987, 'akash prakash': 40507, 'prakash brilliant': 668914, 'brilliant insight': 139868, 'in crashing': 421851, 'price huge': 674599, 'huge global': 410050, 'global liquidity': 352006, 'liquidity and': 494122, 'low rate': 505567, 'rate india': 697272, 'advantage if': 32975, 'how public health': 408539, 'crisis is turning': 217595, 'is turning into': 453398, 'turning into financial': 935926, 'into financial crisis': 442561, 'financial crisis akash': 306367, 'crisis akash prakash': 216988, 'akash prakash brilliant': 40508, 'prakash brilliant insight': 668915, 'brilliant insight in': 139869, 'insight in crashing': 439570, 'in crashing oil': 421852, 'oil price huge': 597163, 'price huge global': 674600, 'huge global liquidity': 410051, 'global liquidity and': 352007, 'liquidity and record': 494124, 'and record low': 70060, 'record low rate': 705019, 'low rate india': 505569, 'rate india could': 697273, 'india could have': 434365, 'could have an': 209240, 'an advantage if': 55145, 'advantage if we': 32976, 'we can manage': 970976, 'manage the health': 512439, 'health crisis well': 386358, 'statistical': 796599, 'pneumonia death': 662094, 'death suddenly': 230218, 'suddenly drop': 817082, 'drop when': 260446, 'when show': 984028, 'up flattenthecurve': 944861, 'flattenthecurve is': 310175, 'is statistical': 452236, 'statistical lie': 796600, 'lie stayhomesavelifes': 488370, 'stayhomesavelifes is': 798323, 'necessary stayathome': 554084, 'stayathome is': 797509, 'thing no': 884621, 'no absurd': 563569, 'absurd sanitizer': 27507, 'or medically': 616106, 'medically unnecessary': 526538, 'unnecessary testing': 942947, 'testing my': 839571, 'my antibody': 547272, 'antibody my': 78407, 'pneumonia death suddenly': 662095, 'death suddenly drop': 230219, 'suddenly drop when': 817083, 'drop when show': 260448, 'when show up': 984029, 'show up flattenthecurve': 767256, 'up flattenthecurve is': 944862, 'flattenthecurve is statistical': 310176, 'is statistical lie': 452237, 'statistical lie stayhomesavelifes': 796601, 'lie stayhomesavelifes is': 488371, 'stayhomesavelifes is not': 798324, 'not necessary stayathome': 570640, 'necessary stayathome is': 554085, 'stayathome is one': 797510, 'one thing no': 607230, 'thing no mask': 884622, 'mask no absurd': 519005, 'no absurd sanitizer': 563571, 'absurd sanitizer or': 27508, 'sanitizer or medically': 735490, 'or medically unnecessary': 616107, 'medically unnecessary testing': 526540, 'unnecessary testing my': 942948, 'testing my antibody': 839572, 'my antibody my': 547273, 'antibody my business': 78408, 'importbills': 419163, '6months': 21643, 'govt will': 361332, 'benefit because': 126932, 'low oilprice': 505448, 'oilprice it': 597617, 'mean saving': 524631, 'saving in': 737889, 'in importbills': 423990, 'importbills the': 419164, 'benefit could': 126948, 'of 700': 579664, '700 bn': 21878, 'bn rupee': 133571, 'rupee for': 728188, 'next 6months': 561275, '6months alone': 21644, 'that kind': 844826, 'of import': 585000, 'bill saving': 130674, 'saving goi': 737880, 'goi can': 354957, 'indian govt will': 434843, 'govt will benefit': 361333, 'will benefit because': 992819, 'benefit because of': 126933, 'of low oilprice': 586045, 'low oilprice it': 505449, 'oilprice it mean': 597618, 'it mean saving': 459577, 'mean saving in': 524632, 'saving in importbills': 737890, 'in importbills the': 423991, 'importbills the benefit': 419165, 'the benefit could': 849470, 'benefit could be': 126949, 'could be to': 208932, 'be to tune': 117736, 'to tune of': 917837, 'tune of 700': 935419, 'of 700 bn': 579665, '700 bn rupee': 21879, 'bn rupee for': 133572, 'rupee for the': 728189, 'the next 6months': 861650, 'next 6months alone': 561276, '6months alone with': 21645, 'alone with that': 46951, 'with that kind': 1001172, 'that kind of': 844827, 'kind of import': 474908, 'of import bill': 585001, 'import bill saving': 418621, 'bill saving goi': 130675, 'saving goi can': 737881, 'goi can use': 354958, 'use it for': 949303, 'it for stimulus': 458094, 'for stimulus package': 325907, 'courteously': 212028, 'doing such': 252688, 'such fantastic': 816492, 'fantastic job': 298592, 'job just': 465932, 'an aldi': 55229, 'aldi store': 41301, 'manager calmly': 512700, 'calmly and': 156858, 'and courteously': 60651, 'courteously deal': 212029, 'an unpleasant': 56876, 'unpleasant man': 943051, 'man aggressively': 511975, 'aggressively complaining': 38262, 'about queuing': 26037, 'queuing the': 694233, 'is immense': 448676, 'immense add': 417181, 'covid honour': 214172, 'honour list': 403297, 'our supermarket staff': 625028, 'staff are doing': 792185, 'are doing such': 85927, 'doing such fantastic': 252690, 'such fantastic job': 816493, 'fantastic job just': 298593, 'job just saw': 465934, 'just saw an': 469684, 'saw an aldi': 738057, 'an aldi store': 55230, 'aldi store manager': 41302, 'store manager calmly': 808876, 'manager calmly and': 512701, 'calmly and courteously': 156859, 'and courteously deal': 60652, 'courteously deal with': 212030, 'deal with an': 229534, 'with an unpleasant': 997232, 'an unpleasant man': 56877, 'unpleasant man aggressively': 943052, 'man aggressively complaining': 511976, 'aggressively complaining about': 38263, 'complaining about queuing': 191892, 'about queuing the': 26038, 'queuing the pressure': 694235, 'pressure they ve': 671241, 'they ve put': 883673, 've put up': 953463, 'up with in': 946651, 'with in recent': 998964, 'recent week is': 704020, 'week is immense': 976418, 'is immense add': 448677, 'immense add them': 417182, 'add them all': 31505, 'them all to': 875352, 'all to the': 45252, 'the covid honour': 852234, 'covid honour list': 214173, 'reasoning': 703157, 'ongt': 607708, 'sachs say': 729042, 'say oil': 739015, 'would continue': 1011732, 'week reasoning': 976797, 'reasoning that': 703158, 'that historic': 844346, 'historic yet': 397978, 'yet insufficient': 1016111, 'insufficient deal': 440603, 'deal by': 229364, 'output is': 629277, 'offset led': 596103, 'led demand': 485227, 'demand rout': 236159, 'rout oott': 726445, 'oott ongt': 611777, 'ongt opec': 607709, 'goldman sachs say': 356097, 'sachs say oil': 729043, 'say oil price': 739016, 'price would continue': 677658, 'would continue to': 1011733, 'coming week reasoning': 188286, 'week reasoning that': 976798, 'reasoning that historic': 703159, 'that historic yet': 844347, 'historic yet insufficient': 397979, 'yet insufficient deal': 1016112, 'insufficient deal by': 440604, 'deal by major': 229365, 'by major oil': 153133, 'cut output is': 223472, 'output is unlikely': 629279, 'unlikely to offset': 942767, 'to offset led': 910872, 'offset led demand': 596104, 'led demand rout': 485228, 'demand rout oott': 236160, 'rout oott ongt': 726446, 'oott ongt opec': 611778, 'gwa': 369277, 'upfront': 947524, 'gwa comment': 369278, 'comment to': 188463, 'chain continues': 170618, 'show sign': 767130, 'consumer mindful': 198133, 'potential inventory': 667091, 'inventory shortage': 443709, 'shortage this': 765262, 'purchase more': 689553, 'product upfront': 681797, 'gwa comment to': 369279, 'comment to re': 188464, 'to re the': 912783, 're the supply': 699702, 'supply chain continues': 824938, 'chain continues to': 170619, 'continues to show': 201497, 'to show sign': 914571, 'show sign of': 767131, 'sign of vulnerability': 769177, 'of vulnerability and': 592867, 'vulnerability and for': 960808, 'for the cannabis': 326333, 'cannabis consumer mindful': 161399, 'consumer mindful of': 198134, 'mindful of potential': 532818, 'of potential inventory': 588283, 'potential inventory shortage': 667092, 'inventory shortage this': 443710, 'shortage this could': 765263, 'could trigger the': 209792, 'trigger the decision': 931899, 'decision to purchase': 231110, 'to purchase more': 912543, 'purchase more product': 689554, 'more product upfront': 540152, 'home of': 401693, 'wage poor': 963940, 'condition way': 193553, 'much market': 545073, 'even better': 283883, 'better people': 128404, 'better choice': 128233, 'choice in': 177780, 'canada most': 160501, 'most retailer': 542708, 'offering curb': 595051, 'curb side': 220572, 'side pick': 768864, 'contact canadian': 200040, 'tire is': 899015, 'keeping worker': 472622, 'safe giving': 729712, 'giving danger': 351265, 'danger pay': 225689, 'amazon the home': 51147, 'the home of': 857451, 'home of low': 401694, 'low wage poor': 505732, 'wage poor working': 963941, 'poor working condition': 664335, 'working condition way': 1008579, 'condition way too': 193554, 'too much market': 924932, 'much market share': 545074, 'share is doing': 755070, 'is doing even': 447271, 'doing even better': 252382, 'even better people': 283885, 'better people please': 128405, 'people please make': 649135, 'please make better': 660218, 'make better choice': 509732, 'better choice in': 128234, 'choice in canada': 177781, 'in canada most': 421193, 'canada most retailer': 160502, 'most retailer are': 542709, 'retailer are offering': 719011, 'are offering curb': 88658, 'offering curb side': 595052, 'curb side pick': 220573, 'side pick up': 768865, 'and delivery no': 61124, 'delivery no contact': 234205, 'no contact canadian': 563887, 'contact canadian tire': 200041, 'canadian tire is': 160761, 'tire is keeping': 899016, 'is keeping worker': 449179, 'keeping worker safe': 472623, 'worker safe giving': 1007721, 'safe giving danger': 729713, 'giving danger pay': 351266, 'taro': 834632, 'aso': 96193, 'taroaso': 834635, 'consumptiontax': 199973, 'financeministry': 306309, 'minister taro': 533462, 'taro aso': 834633, 'aso admits': 96194, 'admits that': 32625, 'considering some': 195410, 'consumption tax': 199950, 'tax reduction': 835072, 'reduction plan': 706394, 'stimulate consumer': 801476, 'he rule': 385355, 'rule out': 727316, 'drop the': 260402, 'to mp': 910333, 'mp taroaso': 544276, 'taroaso consumptiontax': 834636, 'consumptiontax financeministry': 199974, 'financeministry tax': 306310, 'finance minister taro': 306232, 'minister taro aso': 533463, 'taro aso admits': 834634, 'aso admits that': 96195, 'admits that the': 32626, 'government is considering': 360247, 'is considering some': 446762, 'considering some kind': 195411, 'kind of consumption': 474883, 'of consumption tax': 581797, 'consumption tax reduction': 199951, 'tax reduction plan': 835073, 'reduction plan to': 706395, 'plan to stimulate': 658325, 'to stimulate consumer': 915417, 'stimulate consumer spending': 801478, 'spending during the': 788795, 'crisis but he': 217148, 'but he rule': 145903, 'he rule out': 385356, 'rule out the': 727318, 'out the proposal': 627409, 'the proposal to': 864693, 'proposal to drop': 684480, 'to drop the': 904782, 'drop the tax': 260407, 'the tax to': 869175, 'tax to mp': 835112, 'to mp taroaso': 910334, 'mp taroaso consumptiontax': 544277, 'taroaso consumptiontax financeministry': 834637, 'consumptiontax financeministry tax': 199975, 'country affected': 210410, 'the try': 870096, 'spread market': 790616, 'moving situation': 544178, 'sent ripple': 750803, 'will fear': 993414, 'for change': 320010, 'change demand': 172010, 'country affected by': 210411, 'by the try': 154463, 'the try to': 870098, 'try to control': 934612, 'control it spread': 202044, 'it spread market': 461203, 'spread market and': 790617, 'market and public': 515985, 'and public reaction': 69745, 'public reaction the': 688261, 'reaction the fast': 700208, 'the fast moving': 854965, 'fast moving situation': 300010, 'moving situation ha': 544179, 'situation ha sent': 772298, 'ha sent ripple': 371856, 'sent ripple effect': 750804, 'ripple effect to': 722738, 'effect to people': 269144, 'in and the': 420393, 'the business will': 850184, 'business will fear': 144681, 'will fear for': 993415, 'fear for change': 301129, 'for change demand': 320011, 'change demand for': 172011, 'bandit': 109412, 'service let': 752562, 're faring': 698672, 'faring shall': 299069, 'first up': 309149, 'up ocado': 945490, 'ocado the': 578926, 'only retailer': 611074, 'retailer they': 719368, 'making out': 511262, 'like bandit': 489863, 'bandit oh': 109414, 'food shopping delivery': 316517, 'delivery service let': 234447, 'service let have': 752563, 'at how they': 99235, 'they re faring': 883034, 're faring shall': 698673, 'faring shall we': 299070, 'shall we first': 754560, 'we first up': 971571, 'first up ocado': 309150, 'up ocado the': 945491, 'ocado the online': 578927, 'the online only': 862275, 'online only retailer': 608631, 'only retailer they': 611076, 'retailer they should': 719369, 'should be making': 765674, 'be making out': 115891, 'making out like': 511263, 'out like bandit': 626499, 'like bandit oh': 489865, 'paper these': 640893, 'guy may': 369083, 'their superpower': 874910, 'superpower is': 824308, 'pandemic opinion': 636116, 'opinion toiletpaper': 613511, 'toilet paper these': 921488, 'paper these guy': 640894, 'these guy may': 880090, 'guy may be': 369084, 'find it their': 307009, 'it their superpower': 461597, 'their superpower is': 874911, 'superpower is shopping': 824309, 'is shopping and': 451869, 'shopping and they': 762033, 'they re using': 883149, 're using it': 699762, 'it for good': 458077, 'for good during': 321932, 'the pandemic opinion': 863043, 'pandemic opinion toiletpaper': 636117, 'midweek': 530812, 'weber': 974998, 'shandwick': 754794, 'bcw': 113376, 'amo': 52969, 'constellation': 195719, 'midweek update': 530813, 'update agency': 946846, 'the decade': 852989, 'decade covid': 230671, 'trend weber': 931505, 'weber shandwick': 975001, 'shandwick bcw': 754795, 'bcw amo': 113377, 'amo constellation': 52970, 'constellation much': 195720, 'midweek update agency': 530814, 'update agency of': 946847, 'agency of the': 38049, 'of the decade': 590934, 'the decade covid': 852990, 'decade covid 19': 230672, '19 consumer trend': 5993, 'consumer trend weber': 199391, 'trend weber shandwick': 931506, 'weber shandwick bcw': 975002, 'shandwick bcw amo': 754796, 'bcw amo constellation': 113378, 'amo constellation much': 52971, 'constellation much more': 195721, 'onlywith': 611526, 'assuming at': 97048, 'least 50': 484363, 'drive why': 259259, 'why dont': 990971, 'dont they': 255292, 'get half': 347180, 'pack order': 633128, 'deliver close': 233099, 'online onlywith': 608637, 'onlywith limit': 611527, 'same item': 733133, 'per order': 650963, 'assuming at least': 97049, 'at least 50': 99453, 'least 50 of': 484364, '50 of supermarket': 19775, 'of supermarket employee': 590422, 'supermarket employee can': 820111, 'employee can drive': 273705, 'can drive why': 158164, 'drive why dont': 259260, 'why dont they': 990973, 'dont they get': 255293, 'they get half': 882164, 'get half of': 347181, 'half of their': 374236, 'their staff to': 874804, 'staff to pack': 792993, 'to pack order': 911346, 'pack order and': 633129, 'order and the': 618037, 'the other half': 862533, 'other half to': 620335, 'half to deliver': 374289, 'to deliver close': 904091, 'deliver close the': 233100, 'and go online': 63780, 'go online onlywith': 353915, 'online onlywith limit': 608638, 'onlywith limit of': 611528, 'limit of of': 492398, 'the same item': 866248, 'same item per': 733134, 'item per order': 463560, 'retailwire': 719586, 'braintrust': 137627, 'ken': 472759, 'dialog': 240296, 'wa pleasure': 962944, 'pleasure to': 660827, 'such timely': 816830, 'timely and': 898483, 'and insightful': 65263, 'insightful conversation': 439674, 'some fellow': 782819, 'fellow retailwire': 303330, 'retailwire braintrust': 719587, 'braintrust member': 137628, 'and ken': 65808, 'ken morris': 472764, 'morris the': 541684, 'ongoing dialog': 607625, 'dialog retailer': 240297, 'retailer consumer': 719093, 'product manufacture': 681391, 'it wa pleasure': 462170, 'wa pleasure to': 962945, 'pleasure to be': 660828, 'part of such': 642384, 'of such timely': 590368, 'such timely and': 816831, 'timely and insightful': 898484, 'and insightful conversation': 65264, 'insightful conversation with': 439675, 'conversation with some': 202512, 'with some fellow': 1000844, 'some fellow retailwire': 782820, 'fellow retailwire braintrust': 303331, 'retailwire braintrust member': 719588, 'braintrust member and': 137629, 'member and ken': 528012, 'and ken morris': 65809, 'ken morris the': 472765, 'morris the impact': 541685, 'be an ongoing': 113615, 'an ongoing dialog': 56600, 'ongoing dialog retailer': 607626, 'dialog retailer consumer': 240298, 'retailer consumer product': 719095, 'consumer product manufacture': 198469, 'idiopathic': 413438, 'aggression': 38229, 'from latent': 336196, 'latent idiopathic': 481006, 'idiopathic supermarket': 413439, 'supermarket aggression': 818822, 'aggression why': 38232, 'why when': 991547, 'to bump': 902108, 'bump into': 142565, 'that sent': 846199, 'sent that': 750818, 'that bastard': 842936, 'bastard flying': 112480, 'beginning to suffer': 123676, 'to suffer from': 915735, 'suffer from latent': 817209, 'from latent idiopathic': 336197, 'latent idiopathic supermarket': 481007, 'idiopathic supermarket aggression': 413440, 'supermarket aggression why': 818823, 'aggression why when': 38233, 'why when we': 991548, 'distancing do some': 247107, 'do some people': 250128, 'have to bump': 383170, 'to bump into': 902109, 'bump into you': 142570, 'into you not': 443313, 'you not ashamed': 1020119, 'not ashamed to': 568253, 'ashamed to admit': 95082, 'admit that sent': 32610, 'that sent that': 846201, 'sent that bastard': 750819, 'that bastard flying': 842937, 'suriname': 828448, 'sao': 736670, 'tome': 923978, 'principe': 678233, 'storm coronavirus': 811794, 'coronavirus pose': 206563, 'pose big': 665087, 'big threat': 130069, 'threat bomb': 893650, 'bomb job': 134184, 'income post': 432440, 'post brexit': 666025, 'brexit uk': 139529, 'economy covid': 267789, 'supermarket want': 823725, 'want police': 965904, 'police support': 663226, 'support london': 826635, 'london lock': 501121, 'down gas': 256798, 'gas oil': 343909, 'war time': 966563, 'trump libya': 933683, 'libya suriname': 488088, 'suriname sao': 828449, 'sao tome': 736671, 'tome and': 923979, 'and principe': 69502, 'principe bolivia': 678234, 'perfect storm coronavirus': 651344, 'storm coronavirus pose': 811795, 'coronavirus pose big': 206564, 'pose big threat': 665088, 'big threat bomb': 130070, 'threat bomb job': 893651, 'bomb job income': 134185, 'job income post': 465889, 'income post brexit': 432441, 'post brexit uk': 666026, 'brexit uk economy': 139530, 'uk economy covid': 938317, 'economy covid 19': 267790, '19 uk supermarket': 11616, 'uk supermarket want': 938780, 'supermarket want police': 823726, 'want police support': 965905, 'police support london': 663227, 'support london lock': 826636, 'london lock down': 501122, 'lock down gas': 499032, 'down gas oil': 256799, 'gas oil price': 343910, 'price war time': 677377, 'war time trump': 966565, 'time trump libya': 898140, 'trump libya suriname': 933684, 'libya suriname sao': 488089, 'suriname sao tome': 828450, 'sao tome and': 736672, 'tome and principe': 923980, 'and principe bolivia': 69503, 'dont wear': 255319, 'with bm': 997441, 'bm subtitle': 133553, 'subtitle via': 816114, 'dont wear glove': 255320, 'the supermarket covid': 868540, '19 with bm': 12125, 'with bm subtitle': 997442, 'bm subtitle via': 133554, 'pause in': 644597, 'activity could': 30406, 'could dent': 209077, 'dent rubber': 237078, 'rubber price': 726952, 'pause in economic': 644598, 'economic activity could': 266956, 'activity could dent': 30407, 'could dent rubber': 209078, 'dent rubber price': 237079, 'rubber price further': 726953, 'keeping domestic': 472410, 'present level': 670606, 'fight eco': 304714, 'eco slow': 266661, 'down caused': 256623, 'and by keeping': 59376, 'by keeping domestic': 152984, 'keeping domestic fuel': 472411, 'price at present': 672807, 'at present level': 100179, 'present level will': 670607, 'level will help': 487760, 'will help fight': 993713, 'help fight eco': 389707, 'fight eco slow': 304715, 'eco slow down': 266662, 'slow down caused': 774342, 'down caused by': 256624, 'everlywell': 285624, 'consumer diagnostics': 197195, 'diagnostics startup': 240277, 'startup everlywell': 795104, 'everlywell say': 285627, 'purchase at': 689363, 'at 135': 97465, '135 each': 3342, 'each on': 264143, 'twitter some': 936720, 'some praised': 783617, 'praised the': 668893, 'more test': 540537, 'others criticized': 621351, 'criticized the': 218783, 'consumer diagnostics startup': 197196, 'diagnostics startup everlywell': 240278, 'startup everlywell say': 795106, 'everlywell say they': 285628, 'they will make': 883865, 'will make at': 994073, 'test available for': 838933, 'for purchase at': 324861, 'purchase at 135': 689364, 'at 135 each': 97466, '135 each on': 3344, 'each on march': 264144, 'on march 23': 602019, 'march 23 on': 515189, '23 on twitter': 15424, 'on twitter some': 604927, 'twitter some praised': 936721, 'some praised the': 783618, 'praised the effort': 668894, 'effort to make': 269631, 'make more test': 510202, 'more test available': 540538, 'test available while': 838936, 'available while others': 104699, 'while others criticized': 987121, 'others criticized the': 621352, 'criticized the cost': 218784, 'of the test': 591528, 'donaldjtrump': 254121, 'trumpdemic': 934035, 'got mail': 358687, 'mail cartoon': 508586, 'cartoon by': 165501, 'by rex': 153812, 'rex jones': 720841, 'jones email': 467243, 'email toiletpaper': 272348, 'quaratinelife donaldjtrump': 693123, 'donaldjtrump trumpcrash': 254122, 'trumpcrash trumpdemic': 934030, 've got mail': 953185, 'got mail cartoon': 358688, 'mail cartoon by': 508587, 'cartoon by rex': 165502, 'by rex jones': 153813, 'rex jones email': 720842, 'jones email toiletpaper': 467244, 'email toiletpaper stayathome': 272349, 'toiletpaper stayathome 19': 922515, 'stayathome 19 quaratinelife': 797428, '19 quaratinelife donaldjtrump': 9929, 'quaratinelife donaldjtrump trumpcrash': 693124, 'donaldjtrump trumpcrash trumpdemic': 254123, 'cellular': 168988, '5g cellular': 20658, 'cellular network': 168989, 'network are': 557699, 'causing covid': 168016, 'from 5g': 334311, '5g consumer': 20660, 'consumer network': 198204, 'affecting emergency': 34507, 'emergency channel': 272625, 'channel to': 172937, 'to 5g': 899774, 'creating virus': 216102, 'wait people actually': 964180, 'people actually think': 646770, 'actually think 5g': 30983, 'think 5g cellular': 885070, '5g cellular network': 20659, 'cellular network are': 168990, 'network are causing': 557702, 'are causing covid': 85203, 'causing covid 19': 168017, '19 how did': 7600, 'how did we': 407691, 'did we get': 240903, 'we get from': 971610, 'get from 5g': 347109, 'from 5g consumer': 334312, '5g consumer network': 20662, 'consumer network are': 198205, 'network are affecting': 557700, 'are affecting emergency': 84254, 'affecting emergency channel': 34508, 'emergency channel to': 272626, 'channel to 5g': 172938, 'to 5g is': 899775, '5g is creating': 20674, 'is creating virus': 446921, 'saar': 728971, 'in saar': 427609, 'saar closed': 728972, 'closed covid': 183059, 'supermarket in saar': 820969, 'in saar closed': 427610, 'saar closed covid': 728973, 'closed covid 19': 183060, 'devon': 239989, 'phillips66': 654759, 'continental': 200933, 'harold': 378486, 'hamm': 374567, 'breaking source': 139046, 'source tell': 786551, 'least oil': 484578, 'gas ceo': 343783, 'attend meeting': 102307, 'meeting at': 527674, 'at white': 101550, 'person ceo': 652356, 'ceo include': 169720, 'include from': 431565, 'from exxon': 335375, 'exxon chevron': 293968, 'chevron occidental': 175587, 'occidental devon': 578968, 'devon enterprise': 239990, 'enterprise transfer': 278465, 'transfer phillips66': 929524, 'phillips66 and': 654760, 'and former': 63211, 'former continental': 329625, 'continental ceo': 200938, 'ceo harold': 169715, 'harold hamm': 378489, 'breaking source tell': 139047, 'source tell me': 786552, 'tell me at': 837008, 'me at least': 522473, 'at least oil': 99530, 'least oil and': 484579, 'and gas ceo': 63472, 'gas ceo to': 343784, 'ceo to attend': 169859, 'to attend meeting': 900820, 'attend meeting at': 102308, 'meeting at white': 527676, 'at white house': 101551, 'white house on': 987854, 'house on friday': 406430, 'on friday in': 601004, 'friday in person': 333238, 'in person ceo': 426623, 'person ceo include': 652357, 'ceo include from': 169721, 'include from exxon': 431566, 'from exxon chevron': 335376, 'exxon chevron occidental': 293969, 'chevron occidental devon': 175588, 'occidental devon enterprise': 578969, 'devon enterprise transfer': 239991, 'enterprise transfer phillips66': 278466, 'transfer phillips66 and': 929525, 'phillips66 and former': 654761, 'and former continental': 63212, 'former continental ceo': 329626, 'continental ceo harold': 200939, 'ceo harold hamm': 169716, 'article answer': 94259, 'answer an': 78009, 'grocery 19': 364194, 'this article answer': 886412, 'article answer an': 94260, 'answer an important': 78010, 'an important question': 56203, 'important question how': 418936, 'question how best': 693615, 'best to shop': 127963, 'for grocery 19': 322021, 'giant sainsbury': 349861, 'sainsbury introduces': 731682, 'introduces rationing': 443478, 'uk supermarket giant': 938764, 'supermarket giant sainsbury': 820515, 'giant sainsbury introduces': 349862, 'sainsbury introduces rationing': 731683, 'swachhabit': 829920, 'swasthbharat': 830008, 'cvoid19': 223880, 'coronakodhona': 205022, 'virus swachhabit': 958839, 'swachhabit swasthbharat': 829921, 'swasthbharat sanitizer': 830009, 'sanitizer cvoid19': 734721, 'cvoid19 coronaoutbreak': 223881, 'coronaoutbreak coronakodhona': 205112, 'coronakodhona corona': 205023, 'corona coronaalert': 203870, 'coronaalert coronafighters': 204419, 'your mouth to': 1024905, 'mouth to stop': 543573, 'spread of corona': 790659, 'corona virus swachhabit': 204357, 'virus swachhabit swasthbharat': 958840, 'swachhabit swasthbharat sanitizer': 829922, 'swasthbharat sanitizer cvoid19': 830010, 'sanitizer cvoid19 coronaoutbreak': 734722, 'cvoid19 coronaoutbreak coronakodhona': 223882, 'coronaoutbreak coronakodhona corona': 205113, 'coronakodhona corona coronaalert': 205024, 'corona coronaalert coronafighters': 203871, 'primary cause': 678069, 'cause ha': 167579, 'demand export': 235312, 'export capacity': 292616, 'capacity continues': 162508, 'grow it': 367036, 'falling so': 297337, 'the fired': 855262, 'fired power': 308185, 'power plant': 667659, 'final switch': 305879, 'the primary cause': 864452, 'primary cause ha': 678070, 'cause ha been': 167580, 'been the impact': 122165, 'on demand export': 600278, 'demand export capacity': 235313, 'export capacity continues': 292617, 'capacity continues to': 162509, 'continues to grow': 201480, 'to grow it': 907031, 'grow it appears': 367037, 'appears that price': 82208, 'are falling so': 86472, 'falling so low': 297338, 'low that the': 505666, 'that the last': 846759, 'of the fired': 591028, 'the fired power': 855263, 'fired power plant': 308186, 'power plant in': 667660, 'plant in are': 658662, 'in are making': 420481, 'making the final': 511416, 'the final switch': 855202, 'final switch to': 305880, 'switch to gas': 830519, 'man always': 511983, 'always staysafe': 49754, 'staysafe corona': 798792, 'corona facemask': 203939, 'facemask sanitizer': 295097, 'washyourhands sanitizer': 967905, 'one word for': 607505, 'word for this': 1004487, 'for this man': 327046, 'this man always': 888753, 'man always staysafe': 511984, 'always staysafe corona': 49755, 'staysafe corona facemask': 798793, 'corona facemask sanitizer': 203940, 'facemask sanitizer washyourhands': 295100, 'sanitizer washyourhands sanitizer': 736036, 'is infuriating': 448922, 'infuriating especially': 438260, 'since frontline': 770613, 'frontline healthcare': 338754, 'save others': 737608, 'number of n95': 576963, 'sale on right': 732420, 'now for ridiculous': 574723, 'ridiculous price is': 721591, 'price is infuriating': 674870, 'is infuriating especially': 448924, 'infuriating especially since': 438261, 'especially since frontline': 280594, 'since frontline healthcare': 770614, 'frontline healthcare worker': 338755, 'worker are risking': 1006420, 'to save others': 913787, 'save others and': 737609, 'others and they': 621265, 'can get them': 158460, 'interpreted': 442091, 'vt': 960768, 'well colleague': 978108, 'colleague interpreted': 186218, 'interpreted the': 442092, 'on minute': 602135, 'minute tv': 533884, 'tv report': 936177, 'report she': 712242, 'she heard': 756115, 'like wwii': 491847, 'wwii effort': 1013690, 'effort wa': 269662, 'wa needed': 962694, 'needed etc': 556345, 'then vt': 877711, 'vt moved': 960773, 'this led': 888604, 'led my': 485244, 'colleague to': 186247, 'interpret it': 442084, 'it wwii': 462626, 'wwii food': 1013692, 'ration ran': 697719, 'ran into': 696500, 'how some well': 408721, 'some well colleague': 784201, 'well colleague interpreted': 978109, 'colleague interpreted the': 186219, 'interpreted the news': 442093, 'about and panic': 24802, 'buying on minute': 150808, 'on minute tv': 602136, 'minute tv report': 533885, 'tv report she': 936178, 'report she heard': 712243, 'she heard it': 756116, 'heard it wa': 388096, 'wa like wwii': 962554, 'like wwii effort': 491848, 'wwii effort wa': 1013691, 'effort wa needed': 269663, 'wa needed etc': 962695, 'needed etc then': 556346, 'etc then vt': 282804, 'then vt moved': 877713, 'vt moved on': 960774, 'moved on to': 543823, 'on to panic': 604751, 'buying this led': 151222, 'this led my': 888605, 'led my colleague': 485245, 'my colleague to': 547738, 'colleague to interpret': 186249, 'to interpret it': 908458, 'interpret it wwii': 442085, 'it wwii food': 462627, 'wwii food ration': 1013693, 'food ration ran': 316120, 'ration ran into': 697720, 'ran into store': 696501, 'seized': 747434, 'of bogus': 580763, 'bogus home': 134025, 'sale either': 732185, 'in informal': 424100, 'informal direct': 437680, 'setting fake': 753629, 'kit seized': 475632, 'seized at': 747437, 'at los': 99624, 'angeles airport': 76357, 'aware of bogus': 105626, 'of bogus home': 580764, 'bogus home testing': 134026, 'kit for sale': 475548, 'for sale either': 325314, 'sale either online': 732186, 'online or in': 608657, 'or in informal': 615751, 'in informal direct': 424101, 'informal direct to': 437681, 'consumer setting fake': 198958, 'setting fake covid': 753630, 'testing kit seized': 839545, 'kit seized at': 475633, 'seized at los': 747438, 'at los angeles': 99625, 'los angeles airport': 503358, 'spiritedaway': 789531, 'have netflix': 381569, 'netflix in': 557605, 'go watch': 354480, 'watch spirited': 968533, 'spirited away': 789527, 'away you': 106130, 'not regret': 571284, 'it netflixparty': 459775, 'netflixparty lockdownuk': 557647, 'lockdownuk spiritedaway': 500433, 'you have netflix': 1019079, 'have netflix in': 381570, 'netflix in the': 557607, 'in the go': 429236, 'the go watch': 856388, 'go watch spirited': 354481, 'watch spirited away': 968534, 'spirited away you': 789528, 'away you will': 106131, 'will not regret': 994261, 'not regret it': 571285, 'regret it netflixparty': 707703, 'it netflixparty lockdownuk': 459776, 'netflixparty lockdownuk spiritedaway': 557648, 'someone touching': 784722, 'store slap': 810202, 'slap them': 773548, 'you see someone': 1021067, 'see someone touching': 745734, 'someone touching all': 784723, 'touching all the': 926658, 'all the produce': 44873, 'the produce at': 864567, 'produce at the': 680198, 'grocery store slap': 365776, 'store slap them': 810203, 'steroplast': 799935, 'are disappointed': 85835, 'small minority': 775032, 'our gel': 623234, 'wipe being': 996207, 'being resold': 125680, 'assured steroplast': 97121, 'steroplast will': 799936, 'restrict supply': 717116, 'any distributor': 79131, 'distributor we': 248334, 'find to': 307342, 'we are disappointed': 970526, 'are disappointed to': 85836, 'see small minority': 745698, 'small minority of': 775033, 'minority of our': 533648, 'of our gel': 587479, 'our gel and': 623235, 'gel and wipe': 345098, 'and wipe being': 75731, 'wipe being resold': 996208, 'being resold at': 125681, 'resold at extortionate': 714624, 'extortionate price in': 293396, '19 pandemic please': 9429, 'pandemic please be': 636195, 'please be assured': 659693, 'be assured steroplast': 113718, 'assured steroplast will': 97122, 'steroplast will not': 799937, 'hesitate to restrict': 394279, 'to restrict supply': 913432, 'restrict supply to': 717117, 'supply to any': 825998, 'to any distributor': 900604, 'any distributor we': 79132, 'distributor we find': 248335, 'we find to': 971565, 'find to be': 307343, 'to be profiteering': 901464, 'usually work': 951169, 'supermarket cafeteria': 819486, 'cafeteria but': 155143, 'the workshop': 871794, 'workshop filling': 1009224, 'shelf surprised': 757628, 'surprised how': 828579, 'from pub': 336994, 'restaurant but': 716338, 'people coming': 647497, 'incredible coronacrisisuk': 433826, 'usually work in': 951170, 'in supermarket cafeteria': 428569, 'supermarket cafeteria but': 819487, 'cafeteria but today': 155144, 'but today wa': 147608, 'today wa in': 920448, 'in the workshop': 429691, 'the workshop filling': 871795, 'workshop filling shelf': 1009225, 'filling shelf surprised': 305617, 'shelf surprised how': 757629, 'surprised how we': 828581, 'how we ve': 409197, 've been advised': 952861, 'advised to stay': 33653, 'away from pub': 105905, 'from pub club': 336996, 'pub club and': 687694, 'club and restaurant': 184405, 'and restaurant but': 70368, 'restaurant but the': 716340, 'but the amount': 147308, 'of people coming': 587887, 'people coming into': 647500, 'coming into shop': 188112, 'into shop and': 442979, 'shop and supermarket': 759870, 'and supermarket is': 72724, 'supermarket is incredible': 821100, 'is incredible coronacrisisuk': 448876, 'tsos': 934963, 'increase meal': 432912, 'meal provision': 524263, 'meet ongoing': 527540, 'ongoing demand': 607622, 'demand now': 235935, 'now able': 573922, 'offer meal': 594697, 'meal free': 524161, 'other tsos': 621150, 'tsos get': 934964, 'touch 19': 926441, 'we have managed': 971867, 'managed to increase': 512504, 'to increase meal': 908287, 'increase meal provision': 432913, 'meal provision to': 524264, 'provision to meet': 687288, 'to meet ongoing': 910040, 'meet ongoing demand': 527541, 'ongoing demand now': 607624, 'demand now able': 235936, 'now able to': 573923, 'to offer meal': 910839, 'offer meal free': 594698, 'meal free to': 524162, 'free to other': 332245, 'to other tsos': 911127, 'other tsos get': 621151, 'tsos get in': 934965, 'in touch 19': 430224, 'positioning': 665224, 'is positioning': 450933, 'positioning itself': 665225, 'itself to': 463959, 'potentially make': 667231, 'million off': 532293, 'off treatment': 594347, 'treatment people': 931122, 'pay exorbitant': 644856, 'because company': 119003, 'putting profit': 691207, 'profit first': 682718, 'first especially': 308658, 'when treatment': 984344, 'is developed': 447154, 'developed with': 239745, 'with taxpayer': 1001127, 'taxpayer dollar': 835198, 'is positioning itself': 450934, 'positioning itself to': 665226, 'itself to potentially': 463961, 'to potentially make': 911937, 'potentially make million': 667232, 'make million off': 510166, 'million off treatment': 532295, 'off treatment people': 594348, 'treatment people shouldn': 931123, 'people shouldn have': 649454, 'to pay exorbitant': 911527, 'pay exorbitant price': 644857, 'exorbitant price because': 290403, 'price because company': 672862, 'because company are': 119004, 'company are putting': 190442, 'are putting profit': 89359, 'putting profit first': 691209, 'profit first especially': 682719, 'first especially when': 308659, 'especially when treatment': 280662, 'when treatment is': 984346, 'treatment is developed': 931098, 'is developed with': 447156, 'developed with taxpayer': 239746, 'with taxpayer dollar': 1001128, 'should sem': 766453, 'sem professional': 749580, 'professional prepare': 682480, 'change share': 172253, 'outbreak is changing': 628370, 'behavior how should': 124067, 'how should sem': 408680, 'should sem professional': 766454, 'sem professional prepare': 749581, 'professional prepare for': 682481, 'prepare for change': 670069, 'for change share': 320012, 'change share more': 172254, 'share more in': 755102, 'towel that': 927385, 'that dollar': 843590, 'tree had': 931188, 'supporter bought all': 827083, 'paper towel that': 641015, 'towel that dollar': 927386, 'that dollar tree': 843591, 'dollar tree had': 253101, 'tree had on': 931189, 'had on hand': 373361, '19 florida': 7030, 'florida approved': 310900, 'approved to': 83201, 'allow snap': 46058, 'recipient to': 704539, 'change allows': 171901, 'allows floridian': 46377, 'floridian to': 311040, 'also practicing': 48680, 'distancing sd13': 247459, 'district13 stayhome': 248395, 'covid 19 florida': 213106, '19 florida approved': 7031, 'florida approved to': 310901, 'approved to allow': 83202, 'to allow snap': 900357, 'allow snap recipient': 46059, 'snap recipient to': 776112, 'recipient to purchase': 704541, 'purchase grocery online': 689482, 'grocery online this': 364787, 'online this change': 609556, 'this change allows': 886735, 'change allows floridian': 171902, 'allows floridian to': 46378, 'floridian to have': 311041, 'to have access': 907192, 'to food while': 906106, 'food while also': 317592, 'while also practicing': 986595, 'also practicing social': 48681, 'social distancing sd13': 779709, 'distancing sd13 district13': 247460, 'sd13 district13 stayhome': 743030, 'and slump': 71765, 'price different': 673443, 'face different': 294393, 'different challenge': 241918, 'pandemic and slump': 634903, 'and slump in': 71766, 'oil price different': 597105, 'price different country': 673444, 'different country face': 241930, 'country face different': 210632, 'face different challenge': 294394, 'like closing': 490021, 'and reopening': 70244, 'reopening the': 711400, 'fridge hoping': 333405, 'snack to': 776033, 'to appear': 900643, 'appear this': 82120, 'we stare': 973367, 'now panicbuying': 575514, 'panicbuying globalpandemic': 638951, 'like closing and': 490022, 'closing and reopening': 183587, 'and reopening the': 70245, 'reopening the fridge': 711402, 'the fridge hoping': 855815, 'fridge hoping for': 333406, 'hoping for snack': 403926, 'for snack to': 325687, 'snack to appear': 776034, 'to appear this': 900644, 'appear this is': 82121, 'how we stare': 409192, 'we stare at': 973368, 'stare at empty': 794126, 'supermarket shelf now': 822503, 'shelf now panicbuying': 757352, 'now panicbuying globalpandemic': 575515, 'chain commerce': 170599, 'commerce workforce': 188659, 'impacting the supply': 418271, 'supply chain commerce': 824932, 'chain commerce workforce': 170600, 'commerce workforce and': 188660, 'workforce and more': 1008341, 'clipper': 182371, 'were emptied': 979558, 'paper disinfectant': 640093, 'up hair': 945052, 'and clipper': 59993, 'clipper after': 182372, 'first store shelf': 309037, 'store shelf were': 810110, 'shelf were emptied': 757766, 'were emptied of': 979559, 'emptied of toilet': 274689, 'toilet paper disinfectant': 921256, 'paper disinfectant and': 640094, 'disinfectant and hand': 245607, 'sanitizer now people': 735435, 'are buying up': 85136, 'buying up hair': 151292, 'up hair dye': 945053, 'dye and clipper': 263762, 'and clipper after': 59994, 'clipper after week': 182373, 'week of staying': 976640, 'of staying home': 590101, 'staying home during': 798604, 'supermarket per': 821959, 'is allocated': 445478, 'pandemic surely': 636605, 'take turn': 832756, 'the allocated': 848587, 'allocated store': 45881, 'if one supermarket': 414543, 'one supermarket per': 607140, 'supermarket per week': 821960, 'per week in': 651068, 'week in each': 976369, 'in each town': 422443, 'each town is': 264306, 'town is allocated': 927497, 'is allocated to': 445479, 'allocated to just': 45887, 'to just the': 908731, 'just the staff': 470014, 'this pandemic surely': 889430, 'pandemic surely this': 636606, 'surely this would': 827961, 'would help them': 1011918, 'them out supermarket': 876131, 'out supermarket can': 627277, 'supermarket can take': 819514, 'can take turn': 159909, 'take turn to': 832757, 'turn to be': 935774, 'be the allocated': 117593, 'the allocated store': 848588, 'allocated store so': 45882, 'their shopping like': 874721, 'shopping like normal': 763169, 'trump have': 933604, 'news vaccine': 560932, 'vaccine trump': 951788, 'trump no': 933726, 'no higher': 564424, 'trump have great': 933605, 'have great news': 380833, 'great news vaccine': 362846, 'news vaccine trump': 560933, 'vaccine trump no': 951789, 'trump no higher': 933727, 'no higher oil': 564425, 'high order': 395206, 'volume we': 960179, 'experiencing inventory': 291674, 'inventory delivery': 443653, 'and fulfillment': 63397, 'fulfillment are': 340440, 'are impacted': 87318, 'impacted working': 418169, 'clock all': 182394, 'deck to': 231140, 'scale up': 739924, 'up operation': 945668, 'operation stock': 613263, 'warehouse get': 966728, 'door send': 255705, 'send to': 749975, 'to info': 908381, 'info com': 437450, '19 update due': 11660, 'the high order': 857319, 'high order volume': 395207, 'order volume we': 618748, 'volume we re': 960180, 're experiencing inventory': 698646, 'experiencing inventory delivery': 291675, 'inventory delivery time': 443655, 'delivery time and': 234641, 'time and fulfillment': 896271, 'and fulfillment are': 63398, 'fulfillment are impacted': 340441, 'are impacted working': 87322, 'impacted working around': 418170, 'the clock all': 851030, 'clock all hand': 182395, 'on deck to': 600246, 'deck to scale': 231141, 'to scale up': 913860, 'scale up operation': 739925, 'up operation stock': 945669, 'operation stock our': 613264, 'stock our warehouse': 802606, 'our warehouse get': 625300, 'warehouse get food': 966729, 'food to your': 317305, 'your door send': 1023578, 'door send to': 255706, 'send to info': 749977, 'to info com': 908382, 'faith is': 296520, 'heart when': 388355, 'is darkness': 447032, 'darkness let': 226002, 'keep faith': 471488, 'faith strong': 296534, 'practitioner retail': 668802, 'attendant police': 102368, 'police force': 663015, 'government let': 360309, 'all declare': 42542, 'declare in': 231188, 'faith is seeing': 296521, 'is seeing the': 451723, 'seeing the light': 746498, 'the light in': 859355, 'light in your': 489535, 'in your heart': 431089, 'your heart when': 1024288, 'heart when all': 388356, 'when all you': 983138, 'all you see': 45553, 'you see is': 1021044, 'see is darkness': 745317, 'is darkness let': 447033, 'darkness let keep': 226003, 'let keep faith': 486842, 'keep faith strong': 471490, 'faith strong and': 296535, 'strong and continue': 813973, 'continue to pray': 201234, 'pray for our': 669004, 'our healthcare practitioner': 623388, 'healthcare practitioner retail': 387220, 'practitioner retail store': 668803, 'retail store attendant': 718613, 'store attendant police': 806606, 'attendant police force': 102369, 'police force and': 663016, 'force and our': 328328, 'and our government': 68491, 'our government let': 623272, 'government let all': 360310, 'let all declare': 486553, 'all declare in': 42543, 'declare in jesus': 231189, 'jesus name that': 465310, 'name that the': 551686, 'that the battle': 846666, 'the battle for': 849347, 'battle for covid': 112797, 'user more': 950302, 'increase alcohol': 432662, 'alcohol use': 41162, 'use during': 949176, 'research find': 713712, 'find social': 307220, 'medium user more': 527347, 'user more likely': 950303, 'to increase alcohol': 908267, 'increase alcohol use': 432663, 'alcohol use during': 41163, 'use during covid': 949177, 'consumer research find': 198752, 'research find social': 713714, 'find social medium': 307221, 'user are more': 950266, 'their alcohol use': 872487, 'use during order': 949178, '2b': 16552, 'outbid': 627928, 'stop wall': 805256, 'st co': 791691, 'co from': 184842, 'from shipping': 337254, 'shipping ppe': 758888, 'ppe overseas': 668021, 'overseas same': 631487, 'reason he': 702929, 'he happy': 385071, 'let 50': 486538, 'ventilator only': 954589, 'only 2b': 609995, '2b outbid': 16553, 'outbid by': 627929, 'by he': 152774, 'he his': 385088, 'his donor': 397368, 'donor making': 255160, 'making bank': 510973, 'bank off': 110058, 'won stop wall': 1003913, 'stop wall st': 805257, 'wall st co': 965176, 'st co from': 791692, 'co from shipping': 184843, 'from shipping ppe': 337255, 'shipping ppe overseas': 758889, 'ppe overseas same': 668022, 'overseas same reason': 631488, 'same reason he': 733267, 'reason he happy': 702930, 'he happy to': 385072, 'happy to let': 377716, 'to let 50': 909196, 'let 50 state': 486539, '50 state run': 19861, 'state run up': 795914, 'price for ventilator': 674075, 'for ventilator only': 327540, 'ventilator only 2b': 954590, 'only 2b outbid': 609996, '2b outbid by': 16554, 'outbid by he': 627930, 'by he his': 152775, 'he his donor': 385089, 'his donor making': 397369, 'donor making bank': 255161, 'making bank off': 510974, 'almost800': 46777, 'pub they': 687780, 'way back': 969480, 'have jolly': 381187, 'jolly up': 467214, 'to snowdon': 914797, 'snowdon isn': 776406, 'in wale': 430661, 'wale it': 964699, 'it london': 459452, 'london problem': 501158, 'problem wrong': 679774, 'wrong ppl': 1013082, 'ppl hv': 668253, 'hv died': 411858, 'wale socialdistancing': 964704, 'socialdistancing almost800': 780201, 'the pub they': 864776, 'pub they go': 687781, 'supermarket to hoard': 823380, 'hoard and on': 398754, 'the way back': 871142, 'way back because': 969481, 'back because it': 106902, 'because it nice': 119194, 'it nice sunny': 459806, 'nice sunny day': 562474, 'sunny day have': 818392, 'day have jolly': 227731, 'have jolly up': 381188, 'jolly up to': 467216, 'up to snowdon': 946426, 'to snowdon isn': 914798, 'snowdon isn in': 776407, 'isn in wale': 454557, 'in wale it': 430662, 'wale it london': 964700, 'it london problem': 459453, 'london problem wrong': 501159, 'problem wrong ppl': 679775, 'wrong ppl hv': 1013083, 'ppl hv died': 668254, 'hv died in': 411859, 'died in wale': 241576, 'in wale socialdistancing': 430663, 'wale socialdistancing almost800': 964705, 'strange and': 812376, 'and creepy': 60741, 'creepy scene': 216635, 'scene all': 741300, 'over england': 630188, 'england deserted': 277014, 'deserted street': 238009, 'street empty': 812957, 'empty bus': 274816, 'bus many': 143059, 'many seat': 514665, 'seat on': 743514, 'on train': 604834, 'train empty': 929250, 'shelf closed': 756946, 'closed store': 183347, 'the jacket': 858625, 'jacket potato': 464159, 'potato stand': 666982, 'stand is': 793537, 'bag full': 108297, 'of unusual': 592672, 'unusual item': 943990, 'coronacrisis it strange': 204649, 'it strange and': 461307, 'strange and creepy': 812377, 'and creepy scene': 60742, 'creepy scene all': 216636, 'scene all over': 741301, 'all over england': 43860, 'over england deserted': 630189, 'england deserted street': 277015, 'deserted street empty': 238010, 'street empty bus': 812958, 'empty bus many': 274818, 'bus many seat': 143060, 'many seat on': 514666, 'seat on train': 743515, 'on train empty': 604837, 'train empty supermarket': 929251, 'supermarket shelf closed': 822444, 'shelf closed store': 756947, 'closed store even': 183349, 'store even the': 807645, 'even the jacket': 284659, 'the jacket potato': 858626, 'jacket potato stand': 464161, 'potato stand is': 666983, 'stand is closed': 793538, 'is closed some': 446588, 'closed some people': 183344, 'some people walk': 783543, 'people walk around': 650121, 'walk around with': 964748, 'around with shopping': 93642, 'with shopping bag': 1000693, 'shopping bag full': 762143, 'bag full of': 108299, 'full of unusual': 340764, 'of unusual item': 592673, 'store meet': 808943, 'food authority': 313460, 'given their': 351166, 'their assurance': 872520, 'assurance that': 97075, 'chain network': 170941, 'in cold': 421538, 'cold storage': 185793, 'storage to': 806000, 'grocery store meet': 365565, 'store meet demand': 808944, 'for non perishable': 323903, 'perishable food authority': 651971, 'food authority have': 313461, 'authority have given': 103737, 'have given their': 380774, 'given their assurance': 351167, 'their assurance that': 872521, 'assurance that the': 97076, 'supply chain network': 824996, 'chain network is': 170942, 'network is currently': 557732, 'currently in place': 221568, 'place and enough': 657312, 'enough food is': 277401, 'is in cold': 448757, 'in cold storage': 421539, 'cold storage to': 185796, 'storage to meet': 806001, 'eway': 288601, 'stayingintouch': 798741, 'puttingclientsfirst': 691299, 'casemanagement': 166136, 'eway now': 288603, 'includes dedicated': 431736, 'dedicated web': 231754, 'web chat': 974938, 'chat for': 173930, 'client available': 182011, 'weekday from': 977303, 'from 5pm': 334313, '5pm client': 20800, 'also track': 49028, 'the progression': 864641, 'progression of': 683399, 'their case': 872745, 'case 24': 165585, '24 from': 15597, 'from wherever': 338358, 'wherever they': 985468, 'are stayingintouch': 90378, 'stayingintouch puttingclientsfirst': 798742, 'puttingclientsfirst eway': 691300, 'eway casemanagement': 288602, 'eway now includes': 288604, 'now includes dedicated': 575025, 'includes dedicated web': 431737, 'dedicated web chat': 231755, 'web chat for': 974939, 'chat for client': 173931, 'for client available': 320127, 'client available on': 182012, 'available on weekday': 104537, 'on weekday from': 605189, 'weekday from 5pm': 977304, 'from 5pm client': 334314, '5pm client can': 20801, 'client can also': 182015, 'can also track': 157472, 'also track the': 49029, 'track the progression': 928229, 'the progression of': 864642, 'progression of their': 683400, 'of their case': 591646, 'their case 24': 872746, 'case 24 from': 165586, '24 from wherever': 15598, 'from wherever they': 338359, 'wherever they are': 985469, 'they are stayingintouch': 881415, 'are stayingintouch puttingclientsfirst': 90379, 'stayingintouch puttingclientsfirst eway': 798743, 'puttingclientsfirst eway casemanagement': 691301, 'supermarket many': 821462, 'many empty': 514032, 'food sadly': 316257, 'individual item': 435208, 'stopping people': 805820, 'greedy saw': 363581, 'saw mother': 738179, 'mother daughter': 543076, 'daughter with': 226923, 'trolley each': 932401, 'each doubling': 264066, 'doubling up': 256176, 'the supermarket many': 868694, 'supermarket many empty': 821463, 'many empty shelf': 514033, 'shelf but still': 756906, 'but still plenty': 147178, 'of food sadly': 583765, 'food sadly the': 316258, 'sadly the limit': 729362, 'limit on individual': 492414, 'on individual item': 601559, 'individual item is': 435209, 'item is not': 463387, 'not stopping people': 571771, 'stopping people being': 805821, 'people being greedy': 647266, 'being greedy saw': 125202, 'greedy saw mother': 363582, 'saw mother daughter': 738180, 'mother daughter with': 543077, 'daughter with trolley': 226924, 'with trolley each': 1001849, 'trolley each doubling': 932402, 'each doubling up': 264067, 'doubling up on': 256177, 'up on everything': 945555, 'oriental': 619513, 'general supply': 345480, 'supply don': 825176, 'local oriental': 498245, 'oriental supermarket': 619514, 'you ill': 1019287, 'ill than': 416176, 'struggling due': 814435, 'to ignorance': 908107, 'and racism': 69895, 'you re struggling': 1020761, 'food and general': 313242, 'and general supply': 63513, 'general supply don': 345482, 'supply don forget': 825177, 'forget to go': 329323, 'your local oriental': 1024709, 'local oriental supermarket': 498246, 'oriental supermarket they': 619515, 'supermarket they re': 823292, 'they re no': 883079, 're no more': 699070, 'no more likely': 564809, 'make you ill': 510738, 'you ill than': 1019288, 'ill than anyone': 416177, 'anyone else and': 80256, 'and are currently': 58305, 'currently struggling due': 221680, 'struggling due to': 814436, 'due to ignorance': 261821, 'to ignorance and': 908108, 'ignorance and racism': 415744, 'opinion via': 613516, 'shopping opinion via': 763526, 'tsar': 934915, 'is him': 448475, 'him sir': 396711, 'good tsar': 357920, 'tsar the': 934916, 'strong man': 814065, 'man of': 512165, 'russia the': 728581, 'the iron': 858456, 'iron joe': 444917, 'joe the': 466444, 'the vladimir': 870936, 'that is him': 844600, 'is him sir': 448476, 'him sir the': 396712, 'sir the good': 771657, 'the good tsar': 856454, 'good tsar the': 357921, 'tsar the strong': 934917, 'the strong man': 868295, 'strong man of': 814067, 'man of russia': 512166, 'of russia the': 589189, 'russia the iron': 728584, 'the iron joe': 858457, 'iron joe the': 444918, 'joe the vladimir': 466445, 'the vladimir putin': 870937, 'being british': 124905, 'elderly at': 270602, 'ashamed we': 95086, 'else so ashamed': 271883, 'ashamed of being': 95057, 'of being british': 580635, 'being british right': 124906, 'greedy and clearing': 363468, 'and clearing out': 59966, 'the elderly at': 854110, 'elderly at highest': 270603, 'at highest risk': 98905, 'highest risk and': 395855, 'they have le': 882336, 'so so ashamed': 778231, 'so ashamed we': 776552, 'ashamed we need': 95087, '345': 17847, 'negotiate': 556907, 'proposed bill': 684519, 'lower prescription': 505949, 'save medicare': 737574, 'medicare 345': 526567, '345 billion': 17849, 'billion over': 130884, 'allow medicare': 45998, 'to negotiate': 910532, 'negotiate lower': 556908, 'on 250': 599075, '250 of': 16024, 'expensive drug': 291233, 'drug including': 260984, 'including insulin': 432020, 'insulin healthinsurance': 440628, 'healthinsurance healthcare': 387467, 'healthcare medicare': 387184, 'medicare insurance': 526582, 'proposed bill to': 684520, 'bill to lower': 130702, 'to lower prescription': 909504, 'lower prescription drug': 505950, 'drug price would': 261063, 'price would save': 677665, 'would save medicare': 1012208, 'save medicare 345': 737575, 'medicare 345 billion': 526568, '345 billion over': 17850, 'billion over 10': 130885, 'over 10 year': 629761, '10 year this': 1774, 'year this would': 1015023, 'this would allow': 891532, 'would allow medicare': 1011504, 'allow medicare to': 45999, 'medicare to negotiate': 526597, 'to negotiate lower': 910533, 'negotiate lower price': 556910, 'price on 250': 675645, 'on 250 of': 599076, '250 of the': 16025, 'most expensive drug': 542319, 'expensive drug including': 291234, 'drug including insulin': 260985, 'including insulin healthinsurance': 432021, 'insulin healthinsurance healthcare': 440629, 'healthinsurance healthcare medicare': 387468, 'healthcare medicare insurance': 387185, 'abc7ny': 24277, 'abcnews': 24282, 'last or': 480427, 'or next': 616243, 'home dr': 401097, 'birx said': 131479, 'even skip': 284580, 'grocery abc7ny': 364199, 'abc7ny abcnews': 24278, 'is this week': 453131, 'this week more': 891234, 'week more important': 976542, 'important than last': 418995, 'than last or': 840833, 'last or next': 480429, 'or next to': 616245, 'next to stay': 561629, 'at home dr': 98978, 'home dr birx': 401098, 'dr birx said': 257974, 'birx said to': 131481, 'said to even': 731513, 'to even skip': 905291, 'even skip the': 284581, 'skip the drug': 773143, 'the drug store': 853738, 'store and grocery': 806252, 'and grocery abc7ny': 63976, 'grocery abc7ny abcnews': 364200, 'propertymarket': 684385, 'singapore home': 771129, 'fall singapore': 297062, 'singapore coronaindia': 771116, 'coronaindia sars': 204987, 'cov corona': 212111, 'corona property': 204117, 'property propertymarket': 684349, 'propertymarket realestate': 684390, 'singapore home price': 771130, 'home price fall': 401901, 'price fall singapore': 673797, 'fall singapore coronaindia': 297063, 'singapore coronaindia sars': 771117, 'coronaindia sars cov': 204988, 'sars cov corona': 736800, 'cov corona property': 212112, 'corona property propertymarket': 204118, 'property propertymarket realestate': 684350, 'circulated': 178665, 'zionist': 1027620, 'like wa': 491741, 'wa be': 961648, 'be circulated': 114087, 'circulated in': 178668, 'medium wish': 527356, 'wish the': 996820, 'would feed': 1011816, 'of dumping': 582874, 'dumping extra': 262226, 'extra wheat': 293697, 'wheat into': 982992, 'sea to': 743104, 'wheat high': 982986, 'high zionist': 395534, 'zionist are': 1027621, 'are enemy': 86211, 'wish that the': 996816, 'that the news': 846780, 'the virus like': 870859, 'virus like wa': 958462, 'like wa be': 491743, 'wa be circulated': 961649, 'be circulated in': 114088, 'circulated in the': 178669, 'in the medium': 429353, 'the medium wish': 860448, 'medium wish the': 527357, 'wish the would': 996823, 'the would feed': 872086, 'would feed the': 1011817, 'feed the hungry': 302377, 'the hungry people': 857754, 'hungry people of': 411295, 'people of and': 648908, 'of and instead': 580163, 'instead of dumping': 440255, 'of dumping extra': 582875, 'dumping extra wheat': 262227, 'extra wheat into': 293698, 'wheat into the': 982993, 'into the sea': 443167, 'the sea to': 866552, 'sea to keep': 743105, 'keep price of': 471817, 'price of wheat': 675608, 'of wheat high': 593082, 'wheat high zionist': 982987, 'high zionist are': 395535, 'zionist are enemy': 1027622, 'are enemy of': 86212, 'naturalproducts': 552928, 'lavender': 482180, 'naturalhandsanitizer': 552903, 'all natural': 43579, 'sanitizers quarantine': 736375, 'quarantine natural': 692383, 'natural naturalproducts': 552848, 'naturalproducts stayhome': 552929, '19 vegan': 11741, 'vegan citrus': 953848, 'citrus lavender': 179023, 'lavender corona': 482181, 'corona sanitizer': 204160, 'handsanitizer organic': 376598, 'organic naturalhandsanitizer': 619229, 'naturalhandsanitizer homemade': 552904, 'homemade cleanhands': 402822, 'all natural hand': 43580, 'natural hand sanitizers': 552844, 'hand sanitizers quarantine': 375716, 'sanitizers quarantine natural': 736376, 'quarantine natural naturalproducts': 692384, 'natural naturalproducts stayhome': 552849, 'naturalproducts stayhome staysafe': 552930, 'stayhome staysafe 19': 798162, 'staysafe 19 vegan': 798778, '19 vegan citrus': 11742, 'vegan citrus lavender': 953849, 'citrus lavender corona': 179024, 'lavender corona sanitizer': 482182, 'corona sanitizer handsanitizer': 204162, 'sanitizer handsanitizer organic': 735035, 'handsanitizer organic naturalhandsanitizer': 376599, 'organic naturalhandsanitizer homemade': 619230, 'naturalhandsanitizer homemade cleanhands': 552905, 'account will': 28784, 'publish economic': 688631, 'economic recipe': 267227, 'from many': 336333, 'many culture': 513968, 'culture because': 220286, 'together you': 921054, 'the ingredient': 858267, 'ingredient at': 438351, 'major american': 509233, 'supermarket enjoy': 820171, 'enjoy and': 277122, 'crisis this account': 218221, 'this account will': 886182, 'account will publish': 28786, 'will publish economic': 994525, 'publish economic and': 688632, 'economic and economic': 266978, 'and economic recipe': 61905, 'economic recipe from': 267228, 'recipe from many': 704472, 'from many culture': 336334, 'many culture because': 513969, 'culture because we': 220287, 'this together you': 890790, 'together you can': 921055, 'find the ingredient': 307290, 'the ingredient at': 858269, 'ingredient at any': 438352, 'at any major': 98024, 'any major american': 79443, 'major american supermarket': 509234, 'american supermarket enjoy': 52233, 'supermarket enjoy and': 820172, 'enjoy and stay': 277123, 'caused surge': 167966, 'online giant': 608297, 'adding 100': 31658, 'amazon say the': 51106, 'say the outbreak': 739296, 'outbreak ha caused': 628265, 'ha caused surge': 370103, 'caused surge in': 167967, 'and now the': 67864, 'now the online': 576054, 'the online giant': 862270, 'online giant is': 608298, 'giant is adding': 349809, 'is adding 100': 445352, 'adding 100 00': 31659, 'new full time': 558788, 'nushratbharucha': 577644, 'bandra': 109424, 'nushratbharucha being': 577645, 'being checked': 124943, 'checked for': 174751, 'in bandra': 420687, 'bandra she': 109425, 'she step': 756353, 'shopping what': 764370, 'neighborhood nushratbharucha': 557140, 'nushratbharucha being checked': 577646, 'being checked for': 124944, 'checked for temperature': 174752, 'for temperature at': 326194, 'temperature at local': 837365, 'store in bandra': 808272, 'in bandra she': 420688, 'bandra she step': 109426, 'she step out': 756354, 'step out for': 799611, 'some essential shopping': 782763, 'essential shopping what': 281560, 'shopping what the': 764372, 'what the situation': 982366, 'situation in your': 772328, 'in your neighborhood': 431107, 'your neighborhood nushratbharucha': 1024968, 'kept information': 473049, 'coronavirus secret': 206735, 'sell security': 748871, 'the republican senator': 865549, 'republican senator kept': 713066, 'senator kept information': 749767, 'kept information about': 473050, 'the coronavirus secret': 851907, 'coronavirus secret for': 206736, 'could sell security': 209649, 'sell security at': 748872, 'expert say delivery': 291947, 'say delivery are': 738554, 'coronavirus pandemic but': 206441, 'webinar the': 975110, 'gcc double': 344820, 'double dilemma': 256002, 'dilemma tackling': 242862, 'price april': 672616, '14 follow': 3472, 'webinar the gcc': 975111, 'the gcc double': 856195, 'gcc double dilemma': 344821, 'double dilemma tackling': 256003, 'dilemma tackling covid': 242863, 'oil price april': 597049, 'price april 14': 672617, 'april 14 follow': 83415, '14 follow the': 3473, 'link for more': 493837, 'it like when': 459387, 'like when you': 491807, 'year everyone': 1014555, 'about uk': 26802, 'deal brexit': 229359, 'brexit this': 139527, 'shortage upon': 765288, 'not 90': 568005, '90 thick': 23348, 'thick brick': 883981, 'brick stopstockpiling': 139593, 'last year everyone': 480723, 'year everyone wa': 1014556, 'everyone wa worried': 287547, 'wa worried about': 963738, 'worried about uk': 1010527, 'about uk food': 26803, 'uk food shortage': 938369, 'event of no': 285037, 'of no deal': 587037, 'no deal brexit': 563969, 'deal brexit this': 229363, 'brexit this year': 139528, 'this year they': 891599, 'year they ve': 1015014, 'they ve brought': 883641, 've brought the': 952976, 'brought the shortage': 141196, 'the shortage upon': 867098, 'shortage upon themselves': 765289, 'upon themselves by': 947659, 'themselves by panic': 876787, 'buying what is': 151341, 'what is humanity': 981699, 'is humanity if': 448629, 'humanity if not': 410735, 'if not 90': 414484, 'not 90 thick': 568007, '90 thick brick': 23349, 'thick brick stopstockpiling': 883982, 'happened tonight': 377288, 'tonight received': 924484, 'received message': 703647, 'grocery support': 366016, 'support informing': 826595, 'informing me': 438147, 'no pickup': 565111, 'grocery available': 364293, 'week glad': 976270, 'glad managed': 351507, 'my small': 550129, 'small order': 775051, 'order delivered': 618162, 'delivered toda': 233429, 'well it happened': 978338, 'it happened tonight': 458469, 'happened tonight received': 377289, 'tonight received message': 924485, 'received message from': 703648, 'message from walmart': 529325, 'from walmart grocery': 338285, 'walmart grocery support': 965340, 'grocery support informing': 366017, 'support informing me': 826596, 'informing me that': 438148, 'me that there': 523630, 'be no pickup': 116106, 'no pickup or': 565112, 'or delivery of': 614940, 'of grocery available': 584345, 'grocery available from': 364295, 'available from my': 104400, 'from my store': 336528, 'next week glad': 561681, 'week glad managed': 976271, 'glad managed to': 351508, 'get my small': 347640, 'my small order': 550131, 'small order delivered': 775052, 'order delivered toda': 618163, 'to google': 906915, 'google trend': 358199, 'check search': 174616, 'term related': 838258, 'up huge': 945127, 'huge on': 410107, 'on curve': 600188, 'curve thing': 221902, 'like pet': 490990, 'household luxury': 406875, 'luxury are': 506913, 'go to google': 354312, 'to google trend': 906917, 'google trend and': 358200, 'trend and check': 931267, 'and check search': 59784, 'check search term': 174617, 'search term related': 743291, 'term related to': 838259, 'related to online': 708612, 'for cleaning supply': 320114, 'supply and thing': 824759, 'and thing it': 73956, 'thing it up': 884500, 'it up huge': 461960, 'up huge on': 945129, 'huge on curve': 410108, 'on curve thing': 600189, 'curve thing like': 221903, 'thing like pet': 884549, 'like pet supply': 490991, 'pet supply or': 653465, 'supply or household': 825685, 'or household luxury': 615686, 'household luxury are': 406876, 'luxury are way': 506914, 'are way down': 91548, 'deluge of': 234837, 'retailer email': 719128, 'today re': 920096, 're plan': 699262, 'plan re': 658211, 'rationing it': 697833, 'own product': 632156, 'product good': 681228, 'deluge of retailer': 234838, 'of retailer email': 589064, 'retailer email today': 719129, 'email today re': 272346, 'today re plan': 920097, 're plan re': 699263, 'plan re covid': 658212, '19 one supermarket': 8979, 'one supermarket rationing': 607141, 'supermarket rationing it': 822163, 'rationing it own': 697834, 'it own product': 460223, 'own product good': 632157, 'product good move': 681231, 'neologism': 557399, 'troopermarket': 932558, 'guarded': 367877, 'deliverer': 233455, 'neologism troopermarket': 557400, 'troopermarket supermarket': 932559, 'supermarket guarded': 820604, 'guarded by': 367878, 'by soldier': 154068, 'lockdown ginger': 499414, 'ginger deliverer': 350197, 'deliverer knocking': 233458, 'leaving parcel': 485120, 'parcel in': 641507, 'find place': 307178, 'before running': 123043, 'neologism troopermarket supermarket': 557401, 'troopermarket supermarket guarded': 932560, 'supermarket guarded by': 820605, 'guarded by soldier': 367879, 'by soldier to': 154069, 'soldier to enforce': 781823, 'enforce social distancing': 276684, 'distancing lockdown ginger': 247292, 'lockdown ginger deliverer': 499415, 'ginger deliverer knocking': 350198, 'deliverer knocking on': 233459, 'knocking on your': 476186, 'door and leaving': 255509, 'and leaving parcel': 66070, 'leaving parcel in': 485121, 'parcel in hard': 641508, 'in hard to': 423547, 'to find place': 905930, 'find place before': 307179, 'place before running': 657350, 'before running away': 123044, '00hrs': 678, 'inadvertently': 431223, 'contageous': 200392, 'ironic madness': 444933, 'madness in': 508181, 'in chile': 421378, 'chile hundred': 176337, 'shopper react': 761658, 'to impending': 908163, 'impending 00hrs': 418309, '00hrs state': 681, 'of catastrophe': 581194, 'catastrophe at': 166933, 'supermarket inadvertently': 821008, 'inadvertently creating': 431224, 'creating several': 216065, 'several highly': 753862, 'highly contageous': 396043, 'contageous gathering': 200393, 'gathering the': 344513, 'exact type': 288710, 'measure they': 525374, 'announced are': 76921, 'ironic madness in': 444934, 'madness in chile': 508182, 'in chile hundred': 421380, 'chile hundred of': 176338, 'hundred of shopper': 411011, 'of shopper react': 589647, 'shopper react to': 761659, 'react to impending': 700152, 'to impending 00hrs': 908164, 'impending 00hrs state': 418310, '00hrs state of': 682, 'state of catastrophe': 795800, 'of catastrophe at': 581195, 'catastrophe at by': 166934, 'at by rushing': 98180, 'rushing to the': 728400, 'the supermarket inadvertently': 868643, 'supermarket inadvertently creating': 821009, 'inadvertently creating several': 431225, 'creating several highly': 216066, 'several highly contageous': 753863, 'highly contageous gathering': 396044, 'contageous gathering the': 200394, 'gathering the exact': 344514, 'the exact type': 854659, 'exact type of': 288711, 'type of thing': 937590, 'of thing the': 591915, 'thing the measure': 884833, 'the measure they': 860372, 'measure they announced': 525375, 'they announced are': 881167, 'announced are supposed': 76922, 'supposed to stop': 827377, 'echoshow': 266641, 'echo': 266626, 'smartome': 775505, 'nationalbeerday': 552645, 'amazon drop': 50923, 'the echoshow': 853873, 'echoshow to': 266642, 'to black': 901830, 'friday pricing': 333275, 'pricing and': 677918, 'the echo': 853871, 'echo show': 266627, 'and 2nd': 57432, '2nd gen': 16770, 'gen echo': 345213, 'show quarantinelife': 767099, 'quarantinelife deal': 692945, 'deal alexa': 229334, 'alexa smartome': 41596, 'smartome stayhome': 775506, 'stayhome nationalbeerday': 798046, 'amazon drop the': 50924, 'drop the echoshow': 260403, 'the echoshow to': 853874, 'echoshow to black': 266643, 'to black friday': 901832, 'black friday pricing': 132062, 'friday pricing and': 333276, 'pricing and drop': 677920, 'and drop price': 61763, 'drop price on': 260374, 'on the echo': 604083, 'the echo show': 853872, 'echo show and': 266629, 'show and 2nd': 766862, 'and 2nd gen': 57433, '2nd gen echo': 16771, 'gen echo show': 345214, 'echo show quarantinelife': 266630, 'show quarantinelife deal': 767100, 'quarantinelife deal alexa': 692946, 'deal alexa smartome': 229335, 'alexa smartome stayhome': 41597, 'smartome stayhome nationalbeerday': 775507, 'hi again': 394588, 'my feed': 548294, 'feed added': 302266, 'two wal': 937306, 'mart worker': 518073, 'store biz': 806732, 'biz before': 131932, 'over sure': 630673, 'them thank': 876371, 'why get': 991010, 'hi again on': 394589, 'again on my': 37092, 'on my feed': 602283, 'my feed added': 548295, 'feed added the': 302267, 'added the story': 31612, 'story about the': 811897, 'about the two': 26547, 'the two wal': 870159, 'two wal mart': 937307, 'wal mart worker': 964682, 'mart worker who': 518075, 'worker who died': 1008204, 'died of more': 241589, 'more of will': 539894, 'of will die': 593167, 'will die in': 993183, 'die in the': 241380, 'grocery store biz': 365248, 'store biz before': 806733, 'biz before this': 131933, 'is over sure': 450734, 'over sure hope': 630674, 'sure hope not': 827569, 'hope not one': 403556, 'not one of': 570765, 'of them thank': 591765, 'them thank you': 876373, 'you for standing': 1018672, 'for standing up': 325867, 'standing up for': 793831, 'up for that': 944964, 'for that why': 326276, 'that why get': 847534, 'breheny so': 139296, 'poor suffer': 664299, 'suffer you': 817252, 'pay increased': 644956, 'get donated': 346900, 'that won': 847641, 'increase what': 433149, 'up logic': 945339, 'logic you': 500670, 'doubt in': 256202, 'in former': 423050, 'former life': 329646, 'life yo': 489243, 'breheny so the': 139297, 'so the poor': 778436, 'the poor suffer': 863990, 'poor suffer you': 664300, 'suffer you are': 817253, 'are ok to': 88701, 'ok to pay': 597925, 'to pay increased': 911538, 'pay increased price': 644957, 'price so money': 676509, 'so money get': 777748, 'money get donated': 536780, 'get donated to': 346901, 'to charity that': 902661, 'charity that won': 173697, 'that won be': 847642, 'afford the increase': 34771, 'the increase what': 858070, 'increase what up': 433150, 'what up logic': 982499, 'up logic you': 945340, 'logic you have': 500671, 'have no doubt': 381623, 'no doubt in': 564051, 'doubt in former': 256203, 'in former life': 423051, 'former life yo': 329647, 'hipster': 396964, 'don lock': 253710, 'the hipster': 857383, 'hipster bought': 396965, 'please don lock': 659918, 'don lock down': 253711, 'lock down until': 499057, 'down until we': 257418, 'up the hipster': 946181, 'the hipster bought': 857384, 'hipster bought all': 396966, 'long waiting': 501813, 'refund consistent': 706881, 'with aviation': 997346, 'aviation consumer': 104953, 'regulation or': 708089, 'they taking': 883525, 'of passenger': 587800, 'passenger during': 643328, 'the long waiting': 859688, 'long waiting period': 501814, 'waiting period for': 964379, 'period for refund': 651764, 'for refund consistent': 325058, 'refund consistent with': 706882, 'consistent with aviation': 195492, 'with aviation consumer': 997347, 'aviation consumer protection': 104955, 'protection regulation or': 685589, 'regulation or are': 708090, 'are they taking': 91031, 'they taking advantage': 883526, 'advantage of passenger': 33024, 'of passenger during': 587801, 'passenger during crisis': 643329, 'dreamed': 258641, 'growing up': 367252, 'favorite show': 300552, 'show to': 767241, 'watch with': 968616, 'with wa': 1002008, 'wa supermarket': 963359, 'sweep always': 830097, 'always dreamed': 49536, 'dreamed to': 258642, 'show today': 767245, 'say pretty': 739072, 'much experienced': 544875, 'experienced that': 291610, 'that dream': 843618, 'dream thanks': 258623, 'growing up my': 367253, 'up my favorite': 945424, 'my favorite show': 548276, 'favorite show to': 300553, 'show to watch': 767244, 'to watch with': 918395, 'watch with wa': 968617, 'with wa supermarket': 1002009, 'wa supermarket sweep': 963362, 'supermarket sweep always': 823080, 'sweep always dreamed': 830098, 'always dreamed to': 49537, 'dreamed to be': 258643, 'on that show': 603946, 'that show today': 846302, 'show today can': 767246, 'can say pretty': 159517, 'say pretty much': 739073, 'pretty much experienced': 671449, 'much experienced that': 544876, 'experienced that dream': 291611, 'that dream thanks': 843619, 'dream thanks to': 258624, 'agent say': 38185, 'book trip': 134622, 'trip now': 932116, 'money travel': 537137, 'say planning': 739059, 'planning future': 658551, 'future trip': 342488, 'trip could': 932059, 'them support': 876353, 'travel agent say': 930242, 'agent say it': 38186, 'say it fine': 738840, 'fine to book': 307710, 'to book trip': 901901, 'book trip now': 134623, 'trip now for': 932117, 'now for after': 574715, 'for after the': 319074, 'and it could': 65506, 'could be way': 208938, 'be way to': 118068, 'save money travel': 737588, 'money travel agent': 537138, 'agent say planning': 38188, 'say planning future': 739060, 'planning future trip': 658552, 'future trip could': 342489, 'trip could be': 932060, 'way to offer': 970059, 'to offer them': 910852, 'offer them support': 594836, 'them support during': 876354, 'this time via': 890708, 'frozenfoods': 339041, 'refrigeratedfoods': 706784, 'the rank': 865140, 'rank of': 696782, 'chain adding': 170436, 'adding one': 31689, 'shopper capacity': 761453, 'capacity limit': 162542, 'limit due': 492333, 'pandemic frontline': 635476, 'grocery frozenfoods': 364542, 'frozenfoods refrigeratedfoods': 339042, 'join the rank': 466868, 'the rank of': 865141, 'rank of grocery': 696783, 'of grocery chain': 584347, 'grocery chain adding': 364354, 'chain adding one': 170437, 'adding one way': 31690, 'way aisle and': 969440, 'aisle and shopper': 40194, 'and shopper capacity': 71525, 'shopper capacity limit': 761454, 'capacity limit due': 162543, 'limit due to': 492334, 'the pandemic frontline': 862971, 'pandemic frontline grocery': 635477, 'frontline grocery frozenfoods': 338748, 'grocery frozenfoods refrigeratedfoods': 364543, 'price alarming': 672255, 'alarming spike': 40704, 'patient temperature': 644268, 'temperature how': 837375, '19 connected': 5936, 'connected to': 194660, 'with professor': 1000334, 're seeing drop': 699453, 'stock price alarming': 802701, 'price alarming spike': 672256, 'alarming spike in': 40705, 'spike in patient': 789306, 'in patient temperature': 426551, 'patient temperature how': 644269, 'temperature how is': 837376, 'covid 19 connected': 212839, '19 connected to': 5937, 'connected to the': 194663, 'stock market read': 802428, 'market read this': 516954, 'read this with': 700629, 'this with professor': 891463, 'spending their': 789006, 'time whilst': 898332, 'whilst on': 987661, 'free report to': 332097, 'report to find': 712385, 'out the british': 627355, 'public are spending': 687871, 'are spending their': 90327, 'spending their time': 789007, 'their time whilst': 874992, 'time whilst on': 898333, 'whilst on lockdown': 987662, 'tt21csatoh': 934989, 'people greed': 648121, 'excessive stockpiling': 289422, 'stockpiling will': 804120, 'kill many': 474433, 'hunger before': 411077, 'virus reach': 958665, 'reach them': 699995, 'them corvid19uk': 875564, 'corvid19uk stayhomechallenge': 207763, 'stayhomechallenge http': 798266, 'co tt21csatoh': 184988, 'think people greed': 885487, 'people greed and': 648122, 'greed and lack': 363361, 'due to excessive': 261778, 'to excessive stockpiling': 905396, 'excessive stockpiling will': 289423, 'stockpiling will kill': 804121, 'will kill many': 993917, 'kill many people': 474435, 'many people from': 514505, 'people from hunger': 647995, 'from hunger before': 335979, 'hunger before the': 411078, 'before the corona': 123148, 'corona virus reach': 204343, 'virus reach them': 958666, 'reach them corvid19uk': 699996, 'them corvid19uk stayhomechallenge': 875565, 'corvid19uk stayhomechallenge http': 207764, 'stayhomechallenge http co': 798267, 'http co tt21csatoh': 409773, 'mitigate covid': 534525, 'change there': 172315, 'are cashflow': 85190, 'cashflow issue': 166424, 'issue exchange': 455738, 'exchange rate': 289462, 'do now an': 249908, 'now an entrepreneur': 574017, 'entrepreneur is to': 278941, 'is to mitigate': 453225, 'to mitigate covid': 910194, 'mitigate covid 19': 534526, 'consumer behaviour will': 196612, 'behaviour will change': 124565, 'will change there': 992922, 'change there are': 172316, 'there are cashflow': 878078, 'are cashflow issue': 85191, 'cashflow issue exchange': 166425, 'issue exchange rate': 455739, 'exchange rate change': 289463, 'supplychain ha': 826189, 'totally disrupted': 926326, 'buy out': 149065, 'perishable what': 652011, 'more maintaining': 539741, 'maintaining vigilant': 509147, 'vigilant adherence': 957227, 'these fda': 880004, 'fda requirement': 300912, 'requirement may': 713435, 'may prove': 521436, 'prove challenging': 686102, 'the food supplychain': 855611, 'food supplychain ha': 317023, 'supplychain ha been': 826190, 'been totally disrupted': 122251, 'totally disrupted by': 926327, 'disrupted by the': 246393, 'the people buy': 863459, 'people buy out': 647337, 'buy out grocery': 149066, 'shelf and stock': 756764, 'non perishable what': 566462, 'perishable what more': 652012, 'what more maintaining': 981884, 'more maintaining vigilant': 539742, 'maintaining vigilant adherence': 509148, 'vigilant adherence to': 957228, 'adherence to these': 32224, 'to these fda': 917341, 'these fda requirement': 880005, 'fda requirement may': 300913, 'requirement may prove': 713436, 'may prove challenging': 521437, 'falcone': 296778, 'of exploiting': 583332, 'exploiting people': 292443, 'fear by': 301074, 'by deliberately': 152316, 'worker while': 1008188, 'while claiming': 986690, 'had george': 373135, 'george falcone': 345999, 'falcone 50': 296779, '50 ha': 19712, 'threat while': 893748, 'in branch': 420942, 'of wegmans': 593014, 'wegmans via': 977648, 'accused of exploiting': 28948, 'of exploiting people': 583333, 'exploiting people fear': 292444, 'people fear by': 647878, 'fear by deliberately': 301075, 'by deliberately coughing': 152317, 'supermarket worker while': 824122, 'worker while claiming': 1008189, 'while claiming he': 986691, 'he had george': 385049, 'had george falcone': 373136, 'george falcone 50': 346000, 'falcone 50 ha': 296780, '50 ha been': 19713, 'terroristic threat while': 838626, 'threat while in': 893749, 'while in branch': 986937, 'in branch of': 420943, 'branch of wegmans': 137691, 'of wegmans via': 593016, 'trip walkthrough': 932215, 'walkthrough mumbai': 965143, 'mumbai corona': 546000, 'corona grocery': 203966, 'supermarket trip walkthrough': 823556, 'trip walkthrough mumbai': 932216, 'walkthrough mumbai corona': 965144, 'mumbai corona grocery': 546001, 'wanstead': 965682, 'wanstead today': 965683, 'get something': 348083, 'market be': 516087, 'trade this': 928590, 'joke we': 467155, 'wanstead today when': 965684, 'today when went': 920520, 'to get something': 906597, 'get something from': 348086, 'the supermarket how': 868637, 'supermarket how can': 820810, 'can the market': 159956, 'the market be': 860091, 'market be allowed': 516088, 'allowed to trade': 46250, 'to trade this': 917692, 'trade this is': 928591, 'this is joke': 888298, 'is joke we': 449110, 'joke we will': 467156, 'we will end': 973856, 'in full lockdown': 423168, 'guideline we feel': 368499, 'we feel it': 971538, 'feel it is': 302689, 'ourselves and those': 625461, 'and those around': 74019, 'those around safe': 891807, 'to stay alert': 915270, 'pairwise': 634356, 'you pairwise': 1020276, 'pairwise these': 634359, 'these fund': 880044, 'way towards': 970131, 'towards helping': 927203, 'helping shift': 391463, 'providing pre': 687075, 'packaged box': 633467, 'box which': 137197, 'in highest': 423693, 'thank you pairwise': 841795, 'you pairwise these': 1020277, 'pairwise these fund': 634360, 'these fund will': 880045, 'will go long': 993554, 'long way towards': 501828, 'way towards helping': 970132, 'towards helping shift': 927204, 'helping shift our': 391464, 'shift our operation': 758381, 'our operation to': 624168, 'operation to providing': 613284, 'to providing pre': 912456, 'providing pre packaged': 687076, 'pre packaged box': 669192, 'packaged box which': 633468, 'box which are': 137198, 'which are in': 985686, 'are in highest': 87395, 'in highest demand': 423694, 'highest demand right': 395822, 'choosehope': 177931, 'abortionisessential': 24616, '46 like': 19222, 'more popular': 540092, 'popular than': 664609, 'your rally': 1025514, 'rally call': 696259, 'call right': 156096, 'now why': 576416, 'encourage folk': 275586, 'safety rather': 730708, 'than force': 840671, 'force birth': 328342, 'pandemic choosehope': 635143, 'choosehope abortionisessential': 177932, '46 like the': 19223, 'store is more': 808506, 'is more popular': 449718, 'more popular than': 540094, 'popular than your': 664611, 'than your rally': 841508, 'your rally call': 1025515, 'rally call right': 696260, 'call right now': 156097, 'right now why': 722185, 'now why do': 576417, 'not you encourage': 572608, 'you encourage folk': 1018405, 'encourage folk to': 275587, 'folk to self': 312280, 'isolate for their': 454859, 'own safety rather': 632179, 'safety rather than': 730709, 'rather than force': 697520, 'than force birth': 840672, 'force birth in': 328343, 'of pandemic choosehope': 587692, 'pandemic choosehope abortionisessential': 635144, 'wound': 1012520, 'by after': 151771, 'member saudi': 528183, 'russia finally': 728476, 'finally reach': 306071, 'economy arising': 267672, 'from wound': 338432, 'wound could': 1012521, 'diesel price will': 241686, 'will rise by': 994710, 'rise by after': 722804, 'by after opec': 151772, 'after opec member': 35991, 'opec member saudi': 611922, 'member saudi arabia': 528184, 'and russia finally': 70667, 'russia finally reach': 728477, 'finally reach an': 306072, 'an agreement to': 55197, 'cut global oil': 223358, 'global oil production': 352052, 'oil production by': 597363, 'production by 10': 681947, 'by 10 million': 151516, 'per day the': 650810, 'day the impact': 228492, 'the indian economy': 858121, 'indian economy arising': 434821, 'economy arising from': 267673, 'arising from wound': 92816, 'from wound could': 338433, 'wound could be': 1012522, 'could be huge': 208882, 'teargasing': 835995, 'made together': 508039, 'kenya in': 472912, 'including forcing': 431971, 'forcing and': 328695, 'and reminding': 70224, 'reminding people': 710635, 'but police': 146816, 'police teargasing': 663230, 'teargasing towards': 835996, 'towards supermarket': 927251, 'supermarket feel': 820291, 'extreme give': 293799, 'give guideline': 350508, 'we support all': 973452, 'support all effort': 826336, 'all effort made': 42662, 'effort made together': 269551, 'made together with': 508040, 'with the kenya': 1001356, 'the kenya in': 858746, 'kenya in fighting': 472913, 'in fighting this': 422882, 'fighting this covid': 305140, '19 virus including': 11812, 'virus including forcing': 958338, 'including forcing and': 431972, 'forcing and reminding': 328696, 'and reminding people': 70225, 'reminding people for': 710636, 'people for need': 647954, 'for need of': 323799, 'need of social': 555342, 'distancing but police': 247061, 'but police teargasing': 146817, 'police teargasing towards': 663231, 'teargasing towards supermarket': 835997, 'towards supermarket feel': 927252, 'supermarket feel is': 820292, 'feel is extreme': 302684, 'is extreme give': 447674, 'extreme give guideline': 293800, 'saw their': 738276, 'their market': 873915, 'basket menu': 112370, 'menu awesome': 528872, 'awesome and': 106152, 'pickup we': 656045, 'were running': 980082, 'we saw their': 973140, 'saw their market': 738278, 'their market basket': 873916, 'market basket menu': 516081, 'basket menu awesome': 112372, 'menu awesome and': 528873, 'awesome and curbside': 106153, 'curbside pickup we': 220665, 'pickup we were': 656046, 'we were running': 973808, 'were running low': 980083, 'low on fresh': 505457, 'on fresh food': 600992, 'food and didn': 313210, 'and didn want': 61326, 'go to some': 354361, 'to some empty': 914873, 'some empty grocery': 782747, 'support local family': 826623, 'local family business': 497934, 'course have': 211869, 'don spend': 253918, 'special here': 787953, 'get copy': 346810, 'copy here': 203459, 'of course have': 582054, 'course have an': 211870, 'have an online': 379267, 'online shop please': 608985, 'shop please don': 760670, 'please don spend': 659923, 'don spend more': 253920, 'spend more on': 788639, 'more on amazon': 539912, 'amazon the book': 51146, 'the book is': 849840, 'book is on': 134553, 'is on special': 450483, 'on special here': 603593, 'special here because': 787954, 'here because we': 392808, 'because we dropped': 119801, 'our price due': 624442, 'can get copy': 158410, 'get copy here': 346811, 'let some': 487054, 'ppl stay': 668329, 'still pay': 801029, 'because ppl': 119493, 'work putting': 1005636, 'risk stay': 723902, 'you putting': 1020515, 'going out my': 355380, 'out my husband': 626599, 'retail they were': 718788, 'to let some': 909214, 'let some ppl': 487056, 'some ppl stay': 783611, 'ppl stay home': 668330, 'stay home still': 797008, 'home still pay': 402146, 'still pay but': 801030, 'pay but because': 644796, 'but because ppl': 145272, 'because ppl still': 119494, 'the store they': 868122, 'store they have': 810670, 'to work putting': 918770, 'work putting everyone': 1005637, 'store at risk': 806591, 'at risk stay': 100401, 'risk stay at': 723903, 'home you putting': 402586, 'you putting others': 1020517, 'putting others at': 691182, 'tfw': 840025, 'happiest': 377544, 'tfw when': 840026, 'the happiest': 857090, 'happiest news': 377545, 'your husband': 1024441, 'husband tell': 411766, 'you they': 1021635, 'stayathome shelterinplace': 797607, 'tfw when the': 840027, 'when the happiest': 984160, 'the happiest news': 857091, 'happiest news of': 377546, 'news of your': 560654, 'of your day': 593460, 'your day is': 1023469, 'day is when': 227843, 'is when your': 453922, 'when your husband': 984630, 'your husband tell': 1024444, 'husband tell you': 411767, 'tell you they': 837154, 'you they had': 1021637, 'store stayathome shelterinplace': 810358, 'truerfacts': 933239, 'who cheat': 988445, 'cheat on': 174334, 'their girlfriend': 873408, 'girlfriend doing': 350310, 'doing saying': 252636, 'store stood': 810405, 'everything truerfacts': 288062, 'truerfacts coronacrisis': 933240, 'coronacrisis quarantine': 204718, 'so what are': 778711, 'what are all': 981055, 'are all the': 84363, 'all the guy': 44774, 'guy who cheat': 369226, 'who cheat on': 988446, 'cheat on their': 174335, 'on their girlfriend': 604484, 'their girlfriend doing': 873409, 'girlfriend doing saying': 350311, 'doing saying they': 252637, 'saying they went': 739731, 'they went to': 883745, 'grocery store stood': 365812, 'store stood in': 810406, 'line for hour': 493106, 'for hour and': 322388, 'hour and it': 405401, 'of everything truerfacts': 583279, 'everything truerfacts coronacrisis': 288063, 'truerfacts coronacrisis quarantine': 933241, 'law abiding': 482197, 'abiding citizen': 24361, 'citizen stayathomeorder': 178963, 'stayathomeorder stockup': 797788, 'be law abiding': 115665, 'law abiding citizen': 482198, 'abiding citizen stayathomeorder': 24362, 'citizen stayathomeorder stockup': 178964, 'japan the': 464762, 'government pay': 360454, 'pay 70': 644709, 'of cost': 581998, 'cost in': 207973, 'in regulated': 427361, 'regulated system': 708020, 'make exemption': 509891, 'exemption for': 290003, 'korea the': 477507, 'system cost': 831139, 'cost nothing': 208030, 'treatment we': 931166, 'in japan the': 424375, 'japan the government': 464763, 'the government pay': 856578, 'government pay 70': 360455, 'pay 70 of': 644710, '70 of cost': 21799, 'of cost in': 581999, 'cost in regulated': 207976, 'in regulated system': 427362, 'regulated system and': 708021, 'system and make': 831100, 'and make exemption': 66554, 'make exemption for': 509892, 'exemption for thing': 290004, 'for thing like': 326995, 'thing like covid': 884540, 'south korea the': 786752, 'korea the system': 477508, 'the system cost': 869092, 'system cost nothing': 831140, 'cost nothing to': 208032, 'nothing to the': 573201, 'the consumer for': 851536, 'consumer for testing': 197524, 'for testing and': 326234, 'testing and treatment': 839444, 'and treatment we': 74445, 'treatment we do': 931167, 'any of that': 79537, 'of that here': 590726, 'of rubbing': 589171, 'wipe at': 996203, 'out of rubbing': 626821, 'of rubbing alcohol': 589172, 'rubbing alcohol and': 726963, 'alcohol and wipe': 40911, 'and wipe at': 75730, 'wipe at this': 996204, 'amnotwriting': 52968, 'thought foraging': 893054, 'foraging would': 328266, 'would include': 1011946, 'include going': 431567, 'supermarket coronageddon': 819800, 'coronageddon amnotwriting': 204957, 'never thought foraging': 558224, 'thought foraging would': 893055, 'foraging would include': 328267, 'would include going': 1011947, 'include going to': 431568, 'the uk supermarket': 870286, 'uk supermarket coronageddon': 938760, 'supermarket coronageddon amnotwriting': 819801, 'php5': 655334, 'php8': 655337, 'yoorekka': 1016559, 'socialimprovement': 780931, 'the program': 864638, 'can award': 157562, 'award cash': 105575, 'cash grant': 166248, 'grant of': 362037, 'of php5': 588105, 'php5 00': 655335, 'to php8': 911711, 'php8 00': 655338, 'the beneficiary': 849466, 'beneficiary yoorekka': 126904, 'yoorekka socialimprovement': 1016560, 'socialimprovement read': 780932, 'the program can': 864639, 'program can award': 683222, 'can award cash': 157563, 'award cash grant': 105576, 'cash grant of': 166249, 'grant of php5': 362038, 'of php5 00': 588106, 'php5 00 to': 655336, '00 to php8': 551, 'to php8 00': 911712, 'php8 00 to': 655339, 'to the beneficiary': 916515, 'the beneficiary yoorekka': 849468, 'beneficiary yoorekka socialimprovement': 126905, 'yoorekka socialimprovement read': 1016561, 'socialimprovement read more': 780933, 'sharing insight': 755544, 'from 18': 334203, '18 country': 4524, 'country worldwide': 211269, 'worldwide about': 1010305, 'people sentiment': 649404, 'their feeling': 873303, 'security due': 744583, 'the sanitary': 866339, 'sanitary crisis': 733800, 'the insight': 858318, 'here mrx': 393354, 'mrx data': 544472, 'for sharing insight': 325525, 'sharing insight from': 755545, 'insight from 18': 439545, 'from 18 country': 334204, '18 country worldwide': 4525, 'country worldwide about': 211270, 'worldwide about how': 1010306, 'about how people': 25461, 'how people sentiment': 408506, 'people sentiment and': 649405, 'sentiment and their': 750898, 'and their feeling': 73689, 'their feeling of': 873305, 'feeling of security': 303037, 'of security due': 589442, 'security due to': 744584, 'to the sanitary': 917036, 'the sanitary crisis': 866340, 'sanitary crisis read': 733801, 'crisis read the': 217946, 'read the insight': 700578, 'the insight here': 858319, 'insight here mrx': 439564, 'here mrx data': 393355, 'clique': 182380, 'deadlier': 229198, 'uk developing': 938302, 'country stolen': 211085, 'stolen apart': 804284, 'apart by': 81237, 'by capitalist': 152066, 'capitalist war': 162823, 'war clique': 966397, 'clique shocking': 182381, 'shocking scene': 759615, 'scene british': 741312, 'were stripped': 980185, 'paper even': 640140, 'even flour': 284066, 'flour sanitizer': 311158, 'took week': 925377, 'restock brexit': 716867, 'brexit could': 139497, 'be deadlier': 114343, 'deadlier than': 229201, 'uk developing country': 938303, 'developing country stolen': 239776, 'country stolen apart': 211086, 'stolen apart by': 804285, 'apart by capitalist': 81238, 'by capitalist war': 152068, 'capitalist war clique': 162824, 'war clique shocking': 966398, 'clique shocking scene': 182382, 'shocking scene british': 759616, 'scene british supermarket': 741313, 'british supermarket shelf': 140610, 'shelf were stripped': 757774, 'were stripped bare': 980186, 'bare of toilet': 110934, 'toilet paper even': 921269, 'paper even flour': 640141, 'even flour sanitizer': 284068, 'flour sanitizer it': 311159, 'sanitizer it took': 735232, 'it took week': 461807, 'took week to': 925378, 'week to restock': 977094, 'to restock brexit': 913400, 'restock brexit could': 716868, 'brexit could be': 139499, 'could be deadlier': 208856, 'be deadlier than': 114345, 'deadlier than covid': 229202, 'madeinamerica': 508089, 'weknowplay': 977855, 'madeinamerica crazy': 508090, 'crazy aaron': 215236, 'aaron creator': 24145, 'from toy': 338114, 'toy to': 927699, 'to fda': 905690, 'approved emergency': 83149, 'emergency hand': 272739, 'for municipal': 323658, 'facility public': 295369, 'utility first': 951284, 'responder weknowplay': 715548, 'madeinamerica crazy aaron': 508091, 'crazy aaron creator': 215237, 'aaron creator of': 24146, 'creator of have': 216248, 'of have shifted': 584471, 'shifted production from': 758498, 'production from toy': 682056, 'from toy to': 338115, 'toy to fda': 927701, 'to fda approved': 905691, 'fda approved emergency': 300832, 'approved emergency hand': 83150, 'emergency hand sanitizer': 272741, 'sanitizer for municipal': 734913, 'for municipal worker': 323659, 'municipal worker healthcare': 546096, 'worker healthcare facility': 1007109, 'healthcare facility public': 387106, 'facility public utility': 295370, 'public utility first': 688450, 'utility first responder': 951285, 'first responder weknowplay': 308972, 'alqesieei': 47166, 'mbz': 522076, 'irreparable': 445017, 'alqesieei zionist': 47167, 'zionist state': 1027623, 'no position': 565147, 'start conflict': 794260, 'conflict in': 194266, 'southern lebanon': 786864, 'lebanon or': 485192, 'or iraq': 615823, 'iraq following': 444767, 'following reason': 312831, 'reason trump': 703044, 'his political': 397715, 'political life': 663660, 'life bcuz': 488520, '19 mb': 8590, 'mb mbz': 522037, 'mbz have': 522077, 'been dealt': 120921, 'dealt irreparable': 229715, 'irreparable blow': 445018, 'blow from': 133309, 'oil pr': 597022, 'alqesieei zionist state': 47168, 'zionist state is': 1027624, 'state is in': 795699, 'is in no': 448793, 'in no position': 425915, 'no position to': 565148, 'position to start': 665198, 'to start conflict': 915191, 'start conflict in': 794261, 'conflict in southern': 194267, 'in southern lebanon': 428150, 'southern lebanon or': 786865, 'lebanon or iraq': 485193, 'or iraq following': 615824, 'iraq following reason': 444768, 'following reason trump': 312832, 'reason trump is': 703045, 'trump is fighting': 933643, 'is fighting for': 447791, 'fighting for his': 305075, 'for his political': 322309, 'his political life': 397716, 'political life bcuz': 663661, 'life bcuz of': 488521, 'covid 19 mb': 213413, '19 mb mbz': 8591, 'mb mbz have': 522038, 'mbz have been': 522078, 'have been dealt': 379503, 'been dealt irreparable': 120922, 'dealt irreparable blow': 229716, 'irreparable blow from': 445019, 'blow from covid': 133310, '19 and plunging': 5087, 'plunging oil pr': 661542, 'just glad': 468820, 'glad could': 351481, 'just glad could': 468821, 'glad could find': 351482, 'could find some': 209179, 'find some chicken': 307226, 'some chicken at': 782522, 'warn people': 966953, 'about contracted': 25010, 'pleasant could': 659604, 'up buy': 944531, 'sanitizer knew': 735267, 'one listened': 606605, '25th started to': 16111, 'started to warn': 794884, 'to warn people': 918341, 'warn people about': 966954, 'people about contracted': 646738, 'about contracted h1n1': 25011, 'h1n1 and that': 369371, 'that wa not': 847301, 'not pleasant could': 571044, 'pleasant could see': 659605, 'could see this': 209643, 'see this coming': 745942, 'coming back then': 188005, 'back then started': 107327, 'then started to': 877563, 'started to stock': 794883, 'stock up buy': 803065, 'up buy mask': 944532, 'buy mask and': 148939, 'and sanitizer knew': 70877, 'sanitizer knew this': 735268, 'no one listened': 564948, 'here glimpse': 393045, 'glimpse into': 351705, 'could look': 209390, 'like post': 491018, 'these prediction': 880516, 'here glimpse into': 393046, 'glimpse into what': 351707, 'into what the': 443289, 'what the new': 982344, 'the new consumer': 861482, 'new consumer could': 558519, 'consumer could look': 196993, 'could look like': 209392, 'look like post': 502505, 'like post covid': 491020, '19 do you': 6600, 'agree with these': 38684, 'with these prediction': 1001652, 'steroid': 799930, 'dramatise': 258382, 'nuance': 576749, 'like brexit': 489933, 'brexit on': 139515, 'on steroid': 603665, 'steroid for': 799931, 'medium they': 527318, 'to dramatise': 904709, 'dramatise every': 258383, 'every nuance': 286042, 'nuance would': 576750, 'been bad': 120719, 'bad if': 107895, 'medium had': 527131, 'not filled': 569404, 'filled our': 305548, 'our screen': 624688, 'screen with': 742743, 'with image': 998942, 'shelf new': 757328, 'been like brexit': 121457, 'like brexit on': 489934, 'brexit on steroid': 139516, 'on steroid for': 603666, 'steroid for the': 799932, 'for the medium': 326555, 'the medium they': 860445, 'medium they are': 527319, 'hard to dramatise': 378059, 'to dramatise every': 904710, 'dramatise every nuance': 258384, 'every nuance would': 286043, 'nuance would the': 576751, 'would the food': 1012319, 'food panic buying': 315750, 'buying have been': 150469, 'have been bad': 379473, 'been bad if': 120720, 'bad if the': 107896, 'if the medium': 415000, 'the medium had': 860424, 'medium had not': 527132, 'had not filled': 373348, 'not filled our': 569405, 'filled our screen': 305549, 'our screen with': 624689, 'screen with image': 742745, 'with image of': 998943, 'empty shelf new': 275079, 'shelf new blog': 757329, 'new blog by': 558403, 'hodl': 399809, 'xrpcommunity': 1013904, 'everyone going': 286942, 'crazy over': 215377, 'so happen': 777234, 'happen come': 377068, 'it sign': 461049, 'sign from': 769125, 'the heaven': 857218, 'heaven to': 388553, 'to hodl': 907901, 'hodl your': 399812, 'your xrp': 1026400, 'xrp xrpcommunity': 1013903, 'with everyone going': 998289, 'everyone going crazy': 286943, 'going crazy over': 355100, 'crazy over and': 215378, 'over and buying': 629980, 'buying up the': 151296, 'up the supermarket': 946223, 'supermarket just so': 821229, 'just so happen': 469822, 'so happen come': 777235, 'happen come across': 377069, 'come across this': 187185, 'across this the': 29543, 'this the last': 890526, 'the last one': 859027, 'last one on': 480424, 'the shelf it': 866851, 'shelf it sign': 757257, 'it sign from': 461050, 'sign from the': 769126, 'from the heaven': 337739, 'the heaven to': 857220, 'heaven to hodl': 388554, 'to hodl your': 907902, 'hodl your xrp': 399813, 'your xrp xrpcommunity': 1026401, 'come homeless': 187352, 'aren dying': 92390, 'sanitizer they': 735880, 'healthy af': 387507, 'af sundaymorning': 33960, 'how come homeless': 407564, 'come homeless people': 187353, 'homeless people aren': 402770, 'people aren dying': 647123, 'aren dying they': 92391, 'dying they don': 263874, 'they don be': 881983, 'don be using': 253375, 'be using hand': 117940, 'hand sanitizer they': 375621, 'sanitizer they healthy': 735882, 'they healthy af': 882414, 'healthy af sundaymorning': 387508, 'pw': 691362, 'childpoverty': 176324, 'defining': 232289, 'year uc': 1015058, 'uc cost': 937873, '20 pw': 13285, 'pw welcome': 691363, 'welcome yes': 977914, 'keeping kid': 472466, 'or rising': 616911, 'cost due': 207912, 'demand childpoverty': 235134, 'childpoverty must': 176325, 'increase need': 432918, 'wrong kind': 1013057, 'of generation': 584081, 'generation defining': 345606, 'defining moment': 232292, '100 more per': 1963, 'more per year': 540056, 'per year uc': 651088, 'year uc cost': 1015059, 'uc cost le': 937874, 'le than 20': 483156, 'than 20 pw': 840194, '20 pw welcome': 13286, 'pw welcome yes': 691364, 'welcome yes not': 977915, 'yes not enough': 1015496, 'not enough it': 569184, 'enough it will': 277497, 'cover the cost': 212289, 'cost of keeping': 208052, 'of keeping kid': 585591, 'keeping kid home': 472467, 'kid home or': 473999, 'home or rising': 401754, 'or rising cost': 616912, 'rising cost due': 723189, 'cost due to': 207913, 'consumer demand childpoverty': 197122, 'demand childpoverty must': 235135, 'childpoverty must not': 176326, 'must not increase': 546782, 'not increase need': 570121, 'increase need to': 432919, 'not the wrong': 572045, 'the wrong kind': 872105, 'wrong kind of': 1013058, 'kind of generation': 474901, 'of generation defining': 584082, 'generation defining moment': 345607, 'fear want': 301417, 'an understandable': 56838, 'understandable waiting': 940846, 'delivery location': 234161, 'location but': 498866, 'then see': 877506, 'some horrifying': 783054, 'horrifying news': 404178, 'immediately panic': 417130, 'panic like': 638272, 'food last': 315280, 'week staying': 976923, '19 fear want': 6962, 'fear want to': 301418, 'go shopping because': 354107, 'shopping because there': 762178, 'is an understandable': 445692, 'an understandable waiting': 56839, 'understandable waiting time': 940847, 'time of week': 897376, 'of week for': 593000, 'week for the': 976239, 'for the availability': 326312, 'availability of delivery': 104157, 'of delivery location': 582490, 'delivery location but': 234162, 'location but then': 498867, 'but then see': 147448, 'then see some': 877508, 'see some horrifying': 745715, 'some horrifying news': 783055, 'horrifying news and': 404179, 'news and immediately': 560232, 'and immediately panic': 64998, 'immediately panic like': 417131, 'panic like no': 638274, 'like no can': 490860, 'no can make': 563750, 'can make my': 158940, 'make my food': 510221, 'my food last': 548383, 'food last for': 315281, 'last for week': 480233, 'for week staying': 327749, 'week staying home': 976924, 'manoj': 513318, 'jinia': 465526, 'sarkar': 736782, 'prativa': 668967, 'adamas': 31229, 'adamasuniversity': 31232, 'educationplus': 268896, 'of dr': 582810, 'dr manoj': 258057, 'manoj kumar': 513319, 'kumar singh': 477914, 'singh jinia': 771199, 'jinia sarkar': 465527, 'sarkar and': 736783, 'and prativa': 69316, 'prativa sarkar': 668968, 'sarkar of': 736785, 'of adamas': 579767, 'adamas biotechnology': 31230, 'biotechnology club': 131291, 'club of': 184464, 'of adamasuniversity': 579769, 'adamasuniversity made': 31235, 'made cost': 507699, 'cost effective': 207918, 'effective hand': 269255, 'wa prepared': 962979, 'prepared per': 670227, 'per guideline': 650876, 'guideline of': 368449, 'of educationplus': 582980, 'supervision of dr': 824389, 'of dr manoj': 582812, 'dr manoj kumar': 258058, 'manoj kumar singh': 513320, 'kumar singh jinia': 477916, 'singh jinia sarkar': 771200, 'jinia sarkar and': 465528, 'sarkar and prativa': 736784, 'and prativa sarkar': 69317, 'prativa sarkar of': 668969, 'sarkar of adamas': 736786, 'of adamas biotechnology': 579768, 'adamas biotechnology club': 31231, 'biotechnology club of': 131292, 'club of adamasuniversity': 184465, 'of adamasuniversity made': 579771, 'adamasuniversity made cost': 31236, 'made cost effective': 507700, 'cost effective hand': 207919, 'effective hand sanitizer': 269256, 'sanitizer to contain': 735912, 'sanitizer wa prepared': 736023, 'wa prepared per': 962980, 'prepared per guideline': 670228, 'per guideline of': 650878, 'guideline of educationplus': 368451, 'soonest': 785936, 'the soonest': 867487, 'soonest you': 785937, 'your pick': 1025309, 'up reservation': 945915, 'reservation at': 714013, 'that shopped': 846273, 'at online': 99977, 'today life': 919804, 'online for pick': 608234, 'pick up be': 655706, 'up be sure': 944468, 'sure to order': 827774, 'to order at': 911063, 'order at least': 618063, 'least day before': 484433, 'day before you': 227376, 'you need the': 1020048, 'need the grocery': 555747, 'the grocery because': 856804, 'grocery because that': 364316, 'because that is': 119601, 'is the soonest': 452943, 'the soonest you': 867488, 'soonest you can': 785938, 'can make your': 158958, 'make your pick': 510768, 'your pick up': 1025310, 'pick up reservation': 655755, 'up reservation at': 945916, 'reservation at least': 714014, 'least for the': 484471, 'for the that': 326725, 'the that shopped': 869368, 'that shopped at': 846274, 'shopped at online': 761297, 'at online today': 99979, 'online today life': 609604, 'today life in': 919805, 'life in world': 488775, 'healthy customer': 387572, 'shop inside': 760345, 'healthy customer can': 387573, 'customer can now': 222226, 'can now shop': 159073, 'now shop inside': 575801, 'shop inside supermarket': 760347, 'inside supermarket in': 439397, 'uk latest update': 938506, 'at publichealth': 100219, 'publichealth and': 688526, 'and economics': 61916, 'economics from': 267453, 'non centric': 566309, 'centric angle': 169587, 'angle india': 76431, 'looking at publichealth': 502820, 'at publichealth and': 100220, 'publichealth and economics': 688527, 'and economics from': 61917, 'economics from non': 267454, 'from non centric': 336593, 'non centric angle': 566310, 'centric angle india': 169588, 'demon': 236812, 'ha demon': 370349, 'demon eye': 236813, 'apparently demon': 81927, 'demon mind': 236817, 'mind judging': 532682, 'judging from': 467667, 'this insane': 888124, 'insane pitch': 439057, 'pitch at': 656998, 'being laid': 125368, 'wrestling in': 1012747, 'aisle for': 40250, 'last four': 480241, 'four pack': 330647, 'of charmin': 581295, 'guy ha demon': 369015, 'ha demon eye': 370350, 'demon eye and': 236814, 'eye and apparently': 294000, 'and apparently demon': 58250, 'apparently demon mind': 81928, 'demon mind judging': 236818, 'mind judging from': 532683, 'judging from this': 467668, 'from this insane': 337997, 'this insane pitch': 888125, 'insane pitch at': 439058, 'pitch at time': 656999, 'at time people': 101304, 'time people are': 897463, 'are being laid': 84879, 'being laid off': 125369, 'off and wrestling': 593654, 'and wrestling in': 75941, 'wrestling in grocery': 1012748, 'store aisle for': 806113, 'aisle for the': 40252, 'the last four': 859012, 'last four pack': 480242, 'four pack of': 330648, 'pack of charmin': 633092, 'chaos from': 173017, 'case leading': 165853, 'line reduced': 493370, 'reduced inventory': 706103, 'anxious shopper stocking': 78863, 'ammo to prepare': 52920, 'prepare for potential': 670082, 'potential chaos from': 667031, 'chaos from the': 173019, 'pandemic is in': 635778, 'is in some': 448815, 'some case leading': 782489, 'case leading to': 165854, 'leading to long': 483762, 'long line reduced': 501504, 'line reduced inventory': 493371, 'reduced inventory and': 706104, 'inventory and purchase': 443644, 'phased': 654653, 'printed flyer': 678314, 'flyer at': 311646, 'be phased': 116407, 'phased out': 654654, '19 marketing': 8559, 'say cbc': 738493, 'printed flyer at': 678315, 'flyer at store': 311647, 'at store may': 100656, 'store may be': 808920, 'may be phased': 521018, 'be phased out': 116408, 'phased out after': 654655, 'out after covid': 625575, 'covid 19 marketing': 213403, '19 marketing expert': 8562, 'marketing expert say': 517599, 'expert say cbc': 291945, 'say cbc news': 738494, 'peoplearelosingtheirminds': 650589, 'thought say': 893192, 'but 2019': 145031, '2019 will': 14047, 'you come': 1017985, 'please peoplearelosingtheirminds': 660289, 'peoplearelosingtheirminds stopthemadness': 650590, 'stopthemadness stoppanicbuying': 805902, 'never thought say': 558231, 'thought say this': 893194, 'this but 2019': 886638, 'but 2019 will': 145032, '2019 will you': 14048, 'will you come': 995381, 'you come back': 1017987, 'come back please': 187243, 'back please peoplearelosingtheirminds': 107230, 'please peoplearelosingtheirminds stopthemadness': 660290, 'peoplearelosingtheirminds stopthemadness stoppanicbuying': 650591, 'waitrose appears': 964443, 'hasn announced': 378717, 'announced bonus': 76925, 'working key': 1008753, 'worker staff': 1007803, 'say staff': 739165, 'because partner': 119458, 'of joke': 585551, 'joke when': 467163, 'have valued': 383489, 'valued their': 952267, 'their peo': 874266, 'waitrose appears to': 964444, 'to be only': 901422, 'be only supermarket': 116237, 'only supermarket that': 611225, 'supermarket that hasn': 823185, 'that hasn announced': 844189, 'hasn announced bonus': 378718, 'announced bonus for': 76926, 'for it hard': 322710, 'it hard working': 458492, 'hard working key': 378143, 'working key worker': 1008754, 'key worker staff': 473512, 'worker staff in': 1007804, 'crisis say staff': 218003, 'say staff because': 739166, 'staff because partner': 792255, 'because partner is': 119459, 'partner is bit': 642840, 'bit of joke': 131649, 'of joke when': 585552, 'joke when the': 467164, 'when the others': 984181, 'the others have': 862569, 'others have valued': 621455, 'have valued their': 383490, 'valued their peo': 952268, 'straw': 812759, 'camel': 157088, 'were economically': 979548, 'economically on': 267389, 'edge well': 268520, 'well before': 978048, 'the straw': 868206, 'straw that': 812760, 'that break': 843030, 'the camel': 850295, 'camel back': 157089, 'best it': 127743, 'take full': 832143, '19 negative': 8760, 'fully fade': 341052, 'most american were': 542093, 'american were economically': 52297, 'were economically on': 979549, 'economically on the': 267390, 'on the edge': 604086, 'the edge well': 854053, 'edge well before': 268521, 'well before covid': 978049, 'now the virus': 576077, 'the virus ha': 870837, 'virus ha the': 958253, 'potential to be': 667151, 'be the straw': 117661, 'the straw that': 868207, 'straw that break': 812761, 'that break the': 843032, 'break the camel': 138803, 'the camel back': 850296, 'camel back at': 157090, 'back at best': 106884, 'at best it': 98126, 'best it will': 127744, 'will take full': 995070, 'take full year': 832146, 'full year for': 340990, 'year for covid': 1014564, 'covid 19 negative': 213469, '19 negative impact': 8761, 'behavior to fully': 124256, 'to fully fade': 906321, 'honestly not': 403118, 'not worried': 572559, 'about starving': 26247, 'death due': 230024, 'every inconsiderate': 285948, 'arsehole panic': 94095, 'honestly not worried': 403120, 'not worried about': 572560, 'catching the more': 167118, 'the more worried': 860902, 'worried about starving': 1010519, 'about starving to': 26248, 'to death due': 903978, 'death due to': 230025, 'due to every': 261775, 'to every inconsiderate': 905306, 'every inconsiderate arsehole': 285949, 'inconsiderate arsehole panic': 432560, 'arsehole panic buying': 94096, 'best option in': 127815, 'option in time': 614057, 'favorite place': 300534, 'crisis mart': 217704, 'mart when': 518071, 'wa someone': 963280, 'in face': 422748, 'glove ready': 352881, 'to squirt': 915101, 'squirt hand': 791576, 'sanitizer into': 735177, 'into each': 442529, 'customer hand': 222429, 'hand every': 374920, 'pa played': 632873, 'played message': 659281, 'message reminding': 529408, 'reminding everyone': 710623, 'distance ft': 246722, 'my favorite place': 548273, 'favorite place to': 300535, 'the crisis mart': 852408, 'crisis mart when': 217705, 'mart when walked': 518072, 'when walked in': 984415, 'walked in there': 964951, 'in there wa': 429823, 'there wa someone': 879275, 'wa someone in': 963281, 'someone in face': 784511, 'in face mask': 422749, 'and glove ready': 63734, 'glove ready to': 352882, 'ready to squirt': 700977, 'to squirt hand': 915102, 'squirt hand sanitizer': 791577, 'hand sanitizer into': 375457, 'sanitizer into each': 735178, 'into each customer': 442530, 'each customer hand': 264029, 'customer hand every': 222430, 'hand every minute': 374922, 'every minute the': 286013, 'minute the pa': 533853, 'the pa played': 862829, 'pa played message': 632874, 'played message reminding': 659282, 'message reminding everyone': 529409, 'reminding everyone to': 710625, 'everyone to physical': 287499, 'to physical distance': 911714, 'physical distance ft': 655405, 'mami': 511938, 'we literally': 972207, 'literally tried': 495104, 'tried everything': 931773, 'could by': 208985, 'staying clean': 798583, 'but shit': 147037, 'poor mami': 664218, 'mami is': 511941, 'now infected': 575042, 'infected may': 436592, 'god be': 354649, 'ha been diagnosed': 369779, 'diagnosed with covid': 240239, '19 we literally': 11937, 'we literally tried': 972209, 'literally tried everything': 495105, 'tried everything we': 931775, 'everything we could': 288088, 'we could by': 971200, 'could by staying': 208986, 'by staying clean': 154111, 'staying clean and': 798584, 'clean and only': 180463, 'and only went': 68156, 'supermarket when needed': 823802, 'when needed but': 983765, 'needed but shit': 556321, 'but shit is': 147039, 'shit is real': 759147, 'real and my': 701036, 'and my poor': 67385, 'my poor mami': 549808, 'poor mami is': 664219, 'mami is now': 511942, 'is now infected': 450295, 'now infected may': 575044, 'infected may god': 436593, 'may god be': 521216, 'god be with': 354650, 'all buy': 42260, 'buy just': 148874, 'demand buy': 235089, 'bank collection': 109732, 'collection point': 186455, 'panic buy in': 637492, 'event of lock': 285036, 'lock down you': 499065, 'down you will': 257525, 'visit the shop': 959396, 'the shop once': 867016, 'shop once day': 760553, 'once day if': 605616, 'day if we': 227782, 'we all buy': 970313, 'all buy just': 42261, 'buy just what': 148876, 'we need the': 972556, 'need the supermarket': 555755, 'meet demand buy': 527459, 'demand buy few': 235090, 'buy few extra': 148621, 'few extra item': 303833, 'extra item and': 293554, 'item and put': 463071, 'and put them': 69819, 'put them in': 690890, 'food bank collection': 313540, 'bank collection point': 109734, 'chloroquine is': 177607, 'pharmaceutical market': 654081, 'market shouldn': 517063, 'shouldn hike': 766736, 'if chloroquine is': 413957, 'chloroquine is actually': 177608, 'is actually the': 445337, 'actually the solution': 30979, 'the solution to': 867469, '19 then the': 11278, 'then the pharmaceutical': 877621, 'the pharmaceutical market': 863641, 'pharmaceutical market shouldn': 654082, 'market shouldn hike': 517064, 'shouldn hike up': 766737, 'hike up the': 396292, 'mammoth': 511949, 'here2help': 393863, 'of senior': 589506, 'senior center': 750243, 'massive expansion': 520026, 'of unemployment': 592623, 'roll food': 725298, 'carrying mammoth': 165193, 'mammoth load': 511950, 'volunteer result': 960325, 'pandemic here2help': 635624, 'between the closure': 128926, 'closure of senior': 183975, 'of senior center': 589507, 'senior center and': 750244, 'center and school': 169159, 'and school and': 71072, 'and the massive': 73473, 'the massive expansion': 860267, 'massive expansion of': 520027, 'expansion of unemployment': 290568, 'of unemployment roll': 592625, 'unemployment roll food': 941289, 'roll food pantry': 725299, 'pantry are carrying': 639530, 'are carrying mammoth': 85185, 'carrying mammoth load': 165194, 'mammoth load and': 511951, 'load and with': 497242, 'and with fewer': 75769, 'with fewer volunteer': 998427, 'fewer volunteer result': 304247, 'volunteer result of': 960326, 'the pandemic here2help': 862988, 'charging there': 173522, 'there standard': 879087, 'standard 200': 793623, '200 cancellation': 13465, 'cancellation fee': 161017, 'fee despite': 302153, 'despite they': 238909, 'offer flexibility': 594608, 'flexibility option': 310374, 'your flight': 1023899, 'flight your': 310569, 'for difference': 320699, 'in ticket': 430062, 'trip ha': 932082, 'be before': 113821, 'before 10': 122583, '10 31': 1274, '31 20': 17547, 'is still charging': 452269, 'still charging there': 800362, 'charging there standard': 173523, 'there standard 200': 879088, 'standard 200 cancellation': 793624, '200 cancellation fee': 13466, 'cancellation fee despite': 161018, 'fee despite they': 302154, 'despite they offer': 238910, 'they offer flexibility': 882808, 'offer flexibility option': 594609, 'flexibility option that': 310375, 'option that allow': 614102, 'that allow you': 842589, 'allow you to': 46107, 'you to change': 1021758, 'change your flight': 172415, 'your flight your': 1023902, 'flight your still': 310570, 'your still responsible': 1025947, 'responsible for difference': 716031, 'for difference in': 320700, 'difference in ticket': 241853, 'in ticket price': 430063, 'ticket price but': 895643, 'price but the': 672989, 'but the trip': 147422, 'the trip ha': 869994, 'trip ha to': 932083, 'to be before': 901126, 'be before 10': 113822, 'before 10 31': 122584, '10 31 20': 1275, 'are ramping': 89428, 'hiring this': 397135, 'lining for': 493733, 'temporarily unemployed': 837565, 'and household supply': 64792, 'household supply grocery': 406965, 'store chain are': 806912, 'chain are ramping': 170510, 'are ramping up': 89429, 'ramping up hiring': 696484, 'up hiring this': 945086, 'hiring this is': 397136, 'this is bit': 888194, 'bit of silver': 131663, 'of silver lining': 589731, 'silver lining for': 769821, 'lining for many': 493734, 'for many who': 323242, 'many who are': 514874, 'who are temporarily': 988236, 'are temporarily unemployed': 90765, 'temporarily unemployed due': 837566, 'remoteworking': 710792, 'premierleague': 669915, 'homecoming': 402653, 'start learning': 794363, 'remotely remoteworking': 710780, 'remoteworking 19': 710793, 'coronacrisis coronacrisis': 204565, 'coronacrisis trumpliesaboutcoronavirus': 204845, 'trumpliesaboutcoronavirus premierleague': 934078, 'premierleague nba': 669916, 'nba saturdayvibes': 553217, 'saturdayvibes dontbeaspreader': 737127, 'dontbeaspreader homecoming': 255340, 'homecoming toiletpaper': 402654, 'start learning to': 794364, 'learning to work': 484253, 'to work remotely': 918773, 'work remotely remoteworking': 1005658, 'remotely remoteworking 19': 710781, 'remoteworking 19 coronacrisis': 710794, '19 coronacrisis coronacrisis': 6063, 'coronacrisis coronacrisis trumpliesaboutcoronavirus': 204567, 'coronacrisis trumpliesaboutcoronavirus premierleague': 204846, 'trumpliesaboutcoronavirus premierleague nba': 934079, 'premierleague nba saturdayvibes': 669917, 'nba saturdayvibes dontbeaspreader': 553218, 'saturdayvibes dontbeaspreader homecoming': 737128, 'dontbeaspreader homecoming toiletpaper': 255341, '8nn': 23200, 'prank woman': 668957, 'purposely coughed': 690178, 'pennsylvania 8nn': 646552, 'twisted prank woman': 936606, 'prank woman purposely': 668958, 'woman purposely coughed': 1003589, 'purposely coughed on': 690179, 'of food at': 583650, 'supermarket in pennsylvania': 820959, 'in pennsylvania 8nn': 426577, 'grocery convenience': 364402, 'employee thx': 274319, 'thx for': 895542, 'there farm': 878376, 'farm supermarket': 299194, 'supermarket weareallinthistogether': 823761, 'local grocery convenience': 498047, 'grocery convenience store': 364403, 'store employee thx': 807555, 'employee thx for': 274320, 'thx for being': 895543, 'being there farm': 125937, 'there farm supermarket': 878377, 'farm supermarket weareallinthistogether': 299195, 'london free': 501072, 'free press': 332074, 'press london': 671057, 'london linked': 501115, 'linked professor': 493981, 'professor eyeing': 682547, 'eyeing coronavirus': 294141, 'coronavirus vaccine': 207010, 'vaccine urge': 951792, 'urge canadian': 948167, 'canadian to': 160763, 'the london free': 859666, 'london free press': 501073, 'free press london': 332075, 'press london linked': 671058, 'london linked professor': 501116, 'linked professor eyeing': 493982, 'professor eyeing coronavirus': 682548, 'eyeing coronavirus vaccine': 294142, 'coronavirus vaccine urge': 207012, 'vaccine urge canadian': 951793, 'urge canadian to': 948168, 'canadian to stay': 160764, 'stay home via': 797021, 'feel extremely': 302619, 'extremely lucky': 293908, 'grow so': 367061, 'feel extremely lucky': 302620, 'extremely lucky that': 293909, 'lucky that we': 506575, 'that we grow': 847374, 'we grow so': 971693, 'grow so much': 367062, 'of our own': 587527, 'our own food': 624204, 'own food and': 631994, 'food and can': 313191, 'can limit trip': 158877, 'limit trip to': 492546, 'upmarket': 947604, 'wife returned': 991968, 'tear today': 835974, 'were pushing': 980010, 'pushing empty': 690410, 'empty trollies': 275213, 'trollies because': 932512, 'value basic': 952094, 'basic range': 112037, 'range had': 696701, 'had gone': 373144, 'they couldn': 881842, 'more upmarket': 540862, 'upmarket produce': 947605, 'produce if': 680308, 'can solve': 159663, 'solve this': 782166, 'world 6th': 1009254, '6th richest': 21693, 'richest country': 721339, 'country he': 210743, 'my wife returned': 550598, 'wife returned from': 991969, 'supermarket in tear': 820989, 'in tear today': 428849, 'tear today people': 835975, 'people were pushing': 650217, 'were pushing empty': 980011, 'pushing empty trollies': 690411, 'empty trollies because': 275214, 'trollies because the': 932513, 'because the value': 119656, 'the value basic': 870634, 'value basic range': 952095, 'basic range had': 112038, 'range had gone': 696702, 'had gone and': 373145, 'gone and they': 356209, 'and they couldn': 73896, 'they couldn afford': 881843, 'couldn afford the': 209859, 'afford the more': 34772, 'the more upmarket': 860899, 'more upmarket produce': 540863, 'upmarket produce if': 947606, 'produce if can': 680309, 'if can solve': 413933, 'can solve this': 159664, 'solve this in': 782167, 'the world 6th': 871802, 'world 6th richest': 1009255, '6th richest country': 21694, 'richest country he': 721340, 'country he should': 210744, 'he should go': 385439, 'people dig': 647660, 'deep and': 231842, 'the kindness': 858816, 'must show': 546885, 'show now': 767072, 'come naturally': 187412, 'naturally for': 552916, 'over yourselves': 630975, 'stophoarding stopit': 805480, 'stopit nh': 805531, 'any veg': 80013, 'veg via': 953798, 'people dig deep': 647661, 'dig deep and': 242428, 'deep and find': 231843, 'and find the': 62894, 'find the kindness': 307291, 'the kindness we': 858819, 'kindness we must': 475233, 'we must show': 972440, 'must show now': 546886, 'show now for': 767073, 'now for some': 574724, 'for some this': 325770, 'some this come': 784048, 'this come naturally': 886807, 'come naturally for': 187413, 'naturally for others': 552917, 'for others get': 324193, 'others get over': 621429, 'get over yourselves': 347758, 'over yourselves and': 630976, 'yourselves and work': 1026784, 'and work on': 75856, 'work on it': 1005534, 'on it stophoarding': 601687, 'it stophoarding stopit': 461278, 'stophoarding stopit nh': 805481, 'stopit nh nurse': 805532, 'nh nurse left': 562026, 'nurse left in': 577405, 'left in tear': 485519, 'tear after she': 835922, 'after she is': 36189, 'she is unable': 756166, 'buy any veg': 148356, 'any veg via': 80014, 'get clear': 346781, 'currently clear': 221502, 'clear on': 181295, 'ikea usa': 416062, 'usa site': 948747, 'are suspended': 90685, 'california well': 155603, 'well california': 978086, 'california noted': 155545, 'noted in': 572867, 'information link': 437884, 'link above': 493778, 'had to call': 373671, 'call to get': 156176, 'to get clear': 906441, 'get clear information': 346782, 'clear information from': 181272, 'information from your': 437849, 'from your customer': 338474, 'customer service not': 222828, 'service not currently': 752623, 'not currently clear': 568945, 'currently clear on': 221503, 'clear on the': 181297, 'on the ikea': 604170, 'the ikea usa': 857867, 'ikea usa site': 416063, 'usa site that': 948748, 'site that online': 772021, 'delivery are suspended': 233724, 'are suspended for': 90686, 'suspended for california': 829613, 'for california well': 319878, 'california well california': 155604, 'well california noted': 978087, 'california noted in': 155546, 'noted in your': 572868, 'in your covid': 431071, '19 information link': 7882, 'information link above': 437885, 'attendant still': 102376, 'deserve living': 238071, 'so do grocery': 776883, 'employee and gas': 273564, 'station attendant still': 796359, 'attendant still not': 102378, 'still not deserve': 800891, 'not deserve living': 569001, 'deserve living wage': 238072, 'news around': 560244, 'temporary and': 837576, 'normal hopefully': 567175, 'hopefully soon': 403881, 'go window': 354506, 'online check': 608004, 'even with all': 284803, '19 news around': 8775, 'news around the': 560245, 'world we have': 1010143, 'to be positive': 901447, 'be positive and': 116469, 'positive and think': 665257, 'and think this': 73974, 'this is temporary': 888421, 'is temporary and': 452602, 'temporary and thing': 837578, 'and thing are': 73954, 'to normal hopefully': 910649, 'normal hopefully soon': 567176, 'hopefully soon stay': 403882, 'soon stay safe': 785830, 'safe and now': 729462, 'and now that': 67863, 'now that you': 576028, 'you have time': 1019130, 'to be home': 901311, 'be home go': 115283, 'home go window': 401304, 'go window shopping': 354507, 'window shopping online': 995716, 'shopping online check': 763419, 'online check out': 608005, 'ezinne': 294170, 'aja': 40447, 'yan': 1014124, 'hunger dey': 411092, 'dey everywhere': 240023, 'everywhere abeg': 288165, 'abeg bring': 24309, 'price ezinne': 673751, 'ezinne aja': 294171, 'aja yan': 40448, 'yan food': 1014125, 'food seller': 316390, 'seller via': 749109, 'hunger dey everywhere': 411093, 'dey everywhere abeg': 240024, 'everywhere abeg bring': 288166, 'abeg bring down': 24310, 'bring down price': 139961, 'down price ezinne': 257111, 'price ezinne aja': 673752, 'ezinne aja yan': 294172, 'aja yan food': 40449, 'yan food seller': 1014126, 'food seller via': 316394, 'hey help': 394411, 'help how': 389876, 'whose home': 990645, 'home wa': 402437, 'wa burglarized': 961760, 'burglarized by': 142844, 'your delivery': 1023480, 'guy call': 368948, 'complain you': 191873, 'any responsibility': 79755, 'responsibility called': 715934, 'called your': 156494, 'your rep': 1025568, 'rep sharon': 711423, 'sharon wa': 755664, 'or answer': 614330, 'answer dm': 78037, 'up amwriting': 944292, 'hey help how': 394412, 'help how come': 389877, 'how come when': 407568, 'come when consumer': 187667, 'when consumer whose': 983280, 'consumer whose home': 199536, 'whose home wa': 990646, 'home wa burglarized': 402438, 'wa burglarized by': 961761, 'burglarized by one': 142845, 'of your delivery': 593461, 'your delivery guy': 1023481, 'delivery guy call': 234077, 'guy call to': 368949, 'call to complain': 156170, 'to complain you': 903132, 'complain you do': 191875, 'take any responsibility': 831948, 'any responsibility called': 79756, 'responsibility called your': 715935, 'called your rep': 156495, 'your rep sharon': 1025571, 'rep sharon wa': 711424, 'sharon wa unable': 755665, 'unable to provide': 939343, 'to provide any': 912381, 'provide any help': 686228, 'any help or': 79315, 'help or answer': 390197, 'or answer dm': 614331, 'answer dm me': 78038, 'dm me to': 248908, 'me to follow': 523752, 'follow up amwriting': 312576, 'canceled or': 160947, 'or reduced': 616814, 'reduced order': 706133, 'uncertainty over': 939735, 'over consumer': 630102, 'demand post': 236055, 'some headwind': 783034, 'headwind supplier': 386066, 'supplier face': 824531, 'second half': 743728, 'half sourcing': 374263, 'canceled or reduced': 160948, 'or reduced order': 616816, 'reduced order and': 706134, 'order and uncertainty': 618039, 'and uncertainty over': 74609, 'uncertainty over consumer': 939736, 'over consumer demand': 630104, 'consumer demand post': 197156, 'demand post covid': 236056, '19 are some': 5207, 'are some headwind': 90268, 'some headwind supplier': 783035, 'headwind supplier face': 386067, 'supplier face in': 824532, 'face in the': 294470, 'the second half': 866581, 'second half sourcing': 743729, 'supportive': 827246, '2w': 16874, 'hooked': 403350, 'maw': 520732, 'spx500 delivering': 791393, 'delivering hot': 233513, 'hot cooky': 405000, 'cooky 85': 202961, '85 good': 22920, 'good boy': 356840, 'boy my': 137275, 'my forecast': 548396, 'forecast is': 328840, 'early signal': 264692, 'signal keep': 769304, 'keep watching': 472202, 'watching volatility': 968821, 'volatility next': 960086, 'one supportive': 607147, 'supportive medicine': 827249, 'in 2w': 419904, '2w will': 16875, 'give huge': 350529, 'huge relief': 410170, 'whom hooked': 990556, 'hooked to': 403351, 'toiletpaper now': 922270, 'it park': 460260, 'time maw': 897197, 'spx500 delivering hot': 791394, 'delivering hot cooky': 233514, 'hot cooky 85': 405001, 'cooky 85 good': 202962, '85 good boy': 22921, 'good boy my': 356841, 'boy my forecast': 137276, 'my forecast is': 548397, 'forecast is long': 328841, 'is long term': 449435, 'long term that': 501716, 'term that an': 838312, 'that an early': 842642, 'an early signal': 55542, 'early signal keep': 264693, 'signal keep watching': 769305, 'keep watching volatility': 472203, 'watching volatility next': 968822, 'volatility next one': 960087, 'next one supportive': 561486, 'one supportive medicine': 607148, 'supportive medicine in': 827250, 'medicine in 2w': 526814, 'in 2w will': 419905, '2w will give': 16876, 'will give huge': 993530, 'give huge relief': 350530, 'huge relief to': 410171, 'relief to whom': 709485, 'to whom hooked': 918584, 'whom hooked to': 990557, 'hooked to toiletpaper': 403352, 'to toiletpaper now': 917625, 'toiletpaper now it': 922271, 'now it park': 575126, 'it park time': 460261, 'park time maw': 642010, 'bhagat': 129322, 'bhagat in': 129325, 'in complete': 421632, 'complete agreement': 192061, 'with bhagat': 997394, 'bhagat he': 129323, 'prevent food': 671622, 'panic religious': 638477, 'religious riot': 709589, 'we more': 972389, 'more immune': 539485, 'immune asian': 417307, 'asian race': 95326, 'race are': 695182, 'not badly': 568329, 'badly affected': 108137, 'by corona': 152219, 'corona 800': 203792, '800 indian': 22709, 'indian may': 434856, 'bhagat in complete': 129326, 'in complete agreement': 421633, 'complete agreement with': 192062, 'agreement with bhagat': 38810, 'with bhagat he': 997395, 'bhagat he is': 129324, 'he is trying': 385152, 'to prevent food': 912059, 'prevent food panic': 671624, 'food panic religious': 315754, 'panic religious riot': 638478, 'religious riot we': 709590, 'riot we more': 722627, 'we more immune': 972390, 'more immune asian': 539486, 'immune asian race': 417308, 'asian race are': 95327, 'race are not': 695183, 'are not badly': 88330, 'not badly affected': 568330, 'badly affected by': 108138, 'affected by corona': 34308, 'by corona 800': 152220, 'corona 800 indian': 203793, '800 indian may': 22710, 'indian may die': 434857, 'updated gasbuddy': 947369, 'gasbuddy gasoline': 344193, 'gasoline demand': 344222, 'demand data': 235210, 'show new': 767065, 'daily low': 224676, 'low offsetting': 505443, 'offsetting weak': 596128, 'last sunday': 480518, 'sunday on': 818244, '12 gas': 2862, 'demand wa': 236445, '16 65': 4083, '65 lower': 21366, 'sunday and': 818168, 'low about': 505102, 'about 54': 24728, '54 57': 20313, '57 below': 20477, 'daily average': 224501, 'average from': 104842, 'february to': 301745, 'updated gasbuddy gasoline': 947370, 'gasbuddy gasoline demand': 344194, 'gasoline demand data': 344223, 'demand data show': 235211, 'data show new': 226410, 'show new daily': 767066, 'new daily low': 558588, 'daily low offsetting': 224678, 'low offsetting weak': 505444, 'offsetting weak demand': 596129, 'weak demand last': 974009, 'demand last sunday': 235792, 'last sunday on': 480520, 'sunday on april': 818245, 'april 12 gas': 83401, '12 gas demand': 2863, 'gas demand wa': 343818, 'demand wa 16': 236446, 'wa 16 65': 961351, '16 65 lower': 4084, '65 lower than': 21367, 'lower than last': 506010, 'than last sunday': 840834, 'last sunday and': 480519, 'sunday and set': 818171, 'and set new': 71329, 'set new daily': 753432, 'daily low about': 224677, 'low about 54': 505103, 'about 54 57': 24729, '54 57 below': 20314, '57 below the': 20478, 'below the daily': 126742, 'the daily average': 852772, 'daily average from': 224503, 'average from february': 104843, 'from february to': 335446, 'february to 12': 301746, 'shelf great': 757128, 'read from': 700340, 'there something about': 879075, 'something about pandemic': 784831, 'about pandemic that': 25917, 'pandemic that cause': 636649, 'that cause panicked': 843182, 'supermarket shelf great': 822477, 'shelf great read': 757129, 'great read from': 362938, 'hire an': 397000, 'additional 10': 31760, 'employee demand': 273769, 'food surge': 317033, 'raising wage': 696160, 'hour those': 406001, 'what essential': 981417, 'to hire an': 907793, 'hire an additional': 397001, 'an additional 10': 55106, 'additional 10 00': 31761, '10 00 employee': 1195, '00 employee demand': 187, 'employee demand for': 273770, 'for food surge': 321639, 'food surge and': 317034, 'surge and target': 828129, 'and target is': 73033, 'is raising wage': 451216, 'raising wage by': 696161, 'wage by an': 963836, 'by an hour': 151824, 'an hour those': 56106, 'hour those are': 406002, 'those are just': 891802, 'just few example': 468704, 'example of what': 288956, 'of what essential': 593050, 'what essential retailer': 981418, 'essential retailer are': 281476, 'retailer are doing': 718993, 'doing to meet': 252795, 'meet increased consumer': 527510, 'the billion': 849702, 'billion that': 130919, 'airline want': 40054, 'want they': 965973, 'into debt': 442505, 'through share': 894667, 'for bonus': 319718, 'few hundred': 303868, 'thousand testing': 893493, 'kit from': 475552, 'south korean': 786755, 'korean company': 477516, 'are mass': 88047, 'mass producing': 519836, 'producing them': 680810, 'why cannot we': 990877, 'cannot we take': 162223, 'we take some': 973485, 'take some of': 832600, 'of the billion': 590821, 'the billion that': 849703, 'billion that the': 130920, 'that the airline': 846659, 'the airline want': 848503, 'airline want they': 40055, 'want they went': 965974, 'they went into': 883742, 'went into debt': 979044, 'into debt to': 442506, 'debt to inflate': 230584, 'inflate their stock': 437002, 'stock price through': 802751, 'price through share': 676941, 'through share price': 894669, 'price for bonus': 673933, 'for bonus and': 319719, 'bonus and buy': 134345, 'and buy few': 59334, 'buy few hundred': 148622, 'few hundred thousand': 303870, 'hundred thousand testing': 411032, 'thousand testing kit': 893494, 'testing kit from': 839540, 'kit from the': 475554, 'from the south': 337882, 'the south korean': 867512, 'south korean company': 786757, 'korean company that': 477517, 'company that are': 191160, 'that are mass': 842777, 'are mass producing': 88048, 'mass producing them': 519837, 'shaktikanta': 754478, 'ease inflation': 265084, 'inflation say': 437233, 'say rbi': 739087, 'rbi governor': 698084, 'governor shaktikanta': 360987, 'shaktikanta da': 754479, 'price could help': 673284, 'could help ease': 209282, 'help ease inflation': 389621, 'ease inflation say': 265085, 'inflation say rbi': 437234, 'say rbi governor': 739088, 'rbi governor shaktikanta': 698085, 'governor shaktikanta da': 360988, 'launched the': 482041, '19 mena': 8627, 'mena sentiment': 528562, 'sentiment tracker': 751017, 'monitor public': 537314, 'changing social': 172798, 'social behavior': 779441, 'poll cover': 663833, 'cover resident': 212277, 'region and': 707386, 'we launched the': 972175, 'launched the covid': 482042, 'covid 19 mena': 213425, '19 mena sentiment': 8628, 'mena sentiment tracker': 528563, 'sentiment tracker to': 751020, 'tracker to monitor': 928304, 'to monitor public': 910235, 'monitor public opinion': 537315, 'public opinion and': 688199, 'opinion and changing': 613449, 'and changing social': 59735, 'changing social behavior': 172799, 'social behavior the': 779443, 'behavior the poll': 124231, 'the poll cover': 863954, 'poll cover resident': 663834, 'cover resident of': 212278, 'resident of market': 714342, 'of market across': 586225, 'market across the': 515911, 'across the region': 29517, 'the region and': 865424, 'iraq thousand': 444786, 'than reported': 841080, 'case in iraq': 165795, 'in iraq thousand': 424154, 'iraq thousand more': 444787, 'thousand more than': 893417, 'more than reported': 540665, 'than reported by': 841081, 'reported by government': 712465, 'by government say': 152716, 'government say doctor': 360565, 'realistically': 701680, 'nerve': 557437, 'panel joining': 637186, 'joining what': 466996, 'what extra': 981445, 'precaution do': 669309, 'take when': 832795, 'cannot realistically': 162051, 'realistically wipe': 701681, 'down loaf': 256933, 'or every': 615224, 'every box': 285701, 'box can': 137030, 'food any': 313392, 'calm frazzled': 156741, 'frazzled nerve': 331499, 'nerve msnbc': 557438, 'question for and': 693586, 'for and the': 319344, 'and the panel': 73509, 'the panel joining': 863176, 'panel joining what': 637187, 'joining what extra': 466997, 'what extra precaution': 981446, 'extra precaution do': 293610, 'precaution do we': 669310, 'to take when': 916260, 'take when grocery': 832796, 'grocery shopping we': 365106, 'we cannot realistically': 971076, 'cannot realistically wipe': 162052, 'realistically wipe down': 701682, 'wipe down loaf': 996238, 'down loaf of': 256934, 'of bread or': 580846, 'bread or every': 138553, 'or every box': 615225, 'every box can': 285702, 'box can of': 137032, 'of food any': 583647, 'food any advice': 313393, 'any advice to': 78905, 'advice to calm': 33527, 'to calm frazzled': 902394, 'calm frazzled nerve': 156742, 'frazzled nerve msnbc': 331500, 'economicimpact': 267417, 'onlinesales': 609865, 'caused people': 167935, 'and depend': 61214, 'depend more': 237307, 'this updated': 890941, 'updated article': 947345, 'can better': 157758, 'better prepare': 128416, 'prepare themselves': 670133, 'themselves pandemic': 876870, 'pandemic economicimpact': 635357, 'economicimpact onlinesales': 267422, 'ha caused people': 370093, 'caused people to': 167936, 'home and depend': 400632, 'and depend more': 61215, 'depend more and': 237308, 'and more on': 67196, 'out this updated': 627590, 'this updated article': 890942, 'updated article on': 947346, 'on it impact': 601669, 'impact on ecommerce': 417845, 'on ecommerce and': 600499, 'ecommerce and how': 266712, 'brand can better': 137787, 'can better prepare': 157760, 'better prepare themselves': 128417, 'prepare themselves pandemic': 670134, 'themselves pandemic economicimpact': 876871, 'pandemic economicimpact onlinesales': 635358, 'everyone reading': 287314, 'very active': 954976, 'active due': 30265, 'massive purchase': 520072, 'purchase work': 689733, 'skyrocketed and': 773351, 'all struggling': 44510, 'struggling lot': 814458, 'lot you': 504419, 'exhaustion than': 290199, 'for everyone reading': 321231, 'everyone reading this': 287315, 'reading this will': 700816, 'not be very': 568481, 'be very active': 117965, 'very active due': 954979, 'active due to': 30266, 'in supermarket warehouse': 428707, 'supermarket warehouse and': 823730, 'warehouse and due': 966680, 'to massive purchase': 909884, 'massive purchase work': 520073, 'purchase work ha': 689734, 'work ha skyrocketed': 1005232, 'ha skyrocketed and': 371954, 'skyrocketed and we': 773354, 'are all struggling': 84354, 'all struggling lot': 44512, 'struggling lot you': 814459, 'lot you are': 504420, 'die from exhaustion': 241346, 'from exhaustion than': 335347, 'exhaustion than from': 290200, 'an shaped': 56795, 'shaped recovery': 754878, 'recovery post': 705384, 'gulf arab': 368630, 'arab state': 83838, 'of fiscal': 583556, 'stimulus watch': 801624, 'live via': 496106, 'zoom at': 1027797, 'we expect the': 971501, 'expect the risk': 290755, 'risk of an': 723725, 'of an shaped': 580129, 'an shaped recovery': 56796, 'shaped recovery post': 754880, 'recovery post covid': 705385, 'the gulf arab': 856938, 'gulf arab state': 368631, 'arab state due': 83839, 'lack of fiscal': 478623, 'of fiscal stimulus': 583557, 'fiscal stimulus watch': 309278, 'stimulus watch live': 801625, 'watch live via': 968469, 'live via zoom': 496107, 'via zoom at': 956377, 'zoom at the': 1027798, 'blyth': 133547, 'queses': 693479, 'activating': 30238, '10 30': 1265, '30 morrison': 17131, 'supermarket blyth': 819384, 'blyth massive': 133548, 'massive queses': 520077, 'queses and': 693480, 'big gap': 129799, 'gap on': 343456, 'panic borisjohnson': 637410, 'borisjohnson you': 135539, 'consider activating': 194939, 'activating some': 30241, 'of regulated': 588893, 'regulated distribution': 708007, 'enforce considerate': 276662, 'considerate shopping': 195226, '10 30 morrison': 1268, '30 morrison supermarket': 17132, 'morrison supermarket blyth': 541759, 'supermarket blyth massive': 819385, 'blyth massive queses': 133549, 'massive queses and': 520078, 'queses and big': 693481, 'and big gap': 58960, 'big gap on': 129800, 'gap on shelf': 343457, 'on shelf this': 603411, 'is day of': 447038, 'the panic borisjohnson': 863185, 'panic borisjohnson you': 637411, 'borisjohnson you need': 135540, 'need to consider': 555892, 'to consider activating': 903219, 'consider activating some': 194940, 'activating some sort': 30242, 'sort of regulated': 786138, 'of regulated distribution': 588894, 'regulated distribution and': 708008, 'distribution and enforce': 248109, 'and enforce considerate': 62130, 'enforce considerate shopping': 276663, 'considerate shopping this': 195227, 'shopping this will': 764135, 'this will get': 891416, 'coronavirus cover': 205715, 'mouth save': 543558, 'paper fun': 640200, 'fun toiletpaper': 341235, 'toiletpaper hype': 922104, 'hype cover': 412263, 'mouth on': 543542, 'coronavirus cover your': 205716, 'your mouth save': 1024904, 'mouth save toilet': 543559, 'toilet paper fun': 921281, 'paper fun toiletpaper': 640201, 'fun toiletpaper hype': 341236, 'toiletpaper hype cover': 922105, 'hype cover your': 412264, 'your mouth on': 1024902, 'mouth on public': 543543, 'trumpet': 934042, 'classy my': 180390, 'baby wa': 106724, 'so nervous': 777863, 'nervous she': 557476, 'old trumpet': 598515, 'trumpet player': 934043, 'like be': 489879, 'soap rubbing': 779097, 'classy my baby': 180391, 'my baby wa': 547373, 'baby wa so': 106725, 'wa so nervous': 963263, 'so nervous she': 777864, 'nervous she wa': 557477, 'she wa looking': 756417, 'wa looking at': 962588, 'looking at that': 502826, 'at that old': 100858, 'that old trumpet': 845482, 'old trumpet player': 598516, 'trumpet player like': 934044, 'player like be': 659314, 'like be looking': 489880, 'shelf of hand': 757361, 'sanitizer hand soap': 735024, 'hand soap rubbing': 375776, 'soap rubbing alcohol': 779098, 'alcohol and toilet': 40909, 'temporarily shuttered': 837543, 'have traditionally': 383389, 'traditionally kept': 929032, 'kept their': 473080, 'holiday will': 400384, 'employee day': 273753, 'that have temporarily': 844238, 'have temporarily shuttered': 382935, 'temporarily shuttered store': 837544, 'shuttered store due': 768221, '19 some grocery': 10693, 'store that have': 810552, 'that have traditionally': 844242, 'have traditionally kept': 383390, 'traditionally kept their': 929033, 'kept their door': 473082, 'their door open': 873074, 'door open on': 255684, 'open on the': 612413, 'on the holiday': 604163, 'the holiday will': 857437, 'holiday will be': 400385, 'closed to give': 183394, 'give employee day': 350468, 'employee day off': 273754, 'convincing': 202678, 'suit setting': 817784, 'setting the': 753649, 'right price': 722235, 'price provides': 676024, 'company whole': 191323, 'here downside': 392929, 'downside in': 257701, 'helped raise': 391094, 'alarm convincing': 40667, 'convincing many': 202681, 'not want market': 572440, 'it suit setting': 461346, 'suit setting the': 817785, 'setting the right': 753651, 'the right price': 865820, 'right price provides': 722236, 'price provides valuable': 676025, 'to the company': 916576, 'the company whole': 851362, 'company whole here': 191324, 'whole here downside': 990235, 'here downside in': 392930, 'downside in fact': 257702, 'crash helped raise': 214983, 'helped raise the': 391095, 'raise the alarm': 695954, 'the alarm convincing': 848547, 'alarm convincing many': 40668, 'convincing many that': 202682, 'delete': 232844, 'peopleoverprofit': 650613, 'did delete': 240586, 'delete their': 232847, 'their tweet': 875058, 'tweet after': 936333, 'after called': 35448, 'their focus': 873333, 'focus of': 311856, 'then blocked': 877032, 'blocked me': 132863, 'from following': 335500, 'and messaging': 66966, 'messaging is': 529512, 'inflate your': 437005, 'price peopleoverprofit': 675855, 'peopleoverprofit boycottvodafone': 650614, 'only did delete': 610331, 'did delete their': 240587, 'delete their tweet': 232848, 'their tweet after': 875059, 'tweet after called': 936334, 'after called them': 35449, 'called them out': 156467, 'of their focus': 591662, 'their focus of': 873334, 'focus of profiteering': 311857, 'of profiteering during': 588526, 'profiteering during but': 683025, 'during but then': 262485, 'but then blocked': 147442, 'then blocked me': 877033, 'blocked me from': 132864, 'me from following': 522783, 'from following and': 335501, 'following and messaging': 312688, 'and messaging is': 66967, 'messaging is not': 529513, 'to inflate your': 908374, 'inflate your price': 437006, 'your price peopleoverprofit': 1025411, 'price peopleoverprofit boycottvodafone': 675856, 'precipitously': 669493, 'attrition': 102750, 'fallen precipitously': 297171, 'precipitously saudi': 669494, 'saudi aramco': 737233, 'aramco draw': 83993, 'draw other': 258475, 'producer into': 680646, 'into war': 443279, 'of attrition': 580438, 'have fallen precipitously': 380574, 'fallen precipitously saudi': 297172, 'precipitously saudi aramco': 669495, 'saudi aramco draw': 737235, 'aramco draw other': 83994, 'draw other producer': 258476, 'other producer into': 620763, 'producer into war': 680647, 'into war of': 443280, 'war of attrition': 966494, 'sentiment it': 750965, 'american are making': 51808, 'are making more': 87995, 'grocery because of': 364314, 'or sentiment it': 617012, 'sentiment it would': 750966, 'water cause': 968937, 'cause utility': 167783, 'shut you': 767966, 'close thier': 182870, 'thier door': 884023, 'door you': 255795, 'work cause': 1004983, 'cause your': 167813, 'kid ha': 473974, 'afford month': 34729, 'why we stock': 991531, 'up on water': 945642, 'on water cause': 605116, 'water cause utility': 968938, 'cause utility company': 167784, 'utility company will': 951274, 'company will shut': 191338, 'will shut you': 994856, 'shut you off': 767967, 'you off in': 1020177, 'off in the': 593926, 'of pandemic the': 587709, 'pandemic the school': 636700, 'the school close': 866489, 'school close thier': 741727, 'close thier door': 182871, 'thier door you': 884024, 'door you lose': 255796, 'you lose out': 1019714, 'lose out on': 503466, 'out on work': 626926, 'on work cause': 605364, 'work cause your': 1004984, 'cause your kid': 167814, 'your kid ha': 1024559, 'kid ha no': 473976, 'ha no where': 371353, 'go and you': 353294, 'can afford month': 157404, 'afford month worth': 34730, 'month worth of': 538147, '19 border': 5421, 'closure on': 183982, 'on rice': 603189, 'nigeria advantage': 562706, 'advantage price': 33051, 'international market': 441826, 'market report': 516985, 'the partial': 863309, 'partial border': 642513, 'closure by': 183862, 'last laugh': 480284, 'laugh on': 481749, 'rice farmer': 721046, 'covid 19 border': 212719, '19 border closure': 5422, 'border closure on': 135236, 'closure on rice': 183983, 'on rice to': 603190, 'rice to nigeria': 721156, 'to nigeria advantage': 910601, 'nigeria advantage price': 562707, 'advantage price skyrocket': 33052, 'price skyrocket in': 676437, 'skyrocket in international': 773311, 'in international market': 424124, 'international market report': 441828, 'market report the': 516988, 'report the partial': 712343, 'the partial border': 863310, 'partial border closure': 642514, 'border closure by': 135232, 'closure by the': 183863, 'by the nigerian': 154388, 'the nigerian government': 861802, 'nigerian government ha': 562848, 'government ha put': 360164, 'put the last': 690861, 'the last laugh': 859017, 'last laugh on': 480285, 'laugh on the': 481750, 'on the face': 604107, 'face of rice': 294670, 'of rice farmer': 589095, 'rice farmer the': 721047, 'farmer the price': 299523, 'price of rice': 675557, 'thame': 840127, 'haddenham': 373823, 'longcrendon': 501892, 'chinnor': 177492, 'resource of': 714837, 'service tonight': 753004, 'it super': 461351, 'super easy': 818493, 'for thame': 326244, 'thame haddenham': 840128, 'haddenham longcrendon': 373824, 'longcrendon chinnor': 501893, 'updated our online': 947418, 'our online resource': 624152, 'online resource of': 608865, 'resource of local': 714838, 'business and service': 143329, 'and service tonight': 71321, 'service tonight to': 753005, 'tonight to make': 924508, 'make it super': 510058, 'it super easy': 461352, 'super easy to': 818495, 'easy to shop': 265790, 'to shop local': 914469, 'shop local support': 760427, 'local support local': 498629, 'business and find': 143303, 'and find what': 62897, 'looking for thame': 502907, 'for thame haddenham': 326245, 'thame haddenham longcrendon': 840129, 'haddenham longcrendon chinnor': 373825, '250rs': 16055, 'villa': 957321, '6km': 21628, 'lesson in': 486485, 'humanity from': 410727, 'customer ordered': 222661, 'ordered 250rs': 618814, '250rs worth': 16056, 'vegetable our': 954062, 'working since': 1008911, 'since 3am': 770480, '3am braved': 18206, 'braved police': 138255, 'police checkpoint': 662953, 'checkpoint to': 175072, 'their 10': 872412, '10 crore': 1371, 'crore villa': 218976, 'villa 6km': 957322, '6km away': 21629, 'away client': 105804, 'client please': 182081, 'lesson in humanity': 486487, 'in humanity from': 423910, 'humanity from our': 410728, 'store customer ordered': 807247, 'customer ordered 250rs': 222662, 'ordered 250rs worth': 618815, '250rs worth of': 16057, 'worth of vegetable': 1011421, 'of vegetable our': 592764, 'vegetable our driver': 954063, 'our driver who': 622812, 'driver who have': 259855, 'been working since': 122401, 'working since 3am': 1008912, 'since 3am braved': 770481, '3am braved police': 18207, 'braved police checkpoint': 138256, 'police checkpoint to': 662954, 'checkpoint to deliver': 175073, 'to deliver to': 904117, 'to their 10': 917207, 'their 10 crore': 872413, '10 crore villa': 1372, 'crore villa 6km': 218977, 'villa 6km away': 957323, '6km away client': 21630, 'away client please': 105805, 'client please remove': 182082, 'remove the delivery': 710840, 'the delivery charge': 853059, 'have truck': 383416, 'truck for': 932808, 'so coronapocolypse': 776795, 'coronapocolypse retail': 205237, 'my store is': 550222, 'store is at': 808468, 'point where we': 662706, 'where we literally': 985344, 'we literally have': 972208, 'literally have nothing': 495019, 'have nothing left': 381707, 'left to put': 485688, 'to put on': 912599, 'shelf and we': 756776, 'not have truck': 569886, 'have truck for': 383417, 'truck for more': 932809, 'for more day': 323564, 'more day so': 538961, 'day so coronapocolypse': 228364, 'so coronapocolypse retail': 776796, 'creating thousand': 216087, 'job across': 465594, 'across it': 29358, 'it uk': 461898, 'uk footprint': 938377, 'footprint to': 318574, 'up logistics': 945341, 'distribution effort': 248145, 'effort demand': 269503, 'is creating thousand': 446918, 'creating thousand of': 216088, 'thousand of new': 893456, 'of new job': 586974, 'new job across': 558986, 'job across it': 465595, 'across it uk': 29360, 'it uk footprint': 461899, 'uk footprint to': 938378, 'footprint to ramp': 318575, 'ramp up logistics': 696444, 'up logistics and': 945342, 'logistics and distribution': 500719, 'and distribution effort': 61528, 'distribution effort demand': 248146, 'effort demand surge': 269504, 'demand surge amid': 236300, 'surge amid the': 828126, 'ghanaian': 349597, 'mechanism': 525845, 'citic': 178791, 'common hand': 189393, 'sanitizers give': 736289, 'president clue': 670786, 'clue of': 184550, 'how ghanaian': 407914, 'ghanaian will': 349600, 'be behave': 113825, 'behave when': 123799, 'situation am': 772166, 'control mechanism': 202051, 'mechanism now': 525854, 'now citic': 574380, 'common hand sanitizers': 189394, 'hand sanitizers give': 375696, 'sanitizers give the': 736290, 'give the president': 350748, 'the president clue': 864256, 'president clue of': 670787, 'clue of how': 184551, 'of how ghanaian': 584824, 'how ghanaian will': 407915, 'ghanaian will be': 349601, 'will be behave': 992376, 'be behave when': 113826, 'behave when are': 123800, 'when are vulnerable': 983171, 'are vulnerable in': 91509, 'vulnerable in difficult': 961014, 'in difficult situation': 422262, 'difficult situation am': 242262, 'situation am wondering': 772168, 'am wondering how': 50571, 'how the price': 408865, 'will be when': 992771, 'be when we': 118097, 'we get locked': 971617, 'down we need': 257448, 'we need price': 972529, 'need price control': 555467, 'price control mechanism': 673237, 'control mechanism now': 202052, 'mechanism now citic': 525855, 'travel with': 930575, 'with group': 998697, 'of stranger': 590283, 'stranger when': 812501, 'will visit': 995302, 'and sort': 72012, 'sort all': 786109, 'product socialdistancing': 681635, 'socialdistancing help': 780420, 'from chaos': 334825, 'chaos like': 173030, 'to travel with': 917739, 'travel with my': 930576, 'with my whole': 999657, 'my whole family': 550577, 'whole family and': 990193, 'family and have': 297590, 'fun with group': 341250, 'with group of': 998698, 'group of stranger': 366802, 'of stranger when': 590287, 'stranger when get': 812502, 'get home will': 347252, 'home will visit': 402511, 'will visit the': 995303, 'supermarket and sort': 819067, 'and sort all': 72013, 'sort all the': 786110, 'all the product': 44874, 'the product socialdistancing': 864594, 'product socialdistancing help': 681636, 'socialdistancing help protect': 780422, 'help protect you': 390380, 'you from chaos': 1018711, 'from chaos like': 334826, 'chaos like me': 173031, 'like me and': 490738, 'me and also': 522404, 'and also from': 57951, 'from the cc': 337632, 'close street': 182816, 'to automobile': 900849, 'automobile during': 104027, 'why it important': 991142, 'important to close': 419049, 'to close street': 902897, 'close street to': 182817, 'street to automobile': 813146, 'to automobile during': 900850, 'automobile during the': 104028, 'pandemic but many': 635048, 'emblematic': 272479, 'instill': 440395, 'shortage ha': 764979, 'so emblematic': 776947, 'emblematic of': 272480, 'government federal': 360081, 'federal amp': 301947, 'this priority': 889717, 'priority targeting': 678667, 'targeting and': 834558, 'and fixing': 62955, 'fixing this': 309867, 'this single': 890161, 'single problem': 771387, 'problem may': 679603, 'may dial': 521121, 'dial back': 240282, 'and instill': 65289, 'instill the': 440398, 'the sense': 866715, 'sense that': 750596, 'the shortage ha': 867093, 'shortage ha become': 764980, 'ha become so': 369694, 'become so emblematic': 120134, 'so emblematic of': 776948, 'emblematic of the': 272481, 'crisis that government': 218149, 'that government federal': 844061, 'government federal amp': 360082, 'federal amp state': 301948, 'amp state and': 54556, 'state and the': 795373, 'and the private': 73528, 'private sector should': 678979, 'sector should make': 744326, 'should make this': 766216, 'make this priority': 510646, 'this priority targeting': 889719, 'priority targeting and': 678668, 'targeting and fixing': 834559, 'and fixing this': 62956, 'fixing this single': 309868, 'this single problem': 890162, 'single problem may': 771388, 'problem may dial': 679604, 'may dial back': 521122, 'dial back the': 240283, 'back the panic': 107314, 'panic and instill': 637319, 'and instill the': 65291, 'instill the sense': 440399, 'the sense that': 866716, 'sense that we': 750598, 'that we ll': 847380, 'promach': 683652, 'labelers': 478375, 'promach understands': 683653, 'these remain': 880580, 'their packaging': 874221, 'packaging line': 633554, 'line operating': 493332, 'operating while': 613113, 'while focusing': 986840, 'safety protection': 730703, 'protection of': 685537, 'everyone epi': 286891, 'epi labelers': 279301, 'promach understands the': 683654, 'understands the importance': 940916, 'of consumer packaged': 581755, 'packaged good in': 633491, 'good in time': 357253, 'like these remain': 491437, 'these remain committed': 880581, 'to helping our': 907677, 'helping our customer': 391417, 'our customer keep': 622667, 'customer keep their': 222563, 'keep their packaging': 472091, 'their packaging line': 874222, 'packaging line operating': 633556, 'line operating while': 493333, 'operating while focusing': 613114, 'while focusing on': 986841, 'focusing on the': 312002, 'on the safety': 604342, 'the safety protection': 866153, 'safety protection of': 730705, 'protection of everyone': 685540, 'of everyone epi': 583252, 'everyone epi labelers': 286892, 'partner tom': 642886, 'tom went': 923933, 'went express': 978992, 'express for': 293037, 'bit this': 131710, 'got free': 358570, 'free bunch': 331689, 'flower for': 311290, 'it lovely': 459469, 'nh appreciated': 561889, 'appreciated thank': 82841, 'worker helping': 1007116, 'too nhsthankyou': 924968, 'my partner tom': 549725, 'partner tom went': 642887, 'tom went express': 923934, 'went express for': 978993, 'express for few': 293038, 'for few bit': 321449, 'few bit this': 303729, 'bit this morning': 131711, 'morning and got': 541157, 'and got free': 63851, 'got free bunch': 358571, 'free bunch of': 331690, 'bunch of flower': 142625, 'of flower for': 583610, 'flower for being': 311291, 'being an nh': 124846, 'an nh worker': 56526, 'nh worker always': 562170, 'worker always proud': 1006241, 'proud of him': 686029, 'of him but': 584630, 'him but it': 396564, 'but it lovely': 146136, 'it lovely to': 459470, 'see the nh': 745865, 'the nh appreciated': 861725, 'nh appreciated thank': 561890, 'appreciated thank you': 82842, 'supermarket worker helping': 824034, 'worker helping all': 1007117, 'helping all too': 391262, 'all too nhsthankyou': 45269, 'shipment ha': 758757, 'store craziness': 807218, 'paper when they': 641084, 'find out new': 307146, 'out new shipment': 626631, 'new shipment ha': 559577, 'shipment ha come': 758758, 'ha come in': 370203, 'come in to': 187379, 'grocery store craziness': 365314, 'ev sale': 283676, 'dramatically this': 258378, 'news isn': 560563, 'isn all': 454425, 'all bad': 42107, 'bad sale': 108001, 'grow once': 367046, 'ev sale will': 283677, 'sale will drop': 732652, 'drop dramatically this': 260182, 'dramatically this year': 258379, 'but the news': 147368, 'the news isn': 861615, 'news isn all': 560564, 'isn all bad': 454426, 'all bad sale': 42110, 'bad sale are': 108002, 'sale are expected': 732060, 'to grow once': 907034, 'grow once the': 367047, 'will surge': 995040, 'surge following': 828164, '19 reality': 9981, 'check story': 174632, 'by harry': 152760, 'brennan in': 139323, 'for will surge': 327882, 'will surge following': 995041, 'surge following covid': 828165, 'covid 19 reality': 213662, '19 reality check': 9983, 'reality check story': 701715, 'check story by': 174633, 'story by harry': 811929, 'by harry brennan': 152761, 'harry brennan in': 378547, 'comix': 188311, '480ml': 19347, 'l902': 478121, 'comix hand': 188312, 'gel 16': 345078, '16 fl': 4106, 'oz 480ml': 632716, '480ml alcohol': 19348, 'based free': 111585, 'friendly l902': 333967, 'l902 sanitizer': 478122, 'comix hand sanitizer': 188313, 'sanitizer gel 16': 734960, 'gel 16 fl': 345079, '16 fl oz': 4107, 'fl oz 480ml': 309915, 'oz 480ml alcohol': 632717, '480ml alcohol based': 19349, 'alcohol based free': 40927, 'based free foaming': 111586, 'free foaming hand': 331821, 'foaming hand sanitizer': 311817, 'kid friendly l902': 473961, 'friendly l902 sanitizer': 333968, 'l902 sanitizer sanitizers': 478123, 'riaa': 720940, 'system battle': 831120, 'in australian': 420624, 'australian consider': 103467, 'consider healthcare': 195015, 'healthcare medical': 387180, 'product an': 680867, 'important theme': 419019, 'theme when': 876717, 'when investing': 983607, 'investing their': 443949, 'money well': 537156, 'well supporting': 978631, 'environment find': 279098, 'in riaa': 427494, 'riaa 2020': 720941, 'while our health': 987130, 'our health system': 623380, 'health system battle': 386887, 'system battle to': 831121, 'battle to cope': 112835, '19 in australian': 7731, 'in australian consider': 420625, 'australian consider healthcare': 103468, 'consider healthcare medical': 195016, 'healthcare medical product': 387182, 'medical product an': 526318, 'product an important': 680868, 'an important theme': 56206, 'important theme when': 419021, 'theme when investing': 876718, 'when investing their': 983608, 'investing their money': 443950, 'their money well': 874005, 'money well supporting': 537157, 'well supporting the': 978633, 'supporting the environment': 827210, 'the environment find': 854400, 'environment find out': 279099, 'out more in': 626570, 'more in riaa': 539524, 'in riaa 2020': 427495, 'riaa 2020 consumer': 720942, '2020 consumer research': 14243, 'retailer gift': 719160, 'card if': 163547, 'looking for retailer': 502895, 'for retailer gift': 325203, 'retailer gift card': 719161, 'gift card if': 349944, 'card if that': 163548, 'would love the': 1012014, 'love the extra': 504806, 'the extra support': 854771, 'extra support they': 293669, 'includes the': 431818, 'best research': 127883, 'and opinion': 68193, 'opinion along': 613445, 'own so': 632218, 'strategy can': 812628, 'informed possible': 438120, 'article explores the': 94312, 'explores the lasting': 292535, 'it includes the': 458767, 'includes the best': 431819, 'the best research': 849548, 'best research observation': 127884, 'observation and opinion': 578537, 'and opinion along': 68194, 'opinion along with': 613446, 'with our own': 1000009, 'our own so': 624217, 'own so that': 632219, 'so that post': 778391, 'that post covid': 845797, '19 marketing strategy': 8564, 'marketing strategy can': 517710, 'strategy can be': 812629, 'can be informed': 157632, 'be informed possible': 115497, 'soccer': 779408, 'moines': 535592, 'ia': 412514, 'below soccer': 126731, 'soccer master': 779409, 'master store': 520211, 'store besides': 806722, 'besides our': 127517, 'our de': 622705, 'de moines': 229087, 'moines ia': 535593, 'ia location': 412515, 'recent event': 703894, 'event with': 285110, 'see below soccer': 744961, 'below soccer master': 126732, 'soccer master store': 779410, 'master store news': 520212, 'store news all': 809065, 'news all retail': 560212, 'retail store besides': 718617, 'store besides our': 806723, 'besides our de': 127518, 'our de moines': 622706, 'de moines ia': 229088, 'moines ia location': 535594, 'ia location will': 412516, 'location will temporarily': 498997, 'temporarily close due': 837448, 'the recent event': 865308, 'recent event with': 703895, 'event with covid': 285111, 'we are always': 970476, 'always open at': 49676, 'open at please': 612101, 'at please support': 100135, 'please support local': 660614, 'business during these': 143673, 'million the': 532369, 'most convenient': 542208, 'convenient place': 202408, 'isn supermarket': 454685, 'but obtained': 146632, 'obtained the': 578750, 'company covid': 190572, '19 sick': 10536, 'bad worse': 108086, 'worse almost': 1010857, 'for million the': 323439, 'million the most': 532371, 'the most convenient': 860963, 'most convenient place': 542209, 'convenient place to': 202410, 'get supply during': 348155, 'the pandemic isn': 863004, 'pandemic isn supermarket': 635807, 'isn supermarket but': 454686, 'supermarket but obtained': 819454, 'but obtained the': 146633, 'obtained the company': 578751, 'the company covid': 851321, 'company covid 19': 190573, 'covid 19 sick': 213799, '19 sick leave': 10537, 'policy and it': 663334, 'and it bad': 65486, 'it bad worse': 456694, 'bad worse almost': 108087, 'worse almost everyone': 1010858, 'almost everyone who': 46630, 'who work ha': 990037, 'work ha never': 1005231, 'ha never heard': 371321, 'heard of it': 388121, 'mahesh': 508505, 'vyas': 961327, 'cmie': 184677, 'longest to': 502122, 'recover post': 705188, 'will different': 993190, 'sector witness': 744415, 'witness change': 1003109, 'demand watch': 236453, 'watch mahesh': 968470, 'mahesh vyas': 508506, 'vyas md': 961328, 'ceo cmie': 169668, 'cmie discus': 184678, 'discus this': 244936, 'with boom': 997447, 'which sector will': 986295, 'take the longest': 832659, 'the longest to': 859700, 'longest to recover': 502123, 'to recover post': 912988, 'recover post lockdown': 705189, 'post lockdown how': 666200, 'lockdown how will': 499479, 'how will different': 409226, 'will different sector': 993191, 'different sector witness': 242052, 'sector witness change': 744416, 'witness change in': 1003110, 'consumer demand watch': 197174, 'demand watch mahesh': 236454, 'watch mahesh vyas': 968471, 'mahesh vyas md': 508507, 'vyas md amp': 961329, 'amp ceo cmie': 53510, 'ceo cmie discus': 169669, 'cmie discus this': 184679, 'discus this with': 244938, 'this with boom': 891458, 'buxton': 148236, 'brooke': 140965, 'buxton born': 148237, 'born tim': 135567, 'tim brooke': 896150, 'brooke taylor': 140966, 'taylor the': 835224, 'the comedian': 851184, 'comedian and': 187718, 'and actor': 57647, 'actor ha': 30579, 'died this': 241604, 'morning from': 541264, 'buxton born tim': 148238, 'born tim brooke': 135568, 'tim brooke taylor': 896151, 'brooke taylor the': 140967, 'taylor the comedian': 835225, 'the comedian and': 851185, 'comedian and actor': 187719, 'and actor ha': 57648, 'actor ha died': 30580, 'ha died this': 370383, 'died this morning': 241605, 'this morning from': 888960, 'morning from covid': 541265, 'our storage': 624935, 'in constant': 421670, 'with provider': 1000351, 'is stock': 452330, 'stock readily': 802778, 'available if': 104425, 'if our': 414573, 'number continue': 576852, 'we have increased': 971843, 'have increased our': 381062, 'increased our storage': 433393, 'our storage capacity': 624936, 'storage capacity and': 805955, 'capacity and we': 162496, 'are in constant': 87365, 'in constant contact': 421672, 'constant contact with': 195612, 'contact with provider': 200285, 'with provider to': 1000352, 'provider to make': 686805, 'sure that there': 827701, 'there is stock': 878634, 'is stock readily': 452333, 'stock readily available': 802779, 'readily available if': 700719, 'available if our': 104426, 'if our number': 414576, 'our number continue': 624099, 'number continue to': 576853, 'continue to increase': 201210, 'he proposed': 385312, 'service related': 752758, 'he proposed that': 385313, 'consultation with the': 195892, 'with the ministry': 1001391, 'maximum price for': 520832, 'for private medical': 324751, 'and service related': 71312, 'service related to': 752759, 'to the testing': 917120, 'the testing prevention': 869333, 'period of national': 651848, 'deloitte': 234800, 'increasing network': 433643, 'network resiliency': 557764, 'resiliency reliability': 714506, 'reliability for': 709188, 'consumer while': 199514, 'also looking': 48487, 'impact their': 418011, 'their planned': 874318, 'planned investment': 658459, 'investment particularly': 444036, 'in 5g': 419946, '5g covid19': 20666, 'telecom sector': 836691, 'sector deloitte': 744162, 'deloitte global': 234803, 'global via': 352277, 'telecom company are': 836674, 'company are focusing': 190426, 'focusing on increasing': 311995, 'on increasing network': 601546, 'increasing network resiliency': 433644, 'network resiliency reliability': 557765, 'resiliency reliability for': 714507, 'reliability for the': 709189, 'the consumer while': 851623, 'consumer while also': 199515, 'while also looking': 986593, 'also looking at': 48488, 'looking at how': 502811, 'at how will': 99238, 'will impact their': 993786, 'impact their planned': 418013, 'their planned investment': 874321, 'planned investment particularly': 658461, 'investment particularly in': 444037, 'particularly in 5g': 642698, 'in 5g covid19': 419947, '5g covid19 impact': 20667, 'the telecom sector': 869257, 'telecom sector deloitte': 836692, 'sector deloitte global': 744163, 'deloitte global via': 234804, 'toriesout': 925899, 'think fighting': 885242, 'bad wait': 108074, 'people fight': 647901, 'worst people': 1011244, 'charge at': 173208, 'time borisjohnson': 896405, 'borisjohnson toriesout': 135532, 'you think fighting': 1021655, 'think fighting over': 885243, 'over toiletpaper is': 630857, 'toiletpaper is bad': 922134, 'is bad wait': 445977, 'bad wait until': 108075, 'wait until people': 964243, 'until people fight': 943814, 'people fight over': 647902, 'over food the': 630225, 'food the worst': 317138, 'the worst people': 872067, 'worst people are': 1011245, 'are in charge': 87360, 'in charge at': 421337, 'charge at the': 173209, 'possible time borisjohnson': 665835, 'time borisjohnson toriesout': 896406, 'depresses': 237601, 'outweighing': 629729, 'from reuters': 337115, 'reuters march': 720198, 'march 11th': 515058, '11th consumer': 2747, 'feb but': 301637, 'coronavirus depresses': 205806, 'depresses demand': 237604, 'service outweighing': 752680, 'outweighing price': 629730, 'increase related': 433034, 'by disruption': 152367, 'from reuters march': 337116, 'reuters march 11th': 720199, 'march 11th consumer': 515059, '11th consumer price': 2748, 'consumer price rose': 198429, 'price rose in': 676268, 'rose in feb': 726072, 'in feb but': 422826, 'feb but could': 301638, 'but could drop': 145466, 'could drop in': 209118, 'month ahead the': 537554, 'ahead the coronavirus': 39213, 'the coronavirus depresses': 851831, 'coronavirus depresses demand': 205807, 'depresses demand for': 237605, 'and service outweighing': 71310, 'service outweighing price': 752681, 'outweighing price increase': 629731, 'price increase related': 674786, 'increase related to': 433035, 'related to shortage': 708619, 'to shortage caused': 914528, 'caused by disruption': 167836, 'by disruption to': 152368, 'randomness': 696657, 'sheer randomness': 756580, 'randomness of': 696658, 'central government': 169390, 'perfect recipe': 651331, 'unrest not': 943361, 'basic medication': 111979, 'medication but': 526632, 'of planning': 588149, 'planning india': 658553, 'india will': 434693, 'witness rotting': 1003123, 'empty plate': 275007, 'plate on': 658918, 'the sheer randomness': 866815, 'sheer randomness of': 756581, 'randomness of the': 696660, 'state and central': 795359, 'and central government': 59675, 'central government is': 169392, 'government is the': 360281, 'the perfect recipe': 863543, 'perfect recipe for': 651332, 'recipe for social': 704466, 'for social unrest': 325706, 'social unrest not': 780002, 'unrest not just': 943362, 'just the basic': 469991, 'the basic medication': 849314, 'basic medication but': 111980, 'medication but also': 526633, 'also the lack': 48975, 'lack of planning': 478642, 'of planning india': 588150, 'planning india will': 658554, 'india will witness': 434696, 'will witness rotting': 995361, 'witness rotting food': 1003124, 'rotting food on': 726214, 'food on farm': 315593, 'on farm and': 600734, 'farm and empty': 299083, 'and empty plate': 62080, 'empty plate on': 275008, 'plate on the': 658919, 'of consumer covid': 581729, 'consumer covid is': 197009, 'covid is more': 214183, 'than just health': 840816, 'just health crisis': 468948, 'reaching changing': 700077, 'shelf easter': 757005, 'easter wine': 265530, 'chain is far': 170832, 'is far reaching': 447741, 'far reaching changing': 298896, 'reaching changing the': 700078, 'changing the landscape': 172811, 'landscape of restaurant': 479411, 'of restaurant to': 589024, 'out only option': 626941, 'only option and': 610914, 'option and emptying': 613981, 'and emptying grocery': 62089, 'store shelf easter': 810072, 'shelf easter wine': 757006, 'in period': 426616, 'consumer quickly': 198636, 'quickly change': 694492, 'change their': 172306, 'situation using': 772550, 'using recent': 950620, 'recent consumer': 703843, 'trend data': 931317, 'behaved in': 123809, 'in period of': 426618, 'period of crisis': 651838, 'crisis consumer quickly': 217244, 'consumer quickly change': 198637, 'quickly change their': 694493, 'change their behavior': 172307, 'their behavior they': 872584, 'behavior they try': 124243, 'try to adapt': 934599, 'evolving situation using': 288587, 'situation using recent': 772551, 'using recent consumer': 950621, 'recent consumer trend': 703844, 'consumer trend data': 199371, 'trend data we': 931318, 'data we share': 226490, 'we share our': 973226, 'share our insight': 755140, 'our insight into': 623558, 'into how italian': 442655, 'how italian consumer': 408150, 'italian consumer have': 462689, 'consumer have behaved': 197708, 'have behaved in': 379766, 'behaved in these': 123810, 'the responds': 865615, 'crisis story': 218098, 'story have': 811997, 'have spread': 382701, 'spread about': 790385, 'by profit': 153665, 'profit seeker': 682853, 'seeker economics': 746627, 'economics tell': 267486, 'not pricing': 571089, 'pricing problem': 677967, 'problem per': 679650, 'per se': 651006, 'se rather': 743052, 'price point': 675945, 'problem amidst': 679450, 'amidst high': 52797, 'the responds to': 865616, 'responds to the': 715600, 'the crisis story': 852452, 'crisis story have': 218099, 'story have spread': 811999, 'have spread about': 382702, 'spread about price': 790386, 'about price gouging': 25995, 'gouging by profit': 359280, 'by profit seeker': 153666, 'profit seeker economics': 682854, 'seeker economics tell': 746628, 'economics tell that': 267487, 'tell that this': 837077, 'is not pricing': 450159, 'not pricing problem': 571091, 'pricing problem per': 677968, 'problem per se': 679651, 'per se rather': 651007, 'se rather that': 743053, 'rather that high': 697566, 'that high price': 844326, 'high price point': 395269, 'price point to': 675947, 'point to supply': 662676, 'to supply problem': 915886, 'supply problem amidst': 825731, 'problem amidst high': 679451, 'amidst high demand': 52798, 'high demand 19': 394988, 'wilderness': 992113, '2020 feel': 14302, 'the wilderness': 871561, 'wilderness hunting': 992114, 'supermarket in 2020': 820857, 'in 2020 feel': 419835, '2020 feel like': 14303, 'feel like going': 302716, 'like going into': 490320, 'into the wilderness': 443188, 'the wilderness hunting': 871562, 'wilderness hunting for': 992115, 'hunting for food': 411415, 'vanity': 952428, 'brainier': 137612, 'oddball': 579203, 'yesterday had': 1015763, 'had mask': 373282, 'wa uncertain': 963597, 'uncertain about': 939560, 'about actually': 24759, 'actually wearing': 31014, 'pure vanity': 689991, 'vanity once': 952429, 'inside it': 439296, 'no brainier': 563720, 'brainier mask': 137613, 'mask were': 519526, 'were everywhere': 979592, 'everywhere all': 288169, 'kind those': 474998, 'without were': 1003045, 'the oddball': 862037, 'to supermarket yesterday': 915863, 'supermarket yesterday had': 824171, 'yesterday had mask': 1015765, 'had mask but': 373283, 'mask but wa': 518498, 'but wa uncertain': 147711, 'wa uncertain about': 963598, 'uncertain about actually': 939561, 'about actually wearing': 24760, 'actually wearing it': 31015, 'wearing it pure': 974665, 'it pure vanity': 460557, 'pure vanity once': 689992, 'vanity once inside': 952430, 'once inside it': 605660, 'inside it wa': 439298, 'it wa no': 462156, 'wa no brainier': 962719, 'no brainier mask': 563721, 'brainier mask were': 137614, 'mask were everywhere': 519527, 'were everywhere all': 979593, 'everywhere all kind': 288170, 'all kind those': 43322, 'kind those without': 474999, 'those without were': 892737, 'without were the': 1003046, 'were the oddball': 980243, 'gnc': 353220, 'shoppe': 761291, 'store planning': 809575, 'on bestbuy': 599629, 'bestbuy gamestop': 128017, 'gamestop gnc': 343328, 'gnc vitamin': 353221, 'vitamin shoppe': 959796, 'shoppe they': 761292, 'shopping nyclockdown': 763371, 'so many store': 777706, 'many store planning': 514741, 'store planning on': 809576, 'planning on staying': 658569, 'on staying open': 603656, 'staying open on': 798676, 'open on bestbuy': 612408, 'on bestbuy gamestop': 599630, 'bestbuy gamestop gnc': 128018, 'gamestop gnc vitamin': 343329, 'gnc vitamin shoppe': 353222, 'vitamin shoppe they': 959797, 'shoppe they all': 761293, 'they all have': 881114, 'online shopping nyclockdown': 609201, 'black london': 132082, 'london lion': 501119, 'lion smith': 494032, 'smith thats': 775808, 'thats great': 847808, 'great long': 362814, 'now three': 576146, 'black london lion': 132083, 'london lion smith': 501120, 'lion smith thats': 494033, 'smith thats great': 775809, 'thats great long': 847809, 'great long you': 362815, 'long you can': 501872, 'get the stuff': 348300, 'the stuff me': 868329, 'stuff me now': 815127, 'me now three': 523239, 'now three week': 576147, 'week of empty': 976610, 'neighborhood that': 557158, 'or shouldn': 617071, 'shouldn go': 766731, 'out am': 625609, 'are normally': 88305, 'normally stocked': 567544, 'stocked can': 803288, 'this food': 887571, 'get thrown': 348445, 'don actually': 253328, 'actually eat': 30787, 'it stoppanicbuying': 461281, 'shopping for some': 762711, 'for some people': 325759, 'my neighborhood that': 549437, 'neighborhood that can': 557159, 'that can or': 843115, 'can or shouldn': 159163, 'or shouldn go': 617072, 'shouldn go out': 766732, 'go out am': 353932, 'out am looking': 625612, 'am looking at': 50194, 'shelf that are': 757637, 'that are normally': 842785, 'are normally stocked': 88306, 'normally stocked can': 567545, 'stocked can help': 803289, 'can help but': 158608, 'but think about': 147527, 'about how much': 25456, 'of this food': 591975, 'this food is': 887577, 'to get thrown': 906620, 'get thrown away': 348446, 'thrown away when': 895134, 'away when people': 106103, 'when people don': 983860, 'people don actually': 647697, 'don actually eat': 253329, 'actually eat it': 30788, 'eat it stoppanicbuying': 265964, 'cornered': 203697, 'pac': 632917, 'having negotiated': 384180, 'negotiated my': 556929, 'sunday keeping': 818226, 'get cornered': 346812, 'cornered suddenly': 203698, 'suddenly realised': 817125, 'realised what': 701639, 'what pac': 981991, 'pac man': 632918, 'wa training': 963568, 'training for': 929337, 'ago socialdistancing': 38468, 'socialdistancing social': 780698, 'distancing supermarket': 247516, 'supermarket coronalockdownuk': 819803, 'having negotiated my': 384181, 'negotiated my way': 556930, 'my way around': 550532, 'way around supermarket': 969473, 'around supermarket on': 93501, 'supermarket on sunday': 821734, 'on sunday keeping': 603763, 'sunday keeping safe': 818227, 'keeping safe distance': 472543, 'distance from other': 246716, 'people and trying': 646892, 'and trying not': 74512, 'to get cornered': 906447, 'get cornered suddenly': 346813, 'cornered suddenly realised': 203699, 'suddenly realised what': 817126, 'realised what pac': 701640, 'what pac man': 981992, 'pac man wa': 632921, 'man wa training': 512296, 'wa training for': 963569, 'training for all': 929338, 'those year ago': 892755, 'year ago socialdistancing': 1014359, 'ago socialdistancing social': 38469, 'socialdistancing social distancing': 780699, 'social distancing supermarket': 779733, 'distancing supermarket coronalockdownuk': 247517, 'this baby': 886478, 'baby girl': 106626, 'girl ha': 350250, 'all she': 44299, 'she want': 756442, 'what day this': 981297, 'day this baby': 228531, 'this baby girl': 886479, 'baby girl ha': 106627, 'girl ha no': 350251, 'ha no work': 371354, 'no work due': 565925, '19 all she': 4901, 'all she want': 44302, 'she want is': 756443, 'want is to': 965830, 'is to do': 453195, 'while in isolation': 986946, 'clements': 181598, 'weymouth': 980820, 'barbara clements': 110795, 'clements owner': 181599, 'of spar': 589961, 'spar preston': 787458, 'preston road': 671289, 'in weymouth': 430826, 'weymouth ha': 980821, 'turned her': 935839, 'her business': 391905, 'by growing': 152735, 'growing thriving': 367246, 'thriving home': 894223, 'slash footfall': 773564, 'barbara clements owner': 110796, 'clements owner of': 181600, 'owner of spar': 632518, 'of spar preston': 589962, 'spar preston road': 787459, 'preston road in': 671290, 'road in weymouth': 724462, 'in weymouth ha': 430827, 'weymouth ha turned': 980822, 'ha turned her': 372379, 'turned her business': 935840, 'her business on': 391906, 'business on it': 144136, 'on it head': 601666, 'it head by': 458511, 'head by growing': 385728, 'by growing thriving': 152736, 'growing thriving home': 367247, 'thriving home delivery': 894224, 'delivery service in': 234442, 'service in bid': 752474, 'bid to slash': 129497, 'to slash footfall': 914716, 'gargle': 343663, 'throatinfection': 894252, 'reminder wash': 710606, 'hand gargle': 374969, 'gargle with': 343664, 'with warm': 1002022, 'and salt': 70799, 'salt or': 732815, 'or vinegar': 617676, 'vinegar this': 957436, 'from throatinfection': 338041, 'throatinfection eat': 894253, 'well cooked': 978121, 'avoid junk': 105169, 'junk don': 468032, 'long get': 501421, 'air now': 39768, 'reminder wash your': 710607, 'your hand gargle': 1024190, 'hand gargle with': 374970, 'gargle with warm': 343665, 'with warm water': 1002023, 'warm water and': 966890, 'water and salt': 968878, 'and salt or': 70801, 'salt or vinegar': 732816, 'or vinegar this': 617677, 'vinegar this would': 957437, 'would help you': 1011924, 'help you stay': 390996, 'you stay away': 1021371, 'away from throatinfection': 105918, 'from throatinfection eat': 338042, 'throatinfection eat well': 894254, 'eat well cooked': 266100, 'well cooked food': 978122, 'cooked food avoid': 202813, 'food avoid junk': 313486, 'avoid junk don': 105170, 'junk don panic': 468033, 'don panic and': 253793, 'home all day': 400581, 'day long get': 227935, 'long get some': 501422, 'some fresh air': 782906, 'fresh air now': 332917, 'air now and': 39769, 'entertainment hide': 278567, 'hide increase': 394836, 'our risk': 624647, 'of infectious': 585174, 'for animal for': 319359, 'animal for food': 76601, 'food and entertainment': 313220, 'and entertainment hide': 62194, 'entertainment hide increase': 278568, 'hide increase so': 394837, 'so doe our': 776892, 'doe our risk': 251548, 'our risk of': 624648, 'risk of infectious': 723758, 'of infectious disease': 585175, '1st coronavirus': 12725, 'die of major': 241425, 'report their 1st': 712351, 'their 1st coronavirus': 872421, '1st coronavirus related': 12726, 'bushy': 143159, 'bearded': 118445, 'abdulaziz': 24302, 'today again': 919160, 'again walked': 37257, 'our compound': 622506, 'compound shuttle': 192589, 'shuttle bus': 768297, 'been stopped': 122052, 'stopped for': 805703, 'now along': 573976, 'way wa': 970155, 'wa picked': 962929, 'by tall': 154215, 'tall bushy': 834069, 'bushy bearded': 143160, 'bearded saudi': 118448, 'saudi named': 737279, 'named abdulaziz': 551710, 'abdulaziz in': 24303, 'white toyota': 987913, 'toyota highlander': 927714, 'highlander when': 395889, 'him about': 396523, 'he smiled': 385450, 'smiled it': 775756, 'big lie': 129849, 'lie based': 488336, 'today again walked': 919162, 'again walked to': 37258, 'supermarket our compound': 821848, 'our compound shuttle': 622507, 'compound shuttle bus': 192590, 'shuttle bus service': 768298, 'bus service ha': 143080, 'ha been stopped': 369935, 'been stopped for': 122054, 'stopped for now': 805704, 'for now along': 323957, 'now along the': 573977, 'along the way': 47031, 'the way wa': 871204, 'way wa picked': 970157, 'wa picked up': 962930, 'picked up by': 655810, 'up by tall': 944560, 'by tall bushy': 154216, 'tall bushy bearded': 834070, 'bushy bearded saudi': 143161, 'bearded saudi named': 118449, 'saudi named abdulaziz': 737280, 'named abdulaziz in': 551711, 'abdulaziz in white': 24304, 'in white toyota': 430886, 'white toyota highlander': 987914, 'toyota highlander when': 927715, 'highlander when asked': 395890, 'when asked him': 983180, 'asked him about': 95762, 'him about covid': 396524, '19 he smiled': 7477, 'he smiled it': 385451, 'smiled it big': 775757, 'it big lie': 456871, 'big lie based': 129850, 'like coronapocolypse': 490048, 'coronapocolypse 19uk': 205219, '19uk panicbuying': 12561, 'buyer at the': 149584, 'be like coronapocolypse': 115731, 'like coronapocolypse 19uk': 490049, 'coronapocolypse 19uk panicbuying': 205220, 'supermarket highlight': 820750, 'highlight panic': 395947, 'buying crisis': 150165, 'crisis wuhanvirus': 218454, 'wuhanvirus socialdistancing': 1013584, 'woman in tear': 1003523, 'in tear at': 428836, 'tear at empty': 835931, 'empty supermarket highlight': 275160, 'supermarket highlight panic': 820751, 'highlight panic buying': 395948, 'panic buying crisis': 637695, 'buying crisis wuhanvirus': 150167, 'crisis wuhanvirus socialdistancing': 218455, 'keepingbritainmoving': 472645, 'socialdistancing on': 780571, 'kept price': 473069, 'pack size': 633153, 'size low': 772781, 'low possible': 505493, 'possible inittogether': 665684, 'inittogether help': 438680, 'all keepsafe': 43306, 'keepsafe keepyourdistance': 472668, 'keepyourdistance keepingbritainmoving': 472680, 'more product for': 540150, 'product for socialdistancing': 681207, 'for socialdistancing on': 325713, 'socialdistancing on line': 780572, 'on line at': 601853, 'line at we': 492995, 'at we have': 101504, 'we have kept': 971849, 'have kept price': 381218, 'kept price and': 473070, 'price and pack': 672489, 'and pack size': 68605, 'pack size low': 633154, 'size low possible': 772782, 'low possible inittogether': 505494, 'possible inittogether help': 665685, 'inittogether help all': 438681, 'help all keepsafe': 389322, 'all keepsafe keepyourdistance': 43307, 'keepsafe keepyourdistance keepingbritainmoving': 472669, 'reading material': 700786, 'raise rent': 695945, 'md should be': 522288, 'should be allowed': 765550, 'allowed to raise': 46242, 'to raise rent': 912733, 'raise rent during': 695946, 'longer keep': 502008, 'announced it can': 76968, 'it can no': 457026, 'no longer keep': 564653, 'longer keep up': 502009, 'up with consumer': 946624, 'paperindustry': 641149, 'supply these': 825975, 'everyday paper': 286605, 'behavior article': 123916, 'article via': 94493, 'via paperindustry': 956160, 'help supply these': 390610, 'supply these everyday': 825976, 'these everyday paper': 879978, 'everyday paper product': 286606, 'paper product are': 640621, 'product are stunned': 680951, 'consumer behavior article': 196442, 'behavior article via': 123917, 'article via paperindustry': 94494, 'electric car': 271102, 'car news': 163180, 'news why': 560965, 'why tesla': 991402, 'tesla stock': 838885, 'monday news': 536337, 'electric car news': 271103, 'car news why': 163182, 'news why tesla': 560967, 'why tesla stock': 991403, 'tesla stock jumped': 838886, 'stock jumped on': 802336, 'jumped on monday': 467940, 'on monday news': 602175, 'monday news stayhomesavelives': 536338, 'category for': 167177, 'amp having': 53914, 'getting shopping': 349265, 'delivered then': 233409, 'please complete': 659804, 'complete this': 192176, 'form to': 329570, 'register amp': 707538, 'you priority': 1020432, 'slot cc': 774160, 'important if you': 418830, 'vulnerable category for': 960906, 'category for amp': 167178, 'for amp having': 319260, 'amp having difficulty': 53915, 'having difficulty getting': 384029, 'difficulty getting shopping': 242383, 'getting shopping delivered': 349266, 'shopping delivered then': 762452, 'delivered then please': 233410, 'then please complete': 877428, 'please complete this': 659805, 'complete this online': 192178, 'this online form': 889263, 'online form to': 608259, 'form to register': 329573, 'to register amp': 913098, 'register amp supermarket': 707539, 'amp supermarket will': 54589, 'supermarket will give': 823883, 'give you priority': 350863, 'you priority access': 1020433, 'access to delivery': 28229, 'to delivery slot': 904129, 'delivery slot cc': 234515, 'news every': 560390, 'every teach': 286279, 'about ethic': 25185, 'ethic but': 283041, 'few person': 303997, 'person follow': 652430, 'this oyo': 889346, 'oyo offer': 632697, 'turn hotel': 935677, 'hotel into': 405155, 'centre amid': 169478, 'news every teach': 560391, 'every teach you': 286280, 'teach you about': 835415, 'you about ethic': 1016772, 'about ethic but': 25186, 'ethic but only': 283042, 'but only few': 146688, 'only few person': 610441, 'few person follow': 303998, 'person follow this': 652431, 'follow this oyo': 312566, 'this oyo offer': 889347, 'oyo offer to': 632698, 'offer to turn': 594854, 'to turn hotel': 917843, 'turn hotel into': 935678, 'hotel into quarantine': 405156, 'into quarantine centre': 442914, 'quarantine centre amid': 692076, 'hello twitter': 389236, 'twitter people': 936700, 'there somewhere': 879081, 'somewhere we': 785322, 'find global': 306936, 'global best': 351755, 'practice in': 668590, 'example story': 288970, 'about specific': 26237, 'ha successfully': 372094, 'successfully managed': 816267, 'managed the': 512485, 'the influx': 858240, 'hello twitter people': 389238, 'twitter people is': 936701, 'people is there': 648525, 'is there somewhere': 453036, 'there somewhere we': 879082, 'somewhere we can': 785323, 'we can find': 970950, 'can find global': 158323, 'find global best': 306937, 'global best practice': 351756, 'best practice in': 127845, 'practice in response': 668593, 'response to for': 715845, 'to for example': 906134, 'for example story': 321289, 'example story about': 288971, 'story about specific': 811895, 'about specific supermarket': 26238, 'specific supermarket that': 788258, 'supermarket that ha': 823184, 'that ha successfully': 844137, 'ha successfully managed': 372096, 'successfully managed the': 816268, 'managed the influx': 512486, 'the influx of': 858241, 'of people this': 588003, 'people this could': 649844, 'could be something': 208925, 'be something positive': 117310, 'something positive to': 785014, 'positive to spread': 665473, 'coronavirus trying': 206974, 'it successfully': 461332, 'successfully grocery': 816266, 'coronavirus trying to': 206975, 'trying to order': 934833, 'grocery online some': 364785, 'online some tip': 609402, 'tip to do': 898925, 'do it successfully': 249513, 'it successfully grocery': 461333, 'transformation': 929561, 'pivoting quickly': 657129, 'digital transformation': 242669, 'transformation gearing': 929566, 'more delivery': 538980, 'demand making': 235832, 'simple with': 770135, 'parcel big': 641480, 'big respect': 129958, 'respect retail': 715042, 'retail omnichannel': 718343, 'omnichannel grocery': 598947, 'grocery digitaltransformation': 364461, 'pivoting quickly to': 657130, 'quickly to change': 694622, 'to change is': 902609, 'change is key': 172152, 'key to digital': 473434, 'to digital transformation': 904299, 'digital transformation gearing': 242671, 'transformation gearing up': 929567, 'gearing up for': 345027, 'for more delivery': 323567, 'more delivery demand': 538981, 'delivery demand making': 233865, 'demand making it': 235833, 'making it simple': 511150, 'it simple with': 461064, 'simple with call': 770136, 'with call center': 997515, 'call center food': 155816, 'center food parcel': 169197, 'food parcel big': 315810, 'parcel big respect': 641481, 'big respect retail': 129959, 'respect retail omnichannel': 715043, 'retail omnichannel grocery': 718344, 'omnichannel grocery digitaltransformation': 598948, 'infirm': 436961, 'still taking': 801271, 'no notice': 564891, 'notice of': 573322, 'lockdown mini': 499661, 'mini riot': 533022, 'riot in': 722611, 'in bristol': 420988, 'bristol non': 140323, 'only still': 611197, 'but hiking': 145934, 'price teenager': 676759, 'teenager sunbathing': 836556, 'sunbathing in': 818116, 'park what': 642025, 'what fucking': 981479, 'fucking chance': 339828, 'chance do': 171717, 'and infirm': 65200, 'infirm have': 436964, 'people still taking': 649608, 'still taking no': 801273, 'taking no notice': 833460, 'no notice of': 564892, 'notice of lockdown': 573323, 'of lockdown mini': 585960, 'lockdown mini riot': 499662, 'mini riot in': 533023, 'riot in bristol': 722612, 'in bristol non': 420989, 'bristol non essential': 140324, 'essential shop not': 281548, 'shop not only': 760505, 'not only still': 570829, 'only still open': 611198, 'still open but': 800954, 'open but hiking': 612127, 'but hiking price': 145935, 'hiking price teenager': 396407, 'price teenager sunbathing': 676760, 'teenager sunbathing in': 836557, 'sunbathing in park': 818117, 'in park what': 426515, 'park what fucking': 642026, 'what fucking chance': 981480, 'fucking chance do': 339829, 'chance do the': 171718, 'do the old': 250252, 'old and infirm': 598136, 'and infirm have': 65202, 'dashing': 226088, 'bvi': 151484, 'dashing to': 226089, 'supermarket bvi': 819475, 'bvi style': 151485, 'style just': 815610, 'just emerged': 468668, '24 heading': 15605, 'to blighty': 901857, 'blighty in': 132676, 'in trump': 430305, 'trump hand': 933599, 'dashing to the': 226090, 'the supermarket bvi': 868501, 'supermarket bvi style': 819476, 'bvi style just': 151486, 'style just emerged': 815611, 'just emerged from': 468669, 'emerged from day': 272559, 'from day 24': 335107, 'day 24 heading': 227128, '24 heading back': 15606, 'back to blighty': 107357, 'to blighty in': 901858, 'blighty in trump': 132677, 'in trump hand': 430306, 'raygun': 698037, 'market under': 517275, 'siege lately': 768981, 'lately with': 480995, 'some promising': 783657, 'promising news': 683750, 'popular raygun': 664591, 'raygun shirt': 698038, 'shirt and': 758965, 'and clothing': 60017, 'clothing retailer': 184285, 'retailer still': 719333, 'with the retail': 1001456, 'the retail market': 865723, 'retail market under': 718312, 'market under siege': 517276, 'under siege lately': 940252, 'siege lately with': 768982, 'lately with the': 480996, '19 here some': 7515, 'here some promising': 393584, 'some promising news': 783658, 'promising news the': 683751, 'news the popular': 560870, 'the popular raygun': 864016, 'popular raygun shirt': 664592, 'raygun shirt and': 698039, 'shirt and clothing': 758967, 'and clothing retailer': 60018, 'clothing retailer still': 184286, 'retailer still plan': 719334, 'plan to open': 658304, 'open store in': 612523, 'in the old': 429415, 'the old market': 862140, 'tan': 834148, 'extend until': 293135, '14 please': 3516, 'calm don': 156715, 'sufficient pm': 817388, 'pm tan': 661999, 'tan sri': 834150, 'to extend until': 905531, 'extend until april': 293136, 'until april 14': 943688, 'april 14 please': 83418, '14 please stay': 3517, 'please stay calm': 660547, 'stay calm don': 796807, 'calm don panic': 156716, 'and no need': 67626, 'is sufficient pm': 452439, 'sufficient pm tan': 817390, 'pm tan sri': 662000, 'love if': 504703, 'did follow': 240604, 'your piece': 1025313, '2020 now': 14465, 'hit any': 398141, 'love if you': 504704, 'you did follow': 1018197, 'did follow up': 240605, 'follow up to': 312580, 'up to your': 946453, 'to your piece': 919014, 'your piece about': 1025314, 'piece about what': 656260, 'about what in': 26886, 'store for retail': 807835, 'for retail in': 325194, 'retail in 2020': 718199, 'in 2020 now': 419847, '2020 now that': 14466, 'now that covid': 575998, 'ha hit any': 370878, 'hit any chance': 398143, 'chance of this': 171773, 'what partner': 981999, 'partner should': 642873, 'most terrifying': 542804, 'terrifying thing': 838544, 'making the choice': 511410, 'the choice between': 850878, 'choice between what': 177740, 'between what partner': 128958, 'what partner should': 982000, 'partner should go': 642874, 'the most terrifying': 861046, 'most terrifying thing': 542806, 'terrifying thing ve': 838545, 'thing ve done': 884937, 'beforethe90days': 123346, 'checkout people': 174976, 'look going': 502390, 'forward 19': 329963, 'socialdistance beforethe90days': 780138, 'beforethe90days foodshortage': 123347, 'foodshortage panicbuying': 318133, 'is how supermarket': 448597, 'how supermarket checkout': 408764, 'supermarket checkout people': 819668, 'checkout people will': 174978, 'will look going': 994040, 'look going forward': 502391, 'going forward 19': 355156, 'forward 19 socialdistance': 329964, '19 socialdistance beforethe90days': 10672, 'socialdistance beforethe90days foodshortage': 780139, 'beforethe90days foodshortage panicbuying': 123348, '692692': 21527, 'are reaching': 89446, 'reaching new': 700095, 'normal status': 567331, 'status because': 796663, 'the 692692': 848176, '692692 update': 21528, 'update are': 946878, 'now thing': 576120, 'like please': 491016, 'stop over': 804877, 'we are reaching': 970679, 'are reaching new': 89447, 'reaching new normal': 700096, 'new normal status': 559171, 'normal status because': 567332, 'status because the': 796664, 'because the 692692': 119610, 'the 692692 update': 848177, '692692 update are': 21529, 'update are now': 946879, 'are now thing': 88608, 'now thing like': 576121, 'thing like please': 884550, 'like please stop': 491017, 'please stop over': 660581, 'stop over buying': 804878, 'over buying at': 630050, 'usmc': 950813, 'usmilitary': 950820, 'with usmc': 1001941, 'usmc lt': 950816, 'lt general': 506372, 'general who': 345499, 'now leading': 575188, 'leading supermarket': 483744, 'chain keeping': 170874, 'his troop': 397877, 'troop safe': 932545, 'safe usmc': 730094, 'usmc supplychain': 950818, 'supplychain usmilitary': 826241, 'usmilitary logistics': 950821, 'logistics usmilitary': 500813, 'great interview with': 362772, 'interview with usmc': 442268, 'with usmc lt': 1001942, 'usmc lt general': 950817, 'lt general who': 506373, 'general who now': 345500, 'who now leading': 989352, 'now leading supermarket': 575189, 'leading supermarket supply': 483746, 'supply chain keeping': 824984, 'chain keeping food': 170875, 'shelf and his': 756735, 'and his troop': 64615, 'his troop safe': 397878, 'troop safe usmc': 932546, 'safe usmc supplychain': 730095, 'usmc supplychain usmilitary': 950819, 'supplychain usmilitary logistics': 826242, 'usmilitary logistics usmilitary': 950822, 'going because': 355059, 're bored': 698378, 'bored or': 135363, 'or want': 617721, 'want out': 965885, 'open employee': 612208, 'health being': 386188, 're begging': 698348, 'begging you': 123496, 'please only go': 660260, 'store for thing': 807848, 'for thing you': 326998, 'need people are': 555421, 'are going because': 86879, 'going because they': 355060, 'they re bored': 883004, 're bored or': 698380, 'bored or want': 135364, 'or want out': 617723, 'want out of': 965886, 'house and because': 406173, 'and because it': 58793, 'thing open employee': 884651, 'open employee are': 612209, 'employee are risking': 273628, 'their health being': 873513, 'health being there': 386189, 'being there please': 125939, 'there please we': 878939, 'please we re': 660762, 'we re begging': 972833, 're begging you': 698349, 'is certainly': 446448, 'certainly no': 170168, 'no replacement': 565332, 'replacement for': 711614, 'live auction': 495737, 'auction system': 102867, 'system it': 831231, 'did work': 240912, 'while the system': 987419, 'system is certainly': 831221, 'is certainly no': 446450, 'certainly no replacement': 170170, 'no replacement for': 565333, 'replacement for the': 711616, 'for the live': 326535, 'the live auction': 859498, 'live auction system': 495738, 'auction system it': 102868, 'system it did': 831232, 'it did work': 457534, 'uptrend': 947944, 'term uptrend': 838332, 'uptrend seen': 947945, 'market continues': 516219, 'scare while': 740928, 'chain around': 170525, 'short term uptrend': 764759, 'term uptrend seen': 838333, 'uptrend seen in': 947946, 'seen in market': 747076, 'in market continues': 425141, 'market continues it': 516220, 'continues it combination': 201408, 'combination of increased': 187103, 'increased demand consumer': 433265, 'demand consumer stock': 235164, 'up on staple': 945621, 'on staple due': 603636, 'to the scare': 917040, 'the scare while': 866451, 'scare while supply': 740929, 'while supply chain': 987353, 'supply chain around': 824908, 'chain around the': 170526, 'world are being': 1009307, 'gliumedia': 351718, 'pr and': 668414, 'advertising agency': 33197, 'agency need': 38044, 'message out': 529391, 'panic gliumedia': 638135, 'gliumedia pr': 351719, 'pr and advertising': 668415, 'and advertising agency': 57718, 'advertising agency need': 33198, 'agency need to': 38046, 'get the message': 348267, 'the message out': 860523, 'message out there': 529392, 'out there is': 627492, 'of food stop': 583787, 'food stop the': 316830, 'the panic gliumedia': 863206, 'panic gliumedia pr': 638136, 'week taiwan': 976957, 'taiwan took': 831845, 'took fast': 925236, 'fast action': 299903, 'can canada': 157857, 'canada cancelled': 160390, 'cancelled flight': 161109, 'flight here': 310486, 'refund ups': 706976, 'ups driver': 947742, 'driver want': 259835, 'want boss': 965737, 'boss to': 135755, 'consumer and health': 196214, 'and health news': 64362, 'health news you': 386668, 'news you need': 560980, 'you need from': 1019993, 'from the week': 337923, 'the week taiwan': 871315, 'week taiwan took': 976958, 'taiwan took fast': 831846, 'took fast action': 925237, 'fast action to': 299904, 'action to stop': 30176, '19 can canada': 5605, 'can canada cancelled': 157858, 'canada cancelled flight': 160391, 'cancelled flight here': 161110, 'flight here how': 310487, 'fight for refund': 304746, 'for refund ups': 325063, 'refund ups driver': 706977, 'ups driver want': 947743, 'driver want boss': 259836, 'want boss to': 965738, 'boss to do': 135756, 'them from virus': 875760, 'stpete': 812186, 'juststop': 470526, 'stayoutofthestore': 798760, 'again crazy': 36965, 'crazy bravo': 215257, 'bravo 19': 138292, 'toiletpaper fakenewsmedia': 921975, 'fakenewsmedia msnbc': 296774, 'msnbc cnn': 544564, 'nbc foxnews': 553234, 'foxnews stayathome': 330811, 'shopping stpete': 763996, 'stpete pinellas': 812187, 'pinellas mpls': 656810, 'mpls juststop': 544328, 'juststop stayoutofthestore': 470527, 'stayoutofthestore publix': 798761, 'stop shopping like': 805023, 'shopping like you': 763172, 'like you ll': 491874, 'll never shop': 496921, 'never shop again': 558190, 'shop again crazy': 759807, 'again crazy bravo': 36966, 'crazy bravo 19': 215258, 'bravo 19 toiletpaper': 138293, '19 toiletpaper fakenewsmedia': 11488, 'toiletpaper fakenewsmedia msnbc': 921976, 'fakenewsmedia msnbc cnn': 296775, 'msnbc cnn nbc': 544565, 'cnn nbc foxnews': 184766, 'nbc foxnews stayathome': 553235, 'foxnews stayathome shopping': 330812, 'stayathome shopping stpete': 797610, 'shopping stpete pinellas': 763997, 'stpete pinellas mpls': 812188, 'pinellas mpls juststop': 656811, 'mpls juststop stayoutofthestore': 544329, 'juststop stayoutofthestore publix': 470528, 'number credit': 576859, 'call you about': 156249, 'you about covid': 1016771, 'security number credit': 744683, 'number credit card': 576860, 'fresh look': 333020, 'how overall': 408470, 'changing due': 172696, 'fresh look at': 333021, 'at how overall': 99227, 'how overall consumer': 408471, 'behavior is changing': 124095, 'is changing due': 446470, 'changing due to': 172697, 'askskynews': 96177, 'askskynews should': 96178, 'should supermarket': 766528, 'driver be': 259455, 'they attend': 881510, 'attend numerous': 102313, 'numerous address': 577120, 'address daily': 31969, 'daily and': 224494, 'if positive': 414659, 'askskynews should supermarket': 96179, 'should supermarket delivery': 766529, 'delivery driver be': 233891, 'driver be tested': 259457, '19 they attend': 11302, 'they attend numerous': 881512, 'attend numerous address': 102314, 'numerous address daily': 577121, 'address daily and': 31970, 'daily and are': 224495, 'and are high': 58321, 'of spreading the': 590007, 'virus if positive': 958315, 'new ongoing': 559206, 'ongoing study': 607694, 'study is': 814917, 'help client': 389490, 'navigate quickly': 553073, 'quickly changing': 694494, 'the pulse': 864892, 'pulse of': 688983, 'retailer data': 719103, 'data will': 226494, 'weekly mrx': 977519, 'our new ongoing': 624037, 'new ongoing study': 559207, 'ongoing study is': 607695, 'study is designed': 814918, 'designed to help': 238358, 'to help client': 907475, 'help client and': 389491, 'client and industry': 181991, 'and industry leader': 65182, 'industry leader navigate': 435960, 'leader navigate quickly': 483497, 'navigate quickly changing': 553074, 'quickly changing consumer': 694495, 'are taking the': 90736, 'taking the pulse': 833596, 'the pulse of': 864893, 'pulse of consumer': 688984, 'of consumer perception': 581757, 'perception of brand': 651236, 'of brand and': 580824, 'brand and retailer': 137731, 'and retailer data': 70457, 'retailer data will': 719104, 'data will be': 226495, 'be updated weekly': 117895, 'updated weekly mrx': 947459, 'wisconsin farmer': 996620, 'farmer might': 299458, 'trouble securing': 932640, 'securing loan': 744505, 'loan needed': 497479, 'to plant': 911776, 'plant this': 658711, 'this spring': 890290, 'spring thanks': 791244, 'corn milk': 203576, 'product dropping': 681137, 'dropping the': 260734, 'affect commodity': 34134, 'wisconsin farmer might': 996621, 'farmer might have': 299459, 'might have trouble': 531024, 'have trouble securing': 383415, 'trouble securing loan': 932641, 'securing loan needed': 744506, 'loan needed to': 497480, 'needed to plant': 556545, 'to plant this': 911782, 'plant this spring': 658712, 'this spring thanks': 890291, 'spring thanks to': 791245, '19 with price': 12140, 'with price for': 1000303, 'for corn milk': 320363, 'corn milk and': 203577, 'other product dropping': 620770, 'product dropping the': 681138, 'dropping the pandemic': 260736, 'pandemic affect commodity': 634804, 'affect commodity market': 34135, 'commodity market report': 189221, 'chinese ethnicity': 177255, 'ethnicity and': 283126, 'london unable': 501217, 'the uneasy': 870370, 'uneasy stare': 941070, 'stare courtesy': 794128, 'customer suck': 222886, 'of chinese ethnicity': 581376, 'chinese ethnicity and': 177256, 'ethnicity and supermarket': 283127, 'worker in london': 1007181, 'in london unable': 424904, 'london unable to': 501218, 'unable to wear': 939353, 'wear mask because': 974376, 'mask because of': 518467, 'of the uneasy': 591569, 'the uneasy stare': 870371, 'uneasy stare courtesy': 941071, 'stare courtesy of': 794129, 'the customer suck': 852733, 'attn what': 102606, 'help mn': 390103, 'mn distillery': 534793, 'distillery who': 247831, 'effort than': 269593, 'new channel': 558478, 'channel of': 172907, 'revenue coming': 720392, 'attn what better': 102607, 'to help mn': 907565, 'help mn distillery': 390104, 'mn distillery who': 534794, 'distillery who are': 247832, 'who are now': 988178, '19 effort than': 6734, 'effort than to': 269595, 'than to open': 841342, 'open up new': 612635, 'up new channel': 945447, 'new channel of': 558479, 'channel of revenue': 172908, 'of revenue coming': 589082, 'revenue coming out': 720393, 'amvca': 54967, 'err': 280182, 'this amvca': 886313, 'amvca matter': 54968, 'matter wish': 520664, 'wish knew': 996782, 'how true': 409113, 'who it': 989134, 'wa sha': 963176, 'sha so': 754315, 'can more': 159007, 'accurately weigh': 28921, 'weigh the': 977668, 'chance that': 171785, 'exposed but': 292835, 'now better': 574249, 'to err': 905245, 'err on': 280183, 'of caution': 581220, 'isolate because of': 454827, 'of this amvca': 591936, 'this amvca matter': 886314, 'amvca matter wish': 54969, 'matter wish knew': 520665, 'wish knew how': 996783, 'knew how true': 476043, 'how true it': 409114, 'it is and': 458875, 'is and who': 445716, 'and who it': 75591, 'who it wa': 989135, 'it wa sha': 462188, 'wa sha so': 963177, 'sha so can': 754316, 'so can more': 776719, 'can more accurately': 159008, 'more accurately weigh': 538545, 'accurately weigh the': 28922, 'weigh the chance': 977669, 'the chance that': 850662, 'chance that may': 171786, 'been exposed but': 121113, 'exposed but for': 292836, 'but for now': 145750, 'for now better': 323965, 'now better to': 574250, 'better to err': 128560, 'to err on': 905246, 'err on the': 280184, 'side of caution': 768845, 'quarantiners': 693057, 'rhodeisland announces': 720904, 'announces grocery': 77259, 'for quarantiners': 324904, 'quarantiners partnering': 693058, 'with ri': 1000510, 'ri based': 720924, 'based supermarket': 111756, 'rhodeisland announces grocery': 720905, 'announces grocery delivery': 77260, 'service for quarantiners': 752390, 'for quarantiners partnering': 324905, 'quarantiners partnering with': 693059, 'partnering with ri': 642936, 'with ri based': 1000511, 'ri based supermarket': 720925, '19 thing you': 11330, 'stop doing to': 804621, 'doing to grocery': 252791, 'store worker in': 811527, 'order requiring': 618542, 'requiring grocery': 713526, 'entering such': 278418, 'tested testing': 839369, 'testing only': 839591, 'sick won': 768687, 'won slow': 1003901, 'spread given': 790541, 'long incubation': 501451, 'incubation period': 433950, 'this vir': 890991, 'see an emergency': 744892, 'an emergency order': 55683, 'emergency order requiring': 272837, 'order requiring grocery': 618543, 'requiring grocery store': 713527, 'store personnel to': 809521, 'personnel to be': 653162, 'tested for and': 839302, 'for and for': 319321, 'and for people': 63154, 'for people entering': 324450, 'people entering such': 647808, 'entering such store': 278419, 'such store to': 816772, 'store to be': 810757, 'be tested testing': 117563, 'tested testing only': 839370, 'testing only the': 839592, 'only the sick': 611275, 'the sick won': 867154, 'sick won slow': 768688, 'won slow the': 1003902, 'the spread given': 867628, 'spread given the': 790542, 'given the long': 351140, 'the long incubation': 859678, 'long incubation period': 501452, 'incubation period of': 433952, 'period of this': 651856, 'of this vir': 592063, 'global are': 351741, 'are conducting': 85482, 'conducting ongoing': 193692, 'attitude behavior': 102550, '19 join': 8188, 'join their': 466874, 'their webinar': 875165, 'deep dive': 231874, 'since their': 770916, 'their initial': 873663, 'friend at global': 333528, 'at global are': 98768, 'global are conducting': 351742, 'are conducting ongoing': 85483, 'conducting ongoing research': 193693, 'consumer attitude behavior': 196342, 'attitude behavior during': 102553, 'covid 19 join': 213308, '19 join their': 8190, 'join their webinar': 466875, 'their webinar on': 875166, 'webinar on 16': 975064, 'on 16 for': 599017, '16 for deep': 4111, 'for deep dive': 320613, 'deep dive into': 231875, 'dive into how': 248489, 'into how thing': 442660, 'changed since their': 172550, 'since their initial': 770917, 'their initial finding': 873664, 'and webcam': 75364, 'webcam would': 974972, 'popular product': 664584, '2020 lockdownaustralia': 14419, 'lockdownaustralia stayhomesavelives': 500226, 'thought that toilet': 893238, 'sanitizer and webcam': 734459, 'and webcam would': 75365, 'webcam would be': 974973, 'be the most': 117637, 'most popular product': 542642, 'popular product of': 664586, 'product of 2020': 681450, 'of 2020 lockdownaustralia': 579497, '2020 lockdownaustralia stayhomesavelives': 14420, 'jib': 465461, 'at jib': 99343, 'jib convenient': 465462, 'convenient possible': 202411, 'possible while': 665880, 'side pickup': 768866, 'order follow': 618209, 'make shopping at': 510449, 'shopping at jib': 762101, 'at jib convenient': 99344, 'jib convenient possible': 465463, 'convenient possible while': 202412, 'possible while social': 665882, 'distancing we are': 247617, 'curb side pickup': 220574, 'side pickup for': 768867, 'pickup for online': 655964, 'online order follow': 608686, 'order follow the': 618210, 'offending': 594476, 'is implemented': 448719, 'implemented is': 418464, 'is offending': 450411, 'offending common': 594477, 'sense with': 750612, 'the redistribution': 865391, 'redistribution centre': 705743, 'centre of': 169521, 'stand no': 793555, 'to flattenthecurve': 906002, 'flattenthecurve in': 310172, 'way the lockdown': 969938, 'lockdown is implemented': 499546, 'is implemented is': 448720, 'implemented is offending': 418465, 'is offending common': 450412, 'offending common sense': 594478, 'common sense with': 189471, 'sense with supermarket': 750613, 'with supermarket hospital': 1001054, 'supermarket hospital and': 820790, 'hospital and work': 404291, 'and work being': 75848, 'work being the': 1004935, 'being the redistribution': 125932, 'the redistribution centre': 865392, 'redistribution centre of': 705744, 'centre of we': 169527, 'of we stand': 592968, 'we stand no': 973365, 'stand no chance': 793556, 'no chance to': 563783, 'chance to flattenthecurve': 171799, 'to flattenthecurve in': 906003, 'flattenthecurve in good': 310173, 'in good time': 423374, 'good time or': 357864, 'time or at': 897425, 'or at all': 614441, 'extremly': 293951, 'cdc grocery': 168565, 'be extremly': 114766, 'extremly cautious': 293952, 'when limiting': 983691, 'milk essential': 531662, 'essential because': 280822, 'make many': 510110, 'many trip': 514830, 'le trip': 483220, 'cdc grocery store': 168566, 'grocery store must': 365581, 'store must be': 809005, 'must be extremly': 546503, 'be extremly cautious': 114767, 'extremly cautious when': 293953, 'cautious when limiting': 168236, 'when limiting food': 983692, 'limiting food milk': 492818, 'food milk essential': 315461, 'milk essential because': 531663, 'essential because it': 280823, 'because it cause': 119178, 'it cause the': 457077, 'cause the consumer': 167758, 'consumer to make': 199320, 'to make many': 909689, 'make many trip': 510113, 'many trip to': 514831, 'trip to store': 932202, 'to store le': 915628, 'store le trip': 808692, 'le trip to': 483221, 'cud': 220183, 'projected earnings': 683562, 'earnings cud': 264893, 'cud be': 220184, 'be falling': 114795, 'falling fast': 297259, 'fast share': 300024, 'point marketcrash': 662547, 'projected earnings cud': 683563, 'earnings cud be': 264894, 'cud be falling': 220185, 'be falling fast': 114796, 'falling fast share': 297260, 'fast share price': 300025, 'share price good': 755174, 'price good point': 674226, 'good point marketcrash': 357569, 'two question': 937174, 'question who': 693804, 'bulk panic': 142339, 'just afford': 468166, 'afford normal': 34733, 'you idiot': 1019274, 'two question who': 937176, 'question who are': 693805, 'these people who': 880463, 'afford to bulk': 34789, 'to bulk panic': 902105, 'bulk panic buy': 142340, 'panic buy all': 637462, 'all this food': 45106, 'this food can': 887575, 'food can just': 313870, 'can just afford': 158790, 'just afford normal': 468167, 'afford normal weekly': 34734, 'weekly shop where': 977560, 'shop where the': 761032, 'where the are': 985216, 'the are they': 848873, 'are they putting': 91018, 'they putting it': 882961, 'putting it all': 691152, 'it all stop': 456374, 'all stop panic': 44482, 'buying you idiot': 151408, 'been described': 120957, 'described by': 237936, 'by msm': 153254, 'msm highly': 544549, 'highly qualified': 396089, 'qualified politician': 691704, 'politician this': 663749, 'not automatically': 568290, 'automatically make': 104001, 'one competent': 606085, 'competent leader': 191616, 'witnessing in': 1003169, 'of mr': 586703, 'mr kenney': 544376, 'kenney he': 472791, 'he very': 385571, 'good con': 356908, 'con man': 192804, 'man like': 512140, 'guy from': 368996, 'from wh': 338335, 'wh covi': 980903, 'ha been described': 369773, 'been described by': 120958, 'described by msm': 237937, 'by msm highly': 153255, 'msm highly qualified': 544550, 'highly qualified politician': 396090, 'qualified politician this': 691705, 'politician this doe': 663750, 'doe not automatically': 251477, 'not automatically make': 568291, 'automatically make one': 104002, 'make one competent': 510267, 'one competent leader': 606086, 'competent leader we': 191617, 'leader we are': 483566, 'are witnessing in': 91663, 'witnessing in the': 1003171, 'in the case': 429058, 'case of mr': 165916, 'of mr kenney': 586706, 'mr kenney he': 544377, 'kenney he very': 472793, 'he very good': 385572, 'very good con': 955186, 'good con man': 356909, 'con man like': 192805, 'man like the': 512141, 'like the guy': 491372, 'the guy from': 856959, 'guy from wh': 368997, 'from wh covi': 338336, 'freefall': 332405, 'crash cause': 214955, 'cause gb': 167572, 'gb gas': 344784, 'gas amp': 343757, 'amp power': 54316, 'into freefall': 442571, 'price crash cause': 673317, 'crash cause gb': 214956, 'cause gb gas': 167573, 'gb gas amp': 344785, 'gas amp power': 343758, 'amp power price': 54317, 'power price to': 667666, 'go into freefall': 353748, 'trade group': 928502, 'group called': 366630, 'for federal': 321435, 'federal action': 301941, 'avoid potential': 105236, 'potential collapse': 667035, 'the ethanol': 854543, 'ethanol industry': 282984, 'down fuel': 256794, 'the trade group': 869855, 'trade group called': 928503, 'group called for': 366631, 'called for federal': 156317, 'for federal action': 321436, 'federal action to': 301942, 'action to avoid': 30163, 'to avoid potential': 900931, 'avoid potential collapse': 105237, 'potential collapse of': 667036, 'of the ethanol': 590994, 'the ethanol industry': 854544, 'ethanol industry the': 282985, 'industry the pandemic': 436151, 'drive down fuel': 259034, 'down fuel price': 256795, 'crewe': 216719, 'trainfailure': 929318, 'm6': 507236, 'wobble': 1003315, 'from unexpected': 338181, 'unexpected trip': 941387, 'to crewe': 903737, 'crewe to': 216722, 'pick trainfailure': 655695, 'trainfailure there': 929319, 'staggering number': 793262, 'of very': 592785, 'very big': 955019, 'big lorry': 129855, 'lorry on': 503352, 'the m6': 859847, 'm6 carrying': 507237, 'carrying food': 165179, 'everyone give': 286936, 'head wobble': 385871, 'wobble and': 1003316, 'back from unexpected': 107019, 'from unexpected trip': 338182, 'unexpected trip to': 941388, 'trip to crewe': 932188, 'to crewe to': 903738, 'crewe to pick': 216724, 'to pick trainfailure': 911729, 'pick trainfailure there': 655696, 'trainfailure there is': 929321, 'there is staggering': 878632, 'is staggering number': 452214, 'staggering number of': 793263, 'number of very': 577013, 'of very big': 592786, 'very big lorry': 955021, 'big lorry on': 129856, 'lorry on the': 503353, 'on the m6': 604225, 'the m6 carrying': 859848, 'm6 carrying food': 507238, 'carrying food so': 165180, 'food so everyone': 316651, 'so everyone give': 776974, 'everyone give your': 286937, 'give your head': 350884, 'your head wobble': 1024269, 'head wobble and': 385872, 'wobble and stop': 1003317, 'being stupid in': 125878, 'stupid in the': 815406, 'douse': 256295, 'wait ha': 964127, 'anyone checked': 80231, 'on betty': 599633, 'betty white': 128657, 'white lock': 987868, 'lock her': 499068, 'and douse': 61692, 'douse her': 256296, 'please stayathomeandstaysafe': 660552, 'wait ha anyone': 964128, 'ha anyone checked': 369580, 'anyone checked in': 80232, 'checked in on': 174754, 'in on betty': 426112, 'on betty white': 599634, 'betty white lock': 128658, 'white lock her': 987869, 'lock her and': 499069, 'her and douse': 391846, 'and douse her': 61693, 'douse her in': 256297, 'her in hand': 392140, 'sanitizer please stayathomeandstaysafe': 735555, 'pantryrecipes': 639721, 'sidedish': 768925, 'are relying': 89568, 'on pantry': 602692, 'pantry ingredient': 639615, 'ingredient right': 438398, 'reduce trip': 705998, 'this easy': 887339, 'easy side': 265758, 'side dish': 768798, 'dish us': 245512, 'us two': 948558, 'two pantry': 937130, 'pantry staple': 639668, 'is kid': 449195, 'friendly 30seconds': 333936, '30seconds recipe': 17522, 'recipe pantryrecipes': 704491, 'pantryrecipes food': 639722, 'food sidedish': 316628, 'of are relying': 580350, 'are relying on': 89569, 'relying on pantry': 709680, 'on pantry ingredient': 602693, 'pantry ingredient right': 639616, 'ingredient right now': 438399, 'now to reduce': 576180, 'to reduce trip': 913049, 'reduce trip to': 705999, '19 this easy': 11341, 'this easy side': 887340, 'easy side dish': 265759, 'side dish us': 768799, 'dish us two': 245513, 'us two pantry': 948559, 'two pantry staple': 937131, 'pantry staple and': 639669, 'staple and is': 793900, 'and is kid': 65413, 'is kid friendly': 449196, 'kid friendly 30seconds': 473960, 'friendly 30seconds recipe': 333937, '30seconds recipe pantryrecipes': 17523, 'recipe pantryrecipes food': 704492, 'pantryrecipes food sidedish': 639723, 'hi thanks': 394746, 'work always': 1004734, 'always dettol': 49525, 'dettol bottle': 239523, 'at umar': 101388, 'umar supermarket': 939213, 'usually 99p': 951080, '99p are': 23943, 'most shop': 542738, 'the constituency': 851480, 'constituency ha': 195725, 'doubled per': 256133, 'kg to': 473672, '99 which': 23917, 'wa usually': 963625, 'usually at': 951090, '29 cor': 16472, 'hi thanks for': 394747, 'thanks for your': 842086, 'for your hard': 328161, 'hard work always': 378121, 'work always dettol': 1004735, 'always dettol bottle': 49526, 'dettol bottle at': 239524, 'bottle at umar': 136192, 'at umar supermarket': 101389, 'umar supermarket usually': 939214, 'supermarket usually 99p': 823628, 'usually 99p are': 951081, '99p are being': 23944, 'being sold for': 125830, 'sold for 99': 781667, 'for 99 and': 318960, '99 and price': 23777, 'of meat in': 586373, 'meat in most': 525617, 'in most shop': 425470, 'most shop in': 542740, 'in the constituency': 429090, 'the constituency ha': 851481, 'constituency ha doubled': 195726, 'ha doubled per': 370433, 'doubled per kg': 256134, 'per kg to': 650901, 'kg to 99': 473673, 'to 99 which': 899892, '99 which wa': 23918, 'which wa usually': 986455, 'wa usually at': 963626, 'usually at 29': 951091, 'at 29 cor': 97571, 'actually delaying': 30773, 'delaying everything': 232827, 'everything animal': 287693, 'animal everywhere': 76586, 'everywhere price': 288248, 'wow this virus': 1012611, 'virus is actually': 958359, 'is actually delaying': 445329, 'actually delaying everything': 30774, 'delaying everything animal': 232828, 'everything animal everywhere': 287694, 'animal everywhere price': 76587, 'everywhere price going': 288249, 'price going through': 674214, 'motherly': 543228, 'honestly quite': 403128, 'quite happy': 694875, 'be isolated': 115550, 'least cannot': 484422, 'get upset': 348571, 'throat hurt': 894236, 'hurt too': 411622, 'my motherly': 549350, 'motherly voice': 543229, 'shopper workfromhome': 761843, 'honestly quite happy': 403129, 'quite happy to': 694876, 'to be isolated': 901345, 'be isolated at': 115551, 'isolated at least': 454979, 'at least cannot': 99476, 'least cannot get': 484423, 'cannot get upset': 161915, 'get upset about': 348572, 'about the empty': 26388, 'local supermarket my': 498559, 'supermarket my throat': 821563, 'my throat hurt': 550364, 'throat hurt too': 894237, 'hurt too much': 411623, 'too much for': 924922, 'much for my': 544921, 'for my motherly': 323725, 'my motherly voice': 549351, 'motherly voice to': 543230, 'voice to speak': 960006, 'speak to selfish': 787718, 'to selfish panicked': 914128, 'panicked shopper workfromhome': 639294, 'taken when': 833122, 'when groceryshopping': 983498, 'groceryshopping during': 366249, 'risk individual': 723635, 'precaution should be': 669353, 'be taken when': 117508, 'taken when groceryshopping': 833123, 'when groceryshopping during': 983499, 'groceryshopping during the': 366250, '19 pandemic should': 9466, 'pandemic should only': 636455, 'should only high': 766291, 'high risk individual': 395359, 'risk individual make': 723636, 'individual make use': 435220, 'use of in': 949416, 'of in demand': 585023, 'online shopping service': 609265, 'up roll': 945933, 'up everyone': 944812, 'everyone here': 287008, 'have lucky': 381398, 'lucky dip': 506548, 'on canned': 599804, 'mystery supermarket': 551018, 'roll up roll': 725580, 'up roll up': 945934, 'roll up everyone': 725578, 'up everyone here': 944813, 'everyone here we': 287010, 'here we have': 393789, 'we have lucky': 971863, 'have lucky dip': 381399, 'lucky dip on': 506549, 'dip on canned': 243206, 'on canned food': 599805, 'canned food what': 161527, 'food what will': 317566, 'will you get': 995385, 'you get it': 1018782, 'get it mystery': 347416, 'it mystery supermarket': 459723, 'll sue': 497049, 'sue you': 817173, 'or she ll': 617040, 'she ll sue': 756200, 'll sue you': 497050, 'sue you toiletpaper': 817174, 'just stepped': 469896, 'offered full': 594922, 'full credit': 340547, 'for flight': 321524, 'flight had': 310478, 'consumer focus': 197503, 'focus and': 311830, 'just stepped up': 469897, 'up and offered': 944351, 'and offered full': 67976, 'offered full credit': 594923, 'full credit for': 340548, 'credit for flight': 216394, 'for flight had': 321525, 'flight had to': 310479, 'cancel due to': 160841, 'that is consumer': 844570, 'is consumer focus': 446792, 'consumer focus and': 197504, 'focus and is': 311831, 'and is appreciated': 65391, 'annabelle': 76781, 'doometernal': 255455, 'gadbookclub': 342698, 'kidkrow': 474223, 'happy birthday': 377589, 'birthday annabelle': 131414, 'annabelle today': 76782, 'today do': 919454, 'your personalized': 1025266, 'personalized book': 653015, 'book stophoarding': 134600, 'stophoarding afterhours': 805346, 'afterhours coronacrisis': 36638, 'coronacrisis acnh': 204499, 'acnh animalcrossingnewhorizons': 29141, 'animalcrossingnewhorizons doometernal': 76708, 'doometernal fightcovid19': 255458, 'fightcovid19 gadbookclub': 304989, 'gadbookclub kidkrow': 342699, 'kidkrow turkey': 474224, 'turkey workingfromhome': 935588, 'happy birthday annabelle': 377590, 'birthday annabelle today': 131415, 'annabelle today do': 76783, 'today do you': 919456, 'enjoy your personalized': 277213, 'your personalized book': 1025267, 'personalized book stophoarding': 653016, 'book stophoarding afterhours': 134601, 'stophoarding afterhours coronacrisis': 805347, 'afterhours coronacrisis acnh': 36639, 'coronacrisis acnh animalcrossingnewhorizons': 204500, 'acnh animalcrossingnewhorizons doometernal': 29142, 'animalcrossingnewhorizons doometernal fightcovid19': 76709, 'doometernal fightcovid19 gadbookclub': 255459, 'fightcovid19 gadbookclub kidkrow': 304990, 'gadbookclub kidkrow turkey': 342700, 'kidkrow turkey workingfromhome': 474225, 'ventilated': 954499, 'city or': 179309, 'city we': 179450, 'of ventilated': 592779, 'ventilated parking': 954500, 'wa noon': 962750, 'noon the': 566865, 're heading out': 698795, 'heading out into': 385949, 'the city or': 850952, 'city or anywhere': 179310, 'difficult in the': 242237, 'the city we': 850965, 'city we have': 179451, 'we have lot': 971862, 'lot of ventilated': 504320, 'of ventilated parking': 592780, 'ventilated parking this': 954501, 'this wa noon': 891079, 'wa noon the': 962751, 'noon the 19th': 566866, 'doubt benefitted': 256187, 'benefitted hugely': 127175, 'hugely from': 410271, 'these profit': 880565, 'profit will': 682894, 'busy talking': 144982, 'the boom': 849849, 'boom period': 134817, 'period they': 651902, 'and shop without': 71520, 'shop without doubt': 761070, 'without doubt benefitted': 1002598, 'doubt benefitted hugely': 256188, 'benefitted hugely from': 127176, 'hugely from this': 410272, 'this crisis how': 887052, 'crisis how much': 217503, 'much of these': 545199, 'of these profit': 591857, 'these profit will': 880566, 'profit will be': 682895, 'will be put': 992628, 'be put back': 116640, 'put back into': 690526, 'back into the': 107116, 'into the community': 443107, 'the community for': 851275, 'community for the': 189859, 'public good we': 688038, 'good we have': 357947, 'been so busy': 121988, 'so busy talking': 776662, 'busy talking about': 144983, 'about the shelf': 26518, 'the shelf we': 866896, 'shelf we do': 757750, 'not miss the': 570589, 'miss the boom': 534191, 'the boom period': 849850, 'boom period they': 134819, 'period they are': 651903, 'kmu': 475961, 'panay': 634700, 'piston': 656988, 'repack': 711436, 'of kmu': 585664, 'kmu panay': 475962, 'panay and': 634701, 'and piston': 69033, 'piston panay': 656989, 'panay volunteered': 634703, 'help repack': 390437, 'repack rice': 711437, 'affected worker': 34465, 'are worker': 91679, 'demand paid': 236006, 'paid quarantine': 634114, 'quarantine leave': 692335, 'leave mass': 484864, 'testing food': 839489, 'security respect': 744731, 'worker and driver': 1006286, 'and driver of': 61752, 'driver of kmu': 259667, 'of kmu panay': 585665, 'kmu panay and': 475963, 'panay and piston': 634702, 'and piston panay': 69034, 'piston panay volunteered': 656990, 'panay volunteered to': 634704, 'volunteered to help': 960385, 'to help repack': 907608, 'help repack rice': 390438, 'repack rice and': 711438, 'rice and food': 720993, 'for the affected': 326295, 'the affected worker': 848407, 'affected worker and': 34466, 'the lockdown due': 859593, 'there are worker': 878186, 'are worker demand': 91680, 'worker demand paid': 1006754, 'demand paid quarantine': 236007, 'paid quarantine leave': 634115, 'quarantine leave mass': 692336, 'leave mass testing': 484865, 'mass testing food': 519881, 'testing food security': 839490, 'food security respect': 316363, 'security respect of': 744732, 'respect of human': 715035, 'of human right': 584877, 'kamudirumahya': 470766, 'guy should': 369139, 'hard cant': 377888, 'cant imagine': 162314, 'were them': 980247, 'them stop': 876334, 'stop kamudirumahya': 804802, 'you guy should': 1018973, 'guy should watch': 369141, 'should watch this': 766636, 'watch this they': 968581, 'this they have': 890556, 'they have worked': 882405, 'have worked hard': 383628, 'worked hard cant': 1006116, 'hard cant imagine': 377889, 'cant imagine if': 162315, 'imagine if were': 416746, 'if were them': 415349, 'were them stop': 980248, 'them stop kamudirumahya': 876335, 'behavior which': 124304, 'which in': 985947, 'turn ha': 935671, 'the innovation': 858302, 'innovation of': 438889, 'future learn': 342377, 'changed consumer shopping': 172460, 'shopping behavior which': 762216, 'behavior which in': 124305, 'which in turn': 985949, 'in turn ha': 430336, 'turn ha led': 935672, 'to the innovation': 916812, 'the innovation of': 858303, 'innovation of supply': 438890, 'chain for the': 170719, 'foreseeable future learn': 329064, 'future learn more': 342378, 'csnewsonline': 220053, 'falling across': 297197, 'country gasprices': 210680, 'gasprices csnewsonline': 344285, 'pump price are': 689085, 'are falling across': 86458, 'falling across the': 297198, 'the country gasprices': 852086, 'country gasprices csnewsonline': 210681, 'spain no': 787325, 'no empty': 564113, 'buying without': 151381, 'without shortage': 1002912, 'just calm': 468418, 'an abundant': 55049, 'abundant supply': 27603, 'this why': 891393, 'they act': 881093, 'so irresponsibly': 777432, 'irresponsibly they': 445101, 'to govern': 906932, 'from friend in': 335570, 'friend in spain': 333659, 'in spain no': 428178, 'spain no empty': 787326, 'no empty shelf': 564114, 'shelf no panic': 757340, 'panic buying without': 637969, 'buying without shortage': 151382, 'without shortage just': 1002913, 'shortage just calm': 765052, 'just calm and': 468419, 'calm and an': 156682, 'and an abundant': 58100, 'an abundant supply': 55050, 'abundant supply of': 27605, 'paper why isn': 641096, 'isn the uk': 454718, 'uk government doing': 938412, 'government doing this': 360046, 'doing this why': 252776, 'this why do': 891396, 'why do they': 990942, 'do they act': 250297, 'they act so': 881094, 'act so irresponsibly': 29767, 'so irresponsibly they': 777433, 'irresponsibly they are': 445102, 'are not qualified': 88450, 'qualified to govern': 691711, 'rcmp': 698115, 'shoplifter': 761208, 'that rcmp': 845946, 'rcmp are': 698116, 'business wait': 144630, 'wait minute': 964156, 'to several': 914310, 'several call': 753801, 'call about': 155740, 'about shoplifter': 26184, 'shoplifter we': 761211, 'had caught': 372955, 'caught when': 167475, 'when worked': 984514, 'worked retail': 1006138, 'proof that rcmp': 684015, 'that rcmp are': 845947, 'rcmp are so': 698117, 'are so out': 90212, 'touch with other': 926580, 'with other retailer': 999960, 'other retailer business': 620850, 'retailer business wait': 719051, 'business wait minute': 144631, 'wait minute they': 964158, 'minute they refuse': 533861, 'refuse to respond': 707040, 'respond to several': 715326, 'to several call': 914311, 'several call about': 753802, 'call about shoplifter': 155741, 'about shoplifter we': 26185, 'shoplifter we had': 761212, 'we had caught': 971703, 'had caught when': 372956, 'caught when worked': 167476, 'when worked retail': 984516, 'worked retail at': 1006139, 'retail at dollar': 717859, 'with rx': 1000538, 'transparency law': 929831, 'law are': 482219, 'monitor for': 537287, 'treatment learn': 931102, 'state with rx': 796099, 'with rx price': 1000539, 'rx price transparency': 728791, 'price transparency law': 677110, 'transparency law are': 929832, 'law are able': 482220, 'able to monitor': 24507, 'to monitor for': 910231, 'monitor for price': 537288, 'gouging of potential': 359404, 'of potential treatment': 588287, 'potential treatment learn': 667165, 'treatment learn how': 931103, 'learn how they': 483992, 're doing it': 698541, 'toiletpapercastle': 922969, 'toiletpaperfort': 923150, 'his 14': 397163, 'child built': 176024, 'built himself': 142184, 'himself castle': 396797, 'castle out': 166779, 'toiletpaper toiletpapercastle': 922641, 'toiletpapercastle toiletpaperfort': 922970, 'toiletpaperfort toiletpapercrisis': 923152, 'toiletpapercrisis lockdown': 923034, 'day of his': 228074, 'of his 14': 584645, 'his 14 day': 397164, 'isolation and the': 455203, 'and the child': 73280, 'the child built': 850814, 'child built himself': 176025, 'built himself castle': 142185, 'himself castle out': 396798, 'castle out of': 166780, 'paper toiletpaper toiletpapercastle': 640958, 'toiletpaper toiletpapercastle toiletpaperfort': 922642, 'toiletpapercastle toiletpaperfort toiletpapercrisis': 922971, 'toiletpaperfort toiletpapercrisis lockdown': 923153, 'toiletpapercrisis lockdown socialdistancing': 923035, 'lockdown socialdistancing selfisolation': 499935, 'parasite': 641466, 'gouging may': 359385, 'charged when': 173423, 'when supplier': 984099, 'service dramatically': 752306, 'dramatically increase': 258351, 'increase asking': 432681, 'during civil': 262506, 'civil emergency': 179516, 'emergency name': 272813, 'these parasite': 880400, 'price gouging may': 674298, 'gouging may be': 359386, 'may be charged': 520959, 'be charged when': 114067, 'charged when supplier': 173424, 'when supplier of': 984101, 'supplier of essential': 824579, 'or service dramatically': 617015, 'service dramatically increase': 752307, 'dramatically increase asking': 258352, 'increase asking price': 432682, 'asking price in': 96046, 'price in anticipation': 674660, 'anticipation of or': 78493, 'of or during': 587316, 'or during civil': 615097, 'during civil emergency': 262507, 'civil emergency name': 179517, 'emergency name and': 272814, 'and shame these': 71366, 'shame these parasite': 754656, 'fatherdmw': 300331, 'asuu': 97274, 'mc': 522079, 'olumo': 598776, 'ozzy': 632795, 'efcc': 268952, 'agegeunrest': 37966, 'all available': 42093, 'at pocket': 100147, 'pocket friendly': 662172, 'friendly price': 333982, 'price place': 675875, 'order just': 618351, 'dm away': 248879, 'or whatsapp': 617775, 'whatsapp kindly': 982895, 'retweet fatherdmw': 720048, 'fatherdmw day18oflockdown': 300332, 'day18oflockdown asuu': 228864, 'asuu mc': 97275, 'mc olumo': 522080, 'olumo ozzy': 598777, 'ozzy efcc': 632796, 'efcc banana': 268953, 'banana island': 109312, 'island eastermonday': 454286, 'eastermonday agegeunrest': 265566, 'agegeunrest insecure': 37967, 'all available in': 42095, 'available in store': 104454, 'in store at': 428385, 'store at pocket': 806590, 'at pocket friendly': 100148, 'pocket friendly price': 662173, 'friendly price place': 333983, 'price place your': 675876, 'your order just': 1025103, 'order just dm': 618352, 'just dm away': 468610, 'dm away or': 248880, 'away or whatsapp': 105987, 'or whatsapp kindly': 617778, 'whatsapp kindly retweet': 982896, 'kindly retweet fatherdmw': 475163, 'retweet fatherdmw day18oflockdown': 720049, 'fatherdmw day18oflockdown asuu': 300333, 'day18oflockdown asuu mc': 228865, 'asuu mc olumo': 97276, 'mc olumo ozzy': 522081, 'olumo ozzy efcc': 598778, 'ozzy efcc banana': 632797, 'efcc banana island': 268954, 'banana island eastermonday': 109313, 'island eastermonday agegeunrest': 454287, 'eastermonday agegeunrest insecure': 265567, 'johnclive': 466565, 'my brilliant': 547540, 'brilliant friend': 139846, 'friend johnclive': 333681, 'johnclive sent': 466566, 'this panicbuying': 889467, 'hoarding supermarket': 399560, 'my brilliant friend': 547541, 'brilliant friend johnclive': 139847, 'friend johnclive sent': 333682, 'johnclive sent me': 466567, 'me this panicbuying': 523718, 'this panicbuying hoarding': 889468, 'panicbuying hoarding supermarket': 638964, 'hypothetically': 412422, '700cr': 21914, '100cr': 2154, '200cr': 13719, 'jln': 465558, '500cr': 20078, 'rajiv': 696187, 'hypothetically if': 412423, 'if kong': 414361, 'kong had': 477388, 'power at': 667568, 'option mask': 614070, 'mask scam': 519245, 'scam 700cr': 739960, '700cr lab': 21915, 'lab scam': 478281, 'scam 100cr': 739953, '100cr covid': 2155, 'covid test': 214227, 'kit scam': 475629, 'scam 200cr': 739957, '200cr hand': 13720, 'scam jln': 740222, 'jln 500cr': 465559, '500cr corona': 20079, 'corona relief': 204141, 'relief scam': 709457, '200cr rajiv': 13722, 'rajiv gandhi': 696188, 'gandhi virus': 343380, 'virus research': 958683, 'research center': 713693, 'center 300': 169143, '300 cr': 17294, 'hypothetically if kong': 412424, 'if kong had': 414362, 'kong had been': 477389, 'had been in': 372895, 'been in power': 121359, 'in power at': 426884, 'power at that': 667569, 'that time what': 847051, 'time what could': 898270, 'what could have': 981268, 'have been the': 379716, 'been the option': 122167, 'the option mask': 862429, 'option mask scam': 614071, 'mask scam 700cr': 519246, 'scam 700cr lab': 739961, '700cr lab scam': 21916, 'lab scam 100cr': 478282, 'scam 100cr covid': 739954, '100cr covid test': 2156, 'covid test kit': 214228, 'test kit scam': 839069, 'kit scam 200cr': 475630, 'scam 200cr hand': 739958, '200cr hand sanitizer': 13721, 'sanitizer scam jln': 735706, 'scam jln 500cr': 740223, 'jln 500cr corona': 465560, '500cr corona relief': 20080, 'corona relief scam': 204142, 'relief scam 200cr': 709458, 'scam 200cr rajiv': 739959, '200cr rajiv gandhi': 13723, 'rajiv gandhi virus': 696189, 'gandhi virus research': 343381, 'virus research center': 958684, 'research center 300': 713694, 'center 300 cr': 169144, 'whitehousebriefing': 987954, 'stockmarket just': 803658, 'dropped again': 260529, 'after whitehousebriefing': 36536, 'whitehousebriefing on': 987955, 'on circuit': 599925, 'breaker kicked': 138861, 'kicked in': 473805, 'in again': 420098, 'again checked': 36943, 'my portfolio': 549813, 'portfolio and': 664990, 'saw stock': 738254, 'been tracking': 122262, 'tracking could': 928327, 'believe what': 126410, 'no leadership': 564587, 'leadership at': 483587, 'top no': 925624, 'no confidence': 563869, 'stockmarket just dropped': 803659, 'just dropped again': 468656, 'dropped again after': 260530, 'again after whitehousebriefing': 36877, 'after whitehousebriefing on': 36537, 'whitehousebriefing on circuit': 987956, 'on circuit breaker': 599926, 'circuit breaker kicked': 178635, 'breaker kicked in': 138862, 'kicked in again': 473806, 'in again checked': 420099, 'again checked my': 36944, 'checked my portfolio': 174759, 'my portfolio and': 549814, 'portfolio and saw': 664991, 'and saw stock': 70986, 'saw stock price': 738255, 'stock price on': 802739, 'on thing ve': 604592, 'thing ve been': 884936, 've been tracking': 952950, 'been tracking could': 122263, 'tracking could not': 928328, 'could not believe': 209433, 'not believe what': 568561, 'believe what saw': 126412, 'what saw no': 982120, 'saw no leadership': 738185, 'no leadership at': 564588, 'leadership at the': 483588, 'the top no': 869786, 'top no confidence': 925625, 'no confidence in': 563870, 'in the direction': 429135, 'the direction of': 853314, 'direction of usa': 243474, 'implented': 418537, 'distance implented': 246734, 'implented at': 418538, 'the singapore': 867215, 'singapore supermarket': 771155, 'supermarket shall': 822397, 'social distance implented': 779507, 'distance implented at': 246735, 'implented at the': 418539, 'at the singapore': 101098, 'the singapore supermarket': 867216, 'singapore supermarket shall': 771156, 'supermarket shall we': 822398, 'positively': 665494, 'synclarity': 830983, 'had severe': 373492, 'mortar outlet': 541825, 'outlet across': 629019, 'may positively': 521430, 'positively affect': 665495, 'that facilitate': 843817, 'facilitate online': 295270, 'sale read': 732480, 'more ecommerce': 539098, 'ecommerce onlinesales': 266822, 'onlinesales synclarity': 609866, 'ha had severe': 370797, 'had severe impact': 373493, 'on the brick': 603999, 'the brick and': 849988, 'and mortar outlet': 67245, 'mortar outlet across': 541826, 'outlet across the': 629020, 'the country due': 852065, 'the lockdown however': 859603, 'lockdown however this': 499482, 'however this may': 409504, 'this may positively': 888794, 'may positively affect': 521431, 'positively affect the': 665496, 'affect the brand': 34238, 'the brand that': 849943, 'brand that facilitate': 138034, 'that facilitate online': 843818, 'facilitate online sale': 295271, 'online sale read': 608924, 'sale read more': 732481, 'read more ecommerce': 700431, 'more ecommerce onlinesales': 539099, 'ecommerce onlinesales synclarity': 266823, 'flipped': 310633, 'just pop': 469458, 'had delivery': 373021, 'delivery off': 234242, 'off loo': 593958, 'roll one': 725432, 'woman had': 1003496, 'had shopping': 373500, 'just loo': 469186, 'roll when': 725593, 'cashier told': 166642, 'buy pack': 149071, 'pack she': 633149, 'she flipped': 756038, 'flipped and': 310634, 'started abusing': 794670, 'abusing her': 27711, 'her why': 392527, 'why loo': 991171, 'just pop in': 469459, 'pop in the': 664428, 'supermarket to by': 823360, 'to by some': 902361, 'by some milk': 154077, 'some milk they': 783296, 'milk they just': 531856, 'they just had': 882497, 'just had delivery': 468898, 'had delivery off': 373022, 'delivery off loo': 234243, 'off loo roll': 593959, 'loo roll one': 502192, 'roll one woman': 725433, 'one woman had': 607494, 'woman had shopping': 1003498, 'had shopping trolley': 373501, 'shopping trolley full': 764263, 'full of just': 340734, 'of just loo': 585573, 'just loo roll': 469187, 'loo roll when': 502208, 'roll when the': 725594, 'when the cashier': 984131, 'the cashier told': 850499, 'cashier told her': 166643, 'told her she': 923568, 'her she could': 392363, 'she could only': 755959, 'could only buy': 209479, 'only buy pack': 610204, 'buy pack she': 149073, 'pack she flipped': 633150, 'she flipped and': 756039, 'flipped and started': 310635, 'and started abusing': 72255, 'started abusing her': 794671, 'abusing her why': 27712, 'her why loo': 392528, 'why loo roll': 991172, 'husband just': 411729, 'panic yelled': 638808, 'yelled be': 1015232, 'safe don': 729602, 'don shake': 253905, 'shake anyone': 754402, 'anyone hand': 80346, 'he gonna': 384999, 'gonna shake': 356613, 'my husband just': 548783, 'husband just left': 411731, 'just left for': 469126, 'store and tell': 806367, 'me why panic': 523975, 'why panic yelled': 991273, 'panic yelled be': 638809, 'yelled be safe': 1015233, 'be safe don': 116951, 'safe don shake': 729603, 'don shake anyone': 253906, 'shake anyone hand': 754403, 'anyone hand if': 80348, 'hand if he': 375032, 'if he gonna': 414216, 'he gonna shake': 385001, 'gonna shake anyone': 356614, 'anyone hand at': 80347, 'at the damn': 100923, 'store to begin': 810758, 'why hospital': 991076, 'being supplied': 125886, 'with test': 1001156, 'kit mask': 475594, 'glove sanitizers': 352906, 'epidemic consumer': 279352, 'no excuse why': 564168, 'excuse why hospital': 289798, 'why hospital are': 991077, 'hospital are not': 404303, 'are not being': 88333, 'not being supplied': 568551, 'being supplied with': 125887, 'supplied with test': 824478, 'with test kit': 1001157, 'test kit mask': 839064, 'kit mask glove': 475595, 'mask glove sanitizers': 518746, 'glove sanitizers and': 352907, 'sanitizers and necessary': 736203, 'and necessary equipment': 67457, 'necessary equipment to': 553981, 'equipment to help': 279857, 'the epidemic consumer': 854432, 'epidemic consumer people': 279353, 'richer': 721331, 'for worse': 327970, 'worse richer': 1010992, 'richer for': 721334, 'for poorer': 324617, 'poorer in': 664352, 'in sickness': 427936, 'sickness and': 768745, 'for better for': 319656, 'better for worse': 128291, 'for worse richer': 327971, 'worse richer for': 1010993, 'richer for poorer': 721335, 'for poorer in': 324618, 'poorer in sickness': 664353, 'in sickness and': 427937, 'sickness and in': 768746, 'and in health': 65054, 'official usa': 595959, 'usa salux': 948740, 'salux cloth': 732885, 'cloth site': 184108, 'site beat': 771888, 'beat amazon': 118505, 'price unless': 677200, 'day ship': 228343, 'required washyourhands': 713417, 'official usa salux': 595960, 'usa salux cloth': 948742, 'salux cloth site': 732886, 'cloth site beat': 184109, 'site beat amazon': 771889, 'beat amazon price': 118507, 'amazon price unless': 51072, 'price unless you': 677201, 'same day ship': 733033, 'day ship on': 228344, 'ship on all': 758698, 'membership required washyourhands': 528283, 'yeswaystores': 1015966, 'chain post': 170996, 'on procedure': 602933, 'and protocol': 69682, 'protocol they': 686000, 'safety yeswaystores': 730791, 'yeswaystores learn': 1015967, 'convenience store retail': 202355, 'store retail chain': 809868, 'retail chain post': 717943, 'chain post on': 170997, 'post on procedure': 666257, 'on procedure and': 602934, 'procedure and protocol': 679804, 'and protocol they': 69683, 'protocol they help': 686002, 'they help ensure': 882427, 'help ensure everyone': 389642, 'everyone safety yeswaystores': 287341, 'safety yeswaystores learn': 730792, 'yeswaystores learn more': 1015968, 'buyer need': 149687, 'really stop': 702614, 'my si': 550076, 'si is': 768312, 'isolation ha': 455284, 'get paracetamol': 347784, 'paracetamol what': 641280, 'people half': 648144, 'order got': 618270, 'got cancelled': 358466, 'cancelled cuz': 161103, 'cuz nothing': 223808, 'available she': 104587, 'food med': 315425, 'med panickbuyinguk': 525908, 'panickbuyinguk coronacrisis': 639232, 'panic buyer need': 637589, 'buyer need to': 149688, 'need to really': 556033, 'to really stop': 912869, 'really stop it': 702615, 'stop it my': 804786, 'it my si': 459719, 'my si is': 550078, 'si is in': 768313, 'is in isolation': 448780, 'in isolation ha': 424197, 'isolation ha fever': 455285, 'ha fever and': 370612, 'fever and cannot': 303649, 'cannot get paracetamol': 161902, 'get paracetamol what': 347785, 'paracetamol what wrong': 641281, 'with people half': 1000150, 'people half of': 648145, 'half of her': 374225, 'of her online': 584580, 'her online order': 392257, 'online order got': 608690, 'order got cancelled': 618271, 'got cancelled cuz': 358467, 'cancelled cuz nothing': 161104, 'cuz nothing available': 223809, 'nothing available she': 572938, 'available she need': 104588, 'she need food': 756231, 'need food med': 554799, 'food med panickbuyinguk': 315429, 'med panickbuyinguk coronacrisis': 525909, 'panickbuyinguk coronacrisis stophoarding': 639233, 'loyalist': 506283, 'an isolated': 56474, 'isolated incident': 455010, 'incident or': 431430, 'national and': 552412, 'and communist': 60165, 'party loyalist': 643005, 'loyalist being': 506284, 'suburban supermarket is': 816145, 'supermarket is this': 821129, 'this an isolated': 886320, 'an isolated incident': 56475, 'isolated incident or': 455011, 'incident or are': 431431, 'or are chinese': 614405, 'chinese national and': 177302, 'national and communist': 552413, 'and communist party': 60166, 'communist party loyalist': 189678, 'party loyalist being': 643006, 'loyalist being paid': 506285, 'spending since': 788986, 'consumer spending since': 199091, 'spending since the': 788987, 'cargo': 164653, 'frontline health': 338751, 'worker hazard': 1007100, 'pay too': 645191, 'essential non': 281331, 'worker medium': 1007379, 'medium police': 527228, 'police amp': 662894, 'amp military': 54135, 'military security': 531495, 'guard supermarket': 367844, 'bank drugstore': 109796, 'drugstore attendant': 261182, 'attendant cargo': 102340, 'cargo driver': 164660, 'government staff': 360625, 'all frontliners': 42887, 'pay for all': 644867, 'all our frontline': 43809, 'our frontline health': 623199, 'frontline health worker': 338753, 'health worker hazard': 386981, 'worker hazard pay': 1007101, 'hazard pay too': 384575, 'pay too for': 645192, 'too for essential': 924742, 'for essential non': 321112, 'essential non medical': 281333, 'non medical worker': 566437, 'medical worker medium': 526507, 'worker medium police': 1007380, 'medium police amp': 527229, 'police amp military': 662895, 'amp military security': 54136, 'military security guard': 531496, 'security guard supermarket': 744626, 'guard supermarket bank': 367845, 'supermarket bank drugstore': 819298, 'bank drugstore attendant': 109797, 'drugstore attendant cargo': 261183, 'attendant cargo driver': 102341, 'cargo driver government': 164661, 'driver government staff': 259584, 'government staff etc': 360626, 'staff etc they': 792423, 'are all frontliners': 84306, 'all frontliners in': 42888, 'event is': 285000, 'safer with': 730396, 'than staying': 841166, 'then proceeds': 877446, 'cough le': 208499, 'than 6ft': 840288, 'guy love': 369077, 'love dana': 504640, 'dana but': 225550, 'just wrong': 470355, 'wrong htt': 1013045, 'anyone coming to': 80239, 'coming to this': 188234, 'to this event': 917422, 'this event is': 887452, 'event is safer': 285005, 'is safer with': 451633, 'safer with me': 730397, 'with me than': 999453, 'me than staying': 523597, 'than staying at': 841167, 'home or going': 401743, 'you that then': 1021579, 'that then proceeds': 846889, 'then proceeds to': 877447, 'proceeds to cough': 679862, 'to cough le': 903607, 'cough le than': 208500, 'le than 6ft': 483162, 'than 6ft away': 840289, 'from the guy': 337734, 'the guy love': 856961, 'guy love dana': 369078, 'love dana but': 504641, 'dana but he': 225551, 'but he is': 145901, 'he is just': 385130, 'is just wrong': 449159, 'just wrong htt': 470356, 'article say': 94449, 'five state': 309661, 'below kentucky': 126682, 'kentucky tennessee': 472857, 'tennessee oklahoma': 837960, 'oklahoma wisconsin': 598083, 'wisconsin and': 996600, 'and missouri': 67079, 'this article say': 886429, 'article say there': 94450, 'there are five': 878107, 'are five state': 86595, 'five state with': 309662, 'state with gas': 796095, 'price below kentucky': 672906, 'below kentucky tennessee': 126683, 'kentucky tennessee oklahoma': 472858, 'tennessee oklahoma wisconsin': 837961, 'oklahoma wisconsin and': 598084, 'wisconsin and missouri': 996601, 'slippin': 774056, 'the catch': 850525, 'you slippin': 1021272, 'slippin on': 774057, 'when the catch': 984132, 'the catch you': 850526, 'catch you slippin': 167063, 'you slippin on': 1021273, 'slippin on the': 774058, 'asda whilst': 95006, 'whilst my': 987658, 'mum wa': 545967, 'grandparent who': 361993, 'house stop': 406585, 'buying panicbuyinguk': 150877, 'asda whilst my': 95007, 'whilst my mum': 987659, 'my mum wa': 549388, 'mum wa trying': 545968, 'do the food': 250243, 'the food shop': 855601, 'food shop for': 316479, 'for my grandparent': 323710, 'my grandparent who': 548562, 'grandparent who cannot': 361994, 'who cannot leave': 988424, 'cannot leave the': 161994, 'the house stop': 857638, 'house stop panic': 406586, 'panic buying panicbuyinguk': 637840, 'my inhaler': 548852, 'inhaler from': 438435, 'it felt': 457981, 'felt very': 303470, 'store scene': 810009, 'from birdbox': 334698, 'birdbox just': 131362, 'different sort': 242067, 'pandemic guess': 635527, 'guess plague': 368029, 'picked up my': 655816, 'up my inhaler': 945431, 'my inhaler from': 548853, 'inhaler from the': 438436, 'from the pharmacy': 337831, 'pharmacy and it': 654214, 'and it felt': 65528, 'it felt very': 457985, 'felt very much': 303471, 'very much like': 955363, 'much like the': 545055, 'grocery store scene': 365751, 'store scene from': 810010, 'scene from birdbox': 741325, 'from birdbox just': 334699, 'birdbox just different': 131363, 'just different sort': 468596, 'different sort of': 242068, 'sort of pandemic': 786130, 'of pandemic guess': 587697, 'pandemic guess plague': 635528, 'lamu': 479213, 'bra': 137473, 'lamu woman': 479214, 'woman cover': 1003457, 'cover face': 212222, 'with bra': 997461, 'bra mask': 137476, 'lamu woman cover': 479215, 'woman cover face': 1003458, 'cover face with': 212223, 'face with bra': 294860, 'with bra mask': 997462, 'bra mask price': 137477, 'mask price soar': 519151, 'aquaman': 83773, 'ressurected': 716138, 'lockdown budget': 499207, 'budget aquaman': 141754, 'aquaman ressurected': 83774, 'ressurected in': 716139, 'in nearest': 425710, 'amid to covid': 52729, '19 lockdown budget': 8373, 'lockdown budget aquaman': 499208, 'budget aquaman ressurected': 141755, 'aquaman ressurected in': 83775, 'ressurected in nearest': 716140, 'in nearest supermarket': 425711, '12am': 3095, 'heard you': 388173, 'you ran': 1020547, 'towel meet': 927345, 'after 12am': 35271, '12am ll': 3096, 'll hook': 496849, 'hook you': 403348, 'up no': 945460, 'no seriously': 565465, 'though self': 892880, 'isolating suck': 455142, 'suck oh': 816911, 'well coronauk': 978126, 'heard you ran': 388175, 'you ran out': 1020548, 'paper and kitchen': 639834, 'and kitchen towel': 65867, 'kitchen towel meet': 475765, 'towel meet me': 927346, 'supermarket after 12am': 818797, 'after 12am ll': 35272, '12am ll hook': 3097, 'll hook you': 496850, 'hook you up': 403349, 'you up no': 1021988, 'up no seriously': 945461, 'no seriously though': 565466, 'seriously though self': 751767, 'though self isolating': 892881, 'self isolating suck': 747737, 'isolating suck oh': 455143, 'suck oh well': 816912, 'oh well coronauk': 596480, 'production site': 682211, 'site have': 771938, 'price bc': 672849, 'cancel lot': 160861, 'upcoming merch': 946801, 'merch bc': 528951, 'lot of production': 504262, 'of production site': 588512, 'production site have': 682212, 'site have raised': 771940, 'have raised their': 382152, 'their price bc': 874378, 'price bc of': 672850, 'bc of shortage': 113264, 'of shortage due': 589681, '19 had to': 7412, 'to cancel lot': 902428, 'cancel lot of': 160862, 'lot of my': 504234, 'of my upcoming': 586826, 'my upcoming merch': 550464, 'upcoming merch bc': 946802, 'merch bc of': 528952, 'bc of this': 113267, 'existent': 290276, 'could explain': 209148, 'still exposing': 800510, 'exposing your': 292947, 'forcing those': 328746, 'no sick': 565504, 'negative just': 556799, 'accommodate non': 28431, 'non existent': 566378, 'existent retail': 290281, 'sale outside': 732438, 'of commercial': 581558, 'you could explain': 1018086, 'could explain to': 209149, 'me how it': 522913, 'it is your': 459139, 'your still exposing': 1025944, 'still exposing your': 800511, 'exposing your employee': 292948, 'employee to the': 274337, 'virus and forcing': 957925, 'and forcing those': 63184, 'forcing those with': 328747, 'with no sick': 999788, 'no sick leave': 565505, 'to go negative': 906827, 'go negative just': 353848, 'negative just to': 556800, 'just to accommodate': 470082, 'to accommodate non': 899971, 'accommodate non existent': 28432, 'non existent retail': 566381, 'existent retail store': 290282, 'store sale outside': 809970, 'sale outside of': 732439, 'outside of commercial': 629503, 'gafoors': 342716, 'imcresed': 416887, 'friend visited': 333868, 'visited gafoors': 959476, 'gafoors store': 342717, 'in leytonstone': 424687, 'leytonstone and': 487872, 'wa advised': 961444, 'advised price': 33639, 'have imcresed': 381014, 'imcresed by': 416888, 'by head': 152776, 'office called': 595388, 'called head': 156335, 'and referred': 70120, 'referred to': 706528, 'below article': 126598, 'article advisor': 94241, 'advisor become': 33723, 'become abrupt': 119905, 'abrupt and': 27173, 'and ended': 62117, 'ended call': 276127, 'friend visited gafoors': 333869, 'visited gafoors store': 959477, 'gafoors store in': 342718, 'store in leytonstone': 808332, 'in leytonstone and': 424688, 'leytonstone and wa': 487873, 'and wa advised': 75076, 'wa advised price': 961445, 'advised price have': 33640, 'price have imcresed': 674431, 'have imcresed by': 381015, 'imcresed by head': 416889, 'by head office': 152777, 'head office called': 385784, 'office called head': 595389, 'called head office': 156336, 'head office and': 385783, 'office and referred': 595359, 'and referred to': 70121, 'referred to below': 706529, 'to below article': 901755, 'below article advisor': 126599, 'article advisor become': 94242, 'advisor become abrupt': 33724, 'become abrupt and': 119906, 'abrupt and ended': 27174, 'and ended call': 62118, 'plss': 661200, 'shopkeeper are': 761170, 'taking double': 833331, 'product vegetable': 681804, 'vegetable etc': 953977, 'understand simple': 940708, 'which situation': 986324, 'situation india': 772333, 'suffering if': 817324, 'any shopkeeper': 79800, 'shopkeeper taking': 761192, 'for vegetable': 327529, 'etc plss': 282714, 'plss inform': 661201, 'moment stopcorona': 536053, 'shopkeeper are taking': 761173, 'are taking double': 90718, 'taking double price': 833332, 'double price for': 256036, 'the product vegetable': 864599, 'product vegetable etc': 681805, 'vegetable etc they': 953979, 'etc they do': 282814, 'not understand simple': 572323, 'understand simple thing': 940709, 'simple thing that': 770122, 'thing that in': 884813, 'that in which': 844465, 'in which situation': 430869, 'which situation india': 986325, 'situation india is': 772334, 'india is suffering': 434492, 'is suffering if': 452433, 'suffering if any': 817325, 'if any shopkeeper': 413835, 'any shopkeeper taking': 79801, 'shopkeeper taking much': 761193, 'taking much money': 833447, 'much money for': 545085, 'money for vegetable': 536760, 'for vegetable etc': 327530, 'vegetable etc plss': 953978, 'etc plss inform': 282715, 'plss inform the': 661202, 'inform the police': 437668, 'the police on': 863927, 'police on that': 663138, 'on that moment': 603939, 'that moment stopcorona': 845202, 'bugging': 141910, 'my class': 547700, 'class getting': 180196, 'getting moved': 349131, 'moved online': 543824, 'online wa': 609688, 'wa stressful': 963327, 'stressful but': 813484, 'but real': 146893, 'real stress': 701371, 'stress wa': 813418, 'my bell': 547423, 'bell into': 126487, 'the stalk': 867715, 'stalk market': 793343, 'past sunday': 643613, 'and bugging': 59236, 'bugging all': 141911, 'their turnip': 875053, 'sell my': 748798, 'my turnip': 550440, 'turnip at': 935988, 'they spoil': 883426, 'thought this covid': 893264, '19 thing and': 11320, 'thing and all': 884119, 'and all my': 57877, 'all my class': 43546, 'my class getting': 547701, 'class getting moved': 180197, 'getting moved online': 349132, 'moved online wa': 543828, 'online wa stressful': 609690, 'wa stressful but': 963328, 'stressful but real': 813485, 'but real stress': 146894, 'real stress wa': 701372, 'stress wa the': 813419, 'wa the decision': 963444, 'decision to put': 231111, 'to put all': 912578, 'put all my': 690502, 'all my bell': 43540, 'my bell into': 547424, 'bell into the': 126488, 'into the stalk': 443174, 'the stalk market': 867716, 'stalk market this': 793344, 'market this past': 517217, 'this past sunday': 889495, 'past sunday and': 643614, 'sunday and bugging': 818169, 'and bugging all': 59237, 'bugging all my': 141912, 'my friend for': 548432, 'friend for their': 333609, 'for their turnip': 326879, 'their turnip price': 875054, 'turnip price to': 936000, 'to sell my': 914160, 'sell my turnip': 748800, 'my turnip at': 550441, 'turnip at good': 935989, 'good price before': 357585, 'price before they': 672882, 'before they spoil': 123219, 'supermarket great': 820563, 'great have': 362715, 'shopping later': 763142, 'across supermarket great': 29467, 'supermarket great have': 820564, 'great have to': 362716, 'grocery shopping later': 365048, 'shopping later today': 763144, 'somehow the': 784335, 'be cunt': 114307, 'cunt message': 220368, 'is lost': 449462, 'lost on': 503896, 'some shopkeeper': 783847, 'shopkeeper just': 761184, 'these highly': 880120, 'being cunt': 125014, 'somehow the don': 784336, 'the don be': 853539, 'don be cunt': 253358, 'be cunt message': 114308, 'cunt message in': 220369, 'message in this': 529345, 'trying time for': 934746, 'all is lost': 43250, 'is lost on': 449463, 'lost on some': 503898, 'on some shopkeeper': 603570, 'some shopkeeper just': 783848, 'shopkeeper just say': 761185, 'just say no': 469700, 'no to these': 565747, 'to these highly': 917344, 'these highly inflated': 880121, 'price and tell': 672557, 'they re being': 883001, 're being cunt': 698356, 'be inspired': 115515, 'local covid': 497869, 'series from': 751255, 'be inspired by': 115516, 'inspired by local': 439841, 'by local covid': 153074, 'local covid 19': 497870, '19 hero in': 7520, 'in this ongoing': 429987, 'this ongoing series': 889260, 'ongoing series from': 607685, 'departmentofhealth': 237299, 'rdp': 698161, 'on quarantine': 603038, 'quarantine africa': 691993, 'africa southafrica': 35137, 'southafrica corona': 786801, 'corona stockup': 204202, 'stockup safety': 804191, 'safety health': 730566, 'health who': 386956, 'who departmentofhealth': 988560, 'departmentofhealth rdp': 237300, 'rdp the': 698162, 'spring theatre': 791247, 'question on quarantine': 693679, 'on quarantine africa': 603039, 'quarantine africa southafrica': 691994, 'africa southafrica corona': 35138, 'southafrica corona stockup': 786802, 'corona stockup safety': 204203, 'stockup safety health': 804192, 'safety health who': 730568, 'health who departmentofhealth': 386957, 'who departmentofhealth rdp': 988561, 'departmentofhealth rdp the': 237301, 'rdp the spring': 698163, 'the spring theatre': 867662, 'case continue': 165690, 'rise simple': 723002, 'task like': 834719, 'stressful for': 813495, '19 case continue': 5673, 'case continue to': 165691, 'to rise simple': 913576, 'rise simple task': 723003, 'simple task like': 770105, 'task like grocery': 834721, 'become stressful for': 120140, 'stressful for many': 813496, 'for many people': 323231, 'people here the': 648250, 'here the right': 393665, 'right way to': 722404, 'way to clean': 969998, 'to clean and': 902806, 'sanitize your reusable': 734241, 'your reusable grocery': 1025616, 'crashed below': 215065, 'tonne for': 924534, 'year growing': 1014597, 'growing expectation': 367185, 'surplus metal': 828488, 'metal were': 529663, 'were reinforced': 980044, 'reinforced by': 708252, 'by large': 153013, 'news registered': 560737, 'registered warehouse': 707660, 'will shutdown': 994857, 'shutdown production': 768085, 'production halt': 682064, 'to reverse': 913492, 'reverse the': 720525, 'price trend': 677115, 'copper price crashed': 203439, 'price crashed below': 673332, 'crashed below 00': 215066, 'below 00 tonne': 126553, '00 tonne for': 562, 'tonne for the': 924536, 'time in more': 897002, 'than three year': 841332, 'three year growing': 894124, 'year growing expectation': 1014598, 'growing expectation of': 367186, 'expectation of surplus': 290838, 'of surplus metal': 590528, 'surplus metal were': 828489, 'metal were reinforced': 529664, 'were reinforced by': 980045, 'reinforced by large': 708253, 'by large delivery': 153014, 'large delivery to': 479645, 'delivery to news': 234665, 'to news registered': 910587, 'news registered warehouse': 560738, 'registered warehouse will': 707662, 'warehouse will shutdown': 966809, 'will shutdown production': 994858, 'shutdown production halt': 768086, 'production halt due': 682065, 'due to reverse': 261927, 'to reverse the': 913493, 'reverse the price': 720526, 'the price trend': 864427, 'tidbit': 895697, 'couple local': 211616, '19 tidbit': 11393, 'tidbit hy': 895700, 'vee say': 953696, 'to seven': 914307, 'customer age': 222035, 'over expecting': 630200, 'expecting mother': 291045, 'couple local consumer': 211617, 'local consumer covid': 497853, 'covid 19 tidbit': 213954, '19 tidbit hy': 11394, 'tidbit hy vee': 895701, 'hy vee say': 411891, 'vee say they': 953697, 'they re limiting': 883070, 'limiting the first': 492876, 'hour of grocery': 405797, 'shopping to seven': 764190, 'to seven day': 914308, 'seven day week': 753751, 'day week to': 228702, 'week to customer': 977075, 'to customer age': 903845, 'customer age 60': 222036, 'and over expecting': 68558, 'over expecting mother': 630201, 'expecting mother and': 291046, 'mother and those': 543055, 'those with underlying': 892729, 'underlying condition that': 940472, 'condition that make': 193535, 'them more susceptible': 876033, 'susceptible to illness': 829443, 'of spaghetti': 589957, 'spaghetti pasta': 787249, 'out of spaghetti': 626836, 'of spaghetti pasta': 589958, 'inflation may': 437207, 'rise significantly': 723000, 'significantly with': 769625, '19 inflation': 7865, 'inflation food': 437179, 'food inflation may': 315042, 'inflation may rise': 437208, 'may rise significantly': 521470, 'rise significantly with': 723001, 'significantly with panic': 769626, 'buying and lockdown': 149919, 'and lockdown due': 66321, 'covid 19 inflation': 213268, '19 inflation food': 7866, 'inflation food foodsecurity': 437180, 'elcome': 270524, 'admiralty': 32556, 'nautical': 553033, 'swift': 830312, 'elcome today': 270525, 'portal for': 664948, 'for admiralty': 319027, 'admiralty standard': 32557, 'standard nautical': 793681, 'nautical chart': 553034, 'chart part': 173844, 'it swift': 461407, 'swift response': 830318, 'elcome today announced': 270526, 'today announced the': 919240, 'of it new': 585422, 'it new online': 459792, 'shopping portal for': 763655, 'portal for admiralty': 664949, 'for admiralty standard': 319028, 'admiralty standard nautical': 32558, 'standard nautical chart': 793682, 'nautical chart part': 553035, 'chart part of': 173845, 'of it swift': 585449, 'it swift response': 461408, 'swift response to': 830319, 'stmarysco': 801738, 'whig': 986550, 'stmarysco maryland': 801739, 'maryland distillery': 518194, 'distillery produce': 247793, 'produce handsanitizer': 680292, 'handsanitizer amid': 376472, 'smallbusiness innovation': 775223, 'innovation via': 438910, 'via whig': 956370, 'stmarysco maryland distillery': 801740, 'maryland distillery produce': 518195, 'distillery produce handsanitizer': 247794, 'produce handsanitizer amid': 680293, 'handsanitizer amid crisis': 376473, 'amid crisis smallbusiness': 52443, 'crisis smallbusiness innovation': 218056, 'smallbusiness innovation via': 775224, 'innovation via whig': 438911, '68': 21486, 'for highlighting': 322269, 'highlighting the': 396019, 'she 68': 755841, '68 ha': 21489, 'survive but': 829135, 'but hasn': 145861, 'hasn received': 378768, 'risk notice': 723716, 'notice from': 573274, 'from she': 337237, 'shopping would': 764470, 'you for highlighting': 1018643, 'for highlighting the': 322271, 'highlighting the most': 396023, 'most vulnerable one': 542888, 'vulnerable one of': 961064, 'those people is': 892322, 'people is my': 648521, 'is my mum': 449803, 'mum she 68': 545945, 'she 68 ha': 755842, '68 ha copd': 21490, 'copd and will': 203294, 'will not survive': 994276, 'not survive but': 571873, 'survive but hasn': 829137, 'but hasn received': 145862, 'hasn received an': 378769, 'received an at': 703588, 'at risk notice': 100380, 'risk notice from': 723717, 'notice from she': 573275, 'from she is': 337240, 'is isolating but': 449002, 'isolating but help': 455070, 'but help with': 145918, 'help with online': 390919, 'with online priority': 999901, 'online priority shopping': 608805, 'priority shopping would': 678648, 'shopping would make': 764472, 'would make difference': 1012021, 'local ne': 498196, 'pandemic advocacy': 634799, 'well local ne': 978373, 'local ne pa': 498197, 'ne pa supermarket': 553444, 'pa supermarket sent': 632885, 'supermarket sent their': 822386, 'sent their customer': 750829, 'share this information': 755285, 'information with you': 438048, '19 pandemic advocacy': 9252, 'hello world': 389257, 'idiot socialdistancing': 413589, 'hello world just': 389258, 'thank you do': 841716, 'be an idiot': 113605, 'an idiot socialdistancing': 56152, 'my insurer': 548870, 'insurer pay': 440894, 'my cancelled': 547591, 'holiday here': 400307, 'major provider': 509431, 'will my insurer': 994139, 'my insurer pay': 548871, 'insurer pay out': 440895, 'for my cancelled': 323682, 'my cancelled holiday': 547592, 'cancelled holiday here': 161122, 'holiday here what': 400308, 'here what all': 393798, 'all the major': 44820, 'the major provider': 859933, 'major provider have': 509432, 'provider have said': 686733, 'gta': 367651, 'lockdownontario': 500355, 'ok if': 597825, 'tomorrow in': 924101, 'the gta': 856894, 'gta what': 367662, 'what store': 982260, 'to which': 918551, 'one actually': 605861, 'actually will': 31016, 'shit ll': 759167, 'll pretty': 496960, 'much drive': 544844, 'drive anywhere': 258985, 'like 6am': 489707, '6am lockdownontario': 21567, 'lockdownontario toronto': 500356, 'toronto grocery': 925942, 'grocery toiletpapercrisis': 366070, 'ok if have': 597826, 'store tomorrow in': 810897, 'tomorrow in the': 924103, 'in the gta': 429247, 'the gta what': 856896, 'gta what store': 367663, 'what store should': 982264, 'store should go': 810163, 'go to which': 354383, 'to which one': 918557, 'which one actually': 986193, 'one actually will': 605862, 'actually will have': 31017, 'have stock of': 382762, 'stock of shit': 802544, 'of shit ll': 589602, 'shit ll pretty': 759168, 'll pretty much': 496961, 'pretty much drive': 671445, 'much drive anywhere': 544845, 'drive anywhere and': 258986, 'anywhere and ll': 81086, 'and ll be': 66266, 'll be there': 496636, 'be there at': 117675, 'there at like': 878198, 'at like 6am': 99588, 'like 6am lockdownontario': 489708, '6am lockdownontario toronto': 21568, 'lockdownontario toronto grocery': 500357, 'toronto grocery toiletpapercrisis': 925944, '8th': 23247, 'grader': 361674, 'day homeschooling': 227760, 'homeschooling the': 402949, 'the 8th': 848208, '8th grader': 23254, 'grader is': 361675, 'begging to': 123492, 'school the': 741947, '1st grader': 12748, 'grader took': 361677, 'took these': 925353, 'plant on': 658684, 'the senior': 866709, 'senior gave': 750300, 'me hug': 522925, 'hug we': 409967, 'made cupcake': 507703, 'day homeschooling the': 227761, 'homeschooling the 8th': 402950, 'the 8th grader': 848209, '8th grader is': 23255, 'grader is begging': 361676, 'is begging to': 446047, 'begging to go': 123493, 'back to school': 107394, 'to school the': 913901, 'school the 1st': 741948, 'the 1st grader': 847971, '1st grader took': 12749, 'grader took these': 361678, 'took these picture': 925354, 'picture of flower': 656163, 'of flower and': 583608, 'flower and plant': 311276, 'and plant on': 69071, 'plant on our': 658685, 'on our field': 602598, 'our field trip': 623062, 'field trip to': 304531, 'to the neighborhood': 916897, 'the neighborhood grocery': 861431, 'store the senior': 810621, 'the senior gave': 866711, 'senior gave me': 750301, 'gave me hug': 344641, 'me hug we': 522926, 'hug we made': 409968, 'we made cupcake': 972318, 'publicized': 688563, 'show record': 767104, 'record one': 705040, 'month decline': 537667, 'remains above': 709988, 'with 17': 996955, '17 million': 4362, 'million job': 532213, 'week fiscal': 976214, 'and publicized': 69752, 'publicized fed': 688564, 'fed action': 301774, 'supporting confidence': 827119, 'confidence amid': 193810, 'it containment': 457302, 'the consumer confidence': 851514, 'confidence index show': 193906, 'index show record': 434243, 'show record one': 767106, 'record one month': 705041, 'one month decline': 606679, 'month decline but': 537668, 'decline but remains': 231313, 'but remains above': 146923, 'remains above the': 709990, 'above the low': 27106, 'the low of': 859779, 'low of the': 505438, 'of the 2008': 590765, '2008 2009 financial': 13638, 'financial crisis no': 306375, 'crisis no surprise': 217767, 'no surprise with': 565646, 'surprise with 17': 828562, 'with 17 million': 996956, '17 million job': 4366, 'million job loss': 532215, 'loss in three': 503710, 'in three week': 430061, 'three week fiscal': 894102, 'week fiscal stimulus': 976215, 'stimulus and publicized': 801506, 'and publicized fed': 69753, 'publicized fed action': 688565, 'fed action are': 301775, 'action are supporting': 29964, 'are supporting confidence': 90663, 'supporting confidence amid': 827120, 'confidence amid fear': 193811, 'and it containment': 65503, 'a00': 24048, 'ingot': 438330, 'rmb570': 724283, 'alumina': 49410, 'rmb32': 724280, 'a00aluminium': 24051, 'aluminaprice': 49416, 'alcircle': 40881, '19 wreck': 12226, 'wreck aluminium': 1012704, 'aluminium price': 49430, 'and input': 65248, 'china a00': 176449, 'a00 aluminium': 24049, 'aluminium ingot': 49428, 'ingot price': 438335, 'by rmb570': 153827, 'rmb570 and': 724284, 'and alumina': 57989, 'alumina price': 49413, 'by rmb32': 153825, 'rmb32 aluminium': 724281, 'price china': 673127, 'china a00aluminium': 176451, 'a00aluminium ingot': 24052, 'ingot aluminaprice': 438333, 'aluminaprice alcircle': 49417, 'alcircle news': 40882, 'covid 19 wreck': 214097, '19 wreck aluminium': 12227, 'wreck aluminium price': 1012705, 'aluminium price and': 49432, 'price and input': 672445, 'and input cost': 65249, 'input cost in': 438973, 'cost in china': 207974, 'in china a00': 421384, 'china a00 aluminium': 176450, 'a00 aluminium ingot': 24050, 'aluminium ingot price': 49429, 'ingot price decline': 438336, 'price decline by': 673400, 'decline by rmb570': 231317, 'by rmb570 and': 153828, 'rmb570 and alumina': 724285, 'and alumina price': 57990, 'alumina price by': 49414, 'price by rmb32': 673035, 'by rmb32 aluminium': 153826, 'rmb32 aluminium price': 724282, 'aluminium price china': 49433, 'price china a00aluminium': 673128, 'china a00aluminium ingot': 176452, 'a00aluminium ingot aluminaprice': 24054, 'ingot aluminaprice alcircle': 438334, 'aluminaprice alcircle news': 49418, 'chilloraspitter': 176418, 'spittingonfruit': 789615, 'spreadingvirus': 791101, 'spittingonproduce': 789618, 'lowtrust': 506262, 'appears the': 82212, 'spread chilloraspitter': 790468, 'chilloraspitter spitting': 176419, 'spitting spittingonfruit': 789609, 'spittingonfruit spreadingvirus': 789616, 'spreadingvirus spittingonproduce': 791102, 'spittingonproduce sydney': 789619, 'australia lowtrust': 103325, 'in sydney supermarket': 428781, 'sydney supermarket it': 830713, 'supermarket it appears': 821162, 'it appears the': 456566, 'appears the virus': 82214, 'virus is spread': 958405, 'is spread chilloraspitter': 452184, 'spread chilloraspitter spitting': 790469, 'chilloraspitter spitting spittingonfruit': 176420, 'spitting spittingonfruit spreadingvirus': 789610, 'spittingonfruit spreadingvirus spittingonproduce': 789617, 'spreadingvirus spittingonproduce sydney': 791103, 'spittingonproduce sydney australia': 789620, 'sydney australia lowtrust': 830689, 'nature lesson': 552966, 'lesson two': 486516, 'two meter': 937045, 'meter braved': 529697, 'in were': 430793, 'were sensibly': 980104, 'sensibly spaced': 750687, 'spaced inside': 787208, 'inside though': 439430, 'though some': 892889, 'socialdistancing guideline': 780395, 'guideline felt': 368419, 'felt compromised': 303375, 'nature lesson two': 552967, 'lesson two meter': 486517, 'two meter braved': 937046, 'meter braved the': 529698, 'week the queue': 977004, 'get in were': 347321, 'in were sensibly': 430794, 'were sensibly spaced': 980105, 'sensibly spaced inside': 750688, 'spaced inside though': 787209, 'inside though some': 439431, 'though some folk': 892891, 'some folk need': 782849, 'folk need to': 312220, 'the socialdistancing guideline': 867427, 'socialdistancing guideline felt': 780398, 'guideline felt compromised': 368420, 'hello why': 389255, 'low do': 505247, 'not imagine': 570059, 'the goodness': 856456, 'goodness of': 358057, 'heart petrol': 388322, 'petrol unleaded': 653804, 'unleaded brexit': 942570, 'hello why your': 389256, 'why your price': 991610, 'your price so': 1025416, 'so low do': 777602, 'low do not': 505248, 'do not imagine': 249762, 'not imagine it': 570060, 'imagine it out': 416749, 'it out the': 460194, 'out the goodness': 627372, 'the goodness of': 856457, 'goodness of your': 358058, 'of your heart': 593484, 'your heart petrol': 1024286, 'heart petrol unleaded': 388323, 'petrol unleaded brexit': 653805, 'act cancellation': 29612, 'of reservation': 588968, 'reservation in': 714015, 'the context': 851660, 'context of': 200910, 'travel ban': 930281, 'and restriction': 70411, 'protection act cancellation': 685273, 'act cancellation of': 29613, 'cancellation of reservation': 161042, 'of reservation in': 588969, 'reservation in the': 714016, 'in the context': 429093, 'the context of': 851661, 'context of covid': 200911, '19 travel ban': 11553, 'travel ban and': 930282, 'ban and restriction': 109177, 'weird making': 977772, 'making grocery': 511096, 'or target': 617337, 'target run': 834502, 'run feeling': 727635, 'like anyone': 489813, 'your path': 1025226, 'around an': 93191, 'aisle while': 40436, 'is figure': 447798, 'figure in': 305205, 'in pacman': 426423, 'pacman game': 633748, 'who sort': 989641, 'eat you': 266121, 'it weird making': 462301, 'weird making grocery': 977773, 'making grocery store': 511097, 'store or target': 809375, 'or target run': 617338, 'target run feeling': 834503, 'run feeling like': 727636, 'feeling like anyone': 303010, 'like anyone coming': 489814, 'anyone coming into': 80238, 'coming into your': 188115, 'into your path': 443327, 'your path in': 1025228, 'path in or': 644019, 'or around an': 614432, 'around an aisle': 93192, 'an aisle while': 55218, 'aisle while you': 40437, 'your distance is': 1023536, 'distance is figure': 246750, 'is figure in': 447799, 'figure in pacman': 305206, 'in pacman game': 426424, 'pacman game who': 633749, 'game who sort': 343293, 'who sort of': 989642, 'sort of want': 786145, 'to eat you': 904912, 'eat you socialdistancing': 266122, 'waffle': 963787, 'stomping': 804331, 'the technique': 869230, 'technique used': 836240, 'conserve when': 194932, 'in caused': 421298, 'not waffle': 572419, 'waffle stomping': 963792, 'stomping son': 804332, 'of bitch': 580726, 'bitch this': 131776, 'the technique used': 869231, 'technique used to': 836241, 'used to conserve': 950044, 'to conserve when': 903217, 'conserve when you': 194933, 're in caused': 698866, 'in caused by': 421299, 'the and you': 848732, 're not waffle': 699129, 'not waffle stomping': 572420, 'waffle stomping son': 963793, 'stomping son of': 804333, 'son of bitch': 785421, 'of bitch this': 580727, 'bitch this is': 131777, 'is the move': 452869, 'only mobile': 610794, 'phone provider': 655003, 'provider debbie': 686707, 'debbie we': 230344, 'down meaning': 256952, 'meaning we': 524851, 'me letter': 523072, 'my monitoring': 549301, 'monitoring alarm': 537337, 'alarm system': 40681, 'from may': 336381, 'not only mobile': 570809, 'only mobile phone': 610795, 'mobile phone provider': 535011, 'phone provider debbie': 655004, 'provider debbie we': 686708, 'debbie we are': 230345, 'are in lock': 87409, 'lock down meaning': 499041, 'down meaning we': 256953, 'meaning we cant': 524852, 'we cant go': 971098, 'cant go out': 162305, 'go out have': 353955, 'out have sent': 626264, 'have sent me': 382467, 'sent me letter': 750773, 'me letter saying': 523073, 'letter saying they': 487344, 'saying they are': 739722, 'price for my': 674008, 'for my monitoring': 323724, 'my monitoring alarm': 549302, 'monitoring alarm system': 537338, 'alarm system from': 40682, 'system from may': 831183, 'highlighting our': 396017, 'assistance during': 96683, 'emergency watch': 273041, 'clip and': 182349, 'you to for': 1021778, 'to for highlighting': 906138, 'for highlighting our': 322270, 'highlighting our effort': 396018, 'our effort to': 622858, 'effort to address': 269610, 'address the increased': 32038, 'food assistance during': 313425, 'assistance during the': 96684, 'health emergency watch': 386404, 'emergency watch the': 273042, 'watch the clip': 968539, 'the clip and': 851026, 'clip and stay': 182350, 'and stay tuned': 72305, 'tuned for detail': 935434, 'for detail on': 320681, 'detail on you': 239232, 'can help them': 158663, 'help them support': 390714, 'untill': 943951, 'incourage': 432636, 'now untill': 576271, 'untill the': 943952, 'contamination with': 200739, 'to incourage': 908263, 'incourage people': 432637, 'time to just': 898007, 'to just do': 908722, 'just do online': 468615, 'for now untill': 323986, 'now untill the': 576272, 'untill the risk': 943953, 'of contamination with': 581818, 'contamination with the': 200740, 'need to incourage': 555970, 'to incourage people': 908264, 'incourage people to': 432638, 'do social distance': 250111, 'distance and self': 246639, 'although agree': 49301, 'avoid hording': 105148, 'hording food': 404016, 'and necessity': 67459, 'necessity seeing': 554255, 'store trigger': 810943, 'trigger something': 931885, 'mind person': 532712, 'person with': 652743, 'disability and': 243807, 'no car': 563759, 'car am': 162984, 'am limited': 50181, 'carry could': 165076, 'only carry': 610224, 'carry day': 165078, 'although agree that': 49302, 'agree that we': 38647, 'must avoid hording': 546481, 'avoid hording food': 105149, 'hording food and': 404017, 'food and necessity': 313291, 'and necessity seeing': 67461, 'necessity seeing empty': 554256, 'grocery store trigger': 365884, 'store trigger something': 810944, 'trigger something in': 931886, 'something in your': 784948, 'in your mind': 431105, 'your mind person': 1024835, 'mind person with': 532713, 'person with disability': 652746, 'with disability and': 998055, 'disability and no': 243808, 'and no car': 67602, 'no car am': 563760, 'car am limited': 162987, 'am limited to': 50182, 'limited to buying': 492769, 'to buying what': 902355, 'buying what can': 151340, 'what can carry': 981170, 'can carry could': 157872, 'carry could only': 165077, 'could only carry': 209480, 'only carry day': 610226, 'carry day worth': 165079, 'strangely enough': 812443, 'enough wuhan': 277781, 'wuhan report': 1013514, 'report new': 712091, 'complete and': 192063, 'and utter': 74819, 'utter devastation': 951411, 'devastation in': 239615, 'italy shocking': 462909, 'shocking figure': 759603, 'figure number': 305210, 'number rise': 577043, 'catastrophic proportion': 166961, 'proportion we': 684433, 'gotten very': 359177, 'very far': 955154, 'here there': 393675, 'but case': 145396, 'increasing thailand': 433703, 'thailand china': 840092, 'strangely enough wuhan': 812444, 'enough wuhan report': 277782, 'wuhan report new': 1013515, 'report new case': 712092, 'case and it': 165624, 'and it complete': 65500, 'it complete and': 457243, 'complete and utter': 192064, 'and utter devastation': 74820, 'utter devastation in': 951412, 'devastation in italy': 239616, 'in italy shocking': 424314, 'italy shocking figure': 462910, 'shocking figure number': 759604, 'figure number rise': 305211, 'number rise to': 577045, 'rise to catastrophic': 723031, 'to catastrophic proportion': 902493, 'catastrophic proportion we': 166963, 'proportion we haven': 684434, 'we haven gotten': 971992, 'haven gotten very': 383818, 'gotten very far': 359178, 'very far here': 955156, 'far here there': 298809, 'here there is': 393676, 'no panic but': 565040, 'panic but case': 637444, 'but case are': 145397, 'case are increasing': 165640, 'are increasing thailand': 87492, 'increasing thailand china': 433704, 'thailand china italy': 840093, 'proudest': 686070, 'my proudest': 549856, 'proudest day': 686071, 'at well': 101512, 'well is': 978328, 're launching': 698975, 'launching the': 482075, 'first solution': 309012, 'and diagnosed': 61304, 'update my proudest': 947086, 'my proudest day': 549857, 'proudest day ever': 686072, 'day ever at': 227572, 'ever at well': 285208, 'at well is': 101513, 'well is today': 978329, 'is today we': 453263, 'we re launching': 972910, 're launching the': 698976, 'launching the first': 482077, 'the first solution': 855348, 'first solution in': 309013, 'solution in the': 782047, 'in the to': 429613, 'the to get': 869678, 'get tested and': 348185, 'tested and diagnosed': 839263, 'and diagnosed for': 61305, 'diagnosed for 19': 240228, 'for 19 from': 318706, '19 from your': 7142, 'from your home': 338479, 'your home on': 1024364, 'home on monday': 401713, 'monday march 23': 536319, 'pacificcolorgraphics': 633001, 'helpful article': 391161, 'article covid': 94296, 'quarantine pacificcolorgraphics': 692418, 'is very helpful': 453676, 'very helpful article': 955224, 'helpful article covid': 391162, 'article covid 19': 94297, 'during quarantine pacificcolorgraphics': 262942, 'ping': 656817, 'pong': 663975, 'single ping': 771382, 'ping pong': 656818, 'pong when': 663978, 'when covering': 983309, 'covering spread': 212488, 'spread apart': 790425, 'apart trap': 81362, 'trap need': 930095, 'have smaller': 382593, 'smaller sized': 775301, 'sized ping': 772832, 'pong ball': 663976, 'ball hit': 109057, 'great message': 362822, 'message though': 529441, 'the single ping': 867222, 'single ping pong': 771383, 'ping pong when': 656820, 'pong when covering': 663979, 'when covering spread': 983310, 'covering spread apart': 212489, 'spread apart trap': 790427, 'apart trap need': 81363, 'trap need to': 930096, 'to have smaller': 907309, 'have smaller sized': 382594, 'smaller sized ping': 775302, 'sized ping pong': 772833, 'ping pong ball': 656819, 'pong ball hit': 663977, 'ball hit in': 109058, 'hit in there': 398287, 'in there too': 429822, 'there too it': 879199, 'too it is': 924812, 'it is great': 458966, 'is great message': 448199, 'great message though': 362823, 'of obese': 587137, 'with alcoholism': 997139, 'alcoholism when': 41233, 'this blow': 886585, 'over convid19uk': 630110, 'convid19uk thursdaythoughts': 202634, 'thursdaythoughts stopthespread': 895486, 'shelf there going': 757666, 'to be lot': 901377, 'lot of obese': 504237, 'of obese people': 587139, 'obese people with': 578356, 'people with alcoholism': 650432, 'with alcoholism when': 997140, 'alcoholism when this': 41234, 'when this blow': 984301, 'this blow over': 886586, 'blow over convid19uk': 133338, 'over convid19uk thursdaythoughts': 630111, 'convid19uk thursdaythoughts stopthespread': 202635, 'pushing to': 690461, 'revolution by': 720738, 'by force': 152628, 'force flexible': 328384, 'flexible working': 310401, 'online festival': 608194, 'festival le': 303603, 'le human': 482979, 'human contact': 410466, 'contact automation': 200029, '19 is pushing': 8031, 'is pushing to': 451150, 'pushing to the': 690464, 'to the fourth': 916725, 'industrial revolution by': 435571, 'revolution by force': 720739, 'by force flexible': 152629, 'force flexible working': 328385, 'flexible working online': 310403, 'shopping online festival': 763430, 'online festival le': 608195, 'festival le human': 303604, 'le human contact': 482980, 'human contact automation': 410468, 'had bouncer': 372937, 'bouncer and': 136834, 'and line': 66195, 'line like': 493234, 'like dance': 490089, 'dance club': 225561, 'only 100': 609968, 'were 75': 979262, '75 full': 22134, 'item everyone': 463243, 'well behaved': 978051, 'behaved which': 123817, 'me hope': 522907, 'future except': 342317, 'cut fuck': 223352, 'you karen': 1019441, 'day the grocery': 228490, 'store had bouncer': 808038, 'had bouncer and': 372938, 'bouncer and line': 136835, 'and line like': 66196, 'line like dance': 493235, 'like dance club': 490090, 'dance club only': 225563, 'club only 100': 184467, 'only 100 people': 609969, 'shelf were 75': 757762, 'were 75 full': 979263, '75 full and': 22135, 'full and limit': 340478, 'limit on many': 492416, 'on many item': 601996, 'many item everyone': 514217, 'item everyone wa': 463244, 'everyone wa well': 287546, 'wa well behaved': 963689, 'well behaved which': 978053, 'behaved which give': 123818, 'which give me': 985863, 'give me hope': 350575, 'me hope for': 522908, 'hope for the': 403488, 'the future except': 856075, 'future except for': 342318, 'except for that': 289171, 'for that one': 326266, 'that one woman': 845505, 'one woman who': 607497, 'woman who tried': 1003687, 'who tried to': 989831, 'tried to cut': 931830, 'to cut fuck': 903875, 'cut fuck you': 223353, 'fuck you karen': 339704, 'ancillaries': 57331, 'maker of': 510843, 'auto ancillaries': 103863, 'ancillaries halt': 57332, 'halt production': 374454, '19 stock': 10855, 'crash read': 215027, 'maker of auto': 510844, 'of auto ancillaries': 580463, 'auto ancillaries halt': 103864, 'ancillaries halt production': 57333, 'halt production due': 374457, 'covid 19 stock': 213868, '19 stock price': 10857, 'stock price crash': 802707, 'price crash read': 673327, 'crash read more': 215028, 'again since': 37164, 'only getting': 610508, 'worse if': 1010948, 'heavily covid': 388569, 'or lost': 616014, 'work study': 1005772, 'study due': 814879, 'closing message': 183690, 'me your': 524053, 'your venmo': 1026273, 'you 20': 1016752, 'no question': 565258, 'doing this again': 252756, 'this again since': 886246, 'again since thing': 37165, 'since thing are': 770936, 'thing are only': 884163, 'are only getting': 88768, 'only getting worse': 610510, 'getting worse if': 349455, 'worse if you': 1010950, 'live in heavily': 495865, 'in heavily covid': 423621, 'heavily covid 19': 388570, '19 affected area': 4841, 'affected area and': 34290, 'area and cannot': 91933, 'on thing and': 604584, 'thing and or': 884130, 'and or lost': 68216, 'or lost your': 616015, 'your job work': 1024539, 'job work study': 466311, 'work study due': 1005773, 'study due to': 814880, 'due to closing': 261730, 'to closing message': 902914, 'closing message me': 183691, 'message me your': 529370, 'me your venmo': 524057, 'your venmo and': 1026274, 'venmo and will': 954481, 'and will send': 75692, 'send you 20': 749980, 'you 20 to': 1016753, '20 to buy': 13394, 'supply no question': 825593, 'no question asked': 565259, 'pushing these': 690455, 'these release': 880578, 'release back': 708923, 'back been': 106904, 'been stressing': 122061, 'stressing me': 813536, 'at resale': 100293, 'like hmm': 490439, 'hmm it': 398686, 'only 60': 610014, '60 100': 20861, 'more smh': 540406, 'pushing these release': 690456, 'these release back': 880579, 'release back been': 708924, 'back been stressing': 106905, 'been stressing me': 122062, 'stressing me out': 813537, 'me out looking': 523303, 'out looking at': 626520, 'looking at resale': 502821, 'at resale price': 100294, 'resale price like': 713562, 'price like hmm': 675044, 'like hmm it': 490440, 'hmm it only': 398687, 'it only 60': 460090, 'only 60 100': 610015, '60 100 more': 20862, '100 more smh': 1964, 'hoardshaming': 399689, 'report hoarding': 712018, 'authority the': 103792, 'to bust': 902140, 'bust their': 144829, 'ass hoarding': 96254, 'hoarding hoardshaming': 399364, 'hoardshaming stayathome': 399691, 'please report hoarding': 660386, 'report hoarding of': 712019, 'hoarding of toilet': 399457, 'mask and or': 518353, 'and or food': 68213, 'or food to': 615351, 'your local authority': 1024679, 'local authority the': 497719, 'authority the government': 103793, 'the government want': 856622, 'want to bust': 966004, 'to bust their': 902142, 'bust their ass': 144830, 'their ass hoarding': 872515, 'ass hoarding hoardshaming': 96255, 'hoarding hoardshaming stayathome': 399365, 'lockdown2': 500188, 'modi say': 535479, 'say daily': 738547, 'earner are': 264840, 'my top': 550401, 'priority lakh': 678597, 'lakh bed': 479095, 'bed already': 120376, 'already prepared': 47580, 'enough medicine': 277517, 'stock lockdown2': 802365, 'modi say daily': 535480, 'say daily wage': 738548, 'wage earner are': 963846, 'earner are my': 264841, 'are my top': 88183, 'my top priority': 550403, 'top priority lakh': 925681, 'priority lakh bed': 678598, 'lakh bed already': 479096, 'bed already prepared': 120377, 'already prepared for': 47581, 'prepared for covid': 670193, '19 testing and': 11096, 'testing and india': 839435, 'and india ha': 65148, 'ha enough medicine': 370498, 'enough medicine and': 277518, 'and food stock': 63094, 'food stock lockdown2': 316799, 'soo since': 785594, 'since finally': 770595, 'finally feeling': 305983, 'better out': 128395, 'week thing': 977039, 'different since': 242058, 'wa here': 962309, 'here last': 393287, 'last socialdistancing': 480500, 'socialdistancing bekind': 780248, 'soo since finally': 785595, 'since finally feeling': 770596, 'finally feeling better': 305984, 'feeling better out': 302971, 'better out of': 128396, 'out of isolation': 626765, 'of isolation this': 585344, 'isolation this is': 455459, 'is my first': 449794, 'for about week': 318983, 'about week thing': 26874, 'week thing are': 977040, 'are very different': 91458, 'very different since': 955116, 'different since wa': 242059, 'since wa here': 770970, 'wa here last': 962310, 'here last socialdistancing': 393288, 'last socialdistancing bekind': 480501, 'meatpackers': 525824, 'that sen': 846190, 'sen michael': 749677, 'michael round': 530263, 'round call': 726322, 'for antitrust': 319389, 'antitrust investigation': 78577, 'investigation industrial': 443874, 'industrial meatpackers': 435553, 'meatpackers should': 525825, 'bandit while': 109415, 'while rancher': 987199, 'rancher see': 696545, 'glad that sen': 351518, 'that sen michael': 846191, 'sen michael round': 749678, 'michael round call': 530264, 'round call for': 726323, 'call for antitrust': 155852, 'for antitrust investigation': 319390, 'antitrust investigation industrial': 78578, 'investigation industrial meatpackers': 443875, 'industrial meatpackers should': 435554, 'meatpackers should be': 525826, 'ashamed of taking': 95063, 'of taking advantage': 590581, 'crisis to make': 218249, 'make out like': 510294, 'like bandit while': 489866, 'bandit while rancher': 109416, 'while rancher see': 987200, 'rancher see price': 696546, 'see price plummet': 745604, 'sikh open': 769682, 'bank aim': 109579, 'help disadvantaged': 389586, 'disadvantaged and': 244003, 'group especially': 366680, 'especially senior': 280591, 'tackle covid': 831566, '19 shortage': 10495, 'prevent panic': 671693, 'united sikh open': 942200, 'sikh open food': 769683, 'open food bank': 612233, 'food bank aim': 313513, 'bank aim to': 109580, 'to help disadvantaged': 907492, 'help disadvantaged and': 389587, 'disadvantaged and vulnerable': 244004, 'and vulnerable group': 75055, 'vulnerable group especially': 960983, 'group especially senior': 366681, 'especially senior citizen': 280592, 'citizen and child': 178830, 'and child to': 59832, 'child to tackle': 176234, 'to tackle covid': 916126, 'tackle covid 19': 831567, 'covid 19 shortage': 213791, '19 shortage and': 10496, 'shortage and prevent': 764824, 'and prevent panic': 69411, 'prevent panic buying': 671694, 'your purell': 1025482, 'sanitizer chinesevirus': 734652, 'chinesevirus quarantine': 177448, 'house without your': 406703, 'without your purell': 1003079, 'your purell hand': 1025483, 'hand sanitizer chinesevirus': 375343, 'sanitizer chinesevirus quarantine': 734653, 'chinesevirus quarantine quarantinelife': 177449, 'land need': 479270, 'implement delivery': 418377, 'system hospitality': 831203, 'staff need': 792671, 'become delivery': 119964, 'in the land': 429304, 'the land need': 858928, 'land need to': 479271, 'to implement delivery': 908168, 'implement delivery system': 418378, 'delivery system hospitality': 234598, 'system hospitality staff': 831204, 'hospitality staff need': 404808, 'staff need to': 792674, 'need to become': 555869, 'to become delivery': 901671, 'become delivery driver': 119965, 'ff7r': 304261, 'release update': 709007, 'update information': 947037, 'information ff7r': 437816, 'release update information': 709008, 'update information ff7r': 947038, 'dumper': 262220, 'cotton hog': 208411, 'gone 30': 356182, '30 or': 17162, 'more into': 539615, 'the dumper': 853780, 'dumper ha': 262221, 'milk corn': 531629, 'corn is': 203570, 'and soybean': 72034, 'soybean are': 786977, 'all thanks': 44625, 'cotton hog and': 208412, 'hog and dairy': 399830, 'and dairy price': 60925, 'dairy price have': 225022, 'have gone 30': 380785, 'gone 30 or': 356183, '30 or more': 17164, 'or more into': 616177, 'more into the': 539617, 'into the dumper': 443119, 'the dumper ha': 853781, 'dumper ha some': 262222, 'ha some milk': 371995, 'some milk corn': 783293, 'milk corn is': 531630, 'corn is off': 203571, 'is off 14': 450407, 'off 14 and': 593596, '14 and soybean': 3419, 'and soybean are': 72035, 'soybean are down': 786978, 'are down all': 85969, 'down all thanks': 256466, 'all thanks to': 44626, 'to the epidemic': 916676, 'hand even': 374916, 'even while': 284790, 'self distancing': 747610, 'distancing use': 247583, 'second or': 743782, '60 second': 20993, 'second 19': 743651, 'your hand even': 1024186, 'hand even while': 374919, 'even while self': 284791, 'while self distancing': 987240, 'self distancing use': 747612, 'distancing use soap': 247584, 'use soap and': 949588, 'and water for': 75238, 'water for at': 968998, '20 second or': 13332, 'second or hand': 743783, 'sanitizer for at': 734896, 'least 60 second': 484371, '60 second 19': 20994, 'time local': 897145, 'business like': 143995, 'are pivoting': 89091, 'crisis pivot': 217874, 'spot in dark': 790071, 'dark time local': 225986, 'time local business': 897146, 'local business like': 497765, 'business like are': 143996, 'like are pivoting': 489830, 'are pivoting to': 89092, 'pivoting to respond': 657137, 'respond to their': 715330, 'to their consumer': 917215, 'their consumer need': 872862, 'need during time': 554723, 'of crisis pivot': 582183, 'memestagram': 528391, 'whoslaughingnow': 990694, 'masshysteria': 519956, 'notsofunny': 573638, 'we said': 973117, 'fool corona': 318286, 'toiletpaper epidemic': 921957, 'epidemic meme': 279414, 'meme memestagram': 528342, 'memestagram funny': 528394, 'comedy whoslaughingnow': 187786, 'whoslaughingnow masshysteria': 990695, 'masshysteria news': 519957, 'trending instagood': 931544, 'instagood comedy': 439944, 'comedy notsofunny': 187770, 'notsofunny losangeles': 573639, 'and we said': 75317, 'we said they': 973119, 'said they were': 731489, 'they were fool': 883771, 'were fool corona': 979649, 'fool corona toiletpaper': 318287, 'corona toiletpaper epidemic': 204249, 'toiletpaper epidemic meme': 921958, 'epidemic meme memestagram': 279415, 'meme memestagram funny': 528343, 'memestagram funny comedy': 528395, 'funny comedy whoslaughingnow': 341715, 'comedy whoslaughingnow masshysteria': 187787, 'whoslaughingnow masshysteria news': 990696, 'masshysteria news trending': 519958, 'news trending instagood': 560907, 'trending instagood comedy': 931545, 'instagood comedy notsofunny': 439945, 'comedy notsofunny losangeles': 187771, 'mull': 545634, 'carb': 163385, 'cca': 168415, 'supplier mull': 824571, 'mull carb': 545635, 'carb obligation': 163388, 'obligation impact': 578458, 'impact california': 417584, 'california allowance': 155454, 'allowance cca': 46116, 'cca price': 168416, 'supplier mull carb': 824572, 'mull carb obligation': 545636, 'carb obligation impact': 163389, 'obligation impact california': 578459, 'impact california allowance': 417585, 'california allowance cca': 155455, 'allowance cca price': 46117, 'cca price amp': 168417, 'price amp demand': 672332, 'amp demand fall': 53629, 'protecteveryone': 685170, 'instant hand': 440095, 'sanitizer 75': 734304, 'alcohol wash': 41166, 'wash free': 967467, 'free importantly': 331916, 'importantly wholesale': 419156, 'me sanitizer': 523415, 'sanitizer alcohol': 734339, 'alcohol handsanitizer': 41021, 'handsanitizer protecteveryone': 376617, 'protecteveryone virus': 685171, 'virus disease': 958126, 'disease socialdistancing': 245228, 'stayathome bacteria': 797436, 'instant hand sanitizer': 440096, 'hand sanitizer 75': 375286, 'sanitizer 75 alcohol': 734305, '75 alcohol wash': 22109, 'alcohol wash free': 41167, 'wash free importantly': 967468, 'free importantly wholesale': 331917, 'importantly wholesale price': 419157, 'wholesale price please': 990477, 'price please do': 675882, 'hesitate to contact': 394275, 'contact me sanitizer': 200142, 'me sanitizer alcohol': 523416, 'sanitizer alcohol handsanitizer': 734340, 'alcohol handsanitizer protecteveryone': 41022, 'handsanitizer protecteveryone virus': 376618, 'protecteveryone virus disease': 685172, 'virus disease socialdistancing': 958128, 'disease socialdistancing stayathome': 245229, 'socialdistancing stayathome bacteria': 780724, 'ranging': 696756, 'thank russia': 841626, 'arabia for': 83882, 'their temper': 874963, 'temper tantrum': 837353, 'tantrum or': 834285, 'but gasoline': 145784, 'dropped below': 260541, 'area currently': 91984, 'currently ranging': 221649, 'ranging from': 696757, 'from 97': 334351, '97 to': 23685, '99 hoping': 23843, 'hoping it': 403931, 'it drop': 457706, 'drop more': 260306, 'have to thank': 383319, 'to thank russia': 916432, 'thank russia and': 841627, 'saudi arabia for': 737195, 'arabia for their': 83883, 'for their temper': 326875, 'their temper tantrum': 874964, 'temper tantrum or': 837354, 'tantrum or covid': 834286, '19 but gasoline': 5501, 'but gasoline price': 145785, 'gasoline price have': 344262, 'price have just': 674434, 'have just dropped': 381204, 'just dropped below': 468657, 'dropped below gallon': 260544, 'gallon in my': 343025, 'my area currently': 547294, 'area currently ranging': 91985, 'currently ranging from': 221650, 'ranging from 97': 696759, 'from 97 to': 334352, '97 to 99': 23686, 'to 99 hoping': 899886, '99 hoping it': 23844, 'hoping it drop': 403932, 'it drop more': 457708, 'microsoftads': 530519, 'expert just': 291867, 'just live': 469174, 'today here': 919642, 'europe during': 283427, 'time marketing': 897195, 'marketing trend': 517741, 'trend microsoftads': 931394, 'microsoftads search': 530520, 'trend and insight': 931269, 'and insight from': 65258, 'insight from our': 439554, 'from our expert': 336771, 'our expert just': 622957, 'expert just live': 291868, 'just live today': 469175, 'live today here': 496074, 'today here are': 919643, 'are the latest': 90850, 'latest insight into': 481408, 'into the changing': 443104, 'the changing consumer': 850679, 'consumer habit in': 197689, 'habit in europe': 372637, 'in europe during': 422633, 'europe during this': 283428, 'unprecedented time marketing': 943200, 'time marketing trend': 897196, 'marketing trend microsoftads': 517743, 'trend microsoftads search': 931395, 'cincy': 178526, 'kroger swap': 477776, 'swap cincy': 829981, 'cincy area': 178527, 'only kr': 610693, 'kroger swap cincy': 477777, 'swap cincy area': 829982, 'cincy area store': 178528, 'area store to': 92205, 'store to pickup': 810795, 'to pickup only': 911733, 'pickup only kr': 655995, 'ludacris': 506600, 'moment ludacris': 535984, 'ludacris throw': 506601, 'throw dem': 895022, 'dem bow': 234857, 'bow will': 136952, 'store look like': 808821, 'look like war': 502528, 'war zone it': 966611, 'zone it feel': 1027764, 'feel like at': 302699, 'like at any': 489840, 'any moment ludacris': 79474, 'moment ludacris throw': 535985, 'ludacris throw dem': 506602, 'throw dem bow': 895023, 'dem bow will': 234858, 'bow will come': 136953, 'will come on': 992969, 'postbox': 666490, 'latest government': 481365, 'announcement re': 77194, 'closed my': 183232, 'back soon': 107281, 'soon but': 785667, 'the postbox': 864103, 'postbox is': 666491, 'is further': 447989, 'further that': 342183, 'the latest government': 859107, 'latest government announcement': 481366, 'government announcement re': 359891, 'announcement re the': 77195, 're the covid': 699688, 'pandemic have temporarily': 635594, 'temporarily closed my': 837467, 'closed my shop': 183233, 'my shop hope': 550049, 'shop hope to': 760290, 'to be back': 901122, 'be back soon': 113788, 'back soon but': 107282, 'soon but we': 785669, 'we must stay': 972441, 'absolutely necessary and': 27392, 'necessary and the': 553953, 'and the postbox': 73520, 'the postbox is': 864104, 'postbox is further': 666492, 'is further that': 447992, 'further that the': 342184, 'mcdonald for': 522144, 'only r30': 611043, 'via ubereats': 956342, 'app promo': 81748, 'bigmacza apply': 130363, 'get the big': 348228, 'the big mac': 849611, 'mac meal from': 507321, 'meal from mcdonald': 524165, 'from mcdonald for': 336386, 'mcdonald for only': 522145, 'for only r30': 324125, 'only r30 when': 611044, 'order via ubereats': 618741, 'via ubereats app': 956343, 'ubereats app promo': 937838, 'app promo code': 81749, 'promo code bigmacza': 683760, 'code bigmacza apply': 185343, 'company stop': 191122, 'stop paying': 804901, '20 barrel': 12961, 'if company stop': 413976, 'company stop paying': 191123, 'stop paying for': 804902, 'paying for oil': 645413, 'for oil the': 324044, 'oil the price': 597474, 'go to 20': 354269, 'to 20 barrel': 899570, 'policy continue': 663367, 'evolve we': 288516, 'navigate these': 553091, 'new water': 559849, 'behavior supply and': 124210, 'demand and policy': 234989, 'and policy continue': 69165, 'policy continue to': 663368, 'continue to evolve': 201188, 'to evolve we': 905374, 'evolve we want': 288517, 'you navigate these': 1019953, 'navigate these new': 553092, 'these new water': 880343, 'roundup': 726413, 'latest roundup': 481540, 'roundup from': 726420, 'sister publication': 771779, 'the latest roundup': 859144, 'latest roundup from': 481541, 'roundup from our': 726421, 'from our sister': 336796, 'our sister publication': 624785, 'beconsiderate': 120355, 'wearamaskinpublic': 974518, 'donttouchyourface': 255407, 'dontstandtoclosetome': 255400, 'manager shared': 512785, 'their 20': 872423, '20 point': 13269, 'point list': 662543, 'every shopper': 286169, 'shopper need': 761619, 'know right': 476698, 'now grocerystore': 574829, 'grocerystore groceryworkers': 366310, 'groceryworkers beconsiderate': 366395, 'beconsiderate washyourhands': 120356, 'washyourhands wearamaskinpublic': 967941, 'wearamaskinpublic donttouchyourface': 974519, 'donttouchyourface dontstandtoclosetome': 255408, 'store manager shared': 808890, 'manager shared their': 512786, 'shared their 20': 755452, 'their 20 point': 872425, '20 point list': 13270, 'point list of': 662544, 'list of thing': 494482, 'thing every shopper': 884314, 'every shopper need': 286171, 'shopper need to': 761620, 'to know right': 908991, 'know right now': 476699, 'right now grocerystore': 722073, 'now grocerystore groceryworkers': 574830, 'grocerystore groceryworkers beconsiderate': 366311, 'groceryworkers beconsiderate washyourhands': 366396, 'beconsiderate washyourhands wearamaskinpublic': 120357, 'washyourhands wearamaskinpublic donttouchyourface': 967942, 'wearamaskinpublic donttouchyourface dontstandtoclosetome': 974520, 'banegaswasthindia': 109438, 'banegaswasthindia worried': 109439, 'worried by': 1010552, 'causing threat': 168133, 'and livelihood': 66256, 'livelihood of': 496204, 'people various': 650084, 'various citizen': 952585, 'prepare charter': 670058, 'charter of': 173869, 'community transmission': 190185, 'transmission stage': 929769, 'stage 19': 793173, 'banegaswasthindia worried by': 109440, 'worried by pandemic': 1010554, 'by pandemic causing': 153511, 'pandemic causing threat': 635114, 'causing threat to': 168134, 'to life and': 909248, 'life and livelihood': 488485, 'and livelihood of': 66258, 'livelihood of people': 496206, 'of people various': 588014, 'people various citizen': 650085, 'various citizen have': 952586, 'citizen have come': 178904, 'together to prepare': 920997, 'to prepare charter': 911998, 'prepare charter of': 670059, 'charter of demand': 173870, 'for the government': 326463, 'to prevent community': 912049, 'prevent community transmission': 671600, 'community transmission stage': 190187, 'transmission stage 19': 929770, 'stage 19 read': 793174, 'nielsen update': 562660, 'update crazy': 946922, 'crazy sale': 215405, 'nielsen update crazy': 562661, 'update crazy sale': 946923, 'crazy sale number': 215407, 'minimizes': 533147, 'fda issued': 300882, 'issued temporary': 456099, 'temporary policy': 837675, 'policy that': 663510, 'that minimizes': 845174, 'minimizes disruption': 533148, 'the foodsupplychain': 855639, 'foodsupplychain so': 318217, 'demand follow': 235348, 'safety gov': 730558, 'gov travel': 359722, 'restriction advisory': 717198, 'advisory read': 33776, 'policy affect': 663319, 'affect our': 34202, 'the fda issued': 855020, 'fda issued temporary': 300883, 'issued temporary policy': 456101, 'temporary policy that': 837676, 'policy that minimizes': 663512, 'that minimizes disruption': 845175, 'minimizes disruption in': 533149, 'in the foodsupplychain': 429210, 'the foodsupplychain so': 855640, 'foodsupplychain so that': 318218, 'food industry can': 315010, 'industry can meet': 435716, 'can meet consumer': 158988, 'consumer demand follow': 197133, 'demand follow all': 235349, 'follow all food': 312344, 'all food safety': 42822, 'food safety gov': 316270, 'safety gov travel': 730559, 'gov travel restriction': 359723, 'travel restriction advisory': 930485, 'restriction advisory read': 717199, 'advisory read how': 33777, 'read how this': 700363, 'how this policy': 408953, 'this policy affect': 889650, 'policy affect our': 663320, 'affect our food': 34204, 'quite few': 694865, 'few supply': 304083, 'there are quite': 878153, 'are quite few': 89404, 'quite few supply': 694866, 'few supply at': 304084, 'need them the': 555785, 'them the poor': 876392, 'also increase food': 48409, 'rambling': 696369, 'countryside': 211301, 'drie': 258739, 'city help': 179180, 'help will': 390890, 'under such': 940279, 'such circumstance': 816394, 'circumstance do': 178720, 'go rambling': 354061, 'rambling out': 696370, 'the countryside': 852190, 'countryside in': 211302, 'not known': 570320, 'known or': 477235, 'not supposed': 571829, 'your worry': 1026391, 'worry stock': 1010772, 'on drie': 600411, 'the city help': 850937, 'city help will': 179181, 'help will come': 390892, 'will come under': 992973, 'come under such': 187647, 'under such circumstance': 940280, 'such circumstance do': 816395, 'circumstance do not': 178721, 'not go rambling': 569686, 'go rambling out': 354062, 'rambling out in': 696371, 'in the countryside': 429102, 'the countryside in': 852191, 'countryside in place': 211303, 'in place you': 426779, 're not known': 699103, 'not known or': 570321, 'known or not': 477236, 'or not supposed': 616312, 'not supposed to': 571830, 'be there covid': 117678, 'least of your': 484577, 'of your worry': 593538, 'your worry stock': 1026393, 'worry stock up': 1010773, 'up on drie': 945547, 'beyond meat': 129199, 'meat donating': 525544, 'one million': 606664, 'million vegan': 532407, 'vegan burger': 953846, 'burger to': 142838, 'seriousness good': 751809, 'beyond meat donating': 129200, 'meat donating one': 525545, 'donating one million': 254489, 'one million vegan': 606666, 'million vegan burger': 532408, 'vegan burger to': 953847, 'burger to front': 142839, 'line worker because': 493599, 'worker because no': 1006506, 'buy them at': 149324, 'store in all': 808264, 'all seriousness good': 44279, 'seriousness good on': 751810, 'good on them': 357505, 'bettel': 128166, 'luxembourg prime': 506894, 'minister bettel': 533339, 'bettel addressing': 128167, 'nation now': 552268, 'supermarket outlet': 821857, 'outlet at': 629027, 'home stophoarding': 402161, 'stophoarding luxembourg': 805427, 'luxembourg prime minister': 506895, 'prime minister bettel': 678133, 'minister bettel addressing': 533340, 'bettel addressing the': 128168, 'the nation now': 861252, 'nation now you': 552269, 'now you don': 576506, 'need to create': 555898, 'create supermarket outlet': 215749, 'supermarket outlet at': 821858, 'outlet at home': 629029, 'at home stophoarding': 99125, 'home stophoarding luxembourg': 402162, 'irs criminal': 445121, 'criminal investigator': 216850, 'ftc reporting': 339435, 'and 8m': 57512, '8m in': 23194, 'local irs criminal': 498126, 'irs criminal investigator': 445122, 'criminal investigator are': 216851, 'week ftc reporting': 976262, 'ftc reporting 12': 339436, 'reporting 12 00': 712655, 'complaint and 8m': 191942, 'and 8m in': 57513, '8m in fraud': 23195, 'what be': 981086, 'doing if': 252460, 'employed getting': 273480, 'getting an': 348834, 'an application': 55369, 'application sent': 82477, 'every local': 285982, 'sort me': 786113, 'out until': 627750, 'work again': 1004718, 'again selfemployed': 37155, 'know what be': 476939, 'what be doing': 981087, 'be doing if': 114518, 'doing if were': 252461, 'if were self': 415346, 'were self employed': 980096, 'self employed getting': 747626, 'employed getting an': 273481, 'getting an application': 348836, 'an application sent': 55370, 'application sent in': 82478, 'sent in to': 750764, 'in to every': 430109, 'to every local': 905307, 'every local supermarket': 285984, 'supermarket to sort': 823416, 'to sort me': 914923, 'sort me out': 786114, 'me out until': 523309, 'out until can': 627751, 'until can work': 943711, 'can work again': 160241, 'work again selfemployed': 1004719, 'chain united': 171209, 'nation arm': 552130, 'driven panic could': 259338, 'panic could impact': 638021, 'could impact global': 209317, 'impact global food': 417679, 'supply chain united': 825055, 'chain united nation': 171210, 'united nation arm': 942193, 'truthout': 934423, 'news truthout': 560912, 'truthout prison': 934426, 'prison guard': 678723, 'receiving hand': 703769, 'sanitizer my': 735386, 'my incarcerated': 548839, 'incarcerated son': 431324, 'news truthout prison': 560914, 'truthout prison guard': 934427, 'prison guard are': 678724, 'guard are receiving': 367782, 'are receiving hand': 89499, 'receiving hand sanitizer': 703770, 'hand sanitizer my': 375496, 'sanitizer my incarcerated': 735389, 'my incarcerated son': 548840, 'incarcerated son is': 431325, 'son is not': 785396, 'outbreak friday': 628238, 'friday this': 333300, 'yesterday morning': 1015801, 'morning did': 541235, 'did manage': 240678, 'food elsewhere': 314349, 'elsewhere but': 272017, 'wa struggle': 963335, 'returned home from': 719970, 'home from my': 401269, 'from my travel': 336531, 'my travel due': 550426, 'the outbreak friday': 862628, 'outbreak friday this': 628239, 'friday this wa': 333302, 'wa the scene': 963470, 'the scene at': 866460, 'scene at my': 741306, 'store yesterday morning': 811671, 'yesterday morning did': 1015802, 'morning did manage': 541236, 'did manage to': 240679, 'manage to purchase': 512466, 'purchase food elsewhere': 689450, 'food elsewhere but': 314350, 'elsewhere but it': 272018, 'but it wa': 146178, 'it wa struggle': 462200, 'sherlock': 758085, 'unscrupulous seller': 943456, 'still cashing': 800349, 'amazon no': 51045, 'shit sherlock': 759215, 'unscrupulous seller are': 943457, 'seller are still': 748980, 'are still cashing': 90402, 'still cashing in': 800350, 'in on people': 426125, 'fear by selling': 301078, 'by selling essential': 153924, 'and amazon no': 58049, 'amazon no shit': 51047, 'no shit sherlock': 565485, 'ref': 706466, 'democratic ref': 236769, 'enact democratic ref': 275485, 'company make': 190868, 'make inventory': 510012, 'inventory loss': 443687, 'in falling': 422783, 'falling market': 297299, 'the inventory': 858414, 'inventory in': 443676, 'prevailing price': 671558, 'company make inventory': 190869, 'make inventory loss': 510013, 'inventory loss in': 443688, 'loss in falling': 503703, 'in falling market': 422784, 'falling market the': 297301, 'market the cost': 517182, 'of the inventory': 591155, 'the inventory in': 858415, 'inventory in the': 443677, 'form of crude': 329535, 'of crude and': 582230, 'crude and product': 219504, 'and product is': 69570, 'product is higher': 681325, 'is higher than': 448456, 'than the prevailing': 841263, 'the prevailing price': 864308, 'wildalaskapollock': 992097, 'stable fresh': 791912, 'frozen seafood': 339015, 'seafood are': 743120, 'soaring at': 779311, 'pandemic seafood': 636413, 'seafood wildalaskapollock': 743159, 'sale of shelf': 732407, 'of shelf stable': 589581, 'shelf stable fresh': 757545, 'stable fresh and': 791913, 'fresh and frozen': 332921, 'and frozen seafood': 63364, 'frozen seafood are': 339016, 'seafood are soaring': 743122, 'are soaring at': 90227, 'soaring at supermarket': 779312, '19 pandemic seafood': 9457, 'pandemic seafood wildalaskapollock': 636414, 'called world': 156492, 'world leader': 1009748, 'leader stand': 483540, 'box selling': 137156, 'selling drug': 749216, 'drug if': 260980, 'are candy': 85165, 'candy another': 161324, 'another sad': 77820, 'this drive': 887300, 'this drug': 887305, 'and developing': 61296, 'drug against': 260862, 'against malaria': 37543, 'malaria malaria': 511565, 'malaria covid': 511552, 'it is dangerous': 458926, 'is dangerous to': 447030, 'dangerous to see': 225795, 'see so called': 745704, 'so called world': 776693, 'called world leader': 156493, 'world leader stand': 1009755, 'leader stand on': 483541, 'stand on soap': 793563, 'on soap box': 603529, 'soap box selling': 778957, 'box selling drug': 137157, 'selling drug if': 749217, 'drug if the': 260981, 'if the are': 414951, 'the are candy': 848858, 'are candy another': 85166, 'candy another sad': 161325, 'another sad thing': 77821, 'sad thing this': 729264, 'thing this drive': 884860, 'this drive up': 887302, 'for this drug': 327024, 'this drug and': 887306, 'drug and developing': 260871, 'and developing country': 61298, 'developing country who': 239777, 'country who really': 211235, 'the drug against': 853727, 'drug against malaria': 260864, 'against malaria malaria': 37544, 'malaria malaria covid': 511566, 'malaria covid 19': 511553, 'brother birthday': 141037, 'birthday and': 131412, 'like roast': 491099, 'dinner but': 243058, 'for carrot': 319941, 'carrot so': 165061, 'he getting': 384986, 'getting broccoli': 348884, 'broccoli instead': 140800, 'instead sorry': 440360, 'sorry bro': 786018, 'bro happy': 140681, 'birthday coronacrisis': 131426, 'it my brother': 459715, 'my brother birthday': 547551, 'brother birthday and': 141038, 'birthday and he': 131413, 'and he would': 64335, 'he would like': 385698, 'would like roast': 1011996, 'like roast dinner': 491100, 'roast dinner but': 724594, 'dinner but we': 243059, 'supermarket just for': 821226, 'just for carrot': 468744, 'for carrot so': 319942, 'carrot so he': 165062, 'so he getting': 777274, 'he getting broccoli': 384987, 'getting broccoli instead': 348885, 'broccoli instead sorry': 140801, 'instead sorry bro': 440361, 'sorry bro happy': 786019, 'bro happy birthday': 140682, 'happy birthday coronacrisis': 377591, 'elusive': 272038, 'the hunt': 857758, 'the ever': 854613, 'ever elusive': 285286, 'elusive toilet': 272043, 'paper continues': 640044, 'continues cov': 201384, 'd19 corona': 224165, 'toiletpaper lansing': 922170, 'lansing illinois': 479516, 'the hunt for': 857760, 'hunt for the': 411363, 'for the ever': 326417, 'the ever elusive': 854615, 'ever elusive toilet': 285287, 'elusive toilet paper': 272044, 'toilet paper continues': 921237, 'paper continues cov': 640045, 'continues cov d19': 201385, 'cov d19 corona': 212115, 'd19 corona tp': 224169, 'tp toiletpaper lansing': 927999, 'toiletpaper lansing illinois': 922171, 'nautic': 553030, 'saucer': 737165, 'retreated': 719762, 'rabid': 695151, 'faux': 300439, 'nautic yesterday': 553031, 'yesterday took': 1015907, 'took step': 925332, 'step towards': 799676, 'the attendant': 849027, 'her eye': 392027, 'eye got': 294047, 'got big': 358435, 'big like': 129851, 'like saucer': 491132, 'saucer she': 737166, 'she retreated': 756296, 'retreated if': 719767, 'some rabid': 783681, 'rabid bear': 695152, 'bear charging': 118394, 'charging so': 173518, 'yeah that': 1014298, 'era faux': 280039, 'faux pa': 300442, 'nautic yesterday took': 553032, 'yesterday took step': 1015908, 'took step towards': 925334, 'step towards the': 799679, 'towards the attendant': 927256, 'the attendant at': 849028, 'attendant at the': 102339, 'the supermarket self': 868788, 'self checkout line': 747580, 'checkout line to': 174950, 'line to ask': 493478, 'ask question and': 95613, 'question and her': 693522, 'and her eye': 64511, 'her eye got': 392029, 'eye got big': 294048, 'got big like': 358436, 'big like saucer': 129852, 'like saucer she': 491133, 'saucer she retreated': 737167, 'she retreated if': 756297, 'retreated if wa': 719768, 'if wa some': 415240, 'wa some rabid': 963279, 'some rabid bear': 783682, 'rabid bear charging': 695153, 'bear charging so': 118395, 'charging so yeah': 173519, 'so yeah that': 778830, 'yeah that wa': 1014300, 'that wa my': 847299, 'wa my covid': 962672, '19 era faux': 6817, 'era faux pa': 280040, 'coronavirus man': 206262, 'good stayhomesavelives': 357766, 'stayhomesavelives inthistogether': 798393, 'inthistogether protectthenhs': 442316, 'coronavirus man charged': 206263, 'purposefully wiping spit': 690174, 'supermarket good stayhomesavelives': 820547, 'good stayhomesavelives inthistogether': 357767, 'stayhomesavelives inthistogether protectthenhs': 798394, 'sure maybe': 827617, 'acc website': 27819, 'not sure maybe': 571842, 'sure maybe check': 827618, 'maybe check the': 521656, 'check the acc': 174642, 'the acc website': 848284, 'now surpassed': 575950, 'surpassed italy': 828457, 'be rallying': 116677, 'rallying cry': 696298, 'resign he': 714463, 'hoax our': 399737, 'have medical': 381458, 'since the ha': 770887, 'the ha now': 857004, 'ha now surpassed': 371408, 'now surpassed italy': 575951, 'surpassed italy and': 828458, 'with the when': 1001541, 'the when is': 871437, 'when is there': 983621, 'is there going': 453011, 'to be rallying': 901480, 'be rallying cry': 116678, 'rallying cry for': 696299, 'cry for to': 219869, 'for to resign': 327233, 'to resign he': 913353, 'resign he said': 714464, 'he said the': 385377, 'said the virus': 731455, 'virus wa hoax': 958987, 'wa hoax our': 962323, 'hoax our hospital': 399738, 'our hospital do': 623465, 'hospital do not': 404374, 'not have medical': 569850, 'have medical supply': 381459, 'medical supply the': 526461, 'supply the supermarket': 825966, 'shelf are almost': 756786, 'are almost empty': 84392, 'almost empty how': 46608, 'empty how much': 274915, 'daily reflection': 224772, 'reflection 20': 706659, 'daily reflection 20': 224773, 'reflection 20 20': 706660, 'neglected': 556884, 'have neglected': 381563, 'neglected so': 556885, 'through thanks': 894712, 'leave union': 485026, 'union representation': 941922, 'this crisis ha': 887044, 'crisis ha shown': 217448, 'shown that for': 767618, 'that for so': 843936, 'for so long': 325696, 'so long we': 777588, 'long we have': 501835, 'we have neglected': 971872, 'have neglected so': 381564, 'neglected so many': 556886, 'so many essential': 777656, 'many essential worker': 514040, 'essential worker we': 281862, 'worker we will': 1008151, 'we will make': 973880, 'it through thanks': 461678, 'through thanks to': 894713, 'thanks to grocery': 842230, 'and restaurant employee': 70376, 'restaurant employee they': 716445, 'employee they deserve': 274310, 'they deserve living': 881897, 'sick leave union': 768509, 'leave union representation': 485027, 'groceryindustry': 366222, 'onlinegrocery': 609817, 'localstores': 498795, 'fooddeliveryapp': 317902, 'visit grocerydelivery': 959265, 'grocerydelivery groceryindustry': 366211, 'groceryindustry groceryshopping': 366226, 'groceryshopping grocerystores': 366259, 'grocerystores onlinegrocery': 366371, 'onlinegrocery onlineordering': 609818, 'onlineordering onlineshopping': 609848, 'onlineshopping localstores': 609911, 'localstores grocerystore': 498796, 'grocerystore fooddelivery': 366304, 'fooddelivery fooddeliveryapp': 317898, 'grocery store online': 365614, 'store online for': 809228, 'online for more': 608230, 'detail visit grocerydelivery': 239267, 'visit grocerydelivery groceryindustry': 959266, 'grocerydelivery groceryindustry groceryshopping': 366212, 'groceryindustry groceryshopping grocerystores': 366227, 'groceryshopping grocerystores onlinegrocery': 366260, 'grocerystores onlinegrocery onlineordering': 366372, 'onlinegrocery onlineordering onlineshopping': 609819, 'onlineordering onlineshopping localstores': 609849, 'onlineshopping localstores grocerystore': 609912, 'localstores grocerystore fooddelivery': 498797, 'grocerystore fooddelivery fooddeliveryapp': 366305, 'thalis': 840122, 'fair wage': 296400, 'for nurse': 323991, 'bigger appreciation': 130145, 'bring food': 139970, 'their thalis': 874972, 'thalis rather': 840125, 'than beating': 840386, 'beating empty': 118618, 'empty thalis': 275169, 'thalis much': 840123, 'the selfless': 866679, 'selfless service': 748534, 'nurse amid': 577188, 'all odds': 43674, 'support the demand': 826866, 'demand for fair': 235416, 'for fair wage': 321371, 'fair wage for': 296401, 'wage for nurse': 963865, 'for nurse in': 323994, 'country this would': 211148, 'would be bigger': 1011560, 'be bigger appreciation': 113856, 'bigger appreciation to': 130146, 'appreciation to bring': 82899, 'to bring food': 902038, 'bring food in': 139972, 'in their thalis': 429784, 'their thalis rather': 874973, 'thalis rather than': 840126, 'rather than beating': 697506, 'than beating empty': 840387, 'beating empty thalis': 118619, 'empty thalis much': 275170, 'thalis much appreciation': 840124, 'for the selfless': 326676, 'the selfless service': 866681, 'selfless service of': 748535, 'service of nurse': 752634, 'of nurse amid': 587112, 'nurse amid all': 577189, 'amid all odds': 52382, 'such way': 816861, 'some tech': 784027, 'tech company': 836058, 'experienced boom': 291562, 'business see': 144354, 'what other': 981975, 'other impact': 620397, 'technology sector': 836356, 'it technology': 461452, 'changed consumer habit': 172458, 'habit in such': 372638, 'in such way': 428532, 'such way that': 816863, 'way that some': 969926, 'that some tech': 846398, 'some tech company': 784028, 'tech company have': 836061, 'company have experienced': 190734, 'have experienced boom': 380520, 'experienced boom in': 291563, 'boom in business': 134810, 'in business see': 421079, 'business see what': 144355, 'see what other': 746040, 'what other impact': 981977, 'other impact the': 620398, 'impact the virus': 418009, 'virus ha had': 958248, 'on the technology': 604398, 'the technology sector': 869237, 'technology sector here': 836357, 'sector here it': 744220, 'here it technology': 393271, 'frog': 334141, 'fayville': 300629, 'kinlaw': 475378, 'omg wa': 598923, 'wa have': 962283, 'seen frog': 747022, 'frog leg': 334144, 'leg in': 485810, 'them right': 876223, 'in fayville': 422808, 'fayville north': 300630, 'carolina at': 164830, 'called kinlaw': 156363, 'kinlaw coronacrisis': 475379, 'coronacrisis fridaythoughts': 204605, 'fridaythoughts socialdistanacing': 333360, 'socialdistanacing lockdown': 780072, 'lockdown corona': 499266, 'corona coronacrisis': 203873, 'coronacrisis grocery': 204617, 'omg wa have': 598924, 'wa have never': 962284, 'never seen frog': 558174, 'seen frog leg': 747023, 'frog leg in': 334145, 'leg in grocery': 485811, 'store before my': 806701, 'before my life': 122953, 'my life but': 549015, 'life but they': 488541, 'but they have': 147506, 'they have them': 882390, 'have them right': 383072, 'them right here': 876225, 'here in fayville': 393147, 'in fayville north': 422809, 'fayville north carolina': 300631, 'north carolina at': 567627, 'carolina at store': 164831, 'at store called': 100650, 'store called kinlaw': 806846, 'called kinlaw coronacrisis': 156364, 'kinlaw coronacrisis fridaythoughts': 475380, 'coronacrisis fridaythoughts socialdistanacing': 204606, 'fridaythoughts socialdistanacing lockdown': 333362, 'socialdistanacing lockdown corona': 780073, 'lockdown corona coronacrisis': 499267, 'corona coronacrisis grocery': 203875, 'leavitt': 485175, 'leavitt american': 485176, 'longer worry': 502115, 'last coronapandemic': 480160, 'coronapandemic quarantinelife': 205149, 'quarantinelife toiletpaper': 693033, 'leavitt american should': 485177, 'american should buy': 52193, 'should buy this': 765810, 'buy this and': 149359, 'this and no': 886338, 'no longer worry': 564672, 'longer worry about': 502116, 'about how long': 25451, 'long your paper': 501884, 'your paper will': 1025197, 'paper will last': 641098, 'will last coronapandemic': 993938, 'last coronapandemic quarantinelife': 480161, 'coronapandemic quarantinelife toiletpaper': 205150, 'pandemic take': 636614, 'on finance': 600788, 'finance there': 306284, 'individual congress': 435162, 'congress is': 194507, 'on third': 604597, 'third emergency': 886071, 'emergency package': 272843, 'may include': 521287, 'include this': 431649, 'not finalized': 569408, 'finalized be': 305917, 'vigilant amp': 957231, 'amp avoid': 53423, 'the pandemic take': 863116, 'pandemic take toll': 636618, 'toll on finance': 923864, 'on finance there': 600789, 'finance there are': 306285, 'will be sending': 992670, 'sending money to': 750054, 'money to individual': 537105, 'to individual congress': 908339, 'individual congress is': 435163, 'congress is working': 194508, 'working on third': 1008827, 'on third emergency': 604598, 'third emergency package': 886072, 'emergency package that': 272845, 'package that may': 633415, 'that may include': 845081, 'may include this': 521289, 'include this but': 431650, 'it not finalized': 459876, 'not finalized be': 569409, 'finalized be vigilant': 305918, 'be vigilant amp': 117998, 'vigilant amp avoid': 957232, 'amp avoid scam': 53424, 'prod': 680138, 'somewhat prod': 785265, 'prod cut': 680141, 'cut coming': 223271, 'it unlikely': 461937, 'the weak': 871226, 'be dealing': 114349, 'dealing surplus': 229648, 'surplus supply': 828503, 'sobering analysis on': 779370, 'on the state': 604379, 'oil in short': 596873, 'recover somewhat prod': 705196, 'somewhat prod cut': 785266, 'prod cut coming': 680142, 'cut coming it': 223272, 'coming it unlikely': 188120, 'it unlikely to': 461939, 'cover the weak': 212299, 'the weak global': 871227, 'global demand caused': 351860, 'll be dealing': 496578, 'be dealing surplus': 114350, 'dealing surplus supply': 229649, 'surplus supply for': 828504, 'supply for month': 825270, 'yogurt': 1016526, 'been buying': 120771, 'buying mine': 150718, 'mine are': 532871, 'are custard': 85684, 'custard phrase': 221950, 'phrase yogurt': 655349, 'yogurt coronacrisis': 1016529, 'what food have': 981459, 'food have you': 314789, 'you been buying': 1017419, 'been buying that': 120774, 'buying that no': 151155, 'no one else': 564930, 'one else seems': 606234, 'panic buying mine': 637808, 'buying mine are': 150719, 'mine are custard': 532874, 'are custard phrase': 85685, 'custard phrase yogurt': 221951, 'phrase yogurt coronacrisis': 655350, 'changed we': 172594, 'book wholefoods': 134632, 'wholefoods cleaning': 990393, 'away food': 105838, 'but thing': 147524, 'bit full': 131575, 'still open the': 800976, 'open the guidance': 612550, 'the guidance to': 856924, 'guidance to help': 368294, 'ha changed we': 370141, 'changed we stock': 172595, 'we stock book': 973418, 'stock book wholefoods': 801930, 'book wholefoods cleaning': 134633, 'wholefoods cleaning product': 990394, 'cleaning product amp': 181022, 'product amp take': 680863, 'amp take away': 54615, 'take away food': 831965, 'away food so': 105842, 'food so we': 316670, 'serve you but': 751970, 'you but thing': 1017557, 'but thing have': 147525, 'to change for': 902602, 'change for bit': 172054, 'for bit full': 319688, 'bit full detail': 131576, 'full detail on': 340560, 'maneuvered': 513104, 'been cast': 120801, 'cast in': 166757, 'pandemic movie': 635988, 'movie covid': 543999, 'sure felt': 827548, 'felt that': 303457, 'way strategically': 969893, 'strategically maneuvered': 812570, 'maneuvered through': 513105, 'my share': 550032, 'share and': 754923, 'and forgot': 63206, 'forgot tp': 329418, 'tp ugh': 928023, 'have been cast': 379487, 'been cast in': 120802, 'cast in pandemic': 166758, 'in pandemic movie': 426460, 'pandemic movie covid': 635989, 'movie covid 19': 544000, '19 because it': 5329, 'because it sure': 119206, 'it sure felt': 461390, 'sure felt that': 827549, 'felt that way': 303459, 'that way strategically': 847347, 'way strategically maneuvered': 969894, 'strategically maneuvered through': 812571, 'maneuvered through the': 513106, 'through the grocery': 894743, 'get my share': 347638, 'my share and': 550033, 'share and forgot': 754924, 'and forgot tp': 63207, 'forgot tp ugh': 329419, 'vogel': 959965, 'life really': 488980, 'really changed': 702053, 'changed about': 172425, 'really honest': 702305, 'honest with': 403089, 'said south': 731368, 'south michigan': 786768, 'bank ceo': 109719, 'ceo peter': 169804, 'peter vogel': 653537, 'vogel the': 959966, 'from ha': 335713, 'been really': 121783, 'really dramatic': 702149, 'our life really': 623732, 'life really changed': 488981, 'really changed about': 702054, 'changed about the': 172426, 'about the middle': 26451, 'week to be': 977068, 'be really honest': 116712, 'really honest with': 702306, 'honest with you': 403090, 'with you said': 1002161, 'you said south': 1020978, 'said south michigan': 731369, 'south michigan food': 786769, 'food bank ceo': 313536, 'bank ceo peter': 109721, 'ceo peter vogel': 169805, 'peter vogel the': 653538, 'vogel the demand': 959967, 'on food from': 600865, 'food from ha': 314606, 'from ha been': 335714, 'ha been really': 369891, 'been really dramatic': 121784, 'ongoing oil': 607663, 'and weakening': 75346, 'ongoing oil price': 607664, 'war and weakening': 966365, 'and weakening economy': 75347, 'weakening economy due': 974085, '19 are driving': 5195, 'are driving price': 86002, 'manchester united and': 512961, 'united and manchester': 942147, 'and manchester city': 66635, 'manchester city have': 512940, 'new house': 558899, 'house hold': 406338, 'hold rule': 399997, 'rule toiletpaper': 727389, 'new house hold': 558900, 'house hold rule': 406340, 'hold rule toiletpaper': 399998, 'jeopardized': 465122, 'security should': 744747, 'be jeopardized': 115568, 'jeopardized by': 465123, '19 tomato': 11509, 'wa low': 962598, 'in kano': 424437, 'kano last': 470798, 'lagos it': 478933, 'because truck': 119751, 'not willing': 572512, 'south due': 786716, 'to extortion': 905539, 'extortion at': 293380, 'at road': 100420, 'road block': 724424, 'block on': 132797, 'way thx': 969977, 'for intervention': 322626, 'intervention of': 442191, 'food security should': 316367, 'security should not': 744748, 'not be jeopardized': 568405, 'be jeopardized by': 115569, 'jeopardized by covid': 465124, 'covid 19 tomato': 213965, '19 tomato price': 11510, 'tomato price wa': 923961, 'price wa low': 677337, 'wa low in': 962600, 'low in kano': 505334, 'in kano last': 424438, 'kano last week': 470799, 'week while in': 977239, 'while in lagos': 986947, 'in lagos it': 424575, 'lagos it is': 478934, 'is in demand': 448763, 'demand because truck': 235062, 'because truck driver': 119752, 'driver are not': 259436, 'are not willing': 88498, 'not willing to': 572513, 'to the south': 917082, 'the south due': 867509, 'south due to': 786717, 'due to extortion': 261781, 'to extortion at': 905540, 'extortion at road': 293381, 'at road block': 100421, 'road block on': 724426, 'block on the': 132798, 'the way thx': 871200, 'way thx for': 969978, 'thx for intervention': 895544, 'for intervention of': 322627, 'intervention of lagos': 442192, 'of lagos state': 585707, 'state govt and': 795629, 'govt and military': 361075, 'news12': 560983, 'nycs': 578091, 'hope news12': 403549, 'news12 nj': 560984, 'nj can': 563422, 'second without': 743874, 'restriction or': 717354, 'or protection': 616726, 'protection please': 685572, 'get social': 348031, 'distancing restriction': 247425, 'restriction nycs': 717330, 'hope news12 nj': 403550, 'news12 nj can': 560985, 'nj can help': 563423, 'help and spread': 389357, 'clerk we are': 181814, 'we are exposed': 970553, 'exposed to crowd': 292894, 'of people every': 587910, 'people every second': 647829, 'every second without': 286151, 'second without restriction': 743875, 'without restriction or': 1002887, 'restriction or protection': 717355, 'or protection please': 616727, 'protection please help': 685573, 'help get social': 389800, 'get social distancing': 348032, 'social distancing restriction': 779700, 'distancing restriction nycs': 247426, 'eye were': 294123, 'were sweet': 980211, 'sweet to': 830259, 'me small': 523482, 'small side': 775124, 'track because': 928169, 'border were': 135292, 'of apocalypse': 580300, 'apocalypse wa': 81575, 'my eye were': 548146, 'eye were sweet': 294124, 'were sweet to': 980212, 'sweet to me': 830260, 'to me small': 909951, 'me small side': 523484, 'small side track': 775125, 'side track because': 768911, 'track because few': 928170, 'few day go': 303775, 'day go by': 227673, 'go by my': 353398, 'by my plug': 153286, 'that the border': 846670, 'the border were': 849877, 'border were about': 135293, 'to close because': 902860, 'close because price': 182565, 'because price will': 119502, 'me it great': 523010, 'it great so': 458338, 'great so getting': 362997, 'time of apocalypse': 897314, 'of apocalypse wa': 580301, 'apocalypse wa something': 81576, 'cheat sheet we': 174338, 'sheet we doing': 756631, 'upends supplychains': 947520, 'supplychains bloomberg': 826255, 'bloomberg 19': 133256, 'after upends supplychains': 36473, 'upends supplychains bloomberg': 947521, 'supplychains bloomberg 19': 826256, 'bloomberg 19 pandemic': 133257, 'several mammoth': 753886, 'mammoth thing': 511954, 'thing happened': 884389, 'happened within': 377302, 'past ten': 643615, 'plunge bond': 661414, 'bond top': 134273, 'top out': 925655, 'out oil': 626892, 'oil plummet': 597013, 'to historical': 907834, 'and precious': 69336, 'metal sold': 529658, 'retail customer': 718017, 'silver at': 769790, 'at today': 101334, 'today manipulated': 919851, 'manipulated spot': 513210, 'several mammoth thing': 753887, 'mammoth thing happened': 511955, 'thing happened within': 884390, 'happened within the': 377303, 'within the past': 1002437, 'the past ten': 863364, 'past ten day': 643616, 'ten day the': 837772, 'day the stock': 228500, 'stock market plunge': 802422, 'market plunge bond': 516861, 'plunge bond top': 661415, 'bond top out': 134274, 'top out oil': 925656, 'out oil plummet': 626893, 'oil plummet to': 597015, 'plummet to historical': 661312, 'to historical low': 907835, 'historical low and': 397988, 'low and precious': 505133, 'and precious metal': 69337, 'precious metal sold': 669475, 'metal sold out': 529659, 'out to retail': 627677, 'to retail customer': 913447, 'retail customer it': 718019, 'customer it very': 222550, 'to find gold': 905902, 'find gold silver': 306940, 'gold silver at': 356005, 'silver at today': 769792, 'at today manipulated': 101336, 'today manipulated spot': 919852, 'manipulated spot price': 513211, 'cumberland': 220320, 'is resident': 451461, 'of cumberland': 582242, 'cumberland county': 220321, 'county and': 211312, 'investigating and': 443841, 'and contacting': 60469, 'contacting individual': 200344, 'positive want': 665481, 'together stay': 920949, 'healthy cumberland': 387571, 'the person is': 863587, 'person is resident': 652506, 'is resident of': 451462, 'resident of cumberland': 714339, 'of cumberland county': 582243, 'cumberland county and': 220322, 'county and the': 211318, 'the health department': 857181, 'is investigating and': 448971, 'investigating and contacting': 443842, 'and contacting individual': 60470, 'contacting individual who': 200345, 'individual who may': 435281, 'with the person': 1001427, 'person who tested': 652738, 'tested positive want': 839356, 'positive want to': 665482, 'know more we': 476613, 'more we are': 540951, 'this together stay': 890783, 'together stay healthy': 920950, 'stay healthy cumberland': 796899, 'my thanks': 550348, 'person working': 652753, 'necessity of': 554247, 'especially all': 280432, 'daily risk': 224783, 'of additional': 579777, 'additional exposure': 31821, 'potentially infected': 667214, 'live thank': 496044, 'my thanks to': 550349, 'thanks to every': 842219, 'every person working': 286103, 'person working in': 652754, 'working in harm': 1008715, 'harm way to': 378426, 'provide the rest': 686511, 'rest of with': 716210, 'of with the': 593211, 'with the necessity': 1001401, 'the necessity of': 861385, 'necessity of life': 554248, 'of life especially': 585821, 'life especially all': 488627, 'especially all the': 280433, 'worker who take': 1008230, 'who take on': 989730, 'the daily risk': 852784, 'daily risk of': 224784, 'risk of additional': 723724, 'of additional exposure': 579779, 'additional exposure to': 31822, 'exposure to potentially': 293012, 'to potentially infected': 911936, 'potentially infected people': 667215, 'infected people so': 436617, 'people so we': 649499, 'eat and live': 265847, 'and live thank': 66254, 'live thank you': 496045, 'becuase': 120367, 'can lower': 158913, 'switch ya': 830529, 'ya girl': 1013994, 'girl really': 350277, 'but financially': 145726, 'financially cant': 306667, 'in becuase': 420749, 'becuase of': 120370, 'help girl': 389808, 'girl out': 350273, 'out ll': 626511, 'll like': 496885, 'like promote': 491041, 'promote it': 683779, 'so can lower': 776714, 'can lower the': 158914, 'of the switch': 591517, 'the switch ya': 869069, 'switch ya girl': 830530, 'ya girl really': 1013995, 'girl really want': 350278, 'really want one': 702699, 'want one but': 965876, 'one but financially': 606021, 'but financially cant': 145727, 'financially cant afford': 306668, 'cant afford it': 162262, 'afford it in': 34715, 'it in becuase': 458725, 'in becuase of': 420750, 'becuase of covid': 120371, '19 please help': 9720, 'please help girl': 660069, 'help girl out': 389809, 'girl out ll': 350274, 'out ll like': 626512, 'll like promote': 496886, 'like promote it': 491042, 'promote it or': 683781, 'it or something': 460148, 'wyt': 1013733, 'anywhere where': 81168, 'buying couldn': 150152, 'more wyt': 541027, 'wyt diverse': 1013734, 'diverse ppl': 248527, 'ppl crowding': 668207, 'crowding to': 219408, 'staple wyt': 794013, 'wyt must': 1013736, 'must panic': 546799, 'booze and': 135155, 'and weed': 75376, 'or anywhere where': 614390, 'anywhere where people': 81169, 'panic buying couldn': 637690, 'buying couldn be': 150154, 'be more wyt': 116002, 'more wyt diverse': 541028, 'wyt diverse ppl': 1013735, 'diverse ppl crowding': 248528, 'ppl crowding to': 668208, 'crowding to get': 219409, 'get food staple': 347065, 'food staple wyt': 316746, 'staple wyt must': 794014, 'wyt must panic': 1013737, 'must panic buy': 546800, 'buy booze and': 148428, 'booze and weed': 135156, 'consumerpsychology': 199755, 'crisis be': 217117, 'be tipping': 117721, 'consumer cx': 197043, 'cx consumerpsychology': 223902, 'consumerpsychology consumerbehavior': 199756, 'could this crisis': 209771, 'this crisis be': 887022, 'crisis be tipping': 217119, 'be tipping point': 117722, 'tipping point that': 898994, 'point that result': 662645, 'that result in': 846029, 'result in new': 717541, 'in new normal': 425822, 'for consumer cx': 320250, 'consumer cx consumerpsychology': 197044, 'cx consumerpsychology consumerbehavior': 223903, 'time offer': 897391, 'offer clothes': 594550, 'to tidy': 917572, 'tidy up': 895727, 'buy clothes': 148493, 'clothes feel': 184159, 'doing well in': 252833, 'well in these': 978316, 'in these difficult': 429839, 'difficult time offer': 242301, 'time offer clothes': 897392, 'offer clothes for': 594551, 'way to tidy': 970115, 'to tidy up': 917573, 'tidy up my': 895728, 'up my room': 945437, 'to buy clothes': 902205, 'buy clothes feel': 148495, 'clothes feel free': 184160, 'free to check': 332236, 're interested mercari': 698912, 'disasterpreparedness': 244271, 'interested please': 441480, 'take me': 832315, 'me off': 523249, 'your list': 1024663, 'list toiletpaper': 494574, 'quarantinelife disasterpreparedness': 692947, 'disasterpreparedness toiletpapercrisis': 244274, 'toiletpapercrisis meme': 923040, 'thank you but': 841700, 'you but not': 1017553, 'but not interested': 146541, 'not interested please': 570162, 'interested please take': 441481, 'please take me': 660633, 'take me off': 832316, 'me off your': 523251, 'off your list': 594445, 'your list toiletpaper': 1024666, 'list toiletpaper quarantine': 494575, 'toiletpaper quarantine quarantineandchill': 922375, 'quarantineandchill quarantinelife disasterpreparedness': 692762, 'quarantinelife disasterpreparedness toiletpapercrisis': 692948, 'disasterpreparedness toiletpapercrisis meme': 244275, 'toiletpapercrisis meme meme': 923041, 'great acceptance': 362484, 'acceptance though': 28046, 'logic or': 500659, 'or hard': 615568, 'or plain': 616624, 'plain number': 658006, 'number doesn': 576869, 'during despite': 262595, 'what this also': 982430, 'also mean is': 48529, 'mean is that': 524503, 'is that these': 452697, 'these story have': 880745, 'story have great': 811998, 'have great acceptance': 380829, 'great acceptance though': 362485, 'acceptance though they': 28047, 'though they are': 892920, 'of logic or': 585978, 'logic or hard': 500660, 'or hard fact': 615569, 'fact or plain': 295768, 'or plain number': 616625, 'plain number doesn': 658007, 'number doesn matter': 576870, 'go up during': 354429, 'up during despite': 944754, 'during despite global': 262596, 'global price going': 352138, 'price going down': 674211, 'going down people': 355122, 'down people will': 257087, 'morton': 541980, 'have contingency': 380093, 'hiring aggressively': 397064, 'aggressively to': 38276, 'ensure supermarket': 278040, 'stocked there': 803421, 'for concern': 320222, 'of morton': 586666, 'morton williams': 541981, 'williams supermarket': 995451, 'supermarket tell': 823145, 'supply are there': 824796, 'are there we': 90964, 'there we have': 879291, 'we have contingency': 971782, 'have contingency plan': 380094, 'contingency plan and': 200951, 'plan and are': 658058, 'and are hiring': 58322, 'are hiring aggressively': 87180, 'hiring aggressively to': 397065, 'aggressively to ensure': 38277, 'to ensure supermarket': 905191, 'ensure supermarket shelf': 278041, 'supermarket shelf will': 822568, 'remain stocked there': 709867, 'stocked there is': 803422, 'need for concern': 554830, 'for concern of': 320223, 'concern of morton': 193026, 'of morton williams': 586667, 'morton williams supermarket': 541982, 'williams supermarket tell': 995452, 'affecting grocer': 34519, 'grocer in': 364139, 'chain fulfillment': 170729, 'fulfillment store': 340449, 'operation workforce': 613291, 'workforce management': 1008377, 'revenue take': 720477, 'short question': 764676, 'question survey': 693758, 'to hear how': 907406, 'hear how the': 387935, 'how the coronavirus': 408809, 'coronavirus is affecting': 206158, 'is affecting grocer': 445390, 'affecting grocer in': 34520, 'grocer in the': 364140, 'the area of': 848884, 'area of supply': 92140, 'supply chain fulfillment': 824963, 'chain fulfillment store': 170730, 'fulfillment store operation': 340450, 'store operation workforce': 809298, 'operation workforce management': 613292, 'workforce management and': 1008378, 'management and revenue': 512534, 'and revenue take': 70487, 'revenue take this': 720478, 'take this short': 832715, 'this short question': 890116, 'short question survey': 764677, 'if contract': 413997, 'wa advice': 961442, 'isolate where': 454945, 'thing would': 885022, 'next 14days': 561265, '14days me': 3612, 'of hustle': 584928, 'hustle hun': 411822, 'hun nu': 410966, 'imagine if contract': 416741, 'if contract covid': 413998, '19 and wa': 5131, 'and wa advice': 75075, 'wa advice to': 961443, 'advice to self': 33535, 'self isolate where': 747696, 'isolate where will': 454946, 'where will get': 985357, 'get the money': 348269, 'stock food drink': 802129, 'food drink and': 314276, 'drink and other': 258800, 'other thing would': 621116, 'thing would need': 885025, 'would need for': 1012049, 'the next 14days': 861646, 'next 14days me': 561266, '14days me that': 3613, 'me that if': 523615, 'that if do': 844416, 'go out cannot': 353941, 'out cannot eat': 625828, 'cannot eat or': 161771, 'eat or make': 266010, 'or make money': 616041, 'make money and': 510180, 'money and we': 536607, 'we are many': 970623, 'are many in': 88028, 'many in this': 514174, 'in this kind': 429968, 'kind of hustle': 474906, 'of hustle hun': 584929, 'hustle hun nu': 411823, 'pandemic music': 635997, 'music shop': 546336, 'are shuttering': 90099, 'shuttering and': 768225, 'survive and': 829122, 'on household': 601375, 'good here': 357179, 'facing the covid': 295622, '19 pandemic music': 9401, 'pandemic music shop': 635998, 'music shop are': 546337, 'shop are shuttering': 759915, 'are shuttering and': 90100, 'shuttering and struggling': 768226, 'and struggling to': 72602, 'struggling to survive': 814520, 'to survive and': 916017, 'survive and amazon': 829123, 'and amazon is': 58046, 'amazon is focusing': 50998, 'is focusing on': 447853, 'focusing on household': 311994, 'on household good': 601376, 'household good here': 406818, 'good here what': 357180, 'here what in': 393811, 'store for physical': 807829, 'for physical retail': 324539, 'ultimatum': 939166, 'recreate': 705430, 'ultimatum website': 939167, 'website doesn': 975245, 'exist now': 290243, 'it approach': 456570, 'approach wa': 82995, 'powerful vehicle': 667809, 'vehicle for': 954263, 'power driving': 667597, 'driving business': 259904, 'business reform': 144300, 'reform could': 706717, 'we recreate': 973055, 'recreate similar': 705433, 'similar website': 769947, 'challenge bad': 171414, 'bad response': 107997, 'response by': 715643, 'ultimatum website doesn': 939168, 'website doesn exist': 975246, 'doesn exist now': 251785, 'exist now but': 290244, 'now but it': 574288, 'but it approach': 146098, 'it approach wa': 456572, 'approach wa the': 82996, 'most powerful vehicle': 542649, 'powerful vehicle for': 667810, 'vehicle for consumer': 954264, 'for consumer power': 320279, 'consumer power driving': 198392, 'power driving business': 667598, 'driving business reform': 259905, 'business reform could': 144301, 'reform could we': 706718, 'could we recreate': 209825, 'we recreate similar': 973056, 'recreate similar website': 705434, 'similar website to': 769948, 'website to challenge': 975440, 'to challenge bad': 902587, 'challenge bad response': 171415, 'bad response by': 107998, 'response by firm': 715644, 'by firm to': 152594, 'sister just': 771765, 'everything or': 287956, 'my sister just': 550112, 'sister just sent': 771766, 'just sent me': 469766, 'these pic from': 880480, 'pic from our': 655599, 'from our local': 336786, 'local supermarket all': 498498, 'supermarket all need': 818871, 'buying everything or': 150259, 'everything or we': 287957, 'or we gonna': 617738, 'we gonna die': 971664, 'clapat8': 179977, 'all clapat8': 42361, 'clapat8 tonight': 179978, 'everyone supporting': 287439, 'supporting those': 827222, 'with today': 1001797, 'consideration during': 195243, 'trip since': 932158, 'since manic': 770714, 'manic buying': 513162, 'buying began': 150008, 'are kind': 87688, 'let all clapat8': 486551, 'all clapat8 tonight': 42362, 'clapat8 tonight to': 179979, 'thank everyone supporting': 841560, 'everyone supporting those': 287440, 'supporting those with': 827224, 'those with today': 892727, 'with today saw': 1001798, 'generosity and consideration': 345705, 'and consideration during': 60320, 'consideration during my': 195244, 'first supermarket trip': 309047, 'supermarket trip since': 823551, 'trip since manic': 932159, 'since manic buying': 770715, 'manic buying began': 513163, 'buying began most': 150009, 'people are kind': 647009, 'are kind and': 87689, 'kind and courteous': 474801, 'to be reminded': 901499, 'shoddy': 759646, 'yet property': 1016209, 'property management': 684295, 'for shoddy': 325558, 'shoddy service': 759647, 'it contact': 457300, 'info coronacrisis': 437462, 'and yet property': 75990, 'yet property management': 1016210, 'property management company': 684296, 'still charging extortionate': 800360, 'price for shoddy': 674047, 'for shoddy service': 325559, 'shoddy service with': 759648, 'service with le': 753084, 'than month to': 840908, 'month to pay': 538085, 'pay it contact': 644966, 'it contact me': 457301, 'more info coronacrisis': 539552, 'sencorp': 749804, 'sencorp converted': 749805, 'converted two': 202564, 'two machine': 937020, 'machine typically': 507412, 'typically used': 937667, 'plastic industry': 658857, 'material used': 520432, 'mask each': 518600, 'each machine': 264115, 'machine is': 507384, 'is capable': 446375, 'of producing': 588475, 'producing about': 680734, 'million mask': 532231, 'mask per': 519110, 'company say': 191049, 'sencorp converted two': 749806, 'converted two machine': 202565, 'two machine typically': 937021, 'machine typically used': 507413, 'typically used for': 937668, 'used for consumer': 949901, 'for consumer product': 320280, 'consumer product in': 198462, 'in the plastic': 429456, 'the plastic industry': 863815, 'plastic industry to': 658858, 'industry to run': 436174, 'run the material': 727824, 'the material used': 860289, 'material used in': 520433, 'in the production': 429482, 'production of the': 682157, 'of the n95': 591260, 'n95 mask each': 551191, 'mask each machine': 518601, 'each machine is': 264116, 'machine is capable': 507385, 'is capable of': 446376, 'capable of producing': 162484, 'of producing about': 588476, 'producing about million': 680735, 'about million mask': 25729, 'million mask per': 532235, 'mask per week': 519112, 'per week the': 651075, 'week the company': 976985, 'the company say': 851350, 'calmed': 156841, 'italy they': 462947, 'buying until': 151284, 'supermarket proved': 822084, 'proved they': 686141, 'could restock': 209602, 'restock then': 716929, 'everyone calmed': 286762, 'calmed down': 156842, 'down they': 257333, 'get public': 347859, 'public confidence': 687924, 'confidence back': 193834, 'read article from': 700294, 'article from italy': 94330, 'from italy they': 336137, 'italy they had': 462948, 'they had panic': 882254, 'had panic food': 373387, 'food buying until': 313855, 'buying until the': 151285, 'until the supermarket': 943872, 'the supermarket proved': 868764, 'supermarket proved they': 822085, 'proved they could': 686142, 'they could restock': 881837, 'could restock then': 209603, 'restock then everyone': 716930, 'then everyone calmed': 877159, 'everyone calmed down': 286763, 'calmed down they': 156844, 'down they need': 257336, 'to get public': 906568, 'get public confidence': 347860, 'public confidence back': 687925, 'confidence back here': 193835, 'askreuters': 96123, 'the askreuters': 848972, 'askreuters twitter': 96125, 'twitter chat': 936644, 'next hour': 561399, 'hour we': 406076, 'coronavirus with': 207091, 'healthcare expert': 387101, 'expert if': 291856, 'question be': 693548, 'include the': 431640, 'askreuters hashtag': 96124, 'to the askreuters': 916497, 'the askreuters twitter': 848974, 'askreuters twitter chat': 96126, 'twitter chat for': 936645, 'chat for the': 173932, 'the next hour': 861671, 'next hour we': 561400, 'hour we will': 406078, 'will be discussing': 992431, 'be discussing the': 114485, 'discussing the coronavirus': 245005, 'the coronavirus with': 851945, 'coronavirus with healthcare': 207092, 'with healthcare expert': 998752, 'healthcare expert if': 387102, 'expert if you': 291857, 'have question be': 382131, 'question be sure': 693549, 'sure to include': 827766, 'to include the': 908255, 'include the askreuters': 431641, 'the askreuters hashtag': 848973, 'time duct': 896585, 'tape fix': 834354, 'fix everything': 309717, 'everything failed': 287786, 'failed heartbreaking': 296138, 'heartbreaking socialdistancing': 388408, 'tp quarantine': 927910, 'pandemic stayhomesavelives': 636544, 'stayhomesavelives coronalockdown': 798364, 'first time duct': 309095, 'time duct tape': 896586, 'duct tape fix': 261566, 'tape fix everything': 834355, 'fix everything failed': 309718, 'everything failed heartbreaking': 287787, 'failed heartbreaking socialdistancing': 296139, 'heartbreaking socialdistancing toiletpaper': 388409, 'socialdistancing toiletpaper tp': 780827, 'toiletpaper tp quarantine': 922751, 'tp quarantine pandemic': 927911, 'quarantine pandemic stayhomesavelives': 692424, 'pandemic stayhomesavelives coronalockdown': 636545, 'selfisolate': 748400, '3months': 18356, 'bill cant': 130533, 'cant deliver': 162276, 'deliver many': 233162, 'substitute thank': 816098, 'you panicbuyers': 1020290, 'panicbuyers you': 638886, 'low life': 505384, 'life am': 488460, 'am vulnerable': 50537, 'vulnerable 44': 960833, '44 year': 19027, 'to selfisolate': 914133, 'selfisolate for': 748403, 'for 3months': 318830, '3months how': 18357, 'cope corovid19': 203311, 'online shopping bill': 609054, 'shopping bill cant': 762230, 'bill cant deliver': 130534, 'cant deliver many': 162277, 'deliver many good': 233163, 'many good and': 514099, 'good and there': 356753, 'are no substitute': 88284, 'no substitute thank': 565603, 'substitute thank you': 816099, 'thank you panicbuyers': 841797, 'you panicbuyers you': 1020291, 'panicbuyers you are': 638887, 'you are low': 1017166, 'are low life': 87930, 'low life am': 505385, 'life am vulnerable': 488462, 'am vulnerable 44': 50538, 'vulnerable 44 year': 960834, '44 year old': 19028, 'old and got': 598135, 'and got to': 63865, 'got to selfisolate': 358969, 'to selfisolate for': 914134, 'selfisolate for 3months': 748404, 'for 3months how': 318831, '3months how will': 18358, 'how will cope': 409223, 'will cope corovid19': 993033, 'outbreak say': 628600, 'say manufacturer': 738914, 'stop stockpiling toilet': 805079, 'paper during covid': 640113, '19 outbreak say': 9179, 'outbreak say manufacturer': 628601, 'tactile': 831724, 'me shouldnt': 523458, 'shouldnt unnecessarily': 766761, 'unnecessarily touch': 942881, 'touch stuff': 926540, 'me literally': 523090, 'literally cannot': 494964, 'touching thing': 926741, 'partner because': 642783, 'because very': 119772, 'very tactile': 955606, 'tactile person': 831725, 'person and': 652304, 'love touching': 504863, 'touching playing': 926712, 'me shouldnt unnecessarily': 523459, 'shouldnt unnecessarily touch': 766762, 'unnecessarily touch stuff': 942882, 'touch stuff in': 926541, 'so can avoid': 776702, 'can avoid covid': 157556, '19 also me': 4929, 'also me literally': 48526, 'me literally cannot': 523091, 'literally cannot stop': 494966, 'cannot stop touching': 162137, 'stop touching thing': 805234, 'touching thing and': 926742, 'thing and my': 884128, 'my partner because': 549715, 'partner because very': 642784, 'because very tactile': 119773, 'very tactile person': 955607, 'tactile person and': 831726, 'person and just': 652306, 'and just love': 65707, 'just love touching': 469201, 'love touching playing': 504864, 'touching playing with': 926713, 'playing with thing': 659474, 'makazoti': 509622, 'mabcp': 507292, 'enyu': 279235, 'akamira': 40500, '19 makazoti': 8517, 'makazoti mabcp': 509623, 'mabcp enyu': 507293, 'enyu akamira': 279236, 'akamira sei': 40501, 'sei small': 747412, 'with foot': 998519, 'traffic what': 929159, 'bank online': 110067, 'platform working': 659061, 'do banking': 249112, 'banking in': 110434, 'quarantine doe': 692153, 'have functional': 380746, 'covid 19 makazoti': 213392, '19 makazoti mabcp': 8518, 'makazoti mabcp enyu': 509624, 'mabcp enyu akamira': 507294, 'enyu akamira sei': 279237, 'akamira sei small': 40502, 'sei small business': 747413, 'small business that': 774896, 'business that work': 144493, 'that work with': 847658, 'work with foot': 1006032, 'with foot traffic': 998520, 'foot traffic what': 318462, 'traffic what is': 929161, 'is the plan': 452896, 'the plan is': 863791, 'plan is your': 658161, 'is your bank': 454133, 'your bank online': 1022906, 'bank online platform': 110068, 'online platform working': 608767, 'platform working for': 659062, 'working for you': 1008650, 'to do banking': 904484, 'do banking in': 249113, 'banking in quarantine': 110435, 'in quarantine doe': 427179, 'quarantine doe any': 692154, 'doe any supermarket': 251331, 'any supermarket have': 79899, 'supermarket have functional': 820687, 'have functional online': 380747, 'be brilliant': 113908, 'brilliant at': 139837, 'at sourcing': 100595, 'sourcing supply': 786622, 'their place': 874311, 'found uk to': 330457, 'uk to be': 938825, 'to be brilliant': 901137, 'be brilliant at': 113909, 'brilliant at sourcing': 139838, 'at sourcing supply': 100596, 'sourcing supply so': 786623, 'need anything that': 554461, 'anything that their': 80899, 'that their place': 846882, 'their place great': 874312, 'great price fast': 362912, 'price fast delivery': 673829, '855': 22956, '9507': 23619, 'the join': 858685, 'federal expert': 301980, 'expert for': 291839, 'live conversation': 495773, 'conversation today': 202489, 'at 12p': 97458, '12p ct': 3117, 'ct 11a': 220083, '11a mt': 2710, 'mt to': 544600, 'latest and': 481210, 'answered call': 78162, 'call 855': 155728, '855 274': 22957, '274 9507': 16346, '9507 to': 23620, 'surrounding the join': 828772, 'the join and': 858686, 'join and federal': 466674, 'and federal expert': 62756, 'federal expert for': 301981, 'expert for live': 291840, 'for live conversation': 323021, 'live conversation today': 495774, 'conversation today at': 202490, 'today at 12p': 919265, 'at 12p ct': 97459, '12p ct 11a': 3118, 'ct 11a mt': 220084, '11a mt to': 2711, 'mt to learn': 544601, 'to learn the': 909138, 'learn the latest': 484072, 'the latest and': 859076, 'latest and get': 481211, 'question answered call': 693529, 'answered call 855': 78163, 'call 855 274': 155729, '855 274 9507': 22958, '274 9507 to': 16347, '9507 to join': 23621, 'pete': 653509, 'stayho': 797922, 'paper they': 640895, 'customer tell': 222900, 'them her': 875844, 'for pete': 324514, 'pete sake': 653512, 'sake folk': 731854, 'member who': 528239, 'who you': 990073, 'around recently': 93459, 'recently stayho': 704154, 'wife is working': 991938, 'is working today': 454051, 'working today at': 1009006, 'today at retail': 919282, 'store that doe': 810548, 'doe not sell': 251528, 'not sell food': 571523, 'sell food or': 748725, 'toilet paper they': 921489, 'paper they had': 640898, 'they had customer': 882243, 'had customer tell': 373008, 'customer tell them': 222901, 'tell them her': 837098, 'them her husband': 875845, 'her husband ha': 392122, 'husband ha covid': 411704, '19 for pete': 7073, 'for pete sake': 324515, 'pete sake folk': 653513, 'sake folk if': 731855, 'you have family': 1019044, 'family member who': 298046, 'member who you': 528245, 'who you have': 990077, 'have been around': 379467, 'been around recently': 120680, 'around recently stayho': 93460, '21days': 15108, 'electricity no': 271188, 'product reduce': 681569, 'diesel during': 241661, 'period 21dayslockdown': 651701, '21dayslockdown 21days': 15115, 'government should provide': 360611, 'should provide free': 766345, 'provide free electricity': 686323, 'free electricity no': 331796, 'electricity no tax': 271189, 'no tax on': 565671, 'tax on all': 835043, 'all product reduce': 44066, 'product reduce price': 681570, 'price of petrol': 675533, 'of petrol diesel': 588077, 'petrol diesel during': 653727, 'diesel during lockdown': 241662, 'during lockdown period': 262770, 'lockdown period 21dayslockdown': 499787, 'period 21dayslockdown 21days': 651702, 'treacherous': 930750, 'thur': 895310, 'shortness': 765393, 'discharged': 244344, 'such treacherous': 816842, 'treacherous disease': 930751, 'disease claimed': 245104, 'claimed cousin': 179876, 'london thur': 501201, 'thur 65': 895311, '65 healthy': 21355, 'healthy no': 387701, 'no health': 564405, 'issue developed': 455718, 'developed fever': 239698, 'fever shortness': 303680, 'shortness of': 765394, 'of breath': 580858, 'breath ambulance': 139154, 'ambulance came': 51320, 'home mon': 401619, 'mon to': 536201, 'give oxygen': 350637, 'oxygen he': 632673, 'he decided': 384867, 'expecting to': 291053, 'be discharged': 114479, 'discharged then': 244345, 'then collapsed': 877074, 'collapsed rip': 186113, 'such treacherous disease': 816843, 'treacherous disease claimed': 930752, 'disease claimed cousin': 245105, 'claimed cousin in': 179877, 'cousin in london': 212088, 'in london thur': 424901, 'london thur 65': 501202, 'thur 65 healthy': 895312, '65 healthy no': 21356, 'healthy no health': 387702, 'no health issue': 564406, 'health issue developed': 386575, 'issue developed fever': 455719, 'developed fever shortness': 239699, 'fever shortness of': 303681, 'shortness of breath': 765395, 'of breath ambulance': 580859, 'breath ambulance came': 139155, 'ambulance came home': 51321, 'came home mon': 157009, 'home mon to': 401620, 'mon to give': 536202, 'to give oxygen': 906701, 'give oxygen he': 350638, 'oxygen he decided': 632674, 'he decided to': 384868, 'back to hospital': 107372, 'to hospital with': 907981, 'hospital with it': 404725, 'with it wa': 999087, 'it wa expecting': 462109, 'wa expecting to': 962099, 'expecting to be': 291054, 'to be discharged': 901209, 'be discharged then': 114480, 'discharged then collapsed': 244346, 'then collapsed rip': 877075, 'mahindra': 508511, 'several major': 753882, 'major fast': 509329, 'good fmcg': 357043, 'and luxury': 66486, 'luxury brand': 506917, 'brand maker': 137896, 'maker across': 510808, 'turned saviour': 935878, 'saviour in': 738002, 'need anand': 554412, 'anand mahindra': 57280, 'mahindra ha': 508512, 'his factory': 397412, 'factory will': 296013, 'producing ventilator': 680816, 'ventilator mask': 954578, 'several major fast': 753884, 'major fast moving': 509330, 'consumer good fmcg': 197615, 'good fmcg and': 357044, 'fmcg and luxury': 311713, 'and luxury brand': 66487, 'luxury brand maker': 506918, 'brand maker across': 137897, 'maker across the': 510809, 'globe have turned': 352469, 'have turned saviour': 383430, 'turned saviour in': 935879, 'saviour in the': 738003, 'in the hour': 429273, 'of the need': 591268, 'the need anand': 861390, 'need anand mahindra': 554413, 'anand mahindra ha': 57281, 'mahindra ha announced': 508513, 'announced that his': 77062, 'that his factory': 844343, 'his factory will': 397413, 'factory will start': 296014, 'will start producing': 994944, 'start producing ventilator': 794440, 'producing ventilator mask': 680818, 'ventilator mask and': 954579, 'beverly': 129052, '192': 12324, 'after conducting': 35486, 'conducting traffic': 193698, 'traffic stop': 929138, 'stop on': 804863, 'on stolen': 603684, 'stolen vehicle': 804308, 'vehicle the': 954285, 'the beverly': 849583, 'beverly hill': 129055, 'hill police': 396486, 'department found': 237196, 'found 192': 330137, '192 roll': 12325, 'paper inside': 640339, 'after conducting traffic': 35487, 'conducting traffic stop': 193699, 'traffic stop on': 929139, 'stop on stolen': 804865, 'on stolen vehicle': 603685, 'stolen vehicle the': 804309, 'vehicle the beverly': 954286, 'the beverly hill': 849584, 'beverly hill police': 129056, 'hill police department': 396487, 'police department found': 662968, 'department found 192': 237197, 'found 192 roll': 330138, '192 roll of': 12326, 'toilet paper inside': 921319, 'paper inside the': 640340, 'inside the car': 439409, 'that within': 847633, 'within week': 1002458, 'will dry': 993269, 'more county': 538906, 'county are': 211323, 'and perhaps': 68903, 'perhaps go': 651588, 'government introduce': 360238, 'introduce some': 443398, 'rationing so': 697869, 'eat somehow': 266055, 'somehow do': 784313, 'is almost certain': 445496, 'certain that within': 170112, 'that within week': 847634, 'within week or': 1002462, 'or two supermarket': 617573, 'two supermarket supply': 937250, 'chain will dry': 171241, 'will dry up': 993270, 'dry up more': 261315, 'up more and': 945402, 'and more county': 67162, 'more county are': 538907, 'county are affected': 211324, '19 and perhaps': 5083, 'and perhaps go': 68906, 'perhaps go into': 651589, 'go into lockdown': 353756, 'into lockdown if': 442713, 'lockdown if so': 499489, 'if so would': 414835, 'so would the': 778817, 'the government introduce': 856551, 'government introduce some': 360239, 'introduce some form': 443399, 'form of rationing': 329542, 'of rationing so': 588755, 'rationing so people': 697870, 'people can eat': 647388, 'can eat somehow': 158200, 'eat somehow do': 266056, 'somehow do not': 784314, 'online made': 608513, 'usa stock': 948753, 'mask online made': 519063, 'online made in': 608514, 'in usa stock': 430495, 'usa stock in': 948754, 'stock in usa': 802283, 'pct': 645922, 'increase consumer': 432721, 'experiencing challenge': 291635, 'challenge over': 171526, '30 pct': 17176, 'pct report': 645925, 'report having': 712004, 'having had': 384097, 'purchase with': 689729, 'with 16': 996953, '16 pct': 4157, 'pct being': 645923, 'being unable': 125995, 'grocery shopping increase': 365040, 'shopping increase consumer': 763006, 'increase consumer are': 432722, 'consumer are experiencing': 196293, 'are experiencing challenge': 86339, 'experiencing challenge over': 291636, 'challenge over 30': 171527, 'over 30 pct': 629820, '30 pct report': 17177, 'pct report having': 645926, 'report having had': 712005, 'having had an': 384098, 'had an issue': 372841, 'an issue with': 56486, 'issue with their': 456022, 'with their purchase': 1001595, 'their purchase with': 874517, 'purchase with 16': 689730, 'with 16 pct': 996954, '16 pct being': 4158, 'pct being unable': 645924, 'being unable to': 125996, 'unable to place': 939341, 'an order at': 56691, 'order at all': 618061, 'at all retail': 97904, 'siouxland': 771517, 'of siouxland': 589743, 'siouxland looking': 771518, 'donation demand': 254582, 'bank of siouxland': 110055, 'of siouxland looking': 589744, 'siouxland looking for': 771519, 'looking for donation': 502862, 'for donation demand': 320828, 'donation demand increase': 254583, 'demand increase due': 235686, 'right balance': 721797, 'between stockpiling': 128905, 'limiting your': 492893, 'the right balance': 865804, 'right balance between': 721798, 'balance between stockpiling': 108969, 'between stockpiling and': 128906, 'stockpiling and limiting': 803908, 'and limiting your': 66194, 'limiting your trip': 492894, 'honestly try': 403150, 'to spam': 914951, 'spam you': 787394, 'much pandemic': 545218, 'read life': 700400, 'life running': 489002, 'honestly try not': 403151, 'not to spam': 572185, 'to spam you': 914952, 'spam you with': 787395, 'you with our': 1022384, 'with our story': 1000021, 'our story especially': 624962, 'story especially with': 811965, 'especially with so': 280675, 'so much pandemic': 777799, 'much pandemic news': 545219, 'pandemic news but': 636030, 'news but this': 560286, 'good read life': 357622, 'read life running': 700401, 'life running supermarket': 489003, 'fortinos': 329823, 'at fortinos': 98699, 'fortinos supermarket': 329824, 'hamilton like': 374558, 'it 198': 456184, '198 case': 12441, 'today population': 920051, 'population 600': 664642, 'doing the right': 252723, 'right thing at': 722307, 'thing at fortinos': 884175, 'at fortinos supermarket': 98700, 'fortinos supermarket in': 329825, 'supermarket in hamilton': 820907, 'in hamilton like': 423519, 'hamilton like it': 374559, 'like it 198': 490520, 'it 198 case': 456185, '198 case of': 12442, 'case of today': 165931, 'of today population': 592237, 'today population 600': 920052, 'calculator use': 155362, 'use accordingly': 949009, 'accordingly and': 28608, 'how much toiletpaper': 408379, 'much toiletpaper the': 545401, 'toiletpaper the toilet': 922593, 'paper calculator use': 640001, 'calculator use accordingly': 155363, 'use accordingly and': 949010, 'accordingly and find': 28609, 'out how much': 626329, 'much you actually': 545488, 'ruining': 727148, 'of greedy': 584328, 'people ruining': 649318, 'ruining thing': 727153, 'buying now just': 150775, 'now just stop': 575158, 'stop it there': 804794, 'it there is': 461613, 'no shortage just': 565495, 'shortage just an': 765051, 'just an excess': 468181, 'excess of greedy': 289356, 'of greedy people': 584329, 'greedy people ruining': 363566, 'people ruining thing': 649319, 'ruining thing for': 727154, 'bolted': 134161, 'randpaul': 696667, 'after rand': 36103, 'paul learned': 644549, 'learned he': 484118, 'the he': 857155, 'he immediately': 385100, 'immediately bolted': 417063, 'bolted to': 134162, 'paper randpaul': 640652, 'randpaul karma': 696668, 'after rand paul': 36104, 'rand paul learned': 696582, 'paul learned he': 644550, 'learned he had': 484120, 'he had the': 385060, 'had the he': 373616, 'the he immediately': 857156, 'he immediately bolted': 385101, 'immediately bolted to': 417064, 'bolted to the': 134163, 'nearest supermarket and': 553727, 'toilet paper randpaul': 921410, 'paper randpaul karma': 640653, 'hoarding buckwheat': 399230, 'buckwheat did': 141709, 'being stretched': 125860, 'stretched by': 813571, 'are you hoarding': 91806, 'you hoarding buckwheat': 1019235, 'hoarding buckwheat did': 399231, 'buckwheat did you': 141710, 'did you panic': 240942, 'paper food supply': 640167, 'chain are being': 170496, 'are being stretched': 84928, 'being stretched by': 125861, 'stretched by the': 813572, 'haiti': 374074, 'disasterpreparedness many': 244272, 'the earthquake': 853833, 'earthquake in': 265036, 'in haiti': 423505, 'haiti this': 374075, 'the enemy': 854313, 'enemy brought': 276349, 'brought food': 141148, 'by dropping': 152433, 'dropping it': 260699, 'of helicopter': 584536, 'helicopter like': 388966, 'don prepare': 253832, 'prepare today': 670145, 'today stock': 920223, 'today you': 920587, 'disasterpreparedness many day': 244273, 'many day after': 513982, 'after the earthquake': 36306, 'the earthquake in': 853834, 'earthquake in haiti': 265038, 'in haiti this': 423506, 'haiti this is': 374076, 'how the enemy': 408820, 'the enemy brought': 854314, 'enemy brought food': 276350, 'brought food water': 141149, 'food water supply': 317514, 'water supply to': 969191, 'supply to our': 826021, 'to our people': 911231, 'our people by': 624308, 'people by dropping': 647359, 'by dropping it': 152435, 'dropping it out': 260700, 'out of helicopter': 626751, 'of helicopter like': 584537, 'helicopter like this': 388967, 'like this if': 491497, 'this if you': 888003, 'you don prepare': 1018325, 'don prepare today': 253833, 'prepare today stock': 670146, 'today stock up': 920224, 'stock up today': 803125, 'up today you': 946460, 'today you too': 920592, 'you too may': 1021885, 'don panic our': 253808, 'panic our guide': 638380, 'guide on where': 368343, 'paper during the': 640115, 'outbreak and best': 627988, 'and best deal': 58907, 'best deal online': 127665, 'deal online now': 229457, 'pandaemonium': 634723, 'irresponsible reporting': 445071, 'reporting regarding': 712745, 'problem than': 679696, 'actual virus': 30710, 'virus looting': 958471, 'looting hoarding': 503257, 'panic fear': 638090, 'fear pandaemonium': 301280, 'pandaemonium what': 634724, 'medium coronacrisis': 527062, 'irresponsible reporting regarding': 445072, 'reporting regarding the': 712747, 'regarding the coronavirus': 707284, 'coronavirus ha created': 206021, 'ha created more': 370275, 'created more problem': 215854, 'more problem than': 540145, 'problem than the': 679697, 'the actual virus': 848326, 'actual virus looting': 30712, 'virus looting hoarding': 958472, 'looting hoarding food': 503258, 'hoarding food shortage': 399311, 'shortage panic fear': 765162, 'panic fear pandaemonium': 638092, 'fear pandaemonium what': 301281, 'pandaemonium what can': 634725, 'do to deal': 250383, 'with the medium': 1001387, 'the medium coronacrisis': 860418, 'support full': 826537, 'lock canada': 499018, 'canada down': 160415, 'month no': 537879, 'unless to': 942650, 'store drug': 807390, 'end this': 275990, 'it lockdowncanada': 459448, 'you support full': 1021484, 'support full lock': 826538, 'full lock canada': 340669, 'lock canada down': 499019, 'canada down this': 160416, 'down this would': 257346, 'would be for': 1011585, 'be for full': 114910, 'for full month': 321811, 'full month no': 340688, 'month no going': 537880, 'no going out': 564362, 'going out unless': 355399, 'out unless to': 627745, 'unless to grocery': 942651, 'grocery store drug': 365348, 'store drug store': 807391, 'drug store or': 261093, 'or hospital we': 615676, 'hospital we have': 404708, 'have to end': 383203, 'to end this': 905089, 'end this virus': 275994, 'this virus in': 891012, 'virus in canada': 958321, 'canada and this': 160362, 'do it lockdowncanada': 249490, 'nationalexpress': 552653, 'national express': 552504, 'express will': 293069, 'will suspend': 995055, 'all service': 44286, 'service after': 752035, 'weekend nationalexpress': 977374, 'national express will': 552505, 'express will suspend': 293070, 'will suspend all': 995056, 'suspend all service': 829548, 'all service after': 44287, 'service after this': 752036, 'after this weekend': 36419, 'this weekend nationalexpress': 891314, 'wbz': 970244, 'tjmaxx company': 899324, 'and halt': 64130, 'halt online': 374445, 'during shut': 263011, 'down wbz': 257440, 'tjmaxx company to': 899325, 'company to close': 191222, 'store and halt': 806255, 'and halt online': 64131, 'halt online shopping': 374446, 'shopping for two': 762726, 'two week will': 937374, 'week will pay': 977256, 'will pay employee': 994391, 'pay employee during': 644844, 'employee during shut': 273795, 'during shut down': 263012, 'shut down wbz': 767865, 'retweet or': 720065, 'or like': 615964, 'mvp 19': 547109, 'retweet or like': 720066, 'or like to': 615965, 'thank all healthcare': 841532, 'healthcare worker postal': 387375, 'postal worker supermarket': 666482, 'supermarket employee utility': 820148, 'employee utility worker': 274371, 'utility worker during': 951338, 'difficult time they': 242313, 'time they re': 897905, 'real mvp 19': 701273, 'eo': 279241, 'so contagious': 776789, 'contagious single': 200447, 'aisle right': 40355, 'and into': 65341, 'next aisle': 561281, 'aisle gross': 40260, 'gross what': 366443, 'what took': 982476, 'took you': 925381, 'long to': 501788, 'sign an': 769089, 'an eo': 55788, 'eo making': 279242, 'is why the': 453977, 'why the is': 991422, 'the is so': 858532, 'is so contagious': 451998, 'so contagious single': 776790, 'contagious single cough': 200448, 'can spread across': 159700, 'supermarket aisle right': 818842, 'aisle right over': 40357, 'right over the': 722214, 'the aisle and': 848512, 'aisle and into': 40191, 'and into the': 65343, 'into the next': 443152, 'the next aisle': 861652, 'next aisle gross': 561282, 'aisle gross what': 40261, 'gross what took': 366444, 'what took you': 982477, 'took you so': 925382, 'you so long': 1021286, 'so long to': 777587, 'long to sign': 501791, 'to sign an': 914633, 'sign an eo': 769090, 'an eo making': 55789, 'eo making people': 279243, 'chittagong': 177564, 'chakaria': 171358, 'coxsbazar': 214521, 'rice vegetable': 721162, 'vegetable increased': 954017, 'increased rapidly': 433444, 'south chittagong': 786708, 'chittagong chakaria': 177565, 'chakaria of': 171359, 'of coxsbazar': 582108, 'coxsbazar may': 214522, 'to whole': 918577, 'country many': 210885, 'need urgent': 556150, 'urgent help': 948344, 'stable while': 791966, 'confront challenge': 194288, 'of rice vegetable': 589102, 'rice vegetable increased': 721163, 'vegetable increased rapidly': 954018, 'increased rapidly in': 433445, 'rapidly in south': 696990, 'in south chittagong': 428129, 'south chittagong chakaria': 786709, 'chittagong chakaria of': 177566, 'chakaria of coxsbazar': 171360, 'of coxsbazar may': 582109, 'coxsbazar may be': 214523, 'may be similar': 521029, 'similar to whole': 769944, 'to whole country': 918578, 'whole country many': 990171, 'country many people': 210886, 'people may face': 648753, 'may face food': 521168, 'face food crisis': 294441, 'food crisis need': 314059, 'crisis need urgent': 217748, 'need urgent help': 556151, 'urgent help please': 948345, 'help please keep': 390324, 'please keep price': 660155, 'price stable while': 676603, 'stable while people': 791967, 'home to confront': 402313, 'to confront challenge': 903198, 'surefire': 827887, 'wide open': 991738, 'open exposed': 612221, 'exposed supermarket': 292870, 'supermarket bin': 819372, 'bin of': 131026, 'yourself roll': 1026691, 'roll wide': 725598, 'open italian': 612344, 'italian bread': 462686, 'bread surefire': 138602, 'surefire way': 827888, 'spread who': 790887, 'who breathed': 988341, 'breathed all': 139207, 'avoid wide open': 105396, 'wide open exposed': 991739, 'open exposed supermarket': 612222, 'exposed supermarket bin': 292871, 'supermarket bin of': 819373, 'bin of help': 131027, 'of help yourself': 584549, 'help yourself roll': 391033, 'yourself roll wide': 1026692, 'roll wide open': 725599, 'wide open italian': 991740, 'open italian bread': 612345, 'italian bread surefire': 462687, 'bread surefire way': 138603, 'surefire way for': 827889, 'way for covid': 969583, 'to spread who': 915083, 'spread who breathed': 790888, 'who breathed all': 988342, 'breathed all over': 139208, 'henk': 391771, 'zwoferink': 1027929, 'rgl': 720871, 'workinghard': 1009129, 'respecting': 715137, 'dedicatedpeople': 231760, 'by henk': 152788, 'henk zwoferink': 391772, 'zwoferink on': 1027930, 'in rgl': 427492, 'rgl our': 720872, 'our black': 622220, 'black beauty': 132032, 'beauty hauled': 118761, 'hauled train': 379012, 'train bringing': 929234, 'last tourist': 480593, 'tourist home': 927030, 'are workinghard': 91729, 'workinghard to': 1009130, 'running while': 728137, 'while respecting': 987215, 'respecting the': 715147, 'safety pleasure': 730678, 'such dedicatedpeople': 816439, 'taken by henk': 832970, 'by henk zwoferink': 152789, 'henk zwoferink on': 391773, 'zwoferink on saturday': 1027931, 'on saturday in': 603297, 'saturday in rgl': 737033, 'in rgl our': 427493, 'rgl our black': 720874, 'our black beauty': 622221, 'black beauty hauled': 132033, 'beauty hauled train': 118762, 'hauled train bringing': 379013, 'train bringing the': 929235, 'bringing the last': 140200, 'the last tourist': 859052, 'last tourist home': 480594, 'tourist home our': 927031, 'home our colleague': 401800, 'our colleague are': 622427, 'colleague are workinghard': 186203, 'are workinghard to': 91730, 'workinghard to keep': 1009131, 'chain running while': 171072, 'running while respecting': 728138, 'while respecting the': 987217, 'respecting the measure': 715150, 'the measure to': 860373, 'everyone safety pleasure': 287340, 'safety pleasure to': 730679, 'pleasure to work': 660829, 'work with such': 1006047, 'with such dedicatedpeople': 1001036, 'supermarket amid restriction': 818905, 'trump provides': 933772, 'watch live president': 968467, 'president trump provides': 670946, 'trump provides covid': 933773, 'millenniumbug': 532030, 'argy': 92766, 'bargy': 111094, 'y2kbug': 1013958, 'y2k2dpanic': 1013957, 'up who': 946603, 'who lived': 989222, 'the millenniumbug': 860619, 'millenniumbug 199': 532031, '199 200': 12462, 'just fearful': 468691, 'fearful but': 301452, 'but never': 146465, 'witnessed or': 1003160, 'even heard': 284176, 'and argy': 58391, 'argy bargy': 92767, 'bargy of': 111095, 'people stockpiled': 649631, 'stockpiled there': 803862, 'were no': 979907, 'no shelf': 565478, 'shelf shortage': 757509, 'shortage what': 765300, 'what changed': 981207, 'changed y2kbug': 172609, 'y2kbug y2k2dpanic': 1013959, 'hand up who': 375898, 'up who lived': 946604, 'who lived through': 989224, 'through the millenniumbug': 894751, 'the millenniumbug 199': 860620, 'millenniumbug 199 200': 532032, '199 200 people': 12463, '200 people were': 13529, 'were just fearful': 979816, 'just fearful but': 468692, 'fearful but never': 301453, 'but never witnessed': 146468, 'never witnessed or': 558277, 'witnessed or even': 1003161, 'or even heard': 615202, 'even heard of': 284178, 'heard of the': 388128, 'of the mass': 591226, 'mass panic and': 519823, 'panic and argy': 637296, 'and argy bargy': 58392, 'argy bargy of': 92768, 'bargy of people': 111096, 'of people stockpiled': 587993, 'people stockpiled there': 649632, 'stockpiled there were': 803863, 'there were no': 879324, 'were no shelf': 979910, 'no shelf shortage': 565479, 'shelf shortage what': 757510, 'shortage what changed': 765301, 'what changed y2kbug': 981209, 'changed y2kbug y2k2dpanic': 172610, 'closure supplychain': 184038, 'prevent closure supplychain': 671597, 'please feel': 659987, 'walmart pic': 965396, 'pic to': 655629, 'show liartrump': 767029, 'hey everyone please': 394371, 'everyone please feel': 287283, 'please feel free': 659988, 'feel free add': 302633, 'free add your': 331626, 'emptyshelves walmart pic': 275325, 'walmart pic to': 965397, 'pic to this': 655631, 'to show liartrump': 914563, 'show liartrump toiletpaper': 767030, 'broendby': 140814, 'pictureeditor': 656232, 'ida': 412963, 'guldbaek': 368627, 'arentsen': 92632, 'in broendby': 421001, 'broendby denmark': 140815, 'put mark': 690676, 'mark on': 515814, 'keep one': 471713, 'one distance': 606192, 'with socialdistance': 1000821, 'socialdistance virus': 780174, 'virus epidemic': 958159, 'epidemic pictureeditor': 279431, 'pictureeditor pic': 656233, 'pic ida': 655602, 'ida guldbaek': 412964, 'guldbaek arentsen': 368628, 'store in broendby': 808279, 'in broendby denmark': 421002, 'broendby denmark ha': 140816, 'denmark ha put': 237019, 'ha put mark': 371596, 'put mark on': 690677, 'mark on the': 515815, 'floor to remind': 310853, 'to remind customer': 913198, 'remind customer to': 710484, 'customer to keep': 222966, 'to keep one': 908819, 'keep one distance': 471714, 'one distance in': 606193, 'distance in order': 246742, 'of infection with': 585173, 'infection with socialdistance': 436887, 'with socialdistance virus': 1000822, 'socialdistance virus epidemic': 780175, 'virus epidemic pictureeditor': 958160, 'epidemic pictureeditor pic': 279432, 'pictureeditor pic ida': 656234, 'pic ida guldbaek': 655603, 'ida guldbaek arentsen': 412965, 'store block': 806738, 'block away': 132768, 'and outside of': 68551, 'grocery store block': 365250, 'store block away': 806739, 'to skyrocketing': 914712, 'now government': 574815, 'responding in': 715568, 'from african': 334409, 'african correspondent': 35185, 'led to skyrocketing': 485299, 'to skyrocketing price': 914713, 'skyrocketing price some': 773450, 'price some are': 676551, 'some are struggling': 782330, 'they have lost': 882341, 'the lockdown now': 859619, 'lockdown now government': 499703, 'now government are': 574816, 'government are responding': 359902, 'are responding in': 89634, 'responding in our': 715569, 'in our report': 426333, 'our report from': 624593, 'report from african': 711970, 'from african correspondent': 334410, 'murderer': 546168, 'ah some': 39098, 'have conscience': 380071, 'conscience unlike': 194779, 'unlike which': 942737, 'which keep': 986090, 'the play': 863828, 'play area': 659116, 'which senior': 986306, 'citizen take': 178969, 'the machine': 859856, 'machine murderer': 507390, 'ah some company': 39100, 'some company that': 782573, 'that have conscience': 844203, 'have conscience unlike': 380072, 'conscience unlike which': 194780, 'unlike which keep': 942739, 'which keep the': 986092, 'keep the play': 472060, 'the play area': 863829, 'play area of': 659117, 'area of it': 92135, 'of it grocery': 585403, 'store open in': 809260, 'open in which': 612325, 'in which senior': 430867, 'which senior citizen': 986307, 'senior citizen take': 750256, 'citizen take care': 178970, 'of the machine': 591210, 'the machine murderer': 859857, 'handkerchief': 376150, 'important covid': 418778, 'covid thread': 214239, 'thread today': 893612, 'today healthcare': 919631, 'my doorstep': 548032, 'doorstep in': 255851, 'in chennai': 421357, 'chennai to': 175502, 'at symptom': 100813, 'symptom my': 830872, 'my observation': 549536, 'observation the': 578562, 'wa using': 963623, 'using his': 950511, 'his personal': 397700, 'personal handkerchief': 652858, 'handkerchief mask': 376151, 'no proper': 565221, 'proper mask': 684121, 'wa given': 962208, 'him no': 396667, 'important covid thread': 418780, 'covid thread today': 214240, 'thread today healthcare': 893613, 'today healthcare worker': 919632, 'healthcare worker wa': 387395, 'worker wa at': 1008108, 'wa at my': 961605, 'at my doorstep': 99808, 'my doorstep in': 548033, 'doorstep in chennai': 255853, 'in chennai to': 421358, 'chennai to check': 175503, 'check if anyone': 174465, 'if anyone at': 413839, 'anyone at home': 80190, 'at home at': 98942, 'home at symptom': 400748, 'at symptom my': 100814, 'symptom my observation': 830873, 'my observation the': 549537, 'observation the worker': 578563, 'the worker wa': 871767, 'worker wa using': 1008112, 'wa using his': 963624, 'using his personal': 950513, 'his personal handkerchief': 397701, 'personal handkerchief mask': 652859, 'handkerchief mask no': 376152, 'mask no proper': 519012, 'no proper mask': 565222, 'proper mask wa': 684122, 'mask wa given': 519491, 'wa given to': 962210, 'given to him': 351185, 'to him no': 907774, 'him no glove': 396668, 'no glove hand': 564354, 'stoppage': 805538, 'increased border': 433216, 'border control': 135237, 'the stoppage': 867963, 'stoppage of': 805539, 'daily activity': 224487, 'increased border control': 433217, 'border control and': 135238, 'control and the': 201968, 'and the stoppage': 73596, 'the stoppage of': 867964, 'stoppage of daily': 805540, 'of daily activity': 582312, 'daily activity are': 224488, 'activity are affecting': 30380, 'are affecting the': 84257, 'affecting the supply': 34571, 'supply and price': 824746, 'of fruit and': 583984, 'vegetable in europe': 954010, 'nrtnews': 576645, 'krg closely': 477662, 'closely monitoring': 183467, 'monitoring food': 537355, 'outbreak nrtnews': 628470, 'nrtnews iraq': 576646, 'iraq twitterkurds': 444788, 'krg closely monitoring': 477663, 'closely monitoring food': 183469, 'monitoring food commodity': 537356, 'food commodity price': 313977, 'commodity price during': 189269, 'coronavirus outbreak nrtnews': 206402, 'outbreak nrtnews iraq': 628471, 'nrtnews iraq twitterkurds': 576647, 'workaround': 1006078, 'plan workaround': 658357, 'went with plan': 979237, 'with plan workaround': 1000225, 'vpns': 960724, 'dataprotection': 226552, 'many employer': 514030, 'employer asking': 274489, 'asking employee': 95965, 'wfh and': 980829, 'and through': 74086, 'through vpns': 894887, 'vpns what': 960725, 'on family': 600730, 'family broadband': 297666, 'broadband read': 140728, 'detail dataprotection': 239185, 'dataprotection cybersecurity': 226554, 'with many employer': 999382, 'many employer asking': 514031, 'employer asking employee': 274490, 'asking employee to': 95966, 'employee to wfh': 274342, 'to wfh and': 918503, 'wfh and through': 980830, 'and through vpns': 74088, 'through vpns what': 894888, 'vpns what are': 960726, 'are the impact': 90844, 'impact of greater': 417774, 'of greater demand': 584321, 'greater demand on': 363168, 'demand on family': 235965, 'on family broadband': 600731, 'family broadband read': 297667, 'broadband read our': 140729, 'latest update for': 481588, 'update for more': 946959, 'more detail dataprotection': 539019, 'detail dataprotection cybersecurity': 239186, 'hallway': 374410, 'the hallway': 857046, 'hallway of': 374411, 'building without': 142157, 'we walked': 973737, 'walked for': 964946, 'for exercise': 321310, 'exercise wa': 290113, 'wa week': 963682, 'time went': 898259, 'wa 12': 961346, '12 day': 2840, 'ago wearing': 38537, 'to the hallway': 916763, 'the hallway of': 857047, 'hallway of my': 374412, 'my building without': 547573, 'building without mask': 142158, 'mask and last': 518342, 'and last time': 65961, 'last time we': 480577, 'time we walked': 898241, 'we walked for': 973738, 'walked for exercise': 964947, 'for exercise wa': 321312, 'exercise wa week': 290115, 'wa week ago': 963683, 'ago and last': 38340, 'last time went': 480578, 'time went out': 898261, 'store wa 12': 811093, 'wa 12 day': 961347, '12 day ago': 2841, 'day ago wearing': 227215, 'ago wearing mask': 38538, 'insurtech': 440903, 'materialised': 520444, 'digitalisation': 242726, '19 insurtech': 7900, 'insurtech and': 440904, 'protection have': 685470, 'bad practical': 107988, 'practical example': 668458, 'example out': 288962, 'there where': 879342, 'where risk': 985150, 'risk are': 723388, 'are increased': 87473, 'increased materialised': 433366, 'materialised or': 520445, 'or where': 617784, 'where digitalisation': 984824, 'digitalisation and': 242727, 'new business': 558426, 'model help': 535259, 'mitigate some': 534535, 'some risk': 783776, 'risk consumerprotection': 723468, 'consumerprotection insurtech': 199745, 'insurtech insurance': 440906, 'covid 19 insurtech': 213280, '19 insurtech and': 7901, 'insurtech and consumer': 440905, 'consumer protection have': 198534, 'protection have you': 685472, 'noticed any good': 573426, 'any good bad': 79283, 'good bad practical': 356811, 'bad practical example': 107989, 'practical example out': 668459, 'example out there': 288963, 'out there where': 627526, 'there where risk': 879343, 'where risk are': 985151, 'risk are increased': 723390, 'are increased materialised': 87474, 'increased materialised or': 433367, 'materialised or where': 520446, 'or where digitalisation': 617785, 'where digitalisation and': 984825, 'digitalisation and new': 242728, 'and new business': 67547, 'new business model': 558428, 'business model help': 144056, 'model help to': 535260, 'help to mitigate': 390784, 'to mitigate some': 910196, 'mitigate some risk': 534536, 'some risk consumerprotection': 783777, 'risk consumerprotection insurtech': 723469, 'consumerprotection insurtech insurance': 199746, 'howtoloseaguyintendays': 409559, 'howtokeepaguyfortendays': 409551, 'quilton': 694741, 'tinder': 898573, 'netflixandchill': 557642, 'sister for': 771740, 'this inspiration': 888135, 'inspiration howtoloseaguyintendays': 439800, 'howtoloseaguyintendays howtokeepaguyfortendays': 409560, 'howtokeepaguyfortendays quilton': 409552, 'quilton toiletpaper': 694744, 'toiletpaper rationing': 922397, 'rationing isolation': 697831, 'isolation housebound': 455300, 'housebound divorce': 406724, 'divorce single': 248713, 'single dating': 771275, 'dating tinder': 226806, 'tinder australia': 898574, 'australia men': 103332, 'men recovery': 528521, 'recovery desperate': 705313, 'desperate netflixandchill': 238541, 'can thank my': 159940, 'thank my sister': 841612, 'my sister for': 550107, 'sister for this': 771741, 'for this inspiration': 327040, 'this inspiration howtoloseaguyintendays': 888136, 'inspiration howtoloseaguyintendays howtokeepaguyfortendays': 439801, 'howtoloseaguyintendays howtokeepaguyfortendays quilton': 409561, 'howtokeepaguyfortendays quilton toiletpaper': 409553, 'quilton toiletpaper rationing': 694745, 'toiletpaper rationing isolation': 922399, 'rationing isolation housebound': 697832, 'isolation housebound divorce': 455301, 'housebound divorce single': 406725, 'divorce single dating': 248714, 'single dating tinder': 771276, 'dating tinder australia': 226807, 'tinder australia men': 898575, 'australia men recovery': 103333, 'men recovery desperate': 528522, 'recovery desperate netflixandchill': 705314, 'good especially': 357002, 'especially packaged': 280575, 'packaged meat': 633498, 'meat bought': 525500, 'my meat': 549221, 'meat from': 525585, 'butcher he': 148051, 'had everything': 373081, 'wanted everything': 966205, 'list they': 494562, 'even stock': 284610, 'stuff well': 815246, 'well selfquarantine': 978546, 'it wa pretty': 462173, 'wa pretty good': 962992, 'pretty good especially': 671418, 'good especially packaged': 357003, 'especially packaged meat': 280576, 'packaged meat bought': 633499, 'meat bought my': 525501, 'bought my meat': 136650, 'my meat from': 549222, 'meat from the': 525587, 'from the butcher': 337623, 'the butcher he': 850210, 'butcher he had': 148052, 'he had everything': 385047, 'had everything wanted': 373082, 'everything wanted everything': 288081, 'wanted everything wa': 966206, 'everything wa on': 288077, 'my list they': 549075, 'list they do': 494564, 'not even stock': 569278, 'even stock the': 284611, 'stock the good': 802933, 'good stuff well': 357789, 'stuff well selfquarantine': 815247, 'cest': 170259, 'futureconsumernow': 342536, 'you knew': 1019471, 'knew is': 476049, 'gone what': 356446, 'now join': 575142, 'next webinar': 561663, 'thursday 16th': 895327, '16th of': 4286, 'april from': 83607, 'from 08': 334157, '08 00': 1069, '00 08': 14, '30 cest': 16999, 'cest if': 170262, 'first session': 308999, 'session there': 753314, 'is recording': 451359, 'recording available': 705128, 'the invitation': 858431, 'invitation futureconsumernow': 444263, 'futureconsumernow retail': 342539, 'consumer you thought': 199587, 'thought you knew': 893336, 'you knew is': 1019472, 'knew is gone': 476050, 'is gone what': 448124, 'gone what now': 356447, 'what now join': 981949, 'now join the': 575145, 'the next webinar': 861711, 'next webinar on': 561664, 'webinar on thursday': 975081, 'on thursday 16th': 604663, 'thursday 16th of': 895328, '16th of april': 4287, 'of april from': 580329, 'april from 08': 83608, 'from 08 00': 334158, '08 00 08': 1070, '00 08 30': 15, '08 30 cest': 1073, '30 cest if': 17000, 'cest if you': 170263, 'you missed the': 1019872, 'missed the first': 534256, 'the first session': 855344, 'first session there': 309000, 'session there is': 753315, 'there is recording': 878612, 'is recording available': 451360, 'recording available in': 705129, 'in the invitation': 429293, 'the invitation futureconsumernow': 858432, 'invitation futureconsumernow retail': 444264, 'branson': 138172, 'sir richard': 771642, 'richard branson': 721282, 'branson covid': 138173, 'significant crisis': 769410, 'experienced in': 291581, 'lifetime coronacrisis': 489396, 'coronacrisis sarscov2': 204738, 'sarscov2 pandemic': 736853, 'economy financial': 267873, 'financial industrial': 306454, 'crisis economic': 217330, 'sir richard branson': 771643, 'richard branson covid': 721283, 'branson covid 19': 138174, 'most significant crisis': 542742, 'significant crisis the': 769411, 'world ha experienced': 1009609, 'ha experienced in': 370555, 'experienced in my': 291583, 'my lifetime coronacrisis': 549054, 'lifetime coronacrisis sarscov2': 489397, 'coronacrisis sarscov2 pandemic': 204740, 'sarscov2 pandemic stock': 736854, 'stock market economy': 802393, 'market economy financial': 516324, 'economy financial industrial': 267874, 'financial industrial food': 306455, 'industrial food crisis': 435540, 'food crisis economic': 314057, 'crisis economic consequence': 217331, 'toiletpaper company': 921872, 'suspend advertising': 829542, 'donate that': 254231, 'toiletpaper company should': 921873, 'company should suspend': 191081, 'should suspend advertising': 766533, 'suspend advertising and': 829543, 'advertising and donate': 33204, 'and donate that': 61650, 'donate that money': 254232, 'money to help': 537103, 'fight aka': 304644, 'aka 19': 40469, 'through logistics': 894560, 'from erratic': 335297, 'erratic supermarket': 280219, 'supply pattern': 825705, 'smarter sourcing': 775468, 'sourcing and': 786607, 'technology find': 836294, 'smartmonkey is': 775501, 'fighting coronavirus': 305049, 'latest article on': 481221, 'to fight aka': 905774, 'fight aka 19': 304645, 'aka 19 through': 40470, '19 through logistics': 11386, 'through logistics from': 894561, 'logistics from erratic': 500751, 'from erratic supermarket': 335298, 'erratic supermarket supply': 280220, 'supermarket supply pattern': 823053, 'supply pattern to': 825706, 'pattern to healthcare': 644515, 'demand smarter sourcing': 236237, 'smarter sourcing and': 775469, 'sourcing and technology': 786609, 'and technology find': 73071, 'technology find out': 836295, 'out how smartmonkey': 626335, 'how smartmonkey is': 408699, 'smartmonkey is fighting': 775502, 'is fighting coronavirus': 447789, 'that fruit': 843962, 'vegetable milk': 954040, 'magically appear': 508394, 'worked very': 1006161, 'plate covid': 658912, 'think that fruit': 885592, 'that fruit vegetable': 843963, 'fruit vegetable milk': 339183, 'vegetable milk and': 954041, 'meat magically appear': 525646, 'magically appear on': 508395, 'appear on supermarket': 82115, 'shelf it is': 757255, 'is not like': 450122, 'not like this': 570404, 'like this someone': 491531, 'this someone ha': 890244, 'ha worked very': 372493, 'worked very hard': 1006162, 'your plate covid': 1025326, 'plate covid 19': 658913, 'course live': 211888, 'live so': 496017, 'so deep': 776849, 'deep in': 231898, 'to pipe': 911738, 'pipe in': 656876, 'in sunshine': 428547, 'sunshine but': 818425, 'there local': 878726, 'station who': 796552, 'ha fuel': 370684, 'gallon and': 342973, 'they pump': 882941, 'pump it': 689061, 'of course live': 582059, 'course live so': 211889, 'live so deep': 496018, 'so deep in': 776850, 'deep in the': 231899, 'country that they': 211120, 'have to pipe': 383264, 'to pipe in': 911739, 'pipe in sunshine': 656877, 'in sunshine but': 428548, 'sunshine but there': 818426, 'but there local': 147467, 'there local gas': 878727, 'gas station who': 344133, 'station who ha': 796553, 'who ha fuel': 988846, 'ha fuel for': 370685, 'fuel for 25': 340173, 'for 25 gallon': 318780, '25 gallon and': 15872, 'gallon and they': 342976, 'and they pump': 73927, 'they pump it': 882942, 'pump it for': 689062, 'it for you': 458108, 'artofthewipe': 94649, 'ha toiletpaper': 372334, 'toiletpaper just': 922156, 'book section': 134587, 'section artofthewipe': 743996, 'artofthewipe trumpliespeopledie': 94650, 'trumpliespeopledie trumpvirus': 934088, 'trumpvirus poopchallenge': 934184, 'still ha toiletpaper': 800622, 'ha toiletpaper just': 372335, 'toiletpaper just have': 922157, 'have to look': 383244, 'to look in': 909437, 'look in the': 502421, 'in the book': 429032, 'the book section': 849841, 'book section artofthewipe': 134588, 'section artofthewipe trumpliespeopledie': 743997, 'artofthewipe trumpliespeopledie trumpvirus': 94651, 'trumpliespeopledie trumpvirus poopchallenge': 934089, 'helpushelpyou': 391656, 'bekindtooneanother': 126131, 'babysitting': 106783, 'too let': 924848, 'let angela': 486594, 'angela help': 76326, 'coronacrisis help': 204626, 'help helpushelpyou': 389856, 'helpushelpyou bekindtooneanother': 391657, 'bekindtooneanother parent': 126132, 'parent child': 641606, 'child baby': 176020, 'baby babysitting': 106570, 'babysitting babysitter': 106784, 'worker need help': 1007424, 'help too let': 390808, 'too let angela': 924849, 'let angela help': 486595, 'angela help you': 76327, 'help you so': 390995, 'you so you': 1021291, 'can help others': 158642, 'help others coronacrisis': 390208, 'others coronacrisis help': 621342, 'coronacrisis help helpushelpyou': 204627, 'help helpushelpyou bekindtooneanother': 389857, 'helpushelpyou bekindtooneanother parent': 391658, 'bekindtooneanother parent child': 126133, 'parent child baby': 641607, 'child baby babysitting': 176021, 'baby babysitting babysitter': 106571, 'update make': 947063, 'local listing': 498154, 'listing to': 494888, 'open closed': 612151, 'time chick': 896472, 'fil drive': 305320, 'only starbucks': 611187, 'starbucks using': 794111, 'go model': 353841, 'model early': 535247, 'early closing': 264569, 'closing include': 183661, 'include king': 431585, 'soopers sam': 785950, 'update make sure': 947064, 'to check your': 902700, 'check your local': 174733, 'your local listing': 1024703, 'local listing to': 498155, 'listing to see': 494890, 'what is open': 981716, 'is open closed': 450563, 'open closed at': 612152, 'closed at what': 183009, 'at what time': 101535, 'what time chick': 982445, 'time chick fil': 896473, 'chick fil drive': 175717, 'fil drive through': 305321, 'through only starbucks': 894607, 'only starbucks using': 611188, 'starbucks using to': 794112, 'using to go': 950763, 'to go model': 906825, 'go model early': 353842, 'model early closing': 535248, 'early closing include': 264570, 'closing include king': 183662, 'include king soopers': 431586, 'king soopers sam': 475305, 'soopers sam club': 785951, 'seaborne': 743108, 'sequentially': 751170, 'incentivizing': 431385, 'wildcard': 992098, 'seaborne iron': 743109, 'ore supply': 619126, 'increase sequentially': 433053, 'sequentially from': 751171, 'from q1': 337008, 'q1 disruption': 691404, 'disruption with': 246557, 'price incentivizing': 674754, 'incentivizing growth': 431386, 'from marginal': 336352, 'marginal producer': 515651, 'producer citigroup': 680587, 'citigroup said': 178795, 'said while': 731583, 'while warning': 987536, 'of wildcard': 593161, 'wildcard scenario': 992101, 'scenario should': 741287, 'should covid': 765884, '19 force': 7086, 'force mine': 328448, 'mine shutdown': 532924, 'australia or': 103342, 'or brazil': 614578, 'seaborne iron ore': 743110, 'iron ore supply': 444923, 'ore supply is': 619127, 'supply is expected': 825438, 'to increase sequentially': 908301, 'increase sequentially from': 433054, 'sequentially from q1': 751172, 'from q1 disruption': 337009, 'q1 disruption with': 691405, 'disruption with high': 246558, 'high price incentivizing': 395255, 'price incentivizing growth': 674755, 'incentivizing growth from': 431387, 'growth from marginal': 367376, 'from marginal producer': 336353, 'marginal producer citigroup': 515652, 'producer citigroup said': 680588, 'citigroup said while': 178796, 'said while warning': 731584, 'while warning of': 987537, 'warning of wildcard': 967163, 'of wildcard scenario': 593162, 'wildcard scenario should': 992102, 'scenario should covid': 741288, 'should covid 19': 765885, 'covid 19 force': 213116, '19 force mine': 7087, 'force mine shutdown': 328449, 'mine shutdown in': 532925, 'shutdown in australia': 768044, 'in australia or': 420613, 'australia or brazil': 103343, 'seeing muslim': 746375, 'keeper up': 472345, 'price co': 673160, 'seeing muslim shop': 746376, 'muslim shop keeper': 546439, 'shop keeper up': 760391, 'keeper up their': 472346, 'their price co': 874386, 'price co of': 673161, 'co of this': 184903, 'stopstocking': 805854, 'today really': 920103, 'scared me': 740979, 'no veg': 565831, 'veg no': 953769, 'no baby': 563649, 'food stopstocking': 316835, 'stopstocking stop': 805857, 'today really scared': 920104, 'really scared me': 702546, 'scared me in': 740980, 'me in food': 522963, 'in food shop': 422987, 'food shop in': 316482, 'shop in my': 760310, 'my life no': 549027, 'life no meat': 488908, 'meat no veg': 525666, 'no veg no': 565833, 'veg no bread': 953770, 'bread no tin': 138544, 'no tin no': 565730, 'tin no egg': 898545, 'egg no baby': 269930, 'no baby food': 563650, 'baby food stopstocking': 106611, 'food stopstocking stop': 316837, 'stopstocking stop stock': 805858, 'stop stock piling': 805072, 'the mention': 860485, 'mention james': 528771, 'james yes': 464406, 'yes lauren': 1015477, 'lauren eviction': 482154, 'eviction are': 288308, 'are prohibited': 89269, 'prohibited during': 683424, 'mayor emergency': 521945, 'declaration you': 231174, 'our office': 624116, 'office 202': 595341, 'for the mention': 326558, 'the mention james': 860486, 'mention james yes': 528772, 'james yes lauren': 464407, 'yes lauren eviction': 1015478, 'lauren eviction are': 482155, 'eviction are prohibited': 288309, 'are prohibited during': 89270, 'prohibited during the': 683425, 'during the mayor': 263153, 'the mayor emergency': 860319, 'mayor emergency declaration': 521946, 'emergency declaration you': 272659, 'declaration you can': 231175, 'can report violation': 159455, 'violation to our': 957529, 'to our office': 911223, 'our office 202': 624117, 'office 202 442': 595342, 'latenightstudio': 480999, 'edmfam': 268690, 'edmlife': 268693, 'deathmetal': 230285, 'another update': 77927, 'update at': 946880, 'london his': 501088, 'different motivation': 241998, 'motivation fitness': 543309, 'fitness inspiration': 309524, 'inspiration gym': 439798, 'gym coffee': 369309, 'coffee caffeine': 185466, 'caffeine latenightstudio': 155156, 'latenightstudio success': 481000, 'success edmfam': 816195, 'edmfam edmlife': 268691, 'edmlife metal': 268694, 'metal deathmetal': 529620, 'deathmetal goal': 230286, 'another update at': 77928, 'update at the': 946881, 'grocery store down': 365344, 'street from his': 812976, 'from his house': 335816, 'his house in': 397523, 'house in london': 406359, 'in london his': 424881, 'london his grocery': 501089, 'toronto is no': 925955, 'no different motivation': 564015, 'different motivation fitness': 241999, 'motivation fitness inspiration': 543310, 'fitness inspiration gym': 309525, 'inspiration gym coffee': 439799, 'gym coffee caffeine': 369310, 'coffee caffeine latenightstudio': 185467, 'caffeine latenightstudio success': 155157, 'latenightstudio success edmfam': 481001, 'success edmfam edmlife': 816196, 'edmfam edmlife metal': 268692, 'edmlife metal deathmetal': 268695, 'metal deathmetal goal': 529621, 'track change': 928171, 'situation surrounding': 772500, 'coronavirus develops': 205812, 'develops stay': 239867, 'partner at are': 642780, 'at are using': 98043, 'using their knowledge': 950726, 'their knowledge and': 873772, 'knowledge and tool': 477171, 'tool to track': 925455, 'to track change': 917671, 'track change in': 928172, 'change in online': 172125, 'shopping behavior the': 762213, 'behavior the situation': 124233, 'the situation surrounding': 867278, 'situation surrounding the': 772501, 'surrounding the novel': 828774, 'novel coronavirus develops': 573757, 'coronavirus develops stay': 205813, 'develops stay up': 239868, 'pineda230': 656806, 'place after': 657298, '19 pineda230': 9686, 'that will still': 847612, 'will still take': 994985, 'still take place': 801266, 'take place after': 832499, 'place after covid': 657301, 'covid 19 pineda230': 213582, 'druggist': 261167, 'and druggist': 61781, 'druggist in': 261168, 'state were': 796076, 'from raising': 337032, 'of infrared': 585200, 'thermometer mask': 879528, 'sanitisers warning': 734116, 'that strict': 846527, 'strict action': 813611, 'action would': 30205, 'found overcharging': 330331, 'chemist and druggist': 175402, 'and druggist in': 61782, 'druggist in the': 261169, 'the state were': 867822, 'state were asked': 796077, 'were asked to': 979346, 'asked to refrain': 95875, 'refrain from raising': 706748, 'from raising the': 337033, 'price of infrared': 675476, 'of infrared thermometer': 585201, 'infrared thermometer mask': 438180, 'thermometer mask glove': 879529, 'glove and sanitisers': 352577, 'and sanitisers warning': 70840, 'sanitisers warning that': 734117, 'warning that strict': 967205, 'that strict action': 846528, 'strict action would': 813613, 'action would be': 30206, 'be taken against': 117499, 'taken against them': 832936, 'against them if': 37690, 'them if found': 875880, 'if found overcharging': 414128, 'flirting': 310642, 'prolly': 683610, 'how flirting': 407871, 'flirting at': 310643, 'it used': 461996, 'be or': 116269, 'me yeah': 524033, 'yeah it': 1014271, 'it prolly': 460524, 'prolly just': 683611, 'me sixfeetapart': 523480, 'sixfeetapart staysafe': 772722, 'staysafe ralphs': 798867, 'just thinking about': 470046, 'about how flirting': 25435, 'how flirting at': 407872, 'flirting at the': 310644, 'store isn what': 808561, 'what it used': 981759, 'it used to': 461997, 'to be or': 901425, 'be or is': 116270, 'just me yeah': 469249, 'me yeah it': 524034, 'yeah it prolly': 1014273, 'it prolly just': 460525, 'prolly just me': 683612, 'just me sixfeetapart': 469246, 'me sixfeetapart staysafe': 523481, 'sixfeetapart staysafe ralphs': 772723, 'and cost': 60588, 'cost reduction': 208095, 'reduction could': 706348, 'could clear': 209019, 'food of': 315579, 'mr devil': 544359, 'devil cole': 239958, 'not even the': 569282, 'even the threat': 284668, 'threat of panic': 893696, 'buying and cost': 149899, 'and cost reduction': 60591, 'cost reduction could': 208096, 'reduction could clear': 706349, 'could clear the': 209020, 'clear the shelf': 181363, 'shelf of the': 757371, 'the food of': 855579, 'food of mr': 315580, 'of mr devil': 586705, 'mr devil cole': 544360, 'from look': 336272, 'impacting and': 418179, 'shopping where': 764382, 'where possible': 985117, 'new blog from': 558405, 'blog from look': 132941, 'from look at': 336273, 'at how is': 99220, 'is impacting and': 448692, 'impacting and how': 418180, 'and how are': 64801, 'how are switching': 407415, 'online shopping where': 609341, 'shopping where possible': 764384, 'hullootrahihai': 410377, 'news increased': 560537, 'increased soup': 433475, 'soup price': 786405, '10 want': 1749, 'from shame': 337227, 'shame put': 754637, 'put soup': 690831, 'soup under': 786424, 'essential act': 280750, 'act hullootrahihai': 29652, 'news increased soup': 560538, 'increased soup price': 433476, 'soup price by': 786406, 'by 10 want': 151524, '10 want to': 1750, 'money from shame': 536770, 'from shame put': 337228, 'shame put soup': 754638, 'put soup under': 690832, 'soup under essential': 786425, 'under essential act': 940074, 'essential act hullootrahihai': 280751, 'pausing': 644641, 'accumulation': 28870, 'pausing student': 644644, 'to halting': 907111, 'halting interest': 374502, 'interest accumulation': 441323, 'accumulation amp': 28871, 'amp stopping': 54574, 'stopping punitive': 805823, 'punitive student': 689265, 'loan collection': 497412, 'collection would': 186479, 'would provide': 1012132, 'immediate relief': 417022, 'those individual': 892110, 'individual unable': 435273, 'pausing student loan': 644645, 'student loan payment': 814729, 'loan payment in': 497497, 'payment in addition': 645656, 'addition to halting': 31737, 'to halting interest': 907112, 'halting interest accumulation': 374503, 'interest accumulation amp': 441324, 'accumulation amp stopping': 28872, 'amp stopping punitive': 54575, 'stopping punitive student': 805824, 'punitive student loan': 689266, 'student loan collection': 814723, 'loan collection would': 497413, 'collection would provide': 186480, 'would provide much': 1012133, 'much needed immediate': 545156, 'needed immediate relief': 556399, 'immediate relief to': 417023, 'relief to those': 709484, 'to those individual': 917508, 'those individual unable': 892111, 'individual unable to': 435274, 'work amp are': 1004750, 'amp are facing': 53405, 'are facing economic': 86412, 'portrait': 665050, 'this swiss': 890466, 'swiss artist': 830444, 'artist paid': 94610, 'paid tribute': 634166, 'pandemic painting': 636140, 'painting nurse': 634317, 'cashier the': 166631, 'the artist': 848944, 'artist plan': 94612, 'on creating': 600155, 'creating more': 216032, 'more portrait': 540095, 'portrait in': 665051, 'amp garbage': 53855, 'love this swiss': 504836, 'this swiss artist': 890467, 'swiss artist paid': 830445, 'artist paid tribute': 94611, 'paid tribute to': 634167, '19 pandemic painting': 9422, 'pandemic painting nurse': 636141, 'painting nurse and': 634318, 'and supermarket cashier': 72707, 'supermarket cashier the': 819572, 'cashier the artist': 166632, 'the artist plan': 848946, 'artist plan on': 94613, 'plan on creating': 658192, 'on creating more': 600156, 'creating more portrait': 216033, 'more portrait in': 540096, 'portrait in the': 665052, 'coming week of': 188282, 'week of construction': 976607, 'construction worker amp': 195832, 'worker amp garbage': 1006258, 'amp garbage collector': 53856, 'me significant': 523469, 'significant advantage': 769393, 'advantage on': 33047, 'coronaquarantinechronicles my trip': 205265, 'given me significant': 351050, 'me significant advantage': 523470, 'significant advantage on': 769394, 'advantage on this': 33048, 'on this socialdistancing': 604632, '155': 3975, '709': 21955, 'africa announces': 35048, 'announces 155': 77236, '155 new': 3984, '19 raising': 9945, 'country total': 211186, 'to 709': 899818, '709 citizen': 21956, 'citizen advised': 178821, 'essential ahead': 280762, 'south africa announces': 786647, 'africa announces 155': 35049, 'announces 155 new': 77237, '155 new case': 3985, 'covid 19 raising': 213648, '19 raising the': 9946, 'raising the country': 696142, 'the country total': 852174, 'country total to': 211187, 'total to 709': 926261, 'to 709 citizen': 899819, '709 citizen advised': 21957, 'citizen advised to': 178822, 'other essential ahead': 620150, 'essential ahead of': 280763, 'ahead of lockdown': 39186, 'idea just': 413101, 'is heavily': 448377, 'heavily in': 388583, 'constantly letting': 195685, 'more immigrant': 539483, 'higher unfortunately': 395782, 'in capitalist': 421229, 'math matter': 520471, 'matter cdnpoli': 520551, 'cdnpoli cov': 168658, 'like the idea': 491374, 'the idea just': 857824, 'idea just don': 413102, 'just don see': 468634, 'don see how': 253892, 'see how it': 745234, 'how it can': 408126, 'it can work': 457039, 'can work in': 160248, 'work in country': 1005301, 'country that is': 211116, 'that is heavily': 844599, 'is heavily in': 448378, 'heavily in debt': 388584, 'in debt and': 422049, 'debt and constantly': 230415, 'and constantly letting': 60335, 'constantly letting in': 195686, 'letting in more': 487417, 'in more immigrant': 425437, 'more immigrant to': 539484, 'immigrant to jack': 417238, 'to jack the': 908641, 'price up even': 677230, 'up even higher': 944802, 'even higher unfortunately': 284186, 'higher unfortunately in': 395783, 'unfortunately in capitalist': 941612, 'in capitalist system': 421230, 'capitalist system the': 162822, 'system the math': 831343, 'the math matter': 860292, 'math matter cdnpoli': 520472, 'matter cdnpoli cov': 520552, 'workera': 1008319, 'coronacrisisuk what': 204919, 'anyone under': 80586, 'under 70': 939987, 'get taxi': 348175, 'driver courier': 259494, 'courier post': 211817, 'office key': 595474, 'key workera': 473533, 'workera to': 1008320, 'deliver control': 233103, 'control panic': 202098, 'buying keep': 150624, 'ppl isolated': 668267, 'coronacrisisuk what should': 204920, 'have happened is': 380899, 'happened is you': 377257, 'is you close': 454123, 'you close all': 1017976, 'all supermarket to': 44556, 'supermarket to anyone': 823354, 'to anyone under': 900630, 'anyone under 70': 80587, 'under 70 and': 939988, '70 and you': 21734, 'and you make': 76033, 'you make all': 1019753, 'make all other': 509655, 'all other people': 43784, 'other people do': 620663, 'people do online': 647680, 'shopping you then': 764490, 'you then get': 1021625, 'then get taxi': 877198, 'get taxi driver': 348176, 'taxi driver courier': 835155, 'driver courier post': 259495, 'courier post office': 211818, 'post office key': 666239, 'office key workera': 595475, 'key workera to': 473534, 'workera to help': 1008321, 'help deliver control': 389578, 'deliver control panic': 233104, 'control panic buying': 202099, 'panic buying keep': 637784, 'buying keep ppl': 150626, 'keep ppl isolated': 471805, 'how technology': 408781, 'technology and': 836257, 'and telecom': 73078, 'crisis coronavirus': 217257, 'coronavirus put': 206610, 'put extraordinary': 690573, 'extraordinary demand': 293733, 'household took': 406974, 'took deeper': 925224, 'deeper look': 231962, '19 research': 10116, 'have you thought': 383697, 'you thought about': 1021714, 'thought about how': 892957, 'about how technology': 25475, 'how technology and': 408782, 'technology and telecom': 836259, 'and telecom company': 73079, 'telecom company can': 836675, 'company can be': 190520, 'can be hero': 157630, 'be hero during': 115237, 'hero during this': 393984, 'health crisis coronavirus': 386330, 'crisis coronavirus put': 217259, 'coronavirus put extraordinary': 206611, 'put extraordinary demand': 690574, 'extraordinary demand on': 293734, 'demand on human': 235970, 'on human in': 601443, 'human in household': 410514, 'in household took': 423864, 'household took deeper': 406975, 'took deeper look': 925225, 'deeper look with': 231963, 'look with the': 502684, 'help of our': 390164, 'covid 19 research': 213695, 'documentation': 251234, 'twitterstorians': 936756, 'folk journaling': 312199, 'journaling etc': 467399, 'create historical': 215661, 'historical record': 397990, 'record of': 705036, 'of thinking': 591927, 'about type': 26800, 'of documentation': 582755, 'documentation that': 251239, 'le consciously': 482886, 'consciously created': 194801, 'created curated': 215815, 'curated but': 220536, 'for snapshot': 325688, 'moment grocery': 535948, 'store receipt': 809764, 'receipt come': 703405, 'to mind': 910139, 'else twitterstorians': 271951, 'of folk journaling': 583624, 'folk journaling etc': 312200, 'journaling etc to': 467400, 'etc to create': 282831, 'to create historical': 903709, 'create historical record': 215662, 'historical record of': 397991, 'record of thinking': 705037, 'of thinking about': 591928, 'thinking about type': 885865, 'about type of': 26801, 'type of documentation': 937556, 'of documentation that': 582756, 'documentation that are': 251240, 'that are le': 842771, 'are le consciously': 87734, 'le consciously created': 482887, 'consciously created curated': 194802, 'created curated but': 215816, 'curated but just': 220537, 'but just important': 146197, 'just important for': 469023, 'important for snapshot': 418804, 'for snapshot of': 325689, 'the moment grocery': 860758, 'moment grocery store': 535949, 'grocery store receipt': 365708, 'store receipt come': 809765, 'receipt come to': 703406, 'come to mind': 187581, 'to mind what': 910141, 'mind what else': 532770, 'what else twitterstorians': 981414, 'endsnow': 276278, 'customer better': 222190, 'stop coming': 804573, 'running their': 728097, 'their worry': 875239, 'continues endsnow': 201392, 'endsnow retaillife': 276279, 'retaillife retailproblems': 719496, 'retailproblems stayhome': 719534, 'customer better stop': 222192, 'better stop coming': 128499, 'stop coming into': 804575, 'coming into retail': 188111, 'into retail grocery': 442946, 'store and running': 806333, 'and running their': 70647, 'running their mouth': 728099, 'their mouth to': 874023, 'mouth to employee': 543570, 'to employee the': 905024, 'employee the will': 274299, 'the will be': 871566, 'be the least': 117631, 'least of their': 484575, 'of their worry': 591718, 'their worry if': 875240, 'worry if it': 1010727, 'if it continues': 414294, 'it continues endsnow': 457308, 'continues endsnow retaillife': 201393, 'endsnow retaillife retailproblems': 276280, 'retaillife retailproblems stayhome': 719497, 'blindingly': 132705, 'is blindingly': 446205, 'blindingly obvious': 132706, 'obvious that': 578804, 'behaviour for': 124418, 'good many': 357372, 'not fine': 569433, 'is lovely': 449469, 'lovely person': 504976, 'person concerned': 652366, 'concerned for': 193198, 'best basis': 127586, 'basis for': 112237, 'for crisis': 320450, 'crisis management': 217696, 'management when': 512653, 'when crisis': 983319, 'it is blindingly': 458888, 'is blindingly obvious': 446206, 'blindingly obvious that': 132707, 'obvious that while': 578806, 'that while many': 847514, 'while many are': 987033, 'many are prepared': 513773, 'prepared to change': 670246, 'to change their': 902618, 'change their behaviour': 172308, 'their behaviour for': 872587, 'behaviour for the': 124422, 'common good many': 189392, 'good many are': 357373, 'many are not': 513769, 'are not fine': 88369, 'not fine to': 569434, 'fine to think': 307715, 'to think everyone': 917374, 'think everyone is': 885233, 'everyone is lovely': 287087, 'is lovely person': 449471, 'lovely person concerned': 504977, 'person concerned for': 652367, 'concerned for others': 193200, 'for others but': 324186, 'not the best': 571985, 'the best basis': 849489, 'best basis for': 127587, 'basis for crisis': 112238, 'for crisis management': 320452, 'crisis management when': 217697, 'management when crisis': 512654, 'when crisis is': 983320, 'crisis is this': 217592, 'is this big': 453075, 'frivolous': 334101, '07 frivolous': 1017, 'frivolous getting': 334104, 'are useless': 91402, 'useless stayhome': 950242, 'stayhome dailydrawing': 797980, '07 frivolous getting': 1018, 'frivolous getting rid': 334105, 'rid of thing': 721399, 'of thing that': 591914, 'thing that are': 884795, 'that are useless': 842840, 'are useless stayhome': 91405, 'useless stayhome dailydrawing': 950243, 'stayhome dailydrawing dailysketches': 797981, 'gotten gas': 359139, 'gas today': 344159, 'today ct': 919417, 'ct average': 220085, 'average for': 104840, 'unleaded is': 942575, 'lowest it': 506181, 'since 2016': 770471, '2016 aa': 13821, 'aa official': 24085, 'plunging crude': 661524, 'caused not': 167921, 'by drop': 152431, 'you gotten gas': 1018920, 'gotten gas today': 359140, 'gas today ct': 344160, 'today ct average': 919418, 'ct average for': 220086, 'average for regular': 104841, 'for regular unleaded': 325077, 'regular unleaded is': 707890, 'unleaded is the': 942576, 'the lowest it': 859812, 'lowest it ha': 506182, 'ha been since': 369925, 'been since 2016': 121973, 'since 2016 aa': 770472, '2016 aa official': 13822, 'aa official say': 24086, 'official say it': 595910, 'say it the': 738861, 'it the result': 461571, 'result of plunging': 717608, 'of plunging crude': 588178, 'plunging crude oil': 661525, 'price caused not': 673096, 'caused not only': 167922, 'only by drop': 610211, 'by drop off': 152432, 'off in demand': 593923, '19 but also': 5488, 'also the oil': 48983, 'update mena': 947073, 'mena economy': 528554, 'face dual': 294414, 'transparency about': 929818, 'about critical': 25046, 'critical economic': 218552, 'issue like': 455837, 'like public': 491043, 'public debt': 687941, 'employment will': 274653, 'recovery enhancing': 705321, 'enhancing trust': 277115, 'government read': 360503, 'economic update mena': 267355, 'update mena economy': 947074, 'mena economy face': 528555, 'economy face dual': 267859, 'face dual shock': 294415, 'dual shock due': 261443, 'to and collapse': 900490, 'oil price transparency': 597296, 'price transparency about': 677108, 'transparency about critical': 929819, 'about critical economic': 25047, 'critical economic issue': 218553, 'economic issue like': 267158, 'issue like public': 455840, 'like public debt': 491044, 'public debt employment': 687942, 'debt employment will': 230478, 'employment will be': 274654, 'key to economic': 473435, 'to economic recovery': 904930, 'economic recovery enhancing': 267233, 'recovery enhancing trust': 705322, 'enhancing trust in': 277116, 'in government read': 423394, 'government read more': 360504, 'make unnecessary': 510677, 'unnecessary stop': 942936, 'food vendor': 317422, 'someone going': 784485, 'going drive': 355125, 'thru for': 895193, 'for beverage': 319665, 'beverage yell': 129050, 'for humanity': 322447, 'humanity pas': 410762, 'on stopthespread': 603689, 'not make unnecessary': 570510, 'make unnecessary stop': 510678, 'unnecessary stop at': 942937, 'stop at the': 804465, 'or food vendor': 615352, 'food vendor if': 317424, 'vendor if you': 954381, 'see someone going': 745730, 'someone going drive': 784486, 'going drive thru': 355126, 'drive thru for': 259198, 'thru for beverage': 895194, 'for beverage yell': 319666, 'beverage yell at': 129051, 'yell at them': 1015207, 'at them for': 101183, 'them for humanity': 875720, 'for humanity pas': 322448, 'humanity pas it': 410763, 'it on stopthespread': 460058, 'shopper want': 761805, 'want store': 965937, '60 of shopper': 20967, 'of shopper want': 589655, 'shopper want store': 761806, 'want store open': 965938, 'store open by': 809254, 'open by the': 612140, 'end of may': 275905, 'garibay': 343666, 'outspoken': 629682, 'geissler': 345071, 'scumbag': 742988, 'po democrat': 662129, 'democrat jane': 236727, 'jane garibay': 464497, 'garibay who': 343667, 'who wicked': 989977, 'wicked outspoken': 991674, 'outspoken against': 629683, 'against every': 37429, 'every conservative': 285748, 'conservative and': 194903, 'republican tested': 713071, 'to geissler': 906392, 'geissler supermarket': 345072, 'bank daily': 109749, 'what scumbag': 982134, 'you believe that': 1017450, 'believe that po': 126346, 'that po democrat': 845775, 'po democrat jane': 662130, 'democrat jane garibay': 236728, 'jane garibay who': 464498, 'garibay who wicked': 343669, 'who wicked outspoken': 989978, 'wicked outspoken against': 991675, 'outspoken against every': 629685, 'against every conservative': 37430, 'every conservative and': 285749, 'conservative and republican': 194904, 'and republican tested': 70284, 'republican tested positive': 713072, 'coronavirus and wa': 205505, 'and wa going': 75086, 'going to geissler': 355607, 'to geissler supermarket': 906393, 'geissler supermarket and': 345073, 'and the bank': 73252, 'the bank daily': 849234, 'bank daily what': 109750, 'daily what scumbag': 224886, 'brother work': 141116, 'had managed': 373276, 'before their': 123198, 'shift have': 758305, 'taking item': 833416, 'personal shopping': 652964, 'in stoppanicbuying': 428371, 'brother work in': 141117, 'work in shop': 1005341, 'in shop staff': 427899, 'shop staff in': 760825, 'staff in their': 792560, 'their store who': 874870, 'store who had': 811302, 'who had managed': 988883, 'had managed to': 373277, 'managed to do': 512497, 'some shopping before': 783859, 'shopping before their': 762186, 'before their shift': 123199, 'their shift have': 874689, 'shift have been': 758306, 'been taking item': 122135, 'taking item out': 833417, 'their own personal': 874191, 'own personal shopping': 632130, 'personal shopping to': 652966, 'shopping to give': 764177, 'give to customer': 350789, 'customer who can': 223076, 'get them in': 348365, 'them in their': 875919, 'their store when': 874869, 'store when they': 811250, 'come in stoppanicbuying': 187375, 'painkiller': 634265, 'coronavirus relieve': 206647, 'natural painkiller': 552854, 'painkiller have': 634268, 'everyone staysafe': 287412, 'can cure the': 158033, 'cure the symptom': 220823, 'the symptom of': 869079, 'the coronavirus relieve': 851898, 'coronavirus relieve your': 206648, 'like natural painkiller': 490839, 'natural painkiller have': 552855, 'painkiller have price': 634269, 'have price been': 382037, 'price been reduced': 672876, 'help everyone staysafe': 389668, 'never fight': 557996, 'paper again': 639771, 'again this': 37227, 'is standard': 452217, 'asia introducing': 95184, 'introducing what': 443512, 'they call': 881596, 'bum gun': 142539, 'usa better': 948593, 'better clean': 128235, 'clean only': 180598, 'need small': 555573, 'small bit': 774805, 'or none': 616273, 'none at': 566550, 'all toiletpaper': 45261, 'toiletpaper retweet': 922412, 'retweet you': 720101, 'me forever': 522772, 'never fight over': 557997, 'toilet paper again': 921176, 'paper again this': 639773, 'again this is': 37228, 'this is standard': 888409, 'is standard in': 452219, 'standard in asia': 793672, 'in asia introducing': 420521, 'asia introducing what': 95185, 'introducing what they': 443513, 'what they call': 982393, 'they call the': 881598, 'call the bum': 156127, 'the bum gun': 850112, 'bum gun to': 142540, 'gun to the': 368752, 'to the usa': 917162, 'the usa better': 870535, 'usa better clean': 948594, 'better clean only': 128236, 'clean only need': 180599, 'only need small': 610813, 'need small bit': 555574, 'small bit of': 774806, 'bit of tp': 131668, 'of tp or': 592376, 'tp or none': 927895, 'or none at': 616274, 'none at all': 566551, 'at all toiletpaper': 97916, 'all toiletpaper retweet': 45264, 'toiletpaper retweet you': 922413, 'retweet you will': 720102, 'you will thank': 1022358, 'thank me forever': 841606, 'this 20': 886158, 'shirt will': 759031, 'the kansa': 858727, 'kansa food': 470812, 'assist family': 96626, 'recent 12': 703815, 'closure across': 183823, 'state please': 795860, 'rt folk': 726761, 'buy this 20': 149358, 'this 20 percent': 886159, '20 percent of': 13257, 'the proceeds from': 864542, 'from this shirt': 338009, 'this shirt will': 890072, 'shirt will go': 759032, 'will go back': 993541, 'to the kansa': 916824, 'the kansa food': 858728, 'kansa food bank': 470813, 'help meet demand': 390091, 'demand and assist': 234952, 'and assist family': 58455, 'assist family impacted': 96627, 'the recent 12': 865295, 'recent 12 school': 703816, '12 school closure': 2954, 'school closure across': 741746, 'closure across the': 183824, 'the state please': 867803, 'state please rt': 795861, 'please rt folk': 660429, 'brandenburg': 138102, 'germany info': 346312, 'info consumer': 437457, 'advocate warn': 33851, 'overpriced offer': 631394, 'for dry': 320871, 'dry yeast': 261321, 'yeast online': 1015152, 'the brandenburg': 849945, 'brandenburg consumer': 138103, 'advice center': 33342, 'found offer': 330310, 'offer like': 594685, 'like bag': 489854, 'yeast with': 1015161, 'seven gram': 753756, 'for ten': 326201, 'ten euro': 837777, 'euro plus': 283367, 'germany info consumer': 346313, 'info consumer advocate': 437458, 'consumer advocate warn': 196070, 'advocate warn of': 33852, 'warn of overpriced': 966945, 'of overpriced offer': 587630, 'overpriced offer for': 631395, 'offer for dry': 594619, 'for dry yeast': 320874, 'dry yeast online': 261323, 'yeast online in': 1015153, 'online in time': 608404, 'virus pandemic on': 958607, 'pandemic on ebay': 636088, 'ebay for example': 266459, 'example the brandenburg': 288977, 'the brandenburg consumer': 849946, 'brandenburg consumer advice': 138104, 'consumer advice center': 196042, 'advice center found': 33343, 'center found offer': 169211, 'found offer like': 330311, 'offer like bag': 594686, 'like bag of': 489856, 'bag of dry': 108350, 'of dry yeast': 582859, 'dry yeast with': 261324, 'yeast with seven': 1015162, 'with seven gram': 1000650, 'seven gram for': 753757, 'gram for ten': 361823, 'for ten euro': 326203, 'ten euro plus': 837778, 'attention supermarket': 102486, 'supermarket company': 819742, 'company here': 190746, 'do charge': 249189, 'charge the': 173316, 'first packet': 308847, 'then each': 877145, 'each additional': 263984, 'additional packet': 31847, 'packet cost': 633692, 'cost 10': 207809, 'll stop': 497045, 'stop those': 805202, 'those stupid': 892503, 'stupid bulk': 815362, 'attention supermarket company': 102487, 'supermarket company here': 819743, 'company here what': 190748, 'you do charge': 1018246, 'do charge the': 249190, 'charge the normal': 173318, 'the first packet': 855333, 'first packet of': 308848, 'paper but then': 639976, 'but then each': 147445, 'then each additional': 877146, 'each additional packet': 263986, 'additional packet cost': 31848, 'packet cost 10': 633693, 'cost 10 00': 207810, '10 00 that': 1210, '00 that ll': 520, 'that ll stop': 844915, 'll stop those': 497046, 'stop those stupid': 805204, 'those stupid bulk': 892504, 'stupid bulk buyer': 815363, 'plummet in': 661281, 'ireland due': 444823, 'fuel price plummet': 340244, 'price plummet in': 675905, 'plummet in ireland': 661283, 'in ireland due': 424159, 'ireland due to': 444824, 'quicker': 694428, 'research showed': 713843, 'showed that': 767351, 'the quicker': 865063, 'quicker authority': 694432, 'authority implemented': 103748, 'implemented socialdistancing': 418485, 'slow disease': 774335, 'disease transmission': 245262, 'transmission the': 929771, 'saved enjoy': 737733, 'enjoy reading': 277174, 'reading via': 700823, 'stopthespread research showed': 805917, 'research showed that': 713844, 'showed that the': 767353, 'that the quicker': 846813, 'the quicker authority': 865064, 'quicker authority implemented': 694433, 'authority implemented socialdistancing': 103749, 'implemented socialdistancing measure': 418486, 'to slow disease': 914738, 'slow disease transmission': 774336, 'disease transmission the': 245263, 'transmission the more': 929773, 'were saved enjoy': 980089, 'saved enjoy reading': 737734, 'enjoy reading via': 277175, 'fell thursday': 303237, 'thursday remaining': 895412, 'remaining in': 709967, 'spread continued': 790484, 'reduce travel': 705996, 'for transportation': 327321, 'transportation fuel': 930004, 'fuel factbox': 340169, 'petroleum price fell': 653830, 'price fell thursday': 673855, 'fell thursday remaining': 303238, 'thursday remaining in': 895413, 'remaining in the': 709968, 'in the 20': 428949, 'the 20 the': 847986, '20 the spread': 13375, 'the spread continued': 867622, 'spread continued to': 790485, 'continued to reduce': 201364, 'to reduce travel': 913048, 'reduce travel and': 705997, 'travel and demand': 930250, 'demand for transportation': 235510, 'for transportation fuel': 327322, 'transportation fuel factbox': 930005, 'meh': 527855, 'first 31': 308483, '31 meh': 17591, 'meh number': 527856, 'number 32': 576812, '32 omfg': 17686, 'omfg hoard': 598889, 'paper toiletpapercrisis': 640966, 'the first 31': 855278, 'first 31 meh': 308484, '31 meh number': 17592, 'meh number 32': 527857, 'number 32 omfg': 576813, '32 omfg hoard': 17687, 'omfg hoard all': 598890, 'toilet paper toiletpapercrisis': 921498, 'paper toiletpapercrisis toiletpaperpanic': 640968, 'this grocery': 887764, 'isn assuming': 454437, 'assuming you': 97058, 'what six': 982194, 'foot look': 318406, 'this grocery store': 887766, 'store isn assuming': 808555, 'isn assuming you': 454438, 'assuming you know': 97059, 'know what six': 476975, 'what six foot': 982195, 'six foot look': 772641, 'foot look like': 318407, 'webiar': 975003, 're retail': 699392, 'owner please': 632541, 'for webiar': 327673, 'webiar next': 975004, 'share creative': 754977, 'creative idea': 216138, 'idea and': 413005, 'retail client': 717962, 'time see': 897627, 'of topic': 592316, 'topic retailer': 925815, 'retailer inthistogether': 719216, 'you re retail': 1020724, 're retail business': 699393, 'retail business owner': 717909, 'business owner please': 144191, 'owner please join': 632542, 'please join for': 660132, 'join for webiar': 466716, 'for webiar next': 327674, 'webiar next week': 975005, 'next week we': 561703, 'week we will': 977204, 'we will share': 973907, 'will share creative': 994831, 'share creative idea': 754978, 'creative idea and': 216139, 'idea and what': 413007, 'and what some': 75485, 'what some retail': 982219, 'some retail client': 783757, 'retail client are': 717963, 'client are currently': 182004, 'currently doing to': 221520, 'doing to adapt': 252784, 'adapt to these': 31290, 'to these new': 917349, 'these new time': 880342, 'new time see': 559758, 'time see list': 897628, 'list of topic': 494484, 'of topic retailer': 592318, 'topic retailer inthistogether': 925816, 'wrawp': 1012687, 'healthyandtasty': 387823, 'nomeatnoproblem': 566267, 'plantbased': 658737, 'risk your': 724034, 'health waiting': 386932, 'store off': 809150, 'off sale': 594115, 'sale site': 732522, 'site wide': 772063, 'wide on': 991734, 'at wrawp': 101642, 'wrawp with': 1012688, 'shipping on': 758878, 'order over': 618502, '50 health': 19716, 'health healthyfood': 386496, 'healthyfood healthyandtasty': 387839, 'healthyandtasty fitness': 387824, 'fitness nomeatnoproblem': 309526, 'nomeatnoproblem plantbased': 566268, 'do not risk': 249831, 'not risk your': 571393, 'risk your health': 724036, 'your health waiting': 1024279, 'health waiting in': 386933, 'grocery store off': 365603, 'store off sale': 809151, 'off sale site': 594116, 'sale site wide': 732523, 'site wide on': 772064, 'wide on now': 991735, 'on now at': 602452, 'now at wrawp': 574141, 'at wrawp with': 101643, 'wrawp with free': 1012689, 'with free shipping': 998540, 'free shipping on': 332160, 'shipping on all': 758879, 'all order over': 43773, 'order over 50': 618503, 'over 50 health': 629857, '50 health healthyfood': 19717, 'health healthyfood healthyandtasty': 386497, 'healthyfood healthyandtasty fitness': 387840, 'healthyandtasty fitness nomeatnoproblem': 387825, 'fitness nomeatnoproblem plantbased': 309527, 'collaborative': 185943, 'is freaking': 447921, 'just sat': 469678, 'buying bunch': 150056, 'new sex': 559569, 'toy covid': 927674, 'delayed any': 232767, 'new collaborative': 558496, 'collaborative work': 185946, 'still receive': 801102, 'hottest content': 405329, 'content from': 200804, 'everyone here is': 287009, 'here is freaking': 393225, 'is freaking out': 447922, 'freaking out buying': 331545, 'paper and just': 639833, 'and just sat': 65717, 'just sat down': 469680, 'sat down and': 736895, 'down and freaked': 256496, 'freaked out buying': 331523, 'out buying bunch': 625810, 'buying bunch of': 150057, 'bunch of new': 142631, 'of new sex': 586986, 'new sex toy': 559570, 'sex toy covid': 754204, 'toy covid 19': 927675, '19 may have': 8578, 'may have delayed': 521235, 'have delayed any': 380219, 'delayed any new': 232768, 'any new collaborative': 79508, 'new collaborative work': 558497, 'collaborative work but': 185947, 'can be sure': 157692, 'be sure that': 117471, 'will still receive': 994984, 'still receive the': 801103, 'receive the hottest': 703555, 'the hottest content': 857572, 'hottest content from': 405330, 'content from me': 200805, 'disarray': 244175, 'photo is': 655182, 'from close': 334901, 'dodge city': 251272, 'city dairy': 179119, 'dairy have': 224994, 'milk because': 531584, 'in disarray': 422285, 'this photo is': 889560, 'photo is from': 655183, 'is from close': 447943, 'from close to': 334902, 'close to dodge': 182889, 'to dodge city': 904614, 'dodge city dairy': 251273, 'city dairy have': 179120, 'dairy have to': 224995, 'have to dump': 383199, 'to dump milk': 904799, 'dump milk because': 262169, 'milk because the': 531589, 'because the supply': 119653, 'chain is in': 170835, 'is in disarray': 448766, 'please retail': 660407, 'store beg': 806709, 'beg you': 123366, 'this excessive': 887476, 'excessive buying': 289382, 'putting intense': 691147, 'intense pressure': 441081, 'retail infrastructure': 718228, 'infrastructure whole': 438229, 'please retail worker': 660408, 'worker in food': 1007170, 'in food store': 422988, 'food store beg': 316843, 'store beg you': 806710, 'beg you do': 123368, 'not go shopping': 569688, 'go shopping unless': 354136, 'unless you really': 942675, 'need to our': 556002, 'to our sale': 911238, 'our sale have': 624667, 'sale have doubled': 732264, 'last week this': 480683, 'week this excessive': 977048, 'this excessive buying': 887477, 'excessive buying is': 289383, 'buying is putting': 150576, 'is putting intense': 451157, 'putting intense pressure': 691148, 'intense pressure on': 441083, 'pressure on and': 671201, 'on and retail': 599370, 'and retail infrastructure': 70434, 'retail infrastructure whole': 718229, 'r80': 695106, 'wa r80': 963032, 'r80 and': 695107, 'seriously taking': 751743, 'our misery': 623925, 'misery keep': 534012, 'your word': 1026364, 'word and': 1004450, 'and regulate': 70162, 'cruel and': 219666, 'and disgusting': 61434, 'other day it': 620076, 'day it wa': 227857, 'it wa r80': 462175, 'wa r80 and': 963033, 'r80 and now': 695108, 'is seriously taking': 451804, 'seriously taking advantage': 751744, 'of our misery': 587514, 'our misery keep': 623926, 'misery keep your': 534013, 'keep your word': 472290, 'your word and': 1026365, 'word and regulate': 1004451, 'and regulate price': 70163, 'regulate price during': 707987, 'dangerous time this': 225793, 'this is cruel': 888224, 'is cruel and': 446968, 'cruel and disgusting': 219667, 're3': 699857, 'valentine': 951891, 'unplayable': 943045, 'residentevil3remake': 714411, 'least realistic': 484614, 'realistic thing': 701676, 'about re3': 26045, 're3 jill': 699858, 'jill valentine': 465484, 'valentine can': 951892, 'some bog': 782418, 'during viral': 263385, 'viral pandemic': 957618, 'pandemic unplayable': 636870, 'unplayable 10': 943046, '10 re3': 1650, 're3 residentevil3remake': 699860, 'least realistic thing': 484615, 'realistic thing about': 701677, 'thing about re3': 884090, 'about re3 jill': 26046, 're3 jill valentine': 699859, 'jill valentine can': 465485, 'valentine can go': 951893, 'get some bog': 348042, 'some bog roll': 782419, 'bog roll during': 133953, 'roll during viral': 725284, 'during viral pandemic': 263386, 'viral pandemic unplayable': 957619, 'pandemic unplayable 10': 636871, 'unplayable 10 re3': 943047, '10 re3 residentevil3remake': 1651, 'privacy have': 678816, 'high priority': 395297, 'priority even': 678565, 'even service': 284560, 'and apps': 58278, 'apps like': 83292, 'like zoom': 491904, 'zoom video': 1027833, 'video communication': 956677, 'communication offer': 189621, 'offer enormous': 594597, 'enormous convenience': 277281, 'convenience amidst': 202314, 'amidst crisis': 52788, 'security and privacy': 744538, 'and privacy have': 69518, 'privacy have to': 678817, 'be high priority': 115244, 'high priority even': 395298, 'priority even service': 678566, 'even service and': 284561, 'service and apps': 752071, 'and apps like': 58279, 'apps like zoom': 83295, 'like zoom video': 491905, 'zoom video communication': 1027834, 'video communication offer': 956678, 'communication offer enormous': 189622, 'offer enormous convenience': 594598, 'enormous convenience amidst': 277282, 'convenience amidst crisis': 202315, 'of ghanaian': 584131, 'ghanaian supermarket': 349598, 'sanitizer watch': 736037, 'video viral': 956946, 'out of ghanaian': 626742, 'of ghanaian supermarket': 584132, 'ghanaian supermarket for': 349599, 'supermarket for refusing': 820416, 'hand sanitizer watch': 375651, 'sanitizer watch video': 736038, 'watch video viral': 968605, 'felt more': 303428, 'like beating': 489883, 'beating up': 118628, 'up stranger': 946084, 'than did': 840499, 'this annoying': 886369, 'annoying guy': 77363, 'laughing out': 481818, 'loud about': 504482, 'how happy': 407963, 'happy he': 377627, 're finally': 698685, 'look there': 502614, 'never felt more': 557994, 'felt more like': 303430, 'more like beating': 539687, 'like beating up': 489884, 'beating up stranger': 118629, 'up stranger than': 946085, 'stranger than did': 812491, 'than did about': 840500, 'and this annoying': 73986, 'this annoying guy': 886370, 'annoying guy wa': 77364, 'guy wa laughing': 369196, 'wa laughing out': 962511, 'laughing out loud': 481819, 'out loud about': 626526, 'loud about how': 504483, 'about how happy': 25441, 'how happy he': 407964, 'happy he is': 377628, 'he is that': 385150, 'that there covid': 846895, 'they re finally': 883036, 're finally going': 698686, 'do it look': 249491, 'it look there': 459461, 'look there is': 502615, 'is no god': 449935, 'mooc': 538256, 'mooc coronavirus': 538257, 'doing ftc': 252418, 'information consumerprotection': 437787, 'consumerprotection consumer': 199741, 'consumer alerta': 196164, 'alerta warning': 41555, 'warning elderly': 967112, 'elderly senior': 270873, 'mooc coronavirus scam': 538258, 'is doing ftc': 447275, 'doing ftc consumer': 252419, 'consumer information consumerprotection': 197872, 'information consumerprotection consumer': 437788, 'consumerprotection consumer alerta': 199742, 'consumer alerta warning': 196165, 'alerta warning elderly': 41556, 'warning elderly senior': 967113, '140k': 3564, 'are 140k': 84101, '140k people': 3565, 'there are 140k': 878051, 'are 140k people': 84102, '140k people in': 3566, 'trifold': 931861, 'officially pandemic': 596015, 'step healthcare': 799554, 'healthcare payer': 387199, 'payer and': 645344, 'all employer': 42685, 'is trifold': 453354, 'trifold ensure': 931862, 'business resiliency': 144312, 'resiliency establish': 714502, 'establish crisis': 282016, 'response structure': 715796, 'structure and': 814295, 'secure employee': 744437, 'safety payer': 730674, 'payer will': 645361, 'will specific': 994909, '19 now officially': 8858, 'now officially pandemic': 575409, 'officially pandemic the': 596016, 'pandemic the first': 636678, 'first step healthcare': 309028, 'step healthcare payer': 799555, 'healthcare payer and': 387200, 'payer and all': 645345, 'and all employer': 57861, 'all employer must': 42686, 'must take is': 546940, 'take is trifold': 832237, 'is trifold ensure': 453355, 'trifold ensure business': 931863, 'ensure business resiliency': 277899, 'business resiliency establish': 144313, 'resiliency establish crisis': 714503, 'establish crisis response': 282017, 'crisis response structure': 217975, 'response structure and': 715797, 'structure and secure': 814296, 'and secure employee': 71119, 'secure employee safety': 744438, 'employee safety payer': 274176, 'safety payer will': 730675, 'payer will specific': 645362, 'making complaint': 510995, 'standard ve': 793719, 'an advert': 55155, 'advert on': 33145, 'for morrison': 323612, 'were fully': 979672, 'stocked that': 803414, 'that misleading': 845186, 'making complaint to': 510996, 'complaint to trading': 192043, 'trading standard ve': 928934, 'standard ve just': 793720, 've just seen': 953309, 'seen an advert': 746926, 'an advert on': 55156, 'advert on tv': 33146, 'on tv for': 604904, 'tv for morrison': 936115, 'for morrison supermarket': 323613, 'morrison supermarket and': 541757, 'supermarket and all': 818926, 'shelf were fully': 757769, 'were fully stocked': 979673, 'fully stocked that': 341104, 'stocked that misleading': 803415, 'keepingup': 472650, 'positivenews': 665497, 'who hiring': 989004, 'meet related': 527561, 'trend keepingup': 931385, 'keepingup demand': 472651, 'demand positivenews': 236054, 'who hiring to': 989005, 'hiring to meet': 397143, 'to meet related': 910046, 'meet related demand': 527562, 'related demand consumer': 708416, 'demand consumer trend': 235165, 'consumer trend keepingup': 199381, 'trend keepingup demand': 931386, 'keepingup demand positivenews': 472652, 'thursday withdraw': 895454, 'withdraw most': 1002257, 'said photo': 731313, 'on thursday withdraw': 604685, 'thursday withdraw most': 895455, 'withdraw most concessional': 1002258, 'official said photo': 595902, 'said photo ians': 731314, 'before eat': 122762, 'eat pussy': 266031, 'pussy pray': 690480, 'before eat pussy': 122764, 'eat pussy pray': 266032, 'pussy pray and': 690481, 'pray and put': 668988, 'and put hand': 69810, 'sanitizer on it': 735458, 'on it you': 601698, 'not give me': 569642, 'recommends most': 704836, 'face cover': 294365, 'cover in': 212237, 'cdc recommends most': 168610, 'recommends most people': 704837, 'cloth face cover': 184083, 'face cover in': 294367, 'cover in public': 212238, 'in public like': 427086, 'public like at': 688144, 'clerk have': 181712, 'worked their': 1006146, 'week kudos': 976458, 'danger by': 225640, 'by possibly': 153624, 'possibly contracting': 665909, 'contracting corona': 201763, 'corona from': 203954, 'the angry': 848739, 'angry toilet': 76504, 'paper mob': 640470, 'mob quarantinelife': 534916, 'all ve got': 45350, 'got to say': 358967, 'to say is': 913825, 'say is grocery': 738819, 'store clerk have': 807011, 'clerk have worked': 181713, 'have worked their': 383632, 'worked their ass': 1006147, 'ass off this': 96261, 'off this week': 594310, 'this week kudos': 891228, 'week kudos to': 976459, 'to them they': 917318, 'their life in': 873834, 'life in danger': 488755, 'in danger by': 421970, 'danger by possibly': 225641, 'by possibly contracting': 153625, 'possibly contracting corona': 665910, 'contracting corona from': 201764, 'corona from the': 203956, 'from the angry': 337601, 'the angry toilet': 848741, 'angry toilet paper': 76505, 'toilet paper mob': 921360, 'paper mob quarantinelife': 640471, 'spammer': 787396, 'the countless': 852035, 'countless scam': 210393, '19 spammer': 10713, 'prey to the': 672080, 'to the countless': 916603, 'the countless scam': 852037, 'countless scam by': 210394, 'scam by covid': 740092, 'covid 19 spammer': 213836, 'protectyourfamily': 685866, 'personalprotectionequipments': 653062, 'ppe protectyourfamily': 668035, 'protectyourfamily personalprotectionequipments': 685867, 'personalprotectionequipments online': 653063, 'amazon great': 50963, 'selection at': 747515, 'at health': 98868, 'health household': 386508, 'household store': 406958, 'ppe protectyourfamily personalprotectionequipments': 668036, 'protectyourfamily personalprotectionequipments online': 685868, 'personalprotectionequipments online shopping': 653064, 'shopping from amazon': 762750, 'from amazon great': 334458, 'amazon great selection': 50964, 'great selection at': 362982, 'selection at health': 747517, 'at health household': 98869, 'health household store': 386510, 'milk the': 531847, 'industry turn': 436193, 'management possible': 512615, 'possible solution': 665782, 'one who can': 607437, 'who can keep': 988392, 'can keep this': 158818, 'keep this up': 472134, 'this up it': 890933, 'up it over': 945244, 'it over price': 460209, 'over price fall': 630521, 'fall and dairy': 296830, 'and dairy farmer': 60923, 'dump milk the': 262175, 'milk the industry': 531849, 'the industry turn': 858191, 'industry turn to': 436194, 'turn to supply': 935793, 'to supply management': 915884, 'supply management possible': 825535, 'management possible solution': 512616, 'commando': 188345, 'aacounty': 24091, 'everything mon': 287919, 'mon people': 536197, 'grip this': 364041, 'is bullshit': 446299, 'bullshit no': 142504, 'tp paper': 927901, 'for mile': 323424, 'mile mile': 531402, 'found may': 330284, 'may come': 521092, 'using underwear': 950780, 'underwear going': 940987, 'going commando': 355086, 'commando maryland': 188346, 'maryland aacounty': 518179, 'aacounty emptyshelves': 24092, 'emptyshelves trump2020': 275320, 'trump2020 wwg1wga': 934012, 'most everything mon': 542306, 'everything mon people': 287920, 'mon people get': 536198, 'fucking grip this': 339881, 'grip this is': 364042, 'this is bullshit': 888198, 'is bullshit no': 446301, 'bullshit no tp': 142505, 'no tp paper': 565790, 'tp paper towel': 927902, 'towel or wipe': 927363, 'or wipe for': 617818, 'wipe for mile': 996263, 'for mile mile': 323425, 'mile mile to': 531403, 'mile to be': 531417, 'be found may': 114941, 'found may come': 330285, 'may come down': 521094, 'come down to': 187277, 'down to using': 257387, 'to using underwear': 918092, 'using underwear going': 950781, 'underwear going commando': 940988, 'going commando maryland': 355087, 'commando maryland aacounty': 188347, 'maryland aacounty emptyshelves': 518180, 'aacounty emptyshelves trump2020': 24093, 'emptyshelves trump2020 wwg1wga': 275321, 'please please dont': 660302, 'teleprompter': 836828, 'can hardly': 158562, 'hardly believe': 378257, 'am watching': 50547, 'watching in': 968751, 'his conversation': 397312, 'clearly reading': 181549, 'reading from': 700767, 'from teleprompter': 337555, 'teleprompter it': 836829, 'it supposed': 461387, 'be conversation': 114234, 'conversation ve': 202493, 'can hardly believe': 158564, 'hardly believe what': 378258, 'believe what am': 126411, 'what am watching': 981024, 'am watching in': 50548, 'watching in his': 968752, 'in his conversation': 423724, 'his conversation with': 397313, 'conversation with is': 202507, 'with is clearly': 999046, 'is clearly reading': 446560, 'clearly reading from': 181550, 'reading from teleprompter': 700768, 'from teleprompter it': 337556, 'teleprompter it supposed': 836830, 'it supposed to': 461388, 'to be conversation': 901181, 'be conversation ve': 114235, 'conversation ve never': 202494, 'never seen this': 558184, 'seen this happen': 747317, 'this happen in': 887837, 'happen in my': 377104, 'staffer': 793139, 'will hire': 993745, '00 temporary': 505, 'temporary staffer': 837699, 'staffer the': 793146, 'retailer seek': 719310, 'manage shopping': 512425, 'surge sparked': 828253, 'will staff': 994934, 'staff distribution': 792375, 'online fulfillment': 608281, 'center 19': 169142, 'will hire 150': 993747, '150 00 temporary': 3889, '00 temporary staffer': 507, 'temporary staffer the': 837700, 'staffer the country': 793147, 'country biggest retailer': 210521, 'biggest retailer seek': 130315, 'retailer seek to': 719311, 'seek to manage': 746614, 'to manage shopping': 909797, 'manage shopping surge': 512426, 'shopping surge sparked': 764035, 'surge sparked by': 828254, 'coronavirus pandemic the': 206494, 'pandemic the bulk': 636665, 'bulk of the': 142331, 'the new worker': 861584, 'new worker will': 559894, 'worker will staff': 1008254, 'will staff distribution': 994935, 'staff distribution center': 792376, 'center and online': 169157, 'and online fulfillment': 68106, 'online fulfillment center': 608282, 'fulfillment center 19': 340443, 'coconut': 185278, 'gilligansisland': 350148, 'theprofessoe': 877881, 'gilligan': 350143, 'theskipper': 881026, 'themillionaireandhiswife': 876727, 'themoviestar': 876730, 'maryann': 518169, 'castaway': 166768, 'the professor': 864615, 'professor made': 682563, 'made something': 507959, 'of coconut': 581500, 'coconut gilligansisland': 185279, 'gilligansisland theprofessoe': 350149, 'theprofessoe gilligan': 877882, 'gilligan theskipper': 350146, 'theskipper themillionaireandhiswife': 881027, 'themillionaireandhiswife themoviestar': 876728, 'themoviestar maryann': 876731, 'maryann ginger': 518170, 'ginger castaway': 350191, 'castaway toiletpaper': 166769, 'sure the professor': 827717, 'the professor made': 864616, 'professor made something': 682564, 'made something out': 507960, 'out of coconut': 626699, 'of coconut gilligansisland': 581501, 'coconut gilligansisland theprofessoe': 185280, 'gilligansisland theprofessoe gilligan': 350150, 'theprofessoe gilligan theskipper': 877883, 'gilligan theskipper themillionaireandhiswife': 350147, 'theskipper themillionaireandhiswife themoviestar': 881028, 'themillionaireandhiswife themoviestar maryann': 876729, 'themoviestar maryann ginger': 876732, 'maryann ginger castaway': 518171, 'ginger castaway toiletpaper': 350192, 'hopped': 403973, 'pear': 646158, 'happy spring': 377675, 'spring our': 791230, '19 front': 7143, 'door daily': 255564, 'daily pick': 224745, 'from 11am': 334177, '11am 2pm': 2715, '2pm order': 16847, 'shipping or': 758884, 'day pick': 228217, 'up hopped': 945105, 'hopped pear': 403974, 'pear is': 646159, 'back cider': 106930, 'happy spring our': 377676, 'spring our online': 791231, 'now open the': 575463, 'open the retail': 612552, 'retail shop is': 718550, 'shop is now': 760364, 'covid 19 front': 213126, '19 front door': 7144, 'front door daily': 338527, 'door daily pick': 255565, 'daily pick up': 224746, 'pick up of': 655740, 'up of online': 945500, 'of online order': 587258, 'online order will': 608704, 'will be from': 992470, 'be from 11am': 114966, 'from 11am 2pm': 334178, '11am 2pm order': 2716, '2pm order online': 16848, 'online at for': 607886, 'at for shipping': 98696, 'for shipping or': 325550, 'shipping or next': 758885, 'or next day': 616244, 'next day pick': 561333, 'day pick up': 228218, 'pick up hopped': 655729, 'up hopped pear': 945106, 'hopped pear is': 403975, 'pear is back': 646160, 'is back cider': 445948, 'get trending': 348536, 'driver banker': 259453, 'to mentioned': 910099, 'mentioned right': 528844, 'get trending trending': 348537, 'trending trending for': 931578, 'trending for healthcare': 931538, '1st responder grocery': 12795, 'truck driver banker': 932766, 'driver banker and': 259454, 'banker and all': 110342, 'those that need': 892539, 'need to mentioned': 555992, 'to mentioned right': 910100, 'mentioned right now': 528845, 'now you deserve': 576504, 'we stocked': 973422, 'store pet': 809526, 'pet shop': 653444, 'shop gas': 760233, 'station liquor': 796452, 'let stay': 487075, 'on nintendo': 602413, 'nintendo magazine': 563318, 'magazine and': 508331, 'personal project': 652939, 'project quarantinelife': 683528, 'we stocked up': 973423, 'on supply today': 603836, 'supply today grocery': 826038, 'grocery store pet': 365654, 'store pet shop': 809527, 'pet shop gas': 653445, 'shop gas station': 760234, 'gas station liquor': 344118, 'station liquor store': 796453, 'liquor store now': 494212, 'store now let': 809128, 'now let stay': 575200, 'let stay up': 487079, 'date on nintendo': 226702, 'on nintendo magazine': 602414, 'nintendo magazine and': 563319, 'magazine and personal': 508333, 'and personal project': 68928, 'personal project quarantinelife': 652940, 'pantry facing': 639577, 'facing new': 295546, 'new challenge': 558473, 'challenge spread': 171554, 'store donation': 807366, 'donation dry': 254588, 'food pantry facing': 315777, 'pantry facing new': 639578, 'facing new challenge': 295547, 'new challenge spread': 558476, 'challenge spread and': 171555, 'spread and store': 790423, 'and store donation': 72504, 'store donation dry': 807368, 'donation dry up': 254589, 'believe ve': 126398, 'just gone': 468835, 'tesco online': 838771, 'isn single': 454670, 'chicken along': 175733, 'pasta toilet': 643833, 'more can': 538759, 'shown such': 767611, 'an grotesque': 56055, 'grotesque side': 366470, 'society greedy': 781222, 'can believe ve': 157748, 'believe ve just': 126399, 've just gone': 953300, 'just gone to': 468837, 'gone to order': 356394, 'to order my': 911078, 'order my tesco': 618406, 'my tesco online': 550345, 'tesco online shopping': 838772, 'and there isn': 73841, 'there isn single': 878674, 'isn single pack': 454671, 'pack of fresh': 633101, 'of fresh chicken': 583943, 'fresh chicken along': 332937, 'chicken along with': 175734, 'along with pasta': 47073, 'with pasta toilet': 1000109, 'pasta toilet roll': 643835, 'roll hand soap': 725330, 'soap and more': 778920, 'and more can': 67153, 'more can believe': 538760, 'can believe how': 157739, 'believe how ha': 126276, 'how ha shown': 407956, 'ha shown such': 371920, 'shown such an': 767612, 'such an grotesque': 816325, 'an grotesque side': 56056, 'grotesque side of': 366471, 'side of society': 768853, 'of society greedy': 589871, 'society greedy selfish': 781223, 'greedy selfish bastard': 363591, 'people hiking': 648256, 'making profit': 511293, 'yourself sick': 1026700, 'are scumbags': 89873, 'the shop store': 867028, 'shop store supermarket': 760856, 'and people hiking': 68865, 'people hiking the': 648258, 'hiking the fuck': 396416, 'out of price': 626811, 'and making profit': 66596, 'making profit off': 511295, 'profit off people': 682821, 'off people that': 594063, 'need and sick': 554435, 'and sick this': 71640, 'is for you': 447897, 'for you go': 328061, 'you go fuck': 1018850, 'fuck yourself sick': 339710, 'yourself sick myself': 1026701, 'and business like': 59288, 'business like you': 143999, 'you are scumbags': 1017226, 'people deem': 647617, 'deem your': 231811, 'your handling': 1024250, 'pandemic incompetent': 635720, 'incompetent see': 432541, 'it calculated': 456987, 'calculated no': 155307, 'closure no': 183950, 'shopping elderly': 762564, 'elderly forced': 270685, 'staple if': 793954, 'aim is': 39536, 'expose people': 292800, 'people deem your': 647618, 'deem your handling': 231812, 'your handling of': 1024251, 'handling of this': 376372, 'this pandemic incompetent': 889395, 'pandemic incompetent see': 635721, 'incompetent see it': 432542, 'see it calculated': 745326, 'it calculated no': 456988, 'calculated no school': 155308, 'no school closure': 565423, 'school closure no': 741751, 'closure no online': 183951, 'no online or': 564993, 'online or pick': 608667, 'pick up shopping': 655759, 'up shopping elderly': 945981, 'shopping elderly forced': 762565, 'elderly forced to': 270686, 'home for basic': 401223, 'for basic staple': 319590, 'basic staple if': 112056, 'staple if the': 793955, 'if the aim': 414950, 'the aim is': 848476, 'aim is to': 39537, 'is to expose': 453202, 'to expose people': 905514, 'expose people to': 292801, 'people to covid': 649891, '19 your policy': 12283, 'farmer harvesting': 299400, 'harvesting great': 378654, 'being highlighted': 125242, 'highlighted loud': 395995, 'british farmer harvesting': 140523, 'farmer harvesting great': 299401, 'harvesting great british': 378655, 'great british carrot': 362540, 'security is being': 744653, 'is being highlighted': 446090, 'being highlighted loud': 125243, 'highlighted loud and': 395996, 'dramatic turn': 258313, 'turn during': 935663, 'with decrease': 997950, 'on gym': 601214, 'in alcohol': 420151, 'alcohol tobacco': 41158, 'tobacco and': 919074, 'gambling what': 343105, 'you spending': 1021324, 'spending is taking': 788882, 'is taking dramatic': 452540, 'taking dramatic turn': 833335, 'dramatic turn during': 258314, 'turn during covid': 935664, '19 with decrease': 12126, 'with decrease in': 997951, 'decrease in spending': 231583, 'in spending on': 428200, 'spending on gym': 788932, 'on gym and': 601215, 'gym and travel': 369298, 'and travel and': 74402, 'travel and an': 930248, 'and an increase': 58116, 'increase in alcohol': 432815, 'in alcohol tobacco': 420152, 'alcohol tobacco and': 41159, 'tobacco and online': 919075, 'and online gambling': 68107, 'online gambling what': 608285, 'gambling what are': 343106, 'are you spending': 91858, 'you spending your': 1021326, 'money on in': 536932, 'shameonhul': 754735, 'helping and': 391268, 'and manipulating': 66643, 'manipulating are': 513215, 'different term': 242082, 'term meanwhile': 838201, 'meanwhile news': 525009, 'ha manipulated': 371232, 'manipulated the': 513212, 'product boycotthul': 681020, 'boycotthul shameonhul': 137384, 'not helping and': 569940, 'helping and manipulating': 391270, 'and manipulating are': 66644, 'manipulating are two': 513216, 'are two different': 91245, 'two different term': 936892, 'different term meanwhile': 242083, 'term meanwhile news': 838202, 'meanwhile news ha': 525010, 'news ha manipulated': 560494, 'ha manipulated the': 371233, 'manipulated the by': 513213, 'the by increasing': 850243, 'their product boycotthul': 874464, 'product boycotthul shameonhul': 681021, 'no shelter': 565480, 'shelter panic': 757945, 'panic struck': 638650, 'struck student': 814280, 'student have': 814696, 'go amid': 353273, 'india via': 434669, 'food no shelter': 315550, 'no shelter panic': 565482, 'shelter panic struck': 757946, 'panic struck student': 638651, 'struck student have': 814281, 'student have nowhere': 814699, 'to go amid': 906767, 'go amid covid': 353274, 'in india via': 424061, 'minnetonka': 533623, 'run safetyfirst': 727796, 'safetyfirst flow': 730797, 'flow lake': 311243, 'lake minnetonka': 479067, 'store run safetyfirst': 809935, 'run safetyfirst flow': 727797, 'safetyfirst flow lake': 730798, 'flow lake minnetonka': 311244, 'cough spit': 208559, 'everything ah': 287675, 'yes yes': 1015619, 'item yes': 463854, 'yes now': 1015498, '00 thank': 515, 'thank come': 841544, 'come have': 187333, 'the supermarket cough': 868535, 'supermarket cough spit': 819814, 'cough spit on': 208560, 'spit on everything': 789559, 'on everything ah': 600644, 'everything ah yes': 287676, 'ah yes yes': 39107, 'yes yes buy': 1015620, 'yes buy the': 1015403, 'the item yes': 858617, 'item yes now': 463855, 'yes now have': 1015499, 'now have covid': 574871, '19 for purchase': 7075, 'for purchase of': 324864, 'purchase of 00': 689570, 'of 00 thank': 579295, '00 thank come': 516, 'thank come have': 841545, 'come have nice': 187335, 'have nice day': 381601, 'we cheer': 971122, 'cheer on': 175116, 'doctor can': 250862, 'also cheer': 48020, 'cheer grocery': 175106, 'worker usps': 1008088, 'mail del': 508598, 'driver too': 259808, 'the later': 859068, 'later are': 481025, 'ppe 19': 667886, 'we cheer on': 971123, 'cheer on first': 175117, 'on first responder': 600810, 'nurse doctor can': 577285, 'doctor can we': 250863, 'can we also': 160159, 'we also cheer': 970396, 'also cheer grocery': 48021, 'cheer grocery store': 175107, 'store worker usps': 811614, 'worker usps and': 1008089, 'usps and mail': 950850, 'and mail del': 66514, 'mail del driver': 508599, 'del driver too': 232625, 'driver too many': 259809, 'too many of': 924891, 'of the later': 591177, 'the later are': 859069, 'later are working': 481026, 'no ppe 19': 565163, 'food most': 315477, 'food most likely': 315479, 'to boost your': 901934, 'system to fight': 831352, 'are being left': 84880, 'an impressive': 56210, 'impressive model': 419483, 'common pig': 189433, 'follow his': 312417, 'his model': 397614, 'positive artist': 665258, 'is an impressive': 445669, 'an impressive model': 56211, 'impressive model of': 419484, 'you are common': 1017093, 'are common pig': 85451, 'common pig who': 189434, 'pig who should': 656463, 'should follow his': 766005, 'follow his model': 312418, 'his model or': 397615, 'other positive artist': 620740, 'all health': 43073, 'nurse all health': 577181, 'all health worker': 43075, 'health worker and': 386965, 'are the staff': 90912, 'the supermarket who': 868905, 'supermarket who make': 823859, 'to have our': 907288, 'have our basic': 381844, 'our basic essential': 622166, 'such gut': 816532, 'gut wrenching': 368860, 'wrenching experience': 1012726, 'experience saw': 291472, 'saw senior': 738236, 'citizen frantically': 178900, 'frantically searching': 331196, 'one couple': 606127, 'couple arguing': 211562, 'arguing and': 92724, 'the husband': 857772, 'husband wa': 411777, 'saying give': 739594, 'supermarket it wa': 821185, 'it wa such': 462201, 'wa such gut': 963347, 'such gut wrenching': 816533, 'gut wrenching experience': 368861, 'wrenching experience saw': 1012727, 'experience saw senior': 291473, 'saw senior citizen': 738237, 'senior citizen frantically': 750253, 'citizen frantically searching': 178901, 'frantically searching for': 331197, 'searching for some': 743335, 'some food there': 782877, 'food there wa': 317155, 'wa one couple': 962841, 'one couple arguing': 606128, 'couple arguing and': 211563, 'arguing and the': 92725, 'and the husband': 73413, 'the husband wa': 857774, 'husband wa saying': 411779, 'wa saying give': 963143, 'saying give up': 739595, 'give up we': 350823, 'up we can': 946541, 'we can keep': 970970, 'can keep going': 158807, 'going to different': 355570, 'different store and': 242072, 'store and risk': 806332, 'and risk being': 70551, 'seahawks': 743174, 'hero toiletpaper': 394137, 'toiletpaper stayhomestaysafe': 922531, 'stayhomestaysafe seahawks': 798523, 'our hero toiletpaper': 623427, 'hero toiletpaper stayhomestaysafe': 394138, 'toiletpaper stayhomestaysafe seahawks': 922532, 'celebfcfamily': 168776, 'huge celebfcfamily': 409997, 'celebfcfamily thank': 168777, 'care supermarket': 164219, 'all stayhomesavelives': 44451, 'stayhomesavelives staysafe': 798463, 'huge celebfcfamily thank': 409998, 'celebfcfamily thank you': 168778, 'thank you go': 841733, 'to all nh': 900266, 'nh staff emergency': 562087, 'service care supermarket': 752208, 'care supermarket worker': 164220, 'supermarket worker along': 823983, 'along with everyone': 47053, 'with everyone else': 998288, 'life for all': 488661, 'for all stayhomesavelives': 319170, 'all stayhomesavelives staysafe': 44452, 'impervious': 418367, '510k': 20209, 'yantongtech': 1014145, 'emergency medical': 272799, 'supply medical': 825554, 'sanitizer faceshield': 734849, 'faceshield goggles': 295193, 'goggles impervious': 354945, 'impervious gown': 418368, 'gown with': 361390, 'gmp 510k': 353199, '510k contact': 20210, 'by yantongtech': 154775, 'yantongtech com': 1014146, 'com or': 186949, 'or info': 615797, 'com thanks': 186956, 'thanks mask': 842135, 'medical handsanitizer': 526204, 'handsanitizer faceshield': 376530, 'goggles gown': 354943, 'gown fda': 361372, 'emergency medical supply': 272802, 'medical supply medical': 526451, 'supply medical mask': 825555, 'medical mask hand': 526260, 'hand sanitizer faceshield': 375394, 'sanitizer faceshield goggles': 734850, 'faceshield goggles impervious': 295195, 'goggles impervious gown': 354946, 'impervious gown with': 418369, 'gown with fda': 361391, 'ce gmp 510k': 168707, 'gmp 510k contact': 353200, '510k contact by': 20211, 'contact by yantongtech': 200037, 'by yantongtech com': 154776, 'yantongtech com or': 1014147, 'com or info': 186950, 'or info com': 615798, 'info com thanks': 437454, 'com thanks mask': 186957, 'thanks mask medical': 842136, 'mask medical handsanitizer': 518972, 'medical handsanitizer faceshield': 526205, 'handsanitizer faceshield goggles': 376531, 'faceshield goggles gown': 295194, 'goggles gown fda': 354944, 'gown fda ce': 361373, 'but obama': 146628, 'that led': 844861, 'which led': 986105, 'over per': 630495, 'being proactive about': 125584, 'proactive about covid': 679145, '19 but obama': 5518, 'but obama wa': 146629, 'not proactive about': 571095, 'proactive about the': 679147, 'about the housing': 26412, 'market collapse that': 516186, 'collapse that led': 186062, 'that led to': 844862, 'recession which led': 704404, 'which led to': 986107, 'led to gas': 485285, 'gas price going': 343973, 'price going over': 674213, 'going over per': 355411, 'over per gallon': 630496, 'per gallon people': 650855, 'funnycomic': 341821, 'important toiletpaper': 419081, 'toiletpaper comic': 921866, 'comic funnycomic': 187943, 'they are important': 881303, 'are important toiletpaper': 87339, 'important toiletpaper comic': 419082, 'toiletpaper comic funnycomic': 921867, 'phall': 653984, 'to patent': 911495, 'patent my': 643992, 'world famous': 1009538, 'famous plant': 298488, 'plant phall': 658688, 'phall covid': 653985, '19 killer': 8237, 'killer and': 474625, 'consumer too': 199341, 'too probably': 925012, 'going to try': 355749, 'try to patent': 934647, 'to patent my': 911496, 'patent my world': 643993, 'my world famous': 550651, 'world famous plant': 1009540, 'famous plant phall': 298489, 'plant phall covid': 658689, 'phall covid 19': 653986, 'covid 19 killer': 213320, '19 killer and': 8238, 'killer and the': 474626, 'the consumer too': 851613, 'consumer too probably': 199342, 'intervenes': 442167, 'curbing': 220605, 'unemployment is': 941233, 'stay during': 796856, 'during eod': 262629, 'government intervenes': 360232, 'intervenes in': 442170, 'in favor': 422802, 'favor of': 300466, 'an income': 56229, 'while curbing': 986730, 'curbing activity': 220606, 'temporary gdp': 837627, 'gdp recession': 344909, 'recession should': 704356, '19 will not': 12104, 'like the great': 491370, 'unless unemployment is': 942653, 'unemployment is stay': 941235, 'is stay during': 452240, 'stay during eod': 796857, 'during eod if': 262630, 'the government intervenes': 856550, 'government intervenes in': 360233, 'intervenes in favor': 442171, 'in favor of': 422803, 'favor of the': 300469, 'still have an': 800643, 'have an income': 379255, 'an income while': 56231, 'income while curbing': 432495, 'while curbing activity': 986731, 'curbing activity is': 220607, 'activity is necessary': 30454, 'necessary to defeat': 554115, '19 temporary gdp': 11064, 'temporary gdp recession': 837628, 'gdp recession should': 344910, 'recession should not': 704357, 'not be surprise': 568465, 'sensitive': 750696, 'it imperative': 458699, 'imperative that': 418336, 'that marketer': 845047, 'are sensitive': 89983, 'sensitive to': 750707, 'mindset here': 532846, 'back remaining': 107248, 'centric crisiscommunications': 169591, 'it imperative that': 458700, 'imperative that marketer': 418337, 'that marketer are': 845049, 'marketer are sensitive': 517454, 'are sensitive to': 89984, 'sensitive to today': 750710, 'to today climate': 917605, 'today climate consumer': 919382, 'climate consumer mindset': 182211, 'consumer mindset here': 198137, 'mindset here are': 532847, 'here are way': 392768, 'are way business': 91547, 'giving back remaining': 351251, 'back remaining consumer': 107249, 'consumer centric crisiscommunications': 196763, 'over look': 630371, 'is the over': 452884, 'the over look': 862763, 'over look at': 630372, 'at the price': 101062, 'of the crypto': 590914, 'avoid during': 105082, 'during when': 263405, 'to avoid during': 900889, 'avoid during when': 105083, 'during when it': 263408, 'har': 377791, 'har is': 377796, 'produce who': 680489, 'who approved': 988088, 'approved free': 83155, 'free multi': 331991, 'customer read': 222740, 'information 19': 437694, 'har is proud': 377797, 'proud to produce': 686059, 'to produce who': 912214, 'produce who approved': 680490, 'who approved free': 988090, 'approved free multi': 83156, 'free multi purpose': 331992, 'multi purpose disinfectant': 545667, 'purpose disinfectant for': 690115, 'disinfectant for our': 245665, 'for our employee': 324235, 'and customer read': 60859, 'customer read on': 222741, 'on for more': 600950, 'more information 19': 539572, 'bulk more': 142325, 'virtual store': 957795, 'store experience': 807684, 'experience here': 291379, 'how expert': 407828, 'expert think': 291992, 'think could': 885195, 'we shop': 973241, 'term cc': 838086, 'more online grocery': 539941, 'grocery order more': 364813, 'order more buying': 618397, 'more buying in': 538747, 'in bulk more': 421042, 'bulk more virtual': 142326, 'more virtual store': 540912, 'virtual store experience': 957796, 'store experience here': 807685, 'experience here how': 291380, 'here how expert': 393103, 'how expert think': 407829, 'expert think could': 291993, 'think could change': 885196, 'how we shop': 409190, 'we shop in': 973244, 'long term cc': 501675, 'perhaps good': 651593, 'use all': 949021, 'pub temporary': 687775, 'temporary supermarket': 837705, 'outlet stocking': 629062, 'stocking essential': 803549, 'community save': 190080, 'on mass': 602049, 'gathering etc': 344460, 'perhaps good idea': 651594, 'good idea would': 357227, 'be to use': 117737, 'to use all': 918004, 'use all pub': 949022, 'all pub temporary': 44084, 'pub temporary supermarket': 687776, 'temporary supermarket outlet': 837706, 'supermarket outlet stocking': 821859, 'outlet stocking essential': 629063, 'stocking essential for': 803550, 'local community save': 497843, 'community save on': 190081, 'save on mass': 737605, 'on mass gathering': 602050, 'mass gathering etc': 519772, 'superdrugs': 818648, 'so try': 778582, 'house due': 406276, 'are reserved': 89618, 'longer boot': 501942, 'boot superdrugs': 135114, 'superdrugs sold': 818649, 'on most': 602224, 'thing online': 884646, 'mean have': 524474, 'where everything': 984869, 'asthma so try': 97209, 'so try not': 778583, 'to leave my': 909156, 'my house due': 548729, 'house due to': 406277, 'slot are reserved': 774119, 'are reserved for': 89619, 'reserved for three': 714135, 'three week and': 894098, 'week and longer': 975921, 'and longer boot': 66356, 'longer boot superdrugs': 501943, 'boot superdrugs sold': 135115, 'superdrugs sold out': 818650, 'sold out on': 781743, 'out on most': 626910, 'on most thing': 602230, 'most thing online': 542813, 'thing online this': 884647, 'online this mean': 609560, 'this mean have': 888808, 'mean have to': 524475, 'to take risk': 916231, 'take risk and': 832546, 'risk and do': 723370, 'and do it': 61553, 'do it going': 249480, 'to store where': 915649, 'store where everything': 811257, 'where everything is': 984870, 'take growing': 832156, 'growing toll': 367248, 'people pocketbook': 649145, 'pocketbook there': 662225, 'gov will': 359737, 'of detail': 582564, 'take growing toll': 832157, 'growing toll on': 367249, 'toll on people': 923867, 'on people pocketbook': 602747, 'people pocketbook there': 649146, 'pocketbook there are': 662226, 'that the gov': 846736, 'the gov will': 856496, 'gov will soon': 359740, 'each of detail': 264132, 'of detail are': 582565, 'pizzeria': 657216, 'of pizzeria': 588133, 'pizzeria acted': 657217, 'new accounting': 558318, 'accounting employee': 28825, 'employee acted': 273513, 'manager of pizzeria': 512765, 'of pizzeria acted': 588134, 'pizzeria acted like': 657218, 'acted like that': 29842, 'like that he': 491320, 'he would be': 385694, 'would be fired': 1011583, 'if new accounting': 414472, 'new accounting employee': 558319, 'accounting employee acted': 28826, 'employee acted like': 273514, 'like this he': 491493, 'this he would': 887882, 'like that she': 491335, 'that she would': 846247, 'she would be': 756487, 'join friend sablaka': 466720, 'usa lockdown': 948682, 'lockdown coming': 499250, 'soon confirmed': 785683, 'by army': 151885, 'army source': 93039, 'source do': 786475, 'not hodl': 570001, 'hodl sold': 399810, 'sold my': 781704, 'bag gonna': 108302, 'gonna pick': 356591, 'drop cryptocurrency': 260169, 'cryptocurrency btc': 219975, 'btc quarentinelife': 141507, 'quarentinelife crypto': 693189, 'crypto hodl': 219952, 'usa lockdown coming': 948683, 'lockdown coming soon': 499251, 'coming soon confirmed': 188194, 'soon confirmed by': 785684, 'confirmed by army': 194131, 'by army source': 151886, 'army source do': 93040, 'source do not': 786476, 'do not hodl': 249757, 'not hodl sold': 570002, 'hodl sold my': 399811, 'sold my bag': 781705, 'my bag gonna': 547385, 'bag gonna pick': 108303, 'gonna pick up': 356592, 'pick up when': 655776, 'up when the': 946580, 'price drop cryptocurrency': 673568, 'drop cryptocurrency btc': 260170, 'cryptocurrency btc quarentinelife': 219976, 'btc quarentinelife crypto': 141508, 'quarentinelife crypto hodl': 693190, 'arise': 92788, 'lawmaker in': 482489, 'european parliament': 283595, 'parliament call': 642155, 'prepare strategy': 670126, 'strategy anticipating': 812612, 'anticipating the': 78484, 'difficulty that': 242409, 'might arise': 530872, 'arise in': 92793, 'in implementing': 423983, 'implementing the': 418526, 'common agricultural': 189357, 'policy cap': 663361, 'cap due': 162417, 'lawmaker in the': 482491, 'the european parliament': 854585, 'european parliament call': 283596, 'parliament call on': 642156, 'on the european': 604101, 'the european commission': 854579, 'european commission to': 283544, 'commission to prepare': 188911, 'to prepare strategy': 912009, 'prepare strategy anticipating': 670127, 'strategy anticipating the': 812613, 'anticipating the difficulty': 78485, 'the difficulty that': 853278, 'difficulty that might': 242410, 'that might arise': 845155, 'might arise in': 530873, 'arise in implementing': 92794, 'in implementing the': 423984, 'implementing the common': 418527, 'the common agricultural': 851248, 'common agricultural policy': 189358, 'agricultural policy cap': 38899, 'policy cap due': 663362, 'cap due to': 162418, 'imagining the': 416854, 'citizen 500': 178813, 'imagining the first': 416855, 'store hour the': 808211, 'hour the senior': 405985, 'the senior citizen': 866710, 'senior citizen 500': 750246, 'poultry farmer': 667319, 'in karnataka': 424441, 'karnataka feel': 470957, 'feel covid': 302603, 'effect wholesale': 269158, 'poultry farmer in': 667321, 'farmer in karnataka': 299420, 'in karnataka feel': 424442, 'karnataka feel covid': 470958, 'feel covid 19': 302604, '19 effect wholesale': 6726, 'effect wholesale price': 269159, 'wholesale price crash': 990469, 'enacting': 275508, 'longlines': 502132, 'at columbus': 98294, 'columbus circle': 186892, 'circle night': 178614, 'night ago': 562930, 'ago they': 38501, 're enacting': 698604, 'enacting six': 275509, 'foot social': 318433, 'store same': 809981, 'same most': 733169, 'now wholefoods': 576414, 'wholefoods socialdistancing': 990403, 'socialdistancing grocerystore': 780392, 'grocerystore longlines': 366319, 'longlines sixfeetapart': 502133, 'line for whole': 493116, 'for whole food': 327865, 'whole food at': 990210, 'food at columbus': 313441, 'at columbus circle': 98295, 'columbus circle night': 186893, 'circle night ago': 178615, 'night ago they': 562931, 'ago they re': 38503, 'they re enacting': 883024, 're enacting six': 698605, 'enacting six foot': 275510, 'six foot social': 772645, 'foot social distancing': 318434, 'distancing to get': 247564, 'the store same': 868095, 'store same most': 809982, 'same most grocery': 733170, 'store in nyc': 808357, 'in nyc right': 426026, 'nyc right now': 578046, 'right now wholefoods': 722184, 'now wholefoods socialdistancing': 576415, 'wholefoods socialdistancing grocerystore': 990404, 'socialdistancing grocerystore longlines': 780393, 'grocerystore longlines sixfeetapart': 366320, 'videoconferencecallicebreaker': 956983, 'buybandmerch': 149530, 'supportlivemu': 827252, 'today yesterday': 920585, 'yesterday day': 1015713, 'before ve': 123264, 'spent fair': 789122, 'fair amount': 296308, 'corona lock': 204039, 'down time': 257354, 'for band': 319568, 'band merch': 109340, 'merch online': 528955, 'online videoconferencecallicebreaker': 609679, 'videoconferencecallicebreaker socialdistancing': 956984, 'socialdistancing buybandmerch': 780263, 'buybandmerch supportlivemu': 149531, 'today yesterday day': 920586, 'yesterday day before': 1015714, 'day before ve': 227375, 'before ve spent': 123265, 've spent fair': 953587, 'spent fair amount': 789123, 'fair amount of': 296309, 'amount of corona': 53215, 'of corona lock': 581894, 'corona lock down': 204040, 'lock down time': 499056, 'down time shopping': 257355, 'time shopping for': 897656, 'shopping for band': 762660, 'for band merch': 319569, 'band merch online': 109341, 'merch online videoconferencecallicebreaker': 528956, 'online videoconferencecallicebreaker socialdistancing': 609680, 'videoconferencecallicebreaker socialdistancing buybandmerch': 956985, 'socialdistancing buybandmerch supportlivemu': 780264, 'still oblivious': 800916, 'the supermarket some': 868812, 'people still oblivious': 649603, 'still oblivious to': 800917, 'oblivious to the': 578494, 'to the concept': 916581, 'concept of social': 192869, 'can arrange': 157527, 'arrange pick': 93691, 'closed for walk': 183135, 'in business but': 421071, 'an order please': 56704, 'order please phone': 618520, 'please phone at': 660292, 'phone at 306': 654895, 'we can arrange': 970908, 'can arrange pick': 157528, 'arrange pick up': 93692, 'seater': 743525, 'prayfornigeria': 669096, '18 seater': 4584, 'seater bus': 743526, 'pick only': 655665, '10 passenger': 1603, 'passenger stayhome': 643347, 'stayhome quarantine': 798075, 'quarantine prayfornigeria': 692442, 'prayfornigeria what': 669097, 'stock fuel': 802187, 'rush look': 728308, '18 seater bus': 4585, 'seater bus to': 743527, 'bus to pick': 143101, 'to pick only': 911721, 'pick only 10': 655666, 'only 10 passenger': 609966, '10 passenger stayhome': 1604, 'passenger stayhome quarantine': 643348, 'stayhome quarantine prayfornigeria': 798077, 'quarantine prayfornigeria what': 692443, 'prayfornigeria what are': 669098, 'for to stock': 327237, 'to stock fuel': 915436, 'stock fuel and': 802188, 'fuel and food': 340117, 'food item avoid': 315196, 'item avoid the': 463143, 'avoid the rush': 105331, 'the rush look': 866084, 'rush look no': 728309, 'madness reach': 508202, 'reach new': 699954, 'level hoarder': 487582, 'up ventolin': 946521, 'doesn assist': 251708, 'with pneumonia': 1000242, 'getting infected': 349062, 'asthma do': 97195, 'survive stop': 829235, 'exploiting for': 292429, 'the madness reach': 859869, 'madness reach new': 508203, 'reach new level': 699955, 'new level hoarder': 559022, 'level hoarder are': 487583, 'hoarder are now': 398987, 'are now buying': 88533, 'buying up ventolin': 151298, 'up ventolin it': 946522, 'ventolin it doesn': 954661, 'it doesn assist': 457623, 'doesn assist you': 251709, 'you with pneumonia': 1022385, 'with pneumonia it': 1000243, 'pneumonia it won': 662100, 'it won stop': 462494, 'won stop you': 1003914, 'from getting infected': 335630, 'getting infected with': 349065, 'infected with 19': 436665, 'with 19 people': 996967, '19 people with': 9634, 'with asthma do': 997327, 'asthma do need': 97196, 'do need it': 249639, 'it to survive': 461759, 'to survive stop': 916047, 'survive stop exploiting': 829236, 'stop exploiting for': 804639, 'exploiting for profit': 292430, 'watiyankha': 969322, 'soy': 786968, 'the watiyankha': 871134, 'watiyankha empowerment': 969323, 'empowerment group': 274665, 'group celebrates': 366634, 'celebrates their': 168822, 'their successful': 874895, 'successful harvest': 816239, 'harvest of': 378630, 'of maize': 586105, 'and soy': 72032, 'soy bean': 786969, 'bean week': 118385, 'before malawi': 122935, 'malawi confirms': 511570, 'confirms it': 194236, 'of careful': 581149, 'careful planning': 164423, 'planning food': 658542, 'stock harvest': 802221, 'in dry': 422399, 'dry storage': 261303, 'storage before': 805952, 'the watiyankha empowerment': 871135, 'watiyankha empowerment group': 969324, 'empowerment group celebrates': 274666, 'group celebrates their': 366635, 'celebrates their successful': 168823, 'their successful harvest': 874896, 'successful harvest of': 816240, 'harvest of maize': 378631, 'of maize and': 586106, 'maize and soy': 509195, 'and soy bean': 72033, 'soy bean week': 786970, 'bean week before': 118386, 'week before malawi': 975996, 'before malawi confirms': 122936, 'malawi confirms it': 511571, 'confirms it first': 194237, 'it first case': 458023, 'case of careful': 165894, 'of careful planning': 581150, 'careful planning food': 164424, 'planning food stock': 658543, 'food stock harvest': 316792, 'stock harvest in': 802222, 'harvest in dry': 378623, 'in dry storage': 422400, 'dry storage before': 261304, 'storage before the': 805953, 'before the practice': 123183, 'practice of physical': 668616, 'of physical distancing': 588112, 'distancing wa implemented': 247602, 'letsplayagame': 487274, 'mushy': 546283, 'letsplayagame apart': 487275, 'the soup': 867497, 'soup to': 786418, 'bottom left': 136402, 'and mushy': 67336, 'mushy pea': 546284, 'pea to': 645985, 'right what': 722410, 'what lonely': 981831, 'lonely tinned': 501311, 'this shelf': 890059, 'shelf stopstockpiling': 757608, 'letsplayagame apart from': 487276, 'from the soup': 337881, 'the soup to': 867499, 'soup to the': 786419, 'the bottom left': 849908, 'bottom left and': 136403, 'left and mushy': 485379, 'and mushy pea': 67337, 'mushy pea to': 546285, 'pea to the': 645986, 'the right what': 865838, 'right what lonely': 722412, 'what lonely tinned': 981832, 'lonely tinned food': 501312, 'tinned food wa': 898618, 'wa left on': 962523, 'left on this': 485593, 'on this shelf': 604630, 'this shelf stopstockpiling': 890060, 'shelf stopstockpiling stophoarding': 757609, 'letter to uk': 487374, 'retailheroes': 719461, 'retailer such': 719341, 'such and': 816329, 'service huge': 752462, 'huge credit': 410011, 'retail retailheroes': 718473, 'retailheroes shopping': 719462, 'retailer such and': 719343, 'such and have': 816331, 'and have temporarily': 64284, 'temporarily closed their': 837470, 'shopping service huge': 763845, 'service huge credit': 752463, 'huge credit to': 410012, 'credit to them': 216542, 'them for putting': 875723, 'for putting the': 324877, 'putting the safety': 691235, 'their employee first': 873144, 'employee first retail': 273850, 'first retail retailheroes': 308980, 'retail retailheroes shopping': 718474, 'retailheroes shopping onlineshopping': 719463, 'dialing': 240291, 'senior will': 750448, 'crisis senior': 218016, 'senior can': 750237, 'request volunteer': 713232, 'volunteer help': 960281, 'shopping meal': 763265, 'prep and': 669994, 'prescription pick': 670528, 'or receive': 616800, 'receive friendly': 703486, 'friendly check': 333949, 'in call': 421154, 'call by': 155805, 'simply dialing': 770212, 'dialing or': 240292, 'senior will now': 750450, 'now be able': 574192, 'receive the support': 703562, 'the support they': 868985, 'support they need': 826919, '19 crisis senior': 6318, 'crisis senior can': 218017, 'senior can request': 750238, 'can request volunteer': 159459, 'request volunteer help': 713233, 'volunteer help with': 960282, 'help with grocery': 390912, 'with grocery shopping': 998695, 'grocery shopping meal': 365053, 'shopping meal prep': 763266, 'meal prep and': 524249, 'prep and prescription': 669995, 'and prescription pick': 69383, 'prescription pick up': 670529, 'up or receive': 945685, 'or receive friendly': 616801, 'receive friendly check': 703487, 'friendly check in': 333950, 'check in call': 174471, 'in call by': 421155, 'call by simply': 155806, 'by simply dialing': 154021, 'simply dialing or': 770213, 'dialing or online': 240293, 'terrified will': 838513, 'eventually need': 285165, 'contact someone': 200203, 'or touch': 617506, 'touch an': 926448, 'terminal not': 838366, 'not terrified': 571957, 'terrified for': 838490, 'of infecting': 585155, 'infecting someone': 436698, 'someone older': 784586, 'older like': 598617, 'joke about covid': 467044, '19 but am': 5489, 'but am terrified': 145167, 'am terrified will': 50479, 'terrified will eventually': 838514, 'will eventually need': 993340, 'eventually need to': 285166, 'supermarket what if': 823792, 'what if contact': 981624, 'if contact someone': 413990, 'contact someone who': 200204, 'ha it or': 371024, 'it or touch': 460150, 'or touch an': 617507, 'touch an item': 926449, 'an item they': 56499, 'item they put': 463726, 'they put back': 882949, 'put back or': 690527, 'back or debit': 107214, 'or debit card': 614902, 'debit card terminal': 230375, 'card terminal not': 163663, 'terminal not terrified': 838367, 'not terrified for': 571958, 'terrified for myself': 838492, 'myself the possibility': 550949, 'possibility of infecting': 665547, 'of infecting someone': 585156, 'infecting someone older': 436699, 'someone older like': 784587, 'older like my': 598618, 'like my mom': 490825, 'current information': 221233, 'avoid falling': 105102, 'falling victim': 297352, 'them bookmark': 875484, 'bookmark this': 134769, 'page from': 633853, 'for strategy': 325938, 'latest fraud': 481352, 'scam news': 740263, 'yourself with current': 1026762, 'with current information': 997885, 'current information about': 221234, 'related fraud and': 708447, 'fraud and scam': 331236, 'and scam to': 71036, 'scam to avoid': 740418, 'to avoid falling': 900895, 'avoid falling victim': 105103, 'falling victim to': 297353, 'victim to them': 956524, 'to them bookmark': 917288, 'them bookmark this': 875485, 'bookmark this page': 134772, 'this page from': 889353, 'page from the': 633854, 'commission for strategy': 188826, 'for strategy to': 325939, 'strategy to protect': 812733, 'yourself and stay': 1026527, 'date on the': 226704, 'the latest fraud': 859104, 'latest fraud and': 481353, 'and scam news': 71030, 'current plan': 221301, 'work husband': 1005272, 'large home': 479693, 'full yesterday': 340994, 'yesterday folk': 1015735, 'folk out': 312229, 'essential merchandise': 281306, 'merchandise all': 528966, 'state down': 795533, 'current plan to': 221303, 'plan to stop': 658326, '19 isnt going': 8100, 'isnt going to': 454780, 'to work husband': 918734, 'work husband work': 1005273, 'husband work retail': 411796, 'work retail at': 1005668, 'retail at large': 717860, 'at large home': 99409, 'large home improvement': 479694, 'improvement store and': 419588, 'store and parking': 806316, 'wa full yesterday': 962184, 'full yesterday folk': 340995, 'yesterday folk out': 1015736, 'folk out buying': 312230, 'out buying non': 625812, 'non essential merchandise': 566346, 'essential merchandise all': 281307, 'merchandise all day': 528967, 'day long it': 227936, 'long it time': 501468, 'time to shut': 898066, 'to shut the': 914612, 'shut the state': 767942, 'the state down': 867766, 'state down an': 795534, 'mom work': 535850, 'turn 80': 935634, '80 this': 22636, 'year she': 1014947, 'work scary': 1005697, 'time flattenthecurve': 896671, 'my mom work': 549292, 'mom work in': 535852, 'work in her': 1005312, 'her local grocery': 392172, 'cashier and she': 166460, 'and she will': 71435, 'she will turn': 756470, 'will turn 80': 995252, 'turn 80 this': 935635, '80 this year': 22637, 'this year she': 891592, 'year she cannot': 1014948, 'she cannot afford': 755930, 'afford to not': 34802, 'to not work': 910719, 'not work scary': 572536, 'work scary time': 1005698, 'scary time flattenthecurve': 741206, 'big race': 129949, 'race now': 695193, 'the big race': 849617, 'big race now': 129950, 'race now in': 695194, 'now in your': 575022, 'worker rock': 1007708, 'rock the': 724924, 'zealand is': 1027295, 'exception our': 289278, 'worker still': 1007820, 'still leave': 800785, 'fed to': 301910, 'healthy from': 387643, 'they rock': 883227, 'essential worker rock': 281850, 'worker rock the': 1007709, 'rock the covid': 724925, 'pandemic ha brought': 635533, 'ha brought the': 370038, 'world to standstill': 1010089, 'to standstill and': 915175, 'standstill and new': 793842, 'new zealand is': 559990, 'zealand is no': 1027296, 'no exception our': 564155, 'exception our essential': 289279, 'essential worker still': 281852, 'worker still leave': 1007823, 'still leave the': 800786, 'the home to': 857457, 'keep safe to': 471891, 'safe to keep': 730055, 'keep fed to': 471499, 'fed to keep': 301911, 'keep healthy from': 471571, 'healthy from hospital': 387644, 'from hospital staff': 335948, 'hospital staff to': 404647, 'staff to supermarket': 792999, 'worker they rock': 1007970, 'bruceleroy': 141327, 'thelastdragon': 875284, 'shonuff': 759713, 'shogunofharlem': 759707, 'sundayfunday': 818303, 'liveyourbestlife': 496300, 'haven made': 383857, 'meme in': 528322, 'in awhile': 420644, 'awhile but': 106262, 'but proud': 146866, 'one bruceleroy': 606015, 'bruceleroy thelastdragon': 141328, 'thelastdragon shonuff': 875285, 'shonuff shogunofharlem': 759714, 'shogunofharlem tp': 759708, '19 sundayfunday': 10939, 'sundayfunday liveyourbestlife': 818306, 'haven made meme': 383858, 'made meme in': 507850, 'meme in awhile': 528323, 'in awhile but': 420645, 'awhile but proud': 106264, 'but proud of': 146867, 'this one bruceleroy': 889231, 'one bruceleroy thelastdragon': 606016, 'bruceleroy thelastdragon shonuff': 141329, 'thelastdragon shonuff shogunofharlem': 875286, 'shonuff shogunofharlem tp': 759715, 'shogunofharlem tp toiletpaper': 759709, 'tp toiletpaper 19': 927989, 'toiletpaper 19 sundayfunday': 921680, '19 sundayfunday liveyourbestlife': 10940, 'smashed my': 775568, 'my running': 549974, 'running pb': 728035, 'pb don': 645849, 'ha though': 372268, 'though helped': 892823, 'bit that': 131708, 'porridge for': 664856, 'for 500g': 318873, 'smashed my running': 775569, 'my running pb': 549975, 'running pb don': 728036, 'pb don know': 645850, 'me that ve': 523634, 'that ve done': 847232, 've done so': 953065, 'done so with': 255016, 'so with london': 778792, 'of collapse it': 581523, 'collapse it ha': 186027, 'it ha though': 458417, 'ha though helped': 372269, 'though helped me': 892824, 'forget for bit': 329254, 'for bit that': 319691, 'bit that today': 131709, 'of porridge for': 588246, 'porridge for 500g': 664857, 'for 500g panicbuyinguk': 318875, 'locates': 498827, 'erased': 280111, 'can there': 159967, 'that locates': 844928, 'locates which': 498828, 'store currently': 807238, 'that app': 842691, 'app be': 81683, 'be instantly': 115517, 'instantly erased': 440128, 'erased later': 280114, 'later when': 481171, 'ever might': 285411, 'have needed': 381557, 'needed such': 556500, 'thing toiletpaperapocalypse': 884913, 'can there be': 159969, 'there be an': 878209, 'be an app': 113595, 'an app that': 55357, 'app that locates': 81770, 'that locates which': 844929, 'locates which store': 498829, 'which store currently': 986340, 'store currently have': 807240, 'currently have toilet': 221560, 'paper and can': 639812, 'and can that': 59477, 'can that app': 159944, 'that app be': 842692, 'app be instantly': 81685, 'be instantly erased': 115518, 'instantly erased later': 440129, 'erased later when': 280115, 'later when we': 481172, 'are so embarrassed': 90197, 'embarrassed we ever': 272443, 'we ever might': 971488, 'ever might have': 285412, 'might have needed': 531017, 'have needed such': 381558, 'needed such thing': 556501, 'such thing toiletpaperapocalypse': 816813, 'thing toiletpaperapocalypse toiletpaper': 884914, 'of indoor': 585139, 'indoor shopping': 435361, 'our brooklyn': 622277, 'brooklyn atlantic': 140973, 'atlantic office': 101866, 'inconvenience please': 432592, '60 online': 20972, 'to the closure': 916569, 'closure of indoor': 183966, 'of indoor shopping': 585140, 'indoor shopping mall': 435362, 'shopping mall to': 763239, 'mall to prevent': 511848, 'spread of our': 790696, 'of our brooklyn': 587428, 'our brooklyn atlantic': 622278, 'brooklyn atlantic office': 140974, 'atlantic office will': 101867, 'office will be': 595593, 'notice we apologize': 573394, 'the inconvenience please': 858059, 'inconvenience please visit': 432593, 'please visit our': 660727, 'website to find': 975441, 'to find more': 905920, 'find more than': 307069, 'than 60 online': 840275, '60 online transaction': 20973, 'munya': 546120, 'unwarranted': 944057, 'munya said': 546121, 'an unwarranted': 56917, 'unwarranted shock': 944060, 'munya said this': 546122, 'said this could': 731495, 'this could create': 886923, 'could create an': 209060, 'create an unwarranted': 215608, 'an unwarranted shock': 56918, 'unwarranted shock in': 944061, 'bt19': 141484, 'thailand post': 840104, 'post co': 666045, 'co ltd': 184877, 'ltd is': 506386, 'special flat': 787922, 'flat rate': 310094, 'of bt19': 580920, 'bt19 to': 141485, 'and protective': 69678, 'gear via': 345005, 'thailand post co': 840105, 'post co ltd': 666046, 'co ltd is': 184878, 'ltd is offering': 506387, 'offering special flat': 595258, 'special flat rate': 787923, 'flat rate of': 310096, 'rate of bt19': 697314, 'of bt19 to': 580921, 'bt19 to encourage': 141486, 'shop for consumer': 760181, 'product and protective': 680901, 'and protective gear': 69679, 'protective gear via': 685766, 'gear via online': 345006, 'via online channel': 956133, 'channel in an': 172891, 'read more 19': 700415, 'more 19 19': 538478, 'talented': 833713, 'parody by': 642188, 'by talented': 154210, 'talented friend': 833718, 'hoarder it': 399058, 'funny we': 341813, 'laugh right': 481755, 'parody by talented': 642189, 'by talented friend': 154211, 'talented friend for': 833719, 'friend for all': 333605, 'paper hoarder it': 640276, 'hoarder it funny': 399059, 'it funny we': 458193, 'funny we need': 341814, 'need to laugh': 555982, 'to laugh right': 909093, 'laugh right now': 481756, 'right now toiletpaper': 722163, 'now toiletpaper 19': 576193, 'bogart': 133973, 'service reminder': 752762, 'reminder we': 710610, 'weekend hoarder': 977347, 'toiletpaper bogart': 921818, 'public service reminder': 688307, 'service reminder we': 752764, 'reminder we get': 710611, 'we get closer': 971607, 'get closer to': 346789, 'to the weekend': 917185, 'the weekend hoarder': 871328, 'weekend hoarder toiletpaper': 977348, 'hoarder toiletpaper bogart': 399131, 'exert': 290135, 'extracted': 293714, 'carcase': 163437, 'distort': 247876, 'to exert': 905422, 'exert heavy': 290136, 'and unusual': 74720, 'unusual pressure': 943994, 'value that': 952204, 'be extracted': 114760, 'extracted from': 293715, 'given beef': 350951, 'beef carcase': 120489, 'carcase consumer': 163438, 'behaviour continues': 124393, 'to distort': 904433, 'distort market': 247877, 'for red': 325041, 'in previously': 426941, 'previously unseen': 672064, 'unseen way': 943471, 'starting to exert': 795022, 'to exert heavy': 905423, 'exert heavy and': 290137, 'heavy and unusual': 388621, 'and unusual pressure': 74721, 'unusual pressure on': 943995, 'on the value': 604423, 'the value that': 870637, 'value that can': 952205, 'can be extracted': 157620, 'be extracted from': 114761, 'extracted from any': 293716, 'from any given': 334548, 'any given beef': 79276, 'given beef carcase': 350952, 'beef carcase consumer': 120490, 'carcase consumer behaviour': 163439, 'consumer behaviour continues': 196561, 'behaviour continues to': 124394, 'continues to distort': 201467, 'to distort market': 904434, 'distort market demand': 247878, 'market demand for': 516281, 'demand for red': 235486, 'for red meat': 325042, 'red meat in': 705600, 'meat in previously': 525620, 'in previously unseen': 426942, 'previously unseen way': 672065, 'under 79': 939992, '79 gallon': 22369, 'in maryland': 425157, 'maryland dmv': 518197, 'dmv the': 248971, 'time gas': 896819, 'low wa': 505723, 'wa 199': 961358, '199 or': 12472, 'or 200': 614183, '200 think': 13550, 'think april': 885147, 'stayathome gasprices': 797482, 'gas price under': 344045, 'price under 79': 677176, 'under 79 gallon': 939993, '79 gallon in': 22370, 'gallon in maryland': 343022, 'in maryland dmv': 425160, 'maryland dmv the': 518198, 'dmv the last': 248972, 'last time gas': 480562, 'time gas price': 896820, 'price were this': 677459, 'were this low': 980257, 'this low wa': 888728, 'low wa 199': 505724, 'wa 199 or': 961359, '199 or 200': 12473, 'or 200 think': 614184, '200 think april': 13551, 'think april 2020': 885148, 'april 2020 stayathome': 83474, '2020 stayathome gasprices': 14613, 'thank those': 841669, 'me look': 523109, 'at toilet': 101341, 'it slice': 461081, 'favourite cake': 300589, 'cake toiletpaper': 155258, 'uk worldofcow': 938917, 'worldofcow panicbuying': 1010263, 'panicbuying stockpiling': 639052, 'to thank those': 916438, 'thank those low': 841672, 'those low life': 892186, 'low life for': 505386, 'life for making': 488664, 'for making me': 323180, 'making me look': 511199, 'me look at': 523110, 'look at toilet': 502304, 'at toilet paper': 101342, 'paper like it': 640415, 'like it slice': 490551, 'it slice of': 461082, 'slice of my': 773871, 'of my favourite': 586766, 'my favourite cake': 548285, 'favourite cake toiletpaper': 300590, 'cake toiletpaper toiletpaperapocalypse': 155259, 'toiletpaperapocalypse toiletpapercrisis 19': 922938, 'toiletpapercrisis 19 uk': 923004, '19 uk worldofcow': 11618, 'uk worldofcow panicbuying': 938918, 'worldofcow panicbuying stockpiling': 1010264, 'coughed in': 208611, 'literally felt': 494991, 'the mint': 860667, 'mint in': 533662, 'my mouth': 549352, 'mouth loud': 543529, 'loud enough': 504490, 'lady with': 478872, 'hear me': 387952, 'coughed in the': 208614, 'today and literally': 919219, 'and literally felt': 66232, 'literally felt the': 494992, 'need to blame': 555870, 'to blame it': 901846, 'on the mint': 604237, 'the mint in': 860669, 'mint in my': 533663, 'in my mouth': 425601, 'my mouth loud': 549353, 'mouth loud enough': 543530, 'loud enough for': 504491, 'enough for the': 277440, 'for the lady': 326519, 'the lady with': 858916, 'lady with to': 478873, 'with to hear': 1001788, 'to hear me': 907410, 'truman': 933356, 'inherent': 438450, 'hot off': 405033, 'press ha': 671055, 'published matt': 688667, 'matt truman': 520530, 'truman view': 933357, 'behavioural shift': 124576, 'shift result': 758398, 'the inherent': 858273, 'inherent opportunity': 438451, 'for investment': 322637, 'investment that': 444065, 'that lie': 844875, 'ahead read': 39203, 'investment retail': 444050, 'hot off the': 405034, 'off the press': 594260, 'the press ha': 864286, 'press ha just': 671056, 'just published matt': 469508, 'published matt truman': 688668, 'matt truman view': 520531, 'truman view on': 933358, 'the consumer behavioural': 851500, 'consumer behavioural shift': 196615, 'behavioural shift result': 124577, 'shift result of': 758399, 'current pandemic and': 221288, 'and the inherent': 73428, 'the inherent opportunity': 858274, 'inherent opportunity for': 438452, 'opportunity for investment': 613618, 'for investment that': 322639, 'investment that lie': 444066, 'that lie ahead': 844876, 'lie ahead read': 488329, 'ahead read it': 39204, 'read it investment': 700386, 'it investment retail': 458838, 'investment retail tech': 444051, 'oilprices fall': 597666, 'sharply doubt': 755730, 'oilprices fall sharply': 597667, 'fall sharply doubt': 297046, 'sharply doubt grow': 755731, 'jbarreralaw': 464906, 'our truck': 625198, 'our law': 623685, 'else working': 271999, 'working behind': 1008539, 'scene jbarreralaw': 741336, 'to those still': 917526, 'those still showing': 892490, 'still showing up': 801196, 'showing up for': 767552, 'for work during': 327921, 'work during pandemic': 1005070, 'during pandemic thank': 262898, 'and nurse the': 67898, 'nurse the delivery': 577505, 'the delivery guy': 853066, 'delivery guy and': 234075, 'guy and grocery': 368889, 'employee our truck': 274095, 'our truck driver': 625199, 'driver and our': 259422, 'and our law': 68500, 'our law enforcement': 623686, 'enforcement and everyone': 276743, 'everyone else working': 286889, 'else working behind': 272000, 'working behind the': 1008540, 'the scene jbarreralaw': 866468, 'car waiting': 163333, '19 oh': 8904, 'wait sorry': 964192, 'sorry this': 786089, 'being ruined': 125707, 'ruined ha': 727133, 'anyone seen': 80517, 'seen line': 747119, 'covid testing': 214230, 'no me': 564739, 'me neither': 523208, 'am shocked by': 50390, 'shocked by this': 759562, 'by this line': 154532, 'this line of': 888634, 'of car waiting': 581134, 'car waiting to': 163335, 'waiting to be': 964397, 'covid 19 oh': 213509, '19 oh wait': 8906, 'oh wait sorry': 596472, 'wait sorry this': 964193, 'sorry this is': 786090, 'line at food': 492983, 'bank because the': 109679, 'because the economy': 119623, 'economy is being': 267991, 'is being ruined': 446111, 'being ruined ha': 125708, 'ruined ha anyone': 727134, 'ha anyone seen': 369590, 'anyone seen line': 80518, 'seen line like': 747120, 'line like this': 493236, 'this for covid': 887588, 'for covid testing': 320435, 'covid testing no': 214231, 'testing no me': 839575, 'no me neither': 564740, 'resident upset': 714391, 'upset over': 947817, 'over higher': 630286, 'resident upset over': 714392, 'upset over higher': 947818, 'over higher price': 630287, 'higher price amid': 395662, 'price amid coronavirus': 672309, 'amid coronavirus crisis': 52419, 'coronavirus crisis full': 205750, 'crisis full story': 217407, 'market attempting': 516053, 'food 50': 313024, 'for carton': 319946, 'dozen egg': 257870, 'egg come': 269828, 'greedy heb': 363525, 'heb ha': 388675, 'local market attempting': 498176, 'market attempting to': 516054, 'attempting to take': 102293, '19 by raising': 5572, 'price on basic': 675652, 'basic food 50': 111880, 'food 50 for': 313025, '50 for carton': 19691, 'for carton of': 319947, 'carton of dozen': 165486, 'of dozen egg': 582808, 'dozen egg come': 257872, 'egg come on': 269829, 'come on no': 187442, 'on no need': 602417, 'to get greedy': 906494, 'get greedy heb': 347148, 'greedy heb ha': 363526, 'heb ha them': 388676, 'ha them at': 372241, 'them at half': 875439, 'half the price': 374274, 'actually didn': 30779, 'over buy': 630044, 'buy during': 148551, 'have faith': 380561, 'faith that': 296536, 'hoarding will': 399663, 'in wave': 430719, 'wave large': 969357, 'large corporation': 479628, 'door unfortunately': 255765, 'bust as': 144822, 'we actually didn': 970280, 'actually didn hoard': 30780, 'didn hoard anything': 241108, 'hoard anything or': 398760, 'anything or over': 80852, 'or over buy': 616478, 'over buy during': 630045, 'buy during we': 148553, 'we have faith': 971813, 'have faith that': 380562, 'faith that even': 296537, 'that even while': 843745, 'even while the': 284792, 'while the hoarding': 987395, 'the hoarding will': 857420, 'hoarding will come': 399664, 'will come in': 992967, 'come in wave': 187380, 'in wave large': 430720, 'wave large corporation': 969358, 'large corporation will': 479630, 'corporation will continue': 207478, 'continue to push': 201239, 'push their product': 690327, 'their product out': 874472, 'product out the': 681507, 'the door unfortunately': 853591, 'door unfortunately this': 255766, 'unfortunately this mean': 941659, 'this mean lot': 888811, 'mean lot of': 524540, 'work for grocery': 1005151, 'for grocery worker': 322061, 'grocery worker who': 366196, 'have to bust': 383171, 'to bust as': 902141, 'credit proposal': 216464, 'proposal outlined': 684471, 'outlined last': 629109, 'provide temporary': 686503, 'those facing': 891984, 'facing payment': 295561, 'payment difficulty': 645596, 'be going ahead': 115049, 'going ahead with': 355005, 'ahead with the': 39224, 'consumer credit proposal': 197025, 'credit proposal outlined': 216465, 'proposal outlined last': 684472, 'outlined last week': 629110, 'week which will': 977236, 'which will provide': 986502, 'will provide temporary': 994520, 'provide temporary financial': 686505, 'financial relief to': 306554, 'to those facing': 917502, 'those facing payment': 891986, 'facing payment difficulty': 295562, 'payment difficulty during': 645597, 'difficulty during the': 242379, '19 pandemic find': 9327, 'the lobbying': 859526, 'lobbying item': 497599, 'from insurance': 336069, 'company limiting': 190851, 'limiting price': 492849, 'price paid': 675826, 'course then': 211939, 'are hit': 87190, 'that end': 843710, 'need bailout': 554516, 'bailout bailouts': 108626, 'bailouts all': 108678, 'of the lobbying': 591196, 'the lobbying item': 859527, 'lobbying item is': 497600, 'item is from': 463384, 'is from insurance': 447945, 'from insurance company': 336070, 'insurance company limiting': 440699, 'company limiting price': 190852, 'limiting price paid': 492850, 'price paid for': 675827, 'paid for covid': 634016, '19 treatment of': 11572, 'treatment of course': 931108, 'of course then': 582072, 'course then the': 211940, 'then the hospital': 877617, 'the hospital are': 857516, 'hospital are hit': 404302, 'are hit on': 87193, 'hit on that': 398356, 'on that end': 603935, 'that end and': 843711, 'end and they': 275771, 'and they need': 73922, 'they need bailout': 882720, 'need bailout bailouts': 554517, 'bailout bailouts all': 108627, 'bailouts all the': 108679, 'endemic': 276150, 'chloroquine remains': 177623, 'cheapest antimalarial': 174301, 'antimalarial drug': 78524, 'drug in': 260982, 'in continental': 421747, 'continental africa': 200934, 'africa easily': 35064, 'easily procured': 265240, 'procured by': 680100, 'poor out': 664246, 'of pocket': 588188, 'pocket if': 662178, 'if proven': 414695, 'treat this': 930901, 'see skyrocketing': 745690, 'skyrocketing of': 773441, 'in malaria': 425005, 'malaria endemic': 511561, 'endemic zone': 276151, 'zone of': 1027772, 'chloroquine remains the': 177624, 'remains the cheapest': 710071, 'the cheapest antimalarial': 850736, 'cheapest antimalarial drug': 174302, 'antimalarial drug in': 78526, 'drug in continental': 260983, 'in continental africa': 421748, 'continental africa easily': 200935, 'africa easily procured': 35065, 'easily procured by': 265241, 'procured by the': 680101, 'by the poor': 154412, 'the poor out': 863982, 'poor out of': 664247, 'out of pocket': 626807, 'of pocket if': 588191, 'pocket if proven': 662179, 'if proven to': 414696, 'proven to treat': 686183, 'to treat this': 917761, 'treat this will': 930902, 'will see skyrocketing': 994792, 'see skyrocketing of': 745692, 'skyrocketing of price': 773442, 'poor in malaria': 664199, 'in malaria endemic': 425006, 'malaria endemic zone': 511562, 'endemic zone of': 276152, 'zone of the': 1027773, 'lockdown trigger': 500076, 'trigger panic': 931879, 'buying commerce': 150125, 'commerce sector': 188626, 'sector urge': 744379, 'urge calm': 948165, 'calm reassures': 156786, 'reassures of': 703220, 'of sufficient': 590378, 'stock via': 803148, 'via jordan': 956045, 'jordan food': 467278, 'lockdown trigger panic': 500077, 'trigger panic buying': 931880, 'panic buying commerce': 637681, 'buying commerce sector': 150126, 'commerce sector urge': 188627, 'sector urge calm': 744380, 'urge calm reassures': 948166, 'calm reassures of': 156787, 'reassures of sufficient': 703221, 'of sufficient stock': 590379, 'sufficient stock via': 817397, 'stock via jordan': 803149, 'via jordan food': 956046, 'jordan food shopping': 467279, 'supermarket shutting': 822692, 'shutting amidst': 768246, 'scare we': 740926, 'are equipped': 86237, 'equipped with': 279901, 'with healthy': 998754, 'eat meal': 265978, 'daily food': 224619, 'amp have': 53909, 'special 20': 787836, 'website stay': 975419, 'the restaurant mall': 865656, 'restaurant mall supermarket': 716563, 'mall supermarket shutting': 511835, 'supermarket shutting amidst': 822693, 'shutting amidst the': 768247, 'amidst the scare': 52833, 'the scare we': 866450, 'scare we are': 740927, 'we are equipped': 970545, 'are equipped with': 86238, 'equipped with healthy': 279902, 'with healthy and': 998755, 'healthy and fresh': 387523, 'and fresh ready': 63302, 'to eat meal': 904891, 'eat meal to': 265980, 'meal to help': 524289, 'up your daily': 946734, 'your daily food': 1023441, 'daily food need': 224621, 'food need amp': 315517, 'need amp have': 554396, 'amp have special': 53913, 'have special 20': 382674, 'special 20 discount': 787837, '20 discount on': 13036, 'discount on our': 244512, 'our website stay': 625351, 'website stay strong': 975420, 'stay strong amp': 797331, 'strong amp we': 813970, 'amp we will': 54823, 'we will fight': 973862, 'will fight this': 993434, 'ordering take': 619028, 'is onlineshopping': 450526, 'onlineshopping safe': 609927, 'outbreak asked': 628031, 'asked expert': 95736, 'we talked about': 973499, 'talked about ordering': 833932, 'about ordering take': 25869, 'ordering take out': 619029, 'take out but': 832442, 'out but is': 625790, 'but is onlineshopping': 146081, 'is onlineshopping safe': 450527, 'onlineshopping safe during': 609928, 'the outbreak asked': 862592, 'outbreak asked expert': 628032, 'asked expert and': 95737, 'expert and got': 291776, 'and got good': 63852, 'got good news': 358587, 'news online': 560671, 'website ocado': 975365, 'ocado suspends': 578922, 'suspends service': 829677, 'bbc news online': 113095, 'news online shopping': 560672, 'shopping website ocado': 764361, 'website ocado suspends': 975366, 'ocado suspends service': 578923, 'ratehub': 697432, 'up sensibly': 945962, 'sensibly and': 750676, 'tip stockup': 898908, 'stockup shopping': 804197, 'shopping ratehub': 763717, 'ratehub canada': 697433, 'stock up sensibly': 803114, 'up sensibly and': 945963, 'sensibly and avoid': 750677, 'and avoid panic': 58572, 'avoid panic shopping': 105210, 'panic shopping tip': 638590, 'shopping tip stockup': 764160, 'tip stockup shopping': 898909, 'stockup shopping ratehub': 804198, 'shopping ratehub canada': 763718, '23k': 15506, 'people making': 648731, 'making le': 511165, 'than 23k': 840204, '23k are': 15507, 'are excluded': 86310, 'individual check': 435156, 'check cuz': 174411, 'cuz one': 223813, 'and currently': 60816, 'iga grocery': 415682, 'store suggest': 810444, 'you stick': 1021395, 'up ass': 944414, 'true that people': 933185, 'that people making': 845701, 'people making le': 648732, 'making le than': 511167, 'le than 23k': 483157, 'than 23k are': 840205, '23k are excluded': 15508, 'are excluded from': 86311, 'excluded from the': 289630, 'from the individual': 337755, 'the individual check': 858142, 'individual check cuz': 435157, 'check cuz one': 174412, 'cuz one of': 223814, 'those people and': 892314, 'people and currently': 646852, 'and currently working': 60817, 'currently working at': 221721, 'the local iga': 859557, 'local iga grocery': 498101, 'iga grocery store': 415683, 'grocery store suggest': 365821, 'store suggest you': 810445, 'suggest you stick': 817559, 'you stick this': 1021396, 'stick this up': 800058, 'this up ass': 890928, 'korang': 477444, 'berpusu': 127409, 'pusu': 690482, 'beratur': 127281, 'tu': 935011, 'is consider': 446738, 'consider mass': 195034, 'gathering well': 344529, 'if korang': 414363, 'korang berpusu': 477445, 'berpusu pusu': 127410, 'pusu beratur': 690483, 'beratur dekat': 127282, 'dekat grocery': 232607, 'store tu': 810969, 'tu stoppanicbuying': 935013, 'stoppanicbuying malaysia': 805588, 'buying it is': 150597, 'it is consider': 458912, 'is consider mass': 446739, 'consider mass gathering': 195035, 'mass gathering well': 519777, 'gathering well if': 344530, 'well if korang': 978305, 'if korang berpusu': 414364, 'korang berpusu pusu': 477446, 'berpusu pusu beratur': 127411, 'pusu beratur dekat': 690484, 'beratur dekat grocery': 127283, 'dekat grocery store': 232608, 'grocery store tu': 365889, 'store tu stoppanicbuying': 810970, 'tu stoppanicbuying malaysia': 935014, 'chishimba': 177551, 'kopalasmostloved': 477437, 'pandemic cannot': 635094, 'be tantamount': 117518, 'majeure which': 509225, 'the mining': 860652, 'mining firm': 533276, 'firm ha': 308362, 'ha used': 372421, 'used scapegoat': 950004, 'scapegoat chishimba': 740752, 'chishimba note': 177552, 'that laying': 844850, 'laying off': 482662, 'off over': 594045, 'over 11': 629778, 'outrageous kopalasmostloved': 629324, '19 pandemic cannot': 9286, 'pandemic cannot be': 635096, 'cannot be tantamount': 161649, 'be tantamount to': 117519, 'tantamount to force': 834279, 'to force majeure': 906169, 'force majeure which': 328434, 'majeure which the': 509226, 'which the mining': 986375, 'the mining firm': 860654, 'mining firm ha': 533277, 'firm ha used': 308366, 'ha used scapegoat': 372422, 'used scapegoat chishimba': 950005, 'scapegoat chishimba note': 740753, 'chishimba note that': 177553, 'note that laying': 572803, 'that laying off': 844851, 'laying off over': 482663, 'off over 11': 594046, 'over 11 00': 629779, '11 00 worker': 2434, '00 worker is': 608, 'worker is outrageous': 1007240, 'is outrageous kopalasmostloved': 450673, 'big roll': 129971, 'greedy fucker': 363516, 'fucker rt': 339751, '10 for big': 1431, 'for big roll': 319676, 'big roll expose': 129972, 'these greedy fucker': 880074, 'greedy fucker rt': 363517, 'emptiness': 274719, 'rare sight': 697097, 'of emptiness': 583084, 'emptiness at': 274720, 'lockdown sanantonio': 499878, 'rare sight of': 697098, 'sight of emptiness': 769050, 'of emptiness at': 583085, 'emptiness at the': 274721, 'local supermarket lockdown': 498553, 'supermarket lockdown sanantonio': 821366, 'egoistic': 270079, 'weakest': 974115, 'hamstern': 374679, 'that heartbreaking': 844287, 'heartbreaking shame': 388404, 'these egoistic': 879954, 'egoistic people': 270080, 'the weakest': 871233, 'weakest member': 974122, 'society hamstern': 781233, 'hamstern toiletpaper': 374684, 'toiletpaper eldercare': 921951, 'that heartbreaking shame': 844288, 'heartbreaking shame on': 388405, 'shame on these': 754630, 'on these egoistic': 604561, 'these egoistic people': 879955, 'egoistic people that': 270081, 'people that do': 649759, 'about the weakest': 26558, 'the weakest member': 871237, 'weakest member of': 974123, 'member of society': 528149, 'of society hamstern': 589872, 'society hamstern toiletpaper': 781234, 'hamstern toiletpaper eldercare': 374685, '1945': 12366, 'babyboom2020': 106754, 'honest to': 403086, 'god told': 354821, 'told said': 923673, 'people stuck': 649678, 'home large': 401513, 'large supply': 479810, 'tv we': 936219, 'get second': 347962, 'second baby': 743662, 'baby boom': 106572, 'boom like': 134813, 'of 1919': 579426, '1919 of': 12322, 'of 1945': 579429, '1945 coronapocolypse': 12367, 'coronapocolypse babyboom2020': 205221, 'honest to god': 403087, 'to god told': 906897, 'god told said': 354822, 'told said this': 923674, 'said this today': 731499, 'this today at': 890751, 'today at work': 919288, 'work with all': 1006022, 'these people stuck': 880458, 'people stuck at': 649679, 'at home large': 99028, 'home large supply': 401514, 'large supply of': 479811, 'of food wine': 583821, 'food wine and': 317636, 'wine and on': 995768, 'and on demand': 68056, 'demand tv we': 236424, 'tv we re': 936220, 'to get second': 906585, 'get second baby': 347963, 'second baby boom': 743663, 'baby boom like': 106573, 'boom like that': 134814, 'that of 1919': 845442, 'of 1919 of': 579428, '1919 of 1945': 12323, 'of 1945 coronapocolypse': 579430, '1945 coronapocolypse babyboom2020': 12368, 'nationalizing the': 552682, 'should bring': 765796, 'happens then': 377506, 'maybe american': 521644, 'american would': 52326, 'stop funding': 804679, 'funding the': 341619, 'the destruction': 853201, 'destruction of': 239113, 'nationalizing the airline': 552683, 'the airline should': 848501, 'airline should bring': 40019, 'should bring down': 765798, 'bring down the': 139962, 'price so everyone': 676504, 'so everyone can': 776972, 'everyone can travel': 286770, 'can travel and': 160035, 'travel and see': 930257, 'world if this': 1009648, 'if this happens': 415157, 'this happens then': 887857, 'happens then maybe': 377507, 'then maybe american': 877332, 'maybe american would': 521645, 'american would stop': 52327, 'would stop funding': 1012278, 'stop funding the': 804680, 'funding the destruction': 341620, 'the destruction of': 853202, 'destruction of the': 239117, 'central valley': 169439, 'valley and': 951951, 'bread for': 138468, 'week very': 977163, 'few food': 303834, 'stock anymore': 801839, 'anymore concern': 80125, 'concern leave': 193009, 'leave bayarea': 484748, 'bayarea grocery': 112982, 'store bare': 806645, 'in the central': 429063, 'the central valley': 850606, 'central valley and': 169440, 'valley and have': 951952, 'have been out': 379627, 'of bread for': 580840, 'bread for week': 138472, 'for week very': 327760, 'week very few': 977164, 'very few food': 955161, 'few food item': 303836, 'item in stock': 463355, 'in stock anymore': 428282, 'stock anymore concern': 801840, 'anymore concern leave': 80126, 'concern leave bayarea': 193010, 'leave bayarea grocery': 484749, 'bayarea grocery store': 112983, 'grocery store bare': 365237, 'diced': 240445, 'meat chicken': 525518, 'or pork': 616639, 'pork left': 664802, 'house from': 406314, 'from get': 335621, '15 off': 3790, 'free box': 331682, 'of diced': 582584, 'diced chicken': 240446, 'breast when': 139148, 'link affiliate': 493782, 'affiliate spend': 34621, 'spend 119': 788552, '119 for': 2697, 'no meat chicken': 564747, 'meat chicken or': 525519, 'chicken or pork': 175826, 'or pork left': 616641, 'pork left at': 664803, 'still get it': 800554, 'your house from': 1024411, 'house from get': 406315, 'from get 15': 335622, 'get 15 off': 346464, '15 off free': 3791, 'off free box': 593844, 'free box of': 331683, 'box of diced': 137114, 'of diced chicken': 582585, 'diced chicken breast': 240447, 'chicken breast when': 175758, 'breast when you': 139149, 'you use this': 1022007, 'this link affiliate': 888640, 'link affiliate spend': 493783, 'affiliate spend 119': 34622, 'spend 119 for': 788553, '119 for free': 2698, 'for free shipping': 321729, 'been and': 120659, 'priority although': 678503, 'been easy': 121058, 'anyone we': 80606, 'remain ready': 709846, 'connect you': 194638, 'and customer ha': 60844, 'customer ha been': 222423, 'ha been and': 369718, 'been and always': 120660, 'always will be': 49804, 'will be our': 992593, 'be our top': 116280, 'top priority although': 925674, 'priority although this': 678504, 'although this situation': 49374, 'situation ha not': 772297, 'not been easy': 568510, 'been easy for': 121060, 'easy for anyone': 265703, 'for anyone we': 319453, 'anyone we remain': 80607, 'we remain ready': 973074, 'remain ready to': 709848, 'ready to connect': 700945, 'to connect you': 903212, 'connect you to': 194639, 'you to what': 1021856, 'to what is': 918519, 'is important in': 448728, 'important in your': 418835, 'think still': 885566, 'so gave': 777155, 'an ironic': 56463, 'ironic turn': 444942, 'event all': 284942, 'find wa': 307371, 'their emergency': 873125, 'package stop': 633410, 'didn think still': 241237, 'think still be': 885567, 'still be in': 800256, 'be in london': 115416, 'in london so': 424896, 'london so gave': 501180, 'so gave all': 777156, 'gave all my': 344595, 'my food to': 548391, 'food to so': 317290, 'to so in': 914801, 'so in an': 777383, 'in an ironic': 420321, 'an ironic turn': 56464, 'ironic turn of': 444943, 'turn of event': 935710, 'of event all': 583229, 'event all could': 284943, 'all could find': 42470, 'could find wa': 209182, 'find wa the': 307372, 'wa the food': 963448, 'food we get': 317529, 'we get donated': 971609, 'the elderly for': 854123, 'elderly for their': 270684, 'for their emergency': 326822, 'their emergency package': 873126, 'emergency package stop': 272844, 'package stop fucking': 633411, 'furn': 341936, 'shebbak': 756495, 'sollom': 781964, 'been shut': 121958, 'down poverty': 257102, 'poverty is': 667500, 'rising in': 723235, 'lebanon protester': 485194, 'protester from': 685946, 'last october': 480410, 'october demonstration': 579143, 'demonstration are': 236872, 'are handing': 86991, 'parcel but': 641482, 'demand followed': 235351, 'followed them': 312616, 'in furn': 423187, 'furn el': 341937, 'el shebbak': 270463, 'shebbak and': 756496, 'and hay': 64305, 'hay el': 384505, 'el sollom': 270465, 'ha been shut': 369921, 'been shut down': 121959, 'shut down poverty': 767846, 'down poverty is': 257103, 'poverty is rising': 667501, 'is rising in': 451555, 'rising in lebanon': 723238, 'in lebanon protester': 424663, 'lebanon protester from': 485195, 'protester from last': 685947, 'from last october': 336193, 'last october demonstration': 480411, 'october demonstration are': 579144, 'demonstration are handing': 236874, 'are handing out': 86992, 'handing out food': 376132, 'out food parcel': 626086, 'food parcel but': 315811, 'parcel but are': 641483, 'but are struggling': 145223, 'meet demand followed': 527466, 'demand followed them': 235352, 'followed them this': 312618, 'them this week': 876434, 'week in furn': 976370, 'in furn el': 423188, 'furn el shebbak': 341938, 'el shebbak and': 270464, 'shebbak and hay': 756497, 'and hay el': 64306, 'hay el sollom': 384506, 'unfold': 941504, 'watching covid': 968721, '19 unfold': 11631, 'unfold consumer': 941505, 'and distracted': 61502, 'distracted one': 247892, 'one rather': 606934, 'than maker': 840862, 'of exemplary': 583297, 'exemplary communication': 289957, 'canadian politician': 160728, 'politician regular': 663735, 'regular daily': 707759, 'daily time': 224836, 'time bring': 896407, 'big gun': 129809, 'gun answer': 368688, 'answer long': 78073, 've been watching': 952959, 'been watching covid': 122355, 'watching covid 19': 968722, 'covid 19 unfold': 213998, '19 unfold consumer': 11632, 'unfold consumer of': 941506, 'consumer of news': 198245, 'of news and': 587000, 'news and distracted': 560228, 'and distracted one': 61503, 'distracted one rather': 247893, 'one rather than': 606935, 'rather than maker': 697534, 'than maker of': 840863, 'maker of it': 510846, 'of it but': 585373, 'it but it': 456950, 'it seems to': 460958, 'seems to me': 746884, 'to me there': 909960, 'me there ha': 523677, 'ha been lot': 369848, 'lot of exemplary': 504186, 'of exemplary communication': 583298, 'exemplary communication from': 289958, 'communication from canadian': 189593, 'from canadian politician': 334799, 'canadian politician regular': 160729, 'politician regular daily': 663736, 'regular daily time': 707760, 'daily time bring': 224837, 'time bring out': 896408, 'out the big': 627354, 'the big gun': 849608, 'big gun answer': 129810, 'gun answer long': 368689, 'answer long they': 78074, 'long they ask': 501743, 'pandemic stayinside': 636548, 'sanitizer pandemic stayinside': 735531, 'yell retail': 1015212, 'employee it': 273994, 'fault the': 300421, 'ha run': 371785, 'not yell retail': 572593, 'yell retail employee': 1015213, 'retail employee it': 718073, 'employee it not': 273996, 'their fault the': 873290, 'fault the store': 300422, 'store ha run': 808019, 'ha run out': 371786, 'out of alcohol': 626675, 'of alcohol hand': 579894, 'sanitizer or toilet': 735495, 'paper they are': 640896, 'going through this': 355509, 'through this like': 894827, 'this like the': 888629, 'like the rest': 491394, 'rest of in': 716196, 'of in this': 585051, 'time of fear': 897330, 'and confusion please': 60298, 'confusion please do': 194396, 'plus preserving': 661661, 'preserving vital': 670730, 'vital water': 959749, 'supply irish': 825430, 'irish water': 444897, 'water on': 969082, 'business landlord': 143982, 'landlord can': 479342, 'changing face': 172709, 'from lidl': 336221, 'lidl on': 488298, 'on measure': 602080, 'plus preserving vital': 661662, 'preserving vital water': 670731, 'vital water supply': 959750, 'water supply irish': 969186, 'supply irish water': 825431, 'irish water on': 444898, 'water on what': 969084, 'what business landlord': 981152, 'business landlord can': 143983, 'landlord can do': 479344, 'pandemic the changing': 636667, 'the changing face': 850682, 'changing face of': 172710, 'face of supermarket': 294675, 'of supermarket shopping': 590444, 'supermarket shopping we': 822656, 'shopping we ll': 764352, 'll hear from': 496840, 'hear from lidl': 387924, 'from lidl on': 336222, 'lidl on measure': 488299, 'on measure they': 602082, 'measure they re': 525376, 'taking to deal': 833631, 'whoateallthepies': 990083, 'wonder can': 1003942, 'can some': 159665, 'as work': 94835, 'been stock': 122038, 'piled over': 656549, 'week how': 976340, 'much ha': 544967, 'been consumed': 120881, 'consumed how': 195965, 'been wasted': 122352, 'much weight': 545448, 'weight ha': 977698, 'ha everyone': 370530, 'everyone put': 287304, 'on stockpiling': 603680, 'stockpiling whoateallthepies': 804119, 'wonder can some': 1003943, 'can some smart': 159666, 'some smart as': 783898, 'smart as work': 775345, 'as work out': 94836, 'much food ha': 544901, 'ha been stock': 369934, 'been stock piled': 122039, 'stock piled over': 802645, 'piled over the': 656550, 'last week how': 480652, 'week how much': 976342, 'how much ha': 408352, 'much ha been': 544968, 'ha been consumed': 369758, 'been consumed how': 120882, 'consumed how much': 195966, 'ha been wasted': 369981, 'been wasted and': 122353, 'wasted and how': 968229, 'how much weight': 408385, 'much weight ha': 545449, 'weight ha everyone': 977699, 'ha everyone put': 370534, 'everyone put on': 287305, 'put on stockpiling': 690726, 'on stockpiling whoateallthepies': 603683, 'india govt': 434430, 'say monitoring': 738950, 'monitoring soap': 537369, 'price catch': 673087, 'catch all': 166975, 'in india govt': 424037, 'india govt say': 434431, 'govt say monitoring': 361268, 'say monitoring soap': 738951, 'monitoring soap price': 537370, 'soap price catch': 779085, 'price catch all': 673088, 'catch all the': 166976, 'all the live': 44811, 'the live update': 859503, 'brocklebank': 140805, 'hers': 394224, 'beerforkeir': 122550, 'keepingtheukconnected': 472649, 'brocklebank had': 140806, 'same experience': 733056, 'pretty dead': 671389, 'dead lifted': 229158, 'lifted my': 489490, 'my and': 547263, 'hope hers': 403499, 'hers to': 394227, 'to beerforkeir': 901699, 'beerforkeir keepingtheukconnected': 122551, 'brocklebank had the': 140807, 'the same experience': 866223, 'same experience with': 733057, 'experience with cashier': 291541, 'with cashier in': 997566, 'cashier in big': 166547, 'big supermarket that': 130035, 'supermarket that wa': 823201, 'that wa pretty': 847304, 'wa pretty dead': 962990, 'pretty dead lifted': 671390, 'dead lifted my': 229159, 'lifted my and': 489491, 'my and hope': 547264, 'and hope hers': 64715, 'hope hers to': 403500, 'hers to beerforkeir': 394228, 'to beerforkeir keepingtheukconnected': 901700, 'argues': 92711, 'via barclays': 955805, 'barclays is': 110846, 'starting new': 794982, 'new esg': 558710, 'esg research': 280364, 'research publication': 713821, 'publication that': 688515, 'that argues': 842859, 'argues covid': 92714, 'via barclays is': 955806, 'barclays is starting': 110847, 'is starting new': 452232, 'starting new esg': 794983, 'new esg research': 558711, 'esg research publication': 280365, 'research publication that': 713822, 'publication that argues': 688516, 'that argues covid': 842860, 'argues covid 19': 92715, 'why trump': 991491, 'trump chinese': 933477, 'virus tweet': 958950, 'tweet is': 936374, 'should not need': 766255, 'need to explain': 555925, 'to explain why': 905479, 'explain why trump': 292141, 'why trump chinese': 991493, 'trump chinese virus': 933478, 'chinese virus tweet': 177389, 'virus tweet is': 958951, 'tweet is wrong': 936375, 'is wrong but': 454098, 'wrong but here': 1013007, 'hill is': 396480, 'asking hoosier': 96007, 'pandemic sweep': 636612, 'sweep across': 830093, 'globe for': 352460, 'complaint please': 192009, 'curtis hill is': 221820, 'hill is asking': 396481, 'is asking hoosier': 445829, 'asking hoosier to': 96008, '19 pandemic sweep': 9488, 'pandemic sweep across': 636613, 'sweep across the': 830094, 'the globe for': 856354, 'globe for tip': 352461, 'scam and for': 739999, 'and for information': 63144, 'consumer complaint please': 196857, 'complaint please click': 192010, 'please click here': 659790, 'not according': 568034, 'to cuban': 903788, 'cuban the': 220170, 'the resellers': 865569, 'resellers jacking': 713977, 'jacking price': 464177, 'price work': 677645, 'for 3m': 318826, '3m 3m': 18297, '3m should': 18337, 'should fire': 765995, 'or revoke': 616901, 'revoke their': 720717, 'their contract': 872875, 'contract if': 201665, 'if 3m': 413763, 'isn profiteering': 454629, 'off why': 594385, 'hell aren': 388984, 'not according to': 568035, 'according to cuban': 28531, 'to cuban the': 903789, 'cuban the resellers': 220171, 'the resellers jacking': 865570, 'resellers jacking price': 713978, 'jacking price work': 464178, 'price work for': 677646, 'work for 3m': 1005136, 'for 3m 3m': 318827, '3m 3m should': 18298, '3m should fire': 18338, 'should fire or': 765996, 'fire or revoke': 308106, 'or revoke their': 616902, 'revoke their contract': 720718, 'their contract if': 872877, 'contract if 3m': 201666, 'if 3m isn': 413764, '3m isn profiteering': 18327, 'isn profiteering off': 454630, 'profiteering off why': 683072, 'off why the': 594386, 'the hell aren': 857237, 'hell aren they': 388985, 'and lorain': 66393, 'lorain grocery': 503296, 'their opening': 874112, 'supply without': 826125, 'and lorain grocery': 66394, 'lorain grocery store': 503297, 'adjusting their opening': 32360, 'their opening hour': 874113, 'opening hour to': 612861, 'to give those': 906721, 'give those most': 350784, 'on supply without': 603838, 'supply without having': 826126, 'having to deal': 384338, 'deal with large': 229557, 'you think could': 1021650, 'think could use': 885197, 'on steady': 603659, 'steady schedule': 799142, 'schedule out': 741451, 'fair great': 296335, 'see http': 745261, 'from the right': 337859, 'them on steady': 876094, 'on steady schedule': 603660, 'steady schedule out': 799143, 'schedule out of': 741452, 'out of london': 626773, 'of london at': 585986, 'than fair great': 840636, 'fair great to': 296336, 'to see http': 914022, 'cx suburban': 223919, 'suburban grocery': 816138, 'grocery shopper': 364982, 'most issue': 542459, 'with securing': 1000615, 'securing online': 744509, 'grocery they': 366039, 'grocery right': 364908, 'well an': 978011, 'an obstacle': 56547, 'ux cx suburban': 951508, 'cx suburban grocery': 223920, 'suburban grocery shopper': 816139, 'grocery shopper are': 364985, 'shopper are having': 761392, 'are having the': 87041, 'having the most': 384314, 'the most issue': 861004, 'most issue with': 542460, 'issue with securing': 456018, 'with securing online': 1000616, 'securing online grocery': 744510, 'online grocery they': 608334, 'grocery they are': 366040, 'to be shopping': 901537, 'be shopping online': 117154, 'for grocery right': 322049, 'grocery right now': 364909, 'right now an': 722021, 'now an opportunity': 574022, 'an opportunity well': 56677, 'opportunity well an': 613742, 'well an obstacle': 978012, 'than low': 840857, 'low socialdistancing': 505630, 'socialdistancing due': 780337, 'caused more': 167916, 'this shift': 890063, 'ha attracted': 369647, 'attracted even': 102709, 'more fraudsters': 539281, 'fraudsters looking': 331421, 'lower than low': 506011, 'than low socialdistancing': 840859, 'low socialdistancing due': 505631, 'socialdistancing due to': 780338, 'ha caused more': 370089, 'caused more consumer': 167917, 'more consumer to': 538876, 'consumer to turn': 199332, 'to digital shopping': 904298, 'digital shopping however': 242649, 'shopping however this': 762936, 'however this shift': 409505, 'this shift in': 890064, 'behavior ha attracted': 124051, 'ha attracted even': 369648, 'attracted even more': 102710, 'even more fraudsters': 284357, 'more fraudsters looking': 539282, 'fraudsters looking to': 331422, 'looking to cash': 503021, 'cash in during': 166253, 'in during time': 422425, 'time of panic': 897352, 'redid': 705708, 'creature': 216256, 'me redid': 523383, 'redid my': 705709, 'my level': 549004, 'level with': 487761, 'more reward': 540260, 'reward early': 720774, 'all design': 42556, 'design information': 238241, 'about commission': 24977, 'commission send': 188897, 'me prompt': 523359, 'prompt for': 683902, 'any creature': 79082, 'creature character': 216257, 'character in': 173156, 'monthly prompt': 538191, 'prompt thread': 683919, 'thread off': 893583, 'off commission': 593734, 'any support help': 79926, 'support help me': 826563, 'help me redid': 390075, 'me redid my': 523384, 'redid my level': 705711, 'my level with': 549006, 'level with more': 487762, 'with more reward': 999561, 'more reward early': 540261, 'reward early access': 720775, 'early access to': 264536, 'access to all': 28216, 'to all design': 900240, 'all design information': 42558, 'design information about': 238242, 'information about commission': 437701, 'about commission send': 24978, 'commission send me': 188898, 'send me prompt': 749888, 'me prompt for': 523360, 'prompt for any': 683903, 'for any creature': 319400, 'any creature character': 79083, 'creature character in': 216258, 'character in monthly': 173157, 'in monthly prompt': 425426, 'monthly prompt thread': 538192, 'prompt thread off': 683920, 'thread off commission': 893584, 'off commission price': 593735, 'pantry live': 639624, '12 15': 2774, 'happening at': 377328, 'their distribution': 873039, 'center donate': 169187, 'the pantry live': 863256, 'pantry live at': 639625, 'live at 12': 495730, 'at 12 15': 97450, '12 15 on': 2775, '15 on with': 3796, 'on with what': 605352, 'with what you': 1002077, 'know and what': 476258, 'and what happening': 75467, 'what happening at': 981552, 'happening at their': 377331, 'at their distribution': 101165, 'their distribution center': 873040, 'distribution center donate': 248123, 'center donate here': 169188, 'alert how': 41448, 'bailout can': 108628, 'you cash': 1017903, 'cash global': 166244, 'covid alert how': 214121, 'alert how the': 41449, 'coronavirus consumer bailout': 205677, 'consumer bailout can': 196382, 'bailout can get': 108629, 'get you cash': 348672, 'you cash global': 1017904, 'cash global pandemic': 166245, 'after economic': 35611, 'pakistan due': 634445, 'have witnessed': 383612, 'witnessed an': 1003134, 'also increased': 48412, 'increased enormously': 433310, 'enormously via': 277302, 'after economic crisis': 35612, 'economic crisis in': 267035, 'crisis in pakistan': 217538, 'in pakistan due': 426438, 'pakistan due to': 634446, 'to pandemic the': 911376, 'pandemic the price': 636693, 'food item have': 315209, 'item have witnessed': 463322, 'have witnessed an': 383613, 'witnessed an increase': 1003135, 'an increase and': 56237, 'increase and meat': 432678, 'and meat price': 66858, 'meat price ha': 525698, 'price ha also': 674376, 'ha also increased': 369525, 'also increased enormously': 48414, 'increased enormously via': 433311, 'vsp': 960765, 'vsp the': 960766, 'steel plant': 799349, 'plant is': 658670, 'open without': 612687, 'without basic': 1002512, 'basic thermal': 112081, 'thermal screening': 879494, 'screening sanitizer': 742770, 'even alcohol': 283825, 'wash there': 967552, 'still zero': 801451, 'zero crowd': 1027431, 'crowd management': 219203, 'and unsanitary': 74706, 'unsanitary work': 943419, 'work condition': 1004996, 'risk what': 724011, 'vsp the steel': 960767, 'the steel plant': 867865, 'steel plant is': 799350, 'plant is still': 658671, 'still open without': 800982, 'open without basic': 612688, 'without basic thermal': 1002513, 'basic thermal screening': 112082, 'thermal screening sanitizer': 879495, 'screening sanitizer supply': 742771, 'sanitizer supply or': 735833, 'supply or even': 825683, 'or even alcohol': 615188, 'even alcohol based': 283826, 'based hand wash': 111605, 'hand wash there': 375931, 'wash there is': 967553, 'there is still': 878633, 'is still zero': 452329, 'still zero crowd': 801452, 'zero crowd management': 1027432, 'crowd management and': 219204, 'management and unsanitary': 512535, 'and unsanitary work': 74707, 'unsanitary work condition': 943420, 'work condition the': 1004998, 'condition the employee': 193538, 'the employee are': 854254, 'at risk what': 100415, 'risk what will': 724012, 'will you do': 995383, 'merchant that': 529050, 'that measure': 845129, 'measure customer': 525168, 'customer price': 222712, 'is inflating': 448908, 'blessed maryland': 132623, 'only merchant that': 610785, 'merchant that measure': 529051, 'that measure customer': 845130, 'measure customer price': 525169, 'customer price please': 222713, 'price please call': 675881, 'you think your': 1021695, 'think your store': 885824, 'store is inflating': 808498, 'is inflating price': 448909, 'in this tragedy': 430031, 'stay blessed maryland': 796797, 'model slammed': 535308, 'sale plunge': 732452, 'business model slammed': 144060, 'model slammed by': 535309, 'slammed by sale': 773499, 'by sale plunge': 153860, 'on amp': 599311, 'these emergency': 879956, 'worth reminding': 1011428, 'everyone of': 287221, 'basic if': 111943, 'be covid19': 114271, 'covid19 then': 214388, 'time go on': 896845, 'go on amp': 353877, 'on amp we': 599318, 'amp we get': 54818, 'we get used': 971636, 'used to these': 950098, 'to these emergency': 917339, 'these emergency measure': 879957, 'emergency measure it': 272796, 'measure it worth': 525247, 'it worth reminding': 462572, 'worth reminding everyone': 1011429, 'reminding everyone of': 710624, 'everyone of the': 287222, 'of the basic': 590813, 'the basic if': 849311, 'basic if anyone': 111944, 'your home ha': 1024356, 'home ha symptom': 401332, 'ha symptom that': 372139, 'may be covid19': 520968, 'be covid19 then': 114272, 'covid19 then you': 214389, 'at home no': 99059, 'home no supermarket': 401666, 'no supermarket trip': 565626, 'supermarket trip or': 823548, 'trip or walk': 932132, 'or walk outside': 617711, 'outside everyone must': 629416, 'hacker exploit': 372766, 'exploit panic': 292351, 'software mask': 781538, 'way hacker exploit': 969613, 'hacker exploit panic': 372767, 'exploit panic for': 292352, 'application email sm': 82451, 'vulnerable software mask': 961173, 'software mask for': 781539, 'for the face': 326424, 'wigamesnightcaribbean': 992027, 'wigamesnightcaribbean sorry': 992028, 'sorry must': 786066, 'this empty': 887373, 'run soon': 727809, 'wigamesnightcaribbean sorry must': 992029, 'sorry must fix': 786067, 'must fix this': 546660, 'fix this empty': 309760, 'this empty because': 887374, '19 so supermarket': 10652, 'so supermarket run': 778314, 'supermarket run soon': 822277, 'would definitely': 1011751, 'sweeping episode': 830197, 'would definitely be': 1011752, 'definitely be some': 232311, 'be some good': 117296, 'some good supermarket': 782974, 'good supermarket sweeping': 357799, 'supermarket sweeping episode': 823118, 'sweeping episode now': 830198, 'specified': 788304, 'not respect': 571338, 'respect that': 715058, 'socialdistancing must': 780538, 'done during': 254822, 'tell someone': 837062, 'someone behind': 784384, 'line behind': 493006, 'behind be': 124601, 'be clearly': 114109, 'clearly specified': 181573, 'specified the': 788307, 'the ft': 855918, 'ft mark': 339352, 'some people do': 783510, 'do not respect': 249825, 'not respect that': 571340, 'respect that socialdistancing': 715060, 'that socialdistancing must': 846372, 'socialdistancing must be': 780539, 'be done during': 114554, 'done during 19': 254823, 'during 19 had': 262406, 'had to tell': 373735, 'to tell someone': 916348, 'tell someone behind': 837063, 'someone behind me': 784385, 'behind me at': 124662, 'store to move': 810788, 'to move back': 910305, 'move back to': 543618, 'back to where': 107410, 'to where the': 918542, 'where the line': 985236, 'the line behind': 859405, 'line behind be': 493007, 'behind be clearly': 124602, 'be clearly specified': 114110, 'clearly specified the': 181574, 'specified the ft': 788308, 'the ft mark': 855920, 'can sustain': 159883, 'sustain this': 829748, 'to industry': 908345, 'moving towards': 544212, 'towards supply': 927253, 'there no one': 878824, 'who can sustain': 988411, 'can sustain this': 159884, 'sustain this it': 829749, 'this it over': 888526, 'over price drop': 630520, 'price drop and': 673559, 'drop and dairy': 260123, 'dump milk due': 262172, 'due to industry': 261828, 'to industry is': 908346, 'industry is moving': 435935, 'is moving towards': 449760, 'moving towards supply': 544214, 'towards supply management': 927254, '19 allowed': 4909, 'covid 19 allowed': 212610, '19 allowed me': 4910, 'me to shop': 523781, 'kotak': 477564, 'current quarter': 221332, 'quarter ha': 693245, 'weak note': 974036, 'note company': 572712, 'are indicating': 87522, 'indicating bigger': 435004, 'bigger shock': 130169, 'shock if': 759455, 'is extended': 447666, 'extended beyond': 293148, 'beyond april': 129132, '2020 observed': 14469, 'observed report': 578626, 'by kotak': 153003, 'kotak institutional': 477565, 'institutional equity': 440485, 'while the current': 987381, 'the current quarter': 852655, 'current quarter ha': 221333, 'quarter ha started': 693246, 'ha started on': 372045, 'started on weak': 794796, 'on weak note': 605145, 'weak note company': 974037, 'note company are': 572713, 'company are indicating': 190431, 'are indicating bigger': 87523, 'indicating bigger shock': 435005, 'bigger shock if': 130170, 'shock if the': 759456, 'if the lockdown': 414995, 'lockdown is extended': 499541, 'is extended beyond': 447667, 'extended beyond april': 293149, 'beyond april 14': 129133, '14 2020 observed': 3395, '2020 observed report': 14470, 'observed report by': 578627, 'report by kotak': 711846, 'by kotak institutional': 153004, 'kotak institutional equity': 477566, 'support if': 826580, 'can great': 158530, 'great sheffield': 362988, 'sheffield based': 756641, 'food project': 316062, 'project need': 683515, 'parcel to': 641526, 'need foodhall': 554820, 'foodhall project': 317930, 'project covid': 683484, 'response crowdfunding': 715669, 'please support if': 660612, 'support if you': 826581, 'you can great': 1017687, 'can great sheffield': 158531, 'great sheffield based': 362989, 'sheffield based food': 756642, 'based food project': 111582, 'food project need': 316063, 'project need support': 683516, 'need support to': 555691, 'support to pay': 826949, 'pay for stock': 644902, 'for stock to': 325913, 'stock to deliver': 802993, 'food parcel to': 315821, 'parcel to those': 641529, 'in need foodhall': 425743, 'need foodhall project': 554821, 'foodhall project covid': 317931, 'project covid 19': 683485, '19 emergency response': 6764, 'emergency response crowdfunding': 272930, 'nbfcs': 553256, 'sir whats': 771678, 'your view': 1026277, 'finance focussed': 306196, 'focussed nbfcs': 312006, 'nbfcs in': 553257, 'sir whats your': 771679, 'whats your view': 982857, 'your view on': 1026278, 'view on consumer': 957134, 'on consumer finance': 600050, 'consumer finance focussed': 197475, 'finance focussed nbfcs': 306197, 'focussed nbfcs in': 312007, 'nbfcs in the': 553259, 'comparti': 191465, 'esta': 282008, 'nosotros': 567971, 'donde': 254746, 'trabajaba': 928117, 'fresas': 332892, 'despu': 238939, 'lluvia': 497140, 'semana': 749586, 'francisco shared': 331125, 'shared this': 755457, 'photo with': 655271, 'with from': 998564, 'from santa': 337159, 'santa maria': 736597, 'maria ca': 515674, 'ca where': 154913, 'the strawberry': 868208, 'strawberry after': 812763, 'week rain': 976787, 'rain wefeedyou': 695758, 'wefeedyou francisco': 977619, 'francisco comparti': 331103, 'comparti esta': 191466, 'esta foto': 282009, 'foto con': 330115, 'con nosotros': 192806, 'nosotros desde': 567974, 'desde santa': 237995, 'ca donde': 154872, 'donde trabajaba': 254747, 'trabajaba en': 928118, 'la fresas': 478165, 'fresas despu': 332893, 'despu de': 238940, 'la lluvia': 478184, 'lluvia de': 497141, 'de esta': 229053, 'esta semana': 282011, 'semana wefeedyou': 749587, 'francisco shared this': 331126, 'shared this photo': 755459, 'this photo with': 889569, 'photo with from': 655272, 'with from santa': 998567, 'from santa maria': 337160, 'santa maria ca': 736598, 'maria ca where': 515676, 'ca where he': 154914, 'where he is': 984917, 'in the strawberry': 429578, 'the strawberry after': 868209, 'strawberry after this': 812764, 'after this week': 36418, 'this week rain': 891255, 'week rain wefeedyou': 976788, 'rain wefeedyou francisco': 695759, 'wefeedyou francisco comparti': 977620, 'francisco comparti esta': 331104, 'comparti esta foto': 191467, 'esta foto con': 282010, 'foto con nosotros': 330116, 'con nosotros desde': 192807, 'nosotros desde santa': 567975, 'desde santa maria': 237996, 'maria ca donde': 515675, 'ca donde trabajaba': 154873, 'donde trabajaba en': 254748, 'trabajaba en la': 928119, 'en la fresas': 275384, 'la fresas despu': 478166, 'fresas despu de': 332894, 'despu de la': 238941, 'de la lluvia': 229082, 'la lluvia de': 478185, 'lluvia de esta': 497142, 'de esta semana': 229054, 'esta semana wefeedyou': 282012, 'just me headed': 469241, 'me headed off': 522876, 'frontpage': 338936, 'worker palpable': 1007537, 'palpable fear': 634631, 'fear 13': 300998, '2020 asymptomatic': 14152, 'asymptomatic newnormal': 97315, 'newnormal stayhome': 560148, 'socialdistancing washyourhands': 780853, 'washyourhands america': 967856, 'america frontpage': 51529, 'frontpage 2020': 338937, '2020 today': 14665, 'store worker palpable': 811553, 'worker palpable fear': 1007538, 'palpable fear 13': 634632, 'fear 13 2020': 300999, '13 2020 asymptomatic': 3169, '2020 asymptomatic newnormal': 14153, 'asymptomatic newnormal stayhome': 97316, 'newnormal stayhome socialdistancing': 560149, 'stayhome socialdistancing washyourhands': 798121, 'socialdistancing washyourhands america': 780854, 'washyourhands america frontpage': 967857, 'america frontpage 2020': 51530, 'frontpage 2020 today': 338938, 'flourishing': 311200, 'the flourishing': 855445, 'flourishing of': 311205, 'local organic': 498241, 'organic healthy': 619221, 'food movement': 315483, 'the natural': 861317, 'natural world': 552878, 'impressive that': 419491, 'these organisation': 880378, 'organisation have': 619267, 'sudden increased': 817005, 'demand much': 235906, 're all for': 698215, 'all for the': 42848, 'for the flourishing': 326439, 'the flourishing of': 855446, 'flourishing of local': 311206, 'of local organic': 585935, 'local organic healthy': 498242, 'organic healthy food': 619222, 'healthy food movement': 387633, 'food movement and': 315484, 'movement and the': 543857, 'and the natural': 73487, 'the natural world': 861319, 'natural world it': 552880, 'world it impressive': 1009727, 'it impressive that': 458719, 'impressive that these': 419492, 'that these organisation': 846916, 'these organisation have': 880379, 'organisation have been': 619268, 'able to adapt': 24446, 'to the sudden': 917106, 'the sudden increased': 868385, 'sudden increased demand': 817006, 'increased demand much': 433280, 'demand much they': 235907, 'much they have': 545369, 'worsens through': 1011117, 'through dining': 894421, 'dining out': 243020, 'eating out the': 266276, 'out the crisis': 627359, 'the crisis worsens': 852486, 'crisis worsens through': 218448, 'worsens through dining': 1011118, 'through dining out': 894422, 'reunite': 720133, 'the professional': 864612, 'stop working': 805284, 'have way': 383552, 'or reunite': 616899, 'reunite with': 720134, 'family doctor': 297746, 'doctor virologist': 251145, 'virologist scientist': 957702, 'scientist nurse': 742244, 'nurse flight': 577330, 'attendant pharmacist': 102364, 'driver staythefuckhome': 259754, 'all the professional': 44875, 'the professional that': 864613, 'professional that cannot': 682506, 'that cannot stop': 843144, 'cannot stop working': 162138, 'stop working for': 805285, 'working for others': 1008644, 'for others to': 324203, 'others to have': 621729, 'to have way': 907336, 'have way to': 383553, 'to survive or': 916041, 'survive or reunite': 829220, 'or reunite with': 616900, 'reunite with their': 720135, 'with their family': 1001569, 'their family doctor': 873251, 'family doctor virologist': 297747, 'doctor virologist scientist': 251146, 'virologist scientist nurse': 957703, 'scientist nurse flight': 742245, 'nurse flight attendant': 577331, 'flight attendant pharmacist': 310441, 'attendant pharmacist supermarket': 102365, 'pharmacist supermarket staff': 654179, 'supermarket staff driver': 822836, 'staff driver staythefuckhome': 792389, 'plummet across': 661247, 'nation gasprices': 552191, 'pump price plummet': 689093, 'price plummet across': 675894, 'plummet across the': 661248, 'the nation gasprices': 861234, 'nation gasprices csnewsonline': 552192, 'price unlikely': 677205, 'decline much': 231378, 'much during': 544848, 'recession say': 704350, 'say goldman': 738690, 'sachs analyst': 729038, 'analyst because': 57116, 'didn build': 240990, 'build more': 141990, 'long economic': 501404, 'economic boom': 266995, 'home price unlikely': 401922, 'price unlikely to': 677206, 'unlikely to decline': 942765, 'to decline much': 904016, 'decline much during': 231379, 'much during the': 544850, 'during the coming': 263099, 'coming recession say': 188176, 'recession say goldman': 704351, 'say goldman sachs': 738691, 'goldman sachs analyst': 356095, 'sachs analyst because': 729039, 'analyst because we': 57117, 'we didn build': 971299, 'didn build more': 240991, 'build more home': 141991, 'more home during': 539445, 'during the long': 263152, 'the long economic': 859676, 'long economic boom': 501405, 'cfc84': 170302, 'cfc84 went': 170303, 'went small': 979113, 'today of': 919962, 'course they': 211944, 'big chain': 129689, 'chain they': 171180, 'be but': 113930, 'pay extortionate': 644858, 'price got': 674228, 'friendly chat': 333947, 'chat might': 173939, 'might stick': 531128, 'it post': 460396, 'post cov': 666071, 'cfc84 went small': 170304, 'went small shop': 979114, 'small shop shopping': 775116, 'shop shopping today': 760781, 'shopping today of': 764215, 'today of course': 919963, 'of course they': 582074, 'course they re': 211946, 'they re more': 883074, 're more expensive': 699041, 'expensive than the': 291284, 'than the big': 841220, 'the big chain': 849600, 'big chain they': 129692, 'chain they have': 171181, 'to be but': 901143, 'be but didn': 113931, 'but didn pay': 145534, 'didn pay extortionate': 241156, 'pay extortionate price': 644859, 'extortionate price got': 293394, 'price got everything': 674229, 'everything needed for': 287932, 'needed for now': 556360, 'for now no': 323977, 'now no queue': 575354, 'queue and friendly': 693862, 'and friendly chat': 63338, 'friendly chat might': 333948, 'chat might stick': 173940, 'might stick to': 531129, 'stick to it': 800063, 'to it post': 908605, 'it post cov': 460397, 'freddy': 331585, 'krueger': 477804, 'homebound day': 402611, 'day told': 228605, 'public today': 688383, 'going freddy': 355168, 'freddy krueger': 331586, 'krueger that': 477805, 'should shake': 766462, 'shake em': 754406, 'em up': 272089, 'homebound day told': 402612, 'day told to': 228607, 'in public today': 427105, 'public today going': 688384, 'today going freddy': 919577, 'going freddy krueger': 355169, 'freddy krueger that': 331587, 'krueger that should': 477806, 'that should shake': 846290, 'should shake em': 766463, 'shake em up': 754407, 'em up at': 272090, 'potato nothing': 666949, 'but lie': 146268, 'lie on': 488366, 'were bottle': 979387, 'partner hub': 642832, 'potato nothing but': 666950, 'nothing but lie': 572957, 'but lie on': 146269, 'lie on behalf': 488367, 'behalf of there': 123762, 'of there were': 591802, 'there were bottle': 879311, 'were bottle of': 979388, 'sanitizer on table': 735461, 'on table and': 603863, 'table and box': 831451, 'and box of': 59128, 'mask at my': 518427, 'at my partner': 99828, 'my partner hub': 549719, '19950101': 12507, 'day natural': 228008, 'fell last': 303209, 'year hitting': 1014628, 'hitting on': 398579, '18 low': 4548, '55 per': 20409, 'per million': 650942, 'million british': 532098, 'british thermal': 140612, 'thermal unit': 879501, 'unit the': 942098, 'mid 19950101': 530540, 'the day natural': 852898, 'day natural gas': 228009, 'gas price fell': 343964, 'price fell last': 673851, 'fell last week': 303210, 'week to their': 977099, 'lowest in 25': 506172, 'in 25 year': 419896, '25 year hitting': 15996, 'year hitting on': 1014629, 'hitting on mar': 398580, 'mar 18 low': 514974, '18 low of': 4549, 'low of 55': 505434, 'of 55 per': 579627, '55 per million': 20410, 'per million british': 650943, 'million british thermal': 532099, 'british thermal unit': 140613, 'thermal unit the': 879502, 'unit the lowest': 942099, 'lowest since mid': 506231, 'since mid 19950101': 770736, 'can verify': 160115, 'this 100': 886145, 'airport epidemic': 40098, 'local in the': 498108, 'industry can verify': 435717, 'can verify this': 160116, 'verify this 100': 954800, 'this 100 the': 886146, '100 the worst': 2093, 'or no procedure': 616264, 'risk you are': 724031, 'you are safer': 1017221, 'are safer at': 89799, 'the airport epidemic': 848506, 'now supermarket': 575935, 'stocked but': 803282, 'but pressure': 146835, 'pressure due': 671151, 'impact supply': 417978, 'say chief': 738504, 'economist what': 267592, 'should country': 765882, 'to panic right': 911422, 'right now supermarket': 722145, 'now supermarket shelf': 575938, 'supermarket shelf remain': 822518, 'shelf remain well': 757463, 'remain well stocked': 709919, 'well stocked but': 978592, 'stocked but pressure': 803283, 'but pressure due': 146836, 'pressure due to': 671152, 'lockdown may impact': 499643, 'may impact supply': 521283, 'impact supply chain': 417979, 'chain say chief': 171085, 'say chief economist': 738505, 'chief economist what': 175919, 'economist what should': 267593, 'what should country': 982182, 'should country do': 765883, 'country do read': 210582, 'do read more': 250020, 'of video': 592799, 'video circulating': 956671, 'circulating of': 178682, 'making scene': 511326, 'scene over': 741350, 'some outlet': 783486, 'outlet only': 629054, 'only when': 611469, 'ha only': 371442, 'been slightly': 121977, 'slightly higher': 773959, 'higher remember': 395717, 'key ingredient': 473318, 'contract law': 201681, 'law offer': 482356, 'offer acceptance': 594510, 'acceptance and': 28039, 'consideration if': 195254, 'dont like': 255254, 'lot of video': 504321, 'of video circulating': 592801, 'video circulating of': 956672, 'circulating of people': 178683, 'of people making': 587944, 'people making scene': 648733, 'making scene over': 511327, 'scene over price': 741351, 'over price in': 630522, 'in some outlet': 428093, 'some outlet only': 783487, 'outlet only when': 629055, 'only when the': 611472, 'price ha only': 674390, 'ha only been': 371444, 'only been slightly': 610165, 'been slightly higher': 121978, 'slightly higher remember': 773960, 'higher remember there': 395718, 'remember there are': 710332, 'there are key': 878116, 'are key ingredient': 87674, 'key ingredient to': 473320, 'ingredient to contract': 438409, 'to contract law': 903426, 'contract law offer': 201682, 'law offer acceptance': 482357, 'offer acceptance and': 594511, 'acceptance and consideration': 28040, 'and consideration if': 60322, 'consideration if you': 195255, 'you dont like': 1018346, 'dont like the': 255255, 'like the price': 491393, 'the price you': 864443, 'price you dont': 677693, 'have to buy': 383172, 'monday friend': 536291, 'friend know': 333696, 'about everything': 25201, 'with but': 997496, 'forget our': 329275, 'support whether': 826989, 'happy monday friend': 377654, 'monday friend know': 536292, 'friend know everyone': 333697, 'everyone is worried': 287124, 'is worried about': 454060, 'worried about everything': 1010487, 'about everything that': 25207, 'everything that is': 288028, 'is happening with': 448293, 'happening with but': 377440, 'with but let': 997499, 'not forget our': 569511, 'forget our small': 329276, 'who need our': 989322, 'our support whether': 625049, 'support whether you': 826990, 'whether you shop': 985623, 'online or order': 608663, 'studentloans': 814818, 'my private': 549849, 'private student': 678991, 'loan company': 497414, 'beyond for': 129174, 'my balance': 547388, 'balance online': 108977, '24 bless': 15569, 'bless their': 132599, 'heart they': 388341, 'consumer studentloans': 199170, 'my private student': 549850, 'private student loan': 678992, 'student loan company': 814724, 'loan company is': 497415, 'company is going': 190800, 'is going above': 448086, 'and beyond for': 58943, 'beyond for the': 129175, 'pandemic they made': 636735, 'they made it': 882640, 'made it available': 507800, 'it available to': 456647, 'available to view': 104667, 'to view my': 918173, 'view my balance': 957117, 'my balance online': 547390, 'balance online 24': 108978, 'online 24 bless': 607756, '24 bless their': 15570, 'bless their heart': 132600, 'their heart they': 873527, 'heart they re': 388342, 're really thinking': 699364, 'really thinking of': 702665, 'the consumer studentloans': 851602, 'fayettevillear': 300626, 'nwark': 577814, 'wondering the': 1004187, 'in fayettevillear': 422806, 'fayettevillear is': 300627, 'with water': 1002032, 'water paper': 969103, 'towel toiletpaper': 927397, 'toiletpaper nwark': 922272, 're wondering the': 699817, 'wondering the in': 1004188, 'the in fayettevillear': 858003, 'in fayettevillear is': 422807, 'fayettevillear is fully': 300628, 'stocked with water': 803471, 'with water paper': 1002034, 'water paper towel': 969104, 'paper towel toiletpaper': 641019, 'towel toiletpaper nwark': 927398, 'year contraction': 1014483, 'contraction on': 201804, 'fuel industry': 340188, 'industry serving': 436107, 'serving ship': 753209, 'ship shipping': 758715, '19 and collapse': 4999, 'and collapse in': 60070, 'price may lead': 675195, 'may lead to': 521318, 'lead to year': 483397, 'to year on': 918873, 'on year contraction': 605398, 'year contraction on': 1014484, 'contraction on fuel': 201805, 'on fuel industry': 601048, 'fuel industry serving': 340189, 'industry serving ship': 436108, 'serving ship shipping': 753210, 'buy flower': 148624, 'flower not': 311313, 'not toilet': 572212, 'buy flower not': 148625, 'flower not toilet': 311314, 'not toilet paper': 572213, 'precedented': 669453, 'reader 8th': 700681, '8th volume': 23260, 'volume is': 960142, 'some reading': 783687, 'reading during': 700755, 'these precedented': 880514, 'precedented time': 669454, 'find copy': 306861, 'our magazine': 623832, 'magazine nationwide': 508340, 'nationwide at': 552711, 'outlet happy': 629044, 'happy reading': 377666, 'reading amp': 700735, 'dear reader 8th': 229859, 'reader 8th volume': 700682, '8th volume is': 23261, 'volume is out': 960145, 'is out good': 450660, 'out good time': 626226, 'time to catch': 897960, 'to catch up': 902509, 'up with some': 946684, 'with some reading': 1000860, 'some reading during': 783688, 'reading during these': 700756, 'during these precedented': 263239, 'these precedented time': 880515, 'precedented time of': 669455, 'time of our': 897350, 'our life the': 623734, 'life the quarantine': 489101, 'the quarantine day': 864965, 'quarantine day you': 692138, 'can find copy': 158316, 'find copy of': 306862, 'copy of our': 203467, 'of our magazine': 587508, 'our magazine nationwide': 623833, 'magazine nationwide at': 508341, 'nationwide at your': 552712, 'at your nearest': 101685, 'nearest supermarket or': 553732, 'supermarket or outlet': 821828, 'or outlet happy': 616472, 'outlet happy reading': 629045, 'happy reading amp': 377667, 'reading amp keep': 700736, 'amp keep safe': 54046, 'docket': 250792, 'consumer class': 196804, 'crisis already': 216994, 'some show': 783869, 'the docket': 853453, 'docket reach': 250793, 'thought case': 892996, 'type of consumer': 937550, 'of consumer class': 581720, 'consumer class action': 196805, 'class action could': 180138, 'action could come': 29993, 'could come out': 209033, '19 crisis already': 6211, 'crisis already starting': 216995, 'see some show': 745723, 'some show up': 783870, 'show up on': 767260, 'on the docket': 604069, 'the docket reach': 853454, 'docket reach out': 250794, 'to me if': 909934, 'you have thought': 1019129, 'have thought case': 383117, 'thought case to': 892997, 'case to share': 166076, 'wholeheartedly': 990407, 'that yes': 847704, 'yes go': 1015442, 'out running': 627122, 'running for': 727962, 'exercise but': 290033, 'but comply': 145435, 'regulation wholeheartedly': 708131, 'wholeheartedly before': 990408, 'lockdown began': 499196, 'began never': 123410, 'never went': 558269, 'out anyways': 625721, 'anyways only': 81073, 'bit sometimes': 131700, 'say that yes': 739260, 'that yes go': 847705, 'yes go out': 1015443, 'go out running': 353978, 'out running for': 627123, 'running for exercise': 727963, 'for exercise but': 321311, 'exercise but comply': 290034, 'but comply with': 145436, 'the government regulation': 856593, 'government regulation wholeheartedly': 360522, 'regulation wholeheartedly before': 708132, 'wholeheartedly before lockdown': 990409, 'before lockdown began': 122914, 'lockdown began never': 499197, 'began never went': 123411, 'never went out': 558271, 'went out anyways': 979082, 'out anyways only': 625722, 'anyways only for': 81074, 'for the run': 326665, 'the run and': 866074, 'run and maybe': 727561, 'and maybe to': 66822, 'maybe to the': 521863, 'few bit sometimes': 303728, 'bit sometimes so': 131701, 'sometimes so ll': 785231, 'so ll always': 777569, 'this update': 890936, '19 look': 8468, 'army have': 93008, 'the loo': 859701, 'roll riot': 725489, 'just been sent': 468305, 'been sent this': 121925, 'sent this update': 750836, 'this update on': 890939, 'covid 19 look': 213376, '19 look like': 8470, 'like the army': 491348, 'the army have': 848905, 'army have been': 93009, 'have been sent': 379676, 'supermarket to deal': 823365, 'with the loo': 1001375, 'the loo roll': 859703, 'loo roll riot': 502198, 'tt': 934984, 'glove tt': 352988, 'wearing glove tt': 974643, 'demand india': 235701, 'boost demand india': 134942, 'one take': 607151, 'of mf': 586465, 'mf ing': 530058, 'ing people': 438286, 'have seriously': 382477, 'bad hygiene': 107888, 'hygiene if': 412105, 'if regularly': 414721, 'regularly washed': 707971, 'washed hand': 967614, 'stopped it': 805721, 'completely but': 192224, 'my one take': 549573, 'one take away': 607152, 'from this lot': 337999, 'this lot of': 888716, 'lot of mf': 504229, 'of mf ing': 586466, 'mf ing people': 530059, 'ing people have': 438287, 'people have seriously': 648194, 'have seriously bad': 382478, 'seriously bad hygiene': 751543, 'bad hygiene if': 107889, 'hygiene if regularly': 412106, 'if regularly washed': 414722, 'regularly washed hand': 707972, 'washed hand or': 967616, 'hand or used': 375157, 'or used hand': 617625, 'sanitizer we wouldn': 736055, 'we wouldn be': 973982, 'wouldn be in': 1012443, 'be in this': 115441, 'this situation not': 890184, 'situation not saying': 772404, 'saying it would': 739629, 'it would have': 462593, 'would have stopped': 1011896, 'have stopped it': 382789, 'stopped it completely': 805722, 'it completely but': 457246, 'completely but maybe': 192225, 'but maybe not': 146377, 'maybe not this': 521758, 'supermarket woke': 823957, 'morning feeling': 541252, 'ill called': 416108, 'called work': 156488, 'if think': 415144, 'for mine': 323446, 'mine and': 532868, 'everyone el': 286840, 'el safety': 270458, 'safety got': 730556, 'got rude': 358824, 'rude response': 727052, 'got hung': 358622, 'hung up': 411042, 'the supermarket woke': 868913, 'supermarket woke up': 823958, 'woke up this': 1003362, 'up this morning': 946279, 'this morning feeling': 888957, 'morning feeling very': 541253, 'feeling very ill': 303101, 'very ill called': 955239, 'ill called work': 416109, 'called work to': 156489, 'work to let': 1005891, 'them know if': 875967, 'know if think': 476489, 'if think should': 415145, 'think should stay': 885542, 'home for mine': 401237, 'for mine and': 323447, 'mine and everyone': 532869, 'and everyone el': 62396, 'everyone el safety': 286841, 'el safety got': 270459, 'safety got rude': 730557, 'got rude response': 358825, 'rude response and': 727053, 'response and got': 715619, 'and got hung': 63855, 'got hung up': 358623, 'hung up on': 411043, 'nurse rant': 577464, 'rant there': 696857, 'many stupid': 514748, 'survive it': 829197, 'it anyway': 456550, 'are why': 91629, 'why wear': 991536, 'nurse rant there': 577465, 'rant there are': 696858, 'so many stupid': 777709, 'many stupid people': 514749, 'stupid people in': 815441, 'this world we': 891521, 'we are never': 970636, 'are never going': 88218, 'going to survive': 355733, 'to survive it': 916036, 'survive it anyway': 829198, 'it anyway they': 456552, 'anyway they are': 81045, 'they are why': 881461, 'are why wear': 91631, 'why wear glove': 991537, 'inconsideration': 432572, 'people real': 649232, 'real selling': 701353, 'fucking desperate': 339849, 'desperate what': 238561, 'what bad': 981083, 'bad life': 107921, 'am completely': 49967, 'completely disgusted': 192262, 'disgusted it': 245369, 'pure greed': 689971, 'and inconsideration': 65099, 'inconsideration ebay': 432573, 'thing toiletrolls': 884915, 'toiletrolls andrex': 923399, 'andrex ebay': 76216, 'are people real': 89046, 'people real selling': 649233, 'real selling toilet': 701354, 'paper at these': 639905, 'these price when': 880546, 'price when people': 677486, 'are so fucking': 90200, 'so fucking desperate': 777137, 'fucking desperate what': 339850, 'desperate what bad': 238562, 'what bad life': 981084, 'bad life am': 107922, 'life am completely': 488461, 'am completely disgusted': 49968, 'completely disgusted it': 192263, 'disgusted it pure': 245370, 'it pure greed': 460554, 'pure greed and': 689972, 'greed and inconsideration': 363360, 'and inconsideration ebay': 65100, 'inconsideration ebay need': 432574, 'stop this kind': 805192, 'of thing toiletrolls': 591917, 'thing toiletrolls andrex': 884916, 'toiletrolls andrex ebay': 923400, 'myers': 550717, 'michaelmyers': 530273, 'saw michael': 738175, 'michael myers': 530257, 'myers walking': 550724, 'store tonight': 810903, 'tonight wish': 924523, 'gotten pic': 359161, 'pic with': 655634, 'but ya': 147953, 'know social': 476722, 'distancing halloween': 247188, 'halloween michaelmyers': 374402, 'michaelmyers socialdistancing': 530276, 'saw michael myers': 738176, 'michael myers walking': 530259, 'myers walking into': 550725, 'grocery store tonight': 365876, 'store tonight wish': 810909, 'tonight wish could': 924524, 'wish could ve': 996751, 'could ve gotten': 209816, 've gotten pic': 953210, 'gotten pic with': 359162, 'pic with him': 655635, 'with him but': 998825, 'him but ya': 396565, 'but ya know': 147954, 'ya know social': 1014007, 'know social distancing': 476723, 'social distancing halloween': 779626, 'distancing halloween michaelmyers': 247189, 'halloween michaelmyers socialdistancing': 374403, 'evdekal': 283775, 'careaboutotherpeople': 164320, 'stop unnecessary': 805244, 'unnecessary shopping': 942932, 'shopping hoarding': 762898, 'hoarding stayathome': 399534, 'stophoarding evdekal': 805396, 'evdekal careaboutotherpeople': 283776, 'this video and': 890975, 'video and stop': 956614, 'and stop unnecessary': 72492, 'stop unnecessary shopping': 805245, 'unnecessary shopping hoarding': 942933, 'shopping hoarding stayathome': 762899, 'hoarding stayathome stophoarding': 399535, 'stayathome stophoarding evdekal': 797672, 'stophoarding evdekal careaboutotherpeople': 805397, 'true for': 933083, 'we canadian': 971040, 'canadian food': 160681, 'critical necessity': 218613, 'paper which': 641088, 'either out': 270351, 'so hope': 777316, 'are replenished': 89586, 'is true for': 453366, 'true for we': 933087, 'for we canadian': 327657, 'we canadian food': 971041, 'canadian food is': 160682, 'food is critical': 315119, 'is critical necessity': 446940, 'critical necessity and': 218614, 'necessity and yes': 554166, 'and yes we': 75977, 'yes we need': 1015599, 'toilet paper which': 921526, 'paper which is': 641089, 'which is either': 986006, 'is either out': 447457, 'either out of': 270352, 'of stock or': 590182, 'stock or in': 802584, 'or in short': 615759, 'short supply for': 764707, 'supply for many': 825269, 'for many store': 323235, 'many store so': 514742, 'store so hope': 810226, 'so hope that': 777320, 'hope that store': 403654, 'that store shelf': 846516, 'shelf are replenished': 756822, 'are replenished and': 89587, 'replenished and soon': 711663, 'lover': 505023, 'read shed': 700541, 'shed some': 756516, 'some light': 783197, 'chicken poultry': 175838, 'poultry lover': 667332, 'lover everywhere': 505026, 'everywhere take': 288262, 'take heed': 832170, 'interesting read shed': 441604, 'read shed some': 700543, 'shed some light': 756517, 'some light in': 783199, 'light in about': 489530, 'in about what': 419985, 'about what could': 26879, 'what could soon': 981269, 'could soon be': 209688, 'soon be happening': 785639, 'be happening to': 115138, 'happening to the': 377420, 'price of chicken': 675421, 'of chicken poultry': 581334, 'chicken poultry lover': 175840, 'poultry lover everywhere': 667333, 'lover everywhere take': 505028, 'everywhere take heed': 288263, 'careful and': 164380, 'quick message': 694325, 'kind retail': 474963, 'be careful and': 113980, 'careful and patient': 164381, 'patient just quick': 644203, 'just quick message': 469535, 'quick message about': 694326, 'about retail and': 26096, 'be kind retail': 115621, 'kind retail worker': 474964, 'retail worker grocery': 718889, 'indipendents': 435094, 'share list': 755088, 'uk amp': 938162, 'amp link': 54069, 'your during': 1023608, 'amp support': 54599, 'support smaller': 826824, 'smaller and': 775250, 'and indipendents': 65154, 'indipendents company': 435095, 'list will': 494597, 'grow amp': 367005, 'amp will': 54847, 'update it': 947043, 'it much': 459703, 'much can': 544780, 'share name': 755108, 'link with': 493968, 'to share list': 914351, 'share list of': 755089, 'list of uk': 494486, 'of uk amp': 592564, 'uk amp link': 938163, 'amp link to': 54070, 'get through your': 348444, 'through your during': 894921, 'your during amp': 1023609, 'during amp support': 262440, 'amp support smaller': 54601, 'support smaller and': 826825, 'smaller and indipendents': 775251, 'and indipendents company': 65155, 'indipendents company this': 435096, 'company this list': 191212, 'this list will': 888668, 'list will grow': 494598, 'will grow amp': 993579, 'grow amp will': 367006, 'amp will update': 54849, 'will update it': 995274, 'update it much': 947044, 'it much can': 459704, 'much can please': 544783, 'can please share': 159259, 'please share name': 660489, 'share name and': 755109, 'name and link': 551608, 'and link with': 66205, 'link with me': 493970, 'healthy you': 387817, 'shopping yourself': 764492, 'yourself please': 1026680, 'please leave': 660169, 'delivery capacity': 233781, 'ill in': 416141, 'elderly 19': 270558, '19 coronauk': 6080, 'are young and': 91885, 'and healthy you': 64404, 'healthy you should': 387818, 'for your grocery': 328159, 'your grocery shopping': 1024134, 'grocery shopping yourself': 365112, 'shopping yourself please': 764493, 'yourself please leave': 1026681, 'please leave the': 660173, 'the home delivery': 857445, 'home delivery capacity': 401012, 'delivery capacity to': 233783, 'capacity to the': 162595, 'to the ill': 916794, 'the ill in': 857872, 'ill in quarantine': 416143, 'quarantine and the': 692023, 'the elderly 19': 854103, 'elderly 19 coronauk': 270559, 'for improving': 322503, 'improving precaution': 419598, 'time dmk': 896568, 'leader handed': 483468, 'people abroad': 646743, 'abroad mask': 27160, 'cheap there': 174209, 'you for improving': 1018646, 'for improving precaution': 322504, 'improving precaution at': 419599, 'precaution at the': 669289, 'same time dmk': 733352, 'time dmk leader': 896569, 'dmk leader handed': 248958, 'leader handed out': 483469, 'handed out free': 376075, 'out free mask': 626184, 'the people abroad': 863449, 'people abroad mask': 646744, 'abroad mask price': 27161, 'high and cheap': 394919, 'and cheap there': 59777, 'cheap there is': 174210, 'is shortage and': 451882, 'shortage and the': 764831, 'government is not': 360264, 'distillery remains': 247800, 'operation but': 613157, 'offering public': 595219, 'public tour': 688389, 'tour or': 926937, 'or hosting': 615679, 'hosting function': 404962, 'function or': 341272, 'or event': 615219, 'event our': 285051, 'also closed': 48034, 'this time our': 890674, 'time our distillery': 897430, 'our distillery remains': 622776, 'distillery remains in': 247801, 'remains in operation': 710025, 'in operation but': 426191, 'operation but we': 613158, 'not be offering': 568424, 'be offering public': 116162, 'offering public tour': 595220, 'public tour or': 688390, 'tour or hosting': 926938, 'or hosting function': 615680, 'hosting function or': 404963, 'function or event': 341273, 'or event our': 615221, 'event our retail': 285052, 'store is also': 808465, 'is also closed': 445552, 'lunchtime': 506763, 'the breakfast': 849974, 'breakfast program': 138891, 'program at': 683212, 'is suspended': 452504, 'suspended from': 829616, 'tomorrow co': 924053, 'the volunteer': 870955, 'volunteer can': 960242, 'can source': 159682, 'source any': 786446, 'any bread': 78982, 'saver the': 737814, 'only food': 610456, 'get until': 348558, 'until lunchtime': 943760, 'the breakfast program': 849975, 'breakfast program at': 138892, 'program at my': 683214, 'my kid school': 548956, 'kid school is': 474102, 'school is suspended': 741838, 'is suspended from': 452505, 'suspended from tomorrow': 829617, 'from tomorrow co': 338094, 'tomorrow co the': 924054, 'co the volunteer': 184976, 'the volunteer can': 870956, 'volunteer can source': 960244, 'can source any': 159683, 'source any bread': 786447, 'any bread for': 78983, 'bread for some': 138470, 'for some kid': 325748, 'some kid this': 783171, 'kid this is': 474133, 'this is real': 888371, 'real life saver': 701254, 'life saver the': 489007, 'saver the only': 737815, 'the only food': 862305, 'only food they': 610459, 'food they might': 317171, 'they might get': 882678, 'might get until': 530995, 'get until lunchtime': 348559, 'from inflating': 336058, 'which should': 986316, 'elsewhere any': 272015, 'fine imposed': 307647, 'america that in': 51695, 'that in time': 844463, 'prevents company from': 671935, 'company from inflating': 190691, 'from inflating the': 336059, 'essential product which': 281428, 'product which should': 681842, 'which should be': 986317, 'law here and': 482306, 'here and elsewhere': 392701, 'and elsewhere any': 62019, 'elsewhere any fine': 272016, 'any fine imposed': 79221, 'fine imposed to': 307648, 'imposed to help': 419320, 'to help vulnerable': 907663, 'help vulnerable people': 390852, 'about shifting': 26177, 'shifting gear': 758539, 'gear towards': 345000, 'towards making': 927211, 'with caused': 997572, 'shortage watch': 765294, 'with the owner': 1001420, 'the owner of': 862810, 'owner of about': 632507, 'of about shifting': 579714, 'about shifting gear': 26178, 'shifting gear towards': 758540, 'gear towards making': 345001, 'towards making hand': 927212, 'help with caused': 390903, 'with caused shortage': 997573, 'caused shortage watch': 167956, 'rapid shift': 696930, 'having powerful': 384229, 'powerful impact': 667777, 'the tone': 869752, 'tone for': 924315, 'we purchase': 972784, 'purchase cannabis': 689398, 'cannabis moving': 161423, 'the rapid shift': 865150, 'rapid shift to': 696931, 'to online ordering': 910942, 'ordering and delivery': 618942, 'delivery is having': 234138, 'is having powerful': 448333, 'having powerful impact': 384230, 'powerful impact and': 667778, 'impact and this': 417556, 'and this could': 73988, 'this could set': 886935, 'could set the': 209659, 'set the tone': 753492, 'the tone for': 869753, 'tone for consumer': 924316, 'for consumer shift': 320290, 'consumer shift in': 198965, 'in how we': 423880, 'how we purchase': 409185, 'we purchase cannabis': 972785, 'purchase cannabis moving': 689399, 'cannabis moving forward': 161424, 'teammate': 835874, 'our teammate': 625111, 'teammate and': 835875, 'priority so': 678654, '19 effective': 6729, 'effective tuesday': 269320, 'march 17th': 515103, '17th 2020': 4470, 'march 27th': 515226, 'of our teammate': 587577, 'our teammate and': 625112, 'teammate and consumer': 835876, 'and consumer is': 60398, 'consumer is our': 197939, 'top priority so': 925684, 'priority so we': 678655, 'close our store': 182756, 'store to limit': 810785, 'covid 19 effective': 213010, '19 effective tuesday': 6731, 'effective tuesday march': 269321, 'tuesday march 17th': 935165, 'march 17th 2020': 515104, '17th 2020 we': 4471, '2020 we will': 14705, 'until march 27th': 943763, 'nopee': 566921, 'regretting': 707717, 'mum used': 545961, 'say come': 738520, 'say nopee': 738988, 'nopee am': 566922, 'am regretting': 50344, 'regretting tht': 707718, 'tht shit': 895268, 'my mum used': 549386, 'mum used to': 545962, 'used to say': 950086, 'to say come': 913815, 'say come with': 738521, 'come with to': 187691, 'with to the': 1001796, 'supermarket and would': 819109, 'and would say': 75933, 'would say nopee': 1012215, 'say nopee am': 738989, 'nopee am regretting': 566923, 'am regretting tht': 50345, 'regretting tht shit': 707719, 'morning tested': 541482, 'symptom at': 830819, 'been isolated': 121412, 'isolated since': 455025, 'since learned': 770699, 'learned of': 484134, 'my possible': 549817, 'virus stay': 958802, 'be pragmatic': 116501, 'pragmatic ll': 668822, 'doing do': 252357, 'this morning tested': 889026, 'morning tested positive': 541483, '19 feel good': 6971, 'feel good have': 302647, 'good have no': 357168, 'no symptom at': 565656, 'symptom at the': 830821, 'moment but have': 535886, 'but have been': 145867, 'have been isolated': 379586, 'been isolated since': 121413, 'isolated since learned': 455027, 'since learned of': 770700, 'learned of my': 484135, 'of my possible': 586808, 'my possible exposure': 549818, 'the virus stay': 870896, 'virus stay home': 958804, 'home and be': 400614, 'and be pragmatic': 58763, 'be pragmatic ll': 116502, 'pragmatic ll keep': 668823, 'll keep you': 496868, 'you posted on': 1020388, 'posted on how': 666557, 'on how doing': 601395, 'how doing do': 407754, 'doing do not': 252358, 'bisleri': 131514, 'bisleri said': 131515, 'launched direct': 481985, 'direct home': 243338, 'for mineral': 323448, 'mineral water': 532974, 'meet increasing': 527513, 'bisleri said it': 131516, 'said it ha': 731154, 'it ha launched': 458400, 'ha launched direct': 371105, 'launched direct home': 481986, 'direct home delivery': 243339, 'service for mineral': 752387, 'for mineral water': 323449, 'mineral water to': 532975, 'water to help': 969218, 'help meet increasing': 390093, 'meet increasing demand': 527514, 'increasing demand during': 433581, 'boy this': 137290, 'boy this is': 137291, 'this is sad': 888386, 'loss because': 503650, 'top tip': 925742, 'eat creatively': 265884, 'creatively while': 216202, 'while watching': 987538, 'the penny': 863443, 'with supermarket shortage': 1001063, 'supermarket shortage and': 822665, 'shortage and job': 764821, 'job loss because': 465967, 'loss because of': 503651, 'are some top': 90293, 'some top tip': 784097, 'top tip on': 925744, 'how to eat': 409014, 'to eat creatively': 904877, 'eat creatively while': 265885, 'creatively while watching': 216203, 'while watching the': 987540, 'watching the penny': 968802, 'combine': 187112, '19 forbearance': 7082, 'forbearance end': 328270, 'critical the': 218691, 'cause collection': 167521, 'must combine': 546590, 'combine human': 187115, 'technical effort': 836204, 'well while': 978748, 'while ensuring': 986791, 'ensuring recovery': 278183, '19 delay': 6472, 'delay end': 232693, 'covid 19 forbearance': 213114, '19 forbearance end': 7083, 'forbearance end better': 328271, 'be critical the': 114298, 'critical the impact': 218692, 'coronavirus on employment': 206339, 'on employment will': 600549, 'employment will cause': 274655, 'will cause collection': 992886, 'cause collection issue': 167522, 'lender must combine': 486240, 'must combine human': 546591, 'combine human and': 187116, 'human and technical': 410411, 'and technical effort': 73069, 'technical effort to': 836205, 'people well while': 650185, 'well while ensuring': 978749, 'while ensuring recovery': 986792, 'ensuring recovery the': 278184, 'covid 19 delay': 212926, '19 delay end': 6473, 'virus uncertainty': 958958, 'uncertainty oil': 939731, 'rebound icis': 703310, 'petrochemical oil': 653693, 'oil investor': 596898, 'investor lockdown': 444177, 'lockdown price': 499811, 'on virus uncertainty': 605059, 'virus uncertainty oil': 958959, 'uncertainty oil rebound': 939732, 'oil rebound icis': 597389, 'rebound icis asia': 703311, 'asia petrochemical oil': 95217, 'petrochemical oil investor': 653694, 'oil investor lockdown': 596900, 'investor lockdown price': 444178, 'public role': 688277, 'role now': 725119, 'now australian': 574147, 'thank teacher': 841634, 'teacher working': 835538, 'voice auspol': 959978, 'working in public': 1008729, 'in public role': 427097, 'public role now': 688278, 'role now australian': 725120, 'now australian thank': 574148, 'australian thank teacher': 103563, 'thank teacher working': 841635, 'teacher working during': 835539, 'working during covid': 1008601, 'sb voice auspol': 739791, 'buying illegal': 150519, 'illegal now': 416229, 'worse nurse': 1010978, 'doctor vital': 251150, 'vital worker': 959753, 'please make panic': 660222, 'panic buying illegal': 637770, 'buying illegal now': 150520, 'illegal now is': 416230, 'now is bad': 575063, 'is bad enough': 445963, 'bad enough but': 107838, 'enough but the': 277337, 'making thing even': 511453, 'thing even worse': 884311, 'even worse nurse': 284831, 'worse nurse doctor': 1010979, 'nurse doctor vital': 577310, 'doctor vital worker': 251151, 'vital worker need': 959754, 'fincen': 306746, 'ftc fda': 339397, 'fda fincen': 300854, 'fincen all': 306747, 'all warn': 45395, 'about disinformation': 25112, 'disinformation but': 245943, 'lie coming': 488341, 'from impotus': 336015, 'ftc fda fincen': 339398, 'fda fincen all': 300855, 'fincen all warn': 306748, 'all warn about': 45396, 'warn about disinformation': 966921, 'about disinformation but': 25113, 'disinformation but how': 245944, 'do we deal': 250468, 'with the lie': 1001367, 'the lie coming': 859331, 'lie coming from': 488343, 'coming from impotus': 188057, 'chadwick': 170418, 'out chadwick': 625845, 'chadwick editor': 170419, 'editor of': 268665, 'special report': 788042, 'the packaging': 862849, 'packaging industry': 633548, 'working under': 1009018, 'under extreme': 940079, 'check out chadwick': 174540, 'out chadwick editor': 625846, 'chadwick editor of': 170420, 'editor of special': 268666, 'of special report': 589968, 'special report on': 788043, 'how the packaging': 408861, 'the packaging industry': 862850, 'packaging industry is': 633549, 'industry is working': 435941, 'is working under': 454053, 'working under extreme': 1009019, 'under extreme pressure': 940081, 'extreme pressure to': 293821, 'pressure to keep': 671245, 'you watched': 1022190, 'new commercial': 558500, 'commercial on': 188716, 'enough ventilator': 277751, 'hospital but': 404335, 'start marketing': 794387, 'hand free': 374949, 'free product': 332080, 'of minute': 586569, 'have you watched': 383701, 'you watched the': 1022191, 'watched the new': 968672, 'the new commercial': 861481, 'new commercial on': 558501, 'commercial on tv': 188717, 'on tv in': 604906, 'tv in the': 936123, 'week we can': 977188, 'can get enough': 158414, 'get enough ventilator': 346945, 'enough ventilator and': 277752, 'ventilator and mask': 954525, 'and mask to': 66767, 'mask to hospital': 519410, 'to hospital but': 907967, 'hospital but we': 404337, 'can start marketing': 159729, 'start marketing and': 794388, 'marketing and selling': 517525, 'and selling hand': 71235, 'selling hand free': 749285, 'hand free product': 374951, 'free product and': 332081, 'product and online': 680896, 'new consumer in': 558525, 'consumer in matter': 197829, 'matter of minute': 520610, 'bps': 137468, 'index fell': 434188, 'fell 01': 303147, '01 to': 726, 'friday lower': 333254, 'crisis should': 218038, 'should continue': 765874, 'eu the': 283279, 'equivalent consumer': 279977, 'index is': 434211, 'deflation the': 232457, 'the ecb': 853867, 'ecb ha': 266606, 'crisis while': 218391, 'fed cut': 301801, 'rate by': 697170, '200 bps': 13457, 'price index fell': 674810, 'index fell 01': 434189, 'fell 01 to': 303148, '01 to on': 727, 'to on friday': 910897, 'on friday lower': 601007, 'friday lower demand': 333255, '19 crisis should': 6321, 'crisis should continue': 218041, 'should continue to': 765877, 'to push price': 912571, 'push price down': 690313, 'the eu the': 854566, 'eu the equivalent': 283280, 'the equivalent consumer': 854465, 'equivalent consumer price': 279978, 'price index is': 674813, 'index is and': 434212, 'is and italy': 445708, 'and italy and': 65613, 'italy and other': 462764, 'and other member': 68363, 'other member are': 620534, 'member are on': 528025, 'brink of deflation': 140295, 'of deflation the': 582473, 'deflation the ecb': 232458, 'the ecb ha': 853868, 'ecb ha yet': 266607, 'yet to cut': 1016288, 'to cut rate': 903885, 'cut rate in': 223517, 'rate in response': 697266, 'the crisis while': 852479, 'crisis while the': 218394, 'while the fed': 987385, 'the fed cut': 855057, 'fed cut rate': 301802, 'cut rate by': 223516, 'rate by 200': 697171, 'by 200 bps': 151584, 'stayhealthstayathome': 797886, 'already know': 47496, 'movie tangled': 544069, 'evil stepmother': 288460, 'stepmother keep': 799762, 'tangled up': 834175, 'quarantinelife 19': 692927, '19 stayhealthstayathome': 10821, 'stayhealthstayathome stay': 797887, 'you already know': 1016941, 'already know that': 47497, 'know that in': 476768, 'the movie tangled': 861106, 'movie tangled the': 544070, 'the evil stepmother': 854636, 'evil stepmother keep': 288461, 'stepmother keep rapunzel': 799763, 'tangled tangled up': 834172, 'tangled up quarantine': 834176, 'up quarantine quarantinelife': 945876, 'quarantine quarantinelife 19': 692471, 'quarantinelife 19 stayhealthstayathome': 692928, '19 stayhealthstayathome stay': 10822, 'stayhealthstayathome stay at': 797888, 'store lead': 808693, 'lead group': 483282, 'seen their': 747299, 'their odds': 874081, 'odds of': 579213, 'of default': 582453, 'default spike': 232024, 'latest indication': 481392, 'that challenge': 843195, 'challenge are': 171406, 'are mounting': 88150, 'mounting for': 543451, 'struggling group': 814448, 'department store lead': 237278, 'store lead group': 808694, 'lead group of': 483283, 'group of consumer': 366788, 'of consumer company': 581722, 'have seen their': 382447, 'seen their odds': 747300, 'their odds of': 874082, 'odds of default': 579214, 'of default spike': 582454, 'default spike over': 232025, 'spike over the': 789321, 'past month the': 643578, 'month the latest': 538043, 'the latest indication': 859116, 'latest indication that': 481393, 'indication that challenge': 435031, 'that challenge are': 843196, 'challenge are mounting': 171407, 'are mounting for': 88151, 'mounting for an': 543452, 'for an already': 319272, 'an already struggling': 55255, 'already struggling group': 47695, 'struggling group of': 814449, 'group of retailer': 366800, 'milled': 531980, 'explanation of': 292278, 'supermarket flour': 820340, 'flour shortage': 311160, 'shortage via': 765290, 'via flour': 955974, 'flour flour': 311098, 'flour milled': 311137, 'milled for': 531981, 'retail bag': 717866, 'bag 5kg': 108209, '5kg average': 20727, 'household buy': 406749, 'bag year': 108460, 'year issue': 1014674, 'is bagging': 445983, 'bagging capacity': 108523, 'capacity only': 162553, 'only enough': 610393, '15 uk': 3856, 'bag per': 108385, 'week retail': 976821, 'retail supplychain': 718757, 'explanation of supermarket': 292279, 'of supermarket flour': 590424, 'supermarket flour shortage': 820341, 'flour shortage via': 311161, 'shortage via flour': 765291, 'via flour flour': 955975, 'flour flour milled': 311100, 'flour milled for': 311138, 'milled for retail': 531982, 'for retail bag': 325189, 'retail bag 5kg': 717867, 'bag 5kg average': 108210, '5kg average household': 20728, 'average household buy': 104853, 'household buy bag': 406750, 'buy bag year': 148399, 'bag year issue': 108461, 'year issue is': 1014675, 'issue is bagging': 455813, 'is bagging capacity': 445984, 'bagging capacity only': 108524, 'capacity only enough': 162554, 'only enough for': 610394, 'enough for 15': 277427, 'for 15 uk': 318670, '15 uk household': 3857, 'uk household to': 938461, 'household to buy': 406971, 'buy bag per': 148398, 'bag per week': 108386, 'per week retail': 651073, 'week retail supplychain': 976823, 'avesta': 104936, 'srapionov': 791586, 'uzbekistan': 951523, 'forbes magazine': 328288, 'magazine wide': 508351, 'wide commentary': 991708, 'by avesta': 151918, 'avesta investment': 104937, 'investment group': 444003, 'group partner': 366833, 'partner karen': 642847, 'karen srapionov': 470906, 'srapionov on': 791587, 'of uzbekistan': 592731, 'forbes magazine wide': 328289, 'magazine wide commentary': 508352, 'wide commentary by': 991709, 'commentary by avesta': 188476, 'by avesta investment': 151919, 'avesta investment group': 104938, 'investment group partner': 444004, 'group partner karen': 366834, 'partner karen srapionov': 642848, 'karen srapionov on': 470907, 'srapionov on the': 791588, 'economy of uzbekistan': 268115, 'anx': 78638, 'confessing': 193791, 'free floating': 331818, 'floating anx': 310661, 'anx post': 78639, 'post confessing': 666053, 'confessing my': 193792, 'my sin': 550090, 'sin and': 770387, 'worry here': 1010721, 'and feeling': 62783, 'like jerk': 490575, 'jerk going': 465147, 'when didn': 983340, 'didn strictly': 241220, 'strictly need': 813698, 'to ordering': 911092, 'delivery when': 234736, 'just cook': 468519, 'cook we': 202783, 'from swiss': 337528, '19 free floating': 7109, 'free floating anx': 331819, 'floating anx post': 310662, 'anx post confessing': 78640, 'post confessing my': 666054, 'confessing my sin': 193793, 'my sin and': 550091, 'sin and worry': 770388, 'and worry here': 75909, 'worry here and': 1010722, 'here and feeling': 392702, 'and feeling like': 62784, 'feeling like jerk': 303012, 'like jerk going': 490577, 'jerk going to': 465148, 'store when didn': 811238, 'when didn strictly': 983341, 'didn strictly need': 241221, 'strictly need to': 813699, 'need to ordering': 556001, 'to ordering food': 911093, 'ordering food delivery': 618967, 'food delivery when': 314160, 'delivery when could': 234737, 'when could just': 983300, 'could just cook': 209356, 'just cook we': 468520, 'cook we ordered': 202784, 'we ordered from': 972662, 'ordered from swiss': 618855, 'from swiss chalet': 337529, 'from inflated': 336056, 'price bb': 672845, 'bb economy': 113043, 'protect your business': 685056, 'your business and': 1023048, 'business and customer': 143295, 'customer from inflated': 222400, 'from inflated price': 336057, 'inflated price bb': 437029, 'price bb economy': 672846, 'brainstorm': 137619, 'capitec': 162848, 'kerzner': 473153, 'moody downgrade': 538302, 'downgrade fear': 257548, 'fear mtn': 301209, 'mtn slash': 544634, 'price ramaphosa': 676073, 'ramaphosa business': 696362, 'business brainstorm': 143451, 'brainstorm covid': 137620, '19 capitec': 5644, 'capitec saa': 162849, 'saa kerzner': 728968, 'moody downgrade fear': 538303, 'downgrade fear mtn': 257549, 'fear mtn slash': 301210, 'mtn slash price': 544635, 'slash price ramaphosa': 773589, 'price ramaphosa business': 676074, 'ramaphosa business brainstorm': 696363, 'business brainstorm covid': 143452, 'brainstorm covid 19': 137621, 'covid 19 capitec': 212761, '19 capitec saa': 5645, 'capitec saa kerzner': 162850, 'busines': 143196, 'electrosan': 271319, 'cheshirebusiness': 175555, 'to busines': 902124, 'busines up': 143199, 'north for': 567648, 'on electrosan': 600536, 'electrosan it': 271320, 'effective than': 269309, 'than alcohol': 840327, 'from crewe': 335053, 'crewe based': 216720, 'based innovation': 111632, 'innovation cheshirebusiness': 438859, 'cheshirebusiness news': 175556, 'thanks to busines': 842210, 'to busines up': 902125, 'busines up north': 143200, 'up north for': 945469, 'north for sharing': 567649, 'for sharing my': 325527, 'sharing my story': 755557, 'my story on': 550238, 'story on electrosan': 812084, 'on electrosan it': 600537, 'electrosan it is': 271321, 'it is more': 459014, 'is more effective': 449704, 'more effective than': 539110, 'effective than alcohol': 269310, 'than alcohol based': 840328, 'sanitizer on from': 735457, 'on from crewe': 601027, 'from crewe based': 335054, 'crewe based innovation': 216721, 'based innovation cheshirebusiness': 111633, 'innovation cheshirebusiness news': 438860, 'thought 2020': 892953, '2020 would': 14734, 'bring dinosaur': 139955, 'dinosaur delivering': 243134, 'delivering hard': 233511, 'never thought 2020': 558222, 'thought 2020 would': 892954, '2020 would bring': 14736, 'would bring dinosaur': 1011694, 'bring dinosaur delivering': 139956, 'dinosaur delivering hard': 243135, 'delivering hard to': 233512, 'paper during pandemic': 640114, 'pandemic but here': 635045, 'we are 19': 970462, 'are 19 toiletpaper': 84111, 'just hoax': 468977, 'hoax jeez': 399724, 'jeez people': 464993, 'people guy': 648128, 'guy behind': 368925, 'behind my': 124672, 'husband at': 411683, 'morning same': 541421, 'same grocery': 733091, 'of lot': 586026, 'hoax worst': 399751, 'worst hoax': 1011197, 'hoax ever': 399719, 'the president said': 864267, 'president said it': 670895, 'said it just': 731158, 'it just hoax': 459225, 'just hoax jeez': 468979, 'hoax jeez people': 399725, 'jeez people guy': 464994, 'people guy behind': 648129, 'guy behind my': 368926, 'behind my husband': 124673, 'my husband at': 548773, 'husband at grocery': 411684, 'this morning same': 889004, 'morning same grocery': 541422, 'same grocery store': 733093, 'out of lot': 626774, 'of lot of': 586027, 'of thing people': 591910, 'thing people still': 884678, 'still think this': 801299, 'is hoax worst': 448518, 'hoax worst hoax': 399752, 'worst hoax ever': 1011198, 'cripple': 216930, '2cchpszvpk': 16574, 'lyckszozqf': 507048, '19 cripple': 6199, 'cripple country': 216931, '2019 http': 13973, 'co 2cchpszvpk': 184799, '2cchpszvpk http': 16575, 'co lyckszozqf': 184880, 'covid 19 cripple': 212887, '19 cripple country': 6200, 'cripple country and': 216932, 'global economy consumer': 351894, 'economy consumer confidence': 267773, 'level since january': 487711, 'january 2019 http': 464625, '2019 http co': 13974, 'http co 2cchpszvpk': 409754, 'co 2cchpszvpk http': 184800, '2cchpszvpk http co': 16576, 'http co lyckszozqf': 409769, 'closeyourdoors': 183563, 'except grocery': 289179, 'have open': 381813, 'open door': 612189, 'than essential': 840559, 'essential right': 281482, 'now close': 574391, 'door keep': 255634, 'safe closeyourdoors': 729551, 'all store except': 44495, 'store except grocery': 807669, 'except grocery store': 289180, 'or pharmacy should': 616581, 'not have open': 569855, 'have open door': 381814, 'open door no': 612191, 'door no one': 255661, 'to buy anything': 902180, 'buy anything other': 148364, 'other than essential': 621065, 'than essential right': 840562, 'essential right now': 281483, 'right now close': 722042, 'now close your': 574393, 'close your door': 182946, 'your door keep': 1023577, 'door keep your': 255635, 'keep your employee': 472263, 'your employee and': 1023650, 'customer safe closeyourdoors': 222784, 'ha shipment': 371907, 'of 75': 579669, '75 ethyl': 22129, 'sanitizer coming': 734672, 'in 26': 419897, '26 31': 16138, '31 visit': 17609, 'to pre': 911978, 'pre order': 669183, 'now thank': 575987, 'well handwashing': 978267, 'handwashing handsanitizer': 376837, 'sanitizer my company': 735387, 'my company ha': 547771, 'company ha shipment': 190717, 'ha shipment of': 371908, 'shipment of 75': 758764, 'of 75 ethyl': 579670, '75 ethyl alcohol': 22130, 'ethyl alcohol hand': 283135, 'hand sanitizer coming': 375347, 'sanitizer coming in': 734673, 'coming in 26': 188086, 'in 26 31': 419898, '26 31 visit': 16139, '31 visit our': 17610, 'visit our web': 959332, 'store to pre': 810798, 'to pre order': 911981, 'pre order now': 669187, 'order now thank': 618428, 'now thank you': 575988, 'you and stay': 1017007, 'and stay well': 72307, 'stay well handwashing': 797392, 'well handwashing handsanitizer': 978268, 'ha recorded': 371672, 'recorded million': 705112, 'to related': 913127, 'fraud in': 331288, 'first nine': 308801, 'nine day': 563278, 'commission ftc ha': 188834, 'ftc ha recorded': 339409, 'ha recorded million': 371675, 'recorded million in': 705113, 'million in loss': 532194, 'in loss to': 424931, 'loss to related': 503798, 'to related consumer': 913128, 'related consumer fraud': 708398, 'consumer fraud in': 197537, 'fraud in just': 331289, 'in just the': 424424, 'just the first': 469999, 'the first nine': 855329, 'first nine day': 308802, 'nine day of': 563279, 'day of april': 228054, 'levitation': 487817, 'denton': 237109, 'find levitation': 307028, 'levitation photography': 487818, 'photography toiletpaper': 655307, 'toiletpaper denton': 921915, 'denton pandemic2020': 237112, 'this stuff wa': 890396, 'stuff wa hard': 815238, 'wa hard to': 962279, 'to find levitation': 905914, 'find levitation photography': 307029, 'levitation photography toiletpaper': 487819, 'photography toiletpaper denton': 655308, 'toiletpaper denton pandemic2020': 921916, 'is 100': 445146, 'warehouse and force': 966682, 'and force to': 63175, 'force to cope': 328523, 'cope with increased': 203348, 'pandemic is 100': 635749, 'is 100 00': 445147, '00 worker to': 611, 'worker to handle': 1008008, 'handle the increase': 376270, 'while managed': 987030, 'staysafe thelockdown': 798937, 'time in while': 897020, 'in while managed': 430879, 'while managed to': 987031, 'everything on my': 287944, 'on my shopping': 602315, 'my shopping list': 550060, 'list from the': 494337, 'supermarket staysafe thelockdown': 822949, 'general including': 345367, 'including iowa': 432024, 'iowa warn': 444513, 'warn store': 966962, 'store site': 810198, 'gouging via': 359493, 'attorney general including': 102643, 'general including iowa': 345369, 'including iowa warn': 432025, 'iowa warn store': 444514, 'warn store site': 966963, 'store site to': 810199, 'site to monitor': 772035, 'price gouging via': 674340, 'unfortunately during': 941596, 'these condition': 879796, 'made ad': 507619, 'them suddenly': 876347, 'suddenly they': 817141, 'they disappeared': 881943, 'disappeared and': 244055, 'to there': 917330, 'there phone': 878930, 'phone so': 655019, 'avoid this': 105346, 'lie shopping': 488369, 'unfortunately during these': 941597, 'during these condition': 263231, 'these condition of': 879798, 'condition of covid': 193497, '19 they made': 11311, 'they made ad': 882638, 'made ad for': 507620, 'ad for online': 31103, 'shopping and fast': 761983, 'and fast delivery': 62711, 'fast delivery so': 299943, 'delivery so when': 234556, 'so when you': 778733, 'when you paid': 984587, 'you paid them': 1020275, 'paid them suddenly': 634148, 'them suddenly they': 876348, 'suddenly they disappeared': 817142, 'they disappeared and': 881944, 'disappeared and no': 244056, 'and no response': 67634, 'no response to': 565347, 'response to there': 715889, 'to there phone': 917331, 'there phone so': 878931, 'phone so please': 655020, 'so please avoid': 778016, 'please avoid this': 659687, 'avoid this kind': 105348, 'kind of lie': 474914, 'of lie shopping': 585811, 'deflationary': 232459, 'big deflationary': 129746, 'deflationary spiral': 232464, 'spiral consumer': 789422, 'much weaker': 545446, 'weaker than': 974113, 'than supply': 841193, 'good this': 357856, 'being countered': 125003, 'countered by': 210293, 'reserve massive': 714084, 'massive inflationary': 520044, 'inflationary stimulus': 437267, 'stimulus move': 801568, 'move maga': 543687, 'maga need': 508290, 'need mama': 555193, 'mama in': 511926, 'trump show': 933841, 'of the shutdown': 591464, 'economy the is': 268274, 'the is in': 858501, 'is in big': 448753, 'in big deflationary': 420827, 'big deflationary spiral': 129747, 'deflationary spiral consumer': 232466, 'spiral consumer demand': 789423, 'consumer demand much': 197150, 'demand much weaker': 235908, 'much weaker than': 545447, 'weaker than supply': 974114, 'than supply of': 841194, 'of good this': 584241, 'good this is': 357857, 'this is being': 888189, 'is being countered': 446073, 'being countered by': 125004, 'countered by the': 210294, 'federal reserve massive': 302046, 'reserve massive inflationary': 714085, 'massive inflationary stimulus': 520045, 'inflationary stimulus move': 437268, 'stimulus move maga': 801569, 'move maga need': 543688, 'maga need mama': 508291, 'need mama in': 555194, 'mama in the': 511927, 'in the trump': 429631, 'the trump show': 870067, 'erupted': 280241, 'ha spiked': 372020, 'spiked because': 789339, 'because more': 119247, 'home check': 400893, '19 erupted': 6828, 'medium consumption ha': 527059, 'consumption ha spiked': 199881, 'ha spiked because': 372021, 'spiked because more': 789340, 'because more of': 119248, 'more of are': 539867, 'of are staying': 580354, 'staying home check': 798602, 'home check out': 400894, 'to learn what': 909142, 'learn what other': 484091, 'what other consumer': 981976, 'other consumer habit': 619998, 'consumer habit have': 197688, 'covid 19 erupted': 213034, 'via are': 955798, 'marketplace round': 517831, 'via are we': 955799, 'sheet cbc marketplace': 756596, 'cbc marketplace round': 168277, 'marketplace round up': 517832, 'round up the': 726379, 'up the consumer': 946160, 'till covid': 896005, 'stop seeing': 804985, 'people empty': 647779, 'can wait till': 160136, 'wait till covid': 964214, 'till covid 19': 896006, 'is over so': 450730, 'over so can': 630621, 'so can stop': 776725, 'can stop seeing': 159822, 'stop seeing picture': 804986, 'picture of people': 656170, 'of people empty': 587904, 'people empty supermarket': 647780, 'bank prepare': 110105, 'sharp increase': 755689, 'news hamont': 560496, 'food bank prepare': 313618, 'bank prepare for': 110106, 'prepare for sharp': 670084, 'for sharp increase': 325538, 'sharp increase in': 755690, 'cbc news hamont': 168283, 'trav': 930223, 'misinformation trav': 534081, 'trav de': 930226, 'de facebookads': 229055, '19 misinformation trav': 8661, 'misinformation trav de': 534082, 'trav de facebookads': 930227, 'kidstogether': 474268, 'youngrappers': 1022700, 'funnyvideo': 341834, 'kidstogether kid': 474269, 'kid youngrappers': 474191, 'youngrappers toiletpaper': 1022701, 'toiletpaper lil': 922182, 'lil humor': 492220, 'humor funnyvideo': 410879, 'kidstogether kid youngrappers': 474270, 'kid youngrappers toiletpaper': 474192, 'youngrappers toiletpaper lil': 1022702, 'toiletpaper lil humor': 922183, 'lil humor funnyvideo': 492221, 'don before': 253383, 'store pandemic': 809450, 'pandemic groceryshopping': 635518, 'groceryshopping health': 366264, 'socialdistancing inthistogether': 780456, 'do and don': 249065, 'and don before': 61625, 'don before heading': 253385, 'grocery store pandemic': 365636, 'store pandemic groceryshopping': 809454, 'pandemic groceryshopping health': 635519, 'groceryshopping health socialdistancing': 366265, 'health socialdistancing inthistogether': 386859, 'with unemployment': 1001902, 'claim in': 179747, 'michigan reaching': 530362, 'reaching record': 700112, 'high due': 395049, 'under immense': 940128, 'immense strain': 417193, 'with unemployment claim': 1001903, 'unemployment claim in': 941182, 'claim in michigan': 179748, 'in michigan reaching': 425289, 'michigan reaching record': 530363, 'reaching record high': 700113, 'record high due': 704977, 'high due to': 395050, 'crisis the system': 218191, 'the system ha': 869095, 'system ha come': 831191, 'come under immense': 187645, 'under immense strain': 940129, 'sister couldn': 771728, 'find lime': 307032, 'lime juice': 492258, 'juice at': 467730, 'buying an': 149896, 'actual lime': 30680, 'lime she': 492264, 'she bought': 755900, 'bought lime': 136628, 'juice cocktail': 467735, 'cocktail signofthetimes': 185245, 'signofthetimes stayathome': 769665, 'my sister couldn': 550105, 'sister couldn find': 771729, 'couldn find lime': 209876, 'find lime juice': 307033, 'lime juice at': 492259, 'juice at the': 467732, 'store and instead': 806270, 'instead of buying': 440241, 'of buying an': 581011, 'buying an actual': 149897, 'an actual lime': 55094, 'actual lime she': 30681, 'lime she bought': 492265, 'she bought lime': 755902, 'bought lime juice': 136629, 'lime juice cocktail': 492260, 'juice cocktail signofthetimes': 467736, 'cocktail signofthetimes stayathome': 185246, 'doublestandards': 256153, 'stopbeingdicks': 805311, 'bullshit about': 142474, 'kind just': 474857, 'ha soon': 372005, 'soon been': 785656, 'been forgotten': 121176, 'forgotten my': 329450, 'husband 80': 411665, 'old nan': 598381, 'nan had': 551762, 'had packet': 373380, 'bacon literally': 107638, 'literally stolen': 495083, 'stolen out': 804298, 'her hand': 392086, 'hand today': 375882, 'supermarket livid': 821352, 'livid doublestandards': 496304, 'doublestandards stopbeingdicks': 256154, 'this bullshit about': 886623, 'bullshit about being': 142475, 'about being kind': 24868, 'being kind just': 125365, 'kind just week': 474858, 'ago ha soon': 38398, 'ha soon been': 372006, 'soon been forgotten': 785657, 'been forgotten my': 121179, 'forgotten my husband': 329451, 'my husband 80': 548769, 'husband 80 year': 411666, 'year old nan': 1014852, 'old nan had': 598382, 'nan had packet': 551763, 'had packet of': 373381, 'packet of bacon': 633701, 'of bacon literally': 580500, 'bacon literally stolen': 107639, 'literally stolen out': 495084, 'stolen out of': 804299, 'of her hand': 584573, 'her hand today': 392089, 'hand today at': 375883, 'today at local': 919276, 'local supermarket livid': 498552, 'supermarket livid doublestandards': 821353, 'livid doublestandards stopbeingdicks': 496305, 'teasmith': 836015, '2kill': 16646, '2the': 16865, 'martini': 518113, 'teasmith co': 836016, 'co work': 185009, 'alcohol basis': 40936, 'basis disinfectant': 112231, 'disinfectant is': 245693, 'required 2kill': 713342, '2kill have': 16647, 'been prescribing': 121697, 'prescribing myself': 670492, 'myself your': 550987, 'your gin': 1024045, 'gin tonic': 350177, 'tonic every': 924334, 'every hour': 285935, 'throat if': 894238, 'if show': 414807, 'symptom will': 830949, 'move 2the': 543595, '2the bond': 16866, 'bond dry': 134241, 'dry martini': 261282, 'martini in': 518114, 'in casino': 421288, 'teasmith co work': 836017, 'co work on': 185010, 'work on an': 1005527, 'on an alcohol': 599321, 'an alcohol basis': 55226, 'alcohol basis disinfectant': 40937, 'basis disinfectant is': 112232, 'disinfectant is required': 245695, 'is required 2kill': 451446, 'required 2kill have': 713343, '2kill have been': 16648, 'have been prescribing': 379639, 'been prescribing myself': 121698, 'prescribing myself your': 670493, 'myself your gin': 550988, 'your gin tonic': 1024046, 'gin tonic every': 350178, 'tonic every hour': 924336, 'every hour to': 285937, 'hour to kill': 406028, 'to kill corona': 908924, 'kill corona in': 474371, 'corona in my': 204009, 'in my throat': 425637, 'my throat if': 550365, 'throat if show': 894240, 'if show symptom': 414808, 'show symptom will': 767169, 'symptom will move': 830950, 'will move 2the': 994131, 'move 2the bond': 543596, '2the bond dry': 16867, 'bond dry martini': 134242, 'dry martini in': 261283, 'martini in casino': 518115, 'krisiallen': 477695, 'krisiallen we': 477696, 'krisiallen we apologize': 477697, 'shortage we will': 765299, 'london calm': 501046, 'calm restored': 156788, 'restored what': 717067, 'difference day': 241830, 'morning at asda': 541178, 'at asda supermarket': 98054, 'wembley london calm': 978893, 'london calm restored': 501047, 'calm restored what': 156789, 'restored what difference': 717068, 'what difference day': 981325, 'difference day make': 241831, 'shopping common': 762383, 'sense must': 750545, 'be lacking': 115650, 'lacking in': 478690, 'lockdownuk believe': 500397, 'shop yeah': 761097, 'wait bit': 964084, 'bit longer': 131610, 'delivery buy': 233764, 'buy better': 148417, 'than risking': 841094, 'risking yours': 724104, 'yours and': 1026448, 'else life': 271780, 'life smh': 489048, 'so apparently people': 776534, 'apparently people are': 81989, 'still out shopping': 801011, 'out shopping common': 627176, 'shopping common sense': 762384, 'common sense must': 189462, 'sense must be': 750546, 'must be lacking': 546518, 'be lacking in': 115651, 'lacking in many': 478692, 'in many during': 425052, 'many during the': 514019, 'during the lockdownuk': 263151, 'the lockdownuk believe': 859645, 'lockdownuk believe it': 500398, 'believe it or': 126303, 'it or not': 460147, 'not you can': 572606, 'can still online': 159782, 'still online shop': 800943, 'online shop yeah': 608993, 'shop yeah you': 761098, 'yeah you might': 1014322, 'to wait bit': 918261, 'wait bit longer': 964085, 'bit longer for': 131611, 'longer for delivery': 501976, 'for delivery buy': 320630, 'delivery buy better': 233765, 'buy better than': 148418, 'better than risking': 128532, 'than risking yours': 841095, 'risking yours and': 724105, 'yours and everyone': 1026449, 'everyone else life': 286865, 'else life smh': 271781, 'world shaped': 1009967, 'shaped by': 754866, 'do consumer': 249197, 'confidence evolve': 193859, 'doe evolution': 251393, 'evolution mean': 288484, 'they rely': 883190, 'on check': 599889, 'data consumerinsights': 226187, 'in new world': 425834, 'new world shaped': 559905, 'world shaped by': 1009968, 'shaped by covid': 754867, '19 how do': 7601, 'how do consumer': 407709, 'do consumer behavior': 249198, 'and confidence evolve': 60277, 'confidence evolve and': 193860, 'evolve and what': 288503, 'and what doe': 75461, 'what doe evolution': 981362, 'doe evolution mean': 251394, 'evolution mean for': 288485, 'the business they': 850182, 'business they rely': 144516, 'they rely on': 883191, 'rely on check': 709636, 'on check out': 599890, 'out our report': 626991, 'our report to': 624596, 'find out data': 307137, 'out data consumerinsights': 625932, 'the continuing': 851678, 'continuing concern': 201522, 'concern relating': 193074, 'compiled the': 191827, 'advisory hopefully': 33766, 'it helpful': 458555, 'helpful read': 391216, 'to the continuing': 916586, 'the continuing concern': 851679, 'continuing concern relating': 201523, 'concern relating to': 193075, 'guild ha compiled': 368523, 'ha compiled the': 370217, 'compiled the following': 191828, 'following advisory hopefully': 312670, 'advisory hopefully you': 33767, 'hopefully you will': 403909, 'will find it': 993442, 'find it helpful': 306992, 'it helpful read': 458556, 'helpful read more': 391217, 'shieet': 758127, 'supermarket shieet': 822574, 'shieet rylan': 758128, 'rylan clark': 728828, 'clark host': 180106, 'host returning': 404892, 'returning game': 720009, 'show contestant': 766902, 'contestant compete': 200888, 'compete to': 191598, 'death over': 230155, 'supermarket shieet rylan': 822575, 'shieet rylan clark': 758129, 'rylan clark host': 728829, 'clark host returning': 180107, 'host returning game': 404893, 'returning game show': 720010, 'game show contestant': 343246, 'show contestant compete': 766903, 'contestant compete to': 200889, 'compete to the': 191599, 'the death over': 852974, 'death over bog': 230156, 'over bog roll': 630024, 'roll and pasta': 725185, 'launch covid': 481880, 'tip webpage': 898955, 'coronavirus phone': 206551, 'phone scam': 655013, 'scam it': 740218, 'also includes': 48403, 'includes audio': 431725, 'audio of': 102930, 'call message': 155996, 'sample hoax': 733467, 'hoax text': 399741, 'launch covid 19': 481881, 'safety tip webpage': 730771, 'tip webpage to': 898956, 'webpage to alert': 975172, 'to alert consumer': 900223, 'alert consumer to': 41384, 'consumer to coronavirus': 199315, 'to coronavirus phone': 903564, 'coronavirus phone scam': 206552, 'phone scam it': 655014, 'scam it also': 740219, 'it also includes': 456432, 'also includes audio': 48404, 'includes audio of': 431726, 'audio of scam': 102931, 'of scam call': 589357, 'scam call message': 740096, 'call message and': 155997, 'message and sample': 529266, 'and sample hoax': 70813, 'sample hoax text': 733468, 'naga': 551389, 'imt': 419658, 'adheres': 32228, 'tighter security': 895872, 'security grounded': 744605, 'grounded from': 366570, 'from stringent': 337454, 'stringent policy': 813808, 'policy mandated': 663443, 'mandated by': 513014, 'by naga': 153294, 'naga city': 551390, 'city imt': 179194, 'imt to': 419659, 'consumer adheres': 196031, 'adheres to': 32229, 'to preventive': 912108, 'fighting possible': 305116, 'possible local': 665707, 'tighter security grounded': 895873, 'security grounded from': 744606, 'grounded from stringent': 366571, 'from stringent policy': 337455, 'stringent policy mandated': 813809, 'policy mandated by': 663444, 'mandated by naga': 513015, 'by naga city': 153295, 'naga city imt': 551391, 'city imt to': 179195, 'imt to ensure': 419660, 'every consumer adheres': 285751, 'consumer adheres to': 196032, 'adheres to preventive': 32230, 'to preventive measure': 912109, 'preventive measure in': 671923, 'measure in fighting': 525226, 'in fighting possible': 422879, 'fighting possible local': 305117, 'possible local transmission': 665708, 'local transmission of': 498661, '19 within the': 12149, 'within the city': 1002429, 'new norm': 559138, 'norm thinking': 567063, 'of cashier': 581188, 'cashier stocker': 166622, 'stocker who': 803527, 'risking covid': 724061, 'exposure so': 292994, 'food social': 316680, 'them who': 876625, 'with empty grocery': 998219, 'grocery shelf the': 364958, 'the new norm': 861531, 'new norm thinking': 559144, 'norm thinking of': 567064, 'thinking of cashier': 885954, 'of cashier stocker': 581191, 'cashier stocker who': 166623, 'stocker who are': 803528, 'are risking covid': 89724, 'risking covid 19': 724062, '19 exposure so': 6911, 'exposure so that': 292995, 'to food social': 906100, 'food social distancing': 316681, 'option for them': 614040, 'for them who': 326931, 'them who will': 876628, 'who will take': 990003, 'will take care': 995064, 'of them where': 591772, 'them where is': 876613, 'where is their': 984955, 'is their emergency': 452988, 'their emergency relief': 873129, 'emergency relief fund': 272916, 'nec': 553913, 'tesco to': 838834, 'open pop': 612457, 'pop up': 664473, 'up supermarket': 946095, 'supermarket inside': 821049, 'inside field': 439258, 'field hospital': 304481, 'hospital at': 404313, 'at nec': 99865, 'nec live': 553914, 'tesco to open': 838838, 'to open pop': 911003, 'open pop up': 612458, 'pop up supermarket': 664481, 'up supermarket inside': 946096, 'supermarket inside field': 821051, 'inside field hospital': 439259, 'field hospital at': 304482, 'hospital at nec': 404314, 'at nec live': 99866, 'top in': 925592, 'business fuel': 143773, 'fuel home': 340186, 'more under': 540847, 'under anti': 940001, 'anti corona': 78292, 'corona tax': 204212, 'tax bill': 834937, 'bill buy': 130526, 'buy tuesday': 149400, 'tuesday africa': 935103, 'africa paper': 35119, 'more you': 541029, 'also subscribe': 48924, 'subscribe for': 815849, 'get discount': 346886, 'discount visit': 244563, 'top in business': 925593, 'in business fuel': 421074, 'business fuel home': 143774, 'fuel home to': 340187, 'home to cost': 402317, 'cost more under': 208023, 'more under anti': 540848, 'under anti corona': 940002, 'anti corona tax': 78293, 'corona tax bill': 204213, 'tax bill buy': 834938, 'bill buy tuesday': 130527, 'buy tuesday africa': 149401, 'tuesday africa paper': 935104, 'africa paper for': 35120, 'paper for this': 640187, 'this and more': 886337, 'and more you': 67232, 'more you can': 541032, 'can also subscribe': 157469, 'also subscribe for': 48925, 'subscribe for the': 815851, 'for the paper': 326610, 'the paper and': 863261, 'paper and get': 639825, 'and get discount': 63567, 'get discount visit': 346888, 'emergency parcel': 272852, 'parcel stop': 641522, 'food we donated': 317527, 'we donated to': 971405, 'their emergency parcel': 873127, 'emergency parcel stop': 272853, 'parcel stop panic': 641523, 'aoc': 81174, 'dream said': 258619, 'said aoc': 730979, 'aoc of': 81175, 'of green': 584332, 'deal where': 229522, 'where country': 984797, 'country demand': 210574, 'and airplane': 57813, 'airplane no': 40072, 'longer fly': 501973, 'fly where': 311641, 'longer commute': 501958, 'commute to': 190269, 'oil green': 596845, 'had dream said': 373059, 'dream said aoc': 258620, 'said aoc of': 730980, 'aoc of green': 81176, 'of green new': 584334, 'new deal where': 558607, 'deal where country': 229523, 'where country demand': 984799, 'country demand for': 210576, 'for oil plummet': 324041, 'oil plummet and': 597014, 'plummet and airplane': 661257, 'and airplane no': 57814, 'airplane no longer': 40073, 'no longer fly': 564646, 'longer fly where': 501974, 'fly where people': 311642, 'where people no': 985107, 'people no longer': 648853, 'no longer commute': 564642, 'longer commute to': 501959, 'commute to work': 190271, 'to work there': 918790, 'work there is': 1005831, 'paper because that': 639935, 'because that take': 119606, 'that take oil': 846614, 'take oil green': 832398, 'supermarket small': 822716, 'small amount': 774783, 'tp the': 927971, 'with package': 1000056, 'package under': 633444, 'under his': 940114, 'his arm': 397203, 'arm damn': 92888, 'damn people': 225409, 'are idiot': 87288, 'local supermarket small': 498589, 'supermarket small amount': 822717, 'small amount of': 774784, 'amount of tp': 53265, 'of tp the': 592381, 'tp the guy': 927973, 'guy in front': 369032, 'of me with': 586352, 'me with package': 523997, 'with package under': 1000058, 'package under his': 633445, 'under his arm': 940115, 'his arm damn': 397204, 'arm damn people': 92889, 'damn people are': 225410, 'people are idiot': 646999, 'take huge': 832208, 'huge hit': 410061, 'closing until': 183803, 'least end': 484452, 'economy will take': 268361, 'will take huge': 995072, 'take huge hit': 832209, 'huge hit with': 410063, 'hit with all': 398510, 'all these store': 45058, 'these store closing': 880736, 'store closing until': 807080, 'closing until at': 183804, 'at least end': 99488, 'least end of': 484453, 'of march but': 586203, 'march but it': 515305, 'but it the': 146171, 'right thing to': 722317, 'do to fight': 250385, 'mushroom': 546276, 'limiting everyone': 492815, 'given mushroom': 351059, 'mushroom what': 546278, 'am gonna': 50090, 'so know are': 777517, 'know are limiting': 476278, 'are limiting everyone': 87816, 'limiting everyone to': 492816, 'everyone to of': 287498, 'to of each': 910811, 'each item for': 264108, 'item for their': 463276, 'for their online': 326854, 'shopping but to': 762259, 'but to be': 147583, 'be given mushroom': 115028, 'given mushroom what': 351060, 'mushroom what am': 546279, 'what am gonna': 981018, 'am gonna do': 50092, 'gonna do with': 356514, 'do with that': 250570, 'with that 19': 1001167, 'that 19 coronacrisisuk': 842442, 'force unless': 328540, 'which case': 985738, 'case cram': 165703, 'cram close': 214827, 'close possible': 182770, 'distancing in force': 247225, 'in force unless': 423035, 'force unless you': 328541, 're in shop': 698884, 'in shop supermarket': 427900, 'shop supermarket queue': 760868, 'queue in which': 693964, 'in which case': 430857, 'which case cram': 985739, 'case cram close': 165704, 'cram close possible': 214828, 'close possible to': 182771, 'possible to the': 665854, 'to the person': 916950, 'this sort': 890261, 'thing ha': 884382, 'year stopped': 1014976, 'stopped shopping': 805754, 'there when': 879338, 'online price': 608791, 'didn match': 241133, 'price vote': 677328, 'vote with': 960528, 'foot people': 318423, 'mr ashley': 544344, 'ashley business': 95102, 'street will': 813179, 'this sort of': 890262, 'sort of thing': 786142, 'of thing ha': 591901, 'thing ha been': 884383, 'ha been going': 369817, 'been going on': 121220, 'going on for': 355317, 'on for year': 600957, 'for year stopped': 328015, 'year stopped shopping': 1014977, 'stopped shopping there': 805756, 'shopping there when': 764111, 'there when the': 879341, 'when the online': 984177, 'the online price': 862277, 'online price didn': 608793, 'price didn match': 673437, 'didn match the': 241134, 'match the store': 520307, 'the store price': 868085, 'store price vote': 809649, 'price vote with': 677329, 'vote with your': 960529, 'your foot people': 1023940, 'foot people and': 318424, 'people and do': 646855, 'use any of': 949053, 'any of mr': 79533, 'of mr ashley': 586704, 'mr ashley business': 544345, 'ashley business the': 95103, 'business the high': 144500, 'high street will': 395441, 'street will be': 813180, 'remake': 710088, 'affiliation': 34631, 'maybe can': 521650, 'can remake': 159428, 'remake america': 710089, 'we create': 971230, 'create our': 215709, 'own world': 632315, 'world out': 1009876, 'political affiliation': 663629, 'affiliation consumer': 34632, 'choice digital': 177750, 'digital habit': 242579, 'habit actual': 372538, 'actual social': 30700, 'is lonely': 449428, 'lonely and': 501294, 'and depressing': 61232, 'maybe can remake': 521651, 'can remake america': 159429, 'remake america to': 710090, 'america to force': 51711, 'to force to': 906177, 'force to recognize': 328530, 'to recognize that': 912958, 'recognize that much': 704650, 'that much we': 845252, 'much we like': 545440, 'like to think': 491630, 'to think we': 917392, 'think we create': 885765, 'we create our': 971231, 'create our own': 215710, 'our own world': 624221, 'own world out': 632316, 'world out of': 1009877, 'out of political': 626808, 'of political affiliation': 588207, 'political affiliation consumer': 663630, 'affiliation consumer choice': 34633, 'consumer choice digital': 196795, 'choice digital habit': 177751, 'digital habit actual': 242580, 'habit actual social': 372539, 'actual social distance': 30701, 'social distance is': 779510, 'distance is lonely': 246751, 'is lonely and': 449429, 'lonely and depressing': 501295, 'would personally': 1012107, 'member working': 528257, 'personnel grocery': 653113, 'employee service': 274194, 'life functional': 488679, 'functional coronacrisis': 341289, 'would personally like': 1012108, 'community member working': 189988, 'member working the': 528258, 'working the front': 1008938, 'doctor nurse all': 250995, 'nurse all medical': 577183, 'all medical personnel': 43492, 'medical personnel grocery': 526295, 'personnel grocery store': 653114, 'store employee service': 807534, 'employee service people': 274195, 'service people and': 752690, 'people and anyone': 646845, 'anyone working through': 80657, 'through this shit': 894838, 'this shit to': 890090, 'shit to make': 759264, 'make our life': 510288, 'our life functional': 623723, 'life functional coronacrisis': 488680, 'you post': 1020382, 'anxiety please': 78777, 'stop 19': 804413, 'if you post': 415494, 'you post photo': 1020383, 'shelf you are': 757845, 'not helping this': 569945, 'helping this situation': 391513, 'this situation you': 890199, 'situation you are': 772612, 'contributing to panic': 201922, 'panic and anxiety': 637294, 'and anxiety please': 58203, 'anxiety please stop': 78778, 'please stop 19': 660565, 'supermarket soon': 822782, 'some supply': 784017, 'family if': 297908, 'someone doesn': 784433, 'apply social': 82594, 'space it': 787135, 'not they': 572064, 'catching they': 167124, 'catching these': 167122, 'these hand': 880093, 'got to head': 358960, 'the supermarket soon': 868814, 'supermarket soon to': 822783, 'soon to get': 785865, 'get some supply': 348076, 'some supply for': 784020, 'supply for my': 825272, 'my family if': 548205, 'family if someone': 297910, 'if someone doesn': 414853, 'someone doesn want': 784434, 'want to apply': 965987, 'to apply social': 900657, 'apply social distancing': 82595, 'distancing and get': 246968, 'and get up': 63611, 'get up in': 348566, 'in my personal': 425611, 'my personal space': 549743, 'personal space it': 652972, 'space it not': 787136, 'it not they': 459929, 'not they have': 572069, 'worry about catching': 1010628, 'about catching they': 24942, 'catching they ll': 167125, 'they ll have': 882601, 'about catching these': 24941, 'catching these hand': 167123, 'forty': 329935, 'pincher': 656791, 'pond': 663960, 'disturbed': 248401, 'imagine taking': 416785, 'taking forty': 833368, 'forty quid': 329938, 'quid from': 694658, 'someone for': 784469, 'milk you': 531918, 'be heartless': 115183, 'heartless callous': 388463, 'callous penny': 156668, 'penny pincher': 646619, 'pincher selfish': 656792, 'selfish pond': 748227, 'pond life': 663963, 'life disturbed': 488599, 'disturbed if': 248404, 'are involved': 87573, 'gouging come': 359287, 'and justify': 65736, 'justify it': 470463, 'and 77': 57506, '77 00': 22273, '00 other': 396, 'all ear': 42648, 'you imagine taking': 1019294, 'imagine taking forty': 416786, 'taking forty quid': 833369, 'forty quid from': 329939, 'quid from someone': 694659, 'from someone for': 337351, 'someone for can': 784470, 'for can of': 319895, 'can of baby': 159080, 'of baby milk': 580497, 'baby milk you': 106671, 'milk you would': 531921, 'you would have': 1022450, 'to be heartless': 901297, 'be heartless callous': 115184, 'heartless callous penny': 388464, 'callous penny pincher': 156669, 'penny pincher selfish': 646620, 'pincher selfish pond': 656793, 'selfish pond life': 748228, 'pond life disturbed': 663964, 'life disturbed if': 488600, 'disturbed if you': 248405, 'you are involved': 1017155, 'are involved in': 87574, 'involved in price': 444353, 'in price gouging': 426968, 'price gouging come': 674269, 'gouging come and': 359288, 'come and justify': 187219, 'and justify it': 65737, 'justify it to': 470464, 'me and 77': 522403, 'and 77 00': 57507, '77 00 other': 22274, '00 other people': 397, 'other people we': 620696, 'people we are': 650152, 'are all ear': 84301, '1t': 12837, 'saud': 737168, 'especial': 280420, 'mayor is': 521966, 'absolutely right': 27441, 'right bring': 721825, 'bring 1t': 139913, '1t funding': 12838, 'and bailout': 58659, 'bailout some': 108656, 'company suspend': 191137, 'suspend rent': 829583, 'rent provide': 711170, 'some income': 783104, 'support build': 826392, 'build temporary': 142008, 'single park': 771370, 'empty playground': 275009, 'playground also': 659357, 'also kick': 48455, 'kick out': 473796, 'out saud': 627143, 'saud family': 737169, 'family especial': 297762, 'mayor is absolutely': 521967, 'is absolutely right': 445299, 'absolutely right bring': 27442, 'right bring 1t': 721826, 'bring 1t funding': 139914, '1t funding to': 12839, 'funding to fight': 341623, '19 and bailout': 4989, 'and bailout some': 58660, 'bailout some company': 108657, 'some company suspend': 782572, 'company suspend rent': 191139, 'suspend rent provide': 829584, 'rent provide some': 711171, 'provide some income': 686483, 'some income support': 783106, 'income support build': 432464, 'support build temporary': 826393, 'build temporary hospital': 142009, 'temporary hospital in': 837638, 'hospital in every': 404467, 'in every single': 422688, 'every single park': 286189, 'single park and': 771371, 'park and empty': 641859, 'and empty playground': 62081, 'empty playground also': 275010, 'playground also kick': 659358, 'also kick out': 48456, 'kick out saud': 473798, 'out saud family': 627144, 'saud family especial': 737170, 'impact 45': 417535, '45 billion': 19074, 'of discretionary': 582662, 'spending may': 788894, 'be lockeddown': 115802, 'lockeddown consumer': 500510, 'impact 45 billion': 417536, '45 billion of': 19075, 'billion of discretionary': 130869, 'of discretionary spending': 582663, 'discretionary spending may': 244777, 'spending may be': 788895, 'may be lockeddown': 521001, 'be lockeddown consumer': 115803, 'hdmotors': 384698, 'kathmandu': 471037, 'sanitizer effectively': 734812, 'effectively handsanitizer': 269351, 'handsanitizer staysafe': 376652, 'stayhealthy hdmotors': 797898, 'hdmotors pandemic': 384699, 'pandemic kathmandu': 635850, 'kathmandu nepal': 471038, 'hand sanitizer effectively': 375384, 'sanitizer effectively handsanitizer': 734813, 'effectively handsanitizer staysafe': 269352, 'handsanitizer staysafe stayhealthy': 376654, 'staysafe stayhealthy hdmotors': 798896, 'stayhealthy hdmotors pandemic': 797899, 'hdmotors pandemic kathmandu': 384700, 'pandemic kathmandu nepal': 635851, 'their layout': 873796, 'layout online': 482721, 'online listing': 608496, 'listing what': 494899, 'each aisle': 263987, 'may would': 521619, 'where only': 985071, '50 can': 19647, 'quarantine chinesevirus': 692084, 'would it help': 1011966, 'it help if': 458542, 'help if the': 389887, 'store had their': 808046, 'had their layout': 373635, 'their layout online': 873797, 'layout online listing': 482722, 'online listing what': 608497, 'listing what is': 494900, 'what is on': 981715, 'is on each': 450463, 'on each aisle': 600451, 'each aisle that': 263990, 'aisle that way': 40388, 'that way you': 847355, 'you can plan': 1017747, 'can plan your': 159246, 'plan your grocery': 658363, 'grocery shopping it': 365044, 'shopping it may': 763103, 'it may would': 459558, 'may would help': 521620, 'would help with': 1011923, 'the line where': 859425, 'line where only': 493564, 'where only 50': 985073, 'only 50 can': 610008, '50 can shop': 19648, 'at time quarantine': 101307, 'time quarantine chinesevirus': 897540, 'heeley': 388781, 'your heeley': 1024290, 'heeley retail': 388782, 'sheffield most': 756646, 'most organised': 542586, 'organised and': 619309, 'and safest': 70732, 'safest in': 730424, 'felt since': 303448, 'restriction started': 717380, 'started well': 794909, 'been in your': 121365, 'in your heeley': 431090, 'your heeley retail': 1024291, 'heeley retail store': 388783, 'store in sheffield': 808389, 'in sheffield most': 427878, 'sheffield most organised': 756647, 'most organised and': 542587, 'organised and safest': 619311, 'and safest in': 70733, 'safest in any': 730425, 'any store ve': 79871, 'store ve felt': 811042, 've felt since': 953113, 'felt since covid': 303449, '19 restriction started': 10183, 'restriction started well': 717381, 'started well done': 794910, 'worker email': 1006836, 'support food service': 826503, 'service worker email': 753094, 'worker email american': 1006837, 'tilt': 896142, 'cleantech': 181193, 'cleanenergy': 180730, 'low fuel': 505289, 'no regulation': 565324, 'on co2': 599959, 'co2 emission': 185027, 'emission tilt': 273217, 'tilt the': 896145, 'of dirty': 582642, 'dirty fossil': 243744, 'fossil plant': 330086, 'plant cleantech': 658636, 'cleantech cleanenergy': 181194, 'cleanenergy 19': 180731, 'low fuel price': 505290, 'price and no': 672478, 'and no regulation': 67633, 'no regulation on': 565326, 'regulation on co2': 708084, 'on co2 emission': 599960, 'co2 emission tilt': 185028, 'emission tilt the': 273218, 'tilt the market': 896146, 'market in favor': 516556, 'favor of dirty': 300467, 'of dirty fossil': 582643, 'dirty fossil plant': 243745, 'fossil plant cleantech': 330087, 'plant cleantech cleanenergy': 658637, 'cleantech cleanenergy 19': 181195, 'in neworleans': 425845, 'neworleans why': 560160, 'business allowed': 143262, 'pharmacy stop': 654482, 'in neworleans why': 425846, 'neworleans why are': 560161, 'some retail business': 783755, 'retail business allowed': 717900, 'business allowed to': 143263, 'allowed to stay': 46248, 'stay open that': 797162, 'open that is': 612545, 'or pharmacy stop': 616582, 'pharmacy stop the': 654483, 'ceausescu': 168722, 'husband hit': 411718, 'hit supermarket': 398414, 'supermarket couldn': 819831, 'find single': 307210, 'single leg': 771319, 'leg of': 485814, 'chicken wa': 175874, 'little in': 495403, 'line my': 493268, 'parent stood': 641737, 'get stick': 348112, 'stick of': 800038, 'butter in': 148151, 'in ceausescu': 421300, 'ceausescu romania': 168723, 'romania pro': 725736, 'from mom': 336458, 'mom figure': 535728, 'out when': 627822, 'truck arrives': 932729, 'arrives be': 93987, 'now applied': 574083, 'to nj': 910611, 'my husband hit': 548781, 'husband hit supermarket': 411719, 'hit supermarket couldn': 398415, 'supermarket couldn find': 819832, 'couldn find single': 209878, 'find single leg': 307213, 'single leg of': 771320, 'leg of chicken': 485815, 'of chicken wa': 581338, 'chicken wa too': 175875, 'wa too little': 963553, 'too little in': 924857, 'little in the': 495405, 'in the 70': 428959, 'the 70 to': 848183, '70 to remember': 21849, 'to remember the': 913188, 'remember the line': 710311, 'the line my': 859413, 'line my parent': 493270, 'my parent stood': 549699, 'parent stood in': 641738, 'stood in to': 804380, 'to get stick': 906601, 'get stick of': 348113, 'stick of butter': 800039, 'of butter in': 581000, 'butter in ceausescu': 148152, 'in ceausescu romania': 421301, 'ceausescu romania pro': 168725, 'romania pro tip': 725737, 'pro tip from': 679132, 'tip from mom': 898802, 'from mom figure': 336459, 'mom figure out': 535729, 'figure out when': 305223, 'out when the': 627823, 'when the delivery': 984142, 'delivery truck arrives': 234692, 'truck arrives be': 932730, 'arrives be there': 93988, 'be there now': 117682, 'there now applied': 878882, 'now applied to': 574085, 'applied to nj': 82502, 'help one': 390185, 'another during': 77595, 'to help one': 907573, 'help one another': 390186, 'one another during': 605915, 'another during covid': 77596, 'tempting': 837748, 'clog': 182434, 'ufifas': 937944, 'be tempting': 117546, 'tempting to': 837755, 'to flush': 906028, 'flush wipe': 311563, 'wipe paper': 996357, 'item down': 463219, 'toilet for': 921146, 'easy disposal': 265684, 'disposal but': 246278, 'don these': 253962, 'can clog': 157921, 'clog pipe': 182435, 'pipe and': 656871, 'potentially damage': 667200, 'damage sewer': 225218, 'sewer and': 754160, 'and septic': 71279, 'septic system': 751166, 'system discard': 831145, 'discard them': 244324, 'trash and': 930128, 'only flush': 610449, 'flush toiletpaper': 311561, 'toiletpaper ufifas': 922785, 'ufifas fcs': 937945, 'may be tempting': 521039, 'be tempting to': 117547, 'tempting to flush': 837757, 'to flush wipe': 906029, 'flush wipe paper': 311565, 'wipe paper towel': 996358, 'towel and other': 927296, 'other item down': 620445, 'item down the': 463220, 'the toilet for': 869708, 'toilet for easy': 921147, 'for easy disposal': 320927, 'easy disposal but': 265685, 'disposal but don': 246279, 'but don these': 145597, 'don these product': 253963, 'these product can': 880555, 'product can clog': 681041, 'can clog pipe': 157922, 'clog pipe and': 182436, 'pipe and potentially': 656872, 'and potentially damage': 69268, 'potentially damage sewer': 667201, 'damage sewer and': 225219, 'sewer and septic': 754161, 'and septic system': 71280, 'septic system discard': 751167, 'system discard them': 831146, 'discard them in': 244325, 'the trash and': 869917, 'trash and only': 930129, 'and only flush': 68137, 'only flush toiletpaper': 610451, 'flush toiletpaper ufifas': 311562, 'toiletpaper ufifas fcs': 922786, 'warning they': 967217, 'during city': 262504, 'are warning they': 91537, 'warning they cannot': 967218, 'unemployment during city': 941204, 'during city across': 262505, 'country are struggling': 210484, 'to the ppl': 916972, 'the ppl who': 864180, 'ppl who serve': 668376, 'doe have': 251401, 'an honour': 56070, 'honour system': 403298, 'for citizen': 320088, 'citizen should': 178959, 'don if': 253647, 'than naming': 840922, 'naming street': 551757, 'street after': 812883, 'start lobbying': 794372, 'lobbying to': 497601, 'to honour': 907955, 'honour all': 403286, 'pharmacist etc': 654135, 'doe have an': 251402, 'have an honour': 379252, 'an honour system': 56071, 'honour system for': 403299, 'system for citizen': 831169, 'for citizen should': 320092, 'citizen should know': 178960, 'should know the': 766181, 'to this but': 917407, 'this but don': 886641, 'but don if': 145593, 'don if so': 253648, 'if so what': 414834, 'is it other': 449046, 'it other than': 460161, 'other than naming': 621074, 'than naming street': 840923, 'naming street after': 551758, 'street after people': 812884, 'after people going': 36032, 'to start lobbying': 915205, 'start lobbying to': 794373, 'lobbying to honour': 497603, 'to honour all': 907956, 'honour all hospital': 403288, 'all hospital staff': 43150, 'supermarket staff pharmacist': 822874, 'staff pharmacist etc': 792748, 'pharmacist etc etc': 654136, 'sanitizer not': 735427, 'not feeling': 569390, 'feeling meme': 303025, 'like lockdownextension': 490664, 'use sanitizer not': 949547, 'sanitizer not feeling': 735428, 'not feeling meme': 569392, 'feeling meme meme': 303026, 'follow like lockdownextension': 312445, 'like lockdownextension lockdown': 490665, 'aquilo': 83790, 'venho': 954471, 'sofrer': 781453, 'janeiro': 464508, 'aquilo que': 83791, 'que venho': 693330, 'venho sofrer': 954472, 'sofrer desde': 781454, 'desde janeiro': 237989, 'janeiro covid': 464509, 'aquilo que venho': 83792, 'que venho sofrer': 693331, 'venho sofrer desde': 954473, 'sofrer desde janeiro': 781455, 'desde janeiro covid': 237990, 'janeiro covid 19': 464510, 've become': 952856, 'all small': 44364, 'small supplier': 775144, 'supplier immediately': 824553, 'business do': 143644, 'not collapse': 568788, 'collapse due': 185997, 'great work from': 363115, 'work from they': 1005197, 'they ve become': 883637, 've become the': 952857, 'become the first': 120156, 'the first major': 855327, 'first major uk': 308779, 'uk supermarket to': 938779, 'supermarket to agree': 823351, 'to agree to': 900183, 'agree to pay': 38666, 'pay all small': 644716, 'all small supplier': 44365, 'small supplier immediately': 775145, 'supplier immediately to': 824554, 'immediately to ensure': 417165, 'ensure business do': 277898, 'business do not': 143646, 'do not collapse': 249698, 'not collapse due': 568789, 'collapse due to': 185998, 'snood': 776376, 'cannot use': 162203, 'use scarf': 949558, 'scarf wear': 741087, 'wear snood': 974461, 'snood when': 776379, 'offer no': 594708, 'against an': 37323, 'an aerosol': 55166, 'aerosol virus': 33924, 'face distance': 294399, 'hygiene are': 412052, 'than scarf': 841117, 'scarf do': 741067, 'no you cannot': 565945, 'you cannot use': 1017885, 'cannot use scarf': 162205, 'use scarf wear': 949559, 'scarf wear snood': 741088, 'wear snood when': 974462, 'snood when have': 776380, 'supermarket but it': 819450, 'but it offer': 146147, 'it offer no': 459993, 'offer no protection': 594709, 'no protection against': 565227, 'protection against an': 685290, 'against an aerosol': 37324, 'an aerosol virus': 55168, 'aerosol virus wear': 33925, 'virus wear it': 959015, 'wear it so': 974370, 'it so do': 461105, 'not touch my': 572233, 'my face distance': 548153, 'face distance and': 294400, 'distance and hygiene': 246638, 'and hygiene are': 64902, 'hygiene are better': 412053, 'better than scarf': 128534, 'than scarf do': 841118, 'scarf do not': 741068, 'to this idiot': 917428, 'but lower': 146331, 'lower intake': 505895, 'their rent': 874547, 'nonprofit organization': 566696, 'pantry are seeing': 639536, 'demand but lower': 235079, 'but lower intake': 146332, 'lower intake meanwhile': 505896, 'nonprofit is getting': 566692, 'getting more call': 349121, 'help paying their': 390280, 'paying their rent': 645503, 'their rent the': 874549, 'rent the impact': 711190, 'coronavirus on certain': 206337, 'certain nonprofit organization': 170062, 'nonprofit organization and': 566697, 'organization and how': 619339, 'externality': 293356, 'pigouviantax': 656472, 'german business': 346204, 'owner pricing': 632543, 'negative externality': 556770, 'externality at': 293357, 'rewe supermarket': 720823, 'anyone buying': 80209, 'buying pack': 150861, 'toiletpaper pay': 922333, 'pay euro': 644852, 'euro extra': 283354, 'extra buying': 293467, 'pack 10': 633008, '10 euro': 1419, 'charity assisting': 173574, 'assisting ppl': 96824, 'ppl affected': 668148, 'by pigouviantax': 153584, 'german business owner': 346205, 'business owner pricing': 144192, 'owner pricing in': 632544, 'pricing in negative': 677938, 'in negative externality': 425789, 'negative externality at': 556771, 'externality at rewe': 293358, 'at rewe supermarket': 100310, 'rewe supermarket anyone': 720824, 'supermarket anyone buying': 819128, 'anyone buying pack': 80212, 'buying pack of': 150863, 'of toiletpaper pay': 592277, 'toiletpaper pay euro': 922334, 'pay euro extra': 644853, 'euro extra buying': 283355, 'extra buying pack': 293468, 'buying pack 10': 150862, 'pack 10 euro': 633009, '10 euro extra': 1420, 'euro extra money': 283356, 'extra money get': 293580, 'to charity assisting': 902651, 'charity assisting ppl': 173575, 'assisting ppl affected': 96825, 'ppl affected by': 668149, 'affected by pigouviantax': 34323, 'closet am': 183546, 'hoarded it': 398947, 'then pasta for': 877409, 'the closet am': 851045, 'closet am glad': 183547, 'am glad do': 50081, 'eat it every': 265960, 'every day for': 285806, 'who have hoarded': 988928, 'have hoarded it': 380968, 'hoarded it stophoarding': 398949, 'it stophoarding stopstockpiling': 461280, 'rip toilet': 722677, 'friend you': 333928, 'were always': 979318, 'always there': 49773, 'needed you': 556591, 'now now': 575382, 're gone': 698756, 'gone you': 356454, 'be missed': 115947, 'tp you': 928040, 'all took': 45270, 'granted toiletpaper': 362097, 'rip toilet paper': 722678, 'paper you were': 641136, 'you were close': 1022243, 'were close friend': 979447, 'close friend you': 182648, 'friend you were': 333931, 'you were always': 1022240, 'were always there': 979321, 'always there when': 49775, 'there when needed': 879340, 'when needed you': 983767, 'needed you and': 556592, 'you and now': 1016997, 'and now now': 67858, 'now now you': 575384, 'you re gone': 1020635, 're gone you': 698758, 'gone you will': 356455, 'will be missed': 992560, 'be missed in': 115948, 'the comment for': 851211, 'comment for tp': 188414, 'for tp you': 327302, 'tp you were': 928042, 'you were the': 1022258, 'were the hero': 980242, 'hero that we': 394113, 'that we all': 847360, 'we all took': 970371, 'all took for': 45271, 'for granted toiletpaper': 322000, 'sale energy': 732187, 'market tumble': 517264, 'spread and car': 790404, 'and car sale': 59550, 'car sale energy': 163272, 'sale energy price': 732188, 'energy price market': 276544, 'price market tumble': 675173, 'bernanke and': 127366, 'and yellen': 75967, 'yellen the': 1015243, 'fed could': 301795, 'ask congress': 95503, 'congress for': 194503, 'buy limited': 148901, 'limited amount': 492598, 'of investment': 585283, 'investment grade': 443999, 'grade corporate': 361637, 'bernanke and yellen': 127367, 'and yellen the': 75968, 'yellen the fed': 1015244, 'the fed could': 855055, 'fed could ask': 301796, 'could ask congress': 208823, 'ask congress for': 95504, 'congress for the': 194504, 'for the authority': 326309, 'the authority to': 849076, 'authority to buy': 103797, 'to buy limited': 902259, 'buy limited amount': 148902, 'limited amount of': 492599, 'amount of investment': 53230, 'of investment grade': 585285, 'investment grade corporate': 444001, 'grade corporate debt': 361638, 'today informing': 919706, 'that sky': 846337, 'sky are': 773183, 'is appropriate': 445798, 'appropriate with': 83065, 'job government': 465837, 'pay wage': 645217, 'received letter today': 703638, 'letter today informing': 487377, 'today informing me': 919707, 'me that sky': 523627, 'that sky are': 846338, 'sky are increasing': 773184, 'increasing price do': 433669, 'price do you': 673475, 'you really think': 1020845, 'really think that': 702660, 'think that this': 885614, 'this is appropriate': 888180, 'is appropriate with': 445801, 'appropriate with the': 83066, '19 situation people': 10583, 'situation people losing': 772440, 'people losing job': 648712, 'losing job government': 503565, 'job government fund': 465838, 'government fund to': 360114, 'fund to pay': 341526, 'to pay wage': 911572, 'pay wage and': 645218, 'be protecting': 116582, 'cannot avoid': 161630, 'be restricting': 116854, 'restricting number': 717190, 'public into': 688116, 'allow distance': 45947, 'between staff': 128899, 'customer my': 222612, 'is super': 452448, 'you be protecting': 1017395, 'be protecting your': 116583, 'protecting your staff': 685258, 'your staff they': 1025920, 'staff they cannot': 792965, 'they cannot avoid': 881700, 'cannot avoid contact': 161631, 'avoid contact with': 105048, 'public will you': 688487, 'you be restricting': 1017397, 'be restricting number': 116855, 'restricting number of': 717191, 'number of the': 577000, 'of the general': 591060, 'general public into': 345453, 'public into the': 688118, 'store to allow': 810752, 'to allow distance': 900331, 'allow distance between': 45948, 'distance between staff': 246667, 'between staff and': 128900, 'and customer my': 60853, 'customer my partner': 222613, 'my partner is': 549720, 'partner is super': 642843, 'brooklyn landlord': 140986, 'landlord cancel': 479345, 'cancel rent': 160878, 'of tenant': 590665, 'tenant so': 837857, 'food instead': 315085, 'instead virus': 440380, 'virus rent': 958681, 'rent tenant': 711183, 'tenant crisis': 837838, 'crisis shortage': 218034, 'pandemic money': 635970, 'money corona': 536680, 'health economy': 386389, 'economy stayathome': 268230, 'world need more': 1009825, 'need more people': 555261, 'more people like': 540030, 'like this brooklyn': 491473, 'this brooklyn landlord': 886619, 'brooklyn landlord cancel': 140987, 'landlord cancel rent': 479346, 'cancel rent for': 160879, 'rent for hundred': 711090, 'hundred of tenant': 411014, 'of tenant so': 590666, 'tenant so they': 837858, 'buy food instead': 148657, 'food instead virus': 315088, 'instead virus rent': 440381, 'virus rent tenant': 958682, 'rent tenant crisis': 711184, 'tenant crisis shortage': 837839, 'crisis shortage pandemic': 218037, 'shortage pandemic money': 765155, 'pandemic money corona': 635971, 'money corona health': 536681, 'corona health economy': 203983, 'health economy stayathome': 386390, 'economy stayathome stayhome': 268231, 'stayathome stayhome staysafe': 797641, 'free clear': 331715, 'clear 41': 181210, '41 fl': 18859, 'oz each': 632737, 'each fast': 264074, 'fast free': 299986, 'shipping new': 758872, 'laundry sanitizer free': 482128, 'sanitizer free clear': 734934, 'free clear 41': 331716, 'clear 41 fl': 181211, '41 fl oz': 18860, 'fl oz each': 309918, 'oz each fast': 632738, 'each fast free': 264075, 'fast free shipping': 299987, 'free shipping new': 332159, 'wordcloud': 1004624, 'americanconsumers': 52338, 'socialintelligence': 780936, 'socialanalytics': 780027, 'online conversation': 608050, 'conversation relating': 202483, 'coronavirus wordcloud': 207098, 'wordcloud totalsocial': 1004627, 'consumerinsights wednesdaythoughts': 199704, 'wednesdaythoughts usconsumers': 975734, 'usconsumers americanconsumers': 948892, 'americanconsumers wordcloud': 52339, 'wordcloud socialintelligence': 1004625, 'socialintelligence socialanalytics': 780937, 'online conversation relating': 608051, 'conversation relating to': 202484, 'relating to coronavirus': 708651, 'to coronavirus wordcloud': 903577, 'coronavirus wordcloud totalsocial': 207099, 'wordcloud totalsocial consumerconversations': 1004628, 'consumerconversations consumerinsights wednesdaythoughts': 199663, 'consumerinsights wednesdaythoughts usconsumers': 199705, 'wednesdaythoughts usconsumers americanconsumers': 975735, 'usconsumers americanconsumers wordcloud': 948893, 'americanconsumers wordcloud socialintelligence': 52340, 'wordcloud socialintelligence socialanalytics': 1004626, 'fishbulb': 309354, 'there your': 879393, 'answer fishbulb': 78048, 'fishbulb toiletpaper': 309355, 'shortage quarantine': 765191, 'there your answer': 879394, 'your answer fishbulb': 1022786, 'answer fishbulb toiletpaper': 78049, 'fishbulb toiletpaper shortage': 309356, 'toiletpaper shortage quarantine': 922471, 'imperative to': 418339, 'community most': 189991, 'citizen be': 178862, 'pas along': 643079, 'along this': 47032, 'this vital': 891043, 'vital information': 959698, 'get money': 347571, 'citizen claiming': 178873, 'be their': 117668, 'one sick': 607034, 'it is imperative': 458982, 'is imperative to': 448717, 'imperative to protect': 418341, 'protect our community': 684890, 'our community most': 622469, 'community most vulnerable': 189992, 'most vulnerable citizen': 542871, 'vulnerable citizen be': 960911, 'citizen be sure': 178864, 'sure to pas': 827775, 'to pas along': 911484, 'pas along this': 643081, 'along this vital': 47033, 'this vital information': 891044, 'vital information on': 959699, 'on how scammer': 601421, 'how scammer are': 408625, 'to get money': 906535, 'get money out': 347574, 'out of senior': 626825, 'of senior citizen': 589508, 'senior citizen claiming': 750250, 'citizen claiming to': 178874, 'to be their': 901587, 'be their loved': 117669, 'loved one sick': 504922, 'one sick with': 607035, 'been amazing': 120649, 'amazing since': 50780, 'covid if': 214176, 'my insurance': 548867, 'more apocalypse': 538631, 'apocalypse oilprice': 81557, 'have been amazing': 379464, 'been amazing since': 120651, 'amazing since covid': 50781, 'since covid if': 770553, 'covid if you': 214177, 'if you drop': 415427, 'you drop my': 1018366, 'drop my insurance': 260310, 'my insurance price': 548868, 'insurance price you': 440799, 'you can hit': 1017694, 'can hit me': 158685, 'me with some': 523999, 'with some more': 1000854, 'some more apocalypse': 783318, 'more apocalypse oilprice': 538632, 'cheddar': 175077, 'rst': 726721, 'zew': 1027531, 'rstjokeimdaswelt': 726724, 'famous german': 298463, 'german supermarket': 346245, 'on sausage': 603312, 'sausage and': 737400, 'and cheddar': 59791, 'cheddar yes': 175078, 'yes folk': 1015431, 'folk planning': 312238, 'the rst': 866020, 'rst se': 726722, 'scenario stayhomechallenge': 741291, 'stayhomechallenge zew': 798296, 'zew rstjokeimdaswelt': 1027532, 'preparing to self': 670368, '12 week ve': 2991, 'week ve just': 977162, 'been to that': 122230, 'to that world': 916465, 'that world famous': 847667, 'world famous german': 1009539, 'famous german supermarket': 298464, 'german supermarket and': 346247, 'and have stocked': 64282, 'up on sausage': 945616, 'on sausage and': 603313, 'sausage and cheddar': 737402, 'and cheddar yes': 59792, 'cheddar yes folk': 175079, 'yes folk planning': 1015432, 'folk planning for': 312239, 'for the rst': 326664, 'the rst se': 866021, 'rst se scenario': 726723, 'se scenario stayhomechallenge': 743060, 'scenario stayhomechallenge zew': 741292, 'stayhomechallenge zew rstjokeimdaswelt': 798297, 'missed your': 534265, 'chance last': 171740, 'free toiletpaper': 332258, 'toiletpaper don': 921919, 'worry essential': 1010700, 'essential church': 280894, 'hosting another': 404946, 'another drive': 77591, 'through event': 894446, 'event this': 285088, 'missed your chance': 534266, 'your chance last': 1023181, 'chance last week': 171741, 'to get free': 906485, 'get free toiletpaper': 347100, 'free toiletpaper don': 332259, 'toiletpaper don worry': 921920, 'don worry essential': 254080, 'worry essential church': 1010701, 'essential church is': 280895, 'church is hosting': 178378, 'is hosting another': 448556, 'hosting another drive': 404947, 'another drive through': 77592, 'drive through event': 259178, 'through event this': 894447, 'event this wednesday': 285089, 'this wednesday it': 891176, 'wednesday it their': 975655, 'it their response': 461596, 'the store shortage': 868103, 'store shortage due': 810146, 'africa jesus': 35096, 'jesus keep': 465306, 'safe try': 730078, 'idiot it': 413533, 'starvation cause': 795157, 'cause people': 167699, 'selfish by': 748044, 'by bulk': 152014, 'food two': 317379, 'empty have': 274905, 'baked be': 108757, 'africa jesus keep': 35097, 'jesus keep safe': 465307, 'keep safe try': 471893, 'safe try not': 730079, 'to panic like': 911407, 'panic like the': 638276, 'of the idiot': 591120, 'the idiot it': 857843, 'idiot it not': 413534, 'not just now': 570235, 'just now it': 469349, 'it the threat': 461581, 'threat of starvation': 893702, 'of starvation cause': 590055, 'starvation cause people': 795158, 'cause people are': 167700, 'are being selfish': 84918, 'being selfish by': 125735, 'selfish by bulk': 748045, 'by bulk buying': 152015, 'bulk buying food': 142275, 'buying food two': 150341, 'food two day': 317380, 'two day now': 936865, 'day now my': 228038, 'now my shop': 575332, 'my shop have': 550048, 'been empty have': 121081, 'empty have can': 274906, 'have can of': 379879, 'can of baked': 159081, 'of baked be': 580520, 'the depreciation': 853157, 'depreciation in': 237564, 'price related': 676158, 'related only': 708501, 'other issue': 620435, 'play major': 659183, 'role such': 725127, 'election due': 271031, 'campaign current': 157212, 'current president': 221307, 'is the depreciation': 452768, 'the depreciation in': 853158, 'depreciation in global': 237565, 'oil price related': 597232, 'price related only': 676159, 'related only to': 708502, 'only to or': 611363, 'to or are': 911048, 'or are there': 614419, 'there other issue': 878903, 'other issue that': 620437, 'issue that play': 455962, 'that play major': 845767, 'play major role': 659184, 'major role such': 509448, 'role such the': 725128, 'such the upcoming': 816807, 'upcoming election due': 946787, 'election due to': 271032, 'due to support': 261984, 'to support for': 915932, 'for the campaign': 326331, 'the campaign current': 850304, 'campaign current president': 157213, 'solves': 782200, 'tape solves': 834370, 'solves everything': 782201, 'duct tape solves': 261567, 'tape solves everything': 834371, 'solves everything failed': 782202, 'hunkerdown': 411341, 'birx this': 131487, 'pharmacy she': 654450, 'avoid shopping': 105275, 'shopping hunkerdown': 762937, 'hunkerdown folk': 411342, 'folk stayhomesavelives': 312256, 'deborah birx this': 230396, 'birx this is': 131488, 'the pharmacy she': 863662, 'pharmacy she say': 654451, 'she say stay': 756324, 'home for next': 401241, 'next week and': 561669, 'week and avoid': 975904, 'and avoid shopping': 58575, 'avoid shopping hunkerdown': 105276, 'shopping hunkerdown folk': 762938, 'hunkerdown folk stayhomesavelives': 411343, 'expands marketer': 290533, 'experience professional': 291458, 'professional have': 682451, 'and bridge': 59194, 'bridge swiftly': 139617, 'swiftly shifting': 830329, 'need brand': 554559, 'the pandemic expands': 862962, 'pandemic expands marketer': 635406, 'expands marketer and': 290534, 'marketer and customer': 517449, 'and customer experience': 60839, 'customer experience professional': 222355, 'experience professional have': 291459, 'professional have done': 682452, 'have done their': 380338, 'done their best': 255048, 'their best to': 872603, 'with and bridge': 997241, 'and bridge swiftly': 59195, 'bridge swiftly shifting': 139618, 'swiftly shifting consumer': 830330, 'shifting consumer and': 758517, 'and brand need': 59151, 'brand need brand': 137924, '5th trend': 20835, 'trend privacy': 931421, 'privacy safety': 678833, 'is false': 447725, 'false dichotomy': 297421, 'dichotomy many': 240451, 'are deferring': 85725, 'deferring to': 232208, 'leadership position': 483647, 'safe even': 729633, 'mean giving': 524462, 'own privacy': 632149, 'privacy in': 678818, 'do not agree': 249659, 'with the 5th': 1001188, 'the 5th trend': 848162, '5th trend privacy': 20836, 'trend privacy safety': 931422, 'privacy safety is': 678834, 'safety is false': 730588, 'is false dichotomy': 447726, 'false dichotomy many': 297422, 'dichotomy many are': 240452, 'many are deferring': 513755, 'are deferring to': 85726, 'deferring to the': 232209, 'government and those': 359876, 'those in leadership': 892096, 'in leadership position': 424654, 'leadership position to': 483648, 'position to keep': 665197, 'them safe even': 876237, 'safe even if': 729634, 'if it mean': 414319, 'it mean giving': 459569, 'mean giving up': 524463, 'giving up on': 351447, 'up on their': 945628, 'on their own': 604495, 'their own privacy': 874195, 'own privacy in': 632150, 'privacy in the': 678819, 'over better': 630019, 'better never': 128372, 'hear anyone': 387882, 'anyone trash': 80580, 'trash low': 930161, 'low end': 505267, 'end worker': 276083, 'again those': 37230, 'gas store': 344138, 'worker those': 1007977, 'those fast': 891995, 'employee those': 274315, 'think deserved': 885204, 'deserved to': 238164, 'have wage': 383528, 'is over better': 450688, 'over better never': 630020, 'better never hear': 128373, 'never hear anyone': 558057, 'hear anyone trash': 387884, 'anyone trash low': 80582, 'trash low end': 930162, 'low end worker': 505269, 'end worker again': 276084, 'worker again those': 1006214, 'again those people': 37231, 'those people at': 892315, 'store the gas': 810601, 'the gas store': 856174, 'gas store worker': 344139, 'store worker those': 811606, 'worker those fast': 1007978, 'those fast food': 891996, 'food worker the': 317677, 'worker the walmart': 1007946, 'the walmart employee': 871053, 'walmart employee those': 965325, 'employee those people': 274316, 'those people you': 892336, 'people you didn': 650570, 'you didn even': 1018207, 'didn even think': 241050, 'even think deserved': 284688, 'think deserved to': 885205, 'deserved to have': 238165, 'to have wage': 907335, 'have wage to': 383529, 'wage to survive': 963975, 'to survive on': 916040, 'how is an': 408082, 'is vegetable': 453662, 'vegetable soap': 954088, 'there is vegetable': 878649, 'is vegetable soap': 453663, 'pervasive': 653301, 'stupidity is': 815537, 'is pervasive': 450863, 'pervasive in': 653302, 'administration especially': 32463, 'chaos demand': 173009, 'demand patience': 236017, 'patience from': 644104, 'from citizen': 334884, 'easy declaration': 265682, 'of ml': 586588, 'stupidity is pervasive': 815540, 'is pervasive in': 450864, 'pervasive in this': 653303, 'in this administration': 429900, 'this administration especially': 886206, 'administration especially in': 32464, 'especially in time': 280534, 'fear panic and': 301284, 'and chaos demand': 59743, 'chaos demand patience': 173010, 'demand patience from': 236018, 'patience from citizen': 644105, 'from citizen for': 334885, 'citizen for easy': 178896, 'for easy declaration': 320926, 'easy declaration of': 265683, 'declaration of ml': 231162, 'semiconductoranalytics': 749644, 'defensive': 232158, 'vlsi semiconductoranalytics': 959891, 'semiconductoranalytics report': 749645, 'report semiconductor': 712240, 'semiconductor sale': 749640, 'sale recovered': 732486, 'recovered in': 705234, 'in typical': 430362, 'typical 2nd': 937624, '2nd wk': 16814, 'wk of': 1003213, 'march rise': 515461, 'price broke': 672957, 'of unit': 592635, 'unit supply': 942096, 'to saturated': 913767, 'saturated last': 736977, 'week defensive': 976137, 'defensive buying': 232159, 'the paused': 863400, 'app vlsi semiconductoranalytics': 81800, 'vlsi semiconductoranalytics report': 959892, 'semiconductoranalytics report semiconductor': 749646, 'report semiconductor sale': 712241, 'semiconductor sale recovered': 749641, 'sale recovered in': 732487, 'recovered in typical': 705236, 'in typical 2nd': 430363, 'typical 2nd wk': 937625, '2nd wk of': 16815, 'wk of march': 1003214, 'of march rise': 586212, 'march rise in': 515462, 'in price broke': 426952, 'price broke the': 672958, 'broke the fall': 140861, 'fall of unit': 297007, 'of unit supply': 592638, 'unit supply demand': 942097, 'supply demand fell': 825151, 'demand fell to': 235339, 'fell to saturated': 303249, 'to saturated last': 913768, 'saturated last week': 736978, 'last week defensive': 480642, 'week defensive buying': 976138, 'defensive buying from': 232160, 'buying from the': 150389, 'from the paused': 337827, 'service usconsumers': 753028, 'likely the novel': 492118, 'novel outbreak suppresses': 573806, 'and service usconsumers': 71322, 'microchip': 530456, 'infinitesimal': 436955, 'programmed': 683355, 'spreading virus': 791080, 'the falling': 854874, 'by microbe': 153212, 'microbe and': 530440, 'and microchip': 66989, 'microchip the': 530460, 'the infinitesimal': 858229, 'infinitesimal enemy': 436956, 'enemy and': 276344, 'the computer': 851416, 'computer programmed': 192757, 'programmed selling': 683356, 'selling triggered': 749514, 'by downward': 152415, 'spiral in': 789430, 'in the spreading': 429566, 'the spreading virus': 867651, 'spreading virus and': 791081, 'virus and the': 957944, 'and the falling': 73365, 'the falling stock': 854878, 'falling stock market': 297340, 'we are confronted': 970510, 'confronted by microbe': 194305, 'by microbe and': 153213, 'microbe and microchip': 530441, 'and microchip the': 66990, 'microchip the infinitesimal': 530461, 'the infinitesimal enemy': 858230, 'infinitesimal enemy and': 436957, 'enemy and the': 276346, 'and the computer': 73293, 'the computer programmed': 851417, 'computer programmed selling': 192758, 'programmed selling triggered': 683357, 'selling triggered by': 749515, 'triggered by downward': 931908, 'by downward spiral': 152416, 'downward spiral in': 257839, 'spiral in price': 789431, 'hey returning': 394496, 'returning canadian': 719999, 'canadian glad': 160683, 'but 14': 145025, 'isolation doe': 455250, 'mean first': 524426, 'first making': 308782, 'making trip': 511478, 'home get': 401295, 'risk don': 723496, 'hey returning canadian': 394497, 'returning canadian glad': 720000, 'canadian glad to': 160684, 'glad to have': 351524, 'to have you': 907340, 'have you back': 383656, 'you back but': 1017366, 'back but 14': 106912, 'but 14 day': 145026, 'day of isolation': 228077, 'of isolation doe': 585336, 'isolation doe not': 455251, 'not mean first': 570551, 'mean first making': 524427, 'first making trip': 308783, 'making trip to': 511479, 'get home get': 347243, 'home get someone': 401296, 'else to drop': 271939, 'to drop off': 904775, 'drop off what': 260345, 'off what you': 594377, 'need you are': 556255, 'are putting people': 89357, 'putting people at': 691199, 'at risk don': 100352, 'risk don do': 723497, 'amp collapse': 53541, 'pandemic amp collapse': 634847, 'amp collapse of': 53542, 'green zone elite': 363721, 'bioahazard': 131173, 'biohazardband': 131221, 'wear bioahazard': 974297, 'bioahazard shirt': 131174, 'shirt than': 759007, 'lockdown biohazardband': 499198, 'is no better': 449912, 'no better time': 563695, 'time to wear': 898100, 'to wear bioahazard': 918424, 'wear bioahazard shirt': 974298, 'bioahazard shirt than': 131175, 'shirt than these': 759008, 'than these day': 841295, 'these day when': 879901, 'day when you': 228734, 'go shopping at': 354106, 'store lockdown biohazardband': 808804, 'lopsided': 503289, 'pandemicpreparedness': 637128, 'make dutch': 509864, 'dutch baby': 263489, 'self rising': 747893, 'rising flour': 723217, 'flour because': 311082, 'supermarket lopsided': 821400, 'lopsided pandemicpreparedness': 503290, 'when you make': 984579, 'you make dutch': 1019756, 'make dutch baby': 509865, 'dutch baby with': 263490, 'baby with self': 106745, 'with self rising': 1000623, 'self rising flour': 747894, 'rising flour because': 723218, 'flour because that': 311083, 'because that all': 119599, 'that all they': 842573, 'had left at': 373238, 'the supermarket lopsided': 868684, 'supermarket lopsided pandemicpreparedness': 821401, 'isolation need': 455354, 'month uk': 538091, 'uk scientific': 938695, 'scientific advice': 742161, 'advice say': 33486, 'self isolation need': 747786, 'isolation need to': 455355, 'go on for': 353882, 'on for 12': 600938, '12 month uk': 2905, 'month uk scientific': 538092, 'uk scientific advice': 938696, 'scientific advice say': 742162, 'rollstp': 725704, 'filt': 305747, 'towel only': 927357, 'bread beef': 138427, 'beef chicken': 120493, 'chicken pork': 175834, 'pork per': 664809, 'per transaction': 651056, 'transaction no': 929461, 'home rollstp': 401988, 'rollstp sanitizer': 725705, 'sanitizer some': 735770, 'in freezer': 423109, 'freezer filt': 332601, 'store no hand': 809079, 'paper towel only': 641004, 'towel only bread': 927358, 'only bread beef': 610192, 'bread beef chicken': 138428, 'beef chicken pork': 120495, 'chicken pork per': 175835, 'pork per transaction': 664810, 'per transaction no': 651057, 'transaction no cleaning': 929462, 'no cleaning product': 563821, 'cleaning product no': 181034, 'product no mask': 681441, 'no mask glove': 564707, 'mask glove at': 518725, 'glove at home': 352603, 'at home rollstp': 99096, 'home rollstp sanitizer': 401989, 'rollstp sanitizer some': 725706, 'sanitizer some thing': 735771, 'some thing in': 784042, 'thing in freezer': 884432, 'in freezer filt': 423110, 'counseling': 210072, '5124': 20217, 'zip': 1027628, 'up housing': 945121, 'education amp': 268802, 'amp counseling': 53586, 'counseling hotline': 210073, 'hotline please': 405257, '800 224': 22658, '224 5124': 15290, '5124 enter': 20218, 'your zip': 1026408, 'zip code': 1027629, 'code to': 185400, 'be connected': 114185, 'connected an': 194641, 'agency in': 38025, 'pandemic ha impacted': 635551, 'impacted all nh': 418067, 'all nh is': 43635, 'nh is here': 561996, 'to help if': 907542, 'need help we': 554998, 'help we have': 390863, 'set up housing': 753562, 'up housing consumer': 945122, 'housing consumer education': 407065, 'consumer education amp': 197320, 'education amp counseling': 268803, 'amp counseling hotline': 53587, 'counseling hotline please': 210074, 'hotline please call': 405258, 'call 800 224': 155722, '800 224 5124': 22659, '224 5124 enter': 15291, '5124 enter your': 20219, 'enter your zip': 278342, 'your zip code': 1026409, 'zip code to': 1027630, 'code to be': 185401, 'to be connected': 901175, 'be connected an': 114186, 'connected an agency': 194642, 'an agency in': 55187, 'agency in your': 38026, 'trumpsupporters': 934162, 'existence': 290270, 'your step': 1025937, 'step trumpsupporters': 799680, 'trumpsupporters if': 934165, 'believe trump': 126394, 'trump lie': 933685, 'lie deny': 488351, 'deny the': 237142, 'the existence': 854690, 'existence severity': 290274, 'best keep': 127748, 'keep that': 472017, 'to yourselves': 919042, 'yourselves newjersey': 1026797, 'newjersey man': 560084, 'watch your step': 968621, 'your step trumpsupporters': 1025939, 'step trumpsupporters if': 799681, 'trumpsupporters if you': 934166, 'you believe trump': 1017452, 'believe trump lie': 126395, 'trump lie deny': 933686, 'lie deny the': 488352, 'deny the existence': 237143, 'the existence severity': 854692, 'existence severity of': 290275, 'severity of 19': 754127, 'of 19 best': 579383, '19 best keep': 5379, 'best keep that': 127749, 'keep that shit': 472019, 'that shit to': 846268, 'shit to yourselves': 759266, 'to yourselves newjersey': 919043, 'yourselves newjersey man': 1026798, 'newjersey man who': 560085, 'worker told her': 1008033, 'breaking here': 138961, 'the socal': 867406, 'socal supermarket': 779405, 'store special': 810272, 'our older': 624128, 'crisis unfortunately': 218289, 'unfortunately do': 941592, 'store official': 809168, 'official on': 595865, 'breaking here list': 138962, 'list of the': 494481, 'of the socal': 591474, 'the socal supermarket': 867407, 'socal supermarket grocery': 779406, 'supermarket grocery store': 820584, 'grocery store special': 365787, 'store special hour': 810273, 'for our older': 324278, 'our older more': 624130, 'vulnerable senior amid': 961155, 'senior amid this': 750191, 'amid this pandemic': 52724, 'this pandemic crisis': 889381, 'pandemic crisis unfortunately': 635273, 'crisis unfortunately do': 218290, 'unfortunately do not': 941593, 'not see my': 571479, 'see my favorite': 745452, 'favorite store official': 300557, 'store official on': 809169, 'official on the': 595866, 'lockdown hunger': 499483, 'hunger grip': 411123, 'grip kaduna': 364021, 'kaduna resident': 470592, '19 lockdown hunger': 8393, 'lockdown hunger grip': 499484, 'hunger grip kaduna': 411124, 'grip kaduna resident': 364022, 'kaduna resident demand': 470593, 'resident demand for': 714287, 'ago we': 38534, 'were low': 979860, 'skilled now': 772999, 'helping in': 391358, 'outbreak everyone': 628201, 'everyone play': 287276, 'play their': 659230, 'society coronacrisis': 781180, 'week ago we': 975864, 'ago we were': 38536, 'told that supermarket': 923697, 'supermarket worker healthcare': 824033, 'worker and cleaning': 1006280, 'and cleaning staff': 59948, 'cleaning staff were': 181067, 'staff were low': 793071, 'were low skilled': 979861, 'low skilled now': 505618, 'skilled now these': 773000, 'now these people': 576099, 'people are crucial': 646950, 'crucial to helping': 219484, 'to helping in': 907675, 'helping in the': 391360, 'in the outbreak': 429426, 'the outbreak everyone': 862620, 'outbreak everyone play': 628202, 'everyone play their': 287277, 'play their role': 659232, 'their role in': 874600, 'role in society': 725099, 'in society coronacrisis': 428059, 'sauntered': 737396, 'usain': 948866, 'bolt': 134158, 'did quick': 240776, 'quick post': 694340, 'post isolation': 666181, 'isolation trip': 455474, 'kid you': 474188, 'not sauntered': 571431, 'sauntered around': 737397, 'aisle like': 40299, 'like young': 491889, 'young usain': 1022668, 'usain bolt': 948867, 'bolt this': 134159, 'started playing': 794805, 'playing over': 659436, 'the sound': 867493, 'sound system': 786337, 'did quick post': 240777, 'quick post isolation': 694341, 'post isolation trip': 666182, 'isolation trip to': 455475, 'supermarket because we': 819340, 'because we were': 119818, 'we were out': 973802, 'food and kid': 313265, 'and kid you': 65837, 'kid you not': 474190, 'you not sauntered': 1020128, 'not sauntered around': 571432, 'sauntered around the': 737398, 'around the aisle': 93521, 'the aisle like': 848526, 'aisle like young': 40300, 'like young usain': 491890, 'young usain bolt': 1022669, 'usain bolt this': 948868, 'bolt this started': 134160, 'this started playing': 890300, 'started playing over': 794806, 'playing over the': 659438, 'over the sound': 630768, 'the sound system': 867494, 'time very': 898187, 'very proud': 955438, 'job there': 466193, 'spread which': 790883, 'case came': 165672, 'traveled then': 930609, 'india indian': 434471, 'raised law': 696010, 'law to': 482425, 'arrest anyone': 93750, 'first time very': 309119, 'time very proud': 898189, 'very proud of': 955439, 'proud of india': 686032, 'of india the': 585117, 'india the government': 434639, 'great job there': 362791, 'job there are': 466194, 'are no community': 88246, 'community spread which': 190114, 'spread which mean': 790884, 'which mean all': 986144, 'mean all case': 524351, 'all case came': 42309, 'case came from': 165673, 'came from people': 156999, 'people who traveled': 650351, 'who traveled then': 989820, 'traveled then came': 930610, 'then came back': 877053, 'back to india': 107373, 'to india indian': 908327, 'india indian government': 434472, 'government ha raised': 360165, 'ha raised law': 371628, 'raised law to': 696011, 'law to arrest': 482426, 'to arrest anyone': 900724, 'arrest anyone who': 93751, 'anyone who raise': 80630, 'an enhanced': 55758, 'enhanced consumer': 277093, 'and flourishing': 62992, 'flourishing number': 311203, 'call for an': 155851, 'for an enhanced': 319284, 'an enhanced consumer': 55759, 'enhanced consumer protection': 277095, 'crisis and flourishing': 217022, 'and flourishing number': 62993, 'flourishing number of': 311204, 'galway': 343087, 'in galway': 423208, 'galway ha': 343088, 'hand sanitizers how': 375700, 'sanitizers how one': 736312, 'one small business': 607053, 'business in galway': 143883, 'in galway ha': 423209, 'galway ha responded': 343089, '937': 23537, 'japan in': 464740, 'february grew': 301721, 'grew at': 363847, 'their fastest': 873281, 'pace in': 632939, 'year consumer': 1014479, 'consumer bought': 196640, 'home amid': 400598, 'outbreak sale': 628594, 'sale rose': 732500, 'rose yoy': 726106, 'yoy to': 1026971, 'to 937': 899876, '937 billion': 23538, 'billion marking': 130864, 'marking their': 517917, 'largest gain': 479956, 'gain since': 342821, 'may 2015': 520872, 'supermarket sale in': 822306, 'sale in japan': 732297, 'in japan in': 424374, 'japan in february': 464741, 'in february grew': 422845, 'february grew at': 301722, 'grew at their': 363848, 'at their fastest': 101166, 'their fastest pace': 873282, 'fastest pace in': 300155, 'pace in over': 632941, 'over year consumer': 630955, 'year consumer bought': 1014481, 'consumer bought more': 196642, 'bought more food': 136645, 'at home amid': 98937, 'home amid covid': 400599, '19 outbreak sale': 9178, 'outbreak sale rose': 628595, 'sale rose yoy': 732502, 'rose yoy to': 726107, 'yoy to 937': 1026972, 'to 937 billion': 899877, '937 billion marking': 23539, 'billion marking their': 130865, 'marking their largest': 517918, 'their largest gain': 873788, 'largest gain since': 479957, 'gain since may': 342822, 'since may 2015': 770729, 'thinkbig': 885829, 'that sacrificing': 846087, 'sacrificing seeing': 729134, 'seeing friend': 746298, 'person going': 652445, 'to concert': 903175, 'concert or': 193275, 'or missing': 616147, 'missing school': 534322, 'school function': 741800, 'function are': 341262, 'are trivial': 91201, 'trivial price': 932324, 'protect everyone': 684827, 'smaller inconvenience': 775277, 'inconvenience to': 432596, 'bear compared': 118396, 'to sickness': 914622, 'sickness thinkbig': 768759, 'future we can': 342514, 'can all see': 157433, 'all see that': 44264, 'see that sacrificing': 745796, 'that sacrificing seeing': 846088, 'sacrificing seeing friend': 729135, 'seeing friend in': 746300, 'friend in person': 333653, 'in person going': 426627, 'person going to': 652446, 'going to concert': 355556, 'to concert or': 903177, 'concert or missing': 193276, 'or missing school': 616148, 'missing school function': 534323, 'school function are': 741801, 'function are trivial': 341263, 'are trivial price': 91202, 'trivial price to': 932325, 'to pay to': 911568, 'pay to protect': 645188, 'to protect everyone': 912303, 'protect everyone health': 684828, 'health and smaller': 386155, 'and smaller inconvenience': 71786, 'smaller inconvenience to': 775278, 'inconvenience to bear': 432597, 'to bear compared': 901648, 'bear compared to': 118397, 'compared to sickness': 191439, 'to sickness thinkbig': 914624, 'cryptoc': 219966, 'imo we': 417507, 'bottom contrary': 136391, 'to popular': 911889, 'popular option': 664579, 'option bitcoin': 614000, 'bitcoin is': 131820, 'not gold': 569706, 'gold investor': 355910, 'investor worldwide': 444232, 'going risk': 355433, 'risk off': 723790, 'off crypto': 593754, 'crypto price': 219956, 'fall result': 297039, 'result wait': 717650, 'your opportunity': 1025090, 'opportunity pandemic': 613669, 'pandemic cryptoc': 635276, 'imo we re': 417508, 're not close': 699080, 'not close to': 568778, 'the bottom contrary': 849904, 'bottom contrary to': 136392, 'contrary to popular': 201836, 'to popular option': 911892, 'popular option bitcoin': 664580, 'option bitcoin is': 614001, 'bitcoin is not': 131823, 'is not gold': 450095, 'not gold investor': 569707, 'gold investor worldwide': 355911, 'investor worldwide are': 444233, 'worldwide are going': 1010324, 'are going risk': 86897, 'going risk off': 355434, 'risk off crypto': 723791, 'off crypto price': 593755, 'crypto price will': 219960, 'to fall result': 905640, 'fall result wait': 297040, 'result wait for': 717651, 'wait for your': 964126, 'for your opportunity': 328183, 'your opportunity pandemic': 1025091, 'opportunity pandemic cryptoc': 613670, 'cook your': 202792, 'until these': 943886, 'restaurant demand': 716417, 'demand testing': 236321, 'cook your own': 202793, 'own food until': 632004, 'food until these': 317408, 'until these restaurant': 943887, 'these restaurant demand': 880591, 'restaurant demand testing': 716418, 'outbidding': 627933, 'trump told': 933931, 'told state': 923691, 'own medical': 632100, 'government keep': 360298, 'keep outbidding': 471768, 'outbidding them': 627934, 'trump told state': 933932, 'told state to': 923692, 'state to buy': 796011, 'their own medical': 874188, 'own medical supply': 632101, 'medical supply but': 526430, 'supply but they': 824869, 'but they cannot': 147496, 'they cannot because': 881701, 'cannot because the': 161659, 'because the federal': 119624, 'federal government keep': 301997, 'government keep outbidding': 360299, 'keep outbidding them': 471769, 'tagging': 831781, '60 people': 20983, 'people considered': 647530, 'sharing or': 755565, 'or tagging': 617323, 'tagging friend': 831782, 'to 60 people': 899790, '60 people considered': 20984, 'people considered high': 647531, 'risk for sharing': 723559, 'for sharing or': 325529, 'sharing or tagging': 755566, 'or tagging friend': 617324, 'tagging friend who': 831783, 'friend who might': 333904, 'who might want': 989289, 'research found': 713726, 'found pricegouging': 330346, 'critical safety': 218649, 'sanitizer consumer': 734687, 'watchdog ha': 968625, 'avoiding high': 105461, 'our research found': 624602, 'research found pricegouging': 713728, 'found pricegouging on': 330347, 'pricegouging on amazon': 677832, 'amazon for critical': 50949, 'for critical safety': 320459, 'critical safety supply': 218650, 'safety supply like': 730747, 'hand sanitizer consumer': 375352, 'sanitizer consumer watchdog': 734688, 'consumer watchdog ha': 199482, 'watchdog ha tip': 968626, 'ha tip for': 372284, 'tip for avoiding': 898759, 'for avoiding high': 319543, 'avoiding high price': 105462, 'price and staying': 672549, 'and staying safe': 72324, 'savile': 737837, 'jacuzzi': 464230, 'ongoing public': 607677, 'situation relating': 772462, 'the bonus': 849835, 'bonus youth': 134424, 'youth performance': 1026866, 'performance centre': 651434, 'centre savile': 169533, 'savile street': 737838, 'street retail': 813083, 'club main': 184457, 'main office': 508779, 'office jacuzzi': 595468, 'jacuzzi elite': 464231, 'elite performance': 271520, 'centre are': 169484, 'visitor more': 959595, 'the ongoing public': 862254, 'ongoing public health': 607678, 'public health situation': 688083, 'health situation relating': 386852, 'situation relating to': 772463, '19 the club': 11176, 'the club will': 851084, 'club will close': 184501, 'close the bonus': 182834, 'the bonus youth': 849836, 'bonus youth performance': 134425, 'youth performance centre': 1026867, 'performance centre savile': 651436, 'centre savile street': 169534, 'savile street retail': 737839, 'street retail store': 813085, 'notice the club': 573371, 'the club main': 851083, 'club main office': 184458, 'main office jacuzzi': 508780, 'office jacuzzi elite': 595469, 'jacuzzi elite performance': 464232, 'elite performance centre': 271521, 'performance centre are': 651435, 'centre are also': 169485, 'are also closed': 84446, 'also closed to': 48035, 'to visitor more': 918220, 'visitor more info': 959596, 'florida miami': 310963, 'dade reach': 224434, 'reach 400': 699878, '400 case': 18722, 'case state': 166031, 'state total': 796039, 'total over': 926217, '600 there': 21120, 'virus disgrace': 958129, 'coronavirus in florida': 206118, 'in florida miami': 422942, 'florida miami dade': 310964, 'miami dade reach': 530169, 'dade reach 400': 224435, 'reach 400 case': 699879, '400 case state': 18724, 'case state total': 166032, 'state total over': 796040, 'total over 600': 926218, 'over 600 there': 629888, '600 there is': 21121, 'is no sanitizer': 449968, 'no sanitizer in': 565410, 'store to kill': 810782, 'the virus disgrace': 870823, 'by california': 152047, 'advocate amid': 33816, 'proposed by california': 684522, 'by california consumer': 152048, 'california consumer advocate': 155482, 'consumer advocate amid': 196063, 'advocate amid the': 33817, 'still exchange': 800499, 'exchange these': 289483, 'these for': 880022, 'restriction lifted': 717314, 'lifted if': 489488, 'can still exchange': 159773, 'still exchange these': 800500, 'exchange these for': 289484, 'these for after': 880023, 'for after covid': 319072, '19 restriction lifted': 10179, 'restriction lifted if': 717315, 'lifted if you': 489489, 'allowing overcrowding': 46315, 'overcrowding and': 631162, 'not enforcing': 569172, 'enforcing socialdistancing': 276834, 'socialdistancing via': 780839, 'is on you': 450493, 'on you for': 605419, 'you for allowing': 1018624, 'for allowing overcrowding': 319206, 'allowing overcrowding and': 46316, 'overcrowding and not': 631163, 'and not enforcing': 67731, 'not enforcing socialdistancing': 569173, 'enforcing socialdistancing via': 276835, 'police ask': 662936, 'ask carers': 95497, 'domestic abuse': 253163, 'police ask carers': 662937, 'ask carers and': 95498, 'driver to look': 259804, 'look for sign': 502370, 'sign of domestic': 769160, 'of domestic abuse': 582784, 'anheuserbusch': 76527, 'anheuserbusch announces': 76528, 'announces it': 77263, 'it supply': 461374, 'logistics network': 500773, 'distribute bottle': 247964, 'anheuserbusch announces it': 76529, 'announces it will': 77265, 'will be using': 992756, 'using it supply': 950537, 'it supply and': 461375, 'supply and logistics': 824733, 'and logistics network': 66337, 'logistics network to': 500774, 'network to produce': 557777, 'to produce and': 912186, 'produce and distribute': 680179, 'and distribute bottle': 61508, 'distribute bottle of': 247965, 'help limit the': 390000, 'safe to to': 730060, 'go the grocery': 354204, 'stuff during': 815053, 'we still want': 973412, 'to buy so': 902302, 'so much stuff': 777814, 'much stuff during': 545332, 'stuff during quarantine': 815054, 'during quarantine shopping': 262945, 'quarantine shopping online': 692536, 'relentlessly': 709134, 'ex journalist': 288639, 'journalist know': 467441, 'cover huge': 212235, 'huge story': 410214, 'story salute': 812108, 'salute those': 732865, 'medium frontline': 527112, 'frontline consumer': 338719, 'about coverage': 25036, 'coverage it': 212359, 'it relentlessly': 460691, 'relentlessly negative': 709137, 'negative so': 556825, 'so kudos': 777522, 'news page': 560684, 'page we': 633908, 'need story': 555660, 'an ex journalist': 55900, 'ex journalist know': 288640, 'journalist know what': 467442, 'take to cover': 832733, 'to cover huge': 903653, 'cover huge story': 212236, 'huge story salute': 410215, 'story salute those': 812109, 'salute those on': 732866, 'on the medium': 604233, 'the medium frontline': 860421, 'medium frontline consumer': 527113, 'frontline consumer concerned': 338720, 'concerned about coverage': 193151, 'about coverage it': 25037, 'coverage it relentlessly': 212361, 'it relentlessly negative': 460692, 'relentlessly negative so': 709139, 'negative so kudos': 556826, 'so kudos to': 777523, 'kudos to for': 477884, 'to for it': 906142, 'for it good': 322706, 'it good news': 458301, 'good news page': 357455, 'news page we': 560685, 'page we need': 633909, 'we need story': 972549, 'need story of': 555661, 'story of hope': 812064, 'flexed': 310357, 'yourself always': 1026513, 'clean hand': 180550, 'sanitizer cough': 734704, 'or flexed': 615325, 'flexed elbow': 310358, 'elbow avoid': 270509, 'nose or': 567908, 'or mouth': 616196, 'mouth stayhome': 543563, 'protect yourself always': 685080, 'yourself always wash': 1026514, 'water or clean': 969095, 'or clean hand': 614731, 'clean hand with': 180555, 'hand with alcohol': 376003, 'with alcohol based': 997131, 'based sanitizer cough': 111737, 'sanitizer cough sneeze': 734706, 'sneeze into paper': 776252, 'into paper tissue': 442848, 'paper tissue or': 640913, 'tissue or flexed': 899185, 'or flexed elbow': 615326, 'flexed elbow avoid': 310359, 'elbow avoid touching': 270510, 'eye nose or': 294063, 'nose or mouth': 567910, 'or mouth stayhome': 616198, 'mouth stayhome staysafe': 543564, 'britain in': 140410, 'lockdown everyone': 499350, 'except nh': 289204, 'help wage': 390855, 'paid rent': 634116, 'rent paid': 711149, 'paid tax': 634138, 'tax paid': 835054, 'are nh': 88228, 'still living': 800802, 'living normal': 496422, 'life where': 489205, 'the incentive': 858034, 'incentive coronacrisis': 431361, 'britain in lockdown': 140411, 'in lockdown everyone': 424839, 'lockdown everyone except': 499352, 'everyone except nh': 286899, 'except nh and': 289205, 'worker get help': 1007024, 'get help wage': 347208, 'help wage paid': 390856, 'wage paid rent': 963936, 'paid rent paid': 634117, 'rent paid tax': 711150, 'paid tax paid': 634139, 'tax paid for': 835055, 'paid for them': 634022, 'for them but': 326894, 'them but are': 875493, 'but are nh': 145215, 'are nh and': 88229, 'and supermarket still': 72738, 'supermarket still living': 822957, 'still living normal': 800803, 'living normal life': 496423, 'normal life where': 567210, 'life where is': 489207, 'is the incentive': 452829, 'the incentive coronacrisis': 858035, 'disney pas': 246043, 'pas price': 643141, 'down cause': 256621, 'or nah': 616220, 'disney pas price': 246044, 'pas price going': 643142, 'going down cause': 355116, 'down cause of': 256622, 'of the or': 591301, 'the or nah': 862438, 'essential apparently': 280794, 'going to pick': 355671, 'pick up just': 655733, 'up just the': 945270, 'just the essential': 469998, 'the essential apparently': 854496, 'essential apparently frozen': 280795, 'hit four': 398229, 'low hit': 505316, 'hit 26': 398101, '26 20': 16130, '20 oil': 13220, 'price stabilized': 676593, 'stabilized on': 791870, 'wednesday after': 975605, 'after hitting': 35791, 'hitting four': 398565, 'low undermined': 505710, 'over fuel': 630242, 'social activity': 779419, 'activity triggered': 30519, 'outbreak brent': 628048, 'crude is': 219541, 'price hit four': 674558, 'hit four year': 398230, 'four year low': 330711, 'year low hit': 1014721, 'low hit 26': 505317, 'hit 26 20': 398102, '26 20 oil': 16131, '20 oil price': 13221, 'oil price stabilized': 597269, 'price stabilized on': 676594, 'stabilized on wednesday': 791871, 'on wednesday after': 605165, 'wednesday after hitting': 975606, 'after hitting four': 35792, 'hitting four year': 398566, 'year low undermined': 1014739, 'low undermined by': 505711, 'undermined by fear': 940503, 'by fear over': 152571, 'fear over fuel': 301275, 'over fuel demand': 630243, 'demand and the': 235004, 'global economy amid': 351888, 'economy amid lockdown': 267627, 'amid lockdown on': 52519, 'lockdown on travel': 499737, 'on travel and': 604846, 'and social activity': 71877, 'social activity triggered': 779424, 'activity triggered by': 30520, 'coronavirus outbreak brent': 206378, 'outbreak brent crude': 628049, 'brent crude is': 139331, 'crude is on': 219542, 'sticktogether': 800120, 'apparently asking': 81911, 'asking supermarket': 96064, 'any empty': 79183, 'back still': 107289, 'box because': 137022, 'because don': 119033, 'ex display': 288629, 'display model': 246187, 'model isn': 535271, 'isn funny': 454515, 'funny stoppanicbuying': 341790, 'stoppanicbuying sticktogether': 805619, 'so apparently asking': 776531, 'apparently asking supermarket': 81912, 'asking supermarket staff': 96066, 'supermarket staff if': 822856, 'staff if they': 792540, 'they have any': 882292, 'have any empty': 379301, 'any empty shelf': 79184, 'the back still': 849150, 'back still in': 107290, 'the box because': 849918, 'box because don': 137023, 'because don want': 119035, 'don want an': 254035, 'want an ex': 965705, 'an ex display': 55897, 'ex display model': 288630, 'display model isn': 246188, 'model isn funny': 535272, 'isn funny stoppanicbuying': 454516, 'funny stoppanicbuying sticktogether': 341791, 'andreas': 76174, 'morning not': 541378, 'online yet': 609766, 'mostly supportive': 543017, 'supportive empathetic': 827247, 'safe take': 730007, 'strong video': 814152, 'video andreas': 956616, 'this morning not': 888991, 'morning not everything': 541381, 'is available online': 445928, 'available online yet': 104547, 'online yet we': 609767, 'we have what': 971986, 'have what we': 383580, 'we need and': 972466, 'we are positive': 970663, 'are positive people': 89150, 'positive people are': 665406, 'people are mostly': 647023, 'are mostly supportive': 88149, 'mostly supportive empathetic': 543018, 'supportive empathetic and': 827248, 'empathetic and also': 273329, 'also in good': 48400, 'good spirit stay': 357759, 'stay safe take': 797287, 'safe take care': 730009, 'care of others': 164112, 'others and be': 621255, 'and be strong': 58768, 'be strong video': 117407, 'strong video andreas': 814153, '3yr': 18505, 'isolation precautionary': 455393, 've sized': 953573, 'sized up': 772836, 'my 3yr': 547155, '3yr old': 18506, 'old he': 598288, 'most meat': 542507, 'meat on': 525673, 'on him': 601309, 'him supermarket': 396718, 'low think': 505679, 'good seasoning': 357697, 'seasoning may': 743494, 'not taste': 571942, 'taste too': 834798, 'bad 19': 107740, 'self isolation precautionary': 747792, 'isolation precautionary measure': 455394, 'precautionary measure and': 669421, 'measure and ve': 525106, 'and ve sized': 74853, 've sized up': 953574, 'sized up my': 772837, 'up my 3yr': 945418, 'my 3yr old': 547156, '3yr old he': 18507, 'old he ha': 598289, 'the most meat': 861007, 'most meat on': 542508, 'meat on him': 525674, 'on him supermarket': 601311, 'him supermarket supply': 396719, 'supermarket supply is': 823048, 'supply is low': 825448, 'is low think': 449479, 'low think he': 505680, 'think he could': 885277, 'he could last': 384858, 'could last at': 209371, 'least week of': 484696, 'week of meal': 976628, 'of meal and': 586355, 'meal and with': 524097, 'and with good': 75771, 'with good seasoning': 998643, 'good seasoning may': 357698, 'seasoning may not': 743495, 'may not taste': 521393, 'not taste too': 571943, 'taste too bad': 834799, 'too bad 19': 924595, 'commission most': 188858, 'review the federal': 720591, 'trade commission most': 928450, 'commission most recent': 188859, 'pl': 657272, 'yeah ok': 1014280, 'ok only': 597850, 'we win': 973923, 'win is': 995557, 'is defeated': 447073, 'panic anxiety': 637347, 'anxiety attack': 78669, 'attack stop': 102158, 'shopping supply': 764021, 'normal and': 567087, 'president take': 670911, 'over hmm': 630294, 'hmm conspiracy': 398672, 'conspiracy agreement': 195568, 'china didn': 176611, 'go pl': 354048, 'yeah ok only': 1014281, 'ok only way': 597852, 'only way we': 611447, 'way we win': 970181, 'we win is': 973924, 'win is this': 995559, 'is this covid': 453080, '19 is defeated': 7956, 'is defeated and': 447074, 'defeated and the': 232056, 'and the fear': 73372, 'the fear tactic': 855039, 'tactic and panic': 831687, 'and panic anxiety': 68643, 'panic anxiety attack': 637348, 'anxiety attack stop': 78670, 'attack stop the': 102160, 'stop the food': 805130, 'the food shopping': 855602, 'food shopping supply': 316537, 'shopping supply get': 764022, 'supply get back': 825314, 'to normal and': 910642, 'normal and new': 567090, 'and new president': 67554, 'new president take': 559334, 'president take over': 670912, 'take over hmm': 832471, 'over hmm conspiracy': 630295, 'hmm conspiracy agreement': 398673, 'conspiracy agreement with': 195569, 'agreement with china': 38811, 'with china didn': 997630, 'china didn go': 176612, 'didn go pl': 241077, 'industry affiliate': 435609, 'affiliate is': 34616, 'that flexibility': 843891, 'flexibility during': 310365, 'time adjust': 896205, 'both advertiser': 135836, 'advertiser and': 33171, 'and publisher': 69758, 'an industry affiliate': 56291, 'industry affiliate is': 435610, 'affiliate is well': 34617, 'is well positioned': 453849, 'positioned to adapt': 665221, 'adapt and meet': 31249, 'and meet consumer': 66929, 'consumer need take': 198199, 'need take hold': 555704, 'take hold of': 832195, 'hold of that': 399972, 'of that flexibility': 590721, 'that flexibility during': 843892, 'flexibility during this': 310366, 'critical time adjust': 218696, 'time adjust your': 896206, 'adjust your marketing': 32309, 'marketing strategy by': 517709, 'strategy by following': 812626, 'following these best': 312918, 'these best practice': 879689, 'practice for both': 668563, 'for both advertiser': 319734, 'both advertiser and': 135837, 'advertiser and publisher': 33174, 'thosewerethedays': 892761, 'ijustwantedtomakebreakfast': 416010, 'donttouchme': 255406, 'essential thosewerethedays': 281685, 'thosewerethedays ijustwantedtomakebreakfast': 892762, 'ijustwantedtomakebreakfast donttouchme': 416011, 'when we could': 984435, 'go to just': 354324, 'to just one': 908725, 'just one grocery': 469376, 'get the basic': 348224, 'the basic essential': 849308, 'basic essential thosewerethedays': 111874, 'essential thosewerethedays ijustwantedtomakebreakfast': 281686, 'thosewerethedays ijustwantedtomakebreakfast donttouchme': 892763, 'think rather': 885506, 'rather be': 697435, 'in 28': 419900, '28 day': 16386, 'later than': 481130, 'scene where': 741370, 'are nicely': 88231, 'nicely stacked': 562535, 'think rather be': 885507, 'rather be in': 697439, 'be in 28': 115389, 'in 28 day': 419901, '28 day later': 16389, 'day later than': 227883, 'later than this': 481131, 'than this at': 841311, 'in the scene': 429528, 'the scene where': 866475, 'scene where they': 741371, 'where they go': 985279, 'they go in': 882203, 'supermarket the shelf': 823246, 'shelf are nicely': 756815, 'are nicely stacked': 88232, 'largest and': 479922, 'most active': 542064, 'active arthritis': 30257, 'patient organization': 644229, 'canada but': 160380, 'not listed': 570422, 'listed sponsor': 494648, 'sponsor arthritis': 789823, 'arthritis consumer': 94214, 'covid we are': 214248, 'are the largest': 90848, 'the largest and': 858958, 'largest and most': 479923, 'and most active': 67261, 'most active arthritis': 542065, 'active arthritis patient': 30258, 'arthritis patient organization': 94219, 'patient organization in': 644230, 'organization in canada': 619390, 'in canada but': 421185, 'canada but we': 160381, 'are not listed': 88409, 'not listed sponsor': 570423, 'listed sponsor arthritis': 494649, 'sponsor arthritis consumer': 789824, 'arthritis consumer expert': 94215, 'consumer expert here': 197422, 'expert here to': 291855, 'line looking': 493241, 'like black': 489913, 'store line looking': 808755, 'line looking like': 493242, 'looking like black': 502952, 'like black friday': 489914, 'me these picture': 523682, 'these picture from': 880482, 'picture from our': 656123, 'we will die': 973852, 'blindspot': 132711, 'truestory': 933242, 'log day': 500609, 'some asshole': 782347, 'asshole pulled': 96547, 'pulled gun': 688916, 'his blindspot': 397248, 'blindspot moral': 132712, 'story be': 811913, 'kind truestory': 475019, 'truestory bekind': 933243, 'bekind bekindtoeachother': 126089, 'captain log day': 162921, 'log day some': 500610, 'day some asshole': 228380, 'some asshole pulled': 782348, 'asshole pulled gun': 96548, 'pulled gun on': 688917, 'gun on me': 368711, 'on me while': 602074, 'me while wa': 523962, 'while wa on': 987523, 'store for being': 807789, 'for being in': 319632, 'being in his': 125300, 'in his blindspot': 423719, 'his blindspot moral': 397249, 'blindspot moral of': 132713, 'the story be': 868172, 'story be kind': 811914, 'be kind truestory': 115634, 'kind truestory bekind': 475020, 'truestory bekind bekindtoeachother': 933244, 'minxy': 533912, 'minxy northern': 533913, 'taking proactive': 833533, 'proactive approach': 679148, 'to continuing': 903416, 'continuing service': 201546, 'service say': 752786, 'say vice': 739439, 'vice president': 956428, 'minxy northern and': 533914, '60 day store': 20932, 'day store taking': 228415, 'store taking proactive': 810505, 'taking proactive approach': 833534, 'proactive approach to': 679149, 'approach to continuing': 82981, 'to continuing service': 903417, 'continuing service say': 201547, 'service say vice': 752787, 'say vice president': 739440, 'vice president of': 956431, 'president of operation': 670870, 'kearneymea': 471249, 'commissioned': 188925, 'retail practice': 718398, 'practice at': 668528, 'at kearneymea': 99358, 'kearneymea recently': 471250, 'recently commissioned': 704062, 'commissioned survey': 188928, 'track shopping': 928219, 'in ksa': 424540, 'ksa and': 477817, 'and uae': 74564, 'uae during': 937748, 'interesting finding': 441552, 'finding news': 307509, 'our consumer industry': 622535, 'consumer industry retail': 197857, 'industry retail practice': 436083, 'retail practice at': 718399, 'practice at kearneymea': 668529, 'at kearneymea recently': 99359, 'kearneymea recently commissioned': 471251, 'recently commissioned survey': 704063, 'commissioned survey to': 188929, 'survey to track': 828969, 'to track shopping': 917681, 'track shopping habit': 928220, 'shopping habit of': 762849, 'consumer in ksa': 197826, 'in ksa and': 424541, 'ksa and uae': 477818, 'and uae during': 74565, 'uae during this': 937749, 'during this with': 263339, 'with some interesting': 1000851, 'some interesting finding': 783131, 'interesting finding news': 441553, 'finding news ha': 307510, 'news ha more': 560495, 'ha more here': 371291, 'blinking': 132717, 'devoe': 239983, 'owl': 631854, 'podcast business': 662266, 'business answering': 143346, 'answering the': 78212, 'on ana': 599340, 'ana blinking': 56976, 'blinking business': 132718, 'community county': 189803, 'county devoe': 211365, 'devoe disaster': 239984, 'disaster em': 244199, 'em emergency': 272057, 'hand management': 375084, 'management orange': 512605, 'orange owl': 617934, 'owl sanitizer': 631857, 'sanitizer santa': 735700, 'santa todd': 736602, 'todd weekly': 920610, 'new podcast business': 559288, 'podcast business answering': 662267, 'business answering the': 143347, 'answering the covid': 78214, '19 challenge on': 5757, 'challenge on ana': 171522, 'on ana blinking': 599341, 'ana blinking business': 56977, 'blinking business business': 132719, 'business business community': 143459, 'business community county': 143551, 'community county devoe': 189804, 'county devoe disaster': 211366, 'devoe disaster em': 239985, 'disaster em emergency': 244200, 'em emergency hand': 272058, 'emergency hand management': 272740, 'hand management orange': 375085, 'management orange owl': 512606, 'orange owl sanitizer': 617935, 'owl sanitizer santa': 631858, 'sanitizer santa todd': 735701, 'santa todd weekly': 736603, 'brighter': 139806, 'dim': 242902, 'orbit': 617948, 'make someone': 510476, 'someone day': 784426, 'day brighter': 227397, 'brighter when': 139807, 'you contribute': 1018038, 'contribute 15': 201863, '15 to': 3853, 'to dim': 904305, 'dim with': 242903, 'link we': 493960, 'our reach': 624538, 'reach orbit': 699960, 'orbit patch': 617951, 'patch all': 643930, 'have 225': 379084, '225 patch': 15298, 'patch so': 643944, 'don wait': 254023, 'help make someone': 390037, 'make someone day': 510477, 'someone day brighter': 784427, 'day brighter when': 227398, 'brighter when you': 139808, 'when you contribute': 984550, 'you contribute 15': 1018039, 'contribute 15 to': 201864, '15 to dim': 3855, 'to dim with': 904306, 'dim with this': 242904, 'with this link': 1001707, 'this link we': 888650, 'link we ll': 493961, 'we ll send': 972278, 'll send you': 497005, 'send you our': 749987, 'you our reach': 1020252, 'our reach orbit': 624539, 'reach orbit patch': 699961, 'orbit patch all': 617952, 'patch all net': 643931, 'net proceeds will': 557561, 'proceeds will support': 679868, 'will support food': 995033, 'support food bank': 826499, 'bank they respond': 110246, 'the demand put': 853106, 'on them by': 604529, 'them by covid': 875511, '19 we only': 11944, 'only have 225': 610573, 'have 225 patch': 379085, '225 patch so': 15299, 'patch so don': 643945, 'so don wait': 776911, 'maddening': 507600, 'jordan and': 467274, 'just heartbreaking': 468962, 'heartbreaking thank': 388416, 'for writing': 327977, 'writing it': 1012910, 'also maddening': 48497, 'maddening to': 507601, 'story next': 812049, 'to story': 915654, 'about today': 26742, 'market rally': 516932, 'story of leilani': 812067, 'leilani jordan and': 486117, 'jordan and other': 467276, 'grocery worker is': 366181, 'worker is just': 1007238, 'is just heartbreaking': 449132, 'just heartbreaking thank': 468963, 'heartbreaking thank you': 388417, 'you for writing': 1018686, 'for writing it': 327978, 'writing it also': 1012911, 'it also maddening': 456434, 'also maddening to': 48498, 'maddening to read': 507602, 'read this story': 700626, 'this story next': 890365, 'story next to': 812050, 'next to story': 561631, 'to story about': 915655, 'story about today': 811898, 'about today market': 26743, 'today market rally': 919859, 'the related': 865460, 'related upheaval': 708630, 'upheaval in': 947557, 'and foodservice': 63118, 'foodservice sector': 318107, 'price see': 676320, 'and the related': 73545, 'the related upheaval': 865462, 'related upheaval in': 708631, 'upheaval in the': 947558, 'retail and foodservice': 717821, 'and foodservice sector': 63120, 'foodservice sector is': 318108, 'sector is having': 744246, 'impact on market': 417871, 'on market price': 602035, 'market price see': 516899, 'price see here': 676322, 'pandemic change': 635121, 'adapt did': 31255, 'this pandemic change': 889377, 'pandemic change consumer': 635122, 'retailer it important': 719225, 'understand the shift': 940774, 'the shift to': 866935, 'shift to be': 758431, 'to adapt did': 900040, 'adapt did some': 31256, 'denmark apply': 237002, 'apply pricing': 82585, 'sanitiser stophoarding': 734024, 'in denmark apply': 422182, 'denmark apply pricing': 237003, 'apply pricing trick': 82586, 'stop hoarding hand': 804730, 'hoarding hand sanitiser': 399351, 'hand sanitiser stophoarding': 375248, 'if home': 414237, 'can snap': 159650, 'snap up': 776120, 'since rent': 770805, 'so investor': 777425, 'can prepare': 159285, 'if home price': 414239, 'investor can snap': 444132, 'can snap up': 159651, 'snap up home': 776121, 'up home with': 945097, 'home with higher': 402525, 'yield especially since': 1016369, 'especially since rent': 280597, 'since rent are': 770806, 'value report for': 952192, 'report for sale': 711957, 'for sale so': 325327, 'sale so investor': 732534, 'so investor can': 777426, 'investor can prepare': 444131, 'can prepare for': 159286, 'prepare for market': 670077, 'for market downturn': 323251, 'renamed': 710927, 'jackass': 464129, 'tosser': 926098, 'coronacrisis this': 204822, 'be renamed': 116792, 'renamed the': 710928, 'the boris': 849880, 'boris crisis': 135451, 'chinese showed': 177348, 'showed how': 767327, 'but jackass': 146187, 'jackass johnson': 464130, 'johnson with': 466642, 'his 2nd': 397169, '2nd class': 16764, 'class classic': 180170, 'classic degree': 180321, 'degree thought': 232577, 'he knew': 385172, 'knew better': 476026, 'better what': 128604, 'an arrogant': 55406, 'arrogant tosser': 94028, 'stophoarding coronacrisis this': 805382, 'coronacrisis this should': 204825, 'should be renamed': 765713, 'be renamed the': 116793, 'renamed the boris': 710929, 'the boris crisis': 849881, 'boris crisis the': 135452, 'crisis the chinese': 218163, 'the chinese showed': 850867, 'chinese showed how': 177349, 'showed how to': 767329, 'how to control': 408999, 'to control this': 903456, 'control this outbreak': 202190, 'this outbreak but': 889319, 'outbreak but jackass': 628062, 'but jackass johnson': 146188, 'jackass johnson with': 464131, 'johnson with his': 466643, 'with his 2nd': 998828, 'his 2nd class': 397170, '2nd class classic': 16765, 'class classic degree': 180171, 'classic degree thought': 180322, 'degree thought he': 232578, 'thought he knew': 893076, 'he knew better': 385173, 'knew better what': 476027, 'better what an': 128605, 'what an arrogant': 981033, 'an arrogant tosser': 55408, 'bbcbreakfast': 113119, 'testing on': 839587, 'better healthcare': 128317, 'healthcare convid19uk': 387074, 'convid19uk bbcbreakfast': 202613, 'bbcbreakfast bbcnews': 113120, 'bbcnews sirpatrickvallance': 113138, 'famous get testing': 298469, 'get testing on': 348200, 'testing on demand': 839588, 'get better healthcare': 346668, 'better healthcare convid19uk': 128318, 'healthcare convid19uk bbcbreakfast': 387075, 'convid19uk bbcbreakfast bbcnews': 202614, 'bbcbreakfast bbcnews sirpatrickvallance': 113121, 'absent from': 27201, 'shelf ve': 757729, 'visited and': 959456, 'because worry': 119853, 'worry food': 1010702, 'staple will': 794011, 'next how': 561401, 'you assure': 1017329, 'assure that': 97095, 'tp food': 927812, 'food through': 317210, 'crisis coronacrisis': 217256, 'absent from all': 27202, 'from all shelf': 334438, 'all shelf ve': 44309, 'shelf ve visited': 757731, 've visited and': 953651, 'visited and it': 959457, 'and it creating': 65507, 'creating panic in': 216046, 'panic in me': 638198, 'in me because': 425203, 'me because worry': 522504, 'because worry food': 119854, 'worry food staple': 1010703, 'food staple will': 316745, 'staple will be': 794012, 'will be next': 992572, 'be next how': 116075, 'next how can': 561402, 'can you assure': 160278, 'you assure that': 1017330, 'assure that we': 97096, 'have tp food': 383384, 'tp food through': 927814, 'food through this': 317213, 'this crisis coronacrisis': 887029, 'selfcaresunday': 747938, 'covid19 subscription': 214378, 'subscription box': 815882, 'box out': 137141, 'out yet': 627897, 'yet monthly': 1016150, 'monthly subscription': 538203, 'subscription for': 815888, 'stuff quarantinediaries': 815181, 'quarantinediaries sinceivebeenquarantined': 692911, 'sinceivebeenquarantined selfcaresunday': 771024, 'is it possible': 449049, 'it possible we': 460395, 'possible we don': 665872, 'have the covid19': 382973, 'the covid19 subscription': 852246, 'covid19 subscription box': 214379, 'subscription box out': 815883, 'box out yet': 137142, 'out yet monthly': 627898, 'yet monthly subscription': 1016151, 'monthly subscription for': 538204, 'subscription for hand': 815889, 'sanitizer and stuff': 734439, 'and stuff quarantinediaries': 72618, 'stuff quarantinediaries sinceivebeenquarantined': 815182, 'quarantinediaries sinceivebeenquarantined selfcaresunday': 692912, 'when marketing': 983722, 'marketing success': 517715, 'success can': 816184, 'can depend': 158053, 'on company': 599989, 'company ability': 190343, 'quickly respond': 694583, 'and pivot': 69041, 'pivot strategy': 657096, 'strategy around': 812616, 'around them': 93576, 'behavior digitalmarketing': 123997, 'digitalmarketing onlinemarketing': 242779, 'onlinemarketing via': 609846, 'time when marketing': 898293, 'when marketing success': 983723, 'marketing success can': 517716, 'success can depend': 816185, 'can depend on': 158054, 'depend on company': 237310, 'on company ability': 599990, 'company ability to': 190344, 'ability to quickly': 24397, 'to quickly respond': 912684, 'quickly respond to': 694584, 'respond to trend': 715331, 'to trend and': 917768, 'trend and pivot': 931271, 'and pivot strategy': 69042, 'pivot strategy around': 657097, 'strategy around them': 812617, 'around them in': 93577, 'real time the': 701419, 'time the covid': 897848, 'consumer behavior digitalmarketing': 196465, 'behavior digitalmarketing onlinemarketing': 123999, 'digitalmarketing onlinemarketing via': 242780, 'people remember': 649270, 'remember all': 710160, 'never ever': 557974, 'ever enter': 285288, 'enter their': 278320, 'start bankrupt': 794217, 'bankrupt the': 110498, 'the traitor': 869888, 'traitor movement': 929382, 'hope people remember': 403599, 'people remember all': 649272, 'remember all those': 710163, 'all those retailer': 45183, 'those retailer who': 892401, 'retailer who are': 719420, 'who are exploiting': 988141, 'exploiting the current': 292455, 'current situation with': 221377, 'situation with excessive': 772597, 'price and never': 672476, 'and never ever': 67535, 'never ever enter': 557977, 'ever enter their': 285289, 'enter their shop': 278321, 'their shop when': 874706, 'shop when this': 761027, 'over we should': 630903, 'should start bankrupt': 766487, 'start bankrupt the': 794218, 'bankrupt the traitor': 110499, 'the traitor movement': 869889, 'to hotel': 907996, 'offering supply': 595266, 'at deeply': 98413, 'deeply discounted': 231991, 'hospitalitystrong more': 404828, 'best to hotel': 127948, 'to hotel one': 907997, 'way we do': 970170, 'do this is': 250356, 'by offering supply': 153402, 'offering supply like': 595267, 'supply like key': 825504, 'card at deeply': 163464, 'at deeply discounted': 98414, 'deeply discounted price': 231992, 'solidaritywithhospitality hospitalitystrong more': 781957, 'hospitalitystrong more information': 404829, 'auntie': 103012, 'go higher': 353648, 'higher covid': 395563, '19 expected': 6891, 'put chill': 690543, 'chill on': 176364, 'on spring': 603614, 'price are not': 672706, 'to go higher': 906806, 'go higher covid': 353649, 'higher covid 19': 395564, 'covid 19 expected': 213058, '19 expected to': 6892, 'expected to put': 290994, 'to put chill': 912582, 'put chill on': 690544, 'chill on spring': 176366, 'on spring housing': 603615, 'housing market via': 407114, 'market via realestate': 517298, 'pedophile': 646227, 'ruined sneezing': 727141, 'way pedophile': 969802, 'pedophile ruined': 646228, 'ruined greeting': 727131, 'greeting toddler': 363814, 'toddler in': 920618, 'ruined sneezing in': 727142, 'sneezing in public': 776319, 'in public the': 427103, 'public the same': 688360, 'same way pedophile': 733406, 'way pedophile ruined': 969803, 'pedophile ruined greeting': 646229, 'ruined greeting toddler': 727132, 'greeting toddler in': 363815, 'toddler in the': 920619, 'what decision': 981301, 'decision our': 231074, 'state take': 795973, 'have pharmacy': 381924, 'pharmacy follow': 654309, 'please know that': 660166, 'know that no': 476775, 'that no matter': 845361, 'matter what decision': 520652, 'what decision our': 981302, 'decision our state': 231075, 'our state take': 624904, 'state take in': 795974, 'and week you': 75381, 'week you ll': 977298, 'you ll always': 1019639, 'll always have': 496552, 'always have supermarket': 49615, 'have supermarket you': 382854, 'need from you': 554893, 'from you ll': 338464, 'always have pharmacy': 49613, 'have pharmacy follow': 381925, 'pharmacy follow our': 654310, 'follow our live': 312483, 'lower loonie': 505906, 'loonie it': 503133, 'hold vancouver': 400044, 'vancouver sun': 952347, 'sun miss': 818076, 'carbon tax and': 163418, 'tax and lower': 834927, 'and lower loonie': 66456, 'lower loonie it': 505907, 'loonie it not': 503134, 'take hold vancouver': 832200, 'hold vancouver sun': 400045, 'vancouver sun miss': 952348, 'sun miss the': 818077, 'miss the mark': 534193, 'keenly': 471273, 'durham pairwise': 262389, 'pairwise is': 634357, 'is keenly': 449165, 'keenly focused': 471274, 'on ensuring': 600569, 'that healthy': 844285, 'is accessible': 445311, 'made 00': 507605, '00 donation': 173, 'aid people': 39436, 'extended time': 293200, 'in donating': 422356, 'durham pairwise is': 262390, 'pairwise is keenly': 634358, 'is keenly focused': 449166, 'keenly focused on': 471275, 'focused on ensuring': 311952, 'on ensuring that': 600571, 'ensuring that healthy': 278192, 'that healthy food': 844286, 'healthy food is': 387632, 'food is accessible': 315108, 'is accessible to': 445312, 'accessible to all': 28346, 'to all we': 900301, 've made 00': 953357, 'made 00 donation': 507606, '00 donation to': 174, 'donation to to': 254719, 'to to help': 917593, 'them to aid': 876452, 'to aid people': 900195, 'aid people who': 39438, 'food for an': 314519, 'an extended time': 55990, 'extended time please': 293201, 'time please join': 897494, 'please join in': 660133, 'join in donating': 466746, 'you staying': 1021387, 'on change': 599867, 'change being': 171952, 'to law': 909107, 'law like': 482330, 'are you staying': 91860, 'you staying up': 1021389, 'date on change': 226698, 'on change being': 599868, 'change being made': 171953, 'made to law': 508035, 'to law like': 909108, 'law like in': 482331, 'like in light': 490494, 'knucklehead': 477279, 'collapse2020': 186082, 'jersey knucklehead': 465213, 'knucklehead face': 477280, 'clerk another': 181650, 'another covidiot': 77555, 'covidiot breakingnews': 214421, 'breakingnews 19': 139087, '19 collapse2020': 5875, 'collapse2020 collapse': 186083, 'new jersey knucklehead': 558975, 'jersey knucklehead face': 465214, 'knucklehead face terror': 477281, 'terror charge for': 838588, 'charge for coughing': 173234, 'store clerk another': 806995, 'clerk another covidiot': 181651, 'another covidiot breakingnews': 77556, 'covidiot breakingnews 19': 214422, 'breakingnews 19 collapse2020': 139088, '19 collapse2020 collapse': 5876, 'brix': 140664, 'very rough': 955481, 'rough week': 726267, 'for here': 322241, 'the everyone': 854621, 'to dr': 904698, 'dr brix': 257981, 'brix who': 140667, 'want everyone': 965777, 'stayathome please': 797579, 'store eat': 807430, 'cupboard also': 220463, 'pharmacy shelterinplace': 654452, 'be very rough': 117984, 'very rough week': 955482, 'rough week for': 726268, 'week for here': 976228, 'for here in': 322244, 'in the everyone': 429183, 'the everyone please': 854623, 'everyone please listen': 287284, 'listen to dr': 494732, 'to dr brix': 904699, 'dr brix who': 257983, 'brix who want': 140668, 'who want everyone': 989926, 'want everyone to': 965778, 'everyone to stayathome': 287505, 'to stayathome please': 915338, 'stayathome please do': 797580, 'grocery store eat': 365356, 'store eat what': 807431, 'you have on': 1019084, 'hand in your': 375044, 'your cupboard also': 1023390, 'cupboard also do': 220464, 'the pharmacy shelterinplace': 863663, 'ofori': 596147, '5bn': 20627, 'agric': 38856, 'tv3newday': 936227, 'ft covid': 339336, '19 ofori': 8902, 'ofori atta': 596148, 'atta count': 102017, 'count ghc': 210123, 'ghc 5bn': 349624, '5bn cost': 20630, 'to economy': 904932, 'economy enough': 267835, 'price agric': 672246, 'agric minister': 38857, 'minister tv3newday': 533478, 'ft covid 19': 339337, 'covid 19 ofori': 213508, '19 ofori atta': 8903, 'ofori atta count': 596149, 'atta count ghc': 102018, 'count ghc 5bn': 210124, 'ghc 5bn cost': 349625, '5bn cost to': 20631, 'cost to economy': 208135, 'to economy enough': 904933, 'economy enough food': 267836, 'enough food available': 277385, 'food available do': 313472, 'not stock at': 571729, 'stock at high': 801879, 'high price agric': 395228, 'price agric minister': 672247, 'agric minister tv3newday': 38858, 'bbcqt you': 113157, 'address this': 32055, 'bbcqt you need': 113158, 'need to address': 555853, 'to address this': 900095, 'sainsbury announces': 731646, 'announces senior': 77291, 'sainsbury announces senior': 731647, 'announces senior only': 77292, 'corona please': 204109, 'over react': 630549, 'react and': 700123, 'sanitizers heavily': 736306, 'heavily which': 388609, 'in scarcity': 427720, 'those and': 891794, 'them scarce': 876248, 'scarce for': 740783, 'for needed': 323801, '19 corona please': 6052, 'corona please do': 204110, 'do not over': 249791, 'not over react': 570874, 'over react and': 630550, 'react and buy': 700125, 'and buy face': 59333, 'buy face mask': 148614, 'and sanitizers heavily': 70899, 'sanitizers heavily which': 736307, 'heavily which help': 388610, 'which help in': 985930, 'help in scarcity': 389903, 'in scarcity of': 427721, 'scarcity of those': 740849, 'of those and': 592079, 'those and hike': 891795, 'and hike in': 64575, 'in price don': 426961, 'price don make': 673492, 'don make them': 253721, 'make them scarce': 510613, 'them scarce for': 876249, 'scarce for needed': 740784, 'responsibly book': 716082, 'book ahead': 134457, 'in joint': 424405, 'joint letter': 467013, 'letter uk': 487379, 'retailer joined': 719228, 'joined force': 466930, 'needed item': 556413, 'shop responsibly book': 760710, 'responsibly book ahead': 716083, 'book ahead for': 134458, 'ahead for online': 39157, 'for online delivery': 324103, 'delivery in joint': 234115, 'in joint letter': 424406, 'joint letter uk': 467015, 'letter uk retailer': 487380, 'uk retailer joined': 938679, 'retailer joined force': 719229, 'joined force to': 466931, 'force to remind': 328531, 'customer to be': 222956, 'considerate in their': 195218, 'their shopping so': 874724, 'shopping so that': 763929, 'so that others': 778387, 'others are not': 621273, 'are not left': 88406, 'not left without': 570361, 'left without much': 485753, 'without much needed': 1002792, 'much needed item': 545158, 'buzzer': 151475, 'defend': 232103, 'blew': 132658, 'here another': 392717, 'government who': 360802, 'who handled': 988897, 'handled covid': 376302, 'like joke': 490585, 'joke buzzer': 467065, 'buzzer who': 151476, 'who defend': 988548, 'defend them': 232106, 'them marketplace': 876010, 'marketplace who': 517844, 'to none': 910632, 'none policy': 566605, 'policy about': 663310, 'about banning': 24844, 'banning seller': 110645, 'seller with': 749118, 'expensive price': 291275, 'biggest power': 130296, 'in voice': 430610, 'voice and': 959974, 'and action': 57630, 'action yet': 30207, 'you blew': 1017484, 'blew this': 132665, 'here another to': 392722, 'another to government': 77908, 'to government who': 906941, 'government who handled': 360803, 'who handled covid': 988898, 'handled covid 19': 376303, '19 like joke': 8329, 'like joke buzzer': 490586, 'joke buzzer who': 467066, 'buzzer who defend': 151477, 'who defend them': 988549, 'defend them marketplace': 232107, 'them marketplace who': 876011, 'marketplace who have': 517845, 'little to none': 495623, 'to none policy': 910634, 'none policy about': 566606, 'policy about banning': 663311, 'about banning seller': 24845, 'banning seller with': 110646, 'seller with expensive': 749119, 'with expensive price': 998336, 'expensive price because': 291276, 'the biggest power': 849672, 'biggest power in': 130297, 'power in voice': 667625, 'in voice and': 430611, 'voice and action': 959975, 'and action yet': 57634, 'action yet you': 30208, 'yet you blew': 1016341, 'you blew this': 1017485, 'blew this up': 132666, 'cuffing': 220213, 'deleting': 232855, 'takemeback': 832928, 'it went': 462311, 'from cuffing': 335063, 'cuffing season': 220214, 'season to': 743450, 'to coughing': 903611, 'coughing season': 208748, 'season real': 743429, 'real quick': 701328, 'quick ain': 694270, 'nobody trying': 566069, 'to cuddle': 903790, 'cuddle now': 220187, 'now girl': 574784, 'girl are': 350232, 'are deleting': 85745, 'deleting their': 232858, 'their miami': 873961, 'miami pic': 530194, 'and posting': 69242, 'like takemeback': 491289, 'it went from': 462312, 'went from cuffing': 979014, 'from cuffing season': 335064, 'cuffing season to': 220215, 'season to coughing': 743451, 'to coughing season': 903612, 'coughing season real': 208749, 'season real quick': 743430, 'real quick ain': 701329, 'quick ain nobody': 694271, 'ain nobody trying': 39639, 'nobody trying to': 566070, 'trying to cuddle': 934789, 'to cuddle now': 903791, 'cuddle now girl': 220188, 'now girl are': 574785, 'girl are deleting': 350234, 'are deleting their': 85746, 'deleting their miami': 232859, 'their miami pic': 873962, 'miami pic and': 530195, 'pic and posting': 655580, 'and posting photo': 69243, 'store like takemeback': 808733, 'effect tonight': 269146, '00 help': 245, 'takeout in': 833167, 'community supportlocal': 190138, 'new order go': 559229, 'into effect tonight': 442537, 'effect tonight at': 269147, 'tonight at 00': 924369, 'at 00 help': 97352, '00 help our': 246, 'help our local': 390234, 'outbreak by shopping': 628076, 'online or ordering': 608664, 'or ordering takeout': 616420, 'ordering takeout in': 619035, 'takeout in time': 833168, 'crisis we all': 218339, 'support our community': 826725, 'our community supportlocal': 622482, 'agree in': 38611, 'see massive': 745400, 'this raise': 889798, 'question though': 693769, 'though do': 892799, 'ordering or': 618999, 'to traditional': 917696, 'it shift': 461015, 'shift back': 758252, 'totally agree in': 926302, 'agree in the': 38612, 'short term that': 764755, 'term that we': 838315, 'that we see': 847392, 'we see massive': 973164, 'see massive shift': 745401, 'massive shift to': 520105, 'to online this': 910954, 'online this raise': 609561, 'this raise the': 889799, 'raise the question': 695958, 'the question though': 865025, 'question though do': 693770, 'though do consumer': 892800, 'do consumer stay': 249201, 'consumer stay with': 199138, 'stay with online': 797403, 'online ordering or': 608711, 'ordering or go': 619000, 'or go back': 615486, 'back to traditional': 107404, 'to traditional shopping': 917698, 'traditional shopping have': 929022, 'shopping have to': 762871, 'to think it': 917376, 'think it shift': 885351, 'it shift back': 461016, 'shift back to': 758253, 'back to pre': 107391, 'to pre covid': 911980, 'ayuk': 106355, 'african executive': 35192, 'executive chairman': 289865, 'chairman ayuk': 171324, 'ayuk wa': 106360, 'with discussing': 998076, 'market africa': 515920, 'africa opec': 35117, 'price watch': 677387, 'watch oott': 968493, 'african executive chairman': 35193, 'executive chairman ayuk': 289866, 'chairman ayuk wa': 171325, 'ayuk wa on': 106361, 'wa on with': 962839, 'on with discussing': 605340, 'with discussing the': 998078, 'on oil market': 602492, 'oil market africa': 596938, 'market africa opec': 515921, 'africa opec oil': 35118, 'opec oil price': 611928, 'oil price watch': 597315, 'price watch oott': 677388, 'be exhausted': 114728, 'exhausted by': 290154, 'aldi among': 41247, 'normally need': 567514, 'retail who ha': 718854, 'to be exhausted': 901242, 'be exhausted by': 114729, 'exhausted by stupid': 290155, 'stupid people hoarding': 815440, 'and aldi among': 57842, 'aldi among others': 41248, 'among others please': 53039, 'others please do': 621588, 'not take more': 571903, 'than you normally': 841496, 'you normally need': 1020113, 'unofficial': 942989, 'bts': 141516, 'bighit': 130353, 'twt': 937427, 'thing bored': 884194, 'bored army': 135334, 'army can': 92996, 'do under': 250426, 'quarantine thread': 692628, 'thread 15': 893511, '15 support': 3839, 'economy safely': 268195, 'safely by': 730264, 'for unofficial': 327454, 'unofficial bts': 942990, 'bts merch': 141519, 'merch open': 528957, 'open thread': 612576, 'thread for': 893543, 'idea quarantinelife': 413155, 'quarantinelife bighit': 692934, 'bighit twt': 130354, 'thing bored army': 884195, 'bored army can': 135335, 'army can do': 92997, 'can do under': 158125, 'do under quarantine': 250427, 'under quarantine thread': 940222, 'quarantine thread 15': 692629, 'thread 15 support': 893512, '15 support the': 3840, 'the economy safely': 854016, 'economy safely by': 268196, 'safely by shopping': 730266, 'online for unofficial': 608245, 'for unofficial bts': 327455, 'unofficial bts merch': 942991, 'bts merch open': 141520, 'merch open thread': 528958, 'open thread for': 612577, 'thread for more': 893544, 'for more idea': 323577, 'more idea quarantinelife': 539469, 'idea quarantinelife bighit': 413156, 'quarantinelife bighit twt': 692935, 'hereos': 393880, 'bbcnews we': 113141, 'support network': 826670, 'who fill': 988738, 'shelf up': 757727, 'daily they': 224831, 'they to': 883569, 'work long': 1005441, 'with hell': 998762, 'from public': 336997, 'public daily': 687939, 'daily thank': 224827, 'you unsung': 1021983, 'unsung hereos': 943551, 'bbcnews we need': 113142, 'need to clap': 555887, 'to clap for': 902792, 'clap for our': 179959, 'for our supermarket': 324300, 'staff and their': 792167, 'and their support': 73720, 'their support network': 874925, 'support network of': 826671, 'network of people': 557750, 'people who fill': 650298, 'who fill the': 988739, 'fill the shelf': 305501, 'the shelf up': 866895, 'shelf up daily': 757728, 'up daily they': 944689, 'daily they to': 224833, 'they to work': 883570, 'to work long': 918751, 'work long hour': 1005442, 'long hour and': 501438, 'hour and put': 405411, 'and put up': 69822, 'up with hell': 946646, 'with hell of': 998763, 'hell of lot': 389044, 'lot of abuse': 504135, 'abuse from public': 27634, 'from public daily': 336998, 'public daily thank': 687940, 'daily thank you': 224828, 'thank you unsung': 841838, 'you unsung hereos': 1021984, 'sau': 737130, 'whpresser': 990700, 'you spoken': 1021327, 'to ru': 913647, 'ru and': 726883, 'and sau': 70929, 'sau about': 737131, 'ending the': 276206, 'consumer lot': 198078, 'our manufacturing': 623857, 'hurt we': 411626, 'power over': 667655, 'it whpresser': 462359, 'have you spoken': 383692, 'you spoken to': 1021328, 'spoken to ru': 789766, 'to ru and': 913648, 'ru and sau': 726884, 'and sau about': 70930, 'sau about ending': 737132, 'about ending the': 25175, 'ending the trade': 276207, 'the trade war': 869857, 'war this help': 966557, 'this help our': 887895, 'our consumer lot': 622539, 'consumer lot but': 198079, 'lot but our': 504005, 'but our manufacturing': 146726, 'our manufacturing industry': 623859, 'manufacturing industry is': 513612, 'industry is really': 435938, 'is really hurt': 451305, 'really hurt we': 702324, 'hurt we have': 411627, 'of power over': 588305, 'power over the': 667656, 'over the situation': 630767, 'situation and we': 772190, 'trying to decide': 934792, 'to decide what': 904001, 'decide what to': 230852, 'with it whpresser': 999090, 'healthcaretech': 387426, 'digitalhealth': 242720, 'do healthcare': 249384, 'this emerging': 887367, 'emerging new': 273135, 'of engaging': 583115, 'their care': 872736, 'provider thanks': 686795, 'sharing new': 755560, 'survey learning': 828897, 'learning telehealth': 484241, 'telemedicine healthcaretech': 836780, 'healthcaretech digitalhealth': 387427, 'what do healthcare': 981344, 'do healthcare consumer': 249385, 'healthcare consumer think': 387069, 'consumer think of': 199286, 'think of this': 885463, 'of this emerging': 591966, 'this emerging new': 887368, 'emerging new way': 273136, 'way of engaging': 969751, 'of engaging with': 583116, 'engaging with their': 276928, 'with their care': 1001559, 'their care provider': 872737, 'care provider thanks': 164178, 'provider thanks for': 686796, 'for sharing new': 325528, 'sharing new global': 755561, 'new global consumer': 558805, 'global consumer survey': 351809, 'consumer survey learning': 199193, 'survey learning telehealth': 828898, 'learning telehealth telemedicine': 484242, 'telehealth telemedicine healthcaretech': 836765, 'telemedicine healthcaretech digitalhealth': 836781, 'directs': 243697, 'club grocery': 184439, 'in allowing': 420191, 'allowing 50': 46264, 'time greeter': 896863, 'greeter directs': 363807, 'directs all': 243700, 'dispenser upon': 246152, 'entering clerk': 278397, 'clerk clean': 181677, 'clean scanner': 180631, 'scanner amp': 740727, 'amp belt': 53448, 'belt after': 126791, 'each transaction': 264308, 'transaction 19': 929434, 'wholesale club grocery': 990430, 'club grocery store': 184440, 'store in allowing': 808265, 'in allowing 50': 420192, 'allowing 50 customer': 46265, '50 customer in': 19667, 'customer in at': 222490, 'in at one': 420554, 'one time greeter': 607256, 'time greeter directs': 896864, 'greeter directs all': 363808, 'directs all shopper': 243701, 'all shopper to': 44326, 'shopper to hand': 761766, 'sanitizer dispenser upon': 734769, 'dispenser upon entering': 246153, 'upon entering clerk': 947627, 'entering clerk clean': 278398, 'clerk clean scanner': 181678, 'clean scanner amp': 180632, 'scanner amp belt': 740728, 'amp belt after': 53449, 'belt after each': 126792, 'after each transaction': 35597, 'each transaction 19': 264309, 'mai research': 508532, 'behavior set': 124180, 'mai research find': 508533, 'research find consumer': 713713, 'find consumer behavior': 306858, 'consumer behavior set': 196511, 'behavior set to': 124181, 'set to change': 753506, 'to change after': 902590, 'change after covid': 171886, 'homepage': 402899, 'spring book': 791167, 'book fair': 134512, 'fair had': 296337, 'hosting virtual': 404974, 'virtual book': 957720, 'fair please': 296364, 'please view': 660719, 'link will': 493966, 'will appear': 992296, 'appear in': 82111, 'shopping section': 763822, 'our fair': 622988, 'fair homepage': 296339, 'homepage beginning': 402900, 'beginning 20': 123616, 'our spring book': 624871, 'spring book fair': 791168, 'book fair had': 134513, 'fair had to': 296338, 'to be cancelled': 901148, 'be cancelled due': 113967, '19 but we': 5541, 'we are hosting': 970593, 'are hosting virtual': 87248, 'hosting virtual book': 404975, 'virtual book fair': 957721, 'book fair please': 134514, 'fair please view': 296365, 'please view our': 660720, 'view our online': 957146, 'online store shop': 609469, 'store shop now': 810118, 'shop now link': 760518, 'now link will': 575222, 'link will appear': 493967, 'will appear in': 992297, 'appear in the': 82113, 'online shopping section': 609262, 'shopping section of': 763823, 'of our fair': 587466, 'our fair homepage': 622989, 'fair homepage beginning': 296340, 'homepage beginning 20': 402901, 'casey': 166137, 'from casey': 334802, 'casey clark': 166138, 'clark on': 180110, 'devastating implication': 239595, 'the gaming': 856132, 'gaming industry': 343358, 'industry of': 436017, 'of wed': 592984, 'wed afternoon': 975544, 'lose 21': 503419, '21 billion': 14974, 'direct consumer': 243299, 'spending if': 788849, 'if 635': 413765, '635 shuttered': 21295, 'shuttered casino': 768204, 'casino remain': 166732, 'statement from casey': 796174, 'from casey clark': 334803, 'casey clark on': 166139, 'clark on the': 180111, 'on the devastating': 604064, 'the devastating implication': 853222, 'devastating implication of': 239596, 'on the gaming': 604139, 'the gaming industry': 856133, 'gaming industry of': 343359, 'industry of wed': 436020, 'of wed afternoon': 592985, 'wed afternoon the': 975545, 'afternoon the economy': 36719, 'economy could lose': 267785, 'could lose 21': 209394, 'lose 21 billion': 503420, '21 billion in': 14975, 'billion in direct': 130843, 'in direct consumer': 422278, 'direct consumer spending': 243300, 'consumer spending if': 199068, 'spending if 635': 788850, 'if 635 shuttered': 413767, '635 shuttered casino': 21296, 'shuttered casino remain': 768205, 'casino remain closed': 166733, 'remain closed for': 709720, 'closed for the': 183133, 'our site to': 624790, 'site to learn': 772034, 'learn about some': 483941, 'about some of': 26228, 'down too': 257397, 'jacksonville gas': 464212, 'gas 77': 343751, '77 gallon': 22286, 'got the gas': 358904, 'price down too': 673532, 'down too in': 257399, 'too in jacksonville': 924800, 'in jacksonville gas': 424330, 'jacksonville gas 77': 464213, 'gas 77 gallon': 343752, 'critter': 218799, 'sitter': 772087, '844': 22893, '9554': 23644, 'critter sitter': 218800, 'sitter is': 772088, 'you stayhome': 1021380, 'stayhome during': 797990, 'outbreak simply': 628629, 'simply email': 770222, 'email your': 272373, 'list we': 494585, 'will text': 995113, 'your receipt': 1025529, 'pay by': 644798, 'online call': 607984, 'call 630': 155712, '630 844': 21273, '844 9554': 22894, '9554 for': 23645, 'critter sitter is': 218801, 'sitter is now': 772089, 'now offering grocery': 575400, 'offering grocery shopping': 595135, 'shopping service to': 763850, 'help you stayhome': 390997, 'you stayhome during': 1021381, 'stayhome during the': 797991, 'the outbreak simply': 862692, 'outbreak simply email': 628630, 'simply email your': 770223, 'email your grocery': 272374, 'your grocery list': 1024126, 'grocery list we': 364703, 'list we will': 494586, 'we will text': 973915, 'will text you': 995114, 'text you your': 839965, 'you your receipt': 1022501, 'your receipt and': 1025530, 'receipt and you': 703400, 'can pay by': 159201, 'pay by check': 644799, 'check or online': 174521, 'or online call': 616387, 'online call 630': 607985, 'call 630 844': 155713, '630 844 9554': 21274, '844 9554 for': 22895, '9554 for more': 23646, 'force speak': 328501, 'pandemic live': 635894, 'task force speak': 834699, 'force speak on': 328502, 'speak on the': 787702, '19 pandemic live': 9383, 'like the safety': 491396, 'safety of supermarket': 730654, 'of supermarket toilet': 590451, 'paper is now': 640358, 'diluted': 242896, 'lindsayfield': 492918, 'kilbride': 474297, 'supermarket enforcing': 820169, 'enforcing diluted': 276815, 'diluted form': 242897, 'distancing lindsayfield': 247287, 'lindsayfield east': 492919, 'east kilbride': 265317, 'kilbride family': 474298, 'supermarket child': 819685, 'with parent': 1000095, 'parent people': 641706, 'enter in': 278260, 'put life': 690657, 'are some supermarket': 90289, 'some supermarket enforcing': 784005, 'supermarket enforcing diluted': 820170, 'enforcing diluted form': 276816, 'diluted form of': 242898, 'form of social': 329545, 'social distancing lindsayfield': 779651, 'distancing lindsayfield east': 247288, 'lindsayfield east kilbride': 492920, 'east kilbride family': 265318, 'kilbride family in': 474299, 'the supermarket child': 868517, 'supermarket child with': 819686, 'child with parent': 176276, 'with parent people': 1000096, 'parent people allowed': 641707, 'people allowed to': 646811, 'to enter in': 905219, 'enter in group': 278261, 'in group this': 423460, 'group this put': 366927, 'this put life': 889764, 'put life at': 690658, 'saw him': 738132, 'before hour': 122857, 'just kidding': 469098, 'kidding stayhomesavelives': 474217, 'saw him in': 738133, 'him in the': 396640, 'supermarket before hour': 819347, 'before hour just': 122858, 'hour just kidding': 405717, 'just kidding stayhomesavelives': 469099, 'position for': 665168, 'briefing hand': 139717, 'in position for': 426851, 'position for the': 665169, 'for the briefing': 326325, 'the briefing hand': 849996, 'briefing hand sanitizer': 139718, 'manasarovar': 512923, 'ushodyay': 950360, 'outside manasarovar': 629479, 'manasarovar height': 512924, 'height phase': 388810, 'phase opposite': 654633, 'opposite ushodyay': 613816, 'ushodyay supermarket': 950361, 'supermarket ignorant': 820844, 'ignorant ppl': 415794, 'ppl of': 668294, 'of hyderabad': 584934, 'hyderabad no': 411932, 'outside manasarovar height': 629480, 'manasarovar height phase': 512925, 'height phase opposite': 388811, 'phase opposite ushodyay': 654634, 'opposite ushodyay supermarket': 613817, 'ushodyay supermarket ignorant': 950363, 'supermarket ignorant ppl': 820845, 'ignorant ppl of': 415795, 'ppl of hyderabad': 668295, 'of hyderabad no': 584935, 'hyderabad no socialdistancing': 411933, 'knos': 476193, 'convid9': 202640, 'knos convid9': 476194, 'convid9 shop': 202641, 'knos convid9 shop': 476195, 'convid9 shop now': 202642, 'benifit': 127226, 'gop goto': 358251, 'goto move': 359056, 'blame that': 132298, 'no benifit': 563691, 'benifit other': 127227, 'than piss': 841033, 'piss off': 656951, 'off country': 593744, 'now ppeshortage': 575578, 'ppeshortage maga': 668140, 'the gop goto': 856465, 'gop goto move': 358252, 'goto move assign': 359057, 'assign blame that': 96598, 'blame that waste': 132299, 'waste time for': 968207, 'for no benifit': 323886, 'no benifit other': 563692, 'benifit other than': 127228, 'other than piss': 621075, 'than piss off': 841034, 'piss off country': 656952, 'off country that': 593745, 'need now ppeshortage': 555314, 'now ppeshortage maga': 575579, 'ppeshortage maga republican': 668141, 'globalising': 352328, 'phanish': 653992, 'puranam': 689314, 'epidemic like': 279410, 'rising real': 723281, 'urban cluster': 948103, 'cluster visa': 184593, 'visa restriction': 959115, 'in de': 422033, 'de globalising': 229064, 'globalising world': 352329, 'may all': 520898, 'make remote': 510396, 'remote collaboration': 710698, 'collaboration more': 185930, 'ever say': 285479, 'say phanish': 739057, 'phanish puranam': 653993, 'puranam coronavirus': 689315, 'epidemic like covid': 279411, '19 rising real': 10241, 'rising real estate': 723282, 'estate price in': 282180, 'price in urban': 674749, 'in urban cluster': 430472, 'urban cluster visa': 948104, 'cluster visa restriction': 184594, 'visa restriction in': 959116, 'restriction in de': 717291, 'in de globalising': 422034, 'de globalising world': 229065, 'globalising world may': 352330, 'world may all': 1009791, 'may all make': 520899, 'all make remote': 43440, 'make remote collaboration': 510397, 'remote collaboration more': 710699, 'collaboration more valuable': 185931, 'valuable than ever': 952051, 'than ever say': 840606, 'ever say phanish': 285481, 'say phanish puranam': 739058, 'phanish puranam coronavirus': 653994, 'puranam coronavirus is': 689316, 'changing the future': 172810, 'future of work': 342404, 'of work learn': 593255, 'work learn how': 1005424, 'plano': 658599, 'starting april': 794940, 'april service': 83676, 'service member': 752594, 'texas national': 839804, 'in plano': 426782, 'plano tx': 658600, 'with meeting': 999478, 'meeting overwhelming': 527745, 'starting april service': 794941, 'april service member': 83677, 'service member from': 752595, 'member from the': 528091, 'the texas national': 869343, 'texas national guard': 839805, 'assigned to the': 96604, 'bank in plano': 109924, 'in plano tx': 426783, 'plano tx to': 658601, 'tx to assist': 937458, 'assist with meeting': 96651, 'with meeting overwhelming': 999479, 'meeting overwhelming demand': 527746, 'overwhelming demand due': 631741, 'finally focus': 305993, 'endless coronavirus': 276221, 'coronavirus coverage': 205717, 'coverage continue': 212341, 'read suggestion': 700563, 'suggestion to': 817666, 'inside to can': 439433, 'to can finally': 902405, 'can finally focus': 158309, 'finally focus on': 305994, 'home and myself': 400667, 'and myself stay': 67398, 'to your normal': 919009, 'your normal routine': 1025030, 'over endless coronavirus': 630186, 'endless coronavirus coverage': 276222, 'coronavirus coverage continue': 205719, 'coverage continue to': 212342, 'continue to read': 201242, 'to read suggestion': 912840, 'read suggestion to': 700564, 'suggestion to help': 817667, 'help with anxiety': 390896, 'with anxiety during': 997271, 'anxiety during this': 78697, 'flushable': 311569, 'wetwipes': 980792, 'not flush': 569454, 'wipe not': 996325, 'even those': 284697, 'those unflushable': 892578, 'unflushable flushable': 941500, 'flushable wipe': 311576, 'wipe toiletpaper': 996404, 'toiletpaper wetwipes': 922827, 'do not flush': 249737, 'not flush wipe': 569456, 'flush wipe not': 311564, 'wipe not even': 996326, 'not even those': 569284, 'even those unflushable': 284698, 'those unflushable flushable': 892579, 'unflushable flushable wipe': 941501, 'flushable wipe toiletpaper': 311577, 'wipe toiletpaper wetwipes': 996405, '35bn': 17969, 'oil major': 596933, 'major cut': 509300, 'cut 35bn': 223215, '35bn capital': 17970, 'spend over': 788665, '19 low': 8479, 'oil major cut': 596934, 'major cut 35bn': 509301, 'cut 35bn capital': 223216, '35bn capital spend': 17971, 'capital spend over': 162681, 'spend over covid': 788667, 'covid 19 low': 213380, '19 low oil': 8480, 'store ha new': 808013, 'ha new safety': 371325, 'new safety precaution': 559534, '316day': 17633, 'aisle 16': 40181, '16 316day': 4075, 'on aisle 16': 599204, 'aisle 16 316day': 40182, 'servicedog': 753138, 'hardtimes': 378311, 'furbabylove': 341847, 'cbdofri': 168341, 'canamed': 160802, 'new servicedog': 559567, 'servicedog is': 753139, 'is trained': 453328, 'trained to': 929306, 'only help': 610596, 'with calming': 997517, 'these hard': 880096, 'of corvid19': 581996, 'corvid19 but': 207723, 'these hardtimes': 880100, 'hardtimes furbabylove': 378312, 'furbabylove pet': 341848, 'pet cbdofri': 653369, 'cbdofri canamed': 168342, 'our new servicedog': 624046, 'new servicedog is': 559568, 'servicedog is trained': 753140, 'is trained to': 453329, 'trained to not': 929307, 'not only help': 570802, 'only help with': 610598, 'help with calming': 390902, 'with calming down': 997518, 'calming down in': 156848, 'down in these': 256872, 'in these hard': 429846, 'these hard time': 880097, 'time of corvid19': 897322, 'of corvid19 but': 581997, 'corvid19 but to': 207724, 'but to also': 147582, 'to also have': 900377, 'also have supply': 48339, 'toiletpaper in these': 922123, 'in these hardtimes': 429847, 'these hardtimes furbabylove': 880101, 'hardtimes furbabylove pet': 378313, 'furbabylove pet cbdofri': 341849, 'pet cbdofri canamed': 653370, 'boomerconsumer': 134863, 'whatwouldmojodo': 982956, 'realized something': 701904, 'something the': 785085, '65 so': 21376, 'of calling': 581056, 'be calling': 113955, 'consumer boomerconsumer': 196638, 'boomerconsumer whatwouldmojodo': 134864, 'just realized something': 469571, 'realized something the': 701905, 'something the majority': 785086, 'majority of death': 509555, 'death from corona': 230048, 'from corona virus': 335008, 'virus are people': 957960, 'are people over': 89043, 'people over the': 649042, 'over the age': 630693, 'age of 65': 37857, 'of 65 so': 579651, '65 so instead': 21377, 'instead of calling': 440242, 'of calling it': 581057, 'calling it covid': 156587, '19 we really': 11948, 'we really should': 973028, 'really should be': 702581, 'should be calling': 765577, 'be calling it': 113956, 'it the boomer': 461517, 'the boomer consumer': 849852, 'boomer consumer boomerconsumer': 134845, 'consumer boomerconsumer whatwouldmojodo': 196639, 'istandwiththepresident': 456158, 'breakingnews oil': 139100, '30 corona': 17006, 'corona ventilator': 204271, 'ventilator oilprice': 954587, 'russia usa': 728599, 'trump 19': 933360, '19 istandwiththepresident': 8120, 'istandwiththepresident cnbc': 456159, 'breakingnews oil price': 139101, 'increase by 30': 432704, 'by 30 corona': 151629, '30 corona ventilator': 17007, 'corona ventilator oilprice': 204272, 'ventilator oilprice oil': 954588, 'oilprice oil opec': 597623, 'saudiarabia russia usa': 737362, 'russia usa trump': 728600, 'usa trump 19': 948778, 'trump 19 istandwiththepresident': 933361, '19 istandwiththepresident cnbc': 8121, 'gotten covid': 359127, 'an over': 56743, 'stockpile toilet': 803811, 'were afraid': 979274, 'thinking about all': 885842, 'people who must': 650321, 'who must have': 989302, 'must have gotten': 546697, 'have gotten covid': 380818, 'gotten covid 19': 359128, '19 from going': 7123, 'from going into': 335659, 'into an over': 442396, 'an over crowded': 56744, 'over crowded supermarket': 630134, 'crowded supermarket to': 219363, 'supermarket to stockpile': 823419, 'to stockpile toilet': 915484, 'stockpile toilet paper': 803812, 'paper because they': 639936, 'they were afraid': 883747, 'were afraid of': 979275, 'isolation complete': 455236, 'complete still': 192153, 'coughing which': 208766, 'is fun': 447982, 'fun however': 341177, 'however despite': 409356, 'despite not': 238797, 'and loo': 66359, 'than cover': 840469, 'cover week': 212321, 'take long': 832280, 'hard look': 377966, 'at themselves': 101192, 'self isolation complete': 747762, 'isolation complete still': 455237, 'complete still coughing': 192154, 'still coughing which': 800405, 'coughing which is': 208767, 'which is fun': 986010, 'is fun however': 447984, 'fun however despite': 341178, 'however despite not': 409357, 'despite not panic': 238799, 'buying we still': 151328, 'still have enough': 800646, 'food and loo': 313272, 'and loo paper': 66360, 'loo paper to': 502161, 'paper to more': 640922, 'more than cover': 540605, 'than cover week': 840470, 'cover week everyone': 212322, 'week everyone who': 976200, 'ha been panic': 369867, 'to take long': 916195, 'take long and': 832281, 'long and hard': 501328, 'and hard look': 64185, 'hard look at': 377967, 'look at themselves': 502299, 'cashinginonacrisis': 166682, 'is tv': 453399, 'entertainment we': 278616, 'house offer': 406427, 'their subscriber': 874885, 'subscriber extra': 815864, 'help cope': 389539, 'are freezing': 86678, 'freezing rise': 332670, 'offering payment': 595209, 'payment break': 645564, 'break rise': 138793, 'rise their': 723019, 'price cashinginonacrisis': 673084, 'time where all': 898314, 'where all we': 984721, 'have is tv': 381129, 'is tv for': 453400, 'tv for entertainment': 936114, 'for entertainment we': 321070, 'entertainment we are': 278617, 'the house offer': 857620, 'house offer their': 406428, 'offer their subscriber': 594831, 'their subscriber extra': 874886, 'subscriber extra to': 815865, 'extra to help': 293678, 'to help cope': 907483, 'help cope with': 389540, '19 but when': 5543, 'but when other': 147821, 'when other company': 983820, 'company are freezing': 190427, 'are freezing rise': 86679, 'freezing rise and': 332671, 'rise and offering': 722781, 'and offering payment': 67989, 'offering payment break': 595210, 'payment break rise': 645566, 'break rise their': 138794, 'rise their price': 723020, 'their price cashinginonacrisis': 874384, 'here job': 393276, 'open pretty': 612463, 'pretty normal': 671471, 'normal so': 567320, 'far except': 298770, 'except if': 289187, 'tp everything': 927804, 'else being': 271639, 'closed ha': 183147, 'about had': 25335, 'attack talking': 102161, 'my employee': 548090, 'employee about': 273508, 'not on quarantine': 570752, 'on quarantine here': 603040, 'quarantine here job': 692257, 'here job is': 393277, 'job is still': 465909, 'still open pretty': 800971, 'open pretty normal': 612464, 'pretty normal so': 671472, 'normal so far': 567321, 'so far except': 777028, 'far except if': 298771, 'except if need': 289188, 'need food tp': 554813, 'food tp everything': 317348, 'tp everything else': 927805, 'everything else being': 287768, 'else being closed': 271640, 'being closed ha': 124961, 'closed ha me': 183148, 'ha me worried': 371259, 'me worried for': 524018, 'for the majority': 326547, 'of people about': 587868, 'people about had': 646740, 'about had panic': 25336, 'panic attack talking': 637382, 'attack talking to': 102162, 'to my employee': 910392, 'my employee about': 548091, 'employee about how': 273509, 'about how their': 25478, 'how their life': 408901, 'ft report': 339357, 'good rose': 357675, 'to 29': 899653, '29 march': 16482, 'with cough': 997820, 'cough amp': 208443, 'amp cold': 53539, 'cold medication': 185777, 'medication by': 526634, 'ft report in': 339358, 'report in response': 712035, 'response to online': 715875, 'to online price': 910945, 'online price of': 608794, 'of good rose': 584234, 'good rose in': 357677, 'rose in week': 726075, 'in week to': 430776, 'week to 29': 977067, 'to 29 march': 899654, '29 march with': 16483, 'march with cough': 515537, 'with cough amp': 997821, 'cough amp cold': 208444, 'amp cold medication': 53540, 'cold medication by': 185778, 'medication by 10': 526635, 'me heading': 522878, 'any face': 79209, 'mask quarantinelife': 519171, 'me heading to': 522879, 'supermarket because can': 819331, 'because can find': 118974, 'find any face': 306791, 'any face mask': 79210, 'face mask quarantinelife': 294579, 'latimes gasprices': 481639, 'gas price why': 344058, 'price why the': 677545, 'high in california': 395121, 'in california pricegouging': 421145, 'washingtonpost latimes gasprices': 967830, 'regular week': 707896, 'simple grocery': 770034, 'buying wow': 151390, 'this suck': 890404, 'like this week': 491547, 'week we won': 977205, 'our regular week': 624577, 'regular week worth': 707897, 'worth of simple': 1011415, 'of simple grocery': 589736, 'simple grocery and': 770035, 'food item due': 315200, 'due to other': 261890, 'other people hoarding': 620671, 'people hoarding and': 648269, 'panic buying wow': 637972, 'buying wow this': 151391, 'wow this suck': 1012610, 'boycot': 137311, 'boycot every': 137312, 'every corner': 285757, 'currently mocking': 221591, 'mocking inflated': 535135, 'crisis let': 217652, 'put these': 690903, 'bastard out': 112487, 'boycot every corner': 137313, 'every corner store': 285759, 'corner store currently': 203683, 'store currently mocking': 807241, 'currently mocking inflated': 221592, 'mocking inflated price': 535136, 'essential item during': 281198, 'item during this': 463232, 'this crisis let': 887061, 'crisis let put': 217654, 'let put these': 487002, 'put these greedy': 690905, 'selfish bastard out': 748018, 'bastard out of': 112488, 'alhamdulillah': 41681, 'failsworth': 296257, 'oldham': 598707, 'foodparcel': 318029, 'mancity': 512976, 'needhelp': 556602, 'alhamdulillah big': 41682, 'to morrison': 910277, 'morrison failsworth': 541715, 'failsworth for': 296258, 'of oldham': 587206, 'oldham stayhomesavelives': 598710, 'stayhomesavelives bbcnews': 798344, 'bbcnews foodparcel': 113130, 'foodparcel mancity': 318030, 'mancity oldham': 512977, 'oldham needhelp': 598708, 'needhelp town': 556603, 'town vulnerability': 927576, 'vulnerability itvnews': 960815, 'itvnews morrison': 464022, 'supermarket poor': 822040, 'alhamdulillah big thank': 41683, 'you to morrison': 1021809, 'to morrison failsworth': 910279, 'morrison failsworth for': 541716, 'failsworth for donating': 296259, 'for donating food': 320817, 'donating food parcel': 254454, 'food parcel for': 315816, 'parcel for the': 641498, 'elderly vulnerable and': 270926, 'vulnerable and needy': 960866, 'and needy people': 67493, 'needy people of': 556696, 'people of oldham': 648922, 'of oldham stayhomesavelives': 587207, 'oldham stayhomesavelives bbcnews': 598711, 'stayhomesavelives bbcnews foodparcel': 798345, 'bbcnews foodparcel mancity': 113131, 'foodparcel mancity oldham': 318031, 'mancity oldham needhelp': 512978, 'oldham needhelp town': 598709, 'needhelp town vulnerability': 556604, 'town vulnerability itvnews': 927577, 'vulnerability itvnews morrison': 960816, 'itvnews morrison supermarket': 464023, 'morrison supermarket poor': 541762, 'evisceration': 288474, 'ministerial': 533511, 'blunder': 133524, 'collapsing supply': 186152, 'the evisceration': 854638, 'evisceration of': 288475, 'rural tourism': 728268, 'tourism combined': 926974, 'with ministerial': 999520, 'ministerial blunder': 533512, 'blunder have': 133525, 'the agricultural': 848455, 'agricultural sector': 38918, 'sector facing': 744186, 'facing ruin': 295579, 'falling price collapsing': 297319, 'price collapsing supply': 673180, 'collapsing supply chain': 186153, 'and the evisceration': 73354, 'the evisceration of': 854639, 'evisceration of rural': 288476, 'of rural tourism': 589182, 'rural tourism combined': 728269, 'tourism combined with': 926975, 'combined with ministerial': 187147, 'with ministerial blunder': 999521, 'ministerial blunder have': 533513, 'blunder have left': 133526, 'have left the': 381300, 'left the agricultural': 485666, 'the agricultural sector': 848458, 'agricultural sector facing': 38921, 'sector facing ruin': 744187, 'aren playing': 92478, 'playing about': 659374, 'not catching': 568715, 'the si': 867144, 'si ha': 768310, 'entire paper': 278715, 'time palmsunday': 897449, 'palmsunday stayathome': 634623, 'wow people aren': 1012577, 'people aren playing': 647126, 'aren playing about': 92479, 'playing about not': 659375, 'about not catching': 25813, 'not catching the': 568716, 'catching the si': 167119, 'the si ha': 867145, 'si ha an': 768311, 'ha an entire': 369542, 'an entire paper': 55773, 'entire paper bag': 278716, 'paper bag and': 639918, 'bag and glove': 108218, 'glove on at': 352818, 'is scary time': 451683, 'scary time palmsunday': 741209, 'time palmsunday stayathome': 897450, 'dropoff': 260495, 'from postmates': 336955, 'postmates about': 666747, 'new dropoff': 558648, 'dropoff option': 260496, 'can select': 159559, 'select door': 747465, 'door curbside': 255560, 'curbside or': 220637, 'or non': 616270, 'contact left': 200118, 'mention of': 528777, 'know curious': 476344, 'curious if': 220979, 'if dd': 414026, 'dd will': 229015, 'have similar': 382555, 'similar option': 769915, 'just got consumer': 468852, 'got consumer email': 358498, 'consumer email from': 197347, 'email from postmates': 272191, 'from postmates about': 336956, 'postmates about new': 666748, 'about new dropoff': 25789, 'new dropoff option': 558649, 'dropoff option you': 260497, 'option you can': 614152, 'you can select': 1017776, 'can select door': 159560, 'select door curbside': 747466, 'door curbside or': 255561, 'curbside or non': 220638, 'or non contact': 616271, 'non contact left': 566314, 'contact left at': 200119, 'left at door': 485394, 'at door no': 98481, 'door no mention': 255660, 'no mention of': 564764, 'mention of covid': 528778, 'but we know': 147749, 'we know and': 972148, 'know and they': 476257, 'and they know': 73912, 'they know curious': 882524, 'know curious if': 476345, 'curious if dd': 220980, 'if dd will': 414027, 'dd will soon': 229016, 'soon have similar': 785737, 'have similar option': 382556, 'crisis eating': 217327, 'eating at': 266177, 'home accounted': 400552, 'currently estimated': 221523, 'around 80': 93164, '80 find': 22571, 'at foodtrends': 98684, '19 crisis eating': 6241, 'crisis eating at': 217328, 'eating at home': 266178, 'at home accounted': 98930, 'home accounted for': 400553, 'accounted for 50': 28817, 'for 50 of': 318866, 'food spending it': 316717, 'spending it is': 788888, 'it is currently': 458924, 'is currently estimated': 446991, 'currently estimated to': 221524, 'to be around': 901115, 'be around 80': 113681, 'around 80 find': 93165, '80 find out': 22572, 'more at foodtrends': 538664, 'drew another': 258714, 'much people': 545226, 'drew another one': 258715, 'another one so': 77740, 'one so much': 607064, 'so much people': 777801, 'stenographer wonder': 799482, 'wonder question': 1003991, 'topic not': 925805, 'die why do': 241485, 'why do the': 990940, 'do the stenographer': 250267, 'the stenographer wonder': 867875, 'stenographer wonder question': 799483, 'wonder question about': 1003992, 'about topic not': 26761, 'topic not related': 925806, 'paper disinfectant is': 640095, 'disinfectant is low': 245694, 'ngl': 561832, 'ngl all': 561833, 'the tested': 869326, 'point too': 662685, 'quarantine stop': 692586, 'ngl all essential': 561834, 'all essential retail': 42702, 'essential retail employee': 281466, 'retail employee should': 718076, 'employee should the': 274204, 'should the tested': 766575, 'the tested for': 869327, '19 at some': 5249, 'some point too': 783592, 'point too many': 662686, 'going into quarantine': 355241, 'into quarantine stop': 442916, 'quarantine stop at': 692587, 'store for supply': 807841, 'theoffice': 877821, 'panicbuying fool': 638949, 'fool six': 318298, '19 theoffice': 11281, 'theoffice stockpiling': 877822, 'of you panicbuying': 593408, 'you panicbuying fool': 1020293, 'panicbuying fool six': 638950, 'fool six month': 318299, 'six month from': 772670, 'from now 19': 336605, 'now 19 theoffice': 573897, '19 theoffice stockpiling': 11282, 'theoffice stockpiling stoppanicbuying': 877823, 'real meat': 701266, 'leading sale': 483738, 'sale driver': 732173, 'the perimeter': 863558, 'perimeter of': 651688, 'coronavirus people': 206544, 'want plant': 965902, 'based meat': 111650, 'meat during': 525548, 'real meat ha': 701267, 'meat ha been': 525606, 'been the leading': 122166, 'the leading sale': 859235, 'leading sale driver': 483739, 'sale driver for': 732174, 'driver for the': 259570, 'for the perimeter': 326617, 'the perimeter of': 863559, 'perimeter of the': 651689, 'since the onset': 770896, 'onset of coronavirus': 611545, 'of coronavirus people': 581957, 'coronavirus people do': 206545, 'not want plant': 572444, 'want plant based': 965903, 'plant based meat': 658625, 'based meat during': 111651, 'meat during pandemic': 525549, 'brevity': 139397, 'wa started': 963299, 'situation called': 772214, 'for levity': 322958, 'levity brevity': 487821, 'brevity fridaythoughts': 139398, 'fridaythoughts trumppandemic': 333370, 'trumppandemic trumpliespeopledie': 934114, 'knew it the': 476052, 'it the wa': 461584, 'the wa started': 871016, 'wa started by': 963300, 'started by the': 794696, 'delivery service we': 234478, 'service we need': 753053, 'to check to': 902696, 'see how many': 745239, 'how many member': 408272, 'member have bought': 528103, 'have bought stock': 379829, 'stock in them': 802280, 'in them this': 429798, 'them this situation': 876432, 'this situation called': 890174, 'situation called for': 772215, 'called for levity': 156318, 'for levity brevity': 322959, 'levity brevity fridaythoughts': 487822, 'brevity fridaythoughts trumppandemic': 139399, 'fridaythoughts trumppandemic trumpliespeopledie': 333371, 'dawned': 227063, 'it dawned': 457473, 'dawned on': 227064, 'in forever': 423044, 'forever that': 329149, 'store together': 810883, 'together without': 921048, 'without kid': 1002746, 'store with my': 811390, 'with my wife': 999658, 'wife and it': 991892, 'and it dawned': 65510, 'it dawned on': 457474, 'dawned on me': 227065, 'on me that': 602072, 'that this wa': 847005, 'time in forever': 896989, 'in forever that': 423045, 'forever that we': 329150, 'we have gone': 971826, 'grocery store together': 365870, 'store together without': 810885, 'together without kid': 921049, 'without kid in': 1002747, 'kid in year': 474019, 'watcher': 968686, 'surprise to': 828552, 'package showing': 633394, 'our doorstep': 622801, 'doorstep indeed': 255855, 'indeed online': 434004, 'the tipping': 869654, 'point so': 662628, 'industry watcher': 436216, 'watcher were': 968687, 'were waiting': 980335, 'many of staying': 514389, 'staying home it': 798612, 'home it no': 401473, 'it no surprise': 459834, 'no surprise to': 565645, 'surprise to see': 828554, 'to see surge': 914077, 'surge in package': 828201, 'in package showing': 426416, 'package showing up': 633395, 'showing up on': 767553, 'on our doorstep': 602591, 'our doorstep indeed': 622802, 'doorstep indeed online': 255856, 'indeed online shopping': 434005, 'shopping is on': 763068, 'the rise and': 865846, 'rise and covid': 722779, '19 may prove': 8582, 'may prove to': 521438, 'be the tipping': 117663, 'the tipping point': 869655, 'tipping point so': 898993, 'point so many': 662629, 'so many industry': 777670, 'many industry watcher': 514192, 'industry watcher were': 436217, 'watcher were waiting': 968688, 'were waiting for': 980336, 'breitbart crash': 139301, 'hotel rental': 405182, 'rental car': 711214, 'woman dress': 1003475, 'breitbart crash price': 139302, 'crash price for': 215024, 'for hotel rental': 322383, 'hotel rental car': 405183, 'rental car and': 711215, 'car and woman': 163006, 'and woman dress': 75804, 'switzer': 830593, 'stapledon': 794015, 'houseprices': 407021, 'switzer tv': 830594, 'tv property': 936159, 'property how': 684272, 'australia real': 103359, 'market house': 516530, 'is joined': 449100, 'mark armstrong': 515775, 'armstrong ceo': 92983, 'of au': 580439, 'au nigel': 102791, 'nigel stapledon': 562700, 'stapledon and': 794016, 'estate guru': 282120, 'guru andrew': 368830, 'andrew winter': 76202, 'winter houseprices': 996127, 'houseprices propertymarket': 407024, 'switzer tv property': 830595, 'tv property how': 936160, 'property how will': 684273, 'coronavirus affect australia': 205458, 'affect australia real': 34124, 'australia real estate': 103360, 'estate market house': 282150, 'market house price': 516531, 'house price is': 406493, 'price is joined': 674872, 'is joined by': 449101, 'joined by mark': 466925, 'by mark armstrong': 153173, 'mark armstrong ceo': 515776, 'armstrong ceo of': 92984, 'ceo of au': 169769, 'of au nigel': 580440, 'au nigel stapledon': 102792, 'nigel stapledon and': 562701, 'stapledon and real': 794017, 'real estate guru': 701145, 'estate guru andrew': 282121, 'guru andrew winter': 368831, 'andrew winter houseprices': 76203, 'winter houseprices propertymarket': 996128, 'essential going': 281078, 'or doing': 615037, 'nurse every': 577326, 'every key': 285967, 'dying stay': 263867, 'safety stayhome': 730736, 'get essential going': 346950, 'essential going to': 281079, 'work or doing': 1005561, 'or doing your': 615039, 'doing your daily': 252882, 'daily exercise there': 224607, 'exercise there no': 290108, 'no reason you': 565303, 'be out and': 116282, 'and about doctor': 57544, 'doctor nurse every': 251012, 'nurse every key': 577327, 'every key worker': 285968, 'key worker you': 473532, 'worker you can': 1008310, 'you can think': 1017812, 'think of are': 885438, 'of are dying': 580344, 'are dying stay': 86055, 'dying stay home': 263868, 'stay home it': 796977, 'home it for': 401471, 'it for your': 458109, 'own safety stayhome': 632180, 'barging': 111087, '2ft': 16599, 'reckon if': 704563, 're waiting': 699772, 'start barging': 794221, 'barging you': 111092, 'just cough': 468531, 'cough without': 208588, 'mouth people': 543548, 'be social': 117270, 'distancing ie': 247210, 'ie being': 413725, 'least 2ft': 484354, '2ft apart': 16600, 'apart serf': 81329, 'serf them': 751207, 'right for': 721900, 'being idiot': 125273, 'supermarket panickbuyinguk': 821920, 'panickbuyinguk panicbuying': 639235, 'reckon if you': 704565, 'you re waiting': 1020786, 're waiting to': 699774, 'people start barging': 649536, 'start barging you': 794222, 'barging you just': 111093, 'you just cough': 1019416, 'just cough without': 468532, 'cough without covering': 208589, 'your mouth people': 1024903, 'mouth people should': 543549, 'should be social': 765733, 'be social distancing': 117271, 'social distancing ie': 779635, 'distancing ie being': 247211, 'ie being at': 413726, 'being at least': 124878, 'at least 2ft': 99449, 'least 2ft apart': 484355, '2ft apart serf': 16601, 'apart serf them': 81330, 'serf them right': 751208, 'them right for': 876224, 'right for being': 721901, 'for being idiot': 319631, 'being idiot supermarket': 125274, 'idiot supermarket panickbuyinguk': 413607, 'supermarket panickbuyinguk panicbuying': 821921, 're supporting': 699637, 'authority who': 103814, 'are investigating': 87565, 'investigating trader': 443856, 'trader exploiting': 928679, 've spotted': 953595, 'spotted any': 790178, 'business highly': 143845, 'highly inflating': 396076, 'email tradingstandards': 272350, 'tradingstandards gov': 928974, 'with detail': 998008, 'we re supporting': 972978, 're supporting the': 699640, 'supporting the competition': 827206, 'market authority who': 516066, 'authority who are': 103815, 'who are investigating': 988164, 'are investigating trader': 87566, 'investigating trader exploiting': 443857, 'trader exploiting the': 928680, 'exploiting the high': 292456, 'you ve spotted': 1022067, 've spotted any': 953596, 'spotted any business': 790179, 'any business highly': 78989, 'business highly inflating': 143846, 'highly inflating price': 396077, 'inflating price please': 437123, 'price please email': 675883, 'please email tradingstandards': 659957, 'email tradingstandards gov': 272351, 'tradingstandards gov uk': 928975, 'uk with detail': 938908, 'with detail 19': 998009, 'vendor increased': 954384, 'our we': 625314, 'getting fresh': 348996, 'vegetable for': 953982, 'for cheaper': 320030, 'number of vegetable': 577012, 'of vegetable vendor': 592769, 'vegetable vendor increased': 954123, 'vendor increased in': 954385, 'increased in our': 433349, 'in our we': 426353, 'our we are': 625315, 'are getting fresh': 86805, 'getting fresh vegetable': 348997, 'fresh vegetable for': 333101, 'vegetable for cheaper': 953983, 'for cheaper price': 320031, 'cheaper price in': 174265, 'in this lockdown': 429972, 'this lockdown period': 888692, 'distancing quarantinelife': 247410, 'social distancing quarantinelife': 779692, 'independent bookstore': 434085, 'bookstore by': 134784, 'not know you': 570312, 'local independent bookstore': 498114, 'independent bookstore by': 434086, 'bookstore by shopping': 134785, 'online at amazon': 607883, 'at amazon you': 97955, 'amazon you have': 51216, 'dietician': 241777, 'gunna': 368790, 'any gym': 79295, 'gym dietician': 369313, 'dietician personal': 241778, 'personal trainer': 652981, 'trainer or': 929315, 'or weight': 617762, 'loss program': 503768, 'program boosting': 683217, 'boosting their': 135091, 'all gunna': 43018, 'gunna need': 368791, 'quarantine eating': 692166, 'eating no': 266260, 'see any gym': 744918, 'any gym dietician': 79296, 'gym dietician personal': 369314, 'dietician personal trainer': 241779, 'personal trainer or': 652982, 'trainer or weight': 929317, 'or weight loss': 617763, 'weight loss program': 977701, 'loss program boosting': 503769, 'program boosting their': 683218, 'boosting their price': 135092, 'price after this': 672238, 'are all gunna': 84312, 'all gunna need': 43019, 'gunna need help': 368792, 'help after this': 389305, 'after this quarantine': 36413, 'this quarantine eating': 889772, 'quarantine eating no': 692167, 'eating no need': 266261, 'need to price': 556018, 'be courteous': 114263, 'courteous thank': 212024, 'please be courteous': 659699, 'be courteous thank': 114265, 'courteous thank them': 212025, 'your own grocery': 1025141, 'nonporous': 566669, 'to 72': 899822, '72 hour': 22008, 'hour especially': 405573, 'especially hard': 280498, 'hard nonporous': 377974, 'nonporous one': 566670, 'like metal': 490770, 'metal and': 529618, 'hard plastic': 377995, 'plastic in': 658855, 'avoiding touching': 105501, 'face keep': 294492, 'keep hard': 471567, 'hard high': 377932, 'high touch': 395483, 'and disinfected': 61456, 'disinfected 19': 245825, '19 can live': 5612, 'live on some': 495964, 'up to 72': 946346, 'to 72 hour': 899823, '72 hour especially': 22010, 'hour especially hard': 405574, 'especially hard nonporous': 280499, 'hard nonporous one': 377975, 'nonporous one like': 566671, 'one like metal': 606603, 'like metal and': 490771, 'metal and hard': 529619, 'and hard plastic': 64186, 'hard plastic in': 377996, 'plastic in addition': 658856, 'addition to washing': 31755, 'hand and avoiding': 374752, 'and avoiding touching': 58586, 'avoiding touching your': 105502, 'your face keep': 1023750, 'face keep hard': 294493, 'keep hard high': 471568, 'hard high touch': 377933, 'high touch surface': 395484, 'touch surface clean': 926543, 'surface clean and': 827994, 'clean and disinfected': 180457, 'and disinfected 19': 61457, 'price congress': 673208, 'to govt': 906947, 'oil price congress': 597084, 'price congress to': 673209, 'congress to govt': 194540, '18k': 4679, 'too work': 925172, 'where would': 985375, 'driver know': 259629, 'know me': 476592, 'them work': 876659, 'near there': 553619, 'told on': 923649, 'day basis': 227348, 'basis roughly': 112269, 'roughly 18k': 726270, '18k item': 4682, 'too work in': 925173, 'in retail in': 427456, 'retail in the': 718205, 'the store where': 868143, 'store where would': 811267, 'where would get': 985377, 'would get my': 1011831, 'get my order': 347637, 'my order from': 549611, 'from the driver': 337673, 'the driver know': 853697, 'driver know me': 259630, 'know me have': 476593, 'me have told': 522864, 'have told them': 383366, 'told them work': 923721, 'them work at': 876660, 'work at store': 1004900, 'at store near': 100658, 'store near there': 809040, 'near there store': 553620, 'there store have': 879110, 'been told on': 122238, 'told on day': 923650, 'on day to': 600228, 'to day basis': 903951, 'day basis roughly': 227349, 'basis roughly 18k': 112270, 'roughly 18k item': 726271, 'tamu': 834141, 'consumer turning': 199405, 'ever retailing': 285471, 'retailing tamu': 719481, 'tamu amazon': 834142, 'are consumer turning': 85532, 'consumer turning to': 199406, 'online shopping more': 609189, 'shopping more than': 763293, 'than ever retailing': 840605, 'ever retailing tamu': 285472, 'retailing tamu amazon': 719482, 'jackdaniels': 464135, 'jackdaniels created': 464136, 'created hand': 215832, 'deliver over': 233188, 'gallon within': 343073, 'week jackdaniels': 976442, 'jackdaniels created hand': 464137, 'created hand sanitizer': 215833, 'sanitizer and will': 734461, 'and will deliver': 75663, 'will deliver over': 993147, 'deliver over million': 233189, 'over million gallon': 630398, 'million gallon within': 532171, 'gallon within week': 343074, 'within week jackdaniels': 1002461, 'hughes': 410294, '15b': 4007, 'impairment': 418291, 'citing': 178797, 'america apr': 51459, 'apr 13': 83357, '13 wti': 3284, 'wti retreat': 1013409, 'retreat market': 719752, 'market weighs': 517324, 'weighs opec': 977692, 'opec cut': 611862, 'cut baker': 223249, 'baker hughes': 108802, 'hughes plan': 410297, 'plan 15b': 658036, '15b impairment': 4008, 'impairment citing': 418294, 'citing podcast': 178806, 'podcast ha': 662280, 'trump found': 933567, 'found religion': 330353, 'religion on': 709561, 'america apr 13': 51460, 'apr 13 wti': 83358, '13 wti retreat': 3285, 'wti retreat market': 1013410, 'retreat market weighs': 719753, 'market weighs opec': 517325, 'weighs opec cut': 977693, 'opec cut baker': 611863, 'cut baker hughes': 223250, 'baker hughes plan': 108803, 'hughes plan 15b': 410298, 'plan 15b impairment': 658037, '15b impairment citing': 4009, 'impairment citing podcast': 418295, 'citing podcast ha': 178807, 'podcast ha trump': 662281, 'ha trump found': 372377, 'trump found religion': 933569, 'found religion on': 330354, 'religion on low': 709562, 'on low oil': 601945, 'mor': 538390, 'still throng': 801310, 'throng mor': 894266, 'mor chit': 538391, 'chit bus': 177560, 'station they': 796528, 'leaving after': 485071, 'city hall': 179173, 'hall issued': 374336, 'order closing': 618136, 'closing shopping': 183747, 'market except': 516349, 'except those': 289244, 'those selling': 892441, 'people still throng': 649610, 'still throng mor': 801311, 'throng mor chit': 894267, 'mor chit bus': 538392, 'chit bus station': 177561, 'bus station they': 143087, 'station they are': 796529, 'they are leaving': 881324, 'are leaving after': 87751, 'leaving after city': 485072, 'after city hall': 35466, 'city hall issued': 179174, 'hall issued an': 374337, 'an order closing': 56693, 'order closing shopping': 618137, 'closing shopping mall': 183748, 'mall and many': 511736, 'and many market': 66675, 'many market except': 514265, 'market except those': 516350, 'except those selling': 289245, 'those selling food': 892444, 'and essential consumer': 62250, 'consumer good for': 197617, 'good for week': 357095, 'fourth covid': 330716, 'snapshot powered': 776164, 'by dynata': 152441, 'dynata examines': 263922, 'global spending': 352208, 'spending behavior': 788755, 'behavior across': 123853, 'across five': 29329, 'five country': 309594, 'infection read': 436826, 'from bcg': 334648, 'fourth covid 19': 330717, 'sentiment snapshot powered': 750998, 'snapshot powered by': 776165, 'powered by dynata': 667760, 'by dynata examines': 152442, 'dynata examines the': 263923, 'in global spending': 423340, 'global spending behavior': 352209, 'spending behavior across': 788756, 'behavior across five': 123854, 'across five country': 29330, 'five country it': 309595, 'country it relates': 210833, 'relates to the': 708648, 'to the number': 916909, 'number of infection': 576950, 'of infection read': 585169, 'infection read more': 436827, 'read more from': 700436, 'more from bcg': 539299, 'happening it': 377371, 'important not': 418898, 'good while': 357956, 'it seem': 460933, 'like way': 491766, 'make extra': 509893, 'shopping is happening': 763048, 'is happening it': 448282, 'happening it is': 377372, 'is important not': 448729, 'important not to': 418899, 'not to throw': 572201, 'throw out our': 895042, 'out our humanity': 626977, 'our humanity and': 623494, 'humanity and hike': 410703, 'and hike the': 64577, 'of good while': 584246, 'good while it': 357957, 'while it seem': 986974, 'it seem like': 460934, 'seem like way': 746674, 'like way to': 491767, 'to make extra': 909660, 'make extra money': 509894, 'extra money it': 293582, 'money it is': 536857, 'is also important': 445560, 'also important to': 48395, 'important to know': 419056, 'and complain': 60224, 'actually working': 31024, 'overtime about': 631616, 're hiring': 698812, 'hiring is': 397108, 'is every': 447575, 'store and complain': 806218, 'and complain to': 60225, 'complain to me': 191870, 'to me the': 909958, 'me the one': 523652, 'one who actually': 607432, 'who actually working': 988027, 'actually working overtime': 31025, 'working overtime about': 1008859, 'overtime about being': 631617, 'do not like': 249776, 'not like it': 570395, 'like it that': 490558, 'it that much': 461495, 'much we re': 545443, 'we re hiring': 972895, 're hiring is': 698813, 'hiring is every': 397110, 'is every other': 447577, 'communal': 189528, 'hand amp': 374745, 'amp don': 53662, 'atm amp': 101913, 'button communal': 148207, 'communal surface': 189531, 'your hand amp': 1024162, 'hand amp don': 374746, 'amp don touch': 53665, 'face be mindful': 294330, 'mindful of key': 532815, 'phone atm amp': 654900, 'atm amp grocery': 101914, 'elevator button communal': 271377, 'button communal surface': 148208, 'communal surface gym': 189532, 'westmemphis': 980682, 'mcclendon': 522098, 'of westmemphis': 593039, 'westmemphis is': 980683, 'safe today': 730064, 'today mayor': 919868, 'mayor mcclendon': 521974, 'mcclendon and': 522099, 'force are': 328333, 'store operator': 809299, 'operator to': 613408, 'city of westmemphis': 179296, 'of westmemphis is': 593040, 'westmemphis is doing': 980684, 'friend safe today': 333791, 'safe today mayor': 730066, 'today mayor mcclendon': 919869, 'mayor mcclendon and': 521975, 'mcclendon and the': 522100, 'task force are': 834680, 'force are working': 328335, 'working with local': 1009060, 'with local grocery': 999280, 'grocery store operator': 365620, 'store operator to': 809301, 'operator to limit': 613410, 'wapuu': 966326, 'wapuu say': 966327, 'say remember': 739096, 'just use': 470172, 'but actually': 145053, 'actually wash': 31010, 'wapuu say remember': 966328, 'say remember to': 739097, 'your hand not': 1024203, 'hand not just': 375097, 'not just use': 570263, 'just use sanitizer': 470174, 'use sanitizer but': 949540, 'sanitizer but actually': 734605, 'but actually wash': 145055, 'actually wash your': 31011, 'with shop': 1000683, 'shop increasing': 760341, 'shaming shop': 754758, 'essential purely': 281436, 'wrong with shop': 1013161, 'with shop increasing': 1000686, 'shop increasing price': 760342, 'increasing price but': 433667, 'and shaming shop': 71378, 'shaming shop who': 754759, 'shop who increase': 761044, 'on essential purely': 600594, 'essential purely for': 281437, 'purely for profit': 690042, 'for profit customer': 324789, 'profit customer can': 682705, 'customer can choose': 222223, 'can choose to': 157906, 'americanheroes': 52343, 'nice americanheroes': 562333, 'americanheroes wow': 52344, 'wow pandemic': 1012574, 'pandemic outbreak': 636130, 'outbreak pandemic2020': 628519, 'this is nice': 888330, 'is nice americanheroes': 449897, 'nice americanheroes wow': 562334, 'americanheroes wow pandemic': 52345, 'wow pandemic outbreak': 1012575, 'pandemic outbreak pandemic2020': 636134, 'today reminder': 920110, 'were approaching': 979335, 'approaching 20': 83013, '00 wa': 590, 'arabia working': 83974, 'out deal': 625936, 'up gas': 945010, 'today reminder that': 920111, 'reminder that just': 710591, 'that just covid': 844788, '19 death in': 6444, 'in the were': 429672, 'the were approaching': 871386, 'were approaching 20': 979336, 'approaching 20 00': 83014, '20 00 wa': 12863, '00 wa on': 591, 'the phone with': 863699, 'phone with putin': 655070, 'putin and the': 691008, 'and the king': 73437, 'king of saudi': 475287, 'saudi arabia working': 737231, 'arabia working out': 83975, 'working out deal': 1008845, 'out deal to': 625937, 'deal to drive': 229508, 'drive up gas': 259243, 'up gas price': 945011, 'harvey cohen': 378670, 'cohen president': 185593, 'president strategy': 670909, 'analytics the': 57242, 'entire supply': 278753, 'mobile lifestyle': 534981, 'lifestyle will': 489382, 'will experience': 993373, 'experience significant': 291478, 'significant damage': 769412, 'damage that': 225224, 'felt globally': 303383, 'globally over': 352390, 'four quarter': 330661, 'harvey cohen president': 378671, 'cohen president strategy': 185594, 'president strategy analytics': 670910, 'strategy analytics the': 812604, 'analytics the entire': 57243, 'the entire supply': 854369, 'entire supply chain': 278754, 'chain for digital': 170714, 'for digital product': 320710, 'digital product in': 242629, 'product in our': 681294, 'home our car': 401799, 'our car and': 622315, 'car and mobile': 162999, 'and mobile lifestyle': 67095, 'mobile lifestyle will': 534982, 'lifestyle will experience': 489383, 'will experience significant': 993375, 'experience significant damage': 291479, 'significant damage that': 769413, 'damage that is': 225225, 'that is likely': 844615, 'be felt globally': 114825, 'felt globally over': 303385, 'globally over the': 352391, 'next three to': 561595, 'three to four': 894086, 'to four quarter': 906214, 'editorial make': 268674, 'personnel in': 653119, 'them childcare': 875529, 'childcare mapoli': 176301, 'editorial make grocery': 268675, 'store worker essential': 811490, 'worker essential personnel': 1006859, 'essential personnel in': 281386, 'personnel in mass': 653120, 'mass and give': 519736, 'give them childcare': 350763, 'them childcare mapoli': 875530, 'isolation ward': 455490, 'ward ask': 966632, 'hospital denies': 404370, '19 people in': 9628, 'in isolation ward': 424212, 'isolation ward ask': 455491, 'ward ask for': 966633, 'ask for non': 95531, 'for non vegetarian': 323906, 'vegetarian food hospital': 954145, 'food hospital denies': 314852, 'trademe': 928637, 'supermarket forgot': 820439, 'forgot to': 329413, 'll just': 496855, 'just order': 469400, 'from trademe': 338120, 'trademe had': 928638, 'only mask': 610769, 'because put': 119505, 'glove still': 352928, 'still rookie': 801128, 'rookie in': 725862, 'game but': 343138, 'll learn': 496879, 'learn parent': 484051, 'parent got': 641635, 'got box': 358446, 'box coming': 137036, 'coming lockdownnz': 188127, 'the supermarket forgot': 868599, 'supermarket forgot to': 820440, 'forgot to buy': 329415, 'cat food guess': 166866, 'food guess ll': 314735, 'guess ll just': 368002, 'll just order': 496860, 'just order it': 469401, 'order it online': 618346, 'it online from': 460080, 'online from trademe': 608276, 'from trademe had': 338121, 'trademe had to': 928639, 'rid of my': 721392, 'of my only': 586800, 'my only mask': 549592, 'only mask because': 610770, 'mask because put': 518469, 'because put it': 119506, 'same place my': 733230, 'place my glove': 657584, 'my glove still': 548514, 'glove still rookie': 352929, 'still rookie in': 801129, 'rookie in this': 725863, 'in this game': 429950, 'this game but': 887671, 'game but ll': 343140, 'but ll learn': 146299, 'll learn parent': 496881, 'learn parent got': 484052, 'parent got box': 641636, 'got box coming': 358447, 'box coming lockdownnz': 137037, 'helping to help': 391526, 'help elderly in': 389630, 'harbinger': 377834, 'fatality': 300238, 'the jan': 858631, 'jan virus': 464477, 'not threat': 572110, 'people feb': 647885, 'feb first': 301642, 'first appears': 308511, 'state march': 795762, 'the harbinger': 857097, 'harbinger of': 377835, 'time huge': 896955, 'unemployment entering': 941206, 'report potential': 712184, 'potential virus': 667175, 'virus fatality': 958177, 'fatality in': 300247, 'the jan virus': 858632, 'jan virus is': 464478, 'is not threat': 450209, 'not threat to': 572111, 'american people feb': 52123, 'people feb first': 647886, 'feb first appears': 301643, 'first appears in': 308512, 'appears in the': 82187, 'united state march': 942229, 'state march is': 795763, 'march is the': 515400, 'is the harbinger': 452817, 'the harbinger of': 857098, 'harbinger of the': 377836, 'end time huge': 276000, 'time huge unemployment': 896956, 'huge unemployment entering': 410252, 'unemployment entering the': 941207, 'entering the stock': 278431, 'market price drop': 516885, 'price drop the': 673581, 'drop the medium': 260405, 'the medium report': 860438, 'medium report potential': 527252, 'report potential virus': 712186, 'potential virus fatality': 667176, 'virus fatality in': 958178, 'fatality in the': 300250, 'shout to': 766777, 'all convenient': 42448, 'store gas': 807907, 'continuing going': 201528, 'providing with': 687142, 'life necessity': 488899, 'let give shout': 486744, 'give shout to': 350699, 'shout to all': 766778, 'clerk and worker': 181649, 'and worker of': 75878, 'worker of all': 1007470, 'of all convenient': 579934, 'all convenient store': 42449, 'convenient store gas': 202419, 'store gas station': 807908, 'station and pharmacy': 796335, 'pharmacy for continuing': 654312, 'for continuing going': 320326, 'continuing going to': 201529, 'work and providing': 1004795, 'and providing with': 69715, 'providing with life': 687145, 'with life necessity': 999211, 'life necessity during': 488900, 'necessity during this': 554203, 'company trying': 191265, 'the wuflu': 872116, 'wuflu kungflu': 1013454, 'kungflu what': 477935, 'we people': 972702, 'papertowels handsanitizer': 641172, 'handsanitizer think': 376663, 'dealing with company': 229657, 'with company trying': 997706, 'company trying to': 191266, 'trying to profiteer': 934845, 'profiteer from the': 682959, 'from the wuflu': 337931, 'the wuflu kungflu': 872117, 'wuflu kungflu what': 1013455, 'kungflu what we': 477936, 'what we people': 982561, 'we people need': 972703, 'do is stop': 249456, 'is stop buying': 452345, 'stop buying up': 804551, 'up all of': 944256, 'the toiletpaper papertowels': 869733, 'toiletpaper papertowels handsanitizer': 922326, 'papertowels handsanitizer think': 641173, 'handsanitizer think of': 376664, 'think of your': 885466, 'tryplants': 934909, 'goplantbased': 358309, 'vegandiet': 953896, 'toiletpaper eat': 921942, 'some fiber': 782823, 'fiber people': 304389, 'people tryplants': 650030, 'tryplants dontpanic': 934910, 'dontpanic goplantbased': 255377, 'goplantbased vegandiet': 358310, 'why is everyone': 991101, 'is everyone panicking': 447589, 'everyone panicking about': 287254, 'panicking about toiletpaper': 639313, 'about toiletpaper eat': 26752, 'toiletpaper eat some': 921943, 'eat some fiber': 266054, 'some fiber people': 782824, 'fiber people tryplants': 304390, 'people tryplants dontpanic': 650031, 'tryplants dontpanic goplantbased': 934911, 'dontpanic goplantbased vegandiet': 255378, 'anxiety got': 78710, 'it moment': 459649, 'of truth': 592485, 'truth for': 934389, 'our employer': 622894, 'employer some': 274543, 'paid april': 633970, 'april salary': 83670, 'salary in': 731975, 'given some': 351110, 'of allowance': 580002, 'allowance what': 46125, 'ha yours': 372513, 'yours done': 1026463, '19 anxiety got': 5160, 'anxiety got me': 78711, 'me thinking it': 523703, 'thinking it moment': 885937, 'it moment of': 459650, 'moment of truth': 536023, 'of truth for': 592486, 'truth for to': 934390, 'for to reflect': 327230, 'to reflect on': 913066, 'reflect on how': 706616, 'on how much': 601413, 'much we mean': 545441, 'mean to our': 524737, 'to our employer': 911175, 'our employer some': 622895, 'employer some have': 274544, 'some have already': 783028, 'have already paid': 379194, 'already paid april': 47559, 'paid april salary': 633971, 'april salary in': 83671, 'salary in order': 731976, 'order for staff': 618245, 'for staff to': 325856, 'staff to stock': 792998, 'food others have': 315701, 'others have given': 621445, 'have given some': 380773, 'given some kind': 351111, 'kind of allowance': 474873, 'of allowance what': 580003, 'allowance what ha': 46126, 'what ha yours': 981540, 'ha yours done': 372514, 'obviously at': 578823, 'period in': 651789, 'am potentially': 50315, '19 everytime': 6874, 'everytime work': 288159, 'worse here': 1010944, 'here thread': 393692, 'few reminder': 304040, 'reminder aware': 710539, 'aware it': 105618, 'anyone reading': 80482, 'this keep': 888559, 'supermarket and obviously': 819027, 'and obviously at': 67941, 'obviously at this': 578824, 'at this period': 101247, 'this period in': 889520, 'period in time': 651791, 'in time am': 430075, 'time am potentially': 896242, 'am potentially exposed': 50316, 'covid 19 everytime': 213050, '19 everytime work': 6875, 'everytime work and': 288160, 'work and with': 1004826, 'and with everyone': 75768, 'with everyone panic': 998293, 'buying it even': 150592, 'it even worse': 457860, 'even worse here': 284825, 'worse here thread': 1010945, 'here thread of': 393693, 'thread of few': 893582, 'of few reminder': 583494, 'few reminder aware': 304041, 'reminder aware it': 710540, 'aware it won': 105620, 'it won go': 462492, 'won go far': 1003823, 'go far but': 353526, 'far but for': 298732, 'but for anyone': 145742, 'for anyone reading': 319446, 'anyone reading this': 80483, 'reading this keep': 700811, 'this keep these': 888560, 'worker experience': 1006888, 'experience thread': 291513, 'thread so': 893599, 'so work': 778805, 'working 40': 1008470, '40 hour': 18575, 'and glad': 63688, 'glad for': 351490, 'the paycheck': 863411, 'paycheck but': 645276, 'alone so': 46908, 'affecting me': 34533, 'me much': 523182, 'much once': 545208, 'once got': 605640, '19 retail worker': 10209, 'retail worker experience': 718882, 'worker experience thread': 1006889, 'experience thread so': 291514, 'thread so work': 893600, 'so work at': 778806, 'essential store still': 281596, 'store still working': 810387, 'still working 40': 801429, 'working 40 hour': 1008471, '40 hour week': 18578, 'week and glad': 975911, 'and glad for': 63689, 'glad for the': 351491, 'for the paycheck': 326615, 'the paycheck but': 863412, 'paycheck but come': 645278, 'but come into': 145428, 'contact with lot': 200277, 'of people live': 587938, 'people live alone': 648672, 'live alone so': 495716, 'alone so it': 46909, 'so it hasn': 777465, 'hasn been affecting': 378724, 'been affecting me': 120628, 'affecting me much': 34534, 'me much once': 523183, 'much once got': 545209, 'once got home': 605642, 'forget grocery': 329260, 'worker arrest': 1006447, 'arrest them': 93786, 'most earn': 542278, 'clearly showed': 181568, 'not forget grocery': 569510, 'forget grocery store': 329261, 'station worker arrest': 796560, 'worker arrest them': 1006448, 'arrest them and': 93787, 'them and people': 875395, 'riot most earn': 722617, 'most earn minimum': 542279, 'and get no': 63589, 'get no respect': 347669, 'no respect it': 565342, 'respect it clearly': 715018, 'it clearly showed': 457169, 'clearly showed how': 181569, 'showed how vital': 767330, 'headache': 385874, 'play supermarket': 659225, 'supermarket bingo': 819374, 'bingo will': 131106, 'need probably': 555476, 'not 19uk': 567989, '19uk headache': 12554, 'off to play': 594325, 'to play supermarket': 911802, 'play supermarket bingo': 659226, 'supermarket bingo will': 819375, 'bingo will get': 131107, 'will get everything': 993502, 'everything need probably': 287927, 'need probably not': 555477, 'probably not 19uk': 679332, 'not 19uk headache': 567990, 'long how': 501443, 'many nigerian': 514347, 'nigerian will': 562906, 'that long': 844939, 'long am': 501325, 'country convid19': 210560, 'if this get': 415153, 'this get to': 887689, 'get to point': 348488, 'to point where': 911861, 'home and stock': 400693, 'up item for': 945254, 'item for only': 463270, 'for only god': 324124, 'only god know': 610528, 'how long how': 408201, 'long how many': 501444, 'how many nigerian': 408275, 'many nigerian will': 514349, 'nigerian will have': 562908, 'have the cash': 382967, 'the cash to': 850477, 'cash to buy': 166354, 'food for that': 314575, 'for that long': 326261, 'that long am': 844940, 'long am scared': 501326, 'scared for my': 740963, 'for my country': 323688, 'my country convid19': 547812, 'thought if': 893085, 'think good': 885265, 'let add': 486540, 'add tip': 31512, 'each shop': 264272, 'show appreciation': 766870, 'worker know': 1007288, 'know happily': 476413, 'happily do': 377552, 'just thought if': 470066, 'thought if you': 893089, 'you think good': 1021658, 'think good idea': 885266, 'good idea let': 357217, 'idea let add': 413113, 'let add tip': 486541, 'add tip to': 31513, 'tip to each': 898926, 'to each shop': 904829, 'each shop to': 264274, 'to show appreciation': 914554, 'show appreciation for': 766871, 'for the worker': 326785, 'the worker know': 871755, 'worker know happily': 1007289, 'know happily do': 476414, 'happily do so': 377553, 'safe because': 729516, 'because doing': 119031, 'help your worker': 391029, 'your worker stay': 1026385, 'worker stay safe': 1007813, 'stay safe because': 797214, 'safe because doing': 729517, 'because doing lot': 119032, 'lot to keep': 504393, 'keep you in': 472242, 'you in business': 1019300, 'and consumer expect': 60376, 'consumer expect you': 197389, 'expect you to': 290786, 'you to rise': 1021831, 'lunacy': 506694, 'walk because': 964753, 'anyone will': 80640, 'pub why': 687806, 'not ok': 570735, 'have pint': 381935, 'pint but': 656850, 'battle in': 112802, 'for loo': 323099, 'or baked': 614484, 'bean absolute': 118283, 'absolute lunacy': 27258, 'country will not': 211249, 'not stop taking': 571757, 'stop taking my': 805099, 'taking my dog': 833449, 'my dog for': 548019, 'for walk because': 327612, 'walk because we': 964754, 'because we never': 119814, 'we never see': 972584, 'never see anyone': 558166, 'see anyone will': 744935, 'anyone will continue': 80642, 'continue to go': 201203, 'the local pub': 859566, 'local pub why': 498314, 'pub why is': 687807, 'it not ok': 459903, 'not ok to': 570737, 'ok to go': 597921, 'go and have': 353281, 'and have pint': 64262, 'have pint but': 381936, 'pint but it': 656851, 'but it ok': 146148, 'ok to battle': 597915, 'to battle in': 901073, 'battle in supermarket': 112803, 'in supermarket for': 428602, 'supermarket for loo': 820401, 'for loo roll': 323100, 'roll or baked': 725437, 'or baked bean': 614485, 'baked bean absolute': 108759, 'bean absolute lunacy': 118284, 'ebolavirus': 266556, 'snl': 776371, 'follome': 312330, 'retweetme': 720117, 'flashback to': 310040, 'the 2014': 848002, '2014 ebola': 13796, 'ebola virus': 266554, 'virus funny': 958222, 'funny quote': 341780, 'quote 8th': 694979, '8th grade': 23252, 'grade girl': 361651, 'girl is': 350260, 'any ebola': 79155, 'ebola hand': 266546, 'here ebola': 392946, 'ebola ebolavirus': 266544, 'ebolavirus comedy': 266557, 'comedy laugh': 187764, 'laughter flashback': 481839, 'flashback mondaymotivaton': 310038, 'mondaymotivaton mondaythoughts': 536484, 'mondaythoughts handsanitizer': 536500, 'handsanitizer snl': 376636, 'snl follome': 776372, 'follome retweetme': 312331, 'flashback to the': 310041, 'to the 2014': 916475, 'the 2014 ebola': 848003, '2014 ebola virus': 13797, 'ebola virus funny': 266555, 'virus funny quote': 958223, 'funny quote 8th': 341781, 'quote 8th grade': 694980, '8th grade girl': 23253, 'grade girl is': 361652, 'girl is there': 350262, 'there any ebola': 878018, 'any ebola hand': 79156, 'ebola hand sanitizer': 266547, 'sanitizer in here': 735138, 'in here ebola': 423669, 'here ebola ebolavirus': 392947, 'ebola ebolavirus comedy': 266545, 'ebolavirus comedy laugh': 266558, 'comedy laugh laughter': 187765, 'laugh laughter flashback': 481742, 'laughter flashback mondaymotivaton': 481840, 'flashback mondaymotivaton mondaythoughts': 310039, 'mondaymotivaton mondaythoughts handsanitizer': 536485, 'mondaythoughts handsanitizer snl': 536501, 'handsanitizer snl follome': 376637, 'snl follome retweetme': 776373, 'real impact': 701219, 'nation food': 552182, 'to the problem': 916984, 'store shelf across': 810055, 'country is panic': 210814, 'is panic shopping': 450790, 'panic shopping but': 638565, 'shopping but the': 762256, 'but the coronavirus': 147324, 'coronavirus pandemic could': 206452, 'pandemic could also': 635241, 'could also have': 208815, 'also have very': 48341, 'have very real': 383502, 'very real impact': 955453, 'real impact on': 701220, 'on the nation': 604246, 'the nation food': 861232, 'nation food supply': 552184, 'coronavirus during': 205858, 'time store': 897768, 'at offering': 99942, 'limited menu': 492674, 'menu of': 528889, 'offering customer': 595060, 'customer the': 222924, 'of curbside': 582249, 'pickup no': 655984, 'is not right': 450176, 'not right they': 571386, 'right they are': 722302, 'they are starting': 881414, 'the coronavirus during': 851838, 'coronavirus during this': 205859, 'this time store': 890692, 'time store should': 897769, 'store should look': 810166, 'look at offering': 502278, 'at offering limited': 99943, 'offering limited menu': 595176, 'limited menu of': 492675, 'menu of grocery': 528890, 'grocery and offering': 364250, 'and offering customer': 67984, 'offering customer the': 595061, 'customer the option': 222926, 'option of curbside': 614073, 'of curbside pickup': 582251, 'curbside pickup no': 220656, 'pickup no customer': 655985, 'no customer in': 563956, 'customer in store': 222506, '59pm on': 20606, 'on 25': 599073, '25 march': 15905, '2020 public': 14540, 'medical reason': 526356, 'access essential': 28112, 'service including': 752487, 'including get': 431980, 'move essential': 543640, '11 59pm on': 2466, '59pm on 25': 20607, 'on 25 march': 599074, '25 march 2020': 15906, 'march 2020 public': 515162, '2020 public transport': 14541, 'public transport service': 688416, 'transport service will': 929939, 'service will only': 753077, 'for those working': 327153, 'those working in': 892748, 'working in essential': 1008713, 'essential service for': 281505, 'service for medical': 752385, 'for medical reason': 323382, 'medical reason to': 526358, 'reason to access': 703019, 'to access essential': 899950, 'access essential service': 28113, 'essential service including': 281510, 'service including get': 752488, 'including get to': 431981, 'supermarket to move': 823392, 'to move essential': 910306, 'move essential good': 543641, 'good for more': 357083, 'for more in': 323578, '411': 18876, 'shoppi': 761857, '411 closing': 18877, 'closing everything': 183633, 'everything limit': 287906, 'limit number': 492385, 'time would': 898387, 'are mall': 88016, 'retail exempt': 718103, 'exempt pretty': 289983, 'sure no': 827628, 'any shoppi': 79803, '411 closing everything': 18878, 'closing everything limit': 183634, 'everything limit number': 287907, 'limit number of': 492387, 'number of ppl': 576977, 'of ppl in': 588332, 'ppl in grocery': 668257, 'and pharmacy at': 68964, 'pharmacy at one': 654241, 'one time would': 607265, 'time would be': 898388, 'be the better': 117596, 'the better way': 849578, 'way to control': 970006, 'control it no': 202043, 'it no why': 459835, 'no why are': 565892, 'why are mall': 990777, 'are mall and': 88017, 'mall and retail': 511740, 'and retail exempt': 70431, 'retail exempt pretty': 718104, 'exempt pretty sure': 289984, 'pretty sure no': 671507, 'sure no one': 827630, 'the or any': 862434, 'or any shoppi': 614360, 'been tweeting': 122279, 'tweeting warning': 936480, 'scam unfortunately': 740443, 'there who': 879346, 'here sketchy': 393563, 'sketchy dm': 772917, 'dm received': 248921, 'today lalege': 919780, 'ha been tweeting': 369966, 'been tweeting warning': 122280, 'tweeting warning people': 936481, 'people about scam': 646741, 'about scam unfortunately': 26145, 'scam unfortunately there': 740444, 'out there who': 627528, 'there who are': 879347, 'this situation here': 890179, 'situation here sketchy': 772305, 'here sketchy dm': 393564, 'sketchy dm received': 772918, 'dm received today': 248922, 'received today lalege': 703701, 'today lalege lagov': 919781, 'why hasn': 991046, 'hasn rupee': 378772, 'rupee depreciated': 728182, 'depreciated drastically': 237561, 'drastically well': 258465, 'biggest plus': 130292, 'plus point': 661658, 'point for': 662483, 'low brentoil': 505158, 'brentoil 28': 139364, '28 90': 16376, '90 due': 23291, 'major drop': 509309, 'demand thanks': 236326, 'to crudeoil': 903776, 'many are wondering': 513787, 'are wondering why': 91676, 'wondering why hasn': 1004208, 'why hasn rupee': 991048, 'hasn rupee depreciated': 378773, 'rupee depreciated drastically': 728183, 'depreciated drastically well': 237562, 'drastically well the': 258466, 'well the biggest': 978654, 'the biggest plus': 849670, 'biggest plus point': 130293, 'plus point for': 661659, 'point for our': 662485, 'economy is crude': 267998, 'is crude price': 446966, 'crude price which': 219603, 'are at multi': 84675, 'year low brentoil': 1014713, 'low brentoil 28': 505159, 'brentoil 28 90': 139365, '28 90 due': 16377, '90 due to': 23292, 'to major drop': 909607, 'major drop in': 509310, 'in demand thanks': 422158, 'demand thanks to': 236327, 'thanks to crudeoil': 842216, 'also just': 48445, 'just reminder': 469615, 'frontlines against': 338905, 'scientist not': 742242, 'not politician': 571051, 'also just reminder': 48446, 'just reminder that': 469618, 'reminder that the': 710594, 'that the frontlines': 846733, 'the frontlines against': 855896, 'frontlines against covid': 338906, '19 are grocery': 5200, 'worker and scientist': 1006332, 'and scientist not': 71083, 'scientist not politician': 742243, 'impacting food': 418224, 'well agricultural': 977996, 'agricultural production': 38913, 'production farm': 682036, 'farm labor': 299145, 'labor supply': 478452, 'supply watch': 826071, 'watch from': 968421, 'from discus': 335153, 'is impacting food': 448705, 'impacting food supply': 418227, 'chain consumer market': 170616, 'consumer market well': 198103, 'market well agricultural': 517327, 'well agricultural production': 977997, 'agricultural production farm': 38914, 'production farm labor': 682037, 'farm labor supply': 299146, 'labor supply watch': 478453, 'supply watch from': 826072, 'watch from discus': 968422, 'from discus this': 335154, 'this with via': 891467, 'drift': 258763, 'drongo': 260089, 'mogadon': 535544, 'psa at': 687394, 'all queuing': 44114, 'not drift': 569104, 'drift about': 258764, 'about like': 25640, 'like drongo': 490139, 'drongo on': 260090, 'on mogadon': 602147, 'mogadon thank': 535545, 'psa at this': 687395, 'are all queuing': 84339, 'all queuing to': 44115, 'into supermarket please': 443054, 'considerate and shop': 195209, 'and shop and': 71490, 'and leave and': 66047, 'leave and do': 484731, 'do not drift': 249720, 'not drift about': 569105, 'drift about like': 258765, 'about like drongo': 25642, 'like drongo on': 490140, 'drongo on mogadon': 260091, 'on mogadon thank': 602148, 'mogadon thank you': 535546, 'buying mongs': 150724, 'panic buying mongs': 637811, 'basicincome': 112190, 'counteract': 210280, 'other route': 620859, 'route will': 726484, 'not restart': 571355, 'restart the': 716244, 'economy economist': 267831, 'economist guy': 267558, 'guy standing': 369148, 'standing argues': 793742, 'argues universal': 92721, 'universal basicincome': 942351, 'basicincome is': 112191, 'to counteract': 903629, 'counteract economic': 210281, 'devastation caused': 239612, 'by do': 152385, 'the other route': 862551, 'other route will': 620860, 'route will not': 726485, 'not work they': 572538, 'work they will': 1005846, 'will not restart': 994264, 'not restart the': 571356, 'restart the economy': 716245, 'the economy economist': 853964, 'economy economist guy': 267832, 'economist guy standing': 267559, 'guy standing argues': 369149, 'standing argues universal': 793743, 'argues universal basicincome': 92722, 'universal basicincome is': 942352, 'basicincome is necessary': 112192, 'necessary to counteract': 554113, 'to counteract economic': 903630, 'counteract economic devastation': 210282, 'economic devastation caused': 267058, 'devastation caused by': 239613, 'caused by do': 167837, 'by do you': 152387, 'strive': 813925, 'order were': 618764, 'were cancelled': 979419, 'contract strive': 201701, 'strive to': 813926, 'reduce product': 705908, 'production unit': 682266, 'logistics chain': 500732, 'still functioning': 800547, 'functioning to': 341338, 'some extent': 782794, 'of order were': 587343, 'order were cancelled': 618765, 'were cancelled overseas': 979420, 'term and contract': 838056, 'and contract strive': 60506, 'contract strive to': 201702, 'strive to reduce': 813928, 'to reduce product': 913032, 'reduce product price': 705909, 'price domestic production': 673488, 'domestic production unit': 253223, 'production unit are': 682267, 'unit are closed': 942039, 'closed and logistics': 182987, 'and logistics chain': 66334, 'logistics chain are': 500733, 'are in tatter': 87446, 'port are still': 664876, 'are still functioning': 90426, 'still functioning to': 800548, 'functioning to some': 341339, 'to some extent': 914876, 'coronacrisisuk pub': 204898, 'but everyone': 145678, 'is flocking': 447839, 'open surely': 612535, 'spray at': 790265, 'coronacrisisuk pub etc': 204899, 'pub etc are': 687704, 'etc are closing': 282419, 'closing to reduce': 183798, 'virus but everyone': 958013, 'but everyone is': 145679, 'everyone is flocking': 287076, 'is flocking to': 447840, 'flocking to the': 310690, 'supermarket for when': 820431, 'for when it': 327818, 'it open surely': 460123, 'open surely this': 612537, 'surely this is': 827958, 'this is high': 888278, 'no one with': 564986, 'one with sanitizer': 607489, 'with sanitizer spray': 1000571, 'sanitizer spray at': 735779, 'spray at store': 790266, 'remains down': 710001, 'down retail': 257152, 'maybe growth': 521693, 'so long consumer': 777583, 'long consumer discretionary': 501375, 'discretionary spending remains': 244778, 'spending remains down': 788968, 'remains down retail': 710002, 'down retail will': 257153, 'soon and maybe': 785623, 'and maybe growth': 66813, 'maybe growth will': 521694, 'growth will not': 367486, 'will not return': 994265, 'styrene': 815654, 'europe chem': 283417, 'chem price': 175321, 'price hint': 674548, 'hint gain': 396907, 'gain portugal': 342811, 'portugal also': 665065, 'also enters': 48165, 'enters quarantine': 278493, 'quarantine icis': 692270, 'icis pandemic': 412769, 'quarantine crudeoil': 692116, 'crudeoil naphtha': 219640, 'naphtha styrene': 551847, 'styrene ecb': 815657, 'europe chem price': 283418, 'chem price hint': 175323, 'price hint gain': 674549, 'hint gain portugal': 396908, 'gain portugal also': 342812, 'portugal also enters': 665066, 'also enters quarantine': 48166, 'enters quarantine icis': 278494, 'quarantine icis pandemic': 692271, 'icis pandemic quarantine': 412770, 'pandemic quarantine crudeoil': 636266, 'quarantine crudeoil naphtha': 692117, 'crudeoil naphtha styrene': 219641, 'naphtha styrene ecb': 551848, 'traveling on': 930651, 'train after': 929225, 'easy these': 265769, 'these 15': 879564, '15 thing': 3849, 'be accepted': 113460, 'accepted railway': 28057, 'railway corona': 695699, 'sanitizer ticket': 735902, 'traveling on train': 930652, 'on train after': 604835, 'train after lockdown': 929226, 'after lockdown will': 35885, 'lockdown will not': 500153, 'not be easy': 568375, 'be easy these': 114632, 'easy these 15': 265770, 'these 15 thing': 879566, '15 thing will': 3850, 'thing will have': 884991, 'to be accepted': 901089, 'be accepted railway': 113461, 'accepted railway corona': 28058, 'railway corona sanitizer': 695700, 'corona sanitizer ticket': 204163, 'cdc doesn': 168557, 'doesn email': 251764, 'email you': 272371, 'or come': 614764, 'see sanitizer': 745655, 'illegal it': 416225, 'it brings': 456921, 'brings out': 140263, 'no the cdc': 565695, 'the cdc doesn': 850566, 'cdc doesn email': 168558, 'doesn email you': 251765, 'email you or': 272372, 'you or come': 1020223, 'or come to': 614766, 'come to your': 187618, 'door and doesn': 255505, 'doesn have cure': 251819, 'have cure and': 380170, 'cure and if': 220700, 'you see sanitizer': 1021064, 'see sanitizer or': 745656, 'wipe for time': 996267, 'time the regular': 897872, 'the regular price': 865448, 'regular price it': 707841, 'price it illegal': 674918, 'it illegal it': 458684, 'illegal it brings': 416226, 'it brings out': 456923, 'brings out the': 140265, 'worst in some': 1011206, 'in some people': 428095, 'some people here': 783517, 'people here how': 648248, 'unpopular yet': 943063, 'necessary opinion': 554039, 'crap going': 214893, 'on drive': 600416, 'drive and': 258979, 'car hurt': 163128, 'hurt no': 411599, 'one hitting': 606423, 'hitting drive': 398559, 'thru hurt': 895195, 'with boredom': 997450, 'prevent many': 671670, 'many suicide': 514752, 'unpopular yet necessary': 943064, 'yet necessary opinion': 1016159, 'necessary opinion on': 554040, 'opinion on this': 613485, 'on this crap': 604606, 'this crap going': 886999, 'crap going out': 214894, 'out on drive': 626903, 'on drive and': 600417, 'drive and staying': 258982, 'staying in your': 798648, 'your car hurt': 1023135, 'car hurt no': 163129, 'hurt no one': 411600, 'no one hitting': 564939, 'one hitting drive': 606424, 'hitting drive thru': 398560, 'drive thru hurt': 259199, 'thru hurt no': 895196, 'no one and': 564916, 'one and is': 605899, 'and is safer': 65428, 'is safer than': 451632, 'than the grocery': 841243, 'store it all': 808564, 'it all help': 456351, 'all help with': 43094, 'help with boredom': 390900, 'with boredom and': 997451, 'boredom and will': 135398, 'and will prevent': 75683, 'will prevent many': 994445, 'prevent many suicide': 671671, 'low say': 505594, 'being ravaged': 125636, 'ravaged he': 697924, 'had call': 372949, 'with world': 1002125, 'leader discussing': 483441, 'problem they': 679714, 'are low say': 87935, 'low say the': 505595, 'say the oil': 739293, 'oil industry is': 596889, 'industry is being': 435923, 'is being ravaged': 446104, 'being ravaged he': 125638, 'ravaged he said': 697925, 'he said he': 385363, 'he had call': 385043, 'had call with': 372950, 'call with world': 156237, 'with world leader': 1002127, 'world leader discussing': 1009750, 'leader discussing the': 483442, 'discussing the problem': 245008, 'the problem they': 864527, 'problem they know': 679715, 'quezon': 694251, 'look those': 502619, 'are entering': 86229, 'entering this': 278437, 'in quezon': 427229, 'quezon city': 694252, 'city need': 179265, 'inside follow': 439260, 'look those who': 502620, 'who are entering': 988137, 'are entering this': 86231, 'entering this supermarket': 278438, 'supermarket in quezon': 820963, 'in quezon city': 427230, 'quezon city need': 694253, 'city need to': 179266, 'need to fall': 555930, 'fall in line': 296955, 'in line only': 424765, 'line only 100': 493330, 'only 100 person': 609970, '100 person are': 2030, 'person are allowed': 652318, 'allowed inside follow': 46174, 'inside follow our': 439261, 'live blog for': 495751, 'blog for more': 132933, 'profitably': 682930, 'breaking new': 138995, 'study show': 814956, 'that various': 847227, 'various potential': 952627, 'treatment could': 931054, 'be manufactured': 115908, 'manufactured profitably': 513410, 'profitably at': 682931, 'than current': 840484, 'current list': 221245, 'list price': 494519, 'price thread': 676936, 'breaking new study': 138996, 'new study show': 559686, 'study show that': 814958, 'show that various': 767198, 'that various potential': 847228, 'various potential treatment': 952628, 'potential treatment could': 667162, 'treatment could be': 931055, 'could be manufactured': 208895, 'be manufactured profitably': 115909, 'manufactured profitably at': 513411, 'profitably at very': 682932, 'very low cost': 955337, 'low cost for': 505212, 'cost for much': 207948, 'for much le': 323645, 'much le than': 545045, 'le than current': 483168, 'than current list': 840485, 'current list price': 221246, 'list price thread': 494520, 'coronacrisis mtn': 204664, 'mtn ha': 544630, 'reduced data': 706048, 'africa sa': 35129, 'sa should': 728936, 'be expecting': 114734, 'expecting slash': 291047, 'slash in': 773568, 'coronacrisis mtn ha': 204665, 'mtn ha reduced': 544631, 'ha reduced data': 371680, 'reduced data price': 706049, '50 in south': 19726, 'south africa sa': 786658, 'africa sa should': 35130, 'sa should we': 728937, 'we be expecting': 970818, 'be expecting slash': 114735, 'expecting slash in': 291048, 'slash in price': 773569, 'price in nigeria': 674715, 'giveanditshallbegiven': 350895, 'heavenseconomy': 388560, 'blessedbeyondmeasure': 132637, 'return we': 719944, 'will prosper': 994491, 'prosper giveanditshallbegiven': 684717, 'giveanditshallbegiven heavenseconomy': 350896, 'heavenseconomy blessing': 388561, 'blessing blessedbeyondmeasure': 132641, 'blessedbeyondmeasure hoarding': 132638, 'need we need': 556188, 'need to invest': 555975, 'invest in others': 443761, 'in others in': 426256, 'others in return': 621479, 'in return we': 427481, 'return we will': 719945, 'we will prosper': 973892, 'will prosper giveanditshallbegiven': 994492, 'prosper giveanditshallbegiven heavenseconomy': 684718, 'giveanditshallbegiven heavenseconomy blessing': 350897, 'heavenseconomy blessing blessedbeyondmeasure': 388562, 'blessing blessedbeyondmeasure hoarding': 132642, 'blessedbeyondmeasure hoarding toiletpaper': 132639, 'un fao': 939283, 'fao supermarket': 298654, 'still stocked': 801236, 'the prolonged': 864655, 'prolonged pandemic': 683633, 'quickly strain': 694605, 'strain food': 812276, 'chain complex': 170604, 'complex web': 192421, 'web of': 974950, 'of interaction': 585248, 'interaction involving': 441250, 'involving farmer': 444400, 'farmer agricultural': 299242, 'agricultural input': 38889, 'input processing': 438986, 'processing plant': 680033, 'plant shipping': 658702, 'shipping retail': 758903, 'un fao supermarket': 939284, 'fao supermarket shelf': 298655, 'are still stocked': 90484, 'still stocked with': 801237, 'stocked with good': 803463, 'with good but': 998638, 'good but the': 356855, 'but the prolonged': 147387, 'the prolonged pandemic': 864657, 'prolonged pandemic crisis': 683634, 'pandemic crisis could': 635270, 'crisis could quickly': 217266, 'could quickly strain': 209555, 'quickly strain food': 694606, 'strain food supply': 812277, 'supply chain complex': 824934, 'chain complex web': 170605, 'complex web of': 192422, 'web of interaction': 974951, 'of interaction involving': 585249, 'interaction involving farmer': 441251, 'involving farmer agricultural': 444401, 'farmer agricultural input': 299243, 'agricultural input processing': 38890, 'input processing plant': 438987, 'processing plant shipping': 680037, 'plant shipping retail': 658703, 'shipping retail and': 758904, 'retail and more': 717831, 'homemade disinfectant': 402825, 'disinfectant bad': 245624, 'bad homemade disinfectant': 107884, 'homemade disinfectant bad': 402826, 'disinfectant bad vitamin': 245625, 'joining an': 466963, 'an upcoming': 56921, 'upcoming conference': 946784, 'city ceo': 179095, 'ceo steve': 169848, 'steve smith': 799957, 'smith regarding': 775804, 'regarding how': 707225, 'joining an upcoming': 466964, 'an upcoming conference': 56922, 'upcoming conference call': 946785, 'conference call with': 193731, 'call with food': 156230, 'with food city': 998484, 'food city ceo': 313935, 'city ceo steve': 179096, 'ceo steve smith': 169849, 'steve smith regarding': 799958, 'smith regarding how': 775805, 'regarding how covid': 707226, 'affecting the supermarket': 34570, 'gift this': 350030, 'large range': 479769, 'of specially': 589970, 'specially selected': 788155, 'selected gift': 747496, 'your mum': 1024918, 'mum just': 545920, 'appreciate her': 82723, 'her click': 391941, 'for inspiration': 322600, 'give the perfect': 350747, 'the perfect gift': 863537, 'perfect gift this': 651300, 'gift this mother': 350031, 'mother day from': 543081, 'day from our': 227659, 'from our large': 336784, 'our large range': 623640, 'large range of': 479770, 'range of specially': 696720, 'of specially selected': 589971, 'specially selected gift': 788157, 'selected gift to': 747497, 'gift to show': 350036, 'to show your': 914584, 'show your mum': 767304, 'your mum just': 1024920, 'mum just how': 545921, 'you appreciate her': 1017040, 'appreciate her click': 82724, 'her click below': 391942, 'below for inspiration': 126645, 'widespread economic': 991843, 'downturn ha': 257800, 'indian corporation': 434806, 'corporation making': 207442, 'attractive takeover': 102726, 'takeover target': 833215, 'the widespread economic': 871545, 'widespread economic downturn': 991845, 'economic downturn ha': 267077, 'downturn ha weakened': 257801, 'many indian corporation': 514182, 'indian corporation making': 434808, 'corporation making them': 207443, 'them attractive takeover': 875449, 'attractive takeover target': 102727, 'takeover target the': 833216, 'target the government': 834514, 'government should not': 360609, 'should not allow': 766233, 'any indian corporation': 79355, 'indian corporation at': 434807, 'corporation at this': 207389, 'rationality': 697760, 'objectivity': 578443, 'economicstimulus': 267510, 'if told': 415185, 'told you': 923796, 'need every': 554741, 'free society': 332183, 'society price': 781288, 'rapidly and': 696952, 'and easily': 61850, 'easily adjust': 265187, 'demand rationality': 236104, 'rationality objectivity': 697761, 'objectivity capitalism': 578444, 'capitalism economicstimulus': 162744, 'what if told': 981641, 'if told you': 415186, 'told you that': 923797, 'you that all': 1021565, 'you need in': 1020005, 'this situation is': 890181, 'situation is what': 772354, 'you need every': 1019987, 'need every day': 554742, 'day in free': 227796, 'in free society': 423102, 'free society price': 332184, 'society price that': 781289, 'price that can': 676795, 'that can rapidly': 843118, 'can rapidly and': 159370, 'rapidly and easily': 696953, 'and easily adjust': 61852, 'easily adjust to': 265188, 'adjust to change': 32296, 'change in supply': 172135, 'in supply and': 428726, 'and demand rationality': 61166, 'demand rationality objectivity': 236105, 'rationality objectivity capitalism': 697762, 'objectivity capitalism economicstimulus': 578445, 'show he': 766963, 'and ingenious': 65232, 'ingenious hack': 438295, 'hack whilst': 372752, 'on start': 603640, '30pm keepcookingcarryon': 17510, 'join in his': 466750, 'in his brand': 423720, 'his brand new': 397253, 'brand new show': 137935, 'new show he': 559598, 'show he help': 766964, 'he help the': 385086, 'tip and ingenious': 898704, 'and ingenious hack': 65233, 'ingenious hack whilst': 438296, 'hack whilst many': 372753, 'at home jamie': 99021, 'cooking and carry': 202844, 'carry on start': 165128, 'on start monday': 603641, 'monday at 30pm': 536257, 'at 30pm keepcookingcarryon': 97615, 'defiant': 232227, 'eatery pub': 266160, 'will intensify': 993856, 'intensify and': 441116, 'after few': 35655, 'life fear': 488649, 'may start': 521524, 'see defiant': 745035, 'defiant behaviour': 232228, 'behaviour riot': 124511, 'riot and': 722595, 'looting the': 503271, 'future doe': 342303, 'look bright': 502322, 'eatery pub and': 266161, 'pub and shop': 687663, 'and shop close': 71495, 'shop close the': 760044, 'close the fear': 182839, 'the fear will': 855042, 'fear will intensify': 301432, 'will intensify and': 993857, 'intensify and panic': 441117, 'for food will': 321653, 'food will get': 317624, 'much worse after': 545472, 'worse after few': 1010853, 'after few month': 35656, 'few month of': 303936, 'month of this': 537912, 'of this new': 592014, 'new life fear': 559028, 'life fear will': 488650, 'fear will we': 301433, 'will we may': 995332, 'we may start': 972357, 'may start to': 521525, 'start to see': 794596, 'to see defiant': 913998, 'see defiant behaviour': 745036, 'defiant behaviour riot': 232229, 'behaviour riot and': 124512, 'riot and looting': 722597, 'and looting the': 66392, 'looting the future': 503273, 'the future doe': 856073, 'future doe not': 342304, 'doe not look': 251505, 'not look bright': 570458, 'fda said': 300914, 'selling unproven': 749520, 'unproven and': 943263, 'and illegally': 64978, 'illegally marketed': 416263, 'marketed product': 517436, 'make false': 509897, 'claim such': 179826, 'such being': 816363, 'being effective': 125097, 'the fda said': 855023, 'fda said that': 300915, 'said that some': 731413, 'some people and': 783502, 'and company are': 60187, 'pandemic by selling': 635076, 'by selling unproven': 153935, 'selling unproven and': 749521, 'unproven and illegally': 943264, 'and illegally marketed': 64979, 'illegally marketed product': 416264, 'marketed product that': 517437, 'product that make': 681695, 'that make false': 844994, 'make false claim': 509898, 'false claim such': 297412, 'claim such being': 179827, 'such being effective': 816364, 'being effective against': 125098, 'gonna leave': 356572, 'leave this': 484997, 'here quaratinelife': 393494, 'quaratinelife washyourhands': 693163, 'just gonna leave': 468840, 'gonna leave this': 356573, 'leave this here': 485000, 'this here quaratinelife': 887914, 'here quaratinelife washyourhands': 393495, 'quaratinelife washyourhands toiletpaper': 693164, 'washyourhands toiletpaper toiletpaperwars': 967931, 'also frm': 48239, 'frm tx': 334127, 'tx the': 937455, 'downside of': 257705, 'all pickup': 43958, 'full please': 340811, 'later or': 481106, 'or select': 616989, 'select different': 747463, 'also frm tx': 48240, 'frm tx the': 334128, 'tx the downside': 937456, 'the downside of': 853631, 'downside of curbside': 257707, 'of curbside grocery': 582250, 'curbside grocery pick': 220626, 'pick up all': 655699, 'up all pickup': 944259, 'all pickup time': 43959, 'pickup time are': 656035, 'time are full': 896324, 'are full please': 86732, 'full please check': 340812, 'please check back': 659771, 'check back later': 174382, 'back later or': 107135, 'later or select': 481107, 'or select different': 616990, 'select different store': 747464, 'after hospitality': 35801, 'hospitality the': 404810, 'wait extends': 964100, 'extends it': 293255, 'industry well': 436226, 'them cope': 875551, 'cope up': 203333, 'outbreak click': 628109, 'after hospitality the': 35802, 'hospitality the wait': 404811, 'the wait extends': 871029, 'wait extends it': 964101, 'extends it help': 293256, 'it help for': 458540, 'help for retail': 389754, 'for retail industry': 325195, 'retail industry well': 718222, 'industry well to': 436227, 'well to help': 978700, 'help them cope': 390702, 'them cope up': 875553, 'cope up with': 203334, '19 outbreak click': 9100, 'outbreak click the': 628111, 'social work': 780015, 'positive takeaway': 665446, 'takeaway on': 832888, '35 year': 17921, 'old my': 598379, 'supermarket in social': 820980, 'in social work': 428046, 'social work or': 780016, 'work or cleaner': 1005559, 'for positive takeaway': 324628, 'positive takeaway on': 665447, 'takeaway on keeping': 832889, 'on keeping the': 601753, 'ideally you will': 413298, 'will be under': 992744, 'under 35 year': 939973, '35 year old': 17924, 'year old my': 1014851, 'old my dm': 598380, 'gourav': 359507, 'vishwakarma': 959124, 'berkhera': 127329, 'pathani': 644042, 'bhopal': 129384, 'madhya': 508114, 'hello sir': 389214, 'am gourav': 50097, 'gourav vishwakarma': 359508, 'vishwakarma am': 959125, 'from berkhera': 334688, 'berkhera pathani': 127330, 'pathani bhopal': 644043, 'bhopal madhya': 129391, 'madhya pradesh': 508115, 'pradesh due': 668809, 'consumer exploitation': 197424, 'exploitation is': 292383, 'increased please': 433404, 'action regarding': 30120, 'hello sir am': 389215, 'sir am gourav': 771536, 'am gourav vishwakarma': 50098, 'gourav vishwakarma am': 359509, 'vishwakarma am from': 959126, 'am from berkhera': 50064, 'from berkhera pathani': 334689, 'berkhera pathani bhopal': 127331, 'pathani bhopal madhya': 644045, 'bhopal madhya pradesh': 129392, 'madhya pradesh due': 508116, 'pradesh due to': 668810, '19 consumer exploitation': 5968, 'consumer exploitation is': 197426, 'exploitation is so': 292384, 'is so increased': 452018, 'so increased please': 777395, 'increased please take': 433405, 'please take any': 660629, 'any action regarding': 78897, 'action regarding it': 30121, 'expedited': 291134, 'innovating': 438847, 'we highlighted': 972019, 'highlighted multi': 395997, 'multi functional': 545653, 'functional home': 341300, 'home key': 401499, 'key global': 473301, 'anticipate just': 78431, 'big this': 130067, 'be ha': 115115, 'ha expedited': 370551, 'expedited thing': 291135, 'thing all': 884108, 'but overnight': 146739, 'overnight business': 631328, 'business everywhere': 143716, 'is innovating': 448927, 'innovating to': 438848, 'we highlighted multi': 972020, 'highlighted multi functional': 395998, 'multi functional home': 545654, 'functional home key': 341301, 'home key global': 401500, 'key global consumer': 473302, 'global consumer trend': 351810, 'trend for 2020': 931336, 'for 2020 but': 318746, '2020 but never': 14204, 'but never did': 146466, 'never did we': 557949, 'did we anticipate': 240901, 'we anticipate just': 970438, 'anticipate just how': 78432, 'just how big': 468994, 'how big this': 407458, 'big this would': 130068, 'would be ha': 1011593, 'be ha expedited': 115116, 'ha expedited thing': 370552, 'expedited thing all': 291136, 'thing all but': 884109, 'all but overnight': 42255, 'but overnight business': 146740, 'overnight business everywhere': 631329, 'business everywhere is': 143717, 'everywhere is innovating': 288227, 'is innovating to': 448928, 'innovating to help': 438849, 'to help do': 907495, 'help do more': 389596, 'do more from': 249597, 'more from home': 539303, 'resentment': 714009, 'impact afghanistan': 417541, 'afghanistan maybe': 34932, 'maybe even': 521671, 'be catastrophic': 114022, 'catastrophic health': 166955, 'price scarcity': 676310, 'scarcity dependence': 740830, 'on import': 601508, 'import could': 418624, 'could devastate': 209081, 'country hunger': 210759, 'hunger desperation': 411090, 'desperation low': 238600, 'low morale': 505415, 'morale resentment': 538426, 'resentment could': 714010, 'shape conflict': 754828, 'conflict for': 194264, '19 impact afghanistan': 7689, 'impact afghanistan maybe': 417542, 'afghanistan maybe even': 34933, 'maybe even more': 521673, 'even more than': 284382, 'than the expected': 841232, 'the expected to': 854711, 'to be catastrophic': 901155, 'be catastrophic health': 114023, 'catastrophic health crisis': 166956, 'health crisis food': 386335, 'crisis food insecurity': 217383, 'insecurity rising price': 439178, 'rising price scarcity': 723272, 'price scarcity dependence': 676311, 'scarcity dependence on': 740831, 'dependence on import': 237345, 'on import could': 601509, 'import could devastate': 418625, 'could devastate the': 209082, 'devastate the country': 239564, 'the country hunger': 852095, 'country hunger desperation': 210760, 'hunger desperation low': 411091, 'desperation low morale': 238601, 'low morale resentment': 505416, 'morale resentment could': 538427, 'resentment could shape': 714011, 'could shape conflict': 209664, 'shape conflict for': 754829, 'conflict for the': 194265, 'ballingdon operating': 109096, 'soar for': 779245, 'in ballingdon operating': 420680, 'ballingdon operating at': 109097, 'capacity demand soar': 162514, 'demand soar for': 236250, 'soar for food': 779246, 'doing terrible': 252699, 'terrible job': 838412, 'with sidewalk': 1000727, 'sidewalk and': 768949, 'pickup not': 655986, 'mention ton': 528801, 'disease continues': 245114, 'spread people': 790749, 'is doing terrible': 447289, 'doing terrible job': 252700, 'terrible job stopping': 838413, 'spread of socialdistancing': 790711, 'of socialdistancing absolute': 589845, 'chaos with sidewalk': 173084, 'with sidewalk and': 1000728, 'sidewalk and online': 768951, 'online pickup not': 608758, 'pickup not to': 655988, 'to mention ton': 910095, 'mention ton of': 528802, 'the shop it': 867006, 'shop it no': 760373, 'it no wonder': 459836, 'this disease continues': 887250, 'disease continues to': 245115, 'to spread people': 915074, 'spread people are': 790750, 'people are stupid': 647096, 'food arriving': 313418, 'arriving safely': 94013, 'safely to': 730324, 'keep food arriving': 471514, 'food arriving safely': 313419, 'arriving safely to': 94014, 'safely to supermarket': 730326, 'shelf and home': 756736, 'delivery service 19': 234421, '1986': 12454, 'spark price': 787550, 'alcohol used': 41164, 'sanitizers isopropyl': 736326, 'alcohol price': 41075, 'than tripled': 841356, 'the since': 867210, 'highest on': 395838, 'record dating': 704931, 'to 1986': 899561, 'spark price surge': 787551, 'price surge for': 676722, 'surge for alcohol': 828167, 'for alcohol used': 319097, 'alcohol used in': 41165, 'used in hand': 949940, 'in hand sanitizers': 423527, 'hand sanitizers isopropyl': 375703, 'sanitizers isopropyl alcohol': 736327, 'isopropyl alcohol price': 455559, 'alcohol price have': 41076, 'more than tripled': 540691, 'than tripled in': 841357, 'tripled in the': 932287, 'in the since': 429550, 'the since march': 867211, 'since march 10': 770725, 'march 10 the': 515051, '10 the highest': 1698, 'the highest on': 857345, 'highest on record': 395839, 'on record dating': 603099, 'record dating back': 704932, 'back to 1986': 107347, 'paper could': 640059, 'who got roll': 988813, 'got roll of': 358823, 'roll of paper': 725414, 'of paper could': 587756, 'paper could have': 640060, 'could have toiletpaper': 209271, 'guy pls': 369113, 'pls wear': 661198, 'wear hand': 974356, 'glove before': 352610, 'machine and': 507354, 'after use': 36474, 'use dispose': 949164, 'dispose it': 246288, 'or apply': 614395, 'neighbor 19': 556970, 'guy pls wear': 369114, 'pls wear hand': 661199, 'wear hand glove': 974357, 'hand glove before': 374992, 'glove before using': 352612, 'using the atm': 950687, 'atm machine and': 101944, 'machine and after': 507355, 'and after use': 57760, 'after use dispose': 36475, 'use dispose it': 949165, 'dispose it and': 246289, 'it and wash': 456521, 'hand or apply': 375151, 'or apply hand': 614397, 'hand sanitizer keep': 375465, 'sanitizer keep yourself': 735251, 'yourself safe and': 1026694, 'safe and your': 729496, 'and your neighbor': 76087, 'your neighbor 19': 1024947, 'montana wa': 537497, 'left scrambling': 485625, 'find basic': 306827, 'basic medical': 111977, 'supply elsewhere': 825205, 'like many': 490701, 'state it': 795710, 'it forced': 458113, 'example surgical': 288974, 'mask that': 519342, 'that used': 847215, 'cost each': 207916, 'each are': 263995, 'for five': 321511, 'montana wa left': 537498, 'wa left scrambling': 962524, 'left scrambling to': 485626, 'scrambling to find': 742566, 'to find basic': 905885, 'find basic medical': 306829, 'basic medical supply': 111978, 'medical supply elsewhere': 526438, 'supply elsewhere and': 825206, 'elsewhere and like': 272011, 'and like many': 66155, 'like many other': 490707, 'many other state': 514442, 'other state it': 620964, 'state it forced': 795711, 'it forced to': 458114, 'get them for': 348359, 'them for example': 875713, 'for example surgical': 321291, 'example surgical mask': 288975, 'surgical mask that': 828369, 'mask that used': 519350, 'that used to': 847216, 'to cost each': 903596, 'cost each are': 207917, 'each are now': 263996, 'now being sold': 574242, 'sold for five': 781669, 'for five time': 321513, 'five time that': 309673, 'summary 21': 817925, '21 carter': 14981, 'carter the': 165469, 'largest marketer': 479973, 'of apparel': 580304, 'apparel for': 81860, 'child ha': 176093, 'the suspension': 869038, 'and furloughed': 63433, 'furloughed all': 341911, 'employee due': 273789, 'retail summary 21': 718747, 'summary 21 carter': 817926, '21 carter the': 14982, 'carter the largest': 165470, 'the largest marketer': 858968, 'largest marketer of': 479974, 'marketer of apparel': 517476, 'of apparel for': 580305, 'apparel for baby': 81861, 'for baby and': 319559, 'baby and young': 106566, 'and young child': 76062, 'young child ha': 1022576, 'child ha extended': 176094, 'extended the suspension': 293199, 'the suspension of': 869039, 'suspension of store': 829695, 'of store operation': 590261, 'operation in north': 613209, 'north america and': 567603, 'america and furloughed': 51450, 'and furloughed all': 63434, 'furloughed all of': 341912, 'it store employee': 461288, 'store employee due': 807479, 'employee due to': 273790, 'car were': 163341, 'outside florida': 629422, 'bank the': 110236, 'for produce': 324766, 'produce surged': 680444, '600 and': 21065, 'resident filed': 714298, 'unemployment feeding': 941212, 'feeding south': 302477, 'florida the': 310988, 'nonprofit distributed': 566679, 'distributed food': 248047, 'needy floridian': 556680, 'floridian motorist': 311031, 'motorist on': 543365, 'hundred of car': 410994, 'of car were': 581135, 'car were waiting': 163342, 'were waiting outside': 980338, 'waiting outside florida': 964371, 'outside florida food': 629423, 'food bank the': 313655, 'bank the demand': 110237, 'demand for produce': 235481, 'for produce surged': 324767, 'produce surged by': 680445, 'surged by 600': 828296, 'by 600 and': 151694, '600 and more': 21066, 'than half million': 840718, 'half million resident': 374204, 'million resident filed': 532340, 'resident filed for': 714299, 'for unemployment feeding': 327434, 'unemployment feeding south': 941213, 'feeding south florida': 302479, 'south florida the': 786724, 'florida the nonprofit': 310989, 'the nonprofit distributed': 861845, 'nonprofit distributed food': 566680, 'distributed food to': 248048, 'food to needy': 317275, 'to needy floridian': 910520, 'needy floridian motorist': 556681, 'floridian motorist on': 311032, 'motorist on monday': 543366, 'give home': 350527, 'service then': 752939, 'then take': 877594, 'to give home': 906688, 'give home delivery': 350528, 'delivery service then': 234471, 'service then take': 752940, 'then take online': 877597, 'flipkart for the': 310616, 'for the work': 326784, 'the work it': 871733, 'cautiousness': 168249, 'cemented': 169001, 'the quarantined': 864987, 'quarantined consumer': 692841, 'consumer one': 198263, 'one takeaway': 607154, 'from nielsen': 336586, 'nielsen article': 562639, 'is threshold': 453145, 'of quarantined': 588670, 'quarantined preparedness': 692876, 'preparedness surviving': 670293, 'surviving this': 829375, 'phase many': 654620, 'many will': 514878, 'have notable': 381700, 'notable cautiousness': 572647, 'cautiousness for': 168250, 'and cemented': 59666, 'cemented habit': 169002, 'the quarantined consumer': 864988, 'quarantined consumer one': 692842, 'consumer one takeaway': 198264, 'one takeaway from': 607155, 'takeaway from nielsen': 832866, 'from nielsen article': 336587, 'nielsen article on': 562640, 'article on changing': 94401, 'behavior is threshold': 124104, 'is threshold of': 453146, 'threshold of quarantined': 894153, 'of quarantined preparedness': 588671, 'quarantined preparedness surviving': 692877, 'preparedness surviving this': 670294, 'surviving this phase': 829377, 'this phase many': 889549, 'phase many will': 654621, 'many will have': 514881, 'will have notable': 993658, 'have notable cautiousness': 381701, 'notable cautiousness for': 572648, 'cautiousness for their': 168251, 'for their health': 326836, 'health and cemented': 386131, 'and cemented habit': 59667, 'cemented habit of': 169003, 'habit of online': 372661, '10c': 2317, 'today gas': 919564, 'gas wa': 344173, 'wa 78': 961397, '78 per': 22327, 'gallon it': 343032, 'year since': 1014953, 'low given': 505303, 'it dropping': 457709, 'dropping at': 260671, 'at 10c': 97428, '10c per': 2318, 'today gas wa': 919566, 'gas wa 78': 344174, 'wa 78 per': 961398, '78 per gallon': 22328, 'per gallon it': 650851, 'gallon it ha': 343033, 'ha been almost': 369715, 'been almost 20': 120644, '20 year since': 13427, 'year since we': 1014954, 'have seen price': 382438, 'seen price that': 747203, 'price that low': 676810, 'that low given': 844962, 'low given that': 505304, 'given that it': 351123, 'that it dropping': 844703, 'it dropping at': 457710, 'dropping at 10c': 260672, 'at 10c per': 97429, '10c per week': 2319, 'per week we': 651078, 'week we may': 977197, 'we may see': 972356, 'may see record': 521483, 'see record low': 745633, 'record low in': 705012, 'low in the': 505341, 'next month we': 561462, 'month we have': 538107, 'not seen in': 571509, 'seen in over': 747079, 'in over 30': 426375, 'over 30 year': 629823, 'acetaminophen': 28998, 'march 1st': 515124, '1st wa': 12824, 'birthday sometime': 131450, 'sometime that': 785179, 'that day': 843443, 'day talked': 228456, 'talked with': 833948, 'parent we': 641766, 'wa spreading': 963291, 'asia my': 95201, 'parent advised': 641563, 'advised me': 33629, 'and acetaminophen': 57610, 'acetaminophen just': 28999, 'march 1st wa': 515125, '1st wa my': 12825, 'wa my birthday': 962670, 'my birthday sometime': 547460, 'birthday sometime that': 131451, 'sometime that day': 785180, 'that day talked': 843446, 'day talked with': 228457, 'talked with my': 833951, 'with my parent': 999648, 'my parent we': 549704, 'parent we talked': 641768, 'talked about and': 833930, 'how it wa': 408144, 'it wa spreading': 462198, 'wa spreading in': 963294, 'spreading in asia': 790981, 'in asia my': 420523, 'asia my parent': 95202, 'my parent advised': 549685, 'parent advised me': 641564, 'advised me to': 33630, 'me to stock': 523784, 'food and acetaminophen': 313166, 'and acetaminophen just': 57611, 'acetaminophen just in': 29000, 'kwality': 478031, 'ludhiana': 506603, 'unbearable': 939489, 'kwality grocery': 478032, 'store ludhiana': 808843, 'ludhiana it': 506604, 'an unbearable': 56820, 'unbearable job': 939492, 'finish the': 307869, 'shopping panicking': 763598, 'panicking is': 639347, 'kwality grocery store': 478033, 'grocery store ludhiana': 365547, 'store ludhiana it': 808844, 'ludhiana it wa': 506605, 'wa an unbearable': 961536, 'an unbearable job': 56821, 'unbearable job to': 939493, 'job to finish': 466225, 'to finish the': 905968, 'finish the grocery': 307870, 'grocery shopping panicking': 365064, 'shopping panicking is': 763599, 'panicking is not': 639348, 'solution to combat': 782092, 'combat the threat': 187055, 'alleged food': 45657, 'crisis social': 218066, 'unrest grows': 943351, 'over regime': 630572, 'regime response': 707361, 'response citizen': 715659, 'two alleged': 936776, 'alleged government': 45659, 'government document': 360033, 'document were': 251220, 'were leaked': 979834, 'leaked online': 483862, 'online watch': 609694, 'watch full': 968423, 'panic in over': 638200, 'in over alleged': 426376, 'over alleged food': 629959, 'alleged food crisis': 45658, 'food crisis social': 314062, 'crisis social unrest': 218067, 'social unrest grows': 780000, 'unrest grows over': 943352, 'grows over regime': 367322, 'over regime response': 630573, 'regime response citizen': 707362, 'response citizen are': 715660, 'citizen are panic': 178853, 'food after two': 313049, 'after two alleged': 36461, 'two alleged government': 936777, 'alleged government document': 45660, 'government document were': 360034, 'document were leaked': 251221, 'were leaked online': 979835, 'leaked online watch': 483863, 'online watch full': 609695, 'watch full video': 968425, 'datascience': 226555, 'sanitizer without': 736145, 'without touching': 1003014, 'touching it': 926684, 'definitely useful': 232411, 'useful hack': 950159, 'hack in': 372740, 'socialdistancing diy': 780319, 'diy robotics': 248770, 'robotics iot': 724817, 'iot datascience': 444475, 'datascience cc': 226556, 'can use this': 160106, 'use this hand': 949726, 'hand sanitizer without': 375672, 'sanitizer without touching': 736146, 'without touching it': 1003015, 'touching it definitely': 926685, 'it definitely useful': 457498, 'definitely useful hack': 232412, 'useful hack in': 950160, 'hack in this': 372741, 'this pandemic socialdistancing': 889425, 'pandemic socialdistancing diy': 636501, 'socialdistancing diy robotics': 780320, 'diy robotics iot': 248771, 'robotics iot datascience': 724818, 'iot datascience cc': 444476, 'linen 90': 493636, '90 ounce': 23328, 'ounce each': 621956, 'crisp linen 90': 218489, 'linen 90 ounce': 493637, '90 ounce each': 23329, 'stand up and': 793602, 'special article on': 787855, 'on the situation': 604366, 'abi': 24339, 'grocery abi': 364201, 'abi na': 24340, 'na food': 551288, 'stuff we': 815243, 'even differentiate': 283999, 'differentiate coz': 242146, 'coz supermarket': 214550, 'till boy': 895999, 'start obtaining': 794403, 'obtaining you': 578763, 'home may': 401593, 'just understand': 470156, 'buy grocery abi': 148746, 'grocery abi na': 364202, 'abi na food': 24341, 'na food stuff': 551290, 'food stuff we': 316901, 'stuff we cannot': 815244, 'cannot even differentiate': 161790, 'even differentiate coz': 284000, 'differentiate coz supermarket': 242147, 'coz supermarket are': 214551, 'supermarket are closed': 819150, 'are closed just': 85351, 'just wait till': 470195, 'wait till boy': 964213, 'till boy start': 896000, 'boy start obtaining': 137285, 'start obtaining you': 794404, 'obtaining you at': 578764, 'at home may': 99045, 'home may just': 401598, 'may just understand': 521307, 'just understand how': 470157, 'is or is': 450598, 'or is not': 615833, 'new ftc': 558784, 'blog thread': 133034, 'new ftc ha': 558785, 'ha more tip': 371296, 'more tip on': 540780, 'from scam check': 337173, 'out the new': 627398, 'the new blog': 861476, 'new blog thread': 558410, 'hope parent': 403593, 'go mental': 353839, 'mental panic': 528659, 'item possible': 463579, 'possible just': 665696, 'buy want': 149436, 'everyone schoolclosuresuk': 287349, 'hope parent do': 403594, 'not go mental': 569680, 'go mental panic': 353840, 'mental panic buying': 528660, 'panic buying every': 637721, 'buying every single': 150250, 'every single food': 286182, 'single food item': 771299, 'food item possible': 315225, 'item possible just': 463580, 'possible just buy': 665698, 'just buy want': 468387, 'buy want you': 149437, 'want you need': 966182, 'need and they': 554440, 'll be plenty': 496611, 'be plenty for': 116453, 'for everyone schoolclosuresuk': 321236, 'hotlink six': 405286, 'six possible': 772685, 'agriculture farming': 38971, 'agriculture impact': 38982, 'impact market': 417737, 'price supplychains': 676709, 'supplychains health': 826261, 'health workforce': 386997, 'aglaw hotlink six': 38299, 'hotlink six possible': 405287, 'six possible impact': 772686, 'on agriculture farming': 599185, 'agriculture farming agriculture': 38972, 'farming agriculture impact': 299607, 'agriculture impact market': 38983, 'impact market price': 417738, 'market price supplychains': 516902, 'price supplychains health': 676710, 'supplychains health workforce': 826262, 'all ha': 43020, 'any color': 79029, 'color you': 186758, 'hey all ha': 394313, 'all ha toilet': 43021, 'paper in any': 640314, 'in any color': 420422, 'any color you': 79030, 'color you want': 186759, 'say business': 738469, 'so sound': 778252, 'say business involved': 738470, 'takeaway shop so': 832905, 'shop so sound': 760807, 'so sound like': 778253, 'medium news': 527182, 'expert say global': 291950, 'say global news': 738682, 'global news ha': 352043, 'published on canada': 688675, 'on canada news': 599795, 'canada news medium': 160508, 'news medium news': 560613, 'wooglobe': 1004344, 'wooglobe coronavirus': 1004345, 'paper wooglobe': 641107, 'wooglobe pandemic': 1004347, 'toiletpaper coronamemes': 921887, 'wooglobe coronavirus pandemic': 1004346, 'and the last': 73444, 'the last toilet': 859051, 'toilet paper wooglobe': 921532, 'paper wooglobe pandemic': 641108, 'wooglobe pandemic toiletpaper': 1004348, 'pandemic toiletpaper coronamemes': 636810, 'spiralling': 789441, 'poor facing': 664165, 'facing problem': 295565, 'to spiralling': 915017, 'spiralling price': 789442, 'poor facing problem': 664166, 'facing problem due': 295566, 'due to spiralling': 261966, 'to spiralling price': 915018, 'spiralling price of': 789443, 'benefit food': 126961, 'food organisation': 315689, 'organisation which': 619286, 'fund will benefit': 341543, 'will benefit food': 992821, 'benefit food organisation': 126962, 'food organisation which': 315690, 'organisation which aim': 619287, 'aim to cut': 39548, 'to cut food': 903874, 'oregon department': 619142, 'now directing': 574524, 'directing all': 243431, 'all insurer': 43233, 'insurer in': 440883, 'all cancellation': 42293, 'non renewal': 566484, 'renewal for': 711001, 'for insurance': 322617, 'insurance in': 440751, 'this order': 889294, 'order came': 618106, 'of governor': 584281, 'brown moratorium': 141244, 'on eviction': 600654, 'oregon department of': 619143, 'business service is': 144363, 'service is now': 752519, 'is now directing': 450278, 'now directing all': 574525, 'directing all insurer': 243432, 'all insurer in': 43234, 'insurer in the': 440885, 'state to suspend': 796026, 'to suspend all': 916065, 'suspend all cancellation': 829545, 'all cancellation and': 42294, 'cancellation and non': 161006, 'and non renewal': 67679, 'non renewal for': 566485, 'renewal for insurance': 711002, 'for insurance in': 322618, 'insurance in response': 440752, '19 this order': 11349, 'this order came': 889295, 'order came on': 618107, 'heel of governor': 388767, 'of governor brown': 584282, 'governor brown moratorium': 360885, 'brown moratorium on': 141245, 'moratorium on eviction': 538446, 'grossed': 366445, 'of courtesy': 582082, 'courtesy sanitizing': 212058, 'wipe grocery': 996280, 'grocery cart': 364342, 'cart have': 165318, 'always grossed': 49587, 'grossed me': 366446, 'when the store': 984201, 'out of courtesy': 626709, 'of courtesy sanitizing': 582083, 'courtesy sanitizing wipe': 212059, 'sanitizing wipe grocery': 736535, 'wipe grocery cart': 996281, 'grocery cart have': 364344, 'cart have always': 165319, 'have always grossed': 379226, 'always grossed me': 49588, 'grossed me out': 366447, 'me out but': 523298, 'out but here': 625789, 'but here am': 145920, 'curiosity': 220964, 'limit profiteering': 492462, 'profiteering over': 683084, 'over out': 630470, 'of curiosity': 582254, 'curiosity did': 220965, 'quick search': 694368, 'the listing': 859478, 'listing could': 494834, 'at ludicrous': 99647, 'ludicrous price': 506607, 'price single': 676420, 'single roll': 771391, 'of quilton': 588702, 'quilton being': 694742, 'offered for': 594920, 'wonder when will': 1004024, 'start taking step': 794536, 'step to limit': 799654, 'to limit profiteering': 909296, 'limit profiteering over': 492463, 'profiteering over out': 683085, 'over out of': 630471, 'out of curiosity': 626714, 'of curiosity did': 582255, 'curiosity did quick': 220966, 'did quick search': 240778, 'quick search for': 694369, 'search for toilet': 743258, 'roll and all': 725171, 'all the listing': 44809, 'the listing could': 859479, 'listing could find': 494835, 'could find were': 209183, 'find were selling': 307382, 'were selling at': 980099, 'selling at ludicrous': 749172, 'at ludicrous price': 99648, 'ludicrous price single': 506608, 'price single roll': 676421, 'single roll of': 771393, 'roll of quilton': 725415, 'of quilton being': 588703, 'quilton being offered': 694743, 'being offered for': 125479, 'offered for 20': 594921, 'bathrobe': 112621, 'speedo': 788489, 'know anymore': 476265, 'anymore which': 80159, 'are indoor': 87524, 'indoor clothes': 435350, 'clothes or': 184192, 'or outdoor': 616469, 'outdoor clothes': 628892, 'clothes but': 184150, 'just wore': 470335, 'wore bathrobe': 1004642, 'bathrobe air': 112622, 'air jordan': 39753, 'and speedo': 72081, 'speedo to': 788490, 'more alive': 538589, 'don know anymore': 253661, 'know anymore which': 476266, 'anymore which are': 80160, 'which are indoor': 985687, 'are indoor clothes': 87525, 'indoor clothes or': 435351, 'clothes or outdoor': 184193, 'or outdoor clothes': 616470, 'outdoor clothes but': 628893, 'clothes but just': 184151, 'but just wore': 146207, 'just wore bathrobe': 470337, 'wore bathrobe air': 1004643, 'bathrobe air jordan': 112623, 'air jordan and': 39754, 'jordan and speedo': 467277, 'and speedo to': 72082, 'speedo to the': 788491, 'supermarket and ve': 819095, 'felt more alive': 303429, 'travel post': 930476, 'post risk': 666297, 'side the': 768897, 'industry created': 435757, 'created wonderful': 215928, 'wonderful consumer': 1004066, 'consumer offering': 198256, 'offering how': 595154, 'many airline': 513717, '2021 how': 14782, 'future of travel': 342402, 'of travel post': 592431, 'travel post risk': 930477, 'post risk is': 666298, 'risk is the': 723645, 'is the supply': 452955, 'the supply side': 868959, 'supply side the': 825855, 'side the demand': 768898, 'demand side the': 236216, 'side the industry': 768899, 'the industry created': 858169, 'industry created wonderful': 435758, 'created wonderful consumer': 215929, 'wonderful consumer offering': 1004067, 'consumer offering how': 198257, 'offering how many': 595155, 'how many airline': 408241, 'many airline and': 513718, 'airline and flight': 39918, 'and flight will': 62971, 'flight will be': 310561, 'available at fair': 104246, 'price in 2021': 674652, 'in 2021 how': 419869, '2021 how many': 14783, 'sanitizer finally': 734864, 'the hand washing': 857066, 'hand washing and': 375942, 'washing and hand': 967647, 'hand sanitizer finally': 375402, 'sanitizer finally get': 734865, 'finally get you': 306016, '45 year': 19147, 'fallen faster': 297151, 'crisis adding': 216978, 'record breaking': 704915, 'breaking blow': 138917, 'confidence ha fallen': 193878, 'ha fallen by': 370590, 'fallen by the': 297144, 'more than 45': 540567, 'than 45 year': 840254, '45 year and': 19149, 'year and new': 1014397, 'and new car': 67548, 'new car sale': 558449, 'car sale have': 163273, 'sale have fallen': 732265, 'have fallen faster': 380569, 'fallen faster than': 297152, 'faster than during': 300122, 'financial crisis adding': 306366, 'crisis adding to': 216979, 'adding to sign': 31712, 'to sign of': 914637, 'sign of record': 769168, 'of record breaking': 588837, 'record breaking blow': 704916, 'breaking blow to': 138918, 'country economy the': 210604, 'economy the crisis': 268272, 'unilever commits': 941787, 'commits 100': 189018, 'against reduce': 37601, 'sanitizers handwash': 736300, 'hindustan unilever commits': 396876, 'unilever commits 100': 941788, 'commits 100 cr': 189019, 'cr to the': 214675, 'fight against reduce': 304635, 'against reduce the': 37602, 'of sanitizers handwash': 589310, 'sanitizers handwash floor': 736303, 'report released': 712215, '2019 predicted': 13997, 'predicted price': 669614, '2020 update': 14686, 'update of': 947096, 'report say': 712228, 'raise more': 695881, 'expected with': 291019, 'insecurity we': 439184, 'we urgently': 973604, 'urgently need': 948393, 'need local': 555171, 'local solution': 498438, 'the canada food': 850316, 'canada food price': 160435, 'food price report': 315966, 'price report released': 676186, 'report released in': 712216, 'released in 2019': 709050, 'in 2019 predicted': 419807, '2019 predicted price': 13998, 'predicted price increase': 669615, 'price increase of': 674779, 'increase of produce': 432943, 'of produce in': 588468, 'produce in 2020': 680312, 'in 2020 update': 419860, '2020 update of': 14687, 'update of the': 947098, 'the report say': 865537, 'report say price': 712229, 'say price will': 739077, 'price will raise': 677581, 'will raise more': 994553, 'raise more than': 695884, 'more than expected': 540616, 'than expected with': 840631, 'expected with more': 291020, 'with more people': 999560, 'more people now': 540032, 'people now at': 648887, 'now at risk': 574136, 'risk of food': 723748, 'food insecurity we': 315075, 'insecurity we urgently': 439185, 'we urgently need': 973605, 'urgently need local': 948394, 'need local solution': 555173, 'might save': 531114, 'all stoppanicbuying': 44484, 'look what you': 502673, 'doing to those': 252804, 'who might save': 989288, 'might save all': 531115, 'save all stoppanicbuying': 737467, 'else here': 271731, 'ha this happened': 372261, 'happened to anyone': 377273, 'to anyone else': 900623, 'anyone else here': 80269, 'quarantine suck': 692592, 'suck it': 816899, 'it lead': 459315, 'insure amount': 440851, 'shopping shopping': 763873, 'quarantine suck it': 692593, 'suck it lead': 816900, 'it lead to': 459316, 'lead to insure': 483357, 'to insure amount': 908438, 'insure amount of': 440852, 'amount of online': 53241, 'online shopping shopping': 609267, 'shopping shopping quarantinelife': 763874, 'dreamt': 258650, 'sign you': 769269, 'working non': 1008787, 'stop covering': 804594, 'covering today': 212503, 'today dreamt': 919465, 'dreamt found': 258651, 'found dettol': 330190, 'wipe hidden': 996290, 'hidden in': 394816, '500 wa': 20068, 'wa above': 961412, 'the 800': 848200, '800 mark': 22711, 'sign you ve': 769271, 'been working non': 122398, 'working non stop': 1008788, 'non stop covering': 566505, 'stop covering today': 804595, 'covering today dreamt': 212504, 'today dreamt found': 919466, 'dreamt found dettol': 258652, 'found dettol wipe': 330191, 'dettol wipe hidden': 239539, 'wipe hidden in': 996291, 'hidden in the': 394817, 'supermarket and that': 819078, 'that the 500': 846656, 'the 500 wa': 848145, '500 wa above': 20069, 'wa above the': 961413, 'above the 800': 27104, 'the 800 mark': 848201, 'hemorrhage': 391691, 'don share': 253907, 'the pessimism': 863603, 'pessimism of': 653319, 'some actor': 782254, 'actor regarding': 30595, 'economy tourism': 268306, 'tourism sport': 927010, 'sport amp': 789894, 'amp entertainment': 53739, 'entertainment are': 278554, 'affected but': 34298, 'manufacturing sector': 513655, 'thrive chance': 894206, 'the hemorrhage': 857278, 'hemorrhage by': 391692, 'trader who': 928797, 'who turn': 989838, 'import pres': 418656, 'pres 19': 670438, 'don share the': 253909, 'share the pessimism': 755252, 'the pessimism of': 863604, 'pessimism of some': 653320, 'of some actor': 589888, 'some actor regarding': 782255, 'actor regarding the': 30596, 'regarding the economy': 707288, 'the economy tourism': 854030, 'economy tourism sport': 268307, 'tourism sport amp': 927011, 'sport amp entertainment': 789895, 'amp entertainment are': 53740, 'entertainment are affected': 278555, 'are affected but': 84246, 'affected but the': 34299, 'but the manufacturing': 147359, 'the manufacturing sector': 860030, 'manufacturing sector will': 513657, 'sector will thrive': 744411, 'will thrive chance': 995202, 'thrive chance to': 894207, 'chance to end': 171798, 'end the hemorrhage': 275975, 'the hemorrhage by': 857279, 'hemorrhage by trader': 391693, 'by trader who': 154588, 'trader who turn': 928803, 'who turn into': 989839, 'turn into supermarket': 935694, 'into supermarket of': 443051, 'supermarket of import': 821700, 'of import pres': 585002, 'import pres 19': 418657, 'pile with': 656522, 'purpose in': 690132, 'yourself stoppanicbuying': 1026710, 'heading to shop': 385964, 'shop to stock': 760958, 'to stock pile': 915445, 'stock pile with': 802636, 'pile with the': 656523, 'with the purpose': 1001445, 'the purpose in': 864928, 'purpose in mind': 690134, 'in mind to': 425347, 'mind to sell': 532757, 'it for inflated': 458082, 'price on uk': 675732, 'on uk you': 604951, 'uk you should': 938923, 'of yourself stoppanicbuying': 593546, 'say gasoline': 738669, 'fall below': 296858, '00 due': 175, 'due the': 261687, 'impact due': 417640, 'new president trump': 559335, 'president trump say': 670950, 'trump say gasoline': 933821, 'say gasoline price': 738670, 'gasoline price will': 344271, 'will fall below': 993403, 'fall below 00': 296859, 'below 00 due': 126548, '00 due the': 176, 'due the economic': 261688, 'economic impact due': 267131, 'impact due to': 417641, 'amazing initiative': 50716, 'initiative local': 438640, 'supermarket goody': 820552, 'goody in': 358118, 'beirut have': 126080, 'have dedicated': 380208, 'dedicated daily': 231702, 'daily shopping': 224798, 'from am': 334451, 'am exclusively': 50029, 'amid supermarket': 52675, 'supermarket struggle': 823024, 'amazing initiative local': 50718, 'initiative local supermarket': 438641, 'local supermarket goody': 498530, 'supermarket goody in': 820553, 'goody in beirut': 358119, 'in beirut have': 420774, 'beirut have dedicated': 126081, 'have dedicated daily': 380209, 'dedicated daily shopping': 231703, 'daily shopping hour': 224799, 'shopping hour from': 762921, 'hour from am': 405632, 'from am to': 334453, 'am to 30': 50502, '30 am exclusively': 16954, 'am exclusively for': 50030, 'exclusively for elderly': 289715, 'for elderly amid': 320986, 'elderly amid supermarket': 270563, 'amid supermarket struggle': 52676, 'constantly wash': 195711, 'upon organisation': 947643, 'organisation and': 619250, 'individual to': 435267, 'pandemic staysafeug': 636551, 'staysafeug worldhealthday2020': 799044, 'here is why': 393261, 'need to constantly': 555893, 'to constantly wash': 903254, 'constantly wash your': 195712, 'soap or sanitizer': 779073, 'or sanitizer and': 616948, 'sanitizer and disinfect': 734398, 'and disinfect surface': 61437, 'disinfect surface to': 245575, 'spread of we': 790720, 'call upon organisation': 156210, 'upon organisation and': 947644, 'organisation and individual': 619252, 'and individual to': 65167, 'individual to join': 435269, 'join in this': 466755, 'this fight against': 887541, 'the pandemic staysafeug': 863109, 'pandemic staysafeug worldhealthday2020': 636552, 'everyting': 288161, 'empty everyting': 274862, 'everyting else': 288162, 'okay bought': 597958, 'florist not': 311049, 'towel pasta egg': 927367, 'almost empty everyting': 46606, 'empty everyting else': 274863, 'everyting else wa': 288163, 'else wa okay': 271960, 'wa okay bought': 962817, 'okay bought something': 597959, 'the florist not': 855439, 'florist not sure': 311050, 'sure how they': 827578, 'correction exchange': 207557, 'change exchange': 172039, 'lifestyle fix': 489358, 'fix wisdom': 309764, 'collective respect': 186516, 'nature so': 552982, 'return the': 719905, 'favor to': 300470, 'above others': 27092, 'market correction exchange': 516228, 'correction exchange rate': 207558, 'exchange rate correction': 289464, 'rate change exchange': 697178, 'change exchange rate': 172040, 'exchange rate fluctuation': 289465, 'is lifestyle fix': 449302, 'lifestyle fix wisdom': 489359, 'fix wisdom is': 309765, 'in the collective': 429079, 'the collective respect': 851157, 'collective respect nature': 186517, 'respect nature so': 715029, 'nature so that': 552983, 'that it return': 844739, 'it return the': 460756, 'return the favor': 719906, 'the favor to': 854988, 'favor to you': 300471, 'to you no': 918909, 'you no one': 1020106, 'is above others': 445285, 'bigshop': 130380, 'sweep when': 830185, 'trolley for': 932409, 'shop down': 760112, 'the asda': 848958, 'asda supermarketsweep': 94983, 'supermarketsweep lockdown': 824259, 'panicbuying bigshop': 638909, 'anybody else feel': 80071, 'are in supermarket': 87444, 'supermarket sweep when': 823115, 'sweep when they': 830186, 'they re waiting': 883150, 'waiting to receive': 964410, 'to receive their': 912935, 'receive their trolley': 703565, 'their trolley for': 875034, 'trolley for their': 932410, 'for their big': 326804, 'their big shop': 872608, 'big shop down': 129987, 'shop down the': 760113, 'down the asda': 257265, 'the asda supermarketsweep': 848959, 'asda supermarketsweep lockdown': 94984, 'supermarketsweep lockdown panicbuying': 824260, 'lockdown panicbuying bigshop': 499771, 'to avail': 900853, 'avail the': 104116, 'the massively': 860276, 'massively discounted': 520173, 'relief offer': 709400, 'offer place': 594747, 'it expires': 457908, 'expires shop': 292083, '24 hour to': 15628, 'hour to avail': 406013, 'to avail the': 900854, 'avail the massively': 104117, 'the massively discounted': 860277, 'massively discounted price': 520174, 'discounted price of': 244600, 'price of covid': 675430, '19 relief offer': 10084, 'relief offer place': 709401, 'offer place your': 594748, 'your order before': 1025098, 'order before it': 618078, 'before it expires': 122883, 'it expires shop': 457909, 'expires shop now': 292084, 'cyberbullying': 223952, 'mom get': 535732, 'get mad': 347510, 'really cyberbullying': 702094, 'cyberbullying people': 223953, 'facebook calling': 294897, 'calling covid': 156533, 'am silent': 50393, 'silent hero': 769713, 'hero or': 394054, 'maybe just': 521731, 'just secret': 469726, 'secret bitch': 743913, 'had to let': 373703, 'to let my': 909209, 'let my mom': 486929, 'my mom get': 549270, 'mom get mad': 535733, 'get mad at': 347511, 'mad at me': 507523, 'at me for': 99705, 'me for online': 522757, 'shopping when wa': 764380, 'when wa really': 984406, 'wa really cyberbullying': 963061, 'really cyberbullying people': 702095, 'cyberbullying people on': 223954, 'people on facebook': 648960, 'on facebook calling': 600700, 'facebook calling covid': 294898, 'calling covid 19': 156534, '19 the china': 11172, 'china virus am': 177040, 'virus am silent': 957907, 'am silent hero': 50394, 'silent hero or': 769714, 'hero or maybe': 394055, 'or maybe just': 616087, 'maybe just secret': 521734, 'just secret bitch': 469727, 'concealer': 192820, 'chewing': 175594, 'gum': 368669, 'pringles': 678253, 'manual': 513350, 'thing may': 884582, 'may stockup': 521534, 'get crazy': 346830, 'crazy chocolate': 215265, 'chocolate make': 177683, 'up remover': 945905, 'remover concealer': 710886, 'concealer for': 192821, 'my dark': 547916, 'dark circle': 225957, 'circle chewing': 178600, 'chewing gum': 175595, 'gum pringles': 368674, 'pringles seed': 678256, 'grow flower': 367025, 'flower manual': 311307, 'manual of': 513353, 'an apocalypse': 55349, 'apocalypse more': 81551, 'more chocolate': 538813, 'chocolate gin': 177677, 'gin 10': 350163, '10 kitten': 1495, 'kitten heel': 475827, 'heel shoe': 388770, 'thing may stockup': 884583, 'may stockup on': 521535, 'stockup on if': 804189, 'on if thing': 601482, 'thing get crazy': 884356, 'get crazy chocolate': 346831, 'crazy chocolate make': 215266, 'chocolate make up': 177684, 'make up remover': 510689, 'up remover concealer': 945906, 'remover concealer for': 710887, 'concealer for my': 192822, 'for my dark': 323696, 'my dark circle': 547917, 'dark circle chewing': 225958, 'circle chewing gum': 178601, 'chewing gum pringles': 175596, 'gum pringles seed': 368675, 'pringles seed to': 678257, 'seed to grow': 746179, 'to grow flower': 907029, 'grow flower manual': 367026, 'flower manual of': 311308, 'manual of how': 513354, 'survive in an': 829191, 'in an apocalypse': 420280, 'an apocalypse more': 55350, 'apocalypse more chocolate': 81552, 'more chocolate gin': 538814, 'chocolate gin 10': 177678, 'gin 10 kitten': 350164, '10 kitten heel': 1496, 'kitten heel shoe': 475828, 'cart ready': 165368, 'that stimulus': 846487, 'check am': 174361, 'stimulate the': 801488, 'economy so': 268222, 'hard stimuluspackage2020': 378019, 'literally have online': 495021, 'shopping cart ready': 762312, 'cart ready to': 165369, 'go for when': 353580, 'we get that': 971629, 'get that stimulus': 348213, 'that stimulus check': 846488, 'stimulus check am': 801520, 'check am going': 174362, 'going to stimulate': 355723, 'to stimulate the': 915421, 'stimulate the economy': 801489, 'the economy so': 854018, 'economy so hard': 268223, 'so hard stimuluspackage2020': 777254, 'loop': 503143, 'our access': 622015, 'will gladly': 993537, 'gladly accept': 351554, 'following protective': 312824, 'protective item': 685774, 'in unopened': 430449, 'unopened packaging': 942997, 'packaging liquid': 633558, 'sanitizer vinyl': 736013, 'vinyl or': 957476, 'or nitrile': 616254, 'glove disposable': 352652, 'disposable ear': 246240, 'ear loop': 264395, 'loop face': 503148, 'pandemic ha put': 635560, 'ha put strain': 371603, 'on our access': 602571, 'our access to': 622016, 'to medical supply': 910003, 'medical supply we': 526464, 'supply we will': 826080, 'we will gladly': 973867, 'will gladly accept': 993538, 'gladly accept donation': 351555, 'accept donation of': 27959, 'donation of the': 254655, 'the following protective': 855520, 'following protective item': 312825, 'protective item in': 685775, 'item in unopened': 463361, 'in unopened packaging': 430450, 'unopened packaging liquid': 942998, 'packaging liquid hand': 633559, 'liquid hand sanitizer': 494092, 'hand sanitizer vinyl': 375645, 'sanitizer vinyl or': 736014, 'vinyl or nitrile': 957477, 'or nitrile glove': 616255, 'nitrile glove disposable': 563392, 'glove disposable ear': 352653, 'disposable ear loop': 246241, 'ear loop face': 264396, 'loop face mask': 503149, 'basically how': 112141, 'supermarket looked': 821392, 'looked today': 502755, 'except there': 289238, 'wa roughly': 963114, 'roughly 30': 726276, '30 people': 17180, 'shopping thewalkingdead': 764114, 'basically how my': 112142, 'how my trip': 408394, 'the supermarket looked': 868682, 'supermarket looked today': 821394, 'looked today except': 502756, 'today except there': 919501, 'except there wa': 289239, 'there wa roughly': 879269, 'wa roughly 30': 963115, 'roughly 30 people': 726278, '30 people behind': 17181, 'people behind me': 647261, 'behind me shopping': 124669, 'me shopping thewalkingdead': 523454, 'pakistnai': 634539, 'pakistnai asian': 634540, 'muslim etc': 546421, 'etc increase': 282611, 'of meet': 586421, 'this humanity': 887977, 'humanity coronacrisis': 410714, 'coronacrisis can': 204539, 'pakistnai asian muslim': 634541, 'asian muslim etc': 95313, 'muslim etc increase': 546422, 'etc increase the': 282612, 'price of meet': 675505, 'of meet in': 586422, 'meet in uk': 527508, 'in uk is': 430390, 'uk is this': 938488, 'is this humanity': 453099, 'this humanity coronacrisis': 887978, 'humanity coronacrisis can': 410715, 'coronacrisis can you': 204540, 'you please take': 1020367, 'please take action': 660628, 'against all these': 37316, 'these local grocery': 880246, 'gridlock': 363896, 'with plummeting': 1000238, 'price political': 675951, 'political gridlock': 663652, 'gridlock and': 363897, 'devastating coronavirus': 239583, 'coronavirus iraq': 206152, 'iraq is': 444771, 'disaster talk': 244250, 'iraq analyst': 444752, 'with plummeting oil': 1000239, 'oil price political': 597219, 'price political gridlock': 675953, 'political gridlock and': 663653, 'gridlock and the': 363898, 'and the devastating': 73323, 'the devastating coronavirus': 853219, 'devastating coronavirus iraq': 239584, 'coronavirus iraq is': 206153, 'iraq is on': 444774, 'brink of disaster': 140296, 'of disaster talk': 582655, 'disaster talk to': 244251, 'talk to iraq': 833879, 'to iraq analyst': 908508, 'meal handled': 524179, 'handled by': 376297, 'by cook': 152212, 'food question': 316101, 'question surrounding': 693756, 'few answer': 303714, 'eat meal handled': 265979, 'meal handled by': 524180, 'handled by cook': 376298, 'by cook and': 152213, 'cook and delivery': 202724, 'delivery people is': 234318, 'people is it': 648518, 'of food question': 583758, 'food question surrounding': 316104, 'question surrounding the': 693757, 'are few answer': 86528, 'necessity still': 554259, 'israel 19': 455583, '19 semi': 10405, 'semi situation': 749624, 'situation very': 772554, 'very reassuring': 955463, 'reassuring to': 703238, 'that happen': 844171, 'sorry basic necessity': 786014, 'basic necessity still': 112003, 'necessity still allowed': 554260, 'in israel 19': 424217, 'israel 19 semi': 455584, '19 semi situation': 10407, 'semi situation very': 749625, 'situation very reassuring': 772556, 'very reassuring to': 955464, 'reassuring to see': 703239, 'all worker who': 45508, 'who make that': 989253, 'make that happen': 510551, 'nea': 553445, 'the nea': 861344, 'nea food': 553446, 'bank remains': 110127, 'operational so': 613318, 'serve people': 751926, 'hunger even': 411106, 'even our': 284449, 'response if': 715721, 'stock area': 801861, 'pantry please': 639648, 'the nea food': 861345, 'nea food bank': 553447, 'food bank remains': 313624, 'bank remains fully': 110128, 'remains fully operational': 710016, 'fully operational so': 341070, 'operational so we': 613319, 'to serve people': 914270, 'serve people facing': 751927, 'people facing hunger': 647860, 'facing hunger even': 295496, 'hunger even our': 411107, 'even our community': 284450, 'our community grapple': 622461, '19 response if': 10151, 'response if you': 715722, 'if you would': 415565, 'you would like': 1022452, 'to donate money': 904651, 'help stock area': 390576, 'stock area food': 801862, 'food pantry please': 315794, 'pantry please click': 639649, 'pmg tumbling': 662045, 'oott pmg': 611782, 'pmg tumbling gas': 662046, 'pmg oott pmg': 662044, 'sidelined': 768927, 'independent farmer': 434101, 'getting sidelined': 349282, 'sidelined in': 768928, 'in federal': 422855, 'relief if': 709362, 'about farmer': 25222, 'farmer or': 299473, 'or eating': 615109, 'eating food': 266205, 'action sign': 30132, 'our petition': 624326, 'petition learn': 653617, 'independent farmer are': 434102, 'farmer are still': 299295, 'still getting sidelined': 800567, 'getting sidelined in': 349283, 'sidelined in federal': 768930, 'in federal covid': 422856, '19 relief if': 10082, 'relief if you': 709363, 'if you care': 415406, 'care about farmer': 163787, 'about farmer or': 25223, 'farmer or eating': 299474, 'or eating food': 615110, 'eating food now': 266206, 'food now the': 315571, 'now the time': 576075, 'to demand action': 904133, 'demand action sign': 234904, 'action sign share': 30133, 'sign share our': 769208, 'share our petition': 755141, 'our petition learn': 624330, 'petition learn more': 653618, 'contaminant': 200642, 'asymptomatic doesn': 97305, 'he she': 385432, 'is contagious': 446802, 'contagious or': 200439, 'food touch': 317340, 'buy keep': 148879, 'some put': 783675, 'some back': 782367, 'back normal': 107156, 'shelf possible': 757424, 'possible contaminant': 665612, 'ok so asymptomatic': 597882, 'so asymptomatic doesn': 776560, 'asymptomatic doesn know': 97306, 'doesn know he': 251863, 'know he she': 476421, 'he she is': 385434, 'she is contagious': 756148, 'is contagious or': 446803, 'contagious or ha': 200440, 'or ha covid': 615541, '19 and go': 5032, 'market and shop': 515988, 'and shop for': 71497, 'for food touch': 321646, 'food touch everything': 317341, 'touch everything they': 926475, 'everything they want': 288051, 'to buy keep': 902256, 'buy keep some': 148880, 'keep some put': 471955, 'some put some': 783676, 'put some back': 690827, 'some back normal': 782369, 'back normal is': 107157, 'normal is the': 567190, 'the shelf possible': 866866, 'shelf possible contaminant': 757425, 'saturdayshoutout': 737106, 'saturdayshoutout from': 737107, 'such grocery': 816528, 'work stayhomesavelives': 1005760, 'saturdayshoutout from our': 737108, 'from our house': 336780, 'our house thank': 623483, 'essential worker such': 281853, 'worker such grocery': 1007847, 'such grocery store': 816529, 'employee and those': 273590, 'work in pharmacy': 1005335, 'in pharmacy for': 426674, 'pharmacy for going': 654315, 'for going into': 321916, 'into work stayhomesavelives': 443306, 'now developed': 574515, 'developed huge': 239708, 'huge obsession': 410105, 'obsession with': 578685, 'shopping thank': 764071, 'have now developed': 381729, 'now developed huge': 574516, 'developed huge obsession': 239709, 'huge obsession with': 410106, 'obsession with online': 578686, 'online shopping thank': 609300, 'shopping thank you': 764072, 'yes part': 1015506, 'transmission blue': 929729, 'blue cross': 133441, 'cross will': 219041, 'will cover': 993056, 'cover telehealth': 212285, 'those offered': 892274, 'offered through': 594973, 'through consumer': 894385, 'like facetime': 490209, 'facetime and': 295209, 'and skype': 71727, 'skype for': 773261, 'member whose': 528246, 'whose benefit': 990621, 'benefit include': 127010, 'include telehealth': 431638, 'telehealth coverage': 836743, 'yes part of': 1015507, 'of our effort': 587456, '19 transmission blue': 11544, 'transmission blue cross': 929730, 'blue cross will': 133442, 'cross will cover': 219042, 'will cover telehealth': 993058, 'cover telehealth service': 212286, 'telehealth service including': 836762, 'service including those': 752489, 'including those offered': 432203, 'those offered through': 892275, 'offered through consumer': 594974, 'through consumer apps': 894386, 'consumer apps like': 196275, 'apps like facetime': 83293, 'like facetime and': 490210, 'facetime and skype': 295210, 'and skype for': 71729, 'skype for member': 773262, 'for member whose': 323405, 'member whose benefit': 528247, 'whose benefit include': 990622, 'benefit include telehealth': 127011, 'include telehealth coverage': 431639, '5amwritersclub': 20619, 'been sleeping': 121975, 'sleeping in': 773818, 'but hoping': 145961, 'squeeze at': 791528, 'least few': 484460, 'few word': 304187, 'word down': 1004477, 'new pb': 559262, 'pb idea': 645851, 'morning before': 541192, 'before braving': 122670, 'braving it': 138281, 'all 5amwritersclub': 41908, '5amwritersclub writing': 20620, 'been sleeping in': 121976, 'sleeping in but': 773819, 'in but hoping': 421093, 'but hoping to': 145962, 'hoping to squeeze': 403959, 'to squeeze at': 915098, 'squeeze at least': 791529, 'at least few': 99491, 'least few word': 484461, 'few word down': 304188, 'word down on': 1004478, 'down on new': 257028, 'on new pb': 602378, 'new pb idea': 559263, 'pb idea this': 645852, 'idea this morning': 413193, 'this morning before': 888944, 'morning before braving': 541193, 'before braving it': 122671, 'braving it to': 138282, 'it to to': 461765, 'to to grocery': 917592, 'store stay safe': 810355, 'safe and well': 729494, 'and well all': 75399, 'well all 5amwritersclub': 977999, 'all 5amwritersclub writing': 41909, 'those effortlessly': 891950, 'effortlessly working': 269680, 'staff armed': 792216, 'they saved': 883255, 'saved of': 737753, 'all mankind': 43450, 'to those effortlessly': 917500, 'those effortlessly working': 891951, 'effortlessly working to': 269681, 'supermarket staff armed': 822814, 'staff armed force': 792217, 'be if they': 115352, 'if they saved': 415126, 'they saved of': 883256, 'saved of all': 737754, 'of all mankind': 579958, 'matched': 520316, 'within country': 1002339, 'who currently': 988534, 'income decline': 432314, 'decline the': 231404, 'and quantity': 69855, 'be declining': 114361, 'declining especially': 231475, 'this matched': 888780, 'matched by': 520317, 'within country there': 1002340, 'there are going': 878111, 'people who currently': 650282, 'who currently can': 988535, 'currently can make': 221492, 'make money if': 510183, 'money if their': 536825, 'if their income': 415056, 'their income decline': 873643, 'income decline the': 432315, 'decline the quality': 231406, 'the quality and': 864949, 'quality and quantity': 691762, 'and quantity of': 69856, 'quantity of the': 691943, 'to be declining': 901191, 'be declining especially': 114363, 'declining especially if': 231476, 'especially if this': 280510, 'if this matched': 415163, 'this matched by': 888781, 'matched by an': 520318, 'by an increase': 151825, 'in price 19': 426944, 'price 19 read': 672116, 'caseload': 166133, 'working our': 1008838, 'hospital system': 404664, 'current caseload': 221116, 'caseload please': 166134, 'distancing go': 247170, 'park but': 641885, 'but avoid': 145251, 'any crowd': 79088, 'the order and': 862447, 'order and is': 618028, 'and is working': 65443, 'is working our': 454045, 'working our hospital': 1008840, 'our hospital system': 623470, 'hospital system is': 404665, 'system is able': 831216, 'able to handle': 24489, 'handle the current': 376267, 'the current caseload': 852615, 'current caseload please': 221117, 'caseload please continue': 166135, 'continue to engage': 201185, 'engage in social': 276860, 'social distancing go': 779620, 'distancing go to': 247172, 'store go out': 807943, 'to the park': 916945, 'the park but': 863290, 'park but avoid': 641886, 'but avoid any': 145252, 'avoid any crowd': 105005, 'adviceline': 33562, '0344': 896, '477': 19282, '1171': 2684, 'about related': 26068, 'related or': 708503, 'have trained': 383391, 'trained adviser': 929295, 'adviser waiting': 33671, 'our adviceline': 622034, 'adviceline we': 33563, 'can advise': 157386, 'advise you': 33612, 'benefit universal': 127130, 'credit employment': 216384, 'housing debt': 407071, 'rt 0344': 726729, '0344 477': 897, '477 1171': 19283, '1171 til': 2685, 'til 4pm': 895937, 'need help for': 554982, 'help for issue': 389749, 'for issue you': 322687, 'issue you re': 456033, 'worried about related': 1010515, 'about related or': 26069, 'related or not': 708504, 'or not we': 616320, 'not we have': 572467, 'we have trained': 971972, 'have trained adviser': 383392, 'trained adviser waiting': 929296, 'adviser waiting for': 33672, 'waiting for your': 964347, 'for your call': 328126, 'your call on': 1023107, 'call on our': 156040, 'on our adviceline': 602572, 'our adviceline we': 622035, 'adviceline we can': 33564, 'we can advise': 970902, 'can advise you': 157387, 'advise you on': 33613, 'you on benefit': 1020189, 'on benefit universal': 599626, 'benefit universal credit': 127131, 'universal credit employment': 942355, 'credit employment housing': 216385, 'employment housing debt': 274611, 'housing debt consumer': 407072, 'consumer and more': 196229, 'and more please': 67201, 'more please rt': 540084, 'please rt 0344': 660425, 'rt 0344 477': 726730, '0344 477 1171': 898, '477 1171 til': 19284, '1171 til 4pm': 2686, 'world now': 1009843, 'now banning': 574177, 'banning people': 110641, 'from bringing': 334742, 'issuing plastic': 456129, 'bag if': 108316, 'only someone': 611165, 'had stood': 373563, 'and against': 57773, 'against virtue': 37731, 'virtue signalling': 957868, 'the world now': 871926, 'world now banning': 1009844, 'now banning people': 574178, 'banning people from': 110642, 'people from bringing': 647982, 'from bringing in': 334744, 'bringing in their': 140170, 'in their own': 429760, 'own bag and': 631892, 'bag and re': 108223, 'and re issuing': 69962, 're issuing plastic': 698933, 'issuing plastic bag': 456130, 'plastic bag if': 658806, 'bag if only': 108317, 'if only someone': 414557, 'only someone had': 611166, 'someone had stood': 784496, 'had stood up': 373564, 'stood up for': 804396, 'up for public': 944956, 'health and against': 386128, 'and against virtue': 57774, 'against virtue signalling': 37732, 'the spanish': 867535, 'spanish flu': 787405, 'flu and': 311375, 'flu doesn': 311404, 'from spain': 337369, 'spanish government': 787408, 'it whereas': 462345, 'whereas the': 985431, 'come of': 187421, 'it communist': 457230, 'communist the': 189682, 'the diet': 853249, 'diet is': 241733, 'real difference between': 701111, 'between the spanish': 128934, 'the spanish flu': 867536, 'spanish flu and': 787406, 'flu and the': 311378, 'and the chinese': 73282, 'chinese virus is': 177379, 'virus is that': 958408, 'that the spanish': 846835, 'spanish flu doesn': 787407, 'flu doesn really': 311405, 'doesn really come': 251920, 'really come from': 702067, 'come from spain': 187312, 'from spain and': 337370, 'spain and the': 787276, 'and the spanish': 73589, 'the spanish government': 867537, 'spanish government is': 787409, 'is not responsible': 450172, 'not responsible for': 571354, 'responsible for it': 716035, 'for it whereas': 322745, 'it whereas the': 462346, 'whereas the come': 985432, 'the come of': 851182, 'come of china': 187422, 'china and it': 176484, 'and it communist': 65499, 'it communist the': 457231, 'communist the diet': 189683, 'the diet is': 853250, 'diet is re': 241734, 'hyperdrive': 412303, 'in hyperdrive': 423948, 'hyperdrive due': 412304, 'the how': 857669, 'brand be': 137767, 'next stage': 561558, 'stage in': 793192, 'shopping is in': 763053, 'is in hyperdrive': 448779, 'in hyperdrive due': 423949, 'hyperdrive due to': 412305, 'to the how': 916786, 'the how should': 857671, 'should brand be': 765793, 'brand be getting': 137768, 'be getting more': 115007, 'getting more prepared': 349124, 'more prepared for': 540123, 'the next stage': 861697, 'next stage in': 561559, 'stage in we': 793193, 'in we recommend': 430732, 'we recommend you': 973050, 'recommend you this': 704729, 'you this story': 1021705, 'this story by': 890360, 'story by at': 811927, 'whose more': 990662, 'it toss': 461811, 'toss up': 926094, 'they both': 881569, 'both need': 135979, 'paid significantly': 634130, 'whose more essential': 990663, 'more essential grocery': 539146, 'worker or nurse': 1007508, 'or nurse it': 616329, 'nurse it toss': 577396, 'it toss up': 461812, 'toss up and': 926095, 'and they both': 73892, 'they both need': 881571, 'both need to': 135980, 'be paid significantly': 116339, 'paid significantly more': 634131, 'significantly more sundaythoughts': 769595, 'onitsha': 607742, 'sensitized': 750720, 'onitsha social': 607746, 'medium foundation': 527110, 'foundation sensitized': 330504, 'sensitized onitsha': 750721, 'onitsha resident': 607743, 'on precautionary': 602882, 'avoid we': 105389, 'we dole': 971371, 'dole out': 252925, 'sanitizer nose': 735425, 'the onitsha': 862262, 'resident stayhome': 714368, 'onitsha social medium': 607747, 'social medium foundation': 779854, 'medium foundation sensitized': 527111, 'foundation sensitized onitsha': 330505, 'sensitized onitsha resident': 750722, 'onitsha resident on': 607744, 'resident on precautionary': 714348, 'on precautionary measure': 602883, 'to avoid we': 900959, 'avoid we dole': 105390, 'we dole out': 971372, 'dole out hand': 252926, 'hand sanitizer nose': 375505, 'sanitizer nose mask': 735426, 'nose mask and': 567897, 'and hand glove': 64140, 'hand glove to': 374997, 'to the onitsha': 916921, 'the onitsha resident': 862263, 'onitsha resident stayhome': 607745, 'bbdelivers': 113168, 'gouging ha': 359331, 'increased over': 433394, 'week community': 976096, 'across north': 29410, 'america respond': 51660, '19 bbdelivers': 5313, 'price gouging ha': 674282, 'gouging ha increased': 359333, 'ha increased over': 370955, 'increased over the': 433397, 'past week community': 643643, 'week community across': 976097, 'community across north': 189696, 'across north america': 29411, 'north america respond': 567607, 'america respond to': 51661, 'covid 19 bbdelivers': 212683, 'justritehomedelivery': 470509, 'it of': 459981, 'now place': 575542, 'whatsapp and': 982886, 'pandemic ng': 636034, 'ng your': 561807, 'stop retail': 804962, 'now commenced': 574413, 'commenced it': 188358, 'service justritehomedelivery': 752542, 'you running it': 1020962, 'running it of': 727986, 'it of grocery': 459982, 'of grocery you': 584366, 'grocery you can': 366202, 'can now place': 159068, 'now place order': 575543, 'order on whatsapp': 618462, 'on whatsapp and': 605253, 'whatsapp and have': 982887, 'and have it': 64252, 'have it delivered': 381146, 'to you shop': 918920, 'for grocery during': 322030, 'grocery during the': 364485, '19 pandemic ng': 9405, 'pandemic ng your': 636035, 'ng your one': 561808, 'one stop retail': 607113, 'stop retail supermarket': 804963, 'retail supermarket ha': 718751, 'ha now commenced': 371393, 'now commenced it': 574414, 'commenced it home': 188359, 'delivery service justritehomedelivery': 234445, 'distancing store': 247512, 'manager for': 512716, 'customer restriction': 222766, 'restriction customer': 717253, 'using cash': 950418, 'it busier': 456933, 'been yet': 122410, 'yet can': 1016033, 'on mother': 602231, 'struggling with this': 814548, 'with this social': 1001727, 'social distancing store': 779731, 'distancing store manager': 247513, 'store manager for': 808880, 'manager for supermarket': 512717, 'for supermarket where': 326035, 'supermarket where there': 823828, 'are no customer': 88251, 'no customer restriction': 563957, 'customer restriction customer': 222767, 'restriction customer are': 717254, 'customer are still': 222129, 'are still using': 90497, 'still using cash': 801365, 'using cash etc': 950420, 'cash etc and': 166222, 'etc and it': 282408, 'and it busier': 65493, 'it busier than': 456934, 'busier than it': 143170, 'than it ever': 840797, 'it ever been': 457865, 'ever been yet': 285219, 'been yet can': 122411, 'yet can go': 1016034, 'can go see': 158509, 'go see my': 354092, 'see my mum': 745456, 'mum on mother': 545937, 'on mother day': 602232, 'mother day socialdistancing': 543088, 'day socialdistancing 19': 228375, '218': 15081, 'buying 5x': 149846, 'would on': 1012090, 'on standard': 603631, 'standard grocery': 793665, 'average daily': 104826, 'daily downloads': 224579, 'downloads of': 257663, 'of 218': 579516, '218 160': 15082, '160 and': 4206, 'and 124': 57366, '124 respectively': 3063, 'on average consumer': 599512, 'average consumer are': 104819, 'consumer are buying': 196285, 'are buying 5x': 85112, 'buying 5x more': 149847, 'than they would': 841306, 'they would on': 883948, 'would on standard': 1012091, 'on standard grocery': 603632, 'standard grocery store': 793666, 'store trip grocery': 810948, 'trip grocery and': 932080, 'grocery and have': 364240, 'have seen surge': 382445, 'surge in average': 828178, 'in average daily': 420638, 'average daily downloads': 104827, 'daily downloads of': 224581, 'downloads of 218': 257664, 'of 218 160': 579517, '218 160 and': 15083, '160 and 124': 4207, 'and 124 respectively': 57367, 'customer remains': 222749, 'priority during': 678555, 'increased concern': 433243, 'retail store update': 718721, 'store update the': 811020, 'update the continued': 947246, 'and customer remains': 60861, 'customer remains our': 222750, 'remains our top': 710052, 'top priority during': 925677, 'priority during this': 678557, 'uncertain time due': 939616, 'the increased concern': 858073, 'increased concern over': 433244, 'germtransfer': 346387, 'healthworkers': 387500, 'staff coming': 792332, 'with way': 1002037, 'educate people': 268759, 'people germ': 648041, 'germ germtransfer': 346120, 'germtransfer healthcareheroes': 346388, 'healthcareheroes healthcareworkers': 387418, 'healthcareworkers healthworkers': 387432, 'amazing healthcare staff': 50699, 'healthcare staff coming': 387287, 'staff coming up': 792333, 'coming up with': 188265, 'up with way': 946701, 'with way to': 1002038, 'way to educate': 970022, 'to educate people': 904942, 'educate people germ': 268760, 'people germ germtransfer': 648042, 'germ germtransfer healthcareheroes': 346121, 'germtransfer healthcareheroes healthcareworkers': 346389, 'healthcareheroes healthcareworkers healthworkers': 387419, 'curbsidepickup': 220685, 'order most': 618399, 'offprem curbsidepickup': 596076, 'restaurant order most': 716619, 'order most prefer': 618401, 'delivery offprem curbsidepickup': 234247, 'trumpcountry': 934027, 'only customer': 610303, 'customer wearing': 223046, 'only employee': 610385, 'had glove': 373140, 'be infested': 115491, 'infested with': 436936, 'soon because': 785651, 'are ignorant': 87293, 'ignorant they': 415799, 'come this': 187540, 'is trumpcountry': 453386, 'the only customer': 862299, 'only customer wearing': 610304, 'customer wearing glove': 223047, 'wearing glove only': 974638, 'glove only employee': 352834, 'only employee had': 610386, 'employee had glove': 273905, 'had glove on': 373141, 'glove on so': 352825, 'on so this': 603524, 'so this city': 778496, 'this city should': 886777, 'city should be': 179354, 'should be infested': 765650, 'be infested with': 115492, 'infested with very': 436937, 'with very soon': 1001976, 'very soon because': 955563, 'soon because the': 785653, 'because the people': 119639, 'the people here': 863477, 'people here are': 648244, 'here are ignorant': 392742, 'are ignorant they': 87295, 'ignorant they come': 415800, 'they come this': 881778, 'come this is': 187541, 'this is trumpcountry': 888439, 'be cleaned': 114099, 'in the neighboring': 429388, 'neighboring county and': 557172, 'county and my': 211317, 'and my usual': 67392, 'starting to be': 795013, 'to be cleaned': 901167, 'purdue released': 689949, 'online guide': 608340, 'help producer': 390357, 'producer navigate': 680659, 'navigate disruption': 553060, 'local production': 498304, 'production cycle': 682005, 'cycle it': 224056, 'it note': 459938, 'that postponement': 845800, 'postponement cancellation': 666846, 'well changing': 978101, 'changing demand': 172686, 'restaurant could': 716402, 'purdue released an': 689950, 'released an online': 709016, 'an online guide': 56620, 'online guide to': 608341, 'to help producer': 907592, 'help producer navigate': 390358, 'producer navigate disruption': 680660, 'navigate disruption to': 553061, 'disruption to local': 246546, 'to local production': 909383, 'local production cycle': 498305, 'production cycle it': 682006, 'cycle it note': 224057, 'it note that': 459939, 'note that postponement': 572809, 'that postponement cancellation': 845801, 'postponement cancellation of': 666847, 'cancellation of farmer': 161039, 'of farmer market': 583429, 'farmer market well': 299457, 'market well changing': 517328, 'well changing demand': 978102, 'changing demand from': 172687, 'from restaurant could': 337089, 'restaurant could have': 716403, 'could have major': 209259, 'have major impact': 381425, 'impact on local': 417869, 'on local food': 601893, 'local food producer': 497969, 'grandforksfinest': 361897, 'grandforksstrong': 361899, 'you notice': 1020141, 'notice scam': 573349, 'scam of': 740266, 'kind go': 474847, 'response center': 715650, 'fraud 877': 331216, '877 ftc': 23036, 'ftc help': 339410, 'info checking': 437440, 'out grandforksfinest': 626232, 'grandforksfinest grandforksstrong': 361898, 'if you notice': 415483, 'you notice scam': 1020144, 'notice scam of': 573350, 'scam of any': 740267, 'any kind go': 79389, 'kind go to': 474848, 'to the ftc': 916733, 'the ftc consumer': 855928, 'ftc consumer response': 339392, 'consumer response center': 198786, 'response center to': 715651, 'center to report': 169307, 'to report that': 913288, 'report that you': 712333, 'that you may': 847731, 'may be victim': 521049, 'be victim of': 117992, 'of fraud 877': 583892, 'fraud 877 ftc': 331217, '877 ftc help': 23037, 'ftc help for': 339411, 'help for covid': 389747, '19 info checking': 7874, 'info checking out': 437441, 'checking out grandforksfinest': 174840, 'out grandforksfinest grandforksstrong': 626233, '371': 18094, '159': 3998, 'trend story': 931453, 'friend yk': 333926, 'yk online': 1016407, 'online booze': 607944, 'by 371': 151641, '371 online': 18097, 'online gaming': 608288, 'gaming spend': 343364, 'spend up': 788692, 'up 237': 944134, '237 online': 15487, 'for condom': 320224, 'condom up': 193615, 'up 159': 944122, 'love this consumer': 504828, 'this consumer trend': 886846, 'consumer trend story': 199388, 'trend story from': 931454, 'our friend yk': 623188, 'friend yk online': 333927, 'yk online booze': 1016408, 'online booze sale': 607945, 'booze sale up': 135175, 'sale up by': 732622, 'up by 371': 944542, 'by 371 online': 151642, '371 online gaming': 18098, 'online gaming spend': 608290, 'gaming spend up': 343365, 'spend up 237': 788693, 'up 237 online': 944135, '237 online order': 15488, 'online order for': 608687, 'order for condom': 618224, 'for condom up': 320225, 'condom up 159': 193616, 'selfquarantineandchill': 748583, 'simple if': 770038, 'thing one': 884644, 'packed grocery': 633609, 'someone next': 784577, 'line coughing': 493038, 'and blowing': 59028, 'blowing their': 133384, 'their nose': 874072, 'nose selfquarantineandchill': 567923, 'selfquarantineandchill socialdistancingnow': 748584, 'very simple if': 955548, 'simple if sick': 770039, 'home the last': 402237, 'last thing one': 480545, 'thing one need': 884645, 'one need is': 606707, 'need is to': 555075, 'be in packed': 115420, 'in packed grocery': 426418, 'packed grocery store': 633610, 'store with someone': 811403, 'with someone next': 1000880, 'someone next to': 784578, 'next to you': 561636, 'to you in': 918904, 'you in line': 1019307, 'in line coughing': 424747, 'line coughing and': 493039, 'coughing and blowing': 208658, 'and blowing their': 59030, 'blowing their nose': 133385, 'their nose selfquarantineandchill': 874073, 'nose selfquarantineandchill socialdistancingnow': 567924, 'ucr': 937895, 'on ranging': 603075, 'from visit': 338253, 'wearing and': 974585, 'and ucr': 74566, 'answer question on': 78101, 'question on ranging': 693680, 'on ranging from': 603076, 'ranging from visit': 696762, 'from visit to': 338254, 'visit to wearing': 959420, 'to wearing and': 918450, 'wearing and ucr': 974586, 'hazardous': 384589, 'up job': 945258, 'and realizing': 70010, 'realizing people': 701936, 'giving hazardous': 351307, 'hazardous pay': 384595, 'new hire': 558882, 'hire pandemic': 397018, 'picked up job': 655814, 'up job at': 945259, 'job at local': 465677, 'store after 19': 806081, 'after 19 started': 35278, '19 started and': 10782, 'started and realizing': 794683, 'and realizing people': 70011, 'realizing people really': 701937, 'people really don': 649242, 'really don understand': 702145, 'understand socialdistancing and': 940715, 'socialdistancing and now': 780214, 'and now finding': 67832, 'now finding out': 574690, 'finding out that': 307524, 'out that this': 627335, 'that this company': 846984, 'this company is': 886825, 'company is not': 190804, 'is not giving': 450093, 'not giving hazardous': 569658, 'giving hazardous pay': 351308, 'hazardous pay to': 384596, 'pay to new': 645187, 'to new hire': 910560, 'new hire pandemic': 558883, 'hire pandemic stayhome': 397019, 'antiaging': 78342, 'safe by': 729533, 'smart follow': 775377, 'order you': 618799, 'safe every': 729638, 'every moment': 286015, 'moment you': 536133, 'store antiaging': 806421, 'stay safe by': 797217, 'safe by shopping': 729536, 'by shopping smart': 154000, 'shopping smart follow': 763919, 'smart follow these': 775378, 'these tip in': 880859, 'tip in order': 898824, 'in order you': 426223, 'order you can': 618800, 'stay safe every': 797233, 'safe every moment': 729639, 'every moment you': 286016, 'moment you need': 536134, 'need you need': 556261, 'grocery store antiaging': 365202, 'gether': 348781, 'neighbor need': 557055, 'donation due': 254590, 'not violation': 572402, 'this gether': 887690, 'gether learn': 348782, 'your neighbor need': 1024959, 'neighbor need your': 557056, 'your help local': 1024304, 'help local food': 390010, 'bank need donation': 110022, 'need donation due': 554703, 'donation due to': 254591, 'demand from 19': 235530, 'from 19 going': 334209, 'going to food': 355604, 'bank to give': 110258, 'give or get': 350623, 'or get food': 615426, 'get food is': 347047, 'is not violation': 450219, 'not violation of': 572403, 'of the stay': 591490, 'order can you': 618112, 'in this gether': 429951, 'this gether learn': 887691, 'gether learn more': 348783, 'roaming': 724568, 'just announce': 468186, 'damn lockdown': 225386, 'lockdown no': 499688, 'serious no': 751432, 'necessary they': 554103, 'still roaming': 801124, 'roaming here': 724569, 'there prevention': 878952, 'cure close': 220719, 'just announce god': 468187, 'announce god damn': 76841, 'god damn lockdown': 354676, 'damn lockdown no': 225387, 'lockdown no one': 499689, 'one is serious': 606520, 'is serious no': 451788, 'serious no one': 751433, 'no one people': 564954, 'one people don': 606845, 'up food and': 944875, 'other necessary they': 620564, 'necessary they are': 554104, 'are still roaming': 90475, 'still roaming here': 801125, 'roaming here and': 724570, 'here and there': 392713, 'and there prevention': 73850, 'there prevention is': 878953, 'than cure close': 840480, 'cure close everything': 220720, 'national supermarket': 552626, 'failed the': 296164, 'test miserably': 839086, 'national supermarket chain': 552627, 'chain have failed': 170761, 'have failed the': 380559, 'failed the test': 296165, 'the test miserably': 869315, 'yesterday you': 1015964, 'radio yesterday you': 695471, 'yesterday you can': 1015965, 'in to learn': 430118, 're enjoying': 698614, 'enjoying your': 277251, 'your weekend': 1026335, 'weekend there': 977425, 'help survive': 390625, 'some like': 783200, 'shopping won': 764457, 'won cost': 1003776, 'you penny': 1020313, 'penny extra': 646609, 'extra here': 293542, 'good morning on': 357411, 'morning on we': 541392, 'on we hope': 605135, 'you re enjoying': 1020613, 're enjoying your': 698615, 'enjoying your weekend': 277252, 'your weekend there': 1026336, 'weekend there are': 977426, 'are many way': 88040, 'can help survive': 158660, 'help survive through': 390626, 'survive through this': 829278, 'through this difficult': 894812, 'difficult time some': 242307, 'time some like': 897712, 'some like online': 783201, 'online shopping won': 609353, 'shopping won cost': 764458, 'won cost you': 1003777, 'cost you penny': 208171, 'you penny extra': 1020314, 'penny extra here': 646610, 'extra here how': 293543, 'kilcock': 474305, 'kildare': 474308, 'supervalu ha': 824364, 'released video': 709100, 'video taking': 956912, 'shopper inside': 761570, 'in kilcock': 424504, 'kilcock co': 474306, 'co kildare': 184870, 'kildare their': 474309, 'their brilliant': 872651, 'brilliant staff': 139887, 'work tirelessly': 1005875, 'stocked through': 803426, 'supervalu ha released': 824365, 'ha released video': 371711, 'released video taking': 709101, 'video taking shopper': 956913, 'taking shopper inside': 833564, 'shopper inside it': 761572, 'inside it warehouse': 439299, 'it warehouse in': 462241, 'warehouse in kilcock': 966734, 'in kilcock co': 424505, 'kilcock co kildare': 474307, 'co kildare their': 184871, 'kildare their brilliant': 474310, 'their brilliant staff': 872652, 'brilliant staff work': 139888, 'staff work tirelessly': 793108, 'work tirelessly to': 1005877, 'tirelessly to keep': 899090, 'keep supermarket shelf': 471989, 'shelf stocked through': 757586, 'stocked through the': 803427, 'through the lockdown': 894748, 'scent 41': 741381, '41 oz': 18866, 'bottle bleach': 136193, 'linen scent 41': 493641, 'scent 41 oz': 741382, '41 oz bottle': 18867, 'oz bottle bleach': 632726, 'bleaching': 132540, 'rick': 721377, 'multiple high': 545754, 'so doing': 776899, 'doing extreme': 252397, 'extreme isolation': 293811, 'isolation shopping': 455427, 'shopping amount': 761948, 'and bleaching': 59004, 'bleaching the': 132541, 'the container': 851647, 'container etc': 200541, 'reduce rick': 705917, 'rick of': 721378, 'exposure take': 292996, 'care care': 163880, 'care sir': 164200, 'in multiple high': 425506, 'multiple high risk': 545755, 'risk category for': 723455, 'category for covid': 167179, '19 so doing': 10639, 'so doing extreme': 776900, 'doing extreme isolation': 252398, 'extreme isolation shopping': 293813, 'isolation shopping amount': 455428, 'shopping amount to': 761949, 'amount to ordering': 53297, 'to ordering online': 911094, 'ordering online and': 618992, 'online and bleaching': 607807, 'and bleaching the': 59005, 'bleaching the container': 132542, 'the container etc': 851648, 'container etc to': 200542, 'to reduce rick': 913035, 'reduce rick of': 705918, 'rick of exposure': 721379, 'of exposure take': 583336, 'exposure take care': 292997, 'take care care': 832005, 'care care sir': 163881, 'care sir and': 164201, 'sir and keeping': 771540, 'and keeping you': 65802, 'keeping you and': 472625, 'your stop': 1025956, 'can big': 157761, 'wash your stop': 967592, 'your stop hoarding': 1025957, 'stop hoarding the': 804744, 'hoarding the stay': 399588, 'the stay home': 867850, 'you can big': 1017631, 'can big love': 157762, 'love to healthcare': 504848, 'healthcare worker sanitation': 387381, 'employee and on': 273575, 'and on and': 68053, 'on and on': 599364, 'they talking': 883530, 'about mandatory': 25699, 'quarantine refused': 692488, 'refused for': 707057, 'get serious': 347968, 'bout to hit': 136927, 'to hit this': 907855, 'hit this grocery': 398461, 'store since they': 810195, 'since they talking': 770932, 'they talking about': 883531, 'talking about mandatory': 833979, 'about mandatory quarantine': 25700, 'mandatory quarantine refused': 513053, 'quarantine refused for': 692489, 'refused for awhile': 707058, 'for awhile but': 319551, 'awhile but it': 106263, 'but it about': 146094, 'it about to': 456241, 'about to get': 26718, 'to get serious': 906587, 'another recently': 77794, 'recently that': 704165, 'some lady': 783177, 'lady walked': 478861, 'started coughing': 794719, 'coughing all': 208655, 'purpose like': 690139, 'heard from another': 388080, 'from another recently': 334540, 'another recently that': 77795, 'recently that some': 704166, 'that some lady': 846387, 'some lady walked': 783179, 'lady walked into': 478863, 'store and started': 806357, 'and started coughing': 72256, 'started coughing all': 794720, 'coughing all over': 208656, 'over the food': 630721, 'the food on': 855580, 'food on purpose': 315599, 'on purpose like': 603028, 'purpose like what': 690140, 'like what the': 491796, 'buybritish': 149538, 'new filter': 558735, 'shopping page': 763585, 'page would': 633922, 'to exclude': 905401, 'exclude some': 289623, 'who neglect': 989335, 'neglect their': 556882, 'customer standard': 222870, 'standard will': 793721, 'rise if': 722871, 'money stop': 537037, 'stop flowing': 804657, 'flowing going': 311352, 'to buybritish': 902344, 'buybritish going': 149539, 'and others can': 68438, 'others can we': 621323, 'have new filter': 381591, 'new filter on': 558736, 'filter on our': 305776, 'on our online': 602617, 'online shopping page': 609217, 'shopping page would': 763586, 'page would like': 633923, 'like to exclude': 491587, 'to exclude some': 905402, 'exclude some country': 289624, 'some country who': 782620, 'country who neglect': 211234, 'who neglect their': 989336, 'neglect their worker': 556883, 'their worker and': 875209, 'and customer standard': 60867, 'customer standard will': 222871, 'standard will rise': 793722, 'will rise if': 994712, 'rise if the': 722872, 'if the money': 415001, 'the money stop': 860826, 'money stop flowing': 537038, 'stop flowing going': 804658, 'flowing going to': 311353, 'going to buybritish': 355546, 'to buybritish going': 902345, 'buybritish going forward': 149540, 'much our': 545215, 'our night': 624078, 'night shelter': 563065, 'shelter volunteer': 757957, 'cook for': 202741, 'guest due': 368150, 'item individual': 463374, 'individual can': 435153, 'will really': 994575, 'you http': 1019265, 'so much our': 777798, 'much our night': 545216, 'our night shelter': 624079, 'night shelter volunteer': 563066, 'shelter volunteer are': 757958, 'volunteer are struggling': 960227, 'to buy enough': 902222, 'food to cook': 317241, 'to cook for': 903481, 'cook for our': 202743, 'for our guest': 324251, 'our guest due': 623318, 'guest due to': 368151, 'shortage and restriction': 764827, 'and restriction on': 70413, 'number of item': 576951, 'of item individual': 585484, 'item individual can': 463375, 'individual can purchase': 435154, 'can purchase this': 159347, 'purchase this will': 689684, 'this will really': 891439, 'will really help': 994576, 'really help thank': 702277, 'thank you http': 841749, 'sustained': 829819, 'gas were': 344183, 'were struggling': 980189, 'struggling before': 814422, 'it worsened': 462553, 'worsened since': 1011083, 'and sustained': 72918, 'sustained low': 829824, 'out production': 627073, 'and gas were': 63490, 'gas were struggling': 344184, 'were struggling before': 980190, 'struggling before covid': 814423, '19 it worsened': 8163, 'it worsened since': 462554, 'worsened since and': 1011084, 'since and sustained': 770506, 'and sustained low': 72919, 'sustained low price': 829825, 'price will wipe': 677596, 'will wipe out': 995355, 'wipe out production': 996349, 'seemslegit': 746901, 'case anyone': 165633, 'laugh during': 481723, 'this chaotic': 886745, 'chaotic time': 173104, 'cousin came': 212082, 'really coronaapocalypse': 702078, 'coronaapocalypse donttouchyourface': 204432, 'donttouchyourface ftw': 255409, 'ftw seemslegit': 339499, 'in case anyone': 421254, 'case anyone need': 165634, 'anyone need laugh': 80424, 'need laugh during': 555144, 'laugh during this': 481724, 'during this chaotic': 263268, 'this chaotic time': 886746, 'chaotic time my': 173106, 'time my cousin': 897243, 'my cousin came': 547837, 'cousin came across': 212083, 'across this dude': 29539, 'this dude at': 887310, 'store all can': 806131, 'say is what': 738827, 'is what in': 453880, 'in the actual': 428965, 'actual fuck is': 30660, 'fuck is this': 339593, 'this really coronaapocalypse': 889818, 'really coronaapocalypse donttouchyourface': 702079, 'coronaapocalypse donttouchyourface ftw': 204433, 'donttouchyourface ftw seemslegit': 255410, 'coronacrisis are': 204514, 'still too': 801322, 'of base': 580559, 'metal relatively': 529654, 'corona crisis keep': 203908, 'the coronacrisis are': 851775, 'coronacrisis are still': 204516, 'are still too': 90491, 'still too high': 801323, 'will keep price': 993897, 'price of base': 675410, 'of base metal': 580560, 'base metal relatively': 111464, 'metal relatively low': 529655, 'few industry': 303881, 'industry hiring': 435885, 'grocery amp': 364218, 'retailer read': 719289, 'one of only': 606758, 'of only few': 587274, 'only few industry': 610437, 'few industry hiring': 303882, 'industry hiring during': 435886, 'hiring during the': 397087, 'outbreak is grocery': 628375, 'is grocery amp': 448227, 'grocery amp supermarket': 364222, 'amp supermarket retailer': 54588, 'supermarket retailer read': 822235, 'retailer read more': 719290, 'enfield do': 276650, 'problem facing': 679516, 'facing by': 295417, 'care hope': 164008, 'consumer forum': 197526, 'forum after': 329948, 'royal enfield do': 726617, 'enfield do you': 276651, 'the problem facing': 864510, 'problem facing by': 679517, 'facing by your': 295418, 'by your customer': 154785, 'your customer or': 1023416, 'customer or is': 222654, 'it just you': 459257, 'just you act': 470377, 'you care hope': 1017895, 'care hope to': 164009, 'hope to meet': 403741, 'at consumer forum': 98318, 'consumer forum after': 197528, 'forum after the': 329949, 'on mr': 602241, 'mr prime': 544398, 'some protection': 783664, 'so only': 777955, 'household go': 406813, 'of walking': 592889, 'this chaos': 886743, 'come on mr': 187441, 'on mr prime': 602242, 'mr prime minister': 544399, 'minister it time': 533387, 'to give some': 906714, 'give some protection': 350710, 'some protection to': 783667, 'protection to the': 685655, 'retail sector and': 718524, 'sector and make': 744086, 'make it so': 510055, 'it so only': 461122, 'so only one': 777956, 'member of household': 528141, 'of household go': 584796, 'household go shopping': 406814, 'go shopping there': 354131, 'shopping there doesn': 764105, 'there doesn need': 878332, 'to be family': 901251, 'be family of': 114802, 'family of walking': 298109, 'of walking around': 592890, 'the supermarket adding': 868447, 'supermarket adding to': 818781, 'adding to this': 31715, 'to this chaos': 917409, 'struggling too': 814524, 'abuse we': 27676, 'receiving is': 703775, 'horrible feel': 404097, 'who wake': 989921, 'bulk but': 142246, 'please there': 660666, 'everyone be': 286728, 'kind let': 474859, 'supermarket staff we': 822904, 'we are struggling': 970727, 'are struggling too': 90594, 'struggling too the': 814525, 'too the abuse': 925110, 'the abuse we': 848268, 'abuse we are': 27677, 'are receiving is': 89502, 'receiving is horrible': 703776, 'is horrible feel': 448546, 'horrible feel sorry': 404099, 'staff who wake': 793092, 'who wake up': 989922, 'wake up to': 964630, 'to empty shop': 905034, 'empty shop do': 275121, 'make it in': 510039, 'in bulk but': 421030, 'bulk but please': 142247, 'but please there': 146807, 'please there is': 660668, 'for everyone be': 321199, 'everyone be kind': 286730, 'be kind let': 115619, 'kind let all': 474860, 'let all support': 486572, 'westernjournal': 980659, 'thewesternjournal': 881072, 'hand folk': 374935, 'folk westernjournal': 312294, 'westernjournal thewesternjournal': 980660, 'thewesternjournal news': 881073, 'news newjersey': 560631, 'newjersey usnews': 560090, 'usnews 19': 950829, 'not make your': 570513, 'sanitizer just wash': 735244, 'your hand folk': 1024187, 'hand folk westernjournal': 374937, 'folk westernjournal thewesternjournal': 312295, 'westernjournal thewesternjournal news': 980661, 'thewesternjournal news newjersey': 881074, 'news newjersey usnews': 560632, 'newjersey usnews 19': 560091, 'how plan': 408516, 'how plan on': 408517, 'store from now': 807882, 'now on to': 575438, 'on to prevent': 604754, 'prevent getting covid': 671634, 'nastiness': 552050, 'brilliant point': 139879, 'point from': 662489, 'from tonight': 338102, 'tonight it': 924430, 'people fault': 647873, 'if when': 415355, 'it busy': 456942, 'busy these': 144989, 'be tough': 117774, 'the nastiness': 861210, 'nastiness on': 552051, 'twitter show': 936711, 'little love': 495445, 'stop using': 805246, '19 chance': 5759, 'settle old': 753684, 'brilliant point from': 139880, 'point from tonight': 662492, 'from tonight it': 338103, 'tonight it not': 924432, 'it not people': 459909, 'not people fault': 570996, 'people fault if': 647874, 'fault if when': 300407, 'if when they': 415357, 'when they turn': 984286, 'they turn up': 883597, 'turn up to': 935807, 'up to supermarket': 946431, 'to supermarket it': 915805, 'supermarket it busy': 821164, 'it busy these': 456943, 'busy these are': 144990, 'these are going': 879619, 'to be tough': 901599, 'be tough time': 117775, 'tough time can': 926848, 'we stop with': 973432, 'with the nastiness': 1001397, 'the nastiness on': 861211, 'nastiness on twitter': 552052, 'on twitter show': 604924, 'twitter show each': 936712, 'other little love': 620482, 'little love and': 495446, 'love and stop': 504600, 'and stop using': 72493, 'stop using covid': 805248, 'covid 19 chance': 212784, '19 chance to': 5760, 'chance to settle': 171817, 'to settle old': 914303, 'elnenythings': 271590, 'rush going': 728295, 're sticking': 699585, 'sticking together': 800110, 'and pulling': 69767, 'pulling through': 688947, 'through elnenythings': 894439, 'how the supermarket': 408880, 'the supermarket rush': 868781, 'supermarket rush going': 822283, 'rush going with': 728296, 'going with covid': 355813, 'you re sticking': 1020758, 're sticking together': 699586, 'sticking together and': 800111, 'together and pulling': 920695, 'and pulling through': 69768, 'pulling through elnenythings': 688948, 'relied': 709261, 'yes sold': 1015531, 'stock off': 802553, 'which downplayed': 985831, 'downplayed in': 257674, 'public yes': 688501, 'yes had': 1015452, 'had access': 372814, 'to inside': 908408, 'inside non': 439322, 'non public': 566479, 'public information': 688105, 'because only': 119443, 'only relied': 611068, 'relied on': 709262, 'information of': 437904, 'already reflected': 47612, 'yes sold my': 1015532, 'sold my stock': 781706, 'my stock off': 550207, 'stock off because': 802554, '19 which downplayed': 12037, 'which downplayed in': 985832, 'downplayed in public': 257675, 'in public yes': 427110, 'public yes had': 688502, 'yes had access': 1015453, 'had access to': 372815, 'access to inside': 28247, 'to inside non': 908409, 'inside non public': 439323, 'non public information': 566481, 'public information about': 688106, 'it ok because': 460015, 'ok because only': 597770, 'because only relied': 119444, 'only relied on': 611069, 'relied on the': 709263, 'the public information': 864822, 'public information of': 688108, 'information of covid': 437905, '19 that wa': 11162, 'wa already reflected': 961493, 'already reflected in': 47613, 'reflected in stock': 706643, 'the sage': 866161, 'sage report': 730896, 'report prepared': 712187, 'say large': 738881, 'scale rioting': 739912, 'rioting is': 722636, 'unlikely and': 942743, 'and rarely': 69941, 'circumstance we': 178759, 'had riot': 373458, 'for tory': 327287, 'tory policy': 926075, 'and whoever': 75600, 'whoever wrote': 990126, 'report clearly': 711867, 'clearly hasn': 181515, 'the sage report': 866162, 'sage report prepared': 730897, 'report prepared for': 712188, 'government say large': 360568, 'say large scale': 738882, 'large scale rioting': 479788, 'scale rioting is': 739913, 'rioting is unlikely': 722637, 'is unlikely and': 453526, 'unlikely and rarely': 942744, 'and rarely seen': 69942, 'seen in these': 747086, 'these circumstance we': 879759, 'circumstance we had': 178760, 'we had riot': 971720, 'had riot in': 373459, 'riot in the': 722613, 'the 80 for': 848198, '80 for tory': 22578, 'for tory policy': 327288, 'tory policy and': 926076, 'policy and whoever': 663337, 'and whoever wrote': 75602, 'whoever wrote the': 990127, 'wrote the report': 1013216, 'the report clearly': 865530, 'report clearly hasn': 711868, 'clearly hasn been': 181516, 'hasn been in': 378729, 'roll aisle in': 725164, 'aisle in any': 40274, 'in any supermarket': 420440, 'any supermarket coronacrisis': 79892, 'simplest': 770155, 'gonna channel': 356495, 'channel my': 172903, 'inner karen': 438801, 'karen for': 470893, 'moment dude': 535922, 'dude it': 261595, 'absolute simplest': 27294, 'simplest socialdistancing': 770156, 'simple take': 770101, 'take no': 832361, 'extra effort': 293505, 'effort just': 269544, 'just follow': 468736, 'the stupid': 868343, 'stupid arrow': 815348, 'coming at': 187997, 'me bro': 522526, 'bro in': 140685, 'my aisle': 547247, 'gonna channel my': 356496, 'channel my inner': 172904, 'my inner karen': 548857, 'inner karen for': 438802, 'karen for moment': 470894, 'for moment dude': 323485, 'moment dude it': 535923, 'dude it the': 261596, 'it the absolute': 461510, 'the absolute simplest': 848256, 'absolute simplest socialdistancing': 27295, 'simplest socialdistancing thing': 770157, 'socialdistancing thing you': 780807, 'can do at': 158093, 'store it so': 808593, 'it so simple': 461128, 'so simple take': 778221, 'simple take no': 770102, 'take no extra': 832362, 'no extra effort': 564182, 'extra effort just': 293506, 'effort just follow': 269545, 'just follow the': 468737, 'follow the stupid': 312547, 'the stupid arrow': 868345, 'stupid arrow on': 815349, 'floor and stop': 310772, 'and stop coming': 72471, 'stop coming at': 804574, 'coming at me': 187998, 'at me bro': 99701, 'me bro in': 522527, 'bro in my': 140686, 'in my aisle': 425532, 'allow agency': 45912, 'agency company': 37998, 'to fail': 905604, 'fail because': 296085, 'are run': 89756, 'run or': 727747, 'or because': 614517, 'own greed': 632027, 'greed then': 363444, 'today high': 919653, 'price tomorrow': 677078, 'tomorrow unfair': 924223, 'unfair rule': 941438, 'rule next': 727298, 'we allow agency': 970383, 'allow agency company': 45913, 'agency company to': 37999, 'company to fail': 191226, 'to fail because': 905605, 'fail because of': 296086, 'of how they': 584843, 'they are run': 881393, 'are run or': 89757, 'run or because': 727748, 'or because of': 614518, 'their own greed': 874178, 'own greed then': 632028, 'greed then let': 363445, 'then let do': 877309, 'do it covid': 249471, '19 today high': 11469, 'today high gas': 919654, 'gas price tomorrow': 344042, 'price tomorrow unfair': 677079, 'tomorrow unfair rule': 924224, 'unfair rule next': 941439, 'rule next week': 727299, 'formulation': 329746, '1gal': 12604, 'purell multi': 690019, 'multi surface': 545672, 'surface sanitizer': 828069, 'safe no': 729835, 'rinse formulation': 722573, 'formulation 1gal': 329747, '1gal 128': 12605, '128 oz': 3092, 'purell multi surface': 690020, 'multi surface sanitizer': 545673, 'surface sanitizer food': 828071, 'sanitizer food safe': 734886, 'food safe no': 316261, 'safe no rinse': 729838, 'no rinse formulation': 565372, 'rinse formulation 1gal': 722574, 'formulation 1gal 128': 329748, '1gal 128 oz': 12606, 'comfy': 187912, 'now reached': 575641, 'the stage': 867711, 'stage where': 793220, 'where ve': 985327, 'done some': 255017, 'home clothes': 400905, 'clothes including': 184172, 'including comfy': 431917, 'comfy bra': 187913, 'bra and': 137474, 'and smart': 71788, 'smart ish': 775386, 'ish clothes': 454213, 'clothes made': 184176, 'made mainly': 507822, 'mainly of': 508883, 'of jersey': 585518, 'jersey workingfromhomelife': 465237, 'workingfromhomelife coronacrisis': 1009118, 've now reached': 953411, 'now reached the': 575642, 'reached the stage': 700062, 'the stage where': 867714, 'stage where ve': 793221, 'where ve just': 985328, 've just done': 953298, 'just done some': 468644, 'done some online': 255018, 'shopping for working': 762733, 'from home clothes': 335848, 'home clothes including': 400906, 'clothes including comfy': 184173, 'including comfy bra': 431918, 'comfy bra and': 187914, 'bra and smart': 137475, 'and smart ish': 71789, 'smart ish clothes': 775387, 'ish clothes made': 454214, 'clothes made mainly': 184177, 'made mainly of': 507823, 'mainly of jersey': 508884, 'of jersey workingfromhomelife': 585519, 'jersey workingfromhomelife coronacrisis': 465238, 'quarantine on': 692401, 'retail we': 718844, 've evaluated': 953083, 'evaluated amp': 283720, 'amp forecasted': 53834, 'forecasted the': 328889, 'possible future': 665654, 'future scenario': 342453, 'scenario after': 741245, 'after mapping': 35905, 'mapping every': 514961, 'single store': 771403, 'be the impact': 117622, '19 quarantine on': 9914, 'quarantine on retail': 692404, 'on retail we': 603185, 'retail we ve': 718845, 'we ve evaluated': 973659, 've evaluated amp': 953084, 'evaluated amp forecasted': 283721, 'amp forecasted the': 53835, 'forecasted the possible': 328890, 'the possible future': 864074, 'possible future scenario': 665655, 'future scenario after': 342454, 'scenario after mapping': 741246, 'after mapping every': 35906, 'mapping every single': 514962, 'every single store': 286192, 'single store in': 771405, 'ferret': 303568, 'dontforgetyourpets': 255357, 'people fighting': 647904, 'water cleaning': 968945, 'pet you': 653483, 'eat too': 266088, 'too remember': 925031, 'remember them': 710327, 'them next': 876050, 'for stuff': 325951, 'panic pet': 638415, 'cat ferret': 166856, 'ferret dontforgetyourpets': 303569, 'people fighting over': 647906, 'over food water': 630226, 'food water cleaning': 317507, 'water cleaning supply': 968946, 'supply and toilet': 824761, 'paper do not': 640097, 'see anyone buying': 744930, 'anyone buying food': 80210, 'their pet you': 874286, 'pet you know': 653484, 'you know they': 1019530, 'know they need': 476879, 'to eat too': 904907, 'eat too remember': 266091, 'too remember them': 925032, 'remember them next': 710330, 'them next time': 876051, 'shop for stuff': 760203, 'for stuff in': 325952, 'stuff in panic': 815098, 'in panic pet': 426484, 'panic pet dog': 638416, 'dog cat ferret': 252058, 'cat ferret dontforgetyourpets': 166857, 'whipsawed': 987752, 'just wrapped': 470351, 'wrapped up': 1012680, 'up wa': 946530, 'wa disaster': 961984, 'crisis whipsawed': 218396, 'whipsawed the': 987753, 'multi month': 545659, 'despite rakamoto': 238828, 'of 2020 which': 579509, '2020 which just': 14716, 'which just wrapped': 986089, 'just wrapped up': 470352, 'wrapped up wa': 1012681, 'up wa disaster': 946531, 'wa disaster for': 961985, 'disaster for the': 244210, 'for the financial': 326435, 'financial market the': 306513, 'market the crisis': 517183, 'the crisis whipsawed': 852480, 'crisis whipsawed the': 218397, 'whipsawed the crypto': 987754, 'the crypto price': 852551, 'crypto price to': 219959, 'price to multi': 677018, 'to multi month': 910344, 'multi month low': 545660, 'month low despite': 537839, 'low despite rakamoto': 505246, 'despite rakamoto wednesdaythoughts': 238829, 'some charlatan': 782510, 'charlatan in': 173731, 'government think': 360691, 'that reducing': 845976, 'reducing supermarket': 706322, 'will somehow': 994886, 'somehow reduce': 784333, 'actually do': 30781, 'some charlatan in': 782511, 'charlatan in the': 173732, 'the government think': 856613, 'government think that': 360692, 'think that reducing': 885606, 'that reducing supermarket': 845977, 'reducing supermarket opening': 706323, 'opening time will': 612933, 'time will somehow': 898343, 'will somehow reduce': 994887, 'somehow reduce the': 784334, '19 it will': 8162, 'it will actually': 462367, 'will actually do': 992193, 'actually do the': 30784, 'do the opposite': 250253, 'slowly getting': 774595, 'right place': 722231, 'do but': 249156, 'slowly getting to': 774596, 'the right place': 865818, 'right place on': 722232, 'place on supermarket': 657621, 'vulnerable people not': 961101, 'people not easy': 648865, 'not easy to': 569136, 'to do but': 904491, 'do but the': 249158, 'but the right': 147400, 'bubble watch': 141621, 'watch california': 968377, 'can dodge': 158134, 'dodge coronavirus': 251274, 'coronavirus job': 206185, 'job cut': 465768, 'cut since': 223536, 'impact hit': 417692, 'hit three': 398467, 'ago ca': 38359, 'ca ha': 154884, 'lost half': 503852, 'created since': 215889, 'great financial': 362668, 'bubble watch california': 141622, 'watch california home': 968378, 'california home price': 155519, 'home price can': 401895, 'price can dodge': 673057, 'can dodge coronavirus': 158135, 'dodge coronavirus job': 251275, 'coronavirus job cut': 206186, 'job cut since': 465769, 'cut since covid': 223537, '19 impact hit': 7698, 'impact hit three': 417693, 'hit three week': 398468, 'week ago ca': 975840, 'ago ca ha': 38360, 'ca ha lost': 154885, 'ha lost half': 371186, 'lost half of': 503853, 'the job created': 858654, 'job created since': 465761, 'created since the': 215890, 'since the depth': 770876, 'the great financial': 856721, 'great financial crisis': 362669, 'psych': 687496, 'psych rn': 687497, 'rn tweet': 724345, 'tweet anyone': 936345, 'anyone wearing': 80608, 'wearing n95masks': 974743, 'n95masks publicly': 551270, 'publicly can': 688579, 'go themselves': 354212, 'themselves the': 876899, 'immunocompromised should': 417478, 'all n95s': 43577, 'n95s should': 551277, 'healthcare wearing': 387330, 'wearing one': 974751, 'mask guess': 518769, 'go die': 353460, 'die ableism': 241292, 'ableism disabled': 24586, 'psych rn tweet': 687498, 'rn tweet anyone': 724346, 'tweet anyone wearing': 936346, 'anyone wearing n95masks': 80609, 'wearing n95masks publicly': 974744, 'n95masks publicly can': 551271, 'publicly can go': 688580, 'can go themselves': 158515, 'go themselves the': 354214, 'themselves the immunocompromised': 876900, 'the immunocompromised should': 857923, 'immunocompromised should stay': 417480, 'should stay home': 766496, 'home all n95s': 400582, 'all n95s should': 43578, 'n95s should be': 551278, 'should be donated': 765603, 'to healthcare wearing': 907386, 'healthcare wearing one': 387331, 'wearing one to': 974752, 'one to grocery': 607276, 'is not need': 450137, 'not need the': 570674, 'need the trip': 555759, 'the trip or': 869997, 'trip or the': 932131, 'or the mask': 617386, 'the mask guess': 860214, 'mask guess ll': 518770, 'll just go': 496858, 'just go die': 468825, 'go die ableism': 353461, 'die ableism disabled': 241293, 'hoboken': 399789, '255': 16068, 'sad day': 729160, 'in hoboken': 423767, 'hoboken more': 399790, 'more neighbor': 539832, 'neighbor lost': 557051, '19 total': 11519, 'of 255': 579542, '255 resident': 16071, 'positive non': 665378, 'essential construction': 280937, 'construction is': 195803, 'finally being': 305946, 'being halted': 125211, 'halted at': 374481, '8pm friday': 23220, 'friday all': 333192, 'only operate': 610911, '50 now': 19762, 'sad day in': 729162, 'day in hoboken': 227797, 'in hoboken more': 423768, 'hoboken more neighbor': 399791, 'more neighbor lost': 539833, 'neighbor lost their': 557052, 'life to covid': 489132, 'covid 19 total': 213968, '19 total of': 11521, 'total of 255': 926207, 'of 255 resident': 579543, '255 resident have': 16072, 'resident have tested': 714311, 'tested positive non': 839352, 'positive non essential': 665379, 'non essential construction': 566334, 'essential construction is': 280938, 'construction is finally': 195804, 'is finally being': 447805, 'finally being halted': 305948, 'being halted at': 125212, 'halted at 8pm': 374482, 'at 8pm friday': 97794, '8pm friday all': 23221, 'friday all supermarket': 333193, 'all supermarket can': 44545, 'supermarket can only': 819509, 'can only operate': 159133, 'only operate at': 610912, 'operate at 50': 612979, 'at 50 now': 97678, '50 now all': 19763, 'now all this': 573966, 'all this more': 45118, 'china beauty': 176517, 'beauty appetite': 118743, 'appetite bounce': 82230, '19 chaos': 5771, 'chaos retail': 173051, 'shopping commerce': 762381, 'commerce b2c': 188520, 'b2c dtc': 106483, 'dtc retail': 261397, 'china beauty appetite': 176518, 'beauty appetite bounce': 118744, 'appetite bounce back': 82231, 'bounce back from': 136803, 'back from covid': 107005, 'covid 19 chaos': 212787, '19 chaos retail': 5773, 'chaos retail online': 173052, 'online shopping commerce': 609075, 'shopping commerce b2c': 762382, 'commerce b2c dtc': 188521, 'b2c dtc retail': 106484, 'dtc retail cx': 261398, 'paidleaveforall': 634188, 'the shut': 867125, 'large retail': 479773, 'suit paidleaveforall': 817778, 'to for providing': 906154, 'for providing week': 324839, 'providing week of': 687138, 'week of pay': 976636, 'of pay to': 587831, 'pay to all': 645178, 'to all store': 900287, 'store employee during': 807480, 'during the shut': 263191, 'the shut down': 867126, 'down all large': 256462, 'all large retail': 43346, 'large retail company': 479774, 'retail company should': 717976, 'company should follow': 191078, 'should follow suit': 766006, 'follow suit paidleaveforall': 312509, 'overhear': 631226, 'kindness tip': 475227, 'tip often': 898846, 'often overhear': 596254, 'overhear at': 631227, 'supermarket older': 821716, 'older stranger': 598680, 'stranger who': 812503, 'internet saying': 442011, 'get hygienic': 347275, 'hygienic glove': 412218, 'glove from': 352693, 'spare can': 787469, 'easily buy': 265191, 'few pair': 303979, 'pair with': 634346, 'kindness tip often': 475228, 'tip often overhear': 898847, 'often overhear at': 596255, 'overhear at the': 631228, 'the supermarket older': 868724, 'supermarket older stranger': 821717, 'older stranger who': 598681, 'stranger who do': 812505, 'not do the': 569069, 'do the internet': 250247, 'the internet saying': 858392, 'internet saying they': 442012, 'saying they do': 739723, 'not know where': 570309, 'to get hygienic': 906504, 'get hygienic glove': 347276, 'hygienic glove from': 412219, 'glove from for': 352694, 'from for shopping': 335532, 'for shopping if': 325585, 'have some to': 382643, 'some to spare': 784081, 'to spare can': 914954, 'spare can easily': 787470, 'can easily buy': 158180, 'easily buy online': 265192, 'buy online take': 149051, 'online take few': 609517, 'take few pair': 832117, 'few pair with': 303980, 'pair with you': 634347, 'you to offer': 1021815, 'mum actually': 545866, 'actually mounted': 30888, 'mounted dispenser': 543438, 'soap you': 779192, 'enter her': 278256, 'mum actually mounted': 545867, 'actually mounted dispenser': 30889, 'mounted dispenser and': 543439, 'dispenser and soap': 246136, 'and soap you': 71874, 'soap you wash': 779194, 'you enter her': 1018426, 'enter her supermarket': 278257, 'her supermarket no': 392415, 'supermarket no chance': 821606, 'no chance for': 563781, 'chance for covid': 171723, 'focused at': 311937, 'signing off to': 769641, 'off to stay': 594327, 'to stay focused': 915285, 'stay focused at': 796868, 'focused at the': 311938, 'pickup delivery': 655957, 'delivery accept': 233615, 'accept snap': 27991, 'snap call': 776083, 'pharmacy see': 654441, 'deliver prescription': 233194, 'prescription otc': 670526, 'medication many': 526662, 'many offer': 514406, 'free reduced': 332092, 'delivery sneeze': 234550, 'sneeze cough': 776234, 'crook of': 218874, 'chain have online': 170766, 'have online pickup': 381806, 'online pickup delivery': 608756, 'pickup delivery accept': 655958, 'delivery accept snap': 233616, 'accept snap call': 27992, 'snap call your': 776084, 'call your pharmacy': 156262, 'your pharmacy see': 1025285, 'pharmacy see if': 654442, 'if they deliver': 415105, 'they deliver prescription': 881879, 'deliver prescription otc': 233195, 'prescription otc medication': 670527, 'otc medication many': 619776, 'medication many offer': 526663, 'many offer free': 514407, 'offer free reduced': 594628, 'free reduced delivery': 332093, 'reduced delivery sneeze': 706053, 'delivery sneeze cough': 234551, 'sneeze cough into': 776235, 'cough into the': 208490, 'into the crook': 443114, 'the crook of': 852500, 'crook of your': 218875, 'of your arm': 593444, 'biggest grocery': 130250, 'tesco of': 838764, 'uk empty': 938324, 'empty rack': 275017, 'rack show': 695348, 'store commodity': 807123, 'this is situation': 888401, 'is situation of': 451948, 'the biggest grocery': 849655, 'biggest grocery store': 130251, 'store tesco of': 810530, 'tesco of uk': 838765, 'of uk empty': 592568, 'uk empty rack': 938325, 'empty rack show': 275018, 'rack show how': 695349, 'how people panic': 408505, 'people panic to': 649063, 'panic to store': 638722, 'to store commodity': 915612, 'classless': 180376, 'academictwitter': 27776, 'student teach': 814781, 'teach they': 835407, 'working insane': 1008741, 'insane hour': 439040, 'hour serving': 405900, 'serving you': 753233, 'you ungrateful': 1021974, 'ungrateful and': 941685, 'and classless': 59923, 'classless clown': 180377, 'clown so': 184379, 'some manner': 783254, 'manner academictwitter': 513292, 'want to point': 966083, 'out that many': 627326, 'of the student': 591504, 'the student teach': 868316, 'student teach they': 814782, 'teach they are': 835408, 'are working insane': 91701, 'working insane hour': 1008742, 'insane hour serving': 439041, 'hour serving you': 405901, 'serving you ungrateful': 753235, 'you ungrateful and': 1021975, 'ungrateful and classless': 941686, 'and classless clown': 59924, 'classless clown so': 180378, 'clown so when': 184380, 'store act like': 806070, 'been there before': 122176, 'there before and': 878236, 'before and use': 122632, 'and use some': 74784, 'use some manner': 949601, 'some manner academictwitter': 783255, 're panicking': 699239, 'panicking in': 639344, 'or decide': 614911, 'few left': 303896, 'left remember': 485617, 'picture we': 656213, 'one really': 606942, 'suffering here': 817321, 'you re panicking': 1020697, 're panicking in': 699240, 'panicking in the': 639345, 'supermarket because there': 819336, 'because there no': 119675, 'no toilet roll': 565758, 'roll or decide': 725440, 'or decide to': 614912, 'decide to fill': 230844, 'to fill your': 905852, 'fill your trolley': 305522, 'your trolley with': 1026221, 'trolley with the': 932506, 'with the last': 1001362, 'last few left': 480211, 'few left remember': 303897, 'left remember this': 485618, 'remember this picture': 710353, 'this picture we': 889583, 'picture we re': 656214, 'the one really': 862219, 'one really suffering': 606944, 'really suffering here': 702635, 'bagged': 108490, 'any packaging': 79615, 'packaging canned': 633524, 'canned bagged': 161496, 'bagged bottled': 108491, 'bottled food': 136368, 'drink in': 258838, 'must clean': 546583, 'package before': 633224, 'buy any packaging': 148352, 'any packaging canned': 79616, 'packaging canned bagged': 633525, 'canned bagged bottled': 161497, 'bagged bottled food': 108492, 'bottled food and': 136369, 'and drink in': 61728, 'drink in the': 258840, 'supermarket you must': 824200, 'you must clean': 1019912, 'must clean the': 546584, 'clean the package': 180652, 'the package before': 862842, 'package before eating': 633225, 'derrick': 237888, 'chubbs': 178269, 'high during': 395051, 'ceo derrick': 169684, 'derrick chubbs': 237889, 'chubbs said': 178270, 'seen 30': 746907, 'percent increase': 651136, 'and 300': 57446, '300 percent': 17339, 'others ha': 621437, 'food is high': 315129, 'is high during': 448442, 'high during the': 395052, 'pandemic and ceo': 634864, 'and ceo derrick': 59685, 'ceo derrick chubbs': 169685, 'derrick chubbs said': 237890, 'chubbs said they': 178271, 'said they ve': 731487, 'they ve seen': 883684, 've seen 30': 953522, 'seen 30 percent': 746908, '30 percent increase': 17191, 'percent increase for': 651137, 'increase for meal': 432781, 'for meal in': 323355, 'meal in some': 524192, 'some area and': 782335, 'area and 300': 91929, 'and 300 percent': 57447, '300 percent increase': 17340, 'percent increase in': 651138, 'increase in others': 432850, 'in others ha': 426255, 'others ha more': 621439, 'who learn': 989192, 'scam pic': 740302, 'to be who': 901636, 'be who learn': 118103, 'who learn more': 989193, 'about scam pic': 26140, 'finally our': 306061, 'finally our gas': 306062, 'low but we': 505167, 'coronavirus highlight': 206076, 'highlight stark': 395957, 'stark divide': 794161, 'divide between': 248584, 'between those': 128946, 'can on': 159106, 'coronavirus highlight stark': 206077, 'highlight stark divide': 395958, 'stark divide between': 794162, 'divide between those': 248586, 'between those who': 128947, 'home and those': 400704, 'who can on': 988396, 'can on the': 159108, 'on the poll': 604291, 'pandemic mar': 635929, 'mar 23': 514987, '23 28': 15366, '19 pandemic mar': 9388, 'pandemic mar 23': 635930, 'mar 23 28': 514988, '23 28 am': 15367, 'what caught': 981191, 'caught my': 167438, 'my fairly': 548174, 'fairly empty': 296435, 'missing but': 534284, 'campaign the': 157259, 'the slogan': 867332, 'slogan the': 774074, 'word meant': 1004525, 'our civilization': 622384, 'civilization look': 179596, 'look incredibly': 502423, 'stupid much': 815425, 'like climate': 490017, 'what caught my': 981192, 'caught my eye': 167439, 'my eye at': 548137, 'eye at my': 294007, 'at my fairly': 99810, 'my fairly empty': 548175, 'fairly empty grocery': 296436, 'today wa not': 920451, 'wa not what': 962780, 'not what wa': 572487, 'what wa missing': 982518, 'wa missing but': 962635, 'missing but what': 534286, 'but what wa': 147801, 'what wa left': 982516, 'wa left behind': 962520, 'left behind the': 485423, 'behind the marketing': 124718, 'the marketing campaign': 860184, 'marketing campaign the': 517546, 'campaign the slogan': 157260, 'the slogan the': 867333, 'slogan the word': 774075, 'the word meant': 871709, 'word meant to': 1004526, 'meant to get': 524909, 'buy more covid': 148967, 'is making our': 449554, 'making our civilization': 511258, 'our civilization look': 622385, 'civilization look incredibly': 179597, 'look incredibly stupid': 502424, 'incredibly stupid much': 433931, 'stupid much like': 815426, 'much like climate': 545052, 'like climate change': 490018, 'strong increase': 814051, 'by milkman': 153218, 'milkman during': 531933, 'during 19uk': 262414, '19uk household': 12557, 'supplying glass': 826291, 'glass milk': 351622, 'milk bottle': 531594, 'bottle year': 136361, 'environmental reason': 279198, 'hope more': 403539, 'piece in today': 656315, 'in today by': 430153, 'today by about': 919348, 'about the strong': 26531, 'the strong increase': 868294, 'strong increase in': 814052, 'demand for delivery': 235402, 'for delivery by': 320631, 'delivery by milkman': 233769, 'by milkman during': 153219, 'milkman during 19uk': 531934, 'during 19uk household': 262415, '19uk household we': 12558, 'household we switched': 406980, 'switched to supplying': 830556, 'to supplying glass': 915897, 'supplying glass milk': 826292, 'glass milk bottle': 351623, 'milk bottle year': 531595, 'bottle year ago': 136362, 'year ago for': 1014352, 'ago for environmental': 38384, 'for environmental reason': 321078, 'environmental reason and': 279199, 'reason and hope': 702868, 'and hope more': 64716, 'hope more people': 403540, 'people will move': 650399, 'will move to': 994137, 'move to this': 543768, 'waay': 963767, 'mom like': 535768, 'like mine': 490786, 'were carrying': 979421, 'their purse': 874518, 'purse and': 690200, 'door in': 255621, 'place waay': 657802, 'waay before': 963768, 'before made': 122930, 'all the mom': 44831, 'the mom like': 860737, 'mom like mine': 535769, 'like mine who': 490787, 'mine who were': 532944, 'who were carrying': 989954, 'were carrying hand': 979422, 'in their purse': 429769, 'their purse and': 874519, 'purse and using': 690202, 'and using tissue': 74805, 'using tissue to': 950759, 'tissue to open': 899223, 'to open door': 910987, 'open door in': 612190, 'door in public': 255623, 'public place waay': 688238, 'place waay before': 657803, 'waay before made': 963769, 'before made it': 122931, 'made it cool': 507803, 'wife waited': 991993, 'new england': 558688, 'england snowstorm': 277029, 'snowstorm to': 776419, 'my wife waited': 550604, 'wife waited until': 991994, 'after the start': 36357, 'start of new': 794413, 'of new england': 586963, 'new england snowstorm': 558689, 'england snowstorm to': 277030, 'snowstorm to make': 776420, 'to make trip': 909758, 'pressrelease': 671123, 'relief outlined': 709416, 'outlined in': 629107, 'this pressrelease': 889702, 'pressrelease from': 671126, 'from mr': 336482, 'make all your': 509660, 'all your account': 45559, 'coronacrisis relief outlined': 204726, 'relief outlined in': 709417, 'outlined in this': 629108, 'in this pressrelease': 430001, 'this pressrelease from': 889703, 'pressrelease from mr': 671127, 'from mr athanasia': 336483, 'how cbs': 407542, 'cbs star': 168378, 'star and': 794024, 'her team': 392420, 'at blinking': 98140, 'blinking owl': 132720, 'owl distillery': 631855, 'distillery went': 247829, 'hospital during': 404387, 'here how cbs': 393098, 'how cbs star': 407543, 'cbs star and': 168379, 'star and her': 794025, 'and her team': 64519, 'her team at': 392421, 'team at blinking': 835597, 'at blinking owl': 98141, 'blinking owl distillery': 132721, 'owl distillery went': 631856, 'distillery went from': 247830, 'went from making': 979017, 'alcohol to making': 41155, 'help hospital during': 389872, 'hospital during the': 404388, 'ktv': 477852, 'go work': 354527, 'home cannot': 400870, 'eat out': 266015, 'cannot watch': 162218, 'in cinema': 421469, 'cinema cannot': 178534, 'go ktv': 353788, 'ktv well': 477853, 'basically the govt': 112167, 'govt is telling': 361171, 'is telling to': 452595, 'telling to go': 837285, 'to go work': 906888, 'go work and': 354528, 'work and go': 1004777, 'go home cannot': 353661, 'home cannot eat': 400871, 'cannot eat out': 161772, 'eat out cannot': 266017, 'out cannot watch': 625833, 'cannot watch movie': 162219, 'watch movie in': 968477, 'movie in cinema': 544011, 'in cinema cannot': 421470, 'cinema cannot go': 178535, 'cannot go ktv': 161926, 'go ktv well': 353789, 'ktv well at': 477854, 'least we can': 484684, 'can go supermarket': 158513, 'go supermarket to': 354182, 'restock so': 716908, 'food into': 315096, 'into many': 442743, 'home possible': 401879, 'possible however': 665674, 'demand currently': 235196, 'currently and': 221459, 'we apologise': 970440, 'apologise if': 81627, 'you ordered': 1020239, 'ordered for': 618848, 'info see': 437578, 'closely with supplier': 183484, 'with supplier to': 1001073, 'supplier to restock': 824628, 'to restock so': 913411, 'restock so we': 716909, 'can get much': 158431, 'get much food': 347618, 'much food into': 544905, 'food into many': 315097, 'into many home': 442744, 'many home possible': 514144, 'home possible however': 401880, 'possible however we': 665675, 'however we re': 409518, 're experiencing high': 698645, 'high demand currently': 395001, 'demand currently and': 235197, 'currently and we': 221461, 'and we apologise': 75278, 'we apologise if': 970442, 'apologise if you': 81630, 'did not receive': 240730, 'not receive the': 571251, 'receive the exact': 703554, 'the exact item': 854654, 'exact item you': 288694, 'item you ordered': 463869, 'you ordered for': 1020240, 'ordered for more': 618849, 'more info see': 539566, 'moring': 541110, 'will state': 994955, 'state going': 795603, 'expect generous': 290652, 'generous consumer': 345719, 'refund over': 706942, 'over cancellation': 630063, 'cancellation part': 161046, 'protection by': 685372, 'two attorney': 936791, 'attorney from': 102619, 'from moring': 336471, 'moring seem': 541111, 'likely consumer': 491972, 'being re': 125639, 're shaped': 699492, 'shaped in': 754870, 'will state going': 994957, 'state going to': 795604, 'going to expect': 355590, 'to expect generous': 905447, 'expect generous consumer': 290653, 'generous consumer refund': 345720, 'consumer refund over': 198663, 'refund over cancellation': 706943, 'over cancellation part': 630064, 'cancellation part of': 161047, 'consumer protection by': 198514, 'protection by two': 685373, 'by two attorney': 154618, 'two attorney from': 936792, 'attorney from moring': 102620, 'from moring seem': 336472, 'moring seem to': 541112, 'is likely consumer': 449344, 'likely consumer law': 491973, 'consumer law is': 198000, 'law is being': 482319, 'is being re': 446105, 'being re shaped': 125640, 're shaped in': 699493, 'shaped in this': 754871, 'australian battle covid': 103444, 'day8': 228883, 'selfisolation day8': 748445, 'day8 restocking': 228884, 'restocking at': 716988, 'selfisolation day8 restocking': 748446, 'day8 restocking at': 228885, 'restocking at the': 716989, 'bnm': 133590, 'dimmed': 242956, 'economics malaysia': 267464, 'malaysia economy': 511604, 'economy bnm': 267704, 'bnm malaysia': 133591, 'malaysia gdp': 511610, 'gdp projected': 344907, 'be between': 113848, '2020 bnm': 14178, 'bnm project': 133593, 'project 2020': 683465, '2020 gdp': 14331, 'growth prospect': 367441, 'prospect dimmed': 684670, 'dimmed by': 242957, '19 growth': 7301, 'growth outlook': 367437, 'outlook also': 629130, 'also hit': 48362, 'economics malaysia economy': 267465, 'malaysia economy bnm': 511605, 'economy bnm malaysia': 267705, 'bnm malaysia gdp': 133592, 'malaysia gdp projected': 511611, 'gdp projected to': 344908, 'projected to be': 683570, 'to be between': 901131, 'be between and': 113849, 'between and in': 128719, 'in 2020 bnm': 419823, '2020 bnm project': 14179, 'bnm project 2020': 133594, 'project 2020 gdp': 683466, '2020 gdp growth': 14332, 'gdp growth to': 344888, 'between and growth': 128717, 'and growth prospect': 64023, 'growth prospect dimmed': 367442, 'prospect dimmed by': 684671, 'dimmed by covid': 242958, 'covid 19 growth': 213171, '19 growth outlook': 7302, 'growth outlook also': 367438, 'outlook also hit': 629131, 'also hit by': 48363, 'hit by low': 398181, 'by low oil': 153107, 'price and supply': 672553, 'are passing': 88996, 'passing through': 643404, 'decision by': 231013, 'the delta': 853080, 'delta state': 234830, 'it bad to': 456692, 'bad to add': 108053, '19 the citizen': 11174, 'citizen are passing': 178854, 'are passing through': 88998, 'passing through by': 643405, 'this decision by': 887184, 'decision by the': 231017, 'by the delta': 154305, 'the delta state': 853081, 'delta state government': 234831, 'rate seems': 697367, 'kept inflation': 473047, 'bay for': 112937, 'the elephant': 854192, 'elephant in': 271357, 'room investment': 725927, 'in existing': 422722, 'existing debt': 290307, 'recovery that': 705401, 'that ramp': 845934, 'spending immediately': 788851, 'immediately after': 417049, 'after recession': 36111, 'the stimulus and': 867892, 'stimulus and low': 801504, 'and low interest': 66443, 'interest rate seems': 441401, 'rate seems to': 697368, 'to have kept': 907263, 'have kept inflation': 381216, 'kept inflation at': 473048, 'inflation at bay': 437144, 'at bay for': 98103, 'bay for now': 112938, 'for now the': 323984, 'now the elephant': 576040, 'the elephant in': 854193, 'elephant in the': 271358, 'in the room': 429521, 'the room investment': 865986, 'room investment in': 725928, 'investment in existing': 444011, 'in existing debt': 422723, 'existing debt and': 290308, 'debt and strong': 230423, 'and strong recovery': 72591, 'strong recovery that': 814104, 'recovery that ramp': 705402, 'that ramp up': 845935, 'up consumer spending': 944637, 'consumer spending immediately': 199069, 'spending immediately after': 788852, 'immediately after recession': 417051, 'two fifth': 936922, 'fifth of': 304570, 'of greek': 584330, 'greek shopper': 363647, 'shopper 39': 761331, '39 are': 18171, 'purchasing product': 689911, 'for relative': 325086, 'relative when': 708755, 'when visiting': 984389, 'supermarket according': 818763, 'related shopping': 708570, 'habit by': 372580, 'the greek': 856772, 'greek consumer': 363643, 'good research': 357654, 'two fifth of': 936923, 'fifth of greek': 304571, 'of greek shopper': 584331, 'greek shopper 39': 363648, 'shopper 39 are': 761332, '39 are purchasing': 18172, 'are purchasing product': 89333, 'purchasing product for': 689912, 'product for relative': 681205, 'for relative when': 325088, 'relative when visiting': 708756, 'when visiting supermarket': 984390, 'visiting supermarket according': 959553, 'supermarket according to': 818764, 'to study of': 915702, 'study of related': 814935, 'of related shopping': 588910, 'related shopping habit': 708571, 'shopping habit by': 762838, 'habit by the': 372581, 'by the greek': 154342, 'the greek consumer': 856773, 'greek consumer good': 363644, 'consumer good research': 197634, 'good research institute': 357655, 'axaltabrightfutures': 106303, 'chemistryfightscovid': 175475, 'community where': 190221, 'hospital first': 404402, 'employee axaltabrightfutures': 273656, 'axaltabrightfutures chemistryfightscovid': 106304, 'committed to help': 189039, 'help fight in': 389709, 'the community where': 851304, 'community where we': 190223, 'we live work': 972224, 'work and raise': 1004796, 'and raise our': 69908, 'raise our family': 695894, 'our family by': 622995, 'family by donating': 297678, 'by donating hand': 152404, 'sanitizer and medical': 734418, 'supply to hospital': 826012, 'to hospital first': 907969, 'hospital first responder': 404403, 'responder and employee': 715410, 'and employee axaltabrightfutures': 62061, 'employee axaltabrightfutures chemistryfightscovid': 273657, 'medicinal': 526703, 'beverage for': 129004, 'system stress': 831323, 'stress relief': 813387, 'and medicinal': 66895, 'medicinal benefit': 526704, 'benefit are': 126925, 'all skyrocketing': 44360, 'skyrocketing according': 773402, 'to intelligence': 908442, 'intelligence startup': 441009, 'and beverage for': 58928, 'beverage for the': 129005, 'for the immune': 326492, 'immune system stress': 417352, 'system stress relief': 831324, 'stress relief and': 813388, 'relief and medicinal': 709278, 'and medicinal benefit': 66896, 'medicinal benefit are': 526705, 'benefit are all': 126926, 'are all skyrocketing': 84349, 'all skyrocketing according': 44361, 'skyrocketing according to': 773403, 'according to intelligence': 28556, 'to intelligence startup': 908443, 'community crisis': 189806, 'crisis show': 218043, 'is community crisis': 446683, 'community crisis show': 189807, 'crisis show empathy': 218044, 'when considering how': 983273, 'considering how your': 195381, 'how your grocery': 409303, 'toiletpaper hoarder': 922068, 'hoarder or': 399086, 'or doomed': 615059, 'doomed to': 255447, 'shortage find': 764953, 'calculator set': 155348, 'quarantine value': 692668, 'for true': 327361, 'value who': 952244, 'are you toiletpaper': 91873, 'you toiletpaper hoarder': 1021873, 'toiletpaper hoarder or': 922069, 'hoarder or doomed': 399087, 'or doomed to': 615060, 'doomed to have': 255448, 'to have tp': 907331, 'have tp shortage': 383385, 'tp shortage find': 927935, 'shortage find out': 764954, 'find out with': 307161, 'out with this': 627876, 'with this toilet': 1001733, 'paper calculator set': 639998, 'calculator set the': 155349, 'set the quarantine': 753490, 'the quarantine value': 864983, 'quarantine value to': 692669, 'value to 60': 952220, 'to 60 day': 899789, '60 day for': 20925, 'day for true': 227636, 'for true value': 327362, 'true value who': 933204, 'value who know': 952245, 'who know when': 989189, 'know when the': 477006, 'lockdown will end': 500150, 'chn': 177648, 'edutwitter': 268910, 'those chn': 891871, 'chn and': 177649, 'are mentioned': 88063, 'mentioned and': 528819, 'about maybe': 25709, 'same value': 733396, 'value 20': 952070, '20 maybe': 13150, 'the cafe': 850264, 'cafe just': 155116, 'ensure every': 277929, 'every child': 285729, 'child eats': 176071, 'eats regardless': 266386, 'school being': 741708, 'being open': 125497, 'open edutwitter': 612207, 'hope those chn': 403733, 'those chn and': 891872, 'chn and family': 177650, 'and family on': 62668, 'family on free': 298115, 'on free school': 600986, 'school meal are': 741853, 'meal are mentioned': 524104, 'are mentioned and': 88064, 'mentioned and thought': 528821, 'and thought about': 74050, 'thought about maybe': 892958, 'about maybe supermarket': 25710, 'maybe supermarket voucher': 521814, 'voucher to the': 960679, 'the same value': 866316, 'same value 20': 733397, 'value 20 maybe': 952071, '20 maybe in': 13151, 'maybe in the': 521718, 'in the cafe': 429049, 'the cafe just': 850265, 'cafe just to': 155117, 'just to ensure': 470088, 'to ensure every': 905156, 'ensure every child': 277930, 'every child eats': 285730, 'child eats regardless': 176073, 'eats regardless of': 266387, 'regardless of school': 707325, 'of school being': 589395, 'school being open': 741710, 'being open edutwitter': 125499, 'question supermarket': 693754, 'that sale': 846102, 'sale exclusively': 732197, 'exclusively wine': 289728, 'liquor should': 494195, 'should it': 766150, 'go thank': 354194, 'quick question supermarket': 694352, 'question supermarket that': 693755, 'supermarket that sale': 823194, 'that sale exclusively': 846103, 'sale exclusively wine': 732198, 'exclusively wine and': 289729, 'and liquor should': 66217, 'liquor should it': 494196, 'should it close': 766152, 'it close if': 457185, 'close if people': 182667, 'if people just': 414621, 'people just buy': 648555, 'just buy and': 468382, 'buy and go': 148320, 'and go thank': 63785, 'go thank you': 354195, 'employee stop': 274246, 'work essentialworkers': 1005103, 'happen when grocery': 377204, 'store employee stop': 807544, 'employee stop coming': 274247, 'stop coming to': 804577, 'coming to work': 188237, 'work it feel': 1005387, 'at work essentialworkers': 101599, 'shakeup': 754456, 'global the': 352253, 'greater uncertainty': 363258, 'the shakeup': 866769, 'shakeup of': 754457, 'global the ha': 352254, 'the ha likely': 857000, 'recession with greater': 704413, 'with greater uncertainty': 998679, 'greater uncertainty arising': 363259, 'and the shakeup': 73577, 'the shakeup of': 866770, 'shakeup of financial': 754458, 'of financial market': 583533, '19 marketplace': 8569, 'are oil price': 88697, 'so low during': 777603, 'low during covid': 505257, 'covid 19 marketplace': 213407, 'montgomery': 537505, 'picture today': 656207, 'in montgomery': 425407, 'montgomery county': 537506, 'county md': 211440, 'md no': 522281, 'sugar sweet': 817473, 'potato potato': 666967, 'juice paper': 467755, 'paper low': 640428, 'meat mac': 525643, 'mac cheese': 507317, 'cheese coronapocolypse': 175183, 'coronapocolypse panicbuying': 205235, 'these picture today': 880485, 'picture today at': 656208, 'today at my': 919277, 'at my home': 99816, 'my home grocery': 548687, 'store in montgomery': 808343, 'in montgomery county': 425408, 'montgomery county md': 537509, 'county md no': 211441, 'md no flour': 522282, 'no flour sugar': 564240, 'flour sugar sweet': 311166, 'sugar sweet potato': 817474, 'sweet potato potato': 830246, 'potato potato orange': 666968, 'potato orange juice': 666960, 'orange juice paper': 617921, 'juice paper towel': 467756, 'towel or toilet': 927362, 'toilet paper low': 921342, 'paper low on': 640429, 'low on meat': 505462, 'on meat mac': 602087, 'meat mac cheese': 525644, 'mac cheese coronapocolypse': 507318, 'cheese coronapocolypse panicbuying': 175184, 'angelamerkel': 76346, 'wa world': 963735, 'leader it': 483484, 'be bottle': 113890, 'bottle angelamerkel': 136181, 'angelamerkel german': 76347, 'merkel buy': 529151, 'buy four': 148703, 'wine on': 995853, 'trip via': 932211, 'love it think': 504714, 'think if wa': 885296, 'if wa world': 415243, 'wa world leader': 963736, 'world leader it': 1009753, 'leader it would': 483485, 'would be bottle': 1011561, 'be bottle angelamerkel': 113891, 'bottle angelamerkel german': 136182, 'angelamerkel german chancellor': 76348, 'chancellor merkel buy': 171845, 'merkel buy four': 529152, 'buy four bottle': 148704, 'of wine on': 593185, 'wine on supermarket': 995855, 'on supermarket trip': 603812, 'supermarket trip via': 823555, 'momentum before': 536150, 'home price were': 401924, 'price were gaining': 677447, 'were gaining momentum': 979676, 'gaining momentum before': 342882, 'momentum before covid': 536151, 'hysteria will': 412491, 'not effectively': 569150, 'effectively combat': 269345, 'majority those': 509583, 'who contract': 988487, 'have mild': 381466, 'mild flu': 531329, 'flu like': 311435, 'symptom so': 830924, 'buy month': 148961, 'mass hysteria will': 519794, 'hysteria will not': 412492, 'will not effectively': 994213, 'not effectively combat': 569151, 'effectively combat covid': 269346, 'the majority those': 859947, 'majority those who': 509584, 'those who contract': 892623, 'who contract covid': 988488, 'will have mild': 993650, 'have mild flu': 381467, 'mild flu like': 531330, 'flu like symptom': 311436, 'like symptom so': 491284, 'symptom so do': 830925, 'panic buy month': 637503, 'buy month worth': 148963, 'launch consumer': 481874, 'consumer men': 198124, 'men health': 528491, 'with 30m': 997004, '30m series': 17476, 'health launch consumer': 386600, 'launch consumer men': 481877, 'consumer men health': 198125, 'men health service': 528492, 'service with 30m': 753082, 'with 30m series': 997005, '30m series but': 17477, 'shrinking': 767704, 'nig': 562692, 'oilfield': 597575, 'analystopinion': 57198, 'economy news': 268094, 'news oilprice': 560657, 'oilprice the': 597641, 'price oversupply': 675824, 'oversupply of': 631600, 'commodity in': 189191, 'amid shrinking': 52652, 'shrinking demand': 767707, 'demand may': 235846, 'may force': 521197, 'force some': 328497, 'some producer': 783642, 'producer in': 680641, 'in nig': 425870, 'nig to': 562695, 'their oilfield': 874093, 'oilfield analystopinion': 597576, 'analystopinion huge': 57199, 'huge unexpected': 410254, 'unexpected job': 941370, 'loss imminent': 503699, 'imminent while': 417283, 'while layoff': 987003, 'layoff may': 482701, 'may surge': 521545, 'economy news oilprice': 268095, 'news oilprice the': 560658, 'oilprice the collapse': 597642, 'collapse of crude': 186034, 'oil price oversupply': 597213, 'price oversupply of': 675825, 'oversupply of commodity': 631601, 'of commodity in': 581574, 'commodity in global': 189193, 'global market amid': 352020, 'market amid shrinking': 515936, 'amid shrinking demand': 52653, 'shrinking demand may': 767709, 'demand may force': 235847, 'may force some': 521198, 'force some producer': 328498, 'some producer in': 783643, 'producer in nig': 680642, 'in nig to': 425872, 'nig to shut': 562696, 'down their oilfield': 257315, 'their oilfield analystopinion': 874094, 'oilfield analystopinion huge': 597577, 'analystopinion huge unexpected': 57200, 'huge unexpected job': 410255, 'unexpected job loss': 941371, 'job loss imminent': 465975, 'loss imminent while': 503700, 'imminent while layoff': 417284, 'while layoff may': 987004, 'layoff may surge': 482702, 'when working': 984517, 'seriously except': 751602, 'except this': 289242, 'guy grocery': 369010, 'give few': 350489, 'day stay': 228391, 'difficult to practice': 242343, 'distancing when working': 247636, 'when working in': 984519, 'pandemic and everyone': 634873, 'everyone is taking': 287115, 'is taking it': 452548, 'taking it seriously': 833412, 'it seriously except': 460988, 'seriously except this': 751604, 'except this guy': 289243, 'this guy grocery': 887787, 'guy grocery store': 369011, 'not close just': 568775, 'close just give': 182699, 'just give few': 468811, 'give few day': 350490, 'few day stay': 303792, 'day stay home': 228393, 'stay home be': 796943, 'home be with': 400777, 'be with your': 118122, 'nigeria to': 562808, 'lower petrol': 505940, 'to 130': 899489, '130 naira': 3298, 'naira per': 551495, 'litre from': 495154, 'naira approved': 551483, 'at cabinet': 98183, 'cabinet meeting': 154988, 'meeting no': 527728, 'reason ha': 702923, 'given for': 350995, 'but benchmark': 145289, 'benchmark crude': 126836, 'tumbled in': 935322, 'nigeria to lower': 562809, 'to lower petrol': 909503, 'lower petrol pump': 505941, 'petrol pump price': 653784, 'pump price to': 689094, 'price to 130': 676954, 'to 130 naira': 899490, '130 naira per': 3299, 'naira per litre': 551496, 'per litre from': 650924, 'litre from 145': 495155, '145 naira approved': 3583, 'naira approved the': 551484, 'approved the lower': 83199, 'the lower price': 859800, 'price at cabinet': 672794, 'at cabinet meeting': 98184, 'cabinet meeting no': 154989, 'meeting no reason': 527729, 'no reason ha': 565290, 'reason ha been': 702924, 'been given for': 121207, 'given for the': 350996, 'for the decision': 326373, 'the decision but': 852996, 'decision but benchmark': 231010, 'but benchmark crude': 145290, 'benchmark crude price': 126837, 'crude price have': 219592, 'price have tumbled': 674469, 'have tumbled in': 383421, 'tumbled in the': 935323, 'are unscrupulous': 91337, 'unscrupulous pharmacy': 943452, 'counter med': 210235, 'med needed': 525906, 'combat such': 187041, 'such calpol': 816379, 'calpol and': 156899, 'paracetamol is': 641251, 'and remove': 70233, 'there are unscrupulous': 878182, 'are unscrupulous pharmacy': 91338, 'unscrupulous pharmacy in': 943453, 'pharmacy in the': 654360, 'uk who have': 938890, 'who have increased': 988929, 'have increased the': 381068, 'price of over': 675527, 'of over the': 587622, 'the counter med': 852026, 'counter med needed': 210236, 'med needed to': 525907, 'needed to combat': 556530, 'to combat such': 903007, 'combat such calpol': 187042, 'such calpol and': 816380, 'calpol and paracetamol': 156901, 'and paracetamol is': 68703, 'paracetamol is one': 641253, 'is one need': 450505, 'investigate and remove': 443794, 'and remove their': 70235, 'remove their license': 710846, 'being thankful': 125919, 'thankful that': 841923, 'available instead': 104464, 'being cross': 125012, 'cross that': 219032, 'is missing': 449668, 'missing lockdown': 534311, 'the time is': 869597, 'time is being': 897052, 'is being thankful': 446118, 'being thankful that': 125920, 'thankful that half': 841924, 'that half of': 844162, 'half of your': 374241, 'your online supermarket': 1025081, 'supermarket delivery is': 819925, 'is available instead': 445921, 'available instead of': 104465, 'of being cross': 580638, 'being cross that': 125013, 'cross that half': 219033, 'half of it': 374226, 'of it is': 585408, 'it is missing': 459013, 'is missing lockdown': 449670, 'levy': 487827, 'humbly': 410837, '19 primary': 9823, 'primary care': 678067, 'care second': 164189, 'second career': 743674, 'career emergency': 164341, 'physician at': 655535, 'at brampton': 98157, 'brampton civic': 137658, 'civic hospital': 179494, 'hospital dr': 404381, 'dr brian': 257979, 'brian levy': 139562, 'levy rose': 487828, 'rose to': 726098, 'top rank': 925707, 'rank at': 696775, 'electronics retailer': 271311, 'he left': 385182, 'left there': 485677, 'large settlement': 479790, 'settlement he': 753716, 'medical school': 526372, 'school he': 741815, 'he serf': 385426, 'serf humbly': 751197, 'humbly in': 410838, 'pandemic struggle': 636579, 'covid 19 primary': 213611, '19 primary care': 9824, 'primary care second': 678068, 'care second career': 164190, 'second career emergency': 743675, 'career emergency physician': 164342, 'emergency physician at': 272874, 'physician at brampton': 655536, 'at brampton civic': 98158, 'brampton civic hospital': 137659, 'civic hospital dr': 179495, 'hospital dr brian': 404382, 'dr brian levy': 257980, 'brian levy rose': 139563, 'levy rose to': 487829, 'rose to the': 726099, 'the top rank': 869793, 'top rank at': 925708, 'rank at major': 696776, 'at major consumer': 99662, 'major consumer electronics': 509288, 'consumer electronics retailer': 197341, 'electronics retailer when': 271312, 'retailer when he': 719415, 'when he left': 983537, 'he left there': 385184, 'left there with': 485678, 'there with large': 879368, 'with large settlement': 999173, 'large settlement he': 479791, 'settlement he went': 753717, 'went to medical': 979174, 'to medical school': 910001, 'medical school he': 526373, 'school he serf': 741816, 'he serf humbly': 385427, 'serf humbly in': 751198, 'humbly in this': 410839, 'this pandemic struggle': 889428, 'dag': 224464, 'doubled my': 256121, 'my dag': 547905, 'dag bag': 224465, 'week these': 977031, 'are gift': 86841, 'crypto god': 219948, 'god for': 354694, 'for project': 324803, 'project involved': 683503, 'involved with': 444364, 'air force': 39738, 'doubled my dag': 256122, 'my dag bag': 547906, 'dag bag in': 224466, 'last week these': 480682, 'week these price': 977032, 'price are gift': 672669, 'are gift from': 86843, 'gift from the': 349980, 'from the crypto': 337662, 'the crypto god': 852549, 'crypto god for': 219949, 'god for project': 354697, 'for project involved': 324804, 'project involved with': 683504, 'involved with the': 444365, 'with the air': 1001199, 'the air force': 848486, 'air force and': 39739, 'force and covid': 328326, 'rippling': 722750, 'societal': 781131, '19 rippling': 10236, 'rippling personal': 722753, 'and societal': 71917, 'societal impact': 781132, 'also altering': 47839, 'altering business': 49171, 'activity join': 30459, 'our quarterly': 624524, 'quarterly accounting': 693272, 'accounting webcast': 28827, 'webcast register': 974980, 'for session': 325506, 'session that': 753309, 'addition to 19': 31730, 'to 19 rippling': 899551, '19 rippling personal': 10237, 'rippling personal and': 722754, 'personal and societal': 652786, 'and societal impact': 71918, 'societal impact it': 781133, 'impact it is': 417721, 'is also altering': 445546, 'also altering business': 47840, 'altering business and': 49172, 'and consumer activity': 60342, 'consumer activity join': 196025, 'activity join for': 30460, 'join for our': 466714, 'for our quarterly': 324284, 'our quarterly accounting': 624525, 'quarterly accounting webcast': 693273, 'accounting webcast register': 28828, 'webcast register for': 974981, 'register for session': 707565, 'for session that': 325507, 'session that work': 753311, 'before everytime': 122786, 'everytime calm': 288151, 'calm myself': 156769, 'myself down': 550849, 'down see': 257173, 'another post': 77769, 'about cannot': 24928, 'cannot venture': 162206, 'all booked': 42197, 'still raiding': 801092, 'without thought': 1003006, 'others give': 621431, 'anxiety ha never': 78717, 'never been this': 557907, 'been this bad': 122184, 'this bad before': 886481, 'bad before everytime': 107782, 'before everytime calm': 122787, 'everytime calm myself': 288152, 'calm myself down': 156770, 'myself down see': 550850, 'down see another': 257174, 'see another post': 744911, 'another post about': 77770, 'post about cannot': 665975, 'about cannot venture': 24929, 'cannot venture out': 162207, 'venture out the': 954682, 'house to get': 406627, 'to get shopping': 906589, 'get shopping online': 347980, 'shopping online slot': 763483, 'online slot are': 609378, 'slot are all': 774116, 'are all booked': 84291, 'all booked up': 42199, 'booked up people': 134687, 'up people are': 945756, 'are still raiding': 90472, 'still raiding the': 801093, 'raiding the shelf': 695667, 'the shelf without': 866905, 'shelf without thought': 757826, 'without thought for': 1003007, 'thought for others': 893044, 'for others give': 324194, 'others give up': 621432, 'crimp': 216913, 'including informal': 432016, 'informal gold': 437684, 'gold miner': 355931, 'miner according': 532954, 'to miner': 910147, 'miner are': 532956, 'selling gold': 749272, 'at almost': 97927, 'almost 40': 46505, '40 discount': 18563, 'discount measure': 244494, 'coronavirus crimp': 205734, 'crimp supply': 216914, 'supply route': 825778, 'route and': 726452, 'up funding': 945004, 'funding so': 341615, 'world most vulnerable': 1009810, 'vulnerable population including': 961128, 'population including informal': 664699, 'including informal gold': 432017, 'informal gold miner': 437685, 'gold miner according': 355932, 'miner according to': 532955, 'according to miner': 28567, 'to miner are': 910148, 'miner are selling': 532957, 'are selling gold': 89958, 'selling gold at': 749273, 'gold at almost': 355860, 'at almost 40': 97928, 'almost 40 discount': 46506, '40 discount measure': 18564, 'discount measure to': 244495, 'curb the coronavirus': 220580, 'the coronavirus crimp': 851826, 'coronavirus crimp supply': 205735, 'crimp supply route': 216915, 'supply route and': 825779, 'route and dry': 726453, 'and dry up': 61788, 'dry up funding': 261313, 'up funding so': 945006, 'funding so what': 341616, 'so what up': 778724, 'what up in': 982497, 'cherry': 175536, 'goettingen': 354913, 'day toilet': 228598, 'famous cherry': 298455, 'cherry blossom': 175539, 'blossom flower': 133285, 'flower of': 311317, 'of univ': 592644, 'univ goettingen': 942337, 'goettingen would': 354914, 'never imagine': 558068, 'imagine to': 416814, 'see toilet': 745974, 'these two thing': 880902, 'two thing just': 937265, 'thing just made': 884506, 'just made my': 469207, 'my day toilet': 547953, 'day toilet paper': 228599, 'paper and the': 639857, 'and the famous': 73367, 'the famous cherry': 854913, 'famous cherry blossom': 298456, 'cherry blossom flower': 175540, 'blossom flower of': 133286, 'flower of univ': 311318, 'of univ goettingen': 592645, 'univ goettingen would': 942338, 'goettingen would never': 354915, 'would never imagine': 1012061, 'never imagine to': 558069, 'imagine to say': 416815, 'this but ve': 886650, 'but ve never': 147682, 'never been so': 557904, 'been so happy': 121994, 'to see toilet': 914090, 'see toilet paper': 745975, 'paper at supermarket': 639902, 'in my whole': 425646, 'whole life after': 990252, 'life after several': 488446, 'after several day': 36175, 'several day of': 753823, 'empty shelf coronacrisis': 275055, 'matter most': 520601, 'lockdown it our': 499571, 'it our mind': 460166, 'our mind that': 623920, 'mind that matter': 532735, 'that matter most': 845068, 'obtain kn95': 578735, 'mask globally': 518720, 'globally priority': 352392, 'healthcare organisation': 387197, 'government free': 360109, 'from highly': 335796, 'are also able': 84435, 'able to obtain': 24511, 'to obtain kn95': 910801, 'obtain kn95 mask': 578736, 'kn95 mask globally': 475971, 'mask globally priority': 518721, 'globally priority to': 352393, 'priority to healthcare': 678681, 'to healthcare organisation': 907379, 'healthcare organisation and': 387198, 'organisation and government': 619251, 'and government free': 63881, 'government free from': 360110, 'free from highly': 331863, 'from highly inflated': 335797, 'tip spray': 898900, 'lysol before': 507164, 'eating please': 266291, '19 tip spray': 11410, 'tip spray your': 898901, 'spray your produce': 790351, 'your produce from': 1025434, 'store with lysol': 811385, 'with lysol before': 999353, 'lysol before eating': 507165, 'before eating please': 122768, 'eating please rt': 266292, 'excellent overview': 289101, 'two related': 937181, 'related crisis': 708405, 'waste rising': 968181, 'the ca': 850253, 'excellent overview of': 289102, 'overview of two': 631686, 'of two related': 592546, 'two related crisis': 937182, 'related crisis of': 708406, 'crisis of food': 217782, 'food insecurity and': 315059, 'insecurity and food': 439145, 'and food waste': 63105, 'food waste rising': 317491, 'waste rising from': 968182, 'from the ca': 337624, 'skyrock': 773280, 'scenario we': 741295, 'now 15': 573891, '15 week': 3864, 'through wave': 894889, 'quarantine so': 692544, 'people return': 649298, 'begin attempting': 123506, 'attempting normal': 102278, 'life despite': 488588, 'store count': 807203, 'count begin': 210101, 'to skyrock': 914699, 'scenario we re': 741296, 're now 15': 699135, 'now 15 week': 573892, '15 week into': 3865, 'week into the': 976406, 'into the covid': 443111, 'in the we': 429666, 'the we ve': 871224, 've been through': 952945, 'been through wave': 122193, 'through wave of': 894890, 'wave of quarantine': 969379, 'of quarantine so': 588666, 'quarantine so far': 692545, 'far but people': 298734, 'but people return': 146772, 'people return to': 649299, 'return to work': 719935, 'work and begin': 1004761, 'and begin attempting': 58829, 'begin attempting normal': 123507, 'attempting normal life': 102279, 'normal life despite': 567208, 'life despite the': 488589, 'despite the shortage': 238900, 'the shortage at': 867089, 'shortage at the': 764846, 'at the retail': 101079, 'retail store count': 718630, 'store count begin': 807204, 'count begin to': 210102, 'begin to skyrock': 123592, 'supermarket awesome': 819278, 'awesome edmonton': 106168, 'edmonton safeway': 268715, 'safeway employee': 730836, '19 ctv': 6373, 'local supermarket awesome': 498502, 'supermarket awesome edmonton': 819279, 'awesome edmonton safeway': 106169, 'edmonton safeway employee': 268716, 'safeway employee test': 730837, 'covid 19 ctv': 212894, '19 ctv news': 6374, 'support that': 826857, 'grocery support that': 366018, 'support that there': 826858, 'grocery available at': 364294, 'available at my': 104255, 'at my store': 99831, 'order delivered today': 618164, 'retailer believe': 719037, 'ongoing will': 607706, 'food object': 315577, 'object decrease': 578406, 'decrease supplychain': 231606, 'retailer believe that': 719038, 'that the ongoing': 846788, 'the ongoing will': 862261, 'ongoing will lead': 607707, 'lead to rise': 483386, 'food price demand': 315932, 'price demand for': 673423, 'for non food': 323901, 'non food object': 566393, 'food object decrease': 315578, 'object decrease supplychain': 578407, 'worldpoetryday': 1010272, 'juststopit': 470529, 'get diarrhoea': 346874, 'diarrhoea so': 240398, 'be clown': 114147, 'clown and': 184355, 'put those': 690915, 'those seven': 892451, 'seven loo': 753760, 'down happy': 256819, 'happy worldpoetryday': 377737, 'worldpoetryday stophoarding': 1010273, 'stopstockpiling juststopit': 805870, 'juststopit coronacrisisuk': 470530, 'is here but': 448417, 'here but most': 392838, 'but most people': 146418, 'most people won': 542634, 'people won get': 650498, 'won get diarrhoea': 1003816, 'get diarrhoea so': 346875, 'diarrhoea so don': 240399, 'so don be': 776904, 'don be clown': 253357, 'be clown and': 114148, 'clown and put': 184356, 'and put those': 69821, 'put those seven': 690917, 'those seven loo': 892452, 'seven loo roll': 753761, 'loo roll down': 502174, 'roll down happy': 725274, 'down happy worldpoetryday': 256820, 'happy worldpoetryday stophoarding': 377738, 'worldpoetryday stophoarding stopstockpiling': 1010274, 'stophoarding stopstockpiling juststopit': 805493, 'stopstockpiling juststopit coronacrisisuk': 805871, 'juststopit coronacrisisuk coronacrisis': 470531, 'our page': 624229, 'our page at': 624230, 'page at for': 633833, 'at for consumer': 98690, 'for consumer health': 320264, 'consumer health information': 197726, 'health information is': 386534, 'information is now': 437876, 'is now live': 450297, 'preexisting': 669714, 'reminds of': 710649, 'of affordable': 579814, 'healthcare whether': 387332, 'it preexisting': 460425, 'preexisting condition': 669715, 'or lower': 616022, 'continues delivering': 201386, 'delivering for': 233497, 'community 10': 189686, 'later that': 481132, 'why joined': 991155, 'joined my': 466946, 'colleague today': 186250, 'today demanding': 919438, 'reminds of the': 710650, 'importance of affordable': 418694, 'of affordable healthcare': 579815, 'affordable healthcare whether': 34850, 'healthcare whether it': 387333, 'whether it preexisting': 985532, 'it preexisting condition': 460426, 'preexisting condition or': 669716, 'condition or lower': 193504, 'or lower drug': 616024, 'drug price the': 261057, 'price the continues': 676826, 'the continues delivering': 851676, 'continues delivering for': 201387, 'delivering for our': 233498, 'our community 10': 622447, 'community 10 year': 189687, 'year later that': 1014691, 'later that why': 481133, 'that why joined': 847538, 'why joined my': 991156, 'joined my colleague': 466947, 'my colleague today': 547739, 'colleague today demanding': 186251, 'update considers': 946909, 'considers some': 195452, 'key high': 473306, 'level competition': 487537, 'law state': 482402, 'state aid': 795340, 'law consideration': 482251, 'consideration associated': 195241, 'help guide': 389834, 'guide you': 368379, 'this update considers': 890937, 'update considers some': 946910, 'considers some of': 195453, 'the key high': 858757, 'key high level': 473307, 'high level competition': 395156, 'level competition law': 487538, 'competition law state': 191706, 'law state aid': 482403, 'state aid and': 795341, 'aid and consumer': 39354, 'protection law consideration': 685508, 'law consideration associated': 482252, 'consideration associated with': 195242, 'associated with the': 96938, 'to help guide': 907533, 'help guide you': 389836, 'guide you through': 368381, 'you through these': 1021732, 'through these unprecedented': 894799, 'deal would': 229589, 'demand already': 234922, 'already occurring': 47533, 'occurring still': 579072, 'see crude': 745019, 'falling after': 297201, 'deal oott': 229459, 'no deal would': 563973, 'deal would be': 229590, 'would be enough': 1011579, 'offset the sharp': 596120, 'in demand already': 422101, 'demand already occurring': 234923, 'already occurring still': 47534, 'occurring still see': 579073, 'still see crude': 801149, 'see crude price': 745020, 'crude price falling': 219588, 'price falling after': 673806, 'falling after opec': 297202, 'after opec deal': 35990, 'opec deal oott': 611869, '438': 18993, 'dear client': 229754, 'client our': 182078, 'associate are': 96844, 'with house': 998886, 'house keeping': 406388, 'keeping grocery': 472435, 'delivery driving': 233958, 'medical appointment': 526052, 'appointment home': 82669, 'home repair': 401968, 'repair meal': 711463, 'meal preparation': 524252, 'preparation and': 670028, 'more just': 539640, 'just mail': 469213, 'mail info': 508623, 'info ca': 437435, 'ca or': 154898, '519 438': 20232, '438 11': 18994, '11 ldnont': 2549, 'dear client our': 229755, 'client our associate': 182079, 'our associate are': 622136, 'associate are still': 96846, 'available to assist': 104640, 'you with house': 1022380, 'with house keeping': 998887, 'house keeping grocery': 406389, 'keeping grocery delivery': 472436, 'grocery delivery driving': 364441, 'delivery driving to': 233959, 'driving to medical': 260020, 'to medical appointment': 909993, 'medical appointment home': 526053, 'appointment home repair': 82670, 'home repair meal': 401969, 'repair meal preparation': 711464, 'meal preparation and': 524253, 'preparation and so': 670029, 'much more just': 545113, 'more just mail': 539641, 'just mail info': 469214, 'mail info ca': 508624, 'info ca or': 437436, 'ca or call': 154899, 'or call 519': 614636, 'call 519 438': 155706, '519 438 11': 20233, '438 11 ldnont': 18995, 'trebilcock': 931178, 'off cliff': 593728, 'cliff edge': 182165, 'edge say': 268518, 'say paul': 739048, 'paul trebilcock': 644563, 'trebilcock the': 931179, 'european export': 283571, 'caused collapse': 167877, 'fish more': 309326, 'with 1700': 996957, '1700 more': 4424, 'just dropped off': 468659, 'dropped off cliff': 260607, 'off cliff edge': 593729, 'cliff edge say': 182166, 'edge say paul': 268519, 'say paul trebilcock': 739049, 'paul trebilcock the': 644564, 'trebilcock the closure': 931180, 'closure of restaurant': 183973, 'restaurant and european': 716284, 'and european export': 62312, 'european export market': 283572, 'export market have': 292666, 'market have caused': 516498, 'have caused collapse': 379918, 'caused collapse in': 167878, 'collapse in demand': 186014, 'demand for fresh': 235423, 'for fresh fish': 321756, 'fresh fish more': 332952, 'fish more with': 309327, 'more with 1700': 540994, 'with 1700 more': 996958, '1700 more on': 4425, 'more on impact': 539923, 'on impact on': 601504, 'attitude about': 102538, 'about major': 25684, 'major purchase': 509433, 'purchase have': 689488, 'have improved': 381030, 'improved slightly': 419570, 'slightly the': 773976, 'consumer doesn': 197234, 'attitude about major': 102540, 'about major purchase': 25685, 'major purchase have': 509434, 'purchase have improved': 689489, 'have improved slightly': 381031, 'improved slightly the': 419571, 'slightly the american': 773977, 'american consumer doesn': 51888, 'consumer doesn like': 197235, 'doesn like to': 251874, 'like to wait': 491633, 'supermarket lunacy': 821415, 'lunacy across': 506695, 'wa absolute': 961416, 'absolute madness': 27259, 'local chemist': 497820, 'morning quaratinelife': 541409, 'quaratinelife lockdownuknow': 693131, 'lockdownuknow coronacrisisuk': 500447, 'not just supermarket': 570252, 'just supermarket lunacy': 469926, 'supermarket lunacy across': 821416, 'lunacy across the': 506696, 'country there wa': 211140, 'there wa absolute': 879224, 'wa absolute madness': 961417, 'absolute madness in': 27260, 'madness in my': 508183, 'my local chemist': 549103, 'local chemist this': 497821, 'chemist this morning': 175454, 'this morning quaratinelife': 888999, 'morning quaratinelife lockdownuknow': 541410, 'quaratinelife lockdownuknow coronacrisisuk': 693132, 'shopper returned': 761666, 'loosened coronavirus': 503213, 'restriction there': 717393, 'about possible': 25963, 'possible silent': 665774, 'silent carrier': 769711, 'carrier asymptomatic': 164953, 'asymptomatic people': 97317, 'country lockdown': 210872, 'measure ease': 525189, 'shopper returned to': 761667, 'city loosened coronavirus': 179249, 'loosened coronavirus related': 503214, 'coronavirus related restriction': 206638, 'related restriction there': 708539, 'restriction there have': 717394, 'been growing concern': 121241, 'growing concern about': 367139, 'concern about possible': 192898, 'about possible silent': 25965, 'possible silent carrier': 665775, 'silent carrier asymptomatic': 769712, 'carrier asymptomatic people': 164954, 'asymptomatic people with': 97319, 'people with covid': 650438, 'the country lockdown': 852112, 'country lockdown measure': 210873, 'lockdown measure ease': 499650, '60th': 21173, 'thinblueline': 884074, 'my 60th': 547167, '60th birthday': 21174, 'birthday bash': 131416, 'bash but': 111804, 'small fry': 774965, 'fry compared': 339283, 'what others': 981981, 'through empty': 894443, 'shelf make': 757301, 'very angry': 954988, 'angry my': 76481, 'old dad': 598203, 'dad couldn': 224311, 'get milk': 347567, 'milk thinblueline': 531858, 'thinblueline selfishpeople': 884075, 'cancel my 60th': 160868, 'my 60th birthday': 547168, '60th birthday bash': 21175, 'birthday bash but': 131417, 'bash but that': 111805, 'but that small': 147298, 'that small fry': 846343, 'small fry compared': 774966, 'fry compared to': 339284, 'to what others': 918522, 'what others are': 981982, 'others are going': 621268, 'going through empty': 355500, 'through empty supermarket': 894445, 'supermarket shelf make': 822495, 'shelf make me': 757302, 'make me very': 510150, 'me very angry': 523878, 'very angry my': 954990, 'angry my old': 76482, 'my old dad': 549557, 'old dad couldn': 598205, 'dad couldn get': 224312, 'couldn get milk': 209887, 'get milk thinblueline': 347569, 'milk thinblueline selfishpeople': 531859, 'whip': 987731, 'durbin': 262376, 'senate minority': 749716, 'minority whip': 533652, 'whip dick': 987732, 'dick durbin': 240460, 'durbin is': 262377, 'senate coming': 749690, 'week scheduled': 976842, 'scheduled would': 741529, 'and risky': 70567, 'risky amid': 724110, 'senate minority whip': 749717, 'minority whip dick': 533653, 'whip dick durbin': 987733, 'dick durbin is': 240461, 'durbin is warning': 262378, 'is warning that': 453764, 'warning that the': 967206, 'that the senate': 846830, 'the senate coming': 866701, 'senate coming back': 749691, 'back in two': 107104, 'two week scheduled': 937361, 'week scheduled would': 976843, 'scheduled would be': 741530, 'would be dangerous': 1011570, 'be dangerous and': 114330, 'dangerous and risky': 225721, 'and risky amid': 70568, 'risky amid the': 724111, 'luminate': 506670, 'dutch convenience': 263497, 'store hema': 808138, 'hema and': 391674, 'using ai': 950369, 'ai luminate': 39321, 'luminate demand': 506671, 'demand edge': 235281, 'edge and': 268493, 'fulfillment software': 340447, 'avoid empty': 105085, 'dutch convenience store': 263498, 'convenience store hema': 202349, 'store hema and': 808139, 'hema and other': 391675, 'other grocery retailer': 620319, 'grocery retailer are': 364900, 'retailer are using': 719020, 'are using ai': 91408, 'using ai luminate': 950371, 'ai luminate demand': 39322, 'luminate demand edge': 506672, 'demand edge and': 235282, 'edge and fulfillment': 268494, 'and fulfillment software': 63399, 'fulfillment software to': 340448, 'software to avoid': 781549, 'to avoid empty': 900890, 'avoid empty shelf': 105086, 'empty shelf due': 275059, 'seattlecovid19': 743592, 'seattlelockdown': 743600, 'costco coronacrisis': 208216, 'coronacrisis seattlecovid19': 204746, 'seattlecovid19 seattlelockdown': 743595, 'seattlelockdown seattle': 743601, 'seattle toiletpaper': 743578, 'last week today': 480686, 'week today costco': 977105, 'today costco coronacrisis': 919409, 'costco coronacrisis seattlecovid19': 208217, 'coronacrisis seattlecovid19 seattlelockdown': 204747, 'seattlecovid19 seattlelockdown seattle': 743596, 'seattlelockdown seattle toiletpaper': 743602, 'seattle toiletpaper toiletpaperpanic': 743579, 'toiletpaper toiletpaperpanic toiletpapercrisis': 922712, 'you doin': 1018289, 'doin with': 252244, 'with tp': 1001828, 'are you doin': 91781, 'you doin with': 1018290, 'doin with tp': 252245, 'with tp toiletpaper': 1001829, 'tp toiletpaper toiletpaperapocalypse': 928007, 'truely': 933234, 'johnson there': 466633, 'there standing': 879089, 'standing between': 793750, 'between two': 128948, 'people addressing': 646774, 'addressing all': 32086, 'question whilst': 693802, 'whilst looking': 987651, 'like toddler': 491639, 'toddler lost': 920620, 'true leadership': 933125, 'leadership truely': 483666, 'truely prime': 933237, 'prime ministerial': 678167, 'ministerial corvid19uk': 533514, 'corvid19uk pressconference': 207755, 'boris johnson there': 135476, 'johnson there standing': 466635, 'there standing between': 879090, 'standing between two': 793751, 'between two people': 128949, 'two people addressing': 937133, 'people addressing all': 646775, 'addressing all the': 32087, 'the question whilst': 865028, 'question whilst looking': 693803, 'whilst looking like': 987652, 'looking like toddler': 502964, 'like toddler lost': 491640, 'toddler lost in': 920621, 'lost in supermarket': 503867, 'supermarket true leadership': 823580, 'true leadership truely': 933126, 'leadership truely prime': 483667, 'truely prime ministerial': 933238, 'prime ministerial corvid19uk': 678168, 'ministerial corvid19uk pressconference': 533515, 'crisis japan': 217619, 'more pessimistic': 540064, 'pessimistic than': 653334, '19 crisis japan': 6270, 'crisis japan is': 217620, 'japan is more': 464747, 'is more pessimistic': 449717, 'more pessimistic than': 540065, 'pessimistic than others': 653335, 'the german': 856229, 'chancellor explained': 171842, 'explained it': 292157, 'who sit': 989628, 'sit at': 771814, 'checkout or': 174974, 'or restock': 616884, 'doing one': 252580, 'hardest job': 378221, 'today be': 919304, 'show courtesy': 766910, 'courtesy and': 212032, 'the german chancellor': 856230, 'german chancellor explained': 346210, 'chancellor explained it': 171843, 'explained it well': 292158, 'it well those': 462309, 'well those who': 978693, 'those who sit': 892673, 'who sit at': 989629, 'sit at supermarket': 771816, 'at supermarket checkout': 100709, 'supermarket checkout or': 819667, 'checkout or restock': 174975, 'or restock shelf': 616885, 'restock shelf are': 716902, 'shelf are doing': 756794, 'are doing one': 85915, 'doing one of': 252581, 'the hardest job': 857111, 'hardest job there': 378222, 'job there is': 466195, 'there is today': 878643, 'is today be': 453259, 'today be kind': 919305, 'kind and show': 474812, 'and show courtesy': 71609, 'show courtesy and': 766911, 'courtesy and respect': 212033, 'acknowledging': 29119, 'behavior shifting': 124189, 'shifting from': 758535, 'from physical': 336917, 'physical brick': 655386, 'isn much': 454590, 'much question': 545267, 'should run': 766429, 'run ad': 727545, 'ad but': 31073, 'ad while': 31193, 'while acknowledging': 986564, 'acknowledging the': 29122, 'situation facebook': 772265, 'facebook instagram': 294943, 'with people behavior': 1000137, 'people behavior shifting': 647252, 'behavior shifting from': 124190, 'shifting from physical': 758538, 'from physical brick': 336918, 'physical brick mortar': 655388, 'brick mortar store': 139592, 'mortar store to': 541844, 'store to online': 810791, 'shopping there isn': 764107, 'there isn much': 878669, 'isn much question': 454593, 'much question of': 545268, 'question of if': 693666, 'if you should': 415519, 'you should run': 1021217, 'should run ad': 766430, 'run ad but': 727546, 'ad but what': 31074, 'way to run': 970085, 'to run ad': 913654, 'run ad while': 727547, 'ad while acknowledging': 31194, 'while acknowledging the': 986565, 'acknowledging the current': 29123, 'current situation facebook': 221362, 'situation facebook instagram': 772266, 'those idiot': 892077, 'food thinkofothers': 317188, 'thinkofothers nurse': 886045, 'watch this if': 968571, 'of those idiot': 592093, 'those idiot who': 892078, 'idiot who is': 413644, 'buying food thinkofothers': 150337, 'food thinkofothers nurse': 317189, 'thinkofothers nurse despair': 886046, 'gentle': 345833, 'uk death': 938293, 'thousand sure': 893491, 'will wish': 995357, 'more gentle': 539336, 'in couple of': 421836, 'of week when': 593010, 'week when the': 977224, 'when the uk': 984210, 'the uk death': 870207, 'uk death are': 938294, 'death are in': 229974, 'in the thousand': 429606, 'the thousand sure': 869503, 'thousand sure their': 893492, 'sure their family': 827722, 'their family member': 873261, 'family member will': 298047, 'member will wish': 528250, 'will wish that': 995358, 'that the warning': 846864, 'the warning had': 871094, 'had been more': 372900, 'been more gentle': 121541, 'franchisees': 331079, 'leniency': 486340, 'thing support': 884784, 'your franchisees': 1023947, 'franchisees by': 331080, 'by putting': 153698, 'putting halt': 691123, 'to royalty': 913641, 'your legal': 1024606, 'legal right': 485891, 'right do': 721872, 'always align': 49460, 'right moral': 721995, 'moral thing': 538411, 'if landlord': 414369, 'can demonstrate': 158051, 'demonstrate leniency': 236835, 'leniency then': 486341, 'right thing support': 722316, 'thing support your': 884785, 'support your franchisees': 827016, 'your franchisees by': 1023948, 'franchisees by putting': 331081, 'by putting halt': 153700, 'putting halt to': 691124, 'halt to royalty': 374471, 'to royalty in': 913642, 'royalty in situation': 726653, 'in situation like': 427987, 'situation like this': 772372, 'like this your': 491555, 'this your legal': 891620, 'your legal right': 1024607, 'legal right do': 485892, 'right do not': 721873, 'not always align': 568176, 'always align with': 49461, 'align with what': 41764, 'the right moral': 865814, 'right moral thing': 721996, 'moral thing to': 538412, 'do if landlord': 249416, 'if landlord can': 414370, 'landlord can demonstrate': 479343, 'can demonstrate leniency': 158052, 'demonstrate leniency then': 236836, 'leniency then so': 486342, 'then so can': 877540, 'breaking germany': 138951, 'germany biggest': 346280, 'store file': 807717, 'for insolvency': 322598, 'insolvency victim': 439747, 'collapse via': 186070, 'breaking germany biggest': 138952, 'germany biggest department': 346281, 'department store file': 237272, 'store file for': 807718, 'file for insolvency': 305351, 'for insolvency victim': 322599, 'insolvency victim of': 439748, '19 collapse via': 5874, 'zero expert': 1027446, 'expert oil': 291893, 'oil petrol': 597007, 'down amid': 256480, 'below zero expert': 126787, 'zero expert oil': 1027447, 'expert oil petrol': 291894, 'oil petrol price': 597008, 'petrol price down': 653765, 'price down amid': 673517, 'down amid crisis': 256481, 'amid crisis 19': 52438, 'murdered': 546165, 'avenge': 104754, 'losangeleslockdown': 503410, 'get murdered': 347622, 'murdered over': 546166, 'paper going': 640214, 'come haunt': 187331, 'haunt your': 379031, 'as someone': 94809, 'please avenge': 659683, 'avenge me': 104755, 'me contagion': 522595, 'contagion losangeleslockdown': 200412, 'losangeleslockdown losangeles': 503413, 'california toiletpaper': 155595, 'if get murdered': 414146, 'get murdered over': 347623, 'murdered over toilet': 546167, 'toilet paper going': 921287, 'paper going to': 640215, 'to come haunt': 903030, 'come haunt your': 187332, 'haunt your as': 379032, 'your as someone': 1022852, 'as someone please': 94810, 'someone please avenge': 784606, 'please avenge me': 659684, 'avenge me contagion': 104756, 'me contagion losangeleslockdown': 522596, 'contagion losangeleslockdown losangeles': 200413, 'losangeleslockdown losangeles california': 503414, 'losangeles california toiletpaper': 503391, 'california toiletpaper toiletpaperemergency': 155596, 'not pitch': 571027, 'pitch in': 657008, 'help pay': 390275, 'pay toward': 645195, 'the funeral': 856046, 'funeral this': 341671, 'costing many': 208328, 'family taken': 298277, 'this funeral': 887661, 'funeral company': 341659, 'be slashing': 117212, 'slashing there': 773686, 'minimum maybe': 533199, 'gov should': 359695, 'also step': 48904, 'why not pitch': 991229, 'not pitch in': 571028, 'pitch in and': 657009, 'in and help': 420365, 'and help pay': 64462, 'help pay toward': 390277, 'pay toward the': 645196, 'toward the cost': 927156, 'of the funeral': 591051, 'the funeral this': 856047, 'funeral this is': 341672, 'this is costing': 888218, 'is costing many': 446855, 'costing many family': 208329, 'many family taken': 514057, 'family taken by': 298278, 'taken by this': 832976, 'by this funeral': 154528, 'this funeral company': 887662, 'funeral company should': 341661, 'should be slashing': 765730, 'be slashing there': 117213, 'slashing there price': 773687, 'there price right': 878957, 'the bare minimum': 849279, 'bare minimum maybe': 110923, 'minimum maybe the': 533200, 'maybe the gov': 521830, 'the gov should': 856491, 'gov should also': 359696, 'should also step': 765507, 'also step up': 48905, 'step up with': 799699, 'up with help': 946647, 'thisisnuts': 891649, 'our publix': 624514, 'publix this': 688786, 'morning literally': 541339, 'literally empty': 494978, 'empty grocerystore': 274898, 'grocerystore nofood': 366321, 'nofood apocalypse': 566135, 'apocalypse thisisnuts': 81568, 'is our publix': 450637, 'our publix this': 624515, 'publix this morning': 688787, 'this morning literally': 888981, 'morning literally empty': 541340, 'literally empty grocerystore': 494979, 'empty grocerystore nofood': 274899, 'grocerystore nofood apocalypse': 366322, 'nofood apocalypse thisisnuts': 566136, 'good and supply': 356752, 'inverness': 443738, 'to unsung': 917968, 'unsung supermarket': 943567, 'hero like': 394031, 'husband away': 411686, 'to inverness': 908481, 'inverness with': 443739, 'pack lunch': 633070, 'lunch cause': 506716, 'cause hotel': 167599, 'hotel not': 405167, 'doing food': 252406, 'and sits': 71703, 'sits beside': 772079, 'beside total': 127485, 'total stranger': 926251, 'van all': 952284, 'ppe stayhomesavelives': 668056, 'stayhomesavelives frontlineheroes': 798386, 'out to unsung': 627694, 'to unsung supermarket': 917969, 'unsung supermarket hero': 943568, 'supermarket hero like': 820748, 'hero like my': 394033, 'like my husband': 490822, 'my husband away': 548774, 'husband away to': 411687, 'away to inverness': 106073, 'to inverness with': 908482, 'inverness with pack': 443740, 'with pack lunch': 1000053, 'pack lunch cause': 633071, 'lunch cause hotel': 506717, 'cause hotel not': 167600, 'hotel not doing': 405168, 'not doing food': 569086, 'doing food he': 252408, 'food he not': 314796, 'he not afraid': 385256, 'not afraid and': 568081, 'afraid and sits': 34969, 'and sits beside': 71704, 'sits beside total': 772080, 'beside total stranger': 127486, 'total stranger in': 926252, 'stranger in van': 812475, 'in van all': 430527, 'van all day': 952285, 'no ppe stayhomesavelives': 565169, 'ppe stayhomesavelives frontlineheroes': 668057, 'wear you': 974495, 'you dang': 1018148, 'dang mask': 225624, 'wear you dang': 974496, 'you dang mask': 1018149, 'dang mask people': 225625, 'any feedback': 79216, 'new contract': 558535, 'contract from': 201661, 'from member': 336416, 'during current': 262580, 'many would': 514901, 'be brave': 113901, 'brave to': 138240, 'take or': 832428, 'pay on': 645019, 'gas eg': 343830, 'eg until': 269731, 'world beyond': 1009361, 'beyond covid': 129151, 'guess but': 367968, 'out year': 627895, 'year po': 1014907, 'have not had': 381683, 'had any feedback': 372853, 'any feedback on': 79217, 'feedback on new': 302430, 'on new contract': 602373, 'new contract from': 558536, 'contract from member': 201662, 'from member during': 336417, 'member during current': 528067, 'during current crisis': 262581, 'current crisis and': 221152, 'crisis and many': 217033, 'and many would': 66684, 'many would be': 514902, 'would be brave': 1011562, 'be brave to': 113902, 'brave to commit': 138241, 'commit to take': 188985, 'to take or': 916215, 'take or pay': 832429, 'or pay on': 616525, 'pay on gas': 645020, 'on gas eg': 601068, 'gas eg until': 343831, 'eg until they': 269732, 'until they know': 943893, 'know more about': 476602, 'about the world': 26567, 'the world beyond': 871824, 'world beyond covid': 1009362, 'beyond covid 19': 129152, '19 and guess': 5036, 'and guess but': 64031, 'guess but do': 367969, 'not know that': 570302, 'know that out': 476780, 'that out year': 845608, 'out year po': 627896, 'these damn': 879852, 'up because': 944471, 'spend all': 788568, 'panic shopping need': 638579, 'shopping need to': 763319, 'stop these damn': 805175, 'these damn grocery': 879854, 'store have lot': 808088, 'product but cannot': 681025, 'but cannot keep': 145385, 'cannot keep their': 161988, 'keep their stock': 472096, 'their stock up': 874839, 'stock up because': 803061, 'up because all': 944472, 'because all of': 118916, 'of you damn': 593379, 'you damn people': 1018147, 'damn people spend': 225411, 'people spend all': 649517, 'spend all your': 788572, 'money on thing': 536941, 'on thing that': 604590, 'thing that do': 884798, 'not go away': 569671, 'go away there': 353332, 'away there is': 106057, 'presenting': 670671, 'roe': 725011, '845': 22899, '651': 21399, '4025': 18807, 'orangecounty': 617943, 'warwickny': 967400, 'floridany': 311011, 'goshenny': 358348, 'cdc approved': 168545, 'approved used': 83208, 'hospital kill': 404486, 'it presenting': 460433, 'presenting roe': 670676, 'roe to': 725012, 'go 845': 353240, '845 651': 22900, '651 4025': 21400, '4025 call': 18808, 'call pay': 156071, 'pay pull': 645060, 'pull up': 688894, 'go hudsonvalley': 353684, 'hudsonvalley orangecounty': 409928, 'orangecounty warwickny': 617946, 'warwickny floridany': 967401, 'floridany goshenny': 311012, 'cdc approved used': 168547, 'approved used in': 83209, 'used in hospital': 949941, 'in hospital kill': 423811, 'hospital kill virus': 404487, 'kill virus we': 474549, 'have it presenting': 381156, 'it presenting roe': 460434, 'presenting roe to': 670677, 'roe to go': 725013, 'to go 845': 906759, 'go 845 651': 353241, '845 651 4025': 22901, '651 4025 call': 21401, '4025 call pay': 18809, 'call pay pull': 156072, 'pay pull up': 645061, 'pull up go': 688896, 'up go hudsonvalley': 945021, 'go hudsonvalley orangecounty': 353685, 'hudsonvalley orangecounty warwickny': 409929, 'orangecounty warwickny floridany': 617947, 'warwickny floridany goshenny': 967402, 'almond': 46460, 'job already': 465604, 'already drink': 47308, 'drink almond': 258793, 'almond milk': 46463, 'morning bizarre': 541194, 'bizarre time': 131970, 'time stophoarding': 897766, 'stophoarding got': 805404, 'got crisp': 358515, 'crisp and': 218482, 'chocolate though': 177707, 'though priority': 892877, 'it good job': 458300, 'good job already': 357293, 'job already drink': 465605, 'already drink almond': 47309, 'drink almond milk': 258794, 'almond milk because': 46465, 'milk because that': 531588, 'that all that': 842570, 'shelf this morning': 757685, 'this morning bizarre': 888945, 'morning bizarre time': 541195, 'bizarre time stophoarding': 131971, 'time stophoarding got': 897767, 'stophoarding got crisp': 805405, 'got crisp and': 358516, 'crisp and chocolate': 218483, 'and chocolate though': 59873, 'chocolate though priority': 177708, '6t': 21671, 'sad part': 729208, 'in benefit': 420786, 'to corporates': 903582, 'corporates investor': 207373, 'investor eg': 444154, 'eg nike': 269715, 'nike making': 563223, 'making shoe': 511336, 'shoe in': 759672, 'china selling': 176937, 'china paying': 176873, 'paying tax': 645492, 'same getting': 733075, 'getting benefit': 348865, 'from 6t': 334326, '6t economic': 21672, 'package aapl': 633204, 'aapl spx': 24134, 'spx spy': 791383, 'sad part of': 729209, 'this no benefit': 889150, 'no benefit to': 563689, 'benefit to real': 127122, 'to real people': 912848, 'people in benefit': 648351, 'in benefit to': 420787, 'benefit to corporates': 127113, 'to corporates investor': 903583, 'corporates investor eg': 207374, 'investor eg nike': 444155, 'eg nike making': 269716, 'nike making shoe': 563224, 'making shoe in': 511337, 'shoe in china': 759673, 'in china selling': 421435, 'china selling in': 176938, 'selling in china': 749298, 'in china paying': 421424, 'china paying tax': 176874, 'paying tax in': 645493, 'tax in china': 835011, 'in china for': 421401, 'china for the': 176667, 'the same getting': 866228, 'same getting benefit': 733076, 'getting benefit from': 348866, 'benefit from 6t': 126977, 'from 6t economic': 334327, '6t economic package': 21673, 'economic package aapl': 267191, 'package aapl spx': 633205, 'aapl spx spy': 24135, 'beautiful the': 118722, 'thing still': 884766, 'for make': 323170, 'at thing': 101215, 'thing differently': 884269, 'differently wirbleibenzuhause': 242171, 'how beautiful the': 407449, 'beautiful the way': 118723, 'supermarket can be': 819497, 'can be the': 157698, 'only thing still': 611315, 'thing still get': 884767, 'still get to': 800559, 'get to go': 348469, 'out for make': 626137, 'for make you': 323171, 'make you look': 510742, 'look at thing': 502301, 'at thing differently': 101216, 'thing differently wirbleibenzuhause': 884271, 'use illegal': 949268, 'offer everything': 594599, 'scheme no': 741574, 'how annoying': 407372, 'scammer use illegal': 740642, 'use illegal robocalls': 949269, 'robocalls to offer': 724774, 'to offer everything': 910833, 'offer everything from': 594600, 'home scheme no': 402019, 'scheme no matter': 741575, 'matter how annoying': 520572, 'how annoying these': 407373, 'hang up more': 376949, 'up more information': 945404, 'macdill': 507337, 'latest testing': 481569, 'testing resume': 839630, 'at ray': 100256, 'ray jay': 698026, 'jay medical': 464892, 'from macdill': 336295, 'macdill going': 507338, 'ny drug': 577849, 'drug trial': 261134, 'trial beginning': 931635, 'beginning face': 123619, 'mask recommendation': 519189, 'recommendation revised': 704764, 'revised tiger': 720646, 'tiger with': 895809, 'phone stock': 655021, 'stock future': 802189, 'future oil': 342405, 'free donut': 331777, 'donut plus': 255420, 'plus ft': 661609, 'ft distance': 339338, 'in fl': 422926, 'fl term': 309926, '19 latest testing': 8277, 'latest testing resume': 481570, 'testing resume at': 839631, 'resume at ray': 717733, 'at ray jay': 100257, 'ray jay medical': 698027, 'jay medical staff': 464893, 'medical staff from': 526394, 'staff from macdill': 792479, 'from macdill going': 336296, 'macdill going to': 507339, 'going to ny': 355662, 'to ny drug': 910772, 'ny drug trial': 577850, 'drug trial beginning': 261135, 'trial beginning face': 931636, 'beginning face mask': 123620, 'face mask recommendation': 294583, 'mask recommendation revised': 519190, 'recommendation revised tiger': 704765, 'revised tiger with': 720647, 'tiger with covid': 895810, '19 grocery shopping': 7290, 'from your phone': 338490, 'your phone stock': 1025292, 'phone stock future': 655022, 'stock future oil': 802192, 'future oil price': 342406, 'oil price free': 597138, 'price free donut': 674097, 'free donut plus': 331778, 'donut plus ft': 255421, 'plus ft distance': 661610, 'ft distance in': 339341, 'distance in fl': 246740, 'in fl term': 422927, 'you suffering': 1021468, 'suffering financial': 817301, 'your story': 1025999, 'story with': 812160, 'are you suffering': 91866, 'you suffering financial': 1021469, 'suffering financial hardship': 817302, 'due to share': 261945, 'share your story': 755380, 'your story with': 1026000, 'story with consumer': 812161, 'with consumer report': 997766, 'breakout': 139112, 'gradual': 361682, 'part but': 642249, 'also due': 48142, 'to hunger': 908055, 'hunger unavailability': 411203, 'unavailability of': 939440, 'the breakout': 849976, 'breakout of': 139113, 'caused gradual': 167892, 'gradual economic': 361685, 'panic among': 637282, 'public due': 687959, 'future it': 342365, 'seen that': 747270, 'huge gap': 410045, 'gap cont': 343440, 'part but also': 642250, 'but also due': 145108, 'also due to': 48143, 'due to hunger': 261819, 'to hunger unavailability': 908057, 'hunger unavailability of': 411204, 'unavailability of food': 939441, 'of food product': 583756, 'food product and': 316013, 'product and supply': 680913, 'the market the': 860168, 'market the breakout': 517181, 'the breakout of': 849977, 'breakout of the': 139114, 'ha caused gradual': 370081, 'caused gradual economic': 167893, 'gradual economic crisis': 361686, 'economic crisis and': 267031, 'crisis and state': 217051, 'and state of': 72279, 'state of panic': 795818, 'of panic among': 587717, 'panic among the': 637286, 'among the public': 53071, 'the public due': 864801, 'public due to': 687960, 'due to which': 262026, 'to which in': 918553, 'which in near': 985948, 'near future it': 553504, 'future it can': 342366, 'can be seen': 157682, 'be seen that': 117044, 'seen that huge': 747271, 'that huge gap': 844392, 'huge gap cont': 410046, 'cuarentenaobligatoriaya': 220150, 'crackdown cuarentenaobligatoriaya': 214714, 'cuarentenaobligatoriaya saudiarabia': 220151, 'saudiaramco amazon': 737373, 'despite crackdown cuarentenaobligatoriaya': 238715, 'crackdown cuarentenaobligatoriaya saudiarabia': 214715, 'cuarentenaobligatoriaya saudiarabia saudiaramco': 220152, 'saudiarabia saudiaramco amazon': 737364, 'on will': 605326, 'your usual': 1026257, 'usual habit': 950956, 'fine please': 307684, 'much greed': 544961, 'at war': 101490, 'invisible enemy': 444247, 'now on will': 575441, 'on will everyone': 605328, 'will everyone go': 993353, 'supermarket on their': 821736, 'on their usual': 604519, 'usual day and': 950916, 'day and time': 227291, 'and time go': 74119, 'time go back': 896843, 'to your usual': 919034, 'your usual habit': 1026260, 'usual habit and': 950957, 'habit and everything': 372552, 'and everything will': 62432, 'be fine please': 114852, 'fine please remember': 307685, 'please remember the': 660373, 'remember the sick': 710318, 'the sick and': 867148, 'sick and the': 768373, 'the elderly so': 854146, 'so much greed': 777781, 'much greed and': 544962, 'greed and panic': 363362, 'and panic we': 68668, 'are at war': 84688, 'at war with': 101495, 'war with an': 966601, 'with an invisible': 997220, 'an invisible enemy': 56453, 'across are': 29260, 'new epidemic': 558698, 'healthy hcws': 387659, 'worker across are': 1006200, 'across are now': 29261, 'the new epidemic': 861499, 'new epidemic they': 558699, 'keep healthy hcws': 471572, 'withdrawn': 1002273, 'to negatively': 910530, 'negatively impact': 556856, 'impact residential': 417945, 'residential property': 714439, 'with 45': 997020, '45 per': 19125, 'of auction': 580444, 'auction withdrawn': 102875, 'withdrawn from': 1002274, 'distancing measure could': 247321, 'measure could start': 525165, 'could start to': 209712, 'start to negatively': 794589, 'to negatively impact': 910531, 'negatively impact residential': 556858, 'impact residential property': 417946, 'residential property price': 714440, 'property price with': 684344, 'price with 45': 677603, 'with 45 per': 997021, '45 per cent': 19127, 'cent of auction': 169094, 'of auction withdrawn': 580445, 'auction withdrawn from': 102876, 'withdrawn from the': 1002275, 'thisisww3': 891657, 'gonna use': 356646, 'fucking ammo': 339798, 'ammo against': 52890, 'virus mean': 958494, 'mean damn': 524401, 'damn thisisww3': 225450, 'thisisww3 quaratinelife': 891658, 'toiletpaper texasstrong': 922586, 'all gonna use': 42972, 'gonna use all': 356647, 'use all this': 949024, 'all this toilet': 45142, 'paper for fucking': 640178, 'for fucking ammo': 321794, 'fucking ammo against': 339799, 'ammo against the': 52891, 'against the corona': 37648, 'corona virus mean': 204327, 'virus mean damn': 958495, 'mean damn thisisww3': 524402, 'damn thisisww3 quaratinelife': 225451, 'thisisww3 quaratinelife 19': 891659, 'quaratinelife 19 toiletpaper': 693119, '19 toiletpaper texasstrong': 11492, 'post their': 666357, 'practice during': 668548, 'open what': 612660, 'what their': 982376, 'the business to': 850183, 'business to post': 144548, 'to post their': 911917, 'post their current': 666358, 'their current business': 872937, 'current business practice': 221111, 'business practice during': 144244, 'practice during this': 668553, '19 crisis you': 6359, 'crisis you can': 218463, 'can see who': 159554, 'see who is': 746068, 'who is open': 989098, 'is open what': 450583, 'open what their': 612662, 'what their hour': 982379, 'their hour are': 873592, 'hour are if': 405429, 'are if they': 87291, 'they are offering': 881345, 'were considering': 979477, 'considering supermarket': 195418, 'or drugstore': 615084, 'drugstore hair': 261188, 'you were considering': 1022244, 'were considering supermarket': 979479, 'considering supermarket or': 195419, 'supermarket or drugstore': 821803, 'or drugstore hair': 615086, 'drugstore hair color': 261189, 'koka': 477347, 'koka thank': 477348, 'these amp': 879595, 'koka thank you': 477349, 'to these amp': 917334, 'these amp all': 879596, 'amp all citizen': 53367, 'serving we thank': 753232, 'happybirthday': 377743, 'sweet16': 830263, 'baby out': 106678, 'her birthday': 391885, 'birthday taking': 131452, 'taking her': 833383, 'online happybirthday': 608351, 'happybirthday sweet16': 377744, 'sweet16 selfquarantined': 830264, 'selfquarantined socialdistanacing': 748589, 'since cannot take': 770538, 'cannot take my': 162162, 'take my baby': 832348, 'my baby out': 547369, 'baby out to': 106679, 'go shopping for': 354112, 'for her birthday': 322213, 'her birthday taking': 391886, 'birthday taking her': 131453, 'taking her shopping': 833384, 'her shopping online': 392378, 'shopping online happybirthday': 763439, 'online happybirthday sweet16': 608352, 'happybirthday sweet16 selfquarantined': 377745, 'sweet16 selfquarantined socialdistanacing': 830265, 'without saying': 1002901, 'saying but': 739564, 'just try': 470144, 'use me': 949367, 'the overbooked': 862775, 'overbooked supermarket': 631063, 'service only': 752656, 'only ask': 610119, 'you genuinely': 1018751, 'genuinely cannot': 345880, 'yourself result': 1026689, 'oh really hope': 596437, 'really hope this': 702314, 'this go without': 887719, 'go without saying': 354522, 'without saying but': 1002902, 'saying but do': 739565, 'not just try': 570262, 'just try to': 470145, 'to use me': 918047, 'use me to': 949368, 'me to replace': 523773, 'replace the overbooked': 711589, 'the overbooked supermarket': 862776, 'overbooked supermarket home': 631064, 'delivery service only': 234453, 'service only ask': 752657, 'only ask if': 610120, 'ask if you': 95568, 'if you genuinely': 415442, 'you genuinely cannot': 1018752, 'genuinely cannot get': 345881, 'it yourself result': 462675, 'yourself result of': 1026690, 'gene': 345266, 'our gene': 623236, 'gene pool': 345267, 'pool is': 664012, 'trouble don': 932601, 'know whether': 477020, 'or laugh': 615936, 'laugh or': 481751, 'or cry': 614862, 'cry or': 219899, 'spend some': 788672, 'both state': 136053, 'state trending': 796041, 'our gene pool': 623237, 'gene pool is': 345268, 'pool is in': 664013, 'is in trouble': 448824, 'in trouble don': 430296, 'trouble don know': 932602, 'don know whether': 253677, 'know whether or': 477023, 'whether or laugh': 985544, 'or laugh or': 615938, 'laugh or cry': 481752, 'or cry or': 614863, 'cry or spend': 219901, 'or spend some': 617181, 'spend some time': 788674, 'some time in': 784059, 'time in both': 896981, 'in both state': 420927, 'both state trending': 136054, 'state trending out': 796042, 'polish manufacturer': 663580, 'manufacturer is': 513480, 'producing alcohol': 680736, 'based for': 111583, '58 00': 20517, '00 homeless': 251, 'angeles in': 76375, 'of read': 588772, 'nail polish manufacturer': 551453, 'polish manufacturer is': 663581, 'manufacturer is producing': 513481, 'is producing alcohol': 451062, 'producing alcohol based': 680737, 'alcohol based for': 40926, 'based for the': 111584, 'for the 58': 326291, 'the 58 00': 848155, '58 00 homeless': 20518, '00 homeless people': 252, 'homeless people living': 402772, 'people living in': 648685, 'living in los': 496379, 'los angeles in': 503365, 'angeles in an': 76376, 'attempt to help': 102247, 'spread of read': 790701, 'of read the': 588774, 'article here gt': 94349, 'here gt gt': 393064, 'plauge': 659104, 'our little': 623753, 'little plague': 495521, 'doctor friend': 250921, 'friend ha': 333624, 'arrived to': 93975, 'out buy': 625804, 'buy here': 148785, 'here washyourhands': 393778, 'washyourhands flu': 967871, 'cold sick': 185789, 'sick soap': 768609, 'handsanitizer clean': 376497, 'clean germ': 180546, 'virus plauge': 958634, 'plauge doctor': 659105, 'doctor outbreak': 251066, 'stayhome shirt': 798107, 'our little plague': 623755, 'little plague doctor': 495522, 'plague doctor friend': 657961, 'doctor friend ha': 250922, 'friend ha arrived': 333626, 'ha arrived to': 369621, 'arrived to help': 93976, 'help out buy': 390246, 'out buy here': 625807, 'buy here washyourhands': 148788, 'here washyourhands flu': 393779, 'washyourhands flu cold': 967872, 'flu cold sick': 311399, 'cold sick soap': 185790, 'sick soap sanitizer': 768610, 'soap sanitizer handsanitizer': 779107, 'sanitizer handsanitizer clean': 735031, 'handsanitizer clean germ': 376499, 'clean germ virus': 180547, 'germ virus plauge': 346173, 'virus plauge doctor': 958635, 'plauge doctor outbreak': 659106, 'doctor outbreak pandemic': 251067, 'outbreak pandemic quarantine': 628518, 'pandemic quarantine toiletpaper': 636272, 'quarantine toiletpaper stayhome': 692649, 'toiletpaper stayhome shirt': 922524, 'gunk': 368784, 'have poo': 381996, 'poo or': 664000, 'other gunk': 620328, 'gunk on': 368785, 'have sanitized': 382389, 'sanitized hand': 734249, 'poo on': 663997, 'only sanitize': 611081, 'longer have': 501987, 'hand washyourhands': 375967, 'you have poo': 1019093, 'have poo or': 381998, 'poo or other': 664001, 'or other gunk': 616435, 'other gunk on': 620329, 'gunk on your': 368786, 'sanitizer you may': 736168, 'may have sanitized': 521254, 'have sanitized hand': 382390, 'sanitized hand but': 734250, 'hand but you': 374847, 'but you still': 148000, 'still have poo': 800660, 'have poo on': 381997, 'poo on them': 663998, 'on them when': 604546, 'you use soap': 1022004, 'use soap water': 949592, 'soap water you': 779166, 'water you not': 969277, 'you not only': 1020126, 'not only sanitize': 570823, 'only sanitize your': 611082, 'but you no': 147995, 'you no longer': 1020104, 'no longer have': 564650, 'longer have poo': 501988, 'poo on your': 663999, 'your hand washyourhands': 1024240, 'need perhaps': 555424, 'our reward': 624643, 'reward structure': 720789, 'structure in': 814303, 'think we are': 885761, 'we are finding': 970564, 'are finding out': 86574, 'out who are': 627838, 'people we really': 650158, 'really need perhaps': 702439, 'need perhaps we': 555425, 'we should reflect': 973290, 'should reflect on': 766391, 'reflect on our': 706617, 'on our reward': 602625, 'our reward structure': 624644, 'reward structure in': 720790, 'structure in society': 814304, '19 guidance': 7308, 'guidance just': 368254, 'issued for': 456061, 'hospital building': 404331, 'building patient': 142129, 'patient room': 644246, 'room or': 725946, 'or treatment': 617527, 'treatment room': 931137, 'room get': 725916, 'get equipment': 346946, 'equipment list': 279776, 'list 2020': 494258, '2020 price': 14527, 'price quantity': 676040, 'quantity now': 691930, '19 guidance just': 7311, 'guidance just issued': 368255, 'just issued for': 469081, 'issued for hospital': 456064, 'for hospital building': 322366, 'hospital building patient': 404332, 'building patient room': 142130, 'patient room or': 644247, 'room or treatment': 725947, 'or treatment room': 617529, 'treatment room get': 931138, 'room get equipment': 725917, 'get equipment list': 346947, 'equipment list 2020': 279777, 'list 2020 price': 494259, '2020 price quantity': 14528, 'price quantity now': 676041, 'wiggle': 992033, 'statutory or': 796719, 'normal pay': 567250, 'pay when': 645225, 'some employer': 782743, 'employer trying': 274553, 'to wiggle': 918599, 'wiggle out': 992034, 'paying employee': 645397, 'employee fully': 273877, 'fully explains': 341045, 'your full': 1024008, 'full salary': 340863, 'should you get': 766676, 'you get statutory': 1018795, 'get statutory or': 348110, 'statutory or normal': 796720, 'or normal pay': 616282, 'normal pay when': 567252, 'pay when you': 645226, 're sick with': 699523, 'sick with some': 768681, 'with some employer': 1000842, 'some employer trying': 782744, 'employer trying to': 274554, 'trying to wiggle': 934898, 'to wiggle out': 918600, 'wiggle out of': 992035, 'out of paying': 626802, 'of paying employee': 587837, 'paying employee fully': 645398, 'employee fully explains': 273878, 'fully explains how': 341046, 'fight for your': 304752, 'for your full': 328154, 'your full salary': 1024010, 'european electricity': 283563, 'contracting due': 201770, 'the electricitymarkets': 854180, 'electricitymarkets brentoil': 271229, 'brentoil ttf': 139371, 'ttf and': 934996, 'co2 19': 185025, 'european electricity demand': 283564, 'demand is contracting': 235719, 'is contracting due': 446820, 'contracting due to': 201771, 'the crisis which': 852478, 'crisis which also': 218387, 'which also cause': 985657, 'also cause price': 48014, 'cause price fall': 167707, 'in the electricitymarkets': 429164, 'the electricitymarkets brentoil': 854181, 'electricitymarkets brentoil ttf': 271230, 'brentoil ttf and': 139372, 'ttf and co2': 934997, 'and co2 19': 60042, 'big part': 129903, 'gdp how': 344889, 'catastrophic there': 166964, 'be shaped': 117120, 'spending is big': 788870, 'is big part': 446171, 'big part of': 129904, 'part of gdp': 642349, 'of gdp how': 584068, 'gdp how do': 344890, 'think this will': 885708, 'affect the economy': 34243, 'economy the economic': 268273, 'will be catastrophic': 992391, 'be catastrophic there': 114024, 'catastrophic there will': 166965, 'not be shaped': 568451, 'be shaped recovery': 117121, 'china online': 176860, 'increased 15': 433166, '20 percentage': 13258, 'commerce in': 188571, 'increased 81': 433184, '81 percent': 22777, 'percent compared': 651117, 'of february': 583468, 'february consumer': 301702, 'have largely': 381245, 'largely followed': 479854, 'same pattern': 733208, 'pattern the': 644507, 'in china online': 421422, 'china online shopping': 176861, 'ha increased 15': 370940, 'increased 15 to': 433167, '15 to 20': 3854, 'to 20 percentage': 899580, '20 percentage point': 13259, 'percentage point and': 651217, 'point and commerce': 662414, 'and commerce in': 60131, 'commerce in italy': 188572, 'in italy ha': 424304, 'italy ha increased': 462839, 'ha increased 81': 370942, 'increased 81 percent': 433185, '81 percent compared': 22778, 'percent compared with': 651118, 'compared with the': 191448, 'week of february': 976613, 'of february consumer': 583469, 'february consumer have': 301703, 'consumer have largely': 197709, 'have largely followed': 381246, 'largely followed the': 479855, 'followed the same': 312615, 'the same pattern': 866274, 'same pattern the': 733210, 'pattern the covid': 644508, 'equipment kindly': 279770, '861577877688 07063501522': 22987, 'face mask other': 294573, 'mask other medical': 519086, 'medical equipment kindly': 526154, 'equipment kindly dm': 279771, 'com 861577877688 07063501522': 186913, '861577877688 07063501522 08028611855': 22988, 'one kansa': 606550, 'kansa sheriff': 470816, 'sheriff department': 758075, 'it call': 456989, 'call of': 156015, 'duty by': 263560, 'by delivery': 152321, 'one kansa sheriff': 606551, 'kansa sheriff department': 470817, 'sheriff department is': 758076, 'department is going': 237215, 'and beyond it': 58946, 'beyond it call': 129191, 'it call of': 456990, 'call of duty': 156016, 'of duty by': 582883, 'duty by delivery': 263561, '19 department': 6495, 'other mall': 620498, 'mall based': 511754, 'based retailer': 111728, 'retailer were': 719409, 'were suffering': 980192, 'suffering now': 817328, 'at nuclear': 99926, 'nuclear winter': 576760, 'winter decline': 996121, 'sale that': 732567, 'many won': 514890, 'won recover': 1003886, 'long before the': 501355, 'before the first': 123163, 'covid 19 department': 212932, '19 department store': 6496, 'and other mall': 68356, 'other mall based': 620499, 'mall based retailer': 511755, 'based retailer were': 111729, 'retailer were suffering': 719410, 'were suffering now': 980193, 'suffering now they': 817329, 'they re looking': 883072, 're looking at': 699011, 'looking at nuclear': 502815, 'at nuclear winter': 99927, 'nuclear winter decline': 576761, 'winter decline in': 996122, 'decline in sale': 231366, 'in sale that': 427663, 'sale that many': 732568, 'that many won': 845034, 'many won recover': 514891, 'won recover from': 1003887, 'ohtobebacktonormal': 596574, 'isolation holiday': 455298, 'cancelled folk': 161111, 'folk fearing': 312151, 'fearing their': 301498, 'you bloody': 1017488, 'bloody ohtobebacktonormal': 133219, 'closing people in': 183722, 'in isolation holiday': 424199, 'isolation holiday cancelled': 455299, 'holiday cancelled folk': 400267, 'cancelled folk fearing': 161112, 'folk fearing their': 312152, 'fearing their job': 301499, 'now no eastenders': 575347, 'tonight damn you': 924397, 'damn you bloody': 225468, 'you bloody ohtobebacktonormal': 1017489, 'data indicates': 226276, 'indicates when': 434999, 'to numbing': 910752, 'numbing covid': 577107, 'stress liquor': 813358, 'liquor is': 494178, 'is quicker': 451180, 'consumer data indicates': 197057, 'data indicates when': 226277, 'indicates when it': 435000, 'come to numbing': 187585, 'to numbing covid': 910753, 'numbing covid 19': 577108, '19 stress liquor': 10911, 'stress liquor is': 813359, 'liquor is quicker': 494180, 'easter2020': 265533, 'basket be': 112310, 'looking little': 502966, 'little different': 495316, 'year friend': 1014573, 'mom sent': 535802, 'photo easter': 655157, 'easter easter2020': 265409, 'easter2020 easterbunny': 265534, 'easterbunny eastersunday': 265550, 'eastersunday toiletpaper': 265610, 'easter basket be': 265387, 'basket be looking': 112311, 'be looking little': 115824, 'looking little different': 502967, 'little different this': 495317, 'different this year': 242102, 'this year friend': 891575, 'year friend of': 1014574, 'friend of my': 333731, 'of my mom': 586791, 'my mom sent': 549280, 'mom sent this': 535803, 'sent this photo': 750835, 'this photo easter': 889557, 'photo easter easter2020': 655158, 'easter easter2020 easterbunny': 265410, 'easter2020 easterbunny eastersunday': 265535, 'easterbunny eastersunday toiletpaper': 265551, 'eastersunday toiletpaper funny': 265611, 'family remain': 298184, 'remain safe': 709851, 'help eliminate': 389631, 'eliminate worry': 271472, 'great need': 362833, 're adding': 698185, 'speed data': 788436, 'for wireless': 327893, 'wireless consumer': 996570, 'be automatically': 113747, 'automatically applied': 103991, 'applied with': 82510, 'customer action': 222022, 'action necessary': 30074, 'necessary http': 554002, 'hope you your': 403816, 'your family remain': 1023800, 'family remain safe': 298185, 'remain safe we': 709852, 'safe we are': 730114, 'are here help': 87120, 'here help eliminate': 393084, 'help eliminate worry': 389632, 'eliminate worry for': 271473, 'worry for customer': 1010705, 'customer during time': 222322, 'time of great': 897337, 'of great need': 584316, 'great need we': 362835, 'need we re': 556189, 'we re adding': 972816, 're adding 15gb': 698186, '15gb of high': 4020, 'of high speed': 584617, 'high speed data': 395416, 'speed data for': 788437, 'data for wireless': 226220, 'for wireless consumer': 327894, 'wireless consumer to': 996571, 'to be automatically': 901119, 'be automatically applied': 113748, 'automatically applied with': 103992, 'applied with no': 82511, 'with no customer': 999745, 'no customer action': 563954, 'customer action necessary': 222023, 'action necessary http': 30075, 'deposit from': 237497, 'govt remember': 361259, 'not ask': 568254, 'pay anything': 644751, 'anything up': 80925, 'up front': 944997, 'charge ask': 173206, 'ssn bank': 791663, 'bank acct': 109561, 'acct or': 28843, 'or cc': 614690, 'cc number': 168397, 'number anyone': 576824, 'is scammer': 451669, 'scammer learn': 740587, 'looking for check': 502856, 'for check or': 320033, 'direct deposit from': 243311, 'deposit from the': 237498, 'the govt remember': 856672, 'govt remember the': 361260, 'remember the gov': 710308, 'gov will not': 359738, 'will not ask': 994187, 'not ask you': 568257, 'you to pay': 1021818, 'to pay anything': 911512, 'pay anything up': 644753, 'anything up front': 80926, 'up front to': 944998, 'front to get': 338678, 'get money no': 347573, 'money no fee': 536907, 'no fee or': 564211, 'fee or charge': 302211, 'or charge ask': 614701, 'charge ask for': 173207, 'for your ssn': 328212, 'your ssn bank': 1025897, 'ssn bank acct': 791664, 'bank acct or': 109562, 'acct or cc': 28844, 'or cc number': 614691, 'cc number anyone': 168398, 'number anyone who': 576825, 'anyone who doe': 80617, 'who doe is': 988630, 'doe is scammer': 251427, 'is scammer learn': 451670, 'scammer learn more': 740588, 'your hero': 1024315, 'from first': 335478, 'responder to': 715538, 'to maintenance': 909604, 'maintenance worker': 509173, 'rest stay': 716221, 'submit your hero': 815805, 'your hero from': 1024316, 'hero from first': 393995, 'from first responder': 335480, 'first responder to': 308970, 'responder to medical': 715539, 'to medical professional': 910000, 'medical professional to': 526339, 'clerk to maintenance': 181796, 'to maintenance worker': 909605, 'maintenance worker there': 509174, 'are many people': 88032, 'many people working': 514553, 'people working during': 650515, 'pandemic while the': 636993, 'while the rest': 987414, 'the rest stay': 865637, 'rest stay home': 716222, 'overnights': 631372, 'management cannot': 512548, '59 ve': 20575, 'him overnights': 396691, 'overnights and': 631373, 'told management cannot': 923597, 'management cannot be': 512549, 'cannot be in': 161639, 'him 59 ve': 396522, '59 ve had': 20576, 've had pneumonia': 953233, 'said we ll': 731569, 'we ll go': 972253, 'll go support': 496811, 'support him overnights': 826568, 'him overnights and': 396692, 'overnights and other': 631374, 'and other time': 68423, 'communicate le': 189547, 'person must': 652540, 'digitalmarketers amid': 242750, 'and communicate le': 60160, 'communicate le in': 189548, 'le in person': 482991, 'in person must': 426636, 'person must read': 652541, 'for digitalmarketers amid': 320713, 'digitalmarketers amid pandemic': 242751, 'information resource': 437970, 'practice including': 668595, 'including health': 432000, 'resource financial': 714767, 'assistance school': 96737, 'school info': 741830, 'info small': 437586, 'resource consumer': 714751, 'protection etc': 685424, 'etc follow': 282536, 'out my website': 626612, 'my website for': 550543, 'website for up': 975279, 'date information resource': 226666, 'information resource and': 437971, 'resource and best': 714699, 'and best practice': 58909, 'best practice including': 127846, 'practice including health': 668596, 'including health resource': 432002, 'health resource financial': 386797, 'resource financial assistance': 714768, 'financial assistance school': 306333, 'assistance school info': 96738, 'school info small': 741831, 'info small business': 437587, 'small business resource': 774889, 'business resource consumer': 144318, 'resource consumer protection': 714752, 'consumer protection etc': 198526, 'protection etc follow': 685426, 'etc follow the': 282537, 'park crowded': 641894, 'crowded despite': 219306, 'despite social': 238854, 'order new': 618410, 'jersey limit': 465215, 'customer number': 222631, 'number keep': 576905, 'today update': 920416, 'update via': 947295, 'park crowded despite': 641895, 'crowded despite social': 219307, 'despite social distancing': 238855, 'distancing order new': 247384, 'order new jersey': 618411, 'new jersey limit': 558976, 'jersey limit grocery': 465216, 'store customer number': 807246, 'customer number keep': 222632, 'number keep up': 576907, 'up with today': 946697, 'with today update': 1001799, 'today update via': 920417, 'findthegood': 307586, 'brightside': 139829, 'am loving': 50201, 'loving these': 505067, 'been long': 121477, 'since saw': 770816, 'saw below': 738068, 'below dollar': 126630, 'dollar gallon': 252995, 'gallon findthegood': 343002, 'findthegood brightside': 307587, 'brightside 19': 139830, 'am loving these': 50202, 'loving these covid': 505068, 'gas price it': 343984, 'price it been': 674911, 'it been long': 456798, 'been long time': 121478, 'long time since': 501778, 'time since saw': 897670, 'since saw below': 770817, 'saw below dollar': 738069, 'below dollar gallon': 126631, 'dollar gallon findthegood': 252996, 'gallon findthegood brightside': 343003, 'findthegood brightside 19': 307588, 'friday 13th': 333181, '13th of': 3366, 'queue no': 694005, 'no moron': 564830, 'moron pushing': 541625, 'pushing you': 690469, 'wa lucky': 962604, 'lucky and': 506533, 'didn notice': 241143, 'notice it': 573298, 'it friday 13th': 458139, 'friday 13th of': 333182, '13th of march': 3367, 'march you are': 515544, 'is available no': 445924, 'available no long': 104509, 'no long queue': 564622, 'long queue no': 501584, 'queue no moron': 694009, 'no moron pushing': 564831, 'moron pushing you': 541626, 'pushing you you': 690470, 'you you wa': 1022489, 'you wa lucky': 1022096, 'wa lucky and': 962605, 'lucky and you': 506535, 'and you didn': 76011, 'you didn notice': 1018210, 'didn notice it': 241144, 'notice it coronacrisis': 573299, 'it coronacrisis stopstockpiling': 457334, 'weekend not': 977375, 'together panicbuyers': 920892, 'of me trying': 586348, 'trying to go': 934815, 'store this weekend': 810708, 'this weekend not': 891315, 'weekend not sure': 977376, 'sure what all': 827817, 'what all doing': 981007, 'all doing with': 42614, 'paper but please': 639971, 'please remember we': 660377, 'remember we re': 710401, 'this together panicbuyers': 890775, 'rancher trucker': 696549, 'trucker grocer': 932920, 'thanks and gratitude': 842019, 'farmer rancher trucker': 299488, 'rancher trucker grocer': 696550, 'trucker grocer and': 932921, 'grocer and stocker': 364095, 'and stocker and': 72428, 'stocker and many': 803490, 'hyderabad mumbai': 411930, 'mumbai or': 546019, 'or pune': 616742, 'pune you': 689209, 'still continue': 800399, 'firm added': 308302, 'are in hyderabad': 87399, 'in hyderabad mumbai': 423937, 'hyderabad mumbai or': 411931, 'mumbai or pune': 546020, 'or pune you': 616743, 'pune you can': 689210, 'can still continue': 159769, 'still continue shopping': 800400, 'at the firm': 100947, 'the firm added': 855269, 'overdirty': 631166, 'very nice': 955380, 'ask compensation': 95501, 'compensation from': 191558, 'for causing': 319972, 'sars virus': 736823, 'virus caused': 958043, 'their overdirty': 874153, 'overdirty food': 631167, 'this demand': 887200, 'very nice of': 955383, 'nice of you': 562449, 'you not to': 1020133, 'not to ask': 572131, 'to ask compensation': 900750, 'ask compensation from': 95502, 'compensation from for': 191559, 'from for causing': 335526, 'for causing the': 319975, 'causing the sars': 168121, 'the sars virus': 866370, 'sars virus caused': 736824, 'virus caused by': 958044, 'caused by their': 167871, 'by their overdirty': 154498, 'their overdirty food': 874154, 'overdirty food market': 631168, 'food market but': 315393, 'market but how': 516125, 'how about this': 407309, 'about this demand': 26635, 'like headed': 490404, 'headed into': 385904, 'the gate': 856180, 'gate of': 344346, 'of hell': 584538, 'hell when': 389088, 'when enter': 983374, 'seriously feel like': 751607, 'feel like headed': 302721, 'like headed into': 490405, 'headed into the': 385905, 'into the gate': 443130, 'the gate of': 856181, 'gate of hell': 344347, 'of hell when': 584539, 'hell when enter': 389089, 'when enter the': 983375, 'year dropping': 1014529, 'dropping below': 260675, 'below 25': 126565, 'barrel demand': 111215, 'fuel ha': 340182, 'by work': 154764, 'travel lockdown': 930419, 'lockdown introduced': 499534, 'biggest economy': 130217, '17 year dropping': 4405, 'year dropping below': 1014530, 'dropping below 25': 260676, 'below 25 barrel': 126566, '25 barrel demand': 15845, 'barrel demand for': 111216, 'demand for fuel': 235425, 'for fuel ha': 321801, 'fuel ha been': 340183, 'been hit by': 121297, 'hit by work': 398190, 'by work and': 154765, 'work and travel': 1004819, 'and travel lockdown': 74412, 'travel lockdown introduced': 930420, 'lockdown introduced in': 499535, 'introduced in some': 443429, 'in some of': 428092, 'world biggest economy': 1009365, 'biggest economy to': 130219, 'economy to contain': 268290, 'spread of more': 790687, 'of more with': 586655, 'grievance': 363906, 'trump last': 933675, 'day rt': 228291, 'rt call': 726749, 'for dr': 320846, 'fauci firing': 300356, 'firing claimed': 308284, 'he alone': 384721, 'alone can': 46835, 'state tweeted': 796049, 'tweeted personal': 936443, 'personal grievance': 652854, 'grievance hospital': 363907, 'hospital small': 404616, 'biz state': 131956, 'state local': 795745, 'government cry': 360002, 'cry out': 219902, 'price quite': 676053, 'quite day': 694839, 'president trump last': 670941, 'trump last day': 933676, 'last day rt': 480183, 'day rt call': 228292, 'rt call for': 726750, 'call for dr': 155862, 'for dr fauci': 320847, 'dr fauci firing': 258015, 'fauci firing claimed': 300357, 'firing claimed he': 308285, 'claimed he alone': 179881, 'he alone can': 384722, 'alone can open': 46836, 'up the state': 946218, 'the state tweeted': 867819, 'state tweeted personal': 796050, 'tweeted personal grievance': 936445, 'personal grievance hospital': 652855, 'grievance hospital small': 363908, 'hospital small biz': 404617, 'small biz state': 774813, 'biz state local': 131957, 'state local government': 795746, 'local government cry': 498025, 'government cry out': 360003, 'cry out for': 219903, 'out for help': 626129, 'for help cut': 322174, 'help cut deal': 389565, 'cut deal with': 223298, 'deal with russia': 229572, 'with russia saudi': 1000534, 'russia saudi arabia': 728555, 'arabia to raise': 83949, 'gas price quite': 344013, 'price quite day': 676054, 'quite day work': 694840, 'what life': 981817, 'store glad': 807935, 'you asked': 1017323, 'asked we': 95893, 'only stew': 611195, 'leonard in': 486400, 'state bac': 795411, 'what life like': 981818, 'life like when': 488848, 'you run grocery': 1020958, 'grocery store glad': 365430, 'store glad you': 807936, 'glad you asked': 351549, 'you asked we': 1017325, 'asked we talked': 95895, 'we talked with': 973502, 'talked with the': 833952, 'the only stew': 862345, 'only stew leonard': 611196, 'stew leonard in': 799985, 'leonard in the': 486401, 'the state bac': 867749, 'claire': 179928, 'piper1': 656918, 'norwich': 567856, 'ipswich': 444623, 'burystedmunds': 142987, 'our employment': 622896, 'employment law': 274628, 'law expert': 482284, 'expert claire': 291805, 'claire and': 179929, 'and piper1': 69030, 'piper1 discus': 656919, 'outbreak cambridge': 628078, 'cambridge norwich': 156945, 'norwich ipswich': 567857, 'ipswich burystedmunds': 444624, 'our employment law': 622897, 'employment law expert': 274629, 'law expert claire': 482285, 'expert claire and': 291806, 'claire and piper1': 179930, 'and piper1 discus': 69031, 'piper1 discus the': 656920, 'discus the right': 244931, 'the right of': 865816, 'right of supermarket': 722198, 'and shop worker': 71521, 'shop worker during': 761084, 'the outbreak cambridge': 862598, 'outbreak cambridge norwich': 628079, 'cambridge norwich ipswich': 156946, 'norwich ipswich burystedmunds': 567858, 'commodity shopper': 189302, 'crisis force': 217396, 'of the commodity': 590874, 'the commodity shopper': 851244, 'commodity shopper across': 189303, 'world have hoarded': 1009625, 'hoarded the crisis': 398962, 'the crisis force': 852380, 'crisis force people': 217397, 'buy 100': 148242, '100 roll': 2067, 'really isn': 702358, 'isn and': 454432, 'it briefing': 456914, 'briefing 21': 139691, '21 march': 15015, 'quote there no': 695006, 'reason to buy': 703021, 'to buy 100': 902164, 'buy 100 roll': 148244, '100 roll of': 2068, 'toiletpaper there really': 922601, 'there really isn': 878987, 'really isn and': 702359, 'isn and where': 454433, 'and where are': 75533, 'are you even': 91787, 'you even going': 1018449, 'put it briefing': 690642, 'it briefing 21': 456915, 'briefing 21 march': 139692, '21 march 2020': 15017, 'esg un': 280368, 'fund stand': 341506, 'stand tall': 793584, 'data show covid': 226406, '19 reshaping esg': 10124, 'reshaping esg un': 714209, 'esg un pri': 280369, 'sustainable fund stand': 829800, 'fund stand tall': 341507, 'ha explained': 370562, 'explained why': 292173, 'place following': 657437, 'nh doctor ha': 561939, 'doctor ha explained': 250940, 'ha explained why': 370563, 'explained why you': 292174, 'should not wear': 766269, 'you from coronavirus': 1018712, 'coronavirus at the': 205530, 'supermarket people across': 821946, 'country have started': 210740, 'started to wear': 794886, 'public place following': 688228, 'place following the': 657438, 'hell can': 388992, 'anyone stay': 80532, 'how the hell': 408835, 'the hell can': 857238, 'hell can anyone': 388993, 'can anyone stay': 157516, 'anyone stay safe': 80533, 'cozy': 214557, 'still saw': 801134, 'in second': 427766, 'second cup': 743688, 'cup sitting': 220460, 'sitting cozy': 772101, 'cozy with': 214562, 'other this': 621117, 'this canadalockdown': 886689, 'canadalockdown mean': 160624, 'mean nothing': 524574, 'nothing nobody': 573120, 'nobody care': 565987, 'about each': 25140, 'store still saw': 810385, 'still saw people': 801135, 'saw people in': 738209, 'people in second': 648426, 'in second cup': 427768, 'second cup sitting': 743689, 'cup sitting cozy': 220461, 'sitting cozy with': 772102, 'cozy with each': 214563, 'each other this': 264225, 'other this canadalockdown': 621118, 'this canadalockdown mean': 886690, 'canadalockdown mean nothing': 160625, 'mean nothing nobody': 524575, 'nothing nobody care': 573121, 'nobody care about': 565988, 'care about each': 163785, 'about each other': 25141, 'other and or': 619829, 'and or how': 68215, 'long this last': 501748, 'dyk': 263891, 'dyk 31': 263892, 'purchasing supply': 689924, 'week check': 976084, 'more trend': 540826, 'dyk 31 of': 263893, '31 of american': 17600, 'american are purchasing': 51812, 'are purchasing supply': 89334, 'purchasing supply for': 689925, 'supply for up': 825284, 'for up from': 327459, 'last week check': 480639, 'week check out': 976085, 'out more trend': 626580, 'more trend in': 540827, 'time reserved': 897573, 'elderly britain': 270618, 'britain were': 140470, 'were better': 979375, 'outside supermarket during': 629567, 'during time reserved': 263348, 'time reserved for': 897575, 'reserved for the': 714133, 'the elderly britain': 854114, 'elderly britain were': 270619, 'britain were better': 140471, 'were better than': 979376, 'pet need': 653421, 'too not': 924969, 'not recommending': 571265, 'recommending clearing': 704813, 'but make': 146339, 'enough pet': 277562, 'for shut': 325611, 'spread and people': 790418, 'and people stock': 68883, 'on supply please': 603830, 'supply please also': 825714, 'please also remember': 659649, 'also remember your': 48783, 'remember your pet': 710439, 'your pet need': 1025274, 'pet need food': 653422, 'food too not': 317334, 'too not recommending': 924970, 'not recommending clearing': 571266, 'recommending clearing shelf': 704814, 'clearing shelf but': 181472, 'shelf but make': 756903, 'but make sure': 146341, 'have enough pet': 380460, 'enough pet food': 277563, 'pet food for': 653385, 'food for shut': 314572, 'for shut in': 325612, 'shut in just': 767894, 'in just in': 424419, 'into moscow': 442771, 'moscow supermarket': 542007, 'rice section': 721133, 'section or': 744037, 'or rather': 616779, 'rather the': 697567, 'section sugar': 744041, 'flour stock': 311162, 'stock low': 802367, 'low too': 505699, 'popped into moscow': 664502, 'into moscow supermarket': 442772, 'moscow supermarket this': 542008, 'is the pasta': 452888, 'the pasta and': 863373, 'and rice section': 70505, 'rice section or': 721134, 'section or rather': 744038, 'or rather the': 616780, 'rather the no': 697568, 'the no pasta': 861833, 'no pasta and': 565072, 'rice section sugar': 721135, 'section sugar and': 744042, 'and flour stock': 62990, 'flour stock low': 311163, 'stock low too': 802368, 'smell my': 775611, 'my fart': 548243, 'fart you': 299733, 'not practicing': 571069, 'you can smell': 1017788, 'can smell my': 159646, 'smell my fart': 775612, 'my fart you': 548244, 'fart you re': 299734, 're not practicing': 699113, 'not practicing socialdistancing': 571071, 'depts': 237774, 'lighting up': 489654, 'the color': 851159, 'color blue': 186730, 'blue they': 133478, 'every thursday': 286297, 'honor hospital': 403248, 'worker fire': 1006938, 'fire amp': 308057, 'amp police': 54312, 'police depts': 662974, 'depts emts': 237775, 'emts grocery': 275348, 'convenience worker': 202372, 'the georgia': 856223, 'georgia national': 346041, 'will be lighting': 992536, 'be lighting up': 115724, 'lighting up with': 489655, 'with the color': 1001239, 'the color blue': 851160, 'color blue they': 186731, 'blue they will': 133479, 'will do it': 993224, 'do it every': 249475, 'it every thursday': 457874, 'every thursday night': 286298, 'thursday night at': 895403, 'night at 30': 562959, 'at 30 to': 97597, '30 to honor': 17247, 'to honor hospital': 907951, 'honor hospital worker': 403249, 'hospital worker fire': 404736, 'worker fire amp': 1006939, 'fire amp police': 308058, 'amp police depts': 54313, 'police depts emts': 662975, 'depts emts grocery': 237776, 'emts grocery store': 275349, 'store convenience worker': 807167, 'convenience worker amp': 202373, 'worker amp the': 1006262, 'amp the georgia': 54652, 'the georgia national': 856224, 'georgia national guard': 346042, 'budens': 141745, '15k': 4022, 'why am': 990733, 'am talking': 50473, 'about internet': 25545, 'internet sale': 442007, 'tax budens': 834945, 'budens because': 141746, 'because small': 119560, 'biz retailer': 131954, '70 who': 21857, 'already living': 47506, 'edge before': 268498, 'coronavirus most': 206294, 'induced 15k': 435447, '15k permanent': 4023, 'permanent retail': 652068, 'why am talking': 990737, 'am talking about': 50474, 'talking about internet': 833975, 'about internet sale': 25546, 'internet sale tax': 442008, 'sale tax budens': 732561, 'tax budens because': 834946, 'budens because small': 141747, 'because small biz': 119561, 'small biz retailer': 774812, 'biz retailer are': 131955, 'retailer are among': 718987, 'among the 70': 53059, 'the 70 who': 848184, '70 who were': 21860, 'who were already': 989951, 'were already living': 979305, 'already living on': 47508, 'living on the': 496434, 'the edge before': 854049, 'edge before coronavirus': 268499, 'before coronavirus most': 122719, 'coronavirus most of': 206295, 'virus induced 15k': 958347, 'induced 15k permanent': 435448, '15k permanent retail': 4024, 'permanent retail store': 652069, 'closure will be': 184068, 'be small biz': 117228, 'chang': 171874, 'is health': 448360, 'also an': 47846, 'shock outbreak': 759496, 'in dramatic': 422385, 'dramatic disruption': 258282, 'commercial consumer': 188688, 'and civic': 59904, 'civic life': 179496, 'become permanent': 120096, 'shift business': 758256, 'rapidly assessing': 696956, 'assessing fast': 96373, 'fast chang': 299932, 'pandemic is health': 635775, 'is health and': 448362, 'health and humanitarian': 386143, 'humanitarian crisis and': 410681, 'crisis and it': 217032, 'is also an': 445548, 'also an economic': 47848, 'economic shock outbreak': 267277, 'shock outbreak ha': 759497, 'outbreak ha resulted': 628275, 'resulted in dramatic': 717675, 'in dramatic disruption': 422387, 'dramatic disruption to': 258283, 'disruption to commercial': 246541, 'to commercial consumer': 903075, 'commercial consumer and': 188689, 'consumer and civic': 196201, 'and civic life': 59905, 'civic life that': 179497, 'life that could': 489095, 'could become permanent': 208953, 'become permanent shift': 120098, 'permanent shift business': 652073, 'shift business are': 758257, 'business are rapidly': 143382, 'are rapidly assessing': 89432, 'rapidly assessing fast': 696957, 'assessing fast chang': 96374, 'suddenly the': 817139, 'the viral': 870777, 'viral forefront': 957590, 'forefront and': 328938, 'this nation': 889080, 'nation afloat': 552098, 'afloat if': 34956, 'if better': 413899, 'better example': 128280, 'example exists': 288891, 'exists of': 290359, 'deserve real': 238108, 'real pay': 701294, 'any job': 79378, 'job do': 465791, 'suddenly the grocery': 817140, 'are at one': 84677, 'at one of': 99969, 'of the viral': 591591, 'the viral forefront': 870778, 'viral forefront and': 957591, 'forefront and are': 328939, 'are keeping this': 87669, 'keeping this nation': 472603, 'this nation afloat': 889081, 'nation afloat if': 552099, 'afloat if better': 34957, 'if better example': 413900, 'better example exists': 128281, 'example exists of': 288892, 'exists of why': 290360, 'of why worker': 593156, 'why worker deserve': 991562, 'worker deserve real': 1006765, 'deserve real pay': 238109, 'real pay for': 701295, 'for any job': 319412, 'any job do': 79379, 'job do not': 465792, 'around million': 93398, 'hunger related': 411175, 'related disease': 708422, 'disease every': 245135, 'medium coverage': 527065, 'coverage remember': 212375, 're fighting': 698681, 'fighting at': 305035, 'your 10th': 1022709, '10th packet': 2399, 'pasta to': 643827, 'your other': 1025118, 'other stockpiled': 620975, 'stockpiled food': 803837, 'around million people': 93400, 'million people die': 532304, 'people die of': 647653, 'hunger and hunger': 411074, 'and hunger related': 64874, 'hunger related disease': 411176, 'related disease every': 708423, 'disease every year': 245136, 'year yet no': 1015125, 'yet no panic': 1016166, 'no panic medium': 565044, 'panic medium coverage': 638306, 'medium coverage remember': 527066, 'coverage remember that': 212376, 'remember that while': 710297, 'that while you': 847520, 'you re fighting': 1020621, 're fighting at': 698682, 'fighting at the': 305036, 'the supermarket over': 868735, 'supermarket over your': 821866, 'over your 10th': 630968, 'your 10th packet': 1022710, '10th packet of': 2400, 'packet of pasta': 633709, 'of pasta to': 587813, 'pasta to store': 643831, 'to store with': 915650, 'store with your': 811411, 'with your other': 1002217, 'your other stockpiled': 1025119, 'other stockpiled food': 620976, 'quarantine file': 692190, 'look over': 502564, 'food house': 314855, 'house supply': 406587, 'read new': 700471, 'article relating': 94440, 'angeles look': 76379, 'what eviction': 981432, 'moratorium mean': 538440, 'of quarantine file': 588654, 'quarantine file for': 692191, 'file for unemployment': 305352, 'for unemployment look': 327439, 'unemployment look over': 941243, 'look over food': 502565, 'over food house': 630220, 'food house supply': 314856, 'house supply don': 406588, 'supply don panic': 825178, 'don panic read': 253811, 'panic read new': 638468, 'read new article': 700472, 'new article relating': 558359, 'article relating to': 94441, '19 in los': 7765, 'los angeles look': 503367, 'angeles look up': 76380, 'look up what': 502653, 'up what eviction': 946566, 'what eviction moratorium': 981433, 'eviction moratorium mean': 288330, 'bailed': 108598, 'voteblue': 960533, 'pressuring health': 671266, 'crisis bank': 217106, 'and pharma': 68954, 'pharma get': 654035, 'get bailed': 346640, 'bailed out': 108601, 'taxpayer money': 835201, 'they screw': 883288, 'screw by': 742787, 'by jacking': 152956, 'had medicare': 373294, 'happening voteblue': 377423, 'bank are pressuring': 109654, 'are pressuring health': 89203, 'pressuring health care': 671267, '19 crisis bank': 6218, 'crisis bank and': 217107, 'bank and pharma': 109622, 'and pharma get': 68956, 'pharma get bailed': 654036, 'get bailed out': 346641, 'bailed out with': 108602, 'out with taxpayer': 627874, 'with taxpayer money': 1001129, 'taxpayer money while': 835202, 'money while they': 537170, 'while they screw': 987443, 'they screw by': 883289, 'screw by jacking': 742788, 'by jacking up': 152957, 'jacking up price': 464186, 'up price if': 945819, 'price if we': 674623, 'we had medicare': 971714, 'had medicare for': 373295, 'for all this': 319179, 'all this would': 45152, 'this would not': 891542, 'be happening voteblue': 115139, 'walmart donates': 965313, 'donates 25': 254381, 'million retailer': 532343, 'up charity': 944590, 'charity retail': 173678, 'walmart donates 25': 965314, 'donates 25 million': 254382, '25 million retailer': 15914, 'million retailer step': 532344, 'step up charity': 799685, 'up charity retail': 944591, 'charity retail walmart': 173679, 'taking unsolicited': 833650, 'unsolicited picture': 943521, 'in empty': 422560, 'then posting': 877437, 'posting it': 666658, 'medium like': 527167, 're some': 699546, 'some patron': 783498, 'patron saint': 644422, 'saint of': 731823, 'human suffering': 410629, 'suffering fucking': 817317, 'fucking ghoul': 339875, 'wish people would': 996807, 'would stop taking': 1012285, 'stop taking unsolicited': 805100, 'taking unsolicited picture': 833651, 'unsolicited picture of': 943522, 'picture of elderly': 656161, 'of elderly people': 583010, 'people in empty': 648371, 'in empty supermarket': 422561, 'supermarket aisle and': 818831, 'aisle and then': 40198, 'and then posting': 73793, 'then posting it': 877438, 'posting it to': 666659, 'it to social': 461753, 'social medium like': 779864, 'medium like they': 527168, 'they re some': 883128, 're some patron': 699549, 'some patron saint': 783499, 'patron saint of': 644423, 'saint of human': 731824, 'of human suffering': 584879, 'human suffering fucking': 410630, 'suffering fucking ghoul': 817318, 'presentation': 670644, 'sessi': 753260, 'your reporter': 1025577, 'daily covid': 224568, 'news presentation': 560707, 'presentation to': 670649, 'ask our': 95599, 'leader about': 483408, 'about returning': 26099, 'to single': 914671, 'use plastic': 949480, 'plastic shopping': 658873, 'checkout please': 174982, 'press for': 671047, 'in committee': 421603, 'committee sessi': 189090, 'please ask your': 659679, 'ask your reporter': 95687, 'your reporter at': 1025578, 'reporter at the': 712604, 'the daily covid': 852775, 'daily covid 19': 224569, '19 news presentation': 8778, 'news presentation to': 560708, 'presentation to ask': 670650, 'to ask our': 900759, 'ask our leader': 95601, 'our leader about': 623692, 'leader about returning': 483410, 'about returning to': 26100, 'returning to single': 720024, 'to single use': 914673, 'single use plastic': 771426, 'use plastic shopping': 949482, 'plastic shopping bag': 658874, 'shopping bag at': 762141, 'bag at supermarket': 108234, 'supermarket checkout please': 819669, 'checkout please press': 174983, 'please press for': 660330, 'press for this': 671049, 'for this in': 327039, 'this in committee': 888040, 'in committee sessi': 421604, 'khopoli': 473736, 'maharastra': 508490, 'an initiative': 56344, 'initiative taken': 438651, 'our at': 622139, 'at khopoli': 99375, 'khopoli maharastra': 473737, 'maharastra distributing': 508491, 'this warrior': 891110, 'warrior from': 967366, 'from let': 336215, 'let salute': 487017, 'salute this': 732863, 'warrior bottom': 967362, 'an initiative taken': 56346, 'initiative taken by': 438652, 'taken by our': 832974, 'by our at': 153477, 'our at khopoli': 622141, 'at khopoli maharastra': 99376, 'khopoli maharastra distributing': 473738, 'maharastra distributing hand': 508492, 'sanitizer mask for': 735353, 'mask for protection': 518685, 'for protection of': 324828, 'protection of this': 685541, 'of this warrior': 592065, 'this warrior from': 891112, 'warrior from let': 967367, 'from let salute': 336216, 'let salute this': 487018, 'salute this warrior': 732864, 'this warrior bottom': 891111, 'warrior bottom of': 967363, 'more attention': 538677, 'attention need': 102460, 'to moving': 910331, 'moving supply': 544186, 'thailand and': 840088, 'and malaysia': 66603, 'second chance': 743678, 'year carpe': 1014457, 'much more attention': 545098, 'more attention need': 538678, 'attention need to': 102461, 'be paid to': 116344, 'paid to moving': 634163, 'to moving supply': 910332, 'moving supply chain': 544187, 'vietnam thailand and': 957046, 'thailand and malaysia': 840089, 'and malaysia have': 66604, 'is our second': 450642, 'our second chance': 624691, 'second chance in': 743679, 'chance in year': 171736, 'in year carpe': 431020, 'year carpe diem': 1014458, 'of bare': 580555, 'worried don': 1010558, 'just supply': 469929, 'issue supplychain': 455947, 'sight of bare': 769049, 'of bare shelf': 580556, 'bare shelf in': 110948, 'store have you': 808106, 'have you worried': 383703, 'you worried don': 1022442, 'worried don be': 1010559, 'don be there': 253372, 'be there is': 117681, 'shortage of good': 765113, 'of good it': 584227, 'good it just': 357290, 'it just supply': 459247, 'just supply chain': 469930, 'chain issue supplychain': 170860, 'curb hit': 220559, 'shortage panic buying': 765160, 'buying and export': 149904, 'and export curb': 62526, 'export curb hit': 292630, 'curb hit supply': 220560, 'hamsterkauf': 374671, 'kaufen': 471099, 'germany fun': 346298, 'german word': 346258, 'is hamsterkauf': 448259, 'hamsterkauf made': 374674, 'hoarding hamstern': 399348, 'hamstern and': 374680, 'buy kaufen': 148877, 'kaufen hamstern': 471100, 'hamstern come': 374682, 'the hamster': 857053, 'hamster which': 374659, 'shelf in germany': 757195, 'in germany fun': 423278, 'germany fun fact': 346299, 'fun fact the': 341164, 'fact the german': 295820, 'the german word': 856233, 'german word for': 346259, 'for panic hoarding': 324366, 'hoarding is hamsterkauf': 399391, 'is hamsterkauf made': 448260, 'hamsterkauf made up': 374675, 'made up of': 508052, 'of the german': 591063, 'word for hoarding': 1004483, 'for hoarding hamstern': 322323, 'hoarding hamstern and': 399349, 'hamstern and buy': 374681, 'and buy kaufen': 59342, 'buy kaufen hamstern': 148878, 'kaufen hamstern come': 471101, 'hamstern come from': 374683, 'from the hamster': 337735, 'the hamster which': 857054, 'hamster which store': 374660, 'which store food': 986341, 'food in it': 314944, 'in it cheek': 424232, 'brazen': 138324, 'that black': 842993, 'white are': 987815, 'sa must': 728912, 'been shattered': 121939, 'shattered by': 755794, 'by brazen': 151994, 'brazen show': 138325, 'of selfishness': 589484, 'selfishness by': 748340, 'by white': 154734, 'white when': 987917, 'they emptied': 882038, 'shelf those': 757687, 'of drugstore': 582854, 'drugstore stock': 261194, 'up self': 945958, 'self preservation': 747837, 'preservation in': 670684, 'spread they': 790831, 'they showed': 883394, 'showed no': 767341, 'no consideration': 563877, 'consideration fellow': 195245, 'fellow citizen': 303275, 'illusion that black': 416431, 'that black white': 842996, 'black white are': 132151, 'white are one': 987816, 'are one in': 88747, 'one in sa': 606483, 'in sa must': 427604, 'sa must have': 728913, 'have been shattered': 379680, 'been shattered by': 121940, 'shattered by brazen': 755795, 'by brazen show': 151995, 'brazen show of': 138326, 'show of selfishness': 767076, 'of selfishness by': 589486, 'selfishness by white': 748341, 'by white when': 154735, 'white when they': 987918, 'when they emptied': 984254, 'they emptied supermarket': 882039, 'supermarket shelf those': 822547, 'shelf those of': 757688, 'those of drugstore': 892262, 'of drugstore stock': 582855, 'drugstore stock up': 261195, 'stock up self': 803113, 'up self preservation': 945959, 'self preservation in': 747838, 'preservation in the': 670685, '19 spread they': 10753, 'spread they showed': 790832, 'they showed no': 883395, 'showed no consideration': 767342, 'no consideration fellow': 563878, 'consideration fellow citizen': 195246, 'kootenay': 477434, 'kootenay columbia': 477435, 'columbia mp': 186882, 'mp rob': 544270, 'rob morrison': 724628, 'is searching': 451697, 'for answer': 319381, 'why price': 991296, 'pump haven': 689056, 'dropped at': 260537, 'station many': 796456, 'seen large': 747112, 'large decline': 479641, 'kootenay columbia mp': 477436, 'columbia mp rob': 186883, 'mp rob morrison': 544271, 'rob morrison is': 724629, 'morrison is searching': 541730, 'is searching for': 451698, 'searching for answer': 743327, 'for answer to': 319382, 'answer to figure': 78131, 'out why price': 627848, 'why price at': 991298, 'the pump haven': 864902, 'pump haven dropped': 689057, 'haven dropped at': 383796, 'dropped at local': 260538, 'gas station many': 344119, 'station many other': 796457, 'many other community': 514426, 'other community have': 619974, 'community have seen': 189887, 'have seen large': 382430, 'seen large decline': 747113, 'large decline in': 479642, 'decline in fuel': 231355, 'actresponsible': 30608, 'grocery nothing': 364757, 'nothing at': 572933, 'no essential': 564134, 'ashamed actresponsible': 95038, 'actresponsible coronacrisis': 30609, 'today went shopping': 920502, 'for my normal': 323731, 'normal grocery nothing': 567164, 'grocery nothing at': 364758, 'nothing at all': 572934, 'at all no': 97897, 'all no meat': 43647, 'meat no essential': 525663, 'no essential they': 564135, 'essential they keep': 281675, 'they keep saying': 882511, 'keep saying there': 471908, 'saying there is': 739720, 'enough food where': 277423, 'food where is': 317578, 'is it panic': 449048, 'it panic buyer': 460249, 'be ashamed actresponsible': 113693, 'ashamed actresponsible coronacrisis': 95039, 'we install': 972075, 'install checkout': 439986, 'donate essential': 254172, 'nice way': 562510, 'appreciation nurse': 82882, 'can we install': 160178, 'we install checkout': 972076, 'install checkout in': 439987, 'checkout in every': 174933, 'every supermarket so': 286267, 'we can donate': 970935, 'can donate essential': 158137, 'donate essential item': 254173, 'item to nurse': 463761, 'to nurse and': 910755, 'nurse and our': 577203, 'and our frontline': 68490, 'frontline staff it': 338827, 'staff it would': 792588, 'be nice way': 116085, 'nice way to': 562512, 'our appreciation nurse': 622096, 'quebec government': 693341, 'government said': 360561, 'said yesterday': 731599, 'yesterday is': 1015782, 'education plan': 268853, 'the quebec government': 865003, 'quebec government said': 693342, 'government said yesterday': 360562, 'said yesterday is': 731601, 'yesterday is it': 1015783, 'is it rolling': 449056, 'rolling out an': 725680, 'out an education': 625632, 'an education plan': 55609, 'education plan with': 268854, 'plan with online': 658355, 'with online resource': 999902, 'broz': 141315, '07767164246': 1052, 'salmafoodbank': 732753, 'beardedbroz': 118450, 'bearded broz': 118446, 'broz we': 141316, 'food guy': 314739, 'please text': 660654, 'text the': 839949, 'team 07767164246': 835568, '07767164246 salmafoodbank': 1053, 'salmafoodbank beardedbroz': 732754, 'bearded broz we': 118447, 'broz we need': 141317, 'need food guy': 554798, 'food guy if': 314740, 'guy if you': 369029, 'can help please': 158647, 'help please text': 390327, 'please text the': 660655, 'text the team': 839950, 'the team 07767164246': 869200, 'team 07767164246 salmafoodbank': 835569, '07767164246 salmafoodbank beardedbroz': 1054, 'chek': 175297, 'staywoke': 799085, 'you since': 1021256, 'since some': 770830, 'idiot now': 413558, 'find joy': 307019, 'in hiking': 423704, 'sanitizers chek': 736242, 'chek some': 175298, 'some detail': 782678, 'story second': 812110, 'second staywoke': 743818, 'staywoke second': 799086, 'bless you since': 132610, 'you since some': 1021257, 'since some idiot': 770831, 'some idiot now': 783074, 'idiot now find': 413559, 'now find joy': 574686, 'find joy in': 307020, 'joy in hiking': 467510, 'in hiking price': 423705, 'price of of': 675520, 'of of face': 587153, 'and sanitizers chek': 70895, 'sanitizers chek some': 736243, 'chek some detail': 175299, 'some detail on': 782679, 'detail on my': 239228, 'on my story': 602320, 'my story second': 550239, 'story second staywoke': 812111, 'second staywoke second': 743819, 'lever': 487774, 'hindustan lever': 396869, 'lever limited': 487775, 'limited taking': 492738, 'in slashing': 427994, 'slashing hygiene': 773667, 'hygiene price': 412142, 'giving resource': 351377, 'for research': 325141, 'covid19 news': 214338, 'news so': 560798, 'hindustan lever limited': 396870, 'lever limited taking': 487776, 'limited taking the': 492739, 'taking the lead': 833589, 'lead in slashing': 483289, 'in slashing hygiene': 427995, 'slashing hygiene price': 773668, 'hygiene price and': 412143, 'price and giving': 672425, 'and giving resource': 63683, 'giving resource for': 351378, 'resource for research': 714789, 'for research and': 325142, 'research and support': 713672, 'and support on': 72846, 'support on covid19': 826703, 'on covid19 news': 600148, 'covid19 news so': 214339, 'news so proud': 560799, 'new signage': 559602, 'signage at': 769275, 'socialdistancing physicaldistancing': 780600, 'new signage at': 559603, 'signage at our': 769276, 'store corona socialdistancing': 807175, 'corona socialdistancing physicaldistancing': 204180, 'really highlighted': 702291, 'utter stupidity': 951434, 'kingdom and': 475317, 'buying while': 151357, 'nothing because': 572948, 'virus ha really': 958250, 'ha really highlighted': 371652, 'really highlighted the': 702292, 'highlighted the utter': 396004, 'the utter stupidity': 870607, 'utter stupidity greed': 951435, 'united kingdom and': 942177, 'kingdom and the': 475318, 'and the united': 73638, 'state in particular': 795684, 'panic buying while': 637964, 'buying while the': 151359, 'get nothing because': 347674, 'nothing because there': 572949, 'because there will': 119679, 'still go shopping': 800579, 'told adult': 923516, 'and fun': 63410, 'fun baby': 341136, 'item panicbuying': 463545, 'now told adult': 576201, 'told adult are': 923517, 'formula and baby': 329693, 'wipe to store': 996399, 'store for themselves': 807845, 'themselves wtf are': 876949, 'are you having': 91803, 'you having food': 1019157, 'having food and': 384071, 'food and fun': 313240, 'and fun baby': 63411, 'fun baby item': 341137, 'baby item panicbuying': 106647, 'missing doe': 534290, 'yesterday and the': 1015666, 'paper wa missing': 641052, 'wa missing doe': 962636, 'missing doe this': 534291, 'doe this have': 251633, 'this have anything': 887875, 'have anything to': 379335, 'anything to do': 80912, 'do with the': 250571, 'spoonsub': 789890, 'spoonspig': 789881, 'spoonssub': 789887, 'spoonslave': 789878, 'spoonsslave': 789884, 'findom': 307580, 'finsub': 308009, 'paypig': 645814, 'walletrinse': 965229, 'moneyslave': 537207, 'humanotm': 410802, 'cashpig': 166710, 'who ready': 989504, 'me drink': 522683, 'drink later': 258851, 'later 30': 481011, '30 uk': 17251, 'so message': 777737, 'll message': 496902, 'message you': 529490, 'table number': 831488, 'number ready': 577040, 'send spoonsub': 749949, 'spoonsub spoonspig': 789891, 'spoonspig spoonssub': 789882, 'spoonssub spoonslave': 789888, 'spoonslave spoonsslave': 789879, 'spoonsslave findom': 789885, 'findom find': 307581, 'find finsub': 306898, 'finsub paypig': 308010, 'paypig walletrinse': 645817, 'walletrinse moneyslave': 965230, 'moneyslave humanotm': 537210, 'humanotm cashpig': 410803, 'who ready to': 989505, 'ready to send': 700973, 'send me drink': 749883, 'me drink later': 522684, 'drink later 30': 258852, 'later 30 uk': 481013, '30 uk it': 17252, 'uk it time': 938491, 'it time so': 461697, 'time so message': 897696, 'so message me': 777738, 'message me now': 529368, 'me now and': 523236, 'now and ll': 574041, 'and ll message': 66270, 'll message you': 496903, 'message you when': 529492, 'you when have': 1022277, 'when have my': 983522, 'have my table': 381550, 'my table number': 550305, 'table number ready': 831489, 'number ready for': 577041, 'ready for you': 700880, 'you to send': 1021834, 'to send spoonsub': 914222, 'send spoonsub spoonspig': 749950, 'spoonsub spoonspig spoonssub': 789892, 'spoonspig spoonssub spoonslave': 789883, 'spoonssub spoonslave spoonsslave': 789889, 'spoonslave spoonsslave findom': 789880, 'spoonsslave findom find': 789886, 'findom find finsub': 307582, 'find finsub paypig': 306899, 'finsub paypig walletrinse': 308011, 'paypig walletrinse moneyslave': 645818, 'walletrinse moneyslave humanotm': 965232, 'moneyslave humanotm cashpig': 537211, 'namin': 551749, 'shamin': 754743, 'callitout': 156651, 'fbpe': 300711, '19 hey': 7524, 'follower time': 312656, 'some namin': 783333, 'namin and': 551750, 'and shamin': 71375, 'shamin if': 754744, 'find product': 307191, 'likely came': 491960, 'came off': 157032, 'new vendor': 559822, 'exploit callitout': 292332, 'callitout fbpe': 156652, 'fbpe lincoln': 300712, '19 hey all': 7525, 'hey all my': 394315, 'all my follower': 43555, 'my follower time': 548376, 'follower time for': 312657, 'time for some': 896756, 'for some namin': 325756, 'some namin and': 783334, 'namin and shamin': 551751, 'and shamin if': 71376, 'shamin if you': 754745, 'you find product': 1018576, 'find product at': 307192, 'product at ridiculous': 680981, 'ridiculous price it': 721592, 'price it likely': 674920, 'it likely came': 459391, 'likely came off': 491961, 'came off supermarket': 157036, 'the new vendor': 861576, 'new vendor is': 559823, 'vendor is trying': 954388, 'to exploit callitout': 905491, 'exploit callitout fbpe': 292333, 'callitout fbpe lincoln': 156653, 'by sanitizer': 153867, 'there no cure': 878804, 'killed by sanitizer': 474573, 'by sanitizer and': 153868, 'lockdownsaextended 19 day16oflockdown': 500375, 'bbcnews my': 113132, 'dad being': 224293, 'told he': 923560, 'any glove': 79280, 'still signing': 801199, 'signing the': 769647, 'the pda': 863419, 'pda name': 645936, 'shame stupidity': 754645, 'stupidity nameandshame': 815543, 'bbcnews my dad': 113133, 'my dad being': 547880, 'dad being told': 224294, 'being told he': 125965, 'told he ha': 923561, 'he ha to': 385038, 'work but is': 1004957, 'but is not': 146078, 'is not being': 450037, 'not being provided': 568543, 'provided with any': 686664, 'with any glove': 997276, 'any glove or': 79281, 'sanitizer and customer': 734397, 'and customer are': 60835, 'are still signing': 90482, 'still signing the': 801200, 'signing the pda': 769648, 'the pda name': 863420, 'pda name and': 645937, 'and shame stupidity': 71364, 'shame stupidity nameandshame': 754646, 'endlessly': 276250, 'line risking': 493378, '19 afraid': 4850, 'in ground': 423449, 'ground zero': 366559, 'zero saving': 1027495, 'are endlessly': 86205, 'endlessly grateful': 276251, 'grateful worldhealthday': 362341, 'medical professional on': 526333, 'front line risking': 338600, 'line risking their': 493379, 'health to combat': 386918, 'covid 19 afraid': 212592, '19 afraid to': 4851, 'there in ground': 878506, 'in ground zero': 423450, 'ground zero saving': 366561, 'zero saving life': 1027496, 'saving life every': 737909, 'day we are': 228672, 'we are endlessly': 970542, 'are endlessly grateful': 86206, 'endlessly grateful worldhealthday': 276252, 'recommend that': 704713, 'ready here is': 700891, 'is what expert': 453872, 'expert recommend that': 291930, 'recommend that you': 704716, 'that you stock': 847745, 'cpp': 214643, 'sun so': 818080, 're slashing': 699529, 'slashing out': 773673, 'out cheque': 625849, 'cheque left': 175509, 'and right': 70522, 'fixed cpp': 309788, 'cpp pension': 214644, 'vancouver sun so': 952349, 'sun so you': 818081, 'you re slashing': 1020748, 're slashing out': 699530, 'slashing out cheque': 773674, 'out cheque left': 625850, 'cheque left and': 175510, 'left and right': 485381, 'and right what': 70525, 'right what about': 722411, 'about those on': 26683, 'those on fixed': 892285, 'on fixed cpp': 600816, 'fixed cpp pension': 309789, 'vaccine or': 951744, 'are no vaccine': 88288, 'no vaccine or': 565826, 'vaccine or medicine': 951747, 'or medicine for': 616116, 'medicine for covid': 526785, 'link provides': 493887, 'provides information': 686871, 'counterfeit covid': 210300, 'following link provides': 312780, 'link provides information': 493888, 'provides information on': 686873, 'rise of counterfeit': 722946, 'of counterfeit covid': 582021, 'counterfeit covid 19': 210301, 'scoop': 742307, 'scoop hundred': 742308, '30 different': 17025, 'different fast': 241941, 'protection looking': 685519, 'looking more': 502973, 'like general': 490302, 'general strike': 345479, 'scoop hundred of': 742309, 'hundred of worker': 411021, 'of worker at': 593275, 'at 30 different': 97590, '30 different fast': 17026, 'different fast food': 241942, 'restaurant are going': 716309, 'going on strike': 355336, 'strike tomorrow to': 813767, 'tomorrow to demand': 924213, 'to demand covid': 904139, '19 protection looking': 9856, 'protection looking more': 685520, 'looking more and': 502974, 'and more like': 67187, 'more like general': 539691, 'like general strike': 490303, 'xdna': 1013810, 'epidemic will': 279476, 'soon people': 785792, 'usual affair': 950875, 'affair the': 34091, 'the stockmarket': 867933, 'stockmarket will': 803680, 'recover the': 705210, 'the cryptocurrency': 852552, 'cryptocurrency market': 219980, 'recover such': 705206, 'such price': 816694, 'coming decade': 188027, 'decade do': 230675, 'miss your': 534219, 'chance invest': 171738, 'in xdna': 431014, 'xdna today': 1013811, 'the epidemic will': 854450, 'epidemic will end': 279477, 'end soon people': 275963, 'soon people will': 785793, 'people will return': 650409, 'to their usual': 917275, 'their usual affair': 875096, 'usual affair the': 950876, 'affair the stockmarket': 34092, 'the stockmarket will': 867937, 'stockmarket will recover': 803681, 'will recover the': 994603, 'recover the cryptocurrency': 705211, 'the cryptocurrency market': 852553, 'cryptocurrency market will': 219981, 'market will recover': 517362, 'will recover such': 994602, 'recover such price': 705207, 'such price today': 816697, 'price today we': 677071, 'we are unlikely': 970749, 'unlikely to see': 942769, 'to see in': 914026, 'the coming decade': 851195, 'coming decade do': 188028, 'decade do not': 230676, 'not miss your': 570592, 'miss your chance': 534220, 'your chance invest': 1023180, 'chance invest in': 171739, 'invest in xdna': 443767, 'in xdna today': 431015, 'nechells food': 554300, 'currently seeing': 221663, 'continue donating': 201025, 'donating if': 254468, 'to throughout': 917558, 'and nechells food': 67465, 'nechells food bank': 554301, 'bank are currently': 109642, 'are currently seeing': 85677, 'currently seeing increased': 221664, 'and are running': 58355, 'and continue donating': 60491, 'continue donating if': 201026, 'donating if you': 254469, 'able to throughout': 24561, 'to throughout the': 917559, 'throughout the ongoing': 894979, 'the ongoing social': 862256, 'oversight making': 631519, 'sure every': 827533, 'every public': 286127, 'health agency': 386103, 'agency is': 38027, 'being infected': 125321, 'so shouldn': 778207, 'shouldn the': 766749, 'the congress': 851452, 'congress be': 194489, 'protected when': 685166, 'oversight making sure': 631520, 'making sure every': 511376, 'sure every public': 827534, 'every public health': 286128, 'public health agency': 688058, 'health agency is': 386104, 'agency is doing': 38028, 'doing everything that': 252391, 'everything that it': 288029, 'can to protect': 160013, 'protect from being': 684842, 'from being infected': 334680, 'being infected with': 125326, 'infected with novel': 436668, 'with novel consumer': 999831, 'novel consumer so': 573748, 'consumer so shouldn': 199015, 'so shouldn the': 778208, 'shouldn the congress': 766750, 'the congress be': 851454, 'congress be making': 194490, 'be making sure': 115892, 'will be protected': 992621, 'be protected when': 116581, 'protected when we': 685167, '16645': 4249, '16973': 4255, 'shopping position': 763659, 'position 16645': 665149, '16645 of': 4250, 'of 16973': 579374, '16973 covid': 4256, 'is teaching': 452585, 'teaching me': 835555, 'me herculean': 522891, 'herculean level': 392598, 'of patience': 587816, 'online shopping position': 609229, 'shopping position 16645': 763660, 'position 16645 of': 665150, '16645 of 16973': 4251, 'of 16973 covid': 579375, '16973 covid 19': 4257, '19 is teaching': 8061, 'is teaching me': 452586, 'teaching me herculean': 835556, 'me herculean level': 522892, 'herculean level of': 392599, 'level of patience': 487652, '19 retailnews': 10213, 'retailnews consumer': 719516, 'retail shopper': 718560, 'covid 19 retailnews': 213710, '19 retailnews consumer': 10214, 'retailnews consumer retail': 719517, 'consumer retail shopper': 198799, 'fraud may': 331306, 'coronavirus stimulus fraud': 206826, 'stimulus fraud may': 801543, 'fraud may be': 331307, 'may be target': 521036, 'be target for': 117523, 'target for state': 834461, 'for state ag': 325878, 'idyllwild': 413721, 'joshua': 467353, 'greedy why': 363634, 'book extended': 134510, 'in idyllwild': 423962, 'idyllwild joshua': 413722, 'joshua tree': 467359, 'tree ca': 931184, 'ca tiny': 154906, 'tiny grocery': 898666, 'resident no': 714329, 'handle illness': 376209, 'illness am': 416336, 'am local': 50187, 'hospital gov': 404429, 'newsom order': 561068, 'order 19': 617981, '19 californiacoronavirus': 5585, 'greedy why are': 363635, 'you allowing people': 1016933, 'people to book': 649881, 'to book extended': 901891, 'book extended stay': 134511, 'extended stay in': 293191, 'stay in idyllwild': 797049, 'in idyllwild joshua': 423963, 'idyllwild joshua tree': 413723, 'joshua tree ca': 467360, 'tree ca tiny': 931185, 'ca tiny grocery': 154907, 'tiny grocery store': 898667, 'store for resident': 807834, 'for resident no': 325146, 'resident no way': 714330, 'way to handle': 970035, 'to handle illness': 907127, 'handle illness am': 376210, 'illness am local': 416337, 'am local hospital': 50188, 'local hospital gov': 498088, 'hospital gov newsom': 404430, 'gov newsom order': 359642, 'newsom order 19': 561069, 'order 19 californiacoronavirus': 617982, 'toughness': 926906, 'itchey': 463002, 'hangnail': 376978, 'whole corona': 990167, 'virus stuff': 958827, 'is training': 453330, 'training mental': 929347, 'mental toughness': 528666, 'toughness you': 926907, 'how mentally': 408314, 'mentally strong': 528732, 'strong you': 814161, 'are until': 91347, 'an itchey': 56492, 'itchey nose': 463003, 'or eye': 615240, 'eye or': 294088, 'an annoying': 55318, 'annoying hangnail': 77365, 'hangnail while': 376979, 'this whole corona': 891376, 'whole corona virus': 990168, 'corona virus stuff': 204355, 'virus stuff is': 958828, 'stuff is training': 815109, 'is training mental': 453331, 'training mental toughness': 929348, 'mental toughness you': 528667, 'toughness you do': 926908, 'know how mentally': 476449, 'how mentally strong': 408315, 'mentally strong you': 528733, 'strong you are': 814162, 'you are until': 1017277, 'are until you': 91348, 'have an itchey': 379261, 'an itchey nose': 56493, 'itchey nose or': 463004, 'nose or eye': 567909, 'or eye or': 615241, 'eye or an': 294089, 'or an annoying': 614312, 'an annoying hangnail': 55320, 'annoying hangnail while': 77366, 'hangnail while you': 376980, 'buffalo': 141850, 'mutton': 547081, '560': 20460, 'buffalo meat': 141851, 'available mutton': 104496, 'mutton which': 547082, 'which earlier': 985838, 'earlier cost': 264434, 'cost 560': 207838, '560 is': 20465, 'high 800': 394900, 'buffalo meat is': 141852, 'not available mutton': 568305, 'available mutton which': 104497, 'mutton which earlier': 547083, 'which earlier cost': 985839, 'earlier cost 560': 264435, 'cost 560 is': 207839, '560 is now': 20466, 'is now being': 450265, 'sold for high': 781670, 'for high 800': 322255, 'high 800 per': 394901, '800 per kg': 22717, 'piccard': 655636, '30 way': 17256, 'people interest': 648491, 'interest are': 441333, 'outbreak cc': 628094, 'cc piccard': 168403, 'piccard dc': 655637, '30 way people': 17257, 'way people interest': 969808, 'people interest are': 648492, 'interest are changing': 441334, 'are changing during': 85234, 'changing during the': 172700, 'the outbreak cc': 862599, 'outbreak cc piccard': 628095, 'cc piccard dc': 168404, 'viruschina': 959083, 'below viruschina': 126771, 'viruschina mad': 959084, 'max uklockdown': 520775, 'uklockdown epidemic': 938993, 'epidemic quarantine': 279437, 'quarantine panic': 692425, 'bad to worse': 108058, 'to worse in': 918848, 'worse in the': 1010956, 'store people are': 809486, 'people are reporting': 647058, 'are reporting that': 89602, 'no more food': 564804, 'more food see': 539251, 'food see the': 316378, 'see the video': 745894, 'the video below': 870742, 'video below viruschina': 956639, 'below viruschina mad': 126772, 'viruschina mad max': 959085, 'mad max uklockdown': 507553, 'max uklockdown epidemic': 520776, 'uklockdown epidemic quarantine': 938994, 'epidemic quarantine panic': 279438, 'quarantine panic shopping': 692426, 'uninfected': 941828, 'only temporarily': 611245, 'temporarily effective': 837490, 'over that': 630686, 'that infected': 844514, 'and uninfected': 74670, 'uninfected go': 941829, 'uninfected people': 941831, 'been led': 121446, 'led together': 485310, 'distancing is only': 247254, 'is only temporarily': 450550, 'only temporarily effective': 611246, 'temporarily effective and': 837491, 'effective and we': 269221, 'now over that': 575496, 'over that infected': 630687, 'that infected and': 844515, 'infected and uninfected': 436534, 'and uninfected go': 74671, 'uninfected go to': 941830, 'the supermarket all': 868453, 'supermarket all infected': 818870, 'all infected and': 43224, 'and uninfected people': 74672, 'uninfected people have': 941832, 'people have now': 648188, 'now been led': 574226, 'been led together': 121447, 'led together to': 485311, 'together to the': 921008, 'local store socialdistancing': 498481, 'meepl': 527387, 'fision': 309436, 'meepl offer': 527388, 'offer smes': 594795, 'smes free': 775645, 'to 3d': 899705, '3d made': 18233, 'measure technology': 525357, 'here fision': 392980, 'fision retail': 309437, 'retail fashion': 718110, 'fashion ecommerce': 299804, 'ecommerce retailtech': 266849, 'meepl offer smes': 527389, 'offer smes free': 594796, 'smes free access': 775646, 'access to 3d': 28211, 'to 3d made': 899706, '3d made to': 18234, 'made to measure': 508037, 'to measure technology': 909984, 'measure technology find': 525358, 'more here fision': 539419, 'here fision retail': 392981, 'fision retail fashion': 309438, 'retail fashion ecommerce': 718111, 'fashion ecommerce retailtech': 299805, 'coronanederland': 205086, 'netherlands is': 557667, '2nd biggest': 16756, 'biggest food': 130246, 'food exporter': 314437, 'exporter in': 292753, 'in 1st': 419734, 'usa we': 948790, 'buy rutte': 149138, 'rutte coronanederland': 728707, 'coronanederland amsterdam': 205087, 'the netherlands is': 861455, 'netherlands is 2nd': 557668, 'is 2nd biggest': 445200, '2nd biggest food': 16757, 'biggest food exporter': 130247, 'food exporter in': 314438, 'exporter in the': 292754, 'world in 1st': 1009655, 'in 1st place': 419735, '1st place is': 12778, 'place is usa': 657529, 'is usa we': 453612, 'usa we do': 948791, 'panic buy rutte': 637526, 'buy rutte coronanederland': 149139, 'rutte coronanederland amsterdam': 728708, 'normally work': 567573, 'supermarket cafe': 819483, 'floor filling': 310794, 'it amazes': 456448, 'is unreal': 453546, 'unreal coronacrisisuk': 943289, 'normally work in': 567574, 'in supermarket cafe': 428568, 'supermarket cafe but': 819485, 'cafe but today': 155100, 'but today have': 147600, 'today have been': 919615, 'on the shop': 604359, 'the shop floor': 866994, 'shop floor filling': 760171, 'floor filling shelf': 310795, 'filling shelf it': 305616, 'shelf it amazes': 757250, 'it amazes me': 456449, 'amazes me how': 50631, 'me how we': 522924, 'how we have': 409175, 'supermarket is unreal': 821134, 'is unreal coronacrisisuk': 453547, 'the 95': 848219, 'mask will': 519569, 'personnel local': 653132, 'other county': 620031, 'county employee': 211371, 'shortage many': 765068, 'many unnecessarily': 514834, 'unnecessarily hoard': 942856, 'hoard these': 398884, 'these face': 879990, 'or jack': 615855, 'the 95 mask': 848220, '95 mask will': 23591, 'mask will go': 519571, 'go to emergency': 354304, 'to emergency personnel': 905010, 'emergency personnel local': 272865, 'personnel local hospital': 653133, 'and other county': 68300, 'other county employee': 620032, 'county employee who': 211372, 'need them they': 555786, 're facing shortage': 698662, 'facing shortage many': 295594, 'shortage many unnecessarily': 765069, 'many unnecessarily hoard': 514835, 'unnecessarily hoard these': 942857, 'hoard these face': 398885, 'these face mask': 879991, 'face mask or': 294572, 'mask or jack': 519072, 'or jack up': 615856, 'jack up their': 464128, 'obscure': 578519, 'mesh': 529214, 'synthetic': 831020, 'filtratio': 305805, 'purchase require': 689651, 'require once': 713320, 'once obscure': 605681, 'obscure material': 578520, 'material called': 520371, 'called melt': 156376, 'blown fabric': 133397, 'fabric it': 294226, 'extremely fine': 293879, 'fine mesh': 307661, 'mesh of': 529215, 'of synthetic': 590562, 'synthetic polymer': 831025, 'polymer fiber': 663943, 'fiber that': 304395, 'that form': 843944, 'form the': 329567, 'critical inner': 218593, 'inner filtratio': 438798, 'both the mask': 136069, 'the mask made': 860221, 'mask made for': 518934, 'made for medical': 507743, 'for medical personnel': 323381, 'personnel and for': 653079, 'and for consumer': 63136, 'consumer purchase require': 198618, 'purchase require once': 689652, 'require once obscure': 713321, 'once obscure material': 605682, 'obscure material called': 578521, 'material called melt': 520372, 'called melt blown': 156377, 'melt blown fabric': 527976, 'blown fabric it': 133398, 'fabric it an': 294227, 'it an extremely': 456473, 'an extremely fine': 56029, 'extremely fine mesh': 293880, 'fine mesh of': 307662, 'mesh of synthetic': 529216, 'of synthetic polymer': 590563, 'synthetic polymer fiber': 831026, 'polymer fiber that': 663944, 'fiber that form': 304396, 'that form the': 843945, 'form the critical': 329568, 'the critical inner': 852495, 'critical inner filtratio': 218594, 'starved': 795236, 'you attention': 1017343, 'attention starved': 102484, 'starved sneeze': 795237, 'sneeze in': 776246, 'are you attention': 91766, 'you attention starved': 1017344, 'attention starved sneeze': 102485, 'starved sneeze in': 795238, 'sneeze in grocery': 776247, 'podcast covid': 662270, 'health market': 386623, 'podcast covid 19': 662271, 'the european consumer': 854580, 'european consumer health': 283548, 'consumer health market': 197727, 'quick warning': 694421, 'here quick warning': 393499, 'quick warning about': 694422, 'warning about some': 967071, 'the current government': 852637, 'current government scam': 221217, 'government scam using': 360576, 'today poll': 920049, 'normal during': 567141, 'today poll are': 920050, 'poll are you': 663828, 'you doing more': 1018299, 'doing more online': 252531, 'shopping than normal': 764068, 'than normal during': 840944, 'normal during the': 567142, 'triggered lockdown': 931919, 'prompted several': 683939, 'several manufacturing': 753888, 'manufacturing firm': 513587, 'production affecting': 681904, 'affecting steel': 34552, 'steel demand': 799323, 'demand report': 236130, 'the triggered lockdown': 869985, 'triggered lockdown in': 931920, 'india ha prompted': 434445, 'ha prompted several': 371555, 'prompted several manufacturing': 683940, 'several manufacturing firm': 753889, 'manufacturing firm to': 513588, 'firm to halt': 308441, 'to halt production': 907106, 'halt production affecting': 374455, 'production affecting steel': 681905, 'affecting steel demand': 34553, 'steel demand report': 799325, 'pragati': 668814, 'bhawan': 129371, 'reply on': 711744, 'this action': 886189, 'what cm': 981225, 'cm sir': 184635, 'sir said': 771644, 'on press': 602894, 'press meet': 671059, 'meet at': 527418, 'at pragati': 100168, 'pragati bhawan': 668815, 'bhawan to': 129372, 'implement pd': 418408, 'pd act': 645931, 'on those': 604646, 'those vendor': 892586, 'vendor and': 954339, 'save public': 737623, 'of hike': 584622, 'sir please reply': 771628, 'please reply on': 660382, 'reply on this': 711745, 'on this action': 604601, 'this action on': 886190, 'action on what': 30101, 'on what cm': 605215, 'what cm sir': 981226, 'cm sir said': 184636, 'sir said on': 771645, 'said on press': 731285, 'on press meet': 602895, 'press meet at': 671060, 'meet at pragati': 527420, 'at pragati bhawan': 100169, 'pragati bhawan to': 668816, 'bhawan to implement': 129373, 'to implement pd': 908173, 'implement pd act': 418409, 'pd act on': 645932, 'act on those': 29732, 'on those vendor': 604655, 'those vendor and': 892587, 'vendor and save': 954343, 'and save public': 70959, 'save public and': 737624, 'public and middle': 687850, 'middle class family': 530634, 'class family on': 180186, 'family on this': 298121, 'this issue of': 888510, 'issue of hike': 455861, 'of hike price': 584623, 'hike price covid': 396255, 'totalitarianism': 926284, 'here photo': 393453, 'from michigan': 336424, 'michigan where': 530392, 'being denied': 125035, 'denied gardening': 236957, 'gardening supply': 343656, 'item think': 463729, 'what totalitarianism': 982480, 'totalitarianism look': 926285, 'here photo from': 393454, 'photo from michigan': 655171, 'from michigan where': 336425, 'michigan where people': 530393, 'are being denied': 84845, 'being denied gardening': 125036, 'denied gardening supply': 236958, 'gardening supply because': 343657, 'supply because they': 824845, 'not essential item': 569215, 'essential item think': 281231, 'item think this': 463730, 'is what totalitarianism': 453900, 'what totalitarianism look': 982481, 'totalitarianism look like': 926286, 'like in it': 490492, 'hurting consumer': 411632, 'attitude from': 102556, 'is hurting consumer': 448637, 'hurting consumer attitude': 411633, 'consumer attitude from': 196344, 'debashish': 230300, 'mukherjee': 545614, 'mea': 524059, 'partner debashish': 642807, 'debashish mukherjee': 230301, 'mukherjee and': 545615, 'our mea': 623879, 'mea colleague': 524062, 'colleague 95': 186176, 'of respondent': 588998, 'respondent in': 715381, 'kingdom of': 475342, 'arabia have': 83890, 'habit due': 372602, 'online than': 609519, 'have previously': 382032, 'previously more': 672045, 'more gazette': 539331, 'our partner debashish': 624276, 'partner debashish mukherjee': 642808, 'debashish mukherjee and': 230302, 'mukherjee and our': 545616, 'and our mea': 68505, 'our mea colleague': 623880, 'mea colleague 95': 524063, 'colleague 95 of': 186177, '95 of respondent': 23601, 'of respondent in': 588999, 'respondent in the': 715382, 'in the kingdom': 429300, 'the kingdom of': 858826, 'kingdom of saudi': 475343, 'saudi arabia have': 737197, 'arabia have changed': 83891, 'have changed their': 379946, 'changed their shopping': 172579, 'their shopping habit': 874720, 'shopping habit due': 762841, 'habit due to': 372603, 'due to spending': 261965, 'to spending more': 915006, 'spending more online': 788916, 'more online than': 539945, 'online than they': 609521, 'they would have': 883941, 'would have previously': 1011887, 'have previously more': 382033, 'previously more gazette': 672046, 'about taking': 26301, 'avoid possible': 105234, 'orange county': 617906, 'county register': 211476, 'register ha': 707573, 'article listing': 94382, 'listing grocery': 494849, 'in orange': 426207, 'senior stayhomesavelives': 750412, 'you are senior': 1017230, 'senior and concerned': 750199, 'concerned about taking': 193173, 'about taking measure': 26303, 'to avoid possible': 900930, 'avoid possible exposure': 105235, '19 the orange': 11226, 'the orange county': 862442, 'orange county register': 617909, 'county register ha': 211477, 'register ha published': 707574, 'ha published this': 371579, 'published this article': 688703, 'this article listing': 886421, 'article listing grocery': 94383, 'listing grocery store': 494850, 'store in orange': 808365, 'in orange county': 426208, 'orange county with': 617910, 'county with special': 211541, 'with special hour': 1000908, 'for senior stayhomesavelives': 325477, 'in mart': 425155, 'mart saw': 518059, 'saw old': 738187, 'man along': 511981, 'with stick': 1000966, 'hand he': 375011, 'grocery slowly': 365130, 'just realize': 469567, 'must think': 546953, 'think once': 885469, 'once about': 605550, 'are old': 88707, 'today when wa': 920519, 'when wa doing': 984400, 'wa doing grocery': 962002, 'doing grocery in': 252434, 'grocery in mart': 364617, 'in mart saw': 425156, 'mart saw old': 518060, 'saw old man': 738188, 'old man along': 598341, 'man along with': 511982, 'along with stick': 47080, 'with stick in': 1000967, 'stick in his': 800034, 'his hand he': 397489, 'hand he wa': 375012, 'doing grocery slowly': 252436, 'grocery slowly slowly': 365131, 'slowly and just': 774577, 'and just realize': 65715, 'just realize we': 469568, 'realize we must': 701879, 'we must not': 972429, 'must not do': 546779, 'buying we must': 151326, 'we must think': 972447, 'must think once': 546955, 'think once about': 885470, 'once about people': 605551, 'about people who': 25942, 'who are old': 988181, 'are old people': 88709, 'old people who': 598422, 'money to store': 537121, 'to store stayhomesavelives': 915644, 'determination': 239422, 'obstructing covid': 578718, 'testing across': 839420, 'country idiot': 210761, 'infection up': 436874, 'low death': 505228, 'continue manipulating': 201060, 'manipulating stock': 513221, 'guy did': 368974, 'not count': 568897, 'the determination': 853209, 'determination of': 239423, 'by obstructing covid': 153388, 'obstructing covid 19': 578719, '19 testing across': 11094, 'testing across the': 839421, 'the country idiot': 852096, 'country idiot trump': 210762, '19 infection up': 7862, 'infection up and': 436875, 'running low death': 727998, 'low death to': 505229, 'death to be': 230241, 'to continue manipulating': 903390, 'continue manipulating stock': 201061, 'manipulating stock market': 513222, 'market price the': 516903, 'the guy did': 856957, 'guy did not': 368975, 'did not count': 240710, 'not count on': 568900, 'on the determination': 604063, 'the determination of': 853210, 'determination of the': 239424, 'of the governor': 591073, 'governor of ny': 360955, '610': 21194, 'crtuck': 219440, 'estimated cost': 282288, 'treatment are': 931036, '31 for': 17569, 'full course': 340541, 'course of': 211910, 'treatment but': 931046, 'sell between': 748643, 'between 19': 128673, '18 610': 4505, '610 per': 21201, 'per course': 650770, 'course in': 211880, 'off limit': 593954, 'to poorer': 911881, 'poorer patient': 664354, 'patient crtuck': 644159, 'the estimated cost': 854539, 'estimated cost of': 282289, 'cost of covid': 208041, '19 treatment are': 11568, 'treatment are between': 931038, 'are between and': 84963, 'between and 31': 128714, 'and 31 for': 57449, '31 for full': 17570, 'for full course': 321810, 'full course of': 340542, 'course of treatment': 211913, 'of treatment but': 592442, 'treatment but they': 931047, 'but they sell': 147517, 'they sell between': 883309, 'sell between 19': 748644, 'between 19 and': 128674, '19 and 18': 4978, 'and 18 610': 57385, '18 610 per': 4506, '610 per course': 21202, 'per course in': 650771, 'course in the': 211882, 'state the high': 795990, 'price will put': 677580, 'will put them': 994542, 'put them off': 690891, 'them off limit': 876078, 'off limit to': 593955, 'limit to poorer': 492540, 'to poorer patient': 911882, 'poorer patient crtuck': 664355, 'worker em': 1006834, 'em people': 272078, 'grocery factory': 364514, 'all being': 42167, 'being hero': 125236, 'by doing': 152392, 'part hero': 642286, 'hero thankyou': 394108, 'nurse hospital worker': 577372, 'hospital worker em': 404734, 'worker em people': 1006835, 'em people grocery': 272079, 'people grocery factory': 648126, 'grocery factory and': 364515, 'factory and drug': 295920, 'worker on behalf': 1007485, 'behalf of all': 123753, 'of all thank': 579980, 'for all being': 319112, 'all being hero': 42169, 'being hero the': 125238, 'hero the rest': 394118, 'rest of be': 716186, 'of be hero': 580591, 'be hero too': 115240, 'hero too by': 394140, 'too by doing': 924636, 'by doing your': 152397, 'doing your part': 252888, 'your part hero': 1025214, 'part hero thankyou': 642288, 'chemist just': 175431, 'just administered': 468160, 'administered flu': 32442, 'flu vaccine': 311487, 'vaccine without': 951801, 'glove definitely': 352650, 'definitely didn': 232323, 'didn use': 241248, 'have before': 379747, 'before took': 123243, 'took his': 925250, 'his mask': 397598, 'mask off': 519039, 'off before': 593685, 'out left': 626494, 'chemist just administered': 175432, 'just administered flu': 468161, 'administered flu vaccine': 32443, 'flu vaccine without': 311488, 'vaccine without glove': 951802, 'without glove definitely': 1002690, 'glove definitely didn': 352651, 'definitely didn use': 232324, 'didn use sanitizer': 241249, 'use sanitizer after': 949535, 'sanitizer after may': 734327, 'after may not': 35915, 'not have before': 569814, 'have before took': 379749, 'before took his': 123244, 'took his mask': 925251, 'his mask off': 397599, 'mask off before': 519040, 'off before walking': 593688, 'before walking out': 123277, 'walking out left': 965081, 'out left it': 626495, 'it in here': 458734, 'first tour': 309132, 'duty friend': 263575, 'friend iraq': 333667, 'iraq afghanistan': 444748, 'afghanistan me': 34934, 'me worse': 524022, 'worse so': 1010994, 'much carnage': 544784, 'carnage went': 164784, 'since corona': 770546, 'corona hit': 203993, 'hit coronacrisis': 398203, 'me just finished': 523032, 'finished my first': 307909, 'my first tour': 548353, 'first tour of': 309133, 'tour of duty': 926930, 'of duty friend': 582885, 'duty friend iraq': 263576, 'friend iraq afghanistan': 333668, 'iraq afghanistan me': 444749, 'afghanistan me worse': 34935, 'me worse so': 524024, 'worse so much': 1010995, 'so much carnage': 777766, 'much carnage went': 544785, 'carnage went to': 164785, 'store for my': 807822, 'for my first': 323707, 'my first time': 548352, 'time since corona': 897665, 'since corona hit': 770547, 'corona hit coronacrisis': 203994, 'playing dont': 659397, 'dont stand': 255285, 'stand so': 793582, 'by police': 153606, 'police over': 663143, 'the tannoy': 869142, 'tannoy lovely': 834273, 'wife is at': 991936, 're playing dont': 699272, 'playing dont stand': 659398, 'dont stand so': 255286, 'stand so close': 793583, 'to me by': 909922, 'me by police': 522549, 'by police over': 153607, 'police over the': 663144, 'over the tannoy': 630775, 'the tannoy lovely': 869145, 'apperantly': 82226, 'supermarket type': 823596, 'type place': 937600, 'stuff called': 815036, 'called food': 156310, 'and apperantly': 58259, 'apperantly they': 82227, 'basis mad': 112255, 'mad ain': 507518, 'been into one': 121407, 'of those supermarket': 592118, 'those supermarket type': 892510, 'supermarket type place': 823597, 'type place and': 937601, 'place and they': 657324, 'they have all': 882289, 'all this stuff': 45137, 'this stuff called': 890390, 'stuff called food': 815037, 'called food and': 156311, 'food and apperantly': 313177, 'and apperantly they': 58260, 'apperantly they will': 82228, 'to have more': 907279, 'have more on': 381503, 'more on daily': 539917, 'daily basis mad': 224508, 'basis mad ain': 112256, 'mad ain it': 507519, 'oilprices hit': 597674, 'hit an': 398134, 'oilprices hit an': 597675, 'hit an 18': 398135, 'low amid lockdown': 505116, 'the plus': 863868, 'plus elderly': 661590, 'chain have launched': 170763, 'launched dedicated shopping': 481982, 'hour for the': 405623, 'for the plus': 326622, 'the plus elderly': 863869, 'plus elderly and': 661591, 'vulnerable customer to': 960925, 'customer to buy': 222957, 'death fight': 230036, 'and death fight': 60984, 'death fight for': 230037, 'fight for senior': 304747, 'tightens': 895859, 'today russian': 920126, 'paper moscow': 640477, 'moscow tightens': 542009, 'tightens lockdown': 895862, 'with digital': 998031, 'digital permit': 242622, 'permit plus': 652162, 'plus hospital': 661621, 'hospital overloaded': 404550, 'overloaded in': 631272, 'the capital': 850362, 'chain threatening': 171187, '50 russia': 19838, 'in today russian': 430163, 'today russian paper': 920127, 'russian paper moscow': 728657, 'paper moscow tightens': 640478, 'moscow tightens lockdown': 542010, 'tightens lockdown with': 895863, 'lockdown with digital': 500165, 'with digital permit': 998032, 'digital permit plus': 242623, 'permit plus hospital': 652163, 'plus hospital overloaded': 661622, 'hospital overloaded in': 404551, 'overloaded in the': 631273, 'in the capital': 429054, 'the capital and': 850363, 'capital and retail': 162640, 'retail chain threatening': 717945, 'chain threatening to': 171188, 'threatening to raise': 893835, 'by 50 russia': 151670, 'like having': 490392, 'company feel': 190652, 'my like': 549058, 'like talk': 491292, 'talk live': 833815, 'live tomorrow': 496076, 'tomorrow friday': 924088, 'friday at': 333202, 'at 3pm': 97636, '3pm bst': 18401, 'feel like having': 302720, 'like having some': 490393, 'having some company': 384278, 'some company feel': 782569, 'company feel free': 190653, 'free to join': 332243, 'to join my': 908680, 'join my like': 466790, 'my like talk': 549059, 'like talk live': 491293, 'talk live tomorrow': 833816, 'live tomorrow friday': 496077, 'tomorrow friday at': 924089, 'friday at 3pm': 333204, 'at 3pm bst': 97637, 'grinning': 363998, 'to suicide': 915745, 'suicide hotlines': 817735, 'hotlines ha': 405276, 'by 300': 151635, '300 grinning': 17310, 'grinning statistic': 363999, 'statistic for': 796579, 'for society': 325718, 'society farmer': 781204, 'away milk': 105968, 'food loss': 315350, 'loss isolation': 503713, 'isolation weakens': 455495, 'and worsens': 75920, 'worsens obesity': 1011115, 'obesity an': 578363, 'an associated': 55453, 'and the number': 73496, 'number of call': 576924, 'of call to': 581054, 'call to suicide': 156192, 'to suicide hotlines': 915746, 'suicide hotlines ha': 817736, 'hotlines ha increased': 405277, 'increased by 300': 433226, 'by 300 grinning': 151636, '300 grinning statistic': 17311, 'grinning statistic for': 364000, 'statistic for society': 796580, 'for society farmer': 325719, 'society farmer are': 781205, 'throwing away milk': 895085, 'away milk and': 105969, 'milk and restaurant': 531567, 'restaurant are trying': 716316, 'trying to open': 934832, 'to open grocery': 910990, 'store to prevent': 810800, 'prevent food loss': 671623, 'food loss isolation': 315352, 'loss isolation weakens': 503715, 'isolation weakens the': 455496, 'system and worsens': 831110, 'and worsens obesity': 75921, 'worsens obesity an': 1011116, 'obesity an associated': 578364, 'an associated disease': 55454, 'outreach': 629349, 'billion will': 130936, 'be invested': 115538, 'invested into': 443785, 'into ppe': 442887, 'doing outreach': 252593, 'outreach for': 629352, 'doing wellness': 252841, 'wellness check': 978834, 'check according': 174355, 'billion will be': 130937, 'will be invested': 992519, 'be invested into': 115539, 'invested into ppe': 443786, 'into ppe to': 442888, 'ppe to take': 668087, 'care of health': 164102, 'of health care': 584505, 'store worker people': 811556, 'worker people doing': 1007557, 'people doing outreach': 647692, 'doing outreach for': 252594, 'outreach for the': 629353, 'for the homeless': 326479, 'the homeless and': 857463, 'homeless and people': 402727, 'and people doing': 68860, 'people doing wellness': 647694, 'doing wellness check': 252842, 'wellness check according': 978835, 'check according to': 174356, 'mole': 535651, 'people calling': 647373, 'calling if': 156573, 'open gluten': 612273, 'been very': 122328, 'very scarce': 955501, 'than wheat': 841448, 'wheat tortilla': 983022, 'tortilla and': 926045, 'and mole': 67102, 'mole all': 535652, 'are gluten': 86870, 'hiked our': 396326, 'price either': 673664, 'of people calling': 587882, 'people calling if': 647374, 'calling if we': 156574, 'still open gluten': 800960, 'open gluten free': 612274, 'gluten free product': 353129, 'free product have': 332082, 'have been very': 379737, 'been very scarce': 122333, 'very scarce in': 955502, 'scarce in supermarket': 740791, 'in supermarket yes': 428721, 'supermarket yes we': 824160, 'we are other': 970648, 'are other than': 88848, 'other than wheat': 621088, 'than wheat tortilla': 841449, 'wheat tortilla and': 983023, 'tortilla and mole': 926046, 'and mole all': 67103, 'mole all of': 535653, 'product are gluten': 680936, 'are gluten free': 86871, 'gluten free and': 353121, 'free and no': 331648, 'and no we': 67650, 'have not hiked': 381684, 'not hiked our': 569972, 'hiked our price': 396327, 'our price either': 624443, 'price either stay': 673665, 'jock': 466381, 'youcantaskthat': 1022511, 'the sock': 867445, 'sock pant': 781409, 'and jock': 65670, 'jock that': 466384, 'wearing on': 974749, 'that particular': 845660, 'particular day': 642607, 'day youcantaskthat': 228829, 'youcantaskthat tonight': 1022512, 'tonight 9pm': 924349, 'everything but the': 287719, 'but the sock': 147407, 'the sock pant': 867446, 'sock pant and': 781410, 'pant and jock': 639489, 'and jock that': 65671, 'jock that wa': 466385, 'that wa wearing': 847319, 'wa wearing on': 963679, 'wearing on that': 974750, 'on that particular': 603945, 'that particular day': 845661, 'particular day youcantaskthat': 642608, 'day youcantaskthat tonight': 228830, 'youcantaskthat tonight 9pm': 1022513, 'devastated': 239567, '2005': 13617, 'studied': 814823, 'situation reminds': 772464, 'of hurricane': 584926, 'katrina which': 471072, 'which devastated': 985810, 'devastated the': 239572, 'coast in': 185107, 'in 2005': 419749, '2005 ve': 13620, 've studied': 953613, 'studied the': 814826, 'latter disaster': 481679, 'my research': 549927, 'learn lot': 484006, 'lot from': 504049, 'it summary': 461347, 'summary follows': 817932, 'follows full': 312954, '19 situation reminds': 10589, 'situation reminds me': 772465, 'reminds me in': 710646, 'me in many': 522968, 'many way of': 514860, 'way of hurricane': 969758, 'of hurricane katrina': 584927, 'hurricane katrina which': 411483, 'katrina which devastated': 471073, 'which devastated the': 985811, 'devastated the gulf': 239573, 'the gulf coast': 856939, 'gulf coast in': 368635, 'coast in 2005': 185108, 'in 2005 ve': 419750, '2005 ve studied': 13621, 've studied the': 953614, 'studied the latter': 814827, 'the latter disaster': 859163, 'latter disaster in': 481680, 'disaster in my': 244216, 'in my research': 425620, 'my research and': 549928, 'research and think': 713673, 'and think we': 73975, 'can learn lot': 158851, 'learn lot from': 484007, 'lot from it': 504050, 'from it summary': 336130, 'it summary follows': 461348, 'summary follows full': 817933, 'follows full post': 312955, 'full post is': 340816, 'post is here': 666178, 'rollouts': 725701, 'had bunch': 372945, 'of client': 581460, 'and journalist': 65685, 'journalist reaching': 467447, 'out asking': 625733, 'asking how': 96009, 'tech rollouts': 836139, 'rollouts wrote': 725702, 'wrote an': 1013188, 'an advisory': 55163, 'advisory on': 33770, 've had bunch': 953217, 'had bunch of': 372946, 'bunch of client': 142619, 'of client and': 581461, 'client and journalist': 181992, 'and journalist reaching': 65686, 'journalist reaching out': 467448, 'reaching out asking': 700100, 'out asking how': 625734, 'asking how covid': 96010, '19 affect consumer': 4831, 'affect consumer tech': 34140, 'consumer tech rollouts': 199233, 'tech rollouts wrote': 836140, 'rollouts wrote an': 725703, 'wrote an advisory': 1013189, 'an advisory on': 55165, 'advisory on it': 33772, 'yahuah': 1014052, 'one haven': 606406, 'food such': 316904, 'such bag': 816352, 'those perishable': 892337, 'one survive': 607149, 'survive during': 829155, 'pandemic our': 636125, 'our father': 623032, 'father king': 300293, 'king divine': 475254, 'divine yahuah': 248653, 'yahuah who': 1014053, 'in heaven': 423618, 'heaven we': 388555, 'when one haven': 983798, 'one haven got': 606407, 'got the money': 358907, 'stock food such': 802150, 'food such bag': 316905, 'such bag of': 816353, 'rice and all': 720989, 'all those perishable': 45176, 'those perishable good': 892338, 'perishable good so': 651985, 'good so just': 357743, 'so just how': 777497, 'can one survive': 159113, 'one survive during': 607150, 'survive during this': 829156, 'this coronavirus pandemic': 886900, 'coronavirus pandemic our': 206482, 'pandemic our father': 636126, 'our father king': 623034, 'father king divine': 300294, 'king divine yahuah': 475255, 'divine yahuah who': 248654, 'yahuah who at': 1014054, 'who at in': 988281, 'at in heaven': 99273, 'in heaven we': 423619, 'heaven we look': 388556, 'we look up': 972296, 'up to him': 946388, 'to him to': 907777, 'him to provide': 396747, 'provide our need': 686419, 'kill not': 474460, 'only bacteria': 610135, 'also cold': 48038, 'virus microban': 958503, 'home disinfectant': 401081, 'disinfectant designed': 245641, 'from is designed': 336095, 'to kill not': 908934, 'kill not only': 474461, 'not only bacteria': 570779, 'only bacteria but': 610136, 'bacteria but also': 107664, 'but also cold': 145102, 'also cold and': 48039, 'flu virus microban': 311492, 'virus microban 24': 958504, 'is home disinfectant': 448525, 'home disinfectant designed': 401082, 'disinfectant designed to': 245642, 'henryk': 391792, 'borawski': 135206, 'wikimedia': 992040, 'supermarket brand': 819411, 'brand open': 137955, 'from 6am': 334324, 'midnight and': 530739, '24 24': 15532, 'easter more': 265472, 'website henryk': 975298, 'henryk borawski': 391793, 'borawski wikimedia': 135207, 'supermarket brand open': 819412, 'brand open from': 137956, 'open from 6am': 612271, 'from 6am to': 334325, '6am to midnight': 21580, 'to midnight and': 910119, 'midnight and 24': 530740, 'and 24 24': 57420, '24 24 just': 15533, '24 just before': 15643, 'just before easter': 468317, 'before easter more': 122758, 'easter more on': 265473, 'our website henryk': 625340, 'website henryk borawski': 975299, 'henryk borawski wikimedia': 391794, 'exclusive honeywell': 289667, 'honeywell pressure': 403194, 'pressure supplier': 671235, 'price 30': 672145, '30 honeywell': 17070, 'honeywell hon': 403190, 'hon via': 403041, 'exclusive honeywell pressure': 289668, 'honeywell pressure supplier': 403195, 'pressure supplier to': 671236, 'supplier to cut': 824625, 'cut price 30': 223489, 'price 30 honeywell': 672147, '30 honeywell hon': 17071, 'honeywell hon via': 403191, 'local overheard': 498247, 'overheard an': 631230, 'couple saying': 211667, 'saying what': 739754, 'we came': 970895, 'came all': 156964, 'shop stoppanicbuying': 760853, 'wa the state': 963471, 'state of my': 795811, 'my local overheard': 549130, 'local overheard an': 498248, 'overheard an elderly': 631231, 'elderly couple saying': 270643, 'couple saying what': 211668, 'saying what are': 739755, 'to do we': 904584, 'do we came': 250464, 'we came all': 970896, 'came all this': 156965, 'all this way': 45145, 'this way and': 891127, 'way and cant': 969458, 'cant get the': 162302, 'get the item': 348257, 'the item on': 858610, 'item on our': 463506, 'on our list': 602613, 'our list they': 623752, 'list they just': 494565, 'they just wanted': 882506, 'to do weekly': 904586, 'weekly shop stoppanicbuying': 977553, 'ha broken': 370031, 'broken down': 140888, 'care nurse ha': 164085, 'nurse ha broken': 577348, 'ha broken down': 370032, 'broken down in': 140889, 'down in tear': 256869, 'basic food at': 111882, 'end of her': 275899, 'of her 48': 584565, 'opportunity they': 613688, 'defraud the': 232488, 'public out': 688207, 'scam around': 740048, 'coronavirus check': 205644, 'will use any': 995282, 'use any opportunity': 949054, 'any opportunity they': 79571, 'opportunity they can': 613689, 'can to defraud': 160005, 'to defraud the': 904072, 'defraud the public': 232489, 'the public out': 864841, 'public out of': 688208, 'of money so': 586617, 'so be aware': 776604, 'of scam around': 589356, 'scam around coronavirus': 740049, 'around coronavirus check': 93256, 'coronavirus check our': 205645, 'anyone interested': 80384, 'the checklist': 850752, 'checklist on': 174871, 'consumer implication': 197810, 'for anyone interested': 319439, 'anyone interested in': 80385, 'in the checklist': 429067, 'the checklist on': 850753, 'checklist on consumer': 174872, 'on consumer implication': 600056, 'consumer implication of': 197811, '19 and policy': 5089, 'and policy response': 69169, 'doesn financially': 251793, 'thousand run': 893485, 'stage if government': 793190, 'if government doesn': 414174, 'government doesn financially': 360042, 'doesn financially support': 251794, 'when thousand run': 984320, 'thousand run out': 893486, 'of money you': 586624, 'you re fortunate': 1020626, 're fortunate enough': 698706, 'an income onpoli': 56230, 'cosigned': 207781, 'decisively': 231121, 'al association': 40561, 'association cosigned': 96955, 'cosigned letter': 207782, 'letter with': 487383, 'with 27': 996994, '27 patient': 16299, 'consumer organization': 198289, 'organization calling': 619354, 'act decisively': 29622, 'decisively to': 231122, 'coronavirus that': 206898, '19 particularly': 9577, 'particularly among': 642663, 'population read': 664733, 'the al association': 848539, 'al association cosigned': 40562, 'association cosigned letter': 96956, 'cosigned letter with': 207783, 'letter with 27': 487384, 'with 27 patient': 996995, '27 patient and': 16300, 'patient and consumer': 644131, 'and consumer organization': 60410, 'consumer organization calling': 198291, 'organization calling on': 619355, 'calling on congress': 156609, 'congress to act': 194538, 'to act decisively': 900010, 'act decisively to': 29623, 'decisively to slow': 231124, 'the coronavirus that': 851924, 'coronavirus that cause': 206899, 'covid 19 particularly': 213554, '19 particularly among': 9578, 'particularly among vulnerable': 642664, 'vulnerable population read': 961131, 'population read more': 664734, 'get ill': 347282, 'ill you': 416190, 'eating for': 266208, 'that duration': 843648, 'duration anyway': 262366, 'buying food if': 150316, 'you get ill': 1018778, 'get ill you': 347284, 'ill you won': 416191, 'you won be': 1022397, 'won be eating': 1003740, 'be eating for': 114640, 'eating for that': 266210, 'for that duration': 326254, 'that duration anyway': 843649, 'derby': 237827, 'lib': 487989, 'ajit': 40459, 'atwal': 102766, 'owner well': 632595, 'said by': 731016, 'by derby': 152341, 'derby lib': 237832, 'lib dem': 487990, 'dem councillor': 234863, 'councillor ajit': 210041, 'ajit atwal': 40460, 'atwal stop': 102767, 'the astronomical': 848993, 'day light': 227904, 'light robbery': 489588, 'robbery convid19uk': 724664, 'shop owner well': 760653, 'owner well said': 632596, 'well said by': 978534, 'said by derby': 731017, 'by derby lib': 152342, 'derby lib dem': 237833, 'lib dem councillor': 487991, 'dem councillor ajit': 234864, 'councillor ajit atwal': 210042, 'ajit atwal stop': 40461, 'atwal stop the': 102768, 'stop the astronomical': 805122, 'the astronomical price': 848994, 'astronomical price and': 97260, 'price and day': 672388, 'and day light': 60963, 'day light robbery': 227905, 'light robbery convid19uk': 489589, 'father put': 300306, 'on restriction': 603170, 'restriction can': 717237, 'station but': 796366, 'cannot hang': 161940, 'at del': 98415, 'del taco': 232634, 'taco or': 831670, 'or play': 616626, 'friend this': 333838, 'pas and': 643082, 'more diligent': 539044, 'grateful afterwards': 362238, 'that how see': 844385, 'how see it': 408633, 'see it it': 745336, 'it it like': 459176, 'like when my': 491803, 'when my father': 983748, 'my father put': 548249, 'father put me': 300307, 'put me on': 690683, 'me on restriction': 523263, 'on restriction can': 603171, 'restriction can still': 717239, 'the bank the': 849255, 'bank the grocery': 110239, 'and the gas': 73392, 'gas station but': 344102, 'station but cannot': 796368, 'but cannot hang': 145383, 'cannot hang out': 161941, 'hang out at': 376935, 'out at del': 625739, 'at del taco': 98416, 'del taco or': 232635, 'taco or play': 831671, 'or play with': 616627, 'play with my': 659256, 'with my friend': 999626, 'my friend this': 548452, 'friend this will': 333842, 'this will pas': 891434, 'will pas and': 994377, 'pas and we': 643083, 'be more diligent': 115970, 'more diligent and': 539045, 'diligent and grateful': 242872, 'and grateful afterwards': 63925, 'meanwhile supermarket': 525032, 'meanwhile supermarket in': 525033, 'supermarket in scotland': 820973, 'karl': 470928, 'racine': 695243, 'right attorney': 721782, 'general karl': 345393, 'karl racine': 470931, 'alert coronavirus covid': 41390, '19 know your': 8253, 'your right attorney': 1025629, 'right attorney general': 721783, 'attorney general karl': 102651, 'general karl racine': 345394, 'bright and': 139784, 'and early': 61840, 'early wearing': 264747, 'store californiaquarantine': 806842, 'bright and early': 139785, 'and early wearing': 61844, 'early wearing them': 264748, 'wearing them glove': 974807, 'them glove at': 875783, 'grocery store californiaquarantine': 365264, 'briefly': 139760, 'hearing so': 388230, 'nh hero': 561971, 'teacher have': 835472, 'been equally': 121090, 'equally amazing': 279631, 'amazing after': 50635, 'after briefly': 35433, 'briefly entering': 139761, 'leaving there': 485166, 'also absolute': 47805, 'absolute superstar': 27298, 'superstar supermarket': 824335, 'hearing so many': 388231, 'so many story': 777707, 'story of nh': 812068, 'of nh hero': 587007, 'nh hero the': 561973, 'hero the teacher': 394121, 'the teacher have': 869195, 'teacher have been': 835473, 'have been equally': 379529, 'been equally amazing': 121091, 'equally amazing after': 279632, 'amazing after briefly': 50636, 'after briefly entering': 35434, 'briefly entering supermarket': 139762, 'entering supermarket today': 278423, 'today and leaving': 919217, 'and leaving there': 66073, 'leaving there are': 485167, 'are also absolute': 84436, 'also absolute superstar': 47806, 'absolute superstar supermarket': 27299, 'superstar supermarket worker': 824336, 'likely change': 491968, 'way human': 969643, 'human interact': 410525, 'interact at': 441193, 'least until': 484679, 'vaccine changed': 951679, 'changed public': 172536, 'public example': 687981, 'example edu': 288887, 'edu farming': 268743, 'farming sport': 299647, 'sport swimming': 789983, 'swimming shopping': 830365, 'shopping halloween': 762856, 'halloween college': 374392, 'college gathering': 186614, 'gathering online': 344493, 'online activity': 607770, 'in replacement': 427394, 'replacement but': 711609, 'but human': 145977, 'need connection': 554631, 'connection life': 194705, 'will likely change': 993994, 'likely change the': 491969, 'the way human': 871160, 'way human interact': 969644, 'human interact at': 410526, 'interact at least': 441194, 'at least until': 99563, 'least until vaccine': 484682, 'until vaccine changed': 943915, 'vaccine changed public': 951680, 'changed public example': 172537, 'public example edu': 687982, 'example edu farming': 288888, 'edu farming sport': 268744, 'farming sport swimming': 299648, 'sport swimming shopping': 789984, 'swimming shopping halloween': 830366, 'shopping halloween college': 762857, 'halloween college gathering': 374393, 'college gathering online': 186615, 'gathering online activity': 344494, 'online activity will': 607773, 'activity will surge': 30539, 'will surge in': 995042, 'surge in replacement': 828207, 'in replacement but': 427395, 'replacement but human': 711610, 'but human need': 145979, 'human need connection': 410572, 'need connection life': 554632, 'connection life after': 194706, 'life after pandemic': 488445, 'devics': 239952, 'finrite': 308003, 'buy devics': 148527, 'devics with': 239953, 'with dont': 998120, 'dont use': 255309, 'insurance administered': 440660, 'by finrite': 152590, 'finrite you': 308004, 'off finding': 593812, 'finding your': 307576, 'own insurance': 632081, 'to buy devics': 902214, 'buy devics with': 148528, 'devics with dont': 239954, 'with dont use': 998121, 'dont use their': 255310, 'use their insurance': 949699, 'their insurance administered': 873672, 'insurance administered by': 440661, 'administered by finrite': 32440, 'by finrite you': 152591, 'finrite you better': 308005, 'you better off': 1017464, 'better off finding': 128387, 'off finding your': 593813, 'finding your own': 307577, 'your own insurance': 1025149, 'own insurance it': 632082, 'insurance it useless': 440765, 'retailer adjust': 718945, 'adjust store': 32288, 'hour focus': 405589, 'on employee': 600542, 'employee amid': 273544, 'globally and': 352369, 'exception the': 289284, 'state continues': 795483, 'retailer adjust store': 718946, 'adjust store hour': 32289, 'store hour focus': 808198, 'hour focus on': 405590, 'focus on employee': 311872, 'on employee amid': 600543, 'employee amid covid': 273545, 'outbreak the impact': 628714, '19 is being': 7940, 'is being felt': 446084, 'being felt globally': 125141, 'felt globally and': 303384, 'globally and retail': 352372, 'and retail is': 70435, 'retail is no': 718245, 'no exception the': 564158, 'exception the number': 289285, 'united state continues': 942210, 'state continues to': 795484, 'continues to increase': 201484, 'increase the industry': 433106, 'industry is taking': 435940, 'step to keep': 799652, 'lockdownextention': 500285, 'indian2': 434911, 'seniors2020': 750462, 'the hypothesis': 857797, 'hypothesis that': 412419, 'that indian': 844504, 'indian society': 434880, 'society might': 781269, 'forever with': 329159, 'more corona': 538896, 'lockdown lockdownextention': 499616, 'lockdownextention consumer': 500286, 'consumer indian2': 197848, 'indian2 indian': 434912, 'indian coronaupdatesindia': 434800, 'coronaupdatesindia seniors2020': 205344, 'with the hypothesis': 1001339, 'the hypothesis that': 857798, 'hypothesis that indian': 412420, 'that indian society': 844506, 'indian society might': 434881, 'society might have': 781270, 'might have changed': 531011, 'have changed forever': 379938, 'changed forever with': 172480, 'forever with the': 329160, 'with the experience': 1001292, 'experience of covid': 291435, 'read more corona': 700428, 'more corona lockdown': 538897, 'corona lockdown lockdownextention': 204042, 'lockdown lockdownextention consumer': 499617, 'lockdownextention consumer indian2': 500287, 'consumer indian2 indian': 197849, 'indian2 indian coronaupdatesindia': 434913, 'indian coronaupdatesindia seniors2020': 434801, 'brother is': 141074, 'his routine': 397765, 'routine due': 726503, 'gym or': 369340, 'etc it': 282620, 'very sudden': 955604, 'sudden and': 816981, 'usually take': 951159, 'take several': 832561, 'any change': 79013, 'change doe': 172018, 'help autistic': 389393, 'my brother is': 547560, 'brother is struggling': 141076, 'struggling with having': 814537, 'with having to': 998744, 'having to change': 384335, 'to change his': 902604, 'change his routine': 172082, 'his routine due': 397767, 'routine due to': 726504, '19 not going': 8829, 'the gym or': 856974, 'gym or supermarket': 369342, 'or supermarket every': 617279, 'supermarket every day': 820226, 'every day etc': 285804, 'day etc it': 227564, 'etc it very': 282626, 'it very sudden': 462039, 'very sudden and': 955605, 'sudden and it': 816984, 'and it usually': 65595, 'it usually take': 462009, 'usually take several': 951160, 'take several week': 832562, 'several week for': 753960, 'week for him': 976229, 'him to cope': 396742, 'cope with any': 203340, 'with any change': 997273, 'any change doe': 79014, 'change doe anyone': 172019, 'anyone have any': 80350, 'have any suggestion': 379321, 'any suggestion that': 79884, 'suggestion that might': 817664, 'that might help': 845161, 'might help autistic': 531028, 'one priority': 606917, 'priority check': 678530, 'date reporting': 226722, 'safety is our': 730592, 'is our number': 450632, 'our number one': 624100, 'number one priority': 577026, 'one priority check': 606918, 'priority check out': 678531, 'out consumer report': 625882, 'consumer report for': 198710, 'report for the': 711958, 'to date reporting': 903943, 'date reporting on': 226723, 'reporting on the': 712731, 'on the novel': 604254, 'buggered': 141908, 're isolating': 698930, 'of danger': 582343, 'danger you': 225713, 'immune it': 417325, 'one infected': 606491, 'to cross': 903759, 'path at': 644014, 'at somewhere': 100593, 'somewhere like': 785301, 're buggered': 698387, 'buggered 19': 141909, 'hope that people': 403649, 'people don think': 647711, 'don think that': 253982, 'think that just': 885596, 'that just because': 844786, 'you re isolating': 1020660, 're isolating for': 698931, 'isolating for week': 455099, 'for week you': 327769, 'week you re': 977299, 'out of danger': 626716, 'of danger you': 582345, 'danger you re': 225714, 're not immune': 699098, 'not immune it': 570066, 'immune it only': 417326, 'only take one': 611234, 'take one infected': 832418, 'one infected person': 606492, 'infected person to': 436622, 'person to cross': 652655, 'to cross your': 903763, 'cross your path': 219045, 'your path at': 1025227, 'path at somewhere': 644015, 'at somewhere like': 100594, 'somewhere like supermarket': 785302, 'like supermarket amp': 491267, 'supermarket amp you': 818915, 'amp you re': 54869, 'you re buggered': 1020580, 're buggered 19': 698388, 'webstore': 975522, 'store beyond': 806726, 'the barn': 849283, 'barn is': 111131, 'be active': 113478, 'active on': 30282, 'medium account': 526971, 'our webstore': 625360, 'webstore will': 975523, 'and customer our': 60855, 'customer our retail': 222666, 'retail store beyond': 718618, 'store beyond the': 806727, 'beyond the barn': 129243, 'the barn is': 849284, 'barn is temporarily': 111132, 'meantime we will': 524941, 'will be active': 992341, 'be active on': 113479, 'active on our': 30283, 'social medium account': 779838, 'medium account and': 526972, 'account and our': 28628, 'and our webstore': 68526, 'our webstore will': 625361, 'webstore will remain': 975524, 'shifting consumerbehavior': 758525, 'consumerbehavior and': 199603, 'is shifting consumerbehavior': 451850, 'shifting consumerbehavior and': 758526, 'consumerbehavior and attitude': 199604, 'and attitude in': 58513, 'attitude in china': 102561, 'patriotism': 644374, 'jaihind': 464255, 'an humble': 56113, 'citizen please': 178949, 'get panic': 347781, 'show patriotism': 767089, 'patriotism isn': 644375, 'sending you': 750116, 'border so': 135279, 'so avoid': 776568, 'avoid social': 105281, 'safe have': 729733, 'have healthy': 380911, 'home jaihind': 401477, 'jaihind pmmodi': 464256, 'it an humble': 456474, 'an humble request': 56114, 'request to all': 713208, 'to all citizen': 900235, 'all citizen please': 42352, 'citizen please stay': 178950, 'not get panic': 569602, 'get panic for': 347782, 'panic for time': 638127, 'for time to': 327192, 'time to show': 898064, 'to show patriotism': 914570, 'show patriotism isn': 767090, 'patriotism isn it': 644376, 'isn it no': 454567, 'one is sending': 606519, 'is sending you': 451775, 'sending you to': 750117, 'to the border': 916522, 'the border so': 849875, 'border so avoid': 135280, 'so avoid social': 776569, 'avoid social gathering': 105282, 'social gathering and': 779791, 'gathering and stay': 344434, 'stay safe have': 797240, 'safe have healthy': 729735, 'have healthy food': 380912, 'healthy food at': 387625, 'at home jaihind': 99020, 'home jaihind pmmodi': 401478, 'store live': 808783, 'for catching': 319962, 'catching like': 167096, 'elderly woman walk': 270958, 'woman walk into': 1003656, 'grocery store live': 365533, 'store live across': 808784, 'live across the': 495703, 'street and every': 812892, 'and every time': 62384, 'every time see': 286315, 'time see someone': 897630, 'see someone who': 745736, 'who is high': 989081, 'risk for catching': 723538, 'for catching like': 319964, 'stop exposing': 804643, 'exposing her': 292925, 'virus stock': 958815, 'stock her': 802230, 'her house': 392112, 'last her': 480263, 'have saved': 382395, 'saved these': 737760, 'these innocent': 880173, 'innocent soul': 438826, 'what she need': 982168, 'she need is': 756232, 'need is food': 555066, 'is food so': 447872, 'food so that': 316666, 'so that she': 778392, 'that she can': 846235, 'she can stop': 755927, 'can stop exposing': 159819, 'stop exposing her': 804644, 'exposing her child': 292926, 'her child to': 391934, 'the virus stock': 870900, 'virus stock her': 958817, 'stock her house': 802231, 'her house with': 392114, 'house with enough': 406685, 'to last her': 909063, 'last her this': 480264, 'her this covid': 392445, '19 period you': 9651, 'period you will': 651941, 'will have saved': 993667, 'have saved these': 382397, 'saved these innocent': 737761, 'these innocent soul': 880174, 'twas': 936249, 'southendclt': 786850, 'twas the': 936250, 'night before': 562966, 'before shelter': 123071, 'aisle not': 40317, 'single blessed': 771246, 'blessed roll': 132624, 'tissue wa': 899234, 'wa found': 962164, 'found not': 330306, 'even ply': 284472, 'ply corona': 661761, 'toiletpaper clt': 921860, 'clt charlotte': 184389, 'charlotte southendclt': 173775, 'twas the night': 936251, 'the night before': 861805, 'night before shelter': 562968, 'before shelter in': 123072, 'place and all': 657309, 'and all through': 57902, 'all through the': 45205, 'through the aisle': 894716, 'the aisle not': 848527, 'aisle not single': 40319, 'not single blessed': 571593, 'single blessed roll': 771247, 'blessed roll of': 132625, 'toilet tissue wa': 921650, 'tissue wa found': 899235, 'wa found not': 962166, 'found not even': 330307, 'not even ply': 569269, 'even ply corona': 284473, 'ply corona toiletpaper': 661762, 'corona toiletpaper clt': 204247, 'toiletpaper clt charlotte': 921861, 'clt charlotte southendclt': 184390, 'effort for': 269512, 'for taking': 326141, 'taking pro': 833531, 'pro active': 679089, 'active measure': 30280, 'future plan': 342416, 'indian company': 434793, 'company be': 190490, 'it aviation': 456648, 'appliance co': 82410, 'co travel': 184986, 'tourism among': 926958, 'applaud the indian': 82256, 'the indian government': 858123, 'indian government effort': 434838, 'government effort for': 360054, 'effort for taking': 269514, 'for taking pro': 326146, 'taking pro active': 833532, 'pro active measure': 679090, 'active measure on': 30281, 'measure on covid': 525281, '19 but what': 5542, 'what are your': 981073, 'are your future': 91894, 'your future plan': 1024020, 'future plan for': 342417, 'for the indian': 326500, 'the indian company': 858120, 'indian company be': 434794, 'company be it': 190491, 'be it it': 115562, 'it it aviation': 459165, 'it aviation consumer': 456649, 'aviation consumer appliance': 104954, 'consumer appliance co': 196268, 'appliance co travel': 82411, 'co travel and': 184987, 'and tourism among': 74316, 'tourism among many': 926959, 'among many others': 53021, '19 takeover': 11030, 'takeover stock': 833213, 'stock ad': 801762, 'ad big': 31063, 'big pharma': 129915, 'pharma love': 654044, 'buy small': 149185, 'small biotech': 774803, 'biotech when': 131288, 'market drop': 516311, 'in q4': 427156, 'q4 18': 691438, 'bought biotech': 136519, 'biotech in': 131280, 'month get': 537751, 'story consumer': 811939, 'covid 19 takeover': 213907, '19 takeover stock': 11031, 'takeover stock ad': 833214, 'stock ad big': 801763, 'ad big pharma': 31064, 'big pharma love': 129917, 'pharma love to': 654045, 'to buy small': 902300, 'buy small biotech': 149186, 'small biotech when': 774804, 'biotech when the': 131289, 'the market drop': 860104, 'market drop in': 516312, 'drop in q4': 260269, 'in q4 18': 427157, 'q4 18 they': 691439, '18 they bought': 4591, 'they bought biotech': 881574, 'bought biotech in': 136520, 'biotech in month': 131281, 'in month get': 425417, 'month get the': 537752, 'get the story': 348298, 'the story consumer': 868174, 'story consumer market': 811940, 'one apart': 605936, 'from emergency': 335269, 'reduced train': 706203, 'from next': 336575, 'can sw': 159885, 'sw train': 829898, 'train help': 929259, 'all fight': 42782, 'coronavirus battle': 205545, 'battle by': 112788, 'making all': 510945, 'all station': 44436, 'station car': 796371, 'park free': 641911, 'help no one': 390144, 'no one apart': 564918, 'one apart from': 605937, 'apart from emergency': 81260, 'from emergency worker': 335270, 'supermarket staff will': 822907, 'be using the': 117947, 'using the reduced': 950711, 'the reduced train': 865395, 'reduced train service': 706204, 'train service from': 929279, 'service from next': 752410, 'from next week': 336578, 'next week can': 561673, 'week can sw': 976062, 'can sw train': 159886, 'sw train help': 829899, 'train help them': 929260, 'them all fight': 875342, 'all fight the': 42785, 'the coronavirus battle': 851808, 'coronavirus battle by': 205546, 'battle by making': 112789, 'by making all': 153138, 'making all station': 510947, 'all station car': 44437, 'station car park': 796372, 'car park free': 163221, 'park free to': 641912, 'free to these': 332251, 'to these worker': 917357, 'these worker who': 880996, 'faggot': 296080, 'oh now': 596430, 'now yall': 576493, 'yall see': 1014090, 'just yesterday': 470367, 'being coughed': 125001, 'coughed at': 208599, 'and harassed': 64181, 'harassed and': 377814, 'called faggot': 156305, 'oh now yall': 596431, 'now yall see': 576494, 'yall see grocery': 1014091, 'see grocery store': 745165, 'worker it seems': 1007250, 'seems like just': 746813, 'like just yesterday': 490590, 'just yesterday wa': 470373, 'yesterday wa being': 1015917, 'wa being coughed': 961677, 'being coughed at': 125002, 'coughed at and': 208601, 'at and harassed': 98004, 'and harassed and': 64182, 'harassed and called': 377815, 'and called faggot': 59423, 'abbott': 24243, 'illegal since': 416242, 'since governor': 770624, 'governor abbott': 360853, 'abbott declared': 24244, 'texas due': 839761, 'have encountered': 380428, 'encountered price': 275554, 'general toll': 345493, 'free complaint': 331717, 'complaint line': 191990, 'report online': 712157, 'is illegal since': 448669, 'illegal since governor': 416243, 'since governor abbott': 770625, 'governor abbott declared': 360854, 'abbott declared state': 24245, 'state of disaster': 795803, 'of disaster in': 582654, 'disaster in texas': 244217, 'in texas due': 428890, 'texas due to': 839762, 'you believe have': 1017446, 'believe have encountered': 126272, 'have encountered price': 380429, 'encountered price gouging': 275555, 'gouging call the': 359285, 'attorney general toll': 102660, 'general toll free': 345494, 'toll free complaint': 923842, 'free complaint line': 331718, 'complaint line at': 191992, 'line at 800': 492979, 'at 800 621': 97766, '0508 or report': 962, 'or report online': 616854, 'report online at': 712158, 'frustrated by': 339223, 'by out': 153487, 'delay on': 232728, 'prime grocery': 678115, 'delivery an': 233652, 'alternative solution': 49259, 'frustrated by out': 339224, 'by out of': 153488, 'stock and delay': 801809, 'and delay on': 61069, 'delay on amazon': 232729, 'amazon prime grocery': 51076, 'prime grocery shopper': 678116, 'shopper are turning': 761403, 'turning to restaurant': 935970, 'to restaurant delivery': 913389, 'restaurant delivery an': 716414, 'delivery an alternative': 233653, 'an alternative solution': 55258, 'marythuoreality': 518228, 'call so': 156106, 'it control': 457315, 'control your': 202219, 'of believe': 580665, 'season will': 743459, 'opportunity supply': 613682, 'glove marythuoreality': 352768, 'you don let': 1018323, 'don let it': 253692, 'let it take': 486832, 'it take advantage': 461420, 'advantage of you': 33045, 'of you so': 593421, 'you so what': 1021289, 'so what would': 778727, 'would you call': 1012406, 'you call so': 1017606, 'call so what': 156107, 'what you call': 982665, 'call it control': 155951, 'it control your': 457316, 'control your response': 202220, 'your response to': 1025596, 'the virus some': 870893, 'virus some of': 958770, 'some of believe': 783391, 'of believe the': 580666, 'believe the virus': 126367, 'virus is just': 958384, 'is just for': 449129, 'just for season': 468757, 'for season will': 325404, 'season will see': 743460, 'will see an': 994765, 'see an opportunity': 744900, 'an opportunity supply': 56674, 'opportunity supply hand': 613683, 'sanitizer mask glove': 735354, 'mask glove marythuoreality': 518738, 'consumer employment': 197354, 'grant search': 362043, 'search org': 743277, 'benefit debt consumer': 126955, 'debt consumer employment': 230455, 'consumer employment issue': 197355, 'calculator grant search': 155331, 'grant search org': 362044, 'search org debt': 743278, 'to sends': 914228, 'sends wholesale': 750141, 'skyrocketing 180': 773401, 'huge increase in': 410072, 'in food demand': 422967, 'food demand due': 314168, 'due to sends': 261942, 'to sends wholesale': 914229, 'sends wholesale egg': 750142, 'egg price skyrocketing': 269965, 'price skyrocketing 180': 676451, 'cooperating': 203146, 'drug because': 260890, 'not cooperating': 568881, 'cooperating they': 203149, 'seeing covid': 746259, 'exorbitant opportunity': 290397, 'profit for': 682722, 'example hydroxychloroquine': 288903, 'hydroxychloroquine completely': 411998, 'disappeared from': 244062, 'increased after': 433189, 'trump recommended': 933783, 'recommended it': 704789, 'the drug because': 853729, 'drug because they': 260891, 'are not cooperating': 88346, 'not cooperating they': 568882, 'cooperating they are': 203150, 'are seeing covid': 89890, 'seeing covid 19': 746260, '19 an exorbitant': 4972, 'an exorbitant opportunity': 55953, 'exorbitant opportunity to': 290398, 'opportunity to make': 613712, 'make profit for': 510362, 'profit for example': 682724, 'for example hydroxychloroquine': 321283, 'example hydroxychloroquine completely': 288904, 'hydroxychloroquine completely disappeared': 411999, 'completely disappeared from': 192260, 'disappeared from the': 244063, 'the market it': 860126, 'market it price': 516654, 'it price increased': 460466, 'price increased after': 674796, 'increased after president': 433191, 'after president trump': 36063, 'president trump recommended': 670947, 'trump recommended it': 933784, 'malaysia2020': 511642, 'worldwide retail': 1010419, 'malaysia are': 511593, 'facing great': 295483, 'great challenge': 362571, 'future online': 342412, 'everyone while': 287578, 'job malaysia2020': 465995, 'malaysia2020 malaysia': 511643, 'malaysia 19': 511585, '19 worldwide retail': 12202, 'worldwide retail store': 1010420, 'store in malaysia': 808336, 'in malaysia are': 425010, 'malaysia are facing': 511594, 'are facing great': 86416, 'facing great challenge': 295484, 'great challenge in': 362572, 'near future online': 553506, 'future online shopping': 342413, 'will be surprise': 992712, 'be surprise to': 117480, 'surprise to everyone': 828553, 'to everyone while': 905358, 'everyone while many': 287579, 'while many will': 987040, 'many will lose': 514882, 'their job malaysia2020': 873725, 'job malaysia2020 malaysia': 465996, 'malaysia2020 malaysia 19': 511644, 'because of business': 119314, 'video but': 956645, 'but oh': 146643, 'god socialdistancing': 354801, 'is not me': 450129, 'not me in': 570547, 'the video but': 870743, 'video but oh': 956646, 'but oh my': 146645, 'my god socialdistancing': 548527, 'god socialdistancing toiletpaper': 354802, 'sorry millennials': 786063, 'millennials induced': 532013, 'induced recession': 435486, 'recession won': 704415, 'won help': 1003840, 'via housingmarket': 956021, 'sorry millennials induced': 786065, 'millennials induced recession': 532014, 'induced recession won': 435488, 'recession won help': 704416, 'won help you': 1003842, 'help you buy': 390956, 'you buy house': 1017572, 'buy house via': 148801, 'house via housingmarket': 406654, 'homeworker': 403012, 'appear value': 82128, 'past profiteering': 643589, 'coffee homeworker': 185491, 'homeworker essential': 403013, 'local all': 497673, 'all high': 43114, 'high priced': 395295, 'priced worth': 677759, 'into price': 442891, 'price pre': 675971, 'would appear value': 1011528, 'appear value is': 82129, 'value is thing': 952140, 'is thing of': 453063, 'thing of the': 884635, 'the past profiteering': 863361, 'past profiteering from': 643590, 'the crisis all': 852339, 'crisis all the': 216991, 'all the coffee': 44690, 'the coffee homeworker': 851131, 'coffee homeworker essential': 185492, 'homeworker essential for': 403014, 'essential for sale': 281061, 'sale at my': 732090, 'my local all': 549095, 'local all high': 497674, 'all high priced': 43115, 'high priced worth': 395296, 'priced worth look': 677760, 'worth look into': 1011393, 'look into price': 502432, 'into price pre': 442892, 'price pre and': 675972, 'and post covid': 69229, 'said bc': 730994, 'bc work': 113315, 'basically putting': 112154, 'time hour': 896946, 'hour when': 406088, 'when am': 983140, 'head chopped': 385731, 'chopped off': 177976, 'what said bc': 982112, 'said bc work': 730995, 'bc work at': 113316, 'and basically putting': 58726, 'basically putting in': 112155, 'putting in full': 691141, 'full time hour': 340939, 'time hour when': 896947, 'hour when am': 406089, 'when am not': 983141, 'am not full': 50250, 'their head chopped': 873499, 'head chopped off': 385732, 'chopped off bc': 177977, 'quarantineaintsobad': 692748, 'newsyoucanuse': 561144, 'from texas': 337568, 'texas you': 839853, 'what big': 981119, 'deal this': 229503, 'normally you': 567581, 'buy wine': 149477, 'wine or': 995860, 'or beer': 614526, 'beer at': 122438, 'before noon': 122961, 'noon on': 566848, 'sunday quarantine': 818255, 'quarantine quarantineaintsobad': 692462, 'quarantineaintsobad newsyoucanuse': 692749, 're not from': 699090, 'not from texas': 569540, 'from texas you': 337569, 'texas you don': 839854, 'know what big': 476941, 'what big deal': 981120, 'big deal this': 129745, 'deal this is': 229504, 'this is normally': 888333, 'is normally you': 450019, 'normally you can': 567582, 'you can even': 1017672, 'even buy wine': 283922, 'buy wine or': 149478, 'wine or beer': 995861, 'or beer at': 614527, 'beer at grocery': 122439, 'store before noon': 806702, 'before noon on': 122962, 'noon on sunday': 566849, 'on sunday quarantine': 603771, 'sunday quarantine quarantineaintsobad': 818256, 'quarantine quarantineaintsobad newsyoucanuse': 692463, '19 striking': 10913, 'striking impact': 813784, 'store foot': 807777, 'covid 19 striking': 213879, '19 striking impact': 10914, 'striking impact on': 813785, 'impact on grocery': 417855, 'grocery store foot': 365408, 'store foot traffic': 807779, 'isitok': 454246, 'isitok that': 454247, 'how imagine': 408025, 'be watching': 118062, 'world didn': 1009483, 'didn come': 241014, 'come here': 187338, 'to fuck': 906282, 'fuck spider': 339642, 'spider staysafestayhome': 789248, 'staysafestayhome stophoarding': 799030, 'stophoarding and': 805350, 'amazing laugh': 50733, 'isitok that this': 454248, 'that this how': 846995, 'this how imagine': 887970, 'how imagine it': 408026, 'imagine it would': 416750, 'would be watching': 1011666, 'be watching you': 118063, 'watching you all': 968828, 'you all just': 1016888, 'all just before': 43294, 'before the end': 123159, 'the world didn': 871855, 'world didn come': 1009484, 'didn come here': 241015, 'come here to': 187342, 'here to fuck': 393712, 'to fuck spider': 906284, 'fuck spider staysafestayhome': 339643, 'spider staysafestayhome stophoarding': 789249, 'staysafestayhome stophoarding and': 799031, 'stophoarding and who': 805351, 'and who ha': 75589, 'who ha the': 988867, 'ha the amazing': 372187, 'the amazing laugh': 848612, 'state will': 796091, 'face any': 294311, 'any shortage': 79810, 'shortage govt': 764976, 'govt get': 361128, 'get live': 347487, 'update here': 947019, 'here indiafightscorona': 393198, 'grain stock will': 361802, 'stock will last': 803196, 'last for next': 480231, 'for next two': 323858, 'next two year': 561649, 'two year and': 937403, 'year and state': 1014403, 'and state will': 72281, 'state will not': 796092, 'will not face': 994218, 'not face any': 569346, 'face any shortage': 294312, 'any shortage govt': 79811, 'shortage govt get': 764977, 'govt get live': 361129, 'get live update': 347488, 'live update here': 496097, 'update here indiafightscorona': 947020, 'an update from': 56925, 'update from on': 946983, 'from on the': 336671, 'finished full': 307900, 'time nursing': 897302, 'empty 19uk': 274735, '19uk coronapocolypse': 12553, 'please stop stock': 660589, 'piling food just': 656590, 'food just finished': 315260, 'just finished full': 468728, 'finished full time': 307901, 'full time nursing': 340944, 'time nursing shift': 897303, 'nursing shift and': 577625, 'are empty 19uk': 86134, 'empty 19uk coronapocolypse': 274736, 'the again': 848431, 'again heartwarming': 37019, 'heartwarming to': 388481, 'say massive': 738921, 'massive amp': 519965, 'officer staff': 595720, 'staff volunteer': 793039, 'staff post': 792774, 'post amp': 665986, 'amp delivery': 53625, 'teacher amp': 835423, 'fantastic to join': 298614, 'join the again': 466850, 'the again heartwarming': 848432, 'again heartwarming to': 37020, 'heartwarming to have': 388482, 'have the opportunity': 383006, 'opportunity to say': 613721, 'to say massive': 913829, 'say massive amp': 738922, 'massive amp to': 519966, 'amp to police': 54713, 'police officer staff': 663129, 'officer staff volunteer': 595721, 'staff volunteer supermarket': 793041, 'volunteer supermarket staff': 960337, 'supermarket staff post': 822878, 'staff post amp': 792775, 'post amp delivery': 665987, 'amp delivery worker': 53627, 'delivery worker teacher': 234778, 'worker teacher amp': 1007884, 'teacher amp all': 835424, 'amp all our': 53369, 'maintan': 509154, '2020 avoid': 14166, 'handshake avoid': 376725, 'touching eye': 926676, 'mouth avoid': 543492, 'thing around': 884168, 'sanitizer maintan': 735331, 'maintan social': 509155, 'in 2020 avoid': 419820, '2020 avoid handshake': 14167, 'avoid handshake avoid': 105140, 'handshake avoid touching': 376726, 'avoid touching eye': 105354, 'touching eye nose': 926677, 'and mouth avoid': 67284, 'mouth avoid touching': 543493, 'avoid touching thing': 105357, 'touching thing around': 926743, 'thing around you': 884170, 'around you always': 93656, 'you always wash': 1016954, 'or sanitizer maintan': 616952, 'sanitizer maintan social': 735332, 'maintan social distancing': 509156, 'hash': 378686, 'it matter': 459538, 'coronavirus shutting': 206770, 'regular pipeline': 707831, 'pipeline of': 656904, 'cannabis into': 161415, 'into france': 442567, 'france where': 331054, 'where marijuana': 985015, 'marijuana is': 515718, 'not legal': 570362, 'pricing ha': 677928, 'soared hash': 779293, 'hash seems': 378687, 'be product': 116562, 'choice for': 177769, 'the french': 855790, 'french according': 332712, 'it matter of': 459540, 'matter of supply': 520613, 'and demand with': 61180, 'demand with coronavirus': 236509, 'with coronavirus shutting': 997811, 'coronavirus shutting down': 206771, 'down the regular': 257297, 'the regular pipeline': 865447, 'regular pipeline of': 707832, 'pipeline of cannabis': 656905, 'of cannabis into': 581104, 'cannabis into france': 161416, 'into france where': 442568, 'france where marijuana': 331055, 'where marijuana is': 985016, 'marijuana is not': 515719, 'is not legal': 450121, 'not legal pricing': 570363, 'legal pricing ha': 485886, 'pricing ha soared': 677929, 'ha soared hash': 371981, 'soared hash seems': 779294, 'hash seems to': 378688, 'to be product': 901461, 'be product of': 116563, 'product of choice': 681451, 'of choice for': 581402, 'choice for the': 177771, 'for the french': 326451, 'the french according': 855791, 'french according to': 332713, 'prolongs': 683644, 'letter giving': 487322, 'giving billion': 351253, 'to failing': 905606, 'failing oil': 296213, 'only prolongs': 611020, 'prolongs our': 683645, 'our reliance': 624582, 'on fossil': 600974, 'open letter giving': 612356, 'letter giving billion': 487323, 'giving billion of': 351254, 'of dollar to': 582782, 'dollar to failing': 253095, 'to failing oil': 905607, 'failing oil and': 296214, 'and gas company': 63473, 'gas company will': 343791, 'not help worker': 569934, 'help worker and': 390944, 'worker and only': 1006318, 'and only prolongs': 68147, 'only prolongs our': 611021, 'prolongs our reliance': 683646, 'our reliance on': 624583, 'reliance on fossil': 709239, 'on fossil fuel': 600975, 'finally the': 306116, 'provide thier': 686518, 'thier workforce': 884033, 'workforce with': 1008396, 'thank made': 841602, 'china convid19': 176589, 'convid19 stopthespread': 202606, 'stopthespread socialdistancing': 805918, 'socialdistancing love': 780507, 'love humanity': 504700, 'humanity frontlineworkers': 410729, 'finally the supermarket': 306117, 'the supermarket where': 868902, 'supermarket where my': 823822, 'where my son': 985045, 'son work ha': 785462, 'work ha been': 1005227, 'able to provide': 24525, 'to provide thier': 912442, 'provide thier workforce': 686519, 'thier workforce with': 884034, 'workforce with mask': 1008397, 'with mask thank': 999416, 'mask thank made': 519338, 'thank made in': 841603, 'in china convid19': 421396, 'china convid19 stopthespread': 176590, 'convid19 stopthespread socialdistancing': 202607, 'stopthespread socialdistancing love': 805919, 'socialdistancing love humanity': 780508, 'love humanity frontlineworkers': 504701, 'judicial': 467685, 'becerra': 119891, 'california judicial': 155528, 'judicial council': 467686, 'council emergency': 209977, 'emergency eviction': 272688, 'eviction rule': 288340, 'rule attorney': 727211, 'general becerra': 345287, 'becerra issue': 119892, 'issue updated': 455980, 'tenant affected': 837825, 'following the california': 312875, 'the california judicial': 850282, 'california judicial council': 155529, 'judicial council emergency': 467687, 'council emergency eviction': 209978, 'emergency eviction rule': 272689, 'eviction rule attorney': 288341, 'rule attorney general': 727212, 'attorney general becerra': 102625, 'general becerra issue': 345288, 'becerra issue updated': 119894, 'issue updated consumer': 455981, 'updated consumer alert': 947358, 'alert for tenant': 41423, 'for tenant affected': 326205, 'tenant affected by': 837826, 'kiddo': 474220, 'momhack': 536165, 'groceryrun': 366240, 'for mom': 323480, 'mom that': 535810, 'run an': 727556, 'errand with': 280210, 'your kiddo': 1024567, 'kiddo that': 474221, 'that touch': 847102, 'everything have': 287832, 'them hold': 875857, 'hold stuffed': 400007, 'animal or': 76634, 'or doll': 615040, 'doll just': 252939, 'my yo': 550662, 'yo at': 1016419, 'at trader': 101355, 'joe momhack': 466429, 'momhack stayathome': 536166, 'stayathome groceryrun': 797490, 'groceryrun traderjoes': 366243, 'tip for mom': 898774, 'for mom that': 323481, 'mom that have': 535811, 'store or run': 809368, 'or run an': 616932, 'run an essential': 727557, 'an essential errand': 55822, 'essential errand with': 281007, 'errand with your': 280211, 'with your kiddo': 1002209, 'your kiddo that': 1024568, 'kiddo that touch': 474222, 'that touch everything': 847103, 'touch everything have': 926473, 'everything have them': 287833, 'have them hold': 383068, 'them hold stuffed': 875858, 'hold stuffed animal': 400008, 'stuffed animal or': 815278, 'animal or doll': 76635, 'or doll just': 615041, 'doll just worked': 252940, 'just worked with': 470344, 'worked with my': 1006171, 'with my yo': 999661, 'my yo at': 550663, 'yo at trader': 1016420, 'at trader joe': 101356, 'trader joe momhack': 928717, 'joe momhack stayathome': 466430, 'momhack stayathome groceryrun': 536167, 'stayathome groceryrun traderjoes': 797491, 'gratitudeistheattitude': 362413, 'cape very': 162624, 'them respect': 876218, 'crisis thank': 218142, 'you stayathome': 1021378, 'stayathome gratitudeistheattitude': 797485, 'gratitudeistheattitude rt': 362414, 'rt the': 726817, 'the underrated': 870361, 'underrated hero': 940554, 'wear cape very': 974304, 'cape very grateful': 162625, 'very grateful to': 955202, 'to them respect': 917311, 'them respect and': 876219, 'respect and support': 714966, 'and support them': 72854, 'support them during': 826907, 'them during this': 875637, 'this crisis thank': 887093, 'crisis thank you': 218143, 'thank you stayathome': 841815, 'you stayathome gratitudeistheattitude': 1021379, 'stayathome gratitudeistheattitude rt': 797486, 'gratitudeistheattitude rt the': 362415, 'rt the underrated': 726819, 'the underrated hero': 870362, 'underrated hero of': 940555, 'thanks and support': 842023, 'and support owen': 72849, 'together clap': 920739, 'amazing but': 50653, 'we remember': 973076, 'hero at': 393945, 'moment community': 535901, 'community carers': 189777, 'carers all': 164563, 'all carers': 42304, 'carers prison': 164610, 'prison staff': 678737, 'force firefighter': 328380, 'firefighter armed': 308201, 'tonight at we': 924376, 'at we will': 101506, 'will all come': 992231, 'all come together': 42394, 'come together clap': 187624, 'together clap for': 920740, 'our amazing but': 622057, 'amazing but at': 50654, 'same time can': 733350, 'can we remember': 160191, 'we remember the': 973078, 'remember the other': 710315, 'the other hero': 862536, 'other hero at': 620358, 'hero at the': 393946, 'the moment community': 860745, 'moment community carers': 535902, 'community carers all': 189778, 'carers all carers': 164564, 'all carers prison': 42305, 'carers prison staff': 164611, 'prison staff supermarket': 678738, 'supermarket staff police': 822877, 'staff police force': 792767, 'police force firefighter': 663017, 'force firefighter armed': 328381, 'firefighter armed force': 308202, 'thank you stayhomesavelives': 841818, 'agile': 38279, 'can company': 157941, 'company minimise': 190889, 'minimise covid': 533078, 'their marketing': 873918, 'marketing traffic': 517739, 'traffic brand': 929062, 'be agile': 113534, 'agile in': 38280, 'crisis event': 217356, 'how can company': 407497, 'can company minimise': 157942, 'company minimise covid': 190890, 'minimise covid 19': 533079, 'effect on their': 269098, 'on their marketing': 604493, 'their marketing traffic': 873923, 'marketing traffic brand': 517740, 'traffic brand need': 929063, 'to be agile': 901097, 'be agile in': 113535, 'agile in these': 38281, 'of crisis event': 582158, 'crisis event like': 217357, 'event like these': 285014, 'these are changing': 879609, 'are changing consumer': 85231, 'and confused': 60293, 'confused even': 194332, 'next hot': 561397, 'hot spot': 405049, 'aren testing': 92550, 'testing enough': 839483, 'enough state': 277626, 'state confront': 795473, 'confront new': 194291, 'reality under': 701813, 'under trump': 940367, 'trump hit': 933612, 'economy where': 268343, 'why america is': 990743, 'america is scared': 51579, 'is scared and': 451672, 'scared and confused': 740939, 'and confused even': 60294, 'confused even the': 194333, 'even the expert': 284655, 'expert are getting': 291783, 'getting it wrong': 349079, 'it wrong the': 462618, 'wrong the next': 1013116, 'the next hot': 861670, 'next hot spot': 561398, 'hot spot are': 405050, 'spot are in': 790038, 'are in state': 87441, 'in state that': 428246, 'state that aren': 795980, 'that aren testing': 842856, 'aren testing enough': 92551, 'testing enough state': 839484, 'enough state confront': 277627, 'state confront new': 795474, 'confront new reality': 194292, 'new reality under': 559408, 'reality under trump': 701814, 'under trump hit': 940368, 'trump hit the': 933613, 'the economy where': 854038, 'economy where it': 268345, 'where it hurt': 984963, 'it hurt consumer': 458665, 'hurt consumer confidence': 411560, 'marmite': 517965, 'least marmite': 484546, 'marmite is': 517966, 'with marmite': 999399, 'marmite tea': 517968, 'tea noodle': 835368, 'noodle and': 566782, 'wine can': 995791, 'survive anything': 829126, 'not much in': 570610, 'supermarket but at': 819442, 'at least marmite': 99520, 'least marmite is': 484547, 'marmite is still': 517967, 'available with marmite': 104706, 'with marmite tea': 999400, 'marmite tea noodle': 517969, 'tea noodle and': 835369, 'noodle and wine': 566783, 'and wine can': 75716, 'wine can survive': 995792, 'can survive anything': 159870, 'somkid': 785330, 'deputy pm': 237797, 'pm somkid': 661987, 'somkid no': 785331, 'deputy pm somkid': 237798, 'pm somkid no': 661988, 'somkid no shortage': 785332, 'shortage of consumer': 765105, 'consumer product during': 198454, 'product during covid': 681145, 'in supermarket you': 428723, 'supermarket you live': 824197, 'you live paycheck': 1019633, 'ed call': 268443, 'using toilet': 950768, 'toiletpaperpanic nytimes': 923227, 'nytimes sarscov2': 578158, 'op ed call': 611796, 'ed call for': 268444, 'call for people': 155882, 'to stop using': 915591, 'stop using toilet': 805250, 'using toilet paper': 950769, 'paper toiletpaper toiletpaperpanic': 640960, 'toiletpaper toiletpaperpanic nytimes': 922699, 'toiletpaperpanic nytimes sarscov2': 923228, 'vanpoli': 952436, 'evict': 288298, 'vanpoli bcpoli': 952437, 'bcpoli eviction': 113361, 'eviction overheard': 288336, 'overheard in': 631238, 'doesn pay': 251913, 'his rent': 397749, 'rent on': 711137, '1st you': 12835, 'must evict': 546645, 'evict him': 288299, 'him you': 396786, 'to heard': 907419, 'heard they': 388159, 'might change': 530944, 'change thing': 172323, 'thing do': 884273, 'vanpoli bcpoli eviction': 952439, 'bcpoli eviction overheard': 113362, 'eviction overheard in': 288337, 'overheard in grocery': 631239, 'store if he': 808244, 'if he doesn': 414213, 'he doesn pay': 384911, 'doesn pay his': 251914, 'pay his rent': 644942, 'his rent on': 397750, 'rent on 1st': 711138, 'on 1st you': 599044, '1st you must': 12836, 'you must evict': 1019916, 'must evict him': 546646, 'evict him you': 288300, 'him you have': 396787, 'have to heard': 383224, 'to heard they': 907420, 'heard they might': 388160, 'they might change': 882677, 'might change thing': 530946, 'change thing because': 172324, 'of this thing': 592052, 'this thing do': 890563, 'thing do it': 884275, 'lockdownghana': 500290, 'reduceinternetprices please': 706221, 'on internet': 601603, 'internet usage': 442042, 'with kindly': 999153, 'kindly click': 475112, 'survey lockdownghana': 828899, 'lockdownghana stayathome': 500291, 'reduceinternetprices please share': 706222, 'please share your': 660502, 'share your experience': 755375, 'your experience on': 1023719, 'experience on internet': 291446, 'on internet usage': 601605, 'internet usage and': 442043, 'usage and price': 948817, 'and price with': 69489, 'price with kindly': 677618, 'with kindly click': 999154, 'kindly click to': 475113, 'click to complete': 181958, 'the survey lockdownghana': 869024, 'survey lockdownghana stayathome': 828900, 'pandemic ongoing': 636102, 'ongoing many': 607657, 'are nervous': 88212, 'old tradition': 598509, 'tradition is': 928984, 'the milkman': 860613, '19 pandemic ongoing': 9416, 'pandemic ongoing many': 636104, 'ongoing many people': 607658, 'people are nervous': 647026, 'are nervous about': 88213, 'nervous about going': 557448, 'store an old': 806189, 'an old tradition': 56591, 'old tradition is': 598510, 'tradition is seeing': 928985, 'seeing an uptick': 746221, 'uptick in business': 947907, 'in business the': 421082, 'business the milkman': 144502, 'radical idea': 695405, 'idea ration': 413157, 'other basic': 619873, 'good one': 357509, 'free if': 331913, 'needed with': 556581, 'with exception': 998313, 'exception for': 289263, 'buying reduce': 150958, 'reduce stress': 705943, 'stress stop': 813395, 'stop selfishness': 804987, 'profit hunter': 682765, 'hunter during': 411387, 'during corona': 262522, 'corona time': 204238, 'radical idea ration': 695406, 'idea ration the': 413158, 'ration the amount': 697737, 'and other basic': 68286, 'other basic good': 619874, 'basic good one': 111911, 'good one person': 357510, 'one person can': 606856, 'person can buy': 652346, 'can buy or': 157835, 'buy or get': 149056, 'or get for': 615427, 'for free if': 321717, 'free if needed': 331915, 'if needed with': 414464, 'needed with exception': 556582, 'with exception for': 998314, 'exception for medical': 289264, 'medical reason this': 526357, 'reason this could': 703011, 'this could stop': 886937, 'panic buying reduce': 637863, 'buying reduce stress': 150959, 'reduce stress stop': 705946, 'stress stop selfishness': 813396, 'stop selfishness and': 804988, 'selfishness and profit': 748334, 'and profit hunter': 69596, 'profit hunter during': 682766, 'hunter during corona': 411388, 'during corona time': 262523, 'troubling': 932682, 'love people': 504754, 'return something': 719896, 'are barely': 84780, 'is please': 450901, 'not add': 568052, 'stress of': 813367, 'manager by': 512696, 'by returning': 153802, 'returning everything': 720001, 'this troubling': 890860, 'troubling time': 932685, 'the love people': 859767, 'love people if': 504755, 'have to return': 383283, 'to return something': 913478, 'return something to': 719897, 'something to store': 785111, 'to store please': 915640, 'store please let': 809588, 'please let it': 660181, 'let it wait': 486833, 'it wait for': 462226, 'wait for after': 964106, 'retail store are': 718609, 'store are barely': 806459, 'are barely making': 84781, 'barely making it': 111023, 'making it it': 511145, 'it it is': 459174, 'it is please': 459039, 'is please do': 450902, 'do not add': 249658, 'not add to': 568053, 'to the stress': 917103, 'the stress of': 868274, 'stress of the': 813371, 'of the manager': 591217, 'the manager by': 859996, 'manager by returning': 512697, 'by returning everything': 153803, 'returning everything in': 720002, 'everything in this': 287859, 'in this troubling': 430032, 'this troubling time': 890861, 'shitload': 759336, 'for fedex': 321438, 'fedex we': 302120, 'working an': 1008491, 'week extra': 976203, 'received no': 703655, 'extra pay': 293599, 'glove clorox': 352635, 'sanitizer fedex': 734855, 'fedex making': 302114, 'making shitload': 511334, 'shitload of': 759337, 'received nothing': 703657, 'work for fedex': 1005149, 'for fedex we': 321439, 'fedex we are': 302121, 'are working an': 91686, 'working an extra': 1008492, 'an extra day': 56010, 'extra day week': 293496, 'day week extra': 228693, 'week extra hour': 976204, 'extra hour every': 293550, 'hour every day': 405577, 'have received no': 382201, 'received no extra': 703656, 'no extra pay': 564185, 'extra pay they': 293600, 'pay they have': 645169, 'they have given': 882321, 'have given mask': 380771, 'given mask glove': 351043, 'mask glove clorox': 518727, 'glove clorox wipe': 352636, 'clorox wipe or': 182473, 'wipe or hand': 996336, 'hand sanitizer fedex': 375397, 'sanitizer fedex making': 734856, 'fedex making shitload': 302115, 'making shitload of': 511335, 'shitload of money': 759338, 'of money and': 586602, 'money and the': 536604, 'the employee have': 854260, 'employee have received': 273924, 'have received nothing': 382202, 'british pound': 140565, 'pound hit': 667375, 'hit 35': 398108, 'low australian': 505147, 'australian dollar': 103478, 'dollar hit': 253005, 'hit 17': 398087, 'low against': 505108, 'against dollar': 37421, 'dollar crude': 252975, 'plunged by': 661485, 'reach 25': 699870, '25 the': 15968, '2003 chinesevirus': 13589, 'british pound hit': 140567, 'pound hit 35': 667376, 'hit 35 year': 398109, '35 year low': 17923, 'year low australian': 1014712, 'low australian dollar': 505148, 'australian dollar hit': 103479, 'dollar hit 17': 253006, 'hit 17 year': 398088, 'year low against': 1014707, 'low against dollar': 505109, 'against dollar crude': 37422, 'dollar crude oil': 252976, 'have plunged by': 381985, 'plunged by to': 661486, 'by to reach': 154558, 'to reach 25': 912788, 'reach 25 the': 699871, '25 the lowest': 15969, 'since 2003 chinesevirus': 770443, 'korea outbreak': 477490, 'is lesson': 449282, 'and swift': 72930, 'swift containment': 830317, 'south korea outbreak': 786746, 'korea outbreak is': 477491, 'outbreak is lesson': 628376, 'is lesson in': 449283, 'lesson in early': 486486, 'in early action': 422447, 'early action and': 264538, 'action and swift': 29953, 'and swift containment': 72931, 'maher': 508502, 'seems after': 746753, 'living inside': 496399, 'the cocoon': 851122, 'cocoon of': 185290, 'of liberal': 585800, 'liberal propaganda': 488018, 'propaganda it': 684059, 'it purveyor': 460562, 'purveyor and': 690231, 'bill maher': 130613, 'maher is': 508503, 'slowly waking': 774628, 'reality and': 701696, 'talking some': 834037, 'some common': 782562, 'sense ted': 750594, 'ted lieu': 836416, 'lieu is': 488429, 'still defending': 800415, 'defending china': 232114, 'and attacking': 58501, 'attacking the': 102200, 'seems after year': 746754, 'year of living': 1014785, 'of living inside': 585915, 'living inside the': 496400, 'inside the cocoon': 439410, 'the cocoon of': 851123, 'cocoon of liberal': 185291, 'of liberal propaganda': 585801, 'liberal propaganda it': 488019, 'propaganda it purveyor': 684060, 'it purveyor and': 460563, 'purveyor and consumer': 690232, 'and consumer bill': 60354, 'consumer bill maher': 196633, 'bill maher is': 130614, 'maher is slowly': 508504, 'is slowly waking': 451981, 'slowly waking up': 774629, 'to the reality': 917007, 'the reality and': 865257, 'reality and talking': 701701, 'and talking some': 73014, 'talking some common': 834038, 'some common sense': 782563, 'common sense ted': 189469, 'sense ted lieu': 750595, 'ted lieu is': 836417, 'lieu is still': 488430, 'is still defending': 452271, 'still defending china': 800416, 'defending china and': 232115, 'china and attacking': 176478, 'and attacking the': 58502, 'attacking the president': 102202, 'azfaal': 106406, 'alter': 49146, 'hi azfaal': 394604, 'azfaal we': 106407, 'have responsibility': 382297, 'responsibility leading': 715960, 'ensure access': 277886, 'to safe': 913698, 'affordable product': 34894, 'outbreak such': 628671, 'not alter': 568169, 'alter pri': 49149, 'hi azfaal we': 394605, 'azfaal we have': 106408, 'we have responsibility': 971923, 'have responsibility leading': 382298, 'responsibility leading consumer': 715961, 'leading consumer health': 483699, 'consumer health care': 197721, 'health care company': 386222, 'care company to': 163889, 'company to ensure': 191225, 'to ensure access': 905140, 'ensure access to': 277888, 'access to safe': 28275, 'to safe and': 913699, 'safe and affordable': 729433, 'and affordable product': 57746, 'affordable product during': 34895, 'product during outbreak': 681146, 'during outbreak such': 262851, 'outbreak such covid': 628672, 'and would not': 75931, 'would not alter': 1012072, 'not alter pri': 568170, 'mongerer': 537218, 'threat seriously': 893719, 'seriously at': 751538, 'no doomsayer': 564042, 'doomsayer or': 255465, 'or fear': 615282, 'fear mongerer': 301197, 'mongerer but': 537219, 'trip into': 932097, '19 threat seriously': 11376, 'threat seriously at': 893720, 'seriously at all': 751539, 'all no doomsayer': 43646, 'no doomsayer or': 564043, 'doomsayer or fear': 255466, 'or fear mongerer': 615283, 'fear mongerer but': 301198, 'mongerer but quick': 537220, 'quick trip into': 694413, 'trip into my': 932098, 'store wa alarming': 811098, 'competitively': 191785, 'safeguard include': 730200, 'include an': 431516, 'agreement not': 38781, 'this collaboration': 886797, 'profiteering they': 683100, 'also agreed': 47822, 'agreed not': 38714, 'share competitively': 754965, 'competitively sensitive': 191786, 'sensitive information': 750700, 'information among': 437728, 'themselves among': 876744, 'safeguard include an': 730201, 'include an agreement': 431517, 'an agreement not': 55195, 'agreement not to': 38782, 'not to use': 572204, 'use this collaboration': 949722, 'this collaboration to': 886798, '19 profiteering they': 9843, 'profiteering they also': 683101, 'they also agreed': 881139, 'also agreed not': 47823, 'agreed not to': 38715, 'not to share': 572181, 'to share competitively': 914337, 'share competitively sensitive': 754966, 'competitively sensitive information': 191787, 'sensitive information among': 750701, 'information among themselves': 437729, 'among themselves among': 53088, 'themselves among others': 876745, 'leaned': 483889, 'emergencyubi': 273082, 'peoplevspelosi': 650620, 'peoplevsschumer': 650623, 'yanggang': 1014132, 'always leaned': 49644, 'leaned more': 483892, 'more democratic': 538999, 'democratic though': 236772, 'though independent': 892831, 'independent but': 434091, 'after tonight': 36435, 'tonight dont': 924400, 'living here': 496360, 'first let': 308759, 'all speak': 44399, 'need emergencyubi': 554734, 'emergencyubi right': 273083, 'now peoplevspelosi': 575533, 'peoplevspelosi peoplevsschumer': 650621, 'peoplevsschumer yanggang': 650624, 've always leaned': 952837, 'always leaned more': 49645, 'leaned more democratic': 483893, 'more democratic though': 539000, 'democratic though independent': 236773, 'though independent but': 892832, 'independent but after': 434092, 'but after tonight': 145071, 'after tonight dont': 36436, 'tonight dont know': 924401, 'dont know the': 255244, 'know the people': 476841, 'the people living': 863488, 'people living here': 648684, 'living here need': 496361, 'here need to': 393379, 'to come first': 903026, 'come first let': 187286, 'first let all': 308760, 'let all speak': 486570, 'all speak up': 44400, 'speak up because': 787725, 'up because this': 944476, 'is our country': 450616, 'our country and': 622580, 'country and we': 210450, 'we need emergencyubi': 972482, 'need emergencyubi right': 554735, 'emergencyubi right now': 273084, 'right now peoplevspelosi': 722119, 'now peoplevspelosi peoplevsschumer': 575534, 'peoplevspelosi peoplevsschumer yanggang': 650622, 'homecarers': 402648, 'toryshambles': 926081, 'take global': 832147, 'appreciate nh': 82740, 'and homecarers': 64688, 'homecarers then': 402649, 're special': 699556, 'special kind': 787979, 'of cunt': 582244, 'cunt toryshambles': 220375, 'if it take': 414336, 'it take global': 461424, 'take global pandemic': 832148, 'global pandemic for': 352088, 'pandemic for you': 635455, 'you to appreciate': 1021751, 'to appreciate nh': 900668, 'appreciate nh worker': 82741, 'worker and homecarers': 1006304, 'and homecarers then': 64689, 'homecarers then you': 402650, 'you re special': 1020752, 're special kind': 699557, 'special kind of': 787980, 'kind of cunt': 474885, 'of cunt toryshambles': 582245, 'nmdc': 563526, 'nmdc ha': 563527, 'lump amp': 506680, 'amp fine': 53801, 'fine by': 307615, '16 amp': 4089, 'amp 17': 53314, '17 month': 4367, 'month respectively': 537981, 'respectively to': 715175, 'to 650': 899801, '650 amp': 21390, 'amp 360': 53332, '360 tonne': 18035, 'since jan': 770665, 'jan this': 464474, 'to deepen': 904051, 'deepen slump': 231940, 'india steel': 434623, 'demand bloomberg': 235066, 'nmdc ha cut': 563528, 'ha cut price': 370306, 'cut price of': 223494, 'of lump amp': 586073, 'lump amp fine': 506681, 'amp fine by': 53802, 'fine by 16': 307616, 'by 16 amp': 151552, '16 amp 17': 4090, 'amp 17 month': 53315, '17 month on': 4368, 'on month respectively': 602202, 'month respectively to': 537982, 'respectively to 650': 715176, 'to 650 amp': 899802, '650 amp 360': 21391, 'amp 360 tonne': 53333, '360 tonne for': 18036, 'tonne for april': 924535, 'for april the': 319480, 'april the lowest': 83701, 'lowest since jan': 506230, 'since jan this': 770668, 'jan this come': 464475, 'come at time': 187229, 'at time the': 101311, 'pandemic amp the': 634851, 'amp the lockdown': 54660, 'to prevent it': 912073, 'prevent it is': 671668, 'set to deepen': 753509, 'to deepen slump': 904052, 'deepen slump in': 231941, 'slump in india': 774695, 'in india steel': 424054, 'india steel demand': 434624, 'steel demand bloomberg': 799324, 'spud': 791320, 'ecogarden': 266671, 'azamax': 106394, 'parryamerica': 642205, 'organicpesticides': 619246, 'market focus': 516395, 'focus potato': 311911, 'potato trying': 666997, 'potato at': 666909, 'isn tough': 454744, 'tough toilet': 926874, 'but spud': 147138, 'spud have': 791321, 'been moving': 121547, 'moving fast': 544143, 'fast furious': 299988, 'furious during': 341853, 'during early': 262612, 'outbreak ecogarden': 628185, 'ecogarden azamax': 266672, 'azamax parryamerica': 106395, 'parryamerica organicpesticides': 642206, 'coronavirus market focus': 206268, 'market focus potato': 516396, 'focus potato trying': 311912, 'potato trying to': 666998, 'to find potato': 905931, 'find potato at': 307185, 'potato at supermarket': 666911, 'at supermarket isn': 100737, 'supermarket isn tough': 821152, 'isn tough toilet': 454745, 'tough toilet paper': 926875, 'paper but spud': 639974, 'but spud have': 147139, 'spud have been': 791322, 'have been moving': 379611, 'been moving fast': 121548, 'moving fast furious': 544144, 'fast furious during': 299989, 'furious during early': 341854, 'during early day': 262613, 'early day of': 264577, 'of lockdown the': 585963, 'lockdown the covid': 500007, '19 outbreak ecogarden': 9117, 'outbreak ecogarden azamax': 628186, 'ecogarden azamax parryamerica': 266673, 'azamax parryamerica organicpesticides': 106396, 'outnumber': 629195, 'coronavirus live': 206234, 'news infection': 560542, 'infection outnumber': 436809, 'outnumber china': 629196, 'china global': 176674, 'pas 500': 643077, 'coronavirus live news': 206235, 'live news infection': 495938, 'news infection outnumber': 560543, 'infection outnumber china': 436810, 'outnumber china global': 629197, 'china global case': 176675, 'global case pas': 351769, 'case pas 500': 165952, 'pas 500 00': 643078, 'really look': 702383, 'weekend now': 977377, 'given what': 351207, 'what closed': 981221, 'closed what': 183436, 'being reduced': 125655, 'reduced lack': 706111, 'not advised': 568067, 'advised and': 33620, 'long ffs': 501415, 'ffs meh': 304313, 'can really look': 159388, 'really look forward': 702384, 'the weekend now': 871332, 'weekend now given': 977378, 'now given what': 574792, 'given what closed': 351208, 'what closed what': 981222, 'closed what being': 183437, 'what being reduced': 981104, 'being reduced lack': 125657, 'reduced lack of': 706112, 'of food option': 583741, 'food option at': 315639, 'option at the': 613991, 'supermarket and what': 819103, 'and what social': 75484, 'what social activity': 982205, 'social activity are': 779421, 'activity are not': 30382, 'are not advised': 88312, 'not advised and': 568068, 'advised and this': 33621, 'this is supposed': 888417, 'on for how': 600946, 'for how long': 322419, 'how long ffs': 408200, 'long ffs meh': 501416, 'getting there': 349371, 'there salary': 879014, 'they suffering': 883501, 'please it': 660124, 'request which': 713234, 'which retail': 986275, 'open need': 612391, 'because case': 118990, 'increasing well': 433738, 'well staff': 978581, 'coming daily': 188016, 'dear sir please': 229870, 'sir please look': 771627, 'please look in': 660210, 'look in to': 502422, 'retail store well': 718725, 'store well people': 811208, 'well people are': 978474, 'not getting there': 569633, 'getting there salary': 349372, 'there salary and': 879015, 'salary and they': 731946, 'and they suffering': 73944, 'they suffering from': 883502, 'suffering from it': 817311, 'from it please': 336128, 'it please it': 460359, 'please it request': 660126, 'it request which': 460723, 'request which retail': 713235, 'which retail store': 986276, 'are open need': 88793, 'open need to': 612392, 'close for now': 182644, 'for now because': 323964, 'now because case': 574211, 'because case are': 118991, 'are increasing well': 87495, 'increasing well staff': 433739, 'well staff are': 978582, 'staff are coming': 792180, 'are coming daily': 85431, 'on should': 603449, 'every tv': 286343, 'tv every': 936107, 'every radio': 286131, 'radio posted': 695452, 'posted in': 666537, 'store window': 811350, 'window everywhere': 995670, 'seems like this': 746818, 'like this new': 491509, 'this new information': 889116, 'new information on': 558937, 'information on should': 437922, 'on should be': 603450, 'be on every': 116193, 'on every tv': 600624, 'every tv every': 286344, 'tv every radio': 936109, 'every radio posted': 286132, 'radio posted in': 695453, 'posted in every': 666538, 'grocery store window': 365957, 'store window everywhere': 811351, 'mcconnell': 522112, 'news mitch': 560620, 'mitch mcconnell': 534509, 'mcconnell crush': 522115, 'crush democrat': 219773, 'democrat amp': 236692, 'amp nancy': 54162, 'pelosi before': 646362, 'before monday': 122949, 'monday coronavirus': 536267, 'relief vote': 709494, 'vote turned': 960522, 'turned process': 935872, 'process into': 679916, 'into left': 442694, 'wing episode': 995974, 'news mitch mcconnell': 560621, 'mitch mcconnell crush': 534511, 'mcconnell crush democrat': 522116, 'crush democrat amp': 219774, 'democrat amp nancy': 236693, 'amp nancy pelosi': 54163, 'nancy pelosi before': 551793, 'pelosi before monday': 646363, 'before monday coronavirus': 122950, 'monday coronavirus relief': 536268, 'coronavirus relief vote': 206646, 'relief vote turned': 709495, 'vote turned process': 960523, 'turned process into': 935873, 'process into left': 679917, 'into left wing': 442695, 'left wing episode': 485739, 'wing episode of': 995975, 'episode of supermarket': 279543, 'blasio': 132404, 'angrily': 76446, 'first mini': 308788, 'mini panic': 533014, 'panic today': 638723, 'when de': 983330, 'de blasio': 229041, 'blasio warned': 132405, 'for possible': 324629, 'possible shelter': 665769, 'place within': 657847, 'hour wa': 406068, 'wa redirected': 963075, 'then cuomo': 877106, 'cuomo angrily': 220394, 'angrily responded': 76447, 'responded that': 715359, 'option guy': 614048, 'guy talk': 369168, 'talk better': 833783, 'better it': 128342, 'it fucked': 458164, 'had my first': 373319, 'my first mini': 548344, 'first mini panic': 308789, 'mini panic today': 533015, 'panic today when': 638725, 'today when de': 920515, 'when de blasio': 983331, 'de blasio warned': 229042, 'blasio warned to': 132406, 'warned to prepare': 967048, 'prepare for possible': 670080, 'for possible shelter': 324631, 'possible shelter in': 665770, 'in place within': 426777, 'place within 48': 657848, '48 hour wa': 19315, 'hour wa redirected': 406070, 'wa redirected to': 963076, 'redirected to the': 705722, 'store then cuomo': 810638, 'then cuomo angrily': 877107, 'cuomo angrily responded': 220395, 'angrily responded that': 76448, 'responded that that': 715360, 'that that wa': 846652, 'wa not an': 962758, 'an option guy': 56683, 'option guy talk': 614049, 'guy talk better': 369169, 'talk better it': 833784, 'better it fucked': 128343, 'it fucked up': 458165, 'crusty': 219830, 'quarantine crusty': 692118, 'crusty to': 219831, 'to outside': 911281, 'outside is': 629465, 'quarantine crusty to': 692119, 'crusty to outside': 219832, 'to outside is': 911282, 'outside is open': 629467, 'mask soap': 519285, 'sanitizer happyeaster': 735053, 'filling up the': 305642, 'up the easter': 946166, 'the easter egg': 853850, 'easter egg with': 265427, 'egg with face': 270040, 'face mask soap': 294589, 'mask soap hand': 519286, 'hand sanitizer happyeaster': 375434, 'lens': 486352, 'tweezer': 936482, 'eye care': 294014, 'care campaign': 163878, 'campaign how': 157225, 'prevent when': 671763, 'when wearing': 984478, 'wearing contact': 974606, 'contact lens': 200120, 'lens wash': 486363, 'soap handwash': 779027, 'handwash use': 376801, 'use lens': 949339, 'lens tweezer': 486361, 'tweezer only': 936483, 'after wearing': 36520, 'wearing lens': 974673, 'lens never': 486357, 'never use': 558248, 'before wearing': 123294, 'eye care campaign': 294015, 'care campaign how': 163879, 'campaign how to': 157226, 'how to prevent': 409056, 'to prevent when': 912100, 'prevent when wearing': 671764, 'when wearing contact': 984479, 'wearing contact lens': 974607, 'contact lens wash': 200122, 'lens wash your': 486364, 'with soap handwash': 1000799, 'soap handwash use': 779029, 'handwash use lens': 376802, 'use lens tweezer': 949340, 'lens tweezer only': 486362, 'tweezer only use': 936484, 'only use hand': 611409, 'sanitizer after wearing': 734330, 'after wearing lens': 36521, 'wearing lens never': 974674, 'lens never use': 486358, 'never use it': 558249, 'use it before': 949299, 'it before wearing': 456815, 'before wearing lens': 123295, 'holdchinaaccountable': 400053, 'overflow': 631213, 'happens you': 377539, 'moron panicshopping': 541621, 'panicshopping 19uk': 639414, '19uk holdchinaaccountable': 12555, 'holdchinaaccountable fury': 400054, 'fury bin': 342217, 'bin overflow': 131033, 'overflow with': 631214, 'with stockpilers': 1000983, 'stockpilers out': 803885, 'supermarket raid': 822155, 'what happens you': 981571, 'happens you fucking': 377540, 'fucking moron panicshopping': 339955, 'moron panicshopping 19uk': 541622, 'panicshopping 19uk holdchinaaccountable': 639415, '19uk holdchinaaccountable fury': 12556, 'holdchinaaccountable fury bin': 400055, 'fury bin overflow': 342218, 'bin overflow with': 131034, 'overflow with stockpilers': 631215, 'with stockpilers out': 1000984, 'stockpilers out of': 803886, 'date food panic': 226628, 'food panic bought': 315749, 'bought in coronavirus': 136600, 'in coronavirus supermarket': 421809, 'coronavirus supermarket raid': 206847, 'amazonprimenow': 51249, 'publixdelivery': 688796, 'adapt social': 31270, 'distancing amidst': 246956, 'and fooddelivery': 63111, 'fooddelivery apps': 317891, 'apps such': 83310, 'such instacart': 816577, 'instacart shipt': 439929, 'shipt amazonprimenow': 758958, 'amazonprimenow and': 51250, 'and publixdelivery': 69761, 'publixdelivery accelerate': 688797, 'accelerate in': 27848, 'in downloads': 422374, 'downloads read': 257668, 'full analysis': 340471, 'up and adapt': 944301, 'and adapt social': 57661, 'adapt social distancing': 31271, 'social distancing amidst': 779551, 'distancing amidst the': 246957, 'amidst the pandemic': 52830, 'the pandemic grocery': 862977, 'pandemic grocery and': 635513, 'grocery and fooddelivery': 364237, 'and fooddelivery apps': 63112, 'fooddelivery apps such': 317892, 'apps such instacart': 83311, 'such instacart shipt': 816578, 'instacart shipt amazonprimenow': 439930, 'shipt amazonprimenow and': 758959, 'amazonprimenow and publixdelivery': 51251, 'and publixdelivery accelerate': 69762, 'publixdelivery accelerate in': 688798, 'accelerate in downloads': 27849, 'in downloads read': 422375, 'downloads read the': 257669, 'the full analysis': 855999, 'full analysis here': 340473, 'that kenyan': 844813, 'kenyan expected': 472966, 'expected would': 291021, 'would drop': 1011778, 'dropping global': 260694, 'of refilling': 588867, 'refilling gas': 706566, 'gas cylinder': 343806, 'cylinder sokonews': 224125, 'among the thing': 53075, 'the thing that': 869465, 'thing that kenyan': 884816, 'that kenyan expected': 844814, 'kenyan expected would': 472967, 'expected would drop': 291022, 'would drop in': 1011779, 'in price result': 426979, 'result of dropping': 717587, 'of dropping global': 582838, 'dropping global price': 260695, 'global price wa': 352143, 'wa the price': 963464, 'price of refilling': 675553, 'of refilling gas': 588868, 'refilling gas cylinder': 706567, 'gas cylinder sokonews': 343807, 'cylinder sokonews image': 224126, 'are federal': 86510, 'federal law': 302021, 'law against': 482199, 'against business': 37345, 'general for': 345336, 'example here': 288899, 'is ma': 449499, 'ma state': 507281, 'state link': 795743, 'link shopping': 493908, 'shopping shoppingonline': 763875, 'shoppingonline consumerrights': 764517, 'consumerrights amazon': 199759, 'there are federal': 878105, 'are federal law': 86511, 'federal law against': 302022, 'law against business': 482200, 'against business price': 37347, 'business price gouging': 144253, 'gouging contact your': 359300, 'contact your state': 200310, 'your state attorney': 1025928, 'attorney general for': 102637, 'general for example': 345337, 'for example here': 321281, 'example here is': 288900, 'here is ma': 393236, 'is ma state': 449500, 'ma state link': 507282, 'state link shopping': 795744, 'link shopping shoppingonline': 493909, 'shopping shoppingonline consumerrights': 763876, 'shoppingonline consumerrights amazon': 764518, 'readerscommunity': 700713, 'hey reader': 394488, 'reader check': 700687, 'also lowering': 48491, 'lowering the': 506127, 'my paperback': 549681, 'paperback and': 641145, 'and ebook': 61891, 'ebook we': 266563, 'it affordable': 456292, 'affordable for': 34846, 'tuned waiting': 935448, 'new price': 559340, 'price quarantine': 676042, 'quarantine readerscommunity': 692485, 'hey reader check': 394489, 'reader check this': 700688, 'this out am': 889310, 'out am also': 625610, 'am also lowering': 49874, 'also lowering the': 48492, 'lowering the cost': 506128, 'cost of my': 208055, 'of my paperback': 586804, 'my paperback and': 549682, 'paperback and ebook': 641146, 'and ebook we': 61892, 'ebook we speak': 266564, 'speak to make': 787713, 'make it affordable': 510017, 'it affordable for': 456293, 'affordable for everyone': 34847, 'for everyone during': 321208, 'everyone during this': 286837, 'this time stay': 890689, 'time stay tuned': 897755, 'stay tuned waiting': 797367, 'tuned waiting for': 935449, 'waiting for amazon': 964311, 'for amazon to': 319231, 'amazon to update': 51164, 'to update my': 917978, 'update my new': 947085, 'my new price': 549471, 'new price quarantine': 559343, 'price quarantine readerscommunity': 676044, 'our bryan': 622282, 'bryan sun': 141432, 'sun md': 818074, 'md nielsen': 522279, 'nielsen africa': 562637, 'africa discus': 35062, 'discus key': 244879, 'threshold that': 894158, 'that tie': 847033, 'tie directly': 895735, 'see our bryan': 745523, 'our bryan sun': 622283, 'bryan sun md': 141433, 'sun md nielsen': 818075, 'md nielsen africa': 522280, 'nielsen africa discus': 562638, 'africa discus key': 35063, 'discus key consumer': 244880, 'behavior threshold that': 124252, 'threshold that tie': 894159, 'that tie directly': 847034, 'tie directly to': 895736, 'directly to concern': 243586, 'to concern around': 903165, 'concern around with': 192930, 'yall think': 1014098, 'thing yall': 885026, 'yall worried': 1014106, 'about yall': 26957, 'yall got': 1014076, 'got another': 358408, 'thing coming': 884239, 'is blood': 446209, 'blood bath': 133099, 'bath right': 112598, 'be losing': 115829, 'to losing': 909466, 'stamp section': 793436, 'section medicaid': 744017, 'medicaid pretty': 526021, 'pretty soon': 671498, 'soon social': 785826, 'yall think is': 1014099, 'only thing yall': 611325, 'thing yall worried': 885027, 'yall worried about': 1014107, 'worried about yall': 1010532, 'about yall got': 26958, 'yall got another': 1014077, 'got another thing': 358410, 'another thing coming': 77900, 'thing coming stock': 884242, 'coming stock market': 188202, 'market is blood': 516616, 'is blood bath': 446210, 'blood bath right': 133100, 'bath right now': 112599, 'now people going': 575529, 'to be losing': 901376, 'be losing their': 115830, 'their job people': 873732, 'job people going': 466088, 'going to losing': 355650, 'to losing their': 909467, 'losing their food': 503595, 'their food stamp': 873350, 'food stamp section': 316740, 'stamp section medicaid': 793437, 'section medicaid pretty': 744018, 'medicaid pretty soon': 526022, 'pretty soon social': 671499, 'soon social security': 785827, 'epidemic life': 279408, 'above everything': 27064, 'market bitcoin': 516107, 'gold are': 355857, 'not important': 570071, 'important cash': 418755, 'cash food': 166232, 'water after': 968843, 'the advantage': 848369, 'and value': 74838, 'of bitcoin': 580728, 'bitcoin are': 131801, 'are revealed': 89675, 'revealed bitcoin': 720260, 'the epidemic life': 854443, 'epidemic life is': 279409, 'life is above': 488799, 'is above everything': 445283, 'above everything else': 27065, 'everything else so': 287775, 'else so the': 271885, 'so the stock': 778439, 'stock market bitcoin': 802381, 'market bitcoin and': 516108, 'and gold are': 63814, 'gold are not': 355858, 'are not important': 88395, 'not important cash': 570073, 'important cash food': 418756, 'cash food and': 166233, 'and water after': 75230, 'water after the': 968845, 'after the epidemic': 36311, 'the epidemic the': 854447, 'epidemic the advantage': 279450, 'the advantage and': 848370, 'advantage and value': 32963, 'and value of': 74840, 'value of bitcoin': 952158, 'of bitcoin are': 580729, 'bitcoin are revealed': 131802, 'are revealed bitcoin': 89676, 'despicable that': 238646, 'these certain': 879730, 'certain smaller': 170099, 'supply humanity': 825377, 'humanity first': 410725, 'first people': 308855, 'despicable that in': 238647, 'like these certain': 491430, 'these certain smaller': 879731, 'certain smaller shop': 170100, 'smaller shop are': 775296, 'shop are taking': 759918, 'advantage and charging': 32960, 'for essential supply': 321124, 'essential supply humanity': 281623, 'supply humanity first': 825378, 'humanity first people': 410726, 'calculation': 155320, 'ididnothoard': 413420, 'grab new': 361515, 'new roll': 559513, 'tp do': 927797, 'do calculation': 249170, 'calculation in': 155321, 'head toiletpaper': 385845, 'toiletpaper ididnothoard': 922108, 'every time have': 286308, 'time have to': 896898, 'have to grab': 383221, 'to grab new': 906967, 'grab new roll': 361516, 'new roll of': 559514, 'of tp do': 592364, 'tp do calculation': 927798, 'do calculation in': 249171, 'calculation in my': 155322, 'my head toiletpaper': 548636, 'head toiletpaper ididnothoard': 385846, 'rise covid': 722817, 'chain inflation': 170822, 'inflation and': 437140, 'good kind': 357311, 'kind the': 474989, 'fed ha': 301828, 'been searching': 121888, 'kind we': 475025, 'afford right': 34749, 'food price likely': 315955, 'to rise covid': 913559, 'rise covid 19': 722818, 'toll on supply': 923869, 'supply chain inflation': 824977, 'chain inflation and': 170823, 'inflation and not': 437141, 'not the good': 572002, 'the good kind': 856439, 'good kind the': 357312, 'kind the fed': 474990, 'the fed ha': 855060, 'fed ha been': 301829, 'ha been searching': 369912, 'been searching for': 121889, 'searching for not': 743333, 'for not the': 323936, 'not the kind': 572008, 'the kind we': 858814, 'kind we can': 475027, 'we can afford': 970903, 'can afford right': 157405, 'afford right now': 34750, 'continue interacting': 201050, 'for serious': 325491, 'complication if': 192489, 'insurance terrified': 440820, 'the wife work': 871554, 'to continue interacting': 903387, 'continue interacting with': 201051, 'asthma so am': 97206, 'so am at': 776485, 'am at higher': 49910, 'risk for serious': 723558, 'for serious complication': 325492, 'serious complication if': 751350, 'complication if contract': 192490, 'if contract wa': 413999, 'health insurance terrified': 386551, 'ispellzgood': 455574, 'take dem': 832063, 'dem out': 234878, 'panic ispellzgood': 638233, 'ispellzgood stayhomechallenge': 455575, 'for thought you': 327167, 'thought you take': 893337, 'you take dem': 1021509, 'take dem out': 832064, 'dem out of': 234879, 'out of pandemic': 626798, 'and you end': 76015, 'up with panic': 946672, 'with panic ispellzgood': 1000085, 'panic ispellzgood stayhomechallenge': 638234, 'ispellzgood stayhomechallenge quarantinelife': 455576, 'stayhomechallenge quarantinelife toiletpaperapocalypse': 798277, 'whille': 987603, 'splatoon2': 789640, 'splatoon': 789639, 'whille everyone': 987604, 'is stockpiling': 452342, 'stockpiling on': 804036, 'left boy': 485428, 'boy is': 137263, 'roll tower': 725572, 'tower proving': 927414, 'toiletpaper splatoon2': 922506, 'splatoon2 splatoon': 789641, 'whille everyone is': 987605, 'everyone is stockpiling': 287113, 'is stockpiling on': 452343, 'stockpiling on toilet': 804037, 'paper left boy': 640409, 'left boy is': 485429, 'boy is making': 137264, 'is making toilet': 449561, 'making toilet roll': 511475, 'toilet roll tower': 921618, 'roll tower proving': 725573, 'tower proving that': 927415, 'proving that is': 687229, 'that is more': 844618, 'than enough toiletpaper': 840556, 'enough toiletpaper splatoon2': 277741, 'toiletpaper splatoon2 splatoon': 922507, 'wiggers': 992030, 'the shuts': 867138, 'down travel': 257406, 'travel plan': 930468, 'plan general': 658138, 'activity many': 30471, 'on ai': 599192, 'ai messaging': 39324, 'messaging system': 529520, 'the multitude': 861135, 'their customerservice': 872963, 'customerservice center': 223159, 'center wiggers': 169327, 'wiggers through': 992031, 'the shuts down': 867139, 'shuts down travel': 768187, 'down travel plan': 257407, 'travel plan general': 930469, 'plan general consumer': 658139, 'general consumer activity': 345302, 'consumer activity many': 196026, 'activity many company': 30472, 'company are relying': 190444, 'relying on ai': 709666, 'on ai messaging': 599194, 'ai messaging system': 39325, 'messaging system to': 529521, 'to help manage': 907556, 'manage the multitude': 512442, 'the multitude of': 861136, 'multitude of call': 545852, 'call to their': 156193, 'to their customerservice': 917221, 'their customerservice center': 872964, 'customerservice center wiggers': 223160, 'center wiggers through': 169328, 'wiggers through share': 992032, 'through share the': 894670, 'share the story': 755258, 'movementcontrolorder to': 543957, '14 look': 3492, 'like malaysia': 490694, 'malaysia covid': 511600, '19 condition': 5931, 'condition better': 193417, 'better now': 128383, 'need one': 555365, 'movementcontrolorder to extend': 543958, 'april 14 look': 83417, '14 look like': 3493, 'look like malaysia': 502493, 'like malaysia covid': 490696, 'malaysia covid 19': 511601, 'covid 19 condition': 212837, '19 condition better': 5932, 'condition better now': 193418, 'better now so': 128384, 'so we need': 778675, 'we need one': 972523, 'need one more': 555368, 'one more help': 606689, 'more help just': 539402, 'help just stay': 389960, 'home please stay': 401869, 'not panic for': 570911, 'panic for shopping': 638124, 'for shopping and': 325576, 'still pick': 801040, 'go order': 353922, 'the veterinarian': 870716, 'veterinarian visit': 955740, 'pharmacy help': 654344, 'else get': 271700, 'supply losangeleslockdown': 825521, 'losangeleslockdown saferathome': 503415, 'still go on': 800576, 'go on walk': 353906, 'on walk you': 605093, 'walk you can': 964930, 'can still pick': 159785, 'still pick up': 801041, 'from restaurant to': 337095, 'restaurant to go': 716762, 'to go order': 906835, 'go order only': 353923, 'order only take': 618489, 'only take your': 611237, 'to the veterinarian': 917170, 'the veterinarian visit': 870717, 'veterinarian visit your': 955741, 'visit your doctor': 959439, 'your doctor or': 1023550, 'doctor or pharmacy': 251061, 'or pharmacy help': 616575, 'pharmacy help someone': 654345, 'help someone else': 390546, 'someone else get': 784447, 'else get supply': 271701, 'get supply losangeleslockdown': 348159, 'supply losangeleslockdown saferathome': 825522, 'mcobooktitles': 522233, 'more crazy': 538917, 'crazy order': 215371, 'the malaysian': 859958, 'malaysian army': 511657, 'army helped': 93010, 'helped spread': 391098, 'spread or': 790736, 'perhaps how': 651598, 'how developed': 407678, 'addiction in': 31638, 'how broke': 407472, 'broke netflix': 140843, 'netflix the': 557633, 'story mcobooktitles': 812043, 'more crazy order': 538918, 'crazy order how': 215372, 'order how the': 618303, 'how the malaysian': 408843, 'the malaysian army': 859959, 'malaysian army helped': 511658, 'army helped spread': 93011, 'helped spread or': 391099, 'spread or perhaps': 790737, 'or perhaps how': 616547, 'perhaps how developed': 651599, 'how developed an': 407679, 'shopping addiction in': 761894, 'addiction in covid': 31639, '19 isolation or': 8107, 'isolation or how': 455374, 'or how broke': 615690, 'how broke netflix': 407473, 'broke netflix the': 140844, 'netflix the covid': 557634, '19 story mcobooktitles': 10898, 'roulette': 726303, 'never that': 558216, 'situation world': 772602, 'supermarket picking': 821990, 'up package': 945731, 'like playing': 491011, 'playing russian': 659441, 'russian roulette': 728665, 'roulette with': 726306, 'life stayhome': 489059, 'never that we': 558218, 'that we be': 847364, 'we be in': 970819, 'be in situation': 115432, 'in situation world': 427991, 'situation world that': 772603, 'world that going': 1010043, 'the supermarket picking': 868752, 'supermarket picking up': 821991, 'picking up package': 655882, 'up package or': 945732, 'package or my': 633360, 'or my mail': 616216, 'my mail is': 549186, 'mail is like': 508627, 'is like playing': 449326, 'like playing russian': 491014, 'playing russian roulette': 659442, 'russian roulette with': 728667, 'roulette with my': 726307, 'with my life': 999635, 'my life stayhome': 549036, 'life stayhome socialdistancing': 489060, 'baffled': 108196, 'shepherd': 758068, 'thing didn': 884265, 'really anger': 701968, 'anger me': 76415, 'me until': 523851, 'until an': 943681, 'store baffled': 806628, 'baffled pissed': 108197, 'pissed at': 656963, 'people stupidity': 649682, 'stupidity selfishness': 815556, 'selfishness buying': 748338, 'everything even': 287779, 'even perishable': 284461, 'perishable this': 652006, 'country doesn': 210586, 'need president': 555463, 'president it': 670838, 'need shepherd': 555557, 'shepherd because': 758069, 'are sheep': 90027, 'this thing didn': 890562, 'thing didn really': 884267, 'didn really anger': 241177, 'really anger me': 701969, 'anger me until': 76416, 'me until an': 523853, 'until an hour': 943682, 'an hour ago': 56074, 'hour ago in': 405371, 'grocery store baffled': 365232, 'store baffled pissed': 806629, 'baffled pissed at': 108198, 'pissed at people': 656964, 'at people stupidity': 100093, 'people stupidity selfishness': 649684, 'stupidity selfishness buying': 815557, 'selfishness buying up': 748339, 'up everything even': 944817, 'everything even perishable': 287780, 'even perishable this': 284463, 'perishable this country': 652007, 'this country doesn': 886947, 'country doesn need': 210587, 'doesn need president': 251905, 'need president it': 555464, 'president it need': 670839, 'it need shepherd': 459754, 'need shepherd because': 555558, 'shepherd because people': 758070, 'people are sheep': 647073, 'electrical': 271132, 'unknowingly': 942515, 'safety charity': 730494, 'charity electrical': 173610, 'electrical safety': 271137, 'first ha': 308696, 'ha looked': 371180, 'danger to': 225704, 'which many': 986132, 'new remote': 559441, 'remote worker': 710748, 'be unknowingly': 117874, 'unknowingly exposing': 942516, 'exposing themselves': 292942, 'themselves during': 876796, 're workingfromhome': 699840, 'workingfromhome be': 1009088, 'consumer safety charity': 198850, 'safety charity electrical': 730495, 'charity electrical safety': 173611, 'electrical safety first': 271138, 'safety first ha': 730533, 'first ha looked': 308697, 'ha looked into': 371181, 'into the danger': 443115, 'the danger to': 852829, 'danger to which': 225706, 'to which many': 918555, 'which many new': 986133, 'many new remote': 514342, 'new remote worker': 559442, 'remote worker may': 710749, 'worker may be': 1007361, 'may be unknowingly': 521046, 'be unknowingly exposing': 117875, 'unknowingly exposing themselves': 942517, 'exposing themselves during': 292943, 'themselves during the': 876797, 'lockdown if you': 499490, 'you re workingfromhome': 1020799, 're workingfromhome be': 699841, 'workingfromhome be sure': 1009089, 'sure to read': 827776, 'vaccine against': 951644, 'effective quit': 269297, 'buying quit': 150946, 'quit hoarding': 694794, 'is the vaccine': 452971, 'the vaccine against': 870619, 'vaccine against the': 951645, 'coronavirus the problem': 206914, 'problem is everyone': 679567, 'is everyone must': 447586, 'must have it': 546699, 'have it in': 381150, 'be effective quit': 114654, 'effective quit panic': 269298, 'panic buying quit': 637858, 'buying quit hoarding': 150947, 'quit hoarding because': 694795, 'hoarding because the': 399213, 'are empty this': 86173, 'empty this is': 275200, 'from sunday': 337469, 'sunday is': 818220, 'it lifeline': 459343, 'lifeline for': 489308, 'your elderly': 1023633, 'disabled and': 243871, 'shopping from sunday': 762761, 'from sunday is': 337470, 'sunday is it': 818221, 'it true it': 461865, 'true it lifeline': 933117, 'it lifeline for': 459344, 'lifeline for many': 489309, 'many of your': 514405, 'of your elderly': 593466, 'your elderly disabled': 1023635, 'elderly disabled and': 270660, 'disabled and vulnerable': 243879, 'vulnerable customer who': 960927, 'explored': 292509, 'unconventional': 939889, 'will fed': 993418, 'fed buy': 301790, 'buy oil': 149027, 'limit covid': 492317, 'economy explored': 267855, 'explored the': 292514, 'on gdp': 601076, 'gdp investment': 344893, 'investment labor': 444025, 'labor financial': 478409, 'market equity': 516338, 'equity credit': 279929, 'credit likelihood': 216423, 'of unconventional': 592607, 'unconventional measure': 939892, 'rescue energy': 713614, 'sector read': 744300, 'read mcpro': 700411, 'will fed buy': 993419, 'fed buy oil': 301791, 'buy oil to': 149029, 'oil to limit': 597477, 'to limit covid': 909283, 'limit covid 19': 492318, 'damage to economy': 225235, 'to economy explored': 904934, 'economy explored the': 267856, 'explored the impact': 292515, 'impact of low': 417784, 'price on gdp': 675678, 'on gdp investment': 601077, 'gdp investment labor': 344894, 'investment labor financial': 444026, 'labor financial market': 478410, 'financial market equity': 306504, 'market equity credit': 516339, 'equity credit likelihood': 279930, 'credit likelihood of': 216424, 'likelihood of unconventional': 491936, 'of unconventional measure': 592608, 'unconventional measure to': 939893, 'measure to rescue': 525404, 'to rescue energy': 913325, 'rescue energy sector': 713615, 'energy sector read': 276583, 'sector read mcpro': 744301, 'legging': 485955, 'do over': 249956, 'also concerned': 48048, 'wear any': 974288, 'after living': 35874, 'in legging': 424672, 'legging shirt': 485958, 'online shopping going': 609133, 'to do over': 904541, 'do over the': 249958, 'few week and': 304133, 'week and also': 975901, 'and also concerned': 57943, 'also concerned that': 48049, 'concerned that not': 193218, 'that not going': 845389, 'going to want': 355758, 'to want to': 918325, 'want to wear': 966154, 'to wear any': 918422, 'wear any of': 974289, 'any of it': 79532, 'of it or': 585425, 'it or after': 460140, 'or after living': 614272, 'after living in': 35875, 'living in for': 496371, 'in for week': 423031, 'week in legging': 976376, 'in legging shirt': 424673, 'legging shirt and': 485959, 'shirt and no': 758968, 'and no makeup': 67623, 'morning make': 541347, 'to keepyourdistance': 908891, 'keepyourdistance from': 472678, 'others follow': 621403, 'instruction given': 440554, 'essential shopping this': 281558, 'this morning make': 888985, 'morning make sure': 541348, 'sure to keepyourdistance': 827768, 'to keepyourdistance from': 908892, 'keepyourdistance from others': 472679, 'from others follow': 336739, 'others follow the': 621404, 'follow the instruction': 312532, 'the instruction given': 858329, 'instruction given to': 440555, 'given to you': 351190, 'to you by': 918894, 'you by shop': 1017595, 'by shop staff': 153981, 'staff and stay': 792162, 'least metre away': 484554, 'up superheroes': 946093, 'superheroes it': 818681, 'dress up superheroes': 258688, 'up superheroes it': 946094, 'superheroes it will': 818682, 'will make life': 994085, 'honest they are': 403084, 'they are lot': 881330, 'lot of hero': 504202, 'mazal': 521999, 'panic hoarded': 638176, 'hoarded food': 398940, 'of general': 584078, 'general sense': 345468, 'danger stayed': 225696, 'stayed away': 797858, 'parent bc': 641588, 'it healthier': 458516, 'healthier but': 387455, 'still call': 800325, 're alright': 698258, 'alright daily': 47773, 'daily feel': 224615, 'but know': 146235, 'likely anxiety': 491946, 'anxiety mazal': 78747, 'mazal tov': 522000, 'tov you': 927088, 'now jewish': 575141, '19 have you': 7456, 'have you panic': 383682, 'you panic hoarded': 1020286, 'panic hoarded food': 638177, 'hoarded food out': 398943, 'out of general': 626741, 'of general sense': 584080, 'general sense of': 345469, 'sense of danger': 750556, 'of danger stayed': 582344, 'danger stayed away': 225697, 'stayed away from': 797859, 'from your parent': 338489, 'your parent bc': 1025201, 'parent bc it': 641589, 'bc it healthier': 113248, 'it healthier but': 458517, 'healthier but still': 387456, 'but still call': 147157, 'still call them': 800326, 'call them to': 156151, 'them to let': 876487, 'you re alright': 1020565, 're alright daily': 698259, 'alright daily feel': 47774, 'daily feel like': 224616, 'feel like you': 302767, 'like you re': 491878, 're sick but': 699515, 'sick but know': 768396, 'but know it': 146236, 'know it most': 476535, 'it most likely': 459685, 'most likely anxiety': 542479, 'likely anxiety mazal': 491947, 'anxiety mazal tov': 78748, 'mazal tov you': 522001, 'tov you re': 927089, 're now jewish': 699140, 'public ever': 687979, 'ever learn': 285387, 'to bekind': 901745, 'will the public': 995155, 'the public ever': 864805, 'public ever learn': 687980, 'ever learn to': 285388, 'learn to bekind': 484084, 'those cashier': 891861, 'cashier store': 166624, 'clerk butcher': 181669, 'butcher baker': 148029, 'baker produce': 108816, 'produce clerk': 680225, 'clerk amp': 181632, 'amp trucker': 54742, 'trucker who': 932966, 'who deliver': 988550, 'item filling': 463254, 'filling those': 305636, 'those shelf': 892457, 'we visit': 973727, 'visit they': 959404, 'the put': 864930, 'thank those cashier': 841671, 'those cashier store': 891862, 'cashier store clerk': 166625, 'clerk stock clerk': 181772, 'stock clerk butcher': 801990, 'clerk butcher baker': 181670, 'butcher baker produce': 148030, 'baker produce clerk': 108817, 'produce clerk amp': 680226, 'clerk amp trucker': 181634, 'amp trucker who': 54743, 'trucker who deliver': 932967, 'who deliver the': 988552, 'deliver the item': 233230, 'the item filling': 858605, 'item filling those': 463255, 'filling those shelf': 305637, 'those shelf in': 892458, 'store we visit': 811185, 'we visit they': 973728, 'visit they are': 959405, 'are the who': 90935, 'the who help': 871473, 'who help the': 988989, 'help the put': 390678, 'the put food': 864931, 'uncle': 939815, 'ranch': 696521, 'bad uncle': 108066, 'uncle sam': 939822, 'sam need': 732926, 'pull his': 688859, 'as farmer': 94743, 'buying to': 151238, 'keep america': 471304, 'america 95': 51435, '95 million': 23592, 'million cow': 532119, 'cow fed': 214458, 'fed sarscov2': 301890, 'sarscov2 farm': 736842, 'farm ranch': 299165, 'ranch food': 696525, 'food foodsupply': 314509, 'foodsupply supplychain': 318210, 'is bad uncle': 445975, 'bad uncle sam': 108067, 'uncle sam need': 939823, 'sam need to': 732927, 'need to pull': 556021, 'to pull his': 912495, 'pull his head': 688860, 'his head out': 397502, 'head out of': 385804, 'out of his': 626753, 'of his as': 584646, 'his as farmer': 397211, 'as farmer are': 94744, 'panic buying to': 637939, 'buying to keep': 151240, 'to keep america': 908750, 'keep america 95': 471305, 'america 95 million': 51436, '95 million cow': 23593, 'million cow fed': 532120, 'cow fed sarscov2': 214459, 'fed sarscov2 farm': 301891, 'sarscov2 farm ranch': 736843, 'farm ranch food': 299166, 'ranch food foodsupply': 696526, 'food foodsupply supplychain': 314510, 'foodsupply supplychain trucker': 318211, 'product intelligent': 681317, 'intelligent enterprise': 441023, 'focused quarantine': 311974, 'control early': 202003, 'launched consumer and': 481975, 'consumer and consumer': 196204, 'and consumer product': 60418, 'consumer product intelligent': 198464, 'product intelligent enterprise': 681319, 'intelligent enterprise focused': 441024, 'enterprise focused quarantine': 278451, 'focused quarantine management': 311975, 'risk monitoring and': 723692, 'monitoring and control': 537342, 'and control early': 60514, 'control early virtual': 202004, 'triage more information': 931624, 'more information for': 539583, 'information for employer': 437825, 'cope want': 203335, 'many caregiver': 513875, 'caregiver who': 164516, 'to selflessly': 914135, 'selflessly work': 748546, 'continue to cope': 201173, 'to cope want': 903512, 'cope want to': 203336, 'healthcare professional first': 387232, 'and many caregiver': 66667, 'many caregiver who': 513876, 'caregiver who continue': 164518, 'continue to selflessly': 201251, 'to selflessly work': 914136, 'selflessly work to': 748547, 'safe and fight': 729446, 'and fight the': 62828, 'ishouldntbringthisup': 454233, 'outbreak247': 628848, 'michigan recorded': 530364, 'show just': 767021, 'quickly germ': 694537, 'germ can': 346106, 'spread during': 790516, 'during simple': 263015, 'store link': 808767, 'link manifest': 493874, 'manifest ishouldntbringthisup': 513174, 'ishouldntbringthisup michael': 454234, 'myers chinavirus': 550718, 'chinavirus 19': 177135, 'spread outbreak247': 790740, 'nurse in michigan': 577381, 'in michigan recorded': 425290, 'michigan recorded video': 530365, 'recorded video to': 705126, 'video to show': 956935, 'to show just': 914562, 'show just how': 767022, 'just how quickly': 469001, 'how quickly germ': 408550, 'quickly germ can': 694538, 'germ can spread': 346107, 'can spread during': 159704, 'spread during simple': 790517, 'during simple trip': 263016, 'grocery store link': 365529, 'store link manifest': 808769, 'link manifest ishouldntbringthisup': 493875, 'manifest ishouldntbringthisup michael': 513175, 'ishouldntbringthisup michael myers': 454235, 'michael myers chinavirus': 530258, 'myers chinavirus 19': 550719, 'chinavirus 19 spread': 177137, '19 spread outbreak247': 10747, 'supporting community': 827114, 'and expectation': 62485, 'expectation are': 290798, 'uk recent': 938662, 'recent study': 703990, 'study digitalmarketing': 814877, 'digitalmarketing advertising': 242755, 'advertising consumerbehaviour': 33216, 'of consumer think': 581779, 'consumer think brand': 199285, 'think brand should': 885170, 'brand should be': 138007, 'should be supporting': 765741, 'be supporting community': 117460, 'supporting community during': 827116, 'this pandemic learn': 889400, 'about how your': 25486, 'how your customer': 409298, 'your customer behaviour': 1023409, 'customer behaviour and': 222183, 'behaviour and expectation': 124362, 'and expectation are': 62486, 'expectation are changing': 290799, 'are changing in': 85236, 'changing in uk': 172730, 'in uk recent': 430395, 'uk recent study': 938663, 'recent study digitalmarketing': 703991, 'study digitalmarketing advertising': 814878, 'digitalmarketing advertising consumerbehaviour': 242756, 'redeploy': 705681, 'george eustice': 345995, 'eustice there': 283659, 'are discussion': 85846, 'discussion between': 245020, 'to redeploy': 913006, 'redeploy driver': 705682, 'resource experience': 714763, 'country show': 211050, 'to tail': 916144, 'tail off': 831809, 'off isolation': 593934, 'isolation progress': 455395, 'george eustice there': 345998, 'eustice there are': 283660, 'there are discussion': 878093, 'are discussion between': 85847, 'discussion between supermarket': 245021, 'between supermarket and': 128910, 'food service sector': 316430, 'service sector to': 752801, 'sector to redeploy': 744367, 'to redeploy driver': 913007, 'redeploy driver and': 705683, 'driver and resource': 259423, 'and resource experience': 70324, 'resource experience in': 714764, 'experience in other': 291393, 'other country show': 620025, 'country show the': 211051, 'show the demand': 767204, 'in supermarket will': 428717, 'supermarket will start': 823892, 'start to tail': 794597, 'to tail off': 916145, 'tail off isolation': 831810, 'off isolation progress': 593935, 'missive': 534414, 'his missive': 397612, 'missive he': 534415, 'that loblaws': 844921, 'loblaws will': 497640, 'yet shopper': 1016227, 'mart is': 518054, 'is gouging': 448163, 'in his missive': 423733, 'his missive he': 397613, 'missive he claim': 534416, 'he claim that': 384837, 'claim that loblaws': 179832, 'that loblaws will': 844922, 'loblaws will not': 497641, 'not raise price': 571206, 'price on any': 675650, 'on any essential': 599398, 'any essential item': 79191, 'essential item yet': 281240, 'item yet shopper': 463860, 'yet shopper drug': 1016228, 'drug mart is': 261005, 'mart is gouging': 518055, 'is gouging the': 448164, 'gouging the public': 359469, 'public for toilet': 688016, 'paper and sanitizer': 639851, 'signalling at': 769338, 'worst what': 1011304, 'force civil': 328358, 'servant working': 751853, 'shadow supermarket': 754345, 'worker courier': 1006707, 'courier and': 211797, 'uk working': 938915, 'working 24': 1008464, 'sort where': 786158, 'virtue signalling at': 957869, 'signalling at it': 769339, 'it worst what': 462561, 'worst what about': 1011305, 'about the police': 26478, 'the police the': 863931, 'police the armed': 663238, 'armed force civil': 92937, 'force civil servant': 328359, 'civil servant working': 179549, 'servant working in': 751855, 'in the shadow': 429540, 'the shadow supermarket': 866763, 'shadow supermarket and': 754346, 'and food shop': 63091, 'food shop worker': 316503, 'shop worker courier': 761083, 'worker courier and': 1006708, 'courier and million': 211798, 'the uk working': 870306, 'uk working 24': 938916, 'working 24 to': 1008467, '24 to sort': 15702, 'to sort where': 914928, 'sort where is': 786159, 'where is your': 984957, 'year been': 1014428, 'pantry that': 639684, 'that pas': 845664, 'economic upheaval': 267356, 'upheaval caused': 947553, 'cause demand': 167537, 'bank have for': 109893, 'have for year': 380686, 'for year been': 327997, 'year been increasing': 1014429, 'been increasing the': 121372, 'increasing the amount': 433706, 'of food they': 583798, 'food they deliver': 317166, 'they deliver to': 881880, 'deliver to pantry': 233250, 'to pantry that': 911447, 'pantry that pas': 639685, 'that pas it': 845665, 'it along to': 456409, 'along to needy': 47036, 'to needy people': 910521, 'needy people but': 556693, 'but the economic': 147336, 'the economic upheaval': 853922, 'economic upheaval caused': 267357, 'upheaval caused by': 947554, 'expected to cause': 290965, 'to cause demand': 902533, 'cause demand to': 167538, 'demand to skyrocket': 236404, 'ubiquity': 937857, 'many organization': 514421, 'organization already': 619335, 'their survival': 874927, 'survival though': 829089, 'facing industry': 295503, 'industry closed': 435731, 'closed airline': 182960, 'airline hotel': 39965, 'hotel many': 405159, 'running because': 727933, 'the ubiquity': 870181, 'ubiquity of': 937858, 'of telecom': 590641, 'many organization already': 514422, 'organization already have': 619336, 'have the telecom': 383033, 'telecom sector to': 836693, 'sector to thank': 744369, 'to thank for': 916424, 'thank for their': 841571, 'for their survival': 326873, 'their survival though': 874930, 'survival though some': 829090, 'though some consumer': 892890, 'some consumer facing': 782594, 'consumer facing industry': 197438, 'facing industry closed': 295504, 'industry closed airline': 435732, 'closed airline hotel': 182961, 'airline hotel many': 39968, 'hotel many have': 405160, 'many have been': 514121, 'keep running because': 471867, 'running because of': 727934, 'of the ubiquity': 591566, 'the ubiquity of': 870182, 'ubiquity of telecom': 937859, 'of telecom network': 590642, 'getting social': 349292, 'social ish': 779815, 'ish in': 454217, 'getting social ish': 349293, 'social ish in': 779816, 'ish in the': 454218, 'supermarket the single': 823248, 'the single bar': 867218, 'single bar for': 771242, 'bar for the': 110708, 'for the age': 326297, 'sure to stay': 827784, 'stay foot apart': 796871, 'foot apart from': 318343, 'you propose': 1020466, 'propose an': 684495, 'service similar': 752830, 'that offered': 845464, 'many pensioner': 514481, 'pensioner and': 646676, 'income shop': 432457, 'reason auspol': 702871, 'do you propose': 250662, 'you propose an': 1020467, 'propose an online': 684496, 'shopping service similar': 763848, 'service similar to': 752831, 'similar to that': 769941, 'to that offered': 916458, 'that offered by': 845465, 'offered by many': 594913, 'by many pensioner': 153163, 'many pensioner and': 514482, 'pensioner and lower': 646677, 'and lower income': 66454, 'lower income shop': 505888, 'income shop with': 432458, 'shop with you': 761065, 'with you for': 1002149, 'you for good': 1018639, 'for good reason': 321942, 'good reason auspol': 357634, 'thao': 842417, 'gaslighting': 344202, 'anthem': 78229, 'hand say': 375745, 'yeah death': 1014247, 'death cab': 229993, 'cab for': 154928, 'elderly broken': 270620, 'broken social': 140913, 'distancing pandemic': 247390, 'pandemic bear': 634981, 'bear we': 118425, 'were promised': 980002, 'promised testing': 683729, 'testing pack': 839595, 'pack ok': 633120, 'ok shelter': 597870, 'place panic': 657649, 'sanitizer romance': 735665, 'romance thao': 725727, 'thao the': 842418, 'the gaslighting': 856178, 'gaslighting anthem': 344203, 'anthem wolf': 78234, 'wolf parade': 1003368, 'parade canceled': 641292, 'your hand say': 1024221, 'hand say yeah': 375746, 'say yeah death': 739504, 'yeah death cab': 1014248, 'death cab for': 229994, 'cab for elderly': 154929, 'for elderly broken': 320989, 'elderly broken social': 270621, 'broken social distancing': 140914, 'social distancing pandemic': 779683, 'distancing pandemic bear': 247391, 'pandemic bear we': 634982, 'bear we were': 118426, 'we were promised': 973805, 'were promised testing': 980003, 'promised testing pack': 683730, 'testing pack ok': 839596, 'pack ok shelter': 633121, 'ok shelter in': 597871, 'in place panic': 426755, 'place panic at': 657650, 'store my hand': 809010, 'hand sanitizer romance': 375569, 'sanitizer romance thao': 735666, 'romance thao the': 725728, 'thao the go': 842419, 'the go home': 856382, 'go home stay': 353673, 'home the gaslighting': 402233, 'the gaslighting anthem': 856179, 'gaslighting anthem wolf': 344204, 'anthem wolf parade': 78235, 'wolf parade canceled': 1003369, 'thingstodowithkids': 885056, 'little grocery': 495376, 'grocery mini': 364730, 'supermarket using': 823625, 'your monopoly': 1024875, 'monopoly money': 537431, 'money cash': 536662, 'cash thingstodowithkids': 166346, 'thingstodowithkids corona': 885057, 'set up little': 753565, 'up little grocery': 945334, 'little grocery mini': 495377, 'grocery mini supermarket': 364731, 'mini supermarket using': 533032, 'supermarket using the': 823626, 'using the item': 950701, 'the item in': 858606, 'item in your': 463364, 'your home use': 1024383, 'home use your': 402414, 'use your monopoly': 949839, 'your monopoly money': 1024876, 'monopoly money cash': 537432, 'money cash thingstodowithkids': 536663, 'cash thingstodowithkids corona': 166347, 'store operate': 809285, 'operate keeping': 612997, 'keeping customer': 472402, 'the know': 858845, 'critical right': 218643, 'retail conveniencestores': 718002, 'conveniencestores cstores': 202384, 'cstores fridaythoughts': 220077, 'with the changing': 1001228, 'the changing the': 850686, 'the way your': 871210, 'way your store': 970212, 'your store operate': 1025981, 'store operate keeping': 809286, 'operate keeping customer': 612998, 'keeping customer in': 472404, 'in the know': 429302, 'the know is': 858846, 'know is critical': 476505, 'is critical right': 446943, 'critical right now': 218644, 'right now 19': 722014, 'now 19 retail': 573896, '19 retail conveniencestores': 10201, 'retail conveniencestores cstores': 718003, 'conveniencestores cstores fridaythoughts': 202385, 'hul heard': 410350, 'that hul': 844396, 'hul is': 410354, 'soap product': 779089, 'amid health': 52498, 'crisis totally': 218269, 'totally unacceptable': 926400, 'unacceptable and': 939357, 'and unethical': 74654, 'unethical take': 941340, 'take inspiration': 832225, 'inspiration from': 439796, 'from 3m': 334284, '3m that': 18339, 'mask hul': 518813, 'hul please': 410356, 'explain you': 292143, 'you decision': 1018163, 'decision news': 231059, 'hul heard on': 410351, 'heard on news': 388130, 'on news that': 602393, 'news that hul': 560860, 'that hul is': 844397, 'hul is going': 410355, 'of soap product': 589827, 'soap product amid': 779090, 'product amid health': 680856, 'amid health crisis': 52499, 'health crisis totally': 386354, 'crisis totally unacceptable': 218270, 'totally unacceptable and': 926402, 'unacceptable and unethical': 939358, 'and unethical take': 74656, 'unethical take inspiration': 941341, 'take inspiration from': 832226, 'inspiration from 3m': 439797, 'from 3m that': 334285, '3m that ha': 18340, 'that ha not': 844126, 'ha not increased': 371367, 'not increased price': 570129, 'increased price for': 433414, 'for mask hul': 323274, 'mask hul please': 518814, 'hul please explain': 410357, 'please explain you': 659983, 'explain you decision': 292144, 'you decision news': 1018164, 'bill in': 130596, 'of round': 589163, 'clear more': 181287, 'done offered': 254957, 'what help is': 981595, 'available for people': 104377, 'struggling with rent': 814545, 'with rent council': 1000456, 'and bill in': 58972, 'bill in the': 130597, 'face of round': 294672, 'of round up': 589164, 'up the latest': 946189, 'latest and it': 481212, 'pretty clear more': 671377, 'clear more need': 181289, 'be done offered': 114562, 'outside tesco': 629580, 'half six': 374261, 'six this': 772700, 'morning stayhomechallenge': 541462, 'stayhomechallenge stoppanicbuying': 798291, 'stoppanicbuying stockpiling': 805620, 'queue outside tesco': 694039, 'outside tesco at': 629581, 'tesco at half': 838677, 'at half six': 98837, 'half six this': 374262, 'six this morning': 772701, 'this morning stayhomechallenge': 889018, 'morning stayhomechallenge stoppanicbuying': 541463, 'stayhomechallenge stoppanicbuying stockpiling': 798292, 'old generic': 598261, 'generic medication': 345689, 'medication am': 526619, 'am appalled': 49895, 'appalled wa': 81831, 'that 90': 842472, 'me almost': 522375, 'almost 600': 46520, '600 if': 21089, 'only cover': 610287, 'cover one': 212272, 'usually about': 951082, 'about 40': 24710, 'me too this': 523826, 'is an old': 445684, 'an old generic': 56587, 'old generic medication': 598262, 'generic medication am': 345690, 'medication am appalled': 526620, 'am appalled wa': 49897, 'appalled wa told': 81832, 'wa told today': 963547, 'today that 90': 920264, 'that 90 day': 842473, '90 day will': 23290, 'day will cost': 228768, 'will cost me': 993049, 'cost me almost': 208014, 'me almost 600': 522376, 'almost 600 if': 46521, '600 if they': 21090, 'can find it': 158326, 'find it because': 306983, 'it because my': 456753, 'because my insurance': 119262, 'my insurance will': 548869, 'insurance will only': 440836, 'will only cover': 994329, 'only cover one': 610288, 'cover one month': 212273, 'one month it': 606683, 'month it is': 537807, 'it is usually': 459121, 'is usually about': 453640, 'usually about 40': 951083, 'about 40 per': 24711, '40 per month': 18638, 'the alabama': 848541, 'alabama department': 40616, 'insurance ha': 440741, 'compiled important': 191821, 'insurer providing': 440896, 'providing coverage': 686961, 'consumer service the': 198950, 'service the alabama': 752929, 'the alabama department': 848542, 'alabama department of': 40617, 'of insurance ha': 585234, 'insurance ha compiled': 440742, 'ha compiled important': 370215, 'compiled important information': 191822, 'important information from': 418840, 'information from health': 437841, 'from health insurer': 335747, 'health insurer providing': 386558, 'insurer providing coverage': 440897, 'providing coverage in': 686962, 'coverage in alabama': 212357, 'teamboss': 835846, 'jobsite': 466361, 'bosscrane': 135762, 'localfoodtrucks': 498727, 'cranelife': 214854, 'windfarm': 995649, 'teamboss in': 835847, 'fort stockton': 329785, 'stockton not': 804161, 'our management': 623849, 'management team': 512640, 'team reach': 835758, 'could service': 209655, 'the jobsite': 858681, 'jobsite since': 466367, 'since food': 770601, 'demand bosscrane': 235067, 'bosscrane localfoodtrucks': 135763, 'localfoodtrucks cranelife': 498728, 'cranelife windfarm': 214855, 'teamboss in fort': 835848, 'in fort stockton': 423055, 'fort stockton not': 329786, 'stockton not letting': 804162, 'not letting the': 570384, 'letting the covid': 487444, '19 get them': 7202, 'get them down': 348358, 'them down our': 875626, 'down our management': 257068, 'our management team': 623850, 'management team reach': 512641, 'team reach out': 835759, 'out to some': 627683, 'to some local': 914881, 'some local food': 783210, 'local food truck': 497976, 'food truck to': 317369, 'truck to see': 932870, 'if they could': 415102, 'they could service': 881839, 'could service the': 209656, 'service the jobsite': 752932, 'the jobsite since': 858682, 'jobsite since food': 466368, 'since food is': 770603, 'in such high': 428525, 'such high demand': 816552, 'high demand bosscrane': 394994, 'demand bosscrane localfoodtrucks': 235068, 'bosscrane localfoodtrucks cranelife': 135764, 'localfoodtrucks cranelife windfarm': 498729, 'cart with': 165428, 'them remember': 876215, 'photo it': 655186, 'not who': 572504, 'time you panic': 898410, 'you panic at': 1020281, 'paper or decide': 640547, 'fill your cart': 305519, 'your cart with': 1023156, 'cart with the': 165430, 'last of them': 480416, 'of them remember': 591759, 'them remember this': 876216, 'remember this photo': 710352, 'this photo it': 889561, 'photo it not': 655187, 'it not who': 459935, 'not who are': 572506, 'who are really': 988204, 'are really suffering': 89488, 'get dedicated': 346851, 'healthcare and emergency': 387027, 'and emergency service': 62039, 'service worker get': 753096, 'worker get dedicated': 1007022, 'get dedicated shopping': 346852, 'dedicated shopping time': 231733, 'ontag': 611568, 'produce good': 680283, 'these difficulty': 879926, 'difficulty please': 242397, 'everyone the': 287464, 'eat by': 265872, 'safe ontag': 729859, 'rest assured that': 716151, 'that the agriculture': 846658, 'the agriculture sector': 848465, 'agriculture sector is': 39033, 'sector is going': 744245, 'going to continue': 355557, 'to produce good': 912195, 'produce good food': 680284, 'good food through': 357064, 'food through these': 317212, 'through these difficulty': 894794, 'these difficulty please': 879927, 'difficulty please give': 242398, 'please give everyone': 660027, 'give everyone the': 350481, 'everyone the chance': 287465, 'chance to eat': 171797, 'to eat by': 904873, 'eat by not': 265873, 'buying keep calm': 150625, 'calm and stay': 156697, 'stay safe ontag': 797260, 'threeseashells': 894133, 'demolitionman': 236808, 'security we': 744786, 'finally tell': 306114, 'how these': 408905, 'work threeseashells': 1005863, 'threeseashells demolitionman': 894134, 'demolitionman toiletpaper': 236811, 'matter of national': 520611, 'of national security': 586865, 'national security we': 552614, 'security we demand': 744787, 'demand that you': 236344, 'that you finally': 847721, 'you finally tell': 1018566, 'finally tell how': 306115, 'tell how these': 836984, 'how these damn': 408907, 'these damn thing': 879855, 'damn thing work': 225444, 'thing work threeseashells': 885017, 'work threeseashells demolitionman': 1005864, 'threeseashells demolitionman toiletpaper': 894135, 'the bad': 849168, 'the good the': 856451, 'good the bad': 357825, 'the bad and': 849169, 'bad and the': 107762, 'all boil': 42195, 'boil down': 134047, 'down back': 256541, 'into hospitality': 442644, 'full service': 340874, 'service pandemic': 752686, 'it all boil': 456338, 'all boil down': 42196, 'boil down back': 134048, 'down back to': 256542, 'back to one': 107384, 'to one thing': 910924, 'one thing and': 607216, 'thing and that': 884136, 'confidence in coming': 193898, 'in coming back': 421585, 'coming back into': 188004, 'back into hospitality': 107112, 'into hospitality restaurant': 442645, 'hospitality restaurant and': 404793, 'restaurant and back': 716273, 'and back into': 58618, 'back into full': 107110, 'into full service': 442578, 'full service pandemic': 340875, 'there curfew': 878298, 'curfew organised': 220910, 'pm tomorrow': 662015, 'tomorrow india': 924104, 'is sky': 451955, '19 soo': 10705, 'confusion and': 194377, 'and tension': 73121, 'tension around': 837978, 'there curfew organised': 878299, 'curfew organised by': 220911, 'organised by the': 619315, 'by the pm': 154410, 'the pm tomorrow': 863882, 'pm tomorrow india': 662016, 'tomorrow india the': 924105, 'india the price': 434642, 'price of everything': 675447, 'everything is sky': 287885, 'is sky high': 451956, 'sky high and': 773197, 'high and dad': 394920, 'and dad is': 60901, 'dad is in': 224353, 'is in hospital': 448778, 'hospital for covid': 404407, 'covid 19 soo': 213833, '19 soo much': 10706, 'soo much of': 785589, 'much of confusion': 545187, 'of confusion and': 581671, 'confusion and tension': 194378, 'and tension around': 73122, 'coughing next': 208707, 'look on my': 502556, 'on my face': 602281, 'face when someone': 294849, 'when someone is': 984058, 'someone is coughing': 784527, 'is coughing next': 446859, 'coughing next to': 208708, 'store without mask': 811422, 'without mask on': 1002776, '10yrs': 2425, 'so unfair': 778602, 'unfair disabled': 941421, 'over 10yrs': 629776, '10yrs can': 2426, 'even book': 283900, 'supermarket greedy': 820567, 'greedy arsehole': 363476, 'arsehole have': 94089, 'taken them': 833077, 'it so unfair': 461135, 'so unfair disabled': 778603, 'unfair disabled person': 941422, 'disabled person who': 243950, 'who ha done': 988843, 'ha done online': 370419, 'done online food': 254964, 'shopping for over': 762703, 'for over 10yrs': 324323, 'over 10yrs can': 629777, '10yrs can even': 2427, 'can even book': 158247, 'even book slot': 283902, 'book slot on': 134599, 'slot on any': 774244, 'any supermarket greedy': 79897, 'supermarket greedy arsehole': 820568, 'greedy arsehole have': 363477, 'arsehole have taken': 94090, 'have taken them': 382918, 'taken them all': 833078, 'translation': 929714, 'is translation': 453336, 'translation of': 929715, 'of angela': 580200, 'merkel tv': 529180, 'tv address': 936076, 'address on': 32005, 'lockdown unlike': 500095, 'unlike our': 942718, 'our uk': 625220, 'government she': 360590, 'her way': 392511, 'here is translation': 393255, 'is translation of': 453337, 'translation of angela': 929716, 'of angela merkel': 580201, 'angela merkel tv': 76341, 'merkel tv address': 529181, 'tv address on': 936077, 'address on the': 32007, 'on the and': 603970, 'the and lockdown': 848706, 'and lockdown unlike': 66325, 'lockdown unlike our': 500096, 'unlike our uk': 942719, 'our uk government': 625221, 'uk government she': 938416, 'government she went': 360591, 'she went out': 756463, 'went out of': 979091, 'of her way': 584589, 'her way to': 392512, 'staff because we': 792258, 'together and each': 920689, 'and each of': 61834, 'each of is': 264134, 'of is important': 585318, 'is important the': 448734, 'important the next': 419017, 'hot topic': 405056, 'topic closing': 925779, 'hot topic closing': 405058, 'topic closing all': 925780, '19 will pay': 12107, 'will pay all': 994387, 'pay all employee': 644712, 'fleer': 310318, 'classwarfare': 180384, 'rich panic': 721246, 'panic fleer': 638103, 'fleer bought': 310319, 'available food': 104353, 'not hunker': 570033, 'out partying': 627017, 'partying classwarfare': 643068, 'after the rich': 36351, 'the rich panic': 865782, 'rich panic fleer': 721247, 'panic fleer bought': 638104, 'fleer bought all': 310320, 'the available food': 849088, 'available food they': 104354, 'food they did': 317167, 'did not hunker': 240718, 'not hunker down': 570034, 'hunker down at': 411334, 'down at home': 256536, 'home instead they': 401432, 'instead they went': 440373, 'they went out': 883743, 'went out partying': 979094, 'out partying classwarfare': 627018, 'gov want': 359730, 'slot anywhere': 774113, 'anywhere staythefuckhome': 81152, 'staythefuckhome 19': 799069, 'the gov want': 856494, 'gov want to': 359731, 'stay in but': 797040, 'in but there': 421099, 'no online supermarket': 564996, 'delivery slot anywhere': 234505, 'slot anywhere staythefuckhome': 774114, 'anywhere staythefuckhome 19': 81153, 'and relieve': 70205, 'relieve those': 709542, 'there convert': 878283, 'convert store': 202537, 'store purchase': 809705, 'and telephone': 73087, 'telephone channel': 836804, 'channel covid': 172877, '19 proposal': 9849, 'proposal for': 684457, 'and it necessary': 65559, 'necessary to reduce': 554124, 'reduce the number': 705968, 'supermarket and relieve': 819048, 'and relieve those': 70206, 'relieve those who': 709543, 'work there convert': 1005828, 'there convert store': 878284, 'convert store purchase': 202538, 'store purchase to': 809707, 'purchase to online': 689702, 'to online and': 910930, 'online and telephone': 607854, 'and telephone channel': 73088, 'telephone channel covid': 836805, 'channel covid 19': 172878, 'covid 19 proposal': 213621, '19 proposal for': 9850, 'proposal for the': 684459, 'the food retail': 855596, 'food retail industry': 316207, 'health sex': 386844, 'sex and': 754194, 'department micro': 237226, 'micro target': 530430, 'target test': 834510, 'test aid': 838902, 'age health sex': 37833, 'health sex and': 386845, 'sex and where': 754195, 'and where will': 75542, 'where will go': 985358, 'will go then': 993559, 'health department micro': 386374, 'department micro target': 237227, 'micro target test': 530431, 'target test aid': 834511, 'test aid can': 838903, 'hawke': 384468, 'innate': 438782, 'laziness': 482732, 'overrules': 631441, 'wa literally': 962570, 'literally couple': 494973, 'of hundred': 584901, 'hundred metre': 410987, 'when heard': 983561, 'first hawke': 308706, 'hawke bay': 384469, 'bay covid': 112930, 'case today': 166079, 'today considered': 919401, 'considered quick': 195321, 'quick bit': 694279, 'my innate': 548854, 'innate laziness': 438783, 'laziness overrules': 482735, 'overrules any': 631442, 'can muster': 159017, 'muster this': 547034, 'most kiwi': 542471, 'kiwi thing': 475852, 'wa literally couple': 962571, 'literally couple of': 494974, 'couple of hundred': 211640, 'of hundred metre': 584902, 'hundred metre from': 410988, 'metre from supermarket': 529851, 'from supermarket when': 337510, 'supermarket when heard': 823799, 'when heard about': 983562, 'about the first': 26398, 'the first hawke': 855314, 'first hawke bay': 308707, 'hawke bay covid': 384470, 'bay covid 19': 112931, '19 case today': 5704, 'case today considered': 166080, 'today considered quick': 919402, 'considered quick bit': 195322, 'quick bit of': 694280, 'buying but it': 150065, 'but it turn': 146175, 'turn out my': 935737, 'out my innate': 626600, 'my innate laziness': 548855, 'innate laziness overrules': 438785, 'laziness overrules any': 482736, 'overrules any panic': 631443, 'any panic can': 79622, 'panic can muster': 637992, 'can muster this': 159018, 'muster this is': 547035, 'the most kiwi': 861005, 'most kiwi thing': 542472, 'kiwi thing ve': 475853, 'should dad': 765895, 'dad be': 224291, 'during homeschooling': 262696, 'homeschooling and': 402935, 'prep online': 670007, 'shopping learning': 763151, 'learning new': 484221, 'new skill': 559604, 'skill spring': 772976, 'spring cleaning': 791187, 'cleaning easter': 180939, 'easter craft': 265405, 'craft baking': 214758, 'baking what': 108933, 'what should dad': 982183, 'should dad be': 765896, 'dad be doing': 224292, 'be doing during': 114514, 'doing during homeschooling': 252364, 'during homeschooling and': 262697, 'homeschooling and working': 402936, 'from home meal': 335879, 'home meal prep': 401604, 'meal prep online': 524251, 'prep online shopping': 670008, 'online shopping learning': 609170, 'shopping learning new': 763152, 'learning new skill': 484222, 'new skill spring': 559607, 'skill spring cleaning': 772977, 'spring cleaning easter': 791188, 'cleaning easter craft': 180940, 'easter craft baking': 265406, 'craft baking what': 214759, 'baking what else': 108934, 'effort throughout': 269606, 'against we': 37740, 'fight hope': 304769, 'hope trader': 403755, 'trader will': 928804, 'citizen were': 178994, 'were doing': 979531, 'for your effort': 328144, 'your effort throughout': 1023629, 'effort throughout this': 269607, 'throughout this fight': 894994, 'fight against we': 304643, 'against we are': 37741, 'are with you': 91656, 'you in this': 1019324, 'this fight hope': 887544, 'fight hope trader': 304770, 'hope trader will': 403756, 'trader will not': 928806, 'will not hoard': 994232, 'not hoard the': 569986, 'hoard the good': 398880, 'the good and': 856427, 'good and raise': 356746, 'and raise the': 69910, 'the price many': 864385, 'price many of': 675166, 'our citizen were': 622369, 'citizen were doing': 178995, 'were doing their': 979533, 'their job on': 873728, 'job on daily': 466048, 'on daily wage': 600208, 'you healthcare': 1019171, 'clock grocery': 182404, 'other courageous': 620033, 'courageous hero': 211792, 'thank you healthcare': 841745, 'you healthcare professional': 1019173, 'healthcare professional who': 387244, 'professional who are': 682519, 'tirelessly working around': 899096, 'the clock grocery': 851033, 'clock grocery store': 182405, 'are keeping shelf': 87663, 'shelf stocked with': 757589, 'essential and all': 280774, 'the other courageous': 862518, 'other courageous hero': 620034, 'courageous hero who': 211793, 'hero who put': 394171, 'who put themselves': 989482, 'line to combat': 493482, 'combat the challenge': 187047, 'tv is': 936126, 'definitely seeing': 232387, 'seeing resurgence': 746445, 'resurgence during': 717781, 'just show': 469790, 'time towards': 898126, 'towards staff': 927247, 'can greatly': 158532, 'impact moving': 417741, 'tv is definitely': 936127, 'is definitely seeing': 447088, 'definitely seeing resurgence': 232388, 'seeing resurgence during': 746446, 'resurgence during this': 717782, 'it just show': 459242, 'just show that': 469791, 'show that how': 767185, 'that how you': 844388, 'how you act': 409269, 'you act during': 1016793, 'act during these': 29632, 'these time towards': 880853, 'time towards staff': 898127, 'towards staff etc': 927248, 'staff etc can': 792419, 'etc can greatly': 282462, 'can greatly impact': 158533, 'greatly impact moving': 363319, 'impact moving forward': 417742, 'mingling': 532984, 'the gen': 856200, 'gen pub': 345227, 'why no': 991207, 'glove people': 352856, 'group between': 366617, 'making social': 511351, 'distancing all': 246950, 'but impossible': 146016, 'impossible family': 419372, 'and mingling': 67038, 'mingling with': 532985, 'other family': 620214, 'everyone just': 287131, 'decided they': 230893, 'were over': 979955, 'huge shift in': 410194, 'in the gen': 429233, 'the gen pub': 856201, 'gen pub no': 345228, 'pub no idea': 687738, 'idea why no': 413246, 'why no one': 991208, 'or glove people': 615477, 'glove people are': 352857, 'coming in large': 188094, 'large group between': 479681, 'group between people': 366618, 'between people making': 128856, 'people making social': 648734, 'making social distancing': 511352, 'social distancing all': 779548, 'distancing all but': 246951, 'all but impossible': 42250, 'but impossible family': 146017, 'impossible family coming': 419373, 'family coming in': 297713, 'in and mingling': 420375, 'and mingling with': 67039, 'mingling with other': 532986, 'with other family': 999951, 'other family it': 620215, 'family it like': 297964, 'it like everyone': 459359, 'like everyone just': 490192, 'everyone just decided': 287132, 'just decided they': 468561, 'decided they were': 230896, 'they were over': 883792, 'were over it': 979956, 'encourage all': 275568, 'distancing keep': 247270, 'of metre': 586456, 'into close': 442461, 'we encourage all': 971447, 'encourage all resident': 275569, 'all resident to': 44168, 'resident to practice': 714382, 'social distancing keep': 779643, 'distancing keep distance': 247271, 'distance of metre': 246784, 'of metre from': 586457, 'metre from others': 529849, 'others and limit': 621260, 'and limit the': 66180, 'of people you': 588031, 'people you come': 650569, 'you come into': 1017990, 'come into close': 187387, 'into close contact': 442462, 'contact with this': 200294, 'with this help': 1001702, 'this help to': 887900, 'help to prevent': 390787, 'mask follow': 518654, 'follow what': 312585, 'what authority': 981078, 'didn stock': 241210, 'item useless': 463785, 'useless not': 950236, 'instead boosting': 440154, 'boosting immune': 135076, 'thinking not': 885947, 'not bored': 568591, 'buy mask follow': 148941, 'mask follow what': 518655, 'follow what authority': 312586, 'what authority say': 981079, 'sanitizer using soap': 735998, 'using soap didn': 950656, 'soap didn stock': 778981, 'didn stock food': 241211, 'stock food item': 802136, 'food item useless': 315240, 'item useless not': 463786, 'useless not in': 950237, 'mode instead boosting': 535180, 'instead boosting immune': 440155, 'boosting immune system': 135077, 'positive thinking not': 665469, 'thinking not bored': 885948, 'not bored doing': 568592, 'surged much': 828311, 'much nearly': 545139, 'cent bouncing': 169040, 'bouncing back': 136845, 'of heavy': 584526, 'heavy loss': 388645, 'in relief': 427376, 'relief rally': 709453, 'rally that': 696286, 'yet be': 1016008, 'lived analyst': 496150, 'analyst warned': 57195, 'price have surged': 674465, 'have surged much': 382872, 'surged much nearly': 828312, 'much nearly 20': 545140, 'per cent bouncing': 650746, 'cent bouncing back': 169041, 'bouncing back from': 136846, 'back from day': 107006, 'from day of': 335109, 'day of heavy': 228073, 'of heavy loss': 584527, 'heavy loss in': 388646, 'loss in relief': 503708, 'in relief rally': 427377, 'relief rally that': 709454, 'rally that may': 696287, 'that may yet': 845093, 'may yet be': 521622, 'yet be short': 1016009, 'short lived analyst': 764642, 'lived analyst warned': 496151, '19 globally': 7222, 'locally we': 498785, 'update you': 947334, 'precaution we': 669398, 'taking in': 833402, 'the rochester': 865948, 'rochester optical': 724881, 'optical retail': 613879, 'store along': 806148, 'manufacturing area': 513561, 'our patient': 624295, 'we are keeping': 970603, 'are keeping close': 87649, 'covid 19 globally': 213147, '19 globally and': 7223, 'globally and locally': 352371, 'and locally we': 66311, 'locally we want': 498786, 'want to update': 966150, 'to update you': 917981, 'update you on': 947336, 'on the precaution': 604298, 'the precaution we': 864211, 'precaution we are': 669399, 'are taking in': 90723, 'taking in the': 833403, 'in the rochester': 429520, 'the rochester optical': 865949, 'rochester optical retail': 724882, 'optical retail store': 613880, 'retail store along': 718603, 'store along with': 806149, 'with our manufacturing': 1000005, 'our manufacturing area': 623858, 'manufacturing area the': 513562, 'area the health': 92225, 'of our patient': 587532, 'our patient and': 624296, 'patient and staff': 644139, 'week canadian': 976064, 'level ever': 487557, 'ever canada': 285245, 'canada consumer': 160401, 'this week canadian': 891197, 'week canadian consumer': 976065, 'canadian consumer confidence': 160657, 'confidence plunge to': 193938, 'plunge to lowest': 661466, 'lowest level ever': 506184, 'level ever canada': 487558, 'ever canada consumer': 285246, 'canada consumer economy': 160402, 'consumer economy business': 197302, 'economy business businessnews': 267717, 'electronics chain': 271284, 'chain best': 170552, 'america largest consumer': 51591, 'largest consumer electronics': 479935, 'consumer electronics chain': 197333, 'electronics chain best': 271285, 'chain best buy': 170553, 'best buy is': 127612, 'buy is temporarily': 148840, 'it store it': 461293, 'store it moving': 808586, 'it moving to': 459701, 'moving to curbside': 544204, 'to curbside delivery': 903812, 'curbside delivery service': 220621, 'service it try': 752535, 'it try to': 461877, 'sprung': 791314, 'spender': 788703, 'spring ha': 791210, 'ha officially': 371422, 'officially sprung': 596023, 'sprung watch': 791318, 'this bloom': 886581, 'bloom nearly': 133253, 'million monthly': 532242, 'monthly consumer': 538163, 'consumer spender': 199038, 'spender and': 788704, 'spring ha officially': 791211, 'ha officially sprung': 371425, 'officially sprung watch': 596024, 'sprung watch this': 791319, 'watch this bloom': 968570, 'this bloom nearly': 886582, 'bloom nearly million': 133254, 'nearly million monthly': 553844, 'million monthly consumer': 532243, 'monthly consumer spender': 538164, 'consumer spender and': 199039, 'spender and growing': 788705, 'pittis': 657025, 'confuse': 194316, 'don pittis': 253825, 'pittis analysis': 657026, 'analysis return': 57074, 'to inflation': 908375, 'inflation sparked': 437245, 'will confuse': 992987, 'confuse many': 194317, 'seen it': 747098, 'it don': 457656, 'pittis cbc': 657028, 'news cdnpoli': 560304, 'don pittis analysis': 253826, 'pittis analysis return': 657027, 'analysis return to': 57075, 'return to inflation': 719919, 'to inflation sparked': 908376, 'inflation sparked by': 437246, 'sparked by spending': 787576, 'by spending will': 154091, 'spending will confuse': 789054, 'will confuse many': 992988, 'confuse many who': 194318, 'never seen it': 558175, 'seen it don': 747102, 'it don pittis': 457659, 'don pittis cbc': 253827, 'pittis cbc news': 657029, 'cbc news cdnpoli': 168280, 'gone too': 356402, 'the food get': 855553, 'food get for': 314650, 'get for my': 347084, 'my dog is': 548020, 'dog is out': 252120, 'of stock covid': 590154, '19 ha gone': 7349, 'ha gone too': 370733, 'gone too far': 356403, 'police crime': 662961, 'crime pandemic': 216792, 'pandemic asshole': 634958, 'store police crime': 809606, 'police crime pandemic': 662962, 'crime pandemic asshole': 216793, 'nymc': 578105, 'nymcshsp': 578108, 'clothes afterwards': 184133, 'afterwards is': 36748, 'is precaution': 450980, 'precaution but': 669296, 'necessary advises': 553945, 'advises former': 33684, 'official dean': 595799, 'of nymc': 587127, 'nymc school': 578106, 'science practice': 742124, 'amler nymcshsp': 52872, 'nymcshsp 2019ncov': 578109, '2019ncov sarscov2': 14063, 'sarscov2 publichealth': 736856, 'washing your clothes': 967757, 'your clothes afterwards': 1023241, 'clothes afterwards is': 184134, 'afterwards is precaution': 36750, 'is precaution but': 450981, 'precaution but not': 669298, 'but not necessary': 146547, 'not necessary advises': 570632, 'necessary advises former': 553946, 'advises former official': 33685, 'former official dean': 329652, 'official dean of': 595800, 'dean of nymc': 229732, 'of nymc school': 587128, 'nymc school of': 578107, 'health science practice': 386830, 'science practice robert': 742125, 'robert amler nymcshsp': 724699, 'amler nymcshsp 2019ncov': 52873, 'nymcshsp 2019ncov sarscov2': 578110, '2019ncov sarscov2 publichealth': 14065, 'letsnotbecomeitaly': 487273, 're medical': 699033, 'or private': 616703, 'private practice': 678964, 'practice stay': 668667, 'coronacrisis letsnotbecomeitaly': 204652, 'pharmacy or you': 654405, 'you re medical': 1020676, 're medical worker': 699034, 'medical worker in': 526506, 'worker in hospital': 1007176, 'hospital or private': 404543, 'or private practice': 616705, 'private practice stay': 678965, 'practice stay at': 668668, 'home coronacrisis letsnotbecomeitaly': 400939, 'in mkt': 425381, 'mkt meat': 534694, 'dept had': 237736, 'demand chopped': 235140, 'chopped meat': 177974, 'meat she': 525737, 'wa none': 962744, 'none he': 566570, 'he blew': 384790, 'blew his': 132659, 'nose in': 567893, 'in tissue': 430098, 'and threw': 74082, 'threw it': 894165, 'her think': 392442, 'an assault': 55437, 'assault charge': 96313, 'woman in mkt': 1003517, 'in mkt meat': 425382, 'mkt meat dept': 534695, 'meat dept had': 525543, 'dept had customer': 237737, 'had customer demand': 373007, 'customer demand chopped': 222297, 'demand chopped meat': 235141, 'chopped meat she': 177975, 'meat she said': 525738, 'she said there': 756315, 'there wa none': 879254, 'wa none he': 962745, 'none he blew': 566571, 'he blew his': 384791, 'blew his nose': 132660, 'his nose in': 397648, 'nose in tissue': 567895, 'in tissue and': 430099, 'tissue and threw': 899125, 'and threw it': 74083, 'threw it at': 894166, 'it at her': 456616, 'at her think': 98891, 'her think that': 392443, 'think that an': 885587, 'that an assault': 842641, 'an assault charge': 55438, 'is shutdown': 451905, 'shutdown for': 768028, 'day casino': 227437, 'closing this': 183790, 'single gaming': 771303, 'gaming machine': 343360, 'station grocery': 796415, 'nevada is shutdown': 557834, 'is shutdown for': 451906, 'shutdown for 30': 768029, '30 day casino': 17016, 'day casino are': 227438, 'all closing this': 42378, 'closing this is': 183791, 'is our economy': 450618, 'economy every single': 267849, 'every single gaming': 286183, 'single gaming machine': 771304, 'gaming machine is': 343361, 'machine is to': 507387, 'to be turned': 901605, 'gas station grocery': 344112, 'station grocery store': 796416, 'essential business are': 280839, 'spoiled': 789692, 'wonder where': 1004026, 'these panicked': 880392, 'buyer keep': 149675, 'food bet': 313730, 'trash there': 930176, 'be bag': 113798, 'of spoiled': 589984, 'spoiled food': 789697, 'were bought': 979389, 'away out': 105992, 'of convenience': 581856, 'wonder where all': 1004027, 'all these panicked': 45046, 'these panicked buyer': 880393, 'panicked buyer keep': 639258, 'buyer keep their': 149676, 'keep their food': 472087, 'their food bet': 873338, 'food bet the': 313731, 'bet the next': 128110, 'next day in': 561330, 'the trash there': 869923, 'trash there will': 930177, 'will be bag': 992372, 'be bag of': 113799, 'bag of spoiled': 108367, 'of spoiled food': 589985, 'spoiled food that': 789698, 'food that were': 317106, 'that were bought': 847436, 'were bought out': 979390, 'bought out of': 136673, 'fear and thrown': 301042, 'thrown away out': 895132, 'away out of': 105993, 'out of convenience': 626707, 'anc': 57298, 'stockpiling more': 804022, 'homeless going': 402751, 'because expansion': 119054, 'expansion is': 290557, 'killing business': 474663, 'people employed': 647775, 'the anc': 848673, 'anc want': 57299, 'therefore take': 879463, 'moral high': 538402, 'high ground': 395104, 'in saving': 427713, 'life covid': 488576, 'you better start': 1017466, 'better start stockpiling': 128488, 'start stockpiling more': 794524, 'stockpiling more food': 804023, 'more food for': 539242, 'the homeless going': 857468, 'homeless going hungry': 402752, 'going hungry because': 355203, 'hungry because expansion': 411226, 'because expansion is': 119055, 'expansion is killing': 290558, 'is killing business': 449202, 'killing business that': 474664, 'business that keep': 144481, 'that keep people': 844805, 'keep people employed': 471786, 'people employed the': 647778, 'employed the anc': 273495, 'the anc want': 848674, 'anc want to': 57300, 'want to vote': 966152, 'vote and therefore': 960471, 'and therefore take': 73869, 'therefore take the': 879464, 'take the moral': 832663, 'the moral high': 860871, 'moral high ground': 538403, 'high ground in': 395105, 'ground in saving': 366514, 'in saving life': 427714, 'saving life covid': 737907, 'life covid 19': 488577, 'trepidation': 931604, 'gmsd': 353203, 'open hr': 612312, 'hr early': 409611, 'give senior': 350686, 'senior 65': 750178, 'and opportunity': 68196, 'fear or': 301268, 'or trepidation': 617532, 'trepidation gmsd': 931605, 'store will open': 811340, 'will open hr': 994346, 'open hr early': 612313, 'hr early to': 409612, 'early to give': 264729, 'to give senior': 906709, 'give senior 65': 350688, 'senior 65 and': 750179, '65 and the': 21338, 'the disabled and': 853330, 'disabled and opportunity': 243877, 'and opportunity to': 68198, 'opportunity to shop': 613724, 'shop without fear': 761071, 'without fear or': 1002645, 'fear or trepidation': 301272, 'or trepidation gmsd': 617533, 'repurchased': 713084, 'many raid': 514615, 'raid fresh': 695599, 'completely repurchased': 192343, 'repurchased and': 713085, 'every section': 286152, 'section is': 744013, 'it peak': 460284, 'peak corvid19uk': 646057, 'seen supermarket do': 747260, 'supermarket do so': 819981, 'do so many': 250098, 'so many raid': 777696, 'many raid fresh': 514616, 'raid fresh produce': 695600, 'and canned good': 59502, 'canned good have': 161537, 'good have all': 357165, 'been completely repurchased': 120857, 'completely repurchased and': 192344, 'repurchased and almost': 713086, 'and almost every': 57927, 'almost every section': 46624, 'every section is': 286153, 'section is sparse': 744014, 'sparse panic buying': 787623, 'buying at it': 149965, 'at it peak': 99332, 'it peak corvid19uk': 460285, 'global lng': 352010, 'lng asian': 497194, 'asian price': 95324, 'low slam': 505623, 'slam gas': 773479, 'demand read': 236108, 'more oott': 539948, 'global lng asian': 352011, 'lng asian price': 497195, 'asian price drop': 95325, 'record low slam': 705020, 'low slam gas': 505624, 'slam gas demand': 773480, 'gas demand read': 343817, 'demand read more': 236109, 'read more oott': 700449, 'he give': 384988, 'his homemade': 397512, 'when he give': 983533, 'he give you': 384989, 'you some of': 1021302, 'of his homemade': 584655, 'his homemade hand': 397513, 'loius': 500846, 'gucci': 367932, 'hugo': 410302, 'blvgari': 133542, 'coronainafrica': 204980, 'drphil': 260827, 'tafara': 831733, 'simms': 769956, 'zimbabwe corona': 1027578, 'corona alert': 203798, 'alert please': 41487, 'my hustle': 548804, 'hustle selling': 411828, 'selling some': 749451, 'some loius': 783218, 'loius vuitton': 500847, 'vuitton and': 960785, 'and gucci': 64027, 'gucci face': 367933, 'mask hugo': 518811, 'hugo bos': 410303, 'bos blvgari': 135650, 'blvgari perfumed': 133543, 'perfumed hand': 651545, 'sanitizers dm': 736262, 'price zimbabwe': 677710, 'zimbabwe coronacrisis': 1027580, 'coronacrisis coronainafrica': 204574, 'coronainafrica drphil': 204981, 'drphil brenda': 260828, 'brenda tafara': 139310, 'tafara simms': 831734, 'zimbabwe corona alert': 1027579, 'corona alert please': 203800, 'alert please support': 41488, 'please support my': 660617, 'support my hustle': 826656, 'my hustle selling': 548806, 'hustle selling some': 411829, 'selling some loius': 749452, 'some loius vuitton': 783219, 'loius vuitton and': 500848, 'vuitton and gucci': 960786, 'and gucci face': 64028, 'gucci face mask': 367934, 'face mask hugo': 294547, 'mask hugo bos': 518812, 'hugo bos blvgari': 410304, 'bos blvgari perfumed': 135651, 'blvgari perfumed hand': 133544, 'perfumed hand sanitizers': 651546, 'hand sanitizers dm': 375688, 'sanitizers dm for': 736263, 'for price zimbabwe': 324734, 'price zimbabwe coronacrisis': 677711, 'zimbabwe coronacrisis coronainafrica': 1027581, 'coronacrisis coronainafrica drphil': 204575, 'coronainafrica drphil brenda': 204982, 'drphil brenda tafara': 260829, 'brenda tafara simms': 139311, 'is 75': 445241, '75 and': 22112, 'vulnerable 50': 960835, '50 mile': 19752, 'mile away': 531371, 'delivery doe': 233876, 'am within': 50566, 'goto her': 359054, 'her myself': 392217, 'myself 19': 550812, 'help me my': 390070, 'me my mum': 523195, 'mum is 75': 545917, 'is 75 and': 445242, '75 and vulnerable': 22114, 'and vulnerable 50': 75047, 'vulnerable 50 mile': 960836, '50 mile away': 19753, 'mile away and': 531373, 'away and need': 105782, 'get her food': 347215, 'her food and': 392055, 'supply and cannot': 824705, 'and cannot find': 59511, 'find any supermarket': 306802, 'any supermarket delivery': 79893, 'supermarket delivery doe': 819919, 'delivery doe this': 233877, 'this mean am': 888803, 'mean am within': 524357, 'am within the': 50567, 'within the guideline': 1002435, 'the guideline to': 856934, 'guideline to goto': 368482, 'to goto her': 906919, 'goto her myself': 359055, 'her myself 19': 392218, 'get spending': 348094, 'spending then': 789008, 'then non': 877362, 'business shut': 144376, 'shopping assume': 762077, 'rate cut to': 697192, 'cut to get': 223600, 'to get spending': 906598, 'get spending then': 348095, 'spending then non': 789009, 'then non essential': 877363, 'essential business shut': 280862, 'business shut down': 144377, 'shut down people': 767844, 'down people self': 257085, 'people self isolate': 649392, 'isolate so there': 454914, 'so there ll': 778451, 'll be lot': 496599, 'online shopping assume': 609037, 'median': 525964, '193': 12335, '271': 16333, 'jacksonville median': 464214, 'median home': 525969, 'february wa': 301748, 'wa 193': 961356, '193 271': 12336, '271 and': 16334, 'rising fast': 723212, 'the entered': 854342, 'jacksonville median home': 464215, 'median home price': 525970, 'price in february': 674686, 'in february wa': 422850, 'february wa 193': 301749, 'wa 193 271': 961357, '193 271 and': 12337, '271 and rising': 16335, 'and rising fast': 70546, 'rising fast but': 723213, 'fast but that': 299929, 'but that wa': 147302, 'before the entered': 123160, 'the entered the': 854343, 'entered the picture': 278374, 'alert will': 41549, 'canada store': 160565, 'consumer alert will': 196163, 'alert will close': 41550, 'will close and': 992943, 'close and canada': 182526, 'and canada store': 59483, 'canada store amid': 160566, 'store amid pandemic': 806166, 'say 19': 738368, 'treatment fda say': 931070, 'fda say 19': 300919, 'say 19 socialdistancing': 738369, 'spread throughout': 790850, 'throughout europe': 894937, 'behaviour but': 124374, 'spread throughout europe': 790851, 'throughout europe and': 894938, 'world so ha': 1009985, 'ha the spread': 372227, 'spread of change': 790657, 'consumer behaviour but': 196555, 'behaviour but what': 124375, 'langoliers': 479474, 'is messed': 449636, 'man probably': 512191, 'probably mentally': 679315, 'mentally prepared': 528727, 'then made': 877327, 'supermarket knowing': 821255, 'knowing the': 477138, 'risk only': 723796, 'the langoliers': 858940, 'langoliers already': 479475, 'already cleaned': 47260, 'this is messed': 888318, 'is messed up': 449637, 'messed up the': 529532, 'up the old': 946198, 'old man probably': 598348, 'man probably mentally': 512192, 'probably mentally prepared': 679316, 'mentally prepared for': 528728, 'prepared for hour': 670197, 'for hour at': 322389, 'hour at home': 405440, 'home then made': 402254, 'then made the': 877328, 'made the trip': 508001, 'the supermarket knowing': 868665, 'supermarket knowing the': 821257, 'knowing the risk': 477140, 'the risk only': 865878, 'risk only to': 723797, 'out the langoliers': 627383, 'the langoliers already': 858941, 'langoliers already cleaned': 479476, 'already cleaned out': 47261, 'newjobs': 560094, 'morrison launch': 541732, 'launch hardship': 481911, 'hardship fund': 378295, 'staff facing': 792433, 'difficulty result': 242401, 'coronavirus expands': 205895, 'expands it': 290529, 'and creates': 60712, 'creates an': 215931, 'extra 3500': 293438, '3500 job': 17937, 'job corvid19uk': 465753, 'corvid19uk retailnews': 207756, 'retailnews businessnews': 719513, 'businessnews grocery': 144779, 'grocery newjobs': 364750, 'newjobs supermarket': 560097, 'morrison launch hardship': 541733, 'launch hardship fund': 481912, 'hardship fund for': 378296, 'fund for staff': 341408, 'for staff facing': 325851, 'staff facing financial': 792434, 'facing financial difficulty': 295466, 'financial difficulty result': 306399, 'difficulty result of': 242402, 'result of coronavirus': 717585, 'of coronavirus expands': 581933, 'coronavirus expands it': 205896, 'expands it home': 290530, 'delivery and creates': 233658, 'and creates an': 60713, 'creates an extra': 215932, 'an extra 3500': 56004, 'extra 3500 job': 293439, '3500 job corvid19uk': 17938, 'job corvid19uk retailnews': 465754, 'corvid19uk retailnews businessnews': 207757, 'retailnews businessnews grocery': 719514, 'businessnews grocery newjobs': 144780, 'grocery newjobs supermarket': 364751, 'shenley': 758059, 'done sainsbury': 254995, 'sainsbury in': 731680, 'in shenley': 427883, 'shenley milton': 758060, 'milton keynes': 532479, 'keynes told': 473546, 'told customer': 923542, 'one item': 606542, 'each product': 264260, 'product range': 681561, 'relaxed le': 708863, 'no stress': 565592, 'stress or': 813376, 'bad behavior': 107783, 'behavior this': 124245, 'see across': 744871, 'end panic': 275935, 'well done sainsbury': 978197, 'done sainsbury in': 254996, 'sainsbury in shenley': 731681, 'in shenley milton': 427884, 'shenley milton keynes': 758061, 'milton keynes told': 532480, 'keynes told customer': 473547, 'told customer just': 923543, 'customer just one': 222557, 'just one item': 469377, 'one item from': 606544, 'item from each': 463283, 'from each product': 335245, 'each product range': 264261, 'product range the': 681562, 'range the store': 696744, 'wa more relaxed': 962651, 'more relaxed le': 540215, 'relaxed le people': 708864, 'le people no': 483071, 'people no stress': 648858, 'no stress or': 565593, 'stress or bad': 813377, 'or bad behavior': 614476, 'bad behavior this': 107784, 'behavior this is': 124246, 'to see across': 913980, 'see across the': 744872, 'across the food': 29498, 'food retail sector': 316212, 'retail sector to': 718534, 'sector to end': 744365, 'to end panic': 905082, 'end panic buying': 275936, 'and hoarding 19': 64647, '60 those': 21021, 'risk maybe': 723683, 'maybe curbside': 521659, 'second thought': 743841, 'thought everything': 893038, 'restaurant takeout': 716732, 'takeout container': 833144, 'container and': 200529, 'bag could': 108259, 'could in': 209327, 'in theory': 429800, 'theory have': 877849, 'have infectious': 381076, 'infectious virus': 436915, 'senior 60 those': 750176, '60 those at': 21022, 'high risk maybe': 395362, 'risk maybe curbside': 723684, 'maybe curbside pickup': 521660, 'curbside pickup and': 220645, 'pickup and grocery': 655926, 'grocery shopping should': 365081, 'shopping should get': 763880, 'should get second': 766036, 'get second thought': 347964, 'second thought everything': 743842, 'thought everything at': 893039, 'and restaurant takeout': 70392, 'restaurant takeout container': 716733, 'takeout container and': 833145, 'container and bag': 200530, 'and bag could': 58640, 'bag could in': 108261, 'could in theory': 209328, 'in theory have': 429801, 'theory have infectious': 877850, 'have infectious virus': 381077, 'infectious virus on': 436916, 'virus on them': 958552, 'smuggling going': 775992, 'no smuggling going': 565531, 'smuggling going on': 775993, 'going on black': 355306, 'on black market': 599653, 'positive if': 665345, 'get photo': 347815, 'ok so let': 597886, 'so let do': 777538, 'something positive if': 785012, 'positive if you': 665346, 'see it get': 745332, 'it get photo': 458222, 'get photo and': 347816, 'photo and report': 655124, 'superdry': 818651, 'fashionnews': 299888, 'with landlord': 999167, 'secure store': 744460, 'store rental': 809819, 'rental relief': 711275, 'here superdry': 393621, 'superdry retail': 818652, 'retailnews fashion': 719518, 'fashion fashionnews': 299808, 'fashionnews onlinesales': 299890, 'is in negotiation': 448790, 'negotiation with landlord': 556962, 'with landlord to': 999168, 'landlord to secure': 479373, 'to secure store': 913970, 'secure store rental': 744461, 'store rental relief': 809822, 'rental relief amid': 711276, 'relief amid the': 709271, 'more here superdry': 539433, 'here superdry retail': 393622, 'superdry retail retailnews': 818653, 'retail retailnews fashion': 718483, 'retailnews fashion fashionnews': 719520, 'fashion fashionnews onlinesales': 299809, 'only millionaire': 610790, 'millionaire can': 532446, 'can play': 159247, 'game toiletpapercrisis': 343273, 'only millionaire can': 610791, 'millionaire can play': 532447, 'can play this': 159248, 'this game toiletpapercrisis': 887672, 'game toiletpapercrisis toiletpaper': 343274, 'athens': 101752, 'bb delivers': 113040, 'delivers covid': 233585, 'for georgia': 321861, 'georgia health': 346037, 'wellness financial': 978840, 'resource bbdelivers': 714724, 'bbdelivers strongertogether': 113170, 'strongertogether stimulusbill': 814198, 'stimulusbill atlanta': 801627, 'atlanta atl': 101827, 'atl athens': 101817, 'bb delivers covid': 113041, 'delivers covid 19': 233586, 'resource for georgia': 714784, 'for georgia health': 321862, 'georgia health wellness': 346038, 'health wellness financial': 386951, 'wellness financial resource': 978841, 'financial resource consumer': 306557, 'resource consumer resource': 714753, 'consumer resource bbdelivers': 198771, 'resource bbdelivers strongertogether': 714725, 'bbdelivers strongertogether stimulusbill': 113171, 'strongertogether stimulusbill atlanta': 814199, 'stimulusbill atlanta atl': 801628, 'atlanta atl athens': 101828, 'scentiva': 741409, 'clorox scentiva': 182465, 'scentiva toilet': 741410, 'bowl cleaner': 136969, 'cleaner 24': 180735, '24 oz': 15668, 'oz lavender': 632747, 'lavender disinfectant': 482183, 'clorox scentiva toilet': 182466, 'scentiva toilet bowl': 741411, 'toilet bowl cleaner': 921134, 'bowl cleaner 24': 136970, 'cleaner 24 oz': 180736, '24 oz lavender': 15670, 'oz lavender disinfectant': 632748, 'lavender disinfectant sanitizer': 482184, 'foodhoarding': 317940, 'medieval': 526936, 'bus load': 143054, 'city folk': 179146, 'folk bringing': 312112, 'bringing to': 140211, 'town on': 927527, 'their foodhoarding': 873362, 'foodhoarding shopping': 317941, 'shopping raid': 763715, 'raid in': 695603, 'in medieval': 425233, 'medieval europe': 526937, 'europe wealthy': 283524, 'people spread': 649520, 'black death': 132046, 'country side': 211056, 'side they': 768903, 'they sought': 883415, 'where disease': 984826, 'disease wa': 245270, 'wa rampant': 963040, 'rampant stoppanicbuying': 696466, 'bus load of': 143055, 'load of city': 497262, 'of city folk': 581428, 'city folk bringing': 179147, 'folk bringing to': 312114, 'bringing to small': 140212, 'to small country': 914757, 'country town on': 211192, 'town on their': 927528, 'on their foodhoarding': 604482, 'their foodhoarding shopping': 873363, 'foodhoarding shopping raid': 317942, 'shopping raid in': 763716, 'raid in medieval': 695604, 'in medieval europe': 425234, 'medieval europe wealthy': 526938, 'europe wealthy people': 283525, 'wealthy people spread': 974219, 'people spread the': 649521, 'spread the black': 790816, 'the black death': 849741, 'black death to': 132047, 'death to the': 230244, 'the country side': 852153, 'country side they': 211057, 'side they sought': 768905, 'they sought to': 883416, 'sought to escape': 786216, 'escape the city': 280314, 'the city where': 850966, 'city where disease': 179453, 'where disease wa': 984827, 'disease wa rampant': 245271, 'wa rampant stoppanicbuying': 963041, 'we cancel': 971042, 'cancel student': 160882, 'debt it': 230513, 'facing work': 295664, 'work related': 1005654, 'related shock': 708568, 'other expense': 620198, 'everyone use': 287526, 'our tool': 625163, 'email congress': 272145, 'if we cancel': 415269, 'we cancel student': 971043, 'cancel student debt': 160883, 'student debt it': 814666, 'debt it would': 230515, 'would help people': 1011914, 'people facing work': 647863, 'facing work related': 295665, 'work related shock': 1005655, 'related shock and': 708569, 'shock and free': 759423, 'and free up': 63278, 'free up money': 332285, 'up money to': 945398, 'money to spend': 537118, 'to spend on': 914998, 'and other expense': 68319, 'other expense and': 620199, 'expense and it': 291175, 'and it would': 65608, 'it would boost': 462585, 'would boost the': 1011689, 'boost the economy': 135021, 'the economy for': 853968, 'economy for everyone': 267878, 'for everyone use': 321249, 'everyone use our': 287527, 'use our tool': 949469, 'our tool to': 625164, 'tool to email': 925447, 'to email congress': 905002, 'practitioner on': 668800, 'line treating': 493509, 'treating sick': 931011, 'again while': 37273, 'the medical practitioner': 860402, 'medical practitioner on': 526305, 'practitioner on the': 668801, 'front line treating': 338616, 'line treating sick': 493510, 'treating sick people': 931012, 'sick people over': 768579, 'over again while': 629951, 'again while we': 37274, 'while we sit': 987556, 'we sit at': 973328, 'sit at home': 771815, 'streamlined': 812865, 'confused the': 194350, 'complaining of': 191902, 'of hiked': 584624, 'hiked fare': 396309, 'men no': 528508, 'longer sends': 502047, 'sends fare': 750128, 'fare ha': 299028, 'ha streamlined': 372081, 'streamlined lot': 812866, 'from transport': 338133, 'others confused the': 621338, 'confused the lady': 194351, 'the lady have': 858909, 'started complaining of': 794718, 'complaining of hiked': 191903, 'of hiked fare': 584625, 'hiked fare price': 396310, 'down men no': 256956, 'men no longer': 528510, 'no longer sends': 564662, 'longer sends fare': 502048, 'sends fare ha': 750129, 'fare ha streamlined': 299029, 'ha streamlined lot': 372082, 'streamlined lot of': 812867, 'lot of stuff': 504292, 'of stuff in': 590331, 'stuff in from': 815096, 'in from transport': 423129, 'from transport to': 338134, 'transport to food': 929962, 'act just': 29674, 'be fit': 114872, 'healthy enough': 387594, 'person queuing': 652589, 'queuing by': 694203, 'sick relative': 768594, 'relative friend': 708723, 'have word': 383623, 'with yourself': 1002242, 'you act just': 1016795, 'act just because': 29675, 'may be fit': 520984, 'be fit and': 114873, 'and healthy enough': 64386, 'healthy enough to': 387595, 'fight 19 doesn': 304595, '19 doesn mean': 6615, 'doesn mean the': 251890, 'mean the person': 524697, 'the person queuing': 863591, 'person queuing by': 652590, 'queuing by you': 694204, 'by you in': 154782, 'supermarket is or': 821111, 'is or your': 450601, 'or your elderly': 617880, 'your elderly sick': 1023637, 'elderly sick relative': 270888, 'sick relative friend': 768595, 'relative friend etc': 708725, 'friend etc have': 333590, 'etc have word': 282584, 'have word with': 383624, 'word with yourself': 1004621, 'panicbuyers for': 638853, 'bought everything': 136550, 'everything please': 287971, 'this gentleman': 887679, 'gentleman generation': 345835, 'generation gave': 345615, 'everything so': 287997, 'walk freely': 964785, 'freely into': 332468, 'buy exactly': 148602, 'want shameful': 965919, 'shameful selfish': 754699, 'panicbuyers for those': 638854, 'you that panic': 1021574, 'that panic bought': 845643, 'panic bought everything': 637420, 'bought everything please': 136554, 'everything please remember': 287972, 'please remember this': 660375, 'remember this gentleman': 710347, 'this gentleman generation': 887680, 'gentleman generation gave': 345836, 'generation gave up': 345616, 'gave up everything': 344679, 'up everything so': 944821, 'everything so you': 288000, 'can walk freely': 160142, 'walk freely into': 964786, 'freely into supermarket': 332469, 'and buy exactly': 59332, 'buy exactly what': 148603, 'exactly what you': 288768, 'you want shameful': 1022152, 'want shameful selfish': 965920, 'nycidiots': 578077, 'longisland': 502130, 'southampton': 786816, 'rich asshole': 721195, 'asshole still': 96560, 'day hampton': 227725, 'hampton nycidiots': 374635, 'nycidiots longisland': 578078, 'longisland southampton': 502131, 'these rich asshole': 880605, 'rich asshole still': 721196, 'asshole still go': 96561, 'every day hampton': 285816, 'day hampton nycidiots': 227726, 'hampton nycidiots longisland': 374636, 'nycidiots longisland southampton': 578079, 'when business': 983213, 'facing unprecedented': 295648, 'unprecedented challenge': 943090, 'challenge 27': 171382, '27 direct': 16276, 'time when business': 898279, 'when business across': 983214, 'business across industry': 143211, 'across industry are': 29355, 'industry are facing': 435661, 'are facing unprecedented': 86440, 'facing unprecedented challenge': 295649, 'unprecedented challenge 27': 943091, 'challenge 27 direct': 171383, '27 direct to': 16277, 'consumer brand have': 196654, 'brand have come': 137852, 'together to do': 920989, 'do some good': 250122, 'blacktwitter': 132220, 'looking lovely': 502968, 'lovely just': 504966, 'might fill': 530975, 'tank again': 834185, 'take min': 832323, 'min drive': 532533, 'home blacktwitter': 400798, 'gas price is': 343983, 'price is looking': 674875, 'is looking lovely': 449449, 'looking lovely just': 502969, 'lovely just might': 504967, 'just might fill': 469267, 'might fill up': 530976, 'up my tank': 945438, 'my tank again': 550313, 'tank again and': 834186, 'again and take': 36892, 'and take min': 72966, 'take min drive': 832324, 'min drive and': 532534, 'drive and go': 258981, 'and go back': 63767, 'back home blacktwitter': 107055, 'sicker': 768722, '20 this': 13378, 'by asks': 151897, 'asks whether': 96169, 'whether consumer': 985496, 'like 23andme': 489698, '23andme might': 15502, 'might find': 530977, 'find clue': 306847, 'get sicker': 348007, 'sicker than': 768723, 'by mining': 153225, 'mining their': 533295, 'customer database': 222290, '20 this one': 13381, 'this one by': 889232, 'one by asks': 606035, 'by asks whether': 151898, 'asks whether consumer': 96170, 'whether consumer genomics': 985497, 'genomics company like': 345808, 'company like 23andme': 190840, 'like 23andme might': 489699, '23andme might find': 15503, 'might find clue': 530978, 'find clue to': 306848, 'to why some': 918593, 'why some people': 991364, 'some people get': 783513, 'people get sicker': 648058, 'get sicker than': 348008, 'sicker than others': 768724, 'than others by': 841006, 'others by mining': 621318, 'by mining their': 153226, 'mining their customer': 533296, 'their customer database': 872946, 'postpones': 666852, 'indian restaurant': 434876, 'chain postpones': 170998, 'postpones launch': 666855, 'new birmingham': 558397, 'birmingham venue': 131388, 'venue propertynews': 954719, 'indian restaurant chain': 434877, 'restaurant chain postpones': 716361, 'chain postpones launch': 170999, 'postpones launch of': 666856, 'of new birmingham': 586954, 'new birmingham venue': 558398, 'birmingham venue propertynews': 131389, 'say fixing': 738637, 'fixing price': 309854, 'necessary yet': 554145, 'yet edmontonians': 1016049, 'laughlin say fixing': 481833, 'say fixing price': 738638, 'fixing price not': 309855, 'price not necessary': 675368, 'not necessary yet': 570646, 'necessary yet edmontonians': 554146, 'yet edmontonians and': 1016050, 'edmontonians and the': 268722, 'business community work': 143557, 'community work together': 190242, 'engineering': 276986, 'emaswati': 272417, 'the faculty': 854844, 'of science': 589407, 'and engineering': 62143, 'engineering in': 276987, 'human emaswati': 410487, 'emaswati life': 272418, 'life first': 488653, 'first ahead': 308487, 'initiative of': 438642, 'sanitizers but': 736235, 'can the faculty': 159952, 'the faculty of': 854845, 'faculty of science': 296051, 'of science and': 589408, 'science and engineering': 742085, 'and engineering in': 62144, 'engineering in the': 276988, 'in the put': 429490, 'the put human': 864932, 'put human emaswati': 690606, 'human emaswati life': 410488, 'emaswati life first': 272419, 'life first ahead': 488654, 'first ahead of': 308488, 'crisis we appreciate': 218341, 'we appreciate the': 970456, 'appreciate the initiative': 82759, 'the initiative of': 858287, 'initiative of the': 438643, 'the hand sanitizers': 857064, 'hand sanitizers but': 375684, 'sanitizers but the': 736237, 'buying take': 151133, 'take even': 832096, 'outlet try': 629068, 'the horrible': 857505, 'horrible situation': 404120, 'situation worse': 772605, 'by scaring': 153890, 'scaring you': 741115, 'broken there': 140923, 'nearby grocery': 553658, 'panic buying take': 637920, 'buying take even': 151134, 'take even though': 832097, 'even though some': 284716, 'though some medium': 892892, 'some medium outlet': 783276, 'medium outlet try': 527208, 'outlet try to': 629069, 'make the horrible': 510571, 'the horrible situation': 857506, 'horrible situation worse': 404121, 'situation worse by': 772606, 'worse by scaring': 1010900, 'by scaring you': 153891, 'scaring you even': 741116, 'you even more': 1018451, 'even more the': 284383, 'more the supply': 540717, 'is not broken': 450041, 'not broken there': 568629, 'broken there is': 140924, 'way to nearby': 970058, 'to nearby grocery': 910499, 'nearby grocery store': 553659, 'store no need': 809081, 'need to accumulate': 555848, 'your fantastic': 1023808, 'coronacrisis onpoli': 204684, 'this time thank': 890696, 'thank you is': 841755, 'you is this': 1019379, 'is this also': 453072, 'this also good': 886286, 'also good time': 48283, 'to ask for': 900753, 'ask for minimum': 95529, 'minimum wage increase': 533236, 'wage increase for': 963906, 'increase for your': 432788, 'for your fantastic': 328150, 'your fantastic work': 1023809, 'fantastic work coronacrisis': 298617, 'work coronacrisis onpoli': 1005004, 'you restocking': 1020921, 'restocking your': 717037, 'store almost': 806146, 'disability can': 243812, 'are you restocking': 91846, 'you restocking your': 1020922, 'restocking your kempston': 717038, 'kempston store almost': 472755, 'store almost all': 806147, 'almost all shelf': 46538, 'empty and no': 274770, 'one is out': 606516, 'of stock you': 590214, 'stock you need': 803220, 'people from panic': 648000, 'buying so that': 151044, 'that we people': 847387, 'we people with': 972704, 'with disability can': 998056, 'disability can actually': 243813, 'actually get much': 30804, 'get much needed': 347620, 'needed food and': 556352, 'it bizarre': 456882, 'bizarre ironic': 131968, 'ironic and': 444930, 'and funny': 63423, 'when frozen': 983447, 'frozen meat': 338993, 'meat company': 525526, 'company point': 190958, 'critical thinking': 218693, 'thinking but': 885883, 'but chance': 145408, 'chance are': 171699, 'same message': 733157, 'message would': 529487, 'viral if': 957594, 'wa from': 962174, 'person our': 652569, 'society value': 781354, 'value entertainment': 952114, 'entertainment over': 278595, 'over truth': 630863, 'truth and': 934382, 'people think it': 649832, 'think it bizarre': 885321, 'it bizarre ironic': 456883, 'bizarre ironic and': 131969, 'ironic and funny': 444931, 'and funny when': 63424, 'funny when frozen': 341816, 'when frozen meat': 983448, 'frozen meat company': 338994, 'meat company point': 525527, 'company point out': 190959, 'point out the': 662584, 'out the importance': 627380, 'importance of critical': 418701, 'of critical thinking': 582211, 'critical thinking but': 218694, 'thinking but chance': 885884, 'but chance are': 145409, 'chance are the': 171700, 'the same message': 866257, 'same message would': 733158, 'message would never': 529489, 'would never go': 1012059, 'never go viral': 558025, 'go viral if': 354460, 'viral if it': 957595, 'it wa from': 462113, 'wa from person': 962177, 'from person our': 336906, 'person our society': 652570, 'our society value': 624836, 'society value entertainment': 781355, 'value entertainment over': 952115, 'entertainment over truth': 278596, 'over truth and': 630864, 'truth and that': 934384, 'and that huge': 73192, 'that huge problem': 844394, 'bcz': 113383, 'this adjustment': 886201, 'canada summer': 160567, 'summer job': 817984, 'is useless': 453625, 'useless most': 950234, 'down bcz': 256547, 'bcz of': 113388, 'job application': 465649, 'application deadline': 82445, 'deadline have': 229220, 'already passed': 47561, 'passed many': 643281, 'many dont': 514008, 'or fishery': 615319, 'fishery many': 309386, 'this adjustment to': 886202, 'adjustment to canada': 32382, 'to canada summer': 902414, 'canada summer job': 160568, 'summer job is': 817985, 'job is useless': 465911, 'is useless most': 453627, 'useless most employer': 950235, 'most employer have': 542295, 'employer have shut': 274515, 'shut down bcz': 767806, 'down bcz of': 256548, 'bcz of covid': 113389, '19 most of': 8691, 'the job application': 858651, 'job application deadline': 465650, 'application deadline have': 82446, 'deadline have already': 229221, 'have already passed': 379195, 'already passed many': 47563, 'passed many dont': 643282, 'many dont have': 514009, 'dont have access': 255226, 'access to go': 28239, 'go work on': 354530, 'work on farm': 1005532, 'on farm or': 600736, 'farm or fishery': 299154, 'or fishery many': 615320, 'fishery many cannot': 309387, 'many cannot risk': 513869, 'cannot risk their': 162070, 'health to work': 386924, 'kid is': 474025, 'be too': 117761, 'too pleased': 925004, 'pleased when': 660805, 'bunny left': 142701, 'him is': 396643, 'antibacterial wipe': 78388, 'sanitizer roll': 735661, 'and 28': 57430, 'cash alonetogether': 166146, 'alonetogether 19': 46960, 'stayhome easter2020': 797994, 'don think my': 253980, 'think my kid': 885412, 'my kid is': 548951, 'kid is going': 474026, 'to be too': 901597, 'be too pleased': 117765, 'too pleased when': 925005, 'pleased when he': 660806, 'when he see': 983542, 'he see all': 385407, 'see all the': 744882, 'all the easter': 44727, 'easter bunny left': 265398, 'bunny left him': 142702, 'left him is': 485495, 'him is antibacterial': 396644, 'is antibacterial wipe': 445751, 'antibacterial wipe hand': 78391, 'hand sanitizer roll': 375568, 'sanitizer roll of': 735662, 'paper and 28': 639802, 'and 28 in': 57431, '28 in cash': 16395, 'in cash alonetogether': 421284, 'cash alonetogether 19': 166147, 'alonetogether 19 stayhome': 46961, '19 stayhome easter2020': 10827, 'chakkar': 171361, 'raha': 695569, 'dekhke': 232615, 'ayega': 106333, 'essential ke': 281259, 'ke chakkar': 471223, 'chakkar me': 171362, 'me corona': 522603, 'corona essential': 203931, 'essential ban': 280813, 'ban raha': 109248, 'raha hai': 695570, 'hai to': 373930, 'down corona': 256660, 'provider dekhke': 686709, 'dekhke nahi': 232616, 'nahi ayega': 551424, 'ayega essential': 106334, 'provider is': 686747, 'not sanitizer': 571427, 'essential and non': 280785, 'non essential ke': 566345, 'essential ke chakkar': 281260, 'ke chakkar me': 471224, 'chakkar me corona': 171363, 'me corona essential': 522604, 'corona essential ban': 203932, 'essential ban raha': 280814, 'ban raha hai': 109249, 'raha hai to': 695571, 'hai to avoid': 373931, 'to avoid it': 900914, 'avoid it every': 105167, 'it every thing': 457873, 'every thing should': 286288, 'thing should be': 884741, 'should be lock': 765664, 'be lock down': 115791, 'lock down corona': 499026, 'down corona essential': 256661, 'corona essential service': 203933, 'service provider or': 752733, 'provider or non': 686764, 'or non essential': 616272, 'non essential service': 566356, 'service provider dekhke': 752725, 'provider dekhke nahi': 686710, 'dekhke nahi ayega': 232617, 'nahi ayega essential': 551425, 'ayega essential service': 106335, 'service provider is': 752731, 'provider is not': 686748, 'is not sanitizer': 450181, 'just witnessed': 470317, 'witnessed first': 1003146, 'craziness of': 215226, 'potato oh': 666951, 'chicken it': 175805, 'wa sight': 963227, 'sight to': 769062, 'just witnessed first': 470318, 'witnessed first hand': 1003147, 'first hand the': 308703, 'hand the craziness': 375822, 'the craziness of': 852291, 'craziness of the': 215227, 'supermarket people fighting': 821950, 'of potato oh': 588274, 'potato oh and': 666952, 'oh and the': 596362, 'and the chicken': 73279, 'the chicken it': 850806, 'chicken it wa': 175807, 'it wa sight': 462191, 'wa sight to': 963228, 'sight to see': 769063, 'mette': 529969, 'frederiksen': 331601, 'person denmark': 652394, 'denmark pm': 237022, 'pm mette': 661937, 'mette frederiksen': 529970, 'frederiksen advises': 331602, 'advises shopping': 33690, 'others senior': 621634, 'health challenge': 386260, 'challenge need': 171505, 'understand this is': 940788, 'difficult for each': 242221, 'for each person': 320908, 'each person denmark': 264248, 'person denmark pm': 652395, 'denmark pm mette': 237023, 'pm mette frederiksen': 661938, 'mette frederiksen advises': 529971, 'frederiksen advises shopping': 331603, 'advises shopping online': 33691, 'online and if': 607820, 'and if out': 64945, 'if out in': 414583, 'out in nature': 626386, 'in nature keep': 425695, 'nature keep distance': 552962, 'from others senior': 336747, 'others senior and': 621635, 'those with health': 892720, 'with health challenge': 998748, 'health challenge need': 386261, 'challenge need to': 171506, 'from while': 338364, 'yourself from while': 1026625, 'from while doing': 338365, 'online shopping stayhome': 609284, 'shopping stayhome staysafe': 763977, 'lined': 493624, 'rain pouring': 695752, 'pouring thousand': 667457, 'people lined': 648660, 'lined up': 493627, 'car this': 163313, 'at distribution': 98461, 'distribution pop': 248196, 'in official': 426068, 'with the rain': 1001447, 'the rain pouring': 865115, 'rain pouring thousand': 695753, 'pouring thousand of': 667458, 'of people lined': 587937, 'people lined up': 648661, 'lined up in': 493630, 'up in their': 945185, 'their car this': 872730, 'car this morning': 163314, 'morning at distribution': 541179, 'at distribution pop': 98462, 'distribution pop up': 248197, 'pop up in': 664477, 'up in official': 945169, 'in official say': 426069, 'official say demand': 595909, 'demand ha gone': 235608, 'gone up an': 356415, 'up an unprecedented': 944299, 'their job amid': 873694, 'buying beaten': 149993, 'beaten down': 118604, 'they expect': 882063, 'expect return': 290716, 'emergency end': 272681, 'end will': 276076, 'lose lot': 503446, 'money prior': 536983, 'consumer wa': 199457, 'wa kept': 962477, 'alive with': 41851, 'debt that': 230572, 'that lifeline': 844883, 'lifeline is': 489311, 'gone so': 356371, 'so america': 776500, 'america consumer': 51485, 'investor buying beaten': 444125, 'buying beaten down': 149994, 'beaten down consumer': 118605, 'down consumer related': 256655, 'related stock because': 708576, 'stock because they': 801908, 'because they expect': 119701, 'they expect return': 882067, 'expect return to': 290717, 'after the emergency': 36309, 'the emergency end': 854224, 'emergency end will': 272683, 'end will lose': 276077, 'will lose lot': 994053, 'lose lot of': 503447, 'of money prior': 586614, 'money prior to': 536984, 'crisis the consumer': 218165, 'the consumer wa': 851619, 'consumer wa kept': 199458, 'wa kept alive': 962478, 'kept alive with': 473016, 'alive with debt': 41852, 'with debt that': 997945, 'debt that lifeline': 230573, 'that lifeline is': 844884, 'lifeline is gone': 489312, 'is gone so': 448121, 'gone so america': 356372, 'so america consumer': 776501, 'america consumer economy': 51486, 'consumer economy is': 197310, 'economy is dead': 267999, 'foodbanks ha': 317827, 'risen fold': 723111, 'fold due': 312045, 'ever they': 285546, 'community every': 189839, 'bit count': 131545, 'count donate': 210115, 'donate find': 254175, 'bank feeding': 109829, 'demand at local': 235042, 'at local foodbanks': 99603, 'local foodbanks ha': 497984, 'foodbanks ha risen': 317828, 'ha risen fold': 371764, 'risen fold due': 723112, 'fold due to': 312046, '19 now more': 8856, 'then ever they': 877157, 'ever they need': 285547, 'your help it': 1024303, 'help it up': 389952, 'up to to': 946439, 'our community every': 622460, 'community every bit': 189840, 'every bit count': 285688, 'bit count donate': 131546, 'count donate find': 210116, 'donate find your': 254176, 'find your local': 307408, 'food bank feeding': 313568, 'bank feeding america': 109830, 'shakeout': 754451, 'pcr': 645917, 'japan ditch': 464726, 'ditch china': 248442, 'in multi': 425502, 'multi billion': 545649, 'dollar coronavirus': 252973, 'coronavirus shakeout': 206747, 'shakeout japan': 754454, 'japan will': 464776, 'car our': 163203, 'product our': 681504, 'our therapy': 625128, 'therapy from': 877918, 'their faster': 873279, 'faster pcr': 300115, 'pcr test': 645920, 'test banking': 838937, 'banking on': 110444, 'on japan': 601725, 'japan ditch china': 464727, 'ditch china in': 248443, 'china in multi': 176728, 'in multi billion': 425503, 'multi billion dollar': 545650, 'billion dollar coronavirus': 130803, 'dollar coronavirus shakeout': 252974, 'coronavirus shakeout japan': 206748, 'shakeout japan will': 754455, 'japan will supply': 464777, 'will supply our': 995030, 'supply our car': 825691, 'our car our': 622317, 'car our consumer': 163204, 'consumer product our': 198472, 'product our therapy': 681505, 'our therapy from': 625129, 'therapy from and': 877919, 'from and their': 334524, 'and their faster': 73688, 'their faster pcr': 873280, 'faster pcr test': 300116, 'pcr test banking': 645921, 'test banking on': 838938, 'banking on japan': 110446, 'classifies': 180367, 'minnesota classifies': 533600, 'classifies grocery': 180368, 'worker grant': 1007058, 'grant them': 362050, 'minnesota classifies grocery': 533601, 'classifies grocery store': 180369, 'emergency worker grant': 273059, 'worker grant them': 1007059, 'grant them free': 362051, 'them free childcare': 875737, 'world expect': 1009527, 'behavior hammerkopf': 124054, 'crisis world expect': 218438, 'world expect drastic': 1009528, 'consumer behavior hammerkopf': 196482, 'behavior hammerkopf by': 124055, 'just updated': 470168, 'latest related': 481521, 'related we': 708634, 'made aware': 507647, 'find our': 307125, 'our alert': 622049, 'them sent': 876267, 'inbox at': 431252, 'we ve just': 973681, 've just updated': 953314, 'just updated our': 470170, 'updated our page': 947419, 'our page to': 624232, 'page to include': 633904, 'include the latest': 431642, 'the latest related': 859141, 'latest related we': 481522, 'related we ve': 708635, 've been made': 952906, 'been made aware': 121507, 'made aware of': 507648, 'aware of you': 105649, 'of you can': 593374, 'can find our': 158333, 'find our alert': 307126, 'our alert and': 622050, 'alert and sign': 41355, 'up to have': 946384, 'to have them': 907324, 'have them sent': 383073, 'them sent straight': 876268, 'sent straight to': 750815, 'to your inbox': 918994, 'your inbox at': 1024467, 'moron panic': 541616, 'panic raiding': 638458, 'shop many': 760446, 'try to keep': 934634, 'to keep on': 908818, 'keep on top': 471710, 'coronacrisis with selfish': 204866, 'with selfish moron': 1000628, 'selfish moron panic': 748172, 'moron panic raiding': 541617, 'panic raiding the': 638459, 'raiding the shop': 695668, 'the shop many': 867012, 'shop many are': 760447, 'many are unable': 513783, 'to find essential': 905896, 'find essential and': 306891, 'and food when': 63107, 'get the time': 348305, 'benchmark wa': 126850, 'down per': 257089, '22 barrel': 15189, 'barrel while': 111300, 'international benchmark': 441758, 'benchmark fell': 126841, 'fell per': 303223, 'cent to': 169124, 'benchmark wa down': 126851, 'wa down per': 962024, 'down per cent': 257090, 'per cent at': 650744, 'cent at 22': 169036, 'at 22 barrel': 97531, '22 barrel while': 15190, 'barrel while the': 111301, 'while the international': 987397, 'the international benchmark': 858363, 'international benchmark fell': 441759, 'benchmark fell per': 126842, 'fell per cent': 303224, 'per cent to': 650759, 'cent to 25': 169125, 'to 25 barrel': 899635, 'consumerdata': 199664, 'find purell': 307194, 'purell can': 690009, 'can an': 157492, 'an survey': 56808, 'show 50': 766841, 'stock trending': 803035, 'trending consumerdata': 931532, 'consumerdata consumerbehavior': 199665, 'you find purell': 1018577, 'find purell can': 307195, 'purell can an': 690010, 'can an survey': 157493, 'an survey show': 56809, 'survey show 50': 828947, 'show 50 of': 766842, '50 of shopper': 19774, 'of shopper have': 589642, 'shopper have been': 761539, 'been impacted by': 121327, 'impacted by out': 418085, 'of stock trending': 590204, 'stock trending consumerdata': 803036, 'trending consumerdata consumerbehavior': 931533, 'regina': 707378, 'yqr': 1026996, 'regina gas': 707381, 'fall energy': 296901, 'sector hit': 744221, 'hard due': 377902, '19 yqr': 12287, 'yqr sask': 1026997, 'sask read': 736877, 'regina gas price': 707382, 'to fall energy': 905629, 'fall energy sector': 296902, 'energy sector hit': 276579, 'sector hit hard': 744222, 'hit hard due': 398251, 'hard due to': 377903, 'covid 19 yqr': 214112, '19 yqr sask': 12288, 'yqr sask read': 1026998, 'sask read more': 736878, 'workload': 1009144, 'worker begin': 1006519, 'begin dying': 123520, 'report infection': 712040, 'many reporting': 514633, 'reporting long': 712710, 'extra workload': 293705, 'workload to': 1009147, 'store worker begin': 811461, 'worker begin dying': 1006520, 'begin dying from': 123521, 'dying from they': 263829, 'from they continue': 337979, 'continue to report': 201244, 'to report infection': 913275, 'report infection and': 712041, 'death rate continue': 230172, 'rise with many': 723071, 'with many reporting': 999390, 'many reporting long': 514634, 'reporting long shift': 712711, 'long shift and': 501625, 'shift and extra': 758234, 'and extra workload': 62562, 'extra workload to': 293706, 'workload to meet': 1009148, 'shaw supermarket': 755821, 'announced wednesday': 77115, 'will offer': 994306, 'for contracting': 320331, 'contracting coronavirus': 201765, 'shaw supermarket announced': 755822, 'supermarket announced wednesday': 819118, 'announced wednesday it': 77116, 'wednesday it will': 975656, 'it will offer': 462414, 'will offer special': 994311, 'for people at': 324447, 'risk for contracting': 723542, 'for contracting coronavirus': 320333, 'excited ll': 289549, 'be moderating': 115957, 'moderating panel': 535366, 'panel virtual': 637202, 'virtual discovery': 957735, 'discovery day': 244733, '16 change': 4102, 'getting request': 349231, 'for ton': 327275, 'data source': 226426, 'track coronavirus': 928179, 'excited ll be': 289550, 'll be moderating': 496603, 'be moderating panel': 115958, 'moderating panel virtual': 535367, 'panel virtual discovery': 637203, 'virtual discovery day': 957736, 'discovery day on': 244734, 'day on 16': 228142, 'on 16 change': 599016, '16 change in': 4103, 'consumer behavior after': 196432, 'been getting request': 121201, 'getting request for': 349232, 'request for ton': 713165, 'for ton of': 327276, 'ton of data': 924269, 'of data source': 582360, 'data source to': 226427, 'source to track': 786567, 'to track coronavirus': 917674, 'eastanglia': 265357, 'price forecast': 674086, 'drop 13': 260097, '13 this': 3271, 'year property': 1014917, 'property sale': 684356, 'sale dive': 732162, 'dive income': 248485, 'lockdown average': 499180, 'average house': 104850, 'slump by': 774680, 'by 38': 151643, '38 00': 18122, '00 or': 392, 'or 13': 614175, '13 in': 3220, '2020 yorkshire': 14737, 'yorkshire and': 1016719, 'and eastanglia': 61859, 'eastanglia set': 265358, 'dropping 16': 260659, 'house price forecast': 406484, 'price forecast to': 674087, 'forecast to drop': 328877, 'to drop 13': 904761, 'drop 13 this': 260098, '13 this year': 3272, 'this year property': 891588, 'year property sale': 1014918, 'property sale dive': 684357, 'sale dive income': 732163, 'dive income are': 248486, 'income are hit': 432291, 'are hit by': 87192, 'hit by lockdown': 398180, 'by lockdown average': 153084, 'lockdown average house': 499181, 'average house price': 104851, 'house price to': 406507, 'price to slump': 677042, 'to slump by': 914752, 'slump by 38': 774681, 'by 38 00': 151644, '38 00 or': 18123, '00 or 13': 393, 'or 13 in': 614176, '13 in 2020': 3221, 'in 2020 yorkshire': 419865, '2020 yorkshire and': 14738, 'yorkshire and eastanglia': 1016720, 'and eastanglia set': 61860, 'eastanglia set to': 265359, 'be the hardest': 117617, 'hardest hit with': 378218, 'hit with price': 398513, 'with price dropping': 1000301, 'price dropping 16': 673599, 'opec postpones': 611944, 'postpones key': 666853, 'production tension': 682220, 'tension rise': 837993, 'rise between': 722795, 'russia amid': 728418, 'year opec': 1014890, 'opec postpones key': 611945, 'postpones key meeting': 666854, 'key meeting on': 473348, 'meeting on price': 527737, 'on price and': 602905, 'price and production': 672503, 'and production tension': 69582, 'production tension rise': 682221, 'tension rise between': 837994, 'rise between saudi': 722796, 'and russia amid': 70660, 'russia amid the': 728419, 'amid the lowest': 52701, 'the lowest oil': 859815, '18 year opec': 4608, 'hunger old': 411157, 'die if': 241371, 'please arrest': 659671, 'arrest please': 93768, 'please uk': 660699, 'uk panicbuyinguk': 938612, 'buying you are': 151405, 'of hunger old': 584914, 'hunger old people': 411158, 'who need the': 989326, 'need the food': 555744, 'food will die': 317622, 'will die if': 993182, 'die if they': 241372, 'out to different': 627636, 'different store to': 242074, 'find food please': 306907, 'food please arrest': 315862, 'please arrest please': 659672, 'arrest please uk': 93769, 'please uk panicbuyinguk': 660700, 'just feeding': 468693, 'feeding my': 302466, 'my already': 547256, 'already extensive': 47335, 'extensive online': 293308, 'shopping problem': 763678, 'is just feeding': 449127, 'just feeding my': 468694, 'feeding my already': 302467, 'my already extensive': 547257, 'already extensive online': 47336, 'extensive online shopping': 293309, 'online shopping problem': 609234, 'soon turn': 785879, 'negative the': 556835, 'store crude': 807230, 'crude analyst': 219501, 'analyst warn': 57193, 'could soon turn': 209695, 'soon turn negative': 785880, 'turn negative the': 935707, 'negative the world': 556836, 'out of place': 626805, 'place to store': 657774, 'to store crude': 915613, 'store crude analyst': 807231, 'crude analyst warn': 219502, 'teen cough': 836484, 'produce upload': 680478, 'upload video': 947594, 'teen cough on': 836485, 'store produce upload': 809670, 'produce upload video': 680479, 'upload video on': 947595, 'is single': 451938, 'cough the': 208575, 'scientist involved': 742238, 'involved say': 444358, 'from busy': 334761, 'busy public': 144944, 'space like': 787139, 'like shop': 491173, 'and station': 72282, 'station 19': 796321, 'this is single': 888400, 'is single cough': 451939, 'single cough the': 771272, 'cough the scientist': 208576, 'the scientist involved': 866508, 'scientist involved say': 742239, 'involved say that': 444359, 'stay safe is': 797247, 'away from busy': 105864, 'from busy public': 334762, 'busy public space': 144945, 'public space like': 688329, 'space like shop': 787140, 'like shop and': 491174, 'shop and station': 759868, 'and station 19': 72283, 'gronks': 366420, 'stoppanicbuying panicbuyinguk': 805593, 'panicbuyinguk panickbuying': 639150, 'panickbuying panicbuyers': 639212, 'panicbuyers stockpiling': 638875, 'stockpiling person': 804050, 'nothing cannot': 572970, 'afford pasta': 34741, 'buying gronks': 150421, 'stoppanicbuying panicbuyinguk panickbuying': 805594, 'panicbuyinguk panickbuying panicbuyers': 639152, 'panickbuying panicbuyers stockpiling': 639214, 'panicbuyers stockpiling person': 638876, 'stockpiling person who': 804051, 'person who life': 652729, 'who life on': 989206, 'life on nothing': 488936, 'on nothing cannot': 602445, 'nothing cannot afford': 572971, 'cannot afford pasta': 161608, 'afford pasta or': 34742, 'pasta or food': 643775, 'panic buying gronks': 637752, 'pnp': 662107, 'opposition pnp': 613831, 'pnp is': 662110, 'offering series': 595238, 'of recommendation': 588834, 'recommendation to': 704766, 'government these': 360687, 'include taking': 431636, 'of historically': 584675, 'country against': 210412, 'against any': 37330, 'any external': 79204, 'external shock': 293351, 'the opposition pnp': 862423, 'opposition pnp is': 613832, 'pnp is offering': 662111, 'is offering series': 450425, 'offering series of': 595239, 'series of recommendation': 751275, 'of recommendation to': 588835, 'recommendation to the': 704769, 'the government these': 856611, 'government these include': 360688, 'these include taking': 880166, 'include taking advantage': 431637, 'advantage of historically': 33008, 'of historically low': 584676, 'historically low oil': 397997, 'oil price now': 597204, 'price now to': 675385, 'now to safeguard': 576182, 'safeguard the country': 730215, 'the country against': 852043, 'country against any': 210413, 'against any external': 37331, 'any external shock': 79205, 'external shock after': 293352, 'shock after the': 759416, 'this story at': 890359, 'qldpol': 691562, 'leader going': 483463, 'and touching': 74305, 'touching and': 926661, 'putting back': 691090, 'back whole': 107468, 'whole bunch': 990153, 'product way': 681813, 'go qldpol': 354057, 'government is trying': 360284, 'trying to stop': 934882, 'here the opposition': 393660, 'opposition leader going': 613827, 'leader going to': 483464, 'supermarket and touching': 819090, 'and touching and': 74306, 'touching and putting': 926662, 'and putting back': 69832, 'putting back whole': 691091, 'back whole bunch': 107469, 'whole bunch of': 990154, 'bunch of product': 142634, 'of product way': 588503, 'product way to': 681814, 'to go qldpol': 906845, 'costessey': 208315, 'big well': 130104, 'in costessey': 421814, 'costessey for': 208316, 'group it': 366747, 'isolating household': 455110, 'household volunteer': 406976, 'volunteer community': 960245, 'big well done': 130105, 'done to supermarket': 255077, 'supermarket in costessey': 820884, 'in costessey for': 421815, 'costessey for donating': 208317, 'for donating it': 320820, 'donating it food': 254471, 'it food to': 458058, 'food to community': 317240, 'to community group': 903099, 'community group it': 189873, 'group it ha': 366749, 'ha helped dozen': 370852, 'dozen of self': 257896, 'self isolating household': 747728, 'isolating household volunteer': 455111, 'household volunteer community': 406977, 'year supply': 1014980, 'paper sound': 640812, 'sound pretty': 786319, 'pretty nice': 671469, 'nice now': 562445, 'now wereallinthistogether': 576371, 'wereallinthistogether italy': 980377, 'italy humor': 462849, 'humor toiletpaper': 410927, 'toiletpaper los': 922210, 'year supply of': 1014981, 'toilet paper sound': 921462, 'paper sound pretty': 640813, 'sound pretty nice': 786320, 'pretty nice now': 671470, 'nice now wereallinthistogether': 562446, 'now wereallinthistogether italy': 576372, 'wereallinthistogether italy humor': 980378, 'italy humor toiletpaper': 462850, 'humor toiletpaper los': 410928, 'toiletpaper los angeles': 922211, 'most surprising': 542796, 'surprising empty': 828630, 'the tonic': 869759, 'water apparently': 968896, 'apparently facing': 81935, 'facing week': 295656, 'is unthinkable': 453558, 'supermarket the most': 823231, 'the most surprising': 861044, 'most surprising empty': 542797, 'surprising empty shelf': 828631, 'empty shelf wa': 275104, 'wa the tonic': 963473, 'the tonic water': 869760, 'tonic water apparently': 924342, 'water apparently facing': 968897, 'apparently facing week': 81936, 'facing week of': 295657, 'week of isolation': 976620, 'of isolation without': 585346, 'isolation without access': 455514, 'access to is': 28249, 'to is unthinkable': 908531, 'price remained': 676171, 'remained at': 709922, 'and jumped': 65691, 'jumped further': 467931, 'further in': 342065, 'tuesday demand': 935139, 'for sanitation': 325332, 'product containing': 681082, 'containing ipa': 200589, 'ipa remains': 444536, 'strong result': 814107, 'pandemic full': 635480, 'price remained at': 676172, 'remained at record': 709923, 'high in europe': 395124, 'europe and jumped': 283398, 'and jumped further': 65692, 'jumped further in': 467932, 'further in the': 342068, 'in the on': 429417, 'the on tuesday': 862178, 'on tuesday demand': 604880, 'tuesday demand for': 935140, 'demand for sanitation': 235492, 'for sanitation product': 325333, 'sanitation product containing': 733858, 'product containing ipa': 681083, 'containing ipa remains': 200590, 'ipa remains strong': 444537, 'remains strong result': 710066, 'strong result of': 814108, 'the pandemic full': 862972, 'pandemic full story': 635481, 'askmeanything': 96120, 'with askmeanything': 997314, 'askmeanything register': 96121, 'join to share': 466888, 'to share insight': 914349, 'share insight on': 755064, 'on the future': 604137, 'consumer startup in': 199129, '19 world in': 12188, 'world in conversation': 1009656, 'conversation with askmeanything': 202499, 'with askmeanything register': 997315, 'askmeanything register here': 96122, 'heiliger': 388841, 'strohsack': 813935, 'heiliger strohsack': 388842, 'strohsack germany': 813936, 'heiliger strohsack germany': 388843, 'strohsack germany biggest': 813937, 'pehle': 646337, 'pehle yeh': 646338, 'yeh lo': 1015199, 'lo ft': 497233, 'ft super': 339364, 'super sanitizer': 818576, 'pehle yeh lo': 646339, 'yeh lo ft': 1015200, 'lo ft super': 497234, 'ft super sanitizer': 339365, 'thestruggleisreal': 881045, 'lil pandemic': 492224, 'pandemic meme': 635959, 'meme for': 528316, 'all me': 43473, 'me using': 523870, 'using instacart': 950526, 'instacart when': 439931, 'delivered thestruggleisreal': 233411, 'thestruggleisreal toiletpaper': 881046, 'socialdistancing bad': 780241, 'bad comedy': 107813, 'comedy retired': 187772, 'retired comedian': 719678, 'comedian losangeles': 187725, 'losangeles costco': 503393, 'costco winning': 208293, 'lil pandemic meme': 492225, 'pandemic meme for': 635960, 'meme for all': 528317, 'for all me': 319148, 'all me using': 43474, 'me using instacart': 523871, 'using instacart when': 950527, 'instacart when grocery': 439932, 'when grocery are': 983495, 'are delivered thestruggleisreal': 85762, 'delivered thestruggleisreal toiletpaper': 233412, 'thestruggleisreal toiletpaper socialdistancing': 881047, 'toiletpaper socialdistancing bad': 922491, 'socialdistancing bad comedy': 780242, 'bad comedy retired': 107814, 'comedy retired comedian': 187773, 'retired comedian losangeles': 719679, 'comedian losangeles costco': 187726, 'losangeles costco winning': 503394, 'influence gas': 437303, '19 influence gas': 7871, 'influence gas price': 437304, 'is the oil': 452875, 'aisect': 40170, 'initiated': 438588, 'talaiya': 833686, 'aisectfamily': 40174, 'aisect group': 40171, 'group had': 366715, 'had initiated': 373202, 'initiated distribution': 438589, 'the usage': 870558, 'usage of': 948843, 'police dept': 662972, 'dept personnel': 237745, 'needy person': 556698, 'person continuing': 652372, 'continuing with': 201576, 'drive sanitizers': 259143, 'sanitizers were': 736438, 'were donated': 979534, 'to talaiya': 916275, 'talaiya police': 833687, 'in bhopal': 420816, 'bhopal india': 129389, 'india aisectfamily': 434283, 'aisectfamily help': 40175, 'aisect group had': 40173, 'group had initiated': 366716, 'had initiated distribution': 373203, 'initiated distribution of': 438590, 'distribution of sanitizers': 248180, 'of sanitizers for': 589309, 'sanitizers for the': 736278, 'for the usage': 326758, 'the usage of': 870560, 'usage of police': 948845, 'of police dept': 588197, 'police dept personnel': 662973, 'dept personnel and': 237746, 'personnel and other': 653081, 'other needy person': 620576, 'needy person continuing': 556699, 'person continuing with': 652373, 'continuing with this': 201577, 'with this drive': 1001693, 'this drive sanitizers': 887301, 'drive sanitizers were': 259144, 'sanitizers were donated': 736439, 'were donated to': 979535, 'donated to talaiya': 254368, 'to talaiya police': 916276, 'talaiya police station': 833688, 'police station in': 663214, 'station in bhopal': 796433, 'in bhopal india': 420818, 'bhopal india aisectfamily': 129390, 'india aisectfamily help': 434284, 'aisectfamily help stayhome': 40176, 'help stayhome staysafe': 390571, 'price affecting': 672225, 'business share': 144367, 'your feedback': 1023845, 'feedback with': 302440, 'our short': 624771, 'short survey': 764719, 'how are covid': 407395, 'oil price affecting': 597036, 'price affecting your': 672226, 'your business share': 1023077, 'business share your': 144368, 'share your feedback': 755376, 'your feedback with': 1023849, 'feedback with government': 302441, 'with government take': 998662, 'government take our': 360659, 'take our short': 832438, 'our short survey': 624772, 'shipping good': 758852, 'good within': 357971, 'within uk': 1002454, 'some international': 783135, 'international destination': 441790, 'destination government': 238978, 'guideline are': 368397, 'clear in': 181262, 'site may': 771977, 'may remain': 521451, 'postal and': 666433, 'run usual': 727858, 'still shipping good': 801178, 'shipping good within': 758853, 'good within uk': 357972, 'within uk and': 1002455, 'and to some': 74198, 'to some international': 914879, 'some international destination': 783136, 'international destination government': 441791, 'destination government guideline': 238979, 'government guideline are': 360131, 'guideline are clear': 368398, 'are clear in': 85302, 'clear in that': 181265, 'in that online': 428926, 'shopping site may': 763891, 'site may remain': 771978, 'may remain open': 521454, 'and are encouraged': 58309, 'encouraged to do': 275665, 'do so and': 250085, 'so and postal': 776508, 'and postal and': 69235, 'postal and delivery': 666434, 'delivery service will': 234481, 'service will run': 753079, 'will run usual': 994730, 'new equivalent': 558705, 'low battery': 505152, 'battery signal': 112762, 'signal 19': 769292, 'quaratinelife selfisolation': 693144, 'the new equivalent': 861500, 'new equivalent of': 558706, 'equivalent of low': 279990, 'of low battery': 586038, 'low battery signal': 505153, 'battery signal 19': 112763, 'signal 19 quaratinelife': 769293, '19 quaratinelife selfisolation': 9930, 'quaratinelife selfisolation socialdistancing': 693145, 'selfisolation socialdistancing toiletpaper': 748487, 'and dark': 60953, 'dark kitchen': 225969, 'kitchen worldwide': 475776, 'develop fooddeliveryapp': 239639, 'fooddeliveryapp and': 317903, 'serve your': 751976, 'like before': 489891, '19 impacting business': 7722, 'impacting business including': 418182, 'business including restaurant': 143918, 'including restaurant and': 432132, 'restaurant and dark': 716281, 'and dark kitchen': 60954, 'dark kitchen worldwide': 225970, 'kitchen worldwide it': 475777, 'worldwide it is': 1010388, 'time to develop': 897976, 'to develop fooddeliveryapp': 904246, 'develop fooddeliveryapp and': 239640, 'fooddeliveryapp and serve': 317904, 'and serve your': 71292, 'serve your customer': 751977, 'your customer like': 1023414, 'customer like before': 222573, 'ifpri': 415644, 'ifpri still': 415645, 'still hard': 800632, 'affect global': 34151, 'security but': 744559, 'be complacent': 114162, 'complacent either': 191839, 'either trade': 270401, 'trade channel': 928433, 'channel should': 172921, 'kept open': 473063, 'open govts': 612279, 'govts should': 361347, 'provide fiscal': 686295, 'social protection': 779916, 'for affected': 319056, 'keep demand': 471443, 'ifpri still hard': 415646, 'still hard to': 800634, 'hard to tell': 378094, 'to tell how': 916344, 'tell how covid': 836979, 'will affect global': 992212, 'affect global food': 34153, 'food security but': 316341, 'security but we': 744560, 'but we shouldn': 147763, 'shouldn be complacent': 766723, 'be complacent either': 114163, 'complacent either trade': 191840, 'either trade channel': 270402, 'trade channel should': 928434, 'channel should be': 172922, 'be kept open': 115598, 'kept open govts': 473064, 'open govts should': 612280, 'govts should provide': 361348, 'should provide fiscal': 766344, 'provide fiscal stimulus': 686296, 'stimulus and social': 801507, 'and social protection': 71893, 'social protection for': 779917, 'protection for affected': 685438, 'for affected worker': 319058, 'affected worker to': 34467, 'to keep demand': 908779, 'friedman': 333468, 'australia is': 103312, 'be worn': 118147, 'worn by': 1010461, 'professor deb': 682541, 'deb friedman': 230290, 'friedman explains': 333469, 'why read': 991317, 'current government advice': 221215, 'government advice in': 359828, 'advice in australia': 33406, 'in australia is': 420610, 'australia is that': 103316, 'is that mask': 452667, 'that mask are': 845054, 'are not needed': 88420, 'not needed to': 570683, 'to be worn': 901640, 'be worn by': 118148, 'worn by the': 1010462, 'public during the': 687962, 'pandemic and associate': 634862, 'and associate professor': 58459, 'associate professor deb': 96885, 'professor deb friedman': 682542, 'deb friedman explains': 230291, 'friedman explains why': 333470, 'explains why read': 292262, 'why read more': 991318, 'cryptocurrency scammer': 219982, 'new fraudulent': 558766, 'fraudulent narrative': 331460, 'narrative but': 551938, 'profit have': 682757, 'declined since': 231445, 'in crypto': 421928, 'price rakamoto': 676065, 'rakamoto fridaythoughts': 696197, 'fridaythoughts coin': 333351, 'cryptocurrency scammer may': 219983, 'scammer may be': 740594, 'may be taking': 521035, 'be taking advantage': 117510, 'advantage of to': 33038, 'of to invent': 592217, 'invent new fraudulent': 443612, 'new fraudulent narrative': 558767, 'fraudulent narrative but': 331461, 'narrative but their': 551939, 'but their profit': 147437, 'their profit have': 874488, 'profit have declined': 682758, 'have declined since': 380202, 'declined since the': 231446, 'the pandemic because': 862916, 'pandemic because of': 634987, 'because of drop': 119333, 'drop in crypto': 260236, 'in crypto market': 421929, 'crypto market price': 219955, 'market price rakamoto': 516896, 'price rakamoto fridaythoughts': 676066, 'rakamoto fridaythoughts coin': 696198, 'deal on': 229451, 'following historic': 312758, 'are very very': 91483, 'very very close': 955643, 'close to deal': 182887, 'to deal on': 903968, 'deal on oil': 229453, 'production cut following': 681993, 'cut following historic': 223336, 'following historic drop': 312759, 'fightagainstcorona': 304960, 'savlon': 738004, 'protekt': 685903, 'fightagainstcorona good': 304961, 'work itc': 1005394, 'itc slash': 462989, 'of savlon': 589341, 'savlon sanitiser': 738007, 'sanitiser 55': 733907, '55 ml': 20400, 'ml to': 534730, 'to 27': 899649, '27 from': 16280, 'from 77': 334334, '77 godrej': 22287, 'consumer slash': 199001, 'of protekt': 588565, 'protekt sanitiser': 685906, 'sanitiser by': 733937, 'by 66': 151696, 'fightagainstcorona good work': 304962, 'good work itc': 357978, 'work itc slash': 1005395, 'itc slash price': 462990, 'price of savlon': 675566, 'of savlon sanitiser': 589342, 'savlon sanitiser 55': 738008, 'sanitiser 55 ml': 733908, '55 ml to': 20401, 'ml to 27': 534731, 'to 27 from': 899650, '27 from 77': 16281, 'from 77 godrej': 334336, '77 godrej consumer': 22288, 'godrej consumer slash': 354893, 'consumer slash price': 199002, 'price of protekt': 675547, 'of protekt sanitiser': 588566, 'protekt sanitiser by': 685907, 'sanitiser by 66': 733938, 'by 66 to': 151697, '66 to 25': 21430, 'to 25 from': 899636, '25 from 75': 15869, 'mention work': 528811, 'probably one': 679348, 'moment see': 536038, 'people everyday': 647831, 'everyday and': 286532, 'touch lot': 926507, 'so feel': 777083, 'to mention work': 910098, 'mention work at': 528812, 'is probably one': 451048, 'probably one of': 679349, 'of the little': 591194, 'the little store': 859494, 'little store that': 495586, 'that open at': 845532, 'open at the': 612103, 'the moment see': 860775, 'moment see lot': 536039, 'lot of different': 504175, 'of different people': 582598, 'different people everyday': 242022, 'people everyday and': 647832, 'everyday and touch': 286535, 'and touch lot': 74299, 'touch lot of': 926508, 'of stuff so': 590334, 'stuff so feel': 815186, 'so feel like': 777085, 'like at higher': 489843, 'higher risk to': 395733, 'risk to get': 723959, 'and now just': 67850, 'now just like': 575155, 'just like ugh': 469159, 'coronavirus layoff': 206213, 'layoff 19': 482671, '19 employment': 6772, 'employment job': 274625, 'looking for work': 502918, 'for work after': 327917, 'work after coronavirus': 1004713, 'after coronavirus layoff': 35510, 'coronavirus layoff 19': 206214, 'layoff 19 employment': 482672, '19 employment job': 6774, 'wa line': 962565, 'let group': 486763, 'of 25': 579537, 'morning and there': 541167, 'there wa line': 879248, 'wa line out': 962566, 'door they only': 255742, 'only let group': 610721, 'let group of': 486764, 'group of 25': 366783, 'of 25 50': 579539, '25 50 people': 15819, '50 people into': 19801, 'the store because': 867985, 'lawstudentsuog': 482515, 'muralart': 546145, 'hoarding run': 399502, 'new gone': 558813, 'in 60': 419948, 'second lawstudentsuog': 743755, 'lawstudentsuog stoppanicbuying': 482516, 'stoppanicbuying people': 805597, 'people panicbuying': 649064, 'panicbuying panicbuying': 639013, 'panicbuying london': 638986, 'london art': 501028, 'art mural': 94172, 'mural muralart': 546144, 'and hoarding run': 64662, 'hoarding run on': 399503, 'the new gone': 861510, 'new gone in': 558814, 'gone in 60': 356306, 'in 60 second': 419949, '60 second lawstudentsuog': 20995, 'second lawstudentsuog stoppanicbuying': 743756, 'lawstudentsuog stoppanicbuying people': 482517, 'stoppanicbuying people panicbuying': 805598, 'people panicbuying panicbuying': 649065, 'panicbuying panicbuying london': 639014, 'panicbuying london art': 638987, 'london art mural': 501029, 'art mural muralart': 94173, 'brexit plan': 139517, 'have helped': 380927, 'helped didn': 391059, 'didn in': 241110, 'supermarket wonder': 823965, 'if will': 415358, 'cost the': 208127, 'than adapting': 840323, 'change if': 172096, 'let green': 486759, 'green the': 363705, 'if the no': 415005, 'the no deal': 861826, 'deal brexit plan': 229362, 'brexit plan have': 139518, 'plan have helped': 658146, 'have helped didn': 380928, 'helped didn in': 391060, 'didn in supermarket': 241111, 'in supermarket wonder': 428719, 'supermarket wonder if': 823966, 'wonder if will': 1003982, 'if will cost': 415359, 'will cost the': 993050, 'cost the world': 208129, 'world more than': 1009802, 'more than adapting': 540587, 'than adapting to': 840324, 'adapting to climate': 31343, 'climate change if': 182196, 'change if so': 172097, 'if so let': 414828, 'so let green': 777540, 'let green the': 486760, 'green the world': 363706, 'tdoc': 835310, 'onem': 607553, 'amn': 52961, 'care position': 164152, 'position monitor': 665181, 'cure tele': 220813, 'tele health': 836663, 'survey nurse': 828903, 'nurse demand': 577270, 'demand tdoc': 236313, 'tdoc onem': 835311, 'onem amn': 607554, 'health care position': 386243, 'care position monitor': 164153, 'position monitor covid': 665182, '19 cure tele': 6387, 'cure tele health': 220814, 'tele health consumer': 836664, 'health consumer survey': 386304, 'consumer survey nurse': 199195, 'survey nurse demand': 828904, 'nurse demand tdoc': 577271, 'demand tdoc onem': 236314, 'tdoc onem amn': 835312, 'bilton': 130980, 'lockdown uk': 500086, 'uk richard': 938684, 'richard bilton': 721280, 'bilton investigates': 130981, 'investigates the': 443835, 'supermarket manufacturer': 821460, 'manufacturer trying': 513535, 'survive food': 829168, 'food run': 316250, 'run short': 727801, 'short job': 764631, 'are lost': 87904, 'lost panic': 503905, 'unprecedented threat': 943193, 'lockdown uk richard': 500088, 'uk richard bilton': 938685, 'richard bilton investigates': 721281, 'bilton investigates the': 130982, 'investigates the financial': 443836, 'following the worker': 312913, 'the worker supermarket': 871759, 'worker supermarket manufacturer': 1007858, 'supermarket manufacturer trying': 821461, 'manufacturer trying to': 513536, 'to survive food': 916029, 'survive food run': 829169, 'food run short': 316252, 'run short job': 727802, 'short job are': 764632, 'job are lost': 465659, 'are lost panic': 87906, 'lost panic set': 503906, 'in the economy': 429160, 'the economy face': 853966, 'economy face an': 267858, 'an unprecedented threat': 56895, '175': 4443, 'irgc': 444866, 'in exceeds': 422707, 'exceeds 500': 289048, '500 in': 19997, 'in 175': 419706, '175 city': 4444, 'aid provided': 39444, 'who amp': 988071, 'in irgc': 424162, 'irgc warehouse': 444875, 'warehouse amp': 966672, 'amp allocated': 53373, 'to special': 914967, 'special irgc': 787970, 'irgc hospital': 444871, 'hospital some': 404619, 'fatality in exceeds': 300248, 'in exceeds 500': 422708, 'exceeds 500 in': 289049, '500 in 175': 19998, 'in 175 city': 419707, '175 city the': 4445, 'city the aid': 179402, 'the aid provided': 848472, 'aid provided by': 39445, 'provided by who': 686582, 'by who amp': 154739, 'who amp other': 988072, 'amp other country': 54237, 'other country ha': 620017, 'country ha ended': 210711, 'up in irgc': 945160, 'in irgc warehouse': 424163, 'irgc warehouse amp': 444877, 'warehouse amp allocated': 966673, 'amp allocated to': 53374, 'allocated to special': 45888, 'to special irgc': 914968, 'special irgc hospital': 787971, 'irgc hospital some': 444872, 'hospital some of': 404620, 'it is sold': 459084, 'is sold in': 452070, 'sold in the': 781689, 'in the black': 429025, 'black market at': 132087, 'market at exorbitant': 516043, 'personal experience': 652835, 'experience when': 291532, 'when ve': 984383, 'is younger': 454128, 'younger generation': 1022688, 'generation are': 345598, 'extremely mindful': 293912, 'generation not': 345628, 'my personal experience': 549742, 'personal experience when': 652836, 'experience when ve': 291533, 'when ve been': 984384, 'supermarket is younger': 821139, 'is younger generation': 454129, 'younger generation are': 1022689, 'generation are extremely': 345599, 'are extremely mindful': 86395, 'extremely mindful of': 293913, 'mindful of social': 532820, 'distancing it the': 247266, 'it the older': 461563, 'older generation not': 598607, 'generation not taking': 345629, 'not taking it': 571927, 'unexpected effect': 941364, 'effect cheap': 268982, 'cheap lobster': 174138, 'lobster lower': 497647, 'lower meat': 505908, 'too forbes': 924746, 'forbes 19': 328279, 'an unexpected effect': 56851, 'unexpected effect cheap': 941365, 'effect cheap lobster': 268983, 'cheap lobster lower': 174139, 'lobster lower meat': 497648, 'lower meat price': 505909, 'meat price too': 525702, 'price too forbes': 677090, 'too forbes 19': 924747, 'worldpandemic': 1010267, 'wewillovercome': 980802, 'totally cool': 926315, 'bandana in': 109368, 'supermarket groceryrun': 820585, 'groceryrun lockdown': 366241, 'lockdown shocking': 499903, 'shocking worldpandemic': 759638, 'worldpandemic wewillovercome': 1010268, 'wewillovercome stayhome': 980803, 'stayhome savelives': 798096, 'savelives united': 737780, 'it totally cool': 461817, 'totally cool to': 926316, 'cool to wear': 203053, 'wear bandana in': 974293, 'bandana in supermarket': 109369, 'in supermarket groceryrun': 428610, 'supermarket groceryrun lockdown': 820586, 'groceryrun lockdown shocking': 366242, 'lockdown shocking worldpandemic': 499905, 'shocking worldpandemic wewillovercome': 759639, 'worldpandemic wewillovercome stayhome': 1010269, 'wewillovercome stayhome savelives': 980804, 'stayhome savelives united': 798097, 'savelives united kingdom': 737781, 'stepmom': 799756, 'my stepmom': 550200, 'stepmom want': 799757, 'she making': 756216, 'selling custom': 749210, 'custom earring': 221983, 'earring and': 264952, 'covid research': 214215, 'interested dm': 441449, 'and design': 61249, 'my stepmom want': 550201, 'stepmom want to': 799758, 'out in these': 626402, 'hard time so': 378042, 'time so she': 897698, 'so she making': 778195, 'she making and': 756217, 'making and selling': 510964, 'and selling custom': 71233, 'selling custom earring': 749211, 'custom earring and': 221984, 'earring and we': 264953, 'donating 50 of': 254425, 'of the profit': 591372, 'the profit to': 864621, 'to covid research': 903671, 'covid research and': 214216, 'research and anyone': 713668, 'and anyone affected': 58224, 'by this virus': 154536, 'this virus if': 891011, 'are interested dm': 87555, 'interested dm me': 441450, 'for price and': 324713, 'price and design': 672394, 'employee performing': 274110, 'performing vital': 651508, 'also putting': 48728, 'store employee performing': 807521, 'employee performing vital': 274111, 'performing vital service': 651509, 'vital service amid': 959718, 'are also putting': 84475, 'also putting themselves': 48733, 'demanding at': 236573, 'least 500': 484365, '500 billion': 19947, 'in additional': 420038, 'additional emergency': 31818, 'relief spending': 709461, 'spending to': 789022, 'aid hospital': 39402, 'hospital state': 404648, 'government shore': 360594, 'shore up': 764578, 'democrat are demanding': 236700, 'are demanding at': 85774, 'demanding at least': 236574, 'at least 500': 99454, 'least 500 billion': 484366, '500 billion in': 19948, 'billion in additional': 130841, 'in additional emergency': 420039, 'additional emergency relief': 31820, 'emergency relief spending': 272919, 'relief spending to': 709463, 'spending to aid': 789023, 'to aid hospital': 900193, 'aid hospital state': 39403, 'hospital state government': 404649, 'state government shore': 795616, 'government shore up': 360595, 'shore up food': 764580, 'up food stamp': 944897, 'you tired': 1021741, 'bay do': 112932, 'miss that': 534188, 'people because': 647234, 'problem go': 679535, 'people behave': 647244, 'did three': 240882, 'are you tired': 91871, 'you tired of': 1021742, 'part to keep': 642468, 'at bay do': 98100, 'bay do you': 112933, 'do you find': 250631, 'find it difficult': 306987, 'difficult to isolate': 242338, 'to isolate yourself': 908547, 'isolate yourself do': 454960, 'yourself do you': 1026584, 'do you miss': 250648, 'you miss that': 1019869, 'miss that closer': 534189, 'with people because': 1000136, 'people because of': 647235, 'of the advice': 590779, 'the advice to': 848388, 'advice to keep': 33530, 'distance of meter': 246783, 'of meter from': 586451, 'meter from others': 529716, 'no problem go': 565195, 'problem go to': 679536, 'where people behave': 985094, 'people behave like': 647246, 'behave like they': 123787, 'they did three': 881924, 'did three month': 240883, 'amish': 52857, 'the amish': 848642, 'amish are': 52858, 'are panicked': 88967, 'panicked about': 639243, 'toiletpaper little': 922188, 'little disappointed': 495319, 'disappointed you': 244129, 'something not': 784982, 'not modern': 570597, 'modern already': 535371, 'even the amish': 284646, 'the amish are': 848643, 'amish are panicked': 52859, 'are panicked about': 88968, 'panicked about toiletpaper': 639244, 'about toiletpaper little': 26753, 'toiletpaper little disappointed': 922189, 'little disappointed you': 495320, 'disappointed you think': 244130, 'think they would': 885687, 'would have something': 1011894, 'have something not': 382653, 'something not modern': 784984, 'not modern already': 570598, 'modern already in': 535372, 'already in control': 47465, 'supermarketstaff': 824238, 'uniform': 941758, 'iamchichi': 412539, 'campaignforhappiness': 157278, 'supermarketstaff are': 824239, 'keeping fed': 472419, 'say thankyou': 739222, 'thankyou dm': 842329, 'dm selfie': 248929, 'selfie in': 747964, 'your uniform': 1026247, 'uniform and': 941759, '10 store': 1686, 'store credit': 807228, 'credit tag': 216523, 'tag anyone': 831744, 'thanks iamchichi': 842109, 'iamchichi campaignforhappiness': 412540, 'campaignforhappiness keyworkers': 157279, 'keyworkers thankyou': 473609, 'supermarketstaff are keeping': 824240, 'are keeping fed': 87653, 'keeping fed and': 472420, 'fed and we': 301783, 'to say thankyou': 913842, 'say thankyou dm': 739223, 'thankyou dm selfie': 842330, 'dm selfie in': 248930, 'selfie in your': 747965, 'in your uniform': 431137, 'your uniform and': 1026248, 'uniform and we': 941761, 'give you 10': 350847, 'you 10 store': 1016743, '10 store credit': 1687, 'store credit tag': 807229, 'credit tag anyone': 216524, 'tag anyone you': 831745, 'know that work': 476802, 'that work at': 847649, 'at supermarket to': 100785, 'supermarket to say': 823411, 'say thanks iamchichi': 739219, 'thanks iamchichi campaignforhappiness': 842110, 'iamchichi campaignforhappiness keyworkers': 412541, 'campaignforhappiness keyworkers thankyou': 157280, 'unessential': 941330, 'everyone buying': 286757, 'so unessential': 778600, 'unessential compared': 941331, 'buying tinned': 151234, 'food perhaps': 315841, 'even no': 284405, 'just self': 469748, 'is everyone buying': 447583, 'everyone buying toilet': 286759, 'is so unessential': 452041, 'so unessential compared': 778601, 'unessential compared to': 941332, 'compared to other': 191433, 'other thing they': 621112, 'thing they could': 884846, 'be buying tinned': 113944, 'buying tinned food': 151235, 'tinned food perhaps': 898616, 'food perhaps even': 315843, 'perhaps even no': 651587, 'even no panic': 284407, 'buying just self': 150620, 'just self isolate': 469749, 'isolate and get': 454812, 'plus concern': 661577, 'plus concern around': 661578, 'stock local store': 802364, 'local store seem': 498479, 'brave supermarket': 138231, 'considered key': 195303, 'given protective': 351092, 'al have': 40571, 'have legally': 381305, 'legally enforced': 485914, 'enforced protection': 276721, 'test we': 839226, 'them again': 875324, 'our brave supermarket': 622260, 'brave supermarket worker': 138233, 'should be considered': 765590, 'be considered key': 114201, 'considered key worker': 195304, 'are given protective': 86847, 'given protective mask': 351093, 'protective mask glove': 685779, 'glove et al': 352666, 'et al have': 282351, 'al have legally': 40573, 'have legally enforced': 381306, 'legally enforced protection': 485915, 'enforced protection have': 276722, 'protection have access': 685471, 'access to test': 28286, 'to test we': 916398, 'test we thank': 839227, 'we thank them': 973514, 'thank them again': 841655, 'them again and': 875325, 'from entering': 335290, 'entering into': 278406, 'person face': 652425, 'not covered': 568906, 'covered this': 212439, 'way person': 969815, 'person stepping': 652616, 'stepping out': 799806, 'on need': 602358, 'need basis': 554520, 'basis can': 112228, 'also ensure': 48161, 'supporting spread': 827195, 'virus knowing': 958442, 'knowing or': 477129, 'or unknowingly': 617597, 'shop and grocery': 759849, 'store should stop': 810170, 'should stop people': 766520, 'people from entering': 647987, 'from entering into': 335291, 'entering into their': 278408, 'into their store': 443201, 'their store if': 874856, 'store if person': 808247, 'if person face': 414641, 'person face is': 652426, 'face is not': 294481, 'is not covered': 450052, 'not covered this': 568908, 'covered this way': 212441, 'this way person': 891135, 'way person stepping': 969816, 'person stepping out': 652617, 'stepping out on': 799807, 'out on need': 626911, 'on need basis': 602359, 'need basis can': 554521, 'basis can also': 112229, 'can also ensure': 157456, 'also ensure that': 48162, 'ensure that he': 278060, 'or she is': 617039, 'is not supporting': 450195, 'not supporting spread': 571827, 'supporting spread of': 827196, 'of virus knowing': 592826, 'virus knowing or': 958443, 'knowing or unknowingly': 477130, 'hire 100k': 396976, '100k worker': 2179, 'worker immediately': 1007155, 'shopping generated': 762773, 'generated result': 345582, 'matter your': 520673, 'your position': 1025356, 'amazon this': 51155, 'saving grace': 737882, 'grace at': 361604, 'at many': 99672, 'many level': 514229, 'to hire 100k': 907788, 'hire 100k worker': 396978, '100k worker immediately': 2180, 'worker immediately to': 1007156, 'immediately to handle': 417167, 'handle the influx': 376272, 'influx of online': 437388, 'online shopping generated': 609128, 'shopping generated result': 762774, 'generated result of': 345583, '19 no matter': 8801, 'no matter your': 564736, 'matter your position': 520674, 'your position on': 1025357, 'position on amazon': 665187, 'on amazon this': 599293, 'amazon this is': 51156, 'this is saving': 888389, 'is saving grace': 451649, 'saving grace at': 737883, 'grace at many': 361605, 'at many level': 99674, 'people prepare': 649178, 'people sometimes': 649509, 'sometimes dismiss': 785195, 'dismiss food': 246004, 'safety rule': 730719, 'their refrigerator': 874539, 'refrigerator the': 706820, 'food institute': 315089, 'institute ha': 440417, 'entire page': 278713, 'page dedicated': 633840, 'and faq': 62689, 'faq to': 298682, 'safe foodsafety': 729672, 'people prepare to': 649179, 'prepare to stay': 670140, 'home for an': 401220, 'an extended period': 55987, 'of time people': 592181, 'time people sometimes': 897468, 'people sometimes dismiss': 649510, 'sometimes dismiss food': 785196, 'dismiss food safety': 246005, 'food safety rule': 316276, 'safety rule they': 730720, 'rule they pack': 727378, 'they pack their': 882861, 'pack their refrigerator': 633166, 'their refrigerator the': 874541, 'refrigerator the food': 706821, 'the food institute': 855563, 'food institute ha': 315090, 'institute ha an': 440418, 'an entire page': 55772, 'entire page dedicated': 278714, 'page dedicated to': 633841, 'dedicated to and': 231744, 'to and faq': 900497, 'and faq to': 62690, 'faq to keep': 298683, 'keep safe foodsafety': 471879, 'store sure': 810475, 'sure doe': 827525, 'doe pay': 251551, 'grocery store sure': 365827, 'store sure doe': 810476, 'sure doe pay': 827526, 'doe pay off': 251552, 'pay off during': 645014, 'off during this': 593790, 'all lined': 43384, 'one leaf': 606583, 'leaf one': 483808, 'in black': 420868, 'black second': 132121, 'second figure': 743717, 'right waited': 722394, 'waited 45': 964264, 'min foto': 532537, 'foto by': 330114, 'shop in all': 760303, 'in all lined': 420172, 'all lined up': 43385, 'lined up outside': 493631, 'supermarket when one': 823803, 'when one leaf': 983799, 'one leaf one': 606584, 'leaf one go': 483809, 'one go in': 606352, 'go in that': 353718, 'in that me': 428925, 'that me in': 845100, 'me in black': 522956, 'in black second': 420872, 'black second figure': 132122, 'second figure from': 743718, 'figure from the': 305202, 'the right waited': 865836, 'right waited 45': 722395, 'waited 45 min': 964265, '45 min foto': 19112, 'min foto by': 532538, 'gillingham': 350153, 'this slowdown': 890207, 'slowdown may': 774454, 'mean greater': 524467, 'greater reliance': 363220, 'longer ken': 502010, 'ken gillingham': 472762, 'gillingham on': 350154, 'the complex': 851397, 'complex implication': 192405, 'global energy': 351915, 'this slowdown may': 890208, 'slowdown may mean': 774455, 'may mean greater': 521341, 'mean greater reliance': 524468, 'greater reliance on': 363221, 'fossil fuel for': 330080, 'fuel for longer': 340175, 'for longer ken': 323094, 'longer ken gillingham': 502011, 'ken gillingham on': 472763, 'gillingham on the': 350155, 'on the complex': 604032, 'the complex implication': 851398, 'complex implication of': 192406, 'on global energy': 601105, 'global energy market': 351916, 'energy market and': 276496, 'rende': 710935, 'mheshimiwa': 530119, 'wanjiku': 965597, '4g': 19448, 'balloon': 109098, 'uhuruto': 938117, 'educa': 268747, 'rende mheshimiwa': 710936, 'mheshimiwa that': 530120, 'idea sir': 413169, 'sir inform': 771584, 'your cousin': 1023364, 'cousin uhuru': 212094, 'uhuru that': 938112, 'that wanjiku': 847324, 'wanjiku have': 965598, 'been complaining': 120851, 'about control': 25015, 'and reduction': 70114, 'since 2013': 770461, '2013 4g': 13783, '4g balloon': 19449, 'balloon no': 109101, 'no tell': 565674, 'tell uhuruto': 837120, 'uhuruto we': 938118, 'free educa': 331793, 'rende mheshimiwa that': 710937, 'mheshimiwa that good': 530121, 'good idea sir': 357220, 'idea sir inform': 413170, 'sir inform your': 771585, 'inform your cousin': 437676, 'your cousin uhuru': 1023365, 'cousin uhuru that': 212095, 'uhuru that wanjiku': 938113, 'that wanjiku have': 847325, 'wanjiku have been': 965599, 'have been complaining': 379493, 'been complaining about': 120852, 'complaining about control': 191883, 'about control and': 25016, 'control and reduction': 201967, 'and reduction of': 70115, 'reduction of foodstuff': 706388, 'of foodstuff price': 583837, 'foodstuff price since': 318179, 'price since 2013': 676414, 'since 2013 4g': 770462, '2013 4g balloon': 13784, '4g balloon no': 19450, 'balloon no tell': 109102, 'no tell uhuruto': 565675, 'tell uhuruto we': 837121, 'uhuruto we request': 938119, 'we request for': 973091, 'request for free': 713160, 'for free educa': 321715, 'can car': 157864, 'car go': 163108, 'sale like': 732337, 'like airplane': 489737, 'airplane ticket': 40074, 'price trying': 677140, 'new ride': 559501, 'can car go': 157865, 'car go on': 163109, 'go on sale': 353891, 'on sale like': 603269, 'sale like airplane': 732339, 'like airplane ticket': 489738, 'airplane ticket price': 40075, 'ticket price trying': 895659, 'price trying to': 677141, 'get new ride': 347661, 'wonder which': 1004035, 'which place': 986220, 'place had': 657476, 'most germ': 542347, 'germ right': 346144, 'wonder which place': 1004036, 'which place had': 986221, 'place had the': 657478, 'the most germ': 860990, 'most germ right': 542348, 'germ right now': 346145, 'now the hospital': 576045, 'the hospital or': 857527, 'hospital or the': 404548, 'wisewednesday': 996732, 'our wisewednesday': 625386, 'wisewednesday live': 996735, 'our youtube': 625422, 'youtube even': 1026901, 'to workfromhome': 918815, 'workfromhome we': 1008445, 'have tip': 383143, 'wise consumer': 996671, 'in troubled': 430301, 'miss our wisewednesday': 534173, 'our wisewednesday live': 625387, 'wisewednesday live it': 996736, 'live it up': 495906, 'it up on': 461965, 'on our youtube': 602647, 'our youtube even': 625424, 'youtube even having': 1026902, 'even having to': 284175, 'having to workfromhome': 384376, 'to workfromhome we': 918816, 'workfromhome we still': 1008446, 'still have tip': 800665, 'have tip to': 383145, 'help you be': 390955, 'you be wise': 1017407, 'be wise consumer': 118113, 'wise consumer in': 996672, 'consumer in troubled': 197837, 'in troubled time': 430302, 'troubled time for': 932673, 'info visit for': 437608, 'visit for update': 959255, 'for update from': 327467, 'update from trusted': 946987, 'pennycook': 646637, 'being far': 125135, 'too complacent': 924665, 'complacent about': 191837, 'supply matthew': 825545, 'matthew pennycook': 520685, 'pennycook doe': 646638, 'your tweet': 1026234, 'tweet not': 936387, 'the panick': 863240, 'panick being': 639187, 'felt by': 303368, 'concerned that the': 193222, 'government are being': 359896, 'are being far': 84858, 'being far too': 125136, 'far too complacent': 298953, 'too complacent about': 924666, 'complacent about the': 191838, 'food supply matthew': 316968, 'supply matthew pennycook': 825546, 'matthew pennycook doe': 520686, 'pennycook doe your': 646639, 'doe your tweet': 251681, 'your tweet not': 1026237, 'tweet not just': 936388, 'not just add': 570211, 'to the panick': 916942, 'the panick being': 863241, 'panick being felt': 639188, 'being felt by': 125139, 'felt by the': 303370, 'by the general': 154335, 'public and fuel': 687848, 'and fuel the': 63393, 'fuel the stock': 340295, 'essential under': 281739, 'governor order': 360960, 'panic these': 638698, 'these system': 880781, 'system and agriculture': 831092, 'and agriculture sector': 57794, 'agriculture sector are': 39031, 'sector are considered': 744097, 'considered essential under': 195293, 'essential under the': 281740, 'under the governor': 940310, 'the governor order': 856644, 'governor order there': 360961, 'order there is': 618640, 'food or panic': 315666, 'or panic these': 616493, 'panic these system': 638699, 'these system will': 880782, 'system will keep': 831382, 'will keep working': 993903, 'see spike': 745739, 'next while': 561714, 'while stayhomechallenge': 987312, 'quarantinelife onlineshopping': 692982, 'can see spike': 159545, 'see spike in': 745740, 'online shopping over': 609215, 'shopping over the': 763580, 'the next while': 861713, 'next while stayhomechallenge': 561715, 'while stayhomechallenge quarantinelife': 987313, 'stayhomechallenge quarantinelife onlineshopping': 798275, 'danish company': 225841, 'also throwing': 49013, 'throwing their': 895111, 'their weight': 875180, 'weight and': 977695, 'how into': 408076, 'against report': 37603, 'by quickly': 153706, 'quickly shifting': 694597, 'shifting production': 758549, 'helping provide': 391448, 'provide denmark': 686261, 'denmark the': 237029, 'necessary amount': 553947, 'danish company are': 225842, 'company are also': 190410, 'are also throwing': 84483, 'also throwing their': 49014, 'throwing their weight': 895112, 'their weight and': 875181, 'weight and know': 977696, 'know how into': 476444, 'how into the': 408078, 'into the fight': 443124, 'fight against report': 304636, 'against report that': 37604, 'report that by': 712316, 'that by quickly': 843077, 'by quickly shifting': 153707, 'quickly shifting production': 694598, 'shifting production company': 758550, 'production company are': 681968, 'are helping provide': 87104, 'helping provide denmark': 391449, 'provide denmark the': 686262, 'denmark the necessary': 237030, 'the necessary amount': 861373, 'necessary amount of': 553948, 'sanitizer read more': 735634, 'wetaskiwin': 980772, 'case reported': 165981, 'reported at': 712461, 'in wetaskiwin': 430825, '19 case reported': 5696, 'case reported at': 165982, 'reported at supermarket': 712462, 'supermarket in wetaskiwin': 821003, 'cory': 207765, 'downplaying': 257680, 'huff': 409936, 'global cory': 351829, 'cory number': 207766, 'number why': 577087, 'they spreading': 883432, 'panic not': 638347, 'not downplaying': 569102, 'downplaying it': 257681, 'in huff': 423896, 'huff when': 409937, 'when 800': 983111, '800 child': 22688, 'starvation daily': 795163, 'are the global': 90835, 'the global cory': 856294, 'global cory number': 351830, 'cory number why': 207767, 'number why are': 577088, 'are they spreading': 91027, 'they spreading panic': 883433, 'spreading panic not': 791025, 'panic not downplaying': 638349, 'not downplaying it': 569103, 'downplaying it just': 257682, 'it just trying': 459254, 'just trying to': 470148, 'out why they': 627851, 'why they are': 991450, 'are putting the': 89362, 'putting the world': 691236, 'world in huff': 1009659, 'in huff when': 423897, 'huff when 800': 409938, 'when 800 child': 983112, '800 child die': 22690, 'from starvation daily': 337407, 'starvation daily food': 795164, 'daily food for': 224620, 'nurse came': 577229, 'off 48': 593605, 'for think': 326999, 'due to selfish': 261940, 'to selfish panic': 914127, 'buyer this nurse': 149776, 'this nurse came': 889190, 'nurse came off': 577230, 'came off 48': 157033, 'off 48 hour': 593606, 'any food the': 79241, 'on to care': 604728, 'care for think': 163957, 'for think panicbuying': 327000, 'bank while': 110300, 'america creates': 51489, 'creates covid': 215936, 'coronavirus ha led': 206024, 'led to drop': 485279, 'some food bank': 782854, 'food bank while': 313669, 'bank while some': 110301, 'on supply at': 603817, 'supply at grocery': 824811, 'feeding america creates': 302452, 'america creates covid': 51490, 'creates covid 19': 215937, 'saycuf': 739529, 'dema': 234888, 'thegoat': 872376, 'putin say': 691051, 'say make': 738910, 'make dem': 509824, 'dem revoke': 234880, 'revoke the': 720714, 'shop company': 760061, 'company wey': 191301, 'wey dem': 980813, 'dem increase': 234872, 'mask saycuf': 519243, 'saycuf covid': 739530, '19 dema': 6478, 'dema license': 234889, 'license thegoat': 488159, 'putin say make': 691052, 'say make dem': 738911, 'make dem revoke': 509825, 'dem revoke the': 234881, 'revoke the shop': 720716, 'the shop company': 866987, 'shop company wey': 760062, 'company wey dem': 191302, 'wey dem increase': 980814, 'dem increase the': 234873, 'of sanitizers and': 589306, 'and mask saycuf': 66762, 'mask saycuf covid': 519244, 'saycuf covid 19': 739531, 'covid 19 dema': 212929, '19 dema license': 6479, 'dema license thegoat': 234890, 'end demand': 275807, 'soaring but': 779313, 'but individual': 146046, 'individual donation': 435175, 'falling the': 297344, 'one share': 607007, 'her diary': 391993, 'diary of': 240416, 'it journey': 459208, 'journey during': 467470, 'food bank could': 313544, 'bank could run': 109743, 'coronavirus lockdown end': 206242, 'lockdown end demand': 499337, 'end demand is': 275808, 'demand is soaring': 235740, 'is soaring but': 452051, 'soaring but individual': 779314, 'but individual donation': 146047, 'individual donation are': 435176, 'donation are falling': 254549, 'are falling the': 86473, 'falling the co': 297345, 'the co founder': 851102, 'founder of one': 330555, 'of one share': 587243, 'one share her': 607008, 'share her diary': 755021, 'her diary of': 391994, 'diary of it': 240417, 'of it journey': 585410, 'it journey during': 459209, 'journey during the': 467471, 'careersuccess': 164371, 'dumpster': 262260, 'careersuccess in': 164372, 'of alive': 579913, 'alive shopped': 41832, 'shopped still': 761319, 'au toilet': 102801, 'paper bulk': 639959, 'pack too': 633177, 'too sustainability': 925098, 'sustainability found': 829767, 'found trolley': 330453, 'in dumpster': 422411, 'careersuccess in the': 164373, 'era of alive': 280068, 'of alive shopped': 579914, 'alive shopped still': 41833, 'shopped still no': 761320, 'still no supermarket': 800878, 'supermarket delivery in': 819924, 'delivery in au': 234113, 'in au toilet': 420576, 'au toilet paper': 102802, 'toilet paper bulk': 921211, 'paper bulk pack': 639961, 'bulk pack too': 142338, 'pack too sustainability': 633178, 'too sustainability found': 925099, 'sustainability found trolley': 829768, 'found trolley in': 330454, 'trolley in dumpster': 932431, 'sanitizer tomorrow': 735965, 'tomorrow tuesday': 924221, '7th starting': 22530, '10am 32': 2280, '32 oz': 17692, 'oz 20': 632708, '20 gallon': 13075, 'gallon 80': 342967, '80 gallon': 22579, 'gallon 400': 342965, '400 first': 18736, 'first served': 308997, 'will have hand': 993636, 'hand sanitizer tomorrow': 375631, 'sanitizer tomorrow tuesday': 735966, 'tomorrow tuesday april': 924222, 'tuesday april 7th': 935123, 'april 7th starting': 83520, '7th starting at': 22531, 'starting at 10am': 794943, 'at 10am 32': 97423, '10am 32 oz': 2281, '32 oz 20': 17693, 'oz 20 gallon': 632709, '20 gallon 80': 13076, 'gallon 80 gallon': 342968, '80 gallon 400': 22580, 'gallon 400 first': 342966, '400 first come': 18737, 'come first served': 187288, 'measure introduced': 525241, 'introduced to': 443463, 'outbreak which': 628812, 'are accelerating': 84175, 'accelerating the': 27918, 'shopping across': 761887, 'measure introduced to': 525242, 'introduced to contain': 443464, 'contain the outbreak': 200500, 'the outbreak which': 862722, 'outbreak which are': 628813, 'which are forcing': 985682, 'are forcing people': 86657, 'home are accelerating': 400724, 'are accelerating the': 84176, 'accelerating the rise': 27920, 'online shopping across': 609013, 'shopping across europe': 761888, 'europe and in': 283396, 'grand fork': 361861, 'fork area': 329472, 'making necessary': 511244, 'necessary service': 554071, 'service change': 752221, 'grand fork area': 361862, 'fork area food': 329473, 'pantry are making': 639532, 'are making necessary': 87996, 'making necessary service': 511245, 'necessary service change': 554072, 'service change to': 752222, 'change to minimize': 172353, 'the risk for': 865873, 'risk for citizen': 723540, 'for citizen and': 320089, 'citizen and meet': 178837, 'and meet increased': 66930, 'increased demand food': 433271, 'forecast stated': 328863, 'that georgia': 843991, 'georgia will': 346052, 'experience substantial': 291494, 'substantial slowdown': 816061, 'the forecast stated': 855688, 'forecast stated that': 328864, 'stated that georgia': 796141, 'that georgia will': 843992, 'georgia will experience': 346053, 'will experience substantial': 993376, 'experience substantial slowdown': 291496, 'substantial slowdown in': 816062, 'slowdown in 2020': 774445, 'and lower oil': 66457, 'online get': 608291, 'your look': 1024740, 'look ready': 502574, 'summer quarantinelife': 818001, 'quarantinelife free': 692949, 'order 50': 617999, 'at home shop': 99103, 'home shop online': 402055, 'shop online get': 760571, 'online get your': 608294, 'get your look': 348713, 'your look ready': 1024744, 'look ready for': 502575, 'for this summer': 327069, 'this summer quarantinelife': 890419, 'summer quarantinelife free': 818002, 'quarantinelife free shipping': 692950, 'shipping on order': 758881, 'on order 50': 602543, 'order 50 or': 618000, 'signature': 769345, 'is fedex': 447765, 'fedex driver': 302111, 'am amazed': 49879, 'say still': 739175, 'still answer': 800195, 'door if': 255618, 'from fedex': 335451, 'fedex ups': 302118, 'ups or': 947763, 'or usps': 617629, 'usps knock': 950856, 'door let': 255638, 'them leave': 875971, 'outside signature': 629547, 'signature are': 769346, 'currently not': 221603, 'not required': 571327, 'required say': 713384, 'hello through': 389227, 'through window': 894910, 'through closed': 894369, 'door ffs': 255589, 'husband is fedex': 411723, 'is fedex driver': 447766, 'fedex driver and': 302112, 'driver and am': 259408, 'and am amazed': 58004, 'am amazed at': 49880, 'amazed at how': 50622, 'many people he': 514509, 'people he say': 648223, 'he say still': 385398, 'say still answer': 739176, 'still answer the': 800196, 'answer the door': 78111, 'the door if': 853568, 'door if person': 255619, 'if person from': 414642, 'person from fedex': 652439, 'from fedex ups': 335452, 'fedex ups or': 302119, 'ups or usps': 947764, 'or usps knock': 617630, 'usps knock on': 950857, 'the door let': 853572, 'door let them': 255639, 'let them leave': 487158, 'them leave the': 875972, 'leave the package': 484973, 'the package outside': 862846, 'package outside signature': 633365, 'outside signature are': 629548, 'signature are currently': 769347, 'are currently not': 85668, 'currently not required': 221604, 'not required say': 571328, 'required say hello': 713385, 'say hello through': 738745, 'hello through window': 389229, 'through window or': 894911, 'window or say': 995704, 'or say hello': 616973, 'hello through closed': 389228, 'through closed door': 894370, 'closed door ffs': 183075, 'you down': 1018351, 'down still': 257210, 'grow that': 367068, 'business dm': 143642, 'free consultation': 331719, 'consultation amp': 195876, 'amp low': 54087, '19 got you': 7257, 'got you down': 359030, 'you down still': 1018355, 'down still trying': 257211, 'trying to grow': 934816, 'to grow that': 907040, 'grow that business': 367069, 'that business dm': 843056, 'business dm me': 143643, 'me for free': 522748, 'for free consultation': 321709, 'free consultation amp': 331720, 'consultation amp low': 195877, 'amp low price': 54088, 'low price during': 505511, 'inditex': 435117, 'fash': 299784, 'local currency': 497873, 'currency at': 221011, 'at inditex': 99291, 'inditex owner': 435120, 'of decreased': 582445, 'decreased by': 231623, 'by between': 151951, '2020 amid': 14135, 'here inditex': 393199, 'inditex zara': 435122, 'zara retail': 1027238, 'fashion fash': 299806, 'store and online': 806310, 'and online sale': 68118, 'online sale in': 608918, 'sale in local': 732298, 'in local currency': 424817, 'local currency at': 497875, 'currency at inditex': 221013, 'at inditex owner': 99292, 'inditex owner of': 435121, 'owner of decreased': 632510, 'of decreased by': 582446, 'decreased by between': 231624, 'by between february': 151952, 'between february and': 128777, 'february and march': 301686, 'and march 16': 66687, '16 2020 amid': 4066, '2020 amid the': 14136, 'more here inditex': 539425, 'here inditex zara': 393200, 'inditex zara retail': 435123, 'zara retail retailnews': 1027239, 'retailnews fashion fash': 719519, 'iaconelli is': 412528, 'company ongoing': 190936, 'michael iaconelli is': 530248, 'iaconelli is the': 412529, 'is the author': 452732, 'author of new': 103645, 'of the company': 590878, 'the company ongoing': 851343, 'company ongoing covid': 190937, 'ppe ventilator': 668095, 'testing that': 839659, 'that impressive': 844442, 'impressive who': 419499, 'all staying': 44453, 'home especially': 401156, 'you negotiated': 1020069, 'negotiated for': 556924, 'about you get': 26973, 'you get big': 1018761, 'get big deal': 346673, 'deal for ppe': 229401, 'for ppe ventilator': 324671, 'ppe ventilator and': 668096, 'ventilator and covid': 954523, '19 testing that': 11113, 'testing that impressive': 839660, 'that impressive who': 844443, 'impressive who care': 419500, 'care about gas': 163788, 're all staying': 698235, 'all staying home': 44454, 'staying home especially': 798605, 'home especially since': 401158, 'especially since you': 280601, 'since you negotiated': 771016, 'you negotiated for': 1020070, 'negotiated for high': 556926, 'altrincham': 49396, 'descended': 237910, 'the altrincham': 848606, 'altrincham store': 49397, 'had descended': 373023, 'descended this': 237913, 'your night': 1025015, 'shift shelf': 758404, 'stacker are': 792007, 'hero please': 394069, 'in the altrincham': 428977, 'the altrincham store': 848607, 'altrincham store last': 49398, 'night and the': 562950, 'were bare the': 979365, 'the locust had': 859651, 'locust had descended': 500570, 'had descended this': 373024, 'descended this morning': 237914, 'morning it look': 541322, 'this your night': 891621, 'your night shift': 1025016, 'night shift shelf': 563073, 'shift shelf stacker': 758405, 'shelf stacker are': 757554, 'stacker are hero': 792008, 'are hero please': 87134, 'hero please tell': 394070, 'tell them thank': 837103, 'power2cap': 667740, 'refusing2': 707103, 'the sole': 867453, 'sole power2cap': 781851, 'power2cap the': 667741, 'the ventilator': 870685, 'price stop': 676676, 'the bidding': 849589, 'by refusing2': 153751, 'refusing2 do': 707104, 'kill hundred': 474420, 'profit 19': 682639, '19 trumpgenocide': 11590, 'have the sole': 383028, 'the sole power2cap': 867454, 'sole power2cap the': 781852, 'power2cap the ventilator': 667742, 'the ventilator price': 870687, 'ventilator price stop': 954594, 'price stop the': 676677, 'stop the bidding': 805124, 'the bidding war': 849590, 'bidding war by': 129525, 'war by refusing2': 966394, 'by refusing2 do': 153752, 'refusing2 do so': 707105, 'do so you': 250109, 'so you choose': 778836, 'choose to kill': 177912, 'to kill hundred': 908929, 'kill hundred of': 474421, 'of american in': 580063, 'american in favor': 52045, 'favor of profit': 300468, 'of profit 19': 588520, 'profit 19 trumpgenocide': 682640, 'platte': 659082, 'nation the': 552330, 'the platte': 863826, 'platte county': 659083, 'pantry is': 639617, 'affect community': 34136, 'community big': 189759, 'big and': 129615, 'other food pantry': 620245, 'the nation the': 861266, 'nation the platte': 552332, 'the platte county': 863827, 'platte county food': 659084, 'county food pantry': 211383, 'food pantry is': 315787, 'pantry is seeing': 639619, 'is seeing significant': 451719, 'seeing significant increase': 746467, 'increase in traffic': 432875, 'in traffic the': 430263, 'traffic the covid': 929145, 'crisis continues to': 217251, 'continues to affect': 201458, 'to affect community': 900143, 'affect community big': 34137, 'community big and': 189760, 'big and small': 129616, 'shevles': 758111, 'seaweed': 743608, 'is nobody': 449992, 'nobody panic': 566046, 'buying vegan': 151303, 'only shit': 611113, 'the shevles': 866925, 'shevles know': 758112, 'know these': 476868, 'with vegan': 1001960, 'vegan sausage': 953882, 'sausage hemp': 737407, 'hemp tofu': 391717, 'tofu seaweed': 920655, 'seaweed cheese': 743609, 'dairy free': 224988, 'free angel': 331652, 'angel delight': 76303, 'delight panicbuying': 233038, 'panicbuying notgoingout': 638995, 'notgoingout coronacrisis': 572899, 'why is nobody': 991114, 'is nobody panic': 449995, 'nobody panic buying': 566048, 'panic buying vegan': 637950, 'buying vegan food': 151304, 'vegan food it': 953860, 'food it the': 315184, 'the only shit': 862339, 'only shit left': 611114, 'shit left on': 759163, 'on the shevles': 604356, 'the shevles know': 866926, 'shevles know these': 758113, 'know these are': 476869, 'these are desperate': 879612, 'are desperate time': 85794, 'desperate time so': 238557, 'time so have': 897692, 'so have stocked': 777265, 'up with vegan': 946699, 'with vegan sausage': 1001962, 'vegan sausage hemp': 953883, 'sausage hemp tofu': 737408, 'hemp tofu seaweed': 391718, 'tofu seaweed cheese': 920656, 'seaweed cheese and': 743610, 'cheese and dairy': 175166, 'and dairy free': 60924, 'dairy free angel': 224989, 'free angel delight': 331653, 'angel delight panicbuying': 76304, 'delight panicbuying notgoingout': 233039, 'panicbuying notgoingout coronacrisis': 638996, 'coldpressoil': 185822, 'standardcoldpressoil': 793724, 'why coldpressoil': 990887, 'coldpressoil chekkuoil': 185823, 'chekkuoil standardcoldpressoil': 175302, 'did the disinfectant': 240846, 'the disinfectant kill': 853388, 'disinfectant kill the': 245705, 'no read why': 565275, 'read why coldpressoil': 700664, 'why coldpressoil chekkuoil': 990888, 'coldpressoil chekkuoil standardcoldpressoil': 185824, '19 9to5mac': 4776, 'covid 19 9to5mac': 212566, 'congratulation your': 194457, 'app is': 81730, 'exactly like': 288745, 'like absolutely': 489720, 'absolutely ing': 27377, 'ing useless': 438291, 'useless get': 950226, 'grip and': 364007, 'and fix': 62952, 'unacceptable without': 939378, 'without customer': 1002573, 'congratulation your online': 194458, 'shopping app is': 762053, 'app is exactly': 81731, 'is exactly like': 447623, 'exactly like absolutely': 288746, 'like absolutely ing': 489721, 'absolutely ing useless': 27378, 'ing useless get': 438292, 'useless get grip': 950227, 'get grip and': 347153, 'grip and fix': 364008, 'and fix it': 62954, 'fix it totally': 309732, 'it totally unacceptable': 461821, 'totally unacceptable without': 926403, 'unacceptable without customer': 939379, 'without customer you': 1002575, 'customer you don': 223125, 'don have business': 253590, 'shock the': 759521, 'to dramatic': 904703, 'into permanent': 442864, 'business quickly': 144277, 'quickly ass': 694468, 'ass rapid': 96274, 'humanitarian crisis but': 410682, 'crisis but also': 217143, 'but also an': 145097, 'economic shock the': 267278, 'shock the outbreak': 759523, 'led to dramatic': 485278, 'to dramatic disruption': 904705, 'that could turn': 843368, 'could turn into': 209799, 'turn into permanent': 935692, 'into permanent change': 442865, 'permanent change business': 652037, 'change business quickly': 171960, 'business quickly ass': 144278, 'quickly ass rapid': 694469, 'consumer talk': 199217, 'leading topic': 483781, 'most mentioned': 542509, 'mentioned issue': 528832, 'issue here': 455786, 'know branding': 476312, 'branding socialmedia': 138138, 'do consumer talk': 249202, 'consumer talk about': 199218, 'the coronavirus what': 851942, 'are the leading': 90852, 'the leading topic': 859237, 'leading topic and': 483782, 'topic and most': 925775, 'and most mentioned': 67270, 'most mentioned issue': 542510, 'mentioned issue here': 528833, 'issue here what': 455787, 'here what your': 393827, 'what your brand': 982707, 'your brand need': 1023017, 'to know branding': 908975, 'know branding socialmedia': 476313, 'complained': 191876, 'than 25': 840211, '25 retailer': 15958, 'been found': 121182, 'found guilty': 330228, 'inflation during': 437159, 'national 19': 552404, 'outbreak after': 627967, 'consumer complained': 196845, 'complained about': 191877, 'the corrupt': 851974, 'corrupt practice': 207670, 'to competition': 903123, 'more than 25': 540557, 'than 25 retailer': 840212, '25 retailer have': 15959, 'retailer have been': 719178, 'have been found': 379551, 'been found guilty': 121183, 'found guilty of': 330229, 'guilty of price': 368569, 'of price inflation': 588409, 'price inflation during': 674823, 'inflation during the': 437160, 'the national 19': 861282, 'national 19 outbreak': 552405, '19 outbreak after': 9079, 'outbreak after consumer': 627968, 'after consumer complained': 35498, 'consumer complained about': 196846, 'complained about the': 191878, 'about the corrupt': 26363, 'the corrupt practice': 851976, 'corrupt practice to': 207671, 'practice to competition': 668688, 'to competition and': 903124, 'and consumer watchdog': 60442, 'inside nyc': 439330, 'supermarket only 10': 821767, 'only 10 people': 609967, 'at time can': 101286, 'time can go': 896446, 'go inside nyc': 353730, 'amazon stock': 51134, 'to crash': 903684, 'crash so': 215035, 'bad after': 107751, 'amazon stock price': 51135, 'going to crash': 355562, 'to crash so': 903687, 'crash so bad': 215036, 'so bad after': 776574, 'bad after this': 107752, 'mask 2020': 518257, '2020 essential': 14296, 'essential washable': 281752, 'washable mask': 967596, 'mask reusable': 519197, 'reusable reusable': 720169, 'reusable cheaper': 720152, 'cheaper sustainable': 174272, 'sustainable introducing': 829801, 'introducing our': 443502, 'our washable': 625306, 'washable face': 967594, 'mask did': 518571, 'did forget': 240609, 'quarantine facemask': 692184, 'facemask lockdownextension': 295087, 'mask 2020 essential': 518258, '2020 essential washable': 14297, 'essential washable mask': 281753, 'washable mask reusable': 967597, 'mask reusable reusable': 519198, 'reusable reusable cheaper': 720170, 'reusable cheaper sustainable': 720153, 'cheaper sustainable introducing': 174273, 'sustainable introducing our': 829802, 'introducing our washable': 443503, 'our washable face': 625307, 'washable face mask': 967595, 'face mask did': 294532, 'mask did forget': 518572, 'did forget to': 240610, 'forget to mention': 329326, 'mention the low': 528795, 'low price quarantine': 505533, 'price quarantine facemask': 676043, 'quarantine facemask lockdownextension': 692185, 'protection warns of': 685678, 'warns of covid': 967265, 'what funny': 981484, 'problem buying': 679486, 'know what funny': 476952, 'what funny if': 981485, 'wouldn have any': 1012473, 'have any problem': 379313, 'any problem buying': 79688, 'problem buying food': 679487, 'tenfold': 837927, 'docsneedgear': 250798, 'while hospital': 986926, 'hospital management': 404504, 'management are': 512540, 'arrange ppes': 93693, 'ppes for': 668127, 'staff the': 792937, 'price tenfold': 676767, 'tenfold it': 837930, 'intervene control': 442161, 'price doc': 673476, 'doc said': 250753, 'said docsneedgear': 731045, 'while hospital management': 986927, 'hospital management are': 404505, 'management are trying': 512541, 'trying to arrange': 934765, 'to arrange ppes': 900721, 'arrange ppes for': 93694, 'ppes for their': 668128, 'for their staff': 326872, 'their staff the': 874799, 'staff the manufacturer': 792948, 'the manufacturer have': 860023, 'manufacturer have increased': 513463, 'the price tenfold': 864420, 'price tenfold it': 676768, 'tenfold it is': 837931, 'it is extremely': 458953, 'buy at such': 148385, 'at such price': 100683, 'such price the': 816696, 'price the govt': 676836, 'govt must intervene': 361206, 'must intervene control': 546735, 'intervene control such': 442162, 'control such price': 202153, 'such price doc': 816695, 'price doc said': 673477, 'doc said docsneedgear': 250754, 'abdulla': 24305, 'logodesign': 500840, 'is abdulla': 445258, 'abdulla al': 24306, 'al noman': 40594, 'noman and': 566259, 'am graphic': 50099, 'graphic designer': 362161, 'designer this': 238392, 'design how': 238234, 'you looking': 1019706, 'for custom': 320499, 'custom logo': 221989, 'design just': 238246, 'message full': 529327, 'full view': 340967, 'view onlineshop': 957141, 'onlineshop logodesign': 609876, 'logodesign shopping': 500841, 'shopping slay': 763895, 'hello everyone my': 389154, 'everyone my name': 287200, 'my name is': 549402, 'name is abdulla': 551638, 'is abdulla al': 445259, 'abdulla al noman': 24307, 'al noman and': 40595, 'noman and am': 566260, 'and am graphic': 58016, 'am graphic designer': 50100, 'graphic designer this': 362163, 'designer this is': 238393, 'my new logo': 549465, 'new logo design': 559062, 'logo design how': 500827, 'design how is': 238235, 'is it are': 449011, 'it are you': 456587, 'are you looking': 91818, 'you looking for': 1019707, 'looking for custom': 502861, 'for custom logo': 320501, 'custom logo design': 221990, 'logo design just': 500829, 'design just send': 238247, 'just send direct': 469757, 'direct message full': 243356, 'message full view': 529328, 'full view onlineshop': 340968, 'view onlineshop logodesign': 957142, 'onlineshop logodesign shopping': 609877, 'logodesign shopping slay': 500842, 'undateable': 939929, 'pretty undateable': 671516, 'undateable few': 939930, 'ago how': 38405, 'now lady': 575176, 'lady toiletpaper': 478847, 'joke funny': 467084, 'funny socialdistancing': 341786, 'you all thought': 1016917, 'all thought wa': 45201, 'thought wa pretty': 893294, 'wa pretty undateable': 962995, 'pretty undateable few': 671517, 'undateable few week': 939931, 'week ago how': 975849, 'ago how about': 38406, 'how about now': 407293, 'about now lady': 25828, 'now lady toiletpaper': 575177, 'lady toiletpaper comedy': 478848, 'toiletpaper comedy joke': 921864, 'comedy joke funny': 187759, 'joke funny socialdistancing': 467087, 'disinfecant': 245534, 'wa deemed': 961927, 'deemed an': 231814, 'an essentialworker': 55841, 'essentialworker at': 281937, 'at medical': 99718, 'florida ve': 311000, 'taking lunch': 833430, 'taking disinfecant': 833327, 'disinfecant glove': 245535, 'and homemade': 64692, 'need distribution': 554684, 'distribution system': 248232, 'prioritize essential': 678436, 'business getting': 143780, 'getting supply': 349322, 'wa deemed an': 961928, 'deemed an essentialworker': 231816, 'an essentialworker at': 55842, 'essentialworker at medical': 281938, 'at medical service': 99719, 'medical service in': 526376, 'service in florida': 752477, 'in florida ve': 422943, 'florida ve gone': 311001, 'gone from taking': 356286, 'from taking lunch': 337542, 'taking lunch to': 833431, 'lunch to work': 506752, 'work to taking': 1005906, 'to taking disinfecant': 916271, 'taking disinfecant glove': 833328, 'disinfecant glove and': 245536, 'glove and homemade': 352564, 'and homemade hand': 64694, 'sanitizer we re': 736048, 'we re almost': 972820, 'almost out we': 46723, 'out we need': 627798, 'we need distribution': 972478, 'need distribution system': 554685, 'distribution system to': 248233, 'system to prioritize': 831355, 'to prioritize essential': 912145, 'prioritize essential business': 678437, 'essential business getting': 280847, 'business getting supply': 143781, 'askgovnortham': 95918, 'askgovnortham my': 95919, 'my nonessential': 549504, 'nonessential retail': 566623, '10 patron': 1605, 'have customer': 380174, 'house putting': 406512, 'putting more': 691164, 'do nonessential': 249645, 'nonessential store': 566625, 'only encourages': 610389, 'encourages this': 275705, 'selfish behavior': 748026, 'behavior more': 124120, 'askgovnortham my nonessential': 95920, 'my nonessential retail': 549505, 'nonessential retail store': 566624, 'retail store remains': 718693, 'remains open for': 710044, 'open for 10': 612236, 'for 10 patron': 318619, '10 patron at': 1606, 'patron at time': 644410, 'we have customer': 971790, 'have customer coming': 380175, 'customer coming in': 222255, 'coming in just': 188093, 'in just to': 424426, 'the house putting': 857627, 'house putting more': 406513, 'putting more people': 691165, '19 why do': 12068, 'why do nonessential': 990932, 'do nonessential store': 249646, 'nonessential store remain': 566626, 'remain open it': 709814, 'open it only': 612343, 'it only encourages': 460096, 'only encourages this': 610390, 'encourages this selfish': 275706, 'this selfish behavior': 890018, 'selfish behavior more': 748028, 'dstv': 261368, 'dstv april': 261369, 'increase decision': 432730, 'decision ha': 231031, 'been reversed': 121849, 'reversed covid': 720532, 'working wonder': 1009077, 'wonder lol': 1003983, 'dstv april price': 261370, 'april price increase': 83658, 'price increase decision': 674768, 'increase decision ha': 432731, 'decision ha been': 231032, 'ha been reversed': 369903, 'been reversed covid': 121850, 'reversed covid 19': 720533, '19 is working': 8084, 'is working wonder': 454056, 'working wonder lol': 1009078, 'curious thing': 220987, 'depot employee': 237530, 'infected heck': 436581, 'heck dropping': 388698, 'be unable': 117842, 'operate for': 612993, 'for lack': 322873, 'employee such': 274252, 'such is': 816579, 'the curious thing': 852600, 'curious thing is': 220988, 'thing is grocery': 884470, 'home depot employee': 401062, 'depot employee should': 237531, 'employee should all': 274199, 'all be infected': 42134, 'be infected heck': 115482, 'infected heck dropping': 436582, 'heck dropping like': 388699, 'like fly it': 490253, 'fly it should': 311619, 'should be so': 765732, 'bad at this': 107772, 'this point the': 889646, 'point the store': 662651, 'should be unable': 765756, 'be unable to': 117843, 'unable to operate': 939338, 'to operate for': 911021, 'operate for lack': 612994, 'for lack of': 322874, 'lack of employee': 478620, 'of employee such': 583078, 'employee such is': 274253, 'such is the': 816580, 'inky': 438765, 'pinky': 656832, 'blinky': 132722, 'clyde': 184614, 'my pac': 549667, 'man playing': 512187, 'playing day': 659395, 'day would': 228806, 'me yet': 524042, 'supermarket moving': 821544, 'moving up': 544215, 'aisle avoiding': 40220, 'avoiding other': 105475, 're inky': 698900, 'inky pinky': 438766, 'pinky blinky': 656833, 'blinky and': 132723, 'and clyde': 60027, 'thought my pac': 893132, 'my pac man': 549668, 'pac man playing': 632920, 'man playing day': 512188, 'playing day would': 659396, 'day would help': 228808, 'would help me': 1011912, 'help me yet': 390085, 'me yet here': 524043, 'yet here am': 1016089, 'am in supermarket': 50142, 'in supermarket moving': 428635, 'supermarket moving up': 821545, 'moving up and': 544216, 'and down the': 61700, 'the aisle avoiding': 848516, 'aisle avoiding other': 40221, 'avoiding other people': 105476, 'other people like': 620676, 'people like they': 648652, 'they re inky': 883061, 're inky pinky': 698901, 'inky pinky blinky': 438767, 'pinky blinky and': 656834, 'blinky and clyde': 132724, 'tertiary': 838643, 'tertiary student': 838644, 'hoping promised': 403936, 'promised government': 683721, 'package will': 633458, 'help student': 390599, 'student struggling': 814776, 'power because': 667576, 'tertiary student are': 838645, 'student are hoping': 814647, 'are hoping promised': 87231, 'hoping promised government': 403937, 'promised government package': 683722, 'government package will': 360445, 'package will help': 633459, 'will help student': 993731, 'help student struggling': 390600, 'student struggling to': 814777, 'struggling to pay': 814512, 'pay for essential': 644874, 'for essential like': 321111, 'food and power': 313309, 'and power because': 69278, 'power because of': 667577, 'onlineshopping retailer': 609925, 'retailer infographic': 719214, 'infographic disposable': 437635, 'disposable healthcare': 246253, 'household fitness': 406804, 'fitness health': 309522, 'health marketing': 386624, 'marketing economy': 517584, 'economy delivery': 267799, 'delivery consumer': 233822, '19 shopping onlineshopping': 10490, 'shopping onlineshopping retailer': 763516, 'onlineshopping retailer infographic': 609926, 'retailer infographic disposable': 719215, 'infographic disposable healthcare': 437636, 'disposable healthcare food': 246254, 'healthcare food household': 387118, 'food household fitness': 314860, 'household fitness health': 406805, 'fitness health marketing': 309523, 'health marketing economy': 386625, 'marketing economy delivery': 517585, 'economy delivery consumer': 267800, 'usa washingtondc': 948788, 'washingtondc president': 967820, 'trump 73': 933364, '73 doe': 22063, 'not rule': 571404, 'out imposing': 626368, 'imposing tariff': 419337, 'import if': 418637, 'not stabilize': 571686, 'usa washingtondc president': 948789, 'washingtondc president donald': 967821, 'donald trump 73': 254104, 'trump 73 doe': 933365, '73 doe not': 22064, 'doe not rule': 251526, 'not rule out': 571405, 'rule out imposing': 727317, 'out imposing tariff': 626369, 'imposing tariff on': 419338, 'oil import if': 596864, 'import if price': 418638, 'do not stabilize': 249851, 'like tesco': 491304, 'and supervalu': 72755, 'supervalu are': 824360, 'probably earning': 679257, 'earning close': 264863, 'wage is': 963909, 'is bizarre': 446197, 'bizarre considering': 131963, 'saving service': 737956, 'currently providing': 221643, 'providing thought': 687117, 'creating tipping': 216091, 'tipping culture': 898984, 'culture for': 220290, 'thinking that those': 886002, 'that those working': 847016, 'in supermarket like': 428625, 'supermarket like tesco': 821316, 'like tesco and': 491305, 'tesco and supervalu': 838660, 'and supervalu are': 72756, 'supervalu are probably': 824361, 'are probably earning': 89240, 'probably earning close': 679258, 'earning close to': 264864, 'close to minimum': 182908, 'to minimum wage': 910177, 'minimum wage is': 533237, 'wage is bizarre': 963910, 'is bizarre considering': 446198, 'bizarre considering the': 131964, 'considering the life': 195426, 'the life saving': 859342, 'life saving service': 489018, 'saving service they': 737957, 'service they re': 752951, 'they re currently': 883015, 're currently providing': 698497, 'currently providing thought': 221644, 'providing thought on': 687118, 'thought on creating': 893161, 'on creating tipping': 600157, 'creating tipping culture': 216092, 'tipping culture for': 898985, 'culture for supermarket': 220291, 'pandemic plan': 636189, 'address global': 31980, 'global shortage': 352196, 'by brewing': 151998, 'brewing hand': 139473, 'beer shoplocal': 122508, 'though they ve': 892924, 'the pandemic plan': 863056, 'pandemic plan to': 636190, 'plan to stay': 658324, 'stay in business': 797039, 'in business while': 421086, 'business while helping': 144663, 'helping to address': 391522, 'to address global': 900089, 'address global shortage': 31981, 'global shortage by': 352197, 'shortage by brewing': 764868, 'by brewing hand': 151999, 'brewing hand sanitizer': 139474, 'instead of beer': 440235, 'of beer shoplocal': 580623, 'snapchatdown': 776140, 'pinkmoon': 656829, 'bernieisourhope': 127400, 'full beat': 340493, 'beat on': 118535, 'youtube dm': 1026899, 'dm about': 248865, 'about beat': 24856, 'beat price': 118543, 'deal snapchatdown': 229478, 'snapchatdown pinkmoon': 776141, 'pinkmoon fullmoon': 656830, 'fullmoon lockdownextension': 341005, 'lockdownextension bernieisourhope': 500278, 'bernieisourhope wednesdaymotivation': 127401, 'wednesdaymotivation art': 975707, 'art producer': 94192, 'full beat on': 340495, 'beat on youtube': 118536, 'on youtube dm': 605523, 'youtube dm about': 1026900, 'dm about beat': 248866, 'about beat price': 24857, 'beat price and': 118544, 'price and deal': 672389, 'and deal snapchatdown': 60977, 'deal snapchatdown pinkmoon': 229479, 'snapchatdown pinkmoon fullmoon': 776142, 'pinkmoon fullmoon lockdownextension': 656831, 'fullmoon lockdownextension bernieisourhope': 341006, 'lockdownextension bernieisourhope wednesdaymotivation': 500279, 'bernieisourhope wednesdaymotivation art': 127402, 'wednesdaymotivation art producer': 975708, 'say ve': 739431, 'of entitled': 583135, 'entitled selfish': 278826, 'these past': 880412, 'won listen': 1003868, 'listen because': 494669, 'end well': 276068, 'honestly say ve': 403132, 'say ve seen': 739432, 'worst of entitled': 1011231, 'of entitled selfish': 583136, 'entitled selfish people': 278827, 'selfish people these': 748217, 'people these past': 649812, 'these past few': 880413, 'few day people': 303788, 'day people will': 228202, 'will not stay': 994274, 'stay home they': 797014, 'home they won': 402277, 'they won listen': 883911, 'won listen because': 1003869, 'listen because no': 494670, 'one can tell': 606051, 'can tell them': 159923, 'tell them what': 837107, 'them what to': 876604, 'to do feel': 904506, 'to end well': 905092, 'is the at': 452731, 'the at and': 848996, 'at and here': 98005, 'and here what': 64537, 'you can expect': 1017674, 'in scramble': 427747, 'food wasted in': 317497, 'wasted in scramble': 968240, 'in scramble supply': 427748, 'shopping stock': 763987, 'up kn95': 945283, 'sanitizer paper': 735533, 'online shopping stock': 609287, 'shopping stock up': 763988, 'stock up kn95': 803094, 'up kn95 mask': 945284, 'kn95 mask hand': 475973, 'hand sanitizer paper': 375530, 'sanitizer paper towel': 735534, 'towel and more': 927294, 'and more for': 67170, 'lot stupid': 504378, 'stupid panic': 815433, 'everything like': 287904, 'maniac elderly': 513155, 'elderly have': 270694, 'get parent': 347786, 'parent like': 641674, 'myself with': 550981, 'need kid': 555131, 'kid living': 474041, 'paycheck cant': 645279, 'time shelf': 897647, 'get stocked': 348123, 'stocked you': 803482, 'you raid': 1020537, 'raid it': 695605, 'thanks lot stupid': 842131, 'lot stupid panic': 504379, 'stupid panic shopper': 815435, 'panic shopper buying': 638552, 'shopper buying everything': 761444, 'buying everything like': 150257, 'everything like maniac': 287905, 'like maniac elderly': 490698, 'maniac elderly have': 513156, 'elderly have nothing': 270695, 'to get parent': 906557, 'get parent like': 347787, 'parent like myself': 641676, 'like myself with': 490832, 'myself with special': 550983, 'with special need': 1000909, 'special need kid': 787997, 'need kid living': 555132, 'kid living paycheck': 474042, 'to paycheck cant': 911580, 'paycheck cant find': 645280, 'cant find food': 162291, 'family by the': 297680, 'the time shelf': 869619, 'time shelf get': 897648, 'shelf get stocked': 757118, 'get stocked you': 348124, 'stocked you raid': 803485, 'you raid it': 1020538, 'raid it panicbuying': 695606, 'kpmg listen': 477597, 'kpmg listen now': 477598, 'ha caused the': 370104, 'for food household': 321591, 'food household product': 314862, 'addtl': 32114, '01392576476': 755, 'energy pricing': 276552, 'pricing report': 677971, 'report 18': 711772, 'below explains': 126635, 'impact price': 417932, 'war ha': 966448, 'economy oil': 268118, 'price secure': 676318, 'secure your': 744475, 'energy contract': 276419, 'contract now': 201685, 'now saving': 575725, 'saving can': 737854, 'offset against': 596088, 'against addtl': 37310, 'addtl bus': 32115, 'bus cost': 143010, 'cost 01392576476': 207807, '01392576476 info': 756, 'info energy': 437473, 'energy co': 276405, 'energy pricing report': 276553, 'pricing report 18': 677972, 'report 18 03': 711773, '03 20 the': 856, '20 the link': 13374, 'link below explains': 493799, 'below explains the': 126636, 'explains the impact': 292235, 'the impact price': 857945, 'impact price war': 417933, 'price war ha': 677359, 'war ha had': 966449, 'the economy oil': 854002, 'economy oil price': 268119, 'oil price secure': 597246, 'price secure your': 676319, 'secure your energy': 744477, 'your energy contract': 1023678, 'energy contract now': 276420, 'contract now saving': 201686, 'now saving can': 575726, 'saving can be': 737855, 'can be offset': 157649, 'be offset against': 116169, 'offset against addtl': 596089, 'against addtl bus': 37311, 'addtl bus cost': 32116, 'bus cost 01392576476': 143011, 'cost 01392576476 info': 207808, '01392576476 info energy': 757, 'info energy co': 437474, 'energy co uk': 276406, 'been common': 120846, 'common theme': 189478, 'theme regarding': 876701, 'regarding those': 707303, '19 whether': 12034, 'is astronomical': 445839, 'astronomical hand': 97257, 'roll price': 725483, 'or test': 617347, 'kit but': 475514, 'will say': 994749, 'ha been common': 369751, 'been common theme': 120847, 'common theme regarding': 189479, 'theme regarding those': 876702, 'regarding those who': 707304, 'who are profiteering': 988197, 'profiteering from covid': 683041, 'covid 19 whether': 214068, '19 whether it': 12035, 'whether it is': 985527, 'it is astronomical': 458877, 'is astronomical hand': 445841, 'astronomical hand sanitizer': 97258, 'toilet roll price': 921600, 'roll price or': 725484, 'price or test': 675792, 'or test kit': 617348, 'test kit but': 839052, 'kit but nobody': 475516, 'nobody will say': 566086, 'will say it': 994750, 'ast77': 97169, 'dgf': 240070, 'ast77 clarke': 97170, 'clarke scot': 180117, 'scot dgf': 742408, 'dgf twisted': 240071, 'ast77 clarke scot': 97171, 'clarke scot dgf': 180118, 'scot dgf twisted': 742409, 'langar': 479468, 'public shifted': 688315, 'mode buying': 535160, 'item discussing': 463207, 'discussing about': 244979, 'about donation': 25127, 'donation about': 254530, 'about langar': 25626, 'langar food': 479469, 'food marketing': 315405, 'marketing themselves': 517730, 'to primary': 912134, 'primary agenda': 678063, 'agenda forgot': 38120, 'forgot and': 329396, 'it testing': 461473, 'it vaccine': 462012, 'after lockdown the': 35883, 'lockdown the mind': 500011, 'mind of public': 532703, 'of public shifted': 588593, 'public shifted to': 688316, 'shifted to panic': 758507, 'to panic mode': 911410, 'panic mode buying': 638316, 'mode buying grocery': 535161, 'buying grocery item': 150413, 'grocery item discussing': 364651, 'item discussing about': 463208, 'discussing about donation': 244980, 'about donation about': 25128, 'donation about langar': 254531, 'about langar food': 25627, 'langar food marketing': 479470, 'food marketing themselves': 315407, 'marketing themselves in': 517731, 'themselves in any': 876830, 'any way they': 80038, 'way they can': 969953, 'they can and': 881611, 'can and not': 157497, 'not to primary': 572174, 'to primary agenda': 912135, 'primary agenda forgot': 678064, 'agenda forgot and': 38121, 'forgot and it': 329397, 'and it testing': 65589, 'it testing and': 461474, 'testing and it': 839437, 'and it vaccine': 65596, 'grateful and': 362240, 'and praying': 69329, 'grateful and praying': 362241, 'and praying for': 69330, 'praying for medical': 669117, 'commodity should': 189304, 'if business': 413909, 'business take': 144459, 'spread disrupt': 790507, 'disrupt market': 246372, 'market food': 516401, 'system across': 831072, 'basic food commodity': 111884, 'food commodity should': 313978, 'commodity should be': 189305, 'should be controlled': 765592, 'controlled if business': 202241, 'if business take': 413913, 'business take advantage': 144460, 'current situation to': 221373, 'situation to exploit': 772533, 'exploit consumer fear': 292336, 'consumer fear of': 197458, 'to spread disrupt': 915060, 'spread disrupt market': 790508, 'disrupt market food': 246373, 'market food system': 516402, 'food system across': 317040, 'system across the': 831073, 'led to panic': 485291, 'their very': 875122, 'of med': 586383, 'med that': 525928, 'globe are putting': 352445, 'putting in their': 691146, 'in their very': 429789, 'their very best': 875123, 'best to contain': 127940, 'situation by hiking': 772210, 'by hiking price': 152809, 'price of med': 675502, 'of med that': 586384, 'med that can': 525929, 'scholar': 741659, 'continues there': 201449, 'might become': 530940, 'become food': 119995, 'insecure due': 439127, 'other scholar': 620874, 'scholar have': 741660, 'few suggestion': 304080, 'pandemic continues there': 635214, 'continues there are': 201450, 'our community who': 622489, 'community who are': 190231, 'who are or': 988185, 'are or might': 88834, 'or might become': 616139, 'might become food': 530941, 'become food insecure': 119996, 'food insecure due': 315052, 'insecure due to': 439128, 'food so what': 316671, 'many other scholar': 514440, 'other scholar have': 620875, 'scholar have few': 741661, 'have few suggestion': 380618, 'locating': 498830, 'created equal': 215821, 'equal locating': 279598, 'locating and': 498831, 'and obtaining': 67934, 'obtaining food': 578757, 'stuff dry': 815051, 'made easier': 507722, 'many because': 513817, 'widespread availability': 991828, 'not all like': 568115, 'all like are': 43380, 'like are created': 489828, 'are created equal': 85614, 'created equal locating': 215822, 'equal locating and': 279599, 'locating and obtaining': 498832, 'and obtaining food': 67935, 'obtaining food stuff': 578758, 'food stuff dry': 316888, 'stuff dry good': 815052, 'dry good and': 261271, 'and service during': 71301, 'been made easier': 121509, 'made easier for': 507723, 'easier for many': 265146, 'for many because': 323209, 'many because of': 513818, 'of the widespread': 591619, 'the widespread availability': 871542, 'widespread availability of': 991829, 'availability of online': 104164, 'rms': 724301, 'replenishing': 711681, 'rms is': 724302, 'nation fed': 552171, 'fed thanks': 301902, 'frontline replenishing': 338811, 'replenishing stock': 711686, 'nationwide today': 552766, 've featured': 953110, 'featured in': 301571, 'the wale': 871038, 'wale online': 964701, 'business section': 144351, 'rms is working': 724303, 'is working around': 454032, 'the nation fed': 861229, 'nation fed thanks': 552173, 'fed thanks to': 301903, 'our staff who': 624884, 'the frontline replenishing': 855884, 'frontline replenishing stock': 338812, 'replenishing stock in': 711687, 'stock in store': 802276, 'in store nationwide': 428431, 'store nationwide today': 809032, 'nationwide today we': 552767, 'we ve featured': 973664, 've featured in': 953111, 'featured in the': 301572, 'in the wale': 429653, 'the wale online': 871039, 'wale online business': 964702, 'online business section': 607958, 'today absolutely': 919145, 'shelf even': 757050, 'were old': 979931, 'their basket': 872561, 'basket sick': 112390, 'giving damn': 351263, 'else time': 271931, 'how ugly': 409119, 'ugly humanity': 938053, 'humanity can': 410711, 'supermarket today absolutely': 823429, 'today absolutely nothing': 919147, 'absolutely nothing on': 27413, 'the shelf even': 866834, 'shelf even the': 757052, 'even the dog': 284651, 'the dog food': 853492, 'dog food ha': 252081, 'food ha all': 314743, 'ha all gone': 369481, 'all gone there': 42964, 'gone there were': 356385, 'there were old': 879326, 'were old people': 979932, 'old people walking': 598421, 'around with nothing': 93641, 'nothing in their': 573052, 'in their basket': 429718, 'their basket sick': 872562, 'basket sick of': 112391, 'sick of selfish': 768540, 'of selfish people': 589482, 'selfish people not': 748215, 'people not giving': 648869, 'not giving damn': 569657, 'giving damn about': 351264, 'damn about anyone': 225310, 'about anyone else': 24821, 'anyone else time': 80298, 'else time like': 271932, 'like this show': 491526, 'this show me': 890138, 'show me how': 767051, 'me how ugly': 522923, 'how ugly humanity': 409120, 'ugly humanity can': 938054, 'humanity can be': 410712, 'twentyfivedollarhandsanitizer': 936501, 'brewery have': 139440, 'switched production': 830546, 'heard their': 388156, 'their alcoholic': 872488, 'beverage already': 128980, 'already taste': 47708, 'taste like': 834783, 'sanitizer twentyfivedollarhandsanitizer': 735982, 'twentyfivedollarhandsanitizer pricegouging': 936502, 'it good thing': 458304, 'good thing the': 357852, 'thing the minhas': 884834, 'minhas brewery have': 532993, 'brewery have switched': 139441, 'have switched production': 382889, 'switched production to': 830548, 'sanitizer because ve': 734557, 'because ve heard': 119770, 've heard their': 953252, 'heard their alcoholic': 388157, 'their alcoholic beverage': 872489, 'alcoholic beverage already': 41205, 'beverage already taste': 128981, 'already taste like': 47709, 'taste like hand': 834784, 'hand sanitizer twentyfivedollarhandsanitizer': 375634, 'sanitizer twentyfivedollarhandsanitizer pricegouging': 735983, 'subsidization': 815987, 'of subsidization': 590357, 'subsidization that': 815990, 'this recession': 889835, 'only keep': 610670, 'price must': 675291, 'must drop': 546634, 'drop so': 260391, 'so demand': 776851, 'pick back': 655643, 'can recovery': 159405, 'recovery faster': 705325, 'faster economics': 300096, 'finance economy': 306191, 'economy trump': 268310, 'kind of subsidization': 474945, 'of subsidization that': 590358, 'subsidization that go': 815991, 'that go to': 844027, 'go to business': 354284, 'to business to': 902138, 'business to keep': 144541, 'people employed during': 647777, 'employed during this': 273477, 'during this recession': 263312, 'this recession will': 889836, 'recession will only': 704409, 'will only keep': 994332, 'only keep price': 610672, 'keep price up': 471820, 'price up price': 677253, 'up price must': 945824, 'price must drop': 675293, 'must drop so': 546635, 'drop so demand': 260392, 'so demand will': 776853, 'demand will pick': 236503, 'will pick back': 994416, 'pick back up': 655644, 'back up so': 107431, 'up so the': 946018, 'so the economy': 778422, 'the economy can': 853947, 'economy can recovery': 267739, 'can recovery faster': 159406, 'recovery faster economics': 705326, 'faster economics finance': 300097, 'economics finance economy': 267452, 'finance economy trump': 306193, 'etretail fmcg': 283173, 'etretail fmcg maker': 283174, 'maker reduce hand': 510858, 'reduce hand sanitiser': 705851, '20mins': 14917, 'kobe': 477294, 'me 20mins': 522334, '20mins waiting': 14918, 'for dog': 320798, 'for kobe': 322860, 'kobe in': 477295, 'supermarket fuck': 820466, 'it took me': 461803, 'took me 20mins': 925285, 'me 20mins waiting': 522335, '20mins waiting on': 14919, 'waiting on line': 964365, 'on line for': 601858, 'line for dog': 493100, 'for dog food': 320799, 'dog food for': 252080, 'food for kobe': 314546, 'for kobe in': 322861, 'kobe in the': 477296, 'the supermarket fuck': 868602, 'supermarket fuck this': 820467, 'of coughing': 582009, 'coughing spitting': 208755, 'supermarket police': 822035, 'police we': 663261, 'not suspect': 571884, 'suspect he': 829467, 'still taken': 801269, 'for evaluation': 321148, 'accused of coughing': 28945, 'of coughing spitting': 582011, 'coughing spitting on': 208756, 'in supermarket police': 428650, 'supermarket police we': 822037, 'police we do': 663262, 'do not suspect': 249862, 'not suspect he': 571885, 'suspect he ha': 829468, 'he ha 19': 385014, 'ha 19 but': 369404, '19 but still': 5530, 'but still taken': 147182, 'still taken to': 801270, 'hospital for evaluation': 404408, 'scotland doing': 742417, 'what are supermarket': 981067, 'are supermarket in': 90651, 'in scotland doing': 427742, 'scotland doing amid': 742418, 'from communication': 334927, 'communication perspective': 189631, 'perspective in': 653208, 'priority consumer': 678534, 'consumer employee': 197352, 'or govt': 615510, 'govt authority': 361082, 'authority husain': 103744, 'next one who': 561489, 'one who is': 607452, 'who is more': 989092, 'more important for': 539490, 'important for you': 418806, 'for you right': 328083, 'now from communication': 574751, 'from communication perspective': 334928, 'communication perspective in': 189632, 'perspective in order': 653209, 'in order of': 426217, 'order of priority': 618446, 'of priority consumer': 588440, 'priority consumer employee': 678535, 'consumer employee or': 197353, 'employee or govt': 274088, 'or govt authority': 615511, 'govt authority husain': 361083, 'authority husain ray': 103745, 'melanie exactly': 527904, 'price inflated': 674818, 'inflated delivery': 437016, 'essential lot': 281294, 'here saying': 393538, 'saying money': 739644, 'money taken': 537050, 'taken no': 833036, 'and waiting': 75120, 'waiting week': 964422, 'refund boycottherange': 706870, 'boycottherange st': 137371, 'melanie exactly what': 527905, 'what said all': 982111, 'said all essential': 730958, 'essential have had': 281120, 'have had price': 380872, 'had price inflated': 373428, 'price inflated delivery': 674819, 'inflated delivery is': 437017, 'delivery is essential': 234137, 'is essential lot': 447547, 'essential lot on': 281295, 'lot on here': 504332, 'on here saying': 601293, 'here saying money': 393539, 'saying money taken': 739645, 'money taken no': 537051, 'taken no delivery': 833037, 'delivery and waiting': 233686, 'and waiting week': 75125, 'waiting week for': 964423, 'week for refund': 976235, 'for refund boycottherange': 325057, 'refund boycottherange st': 706871, 'demanding management': 236600, 'in demanding management': 422173, 'demanding management take': 236601, 'management take step': 512639, 'to limit exposure': 909286, 'limit exposure for': 492340, 'exposure for high': 292973, 'high risk customer': 395352, 'risk customer employee': 723482, 'still driving': 800466, 'driving tourist': 260026, 'from hotel': 335949, 'hotel airport': 405101, 'most apparent': 542105, 'apparent don': 81888, 'your driver are': 1023603, 'driver are still': 259440, 'are still driving': 90417, 'still driving tourist': 800468, 'driving tourist to': 260027, 'tourist to and': 927043, 'and from hotel': 63347, 'from hotel airport': 335950, 'hotel airport and': 405102, 'airport and supermarket': 40089, 'and supermarket where': 72751, 'where the virus': 985256, 'virus is most': 958389, 'is most apparent': 449738, 'most apparent don': 542106, 'apparent don you': 81889, 'don you care': 254089, 'about your driver': 26994, 'partition': 642737, 'howell': 409333, 'plexiglas partition': 661042, 'partition separate': 642743, 'separate shopper': 751084, 'the abc': 848232, 'abc fine': 24260, 'fine wine': 307725, 'wine amp': 995759, 'amp spirit': 54543, 'spirit store': 789505, 'on howell': 601437, 'howell branch': 409334, 'branch road': 137697, 'in winter': 430923, 'winter park': 996140, 'park this': 642006, 'week abc': 975810, 'abc and': 24256, 'other retail': 620841, 'have installed': 381097, 'installed the': 440033, 'the partition': 863313, 'partition in': 642741, 'crisis photo': 217872, 'plexiglas partition separate': 661044, 'partition separate shopper': 642744, 'separate shopper from': 751085, 'shopper from the': 761527, 'from the checkout': 337637, 'the checkout clerk': 850758, 'checkout clerk at': 174899, 'clerk at the': 181664, 'at the abc': 100868, 'the abc fine': 848233, 'abc fine wine': 24261, 'fine wine amp': 307726, 'wine amp spirit': 995760, 'amp spirit store': 54544, 'spirit store on': 789506, 'store on howell': 809195, 'on howell branch': 601438, 'howell branch road': 409335, 'branch road in': 137698, 'road in winter': 724463, 'in winter park': 430924, 'winter park this': 996141, 'park this week': 642007, 'this week abc': 891180, 'week abc and': 975811, 'abc and other': 24257, 'and other retail': 68396, 'other retail store': 620844, 'store have installed': 808086, 'have installed the': 381099, 'installed the partition': 440034, 'the partition in': 863314, 'partition in response': 642742, 'the crisis photo': 852428, 'crisis photo by': 217873, 'statesman': 796251, 'fda advisory': 300821, 'advisory lead': 33768, 'lead austin': 483264, 'austin everlywell': 103179, 'everlywell to': 285629, 'pause on': 644605, 'consumer testing': 199255, 'kit business': 475512, 'business austin': 143411, 'austin american': 103171, 'american statesman': 52210, 'statesman austin': 796252, 'fda advisory lead': 300822, 'advisory lead austin': 33769, 'lead austin everlywell': 483265, 'austin everlywell to': 103180, 'everlywell to hit': 285630, 'to hit pause': 907849, 'hit pause on': 398369, 'pause on direct': 644606, 'to consumer testing': 903341, 'consumer testing kit': 199257, 'testing kit business': 839533, 'kit business austin': 475513, 'business austin american': 143412, 'austin american statesman': 103172, 'american statesman austin': 52211, 'statesman austin tx': 796253, 'pivotal': 657109, 'ha pivotal': 371487, 'pivotal role': 657110, 'between essential': 128765, 'increasingly important': 433784, 'important area': 418738, 'area ecommerce': 91994, 'ecommerce essential': 266762, 'essential selfcare': 281489, 'selfcare digitalmarketing': 747933, 'shopping ha pivotal': 762831, 'ha pivotal role': 371488, 'pivotal role to': 657111, 'play during the': 659139, 'pandemic the balance': 636663, 'balance between essential': 108967, 'between essential non': 128766, 'essential non essential': 281332, 'non essential in': 566341, 'essential in online': 281154, 'shopping and ecommerce': 761978, 'and ecommerce is': 61894, 'ecommerce is an': 266795, 'is an increasingly': 445671, 'an increasingly important': 56252, 'increasingly important area': 433785, 'important area ecommerce': 418739, 'area ecommerce essential': 91995, 'ecommerce essential selfcare': 266763, 'essential selfcare digitalmarketing': 281490, 'working get': 1008663, 'all this we': 45146, 'this we need': 891152, 'buying so the': 151045, 'so the elderly': 778423, 'elderly and people': 270585, 'still working get': 801435, 'working get food': 1008664, 'are dutch': 86032, 'dutch people': 263507, 'stupid do': 815382, 'understand anything': 940597, 'italy having': 462845, 'having so': 384272, 'money sometimes': 537029, 'sometimes make': 785219, 'you le': 1019565, 'le smart': 483119, 'smart amsterdam': 775331, 'amsterdam normal': 54940, 'normal queue': 567286, 'why are dutch': 990767, 'are dutch people': 86033, 'dutch people so': 263508, 'people so stupid': 649496, 'so stupid do': 778294, 'stupid do not': 815383, 'you understand anything': 1021962, 'understand anything from': 940598, 'anything from italy': 80770, 'from italy having': 336134, 'italy having so': 462846, 'having so much': 384273, 'so much money': 777794, 'much money sometimes': 545090, 'money sometimes make': 537030, 'sometimes make you': 785220, 'make you le': 510741, 'you le smart': 1019566, 'le smart amsterdam': 483120, 'smart amsterdam normal': 775332, 'amsterdam normal queue': 54941, 'normal queue at': 567287, 'fil is': 305322, 'the dining': 853298, 'room seating': 725962, 'seating in': 743535, 'limit person': 492451, 'person contact': 652371, 'chick fil is': 175718, 'fil is temporarily': 305323, 'temporarily closing the': 837483, 'closing the dining': 183772, 'the dining room': 853299, 'dining room seating': 243027, 'room seating in': 725963, 'seating in all': 743536, 'in all restaurant': 420179, 'all restaurant due': 44178, 'concern the company': 193118, 'company said they': 191047, 'said they hope': 731480, 'they hope these': 882442, 'hope these change': 403698, 'these change will': 879741, 'change will limit': 172399, 'will limit person': 994017, 'limit person to': 492452, 'person to person': 652659, 'to person contact': 911676, 'redicoulous': 705705, 'wa denied': 961950, 'is redicoulous': 451373, 'redicoulous and': 705706, 'been with people': 122384, 'state and wa': 795375, 'and wa denied': 75082, 'wa denied test': 961951, 'this is redicoulous': 888378, 'is redicoulous and': 451374, 'redicoulous and dangerous': 705707, 'dangerous work in': 225805, 'store and can': 806212, 'not get testing': 569611, 'the feeding': 855094, 'feeding frenzy': 302461, 'frenzy at': 332776, 'store hasn': 808060, 'stopped pallet': 805732, 'pallet of': 634592, 'minute with': 533900, 'with limit': 999225, 'limit wow': 492566, 'wow get': 1012552, 'we spoke with': 973358, 'spoke with someone': 789753, 'with someone from': 1000878, 'someone from retail': 784474, 'from retail store': 337102, 'retail store who': 718729, 'store who say': 811307, 'who say that': 989568, 'that the feeding': 846728, 'the feeding frenzy': 855095, 'feeding frenzy at': 302462, 'frenzy at store': 332777, 'at store hasn': 100654, 'store hasn stopped': 808062, 'hasn stopped pallet': 378790, 'stopped pallet of': 805733, 'pallet of toilet': 634594, 'paper gone in': 640220, 'gone in minute': 356310, 'in minute with': 425366, 'minute with limit': 533901, 'with limit wow': 999228, 'limit wow get': 492567, 'wow get grip': 1012553, 'revolves': 720765, 'weredoomedmrmannering': 980379, 'the earth': 853826, 'earth revolves': 265001, 'revolves around': 720766, 'well hello': 978282, 'hello sexy': 389210, 'sexy human': 754227, 'human quickly': 410594, 'quickly buy': 694487, 'roll looroll': 725378, 'looroll weredoomedmrmannering': 503180, 'food chain the': 313918, 'chain the earth': 171167, 'the earth revolves': 853830, 'earth revolves around': 265002, 'revolves around and': 720767, 'around and our': 93198, 'and our stock': 68521, 'our stock market': 624917, 'stock market covid': 802384, '19 well hello': 11984, 'well hello sexy': 978283, 'hello sexy human': 389211, 'sexy human quickly': 754229, 'human quickly buy': 410595, 'quickly buy all': 694488, 'toilet roll looroll': 921582, 'roll looroll weredoomedmrmannering': 725379, 'agai': 36863, 'working classed': 1008568, 'classed key': 180302, 'supermarket united': 823608, 'kingdom however': 475327, 'however ve': 409510, 'off ill': 593919, 'with symptom': 1001106, '19 lucky': 8488, 'now recovering': 575658, 'from chest': 334840, 'infection there': 436863, 'there you': 879391, 'go agai': 353250, 'still working classed': 801433, 'working classed key': 1008569, 'classed key worker': 180303, 'in supermarket united': 428702, 'supermarket united kingdom': 823609, 'united kingdom however': 942182, 'kingdom however ve': 475328, 'however ve been': 409511, 've been off': 952908, 'been off ill': 121588, 'off ill with': 593920, 'ill with symptom': 416189, 'with symptom of': 1001108, 'covid 19 lucky': 213383, '19 lucky and': 8489, 'lucky and now': 506534, 'and now recovering': 67859, 'now recovering from': 575659, 'recovering from chest': 705261, 'from chest infection': 334841, 'chest infection there': 175565, 'infection there you': 436864, 'there you go': 879392, 'you go agai': 1018841, 'where two': 985323, 'and six': 71709, 'police that': 663234, 'them thinking': 876427, 'thinking chinese': 885887, 'texas where two': 839851, 'where two year': 985324, 'old and six': 598141, 'and six year': 71710, 'told police that': 923661, 'police that he': 663235, 'that he stabbed': 844271, 'stabbed them thinking': 791769, 'them thinking chinese': 876428, 'thinking chinese and': 885888, 'being chronically': 124946, 'ill had': 416127, 'kid need': 474051, 'want packaged': 965889, 're ok': 699174, 'want fresh': 965790, 'as or': 94789, 'disinfect you': 245584, 'fucked 21daylockdown': 339723, 'despite being chronically': 238675, 'being chronically ill': 124947, 'chronically ill had': 178244, 'ill had to': 416128, 'store my kid': 809012, 'my kid need': 548952, 'kid need to': 474053, 'you want packaged': 1022149, 'want packaged food': 965890, 'packaged food you': 633484, 'food you re': 317720, 'you re ok': 1020689, 're ok if': 699175, 'ok if you': 597827, 'you want fresh': 1022139, 'want fresh food': 965791, 'fresh food you': 332985, 'food you might': 317716, 'might be ok': 530919, 'be ok if': 116173, 'need to wipe': 556117, 'to wipe your': 918632, 'wipe your as': 996437, 'your as or': 1022849, 'as or disinfect': 94790, 'or disinfect you': 614991, 'disinfect you re': 245585, 'you re fucked': 1020629, 're fucked 21daylockdown': 698718, 'my yr': 550673, 'daughter sir': 226906, 'sir she': 771648, 'hand by': 374850, 'by counting': 152242, 'counting 20': 210354, '20 she': 13339, 'know not': 476627, 'touch her': 926489, 'face tho': 294810, 'tho difficult': 891675, 'difficult she': 242259, 'she try': 756394, 'my yr old': 550674, 'yr old daughter': 1027033, 'old daughter sir': 598216, 'daughter sir she': 226907, 'sir she know': 771649, 'she know what': 756183, 'what is she': 981725, 'is she know': 451837, 'she know to': 756182, 'know to wash': 476907, 'wash her hand': 967502, 'her hand by': 392087, 'hand by counting': 374851, 'by counting 20': 152243, 'counting 20 she': 210355, '20 she know': 13340, 'she know not': 756181, 'know not to': 476630, 'to touch her': 917650, 'touch her face': 926490, 'her face tho': 392036, 'face tho difficult': 294811, 'tho difficult she': 891676, 'difficult she try': 242260, 'not political': 571050, 'your family have': 1023784, 'family have your': 297885, 'have your mask': 383714, 'sanitizer is not': 735199, 'is not political': 450154, 'devious': 239972, 'doe state': 251587, 'competing paying': 191639, 'paying super': 645490, 'super inflated': 818528, 'price equipment': 673693, 'equipment supply': 279837, 'fight benefit': 304677, 'of devious': 582570, 'devious deep': 239973, 'deep dark': 231868, 'dark trump': 225989, 'trump plan': 933753, 'how doe state': 407748, 'doe state competing': 251588, 'state competing paying': 795471, 'competing paying super': 191640, 'paying super inflated': 645491, 'super inflated price': 818529, 'inflated price equipment': 437039, 'price equipment supply': 673694, 'equipment supply in': 279838, '19 fight benefit': 6988, 'fight benefit the': 304678, 'benefit the country': 127104, 'the country or': 852126, 'country or is': 210945, 'is this part': 453110, 'part of devious': 642343, 'of devious deep': 582571, 'devious deep dark': 239974, 'deep dark trump': 231869, 'dark trump plan': 225990, 'wbu': 970243, 'using make': 950550, 'remover hand': 710888, 'sanitizer wbu': 736039, 'using make up': 950551, 'up remover hand': 945907, 'remover hand sanitizer': 710889, 'hand sanitizer wbu': 375652, 'getting but': 348886, 'but mask': 146367, 'mask aren': 518404, 'them report': 876217, 'cashier are at': 166470, 'risk for getting': 723547, 'for getting but': 321866, 'getting but mask': 348887, 'but mask aren': 146368, 'mask aren available': 518405, 'to them report': 917310, 'transported': 930058, 'scientist in': 742236, 'finland have': 307959, 'released 3d': 709010, 'model showing': 535305, 'is transported': 453341, 'transported through': 930059, 'through extremely': 894454, 'small airborne': 774775, 'airborne aerosol': 39831, 'particle when': 642598, 'when person': 983874, 'or talk': 617333, 'talk 3d': 833724, 'model reveals': 535299, 'reveals how': 720323, 'scientist in finland': 742237, 'in finland have': 422900, 'finland have released': 307961, 'have released 3d': 382249, 'released 3d model': 709011, '3d model showing': 18241, 'model showing how': 535306, 'showing how coronavirus': 767456, 'coronavirus is transported': 206178, 'is transported through': 453342, 'transported through extremely': 930060, 'through extremely small': 894455, 'extremely small airborne': 293925, 'small airborne aerosol': 774776, 'airborne aerosol particle': 39832, 'aerosol particle when': 33917, 'particle when person': 642599, 'when person cough': 983875, 'person cough sneeze': 652379, 'cough sneeze or': 208554, 'sneeze or talk': 776264, 'or talk 3d': 617334, 'talk 3d model': 833725, '3d model reveals': 18239, 'model reveals how': 535300, 'reveals how can': 720325, 'how can spread': 407519, 'can spread in': 159706, 'worker afraid': 1006205, 'family afraid': 297561, 'is devastating': 447151, 'devastating and': 239577, 'worker afraid and': 1006206, 'afraid and family': 34968, 'and family afraid': 62650, 'family afraid for': 297562, 'afraid for them': 34981, 'for them for': 326901, 'them for good': 875716, 'good reason this': 357636, 'reason this is': 703013, 'this is devastating': 888231, 'is devastating and': 447152, 'devastating and it': 239578, 'it won be': 462489, 'won be the': 1003753, 'be the last': 117629, 'blonde': 133092, 'margaretcirko': 515593, 'call bonnie': 155791, 'bonnie in': 134336, 'tap this': 834338, 'clown on': 184373, 'the shoulder': 867109, 'shoulder take': 766700, 'her outside': 392271, 'beat her': 118525, 'her 35': 391815, 'old bleach': 598159, 'bleach blonde': 132485, 'blonde as': 133093, 'as margaretcirko': 94774, 'time to call': 897959, 'to call bonnie': 902377, 'call bonnie in': 155792, 'bonnie in to': 134337, 'in to tap': 430140, 'to tap this': 916297, 'tap this clown': 834339, 'this clown on': 886792, 'clown on the': 184374, 'on the shoulder': 604361, 'the shoulder take': 867110, 'shoulder take her': 766701, 'take her outside': 832174, 'her outside and': 392272, 'outside and beat': 629366, 'and beat her': 58787, 'beat her 35': 118526, 'her 35 year': 391816, 'year old bleach': 1014812, 'old bleach blonde': 598160, 'bleach blonde as': 132486, 'blonde as margaretcirko': 133094, 'the research': 865564, 'research body': 713685, 'body also': 133819, 'also appealed': 47862, 'test report': 839146, 'the research body': 865565, 'research body also': 713686, 'body also appealed': 133820, 'also appealed to': 47863, 'appealed to the': 82095, 'the private lab': 864486, 'private lab to': 678932, 'lab to not': 478310, 'to not charge': 910685, 'charge for the': 173241, 'the test report': 869319, 'see march': 745393, 'march identical': 515388, 'identical store': 413309, 'jump 30': 467838, 'see march identical': 745394, 'march identical store': 515389, 'identical store sale': 413310, 'store sale jump': 809968, 'sale jump 30': 732323, 'jump 30 due': 467839, 'to coronavirus via': 903572, 'coronavirus via news': 207015, 'out across': 625570, 'across new': 29405, 'supermarket shelf cleaned': 822442, 'shelf cleaned out': 756940, 'cleaned out across': 180719, 'out across new': 625571, 'across new zealand': 29407, 'mccormack': 522125, 'pereira': 651259, 'an ordeal': 56688, 'ordeal reporter': 617969, 'reporter mccormack': 712621, 'mccormack told': 522126, 'told pereira': 923657, 'pereira about': 651260, 'his research': 397751, 'research into': 713776, 'into staying': 443009, 'safe click': 729549, 'listen 19': 494657, 'supermarket ha become': 820618, 'become an ordeal': 119920, 'an ordeal reporter': 56689, 'ordeal reporter mccormack': 617970, 'reporter mccormack told': 712622, 'mccormack told pereira': 522127, 'told pereira about': 923658, 'pereira about his': 651261, 'about his research': 25397, 'his research into': 397752, 'research into staying': 713777, 'into staying safe': 443011, 'staying safe click': 798690, 'safe click here': 729550, 'here to listen': 393718, 'to listen 19': 909327, 'magnatestrategies': 508422, 'good demonstration': 356972, 'proper use': 684160, 'and protection': 69674, 'protection yourself': 685697, 'video magnatestrategies': 956808, 'magnatestrategies mondaythoughts': 508423, 'mondaythoughts mondaymotivation': 536506, 'mondaymotivation mondaymood': 536469, 'mondaymood mondaymorning': 536430, 'mondaymorning safety': 536451, 'safety safe': 730722, 'good demonstration of': 356973, 'demonstration of proper': 236876, 'of proper use': 588538, 'proper use of': 684162, 'use of glove': 949411, 'of glove and': 584163, 'glove and protection': 352574, 'and protection yourself': 69677, 'protection yourself during': 685698, 'yourself during this': 1026589, 'you and this': 1017011, 'and this nurse': 74004, 'for the video': 326764, 'the video magnatestrategies': 870748, 'video magnatestrategies mondaythoughts': 956809, 'magnatestrategies mondaythoughts mondaymotivation': 508424, 'mondaythoughts mondaymotivation mondaymood': 536507, 'mondaymotivation mondaymood mondaymorning': 536470, 'mondaymood mondaymorning safety': 536431, 'mondaymorning safety safe': 536452, 'ple': 659532, 'unprecedented level': 943154, 'moment we': 536102, 'if item': 414348, 'info ple': 437553, 'there we re': 879292, 're working with': 699839, 'working with supplier': 1009071, 'home possible we': 401881, 'possible we re': 665874, 're experiencing unprecedented': 698648, 'experiencing unprecedented level': 291715, 'unprecedented level of': 943155, 'level of demand': 487630, 'of demand at': 582498, 'demand at the': 235048, 'the moment we': 860789, 'moment we apologise': 536103, 'apologise if item': 81628, 'if item are': 414349, 'stock for more': 802173, 'more info ple': 539560, 'seen these': 747310, 'these hypermarket': 880138, 'hypermarket priority': 412354, 'priority counter': 678542, 'counter for': 210214, 'in have you': 423571, 'you seen these': 1021098, 'seen these hypermarket': 747312, 'these hypermarket priority': 880139, 'hypermarket priority counter': 412355, 'priority counter for': 678543, 'counter for healthcare': 210216, 'demand safety': 236165, 'measure store': 525348, 'full during': 340572, 'and demand safety': 61167, 'demand safety measure': 236166, 'safety measure store': 730630, 'measure store closure': 525349, 'closure and full': 183834, 'and full during': 63404, 'full during pandemic': 340573, 'hub just': 409810, 'on quest': 603050, 'odds be': 579207, 'be ever': 114712, 'his favor': 397422, 'hub just went': 409811, 'just went on': 470278, 'went on quest': 979074, 'on quest for': 603051, 'toiletpaper and may': 921725, 'and may the': 66804, 'may the odds': 521566, 'the odds be': 862039, 'odds be ever': 579208, 'be ever in': 114713, 'ever in his': 285363, 'in his favor': 423727, 'fattyforlife': 300348, 'we ready': 973012, 'in bring': 420984, 'corona stayhomechallenge': 204197, 'stayhomechallenge momlife': 798269, 'momlife food': 536169, 'food fattyforlife': 314452, 'store later we': 808685, 'later we have': 481170, 'we have everything': 971809, 'have everything that': 380503, 'think of in': 885447, 'our house now': 623480, 'house now we': 406419, 'now we ready': 576352, 'we ready to': 973013, 'ready to stay': 700979, 'stay in bring': 797038, 'in bring it': 420985, 'bring it on': 140013, 'it on corona': 460033, 'on corona stayhomechallenge': 600110, 'corona stayhomechallenge momlife': 204198, 'stayhomechallenge momlife food': 798270, 'momlife food fattyforlife': 536170, 'costco stock': 208264, '304 rate': 17390, 'it 270': 456206, 'the headwind': 857174, 'customer bought': 222194, 'excess supply': 289371, 'supply cost': 825112, 'sell costco stock': 748670, 'costco stock is': 208265, 'at 304 rate': 97599, '304 rate it': 17391, 'rate it 270': 697282, 'it 270 due': 456207, 'to the headwind': 916767, 'the headwind customer': 857175, 'headwind customer bought': 386060, 'customer bought lot': 222195, 'item but it': 463168, 'but it doe': 146118, 'not mean they': 570555, 'buy excess supply': 148606, 'excess supply cost': 289372, 'quarantinecomedy': 692804, 'is commodity': 446678, 'commodity now': 189233, 'now do': 574538, 'not play': 571035, 'lol comedian': 500887, 'comedian comedy': 187720, 'comedy haha': 187748, 'haha lmao': 373896, 'lmao entertainer': 497146, 'entertainer entertainment': 278540, 'entertainment quarantine': 278597, 'quarantinelife quarantinecomedy': 692999, 'tp is commodity': 927856, 'is commodity now': 446679, 'commodity now do': 189234, 'now do not': 574540, 'do not play': 249802, 'not play with': 571037, 'play with me': 659255, 'with me toiletpaper': 999456, 'me toiletpaper funny': 523812, 'toiletpaper funny lol': 922021, 'funny lol comedian': 341764, 'lol comedian comedy': 500888, 'comedian comedy haha': 187721, 'comedy haha lmao': 187749, 'haha lmao entertainer': 373897, 'lmao entertainer entertainment': 497147, 'entertainer entertainment quarantine': 278541, 'entertainment quarantine quarantinelife': 278598, 'quarantine quarantinelife quarantinecomedy': 692475, 'sears exec': 743347, 'exec say': 289833, 'deal death': 229374, 'turn it': 935696, 'former sears exec': 329662, 'sears exec say': 743348, 'exec say the': 289834, 'will deal death': 993101, 'deal death blow': 229375, 'to turn it': 917845, 'turn it around': 935697, 'directbanking': 243403, 'highinterestsavingsproducts': 395882, 'the throe': 869528, 'throe of': 894258, 'turning most': 935933, 'to directbanking': 904325, 'directbanking while': 243404, 'while direct': 986753, 'direct bank': 243291, 'known best': 477200, 'for highinterestsavingsproducts': 322267, 'highinterestsavingsproducts their': 395883, 'their evolving': 873185, 'evolving product': 288575, 'product set': 681611, 'set will': 753591, 'hold consumer': 399907, 'in world in': 430984, 'world in the': 1009664, 'in the throe': 429610, 'the throe of': 869529, 'throe of the': 894260, '19 pandemic consumer': 9299, 'are turning most': 91226, 'turning most often': 935934, 'most often to': 542577, 'often to directbanking': 596289, 'to directbanking while': 904326, 'directbanking while direct': 243405, 'while direct bank': 986754, 'direct bank are': 243292, 'bank are known': 109650, 'are known best': 87699, 'known best for': 477201, 'best for highinterestsavingsproducts': 127694, 'for highinterestsavingsproducts their': 322268, 'highinterestsavingsproducts their evolving': 395884, 'their evolving product': 873187, 'evolving product set': 288576, 'product set will': 681612, 'set will hold': 753592, 'will hold consumer': 993751, 'hold consumer interest': 399908, 'country prepares': 210972, 'prepares to': 670316, 'my debut': 547964, 'debut single': 230646, 'single lockdown': 771325, 'the country prepares': 852134, 'country prepares to': 210973, 'prepares to go': 670317, 'in to lockdown': 430120, 'to lockdown here': 909398, 'lockdown here is': 499467, 'is my debut': 449788, 'my debut single': 547965, 'debut single lockdown': 230647, 'single lockdown check': 771326, 'lockdown check it': 499237, 'passenger on': 643335, 'on auckland': 599502, 'auckland bus': 102829, 'enter exit': 278248, 'exit rear': 290372, 'rear door': 702833, 'door from': 255597, 'passenger on auckland': 643336, 'on auckland bus': 599503, 'auckland bus to': 102830, 'bus to enter': 143098, 'to enter exit': 905216, 'enter exit rear': 278249, 'exit rear door': 290373, 'rear door from': 702834, 'door from tomorrow': 255599, 'approach by': 82931, 'big three': 130071, 'three food': 893926, 'not fit': 569437, 'fit for': 309471, 'for purpose': 324870, 'purpose exposed': 690121, 'exposed by': 292837, 'the literal': 859480, 'literal failure': 494944, 'deliver during': 233113, 'loading too': 497347, 'which itself': 986081, 'itself need': 463943, 'expand to': 290473, 'future demand': 342300, 'current approach by': 221097, 'approach by the': 82932, 'by the big': 154269, 'the big three': 849628, 'big three food': 130072, 'three food retailer': 893927, 'food retailer is': 316225, 'retailer is not': 719222, 'is not fit': 450082, 'not fit for': 569438, 'fit for purpose': 309474, 'for purpose exposed': 324871, 'purpose exposed by': 690122, 'exposed by the': 292839, 'by the literal': 154364, 'the literal failure': 859481, 'literal failure of': 494945, 'the retailer to': 865744, 'retailer to deliver': 719379, 'to deliver during': 904096, 'deliver during the': 233114, 'during the loading': 263149, 'the loading too': 859517, 'loading too much': 497348, 'too much pressure': 924941, 'much pressure on': 545254, 'pressure on which': 671222, 'on which itself': 605280, 'which itself need': 986083, 'itself need to': 463944, 'need to expand': 555923, 'to expand to': 905438, 'expand to future': 290474, 'to future demand': 906347, 'tilapia': 895956, 'so may': 777731, 'have missed': 381481, 'missed some': 534250, 'some day': 782663, 'food month': 315473, 'back it': 107124, 'wa difficult': 961974, 'before due': 122749, 'that stole': 846506, 'stole all': 804264, 'supermarket anyway': 819130, 'anyway from': 81011, 'le frequent': 482962, 'frequent with': 332830, 'that tonight': 847092, 'it baked': 456697, 'baked tilapia': 108781, 'tilapia with': 895957, 'so may have': 777732, 'may have missed': 521249, 'have missed some': 381482, 'missed some day': 534251, 'some day of': 782665, 'day of food': 228069, 'of food month': 583734, 'food month but': 315474, 'month but it': 537627, 'but it back': 146100, 'it back it': 456670, 'back it wa': 107128, 'it wa difficult': 462102, 'wa difficult to': 961976, 'difficult to do': 242331, 'do it before': 249463, 'it before due': 456811, 'before due to': 122750, 'due to work': 262032, 'work and covid': 1004771, '19 that stole': 11160, 'that stole all': 846507, 'stole all my': 804265, 'all my ingredient': 43560, 'my ingredient from': 548851, 'ingredient from the': 438370, 'the supermarket anyway': 868464, 'supermarket anyway from': 819131, 'anyway from now': 81012, 'now on it': 575425, 'on it will': 601696, 'be le frequent': 115670, 'le frequent with': 482964, 'frequent with that': 332831, 'with that tonight': 1001182, 'that tonight it': 847093, 'tonight it baked': 924431, 'it baked tilapia': 456699, 'baked tilapia with': 108782, 'tilapia with lemon': 895958, 'rapper': 697049, 'durant': 262360, 'rapper drake': 697050, 'drake is': 258237, 'isolation at': 455206, 'toronto after': 925916, 'after partying': 36018, 'with kevin': 999135, 'kevin durant': 473208, 'durant durant': 262361, 'durant wa': 262363, 'four player': 330657, 'player from': 659304, 'the brooklyn': 850048, 'brooklyn net': 140991, 'net who': 557569, '19 detail': 6517, 'detail wccb': 239268, 'rapper drake is': 697051, 'drake is in': 258238, 'in isolation at': 424190, 'isolation at his': 455207, 'at his home': 98916, 'his home in': 397511, 'in toronto after': 430199, 'toronto after partying': 925917, 'after partying with': 36019, 'partying with kevin': 643072, 'with kevin durant': 999136, 'kevin durant durant': 473209, 'durant durant wa': 262362, 'durant wa one': 262364, 'one of four': 606745, 'of four player': 583887, 'four player from': 330658, 'player from the': 659305, 'from the brooklyn': 337621, 'the brooklyn net': 850049, 'brooklyn net who': 140992, 'net who ha': 557570, 'for 19 detail': 318702, '19 detail wccb': 6519, 'the inc': 858032, 'inc week': 431311, 'tracker indicates': 928277, 'indicates 18': 434986, 'home feel': 401187, 'le productive': 483089, 'productive full': 682296, 'full dashboard': 340552, 'the inc week': 858033, 'inc week covid': 431312, 'behavior tracker indicates': 124269, 'tracker indicates 18': 928278, 'indicates 18 of': 434987, '18 of people': 4566, 'people working from': 650516, 'from home feel': 335860, 'home feel they': 401188, 'feel they are': 302896, 'they are le': 881323, 'are le productive': 87736, 'le productive full': 483090, 'productive full dashboard': 682297, 'disgusting behaviour': 245395, 'behaviour you': 124568, 'should immediately': 766116, 'immediately move': 417124, 'this shop': 890102, 'and fine': 62903, 'back end': 106973, 'end out': 275932, 'them boycottsportsdirect': 875487, 'boycottsportsdirect sport': 137397, 'on sport': 603606, 'equipment document': 279714, 'document suggest': 251210, 'this is absolutely': 888163, 'is absolutely disgusting': 445294, 'absolutely disgusting behaviour': 27341, 'disgusting behaviour you': 245397, 'behaviour you should': 124569, 'you should immediately': 1021198, 'should immediately move': 766117, 'immediately move to': 417125, 'move to force': 543755, 'to force this': 906176, 'force this shop': 328519, 'this shop to': 890104, 'shop to close': 760942, 'close and fine': 182529, 'and fine the': 62906, 'fine the back': 307697, 'the back end': 849145, 'back end out': 106974, 'end out of': 275933, 'of them boycottsportsdirect': 591726, 'them boycottsportsdirect sport': 875488, 'boycottsportsdirect sport direct': 137398, 'hike price on': 396267, 'price on sport': 675719, 'on sport equipment': 603608, 'sport equipment document': 789929, 'equipment document suggest': 279715, 'wearehereforyou': 974541, 'mhanj': 530112, 'maintaining sense': 509127, 'of calm': 581058, 'and normalcy': 67695, 'normalcy are': 567433, 'two suggestion': 937245, 'teen cope': 836482, 'cope during': 203312, 'outbreak if': 628324, 'coping call': 203368, '866 202': 22996, '202 help': 14074, 'help wearehereforyou': 390869, 'wearehereforyou bekind': 974542, 'bekind mhanj': 126105, 'maintaining sense of': 509128, 'sense of calm': 750552, 'of calm and': 581059, 'calm and normalcy': 156690, 'and normalcy are': 67696, 'normalcy are two': 567434, 'are two suggestion': 91249, 'two suggestion to': 937246, 'help your child': 391015, 'child and teen': 176002, 'and teen cope': 73075, 'teen cope during': 836483, 'cope during the': 203314, 'the outbreak if': 862644, 'outbreak if you': 628325, 'want to talk': 966141, 'about how you': 25485, 'how you or': 409286, 'or your child': 617877, 'your child are': 1023196, 'child are coping': 176007, 'are coping call': 85565, 'coping call at': 203369, 'call at 866': 155785, 'at 866 202': 97771, '866 202 help': 22997, '202 help wearehereforyou': 14075, 'help wearehereforyou bekind': 390870, 'wearehereforyou bekind mhanj': 974543, 'xtratalk': 1013908, 'wetalkajax': 980769, 'ajax': 40450, 'eredivisie': 280152, 'xtratalk is': 1013909, 'going corona': 355088, 'think and': 885138, 'and subscribe': 72635, 'channel wetalkajax': 172946, 'wetalkajax ajax': 980770, 'ajax eredivisie': 40451, 'eredivisie soccer': 280153, 'soccer toiletpaper': 779411, 'xtratalk is going': 1013910, 'is going corona': 448089, 'going corona and': 355089, 'corona and need': 203806, 'and need toilet': 67484, 'paper what do': 641075, 'need please tell': 555444, 'please tell what': 660652, 'you think and': 1021646, 'think and do': 885139, 'forget to like': 329325, 'to like and': 909274, 'like and subscribe': 489790, 'and subscribe to': 72637, 'subscribe to our': 815856, 'to our youtube': 911255, 'our youtube channel': 625423, 'youtube channel wetalkajax': 1026896, 'channel wetalkajax ajax': 172947, 'wetalkajax ajax eredivisie': 980771, 'ajax eredivisie soccer': 40452, 'eredivisie soccer toiletpaper': 280154, 'snow': 776392, 'wellplayedcolorado': 978864, 'colorado causing': 186787, 'causing mass': 168060, 'buying colorado': 150123, 'colorado big': 186782, 'big snowstorm': 130006, 'snowstorm lot': 776416, 'of snow': 589801, 'snow and': 776393, 'power coloradan': 667582, 'coloradan wasted': 186771, 'wasted on': 968256, 'bad colorado': 107811, 'colorado that': 186816, 'should teach': 766556, 'teach them': 835403, 'them liberal': 875984, 'liberal idiot': 488010, 'idiot blizzard': 413467, 'blizzard wellplayedcolorado': 132750, 'people in colorado': 648361, 'in colorado causing': 421564, 'colorado causing mass': 186788, 'causing mass panic': 168061, 'bulk buying colorado': 142270, 'buying colorado big': 150124, 'colorado big snowstorm': 186784, 'big snowstorm lot': 130007, 'snowstorm lot of': 776417, 'lot of snow': 504282, 'of snow and': 589802, 'snow and no': 776394, 'and no power': 67631, 'no power coloradan': 565156, 'power coloradan wasted': 667583, 'coloradan wasted on': 186772, 'wasted on food': 968257, 'on food gone': 600868, 'food gone bad': 314685, 'gone bad colorado': 356218, 'bad colorado that': 107812, 'colorado that should': 186817, 'that should teach': 846293, 'should teach them': 766557, 'teach them liberal': 835406, 'them liberal idiot': 875985, 'liberal idiot blizzard': 488011, 'idiot blizzard wellplayedcolorado': 413468, 'rwjbarnabas': 728771, 'inside rwjbarnabas': 439372, 'rwjbarnabas health': 728772, 'health new': 386663, 'jersey biggest': 465190, 'biggest health': 130252, 'care network': 164074, 'network hospital': 557726, 'hospital leader': 404492, 'so desperate': 776856, 'paying 50': 645376, '50 time': 19884, 'inside rwjbarnabas health': 439373, 'rwjbarnabas health new': 728773, 'health new jersey': 386664, 'new jersey biggest': 558965, 'jersey biggest health': 465191, 'biggest health care': 130253, 'health care network': 386240, 'care network hospital': 164075, 'network hospital leader': 557727, 'hospital leader are': 404493, 'leader are so': 483429, 'are so desperate': 90196, 'so desperate for': 776857, 'desperate for medical': 238526, 'supply to combat': 826000, 'combat the coronavirus': 187049, 'coronavirus pandemic that': 206493, 'pandemic that they': 636654, 're paying 50': 699249, 'paying 50 time': 645377, '50 time the': 19885, 'time the usual': 897881, 'the usual price': 870591, 'guinness': 368591, 'some reason': 783697, 'unknown to': 942546, 'myself stopped': 550939, 'and purchased': 69784, 'purchased can': 689764, 'of guinness': 584392, 'guinness some': 368592, 'apple 12': 82299, '12 bread': 2829, 'bread roll': 138574, 'roll with': 725606, 'short date': 764606, 'of dishwasher': 582681, 'dishwasher tablet': 245530, 'tablet what': 831537, 'fuck can': 339536, 'make with': 510721, 'for some reason': 325763, 'some reason unknown': 783701, 'reason unknown to': 703048, 'unknown to myself': 942547, 'to myself stopped': 910459, 'myself stopped at': 550940, 'stopped at supermarket': 805686, 'supermarket and purchased': 819044, 'and purchased can': 69786, 'purchased can of': 689765, 'can of guinness': 159089, 'of guinness some': 584393, 'guinness some apple': 368593, 'some apple 12': 782306, 'apple 12 bread': 82300, '12 bread roll': 2830, 'bread roll with': 138575, 'roll with short': 725607, 'with short date': 1000702, 'short date and': 764607, 'date and bag': 226588, 'bag of dishwasher': 108348, 'of dishwasher tablet': 582682, 'dishwasher tablet what': 245531, 'tablet what the': 831538, 'the fuck can': 855959, 'fuck can make': 339537, 'can make with': 158957, 'make with that': 510722, 'with that lot': 1001174, 'foodchain': 317878, 'how panic': 408478, 'consumer across': 196008, 'ha strained': 372079, 'strained the': 812327, 'supply system': 825937, 'system foodsupply': 831164, 'foodsupply foodchain': 318201, 'of how panic': 584835, 'how panic buying': 408479, 'by consumer across': 152182, 'consumer across the': 196009, 'country ha strained': 210724, 'ha strained the': 372080, 'strained the food': 812328, 'food supply system': 317003, 'supply system foodsupply': 825939, 'system foodsupply foodchain': 831165, 'is uk': 453413, 'uk at': 938197, 'glance on': 351572, 'fca 2020': 300721, '21 business': 14976, 'plan there': 658255, 'is considerable': 446740, 'considerable focus': 195186, 'your firm': 1023889, 'firm here': 308369, 'here is uk': 393256, 'is uk at': 453414, 'uk at glance': 938200, 'at glance on': 98766, 'glance on the': 351573, 'on the fca': 604113, 'the fca 2020': 854996, 'fca 2020 21': 300722, '2020 21 business': 14106, '21 business plan': 14977, 'business plan there': 144227, 'plan there is': 658256, 'there is considerable': 878539, 'is considerable focus': 446741, 'considerable focus on': 195187, 'light of find': 489554, 'of find out': 583542, 'for your firm': 328153, 'your firm here': 1023890, 'me getting': 522811, 'run grocerystores': 727657, 'grocerystores groceryshopping': 366365, 'me getting ready': 522813, 'ready for grocery': 700863, 'store run grocerystores': 809924, 'run grocerystores groceryshopping': 727658, 'nuneaton': 577160, 'coeliac': 185435, 'nuneaton mum': 577161, 'mum hit': 545910, 'hit out': 398360, 'at panicbuyers': 100062, 'panicbuyers her': 638861, 'her coeliac': 391945, 'coeliac daughter': 185436, 'nuneaton mum hit': 577162, 'mum hit out': 545911, 'hit out at': 398361, 'out at panicbuyers': 625746, 'at panicbuyers her': 100063, 'panicbuyers her coeliac': 638862, 'her coeliac daughter': 391946, 'coeliac daughter is': 185437, 'daughter is running': 226871, 'is running out': 451596, 'yeaa': 1014226, 'sanitizer gone': 734999, 'gone but': 356235, 'condom full': 193602, 'shelf yeaa': 757837, 'yeaa ok': 1014227, 'ok fake': 597793, 'fake clean': 296584, 'clean mf': 180582, 'all the alcohol': 44657, 'the alcohol and': 848558, 'alcohol and hand': 40906, 'hand sanitizer gone': 375423, 'sanitizer gone but': 735000, 'gone but all': 356236, 'all the condom': 44694, 'the condom full': 851440, 'condom full on': 193603, 'full on the': 340779, 'the shelf yeaa': 866907, 'shelf yeaa ok': 757838, 'yeaa ok fake': 1014228, 'ok fake clean': 597794, 'fake clean mf': 296585, 'haaibo': 372519, 'iyoh': 464088, 'haaibo people': 372520, 'still expected': 800505, 'price iyoh': 674938, 'haaibo people are': 372521, 'are dying from': 86047, 'dying from covid': 263820, 'are still expected': 90421, 'still expected to': 800506, 'expected to dm': 290973, 'to dm for': 904469, 'for price iyoh': 324721, 'follow soviet': 312502, 'providing inhouse': 687032, 'inhouse food': 438471, 'could follow soviet': 209189, 'follow soviet practice': 312503, 'of providing inhouse': 588571, 'providing inhouse food': 687033, 'inhouse food parcel': 438472, 'parcel to frontline': 641528, 'world step': 1010004, 'back they': 107335, 'they step': 883454, 'in thank': 428905, 'paramedic homeless': 641389, 'shelter worker': 757961, 'staff transit': 793015, 'transit operator': 929640, 'more ldnont': 539665, 'let remember those': 487009, 'those who the': 892684, 'who the world': 989759, 'the world step': 871973, 'world step back': 1010005, 'step back they': 799509, 'back they step': 107337, 'they step in': 883455, 'step in thank': 799565, 'in thank you': 428906, 'you doctor nurse': 1018287, 'nurse paramedic homeless': 577452, 'paramedic homeless shelter': 641390, 'homeless shelter worker': 402789, 'shelter worker supermarket': 757962, 'supermarket staff transit': 822902, 'staff transit operator': 793016, 'transit operator and': 929641, 'operator and many': 613344, 'many more ldnont': 514305, 'dweller': 263651, 'fmtlifestyle': 311782, 'more city': 538815, 'city dweller': 179129, 'dweller are': 263652, 'growing fruit': 367199, 'lockdown cleared': 499242, 'shelf fmtnews': 757086, 'fmtnews fmtlifestyle': 311786, 'more city dweller': 538816, 'city dweller are': 179130, 'dweller are growing': 263653, 'are growing fruit': 86973, 'growing fruit and': 367200, 'vegetable in their': 954014, 'home after panic': 400572, 'of lockdown cleared': 585951, 'lockdown cleared out': 499243, 'cleared out many': 181428, 'many supermarket shelf': 514764, 'supermarket shelf fmtnews': 822470, 'shelf fmtnews fmtlifestyle': 757087, 'export restriction': 292693, 'restriction may': 717322, 'pandemic rage': 636280, 'rage foodshortage': 695540, 'foodshortage quarantine': 318134, 'export restriction may': 292695, 'restriction may cause': 717323, 'food shortage pandemic': 316594, 'shortage pandemic rage': 765156, 'pandemic rage foodshortage': 636281, 'rage foodshortage quarantine': 695541, 'foodshortage quarantine socialdistancing': 318135, 'quarantine socialdistancing stayhome': 692551, 'socialdistancing stayhome lockdown': 780736, 'provoking': 687307, 'foodethics': 317909, 'ethic in': 283045, 'food response': 316186, 'thought provoking': 893187, 'provoking read': 687312, 'read during': 700325, 'on ethic': 600599, 'of foodethics': 583830, 'foodethics fairness': 317910, 'fairness respect': 296454, 'respect community': 714974, 'community compassion': 189791, 'ethic in our': 283046, 'our food response': 623125, 'food response to': 316187, '19 thought provoking': 11368, 'thought provoking read': 893189, 'provoking read during': 687313, 'read during this': 700326, 'time on ethic': 897398, 'on ethic in': 600600, 'ethic in the': 283047, 'food industry during': 315011, 'time of foodethics': 897334, 'of foodethics fairness': 583831, 'foodethics fairness respect': 317911, 'fairness respect community': 296455, 'respect community compassion': 714975, 'flour for': 311103, 'for brownie': 319806, 'brownie here': 141270, 'here stoppanicbuying': 393609, 'of flour for': 583600, 'flour for brownie': 311104, 'for brownie here': 319807, 'brownie here stoppanicbuying': 141271, 'vinceremo': 957424, 'in lombardy': 424871, 'lombardy italy': 501003, 'emergency vinceremo': 273040, 'line at supermarket': 492991, 'supermarket in lombardy': 820923, 'in lombardy italy': 424872, 'lombardy italy because': 501004, 'because of emergency': 119336, 'of emergency vinceremo': 583062, 'important staple': 418967, 'like rice': 491091, 'wheat are': 982972, 'chain source': 171123, 'source bloomberg': 786459, 'most important staple': 542411, 'important staple like': 418968, 'staple like rice': 793972, 'like rice and': 491092, 'rice and wheat': 721005, 'and wheat are': 75504, 'wheat are surging': 982973, 'supply chain source': 825039, 'chain source bloomberg': 171124, 'apostle': 81656, 'sweet child': 830227, 'child jesus': 176125, 'jesus all': 465282, 'his apostle': 397197, 'apostle swear': 81657, 'god going': 354719, 'punch these': 689171, 'hoarder in': 399053, 'the throat': 869524, 'throat the': 894248, 'idiot went': 413632, 'milk tonight': 531885, 'tonight they': 924501, 'were exhausted': 979596, 'exhausted the': 290177, 'god stop': 354806, 'hoarding save': 399508, 'sweet child jesus': 830228, 'child jesus all': 176126, 'jesus all his': 465283, 'all his apostle': 43119, 'his apostle swear': 397198, 'apostle swear to': 81658, 'to god going': 906894, 'god going to': 354720, 'going to punch': 355679, 'to punch these': 912507, 'punch these covid': 689172, '19 food hoarder': 7043, 'food hoarder in': 314820, 'hoarder in the': 399055, 'in the throat': 429609, 'the throat the': 869527, 'throat the world': 894249, 'world is not': 1009706, 'to end you': 905093, 'end you selfish': 276087, 'selfish idiot went': 748140, 'idiot went to': 413633, 'to get milk': 906534, 'get milk tonight': 347570, 'milk tonight they': 531886, 'tonight they were': 924502, 'they were exhausted': 883769, 'were exhausted the': 979597, 'exhausted the love': 290178, 'of god stop': 584178, 'god stop hoarding': 354807, 'stop hoarding save': 804736, 'hoarding save some': 399509, 'save some product': 737641, 'some product for': 783646, 'product for the': 681208, 'coalition that': 185086, 'includes engineer': 431740, 'and critical': 60758, 'to coalition that': 902931, 'coalition that includes': 185087, 'that includes engineer': 844475, 'includes engineer emergency': 431741, 'room doctor and': 725907, 'doctor and critical': 250814, 'and critical care': 60759, 'by wa': 154681, 'you other': 1020242, 'have informed': 381087, 'such basic': 816359, 'have food supply': 380668, 'chain been affected': 170548, 'affected by wa': 34330, 'by wa just': 154682, 'wa just wondering': 962476, 'if you other': 415489, 'you other supermarket': 1020243, 'other supermarket have': 621016, 'supermarket have informed': 820690, 'have informed the': 381088, 'general public of': 345457, 'public of the': 688190, 'of the availability': 590810, 'stock such basic': 802895, 'such basic bread': 816360, 'and confirm that': 60285, 'confirm that there': 194104, 'devs': 240000, 'crowdsources': 219418, 'two orlando': 937106, 'orlando devs': 619625, 'devs built': 240001, 'built an': 142172, 'that crowdsources': 843407, 'crowdsources information': 219419, 'give shopper': 350695, 'shopper better': 761439, 'what at': 981076, 'two orlando devs': 937107, 'orlando devs built': 619626, 'devs built an': 240002, 'built an app': 142173, 'app that crowdsources': 81769, 'that crowdsources information': 843408, 'crowdsources information to': 219420, 'information to give': 438012, 'to give shopper': 906711, 'give shopper better': 350696, 'shopper better idea': 761440, 'better idea of': 128333, 'idea of what': 413140, 'of what at': 593046, 'what at their': 981077, 'at their local': 101170, 'grocery store limiting': 365526, 'store limiting the': 808745, 'limiting the time': 492882, 'the time people': 869612, 'time people risk': 897467, 'people risk exposure': 649311, 'risk exposure to': 723528, 'arabia combined': 83868, 'crude demand': 219519, 'created perfect': 215875, 'storm for': 811800, 'the ongoing oil': 862250, 'saudi arabia combined': 737188, 'arabia combined with': 83869, 'combined with the': 187151, 'with the lower': 1001379, 'the lower global': 859796, 'lower global crude': 505869, 'global crude demand': 351844, 'crude demand caused': 219520, 'ha created perfect': 370278, 'created perfect storm': 215876, 'perfect storm for': 651346, 'storm for oil': 811801, 'for oil market': 324036, 'the kaduna': 858725, 'relax the': 708833, 'movement from': 543871, '3pm today': 18412, '12 midnight': 2879, 'midnight tomorrow': 530759, 'tomorrow wednesday': 924239, 'wednesday 2nd': 975599, '19 the kaduna': 11214, 'the kaduna state': 858726, 'temporarily relax the': 837535, 'relax the restriction': 708835, 'of movement from': 586693, 'movement from 3pm': 543872, 'from 3pm today': 334288, '3pm today to': 18413, 'today to 12': 920348, 'to 12 midnight': 899465, '12 midnight tomorrow': 2880, 'midnight tomorrow wednesday': 530760, 'tomorrow wednesday 2nd': 924240, 'wednesday 2nd april': 975600, '2nd april 2020': 16751, 'april 2020 this': 83477, 'this is to': 888430, 'is to enable': 453198, 'densest': 237061, 'this australia': 886459, 'australia stay': 103388, 'home know': 401505, 'nice outside': 562454, 'ok get': 597803, 'get bloody': 346679, 'bloody grip': 133201, 'grip sincerely': 364035, 'sincerely an': 771035, 'an aussie': 55477, 'aussie in': 103126, 'in paris': 426502, 'paris the': 641840, 'the densest': 853133, 'densest city': 237062, 'europe where': 283528, 'full staythefhome': 340893, 'do know who': 249554, 'to hear this': 907416, 'hear this australia': 388009, 'this australia stay': 886461, 'australia stay the': 103389, 'fuck home know': 339571, 'home know it': 401506, 'know it nice': 476538, 'it nice outside': 459805, 'nice outside but': 562455, 'outside but you': 629390, 'will be ok': 992585, 'be ok get': 116172, 'ok get bloody': 597804, 'get bloody grip': 346680, 'bloody grip sincerely': 133203, 'grip sincerely an': 364036, 'sincerely an aussie': 771036, 'an aussie in': 55478, 'aussie in full': 103127, 'full lockdown in': 340673, 'lockdown in paris': 499511, 'in paris the': 426505, 'paris the densest': 641841, 'the densest city': 853134, 'densest city in': 237063, 'city in europe': 179200, 'in europe where': 422658, 'europe where supermarket': 283530, 'are full staythefhome': 86734, 'china dealt': 176597, 'first the trade': 309060, 'trade war between': 928605, 'war between the': 966380, 'and china dealt': 59846, 'china dealt blow': 176598, 'you brainless': 1017516, 'brainless selfish': 137617, 'selfish scum': 748248, 'scum 19': 742971, 'just been at': 468298, 'supermarket look at': 821388, 'state of this': 795823, 'of this what': 592070, 'this what is': 891347, 'hoarding you brainless': 399672, 'you brainless selfish': 1017517, 'brainless selfish scum': 137618, 'selfish scum 19': 748249, 'roll speaks': 725514, 'speaks 19': 787785, 'toilet roll speaks': 921603, 'roll speaks 19': 725515, 'speaks 19 toiletpaper': 787786, 'community purchasing': 190047, 'purchasing system': 689927, 'afternoon or': 36703, 'tomorrow covid': 924057, 'local community purchasing': 497842, 'community purchasing system': 190048, 'purchasing system here': 689928, 'have paper and': 381890, 'and the support': 73606, 'the support system': 868984, 'support system are': 826849, 'system are also': 831113, 'are also in': 84462, 'also in place': 48401, 'in place now': 426749, 'place now are': 657595, 'now are the': 574099, 'are the online': 90873, 'the online system': 862284, 'we will probably': 973891, 'probably be ready': 679218, 'live this afternoon': 496060, 'this afternoon or': 886235, 'afternoon or tomorrow': 36704, 'or tomorrow covid': 617495, 'tomorrow covid 19': 924058, 'president please': 670885, 'please fix': 659997, 'president please fix': 670887, 'please fix price': 659999, 'covet': 212525, 'awol': 106291, 'gregory': 363834, 'abbey': 24239, 'tukums': 935267, 'hey what': 394537, 'what started': 982245, 'started this': 794858, 'this confused': 886831, 'confused about': 194322, 'about covet': 25038, 'covet 19': 212526, 'it saw': 460882, 'lead singer': 483313, 'singer going': 771186, 'going awol': 355042, 'awol in': 106292, 'near st': 553583, 'st gregory': 791702, 'gregory abbey': 363835, 'abbey in': 24240, 'in tukums': 430319, 'tukums oklahoma': 935268, 'oklahoma these': 598077, 'from oklahoma': 336654, 'oklahoma or': 598071, 'or america': 614305, 'america for': 51524, 'for strange': 325936, 'strange reason': 812414, 'hey what started': 394539, 'what started this': 982247, 'started this confused': 794860, 'this confused about': 886832, 'confused about covet': 194323, 'about covet 19': 25039, 'covet 19 what': 212527, '19 what is': 12000, 'is it saw': 449058, 'it saw the': 460884, 'saw the lead': 738268, 'the lead singer': 859222, 'lead singer going': 483314, 'singer going awol': 771187, 'going awol in': 355043, 'awol in grocery': 106293, 'store near st': 809039, 'near st gregory': 553584, 'st gregory abbey': 791703, 'gregory abbey in': 363836, 'abbey in tukums': 24242, 'in tukums oklahoma': 430320, 'tukums oklahoma these': 935269, 'oklahoma these people': 598078, 'are not from': 88376, 'not from oklahoma': 569539, 'from oklahoma or': 336655, 'oklahoma or america': 598072, 'or america for': 614306, 'america for some': 51526, 'some reason for': 783699, 'reason for strange': 702910, 'for strange reason': 325937, 'southflorida': 786879, 'winndixie': 996009, 'shelf anymore': 756780, 'anymore come': 80123, 'to southflorida': 914947, 'southflorida check': 786880, 'out winndixie': 627856, 'winndixie publix': 996012, 'publix target': 688783, 'walmart no': 965372, 'toiletpaper many': 922217, 'product barely': 681000, 'barely any': 111003, 'any water': 80032, 'water meat': 969055, 'meat cleaning': 525520, 'product stop': 681649, 'stop gaslighting': 804683, 'said we re': 731571, 're not seeing': 699119, 'not seeing empty': 571496, 'empty shelf anymore': 275048, 'shelf anymore come': 756781, 'anymore come to': 80124, 'come to southflorida': 187599, 'to southflorida check': 914948, 'southflorida check out': 786881, 'check out winndixie': 174589, 'out winndixie publix': 627857, 'winndixie publix target': 996013, 'publix target walmart': 688784, 'target walmart no': 834530, 'walmart no toiletpaper': 965373, 'no toiletpaper many': 565763, 'toiletpaper many other': 922218, 'many other paper': 514437, 'paper product barely': 640624, 'product barely any': 681001, 'barely any water': 111006, 'any water meat': 80033, 'water meat cleaning': 969056, 'meat cleaning sanitizing': 525521, 'cleaning sanitizing product': 181057, 'sanitizing product stop': 736497, 'product stop gaslighting': 681650, 'notp': 573618, 'nogas': 566194, 'dotherightthing': 255956, 'krino': 477677, 'hiphop': 396949, 'newera': 560052, 'remember thinking': 710341, 'situation nofood': 772401, 'nofood notp': 566169, 'notp nogas': 573619, 'nogas insanity': 566195, 'insanity back': 439097, '2015 when': 13818, 'when released': 983931, 'released this': 709086, 'amazing song': 50782, 'song stay': 785518, 'strong pray': 814090, 'pray hard': 669011, 'hard stay': 378017, 'safe your': 730169, 'family dotherightthing': 297751, 'dotherightthing krino': 255959, 'krino hiphop': 477678, 'hiphop newera': 396950, 'newera staystrong': 560053, 'remember thinking about': 710342, 'thinking about this': 885862, 'this situation nofood': 890183, 'situation nofood notp': 772402, 'nofood notp nogas': 566170, 'notp nogas insanity': 573620, 'nogas insanity back': 566196, 'insanity back in': 439098, 'back in 2015': 107077, 'in 2015 when': 419774, '2015 when released': 13819, 'when released this': 983932, 'released this amazing': 709087, 'this amazing song': 886305, 'amazing song stay': 50783, 'song stay strong': 785519, 'stay strong pray': 797336, 'strong pray hard': 814091, 'pray hard stay': 669012, 'hard stay safe': 378018, 'stay safe your': 797304, 'safe your family': 730170, 'your family dotherightthing': 1023777, 'family dotherightthing krino': 297752, 'dotherightthing krino hiphop': 255960, 'krino hiphop newera': 477679, 'hiphop newera staystrong': 396951, 'using bare': 950404, 'money check': 536672, 'check customer': 174409, 'customer id': 222477, 'id load': 412945, 'load bag': 497245, 'bringing from': 140159, 'home seems': 402028, 'like good': 490330, 'grocery store around': 365216, 'corner from me': 203643, 'from me have': 336394, 'me have no': 522862, 'have no glove': 381631, 'no sanitizer are': 565406, 'sanitizer are using': 734488, 'are using bare': 91411, 'using bare hand': 950405, 'bare hand to': 110906, 'hand to take': 375876, 'take money check': 832333, 'money check customer': 536673, 'check customer id': 174410, 'customer id load': 222478, 'id load bag': 412946, 'load bag that': 497246, 'bag that customer': 108411, 'customer are bringing': 222115, 'are bringing from': 85058, 'bringing from home': 140160, 'from home seems': 335901, 'home seems like': 402029, 'seems like good': 746809, 'like good way': 490332, 'good way to': 357944, 'from jenkins': 336148, 'jenkins mba': 465077, 'mba about': 522042, 'at this article': 101223, 'article from jenkins': 94331, 'from jenkins mba': 336149, 'jenkins mba about': 465078, 'mba about consumer': 522043, 'about consumer purchasing': 25003, 'am sending': 50374, 'prevent another': 671576, 'another hardship': 77651, 'hardship for': 378289, 'people affected': 646778, 'by apologize': 151876, 'apologize if': 81641, 'link doe': 493824, 'read their': 700594, 'their psa': 874505, 'am sending this': 50375, 'sending this out': 750107, 'this out to': 889315, 'out to help': 627651, 'help prevent another': 390341, 'prevent another hardship': 671577, 'another hardship for': 77652, 'hardship for people': 378291, 'for people affected': 324444, 'people affected by': 646779, 'affected by apologize': 34304, 'by apologize if': 151877, 'apologize if this': 81642, 'if this link': 415161, 'this link doe': 888642, 'link doe not': 493825, 'not work if': 572532, 'work if it': 1005276, 'to and read': 900520, 'and read their': 69981, 'read their psa': 700595, 'nothing worse': 573229, 'than still': 841169, 'have hot': 380980, 'where germ': 984883, 'germ everywhere': 346110, 'everywhere then': 288268, 'then playing': 877425, 'about with': 26941, 'with tiktok': 1001768, 'tiktok with': 895928, 'need shower': 555563, 'shower but': 767367, 'be covid': 114269, 'to hurry': 908060, 'hurry up': 411525, 'be gone': 115056, 'nothing worse than': 573230, 'worse than still': 1011017, 'than still waiting': 841170, 'still waiting to': 801381, 'waiting to have': 964405, 'to have hot': 907256, 'have hot water': 380981, 'hot water after': 405064, 'water after hour': 968844, 'after hour shift': 35805, 'supermarket where germ': 823818, 'where germ everywhere': 984884, 'germ everywhere then': 346111, 'everywhere then playing': 288269, 'then playing about': 877426, 'playing about with': 659376, 'about with tiktok': 26944, 'with tiktok with': 1001769, 'tiktok with the': 895929, 'the kid need': 858790, 'kid need shower': 474052, 'need shower but': 555564, 'shower but when': 767368, 'but when will': 147829, 'when will that': 984506, 'will that be': 995119, 'that be covid': 842942, 'be covid 19': 114270, 'need to hurry': 555966, 'to hurry up': 908061, 'hurry up and': 411526, 'and be gone': 58751, 'be gone so': 115058, 'gone so thing': 356373, 'so thing go': 778489, 'socialise': 780938, 'making small': 511345, 'small but': 774908, 'but significant': 147056, 'significant change': 769403, 'they socialise': 883410, 'socialise and': 780939, 'full 100': 340465, 'person survey': 652624, 'survey result': 828935, 'result by': 717491, 'retail socialdistance': 718578, 'socialdistance socialdistance': 780158, 'socialdistance socialising': 780161, 'socialising uk': 780948, 'uk consumer are': 938260, 'consumer are already': 196279, 'are already making': 84416, 'already making small': 47521, 'making small but': 511346, 'small but significant': 774909, 'but significant change': 147057, 'significant change to': 769404, 'to how they': 908026, 'how they socialise': 408928, 'they socialise and': 883411, 'socialise and shop': 780940, 'and shop in': 71501, 'shop in response': 760319, 'response to full': 715846, 'to full 100': 906313, 'full 100 person': 340466, '100 person survey': 2031, 'person survey result': 652625, 'survey result by': 828936, 'result by shopping': 717492, 'by shopping ecommerce': 153991, 'shopping ecommerce retail': 762557, 'ecommerce retail socialdistance': 266847, 'retail socialdistance socialdistance': 718579, 'socialdistance socialdistance socialising': 780159, 'socialdistance socialising uk': 780162, 'hungry but': 411229, 'ration good': 697689, 're hungry but': 698843, 'hungry but you': 411230, 'know you have': 477084, 'have to ration': 383273, 'to ration good': 912763, 'ration good food': 697690, 'good food because': 357052, 'because the chance': 119614, 'chance of it': 171759, 'of it already': 585362, 'it already being': 456412, 'already being out': 47232, 'of stock is': 590169, 'stock is 99': 802302, '12news': 3115, 'store love': 808837, 'love 12news': 504581, 'all store love': 44500, 'store love 12news': 808838, 'gvmc': 369259, 'vizag': 959854, '204': 14842, 'sir gvmc': 771574, 'gvmc closing': 369262, 'in vizag': 430608, 'vizag area': 959855, 'area per': 92163, 'go 204': 353237, '204 dated': 14843, 'dated 19': 226770, '19 03': 4698, '2020 only': 14486, 'only mall': 610759, 'mall theatre': 511839, 'theatre to': 872282, 'for precaution': 324683, 'precaution of': 669337, '19 requesting': 10111, 'respected sir gvmc': 715113, 'sir gvmc closing': 771576, 'gvmc closing the': 369263, 'the grocery supermarket': 856828, 'grocery supermarket in': 365999, 'supermarket in vizag': 820998, 'in vizag area': 430609, 'vizag area per': 959857, 'area per the': 92164, 'per the go': 651038, 'the go 204': 856381, 'go 204 dated': 353238, '204 dated 19': 14844, 'dated 19 03': 226771, '19 03 2020': 4699, '03 2020 only': 858, '2020 only mall': 14487, 'only mall theatre': 610760, 'mall theatre to': 511840, 'theatre to be': 872283, 'closed for precaution': 183130, 'for precaution of': 324684, 'precaution of covid': 669338, 'covid 19 requesting': 213693, '19 requesting to': 10112, 'requesting to kindly': 713284, 'to kindly help': 908955, 'kindly help in': 475135, 'seattletogether': 743604, 'probably shower': 679378, 'shower and': 767361, 'put deodorant': 690552, 'deodorant on': 237171, 'on seattletogether': 603349, 'store should probably': 810168, 'should probably shower': 766337, 'probably shower and': 679379, 'shower and put': 767362, 'and put deodorant': 69806, 'put deodorant on': 690553, 'deodorant on seattletogether': 237172, 'wear n95mask': 974425, 'n95mask or': 551253, 'even hardware': 284160, 'store face': 807690, 'mask could': 518545, 'you purchase': 1020493, 'purchase it': 689512, 'no if': 564475, 'tp could': 927789, 'you diy': 1018237, 'diy these': 248776, 'these yes': 880999, 'yes ugh': 1015582, 'ugh stophoarding': 938030, 'stophoarding stopthespread': 805498, 'stopthespread stopfakenews': 805920, 'if you wanted': 415556, 'you wanted to': 1022170, 'wanted to wear': 966282, 'to wear n95mask': 918435, 'wear n95mask or': 974426, 'n95mask or even': 551254, 'or even hardware': 615201, 'even hardware store': 284161, 'hardware store face': 378323, 'store face mask': 807691, 'face mask could': 294531, 'mask could you': 518546, 'could you purchase': 209851, 'you purchase it': 1020495, 'purchase it right': 689516, 'it right now': 460780, 'now no if': 575350, 'no if you': 564476, 'of tp could': 592363, 'tp could you': 927790, 'purchase it no': 689515, 'can you diy': 160293, 'you diy these': 1018238, 'diy these yes': 248777, 'these yes ugh': 881000, 'yes ugh stophoarding': 1015583, 'ugh stophoarding stopthespread': 938031, 'stophoarding stopthespread stopfakenews': 805499, 'people believe': 647273, 'that socialism': 846374, 'socialism result': 780977, 'basic when': 112103, 'china saw': 176923, 'saw few': 738112, 'few queue': 304027, 'an abundance': 55047, 'abundance of': 27588, 'girlfriend took': 350316, 'china few': 176653, 'many people believe': 514491, 'people believe that': 647274, 'believe that socialism': 126350, 'that socialism result': 846375, 'socialism result in': 780978, 'result in shortage': 717548, 'good and long': 356735, 'buy the basic': 149283, 'the basic when': 849321, 'basic when wa': 112104, 'wa in china': 962362, 'in china saw': 421431, 'china saw few': 176925, 'saw few queue': 738115, 'few queue and': 304028, 'queue and an': 693858, 'and an abundance': 58099, 'an abundance of': 55048, 'abundance of thing': 27591, 'thing to buy': 884878, 'to buy my': 902273, 'buy my girlfriend': 148982, 'my girlfriend took': 548505, 'girlfriend took this': 350317, 'took this video': 925362, 'this video in': 890981, 'video in china': 956783, 'in china few': 421399, '19 logistics': 8457, 'logistics latest': 500767, 'latest warns': 481600, 'of logistics': 585979, 'logistics flow': 500746, 'flow impact': 311235, '19 tfl': 11120, 'tfl suspends': 840023, 'suspends all': 829667, 'all road': 44203, 'road charging': 724431, 'charging in': 173493, 'london to': 501203, 'support supply': 826844, 'response ev': 715684, 'ev cargo': 283665, 'cargo experience': 164662, 'experience christmas': 291332, 'christmas level': 178187, 'virus stockpiling': 958818, 'covid 19 logistics': 213372, '19 logistics latest': 8458, 'logistics latest warns': 500768, 'latest warns of': 481601, 'warns of logistics': 967268, 'of logistics flow': 585980, 'logistics flow impact': 500747, 'flow impact of': 311236, 'covid 19 tfl': 213925, '19 tfl suspends': 11121, 'tfl suspends all': 840024, 'suspends all road': 829668, 'all road charging': 44204, 'road charging in': 724432, 'charging in london': 173494, 'in london to': 424902, 'london to support': 501204, 'to support supply': 915972, 'support supply chain': 826845, 'chain supermarket competition': 171147, '19 response ev': 10146, 'response ev cargo': 715685, 'ev cargo experience': 283666, 'cargo experience christmas': 164663, 'experience christmas level': 291333, 'christmas level of': 178189, 'of demand amid': 582496, 'demand amid virus': 234935, 'amid virus stockpiling': 52749, 'confidentially': 194025, 'seen local': 747121, 'business increasing': 143921, 'product since': 681624, 'enforce against': 276656, 'can confidentially': 157952, 'confidentially report': 194026, 'company online': 190938, 'you seen local': 1021094, 'seen local business': 747122, 'local business increasing': 497764, 'business increasing the': 143922, 'their product since': 874475, 'product since the': 681625, 'outbreak of we': 628490, 'of we want': 592969, 'know we have': 476928, 'have the power': 383011, 'power to enforce': 667704, 'to enforce against': 905113, 'enforce against them': 276657, 'against them you': 37692, 'you can confidentially': 1017649, 'can confidentially report': 157953, 'confidentially report the': 194027, 'report the company': 712338, 'the company online': 851344, 'company online at': 190939, 'facing even': 295461, 'more disruption': 539053, 'and margin': 66694, 'margin already': 515602, 'already collapsing': 47264, 'collapsing read': 186148, 'current battle': 221103, 'battle and': 112780, 'ongoing crisis the': 607618, 'crisis the oil': 218185, 'industry is facing': 435931, 'is facing even': 447692, 'facing even more': 295462, 'even more disruption': 284353, 'more disruption to': 539054, 'disruption to supply': 246548, 'demand chain with': 235121, 'chain with many': 171246, 'with many price': 999389, 'many price and': 514592, 'price and margin': 672465, 'and margin already': 66695, 'margin already collapsing': 515603, 'already collapsing read': 47265, 'collapsing read our': 186149, 'read our take': 700522, 'our take on': 625071, 'the current battle': 852612, 'current battle and': 221104, 'battle and how': 112781, 'how is dealing': 408089, 'with the situation': 1001479, 'there might': 878756, 'had tiny': 373652, 'tiny food': 898662, 'wednesday but': 975625, 'next will': 561718, 'be till': 117715, 'till monday': 896060, 'monday apparently': 536249, 'main warehouse': 508846, 'warehouse is': 966738, 'food coronacrisis': 314019, 'there might be': 878757, 'might be something': 530930, 'be something in': 117307, 'something in this': 784947, 'buying business we': 150060, 'business we had': 144636, 'we had tiny': 971725, 'had tiny food': 373653, 'tiny food delivery': 898663, 'food delivery on': 314137, 'delivery on wednesday': 234256, 'on wednesday but': 605170, 'wednesday but the': 975626, 'but the next': 147369, 'the next will': 861715, 'next will not': 561720, 'not be till': 568473, 'be till monday': 117716, 'till monday apparently': 896061, 'monday apparently the': 536250, 'apparently the main': 82020, 'the main warehouse': 859917, 'main warehouse is': 508847, 'warehouse is running': 966739, 'of food coronacrisis': 583672, 'food coronacrisis panicbuying': 314022, 'armedforces': 92959, 'camping': 157313, 'usa mres': 948697, 'mres full': 544429, 'case back': 165651, 'stock military': 802475, 'military armedforces': 531447, 'armedforces prepper': 92960, 'prepper prepping': 670383, 'prepping camping': 670419, 'camping bushcraft': 157314, 'bushcraft stockup': 143143, 'stayhome army': 797946, 'army navy': 93016, 'navy mre': 553154, 'mre food': 544418, 'usa mres full': 948698, 'mres full case': 544430, 'full case back': 340523, 'case back in': 165652, 'in stock military': 428316, 'stock military armedforces': 802476, 'military armedforces prepper': 531448, 'armedforces prepper prepping': 92961, 'prepper prepping camping': 670384, 'prepping camping bushcraft': 670420, 'camping bushcraft stockup': 157315, 'bushcraft stockup stayhome': 143144, 'stockup stayhome army': 804202, 'stayhome army navy': 797947, 'army navy mre': 93017, 'navy mre food': 553155, 'mre food emergency': 544419, 'fear should': 301325, 'increase selfish': 433051, 'selfish panicbuying': 748194, 'panicbuying and': 638898, 'and foodwaste': 63126, 'foodwaste at': 318252, 'stay down': 796854, 'and strongly': 72593, 'strongly united': 814249, 'fear should not': 301326, 'not increase selfish': 570123, 'increase selfish panicbuying': 433052, 'selfish panicbuying and': 748195, 'panicbuying and foodwaste': 638899, 'and foodwaste at': 63127, 'foodwaste at home': 318253, 'home we need': 402456, 'to stay down': 915281, 'stay down to': 796855, 'down to earth': 257366, 'to earth and': 904844, 'earth and strongly': 264971, 'and strongly united': 72595, 'door around': 255518, 'the block': 849769, 'block finally': 132776, 'found paper': 330334, 'towel could': 927316, 'not contain': 568854, 'contain my': 200481, 'my excitement': 548118, 'excitement paper': 289589, 'like paper': 490968, 'paper gold': 640216, 'gold rn': 355994, 'rn hallelujah': 724326, 'quarantine day after': 692132, 'day after day': 227179, 'after day day': 35538, 'day day store': 227504, 'day store line': 228413, 'store line out': 808757, 'the door around': 853559, 'door around the': 255519, 'around the block': 93523, 'the block finally': 849771, 'block finally found': 132777, 'finally found paper': 306000, 'found paper towel': 330335, 'paper towel could': 640989, 'towel could not': 927317, 'could not contain': 209437, 'not contain my': 568856, 'contain my excitement': 200482, 'my excitement paper': 548119, 'excitement paper towel': 289590, 'paper towel are': 640983, 'towel are like': 927300, 'are like paper': 87795, 'like paper gold': 490969, 'paper gold rn': 640217, 'gold rn hallelujah': 355995, 'leeds': 485333, 'police patrolling': 663153, 'patrolling at': 644402, 'at leeds': 99570, 'leeds supermarket': 485342, 'police patrolling at': 663154, 'patrolling at leeds': 644403, 'at leeds supermarket': 99571, 'leeds supermarket to': 485343, 'supermarket to enforce': 823369, 'eagerly': 264359, 'sexworkersnz': 754221, 'lockdowndrama': 500244, 'it occured': 459977, 'occured to': 579033, 'many sex': 514686, 'sex worker': 754211, 'are eagerly': 86065, 'eagerly waiting': 264360, 'waiting the': 964388, 'of booking': 580779, 'booking to': 134751, 'yet see': 1016223, 'see client': 745000, 'client thinking': 182110, 'it whats': 462331, 'opinion sexworkersnz': 613500, 'sexworkersnz 19': 754222, '19 lockdowndrama': 8446, 'so it occured': 777477, 'it occured to': 459978, 'occured to me': 579034, 'to me so': 909952, 'so many sex': 777703, 'many sex worker': 514687, 'sex worker are': 754212, 'worker are eagerly': 1006383, 'are eagerly waiting': 86066, 'eagerly waiting the': 264361, 'waiting the influx': 964389, 'influx of booking': 437384, 'of booking to': 580781, 'booking to come': 134752, 'come after we': 187192, 'we get out': 971620, 'out of lockdown': 626772, 'of lockdown yet': 585967, 'lockdown yet see': 500177, 'yet see client': 1016224, 'see client thinking': 745002, 'client thinking that': 182111, 'will go down': 993548, 'go down because': 353486, 'of it whats': 585464, 'it whats your': 462332, 'your opinion sexworkersnz': 1025088, 'opinion sexworkersnz 19': 613501, 'sexworkersnz 19 lockdowndrama': 754223, 'outperform': 629217, 'high credit': 394979, 'suisse raise': 817744, 'raise rating': 695941, 'rating to': 697602, 'to outperform': 911277, 'outperform from': 629218, 'from neutral': 336564, 'neutral will': 557819, 'year amp': 1014387, 'amp move': 54156, 'just hit record': 468973, 'record high credit': 704975, 'high credit suisse': 394980, 'credit suisse raise': 216519, 'suisse raise rating': 817746, 'raise rating to': 695942, 'rating to outperform': 697603, 'to outperform from': 911278, 'outperform from neutral': 629219, 'from neutral will': 336565, 'neutral will accelerate': 557820, 'will accelerate consumer': 992178, 'accelerate consumer shopping': 27834, 'shopping habit for': 762844, 'habit for year': 372619, 'for year amp': 327994, 'year amp move': 1014388, 'amp move to': 54157, 'move to for': 543754, 'kerosene': 473128, 'rs3': 726692, 'stipend': 801687, 'shouldn miss': 766743, 'the included': 858042, 'included reducing': 431700, 'reducing of': 706301, 'and kerosene': 65813, 'kerosene providing': 473129, 'providing rs3': 687090, 'rs3 00': 726693, '00 monthly': 338, 'monthly stipend': 538201, 'stipend for': 801688, 'daily will': 224894, 'top story of': 925731, 'story of today': 812077, 'of today you': 592242, 'today you shouldn': 920591, 'you shouldn miss': 1021233, 'shouldn miss the': 766744, 'miss the included': 534192, 'the included reducing': 858043, 'included reducing of': 431701, 'reducing of petrol': 706302, 'petrol diesel and': 653725, 'diesel and kerosene': 241647, 'and kerosene providing': 65814, 'kerosene providing rs3': 473130, 'providing rs3 00': 687091, 'rs3 00 monthly': 726694, '00 monthly stipend': 339, 'monthly stipend for': 538202, 'stipend for daily': 801689, 'for daily will': 320533, 'daily will fight': 224895, 'will fight against': 993430, 'fight against 19': 304603, 'against 19 one': 37305, '19 one the': 8980, 'one the said': 607201, 'innocently': 438827, 'mask here': 518798, 'am making': 50208, 'people risking': 649314, 'who innocently': 989038, 'innocently had': 438828, 'someone not': 784579, 'not keeping': 570275, 'as home': 94758, 'home upsetting': 402406, 'watching the price': 968804, 'all the home': 44784, 'the home made': 857449, 'home made mask': 401569, 'made mask here': 507828, 'mask here am': 518799, 'here am making': 392675, 'am making them': 50209, 'making them for': 511443, 'them for free': 875714, 'free to hand': 332241, 'to hand over': 907117, 'hand over to': 375172, 'the people risking': 863500, 'people risking it': 649316, 'it all to': 456381, 'help others who': 390219, 'others who innocently': 621789, 'who innocently had': 989039, 'innocently had to': 438829, 'had to deal': 373682, 'due to someone': 261963, 'to someone not': 914906, 'someone not keeping': 784580, 'not keeping the': 570276, 'keeping the as': 472573, 'the as home': 848950, 'as home upsetting': 94760, 'helping healthcare': 391350, 'healthcare stakeholder': 387291, 'stakeholder understand': 793332, 'human side': 410610, 'mckinsey consumer': 522192, 'healthcare insight': 387149, 'insight via': 439653, 'helping healthcare stakeholder': 391351, 'healthcare stakeholder understand': 387292, 'stakeholder understand the': 793333, 'understand the human': 940757, 'the human side': 857725, 'human side of': 410611, 'crisis mckinsey consumer': 217715, 'mckinsey consumer healthcare': 522193, 'consumer healthcare insight': 197736, 'healthcare insight via': 387150, 'in storing': 428478, 'storing grocery': 811773, 'may kill': 521308, 'kill poor': 474478, 'be panic in': 116353, 'panic in storing': 638204, 'in storing grocery': 428479, 'storing grocery selfishness': 811774, 'can create shortage': 158027, 'create shortage of': 215737, 'it may kill': 459552, 'may kill poor': 521309, 'kill poor and': 474479, 'corona in the': 204011, 'in the 3rd': 428956, 'the 3rd world': 848114, '3rd world country': 18457, 'grocery competitionalert': 364394, 'competitionalert contest': 191758, 'wuhan grocery competitionalert': 1013486, 'grocery competitionalert contest': 364395, 'competitionalert contest alert': 191759, 'there daily': 878305, 'be described': 114417, 'line while': 493568, 'we dip': 971307, 'out quickly': 627086, 'quickly possible': 694571, 'the staff in': 867689, 'local supermarket who': 498616, 'supermarket who are': 823854, 'out there daily': 627474, 'there daily on': 878307, 'daily on what': 224734, 'on what should': 605239, 'what should be': 982179, 'should be described': 765601, 'be described the': 114418, 'described the front': 237957, 'front line while': 338622, 'line while we': 493570, 'while we dip': 987546, 'we dip in': 971308, 'dip in and': 243187, 'and out quickly': 68536, 'out quickly possible': 627087, 'blazing speed': 132458, 'unique way': 942004, 'way have': 969616, 'sold smoke': 781770, 'actually deliver': 30775, 'they promise': 882921, 'promise we': 683708, 'saying is that': 739620, 'is that and': 452632, 'that and others': 842657, 'tout blazing speed': 927064, 'blazing speed to': 132459, 'speed to every': 788470, 'to every consumer': 905300, 'every consumer in': 285753, 'consumer in unique': 197838, 'in unique way': 430438, 'unique way have': 942005, 'way have sold': 969617, 'have sold smoke': 382615, 'sold smoke if': 781771, 'if they cannot': 415098, 'they cannot actually': 881697, 'cannot actually deliver': 161590, 'actually deliver the': 30776, 'speed they promise': 788467, 'they promise we': 882923, 'promise we should': 683710, 'we should get': 973272, 'should get lot': 766028, 'pymnts surveyed': 691390, 'surveyed 00': 828992, 'life dive': 488601, 'pymnts surveyed 00': 691391, 'surveyed 00 consumer': 828993, '00 consumer about': 144, 'already changed their': 47257, 'daily life dive': 224660, 'life dive into': 488602, 'dive into the': 248490, 'into the result': 443163, 'huntsman': 411431, 'cpistrong': 214636, 'huntsman begin': 411432, 'begin production': 123554, 'alabama cpistrong': 40614, 'cpistrong handsanitizer': 214637, 'huntsman begin production': 411433, 'begin production of': 123555, 'production of hand': 682145, 'sanitizer in alabama': 735126, 'in alabama cpistrong': 420135, 'alabama cpistrong handsanitizer': 40615, 'dillard': 242884, 'im not': 416557, 'not but': 568640, 'at dillard': 98439, 'dillard at': 242885, 'at north': 99913, 'north star': 567683, 'close there': 182860, 'there door': 878338, 'had case': 372953, 'even day': 283993, 'they deep': 881875, 'cleaned we': 180728, 'work dillard': 1005045, 'dillard is': 242887, 'im not sure': 416561, 'sure if anyone': 827583, 'if anyone will': 413856, 'anyone will pay': 80643, 'will pay attention': 994389, 'pay attention to': 644766, 'attention to this': 102498, 'to this or': 917446, 'this or not': 889284, 'or not but': 616290, 'not but work': 568642, 'work at dillard': 1004867, 'at dillard at': 98440, 'dillard at north': 242886, 'at north star': 99914, 'north star and': 567684, 'star and they': 794027, 'and they refuse': 73934, 'to close there': 902904, 'close there door': 182861, 'there door for': 878339, 'door for the': 255595, 'crisis we already': 218340, 'we already had': 970390, 'already had case': 47391, 'had case and': 372954, 'case and not': 165626, 'not even day': 569242, 'even day after': 283994, 'day after they': 227187, 'after they deep': 36385, 'they deep cleaned': 881876, 'deep cleaned we': 231857, 'cleaned we had': 180729, 'had to return': 373721, 'to work dillard': 918708, 'work dillard is': 1005046, 'dillard is retail': 242888, 'is retail store': 451494, 'clear all': 181217, 'won close': 1003766, 'no lack': 564572, 'the need these': 861399, 'need these people': 555796, 'these people have': 880441, 'have to clear': 383178, 'to clear all': 902828, 'clear all the': 181218, 'shelf they won': 757677, 'they won close': 883908, 'won close and': 1003767, 'there no lack': 878817, 'no lack of': 564573, 'of food even': 583688, 'food even if': 314409, 'even if people': 284212, 'stay in they': 797067, 'in they will': 429887, 'need for this': 554876, 'for this at': 327009, 'at all uk': 97918, 'sciencewitch': 742154, 'sciencewitch honestly': 742155, 'honestly there': 403144, 'there laundry': 878692, 'laundry list': 482115, 'why biden': 990840, 'biden is': 129536, 'bad person': 107977, 'bad candidate': 107803, 'candidate would': 161309, 'rather keep': 697478, 'keep trump': 472159, 'trump because': 933434, 'because at': 118941, 'well without': 978763, 'while if': 986930, 'if biden': 413901, 'biden win': 129542, 'win consumer': 995543, 'sciencewitch honestly there': 742156, 'honestly there laundry': 403145, 'there laundry list': 878693, 'laundry list of': 482116, 'list of why': 494495, 'of why biden': 593153, 'why biden is': 990841, 'biden is bad': 129537, 'is bad person': 445969, 'bad person and': 107978, 'person and bad': 652305, 'and bad candidate': 58633, 'bad candidate would': 107805, 'candidate would rather': 161310, 'would rather keep': 1012156, 'rather keep trump': 697479, 'keep trump because': 472160, 'trump because at': 933435, 'because at least': 118942, 'least the economy': 484648, 'economy is doing': 268000, 'doing well without': 252840, 'well without covid': 978764, '19 while if': 12048, 'while if biden': 986931, 'if biden win': 413902, 'biden win consumer': 129543, 'win consumer confidence': 995544, 'settle consumer': 753672, '19 normal': 8820, 'normal what': 567406, 'strategy will': 812745, 'stick going': 800027, 'more tried': 540828, 'tried and': 931757, 'and true': 74477, 'true method': 933133, 'join on monday': 466797, 'monday when the': 536416, 'dust settle consumer': 263456, 'settle consumer good': 753673, 'good company and': 356904, 'company and retailer': 190390, 'and retailer will': 70464, 'working in new': 1008723, 'in new post': 425825, 'covid 19 normal': 213484, '19 normal what': 8822, 'normal what new': 567408, 'what new strategy': 981924, 'new strategy will': 559674, 'strategy will stick': 812748, 'will stick going': 994971, 'stick going forward': 800028, 'going forward and': 355157, 'forward and which': 329969, 'and which will': 75563, 'which will go': 986487, 'back to more': 107380, 'to more tried': 910271, 'more tried and': 540829, 'tried and true': 931758, 'and true method': 74478, 'yes virus': 1015588, 'podcast turi': 662324, 'shesaidwhat is': 758107, 'yes virus bonus': 1015589, 'edition of the': 268636, 'of the podcast': 591342, 'the podcast turi': 863896, 'podcast turi ryder': 662325, 'ryder shesaidwhat is': 728823, 'shesaidwhat is coming': 758108, 'is coming out': 446662, 'coming out today': 188167, 'sanitizer you can': 736164, 'schenectady': 741601, 'find safe': 307206, 'and creative': 60718, 'incredible local': 433853, 'in schenectady': 427727, 'schenectady during': 741602, '19 ordering': 9037, 'out purchasing': 627080, 'purchasing gift': 689868, 'few great': 303847, 'to find safe': 905933, 'find safe and': 307207, 'safe and creative': 729440, 'and creative way': 60721, 'creative way to': 216180, 'support our incredible': 826734, 'our incredible local': 623518, 'incredible local business': 433854, 'local business in': 497762, 'business in schenectady': 143902, 'in schenectady during': 427728, 'schenectady during covid': 741603, 'covid 19 ordering': 213527, '19 ordering take': 9039, 'take out purchasing': 832457, 'out purchasing gift': 627081, 'purchasing gift card': 689869, 'shopping online are': 763409, 'online are few': 607872, 'are few great': 86531, 'few great way': 303849, 'way to continuing': 970005, 'to continuing to': 903418, 'to support your': 915990, 'support your favorite': 827014, 'coldlinkafrica': 185815, '21daynationallockdown': 15107, 'than fully': 840687, 'shelf coldlinkafrica': 756948, 'coldlinkafrica foodsecurity': 185816, 'foodsecurity 21daynationallockdown': 318068, 'security is about': 744651, 'is about more': 445277, 'about more than': 25754, 'more than fully': 540623, 'than fully stocked': 840688, 'supermarket shelf coldlinkafrica': 822445, 'shelf coldlinkafrica foodsecurity': 756949, 'coldlinkafrica foodsecurity 21daynationallockdown': 185817, 'the emotional': 854248, 'emotional store': 273303, 'closed new': 183237, 'with chronic': 997640, 'chronic retail': 178239, 'closing problem': 183727, 'problem prior': 679658, 'the emotional store': 854249, 'emotional store sign': 273304, 'store sign of': 810189, 'sign of closed': 769157, 'of closed new': 581470, 'closed new york': 183238, 'york in city': 1016624, 'in city with': 421489, 'city with chronic': 179467, 'with chronic retail': 997643, 'chronic retail store': 178240, 'retail store closing': 718625, 'store closing problem': 807077, 'closing problem prior': 183728, 'problem prior to': 679659, 'prior to hit': 678374, 'to hit via': 907857, '0600': 997, '0645': 1003, 'by 0600': 151502, '0600 tp': 998, 'tp wa': 928024, 'by 0645': 151504, '0645 quarantinelife': 1004, 'store by 0600': 806828, 'by 0600 tp': 151503, '0600 tp wa': 999, 'tp wa gone': 928025, 'wa gone by': 962225, 'gone by 0645': 356238, 'by 0645 quarantinelife': 151505, 'firstly': 309213, 'now only': 575454, 'few preliminary': 304015, 'preliminary conclusion': 669869, 'conclusion can': 193320, 'be cautiously': 114037, 'cautiously advanced': 168245, 'advanced firstly': 32929, 'firstly covid': 309216, 'creating global': 216005, 'recession it': 704307, 'simply accelerating': 770172, 'accelerating it': 27910, 'already fragile': 47360, 'fragile state': 330904, 'state sustained': 795971, 'sustained by': 829820, 'by financial': 152584, 'financial bubble': 306340, 'bubble and': 141580, 'huge consumer': 410007, 'for now only': 323978, 'now only few': 575456, 'only few preliminary': 610442, 'few preliminary conclusion': 304016, 'preliminary conclusion can': 669870, 'conclusion can be': 193321, 'can be cautiously': 157599, 'be cautiously advanced': 114038, 'cautiously advanced firstly': 168246, 'advanced firstly covid': 32930, 'firstly covid 19': 309217, 'is not creating': 450054, 'not creating global': 568927, 'creating global recession': 216006, 'global recession it': 352158, 'recession it is': 704308, 'it is simply': 459080, 'is simply accelerating': 451927, 'simply accelerating it': 770173, 'accelerating it the': 27911, 'it the world': 461589, 'world economy wa': 1009511, 'economy wa in': 268324, 'wa in an': 962358, 'in an already': 420277, 'an already fragile': 55252, 'already fragile state': 47362, 'fragile state sustained': 330905, 'state sustained by': 795972, 'sustained by financial': 829821, 'by financial bubble': 152585, 'financial bubble and': 306341, 'bubble and huge': 141581, 'and huge consumer': 64853, 'huge consumer debt': 410008, 'postal employee': 666438, 'proper equipment': 684105, 'themselves safe': 876880, 'no soap': 565540, 'bathroom they': 112675, 'stand le': 793541, 'then ft': 877183, 'ft apart': 339323, 'postal employee don': 666439, 'employee don have': 273783, 'don have proper': 253613, 'have proper equipment': 382084, 'proper equipment to': 684106, 'equipment to keep': 279859, 'keep themselves safe': 472121, 'themselves safe no': 876882, 'safe no glove': 729837, 'sanitizer no soap': 735421, 'no soap in': 565542, 'soap in the': 779040, 'the bathroom they': 849336, 'bathroom they still': 112676, 'they still stand': 883469, 'still stand le': 801225, 'stand le then': 793542, 'le then ft': 483198, 'then ft apart': 877184, 'ft apart what': 339324, 'apart what going': 81369, 'heppenstall': 391803, 'treasury market': 930785, 'market reacting': 516945, 'pandemic cio': 635147, 'cio mark': 178583, 'mark heppenstall': 515787, 'heppenstall spoke': 391804, 'about recent': 26057, 'recent extreme': 703898, 'extreme fluctuation': 293793, 'in bond': 420901, 'bond price': 134256, 'is the treasury': 452964, 'the treasury market': 869939, 'treasury market reacting': 930786, 'market reacting to': 516946, 'the pandemic cio': 862932, 'pandemic cio mark': 635148, 'cio mark heppenstall': 178584, 'mark heppenstall spoke': 515788, 'heppenstall spoke with': 391805, 'with about recent': 997085, 'about recent extreme': 26058, 'recent extreme fluctuation': 703899, 'extreme fluctuation in': 293794, 'fluctuation in bond': 311519, 'in bond price': 420902, 'croissant': 218845, 'am part': 50295, 'of large': 585713, 'large queue': 479767, 'the centre': 850607, '8am only': 23144, 'wanted croissant': 966201, 'croissant but': 218846, 'to sensibly': 914242, 'sensibly purchase': 750684, 'purchase few': 689440, 'few tinned': 304109, 'tinned good': 898620, 'good please': 357563, 'am part of': 50296, 'part of large': 642356, 'of large queue': 585715, 'large queue in': 479768, 'queue in the': 693962, 'in the centre': 429064, 'the centre of': 850608, 'centre of the': 169526, 'city to enter': 179424, 'supermarket at 8am': 819232, 'at 8am only': 97785, '8am only wanted': 23145, 'only wanted croissant': 611430, 'wanted croissant but': 966202, 'croissant but will': 218847, 'but will take': 147888, 'take the opportunity': 832667, 'opportunity to sensibly': 613722, 'to sensibly purchase': 914243, 'sensibly purchase few': 750685, 'purchase few tinned': 689441, 'few tinned good': 304110, 'tinned good please': 898623, 'good please be': 357564, 'please be sensible': 659713, 'violinist': 957574, 'reenact': 706453, 'titanic': 899270, 'violinist reenact': 957577, 'reenact titanic': 706454, 'titanic at': 899271, 'violinist reenact titanic': 957578, 'reenact titanic at': 706455, 'titanic at grocery': 899272, 'the ct': 852554, 'ct department': 220094, 'agriculture ha': 38980, 'created map': 215848, 'open farmer': 612223, 'and csas': 60791, 'csas do': 220026, 'own is': 632085, 'taking pre': 833519, 'this saturday': 889958, 'looking for an': 502849, 'for an alternative': 319273, 'store the ct': 810593, 'the ct department': 852555, 'ct department of': 220095, 'of agriculture ha': 579847, 'agriculture ha created': 38981, 'ha created map': 370274, 'created map of': 215849, 'map of open': 514936, 'of open farmer': 587292, 'open farmer market': 612224, 'market and csas': 515959, 'and csas do': 60792, 'csas do not': 220027, 'forget that our': 329292, 'that our very': 845601, 'very own is': 955405, 'own is taking': 632086, 'is taking pre': 452559, 'taking pre order': 833520, 'pre order for': 669185, 'order for pick': 618238, 'pick up this': 655769, 'up this saturday': 946281, 'wanataka': 965546, 'kifonikifo': 474283, 'iwe': 464065, 'njaa': 563468, 'selfishpoliticians': 748397, 'politician wanataka': 663758, 'wanataka totallockdown': 965547, 'totallockdown they': 926292, 'dont want': 255315, 'by they': 154514, 'bring hunger': 139988, 'family kifonikifo': 297979, 'kifonikifo iwe': 474284, 'iwe corona': 464066, 'corona au': 203815, 'au njaa': 102793, 'njaa selfishpoliticians': 563469, 'politician wanataka totallockdown': 663759, 'wanataka totallockdown they': 965548, 'totallockdown they dont': 926293, 'they dont want': 882015, 'dont want to': 255318, 'to be killed': 901353, 'killed by they': 474575, 'by they have': 154516, 'they have food': 882318, 'have food stock': 380667, 'food stock of': 316801, 'stock of month': 802532, 'of month without': 586631, 'month without knowing': 538136, 'without knowing that': 1002750, 'that the lockdown': 846763, 'lockdown will bring': 500148, 'will bring hunger': 992855, 'bring hunger and': 139989, 'hunger and kill': 411075, 'and kill the': 65844, 'the poor family': 863974, 'poor family kifonikifo': 664171, 'family kifonikifo iwe': 297980, 'kifonikifo iwe corona': 474285, 'iwe corona au': 464067, 'corona au njaa': 203816, 'au njaa selfishpoliticians': 102794, 'agriculture to': 39040, 'family owned': 298145, 'owned business': 632326, 'street iowa': 813005, 'facing widespread': 295660, 'it grapple': 458329, 'manufacturing to agriculture': 513677, 'to agriculture to': 900187, 'agriculture to family': 39042, 'to family owned': 905660, 'family owned business': 298146, 'owned business on': 632328, 'business on main': 144137, 'main street iowa': 508830, 'street iowa rural': 813006, 'rural economy is': 728241, 'is facing widespread': 447705, 'facing widespread challenge': 295661, 'challenge it grapple': 171496, 'it grapple with': 458330, 'forno': 329749, 'siciliano': 768346, 'elmhursthospital': 271580, 'an owner': 56773, 'of forno': 583879, 'forno siciliano': 329750, 'siciliano left': 768347, 'left queen': 485611, 'newyorkcity italian': 561214, 'italian restaurant': 462723, 'restaurant donates': 716430, 'to elmhursthospital': 904997, 'elmhursthospital center': 271581, 'center staff': 169299, 'staff treating': 793019, 'treating more': 931007, 'price cuomo': 673363, 'cuomo quarantine': 220426, 'an owner of': 56774, 'owner of forno': 632513, 'of forno siciliano': 583880, 'forno siciliano left': 329751, 'siciliano left queen': 768348, 'left queen newyorkcity': 485612, 'queen newyorkcity italian': 693386, 'newyorkcity italian restaurant': 561215, 'italian restaurant donates': 462724, 'restaurant donates food': 716431, 'food to elmhursthospital': 317246, 'to elmhursthospital center': 904998, 'elmhursthospital center staff': 271582, 'center staff treating': 169300, 'staff treating more': 793020, 'treating more pic': 931008, 'for price cuomo': 324716, 'price cuomo quarantine': 673364, 'homie': 403018, 'my homie': 548704, 'homie got': 403019, 'in tuesday': 430317, 'tuesday stay': 935184, 'from elderly': 335260, 'elderly that': 270901, 'okay stop': 598013, 'my homie got': 548705, 'homie got the': 403020, 'got the virus': 358917, 'virus in tuesday': 958333, 'in tuesday stay': 430318, 'tuesday stay clean': 935185, 'stay clean and': 796828, 'clean and stay': 180470, 'away from elderly': 105877, 'from elderly that': 335262, 'elderly that being': 270902, 'being said no': 125714, 'said no need': 731260, 'panic and go': 637312, 'and go buy': 63769, 'go buy all': 353391, 'food and make': 313277, 'elderly to get': 270919, 'need we will': 556190, 'will be okay': 992586, 'be okay stop': 116184, 'okay stop panicking': 598014, 'jellybean': 465055, 'paw': 644673, 'miss jellybean': 534159, 'jellybean here': 465056, 'your paw': 1025237, 'paw and': 644674, 'miss jellybean here': 534160, 'jellybean here to': 465057, 'here to remind': 393724, 'remind you all': 710516, 'you all not': 1016895, 'all not to': 43660, 'to panic just': 911405, 'panic just wash': 638251, 'wash your paw': 967590, 'your paw and': 1025238, 'paw and stay': 644675, 'owes': 631843, 'america owes': 51640, 'owes our': 631844, 'working food': 1008629, 'they produce': 882916, 'deliver high': 233150, 'horrible covid': 404093, 'rancher processor': 696543, 'processor distributor': 680070, 'america owes our': 51641, 'owes our very': 631845, 'our very hard': 625263, 'very hard working': 955216, 'hard working food': 378140, 'working food supply': 1008630, 'supply worker so': 826136, 'worker so much': 1007791, 'so much they': 777818, 'much they produce': 545371, 'they produce and': 882917, 'produce and deliver': 680178, 'and deliver high': 61080, 'deliver high quality': 233151, 'high quality food': 395313, 'quality food for': 691784, 'food for during': 314529, 'during this horrible': 263293, 'this horrible covid': 887948, 'horrible covid 19': 404094, '19 join me': 8189, 'in thanking our': 428909, 'thanking our farmer': 841988, 'our farmer rancher': 623026, 'farmer rancher processor': 299486, 'rancher processor distributor': 696544, 'processor distributor and': 680071, 'distributor and store': 248273, 'state of california': 795799, 'of california ha': 581043, 'awareness of 19': 105712, 'selling surgical': 749466, 'mask real': 519185, 'real surgical': 701381, 'than layer': 840839, 'layer price': 482641, 'per box': 650722, 'box 50': 136995, '50 pc': 19794, 'pc also': 645869, 'provide disinfecting': 686267, 'disinfecting fluid': 245846, 'fluid disinfecting': 311532, 'have prepare': 382024, 'selling surgical mask': 749468, 'surgical mask real': 828366, 'mask real surgical': 519186, 'real surgical mask': 701382, 'surgical mask should': 828368, 'mask should have': 519271, 'should have more': 766085, 'more than layer': 540640, 'than layer price': 840840, 'layer price at': 482642, 'price at 30': 672788, 'at 30 per': 97594, '30 per box': 17185, 'per box 50': 650723, 'box 50 pc': 136996, '50 pc also': 19795, 'pc also provide': 645870, 'also provide disinfecting': 48712, 'provide disinfecting fluid': 686268, 'disinfecting fluid disinfecting': 245847, 'fluid disinfecting wipe': 311533, 'wipe and any': 996185, 'other product for': 620771, 'the virus please': 870879, 'virus please contact': 958638, 'contact me to': 200144, 'me to see': 523778, 'if have prepare': 414203, 'have prepare for': 382025, '775': 22316, '727': 22037, '6223': 21247, 'customer contact': 222272, 'contact store': 200212, 'info 9am': 437399, '6pm 775': 21647, '775 727': 22317, '727 6223': 22040, '6223 demo': 21248, 'essential business retail': 280859, 'business retail will': 144332, 'wholesale customer contact': 990433, 'customer contact store': 222273, 'contact store for': 200213, 'more info 9am': 539545, 'info 9am 6pm': 437400, '9am 6pm 775': 23951, '6pm 775 727': 21648, '775 727 6223': 22318, '727 6223 demo': 22041, '6223 demo day': 21249, 'demo day is': 236668, 'day is postponed': 227839, 'is postponed until': 450966, 'postponed until further': 666839, 'cushy': 221925, 'reposted': 712844, 'costco tp': 208282, 'two plus': 937152, 'plus and': 661563, 'and cushy': 60825, 'cushy think': 221926, 'think 20': 885063, '20 sheet': 13341, 'sheet is': 756602, 'is generous': 448014, 'generous stop': 345732, 'stophoarding reposted': 805452, 'reposted from': 712845, 'best quarantine': 127875, 'quarantine math': 692362, 'math lesson': 520469, 'lesson ever': 486468, 'ever credit': 285263, 'credit tiktok': 216535, 'costco tp is': 208283, 'tp is two': 927861, 'is two plus': 453404, 'two plus and': 937153, 'plus and cushy': 661564, 'and cushy think': 60826, 'cushy think 20': 221927, 'think 20 sheet': 885064, '20 sheet is': 13342, 'sheet is generous': 756603, 'is generous stop': 448015, 'generous stop hoarding': 345733, 'stop hoarding it': 804733, 'hoarding it stophoarding': 399400, 'it stophoarding reposted': 461277, 'stophoarding reposted from': 805453, 'reposted from the': 712847, 'from the best': 337615, 'the best quarantine': 849547, 'best quarantine math': 127876, 'quarantine math lesson': 692363, 'math lesson ever': 520470, 'lesson ever credit': 486469, 'ever credit tiktok': 285264, 'credit tiktok naomi': 216536, 'over twitter': 630867, 'twitter thanking': 936722, 'thanking healthcare': 841981, 'is thanking': 452624, 'store restocking': 809856, 'restocking and': 716984, 'time thanks': 897825, 'the grocer': 856796, 'see people all': 745552, 'people all over': 646805, 'all over twitter': 43885, 'over twitter thanking': 630868, 'twitter thanking healthcare': 936723, 'thanking healthcare and': 841982, 'responder but no': 715432, 'one is thanking': 606526, 'is thanking grocery': 452625, 'are in these': 87450, 'in these store': 429858, 'these store restocking': 880739, 'store restocking and': 809858, 'restocking and making': 716985, 'everyone ha what': 286977, 'ha what they': 372475, 'need during these': 554721, 'difficult time thanks': 242311, 'time thanks to': 897826, 'all the grocer': 44771, 'resolving': 714656, 'logic generally': 500651, 'generally the': 345541, 'should meet': 766220, 'meet that': 527588, 'that applied': 842702, 'your booking': 1022995, 'booking when': 134753, 'purchased it': 689783, 'our step': 624911, 'for resolving': 325154, 'resolving dispute': 714657, 'logic generally the': 500652, 'generally the airline': 345542, 'airline should meet': 40021, 'should meet that': 766221, 'meet that applied': 527589, 'that applied to': 842703, 'applied to your': 82507, 'to your booking': 918956, 'your booking when': 1022996, 'booking when you': 134754, 'when you purchased': 984591, 'you purchased it': 1020499, 'purchased it if': 689784, 'it if they': 458678, 'not see our': 571481, 'see our step': 745533, 'our step for': 624912, 'step for resolving': 799541, 'for resolving dispute': 325155, 'knitting': 476126, 'shopping until': 764291, 'ha stopped': 372073, 'stopped why': 805782, 'roll ve': 725582, 'been staying': 122029, 'lot then': 504382, 'then going': 877213, 'short walk': 764785, 'walk knitting': 964828, 'knitting and': 476127, 'going out shopping': 355390, 'out shopping until': 627186, 'shopping until all': 764292, 'until all of': 943677, 'of this ha': 591983, 'this ha stopped': 887815, 'ha stopped why': 372076, 'stopped why are': 805783, 'are people fighting': 89029, 'and loo roll': 66361, 'loo roll ve': 502207, 'roll ve just': 725583, 'just been staying': 468308, 'been staying in': 122031, 'staying in lot': 798640, 'in lot then': 424938, 'lot then going': 504383, 'then going for': 877214, 'going for short': 355149, 'for short walk': 325604, 'short walk knitting': 764786, 'walk knitting and': 964829, 'knitting and shopping': 476128, 'employee when asking': 274409, 'when asking for': 983186, 'asking for toilet': 96000, 'reinventing': 708272, 'brandmarketing': 138144, 'but seller': 147004, 'socialdistancing check': 780276, 'are reinventing': 89544, 'reinventing their': 708273, 'response brandmarketing': 715637, 'brandmarketing stayhomesavelives': 138145, 'only is impacting': 610657, 'behavior but seller': 123945, 'but seller and': 147005, 'seller and retailer': 748967, 'and retailer are': 70453, 'retailer are also': 718986, 'also being forced': 47951, 'forced to adapt': 328615, 'adapt to socialdistancing': 31287, 'to socialdistancing check': 914833, 'socialdistancing check out': 780278, 'see how brand': 745219, 'brand are reinventing': 137751, 'are reinventing their': 89545, 'reinventing their marketing': 708274, 'their marketing strategy': 873922, 'in response brandmarketing': 427418, 'response brandmarketing stayhomesavelives': 715638, 'supply there': 825972, 'minister the country': 533470, 'food supply there': 317006, 'supply there is': 825973, 'tend': 837874, 'trait': 929376, 'during shared': 263002, 'shared emergency': 755410, 'emergency shopper': 272978, 'shopper tend': 761736, 'tend to': 837877, 'on similar': 603468, 'similar behavior': 769889, 'behavior trait': 124274, 'trait in': 929377, 'end date': 275804, 'during shared emergency': 263003, 'shared emergency shopper': 755411, 'emergency shopper tend': 272979, 'shopper tend to': 761737, 'tend to fall': 837878, 'to fall back': 905624, 'fall back on': 296852, 'back on similar': 107198, 'on similar behavior': 603469, 'similar behavior trait': 769890, 'behavior trait in': 124275, 'trait in the': 929378, 'supermarket aisle but': 818832, 'aisle but what': 40225, 'but what happens': 147789, 'crisis ha no': 217440, 'no end date': 564117, 'paragon': 641324, 'appears major': 82190, 'major mall': 509381, 'in heart': 423614, 'of paragon': 587772, 'paragon is': 641327, 'is practically': 450973, 'practically ghost': 668500, 'just handful': 468918, 'that allowed': 842590, 'open everything': 612219, 'else must': 271796, 'must shut': 546888, 'shut by': 767793, 'law from': 482293, 'mar 22': 514982, '22 to': 15248, '12 pic': 2932, 'pic sent': 655625, 'appears major mall': 82191, 'major mall in': 509382, 'mall in heart': 511790, 'in heart of': 423615, 'heart of paragon': 388319, 'of paragon is': 587773, 'paragon is practically': 641328, 'is practically ghost': 450974, 'practically ghost town': 668501, 'ghost town with': 349680, 'town with just': 927593, 'with just handful': 999126, 'just handful of': 468919, 'people buying grocery': 647345, 'at supermarket that': 100779, 'supermarket that allowed': 823178, 'that allowed to': 842591, 'be open everything': 116242, 'open everything else': 612220, 'everything else must': 287773, 'else must shut': 271797, 'must shut by': 546889, 'shut by law': 767794, 'by law from': 153029, 'law from mar': 482294, 'from mar 22': 336337, 'mar 22 to': 514984, '22 to april': 15250, 'april 12 pic': 83403, '12 pic sent': 2933, 'pic sent to': 655626, 'sent to me': 750844, 'march began': 515296, 'began strong': 123435, 'pace the': 632962, '19 ultimately': 11621, 'ultimately reduced': 939156, 'reduced activity': 706019, 'activity price': 30484, 'were up': 980312, 'sale volume': 732631, 'volume up': 960177, 'up 11': 944111, '11 active': 2479, 'active listing': 30276, 'listing are': 494828, '30 which': 17263, 'will partially': 994374, 'partially reflect': 642530, 'reflect those': 706635, 'those seller': 892439, 'seller taking': 749084, 'taking their': 833601, 'home off': 401697, 'today current': 919419, 'march began strong': 515297, 'began strong and': 123436, 'strong and steady': 813980, 'and steady pace': 72329, 'steady pace the': 799133, 'pace the spread': 632963, 'covid 19 ultimately': 213994, '19 ultimately reduced': 11622, 'ultimately reduced activity': 939157, 'reduced activity price': 706020, 'activity price were': 30485, 'price were up': 677463, 'were up over': 980318, 'up over 14': 945724, 'over 14 and': 629783, '14 and sale': 3418, 'and sale volume': 70796, 'sale volume up': 732632, 'volume up 11': 960178, 'up 11 active': 944112, '11 active listing': 2480, 'active listing are': 30277, 'listing are down': 494829, 'down 30 which': 256414, '30 which will': 17264, 'which will partially': 986501, 'will partially reflect': 994375, 'partially reflect those': 642531, 'reflect those seller': 706636, 'those seller taking': 892440, 'seller taking their': 749085, 'taking their home': 833603, 'their home off': 873569, 'home off the': 401698, 'off the market': 594254, 'the market due': 860105, 'due to today': 262000, 'to today current': 917607, 'today current crisis': 919420, 'scam may': 740244, 'into detail': 442515, 'grandparent scam may': 361988, 'scam may take': 740245, 'may take on': 521561, 'take on new': 832405, 'on new twist': 602385, 'urgency here you': 948305, 'can read what': 159385, 'read what you': 700658, 'you should take': 1021225, 'should take into': 766546, 'into account this': 442370, 'account this blog': 28767, 'go into detail': 353742, 'here grab': 393056, 'grab yours': 361558, 'price besafe': 672911, 'besafe stayhome': 127449, '19 cure is': 6386, 'cure is here': 220760, 'is here grab': 448423, 'here grab yours': 393057, 'grab yours now': 361559, 'yours now at': 1026471, 'now at affordable': 574123, 'affordable price besafe': 34873, 'price besafe stayhome': 672912, 'lockdown ilorin': 499491, '19 lockdown ilorin': 8395, 'lockdown ilorin resident': 499492, 'texted': 839966, '45am': 19192, 'am senior': 50376, 'senior shaming': 750403, 'shaming my': 754752, 'my 73': 547174, 'who texted': 989742, 'texted me': 839967, 'at 45am': 97661, '45am on': 19193, 'his way': 397905, 'hot zone': 405074, 'zone southflorida': 1027774, 'southflorida what': 786882, 'message across': 529253, 'across to': 29548, 'yes am senior': 1015373, 'am senior shaming': 50377, 'senior shaming my': 750404, 'shaming my 73': 754753, 'my 73 year': 547175, '73 year old': 22072, 'old father who': 598252, 'father who texted': 300321, 'who texted me': 989743, 'texted me at': 839968, 'me at 45am': 522464, 'at 45am on': 97662, '45am on his': 19194, 'on his way': 601330, 'his way to': 397907, 'supermarket in hot': 820910, 'in hot zone': 423833, 'hot zone southflorida': 405075, 'zone southflorida what': 1027775, 'southflorida what can': 786883, 'the message across': 860512, 'message across to': 529254, 'across to him': 29549, 'him to stayhome': 396750, 'class treated': 180280, 'working class treated': 1008567, 'class treated differently': 180281, 'revera': 720497, 'mckenzie': 522184, 'towne': 927605, 'strafford': 812195, 'albertafireflood': 40828, 'restoration': 717042, 'sanatizing': 733591, 'heretohelp': 393881, 'took n95': 925298, 'to revera': 913490, 'revera mckenzie': 720498, 'mckenzie towne': 522185, 'towne retirement': 927608, 'retirement brenda': 719708, 'brenda strafford': 139308, 'strafford foundation': 812196, 'foundation 2019ncov': 330477, 'sarscov2 albertafireflood': 736832, 'albertafireflood restoration': 40829, 'restoration cleaning': 717043, 'cleaning sanatizing': 181052, 'sanatizing heretohelp': 733592, 'heretohelp supportlocal': 393884, 'supportlocal calgary': 827256, 'yyc supportlocalbusiness': 1027157, 'yesterday we took': 1015936, 'we took n95': 973559, 'took n95 mask': 925299, 'glove and hand': 352561, 'sanitizer to revera': 735944, 'to revera mckenzie': 913491, 'revera mckenzie towne': 720499, 'mckenzie towne retirement': 522186, 'towne retirement brenda': 927609, 'retirement brenda strafford': 719709, 'brenda strafford foundation': 139309, 'strafford foundation 2019ncov': 812197, 'foundation 2019ncov sarscov2': 330478, '2019ncov sarscov2 albertafireflood': 14064, 'sarscov2 albertafireflood restoration': 736833, 'albertafireflood restoration cleaning': 40830, 'restoration cleaning sanatizing': 717044, 'cleaning sanatizing heretohelp': 181053, 'sanatizing heretohelp supportlocal': 733593, 'heretohelp supportlocal calgary': 393885, 'supportlocal calgary yyc': 827257, 'calgary yyc supportlocalbusiness': 155431, 'mayorbowser': 521995, 'bowser': 136986, 'counterpart': 210338, 'govnortham': 361050, 'mayorbowser implementing': 521996, 'implementing rule': 418519, 'rule anyone': 727194, 'who shop': 989603, 'mask bowser': 518488, 'bowser ha': 136987, 'more courage': 538908, 'courage in': 211779, 'fighting than': 305122, 'than her': 840741, 'her male': 392183, 'male counterpart': 511685, 'counterpart govnortham': 210341, 'govnortham here': 361051, 'in va': 430515, 'va that': 951545, 'that rule': 846073, 'needed when': 556577, 'when store': 984080, 'adhering socialdistancing': 32232, 'mayorbowser implementing rule': 521997, 'implementing rule anyone': 418520, 'rule anyone who': 727195, 'anyone who shop': 80631, 'who shop at': 989604, 'shop at grocery': 759946, 'wear mask bowser': 974377, 'mask bowser ha': 518489, 'bowser ha more': 136988, 'ha more courage': 371289, 'more courage in': 538909, 'courage in fighting': 211780, 'in fighting than': 422880, 'fighting than her': 305123, 'than her male': 840743, 'her male counterpart': 392184, 'male counterpart govnortham': 511686, 'counterpart govnortham here': 210342, 'govnortham here in': 361052, 'here in va': 393191, 'in va that': 430518, 'va that rule': 951546, 'that rule is': 846074, 'rule is needed': 727280, 'is needed when': 449870, 'needed when store': 556578, 'when store employee': 984083, 'store employee without': 807576, 'employee without mask': 274452, 'without mask not': 1002774, 'mask not adhering': 519020, 'not adhering socialdistancing': 568061, 'supermarket everything': 820236, 'the supermarket everything': 868582, 'supermarket everything you': 820239, 'you need is': 1020006, 'need is gone': 555068, 'in continuation': 421749, 'continuation to': 200979, 'my previous': 549835, 'previous post': 671991, 'post this': 666361, 'very relevant': 955465, 'relevant read': 709168, 'read when': 700659, 'over capitalism': 630066, 'capitalism will': 162788, 'have moved': 381520, 'new stage': 559636, 'stage consumer': 793183, 'more thoughtful': 540750, 'thoughtful about': 893343, 'consume and': 195930, 'in continuation to': 421750, 'continuation to my': 200980, 'to my previous': 910429, 'my previous post': 549837, 'previous post this': 671992, 'post this is': 666362, 'is very relevant': 453690, 'very relevant read': 955466, 'relevant read when': 709169, 'read when the': 700660, 'is over capitalism': 450691, 'over capitalism will': 630067, 'capitalism will have': 162789, 'will have moved': 993653, 'have moved to': 381523, 'moved to new': 543838, 'to new stage': 910575, 'new stage consumer': 559637, 'stage consumer will': 793184, 'be more thoughtful': 115998, 'more thoughtful about': 540751, 'thoughtful about what': 893344, 'about what they': 26901, 'what they consume': 982397, 'they consume and': 881798, 'consume and how': 195932, 'much they need': 545370, 'need to consume': 555894, 'reinvest': 708277, 'b2b reinvest': 106470, 'reinvest in': 708278, 'behaviour and b2b': 124358, 'and b2b reinvest': 58604, 'b2b reinvest in': 106471, 'reinvest in digital': 708279, 'yo just': 1016437, 'whole gen': 990223, 'gen away': 345209, 'away they': 106059, 'yo just throw': 1016438, 'just throw the': 470076, 'throw the whole': 895054, 'the whole gen': 871492, 'whole gen away': 990224, 'gen away they': 345210, 'away they are': 106060, 'they are trash': 881439, '2400 you': 15718, 'soap the': 779122, 'suisse raise it': 817745, 'raise it stock': 695869, 'it stock target': 461265, 'to 2400 you': 899629, '2400 you raise': 15719, 'essential like your': 281289, 'your soap the': 1025847, 'soap the country': 779123, 'country face covid': 210631, 'that the same': 846827, 'haraam': 377798, 'concurrently': 193351, 'multifold': 545694, 'halaal': 374098, 'mocking chinese': 535133, 'eating haraam': 266221, 'haraam food': 377799, 'and concurrently': 60260, 'concurrently selling': 193352, 'at multifold': 99799, 'multifold price': 545699, 'price considering': 673215, 'it halaal': 458440, 'halaal may': 374099, 'allah guide': 45600, 'we are mocking': 970630, 'are mocking chinese': 88094, 'mocking chinese people': 535134, 'chinese people for': 177317, 'people for eating': 647947, 'for eating haraam': 320930, 'eating haraam food': 266222, 'haraam food and': 377800, 'food and concurrently': 313198, 'and concurrently selling': 60261, 'concurrently selling mask': 193353, 'sanitizers at multifold': 736227, 'at multifold price': 99800, 'multifold price considering': 545700, 'price considering it': 673216, 'considering it halaal': 195388, 'it halaal may': 458441, 'halaal may allah': 374100, 'may allah guide': 520903, '3507': 17944, '10 during': 1407, 'during declared': 262590, 'emergency report': 272920, 'report suspicion': 712297, 'suspicion to': 829706, 'the da': 852765, 'unit 619': 942035, '619 531': 21213, '531 3507': 20305, '3507 detail': 17945, 'reminder that it': 710590, 'is illegal for': 448666, 'illegal for business': 416210, 'business to increase': 144540, 'essential good service': 281099, 'good service by': 357710, 'than 10 during': 840146, '10 during declared': 1408, 'during declared state': 262591, 'of emergency report': 583053, 'emergency report suspicion': 272922, 'report suspicion to': 712298, 'suspicion to the': 829707, 'to the da': 916621, 'the da consumer': 852767, 'protection unit 619': 685663, 'unit 619 531': 942036, '619 531 3507': 21214, '531 3507 detail': 20306, 'michiganshutdown': 530404, 'michiganlockdown': 530398, 'odaat': 579168, 'is overwhelmed': 450765, 'by call': 152049, 'governor covid': 360889, '19 executive': 6882, 'order michiganshutdown': 618388, 'michiganshutdown michiganlockdown': 530405, 'michiganlockdown michigan': 530399, 'michigan stayathomeorder': 530376, 'stayathomeorder odaat': 797781, 'odaat pricegouging': 579169, 'hotline is overwhelmed': 405251, 'is overwhelmed by': 450766, 'overwhelmed by call': 631718, 'by call related': 152051, 'to the governor': 916748, 'the governor covid': 856639, 'governor covid 19': 360890, 'covid 19 executive': 213054, '19 executive order': 6883, 'executive order michiganshutdown': 289922, 'order michiganshutdown michiganlockdown': 618389, 'michiganshutdown michiganlockdown michigan': 530406, 'michiganlockdown michigan stayathomeorder': 530400, 'michigan stayathomeorder odaat': 530377, 'stayathomeorder odaat pricegouging': 797782, 'odaat pricegouging consumer': 579170, 'that soap': 846364, 'water doesn': 968963, 'kill and': 474343, 'drain know': 258214, 'wrong information': 1013050, 'please read this': 660356, 'read this when': 700628, 'hear that soap': 387996, 'that soap and': 846365, 'and water doesn': 75234, 'water doesn kill': 968964, 'doesn kill and': 251859, 'kill and just': 474345, 'and just wash': 65729, 'just wash it': 470236, 'wash it down': 967512, 'it down the': 457697, 'the drain know': 853651, 'drain know that': 258215, 're getting the': 698736, 'getting the wrong': 349362, 'the wrong information': 872103, 'nhssafeguarding': 562245, 'and leadership': 66025, 'leadership saw': 483653, 'saw your': 738341, 'your address': 1022747, 'and plea': 69100, 'plea on': 659552, 'on regarding': 603120, 'regarding supermarket': 707272, 'supermarket support': 823063, 'support proud': 826770, 'nh employee': 561949, 'employee vow': 274378, 'time nh': 897259, 'nh nhssafeguarding': 562013, 'support and leadership': 826363, 'and leadership saw': 66026, 'leadership saw your': 483654, 'saw your address': 738343, 'your address and': 1022748, 'address and plea': 31950, 'and plea on': 69101, 'plea on regarding': 659553, 'on regarding supermarket': 603121, 'regarding supermarket support': 707274, 'supermarket support proud': 823065, 'support proud to': 826771, 'be an nh': 113614, 'an nh employee': 56522, 'nh employee vow': 561951, 'employee vow to': 274379, 'vow to do': 960695, 'do my best': 249624, 'best to play': 127954, 'to play my': 911796, 'my part in': 549709, 'part in these': 642304, 'in these unprecedented': 429877, 'unprecedented time nh': 943201, 'time nh nhssafeguarding': 897260, 'karonakuch': 470967, 'is privilege': 451037, 'privilege having': 679026, 'having water': 384397, 'hand from': 374963, 'from time': 338046, 'to time': 917576, 'privilege being': 679021, 'buy sanitizer': 149140, 'privilege karonakuch': 679033, 'karonakuch clap': 470968, 'clap jantacurfew': 179966, 'jantacurfew stayhomestaysafe': 464600, 'home is privilege': 401454, 'is privilege having': 451039, 'privilege having water': 679028, 'having water to': 384399, 'water to wash': 969222, 'to wash hand': 918345, 'wash hand from': 967485, 'hand from time': 374965, 'from time to': 338047, 'time to time': 898087, 'to time is': 917577, 'time is privilege': 897061, 'is privilege being': 451038, 'privilege being able': 679022, 'to buy sanitizer': 902294, 'buy sanitizer is': 149142, 'sanitizer is privilege': 735204, 'is privilege karonakuch': 451040, 'privilege karonakuch clap': 679034, 'karonakuch clap jantacurfew': 470969, 'clap jantacurfew stayhomestaysafe': 179967, 'marathon': 515035, 'bruna': 141344, 'kadletz': 470586, 'distancing stock': 247510, 'enjoy netflix': 277157, 'netflix marathon': 557617, 'marathon let': 515036, 'vulnerable amongst': 960852, 'amongst bruna': 53124, 'bruna kadletz': 141345, 'kadletz reflects': 470587, 'we practice social': 972726, 'social distancing stock': 779730, 'distancing stock food': 247511, 'and supply work': 72825, 'supply work from': 826133, 'home and enjoy': 400637, 'and enjoy netflix': 62149, 'enjoy netflix marathon': 277158, 'netflix marathon let': 557618, 'marathon let be': 515037, 'let be aware': 486612, 'most vulnerable amongst': 542867, 'vulnerable amongst bruna': 960853, 'amongst bruna kadletz': 53125, 'bruna kadletz reflects': 141346, 'kadletz reflects on': 470588, 'reflects on how': 706682, 'how to engage': 409017, 'to engage with': 905125, 'engage with the': 276866, '19 pandemic from': 9333, 'pandemic from place': 635472, 'from place of': 336930, 'place of care': 657599, 'of care for': 581143, 'grocer can': 364112, 'can predict': 159283, 'predict consumer': 669559, 'in based': 420713, 'time european': 896628, 'european data': 283559, 'data grocery': 226253, 'grocer can predict': 364113, 'can predict consumer': 159284, 'predict consumer habit': 669560, 'habit in based': 372635, 'in based on': 420714, 'based on real': 111691, 'real time european': 701406, 'time european data': 896629, 'european data grocery': 283560, 'data grocery demand': 226254, 'africa by': 35055, '50 due': 19676, 'largest market': 479971, 'nigeria it': 562758, 'reduced here': 706090, 'here too': 393739, 'data price in': 226360, 'price in south': 674734, 'south africa by': 786649, 'africa by 50': 35056, 'by 50 due': 151663, '50 due to': 19677, '19 outbreak their': 9198, 'outbreak their largest': 628728, 'their largest market': 873789, 'largest market in': 479972, 'market in africa': 516548, 'in africa is': 420086, 'africa is in': 35090, 'is in nigeria': 448792, 'in nigeria it': 425878, 'nigeria it must': 562761, 'must be reduced': 546538, 'be reduced here': 116737, 'reduced here too': 706091, 'randomactsofkindness': 696625, 'hang in': 376931, 'there everyone': 878370, 'other please': 620729, 'not strip': 571777, 'empty think': 275196, 'neighbour or': 557230, 'relative who': 708757, 'essential randomactsofkindness': 281442, 'randomactsofkindness ni': 696626, 'hang in there': 376933, 'in there everyone': 429813, 'there everyone we': 878371, 'everyone we ll': 287564, 'll all get': 496542, 'all get through': 42916, 'through this if': 894822, 'this if we': 888002, 'if we support': 415316, 'we support each': 973454, 'each other please': 264209, 'other please do': 620730, 'do not strip': 249858, 'not strip the': 571778, 'shelf empty think': 757038, 'empty think of': 275197, 'think of an': 885435, 'an elderly neighbour': 55640, 'elderly neighbour or': 270782, 'neighbour or relative': 557231, 'or relative who': 616840, 'relative who might': 708758, 'who might have': 989285, 'might have run': 531020, 'of an essential': 580114, 'an essential randomactsofkindness': 55829, 'essential randomactsofkindness ni': 281443, 'parent walking': 641764, 'walking calmly': 965038, 'calmly with': 156866, 'child running': 176192, 'were summer': 980194, 'summer vacation': 818019, 'my house for': 548730, 'in day to': 422023, 'day to run': 228581, 'buy bread and': 148440, 'bread and there': 138409, 'there are parent': 878144, 'are parent walking': 88982, 'parent walking calmly': 641765, 'walking calmly with': 965039, 'calmly with their': 156867, 'their child running': 872772, 'child running if': 176193, 'running if it': 727976, 'if it were': 414343, 'it were summer': 462316, 'were summer vacation': 980195, 'implying': 418605, 'impact godrej': 417681, 'consumer expects': 197407, 'expects low': 291083, 'low double': 505251, 'digit sale': 242486, 'sale decline': 732155, 'the performance': 863551, 'it distributor': 457593, 'distributor implying': 248293, 'implying their': 418606, 'stock level': 802349, 'are depleting': 85787, 'impact godrej consumer': 417682, 'godrej consumer expects': 354889, 'consumer expects low': 197408, 'expects low double': 291084, 'low double digit': 505252, 'double digit sale': 256001, 'digit sale decline': 242487, 'sale decline in': 732156, 'in the performance': 429445, 'the performance of': 863552, 'performance of it': 651455, 'of it distributor': 585384, 'it distributor implying': 457594, 'distributor implying their': 248294, 'implying their stock': 418607, 'their stock level': 874832, 'stock level are': 802351, 'level are depleting': 487510, 'break usa': 138822, 'usa lowering': 948684, 'lowering oil': 506119, 'sector out': 744290, 'business chinaliedpeopledied': 143519, 'saudi are in': 737241, 'are in collaboration': 87362, 'collaboration with china': 185939, 'try and break': 934437, 'and break usa': 59173, 'break usa lowering': 138823, 'usa lowering oil': 948685, 'lowering oil price': 506120, 'price is designed': 674862, 'designed to put': 238362, 'to put our': 912601, 'put our energy': 690743, 'energy sector out': 276582, 'sector out of': 744291, 'of business chinaliedpeopledied': 580949, 'singleparents': 771438, 'more thing': 540733, 'know single': 476717, 'parent check': 641604, 'or her': 615629, 'her perhaps': 392294, 'home alone': 400590, 'the helpingothers': 857276, 'helpingothers family': 391566, 'family singleparents': 298226, 'singleparents help': 771439, 'one more thing': 606694, 'more thing if': 540735, 'thing if you': 884423, 'you know single': 1019523, 'know single parent': 476718, 'single parent check': 771366, 'parent check on': 641605, 'check on him': 174510, 'on him or': 601310, 'him or her': 396686, 'or her perhaps': 615630, 'her perhaps go': 392295, 'perhaps go to': 651590, 'to grocery story': 907011, 'grocery story for': 365985, 'story for them': 811978, 'them they cannot': 876412, 'they cannot leave': 881712, 'the kid home': 858788, 'kid home alone': 473995, 'home alone and': 400591, 'alone and probably': 46816, 'and probably do': 69533, 'probably do not': 679247, 'take the kid': 832657, 'with the helpingothers': 1001331, 'the helpingothers family': 857277, 'helpingothers family singleparents': 391567, 'family singleparents help': 298227, 'haveyoursay': 383946, 'haveyoursay ve': 383953, 'april crazy': 83566, 'circumstance you': 178763, 'have postponed': 382005, 'postponed cancelled': 666798, 'cancelled it': 161131, 'thing considered': 884243, 'considered especially': 195283, 'when money': 983735, 'haveyoursay ve just': 383954, 've just received': 953307, 'received letter from': 703636, 'letter from and': 487314, 'from and increasing': 334517, 'and increasing their': 65129, 'their price from': 874398, 'price from april': 674109, 'from april crazy': 334577, 'april crazy in': 83567, 'crazy in these': 215335, 'these circumstance you': 879760, 'circumstance you would': 178764, 'have thought they': 383125, 'thought they would': 893259, 'would have postponed': 1011886, 'have postponed cancelled': 382006, 'postponed cancelled it': 666799, 'cancelled it all': 161132, 'it all thing': 456378, 'all thing considered': 45075, 'thing considered especially': 884244, 'considered especially when': 195284, 'especially when money': 280658, 'when money is': 983736, 'used to the': 950096, 'to the low': 916860, 'gas price thanks': 344032, 'expert reveals': 291934, 'reveals their': 720354, 'their prediction': 874358, 'prediction on': 669669, 'on resin': 603162, 'resin production': 714557, 'export result': 292696, 'of expert reveals': 583328, 'expert reveals their': 291936, 'reveals their prediction': 720355, 'their prediction on': 874359, 'prediction on oil': 669670, 'on oil and': 602488, 'and their impact': 73693, 'their impact on': 873629, 'impact on resin': 417884, 'on resin production': 603163, 'resin production and': 714558, 'production and export': 681923, 'and export result': 62533, 'export result of': 292697, '19 full here': 7162, 'something practical': 785016, 'practical to': 668495, 'got printer': 358796, 'printer print': 678329, 'print this': 678299, 'up near': 945443, 'live print': 495996, 'print smaller': 678291, 'smaller one': 775285, 'do something practical': 250150, 'something practical to': 785017, 'practical to help': 668496, 'help all and': 389317, 'all and got': 42013, 'and got printer': 63862, 'got printer print': 358797, 'printer print this': 678330, 'print this and': 678300, 'this and put': 886344, 'put it up': 690650, 'it up near': 461964, 'up near where': 945445, 'near where you': 553632, 'where you live': 985392, 'you live print': 1019634, 'live print smaller': 495997, 'print smaller one': 678292, 'smaller one and': 775286, 'one and put': 605907, 'it in supermarket': 458747, 'in supermarket trolley': 428699, 'msftads': 544514, 'about advertising': 24765, 'advertising trend': 33286, 'insight which': 439658, 'which cover': 985787, 'cover many': 212249, 'industry sector': 436095, 'sector consumerbehavior': 744138, 'consumerbehavior consumertrends': 199610, 'consumertrends msftads': 199785, 'is great article': 448187, 'great article about': 362508, 'article about advertising': 94231, 'about advertising trend': 24767, 'advertising trend and': 33287, 'and insight which': 65262, 'insight which cover': 439659, 'which cover many': 985788, 'cover many industry': 212250, 'many industry sector': 514188, 'industry sector consumerbehavior': 436096, 'sector consumerbehavior consumertrends': 744139, 'consumerbehavior consumertrends msftads': 199611, 'cleanest': 180873, 'healtheducation': 387443, 'healthpromotion': 387474, 'the cleanest': 850986, 'cleanest water': 180878, 'water available': 968906, 'available or': 104553, 'sanitizer healtheducation': 735073, 'healtheducation healthpromotion': 387444, 'your hand frequently': 1024189, 'soap and the': 778929, 'and the cleanest': 73283, 'the cleanest water': 850989, 'cleanest water available': 180879, 'water available or': 968907, 'available or use': 104554, 'hand sanitizer healtheducation': 375440, 'sanitizer healtheducation healthpromotion': 735074, 'exercise equipment': 290050, 'is harder': 448307, 'find than': 307265, 'exercise equipment is': 290052, 'equipment is harder': 279767, 'is harder to': 448308, 'to find than': 905942, 'find than toilet': 307266, 'std': 799093, 'the hong': 857483, 'kong diy': 477384, 'mask study': 519314, 'study kleenex': 814924, 'kleenex paper': 475905, 'towel layer': 927341, 'layer are': 482625, 'about effective': 25158, 'effective std': 269305, 'std surgical': 799098, 'mask alone': 518286, 'the hong kong': 857484, 'hong kong diy': 403199, 'kong diy mask': 477385, 'diy mask study': 248759, 'mask study kleenex': 519315, 'study kleenex paper': 814925, 'kleenex paper towel': 475906, 'paper towel layer': 640999, 'towel layer are': 927342, 'layer are about': 482626, 'are about effective': 84159, 'about effective std': 25159, 'effective std surgical': 269306, 'std surgical mask': 799099, 'surgical mask alone': 828348, 'bratter': 138202, 'director rebecca': 243660, 'rebecca bratter': 703257, 'bratter report': 138203, 'report huge': 712023, 'surge possibly': 828246, 'possibly much': 665941, 'much 50': 544678, 'bean she': 118359, 'she assures': 755867, 'there retail': 878999, 'surge ha': 828174, 'move farmgate': 543644, 'executive director rebecca': 289886, 'director rebecca bratter': 243661, 'rebecca bratter report': 703258, 'bratter report huge': 138204, 'report huge surge': 712024, 'huge surge possibly': 410225, 'surge possibly much': 828247, 'possibly much 50': 665942, 'much 50 in': 544679, '50 in consumer': 19724, 'demand for dry': 235406, 'for dry bean': 320873, 'dry bean she': 261245, 'bean she assures': 118360, 'she assures the': 755868, 'assures the supply': 97150, 'supply is there': 825459, 'is there retail': 453028, 'there retail price': 879000, 'are up but': 91360, 'up but the': 944527, 'but the surge': 147416, 'the surge ha': 869001, 'surge ha yet': 828176, 'yet to move': 1016292, 'to move farmgate': 910307, 'move farmgate price': 543645, 'store found': 807857, 'found milk': 330288, 'gone coronavirus': 356244, 'all coronapocolypse': 42462, 'grocery store found': 365410, 'store found milk': 807858, 'found milk but': 330289, 'milk but all': 531612, 'were gone coronavirus': 979692, 'gone coronavirus is': 356245, 'coronavirus is real': 206171, 'real all coronapocolypse': 701024, 'sharethenews': 755505, 'news 11': 560175, '11 20': 2447, '20 president': 13277, 'trump offer': 933732, 'mexico to': 530028, 'stabilize price': 791855, 'trump news': 933724, 'news sharethenews': 560784, '24 news 11': 15658, 'news 11 20': 560176, '11 20 president': 2448, '20 president trump': 13278, 'president trump offer': 670944, 'trump offer to': 933733, 'offer to cut': 594849, 'cut oil production': 223452, 'production on behalf': 682163, 'behalf of mexico': 123758, 'of mexico to': 586464, 'mexico to reach': 530029, 'deal to stabilize': 229511, 'to stabilize price': 915121, 'stabilize price trump': 791858, 'price trump news': 677130, 'trump news sharethenews': 933725, 'jadirigamer': 464236, 'fund jadirigamer': 341446, 'jadirigamer rt': 464237, 'relief fund jadirigamer': 709354, 'fund jadirigamer rt': 341447, 'question did': 693568, 'people even': 647822, 'even ever': 284047, 'ever shit': 285501, 'before now': 122965, 'now wtf': 576489, 'serious question did': 751462, 'question did people': 693569, 'did people even': 240757, 'people even ever': 647823, 'even ever shit': 284048, 'ever shit before': 285502, 'shit before now': 759069, 'before now wtf': 122966, 'now wtf is': 576490, 'wtf is it': 1013293, 'is it with': 449077, 'toilet paper people': 921390, 'paper people toiletpaper': 640589, 'for lowering': 323139, 'price though': 676933, 'out to covid': 627632, '19 for lowering': 7069, 'for lowering gas': 323140, 'gas price though': 344038, 'dz': 263958, 'sure none': 827633, 'are adhering': 84227, 'quarantine seriously': 692521, 'enough egg': 277369, 'egg you': 270047, 'eat them': 266070, 'with dz': 998160, 'dz anyway': 263959, 'work for major': 1005160, 'for major grocery': 323167, 'store and pretty': 806322, 'and pretty sure': 69402, 'pretty sure none': 671508, 'sure none of': 827634, 'none of all': 566590, 'all are adhering': 42036, 'are adhering to': 84228, 'adhering to the': 32239, 'to the self': 917046, 'self quarantine seriously': 747869, 'quarantine seriously people': 692522, 'seriously people go': 751697, 'people go home': 648082, 'home you bought': 402581, 'bought enough egg': 136544, 'enough egg you': 277370, 'egg you have': 270048, 'to eat them': 904904, 'eat them now': 266071, 'them now what': 876072, 'now what are': 576376, 'doing with dz': 252866, 'with dz anyway': 998161, 'sanitiz': 734135, 'most crowded': 542223, 'now order': 575478, 'of tv': 592519, 'tv studio': 936204, 'studio because': 814831, 'are responsible': 89637, 'for spread': 325836, 'created artificial': 215782, 'food sanitiz': 316293, 'after closing down': 35472, 'closing down most': 183622, 'down most crowded': 256967, 'most crowded place': 542225, 'crowded place can': 219334, 'place can we': 657380, 'can we now': 160183, 'we now order': 972614, 'now order closure': 575479, 'closure of tv': 183980, 'of tv studio': 592522, 'tv studio because': 936205, 'studio because they': 814832, 'because they too': 119721, 'too are responsible': 924591, 'are responsible for': 89638, 'responsible for spread': 716039, 'for spread of': 325837, 'spread of panic': 790699, 'of panic caused': 587725, 'caused by they': 167872, 'they have created': 882310, 'have created artificial': 380156, 'created artificial scarcity': 215783, 'artificial scarcity of': 94531, 'scarcity of medicine': 740844, 'of medicine food': 586412, 'medicine food sanitiz': 526782, '2resale': 16859, 'hoarding causing': 399249, 'causing problem': 168086, 'get around': 346602, 'around easy': 93274, 'easy quick': 265751, 'quick the': 694396, 'those physical': 892345, 'physical disability': 655399, 'disability most': 243834, 'most over': 542597, 'product 2resale': 680826, '2resale at': 16860, 'need treating': 556138, 'treating toilet': 931022, 'like roll': 491103, 'roll gold': 725317, 'gold look': 355924, 'what doing': 981379, 'doing stophoarding': 252683, 'stop hoarding causing': 804725, 'hoarding causing problem': 399250, 'causing problem people': 168087, 'problem people who': 679649, 'can get around': 158404, 'get around easy': 346603, 'around easy quick': 93275, 'easy quick the': 265752, 'quick the elderly': 694397, 'elderly those physical': 270913, 'those physical disability': 892346, 'physical disability most': 655401, 'disability most over': 243835, 'most over buying': 542598, 'over buying product': 630055, 'buying product 2resale': 150928, 'product 2resale at': 680827, '2resale at higher': 16861, 'higher price not': 395683, 'price not need': 675369, 'not need treating': 570677, 'need treating toilet': 556139, 'treating toilet paper': 931023, 'paper like roll': 640417, 'like roll gold': 491104, 'roll gold look': 725318, 'gold look at': 355925, 'at what doing': 101523, 'what doing stophoarding': 981381, 'characterize': 173172, 'and severity': 71345, 'forecast and': 328806, 'and characterize': 59744, 'characterize the': 173173, 'plan said': 658215, 'plan warned': 658344, 'of significant': 589724, 'significant shortage': 769520, 'government private': 360481, 'individual consumer': 435164, 'spread and severity': 790422, 'and severity of': 71346, 'difficult to forecast': 242336, 'to forecast and': 906179, 'forecast and characterize': 328807, 'and characterize the': 59745, 'characterize the government': 173174, 'the government plan': 856581, 'government plan said': 360462, 'plan said the': 658216, 'said the plan': 731447, 'the plan warned': 863795, 'plan warned of': 658345, 'warned of significant': 967015, 'of significant shortage': 589726, 'significant shortage for': 769521, 'shortage for government': 764962, 'for government private': 321961, 'government private sector': 360482, 'private sector and': 678974, 'sector and individual': 744084, 'and individual consumer': 65161, 'fda saudi': 300916, 'saudi food': 737261, 'drug authority': 260886, 'pharmacy so': 654464, 'don waste': 254053, 'waste their': 968199, 'fda saudi food': 300917, 'saudi food drug': 737262, 'food drug authority': 314303, 'drug authority ha': 260887, 'authority ha set': 103734, 'up website where': 946554, 'website where people': 975479, 'people can check': 647384, 'can check the': 157899, 'check the stock': 174655, 'and sanitizers in': 70901, 'sanitizers in many': 736318, 'in many local': 425056, 'many local pharmacy': 514243, 'local pharmacy so': 498275, 'pharmacy so they': 654465, 'they don waste': 882007, 'don waste their': 254054, 'waste their time': 968200, 'their time and': 874986, 'time and expose': 896270, 'advice now': 33441, 'now falling': 574662, 'falling between': 297216, 'two stool': 937241, 'stool if': 804405, 'laying their': 482665, 'staff off': 792705, 'off you': 594435, 'see panic': 745542, 'week urgent': 977150, 'government advice now': 359829, 'advice now falling': 33442, 'now falling between': 574663, 'falling between two': 297217, 'between two stool': 128950, 'two stool if': 937242, 'stool if you': 804406, 'you are asking': 1017065, 'are asking people': 84644, 'home and business': 400619, 'business are laying': 143375, 'are laying their': 87731, 'laying their staff': 482666, 'their staff off': 874794, 'staff off you': 792707, 'off you will': 594439, 'will see panic': 994790, 'see panic buying': 745544, 'buying people don': 150897, 'know if they': 476488, 'if they will': 415139, 'will have money': 993651, 'have money for': 381489, 'for food in': 321595, 'food in few': 314938, 'few week urgent': 304173, 'week urgent action': 977151, 'urgent action is': 948312, 'required to reassure': 713405, 'see info': 745311, 'travel refund': 930482, 'see info from': 745312, 'info from on': 437481, 'from on travel': 336672, 'on travel refund': 604848, 'travel refund and': 930483, 'and cancellation due': 59493, 'they deal': 881867, 'agent hopefully': 38173, 'they deal with': 881869, 'deal with consumer': 229544, 'consumer right so': 198828, 'right so they': 722277, 'they can help': 881636, 'money back from': 536622, 'from the travel': 337906, 'the travel agent': 869931, 'travel agent hopefully': 930241, 'erythromycin': 280247, 'thiocynate': 886061, 'azithromycin': 106412, '185': 4644, '2010': 13757, 'also manufactured': 48513, 'manufactured from': 513401, 'from erythromycin': 335299, 'erythromycin thiocynate': 280248, 'thiocynate china': 886062, 'biggest manufacturer': 130271, 'of azithromycin': 580488, 'azithromycin in': 106413, 'world china': 1009418, 'had built': 372943, 'built up': 142203, 'huge surplus': 410226, 'surplus capacity': 828475, 'azithromycin result': 106415, 'had crashed': 373002, 'crashed frm': 215072, 'frm 185': 334109, '185 kg': 4645, 'in 2010': 419761, 'treatment of infection': 931111, 'infection is also': 436778, 'is also manufactured': 445565, 'also manufactured from': 48514, 'manufactured from erythromycin': 513402, 'from erythromycin thiocynate': 335300, 'erythromycin thiocynate china': 280249, 'thiocynate china is': 886063, 'the biggest manufacturer': 849662, 'biggest manufacturer of': 130272, 'manufacturer of azithromycin': 513491, 'of azithromycin in': 580489, 'azithromycin in the': 106414, 'the world china': 871836, 'world china had': 1009419, 'china had built': 176699, 'had built up': 372944, 'built up huge': 142204, 'up huge surplus': 945130, 'huge surplus capacity': 410227, 'surplus capacity of': 828476, 'capacity of azithromycin': 162551, 'of azithromycin result': 580490, 'azithromycin result of': 106416, 'result of which': 717622, 'of which it': 593106, 'which it price': 986077, 'it price had': 460465, 'price had crashed': 674396, 'had crashed frm': 373003, 'crashed frm 185': 215073, 'frm 185 kg': 334110, '185 kg in': 4646, 'kg in 2010': 473657, 'fuckin desperate': 339767, 'desperate such': 238553, 'life utterly': 489169, 'utterly disgusted': 951452, 'are people for': 89030, 'people for real': 647957, 'for real selling': 324993, 'roll at these': 725205, 'people are fuckin': 646983, 'are fuckin desperate': 86714, 'fuckin desperate such': 339768, 'desperate such low': 238554, 'such low life': 816608, 'low life utterly': 505387, 'life utterly disgusted': 489170, 'utterly disgusted it': 951453, 'dibs': 240433, 'had half': 373159, 'gotten first': 359135, 'first dibs': 308635, 'dibs on': 240436, 'on replacement': 603153, 'replacement it': 711619, 'it prior': 460475, 'think people that': 885490, 'people that had': 649766, 'that had half': 844150, 'had half empty': 373160, 'half empty bottle': 374161, 'empty bottle of': 274809, 'sanitizer should have': 735737, 'should have gotten': 766078, 'have gotten first': 380820, 'gotten first dibs': 359136, 'first dibs on': 308637, 'dibs on replacement': 240437, 'on replacement it': 603154, 'replacement it show': 711620, 'it show we': 461040, 'show we had': 767269, 'had been using': 372917, 'been using it': 122314, 'using it prior': 950534, 'it prior to': 460476, 'chad through': 170413, 'global information': 351990, 'information amp': 437730, 'amp early': 53691, 'system on': 831268, 'agriculture monitor': 39005, 'monitor global': 537289, 'in chad': 421318, 'chad amp': 170409, '19 governmental': 7264, 'governmental measure': 360842, 'chad through the': 170414, 'through the global': 894741, 'the global information': 856309, 'global information amp': 351991, 'information amp early': 437731, 'amp early warning': 53692, 'warning system on': 967200, 'system on food': 831271, 'and agriculture monitor': 57791, 'agriculture monitor global': 39006, 'monitor global food': 537290, 'supply amp demand': 824693, 'amp demand read': 53633, 'demand read to': 236110, 'read to learn': 700638, 'more about food': 538508, 'about food security': 25262, 'food security in': 316354, 'security in chad': 744644, 'in chad amp': 421319, 'chad amp covid': 170410, 'covid 19 governmental': 213158, '19 governmental measure': 7265, 'ulta': 939086, 'discontinues': 244429, 'lvmh convert': 507016, 'convert it': 202531, 'it perfume': 460310, 'perfume factory': 651519, 'what retail': 982102, 'retail executive': 718101, 'executive are': 289854, '19 ikea': 7673, 'ikea commerce': 416035, 'commerce strategy': 188642, 'retailer begin': 719035, 'begin crowd': 123514, 'control ulta': 202205, 'ulta beauty': 939087, 'beauty discontinues': 118759, 'discontinues in': 244430, 'store beauty': 806670, 'beauty service': 118787, 'dtc coronapocalypse': 261390, 'lvmh convert it': 507017, 'convert it perfume': 202532, 'it perfume factory': 460311, 'perfume factory to': 651520, 'factory to make': 296008, 'sanitizer what retail': 736064, 'what retail executive': 982103, 'retail executive are': 718102, 'executive are saying': 289856, 'saying about covid': 739551, 'covid 19 ikea': 213245, '19 ikea commerce': 7674, 'ikea commerce strategy': 416036, 'commerce strategy retailer': 188643, 'strategy retailer begin': 812702, 'retailer begin crowd': 719036, 'begin crowd control': 123515, 'crowd control ulta': 219146, 'control ulta beauty': 202206, 'ulta beauty discontinues': 939088, 'beauty discontinues in': 118760, 'discontinues in store': 244431, 'in store beauty': 428387, 'store beauty service': 806671, 'beauty service ecommerce': 118788, 'service ecommerce retail': 752321, 'ecommerce retail dtc': 266844, 'retail dtc coronapocalypse': 718046, 'email related': 272283, 'to proposed': 912281, 'proposed government': 684531, 'cure and phishing': 220703, 'and phishing email': 68990, 'phishing email related': 654818, 'email related to': 272284, 'related to proposed': 708618, 'to proposed government': 912283, 'proposed government relief': 684532, 'relief check are': 709302, 'check are among': 174371, 'among the scam': 53073, 'the scam to': 866421, 'out for during': 626110, 'for during the': 320882, 'coronavirus pandemic writes': 206510, 'could survivor': 209742, 'survivor blood': 829388, 'blood help': 133118, 'save very': 737698, 'ill patient': 416158, 'patient via': 644290, 'could survivor blood': 209743, 'survivor blood help': 829389, 'blood help save': 133119, 'help save very': 390486, 'save very ill': 737699, 'very ill patient': 955243, 'ill patient via': 416159, 'cambonzola': 156936, 'dontpanicbuyyouselfishgreedyfucks': 255390, 'normal stuff': 567346, 'up looking': 945347, 'like twat': 491683, 'twat at': 936257, 'checkout with': 175060, 'with apocalyptic': 997291, 'apocalyptic essential': 81594, 'of duck': 582864, 'duck breast': 261539, 'breast sparkling': 139142, 'and cambonzola': 59437, 'cambonzola dontpanicbuyyouselfishgreedyfucks': 156937, 'all the normal': 44844, 'the normal stuff': 861866, 'normal stuff in': 567347, 'gone so you': 356374, 'so you end': 778841, 'end up looking': 276038, 'up looking like': 945348, 'looking like twat': 502965, 'like twat at': 491684, 'twat at the': 936259, 'the checkout with': 850781, 'checkout with apocalyptic': 175061, 'with apocalyptic essential': 997292, 'apocalyptic essential of': 81595, 'essential of duck': 281344, 'of duck breast': 582865, 'duck breast sparkling': 261541, 'breast sparkling water': 139143, 'sparkling water and': 787617, 'water and cambonzola': 968857, 'and cambonzola dontpanicbuyyouselfishgreedyfucks': 59438, 'researcher in': 713916, 'finland released': 307969, 'released troubling': 709098, 'troubling animation': 932683, 'animation showing': 76735, 'how droplet': 407760, 'droplet from': 260471, 'from somebody': 337345, 'somebody coughing': 784257, 'coughing can': 208673, 'can hang': 158552, 'researcher in finland': 713917, 'in finland released': 422901, 'finland released troubling': 307970, 'released troubling animation': 709099, 'troubling animation showing': 932684, 'animation showing how': 76736, 'showing how droplet': 767457, 'how droplet from': 407762, 'droplet from somebody': 260474, 'from somebody coughing': 337346, 'somebody coughing can': 784258, 'coughing can hang': 208674, 'can hang in': 158553, 'hang in the': 376932, 'air and spread': 39685, 'and spread through': 72150, 'through supermarket stayhome': 894702, 'supermarket stayhome stayhomestaysafe': 822940, 'oklahoma based': 598060, 'store homeland': 808171, 'homeland is': 402714, 'oklahoma based grocery': 598061, 'based grocery store': 111601, 'grocery store homeland': 365468, 'store homeland is': 808172, 'homeland is making': 402715, 'is making change': 449538, 'change to it': 172351, 'to it policy': 908604, 'it policy to': 460378, 'policy to flatten': 663524, 'flatten the spread': 310131, 'putin denies': 691019, 'denies speaking': 236984, 'to mb': 909908, 'mb like': 522035, 'like trump': 491676, 'trump claimed': 933482, 'claimed yet': 179894, 'hmm so putin': 398695, 'so putin denies': 778090, 'putin denies speaking': 691020, 'denies speaking to': 236985, 'speaking to mb': 787772, 'to mb like': 909909, 'mb like trump': 522036, 'like trump claimed': 491677, 'trump claimed yet': 933483, 'claimed yet the': 179895, 'yet the stock': 1016259, 'and oil market': 68023, 'oil market go': 596946, 'market go up': 516464, 'convey': 202577, 'closure convey': 183867, 'up during closure': 944751, 'during closure convey': 262513, 'store related': 809789, 'yet check': 1016035, 'for secure': 325410, 'secure online': 744451, 'experience during': 291348, 'pandemic cybersecurity': 635285, 'have you come': 383661, 'you come across': 1017986, 'come across some': 187184, 'across some fake': 29456, 'some fake online': 782810, 'fake online store': 296685, 'online store related': 609465, 'store related to': 809790, 'related to yet': 708625, 'to yet check': 918883, 'yet check out': 1016036, 'check out tip': 174584, 'out tip for': 627614, 'tip for secure': 898781, 'for secure online': 325411, 'secure online shopping': 744452, 'shopping experience during': 762610, 'experience during the': 291350, 'the pandemic cybersecurity': 862944, 'you matching': 1019787, 'matching physical': 520322, 'physical copy': 655396, 'copy price': 203474, 'combat needle': 187021, 'needle delivery': 556643, '19 call': 5586, 'duty modern': 263594, 'modern warfare': 535400, 'warfare is': 966857, 'still 59': 800151, '59 99': 20562, '99 on': 23870, 'but physical': 146788, 'copy is': 203463, 'around 34': 93142, '34 99': 17801, 'uk why aren': 938894, 'aren you matching': 92603, 'you matching physical': 1019788, 'matching physical copy': 520323, 'physical copy price': 655398, 'copy price on': 203475, 'price on store': 675720, 'on store to': 603701, 'store to try': 810823, 'try and combat': 934442, 'and combat needle': 60104, 'combat needle delivery': 187022, 'needle delivery during': 556644, 'delivery during covid': 233966, 'covid 19 call': 212749, '19 call of': 5591, 'of duty modern': 582886, 'duty modern warfare': 263595, 'modern warfare is': 535401, 'warfare is still': 966858, 'is still 59': 452259, 'still 59 99': 800152, '59 99 on': 20563, '99 on store': 23871, 'on store but': 603692, 'store but physical': 806803, 'but physical copy': 146789, 'physical copy is': 655397, 'copy is around': 203464, 'is around 34': 445809, 'around 34 99': 93143, 'alim': 41789, 'peace breaking': 645992, 'news dr': 560375, 'dr abdul': 257942, 'abdul alim': 24294, 'alim muhammad': 41790, 'muhammad md': 545587, 'md is': 522273, 'on town': 604824, 'hall telephone': 374348, 'telephone conference': 836806, 'call tuesday': 156203, '2020 45pm': 14111, '45pm est': 19205, 'est about': 281983, 'about 5g': 24732, '5g covid': 20664, '19 bank': 5298, 'money stock': 537035, 'market falling': 516381, 'falling gas': 297273, 'price answer': 672591, 'answer and': 78011, 'and solution': 71942, 'solution should': 782073, 'be 16': 113413, 'peace breaking news': 645993, 'breaking news dr': 139000, 'news dr abdul': 560376, 'dr abdul alim': 257943, 'abdul alim muhammad': 24295, 'alim muhammad md': 41791, 'muhammad md is': 545588, 'md is speaking': 522274, 'is speaking on': 452145, 'speaking on town': 787765, 'on town hall': 604825, 'town hall telephone': 927479, 'hall telephone conference': 374349, 'telephone conference call': 836807, 'conference call tuesday': 193730, 'call tuesday april': 156204, 'tuesday april 2020': 935122, 'april 2020 45pm': 83457, '2020 45pm est': 14112, '45pm est about': 19206, 'est about 5g': 281984, 'about 5g covid': 24733, '5g covid 19': 20665, 'covid 19 bank': 212677, '19 bank and': 5299, 'bank and your': 109626, 'your money stock': 1024872, 'money stock market': 537036, 'stock market falling': 802397, 'market falling gas': 516382, 'falling gas price': 297274, 'gas price answer': 343930, 'price answer and': 672592, 'answer and solution': 78012, 'and solution should': 71944, 'solution should be': 782074, 'should be 16': 765540, 'be 16 year': 113414, 'very effective': 955138, 'india fight': 434401, 'be very effective': 117975, 'very effective in': 955139, 'effective in india': 269269, 'in india fight': 424033, 'india fight against': 434402, 'farmside': 299677, 'absolute randomness': 27274, 'just essential': 468675, 'essential drug': 280972, 'drug but': 260896, 'without planning': 1002840, 'the farmside': 854952, 'farmside and': 299678, 'consumer side': 198988, 'side covid': 768796, 'than health': 840739, 'the absolute randomness': 848253, 'absolute randomness of': 27275, 'randomness of state': 696659, 'government is perfect': 360267, 'is perfect recipe': 450847, 'not just essential': 570222, 'just essential drug': 468676, 'essential drug but': 280973, 'drug but without': 260897, 'but without planning': 147910, 'without planning india': 1002841, 'on the farmside': 604112, 'the farmside and': 854953, 'farmside and empty': 299679, 'the consumer side': 851595, 'consumer side covid': 198989, 'side covid is': 768797, 'more than health': 540628, 'than health crisis': 840740, 'sommelier': 785333, 'torontorestaurants': 926022, 'dineinathome': 242975, 'our takeaway': 625072, 'takeaway wine': 832915, 'beer menu': 122485, 'menu will': 528901, 'be posted': 116479, 'facebook great': 294927, 'too enjoy': 924711, 'enjoy bottle': 277124, 'or few': 615299, 'few cold': 303750, 'cold beer': 185739, 'beer with': 122543, 'your delicious': 1023478, 'delicious monkey': 233018, 'monkey bar': 537404, 'bar dinner': 110700, 'dinner wine': 243112, 'wine menu': 995839, 'menu wine': 528903, 'wine beer': 995780, 'beer sommelier': 122509, 'sommelier takeout': 785334, 'takeout takeaway': 833189, 'takeaway torontorestaurants': 832913, 'torontorestaurants socialdistancing': 926023, 'selfisolation dineinathome': 748447, 'our takeaway wine': 625074, 'takeaway wine and': 832916, 'wine and beer': 995763, 'and beer menu': 58815, 'beer menu will': 122486, 'menu will be': 528902, 'will be posted': 992613, 'be posted on': 116480, 'on facebook great': 600705, 'facebook great price': 294928, 'great price too': 362921, 'price too enjoy': 677089, 'too enjoy bottle': 924712, 'enjoy bottle of': 277125, 'of wine or': 593186, 'wine or few': 995862, 'or few cold': 615300, 'few cold beer': 303751, 'cold beer with': 185740, 'beer with your': 122544, 'with your delicious': 1002191, 'your delicious monkey': 1023479, 'delicious monkey bar': 233019, 'monkey bar dinner': 537405, 'bar dinner wine': 110701, 'dinner wine menu': 243113, 'wine menu wine': 995840, 'menu wine beer': 528904, 'wine beer sommelier': 995782, 'beer sommelier takeout': 122510, 'sommelier takeout takeaway': 785335, 'takeout takeaway torontorestaurants': 833190, 'takeaway torontorestaurants socialdistancing': 832914, 'torontorestaurants socialdistancing selfisolation': 926024, 'socialdistancing selfisolation dineinathome': 780671, 'use local': 949344, 'butcher greengrocer': 148049, 'greengrocer and': 363745, 'community shop': 190091, 'son managed': 785413, 'needed selfisolation': 556484, 'selfisolation stopstockpiling': 748500, 'can use local': 160098, 'use local butcher': 949345, 'local butcher greengrocer': 497795, 'butcher greengrocer and': 148050, 'greengrocer and community': 363746, 'and community shop': 60178, 'community shop after': 190092, 'shop after day': 759803, 'supermarket my son': 821560, 'my son managed': 550163, 'son managed to': 785414, 'managed to go': 512503, 'out to local': 627659, 'to local butcher': 909372, 'butcher and get': 148027, 'what needed selfisolation': 981914, 'needed selfisolation stopstockpiling': 556485, 'gme': 353196, 'dan per': 225542, 'my earlier': 548048, 'earlier twitter': 264510, 'twitter if': 936673, 'if simon': 414813, 'simon day': 769964, 'day could': 227494, 'and sorry': 72010, 'to hassle': 907184, 'hassle you': 378823, 'only amateur': 610077, 'amateur on': 50615, 'twitter thanks': 936724, 'thanks gme': 842090, 'dan per my': 225543, 'per my earlier': 650953, 'my earlier twitter': 548049, 'earlier twitter if': 264511, 'twitter if simon': 936674, 'if simon day': 414814, 'simon day could': 769965, 'day could do': 227495, 'could do covid': 209093, 'distancing one would': 247377, 'be great for': 115088, 'great for all': 362677, 'supermarket worker thanks': 824094, 'worker thanks and': 1007907, 'thanks and sorry': 842021, 'and sorry to': 72011, 'sorry to hassle': 786094, 'to hassle you': 907185, 'hassle you but': 378824, 'but only amateur': 146683, 'only amateur on': 610078, 'amateur on twitter': 50616, 'on twitter thanks': 604928, 'twitter thanks gme': 936725, 'you hoarder': 1019230, 'paper there': 640890, 'now website': 576365, 'roll will': 725600, 'last see': 480485, 'is for all': 447877, 'all you hoarder': 45544, 'you hoarder of': 1019232, 'toilet paper there': 921487, 'paper there now': 640892, 'there now website': 878884, 'now website to': 576366, 'website to show': 975452, 'you how long': 1019259, 'long your toilet': 501887, 'paper roll will': 640699, 'roll will last': 725602, 'will last see': 993950, 'last see it': 480486, 'see it for': 745331, 'misuse': 534491, 'bleachbag': 132537, 'squirting': 791583, 'swimmingpool': 830367, 'the us': 870531, 'us and': 948503, 'and misuse': 67082, 'misuse of': 534492, 'supermarket plastic': 822000, 'bag bleachbag': 108248, 'bleachbag bag': 132538, 'need squirting': 555626, 'squirting with': 791584, '20 bleach': 12968, 'bleach before': 132483, 'before coming': 122697, 'them issue': 875947, 'issue problem': 455895, 'problem now': 679617, 'now hand': 574856, 'hand smell': 375762, 'like municipal': 490812, 'municipal swimmingpool': 546092, 'all the us': 44966, 'the us and': 870532, 'us and misuse': 948504, 'and misuse of': 67083, 'misuse of supermarket': 534493, 'of supermarket plastic': 590439, 'supermarket plastic bag': 822001, 'plastic bag bleachbag': 658802, 'bag bleachbag bag': 108249, 'bleachbag bag put': 132539, 'bag put item': 108393, 'put item that': 690654, 'item that need': 463697, 'that need squirting': 845308, 'need squirting with': 555627, 'squirting with 20': 791585, 'with 20 bleach': 996977, '20 bleach before': 12969, 'bleach before coming': 132484, 'before coming into': 122698, 'coming into house': 188109, 'into house is': 442647, 'of them issue': 591750, 'them issue problem': 875948, 'issue problem now': 455896, 'problem now hand': 679618, 'now hand smell': 574857, 'hand smell like': 375763, 'smell like municipal': 775608, 'like municipal swimmingpool': 490813, 'birmingham supermarket': 131386, 'shelf left': 757273, 'left bare': 485405, 'birmingham supermarket shelf': 131387, 'supermarket shelf left': 822488, 'shelf left bare': 757274, 'left bare panic': 485406, 'warning panic': 967174, 'buyer still': 149755, 'supermarket request': 822206, 'warning panic buyer': 967175, 'panic buyer still': 637602, 'buyer still active': 149756, 'active after government': 30253, 'after government and': 35730, 'and supermarket request': 72732, 'supermarket request to': 822207, 'request to stop': 713222, 'stop it location': 804785, 'admittance': 32627, 'rationing admittance': 697786, 'admittance into': 32628, 'texas sunday': 839832, 'sunday 22nd': 818155, '22nd about': 15335, 'about 18': 24653, '00 cdt': 124, 'cdt went': 168688, 'this greatly': 887760, 'greatly varies': 363332, 'varies per': 952553, 'per time': 651048, 'almost the': 46749, 'line just': 493216, 'rationing admittance into': 697787, 'admittance into the': 32629, 'store in austin': 808268, 'in austin texas': 420587, 'austin texas sunday': 103191, 'texas sunday 22nd': 839833, 'sunday 22nd about': 818156, '22nd about 18': 15336, 'about 18 00': 24654, '18 00 cdt': 4480, '00 cdt went': 125, 'cdt went to': 168689, 'went to two': 979199, 'to two other': 917867, 'two other store': 937113, 'other store and': 620978, 'wa no line': 962727, 'no line this': 564611, 'line this greatly': 493469, 'this greatly varies': 887761, 'greatly varies per': 363333, 'varies per time': 952554, 'per time of': 651049, 'time of day': 897325, 'of day this': 582386, 'day this wa': 228538, 'this wa almost': 891050, 'wa almost the': 961479, 'almost the end': 46750, 'end of huge': 275900, 'of huge line': 584861, 'huge line just': 410088, 'line just left': 493217, 'plunge 19': 661406, 'virus choke': 958060, 'choke demand': 177846, 'world price plunge': 1009913, 'price plunge 19': 675921, 'plunge 19 virus': 661407, '19 virus choke': 11791, 'virus choke demand': 958061, 'like will': 491819, 'help amazon': 389335, 'amazon achieve': 50831, 'achieve it': 29029, 'goal amazon': 354551, 'look like will': 502531, 'like will help': 491820, 'will help amazon': 993701, 'help amazon achieve': 389336, 'amazon achieve it': 50832, 'achieve it goal': 29030, 'it goal amazon': 458270, 'goal amazon will': 354553, 'amazon will hire': 51202, 'will hire 100': 993746, 'new worker due': 559891, 'to the massive': 916870, 'the massive increase': 860268, 'airline raised': 40000, 'raised ticket': 696047, 'amount do': 53165, 'affect anyone': 34118, 'is exempt': 447631, 'exempt happens': 289975, 'happens with': 377534, 'death sorry': 230202, 'sorry not': 786070, 'not sorry': 571654, 'sorry puertorico': 786072, 'maria airline raised': 515673, 'airline raised ticket': 40001, 'raised ticket price': 696049, 'price to exorbitant': 676989, 'exorbitant amount do': 290391, 'amount do not': 53166, 'not feel sorry': 569388, 'disaster can affect': 244195, 'can affect anyone': 157390, 'affect anyone at': 34119, 'any time nobody': 79973, 'time nobody is': 897278, 'nobody is exempt': 566022, 'is exempt happens': 447632, 'exempt happens with': 289976, 'happens with death': 377536, 'with death sorry': 997940, 'death sorry not': 230203, 'sorry not sorry': 786071, 'not sorry puertorico': 571655, 'hse to': 409733, 'in chemist': 421354, 'chemist today': 175457, 'tenner pop': 837940, 'pop kinda': 664440, 'kinda sickening': 475073, 'the hse to': 857684, 'hse to fight': 409734, 'wa in chemist': 962361, 'in chemist today': 421355, 'chemist today where': 175458, 'and sanitizer for': 70869, 'sanitizer for tenner': 734924, 'for tenner pop': 326212, 'tenner pop kinda': 837941, 'pop kinda sickening': 664441, 'even using': 284755, 'using an': 950380, 'sheet per': 756616, 'per poop': 650989, 'poop and': 664046, 'going time': 355514, 'my pack': 549669, 'of would': 593328, 'still last': 800777, 'last 50': 480101, '50 day': 19670, 'my roll': 549961, 'roll have': 725334, 'have 190': 379077, '190 sheet': 12301, 'sheet on': 756611, 'them according': 875312, 'the packet': 862852, 'packet stophoarding': 633717, 'even using an': 284756, 'using an average': 950381, 'average of 10': 104875, 'of 10 sheet': 579312, '10 sheet per': 1677, 'sheet per poop': 756617, 'per poop and': 650990, 'poop and going': 664047, 'and going time': 63811, 'going time day': 355515, 'time day my': 896539, 'day my pack': 228001, 'my pack of': 549670, 'pack of would': 633119, 'of would still': 593330, 'would still last': 1012273, 'still last 50': 800778, 'last 50 day': 480102, '50 day my': 19671, 'day my roll': 228002, 'my roll have': 549962, 'roll have 190': 725335, 'have 190 sheet': 379078, '190 sheet on': 12302, 'sheet on them': 756613, 'on them according': 604525, 'them according to': 875313, 'to the packet': 916937, 'the packet stophoarding': 862854, 'packet stophoarding stoppanicbuying': 633718, 'stoppanicbuying stopstockpiling coronacrisis': 805643, 'overbuy': 631069, 'overstock or': 631558, 'or overbuy': 616481, 'overbuy here': 631070, 'here your': 393860, 'quarantine best': 692050, 'distancing for': 247155, 'week chinesevirus': 976089, 'and overstock or': 68587, 'overstock or overbuy': 631559, 'or overbuy here': 616482, 'overbuy here your': 631071, 'here your coronavirus': 393861, 'your coronavirus shopping': 1023353, 'coronavirus shopping list': 206759, 'shopping list the': 763194, 'list the item': 494555, 'buy in case': 148811, 'case of self': 165924, 'of self quarantine': 589474, 'self quarantine best': 747847, 'quarantine best food': 692051, 'on for coronavirus': 600942, 'for coronavirus or': 320387, 'coronavirus or social': 206361, 'social distancing for': 779613, 'distancing for week': 247156, 'for week chinesevirus': 327699, 'generally your': 345551, 'right will': 722423, 'cancellation information': 161028, 'cancelled travel': 161187, 'travel your': 930580, 'found here': 330234, 'discus further': 244854, 'further please': 342132, 'call 13': 155690, '13 32': 3176, '32 20': 17657, 'generally your right': 345552, 'your right will': 1025637, 'right will depend': 722424, 'on the reason': 604321, 'for the cancellation': 326332, 'the cancellation information': 850332, 'cancellation information on': 161029, 'information on cancelled': 437907, 'on cancelled travel': 599798, 'cancelled travel your': 161188, 'travel your consumer': 930581, 'right regarding covid': 722250, 'be found here': 114939, 'found here if': 330235, 'want to discus': 966024, 'to discus further': 904376, 'discus further please': 244855, 'further please call': 342133, 'please call 13': 659745, 'call 13 32': 155691, '13 32 20': 3177, 'accept coin': 27946, 'coin for': 185636, 'for payment': 324429, 'of parking': 587781, 'parking charge': 642062, 'charge to': 173323, 'be multiple': 116032, 'multiple of': 545767, 'of infection we': 585172, 'infection we are': 436879, 'able to accept': 24442, 'to accept coin': 899938, 'accept coin for': 27947, 'coin for payment': 185637, 'for payment of': 324430, 'payment of parking': 645687, 'of parking charge': 587782, 'parking charge to': 642063, 'charge to help': 173325, 'customer with this': 223105, 'with this change': 1001682, 'this change we': 886738, 'change we ve': 172385, 'updated our price': 947420, 'to be multiple': 901397, 'be multiple of': 116033, 'multiple of 20': 545768, 'advocate at': 33826, 'at center': 98216, 'piece during': 656293, 'policy advocate at': 663317, 'advocate at center': 33827, 'at center in': 98217, 'this piece during': 889589, 'piece during the': 656294, 'blaser': 132401, 'this useful': 890949, 'useful from': 950157, 'dr martin': 258059, 'martin blaser': 518094, 'blaser who': 132402, 'is professor': 451071, 'disease answering': 245090, 'answering frank': 78200, 'frank and': 331140, 'practical question': 668479, 'kitchen with': 475772, 'with can': 997521, 'from clothes': 334903, 'clothes how': 184167, 'behave at': 123771, 'found this useful': 330440, 'this useful from': 890950, 'useful from dr': 950158, 'from dr martin': 335212, 'dr martin blaser': 258060, 'martin blaser who': 518095, 'blaser who is': 132403, 'who is professor': 989103, 'is professor of': 451073, 'professor of infectious': 682577, 'infectious disease answering': 436900, 'disease answering frank': 245091, 'answering frank and': 78201, 'frank and practical': 331141, 'and practical question': 69299, 'practical question on': 668480, 'question on covid': 693673, '19 like what': 8331, 'like what to': 491798, 'what to clean': 982451, 'clean the kitchen': 180651, 'the kitchen with': 858838, 'kitchen with can': 475773, 'with can you': 997523, 'can you catch': 160284, 'you catch covid': 1017907, '19 from clothes': 7118, 'from clothes how': 334904, 'clothes how should': 184168, 'should we behave': 766640, 'we behave at': 970841, 'behave at the': 123772, 'time global': 896835, 'consumer must': 198169, 'must boycott': 546568, 'boycott china': 137325, 'made product': 507924, 'product completely': 681074, 'completely chinaliedpeopledie': 192233, 'chinaliedpeopledie chinavirus': 177108, 'it time global': 461695, 'time global consumer': 896836, 'global consumer must': 351804, 'consumer must boycott': 198170, 'must boycott china': 546569, 'boycott china made': 137326, 'china made product': 176813, 'made product completely': 507925, 'product completely chinaliedpeopledie': 681075, 'completely chinaliedpeopledie chinavirus': 192234, 'ordering pickup': 619006, 'local ordering pickup': 498240, 'ordering pickup and': 619007, 'sc coronavirus': 739843, 'the even': 854598, 'amazon sold': 51124, 'paper several': 640747, 'ago today': 38519, 'today amazon': 919180, 'sc coronavirus update': 739844, 'coronavirus update if': 206994, 've been out': 952911, 'been out about': 121618, 'out about you': 625567, 'about you ve': 26982, 'seen the empty': 747280, 'store shelf due': 810070, 'to the even': 916684, 'the even amazon': 854599, 'even amazon sold': 283832, 'amazon sold out': 51125, 'toilet paper several': 921444, 'paper several day': 640748, 'several day ago': 753822, 'day ago today': 227211, 'ago today amazon': 38520, 'today amazon announced': 919181, 'amazon announced this': 50859, 'announced this via': 77093, 'this via email': 890971, 'next one read': 561484, 'one read more': 606938, 'hating': 378966, 'expose our': 292797, 'our self': 624704, 'self to': 747925, 'die honestly': 241368, 'honestly hating': 403102, 'hating my': 378969, 'job right': 466136, 'have to wake': 383335, 'wake up every': 964622, 'every morning and': 286025, 'morning and go': 541156, 'go to those': 354375, 'to those supermarket': 917527, 'supermarket and work': 819108, 'and work and': 75846, 'work and expose': 1004775, 'and expose our': 62541, 'expose our self': 292799, 'our self to': 624705, 'self to covid': 747926, 'will die honestly': 993181, 'die honestly hating': 241369, 'honestly hating my': 403103, 'hating my job': 378970, 'my job right': 548928, 'job right now': 466137, 'alert beware': 41364, 'federal relief': 302036, 'payment which': 645778, 'be arriving': 113689, 'arriving early': 94007, 'early next': 264655, 'week scammer': 976840, 'information learn': 437882, 'consumer alert beware': 196136, 'alert beware of': 41365, 'related to federal': 708602, 'to federal relief': 905712, 'federal relief payment': 302037, 'relief payment which': 709432, 'payment which will': 645779, 'will be arriving': 992364, 'be arriving early': 113690, 'arriving early next': 94008, 'early next week': 264656, 'next week scammer': 561696, 'week scammer will': 976841, 'scammer will use': 740661, 'will use this': 995290, 'use this an': 949719, 'opportunity to try': 613734, 'steal your money': 799218, 'personal information learn': 652895, 'information learn how': 437883, 'to spot scam': 915040, 'spot scam stay': 790105, 'scam stay safe': 740370, 'fallen sharply': 297177, 'arabia that': 83940, 'began on': 123416, 'march wa': 515513, 'wa exacerbated': 962089, 'have fallen sharply': 380576, 'fallen sharply in': 297178, 'sharply in recent': 755747, 'recent week the': 704023, 'week the price': 977003, 'saudi arabia that': 737217, 'arabia that began': 83941, 'that began on': 842967, 'began on march': 123418, 'on march wa': 602029, 'march wa exacerbated': 515515, 'wa exacerbated by': 962090, 'exacerbated by an': 288663, 'by an unprecedented': 151829, 'an unprecedented drop': 56887, 'in oil demand': 426084, 'britain is': 140414, 'is nation': 449821, 'of reality': 588795, 'tv lover': 936137, 'lover give': 505029, 'them reality': 876206, 'during ad': 262427, 'ad break': 31069, 'break not': 138775, 'britain is nation': 140416, 'is nation of': 449822, 'nation of reality': 552274, 'of reality tv': 588799, 'reality tv lover': 701811, 'tv lover give': 936138, 'lover give them': 505030, 'give them reality': 350770, 'them reality during': 876208, 'reality during ad': 701730, 'during ad break': 262428, 'ad break not': 31070, 'break not the': 138776, 'not the supermarket': 572033, 'everyone always': 286686, 'always tell': 49761, 'dairy alternative': 224948, 'alternative are': 49206, 're pretty': 699298, 'everyone always tell': 286687, 'always tell me': 49762, 'tell me how': 837013, 'me how terrible': 522918, 'and dairy alternative': 60919, 'dairy alternative are': 224949, 'alternative are but': 49207, 'are but you': 85109, 'you all think': 1016914, 'all think they': 45083, 'they re pretty': 883098, 're pretty good': 699299, 'pretty good when': 671423, 'good when ha': 357954, 'cleaning out grocery': 181002, '2020sofar': 14754, '2020iscancelled': 14747, 'webcomic': 974984, 'webcomics': 974987, 'shitty year': 759389, 'year 2020sofar': 1014334, '2020sofar 2020iscancelled': 14755, '2020iscancelled shitty': 14748, 'shitty coronacrisis': 759368, 'toiletpapercrisis comic': 923013, 'comic webcomic': 187955, 'webcomic webcomics': 974985, 'webcomics follow': 974990, 'more cartoon': 538776, 'shitty year 2020sofar': 759390, 'year 2020sofar 2020iscancelled': 1014335, '2020sofar 2020iscancelled shitty': 14756, '2020iscancelled shitty coronacrisis': 14749, 'shitty coronacrisis 19': 759369, 'coronacrisis 19 toiletpaper': 204493, '19 toiletpaper toiletpaperapocalypse': 11493, 'toiletpaperapocalypse toiletpapercrisis comic': 922940, 'toiletpapercrisis comic webcomic': 923014, 'comic webcomic webcomics': 187956, 'webcomic webcomics follow': 974986, 'webcomics follow for': 974991, 'for more cartoon': 323556, 'over many': 630380, 'many observer': 514361, 'observer believe': 578637, 'that normal': 845375, 'will quickly': 994544, 'quickly return': 694585, 'with pent': 1000128, 'demand leading': 235798, 'reduce your': 706010, 'your spending': 1025883, 'habit university': 372701, 'once the crisis': 605722, 'is over many': 450711, 'over many observer': 630381, 'many observer believe': 514362, 'observer believe that': 578638, 'believe that normal': 126344, 'that normal consumer': 845376, 'normal consumer behavior': 567118, 'behavior will quickly': 124313, 'will quickly return': 994546, 'quickly return with': 694586, 'return with pent': 719950, 'with pent up': 1000129, 'up demand leading': 944703, 'demand leading to': 235799, 'leading to sharp': 483775, 'to sharp increase': 914384, 'increase in spending': 432868, 'in spending will': 428201, 'spending will reduce': 789056, 'will reduce your': 994611, 'reduce your spending': 706015, 'your spending habit': 1025884, 'spending habit university': 788840, 'habit university of': 372702, 'michigan consumer survey': 530330, 'teleconference': 836716, 'esports': 280683, 'conpanies': 194753, 'company industry': 190782, 'benefiting and': 127156, 'growing during': 367179, 'crisis teleconference': 218132, 'teleconference tool': 836719, 'tool zoom': 925468, 'zoom online': 1027814, 'shopping amazon': 761938, 'amazon game': 50955, 'game dev': 343160, 'dev publisher': 239550, 'publisher esports': 688720, 'esports medical': 280684, 'insurance not': 440780, 'paying out': 645464, 'for conpanies': 320228, 'conpanies in': 194754, 'crisis so': 218060, 'so always': 776482, 'always benefit': 49498, 'benefit others': 127056, 'company industry that': 190783, 'industry that are': 436141, 'that are benefiting': 842722, 'are benefiting and': 84948, 'benefiting and growing': 127157, 'and growing during': 64012, 'growing during this': 367180, 'this crisis teleconference': 887091, 'crisis teleconference tool': 218133, 'teleconference tool zoom': 836720, 'tool zoom online': 925469, 'zoom online shopping': 1027815, 'online shopping amazon': 609024, 'shopping amazon game': 761939, 'amazon game dev': 50956, 'game dev publisher': 343161, 'dev publisher esports': 239551, 'publisher esports medical': 688721, 'esports medical company': 280685, 'medical company insurance': 526102, 'company insurance not': 190789, 'insurance not paying': 440781, 'not paying out': 570991, 'paying out for': 645465, 'out for conpanies': 626105, 'for conpanies in': 320229, 'conpanies in crisis': 194755, 'in crisis so': 421894, 'crisis so always': 218061, 'so always benefit': 776483, 'always benefit others': 49499, 'benefit others 19': 127057, 'him shooting': 396707, 'shooting paper': 759771, 'towel at': 927302, 'still suffering': 801251, 'suffering hurricane': 817322, 'hurricane victim': 411494, 'store worker is': 811530, 'worker is the': 1007241, 'is the equivalent': 452788, 'equivalent of him': 279988, 'of him shooting': 584634, 'him shooting paper': 396708, 'shooting paper towel': 759772, 'paper towel at': 640984, 'towel at the': 927305, 'at the still': 101110, 'the still suffering': 867889, 'still suffering hurricane': 801252, 'suffering hurricane victim': 817323, 'concern out': 193043, 'about amp': 24787, 'amp while': 54839, 'concern should': 193094, 'be health': 115167, 'safety scammer': 730725, 'public scare': 688287, 'scare like': 740886, 'this protect': 889746, 'financial well': 306629, 'our tip': 625149, 'tip below': 898724, 'lot of concern': 504158, 'of concern out': 581644, 'concern out there': 193044, 'out there about': 627465, 'there about amp': 877955, 'about amp while': 24788, 'amp while the': 54840, 'while the main': 987402, 'main concern should': 508734, 'concern should be': 193095, 'should be health': 765639, 'be health and': 115168, 'and safety scammer': 70757, 'safety scammer take': 730726, 'advantage of public': 33027, 'of public scare': 588591, 'public scare like': 688288, 'scare like this': 740887, 'like this protect': 491518, 'this protect your': 889747, 'protect your financial': 685063, 'your financial well': 1023875, 'financial well being': 306630, 'well being and': 978055, 'being and avoid': 124848, 'and avoid scam': 58574, 'avoid scam with': 105263, 'scam with our': 740485, 'with our tip': 1000026, 'our tip below': 625150, 'extra 50': 293442, 'tesco supermarket employee': 838821, 'employee are getting': 273616, 'are getting an': 86792, 'getting an extra': 348837, 'an extra 50': 56006, 'extra 50 per': 293443, '50 per week': 19811, 'week in their': 976387, 'in their wage': 429790, 'their wage for': 875140, 'wage for an': 963863, 'for an eight': 319280, 'week period they': 976745, 'period they deserve': 651904, 'scat': 741223, 'unitedweride': 942301, 'all gta': 43016, 'gta and': 367652, 'and scat': 71060, 'scat bus': 741224, 'bus hand': 143048, 'dispenser have': 246142, 'installed for': 440023, 'of rider': 589105, 'rider and': 721477, 'and operator': 68191, 'operator if': 613367, 'must travel': 546959, 'travel travel': 930547, 'travel safely': 930499, 'safely unitedweride': 730327, 'now available all': 574150, 'available all gta': 104209, 'all gta and': 43017, 'gta and scat': 367653, 'and scat bus': 71061, 'scat bus hand': 741225, 'bus hand sanitizer': 143049, 'sanitizer dispenser have': 734766, 'dispenser have been': 246143, 'have been installed': 379582, 'been installed for': 121395, 'installed for the': 440024, 'safety of rider': 730652, 'of rider and': 589106, 'rider and operator': 721479, 'and operator if': 68192, 'operator if you': 613368, 'you must travel': 1019933, 'must travel travel': 546960, 'travel travel safely': 930548, 'travel safely unitedweride': 930500, 'coronavirus major': 206258, 'processor close': 680066, 'close plant': 182766, 'plant worker': 658728, 'see shortage': 745677, 'production disruption': 682016, 'disruption do': 246460, 'not expect': 569325, 'expect any': 290603, 'any real': 79726, 'latest coronavirus major': 481272, 'coronavirus major meat': 206259, 'meat processor close': 525708, 'processor close plant': 680067, 'close plant worker': 182767, 'plant worker get': 658730, 'sick from covid': 768451, '19 it unlikely': 8159, 'it unlikely that': 461938, 'unlikely that consumer': 942756, 'consumer will see': 199551, 'will see shortage': 994791, 'see shortage due': 745678, 'to production disruption': 912227, 'production disruption do': 682017, 'disruption do not': 246461, 'do not expect': 249730, 'not expect any': 569326, 'expect any real': 290604, 'any real shortage': 79728, 'real shortage for': 701362, 'shortage for consumer': 764959, 'sadness': 729382, 'sadness and': 729383, 'concern salem': 193086, 'salem market': 732678, 'basket employee': 112327, 'dy after': 263721, 'after fight': 35660, 'sadness and concern': 729384, 'and concern salem': 60247, 'concern salem market': 193087, 'salem market basket': 732679, 'market basket employee': 516078, 'basket employee dy': 112328, 'employee dy after': 273801, 'dy after fight': 263725, 'drink beauty': 258805, 'and drink beauty': 61727, 'drink beauty retail': 258806, 'wellness are reacting': 978830, 'are reacting to': 89452, '0707': 1026, '151515': 3969, 'now price': 575592, 'on 0707': 598981, '0707 151515': 1027, '151515 or': 3970, 'estate is now': 282143, 'is now price': 450314, 'now price are': 575593, 'go up at': 354421, '19 epidemic we': 6813, 'epidemic we have': 279471, 'we have special': 971945, 'have special offer': 382676, 'special offer for': 788005, 'offer for you': 594622, 'for you call': 328043, 'you call on': 1017605, 'call on 0707': 156024, 'on 0707 151515': 598982, '0707 151515 or': 1028, '151515 or email': 3971, 'or email at': 615142, 'cycleways pedestrian': 224077, 'changing oil': 172759, 'price extreme': 673749, 'weather virus': 974912, 'not discriminate': 569046, 'reduce air': 705784, 'air pollution': 39774, 'pollution slow': 663914, 'slow climate': 774328, 'change cycling': 172003, 'cycling climatecrisis': 224091, 'climatecrisis resilience': 182254, 'cycleways pedestrian route': 224078, 'more resilient to': 540236, 'resilient to changing': 714542, 'to changing oil': 902625, 'changing oil price': 172760, 'oil price extreme': 597124, 'price extreme weather': 673750, 'extreme weather virus': 293847, 'weather virus they': 974913, 'virus they do': 958900, 'do not discriminate': 249716, 'not discriminate and': 569047, 'discriminate and they': 244789, 'and they reduce': 73933, 'they reduce air': 883175, 'reduce air pollution': 705785, 'air pollution slow': 39775, 'pollution slow climate': 663915, 'slow climate change': 774329, 'climate change cycling': 182192, 'change cycling climatecrisis': 172004, 'cycling climatecrisis resilience': 224092, 'apocalypsenow': 81585, 'judgedredd': 467650, 'nightofthelivingdead': 563192, 'ausboost': 103042, 'worldwarz': 1010299, 'light reading': 489584, 'for troubling': 327353, 'time apocalypsenow': 896317, 'apocalypsenow judgedredd': 81586, 'judgedredd zombie': 467651, 'zombie thewalkingdead': 1027723, 'thewalkingdead madmax': 881063, 'madmax nightofthelivingdead': 508141, 'nightofthelivingdead ausboost': 563193, 'ausboost worldwarz': 103043, 'worldwarz zombieland': 1010300, 'zombieland hoarder': 1027740, 'hoarder toiletpaperapocalypse': 399136, 'light reading for': 489585, 'reading for troubling': 700764, 'for troubling time': 327354, 'troubling time apocalypsenow': 932686, 'time apocalypsenow judgedredd': 896318, 'apocalypsenow judgedredd zombie': 81587, 'judgedredd zombie thewalkingdead': 467652, 'zombie thewalkingdead madmax': 1027724, 'thewalkingdead madmax nightofthelivingdead': 881064, 'madmax nightofthelivingdead ausboost': 508142, 'nightofthelivingdead ausboost worldwarz': 563194, 'ausboost worldwarz zombieland': 103044, 'worldwarz zombieland hoarder': 1010301, 'zombieland hoarder toiletpaperapocalypse': 1027741, 'hoarder toiletpaperapocalypse toiletpaper': 399137, 'toiletpaperapocalypse toiletpaper stayhome': 922931, 'stock selling': 802816, 'the magazine': 859878, 'magazine on': 508342, 'street stopped': 813124, 'stopped in': 805718, 'another good move': 77638, 'move by business': 543624, 'by business food': 152026, 'business food to': 143748, 'to stock selling': 915450, 'stock selling the': 802817, 'selling the magazine': 749479, 'the magazine on': 859879, 'magazine on the': 508343, 'the street stopped': 868251, 'street stopped in': 813125, 'stopped in the': 805720, 'instacar': 439904, 'foodtech': 318232, 'parent kept': 641668, 'kept going': 473040, 'so finally': 777094, 'finally gave': 306007, 'them an': 875369, 'an instacar': 56370, 'instacar and': 439905, 'great via': 363092, 'via foodtech': 955985, 'foodtech instacart': 318233, 'my elderly parent': 548075, 'elderly parent kept': 270809, 'parent kept going': 641669, 'kept going to': 473041, 'store so finally': 810223, 'so finally gave': 777095, 'finally gave them': 306008, 'gave them an': 344670, 'them an instacar': 875370, 'an instacar and': 56371, 'instacar and it': 439906, 'wa great via': 962256, 'great via foodtech': 363093, 'via foodtech instacart': 955986, 'eerie': 268935, 'it eerie': 457763, 'eerie in': 268936, 'store toilet': 810886, 'isle now': 454372, 'toiletpaper store': 922552, 'it eerie in': 457764, 'eerie in the': 268937, 'grocery store toilet': 365871, 'store toilet paper': 810887, 'paper isle now': 640368, 'isle now toiletpaper': 454374, 'now toiletpaper store': 576197, 'supermarket factory': 820264, 'of thank': 590699, 'of also': 580017, 'hero by': 393957, 'hero thank': 394104, 'to all doctor': 900242, 'all doctor nurse': 42604, 'hospital worker emergency': 404735, 'worker emergency medical': 1006839, 'emergency medical service': 272801, 'medical service personnel': 526377, 'service personnel supermarket': 752696, 'personnel supermarket factory': 653157, 'supermarket factory and': 820265, 'factory and pharmacy': 295921, 'pharmacy worker on': 654581, 'all of thank': 43713, 'of thank you': 590700, 'you for being': 1018627, 'for being hero': 319630, 'being hero let': 125237, 'hero let the': 394030, 'let the rest': 487139, 'rest of also': 716182, 'of also be': 580018, 'be hero by': 115235, 'hero by doing': 393958, 'by doing our': 152394, 'our part hero': 624260, 'part hero thank': 642287, 'hero thank you': 394105, 'area tokyo': 92243, 'tokyo today': 923506, 'seems far': 746780, 'local area tokyo': 497695, 'area tokyo today': 92244, 'tokyo today people': 923507, 'today people go': 920032, 'people go shopping': 648086, 'go shopping supermarket': 354130, 'shopping supermarket full': 764015, 'of people seems': 587980, 'people seems far': 649384, 'seems far away': 746781, 'coronacrisis when': 204861, 'coronacrisis when you': 204862, 'and you see': 76045, 'see someone coughing': 745729, 'business whenever': 144653, 'possible whether': 665878, 'supply through': 825993, 'or gift': 615449, 'purchase or': 689609, 'just showing': 469793, 'showing them': 767533, 'love on': 504739, 'medium community': 527043, 'community support': 190129, 'support can': 826405, 'save business': 737483, 'small business whenever': 774901, 'business whenever possible': 144654, 'whenever possible whether': 984673, 'possible whether it': 665879, 'it for supply': 458097, 'for supply through': 326058, 'supply through online': 825994, 'shopping or gift': 763542, 'or gift card': 615450, 'card purchase or': 163627, 'purchase or even': 689610, 'even just showing': 284271, 'just showing them': 469794, 'showing them some': 767536, 'some love on': 783236, 'love on social': 504740, 'social medium community': 779843, 'medium community support': 527044, 'community support can': 190131, 'support can save': 826406, 'can save business': 159504, '881': 23073, 'meantime room': 524931, 'half moon': 374208, 'moon bay': 538324, 'bay is': 112946, 'for 881': 318935, '881 night': 23074, 'other property': 620783, 'in sf': 427843, 'sf don': 754250, 'don seem': 253898, 'majorly lower': 509601, 'usual demand': 950918, 'demand no': 235918, 'longer matter': 502019, 'matter for': 520563, 'hotel pricing': 405180, 'the meantime room': 860362, 'meantime room at': 524932, 'room at in': 725888, 'at in half': 99272, 'in half moon': 423513, 'half moon bay': 374209, 'moon bay is': 538325, 'bay is still': 112947, 'is still going': 452280, 'going for 881': 355140, 'for 881 night': 318936, '881 night and': 23075, 'night and price': 562946, 'price for other': 674018, 'for other property': 324176, 'other property in': 620784, 'property in sf': 684279, 'in sf don': 427844, 'sf don seem': 754251, 'don seem to': 253899, 'to be majorly': 901383, 'be majorly lower': 115883, 'majorly lower than': 509602, 'lower than usual': 506017, 'than usual demand': 841392, 'usual demand no': 950919, 'demand no longer': 235919, 'no longer matter': 564655, 'longer matter for': 502020, 'matter for hotel': 520564, 'for hotel pricing': 322382, 'hotel pricing in': 405181, 'pricing in pandemic': 677939, 'in pandemic shelterinplace': 426464, 'fabretto': 294216, 'likely turning': 492189, 'use amazon': 949027, 'can switch': 159887, 'to amazonsmile': 900399, 'amazonsmile to': 51267, 'to fabretto': 905554, 'fabretto shop': 294217, 'shop good': 760239, 'if your response': 415606, 'ha been to': 369958, 'been to shelter': 122225, 'place you are': 657854, 'you are likely': 1017161, 'are likely turning': 87808, 'likely turning to': 492190, 'shopping to buy': 764169, 'other essential if': 620164, 'you use amazon': 1021999, 'use amazon you': 949029, 'you can switch': 1017805, 'can switch to': 159888, 'switch to amazonsmile': 830513, 'to amazonsmile to': 900400, 'amazonsmile to ensure': 51268, 'ensure your shopping': 278140, 'your shopping give': 1025782, 'shopping give back': 762786, 'back to fabretto': 107363, 'to fabretto shop': 905555, 'fabretto shop good': 294218, 'todayinpooping': 920600, 'interesting toiletpaper': 441640, 'necessarily being': 553918, 'being hoarded': 125256, 'are pooping': 89139, 'pooping at': 664083, 'more instead': 539605, 'their office': 874087, 'office restaurant': 595535, 'pooping the': 664085, 'place who': 657837, 'for todayinpooping': 327245, 'interesting toiletpaper is': 441641, 'not necessarily being': 570625, 'necessarily being hoarded': 553919, 'being hoarded it': 125258, 'hoarded it that': 398950, 'people are pooping': 647048, 'are pooping at': 89140, 'pooping at home': 664084, 'at home more': 99052, 'home more instead': 401624, 'more instead of': 539606, 'instead of at': 440233, 'of at their': 580424, 'at their office': 101172, 'their office restaurant': 874088, 'office restaurant etc': 595536, 'restaurant etc so': 716452, 'etc so people': 282756, 'are pooping the': 89141, 'pooping the same': 664086, 'same amount just': 732962, 'amount just in': 53200, 'just in different': 469033, 'in different place': 422254, 'different place who': 242031, 'place who knew': 657838, 'who knew this': 989174, 'knew this it': 476089, 'this it for': 888515, 'it for todayinpooping': 458104, 'mag': 508260, 'peddle': 646187, 'it entirely': 457838, 'entirely irresponsible': 278797, 'unacceptable the': 939374, 'rag mag': 695524, 'mag theglobe': 508267, 'etc that': 282791, 'they peddle': 882876, 'peddle on': 646190, 'cover cure': 212210, 'cure every': 220730, 'remove these': 710847, 'these shit': 880670, 'it entirely irresponsible': 457839, 'entirely irresponsible and': 278798, 'and unacceptable the': 74592, 'unacceptable the supermarket': 939375, 'the supermarket rag': 868769, 'supermarket rag mag': 822153, 'rag mag theglobe': 695525, 'mag theglobe nationalenquirer': 508268, 'newsoftheworld etc that': 561060, 'etc that they': 282793, 'that they peddle': 846942, 'they peddle on': 882877, 'peddle on their': 646191, 'their cover cure': 872911, 'cover cure every': 212211, 'cure every supermarket': 220731, 'need to remove': 556042, 'to remove these': 913223, 'remove these shit': 710848, 'these shit paper': 880671, 'shit paper now': 759184, 'lasttuesday': 480800, 'worker grocerystores': 1007066, 'grocerystores some': 366381, 'some employee': 782740, 'store walked': 811137, 'out lasttuesday': 626488, 'lasttuesday clerk': 480801, 'clerk need': 181739, 'protection safetyfirst': 685601, 'safetyfirst pandemic': 730804, 'store worker grocerystores': 811519, 'worker grocerystores some': 1007067, 'grocerystores some employee': 366382, 'some employee of': 782741, 'employee of grocery': 274064, 'grocery store walked': 365925, 'store walked out': 811138, 'walked out lasttuesday': 964965, 'out lasttuesday clerk': 626489, 'lasttuesday clerk need': 480802, 'clerk need protection': 181740, 'need protection safetyfirst': 555488, 'protection safetyfirst pandemic': 685602, 'safetyfirst pandemic socialdistancing': 730805, 'pandemic socialdistancing stayhome': 636505, '660': 21435, 'goat': 354592, '470': 19273, 'animal killed': 76618, 'killed each': 474583, 'year globally': 1014589, 'globally chicken': 352378, 'chicken 67': 175729, '67 billion': 21460, 'billion duck': 130808, 'duck billion': 261537, 'billion pig': 130894, 'pig billion': 656433, 'billion rabbit': 130905, 'rabbit 970': 695138, 'million turkey': 532400, 'turkey 660': 935534, '660 million': 21436, 'million sheep': 532349, 'sheep 570': 756534, '570 million': 20494, 'million goat': 532172, 'goat 470': 354593, '470 million': 19274, 'million cattle': 532107, 'cattle 300': 167334, '300 million': 17326, 'million please': 532324, 'forget them': 329314, 'number of animal': 576921, 'of animal killed': 580213, 'animal killed each': 76619, 'killed each year': 474584, 'each year globally': 264341, 'year globally chicken': 1014590, 'globally chicken 67': 352379, 'chicken 67 billion': 175730, '67 billion duck': 21461, 'billion duck billion': 130809, 'duck billion pig': 261538, 'billion pig billion': 130895, 'pig billion rabbit': 656434, 'billion rabbit 970': 130906, 'rabbit 970 million': 695139, '970 million turkey': 23698, 'million turkey 660': 532401, 'turkey 660 million': 935535, '660 million sheep': 21437, 'million sheep 570': 532350, 'sheep 570 million': 756535, '570 million goat': 20495, 'million goat 470': 532173, 'goat 470 million': 354594, '470 million cattle': 19275, 'million cattle 300': 532108, 'cattle 300 million': 167335, '300 million please': 17328, 'million please do': 532325, 'not forget them': 569517, 'ha it come': 371016, 'come to this': 187609, 'lethality': 487242, 'today lethality': 919800, 'lethality boosted': 487243, 'boosted by': 135044, 'by economic': 152454, 'economic watchdog': 267367, 'watchdog warns': 968645, 'warns about': 967240, 'of freezing': 583935, 'price brazil': 672953, 'brazil change': 138331, 'change subscribe': 172269, 'newsletter now': 561039, 'to know in': 908983, 'know in today': 476501, 'in today lethality': 430159, 'today lethality boosted': 919801, 'lethality boosted by': 487244, 'boosted by economic': 135045, 'by economic watchdog': 152456, 'economic watchdog warns': 267368, 'watchdog warns about': 968646, 'warns about the': 967241, 'about the risk': 26504, 'risk of freezing': 723749, 'of freezing price': 583936, 'freezing price brazil': 332668, 'price brazil change': 672954, 'brazil change subscribe': 138332, 'change subscribe to': 172270, 'to our newsletter': 911218, 'our newsletter now': 624056, 'panic bulk': 637439, 'shelf emptied': 757007, 'good hitting': 357183, 'hitting those': 398604, 'those living': 892168, 'living pay': 496439, 'pay cheque': 644801, 'cheque hard': 175507, 'hard photo': 377993, '19 panic bulk': 9539, 'panic bulk buying': 637441, 'bulk buying ha': 142276, 'buying ha become': 150430, 'become global issue': 120006, 'global issue with': 351996, 'issue with shelf': 456020, 'with shelf emptied': 1000671, 'shelf emptied of': 757008, 'emptied of good': 274687, 'of good hitting': 584223, 'good hitting those': 357184, 'hitting those living': 398605, 'those living pay': 892169, 'living pay cheque': 496440, 'pay cheque to': 644804, 'cheque to pay': 175515, 'to pay cheque': 911521, 'pay cheque hard': 644802, 'cheque hard photo': 175508, 'hard photo the': 377994, 'trumplies': 934075, 'callousrepublicans': 156670, 'give walmart': 350831, 'walmart wide': 965475, 'berth grocery': 127421, 'post staysafestayhome': 666323, 'staysafestayhome notdying4wallstreet': 799007, 'notdying4wallstreet trumpcrash': 572685, 'trumpcrash trumplies': 934031, 'trumplies callousrepublicans': 934076, 'give walmart wide': 350832, 'walmart wide berth': 965476, 'wide berth grocery': 991704, 'berth grocery worker': 127422, 'of coronavirus the': 581968, 'coronavirus the washington': 206918, 'washington post staysafestayhome': 967794, 'post staysafestayhome notdying4wallstreet': 666324, 'staysafestayhome notdying4wallstreet trumpcrash': 799008, 'notdying4wallstreet trumpcrash trumplies': 572686, 'trumpcrash trumplies callousrepublicans': 934032, 'clear consumer': 181241, '42 felt': 18903, 'consumer download': 197242, 'rsr it clear': 726719, 'it clear consumer': 457158, 'clear consumer have': 181242, 'only 42 felt': 610005, '42 felt that': 18904, 'felt that the': 303458, 'on time to': 604713, 'time to learn': 898012, 'impacting consumer download': 418193, 'consumer download the': 197243, 'how to social': 409084, 'move for': 543648, 'retailer many': 719242, 'opting to': 613970, 'to indefinitely': 908321, 'indefinitely shut': 434052, 'novel in': 573790, 'others like': 621517, 'reducing their': 706328, 'hour retail': 405890, 'unprecedented move for': 943164, 'move for retailer': 543649, 'for retailer many': 325205, 'retailer many are': 719243, 'many are opting': 513771, 'are opting to': 88829, 'opting to indefinitely': 613971, 'to indefinitely shut': 908322, 'indefinitely shut their': 434053, 'door to prevent': 255756, 'the novel in': 861917, 'novel in the': 573791, 'in the others': 429425, 'the others like': 862570, 'others like walmart': 621520, 'like walmart are': 491758, 'walmart are reducing': 965282, 'are reducing their': 89533, 'reducing their hour': 706329, 'their hour retail': 873597, 'today toronto': 920390, 'supermarket today toronto': 823472, 'today toronto ontario': 920391, 'putting worked': 691283, 'my resume': 549944, 'resume after': 717727, 'done if': 254884, 'is put': 451151, 'what talking': 982274, 'be putting worked': 116650, 'putting worked in': 691284, 'worked in the': 1006124, 'the consumer packaged': 851569, 'packaged good industry': 633492, 'good industry during': 357259, 'industry during covid': 435789, 'outbreak on my': 628496, 'on my resume': 602311, 'my resume after': 549945, 'resume after all': 717728, 'after all of': 35329, 'is done if': 447321, 'done if you': 254885, 'know the amount': 476808, 'amount of work': 53268, 'of work that': 593264, 'work that is': 1005804, 'that is put': 844641, 'is put into': 451153, 'put into getting': 690634, 'into getting food': 442586, 'food in store': 314972, 'in store then': 428463, 'store then you': 810644, 'understand what talking': 940806, 'what talking about': 982275, 'indusrey': 435523, 'farmtank': 299680, 'ag news': 36815, 'news 03': 560173, '03 19': 845, '19 24': 4736, '24 senator': 15683, 'senator asking': 749737, 'asking fema': 95973, 'fema for': 303486, 'federal help': 302015, 'area economist': 91996, 'economist saying': 267582, 'saying retail': 739669, 'but farmer': 145700, 'farmer aren': 299300, 'aren benefiting': 92346, 'benefiting covid': 127158, '19 highlight': 7528, 'highlight rural': 395949, 'rural america': 728214, 'america digital': 51491, 'digital disadvantage': 242552, 'disadvantage indusrey': 243996, 'indusrey expert': 435524, 'supply won': 826130, 'last long': 480295, 'long farmtank': 501412, 'ag news 03': 36816, 'news 03 19': 560174, '03 19 24': 847, '19 24 senator': 4737, '24 senator asking': 15684, 'senator asking fema': 749738, 'asking fema for': 95974, 'fema for federal': 303487, 'for federal help': 321437, 'federal help in': 302016, 'help in rural': 389902, 'rural area economist': 728223, 'area economist saying': 91997, 'economist saying retail': 267583, 'saying retail price': 739670, 'retail price up': 718419, 'price up with': 677274, 'up with covid': 946626, '19 but farmer': 5497, 'but farmer aren': 145701, 'farmer aren benefiting': 299301, 'aren benefiting covid': 92347, 'benefiting covid 19': 127159, 'covid 19 highlight': 213205, '19 highlight rural': 7529, 'highlight rural america': 395950, 'rural america digital': 728215, 'america digital disadvantage': 51492, 'digital disadvantage indusrey': 242553, 'disadvantage indusrey expert': 243997, 'indusrey expert say': 435525, 'expert say grocery': 291951, 'say grocery supply': 738710, 'grocery supply won': 366014, 'supply won last': 826131, 'won last long': 1003858, 'last long farmtank': 480296, 'ghebreyesus': 349626, 'wayout': 970223, 'without protecting': 1002860, 'protecting health': 685196, 'first said': 308986, 'said who': 731585, 'who director': 988607, 'director general': 243620, 'general dr': 345325, 'dr ta': 258106, 'ta ghebreyesus': 831429, 'ghebreyesus due': 349627, 'respirator amp': 715188, 'amp gown': 53876, 'gown going': 361380, 'going multifold': 355276, 'multifold best': 545695, 'best wayout': 127987, 'wayout is': 970224, 'can stop covid': 159818, '19 without protecting': 12153, 'without protecting health': 1002861, 'protecting health worker': 685197, 'health worker first': 386974, 'worker first said': 1006950, 'first said who': 308987, 'said who director': 731586, 'who director general': 988608, 'director general dr': 243621, 'general dr ta': 345326, 'dr ta ghebreyesus': 258107, 'ta ghebreyesus due': 831430, 'ghebreyesus due to': 349628, 'to price of': 912123, 'of mask n95': 586272, 'mask n95 respirator': 518994, 'n95 respirator amp': 551228, 'respirator amp gown': 715189, 'amp gown going': 53877, 'gown going multifold': 361381, 'going multifold best': 355277, 'multifold best wayout': 545696, 'best wayout is': 127988, 'intercultural': 441315, 'summit': 818034, 'frenzy in': 332782, 'day demand': 227521, 'demand doubled': 235250, 'doubled at': 256100, 'family intercultural': 297939, 'intercultural resource': 441316, 'in summit': 428543, 'summit county': 818037, 'county ski': 211489, 'ski area': 772925, 'grow people': 367057, 'feeding frenzy in': 302463, 'frenzy in one': 332783, 'one day demand': 606153, 'day demand doubled': 227522, 'demand doubled at': 235251, 'doubled at the': 256102, 'at the family': 100941, 'the family intercultural': 854895, 'family intercultural resource': 297940, 'intercultural resource center': 441317, 'resource center food': 714733, 'center food bank': 169196, 'bank in summit': 109926, 'in summit county': 428544, 'summit county ski': 818039, 'county ski area': 211490, 'ski area and': 772926, 'area and many': 91940, 'and many business': 66666, 'many business closed': 513841, 'business closed to': 143540, 'closed to slow': 183400, '19 so demand': 10638, 'so demand is': 776852, 'demand is expected': 235724, 'to grow people': 907037, 'grow people can': 367058, 'people can help': 647394, 'by donating online': 152406, 'donating online to': 254494, 'online to their': 609600, 'to their local': 917250, 'their local food': 873869, 'voi': 959968, 'taivas': 831832, 'varjele': 952660, 'voi taivas': 959969, 'taivas varjele': 831833, 'voi taivas varjele': 959970, 'all vulnerable': 45378, 'vulnerable healthy': 960995, 'forcing against': 328691, 'need home': 555017, 'be radically': 116670, 'radically stepped': 695421, 'are all vulnerable': 84370, 'all vulnerable healthy': 45379, 'vulnerable healthy or': 960996, 'healthy or not': 387716, 'not the situation': 572030, 'shopping with company': 764430, 'with company like': 997702, 'company like is': 190844, 'like is forcing': 490514, 'is forcing against': 447901, 'forcing against each': 328692, 'other we need': 621193, 'we need home': 972495, 'need home delivery': 555018, 'delivery to be': 234651, 'to be radically': 901478, 'be radically stepped': 116671, 'radically stepped up': 695422, 'kvasac': 478015, '50g': 20153, 'that missing': 845187, 'shelf since': 757517, 'since buying': 770534, 'in hungary': 423917, 'hungary is': 411056, 'is yeast': 454116, 'yeast then': 1015157, 'wife found': 991920, 'wa marked': 962618, 'marked only': 515860, 'only kvasac': 610694, 'kvasac and': 478016, 'and ppl': 69289, 'the 50g': 848146, '50g version': 20154, 'version not': 954908, 'this brick': 886614, 'thing that missing': 884819, 'that missing from': 845188, 'missing from shelf': 534300, 'from shelf since': 337243, 'shelf since buying': 757519, 'since buying started': 770535, 'buying started in': 151075, 'started in grocery': 794762, 'store in hungary': 808317, 'in hungary is': 423920, 'hungary is yeast': 411057, 'is yeast then': 454117, 'yeast then my': 1015158, 'then my wife': 877347, 'my wife found': 550588, 'wife found this': 991921, 'local supermarket she': 498585, 'supermarket she said': 822409, 'she said it': 756307, 'it wa marked': 462147, 'wa marked only': 962619, 'marked only kvasac': 515861, 'only kvasac and': 610695, 'kvasac and ppl': 478017, 'and ppl are': 69290, 'ppl are looking': 668171, 'for the 50g': 326290, 'the 50g version': 848147, '50g version not': 20155, 'version not this': 954909, 'not this brick': 572101, 'countertop': 210345, 'birx we': 131489, 'the younger': 872207, 'generation to': 345641, 'spreading asymptomatic': 790932, 'asymptomatic virus': 97333, 'virus onto': 958565, 'onto countertop': 611652, 'countertop and': 210346, 'and knob': 65881, 'knob and': 476138, 'deborah birx we': 230397, 'birx we re': 131490, 're asking the': 698314, 'asking the younger': 96080, 'the younger generation': 872209, 'younger generation to': 1022691, 'generation to stop': 345642, 'place to bar': 657747, 'restaurant and spreading': 716300, 'and spreading asymptomatic': 72155, 'spreading asymptomatic virus': 790933, 'asymptomatic virus onto': 97334, 'virus onto countertop': 958566, 'onto countertop and': 611653, 'countertop and knob': 210347, 'and knob and': 65882, 'knob and grocery': 476139, 'and grocery cart': 63979, 'in atleast': 420564, 'atleast 300m': 101878, '300m long': 17360, 'supermarket asda': 819208, 'asda socialdistancing': 94980, 'standing in atleast': 793773, 'in atleast 300m': 420565, 'atleast 300m long': 101879, '300m long queue': 17361, 'into supermarket asda': 443035, 'supermarket asda socialdistancing': 819211, 'rewrote': 720835, 'sprite': 791303, 'wendell': 978932, 'steavenson': 799306, '19 rewrote': 10221, 'rewrote the': 720836, 'stockpiling sprite': 804071, 'sprite to': 791304, 'our relationship': 624580, 'relationship with': 708710, 'the rock': 865950, 'rock wendell': 724933, 'wendell steavenson': 978933, 'steavenson asks': 799307, 'asks what': 96167, 'what cooking': 981257, 'cooking we': 202937, 'odd couple': 579182, 'supermarket how covid': 820811, 'covid 19 rewrote': 213714, '19 rewrote the': 10222, 'rewrote the shopping': 720837, 'the shopping list': 867066, 'list from stockpiling': 494336, 'from stockpiling sprite': 337429, 'stockpiling sprite to': 804072, 'sprite to our': 791305, 'to our relationship': 911236, 'our relationship with': 624581, 'relationship with food': 708712, 'with food ha': 998489, 'food ha hit': 314749, 'hit the rock': 398447, 'the rock wendell': 865952, 'rock wendell steavenson': 724934, 'wendell steavenson asks': 978934, 'steavenson asks what': 799308, 'asks what cooking': 96168, 'what cooking we': 981258, 'cooking we re': 202938, 're an odd': 698289, 'an odd couple': 56553, 'creating shopping': 216069, 'list feel': 494315, 'like putting': 491049, 'station because': 796362, 'store launch': 808686, 'launch window': 481959, 'creating shopping list': 216070, 'shopping list feel': 763185, 'list feel like': 494316, 'feel like putting': 302740, 'like putting together': 491051, 'putting together list': 691268, 'of item to': 585492, 'item to send': 463765, 'to send to': 914224, 'send to the': 749978, 'to the station': 917092, 'the station because': 867833, 'station because not': 796363, 'because not going': 119284, 'get another grocery': 346562, 'grocery store launch': 365513, 'store launch window': 808687, 'launch window for': 481960, 'window for month': 995672, 'motivator': 543318, 'best meet': 127766, 'meet your': 527659, 'must understand': 546963, 'understand their': 940778, 'their motivator': 874012, 'motivator especially': 543319, 'post dig': 666093, 'three primary': 894041, 'primary motivator': 678081, 'motivator influencing': 543321, 'consumer current': 197037, 'current online': 221276, 'to best meet': 901775, 'best meet your': 127767, 'meet your customer': 527661, 'customer need you': 222619, 'need you must': 556260, 'you must understand': 1019934, 'must understand their': 546966, 'understand their motivator': 940779, 'their motivator especially': 874013, 'motivator especially during': 543320, 'especially during time': 280467, 'of crisis our': 582182, 'crisis our latest': 217840, 'blog post dig': 132985, 'post dig into': 666094, 'into the three': 443181, 'the three primary': 869519, 'three primary motivator': 894042, 'primary motivator influencing': 678082, 'motivator influencing consumer': 543322, 'influencing consumer current': 437353, 'consumer current online': 197038, 'current online shopping': 221277, 'sneakerheads': 776204, 'can sneakerheads': 159652, 'sneakerheads turn': 776205, 'turn profit': 935753, '19 sneaker': 10626, 'sneaker are': 776198, 'at cheaper': 98240, 'while marketplace': 987043, 'marketplace look': 517817, 'drive customer': 259024, 'customer engagement': 222334, 'engagement on': 276904, 'can sneakerheads turn': 159653, 'sneakerheads turn profit': 776206, 'turn profit during': 935754, 'covid 19 sneaker': 213822, '19 sneaker are': 10627, 'sneaker are selling': 776199, 'selling at cheaper': 749163, 'at cheaper price': 98241, 'cheaper price while': 174267, 'price while marketplace': 677524, 'while marketplace look': 987044, 'marketplace look to': 517818, 'look to drive': 502629, 'to drive customer': 904732, 'drive customer engagement': 259025, 'customer engagement on': 222335, 'engagement on social': 276905, 'it majority': 459505, 'majority white': 509587, 'white brit': 987825, 'brit we': 140355, 'queue metre': 693994, 'affect bame': 34126, 'bame more': 109147, 'virus yeah': 959071, 'yeah right': 1014288, 'where live it': 984988, 'live it majority': 495905, 'it majority white': 459506, 'majority white brit': 509588, 'white brit we': 987826, 'brit we all': 140356, 'all queue metre': 44112, 'queue metre apart': 693995, 'metre apart we': 529830, 'we re staying': 972973, 're staying at': 699581, 'community in uk': 189921, 'in uk but': 430382, '19 affect bame': 4829, 'affect bame more': 34127, 'bame more because': 109148, 'racist virus yeah': 695333, 'virus yeah right': 959072, 'no easter': 564073, 'sunday at': 818174, 'at grandma': 98790, 'grandma there': 361916, 'supermarket bottle': 819405, 'chemist no': 175437, 'no extension': 564177, 'extension no': 293284, 'in guidance': 423470, 'guidance no': 368256, 'exception that': 289282, 'year there will': 1015010, 'be no easter': 116096, 'no easter sunday': 564074, 'easter sunday at': 265503, 'sunday at grandma': 818175, 'at grandma there': 98791, 'grandma there no': 361917, 'there no place': 878828, 'place to drive': 657751, 'drive to only': 259227, 'to only the': 910980, 'only the supermarket': 611279, 'the supermarket bottle': 868494, 'supermarket bottle shop': 819406, 'bottle shop the': 136322, 'shop the chemist': 760901, 'the chemist no': 850797, 'chemist no extension': 175438, 'no extension no': 564178, 'extension no change': 293285, 'change in guidance': 172121, 'in guidance no': 423471, 'guidance no exception': 368257, 'no exception that': 564157, 'exception that the': 289283, 'top thing': 925737, '6th crude': 21684, 'on doubt': 600399, 'about production': 26004, 'deal brace': 229357, 'worst week': 1011301, 'open higher': 612298, 'higher dollar': 395580, 'dollar gain': 252992, 'gain yen': 342839, 'yen emerging': 1015328, 'currency pm': 221054, 'pm johnson': 661925, 'johnson taken': 466629, 'top thing to': 925738, 'know in the': 476500, 'the market on': 860138, 'market on monday': 516793, 'on monday april': 602159, 'april 6th crude': 83514, '6th crude price': 21685, 'crude price fall': 219587, 'price fall on': 673793, 'fall on doubt': 297015, 'on doubt about': 600400, 'doubt about production': 256183, 'about production cut': 26005, 'cut deal brace': 223292, 'deal brace for': 229358, 'brace for worst': 137493, 'for worst week': 327974, 'worst week stock': 1011303, 'week stock set': 976928, 'to open higher': 910992, 'open higher dollar': 612299, 'higher dollar gain': 395581, 'dollar gain yen': 252994, 'gain yen emerging': 342840, 'yen emerging market': 1015329, 'market currency pm': 516268, 'currency pm johnson': 221055, 'pm johnson taken': 661926, 'johnson taken to': 466630, 'banker urge': 110387, 'urge company': 948171, 'make pharmaceutical': 510325, 'maximize profit': 520794, 'profit it': 682791, 'it why': 462360, 'that america': 842625, 'ha healthcare': 370840, 'healthcare marketplace': 387176, 'marketplace instead': 517815, 'of healthcare': 584515, 'banker urge company': 110388, 'urge company that': 948172, 'that make pharmaceutical': 844999, 'make pharmaceutical and': 510326, 'pharmaceutical and critical': 654057, 'and critical medical': 60760, 'critical medical supply': 218606, 'supply to raise': 826025, 'price to maximize': 677013, 'to maximize profit': 909901, 'maximize profit it': 520795, 'profit it why': 682792, 'it why it': 462362, 'why it huge': 991140, 'huge problem that': 410146, 'problem that america': 679699, 'that america ha': 842626, 'america ha healthcare': 51544, 'ha healthcare marketplace': 370841, 'healthcare marketplace instead': 387177, 'marketplace instead of': 517816, 'instead of healthcare': 440272, 'of healthcare system': 584518, 'saratoga': 736732, 'eoc': 279246, 'giveback': 350921, 'saratogany': 736735, 'integrated staffing': 440949, 'staffing is': 793155, 'with saratoga': 1000579, 'saratoga county': 736733, 'county eoc': 211375, 'eoc to': 279247, 'crisis donate': 217306, 'donate below': 254163, 'below giveback': 126659, 'giveback saratogany': 350922, 'integrated staffing is': 440950, 'staffing is committed': 793156, 'committed to giving': 189038, 'to giving back': 906733, 'giving back to': 351252, 'need we are': 556180, 'working with saratoga': 1009067, 'with saratoga county': 1000580, 'saratoga county eoc': 736734, 'county eoc to': 211376, 'eoc to help': 279248, 'help stock their': 390582, 'stock their food': 802946, 'their food pantry': 873346, 'food pantry to': 315803, 'pantry to assist': 639698, 'assist those in': 96648, '19 crisis donate': 6237, 'crisis donate below': 217307, 'donate below giveback': 254164, 'below giveback saratogany': 126660, 'to wa': 918250, 'about for': 25275, 'for legitimate': 322933, 'legitimate reason': 486055, 'and adhering': 57693, '19 rule': 10260, 'rule no': 727300, 'no drone': 564063, 'drone or': 260075, 'or checking': 614710, 'checking of': 174830, 'aisle were': 40430, 'were required': 980056, 'everyone we spoke': 287566, 'spoke to wa': 789741, 'to wa out': 918252, 'wa out and': 962876, 'and about for': 57546, 'about for legitimate': 25277, 'for legitimate reason': 322934, 'legitimate reason and': 486056, 'reason and adhering': 702866, 'and adhering to': 57694, 'covid 19 rule': 213726, '19 rule no': 10262, 'rule no drone': 727301, 'no drone or': 564064, 'drone or checking': 260076, 'or checking of': 614711, 'checking of supermarket': 174831, 'of supermarket aisle': 590409, 'supermarket aisle were': 818853, 'aisle were required': 40431, 'wwv': 1013711, 'centralflorida': 169459, 'pandemic wwv': 637079, 'wwv supermarket': 1013712, 'panicbuying centralflorida': 638912, 'centralflorida in': 169460, 'is something about': 452104, 'shelf panic panicbuying': 757398, 'panic panicbuying pandemic': 638398, 'panicbuying pandemic wwv': 639004, 'pandemic wwv supermarket': 637080, 'wwv supermarket panicbuying': 1013713, 'supermarket panicbuying centralflorida': 821910, 'panicbuying centralflorida in': 638913, 'centralflorida in my': 169461, 'rather starve': 697494, 'starve than': 795221, 'have dirty': 380287, 'dirty hole': 243748, 'hole zombie': 400245, 'zombie apocalyptic': 1027698, 'apocalyptic film': 81596, 'film never': 305696, 'never showed': 558195, 'showed panic': 767346, 'buying robbery': 150971, 'robbery take': 724679, 'note hollywood': 572736, 'knew that people': 476075, 'people would rather': 650543, 'would rather starve': 1012159, 'rather starve than': 697495, 'starve than have': 795222, 'than have dirty': 840729, 'have dirty hole': 380288, 'dirty hole zombie': 243749, 'hole zombie apocalyptic': 400246, 'zombie apocalyptic film': 1027699, 'apocalyptic film never': 81597, 'film never showed': 305697, 'never showed panic': 558196, 'showed panic buying': 767347, 'panic buying robbery': 637867, 'buying robbery take': 150972, 'robbery take note': 724680, 'take note hollywood': 832373, 'while ha': 986896, 'ha thrown': 372277, 'territory one': 838574, 'changing significantly': 172792, 'significantly read': 769605, 'latest finding': 481337, 'insight survey': 439637, 'survey business': 828825, 'while ha thrown': 986897, 'ha thrown into': 372278, 'thrown into uncharted': 895142, 'uncharted territory one': 939797, 'territory one thing': 838575, 'thing is certain': 884463, 'is certain consumer': 446445, 'certain consumer behavior': 169982, 'are changing significantly': 85240, 'changing significantly read': 172793, 'significantly read the': 769606, 'the latest finding': 859103, 'latest finding from': 481338, 'from our consumer': 336762, 'our consumer insight': 622536, 'consumer insight survey': 197888, 'insight survey business': 439638, 'for warehouse': 327643, 'people turn': 650032, 're isolated': 698928, 'say it plan': 738855, 'plan to hire': 658296, 'new worker for': 559892, 'worker for warehouse': 1006976, 'for warehouse and': 327644, 'warehouse and delivery': 966679, 'in the more': 429371, 'more people turn': 540046, 'people turn to': 650033, 'for supply they': 326057, 'supply they re': 825980, 'they re isolated': 883063, 're isolated at': 698929, 'canadian internet': 160705, 'become profiteer': 120104, 'canadian internet provider': 160706, 'internet provider are': 441996, 'provider are raising': 686692, 'are raising price': 89417, 'raising price have': 696115, 'price have they': 674466, 'have they become': 383087, 'they become profiteer': 881540, 'transplant': 929851, 'firesale': 308261, 'ha china': 370146, 'slowdown reduced': 774468, 'or increased': 615778, 'ccp organ': 168464, 'organ harvesting': 619203, 'harvesting murder': 378660, 'murder transplant': 546163, 'transplant demand': 929854, 'demand might': 235867, 'the military': 860594, 'military amp': 531443, 'state security': 795922, 'security might': 744668, 'offering live': 595179, 'live tissue': 496064, 'tissue source': 899213, 'source at': 786451, 'at firesale': 98650, 'firesale price': 308262, 'ha china economic': 370147, 'china economic slowdown': 176631, 'economic slowdown reduced': 267311, 'slowdown reduced or': 774469, 'reduced or increased': 706131, 'or increased the': 615779, 'increased the ccp': 433490, 'the ccp organ': 850559, 'ccp organ harvesting': 168465, 'organ harvesting murder': 619204, 'harvesting murder transplant': 378661, 'murder transplant demand': 546164, 'transplant demand might': 929855, 'demand might be': 235868, 'might be down': 530893, 'be down but': 114588, 'down but then': 256585, 'then again the': 876977, 'again the military': 37212, 'the military amp': 860595, 'military amp state': 531444, 'amp state security': 54559, 'state security might': 795923, 'security might be': 744669, 'might be offering': 530918, 'be offering live': 116160, 'offering live tissue': 595180, 'live tissue source': 496065, 'tissue source at': 899214, 'source at firesale': 786452, 'at firesale price': 98651, 'fyp': 342656, 'under21': 940397, 'fingerlakes': 307825, 'passover wine': 643448, 'wine taste': 995911, 'sanitizer passover': 735539, 'passover fyp': 643438, 'fyp eastersunday': 342657, 'eastersunday under21': 265612, 'under21 washyourhands': 940398, 'washyourhands newjersey': 967883, 'newjersey fingerlakes': 560083, 'someone please let': 784609, 'please let me': 660183, 'me know why': 523048, 'know why the': 477057, 'why the passover': 991427, 'the passover wine': 863338, 'passover wine taste': 643449, 'wine taste like': 995912, 'hand sanitizer passover': 375531, 'sanitizer passover fyp': 735540, 'passover fyp eastersunday': 643439, 'fyp eastersunday under21': 342658, 'eastersunday under21 washyourhands': 265613, 'under21 washyourhands newjersey': 940399, 'washyourhands newjersey fingerlakes': 967884, 'rather stay': 697496, 'stay unemployed': 797370, 'unemployed than': 941133, 'than risk': 841092, 'worker strike': 1007837, 'strike covid': 813735, 'death rise': 230182, 'rise one': 722962, 'rather stay unemployed': 697497, 'stay unemployed than': 797371, 'unemployed than risk': 941134, 'than risk my': 841093, 'risk my life': 723701, 'my life supermarket': 549039, 'life supermarket worker': 489079, 'supermarket worker strike': 824086, 'worker strike covid': 1007838, 'strike covid 19': 813736, '19 death rise': 6452, 'death rise one': 230183, 'rise one of': 722963, 'somebody is': 784263, 'somebody is making': 784265, 'is making lot': 449550, 'of money on': 586610, 'on in desperation': 601525, 'prevention strategy': 671889, 'strategy use': 812743, 'towel when': 927403, 'any atm': 78948, 'atm fuel': 101931, 'at filling': 98642, 'supermarket card': 819527, 'machine when': 507414, 'your pin': 1025317, '19 prevention strategy': 9799, 'prevention strategy use': 671890, 'strategy use glove': 812744, 'use glove or': 949236, 'glove or paper': 352843, 'paper towel when': 641021, 'towel when using': 927405, 'when using any': 984375, 'using any atm': 950389, 'any atm fuel': 78949, 'atm fuel pump': 101932, 'pump handle at': 689054, 'handle at filling': 376174, 'at filling station': 98643, 'filling station and': 305619, 'station and in': 796334, 'and in supermarket': 65073, 'in supermarket card': 428573, 'supermarket card machine': 819528, 'card machine when': 163578, 'machine when you': 507415, 'you enter your': 1018430, 'enter your pin': 278340, 'calvin': 156922, 'klein': 475914, 'keep consumer': 471419, 'safe retailer': 729909, 'from nordstrom': 336596, 'nordstrom to': 567017, 'to calvin': 902399, 'calvin klein': 156923, 'klein are': 475915, 'they prepare': 882902, 'impact retail': 417947, 'to keep consumer': 908773, 'keep consumer and': 471420, 'employee safe retailer': 274170, 'safe retailer from': 729910, 'retailer from nordstrom': 719157, 'from nordstrom to': 336597, 'nordstrom to calvin': 567018, 'to calvin klein': 902400, 'calvin klein are': 156924, 'klein are closing': 475916, 'closing their door': 183783, 'their door they': 873076, 'door they prepare': 255743, 'they prepare for': 882903, 'prepare for impact': 670075, 'for impact retail': 322489, 'this pandemic like': 889401, 'day 75': 227166, '75 world': 22171, 'which really': 986261, 'mean right': 524629, 'place continues': 657393, 'major athletic': 509239, 'athletic event': 101779, 'canceled much': 160939, 'like ellen': 490163, 'ellen canceled': 271547, 'my future': 548475, 'future by': 342277, 'by leaving': 153038, 'leaving me': 485107, 'day 75 world': 227167, '75 world consumer': 22172, 'right day which': 721864, 'day which really': 228745, 'which really mean': 986262, 'really mean right': 702413, 'mean right now': 524630, 'right now that': 722152, 'right to stay': 722355, 'not go place': 569685, 'go place continues': 354051, 'place continues to': 657394, 'spread and major': 790415, 'and major athletic': 66541, 'major athletic event': 509240, 'athletic event have': 101780, 'have been canceled': 379484, 'been canceled much': 120780, 'canceled much like': 160940, 'much like ellen': 545053, 'like ellen canceled': 490164, 'ellen canceled my': 271548, 'canceled my future': 160942, 'my future by': 548476, 'future by leaving': 342278, 'by leaving me': 153039, 'leaving me here': 485108, 'literally buy': 494962, 'game online': 343224, 'limit potential': 492458, 'potential contact': 667042, 'contact or': 200165, 'walmart while': 965470, 'while picking': 987155, 'up medicine': 945378, 'food actual': 313032, 'actual essential': 30650, 'essential covid': 280950, 'more concerned': 538854, 'fun shopping': 341215, 'can literally buy': 158890, 'literally buy video': 494963, 'video game online': 956759, 'game online to': 343225, 'online to limit': 609588, 'to limit potential': 909295, 'limit potential contact': 492459, 'potential contact or': 667043, 'contact or at': 200166, 'or at walmart': 614452, 'at walmart while': 101482, 'walmart while picking': 965471, 'while picking up': 987156, 'picking up medicine': 655879, 'up medicine and': 945379, 'and food actual': 63024, 'food actual essential': 313033, 'actual essential covid': 30652, 'essential covid 19': 280951, '19 is dangerous': 7954, 'dangerous and those': 225722, 'who are more': 988175, 'are more concerned': 88109, 'more concerned with': 538857, 'concerned with having': 193234, 'with having fun': 998742, 'having fun shopping': 384084, 'fun shopping are': 341216, 'just chillin': 468475, 'chillin corona': 176408, 'toiletpaper healthy': 922056, 'healthy working': 387815, 'working dread': 1008598, 'dread king': 258564, 'king chill': 475247, 'chill joke': 176358, 'joke work': 467171, 'just chillin corona': 468476, 'chillin corona toiletpaper': 176409, 'corona toiletpaper healthy': 204250, 'toiletpaper healthy working': 922057, 'healthy working dread': 387816, 'working dread king': 1008599, 'dread king chill': 258565, 'king chill joke': 475248, 'chill joke work': 176359, 'unexplainable': 941407, 'panic associated': 637355, 'creating unnecessary': 216099, 'unnecessary toiletry': 942951, 'toiletry hoarding': 923426, 'hysteria that': 412477, 'is unexplainable': 453483, 'unexplainable tune': 941408, 'episode on': 279548, 'on controversy': 600101, 'controversy now': 202296, 'many store out': 514740, 'of toiletpaper the': 592281, 'toiletpaper the panic': 922592, 'the panic associated': 863184, 'panic associated with': 637356, 'pandemic is creating': 635763, 'is creating unnecessary': 446920, 'creating unnecessary toiletry': 216100, 'unnecessary toiletry hoarding': 942952, 'toiletry hoarding and': 923427, 'hoarding and hysteria': 399177, 'and hysteria that': 64916, 'hysteria that is': 412478, 'that is unexplainable': 844670, 'is unexplainable tune': 453484, 'unexplainable tune into': 941409, 'tune into our': 935414, 'into our special': 442827, 'our special episode': 624859, 'special episode on': 787915, 'episode on controversy': 279549, 'on controversy now': 600102, 'controversy now available': 202297, 'now available on': 574161, 'available on all': 104525, 'probably time': 679407, 'start listing': 794367, 'listing the': 494884, 'line service': 493386, 'need paying': 555417, 'paying more': 645444, 'so essential': 776959, 'during nh': 262815, 'nh front': 561959, 'staff nurse': 792695, 'nurse receptionist': 577466, 'receptionist porter': 704195, 'porter etc': 664981, 'etc supermarket': 282774, 'probably time to': 679408, 'to start listing': 915203, 'start listing the': 794369, 'listing the essential': 494885, 'the essential front': 854505, 'front line service': 338601, 'line service that': 493387, 'service that need': 752924, 'that need paying': 845307, 'need paying more': 555418, 'paying more for': 645445, 'more for being': 539263, 'being so essential': 125816, 'so essential during': 776960, 'essential during nh': 280978, 'during nh front': 262816, 'nh front line': 561960, 'line staff nurse': 493419, 'staff nurse receptionist': 792698, 'nurse receptionist porter': 577467, 'receptionist porter etc': 704196, 'porter etc supermarket': 664982, 'etc supermarket staff': 282775, 'coronavirus my': 206302, 'wife sent': 991972, 'my night': 549495, 'night enjoy': 562988, 'deal with coronavirus': 229545, 'with coronavirus my': 997807, 'coronavirus my wife': 206305, 'my wife sent': 550599, 'wife sent me': 991973, 'this and it': 886333, 'and it made': 65550, 'it made my': 459494, 'made my night': 507862, 'my night enjoy': 549496, 'pile is': 656502, 'scared food': 740960, 'future emptying': 342313, 'restock them': 716926, 'very thing': 955612, 'were trying': 980296, 'the reason people': 865274, 'reason people stock': 702978, 'people stock pile': 649616, 'stock pile is': 802632, 'pile is because': 656503, 'is because they': 446023, 'they re scared': 883119, 're scared food': 699432, 'scared food will': 740961, 'will be scarce': 992664, 'be scarce in': 117016, 'the future emptying': 856074, 'future emptying supermarket': 342314, 'than the supply': 841275, 'chain can restock': 170576, 'can restock them': 159471, 'restock them will': 716928, 'them will cause': 876635, 'cause shortage of': 167732, 'you are creating': 1017101, 'are creating the': 85621, 'creating the very': 216084, 'the very thing': 870711, 'very thing you': 955613, 'thing you were': 885044, 'you were trying': 1022261, 'were trying to': 980297, 'all regulation': 44142, 'selfish at': 748013, 'follow all regulation': 312347, 'all regulation and': 44143, 'regulation and guideline': 708053, 'stayhome and don': 797943, 'don be selfish': 253368, 'be selfish at': 117057, 'selfish at the': 748014, 'store let fight': 808709, 'eric': 280155, 'been gouged': 121226, 'gouged on': 359199, 'new easier': 558657, 'report overcharging': 712161, 'overcharging to': 631115, 'to missouri': 910190, 'missouri attorney': 534422, 'general eric': 345334, 'eric schmitt': 280158, 'consumer who think': 199532, 'have been gouged': 379560, 'been gouged on': 121227, 'gouged on price': 359200, 'on price during': 602909, 'the pandemic have': 862982, 'pandemic have new': 635593, 'have new easier': 381590, 'new easier way': 558658, 'easier way to': 265168, 'to report overcharging': 913279, 'report overcharging to': 712162, 'overcharging to missouri': 631116, 'to missouri attorney': 910191, 'missouri attorney general': 534423, 'attorney general eric': 102636, 'general eric schmitt': 345335, 'icymi and': 412863, 'are staffing': 90343, 'staffing up': 793164, 'frenzy spurred': 332791, 'spurred by': 791349, 'icymi and are': 412864, 'and are staffing': 58362, 'are staffing up': 90344, 'staffing up to': 793165, 'online shopping frenzy': 609125, 'shopping frenzy spurred': 762748, 'frenzy spurred by': 332792, 'spurred by the': 791350, 'riverside': 724199, 'mayor urge': 521991, 'urge resident': 948219, 'out census': 625841, 'census provides': 169025, 'case riverside': 165995, 'riverside testing': 724202, 'center restaurant': 169295, 'food establishment': 314391, 'establishment hour': 282062, 'hour update': 406057, 'on designated': 600298, 'designated supermarket': 238309, 'hour tenant': 405972, 'tenant advocate': 837823, 'advocate information': 33841, 'information tax': 437988, 'tax deadline': 834960, 'deadline change': 229211, 'change covid': 171992, '19 hotlines': 7584, 'mayor urge resident': 521992, 'urge resident to': 948220, 'resident to fill': 714380, 'fill out census': 305476, 'out census provides': 625842, 'census provides update': 169026, '19 positive case': 9752, 'positive case riverside': 665280, 'case riverside testing': 165996, 'riverside testing center': 724203, 'testing center restaurant': 839472, 'center restaurant and': 169296, 'and food establishment': 63043, 'food establishment hour': 314393, 'establishment hour update': 282063, 'hour update on': 406058, 'update on designated': 947113, 'on designated supermarket': 600299, 'designated supermarket hour': 238310, 'supermarket hour tenant': 820804, 'hour tenant advocate': 405973, 'tenant advocate information': 837824, 'advocate information tax': 33842, 'information tax deadline': 437989, 'tax deadline change': 834961, 'deadline change covid': 229212, 'change covid 19': 171993, 'covid 19 hotlines': 213223, 'toiletpaper already': 921707, 'have bidet': 379782, 'bidet but': 129554, 'any doing': 79134, 'have toiletpaper already': 383353, 'toiletpaper already and': 921708, 'already and have': 47187, 'and have bidet': 64228, 'have bidet but': 379783, 'bidet but what': 129555, 'people who don': 650291, 'have any doing': 379300, 'it wise': 462457, 'have touch': 383373, 'screen self': 742727, 'service till': 752959, 'till open': 896073, 'are major': 87969, 'major risk': 509444, 'customer unless': 223007, 'unless screen': 942637, 'screen wiped': 742741, 'wiped after': 996442, 'is it wise': 449076, 'it wise for': 462458, 'wise for supermarket': 996680, 'supermarket to have': 823376, 'to have touch': 907330, 'have touch screen': 383374, 'touch screen self': 926531, 'screen self service': 742728, 'self service till': 747908, 'service till open': 752960, 'till open surely': 896074, 'open surely they': 612536, 'surely they are': 827950, 'they are major': 881332, 'are major risk': 87971, 'major risk for': 509445, 'risk for staff': 723560, 'for staff and': 325849, 'and customer unless': 60872, 'customer unless screen': 223008, 'unless screen wiped': 942638, 'screen wiped after': 742742, 'wiped after each': 996443, 'after each customer': 35595, 'facemasks4all': 295180, 'be mandatory': 115901, 'mandatory to': 513070, 'cover inside': 212241, 'inside any': 439225, 'face droplet': 294412, 'droplet this': 260485, 'child too': 176237, 'too grocerystore': 924771, 'facemasks facemasks4all': 295139, 'should be mandatory': 765675, 'be mandatory to': 115902, 'mandatory to wear': 513072, 'wear face cover': 974316, 'face cover inside': 294368, 'cover inside any': 212242, 'inside any store': 439226, 'any store to': 79869, 'try and minimize': 934447, 'spread of face': 790668, 'of face droplet': 583358, 'face droplet this': 294413, 'droplet this should': 260486, 'should be for': 765629, 'be for child': 114908, 'for child too': 320061, 'child too grocerystore': 176238, 'too grocerystore worker': 924772, 'grocerystore worker are': 366341, 'die of facemasks': 241421, 'of facemasks facemasks4all': 583365, 'ha bottle': 370021, 'duck deep': 261543, 'cleaning gel': 180953, 'gel people': 345145, 'your logic': 1024734, 'logic please': 500661, 'please london': 660206, 'london panicbuying': 501149, 'supermarket line ha': 821324, 'line ha bottle': 493149, 'ha bottle of': 370022, 'bottle of duck': 136280, 'of duck deep': 582866, 'duck deep cleaning': 261544, 'deep cleaning gel': 231861, 'cleaning gel people': 180954, 'gel people do': 345146, 'lose your logic': 503502, 'your logic please': 1024735, 'logic please london': 500662, 'please london panicbuying': 660207, 'morning well': 541539, 'good morning well': 357415, 'morning well fargo': 541540, 'stockpiling someone': 804069, 'off fuck': 593857, 'all cant': 42301, 'panicbuyers stockpiling someone': 638877, 'stockpiling someone who': 804070, 'someone who live': 784762, 'who live off': 989216, 'live off fuck': 495947, 'off fuck all': 593858, 'fuck all cant': 339515, 'all cant afford': 42302, 'cant afford pasta': 162263, 'product idea': 681269, 'idea in': 413088, 'time lockdown': 897147, 'new product idea': 559358, 'product idea in': 681270, 'idea in time': 413089, 'in time lockdown': 430085, 'time lockdown toiletpaper': 897148, 'lockdown toiletpaper toiletpaperchallenge': 500065, 'hartmann': 378587, 'hartmann consumer': 378588, 'real cleaning': 701070, 'cleaning solution': 181061, 'for killing': 322851, 'hartmann consumer report': 378589, 'consumer report on': 198718, 'report on real': 712151, 'on real cleaning': 603087, 'real cleaning solution': 701071, 'cleaning solution for': 181062, 'solution for killing': 782026, 'for killing covid': 322853, 'pursue': 690211, 'canada the': 160576, 'competition bureau': 191679, 'bureau is': 142790, 'to pursue': 912563, 'pursue any': 690212, 'any case': 78997, 'by declaring': 152309, 'declaring state': 231277, 'emergency ontario': 272827, 'in canada the': 421201, 'canada the competition': 160578, 'the competition bureau': 851376, 'competition bureau is': 191680, 'bureau is prepared': 142792, 'prepared to pursue': 670258, 'to pursue any': 912564, 'pursue any case': 690213, 'any case of': 78999, 'case of price': 165922, 'gouging by declaring': 359278, 'by declaring state': 152310, 'declaring state of': 231278, 'of emergency ontario': 583046, 'emergency ontario ha': 272828, 'ontario ha the': 611603, 'ha the power': 372221, 'power to freeze': 667708, 'youthtravel': 1026881, 'prioritised': 678404, 'modifying': 535510, 'from part': 336855, 'business impact': 143867, 'impact survey': 417980, 'survey indicates': 828887, 'in youthtravel': 431142, 'youthtravel prioritised': 1026882, 'prioritised modifying': 678407, 'modifying cancellation': 535511, 'policy reducing': 663474, 'reducing capacity': 706264, 'finding from part': 307476, 'from part of': 336856, '19 travel business': 11554, 'travel business impact': 930301, 'business impact survey': 143870, 'impact survey indicates': 417981, 'survey indicates that': 828888, 'indicates that business': 434993, 'that business in': 843058, 'business in youthtravel': 143911, 'in youthtravel prioritised': 431143, 'youthtravel prioritised modifying': 1026883, 'prioritised modifying cancellation': 678408, 'modifying cancellation policy': 535512, 'cancellation policy reducing': 161052, 'policy reducing capacity': 663475, 'reducing capacity and': 706265, 'capacity and price': 162494, 'price in reaction': 674722, 'news forget': 560446, 'forget apple': 329233, 'and google': 63838, 'google here': 358162, 'contact tracing': 200246, 'tracing news': 928152, 'car news forget': 163181, 'news forget apple': 560447, 'forget apple and': 329234, 'apple and google': 82307, 'and google here': 63840, 'google here the': 358163, 'here the real': 393663, 'real challenge for': 701060, 'challenge for covid': 171462, '19 contact tracing': 6007, 'contact tracing news': 200248, 'tracing news stayhomesavelives': 928153, 'monitorupdates': 537390, 'coronapandemie': 205154, 'luluatvconnected': 506654, 'far so': 298918, 'good trader': 357912, 'arrested over': 93868, 'over hiking': 630288, 'hiking commodity': 396369, 'after museveni': 35939, 'museveni warning': 546267, 'warning monitorupdates': 967153, 'monitorupdates coronapandemie': 537391, 'coronapandemie iwillstayathome': 205157, 'iwillstayathome daily': 464069, 'daily monitor': 224703, 'monitor luluatvconnected': 537298, 'so far so': 777058, 'far so good': 298919, 'so good trader': 777191, 'good trader arrested': 357913, 'trader arrested over': 928661, 'arrested over hiking': 93871, 'over hiking commodity': 630289, 'hiking commodity price': 396370, 'commodity price after': 189256, 'price after museveni': 672233, 'after museveni warning': 35940, 'museveni warning monitorupdates': 546268, 'warning monitorupdates coronapandemie': 967154, 'monitorupdates coronapandemie iwillstayathome': 537392, 'coronapandemie iwillstayathome daily': 205158, 'iwillstayathome daily monitor': 464070, 'daily monitor luluatvconnected': 224704, 'quartz': 693291, 'ha cheese': 370144, 'milk industry': 531705, 'industry on': 436025, 'brink quartz': 140299, 'quartz it': 693292, 'help that': 390637, 'that distributor': 843562, 'distributor are': 248276, 'milk it': 531716, 'up almost': 944264, 'almost 00': 46468, 'ridiculous 99': 721508, '99 dozen': 23805, 'dozen that': 257924, '19 ha cheese': 7333, 'ha cheese and': 370145, 'cheese and milk': 175168, 'and milk industry': 67016, 'milk industry on': 531706, 'industry on the': 436028, 'the brink quartz': 850012, 'brink quartz it': 140300, 'quartz it doesn': 693293, 'doesn help that': 251838, 'help that distributor': 390638, 'that distributor are': 843563, 'distributor are raising': 248277, 'price on milk': 675696, 'on milk it': 602124, 'milk it gone': 531717, 'it gone up': 458290, 'gone up almost': 356414, 'up almost 00': 944265, 'almost 00 gallon': 46470, '00 gallon in': 227, 'gallon in our': 343027, 'our store and': 624939, 'store and egg': 806232, 'and egg are': 61972, 'egg are ridiculous': 269781, 'are ridiculous 99': 89688, 'ridiculous 99 dozen': 721509, '99 dozen that': 23806, 'dozen that more': 257925, 'more than normal': 540652, 'nightgown': 563153, 'lockdown freedom': 499408, 'freedom save': 332385, 'others working': 621806, 'in nightgown': 425893, 'nightgown sister': 563154, 'sister brother': 771719, 'brother siege': 141101, 'siege mentality': 768985, 'mentality for': 528705, 'having ball': 383986, 'ball brave': 109051, 'brave face': 138212, 'face jest': 294485, 'jest living': 465273, 'lockdown panic': 499766, 'panic lying': 638295, 'to ourselves': 911258, 'ourselves consumer': 625471, 'consumer nation': 198172, 'nation consumed': 552146, 'by itself': 152951, 'itself shelf': 463953, 'shelf isolation': 757244, 'isolation later': 455329, 'later hater': 481072, 'living in lockdown': 496378, 'in lockdown freedom': 424841, 'lockdown freedom save': 499409, 'freedom save others': 332386, 'save others working': 737610, 'others working in': 621809, 'working in nightgown': 1008724, 'in nightgown sister': 425894, 'nightgown sister brother': 563155, 'sister brother siege': 771721, 'brother siege mentality': 141102, 'siege mentality for': 768986, 'mentality for all': 528706, 'for all making': 319146, 'all making the': 43442, 'making the best': 511408, 'best not having': 127786, 'not having ball': 569894, 'having ball brave': 383987, 'ball brave face': 109052, 'brave face jest': 138213, 'face jest living': 294486, 'jest living in': 465274, 'in lockdown panic': 424849, 'lockdown panic lying': 499767, 'panic lying to': 638296, 'lying to ourselves': 507087, 'to ourselves consumer': 911259, 'ourselves consumer nation': 625472, 'consumer nation consumed': 198173, 'nation consumed by': 552147, 'consumed by itself': 195964, 'by itself shelf': 152952, 'itself shelf isolation': 463954, 'shelf isolation later': 757245, 'isolation later hater': 455330, 'donttouchface': 255403, 'absorb': 27470, 'transdermally': 929494, 'notwithstanding': 573656, 'wtfentanyl': 1013348, 'donttouchface neither': 255404, 'neither fentanyl': 557321, 'fentanyl or': 303532, 'or absorb': 614246, 'absorb transdermally': 27473, 'transdermally through': 929495, 'skin what': 773085, 'this false': 887507, 'false narrative': 297445, 'narrative notwithstanding': 551948, 'notwithstanding wearing': 573659, 'glove isn': 352743, 'face on': 294685, 'on avg': 599519, 'avg 368': 104940, '368 time': 18054, 'day wtfentanyl': 228809, 'donttouchface neither fentanyl': 255405, 'neither fentanyl or': 557322, 'fentanyl or absorb': 303533, 'or absorb transdermally': 614247, 'absorb transdermally through': 27474, 'transdermally through your': 929496, 'through your skin': 894927, 'your skin what': 1025827, 'skin what is': 773086, 'it with this': 462481, 'with this false': 1001696, 'this false narrative': 887508, 'false narrative notwithstanding': 297446, 'narrative notwithstanding wearing': 551949, 'notwithstanding wearing glove': 573660, 'wearing glove isn': 974636, 'glove isn bad': 352744, 'isn bad idea': 454443, 'bad idea just': 107892, 'idea just remember': 413103, 'just remember you': 469612, 'remember you touch': 710436, 'you touch your': 1021903, 'your face on': 1023754, 'face on avg': 294686, 'on avg 368': 599520, 'avg 368 time': 104941, '368 time day': 18055, 'time day wtfentanyl': 896543, 'usa meet': 948692, 'to strong': 915682, 'strong supply': 814127, 'store staffer': 810336, 'staffer are': 793140, 'are true': 91209, 'true coronawarriors': 933057, 'coronawarriors 19': 207130, 'the usa meet': 870546, 'usa meet demand': 948693, 'meet demand due': 527462, 'due to strong': 261979, 'to strong supply': 915684, 'strong supply chain': 814128, 'supply chain store': 825041, 'chain store staffer': 171136, 'store staffer are': 810337, 'staffer are true': 793141, 'are true coronawarriors': 91211, 'true coronawarriors 19': 933058, 'store atmosphere': 806601, 'atmosphere at': 101979, 'who asks': 988278, 'for potato': 324649, 'grocery store atmosphere': 365223, 'store atmosphere at': 806602, 'atmosphere at the': 101980, 'moment to the': 536095, 'customer who asks': 223074, 'who asks for': 988279, 'asks for potato': 96136, 'for potato another': 324650, 'customer say he': 222797, 'say he ha': 738732, 'he ha them': 385037, 'ha them now': 372243, 'them now store': 876069, 'another shocking': 77844, 'shocking toilet': 759632, 'paper fight': 640153, 'in german': 423269, 'another shocking toilet': 77845, 'shocking toilet paper': 759633, 'toilet paper fight': 921273, 'paper fight in': 640154, 'fight in german': 304778, 'in german supermarket': 423273, 'german supermarket aisle': 346246, 'retweets': 720121, 'tonight much': 924447, 'much requested': 545279, 'requested video': 713260, 'in making': 424997, 'we followed': 971583, 'excellent who': 289118, 'local manufacture': 498167, 'scrub retweets': 742908, 'retweets always': 720122, 'always appreciated': 49470, 'tonight much requested': 924448, 'much requested video': 545280, 'requested video is': 713261, 'video is how': 956788, 'sanitizer in making': 735145, 'in making this': 425002, 'making this we': 511464, 'this we followed': 891148, 'we followed the': 971584, 'followed the excellent': 312614, 'the excellent who': 854669, 'excellent who guideline': 289119, 'guideline for local': 368426, 'for local manufacture': 323051, 'local manufacture of': 498168, 'manufacture of hand': 513383, 'of hand scrub': 584436, 'hand scrub retweets': 375751, 'scrub retweets always': 742909, 'retweets always appreciated': 720123, 'good major': 357361, 'major marico': 509383, 'marico and': 515692, 'and godrej': 63796, 'product said': 681586, 'latest quarterly': 481515, 'quarterly update': 693287, 'see sharp': 745665, 'sharp revenue': 755701, 'revenue decline': 720400, 'consumer good major': 197624, 'good major marico': 357362, 'major marico and': 509384, 'marico and godrej': 515693, 'and godrej consumer': 63797, 'consumer product said': 198476, 'product said in': 681587, 'said in their': 731141, 'their latest quarterly': 873793, 'latest quarterly update': 481516, 'quarterly update that': 693288, 'update that they': 947243, 'that they would': 846963, 'they would see': 883953, 'would see sharp': 1012227, 'see sharp revenue': 745666, 'sharp revenue decline': 755702, 'welfare organization': 977965, 'organization the': 619434, 'grim just': 363962, 'and welfare organization': 75397, 'welfare organization the': 977966, 'organization the coronavirus': 619435, 'family grim just': 297859, 'grim just wait': 363963, 'belgium update': 126190, 'minute you': 533906, 'office pet': 595512, 'food pharmacy': 315849, 'pharmacy these': 654509, 'only type': 611397, 'open fine': 612227, 'fine of': 307670, 'to 400': 899717, '400 amp': 18715, 'amp month': 54143, 'prison yesterday': 678749, 'yesterday all': 1015652, 'belgium update on': 126191, 'update on lockdown': 947122, 'on lockdown for': 601913, 'lockdown for 30': 499391, 'for 30 minute': 318803, '30 minute you': 17130, 'minute you are': 533907, 'you are only': 1017188, 'post office pet': 666240, 'office pet food': 595513, 'pet food pharmacy': 653392, 'food pharmacy these': 315851, 'pharmacy these are': 654510, 'the only type': 862355, 'only type of': 611398, 'of store still': 590266, 'store still open': 810383, 'still open fine': 800958, 'open fine of': 612228, 'fine of up': 307672, 'up to 400': 946338, 'to 400 amp': 899719, '400 amp month': 18716, 'amp month in': 54144, 'month in prison': 537796, 'in prison yesterday': 427006, 'prison yesterday all': 678750, 'yesterday all the': 1015654, 'the supermarket were': 868898, 'supermarket were out': 823787, 'out of fruit': 626739, 'are extraordinary': 86387, 'please remain': 660364, 'checkout moving': 174958, '19 these are': 11293, 'these are extraordinary': 879616, 'are extraordinary time': 86388, 'extraordinary time and': 293752, 'time and retail': 896292, 'retail is under': 718249, 'is under extreme': 453459, 'pressure when shopping': 671255, 'shopping please remain': 763647, 'please remain calm': 660365, 'remain calm and': 709712, 'calm and thank': 156699, 'the worker that': 871760, 'that are doing': 842741, 'stocked and the': 803271, 'and the checkout': 73278, 'the checkout moving': 850769, 're grateful': 698768, 'scientist working': 742275, 'see growth': 745167, 'this tp': 890831, 'tp seed': 927933, 'we re grateful': 972887, 're grateful to': 698769, 'to the scientist': 917041, 'the scientist working': 866511, 'scientist working hard': 742276, 'to provide to': 912443, 'provide to those': 686522, 'in need perhaps': 425761, 'perhaps we ll': 651665, 'll see growth': 496991, 'see growth from': 745169, 'growth from this': 367378, 'from this tp': 338014, 'this tp seed': 890832, 'stayhomechallenge father': 798264, 'and son': 71997, 'son dressed': 785365, 'yesterday video': 1015911, 'stayhomechallenge father and': 798265, 'father and son': 300277, 'and son dressed': 71998, 'son dressed up': 785366, 'dressed up while': 258707, 'up while shopping': 946597, 'store yesterday video': 811672, 'yesterday video here': 1015912, 'knobheads': 476144, 'many covid': 513951, 'doctor have': 250942, 'have suddenly': 382840, 'suddenly popped': 817121, 'my liking': 549060, 'liking what': 492209, 'supermarket bulk': 819429, 'buying issue': 150588, 'issue employ': 455730, 'employ the': 273452, 'doorman of': 255829, 'club that': 184487, 'closed an': 182977, 'an out': 56729, 'help police': 390333, 'the knobheads': 858841, 'too many covid': 924885, 'many covid 19': 513952, '19 expert and': 6897, 'expert and doctor': 291774, 'and doctor have': 61579, 'doctor have suddenly': 250944, 'have suddenly popped': 382842, 'suddenly popped up': 817122, 'past week for': 643645, 'for my liking': 323716, 'my liking what': 549061, 'liking what would': 492211, 'what would say': 982645, 'would say that': 1012216, 'say that could': 739230, 'could help the': 209294, 'current supermarket bulk': 221388, 'supermarket bulk buying': 819430, 'bulk buying issue': 142280, 'buying issue employ': 150589, 'issue employ the': 455731, 'employ the doorman': 273453, 'the doorman of': 853597, 'doorman of pub': 255830, 'of pub and': 588579, 'and club that': 60026, 'club that are': 184488, 'that are currently': 842734, 'are currently closed': 85661, 'currently closed an': 221505, 'closed an out': 182978, 'an out of': 56731, 'of work to': 593265, 'to help police': 907589, 'help police the': 390334, 'police the knobheads': 663240, 'of 53': 579623, 'behaviour impressive': 124449, 'impressive and': 419479, 'and promising': 69620, 'promising 19': 683741, 'growth of 53': 367429, 'of 53 in': 579624, '53 in response': 20300, 'response to consumer': 715836, 'to consumer behaviour': 903271, 'consumer behaviour impressive': 196579, 'behaviour impressive and': 124450, 'impressive and promising': 419480, 'and promising 19': 69621, 'to texan': 916410, 'texan working': 839732, 'healthy federal': 387608, 'federal lawmaker': 302023, 'lawmaker must': 482494, 'mind they': 532748, 'solution lump': 782057, 'lump sum': 506686, 'sum check': 817865, 'more long': 539721, 'term relief': 838260, 'come to texan': 187605, 'to texan working': 916411, 'texan working to': 839733, 'working to make': 1008993, 'meet and stay': 527416, 'stay healthy federal': 796903, 'healthy federal lawmaker': 387609, 'federal lawmaker must': 302024, 'lawmaker must have': 482495, 'must have our': 546703, 'have our most': 381846, 'our most vulnerable': 623946, 'most vulnerable in': 542882, 'in mind they': 425345, 'mind they come': 532749, 'they come up': 881780, 'up with solution': 946683, 'with solution lump': 1000833, 'solution lump sum': 782058, 'lump sum check': 506687, 'sum check are': 817866, 'check are great': 174373, 'great but we': 362557, 'also need more': 48550, 'need more long': 555259, 'more long term': 539722, 'long term relief': 501708, 'available yes': 104712, 'yes in': 1015463, 'local safety': 498360, 'measure result': 525320, 'however offering': 409427, 'assist our': 96636, 'loyal dallas': 506273, 'golf customer': 356125, 'up is now': 945226, 'now available yes': 574164, 'available yes in': 104713, 'yes in accordance': 1015464, 'accordance with local': 28509, 'with local safety': 999283, 'local safety measure': 498361, 'safety measure result': 730627, 'measure result of': 525321, '19 pandemic our': 9420, 'pandemic our retail': 636129, 'are however offering': 87255, 'however offering curbside': 409428, 'offering curbside pick': 595055, 'up service to': 945968, 'service to assist': 752969, 'to assist our': 900783, 'assist our loyal': 96637, 'our loyal dallas': 623822, 'loyal dallas golf': 506274, 'dallas golf customer': 225129, 'jerky': 465170, 'primitive': 678192, 'be jerky': 115571, 'jerky shopper': 465174, 'worker sick': 1007781, 'think society': 885552, 'walk three': 964886, 'to dispose': 904414, 'dispose used': 246294, 'used mask': 949961, 'trash that': 930174, 'that asking': 842875, 'asking too': 96098, 'the primitive': 864460, 'not be jerky': 568407, 'be jerky shopper': 115572, 'jerky shopper and': 465175, 'shopper and get': 761364, 'and get grocery': 63577, 'get grocery store': 347169, 'store worker sick': 811584, 'worker sick do': 1007782, 'not think society': 572085, 'think society can': 885553, 'society can expect': 781173, 'expect to walk': 290778, 'to walk three': 918307, 'walk three or': 964887, 'or four foot': 615384, 'foot to dispose': 318445, 'to dispose used': 904416, 'dispose used mask': 246295, 'used mask and': 949962, 'the trash that': 869922, 'trash that asking': 930175, 'that asking too': 842876, 'asking too much': 96099, 'much for the': 544925, 'for the primitive': 326632, 'expert they': 291990, 'all paid': 43899, 'paid liar': 634067, 'medium is lying': 527153, 'is lying to': 449498, 'to you they': 918930, 'you they are': 1021636, 'are not doctor': 88351, 'not doctor and': 569075, 'doctor and the': 250826, 'and the expert': 73360, 'the expert they': 854732, 'expert they bring': 291991, 'they bring in': 881584, 'bring in are': 139991, 'in are all': 420477, 'are all paid': 84334, 'all paid liar': 43900, 'whole aisle': 990138, 'yourself pretty': 1026685, 'store you get': 811687, 'the whole aisle': 871478, 'whole aisle to': 990139, 'aisle to yourself': 40406, 'to yourself pretty': 919039, 'yourself pretty quickly': 1026686, 'timpsons': 898529, 'blackwells': 132224, 'such timpsons': 816832, 'timpsons primark': 898530, 'primark blackwells': 678054, 'blackwells closing': 132225, 'shop ahead': 759812, 'any order': 79576, 'are showing': 90080, 'uk govt': 938419, 'still lagging': 800775, 'lagging behind': 478905, 'do suppose': 250199, 'suppose these': 827318, 'shop by': 760012, 'company such timpsons': 191128, 'such timpsons primark': 816833, 'timpsons primark blackwells': 898531, 'primark blackwells closing': 678055, 'blackwells closing their': 132226, 'closing their shop': 183786, 'their shop ahead': 874700, 'shop ahead of': 759813, 'ahead of any': 39173, 'of any order': 580267, 'any order to': 79578, 'order to do': 618677, 'do so are': 250086, 'so are showing': 776542, 'are showing the': 90084, 'showing the uk': 767528, 'the uk govt': 870227, 'uk govt is': 938420, 'govt is still': 361170, 'is still lagging': 452292, 'still lagging behind': 800776, 'lagging behind what': 478907, 'behind what they': 124751, 'be doing for': 114515, 'doing for 19': 252411, 'for 19 do': 318704, '19 do suppose': 6597, 'do suppose these': 250200, 'suppose these shop': 827319, 'these shop by': 880677, 'shop by online': 760014, 'shopping where you': 764386, 'horizontal': 404053, 'myself genuinely': 550867, 'genuinely thinking': 345907, 'thinking would': 886032, 'would horizontal': 1011934, 'horizontal fit': 404054, 'fit between': 309469, 'between me': 128825, 'front socialdistancing': 338673, 'into supermarket right': 443057, 'now and find': 574032, 'find myself genuinely': 307084, 'myself genuinely thinking': 550868, 'genuinely thinking would': 345908, 'thinking would horizontal': 886034, 'would horizontal fit': 1011935, 'horizontal fit between': 404055, 'fit between me': 309470, 'between me and': 128826, 'in front socialdistancing': 423136, 'go 19': 353235, 'shopping for someone': 762712, 'for someone who': 325783, 'who ha no': 988859, 'to go 19': 906757, 'yup modi': 1027117, 'modi govt': 535455, 'so beautiful': 776608, 'beautiful that': 118720, 'it increased': 458775, 'the excise': 854676, 'duty limit': 263586, 'diesel by': 241651, 'another rupee': 77818, 'rupee per': 728190, 'liter how': 494923, 'how kind': 408155, 'kind it': 474855, 'people lost': 648715, 'lost job': 503879, 'to modi': 910213, 'modi is': 535460, 'is dracula': 447360, 'yup modi govt': 1027118, 'modi govt is': 535456, 'is so beautiful': 451994, 'so beautiful that': 776609, 'beautiful that it': 118721, 'that it increased': 844719, 'it increased the': 458776, 'increased the excise': 433493, 'the excise duty': 854677, 'excise duty limit': 289515, 'duty limit on': 263587, 'limit on petrol': 492420, 'on petrol diesel': 602781, 'petrol diesel by': 653726, 'diesel by another': 241652, 'by another rupee': 151866, 'another rupee per': 77819, 'rupee per liter': 728191, 'per liter how': 650917, 'liter how kind': 494924, 'how kind it': 408156, 'kind it is': 474856, 'is to dip': 453193, 'dip into the': 243201, 'into the falling': 443123, 'the falling crude': 854875, 'crude price when': 219602, 'when people lost': 983863, 'people lost job': 648716, 'lost job due': 503880, 'due to modi': 261868, 'to modi is': 910214, 'modi is dracula': 535461, 'eatfarmnow': 266166, 'great snippet': 362994, 'snippet from': 776363, 'farmer about': 299235, 'food farminguk': 314448, 'farminguk eatfarmnow': 299665, 'listen to great': 494738, 'to great snippet': 906990, 'great snippet from': 362995, 'snippet from uk': 776364, 'from uk farmer': 338167, 'uk farmer about': 938350, 'farmer about his': 299236, 'about his thought': 25398, 'thought on and': 893157, 'on and food': 599354, 'and food farminguk': 63046, 'food farminguk eatfarmnow': 314449, 'hesitant': 394266, 'come more': 187408, 'more market': 539749, 'market acceptance': 515905, 'acceptance for': 28041, 'for technology': 326168, 'consumer some': 199024, 'people hesitant': 648252, 'hesitant to': 394267, 'try new': 934517, 'new thing': 559748, 'been pushed': 121748, 'into using': 443269, 'change forever': 172059, 'forever post': 329140, 'out of crisis': 626711, 'of crisis may': 582173, 'crisis may come': 217708, 'may come more': 521096, 'come more market': 187409, 'more market acceptance': 539750, 'market acceptance for': 515906, 'acceptance for technology': 28042, 'for technology that': 326169, 'technology that help': 836386, 'that help consumer': 844296, 'help consumer some': 389523, 'consumer some people': 199025, 'some people hesitant': 783518, 'people hesitant to': 648253, 'hesitant to try': 394268, 'to try new': 917816, 'try new thing': 934518, 'new thing have': 559750, 'thing have been': 884400, 'have been pushed': 379648, 'been pushed into': 121749, 'pushed into using': 690370, 'into using them': 443270, 'using them and': 950737, 'and they may': 73920, 'they may never': 882665, 'may never go': 521363, 'go back consumer': 353342, 'back consumer behavior': 106934, 'behavior will change': 124310, 'will change forever': 992911, 'change forever post': 172060, 'forever post covid': 329141, 'broader': 140760, 'date in': 226655, '500 index': 19999, 'index mostly': 434219, 'mostly defensive': 542950, 'defensive sector': 232163, 'sector not': 744273, 'surprisingly are': 828645, 'the broader': 850038, 'broader market': 140765, 'market technology': 517164, 'technology in': 836309, 'in 2nd': 419902, '2nd place': 16799, 'year to date': 1015039, 'to date in': 903927, 'date in the': 226658, 'amp 500 index': 53342, '500 index mostly': 20000, 'index mostly defensive': 434220, 'mostly defensive sector': 542951, 'defensive sector not': 232164, 'sector not surprisingly': 744275, 'not surprisingly are': 571870, 'surprisingly are leading': 828646, 'are leading the': 87741, 'leading the broader': 483748, 'the broader market': 850040, 'broader market technology': 140766, 'market technology in': 517165, 'technology in 2nd': 836310, 'in 2nd place': 419903, '2nd place after': 16800, 'place after consumer': 657300, 'after consumer staple': 35500, 'you holding': 1019239, 'breath you': 139191, 'past other': 643581, 'are you holding': 91807, 'you holding your': 1019241, 'your breath you': 1023027, 'breath you walk': 139192, 'you walk past': 1022109, 'walk past other': 964860, 'past other people': 643582, 'make cleaning': 509773, 'and intentionally': 65315, 'intentionally limit': 441168, 'limit availability': 492298, 'availability to': 104189, 'they are company': 881229, 'that make cleaning': 844990, 'make cleaning supply': 509774, 'sanitizers and intentionally': 736199, 'and intentionally limit': 65316, 'intentionally limit availability': 441169, 'limit availability to': 492299, 'availability to increase': 104190, 'coiming': 185621, 'emergency shipment': 272976, 'are coiming': 85411, 'coiming in': 185622, 'in everyday': 422696, 'everyday so': 286625, 'emergency shipment of': 272977, 'shipment of are': 758765, 'of are coiming': 580342, 'are coiming in': 85412, 'coiming in everyday': 185623, 'in everyday so': 422698, 'everyday so panic': 286626, 'wcvb': 970261, 'breaking massachusetts': 138987, 'massachusetts governor': 519910, 'governor ban': 360876, 'ban the': 109268, 'of reusable': 589076, 'and mandate': 66637, 'mandate store': 513007, 'plastic or': 658867, 'bag wcvb': 108444, 'breaking massachusetts governor': 138988, 'massachusetts governor ban': 519911, 'governor ban the': 360877, 'ban the use': 109270, 'use of reusable': 949423, 'of reusable shopping': 589078, 'bag and mandate': 108220, 'and mandate store': 66638, 'mandate store do': 513008, 'charge for plastic': 173240, 'for plastic or': 324577, 'plastic or paper': 658868, 'or paper bag': 616497, 'paper bag wcvb': 639922, 'signed edm': 769362, 'edm against': 268688, 'hike if': 396215, 've signed edm': 953571, 'signed edm against': 769363, 'edm against price': 268689, 'against price hike': 37589, 'price hike if': 674530, 'hike if you': 396216, 'station le': 796448, 'one station le': 607089, 'station le than': 796449, 'important website': 419108, 'website of': 975367, 'day how': 227766, 'long people': 501552, 'can last': 158831, 'last with': 480707, 'current stash': 221381, 'toiletpaper while': 922839, 'isolating during': 455086, 'most important website': 542416, 'important website of': 419109, 'website of the': 975368, 'the day how': 852890, 'day how long': 227768, 'how long people': 408205, 'long people can': 501554, 'people can last': 647396, 'can last with': 158835, 'last with their': 480709, 'with their current': 1001565, 'their current stash': 872939, 'current stash of': 221382, 'of toiletpaper while': 592292, 'toiletpaper while self': 922842, 'self isolating during': 747721, 'isolating during the': 455087, 'increased your': 433538, 'to 65': 899799, '65 unjustified': 21383, 'unjustified and': 942489, 'clear profiteering': 181303, 'profiteering disgraceful': 683022, 'disgraceful will': 245338, 'service again': 752037, 'again profiteering': 37128, 'profiteering despicable': 683021, 'see you have': 746107, 'you have increased': 1019061, 'have increased your': 381073, 'increased your delivery': 433539, 'your delivery price': 1023483, 'delivery price from': 234367, 'price from 30': 674108, '30 to 65': 17246, 'to 65 unjustified': 899800, '65 unjustified and': 21384, 'unjustified and clear': 942490, 'and clear profiteering': 59959, 'clear profiteering disgraceful': 181304, 'profiteering disgraceful will': 683023, 'disgraceful will not': 245339, 'be using your': 117949, 'using your service': 950802, 'your service again': 1025726, 'service again profiteering': 752038, 'again profiteering despicable': 37129, 'market situation': 517069, 'situation due': 772246, 'stay sanitized': 797307, 'sanitized at': 734247, 'the current market': 852645, 'current market situation': 221254, 'market situation due': 517070, 'situation due to': 772247, 'to coronavirus we': 903575, 'coronavirus we have': 207051, 'we have developed': 971798, 'have developed hand': 380253, 'sanitizer that will': 735865, 'will help family': 993712, 'help family stay': 389684, 'family stay sanitized': 298253, 'stay sanitized at': 797308, 'sanitized at all': 734248, 'all time at': 45216, 'time at affordable': 896345, 'affordable price we': 34889, 'price we do': 677400, 'do everything possible': 249268, 'possible to have': 665845, 'grocer of': 364147, 'america on': 51636, 'on call': 599770, 'president grocery': 670819, 'executive assure': 289857, 'assure they': 97097, 'no is': 564525, 'to the grocer': 916753, 'the grocer of': 856798, 'grocer of america': 364148, 'of america on': 580043, 'america on call': 51637, 'on call with': 599772, 'with the president': 1001436, 'the president grocery': 864261, 'president grocery store': 670820, 'store executive assure': 807677, 'executive assure they': 289858, 'assure they remain': 97099, 'they remain committed': 883193, 'committed to staying': 189047, 'to staying open': 915352, 'staying open to': 798680, 'serve the american': 751944, 'people during these': 647745, 'challenging time no': 171643, 'time no is': 897270, 'no is necessary': 564526, 'nypd': 578117, 'testing more': 839568, 'here nypd': 393396, 'nypd crime': 578118, 'prevention division': 671851, 'division on': 248687, 'virus testing more': 958861, 'testing more information': 839570, 'more information about': 539574, 'information about coronavirus': 437703, 'from here nypd': 335779, 'here nypd crime': 393397, 'nypd crime prevention': 578119, 'crime prevention division': 216797, 'prevention division on': 671852, 'division on twitter': 248688, 'super hard': 818514, 'store won': 811430, 'give couple': 350440, 'it super hard': 461353, 'super hard to': 818515, 'hard to practice': 378077, 'when you work': 984618, 'seriously except for': 751603, 'for that guy': 326256, 'that guy grocery': 844099, 'grocery store won': 365966, 'store won close': 811431, 'won close just': 1003768, 'just give couple': 468810, 'give couple day': 350441, 'couple day stay': 211581, 'day stay at': 228392, 'topping': 925848, 'stockpiled for': 803838, 'brexit before': 139490, 'wa word': 963724, 'eating from': 266214, 'just topping': 470137, 'topping up': 925849, 'up didn': 944713, 'buy single': 149180, 'single loo': 771327, 'or sanitiser': 616942, 'sanitiser from': 733959, 'type two': 937616, 'two diabetes': 936886, 'diabetes and': 240164, 'am self': 50370, 'stockpiled for no': 803839, 'for no deal': 323887, 'deal brexit before': 229360, 'brexit before covid': 139491, '19 wa word': 11882, 'wa word and': 963725, 'word and we': 1004452, 're eating from': 698585, 'eating from that': 266215, 'from that and': 337575, 'that and just': 842655, 'and just topping': 65724, 'just topping up': 470138, 'topping up didn': 925850, 'up didn buy': 944714, 'didn buy single': 240999, 'buy single loo': 149182, 'single loo roll': 771328, 'roll or sanitiser': 725442, 'or sanitiser from': 616943, 'sanitiser from supermarket': 733961, 'from supermarket have': 337484, 'supermarket have type': 820713, 'have type two': 383446, 'type two diabetes': 937617, 'two diabetes and': 936887, 'diabetes and am': 240165, 'and am self': 58029, 'without sick': 1002914, 'pay insurance': 644960, 'insurance sanitizer': 440805, 'sanitizer amzn': 734371, 'amzn wmt': 55013, 'wmt reuters': 1003290, 'face pandemic without': 294692, 'pandemic without sick': 637038, 'without sick pay': 1002915, 'sick pay insurance': 768572, 'pay insurance sanitizer': 644962, 'insurance sanitizer amzn': 440806, 'sanitizer amzn wmt': 734372, 'amzn wmt reuters': 55014, 'it those': 461661, 'who manufacture': 989262, 'manufacture and': 513362, 'american south': 52204, 'south of': 786770, 'up now do': 945484, 'now do you': 574542, 'huh what is': 410323, 'is it those': 449066, 'it those who': 461663, 'those who manufacture': 892654, 'who manufacture and': 989263, 'manufacture and deliver': 513363, 'and deliver your': 61092, 'deliver your good': 233274, 'say of long': 739010, 'of long haul': 585997, 'sick and cannot': 768361, 'and cannot drive': 59508, 'million american south': 532057, 'american south of': 52205, 'huddled': 409901, 'distancing message': 247331, 'message doe': 529294, 'all huddled': 43164, 'huddled together': 409904, 'social distancing message': 779662, 'distancing message doe': 247332, 'message doe not': 529295, 'doe not seem': 251527, 'to have reached': 907296, 'have reached the': 382167, 'reached the large': 700059, 'the large group': 858948, 'of people all': 587870, 'people all huddled': 646803, 'all huddled together': 43166, 'huddled together in': 409905, 'together in queue': 920834, 'in queue waiting': 427227, 'queue waiting for': 694120, 'supermarket to open': 823394, 'gy': 369291, 'cst': 220067, 'join gy': 466733, 'gy business': 369292, 'business professor': 144267, 'torelli for': 925894, 'his upcoming': 397892, 'webinar titled': 975117, 'titled consumer': 899305, 'global marketplace': 352030, 'marketplace in': 517813, 'when april': 983164, '2020 1pm': 14101, '1pm cst': 12690, 'cst register': 220068, 'today join gy': 919755, 'join gy business': 466734, 'gy business professor': 369293, 'business professor carlos': 144268, 'carlos torelli for': 164756, 'torelli for his': 925895, 'for his upcoming': 322313, 'his upcoming webinar': 397893, 'upcoming webinar titled': 946819, 'webinar titled consumer': 975118, 'titled consumer behavior': 899306, 'the global marketplace': 856312, 'global marketplace in': 352031, 'marketplace in the': 517814, 'time of when': 897377, 'of when april': 593086, 'when april 2020': 983165, 'april 2020 1pm': 83456, '2020 1pm cst': 14102, '1pm cst register': 12691, 'angeles resident': 76383, 'buying firearm': 150293, 'firearm amid': 308138, 'shortage continues': 764892, 'los angeles resident': 503369, 'angeles resident are': 76384, 'resident are bulk': 714250, 'bulk buying firearm': 142274, 'buying firearm amid': 150294, 'firearm amid fear': 308139, 'food shortage continues': 316564, 'shortage continues to': 764893, 'continues to sweep': 201502, 'to sweep across': 916085, 'across the 19': 29479, 'respawn': 714948, 'simple people': 770070, 'people toilet': 649975, 'very bulky': 955026, 'bulky every': 142398, 'buy fucking': 148725, 'fucking truck': 340041, 'and trailer': 74360, 'shit and': 759056, 'and giggle': 63648, 'giggle that': 350089, 'le truck': 483222, 'truck on': 932834, 'road carrying': 724429, 'will respawn': 994666, 'respawn faster': 714949, 'they are quite': 881375, 'are quite simple': 89409, 'quite simple people': 694916, 'simple people toilet': 770071, 'people toilet paper': 649976, 'paper is very': 640365, 'is very bulky': 453668, 'very bulky every': 955027, 'bulky every time': 142399, 'panic buy fucking': 637485, 'buy fucking truck': 148727, 'fucking truck and': 340042, 'truck and trailer': 932725, 'and trailer full': 74361, 'full of it': 340733, 'of it for': 585395, 'it for shit': 458091, 'for shit and': 325554, 'shit and giggle': 759057, 'and giggle that': 63649, 'giggle that one': 350090, 'that one le': 845498, 'one le truck': 606581, 'le truck on': 483223, 'truck on the': 932835, 'the road carrying': 865923, 'road carrying food': 724430, 'you stop buying': 1021435, 'stop buying it': 804541, 'buying it other': 150601, 'it other thing': 460162, 'other thing will': 621115, 'thing will respawn': 884996, 'will respawn faster': 994667, 'think american': 885133, 'american currency': 51907, 'currency should': 221062, 'you think american': 1021644, 'think american currency': 885134, 'american currency should': 51908, 'currency should be': 221063, 'should be changed': 765582, 'changed to toilet': 172587, 'dipping': 243228, 'with market': 999394, 'market officially': 516785, 'officially dipping': 595996, 'dipping into': 243229, 'market territory': 517166, 'territory due': 838558, 'at previous': 100193, 'previous bear': 671956, 'with market officially': 999396, 'market officially dipping': 516786, 'officially dipping into': 595997, 'dipping into bear': 243230, 'bear market territory': 118414, 'market territory due': 517167, 'territory due to': 838559, 'concern around the': 192929, 'around the covid': 93533, 'pandemic and plummeting': 634890, 'oil price we': 597316, 'price we look': 677405, 'look at previous': 502286, 'at previous bear': 100194, 'previous bear market': 671957, 'bear market and': 118410, 'and what happens': 75468, 'northbayinn': 567714, 'covering do': 212466, 'office do': 595407, 'it cover': 457379, 'wash after': 967421, 'use northbayinn': 949391, 'northbayinn staycalm': 567715, 'staycalm staysafe': 797836, 'face covering do': 294373, 'covering do you': 212467, 'do you get': 250633, 'you get ready': 1018789, 'get ready to': 347887, 'or to your': 617484, 'to your doctor': 918971, 'your doctor office': 1023549, 'doctor office do': 251044, 'office do make': 595408, 'do make sure': 249582, 'sure it cover': 827597, 'it cover your': 457380, 'cover your nose': 212327, 'and mouth and': 67282, 'mouth and do': 543483, 'and do wash': 61567, 'do wash after': 250456, 'wash after each': 967422, 'each use northbayinn': 264320, 'use northbayinn staycalm': 949392, 'northbayinn staycalm staysafe': 567716, 'level collector': 487535, 'collector now': 186574, 'buy ventolin': 149426, 'asthma you': 97215, 'stop mining': 804836, 'mining for': 533278, 'purpose lucrative': 690141, 'new level collector': 559021, 'level collector now': 487536, 'collector now buy': 186575, 'now buy ventolin': 574305, 'buy ventolin it': 149427, 'doesn help you': 251839, 'pneumonia it will': 662099, 'not stop you': 571763, 'you from being': 1018709, 'being infected by': 125323, 'infected by 19': 436544, 'by 19 people': 151565, 'with asthma you': 997330, 'asthma you need': 97216, 'survive stop mining': 829237, 'stop mining for': 804837, 'mining for purpose': 533279, 'for purpose lucrative': 324872, 'milk dumping': 531648, 'dumping is': 262230, 'produce enormous': 680248, 'enormous amount': 277278, 'waste collectively': 968093, 'collectively because': 186527, 'waste there': 968201, 'always oversupply': 49682, 'oversupply built': 631581, 'milk dumping is': 531649, 'dumping is just': 262231, 'start of big': 794409, 'but they produce': 147511, 'they produce enormous': 882918, 'produce enormous amount': 680249, 'enormous amount of': 277279, 'food waste collectively': 317474, 'waste collectively because': 968094, 'collectively because of': 186528, 'enormous waste there': 277298, 'waste there wa': 968202, 'there wa always': 879226, 'wa always oversupply': 961516, 'always oversupply built': 49683, 'oversupply built into': 631582, 'of frog': 583961, 'frog in': 334142, 'supermarket compete': 819748, 'compete for': 191587, 'for lane': 322881, 'lane while': 479466, 'while maintaining': 987020, 'maintaining foot': 509106, 'safety space': 730735, 'like it like': 490546, 'it like game': 459362, 'game of frog': 343214, 'of frog in': 583962, 'frog in the': 334143, 'the supermarket compete': 868524, 'supermarket compete for': 819749, 'compete for lane': 191588, 'for lane while': 322882, 'lane while maintaining': 479467, 'while maintaining foot': 987022, 'maintaining foot of': 509107, 'foot of safety': 318410, 'of safety space': 589223, 'eyebrow': 294131, 'retort': 719732, 'wife say': 991970, 'say did': 738570, 'dog dog': 252067, 'food said': 316282, 'no didn': 564006, 'see her': 745185, 'her eyebrow': 392030, 'eyebrow raising': 294132, 'raising at': 696062, 'my quick': 549877, 'quick retort': 694355, 'retort quickly': 719733, 'quickly added': 694453, 'added dog': 31555, 'are pack': 88941, 'pack animal': 633016, 'understand community': 940612, 'community survival': 190141, 'survival behavior': 829019, 'hoard community': 398771, 'wife say did': 991971, 'say did you': 738571, 'up on dog': 945546, 'on dog dog': 600375, 'dog dog food': 252068, 'dog food said': 252089, 'food said no': 316284, 'said no didn': 731255, 'no didn feel': 564008, 'didn feel the': 241060, 'need to can': 555879, 'to can see': 902406, 'can see her': 159537, 'see her eyebrow': 745186, 'her eyebrow raising': 392031, 'eyebrow raising at': 294133, 'raising at my': 696063, 'at my quick': 99829, 'my quick retort': 549880, 'quick retort quickly': 694356, 'retort quickly added': 719734, 'quickly added dog': 694454, 'added dog are': 31556, 'dog are pack': 252040, 'are pack animal': 88942, 'pack animal and': 633017, 'animal and understand': 76553, 'and understand community': 74634, 'understand community survival': 940613, 'community survival behavior': 190142, 'survival behavior they': 829020, 'behavior they don': 124241, 'they don hoard': 881993, 'don hoard community': 253635, 'kid work': 474181, 'upset that': 947823, 'believing that': 126458, 'coronacrisis panicshopping': 204700, 'each of my': 264136, 'my kid work': 548960, 'kid work at': 474182, 'so get crazy': 777158, 'get crazy story': 346832, 'crazy story from': 215430, 'story from people': 811987, 'from people upset': 336894, 'people upset that': 650059, 'upset that they': 947825, 'they re out': 883089, 'stock or not': 802586, 'not believing that': 568563, 'believing that their': 126460, 'that their online': 846880, 'understanding coronacrisis panicshopping': 940873, 'ssd': 791640, 'ssd and': 791641, 'and ram': 69913, 'ram price': 696319, '19 ssd': 10772, 'ssd ram': 791643, 'ram tech': 696323, 'tech technology': 836161, 'ssd and ram': 791642, 'and ram price': 69914, 'ram price fall': 696320, 'covid 19 ssd': 213851, '19 ssd ram': 10773, 'ssd ram tech': 791644, 'ram tech technology': 696324, 'warmed': 966892, 'stashed': 795306, 'it warmed': 462245, 'warmed my': 966893, 'heart seeing': 388330, 'seeing waitrose': 746547, 'waitrose worker': 964491, 'worker offer': 1007476, 'offer two': 594861, 'two elderly': 936909, 'shopper 12': 761328, 'had stashed': 373554, 'stashed out': 795309, 'need well': 556193, 'done waitrose': 255098, 'waitrose panicbuyinguk': 964472, 'panicbuyinguk supermarket': 639174, 'it warmed my': 462246, 'warmed my heart': 966894, 'my heart seeing': 548658, 'heart seeing waitrose': 388331, 'seeing waitrose worker': 746548, 'waitrose worker offer': 964492, 'worker offer two': 1007477, 'offer two elderly': 594862, 'two elderly shopper': 936911, 'elderly shopper 12': 270877, 'shopper 12 pack': 761329, 'roll that they': 725532, 'they had stashed': 882264, 'had stashed out': 373555, 'stashed out the': 795310, 'back for those': 106997, 'in need well': 425781, 'need well done': 556195, 'well done waitrose': 978207, 'done waitrose panicbuyinguk': 255099, 'waitrose panicbuyinguk supermarket': 964473, 'so disappointed': 776871, 'the riot': 865841, 'riot of': 722619, 'of 2011': 579470, '2011 when': 13775, 'stockwell who': 804234, 'didn suddenly': 241222, 'haven been so': 383760, 'been so disappointed': 121990, 'so disappointed in': 776872, 'since the riot': 770905, 'the riot of': 865842, 'riot of 2011': 722620, 'of 2011 when': 579471, '2011 when wa': 13776, 'in stockwell who': 428360, 'stockwell who didn': 804235, 'who didn suddenly': 988594, 'didn suddenly acquire': 241223, 'emea': 272519, 'unregulated': 943322, 'the emea': 854213, 'emea unregulated': 272520, 'unregulated amp': 943323, 'amp utility': 54768, 'utility sector': 951313, 'stable from': 791914, 'from positive': 336951, 'and electricity': 61998, 'demand moody': 235881, 'moody report': 538314, 'for the emea': 326408, 'the emea unregulated': 854214, 'emea unregulated amp': 272521, 'unregulated amp utility': 943324, 'amp utility sector': 54769, 'utility sector ha': 951314, 'sector ha changed': 744203, 'ha changed to': 370140, 'changed to stable': 172586, 'to stable from': 915126, 'stable from positive': 791915, 'from positive in': 336952, 'positive in 2020': 665353, '2020 the outbreak': 14641, 'outbreak drive down': 628181, 'drive down power': 259039, 'down power price': 257106, 'power price and': 667662, 'price and electricity': 672403, 'and electricity demand': 62000, 'electricity demand moody': 271169, 'demand moody report': 235882, 'school or': 741895, 'they encounter': 882042, 'encounter safe': 275535, 'healthy check': 387556, 'hand mn': 375086, 'are you hospital': 91809, 'you hospital school': 1019251, 'hospital school or': 404601, 'school or other': 741896, 'other essential business': 620153, 'essential business that': 280863, 'business that need': 144484, 'that need hand': 845299, 'keep your worker': 472291, 'and those they': 74039, 'those they encounter': 892548, 'they encounter safe': 882043, 'encounter safe and': 275536, 'and healthy check': 64384, 'healthy check out': 387557, 'check out all': 174533, 'out all hand': 625600, 'all hand mn': 43030, 'risingnepal': 723330, 'bhatbhateni': 129361, 'risingnepal bhatbhateni': 723331, 'bhatbhateni supermarket': 129362, 'supermarket dole': 819996, 'out million': 626552, 'risingnepal bhatbhateni supermarket': 723332, 'bhatbhateni supermarket dole': 129363, 'supermarket dole out': 819997, 'dole out million': 252927, 'out million in': 626553, 'dearmrpresident': 229940, 'are folk': 86616, 'bringing their': 140205, 'should ban': 765536, 'ban them': 109271, 'them dearmrpresident': 875583, 'why are folk': 990773, 'are folk bringing': 86617, 'folk bringing their': 312113, 'bringing their kid': 140206, 'their kid to': 873760, 'store should ban': 810157, 'should ban them': 765538, 'ban them dearmrpresident': 109272, 'educating': 268793, 'should tech': 766558, 'apple microsoft': 82342, 'microsoft and': 530500, 'google give': 358150, 'give educational': 350463, 'educational discount': 268888, 'student now': 814740, 'now pupil': 575625, 'pupil will': 689295, 'need computer': 554623, 'computer for': 192733, 'home educating': 401127, 'educating and': 268794, 'price apple': 672610, 'microsoft google': 530509, 'should tech company': 766559, 'tech company like': 836062, 'like apple microsoft': 489823, 'apple microsoft and': 82343, 'microsoft and google': 530501, 'and google give': 63839, 'google give educational': 358151, 'give educational discount': 350464, 'educational discount on': 268889, 'discount on product': 244513, 'on product for': 602952, 'product for all': 681196, 'for all student': 319172, 'all student now': 44519, 'student now pupil': 814741, 'now pupil will': 575626, 'pupil will need': 689296, 'will need computer': 994145, 'need computer for': 554624, 'computer for home': 192734, 'for home educating': 322344, 'home educating and': 401128, 'educating and not': 268795, 'not all family': 568105, 'all family can': 42754, 'family can afford': 297682, 'afford the high': 34770, 'high price apple': 395232, 'price apple microsoft': 672611, 'apple microsoft google': 82344, 'small busines': 774831, 'lending small busines': 486295, 'sangam': 733783, 'veb': 953668, 'grocery contestalert': 364400, 'puzzle inviting': 691320, 'inviting sangam': 444292, 'sangam veb': 733784, 'wuhan grocery contestalert': 1013488, 'grocery contestalert contest': 364401, 'contestalert contest alert': 200885, 'competition puzzle inviting': 191731, 'puzzle inviting sangam': 691321, 'inviting sangam veb': 444293, 'crisis marketer': 217701, 'marketer need': 517473, 'on advertising': 599166, 'advertising most': 33252, 'home understand': 402390, 'their desire': 873010, 'desire manage': 238422, 'light of this': 489565, 'this crisis marketer': 887064, 'crisis marketer need': 217703, 'marketer need to': 517474, 'focus on advertising': 311861, 'on advertising most': 599167, 'advertising most customer': 33253, 'most customer are': 542231, 'customer are spending': 222128, 'spending time at': 789018, 'at home understand': 99154, 'home understand consumer': 402391, 'understand consumer behavior': 940620, 'and their desire': 73680, 'their desire manage': 873011, 'desire manage online': 238423, 'manage online sale': 512414, 'online sale and': 608911, 'sale and stay': 732047, 'touch with their': 926583, 'with their customer': 1001566, 'their customer 19': 872942, 'transit employee': 929633, 'are classified': 85289, 'classified essential': 180353, 'just like doctor': 469142, 'like doctor nurse': 490130, 'worker transit employee': 1008045, 'transit employee are': 929634, 'employee are classified': 273609, 'are classified essential': 85290, 'classified essential in': 180354, 'essential in the': 281159, 'wa war': 963661, 'war gaming': 966445, 'gaming the': 343366, 'state wa': 796066, 'wa calling': 961779, 'store wa war': 811129, 'wa war gaming': 963662, 'war gaming the': 966447, 'gaming the at': 343367, 'time the president': 897868, 'united state wa': 942252, 'state wa calling': 796068, 'wa calling it': 961780, 'calling it hoax': 156589, 'then onwards': 877385, 'onwards airline': 611709, 'started cancelling': 794702, 'flight lot': 310507, 'of tourist': 592347, 'are trapped': 91185, 'from then onwards': 337963, 'then onwards airline': 877386, 'onwards airline started': 611710, 'airline started cancelling': 40034, 'started cancelling flight': 794703, 'cancelling flight lot': 161215, 'flight lot of': 310508, 'lot of tourist': 504313, 'of tourist are': 592348, 'tourist are trapped': 927025, 'are trapped some': 91186, 'your smile': 1025843, 'smile cause': 775703, 'cause wonder': 167800, 'it lionelrichie': 459402, 'lionelrichie toiletpaper': 494041, 'quaratinelife hello': 693127, 'in your eye': 431078, 'your eye can': 1023729, 'in your smile': 431122, 'your smile cause': 1025844, 'smile cause wonder': 775704, 'cause wonder where': 167801, 'wonder where you': 1004028, 'are and wonder': 84555, 'wonder what you': 1004019, 'what you ll': 982680, 'you ll do': 1019646, 'll do to': 496717, 'get it lionelrichie': 347413, 'it lionelrichie toiletpaper': 459403, 'lionelrichie toiletpaper quaratinelife': 494042, 'toiletpaper quaratinelife hello': 922387, 'clueless': 184568, 'grifterinchief': 363930, 'surging gas': 828428, 'industry hey': 435881, 'hey wait': 394533, 'minute it': 533781, 'we chopped': 971126, 'chopped liver': 177970, 'liver is': 496231, 'is clueless': 446623, 'clueless congress': 184569, 'congress voteblue': 194550, 'voteblue grifterinchief': 960534, 'grifterinchief humor': 363931, 'surging gas price': 828429, 'will help the': 993732, 'help the energy': 390649, 'energy industry hey': 276477, 'industry hey wait': 435882, 'hey wait minute': 394534, 'wait minute it': 964157, 'minute it will': 533782, 'it will raise': 462427, 'will raise gas': 994552, 'gas price what': 344052, 'price what are': 677466, 'are we chopped': 91562, 'we chopped liver': 971127, 'chopped liver is': 177971, 'liver is clueless': 496232, 'is clueless congress': 446624, 'clueless congress voteblue': 184570, 'congress voteblue grifterinchief': 194551, 'voteblue grifterinchief humor': 960535, 'coronaidiots': 204977, 'all coronaidiots': 42460, 'coronaidiots somewhere': 204978, 'somewhere together': 785320, 'week give': 976268, 'fresh society': 333075, 'society after': 781144, 'week corona': 976107, 'corona coronalockdown': 203882, 'cannot we just': 162222, 'we just put': 972117, 'just put all': 469525, 'put all coronaidiots': 690499, 'all coronaidiots somewhere': 42461, 'coronaidiots somewhere together': 204979, 'somewhere together for': 785321, 'together for week': 920796, 'for week give': 327709, 'week give them': 976269, 'give them enough': 350765, 'them enough food': 875653, 'and toiletpaper and': 74240, 'toiletpaper and start': 921730, 'and start with': 72253, 'start with fresh': 794648, 'with fresh society': 998555, 'fresh society after': 333076, 'society after week': 781145, 'after week corona': 36524, 'week corona coronalockdown': 976108, 'consumerprotections': 199752, 'nclc': 553326, 'major consumerprotections': 509290, 'consumerprotections announced': 199753, '19 nclc': 8751, 'nclc digital': 553327, 'digital library': 242591, 'major consumerprotections announced': 509291, 'consumerprotections announced in': 199754, 'to 19 nclc': 899547, '19 nclc digital': 8752, 'nclc digital library': 553328, 'driver healthcare': 259600, 'rise up grocery': 723052, 'up grocery store': 945042, 'delivery driver healthcare': 233917, 'driver healthcare worker': 259601, 'worker and sanitation': 1006330, 'medicalsupplies': 526561, 'finding medicalsupplies': 307501, 'medicalsupplies reached': 526564, 'reached out': 700052, 'to few': 905763, 'few associate': 303718, 'associate quickly': 96888, 'quickly gained': 694535, 'gained access': 342844, 'glove handsanitizer': 352708, 'price someone': 676558, 'lying quaratinelife': 507077, 'get the problem': 348285, 'the problem with': 864533, 'problem with finding': 679755, 'with finding medicalsupplies': 998444, 'finding medicalsupplies reached': 307502, 'medicalsupplies reached out': 526565, 'reached out to': 700053, 'out to few': 627644, 'to few associate': 905764, 'few associate quickly': 303719, 'associate quickly gained': 96889, 'quickly gained access': 694536, 'gained access to': 342845, 'access to mask': 28255, 'to mask glove': 909875, 'mask glove handsanitizer': 518735, 'glove handsanitizer at': 352709, 'handsanitizer at wholesale': 376485, 'wholesale price someone': 990478, 'price someone is': 676559, 'someone is lying': 784533, 'is lying quaratinelife': 449496, 'lying quaratinelife 19': 507078, 'quaratinelife 19 stayathome': 693118, 'granted even': 362067, 'our immune': 623507, 'system this': 831346, 'thought occurred': 893137, 'occurred to': 579049, 'every plastic': 286112, 'bag corona': 108258, 'seems like we': 746821, 've been taking': 952939, 'been taking everything': 122134, 'taking everything for': 833351, 'everything for granted': 287792, 'for granted even': 321991, 'granted even our': 362068, 'even our immune': 284451, 'our immune system': 623508, 'immune system this': 417354, 'system this thought': 831347, 'this thought occurred': 890584, 'thought occurred to': 893138, 'occurred to me': 579051, 'supermarket when wearing': 823811, 'when wearing my': 984481, 'wearing my glove': 974736, 'my glove it': 548513, 'glove it took': 352747, 'took me so': 925289, 'me so long': 523492, 'long to open': 501790, 'to open each': 910988, 'open each and': 612203, 'and every plastic': 62380, 'every plastic bag': 286113, 'plastic bag corona': 658803, 'while rwandan': 987227, 'opt fr': 613862, 'fr online': 330841, 'encourage our': 275614, 'our to': 625152, 'about rwanda': 26124, 'rwanda service': 728747, 'service regarding': 752754, 'regarding our': 707238, 'our parcel': 624253, 'parcel amp': 641474, 'amp courier': 53588, 'courier delivery': 211805, 'while rwandan are': 987228, 'rwandan are being': 728758, 'are being encouraged': 84853, 'encouraged to opt': 275668, 'to opt fr': 911035, 'opt fr online': 613863, 'fr online shopping': 330842, '19 we encourage': 11926, 'we encourage our': 971451, 'encourage our to': 275615, 'our to think': 625154, 'think more about': 885402, 'more about rwanda': 538521, 'about rwanda service': 26125, 'rwanda service regarding': 728748, 'service regarding our': 752755, 'regarding our parcel': 707239, 'our parcel amp': 624254, 'parcel amp courier': 641475, 'amp courier delivery': 53589, 'courier delivery service': 211809, 'bid to avoid': 129485, 'consumer globally': 197585, 'america do': 51493, 'need higher': 555011, '19 financial': 7004, 'which they': 986392, 'consumer globally and': 197586, 'globally and here': 352370, 'and here in': 64529, 'here in america': 393132, 'in america do': 420218, 'america do not': 51494, 'not need higher': 570658, 'need higher gas': 555012, 'gas price due': 343956, 'to the individual': 916809, 'the individual covid': 858145, 'covid 19 financial': 213097, '19 financial crisis': 7005, 'financial crisis which': 306387, 'crisis which they': 218390, 'which they now': 986395, 'they now find': 882799, 'find themselves in': 307319, '16oz': 4272, 'aosafety': 81188, '16oz liquid': 4273, 'liquid cleaner': 494082, 'cleaner sanitizer': 180828, 'sanitizer aosafety': 734474, 'aosafety super': 81189, 'super clear': 818484, 'clear isopropyl': 181275, 'isopropyl cleaner': 455567, '16oz liquid cleaner': 4274, 'liquid cleaner sanitizer': 494083, 'cleaner sanitizer aosafety': 180829, 'sanitizer aosafety super': 734475, 'aosafety super clear': 81190, 'super clear isopropyl': 818486, 'clear isopropyl cleaner': 181276, 'selective': 747532, 'afternoon they': 36723, 'are rather': 89439, 'rather selective': 697492, 'selective and': 747533, 'limit what': 492556, 'buy many': 148935, 'many butter': 513855, 'butter bunny': 148134, 'bunny you': 142711, 'want brought': 965739, 'brought one': 141184, 'one home': 606425, 'the novelty': 861928, 'novelty grocery': 573838, 'grocery hoarding': 364593, 'hoarding coronapocolypse': 399257, 'store this afternoon': 810693, 'this afternoon they': 886238, 'afternoon they are': 36724, 'they are rather': 881378, 'are rather selective': 89440, 'rather selective and': 697493, 'selective and limit': 747534, 'and limit what': 66183, 'limit what you': 492559, 'buy the good': 149298, 'good news is': 357451, 'is that you': 452712, 'can buy many': 157830, 'buy many butter': 148936, 'many butter bunny': 513856, 'butter bunny you': 148135, 'bunny you want': 142712, 'you want brought': 1022132, 'want brought one': 965740, 'brought one home': 141185, 'one home just': 606426, 'home just for': 401482, 'for the novelty': 326590, 'the novelty grocery': 861929, 'novelty grocery hoarding': 573839, 'grocery hoarding coronapocolypse': 364594, 'lockdownitaly': 500303, 'local italian': 498128, 'italian supermarket': 462727, 'word britain': 1004457, 'britain bidet': 140383, 'bidet lockdownitaly': 129570, 'roll aisle at': 725161, 'my local italian': 549124, 'local italian supermarket': 498129, 'italian supermarket one': 462729, 'supermarket one word': 821758, 'one word britain': 607504, 'word britain bidet': 1004458, 'britain bidet lockdownitaly': 140384, 'the seller': 866690, 'of garbage': 584038, 'is increased': 448848, 'from desperate': 335137, 'desperate medical': 238535, 'medical people': 526284, 'mask am': 518292, 'fucking joking': 339923, 'joking time': 467200, 'capitalism to': 162786, 'go new': 353851, 'end capitalism': 275798, 'have communism': 380045, 'watch the seller': 968552, 'the seller of': 866692, 'seller of garbage': 749046, 'of garbage bag': 584039, 'garbage bag put': 343509, 'price up now': 677247, 'up now there': 945485, 'there is increased': 878577, 'is increased demand': 448849, 'demand from desperate': 235536, 'from desperate medical': 335138, 'desperate medical people': 238536, 'medical people like': 526286, 'people like mask': 648645, 'like mask am': 490720, 'mask am not': 518293, 'am not fucking': 50249, 'not fucking joking': 569546, 'fucking joking time': 339924, 'joking time for': 467201, 'time for capitalism': 896695, 'for capitalism to': 319929, 'capitalism to go': 162787, 'to go new': 906828, 'go new way': 353852, 'new way is': 559854, 'way is possible': 969668, 'is possible just': 450949, 'possible just because': 665697, 'because we end': 119802, 'we end capitalism': 971455, 'end capitalism doe': 275799, 'not mean we': 570558, 'we have communism': 971776, 'article show': 94457, 'alive on': 41825, 'plastic surface': 658881, 'for 72': 318910, 'mean shopping': 524643, 'is unsafe': 453550, 'this article show': 886430, 'article show covid': 94458, '19 can stay': 5615, 'stay alive on': 796761, 'alive on plastic': 41826, 'on plastic surface': 602818, 'plastic surface for': 658882, 'surface for 72': 828023, 'for 72 hour': 318911, '72 hour doe': 22009, 'hour doe this': 405544, 'this mean shopping': 888815, 'mean shopping online': 524644, 'online is unsafe': 608438, 'home peep': 401827, 'peep let': 646288, 'let spend': 487061, 'gas we': 344179, 'saving on': 737936, 'card bigger': 163475, 'bigger tip': 130181, 'from home peep': 335893, 'home peep let': 401828, 'peep let spend': 646289, 'let spend some': 487062, 'spend some of': 788673, 'of the gas': 591056, 'the gas we': 856177, 'gas we are': 344180, 'we are saving': 970697, 'are saving on': 89817, 'saving on local': 737937, 'on local business': 601892, 'local business online': 497771, 'business online shopping': 144142, 'online shopping gift': 609131, 'gift card bigger': 349937, 'card bigger tip': 163476, 'bigger tip for': 130182, 'tip for service': 898782, 'for service worker': 325502, 'service worker they': 753110, 'worker they need': 1007968, 'cutlery': 223685, 'phone while': 655063, 'it outside': 460202, 'outside unless': 629630, 'unless there': 942643, 'there real': 878982, 'real emergency': 701124, 'emergency cut': 272651, 'cut your': 223640, 'your nail': 1024925, 'nail short': 551461, 'short eat': 764612, 'with cutlery': 997910, 'and don use': 61643, 'don use your': 254020, 'use your phone': 949844, 'your phone while': 1025296, 'phone while you': 655065, 'are in grocery': 87388, 'hospital or on': 404542, 'or on public': 616371, 'transport just don': 929902, 'just don use': 468635, 'don use it': 254015, 'use it outside': 949308, 'it outside unless': 460203, 'outside unless there': 629631, 'unless there real': 942644, 'there real emergency': 878983, 'real emergency cut': 701125, 'emergency cut your': 272652, 'cut your nail': 223642, 'your nail short': 1024926, 'nail short eat': 551462, 'short eat with': 764613, 'eat with cutlery': 266115, 'school across': 741668, 'country closed': 210545, 'kid routine': 474090, 'routine turned': 726540, 'turned inside': 935841, 'out find': 626068, 'find useful': 307365, 'calm your': 156827, 'kid fear': 473947, 'stress stress': 813398, 'with school across': 1000597, 'school across the': 741669, 'the country closed': 852056, 'country closed and': 210546, 'closed and kid': 182986, 'and kid routine': 65835, 'kid routine turned': 474091, 'routine turned inside': 726541, 'turned inside out': 935842, 'inside out find': 439354, 'out find useful': 626069, 'find useful tip': 307366, 'useful tip from': 950199, 'how to calm': 408986, 'to calm your': 902398, 'calm your kid': 156828, 'your kid fear': 1024558, 'kid fear and': 473948, 'fear and stress': 301038, 'and stress stress': 72558, 'forced clothing': 328565, 'clothing shop': 184289, 'door many': 255646, 'many culprit': 513966, 'culprit are': 220247, 'operate normal': 613001, 'while the pandemic': 987407, 'pandemic ha forced': 635545, 'ha forced clothing': 370658, 'forced clothing shop': 328566, 'clothing shop to': 184290, 'shop to shut': 760956, 'to shut their': 914613, 'their door many': 873073, 'door many culprit': 255647, 'many culprit are': 513967, 'culprit are continuing': 220248, 'continuing to operate': 201565, 'to operate normal': 911022, 'operate normal online': 613002, 'normal online via': 567232, '3dprinting will': 18266, 'such standard': 816768, 'we lived': 972225, 'lived without': 496184, 'without it': 1002738, 'will corporation': 993039, 'corporation realize': 207458, 'they rip': 883220, 'be producer': 116558, 'producer instead': 680644, '3dprinting will be': 18267, 'will be such': 992708, 'be such standard': 117432, 'such standard in': 816769, 'standard in our': 793673, 'our home we': 623458, 'home we will': 402462, 'will not know': 994239, 'how we lived': 409180, 'we lived without': 972226, 'lived without it': 496185, 'without it only': 1002741, 'it only then': 460111, 'then will corporation': 877767, 'will corporation realize': 993040, 'corporation realize how': 207459, 'much they rip': 545372, 'they rip off': 883221, 'rip off the': 722669, 'off the consumer': 594237, 'consumer you will': 199588, 'power to be': 667702, 'to be producer': 901460, 'be producer instead': 116559, 'producer instead of': 680645, 'instead of consumer': 440247, 'of consumer it': 581748, 'consumer it coming': 197956, 'oaf': 578244, 'will every': 993348, 'with hoard': 998855, 'of oaf': 587129, 'oaf having': 578245, 'reason those': 703014, 'those trolley': 892564, 'trolley never': 932445, 'cleaned hot': 180710, 'so will every': 778770, 'will every supermarket': 993349, 'every supermarket with': 286271, 'supermarket with hoard': 823925, 'with hoard of': 998856, 'hoard of oaf': 398840, 'of oaf having': 587130, 'oaf having to': 578246, 'having to panic': 384354, 'buy for no': 148697, 'no reason those': 565299, 'reason those trolley': 703016, 'those trolley never': 892565, 'trolley never get': 932446, 'never get cleaned': 558013, 'get cleaned hot': 346777, 'cleaned hot spot': 180711, 'sunrise': 818415, 'sv': 829866, 'sunrise sv': 818418, 'sv what': 829867, 'nearby have': 553660, 'with getting': 998609, 'sunrise sv what': 818419, 'sv what doe': 829868, 'what doe not': 981367, 'doe not having': 251499, 'not having supermarket': 569905, 'having supermarket nearby': 384297, 'supermarket nearby have': 821580, 'nearby have to': 553661, 'do with getting': 250551, 'with getting covid': 998610, 'usa must': 948699, 'total lockdown': 926184, 'lockdown curfew': 499289, 'curfew in': 220888, 'time wks': 898369, 'wks the': 1003262, 'virus must': 958512, 'must attack': 546478, 'attack enemy': 102107, 'enemy at': 276347, 'kill mail': 474431, 'mail delivery': 508600, 'open mall': 612372, 'mall closed': 511767, 'shopping employee': 762569, 'employee paid': 274101, 'usa must go': 948700, 'must go on': 546686, 'go on total': 353903, 'on total lockdown': 604816, 'total lockdown curfew': 926186, 'lockdown curfew in': 499290, 'curfew in all': 220889, 'in all state': 420183, 'all state to': 44435, 'state to fight': 796020, 'fight at same': 304666, 'same time wks': 733377, 'time wks the': 898370, 'wks the world': 1003263, 'world is at': 1009686, 'is at war': 445877, 'war with virus': 966606, 'with virus must': 1001989, 'virus must attack': 958513, 'must attack enemy': 546479, 'attack enemy at': 102108, 'enemy at same': 276348, 'time to kill': 898010, 'to kill mail': 908931, 'kill mail delivery': 474432, 'mail delivery grocery': 508602, 'delivery grocery other': 234070, 'other essential store': 620178, 'essential store remains': 281593, 'remains open mall': 710046, 'open mall closed': 612373, 'mall closed online': 511768, 'online shopping employee': 609108, 'shopping employee paid': 762570, 'businessadvice': 144733, 'recent blog': 703822, 'coronavirus your': 207115, 'insight be': 439515, 'read and': 700279, 'community if': 189907, 'you enjoyed': 1018416, 'enjoyed it': 277218, 'it read': 460608, 'read blog': 700308, 'blog smallbusiness': 133014, 'smallbusiness businessadvice': 775213, 'businessadvice blog': 144734, 'out our recent': 626990, 'our recent blog': 624553, 'recent blog post': 703823, 'post on coronavirus': 666250, 'on coronavirus your': 600127, 'coronavirus your business': 207116, 'business and marketing': 143320, 'and marketing consumer': 66723, 'marketing consumer insight': 517560, 'consumer insight be': 197883, 'insight be great': 439516, 'can have read': 158583, 'have read and': 382170, 'read and share': 700282, 'with your community': 1002185, 'your community if': 1023274, 'community if you': 189908, 'if you enjoyed': 415430, 'you enjoyed it': 1018417, 'enjoyed it read': 277220, 'it read blog': 460609, 'read blog smallbusiness': 700310, 'blog smallbusiness businessadvice': 133015, 'smallbusiness businessadvice blog': 775214, 'the visit': 870927, 'surrounding the visit': 828779, 'the visit to': 870928, 'toiletpaperpanic buying': 923201, 'buying wondering': 151383, 'shopping baking': 762152, 'baking paper': 108917, 'paper house': 640291, 'house plant': 406457, 'the toiletpaperpanic buying': 869743, 'toiletpaperpanic buying wondering': 923202, 'buying wondering what': 151384, 'wondering what people': 1004193, 'what people might': 982015, 'people might get': 648771, 'might get replacement': 530992, 'online shopping baking': 609042, 'shopping baking paper': 762153, 'baking paper house': 108918, 'paper house plant': 640292, 'sum1': 817884, 'if sum1': 414889, 'sum1 find': 817885, 'there if sum1': 878497, 'if sum1 find': 414890, 'sum1 find positive': 817886, 'racism amidst': 695276, 'entry at': 278988, 'facial characteristic': 295233, 'characteristic watch': 173170, 'more report': 540227, 'of racism amidst': 588714, 'racism amidst the': 695277, 'denied entry at': 236955, 'entry at grocery': 278989, 'store in hyderabad': 808318, 'their facial characteristic': 873231, 'facial characteristic watch': 295234, 'characteristic watch the': 173171, 'the video to': 870755, 'know more report': 476610, 'more report by': 540228, 'rippled': 722745, 'mufgs': 545563, 'experiencing unimaginable': 291711, 'unimaginable turmoil': 941816, 'turmoil oil': 935625, 'collapsed to': 186116, 'in almost': 420193, 'almost 17': 46485, 'lockdown have': 499458, 'have rippled': 382327, 'rippled through': 722746, 'this leave': 888602, 'leave investor': 484836, 'investor click': 444133, 'for analysis': 319311, 'of mufgs': 586716, 'global market is': 352026, 'market is experiencing': 516624, 'is experiencing unimaginable': 447651, 'experiencing unimaginable turmoil': 291712, 'unimaginable turmoil oil': 941817, 'turmoil oil price': 935626, 'have collapsed to': 380016, 'collapsed to their': 186117, 'lowest in almost': 506173, 'in almost 17': 420194, 'almost 17 year': 46486, '17 year covid': 4404, '19 lockdown have': 8391, 'lockdown have rippled': 499460, 'have rippled through': 382328, 'rippled through the': 722747, 'global economy where': 351909, 'economy where doe': 268344, 'where doe this': 984841, 'doe this leave': 251636, 'this leave investor': 888603, 'leave investor click': 484837, 'investor click for': 444134, 'click for analysis': 181907, 'for analysis of': 319312, 'analysis of mufgs': 57066, 'world seeing': 1009957, 'seeing venezuelan': 746541, 'venezuelan people': 954460, 'without toilet': 1003010, 'the world seeing': 871960, 'world seeing venezuelan': 1009958, 'seeing venezuelan people': 746542, 'venezuelan people without': 954461, 'people without toilet': 650494, 'without toilet paper': 1003011, 'paper people around': 640588, 'world now that': 1009846, 'that they don': 846932, 'have any toilet': 379325, 'paper left in': 640410, 'left in any': 485511, 'stinking': 801676, 'gop that': 358285, 'even supply': 284625, 'totally inept': 926360, 'inept full': 436331, 'crap we': 214916, 'must flush': 546662, 'flush them': 311556, 'drain in': 258212, 'november they': 573862, 'are stinking': 90504, 'stinking up': 801677, 'up america': 944276, 'america 19': 51432, 'doe it say': 251438, 'say about trump': 738391, 'about trump the': 26786, 'trump the gop': 933916, 'the gop that': 856471, 'gop that they': 358286, 'cannot even supply': 161804, 'even supply with': 284626, 'supply with enough': 826121, 'with enough toiletpaper': 998237, 'enough toiletpaper they': 277742, 'toiletpaper they are': 922607, 'they are totally': 881438, 'are totally inept': 91156, 'totally inept full': 926361, 'inept full of': 436332, 'of crap we': 582116, 'crap we must': 214917, 'we must flush': 972415, 'must flush them': 546663, 'flush them all': 311557, 'all down the': 42629, 'the drain in': 853650, 'drain in november': 258213, 'in november they': 425980, 'november they are': 573863, 'they are stinking': 881418, 'are stinking up': 90505, 'stinking up america': 801678, 'up america 19': 944277, 'america 19 sundaythoughts': 51433, 'cornoravirus': 203733, 'commerce full': 188555, 'here cornoravirus': 392895, 'cornoravirus coronavid19': 203736, 'coronavid19 19': 205371, '19 arabia': 5189, 'arabia business': 83865, 'enough stock and': 277632, 'stock and food': 801811, 'food product for': 316019, 'product for everyone': 681197, 'for everyone say': 321235, 'everyone say the': 287347, 'say the ministry': 739287, 'ministry of commerce': 533540, 'of commerce full': 581550, 'commerce full detail': 188556, 'full detail here': 340559, 'detail here cornoravirus': 239195, 'here cornoravirus coronavid19': 392896, 'cornoravirus coronavid19 19': 203737, 'coronavid19 19 arabia': 205372, '19 arabia business': 5190, 'the cattle': 850533, 'in montana': 425405, 'montana haven': 537489, '19 beef': 5340, 'their steepest': 874822, 'steepest decline': 799409, 'in forty': 423057, 'forty year': 329943, 'year urging': 1015071, 'urging to': 948457, 'stabilize beef': 791835, 'beef market': 120523, 'support montana': 826651, 'montana cattle': 537485, 'cattle industry': 167356, 'industry before': 435688, 'the cattle market': 850534, 'cattle market in': 167362, 'market in montana': 516564, 'in montana haven': 425406, 'montana haven been': 537490, 'haven been immune': 383752, 'covid 19 beef': 212686, '19 beef price': 5341, 'beef price have': 120543, 'price have seen': 674455, 'seen their steepest': 747302, 'their steepest decline': 874823, 'steepest decline in': 799410, 'decline in forty': 231354, 'in forty year': 423058, 'forty year urging': 329944, 'year urging to': 1015072, 'urging to take': 948458, 'to take immediate': 916189, 'immediate action to': 416963, 'action to stabilize': 30175, 'to stabilize beef': 915118, 'stabilize beef market': 791836, 'beef market and': 120524, 'market and support': 515995, 'and support montana': 72842, 'support montana cattle': 826652, 'montana cattle industry': 537486, 'cattle industry before': 167357, 'industry before it': 435689, 'your greater': 1024104, 'greater area': 363139, 'including some': 432154, 'virginia and': 957654, 'and maryland': 66733, 'maryland are': 518184, 'changing thing': 172827, 'thing up': 884929, 'coronavirus getupdc': 205986, 'is how your': 448606, 'how your greater': 409302, 'your greater area': 1024105, 'greater area grocery': 363140, 'store including some': 808420, 'including some in': 432155, 'some in virginia': 783097, 'in virginia and': 430597, 'virginia and maryland': 957655, 'and maryland are': 66734, 'maryland are changing': 518185, 'are changing thing': 85244, 'changing thing up': 172828, 'thing up because': 884930, 'up because of': 944475, 'the coronavirus getupdc': 851856, 'coronafreepakistan': 204947, 'prayersforcoronafreeworld': 669090, 'own diy': 631944, 'home complete': 400913, 'complete tutorial': 192182, 'tutorial coronafreepakistan': 936055, 'coronafreepakistan prayersforcoronafreeworld': 204948, 'prayersforcoronafreeworld pakistanunitedagainstcorona': 669091, 'pakistanunitedagainstcorona diy': 634537, 'diy handsanitizer': 248741, 'handsanitizer 2019': 376466, 'sanitizers are short': 736218, 'are short in': 90068, 'short in the': 764629, 'the market so': 860158, 'market so make': 517076, 'so make your': 777628, 'your own diy': 1025131, 'own diy hand': 631945, 'at home complete': 98957, 'home complete tutorial': 400914, 'complete tutorial coronafreepakistan': 192183, 'tutorial coronafreepakistan prayersforcoronafreeworld': 936056, 'coronafreepakistan prayersforcoronafreeworld pakistanunitedagainstcorona': 204949, 'prayersforcoronafreeworld pakistanunitedagainstcorona diy': 669092, 'pakistanunitedagainstcorona diy handsanitizer': 634538, 'diy handsanitizer 2019': 248742, 'handsanitizer 2019 ncov': 376467, 'bpcl': 137446, 'gaya': 344716, '19 bpcl': 5431, 'bpcl distributor': 137449, 'distributor of': 248303, 'of gaya': 584060, 'gaya are': 344717, 'doing home': 252456, 'nation by': 552138, 'providing lpg': 687046, 'lpg to': 506326, 'doorstep bharat': 255842, 'gas warrior': 344175, 'covid 19 bpcl': 212723, '19 bpcl distributor': 5432, 'bpcl distributor of': 137450, 'distributor of gaya': 248304, 'of gaya are': 584061, 'gaya are doing': 344718, 'are doing home': 85904, 'doing home delivery': 252457, 'delivery to each': 234656, 'each consumer when': 264016, 'consumer when everyone': 199508, 'everyone is at': 287066, 'to lockdown they': 909408, 'lockdown they are': 500026, 'they are serving': 881404, 'are serving nation': 89996, 'serving nation by': 753197, 'nation by providing': 552139, 'by providing lpg': 153678, 'providing lpg to': 687047, 'lpg to everyone': 506327, 'to everyone at': 905330, 'everyone at doorstep': 286714, 'at doorstep bharat': 98483, 'doorstep bharat gas': 255843, 'bharat gas warrior': 129348, 'germanefficiency': 346260, 'germany panicked': 346337, 'now use': 576282, 'online calculator': 607981, 'long their': 501733, 'stockpile will': 803819, 'roll germanefficiency': 725315, 'germanefficiency solution': 346261, 'solution panicbuying': 782064, 'germany panicked shopper': 346338, 'panicked shopper in': 639286, 'crisis can now': 217183, 'can now use': 159075, 'now use an': 576283, 'use an online': 949039, 'an online calculator': 56612, 'online calculator to': 607983, 'calculator to work': 155357, 'to work out': 918763, 'out how long': 626327, 'how long their': 408209, 'long their stockpile': 501734, 'their stockpile will': 874842, 'stockpile will last': 803820, 'will last or': 993948, 'last or even': 480428, 'even just one': 284268, 'just one roll': 469383, 'one roll germanefficiency': 606973, 'roll germanefficiency solution': 725316, 'germanefficiency solution panicbuying': 346262, 'solution panicbuying toiletpaper': 782065, 'petrol price set': 653774, 'impact 2020': 417532, '2020 planting': 14517, 'planting decision': 658752, 'decision reduced': 231077, 'travel leading': 930414, 'lower ethanol': 505853, 'ethanol use': 283016, 'use will': 949812, 'will negatively': 994153, 'impact corn': 417618, 'price farming': 673826, 'will impact 2020': 993777, 'impact 2020 planting': 417534, '2020 planting decision': 14518, 'planting decision reduced': 658753, 'decision reduced travel': 231078, 'reduced travel leading': 706208, 'travel leading to': 930415, 'leading to lower': 483766, 'to lower ethanol': 909495, 'lower ethanol use': 505854, 'ethanol use will': 283017, 'use will negatively': 949813, 'will negatively impact': 994155, 'negatively impact corn': 556857, 'impact corn price': 417619, 'corn price farming': 203585, 'price farming agriculture': 673827, 'uneven': 941342, 'economic labor': 267164, 'market shock': 517054, 'for gradual': 321978, 'gradual and': 361683, 'and uneven': 74657, 'uneven resumption': 941347, 'activity we': 30528, 'we foresee': 971585, 'foresee shaped': 329053, 'shaped rebound': 754876, 'rebound even': 703306, 'even so': 284592, 'consumer outlay': 198304, 'outlay to': 629013, 'remain lower': 709785, 'lower while': 506053, 'spending fill': 788811, 'given the severity': 351155, 'the economic labor': 853908, 'economic labor market': 267165, 'labor market shock': 478426, 'market shock and': 517055, 'and the expectation': 73358, 'the expectation for': 854704, 'expectation for gradual': 290820, 'for gradual and': 321979, 'gradual and uneven': 361684, 'and uneven resumption': 74658, 'uneven resumption of': 941348, 'resumption of activity': 717772, 'of activity we': 579760, 'activity we foresee': 30529, 'we foresee shaped': 971586, 'foresee shaped rebound': 329054, 'shaped rebound even': 754877, 'rebound even so': 703307, 'even so we': 284593, 'so we expect': 778666, 'we expect consumer': 971493, 'expect consumer outlay': 290617, 'consumer outlay to': 198305, 'outlay to remain': 629014, 'to remain lower': 913165, 'remain lower while': 709786, 'lower while government': 506054, 'while government spending': 986884, 'government spending fill': 360621, 'spending fill the': 788812, 'fill the gap': 305497, 'phillips': 654756, 'alehouse': 41330, 'monrovia': 537450, 'another casualty': 77529, 'casualty phillips': 166815, 'phillips alehouse': 654757, 'alehouse grill': 41331, 'grill in': 363946, 'in monrovia': 425403, 'monrovia ca': 537451, 'indefinitely of': 434048, 'of 6pm': 579656, '6pm tonight': 21664, 'tonight employee': 924406, 'warning but': 967103, 'but owner': 146741, 'also own': 48639, 'another casualty phillips': 77530, 'casualty phillips alehouse': 166816, 'phillips alehouse grill': 654758, 'alehouse grill in': 41332, 'grill in monrovia': 363947, 'in monrovia ca': 425404, 'monrovia ca is': 537452, 'ca is closing': 154887, 'is closing indefinitely': 446608, 'closing indefinitely of': 183665, 'indefinitely of 6pm': 434049, 'of 6pm tonight': 579657, '6pm tonight employee': 21665, 'tonight employee had': 924407, 'employee had no': 273908, 'had no warning': 373342, 'no warning but': 565851, 'warning but owner': 967104, 'but owner is': 146742, 'find spot for': 307247, 'spot for them': 790054, 'for them at': 326893, 'store they also': 810662, 'they also own': 881153, 'monitoring retailer': 537367, 'are inflated': 87533, 'criminal is': 216852, 'done hear': 254868, 'you address': 1016823, 'and warn': 75193, 'warn against': 966923, 'who is monitoring': 989091, 'is monitoring retailer': 449692, 'monitoring retailer during': 537368, 'retailer during this': 719127, 'pandemic price are': 636232, 'price are inflated': 672685, 'are inflated and': 87534, 'inflated and it': 437012, 'it criminal is': 457407, 'criminal is there': 216853, 'there anything that': 878038, 'anything that can': 80894, 'be done hear': 114558, 'done hear you': 254869, 'hear you address': 388032, 'you address and': 1016824, 'address and warn': 31952, 'and warn against': 75194, 'warn against this': 966924, 'habit would': 372716, 'these just': 880205, 'went away': 978961, 'retail habit would': 718174, 'habit would love': 372717, 'would love it': 1012012, 'love it if': 504711, 'it if these': 458677, 'if these just': 415086, 'these just went': 880206, 'just went away': 470274, 'buyreal': 151452, 'footballagainstfakes': 318523, 'the counterfeit': 852033, 'counterfeit trade': 210311, 'swing with': 830415, 'with counterfeiter': 997826, 'counterfeiter actively': 210314, 'actively targeting': 30327, 'targeting those': 834579, 'those staying': 892483, 'wa ever': 962085, 'ever time': 285558, 'support legitimate': 826609, 'legitimate commerce': 486047, 'commerce now': 188594, 'people time': 649865, 'time buyreal': 896430, 'buyreal and': 151453, 'and footballagainstfakes': 63132, 'the counterfeit trade': 852034, 'counterfeit trade is': 210312, 'trade is back': 928519, 'back in full': 107085, 'full swing with': 340920, 'swing with counterfeiter': 830416, 'with counterfeiter actively': 997827, 'counterfeiter actively targeting': 210315, 'actively targeting those': 30328, 'targeting those staying': 834580, 'those staying at': 892484, '19 and shopping': 5104, 'online if there': 608388, 'there wa ever': 879237, 'wa ever time': 962086, 'ever time to': 285559, 'time to support': 898080, 'to support legitimate': 915943, 'support legitimate commerce': 826610, 'legitimate commerce now': 486048, 'commerce now is': 188595, 'the people time': 863512, 'people time buyreal': 649866, 'time buyreal and': 896431, 'buyreal and footballagainstfakes': 151454, 'punerains': 689211, 'swell': 830294, 'punerains oh': 689212, 'oh swell': 596453, 'swell if': 830299, 'wa any': 961555, 'any psychological': 79706, 'psychological comfort': 687516, 'comfort that': 187854, 'sun had': 818069, 'had covered': 372996, 'it nofood': 459839, 'punerains oh swell': 689213, 'oh swell if': 596454, 'swell if there': 830300, 'there wa any': 879228, 'wa any psychological': 961558, 'any psychological comfort': 79707, 'psychological comfort that': 687517, 'comfort that the': 187855, 'that the sun': 846845, 'the sun had': 868411, 'sun had covered': 818070, 'had covered this': 372997, 'covered this should': 212440, 'this should do': 890126, 'should do it': 765927, 'do it nofood': 249495, 'florida additionally': 310891, 'additionally all': 31904, 'all beach': 42146, 'naples florida additionally': 551867, 'florida additionally all': 310892, 'additionally all beach': 31905, 'all beach have': 42147, 'been closed it': 120840, 'closed it really': 183199, 'really feel very': 702197, 'feel very real': 302919, 'had client': 372971, 'client who': 182133, 'were aggressive': 979276, 'aggressive stood': 38257, 'way refused': 969836, 'in alone': 420199, 'alone even': 46849, 'lock the': 499079, 'door because': 255529, 'because one': 119435, 'one client': 606067, 'client wa': 182124, 'so intimidating': 777420, 've had client': 953218, 'had client who': 372972, 'client who were': 182134, 'who were aggressive': 989950, 'were aggressive stood': 979277, 'aggressive stood in': 38258, 'stood in the': 804379, 'the way refused': 871179, 'way refused to': 969837, 'refused to go': 707073, 'go in alone': 353699, 'in alone even': 420200, 'alone even had': 46850, 'had to lock': 373704, 'to lock the': 909395, 'lock the door': 499081, 'the door because': 853561, 'door because one': 255530, 'because one client': 119437, 'one client wa': 606068, 'client wa being': 182125, 'wa being so': 961687, 'being so intimidating': 125819, 'nofrills': 566191, 'rcss': 698125, 'saveonfoods': 737792, 'early when': 264753, 'cleanest and': 180874, 'stock cannot': 801973, 'be overrun': 116314, 'overrun in': 631449, 'surrey and': 828693, 'likely bc': 491950, 'bc or': 113274, 'or canada': 614651, 'canada during': 160417, 'during nofrills': 262817, 'nofrills only': 566192, 'am rcss': 50336, 'rcss and': 698126, 'and saveonfoods': 70965, 'saveonfoods everyday': 737793, 'everyday sdm': 286621, 'sdm everyday': 743036, 'everyday 20': 286518, 'discount too': 244561, 'too free': 924748, 'free rx': 332120, 'rx delivery': 728778, 'senior grocery shop': 750309, 'grocery shop early': 364971, 'shop early when': 760128, 'early when the': 264754, 'is the cleanest': 452749, 'the cleanest and': 850987, 'cleanest and stock': 180875, 'and stock cannot': 72402, 'stock cannot be': 801974, 'cannot be overrun': 161642, 'be overrun in': 116315, 'overrun in surrey': 631450, 'in surrey and': 428747, 'surrey and likely': 828694, 'and likely bc': 66159, 'likely bc or': 491951, 'bc or canada': 113275, 'or canada during': 614652, 'canada during nofrills': 160418, 'during nofrills only': 262818, 'nofrills only and': 566193, 'only and am': 610090, 'and am rcss': 58026, 'am rcss and': 50337, 'rcss and saveonfoods': 698127, 'and saveonfoods everyday': 70966, 'saveonfoods everyday sdm': 737794, 'everyday sdm everyday': 286622, 'sdm everyday 20': 743037, 'everyday 20 discount': 286519, '20 discount too': 13038, 'discount too free': 244562, 'too free rx': 924749, 'free rx delivery': 332121, 'wevision': 980793, 'lat': 480817, 'hutcheson': 411853, 'app wevision': 81801, 'wevision coronavirus': 980794, 'the semi': 866697, 'semi value': 749629, 'definitely impacted': 232352, 'semi market': 749614, 'way andrea': 969463, 'andrea lat': 76170, 'lat and': 480818, 'and dan': 60938, 'dan hutcheson': 225534, 'hutcheson look': 411854, 'at impact': 99260, 'on ic': 601465, 'price unit': 677198, 'unit shipment': 942091, 'shipment the': 758783, 'industry weather': 436223, 'vlsiresearch app wevision': 959896, 'app wevision coronavirus': 81802, 'wevision coronavirus impact': 980795, 'on the semi': 604351, 'the semi value': 866699, 'semi value chain': 749630, 'value chain the': 952107, 'chain the ha': 171169, 'the ha definitely': 856989, 'ha definitely impacted': 370343, 'definitely impacted the': 232353, 'impacted the semi': 418163, 'the semi market': 866698, 'semi market in': 749615, 'market in many': 516562, 'many way andrea': 514857, 'way andrea lat': 969464, 'andrea lat and': 76171, 'lat and dan': 480819, 'and dan hutcheson': 60939, 'dan hutcheson look': 225535, 'hutcheson look at': 411855, 'look at impact': 502269, 'at impact on': 99261, 'impact on ic': 417858, 'on ic sale': 601466, 'ic sale price': 412615, 'sale price unit': 732467, 'price unit shipment': 677199, 'unit shipment the': 942092, 'shipment the industry': 758784, 'the industry weather': 858194, 'australianbusiness': 103586, 'local bakery': 497721, 'bakery butcher': 108842, 'or green': 615518, 'green grocer': 363665, 'grocer simple': 364164, 'simple australianbusiness': 769990, 'australianbusiness supermarket': 103587, 'retail socialdistanacing': 718577, 'just shop at': 469780, 'shop at your': 759964, 'your local bakery': 1024680, 'local bakery butcher': 497722, 'bakery butcher or': 108843, 'butcher or green': 148061, 'or green grocer': 615519, 'green grocer simple': 363667, 'grocer simple australianbusiness': 364165, 'simple australianbusiness supermarket': 769991, 'australianbusiness supermarket retail': 103588, 'supermarket retail socialdistanacing': 822232, 'activation': 30245, 'digital activation': 242493, 'activation should': 30246, 'focus for': 311839, 'time more': 897223, 'shopping information': 763020, 'digital activation should': 242494, 'activation should be': 30247, 'should be the': 765750, 'be the focus': 117614, 'the focus for': 855479, 'focus for brand': 311840, 'for brand during': 319761, 'brand during this': 137830, 'this time more': 890663, 'time more and': 897224, 'and more consumer': 67161, 'consumer turn to': 199404, 'to online platform': 910944, 'online platform for': 608764, 'platform for shopping': 658966, 'for shopping information': 325586, 'shopping information and': 763021, 'information and entertainment': 437734, 'flattenthecurve handsanitizer': 310167, 'you need or': 1020025, 'need or want': 555384, 'or want to': 617724, 'want to donate': 966026, 'hand sanitizer flattenthecurve': 375405, 'sanitizer flattenthecurve handsanitizer': 734874, 'in punjab': 427120, 'punjab and': 689270, 'their availability': 872529, 'availability there': 104187, 'been some': 122004, 'some rumor': 783782, 'rumor that': 727500, 'area urge': 92245, 'everyone not': 287212, 'item in punjab': 463351, 'in punjab and': 427122, 'punjab and no': 689271, 'need to worry': 556119, 'about their availability': 26574, 'their availability there': 872532, 'availability there have': 104188, 'have been some': 379689, 'been some rumor': 122006, 'some rumor that': 783783, 'rumor that have': 727502, 'that have caused': 844199, 'buying in some': 150543, 'some area urge': 782341, 'area urge everyone': 92247, 'urge everyone not': 948179, 'everyone not to': 287216, 'are working 24': 91685, 'working 24 hour': 1008466, 'hour day for': 405528, 'day for you': 227638, 'shit these': 759251, 'fuck need': 339604, 'few good': 303843, 'good punch': 357600, 'punch to': 689173, 'the mouth': 861078, 'mouth stayathome': 543562, 'say it and': 738832, 'not give shit': 569644, 'give shit these': 350694, 'shit these fuck': 759252, 'these fuck need': 880039, 'fuck need few': 339605, 'need few good': 554772, 'few good punch': 303844, 'good punch to': 357601, 'punch to the': 689174, 'to the mouth': 916885, 'the mouth stayathome': 861079, '3bn': 18225, 'costed': 208312, 'combustion': 187170, 'proofing': 684026, 'will revisit': 994698, 'revisit to': 720668, 'study in': 814912, 'case 3bn': 165595, '3bn is': 18226, 'true figure': 933079, 'figure that': 305240, 'wa costed': 961879, 'costed at': 208313, 'at 2010': 97512, '2010 price': 13762, 'wa developed': 961970, 'developed for': 239700, 'for combustion': 320163, 'combustion engine': 187171, 'engine without': 276948, 'future proofing': 342435, 'proofing new': 684027, 'new road': 559508, 'road must': 724481, 'new transport': 559785, 'transport er': 929881, 'we will revisit': 973900, 'will revisit to': 994699, 'revisit to study': 720669, 'to study in': 915701, 'study in any': 814913, 'in any case': 420421, 'any case 3bn': 78998, 'case 3bn is': 165596, '3bn is not': 18227, 'not the true': 572038, 'the true figure': 870049, 'true figure that': 933080, 'figure that wa': 305242, 'that wa costed': 847279, 'wa costed at': 961880, 'costed at 2010': 208314, 'at 2010 price': 97513, '2010 price and': 13763, 'and the scheme': 73570, 'the scheme wa': 866485, 'scheme wa developed': 741595, 'wa developed for': 961971, 'developed for combustion': 239701, 'for combustion engine': 320164, 'combustion engine without': 187172, 'engine without any': 276949, 'without any future': 1002495, 'any future proofing': 79269, 'future proofing new': 342436, 'proofing new road': 684028, 'new road must': 559509, 'road must be': 724482, 'must be fit': 546504, 'be fit for': 114874, 'fit for new': 309473, 'for new transport': 323837, 'new transport er': 559786, 'unpacked': 943010, 'observed at': 578606, 'bread available': 138417, 'available but': 104273, 'but pre': 146833, 'packaged bread': 633469, 'almost sold': 46740, 'out wonder': 627882, 'the unpacked': 870446, 'unpacked trend': 943011, 'observed at local': 578607, 'local supermarket there': 498598, 'is still plenty': 452303, 'plenty of fresh': 660951, 'fresh bread available': 332932, 'bread available but': 138418, 'available but pre': 104274, 'but pre packaged': 146834, 'pre packaged bread': 669193, 'packaged bread is': 633471, 'bread is almost': 138504, 'is almost sold': 445505, 'almost sold out': 46741, 'sold out wonder': 781757, 'out wonder how': 627883, 'wonder how the': 1003959, 'affect the unpacked': 34257, 'the unpacked trend': 870447, 'neighborhood shaw': 557151, 'am and got': 49889, 'at my neighborhood': 99824, 'my neighborhood shaw': 549436, 'ockerman': 579121, 'hi putting': 394724, 'putting call': 691094, 'sure catching': 827515, 'catching everyone': 167087, 'what benefit': 981107, 'benefit your': 127148, 'offering if': 595158, 'any during': 79151, 'with frantic': 998528, 'frantic customer': 331182, 'customer email': 222326, 'is emma': 447472, 'emma ockerman': 273229, 'ockerman com': 579122, 'hi putting call': 394725, 'putting call out': 691095, 'call out here': 156061, 'out here to': 626299, 'here to make': 393719, 'make sure catching': 510509, 'sure catching everyone': 827516, 'catching everyone if': 167088, 'to hear what': 907417, 'hear what benefit': 388021, 'what benefit your': 981110, 'benefit your company': 127149, 'company is offering': 190806, 'is offering if': 450422, 'offering if any': 595159, 'if any during': 413828, 'any during covid': 79152, 'how you re': 409287, 'you re dealing': 1020599, 'dealing with frantic': 229666, 'with frantic customer': 998529, 'frantic customer email': 331183, 'customer email is': 222327, 'email is emma': 272220, 'is emma ockerman': 447473, 'emma ockerman com': 273230, 'relocated': 709609, 'make especially': 509879, 'especially having': 280500, 'give no': 350610, 'notice something': 573353, 'like three': 491560, 'day notice': 228030, 'notice might': 573308, 'been enough': 121086, 'see half': 745174, 'of nairobi': 586849, 'nairobi relocated': 551508, 'relocated to': 709610, 'to rural': 913681, 'rural kenya': 728254, 'have been difficult': 379511, 'been difficult decision': 120977, 'decision to make': 231106, 'to make especially': 909658, 'make especially having': 509880, 'especially having to': 280501, 'having to give': 384348, 'to give no': 906696, 'give no notice': 350611, 'no notice something': 564893, 'notice something like': 573354, 'something like three': 784966, 'like three day': 491561, 'three day notice': 893911, 'day notice might': 228031, 'notice might have': 573309, 'have been enough': 379528, 'been enough to': 121087, 'enough to see': 277723, 'to see half': 914016, 'see half of': 745175, 'half of nairobi': 374231, 'of nairobi relocated': 586850, 'nairobi relocated to': 551509, 'relocated to rural': 709611, 'to rural kenya': 913683, 'is said': 451636, 'said and': 730970, 'and done': 61668, 'should remember': 766402, 'the billionaire': 849705, 'billionaire politician': 130959, 'politician and': 663698, 'ceo that': 169854, 'that saved': 846127, 'saved it': 737745, 'doctor janitor': 250970, 'janitor delivery': 464539, 'driver bin': 259462, 'men food': 528483, 'worker paramedic': 1007545, 'when all is': 983128, 'all is said': 43253, 'is said and': 451637, 'said and done': 730971, 'and done we': 61670, 'done we should': 255105, 'we should remember': 973291, 'should remember it': 766403, 'remember it wasn': 710218, 'it wasn the': 462260, 'wasn the billionaire': 968025, 'the billionaire politician': 849706, 'billionaire politician and': 130960, 'politician and ceo': 663699, 'and ceo that': 59691, 'ceo that saved': 169855, 'that saved it': 846128, 'saved it wa': 737746, 'wa the nurse': 963458, 'nurse doctor janitor': 577300, 'doctor janitor delivery': 250971, 'janitor delivery driver': 464540, 'delivery driver bin': 233893, 'driver bin men': 259464, 'bin men food': 131021, 'men food service': 528484, 'service worker supermarket': 753108, 'supermarket worker paramedic': 824066, 'worker paramedic and': 1007546, 'paramedic and police': 641373, 'out clearly': 625855, 'clearly to': 181585, 'basic house': 111928, 'hold commodity': 399905, 'like salt': 491120, 'salt soap': 732823, 'soap food': 779003, 'in pandemonium': 426469, 'pandemonium state': 637143, 'state true': 796043, 'true state': 933169, 'emergency 19': 272578, 'of uganda': 592558, 'should come out': 765843, 'come out clearly': 187464, 'out clearly to': 625856, 'clearly to regulate': 181586, 'to regulate the': 913118, 'regulate the price': 707995, 'of basic house': 580572, 'basic house hold': 111929, 'house hold commodity': 406339, 'hold commodity like': 399906, 'commodity like salt': 189212, 'like salt soap': 491121, 'salt soap food': 732824, 'soap food etc': 779005, 'food etc we': 314406, 'etc we are': 282860, 'are in pandemonium': 87420, 'in pandemonium state': 426470, 'pandemonium state true': 637144, 'state true state': 796044, 'true state of': 933170, 'of emergency 19': 583024, 'emergency 19 that': 272579, '19 that no': 11157, 'one should take': 607033, 'should take advantage': 766540, 'advantage of uganda': 33039, 'totaling': 926278, 'woman licked': 1003548, 'licked supermarket': 488221, 'good totaling': 357910, 'totaling 800': 926280, 'california woman licked': 155614, 'woman licked supermarket': 1003549, 'licked supermarket good': 488222, 'supermarket good totaling': 820550, 'good totaling 800': 357911, 'interesting insight': 441567, 'three impact': 893957, 'impact phase': 417926, 'supply purchase': 825747, 'purchase preference': 689630, 'preference and': 669774, 'consumption ausag': 199841, 'an interesting insight': 56405, 'interesting insight into': 441568, 'the three impact': 869516, 'three impact phase': 893958, 'impact phase of': 417927, 'phase of 19': 654626, 'of 19 it': 579398, '19 it relates': 8149, 'relates to food': 708644, 'food supply purchase': 316983, 'supply purchase preference': 825748, 'purchase preference and': 689631, 'preference and consumption': 669775, 'and consumption ausag': 60459, '00 thrown': 531, 'being deliberately': 125029, '35 00 thrown': 17866, '00 thrown away': 532, 'thrown away after': 895129, 'away after being': 105771, 'after being deliberately': 35402, 'being deliberately coughed': 125030, 'on in pennsylvania': 601531, 'in pennsylvania supermarket': 426581, 'adland': 32397, 'realeyes': 701571, 'in learning': 424659, 'affecting adland': 34477, 'adland join': 32398, 'join realeyes': 466824, 'realeyes marketing': 701572, 'marketing vp': 517750, 'vp for': 960709, 'live session': 496009, 'the shifting': 866936, 'pandemic register': 636316, 'interested in learning': 441461, 'in learning more': 424661, 'is affecting adland': 445376, 'affecting adland join': 34478, 'adland join realeyes': 32399, 'join realeyes marketing': 466825, 'realeyes marketing vp': 701573, 'marketing vp for': 517751, 'vp for live': 960710, 'for live session': 323023, 'live session today': 496010, 'session today on': 753320, 'today on how': 919970, 'with the shifting': 1001477, 'the shifting consumer': 866937, 'shifting consumer sentiment': 758523, 'sentiment during this': 750923, 'global pandemic register': 352102, 'pandemic register now': 636317, 'storekeeper': 811739, 'the storekeeper': 868153, 'storekeeper will': 811742, 'there can': 878271, 'an afterlife': 55177, 'afterlife when': 36647, 'so selfishly': 778178, 'selfishly and': 748318, 'not minority': 570582, 'minority covid': 533644, '19 stockpilinguk': 10862, 'know that when': 476801, 'that when do': 847482, 'when do my': 983349, 'my shopping later': 550059, 'shopping later the': 763143, 'later the state': 481136, 'and the selfishness': 73573, 'of the storekeeper': 591497, 'the storekeeper will': 868155, 'storekeeper will get': 811743, 'will get to': 993523, 'get to me': 348479, 'me it really': 523015, 'it really make': 460648, 'really make me': 702403, 'if there can': 415066, 'there can be': 878272, 'be an afterlife': 113590, 'an afterlife when': 55178, 'afterlife when so': 36648, 'many people act': 514485, 'people act so': 646760, 'act so selfishly': 29769, 'so selfishly and': 778179, 'selfishly and it': 748319, 'it not minority': 459896, 'not minority covid': 570583, 'minority covid 19': 533645, 'covid 19 stockpilinguk': 213870, 'changeclosings': 172420, 'will changeclosings': 992926, 'changeclosings homeprices': 172421, 'homeprices and': 402903, 'the will changeclosings': 871569, 'will changeclosings homeprices': 992927, 'changeclosings homeprices and': 172422, 'homeprices and what': 402904, 'and what on': 75479, 'market the washington': 517201, '5262': 20275, 'bilo': 130977, 'store 5262': 806037, '5262 is': 20276, 'clearly outta': 181537, 'outta control': 629707, 'control bilo': 201976, 'bilo grocery': 130978, 'food chicken': 313927, 'who do report': 988620, 'do report price': 250041, 'gouging to store': 359482, 'to store 5262': 915603, 'store 5262 is': 806038, '5262 is clearly': 20277, 'is clearly outta': 446557, 'clearly outta control': 181538, 'outta control bilo': 629708, 'control bilo grocery': 201977, 'bilo grocery food': 130979, 'grocery food chicken': 364520, 'jdw': 464936, 'inversely': 443741, 'proportional': 684437, 'of jdw': 585512, 'jdw ln': 464937, 'ln is': 497186, 'is inversely': 448965, 'inversely proportional': 443742, 'proportional to': 684438, 'moment the stock': 536062, 'price of jdw': 675481, 'of jdw ln': 585513, 'jdw ln is': 464938, 'ln is inversely': 497187, 'is inversely proportional': 448966, 'inversely proportional to': 443743, 'proportional to the': 684439, 'mask advice': 518276, 'advice face': 33357, 'shield out': 758170, 'plastic folder': 658840, 'folder tissue': 312072, 'tissue toilet': 899227, 'mask coronapocalypse': 518542, 'diy mask advice': 248752, 'mask advice face': 518277, 'advice face shield': 33358, 'face shield out': 294743, 'shield out of': 758171, 'out of plastic': 626806, 'of plastic folder': 588158, 'plastic folder tissue': 658842, 'folder tissue toilet': 312073, 'tissue toilet paper': 899228, 'paper mask coronapocalypse': 640453, 'supermarket shop in': 822588, 'in quebec': 427203, 'quebec all': 693335, 'customer must': 222609, 'must washyourhands': 546989, 'washyourhands before': 967858, 'before getting': 122821, 'getting cart': 348893, 'new hand washing': 558852, 'washing station at': 967723, 'station at grocery': 796351, 'store in quebec': 808377, 'in quebec all': 427204, 'quebec all customer': 693336, 'all customer must': 42503, 'customer must washyourhands': 222611, 'must washyourhands before': 546990, 'washyourhands before getting': 967859, 'before getting cart': 122822, 'urge retailer': 948223, 'responsibly throughout': 716119, 'claim or': 179780, 'charge vastly': 173336, '19 sale and': 10299, 'sale and pricing': 732046, 'and pricing practice': 69495, 'pricing practice during': 677964, 'practice during coronavirus': 668549, 'coronavirus outbreak we': 206420, 'outbreak we urge': 628802, 'we urge retailer': 973600, 'urge retailer to': 948224, 'retailer to behave': 719376, 'behave responsibly throughout': 123791, 'responsibly throughout the': 716120, 'throughout the coronavirus': 894966, 'outbreak and not': 628004, 'to make misleading': 909694, 'misleading claim or': 534095, 'claim or charge': 179781, 'or charge vastly': 614703, 'charge vastly inflated': 173337, 'asx': 97281, 'sagged': 730898, 'asx jump': 97283, 'jump wall': 467907, 'street consumer': 812939, 'drop market': 260298, 'risen nearly': 723119, 'nearly three': 553861, 'cent from': 169055, 'from near': 336552, 'near eight': 553484, 'eight year': 270208, 'ha sagged': 371789, 'asx jump wall': 97284, 'jump wall street': 467908, 'wall street consumer': 965179, 'street consumer confidence': 812940, 'confidence drop market': 193846, 'drop market ha': 260299, 'market ha risen': 516488, 'ha risen nearly': 371767, 'risen nearly three': 723120, 'nearly three per': 553862, 'per cent from': 650750, 'cent from near': 169057, 'from near eight': 336553, 'near eight year': 553485, 'eight year low': 270209, 'year low but': 1014714, 'low but consumer': 505162, 'but consumer confidence': 145447, 'confidence ha sagged': 193880, 'minimize grocery': 533111, 'trip only': 932124, 'only my': 610804, 'husband the': 411768, 'the germaphobe': 856234, 'germaphobe ocd': 346376, 'ocd usage': 579101, 'time he': 896901, 'went made': 979062, 'made him': 507775, 'him map': 396655, 'map it': 514929, 'to minimize grocery': 910164, 'minimize grocery trip': 533112, 'grocery trip only': 366083, 'trip only my': 932125, 'only my husband': 610806, 'my husband the': 548795, 'husband the germaphobe': 411769, 'the germaphobe ocd': 856235, 'germaphobe ocd usage': 346377, 'ocd usage of': 579102, 'usage of sanitizer': 948846, 'of sanitizer go': 589290, 'sanitizer go the': 734996, 'go the last': 354206, 'last time he': 480564, 'time he went': 896904, 'he went made': 385656, 'went made him': 979063, 'made him map': 507776, 'him map it': 396656, 'map it felt': 514930, 'it felt like': 457983, 'felt like supermarket': 303415, 'like supermarket sweep': 491272, 'government launch': 360302, 'launch an': 481860, 'grocery nepal': 364748, 'nepal onlineshopping': 557409, 'lockdown the government': 500009, 'the government launch': 856558, 'government launch an': 360303, 'launch an commerce': 481862, 'an commerce site': 55522, 'commerce site for': 188633, 'site for grocery': 771919, 'for grocery nepal': 322042, 'grocery nepal onlineshopping': 364749, 'barked': 111108, 'being barked': 124883, 'barked at': 111109, 'by stressed': 154140, 'and angry': 58148, 'angry customer': 76468, 'thanks not': 842147, 'not aggression': 568088, 'aggression they': 38230, 'frontline 19': 338702, 'time to chat': 897963, 'chat to the': 173967, 'local supermarket some': 498591, 'supermarket some are': 822772, 'are being barked': 84831, 'being barked at': 124884, 'barked at by': 111110, 'at by stressed': 98181, 'by stressed and': 154141, 'stressed and angry': 813436, 'and angry customer': 58149, 'angry customer they': 76470, 'customer they deserve': 222935, 'deserve our thanks': 238093, 'our thanks not': 625124, 'thanks not aggression': 842148, 'not aggression they': 568089, 'aggression they re': 38231, 'the frontline 19': 855858, 'kiss for': 475450, 'for ruining': 325267, 'ruining this': 727155, 'hi while you': 394771, 'supermarket give jared': 820523, 'dad kiss for': 224365, 'kiss for for': 475451, 'for for ruining': 321670, 'for ruining this': 325268, 'ruining this so': 727156, 'this so royally': 890221, 'panagis': 634675, 'galiatsatos': 342928, 'tomo': 923994, 're learning': 698981, 'learning about': 484174, 'time said': 897603, 'said expert': 731064, 'expert dr': 291821, 'dr panagis': 258075, 'panagis galiatsatos': 634676, 'galiatsatos whatever': 342929, 'hear today': 388014, 'today may': 919866, 'be completely': 114164, 'different by': 241916, 'by tomo': 154568, 'is new virus': 449889, 'new virus and': 559836, 'we re learning': 972912, 're learning about': 698982, 'learning about it': 484177, 'about it in': 25581, 'it in real': 458742, 'real time said': 701417, 'time said expert': 897604, 'said expert dr': 731065, 'expert dr panagis': 291822, 'dr panagis galiatsatos': 258076, 'panagis galiatsatos whatever': 634677, 'galiatsatos whatever you': 342930, 'whatever you hear': 982819, 'you hear today': 1019181, 'hear today may': 388015, 'today may be': 919867, 'may be completely': 520964, 'be completely different': 114167, 'completely different by': 192256, 'different by tomo': 241917, 'online car': 607992, 'car shopping': 163284, 'option here': 614050, 'buying car': 150094, 'car from': 163097, 'your sofa': 1025862, 'many people unable': 514542, 'the house during': 857604, 'the lockdown online': 859621, 'lockdown online car': 499740, 'online car shopping': 607993, 'car shopping could': 163285, 'an option here': 56684, 'option here our': 614052, 'here our top': 393435, 'our top tip': 625172, 'top tip for': 925743, 'tip for buying': 898762, 'for buying car': 319861, 'buying car from': 150095, 'car from your': 163101, 'from your sofa': 338497, 'surgeon': 828319, 'appreciating': 82859, 'realized real': 701902, 'those doctor': 891937, 'doctor surgeon': 251117, 'surgeon nurse': 828325, 'employee cashier': 273713, 'cashier janitor': 166555, 'against keep': 37530, 'keep appreciating': 471317, 'appreciating them': 82864, 'them always': 875361, 'world just realized': 1009737, 'just realized real': 469570, 'realized real hero': 701903, 'hero are those': 393941, 'are those doctor': 91057, 'those doctor surgeon': 891938, 'doctor surgeon nurse': 251118, 'surgeon nurse grocery': 828326, 'store employee cashier': 807468, 'employee cashier janitor': 273714, 'cashier janitor and': 166556, 'janitor and everyone': 464530, 'who is putting': 989104, 'is putting themselves': 451163, 'risk and working': 723383, 'and working to': 75896, 'working to fight': 1008987, 'fight against keep': 304630, 'against keep appreciating': 37531, 'keep appreciating them': 471318, 'appreciating them always': 82865, 'them always thank': 875362, 'always thank you': 49767, 'you all of': 1016896, 'accelerates': 27896, 'prelim march': 669865, 'march data': 515335, 'from univ': 338185, 'michigan show': 530370, 'index falling': 434186, 'falling additional': 297199, 'additional decline': 31805, 'likely covid': 491979, '19 accelerates': 4787, 'accelerates thinkwhyitmatters': 27901, 'prelim march data': 669866, 'march data from': 515336, 'data from univ': 226240, 'from univ of': 338186, 'univ of michigan': 942340, 'of michigan show': 586475, 'michigan show the': 530371, 'show the consumer': 767203, 'the consumer sentiment': 851593, 'sentiment index falling': 750953, 'index falling additional': 434187, 'falling additional decline': 297200, 'additional decline is': 31806, 'decline is likely': 231373, 'is likely covid': 449345, 'likely covid 19': 491980, 'covid 19 accelerates': 212573, '19 accelerates thinkwhyitmatters': 4788, 'falcone wa': 296783, 'jersey after': 465184, 'police say': 663187, 'he coughed': 384851, 'at wegmans': 101509, 'wegmans and': 977635, 'had he': 373167, 'store incident': 808414, 'george falcone wa': 346002, 'falcone wa arrested': 296784, 'arrested in new': 93858, 'new jersey after': 558962, 'jersey after police': 465185, 'after police say': 36049, 'police say he': 663188, 'say he coughed': 738729, 'he coughed on': 384852, 'coughed on worker': 208638, 'on worker at': 605371, 'worker at wegmans': 1006484, 'at wegmans and': 101510, 'wegmans and said': 977636, 'he had he': 385051, 'had he wa': 373168, 'he wa charged': 385589, 'threat after the': 893631, 'grocery store incident': 365484, 'umm then': 939252, 'milk need': 531736, 'store plc': 809579, 'umm then why': 939253, 'then why am': 877754, 'why am not': 990734, 'am not able': 50241, 'buy the amount': 149282, 'amount of milk': 53235, 'of milk need': 586515, 'milk need at': 531737, 'grocery store plc': 365664, 'also received': 48760, 'received call': 703607, 'customer saying': 222800, 'saying cashier': 739567, 'cashier coughed': 166503, 'coughed once': 208639, 'wanted her': 966209, 'her sent': 392353, 'also received call': 48761, 'received call from': 703608, 'call from customer': 155902, 'from customer saying': 335082, 'customer saying cashier': 222801, 'saying cashier coughed': 739568, 'cashier coughed once': 166504, 'coughed once and': 208640, 'once and wanted': 605592, 'and wanted her': 75170, 'wanted her sent': 966210, 'her sent home': 392354, 'buyer or': 149706, 'or sensible': 617009, 'sensible shopper': 750655, 'shopper whatever': 761819, 'stick something': 800048, 'bank stockpilinguk': 110209, 'stockpilinguk coronacrisis': 804139, 're panic buyer': 699236, 'panic buyer or': 637594, 'buyer or sensible': 149708, 'or sensible shopper': 617010, 'sensible shopper whatever': 750656, 'shopper whatever you': 761820, 'whatever you do': 982818, 'you do please': 1018266, 'do please remember': 249991, 'remember to stick': 710387, 'to stick something': 915397, 'stick something in': 800049, 'food bank stockpilinguk': 313647, 'bank stockpilinguk coronacrisis': 110210, 'stockpilinguk coronacrisis panickbuying': 804140, 'lecture': 485201, 'the 4th': 848130, '4th day': 19525, 'of sah': 589225, 'sah my': 730902, 'my true': 550438, 'true love': 933129, 'love gave': 504670, 'gave to': 344674, 'me home': 522905, 'home school': 402020, 'school website': 741969, 'website stock': 975421, 'market lecture': 516682, 'lecture bag': 485204, 'hopefully not': 403872, 'on the 4th': 603958, 'the 4th day': 848131, '4th day of': 19526, 'day of sah': 228097, 'of sah my': 589226, 'sah my true': 730903, 'my true love': 550439, 'true love gave': 933130, 'love gave to': 504671, 'gave to me': 344675, 'to me home': 909930, 'me home school': 522906, 'home school website': 402022, 'school website stock': 741970, 'website stock market': 975422, 'stock market lecture': 802409, 'market lecture bag': 516683, 'lecture bag of': 485205, 'bag of canned': 108346, 'of canned food': 581107, 'canned food and': 161509, 'food and hopefully': 313253, 'and hopefully not': 64729, 'hopefully not covid': 403873, 'tranformed': 929412, 'the tranformed': 869894, 'tranformed into': 929413, 'into command': 442466, 'command economy': 188323, 'economy practically': 268153, 'overnight complete': 631333, 'complete with': 192188, 'total takeover': 926253, 'production decision': 682009, 'most major': 542499, 'major industry': 509364, '19 remember when': 10097, 'when the tranformed': 984208, 'the tranformed into': 869895, 'tranformed into command': 929414, 'into command economy': 442467, 'command economy practically': 188324, 'economy practically overnight': 268154, 'practically overnight complete': 668509, 'overnight complete with': 631334, 'complete with total': 192190, 'with total takeover': 1001822, 'total takeover of': 926254, 'of the production': 591371, 'the production decision': 864605, 'production decision of': 682010, 'decision of most': 231063, 'of most major': 586677, 'most major industry': 542500, 'major industry and': 509365, 'industry and rationing': 435646, 'and rationing of': 69952, 'rationing of all': 697850, 'all consumer essential': 42430, 'create increased': 215668, 'industrial cold': 435533, 'the 46': 848123, '46 of': 19224, 'this surveyed': 890459, 'surveyed have': 829002, 'have confirmed': 380067, 'confirmed post': 194185, 'covid they': 214234, 'will europe': 993332, 'europe follow': 283435, 'same trend': 733391, 'pandemic will create': 637004, 'will create increased': 993072, 'create increased demand': 215669, 'demand for industrial': 235444, 'for industrial cold': 322554, 'industrial cold storage': 435534, 'cold storage space': 185795, 'storage space in': 805988, 'in the 46': 428957, 'the 46 of': 848124, '46 of this': 19226, 'of this surveyed': 592048, 'this surveyed have': 890460, 'surveyed have confirmed': 829003, 'have confirmed post': 380069, 'confirmed post covid': 194186, 'post covid they': 666077, 'covid they will': 214235, 'continue to food': 201198, 'food shop online': 316489, 'shop online will': 760596, 'online will europe': 609730, 'will europe follow': 993333, 'europe follow the': 283436, 'follow the same': 312545, 'the same trend': 866314, 'longer talk': 502062, 'about consumption': 25008, 'consumption suddenly': 199948, 'suddenly can': 817076, 'higher future': 395599, 'future price': 342426, 'necessity 19': 554156, 'no longer talk': 564667, 'longer talk about': 502063, 'talk about consumption': 833732, 'about consumption suddenly': 25009, 'consumption suddenly can': 199949, 'suddenly can it': 817077, 'can it lead': 158781, 'lead to higher': 483349, 'to higher future': 907742, 'higher future price': 395600, 'future price for': 342428, 'basic necessity 19': 111986, 'womanspeaking': 1003716, 'teachyourboys': 835566, 'of nice': 587012, 'nice having': 562411, 'having men': 384158, 'men stay': 528527, 'stay good': 796883, 'good meter': 357385, 'street feel': 812962, 'feel safer': 302833, 'safer confinement': 730351, 'confinement paris': 194076, 'paris womanspeaking': 641842, 'womanspeaking teachyourboys': 1003717, 'the supermarket must': 868707, 'supermarket must say': 821554, 'say it kind': 738847, 'kind of nice': 474922, 'of nice having': 587013, 'nice having men': 562412, 'having men stay': 384159, 'men stay good': 528528, 'stay good meter': 796884, 'good meter away': 357386, 'from you the': 338468, 'you the street': 1021612, 'the street feel': 868225, 'street feel safer': 812963, 'feel safer confinement': 302834, 'safer confinement paris': 730352, 'confinement paris womanspeaking': 194077, 'paris womanspeaking teachyourboys': 641843, 'hamms': 374596, 'bather': 112612, 'the swan': 869044, 'swan of': 829964, 'all black': 42185, 'swan amp': 829949, 'amp opec': 54229, 'russia amp': 728420, 'the harold': 857125, 'harold hamms': 378491, 'hamms of': 374597, 'all bather': 42122, 'bather out': 112613, 'out suit': 627269, 'suit on': 817775, 'on after': 599172, 'tide suddenly': 895712, 'suddenly unexpectedly': 817147, 'unexpectedly went': 941402, 'likely no': 492058, 'no output': 565026, 'cut can': 223262, 'can raise': 159364, 'price enough': 673689, 'demand drop': 235260, 'damage to demand': 225234, 'to demand is': 904147, 'is the swan': 452957, 'the swan of': 869045, 'swan of all': 829965, 'of all black': 579924, 'all black swan': 42187, 'black swan amp': 132132, 'swan amp opec': 829950, 'amp opec russia': 54230, 'opec russia amp': 611958, 'russia amp the': 728421, 'amp the harold': 54656, 'the harold hamms': 857126, 'harold hamms of': 378492, 'hamms of the': 374598, 'of the are': 590797, 'the are all': 848856, 'are all bather': 84288, 'all bather out': 42123, 'bather out suit': 112614, 'out suit on': 627270, 'suit on after': 817776, 'on after the': 599173, 'after the tide': 36362, 'the tide suddenly': 869543, 'tide suddenly unexpectedly': 895714, 'suddenly unexpectedly went': 817148, 'unexpectedly went out': 941403, 'went out it': 979087, 'out it likely': 626446, 'it likely no': 459393, 'likely no output': 492060, 'no output cut': 565027, 'output cut can': 629249, 'cut can raise': 223263, 'can raise price': 159366, 'raise price enough': 695915, 'price enough to': 673690, 'enough to counter': 277694, 'counter the demand': 210266, 'the demand drop': 853092, 'claus': 180402, 'video touted': 956937, 'touted simple': 927076, 'simple but': 769995, 'but effective': 145635, 'effective barrier': 269229, 'barrier against': 111340, 'the transparent': 869910, 'transparent screen': 929849, 'screen have': 742696, 'have sprung': 382703, 'sprung up': 791315, 'pharmacy across': 654198, 'across germany': 29335, 'germany for': 346293, 'for manufacturer': 323199, 'manufacturer claus': 513442, 'claus mueller': 180403, 'mueller business': 545530, 'is celebrating': 446439, 'video touted simple': 956938, 'touted simple but': 927077, 'simple but effective': 769996, 'but effective barrier': 145636, 'effective barrier against': 269230, 'barrier against the': 111341, 'against the transparent': 37682, 'the transparent screen': 869911, 'transparent screen have': 929850, 'screen have sprung': 742697, 'have sprung up': 382704, 'sprung up at': 791316, 'at supermarket till': 100784, 'supermarket till and': 823339, 'till and pharmacy': 895992, 'and pharmacy across': 68962, 'pharmacy across germany': 654199, 'across germany for': 29337, 'germany for manufacturer': 346294, 'for manufacturer claus': 323200, 'manufacturer claus mueller': 513443, 'claus mueller business': 180404, 'mueller business ha': 545531, 'business ha never': 143811, 'been better but': 120738, 'better but no': 128222, 'one is celebrating': 606503, 'zoombombing': 1027838, 'is zoombombing': 454182, 'zoombombing and': 1027839, 'why that': 991405, 'what is zoombombing': 981739, 'is zoombombing and': 454183, 'zoombombing and why': 1027840, 'and why that': 75634, 'why that is': 991406, 'that is dangerous': 844574, 'report economic': 711915, 'continue over': 201091, 'spending report economic': 788972, 'report economic index': 711916, 'economic index of': 267151, 'index of impact': 434226, 'of impact of': 584993, '19 pandemic despite': 9308, 'pandemic despite the': 635299, 'to continue over': 903398, 'continue over the': 201092, 'mean once': 524589, 'got caught': 358472, 'caught inflating': 167429, 'whole issue': 990249, 'issue started': 455931, 'explode we': 292304, 'we implemented': 972060, 'you mean once': 1019825, 'mean once you': 524590, 'once you got': 605821, 'you got caught': 1018895, 'got caught inflating': 358474, 'caught inflating price': 167430, 'inflating price due': 437115, 'due to once': 261882, 'to once this': 910905, 'once this whole': 605761, 'this whole issue': 891379, 'whole issue started': 990250, 'issue started to': 455932, 'started to explode': 794869, 'to explode we': 905488, 'explode we implemented': 292305, 'we implemented price': 972061, 'implemented price decrease': 418473, 'meekmill': 527381, 'meekmill reminds': 527382, 'reminds that': 710653, 'everyone doesn': 286818, 'fridge food': 333390, 'food amidst': 313120, 'meekmill reminds that': 527383, 'reminds that everyone': 710654, 'that everyone doesn': 843763, 'everyone doesn have': 286819, 'up the fridge': 946174, 'the fridge food': 855813, 'fridge food amidst': 333391, 'governmentofbritishcolumbia': 360846, 'increasing hand': 433618, 'keep british': 471355, 'columbians safe': 186887, 'safe alcohol': 729412, 'alcohol distiller': 40991, 'distiller governmentofbritishcolumbia': 247706, 'governmentofbritishcolumbia health': 360847, 'health iorestoacasa': 386563, 'increasing hand sanitizer': 433619, 'sanitizer production to': 735607, 'to keep british': 908764, 'keep british columbians': 471356, 'british columbians safe': 140504, 'columbians safe alcohol': 186888, 'safe alcohol distiller': 729413, 'alcohol distiller governmentofbritishcolumbia': 40992, 'distiller governmentofbritishcolumbia health': 247707, 'governmentofbritishcolumbia health iorestoacasa': 360848, 'everyone or': 287242, 'or everything': 615226, 'seems avoid': 746758, 'trying time not': 934752, 'time not everyone': 897290, 'not everyone or': 569302, 'everyone or everything': 287243, 'or everything is': 615227, 'everything is it': 287878, 'is it seems': 449059, 'it seems avoid': 460939, 'seems avoid scam': 746759, 'reinstate': 708268, 'please may': 660228, 'urgently reinstate': 948400, 'reinstate single': 708269, 'checkout while': 175058, 'rage it': 695544, 'important physical': 418924, 'in gaining': 423204, 'gaining control': 342875, 'please may we': 660229, 'may we urgently': 521607, 'we urgently reinstate': 973606, 'urgently reinstate single': 948401, 'reinstate single use': 708270, 'use plastic bag': 949481, 'plastic bag at': 658800, 'supermarket checkout while': 819674, 'checkout while the': 175059, 'the pandemic rage': 863070, 'pandemic rage it': 636282, 'rage it is': 695545, 'is important physical': 448730, 'important physical distancing': 418925, 'distancing in gaining': 247227, 'in gaining control': 423205, 'gaining control of': 342876, 'control of it': 202070, 'unhappy': 941692, 'voted will': 960564, 'are unhappy': 91315, 'unhappy with': 941693, 'le happy': 482970, 'happy when': 377730, 'yet food': 1016072, 'those who voted': 892693, 'who voted will': 989896, 'voted will turn': 960565, 'will turn on': 995254, 'turn on them': 935727, 'on them people': 604540, 'them people are': 876154, 'people are unhappy': 647106, 'are unhappy with': 91316, 'unhappy with their': 941694, 'with their response': 1001597, '19 and will': 5138, 'be le happy': 115671, 'le happy when': 482971, 'happy when they': 377731, 'they have continued': 882308, 'have continued to': 380097, 'continued to meet': 201362, 'to meet with': 910065, 'meet with people': 527654, 'who have it': 988930, 'have it but': 381144, 'it but don': 456949, 'but don know': 145594, 'know it yet': 476551, 'it yet food': 462629, 'yet food shortage': 1016073, 'shortage are sign': 764838, 'coronacrisis coronavirus': 204583, 'empty dawn': 274848, 'bilbrough from': 130464, 'from york': 338449, 'york said': 1016661, 'coronacrisis coronavirus nurse': 204584, 'coronavirus nurse desperation': 206331, 'shelf empty dawn': 757018, 'empty dawn bilbrough': 274849, 'dawn bilbrough from': 227045, 'bilbrough from york': 130465, 'from york said': 338451, 'york said people': 1016662, 'said people should': 731310, 'people should stop': 649452, 'should stop and': 766514, '19 nor': 8818, 'nor the': 566984, 'been headed': 121265, 'headed towards': 385920, 'towards this': 927267, 'month year': 538150, 'with glaring': 998612, 'glaring warning': 351588, 'warning sign': 967193, 'sign along': 769085, 'the ha very': 857028, 'ha very little': 372428, 'little to do': 495620, 'do with covid': 250546, 'covid 19 nor': 213483, '19 nor the': 8819, 'nor the oil': 566985, 'price we ve': 677412, 've been headed': 952889, 'been headed towards': 121266, 'headed towards this': 385921, 'towards this for': 927268, 'this for month': 887594, 'for month year': 323545, 'month year with': 538151, 'year with glaring': 1015114, 'with glaring warning': 998613, 'glaring warning sign': 351589, 'warning sign along': 967194, 'sign along the': 769086, 'udit': 937907, 'udit the': 937910, 'unnecessary crowding': 942903, 'crowding at': 219384, 'at station': 100636, 'udit the sharp': 937911, 'the sharp increase': 866802, 'increase in platform': 432858, 'ticket price is': 895649, 'price is simply': 674889, 'is simply to': 451935, 'simply to avoid': 770305, 'to avoid unnecessary': 900956, 'avoid unnecessary crowding': 105373, 'unnecessary crowding at': 942904, 'crowding at station': 219385, 'animalistic': 76716, 'cct320': 168512, 'the increasingly': 858089, 'increasingly global': 433780, 'mass are': 519741, 'becoming increasingly': 120304, 'increasingly chaotic': 433763, 'chaotic the': 173101, 'the animalistic': 848749, 'animalistic nature': 76717, 'of survival': 590533, 'survival ha': 829039, 'ha kicked': 371072, 'supply cct320': 824892, 'with the increasingly': 1001347, 'the increasingly global': 858090, 'increasingly global spread': 433781, '19 the mass': 11219, 'the mass are': 860239, 'mass are beginning': 519742, 'panic and grocery': 637313, 'store are becoming': 806460, 'are becoming increasingly': 84802, 'becoming increasingly chaotic': 120305, 'increasingly chaotic the': 433764, 'chaotic the animalistic': 173103, 'the animalistic nature': 848750, 'animalistic nature of': 76718, 'nature of survival': 552974, 'of survival ha': 590534, 'survival ha kicked': 829041, 'ha kicked in': 371073, 'kicked in and': 473807, 'in and individual': 420368, 'and individual are': 65158, 'individual are starting': 435139, 'hoard supply cct320': 398871, 'mossad': 542045, 'mossad load': 542048, 'india wa': 434670, 'wa delayed': 961933, 'by custom': 152274, 'custom officer': 221993, 'the mossad': 860936, 'mossad abandoned': 542046, 'abandoned the': 24217, 'mossad load of': 542049, 'load of sanitizer': 497278, 'sanitizer in india': 735140, 'in india wa': 424062, 'india wa delayed': 434671, 'wa delayed by': 961934, 'delayed by custom': 232771, 'by custom officer': 152275, 'custom officer and': 221994, 'officer and the': 595631, 'and the mossad': 73479, 'the mossad abandoned': 860937, 'mossad abandoned the': 542047, 'abandoned the shipment': 24218, 'couture': 212103, 'italy sold': 462914, 'sold their': 781774, 'their soul': 874757, 'on manufacturing': 601991, 'manufacturing high': 513600, 'end good': 275829, 'good long': 357338, 'time quality': 897537, 'quality ha': 691796, 'gone way': 356442, 'continue climb': 201015, 'climb for': 182262, 'for couture': 320423, 'couture fashion': 212104, 'still what': 801406, 'experiencing is': 291676, 'is tragic': 453326, 'italy sold their': 462915, 'sold their soul': 781776, 'their soul to': 874760, 'soul to save': 786236, 'money on manufacturing': 536935, 'on manufacturing high': 601992, 'manufacturing high end': 513601, 'high end good': 395057, 'end good long': 275830, 'good long time': 357339, 'long time quality': 501776, 'time quality ha': 897538, 'quality ha gone': 691797, 'ha gone way': 370736, 'gone way down': 356443, 'way down and': 969557, 'down and price': 256509, 'and price continue': 69443, 'price continue climb': 673223, 'continue climb for': 201016, 'climb for couture': 182263, 'for couture fashion': 320424, 'couture fashion brand': 212105, 'fashion brand but': 299796, 'brand but still': 137779, 'but still what': 147187, 'still what they': 801407, 'they are experiencing': 881266, 'are experiencing is': 86347, 'experiencing is tragic': 291677, 'sinaloa': 770398, 'sixfold': 772732, 'meth': 529744, 'the sinaloa': 867208, 'sinaloa cartel': 770399, 'cartel ha': 165451, 'ordered sixfold': 618896, 'sixfold hike': 772733, 'in wholesale': 430895, 'wholesale meth': 990455, 'meth price': 529747, 'by hamilton': 152745, 'the sinaloa cartel': 867209, 'sinaloa cartel ha': 770400, 'cartel ha ordered': 165452, 'ha ordered sixfold': 371459, 'ordered sixfold hike': 618897, 'sixfold hike in': 772734, 'hike in wholesale': 396228, 'in wholesale meth': 430898, 'wholesale meth price': 990456, 'meth price due': 529748, 'by the 19': 154254, 'according to this': 28597, 'to this piece': 917452, 'piece by hamilton': 656281, 'been rip': 121860, 'year about': 1014336, 'down oil': 257006, 'have been rip': 379666, 'been rip off': 121861, 'off for year': 593838, 'for year about': 327991, 'year about time': 1014337, 'about time is': 26696, 'time is going': 897055, 'going down oil': 355121, 'down oil price': 257007, 'mow': 544219, 'can mow': 159015, 'mow the': 544220, 'the golf': 856422, 'course etc': 211860, 'etc now': 282679, 'now still': 575906, 'cannot open': 162014, 'open butcher': 612135, 'butcher bakery': 148032, 'bakery though': 108888, 'though yeah': 892946, 'yeah yeah': 1014317, 'yeah have': 1014259, 'draw the': 258483, 'line keep': 493218, 'line all': 492937, 'till of': 896069, 'can mow the': 159016, 'mow the golf': 544221, 'the golf course': 856423, 'golf course etc': 356121, 'course etc now': 211861, 'etc now still': 282681, 'now still cannot': 575907, 'still cannot open': 800342, 'cannot open butcher': 162015, 'open butcher bakery': 612136, 'butcher bakery though': 148034, 'bakery though yeah': 108889, 'though yeah yeah': 892947, 'yeah yeah have': 1014318, 'yeah have to': 1014260, 'have to draw': 383197, 'to draw the': 904715, 'draw the line': 258484, 'the line keep': 859412, 'line keep the': 493219, 'keep the line': 472053, 'the line all': 859398, 'line all the': 492939, 'to the till': 917131, 'the till of': 869560, 'till of the': 896070, 'patrone': 644429, 'borderclosure': 135301, 'caledon': 155378, 'mississauga': 534394, 'peelregion': 646264, 'sauga960am': 737382, 'the marc': 860058, 'marc patrone': 515046, 'patrone show': 644430, 'show march': 767045, '23 2020': 15360, '2020 canadian': 14211, 'canadian border': 160646, 'closure economic': 183882, 'on borderclosure': 599672, 'borderclosure brampton': 135302, 'brampton caledon': 137656, 'caledon mississauga': 155381, 'mississauga oilprices': 534399, 'oilprices peelregion': 597685, 'peelregion sauga960am': 646265, 'sauga960am canada': 737383, 'new podcast the': 559293, 'podcast the marc': 662316, 'the marc patrone': 860059, 'marc patrone show': 515047, 'patrone show march': 644431, 'show march 23': 767046, 'march 23 2020': 515186, '23 2020 canadian': 15361, '2020 canadian border': 14212, 'canadian border closure': 160647, 'border closure economic': 135234, 'closure economic impact': 183883, 'price on borderclosure': 675655, 'on borderclosure brampton': 599673, 'borderclosure brampton caledon': 135303, 'brampton caledon mississauga': 137657, 'caledon mississauga oilprices': 155382, 'mississauga oilprices peelregion': 534400, 'oilprices peelregion sauga960am': 597686, 'peelregion sauga960am canada': 646266, 'why1': 991612, 'why2': 991615, 'why3': 991618, 'food tip': 317223, 'tip avoid': 898717, 'avoid alcohol': 104994, 'alcohol or': 41060, 'least reduce': 484616, 'your alcohol': 1022765, 'consumption why1': 199967, 'why1 alcohol': 991613, 'alcohol weakens': 41168, 'system why2': 831374, 'why2 affect': 991616, 'mental state': 528661, 'and decision': 61015, 'decision making': 231056, 'making why3': 511487, 'why3 increase': 991619, 'increase symptom': 433088, 'of depression': 582542, 'depression anxiety': 237629, 'anxiety fear': 78700, '19 food tip': 7052, 'food tip avoid': 317224, 'tip avoid alcohol': 898718, 'avoid alcohol or': 104995, 'alcohol or at': 41062, 'at least reduce': 99539, 'least reduce your': 484617, 'reduce your alcohol': 706011, 'your alcohol consumption': 1022766, 'alcohol consumption why1': 40969, 'consumption why1 alcohol': 199968, 'why1 alcohol weakens': 991614, 'alcohol weakens the': 41169, 'immune system why2': 417357, 'system why2 affect': 831375, 'why2 affect your': 991617, 'affect your mental': 34276, 'your mental state': 1024815, 'mental state and': 528662, 'state and decision': 795362, 'and decision making': 61017, 'decision making why3': 231058, 'making why3 increase': 511488, 'why3 increase symptom': 991620, 'increase symptom of': 433089, 'symptom of depression': 830883, 'of depression anxiety': 582543, 'depression anxiety fear': 237630, 'anxiety fear and': 78701, 'fear and panic': 301037, 'and panic in': 68655, 'panic in self': 638202, 'shelf going': 757123, 'partying then': 643069, 'your funeral': 1024013, 'you are clearing': 1017088, 'are clearing supermarket': 85313, 'supermarket shelf going': 822476, 'shelf going out': 757125, 'going out partying': 355386, 'out partying then': 627019, 'partying then maybe': 643070, 'then maybe you': 877336, 'maybe you should': 521898, 'should get covid': 766021, '19 but thanks': 5532, 'thanks to you': 842273, 'no one will': 564985, 'one will be': 607472, 'able to come': 24460, 'to your funeral': 918986, 'expendable': 291151, 'we guess': 971694, 'are expendable': 86331, 'expendable incredible': 291152, 'incredible where': 433884, 'protective sneeze': 685812, 'sneeze guard': 776240, 'guard where': 367864, 'sanitizer walmart': 736024, 'we guess the': 971695, 'guess the customer': 368049, 'the customer and': 852713, 'and employee of': 62064, 'employee of are': 274062, 'of are expendable': 580345, 'are expendable incredible': 86332, 'expendable incredible where': 291153, 'incredible where are': 433885, 'are the protective': 90890, 'the protective sneeze': 864714, 'protective sneeze guard': 685813, 'sneeze guard where': 776243, 'guard where are': 367865, 'the mask glove': 860213, 'hand sanitizer walmart': 375647, 'that tx': 847151, 'tx wa': 937462, 'wa added': 961432, 'added part': 31594, 'disaster state': 244244, 'frustrating read': 339244, 'read someone': 700551, 'go told': 354391, 'thank you just': 841760, 'you just saw': 1019431, 'just saw the': 469693, 'saw the news': 738272, 'the news that': 861632, 'news that tx': 560862, 'that tx wa': 847152, 'tx wa added': 937463, 'wa added part': 961433, 'added part of': 31595, 'the disaster state': 853344, 'disaster state people': 244245, 'state people here': 795856, 'here are still': 392757, 'going out it': 355374, 'out it is': 626444, 'is so frustrating': 452006, 'so frustrating read': 777126, 'frustrating read someone': 339245, 'read someone who': 700552, 'someone who went': 784772, 'store got covid': 807956, '19 my husband': 8729, 'husband still go': 411762, 'still go told': 800583, 'go told him': 354392, 'is rare': 451233, 'rare in': 697087, 'prison get': 678721, 'detail about': 239146, 'how inmate': 408068, 'inmate in': 438777, 'nebraska are': 553894, 'chance to make': 171809, 'an impact in': 56186, 'impact in the': 417710, 'the community is': 851281, 'community is rare': 189932, 'is rare in': 451235, 'rare in prison': 697088, 'in prison get': 427002, 'prison get more': 678722, 'get more detail': 347582, 'more detail about': 539013, 'detail about how': 239147, 'about how inmate': 25446, 'how inmate in': 408069, 'inmate in nebraska': 438778, 'in nebraska are': 425718, 'nebraska are helping': 553895, 'helping during the': 391313, 'agedcare': 37960, 'consumer peak': 198346, 'peak body': 646055, 'body for': 133847, 'australian is': 103509, 'on agedcare': 599174, 'agedcare provider': 37961, 'apply new': 82576, 'new visitor': 559841, 'visitor restriction': 959599, 'restriction safely': 717368, 'safely sensibly': 730311, 'an unnecessarily': 56872, 'unnecessarily strict': 942879, 'strict manner': 813633, 'the consumer peak': 851571, 'consumer peak body': 198347, 'peak body for': 646056, 'body for older': 133849, 'for older australian': 324052, 'older australian is': 598581, 'australian is calling': 103510, 'calling on agedcare': 156606, 'on agedcare provider': 599175, 'agedcare provider to': 37962, 'provider to apply': 686801, 'to apply new': 900655, 'apply new visitor': 82577, 'new visitor restriction': 559842, 'visitor restriction safely': 959600, 'restriction safely sensibly': 717369, 'safely sensibly and': 730312, 'sensibly and not': 750679, 'and not in': 67750, 'not in an': 570083, 'in an unnecessarily': 420332, 'an unnecessarily strict': 56873, 'unnecessarily strict manner': 942880, 'cse': 220038, 'madacide': 507580, 'fd': 300815, 'at cse': 98381, 'cse mobility': 220039, 'mobility scrub': 535092, 'scrub we': 742918, 'keep sanitizing': 471900, 'on madacide': 601958, 'madacide wipe': 507583, 'wipe 160': 996163, '160 count': 4208, 'count madacide': 210131, 'madacide fd': 507581, 'fd spray': 300818, 'spray quart': 790321, 'quart and': 693222, 'few hand': 303855, 'sanitizers staysafestayhome': 736407, 'at cse mobility': 98382, 'cse mobility scrub': 220040, 'mobility scrub we': 535093, 'scrub we are': 742919, 'to keep sanitizing': 908841, 'keep sanitizing product': 471901, 'sanitizing product in': 736496, 'stock at affordable': 801872, 'currently in stock': 221570, 'in stock on': 428319, 'stock on madacide': 802560, 'on madacide wipe': 601959, 'madacide wipe 160': 507584, 'wipe 160 count': 996164, '160 count madacide': 4209, 'count madacide fd': 210132, 'madacide fd spray': 507582, 'fd spray quart': 300819, 'spray quart and': 790322, 'quart and few': 693223, 'and few hand': 62815, 'few hand sanitizers': 303856, 'hand sanitizers staysafestayhome': 375723, 'note this': 572828, 'this present': 889696, 'present golden': 670591, 'either or': 270346, 'have difficulty': 380274, 'difficulty coping': 242371, 'affected stop': 34433, 'stop smoking': 805032, 'and drinking': 61737, 'positive note this': 665384, 'note this present': 572829, 'this present golden': 889697, 'present golden opportunity': 670592, 'tobacco product and': 919081, 'product and alcohol': 680871, 'and alcohol the': 57833, 'alcohol the consumer': 41138, 'the consumer of': 851565, 'of either or': 583006, 'either or both': 270347, 'will have difficulty': 993625, 'have difficulty coping': 380275, 'difficulty coping with': 242372, 'once affected stop': 605554, 'affected stop smoking': 34434, 'stop smoking and': 805033, 'smoking and drinking': 775899, 'item appear': 463085, 'be selected': 117045, 'selected specie': 747503, 'specie science': 788191, 'science panicbuying': 742123, 'store item appear': 808603, 'item appear to': 463086, 'to be selected': 901524, 'be selected specie': 117047, 'selected specie science': 747504, 'specie science panicbuying': 788192, 'loitering': 500843, 'experience yesterday': 291548, 'yesterday shopper': 1015857, 'shopper barging': 761419, 'barging past': 111088, 'past leaning': 643558, 'leaning over': 483905, 'over wasn': 630891, 'wasn loitering': 967995, 'loitering either': 500844, 'rush but': 728286, 'same experience yesterday': 733058, 'experience yesterday shopper': 291550, 'yesterday shopper barging': 1015858, 'shopper barging past': 761420, 'barging past leaning': 111089, 'past leaning over': 643559, 'leaning over wasn': 483906, 'over wasn loitering': 630892, 'wasn loitering either': 967996, 'loitering either we': 500845, 'either we re': 270413, 'all in rush': 43202, 'in rush but': 427583, 'rush but keep': 728287, 'your distance people': 1023538, 'tat': 834826, 'see many': 745387, 'getting sanitizers': 349248, 'it pls': 460365, 'pls use': 661196, 'and tat': 73044, 'tat more': 834831, 'enough sanitizer': 277607, 'can see many': 159542, 'see many are': 745388, 'many are worried': 513788, 'about not getting': 25814, 'not getting sanitizers': 569629, 'getting sanitizers and': 349249, 'sanitizers and high': 736197, 'high cost of': 394975, 'of it pls': 585430, 'it pls use': 460366, 'pls use your': 661197, 'use your soap': 949847, 'soap and tat': 778928, 'and tat more': 73045, 'tat more than': 834832, 'than enough sanitizer': 840554, 'enough sanitizer soap': 277608, 'terrible specie': 838436, 'specie 19': 788177, 'terrible specie 19': 838437, 'specie 19 corona': 788178, '19 corona toiletpaper': 6055, 'insatiable': 439112, 'thirst': 886129, 'caused global': 167888, 'global travel': 352266, 'collapse eating': 185999, 'eating into': 266231, 'world once': 1009867, 'once insatiable': 605657, 'insatiable thirst': 439113, 'thirst for': 886130, 'oil which': 597510, 'which power': 986228, 'power the': 667697, 'economy countless': 267787, 'countless flight': 210373, 'flight have': 310482, 'canceled the': 160956, 'ship are': 758650, 'standstill highway': 793851, 'highway are': 396148, 'many factory': 514051, 'factory are': 295925, 'are dark': 85702, 'ha caused global': 370080, 'caused global travel': 167891, 'global travel to': 352268, 'travel to collapse': 930533, 'to collapse eating': 902952, 'collapse eating into': 186000, 'eating into the': 266233, 'into the world': 443189, 'the world once': 871930, 'world once insatiable': 1009868, 'once insatiable thirst': 605658, 'insatiable thirst for': 439114, 'thirst for oil': 886131, 'for oil which': 324045, 'oil which power': 597512, 'which power the': 986229, 'power the economy': 667698, 'the economy countless': 853955, 'economy countless flight': 267788, 'countless flight have': 210374, 'flight have been': 310483, 'been canceled the': 120782, 'canceled the cruise': 160957, 'cruise ship are': 219704, 'ship are at': 758651, 'are at standstill': 84684, 'at standstill highway': 100633, 'standstill highway are': 793852, 'highway are empty': 396149, 'empty and many': 274769, 'and many factory': 66670, 'many factory are': 514052, 'factory are dark': 295926, 'ago went': 38539, 'hoax one': 399735, 'one lady': 606567, 'way she': 969861, 'ha two': 372386, 'two very': 937300, 'sick child': 768404, 'child so': 176204, 'day ago went': 227216, 'ago went to': 38540, 'local supermarket told': 498603, 'supermarket told everyone': 823493, 'everyone in line': 287043, 'in line that': 424775, 'line that all': 493445, 'all this nonsense': 45119, 'this nonsense wa': 889162, 'wa hoax one': 962322, 'hoax one lady': 399736, 'one lady agreed': 606568, 'with me by': 999441, 'me by the': 522551, 'the way she': 871184, 'way she ha': 969862, 'she ha two': 756084, 'ha two very': 372389, 'two very sick': 937301, 'very sick child': 955532, 'sick child so': 768405, 'child so guess': 176205, 'eatertainment': 266150, 'incorporate': 432613, 'called eatertainment': 156299, 'eatertainment concept': 266151, 'that incorporate': 844490, 'incorporate those': 432616, 'those element': 891956, 'element into': 271340, 'restaurant setting': 716689, 'is double': 447333, 'for so called': 325693, 'so called eatertainment': 776682, 'called eatertainment concept': 156300, 'eatertainment concept that': 266152, 'concept that incorporate': 192875, 'that incorporate those': 844491, 'incorporate those element': 432617, 'those element into': 891957, 'element into the': 271341, 'the restaurant setting': 865658, 'restaurant setting the': 716690, 'setting the is': 753650, 'the is double': 858490, 'is double blow': 447334, 'still five': 800536, 'accident when': 28401, 'supermarket coronavirus': 819806, 'toll pass': 923871, 'pass 00': 643199, 'are still five': 90424, 'still five time': 800537, 'five time more': 309671, 'time more likely': 897225, 'to die in': 904274, 'car accident when': 162980, 'accident when we': 28402, 'the supermarket coronavirus': 868533, 'supermarket coronavirus death': 819807, 'death toll pass': 230251, 'toll pass 00': 923872, 'lemay': 486164, 'the lemay': 859288, 'lemay schnucks': 486165, 'schnucks thank': 741653, 'all thankful': 44623, 'at the lemay': 101003, 'the lemay schnucks': 859289, 'lemay schnucks thank': 486166, 'schnucks thank you': 741654, 'store worker that': 811601, 'are all thankful': 84361, 'all thankful for': 44624, 'thankful for you': 841915, 'still happening': 800629, 'vancouver the': 952352, 'egg continue': 269830, 'shopping is still': 763081, 'is still happening': 452281, 'still happening at': 800630, 'happening at the': 377330, 'live in downtown': 495857, 'downtown vancouver the': 257766, 'vancouver the egg': 952353, 'the egg continue': 854088, 'egg continue to': 269831, 'monger': 537215, 'vegetable no': 954046, 'product saw': 681594, 'two fight': 936924, 'fight mainly': 304795, 'mainly elderly': 508874, 'people lady': 648601, 'gentleman this': 345850, 'explode it': 292300, 'it powder': 460408, 'powder magazine': 667536, 'magazine it': 508338, 'shame hate': 754600, 'hate all': 378860, 'all politician': 43991, 'fear monger': 301195, 'monger in': 537216, 'store no fruit': 809076, 'no fruit and': 564315, 'and vegetable no': 74892, 'vegetable no bread': 954047, 'bread no milk': 138543, 'milk no paper': 531744, 'paper product saw': 640631, 'product saw two': 681595, 'saw two fight': 738311, 'two fight mainly': 936925, 'fight mainly elderly': 304796, 'mainly elderly people': 508875, 'elderly people lady': 270827, 'people lady and': 648602, 'and gentleman this': 63535, 'gentleman this is': 345851, 'to explode it': 905486, 'explode it powder': 292301, 'it powder magazine': 460409, 'powder magazine it': 667537, 'magazine it really': 508339, 'really shame hate': 702574, 'shame hate all': 754601, 'hate all politician': 378861, 'all politician and': 43992, 'politician and fear': 663700, 'and fear monger': 62739, 'fear monger in': 301196, 'monger in the': 537217, 'corona look': 204048, 'they profiting': 882919, 'have bed': 379452, 'ask gigantic': 95546, 'gigantic price': 350072, 'price hope': 674576, 'magats corona look': 508325, 'corona look here': 204049, 'look here are': 502404, 'here are they': 392763, 'are they profiting': 91016, 'they profiting from': 882920, 'profiting from pandemic': 683125, 'food hospital do': 314853, 'not have bed': 569813, 'have bed or': 379453, 'or respirator for': 616873, 'respirator for which': 715203, 'for which they': 327831, 'which they ask': 986393, 'they ask gigantic': 881499, 'ask gigantic price': 95547, 'gigantic price hope': 350073, 'price hope you': 674577, 'hope you work': 403815, 'to oz': 911340, 'oz tonight': 632770, 'tonight part': 924470, 'part from': 642277, 'day roaming': 228287, 'roaming the': 724575, 'london the': 501198, 'been mostly': 121545, 'mostly full': 542959, 'of flight': 583587, 'many tear': 514775, 'tear and': 835924, 'and fighting': 62831, 'back roll': 107255, 'being available': 124880, 'heading back home': 385926, 'back home to': 107067, 'home to oz': 402334, 'to oz tonight': 911341, 'oz tonight part': 632771, 'tonight part from': 924471, 'part from couple': 642278, 'of day roaming': 582381, 'day roaming the': 228288, 'roaming the street': 724576, 'street of london': 813049, 'of london the': 585995, 'london the last': 501200, 'last day have': 480180, 'day have been': 227730, 'have been mostly': 379610, 'been mostly full': 121546, 'mostly full of': 542960, 'full of flight': 340721, 'of flight many': 583588, 'flight many tear': 310510, 'many tear and': 514776, 'tear and fighting': 835925, 'and fighting for': 62832, 'fighting for money': 305077, 'for money back': 323494, 'money back roll': 536624, 'back roll on': 107256, 'roll on going': 725431, 'on going into': 601133, 'into quarantine and': 442913, 'quarantine and online': 692017, 'shopping not being': 763351, 'not being available': 568529, 'tremendously': 931239, 'stayth': 799056, 'ch look': 170394, 'and goggles': 63798, 'goggles again': 354937, 'when exactly': 983404, 'exactly do': 288731, 'expect people': 290696, 'order bread': 618088, 'bread when': 138633, 'already too': 47727, '09 00': 1145, 'morning your': 541558, 'online thing': 609553, 'thing suck': 884782, 'suck tremendously': 816941, 'tremendously stayth': 931240, 'ch look like': 170395, 'look like have': 502483, 'like have to': 490388, 'shopping with mask': 764437, 'mask and goggles': 518330, 'and goggles again': 63799, 'goggles again and': 354938, 'again and when': 36894, 'and when exactly': 75511, 'when exactly do': 983405, 'exactly do you': 288732, 'you expect people': 1018481, 'expect people to': 290697, 'people to order': 649925, 'to order bread': 911064, 'order bread when': 618089, 'bread when it': 138635, 'is already too': 445542, 'already too late': 47728, 'too late at': 924831, 'late at 09': 480855, 'at 09 00': 97392, '09 00 in': 1146, 'the morning your': 860921, 'morning your online': 541559, 'your online thing': 1025082, 'online thing suck': 609554, 'thing suck tremendously': 884783, 'suck tremendously stayth': 816942, 'of 200ml': 579467, '200ml bottle': 13735, 'bottle to': 136342, 'buying and rising': 149927, 'and rising price': 70548, 'of hand the': 584439, 'hand the government': 375823, 'government ha capped': 360143, 'price of 200ml': 675396, 'of 200ml bottle': 579468, '200ml bottle to': 13737, 'bottle to 100': 136343, 'jasonkenney': 464860, 'hit staggering': 398408, 'shed job': 756507, 'global 19': 351726, 'price premier': 675979, 'premier jasonkenney': 669899, 'jasonkenney said': 464861, 'track to hit': 928233, 'to hit staggering': 907853, 'hit staggering 25': 398409, 'continue to shed': 201256, 'to shed job': 914391, 'shed job amid': 756508, 'the global 19': 856286, 'global 19 pandemic': 351727, '19 pandemic coupled': 9302, 'oil price premier': 597222, 'price premier jasonkenney': 675981, 'premier jasonkenney said': 669900, 'jasonkenney said tuesday': 464862, 'than never': 840936, 'never business': 557917, 're finding': 698689, 'finding higher': 307487, 'donate today': 254275, 'more than never': 540651, 'than never business': 840937, 'never business and': 557918, 'outbreak the demand': 628708, 'rate we re': 697408, 'we re finding': 972875, 're finding higher': 698690, 'finding higher cost': 307488, 'supplier please donate': 824591, 'please donate today': 659932, 'eyy': 294164, 'eyy the': 294165, 'our arses': 622117, 'arses again': 94113, 'again bogroll': 36927, 'bogroll toiletpaper': 134008, 'toiletpaper asda': 921758, 'eyy the bog': 294166, 'bog roll is': 133956, 'roll is back': 725350, 'is back we': 445952, 'back we can': 107452, 'we can wipe': 971038, 'can wipe our': 160230, 'wipe our arses': 996341, 'our arses again': 622118, 'arses again bogroll': 94114, 'again bogroll toiletpaper': 36928, 'bogroll toiletpaper asda': 134009, 'toiletpaper asda tesco': 921759, 'governor is': 360921, 'job welcome': 466277, 'welcome sir': 977893, 'sir love': 771596, 'everyone up': 287520, 'date please': 226716, 'contact to': 200241, 'step covid': 799524, 'with affordable': 997115, 'information please': 437946, 'the governor is': 856642, 'governor is doing': 360923, 'is doing very': 447296, 'doing very good': 252818, 'very good job': 955189, 'good job welcome': 357300, 'job welcome sir': 466278, 'welcome sir love': 977894, 'sir love the': 771597, 'way you keep': 970204, 'you keep everyone': 1019445, 'keep everyone up': 471481, 'everyone up to': 287521, 'to date please': 903940, 'date please contact': 226717, 'please contact to': 659844, 'contact to get': 200243, 'get one step': 347706, 'one step covid': 607100, 'step covid 19': 799525, '19 corona virus': 6058, 'corona virus test': 204358, 'test kit with': 839074, 'kit with affordable': 475675, 'with affordable price': 997116, 'affordable price for': 34877, 'price for more': 674004, 'more information please': 539590, 'information please contact': 437947, 'please contact bamyglobal': 659831, 'all ikea': 43184, '17 to': 4394, 'april 19': 83435, 'all ikea store': 43185, 'ikea store in': 416057, 'store in switzerland': 808397, 'closed from march': 183141, 'march 17 to': 515100, '17 to at': 4396, 'least april 19': 484393, 'april 19 people': 83437, '19 people can': 9622, 'people can shop': 647408, 'can shop online': 159607, 'online during this': 608145, 'pollybites': 663922, 'kosher': 477552, 'pandemic pollybites': 636210, 'pollybites via': 663923, 'via plenty': 956174, 'of vegan': 592755, 'vegan and': 953841, 'and kosher': 65902, 'kosher food': 477553, 'supermarket won': 823963, 'in until': 430455, 'until someone': 943830, 'someone come': 784408, 'out sound': 627232, 'like plan': 491009, 'plan but': 658081, 'crowd are': 219121, 'are congregating': 85496, 'congregating outside': 194474, '19 shopping during': 10488, 'during pandemic pollybites': 262887, 'pandemic pollybites via': 636211, 'pollybites via plenty': 663924, 'via plenty of': 956175, 'plenty of vegan': 660989, 'of vegan and': 592756, 'vegan and kosher': 953842, 'and kosher food': 65903, 'kosher food available': 477554, 'food available the': 313479, 'available the chinese': 104620, 'the chinese supermarket': 850869, 'chinese supermarket won': 177361, 'supermarket won let': 823964, 'won let anyone': 1003862, 'let anyone in': 486601, 'anyone in until': 80382, 'in until someone': 430456, 'until someone come': 943831, 'someone come out': 784409, 'come out sound': 187474, 'out sound like': 627233, 'sound like plan': 786304, 'like plan but': 491010, 'plan but crowd': 658082, 'but crowd are': 145488, 'crowd are congregating': 219123, 'are congregating outside': 85497, 'habit during the': 372606, 'quick review': 694357, 'with how': 998893, 'here quick review': 393498, 'quick review of': 694358, 'review of how': 720576, 'how to clean': 408992, 'disinfect your home': 245589, 'your home along': 1024337, 'along with how': 47057, 'with how to': 998894, 'sanitizer if necessary': 735115, 'automotives': 104055, 'hd5d6zdgs8': 384690, 'the capability': 850351, 'capability of': 162468, 'commodity trade': 189328, 'trade opec': 928541, 'consumer automotives': 196365, 'automotives gasoline': 104056, 'gasoline http': 344239, 'co hd5d6zdgs8': 184851, 'ha limited the': 371151, 'limited the capability': 492746, 'the capability of': 850352, 'capability of north': 162469, 'of north american': 587075, 'oil commodity trade': 596681, 'commodity trade opec': 189329, 'trade opec consumer': 928542, 'opec consumer automotives': 611852, 'consumer automotives gasoline': 196366, 'automotives gasoline http': 104057, 'gasoline http co': 344240, 'http co hd5d6zdgs8': 409763, 'distancing social': 247488, 'medium service': 527271, 'that marketing': 845050, 'marketing like': 517639, 'post comment': 666049, 'below follow': 126637, 'follow now': 312471, 'profile for': 682614, 'more bakersfield': 538699, 'social distancing social': 779721, 'distancing social medium': 247489, 'social medium service': 779880, 'medium service it': 527272, 'service it all': 752529, 'all about that': 41926, 'about that marketing': 26320, 'that marketing like': 845051, 'marketing like post': 517640, 'like post comment': 491019, 'post comment below': 666050, 'comment below follow': 188390, 'below follow now': 126638, 'follow now see': 312472, 'now see profile': 575750, 'see profile for': 745616, 'profile for more': 682615, 'for more bakersfield': 323554, 'more bakersfield socialmediamarketing': 538700, 'asparagus': 96201, 'why asparagus': 990817, 'asparagus will': 96206, 'gold dust': 355879, 'dust this': 263462, 'yet other': 1016181, 'are cheaper': 85264, 'ever luxembourg': 285401, 'luxembourg food': 506886, 'why asparagus will': 990818, 'asparagus will be': 96207, 'be like gold': 115734, 'like gold dust': 490325, 'gold dust this': 355881, 'dust this year': 263463, 'this year yet': 891605, 'year yet other': 1015126, 'yet other food': 1016182, 'other food are': 620233, 'food are cheaper': 313405, 'are cheaper than': 85266, 'cheaper than ever': 174275, 'than ever luxembourg': 840591, 'ever luxembourg food': 285402, 'luxembourg food 19': 506887, 'cisa': 178774, 'cisa guideline': 178775, 'guideline state': 368471, 'state energy': 795564, 'energy employee': 276445, 'employee including': 273975, 'including utility': 432241, 'that utility': 847221, 'worker remain': 1007678, 'remain essential': 709742, 'cisa guideline state': 178776, 'guideline state energy': 368472, 'state energy employee': 795565, 'energy employee including': 276446, 'employee including utility': 273976, 'including utility worker': 432242, 'utility worker to': 951345, 'be essential we': 114702, 'essential we encourage': 281766, 'encourage all state': 275570, 'state to ensure': 796019, 'ensure that utility': 278074, 'that utility worker': 847222, 'utility worker remain': 951342, 'worker remain essential': 1007679, 'remain essential during': 709743, 'witnessing many': 1003172, 'many act': 513711, 'also selfishness': 48847, 'selfishness panic': 748373, 'is leaving': 449263, 'leaving some': 485131, 'daily or': 224739, 'or weekly': 617758, 'don bulk': 253401, 'buy amp': 148308, 'are witnessing many': 91664, 'witnessing many act': 1003173, 'many act of': 513712, 'during the but': 263093, 'the but also': 850190, 'but also selfishness': 145142, 'also selfishness panic': 48848, 'selfishness panic buying': 748374, 'buying in supermarket': 150545, 'supermarket is leaving': 821101, 'is leaving some': 449265, 'leaving some people': 485132, 'some people without': 783549, 'people without enough': 650488, 'enough food if': 277398, 'all buy the': 42262, 'buy the usual': 149311, 'usual daily or': 950914, 'daily or weekly': 224740, 'or weekly shop': 617759, 'weekly shop there': 977556, 'shop there will': 760921, 'be enough for': 114686, 'for everyone please': 321228, 'everyone please don': 287282, 'please don bulk': 659908, 'don bulk buy': 253403, 'bulk buy amp': 142250, 'buy amp hoard': 148310, 'ughh': 938034, 'hotstar': 405325, 'this staying': 890319, 'home thing': 402278, 'bit boring': 131537, 'boring mean': 135434, 'mean cannot': 524387, 'online ugh': 609645, 'ugh no': 938024, 'while ughh': 987486, 'ughh limited': 938035, 'limited snack': 492717, 'snack so': 776027, 'many screen': 514663, 'screen so': 742731, 'so bored': 776636, 'bored of': 135361, 'of netflix': 586942, 'netflix prime': 557621, 'prime hotstar': 678117, 'hotstar that': 405326, 'that literally': 844898, 'literally working': 495115, 'college project': 186643, 'project now': 683517, '19 screwed': 10372, 'this staying at': 890320, 'at home thing': 99144, 'home thing is': 402279, 'thing is little': 884476, 'is little bit': 449398, 'little bit boring': 495251, 'bit boring mean': 131538, 'boring mean cannot': 135435, 'mean cannot even': 524388, 'food online ugh': 315626, 'online ugh no': 609646, 'ugh no online': 938025, 'shopping for while': 762732, 'for while ughh': 327852, 'while ughh limited': 987487, 'ughh limited snack': 938036, 'limited snack so': 492718, 'snack so many': 776028, 'so many screen': 777701, 'many screen so': 514664, 'screen so bored': 742732, 'so bored of': 776637, 'bored of netflix': 135362, 'of netflix prime': 586943, 'netflix prime hotstar': 557622, 'prime hotstar that': 678118, 'hotstar that literally': 405327, 'that literally working': 844902, 'literally working on': 495116, 'working on my': 1008810, 'on my college': 602271, 'my college project': 547744, 'college project now': 186644, 'project now covid': 683518, 'covid 19 screwed': 213754, 'anothe': 77463, 'yes agreed': 1015366, 'agreed also': 38692, 'also let': 48471, 'when fuel': 983449, 'up automatically': 944449, 'automatically price': 104004, 'else increase': 271743, 'increase however': 432810, 'there gas': 878427, 'price respite': 676194, 'respite those': 715268, 'price never': 675323, 'ever come': 285256, 'for anothe': 319364, 'yes agreed also': 1015367, 'agreed also let': 38693, 'also let remember': 48473, 'let remember when': 487010, 'remember when fuel': 710412, 'when fuel price': 983450, 'go up automatically': 354422, 'up automatically price': 944450, 'automatically price for': 104005, 'price for everything': 673959, 'for everything else': 321255, 'everything else increase': 287771, 'else increase however': 271744, 'increase however when': 432811, 'however when there': 409523, 'when there gas': 984225, 'there gas price': 878428, 'gas price respite': 344017, 'price respite those': 676195, 'respite those price': 715269, 'those price never': 892367, 'price never ever': 675324, 'never ever come': 557976, 'ever come back': 285257, 'come back down': 187235, 'back down there': 106961, 'down there need': 257329, 'there need for': 878781, 'need for anothe': 554825, 'timeshavechanged': 898498, 'wa crazy': 961891, 'the sandwich': 866337, 'sandwich 19': 733731, '19 timeshavechanged': 11406, 'timeshavechanged toiletpaper': 898499, 'when we all': 984428, 'we all thought': 970370, 'all thought it': 45200, 'it wa crazy': 462095, 'wa crazy that': 961892, 'crazy that people': 215438, 'people were buying': 650198, 'were buying up': 979412, 'all the sandwich': 44898, 'the sandwich 19': 866338, 'sandwich 19 timeshavechanged': 733732, '19 timeshavechanged toiletpaper': 11407, 'timeshavechanged toiletpaper toiletpapercrisis': 898500, 'majzub': 509609, 'uncoordinated': 939897, 'rising both': 723170, 'crisis are': 217076, 'country majzub': 210883, 'majzub tell': 509610, 'response so': 715791, 'been uncoordinated': 122283, 'uncoordinated and': 939898, 'and inadequate': 65086, 'country is rising': 210818, 'is rising both': 451551, 'rising both due': 723171, '19 crisis are': 6214, 'crisis are food': 217078, 'are food price': 86635, 'the country majzub': 852116, 'country majzub tell': 210884, 'majzub tell me': 509611, 'me the government': 523647, 'government response so': 360539, 'response so far': 715792, 'ha been uncoordinated': 369968, 'been uncoordinated and': 122284, 'uncoordinated and inadequate': 939899, 'very impressed': 955260, 'with village': 1001982, 'village supermarket': 957370, 'sanitisers throughout': 734104, 'client employee': 182029, 'use congratulation': 949128, 'installed hand': 440025, 'their atm': 872524, 'atm well': 101968, 'done tanzania': 255034, 'very impressed with': 955261, 'impressed with village': 419459, 'with village supermarket': 1001983, 'village supermarket they': 957374, 'supermarket they have': 823289, 'they have hand': 882324, 'have hand sanitisers': 380888, 'hand sanitisers throughout': 375268, 'sanitisers throughout the': 734105, 'throughout the supermarket': 894986, 'supermarket for customer': 820387, 'for customer and': 320504, 'and client employee': 59987, 'client employee to': 182030, 'employee to use': 274339, 'to use congratulation': 918017, 'use congratulation to': 949129, 'congratulation to they': 194452, 'they have installed': 882332, 'have installed hand': 381098, 'installed hand sanitizers': 440026, 'at their atm': 101162, 'their atm well': 872525, 'atm well done': 101969, 'well done tanzania': 978202, 'all hyvee': 43172, 'hyvee store': 412510, 'store began': 806711, 'began making': 123403, 'to recent': 912940, 'recent concern': 703839, 'concern see': 193090, 'more including': 539529, 'including how': 432008, 'action the': 30149, 'taking across': 833240, 'it eight': 457774, 'eight state': 270199, 'state region': 795888, 'effective today all': 269316, 'today all hyvee': 919168, 'all hyvee store': 43173, 'hyvee store began': 412511, 'store began making': 806712, 'began making change': 123404, 'change to their': 172366, 'to their store': 917271, 'hour and operation': 405408, 'and operation due': 68186, 'due to recent': 261922, 'to recent concern': 912941, 'recent concern see': 703840, 'concern see below': 193091, 'below for more': 126646, 'for more including': 323579, 'more including how': 539530, 'including how to': 432009, 'latest on action': 481470, 'on action the': 599159, 'action the grocery': 30150, 'grocery chain is': 364366, 'is taking across': 452530, 'taking across it': 833241, 'across it eight': 29359, 'it eight state': 457776, 'eight state region': 270200, 'farmed sector': 299231, 'for tough': 327294, 'tough patch': 926825, 'patch in': 643940, 'with foodservice': 998517, 'foodservice demand': 318094, 'demand key': 235781, 'to shrimp': 914589, 'shrimp purchase': 767684, 'purchase likely': 689526, 'off thanks': 594221, 'the global farmed': 856301, 'global farmed sector': 351933, 'farmed sector is': 299232, 'sector is headed': 744247, 'is headed for': 448356, 'headed for tough': 385901, 'for tough patch': 327295, 'tough patch in': 926826, 'patch in term': 643941, 'term of market': 838221, 'of market price': 586236, 'market price with': 516907, 'price with foodservice': 677613, 'with foodservice demand': 998518, 'foodservice demand key': 318095, 'demand key to': 235782, 'key to shrimp': 473444, 'to shrimp purchase': 914590, 'shrimp purchase likely': 767685, 'purchase likely to': 689527, 'drop off thanks': 260342, 'off thanks to': 594222, 'whitstable': 987994, 'erecting': 280149, 'been informed': 121382, 'informed today': 438137, 'the whitstable': 871463, 'whitstable harbour': 987995, 'harbour restuarant': 377850, 'restuarant is': 717454, 'is erecting': 447535, 'erecting temporary': 280150, 'temporary food': 837624, 'food structure': 316877, 'structure for': 814301, 'serving food': 753178, 'weekend how': 977352, 'how simply': 408686, 'simply disgusting': 770216, 'disgusting the': 245464, 'le necessary': 483033, 'necessary 19': 553940, 'just been informed': 468303, 'been informed today': 121384, 'informed today the': 438138, 'today the whitstable': 920306, 'the whitstable harbour': 871464, 'whitstable harbour restuarant': 987996, 'harbour restuarant is': 377851, 'restuarant is erecting': 717455, 'is erecting temporary': 447536, 'erecting temporary food': 280151, 'temporary food structure': 837626, 'food structure for': 316878, 'structure for serving': 814302, 'for serving food': 325504, 'serving food due': 753179, 'high demand over': 395021, 'demand over the': 236000, 'the weekend how': 871329, 'weekend how simply': 977353, 'how simply disgusting': 408687, 'simply disgusting the': 770217, 'disgusting the government': 245465, 'government say stay': 360570, 'say stay at': 739171, 'home or le': 401748, 'or le necessary': 615946, 'le necessary 19': 483034, '10 trend': 1744, 'trend radically': 931423, 'radically accelerated': 695412, 'accelerated by': 27878, 'by emerging': 152469, 'emerging consumer': 273099, 'been radically': 121768, 'virus 10 trend': 957886, '10 trend radically': 1745, 'trend radically accelerated': 931424, 'radically accelerated by': 695413, 'accelerated by the': 27879, 'crisis by emerging': 217171, 'by emerging consumer': 152470, 'emerging consumer trend': 273100, 'trend that have': 931463, 'have been radically': 379652, 'been radically accelerated': 121769, 'concierge': 193296, 'medical board': 526070, 'into concierge': 442474, 'concierge doctor': 193297, 'doctor selling': 251098, 'selling coronavirus': 749202, 'testing at': 839452, 'the inquiry': 858306, 'inquiry follows': 439008, 'follows time': 312966, 'time story': 897770, 'story that': 812124, 'found test': 330389, 'test sold': 839176, 'sold to': 781787, 'to wealthy': 918417, 'new the medical': 559745, 'the medical board': 860393, 'medical board of': 526071, 'board of california': 133657, 'of california is': 581044, 'california is looking': 155523, 'is looking into': 449447, 'looking into concierge': 502941, 'into concierge doctor': 442475, 'concierge doctor selling': 193298, 'doctor selling coronavirus': 251099, 'selling coronavirus testing': 749203, 'coronavirus testing at': 206887, 'testing at high': 839453, 'high price the': 395280, 'price the inquiry': 676842, 'the inquiry follows': 858307, 'inquiry follows time': 439009, 'follows time story': 312967, 'time story that': 897771, 'story that found': 812125, 'that found test': 843950, 'found test sold': 330390, 'test sold to': 839177, 'sold to wealthy': 781792, 'to wealthy people': 918418, 'wealthy people even': 974217, 'people even if': 647824, 'had no symptom': 373339, 'no symptom or': 565659, 'symptom or contact': 830895, 'or contact covid': 614802, 'at unless': 101406, 'unless have': 942611, 'have doctor': 380306, 'doctor note': 250988, 'afford damn': 34689, 'damn doctor': 225338, 'visit panicbuyers': 959334, 'panicbuyers grocerystore': 638857, 'worker unprotected': 1008078, 'apparently not allowed': 81973, 'allowed to wear': 46254, 'wear mask while': 974414, 'mask while stocking': 519562, 'while stocking shelf': 987330, 'stocking shelf at': 803590, 'work at unless': 1004908, 'at unless have': 101407, 'unless have doctor': 942612, 'have doctor note': 380307, 'doctor note do': 250990, 'note do you': 572721, 'even know the': 284280, 'know the last': 476832, 'last time wa': 480576, 'time wa able': 898200, 'to afford damn': 900157, 'afford damn doctor': 34690, 'damn doctor visit': 225339, 'doctor visit panicbuyers': 251149, 'visit panicbuyers grocerystore': 959335, 'panicbuyers grocerystore worker': 638858, 'grocerystore worker unprotected': 366343, 'center we': 169318, 've gathered': 953149, 'gathered our': 344422, 'intelligence insight': 441001, 'partner successfully': 642875, 'resource center we': 714740, 'center we ve': 169320, 'we ve gathered': 973668, 've gathered our': 953150, 'gathered our latest': 344423, 'consumer intelligence insight': 197900, 'intelligence insight from': 441002, 'from our global': 336774, 'our partner successfully': 624282, 'partner successfully navigate': 642876, 'to cannabisindustry': 902438, 'cannabisindustry during': 161471, 'importantly there': 419152, 'is prioritizing': 451029, 'prioritizing of': 678486, 'medical marijuana': 526247, 'marijuana patient': 515720, 'response to cannabisindustry': 715831, 'to cannabisindustry during': 902439, 'cannabisindustry during 19': 161472, 'during 19 most': 262407, '19 most importantly': 8690, 'most importantly there': 542429, 'importantly there is': 419153, 'there is prioritizing': 878608, 'is prioritizing of': 451031, 'prioritizing of medical': 678487, 'of medical marijuana': 586393, 'medical marijuana patient': 526248, 'churning': 178430, 'further covid': 342016, 'covid related': 214213, 'related mining': 708486, 'mining news': 533285, 'week wonder': 977274, 'canada will': 160614, 'fare given': 299024, 'given churning': 350971, 'churning commodity': 178431, 'price collapsed': 673174, 'collapsed demand': 186093, 'and hit': 64622, 'in further covid': 423192, 'further covid related': 342017, 'covid related mining': 214214, 'related mining news': 708487, 'mining news from': 533286, 'from the past': 337826, 'past week wonder': 643653, 'week wonder how': 977275, 'how the sector': 408872, 'the sector in': 866617, 'sector in canada': 744230, 'in canada will': 421206, 'canada will fare': 160615, 'will fare given': 993411, 'fare given churning': 299025, 'given churning commodity': 350972, 'churning commodity price': 178432, 'commodity price collapsed': 189264, 'price collapsed demand': 673175, 'collapsed demand and': 186094, 'demand and hit': 234973, 'and hit to': 64625, 'hit to share': 398477, 'to share price': 914360, 'our study': 624987, 'study with': 814982, 'global asked': 351743, 'asked consumer': 95728, 'consumer how': 197784, 'impacted their': 418164, 'current behavior': 221105, 'they predict': 882898, 'predict it': 669568, 'affected after': 34281, 'over read': 630558, 'our study with': 624989, 'study with global': 814983, 'with global asked': 998617, 'global asked consumer': 351744, 'asked consumer how': 95729, 'consumer how the': 197786, 'ha impacted their': 370921, 'impacted their current': 418165, 'their current behavior': 872936, 'current behavior and': 221106, 'how they predict': 408924, 'they predict it': 882899, 'predict it would': 669569, 'be affected after': 113510, 'affected after the': 34282, 'is over read': 450726, 'over read more': 630559, 'crafter': 214784, 'manitoba': 513241, 'farmersmarket': 299588, 'province grower': 687174, 'grower baker': 367094, 'baker and': 108790, 'and crafter': 60684, 'crafter and': 214785, 'your dollar': 1023558, 'dollar in': 253009, 'our manitoba': 623853, 'manitoba economy': 513244, 'economy manitoba': 268058, 'manitoba farmersmarket': 513248, 'farmersmarket supportlocalbusiness': 299590, 'supportlocalbusiness community': 827274, 'community newnormal': 189999, 'you buy at': 1017562, 'buy at our': 148383, 'at our market': 100020, 'our market you': 623870, 'market you re': 517402, 'you re supporting': 1020765, 're supporting our': 699639, 'supporting our province': 827172, 'our province grower': 624501, 'province grower baker': 687175, 'grower baker and': 367095, 'baker and crafter': 108791, 'and crafter and': 60685, 'crafter and keeping': 214786, 'and keeping your': 65803, 'keeping your dollar': 472633, 'your dollar in': 1023559, 'dollar in our': 253011, 'in our manitoba': 426313, 'our manitoba economy': 623854, 'manitoba economy manitoba': 513245, 'economy manitoba farmersmarket': 268059, 'manitoba farmersmarket supportlocalbusiness': 513249, 'farmersmarket supportlocalbusiness community': 299591, 'supportlocalbusiness community newnormal': 827275, 'am right': 50354, 'also buy': 47985, 'alcohol much': 41047, 'like but': 489941, 'buy paint': 149079, 'paint or': 634297, 'or gardening': 615418, 'gardening non': 343648, 'from giant': 335641, 'giant hardware': 349791, 'or doe': 615029, 'sense mentalhealth': 750544, 'am right in': 50355, 'right in thinking': 721956, 'in thinking that': 429892, 'thinking that can': 885995, 'that can go': 843106, 'buy essential but': 148569, 'essential but can': 280869, 'but can also': 145343, 'can also buy': 157451, 'also buy alcohol': 47986, 'buy alcohol much': 148286, 'alcohol much like': 41048, 'much like but': 545051, 'like but can': 489942, 'but can buy': 145345, 'can buy paint': 157836, 'buy paint or': 149080, 'paint or gardening': 634298, 'or gardening non': 615419, 'gardening non essential': 343649, 'non essential from': 566340, 'essential from giant': 281070, 'from giant hardware': 335642, 'giant hardware store': 349792, 'hardware store is': 378327, 'me or doe': 523284, 'or doe this': 615032, 'doe this not': 251641, 'this not make': 889175, 'not make any': 570492, 'any sense mentalhealth': 79787, 'bullsh': 142470, 'retire': 719674, 'caretaker': 164638, 'work weekend': 1005983, 'weekend which': 977450, 'is bullsh': 446297, 'bullsh frankly': 142471, 'frankly wish': 331176, 'wish it': 996775, 'just retire': 469640, 'retire lucky': 719675, 'lucky for': 506554, 'nurse emts': 577322, 'emts hospital': 275350, 'driver caretaker': 259479, 'caretaker essential': 164639, 'retail folk': 718117, 'folk grocery': 312169, 'store hero': 808150, 'hero other': 394056, 'other neighbor': 620577, 'neighbor we': 557083, 'all rely': 44146, 'too thankyou': 925105, 'thankyou to': 842358, 'work weekend which': 1005984, 'weekend which is': 977451, 'which is bullsh': 985991, 'is bullsh frankly': 446298, 'bullsh frankly wish': 142472, 'frankly wish it': 331177, 'wish it would': 996777, 'it would just': 462598, 'would just retire': 1011974, 'just retire lucky': 469641, 'retire lucky for': 719676, 'lucky for doctor': 506555, 'for doctor nurse': 320795, 'doctor nurse emts': 251011, 'nurse emts hospital': 577323, 'emts hospital staff': 275351, 'hospital staff driver': 404632, 'staff driver caretaker': 792387, 'driver caretaker essential': 259480, 'caretaker essential retail': 164640, 'essential retail folk': 281467, 'retail folk grocery': 718118, 'folk grocery store': 312170, 'grocery store hero': 365463, 'store hero other': 808152, 'hero other neighbor': 394057, 'other neighbor we': 620578, 'neighbor we all': 557084, 'we all rely': 970356, 'all rely on': 44147, 'rely on work': 709657, 'on work too': 605368, 'work too thankyou': 1005933, 'too thankyou to': 925106, 'thankyou to everyone': 842360, 'to everyone helping': 905338, 'necessity be': 554179, '19 soldout': 10686, 'soldout stoppanicbuying': 781845, 'find toiletpaper or': 307347, 'toiletpaper or other': 922283, 'or other basic': 616425, 'other basic necessity': 619875, 'basic necessity be': 111991, 'necessity be like': 554180, 'be like 19': 115726, 'like 19 soldout': 489687, '19 soldout stoppanicbuying': 10687, 'oncnbctv18': 605834, 'venkatesh': 954474, 'dsouza': 261357, 'oncnbctv18 could': 605835, 'could reduce': 209581, 'kit further': 475556, 'in next': 425857, 'next 10': 561255, 'say tell': 739210, 'tell venkatesh': 837122, 'venkatesh dsouza': 954475, 'dsouza that': 261358, 'that quantity': 845924, 'not problem': 571097, 'problem but': 679484, 'but quality': 146872, 'quality could': 691774, 'issue kit': 455831, 'for rapid': 324956, 'rapid testing': 696939, 'arrive batra': 93904, 'oncnbctv18 could reduce': 605836, 'could reduce price': 209583, 'price of testing': 675583, 'of testing kit': 590690, 'testing kit further': 839541, 'kit further in': 475557, 'further in next': 342067, 'in next 10': 425858, 'next 10 day': 561256, '10 day say': 1389, 'day say tell': 228310, 'say tell venkatesh': 739211, 'tell venkatesh dsouza': 837123, 'venkatesh dsouza that': 954476, 'dsouza that quantity': 261359, 'that quantity of': 845925, 'quantity of ppe': 691939, 'of ppe is': 588321, 'ppe is not': 667985, 'is not problem': 450160, 'not problem but': 571098, 'problem but quality': 679485, 'but quality could': 146873, 'quality could be': 691775, 'be an issue': 113613, 'an issue kit': 56484, 'issue kit for': 455832, 'kit for rapid': 475547, 'for rapid testing': 324957, 'rapid testing are': 696940, 'testing are yet': 839448, 'yet to arrive': 1016284, 'to arrive batra': 900728, 'your million': 1024827, 'will worried': 995370, 'finance their': 306282, 'their security': 874637, 'security over': 744700, 'be charging': 114068, 'charging full': 173482, 'and cutting': 60888, 'cutting them': 223780, 'pay cor': 644818, 'you be doing': 1017389, 'be doing to': 114534, 'help your million': 391022, 'your million of': 1024828, 'of customer who': 582288, 'customer who will': 223087, 'who will worried': 990009, 'will worried about': 995371, 'worried about their': 1010522, 'about their finance': 26582, 'their finance their': 873316, 'finance their health': 306283, 'health and their': 386160, 'and their security': 73715, 'their security over': 874638, 'security over the': 744701, 'few month will': 303942, 'month will you': 538129, 'still be charging': 800248, 'be charging full': 114069, 'charging full price': 173483, 'full price and': 340828, 'price and cutting': 672387, 'and cutting them': 60893, 'cutting them off': 223781, 'them off when': 876081, 'off when they': 594379, 'when they cannot': 984245, 'they cannot pay': 881714, 'cannot pay cor': 162030, 'fox43': 330783, 'penalities': 646430, 'fox43 find': 330784, 'cancel gym': 160850, 'membership during': 528277, 'no penalities': 565089, 'fox43 find out': 330785, 'how to cancel': 408987, 'to cancel gym': 902426, 'cancel gym membership': 160851, 'gym membership during': 369333, 'membership during covid': 528278, '19 with no': 12139, 'with no penalities': 999776, 'tuned share': 935444, 'longer alone': 501914, 'alone group': 46856, 'group kill': 366751, 'beast distantimauniti': 118485, 'band stay tuned': 109354, 'stay tuned share': 797365, 'tuned share your': 935445, 'you are no': 1017177, 'no longer alone': 564631, 'longer alone group': 501915, 'alone group kill': 46857, 'group kill the': 366752, 'the beast distantimauniti': 849399, 'beast distantimauniti italy': 118486, 'what lockdown': 981829, 'france look': 331012, 'like movement': 490802, 'movement is': 543885, 'to necessary': 910505, 'necessary journey': 554017, 'journey food': 467474, 'almost available': 46559, 'available always': 104211, 'always temporary': 49763, 'temporary shortage': 837685, 'shop including': 760336, 'including computer': 431921, 'computer hotel': 192739, 'and diy': 61544, 'diy can': 248726, 'is what lockdown': 453886, 'what lockdown in': 981830, 'lockdown in france': 499503, 'in france look': 423081, 'france look like': 331013, 'look like movement': 502498, 'like movement is': 490803, 'movement is restricted': 543886, 'restricted to necessary': 717168, 'to necessary journey': 910506, 'necessary journey food': 554018, 'journey food is': 467475, 'food is almost': 315109, 'is almost available': 445495, 'almost available always': 46560, 'available always temporary': 104212, 'always temporary shortage': 49764, 'temporary shortage due': 837686, 'buying many shop': 150698, 'many shop including': 514697, 'shop including computer': 760337, 'including computer hotel': 431922, 'computer hotel and': 192740, 'hotel and diy': 405105, 'and diy can': 61545, 'diy can open': 248727, 'extra 24': 293434, 'donate what': 254287, 'incredible initiative': 433842, 'initiative which': 438672, 'vulnerable bekind': 960884, 'bekind stophoarding': 126115, 'of buying and': 581012, 'hoarding that extra': 399580, 'that extra 24': 843808, 'extra 24 pack': 293435, 'this please donate': 889616, 'please donate what': 659933, 'donate what you': 254288, 'can to this': 160020, 'to this incredible': 917433, 'this incredible initiative': 888088, 'incredible initiative which': 433843, 'initiative which help': 438673, 'which help the': 985931, 'most vulnerable bekind': 542868, 'vulnerable bekind stophoarding': 960885, 'climbed': 182273, 'israel coronavirus': 455587, 'coronavirus restriction': 206670, 'restriction upped': 717408, 'upped go': 947676, 'or face': 615242, 'face fine': 294437, 'fine case': 307617, 'case climbed': 165686, 'climbed to': 182274, 'to 442': 899726, '442 on': 19044, 'monday an': 536245, 'of 371': 579579, '371 in': 18095, 'israel coronavirus restriction': 455588, 'coronavirus restriction upped': 206675, 'restriction upped go': 717409, 'upped go to': 947677, 'work supermarket only': 1005781, 'supermarket only or': 821772, 'only or face': 610918, 'or face fine': 615244, 'face fine case': 294438, 'fine case climbed': 307618, 'case climbed to': 165687, 'climbed to 442': 182275, 'to 442 on': 899727, '442 on monday': 19045, 'on monday an': 602157, 'monday an increase': 536246, 'increase of 371': 432935, 'of 371 in': 579580, '371 in one': 18096, 'smile during': 775713, 'you smile during': 1021281, 'smile during this': 775714, 'our best option': 622195, 'best option would': 127817, 'option would be': 614148, 'from taken': 337538, 'attention and this': 102429, 'and this hasn': 73996, 'this hasn stopped': 887868, 'others from taken': 621424, 'from taken advantage': 337539, 'ftc to help': 339457, 'help avoid coronavirus': 389399, 'outweighed': 629726, 'price slipped': 676477, 'territory on': 838572, 'wednesday faltering': 975635, 'faltering fuel': 297497, 'the outweighed': 862756, 'outweighed massive': 629727, 'massive pending': 520065, 'economic stimulus': 267317, 'price slipped into': 676479, 'slipped into negative': 774044, 'negative territory on': 556832, 'territory on wednesday': 838573, 'on wednesday faltering': 605172, 'wednesday faltering fuel': 975636, 'faltering fuel demand': 297498, 'fuel demand from': 340156, 'from the spread': 337884, 'of the outweighed': 591307, 'the outweighed massive': 862757, 'outweighed massive pending': 629728, 'massive pending economic': 520066, 'pending economic stimulus': 646477, 'economic stimulus package': 267318, 'wuhan lab': 1013503, 'lab that': 478300, 'that identified': 844408, 'identified covid': 413328, '19 highly': 7531, 'contagious pathogen': 200441, 'pathogen in': 644078, 'late december': 480860, 'december wa': 230760, 'wa ordered': 962865, 'stop test': 805109, 'and destroy': 61277, 'destroy sample': 239030, 'sample beijing': 733461, 'beijing is': 124790, 'now scrambling': 575739, 'to censor': 902561, 'wuhan lab that': 1013504, 'lab that identified': 478301, 'that identified covid': 844409, 'identified covid 19': 413329, 'covid 19 highly': 213206, '19 highly contagious': 7532, 'highly contagious pathogen': 396049, 'contagious pathogen in': 200442, 'pathogen in late': 644079, 'in late december': 424611, 'late december wa': 480861, 'december wa ordered': 230761, 'wa ordered by': 962866, 'ordered by local': 618832, 'by local official': 153078, 'local official to': 498226, 'official to stop': 595949, 'to stop test': 915583, 'stop test and': 805110, 'test and destroy': 838913, 'and destroy sample': 61278, 'destroy sample beijing': 239031, 'sample beijing is': 733462, 'beijing is now': 124791, 'is now scrambling': 450330, 'now scrambling to': 575740, 'scrambling to censor': 742564, 'to censor the': 902562, 'censor the story': 169015, 'is italy': 449083, 'uk waiting': 938861, 'it aint': 456326, 'aint hard': 39672, 'is italy is': 449084, 'italy is uk': 462863, 'is uk waiting': 453417, 'uk waiting to': 938862, 'into supermarket it': 443048, 'supermarket it aint': 821161, 'it aint hard': 456327, 'various level': 952614, 'of filth': 583517, 'filth corona': 305784, 'lockdown socialdistance': 499930, 'socialdistance cleanliness': 780144, 'the various level': 870649, 'various level of': 952615, 'level of filth': 487636, 'of filth corona': 583518, 'filth corona 19': 305785, 'washyourhands lockdown socialdistance': 967882, 'lockdown socialdistance cleanliness': 499931, 'socialdistance cleanliness dirtypeople': 780145, 'sweetener': 830269, 'sweetener not': 830270, 'point newsnight': 662548, 'newsnight if': 561049, 'afford rising': 34751, 'loot rather': 503236, 'than starve': 841164, 'mean breakdown': 524374, 'breakdown of': 138848, 'most radical': 542672, 'radical kind': 695410, 'sweetener not the': 830271, 'not the point': 572021, 'the point newsnight': 863902, 'point newsnight if': 662549, 'newsnight if people': 561050, 'if people cannot': 414611, 'cannot afford rising': 161612, 'afford rising food': 34752, 'rising food price': 723221, 'food price they': 315981, 'they will loot': 883862, 'will loot rather': 994049, 'loot rather than': 503237, 'rather than starve': 697550, 'than starve and': 841165, 'starve and that': 795189, 'that mean breakdown': 845104, 'mean breakdown of': 524375, 'breakdown of social': 138850, 'distancing of the': 247368, 'the most radical': 861021, 'most radical kind': 542673, 'owner right': 632555, 'store owner right': 809438, 'owner right now': 632556, 'life grocery': 488697, 'death soar': 230196, 'soar one': 779263, 'my life grocery': 549021, 'life grocery store': 488698, 'store worker strike': 811591, '19 death soar': 6455, 'death soar one': 230197, 'soar one of': 779264, 'corporatist': 207481, 'ridicule': 721501, 'some usually': 784152, 'usually right': 951151, 'wing corporatist': 995970, 'corporatist idiot': 207482, 'idiot ridicule': 413574, 'ridicule socialist': 721502, 'venezuela just': 954449, 'just remind': 469613, 'pharmacy right': 654435, 'now here': 574919, 'the grand': 856694, 'grand ole': 361867, 'ole of': 598726, 'of tcot': 590614, 'tcot maga': 835296, 'maga buildthewall': 508271, 'buildthewall uniteblue': 142169, 'time some usually': 897713, 'some usually right': 784153, 'usually right wing': 951152, 'right wing corporatist': 722426, 'wing corporatist idiot': 995971, 'corporatist idiot ridicule': 207483, 'idiot ridicule socialist': 413575, 'ridicule socialist venezuela': 721503, 'socialist venezuela just': 781025, 'venezuela just remind': 954450, 'just remind them': 469614, 'remind them to': 710512, 'to go take': 906861, 'go take walk': 354192, 'take walk to': 832784, 'walk to supermarket': 964900, 'or pharmacy right': 616580, 'pharmacy right now': 654436, 'right now here': 722079, 'now here in': 574921, 'in the grand': 429242, 'the grand ole': 856697, 'grand ole of': 361868, 'ole of tcot': 598727, 'of tcot maga': 590615, 'tcot maga buildthewall': 835297, 'maga buildthewall uniteblue': 508272, 'buildthewall uniteblue p2': 142170, 'report pricegouging': 712194, 'pricegouging now': 677827, 'now nyc': 575387, 'nyc consumer': 577975, 'affair price': 34083, 'service needed': 752614, 'resource here': 714808, 'report pricegouging now': 712195, 'pricegouging now nyc': 677828, 'now nyc consumer': 575388, 'nyc consumer affair': 577976, 'consumer affair price': 196100, 'affair price gouging': 34084, 'illegal for any': 416209, 'for any item': 319411, 'any item or': 79373, 'item or service': 463536, 'or service needed': 617019, 'service needed to': 752615, 'needed to limit': 556542, '19 more resource': 8682, 'more resource here': 540239, 'everybody rushing': 286482, 'literally being': 494957, 'being dumped': 125087, 'dumped down': 262204, 'everybody rushing to': 286483, 'get food and': 347030, 'have food that': 380669, 'food that literally': 317092, 'that literally being': 844899, 'literally being dumped': 494958, 'being dumped down': 125088, 'dumped down the': 262205, 'should absolutely': 765468, 'absolutely qualify': 27436, 'hazard first': 384550, 'responder benefit': 715427, 'benefit thank': 127095, 'worker who contract': 1008202, '19 should absolutely': 10498, 'should absolutely qualify': 765470, 'absolutely qualify for': 27437, 'qualify for hazard': 691725, 'for hazard first': 322137, 'hazard first responder': 384551, 'first responder benefit': 308932, 'responder benefit thank': 715428, 'benefit thank you': 127096, 'for your help': 328163, 'lesson from the': 486483, 'the chinese food': 850856, 'chinese food grocery': 177262, 'food grocery sector': 314723, 'rated': 697426, 'in rated': 427256, 'rated apac': 697427, 'apac company': 81217, 'to disruption': 904424, 'restriction another': 717214, 'another 36': 77480, '36 ha': 18005, 'ha moderate': 371281, 'moderate potential': 535355, 'for implication': 322493, 'implication to': 418572, 'credit quality': 216468, 'or rating': 616781, 'in rated apac': 427257, 'rated apac company': 697428, 'apac company have': 81218, 'company have high': 190737, 'high exposure to': 395070, 'exposure to disruption': 293009, 'to disruption and': 904425, 'disruption and are': 246441, 'and are sensitive': 58359, 'sensitive to shifting': 750709, 'shifting consumer demand': 758520, 'demand and travel': 235006, 'and travel restriction': 74413, 'travel restriction another': 930486, 'restriction another 36': 717215, 'another 36 ha': 77481, '36 ha moderate': 18006, 'ha moderate potential': 371282, 'moderate potential for': 535356, 'potential for implication': 667073, 'for implication to': 322494, 'implication to their': 418573, 'to their credit': 917218, 'their credit quality': 872919, 'credit quality or': 216470, 'quality or rating': 691832, 'madrasah': 508226, 'halaqat': 374115, 'ramad': 696333, 'additionally we': 31916, 'support service': 826809, 'arrange food': 93681, 'vulnerable our': 961074, 'our madrasah': 623830, 'madrasah school': 508227, 'and halaqat': 64117, 'halaqat are': 374116, 'also streaming': 48918, 'streaming online': 812834, 'online also': 607788, 'how ramad': 408560, 'ramad tent': 696334, 'tent project': 838016, 'project is': 683505, 'additionally we have': 31917, 'we have launched': 971851, 'have launched covid': 381260, '19 support service': 10976, 'support service to': 826811, 'service to arrange': 752968, 'to arrange food': 900719, 'arrange food shopping': 93683, 'food shopping and': 316509, 'and delivery for': 61114, 'the vulnerable our': 870991, 'vulnerable our madrasah': 961075, 'our madrasah school': 623831, 'madrasah school and': 508228, 'school and halaqat': 741685, 'and halaqat are': 64118, 'halaqat are also': 374117, 'are also streaming': 84478, 'also streaming online': 48919, 'streaming online also': 812835, 'online also look': 607790, 'also look into': 48486, 'look into how': 502430, 'into how ramad': 442657, 'how ramad tent': 408561, 'ramad tent project': 696335, 'tent project is': 838017, 'project is looking': 683506, 'is looking to': 449450, 'looking to work': 503054, 'and away': 58595, 'from college': 334916, 'child have': 176101, 'my iphone': 548885, 'medication were': 526695, 'were stolen': 980181, 'home and away': 400612, 'and away from': 58596, 'away from college': 105868, 'from college due': 334917, 'of the child': 590860, 'the child have': 850819, 'child have already': 176102, 'window wa broken': 995732, 'broken and my': 140882, 'and my iphone': 67373, 'my iphone grocery': 548887, 'iphone grocery and': 444569, 'grocery and prescription': 364253, 'and prescription medication': 69382, 'prescription medication were': 670519, 'medication were stolen': 526696, 'were stolen while': 980182, 'thing are on': 884162, '19 risking': 10248, 'exposure amp': 292952, 'amp illness': 53973, 'illness in': 416373, 'serve demand': 751884, 'amp glove': 53866, 'of 19 risking': 579410, '19 risking exposure': 10249, 'risking exposure amp': 724070, 'exposure amp illness': 292953, 'amp illness in': 53974, 'illness in order': 416374, 'order to serve': 618707, 'to serve demand': 914261, 'serve demand with': 751886, 'demand with that': 236516, 'with that supermarket': 1001180, 'that supermarket take': 846578, 'supermarket take responsibility': 823127, 'take responsibility to': 832544, 'responsibility to provide': 715989, 'to provide face': 912391, 'provide face mask': 686284, 'mask amp glove': 518296, 'pranayam': 668922, 'of panicking': 587748, 'panicking now': 639361, 'follow regular': 312492, 'regular practice': 707833, 'of routine': 589167, 'routine lifestyle': 726517, 'lifestyle with': 489384, 'clean air': 180446, 'air clean': 39704, 'water clean': 968943, 'with yoga': 1002137, 'yoga and': 1016477, 'and pranayam': 69314, 'pranayam to': 668923, 'each body': 263997, 'body are': 133824, 'instead of panicking': 440298, 'of panicking now': 587749, 'panicking now is': 639362, 'time to follow': 897989, 'to follow regular': 906059, 'follow regular practice': 312493, 'regular practice of': 707834, 'practice of routine': 668618, 'of routine lifestyle': 589168, 'routine lifestyle with': 726518, 'lifestyle with clean': 489385, 'with clean air': 997651, 'clean air clean': 180447, 'air clean water': 39705, 'clean water clean': 180681, 'water clean and': 968944, 'clean and fresh': 180458, 'fresh food with': 332984, 'food with yoga': 317649, 'with yoga and': 1002138, 'yoga and pranayam': 1016478, 'and pranayam to': 69315, 'pranayam to curb': 668924, 'this the effort': 890518, 'effort of each': 269556, 'of each body': 582898, 'each body are': 263998, 'body are necessary': 133826, 'rt we': 726846, 'together please': 920898, 'isolate keep': 454881, 'clean don': 180508, 'everyone dont': 286826, 'be help': 115202, 'please rt we': 660434, 'rt we re': 726848, 'this together please': 890776, 'together please be': 920899, 'be kind self': 115624, 'kind self isolate': 474970, 'self isolate keep': 747682, 'isolate keep clean': 454882, 'keep clean don': 471398, 'clean don panic': 180509, 'buy there more': 149342, 'for everyone dont': 321207, 'everyone dont be': 286827, 'dont be help': 255188, 'be help all': 115203, 'cramped': 214848, 'workstation': 1009235, 'in cramped': 421847, 'cramped condition': 214849, 'condition how': 193461, 'home workstation': 402571, 'workstation in': 1009236, 'any room': 79768, 'room coronavirus': 725893, 'confined at home': 194043, 'working in cramped': 1008708, 'in cramped condition': 421848, 'cramped condition how': 214850, 'condition how to': 193462, 'how to set': 409080, 'set up home': 753560, 'up home workstation': 945098, 'home workstation in': 402572, 'workstation in any': 1009237, 'in any room': 420435, 'any room coronavirus': 79769, 'room coronavirus consumer': 725894, 'reef': 706433, 'silver reef': 769860, 'reef brewery': 706434, 'using reserve': 950623, 'silver reef brewery': 769861, 'reef brewery is': 706435, 'brewery is using': 139445, 'is using reserve': 453635, 'using reserve to': 950624, 'reserve to produce': 714111, 'that is strong': 844660, 'is strong enough': 452387, 'enough to break': 277690, 'to break down': 901999, 'okey': 598048, 'aand': 24106, 'governement': 359794, 'ookey': 611745, 'stoc': 801750, 'your shelf': 1025744, 'empty supply': 275167, 'chain okey': 170968, 'okey ll': 598049, 'll rush': 496980, 'food aand': 313026, 'aand toilet': 24107, 'charge little': 173281, 'more governement': 539360, 'governement nope': 359795, 'nope price': 566909, 'gouging supply': 359462, 'chain ookey': 170975, 'ookey ll': 611746, 'll over': 496937, 'over stoc': 630645, '19 consumer why': 5997, 'consumer why are': 199538, 'why are your': 990799, 'are your shelf': 91898, 'your shelf empty': 1025745, 'shelf empty supply': 757033, 'empty supply chain': 275168, 'supply chain okey': 825001, 'chain okey ll': 170969, 'okey ll rush': 598050, 'll rush to': 496981, 'rush to get': 728342, 'get you food': 348673, 'you food aand': 1018612, 'food aand toilet': 313027, 'aand toilet paper': 24108, 'paper can charge': 640004, 'can charge little': 157893, 'charge little more': 173282, 'little more governement': 495464, 'more governement nope': 539361, 'governement nope price': 359796, 'nope price gouging': 566910, 'price gouging supply': 674329, 'gouging supply chain': 359463, 'supply chain ookey': 825003, 'chain ookey ll': 170976, 'ookey ll over': 611747, 'll over stoc': 496938, 'latest real': 481519, 'time market': 897193, 'market data': 516272, 'data update': 226475, 'seeing home': 746320, 'price stabilize': 676590, 'stabilize after': 791833, 'after dropping': 35591, 'dropping in': 260696, 'video analysis': 956607, 'we just published': 972116, 'published our latest': 688684, 'our latest real': 623676, 'latest real time': 481520, 'real time market': 701410, 'time market data': 897194, 'market data update': 516273, 'data update we': 226476, 'update we re': 947310, 're seeing home': 699456, 'seeing home price': 746321, 'home price stabilize': 401916, 'price stabilize after': 676591, 'stabilize after dropping': 791834, 'after dropping in': 35592, 'dropping in march': 260697, 'in march at': 425083, 'march at the': 515289, 'at the onset': 101040, 'onset of the': 611550, 'the video analysis': 870740, 'video analysis here': 956608, 'price ha nothing': 674388, 'nothing to with': 573204, 'to with covid': 918641, 'our groceryshopping': 623312, 'groceryshopping habit': 366262, 'different way': 242125, 'way across': 969430, 'remain universal': 709902, 'universal apart': 942347, 'from toilet': 338085, 'paper make': 640439, 'list shop': 494532, 'shop smarter': 760800, 'smarter waste': 775476, 'waste le': 968143, 'le do': 482933, 'hoard try': 398901, 'app instead': 81728, 'instead grocery': 440192, 'changed our groceryshopping': 172525, 'our groceryshopping habit': 623313, 'groceryshopping habit in': 366263, 'habit in different': 372636, 'in different way': 422259, 'different way across': 242126, 'way across the': 969431, 'world but some': 1009383, 'but some thing': 147108, 'some thing remain': 784043, 'thing remain universal': 884714, 'remain universal apart': 709903, 'universal apart from': 942348, 'apart from toilet': 81280, 'from toilet paper': 338086, 'toilet paper make': 921347, 'paper make list': 640440, 'make list shop': 510094, 'list shop smarter': 494534, 'shop smarter waste': 760801, 'smarter waste le': 775477, 'waste le do': 968144, 'le do not': 482934, 'not hoard try': 569989, 'hoard try our': 398902, 'try our app': 934534, 'our app instead': 622088, 'app instead grocery': 81729, 'funny and': 341699, 'sadly true': 729374, 'true toiletpaper': 933194, 'toiletpapercrisis toiletpaperemergency': 923101, 'toiletpaperemergency idiot': 923135, 'funny and sadly': 341701, 'and sadly true': 70703, 'sadly true toiletpaper': 729375, 'true toiletpaper toiletpaperpanic': 933195, 'toiletpaperapocalypse toiletpapercrisis toiletpaperemergency': 922942, 'toiletpapercrisis toiletpaperemergency idiot': 923102, 'toiletpaperemergency idiot stoppanicbuying': 923136, 'sweetened': 830266, 'after learning': 35858, 'paper sale': 640708, 'up 700': 944203, '700 in': 21887, 'february wow': 301755, 'this german': 887681, 'german baker': 346201, 'baker sweetened': 108822, 'sweetened the': 830267, 'with cake': 997510, 'cake shaped': 155252, 'shaped like': 754872, 'roll would': 725608, 'eat these': 266075, 'these cake': 879716, 'after learning that': 35859, 'learning that toilet': 484245, 'toilet paper sale': 921428, 'paper sale were': 640713, 'sale were up': 732645, 'were up 700': 980316, 'up 700 in': 944204, '700 in february': 21889, 'in february wow': 422852, 'february wow this': 301756, 'wow this german': 1012607, 'this german baker': 887682, 'german baker sweetened': 346203, 'baker sweetened the': 108823, 'sweetened the situation': 830268, 'situation with cake': 772594, 'with cake shaped': 997511, 'cake shaped like': 155253, 'shaped like toilet': 754873, 'paper roll would': 640700, 'roll would you': 725609, 'would you eat': 1012408, 'you eat these': 1018394, 'eat these cake': 266076, 'these cake toiletpaper': 879717, 'standard equipment': 793655, 'standard equipment for': 793656, 'equipment for all': 279725, 'customer in my': 222498, 'auto part': 103904, 'part maker': 642315, 'maker accounted': 510806, 'largest share': 480015, 'the nearly': 861365, 'nearly 200': 553769, '200 consumer': 13473, 'company amp': 190367, 'amp global': 53863, 'global rating': 352149, 'rating ha': 697589, 'downgraded in': 257561, 'recent month': 703929, 'restaurant and auto': 716272, 'and auto part': 58537, 'auto part maker': 103905, 'part maker accounted': 642316, 'maker accounted for': 510807, 'accounted for the': 28819, 'for the largest': 326521, 'the largest share': 858975, 'largest share of': 480016, 'of the nearly': 591267, 'the nearly 200': 861366, 'nearly 200 consumer': 553770, '200 consumer company': 13474, 'consumer company amp': 196832, 'company amp global': 190368, 'amp global rating': 53865, 'global rating ha': 352150, 'rating ha downgraded': 697590, 'ha downgraded in': 370436, 'downgraded in recent': 257562, 'in recent month': 427318, 'recent month amid': 703930, 'month amid the': 537564, 'whyarepeoplelikethat': 991623, 'buy nut': 149018, 'nut nut': 577666, 'nut are': 577654, 'healthy my': 387695, 'mom do': 535722, 'have nut': 381746, 'nut anymore': 577652, 'anymore whyarepeoplelikethat': 80161, 'store why didn': 811316, 'didn they buy': 241231, 'they buy nut': 881592, 'buy nut nut': 149019, 'nut nut are': 577667, 'nut are healthy': 577655, 'are healthy my': 87065, 'healthy my mom': 387696, 'my mom do': 549267, 'mom do not': 535723, 'not tell them': 571949, 'them that or': 876382, 'that or we': 845545, 'or we do': 617737, 'not have nut': 569854, 'have nut anymore': 381747, 'nut anymore whyarepeoplelikethat': 577653, 'socialdistanacing stayathomechallenge': 780101, 'stayathomechallenge fridayfeeling': 797733, 'home and work': 400715, 'and work at': 75847, 'store coronacrisis socialdistanacing': 807181, 'coronacrisis socialdistanacing stayathomechallenge': 204762, 'socialdistanacing stayathomechallenge fridayfeeling': 780102, 'receiving related': 703800, 'related email': 708430, 'email never': 272239, 'never click': 557927, 'link or': 493881, 'or attachment': 614459, 'attachment in': 102067, 'in unsolicited': 430453, 'or suspicious': 617317, 'receiving related email': 703801, 'related email never': 708431, 'email never click': 272240, 'never click on': 557928, 'on link or': 601869, 'link or attachment': 493882, 'or attachment in': 614460, 'attachment in unsolicited': 102068, 'in unsolicited or': 430454, 'unsolicited or suspicious': 943519, 'or suspicious email': 617318, 'keep pulling': 471832, 'pulling me': 688940, 'me back': 522489, 'to be good': 901279, 'be good in': 115071, 'good in isolation': 357246, 'in isolation but': 424191, 'isolation but they': 455225, 'but they keep': 147508, 'they keep pulling': 882510, 'keep pulling me': 471833, 'pulling me back': 688941, 'revenuegrowth': 720495, 'with erratic': 998249, 'erratic consumer': 280215, 'behavior merchant': 124116, 'merchant need': 529032, 'track analyze': 928165, 'analyze and': 57247, 'and react': 69973, 'react fast': 700130, 'minimize false': 533105, 'false decline': 297419, 'decline and': 231298, 'their revenue': 874589, 'revenue onlineshopping': 720462, 'onlineshopping onlineretail': 609920, 'onlineretail ecommerce': 609858, 'ecommerce fraudprevention': 266776, 'fraudprevention revenuegrowth': 331389, 'revenuegrowth consumerbehavior': 720496, 'with erratic consumer': 998250, 'erratic consumer behavior': 280216, 'consumer behavior merchant': 196490, 'behavior merchant need': 124117, 'merchant need to': 529033, 'need to track': 556106, 'to track analyze': 917670, 'track analyze and': 928166, 'analyze and react': 57248, 'and react fast': 69974, 'react fast in': 700131, 'fast in order': 299995, 'to minimize false': 910161, 'minimize false decline': 533106, 'false decline and': 297420, 'decline and protect': 231301, 'and protect their': 69662, 'protect their revenue': 684997, 'their revenue onlineshopping': 874590, 'revenue onlineshopping onlineretail': 720463, 'onlineshopping onlineretail ecommerce': 609921, 'onlineretail ecommerce fraudprevention': 609859, 'ecommerce fraudprevention revenuegrowth': 266777, 'fraudprevention revenuegrowth consumerbehavior': 331390, 'woodland': 1004297, 'the woodland': 871686, 'woodland mall': 1004304, 'mall is': 511794, 'the woodland mall': 871687, 'woodland mall is': 1004305, 'mall is now': 511796, 'chicago consumer': 175658, 'consumer be': 196414, '2019 outbreak': 13990, 'outbreak submit': 628667, 'submit consumer': 815789, 'fraud complaint': 331245, 'complaint via': 192047, 'via learn': 956053, 'chicago consumer be': 175660, 'consumer be aware': 196415, 'aware of consumer': 105628, 'disease 2019 outbreak': 245076, '2019 outbreak submit': 13992, 'outbreak submit consumer': 628668, 'submit consumer fraud': 815790, 'consumer fraud complaint': 197535, 'fraud complaint via': 331247, 'complaint via learn': 192048, 'via learn more': 956054, 'shaved': 755806, 'ovr': 631799, 'lanarkshire': 479222, 'they shaved': 883337, 'shaved their': 755807, 'their hair': 873465, 'hair amp': 373951, 'amp raised': 54361, 'raised ovr': 696018, 'ovr 1k': 631800, '1k in': 12620, 'bank basic': 109675, 'basic lanarkshire': 111966, 'lanarkshire foodbank': 479223, 'really struggling': 702622, 'meet local': 527523, 'local demand': 497887, 'biggest thank': 130338, 'have kindly': 381228, 'kindly donated': 475127, 'proud of these': 686039, 'these two they': 880901, 'two they shaved': 937260, 'they shaved their': 883338, 'shaved their hair': 755808, 'their hair amp': 873466, 'hair amp raised': 373952, 'amp raised ovr': 54362, 'raised ovr 1k': 696019, 'ovr 1k in': 631801, '1k in 24': 12621, '24 hour for': 15617, 'for our local': 324267, 'food bank basic': 313526, 'bank basic lanarkshire': 109676, 'basic lanarkshire foodbank': 111967, 'lanarkshire foodbank are': 479224, 'foodbank are really': 317755, 'are really struggling': 89487, 'really struggling to': 702624, 'to meet local': 910035, 'meet local demand': 527524, 'local demand due': 497888, 'due to current': 261750, 'current crisis 19': 221149, 'crisis 19 but': 216953, 'but the biggest': 147312, 'the biggest thank': 849681, 'biggest thank you': 130339, 'you is to': 1019380, 'is to all': 453176, 'who have kindly': 988933, 'have kindly donated': 381229, 'is greedy': 448220, 'greedy scumbag': 363585, 'scumbag who': 742993, 'ha profited': 371548, 'profited greatly': 682943, 'greatly during': 363312, 'by intentionally': 152931, 'intentionally tanking': 441179, 'tanking hotel': 834257, 'hotel stock': 405199, 'could scoop': 209625, 'scoop them': 742318, 'reminder that is': 710589, 'that is greedy': 844593, 'is greedy scumbag': 448221, 'greedy scumbag who': 363586, 'scumbag who ha': 742994, 'who ha profited': 988861, 'ha profited greatly': 371549, 'profited greatly during': 682944, 'greatly during 19': 363313, 'during 19 by': 262402, '19 by intentionally': 5562, 'by intentionally tanking': 152932, 'intentionally tanking hotel': 441180, 'tanking hotel stock': 834258, 'hotel stock so': 405201, 'stock so that': 802863, 'so that he': 778374, 'that he could': 844255, 'he could scoop': 384861, 'could scoop them': 209626, 'scoop them up': 742319, 'them up at': 876566, 'up at dirt': 944428, 'dirt cheap price': 243716, 'snaking': 776065, 'crisis meet': 217719, 'meet easter': 527480, 'easter shutdown': 265494, 'shutdown snaking': 768097, 'snaking queue': 776068, 'queue out': 694027, 'road countdown': 724438, 'supermarket auckland': 819270, 'auckland 10': 102827, '19 crisis meet': 6283, 'crisis meet easter': 217720, 'meet easter shutdown': 527481, 'easter shutdown snaking': 265495, 'shutdown snaking queue': 768098, 'snaking queue out': 776069, 'queue out to': 694028, 'to the road': 917030, 'the road countdown': 865924, 'road countdown supermarket': 724439, 'countdown supermarket auckland': 210175, 'supermarket auckland 10': 819271, 'auckland 10 30am': 102828, 'striding': 813716, 'evening bare': 284857, 'shelf do': 756986, 'the precise': 864221, 'precise cause': 669497, 'would lay': 1011981, 'lay money': 482597, 'very distinct': 955130, 'possibility that': 665551, 'are striding': 90564, 'striding in': 813717, 'time per': 897471, 'clearing everything': 181458, 'everything out': 287962, 'in supermarket earlier': 428589, 'earlier today this': 264506, 'today this evening': 920335, 'this evening bare': 887433, 'evening bare shelf': 284858, 'bare shelf do': 110947, 'shelf do not': 756987, 'know the precise': 476842, 'the precise cause': 864222, 'precise cause but': 669498, 'cause but would': 167510, 'but would lay': 147948, 'would lay money': 1011982, 'lay money on': 482598, 'on the very': 604431, 'the very distinct': 870703, 'very distinct possibility': 955131, 'distinct possibility that': 247866, 'possibility that certain': 665553, 'that certain people': 843192, 'people are striding': 647093, 'are striding in': 90565, 'striding in several': 813718, 'in several time': 427837, 'several time per': 753945, 'time per day': 897472, 'per day and': 650794, 'day and clearing': 227257, 'and clearing everything': 59965, 'clearing everything out': 181459, 'everything out do': 287963, 'unanimously': 939399, 'this freeze': 887612, 'freeze that': 332562, 'that mn': 845192, 'mn rent': 534805, 'council on': 210019, 'tuesday unanimously': 935199, 'unanimously passed': 939400, 'passed it': 643274, 'it second': 460921, 'second emergency': 743709, 'bill measure': 130620, 'that establishes': 843726, 'establishes rent': 282041, 'all state should': 44433, 'state should follow': 795934, 'should follow this': 766008, 'follow this freeze': 312563, 'this freeze that': 887613, 'freeze that mn': 332563, 'that mn rent': 845193, 'mn rent the': 534806, 'rent the council': 711189, 'the council on': 852015, 'council on tuesday': 210020, 'on tuesday unanimously': 604893, 'tuesday unanimously passed': 935200, 'unanimously passed it': 939401, 'passed it second': 643275, 'it second emergency': 460922, 'second emergency covid': 743710, 'relief bill measure': 709289, 'bill measure that': 130621, 'measure that establishes': 525360, 'that establishes rent': 843727, 'establishes rent freeze': 282042, 'freeze and more': 332514, 'balanced': 109004, 'is balanced': 445987, 'balanced piece': 109007, 'piece all': 656261, 'is notice': 450244, 'side to': 768906, 'pipeline argument': 656893, 'argument to': 92757, 'economic development': 267060, 'development employment': 239814, 'employment energy': 274594, 'and environmental': 62209, 'environmental impact': 279196, 'are missing': 88087, 'any discussion': 79123, 'if one think': 414544, 'one think this': 607242, 'this is balanced': 888186, 'is balanced piece': 445988, 'balanced piece all': 109008, 'piece all they': 656262, 'all they have': 45068, 'do is notice': 249450, 'is notice that': 450245, 'notice that the': 573368, 'that the positive': 846806, 'the positive side': 864063, 'positive side to': 665430, 'side to the': 768909, 'to the pipeline': 916956, 'the pipeline argument': 863750, 'pipeline argument to': 656894, 'argument to economic': 92758, 'to economic development': 904928, 'economic development employment': 267061, 'development employment energy': 239815, 'employment energy price': 274595, 'energy price and': 276537, 'price and environmental': 672406, 'and environmental impact': 62212, 'environmental impact are': 279197, 'impact are missing': 417562, 'are missing from': 88088, 'missing from any': 534298, 'from any discussion': 334546, 'any discussion of': 79124, 'discussion of this': 245032, 'right we have': 722408, 'lot of guidance': 504199, 'you through this': 1021734, 'babyganics': 106767, 'babysanitizer': 106775, 'babyhygiene': 106770, 'now keep': 575162, 'your baby': 1022888, 'baby safe': 106687, 'germ free': 346114, 'our babyganics': 622157, 'babyganics alcohol': 106768, 'foaming handsanitizer': 311819, 'handsanitizer protect': 376615, 'baby from': 106624, 'from unwanted': 338197, 'unwanted disease': 944049, 'disease due': 245127, 'ongoing add': 607592, 'add this': 31507, 'cart now': 165337, 'now sanitizer': 575723, 'sanitizer babysanitizer': 734539, 'babysanitizer babyhygiene': 106776, 'babyhygiene baby': 106771, 'now keep your': 575164, 'keep your baby': 472253, 'your baby safe': 1022891, 'baby safe and': 106688, 'safe and germ': 729450, 'and germ free': 63551, 'germ free with': 346115, 'free with our': 332334, 'with our babyganics': 999975, 'our babyganics alcohol': 622158, 'babyganics alcohol free': 106769, 'alcohol free foaming': 41008, 'free foaming handsanitizer': 331822, 'foaming handsanitizer protect': 311820, 'handsanitizer protect your': 376616, 'protect your baby': 685055, 'your baby from': 1022889, 'baby from unwanted': 106625, 'from unwanted disease': 338198, 'unwanted disease due': 944050, 'disease due to': 245128, 'the ongoing add': 862238, 'ongoing add this': 607593, 'add this product': 31508, 'to your cart': 918963, 'your cart now': 1023153, 'cart now sanitizer': 165338, 'now sanitizer babysanitizer': 575724, 'sanitizer babysanitizer babyhygiene': 734540, 'babysanitizer babyhygiene baby': 106777, 'deviant': 239877, 'civlisation': 179620, 'this old': 889206, 'old deviant': 598224, 'deviant tune': 239880, 'tune be': 935398, 'international anthem': 441753, 'anthem for': 78230, 'everybody come': 286423, 'come gather': 187320, 'gather round': 344394, 'round friend': 726326, 'day civlisation': 227451, 'civlisation end': 179621, 'end let': 275860, 'do death': 249213, 'death dance': 230016, 'dance and': 225559, 'can this old': 159993, 'this old deviant': 889207, 'old deviant tune': 598226, 'deviant tune be': 239881, 'tune be the': 935399, 'be the international': 117625, 'the international anthem': 858361, 'international anthem for': 441754, 'anthem for covid': 78231, '19 come on': 5891, 'on everybody come': 600626, 'everybody come gather': 286424, 'come gather round': 187321, 'gather round friend': 344395, 'round friend this': 726327, 'friend this is': 333840, 'is the day': 452764, 'the day civlisation': 852876, 'day civlisation end': 227452, 'civlisation end let': 179622, 'end let get': 275861, 'let get together': 486740, 'get together and': 348508, 'and do death': 61550, 'do death dance': 249214, 'death dance and': 230017, 'dance and go': 225560, 'and go and': 63766, 'go and loot': 353282, 'the supermarket while': 868904, 'while we got': 987548, 'we got the': 971677, 'got the chance': 358898, 'service unveiled': 753024, 'unveiled special': 944020, 'pricing for': 677926, 'both restaurant': 136030, 'coronavirus shutdown': 206766, 'of bar': 580551, 'delivery service unveiled': 234475, 'service unveiled special': 753025, 'unveiled special pricing': 944021, 'special pricing for': 788035, 'pricing for both': 677927, 'for both restaurant': 319742, 'both restaurant and': 136031, 'restaurant and customer': 716280, 'customer in anticipation': 222489, 'anticipation of increased': 78491, '19 coronavirus shutdown': 6126, 'coronavirus shutdown of': 206767, 'shutdown of bar': 768064, 'of bar and': 580552, 'gamestop criminally': 343325, 'criminally making': 216911, 'and wanting': 75173, 'to illegally': 908119, 'illegally sell': 416265, 'overseas gamestop': 631475, 'gamestop putting': 343336, 'putting employee': 691108, 'danger via': 225707, 'via it': 956039, 'likely than': 492110, 'gamestop criminally making': 343326, 'criminally making their': 216912, 'their own sanitizer': 874199, 'own sanitizer and': 632186, 'sanitizer and wanting': 734454, 'and wanting to': 75174, 'wanting to illegally': 966306, 'to illegally sell': 908120, 'illegally sell it': 416267, 'sell it overseas': 748772, 'it overseas gamestop': 460214, 'overseas gamestop putting': 631476, 'gamestop putting employee': 343337, 'putting employee and': 691109, 'and the country': 73303, 'country in danger': 210772, 'in danger via': 421982, 'danger via it': 225708, 'via it more': 956040, 'it more likely': 459671, 'more likely than': 539696, 'likely than you': 492111, 'ord': 617965, 'your ord': 1025095, 'here your ord': 393862, 'money move': 536895, 'survive coronavirus': 829145, 'recession consumer': 704241, 'money move to': 536896, 'move to survive': 543767, 'to survive coronavirus': 916023, 'survive coronavirus recession': 829146, 'coronavirus recession consumer': 206625, 'recession consumer report': 704242, '48 heartfelt': 19300, 'heartfelt thanks': 388453, 'those currently': 891908, 'italy shop': 462911, 'wa 48 heartfelt': 961382, '48 heartfelt thanks': 19301, 'heartfelt thanks to': 388454, 'all those currently': 45160, 'those currently working': 891909, 'working in italy': 1008719, 'in italy shop': 424315, 'smishing': 775784, 'reportspam': 712787, 'for smishing': 325683, 'smishing text': 775785, 'or sm': 617107, 'sm spam': 774759, 'spam like': 787384, 'else you': 272004, 'probably shopping': 679373, 'more do': 539060, 'link reportspam': 493896, 'reportspam spam': 712788, 'spam smishing': 787386, 'out for smishing': 626160, 'for smishing text': 325684, 'smishing text or': 775786, 'text or sm': 839928, 'or sm spam': 617109, 'sm spam like': 774760, 'spam like everyone': 787385, 'everyone else you': 286890, 'else you re': 272006, 'you re probably': 1020711, 're probably shopping': 699313, 'probably shopping online': 679374, 'online more do': 608555, 'more do not': 539061, 'on any link': 599401, 'any link reportspam': 79414, 'link reportspam spam': 493897, 'reportspam spam smishing': 712789, 'at ubs': 101382, 'ubs expect': 937864, 'expect retail': 290714, 'retail loan': 718276, 'loan growth': 497447, 'and collection': 60095, 'collection to': 186477, 'lower discretionary': 505840, 'discretionary spend': 244775, 'analyst at ubs': 57115, 'at ubs expect': 101383, 'ubs expect retail': 937865, 'expect retail loan': 290715, 'retail loan growth': 718277, 'loan growth and': 497448, 'growth and collection': 367341, 'and collection to': 60096, 'collection to be': 186478, 'be hit due': 115267, 'due to socialdistancing': 261960, 'to socialdistancing and': 914831, 'socialdistancing and lower': 780212, 'and lower discretionary': 66453, 'lower discretionary spend': 505841, 'putting stronger': 691223, 'stronger focus': 814178, 'perishable to': 652008, 'through self': 894661, 'item learn': 463403, 'bank are experiencing': 109645, 'in demand many': 422138, 'demand many are': 235838, 'are putting stronger': 89361, 'putting stronger focus': 691224, 'stronger focus on': 814179, 'focus on non': 311887, 'non perishable to': 566461, 'perishable to get': 652009, 'get people through': 347805, 'people through self': 649862, 'through self isolation': 894662, 'isolation period they': 455389, 'low on key': 505461, 'on key item': 601758, 'key item learn': 473334, 'item learn more': 463404, 'panic keep': 638253, 'keep product': 471823, 'product stocked': 681647, 'you yelling': 1022469, 'the panic keep': 863211, 'panic keep in': 638254, 'mind that grocery': 532734, 'to keep product': 908834, 'keep product stocked': 471824, 'product stocked and': 681648, 'stocked and available': 803256, 'available for you': 104391, 'for you yelling': 328103, 'you yelling at': 1022470, 'yelling at them': 1015251, 'at them will': 101188, 'them will not': 876638, 'not change the': 568728, 'change the fact': 172294, 'nnewi': 563547, '19 nnewi': 8791, 'nnewi youth': 563548, 'youth storm': 1026872, 'storm market': 811817, 'control food': 202009, 'covid 19 nnewi': 213477, '19 nnewi youth': 8792, 'nnewi youth storm': 563549, 'youth storm market': 1026873, 'storm market to': 811818, 'market to control': 517233, 'to control food': 903445, 'control food price': 202010, 'store complaining': 807132, 'about limit': 25645, 'line really': 493368, 'dont vote': 255311, 'for bernie': 319646, 'bernie then': 127389, 'grocery store complaining': 365293, 'store complaining about': 807133, 'complaining about limit': 191886, 'about limit on': 25646, 'limit on bread': 492408, 'on bread and': 599689, 'bread and dairy': 138395, 'and dairy and': 60920, 'dairy and having': 224954, 'having to wait': 384372, 'in line really': 424768, 'line really hope': 493369, 'really hope they': 702313, 'hope they dont': 403707, 'they dont vote': 882014, 'dont vote for': 255312, 'vote for bernie': 960480, 'for bernie then': 319647, 'supermarket issue': 821157, 'issue regarding': 455907, 'curfew is': 220890, 'let male': 486888, 'male shop': 511689, 'out social': 627210, 'feel the best': 302880, 'handle the supermarket': 376276, 'the supermarket issue': 868652, 'supermarket issue regarding': 821159, 'issue regarding the': 455908, '19 and curfew': 5007, 'and curfew is': 60811, 'curfew is to': 220891, 'is to only': 453229, 'to only let': 910973, 'only let male': 610723, 'let male shop': 486889, 'male shop in': 511690, 'in out social': 426362, 'out social distancing': 627211, 'distancing in full': 247226, 'eng trump': 276841, 'getting low': 349105, 'disaster so': 244242, 'do cut': 249207, 'production 10': 681888, 'opec that': 611973, 'eng trump just': 276842, 'least we were': 484689, 'we were getting': 973791, 'were getting low': 979678, 'getting low oil': 349107, '19 disaster so': 6555, 'disaster so what': 244243, 'he do cut': 384899, 'do cut oil': 249208, 'oil production 10': 597359, 'production 10 too': 681889, '10 too it': 1740, 'too it not': 924813, 'just opec that': 469390, 'opec that problem': 611974, 'endofthefuckingworld': 276257, 'imgonnastarve': 416920, 'feeding you': 302495, 'you ration': 1020551, 'ration endofthefuckingworld': 697669, 'endofthefuckingworld nofood': 276258, 'nofood feedme': 566146, 'feedme imgonnastarve': 302527, 'coronavirus ha got': 206022, 'got you on': 359035, 'you on ration': 1020191, 'on ration and': 603078, 'ration and you': 697637, 'know what your': 476992, 'what your sister': 982721, 'your sister is': 1025812, 'sister is feeding': 771758, 'is feeding you': 447772, 'feeding you ration': 302496, 'you ration endofthefuckingworld': 1020552, 'ration endofthefuckingworld nofood': 697670, 'endofthefuckingworld nofood feedme': 276259, 'nofood feedme imgonnastarve': 566147, 'sentiment during covid': 750921, 'bhai': 129330, 'bhai platform': 129331, 'being increased': 125312, 'prevent people': 671697, 'from gathering': 335604, 'station due': 796386, 'crisis understand': 218284, 'context then': 200918, 'then register': 877467, 'register your': 707631, 'your outrage': 1025120, 'bhai platform ticket': 129332, 'price are being': 672639, 'are being increased': 84874, 'being increased to': 125313, 'increased to prevent': 433518, 'to prevent people': 912081, 'prevent people from': 671698, 'people from gathering': 647990, 'from gathering at': 335605, 'gathering at station': 344441, 'at station due': 100637, 'station due to': 796387, 'ongoing crisis understand': 607619, 'crisis understand the': 218285, 'understand the context': 940752, 'the context then': 851662, 'context then register': 200920, 'then register your': 877468, 'register your outrage': 707632, 'haufiku': 378984, 'haufiku for': 378985, 'be hard': 115145, 'need introduce': 555061, 'introduce concept': 443380, 'to internet': 908455, 'internet do': 441932, 'haufiku for long': 378986, 'for long people': 323082, 'long people keep': 501555, 'people keep going': 648573, 'going to shop': 355704, 'to shop it': 914466, 'shop it will': 760376, 'will be hard': 992488, 'be hard to': 115146, 'hard to contain': 378057, '19 to reduce': 11451, 'reduce the movement': 705967, 'movement of people': 543900, 'people we need': 650156, 'we need introduce': 972499, 'need introduce concept': 555062, 'introduce concept of': 443381, 'concept of shopping': 192868, 'online and only': 607831, 'and only let': 68142, 'only let those': 610724, 'let those people': 487184, 'access to internet': 28248, 'to internet do': 908456, 'kieran': 474277, 'clancy': 179948, 'expects copper': 291071, 'in h2': 423494, 'h2 said': 369379, 'said kieran': 731184, 'kieran clancy': 474278, 'clancy but': 179949, 'if containment': 413991, 'measure start': 525339, 'relaxed at': 708851, 'time investing': 897047, 'expects copper price': 291072, 'copper price to': 203445, 'rise in h2': 722885, 'in h2 said': 423495, 'h2 said kieran': 369380, 'said kieran clancy': 731185, 'kieran clancy but': 474279, 'clancy but that': 179950, 'but that only': 147295, 'that only if': 845523, 'only if containment': 610619, 'if containment measure': 413992, 'containment measure start': 200607, 'measure start to': 525340, 'start to be': 794574, 'to be relaxed': 901496, 'be relaxed at': 116760, 'relaxed at that': 708852, 'that time investing': 847045, 'breaking present': 139032, 'present bill': 670576, 'breaking present bill': 139033, 'present bill during': 670577, 'bill during the': 130562, 'score got': 742356, 'tp tp': 928015, 'my bunghole': 547576, 'bunghole limit': 142662, 'limit pack': 492441, 'pack per': 633130, 'least got': 484489, 'some tpformybunghole': 784108, 'tpformybunghole toiletpaper': 928064, 'score got some': 742357, 'got some tp': 358859, 'some tp tp': 784106, 'tp tp for': 928016, 'tp for my': 927816, 'for my bunghole': 323681, 'my bunghole limit': 547577, 'bunghole limit pack': 142663, 'limit pack per': 492442, 'pack per household': 633132, 'household but at': 406747, 'at least got': 99500, 'least got some': 484491, 'got some tpformybunghole': 358860, 'some tpformybunghole toiletpaper': 784109, 'news thehill': 560873, 'thehill internet': 872400, 'internet union': 442038, 'union consumer': 941877, 'group call': 366628, 'for telecom': 326175, 'telecom giant': 836679, 'giant to': 349878, 'ensure internet': 277977, 'access spread': 28195, 'news thehill internet': 560874, 'thehill internet union': 872401, 'internet union consumer': 442039, 'union consumer advocacy': 941878, 'advocacy group call': 33804, 'group call for': 366629, 'call for telecom': 155895, 'for telecom giant': 326176, 'telecom giant to': 836680, 'giant to ensure': 349879, 'to ensure internet': 905170, 'ensure internet access': 277978, 'internet access spread': 441899, 'giffen': 349920, 'prospering': 684723, 'sobering infographic': 779371, 'infographic from': 437637, 'now half': 574854, 'half january': 374195, 'january level': 464667, 'level even': 487555, 'even significantly': 284574, 'significantly down': 769567, 'for giffen': 321878, 'giffen good': 349921, 'good grocery': 357151, 'industry many': 435981, 'many believe': 513819, 'believe are': 126246, 'are prospering': 89290, 'prospering food': 684724, 'sobering infographic from': 779372, 'infographic from consumer': 437638, 'from consumer spending': 334974, 'spending is now': 788879, 'is now half': 450292, 'now half january': 574855, 'half january level': 374196, 'january level even': 464668, 'level even significantly': 487556, 'even significantly down': 284575, 'significantly down for': 769568, 'down for giffen': 256772, 'for giffen good': 321879, 'giffen good grocery': 349922, 'good grocery and': 357152, 'grocery and industry': 364243, 'and industry many': 65183, 'industry many believe': 435982, 'many believe are': 513820, 'believe are prospering': 126247, 'are prospering food': 89291, 'prospering food delivery': 684725, 'to walsh': 918319, 'walsh is': 965507, 'to supporting': 915991, 'supporting them': 827218, 'them so': 876289, 'so certain': 776744, 'certain garage': 170019, 'offering reduced': 595225, 'healthcare community is': 387064, 'community is the': 189937, 'backbone of the': 107506, 'response to walsh': 715895, 'to walsh is': 918320, 'walsh is committed': 965508, 'committed to supporting': 189048, 'to supporting them': 915994, 'supporting them so': 827219, 'them so certain': 876292, 'so certain garage': 776745, 'certain garage in': 170020, 'garage in the': 343489, 'now offering reduced': 575404, 'offering reduced price': 595226, 'price for hospital': 673977, 'nowadays': 576529, 'supermarket nowadays': 821679, 'nowadays remoteworking': 576536, 'the supermarket nowadays': 868720, 'supermarket nowadays remoteworking': 821681, 'fantasyland': 298636, 'of fantasyland': 583417, 'fantasyland who': 298637, 'our president': 624427, 'president today': 670926, 'doesn give': 251805, 'give ck': 350436, 'ck about': 179627, 'about border': 24887, 'border but': 135224, 'doe care': 251357, 'about testing': 26312, 'testing ppe': 839611, 'provider medical': 686755, 'equipment know': 279772, 'know grocery': 476397, 'president of fantasyland': 670865, 'of fantasyland who': 583418, 'fantasyland who is': 298638, 'who is our': 989100, 'is our president': 450635, 'our president today': 624433, 'president today who': 670927, 'today who doesn': 920533, 'who doesn give': 988637, 'doesn give ck': 251806, 'give ck about': 350437, 'ck about border': 179628, 'about border but': 24888, 'border but doe': 135225, 'but doe care': 145571, 'doe care about': 251358, 'care about testing': 163805, 'about testing ppe': 26314, 'testing ppe for': 839613, 'our medical provider': 623897, 'medical provider medical': 526350, 'provider medical equipment': 686756, 'medical equipment know': 526155, 'equipment know grocery': 279773, 'know grocery store': 476398, 'deserve big': 238039, 'big as': 129621, 'as bonus': 94727, 'bonus this': 134404, 'shit they': 759253, 'risk they': 723939, 'worker deserve big': 1006758, 'deserve big as': 238040, 'big as bonus': 129622, 'as bonus this': 94728, 'bonus this year': 134405, 'this year for': 891574, 'year for the': 1014568, 'for the shit': 326680, 'the shit they': 866957, 'shit they go': 759255, 'they go through': 882206, 'go through and': 354244, 'through and the': 894328, 'the risk they': 865885, 'risk they take': 723941, 'they take with': 883524, 'take with this': 832804, 'why plane': 991290, 'plane fare': 658382, 'fare could': 299019, 'double after': 255971, 'lockdown unaffordable': 500091, 'unaffordable flight': 939394, 'industry stayathomesavelives': 436121, 'is why plane': 453974, 'why plane fare': 991291, 'plane fare could': 658383, 'fare could double': 299020, 'could double after': 209108, 'double after lockdown': 255972, 'after lockdown unaffordable': 35884, 'lockdown unaffordable flight': 500092, 'unaffordable flight for': 939395, 'flight for month': 310471, 'to the affect': 916481, 'the affect on': 848399, 'affect on the': 34197, 'on the airline': 603964, 'airline industry stayathomesavelives': 39980, 'in 19': 419712, 'supermarket in 19': 820856, 'chain doe': 170658, 'employee asymptomatic': 273637, 'asymptomatic employee': 97307, 'employee infected': 273979, 'could handle': 209231, 'handle food': 376196, 'proven vector': 686187, 'vector of': 953677, 'kr the nation': 477624, 'nation largest supermarket': 552245, 'supermarket chain doe': 819603, 'chain doe not': 170659, 'offer paid sick': 594739, 'leave to it': 485010, 'it employee asymptomatic': 457797, 'employee asymptomatic employee': 273638, 'asymptomatic employee infected': 97308, 'employee infected with': 273980, '19 could handle': 6155, 'could handle food': 209232, 'handle food for': 376198, 'become proven vector': 120108, 'proven vector of': 686188, 'vector of contagion': 953678, 'their real': 874531, 'at their real': 101174, 'their real price': 874532, 'real price quarantinelife': 701315, 'teensy': 836571, 'lotta': 504444, 'teensy bit': 836572, 'bit depressed': 131549, 'and lotta': 66414, 'lotta bit': 504445, 'awaiting my': 105547, 'result but': 717488, 'but moved': 146422, 'moved my': 543816, 'my coffee': 547724, 'coffee maker': 185509, 'maker to': 510879, 'the master': 860278, 'master bathroom': 520201, 'bathroom because': 112637, 'an adult': 55138, 'now window': 576433, 'for makeup': 323174, 'makeup online': 510906, 'cannot complain': 161723, 'teensy bit depressed': 836573, 'bit depressed and': 131550, 'depressed and lotta': 237574, 'and lotta bit': 66415, 'lotta bit sick': 504446, 'bit sick while': 131699, 'sick while awaiting': 768672, 'while awaiting my': 986635, 'awaiting my covid': 105548, 'test result but': 839149, 'result but moved': 717490, 'but moved my': 146423, 'moved my coffee': 543817, 'my coffee maker': 547725, 'coffee maker to': 185511, 'maker to the': 510880, 'to the master': 916871, 'the master bathroom': 860279, 'master bathroom because': 520202, 'bathroom because an': 112638, 'because an adult': 118932, 'an adult and': 55139, 'adult and make': 32796, 'rule and now': 727189, 'and now window': 67872, 'now window shopping': 576434, 'window shopping for': 995713, 'shopping for makeup': 762690, 'for makeup online': 323175, 'makeup online so': 510907, 'online so cannot': 609388, 'so cannot complain': 776738, 'important think': 419035, 'guy might': 369088, 'ok mondaymotivaton': 597837, 'safety when visiting': 730785, 'when visiting the': 984391, 'visiting the supermarket': 959565, 'very important think': 955255, 'important think this': 419036, 'think this guy': 885698, 'this guy might': 887792, 'guy might just': 369089, 'just be ok': 468277, 'be ok mondaymotivaton': 116174, 'incubator': 433953, 'wonder now': 1003984, 'closing how': 183654, 'many parent': 514473, 'will drag': 993249, 'drag their': 258166, 'their virus': 875130, 'virus incubator': 958343, 'incubator with': 433954, 'taken up': 833115, 'up residence': 945917, 'residence there': 714231, 'wonder now the': 1003985, 'now the school': 576069, 'school are closing': 741696, 'are closing how': 85392, 'closing how many': 183655, 'how many parent': 408278, 'many parent will': 514475, 'parent will drag': 641783, 'will drag their': 993250, 'drag their virus': 258167, 'their virus incubator': 875131, 'virus incubator with': 958344, 'incubator with them': 433955, 'supermarket to play': 823395, 'play with all': 659254, 'all the over': 44854, 'over 70 who': 629924, '70 who seem': 21859, 'have taken up': 382921, 'taken up residence': 833117, 'up residence there': 945918, 'provide new': 686401, 'new production': 559362, 'sanitizer learn': 735277, 'grocery supplychain': 366015, 'working with to': 1009074, 'with to provide': 1001793, 'to provide new': 912415, 'provide new production': 686402, 'new production line': 559363, 'production line for': 682110, 'line for hand': 493105, 'hand sanitizer learn': 375469, 'sanitizer learn more': 735278, 'learn more grocery': 484028, 'more grocery supplychain': 539376, 'shameonstockpilers': 754738, 'worst service': 1011258, 'time single': 897677, 'parent low': 641677, 'household no': 406890, 'car available': 163016, 'available cannot': 104284, 'cannot carry': 161703, 'carry large': 165103, 'grocery most': 364738, 'house online': 406436, 'shopping wa': 764332, 'way uk': 970137, 'uk shameonstockpilers': 938707, 'worst service during': 1011259, 'service during this': 752317, 'difficult time single': 242306, 'time single parent': 897678, 'single parent low': 771367, 'parent low income': 641678, 'income household no': 432368, 'household no car': 406891, 'no car available': 563761, 'car available cannot': 163017, 'available cannot carry': 104285, 'cannot carry large': 161705, 'carry large grocery': 165104, 'large grocery most': 479678, 'grocery most supermarket': 364740, 'most supermarket are': 542788, 'supermarket are very': 819193, 'are very far': 91460, 'very far from': 955155, 'far from my': 298783, 'my house online': 548740, 'house online shopping': 406437, 'online shopping wa': 609334, 'shopping wa the': 764336, 'only way uk': 611446, 'way uk shameonstockpilers': 970138, 'tpe': 928058, 'burned': 142912, 'tpe indian': 928061, 'indian american': 434769, 'american eleven': 51942, 'eleven store': 271396, 'owner wa': 632593, 'after boy': 35427, 'boy were': 137300, 'were burned': 979396, 'burned by': 142913, 'sanitizer she': 735723, 'she sold': 756344, 'sold newjersey': 781707, 'newjersey sanitizers': 560086, 'sanitizers 19': 736177, 'tpe indian american': 928062, 'indian american eleven': 434770, 'american eleven store': 51943, 'eleven store owner': 271397, 'store owner wa': 809442, 'owner wa arrested': 632594, 'arrested after boy': 93804, 'after boy were': 35428, 'boy were burned': 137301, 'were burned by': 979397, 'burned by sanitizer': 142914, 'by sanitizer she': 153869, 'sanitizer she sold': 735725, 'she sold newjersey': 756345, 'sold newjersey sanitizers': 781708, 'newjersey sanitizers 19': 560087, 'coping need': 203381, 'need alcohol': 554378, 'alcohol do': 40994, 'not mind': 570580, 'mind staying': 532726, 'alcohol at': 40917, 'consider online': 195051, 'shopping ke': 763124, 'ke lockdownsouthafrica': 471233, 'lockdownsouthafrica stayhomesa': 500387, 'stayhomesa day11oflockdown': 798318, 'not coping need': 568886, 'coping need alcohol': 203382, 'need alcohol do': 554380, 'alcohol do not': 40995, 'do not mind': 249785, 'not mind staying': 570581, 'mind staying home': 532727, 'home but need': 400840, 'but need alcohol': 146452, 'need alcohol at': 554379, 'alcohol at least': 40918, 'least they should': 484661, 'should consider online': 765861, 'consider online shopping': 195052, 'online shopping ke': 609164, 'shopping ke lockdownsouthafrica': 763125, 'ke lockdownsouthafrica stayhomesa': 471234, 'lockdownsouthafrica stayhomesa day11oflockdown': 500388, '01273': 746, '293117': 16515, 'food referral': 316143, 'referral prescription': 706518, 'prescription request': 670532, 'request help': 713171, 'or feeling': 615290, 'feeling isolated': 303004, 'isolated contact': 454987, 'new council': 558557, 'council community': 209973, 'community hub': 189903, 'hub line': 409812, 'line 01273': 492925, '01273 293117': 747, '293117 amp': 16516, 'help form': 389758, 'council website': 210035, 'for emergency food': 321018, 'emergency food referral': 272710, 'food referral prescription': 316144, 'referral prescription request': 706519, 'prescription request help': 670533, 'request help with': 713172, 'help with shopping': 390927, 'with shopping or': 1000699, 'shopping or feeling': 763540, 'or feeling isolated': 615291, 'feeling isolated contact': 303005, 'isolated contact the': 454988, 'contact the new': 200226, 'the new council': 861485, 'new council community': 558558, 'council community hub': 209974, 'community hub line': 189904, 'hub line 01273': 409813, 'line 01273 293117': 492926, '01273 293117 amp': 748, '293117 amp online': 16517, 'amp online request': 54224, 'online request for': 608859, 'request for help': 713161, 'for help form': 322177, 'help form on': 389759, 'form on the': 329549, 'on the council': 604045, 'the council website': 852018, 'thinkagain': 885826, 'blinder': 132702, 'so dol': 776901, 'dol doesn': 252910, 'doesn believe': 251714, 'believe any': 126243, 'any retail': 79757, 'exposure excuse': 292970, 'excuse me': 289758, 'are sheltering': 90031, 'place think': 657739, 'again go': 37006, 'into any': 442405, 'see wrong': 746095, 'wrong thinkagain': 1013124, 'thinkagain blinder': 885827, 'hmm so dol': 398693, 'so dol doesn': 776902, 'dol doesn believe': 252911, 'doesn believe any': 251715, 'believe any retail': 126245, 'any retail worker': 79760, 'retail worker are': 718871, '19 exposure excuse': 6910, 'exposure excuse me': 292971, 'excuse me do': 289759, 'me do you': 522665, 'people are sheltering': 647074, 'are sheltering in': 90032, 'in place think': 426769, 'place think again': 657740, 'think again go': 885124, 'again go into': 37007, 'go into any': 353737, 'into any store': 442406, 'any store during': 79863, 'time and see': 896295, 'and see wrong': 71152, 'see wrong thinkagain': 746096, 'wrong thinkagain blinder': 1013125, 'morning entry': 541242, 'and exit': 62469, 'exit from': 290365, 'polling station': 663880, 'waited in': 964274, 'were closed': 979449, 'this morning entry': 888954, 'morning entry and': 541243, 'entry and exit': 278985, 'and exit from': 62470, 'exit from the': 290366, 'from the polling': 337836, 'the polling station': 863959, 'polling station in': 663881, 'station in 10': 796432, 'and waited in': 75118, 'waited in line': 964275, 'line for an': 493097, 'hour to buy': 406015, 'store were closed': 811218, 'reconnection': 704873, 'well over': 978461, '80 the': 22634, 'electricity company': 271159, 'priority reconnection': 678628, 'reconnection if': 704874, 'if power': 414676, 'power fails': 667605, 'fails the': 296245, 'cannot that': 162174, 'household get': 406811, 'slot vulnerable': 774288, 'someone in household': 784516, 'in household is': 423861, 'household is well': 406856, 'is well over': 453848, 'well over 80': 978462, 'over 80 the': 629932, '80 the electricity': 22635, 'the electricity company': 854178, 'electricity company have': 271160, 'company have list': 190738, 'have list of': 381333, 'list of who': 494494, 'of who will': 593136, 'will get priority': 993519, 'get priority reconnection': 347848, 'priority reconnection if': 678629, 'reconnection if power': 704875, 'if power fails': 414677, 'power fails the': 667606, 'fails the household': 296246, 'the household is': 857656, 'household is on': 406851, 'is on that': 450486, 'that list so': 844895, 'list so why': 494537, 'so why cannot': 778752, 'why cannot that': 990874, 'cannot that same': 162175, 'that same household': 846107, 'same household get': 733109, 'household get supermarket': 406812, 'delivery slot vulnerable': 234545, 'worker home': 1007131, 'cleaner service': 180834, 'sector worker': 744417, 'society effort': 781198, 'supermarket worker home': 824036, 'worker home care': 1007132, 'care worker postal': 164300, 'postal worker cleaner': 666468, 'worker cleaner service': 1006654, 'cleaner service sector': 180835, 'service sector worker': 752803, 'sector worker now': 744420, 'worker now find': 1007458, 'find themselves at': 307317, 'forefront of society': 328943, 'of society effort': 589870, 'society effort to': 781199, 'contain the 19': 200494, 'pandemic we look': 636943, 'at what measure': 101528, 'measure are needed': 525122, 'why publication': 991306, 'publication won': 688523, 'won survive': 1003917, 'guy play': 369107, 'in bridging': 420972, 'gap of': 343454, 'of communication': 581596, 'communication between': 189580, 'what the reason': 982357, 'reason why publication': 703062, 'why publication won': 991307, 'publication won survive': 688524, 'won survive covid': 1003918, '19 you guy': 12267, 'you guy play': 1018970, 'guy play major': 369108, 'role in bridging': 725088, 'in bridging the': 420973, 'the gap of': 856139, 'gap of communication': 343455, 'of communication between': 581597, 'communication between the': 189581, 'between the consumer': 128928, 'ext': 293101, 'mark is': 515789, 'precaution wearing': 669400, 'go or': 353919, 'avoiding everywhere': 105449, 'everywhere where': 288283, 'even these': 284678, 'are extreme': 86389, 'extreme compared': 293787, 'be ext': 114751, 'mark is saying': 515790, 'is saying that': 451659, 'saying that we': 739708, 'should all take': 765494, 'all take extra': 44592, 'extra precaution wearing': 293614, 'precaution wearing glove': 669401, 'to the work': 917199, 'the work if': 871732, 'to go or': 906834, 'go or to': 353921, 'store and avoiding': 806199, 'and avoiding everywhere': 58582, 'avoiding everywhere where': 105450, 'everywhere where you': 288284, 'where you don': 985387, 'be even these': 114710, 'even these action': 284679, 'these action are': 879575, 'action are extreme': 29957, 'are extreme compared': 86390, 'extreme compared to': 293788, 'compared to everyday': 191424, 'to everyday life': 905325, 'everyday life be': 286588, 'life be ext': 488523, 'received number': 703660, 'of query': 588682, 'query about': 693450, 'those exploiting': 891978, 'situation amp': 772172, 'amp selling': 54460, 'not breach': 568611, 'breach trading': 138364, 'standard legislation': 793679, 'legislation however': 485972, 'authority cma': 103700, 'cma are': 184644, 'receive report': 703538, 'we ve received': 973702, 've received number': 953489, 'received number of': 703661, 'number of query': 576983, 'of query about': 588683, 'query about those': 693451, 'about those exploiting': 26679, 'those exploiting the': 891979, 'exploiting the covid': 292453, '19 situation amp': 10567, 'situation amp selling': 772175, 'amp selling product': 54461, 'product at very': 680984, 'at very high': 101446, 'very high price': 955232, 'high price this': 395284, 'price this doe': 676910, 'doe not breach': 251479, 'not breach trading': 568612, 'breach trading standard': 138365, 'trading standard legislation': 928930, 'standard legislation however': 793680, 'legislation however the': 485973, 'however the competition': 409470, 'market authority cma': 516057, 'authority cma are': 103701, 'cma are keen': 184645, 'keen to receive': 471269, 'to receive report': 912931, 'friend amp': 333490, 'amp local': 54075, 'family grocery': 297861, 'with floor': 998460, 'floor graphic': 310801, 'graphic they': 362172, 'are adding': 84225, 'their interior': 873678, 'interior signage': 441691, 'signage to': 769289, 'everyone maintain': 287178, 'critical distance': 218538, 'distance which': 246893, 'amp customer': 53597, 'to be helping': 901301, 'be helping our': 115217, 'helping our friend': 391418, 'our friend amp': 623178, 'friend amp local': 333492, 'amp local family': 54076, 'local family grocery': 497936, 'family grocery store': 297862, 'store with floor': 811379, 'with floor graphic': 998461, 'floor graphic they': 310802, 'graphic they are': 362173, 'they are adding': 881191, 'are adding to': 84226, 'adding to their': 31714, 'to their interior': 917243, 'their interior signage': 873679, 'interior signage to': 441692, 'signage to help': 769290, 'help everyone maintain': 389666, 'everyone maintain the': 287179, 'maintain the critical': 509058, 'the critical distance': 852493, 'critical distance which': 218539, 'distance which keep': 246894, 'which keep staff': 986091, 'keep staff amp': 471962, 'staff amp customer': 792113, 'amp customer safe': 53599, 'prophecy': 684396, 'witnessing self': 1003178, 'fulfilling prophecy': 340433, 'prophecy continue': 684397, 'continue panic': 201093, 'end customer': 275802, 'customer affecting': 222031, 'vulnerable if': 961005, 'keep taking': 472006, 'cash out': 166296, 'of atm': 580427, 'atm bank': 101917, 'bank reserve': 110135, 'reserve will': 714115, 'will dwindle': 993271, 'dwindle and': 263662, 'we taxpayer': 973507, 'taxpayer will': 835211, 'out think': 627552, 'are witnessing self': 91665, 'witnessing self fulfilling': 1003179, 'self fulfilling prophecy': 747647, 'fulfilling prophecy continue': 340434, 'prophecy continue panic': 684398, 'continue panic buying': 201094, 'buying and you': 149948, 'you will cause': 1022325, 'shortage for end': 764960, 'for end customer': 321050, 'end customer affecting': 275803, 'customer affecting the': 222032, 'affecting the most': 34564, 'most vulnerable if': 542881, 'vulnerable if they': 961006, 'if they keep': 415116, 'they keep taking': 882513, 'keep taking cash': 472007, 'taking cash out': 833303, 'cash out of': 166297, 'out of atm': 626680, 'of atm bank': 580428, 'atm bank reserve': 101918, 'bank reserve will': 110136, 'reserve will dwindle': 714116, 'will dwindle and': 993272, 'dwindle and we': 263663, 'and we taxpayer': 75327, 'we taxpayer will': 973508, 'taxpayer will have': 835212, 'have to bail': 383159, 'them out think': 876134, 'waragainstvirus': 966615, 'of santizer': 589315, 'mask have': 518786, 'been fixed': 121152, 'fixed at': 309780, 'national level': 552552, 'level jantacurfewchallenge': 487603, 'jantacurfewchallenge corona': 464609, 'socialdistancing waragainstvirus': 780851, 'waragainstvirus corona': 966616, 'price of santizer': 675565, 'of santizer and': 589316, 'and mask have': 66753, 'mask have been': 518787, 'have been fixed': 379542, 'been fixed at': 121154, 'fixed at the': 309781, 'the national level': 861299, 'national level jantacurfewchallenge': 552553, 'level jantacurfewchallenge corona': 487604, 'jantacurfewchallenge corona socialdistancing': 464610, 'corona socialdistancing waragainstvirus': 204182, 'socialdistancing waragainstvirus corona': 780852, 'waragainstvirus corona coronaindia': 966617, 'urbanfresh': 948133, 'distancing remember': 247421, 'remember always': 710166, 'always mco': 49663, 'movementcontrolorder socialdistancing': 543953, 'socialdistancing urbanfresh': 780837, 'urbanfresh hypermarket': 948134, 'hypermarket malaysia': 412340, 'social distancing remember': 779698, 'distancing remember always': 247422, 'remember always mco': 710167, 'always mco movementcontrolorder': 49664, 'mco movementcontrolorder socialdistancing': 522230, 'movementcontrolorder socialdistancing urbanfresh': 543954, 'socialdistancing urbanfresh hypermarket': 780838, 'urbanfresh hypermarket malaysia': 948135, 'fuckwit': 340083, 'this fuckwit': 887646, 'fuckwit licked': 340086, 'ha coronavirus': 370250, 'terrorism act': 838597, 'this fuckwit licked': 887647, 'fuckwit licked toilet': 340087, 'now ha coronavirus': 574842, 'ha coronavirus the': 370251, 'coronavirus the other': 206913, 'the terrorism act': 869309, 'local news': 498204, 'realestate homebuying': 701484, 'local news on': 498205, 'news on the': 560668, 'estate market via': 282158, 'via realestate homebuying': 956200, 'will everybody': 993350, 'everybody go': 286436, 'time revert': 897581, 'revert to': 720545, 'an unseen': 56903, 'unseen enemy': 943466, 'of now will': 587099, 'now will everybody': 576426, 'will everybody go': 993351, 'everybody go to': 286437, 'supermarket on your': 821744, 'on your usual': 605509, 'your usual day': 1026258, 'and time revert': 74120, 'time revert to': 897582, 'revert to your': 720547, 'sick and elderly': 768365, 'with an unseen': 997234, 'an unseen enemy': 56904, 'pandemic driving': 635339, 'driving global': 259938, 'commerce growth': 188562, 'growth but': 367354, 'but fraud': 145770, 'increase too': 433139, 'pandemic driving global': 635340, 'driving global commerce': 259939, 'global commerce growth': 351782, 'commerce growth but': 188563, 'growth but fraud': 367356, 'but fraud is': 145771, 'fraud is on': 331297, 'on the increase': 604176, 'the increase too': 858069, 'increase too the': 433140, 'too the covid': 925112, 'mahatma': 508493, 'ghandi': 349608, 'harshest': 378572, 'greed mahatma': 363401, 'mahatma ghandi': 508494, 'ghandi even': 349609, 'the harshest': 857132, 'harshest lockdown': 378573, 'were allowed': 979290, 'shopped normally': 761310, 'normally store': 567550, 'restrict anything': 717097, 'anything let': 80817, 'let stop': 487084, 'everyone greed mahatma': 286955, 'greed mahatma ghandi': 363402, 'mahatma ghandi even': 508495, 'ghandi even in': 349610, 'in the harshest': 429258, 'the harshest lockdown': 857133, 'harshest lockdown people': 378574, 'lockdown people were': 499783, 'people were allowed': 650193, 'were allowed to': 979292, 'for food if': 321593, 'food if everyone': 314889, 'everyone shopped normally': 287368, 'shopped normally store': 761311, 'normally store wouldn': 567551, 'store wouldn need': 811648, 'wouldn need to': 1012497, 'need to restrict': 556048, 'to restrict anything': 913426, 'restrict anything let': 717098, 'anything let stop': 80818, 'let stop panic': 487086, 'quarticon': 693289, 'increasingly doing': 433770, 'online faster': 608192, 'faster growing': 300102, 'growing ecommerce': 367181, 'ecommerce due': 266754, 'also benefit': 47957, 'benefit provider': 127066, 'deliver software': 233208, 'such quarticon': 816704, 'quarticon on': 693290, 'more people stay': 540039, 'home or are': 401734, 'or are forced': 614409, 'forced to do': 328630, 'do so they': 250104, 'so they are': 778464, 'they are increasingly': 881307, 'are increasingly doing': 87502, 'increasingly doing their': 433771, 'their shopping online': 874723, 'shopping online faster': 763429, 'online faster growing': 608193, 'faster growing ecommerce': 300103, 'growing ecommerce due': 367182, 'ecommerce due to': 266755, 'the should also': 867106, 'should also benefit': 765500, 'also benefit provider': 47958, 'benefit provider that': 127067, 'provider that deliver': 686798, 'that deliver software': 843480, 'deliver software for': 233209, 'software for this': 781531, 'for this sector': 327063, 'this sector such': 890003, 'sector such quarticon': 744339, 'such quarticon on': 816705, 'low dairy farmer': 505227, 'current trend': 221405, 'gain momentum': 342794, 'american gun': 52009, 'food anyway': 313394, 'surprise that the': 828549, 'that the current': 846697, 'the current trend': 852672, 'current trend of': 221409, 'buying ha managed': 150442, 'managed to gain': 512501, 'to gain momentum': 906352, 'gain momentum in': 342795, 'momentum in american': 536155, 'in american gun': 420247, 'american gun store': 52010, 'gun store who': 368740, 'store who need': 811306, 'who need food': 989312, 'need food anyway': 554788, 'breakingonrt': 139107, 'first patient': 308853, 'patient dy': 644167, 'russia elderly': 728466, 'underlying medical': 940486, 'condition breakingonrt': 193419, 'first patient dy': 308854, 'patient dy in': 644168, 'dy in russia': 263736, 'in russia elderly': 427589, 'russia elderly woman': 728467, 'with underlying medical': 1001898, 'underlying medical condition': 940487, 'medical condition breakingonrt': 526108, 'belated': 126139, 'sabino': 728997, 'siders': 768934, 'unmatched': 942830, 'belated happy': 126140, 'to sabino': 913691, 'sabino who': 728998, 'who spent': 989650, 'spent his': 789128, 'his day': 397347, 'day bringing': 227399, 'bringing west': 140217, 'west siders': 980534, 'siders the': 768937, 'news they': 560880, 'know pascal': 476671, 'pascal thoughtful': 643187, 'thoughtful approach': 893348, 'to covering': 903666, 'covering the': 212495, 'is unmatched': 453528, 'unmatched is': 942832, 'better bc': 128205, 'bc he': 113239, 'belated happy birthday': 126141, 'happy birthday to': 377592, 'birthday to sabino': 131461, 'to sabino who': 913692, 'sabino who spent': 728999, 'who spent his': 989651, 'spent his day': 789129, 'his day bringing': 397348, 'day bringing west': 227400, 'bringing west siders': 140218, 'west siders the': 980535, 'siders the covid': 768938, '19 news they': 8781, 'news they need': 560882, 'to know pascal': 908988, 'know pascal thoughtful': 476672, 'pascal thoughtful approach': 643188, 'thoughtful approach to': 893349, 'approach to covering': 82982, 'to covering the': 903667, 'covering the news': 212499, 'the news is': 861614, 'news is unmatched': 560561, 'is unmatched is': 453529, 'unmatched is so': 942833, 'much better bc': 544755, 'better bc he': 128206, 'bc he is': 113240, 'is on our': 450476, 'on our team': 602638, 'model show': 535303, '3d model show': 18240, 'model show how': 535304, 'spread coronavirus in': 790492, 'coronavirus in grocery': 206119, 'extend to': 293132, 'customer interaction': 222529, 'interaction staff': 441264, 'please live': 660200, 'coronavirus closure': 205658, 'closure now': 183952, 'force government': 328397, 'government expands': 360074, 'expands testing': 290541, 'testing criterion': 839477, 'criterion via': 218506, 'extend to supermarket': 293133, 'to supermarket customer': 915786, 'supermarket customer interaction': 819878, 'customer interaction staff': 222530, 'interaction staff please': 441265, 'staff please live': 792761, 'please live new': 660201, 'live new coronavirus': 495934, 'new coronavirus closure': 558544, 'coronavirus closure now': 205659, 'closure now in': 183953, 'now in force': 575000, 'in force government': 423034, 'force government expands': 328398, 'government expands testing': 360075, 'expands testing criterion': 290542, 'testing criterion via': 839478, 'surround': 828714, 'panic feel': 638093, 'trapped in': 930109, 'no and': 563615, 'ppl he': 668246, 'he surround': 385495, 'surround himself': 828717, 'himself with': 396821, 'run this': 727832, 'the panic feel': 863203, 'panic feel is': 638094, 'feel is not': 302685, 'is not so': 450187, 'not so much': 571624, 'much that may': 545346, 'that may get': 845077, 'may get it': 521203, 'get it or': 347420, 'or be trapped': 614514, 'be trapped in': 117797, 'trapped in the': 930111, 'with no and': 999734, 'no and food': 563617, 'and food my': 63071, 'or the ppl': 617390, 'the ppl he': 864173, 'ppl he surround': 668247, 'he surround himself': 385496, 'surround himself with': 828718, 'himself with they': 396822, 'equipped to run': 279895, 'to run this': 913674, 'run this coronapanic': 727834, 'boeing': 133930, 'boeing is': 133933, 'just out': 469411, 'it bailout': 456695, 'bailout ask': 108624, 'ask in': 95569, 'new statement': 559648, 'statement minimum': 796189, 'minimum 60': 533168, '60 billion': 20909, 'in access': 419996, 'private liquidity': 678941, 'liquidity including': 494140, 'loan guarantee': 497451, 'guarantee bailouts': 367699, 'bailouts currently': 108689, 'hotel airline': 405099, 'cruise casino': 219694, 'casino oil': 166730, 'boeing is just': 133934, 'is just out': 449141, 'just out with': 469416, 'out with it': 627868, 'with it bailout': 999059, 'it bailout ask': 456696, 'bailout ask in': 108625, 'ask in new': 95570, 'in new statement': 425830, 'new statement minimum': 559649, 'statement minimum 60': 796190, 'minimum 60 billion': 533169, '60 billion in': 20910, 'billion in access': 130840, 'in access to': 419997, 'access to public': 28273, 'to public and': 912470, 'and private liquidity': 69525, 'private liquidity including': 678942, 'liquidity including loan': 494141, 'including loan guarantee': 432042, 'loan guarantee bailouts': 497452, 'guarantee bailouts currently': 367700, 'bailouts currently on': 108690, 'currently on table': 221613, 'on table for': 603864, 'table for hotel': 831469, 'for hotel airline': 322378, 'hotel airline cruise': 405100, 'airline cruise casino': 39940, 'cruise casino oil': 219695, 'casino oil gas': 166731, 'oil gas producer': 596829, 'new lady': 559007, 'wa telling': 963409, 'go flight': 353544, 'attendant so': 102374, 'job here': 465861, 'here asked': 392775, 'if her': 414226, 'mind wa': 532762, 'wa blown': 961725, 'blown when': 133407, 'she realised': 756282, 'that tin': 847053, 'of pringles': 588433, 'pringles and': 678254, 'of coke': 581511, 'coke didn': 185702, 'didn cost': 241025, 'cost 13': 207820, '13 quarantinelife': 3251, 'the new lady': 861523, 'new lady at': 559008, 'lady at my': 478741, 'supermarket wa telling': 823709, 'wa telling me': 963411, 'telling me she': 837226, 'me she been': 523442, 'she been let': 755882, 'been let go': 121453, 'let go flight': 486748, 'go flight attendant': 353545, 'flight attendant so': 310442, 'attendant so had': 102375, 'get job here': 347451, 'job here asked': 465863, 'here asked if': 392776, 'asked if her': 95771, 'if her mind': 414227, 'her mind wa': 392196, 'mind wa blown': 532763, 'wa blown when': 961726, 'blown when she': 133408, 'when she realised': 984004, 'she realised that': 756283, 'realised that tin': 701632, 'that tin of': 847054, 'tin of pringles': 898553, 'of pringles and': 588434, 'pringles and can': 678255, 'and can of': 59463, 'can of coke': 159086, 'of coke didn': 581513, 'coke didn cost': 185703, 'didn cost 13': 241026, 'cost 13 quarantinelife': 207821, '13 quarantinelife supermarket': 3252, 'newbusinesstrends': 560032, 'world strengthens': 1010013, 'strengthens it': 813273, 'it presence': 460431, 'presence and': 670549, 'distancing era': 247126, 'era marketeers': 280060, 'marketeers need': 517441, 'customer fulfilled': 222405, 'fulfilled engaged': 340427, 'engaged improve': 276872, 'improve cx': 419519, 'cx economy': 223908, 'economy newbusinesstrends': 268093, 'the digital world': 853287, 'digital world strengthens': 242683, 'world strengthens it': 1010014, 'strengthens it presence': 813274, 'it presence and': 460432, 'presence and consumer': 670550, 'behavior change in': 123964, 'in the social': 429553, 'social distancing era': 779600, 'distancing era marketeers': 247127, 'era marketeers need': 280061, 'marketeers need to': 517442, 'need to innovate': 555972, 'innovate to keep': 438837, 'keep customer fulfilled': 471442, 'customer fulfilled engaged': 222406, 'fulfilled engaged improve': 340428, 'engaged improve cx': 276873, 'improve cx economy': 419520, 'cx economy newbusinesstrends': 223909, 'after special': 36233, 'pensioner my': 646688, 'second suggestion': 743820, 'suggestion solicitor': 817661, 'solicitor to': 781899, 'anyone over': 80457, 'make will': 510715, 'will for': 993468, 'minimal fee': 533058, 'fee lot': 302196, 'extra worry': 293707, 'worry during': 1010696, 'during retweet': 262983, 'after special supermarket': 36234, 'special supermarket time': 788066, 'supermarket time for': 823346, 'time for pensioner': 896740, 'for pensioner my': 324437, 'pensioner my second': 646689, 'my second suggestion': 550008, 'second suggestion solicitor': 743821, 'suggestion solicitor to': 817662, 'solicitor to set': 781900, 'set up an': 753544, 'an online service': 56632, 'service to allow': 752966, 'to allow anyone': 900324, 'allow anyone over': 45918, 'anyone over 50': 80458, '50 to make': 19892, 'to make will': 909765, 'make will for': 510716, 'will for minimal': 993469, 'for minimal fee': 323452, 'minimal fee lot': 533059, 'fee lot of': 302197, 'lot of older': 504238, 'older people have': 598649, 'people have this': 648206, 'have this extra': 383101, 'this extra worry': 887488, 'extra worry during': 293708, 'worry during retweet': 1010697, 'during retweet if': 262984, 'supermarket visited': 823666, 'even piece': 284470, 'wa abundant': 961422, 'abundant wa': 27606, 'wa shit': 963186, 'start supporting': 794528, 'in supermarket visited': 428705, 'supermarket visited supermarket': 823667, 'supermarket not even': 821643, 'not even piece': 569268, 'even piece of': 284471, 'piece of fresh': 656335, 'potato and vegetable': 666903, 'and vegetable the': 74897, 'vegetable the only': 954105, 'thing that wa': 884823, 'that wa abundant': 847269, 'wa abundant wa': 961423, 'abundant wa shit': 27607, 'wa shit when': 963187, 'shit when will': 759291, 'when will people': 984502, 'will people stop': 994405, 'people stop kicking': 649652, 'and start supporting': 72248, 'enemy is': 276360, 'the rumor': 866064, 'rumor the': 727504, 'critical but': 218519, 'rumor circulating': 727480, 'circulating out': 178686, 'there make': 878743, 'worse everywhere': 1010923, 'everywhere you': 288291, 'close who': 182939, 'know what our': 476971, 'what our biggest': 981984, 'our biggest enemy': 622206, 'biggest enemy is': 130221, 'enemy is the': 276361, 'is the rumor': 452927, 'the rumor the': 866067, 'rumor the current': 727505, 'situation is critical': 772343, 'is critical but': 446939, 'critical but the': 218521, 'but the rumor': 147401, 'the rumor circulating': 866065, 'rumor circulating out': 727481, 'circulating out there': 178687, 'out there make': 627499, 'there make it': 878744, 'make it worse': 510069, 'it worse everywhere': 462548, 'worse everywhere you': 1010924, 'everywhere you see': 288293, 'see price increase': 745602, 'increase for essential': 432778, 'essential product because': 281416, 'product because they': 681008, 'because they say': 119717, 'they say that': 883279, 'that the market': 846771, 'market will close': 517352, 'will close who': 992949, 'close who know': 182940, 'what will come': 982594, 'part unemployed': 642477, 'unemployed thanks': 941137, 'shutdown decreased': 768020, 'decreased production': 231638, 'production mean': 682127, 'mean increase': 524495, 'mean higher': 524478, 'pump is': 689060, 'the consumer who': 851624, 'consumer who is': 199522, 'who is for': 989074, 'most part unemployed': 542607, 'part unemployed thanks': 642478, 'unemployed thanks to': 941138, 'to the shutdown': 917066, 'the shutdown decreased': 867132, 'shutdown decreased production': 768021, 'decreased production mean': 231639, 'production mean increase': 682128, 'mean increase in': 524496, 'in demand mean': 422140, 'demand mean higher': 235850, 'mean higher price': 524479, 'higher price at': 395665, 'the pump is': 864903, 'masterchef': 520215, 'now flour': 574702, 'flour is': 311127, 'what eleven': 981404, 'eleven season': 271394, 'of masterchef': 586295, 'masterchef were': 520216, 'were preparing': 979992, 'preparing australian': 670320, 'australian for': 103494, 'now flour is': 574703, 'flour is out': 311128, '19 what eleven': 11999, 'what eleven season': 981405, 'eleven season of': 271395, 'season of masterchef': 743420, 'of masterchef were': 586296, 'masterchef were preparing': 520217, 'were preparing australian': 979993, 'preparing australian for': 670321, 'only silver': 611145, 'lining can': 493727, 'happened now': 377260, '2020 rather': 14554, 'than early': 840532, 'early 2021': 264533, '2021 thank': 14788, 'staff 1st': 792072, 'responder postal': 715511, 'supermarket drugstore': 820036, 'drugstore clerk': 261184, 'clerk custodial': 181679, 'custodial worker': 221958, 'worker others': 1007516, 'the only silver': 862341, 'only silver lining': 611146, 'silver lining can': 769819, 'lining can think': 493728, 'think of now': 885451, 'of now is': 587097, 'now is that': 575084, 'is that this': 452699, 'that this happened': 846994, 'this happened now': 887848, 'happened now in': 377261, 'now in early': 574997, 'early 2020 rather': 264532, '2020 rather than': 14555, 'rather than early': 697515, 'than early 2021': 840533, 'early 2021 thank': 264534, '2021 thank you': 14789, 'you healthcare medical': 1019172, 'healthcare medical staff': 387183, 'medical staff 1st': 526382, 'staff 1st responder': 792073, '1st responder postal': 12797, 'responder postal worker': 715512, 'worker supermarket drugstore': 1007856, 'supermarket drugstore clerk': 820037, 'drugstore clerk custodial': 261185, 'clerk custodial worker': 181680, 'custodial worker others': 221960, 'worker others who': 1007517, 'who are literally': 988169, 'literally out there': 495063, 'nodal': 566113, 'scientist said': 742252, 'virus may': 958489, 'may slow': 521509, 'be suppressed': 117465, 'suppressed altogether': 827405, 'altogether mobility': 49386, 'mobility decrease': 535083, 'decrease at': 231554, 'at nodal': 99897, 'nodal point': 566114, 'point people': 662585, 'gather such': 344398, 'such shop': 816747, 'transport stayhome': 929948, 'the finnish scientist': 855253, 'finnish scientist said': 307998, 'scientist said the': 742254, 'said the spread': 731451, 'of virus may': 592827, 'virus may slow': 958492, 'may slow down': 521510, 'slow down or': 774349, 'down or even': 257057, 'or even be': 615189, 'even be suppressed': 283864, 'be suppressed altogether': 117466, 'suppressed altogether mobility': 827406, 'altogether mobility decrease': 49387, 'mobility decrease at': 535084, 'decrease at nodal': 231555, 'at nodal point': 99898, 'nodal point people': 566115, 'point people gather': 662586, 'people gather such': 648029, 'gather such shop': 344399, 'such shop restaurant': 816748, 'shop restaurant and': 760718, 'and public transport': 69750, 'public transport stayhome': 688419, 'india great': 434432, 'their adopted': 872471, 'adopted village': 32695, 'village of': 957360, 'india great to': 434434, 'to see and': 913984, 'see and know': 744906, 'and know about': 65886, 'know about food': 476212, 'about food distribution': 25253, 'distribution and in': 248110, 'in their adopted': 429714, 'their adopted village': 872472, 'adopted village of': 32697, 'village of india': 957361, 'of india canonforcommunity': 585099, 'governor it': 360926, 'york we': 1016683, 'governor it your': 360927, 'new york we': 559955, 'york we do': 1016684, 'necessary you leave': 554148, 'leave the beach': 484962, 'thankretailworkers': 842001, 'message left': 529359, 'nsw retail': 576713, 'these message': 880300, 'message let': 529362, 'coronavirus craziness': 205726, 'craziness to': 215230, 'kill it': 474424, 'with kindness': 999155, 'not feed': 569378, 'with fear': 998401, 'fear let': 301184, 'kinder to': 475090, 'other thankretailworkers': 621090, 'message left in': 529361, 'in store by': 428390, 'store by customer': 806832, 'by customer in': 152283, 'customer in nsw': 222500, 'in nsw retail': 425991, 'nsw retail worker': 576714, 'retail worker love': 718895, 'worker love these': 1007337, 'love these message': 504820, 'these message let': 880301, 'message let see': 529363, 'this we combat': 891146, 'we combat coronavirus': 971143, 'combat coronavirus craziness': 186996, 'coronavirus craziness to': 205727, 'craziness to kill': 215231, 'to kill it': 908930, 'kill it with': 474428, 'it with kindness': 462475, 'with kindness and': 999156, 'kindness and not': 475188, 'and not feed': 67735, 'not feed it': 569379, 'feed it with': 302328, 'it with fear': 462470, 'with fear let': 998402, 'fear let all': 301185, 'all be kinder': 42136, 'be kinder to': 115639, 'kinder to each': 475091, 'each other thankretailworkers': 264222, 'mylocal': 550759, 'ritchies': 724141, 'onlybuywhatyouneed': 611518, 'noneedtopanic': 566612, 'graphic photo': 362170, 'of stocked': 590215, 'shelf mylocal': 757324, 'mylocal iga': 550760, 'iga ritchies': 415684, 'ritchies fact': 724142, 'fact not': 295754, 'not hysteria': 570039, 'hysteria 19': 412427, '19 onlybuywhatyouneed': 9004, 'onlybuywhatyouneed noneedtopanic': 611519, 'graphic photo of': 362171, 'photo of stocked': 655213, 'of stocked supermarket': 590216, 'supermarket shelf mylocal': 822499, 'shelf mylocal iga': 757325, 'mylocal iga ritchies': 550761, 'iga ritchies fact': 415685, 'ritchies fact not': 724143, 'fact not hysteria': 295755, 'not hysteria 19': 570040, 'hysteria 19 onlybuywhatyouneed': 412428, '19 onlybuywhatyouneed noneedtopanic': 9005, 'pediatric': 646220, 'having symptom': 384300, 'exposed please': 292864, 'job we': 466274, 'seeing adult': 746206, 'adult pediatric': 32844, 'pediatric patient': 646221, 'patient hmu': 644183, 'have reasonable': 382192, 'have insurance': 381102, 'insurance stay': 440814, 'is having symptom': 448337, 'having symptom or': 384301, 'symptom or ha': 830896, 'or ha been': 615540, 'ha been exposed': 369804, 'been exposed please': 121116, 'exposed please get': 292865, 'please get tested': 660021, 'get tested we': 348195, 'tested we are': 839389, 'are offering covid': 88657, 'test at my': 838929, 'at my job': 99819, 'my job we': 548936, 'job we are': 466275, 'are seeing adult': 89886, 'seeing adult pediatric': 746207, 'adult pediatric patient': 32845, 'pediatric patient hmu': 646222, 'patient hmu for': 644184, 'hmu for information': 398719, 'for information we': 322582, 'information we also': 438032, 'also have reasonable': 48337, 'have reasonable price': 382194, 'reasonable price for': 703119, 'don have insurance': 253604, 'have insurance stay': 381104, 'insurance stay safe': 440815, 'mopng': 538381, 'quarantine series': 692519, 'series 21': 751224, '21 thing': 15029, 'healthy do': 387579, 'keep soap': 471941, 'home mopng': 401621, 'the quarantine series': 864976, 'quarantine series 21': 692520, 'series 21 thing': 751225, '21 thing you': 15030, 'not do at': 569056, 'do at home': 249104, 'home to stay': 402340, 'stay healthy do': 796900, 'healthy do not': 387580, 'forget to keep': 329324, 'to keep soap': 908849, 'keep soap or': 471942, 'or sanitizer at': 616949, 'at home mopng': 99051, 'fortunately we': 329919, 'have decreased': 380204, 'decreased all': 231618, 'of dire': 582632, 'need translation': 556137, 'fortunately we are': 329921, 'provide our service': 686420, 'our service from': 624729, 'service from home': 752407, 'from home due': 335856, 'coronavirus crisis we': 205780, 'crisis we feel': 218346, 'other and such': 619832, 'and such we': 72654, 'we have decreased': 971794, 'have decreased all': 380205, 'decreased all our': 231619, 'all our price': 43828, 'by 15 in': 151545, '15 in this': 3745, 'this moment of': 888878, 'moment of dire': 536013, 'of dire need': 582633, 'dire need translation': 243258, 'albertheijn': 40841, 'netherlands largest': 557669, 'an announcement': 55312, 'announcement asking': 77131, 'food albertheijn': 313081, 'the netherlands largest': 861456, 'netherlands largest supermarket': 557670, 'chain ha released': 170753, 'released an announcement': 709013, 'an announcement asking': 55314, 'announcement asking people': 77132, 'hoard food albertheijn': 398784, 'checker at': 174792, 'at east': 98510, 'east rand': 265338, 'rand retail': 696584, 'park opposite': 641959, 'opposite east': 613783, 'rand mall': 696577, 'mall ha': 511786, 'been shutdown': 121961, 'shutdown after': 767979, 'after staff': 36243, 'member tested': 528206, 'isolation is': 455316, 'encouraged for': 275653, 'past 14': 643493, 'checker at east': 174793, 'at east rand': 98512, 'east rand retail': 265340, 'rand retail park': 696586, 'retail park opposite': 718379, 'park opposite east': 641960, 'opposite east rand': 613784, 'east rand mall': 265339, 'rand mall ha': 696578, 'mall ha been': 511787, 'ha been shutdown': 369922, 'been shutdown after': 121962, 'shutdown after staff': 767980, 'after staff member': 36244, 'staff member tested': 792661, 'member tested positive': 528207, 'self isolation is': 747779, 'isolation is being': 455317, 'is being encouraged': 446082, 'being encouraged for': 125106, 'encouraged for those': 275654, 'the past 14': 863343, 'past 14 day': 643494, 'befo': 122575, 'sunbed': 818129, 'you mo': 1019875, 'mo fo': 534856, 'fo emptying': 311800, 'the baking': 849209, 'baking isle': 108910, 'isle in': 454360, 'when befo': 983202, 'befo lockdown': 122576, 'all never': 43619, 'never baked': 557871, 'baked anything': 108755, 'but yo': 147972, 'yo skin': 1016447, 'skin on': 773073, 'on sunbed': 603745, 'sunbed wanna': 818130, 'see yo': 746097, 'yo big': 1016421, 'as cake': 94729, 'cake on': 155250, 'on yo': 605405, 'yo timeline': 1016453, 'timeline else': 898459, 'else gonna': 271706, 'gonna come': 356501, 'and kick': 65826, 'kick your': 473802, 'your lilly': 1024657, 'lilly ass': 492230, 'all you mo': 45546, 'you mo fo': 1019876, 'mo fo emptying': 534857, 'fo emptying the': 311801, 'emptying the baking': 275291, 'the baking isle': 849211, 'baking isle in': 108911, 'isle in the': 454362, 'supermarket when befo': 823797, 'when befo lockdown': 983203, 'befo lockdown all': 122577, 'lockdown all never': 499113, 'all never baked': 43620, 'never baked anything': 557872, 'baked anything but': 108756, 'anything but yo': 80702, 'but yo skin': 147973, 'yo skin on': 1016448, 'skin on sunbed': 773074, 'on sunbed wanna': 603746, 'sunbed wanna see': 818131, 'wanna see yo': 965671, 'see yo big': 746098, 'yo big as': 1016422, 'big as cake': 129623, 'as cake on': 94730, 'cake on yo': 155251, 'on yo timeline': 605406, 'yo timeline else': 1016454, 'timeline else gonna': 898460, 'else gonna come': 271707, 'gonna come round': 356502, 'come round and': 187495, 'round and kick': 726316, 'and kick your': 65829, 'kick your lilly': 473803, 'your lilly ass': 1024658, 'alcohol large': 41039, 'large wet': 479826, 'wipe pack': 996353, 'pack 100': 633010, '100 wipe': 2132, 'wipe 75': 996167, '75 soft': 22164, 'soft alcohol': 781457, 'purpose cleaning': 690108, 'cleaning alcohol': 180891, 'wipe soft': 996375, 'soft cleaning': 781461, 'cleaning cleaner': 180914, 'hand surface': 375810, 'surface phone': 828065, 'alcohol large wet': 41040, 'large wet wipe': 479827, 'wet wipe pack': 980763, 'wipe pack 100': 996354, 'pack 100 wipe': 633011, '100 wipe 75': 2133, 'wipe 75 soft': 996168, '75 soft alcohol': 22165, 'soft alcohol wipe': 781458, 'alcohol wipe for': 41185, 'wipe for all': 996260, 'for all purpose': 319161, 'all purpose cleaning': 44100, 'purpose cleaning alcohol': 690109, 'cleaning alcohol wipe': 180892, 'alcohol wipe soft': 41188, 'wipe soft cleaning': 996376, 'soft cleaning cleaner': 781462, 'cleaning cleaner sanitizer': 180915, 'cleaner sanitizer sanitize': 180830, 'sanitizer sanitize hand': 735684, 'sanitize hand surface': 734193, 'hand surface phone': 375811, 'behavior corona': 123987, 'corona impact': 204006, 'read some of': 700549, 'the impact that': 857947, 'impact that covid': 417983, 'consumer behavior corona': 196461, 'behavior corona impact': 123988, 'corona impact consumer': 204007, 'update germany': 946995, 'germany need': 346322, 'need billion': 554545, 'day healthy': 227745, 'update germany need': 946996, 'germany need billion': 346323, 'need billion of': 554546, 'billion of mask': 130873, 'mask in coming': 518830, 'coming day healthy': 188021, 'day healthy customer': 227746, 'from bunker': 334749, 'industry may': 435985, 'may shrink': 521498, 'interview oott': 442230, 'from bunker industry': 334750, 'bunker industry may': 142685, 'industry may shrink': 435987, 'may shrink by': 521500, 'shrink by 10': 767694, 'by 10 or': 151518, 'or more on': 616181, 'more on low': 539925, 'oil price expert': 597122, 'say read the': 739093, 'the interview oott': 858401, 'support one': 826706, 'another white': 77980, 'people consider': 647528, 'global south': 352204, 'south from': 786726, 'ancestor to': 57305, 'called lota': 156365, 'lota simply': 504424, 'simply used': 770313, 'as after': 94710, 'you poop': 1020371, 'poop no': 664061, 'toiletpaper needed': 922257, 'these we must': 880946, 'together to support': 921006, 'to support one': 915950, 'support one another': 826707, 'one another white': 605931, 'another white people': 77981, 'white people consider': 987891, 'people consider this': 647529, 'consider this gift': 195162, 'this gift from': 887695, 'from the global': 337722, 'the global south': 856327, 'global south from': 352205, 'south from my': 786727, 'from my ancestor': 336497, 'my ancestor to': 547262, 'ancestor to you': 57306, 'to you this': 918931, 'this is called': 888201, 'is called lota': 446349, 'called lota simply': 156366, 'lota simply used': 504425, 'simply used to': 770314, 'used to wash': 950101, 'wash your as': 967581, 'your as after': 1022840, 'as after you': 94711, 'after you poop': 36608, 'you poop no': 1020372, 'poop no toiletpaper': 664062, 'no toiletpaper needed': 565764, 'buying how': 150504, 'time do': 896570, 'shortage your': 765318, 'your girl': 1024047, 'single piece': 771380, 'panic buying how': 637764, 'buying how many': 150505, 'many time do': 514812, 'time do they': 896572, 'do they have': 250307, 'say it there': 738862, 'no food supply': 564275, 'food supply shortage': 316992, 'supply shortage your': 825839, 'shortage your girl': 765319, 'your girl is': 1024048, 'girl is running': 350261, 'paper and cannot': 639814, 'cannot find single': 161847, 'find single piece': 307215, 'single piece of': 771381, 'taxscam': 835213, 'no bailouts': 563657, 'bailouts airline': 108676, 'hotel cruise': 405136, 'got huge': 358619, 'huge taxscam': 410234, 'taxscam bonus': 835214, 'bonus spent': 134400, 'spent it': 789136, 'on themselves': 604547, 'buyback consumer': 149512, 'no bailouts airline': 563658, 'bailouts airline hotel': 108677, 'airline hotel cruise': 39967, 'hotel cruise they': 405137, 'cruise they got': 219714, 'they got huge': 882224, 'got huge taxscam': 358621, 'huge taxscam bonus': 410235, 'taxscam bonus spent': 835215, 'bonus spent it': 134401, 'spent it on': 789137, 'it on themselves': 460062, 'on themselves not': 604548, 'themselves not worker': 876855, 'not worker stock': 572544, 'worker stock buyback': 1007826, 'stock buyback consumer': 801956, 'buyback consumer spending': 149513, 'luzonlockdown': 507009, 'look shopper': 502592, 'shopper keep': 761583, 'via luzonlockdown': 956067, 'look shopper keep': 502593, 'shopper keep their': 761585, 'their distance while': 873037, 'distance while waiting': 246898, 'line outside supermarket': 493350, 'quezon city via': 694254, 'city via luzonlockdown': 179442, 'boschetto': 135721, 'via del': 955909, 'del boschetto': 232619, 'boschetto customer': 135722, 'customer queuing': 222736, 'at safe': 100432, 'via del boschetto': 955910, 'del boschetto customer': 232620, 'boschetto customer queuing': 135723, 'customer queuing to': 222737, 'supermarket at safe': 819250, 'at safe distance': 100434, 'against online': 37563, 'exploiting fear': 292424, 'taking action against': 833244, 'action against online': 29933, 'against online seller': 37565, 'online seller who': 608962, 'seller who are': 749115, 'are exploiting fear': 86366, 'exploiting fear surrounding': 292428, 'raise price find': 695916, 'price find out': 673874, 'what the eu': 982312, 'eu is doing': 283244, 'is doing and': 447263, 'doing and how': 252288, 'yourself from online': 1026618, 'from online scam': 336694, 'sainsbury ban': 731648, 'together necessary': 920872, 'necessary social': 554078, 'measure or': 525285, 'or step': 617215, 'far read': 298900, 'sainsbury ban couple': 731649, 'shopping together necessary': 764218, 'together necessary social': 920873, 'necessary social distancing': 554079, 'distancing measure or': 247325, 'measure or step': 525286, 'or step too': 617216, 'too far read': 924728, 'far read our': 298901, '22 19': 15159, '19 22 19': 4733, '22 19 19': 15160, '19 19 via': 4714, 'manzil': 514913, 'ccm': 168434, 'bhojpur': 129381, 'banging': 109476, 'comrade manoj': 192780, 'manoj manzil': 513321, 'manzil president': 514914, 'and ccm': 59653, 'ccm of': 168435, 'of appealing': 580306, 'of bhojpur': 580692, 'bhojpur to': 129382, 'plate banging': 658910, 'banging protest': 109484, 'protest tomorrow': 685933, 'food hungry': 314872, 'hungry india': 411271, 'india cannot': 434333, 'cannot combat': 161717, 'the scourge': 866526, 'scourge of': 742512, 'comrade manoj manzil': 192781, 'manoj manzil president': 513322, 'manzil president of': 514915, 'president of and': 670864, 'of and ccm': 580145, 'and ccm of': 59654, 'ccm of appealing': 168436, 'of appealing to': 580307, 'appealing to the': 82109, 'people of bhojpur': 648911, 'of bhojpur to': 580693, 'bhojpur to join': 129383, 'join the plate': 466866, 'the plate banging': 863819, 'plate banging protest': 658911, 'banging protest tomorrow': 109485, 'protest tomorrow to': 685934, 'to demand food': 904142, 'demand food hungry': 235360, 'food hungry india': 314873, 'hungry india cannot': 411272, 'india cannot combat': 434334, 'cannot combat covid': 161718, 'going to accept': 355519, 'accept the scourge': 28001, 'the scourge of': 866528, 'scourge of hunger': 742513, 'stoppanicshopping': 805670, 'stopreselling': 805848, 'wewilldefeatcorona': 980796, 'stoppanicshopping stophoarding': 805671, 'stophoarding share': 805459, 'share stopreselling': 755225, 'stopreselling bekindtoeachother': 805849, 'bekindtoeachother wewilldefeatcorona': 126128, 'wewilldefeatcorona we': 980797, 'defeat this': 232050, 'guy be': 368920, 'vigilant share': 957257, 'need thing': 555805, 'thing shop': 884737, 'then comeback': 877080, 'comeback the': 187715, 'buying rt': 150973, 'stoppanicshopping stophoarding share': 805672, 'stophoarding share stopreselling': 805460, 'share stopreselling bekindtoeachother': 755226, 'stopreselling bekindtoeachother wewilldefeatcorona': 805850, 'bekindtoeachother wewilldefeatcorona we': 126129, 'wewilldefeatcorona we will': 980798, 'will defeat this': 993129, 'defeat this guy': 232051, 'this guy be': 887784, 'guy be vigilant': 368922, 'be vigilant share': 118005, 'vigilant share the': 957258, 'share the good': 755248, 'and food we': 63106, 'food we all': 317519, 'all need thing': 43609, 'need thing shop': 555806, 'thing shop for': 884738, 'shop for week': 760208, 'for week then': 327753, 'week then comeback': 977016, 'then comeback the': 877081, 'comeback the next': 187716, 'next week stop': 561698, 'week stop the': 976934, 'panic buying rt': 637868, 'buying rt this': 150974, 'rt this please': 726829, 'gobsmacked': 354626, 'kebab': 471252, 'town yesterday': 927601, 'evening gobsmacked': 284870, 'gobsmacked to': 354627, 'see kebab': 745347, 'kebab shop': 471253, 'what looked': 981835, 'be dozen': 114592, 'dozen customer': 257866, 'customer within': 223108, 'within space': 1002422, 'space about': 787042, 'more standing': 540445, 'right outside': 722209, 'outside some': 629552, 'just aren': 468215, 'message stayhomesavelives': 529425, 'supermarket in nearby': 820941, 'in nearby town': 425709, 'nearby town yesterday': 553696, 'town yesterday evening': 927602, 'yesterday evening gobsmacked': 1015722, 'evening gobsmacked to': 284871, 'gobsmacked to see': 354628, 'to see kebab': 914032, 'see kebab shop': 745348, 'kebab shop with': 471254, 'shop with what': 761064, 'with what looked': 1002072, 'what looked to': 981836, 'looked to be': 502753, 'to be dozen': 901219, 'be dozen customer': 114593, 'dozen customer within': 257867, 'customer within space': 223109, 'within space about': 1002423, 'space about the': 787043, 'size of car': 772785, 'of car with': 581136, 'car with few': 163355, 'with few more': 998419, 'few more standing': 303950, 'more standing right': 540446, 'standing right outside': 793808, 'right outside some': 722212, 'outside some people': 629553, 'some people just': 783523, 'people just aren': 648554, 'just aren getting': 468216, 'aren getting the': 92419, 'getting the message': 349354, 'the message stayhomesavelives': 860526, 'whether patient': 985548, 'patient at': 644145, 'have weak': 383562, 'weak lung': 974031, 'lung ever': 506792, 'kid ve': 474151, 'risk idk': 723614, 'idk go': 413665, 'be scared': 117019, 'still don know': 800455, 'know whether patient': 477024, 'whether patient at': 985549, 'patient at risk': 644146, 'at risk or': 100382, 'risk or not': 723802, 'or not have': 616299, 'not have weak': 569888, 'have weak lung': 383563, 'weak lung ever': 974032, 'lung ever since': 506793, 'ever since wa': 285508, 'wa kid ve': 962488, 'kid ve been': 474152, 'the hospital for': 857521, 'hospital for it': 404411, 'for it but': 322695, 'it but doe': 456948, 'but doe that': 145573, 'doe that put': 251600, 'that put me': 845912, 'put me at': 690681, 'me at risk': 522476, 'at risk idk': 100368, 'risk idk go': 723615, 'idk go lot': 413666, 'go lot to': 353815, 'should be scared': 765721, 'find great': 306945, 'great account': 362486, 'start spewing': 794512, 'spewing political': 789191, 'political garbage': 663650, 'garbage regardless': 343534, 'which side': 986322, 'you local': 1019679, 'worst is when': 1011211, 'is when you': 453921, 'when you find': 984560, 'you find great': 1018571, 'find great account': 306946, 'great account to': 362487, 'account to follow': 28771, 'to follow and': 906044, 'follow and they': 312351, 'and they start': 73940, 'they start spewing': 883439, 'start spewing political': 794513, 'spewing political garbage': 789192, 'political garbage regardless': 663651, 'garbage regardless of': 343535, 'regardless of which': 707328, 'of which side': 593110, 'which side they': 986323, 'side they re': 768904, 're on thank': 699184, 'thank you local': 841765, 'you local supermarket': 1019681, 'supermarket for telling': 820421, 'for telling me': 326189, 'me how covid': 522911, '19 is scam': 8041, 'announced is': 76965, 'making significant': 511343, 'tesco supermarket ha': 838822, 'supermarket ha announced': 820615, 'ha announced is': 369559, 'announced is it': 76966, 'is it making': 449036, 'it making significant': 459525, 'making significant change': 511344, 'to it store': 908617, 'it store to': 461302, 'store to improve': 810778, 'to improve the': 908207, 'improve the safety': 419547, 'lesser': 486457, 'moneycontrol': 537202, 'gt crude': 367591, 'remain negative': 709791, 'negative due': 556761, '19 gt': 7303, 'gt lockdown': 367613, 'many world': 514898, 'world city': 1009421, 'city leading': 179232, 'to lesser': 909192, 'lesser use': 486460, 'oil gt': 596848, 'gt travel': 367641, 'ban in': 109209, 'industry moneycontrol': 435993, 'moneycontrol article': 537203, 'gt crude oil': 367592, 'to remain negative': 913167, 'remain negative due': 709792, 'negative due to': 556762, 'oversupply and low': 631577, 'and low demand': 66438, 'low demand amp': 505233, 'demand amp covid': 234939, 'covid 19 gt': 213172, '19 gt lockdown': 7305, 'gt lockdown in': 367614, 'lockdown in many': 499508, 'in many world': 425065, 'many world city': 514899, 'world city leading': 1009422, 'city leading to': 179233, 'leading to lesser': 483761, 'to lesser use': 909194, 'lesser use of': 486461, 'use of crude': 949404, 'crude oil gt': 219559, 'oil gt travel': 596849, 'gt travel ban': 367642, 'travel ban in': 930287, 'ban in many': 109210, 'in many country': 425051, 'many country ha': 513947, 'country ha halted': 210715, 'halted the airline': 374496, 'airline industry moneycontrol': 39979, 'industry moneycontrol article': 435994, 'sentiment improving': 750943, 'improving over': 419596, 'time afer': 896208, 'afer covid': 33977, 'recovery begin': 705299, 'very interesting analysis': 955273, 'interesting analysis of': 441503, 'analysis of china': 57061, 'of china consumer': 581360, 'china consumer sentiment': 176582, 'consumer sentiment improving': 198915, 'sentiment improving over': 750944, 'improving over time': 419597, 'over time afer': 630828, 'time afer covid': 896209, 'afer covid 19': 33978, '19 recovery begin': 10012, 'see shop': 745669, 'me if see': 522940, 'if see shop': 414764, 'see shop trying': 745671, 'trying to inflate': 934820, 'protection do': 685403, 'wrong we': 1013143, 'responder stayhealthy': 715523, 'this should include': 890130, 'should include all': 766128, 'include all grocery': 431512, 'store employee all': 807452, 'of them on': 591754, 'line with no': 493583, 'no protection do': 565228, 'protection do not': 685404, 'me wrong we': 524030, 'wrong we are': 1013144, 'are all grateful': 84311, 'all grateful for': 42997, 'for our hospital': 324259, 'our hospital staff': 623469, 'first responder stayhealthy': 308963, 'being supermarket': 125884, 'get fired': 347017, 'fired like': 308181, 'are is': 87579, 'enough we': 277758, 'get idiot': 347277, 'idiot leaving': 413541, 'their dirty': 873027, 'dirty glove': 243746, 'glove all': 352540, 'up coronaidiots': 944652, 'being supermarket worker': 125885, 'worker and having': 1006301, 'work and not': 1004791, 'and not get': 67740, 'not get fired': 569587, 'get fired like': 347019, 'fired like some': 308182, 'like some people': 491214, 'people are is': 647002, 'are is bad': 87580, 'bad enough we': 107845, 'enough we re': 277759, 'we re already': 972821, 're already putting': 698255, 'already putting our': 47596, 'putting our own': 691191, 'our own health': 624206, 'own health at': 632057, 'risk and then': 723379, 'then we get': 877726, 'we get idiot': 971614, 'get idiot leaving': 347278, 'idiot leaving their': 413542, 'leaving their dirty': 485160, 'their dirty glove': 873028, 'dirty glove all': 243747, 'glove all over': 352541, 'over the shelf': 630766, 'shelf for to': 757099, 'for to pick': 327228, 'pick up coronaidiots': 655711, 'roseville': 726115, 'the generosity': 856210, 'generosity of': 345709, 'in roseville': 427549, 'roseville for': 726116, 'appreciate the generosity': 82757, 'the generosity of': 856211, 'generosity of in': 345710, 'of in roseville': 585041, 'in roseville for': 427550, 'roseville for donating': 726117, 'staff and client': 792129, 'client safe amid': 182088, 'sociopath': 781399, 'company raise': 190994, 'necessary drug': 553973, 'drug senator': 261077, 'senator sell': 749788, 'off stock': 594194, 'stock with': 803201, 'with insider': 999018, 'knowledge how': 477174, 'people rest': 649292, 'rest their': 716232, 'head on': 385793, 'their pillow': 874304, 'pillow at': 656714, 'night sociopath': 563080, 'sociopath rise': 781400, 'to leadership': 909121, 'leadership role': 483651, 'capitalism chloroquine': 162726, 'chloroquine burr': 177591, 'burr loeffler': 142946, 'loeffler coronacrisis': 500594, 'drug company raise': 260921, 'company raise price': 190995, 'price on necessary': 675698, 'on necessary drug': 602353, 'necessary drug senator': 553974, 'drug senator sell': 261078, 'senator sell off': 749789, 'sell off stock': 748820, 'off stock with': 594196, 'stock with insider': 803204, 'with insider knowledge': 999019, 'insider knowledge how': 439473, 'knowledge how do': 477175, 'do these ing': 250293, 'these ing people': 880171, 'ing people rest': 438288, 'people rest their': 649293, 'rest their head': 716233, 'their head on': 873504, 'head on their': 385797, 'on their pillow': 604498, 'their pillow at': 874305, 'pillow at night': 656715, 'at night sociopath': 99884, 'night sociopath rise': 563081, 'sociopath rise to': 781401, 'rise to leadership': 723034, 'to leadership role': 909122, 'leadership role in': 483652, 'role in capitalism': 725089, 'in capitalism chloroquine': 421226, 'capitalism chloroquine burr': 162727, 'chloroquine burr loeffler': 177592, 'burr loeffler coronacrisis': 142947, 'week learned': 976477, 'hygiene by the': 412061, 'by the employee': 154317, 'the employee after': 854251, 'employee after being': 273527, 'after being home': 35409, 'for week learned': 327725, 'week learned that': 976478, 'learned that variety': 484149, 'coronashopping': 205270, 'ck mighty': 179637, 'mighty pound': 531177, 'peckham jacking': 646183, 'towel now': 927353, 'now gone': 574803, 'and plastic': 69076, 'glove behind': 352613, 'to coronashopping': 903534, 'coronashopping pricegougers': 205271, 'ck mighty pound': 179638, 'mighty pound in': 531178, 'pound in peckham': 667378, 'in peckham jacking': 426572, 'peckham jacking up': 646184, 'jacking up some': 464187, 'up some of': 946034, 'of their price': 591690, 'their price because': 874379, 'because of kitchen': 119363, 'kitchen towel now': 475766, 'towel now gone': 927354, 'now gone up': 574805, 'to 50 and': 899736, '50 and plastic': 19611, 'and plastic glove': 69078, 'plastic glove behind': 658848, 'glove behind the': 352614, 'the counter and': 852020, 'counter and up': 210193, 'and up to': 74731, 'up to coronashopping': 946365, 'to coronashopping pricegougers': 903535, 'plentyfull': 661011, 'self what': 747927, 'think food': 885247, 'be plentyfull': 116456, 'plentyfull on': 661012, 'food rise': 316244, 'price yes': 677682, 'yes im': 1015461, 'food lady': 315274, 'gentleman is': 345840, 'valuable asset': 952016, 'ask your self': 95688, 'your self what': 1025707, 'self what do': 747928, 'think is going': 885312, 'to happen the': 907162, 'happen the time': 377166, 'wake up is': 964624, 'is now do': 450279, 'you think food': 1021656, 'think food going': 885248, 'to be plentyfull': 901444, 'be plentyfull on': 116457, 'plentyfull on shop': 661013, 'on shop shelf': 603431, 'shop shelf no': 760765, 'shelf no do': 757337, 'no do you': 564033, 'think food rise': 885249, 'food rise in': 316245, 'in price yes': 426986, 'price yes im': 677683, 'yes im going': 1015462, 'up much can': 945409, 'much can food': 544782, 'can food lady': 158369, 'food lady gentleman': 315275, 'lady gentleman is': 478767, 'gentleman is most': 345841, 'is most valuable': 449745, 'most valuable asset': 542851, 'webinar next': 975059, 'own retail business': 632163, 'retail business join': 717907, 'business join for': 143971, 'join for webinar': 466717, 'for webinar next': 327676, 'webinar next week': 975060, 'week we ll': 977195, 'we ll share': 972279, 'll share creative': 497007, 'some retail customer': 783758, 'retail customer are': 718018, 'customer are doing': 222119, 'now to adapt': 576162, 'only chance': 610238, 'have against': 379141, 'for 28': 318785, 'day government': 227689, 'should instruct': 766141, 'instruct all': 440516, 'their country': 872897, 'with appropriate': 997297, 'appropriate arrangement': 83029, 'arrangement for': 93715, 'the only chance': 862291, 'only chance we': 610239, 'chance we have': 171827, 'we have against': 971749, 'have against is': 379142, 'against is for': 37516, 'everyone to stay': 287504, 'home for 28': 401219, 'for 28 day': 318786, '28 day government': 16388, 'day government around': 227690, 'world should instruct': 1009975, 'should instruct all': 766142, 'instruct all the': 440517, 'people in their': 648437, 'in their country': 429729, 'their country to': 872899, 'country to stock': 211170, 'to stock with': 915460, 'stock with appropriate': 803202, 'with appropriate arrangement': 997298, 'appropriate arrangement for': 83030, 'arrangement for food': 93716, 'food to be': 317234, 'to be made': 901382, 'be made in': 115865, 'made in day': 507788, 'icra': 412818, 'icraviews': 412824, 'icrainnews': 412821, 'sugarindustry': 817488, 'sugarprice': 817491, 'to icra': 908081, 'icra covid': 412819, 'have near': 381553, 'term adverse': 838050, 'price icraviews': 674611, 'icraviews icrainnews': 412825, 'icrainnews sugarindustry': 412822, 'sugarindustry sugarprice': 817489, 'sugarprice news': 817492, 'according to icra': 28555, 'to icra covid': 908082, 'icra covid 19': 412820, 'to have near': 907281, 'have near term': 381554, 'near term adverse': 553598, 'term adverse impact': 838051, 'sugar consumption and': 817440, 'and price icraviews': 69454, 'price icraviews icrainnews': 674612, 'icraviews icrainnews sugarindustry': 412826, 'icrainnews sugarindustry sugarprice': 412823, 'sugarindustry sugarprice news': 817490, 'that achieve': 842486, 'achieve gt': 29027, 'gt 90': 367571, '90 function': 23298, 'function of': 341270, 'mask without': 519588, 'without sewing': 1002910, 'sewing at': 754172, 'cost step': 208121, 'step by': 799515, 'by step': 154116, 'step guide': 799549, 'can also make': 157463, 'also make mask': 48503, 'make mask that': 510122, 'mask that achieve': 519343, 'that achieve gt': 842487, 'achieve gt 90': 29028, 'gt 90 function': 367572, '90 function of': 23299, 'function of surgical': 341271, 'surgical mask without': 828374, 'mask without sewing': 519589, 'without sewing at': 1002911, 'sewing at very': 754173, 'low cost step': 505217, 'cost step by': 208122, 'step by step': 799516, 'by step guide': 154117, 'step guide is': 799550, 'guide is available': 368335, 'wedding due': 975562, 'uncertain wait': 939633, 'can reschedule': 159460, 'reschedule their': 713579, 'their honeymoon': 873585, 'couple who had': 211714, 'who had to': 988890, 'their wedding due': 875174, 'wedding due to': 975563, 'to the now': 916908, 'the now face': 861937, 'an uncertain wait': 56826, 'uncertain wait to': 939634, 'wait to find': 964226, 'they can reschedule': 881669, 'can reschedule their': 159461, 'reschedule their honeymoon': 713580, 'wa tp': 963566, 'then game': 877189, 'game yeast': 343301, 'yeast and': 1015143, 'now hair': 574851, 'hair care': 373963, 'next sewing': 561547, 'sewing and': 754170, 'craft panicshopping': 214775, 'it wa tp': 462215, 'wa tp and': 963567, 'tp and sanitizer': 927745, 'sanitizer then game': 735874, 'then game yeast': 877190, 'game yeast and': 343302, 'yeast and now': 1015144, 'and now hair': 67840, 'now hair care': 574852, 'hair care what': 373964, 'care what next': 164261, 'what next sewing': 981934, 'next sewing and': 561548, 'sewing and craft': 754171, 'and craft panicshopping': 60682, 'medley': 527361, 'rehydrated': 708193, 'pandemicchopped': 637111, 'pandemic chopped': 635145, 'chopped looking': 177972, 'culinary art': 220220, 'art people': 94182, 'with egg': 998184, 'egg frozen': 269868, 'frozen waffle': 339036, 'waffle frozen': 963788, 'veggie medley': 954194, 'medley and': 527362, 'and rehydrated': 70174, 'rehydrated turkey': 708194, 'turkey jerky': 935559, 'jerky pandemicchopped': 465173, 'pandemic chopped looking': 635146, 'chopped looking forward': 177973, 'to the photo': 916954, 'of the culinary': 590915, 'the culinary art': 852561, 'culinary art people': 220221, 'art people make': 94183, 'people make with': 648729, 'make with what': 510723, 'with what wa': 1002076, 'wa left at': 962519, 'store see what': 810020, 'see what can': 746020, 'do with egg': 250548, 'with egg frozen': 998185, 'egg frozen waffle': 269869, 'frozen waffle frozen': 339037, 'waffle frozen veggie': 963789, 'frozen veggie medley': 339032, 'veggie medley and': 954195, 'medley and rehydrated': 527363, 'and rehydrated turkey': 70175, 'rehydrated turkey jerky': 708195, 'turkey jerky pandemicchopped': 935560, 'paidsurvey': 634206, 'vote on': 960496, 'on paidsurvey': 602680, 'paidsurvey since': 634207, 'you found': 1018699, 'found yourself': 330473, 'yourself buying': 1026553, 'buying shopping': 151020, 'delivered than': 233400, 'vote on paidsurvey': 960498, 'on paidsurvey since': 602681, 'paidsurvey since the': 634208, '19 outbreak have': 9132, 'outbreak have you': 628290, 'have you found': 383666, 'you found yourself': 1018701, 'found yourself buying': 330474, 'yourself buying shopping': 1026554, 'buying shopping for': 151021, 'shopping for more': 762693, 'for more item': 323584, 'item online to': 463521, 'online to be': 609578, 'be delivered than': 114399, 'delivered than before': 233401, 'enterprising': 278473, 'embed': 272470, 'fairway': 296467, 'gobbled': 354605, 'some enterprising': 782755, 'enterprising reporter': 278474, 'reporter should': 712631, 'should embed': 765951, 'embed in': 272471, 'like fairway': 490213, 'fairway or': 296470, 'or wegman': 617760, 'wegman to': 977632, 'manager are': 512678, 'get gobbled': 347140, 'gobbled up': 354606, 'up doe': 944727, 'even pay': 284454, 'be interested': 115519, 'some enterprising reporter': 782756, 'enterprising reporter should': 278475, 'reporter should embed': 712632, 'should embed in': 765952, 'embed in place': 272472, 'place like fairway': 657553, 'like fairway or': 490214, 'fairway or wegman': 296471, 'or wegman to': 617761, 'wegman to see': 977633, 'see how store': 745249, 'how store manager': 408751, 'store manager are': 808874, 'manager are handling': 512679, 'handling the demand': 376394, 'for food the': 321641, 'food the supply': 317135, 'supply and how': 824726, 'and how quickly': 64831, 'how quickly it': 408551, 'quickly it get': 694552, 'it get gobbled': 458217, 'get gobbled up': 347141, 'gobbled up doe': 354607, 'up doe it': 944728, 'doe it even': 251430, 'it even pay': 457858, 'even pay to': 284456, 'pay to stock': 645189, 'stock shelf be': 802830, 'shelf be interested': 756875, 'something to read': 785106, 'fintweets': 308033, 'fintweets continue': 308034, 'compare previous': 191399, 'previous era': 671974, 'era this': 280085, 'this chatter': 886753, 'chatter wa': 174005, 'not valuable': 572383, 'valuable reliable': 952046, 'reliable economic': 709195, 'shutdown due': 768024, 'are defining': 85731, 'defining this': 232296, 'this era': 887409, 'era no': 280064, 'other era': 620145, 'era ha': 280043, 'ha such': 372098, 'such pandemic': 816663, 'collapse factor': 186003, 'factor unlike': 295911, 'unlike ever': 942705, 'before medical': 122946, 'drug vaccine': 261144, 'vaccine will': 951798, 'will significantly': 994861, 'significantly change': 769554, 'change asset': 171935, 'fintweets continue to': 308035, 'continue to talk': 201273, 'to talk and': 916281, 'talk and compare': 833778, 'and compare previous': 60203, 'compare previous era': 191400, 'previous era this': 671976, 'era this chatter': 280086, 'this chatter wa': 886755, 'chatter wa not': 174006, 'wa not valuable': 962779, 'not valuable reliable': 572384, 'valuable reliable economic': 952047, 'reliable economic shutdown': 709196, 'economic shutdown due': 267284, 'shutdown due to': 768025, '19 are defining': 5194, 'are defining this': 85732, 'defining this era': 232297, 'this era no': 887410, 'era no other': 280065, 'no other era': 565015, 'other era ha': 620146, 'era ha such': 280044, 'ha such pandemic': 372099, 'such pandemic collapse': 816664, 'pandemic collapse factor': 635166, 'collapse factor unlike': 186004, 'factor unlike ever': 295912, 'unlike ever before': 942706, 'ever before medical': 285225, 'before medical drug': 122947, 'medical drug vaccine': 526140, 'drug vaccine will': 261146, 'vaccine will significantly': 951800, 'will significantly change': 994862, 'significantly change asset': 769555, 'change asset price': 171936, 'join this': 466879, 'free zoom': 332352, 'meeting tomorrow': 527781, 'ceo present': 169808, 'present 20': 670565, 'minute lecture': 533792, 'lecture on': 485206, 'virus hearing': 958276, 'hearing health': 388204, 'electronics product': 271307, 'join this free': 466880, 'this free zoom': 887611, 'free zoom meeting': 332353, 'zoom meeting tomorrow': 1027813, 'meeting tomorrow to': 527782, 'tomorrow to hear': 924217, 'to hear our': 907413, 'hear our ceo': 387972, 'our ceo present': 622346, 'ceo present 20': 169809, 'present 20 minute': 670566, '20 minute lecture': 13172, 'minute lecture on': 533793, 'lecture on the': 485208, 'on the 19': 603952, 'the 19 virus': 847933, '19 virus hearing': 11806, 'virus hearing health': 958277, 'hearing health and': 388205, 'health and consumer': 386132, 'and consumer electronics': 60375, 'consumer electronics product': 197340, 'electronics product for': 271308, 'the arrested': 848918, 'over allegation': 629955, 'inflating relief': 437126, 'relief food': 709331, 'commissioner disaster': 188939, 'preparedness amp': 670274, 'amp management': 54103, 'in the arrested': 428987, 'the arrested over': 848919, 'arrested over allegation': 93869, 'over allegation of': 629956, 'allegation of inflating': 45643, 'of inflating relief': 585180, 'inflating relief food': 437127, 'relief food price': 709334, 'include commissioner disaster': 431537, 'commissioner disaster preparedness': 188940, 'disaster preparedness amp': 244235, 'preparedness amp management': 670275, 'amp management martin': 54104, 'secretary and others': 743944, 'and others by': 68437, 'airway': 40157, 'fco': 300796, 'airway ba': 40158, 'ba is': 106525, 'sending final': 750023, 'final response': 305867, 'email stating': 272304, 'it refuse': 460681, 'refund our': 706940, 'our ticket': 625142, 'ticket we': 895677, 'we voluntarily': 973729, 'voluntarily cancelled': 960182, 'usa travel': 948775, 'ban wa': 109290, 'the fco': 855007, 'fco advised': 300797, 'airway ba is': 40159, 'ba is in': 106526, 'process of sending': 679934, 'of sending final': 589503, 'sending final response': 750024, 'final response email': 305868, 'response email stating': 715683, 'email stating that': 272305, 'stating that it': 796306, 'that it refuse': 844737, 'it refuse to': 460682, 'to refund our': 913089, 'refund our ticket': 706941, 'our ticket we': 625143, 'ticket we voluntarily': 895678, 'we voluntarily cancelled': 973730, 'voluntarily cancelled our': 960183, 'cancelled our trip': 161154, 'our trip the': 625192, 'trip the usa': 932175, 'the usa travel': 870555, 'usa travel ban': 948776, 'travel ban wa': 930289, 'ban wa in': 109291, 'wa in place': 962379, 'in place the': 426767, 'place the fco': 657721, 'the fco advised': 855008, 'fco advised against': 300798, 'advised against non': 33617, 'essential travel and': 281719, 'travel and we': 930264, 'creamery': 215589, 'combat protect': 187030, 'notice with': 573410, 'situation evolving': 772260, 'rapidly reopen': 697012, 'reopen date': 711355, 'is uncertain': 453441, 'uncertain but': 939567, 'the creamery': 852302, 'creamery aim': 215590, 'sell via': 748936, 'via wholesale': 956371, 'wholesale online': 990461, 'to combat protect': 903004, 'combat protect staff': 187031, 'protect staff customer': 684952, 'staff customer the': 792349, 'customer the retail': 222927, 'is closed until': 446591, 'further notice with': 342122, 'notice with the': 573411, 'the situation evolving': 867255, 'situation evolving rapidly': 772261, 'evolving rapidly reopen': 288580, 'rapidly reopen date': 697013, 'reopen date is': 711356, 'date is uncertain': 226676, 'is uncertain but': 453443, 'uncertain but the': 939568, 'but the creamery': 147327, 'the creamery aim': 852303, 'creamery aim to': 215591, 'aim to continue': 39547, 'continue to sell': 201252, 'to sell via': 914188, 'sell via wholesale': 748937, 'via wholesale online': 956372, 'say some': 739154, 'become abusive': 119907, 'abusive and': 27726, 'rude limit': 727043, 'limit are': 492292, 'are imposed': 87343, 'imposed during': 419282, 'worker say some': 1007740, 'say some customer': 739156, 'some customer have': 782646, 'customer have become': 222437, 'have become abusive': 379425, 'become abusive and': 119908, 'abusive and rude': 27727, 'and rude limit': 70620, 'rude limit are': 727044, 'limit are imposed': 492294, 'are imposed during': 87344, 'imposed during the': 419283, 'pandemic our ha': 636127, 'our ha more': 623336, 'nearing': 553737, 'elvis': 272045, 'ufo': 937949, 'not say': 571438, 'is nearing': 449834, 'nearing the': 553744, 'of then': 591791, 'then virus': 877707, 'you similar': 1021252, 'similar uk': 769945, 'uk rag': 938658, 'rag sold': 695530, 'checkout elvis': 174910, 'elvis ufo': 272046, 'ufo sighting': 937950, 'did not say': 240731, 'not say the': 571441, 'say the nation': 739289, 'nation is nearing': 552232, 'is nearing the': 449837, 'nearing the end': 553745, 'of the fight': 591024, 'fight of then': 304811, 'of then virus': 591793, 'then virus are': 877708, 'are you similar': 91856, 'you similar uk': 1021253, 'similar uk rag': 769946, 'uk rag sold': 938659, 'rag sold at': 695531, 'sold at supermarket': 781644, 'supermarket checkout elvis': 819663, 'checkout elvis ufo': 174911, 'elvis ufo sighting': 272047, 'nonursehungry': 566762, 'army they': 93047, 'be feeding': 114816, 'feeding our': 302468, 'our front': 623193, 'line nhsstaff': 493279, 'nhsstaff they': 562260, 'hospital carparks': 404342, 'carparks nonursehungry': 164892, 'nonursehungry we': 566763, 'wouldn expect': 1012460, 'expect troop': 290781, 'troop to': 932551, 'expect our': 290690, 'frontline nhsstaff': 338797, 'nhsstaff to': 562262, 'are the army': 90796, 'the army they': 848911, 'army they should': 93048, 'should be feeding': 765621, 'be feeding our': 114817, 'feeding our front': 302469, 'our front line': 623196, 'front line nhsstaff': 338593, 'line nhsstaff they': 493280, 'nhsstaff they could': 562261, 'they could set': 881840, 'could set up': 209660, 'set up in': 753563, 'up in hospital': 945159, 'in hospital carparks': 423806, 'hospital carparks nonursehungry': 404343, 'carparks nonursehungry we': 164893, 'nonursehungry we wouldn': 566764, 'we wouldn expect': 973983, 'wouldn expect troop': 1012461, 'expect troop to': 290782, 'troop to find': 932552, 'find food in': 306906, 'should not expect': 766242, 'not expect our': 569329, 'expect our frontline': 290691, 'our frontline nhsstaff': 623200, 'frontline nhsstaff to': 338798, 'delivery safe': 234407, 'pandemic official': 636075, 'yes fooddelivery': 1015433, 'is food delivery': 447866, 'food delivery safe': 314142, 'delivery safe in': 234408, 'safe in pandemic': 729768, 'in pandemic official': 426461, 'pandemic official say': 636076, 'official say yes': 595914, 'say yes fooddelivery': 739507, 'wa trump': 963579, 'trump eight': 933537, 'eight day': 270178, 'this wa trump': 891094, 'wa trump eight': 963580, 'trump eight day': 933538, 'eight day ago': 270179, 'stupidcustomers': 815509, 'haven figured': 383804, 'figured out': 305254, 'socialdistancing keeping': 780486, 'mind stupidcustomers': 532732, 'believe that there': 126353, 'are still customer': 90410, 'still customer who': 800412, 'customer who haven': 223080, 'who haven figured': 988974, 'haven figured out': 383805, 'figured out socialdistancing': 305258, 'out socialdistancing keeping': 627215, 'socialdistancing keeping the': 780487, 'safety of everyone': 730646, 'of everyone in': 583254, 'everyone in mind': 287046, 'in mind stupidcustomers': 425341, 'widget': 991870, 'hyperlocal': 412318, 'ddj': 229031, 'dataviz': 226574, 'opendata': 612697, 'need distraction': 554682, 'distraction from': 247906, 'latest widget': 481604, 'widget it': 991871, 'it us': 461987, 'us hyperlocal': 948528, 'hyperlocal data': 412319, 'how un': 409123, 'un affordable': 939268, 'affordable house': 34853, 'your neighbourhood': 1024979, 'neighbourhood try': 557292, 'try it': 934499, 'any postcode': 79673, 'postcode in': 666499, 'england and': 277000, 'and wale': 75134, 'wale ddj': 964695, 'ddj dataviz': 229032, 'dataviz opendata': 226575, 'you need distraction': 1019981, 'need distraction from': 554683, 'distraction from why': 247908, 'from why not': 338379, 'try our latest': 934536, 'our latest widget': 623684, 'latest widget it': 481605, 'widget it us': 991872, 'it us hyperlocal': 461988, 'us hyperlocal data': 948529, 'hyperlocal data to': 412320, 'data to show': 226467, 'show how un': 766995, 'how un affordable': 409124, 'un affordable house': 939269, 'affordable house price': 34854, 'house price are': 406472, 'are in your': 87464, 'in your neighbourhood': 431108, 'your neighbourhood try': 1024981, 'neighbourhood try it': 557293, 'try it here': 934500, 'it here for': 458567, 'for any postcode': 319420, 'any postcode in': 79674, 'postcode in england': 666500, 'in england and': 422575, 'england and wale': 277001, 'and wale ddj': 75135, 'wale ddj dataviz': 964696, 'ddj dataviz opendata': 229033, 'the 45': 848119, 'fun socialdistancing': 341217, 'so the 45': 778413, 'the 45 minute': 848120, '45 minute wait': 19122, 'store wa fun': 811113, 'wa fun socialdistancing': 962189, 'silver becomes': 769793, 'becomes victim': 120266, 'global sell': 352192, 'oil trump': 597486, 'silver becomes victim': 769794, 'becomes victim of': 120267, 'the global sell': 856324, 'global sell off': 352193, 'sell off the': 748821, 'off the time': 594278, 'buy is when': 148841, 'is when there': 453920, 'there is blood': 878533, 'is blood in': 446211, 'money oil trump': 536926, 'oil trump stock': 597488, 'have record': 382218, 'sale because': 732094, 'danger should': 225694, 'paid at': 633974, 'least 15': 484333, 'this essential': 887415, 'supermarket have record': 820703, 'have record sale': 382219, 'record sale because': 705059, 'sale because of': 732095, 'coronavirus crisis their': 205772, 'crisis their worker': 218199, 'their worker who': 875222, 'putting themselves and': 691252, 'their family in': 873256, 'family in danger': 297916, 'in danger should': 421980, 'danger should be': 225695, 'be getting paid': 115009, 'getting paid at': 349176, 'paid at least': 633975, 'at least 15': 99442, 'least 15 an': 484334, 'an hour they': 56105, 'hour they re': 405995, 'doing this essential': 252762, 'this essential work': 887418, 'essential work so': 281807, 'work so we': 1005745, 'buy the grocery': 149299, 'grocery we need': 366116, 'mall get': 511784, 'bringing the entire': 140198, 'not the park': 572019, 'park or the': 641964, 'or the mall': 617384, 'the mall get': 859966, 'mall get your': 511785, 'your essential and': 1023685, 'essential and stay': 280789, 'reflecting': 706652, 'on comprehensive': 600001, 'comprehensive look': 192642, 'outbreak accelerates': 627950, 'accelerates in': 27897, 'how government': 407927, 'government business': 359950, 'changing behavior': 172656, 'behavior rapidly': 124160, 'rapidly reflecting': 697010, 'reflecting in': 706653, 'purchase across': 689335, 'out on comprehensive': 626898, 'on comprehensive look': 600002, 'comprehensive look at': 192643, 'way the covid': 969935, '19 outbreak accelerates': 9075, 'outbreak accelerates in': 627951, 'accelerates in europe': 27898, 'state and how': 795367, 'and how government': 64814, 'how government business': 407928, 'government business and': 359951, 'are changing behavior': 85229, 'changing behavior rapidly': 172658, 'behavior rapidly reflecting': 124161, 'rapidly reflecting in': 697011, 'reflecting in consumer': 706654, 'consumer purchase across': 198609, 'purchase across the': 689336, 'of stayhomestaysafe': 590097, 'stayhomestaysafe working': 798538, 'another webinar': 77968, 'new member': 559100, 'expert this': 291994, 'time explaining': 896641, 'collective european': 186499, 'voice in': 959985, 'european standard': 283609, 'day of stayhomestaysafe': 228107, 'of stayhomestaysafe working': 590098, 'stayhomestaysafe working and': 798539, 'working and another': 1008495, 'and another webinar': 58168, 'another webinar for': 77969, 'webinar for new': 975039, 'for new member': 323826, 'new member and': 559101, 'member and expert': 528008, 'and expert this': 62508, 'expert this time': 291995, 'this time explaining': 890636, 'time explaining the': 896642, 'explaining the importance': 292189, 'importance of collective': 418698, 'of collective european': 581532, 'collective european consumer': 186500, 'european consumer voice': 283549, 'consumer voice in': 199453, 'voice in the': 959987, 'in the development': 429133, 'development of european': 239831, 'of european standard': 583223, 'nyah': 577941, 'unwell': 944073, 'policy nyah': 663452, 'nyah will': 577942, 'taking new': 833455, 'new appointment': 558349, 'appointment start': 82687, 'start april': 794203, '15th in': 4044, 'in greenville': 423429, 'greenville nc': 363770, 'nc all': 553281, 'been dropped': 121044, 'accommodate those': 28438, 'feeling unwell': 303094, 'unwell please': 944078, 'new policy nyah': 559302, 'policy nyah will': 663453, 'nyah will be': 577943, 'will be taking': 992714, 'be taking new': 117514, 'taking new appointment': 833456, 'new appointment start': 558350, 'appointment start april': 82688, 'start april 15th': 794204, 'april 15th in': 83422, '15th in greenville': 4045, 'in greenville nc': 423430, 'greenville nc all': 363771, 'nc all price': 553282, 'all price have': 44034, 'have been dropped': 379520, 'been dropped to': 121047, 'dropped to accommodate': 260644, 'to accommodate those': 899973, 'accommodate those that': 28439, 'or are feeling': 614408, 'are feeling unwell': 86524, 'feeling unwell please': 303095, 'unwell please do': 944079, 'not book an': 568586, 'book an appointment': 134466, 'update pe': 947156, 'first upward': 309151, 'upward move': 947955, 'both market': 135967, 'update pe map': 947157, 'gas price first': 343965, 'price first upward': 673878, 'first upward move': 309152, 'upward move in': 947956, 'move in week': 543671, 'week in both': 976365, 'in both market': 420923, 'aeco': 33874, 'differential': 242140, 'fading': 296067, 'erode': 280170, 'canada natural': 160505, 'price predicted': 675976, 'fade with': 296062, 'with aeco': 997109, 'aeco differential': 33875, 'differential close': 242141, 'under henry': 940110, 'hub fading': 409791, 'fading demand': 296068, 'will erode': 993330, 'erode canadian': 280171, 'canadian natural': 160712, 'have held': 380922, 'far against': 298694, 'economic pause': 267195, 'canada natural gas': 160506, 'gas price predicted': 344011, 'price predicted to': 675978, 'predicted to fade': 669627, 'to fade with': 905603, 'fade with aeco': 296063, 'with aeco differential': 997110, 'aeco differential close': 33876, 'differential close to': 242142, 'close to under': 182921, 'to under henry': 917894, 'under henry hub': 940111, 'henry hub fading': 391785, 'hub fading demand': 409792, 'fading demand will': 296069, 'demand will erode': 236498, 'will erode canadian': 993331, 'erode canadian natural': 280172, 'canadian natural gas': 160713, 'gas price that': 344033, 'that have held': 844213, 'have held up': 380924, 'held up so': 388949, 'so far against': 777009, 'far against the': 298695, 'against the global': 37659, 'global economic pause': 351884, 'economic pause for': 267196, 'pause for the': 644594, 'sweeter': 830272, 'baker made': 108810, 'situation little': 772376, 'little sweeter': 495599, 'sweeter with': 830275, 'paper sale went': 640712, 'sale went up': 732639, 'went up 700': 979212, 'german baker made': 346202, 'baker made the': 108811, 'made the situation': 507999, 'the situation little': 867264, 'situation little sweeter': 772377, 'little sweeter with': 495600, 'sweeter with cake': 830276, 'turkishhandsanitizer': 935603, 'germ then': 346161, 'article 19': 94228, 'virus handsanitizer': 958254, 'handsanitizers cologne': 376694, 'cologne kolonya': 186686, 'kolonya turkishhandsanitizer': 477370, 'turkishhandsanitizer pandemic': 935604, 'pandemic sanitizer': 636381, 'sanitizer turkey': 735981, 'like to learn': 491604, 'yourself against germ': 1026505, 'against germ then': 37465, 'germ then take': 346162, 'then take look': 877596, 'look at today': 502303, 'at today article': 101335, 'today article 19': 919253, 'article 19 virus': 94229, '19 virus handsanitizer': 11804, 'virus handsanitizer handsanitizers': 958255, 'handsanitizer handsanitizers cologne': 376542, 'handsanitizers cologne kolonya': 376695, 'cologne kolonya turkishhandsanitizer': 186688, 'kolonya turkishhandsanitizer pandemic': 477371, 'turkishhandsanitizer pandemic sanitizer': 935605, 'pandemic sanitizer turkey': 636382, 'ha just panic': 371061, 'just panic bought': 469431, 'bought food and': 136562, 'paper tonight it': 640976, 'tonight it will': 924433, 'it will panic': 462417, 'pub close may': 687686, 'close may be': 182717, 'may be we': 521050, 'be we can': 118070, 'now buy food': 574302, 'outlet janitor': 629052, 'janitor rest': 464555, 'stop restroom': 804960, 'restroom attendant': 717434, 'volunteer grateful': 960265, 'to our essential': 911176, 'our essential non': 622925, 'non essential staff': 566361, 'essential staff working': 281575, 'staff working in': 793115, 'food outlet janitor': 315719, 'outlet janitor rest': 629053, 'janitor rest stop': 464556, 'rest stop restroom': 716226, 'stop restroom attendant': 804961, 'restroom attendant and': 717435, 'attendant and volunteer': 102335, 'and volunteer grateful': 75029, 'volunteer grateful to': 960266, 'out 47': 625541, 'am getting': 50073, 've given out': 953155, 'given out 47': 351069, 'out 47 covid': 625543, 'hour and am': 405390, 'and am getting': 58014, 'am getting little': 50075, 'getting little delirious': 349094, 'kattk81': 471087, 'cooney': 203093, 'kattk81 the': 471090, 'closing monday': 183692, 'if cant': 413942, 'month please': 537960, 'out cooney': 625890, 'cooney nofood': 203094, 'kattk81 the super': 471091, 'the super market': 868427, 'super market in': 818546, 'market in my': 516565, 'my town is': 550413, 'town is closing': 927498, 'is closing monday': 446610, 'closing monday for': 183693, 'for week have': 327713, 'week have no': 976309, 'money from being': 536763, 'from being out': 334681, 'work if cant': 1005275, 'if cant buy': 413944, 'cant buy food': 162273, 'tomorrow not eating': 924144, 'not eating for': 569144, 'eating for month': 266209, 'for month please': 323536, 'month please help': 537961, 'me out cooney': 523299, 'out cooney nofood': 625891, 'russian energy': 728635, 'energy official': 276519, 'official hold': 595838, 'hold talk': 400009, 'demand breakdown': 235069, 'breakdown oott': 138852, 'and russian energy': 70687, 'russian energy official': 728637, 'energy official hold': 276520, 'official hold talk': 595839, 'hold talk on': 400010, 'talk on oil': 833833, 'oil price for': 597135, 'for crude collapse': 320470, 'crude collapse amid': 219516, 'collapse amid price': 185961, 'war and demand': 966356, 'and demand breakdown': 61141, 'demand breakdown oott': 235070, 'just to access': 470081, 'to access the': 899960, 'access the supermarket': 28207, 'up but we': 944529, 'marvel': 518131, 'doing pressure': 252611, 'pressure diamond': 671149, 'diamond marvel': 240327, 'marvel dc': 518132, 'dc into': 228960, 'into postponing': 442879, 'postponing release': 666860, 'of comic': 581542, 'comic until': 187953, 'to help just': 907548, 'help just keep': 389959, 'just keep doing': 469090, 'keep doing what': 471456, 'are doing pressure': 85920, 'doing pressure diamond': 252612, 'pressure diamond marvel': 671150, 'diamond marvel dc': 240328, 'marvel dc into': 518133, 'dc into postponing': 228961, 'into postponing release': 442880, 'postponing release of': 666861, 'release of comic': 708981, 'of comic until': 581543, 'comic until people': 187954, 'until people can': 943813, 'actually get out': 30805, 'situatio': 772154, 'school once': 741887, '19 situatio': 10563, 'bill school once': 130680, 'school once again': 741888, 'covid 19 situatio': 213809, 'familycarehospitals': 298422, 'cautious doesn': 168218, 'doesn cause': 251726, 'cause any': 167499, 'harm disinfecting': 378393, 'disinfecting frequently': 245848, 'frequently touched': 332880, 'touched surface': 926636, 'disposable cloth': 246236, 'cloth or': 184100, 'or tissue': 617460, 'tissue alcohol': 899116, 'disinfectant will': 245805, 'your surrounding': 1026091, 'surrounding is': 828750, 'too sanitize': 925040, 'sanitize 19': 734161, '19 stayfit': 10819, 'stayfit familycarehospitals': 797883, 'extra cautious doesn': 293478, 'cautious doesn cause': 168219, 'doesn cause any': 251727, 'cause any harm': 167500, 'any harm disinfecting': 79303, 'harm disinfecting frequently': 378394, 'disinfecting frequently touched': 245849, 'frequently touched surface': 332881, 'touched surface with': 926639, 'surface with disposable': 828098, 'with disposable cloth': 998090, 'disposable cloth or': 246237, 'cloth or tissue': 184101, 'or tissue alcohol': 617461, 'tissue alcohol based': 899117, 'based sanitizer or': 111739, 'sanitizer or disinfectant': 735480, 'or disinfectant will': 614997, 'disinfectant will ensure': 245806, 'ensure that your': 278077, 'that your surrounding': 847778, 'your surrounding is': 1026092, 'surrounding is safe': 828751, 'is safe too': 451624, 'safe too sanitize': 730070, 'too sanitize 19': 925041, 'sanitize 19 stayfit': 734162, '19 stayfit familycarehospitals': 10820, 'smart they': 775439, 'better slash': 128464, 'slash thier': 773603, 'thier subscription': 884031, 'season co': 743388, 'co most': 184888, 'most nigerian': 542527, 'nigerian watch': 562900, 'watch dstv': 968388, 'dstv for': 261371, 'the football': 855655, 'football and': 318485, 'or else': 615131, 'else everyone': 271684, 'would switch': 1012302, 'to netflix': 910546, 'if is smart': 414278, 'is smart they': 451986, 'smart they had': 775441, 'they had better': 882239, 'had better slash': 372920, 'better slash thier': 128465, 'slash thier subscription': 773604, 'thier subscription price': 884032, 'subscription price this': 815906, 'price this season': 676921, 'this season co': 889988, 'season co most': 743389, 'co most nigerian': 184889, 'most nigerian watch': 542528, 'nigerian watch dstv': 562901, 'watch dstv for': 968389, 'dstv for the': 261372, 'for the football': 326444, 'the football and': 855656, 'football and nothing': 318486, 'and nothing else': 67802, 'nothing else or': 572996, 'else or else': 271824, 'or else everyone': 615132, 'else everyone would': 271685, 'everyone would switch': 287644, 'would switch to': 1012303, 'switch to netflix': 830522, 'the anxious': 848796, 'anxious crowd': 78846, 'how store worker': 408752, 'worker are dealing': 1006380, 'with the anxious': 1001205, 'the anxious crowd': 848797, 'anxious crowd and': 78847, 'crowd and high': 219117, 'and high demand': 64552, 'tending': 837913, 'with conscience': 997735, 'keeping open': 472493, 'open their': 612558, 'store gaming': 807905, 'gaming area': 343350, 'citizen tending': 178973, 'tending the': 837914, 'ah some business': 39099, 'some business with': 782453, 'business with conscience': 144696, 'with conscience unlike': 997736, 'unlike which is': 942738, 'which is keeping': 986022, 'is keeping open': 449174, 'keeping open their': 472495, 'open their grocery': 612559, 'grocery store gaming': 365421, 'store gaming area': 807906, 'gaming area that': 343351, 'area that have': 92218, 'that have senior': 844234, 'have senior citizen': 382462, 'senior citizen tending': 750257, 'citizen tending the': 178974, 'tending the machine': 837915, 'with microsoft': 999494, 'closed employee': 183097, 'employee deliver': 273764, 'deliver support': 233219, 'support remotely': 826785, 'remotely employee': 710770, 'of microsoft': 586479, 'microsoft brick': 530505, 'mortar consumer': 541815, 'still supporting': 801261, 'store themselves': 810635, 'themselves being': 876778, 'closed since': 183332, 'march precaution': 515440, 'with microsoft store': 999495, 'microsoft store closed': 530513, 'store closed employee': 807061, 'closed employee deliver': 183098, 'employee deliver support': 273765, 'deliver support remotely': 233220, 'support remotely employee': 826786, 'remotely employee of': 710771, 'employee of microsoft': 274068, 'of microsoft brick': 586480, 'microsoft brick and': 530506, 'and mortar consumer': 67241, 'mortar consumer store': 541816, 'consumer store are': 199163, 'are still supporting': 90487, 'still supporting customer': 801262, 'supporting customer despite': 827122, 'despite the store': 238901, 'the store themselves': 868119, 'store themselves being': 810636, 'themselves being closed': 876779, 'being closed since': 124964, 'closed since mid': 183333, 'since mid march': 770739, 'mid march precaution': 530577, 'reflect their': 706631, 'behavior detail': 123995, 'consumer are searching': 196308, 'searching differently during': 743323, 'differently during covid': 242159, '19 to reflect': 11452, 'to reflect their': 913070, 'reflect their new': 706632, 'their new behavior': 874049, 'new behavior detail': 558390, 'behavior detail from': 123996, 'at shoprite': 100518, 'shoprite checker': 764541, 'can now pay': 159067, 'now pay for': 575522, 'for grocery with': 322060, 'grocery with your': 366152, 'with your phone': 1002221, 'your phone at': 1025288, 'phone at shoprite': 654897, 'at shoprite checker': 100519, 'hul said': 410360, 'are strategic': 90553, 'strategic portfolio': 812556, 'portfolio decision': 664994, 'decision taken': 231089, 'company depending': 190587, 'the relative': 865468, 'relative product': 708740, 'product market': 681399, 'and competitive': 60220, 'competitive context': 191770, 'context for': 200901, 'each brand': 264001, 'brand hul': 137860, 'hul did': 410341, 'not mention': 570569, 'mention covid': 528747, 'price adjustment': 672219, 'adjustment free': 32374, 'market my': 516742, 'hul said it': 410361, 'said it price': 731161, 'it price change': 460461, 'price change are': 673105, 'change are strategic': 171932, 'are strategic portfolio': 90554, 'strategic portfolio decision': 812557, 'portfolio decision taken': 664995, 'decision taken by': 231090, 'by the company': 154292, 'the company depending': 851323, 'company depending on': 190588, 'depending on the': 237382, 'on the relative': 604331, 'the relative product': 865470, 'relative product market': 708741, 'product market and': 681400, 'market and competitive': 515955, 'and competitive context': 60221, 'competitive context for': 191771, 'context for each': 200902, 'for each brand': 320899, 'each brand hul': 264002, 'brand hul did': 137861, 'hul did not': 410342, 'did not mention': 240723, 'not mention covid': 570570, 'mention covid 19': 528748, '19 in it': 7755, 'in it response': 424270, 'it response on': 460736, 'response on price': 715770, 'on price adjustment': 602903, 'price adjustment free': 672220, 'adjustment free market': 32375, 'free market my': 331955, 'market my foot': 516744, 'discourage bulk': 244615, 'buying think': 151212, 'think limiting': 885371, 'customer would': 223116, 'solution well': 782126, 'well off': 978430, 'still bulk': 800302, 'buy typical': 149405, 'typical capitalist': 937630, 'capitalist response': 162813, 'been told by': 122237, 'staff member in': 792656, 'member in that': 528115, 'in that they': 428935, 'they are hiking': 881296, 'their price tonight': 874432, 'price tonight to': 677082, 'tonight to discourage': 924505, 'to discourage bulk': 904358, 'discourage bulk buying': 244616, 'bulk buying think': 142285, 'buying think limiting': 151213, 'think limiting purchase': 885372, 'purchase to item': 689700, 'to item per': 908634, 'item per customer': 463559, 'per customer would': 650787, 'customer would be': 223117, 'be better solution': 113841, 'better solution well': 128473, 'solution well off': 782127, 'well off people': 978431, 'off people will': 594065, 'will still bulk': 994977, 'still bulk buy': 800303, 'bulk buy typical': 142261, 'buy typical capitalist': 149406, 'typical capitalist response': 937631, 'twelve': 936485, 'update went': 947313, '12 twelve': 2971, 'twelve grocery': 936486, 'mother toilet': 543183, 'paper not': 640511, 'any her': 79320, 'her only': 392259, 'hope now': 403559, 'few store': 304076, 'store offering': 809159, 'offering hour': 595152, 'update went to': 947314, 'went to 12': 979135, 'to 12 twelve': 899470, '12 twelve grocery': 2972, 'twelve grocery store': 936487, 'today to try': 920373, 'try and get': 934443, 'get my mother': 347635, 'my mother toilet': 549341, 'mother toilet paper': 543184, 'toilet paper not': 921371, 'paper not single': 640513, 'not single store': 571601, 'single store had': 771404, 'store had any': 808036, 'had any her': 372854, 'any her only': 79321, 'her only hope': 392260, 'only hope now': 610609, 'hope now is': 403560, 'is that she': 452687, 'out to one': 627665, 'the few store': 855124, 'few store offering': 304077, 'store offering hour': 809161, 'offering hour for': 595153, 'the vulnerable population': 870993, 'flake': 309977, 'shop today': 760962, 'essential he': 281122, 'he came': 384805, 'bread tortilla': 138624, 'tortilla muffin': 926047, 'muffin corn': 545553, 'corn flake': 203562, 'flake butter': 309978, 'store sushi': 810486, 'sushi so': 829452, 'guess we': 368076, 're carb': 698415, 'carb loading': 163386, 'loading for': 497337, 'covid now': 214196, 'now covoid19': 574475, 'covoid19 socialdistancing': 214446, 'socialdistancing coronaquarantine': 780295, 'the shop today': 867035, 'shop today with': 760969, 'today with list': 920555, 'with list of': 999251, 'list of essential': 494429, 'of essential he': 583171, 'essential he came': 281123, 'he came back': 384806, 'back with bread': 107476, 'with bread tortilla': 997471, 'bread tortilla muffin': 138625, 'tortilla muffin corn': 926048, 'muffin corn flake': 545554, 'corn flake butter': 203563, 'flake butter and': 309979, 'butter and grocery': 148125, 'grocery store sushi': 365832, 'store sushi so': 810487, 'sushi so guess': 829453, 'so guess we': 777218, 'guess we re': 368079, 'we re carb': 972840, 're carb loading': 698416, 'carb loading for': 163387, 'loading for covid': 497338, 'for covid now': 320433, 'covid now covoid19': 214197, 'now covoid19 socialdistancing': 574476, 'covoid19 socialdistancing coronaquarantine': 214447, 'bourgie': 136907, 'chia': 175614, 'my bourgie': 547514, 'bourgie people': 136908, 'just quinoa': 469539, 'quinoa chia': 694756, 'chia seed': 175615, 'and decimated': 61013, 'decimated coconut': 230982, 'coconut left': 185281, 'shelf selfisolation': 757492, 'selfisolation schoolclosuresuk': 748472, 'schoolclosuresuk stockpiling': 742013, 'stockpiling last': 804005, 'time looked': 897151, 'looked for': 502722, 'much wa': 545423, 'wa winter': 963708, 'winter 2008': 996115, '2008 in': 13673, 'zimbabwe during': 1027582, 'crisis positivity': 217890, 'where my bourgie': 985039, 'my bourgie people': 547515, 'bourgie people at': 136909, 'people at just': 647174, 'at just quinoa': 99349, 'just quinoa chia': 469540, 'quinoa chia seed': 694757, 'chia seed and': 175616, 'seed and decimated': 746131, 'and decimated coconut': 61014, 'decimated coconut left': 230983, 'coconut left on': 185282, 'left on supermarket': 485590, 'supermarket shelf selfisolation': 822526, 'shelf selfisolation schoolclosuresuk': 757493, 'selfisolation schoolclosuresuk stockpiling': 748473, 'schoolclosuresuk stockpiling last': 742014, 'stockpiling last time': 804006, 'last time looked': 480566, 'time looked for': 897152, 'looked for food': 502724, 'for food this': 321643, 'food this much': 317194, 'this much wa': 889063, 'much wa winter': 545428, 'wa winter 2008': 963709, 'winter 2008 in': 996116, '2008 in zimbabwe': 13674, 'in zimbabwe during': 431159, 'zimbabwe during the': 1027583, 'the crisis positivity': 852432, 'after 10': 35259, 'fort myers': 329776, 'myers florida': 550722, 'florida where': 311003, 'at there': 101193, 'no kleenex': 564565, 'kleenex could': 475896, 'find certain': 306843, 'food brand': 313783, 'brand wanted': 138067, 'wanted but': 966199, 'but found': 145765, 'found alternative': 330146, 'alternative asked': 49208, 'employee if': 273947, 'after 10 day': 35260, '10 day of': 1386, 'day of being': 228056, 'of being infected': 580645, 'infected with this': 436670, 'with this virus': 1001735, 'this virus wa': 891036, 'virus wa able': 958985, 'to the publix': 916993, 'supermarket in fort': 820899, 'in fort myers': 423053, 'fort myers florida': 329778, 'myers florida where': 550723, 'florida where people': 311004, 'where people died': 985100, '19 at there': 5252, 'at there wa': 101194, 'wa no tp': 962740, 'no tp no': 565788, 'tp no paper': 927878, 'towel no kleenex': 927350, 'no kleenex could': 564566, 'kleenex could not': 475898, 'not find certain': 569421, 'find certain food': 306844, 'certain food brand': 170014, 'food brand wanted': 313785, 'brand wanted but': 138068, 'wanted but found': 966200, 'but found alternative': 145766, 'found alternative asked': 330147, 'alternative asked the': 49210, 'asked the employee': 95840, 'the employee if': 854262, 'inflection': 437271, 'an inflection': 56315, 'inflection point': 437272, 'shopping read': 763721, 'new survey find': 559709, 'survey find the': 828865, 'find the pandemic': 307297, 'ha created an': 370265, 'created an inflection': 215780, 'an inflection point': 56316, 'inflection point for': 437273, 'point for online': 662484, 'grocery shopping read': 365072, 'shopping read more': 763724, 'food you idiot': 317712, 'marco': 515566, 'lauro': 482165, 'setterfield': 753614, 'lintao': 494017, 'zhang': 1027539, '24hrs marco': 15768, 'marco di': 515567, 'di lauro': 240140, 'lauro with': 482166, 'italian red': 462720, 'cross in': 219011, 'in bergamo': 420790, 'bergamo in': 127299, 'miami supermarket': 530199, 'section get': 744004, 'restocked justin': 716951, 'justin setterfield': 470477, 'setterfield at': 753615, 'at temporary': 100837, 'temporary morgue': 837670, 'morgue in': 541103, 'london lintao': 501117, 'lintao zhang': 494018, 'zhang during': 1027540, 'during monday': 262793, 'morning commute': 541220, 'commute in': 190265, '24hrs marco di': 15769, 'marco di lauro': 515568, 'di lauro with': 240141, 'lauro with the': 482167, 'with the italian': 1001353, 'the italian red': 858593, 'italian red cross': 462721, 'red cross in': 705573, 'cross in bergamo': 219012, 'in bergamo in': 420791, 'bergamo in miami': 127300, 'in miami supermarket': 425281, 'miami supermarket the': 530200, 'supermarket the meat': 823230, 'meat section get': 525732, 'section get restocked': 744005, 'get restocked justin': 347925, 'restocked justin setterfield': 716952, 'justin setterfield at': 470478, 'setterfield at temporary': 753616, 'at temporary morgue': 100838, 'temporary morgue in': 837671, 'morgue in london': 541104, 'in london lintao': 424888, 'london lintao zhang': 501118, 'lintao zhang during': 494019, 'zhang during monday': 1027541, 'during monday morning': 262794, 'monday morning commute': 536333, 'morning commute in': 541221, 'commute in beijing': 190266, 'people seeing': 649371, 'seeing rise': 746451, '19 sewage': 10428, 'sewage woe': 754153, 'food for people': 314563, 'for people seeing': 324462, 'people seeing rise': 649372, 'seeing rise in': 746452, 'covid 19 sewage': 213773, '19 sewage woe': 10429, 'guatemala': 367929, 'friend ambassador': 333488, 'to gave': 906388, 'gave 120': 344587, '120 gallon': 3009, 'to guatemala': 907063, 'guatemala with': 367930, 'with foreign': 998524, 'foreign minister': 328991, 'my friend ambassador': 548419, 'friend ambassador to': 333489, 'ambassador to gave': 51293, 'to gave 120': 906389, 'gave 120 gallon': 344588, '120 gallon of': 3010, 'sanitizer to guatemala': 735925, 'to guatemala with': 907064, 'guatemala with foreign': 367931, 'with foreign minister': 998525, 'coronainkenya': 204993, 'person visiting': 652683, 'other open': 620615, 'market should': 517059, 'immediately wear': 417176, 'mask mutahi': 518987, 'kagwe coronainkenya': 470635, 'coronainkenya coronaalert': 204994, 'coronaalert corona': 204418, 'any person visiting': 79647, 'person visiting supermarket': 652684, 'visiting supermarket or': 959556, 'supermarket or any': 821794, 'any other open': 79596, 'other open air': 620616, 'air market should': 39760, 'market should immediately': 517062, 'should immediately wear': 766119, 'immediately wear face': 417177, 'face mask mutahi': 294565, 'mask mutahi kagwe': 518988, 'mutahi kagwe coronainkenya': 547050, 'kagwe coronainkenya coronaalert': 470636, 'coronainkenya coronaalert corona': 204995, 'week widespread': 977248, 'restaurant coupled': 716404, 'falling export': 297254, 'export have': 292647, 'despite empty grocery': 238729, 'shelf in recent': 757214, 'recent week widespread': 704025, 'week widespread closure': 977249, 'widespread closure of': 991836, 'closure of school': 183974, 'of school and': 589394, 'and restaurant coupled': 70373, 'restaurant coupled with': 716405, 'coupled with falling': 211732, 'with falling export': 998368, 'falling export have': 297255, 'export have led': 292648, 'led to steep': 485300, 'to steep decline': 915377, 'decline in demand': 231348, 'deviate': 239882, 'quarterly forecast': 693279, 'forecast housing': 328830, 'will deviate': 993176, 'deviate from': 239883, 'their typical': 875062, 'typical spring': 937644, 'spring surge': 791242, 'to our quarterly': 911234, 'our quarterly forecast': 624526, 'quarterly forecast housing': 693280, 'forecast housing market': 328831, 'market will deviate': 517355, 'will deviate from': 993177, 'deviate from their': 239884, 'from their typical': 337951, 'their typical spring': 875063, 'typical spring surge': 937645, 'spring surge with': 791243, 'surge with both': 828282, 'with both home': 997456, 'both home sale': 135934, 'home sale and': 402004, 'sale and house': 732040, 'house price falling': 406482, 'price falling due': 673810, 'darling': 226023, 'again ask': 36906, 'into chemist': 442455, 'chemist than': 175448, 'remember darling': 710179, 'darling we': 226026, 'cant tell': 162340, 'again ask you': 36908, 'ask you how': 95677, 'you how can': 1019256, 'can you know': 160314, 'know more people': 476608, 'more people with': 540053, '19 come into': 5890, 'come into chemist': 187386, 'into chemist than': 442456, 'chemist than supermarket': 175449, 'than supermarket remember': 841191, 'supermarket remember darling': 822198, 'remember darling we': 710180, 'darling we cant': 226027, 'we cant tell': 971099, 'cant tell who': 162341, 'tell who ha': 837137, 'satisfied': 736951, 'jcdcmotors': 464916, 'woolerontario': 1004356, 'fordmustang': 328793, 'the disinfection': 853393, 'disinfection of': 245916, 'of vehicle': 592772, 'vehicle before': 954252, 'is handed': 448264, 'new owner': 559245, 'owner our': 632533, '2nd delivery': 16768, 'day satisfied': 228301, 'satisfied customer': 736952, 'safe vehicle': 730096, 'vehicle affordable': 954242, 'price jcdcmotors': 674941, 'jcdcmotors woolerontario': 464917, 'woolerontario business': 1004357, 'business fordmustang': 143762, 'fordmustang staysafe': 328794, 'staysafe homedeliveries': 798826, 'homedeliveries glove': 402669, 'glove sanitize': 352897, 'sanitize socialdistancing': 734212, 'the disinfection of': 853394, 'disinfection of vehicle': 245917, 'of vehicle before': 592773, 'vehicle before it': 954253, 'it is handed': 458968, 'is handed over': 448265, 'handed over to': 376083, 'the new owner': 861537, 'new owner our': 559246, 'owner our 2nd': 632534, 'our 2nd delivery': 621994, '2nd delivery of': 16769, 'the day satisfied': 852909, 'day satisfied customer': 228302, 'satisfied customer safe': 736953, 'customer safe vehicle': 222789, 'safe vehicle affordable': 730097, 'vehicle affordable price': 954243, 'affordable price jcdcmotors': 34884, 'price jcdcmotors woolerontario': 674942, 'jcdcmotors woolerontario business': 464918, 'woolerontario business fordmustang': 1004358, 'business fordmustang staysafe': 143763, 'fordmustang staysafe homedeliveries': 328795, 'staysafe homedeliveries glove': 798827, 'homedeliveries glove sanitize': 402670, 'glove sanitize socialdistancing': 352898, 'sanitize socialdistancing mask': 734213, 'masturbate': 520244, 'all saw': 44242, 'car exhausted': 163079, 'exhausted after': 290147, 'shift dealing': 758273, 'she begged': 755889, 'begged people': 123476, 'for herself': 322247, 'herself tear': 394240, 'tear rolled': 835963, 'rolled down': 725636, 'down her': 256827, 'her cheek': 391928, 'cheek thought': 175084, 'myself isn': 550891, 'anything won': 80949, 'won masturbate': 1003874, 'you all saw': 1016905, 'all saw the': 44243, 'saw the nurse': 738273, 'the nurse cry': 861980, 'her car exhausted': 391915, 'car exhausted after': 163080, 'exhausted after long': 290148, 'long shift dealing': 501626, 'shift dealing with': 758274, '19 she begged': 10442, 'she begged people': 755890, 'begged people to': 123477, 'buying because she': 149998, 'get food for': 347039, 'food for herself': 314539, 'for herself tear': 322248, 'herself tear rolled': 394241, 'tear rolled down': 835964, 'rolled down her': 725637, 'down her cheek': 256828, 'her cheek thought': 391929, 'cheek thought to': 175085, 'to myself isn': 910458, 'myself isn there': 550892, 'isn there anything': 454722, 'there anything won': 878039, 'anything won masturbate': 80950, 'criticizes': 218787, 'oap criticizes': 578282, 'criticizes panicked': 218788, 'panicked supermarket': 639297, 'putting older': 691175, 'oap criticizes panicked': 578283, 'criticizes panicked supermarket': 218789, 'panicked supermarket shopper': 639298, 'supermarket shopper for': 822613, 'shopper for putting': 761516, 'for putting older': 324874, 'putting older people': 691176, 'older people at': 598642, 'people at greater': 647171, 'letsbuildbettertomorrow': 487250, 'think ecommerce': 885222, 'market size': 517071, 'and volume': 75018, 'of transaction': 592417, 'definitely go': 232342, 'how ar': 407383, 'ar vr': 83806, 'vr can': 960732, 'can contribute': 157987, 'experience letsbuildbettertomorrow': 291409, 'think ecommerce will': 885223, 'ecommerce will change': 266897, '19 the market': 11218, 'the market size': 860157, 'market size and': 517072, 'size and volume': 772762, 'and volume of': 75019, 'volume of transaction': 960162, 'of transaction will': 592418, 'transaction will definitely': 929487, 'will definitely go': 993138, 'definitely go up': 232343, 'go up it': 354435, 'see how ar': 745218, 'how ar vr': 407384, 'ar vr can': 83807, 'vr can contribute': 960733, 'can contribute to': 157988, 'shopping experience letsbuildbettertomorrow': 762615, 'with travelling': 1001842, 'travelling getting': 930688, 'getting harder': 349025, 'elsewhere shouldn': 272029, 'every borough': 285696, 'borough make': 135586, 'make parking': 510304, 'parking free': 642068, 'free especially': 331797, 'especially around': 280440, 'around hospital': 93330, 'the nhsstaff': 861775, 'nhsstaff or': 562257, 'most socialdistanacing': 542757, 'socialdistanacing ukgoverment': 780121, 'with travelling getting': 1001843, 'travelling getting harder': 930689, 'getting harder in': 349026, 'harder in london': 378172, 'london and elsewhere': 501012, 'and elsewhere shouldn': 62020, 'elsewhere shouldn the': 272030, 'shouldn the council': 766751, 'the council of': 852014, 'council of every': 210011, 'of every borough': 583236, 'every borough make': 285697, 'borough make parking': 135587, 'make parking free': 510305, 'parking free especially': 642069, 'free especially around': 331798, 'especially around hospital': 280441, 'around hospital for': 93331, 'for the nhsstaff': 326583, 'the nhsstaff or': 861776, 'nhsstaff or just': 562258, 'or just the': 615894, 'just the general': 470001, 'general public that': 345460, 'public that need': 688354, 'that need it': 845301, 'the most socialdistanacing': 861037, 'most socialdistanacing ukgoverment': 542758, 'quinsam': 694758, 'estore': 282328, 'adapter': 31318, 'headset': 386043, 'wearable': 974504, 'let face': 486702, 'face it': 294482, 'socialdistancing suck': 780764, 'suck little': 816901, 'le online': 483049, 'out quinsam': 627088, 'quinsam estore': 694759, 'estore great': 282331, 'latest case': 481246, 'case adapter': 165608, 'adapter headset': 31319, 'headset wearable': 386054, 'wearable tech': 974505, 'let face it': 486703, 'face it socialdistancing': 294483, 'it socialdistancing suck': 461152, 'socialdistancing suck to': 780766, 'suck to make': 816939, 'make it suck': 510057, 'it suck little': 461338, 'suck little le': 816902, 'little le online': 495437, 'le online shopping': 483050, 'check out quinsam': 174573, 'out quinsam estore': 627089, 'quinsam estore great': 694761, 'estore great selection': 282332, 'selection of the': 747528, 'the latest case': 859080, 'latest case adapter': 481247, 'case adapter headset': 165609, 'adapter headset wearable': 31320, 'headset wearable tech': 386055, 'wearable tech and': 974506, 'tech and more': 836036, 'and more at': 67145, 'pleading to': 659588, 'time consider': 896500, 'we are pleading': 970659, 'are pleading to': 89106, 'pleading to other': 659589, 'to other business': 911110, 'other business to': 619918, 'business to not': 144545, 'to not increase': 910698, 'not increase their': 570125, 'hard time consider': 378030, 'time consider the': 896501, 'consider the poor': 195141, 'wolfofwallstreet': 1003377, 'be ply': 116458, 'ply stimulus': 661780, 'package toiletpaper': 633439, 'toiletpaper wolfofwallstreet': 922858, 'wolfofwallstreet leonardodicaprio': 1003378, 'leonardodicaprio costco': 486407, 'costco disasterpreparedness': 208222, 'dankmemes funny': 225881, 'comedy humor': 187752, 'to be ply': 901445, 'be ply stimulus': 116459, 'ply stimulus package': 661781, 'stimulus package toiletpaper': 801596, 'package toiletpaper wolfofwallstreet': 633440, 'toiletpaper wolfofwallstreet leonardodicaprio': 922859, 'wolfofwallstreet leonardodicaprio costco': 1003379, 'leonardodicaprio costco disasterpreparedness': 486408, 'costco disasterpreparedness toiletpapercrisis': 208223, 'dankmeme dankmemes funny': 225873, 'dankmemes funny comedy': 225882, 'funny comedy humor': 341713, 'sellersville': 749124, 'store sellersville': 810031, 'sellersville to': 749125, 'avoid weekend': 105393, 'weekend rush': 977396, 'rush still': 728328, 'zero toilet': 1027508, 'bread 50': 138380, 'cream of': 215569, 'thing odd': 884632, 'grocery store sellersville': 365758, 'store sellersville to': 810032, 'sellersville to avoid': 749126, 'to avoid weekend': 900961, 'avoid weekend rush': 105394, 'weekend rush still': 977397, 'rush still zero': 728329, 'still zero toilet': 801454, 'zero toilet paper': 1027509, 'paper and bread': 639811, 'and bread 50': 59164, 'bread 50 of': 138381, 'of the meat': 591231, 'the meat and': 860377, 'meat and ice': 525475, 'ice cream of': 412656, 'cream of all': 215570, 'all thing odd': 45076, 'finserv': 308006, 'bias': 129420, 'finserv finance': 308007, 're helpless': 698803, 'helpless by': 391579, 'authority bias': 103696, 'bias policy': 129421, 'one penny': 606841, 'penny relief': 646625, 'customer added': 222026, 'finserv finance we': 308008, 'finance we re': 306300, 'we re helpless': 972893, 're helpless by': 698804, 'helpless by authority': 391580, 'by authority bias': 151915, 'authority bias policy': 103697, 'bias policy during': 129422, 'no one penny': 564953, 'one penny relief': 606842, 'penny relief for': 646626, 'relief for customer': 709340, 'for customer added': 320503, 'uk leading': 938507, 'leading agent': 483674, 'agent is': 38178, 'urging potential': 948445, 'potential buyer': 667024, 'buyer not': 149693, 'to shelve': 914402, 'shelve their': 758044, 'their plan': 874315, 'plan suggesting': 658231, 'suggesting they': 817616, 'use tech': 949628, 'tech for': 836094, 'for viewing': 327559, 'viewing to': 957211, 'allow house': 45979, 'continue more': 201067, 'here property': 393480, 'the uk leading': 870243, 'uk leading agent': 938508, 'leading agent is': 483675, 'agent is urging': 38179, 'is urging potential': 453608, 'urging potential buyer': 948446, 'potential buyer not': 667025, 'buyer not to': 149694, 'not to shelve': 572183, 'to shelve their': 914403, 'shelve their plan': 758045, 'their plan suggesting': 874316, 'plan suggesting they': 658232, 'suggesting they use': 817617, 'they use tech': 883619, 'use tech for': 949629, 'tech for viewing': 836096, 'for viewing to': 327560, 'viewing to allow': 957212, 'to allow house': 900340, 'allow house sale': 45980, 'sale to continue': 732586, 'to continue more': 903393, 'continue more here': 201068, 'more here property': 539430, 'the ie': 857851, 'ie have': 413733, 'hub to': 409828, 'guide consumer': 368311, 'and regulated': 70164, 'regulated firm': 708014, 'firm through': 308434, 'hub includes': 409806, 'includes faq': 431746, 'faq section': 298680, 'section aimed': 743994, 'both business': 135869, 'consumer view': 199449, 'view at': 957070, 'the ie have': 857852, 'ie have launched': 413734, 'information hub to': 437860, 'hub to help': 409830, 'help guide consumer': 389835, 'guide consumer business': 368312, 'business and regulated': 143326, 'and regulated firm': 70165, 'regulated firm through': 708015, 'firm through the': 308435, 'pandemic the hub': 636684, 'the hub includes': 857689, 'hub includes faq': 409807, 'includes faq section': 431747, 'faq section aimed': 298681, 'section aimed at': 743995, 'aimed at both': 39566, 'at both business': 98152, 'both business and': 135870, 'and consumer view': 60441, 'consumer view at': 199450, 'you next': 1020090, 'step following': 799534, 'following dc': 312715, 'dc in': 228958, 'great job thank': 362790, 'thank you next': 841787, 'you next step': 1020093, 'next step following': 561566, 'step following dc': 799535, 'following dc in': 312716, 'dc in rent': 228959, 'in rent freeze': 427387, 'manager during': 512710, 'period theoffice': 651897, 'store manager during': 808879, 'manager during the': 512711, 'during the isolation': 263146, 'the isolation period': 858568, 'isolation period theoffice': 455388, 'seems about': 746751, 'seems about right': 746752, 'away trolley': 106086, 'while maybe': 987049, 'would slow': 1012248, 'slow people': 774381, 'atleast it': 101887, 'might show': 531120, 'guy should just': 369140, 'should just take': 766165, 'just take away': 469938, 'take away trolley': 831974, 'away trolley for': 106087, 'trolley for while': 932411, 'for while maybe': 327845, 'while maybe that': 987050, 'maybe that would': 521825, 'that would slow': 847688, 'would slow people': 1012249, 'slow people down': 774382, 'people down bit': 647721, 'down bit or': 256569, 'bit or atleast': 131671, 'or atleast it': 614455, 'atleast it might': 101888, 'it might show': 459620, 'might show them': 531121, 'show them what': 767233, 'them what their': 876603, 'what their action': 982377, 'their action are': 872459, 'action are making': 29960, 'are making you': 88014, 'making you do': 511501, 'eu competition': 283211, 'competition chief': 191683, 'chief said': 175967, 'that member': 845140, 'member country': 528052, 'buy stake': 149231, 'chinese takeover': 177365, 'takeover her': 833207, 'her comment': 391953, 'comment come': 188403, 'come the': 187524, 'eu draw': 283221, 'draw plan': 258481, 'protect business': 684793, 'on share': 603389, 'the eu competition': 854555, 'eu competition chief': 283212, 'competition chief said': 191684, 'chief said that': 175968, 'said that member': 731407, 'that member country': 845141, 'member country should': 528053, 'country should buy': 211047, 'should buy stake': 765807, 'buy stake in': 149232, 'stake in company': 793310, 'in company to': 421626, 'company to counter': 191223, 'counter the threat': 210269, 'threat of chinese': 893686, 'of chinese takeover': 581380, 'chinese takeover her': 177366, 'takeover her comment': 833208, 'her comment come': 391954, 'comment come the': 188404, 'come the eu': 187526, 'the eu draw': 854556, 'eu draw plan': 283222, 'draw plan to': 258482, 'plan to protect': 658308, 'to protect business': 912295, 'protect business amid': 684794, 'impact on share': 417890, 'on share price': 603391, 'babyyoda': 106791, 'hasbro': 378685, 'shortage worldwide': 765316, 'worldwide of': 1010396, 'may even': 521148, 'even claim': 283950, 'claim baby': 179700, 'baby yoda': 106749, 'yoda too': 1016471, 'too starwars': 925081, 'starwars yoda': 795287, 'yoda babyyoda': 1016465, 'babyyoda hasbro': 106792, 'coronavirus is causing': 206159, 'is causing shortage': 446432, 'causing shortage worldwide': 168098, 'shortage worldwide of': 765317, 'worldwide of hand': 1010397, 'sanitizer and surgical': 734440, 'surgical mask now': 828363, 'mask now the': 519033, 'now the outbreak': 576056, 'the outbreak may': 862663, 'outbreak may even': 628444, 'may even claim': 521149, 'even claim baby': 283951, 'claim baby yoda': 179701, 'baby yoda too': 106750, 'yoda too starwars': 1016472, 'too starwars yoda': 925082, 'starwars yoda babyyoda': 795288, 'yoda babyyoda hasbro': 1016466, 'pipping': 656927, 'heard michael': 388106, 'michael bolton': 530219, 'bolton on': 134169, 'the wireless': 871621, 'wireless by': 996566, 'biggest positive': 130294, 'far pipping': 298889, 'pipping the': 656928, 'huge reduction': 410168, 'just heard michael': 468955, 'heard michael bolton': 388107, 'michael bolton on': 530220, 'bolton on the': 134170, 'on the wireless': 604455, 'the wireless by': 871622, 'wireless by far': 996567, 'far the biggest': 298927, 'the biggest positive': 849671, 'biggest positive of': 130295, 'positive of this': 665389, 'this crisis so': 887083, 'crisis so far': 218063, 'so far pipping': 777053, 'far pipping the': 298890, 'pipping the huge': 656929, 'the huge reduction': 857704, 'huge reduction in': 410169, 'reduction in fuel': 706364, 'booger': 134438, 'supermarket ve': 823633, 'eating my': 266257, 'my booger': 547492, 'booger for': 134439, 'feel pretty': 302811, 'pretty safe': 671487, 'the supermarket ve': 868883, 'supermarket ve been': 823634, 'been eating my': 121066, 'eating my booger': 266258, 'my booger for': 547493, 'booger for year': 134440, 'for year so': 328014, 'year so feel': 1014959, 'so feel pretty': 777086, 'feel pretty safe': 302813, 'excited if': 289545, 'had found': 373124, 'that bread': 843028, 'during panicshopping': 262914, 'stock stock': 802882, 'husband called to': 411694, 'tell me he': 837011, 'me he found': 522871, 'he found it': 384973, 'found it he': 330262, 'so excited if': 776987, 'excited if he': 289546, 'he had found': 385048, 'had found gold': 373125, 'apparently hear that': 81945, 'hear that bread': 387986, 'that bread is': 843029, 'thing during panicshopping': 884292, 'during panicshopping even': 262915, 'of stock stock': 590193, 'stock stock prayer': 802884, 'prayer be careful': 669053, 'stockbroker': 803235, 'that key': 844815, 'were nh': 979903, 'nurse bin': 577217, 'staff rather': 792793, 'than banker': 840377, 'banker stockbroker': 110381, 'stockbroker and': 803236, 'knew that key': 476073, 'that key worker': 844816, 'key worker were': 473527, 'worker were nh': 1008167, 'were nh nurse': 979904, 'nh nurse bin': 562023, 'nurse bin men': 577218, 'bin men and': 131017, 'men and supermarket': 528454, 'supermarket staff rather': 822882, 'staff rather than': 792794, 'rather than banker': 697505, 'than banker stockbroker': 840378, 'banker stockbroker and': 110382, 'stockbroker and big': 803237, 'and big business': 58957, 'big business owner': 129680, 'income via': 432488, 'via uk': 956344, 'and income via': 65092, 'income via uk': 432489, 'remember folk': 710194, 'folk there': 312268, 'no large': 564578, 'gathering unless': 344525, 'where of': 985065, 'course doe': 211856, 'live right': 496004, 'remember folk there': 710195, 'folk there are': 312269, 'are no large': 88265, 'no large gathering': 564579, 'large gathering unless': 479674, 'gathering unless you': 344526, 'supermarket where of': 823823, 'where of course': 985066, 'of course doe': 582049, 'course doe not': 211857, 'doe not live': 251504, 'not live right': 570438, 'do get': 249327, 'get myself': 347644, 'myself onto': 550918, 'supermarket priority': 822061, 'priority list': 678601, 'list have': 494348, 'have arm': 379351, 'and kidney': 65838, 'kidney so': 474242, 'delivery not': 234209, 'saying am': 739554, 'am more': 50222, 'more entitled': 539136, 'entitled than': 278828, 'else just': 271768, 'the criterion': 852488, 'criterion please': 218502, 'how do get': 407715, 'do get myself': 249329, 'get myself onto': 347645, 'myself onto supermarket': 550919, 'onto supermarket priority': 611677, 'supermarket priority list': 822063, 'priority list have': 678603, 'list have arm': 494349, 'have arm and': 379352, 'arm and kidney': 92882, 'and kidney so': 65840, 'kidney so would': 474243, 'so would benefit': 778815, 'benefit from home': 126986, 'from home delivery': 335853, 'home delivery not': 401032, 'delivery not saying': 234212, 'not saying am': 571443, 'saying am more': 739555, 'am more entitled': 50223, 'more entitled than': 539137, 'entitled than anyone': 278829, 'anyone else just': 80272, 'else just want': 271769, 'know the criterion': 476815, 'the criterion please': 852489, 'criterion please 19': 218503, 'tank treatment': 834231, 'treatment us': 931159, 'us the': 948551, 'drug trump': 261136, 'trump fast': 933547, 'tracked for': 928248, 'treating coronavirus': 930984, 'fish tank treatment': 309346, 'tank treatment us': 834232, 'treatment us the': 931160, 'us the same': 948553, 'same chemical in': 732992, 'chemical in the': 175362, 'in the drug': 429152, 'the drug trump': 853744, 'drug trump fast': 261137, 'trump fast tracked': 933548, 'fast tracked for': 300067, 'tracked for treating': 928249, 'for treating coronavirus': 327335, 'treating coronavirus but': 930985, 'coronavirus but it': 205586, 'glives': 351720, 'hey as': 394326, 'as hole': 94756, 'hole stop': 400233, 'stop dropping': 804628, 'dropping your': 260755, 'your glives': 1024053, 'glives in': 351721, 'your mom': 1024847, 'what garbage': 981494, 'can is': 158770, 'is use': 453613, 'hey as hole': 394327, 'as hole stop': 94757, 'hole stop dropping': 400234, 'stop dropping your': 804629, 'dropping your glives': 260756, 'your glives in': 1024054, 'glives in the': 351722, 'lot of grocery': 504198, 'store no one': 809082, 'no one there': 564968, 'one there is': 607209, 'there is your': 878657, 'is your mom': 454156, 'your mom and': 1024848, 'mom and if': 535683, 'store you know': 811691, 'know what garbage': 476953, 'what garbage can': 981495, 'garbage can is': 343516, 'can is use': 158771, 'is use it': 453614, 'backseat': 107584, 'minivan': 533586, 'gas job': 343887, 'the hurt': 857770, 'fighting like': 305097, 'like kid': 490607, 'the backseat': 849163, 'backseat of': 107585, 'of minivan': 586565, 'minivan it': 533587, 'that spat': 846427, 'spat to': 787646, 'stop so': 805034, 'can stabilize': 159715, 'save job': 737529, 'and gas job': 63480, 'gas job are': 343888, 'at risk because': 100341, 'risk because the': 723404, 'because the hurt': 119629, 'the hurt demand': 857771, 'demand and russia': 234994, 'and russia and': 70661, 'arabia are fighting': 83862, 'are fighting like': 86546, 'fighting like kid': 305098, 'like kid in': 490609, 'kid in the': 474017, 'in the backseat': 429003, 'the backseat of': 849164, 'backseat of minivan': 107586, 'of minivan it': 586566, 'minivan it time': 533588, 'time for that': 896762, 'for that spat': 326272, 'that spat to': 846428, 'spat to stop': 787647, 'to stop so': 915573, 'stop so we': 805035, 'we can stabilize': 971017, 'can stabilize price': 159716, 'stabilize price and': 791857, 'price and save': 672531, 'and save job': 70950, 'dharma': 240103, 'superstores': 824354, 'predict that': 669576, 'over temple': 630680, 'temple around': 837422, 'around thailand': 93513, 'thailand will': 840111, 'much donated': 544840, 'donated canned': 254325, 'paper cooking': 640046, 'oil sanitizer': 597409, 'gel mama': 345137, 'mama noodle': 511928, 'noodle that': 566819, 'be new': 116069, 'chain dharma': 170646, 'dharma superstores': 240104, 'predict that when': 669582, 'is over temple': 450735, 'over temple around': 630681, 'temple around thailand': 837423, 'around thailand will': 93514, 'thailand will have': 840112, 'will have so': 993673, 'so much donated': 777772, 'much donated canned': 544841, 'donated canned food': 254326, 'canned food toilet': 161525, 'toilet paper cooking': 921238, 'paper cooking oil': 640047, 'cooking oil sanitizer': 202891, 'oil sanitizer gel': 597410, 'sanitizer gel mama': 734965, 'gel mama noodle': 345138, 'mama noodle that': 511929, 'noodle that there': 566820, 'there is going': 878566, 'to be new': 901405, 'be new supermarket': 116073, 'new supermarket chain': 559692, 'supermarket chain dharma': 819601, 'chain dharma superstores': 170647, 'parcelshipping': 641537, 'online buying': 607979, 'behavior stick': 124202, 'stick post': 800044, 'the parcel': 863279, 'parcel shipping': 641520, 'shipping technology': 758925, 'up via': 946525, 'via american': 955792, 'adapting faster': 31329, 'ever to': 285560, 'need parcelshipping': 555413, 'parcelshipping logistics': 641538, 'logistics ecommerce': 500743, 'will online buying': 994320, 'online buying behavior': 607980, 'buying behavior stick': 150017, 'behavior stick post': 124203, 'stick post covid': 800045, 'have the parcel': 383009, 'the parcel shipping': 863280, 'parcel shipping technology': 641521, 'shipping technology in': 758926, 'technology in place': 836311, 'place to keep': 657758, 'keep up via': 472181, 'up via american': 946526, 'via american are': 955793, 'american are adapting': 51794, 'are adapting faster': 84222, 'adapting faster than': 31330, 'faster than ever': 300123, 'than ever to': 840618, 'ever to shopping': 285565, 'to shopping online': 914521, 'online for all': 608218, 'of their need': 591682, 'their need parcelshipping': 874043, 'need parcelshipping logistics': 555414, 'parcelshipping logistics ecommerce': 641539, 'queue nicely': 694002, 'nicely and': 562527, 'total disregard': 926158, 'disregard of': 246347, 'distancing once': 247372, 'really stress': 702617, 'all queue nicely': 44113, 'queue nicely and': 694003, 'nicely and at': 562528, 'and at safe': 58486, 'at safe distancing': 100435, 'the shop but': 866983, 'shop but the': 760005, 'but the total': 147420, 'the total disregard': 869812, 'total disregard of': 926159, 'disregard of social': 246348, 'social distancing once': 779676, 'distancing once you': 247373, 'once you actually': 605818, 'you actually get': 1016808, 'actually get into': 30803, 'supermarket really stress': 822172, 'really stress me': 702618, 'me out socialdistancing': 523306, 'out socialdistancing 19': 627213, 'lincsfoodchainjobs': 492913, 'you 70': 1016762, 'year harvest': 1014605, 'harvest lincsfoodchainjobs': 378627, 'supply chain need': 824995, 'chain need you': 170940, 'need you 70': 556254, 'you 70 00': 1016763, '70 00 worker': 21709, '00 worker are': 605, 'worker are needed': 1006406, 'needed to bring': 556529, 'bring in this': 140002, 'in this year': 430049, 'this year harvest': 891579, 'year harvest lincsfoodchainjobs': 1014607, 'oil exec': 596772, 'exec furious': 289812, 'furious with': 341864, 'trump price': 933761, 'election hope': 271037, 'now oil': 575411, 'are furious': 86756, 'president for': 670812, 'for cheering': 320037, 'the steep': 867869, 'price trumpslump': 677138, 'trumpslump notdying4wallstreet': 934155, 'oil exec furious': 596773, 'exec furious with': 289813, 'furious with trump': 341867, 'with trump price': 1001854, 'trump price collapse': 933762, 'price collapse and': 673168, 'it could hurt': 457358, 're election hope': 698596, 'election hope now': 271038, 'hope now oil': 403561, 'now oil executive': 575412, 'oil executive are': 596775, 'executive are furious': 289855, 'are furious with': 86757, 'furious with the': 341866, 'the president for': 864259, 'president for cheering': 670813, 'for cheering on': 320038, 'cheering on the': 175148, 'on the steep': 604384, 'the steep drop': 867870, 'oil price trumpslump': 597299, 'price trumpslump notdying4wallstreet': 677139, 'austintexas': 103195, 're headed': 698792, 'in austintexas': 420588, 'austintexas be': 103196, 'new requirement': 559456, 'ensure social': 278030, 'you re headed': 1020639, 're headed to': 698793, 'or pharmacy in': 616576, 'pharmacy in austintexas': 654355, 'in austintexas be': 420589, 'austintexas be sure': 103197, 'to take note': 916210, 'note of and': 572767, 'of and follow': 580154, 'follow the new': 312540, 'the new requirement': 861549, 'new requirement to': 559457, 'requirement to ensure': 713447, 'to ensure social': 905187, 'ensure social distancing': 278031, 'distancing while you': 247647, 'you are there': 1017261, 'are there socialdistancing': 90962, 'indian unit': 434901, 'of anglo': 580204, 'anglo dutch': 76437, 'dutch consumer': 263495, 'consumer giant': 197581, 'giant unilever': 349882, 'unilever will': 941800, 'also ramp': 48749, 'and floor': 62978, 'cleaner news': 180804, 'the indian unit': 858128, 'indian unit of': 434902, 'unit of anglo': 942072, 'of anglo dutch': 580205, 'anglo dutch consumer': 76438, 'dutch consumer giant': 263496, 'consumer giant unilever': 197582, 'giant unilever will': 349884, 'unilever will also': 941801, 'will also ramp': 992265, 'also ramp up': 48750, 'production and supply': 681934, 'supply of sanitizers': 825646, 'sanitizers handwash and': 736302, 'handwash and floor': 376752, 'and floor cleaner': 62979, 'floor cleaner news': 310785, 'accesstocash': 28386, 'bankofengland': 110477, 'but timely': 147575, 'timely report': 898489, 'activity corvid19': 30404, 'corvid19 accesstocash': 207719, 'accesstocash payment': 28387, 'payment bankofengland': 645556, 'bankofengland agent': 110478, 'agent summary': 38191, 'business condition': 143562, 'condition 2020': 193388, '2020 q1': 14542, 'q1 bank': 691402, 'of england': 583120, 'no surprise but': 565641, 'surprise but timely': 828519, 'but timely report': 147576, 'timely report of': 898490, 'report of the': 712128, 'current impact on': 221232, 'and business activity': 59262, 'business activity corvid19': 143221, 'activity corvid19 accesstocash': 30405, 'corvid19 accesstocash payment': 207720, 'accesstocash payment bankofengland': 28388, 'payment bankofengland agent': 645557, 'bankofengland agent summary': 110479, 'agent summary of': 38192, 'summary of business': 817938, 'of business condition': 580950, 'business condition 2020': 143563, 'condition 2020 q1': 193389, '2020 q1 bank': 14543, 'q1 bank of': 691403, 'bank of england': 110050, 'the mount': 861076, 'mount spoke': 543409, 'of sa': 589198, 'sa on': 728918, 'for stockpiling': 325918, 'stockpiling watch': 804115, 'over the mount': 630740, 'the mount spoke': 861077, 'mount spoke to': 543410, 'council of sa': 210015, 'of sa on': 589199, 'sa on why': 728919, 'on why there': 605318, 'need for stockpiling': 554872, 'for stockpiling watch': 325920, 'stockpiling watch the': 804116, 'it hang': 458453, 'air might': 39762, 'might surprise': 531132, 'store stayhome': 810360, 'long it hang': 501466, 'it hang in': 458455, 'the air might': 848489, 'air might surprise': 39763, 'might surprise you': 531133, 'surprise you video': 828568, 'you video show': 1022083, 'cough spread in': 208564, 'grocery store stayhome': 365802, 'store stayhome stayhomesavelives': 810361, 'during everyone': 262635, 'else panic': 271832, 'sanitizer anti': 734467, 'anti social': 78324, 'social human': 779799, 'human like': 410552, 'me huh': 522929, 'huh there': 410320, 'there modern': 878760, 'modern day': 535379, 'day plague': 228219, 'plague that': 657985, 'gone global': 356289, 'global wash': 352293, 'every couple': 285768, 'couple hour': 211599, 'alcohol still': 41120, 'ha board': 370015, 'board game': 133634, 'game netflix': 343205, 'during everyone else': 262636, 'everyone else panic': 286872, 'else panic buying': 271833, 'buying pasta toilet': 150890, 'pasta toilet paper': 643834, 'hand sanitizer anti': 375303, 'sanitizer anti social': 734469, 'anti social human': 78325, 'social human like': 779800, 'human like me': 410553, 'like me huh': 490745, 'me huh there': 522930, 'huh there modern': 410321, 'there modern day': 878761, 'modern day plague': 535381, 'day plague that': 228220, 'plague that gone': 657986, 'that gone global': 844037, 'gone global wash': 356290, 'global wash hand': 352294, 'wash hand every': 967483, 'hand every couple': 374921, 'every couple hour': 285769, 'couple hour is': 211600, 'hour is well': 405710, 'well stocked up': 978609, 'water and alcohol': 968853, 'and alcohol still': 57831, 'alcohol still ha': 41121, 'still ha board': 800613, 'ha board game': 370016, 'board game netflix': 133636, 'since during': 770569, 'during qurantine': 262957, 'qurantine of': 695033, 'since during qurantine': 770570, 'during qurantine of': 262958, 'qurantine of covid': 695034, 'because supply': 119591, 'not prepared': 571077, 'are measure': 88057, 'measure government': 525211, 'prepared in': 670211, 'wondering why you': 1004214, 'why you cannot': 991587, 'you cannot buy': 1017849, 'cannot buy essential': 161691, 'buy essential item': 148577, 'or on right': 616372, 'now it because': 575107, 'it because supply': 456758, 'because supply chain': 119592, 'are not prepared': 88440, 'not prepared for': 571078, 'prepared for pandemic': 670200, 'for pandemic like': 324361, 'like the but': 491356, 'the but there': 850203, 'there are measure': 878126, 'are measure government': 88058, 'measure government can': 525212, 'government can take': 359965, 'take to be': 832732, 'be more prepared': 115989, 'more prepared in': 540124, 'prepared in the': 670214, 'my understanding': 550459, 'understanding of': 940880, 'some african': 782265, 'african people': 35212, 'were found': 979657, 'rule 14': 727169, 'after arriving': 35382, 'arriving at': 94002, 'at china': 98258, 'and visited': 74988, 'visited restaurant': 959495, 'restaurant club': 716391, 'club supermarket': 184485, 'my understanding of': 550460, 'understanding of the': 940882, 'of the matter': 591228, 'the matter is': 860298, 'matter is that': 520588, 'is that some': 452692, 'that some african': 846382, 'some african people': 782266, 'african people not': 35213, 'people not all': 648862, 'not all were': 568130, 'all were found': 45434, 'were found out': 979659, 'found out not': 330327, 'out not to': 626652, 'not to abide': 572128, 'by the quarantine': 154418, 'the quarantine rule': 864973, 'quarantine rule 14': 692501, 'rule 14 day': 727170, '14 day after': 3439, 'day after arriving': 227178, 'after arriving at': 35383, 'arriving at china': 94004, 'at china and': 98259, 'china and visited': 176493, 'and visited restaurant': 74989, 'visited restaurant club': 959496, 'restaurant club supermarket': 716392, 'club supermarket etc': 184486, 'naples ha': 551869, 'ha shelf': 371894, 'selling out': 749388, 'seed to table': 746181, 'to table in': 916116, 'table in naples': 831479, 'in naples ha': 425676, 'naples ha shelf': 551870, 'ha shelf stocked': 371895, 'shelf stocked while': 757588, 'stocked while other': 803456, 'while other grocery': 987116, 'store are selling': 806522, 'are selling out': 89967, 'selling out amid': 749389, 'out amid covid': 625621, 'fani': 298566, 'kayode': 471151, 'jonathan': 467234, '19 share': 10436, 'food fani': 314443, 'fani kayode': 298567, 'kayode tell': 471152, 'buhari these': 141930, 'that advise': 842507, 'advise jonathan': 33589, 'jonathan too': 467235, 'covid 19 share': 213777, '19 share money': 10437, 'stock food fani': 802131, 'food fani kayode': 314444, 'fani kayode tell': 298568, 'kayode tell buhari': 471153, 'tell buhari these': 836919, 'buhari these are': 141931, 'same people that': 733216, 'people that advise': 649750, 'that advise jonathan': 842508, 'advise jonathan too': 33590, 'thing more': 884594, 'only thing more': 611309, 'thing more dangerous': 884595, 'more dangerous for': 538954, 'dangerous for me': 225741, 'me than covid': 523596, '19 is all': 7931, 'this time have': 890644, 'time have for': 896894, 'have for online': 380681, 'reap': 702811, 'socialcare': 780028, 'ppe especially': 667943, 'many supplier': 514767, 'supply ashamed': 824804, 'ashamed you': 95088, 'help without': 390937, 'without trying': 1003017, 'to reap': 912872, 'reap so': 702812, 'much profit': 545262, 'profit socialcare': 682858, 'like to explain': 491588, 'explain why they': 292140, 'why they have': 991453, 'for ppe especially': 324666, 'ppe especially when': 667944, 'especially when so': 280660, 'so many supplier': 777712, 'many supplier are': 514768, 'supplier are running': 824500, 'running out and': 728023, 'out and it': 625674, 'and it difficult': 65512, 'get supply ashamed': 348151, 'supply ashamed you': 824805, 'ashamed you should': 95089, 'you should help': 1021196, 'should help without': 766111, 'help without trying': 390938, 'without trying to': 1003018, 'trying to reap': 934853, 'to reap so': 912873, 'reap so much': 702813, 'so much profit': 777804, 'much profit socialcare': 545263, 'quetion': 693843, 'fanforever': 298565, 'month fine': 537716, 'fine corona': 307623, 'have quetion': 382138, 'quetion that': 693844, 'why many': 991183, 'many shopkeeper': 514699, 'afford but': 34681, 'cannot fanforever': 161818, 'school and university': 741690, 'and university are': 74682, 'university are closed': 942410, 'closed for month': 183129, 'for month fine': 323517, 'month fine corona': 537717, 'fine corona but': 307624, 'corona but have': 203837, 'but have quetion': 145882, 'have quetion that': 382139, 'quetion that why': 693845, 'that why many': 847541, 'why many shopkeeper': 991184, 'many shopkeeper are': 514700, 'shopkeeper are selling': 761172, 'selling mask on': 749340, 'mask on high': 519048, 'high price we': 395290, 'price we can': 677398, 'can afford but': 157396, 'afford but what': 34682, 'what about others': 980984, 'who cannot fanforever': 988421, 'overeating': 631204, 'during remember': 262967, 'food intake': 315091, 'intake and': 440927, 'need buying': 554579, 'to overeating': 911304, 'overeating people': 631205, 'essential higher': 281128, 'during remember to': 262969, 'remember to plan': 710379, 'to plan your': 911771, 'plan your food': 658362, 'your food intake': 1023919, 'food intake and': 315092, 'intake and only': 440928, 'you need buying': 1019973, 'need buying too': 554580, 'much food can': 544899, 'food can lead': 313872, 'lead to overeating': 483375, 'to overeating people': 911305, 'overeating people unable': 631206, 'buy essential higher': 148575, 'essential higher price': 281129, 'abandoning': 24221, 'shelf caused': 756931, 'buying volunteer': 151315, 'volunteer abandoning': 960203, 'abandoning charity': 24222, 'distancing year': 247667, 'govt neglect': 361213, 'neglect have': 556876, 'have advocate': 379137, 'homeless worried': 402796, 'will manage': 994094, 'manage if': 512396, 'reach town': 700008, 'town homelessness': 927487, 'homelessness auspol': 402803, 'supermarket shelf caused': 822441, 'shelf caused by': 756932, 'caused by panic': 167855, 'panic buying volunteer': 637953, 'buying volunteer abandoning': 151316, 'volunteer abandoning charity': 960204, 'abandoning charity to': 24223, 'charity to practice': 173707, 'social distancing year': 779775, 'distancing year of': 247668, 'year of govt': 1014779, 'of govt neglect': 584287, 'govt neglect have': 361214, 'neglect have advocate': 556877, 'have advocate for': 379138, 'advocate for the': 33837, 'the homeless worried': 857474, 'homeless worried about': 402797, 'they will manage': 883866, 'will manage if': 994097, 'manage if the': 512397, 'the virus reach': 870881, 'virus reach town': 958667, 'reach town homelessness': 700009, 'town homelessness auspol': 927488, 'fishing is': 309408, 'fishing among': 309393, 'among essential': 53004, 'essential agricultural': 280760, 'hunting fishing is': 411412, 'fishing is part': 309409, 'hunting fishing among': 411410, 'fishing among essential': 309394, 'among essential agricultural': 53005, 'essential agricultural food': 280761, 'agricultural food business': 38881, 'food business cdnpoli': 313797, 'not panic over': 570923, 'over the surge': 630774, 'calling employee': 156537, 'make product': 510357, 'drink giant': 258829, 'hiring and': 397066, 'offering more': 595191, 'more benefit': 538724, 'to worker': 918812, 'calling employee who': 156538, 'employee who stock': 274434, 'who stock shelf': 989683, 'shelf and make': 756742, 'and make product': 66571, 'make product the': 510358, 'product the backbone': 681706, 'the food drink': 855545, 'food drink giant': 314280, 'drink giant is': 258830, 'giant is ramping': 349814, 'up hiring and': 945084, 'hiring and offering': 397068, 'and offering more': 67988, 'offering more benefit': 595192, 'more benefit to': 538725, 'benefit to worker': 127125, 'lifeaftercovid': 489252, 'possible lifeaftercovid': 665703, 'lifeaftercovid consumer': 489253, 'possible lifeaftercovid consumer': 665704, 'lifeaftercovid consumer trend': 489254, 'moderately': 535362, 'month into': 537799, 'ny nj': 577899, 'nj the': 563459, 'paper shelf': 640753, 'veggie than': 954214, 'paper also': 639786, 'also cleaning': 48028, 'that bought': 843018, 'bought moderately': 136639, 'moderately per': 535363, 'per government': 650867, 'government suggestion': 360645, 'suggestion toiletpaper': 817671, 'toiletpaper virus': 922803, 'month into pandemic': 537800, 'into pandemic in': 442839, 'pandemic in ny': 635703, 'in ny nj': 426005, 'ny nj the': 577901, 'nj the toilet': 563461, 'toilet paper shelf': 921447, 'paper shelf is': 640755, 'shelf is still': 757240, 'still empty at': 800476, 'empty at grocery': 274792, 'at grocery we': 98817, 'grocery we re': 366118, 'likely to run': 492173, 'of fruit veggie': 583986, 'fruit veggie than': 339192, 'veggie than toilet': 954216, 'toilet paper also': 921180, 'paper also cleaning': 639787, 'also cleaning supply': 48029, 'cleaning supply not': 181081, 'supply not fair': 825599, 'not fair to': 569356, 'fair to those': 296391, 'of that bought': 590713, 'that bought moderately': 843022, 'bought moderately per': 136640, 'moderately per government': 535364, 'per government suggestion': 650869, 'government suggestion toiletpaper': 360646, 'suggestion toiletpaper virus': 817672, 'you diarrhea': 1018193, 'diarrhea toiletpaper': 240389, 'officially worth': 596033, 'the can now': 850311, 'can now give': 159062, 'now give you': 574788, 'give you diarrhea': 350853, 'you diarrhea toiletpaper': 1018194, 'diarrhea toiletpaper hoarding': 240390, 'toiletpaper hoarding is': 922074, 'hoarding is now': 399394, 'is now officially': 450306, 'now officially worth': 575410, 'officially worth it': 596034, 'worth it lol': 1011379, 'vee inc': 953690, 'inc announced': 431266, 'to evolving': 905377, 'evolving concern': 288551, 'is adapting': 445341, 'adapting the': 31335, 'serf it': 751199, 'they receive': 883164, 'need while': 556210, 'hy vee inc': 411888, 'vee inc announced': 953691, 'inc announced that': 431267, 'announced that due': 77060, 'due to evolving': 261776, 'to evolving concern': 905378, 'evolving concern regarding': 288552, 'concern regarding the': 193071, 'it is adapting': 458861, 'is adapting the': 445343, 'adapting the way': 31336, 'way it serf': 969676, 'it serf it': 460981, 'serf it customer': 751200, 'it customer to': 457455, 'customer to ensure': 222961, 'ensure they receive': 278108, 'they receive the': 883167, 'receive the product': 703560, 'product they need': 681722, 'they need while': 882770, 'need while keeping': 556211, 'while keeping customer': 986987, 'keeping customer employee': 472403, 'and community healthy': 60172, 'hindman': 396848, 'knott': 476198, 'appalachian wireless': 81816, 'wireless ha': 996574, 'sale associate': 732078, 'associate for': 96871, 'the hindman': 857378, 'hindman knott': 396849, 'knott county': 476199, 'county store': 211493, '19 appalachian': 5172, 'hindman store': 396851, 'for thorough': 327094, 'thorough cleaning': 891745, 'cleaning per': 181014, 'per cd': 650739, 'appalachian wireless ha': 81817, 'wireless ha learned': 996576, 'ha learned that': 371121, 'learned that one': 484147, 'it employee retail': 457804, 'employee retail sale': 274156, 'retail sale associate': 718504, 'sale associate for': 732079, 'associate for the': 96872, 'for the hindman': 326476, 'the hindman knott': 857379, 'hindman knott county': 396850, 'knott county store': 476200, 'county store ha': 211494, 'covid 19 appalachian': 212640, '19 appalachian wireless': 5173, 'wireless ha closed': 996575, 'ha closed the': 370176, 'closed the hindman': 183366, 'the hindman store': 857380, 'hindman store temporarily': 396852, 'store temporarily for': 810524, 'temporarily for thorough': 837497, 'for thorough cleaning': 327095, 'thorough cleaning per': 891746, 'cleaning per cd': 181015, 'created coronavirus': 215808, 'coronavirus emergency': 205872, 'kit they': 475648, 'are pre': 89177, 'pre loaded': 669179, 'loaded trolley': 497319, 'trolley divided': 932397, 'divided into': 248598, 'into three': 443233, 'three category': 893890, 'no border': 563709, 'border my': 135264, 'safe regard': 729905, 'regard from': 707138, 'chain of supermarket': 170960, 'supermarket in russia': 820968, 'in russia ha': 427590, 'russia ha created': 728487, 'ha created coronavirus': 370268, 'created coronavirus emergency': 215809, 'coronavirus emergency kit': 205873, 'emergency kit they': 272772, 'kit they are': 475649, 'they are pre': 881365, 'are pre loaded': 89178, 'pre loaded trolley': 669180, 'loaded trolley divided': 497320, 'trolley divided into': 932398, 'divided into three': 248600, 'into three category': 443234, 'three category of': 893891, 'category of price': 167197, 'of price ha': 588405, 'price ha no': 674387, 'ha no border': 371329, 'no border my': 563710, 'border my friend': 135265, 'my friend stay': 548448, 'friend stay safe': 333815, 'stay safe regard': 797268, 'safe regard from': 729906, 'regard from italy': 707139, 'of 10k': 579326, '10k leisure': 2328, 'leisure traveler': 486149, 'their thought': 874978, 'about future': 25290, 'future travel': 342486, 'out our study': 626995, 'our study of': 624988, 'study of 10k': 814933, 'of 10k leisure': 579327, '10k leisure traveler': 2329, 'leisure traveler and': 486150, 'traveler and their': 930616, 'and their thought': 73722, 'their thought about': 874979, 'thought about future': 892956, 'about future travel': 25291, 'expecting the': 291051, 'end they': 275988, 'they sit': 883402, 'toilet what': 921658, 'what way': 982535, 'so with the': 778796, 'paper it seems': 640382, 'seems that most': 746858, 'people are expecting': 646966, 'are expecting the': 86329, 'expecting the world': 291052, 'world to end': 1010079, 'to end they': 905088, 'end they sit': 275989, 'they sit on': 883405, 'the toilet what': 869718, 'toilet what way': 921659, 'what way to': 982537, 'eyvallah': 294163, 'thing seem': 884729, 'seem normal': 746677, 'shopping usual': 764305, 'usual plus': 950998, 'on full': 601053, 'full display': 340566, 'display keep': 246185, 'say eyvallah': 738624, 'store this evening': 810698, 'evening it is': 284877, 'it is fully': 458960, 'fully stocked no': 341094, 'stocked no panic': 803358, 'no panic at': 565039, 'panic at all': 637360, 'all and thing': 42017, 'and thing seem': 73957, 'thing seem normal': 884730, 'seem normal with': 746678, 'normal with people': 567417, 'people shopping usual': 649438, 'shopping usual plus': 764306, 'usual plus the': 950999, 'plus the toilet': 661695, 'paper wa on': 641053, 'wa on full': 962824, 'on full display': 601054, 'full display keep': 340567, 'display keep calm': 246186, 'calm and just': 156689, 'and just say': 65718, 'just say eyvallah': 469699, 'thehandmaidstale': 872396, 'not understanding': 572329, 'understanding why': 940901, 'rule totally': 727390, 'totally down': 926328, 'but eye': 145695, 'contact all': 200006, 'not thehandmaidstale': 572048, 'thehandmaidstale covod19': 872397, 'covod19 social': 214440, 'not understanding why': 572332, 'understanding why we': 940902, 'we cannot make': 971072, 'cannot make eye': 162007, 'eye contact in': 294027, 'contact in the': 200108, 'store the foot': 810599, 'the foot rule': 855654, 'foot rule totally': 318432, 'rule totally down': 727391, 'totally down with': 926329, 'down with but': 257490, 'with but eye': 997497, 'but eye contact': 145696, 'eye contact all': 294024, 'contact all this': 200007, 'is not thehandmaidstale': 450203, 'not thehandmaidstale covod19': 572049, 'thehandmaidstale covod19 social': 872398, 'covod19 social distancing': 214441, 'your main': 1024767, 'main risk': 508814, 'at spreading': 100613, 'spreading this': 791066, 'young share': 1022656, 'share covid': 754975, '19 advice': 4823, 'is now your': 450360, 'now your main': 576524, 'your main risk': 1024768, 'main risk at': 508815, 'risk at spreading': 723398, 'at spreading this': 100614, 'spreading this virus': 791069, 'this virus ashley': 891000, 'ashley young share': 95124, 'young share covid': 1022657, 'share covid 19': 754976, 'covid 19 advice': 212587, 'funny because': 341705, 'because mr': 119251, 'mr beast': 544348, 'beast just': 118487, 'so uh': 778591, 'it funny because': 458189, 'funny because mr': 341706, 'because mr beast': 119252, 'mr beast just': 544349, 'beast just did': 118488, 'did the thing': 240856, 'the thing and': 869450, 'thing and now': 884129, 'we are buying': 970496, 'are buying toilet': 85134, 'paper made out': 640435, 'out of paper': 626800, 'of paper so': 587760, 'paper so uh': 640790, 'couldn do': 209872, 'didn stop': 241217, 'stop had': 804700, 'get manager': 347515, 'manager who': 512830, 'everything back': 287702, 'told them they': 923717, 'them they couldn': 876413, 'they couldn do': 881844, 'couldn do that': 209873, 'do that and': 250218, 'that and when': 842660, 'and when they': 75523, 'when they didn': 984251, 'they didn stop': 881934, 'didn stop had': 241218, 'stop had to': 804701, 'to get manager': 906526, 'get manager who': 347516, 'manager who told': 512831, 'to put everything': 912586, 'put everything back': 690568, 'evidence at': 288347, 'least you': 484707, 'disgrace people': 245311, 'they trusted': 883591, 'trusted you': 934354, 'what new evidence': 981921, 'new evidence at': 558716, 'evidence at least': 288348, 'at least you': 99569, 'least you finally': 484708, 'you finally admit': 1018562, 'finally admit it': 305932, 'admit it but': 32601, 'it but you': 456965, 'are disgrace people': 85853, 'disgrace people have': 245312, 'supermarket all this': 818876, 'this time without': 890715, 'time without mask': 898367, 'without mask because': 1002771, 'mask because they': 518470, 'because they trusted': 119722, 'they trusted you': 883592, 'swasthabharat': 830005, 'helpustohelpyou': 391659, 'helptosave': 391650, 'are fixed': 86597, 'fixed capped': 309786, 'capped by': 162872, 'affair govt': 34045, 'india 2019ncov': 434271, '2019ncov swasthabharat': 14066, 'swasthabharat helpustohelpyou': 830006, 'helpustohelpyou helptosave': 391660, 'home be safe': 400776, 'be safe the': 116971, 'safe the price': 730016, 'sanitizers are fixed': 736215, 'are fixed capped': 86599, 'fixed capped by': 309787, 'capped by ministry': 162873, 'consumer affair govt': 196090, 'affair govt of': 34046, 'of india 2019ncov': 585097, 'india 2019ncov swasthabharat': 434272, '2019ncov swasthabharat helpustohelpyou': 14067, 'swasthabharat helpustohelpyou helptosave': 830007, 'lockdown must': 499679, 'being imposed': 125287, 'imposed on': 419301, 'foreign power': 329003, 'industry generate': 435844, 'generate unemployment': 345567, 'unemployment drive': 941198, 'produce of': 680375, 'farmer coronaupdate': 299326, 'lockdown must go': 499680, 'must go it': 546685, 'it is being': 458884, 'is being imposed': 446092, 'being imposed on': 125288, 'imposed on by': 419302, 'on by foreign': 599762, 'by foreign power': 152636, 'foreign power to': 329004, 'power to kill': 667710, 'kill our industry': 474471, 'our industry generate': 623533, 'industry generate unemployment': 435845, 'generate unemployment drive': 345568, 'unemployment drive down': 941199, 'drive down price': 259040, 'down price of': 257115, 'of the produce': 591369, 'the produce of': 864573, 'produce of farmer': 680376, 'of farmer coronaupdate': 583426, 'post offer': 666226, 'offer concessional': 594552, 'concessional rate': 193286, 'promote more': 683782, 'thailand post offer': 840106, 'post offer concessional': 666227, 'offer concessional rate': 594553, 'concessional rate to': 193287, 'rate to promote': 697395, 'to promote more': 912252, 'promote more online': 683783, 'shopping amid covid': 761942, 'he dj': 384896, 'dj in': 248807, 'in club': 421524, 'club think': 184489, 'more lost': 539727, 'while my': 987074, 'work saving': 1005691, 'is embarrassing': 447469, 'he dj in': 384897, 'dj in club': 248808, 'in club think': 421525, 'club think it': 184490, 'think it mean': 885342, 'it mean more': 459573, 'mean more lost': 524553, 'more lost my': 539728, 'stay home while': 797029, 'home while my': 402491, 'while my wife': 987077, 'wife work saving': 992013, 'work saving life': 1005692, 'saving life in': 737912, 'this crisis than': 887092, 'crisis than working': 218141, 'than working in': 841475, 'supermarket is embarrassing': 821087, 'are seeking': 89921, 'seeking to': 746657, 'more capital': 538770, 'period where': 651924, 'where asset': 984747, 'low they': 505676, 'been lobbying': 121472, 'govt lending': 361189, 'lending grant': 486276, 'grant program': 362041, 'to fed': 905708, 'fed credit': 301799, 'private equity fund': 678902, 'equity fund are': 279939, 'fund are seeking': 341367, 'are seeking to': 89922, 'seeking to get': 746658, 'to more capital': 910252, 'more capital to': 538771, 'capital to invest': 162695, 'invest in period': 443762, 'in period where': 426619, 'period where asset': 651925, 'where asset price': 984748, 'asset price are': 96454, 'are low they': 87937, 'low they have': 505677, 'have been lobbying': 379598, 'been lobbying to': 121473, 'lobbying to have': 497602, 'access to govt': 28240, 'to govt lending': 906949, 'govt lending grant': 361190, 'lending grant program': 486277, 'grant program to': 362042, 'program to small': 683309, 'business to fed': 144537, 'to fed credit': 905709, 'fed credit line': 301800, 'kagame fixed': 470627, 'jameson call': 464414, 'president kagame fixed': 670845, 'kagame fixed price': 470628, 'outbreak in kenya': 628344, 'kenya jameson call': 472917, 'jameson call for': 464415, 'call for prayer': 155883, 'closing factory': 183635, 'bringing america': 140142, 'halt and': 374423, 'and sending': 71250, 'sending 1200': 750000, '1200 check': 3024, 'everybody maybe': 286466, 'just restock': 469634, 'sure who need': 827836, 'hear this while': 388013, 'this while you': 891367, 'you are closing': 1017090, 'are closing factory': 85389, 'closing factory and': 183636, 'factory and bringing': 295919, 'and bringing america': 59206, 'bringing america to': 140143, 'america to halt': 51712, 'to halt and': 907097, 'halt and sending': 374424, 'and sending 1200': 71251, 'sending 1200 check': 750001, '1200 check to': 3025, 'check to everybody': 174684, 'to everybody maybe': 905321, 'everybody maybe you': 286467, 'could just restock': 209359, 'just restock the': 469635, 'restock the hand': 716923, 'poortiming': 664405, 'further on': 342124, '1st poortiming': 12779, 'nice to know': 562491, 'is caring about': 446386, 'caring about it': 164695, 'about it customer': 25572, 'it customer during': 457449, 'outbreak they will': 628743, 'they will support': 883893, 'will support you': 995035, 'support you by': 827009, 'you by raising': 1017594, 'raising price further': 696114, 'price further on': 674144, 'further on april': 342125, 'on april 1st': 599436, 'april 1st poortiming': 83443, 'maturity': 520710, 'oman talk': 598848, 'loan of': 497482, 'around billion': 93227, 'raise debt': 695827, 'and finance': 62864, '2020 deficit': 14267, 'deficit have': 232247, 'country deal': 210572, 'government had': 360172, 'had explored': 373091, 'explored different': 292510, 'different option': 242010, 'option including': 614058, 'including bank': 431885, 'bank loan': 109984, 'loan with': 497561, '10 maturity': 1514, 'maturity reuters': 520711, 'oman talk for': 598849, 'talk for loan': 833794, 'for loan of': 323038, 'loan of around': 497483, 'of around billion': 580372, 'around billion to': 93229, 'billion to raise': 130930, 'to raise debt': 912718, 'raise debt and': 695828, 'debt and finance': 230418, 'and finance the': 62866, 'finance the 2020': 306279, 'the 2020 deficit': 848021, '2020 deficit have': 14268, 'deficit have been': 232248, 'have been put': 379649, 'on hold the': 601343, 'hold the country': 400016, 'the country deal': 852062, 'country deal with': 210573, 'deal with and': 229535, 'with and plunging': 997248, 'price the government': 676835, 'the government had': 856544, 'government had explored': 360173, 'had explored different': 373092, 'explored different option': 292511, 'different option including': 242012, 'option including bank': 614059, 'including bank loan': 431886, 'bank loan with': 109986, 'loan with 10': 497562, 'with 10 maturity': 996922, '10 maturity reuters': 1515, 'trump double': 933531, 'on calling': 599773, 'virus claiming': 958062, 'claiming it': 179906, 'not racist': 571197, 'racist hate': 695314, 'hate crime': 378875, 'racism against': 695272, 'against asian': 37336, 'asian american': 95245, 'continue actually': 200986, 'actually feel': 30797, 'feel unsafe': 302914, 'unsafe going': 943393, 'now went': 576369, 'went last': 979057, 'got many': 358689, 'and side': 71649, 'side eyeing': 768811, 'trump double down': 933532, 'double down on': 256008, 'down on calling': 257015, 'on calling covid': 599774, 'chinese virus claiming': 177376, 'virus claiming it': 958063, 'claiming it not': 179907, 'it not racist': 459912, 'not racist hate': 571199, 'racist hate crime': 695315, 'hate crime and': 378876, 'crime and racism': 216772, 'and racism against': 69896, 'racism against asian': 695273, 'against asian american': 37337, 'asian american continue': 95248, 'american continue actually': 51899, 'continue actually feel': 200987, 'actually feel unsafe': 30798, 'feel unsafe going': 302915, 'unsafe going to': 943394, 'store now went': 809136, 'now went last': 576370, 'went last night': 979058, 'night and got': 562941, 'and got many': 63859, 'got many dirty': 358690, 'look and side': 502235, 'and side eyeing': 71650, 'industry gear': 435842, 'gear up': 345002, 'demand trading': 236416, 'trading hit': 928867, 'hit christmas': 398195, 'level catch': 487531, 'news headline': 560501, 'here food': 392986, 'food foodnews': 314497, 'foodnews trade': 318020, 'trade foodandbeverage': 928492, 'manufacturing industry gear': 513611, 'industry gear up': 435843, 'gear up to': 345004, 'up to increase': 946391, 'in demand trading': 422165, 'demand trading hit': 236417, 'trading hit christmas': 928868, 'hit christmas level': 398196, 'christmas level catch': 178188, 'level catch up': 487532, 'up on all': 945521, 'on all food': 599225, 'all food industry': 42813, 'food industry news': 315019, 'industry news headline': 436007, 'news headline and': 560502, 'headline and read': 385984, 'and read more': 69979, 'more here food': 539420, 'here food foodnews': 392987, 'food foodnews trade': 314498, 'foodnews trade foodandbeverage': 318021, 'cota': 208389, 'out cota': 625907, 'cota nsw': 208390, 'nsw special': 576715, 'edition newsletter': 268622, 'newsletter on': 561040, 'this addition': 886199, 'addition we': 31756, 'talk through': 833864, 'through basic': 894345, 'basic safety': 112045, 'australian strength': 103547, 'strength for': 813223, 'life update': 489165, 'and detail': 61285, 'it below': 456840, 'check out cota': 174542, 'out cota nsw': 625908, 'cota nsw special': 208391, 'nsw special edition': 576716, 'special edition newsletter': 787902, 'edition newsletter on': 268624, 'newsletter on covid': 561041, '19 in this': 7794, 'in this addition': 429898, 'this addition we': 886200, 'addition we talk': 31758, 'we talk through': 973496, 'talk through basic': 833865, 'through basic safety': 894346, 'basic safety information': 112046, 'safety information for': 730583, 'information for older': 437829, 'older australian strength': 598583, 'australian strength for': 103548, 'strength for life': 813224, 'for life update': 322974, 'life update and': 489166, 'update and detail': 946861, 'and detail on': 61286, 'detail on supermarket': 239230, 'on supermarket shopping': 603808, 'supermarket shopping read': 822646, 'shopping read it': 763723, 'read it below': 700382, 'discontinuing': 244432, 'redner': 705760, 'vee is': 953692, 'is discontinuing': 447202, 'discontinuing it': 244433, 'store circular': 806977, 'circular schnucks': 178649, 'schnucks is': 741649, 'service counter': 752259, 'and redner': 70090, 'redner is': 705761, 'banning reusable': 110643, 'hy vee is': 411889, 'vee is discontinuing': 953693, 'is discontinuing it': 447203, 'discontinuing it store': 244434, 'it store circular': 461286, 'store circular schnucks': 806978, 'circular schnucks is': 178650, 'schnucks is closing': 741650, 'closing it customer': 183670, 'it customer service': 457453, 'customer service counter': 222819, 'service counter and': 752260, 'counter and redner': 210192, 'and redner is': 70091, 'redner is banning': 705762, 'is banning reusable': 445995, 'banning reusable bag': 110644, '29 and': 16466, 'mom will': 535842, 'she pick': 756262, 'yes 29 and': 1015364, '29 and yes': 16467, 'my mom will': 549290, 'mom will not': 535844, 'will not let': 994243, 'not let me': 570371, 'let me out': 486906, 'car and make': 162998, 'and make me': 66561, 'make me sit': 510144, 'while she pick': 987254, 'she pick up': 756263, 'up some thing': 946039, 'some thing from': 784040, 'marry': 518011, 'not safer': 571422, 'safer there': 730392, 'been grocery': 121237, 'positive well': 665483, 'to marry': 909866, 'marry now': 518012, 'is not safer': 450179, 'not safer there': 571423, 'safer there have': 730393, 'have been grocery': 379562, 'been grocery store': 121238, 'worker being tested': 1006526, 'being tested positive': 125913, 'tested positive well': 839357, 'positive well delivery': 665484, 'well delivery worker': 978145, 'delivery worker being': 234769, 'for the who': 326779, 'the who you': 871475, 'who you going': 990076, 'going to marry': 355652, 'to marry now': 909867, 'wino': 996106, 'winemaking': 995941, 'about very': 26823, 'very small': 955551, 'small winery': 775194, 'winery donates': 995951, 'donates their': 254403, 'their wine': 875196, 'wine to': 995919, 'sanitizers model': 736347, 'all wino': 45474, 'wino winetasting': 996107, 'winelover winemaking': 995940, 'another great story': 77646, 'great story about': 363010, 'story about very': 811899, 'about very small': 26824, 'very small winery': 955552, 'small winery donates': 775195, 'winery donates their': 995952, 'donates their wine': 254404, 'their wine to': 875197, 'wine to produce': 995920, 'produce hand sanitizers': 680291, 'hand sanitizers model': 375709, 'sanitizers model for': 736348, 'model for all': 535250, 'for all wino': 319188, 'all wino winetasting': 45475, 'wino winetasting winedrinking': 996108, 'winedrinking winelover winemaking': 995933, 'indiafightscoronavirus first': 434742, 'unnecessary gathering': 942912, 'gathering travelling': 344521, 'travelling be': 930682, 'be hygienic': 115338, 'hygienic take': 412233, 'take health': 832164, 'good rest': 357661, 'rest also': 716142, 'make aware': 509723, 'aware others': 105650, 'it pandemic': 460238, 'not fatal': 569370, 'fatal disease': 300224, 'indiafightscoronavirus first of': 434743, 'first of all': 308813, 'all we do': 45406, 'not panic avoid': 570896, 'panic avoid unnecessary': 637392, 'avoid unnecessary gathering': 105374, 'unnecessary gathering travelling': 942913, 'gathering travelling be': 344522, 'travelling be hygienic': 930683, 'be hygienic take': 115339, 'hygienic take health': 412234, 'take health food': 832165, 'health food good': 386443, 'food good rest': 314692, 'good rest also': 357662, 'rest also make': 716143, 'also make aware': 48502, 'make aware others': 509724, 'aware others that': 105651, 'others that it': 621697, 'that it pandemic': 844732, 'it pandemic not': 460239, 'pandemic not fatal': 636052, 'not fatal disease': 569371, 'normal which': 567413, 'will persist': 994410, 'persist in': 652262, 'more proven': 540173, 'proven method': 686173, 'have to adapt': 383151, '19 normal which': 8823, 'normal which new': 567415, 'which new strategy': 986175, 'strategy will persist': 812747, 'will persist in': 994412, 'persist in the': 652264, 'future and which': 342256, 'which will fall': 986486, 'will fall back': 993402, 'back on more': 107192, 'on more proven': 602213, 'more proven method': 540174, 'pandemic almost': 634822, 'total from': 926166, 'january 21': 464635, 'march according': 515256, 'the shanghai': 866781, 'shanghai consumer': 754800, '19 pandemic almost': 9260, 'pandemic almost 40': 634823, 'almost 40 percent': 46507, 'the total from': 869814, 'total from january': 926167, 'from january 21': 336142, 'january 21 to': 464636, '21 to the': 15036, 'to the end': 916672, 'of march according': 586199, 'march according to': 515257, 'to the shanghai': 917052, 'the shanghai consumer': 866782, 'shanghai consumer council': 754801, 'pandemic hoosier': 635651, 'hoosier should': 403380, 'charity scam': 173680, 'scam any': 740032, 'any suspected': 79935, 'the indiana': 858130, 'indiana attorney': 434917, 'general here': 345352, 'the pandemic hoosier': 862991, 'pandemic hoosier should': 635652, 'hoosier should be': 403381, 'should be cautious': 765580, 'cautious of price': 168226, 'gouging and charity': 359244, 'and charity scam': 59758, 'charity scam any': 173681, 'scam any suspected': 740033, 'any suspected scam': 79936, 'suspected scam can': 829535, 'scam can be': 740100, 'can be reported': 157675, 'protection division of': 685398, 'division of the': 248683, 'of the office': 591286, 'of the indiana': 591138, 'the indiana attorney': 858131, 'indiana attorney general': 434918, 'attorney general here': 102641, 'friend sent': 333803, 'me picture': 523335, 'friend sent me': 333804, 'sent me picture': 750775, 'me picture from': 523336, 'staff throughout': 792977, 'country working': 211266, 'supplier driver': 824526, 'thankful for this': 841913, 'store staff throughout': 810330, 'staff throughout the': 792978, 'the country working': 852187, 'country working hard': 211267, 'help and all': 389347, 'all the supplier': 44935, 'the supplier driver': 868934, 'supplier driver etc': 824528, 'jogging': 466500, 'procession': 680051, 'no mall': 564692, 'mall no': 511804, 'no movie': 564836, 'movie no': 544032, 'no amazon': 563605, 'no office': 564904, 'office no': 595493, 'no traffic': 565796, 'traffic no': 929118, 'no train': 565799, 'train no': 929267, 'no swimming': 565652, 'pool no': 664014, 'no jogging': 564543, 'jogging no': 466503, 'no gym': 564392, 'gym no': 369334, 'football no': 318504, 'no wedding': 565880, 'wedding no': 975571, 'no procession': 565209, 'procession no': 680052, 'no church': 563810, 'church no': 178390, 'no barber': 563663, 'barber shop': 110808, 'no party': 565068, 'party no': 643011, 'restaurant still': 716714, 'still we': 801397, 'we survive': 973464, 'no mall no': 564693, 'mall no movie': 511805, 'no movie no': 564837, 'movie no supermarket': 544033, 'no supermarket no': 565623, 'supermarket no amazon': 821605, 'no amazon no': 563606, 'amazon no office': 51046, 'no office no': 564905, 'office no school': 595494, 'no school no': 565426, 'school no traffic': 741874, 'no traffic no': 565798, 'traffic no train': 929119, 'no train no': 565800, 'train no flight': 929268, 'flight no swimming': 310513, 'no swimming pool': 565653, 'swimming pool no': 830361, 'pool no jogging': 664015, 'no jogging no': 564544, 'jogging no gym': 466504, 'no gym no': 564393, 'gym no football': 369335, 'no football no': 564291, 'football no wedding': 318505, 'no wedding no': 565881, 'wedding no procession': 975572, 'no procession no': 565210, 'procession no church': 680053, 'no church no': 563811, 'church no barber': 178391, 'no barber shop': 563664, 'barber shop no': 110810, 'shop no party': 760485, 'no party no': 565069, 'party no restaurant': 643013, 'no restaurant still': 565351, 'restaurant still we': 716716, 'still we survive': 801399, 'issue online': 455876, 'home corona': 400935, 'corona theshoppies': 204227, 'theshoppies onlineshopping': 881014, 'onlineshopping stayathome': 609939, '19 issue online': 8117, 'issue online shopping': 455877, 'is best solution': 446145, 'best solution to': 127907, 'solution to stay': 782112, 'at home corona': 98959, 'home corona theshoppies': 400936, 'corona theshoppies onlineshopping': 204228, 'theshoppies onlineshopping stayathome': 881015, 'supermarket continue': 819766, 'operate under': 613019, 'under stricter': 940275, 'stricter guideline': 813664, 'massachusetts and': 519898, 'and supermarket continue': 72710, 'supermarket continue to': 819768, 'to operate under': 911025, 'operate under stricter': 613020, 'under stricter guideline': 940276, 'stricter guideline in': 813665, 'guideline in massachusetts': 368439, 'in massachusetts and': 425176, 'massachusetts and around': 519899, 'the country but': 852055, 'country but some': 210530, 'but some grocery': 147094, 'some grocery worker': 783009, 'grocery worker say': 366187, 'still being exposed': 800275, 'exposed to potential': 292904, 'to potential covid': 911931, 'stocker tell': 803521, 'them today': 876534, 're shelterinplace': 699496, 'shelterinplace so': 758023, 'this crisis are': 887018, 'crisis are grocery': 217079, 'clerk and shelf': 181643, 'shelf stocker tell': 757597, 'stocker tell them': 803522, 'tell them when': 837108, 'see them today': 745919, 'them today we': 876535, 'we re shelterinplace': 972960, 're shelterinplace so': 699497, 'shelterinplace so we': 758024, 'ultimateloveng': 939135, 'cov19game': 212138, 'dancegan': 225588, 'terry': 838634, 'edmund': 268732, 'obilo': 578399, 'website online': 975374, 'store blog': 806740, 'blog etc': 132923, 'help retweet': 390459, 'retweet ultimateloveng': 720095, 'ultimateloveng cov19game': 939136, 'cov19game dancegan': 212139, 'dancegan twitterdoyourthing': 225589, 'twitterdoyourthing rosie': 936753, 'rosie terry': 726124, 'terry edmund': 838637, 'edmund obilo': 268733, 'your website online': 1026324, 'website online shopping': 975375, 'online shopping store': 609288, 'shopping store blog': 763990, 'store blog etc': 806741, 'blog etc please': 132924, 'etc please help': 282706, 'please help retweet': 660079, 'help retweet ultimateloveng': 390460, 'retweet ultimateloveng cov19game': 720096, 'ultimateloveng cov19game dancegan': 939137, 'cov19game dancegan twitterdoyourthing': 212140, 'dancegan twitterdoyourthing rosie': 225590, 'twitterdoyourthing rosie terry': 936754, 'rosie terry edmund': 726125, 'terry edmund obilo': 838638, 'selfish stop': 748273, 'buy stuff': 149249, 'stuff normally': 815148, 'normally cannot': 567487, 'our dinner': 622757, 'dinner with': 243114, 'with important': 998956, 'important part': 418912, 'of chilli': 581353, 'chilli is': 176399, 'is mince': 449652, 'mince but': 532603, 'any shop': 79793, 'shop selfish': 760744, 'are just selfish': 87635, 'just selfish stop': 469753, 'selfish stop stock': 748274, 'food people like': 315835, 'me who are': 523964, 'to buy stuff': 902310, 'buy stuff normally': 149250, 'stuff normally cannot': 815149, 'normally cannot find': 567488, 'find essential to': 306895, 'essential to make': 281703, 'make our dinner': 510287, 'our dinner with': 622758, 'dinner with important': 243116, 'with important part': 998957, 'important part of': 418913, 'part of chilli': 642336, 'of chilli is': 581354, 'chilli is mince': 176400, 'is mince but': 449653, 'mince but can': 532604, 'but can find': 145349, 'find any on': 306798, 'shelf in any': 757186, 'in any shop': 420437, 'any shop selfish': 79797, 'suggests have': 817693, 'have necessary': 381555, 'necessary medication': 554032, 'medication amp': 526621, 'treat cold': 930811, 'symptom have': 830852, 'enough household': 277478, 'suggests have necessary': 817694, 'have necessary medication': 381556, 'necessary medication amp': 554033, 'medication amp medical': 526622, 'supply to treat': 826034, 'to treat cold': 917742, 'treat cold and': 930812, 'and flu fever': 62999, 'flu fever and': 311411, 'fever and other': 303655, 'and other symptom': 68421, 'other symptom have': 621054, 'symptom have enough': 830853, 'have enough household': 380453, 'enough household item': 277479, 'item and grocery': 463055, 'and grocery on': 63993, 'grocery on hand': 364767, 'hand to stay': 375874, 'home for period': 401242, 'tunic': 935454, 'workwear': 1009244, 'helpthenhs': 391639, 'menstunics': 528622, 'tabard': 831439, 'onlinediacount': 609811, 'scrubtrousers': 742929, 'scrubtops': 742928, 'of scrub': 589419, 'scrub tunic': 742913, 'tunic with': 935457, 'off price': 594085, 'price workwear': 677647, 'workwear hospital': 1009245, 'hospital scrub': 404603, 'tunic discount': 935455, 'discount nh': 244496, 'nh helpthenhs': 561969, 'helpthenhs menstunics': 391640, 'menstunics tabard': 528623, 'tabard onlinediacount': 831440, 'onlinediacount 10': 609812, 'off scrubtrousers': 594126, 'scrubtrousers scrubtops': 742930, 'stock of scrub': 802543, 'of scrub tunic': 589420, 'scrub tunic with': 742915, 'tunic with 10': 935458, 'with 10 off': 996923, '10 off price': 1580, 'off price workwear': 594087, 'price workwear hospital': 677648, 'workwear hospital scrub': 1009246, 'hospital scrub tunic': 404604, 'scrub tunic discount': 742914, 'tunic discount nh': 935456, 'discount nh helpthenhs': 244497, 'nh helpthenhs menstunics': 561970, 'helpthenhs menstunics tabard': 391641, 'menstunics tabard onlinediacount': 528624, 'tabard onlinediacount 10': 831441, 'onlinediacount 10 off': 609813, '10 off scrubtrousers': 1581, 'off scrubtrousers scrubtops': 594127, 'proceeding': 679844, 'effective 19': 269202, 'at noon': 99903, 'noon est': 566842, 'est rr': 282004, 'rr holding': 726675, 'holding will': 400192, 'office warehouse': 595580, 'warehouse retail': 966757, 'ass our': 96268, 'know next': 476623, 'be proceeding': 116552, 'proceeding to': 679845, 'effective 19 2020': 269203, '19 2020 at': 4726, '2020 at noon': 14163, 'at noon est': 99904, 'noon est rr': 566843, 'est rr holding': 282005, 'rr holding will': 726676, 'holding will be': 400193, 'closing our office': 183718, 'our office warehouse': 624120, 'office warehouse retail': 595581, 'warehouse retail store': 966758, 'store to ass': 810755, 'to ass our': 900772, 'ass our response': 96269, 'outbreak we will': 628803, 'we will let': 973875, 'will let you': 993981, 'you know next': 1019513, 'know next week': 476624, 'next week how': 561687, 'week how we': 976343, 'how we will': 409198, 'will be proceeding': 992619, 'be proceeding to': 116553, 'had street': 373570, 'street sign': 813110, 'direct traffic': 243399, 'traffic road': 929128, 'road rule': 724503, 'rule now': 727304, 'now apply': 574088, 'apply just': 82574, 'imagine where': 416828, 'turn signal': 935761, 'signal on': 769310, 'cart socialdistancing': 165383, 'and very': 74934, 'very sobering': 955555, 'they had street': 882265, 'had street sign': 373571, 'street sign on': 813111, 'sign on the': 769183, 'floor of the': 310833, 'supermarket to direct': 823367, 'to direct traffic': 904324, 'direct traffic road': 243400, 'traffic road rule': 929129, 'road rule now': 724504, 'rule now apply': 727305, 'now apply just': 574089, 'apply just can': 82575, 'can imagine where': 158722, 'imagine where we': 416829, 'where we re': 985347, 're going from': 698749, 'going from here': 355173, 'from here turn': 335785, 'here turn signal': 393752, 'turn signal on': 935762, 'signal on the': 769311, 'on the shopping': 604360, 'shopping cart socialdistancing': 762316, 'cart socialdistancing is': 165384, 'socialdistancing is real': 780472, 'real and very': 701038, 'and very sobering': 74941, 'swimsuit': 830368, 'had me': 373290, 'me switch': 523576, 'for swimsuit': 326106, 'swimsuit to': 830371, 'for pjs': 324559, 'pjs real': 657247, '19 had me': 7411, 'had me switch': 373291, 'me switch from': 523577, 'switch from online': 830492, 'shopping for swimsuit': 762716, 'for swimsuit to': 326107, 'swimsuit to online': 830372, 'shopping for pjs': 762706, 'for pjs real': 324560, 'pjs real quick': 657248, 'tripathy': 932231, 'edgy': 268530, 'tripathy think': 932232, 'through considering': 894381, 'how edgy': 407791, 'edgy and': 268531, 'oriented they': 619533, 'medium over': 527209, 'tripathy think brand': 932233, 'think brand like': 885169, 'brand like and': 137887, 'like and do': 489782, 'and do have': 61551, 'do have the': 249377, 'have the capability': 382965, 'the capability to': 850353, 'capability to follow': 162473, 'follow this through': 312569, 'this through considering': 890597, 'through considering how': 894382, 'considering how edgy': 195379, 'how edgy and': 407792, 'edgy and consumer': 268532, 'and consumer oriented': 60411, 'consumer oriented they': 198299, 'oriented they have': 619534, 'been on social': 121599, 'social medium over': 779871, 'medium over time': 527210, 'mass meeting': 519810, 'meeting etc': 527696, 'temporary supermarket stocking': 837707, 'supermarket stocking essential': 822973, 'stocking essential product': 803552, 'essential product for': 281419, 'product for local': 681201, 'on mass meeting': 602051, 'mass meeting etc': 519811, 'dear humanity': 229810, 'humanity people': 410764, 'must help': 546712, 'must leave': 546750, 'can for': 158374, 'dear humanity people': 229811, 'humanity people we': 410765, 'people we must': 650155, 'we must help': 972419, 'must help each': 546714, 'other to survive': 621136, 'survive this we': 829272, 'we must leave': 972425, 'must leave enough': 546751, 'food for others': 314561, 'others to survive': 621737, 'survive this outbreak': 829264, 'this outbreak please': 889326, 'outbreak please do': 628536, 'whatever you can': 982817, 'you can for': 1017680, 'can for yourself': 158377, 'for yourself please': 328238, 'yourself please set': 1026682, 'please set limit': 660471, 'limit on what': 492434, 'what people can': 982006, 'is these': 453046, 'abuse especially': 27629, 'what minimum': 981872, 'definitely these': 232405, 'sense pei': 750569, 'just mean if': 469252, 'mean if anyone': 524490, 'anyone is going': 80388, 'get it it': 347410, 'it is these': 459101, 'is these people': 453049, 'been taking lot': 122136, 'of abuse especially': 579724, 'abuse especially grocery': 27630, 'store staff for': 810316, 'staff for what': 792468, 'for what minimum': 327802, 'what minimum wage': 981873, 'minimum wage if': 533234, 'wage if anyone': 963899, 'anyone is making': 80391, 'making money it': 511226, 'money it definitely': 536855, 'it definitely these': 457497, 'definitely these store': 232406, 'these store only': 880738, 'store only make': 809243, 'only make sense': 610757, 'make sense pei': 510442, '3thingstoknow': 18472, '3thingstoknow for': 18473, 'for tuesday': 327377, 'tuesday farmer': 935147, 'wuhan region': 1013512, 'from unused': 338195, 'unused crop': 943967, 'restriction online': 717351, 'during stock': 263058, 'stock closed': 801994, 'closed lower': 183210, 'lower economicsinthenews': 505850, '3thingstoknow for tuesday': 18474, 'for tuesday farmer': 327378, 'tuesday farmer in': 935148, 'in the wuhan': 429696, 'the wuhan region': 872121, 'wuhan region of': 1013513, 'region of china': 707443, 'of china are': 581358, 'china are suffering': 176503, 'suffering from unused': 817316, 'from unused crop': 338196, 'unused crop due': 943968, 'travel restriction online': 930490, 'restriction online food': 717352, 'with demand during': 997976, 'demand during stock': 235273, 'during stock closed': 263059, 'stock closed lower': 801996, 'closed lower economicsinthenews': 183211, 'dung': 262284, 'kilo': 474738, 'coronapakistan': 205141, 'india cow': 434370, 'urine cow': 948470, 'cow dung': 214455, 'dung price': 262287, 'gone higher': 356301, 'than milk': 840890, 'milk 500': 531535, '500 per': 20038, 'per kilo': 650905, 'kilo now': 474741, 'business coronainpakistan': 143581, 'coronainpakistan coronapakistan': 205006, 'coronapakistan stayathomechallenge': 205142, 'india cow urine': 434371, 'cow urine cow': 214466, 'urine cow dung': 948471, 'cow dung price': 214457, 'dung price gone': 262288, 'price gone higher': 674220, 'gone higher than': 356302, 'higher than milk': 395758, 'than milk 500': 840891, 'milk 500 per': 531536, '500 per kilo': 20040, 'per kilo now': 650906, 'kilo now time': 474743, 'to start new': 915208, 'start new business': 794395, 'new business coronainpakistan': 558427, 'business coronainpakistan coronapakistan': 143582, 'coronainpakistan coronapakistan stayathomechallenge': 205007, 'tor': 925871, 'construction still': 195822, 'happening is': 377369, 'nut however': 577662, 'however given': 409374, 'our toilet': 625155, 'paper craze': 640067, 'in tor': 430196, 'tor speaking': 925872, 'speaking locally': 787761, 'locally worldwide': 498787, 'worldwide think': 1010432, 'basic no': 112017, 'frill metro': 334077, 'metro type': 529947, 'type store': 937608, 'or would': 617849, 'would shutter': 1012239, 'shutter to': 768199, 'to thin': 917366, 'construction still happening': 195823, 'still happening is': 800631, 'happening is nut': 377370, 'is nut however': 450374, 'nut however given': 577663, 'however given our': 409375, 'given our toilet': 351067, 'our toilet paper': 625156, 'toilet paper craze': 921246, 'paper craze in': 640068, 'craze in tor': 215200, 'in tor speaking': 430197, 'tor speaking locally': 925873, 'speaking locally worldwide': 787762, 'locally worldwide think': 498788, 'worldwide think grocery': 1010433, 'store food basic': 807763, 'food basic no': 313682, 'basic no frill': 112018, 'no frill metro': 564313, 'frill metro type': 334078, 'metro type store': 529948, 'type store need': 937609, 'stay open or': 797160, 'open or would': 612429, 'or would shutter': 617850, 'would shutter to': 1012240, 'shutter to thin': 768200, 'grap': 362122, 'handgel': 376108, 'tasneemnaturel': 834764, 'bbw': 113215, 'cfbath': 170294, 'bugsaway': 141923, 'kleenzy': 475911, 'bacout': 107648, 'calmbath': 156831, 'ibumengandung': 412591, 'nontoxic': 566759, 'sleeptime': 773823, 'calmtime': 156876, 'grap some': 362123, 'safe handsanitizer': 729731, 'handsanitizer natural': 376591, 'natural bathandbodyworks': 552810, 'bathandbodyworks sanitizer': 112605, 'sanitizer handgel': 735027, 'handgel tasneemnaturel': 376111, 'tasneemnaturel bbw': 834765, 'bbw cfbath': 113216, 'cfbath bugsaway': 170295, 'bugsaway kleenzy': 141924, 'kleenzy bacout': 475912, 'bacout calmbath': 107649, 'calmbath antibacterial': 156832, 'antibacterial skincare': 78374, 'skincare essentialoils': 773095, 'essentialoils ibumengandung': 281920, 'ibumengandung nontoxic': 412592, 'nontoxic sleeptime': 566760, 'sleeptime calmtime': 773824, 'calmtime coronav': 156877, 'grap some for': 362124, 'family and keep': 297592, 'and keep in': 65764, 'keep in safe': 471594, 'in safe handsanitizer': 427618, 'safe handsanitizer natural': 729732, 'handsanitizer natural bathandbodyworks': 376592, 'natural bathandbodyworks sanitizer': 552811, 'bathandbodyworks sanitizer handgel': 112606, 'sanitizer handgel tasneemnaturel': 735028, 'handgel tasneemnaturel bbw': 376112, 'tasneemnaturel bbw cfbath': 834766, 'bbw cfbath bugsaway': 113217, 'cfbath bugsaway kleenzy': 170296, 'bugsaway kleenzy bacout': 141925, 'kleenzy bacout calmbath': 475913, 'bacout calmbath antibacterial': 107650, 'calmbath antibacterial skincare': 156833, 'antibacterial skincare essentialoils': 78375, 'skincare essentialoils ibumengandung': 773096, 'essentialoils ibumengandung nontoxic': 281921, 'ibumengandung nontoxic sleeptime': 412593, 'nontoxic sleeptime calmtime': 566761, 'sleeptime calmtime coronav': 773825, 'corovnavirus': 207170, 'only post': 611005, 'post negative': 666218, 'negative comment': 556741, 'medium in': 527143, 'of hysteria': 584950, 'hysteria over': 412469, 'over corovnavirus': 630121, 'corovnavirus no': 207173, 'everything went': 288098, 'went well': 979232, 'doesn attract': 251710, 'attract attention': 102695, 'why hysteria': 991080, 'hysteria exists': 412443, 'forget that people': 329293, 'that people only': 845704, 'people only post': 648992, 'only post negative': 611006, 'post negative comment': 666219, 'negative comment on': 556742, 'comment on social': 188439, 'social medium in': 779859, 'medium in term': 527144, 'term of hysteria': 838220, 'of hysteria over': 584951, 'hysteria over corovnavirus': 412470, 'over corovnavirus no': 630122, 'corovnavirus no one': 207174, 'one will say': 607475, 'will say they': 994751, 'say they went': 739354, 'store and everything': 806239, 'and everything went': 62431, 'everything went well': 288100, 'went well it': 979233, 'well it doesn': 978337, 'it doesn attract': 457624, 'doesn attract attention': 251711, 'attract attention and': 102696, 'attention and is': 102426, 'and is the': 65434, 'only reason why': 611060, 'reason why hysteria': 703059, 'why hysteria exists': 991081, 'are rationing': 89441, 'prevent shortage': 671711, 'pandemic spark': 636518, 'spark wave': 787564, 'buying cnn': 150122, 'world are rationing': 1009321, 'are rationing food': 89442, 'and household staple': 64791, 'staple in an': 793957, 'attempt to prevent': 102255, 'to prevent shortage': 912087, 'prevent shortage the': 671712, 'shortage the coronavirus': 765253, 'coronavirus pandemic spark': 206488, 'pandemic spark wave': 636519, 'spark wave of': 787565, 'wave of panic': 969377, 'panic buying cnn': 637680, 'qpay': 691583, 'qatari': 691511, 'qpay cut': 691584, 'cut po': 223486, 'po price': 662133, 'help qatari': 390393, 'qatari smes': 691514, 'smes fight': 775643, 'qpay cut po': 691585, 'cut po price': 223487, 'po price by': 662134, 'by 50 to': 151674, '50 to help': 19891, 'to help qatari': 907598, 'help qatari smes': 390394, 'qatari smes fight': 691515, 'smes fight covid': 775644, 'welp this': 978881, 'month oregon': 537937, 'oregon winco': 619164, 'winco worker': 995616, 'for via': 327551, 'welp this is': 978882, 'to the past': 916947, 'past month oregon': 643573, 'month oregon winco': 537938, 'oregon winco worker': 619165, 'winco worker test': 995617, 'positive for via': 665331, 'arch': 84037, 'on arch': 599456, 'arch st': 84040, 'st in': 791707, 'philly is': 654770, 'chance limiting': 171742, 'limiting entry': 492811, 'certain number': 170064, 'giving hand': 351303, 'everyone coming': 286789, 'on arch st': 599457, 'arch st in': 84041, 'st in philly': 791709, 'in philly is': 426690, 'philly is taking': 654771, 'is taking no': 452555, 'no chance limiting': 563782, 'chance limiting entry': 171743, 'limiting entry to': 492812, 'entry to certain': 279032, 'to certain number': 902580, 'certain number and': 170065, 'number and giving': 576818, 'and giving hand': 63677, 'giving hand sanitizer': 351304, 'sanitizer to everyone': 735919, 'to everyone coming': 905332, 'everyone coming in': 286790, 'confidence weakened': 193981, 'weakened in': 974072, 'march trust': 515502, 'in own': 426394, 'own economy': 631957, 'economy agenparl': 267616, 'agenparl finland': 38137, 'finland iorestoacasa': 307966, 'consumer confidence weakened': 196932, 'confidence weakened in': 193982, 'weakened in march': 974073, 'in march trust': 425125, 'march trust in': 515503, 'trust in own': 934274, 'in own economy': 426395, 'own economy agenparl': 631958, 'economy agenparl finland': 267617, 'agenparl finland iorestoacasa': 38138, 'ker': 473102, 'poor ker': 664208, 'ker almost': 473103, 'almost feel': 46644, 'he won': 385676, 'won suffer': 1003915, 'trump medium': 933701, 'hype stock': 412273, 'market plan': 516854, 'will more': 994123, 'american dream': 51924, 'dream sat': 258621, 'sat at': 736890, 'home bored': 400806, 'bored no': 135359, 'income pi': 432437, 'poor ker almost': 664209, 'ker almost feel': 473104, 'almost feel sorry': 46646, 'sorry for him': 786044, 'him he won': 396620, 'he won suffer': 385678, 'won suffer the': 1003916, 'suffer the aftermath': 817236, 'aftermath of trump': 36660, 'of trump medium': 592474, 'trump medium hype': 933702, 'medium hype stock': 527142, 'hype stock market': 412274, 'stock market plan': 802420, 'market plan the': 516855, 'plan the public': 658249, 'public will more': 688485, 'will more will': 994124, 'more will die': 540987, 'the recession the': 865342, 'recession the american': 704378, 'the american dream': 848628, 'american dream sat': 51925, 'dream sat at': 258622, 'sat at home': 736891, 'at home bored': 98950, 'home bored no': 400808, 'bored no food': 135360, 'food no income': 315545, 'no income pi': 564496, 'and trick': 74452, 'trick for': 931697, 'still possible': 801053, 'delivered recommendation': 233383, 'are independently': 87520, 'independently chosen': 434157, 'chosen by': 178029, 'by reviewed': 153810, 'reviewed editor': 720604, 'tip and trick': 898707, 'and trick for': 74453, 'trick for grocery': 931698, 'pandemic it is': 635825, 'is still possible': 452304, 'still possible to': 801054, 'possible to get': 665844, 'grocery delivered recommendation': 364427, 'delivered recommendation are': 233384, 'recommendation are independently': 704736, 'are independently chosen': 87521, 'independently chosen by': 434158, 'chosen by reviewed': 178030, 'by reviewed editor': 153811, 'at nba': 99853, 'player thanks': 659339, 'kid are going': 473865, 'going to look': 355647, 'look at grocery': 502265, 'worker like how': 1007320, 'like how they': 490458, 'how they used': 408933, 'they used to': 883625, 'used to look': 950066, 'look at nba': 502277, 'at nba player': 99854, 'nba player thanks': 553212, 'player thanks to': 659340, 'getbeer': 348772, 'every man': 285990, 'on route': 603224, 'that announcement': 842665, 'announcement from': 77151, 'from boris': 334709, 'boris coronacrisis': 135449, 'coronacrisis getbeer': 204613, 'every man on': 285992, 'man on route': 512171, 'on route to': 603226, 'supermarket after that': 818814, 'after that announcement': 36274, 'that announcement from': 842666, 'announcement from boris': 77152, 'from boris coronacrisis': 334710, 'boris coronacrisis getbeer': 135450, 'tldr': 899344, 'clause': 180405, 'binding': 131063, 'arbitration': 84025, 'arbitrator': 84028, 'tldr they': 899345, 'they introduced': 882475, 'introduced clause': 443420, 'clause in': 180408, 'their cardholder': 872734, 'cardholder policy': 163744, 'that state': 846462, 'can sue': 159844, 'sue them': 817168, 'to binding': 901819, 'binding arbitration': 131064, 'arbitration the': 84026, 'the arbitrator': 848847, 'arbitrator is': 84029, 'is chosen': 446528, 'by them': 154501, 'extremely anti': 293855, 'anti consumer': 78286, 'this during': 887317, 'tldr they introduced': 899346, 'they introduced clause': 882476, 'introduced clause in': 443421, 'clause in their': 180410, 'in their cardholder': 429723, 'their cardholder policy': 872735, 'cardholder policy that': 163745, 'policy that state': 663514, 'that state that': 846463, 'state that you': 795986, 'you can sue': 1017801, 'can sue them': 159845, 'sue them you': 817170, 'them you have': 876678, 'go to binding': 354282, 'to binding arbitration': 901820, 'binding arbitration the': 131065, 'arbitration the arbitrator': 84027, 'the arbitrator is': 848848, 'arbitrator is chosen': 84030, 'is chosen by': 446529, 'chosen by them': 178031, 'by them it': 154503, 'them it an': 875952, 'an extremely anti': 56025, 'extremely anti consumer': 293856, 'anti consumer policy': 78289, 'consumer policy and': 198381, 'policy and doing': 663331, 'and doing this': 61611, 'doing this during': 252761, 'this during the': 887318, 'policy gold': 663417, '19 policy gold': 9746, 'policy gold price': 663418, 'one the coronavirus': 607197, 'get mild': 347565, 'mild covid': 531327, 'transmission high': 929744, 'high study': 395442, 'kid get mild': 473966, 'get mild covid': 347566, 'mild covid 19': 531328, '19 symptom but': 11014, 'symptom but chance': 830825, 'but chance of': 145410, 'chance of transmission': 171774, 'of transmission high': 592422, 'transmission high study': 929745, 'kuwait will': 478001, 'will announce': 992284, 'announce measure': 76849, 'to shore': 914524, 'economy against': 267614, 'report while': 712434, 'bank separately': 110175, 'separately asked': 751098, 'asked bank': 95719, 'ease loan': 265086, 'loan repayment': 497519, 'repayment for': 711485, 'company affected': 190355, 'kuwait will announce': 478002, 'will announce measure': 992285, 'announce measure to': 76850, 'measure to shore': 525406, 'to shore up': 914525, 'shore up the': 764582, 'the economy against': 853933, 'economy against the': 267615, 'according to report': 28582, 'to report while': 913300, 'report while the': 712435, 'while the central': 987374, 'central bank separately': 169378, 'bank separately asked': 110176, 'separately asked bank': 751099, 'asked bank to': 95720, 'bank to ease': 110256, 'to ease loan': 904850, 'ease loan repayment': 265087, 'loan repayment for': 497521, 'repayment for company': 711486, 'for company affected': 320204, 'unbiased': 939527, 'resolute': 714626, 'avid consumer': 104972, 'your intelligent': 1024503, 'intelligent unbiased': 441037, 'unbiased sensitive': 939528, 'sensitive presentation': 750703, 'presentation of': 670645, 'news understand': 560923, 'understand you': 940828, 'cover so': 212281, 'much fact': 544877, 'fact based': 295684, 'based info': 111626, 'info given': 437483, 'given 40': 350936, '40 min': 18610, 'min per': 532564, 'you loud': 1019725, 'clear thank': 181336, 'and resolute': 70315, 'an avid consumer': 55501, 'avid consumer of': 104973, 'of your intelligent': 593489, 'your intelligent unbiased': 1024504, 'intelligent unbiased sensitive': 441038, 'unbiased sensitive presentation': 939529, 'sensitive presentation of': 750704, 'presentation of the': 670646, 'of the news': 591271, 'the news understand': 861635, 'news understand you': 560924, 'understand you can': 940829, 'can only cover': 159122, 'only cover so': 610289, 'cover so much': 212282, 'so much fact': 777773, 'much fact based': 544878, 'fact based info': 295685, 'based info given': 111627, 'info given 40': 437484, 'given 40 min': 350937, '40 min per': 18612, 'min per day': 532565, 'per day we': 650815, 'day we hear': 228678, 'we hear you': 972004, 'hear you loud': 388035, 'you loud and': 1019726, 'and clear thank': 59960, 'clear thank you': 181337, 'you for staying': 1018673, 'staying strong and': 798713, 'strong and resolute': 813978, 'hoping those': 403948, 'are prosecuted': 89288, 'prosecuted once': 684648, 'country win': 211250, 'hoping those who': 403949, 'who have taken': 988961, 'have taken advantage': 382904, 'of by charging': 581021, 'by charging exorbitant': 152103, 'for good are': 321928, 'good are prosecuted': 356772, 'are prosecuted once': 89289, 'prosecuted once the': 684649, 'once the country': 605720, 'the country win': 852183, 'country win fight': 211251, 'several cyber': 753817, 'scam involving': 740213, 'reported all': 712451, 'all texan': 44614, 'are advised': 84241, 'electronic communication': 271261, 'communication with': 189657, 'dangerous attachment': 225724, 'or fraudulent': 615388, 'fraudulent website': 331481, 'website link': 975340, 'link click': 493815, 'avoid cyber': 105077, 'several cyber scam': 753818, 'cyber scam involving': 223938, 'scam involving false': 740216, 'message have been': 529334, 'been reported all': 121826, 'reported all texan': 712452, 'all texan are': 44615, 'texan are advised': 839717, 'are advised to': 84242, 'advised to be': 33649, 'be on alert': 116187, 'on alert for': 599213, 'alert for electronic': 41417, 'for electronic communication': 321007, 'electronic communication with': 271263, 'communication with dangerous': 189658, 'with dangerous attachment': 997920, 'dangerous attachment or': 225725, 'attachment or fraudulent': 102070, 'or fraudulent website': 615389, 'fraudulent website link': 331483, 'website link click': 975341, 'link click below': 493816, 'below for tip': 126652, 'for tip to': 327206, 'to avoid cyber': 900887, 'avoid cyber scam': 105078, 'electronically': 271273, 'closing cancellation': 183606, 'cancellation social': 161071, 'greater portland': 363210, 'portland spread': 665042, 'spread plus': 790755, 'on nursing': 602460, 'homeless find': 402745, 'find in': 306970, 'in print': 426996, 'print at': 678267, 'supermarket online': 821759, 'or read': 616786, 'the print': 864466, 'print edition': 678269, 'edition electronically': 268609, 'electronically at': 271274, 'closing cancellation social': 183607, 'cancellation social distancing': 161072, 'distancing in greater': 247228, 'in greater portland': 423419, 'greater portland spread': 363211, 'portland spread plus': 665043, 'spread plus the': 790756, 'plus the impact': 661694, 'impact on nursing': 417875, 'on nursing home': 602461, 'nursing home the': 577621, 'home the homeless': 402236, 'the homeless find': 857465, 'homeless find in': 402746, 'find in print': 306973, 'in print at': 426997, 'print at your': 678268, 'your supermarket online': 1026053, 'supermarket online at': 821760, 'at or read': 99994, 'or read the': 616789, 'read the print': 700587, 'the print edition': 864467, 'print edition electronically': 678270, 'edition electronically at': 268610, '19 didn': 6544, 'didn cause': 241002, 'wa what': 963693, 'what pushed': 982072, 'pushed it': 690371, 'market wa': 517305, 'wa bubble': 961757, 'bubble real': 141614, 'is bubble': 446288, 'bubble massive': 141610, 'massive consumer': 519989, 'debt low': 230518, 'rate that': 697386, 'didn encourage': 241042, 'encourage saving': 275625, 'covid 19 didn': 212953, '19 didn cause': 6545, 'didn cause the': 241004, 'cause the recession': 167764, 'the recession it': 865339, 'recession it wa': 704310, 'it wa what': 462220, 'wa what pushed': 963695, 'what pushed it': 982073, 'pushed it into': 690373, 'it into recession': 458827, 'into recession stock': 442935, 'recession stock market': 704369, 'stock market wa': 802452, 'market wa bubble': 517307, 'wa bubble real': 961759, 'bubble real estate': 141615, 'estate market is': 282152, 'market is bubble': 516620, 'is bubble massive': 446289, 'bubble massive consumer': 141611, 'massive consumer debt': 519990, 'consumer debt low': 197085, 'debt low interest': 230519, 'interest rate that': 441403, 'rate that didn': 697387, 'that didn encourage': 843526, 'didn encourage saving': 241043, 'quell': 693440, 'oversaturation': 631455, 'on wallstreet': 605097, 'wallstreet fell': 965255, 'on concern': 600003, 'impact corporate': 417620, 'earnings while': 264940, 'were mixed': 979883, 'mixed global': 534627, 'record production': 705050, 'cut failed': 223329, 'to quell': 912659, 'quell doubt': 693441, 'deal will': 229526, 'prevent oversaturation': 671688, 'oversaturation with': 631456, 'stock on wallstreet': 802568, 'on wallstreet fell': 605098, 'wallstreet fell on': 965256, 'monday on concern': 536355, 'on concern about': 600004, 'will impact corporate': 993779, 'impact corporate earnings': 417621, 'corporate earnings while': 207272, 'earnings while crude': 264941, 'price were mixed': 677453, 'were mixed global': 979885, 'mixed global deal': 534628, 'global deal for': 351854, 'deal for record': 229402, 'for record production': 325027, 'record production cut': 705051, 'production cut failed': 681992, 'cut failed to': 223330, 'failed to quell': 296186, 'to quell doubt': 912660, 'quell doubt that': 693442, 'doubt that the': 256219, 'that the deal': 846700, 'the deal will': 852959, 'deal will prevent': 229529, 'will prevent oversaturation': 994446, 'prevent oversaturation with': 671689, 'oversaturation with oil': 631457, 'konga': 477419, 'n10m': 551101, 'solosafe': 781978, 'the konga': 858851, 'konga n10m': 477420, 'n10m covid': 551102, '19 fund': 7168, 'fund simply': 341500, 'simply add': 770174, 'the code': 851124, 'code solosafe': 185396, 'solosafe on': 781979, 'out page': 627005, 'page when': 633913, 'access the konga': 28206, 'the konga n10m': 858852, 'konga n10m covid': 477421, 'n10m covid 19': 551103, 'covid 19 fund': 213134, '19 fund simply': 7170, 'fund simply add': 341501, 'simply add the': 770175, 'add the code': 31502, 'the code solosafe': 851128, 'code solosafe on': 185397, 'solosafe on your': 781980, 'on your check': 605454, 'your check out': 1023190, 'check out page': 174567, 'out page when': 627006, 'page when shopping': 633914, 'kidsathome': 474257, 'gooddaydc': 358010, 'hulu': 410378, 'disneyplus': 246062, 'amazo': 50823, 'please cut': 659868, 'your streaming': 1026005, 'streaming price': 812840, 'half until': 374292, 'june 28': 467992, '28 these': 16406, 'these kid': 880215, 'kid driving': 473926, 'crazy stayathome': 215423, 'lockdown parent': 499773, 'parent kidsathome': 641672, 'kidsathome gooddaydc': 474258, 'gooddaydc netflix': 358011, 'netflix hulu': 557603, 'hulu disneyplus': 410379, 'disneyplus amazo': 246063, 'please cut your': 659869, 'cut your streaming': 223643, 'your streaming price': 1026006, 'streaming price in': 812841, 'in half until': 423517, 'half until june': 374293, 'until june 28': 943756, 'june 28 these': 467993, '28 these kid': 16407, 'these kid driving': 880216, 'kid driving me': 473927, 'me crazy stayathome': 522623, 'crazy stayathome stayhome': 215424, 'stayathome stayhome lockdown': 797637, 'stayhome lockdown parent': 798038, 'lockdown parent kidsathome': 499774, 'parent kidsathome gooddaydc': 641673, 'kidsathome gooddaydc netflix': 474259, 'gooddaydc netflix hulu': 358012, 'netflix hulu disneyplus': 557604, 'hulu disneyplus amazo': 410380, 'raffat': 695509, 'altekrete': 49143, 'apel': 81441, 'withrefugees': 1003085, 'raffat altekrete': 695510, 'altekrete armed': 49144, 'with latex': 999181, 'glove cleaning': 352633, 'cleaning cloth': 180920, 'cloth spray': 184110, 'disinfectant volunteered': 245794, 'down customer': 256672, 'customer cart': 222237, 'cart outside': 165351, 'small dutch': 774937, 'dutch community': 263493, 'of ter': 590667, 'ter apel': 838030, 'apel to': 81442, 'of withrefugees': 593217, 'raffat altekrete armed': 695511, 'altekrete armed with': 49145, 'armed with latex': 92956, 'with latex glove': 999182, 'latex glove cleaning': 481617, 'glove cleaning cloth': 352634, 'cleaning cloth spray': 180922, 'cloth spray bottle': 184111, 'spray bottle of': 790277, 'of disinfectant volunteered': 582690, 'disinfectant volunteered to': 245795, 'volunteered to wipe': 960386, 'to wipe down': 918624, 'wipe down customer': 996233, 'down customer cart': 256673, 'customer cart outside': 222238, 'cart outside supermarket': 165352, 'in the small': 429552, 'the small dutch': 867361, 'small dutch community': 774938, 'dutch community of': 263494, 'community of ter': 190010, 'of ter apel': 590668, 'ter apel to': 838031, 'apel to help': 81443, 'spread of withrefugees': 790722, 'abdijan': 24288, 'abu': 27557, 'dhabi': 240087, 'lebanon middle': 485190, 'east airline': 265282, 'airline statement': 40035, 'on flight': 600819, 'april put': 83660, 'ago lagos': 38418, 'lagos abdijan': 478916, 'abdijan abu': 24289, 'abu dhabi': 27558, 'dhabi and': 240088, 'and riyadh': 70571, 'riyadh from': 724218, 'night 19': 562921, 'lebanon middle east': 485191, 'middle east airline': 530642, 'east airline statement': 265284, 'airline statement on': 40036, 'statement on flight': 796199, 'on flight and': 600820, 'flight and cost': 310421, 'and cost for': 60590, 'cost for april': 207942, 'for april put': 319479, 'april put out': 83661, 'put out an': 690748, 'out an hour': 625637, 'hour ago lagos': 405372, 'ago lagos abdijan': 38419, 'lagos abdijan abu': 478917, 'abdijan abu dhabi': 24290, 'abu dhabi and': 27559, 'dhabi and riyadh': 240089, 'and riyadh from': 70572, 'riyadh from last': 724219, 'from last night': 336192, 'last night 19': 480364, 'identifiable': 413315, 'vulnerable than': 961194, 'than citizen': 840450, 'citizen on': 178941, 'worker thought': 1007980, 'be what': 118094, 'ppe are': 667910, 'being issued': 125348, 'issued everyone': 456057, 'their working': 875234, 'working environment': 1008614, 'environment which': 279174, 'from identifiable': 335989, 'identifiable risk': 413316, 'more vulnerable than': 540936, 'vulnerable than citizen': 961195, 'than citizen on': 840451, 'citizen on lock': 178942, 'down is supermarket': 256889, 'supermarket worker thought': 824098, 'worker thought to': 1007981, 'thought to be': 893274, 'to be what': 901635, 'be what ppe': 118095, 'what ppe are': 982047, 'ppe are they': 667911, 'they being issued': 881551, 'being issued everyone': 125349, 'issued everyone is': 456058, 'everyone is allowed': 287063, 'to enter their': 905228, 'enter their working': 278322, 'their working environment': 875235, 'working environment which': 1008615, 'environment which should': 279175, 'be free from': 114954, 'free from identifiable': 331864, 'from identifiable risk': 335990, 'annoyed the': 77354, 'wait with': 964255, 'only loaf': 610735, 'her mountain': 392207, 'all said': 44228, 'they empty': 882040, 'empty your': 275252, 'pantry all': 639512, 'bank client': 109728, 'be fed': 114811, 'fed one': 301861, 'annoyed the lady': 77355, 'of me at': 586325, 'supermarket because had': 819333, 'to wait with': 918278, 'wait with my': 964256, 'with my only': 999645, 'my only loaf': 549591, 'only loaf of': 610736, 'of bread and': 580834, 'bread and her': 138400, 'and her mountain': 64517, 'her mountain of': 392208, 'of food all': 583639, 'food all said': 313088, 'all said wa': 44230, 'said wa that': 731556, 'wa that if': 963432, '19 when they': 12025, 'when they empty': 984255, 'they empty your': 882041, 'empty your pantry': 275253, 'your pantry all': 1025186, 'pantry all the': 639513, 'food bank client': 313539, 'bank client will': 109729, 'client will be': 182137, 'will be fed': 992457, 'be fed one': 114814, 'fed one month': 301862, 'latino': 481657, 'carnicerias': 164798, 'tienditas': 895767, 'latino supermarket': 481658, 'chain carnicerias': 170580, 'carnicerias liquor': 164799, 'store tienditas': 810735, 'tienditas and': 895768, 'station market': 796458, 'many neighborhood': 514336, 're crucial': 698486, 'to feeding': 905741, 'feeding people': 302471, 'pandemic break': 635021, 'latino supermarket chain': 481659, 'supermarket chain carnicerias': 819597, 'chain carnicerias liquor': 170581, 'carnicerias liquor store': 164800, 'liquor store tienditas': 494216, 'store tienditas and': 810736, 'tienditas and gas': 895769, 'gas station market': 344120, 'station market have': 796459, 'market have long': 516503, 'long been the': 501344, 'been the heart': 122164, 'heart of many': 388318, 'of many neighborhood': 586182, 'many neighborhood in': 514337, 'neighborhood in los': 557129, 'angeles and now': 76361, 'they re crucial': 883014, 're crucial to': 698487, 'crucial to feeding': 219483, 'to feeding people': 905743, 'feeding people during': 302472, 'the pandemic break': 862922, 'pandemic break it': 635022, 'damage caused': 225184, 'significant negative': 769480, 'on producer': 602945, 'and accelerate': 57575, 'accelerate dairy': 27838, 'dairy farm': 224971, 'farm consolidation': 299102, 'consolidation analyst': 195548, 'warn price': 966955, 'some dairy': 782654, 'much 30': 544670, '30 lower': 17094, 'the damage caused': 852805, 'damage caused by': 225185, 'to the dairy': 916622, 'the dairy market': 852794, 'dairy market could': 225007, 'market could have': 516236, 'could have significant': 209266, 'have significant negative': 382552, 'significant negative impact': 769481, 'impact on producer': 417881, 'on producer and': 602946, 'producer and accelerate': 680560, 'and accelerate dairy': 57576, 'accelerate dairy farm': 27839, 'dairy farm consolidation': 224972, 'farm consolidation analyst': 299103, 'consolidation analyst warn': 195549, 'analyst warn price': 57194, 'warn price for': 966956, 'for some dairy': 325734, 'some dairy product': 782656, 'dairy product will': 225032, 'be much 30': 116020, 'much 30 lower': 544671, '30 lower than': 17095, 'lower than before': 506007, 'than before the': 840396, 'country grocer': 210703, 'on reducing': 603118, 'reducing price': 706311, 'shopping easier': 762549, 'for ordinary': 324158, 'ordinary citizen': 619083, 'citizen nigerian': 178930, 'nigerian trader': 562892, 'hiking hoarding': 396375, 'hoarding foodstuff': 399323, 'foodstuff to': 318186, '19 misery': 8657, 'while in developed': 986940, 'in developed country': 422235, 'developed country grocer': 239697, 'country grocer are': 210704, 'grocer are working': 364103, 'are working on': 91706, 'working on reducing': 1008814, 'on reducing price': 603119, 'reducing price to': 706316, 'make shopping easier': 510450, 'shopping easier for': 762550, 'easier for ordinary': 265147, 'for ordinary citizen': 324159, 'ordinary citizen nigerian': 619084, 'citizen nigerian trader': 178931, 'nigerian trader are': 562893, 'trader are deliberately': 928653, 'deliberately hiking hoarding': 232968, 'hiking hoarding foodstuff': 396376, 'hoarding foodstuff to': 399324, 'foodstuff to cash': 318188, 'covid 19 misery': 213439, 'pandemic cnn': 635161, 'what to buy': 982450, 'during pandemic cnn': 262861, 'line simple': 493398, 'worker are also': 1006365, 'front line simple': 338604, 'line simple but': 493399, 'but effective solution': 145638, 'uk energy': 938326, 'energy demand': 276431, '10 due': 1405, 'restaurant railway': 716655, 'railway company': 695697, 'company factory': 190646, 'factory leading': 295964, 'lowest electricity': 506156, 'electricity market': 271186, 'year home': 1014630, 'home energy': 401139, 'higher because': 395541, 'isolating working': 455169, '19 uk energy': 11615, 'uk energy demand': 938327, 'energy demand fell': 276434, 'demand fell by': 235337, 'fell by around': 303181, 'around 10 due': 93094, '10 due to': 1406, 'shutdown of pub': 768071, 'of pub restaurant': 588583, 'pub restaurant railway': 687761, 'restaurant railway company': 716656, 'railway company factory': 695698, 'company factory leading': 190647, 'factory leading to': 295965, 'to the lowest': 916861, 'the lowest electricity': 859806, 'lowest electricity market': 506157, 'electricity market price': 271187, 'market price in': 516890, 'price in 10': 674644, 'in 10 year': 419684, '10 year home': 1769, 'year home energy': 1014631, 'home energy use': 401140, 'energy use is': 276619, 'use is higher': 949293, 'is higher because': 448454, 'higher because people': 395543, 'people are self': 647069, 'self isolating working': 747747, 'isolating working from': 455170, 'from home in': 335872, 'disgusting that': 245461, 'and moron': 67235, 'moron see': 541633, 'the pound': 864143, 'pound sign': 667404, 'sign corvid19uk': 769106, 'corvid19uk some': 207761, 'have tripled': 383409, 'tripled the': 932290, 'it shoppi': 461025, 'it disgusting that': 457579, 'disgusting that local': 245463, 'that local store': 844926, 'local store have': 498463, 'store have hiked': 808083, 'item to cash': 463742, 'crisis and moron': 217035, 'and moron see': 67236, 'moron see the': 541634, 'see the pound': 745874, 'the pound sign': 864144, 'pound sign corvid19uk': 667405, 'sign corvid19uk some': 769107, 'corvid19uk some store': 207762, 'some store have': 783957, 'store have tripled': 808105, 'have tripled the': 383411, 'tripled the price': 932291, 'should not they': 766267, 'not they get': 572068, 'they get away': 882158, 'with it shoppi': 999082, '19 india': 7816, 'need 50': 554352, '50 cut': 19668, 'business tax': 144466, '19 india need': 7817, 'india need 50': 434532, 'need 50 cut': 554353, '50 cut in': 19669, 'cut in it': 223378, 'in it consumer': 424233, 'consumer business tax': 196681, 'business tax right': 144468, 'creating 19': 215971, 'capsule for': 162906, 'for posterity': 324643, 'posterity sake': 666624, 'sake news': 731862, 'response gov': 715711, 'gov letter': 359629, 'me need': 523203, 'creating 19 time': 215972, '19 time capsule': 11399, 'time capsule for': 896453, 'capsule for posterity': 162907, 'for posterity sake': 324644, 'posterity sake news': 666625, 'sake news article': 731863, 'church response gov': 178399, 'response gov letter': 715712, 'gov letter but': 359630, 'but today it': 147602, 'today it dawned': 919736, 'on me need': 602071, 'me need meme': 523204, 'send me your': 749897, 'me your best': 524054, 'your best one': 1022951, 'money currency': 536684, 'currency from': 221033, 'from common': 334923, 'common ounce': 189422, 'ounce silver': 621971, 'bu 2020': 141572, '2020 coin': 14231, 'what spot': 982233, 'spot silver': 790109, 'sharply source': 755764, 'apmex designated': 81486, 'coin by': 185629, 'mint commodity': 533657, 'use the money': 949680, 'the money currency': 860808, 'money currency from': 536685, 'currency from common': 221034, 'from common ounce': 334924, 'common ounce silver': 189423, 'ounce silver eagle': 621973, 'eagle bu 2020': 264368, 'bu 2020 coin': 141573, '2020 coin for': 14232, 'coin for what': 185638, 'for what spot': 327805, 'what spot silver': 982234, 'spot silver price': 790110, 'silver price fell': 769851, 'fell sharply source': 303233, 'sharply source apmex': 755765, 'source apmex designated': 786449, 'apmex designated seller': 81487, 'bullion coin by': 142450, 'coin by the': 185630, 'by the mint': 154376, 'the mint commodity': 860668, 'startup misfit': 795120, 'demand startup': 236267, 'startup startup': 795129, 'startup technology': 795131, 'entrepreneur entrepreneurship': 278929, 'entrepreneurship coronacrisis': 278970, 'startup misfit market': 795121, 'misfit market is': 534032, 'market is hiring': 516631, 'is hiring 100': 448482, 'hiring 100 people': 397058, '100 people to': 2021, 'up with food': 946638, 'with food delivery': 998485, 'food delivery demand': 314118, 'delivery demand startup': 233866, 'demand startup startup': 236268, 'startup startup technology': 795130, 'startup technology entrepreneur': 795132, 'technology entrepreneur entrepreneurship': 836288, 'entrepreneur entrepreneurship coronacrisis': 278930, 'consumer portal': 198388, 'on testing': 603915, 'center hospital': 169225, 'business opening': 144148, 'opening across': 612792, 'across impacted': 29345, 'impacted hotspot': 418123, 'hotspot click': 405307, 'link now': 493876, 'informed during this': 438097, 'global pandemic we': 352111, 'have launched consumer': 381259, 'launched consumer portal': 481978, 'consumer portal for': 198389, 'portal for the': 664951, 'information on testing': 437925, 'on testing center': 603916, 'testing center hospital': 839470, 'center hospital and': 169226, 'hospital and business': 404278, 'and business opening': 59295, 'business opening across': 144149, 'opening across impacted': 612793, 'across impacted hotspot': 29346, 'impacted hotspot click': 418124, 'hotspot click on': 405308, 'the link now': 859443, 'thisisacrisis': 891635, 'oklahomahasnomandatorytestingfoepeoples': 598089, 'without job': 1002743, 'you demand': 1018174, 'demand mandatory': 235834, 'mandatory covid': 513035, 'employee still': 274237, 'still serving': 801167, 'serving to': 753227, 'food thisisacrisis': 317200, 'thisisacrisis oklahomahasnomandatorytestingfoepeoples': 891636, 'do you plan': 250657, 'help the million': 390665, 'million of restaurant': 532286, 'of restaurant employee': 589017, 'restaurant employee without': 716446, 'employee without job': 274451, 'without job will': 1002745, 'job will you': 466301, 'will you demand': 995382, 'you demand mandatory': 1018175, 'demand mandatory covid': 235835, 'mandatory covid 19': 513036, '19 testing for': 11100, 'testing for all': 839493, 'for all restaurant': 319167, 'all restaurant owner': 44179, 'restaurant owner and': 716624, 'and employee still': 62067, 'employee still serving': 274240, 'still serving to': 801169, 'serving to go': 753228, 'go food thisisacrisis': 353549, 'food thisisacrisis oklahomahasnomandatorytestingfoepeoples': 317201, 'infor': 437650, 'work welcome': 1005985, 'way he': 969618, 'he keep': 385169, 'state update': 796060, 'update kindly': 947048, 'step test': 799626, 'more infor': 539568, 'infor contact': 437653, 'very good work': 955197, 'good work welcome': 357981, 'work welcome sir': 1005986, 'the way he': 871156, 'way he keep': 969620, 'he keep everyone': 385170, 'keep everyone in': 471479, 'the state update': 867821, 'state update kindly': 796061, 'update kindly contact': 947049, 'kindly contact for': 475116, 'contact for covid': 200080, 'virus one step': 958559, 'one step test': 607103, 'step test kit': 799627, 'for more infor': 323581, 'more infor contact': 539570, 'infor contact bamyglobal': 437654, 'cranleigh': 214871, 'supermarket waiting': 823712, 'buy fresh': 148707, 'and cake': 59402, 'cake made': 155244, 'team through': 835796, 'through out': 894623, 'in shoplocal': 427902, 'shopping bakery': 762150, 'bakery cranleigh': 108847, 'cranleigh fightcovid19': 214872, 'don all queue': 253334, 'all queue at': 44110, 'at supermarket waiting': 100788, 'supermarket waiting for': 823713, 'waiting for it': 964321, 'it to open': 461739, 'to open come': 910986, 'open come and': 612158, 'and see and': 71130, 'see and buy': 744905, 'and buy fresh': 59338, 'buy fresh bread': 148708, 'fresh bread and': 332931, 'bread and cake': 138394, 'and cake made': 59404, 'cake made by': 155245, 'made by my': 507671, 'by my team': 153289, 'my team through': 550327, 'team through out': 835797, 'through out the': 894624, 'out the night': 627399, 'the night if': 861806, 'night if the': 563011, 'if the door': 414967, 'the door is': 853569, 'door is open': 255628, 'open come in': 612159, 'come in shoplocal': 187373, 'in shoplocal shopping': 427903, 'shoplocal shopping bakery': 761229, 'shopping bakery cranleigh': 762151, 'bakery cranleigh fightcovid19': 108848, 'store or local': 809344, 'or local macon': 615988, 'bibb market business': 129428, 'market business owner': 516121, 'or employee in': 615158, 'employee in need': 273965, 'need of supply': 555344, 'indirect': 435097, 'of leadership': 585751, 'leadership bravo': 483589, 'bravo healthcare': 138298, 'healthcare amount': 387021, '50 66': 19593, '66 of': 21422, 'of spend': 589976, 'spend of': 788656, 'poor allowing': 664105, 'that buffer': 843048, 'buffer by': 141862, 'by waiving': 154683, 'waiving portion': 964570, 'of goi': 584184, 'goi indirect': 354963, 'indirect tax': 435100, 'tax instead': 835019, 'of raising': 588723, 'raising tax': 696138, 'fuel when': 340311, 'when ww': 984528, 'ww price': 1013637, 'fall would': 297115, 'be start': 117352, 'talk of leadership': 833826, 'of leadership bravo': 585752, 'leadership bravo healthcare': 483590, 'bravo healthcare amount': 138299, 'healthcare amount to': 387022, 'amount to 50': 53289, 'to 50 66': 899735, '50 66 of': 19594, '66 of spend': 21423, 'of spend of': 589977, 'spend of the': 788658, 'the poor allowing': 863965, 'poor allowing them': 664106, 'allowing them that': 46355, 'them that buffer': 876375, 'that buffer by': 843049, 'buffer by waiving': 141863, 'by waiving portion': 154684, 'waiving portion of': 964571, 'portion of goi': 665021, 'of goi indirect': 584185, 'goi indirect tax': 354964, 'indirect tax instead': 435101, 'tax instead of': 835020, 'instead of raising': 440309, 'of raising tax': 588725, 'raising tax on': 696139, 'tax on fuel': 835047, 'on fuel when': 601050, 'fuel when ww': 340312, 'when ww price': 984529, 'ww price fall': 1013638, 'price fall would': 673803, 'fall would be': 297116, 'would be start': 1011651, 'isn fair': 454503, 'gouging going': 359329, 'present when': 670639, 'when some': 984047, 'lettuce fruit': 487453, 'there isn fair': 878665, 'isn fair amount': 454504, 'amount of price': 53248, 'price gouging going': 674281, 'gouging going on': 359330, 'going on at': 355303, 'on at present': 599500, 'at present when': 100182, 'present when some': 670640, 'when some are': 984048, 'some are charging': 782314, 'are charging for': 85252, 'charging for lettuce': 173478, 'for lettuce fruit': 322954, 'lettuce fruit and': 487454, 'worker today': 1008027, 'today way': 920465, 'thanks see': 842175, 'this is offering': 888342, 'offering free meal': 595120, 'meal for health': 524153, 'care worker today': 164310, 'worker today way': 1008029, 'today way of': 920466, 'saying thanks see': 739695, 'thanks see the': 842176, 'see the reaction': 745878, 'reaction of those': 700204, 'of those on': 592106, 'the frontline in': 855873, 'juliab1978': 467787, 'tomorrow mark': 924127, 'celebrate with': 168806, 'little supermarket': 495594, 'shop planning': 760666, 'planning my': 658557, 'my outfit': 549627, 'outfit like': 628942, 'got london': 358675, 'london trip': 501209, 'with juliab1978': 999120, 'juliab1978 in': 467788, 'not hot': 570018, 'hot date': 405004, 'tomorrow mark the': 924128, 'mark the end': 515831, 'end of my': 275906, 'of my two': 586825, 'my two week': 550452, 'two week quarantine': 937355, 'week quarantine and': 976779, 'quarantine and plan': 692019, 'and plan to': 69062, 'plan to celebrate': 658273, 'to celebrate with': 902558, 'celebrate with little': 168807, 'with little supermarket': 999264, 'little supermarket shop': 495595, 'supermarket shop planning': 822592, 'shop planning my': 760667, 'planning my outfit': 658558, 'my outfit like': 549628, 'outfit like ve': 628943, 'like ve got': 491718, 've got london': 953184, 'got london trip': 358676, 'london trip with': 501210, 'trip with juliab1978': 932224, 'with juliab1978 in': 999121, 'juliab1978 in the': 467789, 'in the bag': 429004, 'the bag and': 849173, 'bag and not': 108221, 'and not hot': 67749, 'not hot date': 570019, 'hot date for': 405005, 'stuffing': 815292, 'madness and': 508151, 'happened sitting': 377264, 'sitting outside': 772139, 'my on': 549566, 'my knee': 548966, 'knee and': 476001, 'that randomly': 845938, 'randomly come': 696641, 'come very': 187654, 'start stuffing': 794526, 'stuffing him': 815293, 'him ask': 396549, 'ask him': 95556, 'turn away': 935649, 'away social': 106031, 'distancing etc': 247130, 'just yell': 470363, 'yell spoiled': 1015214, 'spoiled brat': 789695, 'brat am': 138195, 'so it covid': 777459, '19 madness and': 8507, 'madness and here': 508152, 'here what happened': 393809, 'what happened sitting': 981546, 'happened sitting outside': 377265, 'sitting outside the': 772140, 'with my on': 999643, 'my on my': 549567, 'on my knee': 602291, 'my knee and': 548967, 'knee and that': 476002, 'and that randomly': 73207, 'that randomly come': 845939, 'randomly come very': 696642, 'come very close': 187655, 'very close and': 955057, 'close and just': 182531, 'and just start': 65721, 'just start stuffing': 469873, 'start stuffing him': 794527, 'stuffing him ask': 815294, 'him ask him': 396550, 'ask him to': 95557, 'him to stop': 396752, 'to stop and': 915499, 'stop and turn': 804456, 'and turn away': 74524, 'turn away social': 935650, 'away social distancing': 106032, 'social distancing etc': 779602, 'distancing etc and': 247131, 'etc and he': 282407, 'and he just': 64321, 'he just yell': 385168, 'just yell spoiled': 470364, 'yell spoiled brat': 1015215, 'spoiled brat am': 789696, 'brat am so': 138196, 'am so angry': 50402, '19gr': 12522, '19usa': 12570, 'leave me': 484866, 'me alone': 522377, 'alone toilet': 46932, 'need medicine': 555230, 'medicine glove': 526790, 'glove food': 352685, 'food 19gr': 313012, '19gr 19fr': 12523, '19fr 19usa': 12521, 'please leave me': 660171, 'leave me alone': 484867, 'me alone toilet': 522379, 'alone toilet paper': 46933, 'paper you need': 641132, 'you need medicine': 1020013, 'need medicine glove': 555231, 'medicine glove food': 526791, 'glove food 19gr': 352686, 'food 19gr 19fr': 313013, '19gr 19fr 19usa': 12524, 'foxnuts': 330819, 'puffed': 688840, 'lotus': 504475, 'onlinegrocerystore': 609825, 'sharethelove': 755502, 'foodgasm': 317915, 'indianstreetfood': 434949, 'localgrocerystore': 498733, 'spicy roasted': 789236, 'roasted foxnuts': 724604, 'foxnuts or': 330822, 'or spicy': 617182, 'roasted puffed': 724606, 'puffed lotus': 688841, 'lotus seed': 504476, 'seed are': 746133, 'easy healthy': 265712, 'healthy guilt': 387648, 'guilt free': 368540, 'free snack': 332177, 'snack order': 776025, 'now foxnuts': 574737, 'foxnuts onlinegrocerystore': 330820, 'onlinegrocerystore snack': 609826, 'snack socialdistancing': 776029, 'socialdistancing sharethelove': 780675, 'sharethelove foodgasm': 755503, 'foodgasm indianstreetfood': 317916, 'indianstreetfood grocery': 434950, 'grocery localgrocerystore': 364704, 'spicy roasted foxnuts': 789237, 'roasted foxnuts or': 724605, 'foxnuts or spicy': 330823, 'or spicy roasted': 617183, 'spicy roasted puffed': 789238, 'roasted puffed lotus': 724607, 'puffed lotus seed': 688842, 'lotus seed are': 504477, 'seed are easy': 746134, 'are easy healthy': 86072, 'easy healthy guilt': 265713, 'healthy guilt free': 387649, 'guilt free snack': 368541, 'free snack order': 332178, 'snack order now': 776026, 'order now foxnuts': 618427, 'now foxnuts onlinegrocerystore': 574738, 'foxnuts onlinegrocerystore snack': 330821, 'onlinegrocerystore snack socialdistancing': 609827, 'snack socialdistancing sharethelove': 776030, 'socialdistancing sharethelove foodgasm': 780676, 'sharethelove foodgasm indianstreetfood': 755504, 'foodgasm indianstreetfood grocery': 317917, 'indianstreetfood grocery localgrocerystore': 434951, 'bridgford': 139644, 'couple out': 211658, 'west bridgford': 980473, 'bridgford yesterday': 139645, 'wa scary': 963149, 'scary them': 741195, 'them kid': 875963, 'protection not': 685533, 'dragged around': 258174, 'just bad': 468255, 'letting them': 487449, 'in clueless': 421526, 'clueless stayhomesavelives': 184577, 'amount of couple': 53216, 'of couple out': 582038, 'couple out shopping': 211659, 'out shopping with': 627188, 'with their kid': 1001579, 'their kid in': 873756, 'kid in west': 474018, 'in west bridgford': 430799, 'west bridgford yesterday': 980474, 'bridgford yesterday wa': 139646, 'yesterday wa scary': 1015927, 'wa scary them': 963150, 'scary them kid': 741196, 'them kid are': 875964, 'kid are off': 473867, 'are off school': 88649, 'school for their': 741797, 'their protection not': 874502, 'protection not to': 685534, 'to be dragged': 901221, 'be dragged around': 114599, 'dragged around supermarket': 258175, 'around supermarket security': 93502, 'supermarket security are': 822355, 'security are just': 744548, 'are just bad': 87617, 'just bad for': 468256, 'bad for letting': 107862, 'for letting them': 322952, 'letting them in': 487451, 'them in clueless': 875897, 'in clueless stayhomesavelives': 421527, 'clueless stayhomesavelives protectthenhs': 184578, '19 nyse': 8876, 'covid 19 nyse': 213498, '19 nyse tru': 8877, 'incidence': 431405, 'network ha': 557720, 'published guideline': 688652, 'the incidence': 858036, 'incidence of': 431406, 'highly infectious': 396072, 'the network ha': 861462, 'network ha published': 557721, 'ha published guideline': 371575, 'published guideline for': 688653, 'guideline for shopper': 368427, 'shopper to help': 761767, 'reduce the incidence': 705964, 'the incidence of': 858037, 'incidence of the': 431407, 'the highly infectious': 857359, 'highly infectious disease': 396073, 'lockup': 500544, 'no genius': 564341, 'genius but': 345769, 'stopping supermarket': 805825, 'shopping hoarder': 762896, 'hoarder lockup': 399066, 'lockup the': 500545, 'basket only': 112381, 'no genius but': 564342, 'genius but here': 345770, 'but here the': 145926, 'here the solution': 393669, 'solution to stopping': 782114, 'to stopping supermarket': 915597, 'stopping supermarket shopping': 805826, 'supermarket shopping hoarder': 822636, 'shopping hoarder lockup': 762897, 'hoarder lockup the': 399067, 'lockup the trolley': 500546, 'the trolley basket': 870006, 'trolley basket only': 932380, 'basket only you': 112383, 'only you re': 611510, 'everybody on': 286471, 'line battling': 493000, 'service child': 752235, 'for ep': 321080, 'ep and': 279265, 'to everybody on': 905322, 'everybody on the': 286472, 'front line battling': 338561, 'line battling the': 493001, 'battling the covid': 112880, 'emergency service child': 272954, 'service child care': 752236, 'care center for': 163884, 'center for ep': 169205, 'for ep and': 321081, 'ep and everybody': 279266, 'armageddon is': 92924, 'supermarket care': 819529, 'your panic': 1025180, 'buy reach': 149116, 'it perishable': 460314, 'perishable date': 651965, 'not consume': 568842, 'consume it': 195940, 'and feed': 62766, 'feed someone': 302369, 'armageddon is here': 92925, 'here but when': 392841, 'but when told': 147826, 'when told not': 984335, 'to panic the': 911430, 'panic the first': 638683, 'first thing to': 309080, 'panic and strip': 637343, 'and strip the': 72578, 'the supermarket care': 868508, 'supermarket care of': 819530, 'care of covid': 164097, '19 when your': 12027, 'when your panic': 984636, 'your panic buy': 1025181, 'panic buy reach': 637522, 'buy reach it': 149117, 'reach it perishable': 699938, 'it perishable date': 460315, 'perishable date and': 651966, 'date and you': 226594, 'know you will': 477094, 'will not consume': 994202, 'not consume it': 568843, 'consume it consider': 195941, 'bank and feed': 109609, 'and feed someone': 62769, 'rt farmer': 726759, 'rt farmer dump': 726760, 'rafael': 695504, 'lourenco': 504567, 'clientwin': 182161, 'is cx': 447015, 'cx being': 223898, 'pandemic amid': 634840, 'amid new': 52543, 'pattern rafael': 644499, 'rafael lourenco': 695505, 'lourenco discus': 504568, 'recent with': 704026, 'with clientwin': 997666, 'clientwin ecommerce': 182162, 'how is cx': 408088, 'is cx being': 447016, 'cx being impacted': 223899, 'being impacted by': 125282, 'the pandemic amid': 862902, 'pandemic amid new': 634841, 'amid new online': 52544, 'shopping pattern rafael': 763608, 'pattern rafael lourenco': 644500, 'rafael lourenco discus': 695506, 'lourenco discus this': 504569, 'discus this and': 244937, 'more in recent': 539523, 'in recent with': 427321, 'recent with clientwin': 704027, 'with clientwin ecommerce': 997667, 'clientwin ecommerce fraudprevention': 182163, 'how brexit': 407470, 'brexit prepared': 139519, 'prepared supermarket': 670235, 'our coronavirus': 622568, 'coronavirus stockpiling': 206830, 'stockpiling via': 804113, 'how brexit prepared': 407471, 'brexit prepared supermarket': 139520, 'prepared supermarket for': 670236, 'supermarket for our': 820411, 'for our coronavirus': 324221, 'our coronavirus stockpiling': 622569, 'coronavirus stockpiling via': 206831, 'stockpiling via retail': 804114, 'croak': 218817, 'hope every': 403453, 'hoarded all': 398927, 'could cart': 208992, 'away croak': 105812, 'croak from': 218818, 'hope every person': 403454, 'every person who': 286102, 'and hoarded all': 64637, 'hoarded all that': 398928, 'all that they': 44646, 'that they could': 846928, 'they could cart': 881819, 'could cart away': 208993, 'cart away croak': 165268, 'away croak from': 105813, 'croak from covid': 218819, 'working now': 1008793, 'is working now': 454043, 'working now at': 1008794, 'now at grocery': 574129, 'store is fucking': 808492, 'dc region': 228966, 'citizen these': 178980, 'including change': 431909, 'hour full': 405637, 'list getupdc': 494341, 'across the dc': 29492, 'the dc region': 852932, 'dc region are': 228967, 'region are doing': 707390, 'risk including senior': 723632, 'including senior citizen': 432140, 'senior citizen these': 750258, 'citizen these store': 178982, 'these store are': 880735, 'store are doing': 806472, 'people from the': 648012, 'the including change': 858045, 'including change in': 431910, 'change in hour': 172122, 'in hour full': 423837, 'hour full list': 405638, 'full list getupdc': 340665, 'tragedy this': 929187, 'is unpleasant': 453534, 'unpleasant about': 943049, 'price measurement': 675219, 'measurement maryland': 525453, 'this tragedy this': 890841, 'tragedy this is': 929188, 'this is unpleasant': 888448, 'is unpleasant about': 453535, 'unpleasant about price': 943050, 'about price measurement': 25996, 'price measurement maryland': 675220, 'mayor eric': 521947, 'eric garcetti': 280156, 'garcetti grocery': 343551, 'worker health': 1007102, 'la mayor eric': 478192, 'mayor eric garcetti': 521948, 'eric garcetti grocery': 280157, 'garcetti grocery store': 343552, 'store worker health': 811522, 'worker health care': 1007104, 'responder are the': 715422, 'are the hero': 90842, 'tell this': 837112, 'whole self': 990318, 'good deal': 356955, 'deal rn': 229477, 'can tell this': 159924, 'tell this whole': 837114, 'this whole self': 891384, 'whole self quarantine': 990319, 'self quarantine thing': 747871, 'to cost me': 903600, 'cost me lot': 208015, 'of money in': 586609, 'money in online': 536829, 'shopping but hey': 762247, 'but hey got': 145932, 'hey got some': 394397, 'got some good': 358850, 'some good deal': 782962, 'good deal rn': 356956, 'epidemic began': 279342, 'began have': 123387, '8am because': 23129, 'because essential': 119038, 'time come': 896493, 'afternoon and': 36672, 'time since the': 897672, 'since the epidemic': 770879, 'the epidemic began': 854429, 'epidemic began have': 279343, 'began have decided': 123388, 'go supermarket shopping': 354181, 'supermarket shopping at': 822629, 'shopping at 8am': 762081, 'at 8am because': 97781, '8am because essential': 23130, 'because essential are': 119039, 'essential are all': 280797, 'are all sold': 84352, 'sold out by': 781727, 'the time come': 869583, 'time come in': 896494, 'in the afternoon': 428971, 'the afternoon and': 848424, 'afternoon and already': 36673, 'and already there': 57940, 'already there is': 47722, 'is queue outside': 451175, 'purple': 690073, 'pink': 656821, 'peach': 646039, 'whole wahala': 990372, 'wahala you': 964038, 'dey hear': 240029, 'hear wedding': 388018, 'wedding colour': 975556, 'colour like': 186856, 'like quarantine': 491052, 'quarantine green': 692231, 'green isolated': 363675, 'isolated yellow': 455039, 'yellow indoor': 1015264, 'indoor white': 435370, 'white shutdown': 987901, 'shutdown blue': 768001, 'blue pandemic': 133460, 'pandemic purple': 636258, 'purple covid': 690076, 'covid pink': 214207, 'pink sanitizer': 656822, 'sanitizer white': 736087, 'white mask': 987873, 'mask peach': 519103, 'this whole wahala': 891391, 'whole wahala you': 990373, 'wahala you go': 964039, 'you go dey': 1018845, 'go dey hear': 353457, 'dey hear wedding': 240030, 'hear wedding colour': 388019, 'wedding colour like': 975557, 'colour like quarantine': 186857, 'like quarantine green': 491053, 'quarantine green isolated': 692232, 'green isolated yellow': 363676, 'isolated yellow indoor': 455040, 'yellow indoor white': 1015265, 'indoor white shutdown': 435371, 'white shutdown blue': 987902, 'shutdown blue pandemic': 768002, 'blue pandemic purple': 133461, 'pandemic purple covid': 636259, 'purple covid pink': 690077, 'covid pink sanitizer': 214208, 'pink sanitizer white': 656823, 'sanitizer white mask': 736088, 'white mask peach': 987874, 'phew': 654673, 'pickens': 655824, 'storydam': 812170, 'home phew': 401855, 'phew luckily': 654674, 'luckily we': 506518, 'wa slim': 963235, 'slim pickens': 773987, 'pickens at': 655825, 'area storydam': 92206, 'storydam panicbuying': 812171, 'we made it': 972321, 'it home phew': 458615, 'home phew luckily': 401856, 'phew luckily we': 654675, 'luckily we already': 506519, 'already had toilet': 47401, 'paper but it': 639968, 'it wa slim': 462193, 'wa slim pickens': 963236, 'slim pickens at': 773988, 'pickens at the': 655826, 'store how are': 808218, 'how are the': 407416, 'are the store': 90915, 'your area storydam': 1022824, 'area storydam panicbuying': 92207, 'winnie': 996052, 'cantveven': 162382, 'hey winnie': 394552, 'winnie were': 996053, 'were ha': 979711, 'gone my': 356335, 'cleaning store': 181070, 'pasta no': 643758, 'rice now': 721090, 'fresh milk': 333034, 'milk of': 531747, 'kind so': 474974, 'that want': 847328, 'buy cantveven': 148469, 'cantveven do': 162383, 'that panickbuying': 845646, 'panickbuying panickbuyinguk': 639215, 'panickbuyinguk borisjohnson': 639231, 'hey winnie were': 394553, 'winnie were ha': 996054, 'were ha all': 979712, 'food gone my': 314687, 'gone my local': 356336, 'supermarket have no': 820696, 'have no tinned': 381660, 'no tinned food': 565733, 'tinned food no': 898615, 'food no cleaning': 315541, 'no cleaning store': 563822, 'cleaning store no': 181071, 'store no pasta': 809084, 'no pasta no': 565074, 'pasta no rice': 643759, 'no rice now': 565365, 'rice now no': 721091, 'now no fresh': 575348, 'no fresh milk': 564304, 'fresh milk of': 333035, 'milk of any': 531748, 'any kind so': 79391, 'kind so those': 474975, 'those that want': 892545, 'that want to': 847329, 'panic buy cantveven': 637473, 'buy cantveven do': 148470, 'cantveven do that': 162384, 'do that panickbuying': 250223, 'that panickbuying panickbuyinguk': 845647, 'panickbuying panickbuyinguk borisjohnson': 639216, 'watchdog want': 968643, 'supplier hike': 824547, 'be firm': 114868, 'alert the': 41509, 'public well': 688468, 'watchdog want to': 968644, 'to know when': 909003, 'know when supplier': 477005, 'when supplier hike': 984100, 'supplier hike price': 824548, 'hike price should': 396271, 'should not just': 766251, 'not just be': 570215, 'just be firm': 468271, 'be firm to': 114869, 'firm to alert': 308439, 'to alert the': 900225, 'alert the but': 41512, 'but the public': 147390, 'the public well': 864869, 'deprives': 237705, 'of little': 585895, 'kid who': 474164, 'some child': 782525, 'child receive': 176182, 'receive are': 703446, 'since stockpiling': 770838, 'stockpiling deprives': 803937, 'deprives food': 237706, 'of normal': 587063, 'about the number': 26463, 'number of little': 576955, 'of little kid': 585897, 'little kid who': 495425, 'kid who will': 474166, 'will be seriously': 992672, 'seriously hungry because': 751633, 'hungry because of': 411227, 'meal some child': 524280, 'some child receive': 782527, 'child receive are': 176183, 'receive are at': 703447, 'for week after': 327689, 'week after they': 975830, 'close especially since': 182629, 'especially since stockpiling': 280599, 'since stockpiling deprives': 770839, 'stockpiling deprives food': 803938, 'deprives food bank': 237707, 'bank of normal': 110052, 'of normal stock': 587064, 'created difficult': 215819, 'farmer commodity': 299320, 'from dairy': 335095, 'dairy to': 225052, 'to livestock': 909356, 'livestock have': 496270, 'plummeted in': 661341, 'month state': 538014, 'state amp': 795349, 'amp fed': 53787, 'fed lawmaker': 301846, 'lawmaker are': 482483, 'create package': 215711, 'farmer amp': 299246, 'some resource': 783738, 'already available': 47203, 'ha created difficult': 370270, 'created difficult situation': 215820, 'difficult situation for': 242264, 'situation for farmer': 772272, 'for farmer commodity': 321402, 'farmer commodity price': 299321, 'commodity price from': 189272, 'price from dairy': 674112, 'from dairy to': 335096, 'dairy to livestock': 225053, 'to livestock have': 909357, 'livestock have plummeted': 496271, 'have plummeted in': 381977, 'plummeted in the': 661343, 'past month state': 643577, 'month state amp': 538015, 'state amp fed': 795350, 'amp fed lawmaker': 53788, 'fed lawmaker are': 301847, 'lawmaker are working': 482484, 'to create package': 903719, 'create package to': 215712, 'package to help': 633430, 'to help farmer': 907511, 'help farmer amp': 389688, 'farmer amp some': 299249, 'amp some resource': 54531, 'some resource are': 783739, 'resource are already': 714711, 'are already available': 84399, 'johnson ordered': 466611, 'entertainment sector': 278601, 'from saturday': 337161, 'saturday amid': 737002, 'nh could': 561930, 'be overwhelmed': 116321, 'boris johnson ordered': 135471, 'johnson ordered the': 466612, 'ordered the closure': 618912, 'hospitality and entertainment': 404754, 'and entertainment sector': 62197, 'entertainment sector from': 278602, 'sector from saturday': 744199, 'from saturday amid': 337162, 'saturday amid fear': 737003, 'amid fear the': 52475, 'fear the nh': 301381, 'the nh could': 861734, 'nh could be': 561931, 'could be overwhelmed': 208902, 'be overwhelmed by': 116322, 'overwhelmed by covid': 631719, 'ilifemedical': 416090, 'testkits': 839695, 'ilifemedical is': 416091, 'is supplying': 452469, 'supplying high': 826293, 'quality certified': 691770, 'certified ppe': 170247, 'ppe product': 668029, 'product covid': 681093, 'glove surgical': 352936, 'mask goggles': 518758, 'goggles ventilator': 354949, 'quantity quickly': 691956, 'at testkits': 100847, 'testkits kn95mask': 839698, 'ilifemedical is supplying': 416092, 'is supplying high': 452470, 'supplying high quality': 826294, 'high quality certified': 395310, 'quality certified ppe': 691771, 'certified ppe product': 170248, 'ppe product covid': 668030, 'product covid 19': 681094, 'kit n95 mask': 475602, 'mask glove surgical': 518747, 'glove surgical mask': 352937, 'surgical mask goggles': 828356, 'mask goggles ventilator': 518759, 'goggles ventilator and': 354950, 'ventilator and other': 954527, 'other supply in': 621040, 'supply in large': 825402, 'in large quantity': 424590, 'large quantity quickly': 479765, 'quantity quickly and': 691957, 'quickly and at': 694461, 'and at reasonable': 58483, 'reasonable price order': 703125, 'order now at': 618423, 'now at testkits': 574138, 'at testkits kn95mask': 100848, 'epidemic heri': 279384, 'heri online': 393892, 'go keep': 353784, 'safe only': 729856, 'only with': 611485, 'with heri': 998792, 'online staysafe': 609431, 'the the covid': 869378, '19 epidemic heri': 6807, 'epidemic heri online': 279385, 'heri online will': 393895, 'online will make': 609731, 'line up in': 493525, 'the long line': 859679, 'long line in': 501497, 'supermarket self quarantine': 822372, 'self quarantine is': 747861, 'to go keep': 906816, 'go keep safe': 353785, 'keep safe only': 471885, 'safe only with': 729858, 'only with heri': 611486, 'with heri online': 998793, 'heri online staysafe': 393894, 'online staysafe onlineshopping': 609433, 'those buying': 891850, 'wipe formula': 996270, 'formula amid': 329689, 'panic leave': 638264, 'baby no': 106674, 'no mother': 564832, 'mother should': 543164, 'baby can': 106581, 'can tolerate': 160021, 'tolerate because': 923806, 'someone worried': 784798, 'week decided': 976134, 'decided it': 230868, 'wa suitable': 963353, 'suitable substitute': 817817, 'to those buying': 917497, 'those buying baby': 891851, 'baby wipe formula': 106738, 'wipe formula amid': 996271, 'formula amid covid': 329690, '19 panic leave': 9550, 'panic leave these': 638265, 'leave these item': 484993, 'these item for': 880195, 'item for baby': 463268, 'for baby no': 319560, 'baby no mother': 106675, 'no mother should': 564833, 'mother should have': 543165, 'worry about having': 1010640, 'about having enough': 25349, 'enough food that': 277416, 'food that her': 317089, 'that her baby': 844317, 'her baby can': 391869, 'baby can tolerate': 106582, 'can tolerate because': 160022, 'tolerate because someone': 923807, 'because someone worried': 119577, 'someone worried about': 784799, 'of milk for': 586509, 'milk for week': 531678, 'for week decided': 327700, 'week decided it': 976135, 'decided it wa': 230871, 'it wa suitable': 462202, 'wa suitable substitute': 963354, 'interve': 442153, 'bank we': 110284, 'our donor': 622797, 'donor we': 255173, 'also appreciate': 47872, 'appreciate volunteer': 82775, 'who check': 988447, 'check up': 174700, 'on randomly': 603071, 'randomly asking': 696637, 'help isn': 389940, 'awesome yes': 106213, 'yes stock': 1015538, 'going if': 355209, 'relief interve': 709368, 'currently at the': 221476, 'at the food': 100948, 'food bank we': 313664, 'bank we appreciate': 110285, 'appreciate our donor': 82743, 'our donor we': 622798, 'donor we also': 255174, 'we also appreciate': 970394, 'also appreciate volunteer': 47873, 'appreciate volunteer who': 82776, 'volunteer who check': 960370, 'who check up': 988448, 'check up on': 174701, 'up on randomly': 945609, 'on randomly asking': 603072, 'randomly asking how': 696638, 'asking how they': 96011, 'how they can': 408911, 'be of help': 116146, 'of help isn': 584545, 'help isn this': 389941, 'isn this awesome': 454729, 'this awesome yes': 886471, 'awesome yes stock': 106214, 'yes stock up': 1015539, 'stock up is': 803090, 'up is still': 945227, 'still on going': 800932, 'on going if': 601132, 'going if you': 355211, '19 food relief': 7049, 'food relief interve': 316159, '17701': 4451, 'currently 17701': 221445, '17701 in': 4452, 'for boris': 319729, 'boris telling': 135495, 'shopping lucky': 763219, 'lucky can': 506539, 'way stayathomesavelives': 969889, 'stayathomesavelives onlineshopping': 797802, 'currently 17701 in': 221446, '17701 in queue': 4453, 'in queue so': 427225, 'queue so much': 694060, 'much for boris': 544916, 'for boris telling': 319730, 'boris telling to': 135496, 'telling to make': 837286, 'use of online': 949419, 'online shopping lucky': 609178, 'shopping lucky can': 763220, 'lucky can go': 506540, 'supermarket what about': 823789, 'about all those': 24782, 'all those vulnerable': 45192, 'at home there': 99141, 'home there ha': 402259, 'there ha to': 878454, 'be better way': 113845, 'better way stayathomesavelives': 128598, 'way stayathomesavelives onlineshopping': 969890, 'coronvirusuk': 207161, 'buyer people': 149717, 'need weekly': 556191, 'shop stop': 760848, 'stop shaming': 805004, 'shaming everyone': 754747, 'supermarket coronvirusuk': 819808, 'coronvirusuk panicbuyers': 207162, 'not everyone who': 569303, 'supermarket is panic': 821114, 'is panic buyer': 450787, 'panic buyer people': 637597, 'buyer people might': 149719, 'people might actually': 648768, 'might actually have': 530859, 'actually have run': 30832, 'food and need': 313292, 'and need weekly': 67485, 'need weekly shop': 556192, 'weekly shop stop': 977552, 'shop stop shaming': 760849, 'stop shaming everyone': 805005, 'shaming everyone who': 754748, 'everyone who at': 287581, 'who at supermarket': 988283, 'at supermarket coronvirusuk': 100711, 'supermarket coronvirusuk panicbuyers': 819809, 'morning read': 541413, 'here jalantar': 393272, 'this morning read': 889001, 'morning read here': 541414, 'read here jalantar': 700353, 'here jalantar mco': 393273, 'batman help': 112700, 'when how': 983575, 'toiletpaperpanic staysafestayhome': 923249, 'batman help and': 112701, 'help and come': 389349, 'and come when': 60114, 'come when how': 187668, 'when how and': 983576, 'how and where': 407364, 'and where he': 75535, 'where he can': 984915, 'he can stayathome': 384819, 'can stayathome 19': 159748, 'stayathome 19 corona': 797424, 'corona toiletpaper toiletpaperpanic': 204255, 'toiletpaper toiletpaperpanic staysafestayhome': 922706, 'pier supermarket': 656399, 'spread shelf': 790788, 'because idiot': 119138, 'idiot not': 413555, 'and rich': 70510, 'rich queue': 721254, 'everything if': 287843, 'if went': 415335, 'pier supermarket are': 656400, 'supermarket are the': 819188, 'best place for': 127830, 'place for to': 657450, 'for to spread': 327236, 'to spread shelf': 915077, 'spread shelf empty': 790789, 'shelf empty because': 757015, 'empty because idiot': 274802, 'because idiot not': 119140, 'idiot not working': 413557, 'not working and': 572546, 'working and rich': 1008508, 'and rich queue': 70511, 'rich queue up': 721255, 'queue up before': 694110, 'up before opening': 944481, 'before opening and': 122976, 'opening and buy': 612799, 'and buy everything': 59331, 'buy everything if': 148597, 'everything if went': 287844, 'if went and': 415336, 'went and bought': 978952, 'and bought what': 59115, 'bought what need': 136779, 'what need for': 981906, 'for week would': 327768, 'week would not': 977286, 'would not need': 1012080, 'go back and': 353340, 'be rush': 116931, 'buy gold': 148739, 'gold because': 355863, 'because everybody': 119046, 'dollar cooked': 252971, 'cooked now': 202822, 'figure it': 305208, 'because what': 119825, 'did guarantee': 240621, 'to be rush': 901516, 'be rush to': 116932, 'to buy gold': 902236, 'buy gold because': 148740, 'gold because everybody': 355864, 'because everybody know': 119047, 'everybody know the': 286458, 'know the dollar': 476818, 'the dollar cooked': 853516, 'dollar cooked now': 252972, 'cooked now or': 202823, 'now or if': 575471, 'or if they': 615721, 'not know it': 570297, 'know it they': 476545, 'it they re': 461632, 'going to figure': 355598, 'to figure it': 905822, 'figure it out': 305209, 'it out because': 460175, 'out because what': 625770, 'because what the': 119826, 'what the fed': 982313, 'the fed just': 855062, 'fed just did': 301841, 'just did guarantee': 468582, 'did guarantee the': 240622, 'guarantee the destruction': 367722, 'of the dollar': 590960, 'motto from': 543371, 'new motto from': 559119, 'motto from now': 543372, 'now on till': 575437, 'on till the': 604703, 'till the coronavirus': 896102, 'hlor0729': 398638, 'word item': 1004508, 'wa described': 961954, 'described happy': 237944, 'purchase hlor0729': 689494, 'hlor0729 mondaymotivaton': 398639, 'mondaymotivaton handsanitiser': 536480, 'for the kind': 326517, 'the kind word': 858815, 'kind word item': 475033, 'word item wa': 1004509, 'item wa described': 463791, 'wa described happy': 961955, 'described happy with': 237945, 'happy with purchase': 377735, 'with purchase hlor0729': 1000361, 'purchase hlor0729 mondaymotivaton': 689495, 'hlor0729 mondaymotivaton handsanitiser': 398640, 'vocabulary': 959904, 'bend': 126856, 'vocabulary word': 959907, 'word quarantine': 1004563, 'quarantine social': 692546, 'lockdown hand': 499454, 'sanitizer self': 735717, 'isolate virus': 454933, '19 bend': 5370, 'bend the': 126859, 'curve ceo': 221843, 'ceo stepping': 169846, 'stepping down': 799796, 'down work': 257509, 'store china': 806966, 'china flu': 176654, 'flu test': 311466, 'test pandemic': 839117, 'pandemic snack': 636491, 'vocabulary word quarantine': 959908, 'word quarantine social': 1004564, 'quarantine social distancing': 692547, 'distancing lockdown hand': 247293, 'lockdown hand sanitizer': 499455, 'hand sanitizer self': 375582, 'sanitizer self isolate': 735718, 'self isolate virus': 747692, 'isolate virus toilet': 454934, 'covid 19 bend': 212696, '19 bend the': 5371, 'bend the curve': 126860, 'the curve ceo': 852689, 'curve ceo stepping': 221844, 'ceo stepping down': 169847, 'stepping down work': 799797, 'down work from': 257510, 'from home grocery': 335865, 'grocery store china': 365281, 'store china flu': 806967, 'china flu test': 176656, 'flu test pandemic': 311468, 'test pandemic snack': 839118, '205': 14854, 'bulkcarriers': 142392, 'cultivated': 220263, 'news flour': 560407, 'flour mill': 311134, 'mill working': 531975, 'demand same': 236167, 'italy consumption': 462798, 'consumption increased': 199896, 'increased of': 433381, 'of 205': 579512, '205 price': 14855, '70 since': 21836, 'few bulkcarriers': 303737, 'bulkcarriers are': 142393, 'calling italian': 156595, 'italian port': 462716, 'port with': 664907, 'with flour': 998463, 'italy only': 462883, 'field are': 304455, 'are cultivated': 85649, 'cultivated with': 220264, 'with wheat': 1002081, 'bbc news flour': 113091, 'news flour mill': 560408, 'flour mill working': 311136, 'mill working 24': 531976, 'working 24 24': 1008465, '24 24 to': 15534, '24 to meet': 15701, 'meet demand same': 527477, 'demand same in': 236168, 'same in italy': 733121, 'in italy consumption': 424294, 'italy consumption increased': 462799, 'consumption increased of': 199897, 'increased of 205': 433382, 'of 205 price': 579513, '205 price increased': 14856, 'price increased of': 674802, 'increased of 70': 433383, 'of 70 since': 579662, '70 since few': 21837, 'since few bulkcarriers': 770593, 'few bulkcarriers are': 303738, 'bulkcarriers are calling': 142394, 'are calling italian': 85148, 'calling italian port': 156596, 'italian port with': 462717, 'port with flour': 664908, 'with flour in': 998464, 'flour in italy': 311123, 'in italy only': 424311, 'italy only 30': 462884, 'only 30 of': 610001, '30 of the': 17147, 'of the field': 591023, 'the field are': 855142, 'field are cultivated': 304458, 'are cultivated with': 85650, 'cultivated with wheat': 220265, 'sweetest': 830277, 'the sweetest': 869056, 'sweetest thing': 830278, 'fb last': 300654, 'night my': 563030, 'dad 85': 224278, '85 year': 22937, 'old offering': 598397, 'offering his': 595147, 'his elderly': 397382, 'neighbor to': 557074, 'up anything': 944397, 'his run': 397770, 'telling my': 837234, 'mom he': 535741, 'been flirting': 121160, 'saw the sweetest': 738275, 'the sweetest thing': 869057, 'sweetest thing on': 830279, 'thing on fb': 884638, 'on fb last': 600749, 'fb last night': 300655, 'last night my': 480384, 'night my dad': 563031, 'my dad 85': 547878, 'dad 85 year': 224279, '85 year old': 22938, 'year old offering': 1014858, 'old offering his': 598398, 'offering his elderly': 595149, 'his elderly neighbor': 397383, 'elderly neighbor to': 270774, 'neighbor to pick': 557075, 'pick up anything': 655703, 'up anything for': 944398, 'anything for her': 80765, 'for her on': 322226, 'her on his': 392247, 'on his run': 601327, 'his run to': 397771, 'store not telling': 809113, 'not telling my': 571952, 'telling my mom': 837237, 'my mom he': 549273, 'mom he may': 535742, 'he may have': 385225, 'have been flirting': 379545, 'asking congress': 95955, 'provide federal': 686288, 'federal assistance': 301955, 'nation 900': 552094, '900 electric': 23376, 'electric cooperative': 271106, 'cooperative some': 203176, 'facing budget': 295410, 'shortfall their': 765373, 'member struggle': 528200, 'their electric': 873120, 'electric bill': 271099, 'we are asking': 970484, 'are asking congress': 84637, 'asking congress to': 95956, 'congress to provide': 194543, 'to provide federal': 912392, 'provide federal assistance': 686289, 'federal assistance to': 301956, 'assistance to the': 96757, 'the nation 900': 861214, 'nation 900 electric': 552095, '900 electric cooperative': 23377, 'electric cooperative some': 271107, 'cooperative some of': 203177, 'which may be': 986136, 'may be facing': 520982, 'be facing budget': 114777, 'facing budget shortfall': 295411, 'budget shortfall their': 141817, 'shortfall their consumer': 765374, 'their consumer member': 872861, 'consumer member struggle': 198121, 'member struggle to': 528201, 'struggle to pay': 814392, 'pay their electric': 645159, 'their electric bill': 873121, 'electric bill during': 271100, 'pandemic more information': 635977, 'your smallbusiness': 1025835, 'smallbusiness is': 775225, 'listed online': 494638, 'with member': 999482, 'member fdic': 528077, 'consumer are staying': 196313, 'home and shopping': 400686, '19 pandemic learn': 9378, 'pandemic learn how': 635875, 'sure your smallbusiness': 827886, 'your smallbusiness is': 1025836, 'smallbusiness is listed': 775226, 'is listed online': 449384, 'listed online with': 494639, 'online with member': 609747, 'with member fdic': 999483, 'shopping came': 762272, 'on walmart': 605100, 'walmart website': 965464, 'website yes': 975498, 'really on': 702468, 'website guess': 975285, 'hungry enough': 411244, 'enough stayathomechallenge': 277630, 'while doing some': 986766, 'online shopping came': 609061, 'shopping came across': 762273, 'across this on': 29541, 'this on walmart': 889223, 'on walmart website': 605101, 'walmart website yes': 965465, 'website yes this': 975499, 'yes this is': 1015572, 'is really on': 451311, 'really on their': 702469, 'their website guess': 875169, 'website guess if': 975286, 'guess if you': 367987, 're hungry enough': 698844, 'hungry enough stayathomechallenge': 411245, 'switzerland we': 830610, 'wide lock': 991723, 'this everyone': 887466, 'their cool': 872880, 'cool and': 202985, 'here in switzerland': 393184, 'in switzerland we': 428772, 'switzerland we re': 830611, 're on day': 699177, 'day of country': 228064, 'of country wide': 582033, 'country wide lock': 211241, 'wide lock down': 991724, 'lock down and': 499023, 'down and it': 256500, 'and it look': 65549, 'like this everyone': 491487, 'this everyone seems': 887467, 'to be keeping': 901351, 'be keeping their': 115592, 'keeping their cool': 472594, 'their cool and': 872881, 'cool and doing': 202986, 'and doing what': 61613, 'through this thing': 894847, 'will reshape': 994663, 'landscape via': 479416, 'via retailtech': 956217, 'retailtech retail': 719561, 'coronavirus will reshape': 207087, 'will reshape the': 994665, 'reshape the retail': 714191, 'and consumer landscape': 60399, 'consumer landscape via': 197992, 'landscape via retailtech': 479417, 'via retailtech retail': 956218, 'or atm': 614457, 'atm you': 101976, 'standing like': 793784, 'below people': 126705, 'checkout yesterday': 175065, 'yesterday were': 1015947, 'sardine maintain': 736762, 'foot between': 318365, 'line at grocery': 492984, 'store or atm': 809313, 'or atm you': 614458, 'atm you should': 101977, 'should be standing': 765737, 'be standing like': 117348, 'standing like the': 793785, 'like the photo': 491392, 'photo below people': 655134, 'below people at': 126706, 'people at checkout': 647169, 'at checkout yesterday': 98255, 'checkout yesterday were': 175066, 'yesterday were packed': 1015948, 'were packed together': 979963, 'packed together like': 633655, 'together like sardine': 920854, 'like sardine maintain': 491130, 'sardine maintain foot': 736763, 'maintain foot between': 508968, 'foot between you': 318367, 'you and someone': 1017005, 'and someone else': 71985, 'someone else at': 784444, 'else at all': 271631, 'market forever': 516423, 'forever wa': 329153, 'on quarterly': 603046, 'quarterly planning': 693281, 'planning call': 658526, 'with client': 997661, 'client today': 182116, 'today large': 919782, 'large consumer': 479621, 'electronics company': 271291, 'and heard': 64409, 'heard this': 388161, 'at how this': 99236, 'affect the job': 34246, 'job market forever': 466001, 'market forever wa': 516424, 'forever wa on': 329154, 'wa on quarterly': 962833, 'on quarterly planning': 603047, 'quarterly planning call': 693282, 'planning call with': 658528, 'call with client': 156229, 'with client today': 997665, 'client today large': 182117, 'today large consumer': 919783, 'large consumer electronics': 479622, 'consumer electronics company': 197336, 'electronics company and': 271292, 'company and heard': 190382, 'and heard this': 64411, 'lottery toiletpaper': 504464, 'new currency': 558572, 'currency during': 221026, 'now know what': 575171, 'feel like to': 302755, 'like to win': 491635, 'win the lottery': 995587, 'the lottery toiletpaper': 859753, 'lottery toiletpaper is': 504465, 'toiletpaper is the': 922143, 'the new currency': 861488, 'new currency during': 558574, 'novv': 573882, 'lavv': 482191, 'and novv': 67817, 'novv you': 573885, 'by lavv': 153024, 'lavv but': 482192, 'charging member': 173501, 'member for': 528080, 'for facility': 321359, 'facility they': 295382, 'uk there is': 938809, 'nothing to look': 573194, 'look into you': 502442, 'into you know': 443311, 'know you ve': 477090, 've raised price': 953468, 'raised price you': 696033, 'price you know': 677694, 'there is covid': 878540, 'crisis and novv': 217037, 'and novv you': 67818, 'novv you re': 573886, 'you re closed': 1020588, 're closed by': 698430, 'closed by lavv': 183033, 'by lavv but': 153025, 'lavv but still': 482193, 'but still charging': 147159, 'still charging member': 800361, 'charging member for': 173502, 'member for facility': 528082, 'for facility they': 321360, 'facility they cannot': 295383, 'they cannot use': 881720, 'asked at': 95717, 'asked at the': 95718, 'supermarket if they': 820837, 'record month': 705029, 'supermarket consumer': 819762, 'spend an': 788573, 'billion comment': 130792, 'current uk': 221415, 'supermarket landscape': 821262, 'landscape amid': 479387, 'crisis press': 217897, 'record month for': 705031, 'month for supermarket': 537730, 'for supermarket consumer': 326005, 'supermarket consumer spend': 819763, 'consumer spend an': 199031, 'spend an extra': 788574, 'extra billion comment': 293459, 'billion comment on': 130793, 'comment on the': 188441, 'the current uk': 852674, 'current uk supermarket': 221417, 'uk supermarket landscape': 938768, 'supermarket landscape amid': 821263, 'landscape amid the': 479388, '19 crisis press': 6302, 'crisis press release': 217898, 'frieda': 333459, 'quarantine reminds': 692492, 'of season': 589428, 'when riot': 983947, 'riot break': 722602, 'and frieda': 63318, 'frieda go': 333460, 'her secret': 392349, 'secret den': 743916, 'den with': 236915, 'her going': 392076, 'just chill': 468474, 'buying and self': 149928, 'and self quarantine': 71186, 'self quarantine reminds': 747867, 'quarantine reminds me': 692493, 'me of season': 523245, 'of season of': 589430, 'season of when': 743422, 'of when riot': 593088, 'when riot break': 983948, 'riot break out': 722603, 'break out and': 138781, 'out and frieda': 625662, 'and frieda go': 63319, 'frieda go into': 333461, 'go into her': 353752, 'into her secret': 442622, 'her secret den': 392350, 'secret den with': 743917, 'den with enough': 236916, 'supply to keep': 826013, 'to keep her': 908801, 'keep her going': 471579, 'her going for': 392077, 'going for month': 355145, 'month and just': 537577, 'and just chill': 65697, 'which store are': 986339, 'open and closed': 612053, 'and closed during': 60007, 'faye': 300623, 'befor': 122581, 'faye yes': 300624, 'yes too': 1015580, 'just discussing': 468606, 'discussing friend': 244991, 'doe just': 251445, 'this both': 886598, 'both with': 136095, 'with item': 999096, 'shop she': 760758, 'also never': 48561, 'never considered': 557931, 'considered that': 195335, 'item bought': 463164, 'supermarket might': 821516, 'need wipe': 556223, 'case someone': 166024, 'had touched': 373753, 'touched them': 926647, 'them befor': 875467, 'faye yes too': 300625, 'yes too we': 1015581, 'too we were': 925158, 'we were just': 973797, 'were just discussing': 979815, 'just discussing friend': 468607, 'discussing friend who': 244992, 'friend who doe': 333897, 'who doe just': 988631, 'doe just this': 251446, 'just this both': 470051, 'this both with': 886599, 'both with dog': 136097, 'with dog and': 998106, 'dog and with': 252036, 'and with item': 75774, 'with item in': 999097, 'item in shop': 463354, 'in shop she': 427898, 'shop she also': 760759, 'she also never': 755852, 'also never considered': 48562, 'never considered that': 557932, 'considered that item': 195336, 'that item bought': 844762, 'item bought in': 463165, 'bought in the': 136605, 'the supermarket might': 868702, 'supermarket might need': 821517, 'might need wipe': 531089, 'need wipe in': 556224, 'wipe in case': 996297, 'in case someone': 421274, 'case someone with': 166025, '19 had touched': 7414, 'had touched them': 373754, 'touched them befor': 926648, 'trastra': 930200, 'the trastra': 869926, 'trastra card': 930201, 'make secure': 510426, 'transaction more': 929459, 'shopping le': 763145, 'contact during': 200069, 'during season': 262992, 'the trastra card': 869927, 'trastra card is': 930202, 'card is the': 163564, 'to make secure': 909734, 'make secure online': 510427, 'secure online transaction': 744453, 'online transaction more': 609633, 'transaction more shopping': 929460, 'more shopping le': 540389, 'shopping le human': 763146, 'human contact during': 410470, 'contact during season': 200070, 'spaincoronavirus': 787366, 'nan life': 551766, 'and filmed': 62852, 'filmed little': 305725, 'little vlog': 495638, 'vlog and': 959865, 'her spaincoronavirus': 392399, 'spaincoronavirus coronacrisis': 787367, 'my nan life': 549407, 'nan life in': 551767, 'spain and she': 787275, 'and she went': 71433, 'supermarket and filmed': 818982, 'and filmed little': 62853, 'filmed little vlog': 305726, 'little vlog and': 495639, 'vlog and look': 959866, 'look at her': 502267, 'at her spaincoronavirus': 98889, 'her spaincoronavirus coronacrisis': 392400, 'spaincoronavirus coronacrisis lockdown': 787368, 'it farce': 457952, 'farce should': 299008, 'be prioritised': 116536, 'prioritised differently': 678405, 'differently started': 242161, 'petition but': 653592, 'am nobody': 50238, 'nobody so': 566062, 'ha listened': 371160, 'it farce should': 457953, 'farce should be': 299009, 'should be prioritised': 765695, 'be prioritised differently': 116537, 'prioritised differently started': 678406, 'differently started this': 242162, 'started this petition': 794861, 'this petition but': 889541, 'petition but am': 653593, 'but am nobody': 145162, 'am nobody so': 50239, 'nobody so nobody': 566063, 'so nobody ha': 777892, 'nobody ha listened': 566011, 'conferencing': 193779, 'first newsletter': 308797, 'out interviewed': 626426, 'interviewed my': 442283, 'beijing about': 124782, 'how life': 408165, 'world cover': 1009468, 'cover apps': 212193, 'apps they': 83318, 'using lot': 950548, 'learning video': 484254, 'video conferencing': 956683, 'conferencing and': 193780, 'chinese work': 177397, 'work culture': 1005022, 'my first newsletter': 548345, 'first newsletter is': 308798, 'newsletter is out': 561034, 'is out interviewed': 450663, 'out interviewed my': 626427, 'interviewed my family': 442284, 'my family in': 548206, 'family in beijing': 297915, 'in beijing about': 420765, 'beijing about how': 124783, 'about how life': 25449, 'how life ha': 408166, 'changed in coronavirus': 172496, 'in coronavirus world': 421810, 'coronavirus world cover': 207105, 'world cover apps': 1009469, 'cover apps they': 212194, 'apps they re': 83319, 're using lot': 699764, 'using lot of': 950549, 'lot of learning': 504218, 'of learning video': 585766, 'learning video conferencing': 484255, 'video conferencing and': 956684, 'conferencing and change': 193781, 'change in chinese': 172109, 'in chinese work': 421456, 'chinese work culture': 177398, 'peppa': 650643, 'although emptying': 49313, 'is alarming': 445440, 'alarming it': 40697, 'only short': 611129, 'term reaction': 838254, 'yesterday news': 1015813, 'news there': 560875, 'restocked so': 716960, 'not meant': 570559, 'on peppa': 602761, 'peppa pig': 650644, 'pig carrot': 656437, 'carrot and': 165041, 'and pea': 68820, 'although emptying supermarket': 49314, 'shelf is alarming': 757230, 'is alarming it': 445441, 'alarming it is': 40698, 'is only short': 450546, 'only short term': 611130, 'short term reaction': 764746, 'term reaction to': 838255, 'reaction to yesterday': 700226, 'to yesterday news': 918880, 'yesterday news there': 1015814, 'news there is': 560876, 'supply chain the': 825049, 'chain the shelf': 171170, 'the shelf will': 866902, 'be restocked so': 116845, 'restocked so we': 716961, 're not meant': 699106, 'not meant to': 570560, 'meant to live': 524911, 'live on peppa': 495961, 'on peppa pig': 602762, 'peppa pig carrot': 650645, 'pig carrot and': 656438, 'carrot and pea': 165043, 'disobedience': 246068, 'introduced food': 443422, 'have warned': 383539, 'that riot': 846057, 'civil disobedience': 179514, 'disobedience could': 246069, 'could break': 208968, 'out within': 627877, 'if production': 414693, 'growing customer': 367152, 'demand panic': 236012, 'have introduced food': 381115, 'introduced food rationing': 443423, 'food rationing and': 316125, 'rationing and food': 697789, 'and food retailer': 63086, 'food retailer have': 316223, 'retailer have warned': 719189, 'have warned the': 383543, 'warned the government': 967033, 'the government that': 856608, 'government that riot': 360676, 'that riot and': 846058, 'riot and act': 722596, 'and act of': 57624, 'act of civil': 29717, 'of civil disobedience': 581432, 'civil disobedience could': 179515, 'disobedience could break': 246070, 'could break out': 208970, 'break out within': 138786, 'out within week': 627879, 'within week if': 1002460, 'week if production': 976355, 'if production is': 414694, 'production is unable': 682092, 'unable to meet': 939336, 'meet growing customer': 527497, 'growing customer demand': 367153, 'customer demand panic': 222299, 'demand panic shopping': 236013, 'how every': 407815, 'store say': 810002, 'monitoring but': 537345, 'for nj': 323883, 'nj say': 563453, 'work fearful': 1005123, 'fearful for': 301455, 'husband safety': 411756, 'love how every': 504693, 'how every store': 407816, 'every store say': 286223, 'store say they': 810005, 'they are monitoring': 881335, 'are monitoring but': 88102, 'monitoring but for': 537346, 'but for nj': 145749, 'for nj say': 323884, 'nj say he': 563454, 'say he want': 738739, 'he want all': 385636, 'want all retail': 965696, 'close and everyone': 182527, 'and everyone to': 62410, 'stay home can': 796947, 'home can stay': 400869, 'if they still': 415131, 'to work fearful': 918719, 'work fearful for': 1005124, 'fearful for my': 301456, 'for my husband': 323712, 'my husband safety': 548791, 'ward23': 966658, 'scarbto': 740773, 'kindness displayed': 475192, 'neighbour while': 557252, 'store personally': 809514, 'personally witnessed': 653055, 'witnessed community': 1003144, 'member give': 528095, 'last carton': 480135, 'who said': 989552, 'had none': 373344, 'none ward23': 566609, 'ward23 scarbto': 966659, 'these time we': 880854, 'time we would': 898245, 'like to celebrate': 491579, 'celebrate the kindness': 168801, 'the kindness displayed': 858818, 'kindness displayed by': 475193, 'displayed by community': 246214, 'by community member': 152159, 'community member and': 189980, 'member and neighbour': 528015, 'and neighbour while': 67512, 'neighbour while shopping': 557253, 'grocery store personally': 365651, 'store personally witnessed': 809515, 'personally witnessed community': 653056, 'witnessed community member': 1003145, 'community member give': 189983, 'member give up': 528096, 'give up the': 350821, 'the last carton': 858998, 'last carton of': 480136, 'carton of milk': 165488, 'of milk to': 586520, 'milk to senior': 531871, 'to senior who': 914239, 'senior who said': 750447, 'who said they': 989553, 'said they had': 731478, 'they had none': 882251, 'had none ward23': 373345, 'none ward23 scarbto': 566610, 'fracking': 330855, 'falling amid': 297203, 'for fracking': 321691, 'fracking this': 330860, 'right side': 722269, 'of history': 584677, 'history do': 398020, 'do big': 249143, 'big structural': 130023, 'price falling amid': 673807, 'falling amid covid': 297204, '19 recession it': 10000, 'recession it the': 704309, 'it the beginning': 461514, 'the end for': 854299, 'end for fracking': 275824, 'for fracking this': 321693, 'fracking this is': 330861, 'is our time': 450646, 'our time be': 625145, 'time be on': 896365, 'the right side': 865825, 'right side of': 722270, 'side of history': 768848, 'of history do': 584678, 'history do big': 398021, 'do big structural': 249144, 'big structural change': 130024, 'price rebound': 676115, 'rebound after': 703298, 'day plunge': 228230, 'plunge but': 661416, 'limited tumbling': 492786, 'tumbling demand': 935341, 'by collapse': 152148, 'oil price rebound': 597230, 'price rebound after': 676116, 'rebound after three': 703300, 'three day plunge': 893916, 'day plunge but': 228231, 'plunge but analyst': 661417, 'be limited tumbling': 115761, 'limited tumbling demand': 492787, 'tumbling demand because': 935342, 'because of outbreak': 119385, 'of outbreak is': 587606, 'compounded by collapse': 192601, 'by collapse this': 152150, 'month of deal': 537894, 'of deal between': 582407, 'lookforthehelpers': 502763, 'being polite': 125552, 'polite to': 663608, 'that anyway': 842687, 'anyway what': 81062, 'do call': 249172, 'call their': 156143, 'their corp': 872884, 'corp office': 207207, 'ppe hazard': 667969, 'leave grocerystores': 484808, 'grocerystores lookforthehelpers': 366370, 'thank you being': 841691, 'you being polite': 1017439, 'being polite to': 125554, 'polite to the': 663609, 'hero working at': 394181, 'you all should': 1016906, 'doing that anyway': 252705, 'that anyway what': 842688, 'anyway what you': 81063, 'to do call': 904493, 'do call their': 249173, 'call their corp': 156145, 'their corp office': 872885, 'corp office and': 207208, 'office and demand': 595353, 'and demand they': 61174, 'they get ppe': 882176, 'get ppe hazard': 347828, 'ppe hazard pay': 667970, 'pay and paid': 644736, 'and paid sick': 68631, 'sick leave grocerystores': 768494, 'leave grocerystores lookforthehelpers': 484809, 'crawler': 215185, 'prowling': 687319, 'paper zombie': 641142, 'zombie apocolypse': 1027700, 'apocolypse night': 81609, 'night crawler': 562980, 'crawler prowling': 215186, 'prowling the': 687320, 'the isle': 858554, 'of never': 586948, 'before empty': 122772, 'good say': 357693, 'store president': 809638, 'trump tp': 933935, 'toilet paper zombie': 921540, 'paper zombie apocolypse': 641143, 'zombie apocolypse night': 1027701, 'apocolypse night crawler': 81610, 'night crawler prowling': 562981, 'crawler prowling the': 215187, 'prowling the isle': 687321, 'the isle of': 858555, 'isle of empty': 454376, 'shelf of never': 757363, 'of never before': 586949, 'never before empty': 557911, 'before empty store': 122773, 'empty store take': 275151, 'store take it': 810497, 'toilet paper good': 921289, 'paper good say': 640224, 'good say store': 357694, 'say store president': 739184, 'store president trump': 809639, 'president trump tp': 670953, 'trump tp toiletpaper': 933936, 'tp toiletpaper coronapocolypse': 927993, 'newperspective': 560162, 'week healthcare': 976318, 'provider truck': 686809, 'employee became': 273667, 'that famous': 843832, 'famous people': 298485, 'people 2020': 646723, '2020 priority': 14531, 'priority coronapocolypse': 678538, 'coronapocolypse stayhome': 205245, 'stayhome newperspective': 798049, 'within week healthcare': 1002459, 'week healthcare provider': 976319, 'healthcare provider truck': 387258, 'provider truck driver': 686810, 'store employee became': 807461, 'employee became more': 273668, 'more important that': 539494, 'important that famous': 419009, 'that famous people': 843834, 'famous people 2020': 298486, 'people 2020 priority': 646724, '2020 priority coronapocolypse': 14532, 'priority coronapocolypse stayhome': 678539, 'coronapocolypse stayhome newperspective': 205246, 'crackling': 214749, 'creamed': 215583, 'glazed': 351652, 'parsnip': 642210, 'gravy': 362458, 'let stick': 487080, 'together roast': 920928, 'roast leg': 724595, 'pork crackling': 664790, 'crackling creamed': 214750, 'creamed cabbage': 215584, 'cabbage glazed': 154947, 'glazed carrot': 351653, 'carrot roasted': 165059, 'roasted carrot': 724602, 'and parsnip': 68721, 'parsnip apple': 642211, 'apple sauce': 82359, 'and gravy': 63931, 'gravy meal': 362459, 'main menu': 508773, 'menu our': 528891, 'let stick together': 487081, 'stick together roast': 800069, 'together roast leg': 920929, 'roast leg of': 724596, 'leg of pork': 485816, 'of pork crackling': 588241, 'pork crackling creamed': 664791, 'crackling creamed cabbage': 214751, 'creamed cabbage glazed': 215585, 'cabbage glazed carrot': 154948, 'glazed carrot roasted': 351654, 'carrot roasted carrot': 165060, 'roasted carrot and': 724603, 'carrot and parsnip': 165042, 'and parsnip apple': 68722, 'parsnip apple sauce': 642212, 'apple sauce and': 82360, 'sauce and gravy': 737137, 'and gravy meal': 63932, 'gravy meal deal': 362460, 'meal deal available': 524124, 'deal available check': 229350, 'check our facebook': 174527, 'our facebook for': 622980, 'facebook for price': 294916, 'price and our': 672486, 'and our main': 68504, 'our main menu': 623837, 'main menu our': 508774, 'menu our online': 528892, 'our online shop': 624153, 'online shop shoplocal': 608986, 'consummation': 199813, 'the consummation': 851634, 'consummation of': 199814, 'consumer society': 199019, 'society crisis': 781186, 'crisis remove': 217962, 'remove worker': 710851, 'from consumption': 334978, 'consumption no': 199908, 'no economy': 564082, 'under these': 940346, 'condition no': 193488, 'condition via': 193552, 'the consummation of': 851635, 'consummation of the': 199815, 'the consumer society': 851598, 'consumer society crisis': 199021, 'society crisis remove': 781187, 'crisis remove worker': 217963, 'remove worker from': 710852, 'worker from work': 1007000, 'from work and': 338402, 'work and consumer': 1004769, 'and consumer from': 60385, 'consumer from consumption': 197554, 'from consumption no': 334979, 'consumption no economy': 199909, 'no economy can': 564083, 'economy can operate': 267738, 'can operate under': 159155, 'operate under these': 613022, 'under these condition': 940348, 'these condition no': 879797, 'condition no consumer': 193489, 'no consumer economy': 563882, 'consumer economy can': 197303, 'operate under such': 613021, 'under such condition': 940281, 'such condition via': 816416, 'coronainmaharashtra': 204996, 'history you': 398077, 'lying around': 507062, 'home coronainmaharashtra': 400941, 'time in history': 896993, 'in history you': 423761, 'history you can': 398078, 'you can save': 1017774, 'world by doing': 1009389, 'by doing nothing': 152393, 'doing nothing and': 252558, 'nothing and lying': 572926, 'and lying around': 66495, 'lying around at': 507063, 'around at home': 93213, 'at home coronainmaharashtra': 98961, 'ok opinion': 597853, 'please run': 660435, 'for ups': 327477, 'ups we': 947781, 'overtime earning': 631622, 'earning he': 264869, 'he think': 385518, 'received 100': 703577, '100 incentive': 1925, 'incentive we': 431374, 'said damn': 731035, 'damn more': 225398, 'than earned': 840534, 'earned it': 264828, 'reason peoplevspelosi': 702979, 'ok opinion please': 597854, 'opinion please run': 613493, 'please run grocery': 660436, 'husband work for': 411794, 'work for ups': 1005178, 'for ups we': 327478, 'ups we are': 947782, 'working overtime earning': 1008861, 'overtime earning he': 631623, 'earning he think': 264870, 'he think that': 385522, 'if we received': 415304, 'we received 100': 973033, 'received 100 incentive': 703578, '100 incentive we': 1926, 'incentive we should': 431375, 'we should donate': 973268, 'should donate it': 765942, 'donate it because': 254194, 'it because we': 456765, 'because we do': 119799, 'need it said': 555104, 'it said damn': 460851, 'said damn more': 731036, 'damn more than': 225399, 'more than earned': 540612, 'than earned it': 840535, 'earned it who': 264829, 'it who ha': 462356, 'ha the reason': 372222, 'the reason peoplevspelosi': 865275, 'food situation': 316632, 'itself our': 463947, '10am no': 2294, 'online website': 609703, 'website allows': 975184, 'no availability': 563644, 'availability after': 104126, 'which got': 985870, 'got stock': 358870, '10am are': 2287, 'emptied again': 274670, 'we struggle': 973438, 'the food situation': 855604, 'food situation is': 316634, 'situation is more': 772351, 'scary than covid': 741193, '19 itself our': 8172, 'itself our shop': 463948, 'our shop get': 624751, 'shop get their': 760237, 'get their delivery': 348326, 'their delivery at': 872993, 'delivery at 10am': 233731, 'at 10am no': 97425, '10am no online': 2295, 'no online website': 564997, 'online website allows': 609704, 'website allows to': 975185, 'allows to order': 46403, 'to order due': 911068, 'to no availability': 910616, 'no availability after': 563645, 'availability after work': 104127, 'after work the': 36570, 'work the shop': 1005817, 'the shop which': 867038, 'shop which got': 761034, 'which got stock': 985871, 'got stock at': 358871, 'stock at 10am': 801870, 'at 10am are': 97424, '10am are emptied': 2288, 'are emptied again': 86128, 'emptied again we': 274671, 'again we struggle': 37264, 'we struggle to': 973439, 'pas there': 643157, 'be return': 116860, 'the dna': 853443, 'dna of': 248987, 'be critically': 114299, 'critically important': 218739, 'important branding': 418752, 'will pas there': 994381, 'pas there will': 643158, 'will be return': 992653, 'be return to': 116861, 'normal and the': 567091, 'and the dna': 73332, 'the dna of': 853444, 'dna of the': 248988, 'the brand is': 849940, 'brand is still': 137879, 'to be critically': 901188, 'be critically important': 114300, 'critically important branding': 218740, 'entered day': 278348, 'day three': 228543, 'in district': 422319, 'district are': 248355, 'of steep': 590116, 'entered day three': 278349, 'day three of': 228545, 'three of the': 894014, 'the lockdown people': 859623, 'lockdown people in': 499779, 'people in district': 648369, 'in district are': 422320, 'district are facing': 248356, 'are facing the': 86435, 'facing the brunt': 295620, 'brunt of steep': 141362, 'of steep rise': 590118, 'rise in vegetable': 722917, 'in vegetable price': 430547, 'vegetable price via': 954076, '8500': 22942, 'panic 8500': 637251, '8500 child': 22943, 'child dying': 176069, 'dying every': 263811, 'one talking': 607163, 'hunger doe': 411095, 'in month 400': 425410, 'month 400 people': 537515, '400 people died': 18766, 'people died of': 647657, 'in panic 8500': 426473, 'panic 8500 child': 637252, '8500 child dying': 22944, 'child dying every': 176070, 'dying every day': 263812, 'every day due': 285802, 'due to another': 261704, 'to another virus': 900577, 'no one talking': 564967, 'one talking about': 607164, 'because hunger doe': 119136, 'to goodness': 906911, 'goodness biggest': 358051, 'biggest take': 130336, 'today survey': 920239, 'food culture': 314066, 'culture under': 220310, 'under is': 940141, 'eat fruit': 265924, 'in stocking': 428348, 'essential lemon': 281275, 'lemon are': 486176, 'few place': 304003, 'consumer profile': 198489, 'honest to goodness': 403088, 'to goodness biggest': 906912, 'goodness biggest take': 358052, 'biggest take away': 130337, 'away from today': 105919, 'from today survey': 338083, 'today survey of': 920240, 'survey of nyc': 828912, 'of nyc food': 587125, 'nyc food culture': 577983, 'food culture under': 314067, 'culture under is': 220311, 'under is that': 940142, 'do not eat': 249723, 'not eat fruit': 569140, 'eat fruit vegetable': 265925, 'fruit vegetable or': 339185, 'vegetable or do': 954060, 'do not consider': 249704, 'not consider them': 568833, 'consider them in': 195151, 'them in stocking': 875916, 'in stocking essential': 428349, 'stocking essential lemon': 803551, 'essential lemon are': 281276, 'lemon are low': 486177, 'are low in': 87929, 'low in few': 505331, 'in few place': 422864, 'few place but': 304004, 'place but that': 657364, 'but that all': 147281, 'that all say': 842560, 'all say something': 44246, 'say something about': 739160, 'something about our': 784830, 'about our consumer': 25886, 'our consumer profile': 622545, 'that awkward': 842910, 'awkward moment': 106283, 'realize the': 701867, 'than nurse': 840956, 'that awkward moment': 842911, 'awkward moment when': 106284, 'moment when you': 536115, 'when you realize': 984594, 'you realize the': 1020830, 'realize the worker': 701869, 'supermarket in have': 820909, 'in have better': 423568, 'have better protection': 379779, 'better protection than': 128436, 'protection than nurse': 685638, 'than nurse in': 840957, 'hoarde': 398920, 'ok whoever': 597942, 'whoever is': 990098, 'probably have': 679283, 'the dumb': 853772, 'dumb thing': 262119, 'to hoarde': 907887, 'hoarde toiletpaper': 398921, 'ok whoever is': 597943, 'whoever is buying': 990099, 'paper you can': 641126, 'can stop now': 159820, 'stop now you': 804860, 'now you probably': 576515, 'you probably have': 1020441, 'probably have enough': 679284, 'enough of all': 277541, 'all the dumb': 44725, 'the dumb thing': 853774, 'dumb thing to': 262120, 'thing to hoarde': 884892, 'to hoarde toiletpaper': 907888, 'pandemic shopping': 636444, 'life at home': 488507, 'at home how': 99007, 'home how to': 401382, 'shopping during corona': 762531, 'during corona virus': 262524, 'virus and other': 957936, 'other consumer tip': 620002, 'consumer tip to': 199298, 'through this covid': 894810, '19 pandemic shopping': 9465, 'pandemic shopping grocery': 636445, 'webinar thursday': 975115, 'pm cest': 661878, 'cest how': 170260, 'will our': 994354, 'our decision': 622716, 'decision during': 231019, 'tomorrow register': 924171, 'webinar thursday april': 975116, 'thursday april 2020': 895351, 'april 2020 00': 83454, '2020 00 pm': 14079, '00 pm cest': 438, 'pm cest how': 661879, 'cest how will': 170261, 'how will our': 409235, 'will our decision': 994356, 'our decision during': 622717, 'decision during the': 231020, '19 crisis impact': 6263, 'crisis impact consumer': 217520, 'and the industry': 73425, 'the industry of': 858182, 'industry of tomorrow': 436019, 'of tomorrow register': 592303, 'tomorrow register now': 924172, 'tasted': 834802, 'expired': 292055, 'son an': 785346, 'basket with': 112425, 'with jerky': 999105, 'jerky inside': 465171, 'inside he': 439273, 'it tasted': 461443, 'tasted odd': 834805, 'odd and': 579176, 'dry checked': 261251, 'checked the': 174771, 'had expired': 373087, 'expired in': 292069, '2018 thanks': 13896, 'selling me': 749344, 'me expired': 522708, 'expired food': 292062, 'gave my son': 344654, 'my son an': 550150, 'son an easter': 785347, 'easter basket with': 265391, 'basket with jerky': 112426, 'with jerky inside': 999106, 'jerky inside he': 465172, 'inside he said': 439274, 'he said it': 385365, 'said it tasted': 731165, 'it tasted odd': 461444, 'tasted odd and': 834806, 'odd and dry': 579177, 'and dry checked': 61787, 'dry checked the': 261252, 'checked the package': 174773, 'package it had': 633317, 'it had expired': 458429, 'had expired in': 373088, 'expired in 2018': 292071, 'in 2018 thanks': 419791, '2018 thanks for': 13897, 'thanks for selling': 842074, 'for selling me': 325444, 'selling me expired': 749345, 'me expired food': 522709, 'expired food so': 292064, 'food so much': 316662, 'much for online': 544923, 'time allow': 896230, 'people ashamed': 647152, 'ashamed vulnerability': 95084, 'vulnerability out': 960821, 'order ebay': 618186, 'why is allowing': 991096, 'is allowing people': 445488, 'sell basic necessity': 748642, 'price during tough': 673638, 'tough time allow': 926845, 'time allow them': 896231, 'them to scam': 876505, 'scam people ashamed': 740295, 'people ashamed vulnerability': 647154, 'ashamed vulnerability out': 95085, 'vulnerability out of': 960822, 'out of order': 626796, 'of order ebay': 587332, '11am feel': 2719, 'like xmas': 491849, 'xmas lockdown': 1013884, 'supermarket at 11am': 819228, 'at 11am feel': 97444, '11am feel like': 2720, 'feel like xmas': 302766, 'like xmas lockdown': 491850, 'xmas lockdown stayathome': 1013885, 'dissolve': 246602, 'any mix': 79470, 'mix with': 534614, 'with part': 1000099, 'part bleach': 642245, 'bleach and': 132478, 'part water': 642481, 'water directly': 968961, 'directly dissolve': 243537, 'dissolve the': 246603, 'the protein': 864715, 'protein break': 685884, 'the inside': 858311, 'inside stayathomesavelives': 439384, 'stayathomesavelives washyourhands': 797812, 'any mix with': 79471, 'mix with part': 534615, 'with part bleach': 1000100, 'part bleach and': 642246, 'bleach and part': 132480, 'and part water': 68726, 'part water directly': 642482, 'water directly dissolve': 968962, 'directly dissolve the': 243538, 'dissolve the protein': 246604, 'the protein break': 864716, 'protein break it': 685885, 'it down from': 457691, 'down from the': 256791, 'from the inside': 337758, 'the inside stayathomesavelives': 858314, 'inside stayathomesavelives washyourhands': 439385, 'stayathomesavelives washyourhands sanitizer': 797813, 'epidemic please': 279433, 'day even': 227567, 'after overtime': 36007, 'the epidemic please': 854445, 'epidemic please be': 279434, 'store employee we': 807570, 'working day after': 1008582, 'after day even': 35539, 'day even after': 227568, 'even after overtime': 283817, 'after overtime to': 36008, 'abattoir': 24234, 'australia meat': 103330, 'processor are': 680061, 'of abattoir': 579697, 'abattoir being': 24237, 'employee testing': 274280, 'testing positive': 839608, '19 meat': 8611, 'meat ind': 525624, 'australia meat processor': 103331, 'meat processor are': 525707, 'processor are working': 680063, 'working to minimise': 1008995, 'minimise the risk': 533089, 'risk of abattoir': 723722, 'of abattoir being': 579698, 'abattoir being forced': 24238, 'event of one': 285038, 'of one or': 587241, 'one or more': 606795, 'or more employee': 616170, 'more employee testing': 539126, 'employee testing positive': 274281, 'testing positive to': 839610, 'covid 19 meat': 213420, '19 meat ind': 8612, 'home early': 401115, 'early today': 264735, 'have mental': 381460, 'mental breakdown': 528629, 'breakdown in': 138845, 'second cried': 743686, 'cried in': 216749, 'bathroom already': 112629, 'already text': 47712, 'from daughter': 335102, 'daughter who': 226920, 'for rx': 325281, 'rx store': 728796, 'why mean': 991189, 'worker retailworkers': 1007693, 'retailworkers weareallinthistogether': 719601, 'coming home early': 188076, 'home early today': 401116, 'early today am': 264736, 'today am going': 919178, 'to have mental': 907275, 'have mental breakdown': 381461, 'mental breakdown in': 528630, 'breakdown in second': 138847, 'in second cried': 427767, 'second cried in': 743687, 'cried in the': 216750, 'the bathroom already': 849330, 'bathroom already text': 112630, 'already text from': 47713, 'text from daughter': 839894, 'from daughter who': 335103, 'daughter who work': 226922, 'work for rx': 1005170, 'for rx store': 325282, 'rx store wtf': 728797, 'store wtf is': 811653, 'with people why': 1000180, 'people why mean': 650375, 'why mean to': 991190, 'mean to essential': 524733, 'to essential retail': 905260, 'essential retail worker': 281474, 'retail worker retailworkers': 718904, 'worker retailworkers weareallinthistogether': 1007694, 'house counsel': 406250, 'counsel and': 210066, 'ahead at': 39138, 'state level': 795733, 'level when': 487751, 'say the california': 739267, 'privacy act is': 678791, 'act is what': 29671, 'what in house': 981656, 'in house counsel': 423847, 'house counsel and': 406251, 'counsel and their': 210067, 'and their company': 73677, 'their company should': 872835, 'focusing on to': 312004, 'on to prepare': 604753, 'prepare for what': 670090, 'for what lie': 327800, 'what lie ahead': 981815, 'lie ahead at': 488327, 'ahead at the': 39139, 'the state level': 867786, 'state level when': 795735, 'level when the': 487752, 'campaigner': 157272, 'exclusion': 289641, 'outbreak campaigner': 628080, 'campaigner warn': 157275, 'warn closure': 966927, 'push low': 690294, 'family further': 297839, 'into grip': 442602, 'grip of': 364023, 'of poverty': 588298, 'social exclusion': 779783, 'exclusion panic': 289644, 'buyer emptied': 149634, 'emptied shelf': 274694, 'and walked': 75143, 'straight past': 812230, 'past donation': 643527, 'donation point': 254672, 'close amid covid': 182519, '19 outbreak campaigner': 9092, 'outbreak campaigner warn': 628081, 'campaigner warn closure': 157276, 'warn closure will': 966928, 'closure will push': 184070, 'will push low': 994534, 'push low income': 690295, 'income family further': 432335, 'family further into': 297840, 'further into grip': 342076, 'into grip of': 442603, 'grip of poverty': 364025, 'of poverty and': 588299, 'poverty and social': 667483, 'and social exclusion': 71886, 'social exclusion panic': 779784, 'exclusion panic buyer': 289645, 'panic buyer emptied': 637571, 'buyer emptied shelf': 149635, 'emptied shelf and': 274695, 'shelf and walked': 756775, 'and walked straight': 75147, 'walked straight past': 964979, 'straight past donation': 812231, 'past donation point': 643528, 'nsduh': 576661, 'taproom': 834399, 'thought according': 892963, 'to nsduh': 910748, 'nsduh 70': 576662, 'american adult': 51770, 'adult drink': 32816, 'drink alcohol': 258791, 'alcohol of': 41055, 'american must': 52094, 'must legally': 546752, 'legally isolate': 485916, 'isolate they': 454925, 'it beer': 456807, 'beer sale': 122502, 'up 55': 944192, '55 but': 20366, 'but careful': 145392, 'careful craft': 164396, 'beer go': 122462, 'go mainly': 353823, 'to taproom': 916298, 'taproom bud': 834400, 'bud light': 141727, 'light is': 489536, 'here some food': 393577, 'for thought according': 327156, 'thought according to': 892964, 'according to nsduh': 28571, 'to nsduh 70': 910749, 'nsduh 70 of': 576663, 'of american adult': 580050, 'american adult drink': 51771, 'adult drink alcohol': 32817, 'drink alcohol of': 258792, 'alcohol of american': 41056, 'of american must': 580067, 'american must legally': 52096, 'must legally isolate': 546753, 'legally isolate they': 485917, 'isolate they re': 454926, 'some fun doing': 782929, 'doing it beer': 252480, 'it beer sale': 456808, 'beer sale are': 122503, 'are up 55': 91355, 'up 55 but': 944193, '55 but careful': 20367, 'but careful craft': 145393, 'careful craft beer': 164397, 'craft beer go': 214761, 'beer go mainly': 122463, 'go mainly to': 353824, 'mainly to taproom': 508898, 'to taproom bud': 916299, 'taproom bud light': 834401, 'bud light is': 141728, 'light is easy': 489538, 'is easy and': 447430, 'easy and cheap': 265647, 'express my': 293045, 'my gratitude': 548565, 'and admiration': 57704, 'admiration for': 32564, 'those men': 892202, 'woman woman': 1003703, 'tirelessly for': 899082, 'all part': 43921, 'scientist civil': 742202, 'civil protection': 179528, 'protection personnel': 685570, 'personnel cleaning': 653091, 'effort 19': 269459, 'like to express': 491589, 'to express my': 905521, 'express my gratitude': 293046, 'my gratitude and': 548566, 'gratitude and admiration': 362357, 'and admiration for': 57705, 'admiration for those': 32565, 'for those men': 327123, 'those men and': 892203, 'and woman woman': 75815, 'woman woman who': 1003704, 'woman who work': 1003689, 'who work tirelessly': 990044, 'work tirelessly for': 1005876, 'tirelessly for our': 899083, 'our safety in': 624665, 'safety in all': 730577, 'in all part': 420177, 'all part of': 43922, 'world doctor scientist': 1009492, 'doctor scientist civil': 251096, 'scientist civil protection': 742203, 'civil protection personnel': 179529, 'protection personnel cleaning': 685571, 'personnel cleaning staff': 653092, 'cleaning staff supermarket': 181066, 'supermarket worker thank': 824093, 'for your work': 328227, 'your work and': 1026369, 'work and effort': 1004774, 'and effort 19': 61967, 'have proposed': 382086, 'an eviction': 55886, 'moratorium propose': 538456, 'propose to': 684511, 'debt which': 230602, 'which doe': 985827, 'qualify ground': 691729, 'eviction freezing': 288324, 'freezing of': 332664, 'our influence': 623541, 'influence with': 437321, 'with bank': 997365, 'do business': 249154, 'protect tenant': 684960, 'tenant homeowner': 837846, 'we have proposed': 971908, 'have proposed several': 382087, 'push for an': 690265, 'for an eviction': 319289, 'an eviction moratorium': 55887, 'eviction moratorium and': 288329, 'moratorium and an': 538436, 'and an eviction': 58112, 'eviction moratorium propose': 288332, 'moratorium propose to': 538457, 'propose to classify': 684512, 'consumer debt which': 197093, 'debt which doe': 230603, 'which doe not': 985828, 'not qualify ground': 571184, 'qualify ground for': 691730, 'ground for eviction': 366497, 'for eviction freezing': 321265, 'eviction freezing of': 288325, 'freezing of rent': 332666, 'of rent and': 588931, 'use our influence': 949464, 'our influence with': 623542, 'influence with bank': 437322, 'with bank that': 997368, 'bank that do': 110232, 'that do business': 843567, 'do business with': 249155, 'with the city': 1001234, 'to protect tenant': 912335, 'protect tenant homeowner': 684961, 'emmy': 273246, 'shute': 768155, 'remorse': 710684, 'damn girl': 225353, 'girl emmy': 350244, 'emmy shute': 273247, 'shute who': 768156, 'feel no': 302785, 'no remorse': 565329, 'remorse about': 710685, 'buying hope': 150499, 'you rot': 1020954, 'rot like': 726170, 'you wasted': 1022185, 'damn girl emmy': 225354, 'girl emmy shute': 350245, 'emmy shute who': 273248, 'shute who feel': 768157, 'who feel no': 988734, 'feel no remorse': 302786, 'no remorse about': 565330, 'remorse about panic': 710686, 'panic buying hope': 637763, 'buying hope you': 150500, 'hope you rot': 403808, 'you rot like': 1020955, 'rot like the': 726171, 'like the food': 491367, 'food you wasted': 317726, 'friend pharmacist': 333753, 'pharmacist for': 654137, 'for boot': 319723, 'boot is': 135102, 'this her': 887909, 'her mum': 392213, 'mum nurse': 545932, 'nurse dad': 577264, 'dad police': 224371, 'sister supermarket': 771789, 'must now': 546789, 'my friend pharmacist': 548446, 'friend pharmacist for': 333754, 'pharmacist for boot': 654138, 'for boot is': 319724, 'boot is now': 135103, 'now in self': 575012, 'to catching covid': 902515, '19 from customer': 7120, 'from customer due': 335079, 'to this her': 917425, 'this her mum': 887910, 'her mum nurse': 392214, 'mum nurse dad': 545933, 'nurse dad police': 577265, 'dad police officer': 224372, 'officer and sister': 595630, 'and sister supermarket': 71697, 'sister supermarket worker': 771790, 'supermarket worker must': 824051, 'worker must now': 1007403, 'must now stay': 546791, 'now stay at': 575890, 'tweet cbd': 936354, 'symptom ease': 830840, 'ease your': 265117, 'act natural': 29705, 'painkiller price': 634270, 'reduced at': 706029, 'tweet cbd cannot': 936355, 'cannot cure the': 161739, 'cure the but': 220821, 'the but it': 850196, 'coronavirus symptom ease': 206866, 'symptom ease your': 830841, 'ease your anxiety': 265118, 'anxiety boost immune': 78674, 'system act natural': 831076, 'act natural painkiller': 29706, 'natural painkiller price': 552856, 'painkiller price have': 634271, 'been reduced at': 121795, 'reduced at this': 706030, 'leave trace': 485020, 'trace in': 928129, 'in mankind': 425038, 'mankind behavior': 513256, 'the many change': 860037, 'many change that': 513888, 'change that covid': 172281, '19 will leave': 12101, 'will leave trace': 993976, 'leave trace in': 485021, 'trace in mankind': 928130, 'in mankind behavior': 425039, 'reporting no': 712720, 'left see': 485627, 'see video': 746001, 'below chinavirus': 126616, 'chinavirus madmax': 177164, 'madmax uklockdown': 508147, 'uklockdown quarantine': 939003, 'quarantine panicshopping': 692428, 'are reporting no': 89599, 'reporting no food': 712721, 'food left see': 315295, 'left see video': 485628, 'see video below': 746002, 'video below chinavirus': 956637, 'below chinavirus madmax': 126617, 'chinavirus madmax uklockdown': 177165, 'madmax uklockdown quarantine': 508148, 'uklockdown quarantine panicshopping': 939004, 'layed': 482614, 'low 30': 505084, '30 range': 17204, 'range and': 696687, 'go lower': 353819, 'lower if': 505875, 'this result': 889890, 'recession are': 704210, 'being layed': 125372, 'layed of': 482617, 'you working from': 1022432, '19 virus are': 11785, 'worried about oil': 1010509, 'oil price being': 597060, 'price being in': 672895, 'in the low': 429333, 'the low 30': 859773, 'low 30 range': 505085, '30 range and': 17205, 'range and likely': 696688, 'and likely to': 66163, 'to go lower': 906822, 'go lower if': 353820, 'lower if this': 505876, 'if this result': 415169, 'this result in': 889891, 'result in global': 717529, 'in global recession': 423338, 'global recession are': 352153, 'recession are you': 704212, 'are you prepared': 91835, 'you prepared for': 1020415, 'of being layed': 580649, 'being layed of': 125373, 'drogheda': 260049, 'your treatment': 1026208, 'your till': 1026159, 'till staff': 896091, 'in drogheda': 422390, 'drogheda retail': 260050, 'or perspex': 616563, 'perspex ha': 653254, 'been provided': 121728, 'team safe': 835764, 'disappointed in your': 244108, 'in your treatment': 431135, 'your treatment of': 1026209, 'treatment of your': 931114, 'of your till': 593532, 'your till staff': 1026161, 'till staff in': 896092, 'staff in drogheda': 792549, 'in drogheda retail': 422391, 'drogheda retail store': 260051, 'retail store no': 718668, 'store no glove': 809077, 'sanitizer or perspex': 735492, 'or perspex ha': 616564, 'perspex ha been': 653255, 'ha been provided': 369881, 'been provided to': 121731, 'provided to keep': 686652, 'keep your team': 472288, 'your team safe': 1026119, 'team safe 19': 835765, 'undercut': 940414, 'learningathome': 484258, 'learnfromhome': 484168, 'slumped the': 774720, 'pandemic undercut': 636862, 'undercut oil': 940415, 'and saudiarabia': 70941, 'saudiarabia add': 737323, 'the oversupply': 862791, 'oversupply petrol': 631602, 'petrol breaking': 653718, 'breaking justin': 138982, 'justin pmmodi': 470475, 'pmmodi tamilnadu': 662062, 'tamilnadu tamil': 834113, 'tamil learningathome': 834103, 'learningathome learnfromhome': 484259, 'learnfromhome stayhomesavelives': 484169, 'stayhomesavelives stayhome': 798452, 'have slumped the': 382592, 'slumped the pandemic': 774721, 'the pandemic undercut': 863141, 'pandemic undercut oil': 636863, 'undercut oil demand': 940416, 'russia and saudiarabia': 728434, 'and saudiarabia add': 70942, 'saudiarabia add to': 737324, 'to the oversupply': 916933, 'the oversupply petrol': 862792, 'oversupply petrol breaking': 631603, 'petrol breaking justin': 653719, 'breaking justin pmmodi': 138983, 'justin pmmodi tamilnadu': 470476, 'pmmodi tamilnadu tamil': 662063, 'tamilnadu tamil learningathome': 834114, 'tamil learningathome learnfromhome': 834104, 'learningathome learnfromhome stayhomesavelives': 484260, 'learnfromhome stayhomesavelives stayhome': 484170, 'glove what': 353024, 'checkout counter': 174903, 'counter this': 210271, 'man want': 512301, 'to bag': 900989, 'bag his': 108314, 'grocery so': 365134, 'he slide': 385446, 'slide down': 773898, 'down his': 256834, 'mask lick': 518910, 'bag me': 108336, 'me quarantinelife': 523363, 'store everyone is': 807664, 'is wearing face': 453811, 'mask glove what': 518756, 'glove what have': 353025, 'have you get': 383667, 'to the checkout': 916554, 'the checkout counter': 850759, 'checkout counter this': 174905, 'counter this one': 210272, 'this one man': 889244, 'one man want': 606640, 'man want to': 512302, 'want to bag': 965992, 'to bag his': 900991, 'bag his grocery': 108315, 'his grocery so': 397481, 'grocery so he': 365135, 'so he slide': 777280, 'he slide down': 385447, 'slide down his': 773899, 'down his face': 256835, 'his face mask': 397410, 'face mask lick': 294559, 'mask lick his': 518911, 'finger and go': 307785, 'and go on': 63779, 'on to open': 604749, 'to open the': 911007, 'open the plastic': 612551, 'plastic bag me': 658807, 'bag me quarantinelife': 108337, 'joseph': 467321, 'eradicate the': 280096, 'of joseph': 585553, 'joseph disinfecting': 467324, 'disinfecting trolley': 245889, 'part to eradicate': 642464, 'to eradicate the': 905243, 'eradicate the situation': 280097, 'situation of joseph': 772413, 'of joseph disinfecting': 585554, 'joseph disinfecting trolley': 467325, 'disinfecting trolley in': 245890, 'trolley in london': 932432, 'ghg': 349648, 'have suggested': 382845, 'suggested the': 817588, 'the reduction': 865399, 'and ghg': 63636, 'ghg during': 349649, 'for optimism': 324147, 'optimism the': 613920, 'the clearer': 850997, 'clearer story': 181443, 'what cancer': 981189, 'cancer our': 161267, 'earth we': 265012, 'use low': 949353, 'end fossilfuel': 275827, 'fossilfuel subsidy': 330092, 'subsidy and': 816004, 'and speed': 72079, 'green transition': 363711, 'many have suggested': 514128, 'have suggested the': 382846, 'suggested the reduction': 817589, 'the reduction in': 865400, 'in pollution and': 426829, 'pollution and ghg': 663896, 'and ghg during': 63637, 'ghg during the': 349650, 'during the cause': 263094, 'the cause for': 850543, 'cause for optimism': 167570, 'for optimism the': 324148, 'optimism the clearer': 613921, 'the clearer story': 850998, 'clearer story for': 181444, 'story for me': 811976, 'me is what': 523002, 'is what cancer': 453866, 'what cancer our': 981190, 'cancer our way': 161268, 'of life is': 585827, 'life is to': 488819, 'is to earth': 453197, 'to earth we': 904846, 'earth we must': 265013, 'we must use': 972450, 'must use low': 546973, 'use low oil': 949354, 'price the moment': 676848, 'moment to end': 536083, 'to end fossilfuel': 905080, 'end fossilfuel subsidy': 275828, 'fossilfuel subsidy and': 330093, 'subsidy and speed': 816005, 'and speed up': 72080, 'speed up the': 788477, 'up the green': 946176, 'the green transition': 856780, 'nppa': 576614, 'kpmru': 477601, 'indiafightscoronavirus nppa': 434744, 'nppa set': 576615, 'set kpmru': 753414, 'kpmru for': 477602, 'the ut': 870597, 'ut for': 951174, 'for monitoring': 323499, 'monitoring availability': 537343, 'they available': 881513, 'indiafightscoronavirus nppa set': 434745, 'nppa set kpmru': 576616, 'set kpmru for': 753415, 'kpmru for the': 477603, 'for the ut': 326760, 'the ut for': 870598, 'ut for monitoring': 951175, 'for monitoring availability': 323500, 'monitoring availability and': 537344, 'availability and price': 104129, 'essential medicine so': 281304, 'medicine so that': 526887, 'that they available': 846924, 'they available at': 881514, 'affordable price stayhomesavelives': 34888, 'some sanitizing': 783796, 'or buying': 614622, 'how about buying': 407274, 'about buying some': 24917, 'buying some sanitizing': 151057, 'some sanitizing supply': 783797, 'sanitizing supply for': 736518, 'cannot afford them': 161615, 'afford them or': 34778, 'them or buying': 876111, 'or buying them': 614623, 'buying them for': 151189, 'for yourself at': 328233, 'yourself at market': 1026538, 'at market price': 99686, 'market price check': 516882, 'price check this': 673122, 'this out 19': 889309, 'out 19 19': 625528, 'screaming at': 742657, 'same him': 733104, 'at still': 100643, 'screaming at grocery': 742660, 'the same him': 866239, 'same him shooting': 733105, 'towel at still': 927304, 'at still suffering': 100644, 'crystal': 220002, 'socalstrong': 779407, 'inventory on': 443698, 'have crystal': 380165, 'crystal ball': 220003, 'ball but': 109053, 'are socal': 90235, 'socal strong': 779403, 'together hang': 920816, 'there cali': 878269, 'cali realestate': 155435, 'realestate socal': 701528, 'socal socalstrong': 779402, 'confidence and inventory': 193819, 'and inventory on': 65356, 'inventory on market': 443699, 'on market and': 602033, 'market and coming': 515953, 'and coming on': 60120, 'coming on market': 188156, 'on market we': 602036, 'market we do': 517320, 'not have crystal': 569822, 'have crystal ball': 380166, 'crystal ball but': 220004, 'ball but we': 109054, 'we are socal': 970716, 'are socal strong': 90236, 'socal strong and': 779404, 'strong and we': 813985, 'this together hang': 890768, 'together hang in': 920817, 'in there cali': 429810, 'there cali realestate': 878270, 'cali realestate socal': 155436, 'realestate socal socalstrong': 701529, 'website helped': 975296, 'helped my': 391086, 'research today': 713869, 'this website helped': 891171, 'website helped my': 975297, 'helped my research': 391087, 'my research today': 549929, 'at how could': 99210, 'how could change': 407627, 'change the global': 172298, 'the global industry': 856308, 'global industry forever': 351986, 'beverlyhills': 129057, 'vons': 960432, 'educateyourself': 268790, 'protectyourself': 685869, 'beverlyhills studiocity': 129058, 'studiocity vons': 814850, 'vons thanks': 960435, 'toiletpaper groceryshopping': 922036, 'groceryshopping food': 366252, 'food follower': 314481, 'follower follow': 312634, 'follow crisis': 312369, 'crisis prepare': 217893, 'prepare educateyourself': 670060, 'educateyourself educate': 268791, 'educate worldwide': 268772, 'worldwide virus': 1010438, 'virus prepared': 958645, 'prepared mask': 670219, 'mask protectyourself': 519168, 'beverlyhills studiocity vons': 129059, 'studiocity vons thanks': 814851, 'vons thanks for': 960436, 'for the toiletpaper': 326736, 'the toiletpaper groceryshopping': 869727, 'toiletpaper groceryshopping food': 922037, 'groceryshopping food follower': 366253, 'food follower follow': 314482, 'follower follow crisis': 312635, 'follow crisis prepare': 312370, 'crisis prepare educateyourself': 217894, 'prepare educateyourself educate': 670061, 'educateyourself educate worldwide': 268792, 'educate worldwide virus': 268773, 'worldwide virus prepared': 1010439, 'virus prepared mask': 958646, 'prepared mask protectyourself': 670220, 'jotted': 467372, '29th': 16532, '2km': 16651, 'jotted my': 467373, 'of cocooning': 581502, 'cocooning it': 185298, 'our 29th': 621990, '29th day': 16535, 'day inside': 227823, 'our apartment': 622083, 'apartment no': 81414, 'no beach': 563673, 'beach field': 118200, 'field or': 304498, 'or forest': 615376, 'forest within': 329087, 'within 2km': 1002316, '2km haven': 16652, 'before school': 123057, 'closed miss': 183226, 'miss normalcy': 534165, 'normalcy but': 567435, 'worth all': 1011334, 'jotted my thought': 467374, 'my thought of': 550356, 'thought of cocooning': 893141, 'of cocooning it': 581503, 'cocooning it our': 185299, 'it our 29th': 460164, 'our 29th day': 621991, '29th day inside': 16536, 'day inside our': 227824, 'inside our apartment': 439349, 'our apartment no': 622085, 'apartment no beach': 81415, 'no beach field': 563674, 'beach field or': 118201, 'field or forest': 304499, 'or forest within': 615377, 'forest within 2km': 329088, 'within 2km haven': 1002317, '2km haven been': 16653, 'haven been inside': 383754, 'been inside grocery': 121387, 'store since before': 810193, 'since before school': 770522, 'before school closed': 123058, 'school closed miss': 741732, 'closed miss normalcy': 183227, 'miss normalcy but': 534166, 'normalcy but this': 567436, 'is worth it': 454082, 'worth it worth': 1011385, 'it worth all': 462563, 'worth all of': 1011335, 'after pass': 36020, 'pass movement': 643212, 'movement major': 543887, 'company banned': 190488, 'banned non': 110584, 'travel homework': 930384, 'homework office': 403006, 'office hour': 595443, 'hour safety': 405896, 'net healthcare': 557550, 'healthcare cash': 387058, 'cash acceptance': 166144, 'people social': 649502, 'maybe nothing': 521759, 'what will change': 982592, 'will change after': 992904, 'change after pass': 171888, 'after pass movement': 36021, 'pass movement major': 643213, 'movement major company': 543888, 'major company banned': 509275, 'company banned non': 190489, 'banned non essential': 110585, 'essential travel homework': 281720, 'travel homework office': 930385, 'homework office hour': 403007, 'office hour safety': 595444, 'hour safety net': 405897, 'safety net healthcare': 730638, 'net healthcare cash': 557551, 'healthcare cash acceptance': 387059, 'cash acceptance of': 166145, 'acceptance of digital': 28044, 'of digital money': 582610, 'digital money people': 242609, 'money people social': 536968, 'people social distancing': 649503, 'distancing and online': 246981, 'shopping or maybe': 763546, 'or maybe nothing': 616088, 'have dramatic impact': 380357, 'impact on economy': 417846, 'doing differently': 252353, 'what some store': 982220, 'some store chain': 783953, 'chain in are': 170798, 'in are doing': 420479, 'are doing differently': 85892, 'doing differently during': 252354, 'business notice': 144109, 'that massive': 845059, 'massive local': 520055, 'local website': 498692, 'with fixed': 998451, 'minute will': 533898, 'amazon collaborate': 50898, 'collaborate with': 185909, 'outbreak is making': 628377, 'is making local': 449548, 'making local business': 511172, 'local business notice': 497769, 'business notice that': 144110, 'notice that massive': 573363, 'that massive local': 845060, 'massive local website': 520056, 'local website with': 498693, 'website with fixed': 975491, 'with fixed price': 998452, 'fixed price and': 309822, 'price and pricing': 672501, 'and pricing is': 69494, 'is available delivery': 445911, 'available delivery in': 104316, 'delivery in minute': 234117, 'in minute will': 425365, 'minute will beat': 533899, 'will beat amazon': 992782, 'beat amazon collaborate': 118506, 'amazon collaborate with': 50899, 'collaborate with each': 185910, 'be lesson': 115709, 'and rise': 70540, 'client yet': 182144, 'yet these': 1016267, 'day aren': 227319, 'working thank': 1008933, 'work keep': 1005406, 'very good this': 955196, 'good this must': 357858, 'this must be': 889067, 'must be lesson': 546519, 'be lesson to': 115710, 'lesson to the': 486515, 'to the trader': 917138, 'the trader who': 869864, 'trader who are': 928798, 'who are taking': 988234, '19 and rise': 5095, 'and rise up': 70542, 'rise up the': 723053, 'to the client': 916566, 'the client yet': 851018, 'client yet these': 182145, 'yet these day': 1016268, 'these day aren': 879867, 'day aren working': 227320, 'aren working thank': 92595, 'working thank you': 1008934, 'you we appreciate': 1022195, 'your work keep': 1026375, 'work keep it': 1005407, 'it cheesy': 457124, 'cheesy but': 175239, 'the humor': 857737, 'humor we': 410931, 'more laughter': 539661, 'life these': 489111, 'day toiletpaper': 228600, 'humor depends': 410861, 'it cheesy but': 457125, 'cheesy but hey': 175240, 'but hey it': 145933, 'hey it all': 394432, 'all about the': 41927, 'about the humor': 26414, 'the humor we': 857738, 'humor we all': 410932, 'all can use': 42289, 'can use little': 160097, 'use little more': 949343, 'little more laughter': 495466, 'more laughter in': 539662, 'laughter in our': 481843, 'our life these': 623735, 'life these day': 489112, 'these day toiletpaper': 879899, 'day toiletpaper humor': 228603, 'toiletpaper humor depends': 922093, 'food automation': 313462, 'automation from': 104014, 'of coronavirus and': 581914, 'and the growing': 73403, 'for food automation': 321554, 'food automation from': 313463, 'paralyzed': 641357, 'world paralyzed': 1009882, 'paralyzed by': 641358, 'their schedule': 874630, 'routine for': 726511, 'different meanwhile': 241994, 'meanwhile policymakers': 525024, 'policymakers are': 663557, 'taking away': 833277, 'choice by': 177746, 'the world paralyzed': 871934, 'world paralyzed by': 1009883, 'paralyzed by the': 641359, 'the crisis many': 852407, 'crisis many people': 217700, 'people have changed': 648169, 'changed their schedule': 172578, 'their schedule and': 874631, 'schedule and daily': 741424, 'and daily routine': 60913, 'daily routine for': 224787, 'routine for while': 726512, 'for while our': 327846, 'while our life': 987131, 'life will look': 489218, 'very different meanwhile': 955114, 'different meanwhile policymakers': 241995, 'meanwhile policymakers are': 525025, 'policymakers are taking': 663558, 'are taking away': 90714, 'taking away your': 833278, 'away your consumer': 106133, 'your consumer choice': 1023316, 'consumer choice by': 196794, 'revising': 720654, 'china see': 176933, 'see same': 745648, 'traffic before': 929060, 'been revising': 121854, 'revising up': 720655, 'up revenue': 945925, 'revenue est': 720409, 'est for': 281987, 'it ramp': 460600, 'others layoff': 621513, 'layoff via': 482716, 'via story': 956266, 'open in china': 612321, 'in china see': 421433, 'china see same': 176934, 'see same level': 745649, 'level of store': 487661, 'of store traffic': 590269, 'store traffic before': 810932, 'traffic before the': 929061, 'ha been revising': 369905, 'been revising up': 121855, 'revising up revenue': 720656, 'up revenue est': 945926, 'revenue est for': 720410, 'est for online': 281988, 'for online retailer': 324112, 'retailer it ramp': 719227, 'it ramp up': 460601, 'ramp up hiring': 696443, 'up hiring to': 945087, 'to meet online': 910041, 'meet online demand': 527543, 'online demand while': 608099, 'demand while others': 236490, 'while others layoff': 987123, 'others layoff via': 621514, 'layoff via story': 482717, 'today ontario': 919992, 'release list': 708965, 'essential workplace': 281869, 'workplace supermarket': 1009212, '19 ottawa': 9045, 'ottawa police': 621912, 'police offer': 663108, 'offer advice': 594514, 'to shuttered': 914620, 'news today ontario': 560898, 'today ontario government': 919993, 'ontario government release': 611597, 'government release list': 360526, 'release list of': 708966, 'of essential workplace': 583195, 'essential workplace supermarket': 281870, 'workplace supermarket employee': 1009213, 'supermarket employee test': 820139, 'covid 19 ottawa': 213530, '19 ottawa police': 9046, 'ottawa police offer': 621913, 'police offer advice': 663109, 'offer advice to': 594516, 'advice to shuttered': 33536, 'to shuttered store': 914621, 'store and more': 806296, 'is um': 453418, 'um really': 939206, 'in worst': 430992, 'depression territory': 237672, 'this is um': 888442, 'is um really': 453419, 'um really bad': 939207, 'bad we re': 108078, 're in worst': 698892, 'in worst unemployment': 430993, 'great depression territory': 362630, 'online portal': 608775, 'portal with': 664962, 'agriculture related': 39021, 'related information': 708461, 'rancher consumer': 696535, 'one stop online': 607112, 'stop online portal': 804869, 'online portal with': 608776, 'portal with the': 664963, 'with the florida': 1001308, 'the florida department': 855434, 'consumer service covid': 198942, 'and agriculture related': 57793, 'agriculture related information': 39022, 'related information for': 708462, 'information for florida': 437826, 'florida farmer and': 310928, 'and rancher consumer': 69927, 'rancher consumer and': 696536, 'consumer and news': 196231, 'and news medium': 67571, 'nofear': 566124, 'area51': 92295, 'survivability': 829013, '2019 nofear': 13984, 'nofear we': 566125, 'gonna storm': 356625, 'storm area51': 811786, 'area51 2020': 92296, '2020 omg': 14479, 'omg virus': 598921, 'with 98': 997073, '98 survivability': 23733, 'survivability rate': 829014, 'rate run': 697365, 'run buy': 727587, '2019 nofear we': 13985, 'nofear we re': 566126, 'we re gonna': 972886, 're gonna storm': 698764, 'gonna storm area51': 356626, 'storm area51 2020': 811787, 'area51 2020 omg': 92297, '2020 omg virus': 14480, 'omg virus with': 598922, 'virus with 98': 959051, 'with 98 survivability': 997074, '98 survivability rate': 23734, 'survivability rate run': 829015, 'rate run buy': 697366, 'run buy all': 727588, 'buy all toiletpaper': 148296, 'all toiletpaper 19': 45262, 'grocersapp': 364190, 'grocerapp': 364182, 'grocerystoreapp': 366344, 'by building': 152012, 'building your': 142161, 'get grocersapp': 347159, 'grocersapp today': 364191, 'today viruscorona': 920437, 'viruscorona coronav': 959092, 'ru virus': 726902, 'virus grocerapp': 958236, 'grocerapp grocerystoreapp': 364183, 'your customer to': 1023429, 'and get rid': 63598, 'rid of long': 721391, 'of long queue': 585999, 'at your grocery': 101679, 'store by building': 806830, 'by building your': 152013, 'building your online': 142162, 'your online grocery': 1025073, 'store get grocersapp': 807917, 'get grocersapp today': 347160, 'grocersapp today viruscorona': 364192, 'today viruscorona coronav': 920438, 'viruscorona coronav ru': 959093, 'coronav ru virus': 205362, 'ru virus corona': 726903, 'virus corona corona': 958082, 'corona corona virus': 203869, 'corona virus grocerapp': 204311, 'virus grocerapp grocerystoreapp': 958237, 'bingeshopping': 131088, 'onlyasuggestion': 611516, 'noneed': 566611, 'here suggestion': 393615, 'stop binge': 804503, 'binge buying': 131070, 'buying lock': 150668, 'lock up': 499084, 'just leave': 469120, 'basket available': 112308, 'two basket': 936795, 'basket they': 112396, 'carry buy': 165072, 'much bingeshopping': 544766, 'bingeshopping supermarket': 131089, 'shop selfishpeople': 760745, 'selfishpeople greedy': 748394, 'greedy onlyasuggestion': 363558, 'onlyasuggestion noneed': 611517, 'here suggestion for': 393616, 'suggestion for all': 817636, 'shop to stop': 760959, 'to stop binge': 915503, 'stop binge buying': 804504, 'binge buying lock': 131071, 'buying lock up': 150669, 'lock up all': 499085, 'all the trolley': 44956, 'trolley and just': 932364, 'and just leave': 65703, 'just leave the': 469122, 'leave the basket': 484961, 'the basket available': 849325, 'basket available even': 112309, 'available even with': 104341, 'even with two': 284807, 'with two basket': 1001868, 'two basket they': 936796, 'basket they can': 112397, 'they can only': 881659, 'can only carry': 159120, 'only carry buy': 610225, 'carry buy so': 165073, 'so much bingeshopping': 777763, 'much bingeshopping supermarket': 544767, 'bingeshopping supermarket shop': 131090, 'supermarket shop selfishpeople': 822594, 'shop selfishpeople greedy': 760746, 'selfishpeople greedy onlyasuggestion': 748395, 'greedy onlyasuggestion noneed': 363559, 'trump you': 933995, 'stupid trumppressconference': 815486, 'trumppressconference oil': 934148, 'pump will go': 689111, 'go up for': 354431, 'up for all': 944916, 'all the american': 44659, 'american people trump': 52129, 'people trump you': 650025, 'trump you really': 933996, 'you really are': 1020834, 'really are stupid': 701992, 'are stupid trumppressconference': 90608, 'stupid trumppressconference oil': 815487, 'trend most': 931396, 'telecom health': 836681, 'well china': 978103, 'china dependence': 176599, 'dependence will': 237346, 'reduce work': 706006, 'post 19 trend': 665969, '19 trend most': 11577, 'trend most affected': 931397, 'estate at home': 282100, 'at home entertainment': 98986, 'essential telecom health': 281647, 'telecom health and': 836682, 'do well china': 250502, 'well china dependence': 978104, 'china dependence will': 176600, 'dependence will reduce': 237347, 'will reduce work': 994610, 'reduce work from': 706007, 'ha disrupted': 370399, 'disrupted daily': 246396, 'life american': 488465, 'inside we': 439446, 'analyzed purchase': 57258, 'during key': 262735, 'key event': 473285, 'bought and': 136499, 'saw double': 738094, 'digit increase': 242480, 'item full': 463293, 'the ha disrupted': 856991, 'ha disrupted daily': 370400, 'disrupted daily life': 246397, 'daily life american': 224656, 'life american are': 488466, 'american are urged': 51822, 'urged to stay': 948294, 'stay inside we': 797107, 'inside we analyzed': 439447, 'we analyzed purchase': 970423, 'analyzed purchase behavior': 57259, 'purchase behavior during': 689383, 'behavior during key': 124010, 'during key event': 262736, 'key event to': 473286, 'event to see': 285094, 'see what consumer': 746024, 'what consumer bought': 981249, 'consumer bought and': 196641, 'bought and saw': 136501, 'and saw double': 70979, 'saw double digit': 738095, 'double digit increase': 255999, 'digit increase for': 242481, 'increase for certain': 432777, 'for certain item': 319996, 'certain item full': 170038, 'item full report': 463294, 'since ve': 770965, 'buy wipe': 149479, 'around town': 93602, 'town seems': 927544, 'seems supplier': 746850, 'slow to': 774403, 'been week since': 122366, 'week since ve': 976880, 'since ve been': 770966, 'to buy wipe': 902341, 'buy wipe or': 149480, 'sanitizer at any': 734502, 'at any store': 98029, 'any store around': 79859, 'store around town': 806543, 'around town seems': 93604, 'town seems supplier': 927546, 'seems supplier are': 746851, 'supplier are slow': 824501, 'are slow to': 90176, 'slow to get': 774404, 'get the stock': 348296, 'the stock to': 867928, 'stock to store': 803001, 'been wearing': 122358, 'recommends wearing mask': 704860, 'mask when visiting': 519543, 'store or going': 809337, 'or going out': 615496, 'out on other': 626912, 'on other essential': 602555, 'other essential trip': 620185, 'essential trip have': 281733, 'trip have you': 932088, 'you been wearing': 1017432, 'been wearing mask': 122359, 'wearing mask mask': 974701, 'there tolietpaper': 879194, 'tolietpaper shortage': 923825, 'shortage cornholio': 764894, 'cornholio is': 203724, 'running wild': 728139, 'wild hoarding': 992061, 'have discovered why': 380300, 'discovered why there': 244707, 'why there tolietpaper': 991446, 'there tolietpaper shortage': 879195, 'tolietpaper shortage cornholio': 923826, 'shortage cornholio is': 764895, 'cornholio is running': 203725, 'is running wild': 451599, 'running wild hoarding': 728140, 'wild hoarding all': 992062, 'peek': 646244, 'dependency': 237348, 'given sneak': 351106, 'sneak peek': 776192, 'peek into': 646247, 'our dependency': 622740, 'dependency on': 237351, 'low carbon': 505181, 'carbon future': 163401, 'future kind': 342373, 'virus ha already': 958245, 'ha already given': 369508, 'already given sneak': 47374, 'given sneak peek': 351107, 'sneak peek into': 776194, 'peek into our': 646248, 'into our dependency': 442815, 'our dependency on': 622741, 'dependency on energy': 237352, 'on energy price': 600565, 'and the transition': 73623, 'transition to low': 929683, 'to low carbon': 909480, 'low carbon future': 505182, 'carbon future kind': 163402, 'future kind of': 342374, 'kind of stress': 474943, 'of stress test': 590301, 'recent run': 703980, 'the recent run': 865322, 'recent run on': 703981, 'run on grocery': 727735, 'store shelf ha': 810076, 'shelf ha made': 757136, 'made it difficult': 507804, 'difficult for store': 242229, 'store to catch': 810762, 'madani': 507597, 'madani oil': 507598, 'price wanted': 677344, 'insure minimal': 440855, 'minimal economical': 533054, 'economical impact': 267372, 'impact worldwide': 418052, 'fast recovery': 300019, 'madani oil price': 507599, 'oil price wanted': 597313, 'price wanted to': 677345, 'wanted to be': 966245, 'to be low': 901378, 'be low during': 115839, 'low during the': 505259, 'outbreak in order': 628349, 'order to insure': 618688, 'to insure minimal': 908439, 'insure minimal economical': 440856, 'minimal economical impact': 533055, 'economical impact worldwide': 267373, 'impact worldwide and': 418053, 'worldwide and fast': 1010315, 'and fast recovery': 62713, 'atiku': 101798, 'atiku this': 101800, 'produce man': 680343, 'man whose': 512346, 'whose been': 990619, 'serving our': 753202, 'our neighborhood': 624011, 'neighborhood for': 557116, 'decade wa': 230704, 'wa devastated': 961965, 'devastated his': 239568, 'wife called': 991904, 'called him': 156341, 'tear their': 835970, 'italy are': 462768, 'are cry': 85644, 'cry living': 219887, 'fear amp': 301017, 'they lost': 882632, 'lost 10': 503807, 'more doctor': 539062, 'been destroyed': 120963, 'atiku this morning': 101801, 'morning my local': 541366, 'store the fresh': 810600, 'fresh produce man': 333057, 'produce man whose': 680345, 'man whose been': 512347, 'whose been serving': 990620, 'been serving our': 121929, 'serving our neighborhood': 753204, 'our neighborhood for': 624012, 'neighborhood for over': 557117, 'for over decade': 324328, 'over decade wa': 630142, 'decade wa devastated': 230705, 'wa devastated his': 961966, 'devastated his wife': 239569, 'his wife called': 397914, 'wife called him': 991905, 'called him in': 156344, 'him in tear': 396639, 'in tear their': 428847, 'tear their family': 835971, 'family in italy': 297919, 'in italy are': 424292, 'italy are cry': 462769, 'are cry living': 85645, 'cry living in': 219888, 'living in fear': 496370, 'in fear amp': 422813, 'fear amp they': 301021, 'amp they lost': 54686, 'they lost 10': 882633, 'lost 10 more': 503808, '10 more doctor': 1551, 'more doctor to': 539063, 'doctor to 19': 251139, 'to 19 italy': 899543, '19 italy ha': 8167, 'italy ha been': 462837, 'ha been destroyed': 369776, 'sprinting': 791300, 'afyarekod': 36766, 'insight kenyan': 439589, 'is sprinting': 452203, 'sprinting to': 791301, 'launch it': 481918, 'it ai': 456315, 'ai blockchain': 39301, 'blockchain built': 132828, 'built consumer': 142177, 'driven health': 259320, 'health data': 386367, 'platform in': 658980, 'global effort': 351911, 'pandemic ai': 634812, 'ai healthtech': 39317, 'healthtech blockchain': 387476, 'blockchain afyarekod': 132816, 'afyarekod kenya': 36767, 'insight kenyan health': 439590, 'tech startup is': 836150, 'startup is sprinting': 795116, 'is sprinting to': 452204, 'sprinting to launch': 791302, 'to launch it': 909102, 'launch it ai': 481919, 'it ai blockchain': 456316, 'ai blockchain built': 39302, 'blockchain built consumer': 132829, 'built consumer driven': 142178, 'consumer driven health': 197251, 'driven health data': 259321, 'health data platform': 386368, 'data platform in': 226339, 'platform in support': 658982, 'support of global': 826688, 'of global effort': 584150, 'global effort to': 351912, 'effort to curb': 269618, 'curb the global': 220582, '19 pandemic ai': 9256, 'pandemic ai healthtech': 634813, 'ai healthtech blockchain': 39318, 'healthtech blockchain afyarekod': 387477, 'blockchain afyarekod kenya': 132817, 'cii': 178502, 'channelised': 172966, 'industry body': 435699, '00 cash': 115, 'cash transfer': 166367, '20 crore': 13019, 'crore people': 218964, '19 cii': 5817, 'cii ha': 178503, 'that saving': 846129, 'saving from': 737874, 'be channelised': 114058, 'channelised for': 172967, 'for additional': 319013, 'additional spending': 31868, 'spending required': 788976, 'wheel of': 983042, 'economy moving': 268084, 'industry body for': 435700, 'body for 00': 133848, 'for 00 cash': 318598, '00 cash transfer': 116, 'cash transfer to': 166368, 'transfer to 20': 929532, 'to 20 crore': 899571, '20 crore people': 13020, 'crore people amid': 218965, 'covid 19 cii': 212801, '19 cii ha': 5818, 'cii ha suggested': 178504, 'ha suggested that': 372112, 'suggested that saving': 817586, 'that saving from': 846130, 'saving from low': 737875, 'could be channelised': 208850, 'be channelised for': 114059, 'channelised for additional': 172968, 'for additional spending': 319018, 'additional spending required': 31869, 'spending required to': 788977, 'required to keep': 713401, 'keep the wheel': 472078, 'the wheel of': 871427, 'wheel of economy': 983043, 'of economy moving': 582968, 'masterchefau': 520218, 'share photo': 755147, 'the baked': 849195, 'making with': 511492, 'this flour': 887557, 'and sugar': 72666, 'sugar that': 817477, 'shelf right': 757472, 'now stayhomechallenge': 575897, 'stayhomechallenge shutdownaustralia': 798280, 'shutdownaustralia baking': 768139, 'baking masterchefau': 108914, 'australia can you': 103248, 'you please share': 1020365, 'please share photo': 660492, 'share photo of': 755148, 'photo of all': 655199, 'all the baked': 44666, 'the baked good': 849196, 'baked good you': 108772, 'good you re': 357987, 're currently making': 698494, 'currently making with': 221586, 'making with all': 511493, 'all this flour': 45105, 'this flour and': 887558, 'flour and sugar': 311071, 'and sugar that': 72669, 'sugar that is': 817478, 'that is flying': 844585, 'supermarket shelf right': 822520, 'shelf right now': 757473, 'right now stayhomechallenge': 722143, 'now stayhomechallenge shutdownaustralia': 575898, 'stayhomechallenge shutdownaustralia baking': 798281, 'shutdownaustralia baking masterchefau': 768140, 'brooklynpodcast': 141001, 'caribbean': 164673, 'applepodcasts': 82396, 'spotifypodcast': 790156, 'we respecting': 973094, 'the hustle': 857775, 'hustle of': 411826, 'people reselling': 649284, 'reselling hand': 713990, 'pocket cov': 662163, 'd19 podcast': 224180, 'podcast brooklynpodcast': 662264, 'brooklynpodcast caribbean': 141002, 'caribbean applepodcasts': 164678, 'applepodcasts spotifypodcast': 82397, 'are we respecting': 91588, 'we respecting the': 973096, 'respecting the hustle': 715148, 'the hustle of': 857776, 'hustle of people': 411827, 'of people reselling': 587974, 'people reselling hand': 649285, 'reselling hand sanitizer': 713991, 'sanitizer or is': 735487, 'is it out': 449047, 'of pocket cov': 588189, 'pocket cov d19': 662164, 'cov d19 podcast': 212117, 'd19 podcast brooklynpodcast': 224181, 'podcast brooklynpodcast caribbean': 662265, 'brooklynpodcast caribbean applepodcasts': 141003, 'caribbean applepodcasts spotifypodcast': 164679, 'such short': 816749, 'short notice': 764651, 'notice fuck': 573277, 'fuck if': 339577, 'not starvation': 571695, 'starvation will': 795182, 'life coz': 488578, 'coz yesterday': 214555, 'told no': 923641, 'last just': 480282, 'just day': 468552, 'more only': 539946, 'only kerala': 610676, 'kerala the': 473112, 'affected since': 34425, 'since fully': 770615, 'fully consumption': 341031, 'consumption state': 199947, 'you need government': 1019995, 'need government to': 554921, 'government to lockdown': 360723, 'to lockdown you': 909410, 'lockdown you at': 500180, 'you at such': 1017340, 'at such short': 100684, 'such short notice': 816750, 'short notice fuck': 764653, 'notice fuck if': 573278, 'fuck if covid': 339578, 'doe not starvation': 251531, 'not starvation will': 571696, 'starvation will take': 795184, 'will take your': 995088, 'your life coz': 1024631, 'life coz yesterday': 488579, 'coz yesterday we': 214556, 'yesterday we were': 1015937, 'were told no': 980276, 'told no panic': 923642, 'buying food stock': 150334, 'to last just': 909066, 'last just day': 480283, 'just day or': 468554, 'or more only': 616183, 'more only kerala': 539947, 'only kerala the': 610677, 'kerala the most': 473113, 'most affected since': 542075, 'affected since fully': 34426, 'since fully consumption': 770616, 'fully consumption state': 341032, 'inflates': 437099, 'maula': 520716, 'imamali': 416866, 'happyfriday': 377763, 'any act': 78892, 'that brings': 843039, 'brings loss': 140255, 'and inflates': 65206, 'inflates the': 437104, 'them maula': 876012, 'maula ali': 520717, 'ali imamali': 41695, 'imamali happyfriday': 416867, 'happyfriday chill': 377764, 'healthy panicbuying': 387720, 'no good in': 564369, 'good in any': 357239, 'in any act': 420417, 'any act of': 78893, 'act of hoarding': 29723, 'of hoarding that': 584697, 'hoarding that brings': 399577, 'that brings loss': 843040, 'brings loss to': 140256, 'loss to the': 503799, 'people and inflates': 646867, 'and inflates the': 65208, 'inflates the price': 437105, 'price for them': 674062, 'for them maula': 326907, 'them maula ali': 876013, 'maula ali imamali': 520718, 'ali imamali happyfriday': 41696, 'imamali happyfriday chill': 416868, 'happyfriday chill out': 377765, 'chill out stay': 176373, 'out stay calm': 627245, 'calm stay safe': 156806, 'stay healthy panicbuying': 796911, 'down under': 257410, 'under gasprices': 940097, 'price down under': 673534, 'down under gasprices': 257411, 'absolute sh': 27284, 'people are absolute': 646915, 'are absolute sh': 84165, 'incase stuff': 431342, 'stuff hit': 815088, 'fan with': 298546, 'truly feel': 933303, 'feel blessed': 302585, 'blessed to': 132629, 'stress used': 813416, 'fully budget': 341025, 'budget grocery': 141796, 'today to stock': 920370, 'up on essential': 945554, 'on essential just': 600590, 'essential just incase': 281253, 'just incase stuff': 469056, 'incase stuff hit': 431343, 'stuff hit the': 815089, 'the fan with': 854917, 'fan with this': 298547, 'with this and': 1001676, 'this and truly': 886354, 'and truly feel': 74482, 'truly feel blessed': 933304, 'feel blessed to': 302586, 'blessed to be': 132630, 'able get anything': 24435, 'get anything with': 346592, 'anything with no': 80946, 'with no stress': 999792, 'no stress used': 565594, 'stress used to': 813417, 'have to fully': 383216, 'to fully budget': 906319, 'fully budget grocery': 341026, 'budget grocery and': 141797, 'grocery and just': 364244, 'and just wanted': 65728, 'wanted to say': 966268, 'all for allowing': 42832, 'allowing me live': 46305, 'me live this': 523098, 'live this life': 496062, 'noluxury': 566251, 'no luxury': 564688, 'luxury shopping': 506957, 'are focused': 86612, 'most purchase': 542668, 'online people': 608740, 'globe respect': 352478, 'respect lockdown': 715022, 'lockdown order': 499748, 'lockdown global': 499417, 'global essential': 351927, 'essential onlineshopping': 281358, 'onlineshopping noluxury': 609917, 'no luxury shopping': 564689, 'luxury shopping most': 506958, 'shopping most consumer': 763296, 'consumer are focused': 196296, 'are focused on': 86613, 'focused on buying': 311947, 'on buying essential': 599757, 'buying essential right': 150240, 'now and most': 574044, 'and most purchase': 67275, 'most purchase are': 542669, 'purchase are being': 689355, 'being made online': 125412, 'made online people': 507891, 'online people around': 608741, 'the globe respect': 856362, 'globe respect lockdown': 352479, 'respect lockdown order': 715023, 'lockdown order amid': 499749, 'coronavirus pandemic lockdown': 206471, 'pandemic lockdown global': 635901, 'lockdown global essential': 499418, 'global essential onlineshopping': 351928, 'essential onlineshopping noluxury': 281359, 'commodity etailer': 189175, 'food read': 316130, 'here flipkart': 392982, 'essential commodity etailer': 280920, 'commodity etailer flipkart': 189176, 'essential food read': 281047, 'food read here': 316131, 'read here flipkart': 700350, 'here flipkart tata': 392983, 'herdimmunity': 392626, 'yday': 1014211, 'morn': 541116, 'about herdimmunity': 25380, 'herdimmunity but': 392627, 've certainly': 952987, 'certainly reached': 170178, 'reached herdmentality': 700044, 'herdmentality yday': 392636, 'yday morn': 1014212, 'morn could': 541117, 'even find': 284059, 'find egg': 306880, 'for breakfast': 319776, 'breakfast in': 138885, 'so ended': 776953, 'up panicbuying': 945740, 'panicbuying whatever': 639116, 'whatever could': 982747, 'find because': 306830, 'perishable are': 651960, 'shelf stophoarding': 757605, 'know about herdimmunity': 476214, 'about herdimmunity but': 25381, 'herdimmunity but we': 392628, 'but we ve': 147766, 'we ve certainly': 973644, 've certainly reached': 952988, 'certainly reached herdmentality': 170179, 'reached herdmentality yday': 700045, 'herdmentality yday morn': 392637, 'yday morn could': 1014213, 'morn could not': 541118, 'could not even': 209441, 'not even find': 569244, 'even find egg': 284061, 'find egg bread': 306881, 'egg bread for': 269801, 'bread for breakfast': 138469, 'for breakfast in': 319780, 'breakfast in my': 138886, 'local store so': 498480, 'store so ended': 810222, 'so ended up': 776954, 'ended up panicbuying': 276144, 'up panicbuying whatever': 945741, 'panicbuying whatever could': 639117, 'whatever could find': 982748, 'could find because': 209178, 'find because even': 306831, 'because even perishable': 119043, 'even perishable are': 284462, 'perishable are flying': 651961, 'the shelf stophoarding': 866883, 'cryptocurreny': 219988, 'reliefbill': 709508, 'this trillion': 890854, 'trillion bailout': 931955, 'bailout raise': 108654, 'catalyst for': 166921, 'for widespread': 327875, 'widespread cryptocurreny': 991839, 'cryptocurreny adoption': 219989, 'adoption bitcoin': 32712, 'bitcoin ethereum': 131814, 'ethereum bailout': 283026, 'bailout stimulusplan': 108658, 'stimulusplan crypto': 801656, 'crypto reliefbill': 219961, 'watch this trillion': 968583, 'this trillion bailout': 890855, 'trillion bailout raise': 931956, 'bailout raise price': 108655, 'raise price so': 695928, 'price so much': 676511, 'much that it': 545345, 'that it becomes': 844695, 'it becomes the': 456779, 'becomes the catalyst': 120257, 'the catalyst for': 850519, 'catalyst for widespread': 166923, 'for widespread cryptocurreny': 327876, 'widespread cryptocurreny adoption': 991840, 'cryptocurreny adoption bitcoin': 219990, 'adoption bitcoin ethereum': 32713, 'bitcoin ethereum bailout': 131815, 'ethereum bailout stimulusplan': 283027, 'bailout stimulusplan crypto': 108659, 'stimulusplan crypto reliefbill': 801657, 'on fucking': 601043, 'fucking line': 339932, 'into fucking': 442572, 'fucking supermarket': 340026, 'supermarket kroger': 821258, 'kr supermarket': 477620, 'supermarket foodsupply': 820376, 'waiting on fucking': 964364, 'on fucking line': 601045, 'fucking line to': 339933, 'get into fucking': 347365, 'into fucking supermarket': 442573, 'fucking supermarket kroger': 340027, 'supermarket kroger kr': 821259, 'kroger kr supermarket': 477751, 'kr supermarket foodsupply': 477621, 'permaroute': 652117, 'visibility': 959127, 'heskins': 394286, 'floormarking': 310870, 'yellow black': 1015256, 'black red': 132115, 'red green': 705583, 'green white': 363715, 'white choose': 987830, 'choose permaroute': 177902, 'permaroute in': 652120, 'following color': 312701, 'color for': 186734, 'distance marking': 246760, 'marking to': 517919, 'provide high': 686348, 'high visibility': 395511, 'visibility indication': 959128, 'indication on': 435026, 'floor heskins': 310803, 'heskins permaroute': 394287, 'permaroute floormarking': 652118, 'floormarking socialdistancing': 310871, 'yellow black red': 1015257, 'black red green': 132116, 'red green white': 705584, 'green white choose': 363716, 'white choose permaroute': 987831, 'choose permaroute in': 177903, 'permaroute in the': 652121, 'the following color': 855500, 'following color for': 312702, 'color for your': 186735, 'social distance marking': 779512, 'distance marking to': 246761, 'marking to provide': 517921, 'to provide high': 912403, 'provide high visibility': 686349, 'high visibility indication': 395512, 'visibility indication on': 959129, 'indication on your': 435027, 'your supermarket floor': 1026042, 'supermarket floor heskins': 820338, 'floor heskins permaroute': 310804, 'heskins permaroute floormarking': 394288, 'permaroute floormarking socialdistancing': 652119, 'fear personal': 301288, 'personal safety': 652958, 'chaos from panic': 173018, 'buying fear personal': 150278, 'fear personal safety': 301289, 'personal safety concern': 652959, 'lustful': 506863, 'exchanging lustful': 289506, 'lustful glance': 506864, 'glance with': 351574, 'various expensive': 952600, 'expensive watch': 291289, 've been exchanging': 952883, 'been exchanging lustful': 121103, 'exchanging lustful glance': 289507, 'lustful glance with': 506865, 'glance with various': 351575, 'with various expensive': 1001956, 'various expensive watch': 952601, 'expensive watch lately': 291290, 'to continuously': 903419, 'continuously post': 201601, 'post running': 666299, 'running tally': 728089, 'tally of': 834084, 'case death': 165707, 'it working': 462531, 'promote shock': 683788, 'shock value': 759535, 'your rating': 1025516, 'rating this': 697598, 'ppe people': 668023, 'food responsible': 316188, 'responsible journalism': 716050, 'is it really': 449054, 'it really necessary': 460649, 'necessary to continuously': 554112, 'to continuously post': 903420, 'continuously post running': 201602, 'post running tally': 666300, 'running tally of': 728090, 'tally of pandemic': 834085, 'pandemic case death': 635101, 'case death is': 165709, 'death is it': 230098, 'is it working': 449078, 'it working to': 462534, 'working to promote': 1008996, 'to promote shock': 912254, 'promote shock value': 683789, 'shock value to': 759536, 'value to boost': 952221, 'boost your rating': 135039, 'your rating this': 1025517, 'rating this is': 697599, 'is why there': 453978, 'is no ppe': 449959, 'no ppe people': 565166, 'ppe people are': 668024, 'are hoarding supply': 87209, 'hoarding supply food': 399567, 'supply food responsible': 825253, 'food responsible journalism': 316189, 'tik': 895886, 'tok': 923469, 'cardib': 163755, 'real here': 701193, 'greedy in': 363534, 'day follow': 227607, 'follow my': 312467, 'my tik': 550373, 'tik tok': 895887, 'tok account': 923470, 'account forever': 28673, 'forever cardib': 329103, 'cardib walmart': 163756, 'walmart quarantine': 965402, 'toiletpaper tiktok': 922615, 'is shit getting': 451864, 'shit getting real': 759110, 'getting real here': 349220, 'real here are': 701194, 'here are people': 392751, 'are people being': 89026, 'being greedy in': 125196, 'greedy in store': 363535, 'in store these': 428465, 'these day follow': 879872, 'day follow my': 227608, 'follow my tik': 312468, 'my tik tok': 550374, 'tik tok account': 895888, 'tok account forever': 923471, 'account forever cardib': 28674, 'forever cardib walmart': 329104, 'cardib walmart quarantine': 163757, 'walmart quarantine toiletpaper': 965403, 'quarantine toiletpaper tiktok': 692651, 'helsinki': 391670, 'toiletpaper cake': 921841, 'cake this': 155256, 'this bakery': 886487, 'bakery in': 108857, 'in helsinki': 423642, 'helsinki finland': 391671, 'finland is': 307967, 'paper shaped': 640751, 'shaped cake': 754868, 'cake during': 155231, 'the treat': 869940, 'treat wa': 930913, 'created joke': 215842, 'joke after': 467047, 'people canceled': 647420, 'canceled order': 160949, 'more order': 539962, 'order than': 618618, 'avoid layoff': 105173, 'toiletpaper cake this': 921843, 'cake this bakery': 155257, 'this bakery in': 886488, 'bakery in helsinki': 108858, 'in helsinki finland': 423643, 'helsinki finland is': 391672, 'finland is making': 307968, 'toilet paper shaped': 921446, 'paper shaped cake': 640752, 'shaped cake during': 754869, 'cake during the': 155232, 'pandemic the treat': 636708, 'the treat wa': 869941, 'treat wa created': 930914, 'wa created joke': 961895, 'created joke after': 215843, 'joke after people': 467048, 'after people canceled': 36031, 'people canceled order': 647421, 'canceled order the': 160950, 'order the owner': 618632, 'the owner say': 862812, 'owner say they': 632566, 're now getting': 699139, 'now getting more': 574779, 'getting more order': 349123, 'more order than': 539963, 'order than before': 618619, 'than before and': 840391, 'before and she': 122631, 'and she can': 71414, 'she can avoid': 755917, 'can avoid layoff': 157558, 'muniland': 546109, 'safehands': 730244, 'california worker': 155615, 'have filed': 380621, 'unemployment batter': 941166, 'batter state': 112735, 'economy muniland': 268085, 'muniland safehands': 546110, 'in california worker': 421153, 'california worker have': 155616, 'worker have filed': 1007086, 'have filed for': 380622, 'for unemployment batter': 327429, 'unemployment batter state': 941167, 'batter state economy': 112736, 'state economy muniland': 795551, 'economy muniland safehands': 268086, 'brighton supermarket': 139822, 'staff risking': 792804, 'brighton supermarket staff': 139823, 'supermarket staff risking': 822884, 'staff risking their': 792805, 'their life at': 873823, 'life at work': 488511, 'at work 19': 101589, 'be acceptable': 113458, 'acceptable supermarket': 28026, 'who have thought': 988964, 'thought that this': 893237, 'that this would': 847008, 'would be acceptable': 1011543, 'be acceptable supermarket': 113459, 'acceptable supermarket attire': 28027, 'need strict': 555662, 'strict national': 813639, 'national policy': 552582, 'every state': 286207, 'city follows': 179149, 'follows to': 312968, 'everyone home': 287015, 'week business': 976026, 'much quicker': 545269, 'quicker recovery': 694436, 'we need strict': 972550, 'need strict national': 555663, 'strict national policy': 813640, 'national policy that': 552583, 'policy that every': 663511, 'that every state': 843756, 'every state and': 286208, 'state and city': 795360, 'and city follows': 59899, 'city follows to': 179150, 'follows to keep': 312969, 'keep everyone home': 471478, 'everyone home for': 287018, 'home for minimum': 401238, 'for minimum of': 323456, 'minimum of week': 533207, 'of week business': 592997, 'week business economy': 976027, 'business economy and': 143684, 'economy and the': 267656, 'the consumer would': 851627, 'consumer would have': 199577, 'would have much': 1011885, 'have much quicker': 381531, 'much quicker recovery': 545270, 'joining the': 466988, 'and considering': 60325, 'of visitor': 592843, 'visitor and': 959576, 'and visitor': 74994, 'visitor to': 959601, 'mall community': 511774, 'prayer space': 669071, 'notice hypermarket': 573289, 'operate routinely': 613014, 'joining the uae': 466993, 'the uae effort': 870172, '19 and considering': 5002, 'and considering the': 60326, 'considering the well': 195430, 'being of visitor': 125470, 'of visitor and': 592844, 'visitor and visitor': 959577, 'and visitor to': 74995, 'visitor to our': 959602, 'to our mall': 911208, 'our mall community': 623844, 'mall community in': 511775, 'general prayer space': 345440, 'prayer space and': 669072, 'space and cinema': 787047, 'cinema will remain': 178554, 'remain closed until': 709726, 'further notice hypermarket': 342102, 'notice hypermarket other': 573290, 'other store operate': 620989, 'store operate routinely': 809287, 'naira instead': 551487, 'of 145': 579356, 'naira the': 551497, 'the action': 848304, '125 naira instead': 3075, 'naira instead of': 551488, 'instead of 145': 440227, 'of 145 naira': 579357, '145 naira the': 3584, 'naira the oil': 551499, 'the oil minister': 862113, 'oil minister say': 596958, 'say the action': 739265, 'the action is': 848305, 'action is being': 30052, 'is being taken': 446116, 'being taken to': 125900, 'taken to cushion': 833098, 'cushion the economic': 221917, 'will ppl': 994433, 'the msm': 861119, 'msm please': 544556, 'probably at': 679212, 'at more': 99767, 'funny hearing': 341736, 'supermarket grr': 820600, 'will ppl and': 994434, 'ppl and the': 668161, 'and the msm': 73482, 'the msm please': 861120, 'msm please stop': 544557, 'please stop saying': 660587, 'stop saying you': 804978, 'saying you re': 739774, 're probably at': 699308, 'probably at more': 679213, 'at more risk': 99769, 'more risk when': 540276, 'risk when you': 724015, 'you visit supermarket': 1022087, 'visit supermarket it': 959370, 'not funny hearing': 569564, 'funny hearing this': 341737, 'hearing this when': 388252, 'in supermarket grr': 428611, 'fintwits': 308036, 'comparing': 191449, 'redefine': 705666, 'fintwits keep': 308037, 'talking comparing': 834005, 'comparing previous': 191452, 'era the': 280082, 'the chatter': 850722, 'chatter ha': 173996, 'been valuable': 122322, 'reliable the': 709217, 'shutdown from': 768030, '19 define': 6468, 'same pandemic': 733200, 'pandemic crash': 635259, 'crash factor': 214974, 'medical remedy': 526361, 'remedy vaccine': 710150, 'will immensely': 993774, 'immensely redefine': 417199, 'redefine asset': 705667, 'fintwits keep talking': 308038, 'keep talking comparing': 472011, 'talking comparing previous': 834006, 'comparing previous era': 191453, 'previous era the': 671975, 'era the chatter': 280083, 'the chatter ha': 850723, 'chatter ha not': 173998, 'not been valuable': 568523, 'been valuable reliable': 122323, 'valuable reliable the': 952048, 'reliable the economic': 709218, 'economic shutdown from': 267285, 'shutdown from covid': 768031, 'covid 19 define': 212924, '19 define this': 6469, 'define this era': 232274, 'era ha the': 280045, 'the same pandemic': 866272, 'same pandemic crash': 733201, 'pandemic crash factor': 635260, 'crash factor unlike': 214975, 'before medical remedy': 122948, 'medical remedy vaccine': 526362, 'remedy vaccine will': 710151, 'vaccine will immensely': 951799, 'will immensely redefine': 993775, 'immensely redefine asset': 417200, 'redefine asset price': 705668, 'that inflate': 844516, 'sanitiser toilet': 734036, 'quick pound': 694342, 'pound or': 667398, 'dollar should': 253069, 'boycotted to': 137367, 'them lesson': 875976, 'greed people': 363423, 'before profit': 123026, 'any shop or': 79796, 'shop or online': 760617, 'or online seller': 616391, 'seller that inflate': 749089, 'that inflate price': 844517, 'necessary item such': 554016, 'item such hand': 463672, 'such hand wash': 816542, 'hand wash hand': 375926, 'wash hand sanitiser': 967493, 'hand sanitiser toilet': 375253, 'sanitiser toilet roll': 734037, 'toilet roll during': 921568, 'roll during the': 725283, 'the pandemic for': 862968, 'pandemic for quick': 635449, 'for quick pound': 324915, 'quick pound or': 694343, 'pound or dollar': 667399, 'or dollar should': 615044, 'dollar should be': 253070, 'should be boycotted': 765572, 'be boycotted to': 113900, 'boycotted to teach': 137368, 'to teach them': 916313, 'teach them lesson': 835405, 'them lesson for': 875977, 'lesson for their': 486476, 'for their greed': 326832, 'their greed people': 873440, 'greed people before': 363425, 'people before profit': 647242, 'thirty': 886138, 'rationing must': 697843, 'introduced immediately': 443424, 'immediately expert': 417087, 'warn government': 966936, 'government thirty': 360693, 'thirty year': 886139, 'ago the': 38494, 'retailer carried': 719067, 'carried 10': 164932, '10 12': 1232, 'just 24': 468110, '24 36': 15541, '36 hour': 18007, 'be prepared food': 116518, 'prepared food rationing': 670187, 'food rationing must': 316129, 'rationing must be': 697844, 'must be introduced': 546516, 'be introduced immediately': 115532, 'introduced immediately expert': 443425, 'immediately expert warn': 417088, 'expert warn government': 292013, 'warn government thirty': 966937, 'government thirty year': 360694, 'thirty year ago': 886140, 'year ago the': 1014363, 'ago the uk': 38496, 'the uk retailer': 870275, 'uk retailer carried': 938678, 'retailer carried 10': 719068, 'carried 10 12': 164933, '10 12 day': 1233, '12 day of': 2843, 'day of stock': 228108, 'of stock now': 590178, 'stock now they': 802512, 'they have just': 882335, 'have just 24': 381197, 'just 24 36': 468111, '24 36 hour': 15542, '36 hour of': 18008, 'hour of stock': 405808, 'about clap': 24965, 'frontline also': 338705, 'for abuse': 318987, 'abuse clapforcarers': 27623, 'clapforcarers 19': 179982, 'how about clap': 407275, 'about clap for': 24966, 'clap for the': 179961, 'the frontline also': 855860, 'frontline also the': 338706, 'also the target': 48989, 'the target for': 869152, 'target for abuse': 834460, 'for abuse clapforcarers': 318988, 'abuse clapforcarers 19': 27624, 'using more': 950561, 'paper than': 640867, 'do toiletpapercrisis': 250416, 'or doe anyone': 615030, 'else think they': 271928, 'they are using': 881449, 'are using more': 91425, 'using more loo': 950562, 'loo paper than': 502160, 'paper than they': 640868, 'than they usually': 841304, 'they usually do': 883630, 'usually do toiletpapercrisis': 951112, 'do toiletpapercrisis toiletpaper': 250417, 'wuhan ha': 1013493, 'priority thing': 678677, 'given below': 350953, 'below taking': 126737, 'taking hair': 833376, 'hair cut': 373973, 'cut filling': 223331, 'the emptied': 854277, 'emptied grocery': 274684, 'grocery stock': 365151, 'stock visit': 803150, 'visit breakfast': 959200, 'breakfast stall': 138897, 'stall visit': 793382, 'visit liquor': 959289, 'wuhan ha opened': 1013494, 'ha opened the': 371453, 'opened the the': 612764, 'the the top': 869405, 'the top priority': 869791, 'top priority thing': 925686, 'priority thing people': 678678, 'doing are given': 252302, 'are given below': 86846, 'given below taking': 350954, 'below taking hair': 126738, 'taking hair cut': 833377, 'hair cut filling': 373974, 'cut filling up': 223332, 'up the emptied': 946168, 'the emptied grocery': 854278, 'emptied grocery stock': 274685, 'grocery stock visit': 365152, 'stock visit breakfast': 803151, 'visit breakfast stall': 959201, 'breakfast stall visit': 138898, 'stall visit liquor': 793383, 'visit liquor store': 959290, 'cpif': 214632, 'our updated': 625237, 'updated inflation': 947384, 'inflation forecast': 437184, 'forecast suggests': 328867, 'suggests close': 817685, 'deflation print': 232455, 'print in': 678275, 'may cpif': 521110, 'cpif yoy': 214633, 'yoy note': 1026967, 'impact only': 417903, 'only taken': 611238, 'part which': 642494, 'which concern': 985761, 'concern how': 192993, 'handle price': 376253, 'no selling': 565454, 'selling airline': 749145, 'airline charter': 39936, 'our updated inflation': 625238, 'updated inflation forecast': 947385, 'inflation forecast suggests': 437185, 'forecast suggests close': 328868, 'suggests close to': 817686, 'close to deflation': 182888, 'to deflation print': 904067, 'deflation print in': 232456, 'print in may': 678276, 'in may cpif': 425196, 'may cpif yoy': 521111, 'cpif yoy note': 214634, 'yoy note that': 1026968, 'note that impact': 572802, 'that impact only': 844438, 'impact only taken': 417904, 'only taken into': 611239, 'into account for': 442365, 'account for fuel': 28666, 'for fuel price': 321802, 'fuel price for': 340234, 'price for that': 674059, 'for that part': 326267, 'that part which': 845659, 'part which concern': 642495, 'which concern how': 985762, 'concern how to': 192994, 'to handle price': 907131, 'handle price for': 376254, 'price for which': 674078, 'for which there': 327830, 'is no selling': 449972, 'no selling airline': 565455, 'selling airline charter': 749146, 'no panicking': 565053, 'panicking no': 639359, 'no queuing': 565265, 'queuing we': 694246, 'we wear': 973766, 'shop if': 760299, 'requires it': 713470, 'most do': 542259, 'shop one': 760556, 'no couple': 563918, 'couple or': 211656, 'on group': 601198, 'of discussing': 582664, 'discussing this': 245010, 'here the shelf': 393667, 'are full no': 86729, 'full no panicking': 340695, 'no panicking no': 565054, 'panicking no queuing': 639360, 'no queuing we': 565266, 'queuing we wear': 694247, 'we wear mask': 973767, 'mask to shop': 519423, 'to shop if': 914464, 'shop if the': 760300, 'supermarket requires it': 822212, 'requires it most': 713471, 'it most do': 459683, 'most do and': 542260, 'and we shop': 75321, 'we shop one': 973246, 'shop one at': 760557, 'at time no': 101298, 'time no couple': 897268, 'no couple or': 563919, 'couple or family': 211657, 'or family on': 615268, 'family on group': 298116, 'on group of': 601199, 'group of thousand': 366806, 'thousand of discussing': 893433, 'of discussing this': 582665, 'discussing this every': 245011, 'bicyclesastransport': 129454, 'strange day': 812386, 'distance waiting': 246879, 'store interestingly': 808448, 'interestingly seeing': 441654, 'seeing more': 746366, 'using bicyclesastransport': 950406, 'bicyclesastransport for': 129455, 'shopping using': 764303, 'using nice': 950572, 'nice comfortable': 562379, 'comfortable bicycle': 187869, 'strange day of': 812387, 'day of everyone': 228068, 'of everyone keeping': 583255, 'everyone keeping their': 287142, 'keeping their distance': 472595, 'their distance waiting': 873036, 'distance waiting to': 246880, 'grocery store interestingly': 365489, 'store interestingly seeing': 808449, 'interestingly seeing more': 441655, 'seeing more using': 746370, 'more using bicyclesastransport': 540882, 'using bicyclesastransport for': 950407, 'bicyclesastransport for shopping': 129456, 'for shopping using': 325599, 'shopping using nice': 764304, 'using nice comfortable': 950573, 'nice comfortable bicycle': 562380, 'uk hunger': 938468, 'crisis 5m': 216964, '5m people': 20771, 'go whole': 354500, 'whole day': 990181, 'day without': 228789, 'food council': 314038, 'council amp': 209956, 'amp charity': 53519, 'charity report': 173672, 'report double': 711906, 'of austerity': 580449, 'austerity amp': 103156, 'act went': 29820, 'went hungry': 979034, 'hungry couple': 411236, 'because panic': 119456, 'left shop': 485637, 'shop empty': 760133, 'but 5m': 145037, '5m now': 20765, 'now risk': 575708, 'uk hunger crisis': 938469, 'hunger crisis 5m': 411083, 'crisis 5m people': 216965, '5m people go': 20772, 'people go whole': 648090, 'go whole day': 354501, 'whole day without': 990184, 'day without food': 228791, 'without food council': 1002656, 'food council amp': 314039, 'council amp charity': 209957, 'amp charity report': 53520, 'charity report double': 173673, 'report double whammy': 711908, 'whammy of austerity': 980940, 'of austerity amp': 580450, 'austerity amp covid': 103157, '19 and urge': 5129, 'and urge government': 74756, 'urge government to': 948192, 'government to act': 360699, 'to act went': 900019, 'act went hungry': 29821, 'went hungry couple': 979035, 'hungry couple of': 411237, 'of time because': 592166, 'time because panic': 896372, 'because panic buying': 119457, 'buying left shop': 150645, 'left shop empty': 485638, 'shop empty but': 760134, 'empty but 5m': 274822, 'but 5m now': 145038, '5m now risk': 20766, 'now risk this': 575709, 'risk this daily': 723945, 'outbreak coupled': 628147, 'with disagreement': 998068, 'disagreement between': 244021, 'russia over': 728533, 'over oil': 630454, 'cut ha': 223362, 'in sharp': 427867, 'oil demand due': 596743, '19 outbreak coupled': 9111, 'outbreak coupled with': 628148, 'coupled with disagreement': 211730, 'with disagreement between': 998069, 'disagreement between opec': 244022, 'between opec and': 128841, 'opec and russia': 611844, 'and russia over': 70676, 'russia over oil': 728534, 'over oil production': 630455, 'production cut ha': 681995, 'cut ha resulted': 223363, 'resulted in sharp': 717686, 'in sharp drop': 427869, 'oil price read': 597229, 'yhis': 1016354, 'yhis where': 1016355, 'world mycovidstory': 1009816, 'mycovidstory 19': 550705, '19 meme': 8625, 'meme bullet': 528299, 'bullet ammo': 142420, 'ammo toiletpaper': 52922, 'yhis where we': 1016356, 'where we are': 985337, 'the world mycovidstory': 871918, 'world mycovidstory 19': 1009817, 'mycovidstory 19 meme': 550706, '19 meme bullet': 8626, 'meme bullet ammo': 528300, 'bullet ammo toiletpaper': 142421, 'ammo toiletpaper toiletroll': 52923, 'anyone said': 80503, 'antibacterial soap': 78376, 'soap we': 779167, 'our good': 623261, 'good bacteria': 356807, 'bacteria that': 107701, 'ha anyone said': 369589, 'anyone said that': 80504, 'said that we': 731420, 'that we may': 847382, 'be the cause': 117603, 'virus we do': 959007, 'we do use': 971359, 'do use lot': 250435, 'and antibacterial soap': 58179, 'antibacterial soap we': 78381, 'soap we may': 779168, 'may be getting': 520985, 'be getting rid': 115012, 'rid of our': 721394, 'of our good': 587480, 'our good bacteria': 623262, 'good bacteria that': 356808, 'bacteria that we': 107702, 'mackenzie': 507447, 'windenergy': 995637, 'powerdemand': 667752, 'powerconsumption': 667749, 'energymarket': 276636, 'wood mackenzie': 1004279, 'mackenzie how': 507450, 'doe corona': 251363, 'corona affect': 203796, 'affect power': 34210, 'market windenergy': 517369, 'windenergy corona': 995638, '19 powerdemand': 9767, 'powerdemand shutdown': 667753, 'shutdown italy': 768054, 'italy market': 462873, 'market powerconsumption': 516874, 'powerconsumption development': 667750, 'development oil': 239834, 'gas solar': 344097, 'solar consumer': 781597, 'home virus': 402433, 'virus crisis': 958104, 'crisis energymarket': 217349, 'wood mackenzie how': 1004280, 'mackenzie how doe': 507451, 'how doe corona': 407738, 'doe corona affect': 251364, 'corona affect power': 203797, 'affect power market': 34211, 'power market windenergy': 667640, 'market windenergy corona': 517370, 'windenergy corona 19': 995639, 'corona 19 powerdemand': 203782, '19 powerdemand shutdown': 9768, 'powerdemand shutdown italy': 667754, 'shutdown italy market': 768055, 'italy market powerconsumption': 462874, 'market powerconsumption development': 516875, 'powerconsumption development oil': 667751, 'development oil gas': 239835, 'oil gas solar': 596832, 'gas solar consumer': 344098, 'solar consumer home': 781598, 'consumer home virus': 197766, 'home virus crisis': 402434, 'virus crisis energymarket': 958106, 'fairing': 296422, 'ha temporary': 372173, 'bag due': 108266, 'are state': 90363, 'with plastic': 1000228, 'ban fairing': 109200, 'fairing karma': 296423, 'store ha temporary': 808023, 'ha temporary ban': 372174, 'reusable bag due': 720144, 'bag due to': 108267, '19 how are': 7598, 'how are state': 407413, 'are state with': 90365, 'state with plastic': 796097, 'with plastic bag': 1000229, 'bag ban fairing': 108242, 'ban fairing karma': 109201, 'that apparel': 842695, 'apparel retailer': 81874, 'at week': 101507, 'closure movement': 183946, 'and depressed': 61228, 'depressed consumer': 237579, 'impact 19': 417530, 'moody report that': 538315, 'report that apparel': 712314, 'that apparel retailer': 842696, 'apparel retailer are': 81875, 'retailer are looking': 719007, 'looking at week': 502831, 'at week to': 101508, 'week to month': 977089, 'to month of': 910244, 'month of store': 537907, 'store closure movement': 807100, 'closure movement restriction': 183947, 'movement restriction and': 543924, 'restriction and depressed': 717207, 'and depressed consumer': 61229, 'depressed consumer demand': 237580, 'the impact 19': 857928, 'impact 19 retail': 417531, 'giant of': 349833, 'facing terminal': 295617, 'terminal decline': 838360, 'decline big': 231309, 'could bounce': 208966, 'back stronger': 107293, 'price have plummeted': 674445, 'pandemic but that': 635058, 'mean the giant': 524695, 'the giant of': 856258, 'giant of the': 349834, 'the industry are': 858162, 'are facing terminal': 86434, 'facing terminal decline': 295618, 'terminal decline big': 838361, 'decline big oil': 231310, 'big oil could': 129885, 'oil could bounce': 596708, 'could bounce back': 208967, 'bounce back stronger': 136808, 'back stronger than': 107294, 'police all': 662890, 'contact is': 200112, 'at heavy': 98874, 'heavy risk': 388659, 'recent day grocery': 703861, 'day grocery worker': 227699, 'grocery worker health': 366174, 'worker health worker': 1007107, 'health worker police': 386988, 'worker police all': 1007597, 'police all who': 662891, 'in public contact': 427075, 'public contact is': 687933, 'contact is at': 200113, 'is at heavy': 445862, 'at heavy risk': 98875, 'feel lot': 302773, 'lot better': 503998, 'better and': 128193, 'le worried': 483250, 'worried with': 1010608, 'with if': 998933, 'weren panic': 980411, 'seeing normal': 746388, 'normal supermarket': 567348, 'self seeking': 747897, 'seeking prophecy': 746652, 'would feel lot': 1011821, 'feel lot better': 302774, 'lot better and': 503999, 'better and le': 128194, 'and le worried': 66019, 'le worried with': 483251, 'worried with if': 1010609, 'with if people': 998934, 'people weren panic': 650233, 'weren panic shopping': 980412, 'shopping and seeing': 762017, 'and seeing normal': 71161, 'seeing normal supermarket': 746389, 'normal supermarket we': 567350, 'are self seeking': 89930, 'self seeking prophecy': 747898, 'germy': 346393, 'bracket': 137513, 'im back': 416511, 'after pretty': 36066, 'pretty chilled': 671371, 'chilled day': 176391, 'day break': 227393, 'break im': 138742, 'im working': 416601, 'straight thats': 812236, 'thats over': 847822, '60 hour': 20949, 'hour 30': 405347, '30 bus': 16989, 'two train': 937284, 'train with': 929290, 'the germy': 856236, 'germy public': 346394, 'public im': 688098, 'im also': 416506, 'risk bracket': 723421, 'bracket happy': 137516, 'happy thought': 377699, 'and cuppa': 60799, 'cuppa tea': 220521, 'tea are': 835338, 'are kindly': 87692, 'kindly requested': 475159, 'im back to': 416512, 'supermarket today after': 823430, 'today after pretty': 919157, 'after pretty chilled': 36067, 'pretty chilled day': 671372, 'chilled day break': 176392, 'day break im': 227394, 'break im working': 138743, 'im working day': 416602, 'working day straight': 1008585, 'day straight thats': 228418, 'straight thats over': 812237, 'thats over 60': 847823, 'over 60 hour': 629875, '60 hour 30': 20950, 'hour 30 bus': 405348, '30 bus and': 16990, 'bus and two': 143000, 'and two train': 74559, 'two train with': 937285, 'train with the': 929291, 'with the germy': 1001315, 'the germy public': 856237, 'germy public im': 346395, 'public im also': 688099, 'im also in': 416507, 'at risk bracket': 100342, 'risk bracket happy': 723422, 'bracket happy thought': 137517, 'happy thought and': 377700, 'thought and cuppa': 892968, 'and cuppa tea': 60800, 'cuppa tea are': 220522, 'tea are kindly': 835339, 'are kindly requested': 87694, 'reactivation': 700232, 'gold council': 355875, 'council ha': 209983, 'begun an': 123699, 'an artisanal': 55425, 'gold supply': 356019, 'chain reactivation': 171026, 'reactivation project': 700233, 'project with': 683554, 'of restoring': 589028, 'restoring liquidity': 717074, 'to gold': 906905, 'gold buying': 355871, 'rural artisanal': 728228, 'artisanal mining': 94577, 'mining community': 533266, 'thus helping': 895515, 'helping these': 391507, 'community mitigate': 189989, 'artisanal gold council': 94574, 'gold council ha': 355876, 'council ha begun': 209984, 'ha begun an': 369993, 'begun an artisanal': 123700, 'an artisanal gold': 55426, 'artisanal gold supply': 94576, 'gold supply chain': 356020, 'supply chain reactivation': 825015, 'chain reactivation project': 171027, 'reactivation project with': 700234, 'project with the': 683555, 'with the aim': 1001198, 'the aim of': 848477, 'aim of restoring': 39540, 'of restoring liquidity': 589029, 'restoring liquidity to': 717075, 'liquidity to gold': 494159, 'to gold buying': 906906, 'gold buying in': 355872, 'buying in rural': 150542, 'in rural artisanal': 427576, 'rural artisanal mining': 728229, 'artisanal mining community': 94578, 'mining community and': 533267, 'community and thus': 189729, 'and thus helping': 74110, 'thus helping these': 895516, 'helping these community': 391508, 'these community mitigate': 879780, 'community mitigate the': 189990, 'crossover': 219091, 'date host': 226647, 'host crossover': 404869, 'crossover animal': 219092, 'animal leading': 76624, 'unclear that': 939840, 'market still': 517119, 'still appears': 800197, 'origin the': 619546, 'the lancet': 858925, 'lancet did': 479245, 'did highlight': 240643, 'highlight an': 395899, 'early sufferer': 264708, 'sufferer had': 817272, 'no connection': 563873, 'it unfortunately': 461932, 'unfortunately covid': 941587, 'first will': 309188, 'to date host': 903926, 'date host crossover': 226648, 'host crossover animal': 404870, 'crossover animal leading': 219093, 'animal leading to': 76625, 'outbreak is unclear': 628387, 'is unclear that': 453448, 'unclear that food': 939841, 'that food market': 843910, 'food market still': 315403, 'market still appears': 517120, 'still appears the': 800198, 'appears the origin': 82213, 'the origin the': 862481, 'origin the lancet': 619547, 'the lancet did': 858926, 'lancet did highlight': 479246, 'did highlight an': 240644, 'highlight an early': 395900, 'an early sufferer': 55544, 'early sufferer had': 264709, 'sufferer had no': 817273, 'had no connection': 373329, 'no connection to': 563874, 'connection to it': 194723, 'to it unfortunately': 908623, 'it unfortunately covid': 461933, 'unfortunately covid 19': 941588, 'the first will': 855368, 'first will not': 309189, 'all joking': 43291, 'joking about': 467188, 'quarantine stuff': 692590, 'once hit': 605650, 'produce fast': 680265, 'fast for': 299980, 'demand then': 236366, 'serious quarantine': 751460, 'all joking about': 43292, 'joking about this': 467191, 'about this quarantine': 26654, 'this quarantine stuff': 889780, 'quarantine stuff but': 692591, 'stuff but once': 815031, 'but once hit': 146662, 'once hit the': 605651, 'fan and you': 298503, 'and you run': 76043, 'we can produce': 970993, 'can produce fast': 159309, 'produce fast for': 680266, 'fast for the': 299981, 'the demand then': 853114, 'demand then you': 236367, 'then you ll': 877787, 'you ll get': 1019653, 'll get serious': 496791, 'get serious quarantine': 347969, 'this robot': 889916, 'robot is': 724797, 'people maintain': 648718, 'edeka 19': 268476, 'this robot is': 889917, 'robot is helping': 724798, 'is helping people': 448406, 'helping people maintain': 391439, 'people maintain safe': 648719, 'maintain safe distance': 509027, 'at the german': 100959, 'the german supermarket': 856232, 'german supermarket edeka': 346250, 'supermarket edeka 19': 820088, 'ctsi we': 220117, 'are dismayed': 85860, 'dismayed by': 245997, 'the abusive': 848269, 'abusive price': 27730, 'helpline at': 391587, 'at 08082231133': 97390, 'at ctsi we': 98387, 'ctsi we are': 220118, 'we are dismayed': 970529, 'are dismayed by': 85861, 'dismayed by the': 245998, 'by the abusive': 154258, 'the abusive price': 848270, 'abusive price increase': 27731, 'crisis taking advantage': 218127, 'advantage of selling': 33031, 'of selling in': 589495, 'demand item in': 235763, 'item in time': 463359, 'know that people': 476783, 'consumer helpline at': 197744, 'helpline at 08082231133': 391588, 'one toronto': 607303, 'is navigating': 449830, 'pandemic toronto': 636827, 'how one toronto': 408436, 'one toronto grocery': 607304, 'toronto grocery store': 925943, 'store chain is': 806924, 'chain is navigating': 170840, 'is navigating the': 449831, 'navigating the covid': 553128, '19 pandemic toronto': 9506, 'staff discussing': 792371, 'benefit who': 127139, 'nothing that': 573172, 'can barely': 157568, 'barely afford': 111000, 'essential let': 281277, 'alone hoard': 46863, 'overheard supermarket staff': 631248, 'supermarket staff discussing': 822834, 'staff discussing how': 792372, 'discussing how it': 244995, 'how it only': 408138, 'it only those': 460112, 'only those on': 611339, 'on benefit who': 599627, 'benefit who sit': 127140, 'home and do': 400633, 'do nothing that': 249904, 'nothing that are': 573173, 'currently doing all': 221517, 'and hoarding of': 64661, 'hoarding of good': 399452, 'of good people': 584231, 'good people on': 357548, 'people on benefit': 648954, 'on benefit can': 599623, 'benefit can barely': 126942, 'can barely afford': 157569, 'barely afford the': 111002, 'afford the essential': 34768, 'the essential let': 854511, 'essential let alone': 281278, 'let alone hoard': 486580, 'alone hoard food': 46864, 'we often': 972636, 'often act': 596151, 'act against': 29581, 'against one': 37561, 'another in': 77667, 'country price': 210974, 'commodity have': 189184, 'increased because': 433210, 'we taking': 973489, 'not considerate': 568834, 'considerate there': 195232, 'no scarcity': 565420, 'town yet': 927603, 'know why we': 477063, 'why we often': 991527, 'we often act': 972637, 'often act against': 596152, 'act against one': 29582, 'against one another': 37562, 'one another in': 605920, 'another in this': 77669, 'this country price': 886965, 'country price of': 210976, 'of commodity have': 581572, 'commodity have increased': 189185, 'have increased because': 381054, 'increased because of': 433211, 'because of where': 119427, 'of where are': 593090, 'where are we': 984744, 'are we taking': 91596, 'we taking the': 973490, 'taking the money': 833591, 'money to why': 537126, 'to why are': 918588, 'we not considerate': 972595, 'not considerate there': 568835, 'considerate there no': 195233, 'there no scarcity': 878839, 'no scarcity of': 565421, 'scarcity of most': 740845, 'these item in': 880197, 'item in town': 463360, 'in town yet': 430255, 'town yet we': 927604, 'yet we increased': 1016317, 'we increased price': 972072, 'increased price why': 433423, 'pestering': 653336, 'expecting government': 291039, 'stimulus every': 801533, 'market lockdown': 516692, 'and zero': 76118, 'zero or': 1027477, 'or negligible': 616232, 'negligible consumer': 556896, 'is stressful': 452370, 'stressful it': 813499, 'like pestering': 490988, 'pestering asking': 653337, 'asking an': 95938, 'father for': 300286, 'for pocket': 324594, 'pocket money': 662182, '50 every': 19685, 'week coronalockdown': 976112, 'expecting government stimulus': 291040, 'government stimulus every': 360638, 'stimulus every week': 801534, 'every week by': 286360, 'week by closing': 976051, 'by closing the': 152138, 'closing the market': 183777, 'the market lockdown': 860132, 'market lockdown and': 516693, 'lockdown and zero': 499158, 'and zero or': 76120, 'zero or negligible': 1027478, 'or negligible consumer': 616233, 'negligible consumer spending': 556897, 'spending is stressful': 788880, 'is stressful it': 452372, 'stressful it is': 813500, 'it is like': 458998, 'is like pestering': 449325, 'like pestering asking': 490989, 'pestering asking an': 653338, 'asking an old': 95939, 'an old father': 56586, 'old father for': 598250, 'father for pocket': 300287, 'for pocket money': 324595, 'pocket money the': 662183, 'money the age': 537060, 'age of 50': 37856, 'of 50 every': 579610, '50 every week': 19686, 'every week coronalockdown': 286361, 'railway hike': 695704, 'hike platform': 396248, 'cancel more': 160863, 'railway train': 695723, 'train amid': 929227, 'fear more': 301205, 'railway hike platform': 695705, 'hike platform ticket': 396249, 'price to 50': 676959, 'and cancel more': 59490, 'cancel more than': 160864, 'than 80 train': 840304, 'northern railway train': 567779, 'railway train amid': 695724, 'train amid fear': 929228, 'amid fear more': 52472, 'wonderwall': 1004223, 'oasis': 578299, 'that beautiful': 842949, 'future when': 342522, 'can hear': 158596, 'hear concert': 387899, 'concert crowd': 193261, 'crowd singing': 219249, 'singing wonderwall': 771234, 'wonderwall together': 1004224, 'together why': 921035, 'why because': 990831, 'need each': 554724, 'happen oasis': 377130, 'forward to that': 330038, 'to that beautiful': 916445, 'that beautiful day': 842950, 'beautiful day in': 118677, 'the future when': 856096, 'future when we': 342523, 'we can hear': 970961, 'can hear concert': 158597, 'hear concert crowd': 387900, 'concert crowd singing': 193262, 'crowd singing wonderwall': 219250, 'singing wonderwall together': 771235, 'wonderwall together why': 1004225, 'together why because': 921036, 'why because we': 990835, 'we need each': 972481, 'need each other': 554725, 'other we believe': 621192, 'believe in one': 126287, 'in one another': 426136, 'another we ve': 77964, 'got to make': 358963, 'it happen oasis': 458464, 'reasonably': 703147, 'and reasonably': 70026, 'reasonably confident': 703149, 'virus causing': 958045, 'people should go': 649445, 'store only if': 809242, 'are feeling well': 86526, 'feeling well and': 303105, 'well and reasonably': 978021, 'and reasonably confident': 70027, 'reasonably confident that': 703150, 'confident that they': 194012, 'they have not': 882350, 'not been exposed': 568511, 'the virus causing': 870810, 'virus causing covid': 958046, 'zoe': 1027674, 'curfewinkenya': 220956, 'home office': 401703, 'outside hygiene': 629452, 'the zoe': 872224, 'zoe hand': 1027675, 'in 60ml': 419950, '60ml portable': 21166, 'portable bottle': 664915, 'ha sterilization': 372063, 'sterilization rate': 799855, 'of upto': 592681, 'upto 99': 947930, '99 get': 23834, 'any leading': 79400, 'kenya corona': 472890, 'corona curfewinkenya': 203913, 'whether you are': 985615, 'at home office': 99065, 'home office or': 401706, 'office or outside': 595508, 'or outside hygiene': 616475, 'outside hygiene is': 629453, 'hygiene is big': 412111, 'your day the': 1023471, 'day the zoe': 228503, 'the zoe hand': 872225, 'zoe hand sanitizer': 1027676, 'come in 60ml': 187356, 'in 60ml portable': 419951, '60ml portable bottle': 21167, 'portable bottle and': 664916, 'bottle and ha': 136180, 'and ha sterilization': 64085, 'ha sterilization rate': 372064, 'sterilization rate of': 799856, 'rate of upto': 697325, 'of upto 99': 592682, 'upto 99 99': 947931, '99 99 get': 23763, '99 get yours': 23835, 'now at any': 574124, 'at any leading': 98023, 'any leading supermarket': 79401, 'leading supermarket in': 483745, 'supermarket in kenya': 820915, 'in kenya corona': 424476, 'kenya corona curfewinkenya': 472891, 'vermont are': 954846, 'worker which': 1008185, 'get needed': 347650, 'needed benefit': 556312, 'like child': 489989, 'other support': 621045, 'and vermont are': 74930, 'vermont are set': 954847, 'set to classify': 753507, 'to classify grocery': 902804, 'emergency worker which': 273068, 'worker which would': 1008187, 'which would help': 986518, 'help them get': 390705, 'them get needed': 875773, 'get needed benefit': 347651, 'needed benefit like': 556313, 'benefit like child': 127023, 'like child care': 489990, 'child care and': 176035, 'care and other': 163844, 'and other support': 68420, 'whatsoever': 982918, 'while understand': 987492, 'understand grocery': 940630, 'incredibly stressed': 433925, 'stressed overworked': 813457, 'overworked right': 631795, 'now amidst': 574010, 'excuse whatsoever': 289795, 'whatsoever to': 982925, 'be racist': 116668, 'racist towards': 695328, 'asian who': 95375, 'family right': 298190, 'while understand grocery': 987493, 'understand grocery store': 940632, 'store cashier are': 806885, 'cashier are incredibly': 166474, 'are incredibly stressed': 87512, 'incredibly stressed overworked': 433926, 'stressed overworked right': 813458, 'overworked right now': 631796, 'right now amidst': 722019, 'now amidst covid': 574011, 'buying there still': 151199, 'still no excuse': 800867, 'no excuse whatsoever': 564167, 'excuse whatsoever to': 289796, 'whatsoever to be': 982926, 'to be racist': 901477, 'be racist towards': 116669, 'racist towards asian': 695329, 'towards asian who': 927169, 'asian who are': 95376, 'who are just': 988166, 'grocery for their': 364531, 'their family right': 873265, 'family right now': 298191, 'business navigate': 144081, 'get insight': 347352, 'from webinars': 338316, 'webinars blog': 975148, 'blog and': 132901, 'you adapt': 1016818, 've launched new': 953323, 'new resource page': 559473, 'resource page to': 714855, 'page to help': 633903, 'help business navigate': 389445, 'business navigate the': 144083, 'navigate the impact': 553081, '19 get insight': 7197, 'get insight from': 347354, 'insight from webinars': 439559, 'from webinars blog': 338317, 'webinars blog and': 975149, 'blog and more': 132902, 'more you adapt': 541030, 'you adapt to': 1016819, 'changing consumer need': 172676, 'wa coincidence': 961834, 'coincidence that': 185666, 'that russia': 846079, 'russia sent': 728567, 'into tail': 443070, 'tail spin': 831813, 'spin before': 789388, 'wa major': 962608, 'major news': 509396, 'it wa coincidence': 462091, 'wa coincidence that': 961835, 'coincidence that russia': 185667, 'that russia sent': 846080, 'russia sent oil': 728568, 'price into tail': 674842, 'into tail spin': 443071, 'tail spin before': 831814, 'spin before covid': 789389, '19 wa major': 11870, 'wa major news': 962609, 'major news in': 509398, 'significant uncertainty': 769532, 'uncertainty due': 939682, 'pandemic want': 636917, 'staff first': 792458, 'employee community': 273724, 'community pharmacist': 190037, 'pharmacist lab': 654153, 'lab technician': 478289, 'else on': 271819, 'we face significant': 971520, 'face significant uncertainty': 294754, 'significant uncertainty due': 769533, 'uncertainty due to': 939683, 'the pandemic want': 863146, 'pandemic want to': 636918, 'thank the hospital': 841643, 'the hospital staff': 857534, 'hospital staff first': 404636, 'staff first responder': 792459, 'store employee community': 807470, 'employee community pharmacist': 273725, 'community pharmacist lab': 190038, 'pharmacist lab technician': 654154, 'lab technician and': 478290, 'technician and everyone': 836221, 'everyone else on': 286870, 'else on the': 271820, 'this crisis you': 887115, 'you are true': 1017270, 'are true hero': 91212, 'merging': 529113, 'been blowing': 120748, 'blowing it': 133373, 'year healthy': 1014613, 'healthy capitalist': 387554, 'real competition': 701076, 'many corporation': 513937, 'corporation buying': 207398, 'everything merging': 287917, 'merging the': 529114, 'always fucked': 49565, 'fucked capitalism': 339724, 'capitalism competition': 162730, 'competition monopoly': 191715, 'ha been blowing': 369732, 'been blowing it': 120749, 'blowing it for': 133374, 'it for year': 458107, 'for year healthy': 328004, 'year healthy capitalist': 1014614, 'healthy capitalist society': 387555, 'capitalist society is': 162815, 'society is based': 781251, 'on real competition': 603088, 'real competition and': 701077, 'competition and so': 191667, 'so many corporation': 777646, 'many corporation buying': 513938, 'corporation buying up': 207399, 'up everything merging': 944819, 'everything merging the': 287918, 'merging the consumer': 529115, 'consumer is always': 197933, 'is always fucked': 445594, 'always fucked capitalism': 49566, 'fucked capitalism competition': 339725, 'capitalism competition monopoly': 162731, 'composer': 192570, 'repertoire': 711564, 'teacher musician': 835485, 'musician student': 546379, 'student art': 814649, 'art organisation': 94180, 'organisation feeling': 619261, 'feeling cooped': 302976, 'you interested': 1019364, 'about female': 25228, 'female composer': 303499, 'composer now': 192571, 'lesson talk': 486507, 'and repertoire': 70252, 'repertoire consultation': 711565, 'consultation about': 195874, 'composer price': 192573, 'from 15': 334196, 'teacher musician student': 835486, 'musician student art': 546380, 'student art organisation': 814650, 'art organisation feeling': 94181, 'organisation feeling cooped': 619262, 'feeling cooped up': 302977, 'cooped up due': 203115, 'are you interested': 91812, 'you interested in': 1019365, 'in learning about': 424660, 'learning about female': 484176, 'about female composer': 25229, 'female composer now': 303500, 'composer now offering': 192572, 'offering online lesson': 595201, 'online lesson talk': 608483, 'lesson talk and': 486508, 'talk and repertoire': 833779, 'and repertoire consultation': 70253, 'repertoire consultation about': 711566, 'consultation about female': 195875, 'female composer price': 303501, 'composer price start': 192574, 'price start from': 676610, 'start from 15': 794300, 'from 15 for': 334197, '15 for 30': 3710, 'ventilator 19': 954516, 'into ventilator 19': 443274, 'soldiering': 781830, 'rehearse': 708190, 'pep': 650633, 'cue or': 220201, 'two frm': 936939, 'frm soldiering': 334125, 'soldiering in': 781831, 'fight anticipate': 304660, 'anticipate avoid': 78421, 'avoid surprise': 105307, 'surprise stock': 828543, 'up prefer': 945793, 'prefer ammo': 669726, 'ammo over': 52906, 'food plan': 315857, 'plan rehearse': 658213, 'rehearse plan': 708191, 'plan fail': 658111, 'fail pep': 296096, 'pep up': 650638, 'up ur': 946507, 'ur team': 948078, 'team fight': 835636, 'for ur': 327481, 'ur nation': 948039, 'nation it': 552235, 'it honour': 458622, 'honour don': 403293, 'leave anyone': 484739, 'anyone behind': 80197, 'behind ready': 124688, 'ready soldier': 700918, 'soldier 19': 781808, 'want cue or': 965758, 'cue or two': 220202, 'or two frm': 617561, 'two frm soldiering': 936940, 'frm soldiering in': 334126, 'soldiering in this': 781832, 'this fight anticipate': 887542, 'fight anticipate avoid': 304661, 'anticipate avoid surprise': 78422, 'avoid surprise stock': 105308, 'surprise stock up': 828544, 'stock up prefer': 803110, 'up prefer ammo': 945794, 'prefer ammo over': 669727, 'ammo over food': 52907, 'over food plan': 630223, 'food plan rehearse': 315860, 'plan rehearse plan': 658214, 'rehearse plan fail': 708192, 'plan fail pep': 658112, 'fail pep up': 296097, 'pep up ur': 650639, 'up ur team': 946508, 'ur team fight': 948079, 'team fight for': 835637, 'fight for ur': 304750, 'for ur nation': 327485, 'ur nation it': 948040, 'nation it honour': 552236, 'it honour don': 458623, 'honour don leave': 403294, 'don leave anyone': 253684, 'leave anyone behind': 484740, 'anyone behind ready': 80198, 'behind ready soldier': 124689, 'ready soldier 19': 700919, 'theatrically': 872289, 'veering': 953700, 'behaviour 15': 124345, 'the cough': 851997, 'cough when': 208584, 'when stranger': 984085, 'stranger get': 812469, 'your walk': 1026299, 'you theatrically': 1021617, 'theatrically have': 872290, 'have coughing': 380129, 'coughing fit': 208683, 'fit into': 309482, 'your elbow': 1023631, 'elbow if': 270511, 'are diseased': 85850, 'diseased so': 245289, 'stop veering': 805251, 'veering towards': 953701, 'towards you': 927279, '19 behaviour 15': 5355, 'behaviour 15 the': 124346, '15 the cough': 3847, 'the cough when': 851998, 'cough when stranger': 208585, 'when stranger get': 984086, 'stranger get too': 812470, 'to you on': 918912, 'you on your': 1020196, 'on your walk': 605510, 'your walk or': 1026300, 'walk or in': 964848, 'and you theatrically': 76051, 'you theatrically have': 1021618, 'theatrically have coughing': 872291, 'have coughing fit': 380130, 'coughing fit into': 208685, 'fit into your': 309485, 'into your elbow': 443319, 'your elbow if': 1023632, 'elbow if you': 270512, 'you are diseased': 1017108, 'are diseased so': 85851, 'diseased so that': 245290, 'that they stop': 846953, 'they stop veering': 883483, 'stop veering towards': 805252, 'veering towards you': 953702, 'spareasquare': 787515, 'omaginsiders': 598813, 'authenticbecky': 103626, 'cuz don': 223798, 'wanna count': 965621, 'count square': 210152, 'square in': 791481, 'middle night': 530667, 'girl don': 350239, 'the seriousness': 866727, 'seriousness mama': 751817, 'mama can': 511922, 'toiletpapercrisis spareasquare': 923064, 'spareasquare tp': 787518, 'tp omaginsiders': 927886, 'omaginsiders momlife': 598814, 'momlife mom': 536171, 'mom reality': 535796, 'reality corona': 701723, 'corona quarantine': 204120, 'quarantine authenticbecky': 692043, 'cuz don wanna': 223799, 'don wanna count': 254030, 'wanna count square': 965622, 'count square in': 210153, 'square in the': 791482, 'the middle night': 860571, 'middle night my': 530668, 'night my girl': 563032, 'my girl don': 548497, 'girl don really': 350240, 'don really understand': 253855, 'really understand the': 702680, 'understand the seriousness': 940773, 'the seriousness mama': 866728, 'seriousness mama can': 751818, 'mama can find': 511923, 'can find no': 158328, 'find no toiletpaper': 307099, 'no toiletpaper toiletpapercrisis': 565765, 'toiletpaper toiletpapercrisis spareasquare': 922664, 'toiletpapercrisis spareasquare tp': 923065, 'spareasquare tp omaginsiders': 787519, 'tp omaginsiders momlife': 927887, 'omaginsiders momlife mom': 598815, 'momlife mom reality': 536172, 'mom reality corona': 535797, 'reality corona quarantine': 701724, 'corona quarantine authenticbecky': 204121, 'warewolf': 966849, 'colouring': 186867, 'food warewolf': 317459, 'warewolf always': 966850, 'always err': 49542, 'hoarding side': 399522, 'now panic': 575511, 'panic printing': 638437, 'printing colouring': 678338, 'colouring page': 186868, 'page just': 633867, 'it stayhome': 461239, 'food warewolf always': 317460, 'warewolf always err': 966851, 'always err on': 49543, 'the food hoarding': 855557, 'food hoarding side': 314830, 'hoarding side but': 399523, 'side but now': 768783, 'but now panic': 146612, 'now panic printing': 575513, 'panic printing colouring': 638438, 'printing colouring page': 678339, 'colouring page just': 186869, 'page just in': 633868, 'and not doing': 67729, 'not doing more': 569088, 'doing more food': 252528, 'more food shopping': 539252, 'food shopping do': 316518, 'shopping do not': 762494, 'need it stayhome': 555107, 'understaffed': 940571, 'my 18': 547129, 'old boyfriend': 598168, 'boyfriend ha': 137415, 'ha job': 371031, 'job interview': 465892, 'interview at': 442208, 'he tired': 385530, 'of sitting': 589747, 'are overworked': 88937, 'overworked and': 631784, 'and understaffed': 74631, 'understaffed essentialservices': 940572, 'my 18 year': 547130, '18 year old': 4607, 'year old boyfriend': 1014814, 'old boyfriend ha': 598169, 'boyfriend ha job': 137416, 'ha job interview': 371032, 'job interview at': 465893, 'interview at grocery': 442209, 'store today he': 810844, 'today he tired': 919627, 'he tired of': 385531, 'tired of sitting': 899052, 'of sitting at': 589748, 'home if we': 401403, 'in crisis he': 421883, 'crisis he want': 217473, 'out and help': 625668, 'and help too': 64479, 'help too many': 390809, 'them are overworked': 875418, 'are overworked and': 88938, 'overworked and understaffed': 631787, 'and understaffed essentialservices': 74632, '95123': 23627, 'at blossom': 98142, 'hill san': 396488, 'jose california': 467313, 'california location': 155534, 'location 95123': 498834, '95123 doesn': 23628, 'website posted': 975387, 'posted make': 666548, 'make stock': 510494, 'this location': 888680, 'location have': 498910, 'idea about': 412997, 'it handsanitiser': 458450, 'at blossom hill': 98143, 'blossom hill san': 133289, 'hill san jose': 396489, 'san jose california': 733554, 'jose california location': 467314, 'california location 95123': 155535, 'location 95123 doesn': 498835, '95123 doesn have': 23629, 'doesn have hand': 251821, 'sanitizer however the': 735102, 'however the website': 409485, 'the website posted': 871283, 'website posted make': 975388, 'posted make stock': 666549, 'make stock at': 510495, 'stock at this': 801890, 'at this location': 101240, 'this location have': 888681, 'location have no': 498912, 'no idea about': 564461, 'idea about it': 412998, 'about it handsanitiser': 25578, 'of reveal': 589079, 'reveal she': 720241, 'she continued': 755947, 'continued going': 201317, 'going via': 355803, 'parent of grocery': 641688, 'died of reveal': 241592, 'of reveal she': 589080, 'reveal she continued': 720242, 'she continued going': 755948, 'continued going via': 201318, 'wouldn want': 1012512, 'be convenient': 114231, 'clerk right': 181757, 'now masks4all': 575291, 'masks4all sundaythoughts': 519676, 'sundaythoughts retail': 818346, 'wouldn want to': 1012513, 'to be convenient': 901180, 'be convenient store': 114233, 'convenient store clerk': 202418, 'store clerk right': 807022, 'clerk right now': 181758, 'right now masks4all': 722102, 'now masks4all sundaythoughts': 575292, 'masks4all sundaythoughts retail': 519677, 'all excuse': 42720, 'house corona': 406240, 'quarantine coronatime': 692104, 'coronatime supermarket': 205306, 'are all excuse': 84303, 'all excuse to': 42721, 'excuse to leave': 289785, 'the house corona': 857601, 'house corona quarantine': 406242, 'corona quarantine coronatime': 204122, 'quarantine coronatime supermarket': 692105, 'tackling down': 831646, 'spreading now': 791008, 'please implement': 660104, 'implement new': 418403, 'restrict consumer': 717100, 'point creating': 662455, 'creating safety': 216058, 'safety measurement': 730631, 'measurement if': 525451, 'changed from': 172481, 'good move in': 357422, 'move in tackling': 543669, 'in tackling down': 428796, 'tackling down the': 831647, 'down the covid': 257272, '19 spreading now': 10761, 'spreading now please': 791009, 'now please implement': 575548, 'please implement new': 660105, 'implement new policy': 418404, 'new policy to': 559304, 'policy to restrict': 663527, 'to restrict consumer': 913427, 'restrict consumer from': 717101, 'consumer from hoarding': 197558, 'from hoarding good': 335829, 'hoarding good at': 399338, 'good at any': 356786, 'at any supermarket': 98030, 'any supermarket grocery': 79898, 'store no point': 809086, 'no point creating': 565134, 'point creating safety': 662456, 'creating safety measurement': 216059, 'safety measurement if': 730632, 'measurement if some': 525452, 'if some people': 414847, 'some people can': 783508, 'can be changed': 157601, 'be changed from': 114052, 'changed from being': 172482, 'from being selfish': 334683, 'price minute': 675250, 'minute delivery': 533760, 'delivery will': 234744, 'the is pointing': 858518, 'is pointing to': 450919, 'pointing to local': 662760, 'business that massive': 144483, 'fixed price minute': 309825, 'price minute delivery': 675251, 'minute delivery will': 533761, 'delivery will beat': 234745, 'online still': 609434, 'safe look': 729807, 'after others': 35999, 'andreas co': 76175, 'morning not all': 541379, 'not all is': 568114, 'all is available': 43247, 'available online still': 104546, 'online still we': 609435, 'still we have': 801398, 'and are positive': 58342, 'stay safe look': 797250, 'safe look after': 729808, 'look after others': 502224, 'after others and': 36000, 'video andreas co': 956617, 'see really': 745628, 'from 30th': 334277, '30th march': 17535, 'march contract': 515326, 'phone up': 655051, 'for renewal': 325114, 'renewal in': 711003, 'in june': 424409, 'june amp': 468002, 'after 15': 35275, 'year customer': 1014502, 'customer ll': 222584, 'going elsewhere': 355131, 'see really doing': 745629, 'really doing their': 702137, 'their bit to': 872624, 'help during crisis': 389608, 'during crisis price': 262563, 'crisis price up': 217905, 'price up from': 677234, 'up from 30th': 944982, 'from 30th march': 334279, '30th march contract': 17536, 'march contract for': 515327, 'contract for phone': 201660, 'for phone up': 324533, 'phone up for': 655052, 'up for renewal': 944958, 'for renewal in': 325115, 'renewal in june': 711004, 'in june amp': 424410, 'june amp after': 468003, 'amp after 15': 53362, 'after 15 year': 35276, '15 year customer': 3873, 'year customer ll': 1014503, 'customer ll be': 222585, 'll be going': 496590, 'be going elsewhere': 115051, 'location confused': 498879, 'why my': 991198, 'offer delivery': 594576, 'delivery grocerystore': 234073, 'you please make': 1020360, 'please make grocery': 660220, 'make grocery pickup': 509951, 'grocery pickup available': 364856, 'pickup available at': 655940, 'all your location': 45572, 'your location confused': 1024731, 'location confused to': 498880, 'to why my': 918591, 'why my local': 991199, 'local store only': 498470, 'store only offer': 809244, 'only offer delivery': 610844, 'offer delivery grocerystore': 594579, 'wasting limited': 968315, 'limited test': 492740, 'on asymptomatic': 599492, 'asymptomatic nba': 97313, 'player love': 659320, 're testing': 699679, 'testing asymptomatic': 839450, 'shouldn we': 766752, 'we please stop': 972715, 'please stop wasting': 660596, 'stop wasting limited': 805260, 'wasting limited test': 968316, 'limited test on': 492741, 'test on asymptomatic': 839107, 'on asymptomatic nba': 599493, 'asymptomatic nba player': 97314, 'nba player love': 553211, 'player love you': 659321, 'love you guy': 504885, 'you guy but': 1018953, 'guy but if': 368938, 'we re testing': 972985, 're testing asymptomatic': 699680, 'testing asymptomatic people': 839451, 'asymptomatic people shouldn': 97318, 'people shouldn we': 649456, 'shouldn we start': 766753, 'we start with': 973381, 'start with healthcare': 794649, 'with healthcare worker': 998753, 'worker or just': 1007507, 'or just about': 615874, 'just about anyone': 468127, 'smartnews': 775503, 'no rubbing': 565382, 'or aloe': 614296, 'vera for': 954728, 'diy sanitizer': 248772, 'sanitizer smartnews': 735745, 'smartnews sanitizer': 775504, 'have no rubbing': 381654, 'no rubbing alcohol': 565383, 'rubbing alcohol or': 726967, 'alcohol or aloe': 41061, 'or aloe vera': 614297, 'aloe vera for': 46791, 'vera for diy': 954729, 'for diy sanitizer': 320785, 'diy sanitizer smartnews': 248773, 'sanitizer smartnews sanitizer': 735746, 'staffed': 793131, 'sitting home': 772110, 'short staffed': 764692, 'staffed essentialservices': 793132, 'old ha an': 598283, 'ha an interview': 369547, 'an interview at': 56427, 'of sitting home': 589750, 'sitting home if': 772111, 'too many are': 924882, 'many are overworked': 513772, 'overworked and short': 631786, 'and short staffed': 71565, 'short staffed essentialservices': 764693, 'closed closing': 183047, 'closing we': 183808, 'should definitely': 765906, 'definitely start': 232397, 'start tipping': 794570, 'tipping these': 898997, 'employee sundaythoughts': 274254, 'sundaythoughts lockdown': 818341, 'since the restaurant': 770904, 'the restaurant are': 865645, 'restaurant are closed': 716306, 'are closed closing': 85335, 'closed closing we': 183048, 'closing we should': 183809, 'we should definitely': 973266, 'should definitely start': 765908, 'definitely start tipping': 232398, 'start tipping these': 794572, 'tipping these grocery': 898998, 'store employee sundaythoughts': 807545, 'employee sundaythoughts lockdown': 274255, 'is london': 449426, 'london about': 501009, 'rumour chat': 727514, 'chat from': 173933, 'major office': 509399, 'to indicate': 908335, 'indicate that': 434970, 'that london': 844937, 'london specific': 501184, 'specific legislation': 788226, 'legislation is': 485977, 'the pipe': 863746, 'pipe to': 656880, 'down anything': 256528, 'and restrict': 70407, 'restrict travel': 717121, 'travel londonlockdown': 930421, 'is london about': 449427, 'london about to': 501010, 'locked down all': 500470, 'all the rumour': 44895, 'the rumour chat': 866069, 'rumour chat from': 727515, 'chat from major': 173934, 'from major office': 336305, 'major office and': 509400, 'office and home': 595355, 'and home office': 64680, 'home office seems': 401707, 'seems to indicate': 746881, 'to indicate that': 908336, 'indicate that london': 434971, 'that london specific': 844938, 'london specific legislation': 501185, 'specific legislation is': 788227, 'legislation is coming': 485978, 'is coming down': 446653, 'coming down the': 188034, 'down the pipe': 257294, 'the pipe to': 863747, 'pipe to lock': 656881, 'lock down anything': 499024, 'down anything that': 256529, 'anything that not': 80898, 'that not supermarket': 845399, 'not supermarket or': 571809, 'or pharmacy and': 616568, 'pharmacy and restrict': 654223, 'and restrict travel': 70408, 'restrict travel londonlockdown': 717123, 'oil price surged': 597282, 'price surged in': 676734, 'surged in the': 828310, 'of the announcement': 590792, 'qld': 691557, 'jeannette': 464962, 'qld chief': 691558, 'chief health': 175936, 'officer jeannette': 595681, 'jeannette young': 464963, 'young world': 1022676, 'sensible woman': 750671, 'woman say': 1003595, 'say don': 738587, 'home unnecessarily': 402400, 'unnecessarily don': 942846, 'don browse': 253399, 'browse through': 141284, 'write shopping': 1012788, 'list don': 494303, 'use dating': 949151, 'dating apps': 226795, 'meet ppl': 527555, 'ppl for': 668233, 'for casual': 319956, 'casual sex': 166799, 'sex use': 754205, 'use skype': 949582, 'facetime to': 295220, 'qld chief health': 691559, 'chief health officer': 175937, 'health officer jeannette': 386694, 'officer jeannette young': 595682, 'jeannette young world': 464964, 'young world most': 1022677, 'world most sensible': 1009808, 'most sensible woman': 542731, 'sensible woman say': 750672, 'woman say don': 1003596, 'say don leave': 738589, 'leave home unnecessarily': 484824, 'home unnecessarily don': 402401, 'unnecessarily don browse': 942847, 'don browse through': 253400, 'browse through the': 141285, 'supermarket write shopping': 824141, 'write shopping list': 1012789, 'shopping list don': 763183, 'list don use': 494304, 'don use dating': 254014, 'use dating apps': 949152, 'dating apps to': 226796, 'apps to meet': 83324, 'to meet ppl': 910043, 'meet ppl for': 527556, 'ppl for casual': 668234, 'for casual sex': 319957, 'casual sex use': 166800, 'sex use skype': 754206, 'use skype or': 949583, 'or facetime to': 615253, 'facetime to avoid': 295221, 'told deputy': 923545, 'deputy that': 237806, 'she hid': 756124, 'toiletpaper from': 922013, 'her son': 392396, 'son because': 785355, 'he used': 385567, 'used too': 950112, 'via weird': 956366, 'weird california': 977748, 'california lockdown': 155536, 'the woman told': 871668, 'woman told deputy': 1003642, 'told deputy that': 923546, 'deputy that she': 237807, 'that she hid': 846239, 'she hid the': 756125, 'hid the toiletpaper': 394803, 'the toiletpaper from': 869725, 'toiletpaper from her': 922015, 'from her son': 335769, 'her son because': 392397, 'son because he': 785356, 'because he used': 119120, 'he used too': 385568, 'used too much': 950113, 'of it at': 585367, 'it at time': 456630, 'when the product': 984188, 'product is in': 681326, 'pandemic via weird': 636900, 'via weird california': 956367, 'weird california lockdown': 977749, 'minnesotan': 533620, 'sunrisers': 818420, 'minnesotan are': 533621, 'learning during': 484193, 'emergency they': 273020, 'gouging sunrisers': 359459, 'minnesotan are learning': 533622, 'are learning during': 87746, 'learning during the': 484194, 'the national covid': 861289, '19 emergency they': 6766, 'emergency they have': 273021, 'they have very': 882401, 'have very little': 383500, 'very little in': 955320, 'the way of': 871171, 'way of consumer': 969744, 'consumer protection against': 198499, 'protection against price': 685295, 'price gouging sunrisers': 674327, 'bumper': 142585, 'ch1': 170399, '4lt': 19483, 'contactless shopping': 200384, 'at order': 99996, 'collection at': 186408, '20 bumper': 12978, 'bumper lane': 142587, 'lane ch1': 479441, 'ch1 4lt': 170400, 'contactless shopping now': 200385, 'shopping now available': 763359, 'available at order': 104256, 'at order online': 99997, 'or collection at': 614761, 'collection at 20': 186409, 'at 20 bumper': 97499, '20 bumper lane': 12979, 'bumper lane ch1': 142588, 'lane ch1 4lt': 479442, 'store safer': 809950, 'make your trip': 510772, 'grocery store safer': 365737, 'store safer amid': 809951, 'my fry': 548463, 'fry up': 339297, 'today thanks': 920261, 'thanks britain': 842028, 'britain stophoarding': 140448, 'cannot have egg': 161951, 'have egg with': 380415, 'egg with my': 270041, 'with my fry': 999627, 'my fry up': 548464, 'fry up today': 339298, 'up today thanks': 946457, 'today thanks britain': 920262, 'thanks britain stophoarding': 842029, 'contrastingly': 201856, 'is beautiful': 446013, 'beautiful contrastingly': 118673, 'contrastingly much': 201857, 'essential reflected': 281447, 'in widespread': 430910, 'widespread shelter': 991863, 'and manifest': 66641, 'manifest in': 513172, 'consumer usage': 199429, 'usage industry': 948835, 'industry downturn': 435786, 'downturn trend': 257818, 'life is beautiful': 488802, 'is beautiful contrastingly': 446015, 'beautiful contrastingly much': 118674, 'contrastingly much of': 201858, 'economy is non': 268008, 'is non essential': 449999, 'non essential reflected': 566352, 'essential reflected in': 281448, 'reflected in widespread': 706645, 'in widespread shelter': 430911, 'widespread shelter in': 991864, 'place order and': 657633, 'order and manifest': 618030, 'and manifest in': 66642, 'manifest in consumer': 513173, 'in consumer usage': 421726, 'consumer usage industry': 199430, 'usage industry downturn': 948836, 'industry downturn trend': 435787, 'bread dairy': 138443, 'sourced teamwork': 786602, 'teamwork delivered': 835894, '30 and the': 16966, 'and the fresh': 73386, 'fresh food of': 332972, 'food of the': 315581, 'the day is': 852894, 'day is here': 227838, 'is here the': 448430, 'pressure but there': 671140, 'buy bread dairy': 148441, 'bread dairy product': 138444, 'dairy product which': 225031, 'product which are': 681837, 'which are all': 985668, 'are all supplied': 84358, 'supplied and locally': 824446, 'and locally sourced': 66310, 'locally sourced teamwork': 498782, 'sourced teamwork delivered': 786603, 'new poll': 559307, 'poll on': 663846, 'pandemic reveal': 636362, 'reveal that': 720249, 'fear finance': 301120, 'boredom generational': 135406, 'generational stereotype': 345667, 'stereotype may': 799833, 'not hold': 570003, 'hold true': 400035, 'new poll on': 559308, 'poll on consumer': 663847, 'on consumer response': 600074, 'the pandemic reveal': 863082, 'pandemic reveal that': 636363, 'reveal that when': 720250, 'come to fear': 187570, 'to fear finance': 905696, 'fear finance and': 301121, 'finance and boredom': 306151, 'and boredom generational': 59085, 'boredom generational stereotype': 135407, 'generational stereotype may': 345668, 'stereotype may not': 799834, 'may not hold': 521380, 'not hold true': 570005, 'happen tonight': 377195, 'period sobeys': 651882, 'and had this': 64108, 'had this happen': 373642, 'this happen tonight': 887842, 'happen tonight plea': 377196, 'line of thing': 493317, 'of thing because': 591893, 'thing because she': 884186, 'because she want': 119553, 'she want to': 756444, 'help to the': 390796, 'better period sobeys': 128408, 'repeated': 711541, 'gas decrease': 343810, 'decrease is': 231585, 'huge tax': 410231, 'citizen you': 179008, 'know those': 476898, 'etc however': 282596, 'however lower': 409413, 'are devastating': 85806, 'russia he': 728491, 'he repeated': 385343, 'repeated that': 711542, 'that twice': 847145, 'twice he': 936526, 'want oil': 965869, 'skyrocket for': 773305, 'trump say the': 933826, 'say the gas': 739279, 'the gas decrease': 856168, 'gas decrease is': 343811, 'decrease is huge': 231586, 'is huge tax': 448619, 'huge tax cut': 410233, 'cut for citizen': 223344, 'for citizen you': 320093, 'citizen you know': 179009, 'you know those': 1019532, 'know those who': 476899, 'those who currently': 892626, 'who currently have': 988536, 'currently have lost': 221558, 'their job cannot': 873705, 'cannot pay rent': 162033, 'pay rent etc': 645083, 'rent etc however': 711080, 'etc however lower': 282597, 'however lower oil': 409414, 'price are devastating': 672651, 'are devastating for': 85807, 'devastating for russia': 239590, 'for russia he': 325276, 'russia he repeated': 728492, 'he repeated that': 385344, 'repeated that twice': 711543, 'that twice he': 847146, 'twice he want': 936527, 'he want oil': 385639, 'want oil price': 965870, 'to skyrocket for': 914703, 'skyrocket for company': 773306, 'are along': 84395, 'along healthcare': 47003, 'healthcare at': 387042, 'them yet': 876672, 'yet somehow': 1016238, 'somehow this': 784345, 'worth min': 1011397, '30 hr': 17078, 'hr benefit': 409603, 'amp paid': 54269, 'they are along': 881199, 'are along healthcare': 84396, 'along healthcare at': 47004, 'healthcare at the': 387043, 'line of and': 493291, 'of and society': 580182, 'without them yet': 1002995, 'them yet somehow': 876673, 'yet somehow this': 1016239, 'somehow this is': 784346, 'is worth min': 454085, 'worth min wage': 1011398, 'min wage fight': 532587, 'for 30 hr': 318802, '30 hr benefit': 17079, 'hr benefit amp': 409604, 'benefit amp paid': 126914, 'amp paid sick': 54270, 'clicking': 181980, 'protection alert': 685307, 'related cyber': 708407, 'not reveal': 571369, 'reveal personal': 720239, 'info in': 437498, 'email avoid': 272133, 'avoid clicking': 105035, 'clicking on': 181981, 'on unsolicited': 604983, 'unsolicited link': 943516, 'link use': 493958, 'use trusted': 949775, 'source always': 786441, 'report attack': 711817, 'attack file': 102109, 'complaint today': 192044, 'consumer protection alert': 198503, 'protection alert be': 685308, 'alert be aware': 41362, 'aware of related': 105639, 'of related cyber': 588906, 'related cyber security': 708408, 'cyber security scam': 223942, 'security scam do': 744740, 'do not reveal': 249829, 'not reveal personal': 571370, 'reveal personal or': 720240, 'or financial info': 615311, 'financial info in': 306460, 'info in email': 437502, 'in email avoid': 422539, 'email avoid clicking': 272134, 'avoid clicking on': 105036, 'clicking on unsolicited': 181983, 'on unsolicited link': 604984, 'unsolicited link use': 943517, 'link use trusted': 493959, 'use trusted source': 949776, 'trusted source always': 934346, 'source always report': 786442, 'always report attack': 49721, 'report attack file': 711818, 'attack file complaint': 102110, 'file complaint today': 305337, 'showing brand': 767424, 'even now at': 284411, 'now at least': 574134, 'buyer are showing': 149575, 'are showing brand': 90081, 'showing brand loyalty': 767425, 'more abattoir': 538491, 'abattoir and': 24235, 'and shorter': 71578, 'shorter supply': 765355, 'more evidence that': 539161, 'need more abattoir': 555252, 'more abattoir and': 538492, 'abattoir and shorter': 24236, 'and shorter supply': 71579, 'shorter supply chain': 765356, 'chrysler': 178262, 'facing one': 295554, 'history consumer': 398015, 'so shell': 778196, 'shell shocked': 757879, 'shocked because': 759558, 'outbreak gm': 628250, 'gm ford': 353170, 'ford and': 328757, 'and chrysler': 59881, 'chrysler are': 178263, 'in survival': 428752, 'mode source': 535199, 'source cnn': 786464, 'the auto industry': 849080, 'auto industry is': 103878, 'is facing one': 447701, 'facing one of': 295555, 'of it biggest': 585371, 'it biggest crisis': 456874, 'crisis in history': 217530, 'in history consumer': 423750, 'history consumer confidence': 398016, 'confidence ha been': 193876, 'been so shell': 121999, 'so shell shocked': 778197, 'shell shocked because': 757880, 'shocked because of': 759559, 'the outbreak gm': 862632, 'outbreak gm ford': 628251, 'gm ford and': 353171, 'ford and chrysler': 328758, 'and chrysler are': 59882, 'chrysler are in': 178264, 'are in survival': 87445, 'in survival mode': 428753, 'survival mode source': 829062, 'mode source cnn': 535200, 'toiletpapercrisis at': 923008, 'publix either': 688756, 'either come': 270274, 'toiletpaper toiletpapercrisis at': 922650, 'toiletpapercrisis at publix': 923009, 'at publix either': 100223, 'publix either come': 688757, 'either come on': 270275, 'essential delivery': 280965, 'your letter': 1024614, 'carrier delivering': 164967, 'delivering clothes': 233477, 'clothes toy': 184224, 'toy big': 927668, 'big screen': 129979, 'screen tv': 742737, 'wrong right': 1013094, 'stop the online': 805141, 'shopping for non': 762699, 'non essential delivery': 566336, 'essential delivery people': 280966, 'delivery people are': 234310, 'people are putting': 647050, 'at risk your': 100419, 'risk your letter': 724037, 'your letter carrier': 1024615, 'letter carrier delivering': 487298, 'carrier delivering clothes': 164968, 'delivering clothes toy': 233478, 'clothes toy big': 184226, 'toy big screen': 927669, 'big screen tv': 129980, 'screen tv is': 742738, 'tv is seriously': 936130, 'is seriously wrong': 451805, 'seriously wrong right': 751794, 'wrong right now': 1013095, 'right now covid': 722050, 'zimbabwe please': 1027590, 'hustle am': 411818, 'am selling': 50371, 'from loius': 336267, 'gucci hugo': 367935, 'blvgari scented': 133545, 'scented hand': 741403, 'corona alert in': 203799, 'alert in zimbabwe': 41455, 'in zimbabwe please': 431161, 'zimbabwe please support': 1027591, 'my hustle am': 548805, 'hustle am selling': 411819, 'am selling mask': 50373, 'selling mask from': 749337, 'mask from loius': 518703, 'from loius vuitton': 336268, 'and gucci hugo': 64029, 'gucci hugo bos': 367936, 'bos blvgari scented': 135652, 'blvgari scented hand': 133546, 'scented hand sanitizers': 741404, 'seeing shift': 746459, 'new tool': 559768, 'changing global': 172711, 'global ecommerce': 351876, 'ecommerce picture': 266834, 'you seeing shift': 1021085, 'seeing shift in': 746460, 'to 19 take': 899553, 'our new tool': 624047, 'new tool to': 559770, 'tool to see': 925454, 'see the data': 745823, 'the data behind': 852845, 'data behind the': 226142, 'behind the changing': 124709, 'the changing global': 850683, 'changing global ecommerce': 172712, 'global ecommerce picture': 351877, 'unload': 942794, 'company flush': 190664, 'flush with': 311566, 'inventory of': 443694, 'essential will': 281794, 'will seek': 994801, 'to unload': 917955, 'unload their': 942801, 'to will': 918603, 'will big': 992828, 'big platform': 129923, 'platform accelerate': 658935, 'accelerate dynamic': 27846, 'dynamic pricing': 263908, 'pricing algorithm': 677916, 'algorithm along': 41650, 'your recommendation': 1025533, 'recommendation be': 704740, 'give amazon': 350374, 'company flush with': 190665, 'flush with inventory': 311567, 'with inventory of': 999031, 'inventory of non': 443695, 'non essential will': 566370, 'essential will seek': 281798, 'will seek to': 994802, 'seek to unload': 746623, 'to unload their': 917956, 'unload their product': 942802, 'their product due': 874466, 'due to will': 262028, 'to will big': 918604, 'will big platform': 992829, 'big platform accelerate': 129924, 'platform accelerate dynamic': 658936, 'accelerate dynamic pricing': 27847, 'dynamic pricing algorithm': 263909, 'pricing algorithm along': 677917, 'algorithm along with': 41651, 'along with your': 47085, 'with your recommendation': 1002229, 'your recommendation be': 1025534, 'recommendation be aware': 704741, 'what you give': 982674, 'you give amazon': 1018824, 'give amazon and': 350375, 'amazon and google': 50852, 'food agribusiness': 313054, 'agribusiness on': 38854, 'demand webinar': 236465, 'webinar intended': 975046, 'share evidence': 754986, 'evidence based': 288349, 'based information': 111628, 'help agricultural': 389312, 'agricultural producer': 38908, 'producer identify': 680639, 'identify strategy': 413368, 'strategy for': 812644, 'for responding': 325169, 'responding on': 715570, 'their farm': 873278, 'out this food': 627567, 'this food agribusiness': 887572, 'food agribusiness on': 313055, 'agribusiness on demand': 38855, 'on demand webinar': 600292, 'demand webinar intended': 236467, 'webinar intended to': 975047, 'intended to share': 441061, 'to share evidence': 914340, 'share evidence based': 754987, 'evidence based information': 288351, 'based information about': 111629, '19 and help': 5042, 'and help agricultural': 64440, 'help agricultural producer': 389313, 'agricultural producer identify': 38909, 'producer identify strategy': 680640, 'identify strategy for': 413369, 'strategy for responding': 812646, 'for responding on': 325170, 'responding on their': 715571, 'on their farm': 604478, 'ageuk': 38201, 'ageuk stayawarestaysafe': 38202, 'stayawarestaysafe lockdownuk': 797816, 'lockdownuk isolation': 500414, 'isolation my': 455351, 'isolating called': 455074, 'of bit': 580723, 'them my': 876042, 'neighbour informed': 557221, 'informed me': 438107, 'had filled': 373111, 'government online': 360423, 'heard anything': 388064, 'ageuk stayawarestaysafe lockdownuk': 38203, 'stayawarestaysafe lockdownuk isolation': 797817, 'lockdownuk isolation my': 500415, 'isolation my elderly': 455353, 'my elderly neighbour': 548074, 'elderly neighbour who': 270784, 'neighbour who is': 557258, 'self isolating called': 747715, 'isolating called to': 455075, 'called to ask': 156472, 'ask if can': 95562, 'can get couple': 158411, 'couple of bit': 211634, 'of bit from': 580725, 'for them my': 326909, 'them my neighbour': 876044, 'my neighbour informed': 549442, 'neighbour informed me': 557222, 'informed me they': 438108, 'me they had': 523686, 'they had filled': 882245, 'had filled in': 373112, 'the government online': 856574, 'government online form': 360424, 'online form but': 608256, 'form but haven': 329495, 'but haven heard': 145889, 'haven heard anything': 383830, 'behavior what': 124302, 'blog you': 133049, 'what the impact': 982326, 'the pandemic on': 863039, 'on your business': 605452, 'consumer behavior what': 196536, 'behavior what could': 124303, 'what could you': 981272, 'could you do': 209845, 'do during the': 249246, 'crisis on our': 217816, 'our blog you': 622230, 'blog you can': 133050, 'can download the': 158151, 'uptown': 947941, 'the uptown': 870519, 'uptown is': 947942, 'always packed': 49684, 'packed do': 633600, 'not limit': 570410, 'italy stayhomesavelives': 462925, 'stayhomesavelives but': 798351, 'you seen the': 1021097, 'seen the neighborhood': 747286, 'store the uptown': 810627, 'the uptown is': 870520, 'uptown is always': 947943, 'is always packed': 445598, 'always packed do': 49685, 'packed do not': 633601, 'why there are': 991440, 'are not limit': 88408, 'not limit to': 570411, 'limit to people': 492539, 'store like in': 808727, 'like in italy': 490493, 'in italy stayhomesavelives': 424318, 'italy stayhomesavelives but': 462926, 'stayhomesavelives but not': 798353, 'but not at': 146527, 'not at the': 568272, 'now american': 574005, 'american food': 51979, 'not experiencing': 569333, 'experiencing production': 291692, 'production trouble': 682261, 'trouble during': 932603, 'are simply': 90136, 'simply reflection': 770268, 'the unusual': 870477, 'unusual increase': 943988, 'for now american': 323960, 'now american food': 574006, 'american food producer': 51980, 'producer are not': 680575, 'are not experiencing': 88364, 'not experiencing production': 569334, 'experiencing production trouble': 291693, 'production trouble during': 682262, 'trouble during the': 932604, 'pandemic the barren': 636664, 'the barren shelf': 849287, 'barren shelf are': 111314, 'shelf are simply': 756828, 'are simply reflection': 90137, 'simply reflection of': 770269, 'reflection of the': 706667, 'of the unusual': 591576, 'the unusual increase': 870478, 'unusual increase in': 943989, 'lockdown this': 500031, 'morning am': 541143, 'happy man': 377647, 'man do': 512047, 'solution coming': 782010, 'coming anytime': 187991, 'across africa': 29220, 'africa what': 35151, 'leader doing': 483445, 'doing proud': 252615, 'black do': 132048, 'care who': 164269, 'who bos': 988324, 'bos hit': 135671, 'hit back': 398162, 'at critic': 98367, 'critic where': 218510, 'lockdown this morning': 500034, 'this morning am': 888935, 'morning am not': 541146, 'am not happy': 50252, 'not happy man': 569796, 'happy man do': 377648, 'man do not': 512048, 'see any solution': 744926, 'any solution coming': 79832, 'solution coming anytime': 782011, 'coming anytime soon': 187992, 'anytime soon covid': 80974, '19 rising food': 10239, 'food price across': 315917, 'price across africa': 672210, 'across africa what': 29222, 'africa what are': 35152, 'are our leader': 88864, 'our leader doing': 623694, 'leader doing proud': 483446, 'doing proud to': 252616, 'be black do': 113868, 'black do not': 132049, 'not care who': 568700, 'care who bos': 164270, 'who bos hit': 988325, 'bos hit back': 135672, 'hit back at': 398163, 'back at critic': 106885, 'at critic where': 98368, 'critic where is': 218511, 'where is au': 984946, 'protip': 685960, 'survivaltips': 829113, 'protip it': 685965, 'stock even': 802088, 'the lysol': 859842, 'lysol disinfectant': 507172, 'out check': 625847, 'laundry section': 482130, 'store survivaltips': 810485, 'protip it is': 685966, 'it is always': 458872, 'is always in': 445595, 'in stock even': 428298, 'stock even if': 802089, 'if the lysol': 414997, 'the lysol disinfectant': 859844, 'lysol disinfectant is': 507173, 'disinfectant is sold': 245696, 'sold out check': 781730, 'out check the': 625848, 'check the laundry': 174648, 'the laundry section': 859178, 'laundry section of': 482131, 'section of your': 744030, 'of your grocery': 593478, 'grocery store survivaltips': 365831, 'effectvemp': 269394, 'permanent behavior': 652034, 'shop consume': 760066, 'consume medium': 195945, 'they regard': 883186, 'regard the': 707148, 'brand they': 138039, 'with effectvemp': 998183, 'potential to create': 667153, 'create more permanent': 215695, 'more permanent behavior': 540058, 'permanent behavior change': 652035, 'way people shop': 969810, 'people shop consume': 649424, 'shop consume medium': 760067, 'consume medium and': 195946, 'medium and how': 526987, 'how they regard': 408926, 'they regard the': 883187, 'regard the brand': 707149, 'the brand they': 849944, 'brand they do': 138040, 'they do business': 881956, 'business with effectvemp': 144697, 'envy': 279228, 'chomping': 177866, 'realism': 701658, 'day shelter': 228341, 'place blame': 657356, 'the strange': 868190, 'strange supermarket': 812419, 'supermarket situation': 822706, 'situation on': 772420, 'on unprecedented': 604979, 'unprecedented toast': 943207, 'toast envy': 919061, 'envy houseplant': 279229, 'houseplant chomping': 407016, 'chomping and': 177867, 'of realism': 588793, 'realism over': 701659, 'over pessimism': 630501, 'pessimism shelter': 653323, 'home sketch': 402075, 'sketch art': 772873, 'art toast': 94197, 'day shelter in': 228342, 'in place blame': 426724, 'place blame the': 657357, 'blame the strange': 132304, 'the strange supermarket': 868192, 'strange supermarket situation': 812420, 'supermarket situation on': 822708, 'situation on unprecedented': 772423, 'on unprecedented toast': 604980, 'unprecedented toast envy': 943208, 'toast envy houseplant': 919062, 'envy houseplant chomping': 279230, 'houseplant chomping and': 407017, 'chomping and the': 177868, 'importance of realism': 418710, 'of realism over': 588794, 'realism over pessimism': 701660, 'over pessimism shelter': 630502, 'pessimism shelter at': 653324, 'at home sketch': 99109, 'home sketch art': 402076, 'sketch art toast': 772874, 'bradpaisley offer': 137547, 'store delivery': 807288, 'bradpaisley offer free': 137548, 'offer free grocery': 594626, 'grocery store delivery': 365325, 'store delivery to': 807293, 'delivery to elderly': 234658, 'to elderly during': 904970, 'worker essentialworkers': 1006862, 'store worker essentialworkers': 811491, 'time8news': 898432, 'unilever announced': 941785, 'product under': 681786, 'it lifebuoy': 459341, 'lifebuoy and': 489265, 'and domex': 61618, 'domex brand': 253261, 'against time8news': 37705, 'time8news handsanitizer': 898435, 'hindustan unilever announced': 396875, 'unilever announced to': 941786, 'announced to reduce': 77100, 'of product under': 588502, 'product under it': 681787, 'under it lifebuoy': 940144, 'it lifebuoy and': 459342, 'lifebuoy and domex': 489266, 'and domex brand': 61619, 'domex brand to': 253262, 'brand to fight': 138046, 'fight against time8news': 304642, 'against time8news handsanitizer': 37706, 'second panel': 743785, 'panel where': 637204, 'how american': 407355, 'feeling how': 302995, 'evolving what': 288590, 'are discovering': 85839, 'discovering that': 244721, 'new to': 559759, 'more register': 540201, 'and submit': 72633, 'question mrx': 693654, 'for our second': 324287, 'our second panel': 624693, 'second panel where': 743786, 'panel where you': 637205, 'where you ll': 985393, 'you ll learn': 1019660, 'll learn how': 496880, 'learn how american': 483977, 'how american are': 407356, 'american are feeling': 51804, 'are feeling how': 86517, 'feeling how their': 302996, 'how their behavior': 408898, 'their behavior are': 872578, 'behavior are evolving': 123911, 'are evolving what': 86298, 'evolving what they': 288591, 'they are discovering': 881251, 'are discovering that': 85840, 'discovering that new': 244722, 'that new to': 845332, 'new to them': 559761, 'to them and': 917287, 'them and much': 875391, 'much more register': 545122, 'more register now': 540202, 'register now and': 707587, 'now and submit': 574058, 'and submit your': 72634, 'submit your question': 815806, 'your question mrx': 1025501, 'question mrx consumerbehavior': 693655, 'try working': 934688, 'day everyday': 227579, 'everyday think': 286638, 'try working in': 934689, 'store where you': 811268, 'you are dealing': 1017104, 'dealing with 100': 229653, 'people all day': 646801, 'all day everyday': 42517, 'day everyday think': 227580, 'everyday think about': 286639, 'put at very': 690520, 'risk for you': 723563, 'world milk': 1009799, 'milk down': 531640, 'drain crop': 258208, 'crop go': 218924, 'waste not': 968156, 'enough worker': 277777, 'worker changing': 1006630, 'habit stock': 372689, 'sitting unused': 772148, 'pandemic is impacting': 635777, 'chain of around': 170954, 'of around the': 580373, 'the world milk': 871913, 'world milk down': 1009800, 'milk down the': 531641, 'the drain crop': 853649, 'drain crop go': 258209, 'crop go to': 218925, 'to waste not': 918371, 'waste not enough': 968157, 'not enough worker': 569201, 'enough worker changing': 277778, 'worker changing our': 1006631, 'changing our shopping': 172770, 'our shopping habit': 624762, 'shopping habit stock': 762852, 'habit stock is': 372690, 'stock is sitting': 802311, 'is sitting unused': 451945, 'they sprayed': 883427, 'sprayed me': 790356, 'lysol and': 507157, 'went at': 978958, 'man coughed': 512038, 'went to vote': 979201, 'vote and they': 960472, 'and they sprayed': 73939, 'they sprayed me': 883428, 'sprayed me with': 790357, 'me with lysol': 523992, 'with lysol and': 999352, 'lysol and then': 507160, 'then went at': 877739, 'went at the': 978960, 'store and man': 806291, 'and man coughed': 66618, 'man coughed on': 512040, 'imgflip': 416917, 'homesale': 402916, 'housesale': 407025, 'easiest to': 265179, 'tp sterlingjacksonrealestate': 927951, 'realestateisgreat selfquarantine': 701551, 'flattenthecurve sarscov2': 310195, 'sarscov2 meme': 736851, 'meme lol': 528331, 'lol dankmemes': 500894, 'dankmemes imgflip': 225883, 'imgflip toiletpaper': 416918, 'toiletpaper house': 922088, 'house homesale': 406342, 'homesale housesale': 402917, 'housesale tp': 407026, 'still not the': 800909, 'not the easiest': 571992, 'the easiest to': 853840, 'easiest to find': 265180, 'to find tp': 905950, 'find tp sterlingjacksonrealestate': 307355, 'tp sterlingjacksonrealestate sterjackre': 927952, 'sterlingjackson realestateisgreat selfquarantine': 799911, 'realestateisgreat selfquarantine flattenthecurve': 701552, 'selfquarantine flattenthecurve sarscov2': 748566, 'flattenthecurve sarscov2 meme': 310196, 'sarscov2 meme lol': 736852, 'meme lol dankmemes': 528332, 'lol dankmemes imgflip': 500895, 'dankmemes imgflip toiletpaper': 225884, 'imgflip toiletpaper house': 416919, 'toiletpaper house homesale': 922089, 'house homesale housesale': 406343, 'homesale housesale tp': 402918, 'enough do': 277363, 'it love': 459467, 'in damn': 421966, 'is covered': 446863, 'thanks again': 842007, 'thanks for not': 842069, 'for not doing': 323924, 'doing enough do': 252375, 'enough do we': 277364, 'we really appreciate': 973018, 'really appreciate it': 701980, 'appreciate it love': 82731, 'it love working': 459468, 'love working out': 504881, 'working out in': 1008849, 'out in damn': 626373, 'in damn retail': 421967, 'retail store when': 718727, 'store when the': 811249, 'world is covered': 1009690, 'is covered in': 446864, 'covered in covid': 212422, '19 thanks again': 11141, 'idiotsb': 413659, 'alleged notice': 45661, 'by kiwi': 152997, 'really talk': 702641, 'talk like': 833812, 'these stupid': 880761, 'stupid crazy': 815376, 'crazy idiotsb': 215329, 'idiotsb stopstockpiling': 413660, 'alleged notice by': 45662, 'notice by kiwi': 573254, 'by kiwi supermarket': 152998, 'kiwi supermarket if': 475851, 'supermarket if only': 820833, 'if only we': 414561, 'can really talk': 159391, 'really talk like': 702642, 'talk like that': 833814, 'like that to': 491340, 'that to these': 847065, 'to these stupid': 917354, 'these stupid crazy': 880762, 'stupid crazy idiotsb': 815377, 'crazy idiotsb stopstockpiling': 215330, 'passing unverified': 643408, 'confusion check': 194379, 'trust only': 934297, 'only official': 610850, 'latest of': 481466, 'report passing unverified': 712167, 'passing unverified email': 643409, 'more confusion check': 538859, 'confusion check the': 194380, 'the fact and': 854815, 'fact and trust': 295678, 'and trust only': 74498, 'trust only official': 934298, 'only official source': 610851, 'source here is': 786491, 'the latest of': 859133, 'latest of the': 481467, 'facade': 294271, 'even grocery': 284141, 'the facade': 854796, 'facade of': 294272, 'normalcy many': 567443, 'many health': 514131, 'have feared': 380593, 'feared last': 301441, 'report began': 711828, 'trickle in': 931734, 'in of': 426055, 'except now not': 289207, 'now not even': 575372, 'not even grocery': 569253, 'even grocery store': 284142, 'store can keep': 806857, 'up the facade': 946170, 'the facade of': 854797, 'facade of normalcy': 294273, 'of normalcy many': 587068, 'normalcy many health': 567444, 'many health expert': 514132, 'expert have feared': 291848, 'have feared last': 380594, 'feared last week': 301442, 'last week report': 480674, 'week report began': 976809, 'report began to': 711829, 'began to trickle': 123449, 'to trickle in': 917781, 'trickle in of': 931736, 'in of grocery': 426056, 'store worker coming': 811470, 'worker coming down': 1006672, 'coming down with': 188037, 'get boycottvodafone': 346707, 'boycottvodafone trending': 137403, 'forcing it': 328709, 'staff back': 792245, 'china help': 176710, 'me rt': 523403, 'trending 19': 931527, '19 vodafone': 11852, 'vodafone boycottchina': 959921, 'we get boycottvodafone': 971605, 'get boycottvodafone trending': 346708, 'boycottvodafone trending for': 137404, 'trending for forcing': 931537, 'for forcing it': 321676, 'forcing it retail': 328710, 'it retail staff': 460748, 'retail staff back': 718594, 'staff back to': 792246, 'back to store': 107397, 'to store and': 915605, 'store and dealing': 806223, 'and dealing with': 60982, 'with and china': 997242, 'and china help': 59853, 'china help me': 176711, 'help me rt': 390076, 'me rt this': 523404, 'rt this and': 726826, 'this and get': 886328, 'it trending 19': 461850, 'trending 19 vodafone': 931529, '19 vodafone boycottchina': 11853, 'property are': 684239, 'to largely': 909049, 'largely hold': 479858, 'hold their': 400026, 'value in': 952132, 'most area': 542113, 'area over': 92155, 'are pocket': 89127, 'pocket where': 662214, 'where high': 984925, 'high supply': 395445, 'via au': 955802, 'property are expected': 684240, 'expected to largely': 290986, 'to largely hold': 909050, 'largely hold their': 479859, 'hold their value': 400028, 'their value in': 875117, 'value in most': 952133, 'in most area': 425466, 'most area over': 542115, 'area over the': 92156, 'pandemic but there': 635060, 'there are pocket': 878149, 'are pocket where': 89128, 'pocket where high': 662215, 'where high supply': 984926, 'high supply of': 395446, 'supply of sale': 825644, 'of sale will': 589250, 'sale will put': 732654, 'will put downward': 994537, 'pressure on price': 671218, 'on price via': 602921, 'price via au': 677304, 'specialises': 788109, 'giant the': 349876, 'retailer specialises': 719323, 'specialises in': 788110, 'in beauty': 420744, 'beauty product': 118772, 'firm is': 308379, 'is recruiting': 451368, 'recruiting 500': 705484, '500 more': 20024, 'help increase': 389916, 'shopping giant the': 762782, 'giant the hut': 349877, 'hut group is': 411850, 'group is donating': 366744, 'is donating 10': 447309, 'donating 10 million': 254411, '10 million to': 1531, 'million to help': 532388, '19 the retailer': 11246, 'the retailer specialises': 865743, 'retailer specialises in': 719324, 'specialises in beauty': 788111, 'in beauty product': 420745, 'beauty product but': 118773, 'product but it': 681027, 'but it now': 146146, 'it now making': 459956, 'making hand sanitisers': 511102, 'hand sanitisers and': 375259, 'sanitisers and donating': 734059, 'nh the firm': 562139, 'the firm is': 855270, 'firm is recruiting': 308380, 'is recruiting 500': 451369, 'recruiting 500 more': 705485, '500 more people': 20025, 'to help increase': 907544, 'help increase production': 389917, 'sleeve': 773834, 'distance becomes': 246660, 'becomes an': 120198, 'like inside': 490508, 'have free': 380712, 'item around': 463111, 'stop bandanna': 804473, 'bandanna shirt': 109397, 'shirt long': 758995, 'long sleeve': 501635, 'sleeve from': 773835, 'shirt dining': 758976, 'dining table': 243035, 'table cloth': 831458, 'cloth microfiber': 184096, 'microfiber cleaning': 530468, 'cloth long': 184092, 'long sock': 501644, 'sock scarf': 781411, 'when the distance': 984144, 'the distance becomes': 853417, 'distance becomes an': 246661, 'becomes an issue': 120199, 'an issue like': 56485, 'issue like inside': 455839, 'like inside grocery': 490509, 'inside grocery or': 439271, 'drug store the': 261096, 'store the public': 810616, 'the public have': 864817, 'public have free': 688054, 'have free item': 380714, 'free item around': 331929, 'item around the': 463112, 'house to stop': 406634, 'to stop bandanna': 915501, 'stop bandanna shirt': 804474, 'bandanna shirt long': 109398, 'shirt long sleeve': 758996, 'long sleeve from': 501636, 'sleeve from shirt': 773836, 'from shirt dining': 337257, 'shirt dining table': 758977, 'dining table cloth': 243036, 'table cloth microfiber': 831459, 'cloth microfiber cleaning': 184097, 'microfiber cleaning cloth': 530469, 'cleaning cloth long': 180921, 'cloth long sock': 184093, 'long sock scarf': 501645, 'aramco drag': 83991, 'drag other': 258162, 'saudi aramco drag': 737234, 'aramco drag other': 83992, 'drag other producer': 258163, 'unfortunately the': 941645, 'spread fraudsters': 790533, 'fraudsters may': 331425, 'ha list': 371156, 'yourself 19': 1026497, 'unfortunately the covid': 941647, 'to spread fraudsters': 915062, 'spread fraudsters may': 790534, 'fraudsters may try': 331426, 'try to profit': 934649, 'profit on consumer': 682827, 'consumer fear the': 197461, 'fear the government': 301378, 'government of canada': 360393, 'of canada ha': 581082, 'canada ha list': 160454, 'ha list of': 371157, 'list of potential': 494462, 'of potential scam': 588286, 'potential scam and': 667134, 'scam and some': 740019, 'and some tip': 71979, 'protect yourself 19': 685076, 'subdued': 815711, 'foreseen': 329075, 'stabilise after': 791786, 'pandemic poll': 636208, 'poll ha': 663838, 'an answer': 55326, 'spread ha': 790552, 'in fall': 422780, 'to subdued': 915708, 'subdued demand': 815712, 'demand foreseen': 235525, 'foreseen and': 329076, 'take for the': 832134, 'price to stabilise': 677046, 'to stabilise after': 915112, 'stabilise after the': 791787, '19 pandemic poll': 9432, 'pandemic poll ha': 636209, 'poll ha an': 663839, 'ha an answer': 369538, 'an answer the': 55327, 'answer the onset': 78113, 'and it global': 65532, 'it global spread': 458251, 'global spread ha': 352211, 'spread ha resulted': 790554, 'resulted in fall': 717677, 'in fall in': 422782, 'due to subdued': 261980, 'to subdued demand': 915709, 'subdued demand foreseen': 815713, 'demand foreseen and': 235526, 'foreseen and the': 329077, 'coronacrisis america': 204507, 'pandemic helping': 635614, 'nation 330': 552092, 'resident alive': 714242, 'and frightening': 63342, 'frightening time': 334070, 'coronacrisis america grocery': 204508, 'america grocery store': 51538, 'the pandemic helping': 862986, 'pandemic helping to': 635615, 'the nation 330': 861213, 'nation 330 million': 552093, '330 million resident': 17781, 'million resident alive': 532338, 'resident alive and': 714243, 'alive and fed': 41798, 'fed in an': 301836, 'in an uncertain': 420331, 'an uncertain and': 56823, 'uncertain and frightening': 939565, 'and frightening time': 63343, 'affair ha': 34047, 'issued circular': 456049, 'circular directing': 178645, 'directing commerce': 243433, 'commerce company': 188535, 'maintain proper': 509020, 'hygiene of': 412127, 'all last': 43347, 'mile delivery': 531378, 'process in': 679911, 'safeguard employee': 730188, 'consumer affair ha': 196091, 'affair ha issued': 34050, 'ha issued circular': 371002, 'issued circular directing': 456050, 'circular directing commerce': 178646, 'directing commerce company': 243434, 'commerce company to': 188536, 'company to maintain': 191231, 'to maintain proper': 909590, 'maintain proper hygiene': 509021, 'proper hygiene of': 684113, 'hygiene of all': 412128, 'of all last': 579953, 'all last mile': 43348, 'last mile delivery': 480314, 'mile delivery process': 531379, 'delivery process in': 234369, 'process in order': 679912, 'order to safeguard': 618703, 'to safeguard employee': 913703, 'safeguard employee and': 730189, 'employee and consumer': 273559, 'yext': 1016344, 'publicizing': 688566, 'yext usage': 1016345, 'usage ha': 948828, 'skyrocketed 84': 773347, '84 since': 22880, 'coronavirus appeared': 205513, 'appeared we': 82156, 're publicizing': 699330, 'publicizing the': 688567, 'search impact': 743261, 'impact we': 418039, 'seeing by': 746246, 'and geography': 63541, 'geography in': 345951, 'this special': 890273, 'yext usage ha': 1016346, 'usage ha skyrocketed': 948830, 'ha skyrocketed 84': 371953, 'skyrocketed 84 since': 773348, '84 since the': 22881, 'since the coronavirus': 770871, 'the coronavirus appeared': 851805, 'coronavirus appeared we': 205514, 'appeared we re': 82157, 'we re publicizing': 972941, 're publicizing the': 699331, 'publicizing the search': 688568, 'the search impact': 866557, 'search impact we': 743262, 'impact we re': 418041, 're seeing by': 699451, 'seeing by industry': 746247, 'by industry and': 152914, 'industry and geography': 435637, 'and geography in': 63542, 'geography in this': 345952, 'in this special': 430016, 'this special report': 890281, 'diy moisturizing': 248761, 'moisturizing hand': 535620, 'sanitizer aloe': 734345, 'gel 90': 345092, '90 isopropyl': 23306, 'alcohol rubbing': 41083, 'alcohol diy': 40993, 'diy moisturizing hand': 248762, 'moisturizing hand sanitizer': 535621, 'hand sanitizer aloe': 375295, 'sanitizer aloe vera': 734346, 'vera gel 90': 954731, 'gel 90 isopropyl': 345093, '90 isopropyl alcohol': 23307, 'isopropyl alcohol rubbing': 455560, 'alcohol rubbing alcohol': 41084, 'rubbing alcohol diy': 726964, 'researched': 713891, 'and inaction': 65082, 'inaction on': 431186, 'on hoarding': 601333, 'hoarding just': 399404, 'just researched': 469632, 'researched local': 713892, 'area farm': 92002, 'shop butcher': 760009, 'dairy which': 225059, 'which delivers': 985804, 'delivers milk': 233596, 'and yogurt': 75999, 'yogurt if': 1016530, 'it supporting': 461385, 'given the empty': 351136, 'shelf and inaction': 756738, 'and inaction on': 65083, 'inaction on hoarding': 431187, 'on hoarding just': 601334, 'hoarding just researched': 399405, 'just researched local': 469633, 'researched local farm': 713893, 'farm store in': 299189, 'in our area': 426261, 'our area farm': 622110, 'area farm shop': 92003, 'farm shop butcher': 299172, 'shop butcher greengrocer': 760011, 'greengrocer and dairy': 363747, 'and dairy which': 60931, 'dairy which delivers': 225060, 'which delivers milk': 985805, 'delivers milk egg': 233597, 'milk egg and': 531654, 'egg and yogurt': 269778, 'and yogurt if': 76000, 'yogurt if anything': 1016531, 'if anything come': 413860, 'anything come out': 80711, '19 it supporting': 8153, 'it supporting local': 461386, 'supporting local business': 827147, 'kwawesome': 478047, 'in kwawesome': 424553, 'kwawesome seen': 478048, 'ha anyone in': 369586, 'anyone in kwawesome': 80376, 'in kwawesome seen': 424554, 'kwawesome seen hand': 478049, 'or disinfectant wipe': 614998, 'disinfectant wipe in': 245813, 'wipe in any': 996296, 'any store running': 79867, 'store running low': 809940, 'running low and': 727997, 'low and need': 505131, 'to get more': 906536, 'get more 19': 347579, 'rush out': 728321, 'supply 19': 824652, 'before you rush': 123333, 'you rush out': 1020965, 'rush out to': 728323, 'and supply 19': 72772, 'fear care': 301083, 'may collapse': 521090, 'family fear care': 297782, 'fear care home': 301084, 'care home may': 163996, 'home may collapse': 401595, 'may collapse under': 521091, 'sale boom': 732100, 'boom while': 134830, 'bar sale': 110758, 'sale bust': 732107, 'bust during': 144825, 'stats in': 796621, 'this sale': 889944, 'are through': 91082, 'roof via': 725847, 'liquor store sale': 494214, 'store sale boom': 809964, 'sale boom while': 732101, 'boom while bar': 134831, 'while bar sale': 986641, 'bar sale bust': 110759, 'sale bust during': 732108, 'bust during pandemic': 144826, 'during pandemic take': 262895, 'pandemic take look': 636617, 'at the stats': 101109, 'the stats in': 867840, 'stats in this': 796622, 'in this sale': 430007, 'this sale are': 889945, 'sale are through': 732071, 'are through the': 91083, 'the roof via': 865978, 'cheryl': 175547, 'idell': 413303, 'cheryl idell': 175548, 'idell chief': 413304, 'at entertainment': 98546, 'amp direct': 53650, 'consumer share': 198960, 'how social': 408707, 'affecting usage': 34586, 'digital platform': 242626, 'cheryl idell chief': 175549, 'idell chief research': 413305, 'officer at entertainment': 595641, 'at entertainment amp': 98547, 'entertainment amp direct': 278549, 'amp direct to': 53651, 'to consumer share': 903334, 'consumer share how': 198961, 'share how social': 755040, 'how social distancing': 408708, 'is affecting usage': 445400, 'affecting usage of': 34587, 'usage of digital': 948844, 'of digital platform': 582611, 'carolburnett': 164822, 'burnett knew': 142918, 'before 19': 122587, '19 carolburnett': 5648, 'carol burnett knew': 164818, 'burnett knew how': 142919, 'knew how important': 476042, 'how important toiletpaper': 408041, 'important toiletpaper is': 419083, 'toiletpaper is long': 922137, 'is long before': 449433, 'long before 19': 501346, 'before 19 carolburnett': 122588, 'border limit': 135260, 'limit delay': 492326, 'delay ingredient': 232713, 'roll manufacturing': 725383, 'manufacturing toiletpaper': 513680, 'lockdown coronaoutbreak': 499271, 'border limit delay': 135261, 'limit delay ingredient': 492327, 'delay ingredient for': 232714, 'ingredient for toilet': 438368, 'paper roll manufacturing': 640692, 'roll manufacturing toiletpaper': 725384, 'manufacturing toiletpaper lockdown': 513681, 'toiletpaper lockdown coronaoutbreak': 922195, 'found another': 330159, 'increased per': 433400, 'guideline but': 368404, 'most needed': 542523, 'product these': 681718, 'amazon ha found': 50969, 'ha found another': 370672, 'found another way': 330161, 'another way to': 77961, 'way to earn': 970020, 'earn more in': 264803, 'more in covid': 539508, 'crisis price are': 217901, 'are not increased': 88397, 'not increased per': 570128, 'increased per government': 433401, 'per government guideline': 650868, 'government guideline but': 360132, 'guideline but you': 368405, 'can see how': 159539, 'is the delivery': 452766, 'delivery charge on': 233795, 'charge on the': 173301, 'the most needed': 861008, 'most needed product': 542524, 'needed product these': 556470, 'product these day': 681719, 'fillet': 305586, 'saved money': 737751, 'money there': 537070, 'buy when': 149464, 'monday many': 536314, 'many shelf': 514688, 'empty only': 274986, 'bought lb': 136626, 'lb rice': 482775, 'fish fillet': 309310, 'fillet wonder': 305591, 'long these': 501739, 'hoarder would': 399149, 'would outlive': 1012101, 'outlive me': 629123, 'if killed': 414356, 'killed foo': 474585, 'saved money there': 737752, 'money there wa': 537071, 'left for me': 485465, 'to buy when': 902338, 'buy when wa': 149469, 'on monday many': 602170, 'monday many shelf': 536315, 'many shelf were': 514691, 'were empty only': 979572, 'empty only bought': 274987, 'only bought lb': 610187, 'bought lb rice': 136627, 'lb rice and': 482776, 'rice and pack': 720997, 'pack of fish': 633098, 'of fish fillet': 583559, 'fish fillet wonder': 309311, 'fillet wonder how': 305592, 'wonder how long': 1003953, 'how long these': 408210, 'long these hoarder': 501740, 'these hoarder would': 880125, 'hoarder would outlive': 399150, 'would outlive me': 1012102, 'outlive me if': 629124, 'me if killed': 522938, 'if killed foo': 414357, 'achieved': 29047, 'gendered': 345261, 'to affluent': 900153, 'affluent family': 34652, 'family this': 298310, 'be achieved': 113470, 'achieved this': 29054, 'is bringing': 446270, 'the stark': 867729, 'stark societal': 794171, 'societal inequality': 781134, 'inequality on': 436349, 'on looking': 601938, 'with gendered': 998602, 'gendered lens': 345262, 'the advice is': 848383, 'advice is to': 33420, 'other essential to': 620184, 'essential to affluent': 281688, 'to affluent family': 900154, 'affluent family this': 34653, 'family this can': 298311, 'this can be': 886679, 'can be achieved': 157575, 'be achieved this': 113471, 'achieved this pandemic': 29055, 'pandemic is bringing': 635760, 'is bringing out': 446273, 'out the stark': 627420, 'the stark societal': 867732, 'stark societal inequality': 794172, 'societal inequality on': 781136, 'inequality on looking': 436350, 'on looking at': 601939, 'looking at covid': 502802, '19 with gendered': 12131, 'with gendered lens': 998603, 'dutchies': 263531, 'fuckedup': 339738, 'codvid19espana': 185420, 'codvid19italia': 185422, 'this dutchies': 887320, 'dutchies are': 263532, 'are fuckedup': 86711, 'fuckedup they': 339739, 'they almost': 881129, 'almost screw': 46734, 'screw you': 742811, 'supermarket education': 820093, 'education coronacrisis': 268816, 'coronacrisis codvid19espana': 204552, 'codvid19espana codvid19italia': 185421, 'this dutchies are': 887321, 'dutchies are fuckedup': 263533, 'are fuckedup they': 86712, 'fuckedup they almost': 339740, 'they almost screw': 881130, 'almost screw you': 46735, 'screw you in': 742812, 'the supermarket education': 868567, 'supermarket education coronacrisis': 820094, 'education coronacrisis codvid19espana': 268817, 'coronacrisis codvid19espana codvid19italia': 204553, 'exxon cut': 293970, 'exxon cut capital': 293971, 'price fall amid': 673774, 'fall amid price': 296822, 'shiny': 758640, 'line hour': 493183, 'this shiny': 890067, 'shiny toilet': 758642, 'paper see': 640735, 'affected my': 34400, 'quarantine wash': 692683, 'in line hour': 424757, 'line hour for': 493184, 'hour for this': 405624, 'for this shiny': 327065, 'this shiny toilet': 890068, 'shiny toilet paper': 758643, 'toilet paper see': 921438, 'paper see how': 640736, 'see how covid': 745221, '19 ha affected': 7322, 'ha affected my': 369465, 'affected my local': 34401, 'store and target': 806365, 'target please try': 834492, 'stay indoors and': 797071, 'indoors and self': 435382, 'self quarantine wash': 747873, 'quarantine wash your': 692684, 'free wash': 332302, 'here 19 is': 392648, 'is not racist': 450168, 'not racist disease': 571198, 'disease it is': 245170, 'all of doe': 43685, 'of doe not': 582759, 'doe not discriminate': 251489, 'not discriminate meanwhile': 569049, 'still free wash': 800546, 'free wash your': 332304, 'on food avoid': 600842, 'exxonmobil': 293978, 'force exxonmobil': 328378, 'exxonmobil to': 293981, 'oil price force': 597136, 'price force exxonmobil': 674084, 'force exxonmobil to': 328379, 'exxonmobil to cut': 293982, 'important info': 418836, 'ftc re': 339425, 're money': 699037, 'government you': 360836, 'scam like': 740233, 'division using': 248693, 'using our': 950581, 'online complaint': 608033, 'form at': 329489, 'please take note': 660636, 'of this important': 591990, 'this important info': 888024, 'important info from': 418837, 'the ftc re': 855934, 'ftc re money': 339426, 're money from': 699038, 'money from the': 536772, 'the government you': 856634, 'government you can': 360837, 'can report scam': 159451, 'report scam like': 712235, 'scam like this': 740235, 'like this to': 491542, 'this to our': 890742, 'protection division using': 685401, 'division using our': 248694, 'using our online': 950582, 'our online complaint': 624143, 'online complaint form': 608034, 'complaint form at': 191972, 'naturo': 553009, 'race relation': 695197, 'relation in': 708665, '19 harassing': 7433, 'harassing asian': 377825, 'street at': 812915, 'watch naturo': 968484, 'race relation in': 695198, 'relation in the': 708666, 'covid 19 harassing': 213185, '19 harassing asian': 7434, 'harassing asian american': 377826, 'asian american on': 95249, 'the street at': 868219, 'street at the': 812918, 'and then going': 73765, 'then going over': 877215, 'going over to': 355413, 'over to your': 630845, 'to your friend': 918984, 'friend to watch': 333851, 'to watch naturo': 918386, 'vaccinated': 951619, 'carrier how': 164989, 'can school': 159523, 'school open': 741890, 'student amp': 814636, 'amp staff': 54552, 'staff being': 792259, 'tested or': 839335, 'or vaccinated': 617634, 'vaccinated are': 951620, 'there precaution': 878950, 'precaution cleaning': 669305, 'cleaning we': 181124, 'take food': 832125, 'amp bring': 53470, 'home takeout': 402187, 'long can the': 501366, 'can the live': 159955, 'the live in': 859500, 'live in an': 495846, 'in an asymptomatic': 420284, 'asymptomatic carrier how': 97297, 'carrier how can': 164990, 'how can school': 407515, 'can school open': 159524, 'school open up': 741892, 'open up all': 612631, 'up all student': 944260, 'all student amp': 44517, 'student amp staff': 814637, 'amp staff being': 54553, 'staff being tested': 792263, 'being tested or': 125911, 'tested or vaccinated': 839336, 'or vaccinated are': 617635, 'vaccinated are there': 951621, 'are there precaution': 90961, 'there precaution cleaning': 878951, 'precaution cleaning we': 669306, 'cleaning we should': 181125, 'should take food': 766544, 'take food we': 832126, 'food we buy': 317521, 'we buy at': 970874, 'buy at supermarket': 148386, 'at supermarket amp': 100698, 'supermarket amp bring': 818909, 'amp bring home': 53471, 'bring home takeout': 139987, 'home takeout food': 402188, 'takeout food is': 833159, 'food is it': 315133, 'nii': 563214, 'tak': 831856, '19 nii': 8786, 'nii boleh': 563215, 'boleh tak': 134105, 'tak nak': 831857, 'nak shopping': 551539, 'time time covid': 897934, 'covid 19 nii': 213475, '19 nii boleh': 8787, 'nii boleh tak': 563216, 'boleh tak nak': 134106, 'tak nak shopping': 831858, 'nak shopping online': 551540, 'fear spread': 301339, 'confidence plummet covid': 193931, '19 fear spread': 6958, 'checked on': 174761, 'store joe': 808612, 'joe amidst': 466400, 'amidst this': 52837, 'whole stuff': 990344, 'anyone checked on': 80233, 'checked on grocery': 174762, 'grocery store joe': 365497, 'store joe amidst': 808613, 'joe amidst this': 466401, 'amidst this whole': 52839, 'this whole stuff': 891388, 'nspoli': 576676, 'cdnpoli nspoli': 168662, 'nspoli waste': 576677, 'breath if': 139171, 'safe avoid': 729508, 'avoid all': 104996, 'place except': 657430, 'except to': 289248, 'do dress': 249238, 'dress filthy': 258666, 'filthy bum': 305793, 'bum and': 142532, 'stand chance': 793505, 'cdnpoli nspoli waste': 168663, 'nspoli waste of': 576678, 'waste of breath': 968160, 'of breath if': 580863, 'breath if you': 139172, 'be safe avoid': 116943, 'safe avoid all': 729509, 'avoid all public': 104997, 'all public place': 44090, 'public place except': 688227, 'place except to': 657431, 'except to stock': 289251, 'food and when': 313381, 'and when you': 75529, 'you do dress': 1018248, 'do dress filthy': 249239, 'dress filthy bum': 258667, 'filthy bum and': 305794, 'bum and you': 142533, 'and you stand': 76048, 'you stand chance': 1021346, 'daily cuomo': 224570, 'cuomo federal': 220408, 'of ventilator': 592781, 'daily cuomo federal': 224571, 'cuomo federal government': 220409, 'federal government is': 301995, 'government is driving': 360250, 'price of ventilator': 675604, 'right million': 721991, 'are amp': 84523, 'amp emptying': 53722, 'amp toilet': 54721, 'sun wa': 818090, 'wa shining': 963182, 'shining today': 758628, 'today doesn': 919459, 'exist amp': 290222, 'amp there': 54678, 'so let get': 777539, 'get this right': 348411, 'this right million': 889906, 'right million of': 721992, 'people are amp': 646925, 'are amp emptying': 84524, 'amp emptying supermarket': 53723, 'supermarket shelf of': 822504, 'shelf of food': 757360, 'food amp toilet': 313152, 'amp toilet roll': 54723, 'roll but because': 725224, 'but because the': 145274, 'the sun wa': 868415, 'sun wa shining': 818091, 'wa shining today': 963183, 'shining today doesn': 758629, 'today doesn exist': 919460, 'doesn exist amp': 251783, 'exist amp there': 290223, 'amp there no': 54681, 'need to adhere': 555854, 'adhere to or': 32213, 'to or self': 911054, 'ombudsman': 598869, 'consumertalk': 199774, 'cannot force': 161858, 'force consumer': 328364, 'accept an': 27940, 'an unreasonable': 56897, 'unreasonable cancellation': 943312, 'cancellation penalty': 161048, 'penalty postponement': 646449, 'postponement or': 666850, 'or voucher': 617692, 'voucher explains': 960640, 'service ombudsman': 752645, 'ombudsman consumertalk': 598870, 'you cannot force': 1017861, 'cannot force consumer': 161859, 'force consumer to': 328365, 'consumer to accept': 199305, 'to accept an': 899936, 'accept an unreasonable': 27941, 'an unreasonable cancellation': 56898, 'unreasonable cancellation penalty': 943313, 'cancellation penalty postponement': 161049, 'penalty postponement or': 646450, 'postponement or voucher': 666851, 'or voucher explains': 617693, 'voucher explains the': 960641, 'explains the consumer': 292232, 'and service ombudsman': 71308, 'service ombudsman consumertalk': 752646, 'campervan': 157310, 'freshies': 333124, 'handmadehour': 376422, 'letterboxfriendly': 487390, 'uniquegifts': 942011, 'campathome': 157287, 'vw': 961324, 'campervan cab': 157311, 'cab freshies': 154930, 'freshies filled': 333125, 'with lavender': 999183, 'lavender make': 482189, 'make roadtrip': 510406, 'roadtrip smell': 724563, 'smell sweeter': 775619, 'sweeter even': 830273, 'supermarket handmadehour': 820664, 'handmadehour socialdistancing': 376423, 'socialdistancing letterboxfriendly': 780490, 'letterboxfriendly uniquegifts': 487391, 'uniquegifts campathome': 942012, 'campathome vw': 157288, 'vw sb': 961325, 'campervan cab freshies': 157312, 'cab freshies filled': 154931, 'freshies filled with': 333126, 'filled with lavender': 305579, 'with lavender make': 999184, 'lavender make roadtrip': 482190, 'make roadtrip smell': 510407, 'roadtrip smell sweeter': 724564, 'smell sweeter even': 775620, 'sweeter even when': 830274, 'when it only': 983642, 'it only to': 460113, 'only to the': 611369, 'the supermarket handmadehour': 868621, 'supermarket handmadehour socialdistancing': 820665, 'handmadehour socialdistancing letterboxfriendly': 376424, 'socialdistancing letterboxfriendly uniquegifts': 780491, 'letterboxfriendly uniquegifts campathome': 487392, 'uniquegifts campathome vw': 942013, 'campathome vw sb': 157289, 'preceded': 669441, 'gardai': 343565, 'him wa': 396766, 'wa he': 962291, 'he ok': 385274, 'ok he': 597821, 'wa but': 961770, 'but continued': 145456, 'then preceded': 877441, 'preceded to': 669444, 'to lay': 909109, 'lay down': 482591, 'down flat': 256755, 'flat on': 310086, 'ground rang': 366531, 'rang the': 696679, 'the gardai': 856153, 'gardai who': 343566, 'would attend': 1011536, 'scene then': 741360, 'then passed': 877405, 'by tesco': 154237, 'still stock': 801234, 'piling nappy': 656612, 'nappy baby': 551883, 'asked him wa': 95765, 'him wa he': 396767, 'wa he ok': 962292, 'he ok he': 385275, 'ok he said': 597822, 'he wa but': 385588, 'wa but continued': 961771, 'but continued to': 145457, 'continued to do': 201356, 'it and then': 456517, 'and then preceded': 73794, 'then preceded to': 877442, 'preceded to lay': 669445, 'to lay down': 909110, 'lay down flat': 482592, 'down flat on': 256756, 'flat on the': 310087, 'the ground rang': 856854, 'ground rang the': 366532, 'rang the gardai': 696680, 'the gardai who': 856154, 'gardai who said': 343567, 'they would attend': 883935, 'would attend the': 1011537, 'attend the scene': 102323, 'the scene then': 866472, 'scene then passed': 741361, 'then passed by': 877406, 'passed by tesco': 643257, 'by tesco and': 154238, 'tesco and saw': 838659, 'and saw people': 70984, 'saw people were': 738211, 'were still stock': 980174, 'still stock piling': 801235, 'stock piling nappy': 802667, 'piling nappy baby': 656613, 'nappy baby food': 551884, 'baby food toilet': 106612, 'food toilet roll': 317317, 'for 9th': 318969, '9th day': 24022, 'amazing keep': 50729, 'safe oxford': 729877, 'oxford covid': 632659, '19 mutual': 8714, 'aid public': 39448, 'public group': 688043, 'huge thanks for': 410239, 'thanks for emergency': 842057, 'emergency food shopping': 272713, 'shopping for 9th': 762655, 'for 9th day': 318970, '9th day of': 24023, 'day of home': 228075, 'of home isolation': 584720, 'home isolation and': 401466, 'isolation and no': 455197, 'and no food': 67615, 'food available online': 313475, 'available online you': 104548, 'online you are': 609773, 'you are amazing': 1017056, 'are amazing keep': 84514, 'amazing keep safe': 50730, 'keep safe oxford': 471887, 'safe oxford covid': 729878, 'oxford covid 19': 632660, 'covid 19 mutual': 213458, '19 mutual aid': 8715, 'mutual aid public': 547090, 'aid public group': 39449, 'public group facebook': 688044, 'g20 need': 342670, 'to co': 902927, 'operate and': 612976, 'and assure': 58468, 'assure global': 97082, 'and resist': 70311, 'resist food': 714568, 'food protectionism': 316066, 'protectionism during': 685702, '19 globalpandemic': 7224, 'g20 need to': 342671, 'need to co': 555889, 'to co operate': 902928, 'co operate and': 184920, 'operate and assure': 612977, 'and assure global': 58469, 'assure global food': 97083, 'chain remain open': 171040, 'open and resist': 612074, 'and resist food': 70312, 'resist food protectionism': 714569, 'food protectionism during': 316068, 'protectionism during pandemic': 685703, 'during pandemic 19': 262857, 'pandemic 19 globalpandemic': 634769, 'indonesia': 435314, 'businessimpact': 144752, 'for mentioning': 323410, 'mentioning recent': 528856, 'in indonesia': 424074, 'indonesia read': 435330, 'here drop': 392931, 'email id': 272204, 'id to': 412958, 'report consumerbehaviour': 711884, 'consumerbehaviour businessimpact': 199630, 'to for mentioning': 906146, 'for mentioning recent': 323411, 'mentioning recent study': 528857, 'recent study on': 703992, 'consumer behaviour in': 196580, 'behaviour in indonesia': 124453, 'in indonesia read': 424077, 'indonesia read the': 435331, 'the article here': 848934, 'article here drop': 94347, 'here drop your': 392932, 'drop your email': 260459, 'your email id': 1023643, 'email id to': 272205, 'id to get': 412959, 'get the full': 348247, 'full report consumerbehaviour': 340850, 'report consumerbehaviour businessimpact': 711885, 'jbs': 464910, 'is awful': 445943, 'awful price': 106239, 'to cattle': 902526, 'cattle ranch': 167379, 'ranch plummet': 696527, 'plummet price': 661304, 'beef to': 120557, 'consumer go': 197588, 'go way': 354482, 'up cargill': 944580, 'cargill jbs': 164648, 'jbs tyson': 464911, 'tyson food': 937698, 'national beef': 552426, 'beef using': 120560, 'bandit by': 109413, 'this is awful': 888184, 'is awful price': 445944, 'awful price paid': 106240, 'price paid to': 675828, 'paid to cattle': 634161, 'to cattle ranch': 902527, 'cattle ranch plummet': 167380, 'ranch plummet price': 696528, 'plummet price of': 661305, 'of beef to': 580614, 'beef to consumer': 120558, 'to consumer go': 903303, 'consumer go way': 197589, 'go way up': 354483, 'way up cargill': 970143, 'up cargill jbs': 944581, 'cargill jbs tyson': 164649, 'jbs tyson food': 464912, 'tyson food and': 937699, 'food and national': 313289, 'and national beef': 67428, 'national beef using': 552427, 'beef using to': 120561, 'using to make': 950765, 'like bandit by': 489864, 'survey blog': 828823, 'blog report': 133006, 'survey just': 828895, 'really highlight': 702288, 'highlight 41': 395895, '41 could': 18855, 'they needed': 882773, 'needed 45': 556281, '45 have': 19097, 'increased streaming': 433477, 'streaming tv': 812851, 'tv some': 936196, 'postponed plan': 666824, 'plan some': 658225, 'some brought': 782437, 'brought them': 141198, 'them forward': 875733, 'result in from': 717528, 'in from our': 423126, 'from our covid': 336764, '19 consumer survey': 5990, 'consumer survey blog': 199185, 'survey blog report': 828824, 'blog report covid': 133007, 'consumer survey just': 199192, 'survey just how': 828896, 'just how bad': 468993, 'it really highlight': 460643, 'really highlight 41': 702289, 'highlight 41 could': 395896, '41 could not': 18856, 'could not buy': 209435, 'not buy what': 568657, 'what they needed': 982412, 'they needed 45': 882774, 'needed 45 have': 556282, '45 have increased': 19098, 'have increased streaming': 381066, 'increased streaming tv': 433478, 'streaming tv some': 812852, 'tv some have': 936197, 'some have postponed': 783033, 'have postponed plan': 382007, 'postponed plan some': 666825, 'plan some brought': 658226, 'some brought them': 782438, 'brought them forward': 141199, 'achive': 29069, 'to achive': 899993, 'achive it': 29070, 'like the will': 491408, 'the will help': 871574, 'help amazon to': 389337, 'amazon to achive': 51158, 'to achive it': 899994, 'achive it goal': 29071, 'goal amazon to': 354552, 'to massive increase': 909883, 'that export': 843801, 'amp went': 54828, 'by 100': 151525, 'dec jan': 230656, 'jan while': 464479, 'sanitizer import': 735121, 'import dropped': 418627, 'by 13': 151538, '13 it': 3225, 'epidemic deadly': 279364, 'deadly possible': 229282, 'possible in': 665679, 'out that export': 627322, 'that export of': 843802, 'mask amp went': 518301, 'amp went up': 54829, 'went up by': 979215, 'up by 100': 944539, 'by 100 in': 151526, '100 in dec': 1922, 'in dec jan': 422056, 'dec jan while': 230657, 'jan while hand': 464480, 'hand sanitizer import': 375450, 'sanitizer import dropped': 735122, 'import dropped by': 418628, 'dropped by 13': 260549, 'by 13 it': 151540, '13 it look': 3226, 'look like wa': 502527, 'like wa working': 491749, 'wa working hard': 963731, 'make the epidemic': 510567, 'the epidemic deadly': 854434, 'epidemic deadly possible': 279365, 'deadly possible in': 229283, 'possible in the': 665682, 'intra': 443347, 'digested': 242457, 'modest decline': 535432, 'week masked': 976513, 'masked volatile': 519628, 'volatile intra': 960045, 'intra and': 443348, 'and intra': 65344, 'intra day': 443350, 'price swing': 676739, 'swing investor': 830407, 'investor digested': 444152, 'digested poor': 242458, 'poor economic': 664163, 'economic data': 267048, 'president that': 670915, 'worst day': 1011166, 'may still': 521532, 'still lie': 800794, 'modest decline in': 535433, 'decline in stock': 231367, 'stock price this': 802750, 'price this week': 676927, 'this week masked': 891231, 'week masked volatile': 976515, 'masked volatile intra': 519629, 'volatile intra and': 960046, 'intra and intra': 443349, 'and intra day': 65345, 'intra day price': 443351, 'day price swing': 228247, 'price swing investor': 676740, 'swing investor digested': 830408, 'investor digested poor': 444153, 'digested poor economic': 242459, 'poor economic data': 664164, 'economic data and': 267049, 'data and warning': 226127, 'and warning from': 75199, 'from the president': 337841, 'the president that': 864270, 'president that the': 670916, 'that the worst': 846872, 'the worst day': 872047, 'worst day of': 1011168, '19 pandemic may': 9390, 'pandemic may still': 635943, 'may still lie': 521533, 'still lie ahead': 800795, 'varcoe': 952519, 'mintz': 533680, 'chris varcoe': 178066, 'varcoe the': 952520, '12 member': 2877, 'member panel': 528168, 'panel led': 637188, 'by economist': 152457, 'economist jack': 267562, 'jack mintz': 464110, 'mintz will': 533681, 'be advising': 113505, 'advising premier': 33708, 'kenney on': 472799, 'on issue': 601641, 'province economic': 687168, 'recovery it': 705352, 'severe downturn': 754008, 'and slumping': 71768, 'slumping energy': 774725, 'chris varcoe the': 178067, 'varcoe the 12': 952521, 'the 12 member': 847877, '12 member panel': 2878, 'member panel led': 528169, 'panel led by': 637189, 'led by economist': 485217, 'by economist jack': 152458, 'economist jack mintz': 267563, 'jack mintz will': 464111, 'mintz will be': 533682, 'will be advising': 992345, 'be advising premier': 113506, 'advising premier jason': 33709, 'jason kenney on': 464849, 'kenney on issue': 472800, 'on issue surrounding': 601644, 'issue surrounding the': 455950, 'surrounding the province': 828777, 'the province economic': 864728, 'province economic recovery': 687169, 'economic recovery it': 267235, 'recovery it grapple': 705353, 'grapple with severe': 362196, 'with severe downturn': 1000658, 'severe downturn caused': 754009, 'outbreak and slumping': 628010, 'and slumping energy': 71769, 'slumping energy price': 774726, 'toiletpaperfight': 923147, 'survivalguide': 829095, 'toiletpapersurvivalguide': 923341, 'paper solution': 640802, 'via tp': 956335, 'toiletpaper toiletpaperfight': 922678, 'toiletpaperfight survivalguide': 923148, 'survivalguide toiletpapersurvivalguide': 829096, 'toilet paper solution': 921459, 'paper solution to': 640803, 'crisis via tp': 218318, 'via tp toiletpaper': 956336, 'tp toiletpaper toiletpaperfight': 928009, 'toiletpaper toiletpaperfight survivalguide': 922679, 'toiletpaperfight survivalguide toiletpapersurvivalguide': 923149, 'observation from': 578541, 'supermarket majority': 821434, 'folk ignoring': 312187, 'risk wtf': 724028, 'wtf socialdistancing': 1013320, 'observation from local': 578542, 'local supermarket majority': 498554, 'supermarket majority of': 821435, 'of folk ignoring': 583623, 'folk ignoring the': 312188, 'ignoring the rule': 415930, 'rule are also': 727199, 'are also the': 84482, 'also the one': 48984, 'who are high': 988153, 'high risk wtf': 395380, 'risk wtf socialdistancing': 724029, 'all getting': 42918, 'protection they': 685649, 'need amid': 554392, 'worker are essential': 1006386, 'our life but': 623717, 'life but are': 488536, 'but are they': 145224, 'are they are': 90989, 'are not all': 88315, 'not all getting': 568106, 'all getting the': 42919, 'getting the support': 349358, 'support and protection': 826367, 'and protection they': 69676, 'protection they need': 685650, 'they need amid': 882714, 'need amid the': 554393, 'embrassd': 272512, 'am embrassd': 50019, 'embrassd and': 272513, 'community raising': 190057, 'meat veg': 525788, 'there behaviour': 878239, 'shop anymore': 759883, 'anymore once': 80147, 'over pricehike': 630527, 'pricehike greed': 677874, 'greed indian': 363390, 'indian bangladeshi': 434781, 'bangladeshi pakistani': 109513, 'am embrassd and': 50020, 'embrassd and sick': 272514, 'and sick at': 71637, 'sick at the': 768388, 'at the greed': 100967, 'our community raising': 622475, 'community raising price': 190058, 'price on meat': 675693, 'on meat veg': 602091, 'meat veg and': 525789, 'veg and spice': 953715, 'to remember there': 913190, 'remember there behaviour': 710333, 'there behaviour and': 878240, 'behaviour and not': 124366, 'not shop in': 571560, 'in these shop': 429855, 'these shop anymore': 880674, 'shop anymore once': 759884, 'anymore once this': 80148, 'is over pricehike': 450723, 'over pricehike greed': 630528, 'pricehike greed indian': 677875, 'greed indian bangladeshi': 363391, 'indian bangladeshi pakistani': 434782, 'strippedbare': 813896, 'dontbothergoing': 255353, 'local yesterday': 498713, 'yesterday strippedbare': 1015871, 'strippedbare hoarder': 813897, 'hoarder empty': 399022, 'empty nofood': 274967, 'nofood dontbothergoing': 566145, 'this wa our': 891083, 'wa our local': 962873, 'our local yesterday': 623792, 'local yesterday strippedbare': 498714, 'yesterday strippedbare hoarder': 1015872, 'strippedbare hoarder empty': 813898, 'hoarder empty nofood': 399023, 'empty nofood dontbothergoing': 274968, 'two tyson': 937292, 'chicken plant': 175832, 'georgia have': 346035, 'died after': 241504, 'after testing': 36271, 'union said': 941930, 'two tyson food': 937293, 'tyson food chicken': 937700, 'food chicken plant': 313928, 'chicken plant worker': 175833, 'plant worker in': 658731, 'worker in georgia': 1007173, 'in georgia have': 423265, 'georgia have died': 346036, 'have died after': 380261, 'died after testing': 241507, 'after testing positive': 36272, 'testing positive for': 839609, '19 the retail': 11245, 'store union said': 810998, 'union said tuesday': 941931, 'these don': 879934, 'don help': 253628, 'who sanitizes': 989555, 'sanitizes these': 736459, 'these scooter': 880637, 'scooter uber': 742334, 'the is spreading': 858533, 'is spreading and': 452189, 'spreading and these': 790924, 'and these don': 73879, 'these don help': 879935, 'don help who': 253630, 'help who sanitizes': 390887, 'who sanitizes these': 989556, 'sanitizes these scooter': 736460, 'these scooter uber': 880638, 'scooter uber lyft': 742335, 'mageddon': 508364, 'gloriously': 352516, 'circa': 178592, '1996': 12508, 'iwillsurvive': 464073, 'of plague': 588143, 'plague mageddon': 657967, 'mageddon gas': 508365, 'are gloriously': 86868, 'gloriously low': 352517, 'no this': 565712, 'not circa': 568752, 'circa 1996': 178595, '1996 pic': 12511, 'pic but': 655583, 'it certainly': 457087, 'certainly reflects': 170180, 'price iwillsurvive': 674936, 'iwillsurvive 2020': 464074, '2020 gasprices': 14330, 'side of plague': 768851, 'of plague mageddon': 588144, 'plague mageddon gas': 657968, 'mageddon gas price': 508366, 'price are gloriously': 672670, 'are gloriously low': 86869, 'gloriously low no': 352518, 'low no this': 505422, 'no this is': 565713, 'is not circa': 450045, 'not circa 1996': 568753, 'circa 1996 pic': 178596, '1996 pic but': 12512, 'pic but it': 655584, 'but it certainly': 146109, 'it certainly reflects': 457088, 'certainly reflects the': 170181, 'reflects the price': 706689, 'the price iwillsurvive': 864374, 'price iwillsurvive 2020': 674937, 'iwillsurvive 2020 gasprices': 464075, 'campbell': 157290, 'searching the': 743340, 'city for': 179153, 'for yeah': 327988, 'yeah too': 1014309, 'too how': 924794, 'about antibacterial': 24815, 'soap campbell': 778968, 'campbell tomato': 157300, 'tomato soup': 923970, 'soup well': 786428, 'on hard': 601243, 'been searching the': 121890, 'searching the city': 743341, 'the city for': 850933, 'city for yeah': 179155, 'for yeah too': 327989, 'yeah too how': 1014310, 'too how about': 924795, 'how about antibacterial': 407271, 'about antibacterial soap': 24816, 'antibacterial soap campbell': 78378, 'soap campbell tomato': 778969, 'campbell tomato soup': 157301, 'tomato soup well': 923971, 'soup well it': 786429, 'well it time': 978345, 'up on hard': 945575, 'on hard to': 601244, 'find essential at': 306892, 'bpo': 137463, 'worker bpo': 1006536, 'bpo worker': 137466, 'worker bank': 1006492, 'bank worker': 110326, 'please save': 660441, 'your comfort': 1023254, 'lord please protect': 503317, 'please protect and': 660333, 'protect and save': 684783, 'and save our': 70957, 'save our frontline': 737613, 'our frontline worker': 623203, 'frontline worker healthcare': 338866, 'healthcare worker bpo': 387347, 'worker bpo worker': 1006538, 'bpo worker bank': 137467, 'worker bank worker': 1006493, 'bank worker and': 110327, 'worker please save': 1007590, 'please save them': 660442, 'save them from': 737679, 'them from this': 875757, '19 please support': 9728, 'please support them': 660621, 'support them and': 826905, 'them and let': 875385, 'and let them': 66115, 'let them feel': 487153, 'them feel your': 875688, 'feel your comfort': 302949, 'your comfort and': 1023255, 'comfort and love': 187819, 'pandemic rising': 636364, 'rising fear': 723215, 'quack remedy': 691636, 'seen in previous': 747080, 'and pandemic rising': 68639, 'pandemic rising fear': 636365, 'rising fear racism': 723216, 'of quack remedy': 588640, 'not tissue': 572125, 'stockup on compassion': 804187, 'compassion love not': 191496, 'love not tissue': 504734, 'not tissue paper': 572126, 'dorm': 255897, 'looking up': 503058, 'up brand': 944509, 'on tiktok': 604696, 'tiktok 10': 895893, 'later watching': 481166, 'watching tiktok': 968812, 'tiktok of': 895910, 'duck someone': 261551, 'someone raised': 784617, 'raised in': 696004, 'their college': 872805, 'college dorm': 186610, 'looking up brand': 503059, 'up brand and': 944510, 'brand and consumer': 137728, 'and consumer response': 60424, '19 on tiktok': 8969, 'on tiktok 10': 604697, 'tiktok 10 minute': 895894, '10 minute later': 1540, 'minute later watching': 533791, 'later watching tiktok': 481167, 'watching tiktok of': 968813, 'tiktok of duck': 895911, 'of duck someone': 582867, 'duck someone raised': 261552, 'someone raised in': 784618, 'raised in their': 696005, 'in their college': 429726, 'their college dorm': 872806, 'after generous': 35701, 'to bless': 901855, 'bless several': 132590, 'course matched': 211892, 'matched their': 520319, 'their donation': 873061, 'donation so': 254696, 'help even': 389655, 're are': 698300, 'stronger together': 814191, 'together payitforward': 920895, 'after generous donation': 35702, 'generous donation to': 345724, 'donation to me': 254711, 'to me wa': 909967, 'me wa able': 523889, 'able to bless': 24454, 'to bless several': 901856, 'bless several people': 132591, 'several people today': 753920, 'people today with': 649971, 'today with grocery': 920552, 'card and of': 163454, 'of course matched': 582060, 'course matched their': 211893, 'matched their donation': 520320, 'their donation so': 873062, 'donation so could': 254697, 'so could help': 776805, 'could help even': 209283, 'help even more': 389656, 'even more people': 284371, 'people with their': 650475, 'with their food': 1001571, 'their food need': 873344, 'food need during': 315518, 'we re are': 972826, 're are stronger': 698301, 'are stronger together': 90579, 'stronger together payitforward': 814193, 'morning selfquarantine': 541425, 'this morning selfquarantine': 889006, 'philip': 654710, 'clerk unlikely': 181805, 'unlikely hero': 942749, 'for philip': 324527, 'philip grocery': 654711, 'clerk it': 181725, 'not matter': 570541, 'when like': 983689, 'keep working grocery': 472222, 'working grocery clerk': 1008666, 'grocery clerk unlikely': 364384, 'clerk unlikely hero': 181806, 'unlikely hero in': 942750, 'hero in for': 394015, 'in for philip': 423023, 'for philip grocery': 324528, 'philip grocery store': 654712, 'store clerk it': 807014, 'clerk it not': 181726, 'it not matter': 459895, 'not matter of': 570543, 'matter of if': 520608, 'of if he': 584972, 'if he get': 414215, 'he get but': 384982, 'get but when': 346725, 'but when like': 147819, 'when like many': 983690, 'like many american': 490702, 'coronavirus affected': 205462, 'affected you': 34468, 'help shape': 390519, 'shape how': 754838, 'community responds': 190069, 'how ha covid': 407947, '19 coronavirus affected': 6088, 'coronavirus affected you': 205463, 'affected you consumer': 34469, 'you consumer take': 1018028, 'consumer take this': 199214, 'take this survey': 832718, 'this survey and': 890454, 'survey and help': 828812, 'and help shape': 64466, 'help shape how': 390520, 'shape how our': 754839, 'how our community': 408455, 'our community responds': 622477, 'update in': 947031, 'germany food': 346291, 'shortage cause': 764875, 'really food': 702204, 'germany watch': 346357, '19 update in': 11667, 'update in germany': 947032, 'in germany food': 423277, 'germany food shortage': 346292, 'food shortage cause': 316562, 'shortage cause panic': 764876, 'cause panic buying': 167693, 'buying is there': 150584, 'is there really': 453026, 'there really food': 878985, 'really food shortage': 702205, 'shortage in germany': 765015, 'in germany watch': 423284, 'germany watch this': 346358, 'were raking': 980026, 'raking in': 696218, 'from baggage': 334625, 'fee with': 302256, 'with mega': 999480, 'mega profit': 527816, 'didn decide': 241031, 'eliminate those': 271470, 'those fee': 891997, 'fee to': 302241, 'but when they': 147825, 'they were raking': 883796, 'were raking in': 980027, 'raking in billion': 696219, 'in billion of': 420835, 'billion of from': 130871, 'of from baggage': 583966, 'from baggage fee': 334626, 'baggage fee with': 108489, 'fee with mega': 302257, 'with mega profit': 999481, 'mega profit they': 527817, 'profit they didn': 682871, 'they didn decide': 881927, 'didn decide to': 241032, 'decide to eliminate': 230843, 'to eliminate those': 904996, 'eliminate those fee': 271471, 'those fee to': 891998, 'fee to lower': 302244, 'lower cost for': 505826, 'the consumer they': 851610, 'consumer they are': 199280, 'nite': 563382, 'store shutting': 810186, 'me broke': 522528, 'broke ve': 140869, 'money my': 536900, 'stamp at': 793405, 'at truck': 101365, 'stop their': 805162, 'outrageous just': 629322, 'is thru': 453149, 'the nite': 861819, 'nite them': 563385, 'the expensive': 854718, 'these store shutting': 880740, 'store shutting down': 810187, 'shutting down are': 768254, 'down are making': 256531, 'making me broke': 511193, 'me broke ve': 522529, 'broke ve had': 140870, 'spend money my': 788634, 'money my food': 536901, 'my food stamp': 548389, 'food stamp at': 316730, 'stamp at truck': 793406, 'at truck stop': 101366, 'truck stop their': 932859, 'stop their price': 805163, 'are outrageous just': 88897, 'outrageous just get': 629323, 'just get is': 468802, 'get is thru': 347387, 'is thru the': 453150, 'thru the nite': 895232, 'the nite them': 861820, 'nite them there': 563386, 'them there the': 876407, 'there the problem': 879150, 'problem of only': 679629, 'of only the': 587276, 'only the expensive': 611265, 'the expensive item': 854719, 'expensive item being': 291261, 'item being all': 463157, 'being all that': 124832, 'sustliving': 829838, 'shaheenbaghcoronathreat': 754388, 'nomoreloot': 566291, 'follow news': 312469, 'news sustliving': 560848, 'sustliving boycotthul': 829839, 'boycotthul shaheenbaghcoronathreat': 137382, 'shaheenbaghcoronathreat staysafestayhome': 754389, 'staysafestayhome nomoreloot': 799005, 'nomoreloot corona': 566292, 'ha increased the': 370957, 'for more follow': 323572, 'more follow news': 539231, 'follow news sustliving': 312470, 'news sustliving boycotthul': 560849, 'sustliving boycotthul shaheenbaghcoronathreat': 829840, 'boycotthul shaheenbaghcoronathreat staysafestayhome': 137383, 'shaheenbaghcoronathreat staysafestayhome nomoreloot': 754390, 'staysafestayhome nomoreloot corona': 799006, 'everything happening': 287830, 'happening decided': 377343, 'write some': 1012790, 'some general': 782943, 'general info': 345370, 'info someone': 437588, 'happen daily': 377071, 'aren apparently': 92327, 'apparently common': 81921, 'sense so': 750590, 'with everything happening': 998303, 'everything happening decided': 287831, 'happening decided to': 377344, 'decided to write': 230941, 'to write some': 918865, 'write some general': 1012791, 'some general info': 782944, 'general info someone': 345371, 'info someone working': 437589, 'someone working grocery': 784796, 'store these are': 810657, 'these are thing': 879639, 'thing that happen': 884809, 'that happen daily': 844172, 'happen daily and': 377072, 'daily and aren': 224496, 'and aren apparently': 58380, 'aren apparently common': 92328, 'apparently common sense': 81922, 'common sense so': 189468, 'sense so here': 750591, 'so here you': 777304, 'whoop': 990586, 'adam oh': 31225, 'oh did': 596376, 'mention didn': 528751, 'realise had': 701589, 'supermarket whoop': 823866, 'adam oh did': 31226, 'oh did not': 596377, 'not mention didn': 570571, 'mention didn realise': 528752, 'didn realise had': 241171, 'realise had covid': 701590, '19 but just': 5509, 'but just gave': 146195, 'just gave it': 468795, 'gave it everyone': 344630, 'it everyone at': 457879, 'the supermarket whoop': 868906, 'carbonemission': 163427, 'elliottwave': 271566, 'trading potential': 928911, 'of euets': 583207, 'euets covered': 283319, 'covered industry': 212425, 'industry affected': 435605, 'they collapse': 881771, 'collapse do': 185993, 'they shift': 883341, 'shift operation': 758374, 'should bounce': 765787, 'bounce soon': 136820, 'soon euets': 785702, 'euets carbonemission': 283316, 'carbonemission co2': 163430, 'co2 sustainability': 185033, 'sustainability trading': 829780, 'trading elliottwave': 928854, 'elliottwave utility': 271567, 'take look on': 832295, 'on the trading': 604412, 'the trading potential': 869869, 'trading potential of': 928912, 'potential of euets': 667111, 'of euets covered': 583208, 'euets covered industry': 283320, 'covered industry affected': 212426, 'industry affected by': 435606, 'affected by do': 34311, 'by do they': 152386, 'do they collapse': 250301, 'they collapse do': 881772, 'collapse do they': 185996, 'do they shift': 250317, 'they shift operation': 883342, 'shift operation read': 758376, 'operation read why': 613243, 'read why the': 700666, 'why the price': 991430, 'price should bounce': 676386, 'should bounce soon': 765788, 'bounce soon euets': 136821, 'soon euets carbonemission': 785703, 'euets carbonemission co2': 283318, 'carbonemission co2 sustainability': 163431, 'co2 sustainability trading': 185034, 'sustainability trading elliottwave': 829781, 'trading elliottwave utility': 928855, 'expectation varies': 290868, 'region but': 707399, 'but pessimism': 146786, 'pessimism spreading': 653325, 'spreading fast': 790966, 'on consumer expectation': 600045, 'consumer expectation varies': 197406, 'expectation varies by': 290869, 'varies by region': 952552, 'by region but': 153756, 'region but pessimism': 707400, 'but pessimism spreading': 146787, 'pessimism spreading fast': 653326, 'crazy out': 215373, 'there plus': 878946, 'plus asian': 661566, 'supermarket double': 820015, 'double their': 256073, 'vegetable cause': 953957, 'are going crazy': 86881, 'going crazy out': 355099, 'crazy out there': 215375, 'out there plus': 627507, 'there plus asian': 878947, 'plus asian supermarket': 661567, 'asian supermarket double': 95359, 'supermarket double their': 820016, 'double their price': 256074, 'on the meat': 604231, 'meat and chicken': 525472, 'and chicken and': 59816, 'chicken and vegetable': 175744, 'and vegetable cause': 74880, 'vegetable cause of': 953958, 'ignore all': 415815, 'more fatality': 539200, 'fatality curfew': 300243, 'happen just': 377110, 'that planning': 845759, 'planning needed': 658559, 'needed at': 556304, 'imagine everyone will': 416720, 'everyone will come': 287613, 'car and go': 162993, 'and go into': 63776, 'into the same': 443166, 'same supermarket and': 733310, 'supermarket and ignore': 819006, 'and ignore all': 64966, 'ignore all the': 415816, 'the socialdistancing do': 867425, 'socialdistancing do you': 780323, 'happen more fatality': 377120, 'more fatality curfew': 539201, 'fatality curfew cannot': 300244, 'curfew cannot happen': 220864, 'cannot happen just': 161943, 'happen just like': 377111, 'like that planning': 491332, 'that planning needed': 845761, 'planning needed at': 658560, 'needed at least': 556306, 'side in': 768822, 'ensures that': 278158, 'at your side': 101691, 'your side in': 1025806, 'side in the': 768823, 'heri ensures that': 393890, 'ensures that you': 278160, 'about your purchase': 27009, 'your purchase do': 1025479, 'purchase do it': 689427, 'we will deliver': 973850, 'deliver to you': 233255, 'feel like super': 302746, 'like super hero': 491262, 'super hero working': 818519, 'hero working in': 394184, 'store with everything': 811377, 'studio and': 814829, 'and layed': 65996, 'layed down': 482615, 'down track': 257400, 'track about': 928161, 'ongoing toiletpaper': 607702, 'shortage who': 765305, 'dilemma during': 242852, 'scare of': 740899, 'in the studio': 429582, 'the studio and': 868318, 'studio and layed': 814830, 'and layed down': 65997, 'layed down track': 482616, 'down track about': 257401, 'track about the': 928162, 'about the ongoing': 26465, 'the ongoing toiletpaper': 862259, 'ongoing toiletpaper shortage': 607703, 'toiletpaper shortage who': 922475, 'shortage who else': 765306, 'who else is': 988683, 'else is going': 271753, 'is going through': 448103, 'this dilemma during': 887236, 'dilemma during the': 242853, 'during the scare': 263187, 'the scare of': 866446, 'scare of the': 740900, 'misa': 533962, 'misa zimbabwe': 533963, 'zimbabwe ha': 1027584, 'on mobile': 602141, 'network operator': 557753, 'reduce to': 705992, 'make working': 510726, 'and info': 65213, 'info more': 437518, 'more accessible': 538537, 'misa zimbabwe ha': 533964, 'zimbabwe ha called': 1027585, 'called on mobile': 156399, 'on mobile network': 602143, 'mobile network operator': 534999, 'network operator to': 557755, 'operator to reduce': 613411, 'to reduce to': 913047, 'reduce to cost': 705993, 'to cost of': 903602, 'cost of data': 208042, 'of data to': 582362, 'data to make': 226464, 'to make working': 909766, 'make working from': 510727, 'home and info': 400652, 'and info more': 65214, 'info more accessible': 437519, 'samantha it': 732936, 'helpful to': 391240, 'have clear': 379983, 'clear consistent': 181239, 'consistent message': 195482, 'message not': 529373, 'not delivered': 568982, 'by politician': 153612, 'politician like': 663717, 'aid crisis': 39374, '1980s it': 12449, 'have consumer': 380080, 'public focused': 688005, 'focused website': 311982, 'website like': 975337, 'zealand exam': 1027278, 'exam and': 288788, 'temporary control': 837600, 'control there': 202181, 'do differently': 249229, 'samantha it would': 732937, 'be helpful to': 115212, 'helpful to have': 391241, 'to have clear': 907217, 'have clear consistent': 379984, 'clear consistent message': 181240, 'consistent message not': 195483, 'message not delivered': 529374, 'not delivered by': 568983, 'delivered by politician': 233305, 'by politician like': 153613, 'politician like the': 663718, 'like the aid': 491345, 'the aid crisis': 848469, 'aid crisis of': 39375, 'crisis of the': 217790, 'of the 1980s': 590761, 'the 1980s it': 847951, '1980s it would': 12450, 'it would also': 462580, 'would also be': 1011512, 'also be helpful': 47921, 'to have consumer': 907220, 'have consumer and': 380082, 'consumer and general': 196212, 'and general public': 63512, 'general public focused': 345448, 'public focused website': 688006, 'focused website like': 311983, 'website like new': 975338, 'like new zealand': 490848, 'new zealand exam': 559982, 'zealand exam and': 1027279, 'exam and temporary': 288789, 'and temporary control': 73111, 'temporary control there': 837601, 'control there are': 202182, 'are many thing': 88039, 'many thing we': 514806, 'thing we could': 884961, 'could do differently': 209094, 'amid what': 52758, 'business amid what': 143274, 'amid what happening': 52759, 'what happening to': 981558, 'happening to price': 377419, 'vila': 957301, 'paswan': 643906, 'prevent vendor': 671759, 'from overcharging': 336815, 'to threat': 917540, 'government capped': 359969, 'sanitizers consumer': 736248, 'minister ram': 533446, 'ram vila': 696329, 'vila paswan': 957302, 'paswan tweeted': 643910, 'to prevent vendor': 912098, 'prevent vendor from': 671760, 'vendor from overcharging': 954369, 'from overcharging amid': 336816, 'due to threat': 261999, 'to threat the': 917542, 'threat the government': 893725, 'the government capped': 856515, 'government capped the': 359970, 'hand sanitizers consumer': 375686, 'sanitizers consumer affair': 736249, 'affair minister ram': 34072, 'minister ram vila': 533447, 'ram vila paswan': 696330, 'vila paswan tweeted': 957305, 'paswan tweeted that': 643911, 'tweeted that the': 936453, 'hand sanitizer cannot': 375335, 'sanitizer cannot be': 734632, 'better half': 128309, 'half had': 374179, 'had bad': 372871, 'bad luck': 107934, 'luck with': 506484, 'her biweekly': 391887, 'biweekly online': 131924, 'pickup at': 655936, 'our closest': 622412, 'closest grocery': 183532, 'mask free': 518694, 'free dash': 331744, 'another local': 77702, 'local town': 498653, 'egg wipe': 270037, 'wipe half': 996284, 'half summer': 374266, 'summer sausage': 818005, 'beer no': 122489, 'tp anywhere': 927749, 'the better half': 849575, 'better half had': 128310, 'half had bad': 374180, 'had bad luck': 372874, 'bad luck with': 107935, 'luck with her': 506485, 'with her biweekly': 998771, 'her biweekly online': 391888, 'biweekly online ordering': 131925, 'ordering and pickup': 618945, 'and pickup at': 69021, 'pickup at our': 655937, 'at our closest': 100007, 'our closest grocery': 622413, 'closest grocery store': 183533, 'store so made': 810227, 'so made mask': 777623, 'made mask free': 507827, 'mask free dash': 518695, 'free dash to': 331745, 'dash to another': 226074, 'to another local': 900570, 'another local town': 77703, 'local town for': 498654, 'town for egg': 927463, 'for egg wipe': 320975, 'egg wipe half': 270038, 'wipe half and': 996285, 'half and half': 374140, 'and half summer': 64124, 'half summer sausage': 374267, 'summer sausage and': 818006, 'sausage and beer': 737401, 'and beer no': 58816, 'beer no tp': 122490, 'no tp anywhere': 565786, 'custodian': 221961, 'risk that': 723925, 'including custodian': 431931, 'custodian cable': 221964, 'cable installers': 155017, 'installers tech': 440040, 'tech bus': 836048, 'operator mail': 613381, 'carrier distributor': 164969, 'distributor factory': 248283, 'worker childcare': 1006635, 'childcare worker': 176312, 'to protect and': 912293, 'protect and highlight': 684780, 'and highlight the': 64567, 'highlight the risk': 395975, 'the risk that': 865883, 'risk that all': 723926, 'that all the': 842571, 'all the frontline': 44755, 'the frontline worker': 855892, 'frontline worker face': 338865, 'worker face during': 1006896, '19 including custodian': 7804, 'including custodian cable': 431932, 'custodian cable installers': 221965, 'cable installers tech': 155018, 'installers tech bus': 440041, 'tech bus and': 836049, 'bus and transit': 142998, 'and transit operator': 74374, 'transit operator mail': 929642, 'operator mail carrier': 613382, 'mail carrier distributor': 508578, 'carrier distributor factory': 164970, 'distributor factory worker': 248284, 'factory worker childcare': 296017, 'worker childcare worker': 1006636, 'paperrecycling': 641154, 'packagingcompany': 633581, 'recyclingindustry': 705557, 'smith the': 775810, 'best paperrecycling': 127820, 'paperrecycling and': 641155, 'and packagingcompany': 68617, 'packagingcompany have': 633582, 'sheer rise': 756582, 'packaging need': 633564, 'news recyclingindustry': 560731, 'recyclingindustry business': 705558, 'business read': 144291, 'smith the best': 775811, 'the best paperrecycling': 849536, 'best paperrecycling and': 127821, 'paperrecycling and packagingcompany': 641156, 'and packagingcompany have': 68618, 'packagingcompany have seen': 633583, 'seen the sheer': 747293, 'the sheer rise': 866816, 'sheer rise in': 756583, 'in the packaging': 429431, 'the packaging need': 862851, 'packaging need due': 633565, 'to the rise': 917028, 'the crisis news': 852413, 'crisis news recyclingindustry': 217754, 'news recyclingindustry business': 560732, 'recyclingindustry business read': 705559, 'business read the': 144292, 'trumpvirus2020': 934202, 'mann': 513284, 'trumpvirus2020 trumppressconference': 934203, 'trumppressconference mann': 934146, 'mann you': 513285, 'chance on': 171777, 'finding what': 307572, 'wonderful when': 1004139, 'someone cart': 784400, 'cart another': 165256, 'don welcome': 254067, 'trump virus': 933953, 'trumpvirus2020 trumppressconference mann': 934204, 'trumppressconference mann you': 934147, 'mann you have': 513286, 'to take chance': 916166, 'take chance on': 832024, 'chance on finding': 171778, 'on finding what': 600795, 'finding what you': 307573, 'you need at': 1019967, 'find it wonderful': 307013, 'it wonderful when': 462497, 'wonderful when you': 1004140, 'find it and': 306982, 'and see it': 71139, 'in someone cart': 428111, 'someone cart another': 784401, 'cart another one': 165257, 'another one or': 77738, 'one or not': 606796, 'or not on': 616308, 'not on the': 570753, 'the shelf you': 866909, 'shelf you don': 757847, 'you don welcome': 1018334, 'don welcome to': 254068, 'to the trump': 917145, 'the trump virus': 870070, 'been missing': 121528, 'since 19': 770413, '19 begun': 5353, 'ha been missing': 369853, 'been missing from': 121529, 'missing from your': 534302, 'supermarket shelf since': 822530, 'shelf since 19': 757518, 'since 19 begun': 770415, 'engages': 276908, 'sick due': 768421, 'corona we': 204388, 'losing our': 503579, 'our strength': 624971, 'strength because': 813217, 'it suresh': 461393, 'suresh kumar': 827966, 'kumar engages': 477910, 'engages in': 276909, 'small number': 775042, 'of buyer': 581007, 'and carrier': 59578, 'carrier many': 164996, 'many forced': 514082, 'let their': 487145, 'their rot': 874602, 'rot or': 726172, 'or accept': 614248, 'accept horribly': 27962, 'horribly low': 404148, 'while people in': 987150, 'people in city': 648359, 'in city are': 421478, 'city are getting': 179060, 'getting sick due': 349273, 'sick due to': 768422, 'to corona we': 903533, 'corona we are': 204389, 'we are losing': 970618, 'are losing our': 87900, 'losing our strength': 503580, 'our strength because': 624972, 'strength because of': 813218, 'of it suresh': 585448, 'it suresh kumar': 461394, 'suresh kumar engages': 827967, 'kumar engages in': 477911, 'engages in conversation': 276910, 'conversation with small': 202511, 'with small number': 1000769, 'small number of': 775043, 'number of buyer': 576923, 'of buyer and': 581008, 'buyer and carrier': 149557, 'and carrier many': 59579, 'carrier many forced': 164997, 'many forced to': 514083, 'forced to let': 328642, 'to let their': 909218, 'let their rot': 487146, 'their rot or': 874603, 'rot or accept': 726173, 'or accept horribly': 614249, 'accept horribly low': 27963, 'horribly low price': 404149, 'low price 19': 505498, 'gata': 344317, 'negra17': 556966, 'shareifwoke': 755492, 'dog gata': 252099, 'gata negra17': 344318, 'negra17 bastard': 556967, 'bastard 2a': 112458, '2a shareifwoke': 16545, 'dog gata negra17': 252100, 'gata negra17 bastard': 344319, 'negra17 bastard 2a': 556968, 'bastard 2a shareifwoke': 112459, 'outbreak creates': 628151, 'creates economic': 215940, 'dramatic stock': 258309, 'stock shift': 802839, 'shift more': 758361, 'are researching': 89616, 'researching stock': 713949, 'significant difference': 769431, 'this activity': 886192, 'activity across': 30362, 'country you': 211278, '19 outbreak creates': 9112, 'outbreak creates economic': 628152, 'creates economic challenge': 215941, 'economic challenge and': 266999, 'challenge and dramatic': 171399, 'and dramatic stock': 61717, 'dramatic stock shift': 258310, 'stock shift more': 802840, 'shift more people': 758362, 'people are researching': 647059, 'are researching stock': 89617, 'researching stock and': 713950, 'stock and we': 801837, 'and we see': 75318, 'we see significant': 973168, 'see significant difference': 745684, 'significant difference in': 769432, 'difference in this': 241852, 'in this activity': 429897, 'this activity across': 886193, 'activity across the': 30363, 'the country you': 852189, 'country you can': 211279, 'mattress': 520700, 'sure covid': 827523, 'crazy but': 215259, 'really crazy': 702084, 'crazy these': 215440, 'on mattress': 602057, 'sure covid 19': 827524, '19 is crazy': 7952, 'is crazy but': 446892, 'crazy but you': 215262, 'what really crazy': 982083, 'really crazy these': 702087, 'crazy these price': 215441, 'these price on': 880538, 'price on mattress': 675692, 'feverish': 303700, 'aren coughing': 92372, 'and feverish': 62810, 'feverish doesn': 303701, 'host or': 404890, 'or attend': 614463, 'attend easter': 102301, 'easter event': 265429, 'event you': 285116, 'pretty guilty': 671424, 'guilty if': 368558, 'your grandparent': 1024097, 'or parent': 616502, 'sick afterward': 768354, 'afterward you': 36740, 'last grocery': 480258, 'visit you': 959436, 'know stayhomesavelives': 476741, 'you aren coughing': 1017300, 'aren coughing and': 92373, 'coughing and feverish': 208659, 'and feverish doesn': 62811, 'feverish doesn mean': 303702, 'mean it safe': 524512, 'safe to host': 730053, 'to host or': 907990, 'host or attend': 404891, 'or attend easter': 614464, 'attend easter event': 102302, 'easter event you': 265430, 'event you feel': 285117, 'you feel pretty': 1018541, 'feel pretty guilty': 302812, 'pretty guilty if': 671425, 'guilty if your': 368559, 'if your grandparent': 415582, 'your grandparent or': 1024100, 'grandparent or parent': 361983, 'or parent got': 616503, 'parent got sick': 641637, 'got sick afterward': 358835, 'sick afterward you': 768355, 'afterward you could': 36741, 'been exposed during': 121114, 'exposed during your': 292847, 'during your last': 263432, 'your last grocery': 1024591, 'last grocery store': 480259, 'store visit you': 811083, 'visit you do': 959437, 'not know stayhomesavelives': 570301, 'newtoday': 561145, 'okla': 598054, '2worksforyou': 16880, 'consumeralert': 199595, 'newtoday okla': 561146, 'okla attorney': 598055, 'general issue': 345379, 'kit 2worksforyou': 475479, '2worksforyou consumeralert': 16881, 'newtoday okla attorney': 561147, 'okla attorney general': 598056, 'attorney general issue': 102646, 'general issue consumer': 345380, 'alert on covid': 41479, '19 at home': 5241, 'at home test': 99134, 'test kit 2worksforyou': 839046, 'kit 2worksforyou consumeralert': 475480, 'blackmarketears': 132195, 'his crucial': 397333, 'crucial time': 219479, 'time globally': 896840, 'globally we': 352415, '19 deadly': 6436, 'virus blackmarketears': 958006, 'blackmarketears using': 132196, 'sell mask': 748782, 'sanitizers on': 736358, 'they ignored': 882444, 'ignored govt': 415875, 'india notification': 434542, 'notification dt': 573525, 'dt 19': 261374, 'in his crucial': 423726, 'his crucial time': 397334, 'crucial time globally': 219480, 'time globally we': 896841, 'globally we all': 352416, 'covid 19 deadly': 212916, '19 deadly virus': 6437, 'deadly virus blackmarketears': 229303, 'virus blackmarketears using': 958007, 'blackmarketears using your': 132197, 'using your platform': 950800, 'your platform to': 1025328, 'to sell mask': 914158, 'sell mask sanitizers': 748786, 'mask sanitizers on': 519237, 'sanitizers on very': 736360, 'on very high': 605037, 'price they ignored': 676896, 'they ignored govt': 882445, 'ignored govt of': 415876, 'of india notification': 585112, 'india notification dt': 434543, 'notification dt 19': 573526, 'dt 19 03': 261375, 'of primarily': 588426, 'primarily the': 678049, 'youth elderly': 1026854, 'elderly should': 270883, 'themselves since': 876887, 'contact customer': 200059, 'customer publichealth': 222730, 'do you believe': 250615, 'believe that grocery': 126339, 'who are made': 988172, 'are made up': 87961, 'up of primarily': 945501, 'of primarily the': 588427, 'primarily the youth': 678050, 'the youth elderly': 872214, 'youth elderly should': 1026855, 'elderly should be': 270884, 'should be provided': 765699, 'be provided with': 116598, 'provided with mask': 686668, 'with mask glove': 999407, 'mask glove to': 518751, 'protect themselves since': 685021, 'themselves since they': 876888, 'since they are': 770927, 'are in close': 87361, 'close contact customer': 182593, 'contact customer publichealth': 200060, 'reinstated': 708271, 'still many': 800833, 'site pre': 771986, 'be reinstated': 116754, 'still many more': 800834, 'many more to': 514322, 'more to go': 540792, 'the site pre': 867233, 'site pre covid': 771987, '19 price need': 9815, 'to be reinstated': 901494, 'welldonesky': 978813, 'from informing': 336064, 'their call': 872705, 'how considerate': 407586, 'them given': 875778, 'crisis welldonesky': 218367, 'welldonesky cashinginonacrisis': 978814, 'just received an': 469575, 'email from informing': 272187, 'from informing me': 336065, 'me that are': 523606, 'that are increasing': 842765, 'increasing their call': 433715, 'their call price': 872707, 'call price how': 156079, 'price how considerate': 674589, 'how considerate of': 407587, 'considerate of them': 195223, 'of them given': 591742, 'them given the': 875779, 'given the majority': 351141, 'country is working': 210827, 'is working from': 454036, 'due to global': 261793, 'to global crisis': 906741, 'global crisis welldonesky': 351841, 'crisis welldonesky cashinginonacrisis': 218368, 'korea retailer': 477496, 'seen 34': 746909, '34 increase': 17820, 'online revenue': 608891, 'despite dip': 238721, 'in offline': 426070, 'offline sale': 596051, 'sale while': 732648, 'while france': 986856, 'france saw': 331024, 'february 24': 301680, 'south korea retailer': 786749, 'korea retailer have': 477497, 'retailer have seen': 719186, 'have seen 34': 382417, 'seen 34 increase': 746910, '34 increase in': 17821, 'increase in their': 432874, 'their online revenue': 874107, 'online revenue in': 608893, 'revenue in march': 720441, 'march despite dip': 515342, 'despite dip in': 238722, 'dip in offline': 243193, 'in offline sale': 426071, 'offline sale while': 596052, 'sale while france': 732649, 'while france saw': 986857, 'france saw an': 331025, 'increase in supermarket': 432872, 'supermarket and other': 819032, 'other online sale': 620611, 'online sale from': 608916, 'sale from february': 732236, 'from february 24': 335443, 'february 24 to': 301681, '24 to march': 15700, 'faulkner': 300389, 'lisa faulkner': 494240, 'faulkner share': 300390, 'share family': 754992, 'member difficult': 528058, 'difficult supermarket': 242267, 'lisa faulkner share': 494241, 'faulkner share family': 300391, 'share family member': 754994, 'family member difficult': 298029, 'member difficult supermarket': 528059, 'difficult supermarket experience': 242268, 'supermarket experience during': 820247, 'experience during covid': 291349, 'pottyaboutmyplanet': 667278, 'paper fab': 640146, 'fab uk': 294202, 'uk based': 938207, 'based ethical': 111569, 'ethical tp': 283092, 'tp company': 927784, 'company called': 190516, 'called potty': 156414, 'potty about': 667271, 'my planet': 549786, 'planet still': 658425, 'sell massive': 748788, 'massive box': 519971, '48 roll': 19323, 'many then': 514793, 'buy box': 148434, 'box between': 137024, 'between friend': 128783, 'friend pottyaboutmyplanet': 333763, 'pottyaboutmyplanet toiletpaper': 667279, 'anyone is running': 80392, 'is running low': 451595, 'toilet paper fab': 921271, 'paper fab uk': 640147, 'fab uk based': 294203, 'uk based ethical': 938208, 'based ethical tp': 111570, 'ethical tp company': 283093, 'tp company called': 927785, 'company called potty': 190517, 'called potty about': 156415, 'potty about my': 667272, 'about my planet': 25769, 'my planet still': 549787, 'planet still ha': 658426, 'still ha good': 800617, 'ha good stock': 370742, 'good stock they': 357777, 'stock they sell': 802970, 'they sell massive': 883313, 'sell massive box': 748789, 'massive box of': 519972, 'box of 48': 137110, 'of 48 roll': 579598, '48 roll but': 19324, 'roll but if': 725227, 'but if that': 145997, 'if that too': 414946, 'that too many': 847098, 'too many then': 924894, 'many then you': 514794, 'then you could': 877782, 'could buy box': 208979, 'buy box between': 148435, 'box between friend': 137025, 'between friend pottyaboutmyplanet': 128784, 'friend pottyaboutmyplanet toiletpaper': 333764, 'navajo': 553038, 'chilchinbeto': 175983, 'the navajo': 861327, 'navajo nation': 553039, 'nation fire': 552180, 'department who': 237293, 'visiting with': 959572, 'with chilchinbeto': 997618, 'chilchinbeto residence': 175984, 'residence and': 714219, 'them supply': 876351, 'they themselves': 883551, 'today the navajo': 920297, 'the navajo nation': 861328, 'navajo nation fire': 553040, 'nation fire department': 552181, 'fire department who': 308071, 'department who are': 237294, 'charge of visiting': 173296, 'of visiting with': 592842, 'visiting with chilchinbeto': 959573, 'with chilchinbeto residence': 997619, 'chilchinbeto residence and': 175985, 'residence and trying': 714220, 'get them supply': 348374, 'them supply said': 876352, 'supply said they': 825798, 'said they themselves': 731486, 'they themselves are': 883552, 'themselves are in': 876770, 'of more hand': 586644, 'more hand sanitizers': 539383, 'spr': 790240, 'sprau': 790243, 'reserve at': 714041, 'price filling': 673864, 'filling oil': 305607, 'oil storage': 597455, 'storage spr': 805994, 'spr would': 790241, 'be gift': 115014, 'gift and': 349924, 'and buffer': 59234, 'buffer from': 141864, 'from future': 335591, 'future supply': 342466, 'shock india': 759461, 'india etc': 434396, 'etc not': 282674, 'stupid auspol': 815354, 'auspol oil': 103087, 'oil sprau': 597449, 'sprau oilprice': 790244, 'oilprice oott': 597631, 'where is our': 984951, 'is our strategic': 450644, 'our strategic petroleum': 624966, 'petroleum reserve at': 653839, 'reserve at these': 714042, 'these price filling': 880530, 'price filling oil': 673865, 'filling oil storage': 305608, 'oil storage spr': 597457, 'storage spr would': 805995, 'spr would be': 790242, 'would be gift': 1011587, 'be gift and': 115015, 'gift and buffer': 349925, 'and buffer from': 59235, 'buffer from future': 141865, 'from future supply': 335592, 'future supply shock': 342467, 'supply shock india': 825820, 'shock india etc': 759462, 'india etc not': 434397, 'etc not stupid': 282677, 'not stupid auspol': 571786, 'stupid auspol oil': 815355, 'auspol oil sprau': 103088, 'oil sprau oilprice': 597450, 'sprau oilprice oott': 790245, 'charitytuesday': 173725, 'this charitytuesday': 886747, 'charitytuesday we': 173726, 'to foundation': 906208, 'foundation who': 330511, 'very flexible': 955171, 'flexible and': 310382, 'and ridiculously': 70520, 'ridiculously fast': 721648, 'fast responding': 300020, 'responding and': 715556, 'and area': 58377, 'area allowing': 91924, 'allowing to': 46360, 'current grant': 221218, 'grant for': 362026, 'this charitytuesday we': 886748, 'charitytuesday we want': 173727, 'say thanks to': 739221, 'thanks to foundation': 842226, 'to foundation who': 906209, 'foundation who have': 330512, 'been very flexible': 122331, 'very flexible and': 955172, 'flexible and ridiculously': 310383, 'and ridiculously fast': 70521, 'ridiculously fast responding': 721649, 'fast responding and': 300021, 'responding and area': 715557, 'and area allowing': 58378, 'area allowing to': 91925, 'allowing to use': 46363, 'use our current': 949458, 'our current grant': 622642, 'current grant for': 221219, 'grant for the': 362028, 'for the provision': 326640, 'provision of food': 687279, 'to the most': 916884, 'the most at': 860950, 'risk or in': 723801, 'or in need': 615755, 'in need local': 425751, 'need local resident': 555172, 'softly': 781518, 'disregarded': 246349, 'favorite clean': 300499, 'clean freak': 180534, 'freak cashier': 331508, 'grocery softly': 365137, 'softly coughed': 781519, 'coughed into': 208615, 'then handled': 877227, 'handled my': 376310, 'while every': 986803, 'store completely': 807134, 'completely disregarded': 192266, 'disregarded the': 246350, 'distance sign': 246827, 'sign placed': 769188, 'placed all': 657870, 'my favorite clean': 548268, 'favorite clean freak': 300500, 'clean freak cashier': 180535, 'freak cashier at': 331509, 'local grocery softly': 498052, 'grocery softly coughed': 365138, 'softly coughed into': 781520, 'coughed into her': 208616, 'into her hand': 442620, 'her hand then': 392088, 'hand then handled': 375831, 'then handled my': 877228, 'handled my grocery': 376311, 'my grocery while': 548586, 'grocery while every': 366138, 'while every other': 986804, 'every other person': 286070, 'other person in': 620703, 'the store completely': 867998, 'store completely disregarded': 807135, 'completely disregarded the': 192267, 'disregarded the foot': 246351, 'the foot distance': 855651, 'foot distance sign': 318373, 'distance sign placed': 246828, 'sign placed all': 769189, 'placed all over': 657871, 'the store pretty': 868084, 'store pretty sure': 809644, 'pretty sure this': 671511, 'sure this isn': 827754, 'nan went': 551772, 'the abundance': 848263, 'supply mind': 825559, 'you lebanon': 1019582, 'lebanon is': 485188, 'at lockdown': 99616, 'with curfew': 997880, 'curfew set': 220923, 'set britain': 753358, 'britain should': 140441, 'should learn': 766187, 'coronacrisis beirut': 204523, 'my nan went': 549409, 'nan went to': 551773, 'went to her': 979159, 'to her local': 907701, 'morning to restock': 541518, 'restock and look': 716865, 'at the abundance': 100870, 'the abundance of': 848264, 'abundance of food': 27590, 'food supply mind': 316969, 'supply mind you': 825560, 'mind you lebanon': 532786, 'you lebanon is': 1019583, 'lebanon is at': 485189, 'is at lockdown': 445868, 'at lockdown with': 99617, 'lockdown with curfew': 500164, 'with curfew set': 997881, 'curfew set britain': 220924, 'set britain should': 753359, 'britain should learn': 140442, 'should learn from': 766188, 'learn from this': 483975, 'from this coronacrisis': 337987, 'this coronacrisis beirut': 886874, 'only want': 611427, 'go outdoors': 354003, 'outdoors more': 628925, '10 supermarket': 1688, 'all half': 43027, 're endangering': 698608, 'endangering me': 276101, 'me amp': 522393, 'amp ll': 54073, 'll endanger': 496732, 'endanger others': 276089, 're hoarding then': 698818, 'hoarding then people': 399596, 'then people like': 877414, 'me who only': 523969, 'who only want': 989381, 'only want to': 611428, 'buy what need': 149455, 'what need every': 981905, 'need every week': 554743, 'every week will': 286370, 'to go outdoors': 906838, 'go outdoors more': 354005, 'outdoors more and': 628926, 'and more have': 67176, 'more have today': 539394, 'have today to': 383347, 'today to 10': 920347, 'to 10 supermarket': 899432, '10 supermarket all': 1689, 'supermarket all half': 818869, 'all half empty': 43028, 'half empty you': 374163, 'you re endangering': 1020612, 're endangering me': 698609, 'endangering me amp': 276102, 'me amp ll': 522395, 'amp ll endanger': 54074, 'll endanger others': 496733, 'imaginary': 416676, 'america whilst': 51743, 'whilst it': 987645, 'it govt': 458325, 'busy conducting': 144888, 'conducting military': 193690, 'military game': 531467, 'game with': 343296, 'uae in': 937760, 'the desert': 853173, 'desert right': 238002, 'now against': 573954, 'an imaginary': 56161, 'imaginary enemy': 416677, 'enemy iran': 276358, 'iran 19': 444666, 'shelf empty in': 757022, 'empty in america': 274918, 'in america whilst': 420243, 'america whilst it': 51744, 'whilst it govt': 987646, 'it govt is': 458326, 'govt is busy': 361161, 'is busy conducting': 446317, 'busy conducting military': 144889, 'conducting military game': 193691, 'military game with': 531468, 'game with uae': 343297, 'with uae in': 1001880, 'uae in the': 937761, 'in the desert': 429131, 'the desert right': 853174, 'desert right now': 238003, 'right now against': 722015, 'now against an': 573955, 'against an imaginary': 37325, 'an imaginary enemy': 56162, 'imaginary enemy iran': 416678, 'enemy iran 19': 276359, 'iran 19 coronavid19': 444667, '19 coronavid19 coronacrisis': 6083, 'bef': 122570, 'have lit': 381341, 'lit the': 494904, 'economy downturn': 267815, 'downturn amp': 257784, 'amp but': 53479, 'were headed': 979726, 'recession for': 704273, 'month bef': 537611, 'bef january': 122571, 'fed have': 301831, 'been propping': 121716, 'economy deficit': 267797, 'deficit buying': 232239, 'buying bond': 150032, 'bond amp': 134224, 'amp relying': 54383, 'which went': 986473, 'from strong': 337456, 'to moderate': 910210, 'moderate in': 535349, 'in december': 422059, 'might have lit': 531015, 'have lit the': 381342, 'lit the on': 494905, 'the economy downturn': 853962, 'economy downturn amp': 267816, 'downturn amp but': 257785, 'amp but we': 53480, 'but we were': 147768, 'we were headed': 973795, 'were headed for': 979727, 'headed for recession': 385900, 'for recession for': 325016, 'recession for month': 704275, 'for month bef': 323512, 'month bef january': 537612, 'bef january the': 122572, 'january the fed': 464681, 'the fed have': 855061, 'fed have been': 301832, 'have been propping': 379643, 'been propping up': 121717, 'the economy deficit': 853957, 'economy deficit buying': 267798, 'deficit buying bond': 232240, 'buying bond amp': 150033, 'bond amp relying': 134225, 'amp relying on': 54384, 'relying on consumer': 709670, 'spending which went': 789051, 'which went from': 986474, 'went from strong': 979021, 'from strong to': 337457, 'strong to moderate': 814143, 'to moderate in': 910211, 'moderate in december': 535350, 'just many': 469226, 'they served': 883328, 'served in': 751991, 'in military': 425321, 'military when': 531517, 'they worked': 883930, 'worked farmer': 1006110, 'farmer supermarket': 299511, 'employee mail': 274025, 'mail person': 508646, 'person doctor': 652402, 'nurse food': 577332, 'during responding': 262979, 'responding with': 715591, 'with thank': 1001162, 'when pandemic end': 983839, 'pandemic end just': 635381, 'end just many': 275857, 'just many people': 469227, 'people do when': 647683, 'do when someone': 250527, 'when someone say': 984062, 'someone say they': 784636, 'say they served': 739347, 'they served in': 883329, 'served in military': 751992, 'in military when': 425323, 'military when someone': 531518, 'when someone tell': 984065, 'me they worked': 523694, 'they worked farmer': 883931, 'worked farmer supermarket': 1006111, 'farmer supermarket employee': 299512, 'supermarket employee mail': 820127, 'employee mail person': 274026, 'mail person doctor': 508647, 'person doctor nurse': 652403, 'doctor nurse food': 251014, 'nurse food delivery': 577333, 'delivery etc during': 233978, 'etc during responding': 282502, 'during responding with': 262980, 'responding with thank': 715592, 'with thank you': 1001163, 'trade business': 928425, 'business dude': 143663, 'dude testing': 261610, 'testing imagine': 839510, 'imagine consumer': 416707, 'confidence when': 193983, 'folk cannot': 312122, 'shop because': 759972, 're ill': 698856, 'ill quarantined': 416173, 'trade business dude': 928426, 'business dude testing': 143664, 'dude testing imagine': 261611, 'testing imagine consumer': 839511, 'imagine consumer confidence': 416708, 'consumer confidence when': 196933, 'confidence when folk': 193984, 'when folk cannot': 983432, 'folk cannot work': 312123, 'cannot work or': 162237, 'work or shop': 1005567, 'or shop because': 617053, 'shop because they': 759976, 'they re ill': 883057, 're ill quarantined': 698857, 'their cash': 872747, 'cash from': 166240, 'those locust': 892174, 'locust who': 500579, 'are stripping': 90570, 'before there ll': 123205, 'll be run': 496621, 'be run on': 116927, 'on the bank': 603978, 'the bank for': 849239, 'bank for their': 109842, 'for their cash': 326808, 'their cash from': 872748, 'cash from those': 166241, 'from those locust': 338025, 'those locust who': 892175, 'locust who are': 500580, 'who are stripping': 988230, 'are stripping supermarket': 90572, 'really shaken': 702570, 'shaken up': 754448, 'up business': 944512, 'behavior on': 124135, 'on massive': 602052, 'massive scale': 520098, 'scale check': 739879, 'outbreak ha really': 628274, 'ha really shaken': 371654, 'really shaken up': 702571, 'shaken up business': 754449, 'up business and': 944513, 'consumer behavior on': 196495, 'behavior on massive': 124137, 'on massive scale': 602053, 'massive scale check': 520099, 'scale check here': 739880, 'the continue': 851666, 're searching': 699445, 'store grocerystores': 807981, 'grocerystores panicbuying': 366375, 'in the continue': 429094, 'the continue to': 851667, 'continue to see': 201249, 'to see panic': 914058, 'coronavirus fear what': 205919, 'fear what are': 301428, 'you re searching': 1020735, 're searching for': 699446, 'searching for at': 743328, 'the store grocerystores': 868029, 'store grocerystores panicbuying': 807982, 'tpt': 928104, 'educator': 268897, 'just reduced': 469589, 'reduced all': 706023, 'my tpt': 550423, 'tpt product': 928105, 'set them': 753495, 'sale tomorrow': 732598, 'off if': 593915, 'see something': 745737, 'it due': 457716, 'crisis dm': 217296, 'dm your': 248942, 'your request': 1025586, 'request stay': 713196, 'safe educator': 729621, 'educator parent': 268902, 'just reduced all': 469590, 'reduced all price': 706024, 'on my tpt': 602326, 'my tpt product': 550424, 'tpt product and': 928106, 'product and set': 680909, 'and set them': 71332, 'set them to': 753496, 'on sale tomorrow': 603276, 'sale tomorrow for': 732599, 'tomorrow for 20': 924082, '20 off if': 13213, 'off if you': 593918, 'you see something': 1021068, 'see something you': 745738, 'something you like': 785160, 'you like but': 1019605, 'like but cannot': 489943, 'but cannot afford': 145378, 'afford it due': 34712, 'it due to': 457718, 'current crisis dm': 221156, 'crisis dm your': 217297, 'dm your request': 248944, 'your request stay': 1025587, 'request stay safe': 713197, 'stay safe educator': 797229, 'safe educator parent': 729622, 'trade promotion': 928556, 'promotion council': 683866, 'india tpci': 434657, 'tpci on': 928054, 'is surge': 452485, 'it export': 457912, 'trade promotion council': 928557, 'promotion council of': 683867, 'council of india': 210013, 'of india tpci': 585118, 'india tpci on': 434658, 'tpci on monday': 928055, 'monday said there': 536375, 'there is surge': 878638, 'is surge in': 452486, 'to coronavirus outbreak': 903561, 'outbreak and india': 627996, 'india ha the': 434448, 'potential to tap': 667156, 'tap this in': 834340, 'this in order': 888050, 'to boost it': 901922, 'boost it export': 134975, 'communicating': 189560, 'tabletop': 831539, 'door so': 255711, 'knew in': 476046, 'coming were': 188292, 'were communicating': 979454, 'communicating china': 189561, 'china were': 177056, 'running tabletop': 728087, 'tabletop exercise': 831540, 'exercise and': 290025, 'admin wa': 32428, 'wa asleep': 961596, 'asleep absent': 96185, 'absent knew': 27203, 'knew nothing': 476062, 'nothing how': 573042, 'more incompetence': 539531, 'incompetence can': 432522, 'hold the door': 400018, 'the door so': 853583, 'door so the': 255713, 'grocery store knew': 365506, 'store knew in': 808656, 'knew in january': 476047, 'in january the': 424363, 'january the pandemic': 464684, 'the pandemic wa': 863145, 'pandemic wa coming': 636911, 'wa coming were': 961840, 'coming were communicating': 188293, 'were communicating china': 979455, 'communicating china were': 189562, 'china were running': 177057, 'were running tabletop': 980085, 'running tabletop exercise': 728088, 'tabletop exercise and': 831541, 'exercise and the': 290028, 'and the trump': 73625, 'trump admin wa': 933375, 'admin wa asleep': 32429, 'wa asleep absent': 961597, 'asleep absent knew': 96186, 'absent knew nothing': 27204, 'knew nothing how': 476063, 'nothing how much': 573043, 'much more incompetence': 545112, 'more incompetence can': 539532, 'incompetence can one': 432523, 'can one take': 159114, '70 are': 21737, 'if alone': 413797, 'alone tesco': 46916, 'and sainsbury': 70783, 'sainsbury both': 731652, 'that up': 847193, '11th april': 2745, 'what coronvirusuk': 981259, 'shopping over 70': 763579, 'over 70 are': 629901, '70 are being': 21738, 'isolate but have': 454833, 'way of getting': 969754, 'of getting food': 584121, 'getting food if': 348983, 'food if alone': 314887, 'if alone tesco': 413798, 'alone tesco and': 46917, 'tesco and sainsbury': 838658, 'and sainsbury both': 70784, 'sainsbury both have': 731653, 'both have no': 135927, 'slot and that': 774108, 'and that up': 73216, 'that up to': 847194, 'up to 11th': 946319, 'to 11th april': 899461, '11th april so': 2746, 'april so now': 83686, 'now what coronvirusuk': 576378, 'pces': 645903, '50billion': 20145, 'whereisbernie': 985438, 'joebuck': 466459, 'china can': 176537, 'produce 50k': 680164, '50k pces': 20168, 'pces everyday': 645904, 'nice come': 562377, 'on wholesaler': 605300, 'wholesaler you': 990537, 'gonna love': 356583, 'it handsanitizers': 458451, 'handsanitizers mask': 376702, 'sanitizers 50billion': 736181, '50billion whereisbernie': 20146, 'whereisbernie joebuck': 985439, 'sanitizer from china': 734945, 'from china can': 334852, 'china can produce': 176540, 'can produce 50k': 159308, 'produce 50k pces': 680165, '50k pces everyday': 20169, 'pces everyday and': 645905, 'everyday and the': 286533, 'are very nice': 91471, 'very nice come': 955381, 'nice come on': 562378, 'come on wholesaler': 187452, 'on wholesaler you': 605301, 'wholesaler you re': 990538, 're gonna love': 698763, 'gonna love it': 356584, 'love it handsanitizers': 504710, 'it handsanitizers mask': 458452, 'handsanitizers mask sanitizers': 376704, 'mask sanitizers 50billion': 519232, 'sanitizers 50billion whereisbernie': 736182, '50billion whereisbernie joebuck': 20147, 'too lax': 924843, 'lax these': 482581, 'these happened': 880094, 'happened yesterday': 377306, 'yesterday 30': 1015638, '30 fine': 17047, 'fine are': 307601, 'joke what': 467161, 'what game': 981492, 'game are': 343124, 'you playing': 1020349, 'playing force': 659403, 'lockdown lockdownuknow': 499625, 'lockdownuknow socialdistancing': 500453, 'lockdown is too': 499559, 'is too lax': 453280, 'too lax these': 924844, 'lax these happened': 482582, 'these happened yesterday': 880095, 'happened yesterday 30': 377307, 'yesterday 30 fine': 1015639, '30 fine are': 17048, 'fine are joke': 307602, 'are joke what': 87604, 'joke what game': 467162, 'what game are': 981493, 'game are you': 343125, 'are you playing': 91834, 'you playing force': 1020350, 'playing force the': 659404, 'force the lockdown': 328510, 'the lockdown lockdownuknow': 859613, 'lockdown lockdownuknow socialdistancing': 499626, 'be reaching': 116687, 'client soon': 182099, 'worried about bill': 1010477, 'discount we ll': 244565, 'll be reaching': 496614, 'be reaching out': 116688, 'our client soon': 622400, 'client soon to': 182100, 'soon to let': 785868, 'medal': 525934, 'shelf helping': 757153, 'stuff fast': 815062, 'fast they': 300054, 'they unload': 883607, 'unload it': 942795, 'deserve medal': 238079, 're working non': 699834, 'stop to restock': 805225, 'restock shelf helping': 716903, 'shelf helping people': 757154, 'helping people find': 391436, 'people find stuff': 647923, 'find stuff fast': 307257, 'stuff fast they': 815063, 'fast they unload': 300055, 'they unload it': 883608, 'unload it all': 942796, 'it all of': 456363, 'of you deserve': 593381, 'you deserve medal': 1018184, 'joked': 467175, 'opioid': 613525, 'case health': 165767, 'care executive': 163920, 'executive joked': 289907, 'joked about': 467176, 'dodge public': 251280, 'public pressure': 688244, 'the opioid': 862395, 'opioid crisis': 613526, 'investor call about': 444127, 'call about the': 155742, 'drug price in': 261047, 'some case health': 782487, 'case health care': 165768, 'health care executive': 386229, 'care executive joked': 163921, 'executive joked about': 289908, 'joked about using': 467178, 'using the attention': 950688, 'the attention on': 849031, 'attention on covid': 102467, '19 to dodge': 11422, 'to dodge public': 904617, 'dodge public pressure': 251281, 'public pressure on': 688245, 'on the opioid': 604263, 'the opioid crisis': 862396, 'opioid crisis by': 613527, 'price push': 676030, 'push kazakhstan': 690290, 'kazakhstan toward': 471174, 'oil price push': 597224, 'price push kazakhstan': 676031, 'push kazakhstan toward': 690291, 'kazakhstan toward recession': 471175, 'have listened': 381339, 'to feedback': 905739, 'feedback from': 302419, 'from sainsbury': 337146, 'sainsbury colleague': 731658, 'ha access': 369435, 'we have listened': 971859, 'have listened to': 381340, 'listened to feedback': 494780, 'to feedback from': 905740, 'feedback from you': 302422, 'from you and': 338454, 'you and from': 1016988, 'and from sainsbury': 63351, 'from sainsbury colleague': 337147, 'sainsbury colleague across': 731659, 'country and wanted': 210449, 'share some of': 755216, 'of the extra': 591005, 'extra step we': 293654, 'step we are': 799702, 'taking to make': 833635, 'everyone ha access': 286958, 'ha access to': 369436, 'to the item': 916821, 'adherent': 32225, 'supermarket associate': 819215, 'associate enforce': 96867, 'enforce these': 276693, 'these measure': 880285, 'measure wa': 525416, 'day many': 227964, 'many ignored': 514154, 'ignored socialdistancing': 415882, 'no enforcement': 564119, 'enforcement by': 276747, 'by mgmt': 153210, 'mgmt we': 530099, 'courteous adherent': 212020, 'adherent to': 32226, 'hope the supermarket': 403687, 'the supermarket associate': 868473, 'supermarket associate enforce': 819218, 'associate enforce these': 96868, 'enforce these measure': 276694, 'these measure wa': 880288, 'measure wa in': 525417, 'other day many': 620077, 'day many ignored': 227965, 'many ignored socialdistancing': 514156, 'ignored socialdistancing no': 415883, 'socialdistancing no enforcement': 780558, 'no enforcement by': 564120, 'enforcement by mgmt': 276749, 'by mgmt we': 153211, 'mgmt we all': 530100, 'we all must': 970343, 'all must do': 43534, 'must do our': 546631, 'part to be': 642461, 'to be courteous': 901184, 'be courteous adherent': 114264, 'courteous adherent to': 212021, 'adherent to these': 32227, 'to these measure': 917347, 'these measure that': 880287, 'measure that he': 525361, 'collective response': 186518, 'is bound': 446248, 'loss expert': 503671, 'say at': 738443, 'when insecurity': 983598, 'insecurity is': 439166, 'exist via': 290247, 'the collective response': 851158, 'collective response to': 186519, 'to the from': 916728, 'the from panic': 855834, 'store to restaurant': 810808, 'to restaurant closure': 913388, 'restaurant closure is': 716387, 'closure is bound': 183922, 'is bound to': 446249, 'bound to increase': 136861, 'increase food loss': 432771, 'food loss expert': 315351, 'loss expert say': 503673, 'expert say at': 291944, 'say at time': 738446, 'time when insecurity': 898288, 'when insecurity is': 983599, 'insecurity is on': 439167, 'the rise but': 865847, 'rise but solution': 722799, 'solution exist via': 782017, 'moonshot': 538352, 'booming social': 134899, 'need regulation': 555508, 'regulation that': 708116, 'allows the': 46395, 'full advantage': 340469, 'of moonshot': 586634, 'moonshot technology': 538353, 'is booming social': 446231, 'booming social distancing': 134900, 'distancing rule are': 247437, 'rule are changing': 727200, 'are changing our': 85239, 'changing our expectation': 172769, 'our expectation of': 622949, 'expectation of delivery': 290833, 'of delivery service': 582492, 'we need regulation': 972533, 'need regulation that': 555509, 'regulation that allows': 708117, 'that allows the': 842594, 'allows the uk': 46398, 'uk to take': 938829, 'to take full': 916182, 'take full advantage': 832144, 'full advantage of': 340470, 'advantage of moonshot': 33014, 'of moonshot technology': 586635, 'any retailer': 79761, 'retailer think': 719370, 'that selling': 846188, '15 is': 3748, 'okay then': 598019, 'seek retribution': 746605, 'retribution whatever': 719782, 'whatever that': 982799, 'if any retailer': 413834, 'any retailer think': 79763, 'retailer think that': 719371, 'think that selling': 885608, 'that selling pack': 846189, 'paper for 15': 640170, 'for 15 is': 318667, '15 is okay': 3749, 'is okay then': 450452, 'okay then they': 598020, 'then they shouldn': 877660, 'shouldn be surprised': 766729, 'be surprised when': 117487, 'surprised when people': 828619, 'when people seek': 983866, 'people seek retribution': 649375, 'seek retribution whatever': 746606, 'retribution whatever that': 719783, 'whatever that may': 982800, 'pattaya': 644438, 'makro': 511524, 'pattaya makro': 644439, 'makro full': 511525, 'shopper thai': 761738, 'thai and': 840073, 'and foreigner': 63197, 'foreigner stock': 329027, 'item thailand': 463682, 'pattaya makro full': 644440, 'makro full of': 511526, 'full of shopper': 340756, 'of shopper thai': 589651, 'shopper thai and': 761739, 'thai and foreigner': 840074, 'and foreigner stock': 63198, 'foreigner stock up': 329028, 'food item thailand': 315233, 'lapdog': 479530, 'join who': 466903, 'his new': 397639, 'book watchdog': 134624, 'watchdog and': 968623, 'it crucial': 457423, 'crucial now': 219464, 'watchdog not': 968633, 'not corporate': 568889, 'corporate lapdog': 207303, 'lapdog he': 479531, 'll offer': 496928, 'to join who': 908686, 'join who will': 466904, 'who will talk': 990004, 'talk about his': 833739, 'about his new': 25395, 'his new book': 397640, 'new book watchdog': 558415, 'book watchdog and': 134625, 'watchdog and why': 968624, 'and why it': 75630, 'why it crucial': 991139, 'it crucial now': 457424, 'crucial now for': 219465, 'now for the': 574727, 'the to go': 869679, 'being consumer watchdog': 124994, 'consumer watchdog not': 199485, 'watchdog not corporate': 968634, 'not corporate lapdog': 568890, 'corporate lapdog he': 207304, 'lapdog he ll': 479532, 'he ll offer': 385198, 'll offer tip': 496929, 'offer tip for': 594845, '2050': 14857, 'tissuepaperchallenge': 899252, 'paper 2050': 639759, '2050 toiletpaper': 14858, 'toiletpaper tissuepaperchallenge': 922616, 'tissuepaperchallenge tissuepaperchallenge': 899253, 'tissuepaperchallenge toiletpaperapocalypse': 899257, 'toiletpaperapocalypse corona': 922899, 'fuck is toilet': 339594, 'toilet paper 2050': 921173, 'paper 2050 toiletpaper': 639760, '2050 toiletpaper tissuepaperchallenge': 14859, 'toiletpaper tissuepaperchallenge tissuepaperchallenge': 922617, 'tissuepaperchallenge tissuepaperchallenge toiletpaperapocalypse': 899254, 'tissuepaperchallenge toiletpaperapocalypse corona': 899258, 'fund provides': 341479, 'provides supermarket': 686898, 'with bill': 997407, 'for york': 328026, 'york resident': 1016658, 'new emergency fund': 558673, 'emergency fund provides': 272724, 'fund provides supermarket': 341480, 'provides supermarket voucher': 686899, 'voucher and help': 960631, 'and help with': 64481, 'help with bill': 390899, 'with bill for': 997408, 'bill for york': 130577, 'for york resident': 328027, 'next for home': 561369, 'for home price': 322347, 'home price amid': 401891, '19 via online': 11763, 'out saw': 627145, 'saw everybody': 738108, 'everybody out': 286473, 'street party': 813064, 'party while': 643063, 'now convinced': 574448, 'convinced nobody': 202665, 'care now': 164078, 'virus done': 958145, 'done stayhome': 255025, 'store while wa': 811290, 'while wa out': 987524, 'wa out saw': 962880, 'out saw everybody': 627146, 'saw everybody out': 738109, 'everybody out on': 286474, 'the street party': 868243, 'street party while': 813065, 'party while we': 643064, 'while we supposed': 987557, 'lockdown now convinced': 499701, 'now convinced nobody': 574449, 'convinced nobody care': 202666, 'nobody care now': 565989, 'care now have': 164079, 'now have family': 574872, 'family member that': 298044, 'member that have': 528210, 'the virus done': 870827, 'virus done stayhome': 958146, 'ineos': 436321, 'firmenich': 308459, 'ineos and': 436324, 'and firmenich': 62927, 'firmenich rapidly': 308460, 'rapidly increase': 696992, 'increase hand': 432802, 'production cpistrong': 681983, 'ineos and firmenich': 436325, 'and firmenich rapidly': 62928, 'firmenich rapidly increase': 308461, 'rapidly increase hand': 696993, 'increase hand sanitizer': 432803, 'sanitizer production cpistrong': 735597, 'production cpistrong handsanitizer': 681984, 'think hand': 885271, 'soon use': 785883, 'use marketing': 949361, 'marketing tactic': 517717, 'tactic kill': 831698, 'kill 23': 474322, '23 more': 15414, 'effectively than': 269372, 'than leading': 840841, 'leading brand': 483682, 'you think hand': 1021659, 'think hand soap': 885272, 'sanitizer company will': 734678, 'company will soon': 191339, 'will soon use': 994904, 'soon use marketing': 785884, 'use marketing tactic': 949362, 'marketing tactic kill': 517719, 'tactic kill 23': 831699, 'kill 23 more': 474323, '23 more effectively': 15415, 'more effectively than': 539114, 'effectively than leading': 269373, 'than leading brand': 840842, 'he heard': 385083, 'heard my': 388112, 'old say': 598456, 'gone he': 356295, 'much he': 544986, 'he stopped': 385484, 'stopped what': 805780, 'came over': 157049, 'mom encourages': 535726, 'encourages to': 275707, 'thank an': 841539, 'he heard my': 385084, 'heard my year': 388113, 'year old say': 1014865, 'old say is': 598457, 'say is it': 738820, 'it really all': 460625, 'really all gone': 701959, 'all gone he': 42962, 'gone he didn': 356296, 'he didn have': 384881, 'have much he': 381530, 'much he stopped': 544988, 'he stopped what': 385486, 'stopped what he': 805781, 'what he wa': 981589, 'wa doing and': 962000, 'doing and came': 252287, 'and came over': 59442, 'came over to': 157051, 'over to mom': 630838, 'to mom encourages': 910221, 'mom encourages to': 535727, 'encourages to thank': 275708, 'to thank an': 916419, 'thank an employee': 841540, 'an employee during': 55706, 'employee during covid': 273792, 'given flavour': 350993, 'flavour of': 310247, 'the vote': 870960, 'vote leave': 960494, 'leave government': 484803, 'government no': 360380, 'like long': 490667, 'job business': 465706, 'down nh': 256982, 'nh in': 561990, 'taking back': 833279, 'back control': 106937, 'control will': 202211, 'ha given flavour': 370712, 'given flavour of': 350994, 'flavour of what': 310248, 'what the vote': 982373, 'the vote leave': 870961, 'vote leave government': 960495, 'leave government no': 484804, 'government no deal': 360381, 'no deal will': 563972, 'deal will look': 229528, 'look like long': 502492, 'like long queue': 490670, 'supermarket no food': 821608, 'shelf people losing': 757403, 'their job business': 873703, 'job business and': 465707, 'business and shop': 143330, 'and shop shut': 71514, 'shop shut down': 760788, 'shut down nh': 767837, 'down nh in': 256983, 'nh in crisis': 561991, 'in crisis taking': 421895, 'crisis taking back': 218128, 'taking back control': 833280, 'back control will': 106938, 'control will be': 202212, 'will be shit': 992679, 'spanish union': 787418, 'union secure': 941934, 'secure better': 744429, 'worker covid': 1006710, 'toll via': 923890, 'spanish union secure': 787419, 'union secure better': 941935, 'secure better protection': 744430, 'better protection for': 128435, 'protection for supermarket': 685447, 'supermarket worker covid': 824006, 'worker covid 19': 1006711, '19 take it': 11027, 'it toll via': 461787, 'qmu': 691572, 'right troop': 722375, 'troop bit': 932537, 'sign our': 769184, 'for qmu': 324882, 'qmu to': 691573, 'our ability': 622009, 'rent pls': 711153, 'pls rt': 661171, 'rt xx': 726855, 'right troop bit': 722376, 'troop bit of': 932538, 'bit of serious': 131661, 'of serious one': 589522, 'serious one but': 751439, 'one but please': 606027, 'but please help': 146799, 'me out and': 523297, 'out and sign': 625691, 'and sign our': 71656, 'sign our petition': 769187, 'our petition for': 624328, 'petition for qmu': 653607, 'for qmu to': 324883, 'qmu to consider': 691574, 'had on our': 373362, 'on our ability': 602570, 'our ability to': 622010, 'ability to pay': 24395, 'pay rent pls': 645085, 'rent pls rt': 711154, 'pls rt xx': 661173, 'price disgusting': 673458, 'disgusting organization': 245436, 'organization want': 619441, 'tv service': 936187, 'cant due': 162278, 'in contract': 421753, 'coronacrisis are increasing': 204515, 'their price disgusting': 874389, 'price disgusting organization': 673459, 'disgusting organization want': 245437, 'organization want to': 619442, 'of their tv': 591712, 'their tv service': 875057, 'tv service but': 936188, 'service but cant': 752189, 'but cant due': 145389, 'cant due to': 162279, 'due to still': 261974, 'to still being': 915406, 'still being in': 800277, 'being in contract': 125296, 'me officer': 523252, 'am just': 50158, 'do not shoot': 249843, 'not shoot me': 571556, 'shoot me officer': 759737, 'me officer am': 523253, 'officer am just': 595617, 'am just going': 50160, 'costcofinds': 208303, 'costcobuys': 208300, 'costcodeals': 208302, 'policy we': 663534, 'had started': 373551, 'started sooner': 794838, 'sooner stophoarding': 785923, 'stophoarding costco': 805383, 'toiletpaper stayinside': 922535, 'stayinside papertowels': 798752, 'papertowels costcofinds': 641170, 'costcofinds costcobuys': 208304, 'costcobuys costcodeals': 208301, 'about this new': 26649, 'this new policy': 889121, 'new policy we': 559305, 'policy we only': 663535, 'we only wish': 972652, 'only wish it': 611484, 'wish it had': 996776, 'it had started': 458435, 'had started sooner': 373553, 'started sooner stophoarding': 794839, 'sooner stophoarding costco': 785924, 'stophoarding costco toiletpaper': 805384, 'costco toiletpaper stayinside': 208278, 'toiletpaper stayinside papertowels': 922536, 'stayinside papertowels costcofinds': 798753, 'papertowels costcofinds costcobuys': 641171, 'costcofinds costcobuys costcodeals': 208305, 'far grocery': 298794, 'trip go': 932075, 'my tactic': 550306, 'tactic is': 831694, 'out fast': 626059, 'then immediately': 877255, 'immediately set': 417146, 'set fire': 753371, 'fire to': 308126, 'everything ve': 288068, 'just purchased': 469516, 'far grocery store': 298795, 'store trip go': 810947, 'trip go these': 932076, 'day my tactic': 228004, 'my tactic is': 550307, 'tactic is to': 831695, 'and out fast': 68533, 'out fast possible': 626062, 'possible and then': 665575, 'and then immediately': 73771, 'then immediately set': 877257, 'immediately set fire': 417147, 'set fire to': 753372, 'fire to everything': 308127, 'to everything ve': 905366, 'everything ve just': 288069, 've just purchased': 953305, 'ivl9txzrtm': 464056, 'north of': 567669, 'of barcelona': 580553, 'reuters http': 720194, 'co ivl9txzrtm': 184865, 'outbreak in el': 628340, 'masnou north of': 519713, 'north of barcelona': 567670, 'of barcelona spain': 580554, 'gea reuters http': 344934, 'reuters http co': 720195, 'http co ivl9txzrtm': 409766, 'ahram': 39278, 'egyptian spent': 270128, 'spent le': 789140, 'le time': 483203, '2020 google': 14343, '19 mobility': 8667, 'mobility change': 535079, 'change report': 172241, 'report politics': 712178, 'politics egypt': 663780, 'egypt ahram': 270098, 'ahram online': 39279, 'egyptian spent le': 270129, 'spent le time': 789141, 'le time in': 483204, 'time in shopping': 897013, 'in shopping and': 427905, 'shopping and transportation': 762035, 'and transportation in': 74386, 'transportation in march': 930014, 'march 2020 google': 515159, '2020 google covid': 14344, 'covid 19 mobility': 213442, '19 mobility change': 8668, 'mobility change report': 535080, 'change report politics': 172242, 'report politics egypt': 712179, 'politics egypt ahram': 663781, 'egypt ahram online': 270099, 'vacationer': 951613, 'snowbird': 776398, 'lcbo': 482788, 'returning vacationer': 720029, 'vacationer snowbird': 951614, 'snowbird please': 776401, 'listen self': 494712, 'isolating mean': 455128, 'the lcbo': 859209, 'lcbo grocery': 482789, 'pharmacy before': 654253, 'before hunkering': 122859, 'sick now': 768529, 'change over': 172222, 'next 14': 561263, 'day help': 227749, 'returning vacationer snowbird': 720030, 'vacationer snowbird please': 951615, 'snowbird please listen': 776402, 'please listen self': 660196, 'listen self isolating': 494713, 'self isolating mean': 747732, 'isolating mean not': 455129, 'mean not going': 524573, 'to the lcbo': 916840, 'the lcbo grocery': 859210, 'lcbo grocery store': 482790, 'and pharmacy before': 68965, 'pharmacy before hunkering': 654254, 'before hunkering down': 122860, 'hunkering down at': 411346, 'home you do': 402583, 'not feel sick': 569386, 'feel sick now': 302845, 'sick now but': 768530, 'now but that': 574293, 'could change over': 209012, 'change over the': 172223, 'the next 14': 861645, 'next 14 day': 561264, '14 day help': 3447, 'pmmodioncorona': 662064, 'government form': 360107, 'form covid': 329502, 'response task': 715801, 'force pm': 328480, 'pm via': 662021, 'cautionyespanicno pmmodioncorona': 168205, 'government form covid': 360108, 'form covid 19': 329503, '19 economic response': 6702, 'economic response task': 267256, 'response task force': 715802, 'task force pm': 834695, 'force pm via': 328481, 'pm via cautionyespanicno': 662022, 'via cautionyespanicno pmmodioncorona': 955854, 'and adaptation': 57667, 'adaptation to': 31307, 'in trinidad': 430287, 'trinidad maybe': 932029, 'positive impact': 665347, 'trinidad amp': 932025, 'amp tobago': 54717, 'tobago in': 919096, 'situation get': 772283, '19 we enter': 11927, 'we enter the': 971469, 'enter the rise': 278316, 'rise and adaptation': 722778, 'and adaptation to': 57668, 'adaptation to local': 31308, 'to local online': 909380, 'local online shopping': 498232, 'shopping in trinidad': 762994, 'in trinidad maybe': 430290, 'trinidad maybe the': 932030, 'maybe the only': 521833, 'the only positive': 862332, 'only positive impact': 611002, 'positive impact to': 665351, 'impact to business': 418029, 'business in trinidad': 143909, 'in trinidad amp': 430288, 'trinidad amp tobago': 932026, 'amp tobago in': 54718, 'tobago in this': 919097, 'this situation get': 890176, 'situation get your': 772284, 'get your business': 348693, 'your business online': 1023071, 'mbpd': 522063, 'russian were': 728678, 'record for': 704967, 'for mbpd': 323300, 'mbpd production': 522064, 'business back': 143413, 'of april 9th': 580324, 'april 9th the': 83529, '9th the russian': 24030, 'the russian were': 866105, 'russian were on': 728679, 'on the record': 604325, 'the record for': 865363, 'record for mbpd': 704968, 'for mbpd production': 323301, 'mbpd production cut': 522065, 'production cut or': 681998, 'cut or about': 223460, 'or about 15': 614240, 'about 15 people': 24650, '15 people are': 3812, 'more concerned about': 538855, 'concerned about testing': 193174, 'about testing for': 26313, '19 than they': 11133, 'they are about': 881187, 'are about you': 84161, 'about you getting': 26974, 'you getting very': 1018815, 'getting very big': 349430, 'very big business': 955020, 'big business back': 129678, 'is 60': 445218, 'sale im': 732286, 'talk him': 833800, 'edge but': 268500, 'seems pretty': 746837, 'pretty determined': 671394, 'determined do': 239452, 'not wanna': 572430, 'wanna go': 965637, 'bus but': 143005, 'want him': 965816, 'bus even': 143036, 'le im': 482987, 'im stressed': 416584, 'father is 60': 300291, 'is 60 and': 445220, '60 and want': 20907, 'store for stuff': 807839, 'for stuff that': 325953, 'stuff that on': 815197, 'that on sale': 845485, 'on sale im': 603268, 'sale im trying': 732287, 'trying to talk': 934889, 'to talk him': 916283, 'talk him off': 833801, 'him off the': 396678, 'off the edge': 594245, 'the edge but': 854050, 'edge but he': 268501, 'but he seems': 145904, 'he seems pretty': 385417, 'seems pretty determined': 746839, 'pretty determined do': 671395, 'determined do not': 239453, 'do not wanna': 249886, 'not wanna go': 572431, 'wanna go on': 965639, 'the bus but': 850139, 'bus but want': 143007, 'but want him': 147721, 'want him on': 965817, 'the bus even': 850141, 'bus even le': 143037, 'even le im': 284288, 'le im stressed': 482988, 'carling': 164747, 'stella': 799447, 'birra': 131390, 'moretti': 541079, '179': 4457, '09p': 1176, 'license from': 488136, 'tomorrow carling': 924049, 'carling 14': 164748, 'per can': 650728, 'can foster': 158380, 'foster 17': 330099, '17 99': 4326, 'can stella': 159757, 'stella 23': 799448, '23 99': 15374, 'can birra': 157763, 'birra moretti': 131391, 'moretti 43': 541080, '43 99': 18955, 'bottle jack': 136255, 'jack daniel': 464101, 'daniel 149': 225814, '149 99': 3602, 'litre diamond': 495145, 'diamond white': 240342, 'white 179': 987810, '179 99': 4458, 'litre corona': 495139, 'corona 09p': 203777, '09p bottle': 1177, 'bottle chinesevirus': 136205, 'price in off': 674717, 'in off license': 426062, 'off license from': 593952, 'license from tomorrow': 488137, 'from tomorrow carling': 338093, 'tomorrow carling 14': 924050, 'carling 14 99': 164749, '14 99 per': 3412, '99 per can': 23879, 'per can foster': 650730, 'can foster 17': 158381, 'foster 17 99': 330100, '17 99 per': 4327, 'per can stella': 650731, 'can stella 23': 159758, 'stella 23 99': 799449, '23 99 per': 15375, 'per can birra': 650729, 'can birra moretti': 157764, 'birra moretti 43': 131392, 'moretti 43 99': 541081, '43 99 per': 18956, '99 per bottle': 23878, 'per bottle jack': 650720, 'bottle jack daniel': 136256, 'jack daniel 149': 464102, 'daniel 149 99': 225815, '149 99 litre': 3603, '99 litre diamond': 23857, 'litre diamond white': 495146, 'diamond white 179': 240343, 'white 179 99': 987811, '179 99 litre': 4459, '99 litre corona': 23856, 'litre corona 09p': 495140, 'corona 09p bottle': 203778, '09p bottle chinesevirus': 1178, 'strangest': 812508, 'happy friday': 377621, 'the strangest': 868199, 'strangest week': 812509, 'week ever': 976194, 'ever ve': 285577, 'admit didn': 32596, 'didn envision': 241044, '2020 being': 14172, 'being finding': 125146, 'finding bag': 307442, 'happy friday this': 377623, 'friday this ha': 333301, 'been the strangest': 122169, 'the strangest week': 868200, 'strangest week ever': 812510, 'week ever ve': 976195, 'ever ve got': 285578, 'got to admit': 358949, 'to admit didn': 900116, 'admit didn envision': 32597, 'didn envision the': 241045, 'envision the highlight': 279214, 'of my 2020': 586727, 'my 2020 being': 547137, '2020 being finding': 14173, 'being finding bag': 125147, 'finding bag of': 307443, 'of pasta in': 587809, 'arose': 93086, 'outbreak shutting': 628627, 'down hundred': 256847, 'industry continues': 435745, 'combat cyber': 187001, 'cyber shopping': 223944, 'an enemy': 55742, 'enemy that': 276366, 'that arose': 842865, 'arose well': 93087, '19 outbreak shutting': 9186, 'outbreak shutting down': 628628, 'shutting down hundred': 768264, 'down hundred of': 256848, 'thousand of store': 893464, 'country the retail': 211134, 'retail industry continues': 718212, 'industry continues to': 435746, 'continues to combat': 201465, 'to combat cyber': 902992, 'combat cyber shopping': 187002, 'cyber shopping an': 223945, 'shopping an enemy': 761959, 'an enemy that': 55744, 'enemy that arose': 276367, 'that arose well': 842866, 'arose well before': 93088, 'well before the': 978050, 'pandemic read about': 636296, 'future of retail': 342398, 'scottyfrommarketing': 742495, 'weren so': 980418, 'so ignorant': 777361, 'and listening': 66226, 'to scottyfrommarketing': 913919, 'scottyfrommarketing they': 742498, 'be is': 115547, 'is crowded': 446954, 'others pushing': 621597, 'pushing and': 690394, 'and grabbing': 63908, 'grabbing the': 361592, 'catch co': 166988, 'if so many': 414829, 'many people weren': 514546, 'people weren so': 650235, 'weren so ignorant': 980419, 'so ignorant and': 777362, 'ignorant and listening': 415774, 'and listening to': 66227, 'listening to scottyfrommarketing': 494814, 'to scottyfrommarketing they': 913920, 'scottyfrommarketing they wouldn': 742499, 'they wouldn feel': 883959, 'wouldn feel the': 1012464, 'hoard and panic': 398756, 'panic the worst': 638688, 'to be is': 901344, 'be is crowded': 115549, 'is crowded supermarket': 446955, 'supermarket with others': 823933, 'with others pushing': 999971, 'others pushing and': 621598, 'pushing and grabbing': 690395, 'and grabbing the': 63910, 'grabbing the best': 361593, 'to catch co': 902496, 'lathicharge': 481632, 'bengaluru police': 127214, 'police lathicharge': 663077, 'lathicharge throw': 481633, 'bad light': 107923, 'light lockdown': 489544, 'bengaluru police lathicharge': 127215, 'police lathicharge throw': 663078, 'lathicharge throw them': 481634, 'them in bad': 875893, 'in bad light': 420659, 'bad light lockdown': 107924, 'sterling hit': 799905, 'sterling hit 35': 799906, 'low against the': 505110, 'against the dollar': 37654, 'the dollar crude': 853517, 'price plunged to': 675937, 'plunged to 25': 661508, 'to 25 the': 899641, 'sbry': 739830, 'group sainsbury': 366872, 'sainsbury sbry': 731715, 'sbry said': 739831, 'customer purchasing': 222734, 'it imposed': 458713, 'imposed response': 419312, 'supermarket group sainsbury': 820597, 'group sainsbury sbry': 366873, 'sainsbury sbry said': 731716, 'sbry said on': 739832, 'said on friday': 731283, 'on friday it': 601006, 'friday it would': 333245, 'it would start': 462606, 'start to remove': 794593, 'to remove the': 913222, 'remove the customer': 710839, 'the customer purchasing': 852729, 'customer purchasing limit': 222735, 'purchasing limit it': 689883, 'limit it imposed': 492376, 'it imposed response': 458714, 'imposed response to': 419313, 'response to increased': 715856, 'countires': 210367, 'called nebraska': 156385, 'nebraska and': 553892, 'and idaho': 64923, 'idaho and': 412967, 'and iowa': 65373, 'iowa countires': 444487, 'countires do': 210368, 'to thing': 917367, 'say listen': 738893, 'even then': 284673, 'then double': 877135, 'double check': 255988, 'trump just called': 933668, 'just called nebraska': 468415, 'called nebraska and': 156386, 'nebraska and idaho': 553893, 'and idaho and': 64924, 'idaho and iowa': 412968, 'and iowa countires': 65374, 'iowa countires do': 444488, 'countires do not': 210369, 'listen to thing': 494756, 'to thing this': 917368, 'thing this man': 884865, 'this man say': 888758, 'man say listen': 512221, 'say listen to': 738894, 'the doctor and': 853457, 'doctor and even': 250817, 'and even then': 62348, 'even then double': 284674, 'then double check': 877136, 'double check it': 255989, '4apeoplesparty': 19433, '4apeoplesparty gilead': 19434, 'science the': 742143, 'company producing': 190980, 'producing remdesivir': 680800, 'remdesivir the': 710132, 'most promising': 542666, 'promising drug': 683746, 'symptom is': 830861, 'one such': 607130, 'such firm': 816494, 'firm facing': 308352, 'facing investor': 295507, 'investor pressure': 444187, 'during any': 262462, 'is despicable': 447140, 'despicable corporategreed': 238629, '4apeoplesparty gilead science': 19435, 'gilead science the': 350129, 'science the company': 742144, 'the company producing': 851347, 'company producing remdesivir': 190981, 'producing remdesivir the': 680801, 'remdesivir the most': 710133, 'the most promising': 861020, 'most promising drug': 542667, 'promising drug to': 683747, '19 symptom is': 11017, 'symptom is one': 830862, 'is one such': 450510, 'one such firm': 607131, 'such firm facing': 816495, 'firm facing investor': 308353, 'facing investor pressure': 295508, 'investor pressure to': 444188, 'pressure to raise': 671246, 'raise price price': 695926, 'gouging during any': 359309, 'during any time': 262464, 'any time of': 79974, 'crisis is despicable': 217566, 'is despicable corporategreed': 447141, 'footed': 318534, 'digital banking': 242512, 'banking ha': 110430, 'been greater': 121233, 'greater unfortunately': 363260, 'unfortunately many': 941621, 'were delaying': 979505, 'delaying digital': 232825, 'transformation effort': 929562, 'been caught': 120806, 'caught flat': 167416, 'flat footed': 310073, 'coronavirus consumer demand': 205680, 'for digital banking': 320707, 'digital banking ha': 242513, 'banking ha never': 110432, 'never been greater': 557895, 'been greater unfortunately': 121236, 'greater unfortunately many': 363261, 'unfortunately many organization': 941623, 'many organization that': 514423, 'organization that were': 619433, 'that were delaying': 847437, 'were delaying digital': 979506, 'delaying digital transformation': 232826, 'digital transformation effort': 242670, 'transformation effort have': 929563, 'effort have been': 269525, 'have been caught': 379488, 'been caught flat': 120808, 'caught flat footed': 167417, 'ploughed': 661092, 'we ploughed': 972716, 'ploughed in': 661093, 'last crop': 480172, 'crop double': 218915, 'double effect': 256012, 'of drought': 582840, 'drought meaning': 260769, 'meaning their': 524840, 'their quality': 874521, 'quality wasn': 691874, 'wasn 100': 967950, '100 so': 2080, 'so selling': 778182, 'fruit would': 339204, 'become impossible': 120029, 'impossible under': 419408, 'under current': 940065, '19 market': 8554, 'market amp': 515938, 'we ploughed in': 972717, 'ploughed in our': 661094, 'in our last': 426308, 'our last crop': 623643, 'last crop double': 480173, 'crop double effect': 218916, 'double effect of': 256013, 'effect of drought': 269046, 'of drought meaning': 582841, 'drought meaning their': 260770, 'meaning their quality': 524841, 'their quality wasn': 874522, 'quality wasn 100': 691875, 'wasn 100 so': 967951, '100 so selling': 2082, 'so selling the': 778183, 'selling the fruit': 749476, 'the fruit would': 855913, 'fruit would have': 339205, 'would have become': 1011869, 'have become impossible': 379438, 'become impossible under': 120031, 'impossible under current': 419409, 'under current covid': 940066, 'covid 19 market': 213402, '19 market amp': 8555, 'market amp consumer': 515939, 'amp consumer buying': 53564, 'twizzlers': 936759, 'learn thing': 484076, 'about ourselves': 25906, 'we hunker': 972049, 'instance learned': 440079, 'that red': 845974, 'red vine': 705622, 'vine and': 957429, 'and twizzlers': 74546, 'twizzlers are': 936760, 'for familiar': 321380, 'familiar comfort': 297527, 'panic ordered': 638373, 'shipping they': 758927, 'not equal': 569207, 'going to learn': 355639, 'to learn thing': 909139, 'learn thing about': 484077, 'thing about ourselves': 884088, 'about ourselves we': 25907, 'ourselves we hunker': 625504, 'we hunker down': 972050, 'hunker down through': 411339, 'down through for': 257348, 'through for instance': 894473, 'for instance learned': 322610, 'instance learned that': 440080, 'learned that red': 484148, 'that red vine': 845975, 'red vine and': 705623, 'vine and twizzlers': 957430, 'and twizzlers are': 74547, 'twizzlers are not': 936761, 'are not at': 88326, 'same thing and': 733332, 'thing and if': 884124, 'if you reach': 415499, 'you reach for': 1020805, 'reach for familiar': 699921, 'for familiar comfort': 321381, 'familiar comfort food': 297528, 'comfort food that': 187841, 'you panic ordered': 1020288, 'panic ordered to': 638374, 'ordered to get': 618921, 'get free shipping': 347096, 'free shipping they': 332163, 'shipping they are': 758928, 'are not equal': 88359, 'orrin': 619680, 'orrin oil': 619681, 'crashing due': 215110, 'and crazy': 60699, 'crazy opec': 215369, 'now pumping': 575621, 'pumping to': 689137, 'it maximum': 459543, 'maximum capacity': 520812, 'capacity see': 162572, 'but slowly': 147067, 'slowly lower': 774611, 'orrin oil is': 619682, 'oil is just': 596908, 'is just in': 449135, 'just in very': 469052, 'very difficult situation': 955122, 'difficult situation demand': 242263, 'situation demand is': 772236, 'demand is crashing': 235720, 'is crashing due': 446881, 'crashing due to': 215111, 'to and crazy': 900493, 'and crazy opec': 60700, 'crazy opec is': 215370, 'opec is now': 611905, 'is now pumping': 450318, 'now pumping to': 575622, 'pumping to it': 689138, 'to it maximum': 908596, 'it maximum capacity': 459544, 'maximum capacity see': 520813, 'capacity see no': 162573, 'see no other': 745486, 'other way but': 621186, 'way but slowly': 969508, 'but slowly lower': 147068, 'slowly lower in': 774612, 'lower in price': 505880, 'my neighbourhood': 549445, 'neighbourhood drew': 557272, 'drew this': 258722, 'this outside': 889336, 'store protectthenhs': 809687, 'protectthenhs stayhomesavelives': 685854, 'stayhomesavelives thankyounhs': 798475, 'kid in my': 474014, 'in my neighbourhood': 425605, 'my neighbourhood drew': 549447, 'neighbourhood drew this': 557273, 'drew this outside': 258724, 'this outside our': 889337, 'grocery store protectthenhs': 365686, 'store protectthenhs stayhomesavelives': 809688, 'protectthenhs stayhomesavelives thankyounhs': 685855, 'statio': 796316, 'possibly say': 665953, 'they contracted': 881806, 'it surely': 461391, 'can understand': 160075, 'have picked': 381930, 'picked it': 655796, 'petrol statio': 653787, 'one can possibly': 606047, 'can possibly say': 159272, 'possibly say where': 665954, 'say where they': 739482, 'where they contracted': 985275, 'they contracted it': 881807, 'contracted it work': 201747, 'it work in': 462503, 'the hospital but': 857518, 'hospital but if': 404336, 'but if get': 145989, '19 it doe': 8130, 'mean that is': 524681, 'that is where': 844676, 'is where got': 453928, 'where got it': 984893, 'got it surely': 358652, 'it surely you': 461392, 'surely you can': 827963, 'you can understand': 1017820, 'can understand that': 160077, 'understand that could': 940725, 'could have picked': 209264, 'have picked it': 381931, 'picked it in': 655797, 'the supermarket petrol': 868749, 'supermarket petrol statio': 821969, 'imlearningfx': 416941, 'amazon greater': 50965, 'greater lead': 363198, 'retail many': 718308, 'many brick': 513835, 'store expected': 807682, 'expected go': 290897, 'go close': 353414, 'close long': 182710, 'term result': 838272, 'outbreak imlearningfx': 628326, '19 to give': 11429, 'to give amazon': 906671, 'give amazon greater': 350376, 'amazon greater lead': 50966, 'greater lead in': 363199, 'lead in retail': 483288, 'in retail many': 427461, 'retail many brick': 718309, 'many brick and': 513836, 'mortar store expected': 541839, 'store expected go': 807683, 'expected go close': 290898, 'go close long': 353415, 'close long term': 182711, 'long term result': 501711, 'term result of': 838273, 'the outbreak imlearningfx': 862645, 'farage': 298989, 'mayfair': 521903, 'peddling': 646198, 'that uber': 847155, 'uber spiv': 937830, 'spiv farage': 789622, 'farage ha': 298990, 'been anticipating': 120662, 'anticipating his': 78478, 'his entire': 397396, 'surprised therefore': 828610, 'therefore if': 879435, 'you soon': 1021308, 'soon see': 785811, 'of mayfair': 586314, 'mayfair peddling': 521904, 'peddling calpol': 646199, 'at bitcoin': 98136, 'pandemic might be': 635962, 'be the crisis': 117607, 'crisis that uber': 218157, 'that uber spiv': 847156, 'uber spiv farage': 937831, 'spiv farage ha': 789623, 'farage ha been': 298991, 'ha been anticipating': 369719, 'been anticipating his': 120663, 'anticipating his entire': 78479, 'his entire life': 397397, 'entire life don': 278698, 'life don be': 488608, 'don be surprised': 253371, 'be surprised therefore': 117485, 'surprised therefore if': 828611, 'therefore if you': 879436, 'if you soon': 415522, 'you soon see': 1021309, 'soon see him': 785812, 'see him on': 745205, 'street of mayfair': 813051, 'of mayfair peddling': 586315, 'mayfair peddling calpol': 521905, 'peddling calpol and': 646200, 'and paracetamol at': 68700, 'paracetamol at bitcoin': 641225, 'at bitcoin price': 98137, 'briljante': 139831, 'ha briljante': 370029, 'briljante trick': 139832, 'trick against': 931689, 'hoarding product': 399486, 'product first': 681187, 'first product': 308883, 'product euro': 681164, 'second one': 743779, 'one 134': 605846, '134 euro': 3329, 'euro genius': 283357, 'genius coronacrisis': 345771, 'supermarket ha briljante': 820620, 'ha briljante trick': 370030, 'briljante trick against': 139833, 'trick against hoarding': 931690, 'against hoarding product': 37495, 'hoarding product first': 399487, 'product first product': 681188, 'first product euro': 308884, 'product euro second': 681165, 'euro second one': 283372, 'second one 134': 743780, 'one 134 euro': 605847, '134 euro genius': 3330, 'euro genius coronacrisis': 283358, 'genius coronacrisis corona': 345772, 'rathod': 697579, 'join mishra19': 466786, 'mishra19 rathod': 534053, 'puzzle join mishra19': 691330, 'join mishra19 rathod': 466787, 'nation work': 552397, '11am listen': 2721, 'listen live': 494691, 'we ll take': 972282, 'll take look': 497061, 'the nation work': 861279, 'nation work is': 552398, 'work is there': 1005377, 'there shortage and': 879041, 'shortage and more': 764822, 'and more with': 67231, 'more with at': 540995, 'with at 11am': 997332, 'at 11am listen': 97445, '11am listen live': 2722, 'marylandlockdown': 518222, 'marylandcoronavirus': 518216, 'useyourheadmd': 950341, 'continued this': 201350, 'taken while': 833125, 'home maryland': 401587, 'maryland marylandlockdown': 518212, 'marylandlockdown marylandcoronavirus': 518223, 'marylandcoronavirus useyourheadmd': 518217, 'useyourheadmd everyone': 950342, 'continued this video': 201351, 'this video wa': 890989, 'video wa taken': 956950, 'wa taken while': 963398, 'taken while going': 833126, 'for essential after': 321092, 'essential after week': 280759, 'after week in': 36525, 'the house please': 857625, 'house please stay': 406460, 'at home maryland': 99044, 'home maryland marylandlockdown': 401588, 'maryland marylandlockdown marylandcoronavirus': 518213, 'marylandlockdown marylandcoronavirus useyourheadmd': 518224, 'marylandcoronavirus useyourheadmd everyone': 518218, 'useyourheadmd everyone ha': 950343, 'everyone ha to': 286976, 'ha to do': 372296, 'do their par': 250278, 'deepest': 231976, 'my deepest': 547968, 'deepest gratitude': 231979, 'his leadership': 397573, 'leadership amp': 483580, 'amp effort': 53700, 'world safe': 1009950, 'leader tomorrow': 483558, 'tomorrow amp': 924019, 'amp encourage': 53728, 'encourage them': 275636, 'continue expressing': 201031, 'expressing their': 293088, 'their solidarity': 874754, 'my deepest gratitude': 547969, 'deepest gratitude to': 231980, 'gratitude to for': 362399, 'to for his': 906139, 'for his leadership': 322306, 'his leadership amp': 397574, 'leadership amp effort': 483581, 'amp effort to': 53701, 'the world safe': 871957, 'world safe from': 1009951, 'safe from am': 729689, 'from am pleased': 334452, 'pleased to address': 660798, 'address the leader': 32040, 'the leader tomorrow': 859226, 'leader tomorrow amp': 483559, 'tomorrow amp encourage': 924020, 'amp encourage them': 53729, 'encourage them to': 275637, 'them to continue': 876464, 'to continue expressing': 903384, 'continue expressing their': 201032, 'expressing their solidarity': 293089, 'their solidarity in': 874756, 'solidarity in the': 781936, 'chocolatiers': 177715, 'chocolatiers slash': 177716, 'price shopper': 676379, 'lockdown buy': 499218, 'toiletpaper instead': 922128, 'bunny news': 142705, 'news parliament': 560691, 'chocolatiers slash price': 177717, 'slash price shopper': 773590, 'price shopper in': 676380, 'shopper in lockdown': 761562, 'in lockdown buy': 424836, 'lockdown buy toiletpaper': 499219, 'buy toiletpaper instead': 149384, 'toiletpaper instead of': 922129, 'instead of easter': 440258, 'of easter bunny': 582925, 'easter bunny news': 265399, 'bunny news parliament': 142706, 'awarded': 105589, 'laffer': 478882, 'presidential': 670985, 'keynesian': 473548, 'trump awarded': 933428, 'awarded art': 105590, 'art laffer': 94166, 'laffer the': 478883, 'the presidential': 864275, 'presidential medal': 670992, 'medal of': 525939, 'of freedom': 583926, 'freedom month': 332373, 'ago funny': 38389, 'how recession': 408568, 'recession during': 704265, 'during gop': 262664, 'gop presidency': 358268, 'presidency turn': 670744, 'turn all': 935638, 'supply siders': 825856, 'siders into': 768935, 'into keynesian': 442687, 'keynesian who': 473549, 'who realize': 989506, 'realize consumer': 701836, 'demand actually': 234906, 'actually drive': 30785, 'trump awarded art': 933429, 'awarded art laffer': 105591, 'art laffer the': 94167, 'laffer the presidential': 478884, 'the presidential medal': 864278, 'presidential medal of': 670993, 'medal of freedom': 525940, 'of freedom month': 583927, 'freedom month ago': 332374, 'month ago funny': 537534, 'ago funny how': 38390, 'funny how recession': 341743, 'how recession during': 408569, 'recession during gop': 704266, 'during gop presidency': 262665, 'gop presidency turn': 358269, 'presidency turn all': 670745, 'turn all the': 935639, 'the supply siders': 868960, 'supply siders into': 825857, 'siders into keynesian': 768936, 'into keynesian who': 442688, 'keynesian who realize': 473550, 'who realize consumer': 989507, 'realize consumer demand': 701837, 'consumer demand actually': 197108, 'demand actually drive': 234907, 'actually drive the': 30786, 'drive the economy': 259165, 'because still': 119578, 'first public': 308887, 'public trip': 688438, 'trip in': 932093, 'besides working': 127535, 'working back': 1008534, 'how full': 407900, 'will greatly': 993573, 'greatly affect': 363305, 'affect oklahoma': 34194, 'supermarket today because': 823436, 'today because still': 919311, 'because still working': 119579, 'family is home': 297950, 'is home it': 448526, 'my first public': 548349, 'first public trip': 308888, 'public trip in': 688439, 'trip in week': 932094, 'week besides working': 976007, 'besides working and': 127536, 'working and working': 1008511, 'and working back': 75891, 'working back wa': 1008535, 'back wa surprised': 107446, 'see how full': 745231, 'how full the': 407901, 'full the store': 340926, 'even more concerned': 284348, 'more concerned that': 538856, 'concerned that will': 193224, 'that will greatly': 847580, 'will greatly affect': 993574, 'greatly affect oklahoma': 363306, 'telegraph': 836732, 'the telegraph': 869262, 'telegraph self': 836735, 'employment coronavirus': 274586, 'coronavirus support': 206852, 'support scheme': 826801, 'scheme what': 741597, 'government providing': 360497, 'providing and': 686940, 'the telegraph self': 869263, 'telegraph self employment': 836736, 'self employment coronavirus': 747637, 'employment coronavirus support': 274587, 'coronavirus support scheme': 206853, 'support scheme what': 826802, 'scheme what help': 741598, 'help is the': 389939, 'the government providing': 856589, 'government providing and': 360498, 'providing and how': 686941, 'and how doe': 64810, 'how doe it': 407742, 'doe it work': 251441, 'integrity': 440951, 'sure pet': 827659, 'pet across': 653347, 'across au': 29271, 'au can': 102779, 'treat we': 930915, 've adjusted': 952811, 'adjusted the': 32334, 'the integrity': 858334, 'integrity of': 440958, 'please msg': 660233, 'msg with': 544526, 're still hard': 699593, 'still hard at': 800633, 'work to make': 1005892, 'make sure pet': 510523, 'sure pet across': 827660, 'pet across au': 653348, 'across au can': 29272, 'au can get': 102780, 'get our food': 347725, 'food and treat': 313370, 'and treat we': 74424, 'treat we ve': 930916, 'we ve adjusted': 973634, 've adjusted the': 952812, 'adjusted the way': 32335, 'way we work': 970182, 'we work to': 973949, 'work to ensure': 1005886, 'our staff the': 624882, 'staff the integrity': 792947, 'the integrity of': 858336, 'integrity of our': 440959, 'of our stock': 587570, 'our stock and': 624914, 'and the wellbeing': 73650, 'customer please msg': 222698, 'please msg with': 660234, 'msg with any': 544527, 'with any or': 997278, 'any or concern': 79575, 'thats exactly': 847802, 'exactly ve': 288758, 'about im': 25503, 'im 64': 416500, '64 and': 21308, 'alone if': 46865, 'got infected': 358634, 'infected how': 436583, 'am be': 49926, 'go pharmacy': 354046, 'pharmacy get': 654323, 'get medication': 347556, 'medication will': 526699, 'well getting': 978257, 'to conclusion': 903180, 'better die': 128260, 'die which': 241477, 'serve me': 751912, 'thats exactly ve': 847803, 'exactly ve been': 288759, 'thinking about im': 885849, 'about im 64': 25504, 'im 64 and': 416501, '64 and live': 21309, 'and live alone': 66249, 'live alone if': 495714, 'alone if got': 46866, 'if got infected': 414165, 'got infected how': 358635, 'infected how am': 436584, 'how am be': 407342, 'am be able': 49927, 'to go pharmacy': 906842, 'go pharmacy get': 354047, 'pharmacy get medication': 654324, 'get medication will': 347557, 'medication will be': 526700, 'go supermarket buy': 354176, 'supermarket buy food': 819468, 'buy food well': 148690, 'food well getting': 317544, 'well getting to': 978258, 'getting to conclusion': 349395, 'to conclusion that': 903181, 'conclusion that is': 193326, 'that is better': 844562, 'is better die': 446150, 'better die which': 128261, 'die which will': 241478, 'which will serve': 986505, 'will serve me': 994816, 'fasten': 300076, 'seatbelt': 743522, 'is healthy': 448365, 'healthy fasten': 387601, 'fasten your': 300077, 'your seatbelt': 1025694, 'seatbelt retail': 743523, 'show major': 767041, 'industry we': 436218, 'you insight': 1019352, 'insight real': 439623, 'real result': 701341, 'result look': 717567, 'economic virus': 267363, 'virus tracker': 958940, 'tracker showing': 928297, 'sale week': 732635, 'everyone is healthy': 287080, 'is healthy fasten': 448367, 'healthy fasten your': 387602, 'fasten your seatbelt': 300078, 'your seatbelt retail': 1025695, 'seatbelt retail sale': 743524, 'sale number are': 732377, 'number are going': 576830, 'going to show': 355705, 'to show major': 914565, 'show major drop': 767042, 'drop in some': 260275, 'in some industry': 428090, 'some industry we': 783113, 'industry we will': 436222, 'best to bring': 127939, 'bring you insight': 140123, 'you insight real': 1019353, 'insight real result': 439624, 'real result look': 701342, 'result look for': 717568, 'for our economic': 324230, 'our economic virus': 622835, 'economic virus tracker': 267364, 'virus tracker showing': 958941, 'tracker showing the': 928298, 'showing the movement': 767525, 'movement of retail': 543903, 'of retail sale': 589051, 'retail sale week': 718511, 'sale week to': 732636, 'to week in': 918472, 'week in key': 976375, 'in key industry': 424489, 'mask region': 519193, 'region top': 707475, 'top doc': 925558, 'doc weighs': 250762, 'on wearing': 605153, 'mask via': 519482, 'store today will': 810882, 'today will not': 920544, 'not be wearing': 568482, 'mask mask region': 518955, 'mask region top': 519194, 'region top doc': 707476, 'top doc weighs': 925559, 'doc weighs in': 250763, 'in on wearing': 426130, 'on wearing cloth': 605154, 'cloth face mask': 184085, 'face mask via': 294604, 'tidied': 895719, 'sleep eating': 773766, 'home tidied': 402298, 'tidied follow': 895720, 'night sleep eating': 563077, 'sleep eating healthy': 773767, 'eating healthy food': 266226, 'your home tidied': 1024381, 'home tidied follow': 402299, 'tidied follow these': 895721, 'shelled': 757887, 'god spread': 354803, 'small flu': 774954, 'flu called': 311389, 'recession panic': 704338, 'panic socialdistancing': 638609, 'socialdistancing there': 780801, 'there part': 878918, 'in war': 430673, 'war constantly': 966399, 'constantly running': 195697, 'from shelled': 337246, 'shelled no': 757888, 'no house': 564450, 'food land': 315278, 'land occupied': 479274, 'occupied it': 579010, 'to recognised': 912951, 'recognised vulnerable': 704608, 'vulnerable humanity': 961004, 'god spread small': 354805, 'spread small flu': 790796, 'small flu called': 774955, 'flu called the': 311390, 'called the whole': 156462, 'whole world are': 990381, 'state of recession': 795820, 'of recession panic': 588826, 'recession panic socialdistancing': 704339, 'panic socialdistancing there': 638610, 'socialdistancing there part': 780803, 'there part of': 878919, 'world that are': 1010042, 'are in war': 87463, 'in war constantly': 430675, 'war constantly running': 966401, 'constantly running from': 195698, 'running from shelled': 727969, 'from shelled no': 337247, 'shelled no house': 757889, 'no house no': 564451, 'house no food': 406413, 'no food land': 564260, 'food land occupied': 315279, 'land occupied it': 479276, 'occupied it sign': 579011, 'it sign to': 461051, 'sign to recognised': 769242, 'to recognised vulnerable': 912952, 'recognised vulnerable humanity': 704609, 'poor majority': 664216, 'majority who': 509590, 'cannot stick': 162126, 'stick if': 800031, 'responsibility let': 715962, 'stop possible': 804924, 'possible spread': 665786, 'because of there': 119415, 'is the poor': 452898, 'the poor majority': 863980, 'poor majority who': 664217, 'majority who cannot': 509591, 'who cannot stick': 988431, 'cannot stick if': 162127, 'stick if we': 800032, 'we don help': 971385, 'don help them': 253629, 'them they will': 876426, 'they will come': 883831, 'look for food': 502359, 'for food we': 321651, 'have responsibility let': 382299, 'responsibility let help': 715963, 'let help and': 486782, 'help and stop': 389358, 'and stop possible': 72482, 'stop possible spread': 804925, 'possible spread of': 665787, 'amp my': 54160, 'my constant': 547789, 'constant snacking': 195629, 'snacking habit': 776040, 'habit someone': 372685, 'someone send': 784643, 'whole quarantine thing': 990313, 'shopping amp my': 761952, 'amp my constant': 54161, 'my constant snacking': 547790, 'constant snacking habit': 195630, 'snacking habit someone': 776041, 'habit someone send': 372686, 'someone send help': 784644, 'patient walking': 644291, 'supermarket shouldnt': 822683, 'shouldnt he': 766759, 'the real question': 865234, 'question is why': 693637, 'is why is': 453966, '19 positive patient': 9755, 'positive patient walking': 665404, 'patient walking around': 644292, 'the supermarket shouldnt': 868801, 'supermarket shouldnt he': 822684, 'shouldnt he she': 766760, 'he she be': 385433, 'she be in': 755877, 'be in isolation': 115411, 'extraordinarily': 293728, 'now advising': 573944, 'week are': 975954, 'are extraordinarily': 86385, 'extraordinarily important': 293729, 'important white': 419112, 'coordinator deborah': 203233, 'to this the': 917468, 'this the white': 890543, 'white house is': 987853, 'house is now': 406377, 'is now advising': 450254, 'now advising everyone': 573945, 'advising everyone not': 33702, 'not to head': 572156, 'coming two week': 188254, 'week the next': 976995, 'two week are': 937319, 'week are extraordinarily': 975955, 'are extraordinarily important': 86386, 'extraordinarily important white': 293731, 'important white house': 419113, 'response coordinator deborah': 715664, 'coordinator deborah birx': 203234, 'deborah birx said': 230394, 'industry being': 435690, 'operation doe': 613168, 'you trade': 1021906, 'carbon price': 163410, 'to bounce': 901963, 'bounce from': 136816, 'the blu': 849798, 'covered industry being': 212427, 'industry being affected': 435691, 'being affected by': 124824, 'shift operation doe': 758375, 'operation doe not': 613169, 'doe not matter': 251507, 'not matter if': 570542, 'matter if you': 520581, 'if you trade': 415544, 'you trade the': 1021907, 'trade the carbon': 928588, 'the carbon price': 850403, 'carbon price are': 163411, 'expected to bounce': 290964, 'to bounce from': 901964, 'bounce from the': 136817, 'from the blu': 337617, 'inpex': 438961, 'optimise': 613892, 'japan inpex': 464743, 'inpex corporation': 438962, 'to optimise': 911039, 'optimise operation': 613893, 'operation review': 613251, 'review investment': 720568, 'investment plan': 444040, 'amid sliding': 52656, 'sliding oil': 773924, 'said march': 731217, 'japan inpex corporation': 464744, 'inpex corporation is': 438963, 'corporation is looking': 207435, 'looking to optimise': 503039, 'to optimise operation': 911040, 'optimise operation review': 613894, 'operation review investment': 613252, 'review investment plan': 720569, 'investment plan and': 444041, 'plan and cut': 658060, 'and cut cost': 60881, 'cost amid sliding': 207850, 'amid sliding oil': 52657, 'sliding oil price': 773925, 'outbreak it said': 628393, 'it said march': 460853, 'said march 25': 731218, 'march 25 in': 515204, '25 in statement': 15888, 'wod': 1003325, 'utilised': 951245, 'of threat': 592138, 'country economic': 210596, 'view wod': 957180, 'wod suggest': 1003326, 'not decrease': 568971, 'decrease oil': 231591, 'extra revenue': 293623, 'revenue being': 720383, 'being generated': 125179, 'generated from': 345578, 'oil should': 597429, 'should utilised': 766620, 'utilised to': 951248, 'affected person': 34409, 'person especially': 652419, 'wake of threat': 964609, 'of threat of': 592139, 'threat of keeping': 893693, 'our country economic': 622587, 'country economic situation': 210597, 'economic situation in': 267291, 'situation in view': 772327, 'in view wod': 430588, 'view wod suggest': 957181, 'wod suggest that': 1003327, 'suggest that the': 817538, 'that the govt': 846738, 'the govt should': 856674, 'govt should not': 361279, 'should not decrease': 766237, 'not decrease oil': 568972, 'decrease oil price': 231592, 'price the extra': 676831, 'the extra revenue': 854765, 'extra revenue being': 293624, 'revenue being generated': 720384, 'being generated from': 125180, 'generated from oil': 345579, 'from oil should': 336650, 'oil should utilised': 597431, 'should utilised to': 766621, 'utilised to combat': 951249, 'to combat coronavirus': 902990, 'combat coronavirus and': 186995, 'coronavirus and treat': 205503, 'and treat the': 74420, 'treat the affected': 930889, 'the affected person': 848405, 'affected person especially': 34410, 'person especially the': 652420, 'especially the poor': 280628, 'stingy': 801666, 'ha pre': 371527, 'pre opening': 669181, 'hour exclusively': 405581, 'excellent idea': 289088, 'idea though': 413196, 'though perhaps': 892872, 'too short': 925057, 'staffed now': 793133, 'perhaps off': 651623, 'isolating management': 455126, 'management stingy': 512630, 'stingy with': 801667, 'about compassionate': 24983, 'compassionate leave': 191501, 'supermarket ha pre': 820644, 'ha pre opening': 371529, 'pre opening hour': 669182, 'opening hour exclusively': 612850, 'hour exclusively for': 405582, 'staff an excellent': 792120, 'an excellent idea': 55915, 'excellent idea though': 289090, 'idea though perhaps': 413197, 'though perhaps the': 892874, 'perhaps the elderly': 651641, 'the elderly should': 854145, 'should be included': 765648, 'be included in': 115453, 'included in it': 431688, 'in it too': 424279, 'it too short': 461795, 'too short staffed': 925058, 'short staffed now': 764694, 'staffed now though': 793134, 'now though perhaps': 576143, 'though perhaps off': 892873, 'perhaps off sick': 651624, 'off sick self': 594163, 'self isolating management': 747731, 'isolating management stingy': 455127, 'management stingy with': 512631, 'stingy with about': 801668, 'with about compassionate': 997082, 'about compassionate leave': 24984, 'have easy': 380409, 'easy free': 265708, 'test they': 839204, 'absolutely on': 27419, 'store employee should': 807535, 'employee should also': 274200, 'should also have': 765505, 'also have easy': 48328, 'have easy free': 380410, 'easy free access': 265709, 'to test they': 916397, 'test they are': 839205, 'they are absolutely': 881188, 'are absolutely on': 84173, 'absolutely on the': 27420, 'guinea': 368580, 'of guinea': 584390, 'guinea announces': 368581, 'cover water': 212316, 'water amp': 968850, 'amp electricity': 53706, 'electricity cost': 271164, 'month freeze': 537741, 'rent till': 711196, 'till december': 896009, 'december 2020': 230744, '2020 make': 14431, 'free public': 332085, 'transport for': 929887, 'on pharmaceutical': 602786, 'pharmaceutical product': 654085, 'amp basic': 53434, 'necessity guinea': 554219, 'guinea ha': 368585, 'recorded 128': 705089, '128 case': 3085, 'government of guinea': 360394, 'of guinea announces': 584391, 'guinea announces it': 368582, 'it will cover': 462387, 'will cover water': 993059, 'cover water amp': 212317, 'water amp electricity': 968851, 'amp electricity cost': 53707, 'electricity cost for': 271165, 'next month freeze': 561453, 'month freeze rent': 537743, 'freeze rent till': 332557, 'rent till december': 711197, 'till december 2020': 896010, 'december 2020 make': 230745, '2020 make free': 14432, 'make free public': 509923, 'free public transport': 332087, 'public transport for': 688406, 'transport for next': 929888, 'month freeze price': 537742, 'freeze price on': 332550, 'price on pharmaceutical': 675706, 'on pharmaceutical product': 602787, 'pharmaceutical product amp': 654086, 'product amp basic': 680861, 'amp basic necessity': 53435, 'basic necessity guinea': 111996, 'necessity guinea ha': 554220, 'guinea ha recorded': 368587, 'ha recorded 128': 371673, 'recorded 128 case': 705090, 'stockholm': 803533, 'sweden': 830073, 'file worker': 305382, 'in stockholm': 428345, 'stockholm sweden': 803536, 'sweden on': 830078, '2020 internet': 14402, 'shopping of': 763372, 'stuff have': 815084, 'skyrocketed in': 773370, 'in sweden': 428760, 'sweden since': 830080, 'file worker delivers': 305383, 'worker delivers grocery': 1006739, 'delivers grocery bag': 233592, 'grocery bag to': 364301, 'bag to household': 108424, 'to household in': 908009, 'household in stockholm': 406843, 'in stockholm sweden': 428347, 'stockholm sweden on': 803537, 'sweden on march': 830079, 'on march 21': 602017, '21 2020 internet': 14956, '2020 internet shopping': 14403, 'internet shopping of': 442023, 'shopping of food': 763373, 'food stuff have': 316891, 'stuff have skyrocketed': 815085, 'have skyrocketed in': 382576, 'skyrocketed in sweden': 773372, 'in sweden since': 428763, 'sweden since the': 830081, 'issue guidance': 455774, 'right event': 721888, 'event obligation': 285027, 'obligation and': 578451, 'cancellation travel': 161077, 'itwire data': 464033, 'data governance': 226251, 'governance cio': 359776, 'acc issue guidance': 27814, 'issue guidance on': 455775, 'consumer right event': 198812, 'right event obligation': 721889, 'event obligation and': 285028, 'obligation and travel': 578452, 'and travel cancellation': 74405, 'travel cancellation travel': 930313, 'cancellation travel cancellation': 161078, '19 itwire data': 8178, 'itwire data governance': 464034, 'data governance cio': 226252, 'governance cio cdo': 359777, 'breaking supermarket': 139052, 'like cash': 489970, 'have test': 382940, 'test priority': 839137, 'priority and': 678512, 'get glove': 347138, 'per watch': 651062, 'live governor': 495832, 'baker answer': 108794, 'question during': 693576, 'during el': 262616, 'el mundo': 270448, 'mundo interview': 546072, 'interview via': 442253, 'breaking supermarket worker': 139054, 'supermarket worker like': 824044, 'worker like cash': 1007313, 'like cash register': 489971, 'cash register now': 166322, 'register now have': 707589, 'now have test': 574882, 'have test priority': 382941, 'test priority and': 839138, 'priority and should': 678514, 'and should get': 71592, 'should get glove': 766024, 'get glove and': 347139, 'and mask from': 66750, 'mask from their': 518710, 'from their store': 337950, 'their store per': 874864, 'store per watch': 809502, 'per watch live': 651063, 'watch live governor': 968465, 'live governor baker': 495833, 'governor baker answer': 360874, 'baker answer question': 108795, 'answer question during': 78099, 'question during el': 693577, 'during el mundo': 262617, 'el mundo interview': 270449, 'mundo interview via': 546073, 'falling once': 297308, 'today brent': 919327, 'brent down': 139338, 'than at': 840369, 'are falling once': 86470, 'falling once again': 297309, 'again today brent': 37237, 'today brent down': 919328, 'brent down more': 139339, 'more than at': 540593, 'than at the': 840371, 'not get rid': 569604, 'rid of covid': 721389, 'madam why': 507592, 'mumbai how': 546006, 'increasing every': 433601, 'every where': 286376, 'where loot': 985001, 'loot is': 503229, 'going madam': 355270, 'madam plz': 507590, 'plz kindly': 661825, 'kindly take': 475171, 'madam why all': 507593, 'why all basic': 990727, 'all basic food': 42121, 'increasing in mumbai': 433626, 'in mumbai how': 425515, 'mumbai how people': 546007, 'how people will': 408511, 'people will survive': 650417, 'will survive if': 995047, 'survive if price': 829186, 'if price will': 414690, 'price will increase': 677571, 'will increase gas': 993812, 'are increasing every': 87483, 'increasing every where': 433602, 'every where loot': 286378, 'where loot is': 985002, 'loot is going': 503230, 'is going madam': 448095, 'going madam plz': 355271, 'madam plz kindly': 507591, 'plz kindly take': 661826, 'kindly take action': 475172, 'take action on': 831900, 'action on this': 30098, 'on this it': 604614, 'this it humble': 888517, 'like progressive': 491039, 'progressive agenda': 683406, 'led to emergency': 485280, 'to emergency response': 905011, 'price that look': 676809, 'look like progressive': 502506, 'like progressive agenda': 491040, 'internationallabourorganisation': 441872, 'oilmarket': 597588, 'the internationallabourorganisation': 858373, 'internationallabourorganisation world': 441875, 'wide job': 991721, 'loss could': 503654, 'reach 36': 699876, 'the oilmarket': 862125, 'oilmarket to': 597589, 'crash with': 215056, 'falling to': 297350, 'to 34': 899691, '34 barrel': 17808, 'barrel from': 111223, 'from 65': 334318, '65 at': 21339, 'year fuel': 1014579, 'roughly third': 726295, 'to the internationallabourorganisation': 916813, 'the internationallabourorganisation world': 858375, 'internationallabourorganisation world wide': 441876, 'world wide job': 1010181, 'wide job loss': 991722, 'job loss could': 465968, 'loss could reach': 503655, 'could reach 36': 209564, 'reach 36 million': 699877, '36 million the': 18016, 'million the pandemic': 532372, 'caused the oilmarket': 167971, 'the oilmarket to': 862126, 'oilmarket to crash': 597590, 'to crash with': 903691, 'crash with price': 215057, 'with price falling': 1000302, 'price falling to': 673818, 'falling to 34': 297351, 'to 34 barrel': 899692, '34 barrel from': 17809, 'barrel from 65': 111224, 'from 65 at': 334319, '65 at the': 21340, 'the year fuel': 872158, 'year fuel demand': 1014580, 'fuel demand ha': 340157, 'demand ha dropped': 235605, 'dropped by roughly': 260554, 'by roughly third': 153837, 'antiplastic': 78548, 'conclusive': 193329, 'recycle': 705530, 'insisted': 439705, 'thiers': 884035, 'antiplastic trend': 78549, 'sudden thai': 817049, 'thai government': 840079, 'measure without': 525433, 'without conclusive': 1002558, 'conclusive research': 193330, 'research again': 713653, 'again proved': 37132, 'proved how': 686131, 'how unprepared': 409125, 'unprepared we': 943240, 'supermarket refuse': 822184, 'refuse customer': 707016, 'customer recycle': 222745, 'recycle and': 705531, 'and insisted': 65265, 'insisted on': 439706, 'using thiers': 950746, 'thiers food': 884036, 'also 100': 47799, '100 plastic': 2035, 'plastic 19': 658790, 'antiplastic trend and': 78550, 'trend and sudden': 931272, 'and sudden thai': 72659, 'sudden thai government': 817050, 'thai government measure': 840080, 'government measure without': 360356, 'measure without conclusive': 525434, 'without conclusive research': 1002559, 'conclusive research again': 193331, 'research again proved': 713654, 'again proved how': 37133, 'proved how unprepared': 686132, 'how unprepared we': 409126, 'unprepared we are': 943241, 'we are supermarket': 970728, 'are supermarket refuse': 90654, 'supermarket refuse customer': 822185, 'refuse customer recycle': 707017, 'customer recycle and': 222746, 'recycle and insisted': 705532, 'and insisted on': 65266, 'insisted on using': 439708, 'on using thiers': 605003, 'using thiers food': 950747, 'thiers food delivery': 884037, 'delivery also 100': 233640, 'also 100 plastic': 47800, '100 plastic 19': 2036, 'plastic 19 19': 658791, 'saving money': 737927, 'by hella': 152784, 'hella do': 389108, 'own car': 631915, 'use public': 949503, 'transportation hell': 930010, 'who apparently': 988080, 'apparently just': 81960, 'just figured': 468713, 'their butt': 872697, 'the advantage of': 848371, '19 is saving': 8040, 'is saving money': 451651, 'saving money online': 737930, 'shopping package from': 763583, 'package from china': 633281, 'from china are': 334850, 'china are delayed': 176500, 'delayed by hella': 232773, 'by hella do': 152785, 'hella do not': 389109, 'do not own': 249793, 'not own car': 570883, 'own car and': 631916, 'car and do': 162991, 'to use public': 918059, 'use public transportation': 949505, 'public transportation hell': 688433, 'transportation hell do': 930011, 'around people who': 93456, 'people who apparently': 650260, 'who apparently just': 988081, 'apparently just figured': 81961, 'just figured out': 468714, 'figured out how': 305256, 'how to wash': 409107, 'and wipe their': 75742, 'wipe their butt': 996388, 'good reason they': 357635, 'reason they should': 703008, 'should be going': 765635, 'going to pharmacy': 355669, '106': 2258, 'route 106': 726450, '106 in': 2259, 'company spokesperson': 191098, 'spokesperson confirmed': 789788, 'monday ma': 536313, 'at the stop': 101111, 'the stop amp': 867956, 'amp shop on': 54493, 'shop on route': 760548, 'on route 106': 603225, 'route 106 in': 726451, '106 in ha': 2260, 'the company spokesperson': 851352, 'company spokesperson confirmed': 191099, 'spokesperson confirmed monday': 789789, 'confirmed monday ma': 194173, 'getoutofmybubble': 348799, 'fucovid19': 340098, 'have succumb': 382832, 'ever cannot': 285247, 'cannot deal': 161746, 'understanding what': 940897, 'what socialdistancing': 982207, 'is stayawayfromme': 452241, 'stayawayfromme getoutofmybubble': 797824, 'getoutofmybubble stayhomestaysafe': 348800, 'stayhomestaysafe thenewnormal': 798536, 'thenewnormal fucovid19': 877810, 'well have succumb': 978272, 'have succumb to': 382833, 'succumb to online': 816291, 'time ever cannot': 896631, 'ever cannot deal': 285248, 'cannot deal with': 161747, 'with the crowd': 1001256, 'the crowd of': 852529, 'people not understanding': 648877, 'not understanding what': 572331, 'understanding what socialdistancing': 940898, 'what socialdistancing is': 982208, 'socialdistancing is stayawayfromme': 780474, 'is stayawayfromme getoutofmybubble': 452242, 'stayawayfromme getoutofmybubble stayhomestaysafe': 797825, 'getoutofmybubble stayhomestaysafe thenewnormal': 348801, 'stayhomestaysafe thenewnormal fucovid19': 798537, 'dew': 240003, 'folk losing': 312209, 'mind up': 532760, 'some mountain': 783326, 'mountain dew': 543417, 'dew the': 240004, 'filming the': 305738, 'the exchange': 854674, 'exchange said': 289475, 'couple left': 211614, 'store potus': 809620, 'potus qanon': 667290, 'qanon kag2020': 691463, 'folk losing their': 312210, 'their mind up': 873978, 'mind up here': 532761, 'up here for': 945076, 'here for some': 393011, 'for some mountain': 325755, 'some mountain dew': 783327, 'mountain dew the': 543418, 'dew the person': 240005, 'person filming the': 652429, 'filming the exchange': 305739, 'the exchange said': 854675, 'exchange said the': 289476, 'said the couple': 731427, 'the couple left': 852204, 'couple left the': 211615, 'grocery store potus': 365671, 'store potus qanon': 809621, 'potus qanon kag2020': 667291, 'noticed how': 573440, 'become now': 120073, 'they wear': 883735, 'socialdistancing state': 780717, 'emergency pandemic': 272848, 'else noticed how': 271815, 'noticed how angry': 573441, 'rude people have': 727051, 'people have become': 648163, 'have become now': 379443, 'become now that': 120075, 'that they wear': 846959, 'they wear mask': 883736, 'mask especially at': 518607, 'especially at the': 280446, 'are just made': 87629, 'for socialdistancing state': 325715, 'socialdistancing state of': 780718, 'of emergency pandemic': 583048, 'emergency pandemic ppe': 272849, 'arun': 94675, 'interactive session': 441295, 'session with': 753329, 'with arun': 997312, 'arun kumar': 94676, 'singh ac': 771197, 'ac to': 27751, 'to department': 904180, 'affair on': 34081, '11 at': 2494, '30 30': 16935, 'pm topic': 662017, '19 maintaining': 8515, 'maintaining the': 509139, 'logistics in': 500756, 'in jharkhand': 424391, 'jharkhand register': 465429, 'for an interactive': 319303, 'an interactive session': 56397, 'interactive session with': 441296, 'session with arun': 753330, 'with arun kumar': 997313, 'arun kumar singh': 94677, 'kumar singh ac': 477915, 'singh ac to': 771198, 'ac to department': 27752, 'to department of': 904181, 'department of food': 237240, 'of food public': 583757, 'public distribution and': 687950, 'distribution and consumer': 248107, 'consumer affair on': 196099, 'affair on april': 34082, 'on april 11': 599429, 'april 11 at': 83397, '11 at 30': 2495, 'at 30 30': 97586, '30 30 pm': 16936, '30 pm topic': 17201, 'pm topic covid': 662018, 'covid 19 maintaining': 213391, '19 maintaining the': 8516, 'maintaining the supply': 509141, 'chain logistics in': 170903, 'logistics in jharkhand': 500757, 'in jharkhand register': 424392, 'jharkhand register now': 465430, 'servicepublic': 753145, 'is stephen': 452253, 'stephen stephen': 799741, 'stephen work': 799749, 'pushing hour': 690424, 'is patient': 450817, 'kind man': 474865, 'man people': 512183, 'these stephen': 880727, 'stephen us': 799745, 'us his': 948524, 'his work': 397921, 'fellow man': 303303, 'man be': 512004, 'like stephen': 491235, 'stephen grocerystore': 799730, 'grocerystore servicepublic': 366328, 'this is stephen': 888411, 'is stephen stephen': 452254, 'stephen stephen work': 799742, 'stephen work at': 799750, 'store he is': 808119, 'he is pushing': 385139, 'is pushing hour': 451147, 'pushing hour and': 690425, 'hour and is': 405400, 'and is patient': 65425, 'is patient and': 450818, 'and kind man': 65853, 'kind man people': 474866, 'man people like': 512184, 'like this are': 491469, 'this are critical': 886398, 'critical in time': 218578, 'like these stephen': 491438, 'these stephen us': 880728, 'stephen us his': 799746, 'us his work': 948525, 'his work to': 397922, 'to be of': 901412, 'service to his': 752980, 'to his fellow': 907811, 'his fellow man': 397427, 'fellow man be': 303304, 'man be like': 512005, 'be like stephen': 115746, 'like stephen grocerystore': 491236, 'stephen grocerystore servicepublic': 799732, 'keenan': 471270, 'keenan think': 471271, 'time annuity': 896308, 'keenan think it': 471272, 'think it would': 885362, 'would be bad': 1011556, 'be bad time': 113795, 'bad time annuity': 108049, 'frown': 338939, 'supermarket frown': 820461, 'frown on': 338940, 'item why': 463828, 'they flogging': 882118, 'flogging easter': 310694, 'egg at': 269784, 'at discount': 98447, 'discount price': 244523, 'if supermarket frown': 414897, 'supermarket frown on': 820462, 'frown on people': 338941, 'on people buying': 602738, 'people buying non': 647350, 'essential item why': 281237, 'item why are': 463829, 'are they flogging': 90999, 'they flogging easter': 882119, 'flogging easter egg': 310695, 'easter egg at': 265417, 'egg at discount': 269785, 'at discount price': 98449, 'discount price stayhomesavelives': 244527, 'hero deserve': 393970, 'deserve cape': 238043, 'store hero deserve': 808151, 'hero deserve cape': 393971, 'supersedes': 824318, 'second executive': 743713, 'order signed': 618580, 'signed supersedes': 769377, 'supersedes all': 824319, 'all county': 42479, 'local regulation': 498326, 'regulation resident': 708106, 'run outside': 727774, 'continue practicing': 201106, 'socialdistancing during': 780339, 'second executive order': 743714, 'executive order signed': 289925, 'order signed supersedes': 618581, 'signed supersedes all': 769378, 'supersedes all county': 824320, 'all county and': 42480, 'county and local': 211315, 'and local regulation': 66303, 'local regulation resident': 498327, 'regulation resident can': 708107, 'resident can still': 714271, 'can still take': 159798, 'still take walk': 801268, 'take walk and': 832781, 'walk and run': 964738, 'and run outside': 70638, 'run outside but': 727775, 'outside but if': 629388, 'do go outside': 249344, 'outside or grocery': 629524, 'or pharmacy you': 616595, 'pharmacy you need': 654588, 'to continue practicing': 903402, 'continue practicing socialdistancing': 201107, 'practicing socialdistancing during': 668748, 'wwd covid': 1013664, 'wwd covid 19': 1013665, 'digital sale': 242640, 'sale grew': 732248, 'grew by': 363849, 'by 36': 151639, '36 in': 18009, 'digital sale grew': 242642, 'sale grew by': 732249, 'grew by 36': 363850, 'by 36 in': 151640, '36 in the': 18010, 'gifted': 350056, 'coinage': 185650, 'been gifted': 121203, 'gifted to': 350057, 'nh or': 562032, 'from infected': 336047, 'item cash': 463176, 'cash point': 166308, 'point coinage': 662451, 'coinage lift': 185651, 'handle how': 376205, 'how safe': 408613, 'safe ar': 729497, 'how many case': 408250, 'many case of': 513880, 'case of have': 165906, 'of have been': 584465, 'have been gifted': 379557, 'been gifted to': 121204, 'gifted to people': 350058, 'to people by': 911617, 'people by the': 647366, 'by the nh': 154387, 'the nh or': 861752, 'nh or how': 562033, 'or how many': 615692, 'people have caught': 648168, 'virus from infected': 958215, 'from infected supermarket': 336048, 'infected supermarket item': 436643, 'supermarket item cash': 821189, 'item cash point': 463177, 'cash point coinage': 166309, 'point coinage lift': 662452, 'coinage lift button': 185652, 'lift button door': 489435, 'door handle how': 255608, 'handle how safe': 376206, 'how safe ar': 408614, 'comparison': 191458, 'very disappointed': 955128, 'disappointed visiting': 244124, 'visiting today': 959566, 'today long': 919831, 'long poorly': 501562, 'poorly managed': 664385, 'managed queue': 512482, 'sanitiser nothing': 733994, 'wipe trollies': 996408, 'trollies chaos': 932514, 'chaos at': 172999, 'checkout stark': 175016, 'stark comparison': 794157, 'comparison to': 191461, 'using morrison': 950563, 'morrison until': 541775, 'very disappointed visiting': 955129, 'disappointed visiting today': 244125, 'visiting today long': 959567, 'today long poorly': 919832, 'long poorly managed': 501563, 'poorly managed queue': 664386, 'managed queue no': 512483, 'queue no hand': 694008, 'sanitiser and no': 733914, 'hand sanitiser nothing': 375239, 'sanitiser nothing to': 733995, 'nothing to wipe': 573203, 'to wipe trollies': 918629, 'wipe trollies chaos': 996409, 'trollies chaos at': 932515, 'chaos at the': 173000, 'the checkout stark': 850777, 'checkout stark comparison': 175017, 'stark comparison to': 794158, 'comparison to who': 191462, 'to who went': 918573, 'went to last': 979169, 'to last week': 909078, 'week and who': 975947, 'and who had': 75590, 'who had everything': 988878, 'had everything will': 373083, 'everything will not': 288110, 'be using morrison': 117943, 'using morrison until': 950564, 'morrison until this': 541776, 'black man': 132084, 'who grew': 988817, 'project telling': 683537, 'way worse': 970194, 'worse boo': 1010888, 'boo this': 134431, 'worse conversation': 1010906, 'conversation between': 202463, 'between amp': 128710, 'amp her': 53932, 'store reveals': 809886, 'amp of': 54208, 'black man who': 132085, 'man who grew': 512329, 'who grew up': 988818, 'in the project': 429483, 'the project telling': 864649, 'project telling you': 683538, 'telling you this': 837300, 'is way worse': 453798, 'way worse boo': 970195, 'worse boo this': 1010889, 'boo this is': 134432, 'way worse conversation': 970196, 'worse conversation between': 1010907, 'conversation between amp': 202464, 'between amp her': 128711, 'amp her dad': 53934, 'her dad who': 391980, 'dad who work': 224411, 'grocery store reveals': 365726, 'store reveals the': 809887, 'reveals the amp': 720347, 'the amp of': 848661, 'amp of life': 54210, 'really hate': 702266, 'something really hate': 785031, 'really hate working': 702267, 'these really': 880573, 'detect in': 239328, 'in 45': 419932, 'min could': 532529, 'air traffic': 39801, 'traffic will': 929162, 'be restored': 116850, 'so these really': 778460, 'these really fast': 880574, 'really fast test': 702191, 'fast test to': 300047, 'test to detect': 839210, 'to detect in': 904227, 'detect in 45': 239329, 'in 45 min': 419933, '45 min could': 19111, 'min could be': 532530, 'could be included': 208886, 'included in ticket': 431692, 'ticket price and': 895641, 'price and air': 672359, 'and air traffic': 57811, 'air traffic will': 39802, 'traffic will be': 929163, 'will be restored': 992652, 'cornershops': 203705, 'laundrettes': 482087, 'that brit': 843041, 'consider to': 195167, 'essential cornershops': 280942, 'cornershops 80': 203706, '80 bank': 22551, 'bank 76': 109540, '76 pet': 22240, 'store 64': 806041, '64 takeaway': 21319, 'delivery 57': 233613, '57 laundrettes': 20481, 'laundrettes 53': 482088, 'the service that': 866739, 'service that brit': 752916, 'that brit consider': 843042, 'brit consider to': 140330, 'consider to be': 195168, 'be essential cornershops': 114699, 'essential cornershops 80': 280943, 'cornershops 80 bank': 203707, '80 bank 76': 22552, 'bank 76 pet': 109541, '76 pet store': 22241, 'pet store 64': 653453, 'store 64 takeaway': 806042, '64 takeaway food': 21320, 'takeaway food delivery': 832858, 'food delivery 57': 314103, 'delivery 57 laundrettes': 233614, '57 laundrettes 53': 20482, 'vonhrp': 960429, 'vonhrp demand': 960430, 'pakistan it': 634465, 'your responsibility': 1025598, 'responsibility because': 715932, 'because due': 119036, 'pakistan business': 634432, 'no earning': 564069, 'earning for': 264865, 'vonhrp demand to': 960431, 'demand to supply': 236405, 'to supply the': 915890, 'for poor people': 324615, 'poor people of': 664255, 'of pakistan it': 587676, 'pakistan it your': 634466, 'it your responsibility': 462663, 'your responsibility because': 1025599, 'responsibility because due': 715933, 'because due to': 119037, 'to lockdown in': 909399, 'lockdown in different': 499502, 'different province of': 242039, 'province of pakistan': 687187, 'of pakistan business': 587672, 'pakistan business are': 634433, 'closed and no': 182992, 'and no earning': 67611, 'no earning for': 564070, 'earning for daily': 264866, 'for daily wage': 320532, 'wage worker and': 964000, 'worker and they': 1006346, 'killed for': 474586, 'price my': 675298, 'nan is': 551764, 'killed from': 474588, 're getting killed': 698731, 'getting killed for': 349085, 'killed for shipping': 474587, 'for shipping price': 325551, 'shipping price my': 758895, 'price my nan': 675300, 'my nan is': 549406, 'nan is getting': 551765, 'is getting killed': 448029, 'getting killed from': 349086, 'killed from covid': 474589, 'precaution lower': 669330, 'crude to': 219617, 'and below': 58885, 'below wait': 126773, 'price xbrusd': 677677, 'xbr brent': 1013792, 'crude oott': 219572, 'oott china': 611763, 'precaution lower price': 669331, 'lower price offer': 505965, 'price offer for': 675617, 'brent crude to': 139336, 'crude to 20': 219618, '20 and below': 12944, 'and below wait': 58887, 'below wait for': 126774, 'wait for cheap': 964110, 'for cheap price': 320028, 'cheap price xbrusd': 174181, 'price xbrusd xbr': 677678, 'xbrusd xbr brent': 1013798, 'xbr brent crude': 1013793, 'brent crude oott': 139334, 'crude oott china': 219573, 'riyadh municipality': 724220, 'municipality say': 546105, 'ha distributed': 370401, 'distributed 560': 248030, '560 230': 20461, '230 unit': 15449, 'far part': 298885, 'of precautionary': 588354, 'riyadh municipality say': 724221, 'municipality say it': 546106, 'it ha distributed': 458391, 'ha distributed 560': 370402, 'distributed 560 230': 248031, '560 230 unit': 20462, '230 unit of': 15450, 'unit of free': 942073, 'of free sanitizer': 583923, 'free sanitizer in': 332133, 'the region so': 865436, 'region so far': 707462, 'so far part': 777051, 'far part of': 298886, 'part of precautionary': 642372, 'of precautionary measure': 588356, 'melbourne supermarket': 527941, '19 in melbourne': 7766, 'in melbourne supermarket': 425250, 'melbourne supermarket full': 527942, 'supermarket full with': 820472, 'full with empty': 340984, 'empty shelf via': 275103, 'store awesome': 806622, 'grocery store awesome': 365229, 'store awesome edmonton': 806623, 'hand guess': 375000, 'also kill': 48457, 'body going': 133852, 'with chilled': 997625, 'chilled beer': 176389, 'beer can': 122446, 'try too': 934678, 'too panicbuying': 924986, 'panicbuying hotspot': 638967, 'if alcohol based': 413783, 'based sanitizer can': 111736, 'sanitizer can kill': 734627, 'kill the in': 474519, 'in the hand': 429254, 'the hand guess': 857058, 'hand guess the': 375001, 'guess the alcohol': 368047, 'the alcohol can': 848559, 'alcohol can also': 40950, 'can also kill': 157462, 'also kill the': 48458, 'the in india': 858005, 'in india in': 424040, 'the body going': 849824, 'body going to': 133853, 'to try it': 917814, 'try it with': 934502, 'it with chilled': 462468, 'with chilled beer': 997626, 'chilled beer can': 176390, 'beer can you': 122447, 'you give it': 1018829, 'it try too': 461878, 'try too panicbuying': 934679, 'too panicbuying hotspot': 924987, 'bottoming': 136449, 'key technical': 473413, 'support confluence': 826435, 'confluence the': 194276, 'xauusd bottoming': 1013771, 'bottoming get': 136450, 'price have responded': 674451, 'responded to key': 715363, 'to key technical': 908900, 'key technical support': 473414, 'technical support confluence': 836209, 'support confluence the': 826436, 'confluence the outlook': 194277, 'is xauusd bottoming': 454115, 'xauusd bottoming get': 1013772, 'bottoming get your': 136451, 'for understandable': 327420, 'understandable reason': 940844, 'reason there': 703001, 'much comment': 544798, 'consumer press': 198413, 'press suggesting': 671084, 'another banking': 77512, 'banking crisis': 110422, 'the making': 859955, 'making but': 510977, 'they right': 883219, 'for understandable reason': 327421, 'understandable reason there': 940845, 'reason there is': 703003, 'is much comment': 449763, 'much comment in': 544799, 'the consumer press': 851575, 'consumer press suggesting': 198414, 'press suggesting that': 671085, 'suggesting that the': 817612, 'that the epidemic': 846719, 'the epidemic is': 854440, 'epidemic is another': 279396, 'is another banking': 445730, 'another banking crisis': 77513, 'banking crisis in': 110423, 'in the making': 429337, 'the making but': 859956, 'making but are': 510978, 'are they right': 91020, 'gaiss': 342887, 'gaiss please': 342888, 'please limit': 660192, 'limit yourself': 492576, 'please always': 659652, 'gaiss please read': 342889, 'read this and': 700607, 'this and please': 886342, 'and please limit': 69110, 'please limit yourself': 660194, 'limit yourself to': 492577, 'yourself to go': 1026730, 'go outside and': 354007, 'outside and please': 629368, 'and please please': 69111, 'please please always': 660296, 'please always wash': 659653, 'your hand always': 1024161, 'hand always use': 374744, 'always use the': 49782, 'sanitizer and please': 734426, 'and please get': 69107, 'please get ready': 660019, 'ready to stock': 700981, 'up the food': 946173, 'tought': 926909, 'leach': 483256, 'tought you': 926910, 'where going': 984890, 'make stand': 510485, 'and leach': 66020, 'leach of': 483257, 'virus making': 958481, 'in despicable': 422219, 'despicable way': 238648, 'way while': 970186, 'while care': 986672, 'tought you where': 926911, 'you where going': 1022285, 'where going to': 984891, 'to make stand': 909743, 'make stand on': 510486, 'stand on shop': 793562, 'on shop that': 603432, 'shop that increase': 760896, 'that increase their': 844496, 'price and leach': 672455, 'and leach of': 66021, 'leach of the': 483258, 'corona virus making': 204324, 'virus making profit': 958483, 'making profit in': 511294, 'profit in despicable': 682774, 'in despicable way': 422220, 'despicable way while': 238649, 'way while care': 970187, 'while care worker': 986673, 'worker are running': 1006421, 'out of glove': 626743, 'of serving': 589535, 'serving hot': 753182, 'hot food': 405013, 'cook yourself': 202794, 'watching drama': 968733, 'drama 19': 258242, 'get and instead': 346554, 'instead of serving': 440318, 'of serving hot': 589536, 'serving hot food': 753183, 'hot food from': 405014, 'food from today': 314618, 'from today started': 338082, 'today started selling': 920213, 'started selling only': 794830, 'selling only grocery': 749382, 'only grocery but': 610546, 'grocery but we': 364330, 'lot of stock': 504288, 'of stock so': 590192, 'stock so get': 802861, 'so get some': 777160, 'get some and': 348040, 'some and cook': 782295, 'and cook yourself': 60539, 'cook yourself while': 202796, 'yourself while binge': 1026754, 'while binge watching': 986655, 'binge watching drama': 131086, 'watching drama 19': 968734, 'at yesterday': 101648, 'yesterday after': 1015646, 'visiting costco': 959518, 'and surprised': 72884, 'surprised no': 828596, 'no disinfectant': 564022, 'cart like': 165328, 'asked employee': 95732, 'shop nearby': 760477, 'nearby next': 553668, 'shopped at yesterday': 761299, 'at yesterday after': 101649, 'yesterday after visiting': 1015648, 'after visiting costco': 36495, 'visiting costco and': 959519, 'costco and grocery': 208194, 'store and surprised': 806362, 'and surprised no': 72886, 'surprised no disinfectant': 828597, 'no disinfectant wipe': 564024, 'disinfectant wipe for': 245811, 'for cart like': 319945, 'cart like other': 165329, 'like other store': 490947, 'other store asked': 620980, 'store asked employee': 806551, 'asked employee and': 95733, 'employee and told': 273591, 'and told they': 74260, 'told they don': 923731, 'don have them': 253620, 'have them will': 383074, 'them will shop': 876639, 'will shop nearby': 994844, 'shop nearby next': 760478, 'nearby next time': 553669, 'matter when': 520657, 'work producing': 1005626, 'producing food': 680768, 'essential million': 281310, 'gold right': 355992, 'the point the': 863907, 'point the panic': 662650, 'panic is worse': 638230, 'than the all': 841217, 'the all the': 848585, 'world will not': 1010191, 'will not matter': 994247, 'not matter when': 570544, 'matter when people': 520658, 'not at work': 568275, 'at work producing': 101611, 'work producing food': 1005627, 'producing food and': 680769, 'other essential million': 620169, 'essential million in': 281311, 'million in gold': 532191, 'in gold right': 423361, 'gold right now': 355993, 'right now doe': 722055, 'now doe not': 574546, 'doe not buy': 251480, 'not buy you': 568658, 'buy you toilet': 149491, 'feel grocerystore': 302653, 'grocerystore tiktok': 366334, 'tiktok mood': 895906, 're working in': 699829, 'this pandemic this': 889439, 'you feel grocerystore': 1018538, 'feel grocerystore tiktok': 302654, 'grocerystore tiktok mood': 366335, '19 reaction': 9969, 'reaction album': 700186, 'album wow': 40862, 'wow price': 1012580, 'in panama': 426453, 'panama city': 634682, 'city fl': 179144, 'fl post': 309922, 'post pic': 666283, 'covid 19 reaction': 213659, '19 reaction album': 9970, 'reaction album wow': 700187, 'album wow price': 40863, 'wow price at': 1012581, 'price at in': 672802, 'at in panama': 99275, 'in panama city': 426454, 'panama city fl': 634683, 'city fl post': 179145, 'fl post pic': 309923, 'post pic of': 666284, 'gas price where': 344054, 'price where you': 677503, 'gonna lie': 356574, 'lie wa': 488391, 'fine with': 307727, 'lockdown until': 500097, 'until found': 943726, '4th we': 19541, 'get police': 347824, 'police permission': 663155, 'permission to': 652142, 'our rubbish': 624653, 'rubbish out': 726995, 'out lockdown': 626516, 'not gonna lie': 569713, 'gonna lie wa': 356576, 'lie wa fine': 488392, 'wa fine with': 962131, 'fine with lockdown': 307729, 'with lockdown until': 999294, 'lockdown until found': 500099, 'until found out': 943727, 'out that from': 627323, 'that from the': 843960, 'from the 4th': 337588, 'the 4th we': 848133, '4th we need': 19542, 'to get police': 906563, 'get police permission': 347826, 'police permission to': 663156, 'permission to go': 652144, 'supermarket pharmacy or': 821977, 'or to put': 617475, 'put our rubbish': 690746, 'our rubbish out': 624654, 'rubbish out lockdown': 726996, 'christine': 178145, 'kintu': 475389, 'wanjara': 965594, 'lutimba': 506878, 'preparedness the': 670295, 'of martin': 586252, 'owor ha': 632642, 'aid he': 39398, 'arrested along': 93810, 'with christine': 997638, 'christine kintu': 178146, 'kintu joel': 475390, 'joel wanjara': 466463, 'wanjara and': 965595, 'and fred': 63264, 'fred lutimba': 331573, 'disaster preparedness the': 244237, 'preparedness the management': 670296, 'the management of': 859991, 'management of martin': 512603, 'of martin owor': 586253, 'martin owor ha': 518103, 'owor ha been': 632643, 'been arrested by': 120685, 'arrested by for': 93825, 'by for inflating': 152623, 'of food aid': 583638, 'food aid he': 313067, 'aid he wa': 39399, 'wa arrested along': 961582, 'arrested along with': 93811, 'along with christine': 47046, 'with christine kintu': 997639, 'christine kintu joel': 178147, 'kintu joel wanjara': 475391, 'joel wanjara and': 466464, 'wanjara and fred': 965596, 'and fred lutimba': 63265, 've stopped': 953607, 'stopped listening': 805723, 'listening watching': 494817, 'news guess': 560488, 'when to': 984323, 'to emerge': 905005, 'emerge when': 272549, 'is vaccine': 453650, 'vaccine at': 951661, 've stopped listening': 953608, 'stopped listening watching': 805724, 'listening watching the': 494818, 'the news guess': 861611, 'news guess ll': 560489, 'guess ll know': 368003, 'll know when': 496874, 'know when to': 477008, 'when to emerge': 984324, 'to emerge when': 905007, 'emerge when there': 272550, 'there is vaccine': 878647, 'is vaccine at': 453651, 'vaccine at the': 951662, 'socialdistan': 780038, '4th week': 19543, 'to briefly': 902023, 'briefly visit': 139765, 'two ppl': 937163, 'ppl live': 668272, 'live not': 495939, 'count grocery': 210125, 'visit it': 959285, 'been three': 122188, 'since did': 770565, 'before today': 123237, 'today socialdistan': 920199, 'for the 4th': 326289, 'the 4th week': 848134, '4th week today': 19544, 'week today had': 977106, 'today had to': 919603, 'had to briefly': 373668, 'to briefly visit': 902024, 'briefly visit our': 139766, 'visit our office': 959327, 'our office and': 624118, 'office and had': 595354, 'and had chance': 64096, 'had chance to': 372964, 'chance to talk': 171822, 'talk with two': 833925, 'with two ppl': 1001872, 'two ppl live': 937164, 'ppl live not': 668274, 'live not online': 495941, 'not online if': 570771, 'do not count': 249710, 'not count grocery': 568899, 'count grocery store': 210126, 'store visit it': 811078, 'visit it been': 959286, 'it been three': 456804, 'been three week': 122189, 'three week since': 894115, 'week since did': 976876, 'since did that': 770566, 'did that before': 240838, 'that before today': 842964, 'before today socialdistan': 123238, 'it cbs': 457083, 'cbs pittsburgh': 168375, 'twisted prank pa': 936604, 'over it cbs': 630340, 'it cbs pittsburgh': 457084, 'foxboro': 330792, 'news massachusetts': 560602, 'covid19 testing': 214384, 'in foxboro': 423068, 'foxboro and': 330793, 'big site': 130002, 'site boston': 771893, 'boston stayhome': 135803, 'staysafe weareallinthistogether': 798951, 'weareallinthistogether bostonathlete': 974525, 'athlete news massachusetts': 101773, 'news massachusetts grocery': 560603, 'massachusetts grocery store': 519913, 'eligible for covid19': 271422, 'for covid19 testing': 320441, 'covid19 testing in': 214385, 'testing in foxboro': 839515, 'in foxboro and': 423069, 'foxboro and big': 330794, 'and big site': 58965, 'big site boston': 130003, 'site boston stayhome': 771894, 'boston stayhome washyourhands': 135804, 'stayhome washyourhands staysafe': 798227, 'washyourhands staysafe weareallinthistogether': 967923, 'staysafe weareallinthistogether bostonathlete': 798952, 'weareallinthistogether bostonathlete bostonathletemagazine': 974526, 'more surreal': 540512, 'surreal than': 828673, 'anything could': 80716, 'world is more': 1009705, 'is more surreal': 449727, 'more surreal than': 540513, 'surreal than anything': 828674, 'than anything could': 840359, 'anything could make': 80717, 'mark miller': 515801, 'miller of': 532038, 'arizona food': 92835, 'marketing alliance': 517515, 'alliance said': 45840, 'hardest working': 378239, 'ever meet': 285408, 'mark miller of': 515802, 'miller of the': 532039, 'of the arizona': 590800, 'the arizona food': 848894, 'arizona food marketing': 92836, 'food marketing alliance': 315406, 'marketing alliance said': 517516, 'alliance said the': 45842, 'said the last': 731435, 'several week have': 753961, 'week have been': 976308, 'been difficult for': 120978, 'food industry which': 315028, 'which is made': 986026, 'is made up': 449510, 'up of some': 945506, 'the hardest working': 857117, 'hardest working people': 378240, 'working people you': 1008875, 'you will ever': 1022331, 'will ever meet': 993346, 're desperate': 698518, 'bread during': 138447, 'panic coronacrisis': 638016, 'you re desperate': 1020600, 're desperate for': 698519, 'desperate for bread': 238524, 'for bread during': 319774, 'bread during the': 138448, 'coronavirus panic coronacrisis': 206517, 'panic coronacrisis stophoarding': 638017, 'fabiana': 294210, 'bisceglia': 131499, 'donata': 254137, 'cordone': 203509, 'on selling': 603362, 'advertising practice': 33261, 'early reaction': 264676, 'reaction from': 700193, 'from relevant': 337069, 'relevant italian': 709162, 'italian body': 462684, 'body via': 133909, 'by fabiana': 152530, 'fabiana bisceglia': 294211, 'bisceglia donata': 131500, 'donata cordone': 254138, 'cordone legal': 203510, 'legal advertising': 485836, 'consumer protection the': 198569, 'protection the impact': 685647, 'impact on selling': 417888, 'on selling and': 603363, 'selling and advertising': 749152, 'and advertising practice': 57722, 'advertising practice and': 33262, 'practice and early': 668525, 'and early reaction': 61842, 'early reaction from': 264677, 'reaction from relevant': 700194, 'from relevant italian': 337070, 'relevant italian body': 709163, 'italian body via': 462685, 'body via passle': 133910, 'passle by fabiana': 643427, 'by fabiana bisceglia': 152531, 'fabiana bisceglia donata': 294212, 'bisceglia donata cordone': 131501, 'donata cordone legal': 254139, 'cordone legal advertising': 203511, 'legal advertising sale': 485837, 'shopp': 761288, 'retail group': 718165, 'group with': 366975, 'bad ecommerce': 107835, 'push shopp': 690317, 'shopp via': 761289, 'via shopping': 956237, 'these retail group': 880598, 'retail group with': 718166, 'group with bad': 366976, 'with bad ecommerce': 997355, 'bad ecommerce business': 107836, 'ecommerce business are': 266724, 'business are paying': 143381, 'are paying the': 89012, 'the price push': 864401, 'price push shopp': 676032, 'push shopp via': 690318, 'shopp via shopping': 761290, 'via shopping online': 956238, 'japanese style': 464800, 'style is': 815607, 'is enjoying': 447502, 'enjoying spurt': 277239, 'spurt in': 791360, 'in popularity': 426838, 'popularity panic': 664623, 'change western': 172389, 'western bathroom': 980592, 'bathroom habit': 112648, 'japanese style is': 464801, 'style is enjoying': 815608, 'is enjoying spurt': 447503, 'enjoying spurt in': 277240, 'spurt in popularity': 791361, 'in popularity panic': 426839, 'popularity panic buying': 664624, 'buying empty supermarket': 150220, 'shelf of roll': 757368, 'of roll will': 589152, 'roll will change': 725601, 'will change western': 992925, 'change western bathroom': 172390, 'western bathroom habit': 980593, 'were breaking': 979392, 'breaking social': 139044, 'not blame': 568576, 'given how many': 351017, 'the government have': 856545, 'government have gone': 360183, 'have gone down': 380791, 'gone down with': 356266, 'down with coronavirus': 257492, 'with coronavirus it': 997803, 'coronavirus it make': 206183, 'make me think': 510148, 'me think that': 523698, 'they were breaking': 883755, 'were breaking social': 979393, 'breaking social distancing': 139045, 'distancing rule do': 247438, 'do not blame': 249680, 'not blame the': 568577, 'blame the rest': 132303, 'closure school': 184022, 'voucher worth': 960685, 'child eligible': 176076, 'meal these': 524284, 'be sent': 117088, 'sent by': 750744, 'card parent': 163613, 'parent should': 641725, 'contact their': 200233, 'child school': 176198, 'discus which': 244949, 'which option': 986210, 'during closure school': 262515, 'closure school will': 184023, 'school will be': 741985, 'to provide weekly': 912449, 'provide weekly supermarket': 686540, 'weekly supermarket voucher': 977580, 'supermarket voucher worth': 823679, 'voucher worth 15': 960686, 'worth 15 for': 1011322, '15 for child': 3712, 'for child eligible': 320052, 'child eligible for': 176077, 'for free school': 321726, 'school meal these': 741861, 'meal these can': 524285, 'can be sent': 157683, 'be sent by': 117089, 'sent by email': 750745, 'by email or': 152467, 'email or gift': 272257, 'gift card parent': 349951, 'card parent should': 163614, 'parent should contact': 641727, 'should contact their': 765872, 'contact their child': 200234, 'their child school': 872773, 'child school to': 176200, 'school to discus': 741957, 'to discus which': 904385, 'discus which option': 244950, 'which option is': 986211, 'option is best': 614061, 'best for them': 127696, 'some useful': 784146, 'information around': 437750, 'around your': 93668, 'consumer uk': 199409, 'uk england': 938328, 'england law': 277022, 'law legal': 482329, 'some useful information': 784148, 'useful information around': 950170, 'information around your': 437751, 'around your right': 93671, 'right consumer consumer': 721846, 'consumer consumer uk': 196955, 'consumer uk england': 199410, 'uk england law': 938329, 'england law legal': 277023, 'overridden': 631432, 'sanitizer scanning': 735709, 'scanning at': 740740, '49 price': 19403, 'price overridden': 675822, 'overridden to': 631433, '99 pricegouging': 23885, 'hand sanitizer scanning': 375580, 'sanitizer scanning at': 735710, 'scanning at 49': 740741, 'at 49 price': 97670, '49 price overridden': 19404, 'price overridden to': 675823, 'overridden to 99': 631434, 'to 99 pricegouging': 899890, 'reusing': 720182, 'bringbackthebag': 140135, 'we banned': 970805, 'banned reusing': 110596, 'reusing bag': 720183, 'coronacrisis viruscorona': 204851, 'viruscorona bringbackthebag': 959091, 'maybe it is': 521724, 'is time we': 453165, 'time we banned': 898215, 'we banned reusing': 970806, 'banned reusing bag': 110597, 'reusing bag at': 720184, 'store coronacrisis viruscorona': 807182, 'coronacrisis viruscorona bringbackthebag': 204852, '1h': 12608, 'four worker': 330705, 'been prevented': 121704, 'prevented all': 671785, 'need proper': 555481, 'proper protection': 684139, 'protection paid': 685558, 'pandemic 1h': 634776, 'least four worker': 484479, 'four worker from': 330706, 'recent day this': 703867, 'day this could': 228532, 'have been prevented': 379640, 'been prevented all': 121705, 'prevented all frontline': 671786, 'frontline worker need': 338869, 'worker need proper': 1007427, 'need proper protection': 555482, 'proper protection paid': 684141, 'protection paid sick': 685559, 'leave and hazard': 484732, 'hazard pay during': 384564, 'this pandemic 1h': 889364, 'question have': 693606, 'now since': 575832, 'most manufacturer': 542503, 'factory during': 295939, 'shutdown how': 768038, 'question have what': 693607, 'have what is': 383577, 'happening now since': 377385, 'now since most': 575834, 'since most manufacturer': 770751, 'most manufacturer have': 542504, 'manufacturer have closed': 513460, 'closed their factory': 183376, 'their factory during': 873236, 'factory during the': 295940, '19 shutdown and': 10519, 'shutdown and many': 767989, 'and many are': 66665, 'not making food': 570516, 'making food in': 511075, 'in the factory': 429190, 'the factory during': 854841, 'during the shutdown': 263192, 'the shutdown how': 867133, 'shutdown how will': 768039, 'will grocery store': 993577, 'store get new': 807919, 'get new stock': 347663, 'alajuela': 40644, 'tcrn': 835302, 'world alajuela': 1009273, 'alajuela supermarket': 40647, 'supermarket created': 819856, 'an admirable': 55130, 'admirable campaign': 32548, 'most and': 542097, 'need follow': 554782, 'follow hashtag': 312400, 'hashtag tcrn': 378701, 'tcrn tcrn': 835305, 'tcrn alajuela': 835303, 'alajuela pandemic': 40645, 'pandemic stayathome': 636539, 'coronavirus in the': 206124, 'the world alajuela': 871810, 'world alajuela supermarket': 1009274, 'alajuela supermarket created': 40648, 'supermarket created an': 819857, 'created an admirable': 215778, 'an admirable campaign': 55131, 'admirable campaign to': 32549, 'campaign to help': 157264, 'it most and': 459679, 'most and what': 542101, 'those most in': 892224, 'most in need': 542436, 'in need follow': 425741, 'need follow hashtag': 554783, 'follow hashtag tcrn': 312401, 'hashtag tcrn tcrn': 378702, 'tcrn tcrn alajuela': 835306, 'tcrn alajuela pandemic': 835304, 'alajuela pandemic stayathome': 40646, 'surprising trend': 828642, 'interesting but not': 441523, 'but not surprising': 146569, 'not surprising trend': 571868, 'surprising trend in': 828643, 'nj who': 563466, 'while joking': 986978, 'just charged': 468461, 'threat let': 893671, 'man in nj': 512116, 'in nj who': 425904, 'nj who coughed': 563467, 'coughed on someone': 208631, 'on someone in': 603577, 'someone in grocery': 784513, 'store while joking': 811283, 'while joking about': 986979, 'joking about having': 467189, 'about having covid': 25348, '19 wa just': 11868, 'wa just charged': 962455, 'just charged with': 468462, 'terroristic threat let': 838623, 'threat let that': 893672, 'sink in for': 771473, 'in for all': 423009, 'you who think': 1022310, 'who think this': 989779, 'think this whole': 885707, 'thing is joke': 884474, 'is joke and': 449106, 'joke and aren': 467050, 'and aren taking': 58385, 'aren taking it': 92545, 'delivery hospital': 234096, 'hospital mum': 404515, 'mum taking': 545953, 'kid dad': 473920, 'dad taking': 224386, 'of parent': 587776, 'if history': 414230, 'history is': 398030, 'any indication': 79356, 'indication challenge': 435021, 'challenge always': 171390, 'always bring': 49502, 'of let': 585785, 'way coronacrisis': 969529, 'remember that the': 710290, 'that the person': 846799, 'the person at': 863578, 'supermarket delivery hospital': 819923, 'delivery hospital mum': 234097, 'hospital mum taking': 404516, 'mum taking care': 545954, 'care of kid': 164104, 'of kid dad': 585624, 'kid dad taking': 473921, 'dad taking care': 224387, 'care of parent': 164115, 'of parent we': 587778, 'parent we re': 641767, 'all doing our': 42608, 'best if history': 127726, 'if history is': 414231, 'history is any': 398031, 'is any indication': 445758, 'any indication challenge': 79357, 'indication challenge always': 435022, 'challenge always bring': 171391, 'always bring out': 49503, 'best in all': 127730, 'in all of': 420175, 'all of let': 43701, 'of let keep': 585786, 'let keep it': 486844, 'that way coronacrisis': 847342, 'it 6am': 456222, '6am on': 21569, 'in substantial': 428517, 'substantial queue': 816055, 'positive got': 665341, 'see beautiful': 744955, 'beautiful sunrise': 118718, 'sunrise making': 818416, 'it staying': 461242, 'positive staypositive': 665439, 'staypositive gratitude': 798765, 'it 6am on': 456223, '6am on saturday': 21570, 'on saturday morning': 603301, 'saturday morning and': 737044, 'morning and in': 541158, 'and in substantial': 65072, 'in substantial queue': 428518, 'substantial queue at': 816056, 'supermarket on positive': 821732, 'on positive got': 602851, 'positive got to': 665342, 'got to see': 358968, 'to see beautiful': 913987, 'see beautiful sunrise': 744956, 'beautiful sunrise making': 118719, 'sunrise making the': 818417, 'best of it': 127794, 'of it staying': 585446, 'it staying positive': 461244, 'staying positive staypositive': 798684, 'positive staypositive gratitude': 665440, 'kaufman': 471105, 'daniel kaufman': 225821, 'kaufman of': 471106, 'of offer': 587158, 'scam when': 740475, 'won hear': 1003837, 'them 1st': 875301, '1st from': 12742, 'from obscure': 336629, 'obscure site': 578522, 'site beware': 771890, 'of mail': 586100, 'mail link': 508630, 'link do': 493822, 'do homework': 249404, 'homework before': 403004, 'before donating': 122745, 'charity hang': 173634, 'on robocalls': 603211, 'robocalls more': 724767, 'info report': 437574, 'report fraud': 711960, 'daniel kaufman of': 225822, 'kaufman of offer': 471107, 'of offer tip': 587160, 'offer tip to': 594847, 'avoid scam when': 105261, 'scam when treatment': 740476, 'when treatment are': 984345, 'treatment are available': 931037, 'are available you': 84723, 'available you won': 104716, 'you won hear': 1022401, 'won hear about': 1003838, 'hear about them': 387874, 'about them 1st': 26598, 'them 1st from': 875302, '1st from obscure': 12743, 'from obscure site': 336630, 'obscure site beware': 578523, 'site beware of': 771891, 'beware of mail': 129086, 'of mail link': 586101, 'mail link do': 508631, 'link do homework': 493823, 'do homework before': 249405, 'homework before donating': 403005, 'before donating to': 122746, 'donating to charity': 254518, 'to charity hang': 902656, 'charity hang up': 173635, 'hang up on': 376950, 'up on robocalls': 945613, 'on robocalls more': 603213, 'robocalls more info': 724768, 'more info report': 539565, 'info report fraud': 437575, 'putin want': 691064, 'price furious': 674140, 'with mb': 999434, 'for driving': 320860, 'oil saudiarabia': 597411, 'saudiarabia putin': 737354, 'putin russia': 691047, 'russia oilwar': 728523, 'putin want to': 691065, 'want to cut': 966021, 'oil production to': 597373, 'production to drive': 682241, 'up price furious': 945816, 'price furious with': 674141, 'furious with mb': 341865, 'with mb for': 999436, 'mb for driving': 522031, 'for driving down': 320861, 'driving down price': 259919, 'down price oil': 257116, 'price oil saudiarabia': 675629, 'oil saudiarabia putin': 597412, 'saudiarabia putin russia': 737355, 'putin russia oilwar': 691048, 'enquirer everything going': 277796, 'everything going to': 287817, 'to be fine': 901257, 'finna': 307985, 'ctfu': 220108, 'real shit': 701358, 'we acting': 970276, 'like drop': 490141, 'drop dead': 260172, 'dead once': 229166, 'is baffling': 445981, 'baffling believe': 108200, 'shit said': 759208, 'am finna': 50048, 'finna stock': 307986, 'food ctfu': 314065, 'some real shit': 783693, 'real shit why': 701360, 'shit why we': 759297, 'why we acting': 991515, 'we acting like': 970277, 'acting like drop': 29879, 'like drop dead': 490142, 'drop dead once': 260173, 'dead once you': 229167, 'once you get': 605820, 'get the this': 348304, 'the this whole': 869492, 'thing is baffling': 884461, 'is baffling believe': 445982, 'baffling believe the': 108201, 'believe the government': 126360, 'government is behind': 360244, 'is behind this': 446058, 'behind this shit': 124741, 'this shit said': 890087, 'shit said what': 759209, 'what said but': 982114, 'said but am': 731009, 'but am finna': 145160, 'am finna stock': 50049, 'finna stock up': 307987, 'on food ctfu': 600854, 'thread according': 893518, 'data hand': 226261, 'up 470': 944178, '470 yoy': 19276, 'yoy for': 1026947, 'last weekly': 480703, 'weekly period': 977527, 'period from': 651770, 'steep for': 799390, 'for established': 321130, 'established supply': 282032, 'thread according to': 893519, 'to data hand': 903917, 'data hand sanitizer': 226262, 'sanitizer sale were': 735678, 'were up 470': 980315, 'up 470 yoy': 944179, '470 yoy for': 19277, 'yoy for the': 1026949, 'the last weekly': 859056, 'last weekly period': 480704, 'weekly period from': 977528, 'period from this': 651771, 'is very steep': 453699, 'very steep for': 955582, 'steep for established': 799391, 'for established supply': 321131, 'established supply chain': 282033, 'supply chain to': 825053, 'chain to handle': 171192, '80bn': 22754, 'industry stall': 436119, 'stall after': 793355, 'after fall': 35644, 'than 80bn': 840305, '80bn of': 22755, 'to collapsed': 902957, 'collapsed oil': 186105, 'lng industry stall': 497207, 'industry stall after': 436120, 'stall after fall': 793356, 'after fall in': 35645, 'price amid more': 672314, 'amid more than': 52536, 'more than 80bn': 540583, 'than 80bn of': 840306, '80bn of investment': 22756, 'of investment decision': 585284, 'are delayed due': 85741, 'due to collapsed': 261734, 'to collapsed oil': 902958, 'collapsed oil price': 186106, 'sparingly': 787527, 'your buy': 1023093, 'safe side': 729940, 'side it': 768828, 'do iv': 249529, 'iv had': 464039, 'thought but': 892989, 'product sparingly': 681639, 'sparingly you': 787528, 'survive try': 829283, 'try farm': 934474, 'to fork': 906197, 'fork by': 329474, 'up different': 944715, 'different recipe': 242043, 'recipe online': 704490, 'think before your': 885156, 'before your buy': 123342, 'your buy over': 1023094, 'buy over just': 149069, 'over just to': 630348, 'on the safe': 604341, 'the safe side': 866135, 'safe side it': 729941, 'side it easy': 768829, 'to do iv': 904526, 'do iv had': 249530, 'iv had the': 464040, 'same thought but': 733342, 'thought but if': 892990, 'you use your': 1022011, 'use your shopping': 949846, 'your shopping and': 1025773, 'shopping and product': 762013, 'and product sparingly': 69572, 'product sparingly you': 681640, 'sparingly you can': 787529, 'can survive try': 159880, 'survive try farm': 829284, 'try farm to': 934475, 'farm to fork': 299205, 'to fork by': 906198, 'fork by going': 329475, 'going to local': 355645, 'to local market': 909379, 'local market and': 498173, 'market and looking': 515974, 'and looking up': 66380, 'looking up different': 503060, 'up different recipe': 944716, 'different recipe online': 242044, 'eating fast': 266201, 'store entirely': 807602, 'entirely human': 278795, 'are hoe': 87215, 'been eating fast': 121063, 'eating fast food': 266202, 'fast food for': 299962, 'past day because': 643518, 'day because all': 227354, 'because all panic': 118917, 'all panic bought': 43906, 'grocery store entirely': 365369, 'store entirely human': 807603, 'entirely human being': 278796, 'being are hoe': 124856, 'bodied': 133798, 'dear everyone': 229783, 'send one': 749920, 'member into': 528117, 'many able': 513709, 'able bodied': 24423, 'bodied couple': 133799, 'couple today': 211693, 're doubling': 698566, 'doubling the': 256171, 're exposed': 698655, 'making harder': 511110, 'harder thank': 378188, 'staff everywhere': 792429, 'dear everyone please': 229784, 'everyone please when': 287288, 'please when food': 660771, 'when food shopping': 983439, 'food shopping just': 316525, 'shopping just send': 763119, 'just send one': 469760, 'send one family': 749921, 'one family member': 606281, 'family member into': 298038, 'member into the': 528118, 'the shop so': 867025, 'shop so many': 760805, 'so many able': 777635, 'many able bodied': 513710, 'able bodied couple': 24424, 'bodied couple today': 133800, 'couple today you': 211694, 'today you re': 920590, 'you re doubling': 1020604, 're doubling the': 698567, 'doubling the number': 256172, 'we re exposed': 972870, 're exposed to': 698656, 'exposed to and': 292890, 'to and making': 900513, 'and making harder': 66589, 'making harder thank': 511111, 'harder thank you': 378189, 'thank you supermarket': 841821, 'you supermarket staff': 1021480, 'supermarket staff everywhere': 822841, 'changed many': 172504, 'many daily': 513976, 'routine many': 726519, 'out learn': 626490, 'ha changed many': 370128, 'changed many daily': 172505, 'many daily routine': 513977, 'daily routine many': 224788, 'routine many people': 726520, 'people are cooking': 646949, 'are cooking more': 85561, 'cooking more meal': 202882, 'home and have': 400647, 'and have question': 64268, 'have question like': 382134, 'question like can': 693642, 'like can you': 489958, '19 from food': 7122, 'from food should': 335515, 'food should stock': 316620, 'up is it': 945225, 'to eat out': 904898, 'eat out learn': 266019, 'out learn more': 626491, 'lamuscle': 479216, 'superfoods': 818663, 'processedfood': 680002, 'muscle': 546225, 'immunehealth': 417375, 'nutritious non': 577769, 'keep full': 471531, 'here lamuscle': 393285, 'lamuscle fitness': 479217, 'fitness superfoods': 309535, 'superfoods processedfood': 818664, 'processedfood shopping': 680003, 'shopping fit': 762643, 'fit healthy': 309477, 'healthy nutrition': 387707, 'nutrition food': 577718, 'food diet': 314206, 'diet training': 241762, 'training workout': 929372, 'workout muscle': 1009168, 'muscle lean': 546228, 'lean health': 483874, 'health exercise': 386413, 'exercise isolation': 290069, 'isolation immunehealth': 455309, 'nutritious non perishable': 577770, 'perishable food to': 651978, 'to keep full': 908792, 'keep full article': 471532, 'article here lamuscle': 94350, 'here lamuscle fitness': 393286, 'lamuscle fitness superfoods': 479218, 'fitness superfoods processedfood': 309536, 'superfoods processedfood shopping': 818665, 'processedfood shopping fit': 680004, 'shopping fit healthy': 762644, 'fit healthy nutrition': 309478, 'healthy nutrition food': 387708, 'nutrition food diet': 577719, 'food diet training': 314207, 'diet training workout': 241763, 'training workout muscle': 929373, 'workout muscle lean': 1009169, 'muscle lean health': 546229, 'lean health exercise': 483875, 'health exercise isolation': 386414, 'exercise isolation immunehealth': 290070, 'reporting huge': 712696, 'fraud including': 331290, 'including online': 432085, 'scam door': 740136, 'scam those': 740410, 'who sell': 989586, 'fake mask': 296652, 'disinfectant older': 245717, 'vulnerable update': 961241, 'update http': 947025, 'and are reporting': 58352, 'are reporting huge': 89598, 'reporting huge rise': 712697, 'rise in fraud': 722882, 'in fraud including': 423094, 'fraud including online': 331291, 'including online shopping': 432087, 'shopping scam door': 763807, 'scam door to': 740137, 'door scam and': 255703, 'scam and scam': 740017, 'and scam those': 71035, 'scam those who': 740411, 'those who sell': 892670, 'who sell fake': 989587, 'sell fake mask': 748711, 'fake mask and': 296653, 'and disinfectant older': 61450, 'disinfectant older people': 245718, 'older people are': 598641, 'people are especially': 646964, 'especially vulnerable update': 280653, 'vulnerable update http': 961242, 'republik': 713079, 'african republik': 35222, 'republik 19': 713080, 'central african republik': 169358, 'african republik 19': 35223, 'precipice': 669482, 'sixty': 772745, 'debt holding': 230498, 'holding organization': 400136, 'the precipice': 864216, 'precipice of': 669483, 'household economy': 406784, 'economy please': 268142, 'and interest': 65320, 'interest fee': 441343, 'for sixty': 325644, 'sixty day': 772746, 'crisis feel': 217371, 'sign here': 769127, 'letter to consumer': 487359, 'to consumer debt': 903286, 'consumer debt holding': 197079, 'debt holding organization': 230499, 'holding organization and': 400137, 'organization and others': 619340, 'and others we': 68466, 'others we are': 621761, 'at the precipice': 101059, 'the precipice of': 864217, 'precipice of crisis': 669484, 'of crisis of': 582179, 'crisis of household': 217784, 'of household economy': 584795, 'household economy please': 406785, 'economy please suspend': 268143, 'please suspend debt': 660623, 'suspend debt and': 829559, 'debt and interest': 230420, 'and interest fee': 65321, 'interest fee for': 441344, 'fee for sixty': 302177, 'for sixty day': 325645, 'sixty day in': 772747, 'day in response': 227808, '19 crisis feel': 6246, 'crisis feel free': 217372, 'free to sign': 332249, 'to sign here': 914635, 'rpmalamo': 726668, 'sanantoniopropertymanagement': 733580, 'newlistingsanantonio': 560098, 'many spending': 514721, 'is second': 451701, 'second nature': 743770, 'others it': 621495, 'real struggle': 701373, 'struggle find': 814349, 'anxiety recommends': 78785, 'health rpmalamo': 386815, 'rpmalamo sanantoniopropertymanagement': 726669, 'sanantoniopropertymanagement newlistingsanantonio': 733581, 'for many spending': 323234, 'many spending time': 514722, 'home is second': 401458, 'is second nature': 451702, 'second nature for': 743771, 'nature for others': 552953, 'for others it': 324196, 'others it can': 621496, 'can be real': 157672, 'be real struggle': 116704, 'real struggle find': 701374, 'struggle find out': 814350, 'out what anxiety': 627805, 'what anxiety recommends': 981049, 'anxiety recommends to': 78786, 'recommends to help': 704849, 'help you take': 391000, 'of your mental': 593498, 'mental health rpmalamo': 528649, 'health rpmalamo sanantoniopropertymanagement': 386816, 'rpmalamo sanantoniopropertymanagement newlistingsanantonio': 726670, 'bulb': 142220, 'to tesco': 916383, 'get today': 348505, 'today dinner': 919449, 'dinner we': 243106, 'having ink': 384120, 'and light': 66147, 'light bulb': 489515, 'bulb stew': 142226, 'stew this': 799989, 'sweep today': 830177, 'today nobody': 919938, 'nobody want': 566076, 'want ink': 965823, 'stew think': 799987, 'others too': 621741, 'too folk': 924740, 'been to tesco': 122229, 'to tesco to': 916386, 'tesco to get': 838836, 'to get today': 906624, 'get today dinner': 348506, 'today dinner we': 919450, 'dinner we re': 243107, 'we re having': 972891, 're having ink': 698787, 'having ink cartridge': 384121, 'ink cartridge and': 438739, 'cartridge and light': 165543, 'and light bulb': 66148, 'light bulb stew': 489516, 'bulb stew this': 142228, 'stew this is': 799990, 'is your public': 454163, 'your public service': 1025471, 'service reminder if': 752763, 'do supermarket sweep': 250196, 'supermarket sweep today': 823111, 'sweep today nobody': 830178, 'today nobody want': 919940, 'nobody want ink': 566078, 'want ink cartridge': 965824, 'bulb stew think': 142227, 'stew think of': 799988, 'of others too': 587410, 'others too folk': 621742, 'even peak': 284457, 'the yet': 872187, 'yet many': 1016146, 'lasting implication': 480772, 'pandemic ha yet': 635577, 'yet to even': 1016289, 'to even peak': 905289, 'even peak in': 284458, 'peak in the': 646078, 'in the yet': 429700, 'the yet many': 872188, 'yet many consumer': 1016147, 'many consumer have': 513932, 'have already changed': 379185, 'their behavior in': 872581, 'behavior in way': 124089, 'in way that': 430726, 'way that will': 969929, 'have lasting implication': 381255, 'lasting implication for': 480773, 'for brand marketing': 319764, 'stayhomesaveliv': 798329, 'healthcare so': 387277, 'so still': 778263, 'working but': 1008543, 'but taking': 147257, 'safe go': 729714, 'thing together': 884909, 'together stayhomesaveliv': 920956, 'in healthcare so': 423610, 'healthcare so still': 387278, 'so still working': 778264, 'still working but': 801432, 'working but taking': 1008546, 'but taking every': 147258, 'keep my family': 471687, 'family safe go': 298201, 'safe go to': 729716, 'store that it': 810557, 'that it everyone': 844704, 'it everyone ha': 457880, 'do everything in': 249265, 'everything in their': 287858, 'power to fight': 667705, 'fight this thing': 304920, 'this thing together': 890571, 'thing together stayhomesaveliv': 884910, 'suggestion could': 817633, 'up basket': 944459, 'basket at': 112306, 'them those': 876435, 'help slow': 390526, 'slow infection': 774363, 'infection down': 436750, 'have suggestion could': 382848, 'suggestion could you': 817634, 'could you set': 209852, 'set up basket': 753547, 'up basket at': 944460, 'basket at the': 112307, 'of each aisle': 582897, 'each aisle for': 263988, 'aisle for item': 40251, 'for item people': 322757, 'item people have': 463554, 'people have picked': 648189, 'have picked up': 381932, 'up and decided': 944313, 'and decided they': 61011, 'decided they dont': 230894, 'dont want them': 255317, 'want them those': 965972, 'them those people': 876436, 'those people may': 892324, 'carrier and not': 164947, 'know it might': 476534, 'it might help': 459615, 'might help slow': 531034, 'help slow infection': 390527, 'slow infection down': 774364, 'infection down supermarket': 436751, 'down supermarket corona': 257232, 'v12': 951524, 'anders': 76134, 'ekman': 270433, 'consumer may': 198109, 'in physical': 426697, 'clearly researching': 181551, 'researching and': 713941, 'and purchasing': 69787, 'online v12': 609661, 'v12 anders': 951525, 'anders ekman': 76135, 'ekman said': 270434, 'said retail': 731333, 'apparel footwear': 81858, 'footwear sale': 318591, 'sale ecommerce': 732184, 'consumer may not': 198110, 'be shopping in': 117153, 'shopping in physical': 762983, 'in physical store': 426698, 'physical store but': 655464, 'store but they': 806813, 'they are clearly': 881227, 'are clearly researching': 85320, 'clearly researching and': 181552, 'researching and purchasing': 713942, 'and purchasing product': 69791, 'purchasing product online': 689913, 'product online v12': 681489, 'online v12 anders': 609662, 'v12 anders ekman': 951526, 'anders ekman said': 76136, 'ekman said retail': 270435, 'said retail apparel': 731334, 'retail apparel footwear': 717847, 'apparel footwear sale': 81859, 'footwear sale ecommerce': 318592, 'charting': 173874, 'full global': 340615, 'edition covid': 268607, 'here charting': 392861, 'charting the': 173875, 'here consumerinsights': 392889, 'our full global': 623213, 'full global trend': 340616, 'special edition covid': 787900, 'edition covid 19': 268608, '19 is here': 7986, 'is here charting': 448418, 'here charting the': 392862, 'charting the change': 173876, 'report here consumerinsights': 712011, '16m': 4264, 'hiring another': 397070, 'another 75': 77484, 'lockdown restriction': 499859, 'already hired': 47447, 'hired 100': 397038, 'worker more': 1007391, 'than 16m': 840180, '16m american': 4265, 'week nepal': 976558, 'nepal coronaupdate': 557403, 'amazon is hiring': 51000, 'is hiring another': 448485, 'hiring another 75': 397071, 'another 75 00': 77485, '75 00 worker': 22104, '00 worker in': 607, 'worker in to': 1007208, 'in to meet': 430123, 'because of lockdown': 119366, 'of lockdown restriction': 585961, 'lockdown restriction it': 499860, 'restriction it had': 717308, 'it had already': 458426, 'had already hired': 372829, 'already hired 100': 47448, 'hired 100 00': 397039, '00 worker more': 609, 'worker more than': 1007392, 'more than 16m': 540549, 'than 16m american': 840181, '16m american have': 4266, 'american have lost': 52023, 'job in three': 465883, 'three week nepal': 894111, 'week nepal coronaupdate': 976559, 'weber here': 974999, 'more clearly': 538817, 'clearly written': 181589, 'written story': 1012968, 'story droplet': 811951, 'across two': 29550, 'aisle possibly': 40347, 'possibly infecting': 665931, 'infecting nearby': 436690, 'nearby shopper': 553678, 'shopper with': 761836, 'weber here is': 975000, 'here is bit': 393216, 'bit more clearly': 131618, 'more clearly written': 538818, 'clearly written story': 181590, 'written story droplet': 1012970, 'story droplet from': 811952, 'droplet from single': 260473, 'single cough in': 771267, 'in supermarket can': 428570, 'supermarket can hang': 819502, 'several minute and': 753898, 'minute and travel': 533730, 'and travel across': 74401, 'travel across two': 930234, 'across two aisle': 29551, 'two aisle possibly': 936774, 'aisle possibly infecting': 40348, 'possibly infecting nearby': 665932, 'infecting nearby shopper': 436691, 'nearby shopper with': 553679, 'shopper with the': 761838, 'price fmcg': 673901, '70 disposable': 21755, 'disposable face': 246242, 'mask capped': 518517, '10 by': 1350, 'govt yet': 361338, 'yet online': 1016175, '50 each': 19680, 'sanitiser price fmcg': 734007, 'price fmcg company': 673902, 'to 70 disposable': 899813, '70 disposable face': 21756, 'disposable face mask': 246243, 'face mask capped': 294524, 'mask capped at': 518518, 'capped at 10': 162868, 'at 10 by': 97402, '10 by govt': 1353, 'by govt yet': 152724, 'govt yet online': 361339, 'yet online they': 1016176, 'online they re': 609551, 'they re sold': 883127, 're sold for': 699545, 'sold for 50': 781665, 'for 50 each': 318863, 'interesting corporate': 441534, 'corporate policy': 207321, 'policy sephora': 663492, 'sephora is': 751134, 'and encouraging': 62107, 'encouraging business': 275714, 'full for': 340601, 'had scheduled': 373478, 'scheduled even': 741486, 'is an interesting': 445678, 'an interesting corporate': 56403, 'interesting corporate policy': 441535, 'corporate policy sephora': 207322, 'policy sephora is': 663493, 'sephora is closing': 751135, 'store and encouraging': 806235, 'and encouraging business': 62108, 'encouraging business to': 275715, 'business to work': 144567, 'home but will': 400853, 'but will continue': 147874, 'pay it retail': 644972, 'it retail employee': 460745, 'retail employee in': 718072, 'employee in full': 273959, 'in full for': 423162, 'full for the': 340603, 'for the shift': 326679, 'the shift they': 866934, 'shift they had': 758429, 'they had scheduled': 882259, 'had scheduled even': 373479, 'scheduled even though': 741487, 'though they will': 892926, 'not even from': 569246, 'even from home': 284090, 'in seafood': 427751, 'seafood demand': 743130, 'is more on': 449715, 'on the drop': 604080, 'drop in seafood': 260272, 'in seafood demand': 427752, 'seafood demand and': 743131, 'and price due': 69447, 'devalue': 239554, 'market belief': 516101, 'belief stimulus': 126218, 'stimulus rescue': 801612, 'rescue cause': 713612, 'inflation real': 437229, 'estate asset': 282096, 'asset equity': 96432, 'increase which': 433155, 'happening while': 377431, 'while fixed': 986836, 'income investment': 432383, 'will devalue': 993171, 'if market belief': 414411, 'market belief stimulus': 516102, 'belief stimulus rescue': 126219, 'stimulus rescue cause': 801613, 'rescue cause inflation': 713613, 'cause inflation real': 167613, 'inflation real estate': 437230, 'real estate asset': 701135, 'estate asset equity': 282097, 'asset equity price': 96433, 'equity price will': 279965, 'will increase which': 993831, 'increase which is': 433156, 'is what happening': 453878, 'what happening while': 981559, 'happening while fixed': 377432, 'while fixed income': 986837, 'fixed income investment': 309804, 'income investment will': 432384, 'investment will devalue': 444087, 'whenthisisallover': 984695, 'trawl': 930721, 'stockpiler': 803872, 'whenthisisallover we': 984698, 'should trawl': 766599, 'trawl through': 930722, 'supermarket cctv': 819581, 'cctv and': 168514, 'fine every': 307632, 'every hoarder': 285928, 'and stockpiler': 72444, 'stockpiler coronacrisis': 803873, 'whenthisisallover we should': 984699, 'we should trawl': 973300, 'should trawl through': 766600, 'trawl through supermarket': 930723, 'through supermarket cctv': 894698, 'supermarket cctv and': 819582, 'cctv and catch': 168515, 'and catch and': 59622, 'catch and fine': 166978, 'and fine every': 62904, 'fine every hoarder': 307633, 'every hoarder and': 285929, 'hoarder and stockpiler': 398980, 'and stockpiler coronacrisis': 72445, 'stockpiler coronacrisis 19': 803874, 'coronacrisis 19 stockpilinguk': 204492, 'askadoctor': 95699, 'doctoronline': 251183, 'healthyliving': 387854, 'washing step': 967726, 'step click': 799517, 'here icliniq100hrs': 393120, 'icliniq100hrs askadoctor': 412781, 'askadoctor doctoronline': 95700, 'doctoronline handwash': 251184, 'handwash healthyliving': 376776, 'healthyliving sanitizer': 387855, 'sanitizer celebrateyou': 734647, 'hand washing step': 375959, 'washing step click': 967727, 'step click here': 799518, 'click here icliniq100hrs': 181916, 'here icliniq100hrs askadoctor': 393121, 'icliniq100hrs askadoctor doctoronline': 412782, 'askadoctor doctoronline handwash': 95701, 'doctoronline handwash healthyliving': 251185, 'handwash healthyliving sanitizer': 376777, 'healthyliving sanitizer celebrateyou': 387856, 'panic essential': 638075, 'service food': 752369, 'medicine etc': 526767, 'available time': 104635, 'live one': 495969, 'rural remote': 728259, 'area they': 92228, 'have swiggy': 382883, 'swiggy or': 830343, 'big basket': 129635, 'basket stayathomesavelives': 112392, 'stayathomesavelives indiafightscorona': 797801, 'to panic essential': 911394, 'panic essential service': 638076, 'essential service food': 281504, 'service food grocery': 752371, 'food grocery medicine': 314719, 'grocery medicine etc': 364723, 'medicine etc will': 526770, 'remain available time': 709705, 'available time to': 104636, 'who live one': 989218, 'live one day': 495970, 'one day at': 606148, 'day at time': 227338, 'at time on': 101302, 'street in rural': 813000, 'in rural remote': 427577, 'rural remote area': 728260, 'remote area they': 710695, 'area they do': 92229, 'not have swiggy': 569876, 'have swiggy or': 382884, 'swiggy or big': 830344, 'or big basket': 614552, 'big basket stayathomesavelives': 129638, 'basket stayathomesavelives indiafightscorona': 112393, 'official permission': 595875, 'permission needed': 652136, 'walk your': 964932, 'dog in': 252113, 'official permission needed': 595876, 'permission needed to': 652137, 'needed to leave': 556541, 'home to work': 402351, 'work go to': 1005213, 'to supermarket walk': 915857, 'supermarket walk your': 823717, 'walk your dog': 964933, 'your dog in': 1023555, 'dog in greece': 252114, 'zombie apocalypse': 1027688, 'apocalypse but': 81516, 'knee to': 476013, 'lowest empty': 506158, 'shelf tin': 757691, 'big soup': 130008, 'soup were': 786430, 'were hiding': 979734, 'hiding at': 394863, 'back behind': 106906, 'behind box': 124605, 'box got': 137076, 'some shit': 783843, 'shit tomato': 759274, 'tomato sauce': 923964, 'and gluten': 63761, 'free bread': 331684, 'bread too': 138622, 'too last': 924827, 'kind wa': 475023, 'very pleased': 955414, 'with myself': 999662, 'supermarket wa like': 823702, 'wa like zombie': 962555, 'like zombie apocalypse': 491902, 'zombie apocalypse but': 1027691, 'apocalypse but got': 81517, 'but got on': 145807, 'got on my': 358764, 'my knee to': 548968, 'knee to the': 476014, 'the lowest empty': 859807, 'lowest empty shelf': 506159, 'empty shelf tin': 275101, 'shelf tin of': 757692, 'tin of big': 898550, 'of big soup': 580703, 'big soup were': 130009, 'soup were hiding': 786431, 'were hiding at': 979735, 'hiding at the': 394864, 'the back behind': 849142, 'back behind box': 106907, 'behind box got': 124606, 'box got some': 137077, 'got some shit': 358857, 'some shit tomato': 783844, 'shit tomato sauce': 759275, 'tomato sauce and': 923965, 'sauce and gluten': 737136, 'and gluten free': 63762, 'gluten free bread': 353123, 'free bread too': 331686, 'bread too last': 138623, 'too last loaf': 924829, 'loaf of any': 497364, 'any kind wa': 79393, 'kind wa very': 475024, 'wa very pleased': 963645, 'very pleased with': 955416, 'pleased with myself': 660808, 'with myself in': 999664, 'beelearners': 120575, 'situation going': 772289, 'useful apps': 950140, 'apps and': 83261, 'find host': 306966, 'of website': 592982, 'will constantly': 992993, 'constantly be': 195650, 'updated homeschooling': 947380, 'homeschooling beelearners': 402937, 'with this whole': 1001738, 'this whole situation': 891385, 'whole situation going': 990325, 'situation going on': 772290, 'going on we': 355344, 'on we compiled': 605132, 'list of useful': 494487, 'of useful apps': 592709, 'useful apps and': 950141, 'apps and website': 83264, 'and website for': 75370, 'website for child': 975263, 'for child to': 320060, 'child to use': 176236, 'use when working': 949804, 'when working from': 984518, 'from home please': 335895, 'home please see': 401868, 'please see and': 660448, 'see and you': 744909, 'll find host': 496767, 'find host of': 306967, 'host of website': 404885, 'of website and': 592983, 'website and apps': 975195, 'and apps this': 58280, 'apps this will': 83322, 'this will constantly': 891408, 'will constantly be': 992994, 'constantly be updated': 195651, 'be updated homeschooling': 117890, 'updated homeschooling beelearners': 947381, 'richest corporation': 721337, 'world which': 1010173, 'which paid': 986216, 'paid almost': 633961, 'almost no': 46701, 'tax last': 835023, 'offering unpaid': 595315, 'unpaid time': 943035, 'virus meanwhile': 958497, 'meanwhile it': 524998, 'mandatory overtime': 513048, 'overtime shame': 631637, 'on jeff': 601730, 'amazon the richest': 51149, 'the richest corporation': 865789, 'richest corporation in': 721338, 'corporation in the': 207432, 'the world which': 872005, 'world which paid': 1010174, 'which paid almost': 986217, 'paid almost no': 633962, 'almost no tax': 46705, 'no tax last': 565670, 'tax last year': 835024, 'last year is': 480727, 'year is offering': 1014669, 'is offering unpaid': 450433, 'offering unpaid time': 595316, 'unpaid time off': 943036, 'time off for': 897382, 'off for worker': 593837, 'sick and just': 768368, 'and just week': 65730, 'just week paid': 470265, 'paid leave for': 634057, 'leave for worker': 484798, 'worker who test': 1008231, 'the virus meanwhile': 870861, 'virus meanwhile it': 958498, 'meanwhile it demand': 524999, 'it demand mandatory': 457517, 'demand mandatory overtime': 235836, 'mandatory overtime shame': 513049, 'overtime shame on': 631638, 'shame on jeff': 754625, 'on jeff bezos': 601731, 'uki': 938976, 'some forecast': 782895, 'forecast from': 328824, 'from uki': 338170, 'uki on': 938977, 'demand potato': 236057, 'potato are': 666906, 'are predicted': 89185, 'out perform': 627030, 'perform overall': 651412, 'overall retail': 631032, 'retail growth': 718167, 'growth which': 367479, 'here is some': 393249, 'is some forecast': 452087, 'some forecast from': 782896, 'forecast from uki': 328825, 'from uki on': 338171, 'uki on retail': 938978, 'on retail demand': 603176, 'retail demand potato': 718029, 'demand potato are': 236058, 'potato are predicted': 666908, 'are predicted to': 89186, 'predicted to out': 669630, 'to out perform': 911262, 'out perform overall': 627031, 'perform overall retail': 651413, 'overall retail growth': 631033, 'retail growth which': 718168, 'growth which itself': 367480, 'which itself is': 986082, 'itself is forecast': 463940, 'forecast to continue': 328876, 'parker close': 642051, 'only dont': 610356, 'carrier contaminating': 164961, 'contaminating supermarket': 200692, 'parker close the': 642052, 'close the shop': 182847, 'shop to the': 760960, 'the public make': 864829, 'public make it': 688152, 'make it delivery': 510027, 'it delivery or': 457510, 'pick up only': 655743, 'up only dont': 945663, 'only dont want': 610357, 'dont want covid': 255316, '19 carrier contaminating': 5653, 'carrier contaminating supermarket': 164962, 'contaminating supermarket food': 200693, 'cornoravirusus': 203741, 'word lock': 1004516, 'it common': 457227, 'common fuckin': 189388, 'fuckin sense': 339782, 'sense coronapocalypse': 750506, 'coronapocalypse cornoravirusus': 205184, 'would stop using': 1012288, 'stop using the': 805249, 'using the word': 950720, 'the word lock': 871706, 'word lock down': 1004517, 'lock down if': 499035, 'down if you': 256851, 'can walk out': 160144, 'house and drive': 406176, 'and drive to': 61744, 'store it common': 808568, 'it common fuckin': 457228, 'common fuckin sense': 189389, 'fuckin sense coronapocalypse': 339783, 'sense coronapocalypse cornoravirusus': 750507, 'trump2020nowmorethanever': 934017, 'any gas': 79271, 'gas with': 344187, 'american trump2020nowmorethanever': 52274, 'trump2020nowmorethanever via': 934018, 'to expert say': 905469, 'expert say not': 291955, 'say not like': 738994, 'not like we': 570406, 'like we ll': 491776, 'll be using': 496644, 'be using any': 117939, 'using any gas': 950391, 'any gas with': 79272, 'gas with all': 344188, 'all the lockdown': 44814, 'lockdown in place': 499512, 'place but it': 657363, 'it will still': 462443, 'will still help': 994981, 'still help offset': 800692, 'help offset the': 390174, 'offset the cost': 596114, 'cost for many': 207946, 'many american trump2020nowmorethanever': 513737, 'american trump2020nowmorethanever via': 52275, 'yo you': 1016462, 'nah amazon': 551409, 'yo you gonna': 1016463, 'you gonna take': 1018889, 'gonna take care': 356633, 'your delivery team': 1023485, 'delivery team and': 234607, 'team and driver': 835578, 'and driver or': 61753, 'driver or nah': 259681, 'or nah amazon': 616221, 'redmeatmatters': 705756, 'creative solution': 216169, 'ensure continuity': 277906, 'continuity of': 201581, 'freight in': 332690, 'global disruption': 351873, 'disruption excellent': 246469, 'excellent summary': 289114, 'summary from': 817934, 'mean and': 524362, 'here redmeatmatters': 393514, 'creative solution will': 216170, 'solution will be': 782137, 'will be needed': 992569, 'be needed to': 116059, 'needed to ensure': 556534, 'to ensure continuity': 905147, 'ensure continuity of': 277907, 'continuity of air': 201582, 'of air freight': 579858, 'air freight in': 39742, 'freight in covid': 332691, '19 global disruption': 7219, 'global disruption excellent': 351874, 'disruption excellent summary': 246470, 'excellent summary from': 289115, 'summary from on': 817935, 'from on what': 336674, 'on what this': 605247, 'this mean and': 888804, 'mean and where': 524363, 'and where to': 75541, 'where to from': 985305, 'to from here': 906264, 'from here redmeatmatters': 335782, 'is reaching': 451248, 'reaching all': 700071, 'gas tank': 344142, 'tank price': 834223, '19 is reaching': 8033, 'is reaching all': 451249, 'reaching all the': 700072, 'to the gas': 916742, 'the gas tank': 856175, 'gas tank price': 344143, 'tank price at': 834224, 'pump are beginning': 689027, 'beginning to fall': 123667, 'loneliest': 501287, 'loneliest man': 501288, 'man at': 512001, 'great post': 362899, 'post band': 666015, 'band name': 109342, 'loneliest man at': 501289, 'man at the': 512003, 'be great post': 115094, 'great post band': 362900, 'post band name': 666016, 'leadership down': 483594, 'there thousand': 879175, 'thousand on': 893477, 'beach people': 118227, 'people jamming': 648548, 'jamming town': 464442, 'town nothing': 927515, 'nothing closed': 572981, 'closed florida': 183118, 'florida is': 310953, 'the joke': 858689, 'nation yet': 552399, 'yet again': 1015970, 'they need hand': 882739, 'sanitizer because of': 734556, 'of the lack': 591170, 'lack of leadership': 478633, 'of leadership down': 585753, 'leadership down there': 483595, 'down there thousand': 257330, 'there thousand on': 879176, 'thousand on the': 893478, 'on the beach': 603983, 'the beach people': 849387, 'beach people jamming': 118228, 'people jamming town': 648549, 'jamming town nothing': 464443, 'town nothing closed': 927516, 'nothing closed florida': 572982, 'closed florida is': 183119, 'florida is the': 310955, 'is the joke': 452836, 'the joke of': 858690, 'joke of the': 467118, 'the nation yet': 861280, 'nation yet again': 552400, 'yet again 19': 1015971, 'coronavirus antidote': 205511, 'antidote home': 78511, 'test toilet': 839213, 'mask movie': 518985, 'movie myth': 544026, 'myth tip': 551063, 'tip coronaupdates': 898742, 'coronaupdates toiletpaper': 205342, 'coronavirus antidote home': 205512, 'antidote home test': 78512, 'home test toilet': 402203, 'test toilet paper': 839214, 'paper sanitizers mask': 640722, 'sanitizers mask movie': 736346, 'mask movie myth': 518986, 'movie myth tip': 544027, 'myth tip coronaupdates': 551064, 'tip coronaupdates toiletpaper': 898743, 'while wish': 987568, 'wish we': 996847, 'had marchmadness': 373280, 'marchmadness the': 515564, 'more thought': 540747, 'prayer for': 669059, 'who suffer': 989705, 'and recover': 70066, 'recover thank': 705208, 'healthcare personnel': 387206, 'personnel doctor': 653097, 'while wish we': 987569, 'wish we had': 996848, 'we had marchmadness': 971713, 'had marchmadness the': 373281, 'marchmadness the world': 515565, 'world is dealing': 1009691, 'with the lot': 1001378, 'the lot more': 859742, 'lot more thought': 504119, 'more thought and': 540748, 'and prayer for': 69326, 'prayer for those': 669061, 'those who suffer': 892679, 'who suffer and': 989706, 'suffer and recover': 817191, 'and recover thank': 70067, 'recover thank you': 705209, 'all the first': 44748, 'responder healthcare personnel': 715476, 'healthcare personnel doctor': 387207, 'personnel doctor nurse': 653098, 'nurse and those': 577207, 'and those working': 74046, 'those working at': 892745, 'mask around': 518406, 'around her': 93316, 'her neck': 392223, 'neck in': 554308, 'in personal': 426647, 'but certainly': 145403, 'in frozen': 423138, 'just saw woman': 469696, 'saw woman wearing': 738332, 'woman wearing face': 1003662, 'face mask around': 294517, 'mask around her': 518407, 'around her neck': 93317, 'her neck in': 392224, 'neck in the': 554310, 'supermarket like the': 821317, 'like the virus': 491407, 'virus can be': 958031, 'can be caught': 157598, 'be caught in': 114026, 'caught in personal': 167424, 'in personal hygiene': 426649, 'personal hygiene but': 652873, 'hygiene but certainly': 412057, 'but certainly can': 145404, 'certainly can be': 170140, 'be in frozen': 115404, 'in frozen food': 423139, 'mother elderly': 543089, 'infirm had': 436962, 'had difficulty': 373031, 'difficulty obtaining': 242393, 'obtaining bread': 578753, 'it sickening': 461047, 'sickening how': 768712, 'selfish some': 748260, 'my mother elderly': 549327, 'mother elderly and': 543090, 'elderly and infirm': 270576, 'and infirm had': 65201, 'infirm had difficulty': 436963, 'had difficulty obtaining': 373033, 'difficulty obtaining bread': 242394, 'obtaining bread and': 578754, 'other food because': 620236, 'food because she': 313712, 'because she did': 119544, 'she did not': 755985, 'buy and thought': 148337, 'thought of others': 893147, 'of others it': 587396, 'others it sickening': 621499, 'it sickening how': 461048, 'sickening how selfish': 768713, 'how selfish some': 408639, 'selfish some people': 748261, 'be in time': 115443, 'patronise': 644432, 'barilla': 111097, 'maida': 508555, 'dahi': 224475, 'amul': 54945, 'safal': 729394, 'patronise upmarket': 644433, 'upmarket shelf': 947607, 'in kirana': 424520, 'like buy': 489946, 'buy barilla': 148400, 'barilla pasta': 111098, 'leave atta': 484746, 'atta maida': 102021, 'maida buy': 508556, 'buy those': 149365, 'those ridiculously': 892404, 'ridiculously expensive': 721646, 'expensive artisanal': 291221, 'artisanal dahi': 94565, 'dahi ghee': 224476, 'ghee and': 349630, 'everything organic': 287958, 'organic spare': 619235, 'spare regular': 787492, 'regular amul': 707728, 'amul mother': 54948, 'mother dairy': 543074, 'dairy safal': 225039, 'safal stuff': 729395, 'patronise upmarket shelf': 644434, 'upmarket shelf in': 947608, 'shelf in kirana': 757202, 'in kirana store': 424521, 'kirana store supermarket': 475407, 'store supermarket like': 810457, 'supermarket like buy': 821312, 'like buy barilla': 489947, 'buy barilla pasta': 148401, 'barilla pasta and': 111099, 'pasta and leave': 643682, 'and leave atta': 66049, 'leave atta maida': 484747, 'atta maida buy': 102022, 'maida buy those': 508557, 'buy those ridiculously': 149367, 'those ridiculously expensive': 892405, 'ridiculously expensive artisanal': 721647, 'expensive artisanal dahi': 291222, 'artisanal dahi ghee': 94566, 'dahi ghee and': 224477, 'ghee and everything': 349631, 'and everything organic': 62424, 'everything organic spare': 287959, 'organic spare regular': 619236, 'spare regular amul': 787493, 'regular amul mother': 707729, 'amul mother dairy': 54949, 'mother dairy safal': 543075, 'dairy safal stuff': 225040, 'men reporting': 528523, 'buying well': 151337, 'done gobshites': 254854, 'gobshites food': 354623, 'money wasted': 537149, 'wasted 19': 968223, '19 panickbuyinguk': 9572, 'bin men reporting': 131022, 'men reporting that': 528524, 'reporting that most': 712765, 'of the bag': 590812, 'the bag are': 849174, 'bag are from': 108229, 'are from now': 86691, 'from now out': 336611, 'date food from': 226627, 'food from panic': 314611, 'panic buying well': 637959, 'buying well done': 151338, 'well done gobshites': 978180, 'done gobshites food': 254855, 'gobshites food and': 354624, 'and money wasted': 67117, 'money wasted 19': 537150, 'wasted 19 panickbuyinguk': 968224, 'key question': 473378, 'behavior fundamentally': 124041, 'fundamentally altered': 341564, 'altered after': 49158, 'recovery or': 705375, 'key question for': 473380, 'question for is': 693587, 'for is consumer': 322664, 'is consumer behavior': 446788, 'consumer behavior fundamentally': 196477, 'behavior fundamentally altered': 124042, 'fundamentally altered after': 341565, 'altered after recovery': 49159, 'after recovery or': 36114, 'recovery or not': 705376, 'may charge': 521082, 'be sky': 117205, 'high after': 394908, '19 pun': 9876, 'they may charge': 882661, 'may charge higher': 521083, 'higher price demand': 395671, 'price demand will': 673425, 'will be sky': 992683, 'be sky high': 117206, 'sky high after': 773196, 'high after covid': 394909, 'covid 19 pun': 213631, '19 pun intended': 9877, 'intensified across': 441092, 'several geography': 753853, 'geography we': 345955, 'further downward': 342043, 'to continued': 903414, 'continued well': 201369, 'supplied market': 824460, 'demand resulting': 236142, 'food price before': 315923, 'price before the': 672881, 'before the spread': 123188, '19 intensified across': 7903, 'intensified across several': 441093, 'across several geography': 29451, 'several geography we': 753854, 'geography we could': 345956, 'could see further': 209634, 'see further downward': 745147, 'further downward pressure': 342044, 'downward pressure in': 257833, 'pressure in the': 671175, 'coming month due': 188136, 'due to continued': 261740, 'to continued well': 903415, 'continued well supplied': 201370, 'well supplied market': 978623, 'supplied market and': 824461, 'impact on demand': 417840, 'on demand resulting': 600285, 'demand resulting from': 236143, 'so ve': 778622, 've listened': 953340, 'someone doe': 784431, 'in bed': 420751, 'bed with': 120427, 'this choice': 886770, 'so ve listened': 778625, 've listened to': 953341, 'listened to government': 494781, 'advice and not': 33313, 'not stock piled': 571735, 'piled food someone': 656535, 'food someone doe': 316694, 'someone doe my': 784432, 'doe my shop': 251463, 'my shop for': 550046, 'shop for me': 760192, 'for me in': 323317, 'me in bed': 522955, 'in bed with': 420752, 'bed with fever': 120428, 'with fever and': 998413, 'fever and left': 303654, 'and left with': 66086, 'with this choice': 1001683, 'gov greg': 359591, 'greg abbott': 363821, 'abbott say': 24248, 'say reopening': 739098, 'slow process': 774383, 'process he': 679909, 'expect an': 290600, 'announcement this': 77212, 'whether school': 985555, 'school year': 741997, 'gov greg abbott': 359592, 'greg abbott say': 363822, 'abbott say reopening': 24249, 'say reopening the': 739099, 'reopening the texas': 711403, 'texas economy will': 839766, 'will be slow': 992685, 'be slow process': 117219, 'slow process he': 774384, 'process he also': 679910, 'he also say': 384734, 'also say to': 48833, 'say to expect': 739388, 'to expect an': 905441, 'expect an announcement': 290601, 'an announcement this': 55316, 'announcement this week': 77213, 'week on whether': 976679, 'on whether school': 605273, 'whether school will': 985556, 'school will remain': 741988, 'the school year': 866494, 'timely lauren': 898485, 'lauren thomas': 482158, 'thomas article': 891710, 'closure lot': 183938, 'likely going': 492005, 'out over': 627002, 'on case': 599839, 'case by': 165670, 'by case': 152079, 'case basis': 165654, 'basis between': 112222, 'each tenant': 264289, 'tenant and': 837827, 'respective landlord': 715158, 'landlord but': 479341, 'timely lauren thomas': 898486, 'lauren thomas article': 482159, 'thomas article about': 891711, 'article about retail': 94235, 'about retail rent': 26097, 'retail rent and': 718442, 'rent and store': 711042, 'store closure lot': 807097, 'closure lot of': 183939, 'lot of this': 504307, 'is likely going': 449347, 'likely going to': 492006, 'going to play': 355672, 'to play out': 911798, 'play out over': 659202, 'out over the': 627003, 'coming week on': 188283, 'week on case': 976664, 'on case by': 599840, 'case by case': 165671, 'by case basis': 152080, 'case basis between': 165655, 'basis between each': 112223, 'between each tenant': 128764, 'each tenant and': 264290, 'tenant and their': 837828, 'and their respective': 73713, 'their respective landlord': 874565, 'respective landlord but': 715159, 'product safety': 681584, 'safety commission': 730500, 'commission issue': 188854, 'issue home': 455788, 'safety guidance': 730562, 'guidance during': 368219, 'consumer product safety': 198475, 'product safety commission': 681585, 'safety commission issue': 730501, 'commission issue home': 188855, 'issue home safety': 455789, 'home safety guidance': 401999, 'safety guidance during': 730563, 'guidance during covid': 368220, 'be innovative': 115508, 'innovative and': 438918, 'remain competitive': 709731, 'competitive and': 191767, 'survive franchise': 829173, 'franchise business': 331065, 'news restaurant': 560760, 'restaurant explore': 716456, 'behavior and small': 123904, 'small business must': 774878, 'business must be': 144072, 'must be innovative': 546515, 'be innovative and': 115509, 'innovative and find': 438920, 'and find way': 62896, 'way to remain': 970081, 'to remain competitive': 913161, 'remain competitive and': 709732, 'competitive and survive': 191769, 'and survive franchise': 72897, 'survive franchise business': 829174, 'franchise business news': 331066, 'business news restaurant': 144096, 'news restaurant explore': 560761, 'nofoodbank': 566188, 'nocrisispayment': 566105, 'nochanceofsurvival': 566094, 'ucpeoplestarve': 937892, 'icantwaittofuckingdie': 412623, 'nomoney nofood': 566285, 'nofood nofoodbank': 566159, 'nofoodbank nocrisispayment': 566189, 'nocrisispayment nochanceofsurvival': 566106, 'nochanceofsurvival ucpeoplestarve': 566095, 'ucpeoplestarve in': 937893, 'the uklockdown': 870308, 'uklockdown would': 939017, 'die icantwaittofuckingdie': 241370, 'nomoney nofood nofoodbank': 566287, 'nofood nofoodbank nocrisispayment': 566160, 'nofoodbank nocrisispayment nochanceofsurvival': 566190, 'nocrisispayment nochanceofsurvival ucpeoplestarve': 566107, 'nochanceofsurvival ucpeoplestarve in': 566096, 'ucpeoplestarve in the': 937894, 'in the uklockdown': 429636, 'the uklockdown would': 870309, 'uklockdown would rather': 939018, 'have the and': 382959, 'the and die': 848691, 'and die icantwaittofuckingdie': 61331, 'jordan ha': 467286, 'ha banned': 369657, 'the export': 854744, 'vegetable during': 953971, 'jordan ha banned': 467287, 'ha banned the': 369658, 'banned the export': 110599, 'the export of': 854745, 'export of range': 292680, 'of range of': 588737, 'range of vegetable': 696727, 'of vegetable during': 592760, 'vegetable during the': 953972, 'helping ensure': 391320, 'constant flow': 195615, 'for helping ensure': 322197, 'helping ensure the': 391321, 'ensure the constant': 278082, 'the constant flow': 851476, 'constant flow of': 195616, 'flow of good': 311252, 'of good to': 584242, 'good to store': 357900, 'to store shelf': 915642, 'the american that': 848639, 'american that need': 52246, 'that need these': 845314, 'need these product': 555797, 'these product now': 880560, 'product now more': 681445, 've all': 952815, 'all done': 42621, 'doing again': 252265, 'again stayathome': 37182, 'toiletpaper lockdownuknow': 922199, 'we ve all': 973635, 've all done': 952816, 'all done it': 42622, 'done it and': 254906, 'it and will': 456523, 'be doing again': 114509, 'doing again stayathome': 252266, 'again stayathome toiletpaper': 37183, 'stayathome toiletpaper lockdownuknow': 797684, 'leicester': 486107, 'wearing hazmat': 974652, 'suit wa': 817798, 'wa witnessed': 963714, 'witnessed casually': 1003138, 'casually doing': 166804, 'in leicester': 424675, 'leicester supermarket': 486108, 'convid19uk coronacrisis': 202615, 'man wearing hazmat': 512312, 'wearing hazmat suit': 974653, 'hazmat suit wa': 384622, 'suit wa witnessed': 817799, 'wa witnessed casually': 963715, 'witnessed casually doing': 1003139, 'casually doing his': 166805, 'doing his shopping': 252455, 'his shopping in': 397791, 'shopping in leicester': 762978, 'in leicester supermarket': 424676, 'leicester supermarket convid19uk': 486109, 'supermarket convid19uk coronacrisis': 819778, 'lockdown congress': 499256, 'congress asks': 194487, 'lockdown congress asks': 499257, 'congress asks govt': 194488, 'hey johnson': 394441, 'johnson sunak': 466627, 'sunak disabled': 818097, 'disabled over': 243929, 'and voluntary': 75022, 'isolating can': 455076, 'deliver me': 233168, 'essential how': 281136, 'your fucked': 1023999, 'up policy': 945779, 'policy fucking': 663415, 'fucking work': 340057, 'hey johnson sunak': 394442, 'johnson sunak disabled': 466628, 'sunak disabled over': 818098, 'disabled over 60': 243930, 'over 60 in': 629876, 'the pre existing': 864199, 'existing condition at': 290294, 'condition at risk': 193409, 'risk group and': 723586, 'group and voluntary': 366607, 'and voluntary self': 75024, 'voluntary self isolating': 960200, 'self isolating can': 747716, 'isolating can get': 455077, 'get any supermarket': 346581, 'any supermarket to': 79912, 'supermarket to deliver': 823366, 'to deliver me': 904106, 'deliver me the': 233170, 'me the bare': 523638, 'bare essential how': 110896, 'essential how doe': 281137, 'how doe your': 407752, 'doe your fucked': 251679, 'your fucked up': 1024000, 'fucked up policy': 339733, 'up policy fucking': 945780, 'policy fucking work': 663416, 'bathon': 112618, 'bathon covid': 112619, 'affected all': 34283, 'just them': 470023, 'them besides': 875476, 'besides petrol': 127519, 'decreased mo': 231637, 'bathon covid 19': 112620, 'ha affected all': 369460, 'affected all business': 34284, 'all business not': 42237, 'business not just': 144106, 'not just them': 570258, 'just them besides': 470024, 'them besides petrol': 875477, 'besides petrol price': 127520, 'petrol price ha': 653768, 'price ha decreased': 674379, 'ha decreased mo': 370334, 'sense freedom': 750523, 'freedom wire': 332397, 'wire price': 996562, 'price shopping': 676382, 'shopping trump2020': 764272, 'make sense freedom': 510439, 'sense freedom wire': 750524, 'freedom wire price': 332398, 'wire price shopping': 996564, 'price shopping trump2020': 676383, 'hmm too': 398702, 'too soon': 925074, 'these number': 880354, 'number represent': 577042, 'hmm too soon': 398703, 'too soon to': 925076, 'soon to say': 785870, 'say what these': 739472, 'what these number': 982388, 'these number represent': 880356, 'mum to': 545955, 'morning hoping': 541297, 'hoping there': 403944, 'will at': 992317, 'least be': 484407, 'wa terrible': 963417, 'terrible coronaviru': 838396, 'my mum to': 549384, 'mum to our': 545956, 'our tesco on': 625121, 'tesco on monday': 838769, 'monday morning hoping': 536334, 'morning hoping there': 541298, 'hoping there will': 403945, 'there will at': 879360, 'will at least': 992318, 'at least be': 99469, 'least be something': 484408, 'be something for': 117306, 'something for her': 784909, 'then yesterday wa': 877776, 'yesterday wa terrible': 1015928, 'wa terrible coronaviru': 963418, 'aren comfortable': 92364, 'provide special': 686490, 'them foodandbeverage': 875705, 'foodandbeverage retail': 317747, 'senior who aren': 750442, 'who aren comfortable': 988263, 'aren comfortable shopping': 92365, 'shopping online retailer': 763473, 'retailer provide special': 719284, 'provide special hour': 686492, 'special hour just': 787961, 'for them foodandbeverage': 326900, 'them foodandbeverage retail': 875706, 'foodandbeverage retail ecommerce': 317748, 'way mrx': 969716, 'mrx professional': 544492, 'professional ask': 682413, 'about personal': 25947, 'household income': 406844, 'income here': 432362, 'on approaching': 599422, 'approaching this': 83022, 'very sensitive': 955514, 'sensitive topic': 750711, 'the way mrx': 871168, 'way mrx professional': 969717, 'mrx professional ask': 544493, 'professional ask about': 682414, 'ask about personal': 95475, 'about personal finance': 25948, 'personal finance and': 652844, 'finance and household': 306155, 'and household income': 64786, 'household income here': 406845, 'income here our': 432363, 'here our advice': 393427, 'our advice on': 622033, 'advice on approaching': 33451, 'on approaching this': 599423, 'approaching this very': 83023, 'this very sensitive': 890964, 'very sensitive topic': 955515, 'tasered': 834658, 'with 400': 997014, 'food sold': 316684, 'out man': 626532, 'man tasered': 512264, 'tasered over': 834659, 'paper another': 639868, 'another man': 77712, 'in woolies': 430967, 'woolies germany': 1004377, 'germany with': 346363, 'with 700': 997055, '700 case': 21880, 'case everyone': 165732, 'is chill': 446514, 'chill toilet': 176383, 'in plentiful': 426804, 'plentiful stock': 660897, 'australia with 400': 103425, 'with 400 case': 997015, '400 case of': 18723, '19 panic in': 9548, 'supermarket all food': 818868, 'all food sold': 42825, 'food sold out': 316685, 'sold out man': 781740, 'out man tasered': 626533, 'man tasered over': 512265, 'tasered over toilet': 834660, 'toilet paper another': 921186, 'paper another man': 639869, 'another man stabbed': 77713, 'man stabbed in': 512244, 'stabbed in woolies': 791765, 'in woolies germany': 430968, 'woolies germany with': 1004378, 'germany with 700': 346364, 'with 700 case': 997056, '700 case everyone': 21881, 'case everyone is': 165733, 'everyone is chill': 287070, 'is chill toilet': 446515, 'chill toilet paper': 176384, 'paper food and': 640162, 'food and hand': 313248, 'sanitiser in plentiful': 733978, 'in plentiful stock': 426805, 'plentiful stock in': 660898, 'stock in supermarket': 802277, 'xjo': 1013860, 'job ad': 465596, 'ad tank': 31170, 'tank expected': 834201, 'expected just': 290906, 'take good': 832151, 'chart when': 173856, 'you revisit': 1020931, 'revisit earnings': 720665, 'the xjo': 872131, 'xjo in': 1013861, '20 21': 12885, '21 especially': 15000, 'bank property': 110115, 'unemployment level': 941240, 'job ad tank': 465598, 'ad tank expected': 31171, 'tank expected just': 834202, 'expected just take': 290907, 'just take good': 469939, 'take good look': 832155, 'good look at': 357343, 'at this chart': 101226, 'this chart when': 886752, 'chart when you': 173857, 'when you revisit': 984598, 'you revisit earnings': 1020932, 'revisit earnings for': 720666, 'for the xjo': 326792, 'the xjo in': 872132, 'xjo in 20': 1013862, 'in 20 21': 419737, '20 21 especially': 12886, '21 especially the': 15001, 'especially the bank': 280618, 'the bank property': 849253, 'bank property price': 110116, 'price with high': 677615, 'with high unemployment': 998808, 'high unemployment level': 395496, 'crisis true': 218275, 'character appears': 173148, 'appears and': 82177, 'abyss of': 27743, 'stupidity manifest': 815541, 'manifest itself': 513176, 'itself at': 463919, 'in crisis true': 421900, 'crisis true character': 218276, 'true character appears': 933044, 'character appears and': 173149, 'appears and the': 82178, 'and the abyss': 73232, 'the abyss of': 848273, 'abyss of stupidity': 27744, 'of stupidity manifest': 590345, 'stupidity manifest itself': 815542, 'manifest itself at': 513177, 'itself at the': 463920, 'these greedy bastard': 880073, 'is amazon': 445612, 'amazon allowing': 50837, 'allowing unsafe': 46366, 'unsafe toy': 943403, 'sold many': 781695, 'many million': 514283, 'american purchase': 52151, 'product through': 681731, 'through amazon': 894312, 'amazon over': 51064, 'month more': 537865, 'country may': 210889, 'is amazon allowing': 445613, 'amazon allowing unsafe': 50838, 'allowing unsafe toy': 46367, 'unsafe toy to': 943404, 'toy to be': 927700, 'be sold many': 117284, 'sold many million': 781696, 'many million of': 514284, 'of american purchase': 580070, 'american purchase product': 52152, 'purchase product through': 689642, 'product through amazon': 681732, 'through amazon over': 894313, 'amazon over the': 51065, 'few month more': 303933, 'month more and': 537866, 'and more people': 67199, 'this country may': 886959, 'country may take': 210892, 'may take advantage': 521555, '19 click the': 5840, 'click the li': 181948, 'gull': 368657, 'whangarei': 980948, 'gull speed': 368658, 'speed lane': 788450, 'in whangarei': 430828, 'whangarei would': 980949, 'would lower': 1012016, 'lower it': 505901, 'we seriously': 973203, 'seriously up': 751773, 'response over': 715777, 'people knew': 648592, 'knew where': 476100, 'they stood': 883479, 'stood for': 804374, 'week didn': 976157, 'didn do': 241035, 'there wrong': 879381, 'wrong on': 1013069, 'on both': 599676, 'both count': 135887, 'gull speed lane': 368659, 'speed lane in': 788451, 'lane in whangarei': 479459, 'in whangarei would': 430829, 'whangarei would lower': 980950, 'would lower it': 1012017, 'lower it price': 505903, 'it price for': 460463, 'for the weekend': 326776, 'weekend we seriously': 977444, 'we seriously up': 973204, 'seriously up the': 751774, 'up the covid': 946162, '19 response over': 10159, 'response over the': 715778, 'weekend so people': 977407, 'so people knew': 778001, 'people knew where': 648593, 'knew where they': 476101, 'where they stood': 985287, 'they stood for': 883480, 'stood for this': 804375, 'this week didn': 891208, 'week didn do': 976158, 'didn do to': 241037, 'do to well': 250409, 'to well there': 918492, 'well there wrong': 978677, 'there wrong on': 879382, 'wrong on both': 1013070, 'on both count': 599678, 'curve on': 221879, 'need to flatten': 555939, 'the curve on': 852700, 'curve on my': 221880, 'willingly': 995482, 'spreading your': 791097, 'your disease': 1023520, 'disease to': 245258, 'you willingly': 1022363, 'willingly touch': 995489, 'touch in': 926498, 'being tried': 125984, 'tried something': 931820, 'something other': 785000, 'than attempted': 840373, 'attempted murder': 102268, 'licking your hand': 488262, 'hand and spreading': 374776, 'and spreading your': 72161, 'spreading your disease': 791098, 'your disease to': 1023522, 'disease to everything': 245259, 'to everything you': 905367, 'everything you willingly': 288141, 'you willingly touch': 1022364, 'willingly touch in': 995490, 'touch in the': 926499, 'store why isn': 811318, 'why isn this': 991135, 'isn this being': 454730, 'this being tried': 886546, 'being tried something': 125986, 'tried something other': 931821, 'something other than': 785001, 'other than attempted': 621058, 'than attempted murder': 840374, 'be bleak': 113873, 'bleak the': 132553, 'good panicked': 357542, 'may be bleak': 520952, 'be bleak the': 113874, 'bleak the outbreak': 132554, 'so good panicked': 777188, 'good panicked shopper': 357543, 'on staple to': 603639, 'staple to survive': 794008, 'bet rees': 128099, 'mogg belief': 535548, 'belief people': 126208, 'they lack': 882534, 'lack common': 478589, 'him it': 396645, 'sell bog': 748647, 'sanitiser at': 733921, 'bet rees mogg': 128100, 'rees mogg belief': 706461, 'mogg belief people': 535549, 'belief people die': 126209, '19 because they': 5336, 'because they lack': 119708, 'they lack common': 882535, 'lack common sense': 478590, 'common sense for': 189457, 'sense for him': 750518, 'for him it': 322286, 'him it make': 396646, 'more sense to': 540348, 'sense to sell': 750607, 'to sell bog': 914143, 'sell bog roll': 748648, 'hand sanitiser at': 375221, 'sanitiser at inflated': 733925, 'irrationally': 444999, 'finding themselves': 307556, 'themselves irrationally': 876838, 'irrationally holding': 445000, 'holding their': 400176, 'their breath': 872646, 'breath around': 139159, 'only one finding': 610871, 'one finding themselves': 606295, 'finding themselves irrationally': 307557, 'themselves irrationally holding': 876839, 'irrationally holding their': 445001, 'holding their breath': 400178, 'their breath around': 872647, 'breath around the': 139160, 'the supermarket coronalockdownuk': 868532, 'ward grocery': 966640, 'the lower 9th': 859794, '9th ward grocery': 24032, 'ward grocery store': 966641, 'store need your': 809051, 'your help during': 1024299, 'first report': 308916, 'psychology in': 687562, 'marketresearch insight': 517859, 'our first report': 623084, 'first report is': 308917, 'report is out': 712053, 'is out consumer': 450657, 'out consumer psychology': 625881, 'consumer psychology in': 198597, 'psychology in the': 687563, 'covid 19 mrx': 213453, 'mrx marketresearch insight': 544484, 'he contract': 384846, 'contract but': 201638, 'employee are unlikely': 273631, 'are unlikely hero': 91324, 'the for philip': 855670, 'store employee it': 807502, 'if he contract': 414210, 'he contract but': 384847, 'contract but when': 201639, 'line medical staff': 493259, 'medical staff to': 526406, 'delivery worker to': 234779, 'worker to the': 1008024, 'chain worker everyone': 171263, 'worker everyone working': 1006882, 'everyone working to': 287637, 'working to get': 1008988, 'this we thank': 891154, 'britain 5m': 140365, '5m strong': 20775, 'strong self': 814111, 'employed army': 273463, 'army ha': 93006, 'been thrown': 122194, 'thrown lifeline': 895143, 'lifeline by': 489298, 'by chancellor': 152094, 'chancellor rishi': 171852, 'sunak but': 818095, 'enough read': 277592, 'britain 5m strong': 140366, '5m strong self': 20776, 'strong self employed': 814112, 'self employed army': 747622, 'employed army ha': 273464, 'army ha been': 93007, 'ha been thrown': 369954, 'been thrown lifeline': 122195, 'thrown lifeline by': 895144, 'lifeline by chancellor': 489299, 'by chancellor rishi': 152095, 'chancellor rishi sunak': 171853, 'rishi sunak but': 723135, 'sunak but is': 818096, 'it enough read': 457825, 'enough read analysis': 277593, 'depression stockmarketcrash2020': 237670, 'stockmarketcrash2020 trumpistheworstpresidentever': 803702, 'trumpistheworstpresidentever stayathomechallenge': 934059, 'stayathomechallenge telling': 797759, 'telling how': 837207, 'how lucky': 408235, 'lucky we': 506584, 'are that': 90788, 'same breath': 732985, 'breath telling': 139185, 'telling we': 837290, 'gasprices depression stockmarketcrash2020': 344287, 'depression stockmarketcrash2020 trumpistheworstpresidentever': 237671, 'stockmarketcrash2020 trumpistheworstpresidentever stayathomechallenge': 803703, 'trumpistheworstpresidentever stayathomechallenge telling': 934060, 'stayathomechallenge telling how': 797760, 'telling how lucky': 837209, 'how lucky we': 408236, 'lucky we are': 506585, 'we are that': 970735, 'are that gas': 90789, 'the same breath': 866202, 'same breath telling': 732986, 'breath telling we': 139186, 'telling we must': 837291, 'cashier continue': 166501, 'to exchange': 905397, 'exchange bill': 289442, 'without sanitizer': 1002896, 'for your customer': 328135, 'your customer the': 1023428, 'customer the way': 222930, 'way customer and': 969536, 'and cashier continue': 59611, 'cashier continue to': 166502, 'continue to exchange': 201189, 'to exchange bill': 905398, 'exchange bill without': 289443, 'bill without sanitizer': 130737, 'without sanitizer is': 1002897, 'relearning': 708912, 'democraticsocialism': 236776, 'are relearning': 89552, 'relearning what': 708913, 'the truly': 870058, 'truly important': 933320, 'provide with': 686545, 'often the': 596285, 'paid lowest': 634072, 'lowest status': 506232, 'status that': 796697, 'that must': 845256, 'them democraticsocialism': 875590, 'we are relearning': 970684, 'are relearning what': 89553, 'relearning what is': 708914, 'what is essential': 981689, 'is essential and': 447541, 'and what is': 75472, 'what is not': 981713, 'not the truly': 572039, 'the truly important': 870059, 'truly important people': 933321, 'important people who': 418921, 'who provide with': 989470, 'provide with the': 686547, 'with the basic': 1001210, 'basic are often': 111830, 'are often the': 88693, 'often the lowest': 596286, 'lowest paid lowest': 506195, 'paid lowest status': 634073, 'lowest status that': 506233, 'status that must': 796698, 'that must change': 845258, 'must change we': 546582, 'change we all': 172382, 'depend on them': 237327, 'on them democraticsocialism': 604532, 'walmart to': 965442, 'walmart to limit': 965444, 'to limit customer': 909285, 'limit customer in': 492323, 'store to reduce': 810806, 'of spreading coronavirus': 590005, 'adjustable': 32311, 'biocarohk': 131179, 'greendisinfectant': 363731, 'chloridedioxide': 177574, 'coronavirus using': 207006, 'using disinfectant': 950459, 'disinfectant sterilizer': 245762, 'sterilizer spray': 799877, 'spray machine': 790305, 'machine adjustable': 507350, 'adjustable angle': 32312, 'angle and': 76426, 'used with': 950124, 'our disinfection': 622766, 'disinfection tablet': 245920, 'tablet for': 831524, 'information biocarohk': 437770, 'biocarohk com': 131180, 'com disinfectant': 186929, 'sanitizer greendisinfectant': 735003, 'greendisinfectant who': 363732, 'who chloridedioxide': 988451, '19 coronavirus using': 6135, 'coronavirus using disinfectant': 207007, 'using disinfectant sterilizer': 950460, 'disinfectant sterilizer spray': 245763, 'sterilizer spray machine': 799878, 'spray machine adjustable': 790306, 'machine adjustable angle': 507351, 'adjustable angle and': 32313, 'angle and convenient': 76427, 'and convenient to': 60529, 'convenient to be': 202426, 'be used with': 117927, 'used with our': 950125, 'with our disinfection': 999989, 'our disinfection tablet': 622767, 'disinfection tablet for': 245921, 'tablet for more': 831525, 'more information biocarohk': 539579, 'information biocarohk com': 437771, 'biocarohk com disinfectant': 131181, 'com disinfectant sanitizer': 186930, 'disinfectant sanitizer greendisinfectant': 245748, 'sanitizer greendisinfectant who': 735004, 'greendisinfectant who chloridedioxide': 363733, 'miso': 534117, 'powermarket': 667832, 'delayed outage': 232801, 'outage decreased': 627919, 'decreased demand': 231629, 'demand depleted': 235224, 'depleted price': 237414, 'the miso': 860686, 'miso powermarket': 534118, 'powermarket been': 667833, 'unprecedented outbreak': 943176, 'outbreak hear': 628295, 'expert during': 291823, 'during our': 262844, 'delayed outage decreased': 232802, 'outage decreased demand': 627920, 'decreased demand depleted': 231630, 'demand depleted price': 235225, 'depleted price how': 237415, 'price how ha': 674590, 'ha the miso': 372211, 'the miso powermarket': 860687, 'miso powermarket been': 534119, 'powermarket been affected': 667834, 'been affected due': 120622, 'to the unprecedented': 917160, 'the unprecedented outbreak': 870458, 'unprecedented outbreak hear': 943177, 'outbreak hear from': 628296, 'hear from our': 387925, 'our expert during': 622955, 'expert during our': 291824, 'during our live': 262846, 'our live on': 623759, 'live on april': 495950, 'circulates': 178672, 'air con': 39706, 'con is': 192800, 'is blasting': 446201, 'blasting imagine': 132425, 'consumer walk': 199462, 'con circulates': 192794, 'circulates the': 178675, 'droplet and': 260465, 'of inhale': 585206, 'your ve': 1026267, 've air': 952813, 'air pressure': 39776, 'pressure for': 671157, 'now risking': 575710, 'wa at your': 961610, 'your store the': 1025994, 'store the air': 810585, 'the air con': 848482, 'air con is': 39708, 'con is blasting': 192801, 'is blasting imagine': 446202, 'blasting imagine if': 132426, 'imagine if consumer': 416740, 'if consumer walk': 413987, 'consumer walk in': 199463, 'walk in with': 964815, '19 and air': 4984, 'and air con': 57810, 'air con circulates': 39707, 'con circulates the': 192795, 'circulates the droplet': 178676, 'the droplet and': 853714, 'droplet and all': 260466, 'all of inhale': 43698, 'of inhale it': 585207, 'inhale it can': 438426, 'it can do': 457014, 'can do without': 158129, 'do without your': 250588, 'without your ve': 1003081, 'your ve air': 1026268, 've air pressure': 952814, 'air pressure for': 39777, 'pressure for now': 671158, 'for now risking': 323981, 'now risking our': 575711, 'risking our life': 724088, 'mortonwilliams': 541983, 'abridged': 27137, 'haggadah': 373881, 'to shout': 914544, 'store mortonwilliams': 808991, 'mortonwilliams on': 541984, 'their handling': 873491, 'already restocked': 47623, 'just emailed': 468665, 'emailed an': 272378, 'an abridged': 55035, 'abridged haggadah': 27138, 'haggadah for': 373882, 'virtual passover': 957774, 'want to shout': 966119, 'to shout out': 914546, 'shout out my': 766773, 'out my local': 626604, 'grocery store mortonwilliams': 365576, 'store mortonwilliams on': 808992, 'mortonwilliams on their': 541985, 'on their handling': 604486, 'their handling of': 873492, 'handling of covid': 376364, 'only are they': 610115, 'are they already': 90988, 'they already restocked': 881136, 'already restocked on': 47624, 'restocked on toilet': 716959, 'other essential but': 620154, 'essential but they': 280878, 'but they just': 147507, 'they just emailed': 882494, 'just emailed an': 468666, 'emailed an abridged': 272379, 'an abridged haggadah': 55036, 'abridged haggadah for': 27139, 'haggadah for virtual': 373883, 'for virtual passover': 327572, 'update shortly': 947206, 'shortly after': 765381, 'wa closing': 961830, 'update shortly after': 947207, 'shortly after announced': 765382, 'after announced it': 35366, 'it wa closing': 462090, 'wa closing it': 961831, 'closing it north': 183672, 'retail store due': 718633, 'from today at': 338073, 'meet customer': 527451, 'state shuts': 795938, 'also addressing': 47815, 'addressing their': 32110, 'employee concern': 273726, 'about interacting': 25543, 'supermarket are working': 819195, 'to meet customer': 910020, 'meet customer need': 527452, 'pandemic the state': 636702, 'the state shuts': 867808, 'state shuts down': 795939, 'shuts down while': 768189, 'down while also': 257472, 'while also addressing': 986589, 'also addressing their': 47816, 'addressing their employee': 32111, 'their employee concern': 873138, 'employee concern about': 273727, 'concern about interacting': 192896, 'about interacting with': 25544, 'cluck': 184518, 'motherclucker': 543217, 'manup': 513697, 'omgisitonlyme': 598931, 'men step': 528529, 'the cluck': 851086, 'cluck up': 184519, 'child child': 176045, 'child mom': 176147, 'go whether': 354494, 'her or': 392263, 'not motherclucker': 570603, 'motherclucker you': 543218, 'you manup': 1019781, 'manup and': 513698, 'kid omgisitonlyme': 474065, 'men step the': 528530, 'step the cluck': 799633, 'the cluck up': 851087, 'cluck up during': 184520, 'up during this': 944761, 'allow your child': 46109, 'your child child': 1023198, 'child child mom': 176046, 'child mom to': 176148, 'mom to go': 535816, 'supermarket with the': 823941, 'the kid you': 858800, 'kid you go': 474189, 'you go whether': 1018871, 'go whether you': 354495, 'whether you live': 985620, 'you live with': 1019635, 'live with her': 496117, 'with her or': 998775, 'her or not': 392264, 'or not motherclucker': 616306, 'not motherclucker you': 570604, 'motherclucker you manup': 543219, 'you manup and': 1019782, 'manup and you': 513699, 'and you take': 76050, 'you take the': 1021519, 'risk for not': 723553, 'for not your': 323938, 'not your kid': 572632, 'your kid omgisitonlyme': 1024562, 'man everyone': 512055, 'everyone face': 286902, 'face loss': 294506, 'praise by': 668835, 'land thank': 479298, 'you sir': 1021261, 'regularly posting': 707940, 'posting the': 666692, 'food yogaforcorona': 317700, 'yogaforcorona creates': 1016497, 'great man everyone': 362820, 'man everyone face': 512056, 'everyone face loss': 286903, 'face loss and': 294507, 'teach not just': 835399, 'not just self': 570248, 'just self quarantine': 469750, 'self praise by': 747833, 'praise by creating': 668836, 'by creating la': 152258, 'la land thank': 478182, 'land thank you': 479299, 'thank you sir': 841811, 'you sir for': 1021264, 'for regularly posting': 325079, 'regularly posting the': 707941, 'posting the food': 666693, 'the food yogaforcorona': 855626, 'food yogaforcorona creates': 317701, 'from hour': 335951, 'stocking grocery': 803565, 'were slammed': 980137, 'slammed the': 773507, 'got home from': 358614, 'home from hour': 401265, 'from hour of': 335953, 'hour of stocking': 405809, 'of stocking grocery': 590218, 'stocking grocery store': 803566, 'store shelf at': 810059, 'local store work': 498488, 'we were slammed': 973810, 'were slammed the': 980138, 'slammed the entire': 773508, 'entire time here': 278758, 'here what saw': 393819, 'little boy': 495265, 'boy at': 137243, 'like pretty': 491028, 'little boy at': 495266, 'boy at the': 137246, 'feel like pretty': 302738, 'like pretty safe': 491029, 'hohberger': 399853, 'scientifically': 742181, 'filtration': 305806, '200nm': 13747, 'hohberger it': 399854, 'is scientifically': 451686, 'scientifically proved': 742182, 'proved that': 686139, 'that diy': 843564, 'one facial': 606271, 'tissue inner': 899161, 'inner layer': 438803, 'layer on': 482639, 'two kitchen': 936993, 'the outer': 862734, 'outer layer': 628932, 'layer achieved': 482621, 'achieved over': 29052, 'of filtration': 583521, 'filtration of': 305807, '20 200nm': 12876, '200nm aerosol': 13748, 'aerosol coronav': 33904, 'hohberger it is': 399855, 'it is scientifically': 459070, 'is scientifically proved': 451687, 'scientifically proved that': 742183, 'proved that diy': 686140, 'that diy face': 843565, 'face mask with': 294610, 'mask with one': 519587, 'with one facial': 999883, 'one facial tissue': 606272, 'facial tissue inner': 295250, 'tissue inner layer': 899162, 'inner layer on': 438805, 'layer on the': 482640, 'the face and': 854799, 'face and two': 294304, 'and two kitchen': 74552, 'two kitchen paper': 936994, 'kitchen paper towel': 475741, 'towel the outer': 927389, 'the outer layer': 862735, 'outer layer achieved': 628933, 'layer achieved over': 482622, 'achieved over 90': 29053, 'over 90 function': 629939, 'surgical mask in': 828358, 'mask in term': 518838, 'term of filtration': 838218, 'of filtration of': 583522, 'filtration of 20': 305808, 'of 20 200nm': 579447, '20 200nm aerosol': 12877, '200nm aerosol coronav': 13749, 'situation that': 772504, 'unprecedented donation': 943130, 'have ma': 381402, 'ma foodbanks': 507266, 'facing tsunami': 295640, 'food in 45': 314921, 'in 45 minute': 419934, '45 minute this': 19121, 'minute this is': 533865, 'is situation that': 451949, 'situation that is': 772506, 'that is unprecedented': 844671, 'is unprecedented donation': 453540, 'unprecedented donation are': 943131, 'donation are not': 254550, 'for to keep': 327224, 'the food demand': 855542, 'food demand that': 314179, 'to have ma': 907271, 'have ma foodbanks': 381403, 'ma foodbanks are': 507267, 'foodbanks are facing': 317813, 'are facing tsunami': 86437, 'facing tsunami of': 295641, 'tsunami of need': 934974, 'of need amid': 586900, 'quelling': 693446, 'talking few': 834015, 'more week': 540960, 'good american': 356712, 'american will': 52308, 'the troop': 870015, 'troop that': 932547, 'be quelling': 116662, 'quelling the': 693447, 'maintaining order': 509121, 'ok now we': 597846, 're talking few': 699664, 'talking few more': 834016, 'few more week': 303951, 'more week of': 540961, 'week of mass': 976627, 'of mass hysteria': 586286, 'hysteria and good': 412431, 'and good american': 63827, 'good american will': 356713, 'american will be': 52310, 'will be supporting': 992711, 'be supporting the': 117463, 'supporting the troop': 827214, 'the troop that': 870016, 'troop that will': 932548, 'will be quelling': 992631, 'be quelling the': 116663, 'quelling the food': 693448, 'the food riot': 855597, 'food riot and': 316241, 'riot and maintaining': 722598, 'and maintaining order': 66534, 'maintaining order and': 509122, 'order and so': 618036, 'very near': 955375, 'near horizon': 553522, 'horizon now': 404048, 'said lockdown': 731201, 'on forever': 600964, 'sweep is on': 830134, 'the very near': 870708, 'very near horizon': 955377, 'near horizon now': 553523, 'horizon now that': 404049, 'ha said lockdown': 371793, 'said lockdown could': 731202, 'lockdown could go': 499277, 'go on forever': 353883, 'kind to supermarket': 475012, 'working hard during': 1008680, '60 percent': 20989, 'closed dining': 183065, 'over 60 percent': 629879, '60 percent of': 20991, 'percent of state': 651160, 'of state have': 590068, 'have closed dining': 379995, 'closed dining room': 183067, 'kid brother': 473888, 'is frontline': 447948, 'frontline manager': 338784, 'an upscale': 56941, 'upscale grocery': 947787, 'store back': 806624, 'and ex': 62444, 'ex military': 288641, 'military presented': 531491, 'presented without': 670664, 'without comment': 1002548, 'comment from': 188416, 'our convo': 622562, 'convo today': 202697, 'my kid brother': 548943, 'kid brother is': 473889, 'brother is frontline': 141075, 'is frontline manager': 447949, 'frontline manager at': 338785, 'manager at an': 512683, 'at an upscale': 97993, 'an upscale grocery': 56942, 'upscale grocery store': 947788, 'grocery store back': 365230, 'store back home': 806625, 'back home and': 107054, 'home and ex': 400639, 'and ex military': 62445, 'ex military presented': 288642, 'military presented without': 531492, 'presented without comment': 670665, 'without comment from': 1002549, 'comment from our': 188417, 'from our convo': 336763, 'our convo today': 622563, 'convo today about': 202698, 'today about the': 919144, 'about the crisis': 26365, 'know can': 476325, 'get most': 347612, 'want if': 965818, 'if willing': 415361, 'line there': 493463, 'even shot': 284568, 'shot at': 765414, 'at tiny': 101319, 'all yeast': 45526, 'yeast stayhome': 1015156, 'know can get': 476326, 'can get toilet': 158467, 'paper can still': 640008, 'still get most': 800555, 'get most of': 347614, 'the thing my': 869459, 'thing my family': 884602, 'my family need': 548215, 'family need or': 298072, 'or want if': 617722, 'want if willing': 965819, 'if willing to': 415362, 'willing to wait': 995481, 'long line there': 501508, 'line there even': 493464, 'there even shot': 878366, 'even shot at': 284569, 'shot at tiny': 765415, 'at tiny bottle': 101320, 'sanitizer once week': 735467, 'week the one': 976999, 'thing that is': 884814, 'at all yeast': 97922, 'all yeast stayhome': 45527, 'tofu at': 920645, 'tofu make': 920653, 'make terrible': 510546, 'of tofu at': 592244, 'tofu at the': 920646, 'that tofu make': 847074, 'tofu make terrible': 920654, 'make terrible substitute': 510547, 'contact still': 200210, 'no organized': 565008, 'organized control': 619473, 'shopper socialdistancing': 761692, 'socialdistancing apparently': 780224, 'supermarket cashier are': 819550, 'cashier are among': 166469, 'among those most': 53099, 'those most likely': 892225, 'likely to contact': 492137, 'to contact still': 903357, 'contact still no': 200211, 'still no organized': 800874, 'no organized control': 565009, 'organized control of': 619474, 'control of shopper': 202072, 'of shopper socialdistancing': 589649, 'shopper socialdistancing apparently': 761693, 'socialdistancing apparently not': 780225, 'apparently not in': 81975, 'not in effect': 570091, 'in effect at': 422505, 'effect at store': 268975, 'registry': 707690, 'tpisthenewgold': 928071, '2020 might': 14443, 'be first': 114870, 'year ever': 1014553, 'on wedding': 605161, 'wedding registry': 975579, 'registry charmin': 707691, 'toiletpaper tpisthenewgold': 922759, '2020 might be': 14444, 'might be first': 530897, 'be first year': 114871, 'first year ever': 309195, 'year ever that': 1014554, 'ever that toilet': 285536, 'is on wedding': 450491, 'on wedding registry': 605162, 'wedding registry charmin': 975580, 'registry charmin toiletpaper': 707692, 'charmin toiletpaper tpisthenewgold': 173811, 'conclude': 193302, 'cause change': 167515, 'habit that': 372693, 'for generation': 321859, 'generation for': 345612, 'instance based': 440071, 'on spike': 603603, 'caput consumption': 162969, 'consumption can': 199848, 'can conclude': 157950, 'conclude that': 193305, 'that million': 845171, 'begun using': 123744, 'gotten indoor': 359145, 'indoor plumbing': 435358, '19 will cause': 12081, 'will cause change': 992885, 'cause change in': 167516, 'change in american': 172106, 'in american consumer': 420246, 'american consumer habit': 51892, 'consumer habit that': 197694, 'habit that last': 372694, 'that last for': 844844, 'last for generation': 480228, 'for generation for': 321860, 'generation for instance': 345614, 'for instance based': 322606, 'instance based on': 440072, 'based on spike': 111695, 'on spike in': 603604, 'spike in per': 789307, 'in per caput': 426607, 'per caput consumption': 650736, 'caput consumption can': 162970, 'consumption can conclude': 199849, 'can conclude that': 157951, 'conclude that million': 193306, 'that million of': 845172, 'of american have': 580061, 'american have begun': 52019, 'have begun using': 379762, 'begun using toilet': 123746, 'paper for the': 640186, 'time and may': 896280, 'and may even': 66798, 'may even have': 521150, 'even have gotten': 284166, 'have gotten indoor': 380822, 'gotten indoor plumbing': 359146, 'scout': 742520, 'soap don': 778987, 'up excuse': 944825, 'excuse let': 289756, 'fight staysafeug': 304873, 'staysafeug stayhome': 799042, 'stayhome stayathomesavelives': 798142, 'stayathome stayathome': 797627, 'stayathome scout': 797604, 'sanitizer use soap': 735994, 'use soap don': 949589, 'soap don make': 778988, 'don make up': 253722, 'make up excuse': 510683, 'up excuse let': 944826, 'excuse let fight': 289757, 'let fight staysafeug': 486717, 'fight staysafeug stayhome': 304874, 'staysafeug stayhome stayathomesavelives': 799043, 'stayhome stayathomesavelives stayathome': 798143, 'stayathomesavelives stayathome stayathome': 797807, 'stayathome stayathome scout': 797628, 'sickness this': 768760, 'overall health': 631014, 'led to people': 485292, 'to people out': 911633, 'due to sickness': 261950, 'to sickness and': 914623, 'sickness and the': 768747, 'risk of sickness': 723777, 'of sickness this': 589716, 'sickness this is': 768761, 'water and overall': 968872, 'and overall health': 68568, 'overall health in': 631015, 'lolwut': 500994, 'meanwhile southkorea': 525030, 'southkorea twitch': 786897, 'twitch tp': 936615, 'stayathome lolwut': 797527, 'meanwhile southkorea twitch': 525031, 'southkorea twitch tp': 786898, 'twitch tp toiletpaper': 936616, 'tp toiletpaper stayhome': 928005, 'toiletpaper stayhome stayathome': 922526, 'stayhome stayathome lolwut': 798133, 'differe': 241803, 'samantha clear': 732934, '80 aid': 22543, 'crisis would': 218450, 'help having': 389846, 'having consumer': 384008, 'consumer general': 197573, 'like nz': 490896, 'nz would': 578215, 'too screening': 925044, 'and temp': 73106, 'doing differe': 252352, 'samantha clear consistent': 732935, 'like the 80': 491344, 'the 80 aid': 848196, '80 aid crisis': 22544, 'aid crisis would': 39376, 'crisis would help': 218451, 'would help having': 1011908, 'help having consumer': 389847, 'having consumer general': 384009, 'consumer general public': 197574, 'website like nz': 975339, 'like nz would': 490897, 'nz would help': 578216, 'would help too': 1011921, 'help too screening': 390811, 'too screening and': 925045, 'screening and temp': 742758, 'and temp check': 73107, 'temp check there': 837321, 'check there is': 174669, 'lot we could': 504408, 'be doing differe': 114513, 'arm about': 92875, 'about smaller': 26209, 'shop upping': 760993, 'upping the': 947711, 'demand yet': 236533, 'just accept': 468143, 'accept airline': 27936, 'and resort': 70318, 'resort doubling': 714672, 'during their': 263221, 'their peak': 874263, 'peak time': 646105, 'in arm about': 420499, 'arm about smaller': 92876, 'about smaller shop': 26210, 'smaller shop upping': 775300, 'shop upping the': 760994, 'upping the price': 947712, 'roll because of': 725213, 'and demand yet': 61182, 'demand yet they': 236534, 'yet they just': 1016276, 'they just accept': 882486, 'just accept airline': 468144, 'accept airline hotel': 27937, 'airline hotel and': 39966, 'hotel and resort': 405108, 'and resort doubling': 70319, 'resort doubling price': 714673, 'doubling price during': 256167, 'price during their': 673634, 'during their peak': 263223, 'their peak time': 874264, 'honorable prime': 403271, 'minister ji': 533388, 'ji online': 465456, 'apps should': 83308, 'down very': 257429, 'soon it': 785754, 'too harmful': 924775, 'citizen because': 178865, 'through any': 894331, 'any door': 79137, 'door it': 255630, 'enemy for': 276356, 'nation hope': 552211, 'understand my': 940686, 'my word': 550631, 'word coronaalert': 1004469, 'coronaalert lockdownshoppingapps': 204428, 'dear honorable prime': 229807, 'honorable prime minister': 403272, 'prime minister ji': 678142, 'minister ji online': 533390, 'ji online shopping': 465457, 'shopping apps should': 762061, 'apps should be': 83309, 'should be shut': 765728, 'shut down very': 767864, 'down very soon': 257430, 'very soon it': 955566, 'soon it is': 785755, 'is too harmful': 453278, 'too harmful for': 924776, 'harmful for citizen': 378443, 'for citizen because': 320090, 'citizen because covid': 178866, '19 can enter': 5608, 'enter through any': 278326, 'through any door': 894332, 'any door it': 79138, 'door it is': 255631, 'is an invisible': 445681, 'invisible enemy for': 444248, 'enemy for the': 276357, 'the nation hope': 861242, 'nation hope you': 552212, 'you understand my': 1021964, 'understand my word': 940687, 'my word coronaalert': 550633, 'word coronaalert lockdownshoppingapps': 1004470, '799': 22395, 'yay 14': 1014193, '14 799': 3405, '799 down': 22396, 'from 31': 334280, '31 699': 17550, '699 in': 21538, 'virtual online': 957764, 'queue they': 694087, 'found cure': 330188, 'for by': 319865, 'yay 14 799': 1014194, '14 799 down': 3406, '799 down from': 22397, 'down from 31': 256787, 'from 31 699': 334281, '31 699 in': 17551, '699 in the': 21539, 'in the virtual': 429649, 'the virtual online': 870786, 'virtual online shopping': 957765, 'shopping queue they': 763713, 'queue they ll': 694088, 'll have found': 496829, 'have found cure': 380696, 'found cure for': 330189, 'cure for by': 220737, 'for by the': 319867, 'time get through': 896827, 'cunty': 220380, 'worker footballer': 1006964, 'footballer wage': 318530, 'wage we': 963988, 'fucked without': 339736, 'chain bad': 170537, 'of heaving': 584524, 'heaving shop': 388612, 'but add': 145058, 'add fear': 31429, 'contracting and': 201755, 'with cunty': 997872, 'cunty moaning': 220381, 'moaning customer': 534902, 'give supermarket worker': 350724, 'supermarket worker footballer': 824024, 'worker footballer wage': 1006965, 'footballer wage we': 318531, 'wage we would': 963989, 'would be so': 1011647, 'be so fucked': 117255, 'so fucked without': 777134, 'fucked without them': 339737, 'without them all': 1002990, 'them all and': 875335, 'all and everyone': 42012, 'supply chain bad': 824911, 'chain bad enough': 170538, 'bad enough the': 107843, 'enough the stress': 277672, 'stress of heaving': 813370, 'of heaving shop': 584525, 'heaving shop but': 388613, 'shop but add': 759995, 'but add fear': 145059, 'add fear of': 31430, 'fear of contracting': 301225, 'of contracting and': 581831, 'contracting and dealing': 201756, 'dealing with cunty': 229659, 'with cunty moaning': 997873, 'cunty moaning customer': 220382, 'icecream': 412690, 'thankschina': 842285, 'trade some': 928577, 'of icecream': 584955, 'icecream family': 412691, 'family ccpvirus': 297696, 'ccpvirus shopping': 168499, 'shopping wuhancoronavirus': 764475, 'wuhancoronavirus consumer': 1013543, 'consumer newnormal': 198208, 'newnormal thankschina': 560150, 'will trade some': 995222, 'trade some toiletpaper': 928578, 'some toiletpaper for': 784089, 'toiletpaper for lot': 922001, 'lot of icecream': 504209, 'of icecream family': 584956, 'icecream family ccpvirus': 412692, 'family ccpvirus shopping': 297697, 'ccpvirus shopping wuhancoronavirus': 168500, 'shopping wuhancoronavirus consumer': 764476, 'wuhancoronavirus consumer newnormal': 1013544, 'consumer newnormal thankschina': 198209, 'read this thread': 700627, 'xr': 1013899, 'the vr': 870966, 'vr ar': 960730, 'ar community': 83796, 'community what': 190217, 'the shared': 866792, 'shared use': 755462, 'those very': 892588, 'very expensive': 955148, 'expensive enterprise': 291236, 'enterprise xr': 278469, 'xr headset': 1013900, 'headset after': 386044, 'be shift': 117134, 'to cheap': 902669, 'more simple': 540394, 'simple personal': 770072, 'device instead': 239912, 'for the vr': 326766, 'the vr ar': 870967, 'vr ar community': 960731, 'ar community what': 83797, 'community what is': 190218, 'is your take': 454169, 'your take on': 1026102, 'future of the': 342400, 'of the shared': 591455, 'the shared use': 866793, 'shared use of': 755463, 'use of those': 949433, 'of those very': 592124, 'those very expensive': 892589, 'very expensive enterprise': 955149, 'expensive enterprise xr': 291237, 'enterprise xr headset': 278470, 'xr headset after': 1013901, 'headset after this': 386045, 'crisis will this': 218420, 'will this mean': 995197, 'mean that there': 524687, 'to be shift': 901535, 'be shift to': 117136, 'shift to cheap': 758432, 'to cheap and': 902670, 'cheap and more': 174076, 'and more simple': 67217, 'more simple personal': 540395, 'simple personal consumer': 770073, 'personal consumer device': 652812, 'consumer device instead': 197193, 'founder talk': 330562, 'why our': 991265, 'our ceo and': 622340, 'ceo and co': 169643, 'and co founder': 60038, 'co founder talk': 184841, 'founder talk about': 330563, 'about the negative': 26459, 'consumer finance and': 197472, 'finance and why': 306158, 'and why our': 75633, 'why our mission': 991267, 'our mission to': 623932, 'mission to disrupt': 534378, 'to disrupt the': 904422, 'disrupt the industry': 246379, 'industry is more': 435934, 'machined': 507423, 'rochesterny': 724883, 'new item': 558952, 'these beautifully': 879682, 'beautifully machined': 118735, 'machined aluminum': 507424, 'aluminum hand': 49437, 'sanitizer bracket': 734589, 'bracket are': 137514, 'are perfect': 89059, 'perfect put': 651327, 'one near': 606703, 'near your': 553648, 'for soon': 325797, 'house stay': 406574, 'there handsanitizer': 878461, 'handsanitizer create': 376507, 'create rochesterny': 215728, 'rochesterny shoplocal': 724884, 'new item from': 558953, 'item from these': 463289, 'from these beautifully': 337973, 'these beautifully machined': 879683, 'beautifully machined aluminum': 118736, 'machined aluminum hand': 507425, 'aluminum hand sanitizer': 49438, 'hand sanitizer bracket': 375328, 'sanitizer bracket are': 734590, 'bracket are perfect': 137515, 'are perfect put': 89060, 'perfect put one': 651328, 'put one near': 690734, 'one near your': 606705, 'near your door': 553649, 'door for soon': 255594, 'for soon you': 325798, 'soon you walk': 785913, 'into the house': 443137, 'the house stay': 857635, 'house stay safe': 406575, 'stay safe out': 797262, 'out there handsanitizer': 627485, 'there handsanitizer create': 878462, 'handsanitizer create rochesterny': 376508, 'create rochesterny shoplocal': 215729, 'dutch ttf': 263524, 'ttf gas': 935000, 'to sink': 914676, 'on industrial': 601562, 'industrial demand': 435537, 'demand decline': 235214, 'dutch ttf gas': 263525, 'ttf gas price': 935001, 'price to sink': 677039, 'to sink on': 914677, 'sink on industrial': 771481, 'on industrial demand': 601563, 'industrial demand decline': 435538, 'disbelieving': 244305, 'who reject': 989518, 'reject the': 708327, 'about change': 24947, 'but immediately': 146010, 'immediately buy': 417065, 'buy every': 148586, 'when scientist': 983965, 'warn them': 966973, 'them about': 875307, 'about prove': 26022, 'prove that': 686115, 'about believing': 24873, 'believing or': 126456, 'or disbelieving': 614985, 'disbelieving it': 244306, 'doesn directly': 251748, 'directly affect': 243524, 'affect them': 34261, 'people who reject': 650333, 'who reject the': 989519, 'reject the warning': 708328, 'warning about change': 967066, 'about change but': 24948, 'change but immediately': 171962, 'but immediately buy': 146012, 'immediately buy every': 417066, 'buy every bottle': 148587, 'every bottle of': 285700, 'of hand when': 584441, 'hand when scientist': 375978, 'when scientist warn': 983966, 'scientist warn them': 742270, 'warn them about': 966974, 'them about prove': 875309, 'about prove that': 26023, 'prove that it': 686116, 'it wa never': 462153, 'never about believing': 557846, 'about believing or': 24874, 'believing or disbelieving': 126457, 'or disbelieving it': 614986, 'disbelieving it about': 244307, 'it about what': 456243, 'about what doesn': 26881, 'what doesn directly': 981376, 'doesn directly affect': 251749, 'directly affect them': 243525, 'affect them and': 34262, 'them and what': 875408, 'the dine': 853296, 'in ban': 420685, 'ban spark': 109258, 'spark demand': 787536, 'service contactless': 752254, 'most delivery': 542246, 'platform yet': 659063, 'still important': 800734, 'eating see': 266303, 'service campaign': 752201, 'campaign stay': 157255, 'with the dine': 1001266, 'the dine in': 853297, 'dine in ban': 242969, 'in ban spark': 420686, 'ban spark demand': 109259, 'spark demand for': 787537, 'delivery service contactless': 234431, 'service contactless delivery': 752255, 'contactless delivery is': 200365, 'delivery is now': 234142, 'is now allowed': 450257, 'now allowed on': 573969, 'allowed on most': 46193, 'on most delivery': 602225, 'most delivery platform': 542247, 'delivery platform yet': 234346, 'platform yet it': 659064, 'yet it still': 1016117, 'it still important': 461253, 'still important to': 800736, 'hand before eating': 374831, 'before eating see': 122769, 'eating see some': 266304, 'our food service': 623128, 'food service campaign': 316406, 'service campaign stay': 752202, 'campaign stay healthy': 157256, 'finney': 307988, 'givemeacovidbreak': 350929, 'at 15': 97470, '15 pm': 3826, 'pm pacific': 661955, 'pacific discus': 632983, 'discus auto': 244828, 'auto insurance': 103884, 'insurance discount': 440718, 'on michael': 602118, 'michael finney': 530238, 'finney consumer': 307989, 'talk show': 833843, 'show on': 767080, 'on am': 599266, 'am sf': 50382, 'sf bay': 754246, 'area radio': 92174, 'radio givemeacovidbreak': 695435, 'givemeacovidbreak podcast': 350930, 'podcast available': 662258, 'available after': 104205, 'today at 15': 919266, 'at 15 pm': 97473, '15 pm pacific': 3827, 'pm pacific discus': 661957, 'pacific discus auto': 632984, 'discus auto insurance': 244829, 'auto insurance discount': 103885, 'insurance discount on': 440719, 'discount on michael': 244511, 'on michael finney': 602119, 'michael finney consumer': 530239, 'finney consumer talk': 307990, 'consumer talk show': 199219, 'talk show on': 833845, 'show on am': 767081, 'on am sf': 599267, 'am sf bay': 50383, 'sf bay area': 754247, 'bay area radio': 112918, 'area radio givemeacovidbreak': 92175, 'radio givemeacovidbreak podcast': 695436, 'givemeacovidbreak podcast available': 350931, 'podcast available after': 662259, 'available after 30': 104206, 'after 30 pm': 35288, 'seems everyone': 746775, 'same idea': 733112, 'idea big': 413017, 'big queue': 129946, 'last part': 480438, 'have hint': 380958, 'world 19': 1009250, 'it seems everyone': 460944, 'seems everyone had': 746776, 'everyone had the': 286980, 'the same idea': 866242, 'same idea big': 733113, 'idea big queue': 413018, 'big queue outside': 129948, 'supermarket starting to': 822925, 'get the feeling': 348242, 'feeling that this': 303070, 'that this last': 846997, 'this last part': 888599, 'last part of': 480439, 'of life will': 585840, 'life will have': 489217, 'will have hint': 993639, 'have hint of': 380959, 'hint of the': 396916, 'of the third': 591538, 'the third world': 869483, 'third world 19': 886117, 'vending': 954329, 'dirtiest': 243719, 'sickest': 768725, 'fda pin': 300902, 'pad in': 633777, 'in vending': 430548, 'vending machine': 954330, 'the dirtiest': 853324, 'dirtiest most': 243720, 'most microbial': 542511, 'microbial sickest': 530449, 'sickest thing': 768726, 'fda pin pad': 300903, 'pin pad in': 656776, 'pad in vending': 633778, 'in vending machine': 430549, 'vending machine and': 954332, 'machine and grocery': 507356, 'is the dirtiest': 452770, 'the dirtiest most': 853325, 'dirtiest most microbial': 243721, 'most microbial sickest': 542512, 'microbial sickest thing': 530450, 'sickest thing can': 768727, 'thing can think': 884225, 'think of fun': 885445, 'of fun fact': 584008, 're shopping because': 699501, 'announcement were': 77227, 'were made': 979867, 'issue pandemic': 455884, 'the widening': 871534, 'widening budget': 991800, 'gcc sovereign': 344832, 'sovereign amid': 786940, 'amp slow': 54512, 'increasing sukuk': 433697, 'activity by': 30394, 'by q3': 153703, 'no announcement were': 563620, 'announcement were made': 77228, 'were made by': 979869, 'institution to issue': 440477, 'to issue pandemic': 908556, 'issue pandemic but': 455885, 'given the widening': 351165, 'the widening budget': 871535, 'widening budget deficit': 991801, 'of the gcc': 591059, 'the gcc sovereign': 856197, 'gcc sovereign amid': 344833, 'sovereign amid weaker': 786941, 'price amp slow': 672339, 'amp slow down': 54513, 'slow down economy': 774344, 'down economy due': 256715, '19 crisis it': 6268, 'crisis it is': 217608, 'it is expected': 458951, 'expected to see': 290998, 'to see increasing': 914028, 'see increasing sukuk': 745305, 'increasing sukuk activity': 433698, 'sukuk activity by': 817839, 'activity by q3': 30395, 'greed going': 363380, 'in book': 420906, 'way 19': 969421, 're food and': 698698, 'food and corona': 313201, 'corona virus with': 204377, 'virus with all': 959052, 'hoarding and greed': 399176, 'and greed going': 63945, 'greed going on': 363381, 'bring in book': 139992, 'in book it': 420907, 'strategic way 19': 812566, 'thrift': 894175, 'like thrift': 491562, 'thrift shopping': 894178, 'store is bit': 808471, 'is bit like': 446189, 'bit like thrift': 131609, 'like thrift shopping': 491563, 'thrift shopping at': 894179, 'shopping at this': 762116, 'this approach': 886394, 'to fighting': 905819, 'fighting is': 305093, 'completely insane': 192308, 'insane last': 439046, 'wa shopping': 963203, 'small aisle': 774778, 'supermarket bbc': 819316, 'coronavirus who': 207074, 'this approach to': 886395, 'approach to fighting': 82988, 'to fighting is': 905820, 'fighting is completely': 305094, 'is completely insane': 446704, 'completely insane last': 192309, 'insane last week': 439047, 'last week wa': 480690, 'week wa shopping': 977172, 'wa shopping and': 963204, 'were people in': 979973, 'people in small': 648430, 'in small aisle': 428011, 'small aisle of': 774779, 'aisle of the': 40330, 'the supermarket bbc': 868479, 'supermarket bbc news': 819317, 'news coronavirus who': 560344, 'coronavirus who need': 207076, 'who need mask': 989318, 'need mask or': 555209, 'mask or other': 519073, 'or other protective': 616445, 'online stayhomesavelives': 609430, 'the supply while': 868968, 'supply while you': 826104, 'while you do': 987588, 'do the shopping': 250265, 'the shopping online': 867069, 'shopping online stayhomesavelives': 763489, 'almost got': 46655, 'into fight': 442555, 'supermarket large': 821264, 'large adult': 479587, 'adult man': 32840, 'wa shouting': 963217, 'at teenage': 100832, 'teenage girl': 836525, 'girl who': 350294, 'worked there': 1006148, 'didn agree': 240973, 'protocol covid': 685976, 'precaution lot': 669328, 'are frustrated': 86705, 'frustrated get': 339225, 'others everyone': 621385, 'everyone trying': 287515, 'almost got into': 46656, 'got into fight': 358640, 'into fight at': 442556, 'the supermarket large': 868666, 'supermarket large adult': 821265, 'large adult man': 479588, 'adult man wa': 32841, 'man wa shouting': 512294, 'wa shouting at': 963218, 'shouting at teenage': 766790, 'at teenage girl': 100833, 'teenage girl who': 836527, 'girl who worked': 350297, 'who worked there': 990051, 'worked there because': 1006149, 'there because he': 878227, 'he didn agree': 384879, 'didn agree with': 240974, 'agree with store': 38680, 'with store protocol': 1000994, 'store protocol covid': 809690, 'protocol covid 19': 685977, '19 precaution lot': 9774, 'precaution lot of': 669329, 'people are frustrated': 646982, 'are frustrated get': 86706, 'frustrated get it': 339226, 'get it do': 347403, 'it out on': 460189, 'out on others': 626913, 'on others everyone': 602564, 'others everyone trying': 621386, 'sephora announces': 751132, 'state from': 795596, 'sephora announces the': 751133, 'announces the closure': 77296, 'all it store': 43277, 'united state from': 942217, 'state from march': 795598, '17 to april': 4395, 'to april full': 900685, 'walmart which': 965468, 'which delivered': 985802, 'delivered me': 233356, 'me huge': 522927, 'huge pack': 410116, 'charmin toilet': 173806, 'at regular': 100283, 'need ll': 555167, 'know so': 476719, 're nearby': 699055, 'nearby today': 553691, 'today felt': 919521, 'christmas dang': 178165, 'dang this': 225626, 'doe to': 251649, 'would be grateful': 1011591, 'grateful to walmart': 362332, 'to walmart which': 918316, 'walmart which delivered': 965469, 'which delivered me': 985803, 'delivered me huge': 233357, 'me huge pack': 522928, 'huge pack of': 410117, 'of charmin toilet': 581297, 'charmin toilet paper': 173807, 'paper at regular': 639901, 'at regular price': 100285, 'regular price if': 707840, 'price if this': 674622, 'than we need': 841430, 'we need ll': 972506, 'need ll let': 555168, 'll let you': 496884, 'you know so': 1019524, 'know so you': 476721, 'you can dm': 1017660, 'can dm me': 158087, 'you re nearby': 1020681, 're nearby today': 699056, 'nearby today felt': 553692, 'today felt like': 919522, 'felt like christmas': 303406, 'like christmas dang': 490002, 'christmas dang this': 178166, 'dang this is': 225627, 'is what doe': 453870, 'what doe to': 981373, 'zoolert': 1027793, 'logged': 500636, 'get disinfecting': 346889, 'soap using': 779146, 'using zoolert': 950805, 'zoolert to': 1027794, 'when item': 983659, 'quick though': 694402, 'though most': 892858, 'item stay': 463657, 'minute advise': 533705, 'advise having': 33587, 'amazon account': 50829, 'account logged': 28716, 'logged in': 500637, 'in click': 421504, 'click setting': 181943, 'setting set': 753646, 'to get disinfecting': 906458, 'get disinfecting wipe': 346890, 'disinfecting wipe hand': 245897, 'paper hand soap': 640250, 'hand soap using': 375778, 'soap using zoolert': 779147, 'using zoolert to': 950806, 'zoolert to know': 1027795, 'know when item': 476999, 'when item are': 983660, 'are in stock': 87442, 'in stock you': 428344, 'stock you have': 803217, 'to be quick': 901476, 'be quick though': 116667, 'quick though most': 694403, 'though most item': 892859, 'most item stay': 542468, 'item stay in': 463658, 'stay in stock': 797063, 'in stock for': 428302, 'stock for minute': 802171, 'for minute advise': 323462, 'minute advise having': 533706, 'advise having your': 33588, 'having your amazon': 384414, 'your amazon account': 1022775, 'amazon account logged': 50830, 'account logged in': 28717, 'logged in click': 500638, 'in click setting': 421505, 'click setting set': 181944, 'ok people': 597857, 're contributing': 698464, 'those picture': 892347, 'ok people need': 597858, 'going on but': 355309, 'on but you': 599752, 're not helping': 699095, 'instead you re': 440389, 'you re contributing': 1020595, 're contributing to': 698465, 'posting those picture': 666701, 'food otherwise': 315702, 'otherwise they': 621881, 'they die': 881939, 'they spend': 883419, 'spend lot': 788628, 'and food people': 63074, 'need food otherwise': 554804, 'food otherwise they': 315703, 'otherwise they die': 621882, 'they die to': 881940, 'die to get': 241470, 'get food people': 347059, 'food people go': 315833, 'to supermarket because': 915776, 'they are worried': 881465, 'food supply they': 317007, 'supply they spend': 825981, 'they spend lot': 883420, 'spend lot of': 788629, 'lot of time': 504309, 'of time in': 592176, 'time in line': 896997, 'in line supermarket': 424774, 'line supermarket waiting': 493437, 'all wanna': 45384, 'wanna do': 965625, 'is shot': 451884, 'shot shot': 765440, 'shot cock': 765419, 'cock the': 185222, 'gun cash': 368690, 'register sound': 707609, 'tp 19': 927723, 'all wanna do': 45385, 'wanna do is': 965626, 'do is shot': 249454, 'is shot shot': 451885, 'shot shot shot': 765442, 'shot shot cock': 765441, 'shot cock the': 765420, 'cock the gun': 185223, 'the gun cash': 856947, 'gun cash register': 368691, 'cash register sound': 166326, 'register sound and': 707610, 'sound and take': 786264, 'and take your': 72983, 'take your tp': 832831, 'your tp 19': 1026198, 'tp 19 toiletpaper': 927724, '19 toiletpaper toiletpaperpanic': 11495, 'up respect': 945919, 'pub worker': 687812, 'worker landlord': 1007295, 'landlord who': 479374, 'who kept': 989162, 'very last': 955294, 'minute but': 533747, 'any millionaire': 79462, 'millionaire telling': 532454, 'can ck': 157908, 'ck off': 179641, 'off hypocrite': 593913, 'hypocrite coronacrisis': 412407, 'big up respect': 130093, 'up respect to': 945920, 'respect to all': 715079, 'nh staff to': 562107, 'to the all': 916486, 'the all pub': 848584, 'all pub worker': 44085, 'pub worker landlord': 687813, 'worker landlord who': 1007296, 'landlord who kept': 479375, 'who kept the': 989163, 'kept the pub': 473078, 'the pub open': 864774, 'pub open until': 687743, 'open until the': 612629, 'until the very': 943874, 'the very last': 870706, 'very last minute': 955295, 'last minute but': 480319, 'minute but no': 533749, 'but no respect': 146497, 'no respect to': 565344, 'respect to any': 715080, 'to any millionaire': 900608, 'any millionaire telling': 79463, 'millionaire telling what': 532455, 'telling what to': 837293, 'to do you': 904596, 'do you can': 250616, 'you can ck': 1017643, 'can ck off': 157909, 'ck off hypocrite': 179642, 'off hypocrite coronacrisis': 593914, 'hypocrite coronacrisis nhscovidheroes': 412408, 'solemn': 781875, 'in middle': 425299, 'of often': 587170, 'often very': 596295, 'very solemn': 955560, 'solemn call': 781876, 'amp orgs': 54234, 'orgs on': 619507, 'have included': 381043, 'included coach': 431678, 'coach company': 185044, 'bank supermarket': 110214, 'supermarket council': 819835, 'council leadership': 210003, 'amp pub': 54346, 'it crystal': 457428, 'crystal clear': 220005, 'the chancellor': 850664, 'chancellor really': 171850, 'need deliver': 554663, 'worker support': 1007864, 'in middle of': 425302, 'middle of day': 530676, 'of day of': 582380, 'day of often': 228085, 'of often very': 587171, 'often very solemn': 596296, 'very solemn call': 955561, 'solemn call to': 781877, 'call to local': 156177, 'local business amp': 497748, 'business amp orgs': 143281, 'amp orgs on': 54235, 'orgs on effect': 619508, 'on effect of': 600526, 'effect of today': 269068, 'of today have': 592233, 'today have included': 919616, 'have included coach': 381044, 'included coach company': 431679, 'coach company food': 185045, 'company food bank': 190671, 'food bank supermarket': 313649, 'bank supermarket council': 110215, 'supermarket council leadership': 819836, 'council leadership amp': 210004, 'leadership amp pub': 483582, 'amp pub it': 54347, 'pub it crystal': 687722, 'it crystal clear': 457429, 'crystal clear the': 220007, 'clear the chancellor': 181358, 'the chancellor really': 850665, 'chancellor really need': 171851, 'really need deliver': 702431, 'need deliver with': 554664, 'deliver with his': 233269, 'with his worker': 998848, 'his worker support': 397927, 'worker support package': 1007865, 'to red': 913002, 'they require': 883207, 'require assistance': 713295, 'assistance shopping': 96740, 'shopping medication': 763273, 'medication or': 526664, 'or transport': 617518, 'transport this': 929959, 'whole street ha': 990343, 'street ha added': 812987, 'ha added green': 369448, 'if it change': 414291, 'it change to': 457102, 'change to red': 172357, 'to red it': 913003, 'mean they require': 524716, 'they require assistance': 883208, 'require assistance shopping': 713296, 'assistance shopping medication': 96741, 'shopping medication or': 763274, 'medication or transport': 526666, 'or transport this': 617519, 'transport this is': 929960, 'this is amazing': 888172, 'tannoy lady': 834271, 'lady asked': 478736, 'all show': 44338, 'everyone started': 287398, 'clapping and': 180035, 'and cheering': 59793, 'cheering really': 175151, 'really quite': 702506, 'quite emotional': 694851, 'emotional coronacrisis': 273278, 'coronacrisis frontliners': 204609, 'frontliners frontlineheroes': 338893, 'just now in': 469348, 'now in large': 575005, 'large supermarket during': 479807, 'during the tannoy': 263203, 'the tannoy lady': 869144, 'tannoy lady asked': 834272, 'lady asked if': 478737, 'asked if we': 95778, 'if we could': 415274, 'could all show': 208804, 'all show our': 44341, 'the staff who': 867709, 'staff who had': 793086, 'who had come': 988874, 'had come and': 372981, 'come and everyone': 187213, 'and everyone started': 62408, 'everyone started clapping': 287399, 'started clapping and': 794712, 'clapping and cheering': 180037, 'and cheering really': 59795, 'cheering really quite': 175152, 'really quite emotional': 702507, 'quite emotional coronacrisis': 694852, 'emotional coronacrisis frontliners': 273279, 'coronacrisis frontliners frontlineheroes': 204610, 'shower thought': 767393, 'thought ve': 893286, 'been seeing': 121891, 'people post': 649161, 'only thinking': 611330, 'themselves etc': 876799, 'etc guilty': 282577, 'use but': 949085, 'shower thought ve': 767394, 'thought ve been': 893287, 've been seeing': 952925, 'been seeing people': 121894, 'seeing people post': 746411, 'people post about': 649162, 'post about how': 665978, 'about how selfish': 25468, 'are buying so': 85129, 'much at supermarket': 544740, 'they are only': 881349, 'are only thinking': 88777, 'only thinking of': 611332, 'thinking of themselves': 885973, 'of themselves etc': 591784, 'themselves etc guilty': 876800, 'etc guilty of': 282578, 'guilty of hoarding': 368566, 'of hoarding if': 584693, 'hoarding if this': 399376, 'is the term': 452958, 'the term that': 869297, 'term that you': 838316, 'to use but': 918007, 'use but why': 949087, 'rafter': 695512, 'mememe': 528377, 'panicbuying having': 638957, 'having just': 384130, 'seen aldi': 746922, 'asda rammed': 94967, 'rammed to': 696423, 'the rafter': 865104, 'rafter with': 695513, 'this helping': 887907, 'the isolate': 858563, 'isolate yourselves': 454964, 'yourselves message': 1026795, 'message every': 529302, 'is breeding': 446264, 'greedy mememe': 363546, 'mememe coronacrisis': 528378, 'panicbuying having just': 638958, 'having just seen': 384131, 'just seen aldi': 469736, 'seen aldi and': 746923, 'aldi and asda': 41252, 'and asda rammed': 58420, 'asda rammed to': 94968, 'rammed to the': 696424, 'to the rafter': 917000, 'the rafter with': 865105, 'rafter with people': 695514, 'with people how': 1000153, 'people how is': 648303, 'is this helping': 453095, 'this helping the': 887908, 'helping the isolate': 391494, 'the isolate yourselves': 858565, 'isolate yourselves message': 454965, 'yourselves message every': 1026796, 'message every supermarket': 529303, 'supermarket is breeding': 821074, 'is breeding ground': 446265, 'ground for the': 366500, 'virus and people': 957938, 'are just being': 87619, 'just being greedy': 468329, 'being greedy mememe': 125197, 'greedy mememe coronacrisis': 363547, 'malaysia movement': 511622, 'been extended': 121119, 'extended to': 293202, '14 govt': 3476, 'govt expects': 361112, 'expects more': 291087, 'be detected': 114429, 'detected stay': 239342, 'to unnecessarily': 917957, 'unnecessarily stock': 942874, 'say pm': 739063, 'malaysia movement control': 511623, 'control order ha': 202087, 'order ha been': 618277, 'ha been extended': 369805, 'been extended to': 121120, 'extended to april': 293203, 'to april 14': 900684, 'april 14 govt': 83416, '14 govt expects': 3477, 'govt expects more': 361113, 'expects more covid': 291088, '19 case to': 5703, 'case to be': 166071, 'to be detected': 901200, 'be detected stay': 114430, 'detected stay calm': 239343, 'panic you do': 638816, 'have to unnecessarily': 383330, 'to unnecessarily stock': 917958, 'unnecessarily stock up': 942876, 'on food say': 600904, 'food say pm': 316309, 'home towards': 402363, 'towards an': 927165, 'an england': 55753, 'england of': 277024, 'emptiness supermarket': 274724, 'research the': 713856, 'home towards an': 402364, 'towards an england': 927166, 'an england of': 55754, 'england of emptiness': 277025, 'of emptiness supermarket': 583086, 'emptiness supermarket shelf': 274725, 'supermarket shelf if': 822482, 'shelf if only': 757178, 'if only the': 414558, 'only the corona': 611261, 'corona virus research': 204344, 'virus research the': 958685, 'research the selfish': 713857, 'the selfish the': 866671, 'selfish the stupid': 748288, 'the stupid and': 868344, 'stupid and sheep': 815341, 'assistance is': 96709, 'rising at': 723168, 'at pantry': 100064, 'meal site': 524273, 'site throughout': 772027, 'state last': 795724, 'week distributed': 976161, 'distributed 350': 248026, '350 00': 17926, '00 lb': 299, 'lb from': 482764, 'the prior': 864469, 'prior week': 678383, 're meeting': 699035, 'food assistance is': 313428, 'assistance is rising': 96711, 'is rising at': 451550, 'rising at pantry': 723169, 'at pantry and': 100065, 'pantry and meal': 639523, 'and meal site': 66841, 'meal site throughout': 524274, 'site throughout the': 772028, 'the state last': 867785, 'state last week': 795725, 'last week distributed': 480643, 'week distributed 350': 976162, 'distributed 350 00': 248027, '350 00 lb': 17928, '00 lb of': 301, 'lb of food': 482768, 'of food an': 583644, 'food an increase': 313158, 'increase of 100': 432930, 'of 100 00': 579315, '100 00 lb': 1792, '00 lb from': 300, 'lb from the': 482765, 'from the prior': 337844, 'the prior week': 864471, 'prior week read': 678384, 'week read how': 976790, 'read how we': 700365, 'we re meeting': 972921, 're meeting the': 699036, 'meeting the need': 527773, 'the need with': 861402, 'need with your': 556230, 'with your help': 1002204, 'consider additional': 194941, 'additional information': 31831, 'information activity': 437719, 'activity consumer': 30402, 'crisis and consider': 217017, 'and consider additional': 60312, 'consider additional information': 194942, 'additional information activity': 31832, 'information activity consumer': 437720, 'activity consumer healthcare': 30403, 'trump we': 933968, 'happens are': 377453, 'ain convincing': 39606, 'convincing people': 202683, 'fear because': 301057, 'security no': 744678, 'trump we ll': 933969, 'll see what': 496999, 'see what happens': 746032, 'what happens are': 981563, 'happens are you': 377454, 'you serious that': 1021125, 'serious that ain': 751485, 'that ain convincing': 842528, 'ain convincing people': 39607, 'convincing people life': 202684, 'people life in': 648637, 'life in fear': 488760, 'in fear because': 422815, 'fear because of': 301058, 'of no job': 587041, 'no job security': 564541, 'job security no': 466146, 'security no money': 744679, 'no money and': 564778, 'money and you': 536609, 'can even find': 158250, 'even find in': 284062, 'find in you': 306974, 'in you local': 431049, 'you local grocery': 1019680, 'hmm this': 398698, 'lockdown thing': 500029, 'thing won': 885010, 'easy oo': 265745, 'oo like': 611725, 'anywhere well': 81164, 'well young': 978782, 'only stock': 611199, 'also contraceptive': 48064, 'contraceptive people': 201617, 'go born': 353378, 'born corona': 135555, 'corona baby': 203817, 'baby rough': 106685, 'rough lockdownghana': 726252, 'hmm this lockdown': 398699, 'this lockdown thing': 888694, 'lockdown thing won': 500030, 'thing won be': 885011, 'won be easy': 1003738, 'be easy oo': 114631, 'easy oo like': 265746, 'oo like you': 611726, 'like you won': 491887, 'you won go': 1022399, 'won go anywhere': 1003821, 'go anywhere well': 353303, 'anywhere well young': 81165, 'well young couple': 978783, 'young couple should': 1022581, 'couple should not': 211675, 'should not only': 766256, 'not only stock': 570830, 'only stock food': 611200, 'stock food but': 802127, 'food but also': 313809, 'but also contraceptive': 145104, 'also contraceptive people': 48065, 'contraceptive people go': 201618, 'people go born': 648079, 'go born corona': 353379, 'born corona baby': 135556, 'corona baby rough': 203818, 'baby rough lockdownghana': 106686, 'we implement': 972058, 'implement chain': 418373, 'chain testing': 171155, 'testing isolating': 839523, 'and masking': 66771, 'masking the': 519647, 'death will': 230277, 'government is playing': 360269, 'is playing russian': 450898, 'roulette with our': 726308, 'with our life': 1000002, 'our life until': 623737, 'life until we': 489163, 'until we implement': 943926, 'we implement chain': 972059, 'implement chain testing': 418374, 'chain testing isolating': 171156, 'testing isolating and': 839524, 'and treating the': 74430, 'treating the sick': 931017, 'sick and masking': 768370, 'and masking the': 66772, 'masking the infection': 519648, 'and death will': 60994, 'death will get': 230278, 'they advise': 881100, 'advise not': 33593, 'pharmacy why': 654560, 'working 19': 1008463, 'if they advise': 415089, 'they advise not': 881101, 'advise not to': 33594, 'not to even': 572148, 'or pharmacy why': 616593, 'pharmacy why are': 654561, 'are we still': 91593, 'we still working': 973414, 'still working 19': 801428, 'timed supermarket': 898446, 'visit public': 959344, 'and alternate': 57983, 'alternate working': 49194, 'working hour': 1008700, 'hour could': 405506, 'norm if': 567039, 'if australia': 413882, 'australia latest': 103318, '19 measure': 8605, 'measure don': 525181, 'don flatten': 253516, 'timed supermarket visit': 898447, 'supermarket visit public': 823660, 'visit public transport': 959345, 'public transport restriction': 688415, 'transport restriction and': 929933, 'restriction and alternate': 717204, 'and alternate working': 57984, 'alternate working hour': 49195, 'working hour could': 1008701, 'hour could become': 405507, 'could become the': 208956, 'new norm if': 559141, 'norm if australia': 567040, 'if australia latest': 413883, 'australia latest covid': 103319, 'covid 19 measure': 213419, '19 measure don': 8606, 'measure don flatten': 525182, 'don flatten the': 253517, 'considering reducing': 195403, 'plummeted amid': 661326, 'is considering reducing': 446761, 'considering reducing it': 195404, 'reducing it oil': 706300, 'it oil production': 460012, 'oil production for': 597367, 'production for the': 682047, 'have plummeted amid': 381972, 'plummeted amid the': 661327, 'foodarmy': 317749, 'feedingthenation': 302510, 'feedingthevulnerable': 302515, 'from morrison': 336473, 'morrison we': 541779, 'our freezer': 623170, 'meal helping': 524184, 'helping more': 391391, 'people foodarmy': 647941, 'foodarmy lockdown': 317750, 'lockdown feedingthenation': 499376, 'feedingthenation feedingthevulnerable': 302511, 'feedingthevulnerable food': 302516, 'food community': 313984, 'you from morrison': 1018721, 'from morrison we': 336474, 'morrison we are': 541780, 'are now able': 88515, 'stock our freezer': 802599, 'our freezer with': 623171, 'freezer with more': 332655, 'with more meal': 999558, 'more meal helping': 539761, 'meal helping more': 524185, 'helping more people': 391392, 'more people foodarmy': 540018, 'people foodarmy lockdown': 647942, 'foodarmy lockdown feedingthenation': 317751, 'lockdown feedingthenation feedingthevulnerable': 499377, 'feedingthenation feedingthevulnerable food': 302512, 'feedingthevulnerable food community': 302517, 'food community quarantine': 313985, 'elko': 271541, 'elko with': 271544, 'upon elko': 947623, 'elko county': 271542, 'specifically the': 788289, 'the friend': 855823, 'service helping': 752455, 'helping food': 391334, 'bank fish': 109834, 'fish ha': 309318, 'been struggling': 122076, 'the exponential': 854742, 'exponential increase': 292581, 'elko with the': 271545, 'pandemic upon elko': 636887, 'upon elko county': 947624, 'elko county and': 271543, 'county and more': 211316, 'and more specifically': 67218, 'more specifically the': 540435, 'specifically the friend': 788290, 'the friend in': 855824, 'friend in service': 333657, 'in service helping': 427821, 'service helping food': 752456, 'helping food bank': 391335, 'food bank fish': 313571, 'bank fish ha': 109835, 'fish ha been': 309319, 'ha been struggling': 369939, 'been struggling to': 122078, 'meet the exponential': 527598, 'the exponential increase': 854743, 'exponential increase in': 292582, 'for food need': 321608, 'food need of': 315519, 'need of our': 555338, 'positive get': 665338, 'my furry': 548473, 'furry four': 341978, 'four legged': 330624, 'legged pal': 485951, 'pal supermarket': 634555, 'le stressful': 483141, 'stressful than': 813514, 'usual spending': 951024, 'genuinely enjoying': 345886, 'enjoying it': 277230, 'kill them': 474527, 'positive get to': 665340, 'get to spend': 348492, 'to spend all': 914984, 'spend all day': 788569, 'day with my': 228779, 'with my furry': 999628, 'my furry four': 548474, 'furry four legged': 341979, 'four legged pal': 330625, 'legged pal supermarket': 485952, 'pal supermarket shopping': 634556, 'shopping is much': 763060, 'is much le': 449765, 'much le stressful': 545044, 'le stressful than': 483142, 'stressful than usual': 813515, 'than usual spending': 841400, 'usual spending time': 951025, 'parent and genuinely': 641569, 'and genuinely enjoying': 63537, 'genuinely enjoying it': 345887, 'enjoying it and': 277231, 'and not wanting': 67790, 'wanting to kill': 966308, 'to kill them': 908944, 'kill them yet': 474531, 'internet company': 441924, 'company prosus': 190984, 'minister relief': 533448, 'support relief': 826783, 'effort venture': 269660, 'consumer internet company': 197912, 'internet company prosus': 441925, 'company prosus which': 190985, 'to the prime': 916981, 'prime minister relief': 678156, 'minister relief fund': 533449, 'relief fund to': 709359, 'fund to support': 341530, 'to support relief': 915964, 'support relief effort': 826784, 'relief effort venture': 709324, 'effort venture helpdeskforcoronavirus': 269661, 'many report': 514631, 'pakistan personally': 634486, 'would suggest': 1012294, 'according to many': 28561, 'to many report': 909829, 'many report we': 514632, 'report we still': 712427, 'people are affected': 646919, 'are affected in': 84250, 'affected in pakistan': 34374, 'in pakistan personally': 426444, 'pakistan personally would': 634487, 'personally would suggest': 653059, 'would suggest that': 1012295, 'suggest that even': 817536, 'that even after': 843731, 'even after lockdown': 283816, 'after lockdown everyone': 35882, 'lockdown everyone should': 499354, 'everyone should keep': 287377, 'should keep social': 766169, 'distancing and always': 246963, 'and always wear': 57998, 'always wear mask': 49798, 'and keep sanitizer': 65777, 'keep sanitizer with': 471899, 'with you stayhomesavelives': 1002162, 'outbreak ad': 627958, 'ad industry': 31122, 'industry organization': 436032, '32 other': 17690, 'group are': 366609, 'asking state': 96062, 'push back': 690247, 'back enforcement': 106977, 'of ccpa': 581224, 'ccpa consumer': 168477, 'privacy law': 678822, 'to jan': 908648, 'jan 2021': 464458, 'coronavirus outbreak ad': 206372, 'outbreak ad industry': 627959, 'ad industry organization': 31123, 'industry organization and': 436033, 'organization and 32': 619338, 'and 32 other': 57452, '32 other group': 17691, 'other group are': 620323, 'group are asking': 366610, 'are asking state': 84645, 'asking state attorney': 96063, 'general to push': 345492, 'to push back': 912567, 'push back enforcement': 690249, 'back enforcement of': 106978, 'enforcement of ccpa': 276781, 'of ccpa consumer': 581225, 'ccpa consumer privacy': 168478, 'consumer privacy law': 198436, 'privacy law to': 678824, 'law to jan': 482427, 'to jan 2021': 908649, 'shordy': 764569, 'gettin': 348813, 'shordy gettin': 764570, 'gettin all': 348814, 'done up': 255089, 'shordy gettin all': 764571, 'gettin all done': 348815, 'all done up': 42624, 'done up to': 255090, 'valerie': 951898, 'nannery': 551811, 'pandemic state': 636534, 'general are': 345283, 'are protecting': 89299, 'protecting state': 685227, 'state resident': 795899, 'resident from': 714302, 'from harm': 335726, 'harm including': 378401, 'including by': 431901, 'by enforcing': 152489, 'enforcing consumer': 276813, 'against fraud': 37456, 'gouging new': 359391, 'new by': 558436, 'by ac': 151742, 'ac director': 27749, 'of network': 586944, 'network advancement': 557693, 'advancement valerie': 32948, 'valerie nannery': 951899, 'the pandemic state': 863106, 'pandemic state attorney': 636535, 'attorney general are': 102623, 'general are protecting': 345284, 'are protecting state': 89300, 'protecting state resident': 685228, 'state resident from': 795900, 'resident from harm': 714304, 'from harm including': 335727, 'harm including by': 378402, 'including by enforcing': 431902, 'by enforcing consumer': 152490, 'enforcing consumer protection': 276814, 'protection against fraud': 685292, 'against fraud scam': 37457, 'price gouging new': 674301, 'gouging new by': 359392, 'new by ac': 558437, 'by ac director': 151743, 'ac director of': 27750, 'director of network': 243653, 'of network advancement': 586945, 'network advancement valerie': 557694, 'advancement valerie nannery': 32949, 'behavior wa': 124288, 'change immediately': 172100, 'scale those': 739920, 'quarantine are': 692035, 'usual duty': 950934, 'duty especially': 263571, 'consumer behavior wa': 196534, 'behavior wa forced': 124289, 'to change immediately': 902606, 'change immediately and': 172101, 'immediately and change': 417054, 'and change on': 59726, 'change on massive': 172203, 'massive scale those': 520101, 'scale those in': 739921, 'those in isolation': 892095, 'in isolation or': 424207, 'or quarantine are': 616763, 'quarantine are unable': 692038, 'unable to carry': 939325, 'to carry out': 902470, 'carry out their': 165140, 'out their usual': 627457, 'their usual duty': 875100, 'usual duty especially': 950935, 'duty especially since': 263572, 'especially since many': 280595, 'since many local': 770718, 'many local store': 514245, 'their door for': 873069, 'door for safety': 255593, 'slaughtering': 773712, 'hit two': 398492, 'both place': 136008, 'place butcher': 657367, 'butcher slaughtering': 148071, 'slaughtering goat': 773713, 'goat fell': 354595, 'with staff': 1000932, 'through 14': 894284, 'day mandatory': 227960, 'quarantine premier': 692444, 'premier amp': 669886, 'amp mayor': 54119, 'mayor pls': 521982, 'pls intervene': 661144, 'hit two grocery': 398493, 'store at both': 806580, 'at both place': 98155, 'both place butcher': 136009, 'place butcher slaughtering': 657368, 'butcher slaughtering goat': 148072, 'slaughtering goat fell': 773714, 'goat fell ill': 354596, 'ill and tested': 416103, 'and tested positive': 73140, 'for 19 virus': 318715, '19 virus one': 11824, 'virus one store': 958560, 'one store still': 607122, 'still open with': 800981, 'open with staff': 612684, 'with staff not': 1000934, 'staff not going': 792685, 'not going through': 569702, 'going through 14': 355495, 'through 14 day': 894285, '14 day mandatory': 3453, 'day mandatory quarantine': 227961, 'mandatory quarantine premier': 513052, 'quarantine premier amp': 692445, 'premier amp mayor': 669887, 'amp mayor pls': 54120, 'mayor pls intervene': 521983, 'lockdown101': 500187, 'finally managed': 306057, 'ordered turkey': 618929, 'turkey sprout': 935573, 'sprout christmas': 791307, 'christmas cake': 178158, 'cake christmas': 155223, 'christmas cracker': 178161, 'cracker and': 214725, 'and pudding': 69763, 'pudding lockdown101': 688806, 'finally managed to': 306058, 'get delivery slot': 346867, 'online shopping so': 609275, 'shopping so ve': 763931, 'so ve ordered': 778626, 've ordered turkey': 953425, 'ordered turkey sprout': 618930, 'turkey sprout christmas': 935574, 'sprout christmas cake': 791308, 'christmas cake christmas': 178159, 'cake christmas cracker': 155224, 'christmas cracker and': 178162, 'cracker and pudding': 214726, 'and pudding lockdown101': 69764, 'dissemination': 246585, 'foodsecurity monitor': 318080, 'market transparent': 517258, 'transparent dissemination': 929841, 'dissemination of': 246586, 'information will': 438043, 'will strengthen': 995007, 'strengthen government': 813243, 'government management': 360337, 'management over': 512609, 'market prevent': 516876, 'from panicking': 336845, 'and guide': 64044, 'guide farmer': 368319, 'foodsecurity monitor food': 318081, 'monitor food price': 537286, 'price and market': 672466, 'and market transparent': 66713, 'market transparent dissemination': 517259, 'transparent dissemination of': 929842, 'dissemination of information': 246587, 'of information will': 585199, 'information will strengthen': 438045, 'will strengthen government': 995008, 'strengthen government management': 813244, 'government management over': 360339, 'management over the': 512610, 'the food market': 855576, 'food market prevent': 315401, 'market prevent people': 516877, 'people from panicking': 648001, 'from panicking and': 336846, 'panicking and guide': 639319, 'and guide farmer': 64045, 'guide farmer to': 368320, 'farmer to make': 299541, 'veneto': 954422, 'in northern': 425951, 'northern italy': 567760, 'italy veneto': 462960, 'veneto region': 954423, 'region with': 707481, 'people distancing': 647672, 'distancing themselves': 247539, 'themselves social': 876889, 'is strictly': 452378, 'strictly controlled': 813687, 'controlled inside': 202243, 'inside by': 439239, 'staff no': 792678, 'no panickbuying': 565049, 'panickbuying coronacrisis': 639201, 'coronacrisis italylockdown': 204651, 'me by friend': 522546, 'by friend this': 152646, 'friend this morning': 333841, 'morning this is': 541500, 'this is supermarket': 888416, 'is supermarket queue': 452462, 'queue in northern': 693959, 'in northern italy': 425954, 'northern italy veneto': 567762, 'italy veneto region': 462961, 'veneto region with': 954424, 'region with people': 707482, 'with people distancing': 1000142, 'people distancing themselves': 647673, 'distancing themselves social': 247540, 'themselves social distancing': 876890, 'distancing is strictly': 247255, 'is strictly controlled': 452379, 'strictly controlled inside': 813688, 'controlled inside by': 202244, 'inside by member': 439240, 'of staff no': 590023, 'staff no panickbuying': 792679, 'no panickbuying coronacrisis': 565050, 'panickbuying coronacrisis italylockdown': 639202, 'recent online': 703940, 'shopping attempt': 762121, 'attempt nobody': 102226, 'nobody buying': 565981, 'buying lysol': 150688, 'lysol toilet': 507200, 'toilet cleaner': 921140, 'cleaner the': 180846, 'irony toiletpaper': 444971, 'based on my': 111685, 'on my recent': 602308, 'my recent online': 549897, 'recent online shopping': 703941, 'online shopping attempt': 609039, 'shopping attempt nobody': 762122, 'attempt nobody buying': 102227, 'nobody buying lysol': 565982, 'buying lysol toilet': 150689, 'lysol toilet cleaner': 507201, 'toilet cleaner the': 921141, 'cleaner the irony': 180848, 'the irony toiletpaper': 858462, 'husted': 411812, 'intact': 440919, 'lt governor': 506376, 'governor husted': 360915, 'husted say': 411815, 'is intact': 448946, 'intact because': 440920, 'of excess': 583287, 'excess demand': 289333, 'go so': 354148, 'lt governor husted': 506377, 'governor husted say': 360916, 'husted say grocery': 411816, 'chain is intact': 170836, 'is intact because': 448947, 'intact because of': 440921, 'because of excess': 119339, 'of excess demand': 583288, 'excess demand that': 289334, 'demand that why': 236343, 'that why you': 847551, 'why you don': 991589, 'you don see': 1018330, 'don see food': 253891, 'see food on': 745122, 'on shelf they': 603410, 'shelf they can': 757671, 'only go so': 610521, 'go so fast': 354150, 'aldis': 41319, 'biglots': 130358, 'youdamvp': 1022521, 'seriously these': 751755, 'to publix': 912488, 'publix winndixie': 688794, 'winndixie aldis': 996010, 'aldis and': 41320, 'even biglots': 283894, 'biglots for': 130359, 'stay stocked': 797326, 'for youdamvp': 328106, 'youdamvp toiletpaperapocalypse': 1022522, 'seriously these grocery': 751756, 'clerk are the': 181658, 'the hero right': 857298, 'right now thanks': 722151, 'thanks to publix': 842256, 'to publix winndixie': 912490, 'publix winndixie aldis': 688795, 'winndixie aldis and': 996011, 'aldis and even': 41321, 'and even biglots': 62331, 'even biglots for': 283895, 'biglots for doing': 130360, 'to stay stocked': 915318, 'stay stocked for': 797327, 'stocked for youdamvp': 803325, 'for youdamvp toiletpaperapocalypse': 328107, 'against guess': 37475, 'guess everyone': 367974, 'everyone thought': 287487, 'thought let': 893118, 'let buy': 486635, 'single condiment': 771260, 'condiment known': 193382, 'mankind from': 513262, 'sight it': 769040, 'really beggar': 702021, 'beggar belief': 123472, 'fight against guess': 304623, 'against guess everyone': 37476, 'guess everyone thought': 367975, 'everyone thought let': 287489, 'thought let buy': 893119, 'let buy every': 486637, 'buy every single': 148589, 'every single condiment': 286179, 'single condiment known': 771261, 'condiment known to': 193383, 'known to mankind': 477253, 'to mankind from': 909813, 'mankind from every': 513263, 'from every single': 335325, 'single supermarket in': 771411, 'supermarket in sight': 820977, 'in sight it': 427944, 'sight it really': 769041, 'it really beggar': 460629, 'really beggar belief': 702022, 'published front': 688650, 'front page': 338657, 'page of': 633873, 'financial time': 306617, 'time international': 897039, 'international edition': 441792, 'edition monday': 268620, 'just published front': 469507, 'published front page': 688651, 'front page of': 338658, 'page of the': 633876, 'of the financial': 591025, 'the financial time': 855230, 'financial time international': 306618, 'time international edition': 897040, 'international edition monday': 441793, 'edition monday april': 268621, 'poopy': 664098, 'wed 18': 975542, 'fine take': 307692, 'take deep': 832058, 'deep breath': 231847, 'breath yeah': 139189, 'yeah few': 1014251, 'few shelf': 304061, 'were picked': 979975, 'picked over': 655801, 'wa plenty': 962948, 'food also': 313107, 'also please': 48662, 'you poopy': 1020373, 'poopy weirdo': 664099, 'wed 18 the': 975543, '18 the store': 4589, 'store wa fine': 811111, 'wa fine take': 962130, 'fine take deep': 307693, 'take deep breath': 832059, 'deep breath yeah': 231849, 'breath yeah few': 139190, 'yeah few shelf': 1014252, 'few shelf were': 304062, 'shelf were picked': 757771, 'were picked over': 979976, 'picked over but': 655803, 'over but there': 630042, 'there wa plenty': 879262, 'wa plenty of': 962950, 'of good food': 584219, 'good food also': 357051, 'food also please': 313108, 'also please stop': 48665, 'paper you poopy': 641133, 'you poopy weirdo': 1020374, 'sunk': 818384, 'maukepechauka': 520715, 'first return': 308982, 'return reserve': 719892, 'reserve fund': 714062, 'of rbi': 588761, 'rbi of': 698090, '75 lac': 22138, 'lac crore': 478566, 'crore save': 218966, 'save bank': 737480, 'bank from': 109852, 'getting sunk': 349318, 'sunk reduce': 818385, 'first save': 308991, 'others maukepechauka': 621528, 'first return reserve': 308983, 'return reserve fund': 719893, 'reserve fund of': 714063, 'fund of rbi': 341469, 'of rbi of': 588762, 'rbi of 75': 698091, 'of 75 lac': 579671, '75 lac crore': 22139, 'lac crore save': 478567, 'crore save bank': 218967, 'save bank from': 737481, 'bank from getting': 109853, 'from getting sunk': 335635, 'getting sunk reduce': 349319, 'sunk reduce fuel': 818386, 'fuel price first': 340231, 'price first save': 673877, 'first save your': 308992, 'own house from': 632070, 'house from then': 406317, 'from then think': 337964, 'then think of': 877664, 'of others maukepechauka': 587397, 'up fascinating': 944837, 'change occur': 172191, 'occur long': 579023, 'term via': 838336, 'stock up fascinating': 803081, 'up fascinating look': 944838, 'at consumer buying': 98314, 'buying habit during': 150458, 'habit during covid': 372605, 'see what change': 746023, 'what change occur': 981205, 'change occur long': 172193, 'occur long term': 579024, 'long term via': 501719, 'limit updated': 492549, 'updated by': 947349, 'by stoppanicbuying': 154130, 'product limit updated': 681374, 'limit updated by': 492550, 'updated by stoppanicbuying': 947350, 'by stoppanicbuying stophoarding': 154131, 'day had': 227718, 'had did': 373027, 'me laugh': 523055, 'laugh thank': 481769, 'and attentive': 58509, 'attentive considered': 102515, 'considered with': 195347, 'fault that': 300418, 'after the day': 36304, 'the day had': 852885, 'day had did': 227719, 'had did that': 373028, 'did that make': 240839, 'that make me': 844997, 'make me laugh': 510134, 'me laugh thank': 523060, 'laugh thank you': 481770, 'thank you can': 841703, 'just say to': 469705, 'say to anyone': 739385, 'to anyone going': 900626, 'store please be': 809581, 'kind and attentive': 474800, 'and attentive considered': 58510, 'attentive considered with': 102516, 'considered with the': 195348, 'with the staff': 1001493, 'the staff it': 867691, 'staff it is': 792585, 'is not their': 450204, 'their fault that': 873289, 'fault that there': 300419, 'there are long': 878120, 'are long line': 87869, 'long line that': 501506, 'line that there': 493449, 'is no stock': 449975, 'no stock or': 565581, 'stock or space': 802591, 'or space for': 617172, 'space for delivery': 787096, 'ripe': 722681, 'theflipguyskitchen': 872337, 'homecook': 402661, 'some over': 783488, 'over ripe': 630592, 'ripe banana': 722682, 'make banana': 509727, 'banana bread': 109310, 'bread theflipguyskitchen': 138608, 'theflipguyskitchen homecook': 872338, 'homecook homemade': 402662, 'have some over': 382636, 'some over ripe': 783489, 'over ripe banana': 630593, 'ripe banana and': 722683, 'banana and you': 109304, 'and you don': 76013, 'go in line': 353708, 'get some bread': 348043, 'some bread you': 782431, 'bread you make': 138652, 'you make banana': 1019755, 'make banana bread': 509728, 'banana bread theflipguyskitchen': 109311, 'bread theflipguyskitchen homecook': 138609, 'theflipguyskitchen homecook homemade': 872339, 'airline announcement': 39921, 'of plane': 588147, 'plane ticket': 658390, 'for expat': 321320, 'expat returning': 290580, 'from abu': 334371, 'dhabi riyadh': 240090, 'riyadh abdijan': 724214, 'abdijan amp': 24291, 'amp lagos': 54059, 'lagos say': 478947, 'were 4x': 979258, '4x higher': 19559, 'limited passenger': 492693, 'passenger for': 643332, '19 distancing': 6584, 'wa zero': 963763, 'zero profit': 1027480, 'east airline announcement': 265283, 'airline announcement of': 39922, 'announcement of plane': 77176, 'of plane ticket': 588148, 'plane ticket price': 658391, 'ticket price for': 895648, 'price for expat': 673960, 'for expat returning': 321321, 'expat returning from': 290581, 'returning from abu': 720004, 'from abu dhabi': 334372, 'abu dhabi riyadh': 27560, 'dhabi riyadh abdijan': 240091, 'riyadh abdijan amp': 724215, 'abdijan amp lagos': 24292, 'amp lagos say': 54060, 'lagos say that': 478948, 'that price were': 845832, 'price were 4x': 677439, 'were 4x higher': 979259, '4x higher than': 19560, 'higher than usual': 395763, 'usual of limited': 950984, 'of limited passenger': 585863, 'limited passenger for': 492694, 'passenger for 19': 643333, 'for 19 distancing': 318703, '19 distancing and': 6585, 'distancing and that': 247000, 'it wa zero': 462222, 'wa zero profit': 963764, 'emts nurse': 275354, 'doctor fire': 250913, 'fire fighter': 308077, 'fighter etc': 305007, 'facemasks grocery': 295140, 'line they': 493466, 'given day': 350977, 'day then': 228504, 'then even': 877153, 'even medical': 284326, 'emts nurse doctor': 275355, 'nurse doctor fire': 577293, 'doctor fire fighter': 250914, 'fire fighter etc': 308079, 'fighter etc all': 305008, 'etc all get': 282395, 'all get access': 42910, 'access to glove': 28238, 'to glove and': 906752, 'glove and facemasks': 352559, 'and facemasks grocery': 62593, 'facemasks grocery store': 295141, 'front line they': 338613, 'line they see': 493467, 'they see more': 883293, 'see more people': 745435, 'more people on': 540033, 'people on any': 648951, 'on any given': 599399, 'any given day': 79278, 'given day then': 350978, 'day then even': 228506, 'then even medical': 877154, 'even medical people': 284327, 'medical people we': 526288, 'need to allow': 555856, 'glove to work': 352981, 'mind off': 532706, 're shut': 699510, 'shopping can': 762274, 'raise money': 695877, 'money charity': 536670, 'charity cause': 173590, 'choice it': 177789, 'is automatic': 445899, 'automatic use': 103988, 'link both': 493811, 'cause with': 167799, 'here something to': 393591, 'something to take': 785112, 'take your mind': 832821, 'your mind off': 1024834, 'mind off the': 532707, 'off the virus': 594282, 'virus when you': 959031, 'you re shut': 1020745, 're shut in': 699511, 'shut in doing': 767892, 'in doing online': 422342, 'online shopping can': 609062, 'shopping can raise': 762278, 'can raise money': 159365, 'raise money charity': 695878, 'money charity cause': 536671, 'charity cause of': 173591, 'cause of your': 167688, 'your choice it': 1023214, 'choice it cost': 177790, 'it cost you': 457347, 'you nothing is': 1020140, 'nothing is automatic': 573056, 'is automatic use': 445900, 'automatic use the': 103989, 'use the link': 949676, 'the link both': 859437, 'link both you': 493812, 'both you get': 136104, 'get for our': 347085, 'for our cause': 324217, 'our cause with': 622333, 'banning new': 110637, 'prioritise elderly': 678390, 'vulnerable user': 961243, 'supermarket are banning': 819146, 'are banning new': 84760, 'banning new customer': 110638, 'new customer from': 558578, 'customer from online': 222401, 'from online delivery': 336692, 'delivery to prioritise': 234666, 'to prioritise elderly': 912142, 'prioritise elderly and': 678391, 'and vulnerable user': 75064, 'vulnerable user in': 961244, 'user in bid': 950294, 'bid to combat': 129487, 'buying this story': 151223, 'story is now': 812021, 'now free to': 574745, 'free to read': 332247, 'shahenshah': 754391, 'bollywood': 134124, 'amitabhbachchan': 52866, 'in precaution': 426914, 'precaution care': 669303, 'care please': 164145, 'spread shahenshah': 790786, 'shahenshah of': 754396, 'of bollywood': 580765, 'bollywood amitabhbachchan': 134127, 'amitabhbachchan sir': 52867, 'sir share': 771646, 'share information': 755060, 'be safe be': 116944, 'safe be in': 729512, 'be in precaution': 115425, 'in precaution care': 426915, 'precaution care please': 669304, 'care please rt': 164146, 'please rt and': 660427, 'rt and spread': 726741, 'and spread shahenshah': 72148, 'spread shahenshah of': 790787, 'shahenshah of bollywood': 754397, 'of bollywood amitabhbachchan': 580767, 'bollywood amitabhbachchan sir': 134128, 'amitabhbachchan sir share': 52868, 'sir share information': 771647, 'share information on': 755061, 'here look at': 393314, 'look at which': 502307, 'at which store': 101546, 'which store have': 986342, 'store have shut': 808100, 'down and those': 256522, 'that have reduced': 844229, 'have reduced hour': 382228, 'reduced hour during': 706095, 'ongoing pandemic retail': 607672, 'for submitting': 325962, 'submitting request': 815830, 'request ask': 713148, 'technique have': 836237, 'here brad': 392828, 'tip for submitting': 898785, 'for submitting request': 325963, 'submitting request ask': 815831, 'request ask consumer': 713149, 'protection authority for': 685349, 'authority for data': 103719, 'surveillance technique have': 828794, 'technique have been': 836238, 'track infected people': 928205, 'infected people more': 436616, 'people more info': 648787, 'info here brad': 437490, 'here brad schmidt': 392829, 'quite literally': 694888, 'literally keeping': 495034, 'running addressing': 727893, 'nation about': 552096, 'outbreak chancellor': 628098, 'merkel praised': 529167, 'praised supermarket': 668891, 'and urged': 74760, 'urged people': 948272, 'thank you that': 841825, 'you that you': 1021584, 'are there for': 90955, 'there for your': 878416, 'for your fellow': 328151, 'your fellow citizen': 1023853, 'fellow citizen and': 303276, 'citizen and that': 178841, 'you are quite': 1017211, 'are quite literally': 89407, 'quite literally keeping': 694889, 'literally keeping your': 495035, 'keeping your store': 472642, 'your store running': 1025988, 'store running addressing': 809939, 'running addressing the': 727894, 'the nation about': 861215, 'nation about the': 552097, 'about the outbreak': 26471, 'the outbreak chancellor': 862600, 'outbreak chancellor angela': 628099, 'angela merkel praised': 76337, 'merkel praised supermarket': 529168, 'praised supermarket employee': 668892, 'employee and urged': 273594, 'and urged people': 74763, 'urged people to': 948273, 'people to refrain': 649934, 'keep balance': 471333, 'balance but': 108971, 'but currently': 145492, 'of sync': 590560, 'sync cbc': 830977, 'why are dumping': 990766, 'issue in supply': 455803, 'in supply management': 428731, 'management is supposed': 512590, 'supposed to keep': 827365, 'to keep balance': 908758, 'keep balance but': 471334, 'balance but currently': 108972, 'but currently demand': 145493, 'currently demand and': 221512, 'supply are out': 824789, 'out of sync': 626848, 'of sync cbc': 590561, 'sync cbc news': 830978, 'policastro': 662879, 'craving chicken': 215181, 'sandwich the': 733748, 'thru at': 895168, 'many fast': 514064, 'demand enough': 235289, 'open washington': 612645, 'washington bureau': 967768, 'bureau chief': 142778, 'chief policastro': 175955, 'policastro find': 662880, 'what franchise': 981473, 'franchise say': 331071, 'craving chicken sandwich': 215182, 'chicken sandwich the': 175855, 'sandwich the drive': 733749, 'drive thru at': 259191, 'thru at many': 895169, 'at many fast': 99673, 'many fast food': 514065, 'food restaurant is': 316194, 'restaurant is still': 716540, 'still an option': 800192, 'an option but': 56679, 'option but is': 614004, 'but is the': 146084, 'the demand enough': 853093, 'demand enough to': 235290, 'keep the door': 472039, 'the door open': 853580, 'door open washington': 255686, 'open washington bureau': 612646, 'washington bureau chief': 967769, 'bureau chief policastro': 142779, 'chief policastro find': 175956, 'policastro find what': 662881, 'find what franchise': 307386, 'what franchise say': 981474, 'franchise say they': 331072, 'need we battle': 556181, 'we battle the': 970813, 'battle the outbreak': 112829, 'streatham': 812868, 'total visited': 926267, 'visited 11': 959450, '11 shop': 2595, 'in streatham': 428493, 'streatham since': 812871, 'since 3pm': 770482, '3pm found': 18405, 'found gluten': 330217, 'in foodhall': 422996, 'foodhall plenty': 317928, 'aldi no': 41289, 'aldi tesco': 41307, 'tesco main': 838739, 'main express': 508746, 'express sainsburys': 293061, 'sainsburys local': 731766, 'local local': 498160, 'shop polish': 760674, 'supermarket lidl': 821307, 'lidl so': 488302, 'this lockdownuknow': 888699, 'in total visited': 430222, 'total visited 11': 926268, 'visited 11 shop': 959451, '11 shop in': 2596, 'shop in streatham': 760325, 'in streatham since': 428494, 'streatham since 3pm': 812872, 'since 3pm found': 770483, '3pm found gluten': 18406, 'found gluten free': 330218, 'free bread in': 331685, 'bread in foodhall': 138496, 'in foodhall plenty': 422997, 'foodhall plenty of': 317929, 'plenty of bread': 660942, 'bread in aldi': 138495, 'in aldi no': 420154, 'aldi no pasta': 41290, 'no pasta or': 565076, 'pasta or egg': 643774, 'egg in aldi': 269892, 'in aldi tesco': 420158, 'aldi tesco main': 41308, 'tesco main express': 838740, 'main express sainsburys': 508747, 'express sainsburys local': 293062, 'sainsburys local local': 731767, 'local local shop': 498161, 'local shop polish': 498412, 'shop polish supermarket': 760675, 'polish supermarket lidl': 663590, 'supermarket lidl so': 821308, 'lidl so pissed': 488303, 'so pissed off': 778011, 'pissed off this': 656978, 'off this lockdownuknow': 594305, 'guardian via': 367908, 'amid the guardian': 52696, 'the guardian via': 856915, 'fauci lower': 300368, 'lower death': 505828, 'death forecast': 230044, '00 say': 480, 'say socialdistancing': 739150, 'working 27': 1008468, 'old grocery': 598276, 'maryland died': 518192, 'contracting 19': 201753, '19 essentialworker': 6839, 'essentialworker healthcare': 281942, 'healthcare vaccine': 387326, 'vaccine gratitude': 951709, 'gratitude mask': 362379, 'fauci lower death': 300369, 'lower death forecast': 505829, 'death forecast to': 230045, 'forecast to 60': 328874, 'to 60 00': 899786, '60 00 say': 20860, '00 say socialdistancing': 481, 'say socialdistancing is': 739151, 'socialdistancing is working': 780477, 'is working 27': 454031, 'working 27 year': 1008469, 'year old grocery': 1014832, 'old grocery store': 598278, 'worker in maryland': 1007183, 'in maryland died': 425159, 'maryland died after': 518193, 'died after contracting': 241506, 'after contracting 19': 35502, 'contracting 19 essentialworker': 201754, '19 essentialworker healthcare': 6840, 'essentialworker healthcare vaccine': 281943, 'healthcare vaccine gratitude': 387327, 'vaccine gratitude mask': 951710, 'back during': 106968, 'getting job at': 349081, 'job at supermarket': 465681, 'supermarket is my': 821105, 'is my way': 449813, 'my way of': 550537, 'way of giving': 969755, 'of giving back': 584138, 'giving back during': 351249, 'back during covid': 106969, '19 while also': 12044, 'while also having': 986590, 'also having an': 48343, 'having an excuse': 383970, 'it goodbye': 458308, 'goodbye to': 358002, 'my game': 548477, 'competition but': 191681, 're profiting': 699320, 'it goodbye to': 458309, 'goodbye to my': 358003, 'to my game': 910404, 'my game you': 548478, 'price than the': 676781, 'than the competition': 841224, 'the competition but': 851377, 'competition but promise': 191682, 'scam you re': 740490, 'you re profiting': 1020712, 're profiting from': 699321, 'sea click on': 743086, 'week one': 976684, 'one lockdownnz': 606619, 'lockdownnz finished': 500353, 'finished first': 307898, 'first full': 308687, 'full week': 340974, 'am exhausted': 50031, 'exhausted starting': 290171, 'starting early': 794952, 'morning every': 541246, 'shelf customer': 756974, 'are constant': 85514, 'constant so': 195631, 'have next': 381594, 'off essentialworkers': 593802, 'week one lockdownnz': 976686, 'one lockdownnz finished': 606620, 'lockdownnz finished first': 500354, 'finished first full': 307899, 'first full week': 308688, 'full week of': 340975, 'week of work': 976650, 'of work at': 593242, 'work at local': 1004881, 'supermarket and am': 818930, 'and am exhausted': 58013, 'am exhausted starting': 50032, 'exhausted starting early': 290172, 'starting early in': 794953, 'early in morning': 264623, 'in morning every': 425451, 'morning every day': 541247, 'every day before': 285794, 'day before opening': 227371, 'before opening to': 122980, 'opening to stock': 612937, 'stock shelf customer': 802831, 'shelf customer are': 756975, 'customer are constant': 222118, 'are constant so': 85515, 'constant so busy': 195632, 'so busy so': 776660, 'busy so glad': 144959, 'to have next': 907282, 'have next two': 381595, 'next two day': 561646, 'day off essentialworkers': 228125, 'pasta should': 643807, 'queue hearing': 693940, 'hearing the': 388247, 'the phrase': 863705, 'phrase fuck': 655341, 'off that': 594223, 'not metre': 570574, 'metre coronav': 529838, 'three thing we': 894073, 'to get used': 906637, 'used to in': 950062, 'supermarket empty shelf': 820158, 'where the toilet': 985255, 'roll hand gel': 725327, 'hand gel soap': 374982, 'soap and pasta': 778923, 'and pasta should': 68761, 'pasta should be': 643808, 'should be long': 765667, 'be long queue': 115810, 'long queue hearing': 501580, 'queue hearing the': 693941, 'hearing the phrase': 388248, 'the phrase fuck': 863706, 'phrase fuck off': 655342, 'fuck off that': 339617, 'off that not': 594225, 'that not metre': 845393, 'not metre coronav': 570575, 'halved': 374514, 'up cash': 944584, 'cash use': 166369, 'use ha': 949250, 'ha halved': 370804, 'halved in': 374515, 'people switch': 649709, 'to card': 902454, 'avoid spreading': 105289, 'atm scheme': 101954, 'scheme said': 741584, 'said usage': 731546, 'usage is': 948837, 'fall even': 296903, 'further given': 342053, 'catch up cash': 167048, 'up cash use': 944585, 'cash use ha': 166370, 'use ha halved': 949251, 'ha halved in': 370805, 'halved in the': 374518, 'day people switch': 228201, 'people switch to': 649710, 'switch to card': 830516, 'to card to': 902455, 'card to avoid': 163676, 'to avoid spreading': 900942, 'avoid spreading the': 105291, 'spreading the atm': 791051, 'the atm scheme': 849017, 'atm scheme said': 101955, 'scheme said usage': 741586, 'said usage is': 731547, 'usage is likely': 948838, 'likely to fall': 492152, 'to fall even': 905630, 'fall even further': 296904, 'even further given': 284098, 'further given the': 342054, 'norm these': 567061, 'but manpower': 146348, 'manpower and': 513330, 'shipping constraint': 758836, 'constraint may': 195768, 'on timing': 604714, 'timing and': 898507, 'delivery here': 234087, 'become the norm': 120163, 'the norm these': 861857, 'norm these day': 567062, 'these day due': 879870, 'to socialdistancing but': 914832, 'socialdistancing but manpower': 780260, 'but manpower and': 146349, 'manpower and shipping': 513331, 'and shipping constraint': 71474, 'shipping constraint may': 758837, 'constraint may have': 195769, 'may have impact': 521240, 'impact on timing': 417897, 'on timing and': 604715, 'timing and delivery': 898508, 'and delivery here': 61119, 'delivery here are': 234088, 'are some risk': 90285, 'some risk that': 783778, 'risk that online': 723928, 'that online shopper': 845514, 'online shopper should': 609004, 'shopper should know': 761686, 'fishyfun': 309433, 'keepsmiling': 472675, 'charityshopfind': 173724, 'only came': 610216, 'with fish': 998449, 'fish fishyfun': 309312, 'fishyfun panicbuying': 309434, 'panicbuying keepsmiling': 638981, 'keepsmiling charityshopfind': 472676, 'buy food today': 148684, 'food today but': 317309, 'today but only': 919335, 'but only came': 146685, 'only came back': 610217, 'back with fish': 107478, 'with fish fishyfun': 998450, 'fish fishyfun panicbuying': 309313, 'fishyfun panicbuying keepsmiling': 309435, 'panicbuying keepsmiling charityshopfind': 638982, 'potato even': 666927, 'if sweet': 414907, 'potato totally': 666995, 'totally sold': 926394, 'today panicbuying': 920021, 'panicbuying please': 639029, 'others le': 621515, 'fortunate and': 329884, 'vulnerable when': 961250, 'happy to have': 377713, 'to have found': 907241, 'have found the': 380705, 'found the last': 330411, 'of potato even': 588272, 'potato even if': 666928, 'even if sweet': 284214, 'if sweet potato': 414908, 'sweet potato totally': 830248, 'potato totally sold': 666996, 'totally sold out': 926395, 'supermarket at 10': 819226, 'at 10 30am': 97400, '10 30am today': 1273, '30am today panicbuying': 17436, 'today panicbuying please': 920022, 'panicbuying please consider': 639030, 'please consider others': 659817, 'consider others le': 195061, 'others le fortunate': 621516, 'le fortunate and': 482957, 'fortunate and the': 329885, 'the vulnerable when': 871003, 'vulnerable when shopping': 961251, 'when shopping today': 984027, 'high they': 395469, 'they wont': 883916, 'wont provide': 1004252, 'you full': 1018740, 'flight is': 310502, '19 breakdown': 5437, 'breakdown they': 138855, 'provide credit': 686249, 'credit that': 216525, 'same name': 733171, 'name we': 551695, 'ticket price will': 895661, 'will be high': 992498, 'be high they': 115247, 'high they wont': 395472, 'they wont provide': 883917, 'wont provide you': 1004253, 'provide you full': 686554, 'you full refund': 1018742, 'full refund if': 340844, 'if the flight': 414972, 'the flight is': 855405, 'flight is cancelled': 310503, 'covid 19 breakdown': 212726, '19 breakdown they': 5438, 'breakdown they provide': 138857, 'they provide credit': 882929, 'provide credit that': 686250, 'credit that too': 216527, 'that too in': 847097, 'too in the': 924801, 'the same name': 866263, 'same name we': 733172, 'name we cant': 551696, 'we cant even': 971094, 'cant even give': 162284, 'even give the': 284118, 'give the credit': 350734, 'the credit to': 852320, 'credit to other': 216539, 'to other to': 911125, 'other to use': 621137, 'use it so': 949312, 'scam while': 740481, 'while finding': 986834, 'finding help': 307483, 'quarantine ftc': 692212, 'information infosec': 437870, 'infosec relief': 438156, 'avoid scam while': 105262, 'scam while finding': 740482, 'while finding help': 986835, 'finding help during': 307484, 'help during quarantine': 389612, 'during quarantine ftc': 262937, 'quarantine ftc consumer': 692213, 'consumer information infosec': 197875, 'information infosec relief': 437871, 'stafflinegroup': 793166, 'constructive': 195837, 'uk stafflinegroup': 938731, 'stafflinegroup see': 793167, 'food sector': 316329, 'say dialogue': 738568, 'dialogue with': 240310, 'bank constructive': 109736, 'uk stafflinegroup see': 938732, 'stafflinegroup see high': 793168, 'see high demand': 745194, 'in food sector': 422984, 'food sector amid': 316330, 'sector amid pandemic': 744073, 'amid pandemic say': 52576, 'pandemic say dialogue': 636392, 'say dialogue with': 738569, 'dialogue with bank': 240311, 'with bank constructive': 997367, 'covid2020': 214411, 'ecoli': 266674, 'covid2020 my': 214412, 'even that': 284641, 'paranoid worry': 641461, 'worry more': 1010746, 'about ecoli': 25150, 'ecoli on': 266675, 'the veggie': 870677, 'plastic washyourhands': 658885, 'covid2020 my wife': 214413, 'not even that': 569281, 'even that paranoid': 284644, 'that paranoid worry': 845654, 'paranoid worry more': 641462, 'worry more about': 1010747, 'more about ecoli': 538505, 'about ecoli on': 25151, 'ecoli on the': 266676, 'on the veggie': 604427, 'the veggie than': 870678, 'veggie than covid': 954215, 'on the plastic': 604286, 'the plastic washyourhands': 863816, 'mwh': 547116, 'day wholesale': 228759, 'wholesale power': 990464, 'price take': 676746, 'take big': 831989, 'big hit': 129819, 'europe on': 283483, 'monday 13': 536218, '13 04': 3157, '04 2020': 918, '2020 high': 14364, 'high renewable': 395333, 'renewable forecast': 710972, 'forecast in': 328834, 'and hourly': 64774, 'hourly lowest': 406133, 'price occurs': 675389, 'occurs in': 579079, 'in be': 420740, 'at 115': 97441, '115 31': 2658, '31 eur': 17567, 'eur mwh': 283344, 'what day wholesale': 981298, 'day wholesale power': 228760, 'wholesale power price': 990465, 'power price take': 667665, 'price take big': 676747, 'take big hit': 831991, 'big hit in': 129821, 'hit in europe': 398283, 'in europe on': 422646, 'europe on monday': 283484, 'on monday 13': 602150, 'monday 13 04': 536219, '13 04 2020': 3158, '04 2020 high': 920, '2020 high renewable': 14365, 'high renewable forecast': 395335, 'renewable forecast in': 710973, 'forecast in addition': 328835, 'addition to low': 31739, 'low demand due': 505236, 'due to holiday': 261816, 'holiday and hourly': 400260, 'and hourly lowest': 64775, 'hourly lowest price': 406134, 'lowest price occurs': 506210, 'price occurs in': 675390, 'occurs in be': 579080, 'in be at': 420741, 'be at 115': 113727, 'at 115 31': 97442, '115 31 eur': 2659, '31 eur mwh': 17568, 'stuffyouneed': 815299, 'today trucker': 920398, 'trucker racing': 932948, 'racing safely': 695255, 'fill store': 305491, 'shelf retail': 757470, 'retail food': 718119, 'grocery stuffyouneed': 365988, 'usa today trucker': 948773, 'today trucker racing': 920399, 'trucker racing safely': 932949, 'racing safely to': 695256, 'safely to fill': 730325, 'to fill store': 905848, 'fill store shelf': 305492, 'store shelf retail': 810095, 'shelf retail food': 757471, 'retail food grocery': 718120, 'food grocery stuffyouneed': 314726, 'buying bigger': 150023, 'bigger threat': 130179, 'uk than': 938799, 'virus rt': 958702, 'socialdistanacing is panic': 780067, 'panic buying bigger': 637653, 'buying bigger threat': 150024, 'bigger threat to': 130180, 'the uk than': 870288, 'uk than the': 938800, 'than the corona': 841225, 'corona virus rt': 204345, 'wiv': 1003186, 'supermarket standing': 822915, 'hour wiv': 406108, 'wiv ton': 1003187, 'people talking': 649729, 'talking coughing': 834009, 'coughing sneezing': 208752, 'space how': 787116, 'will ten': 995109, 'ten pack': 837796, 'of toiletroll': 592295, 'toiletroll help': 923364, 'help when': 390880, 'sick panicbuyinguk': 768565, 'panicbuyinguk 19': 639128, 'why people going': 991285, 'people going the': 648102, 'the supermarket standing': 868820, 'supermarket standing in': 822916, 'line hour wiv': 493185, 'hour wiv ton': 406109, 'wiv ton of': 1003188, 'of people talking': 587997, 'people talking coughing': 649730, 'talking coughing sneezing': 834010, 'coughing sneezing in': 208753, 'sneezing in small': 776320, 'small space how': 775132, 'space how will': 787117, 'how will ten': 409240, 'will ten pack': 995110, 'ten pack of': 837797, 'pack of toiletroll': 633115, 'of toiletroll help': 592296, 'toiletroll help when': 923365, 'help when get': 390881, 'when get sick': 983461, 'get sick panicbuyinguk': 348000, 'sick panicbuyinguk 19': 768566, 'panicbuyinguk 19 stayathome': 639130, '19 stayathome lockdown': 10805, 'trumpisalyingsackofshit': 934054, 'of confused': 581666, 'confused people': 194346, 'people staring': 649532, 'them cook': 875549, 'cook at': 202725, 'much coronapocolypse': 544809, 'coronapocolypse shelterinplace': 205239, 'shelterinplace trumpisalyingsackofshit': 758032, 'by the amount': 154260, 'amount of confused': 53213, 'of confused people': 581667, 'confused people staring': 194347, 'people staring at': 649533, 'store shelf not': 810089, 'shelf not many': 757346, 'not many of': 570532, 'of them cook': 591728, 'them cook at': 875550, 'cook at home': 202726, 'home much coronapocolypse': 401634, 'much coronapocolypse shelterinplace': 544810, 'coronapocolypse shelterinplace trumpisalyingsackofshit': 205240, 'shopper continue': 761467, 'plan their': 658250, 'trip compare': 932057, 'deal learn': 229438, 'about shopping': 26186, 'behavior before': 123929, 'in survey': 428749, 'survey how': 828881, 'changed shopper': 172538, 'to survey by': 916012, 'survey by shopper': 828831, 'by shopper continue': 153984, 'shopper continue to': 761468, 'continue to plan': 201230, 'to plan their': 911769, 'plan their trip': 658252, 'their trip compare': 875029, 'trip compare price': 932058, 'price and look': 672459, 'look for deal': 502357, 'for deal learn': 320598, 'deal learn more': 229439, 'more about shopping': 538523, 'about shopping behavior': 26187, 'shopping behavior before': 762197, 'behavior before and': 123930, '19 in survey': 7787, 'in survey how': 428750, 'survey how covid': 828882, 'ha changed shopper': 370134, 'changed shopper behavior': 172539, 'shopper behavior via': 761434, 'called is': 156357, 'this eye': 887493, 'eye drop': 294040, 'drop or': 260355, 'his picture': 397705, 'picture doing': 656117, 'they moron': 882692, 'moron trying': 541643, 'to scared': 913890, 'scared from': 740965, 'from imran': 336016, 'khan picture': 473711, 'so called is': 776685, 'called is this': 156358, 'is this eye': 453086, 'this eye drop': 887494, 'eye drop or': 294041, 'drop or hand': 260356, 'sanitizer and what': 734460, 'what is his': 981698, 'is his picture': 448498, 'his picture doing': 397706, 'picture doing here': 656118, 'doing here are': 252448, 'are they moron': 91010, 'they moron trying': 882693, 'moron trying to': 541644, 'trying to scared': 934866, 'to scared from': 913891, 'scared from imran': 740966, 'from imran khan': 336017, 'imran khan picture': 419643, 'panicroom': 639401, 'homeswithdiane': 402976, 'servingyourfamily': 753238, 'remax': 710126, 'centralindiana': 169463, 'promise not': 683683, 'but thought': 147566, 'wa funny': 962192, 'find much': 307074, 'joy possible': 467520, 'possible these': 665822, 'hoarder panicroom': 399095, 'panicroom homeswithdiane': 639402, 'homeswithdiane servingyourfamily': 402977, 'servingyourfamily remax': 753239, 'remax realestate': 710127, 'realestate realtor': 701519, 'realtor centralindiana': 702778, 'promise not hoarding': 683684, 'not hoarding but': 569995, 'hoarding but thought': 399234, 'but thought it': 147567, 'it wa funny': 462117, 'wa funny and': 962193, 'funny and how': 341700, 'and how important': 64817, 'is to find': 453204, 'to find much': 905921, 'find much joy': 307075, 'much joy possible': 545029, 'joy possible these': 467521, 'possible these day': 665823, 'day toiletpaper hoarder': 228602, 'toiletpaper hoarder panicroom': 922070, 'hoarder panicroom homeswithdiane': 399096, 'panicroom homeswithdiane servingyourfamily': 639403, 'homeswithdiane servingyourfamily remax': 402978, 'servingyourfamily remax realestate': 753240, 'remax realestate realtor': 710128, 'realestate realtor centralindiana': 701520, 'standard at': 793632, 'store physicaldistancing': 809552, 'physicaldistancing special': 655499, 'for immune': 322482, 'only mark': 610765, 'for where': 327826, 'be foot': 114903, 'from cashier': 334806, 'customer thanks': 222912, 'new standard at': 559639, 'standard at the': 793633, 'grocery store physicaldistancing': 365657, 'store physicaldistancing special': 809553, 'physicaldistancing special hour': 655500, 'hour for immune': 405605, 'for immune compromised': 322483, 'compromised people only': 192687, 'people only mark': 648991, 'only mark on': 610766, 'the floor for': 855422, 'floor for where': 310800, 'for where to': 327827, 'where to stand': 985313, 'to stand to': 915164, 'stand to be': 793590, 'to be foot': 901261, 'be foot away': 114905, 'away from cashier': 105866, 'from cashier and': 334807, 'cashier and other': 166458, 'other customer thanks': 620064, 'looking the': 503013, 'lady next': 478793, 'me the grocery': 523648, 'store looking the': 808830, 'looking the lady': 503015, 'the lady next': 858911, 'lady next to': 478794, 'not giving me': 569659, 'giving me my': 351341, 'me my space': 523198, 'plagued': 657993, 'completion': 192391, 'recent outbreak': 703944, 'adding further': 31674, 'further woe': 342207, 'already plagued': 47572, 'plagued by': 657994, 'by oversupply': 153502, 'declining price': 231485, 'the completion': 851395, 'completion of': 192392, 'of announced': 580218, 'announced and': 76918, 'and planned': 69064, 'planned deal': 658447, 'the recent outbreak': 865317, 'recent outbreak is': 703945, 'outbreak is adding': 628368, 'is adding further': 445353, 'adding further woe': 31675, 'further woe for': 342208, 'woe for the': 1003333, 'gas industry which': 343882, 'is already plagued': 445530, 'already plagued by': 47573, 'plagued by oversupply': 657995, 'by oversupply and': 153503, 'oversupply and declining': 631575, 'and declining price': 61025, 'declining price this': 231487, 'this is expected': 888252, 'expected to affect': 290960, 'affect the completion': 34240, 'the completion of': 851396, 'completion of announced': 192393, 'of announced and': 580219, 'announced and planned': 76920, 'and planned deal': 69065, 'clorox fabric': 182457, 'fabric sanitizer': 294233, 'spray 24': 790254, 'oz color': 632733, 'color safe': 186747, 'safe spray': 729960, 'clorox fabric sanitizer': 182458, 'fabric sanitizer spray': 294234, 'sanitizer spray 24': 735778, 'spray 24 oz': 790255, '24 oz color': 15669, 'oz color safe': 632734, 'color safe spray': 186748, 'safe spray bottle': 729961, 'may read': 521441, 'can everyone': 158266, 'considerate to': 195234, 'together beg': 920725, 'piling dry': 656580, 'tin tea': 898561, 'tea and': 835333, 'roll some': 725510, 'insanity it': 439103, 'everyone who may': 287597, 'who may read': 989279, 'may read this': 521442, 'read this please': 700625, 'this please can': 889614, 'please can everyone': 659760, 'can everyone be': 158267, 'everyone be considerate': 286729, 'be considerate to': 114198, 'considerate to others': 195235, 'to others we': 911144, '19 together beg': 11475, 'together beg you': 920726, 'beg you all': 123367, 'you all don': 1016874, 'be selfish stock': 117064, 'selfish stock piling': 748269, 'stock piling dry': 802657, 'piling dry food': 656581, 'dry food tin': 261267, 'food tin tea': 317222, 'tin tea and': 898562, 'tea and loo': 835336, 'loo roll some': 502200, 'roll some of': 725511, 'some of need': 783404, 'it and can': 456487, 'hold of it': 399967, 'of it it': 585409, 'it it insanity': 459173, 'it insanity it': 458804, 'insanity it ha': 439104, 'argentina ha': 92644, 'ha locked': 371174, 'down citizen': 256637, 'need otherwise': 555393, 'otherwise the': 621875, 'argentina ha locked': 92645, 'ha locked down': 371175, 'locked down citizen': 500472, 'down citizen can': 256638, 'citizen can visit': 178872, 'can visit supermarket': 160128, 'visit supermarket and': 959369, 'the pharmacy if': 863656, 'pharmacy if in': 654351, 'in need otherwise': 425759, 'need otherwise the': 555394, 'otherwise the street': 621877, 'street are closed': 812908, 'family could': 297728, 'rationing if': 697820, 'family could face': 297729, 'could face food': 209157, 'face food rationing': 294442, 'food rationing if': 316128, 'rationing if panic': 697821, 'if panic buying': 414595, 'right ha': 721922, 'dedicated website': 231756, 'that provides': 845891, 'provides variety': 686912, 'are your consumer': 91892, 'consumer right ha': 198815, 'right ha launched': 721923, 'ha launched dedicated': 371104, 'launched dedicated website': 481984, 'dedicated website that': 231757, 'website that provides': 975430, 'that provides variety': 845894, 'provides variety of': 686913, 'variety of helpful': 952565, 'of helpful information': 584553, 'consumer who may': 199525, 'kuhn': 477895, 'moore': 538354, 'purdue virologist': 689951, 'virologist richard': 957700, 'richard kuhn': 721301, 'kuhn joined': 477896, 'joined and': 466918, 'purchasing specialist': 689920, 'specialist tim': 788122, 'tim moore': 896164, 'moore during': 538355, 'long special': 501648, 'special wednesday': 788097, 'night conversation': 562976, 'conversation on': 202477, 'purdue virologist richard': 689952, 'virologist richard kuhn': 957701, 'richard kuhn joined': 721302, 'kuhn joined and': 477897, 'joined and consumer': 466919, 'consumer purchasing specialist': 198627, 'purchasing specialist tim': 689921, 'specialist tim moore': 788123, 'tim moore during': 896165, 'moore during an': 538356, 'hour long special': 405748, 'long special wednesday': 501649, 'special wednesday night': 788098, 'wednesday night conversation': 975667, 'night conversation on': 562977, 'conversation on the': 202478, 'concentrate': 192829, 'respe': 714950, 'people concentrate': 647514, 'concentrate themselves': 192832, 'epidemic in': 279388, 'miami every': 530172, 'are freaking': 86673, 'nobody respe': 566053, 'you let people': 1019594, 'let people concentrate': 486973, 'people concentrate themselves': 647515, 'concentrate themselves in': 192833, 'themselves in supermarket': 876834, 'supermarket you will': 824206, 'control this epidemic': 202189, 'this epidemic in': 887401, 'epidemic in miami': 279390, 'in miami every': 425278, 'miami every household': 530173, 'every household is': 285941, 'supermarket people are': 821947, 'people are freaking': 646980, 'are freaking out': 86674, 'freaking out so': 331549, 'out so more': 627203, 'so more people': 777752, 'more people and': 540005, 'people and nobody': 646874, 'and nobody respe': 67662, 'shopping booked': 762234, 'booked for': 134664, 'against when': 37742, 'online shopping booked': 609055, 'shopping booked for': 762235, 'booked for week': 134665, 'week at all': 975958, 'major supermarket how': 509491, 'how can protect': 407514, 'can protect against': 159320, 'protect against when': 684768, 'against when have': 37743, 'to shop can': 914452, 'shop can we': 760018, 'more to increase': 540795, 'to increase availability': 908270, 'respond it': 715301, 'brand take': 138024, 'account when': 28779, 'their diverse': 873042, 'diverse audience': 248522, 'looking to consumer': 503024, 'how to respond': 409072, 'to respond it': 913379, 'respond it important': 715302, 'it important that': 458710, 'important that these': 419011, 'that these brand': 846910, 'these brand take': 879699, 'brand take these': 138025, 'take these key': 832701, 'insight into account': 439580, 'into account when': 442372, 'account when responding': 28780, 'to their diverse': 917224, 'their diverse audience': 873043, 'diverse audience behaviorchange': 248523, 'okay people': 597996, 'large national': 479717, 'chain right': 171059, 'absolute limit': 27252, 'limit we': 492553, 'doing double': 252359, 'double sometimes': 256049, 'sometimes triple': 785245, 'triple what': 932271, 'normally do': 567491, 'daily sale': 224792, 'okay people with': 597997, 'people with there': 650476, 'with there few': 1001626, 'there few thing': 878379, 'few thing need': 304100, 'need to mention': 555991, 'mention work in': 528813, 'grocery store part': 365643, 'store part of': 809474, 'of large national': 585714, 'large national chain': 479718, 'national chain right': 552440, 'chain right now': 171060, 'we are pushed': 970674, 'are pushed to': 89341, 'pushed to our': 690387, 'to our absolute': 911147, 'our absolute limit': 622013, 'absolute limit we': 27253, 'limit we re': 492555, 're doing double': 698537, 'doing double sometimes': 252360, 'double sometimes triple': 256050, 'sometimes triple what': 785246, 'triple what we': 932272, 'what we normally': 982560, 'we normally do': 972591, 'normally do in': 567493, 'do in daily': 249424, 'in daily sale': 421963, 'daily sale so': 224793, 'sale so with': 732535, 'so with that': 778795, 'with that said': 1001179, 'the trajectory': 869890, 'american gas': 51992, 'gas supply': 344140, 'change radically': 172235, 'radically result': 695419, 'the breakdown': 849972, 'production cooperation': 681970, 'cooperation between': 203159, 'the trajectory of': 869891, 'trajectory of north': 929387, 'north american gas': 567612, 'american gas supply': 51993, 'gas supply is': 344141, 'supply is set': 825455, 'to change radically': 902615, 'change radically result': 172236, 'radically result of': 695420, 'price that ha': 676802, 'that ha occurred': 844128, 'ha occurred due': 371415, 'and the breakdown': 73265, 'the breakdown in': 849973, 'breakdown in production': 138846, 'in production cooperation': 427020, 'production cooperation between': 681971, 'cooperation between opec': 203160, 'bec': 118849, 'thestorm': 881043, 'store alert': 806124, 'in qu': 427166, 'qu bec': 691625, 'bec canada': 118850, 'canada found': 160439, 'found sick': 330361, '19 handling': 7419, 'handling our': 376375, 'food metro': 315451, 'metro iga': 529920, 'store effected': 807436, 'effected were': 269186, 'were shut': 980119, 'sanitize urgent': 734227, 'urgent testing': 948367, 'employee daily': 273749, 'daily should': 224801, 'be implement': 115376, 'implement immediately': 418391, 'immediately canada': 417067, 'canada thestorm': 160580, 'thestorm qanon': 881044, 'grocery store alert': 365184, 'store alert in': 806125, 'alert in qu': 41454, 'in qu bec': 427167, 'qu bec canada': 691626, 'bec canada found': 118851, 'canada found sick': 160440, 'found sick with': 330362, 'covid 19 handling': 213181, '19 handling our': 7420, 'handling our food': 376376, 'our food metro': 623116, 'food metro iga': 315452, 'metro iga grocery': 529921, 'grocery store effected': 365358, 'store effected were': 807437, 'effected were shut': 269187, 'were shut down': 980120, 'shut down to': 767862, 'down to sanitize': 257378, 'to sanitize urgent': 913755, 'sanitize urgent testing': 734228, 'urgent testing of': 948368, 'testing of grocery': 839583, 'of grocery employee': 584349, 'grocery employee daily': 364491, 'employee daily should': 273750, 'daily should be': 224802, 'should be implement': 765646, 'be implement immediately': 115377, 'implement immediately canada': 418392, 'immediately canada thestorm': 417068, 'canada thestorm qanon': 160581, 'still losing': 800814, 'losing so': 503583, 'mode queuing': 535193, 'bank let': 109976, 'and insensitive': 65254, 'insensitive to': 439201, 'life lesson': 488842, 'lesson learning': 486491, 'learning out': 484231, 'are still losing': 90446, 'still losing so': 800815, 'losing so many': 503584, '19 every day': 6865, 'every day many': 285827, 'day many people': 227966, 'many people under': 514543, 'people under quarantine': 650044, 'under quarantine are': 940217, 'quarantine are in': 692036, 'panic mode queuing': 638320, 'mode queuing for': 535194, 'queuing for hour': 694211, 'hour at food': 405439, 'food bank let': 313596, 'bank let take': 109977, 'moment to acknowledge': 536078, 'acknowledge that it': 29107, 'that it may': 844724, 'may be too': 521044, 'be too early': 117762, 'too early and': 924704, 'early and insensitive': 264542, 'and insensitive to': 65256, 'insensitive to the': 439202, 'to the life': 916846, 'the life lesson': 859339, 'life lesson learning': 488843, 'lesson learning out': 486492, 'learning out of': 484232, 'out of quarantine': 626815, 'the piece': 863731, 'piece italy': 656318, 'lockdown italy': 499573, 'from the piece': 337832, 'the piece italy': 863733, 'piece italy ha': 656319, 'tighter lockdown italy': 895871, 'ethiopia 18': 283099, '18 factory': 4530, 'are producing': 89255, 'million litre': 532218, 'sanitizer day': 734725, 'order to mitigate': 618694, 'mitigate the in': 534542, 'the in ethiopia': 858002, 'in ethiopia 18': 422614, 'ethiopia 18 factory': 283100, '18 factory are': 4531, 'factory are producing': 295928, 'are producing million': 89257, 'producing million litre': 680786, 'million litre of': 532219, 'litre of sanitizer': 495169, 'of sanitizer day': 589289, 'state lockdown': 795749, 'coming too': 188249, 'late today': 480930, 'in 53': 419942, '53 00': 20287, 'case almost': 165610, 'day perhaps': 228208, 'perhaps 100': 651561, 'week 300': 975803, '00 over': 403, 'case are now': 165643, 'are now taking': 88603, 'now taking off': 575961, 'taking off in': 833473, 'off in many': 593925, 'in many state': 425062, 'many state lockdown': 514726, 'state lockdown are': 795750, 'lockdown are coming': 499165, 'are coming too': 85444, 'coming too late': 188250, 'too late today': 924841, 'late today in': 480931, 'today in 53': 919680, 'in 53 00': 419943, '53 00 case': 20288, '00 case almost': 108, 'case almost 10': 165611, 'almost 10 00': 46472, '00 new case': 357, 'new case today': 558468, 'case today in': 166081, 'today in three': 919698, 'in three day': 430057, 'three day perhaps': 893915, 'day perhaps 100': 228209, 'perhaps 100 00': 651562, '100 00 case': 1784, '00 case in': 109, 'case in one': 165802, 'one week 300': 607405, 'week 300 00': 975804, '300 00 over': 17283, '00 over 50': 404, 'over 50 00': 629854, '50 00 case': 19571, '00 case per': 112, 'case per week': 165958, 'per week what': 651079, 'week what impact': 977218, 'what impact that': 981648, 'impact that will': 417990, 'you needed': 1020063, 'wa surgical': 963367, 'glove turn': 352989, 'have pant': 381883, 'pant too': 639502, 'they said all': 883238, 'said all you': 730962, 'all you needed': 45549, 'you needed to': 1020064, 'during the wa': 263215, 'the wa surgical': 871017, 'wa surgical mask': 963368, 'mask and rubber': 518365, 'and rubber glove': 70618, 'rubber glove turn': 726943, 'glove turn out': 352990, 'turn out you': 935747, 'out you have': 627902, 'to have pant': 907289, 'have pant too': 381884, 'drpolcino': 260830, 'stockpiling hand': 803986, 'll likely': 496887, 'time finding': 896660, 'finding any': 307439, 'any anywhere': 78935, 'now thankfully': 575989, 'thankfully all': 841944, 'is ingredient': 448925, 'home recipe': 401951, 'recipe here': 704477, 'here drpolcino': 392933, 'drpolcino diy': 260833, 'unless you ve': 942678, 've been stockpiling': 952933, 'been stockpiling hand': 122048, 'stockpiling hand sanitizer': 803987, 'sanitizer you ll': 736167, 'you ll likely': 1019661, 'll likely have': 496888, 'likely have hard': 492016, 'hard time finding': 378034, 'time finding any': 896662, 'finding any anywhere': 307440, 'any anywhere right': 78936, 'right now thankfully': 722150, 'now thankfully all': 575990, 'thankfully all it': 841945, 'take is ingredient': 832233, 'is ingredient to': 448926, 'at home recipe': 99091, 'home recipe here': 401952, 'recipe here drpolcino': 704478, 'here drpolcino diy': 392935, 'drpolcino diy handsanitizer': 260834, 'jumpstart': 467968, 'how cheap': 407546, 'cheap lot': 174140, 'shit will': 759298, 'to jumpstart': 908709, 'jumpstart the': 467969, 'just think how': 470042, 'think how cheap': 885287, 'how cheap lot': 407548, 'cheap lot of': 174141, 'lot of shit': 504277, 'of shit will': 589607, 'shit will be': 759299, 'be after this': 113531, 'over price will': 630524, 'will be low': 992548, 'be low to': 115842, 'low to jumpstart': 505691, 'to jumpstart the': 908710, 'jumpstart the economy': 467970, 'thecrew2': 872309, 'ubisoft': 937860, 'bassmasters': 112452, 'walkingdead': 965129, 'smooth transition': 775944, 'transition air': 929664, 'air to': 39799, 'ground thecrew2': 366539, 'thecrew2 ubisoft': 872310, 'ubisoft boat': 937861, 'boat plane': 133724, 'plane car': 658380, 'car beauty': 163022, 'peace art': 645988, 'poetry music': 662378, 'music quarantine': 546330, 'stayhome bored': 797956, 'bored fun': 135346, 'fun fishing': 341165, 'fishing bassmasters': 309397, 'bassmasters walkingdead': 112453, 'walkingdead todo': 965132, 'todo toiletpaper': 920634, 'toiletpaper brown': 921826, 'brown clipper': 141232, 'clipper recreation': 182378, 'recreation via': 705448, 'smooth transition air': 775945, 'transition air to': 929665, 'air to ground': 39800, 'to ground thecrew2': 907018, 'ground thecrew2 ubisoft': 366540, 'thecrew2 ubisoft boat': 872311, 'ubisoft boat plane': 937862, 'boat plane car': 133725, 'plane car beauty': 658381, 'car beauty peace': 163023, 'beauty peace art': 118770, 'peace art poetry': 645989, 'art poetry music': 94187, 'poetry music quarantine': 662379, 'music quarantine stayhome': 546331, 'quarantine stayhome bored': 692569, 'stayhome bored fun': 797957, 'bored fun fishing': 135347, 'fun fishing bassmasters': 341166, 'fishing bassmasters walkingdead': 309398, 'bassmasters walkingdead todo': 112454, 'walkingdead todo toiletpaper': 965133, 'todo toiletpaper brown': 920635, 'toiletpaper brown clipper': 921828, 'brown clipper recreation': 141233, 'clipper recreation via': 182379, 'know shit': 476708, 'shit fucked': 759099, 'on vacation': 605011, 'you know shit': 1019522, 'know shit fucked': 476709, 'shit fucked up': 759100, 'fucked up when': 339735, 'up when going': 946576, 'is like going': 449317, 'like going on': 490321, 'going on vacation': 355342, 'cancelrent': 161231, 'cancelation': 160908, 'see cancelrent': 744988, 'cancelrent trending': 161232, 'trending just': 931548, 'something san': 785044, 'francisco ha': 331109, 'highest rent': 395852, 'highest homeless': 395823, 'bigger of': 130162, 'california there': 155586, 'be advocacy': 113507, 'advocacy for': 33801, 'rent cancelation': 711062, 'cancelation for': 160909, 'for especially': 321087, 'see cancelrent trending': 744989, 'cancelrent trending just': 161233, 'trending just wanna': 931549, 'wanna say something': 965667, 'say something san': 739163, 'something san francisco': 785045, 'san francisco ha': 733540, 'francisco ha the': 331110, 'ha the highest': 372202, 'the highest rent': 857349, 'highest rent price': 395853, 'rent price one': 711164, 'the highest homeless': 857339, 'highest homeless population': 395824, 'homeless population in': 402780, 'population in the': 664697, 'nation and ha': 552119, 'and ha one': 64081, 'ha one of': 371438, 'of the bigger': 590819, 'the bigger of': 849635, 'bigger of covid': 130163, 'case in california': 165789, 'in california there': 421149, 'california there should': 155588, 'should be advocacy': 765546, 'be advocacy for': 113508, 'advocacy for rent': 33802, 'for rent cancelation': 325118, 'rent cancelation for': 711063, 'cancelation for especially': 160910, 'than quadrupled': 841064, 'quadrupled their': 691667, 'is walmart': 453747, 'grocery abt': 364205, 'abt block': 27522, 'clerk at local': 181663, 'store told that': 810894, 'they have more': 882345, 'more than quadrupled': 540663, 'than quadrupled their': 841065, 'quadrupled their business': 691668, 'their business in': 872681, 'last week there': 480681, 'there is walmart': 878651, 'is walmart grocery': 453748, 'walmart grocery abt': 965334, 'grocery abt block': 364206, 'abt block away': 27523, 'coronacrisis selfish': 204748, 'panicbuying hell': 638959, 'like heaven': 490414, 'heaven compared': 388545, 'woman left in': 1003547, 'hoarding food coronacrisis': 399301, 'food coronacrisis selfish': 314023, 'coronacrisis selfish panicbuying': 204749, 'selfish panicbuying hell': 748196, 'panicbuying hell is': 638960, 'hell is like': 389026, 'is like heaven': 449319, 'like heaven compared': 490415, 'heaven compared to': 388546, 'compared to this': 191441, 'to this world': 917483, 'an adequate': 55121, 'adequate supply': 32187, 'please urge': 660703, 'keep an adequate': 471314, 'an adequate supply': 55122, 'adequate supply of': 32188, 'of grain please': 584297, 'grain please urge': 361787, 'please urge the': 660704, 'urge the state': 948230, 'trump speaks': 933857, 'speaks the': 787802, 'trump speaks the': 933858, 'speaks the stock': 787803, 'dortmund': 255912, 'ultras': 939185, 'vfb': 955755, 'stuttgart': 815580, 'dortmund ultras': 255915, 'ultras have': 939186, 'released statement': 709082, 'statement offering': 796194, 'other chore': 619946, 'chore for': 178003, 'or ill': 615730, 'people forced': 647965, 'to vfb': 918155, 'vfb stuttgart': 955756, 'stuttgart fan': 815581, 'fan have': 298515, 'also done': 48127, 'day absolutely': 227170, 'dortmund ultras have': 255916, 'ultras have released': 939187, 'have released statement': 382253, 'released statement offering': 709083, 'statement offering to': 796195, 'offering to do': 595303, 'shopping and other': 762009, 'and other chore': 68292, 'other chore for': 619947, 'chore for any': 178004, 'for any elderly': 319402, 'any elderly or': 79169, 'elderly or ill': 270796, 'or ill people': 615731, 'ill people forced': 416164, 'people forced to': 647966, 'due to vfb': 262016, 'to vfb stuttgart': 918156, 'vfb stuttgart fan': 955757, 'stuttgart fan have': 815582, 'fan have also': 298516, 'have also done': 379209, 'also done the': 48128, 'done the same': 255042, 'few day absolutely': 303764, 'day absolutely brilliant': 227171, 'noticed higher': 573438, 'not associated': 568264, 'else noticed higher': 271814, 'noticed higher price': 573439, 'higher price on': 395687, 'price on other': 675703, 'on other food': 602556, 'other food and': 620232, 'and supply not': 72805, 'supply not associated': 825597, 'not associated with': 568265, 'env': 279050, 'food env': 314364, 'env reporting': 279051, 'reporting network': 712718, 'network re': 557760, 're impact': 698860, 'on corn': 600107, 'corn grower': 203566, 'grower spec': 367113, 'spec ethanol': 787829, 'ethanol bio': 282968, 'bio fuel': 131143, 'fuel supplier': 340287, 'supplier one': 824586, 'one might': 606660, 'think demand': 885202, 'ethanol based': 282965, 'positive but': 665267, 'but policy': 146818, 'policy market': 663445, 'market barrier': 516071, 'barrier are': 111346, 'making that': 511403, 'that unlikely': 847188, 'interesting article out': 441513, 'article out of': 94422, 'of food env': 583685, 'food env reporting': 314365, 'env reporting network': 279052, 'reporting network re': 712719, 'network re impact': 557761, 're impact of': 698861, '19 on corn': 8938, 'on corn grower': 600108, 'corn grower spec': 203567, 'grower spec ethanol': 367114, 'spec ethanol bio': 787830, 'ethanol bio fuel': 282969, 'bio fuel supplier': 131144, 'fuel supplier one': 340288, 'supplier one might': 824587, 'one might think': 606661, 'might think demand': 531142, 'think demand for': 885203, 'for ethanol based': 321138, 'ethanol based sanitizer': 282967, 'based sanitizer would': 111743, 'sanitizer would be': 736152, 'would be positive': 1011633, 'be positive but': 116470, 'positive but policy': 665269, 'but policy market': 146819, 'policy market barrier': 663446, 'market barrier are': 516072, 'barrier are making': 111347, 'are making that': 88007, 'making that unlikely': 511406, 'the urgent': 870528, 'urgent search': 948361, 'cure ha': 220751, 'hero but': 393955, 'and suffering': 72663, 'suffering you': 817349, 're write': 699845, 'write the': 1012792, 'everyone attention': 286720, 'attention is': 102452, 'on survival': 603854, 'in the urgent': 429639, 'the urgent search': 870530, 'urgent search for': 948362, 'search for 19': 743241, 'for 19 cure': 318701, '19 cure ha': 6385, 'cure ha chance': 220752, 'ha chance to': 370114, 'chance to be': 171792, 'to be hero': 901303, 'be hero but': 115234, 'hero but let': 393956, 'forget the last': 329302, 'last year of': 480729, 'year of high': 1014781, 'of high drug': 584612, 'price and suffering': 672552, 'and suffering you': 72665, 'suffering you can': 817350, 'can bet they': 157756, 'bet they ll': 128116, 'they ll try': 882616, 'll try to': 497079, 'try to re': 934652, 'to re write': 912785, 're write the': 699846, 'write the rule': 1012794, 'the rule in': 866047, 'rule in this': 727270, 'this crisis while': 887110, 'crisis while everyone': 218392, 'while everyone attention': 986806, 'everyone attention is': 286721, 'attention is on': 102453, 'is on survival': 450485, 'wa physic': 962927, 'physic so': 655364, 'predicted how': 669608, 'much sanitizer': 545289, 'this got': 887727, 'real stoppanicbuying': 701370, 'wish wa physic': 996845, 'wa physic so': 962928, 'physic so could': 655365, 'so could have': 776804, 'could have predicted': 209265, 'have predicted how': 382020, 'predicted how much': 669609, 'how much sanitizer': 408369, 'much sanitizer and': 545290, 'paper would need': 641114, 'would need before': 1012047, 'need before this': 554531, 'before this got': 123228, 'this got real': 887729, 'got real stoppanicbuying': 358811, 'humanitarianaid': 410691, 'hold humanitarianaid': 399943, 'humanitarianaid foodsecurity': 410692, 'foodsecurity sustainability': 318088, 'to report covid': 913268, 'the worse if': 872030, 'worse if anxiety': 1010949, 'take hold humanitarianaid': 832192, 'hold humanitarianaid foodsecurity': 399944, 'humanitarianaid foodsecurity sustainability': 410693, 'notary': 572664, 'proven fact': 686163, 'fact notary': 295756, 'notary cough': 572665, 'follower ha': 312638, 'to notary': 910720, 'notary on': 572667, '10 occasion': 1567, 'and reported': 70272, 'no coughing': 563911, 'coughing at': 208670, 'with notary': 999818, 'notary than': 572671, 'supermarket dmv': 819976, 'dmv or': 248969, 'proven fact notary': 686164, 'fact notary cough': 295757, 'notary cough le': 572666, 'than other people': 841000, 'other people one': 620683, 'people one of': 648982, 'my follower ha': 548373, 'follower ha been': 312639, 'been to notary': 122222, 'to notary on': 910721, 'notary on 10': 572668, 'on 10 occasion': 598997, '10 occasion and': 1568, 'occasion and reported': 578933, 'and reported that': 70273, 'reported that there': 712541, 'that there wa': 846906, 'wa no coughing': 962721, 'no coughing at': 563912, 'coughing at all': 208671, 'at all you': 97923, 'are safer with': 89802, 'safer with notary': 730398, 'with notary than': 999819, 'notary than at': 572672, 'the supermarket dmv': 868555, 'supermarket dmv or': 819977, 'dmv or anywhere': 248970, 'or anywhere else': 614387, 'anywhere else during': 81101, '8daystogo': 23179, 'megapowerstar': 527841, 'ramcharan': 696372, 'seetharamarajucharan': 747365, '8daystogo for': 23180, 'for megapowerstar': 323399, 'megapowerstar ramcharan': 527842, 'ramcharan day': 696373, 'sanitise regularly': 733895, 'regularly seetharamarajucharan': 707953, '8daystogo for megapowerstar': 23181, 'for megapowerstar ramcharan': 323400, 'megapowerstar ramcharan day': 527843, 'ramcharan day stay': 696374, 'day stay safe': 228394, 'at home wash': 99165, 'home wash ur': 402445, 'ur hand and': 948009, 'hand and sanitise': 374771, 'and sanitise regularly': 70827, 'sanitise regularly seetharamarajucharan': 733896, 'prompting': 683953, 'is prompting': 451092, 'prompting consumer': 683956, 'saving behavior': 737852, 'behavior find': 124035, 'research impacting': 713758, 'impacting retailer': 418254, 'brand here': 137857, '19 is prompting': 8028, 'is prompting consumer': 451093, 'prompting consumer to': 683957, 'consumer to change': 199312, 'change their shopping': 172311, 'their shopping and': 874711, 'shopping and saving': 762016, 'and saving behavior': 70970, 'saving behavior find': 737853, 'behavior find some': 124036, 'find some of': 307230, 'latest research impacting': 481532, 'research impacting retailer': 713759, 'impacting retailer and': 418255, 'and brand here': 59149, 'supporting social': 827191, 'social business': 779447, 'recommends helping': 704832, 'helping entrepreneur': 391322, 'entrepreneur weather': 278961, 'shopping directly': 762482, 'supporting social business': 827192, 'social business during': 779448, '19 recommends helping': 10007, 'recommends helping entrepreneur': 704833, 'helping entrepreneur weather': 391323, 'entrepreneur weather this': 278962, 'weather this pandemic': 974907, 'pandemic by staying': 635078, 'and shopping directly': 71540, 'shopping directly from': 762483, 'directly from their': 243552, 'from their online': 337945, 'online the': 609530, 'crazy great': 215301, 'yoga been': 1016479, 'cancelled namastehome': 161141, 'this someone that': 890245, 'someone that work': 784691, 'that work from': 847652, 'time and do': 896266, 'and do most': 61555, 'do most of': 249610, 'shopping online the': 763493, 'online the is': 609532, 'the is making': 858509, 'making me crazy': 511194, 'me crazy great': 522622, 'crazy great at': 215302, 'great at social': 362518, 'grocery and my': 364249, 'my yoga been': 550665, 'yoga been cancelled': 1016480, 'been cancelled namastehome': 120790, 'welcome answer': 977870, 'dumping via': 262254, 'welcome answer to': 977871, 'the milk dumping': 860607, 'milk dumping via': 531650, 'raccoon': 695171, 'mr raccoon': 544400, 'raccoon make': 695172, 'wash his': 967504, 'are remembering': 89572, 'too washyourhands': 925151, 'washyourhands raccoon': 967899, 'raccoon staysafe': 695174, 'mr raccoon make': 544401, 'raccoon make sure': 695173, 'to wash his': 918347, 'wash his hand': 967505, 'his hand after': 397486, 'hand after getting': 374731, 'after getting back': 35704, 'getting back from': 348858, 'you are remembering': 1017215, 'are remembering to': 89573, 'remembering to wash': 710465, 'your hand too': 1024235, 'hand too washyourhands': 375890, 'too washyourhands raccoon': 925152, 'washyourhands raccoon staysafe': 967900, 'raccoon staysafe stayhealthy': 695175, 'esp meat': 280402, 'damn high': 225359, 'high ppl': 395219, 'pay this': 645171, 'other meat': 620519, 'meat even': 525559, 'higher pricegougers': 395701, 'why are food': 990774, 'are food esp': 86633, 'food esp meat': 314370, 'esp meat price': 280403, 'meat price so': 525701, 'price so damn': 676502, 'so damn high': 776835, 'damn high ppl': 225360, 'high ppl out': 395220, 'ppl out of': 668300, 'work and have': 1004778, 'to pay this': 911567, 'pay this other': 645172, 'this other meat': 889298, 'other meat even': 620520, 'meat even higher': 525560, 'even higher pricegougers': 284184, 'rogers': 725020, 'time rogers': 897591, 'rogers ha': 725021, 'closed most': 183230, 'help minimize': 390097, 'both employee': 135900, 'that remain': 845989, 'be practicing': 116497, 'distancing with': 247652, 'this time rogers': 890683, 'time rogers ha': 897592, 'rogers ha closed': 725022, 'ha closed most': 370173, 'closed most retail': 183231, 'most retail location': 542705, 'retail location to': 718289, 'location to help': 498975, 'to help minimize': 907563, 'help minimize the': 390098, '19 for both': 7064, 'for both employee': 319736, 'both employee and': 135901, 'and customer store': 60868, 'customer store that': 222883, 'store that remain': 810567, 'that remain open': 845990, 'remain open will': 709831, 'will be practicing': 992616, 'be practicing social': 116498, 'social distancing with': 779770, 'distancing with limit': 247653, 'with limit of': 999227, 'limit of customer': 492395, 'customer in each': 222493, 'each store at': 264280, 'duterte': 263534, 'hesitation': 394285, 'philippine president': 654737, 'president duterte': 670804, 'duterte put': 263535, 'put lockdown': 690670, 'luzon to': 507002, 'however due': 409362, 'panic daily': 638027, 'president warned': 670967, 'will shoot': 994841, 'shoot whoever': 759755, 'whoever causing': 990092, 'causing trouble': 168138, 'trouble violence': 932653, 'violence with': 957563, 'no hesitation': 564423, 'philippine president duterte': 654738, 'president duterte put': 670805, 'duterte put lockdown': 263536, 'put lockdown in': 690671, 'lockdown in luzon': 499507, 'in luzon to': 424962, 'luzon to prevent': 507004, '19 however due': 7615, 'however due to': 409363, 'to panic daily': 911393, 'panic daily supply': 638028, 'daily supply and': 224818, 'shortage the president': 765258, 'the president warned': 864274, 'president warned the': 670968, 'warned the people': 967034, 'they will shoot': 883887, 'will shoot whoever': 994842, 'shoot whoever causing': 759756, 'whoever causing trouble': 990093, 'causing trouble violence': 168139, 'trouble violence with': 932654, 'violence with no': 957564, 'with no hesitation': 999759, 'corona nofood': 204074, 'much for grocery': 544917, 'grocery shopping corona': 365009, 'shopping corona nofood': 762399, 'ahi': 39232, 'hawaii the': 384460, 'of ahi': 579850, 'ahi tuna': 39233, 'tuna dropped': 935378, 'about per': 25943, 'pound 500': 667358, '500 drop': 19977, 'from normal': 336598, 'recent week in': 704019, 'week in hawaii': 976371, 'in hawaii the': 423576, 'hawaii the price': 384461, 'price of ahi': 675399, 'of ahi tuna': 579851, 'ahi tuna dropped': 39234, 'tuna dropped to': 935379, 'dropped to about': 260643, 'to about per': 899916, 'about per pound': 25944, 'per pound 500': 650992, 'pound 500 drop': 667359, '500 drop from': 19978, 'drop from normal': 260206, 'from normal price': 336599, 'normal price due': 567272, 'firenze': 308258, 'florence': 310883, 'fotografia': 330121, 'paololodebole': 639730, 'instapic': 440138, 'instafoto': 439940, 'igerstuscany': 415720, 'igersflorence': 415714, 'igersitalia': 415716, 'supermarket firenze': 820326, 'firenze florence': 308259, 'florence fotografia': 310884, 'fotografia foto': 330122, 'foto picoftheday': 330119, 'picoftheday picture': 656092, 'picture paololodebole': 656183, 'paololodebole instagram': 639731, 'instagram instapic': 439966, 'instapic instafoto': 440139, 'instafoto igerstuscany': 439941, 'igerstuscany igersflorence': 415721, 'igersflorence igersitalia': 415715, 'story from line': 811984, 'from line for': 336225, 'line for supermarket': 493112, 'for supermarket firenze': 326010, 'supermarket firenze florence': 820327, 'firenze florence fotografia': 308260, 'florence fotografia foto': 310885, 'fotografia foto picoftheday': 330123, 'foto picoftheday picture': 330120, 'picoftheday picture paololodebole': 656093, 'picture paololodebole instagram': 656184, 'paololodebole instagram instapic': 639732, 'instagram instapic instafoto': 439967, 'instapic instafoto igerstuscany': 440140, 'instafoto igerstuscany igersflorence': 439942, 'igerstuscany igersflorence igersitalia': 415722, 'below 26': 126569, '26 lowest': 16172, 'just in crude': 469032, 'price fall below': 673778, 'fall below 26': 296861, 'below 26 lowest': 126570, '26 lowest since': 16173, 'fic': 304413, 'examining': 288850, 'given restriction': 351096, 'restriction around': 717225, '19 fic': 6985, 'fic will': 304414, 'postponed til': 666832, 'til 17': 895935, '17 18': 4303, '18 nov': 4562, 'nov interest': 573700, 'increasing amp': 433548, 'be meeting': 115923, 'provoking discussion': 687308, 'discussion examining': 245022, 'examining food': 288853, 'food issue': 315171, 'issue experienced': 455740, 'experienced during': 291573, 'epidemic amp': 279331, 'those we': 892603, 're likely': 698996, 'experience going': 291372, 'given restriction around': 351097, 'restriction around covid': 717226, 'covid 19 fic': 213090, '19 fic will': 6986, 'fic will be': 304415, 'be postponed til': 116491, 'postponed til 17': 666833, 'til 17 18': 895936, '17 18 nov': 4304, '18 nov interest': 4563, 'nov interest in': 573701, 'interest in food': 441355, 'security is increasing': 744654, 'is increasing amp': 448852, 'increasing amp we': 433549, 'amp we ll': 54819, 'll be meeting': 496600, 'be meeting the': 115925, 'meeting the demand': 527770, 'demand for thought': 235508, 'for thought provoking': 327164, 'thought provoking discussion': 893188, 'provoking discussion examining': 687309, 'discussion examining food': 245023, 'examining food issue': 288854, 'food issue experienced': 315172, 'issue experienced during': 455741, 'experienced during the': 291574, 'the epidemic amp': 854427, 'epidemic amp those': 279332, 'amp those we': 54701, 'those we re': 892605, 'we re likely': 972913, 're likely to': 698997, 'likely to experience': 492149, 'to experience going': 905456, 'experience going forward': 291373, 'kingdom mortgage': 475340, 'mortgage frozen': 541899, 'frozen for': 338983, 'day guaranteed': 227708, 'guaranteed job': 367745, 'job paid': 466077, 'worker guaranteed': 1007071, 'guaranteed rent': 367747, 'rent ban': 711048, 'eviction free': 288320, 'free test': 332208, 'test more': 839089, 'than 65': 840284, '65 grocery': 21353, 'hour over': 405842, 'old in': 598300, 'we laid': 972171, 'child invading': 176119, 'invading the': 443575, 'beach socialism': 118239, 'socialism suck': 780983, 'united kingdom mortgage': 942187, 'kingdom mortgage frozen': 475341, 'mortgage frozen for': 541900, 'frozen for 90': 338984, '90 day guaranteed': 23287, 'day guaranteed job': 227709, 'guaranteed job paid': 367746, 'job paid leave': 466078, 'for worker guaranteed': 327937, 'worker guaranteed rent': 1007072, 'guaranteed rent ban': 367748, 'rent ban on': 711049, 'ban on eviction': 109228, 'on eviction free': 600656, 'eviction free test': 288321, 'free test and': 332209, 'test and treatment': 838919, 'and treatment test': 74443, 'treatment test more': 931148, 'test more than': 839090, 'more than 65': 540574, 'than 65 grocery': 840285, '65 grocery store': 21354, 'store opening hour': 809280, 'opening hour over': 612856, 'hour over 70': 405843, 'year old in': 1014836, 'old in quarantine': 598301, 'quarantine we laid': 692692, 'we laid off': 972172, 'off worker and': 594420, 'worker and child': 1006278, 'and child invading': 59829, 'child invading the': 176120, 'invading the beach': 443576, 'the beach socialism': 849390, 'beach socialism suck': 118240, 'socialism suck right': 780985, 'grammar': 361837, 'online every': 608179, 'shopping via': 764314, 'via retailer': 956212, 'to derby': 904190, 'derby grammar': 237830, 'grammar school': 361841, 'school completely': 741760, 'done online every': 254963, 'online every time': 608180, 'do your online': 250708, 'online shopping via': 609330, 'shopping via retailer': 764318, 'via retailer donate': 956213, 'money to derby': 537093, 'to derby grammar': 904191, 'derby grammar school': 237831, 'grammar school completely': 361842, 'school completely free': 741761, 'yqgstandsstrong': 1026993, 'bdo': 113398, 'facing business': 295412, 'business canada': 143499, 'canada offer': 160511, 'offer suggestion': 594816, 'suggestion on': 817657, 'pro actively': 679091, 'actively plan': 30321, 'world yqgstandsstrong': 1010219, 'yqgstandsstrong bdo': 1026994, 'bdo canada': 113401, 'created new reality': 215858, 'reality for retailer': 701734, 'retailer and other': 718972, 'other consumer facing': 619996, 'consumer facing business': 197435, 'facing business canada': 295413, 'business canada offer': 143500, 'canada offer suggestion': 160512, 'offer suggestion on': 594817, 'suggestion on how': 817658, 'how to pro': 409057, 'to pro actively': 912161, 'pro actively plan': 679092, 'actively plan for': 30322, 'for the post': 326629, '19 world yqgstandsstrong': 12197, 'world yqgstandsstrong bdo': 1010220, 'yqgstandsstrong bdo canada': 1026995, 'on lighter': 601840, 'lighter note': 489638, 'all spaghetti': 44397, 'spaghetti western': 787254, 'western movie': 980632, 'movie lover': 544021, 'on lighter note': 601841, 'lighter note for': 489639, 'note for all': 572726, 'for all spaghetti': 319168, 'all spaghetti western': 44398, 'spaghetti western movie': 787255, 'western movie lover': 980633, 'don walk': 254026, 'store worried': 811638, 'worried gonna': 1010564, 'corona walk': 204380, 'through worried': 894915, 'worried already': 1010537, 'and gonna': 63824, 'gonna give': 356539, 'else some': 271886, 'should think': 766589, 'don walk through': 254027, 'grocery store worried': 365971, 'store worried gonna': 811639, 'worried gonna get': 1010565, 'gonna get corona': 356529, 'get corona walk': 346816, 'corona walk through': 204381, 'walk through worried': 964896, 'through worried already': 894916, 'worried already have': 1010538, 'already have it': 47423, 'it and gonna': 456493, 'and gonna give': 63825, 'gonna give it': 356540, 'it to someone': 461754, 'to someone else': 914904, 'someone else some': 784453, 'else some of': 271887, 'of all should': 579976, 'all should think': 44337, 'should think about': 766590, '6min': 21637, 'apparently particle': 81986, 'than 6min': 840291, '6min meaning': 21638, 'meaning if': 524812, 'someone coughed': 784419, 'then leaf': 877299, 'time finnish': 896666, 'scientist say': 742255, 'apparently particle carrying': 81987, 'air for more': 39735, 'more than 6min': 540577, 'than 6min meaning': 840292, '6min meaning if': 21639, 'meaning if someone': 524813, 'if someone coughed': 414852, 'someone coughed in': 784420, 'coughed in supermarket': 208613, 'in supermarket then': 428688, 'supermarket then leaf': 823268, 'then leaf you': 877300, 'leaf you are': 483830, 'to catch the': 902507, 'are there around': 90952, 'there around the': 878195, 'around the same': 93555, 'same time finnish': 733354, 'time finnish scientist': 896667, 'finnish scientist say': 307999, 'manifested': 513183, 'credentialled': 216270, 'panic surrounding': 638659, 'world manifested': 1009777, 'manifested in': 513184, 'necessity is': 554234, 'by general': 152665, 'general decline': 345317, 'decline of': 231382, 'in authority': 420630, 'authority and': 103682, 'and credentialled': 60724, 'credentialled expert': 216271, 'the public panic': 864843, 'public panic surrounding': 688216, 'panic surrounding covid': 638660, 'the world manifested': 871908, 'world manifested in': 1009778, 'manifested in the': 513185, 'in the hoarding': 429269, 'the hoarding of': 857416, 'basic necessity is': 111998, 'necessity is driven': 554235, 'driven by general': 259279, 'by general decline': 152666, 'general decline of': 345318, 'decline of confidence': 231383, 'of confidence and': 581655, 'confidence and trust': 193827, 'and trust in': 74497, 'trust in authority': 934268, 'in authority and': 420631, 'authority and credentialled': 103683, 'and credentialled expert': 60725, 'african country': 35187, 'debt dilemma': 230468, 'dilemma fighting': 242856, '19 developing': 6524, 'developing economy': 239780, 'all front': 42878, 'front by': 338517, 'ha grounded': 370776, 'grounded to': 366576, 'halt much': 374441, 'activity worldwide': 30546, 'worldwide poor': 1010408, 'poor global': 664181, 'seen commodity': 746986, 'african country in': 35188, 'country in debt': 210773, 'in debt dilemma': 422051, 'debt dilemma fighting': 230469, 'dilemma fighting covid': 242857, 'covid 19 developing': 212944, '19 developing economy': 6525, 'developing economy are': 239781, 'economy are being': 267665, 'are being hit': 84872, 'being hit on': 125255, 'hit on all': 398353, 'on all front': 599229, 'all front by': 42879, 'front by the': 338518, 'coronavirus crisis which': 205781, 'crisis which ha': 218388, 'which ha grounded': 985883, 'ha grounded to': 370777, 'grounded to halt': 366577, 'to halt much': 907102, 'halt much of': 374442, 'much of economic': 545189, 'of economic activity': 582948, 'economic activity worldwide': 266969, 'activity worldwide poor': 30547, 'worldwide poor global': 1010409, 'poor global demand': 664182, 'global demand ha': 351867, 'demand ha seen': 235615, 'ha seen commodity': 371822, 'seen commodity price': 746987, 'commodity price plunge': 189283, 'price plunge in': 675926, 'what ny': 981951, 'be packet': 116328, 'packet the': 633719, 'pay be': 644771, 'door how': 255616, 'this sanitary': 889952, 'sanitary people': 733808, 'the dumbest': 853775, 'have too': 383370, 'really don know': 702141, 'know what ny': 476969, 'what ny is': 981952, 'ny is waiting': 577886, 'for to close': 327217, 'close down that': 182616, 'down that supermarket': 257259, 'that supermarket be': 846562, 'supermarket be packet': 819322, 'be packet the': 116329, 'packet the line': 633720, 'line to pay': 493489, 'to pay be': 911517, 'pay be all': 644772, 'be all the': 113555, 'to the back': 916504, 'the back and': 849140, 'back and almost': 106848, 'and almost out': 57930, 'almost out the': 46722, 'the door how': 853567, 'door how is': 255617, 'is this sanitary': 453120, 'this sanitary people': 889953, 'sanitary people be': 733809, 'people be going': 647226, 'buy the dumbest': 149294, 'the dumbest thing': 853776, 'dumbest thing please': 262136, 'thing please stay': 884690, 'you have too': 1019134, 'dubai becomes': 261462, 'becomes cheaper': 120208, 'cheaper to': 174284, 'uae cheap': 937740, 'cheap economy': 174096, 'consumer residence': 198765, 'residence citizen': 714221, 'citizen education': 178891, 'education knowledge': 268834, 'dubai becomes cheaper': 261463, 'becomes cheaper to': 120209, 'cheaper to live': 174286, 'to live in': 909342, 'live in dubai': 495858, 'in dubai uae': 422404, 'dubai uae cheap': 261495, 'uae cheap economy': 937741, 'cheap economy consumer': 174097, 'economy consumer residence': 267774, 'consumer residence citizen': 198766, 'residence citizen education': 714222, 'citizen education knowledge': 178892, 'usdaw': 948974, 'tel': 836623, 'querying': 693466, 'son went': 785456, '6am received': 21573, 'received his': 703627, 'his keyworker': 397558, 'keyworker letter': 473580, 'employer member': 274525, 'of usdaw': 592697, 'usdaw in': 948975, 'retail supply': 718754, 'hotline tel': 405263, 'tel no': 836632, 'no for': 564293, 'anyone querying': 80478, 'querying status': 693467, 'status wa': 796703, 'also asked': 47885, 'tomorrow day': 924063, 'straight going': 812213, 'son went in': 785457, 'went in to': 979041, 'in to work': 430145, 'work at 6am': 1004857, 'at 6am received': 97727, '6am received his': 21574, 'received his keyworker': 703628, 'his keyworker letter': 397559, 'keyworker letter from': 473581, 'letter from employer': 487316, 'from employer member': 335277, 'employer member of': 274526, 'member of usdaw': 528154, 'of usdaw in': 592698, 'usdaw in retail': 948976, 'in retail supply': 427470, 'retail supply chain': 718755, 'supply chain ha': 824967, 'chain ha hotline': 170750, 'ha hotline tel': 370888, 'hotline tel no': 405264, 'tel no for': 836633, 'no for anyone': 564294, 'for anyone querying': 319445, 'anyone querying status': 80479, 'querying status wa': 693468, 'status wa also': 796704, 'wa also asked': 961502, 'also asked to': 47886, 'asked to go': 95867, 'go in tomorrow': 353722, 'in tomorrow day': 430188, 'tomorrow day straight': 924064, 'day straight going': 228417, 'straight going on': 812214, 'going on store': 355335, 'on store entrance': 603695, 'store entrance door': 807605, 'entrance door with': 278874, 'door with security': 255786, 'goofy': 358125, 'prefer plain': 669745, 'old dial': 598227, 'dial soap': 240289, 'water myself': 969065, 'myself this': 550953, 'will prolly': 994483, 'prolly sound': 683613, 'sound goofy': 786288, 'goofy but': 358126, 'but hand': 145851, 'sanitizers make': 736339, 'me sneeze': 523487, 'prefer plain old': 669746, 'plain old dial': 658009, 'old dial soap': 598228, 'dial soap water': 240290, 'soap water myself': 779159, 'water myself this': 969066, 'myself this will': 550954, 'this will prolly': 891435, 'will prolly sound': 994484, 'prolly sound goofy': 683614, 'sound goofy but': 786289, 'goofy but hand': 358127, 'but hand sanitizers': 145853, 'hand sanitizers make': 375707, 'sanitizers make me': 736340, 'make me sneeze': 510145, 'brandingwithutility': 138142, 'postitnotecart': 666712, 'trolley barrier': 932375, 'barrier note': 111361, 'note supermarket': 572789, 'supermarket brandingwithutility': 819415, 'brandingwithutility postitnotecart': 138143, 'shopping trolley barrier': 764262, 'trolley barrier note': 932376, 'barrier note supermarket': 111362, 'note supermarket brandingwithutility': 572790, 'supermarket brandingwithutility postitnotecart': 819416, 'loan portfolio': 497507, 'portfolio manager': 664996, 'manager john': 512739, 'john bell': 466516, 'bell see': 126493, 'see three': 745964, 'three road': 894050, 'road back': 724420, 'to par': 911451, 'par for': 641198, 'loan right': 497524, 'now learn': 575190, 'bank loan portfolio': 109985, 'loan portfolio manager': 497508, 'portfolio manager john': 664997, 'manager john bell': 512740, 'john bell see': 466517, 'bell see three': 126494, 'see three road': 745965, 'three road back': 894051, 'road back to': 724421, 'back to par': 107387, 'to par for': 911452, 'par for loan': 641199, 'for loan right': 323042, 'loan right now': 497525, 'right now learn': 722096, 'now learn more': 575191, 'learn more in': 484033, 'more in new': 539521, 'moneysmartweek': 537212, 'reengaging': 706456, 'msw2021': 544591, 'msw2020': 544590, 'situation the': 772508, '2020 moneysmartweek': 14450, 'moneysmartweek campaign': 537213, 'campaign scheduled': 157247, '11 ha': 2528, 'cancelled stay': 161170, 'friendly resource': 333995, 'be highlighted': 115255, 'highlighted here': 395988, 'during april': 262467, 'april financial': 83588, 'financial literacy': 306485, 'literacy month': 494938, 'to reengaging': 913058, 'reengaging with': 706457, 'for msw2021': 323640, 'msw2021 msw2020': 544592, '19 situation the': 10595, 'situation the 2020': 772509, 'the 2020 moneysmartweek': 848023, '2020 moneysmartweek campaign': 14451, 'moneysmartweek campaign scheduled': 537214, 'campaign scheduled for': 157248, 'scheduled for april': 741490, 'for april 11': 319474, 'april 11 ha': 83398, '11 ha been': 2529, 'ha been cancelled': 369740, 'been cancelled stay': 120794, 'cancelled stay tuned': 161171, 'tuned for consumer': 935433, 'for consumer friendly': 320260, 'consumer friendly resource': 197546, 'friendly resource to': 333996, 'resource to be': 714903, 'to be highlighted': 901305, 'be highlighted here': 115256, 'highlighted here during': 395989, 'here during april': 392941, 'during april financial': 262468, 'april financial literacy': 83589, 'financial literacy month': 306486, 'literacy month we': 494939, 'month we look': 538108, 'forward to reengaging': 330033, 'to reengaging with': 913059, 'reengaging with you': 706458, 'you for msw2021': 1018658, 'for msw2021 msw2020': 323641, 'cleanyourscreen': 181205, '19 student': 10915, 'student homeschooling': 814704, 'homeschooling cleanyourscreen': 402938, 'screen sanitizer 19': 742724, 'sanitizer 19 student': 734286, '19 student homeschooling': 10916, 'student homeschooling cleanyourscreen': 814705, 'nigeria finally': 562740, 'finally devalued': 305969, 'devalued the': 239560, 'the naira': 861187, 'naira official': 551491, 'official exchange': 595805, 'rate oil': 697328, 'dropped and': 260533, 'and zimbabwe': 76122, 'zimbabwe brought': 1027574, 'brought back': 141133, 'it currency': 457434, 'currency peg': 221052, 'peg to': 646326, 'nigeria finally devalued': 562741, 'finally devalued the': 305970, 'devalued the naira': 239561, 'the naira official': 861188, 'naira official exchange': 551492, 'official exchange rate': 595806, 'exchange rate oil': 289467, 'rate oil price': 697329, 'price dropped and': 673588, 'dropped and zimbabwe': 260536, 'and zimbabwe brought': 76123, 'zimbabwe brought back': 1027575, 'brought back it': 141134, 'back it currency': 107125, 'it currency peg': 457435, 'currency peg to': 221053, 'peg to the': 646327, 'to the dollar': 916648, 'you stuck': 1021457, 'stuck working': 814626, 'with secure': 1000613, 'secure income': 744441, 'income empty': 432326, 'shelf treat': 757717, 'takeout support': 833187, 'business buy': 143472, 'friend gift': 333616, 'gift so': 350020, 'so independent': 777400, 'independent business': 434089, 'are you stuck': 91864, 'you stuck working': 1021459, 'stuck working from': 814627, 'from home with': 335932, 'home with secure': 402537, 'with secure income': 1000614, 'secure income empty': 744442, 'income empty supermarket': 432327, 'supermarket shelf treat': 822552, 'shelf treat yourself': 757718, 'treat yourself to': 930930, 'yourself to takeout': 1026732, 'to takeout support': 916266, 'takeout support local': 833188, 'local business buy': 497757, 'business buy your': 143473, 'buy your friend': 149497, 'your friend gift': 1023970, 'friend gift so': 333617, 'gift so independent': 350021, 'so independent business': 777401, 'independent business have': 434090, 'business have chance': 143825, 'chance to survive': 171821, 'survive this pandemic': 829265, 'your supermarket worker': 1026069, 'people three': 649855, 'need australia': 554504, 'australia health': 103301, 'food agriculture': 313060, 'australian farmer produce': 103488, 'produce enough food': 680251, 'food for 75': 314516, 'million people three': 532319, 'people three time': 649856, 'time the country': 897847, 'the country need': 852121, 'country need australia': 210918, 'need australia health': 554505, 'australia health food': 103302, 'health food agriculture': 386439, 'food agriculture farming': 313061, 'not overbuying': 570876, 'overbuying food': 631075, 'food overbuying': 315726, 'overbuying united': 631079, 'united airline': 942138, 'airline stock': 40037, 'stock marketcrash': 802459, 'not overbuying food': 570877, 'overbuying food overbuying': 631076, 'food overbuying united': 315727, 'overbuying united airline': 631080, 'united airline stock': 942140, 'airline stock marketcrash': 40038, 'expression': 293093, 'picked hell': 655792, 'back working': 107486, 'when rational': 983920, 'rational educated': 697754, 'educated and': 268783, 'and respected': 70337, 'respected member': 715103, 'community start': 190117, 'bulk with': 142374, 'with terrified': 1001146, 'terrified facial': 838488, 'facial expression': 295237, 'expression get': 293094, 'an eerie': 55610, 'eerie sense': 268940, 'that doomsday': 843608, 'doomsday scenario': 255477, 'scenario isn': 741269, 'isn far': 454507, 'far off': 298872, 'picked hell of': 655793, 'hell of time': 389045, 'go back working': 353353, 'back working at': 107487, 'store when rational': 811247, 'when rational educated': 983921, 'rational educated and': 697755, 'educated and respected': 268784, 'and respected member': 70338, 'respected member of': 715104, 'the community start': 851297, 'community start buying': 190118, 'start buying non': 794237, 'buying non perishable': 150767, 'perishable item in': 651997, 'in bulk with': 421053, 'bulk with terrified': 142375, 'with terrified facial': 1001147, 'terrified facial expression': 838489, 'facial expression get': 295238, 'expression get an': 293095, 'get an eerie': 346540, 'an eerie sense': 55611, 'eerie sense that': 268941, 'sense that doomsday': 750597, 'that doomsday scenario': 843609, 'doomsday scenario isn': 255479, 'scenario isn far': 741270, 'isn far off': 454508, 'meetthefarmersconference': 527809, 'crenov8': 216659, 'or refrigerator': 616820, 'refrigerator with': 706822, 'with necessary': 999688, 'is list': 449380, 'top basic': 925537, 'essential stay': 281580, 'healthy meetthefarmersconference': 387691, 'meetthefarmersconference crenov8': 527810, 'you looking to': 1019709, 'up your store': 946757, 'store or refrigerator': 809364, 'or refrigerator with': 616821, 'refrigerator with necessary': 706823, 'with necessary food': 999689, 'necessary food item': 553986, 'food item during': 315201, 'item during covid': 463224, 'outbreak here is': 628303, 'here is list': 393234, 'is list of': 449381, 'list of top': 494483, 'of top basic': 592312, 'top basic food': 925538, 'basic food essential': 111886, 'food essential stay': 314387, 'essential stay safe': 281581, 'stay healthy meetthefarmersconference': 796908, 'healthy meetthefarmersconference crenov8': 387692, 'freshchoice': 333111, 'supervalue': 824369, 'buying cause': 150100, 'cause headache': 167589, 'headache for': 385877, 'crisis talk': 218130, 'talk today': 833899, 'today paknsave': 920013, 'countdown newzealand': 210165, 'newzealand newworld': 561243, 'newworld freshchoice': 561166, 'freshchoice supervalue': 333112, 'supervalue nz': 824370, 'nz rice': 578201, 'rice milk': 721080, 'bread toiletpaper': 138620, 'toiletpaper nzpol': 922273, 'nzpol pandemic': 578228, 'pandemic business': 635035, 'panic buying cause': 637674, 'buying cause headache': 150101, 'cause headache for': 167590, 'headache for new': 385878, 'for new zealand': 323842, 'zealand supermarket operator': 1027314, 'supermarket operator in': 821785, 'operator in crisis': 613371, 'in crisis talk': 421896, 'crisis talk today': 218131, 'talk today paknsave': 833900, 'today paknsave countdown': 920014, 'paknsave countdown newzealand': 634548, 'countdown newzealand newworld': 210166, 'newzealand newworld freshchoice': 561244, 'newworld freshchoice supervalue': 561167, 'freshchoice supervalue nz': 333113, 'supervalue nz rice': 824371, 'nz rice milk': 578202, 'rice milk bread': 721081, 'milk bread toiletpaper': 531603, 'bread toiletpaper nzpol': 138621, 'toiletpaper nzpol pandemic': 922274, 'nzpol pandemic business': 578229, 'foodinsecure': 317977, 'groceryshortage': 366290, 'wa foodinsecure': 962150, 'foodinsecure for': 317978, 'year affluent': 1014340, 'affluent people': 34658, 'understand little': 940672, 'covid groceryshortage': 214166, 'groceryshortage toiletpaper': 366291, 'toiletpaper yeast': 922876, 'yeast insecurity': 1015148, 'insecurity food': 439153, 'wa foodinsecure for': 962151, 'foodinsecure for year': 317979, 'for year affluent': 327992, 'year affluent people': 1014341, 'affluent people may': 34659, 'people may finally': 648755, 'may finally understand': 521186, 'finally understand little': 306127, 'understand little of': 940673, 'little of what': 495494, 'of what it': 593057, 'it like via': 459383, 'like via news': 491735, 'via news covid': 956101, 'news covid groceryshortage': 560353, 'covid groceryshortage toiletpaper': 214167, 'groceryshortage toiletpaper yeast': 366292, 'toiletpaper yeast insecurity': 922877, 'yeast insecurity food': 1015149, 'insecurity food insecure': 439154, 'at nab': 99839, 'providing small': 687097, 'and homeowner': 64695, 'homeowner affected': 402878, 'basis point': 112265, 'point view': 662688, 'view price': 957150, 'here at nab': 392786, 'at nab announced': 99840, 'nab announced it': 551343, 'it is providing': 459051, 'is providing small': 451124, 'providing small business': 687098, 'business and homeowner': 143309, 'and homeowner affected': 64696, 'homeowner affected by': 402879, 'holiday cut the': 400281, 'cut the rate': 223581, 'the rate on': 865166, '200 basis point': 13453, 'basis point view': 112266, 'point view price': 662689, 'view price in': 957151, 'price in aud': 674665, 'coronacrisis hording': 204629, 'hording hamsteren': 404020, 'supermarket during coronacrisis': 820048, 'during coronacrisis hording': 262529, 'coronacrisis hording hamsteren': 204630, 'christianity': 178132, 'are three': 91075, 'three way': 894093, 'killing consumer': 474667, 'consumer christianity': 196800, 'here are three': 392765, 'are three way': 91077, 'three way covid': 894094, '19 is killing': 8000, 'is killing consumer': 449203, 'killing consumer christianity': 474668, 'supply economy': 825202, 'and supply economy': 72786, 'uneconomic': 941081, 'negates': 556727, 'modulates': 535526, 'two economic': 936907, 'economic positive': 267209, 'remove both': 710808, 'both pm': 136012, 'and fx': 63451, 'fx subsidy': 342598, 'subsidy subsidy': 816021, 'subsidy for': 816008, 'few is': 303883, 'is uneconomic': 453480, 'uneconomic and': 941082, 'and negates': 67495, 'negates all': 556728, 'all principle': 44048, 'of perfect': 588038, 'perfect competition': 651278, 'competition let': 191709, 'force modulates': 328452, 'modulates price': 535527, 'two economic positive': 936908, 'economic positive from': 267210, 'positive from covid': 665334, 'time to remove': 898049, 'to remove both': 913216, 'remove both pm': 710809, 'both pm and': 136013, 'pm and fx': 661855, 'and fx subsidy': 63452, 'fx subsidy subsidy': 342599, 'subsidy subsidy for': 816022, 'subsidy for few': 816009, 'for few is': 321454, 'few is uneconomic': 303884, 'is uneconomic and': 453481, 'uneconomic and negates': 941083, 'and negates all': 67496, 'negates all principle': 556729, 'all principle of': 44049, 'principle of perfect': 678248, 'of perfect competition': 588039, 'perfect competition let': 651279, 'competition let the': 191710, 'let the market': 487133, 'the market force': 860110, 'market force modulates': 516420, 'force modulates price': 328453, 'unemployment tipped': 941310, 'tipped to': 898975, 'unemployment tipped to': 941311, 'tipped to double': 898976, 'to double and': 904680, 'double and could': 255976, 'and could see': 60622, 'price fall 20': 673770, 'fall 20 per': 296794, 'wuhan laboratory': 1013505, 'laboratory that': 478481, 'stop testing': 805111, 'the sample': 866328, 'wuhan laboratory that': 1013506, 'laboratory that identified': 478482, 'by local authority': 153073, 'authority to stop': 103807, 'to stop testing': 915584, 'stop testing and': 805112, 'testing and destroy': 839433, 'and destroy the': 61279, 'destroy the sample': 239037, 'the sample beijing': 866329, 'now working to': 576478, 'working to censor': 1008983, 'ariel': 92780, '201': 13752, 'lifetime buying': 489392, 'market such': 517142, 'such dow': 816456, 'jones and': 467237, 'and amp': 58091, '500 according': 19943, 'to ariel': 900706, 'ariel investment': 92781, 'investment chairman': 443973, 'chairman noon': 171346, 'price 79': 672175, '79 10': 22363, '10 201': 1251, '201 get': 13755, 'it once in': 460071, 'in lifetime buying': 424718, 'lifetime buying opportunity': 489393, 'buying opportunity for': 150832, 'opportunity for market': 613620, 'for market such': 323254, 'market such dow': 517143, 'such dow jones': 816457, 'dow jones and': 256327, 'jones and amp': 467238, 'and amp 500': 58092, 'amp 500 according': 53339, '500 according to': 19944, 'according to ariel': 28520, 'to ariel investment': 900707, 'ariel investment chairman': 92782, 'investment chairman noon': 443974, 'chairman noon price': 171347, 'noon price 79': 566860, 'price 79 10': 672176, '79 10 201': 22364, '10 201 get': 1252, '201 get started': 13756, 'fastest way': 300159, 'receive benefit': 703448, 'and payment': 68816, 'payment from': 645638, 'deposit for': 237495, 'time visit': 898196, 'the fastest way': 854973, 'fastest way to': 300160, 'way to receive': 970078, 'to receive benefit': 912911, 'receive benefit and': 703449, 'benefit and payment': 126920, 'and payment from': 68817, 'payment from the': 645639, 'of canada is': 581084, 'canada is to': 160479, 'is to set': 453239, 'set up direct': 753553, 'up direct deposit': 944718, 'direct deposit for': 243310, 'deposit for more': 237496, 'manage your financial': 512472, 'your financial health': 1023872, 'financial health during': 306437, 'health during this': 386388, 'challenging time visit': 171653, 'place where': 657832, 'are catching': 85196, 'catching even': 167085, 'even short': 284566, 'short trip': 764777, 'you infected': 1019336, 'infected so': 436637, 'so unless': 778606, 'ppe all': 667888, 'time risk': 897589, 'only place where': 610989, 'place where people': 657834, 'people are catching': 646944, 'are catching even': 85197, 'catching even short': 167086, 'even short trip': 284567, 'short trip to': 764778, 'trip to supermarket': 932203, 'to supermarket can': 915779, 'supermarket can get': 819501, 'get you infected': 348675, 'you infected so': 1019337, 'infected so unless': 436638, 'so unless you': 778607, 're wearing ppe': 699790, 'wearing ppe all': 974763, 'ppe all the': 667890, 'the time risk': 869615, 'time risk of': 897590, 'infection is everywhere': 436779, 'vic': 956417, 'streetnewsau': 813204, 'streetadvocate': 813189, 'realestateau': 701540, 'melbre': 527948, 'right vic': 722387, 'vic streetnewsau': 956418, 'streetnewsau streetadvocate': 813205, 'streetadvocate realestateau': 813190, 'realestateau melbre': 701541, 'and your right': 76096, 'your right vic': 1025635, 'right vic streetnewsau': 722388, 'vic streetnewsau streetadvocate': 956419, 'streetnewsau streetadvocate realestateau': 813206, 'streetadvocate realestateau melbre': 813191, 'obligated': 578446, 'tp hoarder': 927838, 'hoarder is': 399056, 'finally do': 305973, 'do find': 249301, 'feel obligated': 302791, 'obligated to': 578447, 'buy shit': 149171, 'ton since': 924295, 'since do': 770567, 'available these': 104624, 'stupid selfish': 815456, 'fuck are': 339524, 'creating their': 216085, 'supply crisis': 825121, 'crisis toiletpapercrisis': 218264, 'thing about tp': 884097, 'about tp hoarder': 26772, 'tp hoarder is': 927839, 'hoarder is that': 399057, 'that when finally': 847484, 'when finally do': 983417, 'finally do find': 305974, 'do find some': 249302, 'find some tp': 307234, 'some tp at': 784102, 'store will feel': 811331, 'will feel obligated': 993426, 'feel obligated to': 302792, 'obligated to buy': 578448, 'to buy shit': 902298, 'buy shit ton': 149172, 'shit ton since': 759278, 'ton since do': 924296, 'since do not': 770568, 'know when next': 477001, 'when next it': 983774, 'next it available': 561422, 'it available these': 456646, 'available these stupid': 104625, 'these stupid selfish': 880765, 'stupid selfish fuck': 815459, 'selfish fuck are': 748098, 'fuck are creating': 339525, 'are creating their': 85622, 'creating their own': 216086, 'their own supply': 874209, 'own supply crisis': 632249, 'supply crisis toiletpapercrisis': 825124, 'major scrambled': 509455, 'scrambled to': 742558, 'complete record': 192141, 'in talk': 428807, 'boost crisis': 134938, 'crisis driven': 217318, 'oil major scrambled': 596935, 'major scrambled to': 509456, 'scrambled to complete': 742559, 'to complete record': 903136, 'complete record production': 192142, 'cut in talk': 223387, 'in talk on': 428808, 'to boost crisis': 901915, 'boost crisis driven': 134939, 'crisis driven price': 217320, 'embarrass': 272433, 'behavior embarrass': 124019, 'embarrass others': 272434, 'others don': 621366, 'stupid you': 815504, 'need other': 555388, 'easier stay': 265154, 'storm go': 811803, 'away period': 106000, 'period coronacrisis': 651738, 'don panic your': 253820, 'panic your behavior': 638821, 'your behavior embarrass': 1022932, 'behavior embarrass others': 124020, 'embarrass others don': 272435, 'others don be': 621367, 'don be stupid': 253370, 'be stupid you': 117423, 'stupid you can': 815505, 'you can live': 1017718, 'can live long': 158895, 'live long you': 495917, 'long you have': 501874, 'you have little': 1019070, 'have little food': 381349, 'water you do': 969276, 'not need other': 570668, 'need other thing': 555390, 'thing they only': 884852, 'only have made': 610583, 'have made your': 381420, 'your life easier': 1024633, 'life easier stay': 488622, 'easier stay home': 265155, 'stay home until': 797019, 'home until the': 402404, 'until the storm': 943871, 'the storm go': 868159, 'storm go away': 811804, 'go away period': 353330, 'away period coronacrisis': 106001, 'wa rainbow': 963036, 'rainbow of': 695773, 'hope rainbow': 403607, 'waiting outside supermarket': 964373, 'outside supermarket here': 629570, 'here in los': 393157, 'angeles and there': 76362, 'there wa rainbow': 879267, 'wa rainbow of': 963037, 'rainbow of hope': 695774, 'of hope rainbow': 584746, 'glutinous': 353147, 'demonstrated about': 236844, 'an island': 56472, 'island nation': 454296, 'an undeniable': 56827, 'undeniable amount': 939944, 'greedy glutinous': 363518, 'glutinous pig': 353148, 'pig that': 656459, 'about no': 25804, 'else other': 271826, 'than themselves': 841288, 've emptied': 953073, 'no thought': 565717, 'others despicable': 621361, 'thing that covid': 884797, '19 ha demonstrated': 7339, 'ha demonstrated about': 370352, 'demonstrated about the': 236845, 'about the uk': 26548, 'uk we are': 938868, 'are an island': 84539, 'an island nation': 56473, 'island nation with': 454297, 'nation with an': 552393, 'with an undeniable': 997229, 'an undeniable amount': 56828, 'undeniable amount of': 939945, 'amount of selfish': 53254, 'of selfish greedy': 589477, 'selfish greedy glutinous': 748112, 'greedy glutinous pig': 363519, 'glutinous pig that': 353149, 'pig that care': 656460, 'that care about': 843159, 'care about no': 163796, 'about no one': 25805, 'one else other': 606233, 'else other than': 271827, 'other than themselves': 621084, 'than themselves they': 841289, 'themselves they ve': 876905, 'they ve emptied': 883648, 've emptied supermarket': 953074, 'shelf for no': 757094, 'no reason with': 565302, 'reason with no': 703068, 'with no thought': 999796, 'no thought for': 565718, 'for others despicable': 324188, 'the knock': 858842, 'stay competitive': 796842, 'ensure their': 278095, 'survival franchise': 829034, 'the knock on': 858843, 'knock on effect': 476161, '19 are having': 5201, 'are having an': 87027, 'to stay competitive': 915279, 'stay competitive and': 796843, 'competitive and ensure': 191768, 'and ensure their': 62168, 'ensure their survival': 278097, 'their survival franchise': 874928, 'survival franchise business': 829035, 'such panic': 816665, 'upcoming primary': 946803, 'primary you': 678095, 'know despite': 476348, 'go every': 353520, 'necessity food': 554206, 'medicine are': 526726, 'are necessity': 88193, 'and democratic': 61196, 'democratic america': 236758, 'america election': 51505, 'election are': 271017, 'also necessity': 48544, 'necessity it': 554237, 'you in such': 1019319, 'in such panic': 428529, 'such panic about': 816666, 'about the upcoming': 26552, 'the upcoming primary': 870497, 'upcoming primary you': 946804, 'primary you know': 678096, 'you know despite': 1019494, 'know despite covid': 476349, '19 people go': 9626, 'people go every': 648080, 'go every day': 353521, 'day to buy': 228556, 'other necessity food': 620570, 'necessity food and': 554207, 'and medicine are': 66901, 'medicine are necessity': 526727, 'are necessity in': 88194, 'necessity in free': 554231, 'in free and': 423097, 'free and democratic': 331645, 'and democratic america': 61197, 'democratic america election': 236759, 'america election are': 51506, 'election are also': 271018, 'are also necessity': 84466, 'also necessity it': 48545, 'spend 30': 788562, 'min wiping': 532594, 'store and came': 806211, 'and came home': 59441, 'home to spend': 402339, 'to spend 30': 914983, 'spend 30 min': 788563, '30 min wiping': 17119, 'min wiping down': 532595, 'wiping down my': 996514, 'down my grocery': 256970, 'fa4g': 294187, 'uk shopping': 938710, 'to fa4g': 905552, 'fa4g when': 294188, 'shop sign': 760790, 'and fa4g': 62574, 'fa4g will': 294190, 'isolation essential': 455265, 'home in uk': 401424, 'in uk shopping': 430397, 'uk shopping online': 938711, 'shopping online get': 763435, 'online get free': 608293, 'get free donation': 347091, 'free donation to': 331775, 'donation to fa4g': 254706, 'to fa4g when': 905553, 'fa4g when you': 294189, 'when you shop': 984601, 'you shop sign': 1021165, 'shop sign up': 760791, 'sign up and': 769247, 'up and fa4g': 944322, 'and fa4g will': 62575, 'fa4g will get': 294191, 'will get one': 993516, 'get one off': 347704, 'one off donation': 606778, 'off donation of': 593775, 'donation of isolation': 254649, 'of isolation essential': 585337, 'earlyriser': 264760, 'earlybirdgetsthenecessities': 264759, 'what found': 981468, 'found um': 330458, 'um mean': 939202, 'mean paid': 524602, 'papertowels tp': 641180, 'tp pt': 927908, 'pt vons': 687615, 'vons earlyriser': 960433, 'earlyriser earlybirdgetsthenecessities': 264761, 'look what found': 502668, 'what found um': 981470, 'found um mean': 330459, 'um mean paid': 939203, 'mean paid for': 524603, 'for toiletpaper papertowels': 327261, 'toiletpaper papertowels tp': 922329, 'papertowels tp pt': 641181, 'tp pt vons': 927909, 'pt vons earlyriser': 687616, 'vons earlyriser earlybirdgetsthenecessities': 960434, 'dover': 256304, 'evening visited': 284926, 'visited your': 959509, 'at dover': 98488, 'dover this': 256305, 'rule were': 727401, 'being applied': 124851, 'applied it': 82494, 'not acceptable': 568023, 'acceptable in': 28018, 'climate to': 182233, 'continue like': 201056, 'own staff': 632226, 'public at': 687879, 'risk socialdistancing': 723890, 'good evening visited': 357015, 'evening visited your': 284927, 'visited your supermarket': 959510, 'your supermarket at': 1026036, 'supermarket at dover': 819237, 'at dover this': 98489, 'dover this evening': 256306, 'evening and social': 284848, 'distancing rule were': 247448, 'rule were not': 727402, 'were not being': 979914, 'not being applied': 568528, 'being applied it': 124852, 'applied it not': 82495, 'it not acceptable': 459855, 'not acceptable in': 568024, 'acceptable in the': 28019, 'current climate to': 221131, 'climate to continue': 182234, 'to continue like': 903389, 'continue like this': 201057, 'this your own': 891622, 'your own staff': 1025162, 'own staff are': 632227, 'staff are putting': 792203, 'themselves and the': 876762, 'the public at': 864790, 'public at risk': 687881, 'at risk socialdistancing': 100400, 'is predominantly': 450988, 'predominantly service': 669707, 'service based': 752172, 'economy nobody': 268098, 'is spending': 452154, 'pandemic only': 636108, 'back job': 107129, 'is smashing': 451987, 'smashing the': 775577, 'curve amp': 221828, 'amp restoring': 54402, 'restoring consumer': 717072, 'confidence we': 193979, 'must defeat': 546614, 'defeat invisible': 232041, 'invisible menace': 444253, 'menace now': 528568, 'america is predominantly': 51578, 'is predominantly service': 450989, 'predominantly service based': 669708, 'service based economy': 752173, 'based economy nobody': 111563, 'economy nobody is': 268099, 'nobody is spending': 566026, 'is spending money': 452159, 'spending money during': 788903, 'money during pandemic': 536720, 'during pandemic only': 262883, 'pandemic only thing': 636109, 'thing that will': 884826, 'that will bring': 847559, 'will bring back': 992853, 'bring back job': 139930, 'back job is': 107130, 'job is smashing': 465907, 'is smashing the': 451988, 'smashing the curve': 775578, 'the curve amp': 852684, 'curve amp restoring': 221829, 'amp restoring consumer': 54403, 'restoring consumer confidence': 717073, 'consumer confidence we': 196931, 'confidence we must': 193980, 'we must defeat': 972409, 'must defeat invisible': 546615, 'defeat invisible menace': 232042, 'invisible menace now': 444254, 'fcawa': 300745, 'fcawa is': 300746, 'is hearing': 448370, 'financial adviser': 306312, 'adviser concerned': 33663, '19 state': 10787, 'with auspol': 997336, 'fcawa is hearing': 300747, 'is hearing from': 448371, 'hearing from financial': 388202, 'from financial adviser': 335469, 'financial adviser concerned': 306314, 'adviser concerned about': 33664, 'concerned about increased': 193161, 'their service due': 874657, 'covid 19 state': 213857, '19 state and': 10788, 'and federal government': 62757, 'government must do': 360367, 'more to support': 540801, 'support this sector': 826927, 'this sector and': 890000, 'sector and increase': 744083, 'and increase our': 65106, 'increase our resource': 432970, 'our resource to': 624616, 'resource to deal': 714905, 'deal with auspol': 229539, 'coronacontrol': 204487, 'china try': 177026, 'to rev': 913484, 'rev up': 720219, 'with voucher': 1002003, 'voucher programme': 960660, 'programme coronacontrol': 683335, 'coronacontrol outbreak': 204488, 'china try to': 177027, 'try to rev': 934658, 'to rev up': 913485, 'rev up consumer': 720220, 'spending with voucher': 789061, 'with voucher programme': 1002004, 'voucher programme coronacontrol': 960661, 'programme coronacontrol outbreak': 683336, 'whack': 980915, 'will whack': 995344, 'whack up': 980916, 'next bill': 561295, 'bill all': 130493, 'that handwashing': 844169, 'those tea': 892519, 'tea break': 835342, 'that the water': 846865, 'water and electricity': 968859, 'and electricity company': 61999, 'electricity company will': 271161, 'company will whack': 191340, 'will whack up': 995345, 'whack up their': 980917, 'their price before': 874380, 'the next bill': 861655, 'next bill all': 561296, 'bill all that': 130494, 'all that handwashing': 44640, 'that handwashing and': 844170, 'handwashing and those': 376820, 'and those tea': 74037, 'those tea break': 892520, 'supportdg': 827033, 'remember follow': 710196, 'in old': 426098, 'old money': 598369, 'money guidance': 536800, 'you meet': 1019834, 'meet others': 527547, 'others whilst': 621778, 'whilst out': 987667, 'exercise or': 290080, 'your workplace': 1026387, 'workplace if': 1009196, 're key': 698956, 'worker supportdg': 1007866, 'please remember follow': 660368, 'remember follow the': 710197, 'follow the metre': 312538, 'the metre foot': 860547, 'metre foot in': 529847, 'foot in old': 318390, 'in old money': 426099, 'old money guidance': 598370, 'money guidance to': 536801, 'guidance to prevent': 368295, '19 coronavirus this': 6134, 'coronavirus this applies': 206929, 'applies to being': 82533, 'if you meet': 415476, 'you meet others': 1019835, 'meet others whilst': 527548, 'others whilst out': 621779, 'whilst out doing': 987668, 'out doing your': 625975, 'doing your one': 252886, 'your one hour': 1025066, 'one hour of': 606438, 'hour of exercise': 405795, 'of exercise or': 583302, 'exercise or in': 290081, 'or in your': 615766, 'in your workplace': 431140, 'your workplace if': 1026388, 'workplace if you': 1009197, 'you re key': 1020662, 're key worker': 698957, 'key worker supportdg': 473517, 'nsfwtwitter': 576670, 'store nsfwtwitter': 809138, 'grocery store nsfwtwitter': 365600, 'parlous': 642179, 'concumer': 193342, 'collapse reflection': 186049, 'the parlous': 863302, 'parlous state': 642180, 'of concumer': 581646, 'concumer demand': 193343, '19 collapse reflection': 5873, 'collapse reflection of': 186050, 'of the parlous': 591321, 'the parlous state': 863303, 'parlous state of': 642181, 'state of concumer': 795802, 'of concumer demand': 581647, 'concumer demand via': 193344, 'just lost': 469194, 'it publicly': 460551, 'publicly to': 688605, 'mombasa kenya': 535863, 'kenya for': 472901, 'any antibacterial': 78931, 'disinfectant soap': 245751, 'wipe everything': 996252, 'least doubled': 484446, 'just lost it': 469196, 'lost it publicly': 503878, 'it publicly to': 460552, 'publicly to supermarket': 688606, 'to supermarket owner': 915824, 'supermarket owner in': 821876, 'owner in mombasa': 632473, 'in mombasa kenya': 425396, 'mombasa kenya for': 535864, 'kenya for increasing': 472902, 'for increasing the': 322535, 'of any antibacterial': 580247, 'any antibacterial disinfectant': 78932, 'antibacterial disinfectant soap': 78357, 'disinfectant soap antibacterial': 245752, 'soap antibacterial wipe': 778940, 'antibacterial wipe everything': 78390, 'wipe everything at': 996253, 'everything at least': 287700, 'at least doubled': 99485, 'least doubled in': 484447, 'doubled in price': 256117, 'in price disgusting': 426959, 'are shipping worldwide': 90043, 'shipping worldwide goabay': 758952, 'buying amp': 149893, 'amp leader': 54061, 'leader ha': 483465, 'urged supermarket': 948277, 'vulnerable shopper': 961161, 'in read': 427282, 'panic buying amp': 637642, 'buying amp leader': 149894, 'amp leader ha': 54062, 'leader ha urged': 483467, 'ha urged supermarket': 372418, 'urged supermarket to': 948278, 'supermarket to put': 823400, 'place measure to': 657575, 'help elderly and': 389627, 'and vulnerable shopper': 75061, 'vulnerable shopper and': 961162, 'shopper and key': 761367, 'and key worker': 65821, 'worker in read': 1007196, 'in read more': 427283, 'more here gt': 539423, 'adamie': 31237, 'hi adamie': 394586, 'adamie starting': 31238, 'hi adamie starting': 394587, 'adamie starting on': 31239, 'screw everyone': 742794, 'screw everyone buying': 742795, 'everyone buying 300': 286758, 'roll of shitty': 725418, 'of shitty paper': 589610, 'shitty paper stophoarding': 759380, 'paper stophoarding toiletpapercrisis': 640842, 'worthwhile': 1011472, 'overdu': 631196, 'crisis eps': 217352, 'eps of': 279578, 'of 500': 579614, 'thing propping': 884697, 'of worthwhile': 593326, 'worthwhile alternative': 1011473, 'long overdu': 501548, '19 crisis eps': 6244, 'crisis eps of': 217353, 'eps of 500': 279579, 'of 500 wa': 579616, '500 wa in': 20070, 'only thing propping': 611313, 'thing propping up': 884698, 'propping up stock': 684585, 'lack of worthwhile': 478667, 'of worthwhile alternative': 593327, 'worthwhile alternative for': 1011474, 'price wa long': 677336, 'wa long overdu': 962585, 'hey read': 394486, 'read your': 700670, 'book becoming': 134481, 'becoming and': 120274, 'could relate': 209588, 'your fear': 1023839, 'having child': 384006, 'allergy people': 45785, 'hungry we': 411324, 'left out': 485598, 'hey read your': 394487, 'read your book': 700671, 'your book becoming': 1022992, 'book becoming and': 134482, 'becoming and could': 120275, 'and could relate': 60621, 'could relate to': 209589, 'relate to your': 708370, 'to your fear': 918979, 'your fear of': 1023841, 'fear of having': 301238, 'of having child': 584480, 'having child with': 384007, 'with food allergy': 998474, 'food allergy people': 313095, 'allergy people with': 45786, 'food allergy are': 313093, 'allergy are going': 45770, 'going hungry we': 355208, 'hungry we re': 411325, 're being left': 698359, 'being left out': 125380, 'left out of': 485599, 'out of emergency': 626726, 'of emergency program': 583051, 'emergency program can': 272903, 'program can you': 683224, 'scare by': 740867, 'rise amid scare': 722775, 'amid scare by': 52641, 'never won': 558278, 'won anything': 1003731, 'be amazing': 113580, 'amazing to': 50805, 'dad my': 224367, 'be near': 116053, 'near any': 553464, 'stuff please': 815176, 'family and need': 297595, 'and need money': 67475, 'need money for': 555245, 'money for grocery': 536749, 'for grocery have': 322034, 'grocery have never': 364584, 'have never won': 381588, 'never won anything': 558279, 'won anything like': 1003732, 'this it would': 888533, 'would be amazing': 1011549, 'be amazing to': 113583, 'amazing to get': 50807, 'get some money': 348063, 'money for my': 536753, 'family and we': 297612, 'on food because': 600845, '19 my dad': 8723, 'my dad my': 547897, 'dad my mom': 224368, 'mom and cannot': 535679, 'and cannot be': 59506, 'cannot be near': 161641, 'be near any': 116054, 'near any of': 553465, 'this stuff please': 890393, 'shoul': 765466, 'not chinese': 568750, 'chinese covid': 177234, 'is unlike': 453521, 'unlike one': 942716, 'one found': 606314, 'china it': 176767, 'to against': 900171, 'they lock': 882621, 'city close': 179101, 'restaurant pretty': 716640, 'much only': 545213, 'but trump': 147627, 'trump shoul': 933838, 'no it is': 564534, 'is not chinese': 450044, 'not chinese covid': 568751, 'chinese covid 19': 177235, '19 is unlike': 8075, 'is unlike one': 453523, 'unlike one found': 942717, 'one found in': 606315, 'found in wuhan': 330254, 'in wuhan china': 431002, 'wuhan china it': 1013468, 'china it is': 176769, 'it is new': 459019, 'is new one': 449887, 'new one and': 559199, 'one and china': 605897, 'and china did': 59847, 'china did good': 176609, 'good job to': 357298, 'job to against': 466216, 'to against virus': 900172, 'against virus they': 37735, 'virus they lock': 958903, 'they lock down': 882622, 'down the city': 257269, 'the city close': 850925, 'city close down': 179102, 'close down the': 182617, 'down the restaurant': 257298, 'the restaurant pretty': 865657, 'restaurant pretty much': 716641, 'pretty much only': 671459, 'much only grocery': 545214, 'is open but': 450561, 'open but trump': 612132, 'but trump shoul': 147628, 'virus change': 958049, '19 virus change': 11790, 'virus change in': 958050, 'tui': 935246, 'holiday company': 400274, 'company pushing': 190988, 'year thanks': 1014989, 'for wanting': 327638, 'change holiday': 172085, 'holiday from': 400303, 'to next': 910588, 'next or': 561495, 'take massive': 832308, 'amount if': 53187, 'if cancelled': 413937, 'cancelled this': 161181, 'some come': 782556, 'in hardship': 423550, 'hardship some': 378306, 'profit tui': 682879, 'tui selfemployed': 935249, 'see the holiday': 745842, 'the holiday company': 857435, 'holiday company pushing': 400275, 'company pushing price': 190989, 'pushing price up': 690442, 'next year thanks': 561736, 'year thanks also': 1014990, 'thanks also for': 842013, 'also for wanting': 48233, 'for wanting to': 327639, 'wanting to charge': 966300, 'to charge to': 902644, 'charge to change': 173324, 'to change holiday': 902605, 'change holiday from': 172086, 'holiday from this': 400304, 'from this year': 338021, 'year to next': 1015046, 'to next or': 910589, 'next or take': 561497, 'or take massive': 617327, 'take massive amount': 832309, 'massive amount if': 519963, 'amount if cancelled': 53188, 'if cancelled this': 413938, 'cancelled this year': 161182, 'this year some': 891593, 'year some come': 1014966, 'some come together': 782557, 'come together in': 187628, 'together in hardship': 920832, 'in hardship some': 423551, 'hardship some profit': 378307, 'some profit tui': 783654, 'profit tui selfemployed': 682880, 'retailworkers coronacrisis': 719595, 'coronacrisis feel': 204591, 'feel all': 302554, 'retail work': 718866, 'given rise': 351098, 'public no': 688175, 'deserve some': 238119, 'of bonus': 580770, 'retailworkers coronacrisis feel': 719596, 'coronacrisis feel all': 204592, 'feel all retail': 302555, 'all retail work': 44188, 'retail work who': 718867, 'work who are': 1006013, 'are working through': 91722, 'through this virus': 894854, 'this virus should': 891025, 'virus should be': 958742, 'be given rise': 115033, 'given rise in': 351099, 'rise in pay': 722898, 'this time because': 890622, 'time because all': 896369, 'because all retail': 118918, 'all retail worker': 44189, 'retail worker will': 718907, 'be working closely': 118139, 'the public no': 864835, 'public no matter': 688176, 'no matter the': 564731, 'matter the store': 520633, 'store we deserve': 811171, 'we deserve some': 971278, 'deserve some kind': 238120, 'kind of bonus': 474877, 'of bonus for': 580771, 'bonus for our': 134376, 'anita': 76746, '113': 2644, 'sarscov19': 736829, 'and procurement': 69547, 'procurement anita': 680105, 'anita anand': 76747, 'anand 113': 57278, '113 00': 2645, 'month received': 537977, 'received 20': 703581, 'hour 10': 405341, 'week pandemic': 976722, 'pandemic canada': 635088, 'canada sarscov19': 160553, 'sarscov19 sarscov2': 736830, 'minister of public': 533430, 'public service and': 688299, 'service and procurement': 752105, 'and procurement anita': 69548, 'procurement anita anand': 680106, 'anita anand 113': 76748, 'anand 113 00': 57279, '113 00 of': 2646, '00 of hand': 383, 'sanitizer to be': 735906, 'be delivered this': 114400, 'delivered this month': 233416, 'this month received': 888916, 'month received 20': 537978, 'received 20 00': 703582, '20 00 in': 12858, '00 in last': 265, 'in last 24': 424601, '24 hour 10': 15608, 'hour 10 00': 405342, '00 more this': 348, 'this week pandemic': 891247, 'week pandemic canada': 976723, 'pandemic canada sarscov19': 635089, 'canada sarscov19 sarscov2': 160554, 'should clearly': 765834, 'clearly come': 181500, 'of chaos': 581277, 'chaos true': 173071, 'should clearly come': 765835, 'clearly come out': 181501, 'out to regulate': 627676, 'of basic household': 580573, 'basic household product': 111932, 'household product like': 406912, 'product like salt': 681365, 'state of chaos': 795801, 'of chaos true': 581279, 'chaos true state': 173072, 'consumerimpact': 199691, 'and consumerimpact': 60451, 'consumerimpact in': 199692, 'business and consumerimpact': 143294, 'and consumerimpact in': 60452, 'consumerimpact in europe': 199693, 'bernstein': 127403, 'david bernstein': 226977, 'bernstein grocery': 127404, 'david bernstein grocery': 226978, 'bernstein grocery store': 127405, 'worker and covid': 1006283, 'larne': 480053, 'carrick': 164923, 'ballymena': 109108, 'evening councillor': 284867, 'councillor were': 210049, 'the immense': 857908, 'immense stain': 417191, 'stain local': 793282, 'experiencing due': 291643, 'when making': 983709, 'trip why': 932221, 'not pick': 571025, 'additional item': 31833, 'local foodbank': 497977, 'foodbank detail': 317766, 'of foodbanks': 583828, 'foodbanks in': 317832, 'in larne': 424596, 'larne carrick': 480054, 'carrick and': 164924, 'and ballymena': 58672, 'this evening councillor': 887437, 'evening councillor were': 284868, 'councillor were made': 210050, 'were made aware': 979868, 'of the immense': 591126, 'the immense stain': 857909, 'immense stain local': 417192, 'stain local foodbanks': 793283, 'local foodbanks are': 497982, 'foodbanks are experiencing': 317812, 'are experiencing due': 86340, 'experiencing due to': 291644, '19 when making': 12022, 'when making your': 983711, 'making your regular': 511508, 'your regular shopping': 1025550, 'regular shopping trip': 707868, 'shopping trip why': 764258, 'trip why not': 932222, 'why not pick': 991228, 'not pick up': 571026, 'up some additional': 946026, 'some additional item': 782258, 'additional item to': 31834, 'item to drop': 463746, 'drop off at': 260328, 'the local foodbank': 859549, 'local foodbank detail': 497978, 'foodbank detail of': 317767, 'detail of foodbanks': 239221, 'of foodbanks in': 583829, 'foodbanks in larne': 317833, 'in larne carrick': 424597, 'larne carrick and': 480055, 'carrick and ballymena': 164925, 'under normal': 940176, 'normal circumstance': 567112, 'circumstance competition': 178718, 'competition is': 191702, 'crisis pricing': 217908, 'pricing are': 677922, 'surging for': 828426, 'what approach': 981050, 'approach have': 82947, 'government used': 360766, 'combat this': 187056, 'latest analysis': 481207, 'under normal circumstance': 940177, 'normal circumstance competition': 567113, 'circumstance competition is': 178719, 'competition is needed': 191703, 'is needed in': 449862, 'needed in market': 556403, 'in market to': 425150, 'market to keep': 517237, 'price low but': 675114, 'low but with': 505170, '19 crisis pricing': 6305, 'crisis pricing are': 217909, 'pricing are surging': 677923, 'are surging for': 90678, 'surging for basic': 828427, 'basic thing we': 112088, 'we need what': 972566, 'need what approach': 556197, 'what approach have': 981051, 'approach have government': 82948, 'have government used': 380827, 'government used to': 360767, 'used to combat': 950043, 'to combat this': 903010, 'combat this our': 187058, 'this our latest': 889306, 'our latest analysis': 623651, 'latest analysis here': 481209, 'universe hello': 942390, 'hello kate': 389183, 'we announced': 970431, 'our offering': 624114, 'offering for': 595107, 'universe hello kate': 942391, 'hello kate we': 389184, 'kate we announced': 471024, 'we announced our': 970433, 'announced our offering': 77011, 'our offering for': 624115, 'offering for consumer': 595108, 'make ton': 510665, 'up cooking': 944645, 'cooking is': 202878, 'favorite thing': 300561, 'to make ton': 909757, 'make ton of': 510666, 'stock up cooking': 803069, 'up cooking is': 944646, 'cooking is one': 202880, 'of my favorite': 586765, 'my favorite thing': 548279, 'favorite thing to': 300562, 'subcommittee': 815702, 'week chair': 976078, 'of subcommittee': 590349, 'subcommittee on': 815703, 'policy launched': 663434, 'investigation with': 443894, 'with into': 999028, 'company marketing': 190880, 'marketing test': 517725, 'warned consumer': 966997, 'consumer against': 196115, 'this week chair': 891198, 'week chair of': 976079, 'chair of subcommittee': 171300, 'of subcommittee on': 590350, 'subcommittee on economic': 815704, 'on economic and': 600506, 'economic and consumer': 266977, 'and consumer policy': 60415, 'consumer policy launched': 198383, 'policy launched an': 663435, 'launched an investigation': 481966, 'an investigation with': 56446, 'investigation with into': 443895, 'with into company': 999029, 'into company marketing': 442470, 'company marketing test': 190881, 'marketing test and': 517726, 'test and product': 838917, 'and product that': 69573, 'product that the': 681700, 'that the fda': 846724, 'fda ha warned': 300872, 'ha warned consumer': 372452, 'warned consumer against': 966998, 'worldhealthorganization': 1010255, 'from stock': 337420, 'stock footage': 802159, 'footage via': 318479, 'via pandemic': 956156, 'outbreak documentary': 628172, 'documentary breakingnews': 251225, 'breakingnews news': 139098, 'medium disease': 527075, 'disease worldpandemic': 245279, 'worldpandemic worldhealthorganization': 1010270, 'worldhealthorganization health': 1010256, 'health foodsupply': 386445, 'store do to': 807334, 'do to pandemic': 250394, 'to pandemic from': 911368, 'pandemic from stock': 635473, 'from stock footage': 337421, 'stock footage via': 802160, 'footage via pandemic': 318480, 'via pandemic outbreak': 956157, 'pandemic outbreak documentary': 636131, 'outbreak documentary breakingnews': 628173, 'documentary breakingnews news': 251226, 'breakingnews news medium': 139099, 'news medium disease': 560610, 'medium disease worldpandemic': 527076, 'disease worldpandemic worldhealthorganization': 245280, 'worldpandemic worldhealthorganization health': 1010271, 'worldhealthorganization health foodsupply': 1010257, 'fulfilment': 340455, 'and fulfilment': 63400, 'fulfilment software': 340456, 'helping through': 391519, 'edge and fulfilment': 268495, 'and fulfilment software': 63401, 'fulfilment software to': 340457, 'due to helping': 261804, 'to helping through': 907682, 'helping through this': 391520, 'from manifest': 336327, 'manifest distilling': 513170, 'distilling our': 247855, 'downtown quickly': 257757, 'quickly pivoted': 694569, 'needed sanitizer': 556483, 'from manifest distilling': 336328, 'manifest distilling our': 513171, 'distilling our neighbor': 247856, 'our neighbor in': 624008, 'neighbor in downtown': 557042, 'in downtown quickly': 422380, 'downtown quickly pivoted': 257758, 'quickly pivoted to': 694570, 'pivoted to make': 657121, 'to make much': 909698, 'make much needed': 510211, 'much needed sanitizer': 545167, 'arrogance': 94017, 'frustration on': 339272, 'help arrogance': 389379, 'arrogance is': 94020, 'not take out': 571905, 'take out your': 832465, 'out your frustration': 627911, 'your frustration on': 1023993, 'frustration on supermarket': 339273, 'on supermarket staff': 603809, 'staff they only': 792966, 'they only want': 882830, 'to help arrogance': 907455, 'help arrogance is': 389380, 'arrogance is not': 94021, 'excuse we re': 289794, 'together stay safe': 920951, 'rule since': 727343, 'every supermarket ha': 286254, 'supermarket ha introduced': 820633, 'introduced new rule': 443441, 'new rule since': 559528, 'rule since the': 727344, 'uk lockdown here': 938519, 'lockdown here what': 499468, 'kesa': 473161, 'maglalalabas': 508409, 'gamit': 343368, 'utak': 951208, 'hk': 398621, 'minimized': 533144, 'not kesa': 570277, 'kesa naman': 473162, 'naman maglalalabas': 551589, 'maglalalabas gamit': 508410, 'gamit naman': 343369, 'naman ng': 551591, 'ng utak': 561805, 'utak require': 951209, 'require rider': 713328, 'rider to': 721492, 'wear ppe': 974444, 'possible no': 665721, 'no cod': 563837, 'cod or': 185317, 'distancing sa': 247451, 'sa italy': 728902, 'italy china': 462783, 'china hk': 176714, 'hk korea': 398624, 'korea singapore': 477502, 'singapore japan': 771131, 'japan open': 464752, 'open ang': 612087, 'ang online': 76292, 'it minimized': 459630, 'minimized an': 533145, 'why not kesa': 991221, 'not kesa naman': 570278, 'kesa naman maglalalabas': 473163, 'naman maglalalabas gamit': 551590, 'maglalalabas gamit naman': 508411, 'gamit naman ng': 343370, 'naman ng utak': 551592, 'ng utak require': 561806, 'utak require rider': 951210, 'require rider to': 713329, 'rider to wear': 721493, 'to wear ppe': 918440, 'wear ppe and': 974445, 'ppe and if': 667900, 'and if possible': 64946, 'if possible no': 414669, 'possible no cod': 665722, 'no cod or': 563838, 'cod or social': 185318, 'social distancing sa': 779705, 'distancing sa italy': 247452, 'sa italy china': 728903, 'italy china hk': 462785, 'china hk korea': 176715, 'hk korea singapore': 398625, 'korea singapore japan': 477504, 'singapore japan open': 771132, 'japan open ang': 464753, 'open ang online': 612088, 'ang online shopping': 76293, 'shopping and it': 761996, 'and it minimized': 65554, 'it minimized an': 459631, 'minimized an otherwise': 533146, 'annd': 76791, 'husband sister': 411759, 'sister got': 771744, 'her post': 392308, 'post were': 666400, 'were fake': 979612, 'fake about': 296564, 'lol she': 500949, 'she put': 756275, 'wa gonna': 962230, 'gonna shut': 356617, 'supply annd': 824767, 'annd she': 76792, 'ha certain': 370110, 'certain ph': 170075, 'more alkaline': 538590, 'alkaline food': 41874, 'my husband sister': 548793, 'husband sister got': 411760, 'sister got mad': 771745, 'got mad at': 358685, 'me for telling': 522762, 'for telling her': 326188, 'telling her that': 837202, 'her that her': 392430, 'that her post': 844320, 'her post were': 392309, 'post were fake': 666401, 'were fake about': 979613, 'fake about covid': 296565, '19 lol she': 8462, 'lol she put': 500950, 'she put that': 756277, 'put that the': 690850, 'government wa gonna': 360775, 'wa gonna shut': 962234, 'gonna shut down': 356618, 'shut down every': 767822, 'down every store': 256736, 'every store and': 286217, 'and to stock': 74200, 'up on two': 945638, 'on two week': 604937, 'week of supply': 976641, 'of supply annd': 590470, 'supply annd she': 824768, 'annd she put': 76793, 'put that it': 690846, 'it ha certain': 458384, 'ha certain ph': 370111, 'certain ph level': 170076, 'ph level so': 653977, 'level so to': 487714, 'so to eat': 778534, 'to eat more': 904892, 'eat more alkaline': 265982, 'more alkaline food': 538591, 'salisbury': 732721, 'councilor': 210057, 'savry': 738017, 'ouk': 621948, 'shocking attack': 759592, 'on salisbury': 603278, 'salisbury councilor': 732724, 'councilor ha': 210058, 'exposed rise': 292866, 'related racism': 708531, 'racism across': 695270, 'state savry': 795917, 'savry ouk': 738018, 'ouk mother': 621949, 'child wa': 176251, 'wa shouted': 963215, 'and spat': 72051, 'at while': 101548, 'shopping 7news': 761873, 'shocking attack on': 759593, 'attack on salisbury': 102136, 'on salisbury councilor': 603280, 'salisbury councilor ha': 732725, 'councilor ha exposed': 210059, 'ha exposed rise': 370569, 'exposed rise in': 292867, '19 related racism': 10065, 'related racism across': 708532, 'racism across the': 695271, 'the state savry': 867807, 'state savry ouk': 795918, 'savry ouk mother': 738019, 'ouk mother of': 621950, 'two child wa': 936833, 'child wa shouted': 176253, 'wa shouted at': 963216, 'shouted at and': 766781, 'at and spat': 98010, 'and spat at': 72052, 'spat at while': 787635, 'at while shopping': 101549, 'while shopping 7news': 987261, 'when see someone': 983978, 'see someone cough': 745728, 'someone cough at': 784417, 'corona diet': 203919, 'diet corona': 241717, 'the corona diet': 851768, 'corona diet corona': 203920, 'diet corona 19': 241718, 'vlns': 959863, 'raise that': 695951, 'that tanking': 846623, 'tanking sp': 834259, 'sp vlns': 787020, 'course they are': 211945, 'they are anything': 881203, 'anything to help': 80915, 'help raise that': 390403, 'raise that tanking': 695952, 'that tanking sp': 846624, 'tanking sp vlns': 834260, 'resource under': 714917, 'under business': 940024, 'service include': 752485, 'include oklahoma': 431602, 'oklahoma business': 598062, 'business information': 143923, 'oklahoma workforce': 598085, 'job resource': 466130, 'from remote': 337077, 'remote notary': 710718, 'notary service': 572669, 'resource under business': 714918, 'under business service': 940025, 'business service include': 144362, 'service include oklahoma': 752486, 'include oklahoma business': 431603, 'oklahoma business resource': 598063, 'business resource and': 144317, 'resource and covid': 714700, '19 essential business': 6836, 'essential business information': 280852, 'business information from': 143924, 'information from oklahoma': 437843, 'from oklahoma workforce': 336656, 'oklahoma workforce and': 598086, 'workforce and job': 1008340, 'and job resource': 65665, 'job resource from': 466131, 'resource from consumer': 714795, 'from consumer protection': 334968, 'protection from remote': 685460, 'from remote notary': 337078, 'remote notary service': 710719, 'notary service from': 572670, 'service from so': 752411, 'avoiding fear': 105453, 'and separation': 71278, 'avoiding fear during': 105454, 'fear during covid': 301105, '19 isolation and': 8105, 'isolation and separation': 455200, 'social implication': 779801, 'seemingly healthy': 746736, 'healthy people': 387722, 'ppe at': 667912, 'today found': 919547, 'myself suspicious': 550941, 'suspicious of': 829720, 'these precaution': 880512, 'precaution possibly': 669344, 'possibly asymptomatic': 665893, 'asymptomatic positive': 97323, 'positive individual': 665357, 'individual socialdistancing': 435256, 'are the social': 90910, 'the social implication': 867414, 'social implication of': 779802, 'implication of seemingly': 418564, 'of seemingly healthy': 589458, 'seemingly healthy people': 746737, 'healthy people being': 387724, 'people being encouraged': 647265, 'wear ppe at': 974446, 'ppe at the': 667917, 'store today found': 810842, 'today found myself': 919549, 'found myself suspicious': 330299, 'myself suspicious of': 550942, 'suspicious of others': 829721, 'of others who': 587415, 'others who were': 621794, 'who were not': 989962, 'were not taking': 979924, 'not taking these': 571933, 'taking these precaution': 833609, 'these precaution possibly': 880513, 'precaution possibly asymptomatic': 669345, 'possibly asymptomatic positive': 665894, 'asymptomatic positive individual': 97324, 'positive individual socialdistancing': 665358, 'irreponsible': 445020, 'sprighlty': 791148, 'tesco irreponsible': 838726, 'irreponsible greedy': 445021, 'greedy just': 363540, 'saw sprighlty': 738252, 'sprighlty young': 791149, 'young neighbour': 1022625, 'neighbour getting': 557208, 'getting delivery': 348928, 'five crate': 309596, 'crate of': 215138, 'supermarket chinavirus': 819691, 'chinavirus wuhanvirus': 177177, 'wuhanvirus uk': 1013586, 'tesco irreponsible greedy': 838727, 'irreponsible greedy just': 445022, 'greedy just saw': 363541, 'just saw sprighlty': 469691, 'saw sprighlty young': 738253, 'sprighlty young neighbour': 791150, 'young neighbour getting': 1022626, 'neighbour getting delivery': 557209, 'getting delivery of': 348929, 'delivery of five': 234223, 'of five crate': 583570, 'five crate of': 309597, 'crate of food': 215141, 'food so why': 316672, 'is this not': 453106, 'this not hoarding': 889174, 'not hoarding supermarket': 569997, 'hoarding supermarket chinavirus': 399561, 'supermarket chinavirus wuhanvirus': 819692, 'chinavirus wuhanvirus uk': 177178, 'inefficiency': 436299, 'really highlighting': 702293, 'fragility and': 330909, 'and inefficiency': 65188, 'inefficiency of': 436300, 'are regularly': 89541, 'regularly stocking': 707956, 'stocking even': 803553, 'if customer': 414022, 'chill online': 176367, 'online merchant': 608540, 'thing is really': 884480, 'is really highlighting': 451304, 'really highlighting the': 702294, 'highlighting the fragility': 396022, 'the fragility and': 855756, 'fragility and inefficiency': 330910, 'and inefficiency of': 65189, 'inefficiency of the': 436301, 'of the individual': 591139, 'the individual consumer': 858143, 'individual consumer based': 435165, 'consumer based supply': 196410, 'chain store are': 171131, 'store are regularly': 806512, 'are regularly stocking': 89542, 'regularly stocking even': 707957, 'stocking even if': 803554, 'even if customer': 284201, 'if customer have': 414023, 'no chill online': 563800, 'chill online merchant': 176368, 'online merchant are': 608541, 'merchant are struggling': 529000, 'same it': 733131, 'collector the': 186590, 'picker the': 655842, 'the same it': 866247, 'same it show': 733132, 'it show why': 461041, 'show why none': 767282, 'function without the': 341285, 'without the garbage': 1002968, 'the garbage collector': 856150, 'garbage collector the': 343527, 'collector the farmer': 186591, 'farmer the fruit': 299522, 'the fruit picker': 855910, 'fruit picker the': 339125, 'picker the grocery': 655843, 'are they paid': 91014, 'they paid le': 882865, 'imrankhan': 419647, 'meanwhile oil': 525013, 'deal which': 229524, 'may significantly': 521503, 'significantly effect': 769571, 'effect oil': 269074, 'more pressure': 540129, 'on developing': 600302, 'country opec': 210941, 'opec imrankhan': 611901, 'meanwhile oil producer': 525014, 'producer cut deal': 680602, 'cut deal which': 223297, 'deal which may': 229525, 'which may significantly': 986142, 'may significantly effect': 521504, 'significantly effect oil': 769572, 'effect oil price': 269075, 'price may result': 675200, 'result in more': 717539, 'in more pressure': 425442, 'more pressure on': 540130, 'pressure on developing': 671209, 'on developing country': 600303, 'developing country opec': 239773, 'country opec imrankhan': 210942, 'deserve your': 238144, 'your attitude': 1022872, 'attitude when': 102598, 'having stock': 384285, 'stock sanitizers': 802809, 'sanitizers toilet': 736430, 'etc covid': 282484, 'under stress': 940271, 'stress get': 813328, 'but screaming': 146982, 'at cashier': 98204, 'having sanitizer': 384258, 'retail worker don': 718880, 'don deserve your': 253458, 'deserve your attitude': 238145, 'your attitude when': 1022873, 'attitude when it': 102599, 'come to not': 187584, 'to not having': 910695, 'not having stock': 569904, 'having stock sanitizers': 384286, 'stock sanitizers toilet': 802810, 'sanitizers toilet paper': 736431, 'paper etc covid': 640136, 'etc covid 19': 282485, 'of people under': 588012, 'people under stress': 650045, 'under stress get': 940272, 'stress get that': 813329, 'get that but': 348206, 'that but screaming': 843064, 'but screaming at': 146983, 'screaming at cashier': 742658, 'at cashier for': 98206, 'cashier for the': 166526, 'not having sanitizer': 569903, 'pastorosagieizeiyamu': 643892, 'need 5k': 554354, '5k or': 20713, 'or 10k': 614173, '10k to': 2336, 'stock my': 802485, 'remaining day': 709961, 'lockdown pastorosagieizeiyamu': 499775, 'need 5k or': 554355, '5k or 10k': 20714, 'or 10k to': 614174, '10k to buy': 2337, 'buy food stock': 148674, 'food stock and': 316777, 'stock and stock': 801832, 'and stock my': 72409, 'stock my house': 802486, 'for the remaining': 326649, 'the remaining day': 865494, 'remaining day of': 709962, '19 lockdown pastorosagieizeiyamu': 8414, 'idiot online': 413562, 'look fly': 502345, 'fly fuck': 311614, 'fuck for': 339565, 'see while': 746063, 'an idiot online': 56149, 'idiot online shopping': 413563, 'shopping so can': 763923, 'so can look': 776713, 'can look fly': 158904, 'look fly fuck': 502346, 'fly fuck for': 311615, 'fuck for no': 339566, 'for no one': 323889, 'one to see': 607283, 'to see while': 914098, 'see while in': 746064, 'while in quarantine': 986951, 'en route': 275398, 'first shopping': 309005, 'trip of': 932118, 'even remembered': 284524, 'remembered bag': 710444, 'bag just': 108330, 'en route to': 275399, 'the first shopping': 855346, 'first shopping trip': 309006, 'shopping trip of': 764253, 'trip of the': 932119, 'we ve even': 973660, 've even remembered': 953089, 'even remembered bag': 284525, 'remembered bag just': 710445, 'bag just in': 108331, 'colchester': 185726, 'woman asthma': 1003415, 'asthma went': 97211, 'in colchester': 421536, 'colchester today': 185727, 'purchase loo': 689541, 'roll egg': 725286, 'egg fruit': 269870, 'only fruit': 610490, 'fruit shelf': 339143, 'empty are': 274786, 'any distribution': 79129, 'distribution service': 248208, 'service out': 752676, 'old woman asthma': 598548, 'woman asthma went': 1003416, 'asthma went to': 97212, 'supermarket in colchester': 820881, 'in colchester today': 421537, 'colchester today to': 185728, 'today to purchase': 920364, 'to purchase loo': 912541, 'purchase loo roll': 689542, 'loo roll egg': 502177, 'roll egg fruit': 725287, 'egg fruit vegetable': 269871, 'vegetable and returned': 953929, 'returned home with': 719971, 'home with only': 402534, 'with only fruit': 999912, 'only fruit shelf': 610491, 'fruit shelf empty': 339144, 'shelf empty are': 757013, 'empty are there': 274787, 'there any distribution': 878017, 'any distribution service': 79130, 'distribution service out': 248209, 'service out there': 752677, 'there for elderly': 878404, 'for elderly for': 320992, 'elderly for essential': 270682, 'margarine': 515594, 'fruit no': 339115, 'no tomato': 565769, 'sauce no': 737155, 'no cleaner': 563816, 'cleaner no': 180805, 'disinfectant no': 245713, 'no cereal': 563777, 'cereal no': 169932, 'no coffee': 563842, 'coffee no': 185518, 'no margarine': 564698, 'margarine and': 515595, 'no diet': 564011, 'diet coke': 241715, 'coke this': 185708, 'store today there': 810870, 'paper no fruit': 640495, 'no fruit no': 564316, 'fruit no meat': 339116, 'pasta no tomato': 643760, 'no tomato sauce': 565770, 'tomato sauce no': 923966, 'sauce no cleaner': 737156, 'no cleaner no': 563817, 'cleaner no disinfectant': 180806, 'no disinfectant no': 564023, 'disinfectant no cereal': 245714, 'no cereal no': 563778, 'cereal no coffee': 169933, 'no coffee no': 563843, 'coffee no margarine': 185519, 'no margarine and': 564699, 'margarine and no': 515596, 'and no diet': 67609, 'no diet coke': 564012, 'diet coke this': 241716, 'coke this is': 185709, 'this is trying': 888440, 'love article': 504605, 'article like': 94380, 'these keep': 880207, 'keep reporting': 471850, 'on positivity': 602853, 'positivity and': 665508, 'and fact': 62606, 'fact only': 295763, 'only together': 611373, 'mongering panicbuying': 537228, 'love article like': 504606, 'article like these': 94381, 'like these keep': 491434, 'these keep reporting': 880208, 'keep reporting on': 471851, 'reporting on positivity': 712730, 'on positivity and': 602854, 'positivity and fact': 665509, 'and fact only': 62607, 'fact only together': 295764, 'only together we': 611374, 'can stop all': 159815, 'stop all the': 804441, 'all the fear': 44746, 'the fear mongering': 855036, 'fear mongering panicbuying': 301201, 'thanked woman': 841896, 'woman working': 1003707, 'she regularly': 756289, 'regularly being': 707907, 'being shouted': 125780, 'customer amp': 222061, 'colleague said': 186232, 'become emotionally': 119980, 'emotionally draining': 273321, 'draining they': 258232, 'both said': 136036, 'they cry': 881859, 'thanked woman working': 841897, 'woman working in': 1003709, 'today she told': 920168, 'me she regularly': 523446, 'she regularly being': 756290, 'regularly being shouted': 707908, 'being shouted at': 125781, 'at by customer': 98179, 'by customer amp': 152277, 'customer amp her': 222062, 'amp her colleague': 53933, 'her colleague said': 391950, 'colleague said the': 186233, 'said the job': 731434, 'the job had': 858659, 'job had become': 465848, 'had become emotionally': 372880, 'become emotionally draining': 119981, 'emotionally draining they': 273322, 'draining they both': 258233, 'they both said': 881572, 'both said they': 136037, 'said they cry': 731474, 'they cry when': 881860, 'cry when they': 219929, 'they go home': 882202, 'go home 19': 353657, 'springboardfutures': 791259, 'springboardfutures to': 791260, 'launch industry': 481916, 'industry webinar': 436224, 'series retail': 751295, 'trend housewares': 931351, 'springboardfutures to launch': 791261, 'to launch industry': 909101, 'launch industry webinar': 481917, 'industry webinar series': 436225, 'webinar series retail': 975098, 'series retail consumer': 751296, 'consumer trend housewares': 199377, 'trend housewares homeworld': 931352, 'bagp': 108539, 'location until': 498981, 'notice our': 573335, 'our immediate': 623505, 'immediate thought': 417036, 'social channel': 779459, 'channel will': 172950, 'with love': 999321, 'love hope': 504688, 'hope bagp': 403424, 'the global health': 856306, 'health pandemic we': 386735, 'closed at our': 183008, 'at our retail': 100031, 'retail location until': 718290, 'location until further': 498982, 'further notice our': 342112, 'notice our immediate': 573336, 'our immediate thought': 623506, 'immediate thought are': 417037, 'with those affected': 1001746, 'those affected in': 891780, 'affected in this': 34377, 'trying time our': 934754, 'time our online': 897433, 'open and social': 612078, 'and social channel': 71881, 'social channel will': 779460, 'channel will still': 172951, 'still be active': 800243, 'be active with': 113480, 'active with love': 30295, 'with love hope': 999324, 'love hope bagp': 504689, 'their story': 874873, 'breaking news new': 139008, 'news new supermarket': 560630, 'new supermarket worker': 559698, 'supermarket worker share': 824081, 'worker share their': 1007759, 'share their story': 755268, 'heri assures': 393887, 'assures you': 97154, 'you safetyfirst': 1020973, 'heri online is': 393893, 'online is with': 608440, 'believe in socialdistancing': 126292, 'in socialdistancing to': 428050, 'socialdistancing to avoid': 780817, 'contact heri assures': 200094, 'heri assures you': 393888, 'assures you that': 97155, 'will deliver it': 993146, 'to you safetyfirst': 918917, 'today hamilton': 919604, 'hamilton reflects': 374562, 'supermarket alcohol': 818858, 'alcohol aisle': 40895, 'alcohol might': 41045, 'today hamilton reflects': 919605, 'hamilton reflects on': 374563, 'the supermarket alcohol': 868451, 'supermarket alcohol aisle': 818859, 'alcohol aisle and': 40896, 'aisle and wonder': 40201, 'and wonder how': 75822, 'wonder how our': 1003956, 'how our relationship': 408464, 'relationship with alcohol': 708711, 'with alcohol might': 997136, 'alcohol might change': 41046, 'might change during': 530945, 'change during the': 172029, 'global village': 352280, 'village online': 957362, 'global village online': 352281, 'village online shopping': 957363, 'baristas': 111103, 'conronavirus': 194772, '24in48': 15770, 'stop sending': 804996, 'sending non': 750059, 'let supermarket': 487092, 'supermarket baristas': 819305, 'baristas stay': 111106, 'we represent': 973088, 'represent they': 712880, 'all starbucks': 44421, 'starbucks without': 794113, 'without drive': 1002601, 'thru more': 895209, 'coronacrisis conronavirus': 204557, 'conronavirus 24in48': 194773, 'stop sending non': 804998, 'sending non essential': 750060, 'essential people to': 281380, 'to work let': 918749, 'work let supermarket': 1005430, 'let supermarket baristas': 487093, 'supermarket baristas stay': 819306, 'baristas stay home': 111107, 'stay home especially': 796959, 'home especially if': 401157, 'especially if we': 280511, 'if we represent': 415305, 'we represent they': 973089, 'represent they have': 712881, 'they have closed': 882301, 'closed all starbucks': 182969, 'all starbucks without': 44422, 'starbucks without drive': 794114, 'without drive thru': 1002602, 'drive thru more': 259201, 'thru more people': 895210, 'will die let': 993184, 'die let stay': 241390, 'let stay at': 487076, 'home coronacrisis conronavirus': 400938, 'coronacrisis conronavirus 24in48': 204558, 'grasp': 362206, 'selfies': 747968, 'cannot grasp': 161934, 'grasp stay': 362207, 'home stupid': 402169, 'stupid teenage': 815472, 'girl taking': 350283, 'taking selfies': 833552, 'selfies in': 747969, 'park family': 641906, 'family trip': 298338, 'should give': 766041, 'army police': 93032, 'police shoot': 663199, 'shoot to': 759748, 'kill authority': 474346, 'these knob': 880220, 'knob head': 476142, 'see people still': 745570, 'people still cannot': 649587, 'still cannot grasp': 800340, 'cannot grasp stay': 161935, 'grasp stay at': 362208, 'at home stupid': 99127, 'home stupid teenage': 402170, 'stupid teenage girl': 815473, 'teenage girl taking': 836526, 'girl taking selfies': 350284, 'taking selfies in': 833553, 'selfies in supermarket': 747971, 'car park family': 163219, 'park family trip': 641907, 'family trip to': 298339, 'to supermarket should': 915836, 'supermarket should give': 822679, 'should give the': 766043, 'give the army': 350731, 'the army police': 848908, 'army police shoot': 93033, 'police shoot to': 663200, 'shoot to kill': 759749, 'to kill authority': 908919, 'kill authority to': 474347, 'authority to help': 103801, 'with these knob': 1001643, 'these knob head': 880221, 'ranching': 696560, 'all beef': 42158, 'consumption occurring': 199910, 'occurring outside': 579070, 'restaurant may': 716566, 'affect beef': 34130, 'beef demand': 120501, 'demand restaurant': 236136, 'restaurantmanagement beef': 716835, 'beef meat': 120526, 'usda ranching': 948964, 'of all beef': 579923, 'all beef consumption': 42159, 'beef consumption occurring': 120500, 'consumption occurring outside': 199911, 'occurring outside the': 579071, 'affect restaurant may': 34218, 'restaurant may affect': 716567, 'may affect beef': 520892, 'affect beef demand': 34131, 'beef demand restaurant': 120502, 'demand restaurant restaurantmanagement': 236137, 'restaurant restaurantmanagement beef': 716666, 'restaurantmanagement beef meat': 716836, 'beef meat food': 120527, 'food usda ranching': 317412, 'wotw': 1011484, 'livesafety': 496252, 'the wotw': 872083, 'wotw is': 1011485, 'is shelter': 451842, 'all shelter': 44310, '19 sheltering': 10451, 'place mean': 657570, 'mean limiting': 524525, 'limiting travel': 492887, 'receive medical': 703510, 'attention livesafety': 102456, 'the wotw is': 872084, 'wotw is shelter': 1011486, 'is shelter in': 451843, 'place when we': 657831, 'we all shelter': 970359, 'all shelter in': 44311, 'in place we': 426773, 'place we help': 657815, 'we help to': 972014, 'covid 19 sheltering': 213781, '19 sheltering in': 10452, 'in place mean': 426747, 'place mean limiting': 657571, 'mean limiting travel': 524526, 'limiting travel to': 492888, 'travel to only': 930538, 'to only essential': 910968, 'only essential place': 610397, 'essential place such': 281396, 'place such the': 657701, 'store bank or': 806642, 'bank or to': 110081, 'or to receive': 617476, 'to receive medical': 912923, 'receive medical attention': 703511, 'medical attention livesafety': 526060, 'updated it': 947393, 'it procedure': 460495, 'procedure for': 679809, 'for picking': 324544, 'up chick': 944596, 'chick and': 175712, 'merchandise order': 528978, 'order read': 618532, 'retail store ha': 718640, 'store ha updated': 808029, 'ha updated it': 372409, 'updated it procedure': 947394, 'it procedure for': 460496, 'procedure for picking': 679810, 'for picking up': 324545, 'picking up chick': 655875, 'up chick and': 944597, 'chick and merchandise': 175713, 'and merchandise order': 66956, 'merchandise order read': 528979, 'order read more': 618533, 'more via the': 540903, 'via the link': 956305, 'spain the': 787350, 'five day': 309601, 'hoarding coronacrisis': 399255, 'coronacrisisuk yomequedoencasa': 204921, 'live in spain': 495886, 'in spain the': 428183, 'spain the lockdown': 787351, 'been in place': 121358, 'place for five': 657440, 'for five day': 321512, 'five day here': 309602, 'day here and': 227751, 'here and guess': 392706, 'guess what supermarket': 368087, 'what supermarket shelf': 982269, 'shelf are pretty': 756819, 'fully stocked there': 341105, 'stocked there no': 803423, 'for this ridiculous': 327060, 'buying hoarding coronacrisis': 150490, 'hoarding coronacrisis coronacrisisuk': 399256, 'coronacrisis coronacrisisuk yomequedoencasa': 204571, 'brant': 138182, 'elmira': 271583, 'new tonight': 559766, '11 30': 2453, '30 assault': 16972, 'charge laid': 173273, 'laid over': 479041, 'incident in': 431413, 'in brant': 420950, 'brant county': 138183, 'county that': 211502, 'say relates': 739094, 'rule also': 727180, 'death reported': 230180, 'in six': 427992, 'six nation': 772676, 'grand river': 361874, 'river and': 724176, 'and serious': 71285, 'serious crash': 751361, 'crash tonight': 215049, 'tonight near': 924452, 'near elmira': 553488, 'new tonight on': 559767, 'tonight on news': 924465, 'news at 11': 560253, 'at 11 30': 97437, '11 30 assault': 2454, '30 assault charge': 16973, 'assault charge laid': 96315, 'charge laid over': 173274, 'laid over grocery': 479042, 'over grocery store': 630263, 'store incident in': 808415, 'incident in brant': 431414, 'in brant county': 420951, 'brant county that': 138184, 'county that police': 211504, 'that police say': 845781, 'police say relates': 663191, 'say relates to': 739095, 'relates to physical': 708646, 'to physical distancing': 911715, 'distancing rule also': 247436, 'rule also the': 727181, 'also the first': 48971, '19 death reported': 6451, 'death reported in': 230181, 'reported in six': 712492, 'in six nation': 427993, 'six nation of': 772677, 'of the grand': 591075, 'the grand river': 856698, 'grand river and': 361875, 'river and serious': 724177, 'and serious crash': 71286, 'serious crash tonight': 751362, 'crash tonight near': 215050, 'tonight near elmira': 924453, 'another proof': 77775, 'existence of': 290271, 'of asymptomatic': 580413, 'disinfectant asymptomatic': 245618, 'asymptomatic flu': 97309, 'flu up': 311485, 'not show': 571567, 'show any': 766867, 'symptom making': 830865, 'and here is': 64530, 'here is yet': 393262, 'is yet another': 454119, 'yet another proof': 1015997, 'another proof of': 77776, 'proof of the': 684006, 'of the existence': 591002, 'the existence of': 854691, 'existence of asymptomatic': 290272, 'of asymptomatic carrier': 580414, 'asymptomatic carrier of': 97298, 'carrier of covid': 165002, 'covid 19 facemask': 213067, '19 facemask sanitizer': 6921, 'facemask sanitizer disinfectant': 295099, 'sanitizer disinfectant asymptomatic': 734750, 'disinfectant asymptomatic flu': 245619, 'asymptomatic flu up': 97310, 'flu up to': 311486, '70 of those': 21809, 'of those infected': 592095, 'those infected may': 892115, 'infected may not': 436594, 'may not show': 521390, 'not show any': 571568, 'show any symptom': 766869, 'any symptom making': 79938, 'symptom making it': 830867, 'difficult to fight': 242333, 'fun while': 341244, 'at near': 99855, 'store pretend': 809640, 'pretend you': 671325, 'is cross': 446952, 'and chopped': 59877, 'chopped firstdayofspring': 177968, 'socialdistanacing flattenthecurve': 780062, 'have fun while': 380744, 'fun while at': 341245, 'while at near': 986626, 'at near empty': 99856, 'near empty grocery': 553491, 'grocery store pretend': 365677, 'store pretend you': 809641, 'pretend you are': 671326, 'you are on': 1017185, 'are on new': 88727, 'on new show': 602383, 'new show that': 559600, 'show that is': 767187, 'that is cross': 844572, 'is cross between': 446953, 'cross between supermarket': 218988, 'between supermarket sweep': 128912, 'supermarket sweep and': 823081, 'sweep and chopped': 830100, 'and chopped firstdayofspring': 59878, 'chopped firstdayofspring socialdistanacing': 177969, 'firstdayofspring socialdistanacing flattenthecurve': 309201, 'gimme': 350156, 'cannedfood': 161567, 'cosplay': 207801, 'gimme all': 350157, 'food cannedfood': 313875, 'cannedfood costco': 161568, 'humor socialmedia': 410914, 'socialmedia cosplay': 781082, 'cosplay corona': 207802, 'corona sick': 204174, 'gimme all you': 350158, 'all you got': 45541, 'you got toiletpaper': 1018908, 'got toiletpaper food': 358977, 'toiletpaper food cannedfood': 921993, 'food cannedfood costco': 313876, 'cannedfood costco disasterpreparedness': 161569, 'comedy humor socialmedia': 187754, 'humor socialmedia cosplay': 410915, 'socialmedia cosplay corona': 781083, 'cosplay corona sick': 207803, 'the pricing': 864448, 'pricing of': 677948, 'like cleaning': 490015, 'cleaning household': 180966, 'household and': 406731, 'supply contact': 825102, 'official visit': 595961, 'for complete': 320214, 'complete list': 192108, 'about the pricing': 26488, 'the pricing of': 864449, 'pricing of in': 677950, 'product in your': 681301, 'your area like': 1022821, 'area like cleaning': 92095, 'like cleaning household': 490016, 'cleaning household and': 180967, 'household and health': 406732, 'health and medical': 386147, 'medical supply contact': 526434, 'supply contact your': 825103, 'your state consumer': 1025930, 'protection official visit': 685546, 'official visit for': 595962, 'visit for complete': 959249, 'for complete list': 320216, 'complete list of': 192109, 'list of state': 494475, 'don plan': 253828, 'many emptying': 514034, 'appalling have': 81839, 'house in while': 406363, 'in while to': 430882, 'while to go': 987468, 'to supermarket but': 915778, 'supermarket but don': 819444, 'but don plan': 145596, 'don plan to': 253829, 'go back anytime': 353341, 'of many emptying': 586177, 'many emptying the': 514035, 'is appalling have': 445779, 'appalling have never': 81840, 'lovillea': 505043, 'and lovillea': 66432, 'lovillea at': 505044, 'can fight it': 158298, 'fight it get': 304786, 'it get hand': 458218, 'get hand sanitizers': 347186, 'sanitizers and lovillea': 736201, 'and lovillea at': 66433, 'lovillea at affordable': 505045, 'march via': 515512, 'in march via': 425126, '675': 21478, 'tig': 895793, 'welder': 977933, 'do give': 249332, 'you thousand': 1021723, 'dollar for': 252987, 'relief they': 709470, 'add it': 31439, 'your federal': 1023843, 'federal income': 302017, 'bill plus': 130658, 'plus that': 661688, 'new cheap': 558482, 'cheap 675': 174071, '675 tig': 21481, 'tig welder': 895794, 'welder on': 977934, 'want will': 966172, 'cost 99': 207842, '99 along': 23770, 'else tire': 271933, 'tire be': 899009, 'be list': 115767, 'they do give': 881961, 'do give you': 249333, 'give you thousand': 350872, 'you thousand dollar': 1021724, 'thousand dollar for': 893391, 'dollar for relief': 252988, 'for relief they': 325096, 'relief they will': 709471, 'they will add': 883825, 'will add it': 992197, 'add it to': 31440, 'to your federal': 918980, 'your federal income': 1023844, 'federal income tax': 302018, 'income tax bill': 432469, 'tax bill plus': 834939, 'bill plus that': 130659, 'plus that new': 661690, 'that new cheap': 845327, 'new cheap 675': 558483, 'cheap 675 tig': 174072, '675 tig welder': 21482, 'tig welder on': 895795, 'welder on amazon': 977935, 'amazon you want': 51217, 'you want will': 1022164, 'want will cost': 966173, 'will cost 99': 993044, 'cost 99 along': 207843, '99 along with': 23771, 'along with price': 47075, 'with price increase': 1000309, 'increase for just': 432780, 'for just about': 322788, 'just about everything': 468132, 'about everything else': 25202, 'everything else tire': 287777, 'else tire be': 271934, 'tire be list': 899010, 'be list price': 115768, 'find beef': 306832, 'course medicine': 211896, 'medicine even': 526771, 'very wasteful': 955656, 'wasteful and': 968280, 'three time went': 894082, 'time went to': 898262, 'store and could': 806221, 'not find beef': 569420, 'find beef egg': 306833, 'of course medicine': 582062, 'course medicine even': 211897, 'medicine even in': 526772, 'is very wasteful': 453704, 'very wasteful and': 955657, 'wasteful and can': 968281, 'bad for elderly': 107861, 'for elderly or': 320995, 'or disabled people': 614979, 'who cannot go': 988423, 'liquidating': 494112, 'guitar': 368599, 'hanger': 376953, 'boonie': 134917, 'are liquidating': 87830, 'liquidating everything': 494113, 'amazon at': 50872, 'have guitar': 380856, 'guitar hanger': 368602, 'hanger morale': 376954, 'morale patch': 538424, 'for uniform': 327444, 'uniform boonie': 941762, 'boonie hat': 134918, 'hat and': 378841, 'and pond': 69182, 'pond net': 663965, 'time of we': 897375, 'we are liquidating': 970612, 'are liquidating everything': 87831, 'liquidating everything we': 494114, 'everything we have': 288091, 'we have at': 971759, 'have at amazon': 379375, 'at amazon at': 97947, 'amazon at low': 50873, 'price we have': 677403, 'we have guitar': 971829, 'have guitar hanger': 380857, 'guitar hanger morale': 368603, 'hanger morale patch': 376955, 'morale patch for': 538425, 'patch for uniform': 643937, 'for uniform boonie': 327445, 'uniform boonie hat': 941763, 'boonie hat and': 134919, 'hat and pond': 378842, 'and pond net': 69183, 'medium article': 527005, 'article need': 94392, 'use dynamic': 949179, 'dynamic update': 263915, 'number the': 577065, 'do stock': 250177, 'medium article need': 527006, 'article need to': 94393, 'to use dynamic': 918024, 'use dynamic update': 949180, 'dynamic update on': 263916, 'update on number': 947125, 'on number the': 602457, 'number the way': 577066, 'they do stock': 881973, 'do stock price': 250179, 'american but': 51848, 'trump sided': 933846, 'sided with': 768923, 'with opec': 999921, 'opec over': 611934, 'higher oil and': 395636, 'bad for american': 107860, 'for american but': 319242, 'american but they': 51850, 're good for': 698767, 'good for russia': 357087, 'arabia trump sided': 83955, 'trump sided with': 933847, 'sided with opec': 768924, 'with opec over': 999923, 'opec over america': 611935, 'over america resist': 629970, 'vulnerablepopulations': 961277, '4all': 19429, '2019 usda': 14038, 'usda launched': 948961, 'launched program': 482031, 'program allowing': 683198, 'allowing snap': 46331, 'online thru': 609571, 'thru amazon': 895164, 'walmart today': 965445, 'only state': 611191, 'state allow': 795343, 'it empower': 457810, 'empower vulnerablepopulations': 274657, 'vulnerablepopulations to': 961278, 'minimize unnecessary': 533138, 'unnecessary exposure': 942907, 'exposure by': 292964, 'online equity': 608171, 'equity curbsidepickup': 279931, 'curbsidepickup 4all': 220686, 'in 2019 usda': 419811, '2019 usda launched': 14039, 'usda launched program': 948962, 'launched program allowing': 482032, 'program allowing snap': 683199, 'allowing snap recipient': 46332, 'recipient to order': 704540, 'grocery online thru': 364788, 'online thru amazon': 609572, 'thru amazon walmart': 895165, 'amazon walmart today': 51183, 'walmart today only': 965446, 'today only state': 919989, 'only state allow': 611192, 'state allow it': 795344, 'allow it empower': 45989, 'it empower vulnerablepopulations': 457811, 'empower vulnerablepopulations to': 274658, 'vulnerablepopulations to minimize': 961279, 'to minimize unnecessary': 910171, 'minimize unnecessary exposure': 533139, 'unnecessary exposure by': 942908, 'exposure by ordering': 292965, 'by ordering online': 153458, 'ordering online equity': 618995, 'online equity curbsidepickup': 608172, 'equity curbsidepickup 4all': 279932, 'gutless': 368867, 'real gutless': 701185, 'gutless bastard': 368868, 'bastard bank': 112466, 'real gutless bastard': 701186, 'gutless bastard bank': 368869, 'bastard bank pressure': 112467, 'amid crisis via': 52445, 'kdrama': 471219, 'blossoming': 133291, 'sonng': 785542, 'ost': 619731, 'exolselcaday': 290386, 'kdrama where': 471220, 'we 1st': 970264, '1st meet': 12768, 'soap aisle': 778897, 'lockdown by': 499220, 'by fate': 152557, 'fate we': 300268, 'what 1st': 980954, '1st start': 12805, 'start series': 794489, 'of fight': 583500, 'over essential': 630190, 'item end': 463235, 'up blossoming': 944503, 'blossoming into': 133292, 'into romance': 442952, 'romance cue': 725722, 'cue handwash': 220197, 'handwash sonng': 376797, 'sonng ost': 785543, 'ost exolselcaday': 619734, 'kdrama where we': 471221, 'where we 1st': 985335, 'we 1st meet': 970265, '1st meet in': 12769, 'hand soap aisle': 375768, 'soap aisle supermarket': 778898, 'aisle supermarket during': 40384, '19 lockdown by': 8374, 'lockdown by fate': 499221, 'by fate we': 152558, 'fate we have': 300269, 'same mask what': 733152, 'mask what 1st': 519530, 'what 1st start': 980955, '1st start series': 12806, 'start series of': 794490, 'series of fight': 751269, 'of fight over': 583501, 'fight over essential': 304827, 'over essential item': 630191, 'essential item end': 281199, 'item end up': 463236, 'end up blossoming': 276024, 'up blossoming into': 944504, 'blossoming into romance': 133293, 'into romance cue': 442953, 'romance cue handwash': 725723, 'cue handwash sonng': 220198, 'handwash sonng ost': 376798, 'sonng ost exolselcaday': 785544, 'walmart had': 965347, 'had duty': 373063, 'exercise reasonable': 290090, 'reasonable care': 703089, 'particular to': 642647, 'protect employee': 684821, 'other individual': 620420, 'individual within': 435285, 'walmart had duty': 965348, 'had duty to': 373064, 'duty to exercise': 263616, 'to exercise reasonable': 905416, 'exercise reasonable care': 290091, 'reasonable care in': 703090, 'care in keeping': 164020, 'in keeping the': 424457, 'keeping the store': 472587, 'store in safe': 808382, 'healthy environment and': 387597, 'environment and in': 279079, 'and in particular': 65063, 'in particular to': 426537, 'particular to protect': 642648, 'to protect employee': 912302, 'protect employee customer': 684824, 'customer and other': 222092, 'and other individual': 68347, 'other individual within': 620421, 'individual within the': 435286, 'within the store': 1002440, 'store from contracting': 807880, 'normally stock': 567542, 'zealand we': 1027318, 'food prime': 315988, 'minister advises': 533323, 'advises the': 33692, 'into higher': 442629, 'higher coronavirus': 395555, 'coronavirus alert': 205476, 'alert phase': 41485, 'phase stayhome': 654642, 'the day there': 852919, 'day there will': 228513, 'if we shop': 415307, 'we shop normally': 973245, 'shop normally stock': 760495, 'normally stock is': 567543, 'stock is not': 802309, 'not an issue': 568199, 'an issue in': 56482, 'issue in new': 455801, 'new zealand we': 560000, 'zealand we will': 1027320, 'of food prime': 583755, 'food prime minister': 315989, 'prime minister advises': 678130, 'minister advises the': 533324, 'advises the nation': 33693, 'nation today we': 552350, 'today we prepare': 920478, 'we prepare to': 972737, 'prepare to move': 670139, 'to move into': 910310, 'move into higher': 543678, 'into higher coronavirus': 442630, 'higher coronavirus alert': 395556, 'coronavirus alert phase': 205477, 'alert phase stayhome': 41486, 'flopping': 310875, 'hairdresser have': 374046, 'have slammed': 382580, 'for flip': 321526, 'flip flopping': 310597, 'flopping on': 310876, 'closure saying': 184020, 'saying 30': 739546, 'minute cut': 533758, 'cut still': 223553, 'still put': 801080, 'risk retail': 723849, 'retail ausbiz': 717863, 'hairdresser have slammed': 374047, 'have slammed the': 382581, 'slammed the government': 773509, 'government for flip': 360098, 'for flip flopping': 321527, 'flip flopping on': 310598, 'flopping on store': 310877, 'on store closure': 603693, 'store closure saying': 807107, 'closure saying 30': 184021, 'saying 30 minute': 739547, '30 minute cut': 17121, 'minute cut still': 533759, 'cut still put': 223554, 'still put them': 801081, 'at risk retail': 100391, 'risk retail ausbiz': 723850, 'those must': 892233, 'really precise': 702491, 'precise gun': 669501, 'gun when': 368763, 'shoot the': 759746, 'definitely take': 232399, 'take lot': 832299, 'of ammo': 580086, 'those must be': 892234, 'be really really': 116714, 'really really precise': 702514, 'really precise gun': 702492, 'precise gun when': 669502, 'gun when people': 368764, 'when people want': 983870, 'want to shoot': 966117, 'to shoot the': 914442, 'shoot the with': 759747, 'the with them': 871641, 'with them and': 1001608, 'them and it': 875382, 'it will definitely': 462390, 'will definitely take': 993141, 'definitely take lot': 232400, 'take lot of': 832300, 'lot of ammo': 504137, 'of ammo to': 580088, 'ammo to get': 52918, '1326': 3317, '1326 lost': 3318, 'year maybe': 1014745, 'maybe ve': 521866, 'work ethic': 1005104, 'ethic it': 283048, 'blame take': 132296, '1326 lost my': 3319, 'my job of': 548924, 'job of 12': 466031, 'of 12 year': 579345, '12 year maybe': 2997, 'year maybe ve': 1014746, 'maybe ve lost': 521867, 've lost my': 953348, 'lost my work': 503893, 'my work ethic': 550641, 'work ethic it': 1005106, 'ethic it not': 283049, 'not all oil': 568119, 'all oil price': 43730, 'to blame take': 901849, 'blame take some': 132297, 'of the blame': 590823, 'implore': 418591, 'implore you': 418592, 'to cooperate': 903496, 'cooperate with': 203143, 'arabia on': 83911, 'on international': 601601, 'have dinner': 380281, '19 stabilizes': 10774, 'stabilizes god': 791875, 'implore you to': 418593, 'you to cooperate': 1021764, 'to cooperate with': 903497, 'cooperate with saudi': 203145, 'saudi arabia on': 737205, 'arabia on international': 83912, 'on international oil': 601602, 'oil price it': 597173, 'price it would': 674930, 'would be an': 1011550, 'be an honor': 113604, 'honor to have': 403256, 'to have dinner': 907232, 'have dinner with': 380282, 'dinner with you': 243117, 'with you when': 1002171, 'you when covid': 1022276, 'covid 19 stabilizes': 213852, '19 stabilizes god': 10775, 'stabilizes god bless': 791876, 'cornoravirusuk': 203738, 'help wonder': 390941, 'supermarket carrier': 819539, 'could diversify': 209090, 'diversify and': 248538, 'supply cornoravirusuk': 825104, 'cannot help wonder': 161958, 'help wonder whether': 390942, 'wonder whether the': 1004033, 'whether the manufacturer': 985584, 'the manufacturer of': 860024, 'manufacturer of supermarket': 513494, 'of supermarket carrier': 590414, 'supermarket carrier bag': 819540, 'carrier bag could': 164957, 'bag could diversify': 108260, 'could diversify and': 209091, 'diversify and make': 248539, 'and make ppe': 66570, 'make ppe supply': 510349, 'ppe supply cornoravirusuk': 668067, 'sail': 731619, 'unscathed': 943436, 'manager remain': 512777, 'remain confident': 709736, 'confident bank': 193999, 'bank capital': 109707, 'capital buffer': 162643, 'buffer will': 141868, 'they sail': 883251, 'sail through': 731624, 'crisis relatively': 217958, 'relatively unscathed': 708786, 'unscathed after': 943437, 'after dividend': 35571, 'dividend cancellation': 248608, 'cancellation rocked': 161067, 'rocked share': 724945, 'fund manager remain': 341460, 'manager remain confident': 512778, 'remain confident bank': 709737, 'confident bank capital': 194000, 'bank capital buffer': 109708, 'capital buffer will': 162644, 'buffer will ensure': 141869, 'will ensure they': 993326, 'ensure they sail': 278109, 'they sail through': 883252, 'sail through the': 731625, 'the crisis relatively': 852440, 'crisis relatively unscathed': 217959, 'relatively unscathed after': 708787, 'unscathed after dividend': 943438, 'after dividend cancellation': 35572, 'dividend cancellation rocked': 248609, 'cancellation rocked share': 161068, 'rocked share price': 724946, 'share price on': 755179, 'price on wednesday': 675736, 'lenscrafters': 486365, 'boggling': 133980, 'standalone': 793618, 'lenscrafters doesn': 486366, 'shit about': 759044, 'employee their': 274300, 'been mind': 121525, 'mind boggling': 532632, 'boggling mall': 133983, 'mall store': 511830, 'close standalone': 182804, 'standalone retail': 793619, 'retail both': 717890, 'without eye': 1002630, 'eye doctor': 294036, 'doctor no': 250986, 'store provided': 809693, 'ppe must': 668006, 'lenscrafters doesn give': 486367, 'doesn give shit': 251808, 'give shit about': 350692, 'shit about their': 759045, 'about their employee': 26580, 'their employee their': 873155, 'employee their response': 274302, 'ha been mind': 369852, 'been mind boggling': 121526, 'mind boggling mall': 532634, 'boggling mall store': 133984, 'mall store close': 511831, 'store close standalone': 807052, 'close standalone retail': 182805, 'standalone retail both': 793620, 'retail both with': 717891, 'both with and': 136096, 'with and without': 997254, 'and without eye': 75792, 'without eye doctor': 1002631, 'eye doctor no': 294037, 'doctor no store': 250987, 'no store provided': 565590, 'store provided with': 809695, 'provided with ppe': 686669, 'with ppe must': 1000277, 'ppe must stay': 668007, 'must stay open': 546907, 'open unless they': 612622, 'unless they have': 942649, 'save local': 737566, 'support and save': 826368, 'and save local': 70952, 'save local business': 737567, 'oklahoma state': 598075, 'government financial': 360083, 'financial might': 306518, 'deep hole': 231894, 'hole from': 400213, 'the pain': 862864, 'pain of': 634239, 'revenue lost': 720456, 'state broader': 795434, 'broader priority': 140769, 'priority include': 678589, 'include changing': 431532, 'changing health': 172719, 'plan ensure': 658108, 'ensure enough': 277922, 'enough hospital': 277472, 'bed providing': 120412, 'providing child': 686957, 'care subsidy': 164217, 'oklahoma state local': 598076, 'local government financial': 498026, 'government financial might': 360084, 'financial might get': 306519, 'might get to': 530994, 'get to deep': 348463, 'to deep hole': 904049, 'deep hole from': 231895, 'hole from and': 400214, 'from and feel': 334512, 'and feel the': 62781, 'feel the pain': 302888, 'the pain of': 862866, 'pain of revenue': 634240, 'of revenue lost': 589084, 'revenue lost from': 720457, 'lost from low': 503846, 'oil price state': 597271, 'price state broader': 676622, 'state broader priority': 795435, 'broader priority include': 140770, 'priority include changing': 678590, 'include changing health': 431533, 'changing health plan': 172720, 'health plan ensure': 386740, 'plan ensure enough': 658109, 'ensure enough hospital': 277923, 'enough hospital bed': 277473, 'hospital bed providing': 404327, 'bed providing child': 120413, 'providing child care': 686958, 'child care subsidy': 176043, 'care subsidy for': 164218, 'subsidy for health': 816010, 'local cafe': 497799, 'cafe serf': 155131, 'serf portuguese': 751205, 'portuguese grocery': 665080, 'well should': 978555, 'for takeaway': 326128, 'takeaway numerous': 832884, 'numerous local': 577140, 'takeaway can': 832847, 'can presumably': 159287, 'presumably remain': 671294, 'open if': 612314, 'if something': 414864, 'you collect': 1017981, 'collect in': 186286, 'local cafe serf': 497800, 'cafe serf portuguese': 155132, 'serf portuguese grocery': 751206, 'portuguese grocery store': 665081, 'store well should': 811210, 'well should they': 978556, 'should they be': 766582, 'they be open': 881535, 'be open or': 116250, 'open or closed': 612424, 'or closed can': 614752, 'closed can they': 183038, 'can they still': 159981, 'they still be': 883460, 'open for takeaway': 612261, 'for takeaway numerous': 326130, 'takeaway numerous local': 832885, 'numerous local food': 577141, 'local food shop': 497973, 'food shop and': 316473, 'shop and takeaway': 759872, 'and takeaway can': 72985, 'takeaway can presumably': 832848, 'can presumably remain': 159288, 'presumably remain open': 671295, 'remain open if': 709812, 'open if something': 612316, 'if something is': 414865, 'something is open': 784953, 'for takeaway can': 326129, 'takeaway can you': 832849, 'can you collect': 160287, 'you collect in': 1017982, 'collect in person': 186288, 'coy': 214524, 'online sanitizers': 608931, 'sanitizers product': 736373, 'product whether': 681833, 'whether these': 985588, 'are foreigner': 86658, 'foreigner or': 329023, 'or indian': 615782, 'indian coy': 434811, 'coy all': 214525, 'online marketing': 608525, 'marketing company': 517555, 'company looting': 190860, 'by skyrocketing': 154033, 'skyrocketing the': 773453, 'entire nation': 278704, 'nation trying': 552355, 'combat from': 187015, 'people of india': 648918, 'of india should': 585116, 'should not buy': 766235, 'not buy online': 568653, 'buy online sanitizers': 149050, 'online sanitizers product': 608932, 'sanitizers product whether': 736374, 'product whether these': 681834, 'whether these are': 985589, 'these are foreigner': 879617, 'are foreigner or': 86659, 'foreigner or indian': 329024, 'or indian coy': 615783, 'indian coy all': 434812, 'coy all these': 214526, 'all these online': 45043, 'these online marketing': 880371, 'online marketing company': 608526, 'marketing company looting': 517557, 'company looting the': 190861, 'looting the common': 503272, 'common people by': 189427, 'people by skyrocketing': 647365, 'by skyrocketing the': 154035, 'skyrocketing the price': 773455, 'of sanitizers at': 589307, 'sanitizers at this': 736232, 'when the entire': 984148, 'the entire nation': 854362, 'entire nation trying': 278706, 'nation trying to': 552356, 'to combat from': 902998, 'combat from covid': 187016, 'renee': 710953, 'arbitrarily': 84015, 'ploy': 661107, 'milky': 531946, 'renee ha': 710954, 'ha arbitrarily': 369609, 'arbitrarily decided': 84016, 'me being': 522506, 'than she': 841131, 'etc suspect': 282778, 'suspect it': 829473, 'all ploy': 43985, 'ploy to': 661110, 'getting sneaky': 349286, 'sneaky milky': 776214, 'milky bar': 531947, 'bar on': 110740, 'renee ha arbitrarily': 710955, 'ha arbitrarily decided': 369610, 'arbitrarily decided that': 84017, 'decided that due': 230886, 'due to me': 261864, 'to me being': 909920, 'me being more': 522508, 'being more vulnerable': 125443, '19 than she': 11130, 'than she is': 841132, 'that not allowed': 845382, 'go and do': 353279, 'and do thing': 61565, 'do thing like': 250330, 'thing like going': 884545, 'picking up the': 655890, 'up the kid': 946187, 'the kid etc': 858784, 'kid etc suspect': 473942, 'etc suspect it': 282779, 'suspect it all': 829474, 'it all ploy': 456369, 'all ploy to': 43986, 'ploy to stop': 661111, 'to stop me': 915545, 'stop me getting': 804831, 'me getting sneaky': 522814, 'getting sneaky milky': 349287, 'sneaky milky bar': 776215, 'milky bar on': 531948, 'bar on the': 110741, 'treasured': 930777, 'ilovemyhusband': 416484, 'new diamond': 558626, 'diamond girl': 240323, 'girl most': 350269, 'most treasured': 542826, 'treasured find': 930778, 'find love': 307041, 'love toiletpaper': 504861, 'toiletpapercrisis ilovemyhusband': 923032, 'ilovemyhusband husband': 416485, 'husband he': 411716, 'he literally': 385191, 'literally ha': 495009, 'back toiletpaperpanic': 107418, 'the new diamond': 861494, 'new diamond girl': 558627, 'diamond girl most': 240324, 'girl most treasured': 350270, 'most treasured find': 542827, 'treasured find love': 930779, 'find love toiletpaper': 307042, 'love toiletpaper toiletpapercrisis': 504862, 'toiletpaper toiletpapercrisis ilovemyhusband': 922656, 'toiletpapercrisis ilovemyhusband husband': 923033, 'ilovemyhusband husband he': 416486, 'husband he literally': 411717, 'he literally ha': 385192, 'literally ha my': 495011, 'ha my back': 371309, 'my back toiletpaperpanic': 547377, 'back toiletpaperpanic socialdistancing': 107419, 'food watch': 317502, 'supermarket food watch': 820367, 'kaplan wonder': 470850, 'business behave': 143439, 'fed kaplan wonder': 301845, 'kaplan wonder how': 470851, 'wonder how consumer': 1003950, 'and business behave': 59269, 'business behave when': 143440, 'behave when the': 123801, 'market which': 517339, 'sanitizers of': 736355, 'of unknown': 592648, 'to fool': 906119, 'fool trying': 318306, 'doing panic': 252597, 'and essential will': 62268, 'essential will encourage': 281796, 'black market which': 132095, 'market which will': 517341, 'will make thing': 994093, 'make thing even': 510627, 'even worse in': 284826, 'worse in our': 1010954, 'bottle of sanitizers': 136295, 'of sanitizers of': 589312, 'sanitizers of unknown': 736357, 'of unknown brand': 592649, 'unknown brand are': 942520, 'brand are selling': 137754, 'selling at insane': 749171, 'thanks to fool': 842224, 'to fool trying': 906120, 'fool trying to': 318307, 'trying to overstock': 934834, 'overstock and doing': 631550, 'and doing panic': 61607, 'doing panic buying': 252598, 'trojan': 932336, 'horse': 404214, 'supermarket colleague': 819731, 'colleague they': 186244, 'all operate': 43760, 'operate like': 612999, 'like trojan': 491667, 'trojan horse': 932337, 'horse in': 404217, 'an ever': 55879, 'changing situation': 172794, 'situation ve': 772552, 'had many': 373278, 'customer thank': 222910, 'tesco bekind': 838680, 'kind to all': 475003, 'all our supermarket': 43834, 'our supermarket colleague': 625011, 'supermarket colleague they': 819732, 'colleague they all': 186245, 'they all operate': 881119, 'all operate like': 43761, 'operate like trojan': 613000, 'like trojan horse': 491668, 'trojan horse in': 932338, 'horse in an': 404218, 'in an ever': 420303, 'an ever changing': 55880, 'ever changing situation': 285253, 'changing situation ve': 172795, 'situation ve had': 772553, 've had many': 953225, 'had many customer': 373279, 'many customer thank': 513975, 'customer thank for': 222911, 'thank for everything': 841568, 'for everything we': 321260, 'do and it': 249069, 'it really appreciated': 460627, 'really appreciated tesco': 701984, 'appreciated tesco bekind': 82839, 'thecomedypost': 872297, 'thecomedypostsg': 872300, 'tpweightlosschallenge': 928110, 'southgate': 786884, 'have sport': 382697, 'sport to': 789987, 'when paying': 983849, 'distance stay': 246836, 'another thecomedypost': 77897, 'thecomedypost thecomedypostsg': 872298, 'thecomedypostsg tpweightlosschallenge': 872301, 'tpweightlosschallenge southgate': 928111, 'southgate tp': 786885, 'toiletpaper cov': 921900, 'mean we dont': 524761, 'we dont have': 971412, 'dont have sport': 255230, 'have sport to': 382698, 'sport to bet': 789988, 'bet on so': 128092, 'on so why': 603526, 'so why not': 778760, 'why not our': 991226, 'not our health': 570857, 'our health just': 623375, 'health just remember': 386589, 'just remember when': 469609, 'remember when paying': 710414, 'when paying out': 983850, 'paying out to': 645467, 'out to practice': 627671, 'to practice safe': 911961, 'practice safe distance': 668646, 'safe distance stay': 729591, 'distance stay safe': 246838, 'care of one': 164111, 'of one another': 587234, 'one another thecomedypost': 605927, 'another thecomedypost thecomedypostsg': 77898, 'thecomedypost thecomedypostsg tpweightlosschallenge': 872299, 'thecomedypostsg tpweightlosschallenge southgate': 872302, 'tpweightlosschallenge southgate tp': 928112, 'southgate tp toiletpaper': 786886, 'tp toiletpaper cov': 927994, 'toiletpaper cov d19': 921901, 'tried doing': 931769, 'doing shop': 252647, 'clean will': 180685, 'stop there': 805169, 'basic just': 111964, 'selfish coronacrisis': 748059, 'just tried doing': 470142, 'tried doing shop': 931770, 'doing shop in': 252648, 'shop in local': 760308, 'shelf stripped clean': 757612, 'stripped clean will': 813858, 'clean will all': 180686, 'will all those': 992238, 'are panicbuying please': 88963, 'panicbuying please just': 639031, 'please just stop': 660144, 'just stop there': 469913, 'stop there are': 805170, 'there are vulnerable': 878183, 'are vulnerable people': 91510, 'people and key': 646868, 'key worker who': 473528, 'worker who cannot': 1008198, 'the basic just': 849313, 'basic just stop': 111965, 'just stop being': 469907, 'being selfish coronacrisis': 125737, 'your mailman': 1024764, 'mailman amp': 508704, 'amp woman': 54856, 'woman for': 1003486, 'during sanitizer': 262987, 'sanitizer plastic': 735550, 'glove chocolate': 352632, 'to thank your': 916442, 'thank your mailman': 841853, 'your mailman amp': 1024765, 'mailman amp woman': 508705, 'amp woman for': 54858, 'woman for delivery': 1003487, 'for delivery during': 320634, 'delivery during sanitizer': 233968, 'during sanitizer plastic': 262988, 'sanitizer plastic glove': 735551, 'plastic glove chocolate': 658849, 'swimmer': 830353, 'swan and': 829951, 'and harold': 64200, 'all swimmer': 44583, 'swimmer without': 830354, 'without swimsuit': 1002949, 'swimsuit on': 830369, 'suddenly dropped': 817084, 'dropped unexpectedly': 260651, 'unexpectedly it': 941400, 'black swan and': 132133, 'swan and opec': 829952, 'and opec russia': 68162, 'russia and harold': 728428, 'and harold hamms': 64201, 'are all swimmer': 84359, 'all swimmer without': 44584, 'swimmer without swimsuit': 830355, 'without swimsuit on': 1002950, 'swimsuit on after': 830370, 'tide suddenly dropped': 895713, 'suddenly dropped unexpectedly': 817085, 'dropped unexpectedly it': 260652, 'unexpectedly it is': 941401, 'likely that no': 492114, 'that no amount': 845357, 'amount of production': 53250, 'of production cut': 588510, 'cut will raise': 223632, 'will raise price': 994554, 'offset the decline': 596115, 'on reduced': 603115, 'reduced grocery': 706088, 'extra sanitizing': 293632, 'sanitizing rest': 736502, 'rest for': 716158, 'that shopping': 846275, 'shopping volume': 764327, 'good is': 357281, 'is stable': 452209, 'stable our': 791937, 'incredible store': 433873, 'are exhausted': 86317, 'exhausted and': 290151, 'on reduced grocery': 603116, 'reduced grocery store': 706089, 'hour for extra': 405602, 'for extra sanitizing': 321348, 'extra sanitizing rest': 293633, 'sanitizing rest for': 736503, 'rest for worker': 716160, 'for worker you': 327944, 'worker you will': 1008316, 'will have noticed': 993659, 'noticed that shopping': 573483, 'that shopping volume': 846278, 'shopping volume in': 764328, 'volume in your': 960141, 'local store remain': 498476, 'store remain high': 809798, 'remain high and': 709759, 'high and while': 394928, 'and while the': 75572, 'while the flow': 987388, 'of good is': 584226, 'good is stable': 357286, 'is stable our': 452211, 'stable our incredible': 791938, 'our incredible store': 623521, 'incredible store team': 433874, 'store team are': 810513, 'team are exhausted': 835591, 'are exhausted and': 86318, 'exhausted and co': 290152, 'accessed': 28311, 'be accessed': 113462, 'accessed food': 28312, 'keep operating': 471718, 'operating with': 613115, 'supply many': 825536, 'many peo': 514483, 'we have list': 971858, 'essential service so': 281524, 'service so we': 752842, 'so we know': 778672, 'can be accessed': 157574, 'be accessed food': 113463, 'accessed food supply': 28313, 'supply are essential': 824785, 'are essential so': 86256, 'essential so supermarket': 281566, 'so supermarket keep': 778312, 'supermarket keep operating': 821239, 'keep operating with': 471719, 'operating with special': 613116, 'with special covid': 1000905, '19 measure in': 8607, 'get essential supply': 346952, 'essential supply many': 281625, 'supply many peo': 825537, 'aware there': 105665, 'shopping to limit': 764180, 'number of trip': 577006, 'of trip you': 592456, 'trip you take': 932230, 'you take to': 1021521, 'market be aware': 516089, 'be aware there': 113781, 'aware there are': 105666, 'of item out': 585487, 'sanitizer isopropyl': 735222, 'europe jumped': 283468, 'high up': 395501, 'almost 140': 46481, '140 to': 3556, '100 according': 1824, 'hand sanitizer isopropyl': 375460, 'sanitizer isopropyl alcohol': 735223, 'alcohol price in': 41077, 'in europe jumped': 422642, 'europe jumped to': 283469, 'jumped to record': 467955, 'to record high': 912979, 'record high up': 704981, 'high up almost': 395502, 'up almost 140': 944266, 'almost 140 to': 46482, '140 to 100': 3557, 'to 100 according': 899434, '100 according to': 1825, '19 page': 9235, 'help lodge': 390017, 'lodge complaint': 500588, 'at the covid': 100918, 'covid 19 page': 213544, '19 page on': 9236, 'page on website': 633882, 'on website and': 605159, 'website and it': 975200, 'doesn help lodge': 251837, 'help lodge complaint': 390018, 'virus ever': 958166, 'to uganda': 917876, 'uganda some': 937992, 'of might': 586492, 'might starve': 531126, 'death before': 229984, 'virus even': 958164, 'even reach': 284509, 'reach how': 699929, 'small room': 775101, 'room last': 725933, 'if the corona': 414962, 'corona virus ever': 204304, 'virus ever come': 958167, 'ever come to': 285258, 'come to uganda': 187612, 'to uganda some': 917877, 'uganda some of': 937993, 'some of might': 783401, 'of might starve': 586493, 'might starve to': 531127, 'to death before': 903976, 'death before the': 229985, 'the virus even': 870829, 'virus even reach': 958165, 'even reach how': 284510, 'reach how long': 699930, 'long will the': 501856, 'will the food': 995141, 'stock in our': 802270, 'in our small': 426337, 'our small room': 624801, 'small room last': 775102, 'manhatten': 513144, 'criminal rob': 216873, 'rob grocery': 724625, 'york manhatten': 1016637, 'manhatten mask': 513145, 'hide their': 394849, 'some criminal rob': 782641, 'criminal rob grocery': 216874, 'rob grocery store': 724626, 'new york manhatten': 559940, 'york manhatten mask': 1016638, 'manhatten mask are': 513146, 'to hide their': 907731, 'hide their face': 394850, 'their face in': 873222, 'face in time': 294472, 'readysteadycook': 701009, 'seriously thinking': 751759, 'doing readysteadycook': 252624, 'readysteadycook style': 701010, 'style meal': 815616, 'family thanks': 298289, 'now local': 575235, 'butcher being': 148037, 'being complete': 124972, 'complete chaos': 192072, 'chaos time': 173067, 'and randomly': 69931, 'randomly pick': 696651, 'pick ingredient': 655655, 'ingredient even': 438360, 'my older': 549562, 'older child': 598586, 'for challenge': 320006, 'seriously thinking of': 751760, 'thinking of doing': 885959, 'of doing readysteadycook': 582770, 'doing readysteadycook style': 252625, 'readysteadycook style meal': 701011, 'style meal for': 815617, 'meal for the': 524158, 'the family thanks': 854904, 'family thanks to': 298290, 'thanks to supermarket': 842262, 'and now local': 67853, 'now local butcher': 575236, 'local butcher being': 497793, 'butcher being complete': 148038, 'being complete chaos': 124973, 'complete chaos time': 192073, 'chaos time to': 173068, 'in my cupboard': 425559, 'my cupboard and': 547861, 'cupboard and randomly': 220468, 'and randomly pick': 69932, 'randomly pick ingredient': 696652, 'pick ingredient even': 655656, 'ingredient even my': 438361, 'even my older': 284398, 'my older child': 549563, 'older child are': 598587, 'child are up': 176009, 'are up for': 91364, 'up for challenge': 944921, 'soo you': 785604, 'ain no': 39634, 'soo you telling': 785605, 'telling me it': 837224, 'me it ain': 523007, 'it ain no': 456324, 'ain no cure': 39635, 'killed with soap': 474623, 'and sanitizer 19': 70856, 'redacted': 705634, 'new profile': 559364, 'profile picture': 682627, 'picture on': 656179, 'way how': 969640, 'his business': 397263, 'this redacted': 889841, 'redacted virus': 705639, 'virus around': 957965, 'and daft': 60906, 'daft redacted': 224458, 'redacted not': 705637, 'following health': 312750, 'health advisory': 386102, 'new profile picture': 559365, 'profile picture on': 682628, 'picture on the': 656180, 'the way how': 871159, 'way how is': 969641, 'how is to': 408116, 'to get about': 906402, 'get about his': 346492, 'about his business': 25393, 'his business with': 397265, 'business with this': 144708, 'with this redacted': 1001722, 'this redacted virus': 889842, 'redacted virus around': 705640, 'virus around and': 957966, 'around and daft': 93194, 'and daft redacted': 60907, 'daft redacted not': 224459, 'redacted not following': 705638, 'not following health': 569464, 'following health advisory': 312751, 'disinfects': 245933, 'sec it': 743628, 'it disinfects': 457584, 'disinfects much': 245934, 'sanitizer cdc': 734644, 'cdc healthtips': 168577, '20 sec it': 13317, 'sec it disinfects': 743629, 'it disinfects much': 457585, 'disinfects much more': 245935, 'much more than': 545128, 'more than hand': 540627, 'hand sanitizer cdc': 375339, 'sanitizer cdc healthtips': 734645, 'hurry hurry': 411513, 'hurry go': 411509, 'out common': 625865, 'free 19': 331612, 'hurry hurry go': 411514, 'hurry go to': 411510, 'your local wal': 1024726, 'mart or grocery': 518058, 'store they are': 810664, 'are giving out': 86861, 'giving out common': 351363, 'out common sense': 625866, 'sense for free': 750517, 'for free 19': 321702, 'the naples': 861200, 'naples luxury': 551871, 'luxury builder': 506919, 'builder team': 142032, 'team appreciates': 835585, 'appreciates all': 82850, 'driver first': 259562, 'amazing helper': 50701, 'helper here': 391125, 'the naples luxury': 861201, 'naples luxury builder': 551872, 'luxury builder team': 506920, 'builder team appreciates': 142033, 'team appreciates all': 835586, 'appreciates all the': 82851, 'the health care': 857178, 'truck driver first': 932776, 'driver first responder': 259563, 'responder and amazing': 715407, 'and amazing helper': 58039, 'amazing helper here': 50702, 'helper here in': 391126, 'here in making': 393159, 'in making sacrifice': 425000, 'sacrifice to help': 729116, 'fight the we': 304907, 'the we thank': 871221, 'migrated': 531237, 'when workingfromhome': 984520, 'workingfromhome day': 1009092, 'day turn': 228626, 'into uklockdown': 443263, 'uklockdown day': 938991, 'day finished': 227601, 'finished work': 307925, 'now migrated': 575303, 'migrated from': 531238, 'office to': 595570, 'when workingfromhome day': 984521, 'workingfromhome day turn': 1009093, 'day turn into': 228627, 'turn into uklockdown': 935695, 'into uklockdown day': 443264, 'uklockdown day finished': 938992, 'day finished work': 227602, 'finished work for': 307926, 'the day now': 852899, 'day now migrated': 228037, 'now migrated from': 575304, 'migrated from the': 531239, 'the office to': 862081, 'office to the': 595572, 'to the dining': 916642, 'dining room to': 243031, 'room to do': 725979, 'some online grocery': 783442, 'or maybe should': 616090, 'maybe should go': 521797, 'and about like': 57552, 'about like the': 25644, 'like the are': 491347, '60bn': 21147, 'business am': 143266, 'am top': 50509, 'story majority': 812041, 'staff furloughed': 792481, 'furloughed little': 341925, 'little consumer': 495295, 'consumer hope': 197770, 'summer travel': 818017, 'travel return': 930495, 'return carrier': 719825, 'carrier set': 165018, 'set for': 753377, 'for 60bn': 318896, '60bn state': 21148, 'aid lifeline': 39414, 'lifeline make': 489313, 'make shore': 510453, 'shore side': 764576, 'side redundancy': 768874, 'redundancy sign': 706413, 'business am top': 143267, 'am top story': 50510, 'top story majority': 925729, 'story majority of': 812042, 'majority of staff': 509567, 'of staff furloughed': 590020, 'staff furloughed little': 792482, 'furloughed little consumer': 341926, 'little consumer hope': 495296, 'consumer hope of': 197771, 'hope of summer': 403578, 'of summer travel': 590393, 'summer travel return': 818018, 'travel return carrier': 930496, 'return carrier set': 719826, 'carrier set for': 165019, 'set for 60bn': 753378, 'for 60bn state': 318897, '60bn state aid': 21149, 'state aid lifeline': 795342, 'aid lifeline make': 39415, 'lifeline make shore': 489314, 'make shore side': 510454, 'shore side redundancy': 764577, 'side redundancy sign': 768875, 'redundancy sign up': 706414, 'world turned': 1010115, 'turned upside': 935893, 'there downside': 878340, 'downside risk': 257710, 'import since': 418668, 'might make': 531075, 'make fuel': 509930, 'fuel oil': 340207, 'oil cheaper': 596671, 'than spot': 841160, 'spot lng': 790072, 'lng cargo': 497200, 'in world turned': 430987, 'world turned upside': 1010116, 'turned upside down': 935894, 'upside down by': 947854, 'down by the': 256603, 'by the war': 154475, 'the war and': 871065, 'war and there': 966364, 'and there downside': 73836, 'there downside risk': 878341, 'downside risk to': 257715, 'risk to import': 723964, 'to import since': 908188, 'import since the': 418669, 'since the large': 770891, 'the large drop': 858946, 'large drop in': 479655, 'in price might': 426975, 'price might make': 675242, 'might make fuel': 531076, 'make fuel oil': 509931, 'fuel oil cheaper': 340208, 'oil cheaper than': 596672, 'cheaper than spot': 174280, 'than spot lng': 841161, 'spot lng cargo': 790073, 'license global': 488138, 'global take': 352247, 'the footfall': 855658, 'footfall ecommerce': 318539, 'behavior effect': 124017, 'license global take': 488139, 'global take look': 352248, 'at the footfall': 100951, 'the footfall ecommerce': 855659, 'footfall ecommerce and': 318540, 'ecommerce and consumer': 266706, 'consumer behavior effect': 196469, 'behavior effect of': 124018, 'pa virus': 632898, 'pa virus concern': 632899, 'for grocery via': 322057, 'akhira': 40517, 'basic self': 112047, 'self protection': 747841, 'protection kit': 685501, 'must remember': 546853, 'remember allah': 710164, 'allah is': 45603, 'watching amp': 968703, 'act might': 29703, 'might give': 530996, 'small benefit': 774801, 'in akhira': 420130, 'akhira so': 40518, 'do fear': 249292, 'fear allah': 301011, 'allah first': 45596, 'first 19': 308482, 'are selling basic': 89951, 'selling basic self': 749181, 'basic self protection': 112049, 'self protection kit': 747842, 'protection kit in': 685502, 'kit in high': 475573, 'high price must': 395259, 'price must remember': 675296, 'must remember allah': 546854, 'remember allah is': 710165, 'allah is watching': 45604, 'is watching amp': 453782, 'watching amp this': 968704, 'amp this act': 54695, 'this act might': 886187, 'act might give': 29704, 'might give you': 530997, 'give you small': 350867, 'you small benefit': 1021275, 'small benefit in': 774802, 'benefit in world': 127009, 'in world but': 430982, 'world but you': 1009386, 'high price in': 395254, 'price in akhira': 674654, 'in akhira so': 420131, 'akhira so do': 40519, 'so do fear': 776881, 'do fear allah': 249293, 'fear allah first': 301012, 'allah first 19': 45597, 'blooded': 133151, 'cold blooded': 185741, 'blooded murder': 133152, 'murder of': 546155, 'two ti': 937275, 'ti men': 895562, 'men hunting': 528493, 'hunting to': 411424, 'family after': 297563, '19 layoff': 8282, 'layoff should': 482709, 'demand justice': 235777, 'justice that': 470441, 'lift finger': 489440, 'the cold blooded': 851141, 'cold blooded murder': 185742, 'blooded murder of': 133153, 'murder of two': 546156, 'of two ti': 592549, 'two ti men': 937276, 'ti men hunting': 895563, 'men hunting to': 528494, 'hunting to feed': 411425, 'their family after': 873244, 'family after covid': 297564, 'covid 19 layoff': 213338, '19 layoff should': 8284, 'layoff should be': 482710, 'be national news': 116049, 'national news but': 552571, 'news but it': 560284, 'not because we': 568494, 'cannot take to': 162163, 'street to demand': 813148, 'to demand justice': 904149, 'demand justice that': 235778, 'justice that the': 470442, 'only way this': 611444, 'way this country': 969975, 'this country seems': 886969, 'seems to lift': 746882, 'to lift finger': 909262, 'lift finger for': 489441, 'report rage': 712205, 'rage induced': 695542, 'induced online': 435479, 'happy to report': 377718, 'to report rage': 913281, 'report rage induced': 712206, 'rage induced online': 695543, 'induced online shopping': 435480, 'shopping is one': 763069, 'thing that hasn': 884811, 'that hasn been': 844190, 'hasn been affected': 378723, 'germkilling': 346381, 'buying truly': 151265, 'truly is': 933328, 'is antimicrobial': 445752, 'antimicrobial we': 78539, 'follow fda': 312377, 'fda temporary': 300930, 'temporary compounding': 837598, 'compounding guideline': 192604, 'guideline buy': 368406, 'some today': 784082, 'today outbreak': 920007, 'outbreak quarantine': 628560, 'quarantine health': 692253, 'health germkilling': 386460, 'germkilling antimicrobial': 346382, 'antimicrobial handsanitizer': 78535, 'that the hand': 846743, 're buying truly': 698401, 'buying truly is': 151266, 'truly is antimicrobial': 933329, 'is antimicrobial we': 445753, 'antimicrobial we follow': 78540, 'we follow fda': 971580, 'follow fda temporary': 312378, 'fda temporary compounding': 300931, 'temporary compounding guideline': 837599, 'compounding guideline buy': 192605, 'guideline buy some': 368407, 'buy some today': 149218, 'some today outbreak': 784083, 'today outbreak quarantine': 920008, 'outbreak quarantine health': 628561, 'quarantine health germkilling': 692254, 'health germkilling antimicrobial': 386461, 'germkilling antimicrobial handsanitizer': 346383, 'system amp': 831089, 'tested during': 839292, 'too cf': 924645, 'food system amp': 317041, 'system amp food': 831090, 'amp food supply': 53827, 'supply are being': 824781, 'being tested during': 125908, 'tested during the': 839293, 'pandemic we call': 636934, 'your help too': 1024311, 'help too cf': 390806, 'shit until': 759280, 'never know how': 558090, 'much you shit': 545498, 'you shit until': 1021152, 'shit until you': 759281, 'paper toiletpaper stayhome': 640956, 'carnaval': 164791, 'little money': 495453, 'in latinamerica': 424619, 'latinamerica alone': 481653, 'alone during': 46846, 'during pandemia': 262854, 'pandemia beautiful': 634740, 'beautiful person': 118706, 'person have': 652456, 'this house': 887962, 'free she': 332148, 'wa moving': 962660, 'another apt': 77499, 'apt price': 83760, 'in rio': 427514, 'rio are': 722583, 'super expensive': 818498, 'expensive it': 291258, 'the carnaval': 850433, 'carnaval in': 164792, 'very little money': 955323, 'little money and': 495454, 'money and year': 536608, 'and year of': 75961, 'year of research': 1014791, 'of research in': 588965, 'research in latinamerica': 713762, 'in latinamerica alone': 424620, 'latinamerica alone during': 481654, 'alone during pandemia': 46847, 'during pandemia beautiful': 262855, 'pandemia beautiful person': 634741, 'beautiful person have': 118707, 'person have given': 652457, 'have given me': 380772, 'given me this': 351052, 'me this house': 523711, 'this house for': 887963, 'house for free': 406307, 'for free she': 321728, 'free she wa': 332149, 'she wa moving': 756419, 'wa moving to': 962661, 'moving to another': 544203, 'to another apt': 900565, 'another apt price': 77500, 'apt price in': 83761, 'price in rio': 674726, 'in rio are': 427515, 'rio are super': 722584, 'are super expensive': 90645, 'super expensive it': 818499, 'expensive it wa': 291259, 'wa very important': 963642, 'important to see': 419066, 'see the carnaval': 745815, 'the carnaval in': 850434, 'carnaval in brazil': 164793, 'kentuky': 472870, 'tenessee': 837924, 'repurposing': 713106, 'wineoclock': 995942, 'in kentuky': 424471, 'kentuky tenessee': 472871, 'tenessee texas': 837925, 'state repurposing': 795895, 'repurposing their': 713109, 'sanitizer wineoclock': 736111, 'wineoclock drinklocal': 995943, 'drinklocal cheer': 258956, 'distillery in kentuky': 247763, 'in kentuky tenessee': 424472, 'kentuky tenessee texas': 472872, 'tenessee texas and': 837926, 'texas and other': 839739, 'and other state': 68413, 'other state repurposing': 620966, 'state repurposing their': 795896, 'repurposing their production': 713110, 'production to produce': 682251, 'hand sanitizer wineoclock': 375669, 'sanitizer wineoclock drinklocal': 736112, 'wineoclock drinklocal cheer': 995944, 'this pandemic more': 889405, 'than half 58': 840715, 'more of these': 539888, 'of these type': 591871, 'type of pandemic': 937572, 'of pandemic in': 587699, 'pa grocery': 632854, 'store trash': 810939, 'trash 35': 930124, 'entire selection': 278733, 'well bakery': 978044, 'bakery item': 108862, 'item meat': 463453, 'pa grocery store': 632855, 'grocery store trash': 365883, 'store trash 35': 810940, 'trash 35 00': 930125, 'cough on the': 208525, 'on the entire': 604094, 'the entire selection': 854365, 'entire selection of': 278734, 'selection of produce': 747526, 'of produce well': 588472, 'produce well bakery': 680483, 'well bakery item': 978045, 'bakery item meat': 108863, 'item meat and': 463454, 'meat and other': 525479, 'other food via': 620250, 'helpful summary': 391224, 'impacting retail': 418252, 'service market': 752581, 'helpful summary from': 391225, 'summary from our': 817936, 'from our market': 336789, 'our market expert': 623864, 'market expert on': 516361, 'expert on how': 291898, 'is impacting retail': 448712, 'impacting retail amp': 418253, 'food service market': 316423, 'extraction': 293717, 'capitalism exploitation': 162747, 'exploitation profit': 292394, 'making amp': 510951, 'amp extraction': 53768, 'extraction of': 293718, 'surplus value': 828509, 'is golden': 448108, 'golden rule': 356061, 'rule so': 727345, 'so take': 778328, 'essential related': 281449, 'prevention amp': 671837, 'amp treatment': 54738, 'game hard': 343179, 'in capitalism exploitation': 421227, 'capitalism exploitation profit': 162748, 'exploitation profit making': 292395, 'profit making amp': 682800, 'making amp extraction': 510952, 'amp extraction of': 53769, 'extraction of surplus': 293720, 'of surplus value': 590530, 'surplus value is': 828510, 'value is golden': 952138, 'is golden rule': 448109, 'golden rule so': 356062, 'rule so take': 727347, 'so take the': 778331, 'take the spike': 832677, 'the spike in': 867579, 'of essential related': 583185, 'essential related to': 281450, 'related to prevention': 708616, 'to prevention amp': 912106, 'prevention amp treatment': 671838, 'amp treatment of': 54739, 'the game hard': 856121, 'game hard fact': 343180, 'pharmacy is': 654363, 'essential sunbathing': 281610, 'sunbathing isn': 818118, 'isn not': 454598, 'understand really': 940704, 'really stayhomesavelives': 702611, 'or pharmacy is': 616577, 'pharmacy is essential': 654364, 'is essential sunbathing': 447551, 'essential sunbathing isn': 281611, 'sunbathing isn not': 818119, 'isn not difficult': 454599, 'difficult to understand': 242350, 'to understand really': 917909, 'understand really stayhomesavelives': 940705, 'out information': 626419, 'on opening': 602528, 'our round': 624651, 'find out information': 307144, 'out information on': 626420, 'information on opening': 437919, 'on opening hour': 602530, 'hour and covid': 405393, 'in place in': 426741, 'place in supermarket': 657515, 'in supermarket see': 428662, 'supermarket see our': 822360, 'see our round': 745532, 'our round up': 624652, 'round up here': 726377, 'ding dong': 242995, 'dong ditch': 255137, 'ditch toilet': 248450, 'compromised neighbor': 192683, 'neighbor toiletpaper': 557078, 'ding dong ditch': 242996, 'dong ditch toilet': 255139, 'ditch toilet paper': 248451, 'paper to your': 640932, 'to your elderly': 918975, 'your elderly and': 1023634, 'elderly and immune': 270574, 'immune compromised neighbor': 417318, 'compromised neighbor toiletpaper': 192684, 'incredible gesture': 433834, 'gesture if': 346437, 'your player': 1025330, 'player addressed': 659298, 'addressed the': 32082, 'nation tomorrow': 552351, 'tomorrow before': 924040, 'supermarket stockpiling': 822981, 'stockpiling lot': 804013, 'your audience': 1022876, 'audience let': 102910, 'let use': 487198, 'be an incredible': 113609, 'an incredible gesture': 56257, 'incredible gesture if': 433835, 'gesture if one': 346438, 'of your player': 593513, 'your player addressed': 1025331, 'player addressed the': 659299, 'addressed the nation': 32084, 'the nation tomorrow': 861270, 'nation tomorrow before': 552352, 'tomorrow before the': 924041, 'before the game': 123165, 'the game to': 856129, 'game to the': 343272, 'tune of no': 935420, 'of no more': 587043, 'no more supermarket': 564821, 'more supermarket stockpiling': 540504, 'supermarket stockpiling lot': 822984, 'stockpiling lot of': 804014, 'lot of these': 504305, 'of these folk': 591824, 'folk are your': 312101, 'are your audience': 91889, 'your audience let': 1022877, 'audience let use': 102911, 'farmer throw': 299531, 'out egg': 626006, 'egg that': 269999, 'break milk': 138767, 'milk coronavirus': 531631, 'closure reduce': 184009, 'farmer throw out': 299532, 'throw out egg': 895041, 'out egg that': 626007, 'egg that break': 270000, 'that break milk': 843031, 'break milk coronavirus': 138768, 'milk coronavirus restaurant': 531632, 'restaurant closure reduce': 716389, 'closure reduce demand': 184010, 'competition market': 191713, 'authority really': 103775, 'keep close': 471401, 'time food': 896680, 'be inflated': 115493, 'inflated other': 437020, 'the competition market': 851379, 'competition market authority': 191714, 'market authority really': 516063, 'authority really need': 103776, 'to keep close': 908770, 'keep close eye': 471402, 'eye on all': 294072, 'on all business': 599219, 'all business during': 42231, 'difficult time food': 242286, 'time food price': 896682, 'food price should': 315970, 'not be inflated': 568403, 'be inflated other': 115494, 'inflated other essential': 437021, 'vix': 959847, 'vxx': 961326, 'bottom in': 136398, 'equity it': 279950, 'are massive': 88049, 'massive extreme': 520028, 'extreme happening': 293803, 'happening today': 377421, 'the vix': 870934, 'vix look': 959848, 'at oil': 99946, 'oil look': 596929, 'at treasury': 101363, 'treasury not': 930787, 'mention how': 528765, 'how oversold': 408472, 'oversold equity': 631536, 'equity are': 279916, 'are headline': 87056, 'headline may': 386003, 'worse but': 1010890, 'are near': 88189, 'near extreme': 553496, 'extreme spy': 293832, 'spy vxx': 791415, 'we are close': 970498, 'close to bottom': 182884, 'to bottom in': 901961, 'bottom in equity': 136399, 'in equity it': 422591, 'equity it will': 279951, 'will be this': 992725, 'be this week': 117705, 'week there are': 977024, 'there are massive': 878125, 'are massive extreme': 88050, 'massive extreme happening': 520029, 'extreme happening today': 293804, 'happening today look': 377422, 'at the vix': 101143, 'the vix look': 870935, 'vix look at': 959849, 'look at oil': 502279, 'at oil look': 99947, 'oil look at': 596930, 'look at treasury': 502305, 'at treasury not': 101364, 'treasury not to': 930788, 'to mention how': 910086, 'mention how oversold': 528766, 'how oversold equity': 408473, 'oversold equity are': 631537, 'equity are headline': 279917, 'are headline may': 87057, 'headline may get': 386004, 'may get worse': 521209, 'get worse but': 348647, 'worse but price': 1010891, 'price are near': 672702, 'are near extreme': 88190, 'near extreme spy': 553497, 'extreme spy vxx': 293833, 'respect go': 715007, 'only them': 611287, 'country proud': 210977, 'proud and': 686019, 'people abuse': 646745, 'abuse you': 27678, 'putting down': 691102, 'down coronacrisis': 256662, 'coronacrisis nhsworkers': 204672, 'my respect go': 549933, 'respect go out': 715008, 'nh staff but': 562080, 'staff but not': 792282, 'but not only': 146550, 'not only them': 570835, 'only them let': 611288, 'them let not': 875981, 'forget the supermarket': 329307, 'driver etc you': 259540, 'are making this': 88009, 'making this country': 511458, 'this country proud': 886966, 'country proud and': 210978, 'proud and to': 686020, 'buying and giving': 149908, 'and giving these': 63687, 'giving these people': 351430, 'these people abuse': 880421, 'people abuse you': 646746, 'abuse you need': 27679, 'need putting down': 555492, 'putting down coronacrisis': 691103, 'down coronacrisis nhsworkers': 256663, 'coronaproblems': 205258, 'only downside': 610360, 'that wanna': 847326, 'wanna pop': 965657, 'ingredient and': 438343, 'cook all': 202717, 'their yummy': 875261, 'yummy food': 1027101, 'coronacrisis coronaproblems': 204579, 'only downside of': 610361, 'downside of atm': 257706, 'of atm is': 580429, 'atm is that': 101939, 'is that wanna': 452704, 'that wanna pop': 847327, 'wanna pop out': 965658, 'pop out to': 664449, 'all the ingredient': 44796, 'the ingredient and': 858268, 'ingredient and cook': 438345, 'and cook all': 60537, 'cook all their': 202718, 'all their yummy': 45012, 'their yummy food': 875262, 'yummy food coronacrisis': 1027102, 'food coronacrisis coronaproblems': 314020, 'never contracted': 557933, 'contracted but': 201732, 'but died': 145538, 'from spray': 337384, 'spray sanitizer': 790325, 'sanitizer poisoning': 735561, 'never contracted but': 557934, 'contracted but died': 201733, 'but died from': 145539, 'died from spray': 241558, 'from spray sanitizer': 337385, 'spray sanitizer poisoning': 790326, 'nupes': 577166, 'conjunction': 194582, 'nupes pulling': 577167, 'pulling up': 688956, 'do do': 249230, 'do sponsored': 250162, 'sponsored in': 789840, 'part by': 642252, 'in conjunction': 421662, 'conjunction with': 194583, 'nupes pulling up': 577168, 'pulling up to': 688957, 'like what it': 491795, 'what it do': 981747, 'it do do': 457600, 'do do sponsored': 249231, 'do sponsored in': 250163, 'sponsored in part': 789841, 'in part by': 426526, 'part by in': 642253, 'by in conjunction': 152880, 'in conjunction with': 421663, 'conjunction with 19': 194584, 'still scared': 801138, 'client coming': 182016, 'in wearing': 430734, 'it cross': 457418, 'cross contamination': 218992, 'contamination and': 200699, 'supermarket still scared': 822960, 'still scared to': 801139, 'to work because': 918695, '19 see client': 10385, 'see client coming': 745001, 'client coming in': 182017, 'coming in wearing': 188102, 'in wearing glove': 430735, 'glove and it': 352566, 'and it your': 65609, 'it your right': 462664, 'right to wear': 722361, 'to wear them': 918444, 'wear them but': 974475, 'them but it': 875495, 'but it cross': 146116, 'it cross contamination': 457419, 'cross contamination and': 218993, 'contamination and only': 200700, 'and only make': 68143, 'only make the': 610758, 'make the situation': 510585, 'the situation worse': 867285, '19 been': 5342, 'been home': 121305, 'home since': 402073, 'only visit': 611417, 'daughter house': 226860, 'grand keeping': 361863, 'keeping to': 472604, 'ourselves unbelievable': 625500, 'unbelievable how': 939504, 'immune deprived': 417321, 'deprived 19': 237697, '19 selfquarantine': 10402, 'selfquarantine dontbeaspreader': 748564, 'my job to': 548932, 'job to covid': 466222, 'covid 19 been': 212687, '19 been home': 5343, 'been home since': 121307, 'home since saturday': 402074, 'since saturday only': 770815, 'saturday only visit': 737057, 'only visit to': 611419, 'and my daughter': 67363, 'my daughter house': 547927, 'daughter house to': 226861, 'house to see': 406632, 'see the grand': 745838, 'the grand keeping': 856695, 'grand keeping to': 361864, 'keeping to ourselves': 472605, 'to ourselves unbelievable': 911260, 'ourselves unbelievable how': 625501, 'unbelievable how many': 939505, 'many people think': 514538, 'people think this': 649838, 'or immune deprived': 615739, 'immune deprived 19': 417322, 'deprived 19 selfquarantine': 237698, '19 selfquarantine dontbeaspreader': 10403, 'accidentally': 28410, 'police monitoring': 663095, 'monitoring supermarket': 537375, 'crowd assault': 219126, 'assault over': 96321, 'paper stranger': 640846, 'stranger screaming': 812486, 'for accidentally': 318996, 'accidentally touching': 28413, 'touching them': 926734, 'street we': 813168, 're so': 699534, 'this bekind': 886547, 'police monitoring supermarket': 663096, 'monitoring supermarket crowd': 537376, 'supermarket crowd assault': 819868, 'crowd assault over': 219127, 'assault over toilet': 96322, 'toilet paper stranger': 921475, 'paper stranger screaming': 640847, 'stranger screaming at': 812487, 'screaming at each': 742659, 'other for accidentally': 620252, 'for accidentally touching': 318997, 'accidentally touching them': 28414, 'touching them while': 926735, 'them while walking': 876620, 'while walking down': 987533, 'the street we': 868256, 'street we re': 813170, 'we re so': 972967, 're so much': 699537, 'than this bekind': 841312, 'country benefiting': 210510, 'china benefited': 176524, 'benefited daily': 127151, 'daily 400': 224481, '400 million': 18754, 'million it': 532209, 'will revive': 994700, 'revive it': 720679, 'with corona': 997787, 'india invested': 434476, 'invested 170': 443779, '170 million': 4421, 'million japan': 532211, 'japan korea': 464749, 'korea germany': 477471, 'germany oott': 346335, 'oil shale': 597426, 'country benefiting from': 210511, 'benefiting from low': 127167, 'oil price china': 597075, 'price china benefited': 673130, 'china benefited daily': 176525, 'benefited daily 400': 127152, 'daily 400 million': 224482, '400 million it': 18755, 'million it will': 532210, 'it will revive': 462434, 'will revive it': 994701, 'revive it economy': 720680, 'it economy especially': 457757, 'economy especially with': 267841, 'especially with corona': 280668, 'with corona india': 997788, 'corona india invested': 204014, 'india invested 170': 434477, 'invested 170 million': 443780, '170 million japan': 4422, 'million japan korea': 532212, 'japan korea germany': 464750, 'korea germany oott': 477473, 'germany oott oil': 346336, 'oott oil shale': 611771, 'linkage': 493972, 'the linkage': 859446, 'linkage of': 493975, 'of debate': 582424, 'debate the': 230319, 'huge buffer': 409991, 'buffer stock': 141866, 'down supply': 257238, 'intact the': 440924, 'keep check': 471386, 'poor population': 664264, 'the linkage of': 859448, 'linkage of covid': 493976, 'security is not': 744657, 'not the issue': 572007, 'issue of debate': 455858, 'of debate the': 582425, 'debate the nation': 230322, 'the nation ha': 861237, 'nation ha huge': 552202, 'ha huge buffer': 370892, 'huge buffer stock': 409992, 'buffer stock of': 141867, 'stock of lock': 802528, 'lock down supply': 499054, 'down supply of': 257239, 'essential commodity is': 280923, 'commodity is intact': 189204, 'is intact the': 448948, 'intact the government': 440925, 'government ha to': 360171, 'to keep check': 908768, 'keep check on': 471387, 'check on price': 174512, 'price and protect': 672509, 'and protect the': 69661, 'the poor population': 863984, 'upstreamcosts': 947894, 'wmconsulting': 1003279, 'for operator': 324142, 'reduce cost': 705811, 'cost some': 208116, 'some operator': 783453, 'operator have': 613362, 'already issued': 47488, 'issued target': 456097, 'to supplier': 915869, '10 25': 1259, '25 but': 15850, 'approach work': 83002, 'work read': 1005644, 'more upstream': 540866, 'upstream upstreamcosts': 947892, 'upstreamcosts oilprice': 947895, 'oilprice wmconsulting': 597647, 'with an urgent': 997236, 'urgent need for': 948349, 'need for operator': 554861, 'for operator to': 324144, 'to reduce cost': 913016, 'reduce cost some': 705812, 'cost some operator': 208117, 'some operator have': 783454, 'operator have already': 613363, 'have already issued': 379192, 'already issued target': 47489, 'issued target to': 456098, 'target to supplier': 834520, 'to supplier to': 915872, 'supplier to reduce': 824627, 'reduce price by': 705896, 'by 10 25': 151508, '10 25 but': 1260, '25 but doe': 15851, 'but doe this': 145574, 'doe this approach': 251630, 'this approach work': 886396, 'approach work read': 83003, 'work read more': 1005645, 'read more upstream': 700454, 'more upstream upstreamcosts': 540867, 'upstream upstreamcosts oilprice': 947893, 'upstreamcosts oilprice wmconsulting': 947896, '500 consumer': 19965, 'staple index': 793964, 'index recorded': 434235, 'recorded decline': 705097, 'march an': 515266, 'an improvement': 56214, 'february demand': 301704, 'good surge': 357805, 'surge during': 828154, 'amp 500 consumer': 53340, '500 consumer staple': 19968, 'consumer staple index': 199119, 'staple index recorded': 793965, 'index recorded decline': 434236, 'recorded decline in': 705098, 'in march an': 425079, 'march an improvement': 515267, 'an improvement on': 56216, 'drop in february': 260246, 'in february demand': 422840, 'february demand for': 301705, 'for essential good': 321103, 'essential good surge': 281100, 'good surge during': 357806, 'surge during the': 828155, 'often wondered': 596310, 'wondered while': 1004059, 'watching am': 968699, 'legend why': 485945, 'he raided': 385325, 'raided home': 695633, 'why quarantinelife': 991310, 'often wondered while': 596312, 'wondered while watching': 1004060, 'while watching am': 987539, 'watching am legend': 968700, 'am legend why': 50179, 'legend why he': 485946, 'why he raided': 991064, 'he raided home': 385326, 'raided home for': 695634, 'for food instead': 321597, 'food instead of': 315087, 'instead of grocery': 440268, 'store now know': 809127, 'know why quarantinelife': 477055, 'complain but': 191854, 'grocer break': 364110, 'break tomorrow': 138818, 'tomorrow will': 924248, 'worked week': 1006163, 'straight overtime': 812228, 'overtime too': 631653, 'too because': 924605, 'needed extra': 556349, 'extra people': 293601, 'should focus': 765999, 'school who': 741980, 'who online': 989375, 'not mean to': 570556, 'mean to complain': 524731, 'to complain but': 903130, 'complain but you': 191856, 'need to give': 555951, 'give the grocer': 350740, 'the grocer break': 856797, 'grocer break tomorrow': 364111, 'break tomorrow will': 138819, 'tomorrow will have': 924249, 'will have worked': 993685, 'have worked week': 383633, 'worked week straight': 1006164, 'week straight overtime': 976941, 'straight overtime too': 812229, 'overtime too because': 631655, 'too because we': 924607, 'because we needed': 119813, 'we needed extra': 972573, 'needed extra people': 556350, 'extra people for': 293603, 'people for everyone': 647949, 'everyone who wa': 287609, 'who wa panic': 989912, 'wa panic shopping': 962908, 'panic shopping should': 638585, 'shopping should focus': 763879, 'should focus on': 766001, 'on my school': 602312, 'my school who': 550003, 'school who online': 741981, 'who online now': 989376, 'southend': 786847, 'the southend': 867514, 'southend tesco': 786848, 'tesco store': 838813, '30am this': 17431, 'morning due': 541238, 'closed overnight': 183279, 'overnight for': 631335, 'restocking hundred': 717002, 'people entered': 647802, '6am with': 21583, 'queueing over': 694180, 'for checkout': 320035, 'checkout shopper': 175001, 'shopper report': 761662, 'item had': 463309, 'been restocked': 121841, 'wa the queue': 963466, 'at the southend': 101104, 'the southend tesco': 867515, 'southend tesco store': 786849, 'tesco store at': 838814, 'at 30am this': 97608, '30am this morning': 17432, 'this morning due': 888953, 'morning due to': 541239, 'the supermarket being': 868485, 'supermarket being closed': 819358, 'being closed overnight': 124963, 'closed overnight for': 183280, 'overnight for restocking': 631336, 'for restocking hundred': 325182, 'restocking hundred of': 717003, 'of people entered': 587907, 'people entered the': 647803, 'store at 6am': 806576, 'at 6am with': 97731, '6am with people': 21584, 'with people queueing': 1000161, 'people queueing over': 649218, 'queueing over an': 694181, 'hour for checkout': 405598, 'for checkout shopper': 320036, 'checkout shopper report': 175002, 'shopper report that': 761663, 'report that most': 712323, 'that most item': 845228, 'most item had': 542464, 'item had been': 463310, 'had been restocked': 372910, 'chaplain': 173123, 'therapist': 877901, 'clergy': 181616, 'nurse chaplain': 577242, 'chaplain teacher': 173124, 'staff farmer': 792439, 'driver emt': 259529, 'emt therapist': 275341, 'therapist clergy': 877906, 'clergy artist': 181617, 'artist hospital': 94605, 'staff sanitation': 792820, 'worker electrician': 1006832, 'electrician plumber': 271142, 'plumber thanks': 661233, 'for holding': 322331, 'holding down': 400105, 'grateful for doctor': 362261, 'doctor nurse chaplain': 251004, 'nurse chaplain teacher': 577243, 'chaplain teacher janitor': 173125, 'teacher janitor grocery': 835476, 'store staff farmer': 810314, 'staff farmer truck': 792441, 'truck driver emt': 932773, 'driver emt therapist': 259530, 'emt therapist clergy': 275342, 'therapist clergy artist': 877907, 'clergy artist hospital': 181618, 'artist hospital staff': 94606, 'hospital staff sanitation': 404643, 'staff sanitation worker': 792821, 'sanitation worker electrician': 733872, 'worker electrician plumber': 1006833, 'electrician plumber thanks': 271143, 'plumber thanks for': 661234, 'thanks for holding': 842063, 'for holding down': 322332, 'fge': 304344, 'fesharaki': 303586, 'oil we': 597506, 'down demand': 256678, 'destruction fge': 239107, 'fge fesharaki': 304345, 'fesharaki say': 303587, 'happens by': 377457, 'summer price': 817993, 'price slowly': 676487, 'slowly improve': 774605, 'improve to': 419552, 'to mid': 910113, 'mid 30': 530543, '30 bbl': 16980, 'bbl and': 113175, 'by year': 154777, '40 bbl': 18533, 'oil we have': 597507, 'wait for solution': 964121, 'for solution to': 325723, '19 to slow': 11459, 'slow down demand': 774343, 'down demand destruction': 256679, 'demand destruction fge': 235234, 'destruction fge fesharaki': 239108, 'fge fesharaki say': 304346, 'fesharaki say if': 303588, 'say if this': 738787, 'this happens by': 887854, 'happens by the': 377458, 'by the summer': 154451, 'the summer price': 868406, 'summer price slowly': 817994, 'price slowly improve': 676488, 'slowly improve to': 774606, 'improve to mid': 419553, 'to mid 30': 910114, 'mid 30 bbl': 530544, '30 bbl and': 16981, 'bbl and by': 113176, 'and by year': 59384, 'by year end': 154778, 'year end to': 1014544, 'end to 40': 276004, 'to 40 bbl': 899711, 'ever the': 285539, 'amp farmworkers': 53778, 'farmworkers caregiver': 299696, 'caregiver amp': 164492, 'professional janitor': 682463, 'janitor amp': 464526, 'amp security': 54452, 'guard those': 367849, 'the port': 864041, 'port warehouse': 664905, 'amp restaurant': 54398, 'this time am': 890618, 'are working harder': 91699, 'working harder than': 1008691, 'harder than ever': 378182, 'than ever the': 840615, 'ever the grocery': 285540, 'clerk delivery food': 181684, 'delivery food production': 234010, 'food production amp': 316038, 'production amp farmworkers': 681913, 'amp farmworkers caregiver': 53779, 'farmworkers caregiver amp': 299697, 'caregiver amp health': 164493, 'amp health professional': 53920, 'health professional janitor': 386767, 'professional janitor amp': 682464, 'janitor amp security': 464527, 'amp security guard': 54453, 'security guard those': 744628, 'guard those at': 367850, 'those at the': 891824, 'at the port': 101055, 'the port warehouse': 864045, 'port warehouse amp': 664906, 'warehouse amp restaurant': 966675, 'oncoming': 605837, 'maximizing': 520803, 'to contracting': 903431, 'contracting just': 201774, 'by virtue': 154674, 'to oncoming': 910906, 'oncoming excessive': 605840, 'excessive panicshopping': 289396, 'panicshopping crowd': 639425, 'crowd market': 219207, 'consider maximizing': 195036, 'maximizing self': 520808, 'check station': 174626, 'reduce employee': 705825, 'employee exposure': 273830, 'exposure makro': 292986, 'makro selfquarantine': 511529, 'employee are extremely': 273614, 'are extremely vulnerable': 86399, 'extremely vulnerable to': 293943, 'vulnerable to contracting': 961215, 'to contracting just': 903432, 'contracting just by': 201775, 'just by virtue': 468404, 'by virtue of': 154675, 'virtue of being': 957862, 'of being exposed': 580640, 'exposed to oncoming': 292901, 'to oncoming excessive': 910908, 'oncoming excessive panicshopping': 605841, 'excessive panicshopping crowd': 289397, 'panicshopping crowd market': 639426, 'crowd market should': 219208, 'market should consider': 517060, 'should consider maximizing': 765860, 'consider maximizing self': 195037, 'maximizing self check': 520809, 'self check station': 747573, 'check station to': 174627, 'station to reduce': 796538, 'to reduce employee': 913020, 'reduce employee exposure': 705826, 'employee exposure makro': 273831, 'exposure makro selfquarantine': 292987, 'fulltimervers': 341012, 'rvlife': 728729, 'vanlife': 952431, 'nomadlife': 566255, 'are fulltimervers': 86740, 'fulltimervers handling': 341013, 'handling all': 376329, 'it plus': 460367, 'plus talk': 661686, 'toiletpaper alternative': 921709, 'alternative and': 49204, 'and black': 58992, 'black tank': 132140, 'tank tip': 834229, 'tip rvlife': 898887, 'rvlife vanlife': 728730, 'vanlife nomadlife': 952432, 'nomadlife safety': 566256, 'health escape': 386406, 'how are fulltimervers': 407402, 'are fulltimervers handling': 86741, 'fulltimervers handling all': 341014, 'handling all the': 376330, 'all the stuff': 44932, 'the stuff this': 868333, 'stuff this is': 815220, 'is how doing': 448573, 'how doing it': 407755, 'doing it plus': 252489, 'it plus talk': 460368, 'plus talk about': 661687, 'talk about toiletpaper': 833764, 'about toiletpaper alternative': 26749, 'toiletpaper alternative and': 921710, 'alternative and black': 49205, 'and black tank': 58994, 'black tank tip': 132141, 'tank tip rvlife': 834230, 'tip rvlife vanlife': 898888, 'rvlife vanlife nomadlife': 728731, 'vanlife nomadlife safety': 952433, 'nomadlife safety health': 566257, 'safety health escape': 730567, 'jersey natural': 465220, 'gas announces': 343768, 'announces 125': 77234, '125 00': 3068, 'support covid': 826446, 'response at': 715624, 'at community': 98298, 'bank stock': 110205, 'new jersey natural': 558978, 'jersey natural gas': 465221, 'natural gas announces': 552832, 'gas announces 125': 343769, 'announces 125 00': 77235, '125 00 in': 3069, '00 in donation': 261, 'in donation to': 422362, 'donation to support': 254715, 'to support covid': 915919, 'support covid 19': 826447, '19 response at': 10139, 'response at community': 715625, 'at community food': 98300, 'food bank stock': 313645, 'bank stock marketscreener': 110206, 'icymi china': 412867, 'china manufacturing': 176817, 'manufacturing price': 513647, 'plunge further': 661431, 'consumer inflation': 197859, 'inflation easing': 437163, 'easing china': 265261, 'china 19': 176438, 'icymi china manufacturing': 412868, 'china manufacturing price': 176819, 'manufacturing price plunge': 513648, 'price plunge further': 675925, 'plunge further in': 661432, 'further in march': 342066, 'march with consumer': 515536, 'with consumer inflation': 997758, 'consumer inflation easing': 197860, 'inflation easing china': 437164, 'easing china china': 265262, 'china china 19': 176561, 'impact gold': 417683, 'price gold': 674217, 'crisis impact gold': 217521, 'impact gold price': 417684, 'gold price gold': 355956, 'while agree': 986576, 'grocery bagger': 364304, 'bagger food': 108509, 'food prep': 315899, 'prep service': 670015, 'sustainable living': 829803, 'wage hence': 963893, 'hence bump': 391739, 'bump in': 142561, 'in minimum': 425356, 'wage continued': 963838, 'while agree that': 986577, 'agree that grocery': 38644, 'that grocery bagger': 844084, 'grocery bagger food': 364305, 'bagger food prep': 108510, 'food prep service': 315903, 'prep service worker': 670016, 'service worker and': 753086, 'and retail store': 70445, 'worker deserve more': 1006761, 'deserve more sustainable': 238083, 'more sustainable living': 540519, 'sustainable living wage': 829804, 'living wage hence': 496478, 'wage hence bump': 963894, 'hence bump in': 391740, 'bump in minimum': 142562, 'in minimum wage': 425357, 'minimum wage continued': 533224, 'from bulk': 334745, 'to auction': 900832, 'auction it': 102848, 'site absolutely': 771857, 'disgusting toiletpaper': 245474, 'toiletpaper ebay': 921944, 'ebay panickbuying': 266479, 'please stop people': 660585, 'stop people profiteering': 804907, 'people profiteering from': 649196, 'profiteering from bulk': 683039, 'from bulk buying': 334746, 'bulk buying essential': 142271, 'buying essential item': 150239, 'item to auction': 463739, 'to auction it': 900833, 'auction it on': 102849, 'it on your': 460069, 'your site absolutely': 1025814, 'site absolutely disgusting': 771858, 'absolutely disgusting toiletpaper': 27344, 'disgusting toiletpaper ebay': 245475, 'toiletpaper ebay panickbuying': 921945, 'facing ai': 295397, 'based chatbots': 111533, 'play help': 659162, 'monitoring and consumer': 537341, 'and consumer facing': 60378, 'consumer facing ai': 197432, 'facing ai based': 295398, 'ai based chatbots': 39298, 'based chatbots could': 111534, 'chatbots could play': 173981, 'could play help': 209504, 'play help contain': 659163, 'confidence after': 193806, 'consumer confidence after': 196882, 'confidence after covid': 193807, 'cbdoil': 168343, 'still hunting': 800728, 'for handsanitizer': 322113, 'handsanitizer cbd': 376493, 'at cbd': 98211, 'cbd living': 168316, 'living shop': 496448, 'here handwashing': 393069, 'handwashing washyourhands': 376868, 'washyourhands cbd': 967861, 'cbd cbdoil': 168294, 'still hunting for': 800729, 'hunting for handsanitizer': 411416, 'for handsanitizer cbd': 322114, 'handsanitizer cbd hand': 376494, 'sanitizer now available': 735433, 'now available and': 574151, 'available and in': 104224, 'and in stock': 65070, 'stock at cbd': 801875, 'at cbd living': 98212, 'cbd living shop': 168317, 'living shop here': 496449, 'shop here handwashing': 760274, 'here handwashing washyourhands': 393070, 'handwashing washyourhands cbd': 376869, 'washyourhands cbd cbdoil': 967862, 'holding consumer': 400101, 'hostage when': 404908, 'crazy is stepping': 215340, 'out the industry': 627381, 'the industry in': 858176, 'and is holding': 65407, 'is holding consumer': 448520, 'holding consumer hostage': 400102, 'consumer hostage when': 197773, 'hostage when we': 404909, 'when we want': 984472, 'found four': 330213, 'four can': 330590, 'soup in': 786380, 'supermarket normally': 821632, 'normally we': 567564, 'foodbank basket': 317756, 'basket today': 112402, 'put two': 690955, 'two in': 936972, 'is reason': 451325, 'more generous': 539334, 'generous not': 345725, 'not le': 570334, 'found four can': 330214, 'four can of': 330591, 'of soup in': 589938, 'soup in the': 786381, 'the supermarket normally': 868715, 'supermarket normally we': 821633, 'normally we put': 567567, 'we put one': 972792, 'put one in': 690733, 'the foodbank basket': 855629, 'foodbank basket today': 317757, 'basket today we': 112404, 'today we put': 920479, 'we put two': 972798, 'put two in': 690956, 'two in is': 936975, 'in is reason': 424172, 'is reason to': 451327, 'reason to be': 703020, 'be more generous': 115977, 'more generous not': 539335, 'generous not le': 345726, 'greedy others': 363560, 'store doe': 807343, 'ethical your': 283096, 'your behaviour': 1022934, 'behaviour doe': 124398, 'are greedy others': 86961, 'greedy others and': 363561, 'others and stockpiling': 621262, 'and stockpiling you': 72459, 'to let buy': 909199, 'let buy anything': 486636, 'grocery store doe': 365335, 'store doe not': 807344, 'doe not make': 251506, 'you ethical your': 1018444, 'ethical your behaviour': 283097, 'your behaviour doe': 1022935, 'behaviour doe stockpiling': 124399, 'coma': 186966, 'in coma': 421576, 'coma for': 186967, 'couple month': 211622, 'month whole': 538121, 'now lockdownnow': 575243, 'lockdownnow stayathome': 500338, 'meme socialdistancing': 528359, 'you imagine waking': 1019296, 'waking up today': 964669, 'up today after': 946455, 'today after being': 919154, 'being in coma': 125294, 'in coma for': 421577, 'coma for couple': 186968, 'for couple month': 320420, 'couple month whole': 211625, 'month whole new': 538122, 'whole new world': 990274, 'new world now': 559901, 'world now lockdownnow': 1009845, 'now lockdownnow stayathome': 575244, 'lockdownnow stayathome toiletpaper': 500339, 'stayathome toiletpaper meme': 797685, 'toiletpaper meme socialdistancing': 922234, 'think positive': 885497, 'positive sooner': 665435, 'later thing': 481139, 'most looking': 542497, 'to think positive': 917381, 'think positive sooner': 885498, 'positive sooner or': 665436, 'or later thing': 615934, 'later thing will': 481140, 'to normal what': 910668, 'normal what are': 567407, 'are you most': 91822, 'you most looking': 1019894, 'most looking forward': 542498, 'hey john': 394439, 'john we': 466557, 'hey john we': 394440, 'john we will': 466558, 'update so': 947210, 'latest info': 481396, 'on place': 602803, 'dutch open': 263505, 'or operating': 616404, 'at adjusted': 97839, 'adjusted measure': 32325, 'measure this': 525377, 'includes pdf': 431794, 'pdf of': 645948, 'restaurant open': 716608, 'time in response': 897009, 'created page for': 215869, 'page for update': 633851, 'for update so': 327471, 'update so you': 947211, 'the latest info': 859118, 'latest info on': 481397, 'info on place': 437534, 'on place in': 602805, 'place in dutch': 657507, 'in dutch open': 422427, 'dutch open or': 263506, 'open or operating': 612427, 'or operating at': 616405, 'operating at adjusted': 613058, 'at adjusted measure': 97840, 'adjusted measure this': 32326, 'measure this includes': 525378, 'this includes pdf': 888077, 'includes pdf of': 431795, 'pdf of restaurant': 645949, 'of restaurant open': 589020, 'restaurant open for': 716610, 'or pickup service': 616613, 'incisive': 431455, 'tumbled and': 935320, 'stock traded': 803023, 'traded lower': 928630, 'lower overnight': 505933, 'overnight is': 631340, 'ride the': 721463, '19 rollercoaster': 10250, 'rollercoaster explains': 725654, 'ongoing market': 607659, 'this incisive': 888063, 'incisive analysis': 431456, 'analysis trading': 57089, 'trading commodity': 928846, 'commodity opec': 189244, 'oil gold': 596841, 'gold loss': 355926, 'oil price tumbled': 597301, 'price tumbled and': 677151, 'tumbled and stock': 935321, 'and stock traded': 72418, 'stock traded lower': 803024, 'traded lower overnight': 928631, 'lower overnight is': 505934, 'overnight is it': 631341, 'is it too': 449069, 'early to ride': 264734, 'to ride the': 913521, 'ride the 19': 721464, 'the 19 rollercoaster': 847928, '19 rollercoaster explains': 10251, 'rollercoaster explains the': 725655, 'explains the ongoing': 292237, 'the ongoing market': 862248, 'ongoing market volatility': 607660, 'market volatility in': 517303, 'volatility in this': 960085, 'in this incisive': 429964, 'this incisive analysis': 888064, 'incisive analysis trading': 431457, 'analysis trading commodity': 57090, 'trading commodity opec': 928847, 'commodity opec oil': 189245, 'opec oil gold': 611926, 'oil gold loss': 596842, 'gold loss may': 355927, 'mudit': 545521, 'jaju': 464311, 'many mode': 514287, 'shopping restricted': 763745, 'restricted consumer': 717134, 'consumer commerce': 196813, 'commerce number': 188596, 'high our': 395208, 'global head': 351971, 'commerce mudit': 188592, 'mudit jaju': 545522, 'jaju share': 464312, 'what brand': 981135, 'considering for': 195373, 'presence growfearless': 670553, 'with many mode': 999384, 'many mode of': 514288, 'mode of shopping': 535192, 'of shopping restricted': 589670, 'shopping restricted consumer': 763746, 'restricted consumer commerce': 717135, 'consumer commerce number': 196815, 'commerce number are': 188597, 'number are at': 576828, 'are at record': 84678, 'record high our': 704979, 'high our global': 395209, 'our global head': 623255, 'global head of': 351972, 'head of commerce': 385767, 'of commerce mudit': 581553, 'commerce mudit jaju': 188593, 'mudit jaju share': 545523, 'jaju share his': 464313, 'share his thought': 755031, 'on what brand': 605211, 'what brand should': 981136, 'be considering for': 114206, 'considering for their': 195374, 'their online presence': 874104, 'online presence growfearless': 608788, 'thalibharona': 840119, 'clang': 179951, 'cpiml': 214635, 'fill our': 305473, 'our plate': 624365, 'plate with': 658924, 'with dignity': 998036, 'dignity is': 242833, 'pandemic thalibharona': 636637, 'thalibharona the': 840120, 'doorstep on': 255864, 'to clang': 902789, 'clang plate': 179952, 'plate demand': 658914, 'govt ensure': 361110, 'ensure home': 277971, 'home delivered': 400999, 'delivered ration': 233381, 'food fuel': 314631, 'fuel cpiml': 340150, 'fill our plate': 305474, 'our plate with': 624366, 'plate with dignity': 658925, 'with dignity is': 998038, 'dignity is essential': 242834, 'is essential for': 447544, 'essential for the': 281063, '19 pandemic thalibharona': 9491, 'pandemic thalibharona the': 636638, 'thalibharona the poor': 840121, 'poor will stay': 664329, 'home but come': 400831, 'come to their': 187607, 'their doorstep on': 873081, 'doorstep on 12': 255865, 'on 12 april': 599007, '12 april to': 2824, 'april to clang': 83707, 'to clang plate': 902790, 'clang plate demand': 179953, 'plate demand the': 658915, 'demand the govt': 236352, 'the govt ensure': 856657, 'govt ensure home': 361111, 'ensure home delivered': 277972, 'home delivered ration': 401002, 'delivered ration food': 233382, 'ration food fuel': 697678, 'food fuel cpiml': 314633, 'home needed': 401653, 'get strong': 348129, 'fight all': 304648, 'hoarder at': 398989, 'store yes': 811659, 'yes world': 1015617, 'world off': 1009857, 'weekly bit': 977475, 'left might': 485551, 'with bit': 997414, 'washing powder': 967708, 'just did work': 468590, 'did work out': 240913, 'work out from': 1005581, 'out from home': 626194, 'from home needed': 335885, 'home needed to': 401654, 'needed to get': 556536, 'to get strong': 906604, 'get strong to': 348130, 'to fight all': 905776, 'fight all the': 304650, 'all the hoarder': 44783, 'the hoarder at': 857405, 'hoarder at the': 398991, 'grocery store yes': 365978, 'store yes world': 811662, 'yes world off': 1015618, 'world off to': 1009858, 'off to do': 594320, 'do my weekly': 249633, 'my weekly bit': 550559, 'weekly bit of': 977476, 'grocery shopping if': 365038, 'shopping if there': 762946, 'if there anything': 415063, 'there anything left': 878036, 'anything left might': 80814, 'left might have': 485552, 'might have for': 531012, 'have for dinner': 380677, 'for dinner with': 320727, 'dinner with bit': 243115, 'with bit of': 997415, 'bit of washing': 131669, 'of washing powder': 592921, 'washing powder on': 967709, 'foodsystems': 318225, 'agriculture foodsystems': 38978, 'foodsystems tunisia': 318230, 'tunisia china': 935467, 'china continue': 176585, 'and strengthen': 72549, 'strengthen market': 813249, 'market supervision': 517149, 'supervision ensure': 824385, 'ensure smooth': 278028, 'smooth logistical': 775928, 'logistical operation': 500709, 'of regional': 588882, 'regional agricultural': 707488, 'agriculture foodsystems tunisia': 38979, 'foodsystems tunisia china': 318231, 'tunisia china continue': 935468, 'china continue to': 176586, 'continue to closely': 201169, 'closely monitor food': 183466, 'price and strengthen': 672551, 'and strengthen market': 72550, 'strengthen market supervision': 813250, 'market supervision ensure': 517150, 'supervision ensure smooth': 824386, 'ensure smooth logistical': 278029, 'smooth logistical operation': 775929, 'logistical operation of': 500710, 'operation of regional': 613234, 'of regional agricultural': 588883, 'regional agricultural and': 707489, 'agricultural and food': 38870, 'research article': 713677, 'article essay': 94306, 'spring course': 791195, 'course my': 211900, 'available 24': 104201, 'due to hire': 261811, 'to hire me': 907796, 'assignment research article': 96610, 'research article essay': 713678, 'article essay labreports': 94307, 'bibliography spring course': 129445, 'spring course my': 791196, 'course my response': 211902, 'team is available': 835699, 'is available 24': 445904, 'available 24 take': 104202, 'lengthen': 486328, 'runway': 728167, 'matrix': 520509, 'redrawn': 705766, 'to lengthen': 909184, 'lengthen runway': 486329, 'runway marketing': 728168, 'being slashed': 125797, 'slashed hiring': 773632, 'being frozen': 125173, 'frozen and': 338953, 'and staffing': 72206, 'staffing matrix': 793161, 'matrix are': 520510, 'being redrawn': 125653, 'redrawn and': 705767, 'and dive': 61537, 'dive deep': 248481, 'startup are': 795092, 'are battling': 84789, 'attempt to lengthen': 102249, 'to lengthen runway': 909185, 'lengthen runway marketing': 486330, 'runway marketing budget': 728169, 'marketing budget are': 517536, 'budget are being': 141758, 'are being slashed': 84922, 'being slashed hiring': 125798, 'slashed hiring is': 773633, 'hiring is being': 397109, 'is being frozen': 446086, 'being frozen and': 125174, 'frozen and staffing': 338954, 'and staffing matrix': 72208, 'staffing matrix are': 793162, 'matrix are being': 520511, 'are being redrawn': 84907, 'being redrawn and': 125654, 'redrawn and dive': 705768, 'and dive deep': 61538, 'dive deep into': 248482, 'deep into how': 231902, 'how consumer startup': 407600, 'consumer startup are': 199127, 'startup are battling': 795093, 'are battling the': 84791, 'battling the impact': 112881, 'of on their': 587231, 'space cannot': 787081, 'go alone': 353266, 'myself but': 550839, 'eat not': 265995, 'my independence': 548845, 'independence and': 434068, 'sure not': 827635, 'alone 19': 46801, 'always did my': 49529, 'did my shopping': 240699, 'online and now': 607827, 'and now cannot': 67823, 'now cannot because': 574343, 'cannot because there': 161660, 'are no space': 88283, 'no space cannot': 565560, 'space cannot go': 787082, 'cannot go alone': 161922, 'go alone and': 353267, 'alone and need': 46814, 'need to isolate': 555977, 'to isolate myself': 908540, 'isolate myself but': 454894, 'myself but need': 550841, 'to eat not': 904894, 'eat not one': 265996, 'not one to': 570768, 'one to ask': 607270, 'for help like': 322180, 'help like my': 389996, 'like my independence': 490823, 'my independence and': 548846, 'independence and sure': 434069, 'and sure not': 72869, 'sure not alone': 827636, 'not alone 19': 568157, 'chinesephones': 177422, 'increase chinese': 432715, 'chinese phone': 177320, 'phone price': 655001, 'price chinesephones': 673131, 'increase chinese phone': 432716, 'chinese phone price': 177321, 'phone price chinesephones': 655002, 'wash trying': 967561, 'always out': 49680, 'out eating': 625997, 'hand wash trying': 375934, 'wash trying to': 967562, 'yet they always': 1016270, 'they always out': 881161, 'always out eating': 49681, 'out eating junk': 625998, 'helping restaurant': 391454, 'restaurant make': 716557, 'make data': 509815, 'driven decision': 259300, 'decision especially': 231021, 'informed on': 438115, 'current and': 221092, 'and predicted': 69343, 'predicted consumer': 669606, 'to helping restaurant': 907679, 'helping restaurant make': 391456, 'restaurant make data': 716558, 'make data driven': 509816, 'data driven decision': 226195, 'driven decision especially': 259301, 'decision especially during': 231022, 'critical time stay': 218701, 'time stay informed': 897752, 'stay informed on': 797088, 'informed on current': 438116, 'on current and': 600183, 'current and predicted': 221095, 'and predicted consumer': 69344, 'predicted consumer behavior': 669607, 'kmfmnews': 475957, 'watch again': 968353, 'again demand': 36971, 'at kent': 99371, 'kent food': 472822, 'ha quadrupled': 371609, 'quadrupled more': 691661, 'more family': 539194, 'family reach': 298178, 'outbreak kmfmnews': 628406, 'watch again demand': 968354, 'again demand at': 36972, 'demand at kent': 235041, 'at kent food': 99372, 'kent food bank': 472823, 'bank ha quadrupled': 109886, 'ha quadrupled more': 371610, 'quadrupled more family': 691662, 'more family reach': 539195, 'family reach out': 298179, 'reach out for': 699966, 'out for supporting': 626163, 'for supporting during': 326068, 'the outbreak kmfmnews': 862654, 'xly': 1013871, 'most damaged': 542233, 'damaged sector': 225259, 'sector by': 744116, 'the sp500': 867526, 'sp500 consumer': 787022, 'discretionary sector': 244772, 'sector firmly': 744193, 'sell xly': 748950, 'xly stock': 1013872, 'stock luxury': 802371, 'luxury trading': 506973, 'trading investing': 928879, 'the most damaged': 860967, 'most damaged sector': 542234, 'damaged sector by': 225260, 'sector by the': 744117, 'the usa is': 870544, 'usa is the': 948678, 'is the sp500': 452945, 'the sp500 consumer': 867527, 'sp500 consumer discretionary': 787023, 'consumer discretionary sector': 197217, 'discretionary sector firmly': 244773, 'sector firmly in': 744194, 'firmly in sell': 308470, 'in sell on': 427791, 'sell on our': 748827, 'in sell xly': 427792, 'sell xly stock': 748951, 'xly stock luxury': 1013873, 'stock luxury trading': 802372, 'luxury trading investing': 506974, 'finding success': 307543, 'success delivering': 816191, 'brand are finding': 137743, 'are finding success': 86575, 'finding success delivering': 307544, 'success delivering essential': 816192, 'essential to customer': 281693, 'actually happening': 30826, 'happening never': 377379, 'store lmao': 808785, 'who think socialdistancing': 989774, 'think socialdistancing is': 885550, 'socialdistancing is actually': 780458, 'is actually happening': 445332, 'actually happening never': 30827, 'happening never been': 377380, 'never been in': 557897, 'been in grocery': 121347, 'grocery store lmao': 365534, 'your movement': 1024908, 'download application': 257582, 'application for': 82452, 'for smartphones': 325677, 'smartphones that': 775537, 'recover food': 705174, 'find restaurant': 307202, 'deliver healthy': 233148, 'healthy meal': 387688, 'help you eat': 390967, 'you eat well': 1018395, 'eat well and': 266099, 'well and limit': 978019, 'and limit your': 66184, 'limit your movement': 492572, 'your movement during': 1024909, 'movement during the': 543870, 'the crisis you': 852487, 'can download application': 158147, 'download application for': 257583, 'application for smartphones': 82455, 'for smartphones that': 325678, 'smartphones that make': 775538, 'easier to recover': 265162, 'to recover food': 912986, 'recover food at': 705175, 'food at any': 313440, 'any time find': 79971, 'time find restaurant': 896659, 'find restaurant or': 307203, 'store near you': 809042, 'near you that': 553646, 'you that can': 1021567, 'that can deliver': 843100, 'can deliver healthy': 158043, 'deliver healthy meal': 233149, 'healthy meal to': 387690, 'meal to your': 524294, 'witnessed lady': 1003150, 'lady stealing': 478828, 'stealing supermarket': 799256, 'trolley seen': 932464, 'many weird': 514868, 'week birmingham': 976015, 'witnessed lady stealing': 1003151, 'lady stealing supermarket': 478829, 'stealing supermarket trolley': 799257, 'supermarket trolley seen': 823568, 'trolley seen so': 932465, 'so many weird': 777718, 'many weird thing': 514869, 'weird thing this': 977800, 'thing this week': 884869, 'this week birmingham': 891192, 'rbi forward': 698082, 'looking survey': 503011, 'capacity utilisation': 162600, 'utilisation in': 951237, 'economy were': 268339, 'were near': 979899, 'near all': 553462, 'rbi forward looking': 698083, 'forward looking survey': 329994, 'looking survey show': 503012, 'show that both': 767179, 'that both consumer': 843014, 'both consumer confidence': 135885, 'confidence and capacity': 193815, 'and capacity utilisation': 59535, 'capacity utilisation in': 162601, 'utilisation in the': 951238, 'the economy were': 854036, 'economy were near': 268340, 'were near all': 979900, 'near all time': 553463, 'time low even': 897163, 'low even before': 505273, 'even before the': 283874, 'is flowing': 447841, 'flowing machine': 311359, 'machine are': 507362, 'shelf say': 757478, 'say doug': 738594, 'doug baker': 256243, 'baker fmi': 108800, 'fmi cbs': 311759, 'cbs news': 168373, 'supply is flowing': 825439, 'is flowing machine': 447842, 'flowing machine are': 311360, 'machine are running': 507363, 'are running and': 89759, 'running and the': 727907, 'and the product': 73530, 'the product will': 864602, 'product will make': 681861, 'make it way': 510068, 'it way back': 462269, 'way back to': 969483, 'to the shelf': 917055, 'the shelf say': 866872, 'shelf say doug': 757479, 'say doug baker': 738595, 'doug baker fmi': 256244, 'baker fmi cbs': 108801, 'fmi cbs news': 311760, 'are home': 87226, 'price suffering': 676700, 'suffering the': 817340, 'take downward': 832080, 'downward turn': 257846, 'fear we': 301423, 'an expert': 55970, 'bad you': 108090, 'think listen': 885373, 'conversation below': 202462, 'are home price': 87227, 'home price suffering': 401919, 'price suffering the': 676701, 'suffering the economy': 817341, 'economy take downward': 268249, 'take downward turn': 832081, 'downward turn during': 257847, 'turn during the': 935665, 'during the fear': 263126, 'the fear we': 855041, 'fear we speak': 301424, 'speak to an': 787708, 'to an expert': 900454, 'an expert who': 55974, 'expert who say': 292027, 'who say it': 989566, 'it not bad': 459861, 'not bad you': 568327, 'bad you may': 108094, 'may think listen': 521575, 'think listen to': 885374, 'to the conversation': 916590, 'the conversation below': 851707, 'rising well': 723325, 'it stocking': 461268, 'are rising well': 89722, 'rising well that': 723326, 'well that it': 978648, 'that it stocking': 844747, 'it stocking up': 461269, 'last promise': 480461, 'promise looking': 683677, 'to mum': 910352, 'who proudly': 989463, 'proudly stocked': 686078, 'on baby': 599529, 'milk calpol': 531617, 'calpol amid': 156897, 'last promise looking': 480462, 'promise looking to': 683678, 'speak to mum': 787714, 'to mum who': 910353, 'mum who proudly': 545979, 'who proudly stocked': 989464, 'proudly stocked up': 686079, 'up on baby': 945528, 'on baby milk': 599531, 'baby milk calpol': 106661, 'milk calpol amid': 531618, 'calpol amid the': 156898, 'pandemic because they': 634990, 'because they put': 119714, 'redefined': 705671, 'supermarket redefined': 822179, 'redefined during': 705672, 'during curfew': 262577, 'curfew 19': 220855, 'supermarket redefined during': 822180, 'redefined during curfew': 705673, 'during curfew 19': 262578, 'he allegedly': 384717, 'allegedly wiped': 45723, 'been arrested after': 120684, 'arrested after he': 93805, 'after he allegedly': 35761, 'he allegedly wiped': 384720, 'allegedly wiped his': 45724, 'wiped his saliva': 996459, 'dorset supermarket stayhomesavelives': 255910, 'supermarket stayhomesavelives inthistogether': 822942, 'rise optimism': 722966, 'optimism around': 613903, 'drop still': 260398, 'standstill change': 793845, 'behavior cost': 123989, 'of quantitative': 588648, 'easing housing': 265265, 'take year': 832806, 'level it': 487601, 'wa second': 963154, 'wave death': 969344, 'reason for stock': 702909, 'stock market rise': 802431, 'market rise optimism': 517008, 'rise optimism around': 722967, 'optimism around covid': 613904, '19 to drop': 11423, 'to drop still': 904780, 'drop still in': 260399, 'still in an': 800738, 'an economic standstill': 55589, 'economic standstill change': 267316, 'standstill change in': 793846, 'consumer behavior cost': 196462, 'behavior cost of': 123990, 'cost of quantitative': 208060, 'of quantitative easing': 588649, 'quantitative easing housing': 691899, 'easing housing market': 265266, 'housing market the': 407112, 'market the fact': 517186, 'will take year': 995087, 'take year for': 832808, 'for the unemployment': 326751, 'unemployment rate to': 941279, 'rate to reach': 697396, 'reach the level': 699988, 'the level it': 859311, 'level it wa': 487602, 'it wa second': 462186, 'wa second wave': 963155, 'second wave death': 743863, 'wave death of': 969345, 'death of small': 230146, 'mall starting': 511828, 'starting 25': 794932, 'however essential': 409364, 'need tenant': 555710, 'tenant located': 837849, 'located in': 498810, 'in level': 424681, 'level basement': 487516, 'basement such': 111789, 'bank money': 110009, 'money changer': 536668, 'changer and': 172617, 'and atm': 58496, 'atm will': 101970, 'taken the decision': 833072, 'close our shopping': 182755, 'our shopping mall': 624764, 'shopping mall starting': 763236, 'mall starting 25': 511829, 'starting 25 march': 794933, '25 march until': 15907, 'march until april': 515506, 'april 2020 however': 83464, '2020 however essential': 14372, 'however essential need': 409365, 'essential need tenant': 281322, 'need tenant located': 555711, 'tenant located in': 837850, 'located in level': 498813, 'in level basement': 424682, 'level basement such': 487517, 'basement such supermarket': 111790, 'such supermarket pharmacy': 816782, 'supermarket pharmacy bank': 821973, 'pharmacy bank money': 654249, 'bank money changer': 110010, 'money changer and': 536669, 'changer and atm': 172618, 'and atm will': 58498, 'atm will remain': 101971, 'struggle amp': 814329, 'amp unprecedented': 54758, 'having due': 384044, 'increasing unemployment': 433729, 'rate caused': 697174, 've donated': 953055, 'donated 200': 254306, 'amp learn': 54063, 'given the struggle': 351160, 'the struggle amp': 868303, 'struggle amp unprecedented': 814330, 'amp unprecedented demand': 54759, 'unprecedented demand food': 943114, 'demand food bank': 235357, 'bank are having': 109648, 'are having due': 87031, 'having due to': 384045, 'due to school': 261937, 'to school closure': 913898, 'and increasing unemployment': 65132, 'increasing unemployment rate': 433731, 'unemployment rate caused': 941268, 'rate caused by': 697175, 'we ve donated': 973655, 've donated 200': 953056, 'donated 200 00': 254307, '200 00 to': 13443, '00 to amp': 539, 'to amp learn': 900430, 'amp learn more': 54064, 'industry doing': 435781, 'well right': 978525, 'now restaurant': 575694, 'away grocery': 105933, 'store television': 810515, 'television internet': 836853, 'provider art': 686695, 'art online': 94176, 'education fightcovid19': 268824, 'industry doing well': 435782, 'doing well right': 252837, 'well right now': 978526, 'right now restaurant': 722126, 'now restaurant take': 575695, 'take away grocery': 831968, 'away grocery store': 105934, 'grocery store television': 365839, 'store television internet': 810516, 'television internet provider': 836854, 'internet provider art': 441997, 'provider art online': 686696, 'art online education': 94177, 'online education fightcovid19': 608158, 'imprint': 419501, 'event that': 285077, 'that leave': 844859, 'their imprint': 873633, 'singular event that': 771451, 'event that leave': 285079, 'that leave their': 844860, 'leave their imprint': 484983, 'food stockpiled': 316821, 'stockpiled before': 803835, 'big panic': 129901, 'panic however': 638187, 'however discovered': 409358, 'contain bean': 200468, 'bean need': 118343, 'diversify my': 248542, 'pantry stock': 639675, 'plenty of canned': 660943, 'canned food stockpiled': 161522, 'food stockpiled before': 316822, 'stockpiled before the': 803836, 'before the big': 123141, 'the big panic': 849613, 'big panic however': 129902, 'panic however discovered': 638188, 'however discovered that': 409359, 'discovered that most': 244698, 'of the can': 590844, 'the can contain': 850310, 'can contain bean': 157973, 'contain bean need': 200469, 'bean need to': 118344, 'need to diversify': 555906, 'to diversify my': 904461, 'diversify my pantry': 248543, 'my pantry stock': 549678, 'leading online': 483722, 'store raided': 809726, 'raided by': 695627, 'service authority': 752161, 'government regulated': 360517, 'regulated price': 708016, 'price another': 672589, 'supplied damaged': 824454, 'damaged vegetable': 225266, 'coronacrisis coronaoutbreak': 204576, 'the leading online': 859233, 'leading online store': 483723, 'online store raided': 609464, 'store raided by': 809727, 'raided by consumer': 695628, 'by consumer service': 152194, 'consumer service authority': 198941, 'service authority for': 752162, 'authority for selling': 103722, 'for selling good': 325442, 'selling good at': 749275, 'good at higher': 356792, 'at higher than': 98902, 'higher than government': 395754, 'than government regulated': 840708, 'government regulated price': 360518, 'regulated price another': 708017, 'price another store': 672590, 'another store supplied': 77873, 'store supplied damaged': 810467, 'supplied damaged vegetable': 824455, 'damaged vegetable at': 225267, 'vegetable at high': 953940, 'high price coronacrisis': 395241, 'price coronacrisis coronaoutbreak': 673251, 'paisa': 634363, 'rathore': 697580, 'we used': 973620, 'one rupee': 606976, 'rupee fifty': 728186, 'fifty paisa': 304579, 'paisa month': 634364, 'month back': 537598, 'too purchase': 925017, 'price bcz': 672853, 'bcz we': 113391, 'mask rathore': 519178, 'face mask which': 294608, 'mask which we': 519556, 'which we used': 986469, 'we used to': 973623, 'used to purchase': 950079, 'to purchase at': 912519, 'purchase at one': 689369, 'at one rupee': 99971, 'one rupee fifty': 606977, 'rupee fifty paisa': 728187, 'fifty paisa month': 304580, 'paisa month back': 634365, 'month back is': 537600, 'back is now': 107122, 'sold at 15': 781626, 'at 15 in': 97472, '15 in the': 3744, 'market we too': 517321, 'we too purchase': 973552, 'too purchase at': 925018, 'purchase at higher': 689368, 'higher price bcz': 395666, 'price bcz we': 672854, 'bcz we need': 113392, 'we need mask': 972512, 'need mask rathore': 555210, 'shopper queue': 761653, 'buying move': 150736, 'shopper queue for': 761654, 'queue for home': 693929, 'home delivery supermarket': 401049, 'delivery supermarket panic': 234588, 'panic buying move': 637814, 'buying move online': 150737, 'butchery': 148081, 'impressive went': 419497, 'hotel today': 405209, 'and butchery': 59317, 'butchery all': 148082, 'entrance with': 278913, 'sanitiser who': 734047, 'who insist': 989040, 'insist you': 439703, 'you wont': 1022412, 'wont get': 1004244, 'impressive went to': 419498, 'went to hotel': 979163, 'to hotel today': 907999, 'hotel today supermarket': 405210, 'today supermarket and': 920232, 'supermarket and butchery': 818949, 'and butchery all': 59318, 'butchery all place': 148083, 'all place had': 43964, 'place had people': 657477, 'had people at': 373398, 'the entrance with': 854389, 'entrance with hand': 278914, 'with hand sanitiser': 998722, 'hand sanitiser who': 375256, 'sanitiser who insist': 734048, 'who insist you': 989041, 'insist you use': 439704, 'use it or': 949307, 'it or you': 460151, 'or you wont': 617867, 'you wont get': 1022413, 'wont get in': 1004245, 'olivia': 598758, 'guinaugh': 368577, 'mintel report': 533673, 'late march': 480890, 'march 58': 515249, '58 of': 20540, 'american reported': 52161, 'often olivia': 596241, 'olivia guinaugh': 598761, 'guinaugh home': 368578, 'home personal': 401849, 'care analyst': 163834, 'analyst gave': 57142, 'gave insight': 344627, 'consumer hygiene': 197791, 'mintel report that': 533674, 'report that of': 712325, 'that of late': 845445, 'of late march': 585728, 'late march 58': 480891, 'march 58 of': 515250, '58 of american': 20541, 'of american reported': 580072, 'american reported they': 52162, 'reported they were': 712550, 'they were using': 883815, 'were using hand': 980322, 'sanitizer more often': 735378, 'more often olivia': 539904, 'often olivia guinaugh': 596242, 'olivia guinaugh home': 598762, 'guinaugh home personal': 368579, 'home personal care': 401850, 'personal care analyst': 652798, 'care analyst gave': 163835, 'analyst gave insight': 57143, 'gave insight into': 344628, 'into how covid': 442652, 'affecting consumer hygiene': 34504, 'working like': 1008757, 'trojan in': 932340, 'changing have': 172717, 'truly appreciated': 933259, 'colleague they are': 186246, 'are all working': 84371, 'all working like': 45513, 'working like trojan': 1008759, 'like trojan in': 491669, 'trojan in situation': 932341, 'in situation that': 427989, 'that is ever': 844584, 'ever changing have': 285250, 'changing have had': 172718, 'have had many': 380866, 'doing and it': 252290, 'it is truly': 459110, 'is truly appreciated': 453377, 'truly appreciated tesco': 933260, 'nocommonsense': 566097, 'can panic': 159192, 'buying really': 150952, 'therefore impossible': 879437, 'ocado site': 578917, 'site or': 771984, 'with morrison': 999568, 'morrison where': 541783, 'world heading': 1009629, 'heading panicked': 385952, 'shopper make': 761606, 'food nocommonsense': 315554, 'can panic buying': 159194, 'panic buying really': 637861, 'buying really stop': 150953, 'really stop now': 702616, 'stop now it': 804856, 'it is therefore': 459100, 'is therefore impossible': 453043, 'therefore impossible to': 879438, 'impossible to access': 419395, 'access the asda': 28202, 'the asda waitrose': 848960, 'asda waitrose ocado': 95002, 'waitrose ocado site': 964469, 'ocado site or': 578919, 'site or even': 771985, 'or even book': 615190, 'even book with': 283903, 'book with morrison': 134637, 'with morrison where': 999569, 'morrison where is': 541784, 'the world heading': 871886, 'world heading panicked': 1009630, 'heading panicked shopper': 385953, 'panicked shopper make': 639288, 'shopper make thing': 761607, 'thing worse for': 885019, 'worse for people': 1010932, 'need food nocommonsense': 554800, 'you queuing': 1020531, '5am ready': 20615, 'to storm': 915652, 'storm the': 811846, 'get bit': 346677, 'bread if': 138490, 'lucky but': 506537, 'till 3pm': 895983, '3pm like': 18410, 'real essential': 701130, 'essential isn': 281178, 'are stop': 90536, 'of you queuing': 593416, 'you queuing at': 1020532, 'at supermarket door': 100717, 'supermarket door at': 820012, 'door at 5am': 255523, 'at 5am ready': 97698, '5am ready to': 20616, 'ready to storm': 700982, 'to storm the': 915653, 'storm the shop': 811847, 'the shop yeah': 867043, 'yeah you ll': 1014321, 'll get bit': 496783, 'get bit of': 346678, 'bit of bread': 131635, 'of bread if': 580844, 'bread if you': 138491, 're lucky but': 699020, 'lucky but if': 506538, 'if you wait': 415551, 'you wait till': 1022101, 'wait till 3pm': 964212, 'till 3pm like': 895984, '3pm like me': 18411, 'like me you': 490760, 'me you can': 524045, 'get the real': 348288, 'the real essential': 865220, 'real essential isn': 701131, 'essential isn the': 281180, 'isn the problem': 454714, 'the problem we': 864532, 'problem we are': 679739, 'we are stop': 970724, 'are stop panic': 90537, 'auctioning': 102877, 'myquarantineinagif': 550799, 'flattenthecuve': 310222, 'toilettissue': 923456, 'notimeforjokes': 573567, 'is auctioning': 445891, 'auctioning used': 102880, 'tissue on': 899180, 'ebay stayathome': 266486, 'stayathome myquarantineinagif': 797550, 'myquarantineinagif healthworkers': 550800, 'healthworkers healthcareheroes': 387503, 'healthcareheroes flattenthecuve': 387414, 'flattenthecuve toiletpaper': 310224, 'toiletpaper toilettissue': 922738, 'toilettissue disgusting': 923457, 'disgusting notimeforjokes': 245426, 'notimeforjokes cor': 573568, 'somebody is auctioning': 784264, 'is auctioning used': 445892, 'auctioning used toilet': 102881, 'used toilet tissue': 950108, 'toilet tissue on': 921644, 'tissue on ebay': 899181, 'on ebay stayathome': 600495, 'ebay stayathome myquarantineinagif': 266487, 'stayathome myquarantineinagif healthworkers': 797551, 'myquarantineinagif healthworkers healthcareheroes': 550801, 'healthworkers healthcareheroes flattenthecuve': 387504, 'healthcareheroes flattenthecuve toiletpaper': 387415, 'flattenthecuve toiletpaper toilettissue': 310225, 'toiletpaper toilettissue disgusting': 922739, 'toilettissue disgusting notimeforjokes': 923458, 'disgusting notimeforjokes cor': 245427, 'work why': 1006015, 'shit drugmaker': 759093, 'drugmaker recently': 261175, 'december 2019': 230740, 'doesn work why': 252003, 'work why is': 1006016, 'is this shit': 453122, 'this shit drugmaker': 890078, 'shit drugmaker recently': 759094, 'drugmaker recently doubled': 261176, 'chloroquine in december': 177605, 'in december 2019': 422060, 'december 2019 but': 230741, 'to the reduced': 917012, 'the reduced price': 865394, 'reduced price via': 706159, 'offer washing': 594881, 'sanitizers should': 736392, 'every restaurant': 286137, 'supermarket infect': 821028, 'restaurant supermarket that': 716724, 'supermarket that offer': 823193, 'that offer washing': 845463, 'offer washing hand': 594882, 'hand and sanitizers': 374773, 'and sanitizers should': 70905, 'sanitizers should do': 736394, 'should do so': 765930, 'do so long': 250097, 'so long after': 777579, '19 every restaurant': 6866, 'every restaurant supermarket': 286139, 'restaurant supermarket infect': 716722, 'to pitch': 911742, 'pitch everything': 657004, 'scam treatment': 740435, 'robocalls to pitch': 724775, 'to pitch everything': 911743, 'pitch everything from': 657005, 'everything from scam': 287804, 'from scam treatment': 337175, 'scam treatment to': 740436, 'at home scheme': 99098, 'era order': 280072, 'online park': 608730, 'park outside': 641965, 'outside worker': 629650, 'worker brings': 1006541, 'brings stuff': 140274, 'stuff to': 815222, 'car bestbuy': 163031, 'the era order': 854475, 'era order online': 280073, 'order online park': 618478, 'online park outside': 608731, 'park outside worker': 641966, 'outside worker brings': 629651, 'worker brings stuff': 1006542, 'brings stuff to': 140275, 'stuff to your': 815227, 'your car bestbuy': 1023128, 'poor now': 664236, 'fired and': 308162, 'open two': 612613, 'attention your': 102509, 'and poor now': 69191, 'poor now you': 664237, 'the money the': 860828, 'money the supermarket': 537063, 'you get fired': 1018769, 'get fired and': 347018, 'fired and need': 308165, 'only open two': 610906, 'open two hour': 612614, 'two hour day': 936960, 'day you pay': 228824, 'you pay attention': 1020305, 'pay attention your': 644767, 'attention your neighbor': 102510, 'frenzy good': 332780, 'stopped panic': 805734, 'buying then': 151192, 'and corrupt': 60585, 'corrupt greedy': 207661, 'they bite': 881560, 'bite their': 131876, 'their as': 872513, 'police patrol supermarket': 663152, 'patrol supermarket aisle': 644389, 'aisle to control': 40404, 'to control panic': 903449, 'buying frenzy good': 150378, 'frenzy good news': 332781, 'good news if': 357449, 'news if people': 560522, 'if people stopped': 414633, 'people stopped panic': 649662, 'stopped panic buying': 805735, 'panic buying then': 637928, 'buying then there': 151193, 'then there wouldn': 877645, 'wouldn be empty': 1012441, 'be empty shelf': 114673, 'empty shelf they': 275097, 'they are selfish': 881401, 'selfish and corrupt': 747983, 'and corrupt greedy': 60586, 'corrupt greedy and': 207662, 'greedy and hope': 363471, 'and hope they': 64720, 'hope they bite': 403703, 'they bite their': 881561, 'bite their as': 131877, 'fucking shameful': 339995, 'shameful that': 754705, 'fucking shameful that': 339996, 'shameful that all': 754706, 'priciest': 677910, 'mississauga still': 534401, 'still one': 800936, 'canada priciest': 160532, 'priciest rental': 677911, 'could affect': 208795, 'affect price': 34212, 'mississauga still one': 534402, 'still one of': 800937, 'of canada priciest': 581087, 'canada priciest rental': 160533, 'priciest rental market': 677912, 'rental market but': 711241, 'market but covid': 516124, '19 could affect': 6152, 'could affect price': 208798, 'affect price soon': 34213, 'll fucking': 496779, 'fucking slice': 340006, 'slice you': 773873, 'll fucking slice': 496780, 'fucking slice you': 340007, 'slice you if': 773874, 'if you take': 415534, 'you take one': 1021515, 'take one step': 832420, 'one step into': 607102, 'step into that': 799575, 'into that supermarket': 443091, 'skinned': 773104, 'gaw': 344696, 'x1': 1013738, 'gaymer': 344732, 'fortnite skinned': 329870, 'skinned account': 773105, 'account gaw': 28679, 'gaw x1': 344699, 'x1 winner': 1013739, 'winner price': 996037, 'follow tag': 312514, 'friend comment': 333557, 'comment covid': 188405, 'is gaymer': 448006, 'gaymer like': 344735, 'like retweet': 491087, 'retweet end': 720046, 'fortnite skinned account': 329871, 'skinned account gaw': 773106, 'account gaw x1': 28680, 'gaw x1 winner': 344700, 'x1 winner price': 1013740, 'winner price follow': 996038, 'price follow tag': 673905, 'follow tag friend': 312515, 'tag friend comment': 831753, 'friend comment covid': 333558, 'comment covid 19': 188406, '19 is gaymer': 7976, 'is gaymer like': 448008, 'gaymer like retweet': 344736, 'like retweet end': 491088, 'retweet end soon': 720047, 'riskiest': 724052, 'quarantin': 691981, 'yes for': 1015434, 'many the': 514791, 'supermarket may': 821477, 'the riskiest': 865891, 'riskiest thing': 724053, 'is unavailable': 453430, 'unavailable wash': 939466, 'hand soon': 375787, 'even disinfect': 284009, 'disinfect or': 245556, 'or quarantin': 616761, 'yes for many': 1015436, 'for many the': 323237, 'many the weekly': 514792, 'weekly shop in': 977548, 'in supermarket may': 428630, 'supermarket may be': 821478, 'be the riskiest': 117651, 'the riskiest thing': 865892, 'riskiest thing they': 724054, 'they do if': 881963, 'do if home': 249415, 'if home delivery': 414238, 'delivery is unavailable': 234146, 'is unavailable wash': 453433, 'unavailable wash your': 939467, 'your hand soon': 1024224, 'hand soon you': 375788, 'get home maybe': 347245, 'home maybe wear': 401601, 'maybe wear glove': 521876, 'glove and do': 352557, 'your face you': 1023762, 'face you can': 294871, 'can even disinfect': 158249, 'even disinfect or': 284010, 'disinfect or quarantin': 245557, 'who pissed': 989424, 'shelf emptying': 757044, 'emptying scum': 275274, 'scum bag': 742972, 'who pissed off': 989425, 'pissed off with': 656979, 'off with the': 594400, 'supermarket shelf emptying': 822461, 'shelf emptying scum': 757046, 'emptying scum bag': 275275, 'facilitating': 295278, 'allocation': 45895, 'properly utilize': 684214, 'act not': 29711, 'acceptable it': 28020, 'be facilitating': 114774, 'facilitating smooth': 295283, 'smooth allocation': 775924, 'allocation of': 45896, 'state at': 795397, 'fair and': 296310, 'price ignored': 674629, 'ignored we': 415890, 'have state': 382733, 'in bidding': 420821, 'war do': 966415, 'failure to properly': 296302, 'to properly utilize': 912270, 'properly utilize the': 684215, 'production act not': 681898, 'act not acceptable': 29712, 'not acceptable it': 568025, 'acceptable it should': 28021, 'should be facilitating': 765620, 'be facilitating smooth': 114775, 'facilitating smooth allocation': 295284, 'smooth allocation of': 775925, 'allocation of resource': 45897, 'resource to state': 714913, 'to state at': 915252, 'state at fair': 795398, 'at fair and': 98617, 'fair and affordable': 296311, 'and affordable price': 57745, 'affordable price ignored': 34883, 'price ignored we': 674630, 'ignored we have': 415891, 'we have state': 971948, 'have state in': 382734, 'state in bidding': 795681, 'in bidding war': 420822, 'bidding war do': 129526, 'war do better': 966416, 'bahar': 108546, 'khana': 473717, 'really miss': 702417, 'miss is': 534153, 'forgotten spending': 329456, 'spending quality': 788961, 'pet video': 653475, 'all friend': 42870, 'friend exit': 333594, 'exit poll': 290370, 'poll competition': 663831, 'competition in': 191700, 'case statistic': 166033, 'statistic the': 796593, 'important is': 418847, 'hygiene no': 412125, 'no bahar': 563655, 'bahar ka': 108547, 'ka khana': 470562, 'khana no': 473718, 'what really miss': 982086, 'really miss is': 702419, 'miss is people': 534154, 'is people have': 450837, 'people have forgotten': 648178, 'have forgotten spending': 380693, 'forgotten spending quality': 329457, 'spending quality time': 788962, 'with family pet': 998383, 'family pet video': 298159, 'pet video call': 653476, 'video call to': 956652, 'call to all': 156165, 'to all friend': 900249, 'all friend exit': 42871, 'friend exit poll': 333595, 'exit poll competition': 290371, 'poll competition in': 663832, 'competition in medium': 191701, 'in medium for': 425237, 'medium for covid': 527107, '19 case statistic': 5701, 'case statistic the': 166034, 'statistic the most': 796594, 'most important is': 542401, 'important is hygiene': 418848, 'is hygiene no': 448647, 'hygiene no bahar': 412126, 'no bahar ka': 563656, 'bahar ka khana': 108548, 'ka khana no': 470563, 'khana no on': 473719, 'upsetting to': 947839, 'top ten': 925732, 'ten list': 837784, 'here american': 392683, 'upsetting to see': 947840, 'paper not make': 640512, 'make the top': 510589, 'the top ten': 869795, 'top ten list': 925733, 'ten list here': 837785, 'list here american': 494351, 'here american need': 392684, 'bill gate': 130580, 'gate here': 344336, 'lost time': 503936, 'ventilator forcing': 954563, 'forcing 50': 328689, '50 governor': 19708, 'for lifesaving': 322976, 'lifesaving equipment': 489334, 'bill gate here': 130583, 'gate here how': 344337, 'up for lost': 944945, 'for lost time': 323115, 'lost time on': 503938, 'time on covid': 897397, '19 the washington': 11262, 'washington post the': 967795, 'post the same': 666356, 'the same go': 866232, 'go for mask': 353564, 'and ventilator forcing': 74918, 'ventilator forcing 50': 954564, 'forcing 50 governor': 328690, '50 governor to': 19709, 'governor to compete': 361006, 'to compete for': 903120, 'compete for lifesaving': 191590, 'for lifesaving equipment': 322977, 'lifesaving equipment and': 489335, 'equipment and hospital': 279682, 'and hospital to': 64751, 'hospital to pay': 404687, 'price for it': 673983, 'for it only': 322722, 'it only make': 460102, 'only make matter': 610756, 'ima': 416603, 'makin': 510929, 'how ima': 408023, 'ima be': 416604, 'be makin': 115884, 'makin food': 510930, 'wanna take': 965674, 'take anything': 831950, 'how ima be': 408024, 'ima be makin': 416605, 'be makin food': 115885, 'makin food from': 510931, 'on since all': 603473, 'since all wanna': 770498, 'all wanna take': 45387, 'wanna take anything': 965675, 'take anything and': 831951, 'found gouging': 330222, 'gouging price': 359437, 'avoid high': 105144, 'research found gouging': 713727, 'found gouging price': 330223, 'gouging price on': 359439, 'to avoid high': 900908, 'avoid high price': 105145, 'price and stay': 672548, 'lochnessmonster': 499012, 'this shot': 890120, 'shot thing': 765449, 'thing got': 884373, 'store toiletpaper': 810888, 'toiletpaper still': 922537, 'still remains': 801115, 'remains elusive': 710003, 'elusive the': 272041, 'the lochnessmonster': 859583, 'lochnessmonster groceryshopping': 499013, 'call this shot': 156156, 'this shot thing': 890121, 'shot thing got': 765450, 'thing got the': 884375, 'last of at': 480413, 'of at the': 580423, 'grocery store toiletpaper': 365872, 'store toiletpaper still': 810889, 'toiletpaper still remains': 922538, 'still remains elusive': 801116, 'remains elusive the': 710004, 'elusive the lochnessmonster': 272042, 'the lochnessmonster groceryshopping': 859584, 'lochnessmonster groceryshopping grocery': 499014, 'resident barred': 714262, 'curfew resident barred': 220922, 'resident barred from': 714263, 'barred from leaving': 111187, 'from leaving their': 336210, 'our attitude': 622148, 'attitude prioritizing': 102578, 'prioritizing good': 678482, 'and liberty': 66123, 'liberty and': 488043, 'freedom over': 332381, 'many all': 513722, 'and polite': 69171, 'polite govt': 663598, 'govt update': 361324, 'update will': 947321, 'selfishness quickly': 748375, 'enough 19': 277306, 'this will spread': 891446, 'will spread because': 994922, 'because of our': 119384, 'of our attitude': 587424, 'our attitude prioritizing': 622149, 'attitude prioritizing good': 102579, 'prioritizing good of': 678483, 'the one and': 862189, 'one and liberty': 605902, 'and liberty and': 66124, 'liberty and freedom': 488044, 'and freedom over': 63283, 'freedom over the': 332382, 'over the good': 630725, 'the many all': 860033, 'many all the': 513723, 'sanitizer and polite': 734427, 'and polite govt': 69172, 'polite govt update': 663599, 'govt update will': 361325, 'update will not': 947323, 'not change our': 568727, 'change our selfishness': 172220, 'our selfishness quickly': 624708, 'selfishness quickly enough': 748376, 'quickly enough 19': 694517, 'yesterday this': 1015896, 'very young': 955677, 'young woman': 1022672, 'job training': 466241, 'hour she': 405907, 'wa smiling': 963248, 'and carefully': 59561, 'carefully followed': 164467, 'followed all': 312593, 'her trainer': 392484, 'trainer instruction': 929314, 'yesterday this very': 1015897, 'this very young': 890969, 'very young woman': 955678, 'young woman wa': 1022673, 'woman wa doing': 1003647, 'wa doing on': 962006, 'doing on the': 252578, 'the job training': 858675, 'job training for': 466242, 'training for the': 929339, 'for the very': 326763, 'very first day': 955166, 'first day at': 308612, 'day at my': 227336, 'at my main': 99822, 'my main grocery': 549190, 'main grocery store': 508755, 'grocery store making': 365550, 'store making an': 808857, 'making an hour': 510956, 'an hour she': 56101, 'hour she wa': 405908, 'she wa smiling': 756428, 'wa smiling and': 963249, 'smiling and happy': 775765, 'and happy and': 64174, 'happy and carefully': 377580, 'and carefully followed': 59562, 'carefully followed all': 164468, 'followed all of': 312594, 'all of her': 43694, 'of her trainer': 584587, 'her trainer instruction': 392485, 'commitment fight': 188993, 'fight price': 304848, 'gouging we': 359494, 'provide very': 686536, 'very competitive': 955065, 'by purchasing': 153690, 'purchasing directly': 689855, 'from production': 336987, 'factory at': 295930, 'at 3m': 97632, '3m and': 18301, 'other manufacturer': 620506, 'manufacturer hcw': 513467, 'hcw mask': 384669, 'n95 n95mask': 551215, 'n95mask kn95': 551251, 'kn95 19': 475965, 'our commitment fight': 622440, 'commitment fight price': 188994, 'fight price gouging': 304849, 'price gouging we': 674341, 'gouging we are': 359495, 'to provide very': 912448, 'provide very competitive': 686537, 'very competitive price': 955066, 'competitive price by': 191779, 'price by purchasing': 673033, 'by purchasing directly': 153691, 'purchasing directly from': 689856, 'directly from production': 243550, 'from production line': 336989, 'production line at': 682109, 'line at factory': 492982, 'at factory at': 98612, 'factory at 3m': 295931, 'at 3m and': 97633, '3m and other': 18302, 'and other manufacturer': 68358, 'other manufacturer hcw': 620507, 'manufacturer hcw mask': 513468, 'hcw mask n95': 384670, 'mask n95 n95mask': 518992, 'n95 n95mask kn95': 551216, 'n95mask kn95 19': 551252, 'libs': 488077, 'folk we': 312291, 'demand housing': 235645, 'everyone libs': 287157, 'libs look': 488078, 'look buddy': 502323, 'buddy we': 141741, 'on bill': 599641, 'bill where': 130724, 'where if': 984935, 'work 40': 1004700, 'your bos': 1023002, 'bos you': 135716, 'these privilege': 880550, 'folk we demand': 312292, 'we demand housing': 971268, 'demand housing food': 235646, 'housing food covid': 407080, '19 treatment and': 11567, 'treatment and healthcare': 931031, 'and healthcare for': 64377, 'healthcare for everyone': 387122, 'for everyone libs': 321220, 'everyone libs look': 287158, 'libs look buddy': 488079, 'look buddy we': 502324, 'buddy we re': 141742, 'working hard on': 1008684, 'hard on bill': 377981, 'on bill where': 599643, 'bill where if': 130725, 'where if you': 984936, 'you work 40': 1022418, 'work 40 hour': 1004701, 'week and listen': 975919, 'and listen to': 66225, 'to your bos': 918957, 'your bos you': 1023005, 'bos you ll': 135717, 'll have access': 496825, 'access to these': 28291, 'to these privilege': 917350, 'getgo': 348775, 'aldi giant': 41266, 'eagle market': 264373, 'market district': 516300, 'district getgo': 248368, 'getgo 10': 348776, '10 trader': 1742, 'joe walmart': 466448, 'walmart 11': 965264, '11 check': 2502, 'of adjusted': 579786, 'adjusted hour': 32321, 'aldi giant eagle': 41267, 'giant eagle market': 349767, 'eagle market district': 264374, 'market district getgo': 516301, 'district getgo 10': 248369, 'getgo 10 trader': 348777, '10 trader joe': 1743, 'trader joe walmart': 928722, 'joe walmart 11': 466449, 'walmart 11 check': 965265, '11 check out': 2503, 'out the full': 627371, 'list of adjusted': 494410, 'of adjusted hour': 579787, 'adjusted hour in': 32322, 'hour in response': 405693, 'pandemic for local': 635447, 'and supermarket here': 72722, 'first sunday': 309039, 'quebec with': 693349, 'also happens': 48317, 'be palmsunday': 116345, 'palmsunday no': 634621, 'driven activity': 259270, 'activity on': 30479, 'of peace': 587851, 'peace remember': 646014, 'the palm': 862874, 'palm branch': 634603, 'branch were': 137705, 'were symbol': 980213, 'of goodness': 584248, 'goodness and': 358049, 'and victory': 74952, 'victory we': 956577, 'shall overcome': 754539, 'overcome inthistogether': 631125, 'inthistogether bekind': 442312, 'bekind stayhome': 126113, 'the first sunday': 855353, 'first sunday in': 309040, 'sunday in quebec': 818214, 'in quebec with': 427205, 'quebec with all': 693350, 'with all store': 997162, 'all store closed': 44490, 'store closed it': 807064, 'closed it also': 183195, 'it also happens': 456429, 'also happens to': 48318, 'to be palmsunday': 901432, 'be palmsunday no': 116346, 'palmsunday no consumer': 634622, 'no consumer driven': 563881, 'consumer driven activity': 197247, 'driven activity on': 259271, 'activity on day': 30480, 'day of peace': 228090, 'of peace remember': 587853, 'peace remember the': 646015, 'remember the palm': 710316, 'the palm branch': 862875, 'palm branch were': 634604, 'branch were symbol': 137706, 'were symbol of': 980214, 'symbol of goodness': 830769, 'of goodness and': 584249, 'goodness and victory': 358050, 'and victory we': 74953, 'victory we too': 956578, 'we too shall': 973553, 'too shall overcome': 925053, 'shall overcome inthistogether': 754540, 'overcome inthistogether bekind': 631126, 'inthistogether bekind stayhome': 442313, 'birmingham queue': 131384, 'queue around': 693877, 'shame look': 754608, 'swiss population': 830455, 'shopper at the': 761414, 'at the costco': 100915, 'the costco in': 851991, 'costco in birmingham': 208240, 'in birmingham queue': 420861, 'birmingham queue around': 131385, 'queue around the': 693878, 'stock up in': 803089, 'of the shame': 591454, 'the shame look': 866776, 'shame look how': 754609, 'look how the': 502411, 'how the swiss': 408882, 'the swiss population': 869064, 'swiss population is': 830456, 'population is behaving': 664704, 'may3': 521627, 'pmmodi addressed': 662058, 'nation extended': 552165, 'extended lockdown': 293175, 'additional 19': 31766, 'day till': 228550, 'till may3': 896056, 'may3 area': 521628, 'case or': 165942, 'no hotspot': 564446, 'hotspot on': 405314, 'april 20': 83446, 'allowed some': 46218, 'some relaxation': 783718, 'relaxation nation': 708845, 'under observation': 940179, 'observation lockdown2': 578547, 'lockdown2 to': 500191, 'more strict': 540480, 'strict medicine': 813637, 'pmmodi addressed the': 662059, 'the nation extended': 861227, 'nation extended lockdown': 552166, 'extended lockdown for': 293176, 'lockdown for additional': 499392, 'for additional 19': 319014, 'additional 19 day': 31767, '19 day till': 6432, 'day till may3': 228551, 'till may3 area': 896057, 'may3 area with': 521629, 'with no case': 999738, 'no case or': 563768, 'case or no': 165943, 'or no hotspot': 616261, 'no hotspot on': 564447, 'hotspot on april': 405315, 'on april 20': 599437, 'april 20 to': 83447, '20 to be': 13393, 'to be allowed': 901103, 'be allowed some': 113566, 'allowed some relaxation': 46219, 'some relaxation nation': 783719, 'relaxation nation will': 708846, 'nation will be': 552390, 'be under observation': 117852, 'under observation lockdown2': 940180, 'observation lockdown2 to': 578548, 'lockdown2 to be': 500192, 'be more strict': 115996, 'more strict medicine': 540481, 'strict medicine food': 813638, 'medicine food in': 526781, 'seen outside': 747179, 'last ditch': 480196, 'ditch effort': 248444, 'seen outside local': 747180, 'local supermarket last': 498547, 'supermarket last ditch': 821267, 'last ditch effort': 480198, 'ditch effort to': 248445, 'effort to control': 269617, 'control the hoarder': 202166, 'fridaythoughts today': 333367, 'today hero': 919647, 'worker fridaymotivation': 1006989, 'coronacrisis fridaythoughts today': 204607, 'fridaythoughts today hero': 333368, 'today hero thank': 919648, 'you supermarket worker': 1021481, 'supermarket worker fridaymotivation': 824026, 'dropping to': 260744, 'that haven': 844245, 'year dairy': 1014504, 'milk price dropping': 531781, 'price dropping to': 673609, 'dropping to low': 260745, 'to low that': 909491, 'low that haven': 505663, 'that haven been': 844246, 'haven been seen': 383758, 'seen in year': 747089, 'in year dairy': 431022, 'year dairy farmer': 1014505, 'an oversupply due': 56763, 'dr trump': 258116, 'said publicly': 731320, 'publicly the': 688603, 'drug called': 260898, 'called chloroquine': 156292, 'chloroquine wa': 177637, 'against claimed': 37366, 'claimed non': 179883, 'existent fda': 290277, 'nigeria one': 562777, 'trump so': 933850, 'called shithole': 156440, 'shithole country': 759323, 'started buying': 794691, 'chloroquine ppl': 177617, 'ppl died': 668209, 'dr trump said': 258117, 'trump said publicly': 933806, 'said publicly the': 731321, 'publicly the drug': 688604, 'the drug called': 853730, 'drug called chloroquine': 260899, 'called chloroquine wa': 156293, 'chloroquine wa effective': 177638, 'wa effective against': 962055, 'effective against claimed': 269209, 'against claimed non': 37367, 'claimed non existent': 179884, 'non existent fda': 566379, 'existent fda approval': 290278, 'fda approval of': 300829, 'approval of chloroquine': 83095, 'chloroquine in nigeria': 177606, 'in nigeria one': 425879, 'nigeria one of': 562778, 'one of trump': 606770, 'of trump so': 592477, 'trump so called': 933851, 'so called shithole': 776692, 'called shithole country': 156441, 'shithole country people': 759324, 'country people started': 210954, 'people started buying': 649543, 'started buying at': 794692, 'buying at exorbitant': 149963, 'exorbitant price and': 290402, 'and taking chloroquine': 72996, 'taking chloroquine ppl': 833312, 'chloroquine ppl died': 177618, 'tnx': 899403, 'kzn': 478116, 'him may': 396657, 'may he': 521262, 'he recover': 385341, 'recover soon': 705198, 'soon tnx': 785859, 'tnx for': 899404, 'first kzn': 308747, 'kzn covid': 478117, 'government issue': 360287, 'issue free': 455758, 'item aren': 463109, 'price heavily': 674488, 'heavily inflated': 388585, 'strength to him': 813237, 'to him may': 907773, 'him may he': 396658, 'may he recover': 521264, 'he recover soon': 385342, 'recover soon tnx': 705201, 'soon tnx for': 785860, 'tnx for sharing': 899405, 'for sharing ve': 325532, 'sharing ve never': 755624, 'much fear in': 544882, 'fear in our': 301167, 'in our people': 426328, 'our people since': 624312, 'the first kzn': 855320, 'first kzn covid': 308748, 'kzn covid 19': 478118, '19 case can': 5671, 'case can government': 165677, 'can government issue': 158527, 'government issue free': 360288, 'issue free mask': 455759, 'sanitizers to citizen': 736422, 'to citizen these': 902772, 'citizen these item': 178981, 'these item aren': 880194, 'item aren available': 463110, 'aren available in': 92336, 'store or price': 809363, 'or price heavily': 616692, 'price heavily inflated': 674489, 'burna': 142902, 'zlatan': 1027648, 'ini': 438503, 'beatz': 118640, 'ibile': 412577, 'new beat': 558381, 'beat out': 118537, 'youtube isolation': 1026909, 'isolation burna': 455220, 'burna boy': 142903, 'boy davido': 137249, 'davido zlatan': 227015, 'zlatan type': 1027649, 'type beat': 937512, 'beat prod': 118545, 'prod by': 680139, 'by ini': 152925, 'ini beatz': 438504, 'beatz email': 118641, 'price link': 675058, 'beat leave': 118531, 'leave like': 484860, 'like comment': 490030, 'subscribe ibile': 815852, 'ibile stayhomesavelives': 412578, 'new beat out': 558382, 'beat out on': 118538, 'out on youtube': 626927, 'on youtube isolation': 605526, 'youtube isolation burna': 1026910, 'isolation burna boy': 455221, 'burna boy davido': 142904, 'boy davido zlatan': 137250, 'davido zlatan type': 227016, 'zlatan type beat': 1027650, 'type beat prod': 937513, 'beat prod by': 118546, 'prod by ini': 680140, 'by ini beatz': 152926, 'ini beatz email': 438505, 'beatz email me': 118642, 'email me for': 272236, 'for price link': 324723, 'price link for': 675059, 'link for full': 493831, 'for full beat': 321809, 'full beat leave': 340494, 'beat leave like': 118532, 'leave like comment': 484861, 'like comment and': 490031, 'comment and subscribe': 188386, 'and subscribe ibile': 72636, 'subscribe ibile stayhomesavelives': 815853, 'chain announced': 170483, 'announced pay': 77015, 'employee up': 274363, '16 through': 4181, '12 our': 2919, 'store struggling': 810430, 'store chain announced': 806911, 'chain announced pay': 170484, 'announced pay raise': 77016, 'pay raise for': 645068, 'raise for employee': 695846, 'for employee up': 321036, 'employee up an': 274364, 'up an hour': 944295, 'hour from march': 405633, 'march 16 through': 515087, '16 through april': 4182, 'through april 12': 894334, 'april 12 our': 83402, '12 our story': 2920, 'our story this': 624964, 'story this week': 812132, 'week on worker': 976680, 'worker at amp': 1006457, 'at amp other': 97968, 'amp other store': 54248, 'other store struggling': 620991, 'store struggling to': 810431, 'get their employer': 348327, 'their employer to': 873164, 'employer to let': 274550, 'let them wear': 487164, 'them wear glove': 876591, 'brand creativity': 137813, 'creativity with': 216224, 'quarantine head': 692251, 'technology give': 836305, 'give her': 350513, 'her expert': 392022, 'expert quick': 291926, 'at brand': 98159, 'brand reaction': 137982, 'reaction in': 700198, 'there are opportunity': 878138, 'opportunity for brand': 613606, 'for brand creativity': 319760, 'brand creativity with': 137814, 'creativity with and': 216225, 'with and quarantine': 997249, 'and quarantine head': 69858, 'quarantine head of': 692252, 'consumer technology give': 199236, 'technology give her': 836306, 'give her expert': 350514, 'her expert quick': 392023, 'expert quick look': 291927, 'look at brand': 502255, 'at brand reaction': 98160, 'brand reaction in': 137983, 'reaction in minute': 700199, 'hooray': 403370, 'adaptive': 31358, 'avid baked': 104970, 'good consumer': 356911, 'consumer appreciate': 196270, 'appreciate how': 82725, 'how merchant': 408316, 'merchant service': 529046, 'helped bakery': 391049, 'bakery keep': 108864, '19 hooray': 7571, 'hooray for': 403371, 'for adaptive': 319008, 'adaptive payment': 31359, 'payment solution': 645730, 'solution smallbiz': 782075, 'an avid baked': 55500, 'avid baked good': 104971, 'baked good consumer': 108770, 'good consumer appreciate': 356912, 'consumer appreciate how': 196271, 'appreciate how merchant': 82726, 'how merchant service': 408317, 'merchant service team': 529047, 'service team helped': 752897, 'team helped bakery': 835675, 'helped bakery keep': 391050, 'bakery keep their': 108865, 'keep their door': 472085, 'door open during': 255683, 'covid 19 hooray': 213218, '19 hooray for': 7572, 'hooray for adaptive': 403372, 'for adaptive payment': 319009, 'adaptive payment solution': 31360, 'payment solution smallbiz': 645731, 'italian shop': 462725, 'brescia who': 139388, '48 stay': 19327, 'for the italian': 326513, 'the italian shop': 858594, 'italian shop assistant': 462726, 'in brescia who': 420967, 'brescia who went': 139389, 'who went home': 989946, 'wa 48 stay': 961383, '48 stay at': 19328, '8336': 22864, 'contact santa': 200197, 'monica consumer': 537252, 'at 310': 97617, '310 458': 17612, '458 8336': 19185, '8336 or': 22865, 'consumer mailbox': 198086, 'mailbox net': 508679, 'net to': 557567, 'eviction related': 288338, 'remotely but': 710764, 'take complaint': 832032, 'contact santa monica': 200198, 'santa monica consumer': 736600, 'monica consumer protection': 537253, 'consumer protection at': 198509, 'protection at 310': 685339, 'at 310 458': 97618, '310 458 8336': 17613, '458 8336 or': 19186, '8336 or consumer': 22866, 'or consumer mailbox': 614797, 'consumer mailbox net': 198087, 'mailbox net to': 508680, 'net to report': 557568, 'gouging or for': 359415, 'or for information': 615364, 'for information about': 322574, 'about the moratorium': 26454, 'on eviction related': 600658, 'eviction related to': 288339, 'working remotely but': 1008886, 'remotely but we': 710765, 'here to answer': 393704, 'your question and': 1025495, 'question and take': 693526, 'and take complaint': 72961, 'sounding': 786355, 'deathknell': 230282, 'is sounding': 452134, 'sounding the': 786358, 'the deathknell': 852977, 'deathknell of': 230283, 'cash towards': 166363, 'the cashless': 850503, 'cashless contactless': 166689, 'contactless commerce': 200357, 'shopping world': 764466, 'is sounding the': 452135, 'sounding the deathknell': 786360, 'the deathknell of': 852978, 'deathknell of cash': 230284, 'of cash towards': 581186, 'cash towards the': 166364, 'towards the cashless': 927257, 'the cashless contactless': 850504, 'cashless contactless commerce': 166690, 'contactless commerce and': 200358, 'online shopping world': 609354, 'shopping world post': 764469, 'world post 19': 1009906, 'ssi': 791651, 'on ssi': 603619, 'ssi can': 791654, 'eat because': 265859, 'because buy': 118966, 'price apply': 672612, 'apply coupon': 82548, 'coupon we': 211769, 'both slightly': 136049, 'slightly ill': 773961, 'ill he': 416129, 'he much': 385239, 'better with': 128606, 'with copd': 997785, 'copd it': 203295, 'it risk': 460792, 'higher with': 395800, 'would help to': 1011919, 'help to survive': 390795, 'survive on ssi': 829215, 'on ssi can': 603621, 'ssi can afford': 791655, 'afford to eat': 34794, 'to eat because': 904869, 'eat because buy': 265860, 'because buy at': 118967, 'price and price': 672500, 'and price apply': 69437, 'price apply coupon': 672613, 'apply coupon we': 82549, 'coupon we are': 211770, 'are both slightly': 85038, 'both slightly ill': 136050, 'slightly ill he': 773962, 'ill he will': 416131, 'will not come': 994198, 'not come out': 568797, 'come out until': 187478, 'out until he': 627752, 'until he much': 943735, 'he much better': 385240, 'much better with': 544765, 'better with copd': 128607, 'with copd it': 997786, 'copd it risk': 203297, 'it risk is': 460793, 'risk is higher': 723641, 'is higher with': 448458, 'higher with covid': 395801, 'clouding': 184332, 'glorious': 352509, 'do work': 250592, 'work pc': 1005598, 'pc issue': 645890, 'issue eventually': 455734, 'eventually manages': 285163, 'work error': 1005099, 'error cannot': 280226, 'cannot upload': 162201, 'upload it': 947590, 'put washing': 690980, 'washing out': 967704, 'out start': 627242, 'start spitting': 794514, 'spitting and': 789584, 'and clouding': 60019, 'clouding over': 184333, 'over brings': 630036, 'brings washing': 140288, 'washing in': 967686, 'in glorious': 423346, 'glorious sunshine': 352514, 'sunshine go': 818428, 'home send': 402036, 'help monday': 390105, 'monday socialdistancing': 536383, 'ready to do': 700954, 'to do work': 904594, 'do work pc': 250596, 'work pc issue': 1005599, 'pc issue eventually': 645891, 'issue eventually manages': 455735, 'eventually manages to': 285164, 'manages to do': 512843, 'do work error': 250594, 'work error cannot': 1005100, 'error cannot upload': 280227, 'cannot upload it': 162202, 'upload it put': 947591, 'it put washing': 460569, 'put washing out': 690981, 'washing out start': 967705, 'out start spitting': 627243, 'start spitting and': 794515, 'spitting and clouding': 789585, 'and clouding over': 60020, 'clouding over brings': 184334, 'over brings washing': 630037, 'brings washing in': 140289, 'washing in glorious': 967687, 'in glorious sunshine': 423347, 'glorious sunshine go': 352515, 'sunshine go to': 818429, 'supermarket queue at': 822117, 'queue at each': 693886, 'at each one': 98500, 'each one so': 264147, 'one so just': 607063, 'so just go': 777495, 'just go home': 468827, 'go home send': 353671, 'home send help': 402037, 'send help monday': 749870, 'help monday socialdistancing': 390106, 'analyzing': 57269, 'revolutio': 720736, 'east analyzing': 265287, 'analyzing the': 57274, 'of corrupt': 581991, 'governance covid': 359778, 'ability of': 24380, 'militia to': 531529, 'suppress iraq': 827394, 'iraq powerful': 444781, 'powerful youth': 667813, 'october revolutio': 579149, 'middle east analyzing': 530644, 'east analyzing the': 265288, 'analyzing the impact': 57275, 'impact of corrupt': 417762, 'of corrupt governance': 581992, 'corrupt governance covid': 207659, 'governance covid 19': 359779, 'pandemic and collapse': 634866, 'and the ability': 73231, 'the ability of': 848235, 'ability of iran': 24382, 'of iran proxy': 585297, 'proxy militia to': 687343, 'militia to suppress': 531530, 'to suppress iraq': 915997, 'suppress iraq powerful': 827395, 'iraq powerful youth': 444782, 'powerful youth led': 667814, 'led october revolutio': 485247, 'sultanate': 817861, 'omanobserver': 598858, 'pandemiccovid19': 637112, 'imf sultanate': 416912, 'sultanate measure': 817862, 'measure respond': 525315, 'respond well': 715336, 'price oman': 675638, 'oman omanobserver': 598843, 'omanobserver pandemiccovid19': 598860, 'imf sultanate measure': 416913, 'sultanate measure respond': 817863, 'measure respond well': 525317, 'respond well to': 715337, 'well to covid': 978697, '19 and slump': 5108, 'oil price oman': 597206, 'price oman omanobserver': 675639, 'oman omanobserver pandemiccovid19': 598844, 'and mitch': 67084, 'mcconnell are': 522113, 'put corporate': 690547, 'corporate bailout': 207240, 'bailout ahead': 108621, 'it simply': 461065, 'simply wrong': 770317, 'be focused': 114887, 'helping hardworking': 391348, 'hardworking american': 378337, 'american community': 51872, 'not handing': 569774, 'handing big': 376125, 'corporation blank': 207392, 'blank check': 132369, 'trump and mitch': 933410, 'and mitch mcconnell': 67085, 'mitch mcconnell are': 534510, 'mcconnell are trying': 522114, 'trying to put': 934847, 'to put corporate': 912583, 'put corporate bailout': 690548, 'corporate bailout ahead': 207241, 'bailout ahead of': 108622, 'ahead of family': 39180, 'of family it': 583407, 'family it simply': 297968, 'it simply wrong': 461066, 'simply wrong we': 770318, 'wrong we need': 1013145, 'to be focused': 901260, 'be focused on': 114888, 'focused on helping': 311957, 'on helping hardworking': 601271, 'helping hardworking american': 391349, 'hardworking american community': 378338, 'american community and': 51873, 'community and small': 189723, 'small business not': 774881, 'business not handing': 144104, 'not handing big': 569775, 'handing big corporation': 376126, 'big corporation blank': 129717, 'corporation blank check': 207393, 'wa matter': 962625, 'first racist': 308899, 'racist remark': 695324, 'remark of': 710104, 'era aimed': 280027, 'supermarket area': 819196, 'of nearby': 586883, 'nearby target': 553689, 'and white': 75577, 'white woman': 987926, 'woman jumped': 1003541, 'jumped and': 467919, 'said jesus': 731178, 'christ you': 178092, 'who give': 988782, 'even an': 283837, 'it wa matter': 462148, 'wa matter of': 962626, 'of time just': 592177, 'time just had': 897096, 'just had my': 468902, 'my first racist': 548350, 'first racist remark': 308900, 'racist remark of': 695325, 'remark of the': 710105, '19 era aimed': 6815, 'era aimed at': 280028, 'aimed at me': 39572, 'at me wa': 99713, 'me wa in': 523890, 'the supermarket area': 868468, 'supermarket area of': 819197, 'area of nearby': 92137, 'of nearby target': 586884, 'nearby target and': 553690, 'target and white': 834437, 'and white woman': 75580, 'white woman jumped': 987927, 'woman jumped and': 1003542, 'jumped and said': 467920, 'and said jesus': 70766, 'said jesus christ': 731179, 'jesus christ you': 465292, 'christ you re': 178093, 'one who give': 607445, 'who give it': 988785, 'me and you': 522435, 're not even': 699088, 'not even an': 569235, 'even an american': 283838, 'cnbc company': 184718, 'still betting': 800288, 'consumer despite': 197189, 'despite impact': 238762, 'sector business': 744113, 'business say': 144346, 'will maintain': 994068, 'maintain previously': 509014, 'at 46': 97663, '46 and': 19220, 'increase planned': 432985, 'cnbc company are': 184719, 'are still betting': 90399, 'still betting on': 800289, 'betting on chinese': 128640, 'chinese consumer despite': 177226, 'consumer despite impact': 197190, 'despite impact consumer': 238763, 'impact consumer sector': 417610, 'consumer sector business': 198883, 'sector business say': 744114, 'business say they': 144347, 'they will maintain': 883864, 'will maintain previously': 994070, 'maintain previously planned': 509015, 'previously planned investment': 672052, 'planned investment at': 658460, 'investment at 46': 443966, 'at 46 and': 97665, '46 and saying': 19221, 'and saying they': 71019, 'saying they would': 739734, 'they would increase': 883943, 'would increase planned': 1011950, 'increase planned investment': 432986, 'innovationst': 438914, 'gouging file': 359318, 'here innovationst': 393205, 'gouging in state': 359351, 'of emergency is': 583039, 'illegal to report': 416254, 'price gouging file': 674277, 'gouging file complaint': 359319, 'complaint here innovationst': 191981, 'newsroom': 561121, 'josie': 467361, 'something never': 784975, 'thought hear': 893078, 'in newsroom': 425849, 'newsroom toiletpaper': 561126, 'toiletpaper producer': 922361, 'producer josie': 680650, 'something never thought': 784976, 'never thought hear': 558226, 'thought hear in': 893079, 'hear in newsroom': 387937, 'in newsroom toiletpaper': 425850, 'newsroom toiletpaper producer': 561127, 'toiletpaper producer josie': 922362, 'rand economist': 696570, 'economist and': 267519, 'other expert': 620200, 'expert discus': 291815, 'economy including': 267972, 'recession how': 704284, 'worker consumer': 1006687, 'spending bailouts': 788753, 'bailouts effective': 108693, 'effective stimulus': 269307, 'measure full': 525206, 'full conversation': 340539, 'rand economist and': 696571, 'economist and other': 267520, 'and other expert': 68320, 'other expert discus': 620201, 'expert discus the': 291818, 'discus the economy': 244914, 'the economy including': 853983, 'economy including the': 267973, 'including the likelihood': 432186, 'likelihood of recession': 491933, 'of recession how': 588825, 'recession how to': 704285, 'help worker consumer': 390946, 'worker consumer confidence': 1006688, 'confidence and spending': 193825, 'and spending bailouts': 72092, 'spending bailouts effective': 788754, 'bailouts effective stimulus': 108694, 'effective stimulus measure': 269308, 'stimulus measure full': 801560, 'measure full conversation': 525207, 'be selfish and': 117055, 'selfish and stock': 747994, 'up food during': 944885, 'food during this': 314329, 'pandemic be kind': 634975, 'kind and help': 474803, 'busy morning': 144934, 'work two': 1005947, 'to edit': 904937, 'edit an': 268578, 'postman ha': 666728, 'done knock': 254920, 'knock and': 476146, 'contact good': 200087, 'people taking': 649723, 'is strange': 452361, 'and unfamiliar': 74663, 'unfamiliar world': 941473, 'busy morning at': 144935, 'morning at work': 541184, 'at work two': 101624, 'work two hour': 1005948, 'two hour wait': 936963, 'wait to edit': 964224, 'to edit an': 904938, 'edit an online': 268579, 'delivery and the': 233682, 'and the postman': 73521, 'the postman ha': 864111, 'postman ha just': 666729, 'ha just done': 371050, 'just done knock': 468643, 'done knock and': 254921, 'knock and run': 476147, 'and run to': 70639, 'run to avoid': 727842, 'avoid contact good': 105045, 'contact good to': 200088, 'many people taking': 514535, 'people taking seriously': 649725, 'taking seriously it': 833557, 'seriously it is': 751655, 'it is strange': 459092, 'is strange and': 452362, 'strange and unfamiliar': 812379, 'and unfamiliar world': 74664, 'unfamiliar world at': 941474, 'world at the': 1009333, 'bounceback': 136822, 'contingent': 200956, 'what good': 981511, 'economy bounceback': 267710, 'bounceback is': 136823, 'is contingent': 446808, 'contingent on': 200957, 'danger posed': 225690, 'longer of': 502023, 'but what good': 147787, 'what good is': 981514, 'good is reopening': 357284, 'is reopening the': 451430, 'reopening the economy': 711401, 'economy and telling': 267655, 'back to their': 107400, 'to their job': 917245, 'their job when': 873744, 'job when so': 466284, 'when so much': 984040, 'the economy bounceback': 853942, 'economy bounceback is': 267711, 'bounceback is contingent': 136824, 'is contingent on': 446809, 'contingent on consumer': 200958, 'confidence that the': 193959, 'that the danger': 846699, 'the danger posed': 852827, 'danger posed by': 225691, 'posed by covid': 665122, '19 are no': 5203, 'no longer of': 564656, 'longer of concern': 502024, '350k': 17946, '500k': 20088, 'now update': 576275, 'with say': 1000589, 'say state': 739168, 'state emergency': 795557, 'emergency agency': 272585, 'agency sending': 38073, 'out 2m': 625535, '2m emergency': 16684, 'emergency mask': 272788, 'mask 350k': 518265, '350k face': 17947, 'shield 500k': 758133, '500k shoe': 20089, 'shoe cover': 759661, 'cover 350k': 212180, '350k glove': 17949, 'now update with': 576276, 'update with say': 947328, 'with say state': 1000591, 'say state emergency': 739169, 'state emergency agency': 795558, 'emergency agency sending': 272586, 'agency sending out': 38074, 'sending out 2m': 750068, 'out 2m emergency': 625536, '2m emergency mask': 16685, 'emergency mask 350k': 272789, 'mask 350k face': 518266, '350k face shield': 17948, 'face shield 500k': 294735, 'shield 500k shoe': 758134, '500k shoe cover': 20090, 'shoe cover 350k': 759663, 'cover 350k glove': 212181, '350k glove hand': 17950, 'sanitizer etc to': 734830, 'etc to frontline': 282834, 'to frontline health': 906273, 'frontline health care': 338752, 'dart express': 226035, 'express reduces': 293059, 'reduces retail': 706246, 'retail tariff': 718762, 'tariff price': 834615, '25 aiding': 15827, 'aiding the': 39516, 'blue dart express': 133444, 'dart express reduces': 226036, 'express reduces retail': 293060, 'reduces retail tariff': 706248, 'retail tariff price': 718763, 'tariff price by': 834616, 'by 25 aiding': 151604, '25 aiding the': 15828, 'aiding the nation': 39518, '19 pandemic outbreak': 9421, 'columbia dairy': 186876, 'up milk': 945384, 'restaurant coffee': 716393, 'other commercial': 619961, 'commercial user': 188751, 'user amid': 950259, 'shutdown some': 768099, 'is donated': 447306, 'charity bank': 173580, 'bank read': 110125, 'some british columbia': 782435, 'british columbia dairy': 140501, 'columbia dairy farmer': 186877, 'farmer are being': 299270, 'asked to give': 95866, 'give up milk': 350816, 'up milk because': 945385, 'milk because of': 531586, 'falling demand from': 297236, 'from restaurant coffee': 337088, 'restaurant coffee shop': 716394, 'coffee shop and': 185531, 'shop and other': 759858, 'and other commercial': 68295, 'other commercial user': 619963, 'commercial user amid': 188752, 'user amid covid': 950260, '19 shutdown some': 10529, 'shutdown some milk': 768100, 'some milk is': 783295, 'milk is donated': 531712, 'is donated to': 447307, 'to charity bank': 902653, 'charity bank read': 173581, 'bank read more': 110126, 'dan rather': 225544, 'rather praise': 697490, 'praise overlooked': 668858, 'overlooked covid': 631292, 'dan rather praise': 225546, 'rather praise overlooked': 697491, 'praise overlooked covid': 668859, 'overlooked covid 19': 631293, '19 hero on': 7521, 'hero on twitter': 394053, 'savemoney': 737784, 'saynotosingleuse': 739781, 'still toiletpapercrisis': 801320, 'toiletpapercrisis out': 923043, 'my toiletpaper': 550392, 'toiletpaper look': 922203, 'this savemoney': 889961, 'savemoney stayhome': 737787, 'stayhome saynotosingleuse': 798098, 'saynotosingleuse reuse': 739782, 'reuse zerowaste': 720180, 'idea if there': 413086, 'if there still': 415077, 'there still toiletpapercrisis': 879107, 'still toiletpapercrisis out': 801321, 'toiletpapercrisis out there': 923044, 'there that because': 879139, 'that because my': 842953, 'because my toiletpaper': 119265, 'my toiletpaper look': 550393, 'toiletpaper look like': 922204, 'like this savemoney': 491523, 'this savemoney stayhome': 889962, 'savemoney stayhome saynotosingleuse': 737788, 'stayhome saynotosingleuse reuse': 798099, 'saynotosingleuse reuse zerowaste': 739783, 'littleproud': 495671, 'have united': 383460, 'farmer going': 299384, 'through drought': 894433, 'drought we': 260775, 'those so': 892476, 'so terribly': 778341, 'terribly affected': 838460, 'the bushfires': 850151, 'bushfires so': 143151, 'let unite': 487193, 'unite again': 942115, 'again david': 36967, 'david littleproud': 226989, 'littleproud read': 495674, 'how australia': 407428, 'ensuring foodsecurity': 278177, 'foodsecurity during': 318072, 'we have united': 971977, 'have united for': 383461, 'united for our': 942164, 'for our farmer': 324241, 'our farmer going': 623022, 'farmer going through': 299385, 'going through drought': 355499, 'through drought we': 894435, 'drought we have': 260776, 'united for those': 942165, 'for those so': 327139, 'those so terribly': 892477, 'so terribly affected': 778342, 'terribly affected by': 838461, 'by the bushfires': 154273, 'the bushfires so': 850152, 'bushfires so let': 143152, 'so let unite': 777546, 'let unite again': 487194, 'unite again david': 942116, 'again david littleproud': 36968, 'david littleproud read': 226991, 'littleproud read how': 495675, 'read how australia': 700361, 'how australia is': 407429, 'australia is ensuring': 103313, 'is ensuring foodsecurity': 447523, 'ensuring foodsecurity during': 278178, 'foodsecurity during 19': 318073, 'origin of': 619541, 'we forget': 971587, 'medium claiming': 527041, 'unknown source': 942541, 'source wa': 786580, 'state guess': 795635, 'sweep it': 830135, 'it under': 461917, 'the rug': 866033, 'rug poor': 727093, 'poor agricultural': 664103, 'agricultural condition': 38874, 'general could': 345305, 'poor handling': 664190, 'of livestock': 585905, 'livestock or': 496277, 'or feed': 615286, 'feed blame': 302284, 'blame trump': 132312, 'trump little': 933688, 'starting to say': 795037, 'that the origin': 846791, 'the origin of': 862480, 'origin of covid': 619542, '19 is china': 7946, 'is china we': 446520, 'china we forget': 177052, 'we forget about': 971588, 'about the medium': 26449, 'the medium claiming': 860416, 'medium claiming that': 527042, 'claiming that the': 179910, 'that the unknown': 846860, 'the unknown source': 870438, 'unknown source wa': 942543, 'source wa in': 786581, 'the state guess': 867780, 'state guess people': 795636, 'guess people want': 368026, 'want to sweep': 966138, 'to sweep it': 916086, 'sweep it under': 830136, 'it under the': 461919, 'under the rug': 940329, 'the rug poor': 866034, 'rug poor agricultural': 727094, 'poor agricultural condition': 664104, 'agricultural condition in': 38875, 'condition in general': 193468, 'in general could': 423249, 'general could lead': 345306, 'lead to poor': 483380, 'to poor handling': 911878, 'poor handling of': 664191, 'handling of livestock': 376368, 'of livestock or': 585906, 'livestock or feed': 496278, 'or feed blame': 615287, 'feed blame trump': 302285, 'blame trump little': 132313, 'beneath': 126866, 'just listen': 469167, 'listen stop': 494716, 'over those': 630819, 'of complaining': 581625, 'work economy': 1005081, 'economy sure': 268246, 'supermarket amazon': 818898, 'or healthcare': 615611, 'healthcare job': 387158, 'aren beneath': 92344, 'beneath you': 126876, 'up listen': 945331, 'if everyone would': 414100, 'everyone would just': 287643, 'would just listen': 1011973, 'just listen stop': 469168, 'listen stop putting': 494717, 'stop putting everyone': 804949, 'putting everyone else': 691112, 'everyone else at': 286846, 'else at risk': 271632, 'risk stay home': 723904, 'home people out': 401835, 'people out all': 649016, 'out all over': 625604, 'all over those': 43883, 'over those of': 630820, 'those of complaining': 892261, 'of complaining about': 581626, 'complaining about getting': 191885, 'about getting back': 25298, 'to work economy': 918714, 'work economy sure': 1005082, 'economy sure you': 268247, 'get supermarket amazon': 348145, 'supermarket amazon or': 818899, 'amazon or healthcare': 51061, 'or healthcare job': 615612, 'healthcare job they': 387159, 'job they aren': 466198, 'they aren beneath': 881472, 'aren beneath you': 92345, 'beneath you shut': 126877, 'you shut up': 1021244, 'shut up listen': 767960, 'checkout cashier': 174896, 'cashier asks': 166481, 'found what': 330468, 'man politely': 512189, 'politely said': 663622, 'bread handed': 138482, 'handed them': 376088, 'my loaf': 549091, 'bread everyone': 138459, 'everyone clapped': 286785, 'clapped that': 180032, 'that man': 845007, 'man albert': 511979, 'albert einstein': 40767, 'einstein 19': 270241, 'store checkout cashier': 806957, 'checkout cashier asks': 174897, 'cashier asks the': 166482, 'asks the elderly': 96164, 'the elderly couple': 854118, 'elderly couple in': 270640, 'couple in front': 211603, 'of me if': 586332, 'if they found': 415110, 'they found what': 882143, 'found what they': 330469, 'they needed the': 882776, 'needed the old': 556521, 'old man politely': 598347, 'man politely said': 512190, 'politely said there': 663623, 'no bread handed': 563729, 'bread handed them': 138483, 'handed them my': 376089, 'them my loaf': 876043, 'my loaf of': 549092, 'of bread everyone': 580839, 'bread everyone clapped': 138460, 'everyone clapped that': 286786, 'clapped that man': 180033, 'that man albert': 845008, 'man albert einstein': 511980, 'albert einstein 19': 40768, 'sainsb': 731640, 'full supermarket': 340911, 'switzerland and': 830597, 'italy supermarket': 462931, 'supermarket panicshopping': 821922, 'panicbuying tesco': 639076, 'morrison sainsb': 541753, 'why am so': 990735, 'am so seeing': 50411, 'so seeing picture': 778166, 'picture of full': 656164, 'of full supermarket': 584002, 'full supermarket in': 340912, 'in switzerland and': 428768, 'switzerland and italy': 830598, 'and italy supermarket': 65624, 'italy supermarket panicshopping': 462933, 'supermarket panicshopping panicbuying': 821923, 'panicshopping panicbuying tesco': 639444, 'panicbuying tesco morrison': 639078, 'tesco morrison sainsb': 838745, 'supply also': 824677, 'food manufactured': 315370, 'manufactured after': 513397, 'after mid': 35928, 'mid january': 530569, 'dangerous stay': 225775, 'safe do': 729596, 'fine in': 307651, 'could affect food': 208796, 'affect food supply': 34147, 'food supply also': 316928, 'supply also the': 824678, 'also the food': 48972, 'the food manufactured': 855573, 'food manufactured after': 315371, 'manufactured after mid': 513398, 'after mid january': 35929, 'mid january 2020': 530570, 'january 2020 could': 464631, 'could be dangerous': 208854, 'be dangerous stay': 114332, 'dangerous stay safe': 225776, 'stay safe do': 797225, 'safe do not': 729597, 'not panic everything': 570909, 'panic everything will': 638085, 'be fine in': 114850, 'fine in sha': 307652, 'the buffet': 850085, 'buffet you': 141878, 'hand you': 376028, 'on to go': 604736, 'supermarket you have': 824194, 'have to wash': 383337, 'your hand to': 1024233, 'hand to use': 375878, 'use the buffet': 949655, 'the buffet you': 850087, 'buffet you have': 141879, 'wear glove on': 974343, 'the hand you': 857067, 'hand you use': 376031, 'you use to': 1022008, 'use to grab': 949757, 'to grab the': 906973, 'grab the spoon': 361548, 'worth at': 1011342, 'least around': 484401, 'here nobody': 393386, 'been barry': 120727, 'barry sander': 111383, 'sander running': 733693, 'running through': 728110, 'aisle trying': 40411, 'score some': 742369, 'tp little': 927868, 'of scarcity': 589382, 'scarcity but': 740823, 'but civil': 145419, 'civil every': 179518, 'gone since': 356367, 'seen the horror': 747283, 'the horror story': 857510, 'horror story for': 404212, 'story for what': 811979, 'it worth at': 462564, 'worth at least': 1011343, 'at least around': 99466, 'least around here': 484402, 'around here nobody': 93323, 'here nobody ha': 393387, 'nobody ha been': 566008, 'ha been barry': 369730, 'been barry sander': 120728, 'barry sander running': 111384, 'sander running through': 733694, 'running through the': 728111, 'store aisle trying': 806119, 'aisle trying to': 40412, 'trying to score': 934867, 'to score some': 913916, 'score some tp': 742371, 'some tp little': 784103, 'tp little bit': 927869, 'bit of scarcity': 131659, 'of scarcity but': 589383, 'scarcity but civil': 740824, 'but civil every': 145420, 'civil every time': 179519, 'time ve gone': 898180, 've gone since': 953159, 'gone since the': 356368, 'nstworld the': 576702, 'saturday urged': 737074, 'crisis claiming': 217217, 'claiming there': 179915, 'nstworld the british': 576703, 'british government on': 140531, 'government on saturday': 360420, 'on saturday urged': 603308, 'saturday urged people': 737075, 'coronavirus crisis claiming': 205742, 'crisis claiming there': 217218, 'claiming there is': 179916, 'genetics': 345744, 'should one': 766287, 'one spit': 607071, 'spit for': 789549, 'genomics test': 345818, 'test during': 838979, 'article genomics': 94338, 'genomics publichealth': 345814, 'publichealth genomics': 688530, 'genomics retweet': 345816, 'retweet genetics': 720052, 'genetics covid': 345745, '19 shakeout': 10430, 'shakeout in': 754452, 'should one spit': 766288, 'one spit for': 607072, 'spit for consumer': 789550, 'for consumer genomics': 320261, 'consumer genomics test': 197578, 'genomics test during': 345819, 'test during covid': 838980, 'outbreak check my': 628102, 'check my article': 174496, 'my article genomics': 547320, 'article genomics publichealth': 94339, 'genomics publichealth genomics': 345815, 'publichealth genomics retweet': 688531, 'genomics retweet genetics': 345817, 'retweet genetics covid': 720053, 'genetics covid 19': 345746, 'covid 19 shakeout': 213774, '19 shakeout in': 10431, 'shakeout in consumer': 754453, 'in consumer genomics': 421698, '19 forgot': 7093, 'cheese all': 175157, 'for dem': 320655, 'dem better': 234855, 'replace dem': 711581, 'dem with': 234886, 'covid 19 forgot': 213119, '19 forgot that': 7094, 'bun cheese all': 142607, 'cheese all over': 175158, 'the place and': 863767, 'place and wa': 657326, 'huh what this': 410326, 'what this for': 982434, 'this for dem': 887590, 'for dem better': 320656, 'dem better replace': 234856, 'better replace dem': 128447, 'replace dem with': 711582, 'dem with lysol': 234887, 'dont go': 255222, 'buying open': 150829, 'restriction interstate': 717303, 'interstate essential': 442139, 'only law': 610700, 'enforcement health': 276769, 'health infra': 386535, 'infra chemist': 438167, 'chemist bank': 175409, 'bank cashier': 109715, 'cashier atm': 166489, 'atm food': 101929, 'ration milk': 697709, 'food petrol': 315845, 'pump by': 689038, 'dont go for': 255223, 'go for panic': 353569, 'panic buying open': 637832, 'buying open during': 150830, 'during lockdown public': 262771, 'lockdown public transportation': 499817, 'public transportation allowed': 688428, 'with restriction interstate': 1000499, 'restriction interstate essential': 717304, 'interstate essential item': 442140, 'item only law': 463525, 'only law enforcement': 610701, 'law enforcement health': 482272, 'enforcement health infra': 276770, 'health infra chemist': 386536, 'infra chemist bank': 438168, 'chemist bank cashier': 175410, 'bank cashier atm': 109716, 'cashier atm food': 166490, 'atm food item': 101930, 'food item ration': 315226, 'item ration milk': 463599, 'ration milk shop': 697710, 'milk shop home': 531813, 'home delivery food': 401016, 'delivery food petrol': 234009, 'food petrol pump': 315846, 'petrol pump by': 653781, 'nefarious': 556719, 'scam preying': 740311, 'disease itself': 245171, 'itself with': 463968, 'with nefarious': 999693, 'nefarious scammer': 556720, 'exploit public': 292358, 'own gain': 632014, 'gain we': 342835, 'scam preying on': 740312, 'on fear are': 600757, 'fear are spreading': 301048, 'are spreading fast': 90336, 'spreading fast the': 790969, 'fast the disease': 300051, 'the disease itself': 853368, 'disease itself with': 245172, 'itself with nefarious': 463969, 'with nefarious scammer': 999694, 'nefarious scammer trying': 556721, 'to exploit public': 905497, 'exploit public panic': 292359, 'public panic for': 688215, 'panic for their': 638126, 'their own gain': 874176, 'own gain we': 632015, 'gain we ve': 342836, 'got the info': 358905, 'whitepaper': 987958, 'kgp': 473681, 'current scare': 221350, 'remote medical': 710716, 'ha dramatically': 370440, 'dramatically risen': 258366, 'forefront stay': 328944, 'our whitepaper': 625374, 'whitepaper releasing': 987959, 'releasing later': 709121, 'healthcare industry': 387145, 'industry becoming': 435686, 'becoming more': 120319, 'centric and': 169585, 'of talent': 590584, 'talent that': 833709, 'needed kgp': 556415, 'the current scare': 852663, 'current scare of': 221351, 'of the idea': 591119, 'idea of remote': 413135, 'of remote medical': 588926, 'remote medical care': 710717, 'medical care ha': 526081, 'care ha dramatically': 163978, 'ha dramatically risen': 370442, 'dramatically risen to': 258367, 'risen to the': 723129, 'to the forefront': 916722, 'the forefront stay': 855693, 'forefront stay tuned': 328945, 'tuned for our': 935439, 'for our whitepaper': 324311, 'our whitepaper releasing': 625375, 'whitepaper releasing later': 987960, 'releasing later this': 709122, 'later this week': 481143, 'week on the': 976675, 'on the healthcare': 604157, 'the healthcare industry': 857195, 'healthcare industry becoming': 387146, 'industry becoming more': 435687, 'becoming more consumer': 120321, 'more consumer centric': 538874, 'consumer centric and': 196762, 'centric and the': 169586, 'the new wave': 861579, 'wave of talent': 969384, 'of talent that': 590585, 'talent that is': 833710, 'is needed kgp': 449863, 'threeitemsonly': 894129, 'done great': 254858, 'move at': 543612, 'sense protectthevulnerable': 750576, 'protectthevulnerable stoppanicbuying': 685861, 'stoppanicbuying threeitemsonly': 805655, 'threeitemsonly helpingothers': 894130, 'well done great': 978182, 'done great move': 254861, 'great move at': 362828, 'move at last': 543613, 'at last supermarket': 99418, 'last supermarket with': 480527, 'supermarket with some': 823937, 'with some sense': 1000865, 'some sense protectthevulnerable': 783828, 'sense protectthevulnerable stoppanicbuying': 750577, 'protectthevulnerable stoppanicbuying threeitemsonly': 685862, 'stoppanicbuying threeitemsonly helpingothers': 805656, 'shopping ugandan': 764281, 'ugandan brace': 938004, 'for hard': 322115, 'panic shopping ugandan': 638593, 'shopping ugandan brace': 764282, 'ugandan brace for': 938005, 'brace for hard': 137487, 'for hard time': 322116, 'be think': 117695, 'towel clorox': 927310, 'wipe soap': 996371, 'sanitizer disinfecting': 734757, 'product flour': 681189, 'flour yeast': 311189, 'and ramen': 69915, 'ramen noodle': 696386, 'noodle oh': 566808, 'think the behavior': 885622, 'the behavior effect': 849441, 'effect of will': 269072, 'will be think': 992724, 'be think we': 117696, 'will always keep': 992275, 'always keep stock': 49641, 'keep stock of': 471970, 'stock of tp': 802551, 'of tp paper': 592377, 'paper towel clorox': 640986, 'towel clorox wipe': 927311, 'clorox wipe soap': 182474, 'wipe soap hand': 996372, 'hand sanitizer disinfecting': 375371, 'sanitizer disinfecting cleaning': 734758, 'disinfecting cleaning product': 245840, 'cleaning product flour': 181029, 'product flour yeast': 681190, 'flour yeast and': 311190, 'yeast and ramen': 1015145, 'and ramen noodle': 69917, 'ramen noodle oh': 696387, 'noodle oh and': 566809, 'oh and facemasks': 596352, 'wallace': 965200, 'from tobacco': 338070, 'tobacco use': 919089, 'use than': 949637, '19 surgeon': 10987, 'surgeon general': 828322, 'tell chris': 836926, 'chris wallace': 178068, 'wallace wallace': 965203, 'wallace note': 965201, 'that cigarette': 843226, 'cigarette use': 178493, 'is voluntary': 453721, 'die from tobacco': 241358, 'from tobacco use': 338071, 'tobacco use than': 919090, 'use than from': 949639, 'covid 19 surgeon': 213896, '19 surgeon general': 10988, 'surgeon general tell': 828324, 'general tell chris': 345487, 'tell chris wallace': 836927, 'chris wallace wallace': 178069, 'wallace wallace note': 965204, 'wallace note that': 965202, 'note that cigarette': 572799, 'that cigarette use': 843227, 'cigarette use is': 178494, 'use is voluntary': 949295, 'ebayuk': 266515, '18ct': 4676, 'happy day': 377598, 'wish ha': 996764, 'come true': 187636, 'true ebayuk': 933073, 'ebayuk ha': 266516, 'remove listing': 710830, 'for overpriced': 324336, 'overpriced 18ct': 631384, '18ct gold': 4677, 'price toilet': 677075, 'god after': 354642, 'all suck': 44527, 'suck on': 816913, 'that greedy': 844079, 'buying profiteer': 150930, 'profiteer now': 682966, 'all similar': 44347, 'similar site': 769924, 'site need': 771981, 'happy day my': 377599, 'day my wish': 228005, 'my wish ha': 550622, 'wish ha come': 996765, 'ha come true': 370205, 'come true ebayuk': 187638, 'true ebayuk ha': 933074, 'ebayuk ha started': 266517, 'ha started to': 372052, 'started to remove': 794881, 'to remove listing': 913220, 'remove listing for': 710831, 'listing for overpriced': 494848, 'for overpriced 18ct': 324337, 'overpriced 18ct gold': 631385, '18ct gold price': 4678, 'gold price toilet': 355978, 'price toilet roll': 677077, 'toilet roll there': 921613, 'roll there is': 725540, 'there is god': 878565, 'is god after': 448081, 'god after all': 354643, 'after all suck': 35332, 'all suck on': 44528, 'suck on that': 816914, 'on that greedy': 603936, 'that greedy bulk': 844080, 'greedy bulk buying': 363493, 'bulk buying profiteer': 142283, 'buying profiteer now': 150931, 'profiteer now all': 682967, 'now all similar': 573965, 'all similar site': 44348, 'similar site need': 769926, 'site need to': 771982, 'westerner': 980654, 'kashmirlockdown': 470990, 'kashmiri': 470988, 'leader do': 483443, 'not realize': 571224, 'the kashmir': 858735, 'kashmir struggle': 470986, 'struggle westerner': 814396, 'westerner are': 980655, 'stocking pile': 803582, 'supply imagine': 825390, 'being lockdown': 125392, 'month wake': 538101, 'up kashmirlockdown': 945273, 'kashmirlockdown kashmiri': 470991, 'kashmiri coronapocolypse': 470989, 'world leader do': 1009751, 'leader do you': 483444, 'you still not': 1021406, 'still not realize': 800900, 'not realize the': 571228, 'realize the kashmir': 701868, 'the kashmir struggle': 858736, 'kashmir struggle westerner': 470987, 'struggle westerner are': 814397, 'westerner are in': 980656, 'panic and stocking': 637340, 'and stocking pile': 72435, 'stocking pile of': 803583, 'pile of water': 656512, 'food supply imagine': 316960, 'supply imagine being': 825391, 'imagine being lockdown': 416696, 'being lockdown for': 125393, 'lockdown for more': 499396, 'than month wake': 840909, 'month wake up': 538102, 'wake up kashmirlockdown': 964625, 'up kashmirlockdown kashmiri': 945274, 'kashmirlockdown kashmiri coronapocolypse': 470992, 'issuer': 456116, 'card the': 163668, 'war bond': 966381, 'bond of': 134254, 'era maybe': 280062, 'maybe so': 521802, 'but issuer': 146091, 'issuer still': 456117, 'are gift card': 86842, 'gift card the': 349955, 'card the war': 163670, 'the war bond': 871067, 'war bond of': 966382, 'bond of the': 134255, '19 era maybe': 6821, 'era maybe so': 280063, 'maybe so but': 521803, 'so but issuer': 776666, 'but issuer still': 146092, 'issuer still need': 456118, 'consider the consumer': 195135, 'disgusting all': 245387, 'egg juice': 269899, 'juice etc': 467743, 'etc whoever': 282887, 'charge and': 173197, 'that decision': 843463, 'decision should': 231083, 'prosecuted apparently': 684632, 'illegal fuck': 416214, 'fuck them': 339663, 'know what disgusting': 476944, 'what disgusting all': 981333, 'disgusting all these': 245388, 'all these grocery': 45038, 'grocery store raising': 365698, 'store raising their': 809732, 'on milk egg': 602123, 'milk egg juice': 531658, 'egg juice etc': 269900, 'juice etc whoever': 467744, 'etc whoever is': 282888, 'whoever is in': 990100, 'in charge and': 421336, 'charge and or': 173199, 'and or making': 68217, 'or making that': 616047, 'making that decision': 511404, 'that decision should': 843464, 'decision should be': 231084, 'should be fired': 765625, 'be fired and': 114865, 'fired and prosecuted': 308166, 'and prosecuted apparently': 69646, 'prosecuted apparently they': 684633, 'apparently they don': 82032, 'they don know': 881994, 'don know that': 253670, 'know that price': 476785, 'is illegal fuck': 448667, 'illegal fuck them': 416215, 'fuck them all': 339664, 'icanwaitanotherweek': 412626, 'hear someone': 387982, 'other aisle': 619813, 'store icanwaitanotherweek': 808239, 'icanwaitanotherweek 19': 412627, '19 utah': 11710, 'when hear someone': 983559, 'hear someone coughing': 387983, 'someone coughing in': 784422, 'coughing in the': 208691, 'the other aisle': 862507, 'other aisle of': 619814, 'grocery store icanwaitanotherweek': 365479, 'store icanwaitanotherweek 19': 808240, 'icanwaitanotherweek 19 utah': 412628, 'refresher': 706760, 'third installment': 886079, 'tracker will': 928309, 'released tomorrow': 709096, 'tomorrow check': 924051, 'for refresher': 325054, 'refresher on': 706761, 'week result': 976819, 'the third installment': 869479, 'third installment of': 886080, 'of our weekly': 587591, 'behavior tracker will': 124271, 'tracker will be': 928310, 'will be released': 992638, 'be released tomorrow': 116766, 'released tomorrow check': 709097, 'tomorrow check out': 924052, 'out this blog': 627561, 'this blog for': 886575, 'blog for refresher': 132935, 'for refresher on': 325055, 'refresher on last': 706762, 'on last week': 601791, 'last week result': 480675, 'noschool': 567861, 'covid19 robbery': 214368, 'robbery gone': 724667, 'bad noschool': 107960, 'noschool kidsathome': 567862, 'kidsathome tiktok': 474260, 'tiktok stayhome': 895918, 'stayhome handsanitizer': 798012, 'handsanitizer soap': 376638, 'soap toiletpaper': 779135, 'covid19 robbery gone': 214369, 'robbery gone bad': 724668, 'gone bad noschool': 356220, 'bad noschool kidsathome': 107961, 'noschool kidsathome tiktok': 567863, 'kidsathome tiktok stayhome': 474261, 'tiktok stayhome handsanitizer': 895919, 'stayhome handsanitizer soap': 798013, 'handsanitizer soap toiletpaper': 376640, 'pma': 662030, 'video pma': 956866, 'pma lauren': 662031, 'lauren scott': 482156, 'scott on': 742458, 'campaign she': 157251, 'she noted': 756239, 'noted that': 572877, 'industry need': 436001, 'centric in': 169594, 'to especially': 905252, 'now produce': 575599, 'produce marketing': 680348, 'marketing association': 517528, 'association pma': 96977, 'pma produce': 662033, 'video pma lauren': 956867, 'pma lauren scott': 662032, 'lauren scott on': 482157, 'scott on it': 742459, 'it new campaign': 459787, 'new campaign she': 558444, 'campaign she noted': 157252, 'she noted that': 756240, 'noted that the': 572883, 'that the industry': 846751, 'the industry need': 858181, 'industry need to': 436002, 'consumer centric in': 196765, 'centric in it': 169595, 'in it approach': 424228, 'it approach to': 456571, 'approach to especially': 82986, 'to especially now': 905253, 'especially now produce': 280562, 'now produce marketing': 575600, 'produce marketing association': 680349, 'marketing association pma': 517529, 'association pma produce': 96978, 'pma produce marketing': 662034, 'bartuska': 111417, 'help frontline': 389779, 'worker build': 1006547, 'build resilience': 142000, 'and anna': 58154, 'anna bartuska': 76771, 'strategy to help': 812731, 'to help frontline': 907525, 'help frontline health': 389780, 'care worker build': 164278, 'worker build resilience': 1006548, 'build resilience during': 142001, 'resilience during the': 714482, 'with and anna': 997240, 'and anna bartuska': 58155, 'experience ha': 291376, 'implemented the': 418487, 'most robust': 542716, 'robust social': 724854, 'measure do': 525179, 'shopping hate': 762866, 'hate it': 378890, 'distance stayhomesavelifes': 246839, 'stayhomesavelifes staysafe': 798327, 'stayhealthy 19': 797890, 'which supermarket in': 986356, 'supermarket in your': 821006, 'in your experience': 431077, 'your experience ha': 1023717, 'experience ha implemented': 291378, 'ha implemented the': 370925, 'implemented the most': 418489, 'the most robust': 861030, 'most robust social': 542717, 'robust social distancing': 724855, 'distancing measure do': 247322, 'measure do you': 525180, 'do you feel': 250630, 'you feel more': 1018540, 'feel more vulnerable': 302781, 'more vulnerable when': 540938, 'when shopping hate': 984021, 'shopping hate it': 762867, 'hate it when': 378892, 'it when people': 462339, 'people are failing': 646970, 'failing to keep': 296233, 'to keep 2m': 908747, 'keep 2m distance': 471279, '2m distance stayhomesavelifes': 16683, 'distance stayhomesavelifes staysafe': 246840, 'stayhomesavelifes staysafe stayhome': 798328, 'staysafe stayhome stayhealthy': 798905, 'stayhome stayhealthy 19': 798146, 'stayhealthy 19 socialdistancing': 797891, 'rickygervais': 721380, 'dont spread': 255283, 'telephone coronacrisis': 836810, 'stopstockpiling stayathomechallenge': 805874, 'stayathomechallenge rickygervais': 797743, 'dont spread the': 255284, 'virus stay at': 958803, 'home and talk': 400698, 'and talk on': 73009, 'on the telephone': 604400, 'the telephone coronacrisis': 869266, 'telephone coronacrisis stayathome': 836811, 'coronacrisis stayathome stophoarding': 204772, 'stayathome stophoarding stopstockpiling': 797674, 'stophoarding stopstockpiling stayathomechallenge': 805495, 'stopstockpiling stayathomechallenge rickygervais': 805875, '750ml': 22202, '1l': 12637, 'visit this': 959406, 'morning where': 541545, 'amp surface': 54604, 'sanitizer 750ml': 734306, '750ml is': 22203, 'is 15': 445158, 'public soon': 688322, 'soon 1l': 785610, '1l for': 12638, 'is discounted': 447204, 'discounted for': 244582, 'for group': 322068, 'like 1st': 489690, 'responder coverage': 715437, 'coverage for': 212349, 'got to visit': 358973, 'to visit this': 918215, 'visit this morning': 959407, 'this morning where': 889038, 'morning where they': 541546, 'where they have': 985281, 'they have switched': 882384, 'have switched to': 382890, 'switched to making': 830553, 'making hand amp': 511101, 'hand amp surface': 374747, 'amp surface sanitizer': 54605, 'surface sanitizer 750ml': 828070, 'sanitizer 750ml is': 734307, '750ml is 15': 22204, 'is 15 for': 445159, 'the public soon': 864855, 'public soon 1l': 688323, 'soon 1l for': 785611, '1l for 20': 12639, 'for 20 and': 318726, '20 and is': 12945, 'and is discounted': 65400, 'is discounted for': 447205, 'discounted for group': 244583, 'for group like': 322070, 'group like 1st': 366756, 'like 1st responder': 489691, '1st responder coverage': 12792, 'responder coverage for': 715438, 'got paid': 358775, 'paid today': 634164, 'today don': 919463, 'or invest': 615819, 'invest toiletpaper': 443773, 'who got paid': 988812, 'got paid today': 358777, 'paid today don': 634165, 'today don know': 919464, 'if should hold': 414803, 'hold or invest': 399990, 'or invest toiletpaper': 615820, 'belarus': 126136, 'whatnot': 982830, 'belarus is': 126137, 'honestly our': 403121, 'ongoing everyone': 607633, 'everyone still': 287415, 'still travel': 801332, 'and uni': 74668, 'uni and': 941705, 'and whatnot': 75500, 'whatnot the': 982831, 'still filled': 800526, 'day president': 228240, 'president advised': 670747, 'take vodka': 832778, 'prevent so': 671713, 'that sth': 846479, 'belarus is doing': 126138, 'nothing to prevent': 573195, '19 and honestly': 5044, 'and honestly our': 64705, 'honestly our class': 403122, 'our class are': 622387, 'class are still': 180153, 'are still ongoing': 90455, 'still ongoing everyone': 800940, 'ongoing everyone still': 607634, 'everyone still travel': 287417, 'still travel to': 801333, 'work and uni': 1004820, 'and uni and': 74669, 'uni and whatnot': 941706, 'and whatnot the': 75501, 'whatnot the supermarket': 982832, 'supermarket is still': 821125, 'is still filled': 452277, 'still filled with': 800527, 'filled with people': 305580, 'with people most': 1000157, 'people most day': 648794, 'most day president': 542240, 'day president advised': 228241, 'president advised to': 670748, 'advised to take': 33655, 'to take vodka': 916258, 'take vodka to': 832779, 'vodka to prevent': 959962, 'to prevent so': 912088, 'prevent so guess': 671714, 'guess that sth': 368043, 'weneedsensitivemedia': 978936, 'for trucker': 327357, 'trucker is': 932928, 'permitted fast': 652169, 'closed weneedsensitivemedia': 183432, 'weneedsensitivemedia that': 978937, 'and humanity': 64865, 'without creating': 1002569, 'create havoc': 215659, 'havoc in': 384428, 'fast food service': 299977, 'food service for': 316416, 'service for trucker': 752396, 'for trucker is': 327358, 'trucker is not': 932929, 'is not permitted': 450152, 'not permitted fast': 571009, 'permitted fast food': 652170, 'fast food is': 299966, 'food is closed': 315116, 'is closed weneedsensitivemedia': 446593, 'closed weneedsensitivemedia that': 183433, 'weneedsensitivemedia that can': 978938, 'that can use': 843124, 'can use common': 160089, 'sense and humanity': 750489, 'and humanity in': 64866, 'humanity in these': 410739, 'difficult time without': 242322, 'time without creating': 898366, 'without creating panic': 1002570, 'creating panic among': 216044, 'panic among people': 637285, 'among people about': 53045, 'people about covid': 646739, '19 that all': 11148, 'that all business': 842538, 'all business will': 42239, 'business will close': 144679, 'will close this': 992948, 'close this will': 182876, 'this will create': 891409, 'will create havoc': 993070, 'create havoc in': 215660, 'havoc in the': 384429, 'sir appreciate': 771542, '19 citizen': 5823, 'india wanted': 434674, 'for favour': 321419, 'before hand': 122834, 'dear sir appreciate': 229866, 'sir appreciate your': 771543, 'appreciate your step': 82804, 'your step to': 1025938, 'step to save': 799664, 'to save our': 913788, 'save our country': 737612, 'our country from': 622591, 'country from covid': 210675, 'covid 19 citizen': 212804, '19 citizen of': 5824, 'of india wanted': 585119, 'india wanted to': 434675, 'wanted to ask': 966243, 'ask for favour': 95524, 'for favour to': 321420, 'favour to provide': 300578, 'supply to those': 826033, 'those who could': 892624, 'could not stock': 209458, 'not stock it': 571732, 'stock it for': 802322, 'it for 21': 458066, '21 day before': 14986, 'day before hand': 227368, 'before hand because': 122835, 'hand because online': 374826, 'because online and': 119441, 'online and other': 607833, 'other grocery are': 620316, 'grocery are no': 364282, 'redeploying': 705687, 'goodthinking': 358092, 'waitrose short': 964479, 'spike john': 789313, 'lewis redeploying': 487838, 'redeploying 600': 705688, 'support waitrose': 826980, 'waitrose retail': 964476, 'supplychain goodthinking': 826182, 'waitrose short of': 964480, 'short of staff': 764661, 'of staff in': 590021, 'staff in crisis': 792548, 'in crisis demand': 421878, 'crisis demand spike': 217285, 'demand spike john': 236264, 'spike john lewis': 789314, 'john lewis redeploying': 466538, 'lewis redeploying 600': 487839, 'redeploying 600 of': 705689, '600 of it': 21098, 'it staff to': 461215, 'staff to support': 793000, 'to support waitrose': 915985, 'support waitrose retail': 826981, 'waitrose retail supplychain': 964477, 'retail supplychain goodthinking': 718758, 'swagbucks': 829923, 'earnmoney': 264942, 'you bored': 1017496, 'home bonus': 400801, 'do survey': 250201, 'survey did': 828856, 'did one': 240751, 'for already': 319216, 'already make': 47516, 'shopping swagbucks': 764041, 'swagbucks earnmoney': 829924, 'earnmoney bonus': 264943, 'bonus trusted': 134418, 'are you bored': 91770, 'you bored at': 1017497, 'at home bonus': 98949, 'home bonus to': 400802, 'bonus to sign': 134411, 'and do survey': 61562, 'do survey did': 250202, 'survey did one': 828857, 'did one on': 240752, 'one on for': 606782, 'on for already': 600940, 'for already make': 319217, 'already make some': 47517, 'make some money': 510473, 'online shopping swagbucks': 609295, 'shopping swagbucks earnmoney': 764042, 'swagbucks earnmoney bonus': 829925, 'earnmoney bonus trusted': 264944, 'disinfectant towel': 245786, 'towel toilet': 927395, 'paper via': 641043, 'via amazon': 955790, 'amazon reasonably': 51090, 'reasonably priced': 703151, 'priced store': 677757, 'here been': 392809, 'been available': 120712, 'hoarding shipping': 399514, 'shipping in': 758856, 'not complaining': 568815, 'complaining free': 191899, 'well get': 978254, 'tested even': 839294, 'though hate': 892820, 'disinfectant towel toilet': 245787, 'towel toilet paper': 927396, 'toilet paper via': 921513, 'paper via amazon': 641044, 'via amazon reasonably': 955791, 'amazon reasonably priced': 51091, 'reasonably priced store': 703153, 'priced store here': 677758, 'store here been': 808145, 'here been available': 392810, 'been available for': 120713, 'for week people': 327740, 'week people hoarding': 976738, 'people hoarding shipping': 648277, 'hoarding shipping in': 399515, 'shipping in minute': 758857, 'in minute but': 425363, 'minute but not': 533750, 'but not complaining': 146530, 'not complaining free': 568816, 'complaining free well': 191901, 'free well get': 332322, 'well get tested': 978255, 'get tested even': 348188, 'tested even though': 839295, 'even though hate': 284707, 'god where': 354834, 'this happening': 887850, 'happening tissue': 377414, 'tissue toiletpaper': 899229, 'toiletpaperapocalypse toiletrollchallenge': 922953, 'toiletrollchallenge police': 923391, 'police protection': 663169, 'protection supermarket': 685627, 'supply toiletpapercrisis': 826044, 'my god where': 548531, 'god where is': 354835, 'where is this': 984956, 'is this happening': 453092, 'this happening tissue': 887852, 'happening tissue toiletpaper': 377415, 'tissue toiletpaper toiletpaperapocalypse': 899231, 'toiletpaper toiletpaperapocalypse toiletrollchallenge': 922640, 'toiletpaperapocalypse toiletrollchallenge police': 922954, 'toiletrollchallenge police protection': 923392, 'police protection supermarket': 663170, 'protection supermarket store': 685628, 'supermarket store store': 823012, 'store store shop': 810415, 'shop shopping supply': 760780, 'shopping supply toiletpapercrisis': 764023, 'pandemic due': 635342, 'due mostly': 261668, 'to expectation': 905449, 'slowdown government': 774438, 'government roll': 360555, 'out restriction': 627115, '19 pandemic due': 9313, 'pandemic due mostly': 635343, 'due mostly to': 261669, 'mostly to expectation': 543026, 'to expectation of': 905450, 'expectation of economic': 290834, 'of economic slowdown': 582957, 'economic slowdown government': 267304, 'slowdown government roll': 774439, 'government roll out': 360556, 'roll out restriction': 725455, 'out restriction to': 627116, 'restriction to respond': 717404, 'spending understand': 789033, 'they happen': 882279, 'happen 19': 377050, 'impacting consumer spending': 418200, 'consumer spending understand': 199100, 'spending understand and': 789034, 'understand and react': 940596, 'and react to': 69975, 'react to change': 700148, 'to change they': 902619, 'change they happen': 172322, 'they happen 19': 882280, 'de ha': 229068, 'that foodsafety': 843926, 'foodsafety and': 318053, 'protection are': 685333, 'not compromised': 568822, 'compromised during': 192671, 'de ha called': 229069, 'commission to ensure': 188909, 'ensure that foodsafety': 278059, 'that foodsafety and': 843927, 'foodsafety and consumer': 318054, 'consumer protection are': 198507, 'protection are not': 685334, 'are not compromised': 88344, 'not compromised during': 568823, 'compromised during the': 192672, 'ary': 94697, 'sahulat': 730935, '021': 811, '00162': 634, '166981': 4252, 'buyonline': 151444, 'necessary supply': 554096, 'supply delivered': 825143, 'step order': 799608, 'through ary': 894339, 'ary sahulat': 94698, 'sahulat bazar': 730936, 'bazar visit': 113028, 'visit call': 959207, 'call 021': 155675, '021 11': 812, '11 00162': 2435, '00162 whatsapp': 635, 'whatsapp 92': 982882, '92 33': 23462, '33 166981': 17738, '166981 buyonline': 4253, 'buyonline grocery': 151445, 'grocery groceryshopping': 364571, 'groceryshopping stayhome': 366282, 'out get all': 626213, 'all your necessary': 45575, 'your necessary supply': 1024939, 'necessary supply delivered': 554097, 'supply delivered right': 825144, 'door step order': 255720, 'step order now': 799609, 'order now through': 618429, 'now through ary': 576149, 'through ary sahulat': 894340, 'ary sahulat bazar': 94699, 'sahulat bazar visit': 730937, 'bazar visit call': 113029, 'visit call 021': 959208, 'call 021 11': 155676, '021 11 00162': 813, '11 00162 whatsapp': 2436, '00162 whatsapp 92': 636, 'whatsapp 92 33': 982883, '92 33 166981': 23463, '33 166981 buyonline': 17739, '166981 buyonline grocery': 4254, 'buyonline grocery groceryshopping': 151446, 'grocery groceryshopping stayhome': 364573, 'offensive': 594486, 'to offensive': 910819, 'offensive behavior': 594487, 'he filmed': 384957, 'it prank': 460417, 'prank but': 668928, 'guilty to offensive': 368574, 'to offensive behavior': 910820, 'offensive behavior after': 594488, 'behavior after he': 123861, 'after he filmed': 35763, 'he filmed himself': 384958, 'filmed himself deliberately': 305724, 'other people at': 620659, 'did it prank': 240666, 'it prank but': 460418, 'prank but regretted': 668929, 'uk may': 938541, 'may enforce': 521144, 'enforce how': 276670, 'how isolation': 408122, 'in 70': 419954, '70 older': 21812, 'older my': 598626, 'fast shop': 300031, 'shop every': 760151, 'every 12': 285642, 'day early': 227550, 'are relatively': 89548, 'relatively empty': 708764, 'empty tried': 275209, 'tried it': 931791, 'it today': 461768, 'wash bought': 967443, 'some imperial': 783083, 'imperial leather': 418354, 'leather bar': 484710, 'bar hand': 110716, 'now smelling': 575841, 'smelling of': 775633, 'uk may enforce': 938543, 'may enforce how': 521145, 'enforce how isolation': 276671, 'how isolation of': 408123, 'isolation of people': 455365, 'people in 70': 648343, 'in 70 older': 419956, '70 older my': 21813, 'older my current': 598627, 'my current plan': 547870, 'current plan is': 221302, 'to do fast': 904504, 'do fast shop': 249287, 'fast shop every': 300032, 'shop every 12': 760152, 'every 12 day': 285643, '12 day early': 2842, 'day early in': 227551, 'early in day': 264621, 'in day when': 422026, 'day when store': 228727, 'when store are': 984081, 'store are relatively': 806513, 'are relatively empty': 89549, 'relatively empty tried': 708765, 'empty tried it': 275210, 'tried it today': 931792, 'it today in': 461770, 'today in store': 919693, 'store for half': 807810, 'for half hour': 322098, 'half hour no': 374187, 'hour no hand': 405782, 'no hand wash': 564398, 'hand wash bought': 375921, 'wash bought some': 967444, 'bought some imperial': 136717, 'some imperial leather': 783084, 'imperial leather bar': 418355, 'leather bar hand': 484711, 'bar hand now': 110717, 'hand now smelling': 375103, 'now smelling of': 575842, 'smelling of this': 775634, 'make safe': 510415, 'to make safe': 909731, 'make safe online': 510416, 'safe online transaction': 729855, 'york supermarket': 1016671, 'to my new': 910423, 'my new york': 549476, 'new york supermarket': 559951, 'york supermarket today': 1016672, 'being 26': 124801, 'is lick': 449289, 'lick shit': 488207, 'shit in': 759134, 'their father': 873283, 'father oh': 300302, 'wait recording': 964184, 'recording them': 705138, 'imagine being 26': 416694, 'being 26 year': 124802, 'old and all': 598132, 'and all you': 57908, 'all you can': 45533, 'can think to': 159989, 'think to do': 885715, 'do is lick': 249447, 'is lick shit': 449290, 'lick shit in': 488208, 'shit in the': 759135, 'store where are': 811255, 'where are their': 984740, 'are their father': 90941, 'their father oh': 873284, 'father oh wait': 300303, 'oh wait recording': 596470, 'wait recording them': 964185, 'news stoppanicbuying': 560828, 'stoppanicbuying lockdownaustralia': 805586, 'abc news stoppanicbuying': 24266, 'news stoppanicbuying lockdownaustralia': 560829, 'immigrantsong': 417248, 'to blast': 901851, 'blast immigrantsong': 132416, 'immigrantsong leave': 417249, 'leave because': 484750, 'because honestly': 119130, 'honestly that': 403137, 'energy give': 276465, 'give off': 350613, 'off make': 593962, 'out alive': 625596, 'alive canadalockdown': 41806, 'store now have': 809123, 'now have to': 574884, 'have to blast': 383166, 'to blast immigrantsong': 901852, 'blast immigrantsong leave': 132417, 'immigrantsong leave because': 417250, 'leave because honestly': 484751, 'because honestly that': 119131, 'honestly that the': 403138, 'that the energy': 846718, 'the energy give': 854320, 'energy give off': 276466, 'give off make': 350614, 'off make it': 593963, 'it out alive': 460171, 'out alive canadalockdown': 625597, 'even joking': 284261, 'joking think': 467198, 'even hour': 284191, 'getting home': 349043, 'home coughing': 400954, 'have sore': 382659, 'sore throat': 785980, 'throat like': 894246, 'like ball': 489861, 'ball in': 109059, 'throat what': 894250, 'fuck how': 339575, 'how quick': 408544, 'quick do': 694305, 'do symptom': 250203, 'symptom appear': 830818, 'not even joking': 569259, 'even joking think': 284262, 'joking think ve': 467199, 'think ve got': 885739, 'glove and sanitiser': 352576, 'and sanitiser and': 70829, 'sanitiser and not': 733915, 'not even hour': 569257, 'even hour after': 284192, 'hour after getting': 405360, 'after getting home': 35706, 'getting home coughing': 349044, 'home coughing and': 400955, 'coughing and have': 208661, 'and have sore': 64277, 'have sore throat': 382660, 'sore throat like': 785981, 'throat like ball': 894247, 'like ball in': 489862, 'ball in my': 109060, 'my throat what': 550368, 'throat what the': 894251, 'actual fuck how': 30659, 'fuck how quick': 339576, 'how quick do': 408545, 'quick do symptom': 694306, 'do symptom appear': 250204, 'plummet among': 661254, 'among covid': 52998, 'fear consumerconfidence': 301091, 'confidence plummet among': 193930, 'plummet among covid': 661255, 'among covid 19': 52999, '19 fear consumerconfidence': 6955, 'ohiounemployment': 596567, 'openohio': 612964, 'wow just': 1012572, 'many haven': 514129, 'had paycheck': 373394, 'paycheck in': 645289, 'an unemployment': 56846, 'unemployment check': 941175, 'check moved': 174493, 'money clueless': 536674, 'clueless ohiounemployment': 184575, 'ohiounemployment openohio': 596568, 'openohio 19': 612965, 'wow just wow': 1012573, 'just wow so': 470350, 'wow so many': 1012589, 'so many haven': 777664, 'many haven had': 514130, 'haven had paycheck': 383826, 'had paycheck in': 373395, 'paycheck in three': 645290, 'three week they': 894118, 'week they will': 977038, 'will never get': 994165, 'never get an': 558012, 'get an unemployment': 346549, 'an unemployment check': 56847, 'unemployment check moved': 941177, 'check moved on': 174494, 'moved on and': 543821, 'on and got': 599356, 'job at crowded': 465675, 'at crowded supermarket': 98377, 'crowded supermarket still': 219360, 'supermarket still cannot': 822955, 'still cannot pay': 800343, 'cannot pay the': 162034, 'pay the bill': 645144, 'bill with that': 130734, 'with that money': 1001176, 'that money clueless': 845209, 'money clueless ohiounemployment': 536675, 'clueless ohiounemployment openohio': 184576, 'ohiounemployment openohio 19': 596569, 'gasolina': 344211, 'since gasolina': 770617, 'gasolina is': 344212, 'since gasolina is': 770618, 'gasolina is trending': 344213, 'redundant': 706415, 'made redundant': 507939, 'redundant from': 706416, 'and effect': 61948, 'say under': 739419, 'act there': 29788, 'is hardship': 448311, 'provision allows': 687245, 'allows for': 46379, 'for repayment': 325131, 'hire purchase': 397024, 'now been made': 574227, 'been made redundant': 121513, 'made redundant from': 507940, 'redundant from their': 706417, 'from their workplace': 337953, 'their workplace due': 875237, 'to the slowdown': 917072, 'the slowdown in': 867341, 'economy and effect': 267642, 'and effect of': 61949, '19 say under': 10328, 'say under consumer': 739420, 'under consumer credit': 940038, 'credit act there': 216295, 'act there is': 29789, 'there is hardship': 878571, 'is hardship provision': 448312, 'hardship provision allows': 378304, 'provision allows for': 687246, 'allows for repayment': 46380, 'for repayment for': 325132, 'repayment for personal': 711487, 'for personal mortgage': 324504, 'mortgage and hire': 541862, 'and hire purchase': 64585, 'hire purchase to': 397026, 'whatsap08115981930': 982859, 'rccg': 698105, 'boko': 134079, 'bodija': 133801, 'seyi': 754240, 'safe ibadan': 729759, 'ibadan you': 412571, 'will overcome': 994364, 'overcome it': 631127, 'it hello': 458533, 'hello nigeria': 389197, 'nigeria sell': 562797, 'sell lovely': 748780, 'lovely tee': 504998, 'tee at': 836451, 'price delivers': 673418, 'delivers anywhere': 233581, 'nigeria whatsap08115981930': 562818, 'whatsap08115981930 pls': 982860, 'you reading': 1020815, 'part davido': 642261, 'davido rccg': 227013, 'rccg the': 698106, 'prophet boko': 684400, 'boko haram': 134080, 'haram 19': 377802, '19 bodija': 5413, 'bodija pastor': 133802, 'pastor seyi': 643888, 'seyi jesus': 754241, 'jesus positive': 465311, 'stay safe ibadan': 797244, 'safe ibadan you': 729760, 'ibadan you will': 412572, 'you will overcome': 1022347, 'will overcome it': 994365, 'overcome it hello': 631128, 'it hello nigeria': 458535, 'hello nigeria sell': 389198, 'nigeria sell lovely': 562798, 'sell lovely tee': 748781, 'lovely tee at': 504999, 'tee at low': 836452, 'low price delivers': 505507, 'price delivers anywhere': 673419, 'delivers anywhere in': 233582, 'anywhere in nigeria': 81121, 'in nigeria whatsap08115981930': 425890, 'nigeria whatsap08115981930 pls': 562819, 'whatsap08115981930 pls rt': 982861, 'pls rt if': 661172, 'if you reading': 415501, 'you reading this': 1020816, 'reading this part': 700814, 'this part davido': 889481, 'part davido rccg': 642262, 'davido rccg the': 227014, 'rccg the prophet': 698107, 'the prophet boko': 864690, 'prophet boko haram': 684401, 'boko haram 19': 134081, 'haram 19 bodija': 377803, '19 bodija pastor': 5414, 'bodija pastor seyi': 133803, 'pastor seyi jesus': 643889, 'seyi jesus positive': 754242, 'big shoutout': 129993, 'keeping britain': 472389, 'britain going': 140406, 'going whilst': 355810, 'whilst facing': 987637, 'facing abuse': 295395, 'from idiotic': 335993, 'idiotic customer': 413650, 'big shoutout to': 129994, 'staff keeping britain': 792598, 'keeping britain going': 472391, 'britain going whilst': 140407, 'going whilst facing': 355811, 'whilst facing abuse': 987638, 'facing abuse from': 295396, 'abuse from idiotic': 27633, 'from idiotic customer': 335994, 'idiotic customer you': 413651, 'customer you are': 223124, 'amazing job we': 50727, 'job we really': 466276, 'healthathome': 387002, 'positivit': 665506, 'get yelled': 348667, 'and threatened': 74071, 'threatened because': 893775, 'we limit': 972198, 'item thank': 463685, 'state healthathome': 795662, 'healthathome positivit': 387003, 'you make an': 1019754, 'make an announcement': 509672, 'an announcement to': 55317, 'announcement to the': 77218, 'the people please': 863499, 'not be mean': 568419, 'be mean to': 115922, 'mean to supermarket': 524746, 'supermarket worker we': 824116, 'worker we get': 1008142, 'we get yelled': 971638, 'get yelled at': 348668, 'yelled at and': 1015222, 'at and threatened': 98012, 'and threatened because': 74072, 'threatened because we': 893776, 'because we limit': 119810, 'we limit the': 972200, 'of item thank': 585490, 'item thank you': 463686, 'all you do': 45537, 'do for our': 249316, 'for our state': 324295, 'our state healthathome': 624901, 'state healthathome positivit': 795663, 'bannon': 110647, 'bannon we': 110648, 'have permanent': 381917, 'permanent demand': 652046, 'destruction you': 239126, 'different econ': 241934, 'econ on': 266932, 'to crush': 903777, 'crush this': 219790, 'bannon we re': 110649, 'we re consumer': 972845, 're consumer driven': 698455, 'driven economy if': 259314, 'economy if you': 267953, 'you have permanent': 1019091, 'have permanent demand': 381918, 'permanent demand destruction': 652047, 'demand destruction you': 235238, 'destruction you have': 239127, 'you have very': 1019138, 'have very different': 383499, 'very different econ': 955111, 'different econ on': 241935, 'econ on the': 266933, 'of this that': 592049, 'this that why': 890511, 'why you ve': 991602, 'got to crush': 358952, 'to crush this': 903779, 'unlucky': 942818, 'morning help': 541288, 'please ve': 660716, 'parent but': 641594, 'available through': 104630, '25 is': 15894, 'there process': 878964, 'process for': 679900, 'getting priority': 349205, 'priority slot': 678651, 'or am': 614302, 'just unlucky': 470165, 'unlucky pleasehelp': 942819, 'pleasehelp lincoln': 660816, 'morning help please': 541289, 'help please ve': 390328, 'please ve been': 660717, 'to book an': 901888, 'for my elderly': 323702, 'elderly parent but': 270806, 'parent but nothing': 641595, 'but nothing available': 146589, 'nothing available through': 572939, 'available through to': 104632, 'through to 25': 894861, 'to 25 is': 899638, '25 is there': 15895, 'is there process': 453024, 'there process for': 878965, 'process for getting': 679902, 'for getting priority': 321869, 'getting priority slot': 349206, 'priority slot for': 678652, 'slot for elderly': 774179, 'elderly or am': 270793, 'or am just': 614304, 'am just unlucky': 50162, 'just unlucky pleasehelp': 470166, 'unlucky pleasehelp lincoln': 942820, 'r4today coronavirus': 695101, 'capitalism doesn': 162742, 'work turn': 1005945, 'creator aren': 216237, 'r4today coronavirus show': 695102, 'that capitalism doesn': 843154, 'capitalism doesn work': 162743, 'doesn work turn': 252001, 'work turn out': 1005946, 'turn out the': 935741, 'wealth creator aren': 974155, 'creator aren the': 216238, 'aren the billionaire': 92553, 'the billionaire they': 849708, 'hoarder the real': 399120, 'creator are the': 216236, 'the worker just': 871754, 'worker just like': 1007274, 'just like hoarding': 469146, 'isn enough for': 454487, 'flank': 310006, 'seen package': 747183, 'chicken package': 175828, 'paper bottle': 639951, 'did score': 240795, 'score the': 742374, 'final flank': 305834, 'flank steak': 310007, 'steak in': 799157, 'yesterday first': 1015733, 'first package': 308845, 'steak seen': 799164, 'haven seen package': 383887, 'seen package of': 747184, 'package of chicken': 633341, 'of chicken package': 581333, 'chicken package of': 175829, 'toilet paper bottle': 921207, 'paper bottle of': 639952, 'sanitizer in my': 735148, 'supermarket for close': 820384, 'for close to': 320135, 'close to week': 182923, 'to week did': 918468, 'week did score': 976156, 'did score the': 240796, 'score the final': 742375, 'the final flank': 855193, 'final flank steak': 305835, 'flank steak in': 310008, 'steak in the': 799159, 'the store yesterday': 868151, 'store yesterday first': 811667, 'yesterday first package': 1015734, 'first package of': 308846, 'package of steak': 633345, 'of steak seen': 590108, 'steak seen in': 799165, 'seen in week': 747088, 'careful in': 164404, 'be careful in': 113988, 'careful in protecting': 164405, 'in protecting your': 427051, 'protecting your account': 685252, 'your account and': 1022734, 'account and personal': 28629, 'and personal information': 68926, 'personal information here': 652893, 'information here are': 437856, 'inclusive': 432260, 'stards': 794121, 'everyone cking': 286783, 'cking panic': 179664, 'panic people': 638408, 'panic inclusive': 638211, 'inclusive of': 432261, 'selfish stards': 748262, 'stards panic': 794122, 'been lead': 121438, 'nose to': 567929, 'medium don': 527081, 'don hate': 253584, 'omg everyone cking': 598897, 'everyone cking panic': 286784, 'cking panic people': 179665, 'panic people panic': 638410, 'people panic inclusive': 649057, 'panic inclusive of': 638212, 'inclusive of panic': 432263, 'these selfish stards': 880651, 'selfish stards panic': 748263, 'stards panic buying': 794123, 'stophoarding but people': 805369, 'but people have': 146767, 'have been lead': 379594, 'been lead by': 121439, 'lead by the': 483268, 'by the nose': 154390, 'the nose to': 861890, 'nose to do': 567930, 'do it by': 249467, 'it by an': 456973, 'by an irresponsible': 151827, 'uk medium don': 938546, 'medium don hate': 527082, 'don hate educate': 253585, 'snorkel': 776385, 'corona thing': 204232, 'thing figured': 884322, 'ha mask': 371240, 'mask under': 519458, 'under that': 940286, 'that snorkel': 846355, 'store ha this': 808026, 'ha this corona': 372259, 'this corona thing': 886868, 'corona thing figured': 204233, 'thing figured out': 884323, 'figured out hope': 305255, 'out hope he': 626312, 'hope he ha': 403497, 'he ha mask': 385029, 'ha mask under': 371242, 'mask under that': 519459, 'under that snorkel': 940287, 'floridian will': 311042, 'receive relief': 703536, 'but scammer': 146971, 'steal it': 799182, 'away learn': 105960, 'their trick': 875025, 'trick so': 931708, 'won fall': 1003804, 'their ploy': 874330, 'many floridian will': 514074, 'floridian will receive': 311043, 'will receive relief': 994595, 'receive relief check': 703537, 'relief check in': 709304, 'check in the': 174473, 'coming week but': 188274, 'week but scammer': 976038, 'but scammer are': 146972, 'to steal it': 915363, 'steal it away': 799183, 'it away learn': 456654, 'away learn their': 105961, 'learn their trick': 484075, 'their trick so': 875027, 'trick so you': 931709, 'so you won': 778855, 'you won fall': 1022398, 'won fall prey': 1003805, 'to their ploy': 917261, '284': 16435, '1321': 3314, 'usa 32': 948571, '32 284': 17658, '284 new': 16436, 'case 1321': 165573, '1321 death': 3315, 'death president': 230167, 'trump meet': 933703, 'meet ceo': 527429, 'company call': 190511, 'call mb': 155985, 'mb of': 522039, 'price opposition': 675762, 'opposition democrat': 613822, 'democrat leader': 236729, 'leader hiding': 483474, 'hiding business': 394865, 'usual economy': 950938, 'economy stock': 268234, 'market money': 516725, 'money take': 537048, 'take priority': 832524, 'today in usa': 919699, 'in usa 32': 430484, 'usa 32 284': 948572, '32 284 new': 17659, '284 new case': 16437, 'new case 1321': 558457, 'case 1321 death': 165574, '1321 death president': 3316, 'death president trump': 230168, 'president trump meet': 670943, 'trump meet ceo': 933704, 'meet ceo of': 527430, 'ceo of big': 169770, 'of big oil': 580702, 'big oil company': 129884, 'oil company call': 596686, 'company call mb': 190514, 'call mb of': 155986, 'mb of saudi': 522040, 'arabia to cut': 83947, 'production to boost': 682238, 'boost price opposition': 134996, 'price opposition democrat': 675763, 'opposition democrat leader': 613823, 'democrat leader hiding': 236730, 'leader hiding business': 483475, 'hiding business usual': 394866, 'business usual economy': 144602, 'usual economy stock': 950939, 'economy stock market': 268235, 'stock market money': 802412, 'market money take': 516727, 'money take priority': 537049, 'many additional': 513713, 'additional problem': 31855, 'be caused': 114029, 'behavior stoppanicbuying': 124205, 'retail is crazy': 718240, 'is crazy right': 446898, 'virus is one': 958396, 'is one but': 450500, 'one but many': 606026, 'but many additional': 146351, 'many additional problem': 513714, 'additional problem are': 31856, 'problem are going': 679463, 'to be caused': 901157, 'be caused by': 114030, 'caused by people': 167856, 'by people behavior': 153546, 'people behavior stoppanicbuying': 647253, 'agree wholeheartedly': 38671, 'wholeheartedly but': 990410, 'carry have': 165088, 'up which': 946588, 'would account': 1011491, 'increase am': 432668, 'crisis coro': 217254, 'agree wholeheartedly but': 38672, 'wholeheartedly but it': 990411, 'but it could': 146114, 'could be that': 208930, 'be that the': 117587, 'that the cash': 846674, 'and carry have': 59583, 'carry have put': 165089, 'have put their': 382119, 'price up which': 677272, 'up which would': 946591, 'which would account': 986513, 'would account for': 1011492, 'for the increase': 326498, 'the increase am': 858064, 'increase am not': 432669, 'am not defending': 50245, 'of money out': 586612, 'this crisis coro': 887028, 'do today': 250411, 'play video': 659242, 'game all': 343110, 'day stayhomesavelives': 228399, 'since their is': 770918, 'their is nothing': 873686, 'to do today': 904574, 'do today just': 250412, 'today just going': 919764, 'online and play': 607843, 'and play video': 69091, 'play video game': 659243, 'video game all': 956751, 'game all day': 343112, 'all day stayhomesavelives': 42525, 're committed': 698441, 'helping small': 391467, 'large manufacturer': 479710, 'manufacturer alike': 513415, 'alike provide': 41783, 'product stability': 681642, 'stability in': 791815, 'an unstable': 56907, 'unstable time': 943539, 'line people': 493353, 'team healthy': 835670, 'healthy heretohelp': 387660, 'we re committed': 972843, 're committed to': 698442, 'to helping small': 907680, 'helping small business': 391468, 'owner and large': 632376, 'and large manufacturer': 65953, 'large manufacturer alike': 479711, 'manufacturer alike provide': 513416, 'alike provide consumer': 41784, 'provide consumer product': 686248, 'consumer product stability': 198480, 'product stability in': 681643, 'stability in an': 791816, 'in an unstable': 420334, 'an unstable time': 56908, 'unstable time see': 943540, 'time see what': 897631, 'see what we': 746050, 'keep your production': 472282, 'your production line': 1025450, 'production line people': 682111, 'line people and': 493354, 'people and our': 646879, 'our team healthy': 625102, 'team healthy heretohelp': 835671, 'heinz': 388854, 'meanz': 525059, 'abit': 24412, 'recreating': 705438, 'madebystudiojq': 508085, 'peek heinz': 646245, 'heinz meanz': 388855, 'meanz heist': 525060, 'heist bean': 388859, 'bean gone': 118322, 'out abit': 625544, 'abit and': 24413, 'le selfish': 483110, 'selfish just': 748158, 'just recreating': 469585, 'recreating what': 705439, 'what experienced': 981438, 'experienced at': 291558, 'today motion': 919894, 'motion drop': 543258, 'drop tomorrow': 260435, 'tomorrow madebystudiojq': 924124, 'sneak peek heinz': 776193, 'peek heinz meanz': 646246, 'heinz meanz heist': 388856, 'meanz heist bean': 525061, 'heist bean gone': 388860, 'bean gone people': 118323, 'gone people need': 356359, 'to chill out': 902719, 'chill out abit': 176370, 'out abit and': 625545, 'abit and be': 24414, 'and be little': 58758, 'be little le': 115773, 'little le selfish': 495441, 'le selfish just': 483112, 'selfish just recreating': 748159, 'just recreating what': 469586, 'recreating what experienced': 705440, 'what experienced at': 981439, 'experienced at the': 291559, 'supermarket today motion': 823455, 'today motion drop': 919895, 'motion drop tomorrow': 543259, 'drop tomorrow madebystudiojq': 260436, 'thing forgot': 884339, 'with ice': 998925, 'cream now': 215567, 'now am': 573992, 'do stayhome': 250174, 'stayhome stockup': 798187, 'stockup groceryworkers': 804176, 'one thing forgot': 607219, 'thing forgot to': 884340, 'forgot to stock': 329417, 'up on with': 945647, 'on with ice': 605342, 'with ice cream': 998926, 'ice cream now': 412655, 'cream now am': 215568, 'now am supposed': 573998, 'to do stayhome': 904561, 'do stayhome stockup': 250175, 'stayhome stockup groceryworkers': 798188, 'are wicked': 91632, 'wicked kaffy': 991672, 'kaffy say': 470606, 'she complains': 755945, 'complains about': 191918, 'foodstuff video': 318190, 'people are wicked': 647114, 'are wicked kaffy': 91633, 'wicked kaffy say': 991673, 'kaffy say she': 470607, 'say she complains': 739128, 'she complains about': 755946, 'complains about hike': 191919, 'of foodstuff video': 583840, 'ahahahaha': 39123, 'this bitch': 886563, 'bitch just': 131763, 'got access': 358379, 'of mike': 586498, 'mike money': 531275, 'money ahahahaha': 536573, 'ahahahaha this': 39124, 'bitch is': 131759, 'this bitch just': 886565, 'bitch just got': 131764, 'just got access': 468847, 'got access to': 358380, 'all of mike': 43703, 'of mike money': 586499, 'mike money ahahahaha': 531276, 'money ahahahaha this': 536574, 'ahahahaha this bitch': 39125, 'this bitch is': 886564, 'bitch is going': 131760, 'is going online': 448097, 'chck': 174060, 'tippingpoint': 899001, 'chck ur': 174061, 'ur state': 948066, 'on map': 601998, 'map why': 514950, 'must shelterinplace': 546877, 'shelterinplace place': 758016, 'place if': 657501, 'if ordered': 414567, 'ordered or': 618884, 'easily work': 265256, 'socialdistancing when': 780867, 'pharmacy tippingpoint': 654511, 'tippingpoint hospital': 899002, 'hospital overwhelm': 404552, 'chck ur state': 174062, 'ur state on': 948067, 'state on map': 795831, 'on map why': 601999, 'map why you': 514951, 'why you must': 991593, 'you must shelterinplace': 1019929, 'must shelterinplace place': 546878, 'shelterinplace place if': 758017, 'place if ordered': 657503, 'if ordered or': 414568, 'ordered or if': 618885, 'or if your': 615725, 'if your high': 415585, 'your high risk': 1024318, 'risk or can': 723799, 'or can easily': 614647, 'can easily work': 158188, 'easily work from': 265257, 'work from or': 1005195, 'from or stay': 336714, 'or stay home': 617208, 'practice socialdistancing when': 668662, 'socialdistancing when going': 780868, 'or pharmacy tippingpoint': 616585, 'pharmacy tippingpoint hospital': 654512, 'tippingpoint hospital overwhelm': 899003, 'weinstein': 977731, 'president would': 670977, 'store veteran': 811057, 'veteran on': 955723, 'on disability': 600333, 'disability cannot': 243814, 'tested but': 839275, 'but see': 146988, 'see movie': 745440, 'movie star': 544063, 'star celebrity': 794034, 'celebrity athlete': 168876, 'and harvey': 64206, 'harvey weinstein': 378678, 'weinstein getting': 977732, 'mr president would': 544394, 'president would like': 670978, 'know why my': 477052, 'why my wife': 991200, 'wife and who': 991894, 'and who are': 75583, 'are sick she': 90114, 'sick she work': 768602, 'grocery store veteran': 365912, 'store veteran on': 811058, 'veteran on disability': 955724, 'on disability cannot': 600334, 'disability cannot get': 243815, 'get tested but': 348187, 'tested but see': 839276, 'but see movie': 146989, 'see movie star': 745441, 'movie star celebrity': 544064, 'star celebrity athlete': 794035, 'celebrity athlete and': 168877, 'athlete and harvey': 101759, 'and harvey weinstein': 64207, 'harvey weinstein getting': 378679, 'weinstein getting tested': 977733, 'getting tested for': 349336, 'airport are': 40090, 'stocked again': 803249, 'it therefore': 461619, 'therefore plenty': 879453, 'from supply': 337520, 'pro tip if': 679133, 'looking for mask': 502881, 'for mask hand': 323273, 'paper the airport': 640872, 'the airport are': 848505, 'airport are stocked': 40091, 'are stocked again': 90513, 'stocked again but': 803250, 'again but no': 36933, 'one there to': 607210, 'there to buy': 879180, 'buy it therefore': 148864, 'it therefore plenty': 461620, 'therefore plenty to': 879454, 'plenty to choose': 661005, 'choose from supply': 177889, 'publicise': 688558, 'nageswara': 551398, 'rao': 696859, 'pil': 656479, 'to publicise': 912476, 'publicise it': 688559, 'it notification': 459943, 'notification fixing': 573527, 'liquid soap': 494105, 'soap essential': 778989, 'fight pandemic': 304835, 'pandemic bench': 635000, 'bench of': 126825, 'justice nageswara': 470422, 'nageswara rao': 551399, 'rao amp': 696860, 'amp deepak': 53615, 'deepak directs': 231930, 'directs for': 243704, 'for strict': 325944, 'strict implementation': 813626, 'order hearing': 618294, 'hearing pil': 388225, 'asks the centre': 96163, 'the centre to': 850609, 'centre to publicise': 169559, 'to publicise it': 912477, 'publicise it notification': 688560, 'it notification fixing': 459944, 'notification fixing price': 573528, 'fixing price of': 309856, 'sanitiser and liquid': 733912, 'and liquid soap': 66209, 'liquid soap essential': 494107, 'soap essential to': 778990, 'to fight pandemic': 905803, 'fight pandemic bench': 304836, 'pandemic bench of': 635001, 'bench of justice': 126826, 'of justice nageswara': 585580, 'justice nageswara rao': 470423, 'nageswara rao amp': 551400, 'rao amp deepak': 696861, 'amp deepak directs': 53616, 'deepak directs for': 231931, 'directs for strict': 243705, 'for strict implementation': 325945, 'strict implementation of': 813627, 'implementation of order': 418450, 'of order hearing': 587337, 'order hearing pil': 618295, 'active at': 30259, 'warehouse for': 966724, 'mass buying': 519750, 'roof and': 725822, 'struggling so': 814490, 'very active at': 954977, 'active at all': 30260, 'at all due': 97879, 'in warehouse for': 430683, 'warehouse for supermarket': 966725, 'for supermarket and': 325998, 'supermarket and due': 818967, 'the mass buying': 860241, 'mass buying the': 519751, 'buying the work': 151180, 'the work ha': 871731, 'work ha gone': 1005230, 'the roof and': 865969, 'roof and we': 725824, 'all struggling so': 44513, 'struggling so much': 814491, 'die of exhaustion': 241420, 'of exhaustion than': 583305, 'exhaustion than the': 290201, 'than the virus': 841278, 'zoomuniversity': 1027853, 'yeah if': 1014265, 'class work': 180289, 'want done': 965768, 'done dm': 254816, 'price zoomuniversity': 677712, 'yeah if you': 1014266, 'you have online': 1019086, 'have online class': 381803, 'online class work': 608015, 'class work you': 180290, 'work you want': 1006074, 'you want done': 1022136, 'want done dm': 965769, 'done dm for': 254817, 'for price zoomuniversity': 324735, 'ukhousing': 938973, 'coronavirus house': 206094, 'affected expert': 34355, 'warn property': 966957, 'market ukhousing': 517271, 'ukhousing houseprices': 938974, 'houseprices buyingagent': 407022, 'buyingagent homebuyers': 151421, 'homesellers investor': 402962, 'investor property': 444191, 'property 19': 684227, '19 construction': 5946, 'construction ea': 195792, 'ea mortgage': 263976, 'coronavirus house price': 206095, 'house price could': 406476, 'could be affected': 208838, 'be affected expert': 113514, 'affected expert warn': 34356, 'expert warn property': 292014, 'warn property market': 966958, 'property market ukhousing': 684311, 'market ukhousing houseprices': 517272, 'ukhousing houseprices buyingagent': 938975, 'houseprices buyingagent homebuyers': 407023, 'buyingagent homebuyers homesellers': 151422, 'homebuyers homesellers investor': 402634, 'homesellers investor property': 402963, 'investor property 19': 444192, 'property 19 construction': 684228, '19 construction ea': 5947, 'construction ea mortgage': 195793, 'long road': 501599, 'our nt': 624096, 'nt correspondent': 576723, 'correspondent ha': 207636, 'how farmer': 407849, 'farmer living': 299435, 'remote property': 710722, 'nt are': 576721, 'the long road': 859682, 'long road to': 501600, 'road to the': 724527, 'supermarket when shelf': 823807, 'when shelf are': 984010, 'are empty our': 86161, 'empty our nt': 274990, 'our nt correspondent': 624097, 'nt correspondent ha': 576724, 'correspondent ha the': 207637, 'ha the latest': 372207, 'latest on how': 481475, 'on how farmer': 601397, 'how farmer living': 407850, 'farmer living in': 299436, 'living in remote': 496387, 'in remote property': 427380, 'remote property in': 710723, 'property in the': 684280, 'the nt are': 861948, 'nt are coping': 576722, 'coping with panic': 203403, 'buying next on': 150753, 'ontario is': 611607, 'need in order': 555048, 'government of ontario': 360401, 'of ontario is': 587280, 'ontario is launching': 611608, 'employer looking to': 274524, 'looking to fill': 503029, 'to fill the': 905850, 'fill the job': 305498, 'people selfishness': 649394, 'and idiocy': 64925, 'idiocy this': 413431, 'woman meanwhile': 1003554, 'meanwhile is': 524996, 'see this am': 745937, 'this am so': 886297, 'so angry at': 776514, 'angry at some': 76462, 'at some people': 100577, 'some people selfishness': 783533, 'people selfishness and': 649395, 'selfishness and idiocy': 748330, 'and idiocy this': 64926, 'idiocy this woman': 413432, 'this woman meanwhile': 891479, 'woman meanwhile is': 1003555, 'meanwhile is amazing': 524997, 'human ha': 410504, 'like watching': 491762, 'the human ha': 857717, 'human ha just': 410505, 'ha just told': 371067, 'told me the': 923624, 'me the shop': 523661, 'the shop have': 866997, 'shop have none': 760266, 'have none of': 381675, 'of the cat': 590852, 'the cat food': 850516, 'cat food like': 166869, 'food like watching': 315317, 'like watching all': 491763, 'watching all you': 968698, 'before staple': 123098, 'increase rapidly': 433032, 'rapidly this': 697031, 'year sourcing': 1014968, 'sourcing ha': 786614, 'been complicated': 120858, 'complicated by': 192458, 'export border': 292614, 'the creating': 852306, 'creating uncertainty': 216097, 'month before staple': 537616, 'before staple price': 123099, 'staple price increase': 793981, 'price increase rapidly': 674785, 'increase rapidly this': 433033, 'rapidly this year': 697032, 'this year sourcing': 891594, 'year sourcing ha': 1014969, 'sourcing ha been': 786615, 'ha been complicated': 369753, 'been complicated by': 120859, 'complicated by the': 192459, 'by the leading': 154363, 'the leading to': 859236, 'price and export': 672412, 'and export border': 62525, 'export border closure': 292615, 'border closure in': 135235, 'in the creating': 429105, 'the creating uncertainty': 852307, 'creating uncertainty in': 216098, 'uncertainty in supply': 939698, 'food bread': 313786, 'rice in': 721064, 'different state': 242069, 'state here': 795666, 'nigeria pity': 562783, 'pity and': 657052, 'something reasonable': 785032, 'reasonable is': 703101, 'measure million': 525262, '19 out': 9069, 'when see video': 983981, 'see video of': 746003, 'video of people': 956830, 'of people fighting': 587914, 'people fighting for': 647905, 'fighting for food': 305072, 'for food bread': 321564, 'food bread and': 313787, 'bread and rice': 138406, 'and rice in': 70504, 'rice in different': 721065, 'in different state': 422257, 'different state here': 242070, 'state here in': 795667, 'in nigeria pity': 425881, 'nigeria pity and': 562784, 'pity and if': 657053, 'and if something': 64950, 'if something reasonable': 414866, 'something reasonable is': 785033, 'reasonable is not': 703102, 'is not put': 450165, 'not put in': 571173, 'put in to': 690624, 'in to measure': 430122, 'to measure million': 909979, 'measure million of': 525263, 'million of nigerian': 532280, 'of nigerian will': 587018, 'nigerian will die': 562907, 'covid 19 out': 213532, '19 out of': 9070, 'out of ignorance': 626759, 'of ignorance and': 584977, 'ignorance and panic': 415743, 'and panic for': 68653, 'panic for hunger': 638119, 'bronx': 140957, 'these preexisting': 880517, 'preexisting problem': 669719, 'worse many': 1010961, 'many resident': 514637, 'south bronx': 786701, 'bronx are': 140958, 'disability which': 243860, 'on expanding': 600666, 'wheel program': 983046, 'crisis ha made': 217439, 'ha made these': 371218, 'made these preexisting': 508011, 'these preexisting problem': 880518, 'preexisting problem worse': 669720, 'problem worse many': 679773, 'worse many resident': 1010962, 'many resident in': 514638, 'in the south': 429554, 'the south bronx': 867508, 'south bronx are': 786702, 'bronx are elderly': 140959, 'are elderly or': 86105, 'elderly or have': 270795, 'or have disability': 615581, 'have disability which': 380291, 'disability which make': 243861, 'which make it': 986127, 'them to travel': 876525, 'travel to their': 930542, 'store we call': 811169, 'call on expanding': 156036, 'on expanding the': 600667, 'expanding the meal': 290518, 'the meal on': 860341, 'on wheel program': 605258, 'wheel program to': 983047, 'program to counter': 683306, 'to counter this': 903628, 'our favor': 623037, 'favor with': 300472, 'high recovery': 395328, 'recovery rate': 705391, 'will everyone please': 993354, 'everyone please stop': 287287, 'please stop with': 660597, 'with the call': 1001222, 'the call for': 850285, 'call for while': 155898, 'for while we': 327854, 'while we need': 987550, 'to be smart': 901548, 'smart and protect': 775339, 'and protect our': 69659, 'protect our most': 684901, 'most vulnerable the': 542896, 'vulnerable the number': 961200, 'the number are': 861951, 'number are very': 576834, 'very much in': 955362, 'much in our': 545010, 'in our favor': 426289, 'our favor with': 623038, 'favor with very': 300473, 'with very high': 1001974, 'very high recovery': 955233, 'high recovery rate': 395329, 'recovery rate we': 705392, 'rate we go': 697406, 'canada gas': 160441, 'two reason': 937179, 'reason price': 702980, 'to oilprices': 910885, 'canada gas price': 160442, 'drop again for': 260114, 'again for two': 36996, 'for two reason': 327393, 'two reason price': 937180, 'reason price war': 702981, 'arabia and low': 83855, 'due to oilprices': 261881, 'inspite': 439870, 'an appreciation': 55374, 'appreciation tweet': 82905, 'tweet for': 936360, 'milk producer': 531788, 'price inspite': 674834, 'inspite of': 439871, 'an appreciation tweet': 55375, 'appreciation tweet for': 82906, 'tweet for farmer': 936361, 'for farmer amp': 321401, 'farmer amp milk': 299248, 'amp milk producer': 54138, 'milk producer of': 531789, 'producer of the': 680672, 'country who have': 211233, 'have not increased': 381685, 'increased price inspite': 433416, 'price inspite of': 674835, 'inspite of crisis': 439872, 'of crisis shortage': 582187, 'crisis shortage amp': 218035, 'shortage amp logistics': 764809, 'amp logistics issue': 54082, 'here first': 392978, 'person account': 652296, 'here first person': 392979, 'first person account': 308858, 'person account of': 652297, 'account of what': 28734, 'work in during': 1005303, 'efficacy': 269395, 'workflow': 1008331, 'verification': 954776, 'about confident': 24988, 'confident quick': 194006, 'and simple': 71677, 'simple method': 770058, 'sanitizer composition': 734679, 'composition meet': 192578, 'meet efficacy': 527482, 'efficacy guideline': 269396, 'guideline with': 368510, 'and rapid': 69935, 'rapid workflow': 696945, 'workflow driven': 1008334, 'driven verification': 259375, 'verification download': 954777, 'the application': 848829, 'application brief': 82437, 'brief here': 139676, 'learn about confident': 483929, 'about confident quick': 24989, 'confident quick and': 194007, 'quick and simple': 694278, 'and simple method': 71679, 'simple method to': 770059, 'method to determine': 529797, 'to determine if': 904237, 'determine if your': 239437, 'if your hand': 415584, 'hand sanitizer composition': 375349, 'sanitizer composition meet': 734680, 'composition meet efficacy': 192579, 'meet efficacy guideline': 527483, 'efficacy guideline with': 269397, 'guideline with simple': 368511, 'with simple and': 1000739, 'simple and rapid': 769989, 'and rapid workflow': 69938, 'rapid workflow driven': 696946, 'workflow driven verification': 1008335, 'driven verification download': 259376, 'verification download the': 954778, 'download the application': 257625, 'the application brief': 848830, 'application brief here': 82438, 'etc tweet': 282848, 'tweet 19': 936308, 'topic in this': 925792, 'crisis the only': 218186, 'the only essential': 862304, 'only essential service': 610398, 'service and job': 752093, 'and job that': 65666, 'job that will': 466187, 'that will get': 847577, 'the lockdown are': 859589, 'lockdown are the': 499169, 'supermarket staff the': 822898, 'staff the fast': 792944, 'the fast food': 854964, 'fast food delivery': 299958, 'food delivery driver': 314119, 'driver the garbage': 259786, 'collector the sanitation': 186592, 'worker etc tweet': 1006872, 'etc tweet 19': 282849, 'anambra': 57276, 'equipment soar': 279829, 'in anambra': 420342, 'price of personal': 675531, 'protection equipment soar': 685418, 'equipment soar in': 279830, 'soar in anambra': 779252, 'bubonic': 141640, 'past those': 643624, 'who isolated': 989132, 'isolated themselves': 455032, 'the bubonic': 850072, 'bubonic plague': 141641, 'plague marked': 657969, 'marked their': 515870, 'their front': 873386, 'black cross': 132044, 'cross today': 219039, 'to signal': 914641, 'signal people': 769312, 'grocery purchased': 364886, 'the past those': 863365, 'past those who': 643625, 'those who isolated': 892646, 'who isolated themselves': 989133, 'isolated themselves from': 455033, 'from others during': 336738, 'others during the': 621371, 'during the bubonic': 263092, 'the bubonic plague': 850073, 'bubonic plague marked': 141642, 'plague marked their': 657970, 'marked their front': 515871, 'their front door': 873387, 'front door with': 338534, 'door with black': 255784, 'with black cross': 997417, 'black cross today': 132045, 'cross today we': 219040, 'today we still': 920484, 'we still use': 973410, 'still use our': 801362, 'use our front': 949461, 'our front door': 623195, 'front door to': 338533, 'door to signal': 255757, 'to signal people': 914643, 'signal people to': 769313, 'stay away but': 796781, 'away but now': 105799, 'now with shopping': 576453, 'full of grocery': 340727, 'of grocery purchased': 584354, 'grocery purchased online': 364887, 'purchased online retailer': 689792, 'queue maybe': 693990, 'maybe let': 521735, 'go first': 353539, 'probably on': 679345, 'their break': 872644, 'break retailworkers': 138792, 'supermarket and member': 819015, 'and member of': 66941, 'of staff are': 590016, 'staff are in': 792193, 'the queue maybe': 865045, 'queue maybe let': 693991, 'maybe let them': 521736, 'them go first': 875786, 'go first they': 353540, 'first they are': 309066, 'are most probably': 88140, 'most probably on': 542663, 'probably on their': 679347, 'on their break': 604470, 'their break retailworkers': 872645, 'virus rage': 958663, 'rage spread': 695548, 'spread herd': 790565, 'immunity aren': 417391, 'we lucky': 972313, 'lucky he': 506558, 'more merch': 539772, 'merch product': 528961, 'way big': 969500, 'big big': 129643, 'big plan': 129921, 'plan test': 658239, 'kit ventilator': 475660, 'ventilator n95': 954585, 'mask more': 518980, 'more wartime': 540941, 'wartime pro': 967394, 'virus rage spread': 958664, 'rage spread herd': 695549, 'spread herd immunity': 790566, 'herd immunity aren': 392609, 'immunity aren we': 417392, 'aren we lucky': 92586, 'we lucky he': 972314, 'lucky he got': 506559, 'he got more': 385005, 'got more merch': 358712, 'more merch product': 539773, 'merch product service': 528962, 'product service on': 681609, 'service on way': 752651, 'on way big': 605122, 'way big big': 969501, 'big big plan': 129644, 'big plan for': 129922, 'for consumer including': 320267, 'consumer including health': 197843, 'including health plan': 432001, 'health plan test': 386741, 'plan test kit': 658240, 'test kit ventilator': 839072, 'kit ventilator n95': 475662, 'ventilator n95 mask': 954586, 'n95 mask more': 551199, 'mask more wartime': 518981, 'more wartime pro': 540942, 'two worker': 937395, 'at safeway': 100438, 'safeway near': 730850, 'near by': 553468, 'care friend': 163960, 'and colleague': 60075, 'colleague stay': 186240, 'two worker at': 937396, 'worker at safeway': 1006474, 'at safeway near': 100440, 'safeway near by': 730851, 'near by and': 553470, 'by and tested': 151850, 'positive for take': 665328, 'for take care': 326124, 'take care friend': 832007, 'care friend and': 163961, 'friend and colleague': 333496, 'and colleague stay': 60077, 'colleague stay safe': 186241, 'leningrad': 486346, 'calorie': 156889, 'how modern': 408326, 'modern society': 535394, 'society would': 781371, 'have survived': 382876, 'survived during': 829317, 'the siege': 867170, 'siege of': 768987, 'of leningrad': 585779, 'leningrad where': 486347, 'where daily': 984810, 'daily ration': 224764, 'ration fell': 697673, 'almost 200': 46491, '200 calorie': 13462, 'calorie day': 156890, 'given that people': 351126, 'buying food even': 150312, 'food even more': 314411, 'even more now': 284367, 'more now have': 539860, 'idea how modern': 413075, 'how modern society': 408327, 'modern society would': 535395, 'society would have': 781372, 'would have survived': 1011897, 'have survived during': 382877, 'survived during the': 829318, 'during the siege': 263193, 'the siege of': 867171, 'siege of leningrad': 768988, 'of leningrad where': 585780, 'leningrad where daily': 486348, 'where daily ration': 984811, 'daily ration fell': 224766, 'ration fell to': 697674, 'fell to almost': 303244, 'to almost 200': 900367, 'almost 200 calorie': 46493, '200 calorie day': 13463, 'calorie day coronavirus': 156891, 'collector cab': 186551, 'cab bus': 154922, 'driver fastfood': 259558, 'fastfood worker': 300171, 'provider who': 686817, 'give uninterrupted': 350807, 'uninterrupted assistance': 941849, 'assistance even': 96687, 'store worker sanitation': 811577, 'sanitation worker garbage': 733875, 'garbage collector cab': 343519, 'collector cab bus': 186552, 'cab bus driver': 154923, 'delivery driver fastfood': 233908, 'driver fastfood worker': 259559, 'fastfood worker and': 300172, 'service provider who': 752740, 'provider who have': 686818, 'who have continued': 988916, 'continued to give': 201358, 'to give uninterrupted': 906724, 'give uninterrupted assistance': 350808, 'uninterrupted assistance even': 941850, 'assistance even at': 96688, 'risk of their': 723784, 'stockmarket wake': 803678, 'liberal trash': 488022, 'trash un': 930178, 'un who': 939308, 'who fauci': 988726, 'fauci plant': 300370, 'plant clown': 658642, 'clown medium': 184371, 'medium scam': 527261, 'more each': 539092, 'the federalreserve': 855084, 'federalreserve set': 302095, 'to boom': 901904, 'boom mode': 134815, 'mode and': 535154, 'when pass': 983845, 'pass shortly': 643227, 'shortly consumer': 765387, 'spending come': 788775, 'back online': 107207, 'online china': 608006, 'china month': 176829, 'month close': 537646, 'close spy': 182800, 'spy boom': 791398, 'the stockmarket wake': 867936, 'stockmarket wake up': 803679, 'to the liberal': 916844, 'the liberal trash': 859320, 'liberal trash un': 488023, 'trash un who': 930179, 'un who fauci': 939309, 'who fauci plant': 988727, 'fauci plant clown': 300371, 'plant clown medium': 658643, 'clown medium scam': 184372, 'medium scam more': 527262, 'scam more each': 740251, 'more each day': 539093, 'each day now': 264047, 'day now we': 228041, 'got the federalreserve': 358900, 'the federalreserve set': 855085, 'federalreserve set to': 302096, 'set to boom': 753505, 'to boom mode': 901907, 'boom mode and': 134816, 'mode and when': 535157, 'and when pass': 75520, 'when pass shortly': 983846, 'pass shortly consumer': 643228, 'shortly consumer spending': 765388, 'consumer spending come': 199049, 'spending come back': 788776, 'come back online': 187242, 'back online china': 107208, 'online china month': 608007, 'china month close': 176830, 'month close spy': 537647, 'close spy boom': 182801, 'epidemic by': 279346, 'rare product': 697093, 'the andrex': 848733, 'the epidemic by': 854431, 'epidemic by inflating': 279347, 'price of rare': 675550, 'of rare product': 588748, 'rare product like': 697094, 'product like the': 681368, 'like the andrex': 491346, 'the andrex 9pcs': 848734, '575': 20513, 'guardian joined': 367897, 'joined 575': 466914, '575 utility': 20514, 'utility justice': 951294, 'justice labor': 470416, 'labor faith': 478407, 'faith consumer': 296500, 'environmental group': 279191, 'in urging': 430478, 'urging governor': 948426, 'governor mayor': 360938, 'mayor and': 521933, 'utility regulator': 951305, 'put moratorium': 690692, 'on electricity': 600534, 'water shutoffs': 969153, 'shutoffs in': 768169, 'resulting job': 717712, 'guardian joined 575': 367898, 'joined 575 utility': 466915, '575 utility justice': 20515, 'utility justice labor': 951295, 'justice labor faith': 470417, 'labor faith consumer': 478408, 'faith consumer and': 296501, 'consumer and environmental': 196210, 'and environmental group': 62211, 'environmental group in': 279192, 'group in urging': 366742, 'in urging governor': 430480, 'urging governor mayor': 948427, 'governor mayor and': 360939, 'mayor and utility': 521934, 'and utility regulator': 74813, 'utility regulator to': 951306, 'to put moratorium': 912595, 'put moratorium on': 690693, 'moratorium on electricity': 538445, 'on electricity and': 600535, 'electricity and water': 271148, 'and water shutoffs': 75253, 'water shutoffs in': 969154, 'shutoffs in response': 768170, 'and resulting job': 70421, 'resulting job loss': 717713, 'clasping': 180127, 'met distressed': 529570, 'distressed elderly': 247938, 'today clasping': 919376, 'clasping an': 180128, 'empty basket': 274796, 'basket facing': 112330, 'shelf she': 757502, 'looking chicken': 502839, 'chicken found': 175785, 'found fillet': 330205, 'fillet on': 305589, 'shelf well': 757755, 'her reach': 392321, 'reach and': 699896, 'and view': 74958, 'thankful and': 841899, 'and replied': 70256, 'replied only': 711719, 'wanted enough': 966203, 'my tea': 550320, 'tea bekind': 835341, 'met distressed elderly': 529571, 'distressed elderly lady': 247939, 'elderly lady in': 270733, 'lady in the': 478780, 'supermarket today clasping': 823438, 'today clasping an': 919377, 'clasping an empty': 180129, 'an empty basket': 55720, 'empty basket facing': 274797, 'basket facing empty': 112331, 'facing empty shelf': 295459, 'empty shelf she': 275091, 'shelf she wa': 757503, 'wa looking chicken': 962589, 'looking chicken found': 502840, 'chicken found fillet': 175786, 'found fillet on': 330206, 'fillet on top': 305590, 'top shelf well': 925720, 'shelf well out': 757757, 'of her reach': 584583, 'her reach and': 392322, 'reach and view': 699897, 'and view the': 74959, 'view the lady': 957168, 'the lady wa': 858914, 'lady wa so': 478858, 'wa so thankful': 963267, 'so thankful and': 778354, 'thankful and replied': 841900, 'and replied only': 70257, 'replied only wanted': 711720, 'only wanted enough': 611431, 'wanted enough for': 966204, 'enough for my': 277437, 'for my tea': 323752, 'my tea bekind': 550322, 'bootstrap': 135136, 'socia': 779417, 'am kinda': 50169, 'kinda pro': 475067, 'pro covid': 679104, 'for president': 324702, 'president at': 670766, 'moment gas': 535944, 'low m4a': 505395, 'm4a is': 507231, 'growing more': 367215, 'popular pollution': 664582, 'pollution down': 663902, 'favorite it': 300523, 'those pull': 892379, 'pull yourself': 688900, 'the bootstrap': 849858, 'bootstrap people': 135137, 'are socia': 90237, 'am kinda pro': 50170, 'kinda pro covid': 475068, 'pro covid 19': 679105, '19 for president': 7074, 'for president at': 324703, 'president at the': 670767, 'the moment gas': 860756, 'moment gas price': 535945, 'are low m4a': 87931, 'low m4a is': 505396, 'm4a is growing': 507232, 'is growing more': 448237, 'growing more popular': 367216, 'more popular pollution': 540093, 'popular pollution down': 664583, 'pollution down le': 663903, 'le traffic and': 483216, 'traffic and my': 929047, 'and my favorite': 67365, 'my favorite it': 548271, 'favorite it ha': 300524, 'it ha shown': 458413, 'shown that all': 767616, 'that all those': 842576, 'all those pull': 45181, 'those pull yourself': 892380, 'pull yourself up': 688901, 'yourself up by': 1026737, 'by the bootstrap': 154270, 'the bootstrap people': 849859, 'bootstrap people are': 135138, 'people are socia': 647080, 'pk': 657254, 'there law': 878694, 'prevent profiteering': 671705, 'sanitiser etc': 733947, 'price crack': 673311, 'down everyone': 256740, 'take photo': 832489, 'post online': 666265, 'online where': 609717, 'these heading': 880107, '60 pk': 20992, 'isn there law': 454724, 'there law to': 878695, 'law to prevent': 482428, 'to prevent profiteering': 912084, 'prevent profiteering from': 671706, 'from selling toilet': 337216, 'paper hand sanitiser': 640247, 'hand sanitiser etc': 375229, 'sanitiser etc at': 733948, 'etc at highly': 282431, 'over the recommended': 630758, 'the recommended retail': 865355, 'recommended retail price': 704793, 'retail price crack': 718407, 'price crack down': 673312, 'crack down everyone': 214699, 'down everyone take': 256741, 'everyone take photo': 287446, 'take photo and': 832490, 'photo and post': 655123, 'and post online': 69232, 'post online where': 666266, 'online where are': 609718, 'where are these': 984741, 'are these heading': 90974, 'these heading to': 880108, 'heading to selling': 385963, 'to selling for': 914196, 'selling for 60': 749254, 'for 60 pk': 318890, 'website shopping': 975412, 'training remain': 929355, 'time staysafe': 897762, '19 update please': 11678, 'update please note': 947170, 'note that our': 572807, 'that our website': 845602, 'our website shopping': 625350, 'website shopping cart': 975413, 'cart and online': 165251, 'and online training': 68128, 'online training remain': 609631, 'training remain available': 929356, 'remain available during': 709703, 'this time staysafe': 890690, 'makemytrip': 510800, 'cheating': 174347, 'have cancelled': 379885, 'flight booking': 310447, 'booking dated': 134723, 'dated 20': 226772, 'but makemytrip': 146342, 'makemytrip is': 510801, 'is cheating': 446500, 'cheating consumer': 174348, 'providing the': 687107, 'the refund': 865411, 'refund even': 706901, 'the circular': 850891, 'circular to': 178651, 'free cancellation': 331701, 'we have cancelled': 971771, 'have cancelled our': 379887, 'cancelled our flight': 161152, 'our flight booking': 623093, 'flight booking dated': 310448, 'booking dated 20': 134724, 'dated 20 march': 226773, '20 march but': 13142, 'march but makemytrip': 515306, 'but makemytrip is': 146343, 'makemytrip is cheating': 510802, 'is cheating consumer': 446501, 'cheating consumer but': 174349, 'consumer but not': 196687, 'but not providing': 146554, 'not providing the': 571165, 'providing the refund': 687109, 'the refund even': 865412, 'refund even after': 706902, 'after the circular': 36294, 'the circular to': 850892, 'circular to provide': 178652, 'to provide free': 912396, 'provide free cancellation': 686322, 'caito': 155206, 'instructor': 440582, 'seen grocery': 747041, 'shelf beginning': 756886, 'but matthew': 146369, 'matthew caito': 520683, 'caito operation': 155207, 'management instructor': 512586, 'instructor ha': 440585, 'ha feeling': 370607, 'for operation': 324140, 'full strength': 340905, 'strength after': 813213, 'pandemic dy': 635346, 'you might ve': 1019856, 'might ve seen': 531160, 've seen grocery': 953532, 'seen grocery store': 747042, 'store shelf beginning': 810061, 'shelf beginning to': 756887, 'beginning to fill': 123669, 'fill up again': 305510, 'up again but': 944236, 'again but matthew': 36932, 'but matthew caito': 146370, 'matthew caito operation': 520684, 'caito operation management': 155208, 'operation management instructor': 613229, 'management instructor ha': 512587, 'instructor ha feeling': 440586, 'ha feeling that': 370608, 'feeling that it': 303069, 'that it going': 844711, 'going to take': 355736, 'to take few': 916180, 'take few year': 832120, 'year for operation': 1014566, 'for operation to': 324141, 'operation to get': 613280, 'back to full': 107367, 'to full strength': 906315, 'full strength after': 340906, 'strength after this': 813214, 'this pandemic dy': 889384, 'pandemic dy down': 635347, 'disabling': 243989, 'pornography': 664839, 'action of': 30088, 'of politics': 588214, 'politics of': 663792, 'of disabling': 582646, 'disabling pornography': 243990, 'pornography site': 664844, 'site way': 772052, 'the overwhelming': 862797, 'overwhelming run': 631762, 'supermarket portugal': 822045, 'is the action': 452720, 'the action of': 848306, 'action of politics': 30089, 'of politics of': 588215, 'politics of disabling': 663793, 'of disabling pornography': 582647, 'disabling pornography site': 243991, 'pornography site way': 664845, 'site way to': 772053, 'save the consumption': 737654, 'the consumption of': 851639, 'consumption of toilet': 199917, 'paper and avoiding': 639807, 'and avoiding the': 58585, 'avoiding the overwhelming': 105499, 'the overwhelming run': 862799, 'overwhelming run to': 631763, 'run to supermarket': 727845, 'to supermarket portugal': 915830, 'staff airline': 792090, 'airline lay': 39988, 'off 500': 593607, '500 staff': 20054, 'staff pilot': 792754, 'pilot get': 656735, 'at cole': 98290, 'cole after': 185833, 'after showing': 36210, 'would stack': 1012262, 'job heraldsun': 465860, 'cole supermarket hire': 185881, 'supermarket hire 500': 820760, 'hire 500 new': 396989, 'new staff airline': 559633, 'staff airline lay': 792091, 'airline lay off': 39989, 'lay off 500': 482600, 'off 500 staff': 593608, '500 staff pilot': 20055, 'staff pilot get': 792755, 'pilot get job': 656736, 'get job at': 347448, 'job at cole': 465674, 'at cole after': 98291, 'cole after showing': 185834, 'after showing how': 36211, 'showing how he': 767458, 'how he would': 407987, 'he would stack': 385702, 'would stack shelf': 1012263, 'stack shelf and': 791982, 'and his first': 64596, 'his first day': 397433, 'first day on': 308616, 'the job heraldsun': 858660, 'reboot': 703286, 'of weed': 592991, 'weed ugly': 975774, 'ugly bitch': 938044, 'bitch acting': 131742, 'acting cute': 29867, 'cute ego': 223661, 'ego war': 270072, 'war high': 966456, 'high octane': 395187, 'octane politics': 579134, 'politics no': 663790, 'football what': 318521, 'what tf': 982280, 'happening can': 377336, 'we reboot': 973030, 'reboot 2020': 703287, '2020 already': 14134, '19 hiked price': 7534, 'price of weed': 675606, 'of weed ugly': 592992, 'weed ugly bitch': 975775, 'ugly bitch acting': 938045, 'bitch acting cute': 131743, 'acting cute ego': 29868, 'cute ego war': 223662, 'ego war high': 270073, 'war high octane': 966457, 'high octane politics': 395188, 'octane politics no': 579135, 'politics no football': 663791, 'no football what': 564292, 'football what tf': 318522, 'what tf is': 982281, 'tf is happening': 840004, 'is happening can': 448277, 'happening can we': 377338, 'can we reboot': 160189, 'we reboot 2020': 973031, 'reboot 2020 already': 703288, 'mareeba': 515581, 'cole mareeba': 185866, 'mareeba recently': 515582, 'recently hired': 704109, 'hired 27': 397040, '27 new': 16295, 'new local': 559053, 'local staff': 498443, 'the smooth': 867383, 'smooth running': 775932, 'running of': 728013, 'cole mareeba recently': 185867, 'mareeba recently hired': 515583, 'recently hired 27': 704110, 'hired 27 new': 397041, '27 new local': 16296, 'new local staff': 559054, 'local staff to': 498444, 'with the smooth': 1001482, 'the smooth running': 867384, 'smooth running of': 775933, 'running of the': 728014, 'person meter': 652536, 'one before': 605990, 'before waiting': 123273, 'enter we': 278334, 'received glove': 703625, 'glove upon': 352993, 'store each person': 807416, 'each person meter': 264253, 'person meter away': 652537, 'from the one': 337815, 'the one before': 862191, 'one before waiting': 605991, 'before waiting to': 123274, 'to enter we': 905230, 'enter we received': 278335, 'we received glove': 973034, 'received glove upon': 703626, 'glove upon entering': 352994, 'njlockdown': 563483, 'best njlockdown': 127783, 'njlockdown shoprite': 563484, 'kind to grocery': 475008, 'our best njlockdown': 622193, 'best njlockdown shoprite': 127784, 'take customer': 832047, 'temperature more': 837381, 'company step': 191113, 'store take customer': 810496, 'take customer temperature': 832048, 'customer temperature more': 222907, 'temperature more company': 837382, 'more company step': 538841, 'company step up': 191114, 'and drove': 61772, 'drove government': 260796, 'government in': 360216, 'in 38': 419920, '38 state': 18142, 'direct nearly': 243359, 'nearly 300': 553774, 'home forcing': 401250, 'forcing business': 328697, 'or furlough': 615412, 'furlough worker': 341906, 'worker voted': 1008105, 'voted him': 960556, 'spread to every': 790856, 'to every state': 905312, 'every state in': 286209, 'state in the': 795686, 'in the in': 429284, 'the in march': 858008, 'march and drove': 515269, 'and drove government': 61773, 'drove government in': 260797, 'government in 38': 360217, 'in 38 state': 419921, '38 state to': 18143, 'state to direct': 796015, 'to direct nearly': 904321, 'direct nearly 300': 243360, 'nearly 300 million': 553776, '300 million people': 17327, 'million people to': 532320, 'stay home forcing': 796966, 'home forcing business': 401251, 'forcing business across': 328698, 'the country to': 852169, 'country to close': 211159, 'close and lay': 182532, 'lay off or': 482604, 'off or furlough': 594034, 'or furlough worker': 615413, 'furlough worker voted': 341907, 'worker voted him': 1008106, 'voted him in': 960557, 'bay if': 112944, 'alcohol 19': 40890, 'and water is': 75244, 'water is the': 969045, 'keep the coronavirus': 472032, 'coronavirus at bay': 205526, 'at bay if': 98104, 'bay if soap': 112945, 'readily available you': 700722, '60 alcohol 19': 20880, '19 merchant': 8633, 'merchant pledge': 529040, 'price steady': 676644, 'covid 19 merchant': 213427, '19 merchant pledge': 8634, 'merchant pledge to': 529041, 'pledge to keep': 660857, 'keep price steady': 471819, 'sorted for': 786173, 'coronacrisis didn': 204585, 'buy these': 149343, 'these they': 880811, 'freezer since': 332628, 'summer probably': 817995, 'probably can': 679230, 'them anyway': 875409, 'anyway because': 80985, 'because diabetic': 119022, 'diabetic stop': 240202, 'ill from': 416124, 'from diabetes': 335141, 'sorted for the': 786174, 'for the coronacrisis': 326362, 'the coronacrisis didn': 851778, 'coronacrisis didn panic': 204586, 'panic buy these': 637538, 'buy these they': 149345, 'these they ve': 880812, 'the freezer since': 855785, 'freezer since last': 332629, 'since last summer': 770693, 'last summer probably': 480516, 'summer probably can': 817996, 'probably can have': 679231, 'can have them': 158590, 'have them anyway': 383065, 'them anyway because': 875410, 'anyway because diabetic': 80986, 'because diabetic stop': 119023, 'diabetic stop buying': 240203, 'stop buying all': 804527, 'the food need': 855578, 'to not get': 910690, 'not get ill': 569592, 'get ill from': 347283, 'ill from diabetes': 416126, 'store reminder': 809808, 'reminder think': 710597, 'buy help': 148781, 'two on': 937097, 'delivery if': 234105, 'if neighbor': 414467, 'out offer': 626887, 'help try': 390819, 'selfish bekind': 748029, 'panicbuying shopping': 639045, 'got this at': 358936, 'this at my': 886452, 'my supermarket and': 550265, 'and at my': 58481, 'my store saw': 550227, 'store saw the': 809999, 'saw the ad': 738261, 'the ad for': 848334, 'ad for this': 31107, 'for this store': 327068, 'this store reminder': 890352, 'store reminder think': 809809, 'reminder think before': 710598, 'you buy help': 1017571, 'buy help where': 148782, 'help where you': 390884, 'you can place': 1017746, 'place an extra': 657305, 'extra item or': 293557, 'item or two': 463538, 'or two on': 617568, 'two on food': 937098, 'food delivery if': 314132, 'delivery if neighbor': 234106, 'if neighbor cannot': 414468, 'neighbor cannot get': 556993, 'get out offer': 347740, 'out offer to': 626888, 'offer to help': 594850, 'to help try': 907656, 'help try not': 390820, 'be selfish bekind': 117059, 'selfish bekind coronacrisis': 748030, 'bekind coronacrisis panicbuying': 126094, 'coronacrisis panicbuying shopping': 204692, 'museum each': 546245, 'each had': 264089, 'had around': 372861, 'around hour': 93332, 'give viewer': 350825, 'viewer an': 957185, 'tour experience': 926923, 'experience consumer': 291336, 'ecommerce livestreaming': 266800, 'livestreaming alibaba': 496293, 'museum each had': 546246, 'each had around': 264090, 'had around hour': 372862, 'around hour to': 93333, 'to give viewer': 906726, 'give viewer an': 350826, 'viewer an online': 957186, 'online tour experience': 609623, 'tour experience consumer': 926924, 'experience consumer ecommerce': 291337, 'consumer ecommerce livestreaming': 197287, 'ecommerce livestreaming alibaba': 266801, 'unforgivable': 941550, 'govs': 361053, 'that unforgivable': 847174, 'unforgivable scarcity': 941551, 'scarcity for': 740832, 'worker govs': 1007054, 'govs should': 361056, 'should declare': 765899, 'declare illegal': 231186, 'illegal using': 416256, 'an ffp2': 56047, 'life by': 488542, 'supermarket basic': 819309, 'while operator': 987111, 'operator need': 613383, 'need many': 555197, 'of that unforgivable': 590750, 'that unforgivable scarcity': 847175, 'unforgivable scarcity for': 941552, 'scarcity for health': 740833, 'for health worker': 322155, 'health worker govs': 386978, 'worker govs should': 1007055, 'govs should declare': 361057, 'should declare illegal': 765900, 'declare illegal using': 231187, 'illegal using an': 416257, 'using an ffp2': 950382, 'an ffp2 mask': 56048, 'ffp2 mask in': 304279, 'mask in everyday': 518831, 'in everyday life': 422697, 'everyday life by': 286590, 'life by the': 488546, 'by the common': 154290, 'common people to': 189431, 'to supermarket basic': 915775, 'supermarket basic surgical': 819310, 'mask is fine': 518866, 'is fine while': 447817, 'fine while operator': 307723, 'while operator need': 987112, 'operator need many': 613384, 'need many of': 555199, 'of them to': 591768, 'them to ensure': 876471, 'ensure our safety': 278002, 'fpa': 330827, 'consult': 195840, 'superannuation': 818610, 'the fpa': 855746, 'fpa is': 330828, 'extremely disappointed': 293872, 'statement made': 796187, 'by various': 154657, 'various consumer': 952591, 'that australian': 842893, 'australian should': 103545, 'should consult': 765867, 'consult financial': 195843, 'financial counsellor': 306363, 'counsellor rather': 210083, 'than financial': 840652, 'adviser about': 33657, 'about early': 25142, 'to superannuation': 915760, 'superannuation read': 818611, 'statement here': 796180, 'the fpa is': 855747, 'fpa is extremely': 330829, 'is extremely disappointed': 447678, 'extremely disappointed by': 293873, 'disappointed by the': 244097, 'by the statement': 154446, 'the statement made': 867828, 'statement made by': 796188, 'made by various': 507678, 'by various consumer': 154658, 'various consumer group': 952592, 'consumer group that': 197666, 'group that australian': 366907, 'that australian should': 842894, 'australian should consult': 103546, 'should consult financial': 765868, 'consult financial counsellor': 195844, 'financial counsellor rather': 306364, 'counsellor rather than': 210084, 'rather than financial': 697518, 'than financial adviser': 840653, 'financial adviser about': 306313, 'adviser about early': 33658, 'about early access': 25143, 'access to superannuation': 28282, 'to superannuation read': 915761, 'superannuation read more': 818612, 'in our statement': 426340, 'our statement here': 624906, 'adjacent': 32266, 'else concerned': 271667, 'being set': 125765, 'either at': 270255, 'or adjacent': 614261, 'adjacent time': 32271, 'one group': 606371, 'most exposed': 542324, 'anybody else concerned': 80070, 'else concerned that': 271668, 'the supermarket shopping': 868799, 'shopping slot being': 763902, 'slot being set': 774150, 'being set aside': 125766, 'set aside for': 753346, 'aside for nh': 95411, 'elderly or vulnerable': 270800, 'or vulnerable are': 617697, 'vulnerable are either': 960874, 'are either at': 86092, 'either at the': 270257, 'same time or': 733362, 'time or adjacent': 897424, 'or adjacent time': 614262, 'adjacent time of': 32272, 'the day one': 852902, 'day one group': 228152, 'one group are': 606372, 'group are the': 366613, 'the most exposed': 860985, 'most exposed to': 542325, 'group are some': 366612, 'tw food': 936241, 'food yo': 317698, 'but fr': 145767, 'fr this': 330850, 'ate so': 101727, 'dinner co': 243060, 'tw food yo': 936242, 'food yo but': 317699, 'yo but fr': 1016426, 'but fr this': 145769, 'fr this covid': 330851, 'panic ate so': 637367, 'ate so much': 101728, 'so much le': 777791, 'much le dinner': 545038, 'le dinner co': 482930, 'dinner co there': 243061, 'co there no': 184978, 'and there people': 73848, 'there people in': 878924, 'feed and one': 302280, 'difference by': 241823, 'shopping small': 763912, 'small our': 775053, 'at participating': 100075, 'participating establishment': 642564, 'establishment lovenowexplorelater': 282064, 'lovenowexplorelater glaciermt': 505013, 'can make big': 158925, 'big difference by': 129757, 'difference by shopping': 241824, 'by shopping small': 153999, 'shopping small our': 763914, 'small our local': 775054, 'local business need': 497767, 'business need our': 144088, 'right now order': 722113, 'now order takeout': 575481, 'order takeout and': 618616, 'takeout and delivery': 833138, 'delivery and shop': 233677, 'online at participating': 607892, 'at participating establishment': 100076, 'participating establishment lovenowexplorelater': 642565, 'establishment lovenowexplorelater glaciermt': 282065, 'skinless': 773101, 'bead': 118259, 'fortnite gaw': 329862, 'gaw skinless': 344697, 'skinless bead': 773102, 'bead x1': 118260, 'winner prize': 996039, 'prize continue': 679070, 'continue tag': 201143, 'gaymer do': 344733, 'it retweet': 460758, 'retweet finish': 720050, 'finish soon': 307868, 'fortnite gaw skinless': 329863, 'gaw skinless bead': 344698, 'skinless bead x1': 773103, 'bead x1 winner': 118261, 'x1 winner prize': 1013741, 'winner prize continue': 996040, 'prize continue tag': 679071, 'continue tag friend': 201144, 'is gaymer do': 448007, 'gaymer do you': 344734, 'do you like': 250644, 'like it retweet': 490550, 'it retweet finish': 460759, 'retweet finish soon': 720051, 'each supermarket': 264285, 'designated isle': 238299, 'isle for': 454354, 'on caring': 599831, 'each supermarket should': 264288, 'supermarket should have': 822680, 'have designated isle': 380239, 'designated isle for': 238300, 'isle for nh': 454355, 'get the essential': 348240, 'need to carry': 555881, 'to carry on': 902468, 'carry on caring': 165117, 'on caring for': 599832, 'for our country': 324222, 'our country coronacrisis': 622585, 'country coronacrisis nhsworkers': 210562, 'honolulu': 403233, 'savannah': 737452, 'tourism heavy': 926987, 'heavy city': 388622, 'city used': 179439, 'used nashville': 949969, 'nashville honolulu': 552018, 'honolulu new': 403234, 'orleans and': 619639, 'and savannah': 70944, 'savannah the': 737453, 'the rental': 865516, 'exploding airbnb': 292321, 'airbnb owner': 39822, 'are suddenly': 90621, 'suddenly forced': 817094, 'this surge': 890447, 'to dramatically': 904706, 'dramatically cut': 258335, 'of monthly': 586632, 'monthly rental': 538195, 'in tourism heavy': 430241, 'tourism heavy city': 926988, 'heavy city used': 388623, 'city used nashville': 179440, 'used nashville honolulu': 949970, 'nashville honolulu new': 552019, 'honolulu new orleans': 403235, 'new orleans and': 559235, 'orleans and savannah': 619640, 'and savannah the': 70945, 'savannah the rental': 737454, 'the rental market': 865517, 'market is exploding': 516625, 'is exploding airbnb': 447656, 'exploding airbnb owner': 292322, 'airbnb owner are': 39823, 'owner are suddenly': 632392, 'are suddenly forced': 90623, 'suddenly forced to': 817095, 'forced to put': 328645, 'put their house': 690880, 'their house on': 873608, 'house on the': 406432, 'market this surge': 517218, 'this surge in': 890448, 'surge in supply': 828211, 'in supply is': 428730, 'supply is going': 825441, 'going to dramatically': 355576, 'to dramatically cut': 904707, 'dramatically cut the': 258336, 'rate of monthly': 697319, 'of monthly rental': 586633, 'will determine': 993168, 'determine how': 239430, 'how severely': 408651, 'severely this': 754115, 'community resident': 190064, 'not gather': 569567, 'gather at': 344372, 'other home': 620363, 'or crowd': 614860, 'beach please': 118229, 'the action we': 848309, 'action we all': 30189, 'all take over': 44594, 'take over the': 832475, 'week will determine': 977253, 'will determine how': 993169, 'determine how severely': 239432, 'how severely this': 408652, 'severely this virus': 754116, 'this virus will': 891038, 'virus will impact': 959041, 'our community resident': 622476, 'community resident should': 190065, 'resident should not': 714361, 'should not gather': 766245, 'not gather at': 569568, 'gather at each': 344373, 'each other home': 264180, 'other home or': 620366, 'home or crowd': 401738, 'or crowd the': 614861, 'crowd the beach': 219264, 'the beach please': 849388, 'beach please limit': 118230, 'please limit the': 660193, 'most other': 542590, 'other asset': 619851, 'asset class': 96422, 'class the': 180270, 'municipal fixed': 546090, 'income market': 432407, 'unprecedented volatility': 943213, 'volatility read': 960090, 'our municipal': 623965, 'income team': 432471, 'like most other': 490799, 'most other asset': 542591, 'other asset class': 619852, 'asset class the': 96423, 'class the municipal': 180271, 'the municipal fixed': 861145, 'municipal fixed income': 546091, 'fixed income market': 309805, 'income market is': 432408, 'experiencing unprecedented volatility': 291716, 'unprecedented volatility read': 943214, 'volatility read our': 960091, 'read our new': 700516, 'our new blog': 624024, 'blog post for': 132987, 'post for an': 666131, 'from our municipal': 336790, 'our municipal fixed': 623966, 'fixed income team': 309807, 'income team and': 432472, 'team and what': 835582, 'they are watching': 881456, 'peaking': 646132, 'dontbeapartoftheproblem': 255333, 'prayfortheworld': 669103, 'trustinthelord': 934367, 'danceswithrain': 225595, 'should nt': 766277, 'nt go': 576725, 'is peaking': 450831, 'peaking dontbeapartoftheproblem': 646133, 'dontbeapartoftheproblem stayhome': 255334, 'stayhome beresponsible': 797949, 'beresponsible prayfortheworld': 127294, 'prayfortheworld washyourhands': 669106, 'washyourhands trustinthelord': 967934, 'trustinthelord seattle': 934368, 'seattle blessed': 743554, 'blessed danceswithrain': 132620, 'hear that you': 388001, 'you should nt': 1021209, 'should nt go': 766278, 'nt go to': 576726, 'store the next': 810609, 'next week while': 561707, 'week while the': 977241, 'virus is peaking': 958397, 'is peaking dontbeapartoftheproblem': 450832, 'peaking dontbeapartoftheproblem stayhome': 646134, 'dontbeapartoftheproblem stayhome beresponsible': 255335, 'stayhome beresponsible prayfortheworld': 797951, 'beresponsible prayfortheworld washyourhands': 127295, 'prayfortheworld washyourhands trustinthelord': 669107, 'washyourhands trustinthelord seattle': 967935, 'trustinthelord seattle blessed': 934369, 'seattle blessed danceswithrain': 743555, 'wwg1wgaworldwide': 1013681, 'socialdistancing wwg1wgaworldwide': 780888, 'wwg1wgaworldwide they': 1013682, 'sanitizer stocked': 735817, 'stocked wth': 803478, 'wth hand': 1013364, 'sanitizer make': 735333, 'sense rule': 750585, 'shortage feel': 764951, 'like communism': 490033, 'socialdistancing wwg1wgaworldwide they': 780889, 'wwg1wgaworldwide they can': 1013683, 'do this but': 250345, 'this but they': 886648, 'they cannot keep': 881711, 'cannot keep the': 161987, 'keep the hand': 472046, 'hand sanitizer stocked': 375604, 'sanitizer stocked wth': 735818, 'stocked wth hand': 803479, 'wth hand sanitizer': 1013365, 'hand sanitizer make': 375482, 'sanitizer make more': 735335, 'more sense rule': 540347, 'sense rule and': 750586, 'rule and shortage': 727192, 'and shortage feel': 71568, 'shortage feel like': 764952, 'feel like communism': 302704, 'dearly': 229938, 'real cure': 701095, 'cure of': 220781, 'coronavirus take': 206869, 'yourselves this': 1026815, 'my dearly': 547962, 'dearly friend': 229939, 'paper is the': 640363, 'the real cure': 865212, 'real cure of': 701096, 'cure of coronavirus': 220782, 'of coronavirus take': 581967, 'coronavirus take care': 206870, 'of yourselves this': 593556, 'yourselves this day': 1026816, 'this day my': 887169, 'day my dearly': 227999, 'my dearly friend': 547963, 'pavilion': 644664, 'viscelli': 959121, 'to robert': 913615, 'robert and': 724701, 'and penny': 68841, 'penny fox': 646611, 'fox family': 330753, 'family pavilion': 298151, 'pavilion scholar': 644665, 'scholar senior': 741662, 'senior fellow': 750294, 'fellow steve': 303336, 'steve viscelli': 799963, 'viscelli also': 959122, 'also of': 48591, 'providing crucial': 686965, 'crucial context': 219442, 'context on': 200914, 'how might': 408322, 'consumer process': 198441, 'process maybe': 679926, 'maybe for': 521679, 'thanks to robert': 842257, 'to robert and': 913616, 'robert and penny': 724702, 'and penny fox': 68842, 'penny fox family': 646612, 'fox family pavilion': 330754, 'family pavilion scholar': 298152, 'pavilion scholar senior': 644666, 'scholar senior fellow': 741663, 'senior fellow steve': 750295, 'fellow steve viscelli': 303337, 'steve viscelli also': 799964, 'viscelli also of': 959123, 'also of and': 48592, 'of and for': 580155, 'and for providing': 63156, 'for providing crucial': 324834, 'providing crucial context': 686966, 'crucial context on': 219443, 'context on how': 200915, 'on how might': 601411, 'how might affect': 408323, 'might affect our': 530863, 'affect our consumer': 34203, 'our consumer process': 622543, 'consumer process maybe': 198442, 'process maybe for': 679927, 'maybe for good': 521680, 'who looked': 989231, 'not self': 571514, 'distancing would': 247663, 'about increasing': 25518, 'collect system': 186326, 'anyone who looked': 80625, 'who looked at': 989232, 'looked at all': 502704, 'at all of': 97899, 'of those health': 592090, 'those health worker': 892058, 'health worker in': 386983, 'supermarket not self': 821649, 'not self distancing': 571515, 'self distancing would': 747613, 'distancing would be': 247664, 'would be worried': 1011671, 'be worried about': 118150, 'worried about increasing': 1010499, 'about increasing the': 25519, '19 is it': 7996, 'the vulnerable and': 870974, 'vulnerable and health': 960861, 'worker to use': 1008025, 'and collect system': 60091, 'collect system with': 186327, 'system with the': 831391, 'with the hub': 1001337, 'are recommending': 89510, 'recommending we': 704821, 'they are recommending': 881381, 'are recommending we': 89511, 'recommending we don': 704822, 'we don even': 971379, 'don even go': 253484, 'pharmacy why the': 654563, 'hell are we': 388982, 'noticeably': 573416, 'more but': 538738, 'have noticeably': 381710, 'noticeably changed': 573417, 'changed well': 172598, 'well top': 978707, '100 fastest': 1893, 'growing amp': 367119, 'amp declining': 53611, 'declining category': 231462, 'category in': 167184, 'commerce 19': 188505, 'only are consumer': 610111, 'are consumer shopping': 85529, 'consumer shopping online': 198976, 'online more but': 608554, 'more but their': 538741, 'but their shopping': 147438, 'their shopping behavior': 874713, 'behavior have noticeably': 124059, 'have noticeably changed': 381711, 'noticeably changed well': 573418, 'changed well top': 172599, 'well top 100': 978708, 'top 100 fastest': 925518, '100 fastest growing': 1894, 'fastest growing amp': 300147, 'growing amp declining': 367120, 'amp declining category': 53612, 'declining category in': 231463, 'category in commerce': 167186, 'in commerce 19': 421593, 'this graph': 887744, 'graph show': 362150, 'wa state': 963301, 'state if': 795673, 'life protect': 488977, 'neighbor nurse': 557060, 'entire community': 278652, 'this graph show': 887745, 'graph show how': 362151, 'show how many': 766982, 'die from in': 241352, 'from in wa': 336030, 'in wa state': 430638, 'wa state if': 963302, 'state if we': 795675, 'if we stop': 415315, 'we stop now': 973425, 'stop now or': 804857, 'now or even': 575470, 'or even in': 615203, 'even in couple': 284231, 'couple week we': 211708, 'week we must': 977198, 'must keep it': 546744, 'up to save': 946424, 'save life protect': 737552, 'life protect your': 488978, 'protect your loved': 685067, 'loved one neighbor': 504917, 'one neighbor nurse': 606712, 'neighbor nurse and': 557061, 'and doctor grocery': 61578, 'worker and entire': 1006288, 'and entire community': 62200, 'documetry': 251254, 'urbanphotography': 948136, 'urbex': 948140, 'yesterday thought': 1015898, 'few photo': 303999, 'socialdistancing documetry': 780324, 'documetry streetphotography': 251255, 'streetphotography urban': 813210, 'urban urbanphotography': 948128, 'urbanphotography abandoned': 948137, 'abandoned urbex': 24219, 'urbex supermarket': 948141, 'restaurant mcdonalds': 716569, 'mcdonalds tesco': 522163, 'yesterday thought would': 1015899, 'thought would get': 893326, 'would get few': 1011829, 'get few photo': 347006, 'few photo to': 304000, 'photo to show': 655261, 'show the strange': 767222, 'the strange time': 868194, 'strange time we': 812433, 'live in lockdown': 495871, 'in lockdown socialdistancing': 424852, 'lockdown socialdistancing documetry': 499933, 'socialdistancing documetry streetphotography': 780325, 'documetry streetphotography urban': 251256, 'streetphotography urban urbanphotography': 813211, 'urban urbanphotography abandoned': 948129, 'urbanphotography abandoned urbex': 948138, 'abandoned urbex supermarket': 24220, 'urbex supermarket restaurant': 948142, 'supermarket restaurant mcdonalds': 822218, 'restaurant mcdonalds tesco': 716570, 'one food': 606300, 'or waitrose': 617706, 'waitrose post': 964474, 'post are': 666005, 'admit they': 32613, 'they shop': 883347, 'havent seen one': 383940, 'seen one food': 747172, 'one food shortage': 606302, 'shortage in or': 765017, 'in or waitrose': 426204, 'or waitrose post': 617707, 'waitrose post are': 964475, 'post are they': 666006, 'immune to panic': 417368, 'buying or do': 150836, 'or do people': 615018, 'do people just': 249973, 'people just not': 648559, 'just not want': 469340, 'want to admit': 965983, 'to admit they': 900121, 'admit they shop': 32614, 'they shop there': 883349, 'provides tip for': 686903, 'managing anxiety while': 512850, 'scene before': 741310, 'before costco': 122720, 'costco supermarket': 208268, 'supermarket discount': 819964, 'discount bulk': 244452, 'bulk store': 142358, 'usa queue': 948730, 'the scene before': 866462, 'scene before costco': 741311, 'before costco supermarket': 122721, 'costco supermarket discount': 208269, 'supermarket discount bulk': 819965, 'discount bulk store': 244453, 'bulk store in': 142359, 'store in usa': 808410, 'in usa queue': 430493, 'usa queue 19': 948731, 'these instruction': 880177, 'instruction do': 440545, 'follow these instruction': 312556, 'these instruction do': 880178, 'instruction do not': 440546, 'not go into': 569679, '5fold': 20647, 'provide what': 686541, 'is will': 453989, 'provide greater': 686339, 'greater pittsburgh': 363207, 'pittsburgh community': 657034, 'increased 5fold': 433182, '5fold amidst': 20648, 'outside each': 629405, 'critical watch': 218716, 'expect that we': 290743, 'we will still': 973910, 'still have food': 800648, 'food to provide': 317285, 'to provide what': 912450, 'provide what don': 686542, 'what don know': 981384, 'don know is': 253666, 'know is will': 476513, 'is will we': 453992, 'to provide greater': 912400, 'provide greater pittsburgh': 686340, 'greater pittsburgh community': 363208, 'pittsburgh community food': 657035, 'bank say demand': 110151, 'ha increased 5fold': 370941, 'increased 5fold amidst': 433183, '5fold amidst the': 20649, 'amidst the people': 52831, 'the people wait': 863514, 'people wait outside': 650109, 'wait outside each': 964173, 'outside each day': 629406, 'each day your': 264058, 'day your donation': 228832, 'your donation are': 1023563, 'donation are critical': 254547, 'are critical watch': 85630, 'ebay ha': 266465, 'to clamp': 902787, 'people profitting': 649199, 'profitting from': 683144, 'outbreak seller': 628609, 'seller vastly': 749107, 'vastly inflate': 952717, 'common household': 189397, 'such toilet': 816836, 'wipe panicbuying': 996355, 'panicbuying consumer': 638918, 'ecommerce read': 266840, 'ebay ha been': 266466, 'ha been urged': 369975, 'urged to clamp': 948286, 'to clamp down': 902788, 'down on people': 257030, 'on people profitting': 602749, 'people profitting from': 649200, 'profitting from the': 683145, '19 outbreak seller': 9182, 'outbreak seller vastly': 628611, 'seller vastly inflate': 749108, 'vastly inflate the': 952718, 'price of common': 675426, 'of common household': 581589, 'common household good': 189399, 'household good such': 406821, 'good such toilet': 357795, 'such toilet paper': 816837, 'paper antibacterial wipe': 639874, 'antibacterial wipe panicbuying': 78392, 'wipe panicbuying consumer': 996356, 'panicbuying consumer ecommerce': 638919, 'consumer ecommerce read': 197288, 'ecommerce read more': 266841, 'usernames': 950336, 'suspicious related': 829726, 'related call': 708384, 'or visitor': 617687, 'visitor asking': 959578, 'information usernames': 438025, 'usernames password': 950337, 'password sharing': 643479, 'sharing strange': 755585, 'strange link': 812404, 'offering testing': 595274, 'vaccine etc': 951691, 'etc do': 282492, 'not engage': 569174, 'engage further': 276853, 'further more': 342093, 'receive suspicious related': 703551, 'suspicious related call': 829727, 'related call email': 708385, 'email or visitor': 272264, 'or visitor asking': 617688, 'visitor asking for': 959580, 'personal information usernames': 652904, 'information usernames password': 438026, 'usernames password sharing': 950338, 'password sharing strange': 643480, 'sharing strange link': 755586, 'strange link or': 812405, 'link or offering': 493883, 'or offering testing': 616359, 'offering testing kit': 595275, 'testing kit vaccine': 839548, 'kit vaccine etc': 475658, 'vaccine etc do': 951692, 'etc do not': 282493, 'do not engage': 249725, 'not engage further': 569175, 'engage further more': 276854, 'further more at': 342094, 'faa': 294192, 'see success': 745759, 'success alphabet': 816178, 'alphabet wing': 47155, 'wing is': 995982, 'having with': 384406, 'with drone': 998144, 'increasing which': 433740, 'the faa': 854791, 'faa and': 294193, 'need move': 555275, 'move faster': 543646, 'faster to': 300134, 'ease restriction': 265098, 'on drone': 600421, 'drone and': 260055, 'create regulation': 215726, 'are fair': 86450, 'to see success': 914075, 'see success alphabet': 745760, 'success alphabet wing': 816179, 'alphabet wing is': 47156, 'wing is having': 995983, 'is having with': 448341, 'having with drone': 384407, 'with drone delivery': 998145, 'drone delivery demand': 260065, 'is increasing which': 448866, 'increasing which is': 433741, 'another reason the': 77791, 'reason the faa': 702998, 'the faa and': 854792, 'faa and state': 294194, 'and state need': 72278, 'state need move': 795778, 'need move faster': 555276, 'move faster to': 543647, 'faster to ease': 300135, 'to ease restriction': 904854, 'ease restriction on': 265099, 'restriction on drone': 717341, 'on drone and': 600422, 'drone and create': 260056, 'and create regulation': 60703, 'create regulation that': 215727, 'regulation that are': 708118, 'that are fair': 842747, 'are fair and': 86451, 'fair and safe': 296314, 'next petri': 561510, 'dish for': 245502, 'the next petri': 861687, 'next petri dish': 561511, 'petri dish for': 653653, 'dish for here': 245503, 'for here how': 322243, 'spitting about': 789582, 'everything oh': 287941, 'oh yes': 596499, '00 purchase': 453, 'purchase thank': 689665, 'the supermarket coughing': 868536, 'supermarket coughing and': 819820, 'and spitting about': 72121, 'spitting about everything': 789583, 'about everything oh': 25206, 'everything oh yes': 287942, 'oh yes buy': 596500, 'item yes you': 463856, 'yes you now': 1015623, 'you now have': 1020157, '19 for 00': 7061, 'for 00 purchase': 318603, '00 purchase thank': 454, 'purchase thank you': 689666, 'thank you come': 841710, 'you come have': 1017988, 'come have good': 187334, 'have good day': 380802, 'sort something': 786151, 'something asap': 784854, 'asap there': 94883, 'collect available': 186263, 'here until': 393759, 'until 12th': 943636, '12th april': 3134, 'april food': 83597, 'short foodbanks': 764618, 'income it': 432390, 'also irresponsible': 48432, 'irresponsible to': 445084, 'announce this': 76890, 'so late': 777528, 'night with': 563132, 'need to sort': 556076, 'to sort something': 914926, 'sort something asap': 786152, 'something asap there': 784855, 'asap there no': 94884, 'there no delivery': 878806, 'slot or click': 774250, 'and collect available': 60079, 'collect available here': 186264, 'available here until': 104422, 'here until 12th': 393760, 'until 12th april': 943637, '12th april food': 3135, 'april food is': 83598, 'food is short': 315149, 'is short foodbanks': 451877, 'short foodbanks are': 764619, 'foodbanks are running': 317815, 'low and many': 505130, 'and many parent': 66680, 'many parent have': 514474, 'parent have lost': 641643, 'their income it': 873644, 'income it also': 432391, 'it also irresponsible': 456433, 'also irresponsible to': 48433, 'irresponsible to announce': 445085, 'to announce this': 900560, 'announce this so': 76891, 'this so late': 890219, 'so late at': 777529, 'at night with': 99888, 'night with no': 563133, 'with no notice': 999770, 'undeserved': 941002, 'celebrity vegan': 168911, 'vegan couple': 953850, 'couple ha': 211595, 'an undeserved': 56844, 'undeserved platform': 941003, 'to damage': 903900, 'damage animal': 225177, 'agriculture destroy': 38963, 'destroy ranch': 239028, 'ranch family': 696522, 'family etc': 297763, 'etc livelihood': 282639, 'livelihood pre': 496209, '19 ranching': 9953, 'ranching family': 696561, 'family never': 298075, 'never stopped': 558208, 'stopped working': 805784, 'feed every': 302302, 'every home': 285930, 'shutdown despite': 768022, 'despite falling': 238734, 'falling livestock': 297295, 'celebrity vegan couple': 168912, 'vegan couple ha': 953851, 'couple ha an': 211596, 'ha an undeserved': 369549, 'an undeserved platform': 56845, 'undeserved platform to': 941004, 'platform to damage': 659041, 'to damage animal': 903901, 'damage animal agriculture': 225179, 'animal agriculture destroy': 76545, 'agriculture destroy ranch': 38964, 'destroy ranch family': 239029, 'ranch family etc': 696523, 'family etc livelihood': 297764, 'etc livelihood pre': 282640, 'livelihood pre covid': 496210, 'covid 19 ranching': 213652, '19 ranching family': 9954, 'ranching family never': 696563, 'family never stopped': 298076, 'never stopped working': 558210, 'stopped working to': 805788, 'working to feed': 1008986, 'to feed every': 905720, 'feed every home': 302303, 'every home in': 285931, 'home in america': 401410, '19 shutdown despite': 10524, 'shutdown despite falling': 768023, 'despite falling livestock': 238735, 'falling livestock price': 297296, 'eternally': 282936, 'positive vibe': 665479, 'vibe to': 956399, 'worker researcher': 1007684, 'researcher grocery': 713912, 'worker warehouse': 1008123, 'driver you': 259867, 'our angel': 622079, 'are eternally': 86269, 'eternally grateful': 282937, 'you staysafe': 1021390, 'staysafe stayhomechallenge': 798906, 'stayhomechallenge workingfromhome': 798294, 'workingfromhome quarantinelife': 1009104, 'prayer and positive': 669048, 'and positive vibe': 69209, 'positive vibe to': 665480, 'vibe to all': 956400, 'healthcare worker researcher': 387379, 'worker researcher grocery': 1007685, 'researcher grocery store': 713913, 'store worker warehouse': 811616, 'worker warehouse worker': 1008125, 'warehouse worker and': 966816, 'worker and truck': 1006351, 'truck driver you': 932805, 'driver you are': 259868, 'are our angel': 88854, 'our angel we': 622080, 'angel we are': 76321, 'we are eternally': 970546, 'are eternally grateful': 86270, 'eternally grateful to': 282939, 'to you staysafe': 918926, 'you staysafe stayhomechallenge': 1021391, 'staysafe stayhomechallenge workingfromhome': 798907, 'stayhomechallenge workingfromhome quarantinelife': 798295, 'so trying': 778585, 'severe asthma': 753991, 'but every': 145676, 'time dare': 896529, 'left do': 485450, 'car friend': 163095, 'friend sends': 333799, 'sends me': 750130, 'me toilet': 523808, 'so trying to': 778588, 'trying to stay': 934878, 'home because have': 400780, 'because have severe': 119102, 'have severe asthma': 382499, 'severe asthma but': 753992, 'asthma but every': 97188, 'but every time': 145677, 'every time dare': 286303, 'time dare to': 896530, 'dare to leave': 225935, 'house and go': 406180, 'nothing left do': 573083, 'left do not': 485451, 'have car friend': 379895, 'car friend sends': 163096, 'friend sends me': 333800, 'sends me toilet': 750132, 'me toilet paper': 523809, 'donthoard': 255360, 'peep the': 646296, 'still coming': 800383, 'with minimal': 999515, 'minimal disruption': 533052, 'hoard traderjoes': 398899, 'traderjoes donthoard': 928811, 'peep the grocery': 646297, 'the grocery are': 856802, 'grocery are still': 364283, 'are still coming': 90407, 'still coming with': 800386, 'coming with minimal': 188295, 'with minimal disruption': 999516, 'minimal disruption to': 533053, 'chain not necessary': 170948, 'necessary to hoard': 554119, 'to hoard traderjoes': 907884, 'hoard traderjoes donthoard': 398900, 'mom lt': 535772, 'love you mom': 504886, 'you mom lt': 1019881, 'very excited': 955144, 'leading at': 483680, 'making looking': 511176, 'to reporting': 913302, 'reporting finding': 712684, 'finding over': 307528, 'then incorporating': 877263, 'incorporating it': 432622, 'very excited that': 955145, 'excited that and': 289564, 'that and are': 842650, 'and are leading': 58330, 'are leading at': 87739, 'leading at to': 483681, 'at to look': 101329, 'the on consumer': 862163, 'on consumer decision': 600040, 'consumer decision making': 197101, 'decision making looking': 231057, 'making looking forward': 511177, 'forward to reporting': 330034, 'to reporting finding': 913303, 'reporting finding over': 712685, 'finding over the': 307529, 'month and then': 537584, 'and then incorporating': 73773, 'then incorporating it': 877264, 'incorporating it into': 432623, 'into my research': 442786, 'terrific': 838475, 'terrific piece': 838476, 'piece executive': 656297, 'from loblaws': 336243, 'sobeys wal': 779380, 'mart canada': 518037, 'canada go': 160443, 'to bagging': 900995, 'bagging grocery': 108527, 'grocery stocking': 365158, 'they pull': 882937, 'pull two': 688892, 'two shift': 937207, 'then say': 877502, 'contribute they': 201875, 'they drive': 882018, 'drive home': 259070, 'their tesla': 874971, 'terrific piece executive': 838477, 'piece executive from': 656298, 'executive from loblaws': 289896, 'from loblaws sobeys': 336244, 'loblaws sobeys wal': 497637, 'sobeys wal mart': 779381, 'wal mart canada': 964677, 'mart canada go': 518038, 'canada go from': 160444, 'go from head': 353585, 'from head office': 335743, 'head office to': 385791, 'office to bagging': 595571, 'to bagging grocery': 900996, 'bagging grocery stocking': 108528, 'grocery stocking shelf': 365160, 'stocking shelf they': 803596, 'shelf they pull': 757674, 'they pull two': 882938, 'pull two shift': 688893, 'two shift and': 937208, 'shift and then': 758238, 'and then say': 73802, 'then say they': 877503, 'they re proud': 883102, 're proud to': 699323, 'proud to contribute': 686055, 'to contribute they': 903436, 'contribute they drive': 201876, 'they drive home': 882019, 'drive home in': 259071, 'home in their': 401422, 'in their tesla': 429783, 'garwood': 343731, '19 garwood': 7180, 'garwood invokes': 343732, 'invokes emergency': 444318, 'emergency power': 272885, 'power seek': 667677, 'reduce supermarket': 705950, 'covid 19 garwood': 213137, '19 garwood invokes': 7181, 'garwood invokes emergency': 343733, 'invokes emergency power': 444319, 'emergency power seek': 272888, 'power seek to': 667678, 'to reduce supermarket': 913043, 'reduce supermarket crowd': 705951, 'point ever': 662477, 'ever inviting': 285371, 'inviting you': 444298, 'you over': 1020264, 'over for': 630228, 'for cup': 320480, 'of coffee': 581504, 'coffee then': 185546, 'then live': 877313, 'own little': 632090, 'little almond': 495229, 'almond coconut': 46461, 'coconut milk': 185283, 'milk soy': 531828, 'soy milk': 786971, 'stockpiling it': 804002, 'round ve': 726380, 'well there no': 978675, 'no point ever': 565135, 'point ever inviting': 662478, 'ever inviting you': 285372, 'inviting you over': 444299, 'you over for': 1020265, 'over for cup': 630229, 'for cup of': 320481, 'cup of coffee': 220453, 'of coffee then': 581509, 'coffee then live': 185547, 'then live in': 877314, 'live in my': 495876, 'my own little': 549647, 'own little almond': 632091, 'little almond coconut': 495230, 'almond coconut milk': 46462, 'coconut milk soy': 185284, 'milk soy milk': 531829, 'soy milk supermarket': 786972, 'milk supermarket this': 531840, '19 stockpiling it': 10861, 'stockpiling it just': 804004, 'just me all': 469238, 'me all year': 522373, 'year round ve': 1014934, 'round ve not': 726381, 'not had to': 569767, 'another positive': 77767, 'positive no': 665376, 'flight empty': 310468, 'road amp': 724395, 'everyone switching': 287441, 'from meat': 336406, 'meat to': 525778, 'to pasta': 911493, 'pasta judging': 643746, 'so climate': 776766, 'is solved': 452080, 'another positive no': 77768, 'positive no flight': 665377, 'no flight empty': 564230, 'flight empty road': 310469, 'empty road amp': 275028, 'road amp everyone': 724396, 'amp everyone switching': 53760, 'everyone switching from': 287442, 'switching from meat': 830560, 'from meat to': 336407, 'meat to pasta': 525780, 'to pasta judging': 911494, 'pasta judging by': 643747, 'by the empty': 154318, 'shelf so climate': 757524, 'so climate change': 776767, 'change is solved': 172155, 'me personally': 523331, 'know haven': 476417, 'washington speech': 967799, 'speech and': 788384, 'virus thank': 958865, 'god cause': 354665, 'cause not': 167672, 'stupid enough': 815386, 'life any': 488494, 'any shopping': 79804, 'work anymore': 1004828, 'anyone who know': 80623, 'who know me': 989186, 'know me personally': 476595, 'me personally know': 523332, 'personally know haven': 653036, 'know haven left': 476418, 'haven left my': 383850, 'house since the': 406563, 'since the washington': 770914, 'the washington speech': 871109, 'washington speech and': 967800, 'speech and do': 788385, 'not have symptom': 569878, 'the virus thank': 870905, 'virus thank god': 958866, 'thank god cause': 841578, 'god cause not': 354666, 'cause not stupid': 167674, 'not stupid enough': 571787, 'stupid enough to': 815387, 'to risk my': 913600, 'my life any': 549013, 'life any shopping': 488495, 'any shopping is': 79807, 'done online also': 254961, 'online also do': 607789, 'not work anymore': 572528, 'country why': 211237, 'earth are': 264974, 'ridiculous there': 721618, 'genuinely just': 345894, 'of idiotic': 584968, 'idiotic and': 413647, 'on with this': 605350, 'with this country': 1001686, 'this country why': 886980, 'country why on': 211238, 'on earth are': 600466, 'earth are people': 264975, 'are people buying': 89027, 'buying everything they': 150261, 'can get their': 158459, 'hand on in': 375135, 'it is fucking': 458959, 'is fucking ridiculous': 447962, 'fucking ridiculous there': 339987, 'ridiculous there are': 721619, 'who genuinely just': 988765, 'genuinely just want': 345895, 'buy their usual': 149321, 'their usual grocery': 875102, 'usual grocery but': 950954, 'grocery but can': 364327, 'because of idiotic': 119356, 'of idiotic and': 584969, 'idiotic and selfish': 413648, 'also asking': 47887, 'picnic neither': 656074, 'we re also': 972822, 're also asking': 698262, 'also asking politely': 47888, 'politely online anyone': 663620, 'anyone in having': 80374, 'in having picnic': 423573, 'having picnic neither': 384221, 'picnic neither exercise': 656075, 'brightens': 139803, 'spreadkindness': 791106, 'little good': 495371, 'emerging crisis': 273107, 'crisis around': 217084, 'it brightens': 456916, 'brightens my': 139804, 'bring people': 140046, 'people closer': 647485, 'together from': 920800, 'for neighbour': 323810, 'neighbour you': 557263, 'know over': 476665, 'over strong': 630654, 'strong emotional': 814023, 'emotional support': 273307, 'concert spreadkindness': 193279, 'is little good': 449401, 'little good in': 495372, 'good in covid': 357243, '19 the emerging': 11189, 'the emerging crisis': 854239, 'emerging crisis around': 273108, 'crisis around it': 217085, 'around it but': 93363, 'but it brightens': 146104, 'it brightens my': 456917, 'brightens my day': 139805, 'my day to': 547952, 'day to see': 228582, 'see how difficult': 745224, 'how difficult time': 407700, 'time can bring': 896444, 'can bring people': 157800, 'bring people closer': 140047, 'people closer together': 647486, 'closer together from': 183524, 'together from shopping': 920802, 'from shopping for': 337274, 'shopping for neighbour': 762695, 'for neighbour you': 323811, 'neighbour you don': 557264, 'don know over': 253668, 'know over strong': 476666, 'over strong emotional': 630655, 'strong emotional support': 814024, 'emotional support for': 273308, 'support for friend': 826512, 'for friend to': 321772, 'friend to free': 333845, 'to free online': 906235, 'online concert spreadkindness': 608037, 'cpi': 214623, '200bps': 13718, 'cpi falling': 214626, 'falling 01': 297191, 'continue bringing': 201007, 'bringing price': 140191, 'eu equivalent': 283227, 'equivalent cpi': 279979, 'cpi at': 214624, 'with italy': 999094, 'verge of': 954766, 'deflation ecb': 232449, 'lower rate': 505979, 'while fed': 986828, 'cut 200bps': 223212, 'cpi falling 01': 214627, 'falling 01 to': 297192, 'demand from covid': 235535, 'should continue bringing': 765876, 'continue bringing price': 201008, 'bringing price lower': 140192, 'price lower in': 675127, 'the eu equivalent': 854557, 'eu equivalent cpi': 283228, 'equivalent cpi at': 279980, 'cpi at with': 214625, 'at with italy': 101573, 'with italy and': 999095, 'other member on': 620536, 'on the verge': 604430, 'the verge of': 870692, 'verge of deflation': 954767, 'of deflation ecb': 582472, 'deflation ecb ha': 232450, 'yet to lower': 1016291, 'to lower rate': 909508, 'lower rate in': 505980, 'response to crisis': 715842, 'to crisis while': 903749, 'crisis while fed': 218393, 'while fed ha': 986829, 'fed ha cut': 301830, 'ha cut 200bps': 370302, 'worker stopthespread': 1007834, 'what don want': 981386, 'don want you': 254050, 'their worker stopthespread': 875219, 'gasoline future': 344232, 'future tumbled': 342490, 'tumbled to': 935330, 'since 199': 770428, '199 with': 12478, 'some pump': 783673, 'price already': 672285, 'already below': 47234, 'below lockdown': 126689, 'lockdown crushed': 499287, 'crushed demand': 219805, 'transportation read': 930027, 'gasoline future tumbled': 344233, 'future tumbled to': 342491, 'tumbled to their': 935331, 'level since 199': 487701, 'since 199 with': 770429, '199 with some': 12479, 'with some pump': 1000858, 'some pump price': 783674, 'pump price already': 689084, 'price already below': 672286, 'already below lockdown': 47235, 'below lockdown crushed': 126690, 'lockdown crushed demand': 499288, 'crushed demand for': 219806, 'for transportation read': 327323, 'transportation read more': 930028, '330ml': 17785, 'boycottesco': 137369, 'meanwhile whilst': 525054, 'whilst pandemic': 987670, 'happening decide': 377341, 'profit up': 682883, 'drink eg': 258815, 'eg for': 269705, 'for 330ml': 318818, '330ml can': 17786, 'coke boycottesco': 185701, 'meanwhile whilst pandemic': 525055, 'whilst pandemic is': 987671, 'pandemic is happening': 635773, 'is happening decide': 448279, 'happening decide to': 377342, 'decide to increase': 230846, 'increase their profit': 433121, 'their profit up': 874491, 'profit up the': 682884, 'their food drink': 873341, 'food drink eg': 314278, 'drink eg for': 258816, 'eg for 330ml': 269706, 'for 330ml can': 318819, '330ml can of': 17787, 'of coke boycottesco': 581512, 'using scheme': 950638, 'provide supermarket': 686499, 'parent carers': 641602, 'carers of': 164598, 'those student': 892501, 'student eligible': 814678, 'meal please': 524244, 'are using scheme': 91429, 'using scheme to': 950639, 'scheme to provide': 741592, 'to provide supermarket': 912437, 'provide supermarket voucher': 686500, 'to the parent': 916944, 'the parent carers': 863283, 'parent carers of': 641603, 'carers of those': 164599, 'of those student': 592117, 'those student eligible': 892502, 'student eligible for': 814679, 'school meal please': 741860, 'meal please see': 524245, 'please see for': 660451, 'see for more': 745129, 'wounder': 1012527, 'still buying': 800320, 'roll make': 725380, 'you wounder': 1022467, 'wounder how': 1012528, 'many arsehole': 513794, 'arsehole people': 94097, 'people still buying': 649586, 'still buying lot': 800323, 'lot of 24': 504133, 'toilet roll make': 921583, 'roll make you': 725381, 'make you wounder': 510753, 'you wounder how': 1022468, 'wounder how many': 1012529, 'how many arsehole': 408243, 'many arsehole people': 513795, 'arsehole people think': 94098, 'grown the': 367296, 'task wa': 834733, 'oil lower': 596931, 'strengthen the': 813253, 'euro therefore': 283375, 'therefore covid': 879421, 'not accidental': 568032, 'accidental after': 28404, 'new shock': 559583, 'and problem': 69536, 'the economy ha': 853975, 'economy ha grown': 267920, 'ha grown the': 370782, 'grown the task': 367297, 'the task wa': 869159, 'task wa to': 834734, 'wa to stay': 963527, 'stay at this': 796776, 'at this level': 101239, 'this level it': 888618, 'it wa necessary': 462152, 'wa necessary to': 962693, 'reduce the oil': 705970, 'the oil lower': 862111, 'oil lower oil': 596932, 'price will strengthen': 677590, 'will strengthen the': 995009, 'strengthen the economy': 813254, 'economy of china': 268110, 'of china the': 581370, 'china the eu': 176982, 'eu and the': 283200, 'and the euro': 73350, 'the euro therefore': 854577, 'euro therefore covid': 283376, 'therefore covid 19': 879422, 'is not accidental': 450025, 'not accidental after': 568033, 'accidental after this': 28405, 'after this virus': 36417, 'this virus the': 891032, 'virus the world': 958890, 'world is waiting': 1009720, 'waiting for new': 964326, 'for new shock': 323832, 'new shock and': 559584, 'shock and problem': 759427, 'synonym': 831005, 'virus absolutely': 957890, 'absolutely perfect': 27427, 'perfect synonym': 651352, 'synonym of': 831006, 'food habit': 314753, 'habit the': 372695, 'threat each': 893661, 'amp panic': 54271, 'panic why': 638788, 'we suffer': 973442, 'suffer when': 817247, 'nothing only': 573130, 'only blame': 610178, 'blame china': 132245, 'and couldn': 60625, 'couldn reveal': 209916, 'reveal so': 720243, 'this becomes': 886523, 'becomes epidemic': 120217, 'china virus absolutely': 177039, 'virus absolutely perfect': 957891, 'absolutely perfect synonym': 27428, 'perfect synonym of': 651353, 'synonym of because': 831007, 'of because of': 580603, 'of china food': 581361, 'china food habit': 176661, 'food habit the': 314754, 'habit the whole': 372696, 'world is now': 1009707, 'is now under': 450352, 'now under threat': 576253, 'under threat each': 940363, 'threat each one': 893662, 'each one of': 264146, 'one of living': 606752, 'fear amp panic': 301020, 'amp panic why': 54272, 'panic why we': 638789, 'why we suffer': 991532, 'we suffer when': 973443, 'suffer when we': 817248, 'we do nothing': 971341, 'do nothing only': 249902, 'nothing only blame': 573131, 'only blame china': 610179, 'blame china who': 132247, 'china who spread': 177068, 'who spread and': 989657, 'spread and couldn': 790406, 'and couldn reveal': 60627, 'couldn reveal so': 209917, 'reveal so that': 720244, 'so that this': 778401, 'that this becomes': 846981, 'this becomes epidemic': 886524, 'fielding': 304544, 'been fielding': 121140, 'fielding lot': 304545, 'from tenant': 337561, 'tenant in': 837847, 'weekly rental': 977536, 'rental so': 711280, 'we decided': 971245, 'create special': 215738, 'special flyer': 787924, 'flyer outlining': 311660, 'outlining their': 629118, 'the flyer': 855471, 'flyer on': 311658, 'website amp': 975190, 'amp please': 54308, 'have been fielding': 379538, 'been fielding lot': 121141, 'fielding lot of': 304546, 'lot of call': 504149, 'of call from': 581052, 'call from tenant': 155910, 'from tenant in': 337562, 'tenant in weekly': 837848, 'in weekly rental': 430784, 'weekly rental so': 977537, 'rental so many': 711281, 'many in fact': 514165, 'in fact we': 422768, 'fact we decided': 295840, 'we decided to': 971247, 'decided to create': 230909, 'to create special': 903723, 'create special flyer': 215739, 'special flyer outlining': 787925, 'flyer outlining their': 311661, 'outlining their right': 629119, 'their right find': 874593, 'right find the': 721899, 'find the flyer': 307287, 'the flyer on': 855472, 'flyer on our': 311659, 'our website amp': 625329, 'website amp please': 975191, 'amp please share': 54309, 'are predicting': 89187, 'predicting house': 669639, 'should buyer': 765811, 'seller do': 749006, 'expert are predicting': 291786, 'are predicting house': 89188, 'predicting house price': 669640, 'price fall of': 673792, 'fall of over': 297004, 'the year so': 872169, 'year so what': 1014961, 'so what should': 778722, 'what should buyer': 982180, 'should buyer and': 765812, 'and seller do': 71223, 'seller do for': 749007, 'do for now': 249315, 'next crisis': 561317, 'facing is': 295510, 'the seasonal': 866568, 'the next crisis': 861661, 'next crisis we': 561319, 'crisis we are': 218342, 'are facing is': 86421, 'facing is the': 295511, 'is the seasonal': 452934, 'the seasonal worker': 866569, 'stripped our': 813871, 'impose some': 419264, 'sense say': 750587, 'coronavirus ha stripped': 206037, 'ha stripped our': 372087, 'stripped our supermarket': 813872, 'shelf and our': 756749, 'and our reason': 68516, 'our reason it': 624551, 'reason it time': 702950, 'time to impose': 898000, 'to impose some': 908197, 'impose some common': 419265, 'common sense say': 189466, 'why orange': 991261, 'juice price': 467757, 'consumer look': 198069, 'for healthy': 322166, 'healthy product': 387736, 'why orange juice': 991262, 'orange juice price': 617922, 'juice price are': 467758, 'are soaring on': 90231, 'soaring on global': 779336, 'on global market': 601109, 'global market the': 352029, 'market the future': 517187, 'the future price': 856086, 'future price of': 342430, 'price of orange': 675524, 'of orange juice': 587325, 'juice ha spiked': 467748, 'ha spiked by': 372022, 'spiked by more': 789344, 'than 20 this': 840196, '20 this month': 13380, 'month consumer look': 537654, 'consumer look for': 198070, 'look for healthy': 502363, 'for healthy product': 322168, 'healthy product during': 387737, 'poundage': 667415, 'here still': 393605, 'still maintaining': 800822, 'maintaining diet': 509100, 'diet to': 241757, 'lose enough': 503433, 'enough poundage': 277575, 'poundage to': 667416, 'new knee': 559004, 'knee of': 476009, 'from occasional': 336633, 'occasional visit': 578951, 'knee unless': 476015, 'unless can': 942600, 'them after': 875319, 'after die': 35563, 'die so': 241452, 'no worry here': 565937, 'worry here still': 1010723, 'here still maintaining': 393606, 'still maintaining diet': 800823, 'maintaining diet to': 509101, 'diet to lose': 241758, 'to lose enough': 909458, 'lose enough poundage': 503434, 'enough poundage to': 277576, 'poundage to get': 667417, 'get new knee': 347659, 'new knee of': 559005, 'knee of course': 476010, 'course if get': 211877, '19 from occasional': 7130, 'from occasional visit': 336634, 'occasional visit to': 578952, 'visit to grocery': 959410, 'store probably will': 809658, 'probably will not': 679420, 'worry about new': 1010647, 'about new knee': 25791, 'new knee unless': 559006, 'knee unless can': 476016, 'unless can get': 942601, 'get them after': 348351, 'them after die': 875321, 'after die so': 35564, 'online pet': 608744, 'outbreak report': 628583, 'report find': 711934, 'online pet food': 608745, 'pet food price': 653393, 'price increase amid': 674766, '19 virus outbreak': 11826, 'virus outbreak report': 958589, 'outbreak report find': 628585, 'this business': 886631, 'world were': 1010156, 'are rolled': 89739, 'rolled back': 725633, 'but basic': 145260, 'expensive especially': 291238, 'hell to': 389078, 'wish the greedy': 996822, 'greedy people of': 363564, 'people of this': 648928, 'of this business': 591946, 'this business world': 886636, 'business world were': 144725, 'world were the': 1010157, 'one who were': 607464, 'who were wiped': 989971, 'this world by': 891505, '19 virus many': 11819, 'virus many time': 958486, 'many time fuel': 514813, 'time fuel oil': 896817, 'fuel oil price': 340210, 'price are rolled': 672726, 'are rolled back': 89740, 'rolled back but': 725634, 'back but basic': 106913, 'but basic good': 145261, 'good are still': 356775, 'are still more': 90450, 'still more expensive': 800848, 'more expensive especially': 539176, 'expensive especially food': 291239, 'especially food product': 280478, 'food product go': 316020, 'product go to': 681227, 'to hell to': 907432, 'hell to the': 389079, 'dislocation': 245968, 'if china': 413954, 'china rebound': 176901, 'rebound 2020': 703296, '2020 growth': 14349, 'in em': 422536, 'em asia': 272053, 'asia latam': 95186, 'latam will': 480826, 'the combo': 851178, 'financial dislocation': 306401, 'dislocation and': 245969, 'key trading': 473451, 'trading partner': 928907, 'partner latest': 642849, 'latest growth': 481372, 'growth projection': 367439, 'projection for': 683583, 'these region': 880576, 'view no': 957119, 'no paywall': 565087, 'even if china': 284199, 'if china rebound': 413955, 'china rebound 2020': 176902, 'rebound 2020 growth': 703297, '2020 growth in': 14350, 'growth in em': 367398, 'in em asia': 422537, 'em asia latam': 272054, 'asia latam will': 95187, 'latam will be': 480827, 'will be hit': 992501, 'by the combo': 154288, 'the combo of': 851179, 'combo of lower': 187159, 'commodity price financial': 189271, 'price financial dislocation': 673870, 'financial dislocation and': 306402, 'dislocation and recession': 245970, 'and recession in': 70047, 'recession in key': 704297, 'in key trading': 424491, 'key trading partner': 473452, 'trading partner latest': 928908, 'partner latest growth': 642850, 'latest growth projection': 481373, 'growth projection for': 367440, 'projection for these': 683584, 'for these region': 326977, 'these region in': 880577, 'region in new': 707426, 'in new economic': 425819, 'new economic view': 558666, 'economic view no': 267362, 'view no paywall': 957120, 'been significantly': 121968, 'significantly shaken': 769615, 'shaken in': 754440, 'the element': 854190, 'face communication': 294357, 'communication may': 189612, 'may once': 521401, 'again become': 36917, 'important factor': 418797, 'purchasing process': 689909, 'process read': 679949, 'ha been significantly': 369924, 'been significantly shaken': 121970, 'significantly shaken in': 769616, 'shaken in post': 754441, '19 world the': 12191, 'world the element': 1010047, 'the element of': 854191, 'element of face': 271343, 'of face to': 583360, 'to face communication': 905563, 'face communication may': 294358, 'communication may once': 189614, 'may once again': 521402, 'once again become': 605557, 'again become more': 36919, 'more important factor': 539489, 'important factor in': 418798, 'consumer purchasing process': 198625, 'purchasing process read': 689910, 'process read my': 679950, 'read my comment': 700463, 'avishek': 104974, 'million avishek': 532077, 'avishek report': 104975, '64 million avishek': 21316, 'million avishek report': 532078, 'curable': 220529, 'is curable': 446976, 'curable it': 220530, 'own time': 632267, 'take precautionary': 832518, 'measure person': 525287, 'is recovered': 451361, 'isolation no': 455358, 'calm yourself': 156829, 'yourself eat': 1026590, 'remain clean': 709716, 'clean distancing': 180505, 'don be afraid': 253352, 'it is curable': 458923, 'is curable it': 446977, 'curable it ha': 220531, 'it ha it': 458399, 'it own time': 460226, 'own time just': 632269, 'time just take': 897098, 'just take precautionary': 469942, 'take precautionary measure': 832519, 'precautionary measure person': 669427, 'measure person is': 525288, 'person is recovered': 652505, 'is recovered in': 451363, 'recovered in home': 705235, 'in home isolation': 423784, 'home isolation no': 401467, 'isolation no need': 455359, 'to get panic': 906556, 'get panic just': 347783, 'panic just calm': 638248, 'just calm yourself': 468420, 'calm yourself eat': 156830, 'yourself eat healthy': 1026591, 'food and remain': 313324, 'and remain clean': 70213, 'remain clean distancing': 709717, 'virus want': 959000, 'will quarantineandchill': 994543, 'this world full': 891509, 'corona virus want': 204374, 'virus want to': 959002, 'your sanitizer will': 1025679, 'sanitizer will quarantineandchill': 736107, 'legal expert': 485864, 'staff concerned': 792336, 'impact claire': 417599, 'claire piper1': 179931, 'legal expert on': 485865, 'expert on right': 291900, 'on right of': 603196, 'right of shop': 722197, 'of shop staff': 589624, 'shop staff concerned': 760822, 'staff concerned about': 792337, 'concerned about covid': 193152, '19 impact claire': 7693, 'impact claire piper1': 417600, 'been stuck': 122080, 'have been stuck': 379701, 'been stuck at': 122081, 'name of social': 551664, 'nonationforfarmers': 566532, 'wid': 991693, 'yogendrayadav': 1016508, 'nonationforfarmers not': 566533, 'even nature': 284400, 'nature after': 552940, 'after cotton': 35513, 'cotton grower': 208409, 'grower nw': 367104, 'nw potato': 577806, 'potato grower': 666937, 'grower expected': 367102, 'expected feel': 290889, 'feel pinch': 302809, 'pinch for': 656787, 'for hardly': 322117, 'hardly had': 378261, 'had potato': 373418, 'potato farmer': 666929, 'farmer gt': 299392, 'gt some': 367635, 'some respite': 783744, 'respite wid': 715272, 'wid surge': 991698, 'getting trader': 349419, 'trader from': 928685, 'market yogendrayadav': 517400, 'nonationforfarmers not even': 566534, 'not even nature': 569265, 'even nature after': 284401, 'nature after cotton': 552941, 'after cotton grower': 35514, 'cotton grower nw': 208410, 'grower nw potato': 367105, 'nw potato grower': 577807, 'potato grower expected': 666938, 'grower expected feel': 367103, 'expected feel pinch': 290890, 'feel pinch for': 302810, 'pinch for hardly': 656788, 'for hardly had': 322118, 'hardly had potato': 378262, 'had potato farmer': 373419, 'potato farmer gt': 666930, 'farmer gt some': 299393, 'gt some respite': 367636, 'some respite wid': 783745, 'respite wid surge': 715273, 'wid surge in': 991699, 'surge in price': 828202, 'in price getting': 426967, 'price getting trader': 674178, 'getting trader from': 349420, 'trader from market': 928686, 'from market yogendrayadav': 336364, 'worker battling': 1006496, 'battling we': 112887, 'we say': 973143, 'your tireless': 1026172, 'tireless work': 899065, 'covid19 epidemic': 214293, 'to all and': 900231, 'all and worker': 42020, 'and worker battling': 75871, 'worker battling we': 1006497, 'battling we say': 112888, 'we say thank': 973144, 'all your tireless': 45587, 'your tireless work': 1026173, 'tireless work during': 899067, 'during this testing': 263324, 'testing time have': 839669, 'time have read': 896896, 'have read to': 382172, 'read to see': 700639, 'what the community': 982302, 'community is saying': 189933, 'is saying about': 451654, 'saying about our': 739552, 'about our unsung': 25903, 'the covid19 epidemic': 852244, 'outbreak sweeping': 628681, 'sweeping the': 830206, 'globe is': 352470, 'be habit': 115117, 'habit changer': 372589, 'changer it': 172625, 'big boost': 129651, 'boost which': 135032, 'of warehouse': 592909, 'warehouse automation': 966697, 'automation equipment': 104012, 'equipment read': 279814, 'read ash': 700296, 'ash sharma': 95031, 'sharma thought': 755655, 'the outbreak sweeping': 862704, 'outbreak sweeping the': 628682, 'sweeping the globe': 830207, 'the globe is': 856358, 'globe is going': 352471, 'to be habit': 901289, 'be habit changer': 115118, 'habit changer it': 372590, 'changer it is': 172626, 'clear that will': 181355, 'that will see': 847607, 'will see big': 994767, 'see big boost': 744963, 'big boost which': 129653, 'boost which will': 135033, 'which will have': 986489, 'will have major': 993648, 'on the manufacturer': 604226, 'manufacturer of warehouse': 513495, 'of warehouse automation': 592910, 'warehouse automation equipment': 966698, 'automation equipment read': 104013, 'equipment read ash': 279815, 'read ash sharma': 700297, 'ash sharma thought': 95032, 'vulnerbale': 961280, 'these who': 880968, 'piling should': 656624, 'their spare': 874767, 'spare unused': 787511, 'unused food': 943969, 'elderly vulnerbale': 270935, 'vulnerbale or': 961281, 'bank delivering': 109757, 'delivering it': 233519, 'and apologising': 58238, 'apologising at': 81632, 'all these who': 45064, 'these who are': 880969, 'are stock piling': 90507, 'stock piling should': 802673, 'piling should have': 656625, 'to take all': 916157, 'take all their': 831931, 'all their spare': 45008, 'their spare unused': 874769, 'spare unused food': 787512, 'unused food and': 943970, 'roll to the': 725559, 'the elderly vulnerbale': 854155, 'elderly vulnerbale or': 270936, 'vulnerbale or food': 961282, 'or food bank': 615339, 'food bank delivering': 313549, 'bank delivering it': 109758, 'delivering it by': 233520, 'it by hand': 456976, 'by hand and': 152749, 'hand and apologising': 374751, 'and apologising at': 58239, 'apologising at the': 81633, 'same time for': 733355, 'time for being': 896693, 'night 30': 562926, '30 we': 17258, 'stop what': 805272, 'doing we': 252824, 'appreciation support': 82889, 'worker tirelessly': 1007991, 'tirelessly fighting': 899080, 'staff public': 792782, 'health team': 386892, 'team so': 835774, 'more thank': 540704, 'you campaign': 1017609, 'campaign started': 157253, 'every night 30': 286039, 'night 30 we': 562927, '30 we stop': 17259, 'we stop what': 973431, 'stop what we': 805273, 'are doing we': 85936, 'doing we go': 252825, 'we go outside': 971649, 'outside to show': 629623, 'show appreciation support': 766872, 'appreciation support for': 82890, 'support for all': 826507, 'for all front': 319127, 'all front line': 42880, 'line worker tirelessly': 493607, 'worker tirelessly fighting': 1007992, 'tirelessly fighting against': 899081, 'store staff public': 810324, 'staff public health': 792784, 'public health team': 688084, 'health team so': 386893, 'team so many': 835775, 'many more thank': 514317, 'more thank you': 540705, 'thank you campaign': 841702, 'you campaign started': 1017610, 'campaign started by': 157254, 'trumpisanidiot': 934055, 'trumpneedstoshutup': 934100, 'come trumpisanidiot': 187639, 'trumpisanidiot or': 934056, 'or trumpneedstoshutup': 617541, 'trumpneedstoshutup is': 934101, 'not trending': 572268, 'are freaked': 86670, 'freaked store': 331527, 'control please': 202104, 'please for': 660009, 'county shut': 211487, 'how come trumpisanidiot': 407567, 'come trumpisanidiot or': 187640, 'trumpisanidiot or trumpneedstoshutup': 934057, 'or trumpneedstoshutup is': 617542, 'trumpneedstoshutup is not': 934102, 'is not trending': 450214, 'not trending for': 572269, 'for real people': 324992, 'real people are': 701297, 'people are freaked': 646979, 'are freaked store': 86672, 'freaked store can': 331528, 'can keep food': 158806, 'their shelf and': 874679, 'market is out': 516637, 'of control please': 581846, 'control please for': 202105, 'please for the': 660010, 'sake of the': 731872, 'of the county': 590902, 'the county shut': 852196, 'county shut up': 211488, 'piersmorgan': 656427, 'allowing toilet': 46364, 'people end': 647788, 'now before': 574231, 'before too': 123241, 'late other': 480903, 'item too': 463775, 'too toiletroll': 925134, 'toiletroll piersmorgan': 923380, 'piersmorgan nh': 656428, 'ebay allowing toilet': 266422, 'allowing toilet roll': 46365, 'roll to be': 725553, 'to be re': 901482, 'be re sold': 116686, 'inflated price disgusting': 437037, 'price disgusting people': 673460, 'disgusting people end': 245440, 'people end this': 647789, 'end this now': 275993, 'this now before': 889182, 'now before too': 574232, 'before too late': 123242, 'too late other': 924834, 'late other supermarket': 480904, 'other supermarket item': 621020, 'supermarket item too': 821193, 'item too toiletroll': 463776, 'too toiletroll piersmorgan': 925135, 'toiletroll piersmorgan nh': 923381, 'techjunkieinvest': 836182, 'expectation plunge': 290842, 'plunge coronavirus': 661427, 'coronavirus drag': 205847, 'economy new': 268091, 'york fed': 1016611, 'fed find': 301816, 'find fox': 306919, 'business coronavtj': 143583, 'coronavtj techjunkieinvest': 207127, 'consumer expectation plunge': 197399, 'expectation plunge coronavirus': 290843, 'plunge coronavirus drag': 661428, 'coronavirus drag on': 205848, 'drag on economy': 258160, 'on economy new': 600515, 'economy new york': 268092, 'new york fed': 559928, 'york fed find': 1016612, 'fed find fox': 301817, 'find fox business': 306920, 'fox business coronavtj': 330747, 'business coronavtj techjunkieinvest': 143584, 'lizzie': 496513, 'gif': 349915, 'family text': 298285, 'text thread': 839951, 'thread included': 893564, 'question today': 693782, 'today lizzie': 919816, 'lizzie are': 496514, 'shopping some': 763943, 'same even': 733054, 'during stayathome': 263055, 'stayathome note': 797557, 'the gif': 856262, 'gif is': 349916, 'simply representation': 770274, 'my mental': 549236, 'state while': 796083, 'my family text': 548227, 'family text thread': 298286, 'text thread included': 839952, 'thread included this': 893565, 'included this question': 431707, 'this question today': 889789, 'question today lizzie': 693784, 'today lizzie are': 919817, 'lizzie are you': 496515, 'you shopping some': 1021175, 'shopping some thing': 763944, 'some thing stay': 784044, 'thing stay the': 884763, 'the same even': 866222, 'same even during': 733055, 'even during stayathome': 284028, 'during stayathome note': 263056, 'stayathome note the': 797558, 'note the gif': 572822, 'the gif is': 856263, 'gif is simply': 349917, 'is simply representation': 451933, 'simply representation of': 770275, 'representation of my': 712889, 'of my mental': 586790, 'my mental state': 549237, 'mental state while': 528663, 'state while shopping': 796084, 'dying at': 263782, 'group trump': 366942, 'trump rolled': 933799, 'back obama': 107162, 'obama fuel': 578327, 'fuel economy': 340165, 'economy rule': 268184, 'rule increasing': 727274, 'increasing emission': 433597, 'emission during': 273205, 'during climate': 262510, 'climate crisis': 182212, 'during respiratory': 262977, 'le shame': 483113, 'are dying at': 86040, 'dying at higher': 263784, 'at higher rate': 98899, 'higher rate from': 395708, '19 than any': 11125, 'any other group': 79592, 'other group trump': 620327, 'group trump rolled': 366944, 'trump rolled back': 933800, 'rolled back obama': 725635, 'back obama fuel': 107163, 'obama fuel economy': 578328, 'fuel economy rule': 340166, 'economy rule increasing': 268185, 'rule increasing emission': 727275, 'increasing emission during': 433598, 'emission during climate': 273206, 'during climate crisis': 262511, 'climate crisis and': 182213, 'crisis and during': 217019, 'and during respiratory': 61811, 'during respiratory virus': 262978, 'respiratory virus pandemic': 715263, 'virus pandemic no': 958606, 'pandemic no le': 636040, 'no le shame': 564584, 'le shame on': 483114, 'bushwick': 143156, 'trendy in': 931599, 'in bushwick': 421066, 'bushwick brooklyn': 143157, 'brooklyn photo': 140993, 'close hour': 182662, 'restocking cleaning': 716992, 'cleaning fresh': 180951, 'fish product': 309333, 'product were': 681824, 'supply even': 825226, 'at closing': 98280, 'closing time': 183792, 'time minus': 897214, 'the banana': 849228, 'banana panicbuying': 109316, 'panicbuying grocerystore': 638953, 'trendy in bushwick': 931600, 'in bushwick brooklyn': 421067, 'bushwick brooklyn photo': 143158, 'brooklyn photo from': 140994, 'photo from 10': 655166, 'from 10 last': 334164, '10 last night': 1498, 'last night the': 480395, 'night the grocery': 563094, 'will now close': 994295, 'now close hour': 574392, 'close hour early': 182663, 'hour early to': 405568, 'early to allow': 264722, 'allow for restocking': 45969, 'for restocking cleaning': 325181, 'restocking cleaning fresh': 716993, 'cleaning fresh fish': 180952, 'fresh fish product': 332953, 'fish product were': 309334, 'product were in': 681825, 'were in good': 979774, 'good supply even': 357804, 'supply even at': 825227, 'even at closing': 283847, 'at closing time': 98281, 'closing time minus': 183793, 'time minus the': 897215, 'minus the banana': 533692, 'the banana panicbuying': 849229, 'banana panicbuying grocerystore': 109317, 'had five': 373116, 'five kid': 309626, 'store emptied': 807582, 'when search': 983969, 'search on': 743273, 'on vegan': 605027, 'vegan kind': 953868, 'is emptied': 447478, 'woman had five': 1003497, 'had five kid': 373117, 'five kid and': 309627, 'kid and she': 473858, 'and she wa': 71430, 'she wa yelling': 756438, 'at them on': 101186, 'them on call': 876084, 'on call this': 599771, 'call this covid': 156155, '19 my aunt': 8720, 'my aunt say': 547353, 'aunt say the': 103005, 'grocery store emptied': 365363, 'store emptied out': 807583, 'emptied out even': 274692, 'even when search': 284785, 'when search on': 983970, 'search on vegan': 743274, 'on vegan kind': 605028, 'vegan kind online': 953869, 'kind online supermarket': 474958, 'online supermarket it': 609499, 'it is emptied': 458945, 'your whole': 1026349, 'whole nuclear': 990281, 'nuclear american': 576754, 'your whole nuclear': 1026351, 'whole nuclear american': 990282, 'nuclear american family': 576755, 'american family should': 51966, 'not be at': 568357, 'easy visit': 265796, 'shopping retailer donate': 763758, 'money to it': 537107, 'to it that': 908621, 'that easy visit': 843667, 'sealed': 743185, 'absolute joke': 27247, 'joke no': 467112, 'our garage': 623228, 'garage seat': 343497, 'seat next': 743510, 'driver not': 259659, 'not sealed': 571468, 'sealed up': 743188, 'toilet facility': 921144, 'facility on': 295363, 'most route': 542720, 'route what': 726480, 'done nothing': 254951, 'absolute joke no': 27248, 'joke no hand': 467113, 'in our garage': 426296, 'our garage seat': 623229, 'garage seat next': 343498, 'seat next to': 743511, 'next to driver': 561616, 'to driver not': 904756, 'driver not sealed': 259660, 'not sealed up': 571469, 'sealed up no': 743189, 'up no toilet': 945462, 'no toilet facility': 565756, 'toilet facility on': 921145, 'facility on most': 295364, 'on most route': 602229, 'most route what': 542721, 'route what have': 726481, 'you done nothing': 1018342, 'share bbc': 754943, 'coronavirus despicable': 205808, 'despicable men': 238634, 'share bbc news': 754944, 'news coronavirus despicable': 560336, 'coronavirus despicable men': 205809, 'despicable men lick': 238635, 'thing miss': 884590, 'miss about': 534132, 'about normal': 25809, 'life seeing': 489028, 'seeing family': 746291, 'friend item': 333677, 'item fully': 463295, 'stocked at': 803277, 'store meeting': 808946, 'meeting in': 527712, 'for literally': 323007, 'reason going': 702919, 'theater going': 872252, 'eat pretending': 266027, 'pretending like': 671333, 'plan then': 658253, 'then just': 877292, 'home stayathome': 402125, 'thing miss about': 884591, 'miss about normal': 534133, 'about normal life': 25810, 'normal life seeing': 567209, 'life seeing family': 489029, 'seeing family and': 746292, 'and friend item': 63329, 'friend item fully': 333678, 'item fully stocked': 463296, 'fully stocked at': 341086, 'stocked at the': 803279, 'grocery store meeting': 365566, 'store meeting in': 808947, 'meeting in person': 527713, 'person shopping for': 652601, 'shopping for literally': 762689, 'for literally no': 323009, 'literally no reason': 495048, 'no reason going': 565288, 'reason going to': 702920, 'to the movie': 916888, 'the movie theater': 861108, 'movie theater going': 544077, 'theater going out': 872253, 'to eat pretending': 904900, 'eat pretending like': 266028, 'pretending like have': 671334, 'like have plan': 490385, 'have plan then': 381947, 'plan then just': 658254, 'then just stay': 877294, 'at home stayathome': 99118, 'service especially': 752334, 'nh all': 561865, 'worker lorry': 1007334, 'and endless': 62123, 'endless other': 276238, 'this head': 887883, 'of our emergency': 587458, 'emergency service especially': 272958, 'service especially the': 752336, 'especially the nh': 280626, 'the nh all': 861721, 'nh all the': 561867, 'all the teacher': 44940, 'the teacher care': 869194, 'supermarket worker lorry': 824045, 'worker lorry driver': 1007335, 'lorry driver and': 503339, 'driver and endless': 259411, 'and endless other': 62124, 'endless other people': 276239, 'who are having': 988150, 'out and fight': 625660, 'and fight this': 62829, 'fight this head': 304918, 'this head on': 887884, 'head on to': 385798, 'on to keep': 604742, 'keep you all': 472229, 'you all safe': 1016904, 'all safe they': 44223, 'safe they need': 730029, 'they need you': 882771, 'to listen and': 909328, 'listen and stay': 494666, 'america many': 51602, 'and wholefoods': 75607, 'wholefoods are': 990391, 'being squeezed': 125850, 'squeezed to': 791550, 'with increasing': 998979, 'by american': 151813, 'american stockpiling': 52221, 'the spread across': 867614, 'spread across america': 790388, 'across america many': 29245, 'america many worker': 51603, 'many worker are': 514895, 'are being directed': 84848, 'directed to work': 243424, 'home but staff': 400849, 'but staff at': 147141, 'staff at amazon': 792230, 'at amazon and': 97946, 'amazon and wholefoods': 50854, 'and wholefoods are': 75608, 'wholefoods are being': 990392, 'are being squeezed': 84927, 'being squeezed to': 125851, 'squeezed to keep': 791551, 'up with increasing': 946653, 'with increasing demand': 998980, 'increasing demand caused': 433580, 'caused by american': 167827, 'by american stockpiling': 151814, 'american stockpiling food': 52222, 'people hardly': 648152, 'hardly make': 378263, 'any money': 79478, 'essential no': 281329, 'retailer do': 719114, 'do them': 250282, 'them favor': 875681, 'are getting infected': 86812, 'getting infected by': 349063, '19 these people': 11297, 'these people hardly': 880440, 'people hardly make': 648153, 'hardly make any': 378264, 'make any money': 509705, 'any money and': 79479, 'we need them': 972558, 'are essential no': 86253, 'essential no matter': 281330, 'matter what these': 520654, 'what these retailer': 982389, 'these retailer do': 880603, 'retailer do to': 719115, 'protect their worker': 685001, 'their worker please': 875218, 'worker please do': 1007589, 'please do them': 659901, 'do them favor': 250284, 'them favor and': 875682, 'favor and go': 300459, 'the store once': 868067, 'once week at': 605789, 'week at most': 975963, 'n16': 551109, 'stokey': 804251, 'stokie': 804254, 'stokenewingtonchurchstreet': 804250, 'church street': 178410, 'street food': 812969, 'wine have': 995819, 'crisis stokenewington': 218094, 'stokenewington n16': 804248, 'n16 hackney': 551110, 'hackney stokey': 372792, 'stokey stokie': 804252, 'stokie stokenewingtonchurchstreet': 804255, 'church street food': 178411, 'street food wine': 812970, 'food wine have': 317638, 'wine have put': 995820, 'have put price': 382116, 'price up during': 677229, 'this crisis stokenewington': 887087, 'crisis stokenewington n16': 218095, 'stokenewington n16 hackney': 804249, 'n16 hackney stokey': 551111, 'hackney stokey stokie': 372793, 'stokey stokie stokenewingtonchurchstreet': 804253, 'great easter': 362644, 'everyone so': 287385, 'cute amp': 223645, 'amp something': 54533, 'everyone could': 286800, 'great easter gift': 362645, 'easter gift idea': 265436, 'idea for everyone': 413048, 'for everyone so': 321237, 'everyone so cute': 287387, 'so cute amp': 776828, 'cute amp something': 223646, 'amp something everyone': 54534, 'something everyone could': 784902, 'everyone could really': 286801, 'really use right': 702684, 'use right now': 949523, 'no lockdown': 564617, 'supply app': 824771, 'still trading': 801329, 'strong covid': 814003, 'increased local': 433364, 'demand especially': 235295, 'no lockdown for': 564618, 'lockdown for food': 499395, 'food supply app': 316932, 'supply app is': 824772, 'app is still': 81733, 'is still trading': 452321, 'still trading and': 801330, 'trading and going': 928834, 'and going strong': 63810, 'going strong covid': 355474, 'strong covid 19': 814004, '19 ha significantly': 7387, 'ha significantly increased': 371942, 'significantly increased local': 769587, 'increased local demand': 433365, 'local demand especially': 497889, 'demand especially for': 235296, 'especially for staple': 280485, 'aakubosan': 24100, 'afternoon grocery': 36691, 'grocery went': 366123, 'to korean': 909011, 'korean supermarket': 477536, 'support after': 826330, 'korea government': 477474, 'government donate': 360049, 'donate their': 254239, 'their medical': 873934, 'for recovering': 325032, 'recovering in': 705264, 'indonesia aakubosan': 435317, 'and this afternoon': 73985, 'this afternoon grocery': 886232, 'afternoon grocery went': 36692, 'grocery went to': 366124, 'went to korean': 979166, 'to korean supermarket': 909012, 'korean supermarket my': 477537, 'supermarket my support': 821561, 'my support after': 550291, 'support after the': 826331, 'after the south': 36355, 'the south korea': 867511, 'south korea government': 786741, 'korea government donate': 477475, 'government donate their': 360050, 'donate their medical': 254240, 'their medical equipment': 873935, 'medical equipment for': 526151, 'equipment for recovering': 279727, 'for recovering in': 325033, 'recovering in indonesia': 705265, 'in indonesia aakubosan': 424075, 'emergency huge': 272749, 'huge and': 409977, 'and obvious': 67938, 'obvious effect': 578787, 'worrying lot': 1010826, 'of homeowner': 584732, 'homeowner about': 402876, 'important investment': 418845, 'investment housingmarket': 444005, 'housingmarket bayarea': 407176, 'the emergency huge': 854228, 'emergency huge and': 272750, 'huge and obvious': 409978, 'and obvious effect': 67939, 'obvious effect on': 578788, 'economy are worrying': 267671, 'are worrying lot': 91741, 'worrying lot of': 1010827, 'lot of homeowner': 504204, 'of homeowner about': 584733, 'homeowner about the': 402877, 'future of their': 342401, 'of their most': 591681, 'their most important': 874010, 'most important investment': 542400, 'important investment housingmarket': 418846, 'investment housingmarket bayarea': 444006, 'consumer lender': 198026, 'lender are': 486216, 'aren helping': 92434, 'most 19': 542054, 'which consumer lender': 985766, 'consumer lender are': 198027, 'lender are and': 486217, 'and aren helping': 58383, 'aren helping the': 92435, 'helping the most': 391497, 'the most 19': 860939, 'most 19 corona': 542055, 'protectfrontliners': 685173, 'employee on': 274074, 'line have': 493153, 'their station': 874816, 'station why': 796554, 'you leaving': 1019580, 'the protectfrontliners': 864707, 'do not your': 249897, 'not your employee': 572629, 'your employee on': 1023661, 'employee on the': 274076, 'front line have': 338578, 'line have mask': 493154, 'sanitizer at their': 734518, 'at their station': 101177, 'their station why': 874817, 'station why are': 796555, 'are you leaving': 91817, 'you leaving them': 1019581, 'to the protectfrontliners': 916988, '03344859556': 884, '03065659733': 875, 'autosanitizergate': 104076, 'single auto': 771237, 'auto sanitizer': 103915, 'sanitizer gate': 734957, 'gate follow': 344334, 'insight best': 439517, 'best solar': 127903, 'solar panel': 781601, 'panel online': 637194, 'pakistan delivery': 634443, 'delivery anywhere': 233689, 'pakistan call': 634434, 'detail 03344859556': 239143, '03344859556 03065659733': 885, '03065659733 autosanitizergate': 876, 'autosanitizergate sanitize': 104077, 'sanitize hygiene': 734195, 'single auto sanitizer': 771238, 'auto sanitizer gate': 103916, 'sanitizer gate follow': 734958, 'gate follow for': 344335, 'for more insight': 323583, 'more insight best': 539602, 'insight best solar': 439518, 'best solar panel': 127904, 'solar panel online': 781602, 'panel online in': 637195, 'online in pakistan': 608399, 'in pakistan delivery': 426437, 'pakistan delivery anywhere': 634444, 'delivery anywhere in': 233690, 'anywhere in pakistan': 81122, 'in pakistan call': 426436, 'pakistan call for': 634435, 'more detail 03344859556': 539012, 'detail 03344859556 03065659733': 239144, '03344859556 03065659733 autosanitizergate': 886, '03065659733 autosanitizergate sanitize': 877, 'autosanitizergate sanitize hygiene': 104078, 'freeschoolmeals': 332496, 'schoolsuk': 742053, 'are school': 89864, 'or trust': 617543, 'trust looking': 934285, 'one find': 606291, 'sending supermarket': 750094, 'voucher or': 960655, 'touch freeschoolmeals': 926485, 'freeschoolmeals schoolsuk': 332497, 'you are school': 1017225, 'are school or': 89865, 'school or trust': 741897, 'or trust looking': 617544, 'trust looking for': 934286, 'alternative to free': 49270, 'school meal at': 741854, 'meal at this': 524111, 'have one find': 381787, 'one find out': 606292, 'out more information': 626571, 'information about sending': 437713, 'about sending supermarket': 26164, 'sending supermarket voucher': 750095, 'supermarket voucher or': 823674, 'voucher or get': 960656, 'or get in': 615428, 'in touch freeschoolmeals': 430227, 'touch freeschoolmeals schoolsuk': 926486, 'new today': 559762, 'podcast talking': 662313, 'with liquor': 999246, 'manager about': 512656, 'the fly': 855469, 'fly retail': 311629, 'therapy new': 877925, 'new today podcast': 559763, 'today podcast talking': 920048, 'podcast talking with': 662314, 'talking with liquor': 834061, 'with liquor store': 999247, 'liquor store manager': 494210, 'store manager about': 808871, 'manager about how': 512657, 'about how crazy': 25431, 'how crazy sale': 407644, 'crazy sale have': 215406, 'sale have been': 732263, 'been around covid': 120677, 'and how ha': 64815, 'how ha changed': 407944, 'ha changed it': 370127, 'changed it business': 172499, 'business model on': 144059, 'model on the': 535292, 'on the fly': 604124, 'the fly retail': 855470, 'fly retail therapy': 311630, 'retail therapy new': 718782, 'therapy new way': 877926, 'the easier': 853836, 'easier option': 265152, 'walking unless': 965120, 'have dog': 380310, 'dog perhaps': 252154, 'perhaps and': 651566, 'alone on': 46896, 'on driving': 600419, 'worker role': 1007710, 'role let': 725110, 'get tough': 348523, 'tough for': 926813, 'protect much': 684867, 'much life': 545048, 'life possible': 488971, 'think the easier': 885630, 'the easier option': 853837, 'easier option is': 265153, 'option is no': 614062, 'one should be': 607023, 'should be walking': 765766, 'be walking unless': 118040, 'walking unless you': 965121, 'you have dog': 1019038, 'have dog perhaps': 380311, 'dog perhaps and': 252155, 'perhaps and you': 651567, 'should be alone': 765551, 'be alone on': 113571, 'alone on driving': 46897, 'on driving to': 600420, 'supermarket or key': 821818, 'key worker role': 473509, 'worker role let': 1007711, 'role let get': 725111, 'let get tough': 486741, 'get tough for': 348524, 'tough for the': 926815, 'last couple of': 480166, 'week and protect': 975931, 'and protect much': 69657, 'protect much life': 684868, 'much life possible': 545049, 'purchasing and': 689830, 'driver got': 259580, 'my water': 550529, 'water coz': 968954, 'coz legit': 214538, 'legit none': 486037, 'like bottle': 489927, 'bottle no': 136266, 'thanks healthy': 842107, 'healthy scotland': 387760, 'scotland scottish': 742427, 'scottish health': 742481, 'health uk': 386927, 'uk water': 938865, 'water ebay': 968973, 'ebay thankyou': 266490, 'thankful for online': 841909, 'for online purchasing': 324111, 'online purchasing and': 608833, 'purchasing and delivery': 689831, 'delivery driver got': 233913, 'driver got my': 259581, 'got my water': 358731, 'my water coz': 550530, 'water coz legit': 968955, 'coz legit none': 214539, 'legit none in': 486038, 'none in shop': 566577, 'in shop or': 427897, 'shop or they': 760622, 'or they hiked': 617427, 'they hiked price': 882437, 'hiked price to': 396338, 'price to like': 677008, 'to like bottle': 909275, 'like bottle no': 489928, 'bottle no thanks': 136267, 'no thanks healthy': 565690, 'thanks healthy scotland': 842108, 'healthy scotland scottish': 387761, 'scotland scottish health': 742428, 'scottish health uk': 742482, 'health uk water': 386928, 'uk water ebay': 938866, 'water ebay thankyou': 968974, 'of climate': 581463, 'climate denier': 182217, 'denier say': 236976, 'they struck': 883488, 'struck deal': 814256, 'deal what': 229520, 'what deal': 981299, 'struggle into': 814351, 'into 2021': 442350, '2021 update': 14797, 'update oil': 947102, 'price show': 676392, 'show moderate': 767058, 'moderate growth': 535346, 'growth then': 367461, 'then start': 877558, 'start falling': 794293, 'opec production': 611948, 'deal we': 229517, 'we killing': 972140, 'it climate': 457180, 'denier must': 236972, 'suffer under': 817242, 'under beyond': 940023, 'team of climate': 835738, 'of climate denier': 581465, 'climate denier say': 182219, 'denier say they': 236977, 'say they struck': 739349, 'they struck deal': 883489, 'struck deal what': 814257, 'deal what deal': 229521, 'what deal oil': 981300, 'deal oil price': 229450, 'to struggle into': 915688, 'struggle into 2021': 814352, 'into 2021 update': 442351, '2021 update oil': 14798, 'update oil price': 947103, 'oil price show': 597255, 'price show moderate': 676394, 'show moderate growth': 767059, 'moderate growth then': 535348, 'growth then start': 367462, 'then start falling': 877559, 'start falling after': 794294, 'after opec production': 35992, 'opec production cut': 611949, 'cut deal we': 223296, 'deal we killing': 229518, 'we killing it': 972141, 'killing it climate': 474690, 'it climate denier': 457182, 'climate denier must': 182218, 'denier must suffer': 236973, 'must suffer under': 546934, 'suffer under beyond': 817243, 'slowdown and': 774422, 'and excess': 62453, 'impacted gcc': 418119, 'gcc and': 344815, 'russian insurer': 728650, 'insurer oil': 440890, 'oil insurance': 596894, 'insurance gcc': 440736, 'gcc russia': 344831, 'oil price from': 597139, 'price from the': 674120, 'economic slowdown and': 267300, 'slowdown and excess': 774423, 'and excess supply': 62454, 'excess supply due': 289373, '19 have impacted': 7448, 'have impacted gcc': 381023, 'impacted gcc and': 418120, 'gcc and russian': 344816, 'and russian insurer': 70688, 'russian insurer oil': 728651, 'insurer oil insurance': 440891, 'oil insurance gcc': 596895, 'insurance gcc russia': 440737, 'the roll': 865957, 'roll parody': 725465, 'parody played': 642196, 'played earlier': 659275, 'the roll parody': 865960, 'roll parody played': 725466, 'parody played earlier': 642197, 'played earlier on': 659276, 'news target': 560852, 'target scale': 834506, 'back store': 107291, 'remodels opening': 710682, 'opening due': 612821, 'news supermarketnews': 560839, 'rt news target': 726787, 'news target scale': 560853, 'target scale back': 834507, 'scale back store': 739875, 'back store remodels': 107292, 'store remodels opening': 809816, 'remodels opening due': 710683, 'opening due to': 612822, 'to via news': 918160, 'via news supermarketnews': 956105, 'birla': 131373, 'industrialist': 435581, 'ov': 629735, 'save former': 737507, 'former let': 329644, 'the tata': 869166, 'tata birla': 834836, 'birla ambani': 131374, 'ambani or': 51278, 'such industrialist': 816571, 'industrialist buy': 435582, 'buy directly': 148535, 'directly the': 243577, 'agricultural produce': 38905, 'produce such': 680442, 'fruit silk': 339148, 'silk or': 769732, 'sell directly': 748680, 'city till': 179416, 'get ov': 347750, 'suggested to save': 817593, 'to save former': 913779, 'save former let': 737508, 'former let the': 329645, 'let the tata': 487143, 'the tata birla': 869167, 'tata birla ambani': 834837, 'birla ambani or': 131375, 'ambani or any': 51279, 'or any such': 614364, 'any such industrialist': 79880, 'such industrialist buy': 816572, 'industrialist buy directly': 435583, 'buy directly the': 148536, 'directly the agricultural': 243578, 'the agricultural produce': 848457, 'agricultural produce such': 38907, 'produce such vegetable': 680443, 'such vegetable fruit': 816852, 'vegetable fruit silk': 953993, 'fruit silk or': 339149, 'silk or any': 769733, 'or any from': 614344, 'any from farmer': 79258, 'farmer and sell': 299262, 'and sell directly': 71212, 'sell directly to': 748681, 'directly to consumer': 243587, 'to consumer in': 903310, 'consumer in city': 197818, 'in city till': 421486, 'city till covid': 179417, '19 get ov': 7199, 'second grocery': 743726, 'panic shelf': 638537, 'at the second': 101091, 'the second grocery': 866580, 'second grocery store': 743727, 'store ve visited': 811047, 've visited in': 953652, 'visited in week': 959486, 'in week or': 430761, 'or so panic': 617130, 'so panic shelf': 777987, 'onehealth': 607547, 'onehealth 2014': 607548, '2014 flashback': 13798, 'flashback unfortunately': 310042, 'new infectious': 558927, 'difficult challenge': 242197, 'modify human': 535504, 'onehealth 2014 flashback': 607549, '2014 flashback unfortunately': 13799, 'flashback unfortunately we': 310043, 'prepared for new': 670199, 'for new infectious': 323825, 'new infectious disease': 558928, 'infectious disease the': 436905, 'disease the most': 245253, 'most difficult challenge': 542251, 'difficult challenge of': 242198, 'challenge of all': 171510, 'of all is': 579948, 'all is to': 43255, 'is to modify': 453226, 'to modify human': 910216, 'modify human behavior': 535505, 'anheuser': 76522, 'anheuser busch': 76523, 'busch is': 143120, 'distributing handsanitizer': 248083, '19 manufacturing': 8537, 'manufacturing supplychain': 513672, 'supplychain cre': 826170, 'cre stopthespread': 215514, 'anheuser busch is': 76524, 'busch is using': 143122, 'network to begin': 557773, 'to begin producing': 901712, 'begin producing and': 123551, 'producing and distributing': 680739, 'and distributing handsanitizer': 61522, 'distributing handsanitizer in': 248084, 'handsanitizer in the': 376559, 'fight 19 manufacturing': 304598, '19 manufacturing supplychain': 8540, 'manufacturing supplychain cre': 513673, 'supplychain cre stopthespread': 826171, 'wrench': 1012722, 'chain step': 171127, 'fed while': 301934, 'sufficient ha': 817385, 'thrown wrench': 895158, 'wrench into': 1012723, 'the mix': 860697, 'mix company': 534591, 'company scramble': 191053, 'quickly consumer': 694505, 'watch the hero': 968545, 'hero in our': 394017, 'supply chain step': 825040, 'chain step up': 171128, 'up and get': 944325, 'and get fed': 63572, 'get fed while': 347001, 'fed while in': 301935, 'country is sufficient': 210823, 'is sufficient ha': 452438, 'sufficient ha thrown': 817386, 'ha thrown wrench': 372280, 'thrown wrench into': 895159, 'wrench into the': 1012724, 'into the mix': 443150, 'the mix company': 860698, 'mix company scramble': 534592, 'company scramble to': 191054, 'scramble to fill': 742545, 'supermarket shelf quickly': 822514, 'shelf quickly consumer': 757450, 'quickly consumer empty': 694506, 'attention american': 102423, 'american there': 52250, 'one factory': 606273, 'the producing': 864577, 'producing toilet': 680813, 'stophoarding crazy': 805385, 'crazy why': 215485, 'why toiletpapercrisis': 991489, 'toiletpapercrisis dontpanic': 923023, 'attention american there': 102424, 'american there is': 52251, 'to hoard toilet': 907882, 'paper there is': 640891, 'than one factory': 840978, 'one factory in': 606274, 'factory in the': 295961, 'in the producing': 429481, 'the producing toilet': 864578, 'producing toilet paper': 680814, 'paper toiletpaper stophoarding': 640957, 'toiletpaper stophoarding crazy': 922546, 'stophoarding crazy why': 805386, 'crazy why toiletpapercrisis': 215486, 'why toiletpapercrisis dontpanic': 991490, 'notclear': 572681, 'his message': 397606, 'message isn': 529355, 'isn clear': 454462, 'clear avoid': 181227, 'unnecessary contact': 942901, 'others avoid': 621296, 'avoid pub': 105242, 'other venue': 621169, 'home notclear': 401676, 'notclear borisjohnson': 572682, 'borisjohnson but': 135511, 'open supermarket': 612529, 'we shutting': 973321, 'his message isn': 397607, 'message isn clear': 529356, 'isn clear avoid': 454463, 'clear avoid all': 181228, 'avoid all unnecessary': 104998, 'all unnecessary contact': 45321, 'unnecessary contact with': 942902, 'with others avoid': 999967, 'others avoid pub': 621297, 'avoid pub club': 105243, 'club and other': 184404, 'and other venue': 68429, 'other venue and': 621170, 'venue and work': 954708, 'and work from': 75853, 'from home notclear': 335887, 'home notclear borisjohnson': 401677, 'notclear borisjohnson but': 572683, 'borisjohnson but my': 135512, 'but my child': 146429, 'my child school': 547680, 'child school is': 176199, 'school is still': 741837, 'still open supermarket': 800975, 'open supermarket shelf': 612530, 'are empty are': 86139, 'empty are we': 274788, 'are we shutting': 91591, 'dingle': 243002, 'working leo': 1008755, 'leo shocking': 486388, 'shocking the': 759628, 'holiday home': 400311, 'owner already': 632366, 'already arrived': 47193, 'in dingle': 422271, 'dingle the': 243003, 'stranger judging': 812476, 'car regs': 163261, 'regs most': 707723, 'visited from': 959474, 'east of': 265331, 'country which': 211225, 'ha highest': 370864, 'highest instance': 395827, 'it not working': 459936, 'not working leo': 572550, 'working leo shocking': 1008756, 'leo shocking the': 486389, 'shocking the no': 759629, 'no of holiday': 564901, 'of holiday home': 584710, 'holiday home owner': 400313, 'home owner already': 401812, 'owner already arrived': 632367, 'already arrived in': 47194, 'arrived in dingle': 93963, 'in dingle the': 422272, 'dingle the supermarket': 243004, 'full of stranger': 340758, 'of stranger judging': 590286, 'stranger judging by': 812477, 'by the car': 154275, 'the car regs': 850387, 'car regs most': 163262, 'regs most have': 707724, 'most have visited': 542369, 'have visited from': 383513, 'visited from the': 959475, 'from the east': 337677, 'the east of': 853845, 'east of the': 265332, 'the country which': 852180, 'country which ha': 211227, 'which ha highest': 985885, 'ha highest instance': 370865, 'highest instance of': 395828, 'instance of covid': 440082, 'trash is': 930157, 'being collected': 124967, 'normal schedule': 567303, 'schedule to': 741471, 'our sanitation': 624672, 'sanitation crew': 733835, 'crew safe': 216711, 'from remember': 337075, 'your trash': 1026201, 'trash unless': 930180, 'real trash': 701429, 'store bag': 806630, 'trash is still': 930158, 'is still being': 452266, 'still being collected': 800274, 'being collected on': 124968, 'collected on normal': 186368, 'on normal schedule': 602433, 'normal schedule to': 567304, 'schedule to keep': 741472, 'keep our sanitation': 471744, 'our sanitation crew': 624673, 'sanitation crew safe': 733836, 'crew safe from': 216712, 'safe from remember': 729698, 'from remember we': 337076, 'remember we will': 710404, 'not take your': 571911, 'take your trash': 832832, 'your trash unless': 1026203, 'trash unless it': 930181, 'unless it in': 942621, 'in real trash': 427296, 'real trash bag': 701430, 'trash bag no': 930134, 'bag no grocery': 108341, 'grocery store bag': 365233, 'store bag etc': 806631, 'scam fcc': 740159, 'launch consumer information': 481876, 'consumer information hub': 197874, 'information hub for': 437858, 'hub for covid': 409796, '19 scam fcc': 10340, 'for killer': 322849, 'killer global': 474630, 'and union': 74673, 'if your job': 415588, 'your job is': 1024531, 'job is so': 465908, 'is so essential': 452003, 'so essential that': 776961, 'essential that you': 281658, 'can get off': 158435, 'get off for': 347682, 'off for killer': 593830, 'for killer global': 322850, 'killer global pandemic': 474631, 'global pandemic you': 352113, 'pandemic you deserve': 637091, 'you deserve 15': 1018181, 'hour and union': 405423, 'left many': 485544, 'firm fighting': 308354, 'survival but': 829023, 'but employee': 145645, 'with final': 998436, 'final salary': 305873, 'salary will': 732004, 'saving expert': 737869, 'said beard': 730998, 'beard ha': 118433, 'pandemic ha left': 635555, 'ha left many': 371129, 'left many firm': 485545, 'many firm fighting': 514070, 'firm fighting for': 308355, 'fighting for survival': 305081, 'for survival but': 326091, 'survival but employee': 829024, 'but employee with': 145646, 'employee with final': 274445, 'with final salary': 998437, 'final salary will': 305874, 'salary will not': 732005, 'will not lose': 994246, 'not lose their': 570468, 'lose their life': 503487, 'life saving expert': 489013, 'saving expert have': 737870, 'expert have said': 291850, 'have said beard': 382382, 'said beard ha': 730999, 'beard ha more': 118434, 'ha more on': 371294, 'more on what': 539935, 'golfatlanta': 356148, 'atlantagolf': 101854, 'golfgeorgia': 356153, 'georgiagolf': 346054, 'keep disinfecting': 471444, 'disinfecting use': 245891, 'better wash': 128594, 'hand disinfecting': 374896, 'disinfecting our': 245864, 'our golf': 623259, 'golf cart': 356112, 'golf atlanta': 356110, 'atlanta georgia': 101837, 'georgia golfatlanta': 346033, 'golfatlanta atlantagolf': 356149, 'atlantagolf golfgeorgia': 101855, 'golfgeorgia georgiagolf': 356154, 'keep disinfecting use': 471445, 'disinfecting use hand': 245892, 'sanitizer and better': 734387, 'and better wash': 58919, 'better wash your': 128595, 'your hand disinfecting': 1024182, 'hand disinfecting our': 374897, 'disinfecting our golf': 245865, 'our golf cart': 623260, 'golf cart this': 356114, 'cart this morning': 165394, 'morning at golf': 541180, 'at golf atlanta': 98778, 'golf atlanta georgia': 356111, 'atlanta georgia golfatlanta': 101838, 'georgia golfatlanta atlantagolf': 346034, 'golfatlanta atlantagolf golfgeorgia': 356150, 'atlantagolf golfgeorgia georgiagolf': 101856, 'poorshowtesco': 664403, 'giant isn': 349815, 'isn protecting': 454631, 'coronvirus and': 207155, 'public allowing': 687834, 'allowing their': 46349, 'be deliberately': 114388, 'and treated': 74426, 'treated poorly': 930968, 'poorly by': 664379, 'is poor': 450929, 'poor management': 664222, 'management poorshowtesco': 512613, 'poorshowtesco tesco': 664404, 'it that our': 461498, 'supermarket giant isn': 820505, 'giant isn protecting': 349816, 'isn protecting it': 454632, 'protecting it employee': 685202, 'it employee from': 457801, 'from the coronvirus': 337657, 'the coronvirus and': 851950, 'coronvirus and general': 207156, 'general public allowing': 345444, 'public allowing their': 687835, 'allowing their own': 46351, 'their own employee': 874171, 'own employee to': 631965, 'employee to be': 274322, 'to be deliberately': 901196, 'be deliberately coughed': 114389, 'coughed on and': 208621, 'on and treated': 599378, 'and treated poorly': 74427, 'treated poorly by': 930969, 'poorly by the': 664380, 'general public is': 345454, 'public is poor': 688125, 'is poor management': 450930, 'poor management poorshowtesco': 664223, 'management poorshowtesco tesco': 512614, 'your floor': 1023903, 'who interact': 989046, 'and refusing': 70142, 'close lobby': 182704, 'lobby shame': 497582, 'aren protecting': 92491, 'fargo is it': 299056, 'true that you': 933187, 'not providing mask': 571161, 'providing mask and': 687049, 'sanitizer to your': 735957, 'to your floor': 918983, 'your floor staff': 1023904, 'floor staff who': 310841, 'staff who interact': 793088, 'who interact with': 989047, 'interact with client': 441205, 'with client and': 997662, 'client and refusing': 181993, 'and refusing to': 70143, 'to close lobby': 902883, 'close lobby shame': 182705, 'lobby shame on': 497583, 'on you if': 605424, 'if you aren': 415394, 'you aren protecting': 1017301, 'aren protecting them': 92492, 'know texted': 476744, 'me couple': 522614, 'ago telling': 38488, 'today see': 920150, 'them posting': 876173, 'posting insta': 666656, 'insta story': 439880, 'though told': 892934, 'should self': 766448, 'quarantine going': 692220, 'start calling': 794244, 'calling the': 156630, 'these mf': 880302, 'person know texted': 652514, 'know texted me': 476745, 'texted me couple': 839969, 'me couple day': 522615, 'couple day ago': 211575, 'day ago telling': 227210, 'ago telling me': 38489, 'telling me they': 837231, 'me they think': 523691, 'they think they': 883565, 'they have symptom': 882385, '19 today see': 11471, 'today see them': 920151, 'see them posting': 745917, 'them posting insta': 876174, 'posting insta story': 666657, 'insta story of': 439881, 'story of them': 812076, 'of them at': 591724, 'store even though': 807646, 'even though told': 284722, 'though told them': 892935, 'they should self': 883384, 'should self quarantine': 766450, 'self quarantine going': 747857, 'quarantine going to': 692223, 'to start calling': 915189, 'start calling the': 794246, 'calling the police': 156631, 'police on these': 663139, 'on these mf': 604570, 'bossed': 135765, '3l': 18290, 'prosecco': 684611, 'sendwine': 750146, 'trip bossed': 932045, 'bossed 3l': 135766, '3l of': 18291, 'of gin': 584133, 'gin bottle': 350169, 'of prosecco': 588545, 'prosecco bottle': 684612, 'red wine': 705626, 'wine oh': 995849, 'and packet': 68619, 'pasta ready': 643789, 'for schoolclosureuk': 325389, 'schoolclosureuk schoolsclosure': 742022, 'schoolsclosure sendwine': 742047, 'sendwine quarantinelife': 750147, 'supermarket trip bossed': 823542, 'trip bossed 3l': 932046, 'bossed 3l of': 135767, '3l of gin': 18292, 'of gin bottle': 584134, 'gin bottle of': 350170, 'bottle of prosecco': 136291, 'of prosecco bottle': 588546, 'prosecco bottle of': 684613, 'bottle of red': 136292, 'of red wine': 588856, 'red wine oh': 705629, 'wine oh and': 995850, 'oh and packet': 596357, 'and packet of': 68620, 'of pasta ready': 587812, 'pasta ready for': 643790, 'ready for schoolclosureuk': 700869, 'for schoolclosureuk schoolsclosure': 325390, 'schoolclosureuk schoolsclosure sendwine': 742023, 'schoolsclosure sendwine quarantinelife': 742048, 'sendwine quarantinelife socialdistancing': 750148, 'is fascinating': 447746, 'fascinating view': 299771, 'from glimpse': 335643, 'this is fascinating': 888257, 'is fascinating view': 447747, 'fascinating view covid': 299772, '19 trend and': 11576, 'impact from glimpse': 417666, 'amble': 51307, 'we self': 973187, 'seeing video': 746545, 'and photo': 68995, 'medium it': 527156, 'in disaster': 422287, 'disaster film': 244203, 'film keep': 305686, 'keep expecting': 471484, 'expecting zombie': 291061, 'zombie to': 1027729, 'to amble': 900401, 'amble round': 51308, 'aisle fightcovid19': 40247, 'having been to': 383996, 'supermarket before we': 819353, 'before we self': 123291, 'we self isolated': 973190, 'self isolated and': 747702, 'isolated and seeing': 454971, 'and seeing video': 71166, 'seeing video and': 746546, 'video and photo': 956613, 'and photo on': 68997, 'photo on social': 655226, 'social medium it': 779862, 'medium it like': 527158, 'being in disaster': 125298, 'in disaster film': 422288, 'disaster film keep': 244204, 'film keep expecting': 305687, 'keep expecting zombie': 471485, 'expecting zombie to': 291062, 'zombie to amble': 1027730, 'to amble round': 900402, 'amble round the': 51309, 'corner of the': 203659, 'the aisle fightcovid19': 848521, 'spent 300': 789086, '300 at': 17288, 'meat wa': 525795, 'only expensive': 610414, 'expensive option': 291269, 'everything left': 287900, 'husband lost': 411738, 'lost his': 503860, 'corona don': 203923, 'don tell': 253955, 'money le': 536863, 'le bc': 482857, 'tax return': 835078, 'return wa': 719942, 'good last': 357316, 'year that': 1014991, 'spent 300 at': 789087, '300 at grocery': 17289, 'store all meat': 806135, 'all meat wa': 43485, 'meat wa sold': 525796, 'sold out only': 781744, 'out only expensive': 626938, 'only expensive option': 610415, 'expensive option of': 291270, 'option of everything': 614075, 'of everything left': 583274, 'everything left my': 287901, 'left my husband': 485561, 'my husband lost': 548785, 'husband lost his': 411739, 'lost his job': 503861, 'his job to': 397555, 'job to corona': 466220, 'to corona don': 903526, 'corona don tell': 203924, 'don tell me': 253956, 'tell me need': 837015, 'me need the': 523205, 'the money le': 860816, 'money le bc': 536864, 'le bc my': 482858, 'bc my tax': 113253, 'my tax return': 550318, 'tax return wa': 835082, 'return wa good': 719943, 'wa good last': 962238, 'good last year': 357317, 'last year that': 480735, 'year that not': 1014993, 'that not this': 845401, 'worklife': 1009143, 'shopper fearing': 761504, 'endure worklife': 276316, 'shelf may have': 757313, 'may have shopper': 521255, 'have shopper fearing': 382518, 'shopper fearing food': 761505, 'fearing food shortage': 301483, 'food shortage food': 316575, 'shortage food supply': 764957, 'chain expert say': 170687, 'to endure worklife': 905107, 'street boom': 812925, 'boom after': 134791, 'shutdown around': 767997, 'world maybe': 1009794, 'street rather': 813081, 'if there going': 415068, 'be high street': 115246, 'high street boom': 395430, 'street boom after': 812926, 'boom after all': 134792, 'all the shutdown': 44909, 'the shutdown around': 867131, 'shutdown around the': 767998, 'the world maybe': 871912, 'world maybe people': 1009796, 'maybe people would': 521776, 'people would want': 650549, 'their local high': 873871, 'high street rather': 395434, 'street rather than': 813082, 'rather than staying': 697551, 'than staying indoors': 841168, 'staying indoors and': 798652, 'indoors and doing': 435378, 'shopping just thought': 763120, 'on do': 600365, 'do let': 249561, 'below food': 126639, 'food tuesdaythoughts': 317376, 'up on do': 945545, 'on do let': 600366, 'do let know': 249562, 'let know in': 486860, 'the comment below': 851209, 'comment below food': 188391, 'below food tuesdaythoughts': 126640, 'thoughtful gift': 893352, 'gift for': 349972, 'one sundaythoughts': 607134, 'thoughtful gift for': 893353, 'gift for all': 349973, 'all your loved': 45573, 'loved one sundaythoughts': 504924, 'one sundaythoughts toiletpaper': 607135, 'delet': 232843, 'uk reviewing': 938682, 'reviewing this': 720622, 'thread is': 893570, 'bad start': 108016, 'start because': 794223, 'because tweet': 119756, 'tweet by': 936352, 'been blocked': 120746, 'viewing they': 957209, 'been delet': 120941, 'uk reviewing this': 938683, 'reviewing this thread': 720623, 'this thread is': 890590, 'thread is off': 893571, 'is off to': 450409, 'off to bad': 594316, 'to bad start': 900986, 'bad start because': 108017, 'start because tweet': 794224, 'because tweet by': 119757, 'tweet by one': 936353, 'have been blocked': 379478, 'been blocked from': 120747, 'blocked from viewing': 132858, 'from viewing they': 338241, 'viewing they haven': 957210, 'haven been delet': 383749, 'pricerises': 677888, 'including ebay': 431943, 'ebay deliberately': 266444, 'deliberately raising': 232972, 'item please': 463571, 'take pic': 832492, 'pic or': 655617, 'them famous': 875679, 'famous let': 298474, 'many use': 514838, 'passed pricegougers': 643290, 'pricegouging pricerises': 677843, 'pricerises coronacrisis': 677889, 'anyone see shop': 80514, 'see shop including': 745670, 'shop including ebay': 760338, 'including ebay deliberately': 431944, 'ebay deliberately raising': 266445, 'deliberately raising price': 232973, 'raising price of': 696122, 'essential item please': 281224, 'item please take': 463575, 'please take pic': 660638, 'take pic or': 832493, 'pic or video': 655618, 'or video and': 617669, 'video and make': 956612, 'make them famous': 510605, 'them famous let': 875680, 'famous let see': 298475, 'let see how': 487032, 'how many use': 408288, 'many use them': 514840, 'use them after': 949705, 'them after the': 875322, 'crisis ha passed': 217441, 'ha passed pricegougers': 371476, 'passed pricegougers pricegouging': 643291, 'pricegougers pricegouging pricerises': 677777, 'pricegouging pricerises coronacrisis': 677844, 'from soaring': 337327, 'soaring food': 779322, 'million trapped': 532396, 'poverty we': 667525, 'depth look': 237768, 'against global': 37466, 'global hunger': 351980, 'from soaring food': 337328, 'soaring food price': 779323, 'price to million': 677014, 'to million trapped': 910137, 'million trapped in': 532397, 'trapped in poverty': 930110, 'in poverty we': 426879, 'poverty we take': 667526, 'we take an': 973478, 'take an in': 831935, 'an in depth': 56220, 'in depth look': 422204, 'depth look at': 237769, 'impacting the fight': 418266, 'fight against global': 304621, 'against global hunger': 37467, 'here aren': 392769, 'great either': 362650, 'completely okay': 192324, 'by violating': 154670, 'violating socialdistancing': 957502, 'people here aren': 648245, 'here aren great': 392770, 'aren great either': 92428, 'great either queuing': 362651, 'seems fine but': 746783, 'fine but then': 307614, 'but then suddenly': 147449, 'beetroot it completely': 122566, 'it completely okay': 457248, 'completely okay to': 192325, 'okay to risk': 598026, 'people by violating': 647368, 'by violating socialdistancing': 154671, 'violating socialdistancing getagripbritishpeople': 957503, 'woman serving': 1003601, 'at tuebrook': 101370, 'tuebrook supermarket': 935087, 'supermarket liverpool': 821350, 'heron that': 394220, 'now essential': 574613, 'line said': 493380, 'in love': 424944, 'the morgue': 860904, 'morgue covid': 541101, 'the woman serving': 871667, 'woman serving me': 1003602, 'serving me at': 753193, 'me at tuebrook': 522481, 'at tuebrook supermarket': 101371, 'tuebrook supermarket liverpool': 935088, 'supermarket liverpool heron': 821351, 'liverpool heron that': 496245, 'heron that she': 394221, 'colleague are now': 186197, 'are now essential': 88547, 'now essential worker': 574614, 'worker and thanked': 1006342, 'in line said': 424769, 'line said so': 493381, 'said so in': 731361, 'so in love': 777384, 'in love so': 424945, 'said the morgue': 731440, 'the morgue covid': 860906, 'morgue covid 19': 541102, 'inventing': 443621, 'revolutionizing': 720759, 're inventing': 698922, 'inventing way': 443624, 'it proving': 460547, 'proving very': 687240, 'very successful': 955601, 'say two': 739415, 'two researcher': 937185, 'researcher check': 713902, 'is revolutionizing': 451506, 'revolutionizing delivery': 720760, 'china is re': 176759, 'is re inventing': 451244, 're inventing way': 698923, 'inventing way to': 443625, 'to make online': 909709, 'shopping more fun': 763287, 'fun and it': 341127, 'and it proving': 65575, 'it proving very': 460548, 'proving very successful': 687241, 'very successful in': 955602, 'successful in this': 816247, 'in this coronavirus': 429921, 'coronavirus outbreak say': 206408, 'outbreak say two': 628602, 'say two researcher': 739416, 'two researcher check': 937186, 'researcher check out': 713903, 'how the country': 408810, 'country is revolutionizing': 210817, 'is revolutionizing delivery': 451507, 'revolutionizing delivery and': 720761, 'delivery and ecommerce': 233662, 'motif': 543250, 'businessesandcompanies': 144742, 'the democrat': 853121, 'democrat exposed': 236715, 'exposed their': 292879, 'true motif': 933136, 'motif to': 543251, 'over private': 630532, 'private industry': 678922, 'industry businessesandcompanies': 435703, 'businessesandcompanies capitalism': 144743, 'capitalism democrat': 162735, 'democrat donaldtrump': 236713, 'donaldtrump health': 254130, 'health usnews': 386929, 'like that the': 491337, 'that the democrat': 846702, 'the democrat exposed': 853122, 'democrat exposed their': 236716, 'exposed their true': 292880, 'their true motif': 875049, 'true motif to': 933137, 'motif to take': 543252, 'take over private': 832473, 'over private industry': 630533, 'private industry businessesandcompanies': 678923, 'industry businessesandcompanies capitalism': 435704, 'businessesandcompanies capitalism democrat': 144744, 'capitalism democrat donaldtrump': 162736, 'democrat donaldtrump health': 236714, 'donaldtrump health usnews': 254131, 'este': 282204, 'aplausonacional': 81477, 'debe': 230347, 'ir': 444658, 'acompa': 29145, 'conciencia': 193293, 'todos': 920636, 'quedarnos': 693351, 'sirve': 771699, 'homenaje': 402867, 'vamos': 952276, 'poner': 663972, 'peligro': 646343, 'siendo': 768994, 'irresponsables': 445028, 'este aplausonacional': 282205, 'aplausonacional debe': 81478, 'debe ir': 230348, 'ir acompa': 444659, 'acompa ado': 29146, 'ado de': 32644, 'de conciencia': 229045, 'conciencia de': 193294, 'de todos': 229113, 'todos nosotros': 920637, 'nosotros de': 567972, 'de quedarnos': 229099, 'quedarnos en': 693352, 'en casa': 275369, 'casa de': 165555, 'de nada': 229089, 'nada sirve': 551372, 'sirve un': 771700, 'un homenaje': 939289, 'homenaje si': 402868, 'si los': 768314, 'los vamos': 503386, 'vamos poner': 952277, 'poner en': 663973, 'en peligro': 275396, 'peligro siendo': 646344, 'siendo irresponsables': 768995, 'este aplausonacional debe': 282206, 'aplausonacional debe ir': 81479, 'debe ir acompa': 230349, 'ir acompa ado': 444660, 'acompa ado de': 29147, 'ado de conciencia': 32645, 'de conciencia de': 229046, 'conciencia de todos': 193295, 'de todos nosotros': 229114, 'todos nosotros de': 920638, 'nosotros de quedarnos': 567973, 'de quedarnos en': 229100, 'quedarnos en casa': 693353, 'en casa de': 275370, 'casa de nada': 165556, 'de nada sirve': 229090, 'nada sirve un': 551373, 'sirve un homenaje': 771701, 'un homenaje si': 939290, 'homenaje si los': 402869, 'si los vamos': 768315, 'los vamos poner': 503387, 'vamos poner en': 952278, 'poner en peligro': 663974, 'en peligro siendo': 275397, 'peligro siendo irresponsables': 646345, 'huge grocery': 410053, 'colorado please': 186807, 'you thanks': 1021558, 'work at huge': 1004877, 'at huge grocery': 99248, 'huge grocery store': 410054, 'in colorado please': 421568, 'colorado please be': 186808, 'be kind we': 115635, 'kind we are': 475026, 'line and we': 492956, 'for you thanks': 328089, 'toronto many': 925962, 'many fewer': 514066, 'fewer sale': 304233, 'selling slightly': 749443, 'slightly above': 773937, 'above asking': 27050, 'stable part': 791939, 'panic selling': 638523, 'new entry': 558694, 'entry dried': 278992, 'dried up': 258761, 'up suspect': 946109, 'suspect supply': 829493, 'month take': 538030, 'house below': 406213, 'three week into': 894106, 'week into covid': 976403, '19 in toronto': 7795, 'in toronto many': 430208, 'toronto many fewer': 925963, 'many fewer sale': 514067, 'fewer sale but': 304234, 'sale but home': 732110, 'but home are': 145953, 'home are still': 400729, 'still selling slightly': 801161, 'selling slightly above': 749444, 'slightly above asking': 773938, 'above asking and': 27051, 'asking and price': 95941, 'and price remain': 69470, 'remain stable part': 709860, 'stable part of': 791940, 'the reason is': 865272, 'reason is that': 702944, 'no panic selling': 565047, 'panic selling at': 638524, 'selling at all': 749162, 'at all new': 97896, 'all new entry': 43623, 'new entry dried': 558695, 'entry dried up': 278993, 'dried up suspect': 258762, 'up suspect supply': 946111, 'suspect supply are': 829494, 'supply are low': 824788, 'are low for': 87925, 'low for month': 505285, 'for month take': 323539, 'month take the': 538031, 'take the house': 832655, 'the house below': 857595, 'age group': 37820, 'seriously work': 751791, 'them purposely': 876197, 'on checker': 599891, 'the payment': 863413, 'laugh saying': 481759, 'spreading their': 791062, 'germ around': 346092, 'around awful': 93215, 'seems that our': 746860, 'that our most': 845588, 'most vulnerable age': 542864, 'vulnerable age group': 960844, 'age group are': 37822, 'group are not': 366611, 'pandemic seriously work': 636431, 'seriously work in': 751792, 'have seen them': 382448, 'seen them purposely': 747306, 'them purposely cough': 876198, 'cough on checker': 208518, 'on checker and': 599892, 'checker and wipe': 174791, 'wipe their hand': 996389, 'hand on the': 375144, 'on the payment': 604279, 'the payment terminal': 863416, 'payment terminal and': 645755, 'terminal and laugh': 838359, 'and laugh saying': 65972, 'laugh saying they': 481760, 'they re spreading': 883129, 're spreading their': 699567, 'spreading their germ': 791063, 'their germ around': 873404, 'germ around awful': 346093, 'transcombiexpress': 929491, 'yourlogisticspartner': 1026434, 'covoid19greece': 214448, 'necessary protective': 554055, 'protective and': 685709, 'and preventive': 69430, 'measure advised': 525068, 'the competent': 851367, 'competent authority': 191612, 'inform you': 437673, 'supply supermarket': 825924, 'store usual': 811034, 'usual transcombiexpress': 951050, 'transcombiexpress yourlogisticspartner': 929492, 'yourlogisticspartner distribution': 1026435, 'distribution covoid19greece': 248141, 'have taken all': 382905, 'taken all the': 832941, 'the necessary protective': 861378, 'necessary protective and': 554056, 'protective and preventive': 685710, 'and preventive measure': 69431, 'preventive measure advised': 671917, 'measure advised by': 525069, 'advised by the': 33624, 'by the competent': 154293, 'the competent authority': 851368, 'competent authority for': 191613, 'authority for our': 103721, 'for our staff': 324294, 'staff and to': 792168, 'and to inform': 74177, 'to inform you': 908388, 'inform you that': 437674, 'you that we': 1021582, 'continue to supply': 201269, 'to supply supermarket': 915888, 'supply supermarket store': 825925, 'supermarket store usual': 823014, 'store usual transcombiexpress': 811035, 'usual transcombiexpress yourlogisticspartner': 951051, 'transcombiexpress yourlogisticspartner distribution': 929493, 'yourlogisticspartner distribution covoid19greece': 1026436, 'kathandkim': 471026, 'kathkim': 471034, 'kathandkim predicted': 471027, 'predicted toiletpaperpanic': 669632, 'toiletpaperpanic back': 923197, 'in 2003': 419746, '2003 toiletpaper': 13607, 'toiletpaperwars kathkim': 923346, 'kathkim socialdistancing': 471035, 'socialdistancing australia': 780238, 'australia selfisolation': 103374, 'selfisolation panicbuying': 748469, 'kathandkim predicted toiletpaperpanic': 471028, 'predicted toiletpaperpanic back': 669633, 'toiletpaperpanic back in': 923198, 'back in 2003': 107076, 'in 2003 toiletpaper': 419748, '2003 toiletpaper toiletpaperwars': 13608, 'toiletpaper toiletpaperwars kathkim': 922725, 'toiletpaperwars kathkim socialdistancing': 923347, 'kathkim socialdistancing australia': 471036, 'socialdistancing australia selfisolation': 780239, 'australia selfisolation panicbuying': 103375, 'layered': 482647, 'amid rising': 52627, 'sanitisers till': 734106, 'and layered': 65998, 'layered mask': 482648, 'respectively and': 715163, 'and 200ml': 57404, 'sanitiser will': 734049, '100 consumer': 1868, 'affair min': 34065, 'min said': 532568, 'amid rising demand': 52629, 'rising demand the': 723202, 'demand the government': 236351, 'and sanitisers till': 70839, 'sanitisers till june': 734107, 'june 30 and': 467996, '30 and layered': 16964, 'and layered mask': 65999, 'layered mask will': 482649, 'mask will cost': 519570, 'will cost and': 993045, 'cost and 10': 207852, '10 respectively and': 1655, 'respectively and 200ml': 715164, 'and 200ml bottle': 57405, '200ml bottle of': 13736, 'bottle of sanitiser': 136293, 'of sanitiser will': 589282, 'sanitiser will cost': 734050, 'will cost 100': 993042, 'cost 100 consumer': 207815, '100 consumer affair': 1869, 'consumer affair min': 196096, 'affair min said': 34066, 'from forrester': 335543, 'forrester consumer': 329757, 'research covid': 713703, '19 wreaks': 12224, 'havoc business': 384423, 'insight from forrester': 439548, 'from forrester consumer': 335544, 'forrester consumer covid': 329758, '19 research covid': 10117, 'research covid 19': 713704, 'covid 19 wreaks': 214096, '19 wreaks havoc': 12225, 'wreaks havoc business': 1012701, 'yesterday worked': 1015962, 'worked for': 1006112, 'made 05': 507607, '05 in': 949, 'in tip': 430096, 'ravaged by': 697916, 'push forward': 690271, 'together american': 920676, 'someone do': 784428, 'yesterday worked for': 1015963, 'worked for hour': 1006113, 'hour and made': 405403, 'and made 05': 66504, 'made 05 in': 507608, '05 in tip': 950, 'in tip the': 430097, 'tip the food': 898918, 'food service industry': 316420, 'service industry is': 752497, 'being ravaged by': 125637, 'ravaged by the': 697917, 'the panic we': 863228, 'panic we need': 638767, 'to push forward': 912569, 'push forward and': 690272, 'forward and come': 329966, 'and come together': 60112, 'come together american': 187621, 'together american if': 920677, 'can help someone': 158656, 'help someone do': 390545, 'someone do help': 784430, 'do help someone': 249390, 'nlpoli': 563516, 'loonie likely': 503135, 'below 70': 126587, 'cent impact': 169071, 'impact lingers': 417733, 'lingers despite': 493716, 'the ups': 870511, 'currency expert': 221027, 'expert expect': 291830, 'the loonie': 859718, 'loonie to': 503139, 'keep losing': 471635, 'losing value': 503607, 'value the': 952206, 'economy struggle': 268239, 'plunge cdnpoli': 661423, 'cdnpoli nlpoli': 168661, 'loonie likely to': 503136, 'likely to dip': 492143, 'to dip below': 904316, 'dip below 70': 243174, 'below 70 cent': 126588, '70 cent impact': 21743, 'cent impact lingers': 169072, 'impact lingers despite': 417734, 'lingers despite all': 493717, 'despite all the': 238668, 'all the ups': 44964, 'the ups and': 870512, 'ups and down': 947730, 'and down in': 61698, 'down in market': 256863, 'in market currency': 425143, 'market currency expert': 516267, 'currency expert expect': 221028, 'expert expect the': 291831, 'expect the loonie': 290751, 'the loonie to': 859719, 'loonie to keep': 503140, 'to keep losing': 908808, 'keep losing value': 471636, 'losing value the': 503609, 'value the country': 952207, 'country economy struggle': 210603, 'economy struggle and': 268240, 'struggle and oil': 814332, 'price plunge cdnpoli': 675923, 'plunge cdnpoli nlpoli': 661424, '763': 22261, 'enacts': 275511, 'osceola': 619696, 'ucf': 937880, 'semester': 749601, 'florida 12': 310887, '12 died': 2844, 'died 763': 241502, '763 confirmed': 22262, 'confirmed florida': 194156, 'florida restaurant': 310978, 'restaurant ordered': 716620, 'county enacts': 211373, 'enacts curfew': 275512, 'curfew osceola': 220912, 'osceola county': 619697, 'curfew ucf': 220946, 'ucf student': 937881, 'student test': 814783, '19 publix': 9872, 'publix add': 688741, 'add senior': 31479, 'hour florida': 405587, 'florida university': 310996, 'university to': 942469, 'for rest': 325171, 'of semester': 589498, 'semester 19': 749602, 'florida 12 died': 310888, '12 died 763': 2845, 'died 763 confirmed': 241503, '763 confirmed florida': 22263, 'confirmed florida restaurant': 194157, 'florida restaurant ordered': 310979, 'restaurant ordered to': 716621, 'ordered to go': 618922, 'out only orange': 626942, 'only orange county': 610922, 'orange county enacts': 617907, 'county enacts curfew': 211374, 'enacts curfew osceola': 275513, 'curfew osceola county': 220913, 'osceola county enacts': 619698, 'enacts curfew ucf': 275514, 'curfew ucf student': 220947, 'ucf student test': 937882, 'student test positive': 814784, 'covid 19 publix': 213629, '19 publix add': 9873, 'publix add senior': 688742, 'add senior shopping': 31480, 'shopping hour florida': 762918, 'hour florida university': 405588, 'florida university to': 310997, 'university to go': 942470, 'to go online': 906832, 'go online for': 353912, 'online for rest': 608237, 'for rest of': 325172, 'rest of semester': 716203, 'of semester 19': 589499, 'baby some': 106699, 'some toy': 784098, 'toy on': 927686, 'me paranoid': 523322, 'want to order': 966075, 'order my baby': 618403, 'my baby some': 547370, 'baby some toy': 106700, 'some toy on': 784099, 'toy on amazon': 927687, 'on amazon but': 599275, 'amazon but this': 50886, 'but this whole': 147562, 'got me paranoid': 358701, 'passport': 643456, 'passenger waiting': 643355, 'clear custom': 181243, 'custom and': 221974, 'enter passport': 278277, 'passport information': 643462, 'information into': 437872, 'machine they': 507410, 'being disinfected': 125056, 'disinfected and': 245829, 'concerned that passenger': 193219, 'that passenger waiting': 845668, 'passenger waiting to': 643356, 'waiting to clear': 964399, 'to clear custom': 902829, 'clear custom and': 181244, 'custom and are': 221975, 'and are exposed': 58311, 'exposed to they': 292909, 'to they enter': 917361, 'they enter passport': 882048, 'enter passport information': 278278, 'passport information into': 643463, 'information into the': 437873, 'into the machine': 443145, 'the machine they': 859858, 'machine they are': 507411, 'not being disinfected': 568531, 'being disinfected and': 125057, 'disinfected and no': 245830, 'sanitizer is available': 735183, 'is available after': 445905, 'available after touching': 104207, 'after touching them': 36442, 'touching them why': 926736, 'them why canada': 876631, 'of council': 582016, 'council looking': 210005, 'up rate': 945888, 'rate exactly': 697205, 'exactly wrong': 288771, 'recession fewer': 704271, 'work le': 1005418, 'le job': 483005, 'security le': 744666, 'le consumer': 482888, 'more tax': 540525, 'tax make': 835030, 'make recession': 510394, 'recession worse': 704419, 'worse govt': 1010940, 'govt might': 361202, 'out council': 625913, 'of story of': 590279, 'story of council': 812057, 'of council looking': 582017, 'council looking to': 210006, 'looking to cut': 503025, 'cut service and': 223528, 'service and up': 752113, 'and up rate': 74728, 'up rate exactly': 945890, 'rate exactly wrong': 697206, 'exactly wrong thing': 288772, 'wrong thing to': 1013123, 'to do in': 904522, 'do in recession': 249428, 'in recession fewer': 427326, 'recession fewer people': 704272, 'fewer people in': 304229, 'people in work': 648453, 'in work le': 430977, 'work le job': 1005420, 'le job security': 483006, 'job security le': 466144, 'security le consumer': 744667, 'le consumer spending': 482892, 'spending more tax': 788917, 'more tax make': 540526, 'tax make recession': 835031, 'make recession worse': 510395, 'recession worse govt': 704420, 'worse govt might': 1010941, 'govt might need': 361203, 'might need to': 531088, 'help out council': 390247, 'skipthedishes': 773155, 'amazon ebay': 50927, 'ebay delivery': 266446, 'platform such': 659024, 'such skipthedishes': 816755, 'skipthedishes uber': 773156, 'eats online': 266379, 'online game': 608286, 'game or': 343226, 'console ps4': 195534, 'ps4 xbox': 687380, 'xbox etc': 1013780, 'etc movie': 282661, 'movie platform': 544049, 'platform netflix': 659009, 'netflix apple': 557597, 'apple tv': 82375, 'tv etc': 936105, 'etc telecom': 282787, 'company are benefiting': 190414, 'benefiting from covid': 127166, 'shopping site like': 763890, 'site like amazon': 771973, 'like amazon ebay': 489751, 'amazon ebay delivery': 50929, 'ebay delivery platform': 266447, 'delivery platform such': 234345, 'platform such skipthedishes': 659025, 'such skipthedishes uber': 816756, 'skipthedishes uber eats': 773157, 'uber eats online': 937813, 'eats online game': 266380, 'online game or': 608287, 'game or video': 343228, 'video game console': 956754, 'game console ps4': 343157, 'console ps4 xbox': 195535, 'ps4 xbox etc': 687381, 'xbox etc movie': 1013781, 'etc movie platform': 282662, 'movie platform netflix': 544050, 'platform netflix apple': 659010, 'netflix apple tv': 557598, 'apple tv etc': 82376, 'tv etc telecom': 936106, 'etc telecom company': 282788, 'reform looming': 706726, 'looming after': 503100, 'after what': 36529, 'always loved': 49657, 'loved supermarket': 504931, 'much via': 545422, 'this is attributed': 888182, 'attributed to the': 102749, 'great recession and': 362946, 'recession and economic': 704205, 'and economic reform': 61906, 'economic reform looming': 267244, 'reform looming after': 706727, 'looming after what': 503101, 'after what if': 36531, 'if we always': 415265, 'we always loved': 970418, 'always loved supermarket': 49658, 'loved supermarket worker': 504932, 'supermarket worker this': 824097, 'worker this much': 1007976, 'this much via': 889062, 'suggest 19': 817505, 'document suggest 19': 251211, 'suggest 19 corona': 817506, 'swmnewsletter': 830616, 'swmnewsletter discover': 830617, 'effective water': 269328, 'cycle management': 224058, 'management by': 512546, 'swmnewsletter discover all': 830618, 'latest news about': 481447, 'for effective water': 320964, 'effective water cycle': 269329, 'water cycle management': 968960, 'cycle management by': 224059, 'management by juan': 512547, 'raw prognosis': 697992, 'prognosis according': 683183, 'internet traffic': 442035, 'traffic is': 929107, 'will earn': 993277, 'lot raise': 504354, 'raise of': 695889, 'to power': 911944, 'power up': 667726, 'up remote': 945903, 'remote workflow': 710750, 'workflow bitcoin': 1008332, 'falling down': 297245, 'still strong': 801242, 'some thought and': 784051, 'thought and raw': 892970, 'and raw prognosis': 69957, 'raw prognosis according': 697993, 'prognosis according to': 683184, 'to the everyone': 916685, 'the everyone is': 854622, 'is sitting home': 451944, 'sitting home internet': 772112, 'home internet traffic': 401442, 'internet traffic is': 442037, 'traffic is growing': 929108, 'is growing food': 448236, 'growing food retailer': 367198, 'food retailer will': 316228, 'retailer will earn': 719429, 'will earn lot': 993278, 'earn lot raise': 264794, 'lot raise of': 504355, 'raise of demand': 695890, 'of demand on': 582507, 'demand on tool': 235976, 'tool and service': 925392, 'and service to': 71320, 'service to power': 752988, 'to power up': 911945, 'power up remote': 667727, 'up remote workflow': 945904, 'remote workflow bitcoin': 710751, 'workflow bitcoin is': 1008333, 'bitcoin is falling': 131821, 'is falling down': 447722, 'falling down but': 297246, 'down but the': 256584, 'but the technology': 147417, 'the technology still': 869239, 'technology still strong': 836376, 'new term': 559733, 'for idiot': 322464, 'on getting': 601082, 'many human': 514150, 'human so': 410618, 'stupid wednesdaywisdom': 815495, 'wednesdaywisdom tesco': 975742, 'my new term': 549474, 'new term for': 559734, 'term for idiot': 838150, 'for idiot in': 322465, 'supermarket who do': 823855, 'do not social': 249847, 'not social distance': 571633, 'distance and how': 246637, 'and how close': 64806, 'close they insist': 182867, 'they insist on': 882464, 'insist on getting': 439694, 'on getting to': 601085, 'getting to you': 349400, 'to you why': 918941, 'you why are': 1022314, 'so many human': 777667, 'many human so': 514151, 'human so stupid': 410619, 'so stupid wednesdaywisdom': 778297, 'stupid wednesdaywisdom tesco': 815496, 'the ed': 854046, 'ed hayes': 268449, 'hayes band': 384521, 'band stayathome': 109356, 'stayathome corona': 797459, '19 selfisolate': 10398, 'selfisolate quarantinelife': 748405, 'quarantineandchill selfisolation': 692768, 'selfisolation selfisolating': 748474, 'selfisolating panicbuyinguk': 748423, 'panicbuyinguk panicbuying': 639145, 'home the ed': 402229, 'the ed hayes': 854047, 'ed hayes band': 268450, 'hayes band stayathome': 384522, 'band stayathome corona': 109357, 'stayathome corona 19': 797460, 'corona 19 selfisolate': 203783, '19 selfisolate quarantinelife': 10399, 'selfisolate quarantinelife quarantineandchill': 748406, 'quarantinelife quarantineandchill selfisolation': 692995, 'quarantineandchill selfisolation selfisolating': 692769, 'selfisolation selfisolating panicbuyinguk': 748475, 'selfisolating panicbuyinguk panicbuying': 748424, 'panicbuyinguk panicbuying toiletpaper': 639149, 'deadly but': 229254, 'your worst': 1026396, 'worst at': 1011144, 'you thug': 1021735, 'thug have': 895285, 'money mentality': 536887, 'mentality shit': 528714, 'supported you': 827074, 'moment they': 536068, 'expected you': 291023, 'be deadly but': 114348, 'deadly but your': 229255, 'but your worst': 148015, 'your worst at': 1026397, 'worst at least': 1011145, 'mtn tried to': 544642, 'tried to reduce': 931844, 'to reduce data': 913018, 'data price but': 226354, 'price but you': 672994, 'but you thug': 148002, 'you thug have': 1021736, 'thug have money': 895286, 'have money mentality': 381490, 'money mentality shit': 536888, 'mentality shit people': 528715, 'have supported you': 382868, 'supported you for': 827075, 'you for year': 1018687, 'and even in': 62339, 'worst moment they': 1011218, 'moment they expected': 536069, 'they expected you': 882073, 'expected you to': 291024, 'be with them': 118121, 'with them all': 1001607, 'them all like': 875345, 'like we gave': 491773, 'missed this': 534257, 'this hancock': 887824, 'hancock saying': 374708, 'is interesting': 448953, 'interesting it': 441575, 'an admission': 55132, 'admission that': 32583, 'current lockdown': 221247, 'lockdown wont': 500167, 'wont stop': 1004266, 'you catching': 1017909, 'is nh': 449894, 'biggest spreader': 130325, 'missed this hancock': 534258, 'this hancock saying': 887825, 'hancock saying this': 374709, 'saying this is': 739737, 'this is interesting': 888295, 'is interesting it': 448954, 'interesting it almost': 441576, 'it almost an': 456400, 'almost an admission': 46546, 'an admission that': 55133, 'admission that the': 32584, 'the current lockdown': 852644, 'current lockdown wont': 221248, 'lockdown wont stop': 500168, 'wont stop you': 1004267, 'stop you catching': 805290, 'you catching the': 1017910, 'catching the fact': 167116, 'fact is nh': 295736, 'is nh worker': 449895, 'staff are most': 792196, 'the biggest spreader': 849679, 'have hit': 380962, 'take heavy': 832168, 'heavy toll': 388662, 'the update': 870499, 'state have hit': 795655, 'have hit 17': 380963, 'year low the': 1014736, 'low the pandemic': 505669, 'pandemic take heavy': 636615, 'take heavy toll': 832169, 'heavy toll on': 388663, 'the economy read': 854009, 'economy read all': 268166, 'all the update': 44963, 'the update here': 870500, 'swisspost': 830463, 'swisspost working': 830464, 'boom with': 134834, 'but non': 146511, 'business shop': 144369, 'post ha': 666147, 'it workload': 462535, 'workload increase': 1009145, 'increase dramatically': 432744, 'dramatically housebound': 258345, 'housebound resident': 406728, 'resident order': 714350, 'swisspost working overtime': 830465, 'overtime to cope': 631646, 'shopping boom with': 762239, 'boom with all': 134835, 'with all but': 997145, 'all but non': 42253, 'but non essential': 146512, 'essential business shop': 280861, 'business shop closed': 144370, 'shop closed the': 760049, 'closed the post': 183370, 'the post ha': 864090, 'post ha seen': 666148, 'ha seen it': 371831, 'seen it workload': 747107, 'it workload increase': 462536, 'workload increase dramatically': 1009146, 'increase dramatically housebound': 432745, 'dramatically housebound resident': 258346, 'housebound resident order': 406729, 'resident order online': 714351, 'japanese are': 464782, 'coronavirus some': 206785, 'buy lunch': 148928, 'lunch this': 506746, 'same behavior': 732979, 'only among': 610079, 'among young': 53114, 'also elderly': 48148, 'people corona': 647544, 'japanese are not': 464783, 'not yet in': 572599, 'yet in danger': 1016103, 'danger of coronavirus': 225678, 'of coronavirus some': 581962, 'coronavirus some people': 206786, 'some people go': 783514, 'shopping with supermarket': 764443, 'with supermarket with': 1001068, 'supermarket with their': 823942, 'their family there': 873271, 'family there are': 298302, 'are people waiting': 89056, 'people waiting in': 650114, 'to buy lunch': 902264, 'buy lunch this': 148929, 'lunch this is': 506747, 'the same behavior': 866200, 'same behavior not': 732980, 'behavior not only': 124127, 'not only among': 570776, 'only among young': 610080, 'among young people': 53115, 'young people but': 1022639, 'people but also': 647317, 'but also elderly': 145109, 'also elderly people': 48149, 'elderly people corona': 270818, 'dude fork': 261585, 'fork out': 329476, 'paid grocery': 634025, 'worker where': 1008183, 'long hr': 501447, 'hr staying': 409663, 'local homeless': 498083, 'shelter soup': 757949, 'soup kitchen': 786390, 'kitchen so': 475753, 'vulnerable have': 960993, 'safe give': 729710, 'much co': 544795, 'dude fork out': 261586, 'fork out some': 329478, 'out some cash': 627218, 'some cash to': 782498, 'cash to low': 166359, 'to low paid': 909489, 'low paid grocery': 505478, 'paid grocery store': 634026, 'store worker where': 811623, 'worker where you': 1008184, 'you are they': 1017262, 'are they work': 91032, 'they work long': 883923, 'work long hr': 1005443, 'long hr staying': 501448, 'hr staying open': 409664, 'staying open or': 798677, 'open or give': 612425, 'or give to': 615461, 'give to the': 350796, 'the local homeless': 859555, 'local homeless shelter': 498085, 'homeless shelter soup': 402788, 'shelter soup kitchen': 757950, 'soup kitchen so': 786393, 'kitchen so the': 475754, 'so the most': 778429, 'most vulnerable have': 542880, 'vulnerable have chance': 960994, 'be safe give': 116960, 'safe give back': 729711, 'give back you': 350403, 'back you have': 107491, 'you have so': 1019113, 'so much co': 777767, 'northland': 567801, 'northland supermarket': 567802, 'northland supermarket worker': 567803, 'supermarket worker ha': 824030, 'worker ha tested': 1007077, 'everett': 285616, 'in everett': 422669, 'everett and': 285617, 'customer nor': 222622, 'nor my': 566966, 'employer are': 274486, 'seriously another': 751531, 'another retail': 77802, 'in neighboring': 425796, 'neighboring store': 557176, 'store died': 807311, 'died few': 241541, 'ago from': 38387, 'about time work': 26701, 'work in non': 1005330, 'essential retail in': 281468, 'retail in everett': 718202, 'in everett and': 422670, 'everett and neither': 285618, 'and neither the': 67517, 'neither the customer': 557354, 'the customer nor': 852727, 'customer nor my': 222623, 'nor my employer': 566967, 'my employer are': 548093, 'employer are taking': 274488, 'this seriously another': 890035, 'seriously another retail': 751532, 'another retail worker': 77803, 'worker in neighboring': 1007188, 'in neighboring store': 425797, 'neighboring store died': 557177, 'store died few': 807312, 'died few day': 241542, 'day ago from': 227198, 'ago from covid': 38388, 'pharmacist home': 654145, 'home healthcare': 401357, 'provider teacher': 686791, 'worker pharmacist home': 1007566, 'pharmacist home healthcare': 654146, 'home healthcare provider': 401358, 'healthcare provider teacher': 387257, 'provider teacher and': 686792, 'teacher and food': 835426, 'food delivery people': 314139, 'ease pandemic': 265092, 'pandemic related': 636318, 'related economic': 708428, 'economic pressure': 267211, 'of virginia': 592812, 'virginia distillery': 957660, 'distillery we': 247827, 'have extended': 380534, 'extended temporary': 293192, 'temporary in': 837644, 'state direct': 795522, 'consumer shipping': 198969, 'shipping privilege': 758897, 'privilege for': 679023, '45 distillery': 19091, 'distillery that': 247816, 'have existing': 380513, 'existing distillery': 290313, 'distillery store': 247812, 'store agreement': 806101, 'with abc': 997077, 'to ease pandemic': 904852, 'ease pandemic related': 265093, 'pandemic related economic': 636319, 'related economic pressure': 708429, 'economic pressure on': 267212, 'pressure on many': 671214, 'on many of': 601997, 'many of virginia': 514399, 'of virginia distillery': 592813, 'virginia distillery we': 957662, 'distillery we have': 247828, 'we have extended': 971812, 'have extended temporary': 380537, 'extended temporary in': 293193, 'temporary in state': 837645, 'in state direct': 428239, 'state direct to': 795523, 'to consumer shipping': 903335, 'consumer shipping privilege': 198970, 'shipping privilege for': 758898, 'privilege for the': 679025, 'the more than': 860896, 'than 45 distillery': 840252, '45 distillery that': 19092, 'distillery that have': 247817, 'that have existing': 844208, 'have existing distillery': 380514, 'existing distillery store': 290314, 'distillery store agreement': 247813, 'store agreement with': 806102, 'agreement with abc': 38809, 'ihss': 415962, 'provider if': 686736, 'consumer feel': 197465, 'sick you': 768691, 'medical advice': 526033, 'and attention': 58507, 'attention please': 102470, 'consumer ihss': 197798, 'ihss social': 415964, 'work ihss': 1005285, 'ihss sanfrancisco': 415963, 'provider if you': 686737, 'feel sick or': 302846, 'sick or your': 768560, 'or your consumer': 617878, 'your consumer feel': 1023318, 'consumer feel sick': 197466, 'feel sick you': 302848, 'sick you should': 768692, 'should seek medical': 766444, 'seek medical advice': 746589, 'medical advice and': 526034, 'advice and attention': 33302, 'and attention please': 58508, 'attention please call': 102471, 'please call your': 659756, 'call your consumer': 156260, 'your consumer ihss': 1023320, 'consumer ihss social': 197799, 'ihss social worker': 415965, 'social worker if': 780021, 'to work ihss': 918736, 'work ihss sanfrancisco': 1005286, 'china serf': 176939, 'serf barometer': 751186, 'crisis bloomberg': 217133, 'bloomberg report': 133266, 'that almost': 842596, 'enough liquidity': 277509, 'last another': 480109, 'china serf barometer': 176940, 'serf barometer of': 751188, 'barometer of the': 111151, 'global economy in': 351900, 'the crisis bloomberg': 852351, 'crisis bloomberg report': 217134, 'bloomberg report that': 133267, 'report that almost': 712312, 'that almost half': 842597, 'half of consumer': 374223, 'consumer company listed': 196835, 'company listed in': 190854, 'listed in china': 494624, 'in china will': 421449, 'china will not': 177074, 'have enough liquidity': 380456, 'enough liquidity to': 277511, 'liquidity to last': 494160, 'to last another': 909060, 'last another month': 480110, 'new mexico': 559106, 'mexico food': 530002, 'bank report': 110129, 'report they': 712372, 'stocked due': 803304, 'and competing': 60218, 'competing order': 191637, 'to distributor': 904452, 'distributor from': 248285, 'other large': 620466, 'large buyer': 479611, 'buyer consider': 149612, 'consider making': 195029, 'donation 19': 254529, 'new mexico food': 559108, 'mexico food bank': 530003, 'food bank report': 313625, 'bank report they': 110130, 'report they are': 712373, 'are having trouble': 87044, 'having trouble keeping': 384389, 'trouble keeping their': 932627, 'keeping their shelf': 472597, 'their shelf stocked': 874685, 'shelf stocked due': 757578, 'stocked due to': 803305, 'demand for assistance': 235380, 'for assistance and': 319506, 'assistance and competing': 96664, 'and competing order': 60219, 'competing order to': 191638, 'order to distributor': 618676, 'to distributor from': 904453, 'distributor from other': 248286, 'from other large': 336730, 'other large buyer': 620467, 'large buyer consider': 479612, 'buyer consider making': 149613, 'consider making donation': 195030, 'making donation 19': 511030, 'frigging': 334035, 'aubergine': 102809, 'monium in': 537396, 'in morrison': 425456, 'not frigging': 569533, 'frigging aubergine': 334036, 'aubergine in': 102812, 'you nutter': 1020165, 'nutter don': 577781, 'understand some': 940717, 'apricot harissa': 83385, 'fucking monium in': 339951, 'monium in morrison': 537397, 'in morrison hastings': 425457, 'and worse still': 75917, 'worse still not': 1011002, 'still not frigging': 800894, 'not frigging aubergine': 569534, 'frigging aubergine in': 334037, 'aubergine in any': 102813, 'stockpiling you nutter': 804130, 'you nutter don': 1020166, 'nutter don you': 577782, 'you understand some': 1021965, 'understand some of': 940718, 'have apricot harissa': 379348, 'apricot harissa roasted': 83386, 'vegetable to prepare': 954113, 'prepare for dinner': 670073, 'supermarket understand': 823604, 'now however': 574957, 'work risking': 1005679, 'risking my': 724081, 'own exposure': 631976, 'exposure how': 292980, 'help myself': 390131, 'kid others': 474068, 'in supermarket understand': 428701, 'supermarket understand why': 823605, 'understand why social': 940820, 'isolation is very': 455320, 'right now however': 722081, 'now however still': 574958, 'however still going': 409459, 'to work risking': 918776, 'work risking my': 1005680, 'risking my own': 724083, 'my own exposure': 549639, 'own exposure how': 631977, 'exposure how the': 292981, 'the hell do': 857241, 'hell do help': 389000, 'do help myself': 249389, 'help myself and': 390132, 'and my kid': 67374, 'my kid others': 548954, 'kid others confused': 474069, 'see trump': 745984, 'his idiot': 397529, 'idiot administration': 413443, 'administration in': 32480, 'house saying': 406548, 'saying malaria': 739640, 'drug will': 261159, 'make his': 509982, 'family rich': 298188, 'republican think': 713073, 'is money': 449685, 'money trump': 537139, 'trump included': 933626, 'see trump and': 745985, 'trump and his': 933409, 'and his idiot': 64601, 'his idiot administration': 397530, 'idiot administration in': 413444, 'administration in the': 32481, 'in the white': 429677, 'white house saying': 987860, 'house saying malaria': 406549, 'saying malaria drug': 739641, 'malaria drug will': 511560, 'drug will cure': 261160, '19 where did': 12030, 'did he get': 240635, 'he get that': 384985, 'get that from': 348208, 'from the share': 337873, 'up and make': 944345, 'and make his': 66556, 'make his family': 509983, 'his family rich': 397419, 'family rich in': 298189, 'rich in death': 721228, 'in death all': 422044, 'death all the': 229958, 'all the republican': 44886, 'the republican think': 865550, 'republican think of': 713074, 'think of is': 885448, 'of is money': 585323, 'is money trump': 449686, 'money trump included': 537140, 'sorry your': 786104, 'that wrong': 847697, 'wrong can': 1013013, 'just clarify': 468481, 'clarify have': 180074, 'increased significantly': 433469, 'popular line': 664567, 'sorry your staff': 786105, 'your staff is': 1025912, 'staff is being': 792576, 'is being abused': 446063, 'being abused and': 124809, 'abused and that': 27686, 'and that wrong': 73224, 'that wrong can': 847699, 'wrong can just': 1013014, 'can just clarify': 158794, 'just clarify have': 468482, 'clarify have price': 180075, 'have price increased': 382039, 'price increased significantly': 674804, 'increased significantly on': 433470, 'significantly on popular': 769597, 'on popular line': 602846, 'popular line since': 664568, 'line since the': 493402, 'spent lot': 789142, 'and setting': 71334, 'up whole': 946606, 'whole career': 990157, 'career in': 164345, 'in influenza': 424098, 'influenza preparedness': 437373, 'preparedness but': 670281, 'want mask': 965850, 'your scarf': 1025687, 'scarf it': 741075, 'too warm': 925149, 'warm for': 966875, 'for scarf': 325380, 'scarf now': 741079, 'now tom': 576204, 'jefferson 19': 465030, '19 tom': 11507, 'wisdom the': 996659, 'we have spent': 971947, 'have spent lot': 382687, 'spent lot of': 789143, 'money on drug': 536929, 'on drug vaccine': 600431, 'drug vaccine and': 261145, 'vaccine and setting': 951656, 'and setting up': 71335, 'setting up whole': 753661, 'up whole career': 946607, 'whole career in': 990158, 'career in influenza': 164347, 'in influenza preparedness': 424099, 'influenza preparedness but': 437374, 'preparedness but if': 670282, 'you want mask': 1022145, 'want mask you': 965851, 'use your scarf': 949845, 'your scarf it': 1025688, 'scarf it too': 741076, 'it too warm': 461797, 'too warm for': 925150, 'warm for scarf': 966876, 'for scarf now': 325381, 'scarf now tom': 741080, 'now tom jefferson': 576205, 'tom jefferson 19': 923921, 'jefferson 19 tom': 465031, '19 tom jefferson': 11508, 'supermarket wisdom the': 823905, 'wisdom the bmj': 996660, 'fearmongering': 301505, 'sound on': 786311, 'so accurate': 776459, 'accurate zombie': 28916, 'apocalypse panic': 81558, 'supermarket fearmongering': 820287, 'fearmongering funny': 301508, 'funny nz': 341774, 'sound on so': 786312, 'on so accurate': 603520, 'so accurate zombie': 776460, 'accurate zombie apocalypse': 28917, 'zombie apocalypse panic': 1027696, 'apocalypse panic toiletpaper': 81559, 'panic toiletpaper supermarket': 638727, 'toiletpaper supermarket fearmongering': 922562, 'supermarket fearmongering funny': 820288, 'fearmongering funny nz': 301509, 'endeavor': 276115, 'latest endeavor': 481316, 'endeavor from': 276116, 'is crew': 446922, 'crew care': 216686, 'complete line': 192106, 'of crew': 582140, 'crew health': 216694, 'safety related': 730717, 'be launched': 115662, 'launched pandemic': 482024, 'the latest endeavor': 859098, 'latest endeavor from': 481317, 'endeavor from is': 276117, 'from is crew': 336094, 'is crew care': 446923, 'crew care hand': 216687, 'care hand sanitizer': 163981, 'sanitizer it the': 735231, 'the first in': 855316, 'first in complete': 308722, 'in complete line': 421635, 'complete line of': 192107, 'line of crew': 493297, 'of crew health': 582141, 'crew health and': 216695, 'and safety related': 70756, 'safety related product': 730718, 'related product to': 708522, 'product to be': 681741, 'to be launched': 901357, 'be launched pandemic': 115663, 'retail ha': 718169, 'sharply with': 755774, 'showing little': 767478, 'no purchasing': 565252, 'purchasing activity': 689824, 'activity leading': 30467, 'order cancellation': 618113, 'cancellation store': 161073, 'potential labor': 667093, 'labor unemployment': 478456, 'say demand in': 738561, 'demand in fashion': 235667, 'fashion retail ha': 299839, 'retail ha fallen': 718170, 'ha fallen sharply': 370597, 'fallen sharply with': 297179, 'sharply with consumer': 755775, 'consumer showing little': 198987, 'showing little or': 767479, 'or no purchasing': 616266, 'no purchasing activity': 565253, 'purchasing activity leading': 689825, 'activity leading to': 30468, 'impact on commodity': 417832, 'on commodity price': 599985, 'commodity price order': 189281, 'price order cancellation': 675799, 'order cancellation store': 618114, 'cancellation store closure': 161074, 'and potential labor': 69258, 'potential labor unemployment': 667096, 'grabi': 361598, 'nga': 561809, 'gakaon': 342895, 'lami': 479195, 'me grabi': 522833, 'grabi nga': 361599, 'nga exercise': 561810, 'exercise also': 290021, 'me gakaon': 522798, 'gakaon ug': 342896, 'ug lami': 937958, 'lami na': 479196, 'made stock': 507967, 'me grabi nga': 522834, 'grabi nga exercise': 361600, 'nga exercise also': 561811, 'exercise also me': 290022, 'also me gakaon': 48524, 'me gakaon ug': 522799, 'gakaon ug lami': 342897, 'ug lami na': 937959, 'lami na food': 479197, 'na food covid': 551289, '19 made stock': 8500, 'made stock food': 507968, 'stock food what': 802155, 'food what do': 317561, 'you want me': 1022146, 'india great job': 434433, 'matooke': 520503, 'his last': 397566, 'last address': 480105, 'address said': 32023, 'would cancel': 1011705, 'cancel license': 160859, 'trader taking': 928772, 'to overcharge': 911296, 'overcharge ugandan': 631091, 'arrested price': 93872, 'like sugar': 491256, 'sugar matooke': 817461, 'matooke rice': 520504, 'rice bean': 721016, 'bean salt': 118357, 'salt continue': 732805, 'amid public': 52603, 'public outcry': 688209, 'in his last': 423731, 'his last address': 397567, 'last address said': 480106, 'address said he': 32024, 'said he would': 731115, 'he would cancel': 385695, 'would cancel license': 1011706, 'cancel license of': 160860, 'of trader taking': 592403, 'trader taking advantage': 928773, 'of to overcharge': 592219, 'to overcharge ugandan': 911297, 'overcharge ugandan trader': 631092, 'ugandan trader were': 938017, 'trader were arrested': 928794, 'were arrested price': 979343, 'arrested price of': 93873, 'essential like sugar': 281287, 'like sugar matooke': 491257, 'sugar matooke rice': 817462, 'matooke rice bean': 520505, 'rice bean salt': 721020, 'bean salt continue': 118358, 'salt continue to': 732806, 'to rise amid': 913552, 'rise amid public': 722774, 'amid public outcry': 52604, 'jimmy': 465511, 'quiroga': 694779, 'of jimmy': 585522, 'jimmy quiroga': 465512, 'quiroga design': 694780, 'design mother': 238250, 'sale we': 732633, 'donate 25': 254146, '25 to': 15977, 'to united': 917947, 'effort all': 269463, 'all description': 42554, 'description ana': 237980, 'ana price': 56980, 'in jimmy': 424393, 'design facebook': 238230, 'ship anywhere': 758649, 'part of jimmy': 642354, 'of jimmy quiroga': 585523, 'jimmy quiroga design': 465513, 'quiroga design mother': 694782, 'design mother day': 238251, 'mother day sale': 543087, 'day sale we': 228298, 'sale we will': 732634, 'we will donate': 973855, 'will donate 25': 993239, 'donate 25 to': 254147, '25 to united': 15979, 'to united way': 917948, 'united way covid': 942263, 'relief effort all': 709318, 'effort all description': 269464, 'all description ana': 42555, 'description ana price': 237981, 'ana price are': 56981, 'are in jimmy': 87404, 'in jimmy quiroga': 424394, 'quiroga design facebook': 694781, 'design facebook page': 238231, 'facebook page we': 294986, 'page we will': 633910, 'will ship anywhere': 994839, 'during all': 262433, 'we close': 971135, 'store really': 809756, 'need answer': 554449, 'retail worker during': 718881, 'worker during all': 1006815, 'during all of': 262434, 'of this can': 591948, 'this can we': 886688, 'can we close': 160165, 'we close at': 971136, 'close at how': 182557, 'people can let': 647397, 'can let in': 158867, 'let in and': 486815, 'the store really': 868090, 'store really need': 809758, 'really need answer': 702428, 'will any': 992289, 'these moron': 880315, 'moron in': 541598, 'the pressbriefing': 864289, 'pressbriefing will': 671092, 'moron ask': 541580, 'governor have': 360909, 'compete against': 191581, 'for equipment': 321082, 'will any of': 992291, 'of these moron': 591841, 'these moron in': 880317, 'moron in the': 541600, 'in the pressbriefing': 429467, 'the pressbriefing will': 864290, 'pressbriefing will any': 671093, 'these moron ask': 880316, 'moron ask about': 541581, 'ask about why': 95478, 'about why governor': 26932, 'why governor have': 991022, 'governor have to': 360910, 'have to compete': 383181, 'to compete against': 903118, 'compete against each': 191582, 'other for equipment': 620254, 'for equipment and': 321083, 'equipment and supplier': 279687, 'supplier are jacking': 824497, 'up price taking': 945835, 'crazy scene': 215411, 'scene never': 741342, 'day where': 228737, 'over flour': 630214, 'flour people': 311150, 'are hugging': 87263, 'hugging each': 410290, 'roll amp': 725168, 'are loud': 87911, 'loud cheer': 504488, 'cheer in': 175112, 'when paracetamol': 983843, 'brought out': 141186, 'staff 19': 792071, 'crazy scene never': 215412, 'scene never thought': 741343, 'would see the': 1012229, 'the day where': 852925, 'day where people': 228740, 'fighting over flour': 305106, 'over flour people': 630215, 'flour people are': 311151, 'people are hugging': 646997, 'are hugging each': 87264, 'hugging each other': 410291, 'other because they': 619881, 'because they ve': 119725, 'they ve managed': 883666, 'managed to buy': 512494, 'buy toilet roll': 149380, 'toilet roll amp': 921549, 'roll amp there': 725169, 'amp there are': 54679, 'there are loud': 878122, 'are loud cheer': 87912, 'loud cheer in': 504489, 'cheer in supermarket': 175113, 'supermarket when paracetamol': 823804, 'when paracetamol is': 983844, 'paracetamol is brought': 641252, 'is brought out': 446284, 'brought out by': 141187, 'out by staff': 625818, 'by staff 19': 154096, 'abled': 24578, 'got cold': 358492, 'cold so': 185791, 'normal family': 567144, 'now feeling': 574679, 'feeling sick': 303054, 'with guilt': 998708, 'guilt in': 368542, 'case le': 165851, 'le abled': 482824, 'abled and': 24579, 'and vunerable': 75069, 'vunerable people': 961307, 'got cold so': 358494, 'cold so decided': 185792, 'decided to do': 230912, 'do our normal': 249948, 'our normal family': 624086, 'normal family food': 567145, 'family food shop': 297807, 'shop online we': 760594, 'online we have': 609697, 'to wait until': 918276, 'wait until 6th': 964238, '6th april for': 21680, 'april for delivery': 83605, 'delivery and now': 233670, 'and now feeling': 67831, 'now feeling sick': 574680, 'feeling sick with': 303056, 'sick with guilt': 768679, 'with guilt in': 998710, 'guilt in case': 368543, 'in case le': 421264, 'case le abled': 165852, 'le abled and': 482825, 'abled and vunerable': 24580, 'and vunerable people': 75070, 'vunerable people cannot': 961308, 'people cannot get': 647431, 'cannot get their': 161909, 'get their shopping': 348343, 'potential catastrophic': 667028, 'catastrophic effect': 166951, 'potential catastrophic effect': 667029, 'catastrophic effect on': 166952, 'food supply because': 316937, 'stocknbecayse': 803710, 'needed arent': 556302, 'arent in': 92620, 'in stocknbecayse': 428352, 'stocknbecayse you': 803711, 'thing needed arent': 884616, 'needed arent in': 556303, 'arent in stocknbecayse': 92621, 'in stocknbecayse you': 428353, 'stocknbecayse you stupid': 803712, 'idiot have all': 413523, 'have all panic': 379165, 'commentator': 188485, 'acknowledgment': 29124, 'entirely overwhelmed': 278803, 'overwhelmed but': 631715, 'hearing commentator': 388198, 'commentator advise': 188486, 'advise to': 33605, 'online without': 609757, 'any acknowledgment': 78890, 'acknowledgment that': 29125, 'order right': 618550, 'not viable': 572394, 'viable solution': 956388, 'not surprised that': 571863, 'surprised that supermarket': 828608, 'that supermarket home': 846570, 'home delivery system': 401051, 'system are entirely': 831115, 'are entirely overwhelmed': 86234, 'entirely overwhelmed but': 278804, 'overwhelmed but keep': 631716, 'keep hearing commentator': 471574, 'hearing commentator advise': 388199, 'commentator advise to': 188487, 'advise to buy': 33607, 'grocery online without': 364792, 'online without any': 609758, 'without any acknowledgment': 1002493, 'any acknowledgment that': 78891, 'acknowledgment that nearly': 29126, 'nearly all uk': 553806, 'all uk retailer': 45310, 'uk retailer will': 938681, 'retailer will not': 719433, 'not let you': 570377, 'let you order': 487217, 'you order right': 1020236, 'order right now': 618551, 'now it not': 575125, 'it not viable': 459933, 'not viable solution': 572395, 'been perfect': 121656, 'perfect timing': 651363, 'timing those': 898522, 'red planet': 705610, 'planet if': 658411, 'order ticket': 618655, 've chance': 952989, 'having human': 384116, 'specie out': 788187, 'amp reduce': 54373, 'reduce our': 705881, 'our chance': 622356, 'being extinct': 125125, 'this would ve': 891547, 'would ve been': 1012367, 've been perfect': 952916, 'been perfect timing': 121657, 'perfect timing those': 651364, 'timing those who': 898523, 'those who want': 892694, 'want to shift': 966116, 'to shift to': 914418, 'shift to the': 758448, 'to the red': 917011, 'the red planet': 865385, 'red planet if': 705611, 'planet if thing': 658412, 'thing were in': 884974, 'were in order': 979776, 'in order ticket': 426219, 'order ticket price': 618656, 'ticket price would': 895662, 'price would ve': 677669, 've been higher': 952892, 'been higher due': 121284, 'to demand but': 904136, 'demand but at': 235076, 'least we would': 484690, 'would ve chance': 1012368, 've chance of': 952990, 'chance of having': 171756, 'of having human': 584484, 'having human specie': 384117, 'human specie out': 410623, 'specie out there': 788188, 'who are covid': 988126, '19 free amp': 7108, 'free amp reduce': 331637, 'amp reduce our': 54374, 'reduce our chance': 705882, 'our chance of': 622357, 'chance of being': 171748, 'of being extinct': 580641, 'most kenyan': 542469, 'kenyan will': 472994, 'rather from': 697461, 'from shortage': 337281, 'quarantine measure': 692368, 'trust me most': 934292, 'me most kenyan': 523175, 'most kenyan will': 542470, 'kenyan will not': 472996, 'corona but rather': 203838, 'but rather from': 146885, 'rather from shortage': 697462, 'from shortage of': 337282, 'of quarantine measure': 588662, 'oilfieldservices': 597580, 'oilgas': 597583, 'dean price': 229734, 'price discus': 673456, 'and sluggish': 71763, 'sluggish exploration': 774660, 'production activity': 681902, 'will test': 995111, 'test survival': 839182, 'survival not': 829064, 'not profitability': 571111, 'profitability for': 682910, 'oil service': 597424, 'service company': 752249, 'company oilfieldservices': 190928, 'oilfieldservices oilgas': 597581, 'dean price discus': 229735, 'price discus why': 673457, 'why the combination': 991409, 'combination of falling': 187101, 'price and sluggish': 672541, 'and sluggish exploration': 71764, 'sluggish exploration and': 774661, 'and production activity': 69578, 'production activity will': 681903, 'activity will test': 30540, 'will test survival': 995112, 'test survival not': 839183, 'survival not profitability': 829065, 'not profitability for': 571112, 'profitability for oil': 682911, 'for oil service': 324043, 'oil service company': 597425, 'service company oilfieldservices': 752250, 'company oilfieldservices oilgas': 190929, 'epicenter': 279309, 'newsupdate on': 561138, 'the epicenter': 854420, 'epicenter ha': 279310, 'now shifted': 575798, 'follow but': 312365, 'recommend only': 704701, 'only visiting': 611420, 'visiting if': 959528, 'something corona': 784874, 'newsupdate on the': 561139, 'on the epicenter': 604097, 'the epicenter ha': 854421, 'epicenter ha now': 279311, 'ha now shifted': 371406, 'now shifted to': 575799, 'shifted to your': 758508, 'store more update': 808990, 'more update will': 540861, 'update will follow': 947322, 'will follow but': 993461, 'follow but for': 312366, 'now we recommend': 576353, 'we recommend only': 973046, 'recommend only visiting': 704702, 'only visiting if': 611421, 'visiting if you': 959529, 'actually need something': 30903, 'need something corona': 555608, 'something corona virus': 784875, 'corona virus news': 204332, 'mcphotography': 522241, 'these sensitive': 880657, 'sensitive time': 750705, 'time dm': 896566, 'and availability': 58540, 'availability socialdistancing': 104183, 'socialdistancing mcphotography': 780524, 'ask about our': 95474, 'about our new': 25896, 'our new policy': 624040, 'new policy during': 559299, 'policy during these': 663390, 'during these sensitive': 263240, 'these sensitive time': 880658, 'sensitive time dm': 750706, 'time dm for': 896567, 'price and availability': 672365, 'and availability socialdistancing': 58543, 'availability socialdistancing mcphotography': 104184, 'csbs': 220032, 'csbs is': 220033, 'consumer regulator': 198672, 'regulator and': 708137, 'bank alike': 109585, 'alike we': 41787, 'collecting valuable': 186393, 'spread consumer': 790480, 'advisory state': 33780, 'emergency regulatory': 272911, 'more see': 540336, 'see county': 745011, 'county level': 211431, 'level map': 487616, 'spread along': 790398, 'csbs is here': 220034, 'is here for': 448422, 'here for consumer': 393001, 'for consumer regulator': 320285, 'consumer regulator and': 198673, 'regulator and bank': 708138, 'and bank alike': 58679, 'bank alike we': 109586, 'alike we are': 41788, 'we are collecting': 970505, 'are collecting valuable': 85423, 'collecting valuable information': 186394, 'valuable information on': 952029, 'information on the': 437926, 'on the virus': 604434, 'virus spread consumer': 958785, 'spread consumer advisory': 790481, 'consumer advisory state': 196055, 'advisory state of': 33781, 'of emergency regulatory': 583052, 'emergency regulatory guidance': 272912, 'regulatory guidance and': 708174, 'guidance and more': 368204, 'and more see': 67213, 'more see county': 540337, 'see county level': 745012, 'county level map': 211434, 'level map of': 487617, 'map of spread': 514937, 'of spread along': 590000, 'spread along with': 790399, 'with the above': 1001191, 'quick tip': 694406, 'marketer online': 517481, 'online advertising': 607779, 'advertising is': 33236, 'quite cheap': 694833, 'cheap these': 174211, 'offline brand': 596037, 'brand shutting': 138012, 'online ad': 607774, 'ad both': 31067, 'online offline': 608607, 'offline price': 596047, 'down significantly': 257182, 'significantly go': 769575, 'make move': 510205, 'move everyday': 543642, 'everyday an': 286530, 'opportunity go': 613634, 'go grab': 353623, 'grab it': 361495, 'quick tip for': 694407, 'tip for marketer': 898773, 'for marketer online': 323260, 'marketer online advertising': 517482, 'online advertising is': 607780, 'advertising is quite': 33238, 'is quite cheap': 451191, 'quite cheap these': 694834, 'cheap these day': 174212, 'due to offline': 261879, 'to offline brand': 910866, 'offline brand shutting': 596038, 'brand shutting down': 138013, 'their online ad': 874098, 'online ad both': 607775, 'ad both online': 31068, 'both online offline': 135993, 'online offline price': 608608, 'offline price have': 596048, 'gone down significantly': 356264, 'down significantly go': 257184, 'significantly go and': 769576, 'and make move': 66563, 'make move everyday': 510206, 'move everyday an': 543643, 'everyday an opportunity': 286531, 'an opportunity go': 56671, 'opportunity go grab': 613635, 'go grab it': 353624, 'france they': 331040, 'taking sh': 833560, 'buying ha gone': 150437, 'gone to new': 356393, 'to new level': 910561, 'new level in': 559023, 'the usa they': 870554, 'usa they are': 948760, 'they are buying': 881220, 'are buying gun': 85121, 'protect themselves in': 685019, 'themselves in france': 876832, 'in france they': 423089, 'france they are': 331041, 'are buying pasta': 85127, 'buying pasta to': 150889, 'pasta to ensure': 643828, 'ensure they have': 278106, 'roll to ensure': 725554, 'ensure we can': 278122, 'can keep taking': 158816, 'keep taking sh': 472008, 'novokuznetsk': 573876, 'badass': 108098, 'novokuznetsk couple': 573877, 'couple named': 211630, 'named their': 551725, 'baby covid': 106591, 'covid the': 214232, 'the father': 854982, 'father like': 300297, 'name because': 551614, 'is original': 450606, 'original and': 619551, 'strong sounding': 814115, 'sounding covid': 786356, 'ha conquered': 370229, 'conquered half': 194764, 'world closed': 1009430, 'border made': 135262, 'made currency': 507704, 'jump up': 467903, 'down wish': 257486, 'wish my': 996794, 'son to': 785448, 'of badass': 580512, 'novokuznetsk couple named': 573878, 'couple named their': 211631, 'named their baby': 551726, 'their baby covid': 872540, 'baby covid the': 106592, 'covid the father': 214233, 'the father like': 854983, 'father like the': 300298, 'the name because': 861192, 'name because it': 551615, 'it is original': 459031, 'is original and': 450607, 'original and strong': 619552, 'and strong sounding': 72592, 'strong sounding covid': 814116, 'sounding covid 19': 786357, '19 ha conquered': 7335, 'ha conquered half': 370230, 'conquered half of': 194765, 'the world closed': 871840, 'world closed the': 1009431, 'closed the border': 183364, 'the border made': 849872, 'border made currency': 135263, 'made currency rate': 507705, 'currency rate and': 221057, 'rate and oil': 697153, 'price jump up': 674959, 'jump up and': 467904, 'and down wish': 61701, 'down wish my': 257487, 'wish my son': 996795, 'my son to': 550169, 'son to be': 785449, 'to be much': 901395, 'be much of': 116026, 'much of badass': 545185, 'spiking': 789351, 'themed is': 876720, 'is spiking': 452160, 'spiking with': 789363, 'with contributing': 997779, 'contributing factor': 201910, 'include rise': 431622, 'education news': 268845, 'news search': 560774, 'shopping provides': 763693, 'maintain in': 508983, 'our increasing': 623512, 'increasing remote': 433687, 'remote reality': 710725, 'themed is spiking': 876721, 'is spiking with': 452161, 'spiking with contributing': 789364, 'with contributing factor': 997780, 'contributing factor that': 201911, 'factor that include': 295904, 'that include rise': 844468, 'include rise in': 431623, 'in online education': 426165, 'online education news': 608161, 'education news search': 268846, 'news search and': 560775, 'search and shopping': 743223, 'and shopping provides': 71551, 'shopping provides tip': 763694, 'provides tip on': 686904, 'how to maintain': 409041, 'to maintain in': 909578, 'maintain in our': 508984, 'in our increasing': 426305, 'our increasing remote': 623513, 'increasing remote reality': 433688, 'employer in': 274516, 'the motor': 861074, 'motor trade': 543338, 'is actively': 445322, 'actively encouraging': 30311, 'encouraging the': 275740, 'front counter': 338521, 'counter going': 210217, 'going against': 355001, 'against government': 37473, 'them car': 875521, 'part with': 642498, 'with discount': 998070, 'done face': 254831, 'face usual': 294839, 'usual cor': 950905, 'my employer in': 548095, 'employer in the': 274517, 'in the motor': 429376, 'the motor trade': 861075, 'motor trade is': 543339, 'trade is actively': 928518, 'is actively encouraging': 445323, 'actively encouraging the': 30312, 'encouraging the general': 275741, 'public into our': 688117, 'into our front': 442818, 'our front counter': 623194, 'front counter going': 338522, 'counter going against': 210218, 'going against government': 355002, 'against government guideline': 37474, 'government guideline to': 360136, 'guideline to sell': 368487, 'sell them car': 748907, 'them car part': 875522, 'car part with': 163244, 'part with discount': 642499, 'with discount and': 998071, 'discount and offer': 244443, 'and offer price': 67972, 'offer price all': 594754, 'price all of': 672272, 'is done face': 447319, 'done face to': 254832, 'to face usual': 905579, 'face usual cor': 294840, 'about stocking': 26264, 'food outline': 315720, 'outline how': 629088, 'chain work': 171258, 'why expert': 990990, 'say an': 738417, 'empty bread': 274812, 'isn reason': 454642, 'doe the outbreak': 251616, 'worried about stocking': 1010520, 'about stocking up': 26265, 'on food outline': 600894, 'food outline how': 315721, 'outline how the': 629089, 'supply chain work': 825069, 'chain work and': 171259, 'work and why': 1004825, 'and why expert': 75624, 'why expert say': 990991, 'expert say an': 291943, 'say an empty': 738418, 'an empty bread': 55721, 'empty bread aisle': 274813, 'bread aisle isn': 138384, 'aisle isn reason': 40290, 'isn reason to': 454643, 'reason to panic': 703036, 'beauty to': 118812, 'delay entry': 232694, 'entry into': 279002, 'into canada': 442445, 'disruption eic': 246466, 'ulta beauty to': 939090, 'beauty to delay': 118813, 'to delay entry': 904082, 'delay entry into': 232695, 'entry into canada': 279003, 'into canada amid': 442446, '19 disruption eic': 6574, 'europe fresh': 283444, 'being threatened': 125950, 'threatened by': 893777, 'coronavirus europe': 205890, 'europe fresh food': 283445, 'supply is being': 825434, 'is being threatened': 446120, 'being threatened by': 125951, 'threatened by coronavirus': 893778, 'by coronavirus europe': 152230, 'and lawsuit': 65991, 'store closure could': 807089, 'to and lawsuit': 900512, 'wireline': 996581, 'part during': 642265, 'internet wireline': 442056, 'wireline amp': 996582, 'amp fixed': 53807, 'fixed wireless': 309837, 'wireless customer': 996572, 'use unlimited': 949779, 'internet data': 441930, 'offering internet': 595167, 'for qualifying': 324888, 'qualifying limited': 691742, 'limited income': 492658, 'household at': 406737, '10 month': 1547, 'month through': 538072, 'we re proud': 972940, 'proud to do': 686056, 'our part during': 624259, 'part during this': 642268, 'this time all': 890617, 'time all consumer': 896223, 'all consumer home': 42432, 'consumer home internet': 197764, 'home internet wireline': 401443, 'internet wireline amp': 442057, 'wireline amp fixed': 996583, 'amp fixed wireless': 53808, 'fixed wireless customer': 309838, 'wireless customer can': 996573, 'customer can use': 222230, 'can use unlimited': 160109, 'use unlimited internet': 949780, 'unlimited internet data': 942782, 'internet data we': 441931, 'data we re': 226488, 're offering internet': 699161, 'offering internet access': 595168, 'access for qualifying': 28131, 'for qualifying limited': 324889, 'qualifying limited income': 691743, 'limited income household': 492659, 'income household at': 432367, 'household at 10': 406738, 'at 10 month': 97407, '10 month through': 1549, 'numerous expert': 577134, 'radio said': 695454, 'said ordinary': 731300, 'ordinary people': 619091, 'strange thing': 812426, 'that whenever': 847501, 'whenever go': 984656, 'missing day16oflockdown': 534289, 'numerous expert on': 577135, 'expert on the': 291901, 'the radio said': 865099, 'radio said ordinary': 695455, 'said ordinary people': 731301, 'ordinary people do': 619093, 'not need mask': 570664, 'need mask to': 555212, 'themselves from contracting': 876807, 'but the strange': 147412, 'the strange thing': 868193, 'strange thing is': 812428, 'is that whenever': 452708, 'that whenever go': 847502, 'whenever go to': 984657, 'the supermarket almost': 868454, 'supermarket almost everyone': 818885, 'almost everyone is': 46628, 'wearing mask what': 974726, 'mask what am': 519531, 'am missing day16oflockdown': 50220, 'need great': 554924, 'great handsanitizer': 362709, 'handsanitizer look': 376572, 'further this': 342189, 'great doesn': 362640, 'doesn dry': 251757, 'store sanitizers': 809991, 'sanitizers info': 736322, 'bio dfs': 131134, 'dfs sport': 240064, 'need great handsanitizer': 554925, 'great handsanitizer look': 362710, 'handsanitizer look no': 376573, 'no further this': 564332, 'further this product': 342190, 'this product is': 889730, 'product is great': 681324, 'is great doesn': 448194, 'great doesn dry': 362641, 'doesn dry your': 251759, 'dry your hand': 261326, 'your hand out': 1024210, 'hand out like': 375162, 'out like the': 626503, 'grocery store sanitizers': 365745, 'store sanitizers info': 809992, 'sanitizers info in': 736323, 'info in bio': 437499, 'in bio dfs': 420846, 'bio dfs sport': 131135, 'welcome now': 977889, 'stoppanicbuying stayathome': 805613, 'and staysafe': 72325, 'staysafe amid': 798780, 're welcome now': 699799, 'welcome now stophoarding': 977890, 'now stophoarding stoppanicbuying': 575917, 'stophoarding stoppanicbuying stayathome': 805485, 'stoppanicbuying stayathome and': 805614, 'stayathome and staysafe': 797434, 'and staysafe amid': 72326, 'staysafe amid the': 798781, 'grocery don': 364468, 'use up': 949781, 'slot you': 774303, 'need vulnerable': 556168, 'can risk': 159491, 'them one': 876100, 'is ideal': 448652, 'ideal take': 413275, 'need don': 554695, 'don handle': 253580, 'handle item': 376219, 'item unnecessarily': 463779, 'unnecessarily keep': 942862, 'to min': 910138, 'getting your grocery': 349466, 'your grocery don': 1024123, 'grocery don use': 364469, 'don use up': 254019, 'use up an': 949782, 'online slot you': 609382, 'slot you don': 774304, 'don need vulnerable': 253776, 'need vulnerable people': 556169, 'who can risk': 988405, 'can risk going': 159492, 'risk going out': 723579, 'going out need': 355381, 'out need them': 626617, 'need them one': 555782, 'them one person': 876102, 'one person shopping': 606866, 'person shopping is': 652602, 'shopping is ideal': 763051, 'is ideal take': 448653, 'ideal take only': 413276, 'take only what': 832425, 'you need don': 1019983, 'need don handle': 554697, 'don handle item': 253581, 'handle item unnecessarily': 376221, 'item unnecessarily keep': 463781, 'unnecessarily keep trip': 942863, 'trip to min': 932196, 'alluarjun': 46414, 'shocking star': 759622, 'star hero': 794042, 'hero spotted': 394090, 'supermarket read': 822166, 'read alluarjun': 700267, 'shocking star hero': 759623, 'star hero spotted': 794043, 'hero spotted at': 394091, 'at supermarket read': 100762, 'supermarket read alluarjun': 822167, 'thank csr': 841548, 'csr on': 220063, 'to and thank': 900526, 'and thank csr': 73156, 'thank csr on': 841549, 'csr on the': 220064, 'line at your': 492997, 'store these folk': 810659, 'folk are putting': 312096, 'risk so we': 723887, 'can stay stocked': 159743, 'stay stocked with': 797328, 'stocked with our': 803467, 'with our supply': 1000024, 'cbid': 168350, 'the cbid': 850552, 'cbid committee': 168351, 'on climate': 599942, 'social justice': 779826, 'justice thread': 470445, 'thread in': 893562, 'despite billion': 238682, 'trump tax': 933894, 'break and': 138674, 'and subsidy': 72642, 'subsidy oil': 816013, 'gas stock': 344135, 'been plummeting': 121668, 'plummeting result': 661391, 'from the cbid': 337631, 'the cbid committee': 850553, 'cbid committee on': 168352, 'committee on climate': 189084, 'on climate change': 599943, 'climate change and': 182191, 'change and social': 171923, 'and social justice': 71889, 'social justice thread': 779828, 'justice thread in': 470446, 'thread in recent': 893563, 'recent week despite': 704014, 'week despite billion': 976151, 'despite billion in': 238683, 'billion in trump': 130856, 'in trump tax': 430307, 'trump tax break': 933895, 'tax break and': 834942, 'break and subsidy': 138678, 'and subsidy oil': 72643, 'subsidy oil and': 816014, 'and gas stock': 63489, 'gas stock price': 344137, 'have been plummeting': 379633, 'been plummeting result': 121669, 'plummeting result of': 661392, 'outbreak and an': 627984, 'and an oil': 58120, 'airline will': 40060, 'offer fewer': 594605, 'fewer choice': 304200, 'but first': 145732, 'get consumer': 346806, 'to trust': 917806, 'travel once': 930447, 'once more': 605680, 'airline will offer': 40061, 'will offer fewer': 994309, 'offer fewer choice': 594606, 'fewer choice and': 304201, 'choice and more': 177731, 'and more expensive': 67169, 'more expensive price': 539181, 'expensive price post': 291277, 'price post 19': 675962, 'post 19 but': 665967, '19 but first': 5499, 'but first they': 145733, 'first they will': 309070, 'to get consumer': 906446, 'get consumer to': 346809, 'consumer to trust': 199331, 'to trust in': 917807, 'in travel once': 430273, 'travel once more': 930448, 'untested': 943619, 'karenrebels': 470914, 'now everybody': 574626, 'everybody get': 286434, 'get thousand': 348422, 'spend with': 788698, 'this deal': 887176, 'deal that': 229495, 'good however': 357187, 'however can': 409348, 'can somebody': 159667, 'somebody go': 784261, 'me scared': 523423, 'go among': 353275, 'the untested': 870471, 'untested mass': 943622, 'toiletpaper karenrebels': 922162, 'karenrebels 21dayslockdown': 470915, 'ok now everybody': 597845, 'now everybody get': 574627, 'everybody get thousand': 286435, 'get thousand of': 348423, 'thousand of dollar': 893434, 'dollar to spend': 253098, 'to spend with': 915001, 'spend with this': 788699, 'with this deal': 1001690, 'this deal that': 887177, 'deal that good': 229496, 'that good however': 844046, 'good however can': 357188, 'however can somebody': 409349, 'can somebody go': 159668, 'somebody go shopping': 784262, 'shopping for me': 762691, 'for me scared': 323335, 'me scared to': 523424, 'to go among': 906768, 'go among the': 353276, 'among the untested': 53077, 'the untested mass': 870472, 'untested mass and': 943623, 'mass and ran': 519737, 'and ran out': 69922, 'of toiletpaper karenrebels': 592270, 'toiletpaper karenrebels 21dayslockdown': 922163, 'alm': 46444, 'zit': 1027640, 'replicated': 711699, 'mol hungary': 535631, 'hungary based': 411050, 'based lube': 111642, 'lube manufacturer': 506419, 'manufacturer ha': 513457, 'transformed one': 929592, 'facility at': 295304, 'at alm': 97925, 'alm sf': 46445, 'sf zit': 754258, 'zit into': 1027641, 'into sanitizer': 442962, 'production plant': 682182, 'against ji': 37526, 'ji can': 465440, 'be replicated': 116800, 'replicated in': 711700, 'mol hungary based': 535632, 'hungary based lube': 411051, 'based lube manufacturer': 111643, 'lube manufacturer ha': 506420, 'manufacturer ha transformed': 513458, 'ha transformed one': 372354, 'transformed one of': 929593, 'of it production': 585434, 'it production facility': 460508, 'production facility at': 682031, 'facility at alm': 295305, 'at alm sf': 97926, 'alm sf zit': 46446, 'sf zit into': 754259, 'zit into sanitizer': 1027642, 'into sanitizer production': 442963, 'sanitizer production plant': 735605, 'production plant to': 682183, 'plant to help': 658716, 'help the fight': 390651, 'fight against ji': 304629, 'against ji can': 37527, 'ji can this': 465441, 'can this be': 159991, 'this be replicated': 886502, 'be replicated in': 116801, 'replicated in india': 711701, 'resi': 714214, 'safe lmao': 729805, 'lmao resi': 497160, 'american safe lmao': 52176, 'safe lmao resi': 729806, 'subside': 815941, 'based subsidiary': 111754, 'subsidiary of': 815975, 'of mexican': 586460, 'mexican cleaning': 529979, 'seen sale': 747212, 'pandemic well': 636963, 'well change': 978098, 'expects will': 291127, 'continue after': 200990, 'case subside': 166043, 'the houston based': 857667, 'houston based subsidiary': 407190, 'based subsidiary of': 111755, 'subsidiary of mexican': 815976, 'of mexican cleaning': 586461, 'mexican cleaning product': 529980, 'cleaning product company': 181027, 'product company ha': 681073, 'company ha seen': 190716, 'ha seen sale': 371841, 'seen sale surge': 747215, 'sale surge amid': 732554, 'surge amid panic': 828124, 'amid panic over': 52585, 'coronavirus pandemic well': 206505, 'pandemic well change': 636964, 'well change in': 978099, 'consumer behavior that': 196523, 'behavior that it': 124227, 'it expects will': 457899, 'expects will continue': 291128, 'will continue after': 993008, 'continue after covid': 200991, '19 case subside': 5702, 'futurestarr': 342557, 'workforyourself': 1008401, 'tattoo artist': 834859, 'artist do': 94597, 'let covid': 486663, '19 slow': 10608, 'tattoo business': 834861, 'business buyer': 143474, 'tattoo photo': 834867, 'photo or': 655230, 'cart try': 165405, 'try something': 934573, 'something new': 784977, 'new start': 559642, 'start your': 794662, 'with futurestarr': 998594, 'futurestarr today': 342558, 'today tattoo': 920243, 'tattoo workforyourself': 834877, 'workforyourself work': 1008402, 'home tattoo': 402191, 'tattoo artist do': 834860, 'artist do not': 94598, 'not let covid': 570366, 'let covid 19': 486664, 'covid 19 slow': 213814, '19 slow down': 10609, 'slow down your': 774355, 'down your tattoo': 257534, 'your tattoo business': 1026110, 'tattoo business buyer': 834862, 'business buyer are': 143475, 'buyer are ready': 149574, 'ready to add': 700937, 'add your tattoo': 31538, 'your tattoo photo': 1026111, 'tattoo photo or': 834868, 'photo or video': 655231, 'or video to': 617671, 'video to their': 956936, 'to their shopping': 917267, 'their shopping cart': 874714, 'shopping cart try': 762320, 'cart try something': 165406, 'try something new': 934574, 'something new start': 784978, 'new start your': 559643, 'start your online': 794663, 'business with futurestarr': 144700, 'with futurestarr today': 998595, 'futurestarr today tattoo': 342559, 'today tattoo workforyourself': 920244, 'tattoo workforyourself work': 834878, 'workforyourself work from': 1008403, 'from home tattoo': 335908, 'home tattoo artist': 402192, 'guy gonna': 369008, 'start shutting': 794506, 'do drive': 249240, 'shame you': 754666, 'that already': 842598, 'already to': 47725, 'and exposing': 62547, 'exposing worker': 292946, 'you guy gonna': 1018963, 'guy gonna start': 369009, 'gonna start shutting': 356621, 'start shutting down': 794507, 'shutting down or': 768271, 'down or limit': 257060, 'limit the retail': 492518, 'store or do': 809326, 'or do drive': 615013, 'do drive through': 249241, 'through only service': 894606, 'only service it': 611107, 'service it really': 752533, 'really shame you': 702575, 'shame you guy': 754667, 'guy are not': 368903, 'doing that already': 252704, 'that already to': 842599, 'already to fight': 47726, 'fight coronavirus and': 304700, 'coronavirus and exposing': 205489, 'and exposing worker': 62548, 'so did': 776860, 'now every': 574624, 'day struggle': 228423, 'impossible no': 419384, 'or slot': 617103, 'so did not': 776861, 'not stockpile food': 571744, 'food or anything': 315647, 'or anything but': 614375, 'anything but now': 80699, 'but now every': 146602, 'now every day': 574625, 'every day struggle': 285846, 'day struggle to': 228424, 'struggle to find': 814386, 'find anything in': 306808, 'anything in supermarket': 80793, 'in supermarket online': 428642, 'supermarket online shopping': 821764, 'shopping is impossible': 763052, 'is impossible no': 448744, 'impossible no delivery': 419385, 'delivery or slot': 234288, 'or slot are': 617104, 'slot are available': 774117, 'are available for': 84709, 'do food shortage': 249310, 'pressed': 671100, 'say ha': 738712, 'not pressed': 571083, 'pressed him': 671103, 'consider asking': 194958, 'asking producer': 96048, 'their output': 874146, 'output way': 629299, 'price depressed': 673426, 'depressed by': 237577, 'trump say ha': 933822, 'say ha not': 738713, 'ha not pressed': 371370, 'not pressed him': 571084, 'pressed him to': 671104, 'him to consider': 396741, 'to consider asking': 903220, 'consider asking producer': 194959, 'asking producer to': 96049, 'producer to reduce': 680703, 'reduce their output': 705986, 'their output way': 874147, 'output way to': 629300, 'oil price depressed': 597104, 'price depressed by': 673427, 'depressed by an': 237578, 'by an economic': 151823, 'the 19 coronavirus': 847910, 'dotr': 255962, 'congestion': 194411, 'the dotr': 853606, 'dotr said': 255963, 'if left': 414375, 'left uncontrolled': 485706, 'uncontrolled the': 939887, 'port congestion': 664877, 'congestion will': 194414, 'to cargo': 902462, 'cargo delay': 164658, 'turn would': 935810, 'would impact': 1011938, 'impact commodity': 417601, 'the dotr said': 853607, 'dotr said that': 255964, 'said that if': 731403, 'that if left': 844419, 'if left uncontrolled': 414376, 'left uncontrolled the': 485707, 'uncontrolled the port': 939888, 'the port congestion': 864042, 'port congestion will': 664878, 'congestion will lead': 194415, 'lead to cargo': 483327, 'to cargo delay': 902463, 'cargo delay that': 164659, 'delay that in': 232750, 'that in turn': 844464, 'in turn would': 430340, 'turn would impact': 935811, 'would impact commodity': 1011939, 'impact commodity price': 417602, 'commodity price amid': 189258, 'not when': 572490, 've increased': 953276, 'fold hope': 312049, 'cunt get': 220364, 'get struck': 348131, 'struck down': 814258, 'go bust': 353384, 'it all good': 456350, 'and well supporting': 75411, 'well supporting local': 978632, 'local business but': 497756, 'business but not': 143470, 'but not when': 146582, 'not when they': 572491, 'when they ve': 984287, 'they ve increased': 883657, 've increased their': 953277, 'their price ten': 874427, 'ten fold hope': 837780, 'fold hope the': 312050, 'hope the cunt': 403671, 'the cunt get': 852569, 'cunt get struck': 220365, 'get struck down': 348132, 'struck down with': 814259, 'and go bust': 63768, 'sonic': 785537, 'not lift': 570389, 'lift all': 489422, 'our spirit': 624865, 'spirit during': 789463, 'the garlic': 856163, 'garlic burger': 343678, 'burger best': 142830, 'game now': 343210, '19 sonic': 10703, 'sonic food': 785538, 'hey why not': 394550, 'why not lift': 991222, 'not lift all': 570390, 'lift all our': 489424, 'all our spirit': 43830, 'our spirit during': 624866, 'spirit during this': 789464, 'during this mass': 263299, 'hysteria and bring': 412430, 'and bring back': 59202, 'back the garlic': 107308, 'the garlic burger': 856164, 'garlic burger best': 343679, 'burger best in': 142831, 'best in the': 127735, 'in the game': 429226, 'the game now': 856123, 'game now that': 343211, 'now that something': 576015, 'that something to': 846411, 'something to stock': 785109, 'up on 19': 945518, 'on 19 sonic': 599034, '19 sonic food': 10704, 'issue letter': 455835, 'our carers': 622321, 'carers to': 164626, 'here carers': 392853, 'carers surrey': 164618, 'surrey shopping': 828699, 'who need information': 989314, 'on what happening': 605224, 'the supermarket also': 868456, 'supermarket also please': 818891, 'also please note': 48663, 'note that we': 572815, 'able to issue': 24494, 'to issue letter': 908555, 'issue letter to': 455836, 'letter to our': 487366, 'to our carers': 911159, 'our carers to': 622323, 'carers to help': 164627, 'to help identify': 907541, 'help identify them': 389882, 'identify them to': 413374, 'them to supermarket': 876518, 'to supermarket more': 915814, 'supermarket more info': 821534, 'info here carers': 437491, 'here carers surrey': 392854, 'carers surrey shopping': 164619, 'surrey shopping supermarket': 828700, 'grin': 363983, 'morbid': 538462, 'hotlines up': 405278, 'up 300': 944153, '300 grin': 17308, 'grin statistic': 363984, 'milk restaurant': 531800, 'restaurant scrambling': 716683, 'isolation decrease': 455246, 'decrease immune': 231570, 'system add': 831079, 'add obesity': 31458, 'obesity co': 578370, 'co morbid': 184884, 'and call to': 59420, 'suicide hotlines up': 817737, 'hotlines up 300': 405279, 'up 300 grin': 944154, '300 grin statistic': 17309, 'grin statistic for': 363985, 'society farmer dumping': 781206, 'dumping milk restaurant': 262246, 'milk restaurant scrambling': 531801, 'restaurant scrambling to': 716684, 'scrambling to create': 742565, 'to create grocery': 903708, 'loss isolation decrease': 503714, 'isolation decrease immune': 455247, 'decrease immune system': 231571, 'immune system add': 417333, 'system add obesity': 831080, 'add obesity co': 31459, 'obesity co morbid': 578371, 'gonzales': 356662, 'centralnews': 169472, 'gonzales salute': 356663, 'salute covid': 732850, '19 frontliners': 7149, 'frontliners from': 338891, 'from doc': 335166, 'doc to': 250760, 'bagger centralnews': 108506, 'gonzales salute covid': 356664, 'salute covid 19': 732851, 'covid 19 frontliners': 213128, '19 frontliners from': 7150, 'frontliners from doc': 338892, 'from doc to': 335167, 'doc to supermarket': 250761, 'to supermarket bagger': 915774, 'supermarket bagger centralnews': 819286, 'cleanupyourmess': 181197, 'ppelitter': 668123, '13 saw': 3255, 'this yesterday': 891607, 'lot already': 503975, 'already wrong': 47767, 'litter but': 495203, 'bad cleanupyourmess': 107806, 'cleanupyourmess ppelitter': 181198, '13 saw this': 3256, 'saw this yesterday': 738299, 'this yesterday in': 891608, 'parking lot already': 642076, 'lot already wrong': 503976, 'already wrong to': 47768, 'wrong to litter': 1013134, 'to litter but': 909332, 'litter but this': 495204, 'really bad cleanupyourmess': 701999, 'bad cleanupyourmess ppelitter': 107807, 'affording': 34916, 'additional complication': 31786, 'complication being': 192478, 'being that': 125921, 'that immunocompromised': 844434, 'immunocompromised it': 417467, 'take much': 832344, 'spreading here': 790976, 'delivered which': 233450, 'real damn': 701099, 'damn expensive': 225345, 'expensive even': 291240, 'even discounting': 284005, 'discounting supermarket': 244612, 'supermarket error': 820192, 'error could': 280228, 'some help': 783038, 'help affording': 389301, 'affording that': 34917, 'an additional complication': 55112, 'additional complication being': 31787, 'complication being that': 192479, 'being that immunocompromised': 125922, 'that immunocompromised it': 844435, 'immunocompromised it not': 417468, 'to take much': 916206, 'take much more': 832345, 'much more of': 545118, 'more of covid': 539871, '19 spreading here': 10759, 'spreading here for': 790977, 'here for me': 393006, 'but to get': 147585, 'get grocery delivered': 347163, 'grocery delivered which': 364431, 'delivered which is': 233451, 'which is real': 986045, 'is real damn': 451264, 'real damn expensive': 701100, 'damn expensive even': 225346, 'expensive even discounting': 291241, 'even discounting supermarket': 284006, 'discounting supermarket error': 244613, 'supermarket error could': 820193, 'error could use': 280229, 'use some help': 949599, 'some help affording': 783039, 'help affording that': 389302, 'pillitteri': 656704, 'tasting': 834810, 'customer pillitteri': 222691, 'pillitteri will': 656705, 'all tour': 45278, 'tour and': 926918, 'and tasting': 73040, 'tasting program': 834815, 'all wine': 45472, 'wine order': 995864, 'our customer pillitteri': 622671, 'customer pillitteri will': 222692, 'pillitteri will cancel': 656707, 'will cancel all': 992875, 'cancel all tour': 160834, 'all tour and': 45279, 'tour and tasting': 926920, 'and tasting program': 73041, 'tasting program in': 834816, 'program in response': 683259, 'open for sale': 612258, 'for sale only': 325322, 'sale only and': 732428, 'only and we': 610095, 'we will offer': 973886, 'will offer free': 994310, 'offer free shipping': 594630, 'on all wine': 599256, 'all wine order': 45473, 'wine order in': 995866, 'order in line': 618316, 'get asked': 346607, 'psychology lot': 687564, 'lot putting': 504350, 'at uni': 101399, 'uni to': 941717, 'use so': 949584, 'the ply': 863871, 'ply epidemic': 661765, 'get asked to': 346608, 'consumer psychology lot': 198598, 'psychology lot putting': 687565, 'lot putting my': 504351, 'putting my one': 691169, 'my one year': 549575, 'one year of': 607527, 'psychology at uni': 687546, 'at uni to': 101400, 'uni to good': 941718, 'good use so': 357929, 'use so quite': 949586, 'are too this': 91149, 'is good article': 448138, 'on the ply': 604289, 'the ply epidemic': 863872, 'price pummeled': 676028, 'by fallout': 152537, 'fallout read': 297395, 'from asia to': 334597, 'asia to the': 95235, 'to the fuel': 916735, 'the fuel price': 855996, 'fuel price pummeled': 340248, 'price pummeled by': 676029, 'pummeled by fallout': 689006, 'by fallout read': 152538, 'fallout read more': 297396, 'nielsen consumer': 562641, 'behavior survey': 124214, 'survey in': 828885, 'nielsen consumer behavior': 562642, 'consumer behavior survey': 196519, 'behavior survey in': 124216, 'survey in the': 828886, 'all which': 45445, 'every god': 285915, 'damn food': 225349, 'shop within': 761066, 'mile of': 531404, 'home dont': 401095, 'dont drive': 255212, 'drive have': 259066, 'piling im': 656599, 'im fucked': 416531, 'am now stuck': 50264, 'food all which': 313091, 'all which is': 45446, 'which is out': 986040, 'stock in every': 802261, 'in every god': 422678, 'every god damn': 285916, 'god damn food': 354675, 'damn food shop': 225350, 'food shop within': 316500, 'shop within 30': 761067, '30 mile of': 17107, 'mile of my': 531405, 'of my home': 586779, 'my home dont': 548686, 'home dont drive': 401096, 'dont drive have': 255213, 'drive have not': 259067, 'not been stock': 568519, 'been stock piling': 122040, 'stock piling im': 802663, 'piling im fucked': 656600, 'that foodmanufacturers': 843922, 'foodmanufacturers have': 317999, '50 response': 19832, 'could re': 209561, 're deploying': 698516, 'deploying restaurant': 237471, 'sector be': 744105, 'ha been reported': 369897, 'been reported that': 121832, 'reported that foodmanufacturers': 712539, 'that foodmanufacturers have': 843923, 'foodmanufacturers have increased': 318000, 'increased their production': 433502, 'production to up': 682256, 'to up to': 917976, 'to 50 response': 899746, '50 response to': 19833, 'buying could re': 150150, 'could re deploying': 209562, 're deploying restaurant': 698517, 'deploying restaurant staff': 237472, 'retail sector be': 718525, 'sector be the': 744106, 'be the answer': 117594, 'world richest': 1009939, 'man if': 512104, 'safe condition': 729556, 'condition to': 193545, 'warehouse and are': 966677, 'and are worried': 58375, 'bezos the world': 129289, 'the world richest': 871952, 'world richest man': 1009940, 'richest man if': 721346, 'man if he': 512106, 'and safe condition': 70706, 'safe condition to': 729557, 'condition to all': 193546, 'all of his': 43695, 'shopping insensitive': 763022, 'the hate': 857142, 'someone having': 784498, 'hate redundancy': 378898, 'redundancy even': 706411, 'is doing online': 447286, 'online shopping insensitive': 609157, 'shopping insensitive during': 763023, 'insensitive during the': 439192, 'during the hate': 263135, 'the hate the': 857143, 'idea of someone': 413137, 'of someone having': 589919, 'someone having to': 784499, 'but hate redundancy': 145865, 'hate redundancy even': 378899, 'redundancy even more': 706412, 'tense': 837967, 'buying know': 150629, 'know many': 476587, 'are tense': 90774, 'tense and': 837968, 'real consequence': 701078, 'panic buying know': 637787, 'buying know many': 150630, 'know many of': 476588, 'you are tense': 1017256, 'are tense and': 90775, 'tense and nervous': 837969, 'and nervous but': 67520, 'nervous but it': 557464, 'but it ha': 146127, 'it ha real': 458407, 'ha real consequence': 371639, 'real consequence for': 701079, 'consequence for vulnerable': 194860, 'vulnerable people just': 961097, 'people just think': 648563, 'just think and': 470041, 'think and stop': 885142, 'globaleconomy may': 352314, 'shrink almost': 767687, 'to un': 917883, 'warns this': 967301, 'be joke': 115575, 'seriously embarrassing': 751591, 'embarrassing forecast': 272448, 'forecast maybe': 328842, 'their overpriced': 874155, 'overpriced paid': 631396, 'paid by': 633988, 'others hotel': 621460, 'hotel room': 405190, 'globaleconomy may shrink': 352315, 'may shrink almost': 521499, 'shrink almost in': 767688, 'almost in 2020': 46675, 'due to un': 262009, 'to un warns': 917884, 'un warns this': 939304, 'warns this ha': 967302, 'to be joke': 901348, 'be joke if': 115576, 'joke if they': 467095, 'if they think': 415132, 'that is all': 844550, 'is all that': 445468, 'that is seriously': 844650, 'is seriously embarrassing': 451797, 'seriously embarrassing forecast': 751592, 'embarrassing forecast maybe': 272449, 'forecast maybe they': 328843, 'about the price': 26487, 'of their overpriced': 591685, 'their overpriced paid': 874156, 'overpriced paid by': 631397, 'paid by others': 633990, 'by others hotel': 153471, 'others hotel room': 621461, 'plausible': 659107, 'is plausible': 450894, 'plausible that': 659108, 'the close': 851038, 'proximity people': 687327, 'in touching': 430236, 'trolley etc': 932403, 'etc there': 282805, 'some type': 784128, 'from experience of': 335359, 'experience of supermarket': 291440, 'supermarket shopping it': 822640, 'shopping it is': 763100, 'it is plausible': 459038, 'is plausible that': 450895, 'plausible that they': 659109, 'are serving to': 89999, 'serving to spread': 753229, 'of the close': 590868, 'the close proximity': 851039, 'close proximity people': 182776, 'proximity people are': 687328, 'are in touching': 87453, 'in touching trolley': 430237, 'touching trolley etc': 926746, 'trolley etc there': 932404, 'etc there need': 282807, 'be some type': 117300, 'some type of': 784129, 'type of regulation': 937577, 'school distributing': 741768, 'supply kid': 825483, 'local school distributing': 498374, 'school distributing food': 741769, 'distributing food supply': 248077, 'food supply kid': 316964, 'supply kid to': 825484, 'kid to needy': 474139, 'to needy family': 910519, 'needy family during': 556678, 'springnews': 791288, '22 12': 15157, '12 63': 2809, '63 covid': 21263, '19 springnews': 10765, '22 12 63': 15158, '12 63 covid': 2810, '63 covid 19': 21264, '19 19 springnews': 4712, 'our troop': 625196, 'troop the': 932549, 'with weapon': 1002051, 'weapon ammunition': 974233, 'ammunition or': 52953, 'or armor': 614429, 'armor by': 92971, 'against the our': 37671, 'the our troop': 862578, 'our troop the': 625197, 'troop the doctor': 932550, 'supplied with weapon': 824480, 'with weapon ammunition': 1002052, 'weapon ammunition or': 974234, 'ammunition or armor': 52954, 'or armor by': 614430, 'armor by the': 92972, 'federal government how': 301993, 'going to fight': 355597, 'taradome22': 834412, 'cloroxwipes': 182476, 'taradome22 and': 834413, 'got our': 358765, 'our easterbasket': 622824, 'easterbasket eastersunday': 265544, 'eastersunday cloroxwipes': 265607, 'cloroxwipes toiletpaper': 182481, 'toiletpaper bleach': 921816, 'bleach handsanitizer': 132502, 'socialdistancing san': 780654, 'taradome22 and got': 834414, 'and got our': 63860, 'got our easterbasket': 358766, 'our easterbasket eastersunday': 622825, 'easterbasket eastersunday cloroxwipes': 265545, 'eastersunday cloroxwipes toiletpaper': 265608, 'cloroxwipes toiletpaper bleach': 182482, 'toiletpaper bleach handsanitizer': 921817, 'bleach handsanitizer staysafe': 132503, 'handsanitizer staysafe socialdistancing': 376653, 'staysafe socialdistancing san': 798883, 'socialdistancing san diego': 780655, '5mn': 20791, 'unprofitable': 943245, 'globa': 351724, 'export 5mn': 292603, '5mn of': 20792, 'of sugar': 590382, 'sugar in': 817459, 'earlier estimate': 264438, 'estimate drop': 282240, 'make overseas': 510298, 'overseas sale': 631485, 'sale unprofitable': 732613, 'unprofitable for': 943246, 'for mill': 323432, 'mill lower': 531967, 'lower indian': 505889, 'export could': 292625, 'support globa': 826542, 'india is likely': 434488, 'likely to export': 492150, 'to export 5mn': 905505, 'export 5mn of': 292604, '5mn of sugar': 20793, 'of sugar in': 590384, 'sugar in 2019': 817460, '2019 20 from': 13919, '20 from an': 13068, 'from an earlier': 334481, 'an earlier estimate': 55538, 'earlier estimate drop': 264439, 'estimate drop in': 282241, 'in global price': 423337, 'global price due': 352136, 'the outbreak make': 862661, 'outbreak make overseas': 628436, 'make overseas sale': 510299, 'overseas sale unprofitable': 631486, 'sale unprofitable for': 732614, 'unprofitable for mill': 943247, 'for mill lower': 323433, 'mill lower indian': 531968, 'lower indian export': 505890, 'indian export could': 434830, 'export could support': 292626, 'could support globa': 209740, 'be eyeing': 114768, 'eyeing that': 294145, 'too toiletpaper': 925132, 'toiletpaper qanon': 922369, 'll be eyeing': 496585, 'be eyeing that': 114769, 'eyeing that toilet': 294146, 'paper at work': 639909, 'work too toiletpaper': 1005935, 'too toiletpaper qanon': 925133, 'gdc': 344851, 'assumes': 97044, 'always going': 49580, 'be developer': 114436, 'developer focused': 239756, 'focused presentation': 311972, 'presentation wa': 670651, 'wa planned': 962937, 'planned for': 658450, 'for gdc': 321852, 'gdc however': 344854, 'however think': 409498, 'think consumer': 885189, 'first event': 308660, 'event might': 285023, 'better strategy': 128503, 'strategy of': 812692, 'course this': 211947, 'this assumes': 886441, 'assumes that': 97045, 'that gdc': 843989, 'gdc cancellation': 344852, '19 haven': 7458, 'haven disrupted': 383788, 'disrupted the': 246415, 'plan etc': 658110, 'this wa always': 891051, 'wa always going': 961513, 'always going to': 49581, 'to be developer': 901201, 'be developer focused': 114437, 'developer focused presentation': 239757, 'focused presentation wa': 311973, 'presentation wa planned': 670653, 'wa planned for': 962938, 'planned for gdc': 658452, 'for gdc however': 321853, 'gdc however think': 344855, 'however think consumer': 409499, 'think consumer first': 885190, 'consumer first event': 197498, 'first event might': 308661, 'event might have': 285024, 'been better strategy': 120739, 'better strategy of': 128504, 'strategy of course': 812693, 'of course this': 582075, 'course this assumes': 211948, 'this assumes that': 886442, 'assumes that gdc': 97046, 'that gdc cancellation': 843990, 'gdc cancellation and': 344853, 'cancellation and covid': 161003, 'covid 19 haven': 213190, '19 haven disrupted': 7459, 'haven disrupted the': 383789, 'disrupted the original': 246416, 'the original plan': 862489, 'original plan etc': 619577, 'exhausted supermarket': 290173, 'stacker thank': 792026, 'protect are': 684787, 'word echo': 1004479, 'echo the': 266631, 'moment 19': 535867, 'nh staff the': 562106, 'staff the nurse': 792949, 'the nurse and': 861977, 'and doctor the': 61582, 'doctor the teacher': 251129, 'the teacher and': 869193, 'teacher and the': 835430, 'and the exhausted': 73357, 'the exhausted supermarket': 854687, 'exhausted supermarket shelf': 290174, 'shelf stacker thank': 757562, 'stacker thank you': 792027, 'you the word': 1021616, 'word of all': 1004535, 'who work 24': 990028, 'work 24 hour': 1004698, 'hour day to': 405530, 'day to care': 228557, 'care for and': 163942, 'for and protect': 319336, 'and protect are': 69655, 'protect are safe': 684788, 'are safe to': 89794, 'safe to say': 730058, 'say these word': 739331, 'these word echo': 880987, 'word echo the': 1004480, 'echo the thought': 266632, 'thought of everyone': 893142, 'of everyone at': 583250, 'everyone at this': 286719, 'this moment 19': 888866, 'currency across': 221004, 'across owner': 29425, 'owner inditex': 632477, 'inditex decreased': 435118, 'and 16': 57378, '16 march': 4130, 'local currency across': 497874, 'currency across owner': 221005, 'across owner inditex': 29426, 'owner inditex decreased': 632478, 'inditex decreased by': 435119, 'february and 16': 301683, 'and 16 march': 57380, '16 march 2020': 4131, 'march 2020 amid': 515148, 'vivek': 959841, 'gambhir': 343091, 'co battle': 184813, 'battle ready': 112817, 'ready but': 700847, 'but logistics': 146307, 'logistics concern': 500737, 'concern vivek': 193134, 'vivek gambhir': 959842, 'gambhir md': 343092, 'md ceo': 522260, 'of godrej': 584182, 'product say': 681596, 'say despite': 738564, 'despite short': 238848, 'term spike': 838299, 'sector isn': 744255, 'isn immune': 454551, 'to broader': 902069, 'broader slowdown': 140771, 'slowdown report': 774470, 'fmcg co battle': 311718, 'co battle ready': 184814, 'battle ready but': 112818, 'ready but logistics': 700849, 'but logistics concern': 146308, 'logistics concern vivek': 500738, 'concern vivek gambhir': 193135, 'vivek gambhir md': 959843, 'gambhir md ceo': 343093, 'md ceo of': 522261, 'ceo of godrej': 169779, 'of godrej consumer': 584183, 'consumer product say': 198477, 'product say despite': 681597, 'say despite short': 738565, 'despite short term': 238849, 'short term spike': 764752, 'term spike in': 838300, 'demand the sector': 236359, 'the sector isn': 866619, 'sector isn immune': 744256, 'isn immune to': 454552, 'immune to broader': 417362, 'to broader slowdown': 902070, 'broader slowdown report': 140772, 'sanitizer laundry': 735275, 'laundry additive': 482102, 'laundry sanitizer laundry': 482129, 'sanitizer laundry additive': 735276, 'laundry additive bleach': 482103, 'si found': 768308, 'found peanut': 330336, 'butter at': 148130, 'at score': 100476, 'score grocery': 742358, 'for wks': 327900, 'wks she': 1003258, 'found lemon': 330273, 'lemon for': 486180, 'me randomly': 523366, 'randomly she': 696653, 'she finding': 756036, 'least costco': 484426, 'limiting per': 492847, 'per membership': 650939, 'membership should': 528284, 'be every': 114714, 'wks stophoarding': 1003260, 'my si found': 550077, 'si found peanut': 768309, 'found peanut butter': 330337, 'peanut butter at': 646141, 'butter at score': 148131, 'at score grocery': 100477, 'score grocery store': 742359, 'out for wks': 626174, 'for wks she': 327902, 'wks she also': 1003259, 'she also found': 755850, 'also found lemon': 48236, 'found lemon for': 330274, 'lemon for me': 486181, 'for me randomly': 323333, 'me randomly she': 523367, 'randomly she finding': 696654, 'she finding certain': 756037, 'finding certain item': 307448, 'certain item at': 170036, 'item at least': 463130, 'at least costco': 99477, 'least costco is': 484427, 'costco is limiting': 208244, 'is limiting per': 449371, 'limiting per membership': 492848, 'per membership should': 650941, 'membership should be': 528285, 'should be every': 765617, 'be every few': 114715, 'every few wks': 285898, 'few wks stophoarding': 304186, 'wks stophoarding panicbuying': 1003261, 'home factory': 401183, 'factory pumping': 295985, 'out disposable': 625962, 'shop cloth': 760054, 'cloth for': 184086, 'personal run': 652956, 'cloth twist': 184117, 'twist tie': 936597, 'tie rubber': 895745, 'rubber band': 726929, 'band masks4all': 109339, 'home factory pumping': 401184, 'factory pumping out': 295986, 'pumping out disposable': 689132, 'out disposable mask': 625963, 'disposable mask made': 246264, 'mask made from': 518935, 'made from shop': 507756, 'from shop cloth': 337263, 'shop cloth for': 760055, 'cloth for personal': 184087, 'for personal run': 324506, 'personal run to': 652957, 'grocery store shop': 365766, 'store shop cloth': 810117, 'shop cloth twist': 760056, 'cloth twist tie': 184118, 'twist tie rubber': 936598, 'tie rubber band': 895746, 'rubber band masks4all': 726931, 'share oklahoman': 755126, 'oklahoman please': 598095, 'after 8am': 35310, 'store reserve': 809833, 'reserve that': 714102, 'that first': 843885, 'please share oklahoman': 660491, 'share oklahoman please': 755127, 'oklahoman please wait': 598096, 'until after 8am': 943670, 'after 8am to': 35311, '8am to hit': 23163, 'to hit the': 907854, 'grocery store reserve': 365716, 'store reserve that': 809834, 'reserve that first': 714103, 'that first hour': 843888, 'and those most': 74032, 'most vulnerable during': 542876, 'the outbreak let': 862659, 'outbreak let help': 628420, 'let help each': 486783, 'breather': 139211, 'oil importing': 596869, 'like india': 490504, 'enjoy breather': 277126, 'breather and': 139212, 'and cushion': 60823, 'the adverse': 848376, 'factor sum': 295897, 'oil importing country': 596870, 'importing country like': 419220, 'country like india': 210861, 'like india can': 490505, 'india can enjoy': 434330, 'can enjoy breather': 158223, 'enjoy breather and': 277127, 'breather and cushion': 139213, 'and cushion the': 60824, 'cushion the adverse': 221915, 'the adverse impact': 848377, 'adverse impact of': 33126, 'impact of and': 417752, 'of and other': 580171, 'other factor sum': 620210, 'factor sum up': 295898, 'military thank': 531507, 'of the military': 591242, 'the military thank': 860599, 'military thank you': 531508, 'half past': 374247, 'past six': 643606, 'at half past': 98836, 'half past six': 374248, 'past six this': 643607, 'receive pay': 703525, 'week warehouse': 977179, 'distancing many': 247303, 'retailer doing': 719116, 'doing same': 252634, 'same http': 733111, 'store employee to': 807556, 'employee to receive': 274332, 'to receive pay': 912927, 'receive pay and': 703526, 'and benefit for': 58893, 'benefit for the': 126971, 'for the two': 326745, 'two week warehouse': 937373, 'week warehouse and': 977180, 'warehouse and customer': 966678, 'customer service employee': 222822, 'service employee still': 752330, 'employee still working': 274241, 'working but to': 1008547, 'but to use': 147594, 'to use social': 918066, 'use social distancing': 949594, 'social distancing many': 779658, 'distancing many retailer': 247304, 'many retailer doing': 514648, 'retailer doing same': 719117, 'doing same http': 252635, 'the researcher': 865567, 'researcher pray': 713929, 'other pray': 620749, 'for the healthcare': 326472, 'for the researcher': 326651, 'the researcher pray': 865568, 'researcher pray for': 713930, 'each other pray': 264211, 'meet regular': 527559, 'regular food': 707774, 'snap that': 776118, 'that oregon': 845553, 'expand benefit': 290452, 'household so': 406940, 'we know how': 972151, 'is to meet': 453224, 'to meet regular': 910045, 'meet regular food': 527560, 'regular food need': 707775, 'food need with': 315522, 'need with snap': 556228, 'with snap that': 1000783, 'snap that why': 776119, 're so excited': 699536, 'so excited that': 776990, 'excited that oregon': 289566, 'that oregon will': 845554, 'oregon will expand': 619162, 'will expand benefit': 993370, 'expand benefit for': 290453, 'benefit for many': 126968, 'for many snap': 323233, 'many snap household': 514715, 'snap household so': 776097, 'household so we': 406941, 'can all stock': 157437, 'up and protect': 944362, 'our family during': 622996, 'family during this': 297759, 'mainer': 508863, 'good shepherd': 357725, 'shepherd food': 758071, 'on mainer': 601962, 'mainer to': 508864, 'hoarding via': 399638, 'good shepherd food': 357726, 'shepherd food bank': 758072, 'bank call on': 109699, 'call on mainer': 156039, 'on mainer to': 601963, 'mainer to stop': 508865, 'stop hoarding via': 804752, 'pokemon': 662836, 'can receive': 159397, 'in pokemon': 426813, 'pokemon pokemonswordshield': 662837, 'get any in': 346575, 'any in the': 79344, 'but can receive': 145361, 'can receive free': 159399, 'receive free pasta': 703481, 'free pasta in': 332053, 'pasta in pokemon': 643740, 'in pokemon pokemonswordshield': 426814, 'pokemon pokemonswordshield pasta': 662838, 'canberra yesterday': 160828, 'this at local': 886449, 'supermarket in canberra': 820875, 'in canberra yesterday': 421215, 'canberra yesterday by': 160829, 'super powerful': 818560, 'powerful moment': 667787, 'moment from': 535942, 'from cuomo': 335067, 'cuomo press': 220418, 'conference today': 193767, 'ny you': 577933, 'pick the': 655688, '26 00': 16121, 'only sent': 611101, 'sent 400': 750736, '400 ventilator': 18780, 'super powerful moment': 818561, 'powerful moment from': 667788, 'moment from cuomo': 535943, 'from cuomo press': 335068, 'cuomo press conference': 220419, 'press conference today': 671039, 'conference today on': 193769, 'on the fed': 604115, '19 in ny': 7771, 'in ny you': 426011, 'ny you pick': 577934, 'you pick the': 1020329, 'pick the 26': 655689, 'the 26 00': 848056, '26 00 people': 16124, 'to die because': 904269, 'die because you': 241306, 'because you only': 119874, 'you only sent': 1020214, 'only sent 400': 611102, 'sent 400 ventilator': 750737, 'company announces': 190404, 'it joining': 459201, 'production effort': 682026, 'effort it': 269541, 'it reopening': 460712, 'the company announces': 851312, 'company announces it': 190405, 'announces it joining': 77264, 'it joining the': 459202, 'joining the hand': 466991, 'sanitizer production effort': 735598, 'production effort it': 682027, 'effort it reopening': 269542, 'it reopening one': 460713, 'cheshire chemical': 175551, 'chemical expert': 175346, 'expert up': 292010, 'production new': 682133, 'sanitiser prof': 734012, 'prof more': 682362, 'santiser gel': 736631, 'cheshire chemical expert': 175552, 'chemical expert up': 175347, 'expert up production': 292011, 'up production new': 945853, 'production new covid': 682134, '19 sanitiser prof': 10314, 'sanitiser prof more': 734013, 'prof more effective': 682363, 'based hand santiser': 111604, 'hand santiser gel': 375739, 'domenic': 253159, 'primucci': 678198, 'nova': 573710, 'delivery quality': 234380, 'important domenic': 418783, 'domenic primucci': 253160, 'primucci of': 678199, 'stress how': 813337, 'vital front': 959685, 'the pizza': 863760, 'pizza nova': 657187, 'nova family': 573711, 'ensure quality': 278018, 'quality in': 691803, 'product full': 681219, 'demand for take': 235502, 'for take out': 326127, 'out food delivery': 626083, 'food delivery quality': 314140, 'delivery quality and': 234381, 'quality and safety': 691764, 'and safety is': 70747, 'safety is important': 730589, 'is important domenic': 448726, 'important domenic primucci': 418784, 'domenic primucci of': 253161, 'primucci of stress': 678200, 'of stress how': 590299, 'stress how vital': 813339, 'how vital front': 409145, 'vital front line': 959686, 'line staff is': 493418, 'staff is and': 792575, 'is and what': 445714, 'what the pizza': 982349, 'the pizza nova': 863762, 'pizza nova family': 657188, 'nova family is': 573712, 'family is doing': 297948, 'to ensure quality': 905184, 'ensure quality in': 278019, 'quality in it': 691804, 'in it product': 424266, 'it product full': 460502, 'product full interview': 681220, 'ctxs': 220127, 'bntx': 133598, 'covid defensive': 214147, 'defensive portfolio': 232161, 'portfolio should': 665011, 'include plin': 431610, 'plin food': 661056, 'meat stock': 525754, 'stock which': 803187, 'currently oversold': 221627, 'oversold and': 631531, 'china equivalent': 176639, 'equivalent to': 279996, 'to hrl': 908037, 'hrl which': 409698, 'which continues': 985769, 'to rally': 912742, 'rally others': 696278, 'others include': 621485, 'include wmt': 431663, 'wmt clx': 1003286, 'clx ctxs': 184608, 'ctxs bntx': 220128, 'bntx he': 133599, 'he stockmarketcrash': 385480, 'stockmarketcrash investing': 803689, 'investing trading': 443951, 'covid defensive portfolio': 214148, 'defensive portfolio should': 232162, 'portfolio should include': 665012, 'should include plin': 766129, 'include plin food': 431611, 'plin food and': 661057, 'food and meat': 313280, 'and meat stock': 66859, 'meat stock which': 525756, 'stock which is': 803188, 'which is currently': 985999, 'is currently oversold': 446999, 'currently oversold and': 221628, 'oversold and china': 631532, 'and china equivalent': 59848, 'china equivalent to': 176640, 'equivalent to hrl': 279997, 'to hrl which': 908038, 'hrl which continues': 409699, 'which continues to': 985770, 'continues to rally': 201489, 'to rally others': 912743, 'rally others include': 696279, 'others include wmt': 621486, 'include wmt clx': 431664, 'wmt clx ctxs': 1003287, 'clx ctxs bntx': 184609, 'ctxs bntx he': 220129, 'bntx he stockmarketcrash': 133600, 'he stockmarketcrash investing': 385481, 'stockmarketcrash investing trading': 803690, 'on suspicious': 603858, 'suspicious link': 829718, 'link regarding': 493893, 'community safe during': 190078, 'safe during these': 729615, 'time please remember': 897496, 'remember to watch': 710392, 'out for online': 626147, 'scam and avoid': 739992, 'and avoid clicking': 58561, 'clicking on suspicious': 181982, 'on suspicious link': 603859, 'suspicious link regarding': 829719, 'link regarding covid': 493894, 'get divorced': 346893, 'divorced and': 248716, 'about delay': 25088, 'renegotiate what': 710963, 'child maintenance': 176137, 'maintenance to': 509171, 'settlement answer': 753712, 'still get divorced': 800552, 'get divorced and': 346894, 'divorced and what': 248717, 'what about delay': 980965, 'about delay can': 25089, 'we renegotiate what': 973081, 'renegotiate what happens': 710964, 'we can sell': 971005, 'can sell the': 159570, 'from child maintenance': 334843, 'child maintenance to': 176138, 'maintenance to financial': 509172, 'financial settlement answer': 306590, 'settlement answer your': 753713, 'divorce and the': 248705, 'gazing': 344777, 'prodigal': 680147, 'remember back': 710170, 'store blast': 806734, 'blast right': 132420, 'right past': 722221, 'good aisle': 356705, 'aisle now': 40320, 'yourself gazing': 1026628, 'gazing down': 344778, 'it barren': 456706, 'the prodigal': 864563, 'prodigal son': 680148, 'son on': 785424, 'the horizon': 857499, 'horizon toiletpaperapocalypse': 404052, 'remember back in': 710171, 'grocery store blast': 365249, 'store blast right': 806735, 'blast right past': 132421, 'right past the': 722222, 'past the paper': 643619, 'the paper good': 863262, 'paper good aisle': 640223, 'good aisle now': 356706, 'aisle now you': 40322, 'now you find': 576507, 'find yourself gazing': 307415, 'yourself gazing down': 1026629, 'gazing down it': 344779, 'down it barren': 256891, 'it barren shelf': 456707, 'barren shelf like': 111316, 'shelf like you': 757287, 'for the prodigal': 326634, 'the prodigal son': 864564, 'prodigal son on': 680149, 'son on the': 785425, 'on the horizon': 604164, 'the horizon toiletpaperapocalypse': 857500, 'onefight': 607546, 'all calm': 42274, 'down stop': 257216, 'emptying all': 275255, 'shop keepcalm': 760385, 'keepcalm stoppanicbuying': 472309, 'stoppanicbuying helpthevulnerable': 805572, 'helpthevulnerable helpeachother': 391645, 'helpeachother onefight': 391042, 'can we all': 160158, 'we all calm': 970314, 'all calm down': 42275, 'calm down stop': 156725, 'down stop panic': 257217, 'and emptying all': 62088, 'emptying all the': 275256, 'the shop keepcalm': 867010, 'shop keepcalm stoppanicbuying': 760386, 'keepcalm stoppanicbuying helpthevulnerable': 472310, 'stoppanicbuying helpthevulnerable helpeachother': 805573, 'helpthevulnerable helpeachother onefight': 391646, 'earlyserviceleavers': 264762, 'jobsforveterans': 466360, 'earlyserviceleavers if': 264763, 'family circumstance': 297702, 'circumstance allow': 178702, 'under huge': 940122, 'solution jobsforveterans': 782056, 'earlyserviceleavers if your': 264764, 'your family circumstance': 1023775, 'family circumstance allow': 297703, 'circumstance allow you': 178703, 'you to go': 1021783, 'time here an': 896921, 'here an article': 392690, 'an article for': 55419, 'article for you': 94324, 'for you supermarket': 328087, 'you supermarket are': 1021477, 'are under huge': 91278, 'under huge demand': 940123, 'huge demand to': 410025, 'demand to keep': 236400, 'shelf stocked you': 757593, 'stocked you could': 803484, 'could be part': 208903, 'the solution jobsforveterans': 867463, 'quickly people': 694567, 'following social': 312853, 'measure based': 525137, 'our location': 623793, 'learn how ha': 483982, 'shifted consumer behavior': 758479, 'how quickly people': 408553, 'quickly people are': 694568, 'are following social': 86626, 'following social distancing': 312854, 'distancing measure based': 247319, 'measure based on': 525138, 'on our location': 602615, 'our location data': 623794, 'location data insight': 498886, 'been ruled': 121872, 'by greed': 152725, 'selfishness for': 748350, 'last decade': 480187, 'decade today': 230702, 'shelf serve': 757498, 'serve to': 751960, 'remind who': 710513, 'know maybe': 476589, 'build community': 141957, 'community again': 189704, 'again open': 37102, 'heart and': 388262, 'our nation ha': 623980, 'ha been ruled': 369909, 'been ruled by': 121873, 'ruled by greed': 727426, 'by greed and': 152726, 'and selfishness for': 71203, 'selfishness for the': 748352, 'the last decade': 859008, 'last decade today': 480190, 'decade today supermarket': 230703, 'today supermarket shelf': 920234, 'supermarket shelf serve': 822527, 'shelf serve to': 757499, 'serve to remind': 751961, 'to remind who': 913205, 'remind who know': 710514, 'who know maybe': 989185, 'know maybe this': 476590, 'maybe this is': 521851, 'this is chance': 888204, 'is chance to': 446459, 'chance to build': 171793, 'to build community': 902082, 'build community again': 141958, 'community again open': 189705, 'again open up': 37103, 'open up our': 612637, 'up our heart': 945702, 'our heart and': 623397, 'heart and maybe': 388263, 'about free': 25278, 'no service': 565467, 'senior ordering': 750376, 'online la': 608460, 'older amid': 598571, 'how about free': 407280, 'about free delivery': 25279, 'delivery and no': 233669, 'and no service': 67639, 'no service fee': 565468, 'fee for senior': 302176, 'for senior ordering': 325470, 'senior ordering online': 750377, 'ordering online la': 618997, 'online la habra': 608461, 'and older amid': 68039, 'older amid covid': 598572, '3hr': 18281, '2days': 16583, 'banknote': 110470, '4days': 19445, 'stainless': 793286, 'exterior': 293338, 'study life': 814928, 'surface paper': 828063, 'tissue lt': 899172, 'lt 3hr': 506364, '3hr wood': 18282, 'wood cloth': 1004274, 'cloth lt': 184094, 'lt 2days': 506362, '2days glass': 16584, 'glass banknote': 351600, 'banknote lt': 110471, 'lt 4days': 506366, '4days stainless': 19446, 'stainless steel': 793287, 'steel plastic': 799351, 'plastic 7days': 658792, '7days mask': 22465, 'mask exterior': 518628, 'exterior gt': 293339, 'gt 7days': 367569, '7days sanitizer': 22469, 'sanitizer bleach': 734571, 'bleach hand': 132500, 'washing kill': 967691, 'time surface': 897791, 'surface detection': 828010, 'detection infection': 239352, 'new study life': 559683, 'study life on': 814929, 'life on surface': 488938, 'on surface paper': 603850, 'surface paper tissue': 828064, 'paper tissue lt': 640912, 'tissue lt 3hr': 899173, 'lt 3hr wood': 506365, '3hr wood cloth': 18283, 'wood cloth lt': 1004275, 'cloth lt 2days': 184095, 'lt 2days glass': 506363, '2days glass banknote': 16585, 'glass banknote lt': 351601, 'banknote lt 4days': 110472, 'lt 4days stainless': 506367, '4days stainless steel': 19447, 'stainless steel plastic': 793288, 'steel plastic 7days': 799352, 'plastic 7days mask': 658793, '7days mask exterior': 22466, 'mask exterior gt': 518629, 'exterior gt 7days': 293340, 'gt 7days sanitizer': 367570, '7days sanitizer bleach': 22470, 'sanitizer bleach hand': 734572, 'bleach hand washing': 132501, 'hand washing kill': 375950, 'washing kill it': 967692, 'kill it every': 474425, 'every time surface': 286318, 'time surface detection': 897792, 'surface detection infection': 828011, 'business survive': 144453, 'gt you': 367649, 'operate but': 612983, 'do follow': 249306, 'prevention fuel': 671855, 'station gt': 796417, 'gt same': 367633, 'supermarket thread': 823330, 'thread continue': 893533, 'continue reading': 201115, 'basic thing to': 112087, 'help your business': 391014, 'your business survive': 1023081, 'business survive during': 144454, 'this pandemic supermarket': 889429, 'pandemic supermarket gt': 636597, 'supermarket gt you': 820603, 'gt you can': 367650, 'can still operate': 159783, 'still operate but': 800989, 'operate but do': 612984, 'but do follow': 145558, 'do follow the': 249307, 'follow the health': 312530, 'health care and': 386219, 'care and government': 163840, 'and government guideline': 63882, 'government guideline on': 360134, 'guideline on covid': 368453, '19 prevention fuel': 9795, 'prevention fuel station': 671856, 'fuel station gt': 340284, 'station gt same': 796418, 'gt same supermarket': 367634, 'same supermarket thread': 733318, 'supermarket thread continue': 823331, 'thread continue reading': 893534, 'socialidistancing': 780928, 'penrith': 646641, 'bluemountains': 133501, 'that essential': 843724, 'requires 20': 713451, 'min wait': 532590, '20 metre': 13155, 'metre long': 529858, 'outside woolies': 629646, 'woolies with': 1004393, 'little social': 495575, 'distancing turned': 247577, 'local village': 498676, 'supermarket socialidistancing': 822761, 'socialidistancing penrith': 780929, 'penrith bluemountains': 646642, 'nothing is that': 573068, 'is that essential': 452645, 'that essential that': 843725, 'essential that it': 281656, 'that it requires': 844738, 'it requires 20': 460725, 'requires 20 min': 713452, '20 min wait': 13168, 'min wait in': 532591, 'wait in 20': 964139, 'in 20 metre': 419739, '20 metre long': 13156, 'metre long queue': 529859, 'queue outside woolies': 694041, 'outside woolies with': 629647, 'woolies with little': 1004394, 'with little social': 999263, 'little social distancing': 495576, 'social distancing turned': 779750, 'distancing turned around': 247578, 'turned around and': 935827, 'around and went': 93202, 'went home to': 979032, 'home to local': 402328, 'to local village': 909390, 'local village supermarket': 498677, 'village supermarket socialidistancing': 957373, 'supermarket socialidistancing penrith': 822762, 'socialidistancing penrith bluemountains': 780930, 'night all': 562932, 'all big': 42183, 'their bollock': 872628, 'bollock off': 134116, 'off tonight': 594345, 'tonight proper': 924480, 'proper big': 684091, 'night all big': 562933, 'all big love': 42184, 'our nh staff': 624069, 'staff and supermarket': 792163, 'working their bollock': 1008946, 'their bollock off': 872629, 'bollock off tonight': 134117, 'off tonight proper': 594346, 'tonight proper big': 924481, 'proper big love': 684092, 'love to you': 504859, 'publicmedia': 688610, 'supermarket trial': 823539, 'trial new': 931650, 'try reduce': 934551, 'reduce coronavirus': 705809, 'coronavirus queue': 206615, 'queue via': 694115, 'via grocery': 956002, 'groceryshopping supermarket': 366284, 'supermarket lineup': 821333, 'lineup tech': 493675, 'technology socialdistancing': 836368, 'socialdistancing publicmedia': 780629, 'supermarket trial new': 823540, 'trial new system': 931651, 'new system to': 559719, 'system to try': 831358, 'to try reduce': 917819, 'try reduce coronavirus': 934552, 'reduce coronavirus queue': 705810, 'coronavirus queue via': 206616, 'queue via grocery': 694116, 'via grocery groceryshopping': 956003, 'grocery groceryshopping supermarket': 364574, 'groceryshopping supermarket lineup': 366286, 'supermarket lineup tech': 821335, 'lineup tech technology': 493676, 'tech technology socialdistancing': 836162, 'technology socialdistancing publicmedia': 836369, 'euthanasia': 283661, 'warrior and': 967360, 'shelter dog': 757910, 'dog always': 252028, 'life maybe': 488872, 'and euthanasia': 62317, 'euthanasia it': 283662, 'sad but': 729150, 'true while': 933224, 'online help': 608362, 'our warrior and': 625304, 'warrior and shelter': 967361, 'and shelter dog': 71453, 'shelter dog always': 757911, 'dog always need': 252029, 'always need our': 49667, 'our help to': 623413, 'help to save': 390791, 'their life maybe': 873836, 'life maybe not': 488873, 'maybe not from': 521755, 'but from and': 145779, 'from and euthanasia': 334511, 'and euthanasia it': 62318, 'euthanasia it so': 283663, 'it so sad': 461125, 'so sad but': 778138, 'sad but so': 729151, 'but so true': 147077, 'so true while': 778576, 'true while you': 933225, 'shopping online help': 763441, 'online help support': 608365, 'help support with': 390621, 'support with your': 826999, 'with your purchase': 1002223, 'retailer raising': 719287, 'it ensures': 457828, 'that product': 845860, 'purchased by': 689760, 'who value': 989873, 'value them': 952209, 'them most': 876036, 'wrong with retailer': 1013160, 'with retailer raising': 1000508, 'retailer raising price': 719288, 'raising price it': 696120, 'price it ensures': 674915, 'it ensures that': 457830, 'ensures that product': 278159, 'that product can': 845861, 'product can be': 681040, 'can be purchased': 157671, 'be purchased by': 116629, 'purchased by those': 689763, 'those who value': 892691, 'who value them': 989874, 'value them most': 952211, 'them most and': 876037, 'most and help': 542099, 'and help prevent': 64464, 'help prevent shortage': 390346, 'serious until': 751505, 'in naivas': 425661, 'naivas and': 551519, '10 only': 1587, 'never know this': 558092, 'know this covid': 476891, '19 thing is': 11326, 'thing is serious': 884482, 'is serious until': 451792, 'serious until you': 751506, 'until you queue': 943945, 'you queue outside': 1020528, 'supermarket in naivas': 820939, 'in naivas and': 425662, 'naivas and guy': 551520, 'and guy getting': 64055, 'guy getting in': 369004, 'getting in lot': 349055, 'in lot of': 424937, 'lot of 10': 504132, 'of 10 only': 579309, 'case jump': 165843, 'jump via': 467906, '19 case jump': 5687, 'case jump via': 165844, 'emarketer retail': 272410, 'increased activity': 433188, 'emarketer retail store': 272411, 'are closing and': 85388, 'closing and online': 183585, 'shopping is seeing': 763078, 'is seeing increased': 451712, 'seeing increased activity': 746343, 'plutocrat': 661751, 'medical need': 526269, '19 small': 10620, 'focused relief': 311976, 'bill need': 130628, 'out hospital': 626313, 'hospital relief': 404582, 'needed they': 556522, 'to containment': 903371, 'containment plutocrat': 200612, 'plutocrat bailouts': 661752, 'bailouts are': 108682, 'through free': 894474, 'market mechanism': 516711, 'mechanism the': 525856, 'medical need that': 526270, 'need that are': 555723, 'that are required': 842806, 'required to control': 713395, 'control the spread': 202172, 'covid 19 small': 213819, '19 small business': 10621, 'small business consumer': 774846, 'business consumer focused': 143569, 'consumer focused relief': 197507, 'focused relief bill': 311977, 'relief bill need': 709290, 'bill need to': 130629, 'to be put': 901472, 'be put out': 116643, 'put out hospital': 690752, 'out hospital relief': 626314, 'hospital relief is': 404583, 'relief is needed': 709373, 'is needed they': 449866, 'needed they re': 556523, 're essential to': 698621, 'essential to containment': 281691, 'to containment plutocrat': 903372, 'containment plutocrat bailouts': 200613, 'plutocrat bailouts are': 661753, 'bailouts are available': 108683, 'are available through': 84720, 'available through free': 104631, 'through free market': 894475, 'free market mechanism': 331954, 'market mechanism the': 516712, 'containerstore': 200572, 'shuts remaining': 768190, 'remaining store': 709981, 'set stricter': 753477, 'stricter shopping': 813675, 'limit retail': 492474, 'retail containerstore': 717998, 'containerstore housewares': 200573, 'shuts remaining store': 768191, 'remaining store set': 709982, 'store set stricter': 810046, 'set stricter shopping': 753478, 'stricter shopping limit': 813676, 'shopping limit retail': 763175, 'limit retail containerstore': 492475, 'retail containerstore housewares': 717999, 'containerstore housewares homeworld': 200574, 'love em': 504650, 'em or': 272076, 'or hate': 615572, 'hate em': 378880, 'em these': 272083, 'love em or': 504651, 'em or hate': 272077, 'or hate em': 615573, 'hate em these': 378881, 'em these are': 272084, 'the new grocery': 861511, '9honey': 23984, 'hero overworked': 394064, 'and abused': 57573, 'abused supermarket': 27700, 'their coronavirus': 872882, 'experience 9honey': 291304, 'hero overworked and': 394065, 'overworked and abused': 631785, 'and abused supermarket': 57574, 'abused supermarket worker': 27701, 'share their coronavirus': 755262, 'their coronavirus experience': 872883, 'coronavirus experience 9honey': 205898, 'headden': 385887, 'hajjar': 374086, 'seasoned': 743486, 'hajjarpetersllp': 374089, 'todd headden': 920604, 'headden join': 385888, 'join hajjar': 466735, 'hajjar peter': 374087, 'peter seasoned': 653531, 'seasoned bankruptcy': 743487, 'bankruptcy attorney': 110507, 'attorney having': 102666, 'having vast': 384395, 'vast experience': 952705, 'business bankruptcy': 143423, 'bankruptcy case': 110515, 'have him': 380954, 'client navigate': 182070, 'crisis bankruptcy': 217109, 'bankruptcy caresact': 110513, 'caresact hajjarpetersllp': 164633, 'todd headden join': 920605, 'headden join hajjar': 385889, 'join hajjar peter': 466736, 'hajjar peter seasoned': 374088, 'peter seasoned bankruptcy': 653532, 'seasoned bankruptcy attorney': 743488, 'bankruptcy attorney having': 110508, 'attorney having vast': 102667, 'having vast experience': 384396, 'vast experience in': 952706, 'experience in both': 291389, 'in both consumer': 420918, 'both consumer and': 135884, 'and business bankruptcy': 59268, 'business bankruptcy case': 143424, 'bankruptcy case we': 110516, 'case we are': 166094, 'to have him': 907253, 'have him on': 380955, 'him on our': 396682, 'our team to': 625109, 'team to help': 835804, 'help client navigate': 389493, 'client navigate this': 182071, 'navigate this crisis': 553094, 'this crisis bankruptcy': 887021, 'crisis bankruptcy caresact': 217110, 'bankruptcy caresact hajjarpetersllp': 110514, 'of update': 592679, 'update blog': 946885, 'affecting how': 34523, 'shopper search': 761675, 'online new': 608572, 'post every': 666115, 'every ecommerce': 285881, 'read the first': 700573, 'first in our': 308724, 'our new series': 624045, 'series of update': 751281, 'of update blog': 592680, 'update blog to': 946887, 'learn how the': 483991, 'how the global': 408828, 'global pandemic is': 352094, 'is affecting how': 445391, 'affecting how shopper': 34524, 'how shopper search': 408675, 'shopper search and': 761676, 'search and buy': 743220, 'buy online new': 149047, 'online new post': 608573, 'new post every': 559322, 'post every ecommerce': 666116, 'netskope': 557683, 'sanjay': 736562, 'beri': 127317, 'netskope ceo': 557684, 'ceo sanjay': 169828, 'sanjay beri': 736563, 'beri spoke': 127320, 'recent increase': 703914, 'in phishing': 426692, 'federal stimulus': 302061, 'payment crook': 645581, 'criminal feed': 216836, 'on chaos': 599878, 'chaos beri': 173001, 'beri said': 127318, 'said for': 731075, 'perfect environment': 651286, 'netskope ceo sanjay': 557685, 'ceo sanjay beri': 169829, 'sanjay beri spoke': 736564, 'beri spoke with': 127321, 'on the recent': 604324, 'the recent increase': 865313, 'recent increase in': 703915, 'increase in phishing': 432857, 'in phishing scam': 426693, 'phishing scam around': 654831, 'scam around covid': 740050, 'the federal stimulus': 855080, 'federal stimulus payment': 302062, 'stimulus payment crook': 801601, 'payment crook and': 645582, 'crook and criminal': 218866, 'and criminal feed': 60751, 'criminal feed on': 216837, 'feed on chaos': 302346, 'on chaos beri': 599879, 'chaos beri said': 173002, 'beri said for': 127319, 'said for them': 731076, 'for them this': 326925, 'the perfect environment': 863535, 'shocking service': 759618, 'service severely': 752815, 'severely disabled': 754083, 'and bed': 58799, 'bed bound': 120386, 'bound friend': 136854, 'own had': 632040, 'shop taken': 760879, 'taken back': 832957, 'driver wouldn': 259863, 'the communal': 851258, 'communal door': 189529, 'shopping outside': 763574, 'outside his': 629449, 'flat door': 310071, 'door customerservice': 255562, 'customerservice coronacrisis': 223161, 'shocking service severely': 759619, 'service severely disabled': 752816, 'severely disabled and': 754084, 'disabled and bed': 243872, 'and bed bound': 58800, 'bed bound friend': 120387, 'bound friend who': 136855, 'friend who life': 333902, 'life on his': 488935, 'on his own': 601325, 'his own had': 397673, 'own had his': 632041, 'had his online': 373186, 'his online shop': 397657, 'online shop taken': 608989, 'shop taken back': 760880, 'taken back the': 832958, 'back the driver': 107306, 'the driver wouldn': 853703, 'driver wouldn go': 259864, 'wouldn go through': 1012471, 'through the communal': 894726, 'the communal door': 851259, 'communal door to': 189530, 'door to leave': 255752, 'leave the shopping': 484976, 'the shopping outside': 867070, 'shopping outside his': 763576, 'outside his flat': 629450, 'his flat door': 397438, 'flat door customerservice': 310072, 'door customerservice coronacrisis': 255563, 'rdguk': 698158, 'today came': 919357, 'in economy': 422487, 'economy make': 268056, 'sense the': 750599, 'develop business': 239631, 'behaviour already': 124349, 'how local': 408181, 'in rdguk': 427274, 'rdguk are': 698159, 'this cont': 886847, 'cont mkt': 199977, 'today came across': 919358, 'came across the': 156962, 'across the concept': 29489, 'concept of the': 192870, 'of the shut': 591463, 'the shut in': 867127, 'shut in economy': 767893, 'in economy make': 422490, 'economy make sense': 268057, 'make sense the': 510443, 'sense the outbreak': 750601, 'the outbreak continues': 862606, 'continues to develop': 201466, 'to develop business': 904245, 'develop business need': 239632, 'to new consumer': 910552, 'new consumer behaviour': 558518, 'consumer behaviour already': 196550, 'behaviour already seeing': 124350, 'already seeing how': 47633, 'seeing how local': 746325, 'how local business': 408182, 'business in rdguk': 143897, 'in rdguk are': 427275, 'rdguk are trying': 698160, 'adapt to this': 31291, 'to this cont': 917411, 'this cont mkt': 886848, 'savy': 738036, 'that savy': 846131, 'savy in': 738037, 'economics answer': 267431, 'answer this': 78122, 'when retail': 983945, 'open back': 612104, 'up mall': 945359, 'mall do': 511776, 'huge sale': 410183, 'full retail': 340859, 'retail to': 718793, 'for missed': 323466, 'missed business': 534226, 'someone that savy': 784688, 'that savy in': 846132, 'savy in economics': 738038, 'in economics answer': 422485, 'economics answer this': 267432, 'answer this when': 78123, 'this when retail': 891356, 'when retail store': 983946, 'store open back': 809252, 'open back up': 612105, 'back up mall': 107428, 'up mall do': 945360, 'mall do they': 511777, 'they have huge': 882327, 'have huge sale': 380997, 'huge sale or': 410184, 'sale or will': 732433, 'the price be': 864333, 'price be full': 672858, 'be full retail': 114979, 'full retail to': 340860, 'retail to make': 718795, 'up for missed': 944946, 'for missed business': 323467, 'retiree': 719694, 'telstra offer': 837306, 'offer our': 594732, 'customer extra': 222361, 'extra data': 293492, 'offer unlimited': 594863, 'unlimited phone': 942785, 'to retiree': 913469, 'retiree we': 719699, 'telstra offer our': 837307, 'offer our consumer': 594733, 'business customer extra': 143610, 'customer extra data': 222362, 'extra data and': 293493, 'data and offer': 226123, 'and offer unlimited': 67974, 'offer unlimited phone': 594864, 'unlimited phone call': 942786, 'phone call to': 654932, 'call to retiree': 156186, 'to retiree we': 913471, 'retiree we want': 719700, 'our customer who': 622680, 'customer who must': 223081, 'who must work': 989304, 'must work from': 547006, 'from home stay': 335906, 'home stay connected': 402120, 'about he': 25354, 'he tweeted': 385553, 'worried about he': 1010494, 'about he tweeted': 25355, 'he tweeted on': 385554, 'what honour': 981605, 'honour we': 403304, 'but dogsoftwitter': 145579, 'dogsoftwitter alien': 252224, 'finally here what': 306042, 'here what honour': 393810, 'what honour we': 981606, 'honour we are': 403305, 'sorry but dogsoftwitter': 786027, 'but dogsoftwitter alien': 145580, 'dogsoftwitter alien toiletpaper': 252225, 'ottnews': 621918, 'surging canadian': 828407, 'canadian stock': 160751, 'pandemic ottnews': 636124, 'grocery sale are': 364930, 'sale are surging': 732070, 'are surging canadian': 90676, 'surging canadian stock': 828408, 'canadian stock up': 160752, 'during the uncertainty': 263212, 'uncertainty of the': 939730, '19 pandemic ottnews': 9419, 'covud19': 214449, 'industry hard': 435869, 'hard while': 378110, 'chicken have': 175793, '40 kg': 18591, 'kg and': 473638, 'raw poultry': 697988, 'poultry to': 667348, '15 poultry': 3828, 'bird with': 131356, 'either distribute': 270288, 'free or': 332033, 'not feeding': 569380, 'feeding them': 302489, 'them covud19': 875570, 'panic over ha': 638389, 'over ha hit': 630266, 'hit the poultry': 398439, 'poultry industry hard': 667327, 'industry hard while': 435870, 'hard while the': 378112, 'while the price': 987409, 'of chicken have': 581331, 'chicken have come': 175794, 'have come down': 380027, 'down to 40': 257358, 'to 40 kg': 899713, '40 kg and': 18592, 'kg and those': 473641, 'those of raw': 892267, 'of raw poultry': 588759, 'raw poultry to': 697989, 'poultry to 15': 667349, 'to 15 poultry': 899503, '15 poultry farmer': 3829, 'poultry farmer are': 667320, 'keep the bird': 472025, 'the bird with': 849728, 'bird with them': 131358, 'them and now': 875392, 'now they either': 576106, 'they either distribute': 882030, 'either distribute them': 270289, 'distribute them for': 248017, 'for free or': 321723, 'free or they': 332036, 'or they let': 617428, 'they let them': 882560, 'let them die': 487149, 'them die by': 875596, 'die by not': 241310, 'by not feeding': 153359, 'not feeding them': 569381, 'feeding them covud19': 302490, 'terminate': 838373, 'absolutely verizon': 27462, 'verizon will': 954828, 'not terminate': 571954, 'terminate service': 838376, 'consumer residential': 198767, 'residential or': 714437, 'their inability': 873636, 'their bill': 872613, 'well waive': 978732, 'waive any': 964497, 'any late': 79394, 'next 60': 561273, 'day http': 227771, 'absolutely verizon will': 27463, 'verizon will not': 954829, 'will not terminate': 994280, 'not terminate service': 571956, 'terminate service to': 838377, 'service to any': 752967, 'to any consumer': 900601, 'any consumer residential': 79057, 'consumer residential or': 198768, 'residential or small': 714438, 'business customer because': 143609, 'of their inability': 591672, 'their inability to': 873637, 'inability to pay': 431176, 'pay their bill': 645157, 'their bill due': 872616, 'bill due to': 130558, 'to coronavirus pandemic': 903562, 'pandemic well waive': 636965, 'well waive any': 978733, 'waive any late': 964498, 'any late fee': 79395, 'late fee for': 480872, 'fee for the': 302178, 'the next 60': 861649, 'next 60 day': 561274, '60 day http': 20927, 'ff': 304253, 'pail': 634212, 'zonrox': 1027785, 'entering your': 278441, 'house me': 406404, 'my ate': 547344, 'ate our': 101725, 'border went': 135290, 'home before': 400791, 'main door': 508740, 'asked mom': 95796, 'prepare the': 670128, 'the ff': 855131, 'ff pail': 304256, 'pail of': 634213, 'water with': 969263, 'disinfectant zonrox': 245817, 'zonrox 70': 1027786, 'tip to prevent': 898935, 'prevent 19 from': 671575, '19 from entering': 7121, 'from entering your': 335292, 'entering your house': 278443, 'your house me': 1024414, 'house me and': 406405, 'and my ate': 67351, 'my ate our': 547345, 'ate our border': 101726, 'our border went': 622243, 'border went to': 135291, 'supermarket yesterday when': 824180, 'yesterday when we': 1015952, 'we re home': 972896, 're home before': 698824, 'home before entering': 400792, 'entering the main': 278426, 'the main door': 859901, 'main door we': 508741, 'door we asked': 255775, 'we asked mom': 970786, 'asked mom to': 95797, 'mom to prepare': 535818, 'to prepare the': 912010, 'prepare the ff': 670129, 'the ff pail': 855132, 'ff pail of': 304257, 'pail of water': 634214, 'of water with': 592946, 'water with disinfectant': 969264, 'with disinfectant zonrox': 998087, 'disinfectant zonrox 70': 245818, 'zonrox 70 alcohol': 1027787, 'distraught': 247919, 'is distraught': 447246, 'distraught there': 247920, 'there guy': 878447, 'on mobility': 602144, 'scooter mum': 742328, 'mum going': 545899, 'and round': 70602, 'round with': 726386, 'daughter is distraught': 226867, 'is distraught there': 447247, 'distraught there guy': 247921, 'there guy on': 878448, 'guy on mobility': 369100, 'on mobility scooter': 602145, 'mobility scooter mum': 535091, 'scooter mum going': 742329, 'mum going round': 545900, 'going round and': 355436, 'round and round': 726317, 'and round with': 70603, 'round with nothing': 726387, 'in the basket': 429009, 'local case': 497805, 'customer talking': 222895, 'trip they': 932178, 'being nearly': 125448, 'nearly emptied': 553818, 'emptied daily': 274676, 'small city': 774916, 'city it': 179218, 'local case of': 497806, '19 now and': 8850, 'now and ve': 574066, 've been stuck': 952935, 'stuck at my': 814581, 'at my essential': 99809, 'my essential retail': 548108, 'essential retail job': 281469, 'retail job with': 718258, 'job with customer': 466304, 'with customer talking': 997903, 'customer talking about': 222896, 'about the trip': 26544, 'the trip they': 869998, 'trip they just': 932179, 'they just got': 882496, 'back from store': 107015, 'are being nearly': 84887, 'being nearly emptied': 125449, 'nearly emptied daily': 553819, 'emptied daily and': 274677, 'daily and live': 224497, 'and live in': 66253, 'live in small': 495885, 'in small city': 428013, 'small city it': 774917, 'city it going': 179219, 'to be hard': 901293, 'hard to avoid': 378051, 'to avoid this': 900950, 'aen': 33884, 'jvvnl': 470539, 'visit near': 959308, 'by aen': 151765, 'aen office': 33885, 'office after': 595345, 'pandemic regarding': 636313, 'regarding same': 707252, 'same thanks': 733322, 'thanks team': 842187, 'team jvvnl': 835716, 'dear consumer please': 229767, 'consumer please visit': 198379, 'please visit near': 660726, 'visit near by': 959309, 'near by aen': 553469, 'by aen office': 151766, 'aen office after': 33886, 'office after covid': 595346, '19 pandemic regarding': 9443, 'pandemic regarding same': 636314, 'regarding same thanks': 707253, 'same thanks team': 733323, 'thanks team jvvnl': 842188, 'deliver medicine': 233175, 'medicine local': 526828, 'shopping deliver': 762446, 'deliver vegetable': 233259, 'vegetable stayhomesavelives': 954095, 'reason or': 702969, 'common and': 189359, 'special who': 788099, 'cannot catch': 161708, 'catch pas': 167020, 'pharmacy can deliver': 654267, 'can deliver medicine': 158044, 'deliver medicine local': 233176, 'medicine local friend': 526829, 'local friend online': 497998, 'friend online shopping': 333739, 'online shopping deliver': 609087, 'shopping deliver vegetable': 762447, 'deliver vegetable stayhomesavelives': 233260, 'vegetable stayhomesavelives is': 954096, 'stayhomesavelives is there': 798397, 'there for reason': 878409, 'for reason or': 325000, 'reason or is': 702970, 'is it maybe': 449037, 'it maybe it': 459560, 'just common and': 468506, 'common and special': 189360, 'and special who': 72071, 'special who think': 788100, 'think they cannot': 885679, 'they cannot catch': 881703, 'cannot catch pas': 161711, 'catch pas it': 167021, 'gentleman the': 345847, 'an asda': 55430, 'asda in': 94930, 'london will': 501231, 'remain anonymous': 709695, 'anonymous abandoned': 77448, 'abandoned purchase': 24210, 'purchase left': 689524, 'workshop perishable': 1009230, 'food included': 314989, 'included additionally': 431670, 'additionally among': 31906, 'diaper the': 240367, 'up london': 945343, 'london asda': 501030, 'and gentleman the': 63534, 'gentleman the store': 345848, 'in an asda': 420283, 'an asda in': 55431, 'asda in london': 94932, 'in london will': 424905, 'london will remain': 501232, 'will remain anonymous': 994625, 'remain anonymous abandoned': 709696, 'anonymous abandoned purchase': 77449, 'abandoned purchase left': 24211, 'purchase left by': 689525, 'left by panicked': 485437, 'by panicked buyer': 153524, 'panicked buyer in': 639257, 'buyer in the': 149670, 'the workshop perishable': 871797, 'workshop perishable food': 1009231, 'perishable food included': 651972, 'food included additionally': 314990, 'included additionally among': 431671, 'additionally among the': 31907, 'among the lot': 53065, 'the lot are': 859740, 'lot are baby': 503989, 'are baby milk': 84737, 'baby milk toilet': 106670, 'paper and diaper': 639818, 'and diaper the': 61312, 'diaper the staff': 240368, 'the staff cannot': 867684, 'staff cannot keep': 792302, 'keep up london': 472174, 'up london asda': 945344, 'wa disgusted': 961992, 'guy made': 369079, 'our iced': 623503, 'iced coffee': 412694, 'after wiping': 36549, 'washing notright': 967701, 'wa disgusted after': 961993, 'yesterday wa at': 1015916, 'store so came': 810215, 'so came in': 776697, 'came in wearing': 157019, 'in wearing mask': 430736, 'mask the guy': 519355, 'the guy made': 856962, 'guy made our': 369080, 'made our iced': 507897, 'our iced coffee': 623504, 'iced coffee after': 412695, 'coffee after wiping': 185449, 'after wiping his': 36550, 'wiping his nose': 996519, 'glove no hand': 352806, 'hand washing notright': 375952, 'is cartel': 446398, 'cartel that': 165457, 'that set': 846213, 'price harm': 674404, 'harm consumer': 378389, 'and strengthens': 72552, 'strengthens them': 813279, 'them dictator': 875591, 'dictator the': 240521, 'is inadequate': 448832, 'opec is cartel': 611903, 'is cartel that': 446399, 'cartel that set': 165458, 'that set price': 846214, 'set price harm': 753461, 'price harm consumer': 674405, 'harm consumer enriches': 378390, 'enriches enemy and': 277833, 'enemy and strengthens': 276345, 'and strengthens them': 72553, 'strengthens them dictator': 813280, 'them dictator the': 875592, 'dictator the reduction': 240522, 'reduction in supply': 706370, 'supply is inadequate': 825445, 'is inadequate violate': 448833, 'nazi': 553186, 'supermarket wks': 823955, 'wks asked': 1003237, 'know employee': 476363, 'ha case': 370063, 'become nazi': 120069, 'nazi some': 553187, 'some nasty': 783335, 'nasty bitch': 552056, 'bitch tell': 131772, 'hand outside': 375165, 'outside geez': 629434, 'so my favorite': 777835, 'my favorite supermarket': 548278, 'favorite supermarket wks': 300560, 'supermarket wks asked': 823956, 'wks asked employee': 1003238, 'asked employee not': 95735, 'wear mask do': 974382, 'not know employee': 570293, 'know employee ha': 476364, 'employee ha case': 273901, 'ha case of': 370064, '19 they have': 11310, 'have become nazi': 379442, 'become nazi some': 120070, 'nazi some nasty': 553188, 'some nasty bitch': 783336, 'nasty bitch tell': 552057, 'bitch tell me': 131773, 'me to wait': 523796, 'in line the': 424776, 'line the only': 493454, 'only person and': 610953, 'person and then': 652310, 'and then wash': 73820, 'then wash my': 877718, 'my hand outside': 548611, 'hand outside geez': 375166, 'betfred': 128144, 'course betfred': 211844, 'betfred will': 128145, 'last company': 480152, 'request rent': 713194, 'rent holiday': 711111, 'of course betfred': 582046, 'course betfred will': 211845, 'betfred will not': 128146, 'the last company': 859002, 'last company to': 480153, 'company to request': 191241, 'to request rent': 913310, 'request rent holiday': 713195, 'rent holiday in': 711112, 'holiday in the': 400319, 'issue woolies': 456026, 'woolies then': 1004389, 'significant item': 769467, 'item shortage': 463639, 'shortage hate': 764985, 'isolation trying': 455478, 'don have supply': 253617, 'have supply issue': 382860, 'supply issue woolies': 825467, 'issue woolies then': 456027, 'woolies then why': 1004390, 'then why wa': 877763, 'why wa my': 991506, 'wa my online': 962677, 'shopping order cancelled': 763559, 'order cancelled due': 618116, 'to significant item': 914648, 'significant item shortage': 769468, 'item shortage hate': 463641, 'shortage hate to': 764986, 'hate to be': 378930, 'in isolation trying': 424209, 'isolation trying to': 455479, 'trying to feed': 934804, 'vandalism': 952387, 'armchair': 92931, 'night two': 563114, 'two dumb': 936903, 'were done': 979536, 'neighborhood rock': 557143, 'rock through': 724928, 'window not': 995689, 'not robbery': 571394, 'robbery just': 724669, 'just vandalism': 470178, 'vandalism and': 952388, 'also this': 49005, 'this burnt': 886627, 'burnt out': 142932, 'out armchair': 625728, 'armchair not': 92932, 'usual shenanigan': 951010, 'last night two': 480399, 'night two dumb': 563115, 'two dumb thing': 936904, 'dumb thing were': 262121, 'thing were done': 884973, 'were done in': 979537, 'done in my': 254893, 'my neighborhood rock': 549435, 'neighborhood rock through': 557144, 'rock through the': 724929, 'store window not': 811352, 'window not robbery': 995690, 'not robbery just': 571395, 'robbery just vandalism': 724670, 'just vandalism and': 470179, 'vandalism and also': 952389, 'and also this': 57979, 'also this burnt': 49006, 'this burnt out': 886628, 'burnt out armchair': 142933, 'out armchair not': 625729, 'armchair not at': 92933, 'at all usual': 97919, 'all usual shenanigan': 45346, 'testifies': 839405, 'will once': 994314, 'again be': 36912, 'be incredibly': 115468, 'author testifies': 103649, 'testifies on': 839406, 'to bet that': 901781, 'bet that next': 128104, 'that next week': 845340, 'initial unemployment roll': 438562, 'unemployment roll will': 941291, 'roll will once': 725603, 'will once again': 994315, 'once again be': 605556, 'again be incredibly': 36913, 'be incredibly bad': 115469, 'the author testifies': 849071, 'author testifies on': 103650, 'testifies on the': 839407, '19 president': 9789, 'president uhuru': 670958, 'kenyatta ha': 473007, 'facing kenyan': 295518, 'kenyan rent': 472982, 'rent fuel': 711099, 'price food': 673912, 'distribution electricity': 248147, 'electricity water': 271222, 'water bill': 968916, 'bill tax': 130684, 'tax burden': 834947, 'burden people': 142756, 'suffering crime': 817291, 'depression will': 237679, 'covid 19 president': 213607, '19 president uhuru': 9790, 'president uhuru kenyatta': 670959, 'uhuru kenyatta ha': 938105, 'kenyatta ha failed': 473008, 'ha failed to': 370584, 'failed to address': 296172, 'address the most': 32041, 'most important issue': 542402, 'important issue facing': 418850, 'issue facing kenyan': 455746, 'facing kenyan rent': 295519, 'kenyan rent fuel': 472983, 'rent fuel price': 711100, 'fuel price food': 340233, 'price food distribution': 673913, 'food distribution electricity': 314227, 'distribution electricity water': 248148, 'electricity water bill': 271224, 'water bill tax': 968917, 'bill tax burden': 130685, 'tax burden people': 834949, 'burden people out': 142757, 'out here are': 626271, 'here are suffering': 392759, 'are suffering crime': 90627, 'suffering crime and': 817292, 'crime and depression': 216771, 'and depression will': 61237, 'depression will set': 237680, 'will set in': 994825, 'pls tell': 661192, 'pls tell the': 661193, 'pharmacist to drop': 654184, 'drop the price': 260406, 'of the sanitizers': 591434, 'the sanitizers how': 866361, 'had rotten': 373462, 'rotten day': 726204, 'day having': 227740, 'abuse can': 27621, 'kind amp': 474797, 'amp considerate': 53553, 'fault there': 300423, 'you just had': 1019422, 'just had rotten': 468906, 'had rotten day': 373463, 'rotten day having': 726205, 'day having to': 227741, 'having to take': 384368, 'to take lot': 916198, 'of abuse can': 579723, 'abuse can just': 27622, 'the please be': 863839, 'be kind amp': 115610, 'kind amp considerate': 474798, 'amp considerate to': 53554, 'considerate to the': 195236, 'staff it not': 792586, 'their fault there': 873291, 'fault there are': 300424, 'long line no': 501499, 'line no stock': 493284, 'no stock and': 565577, 'stock and no': 801818, 'and no delivery': 67607, 'con want': 192814, 'on saving': 603314, 'saving corp': 737860, 'corp business': 207185, 'business dems': 143629, 'dems want': 236897, 'people family': 647868, 'family now': 298087, 'now tell': 575974, 'me unless': 523849, 'talking corporate': 834007, 'corporate welfare': 207358, 'welfare paid': 977967, 'by stealing': 154114, 'stealing our': 799244, 'tax how': 835006, 'can corp': 158003, 'corp thrive': 207217, 'thrive without': 894215, 'without healthy': 1002713, 'healthy financially': 387612, 'financially sound': 306684, 'sound consumer': 786275, 'base maga': 111461, 'con want to': 192815, 'want to focus': 966037, 'focus on saving': 311895, 'on saving corp': 603315, 'saving corp business': 737861, 'corp business dems': 207186, 'business dems want': 143630, 'dems want the': 236898, 'want the focus': 965956, 'on saving people': 603316, 'saving people family': 737946, 'people family now': 647869, 'family now tell': 298088, 'now tell me': 575975, 'tell me unless': 837029, 'me unless you': 523850, 'you re talking': 1020768, 're talking corporate': 699663, 'talking corporate welfare': 834008, 'corporate welfare paid': 207359, 'welfare paid for': 977968, 'paid for by': 634015, 'for by stealing': 319866, 'by stealing our': 154115, 'stealing our tax': 799245, 'our tax how': 625086, 'tax how can': 835007, 'how can corp': 407499, 'can corp thrive': 158004, 'corp thrive without': 207218, 'thrive without healthy': 894216, 'without healthy financially': 1002714, 'healthy financially sound': 387613, 'financially sound consumer': 306685, 'sound consumer base': 786276, 'consumer base maga': 196404, 'nyc bad': 577967, 'news lot': 560595, 'delivery schedule': 234409, 'schedule are': 741427, 'etc good': 282563, 'paper lot': 640426, 'store early': 807425, 'early hour': 264616, 'senior lot': 750350, 'restaurant del': 716412, 'in nyc bad': 426017, 'nyc bad news': 577968, 'bad news lot': 107955, 'news lot of': 560596, 'store delivery schedule': 807292, 'delivery schedule are': 234410, 'schedule are full': 741428, 'are full week': 86738, 'full week out': 340976, 'week out no': 976711, 'out no hand': 626640, 'sanitizer disinfecting wipe': 734759, 'disinfecting wipe etc': 245896, 'wipe etc good': 996249, 'etc good news': 282564, 'good news lot': 357453, 'toilet paper lot': 921341, 'paper lot of': 640427, 'of well stocked': 593023, 'well stocked store': 978606, 'stocked store early': 803404, 'store early hour': 807426, 'early hour for': 264617, 'for senior lot': 325466, 'senior lot of': 750351, 'lot of restaurant': 504269, 'of restaurant del': 589014, 'deza': 240049, 'step begin': 799510, 'begin disinformation': 123518, 'disinformation campaign': 245945, 'campaign on': 157240, '19 step': 10842, 'step wh': 799704, 'wh call': 980901, 'on silicon': 603464, 'valley to': 951992, 'combat deza': 187003, 'deza they': 240050, 'they comply': 881791, 'comply step': 192528, 'wh asks': 980894, 'asks silicon': 96160, 'prevention they': 671895, 'wh hand': 980907, 'hand data': 374889, 'data over': 226330, 'step begin disinformation': 799511, 'begin disinformation campaign': 123519, 'disinformation campaign on': 245946, 'campaign on covid': 157241, 'covid 19 step': 213864, '19 step wh': 10843, 'step wh call': 799706, 'wh call on': 980902, 'call on silicon': 156046, 'on silicon valley': 603465, 'silicon valley to': 769728, 'valley to do': 951994, 'more to combat': 540786, 'to combat deza': 902993, 'combat deza they': 187004, 'deza they comply': 240051, 'they comply step': 881792, 'comply step wh': 192529, 'step wh asks': 799705, 'wh asks silicon': 980895, 'asks silicon valley': 96161, 'valley to hand': 951995, 'hand over consumer': 375168, 'over consumer data': 630103, 'consumer data for': 197055, 'data for covid': 226213, '19 prevention they': 9800, 'prevention they comply': 671896, 'step wh hand': 799707, 'wh hand data': 980908, 'hand data over': 374890, 'data over to': 226331, 'over to trump': 630844, 'to trump campaign': 917799, 'retailer today': 719388, 'them mentioned': 876023, 'mentioned layoff': 528834, 'layoff another': 482678, 'another said': 77824, 'mode difficult': 535162, 'do retail': 250043, 'distancing stark': 247496, 'stark reminder': 794169, 'spoke with some': 789752, 'with some retailer': 1000863, 'some retailer today': 783771, 'retailer today one': 719389, 'of them mentioned': 591752, 'them mentioned layoff': 876024, 'mentioned layoff another': 528835, 'layoff another said': 482679, 'another said the': 77826, 'said the store': 731452, 'store wa in': 811116, 'wa in survival': 962386, 'survival mode difficult': 829057, 'mode difficult to': 535163, 'to do retail': 904547, 'do retail with': 250045, 'retail with social': 718865, 'social distancing stark': 779724, 'distancing stark reminder': 247497, 'stark reminder of': 794170, 'reminder of the': 710575, 'of the devastating': 590947, 'this situation on': 890186, 'situation on the': 772422, 'optimum how': 613962, 'store decent': 807278, 'decent wage': 230807, 'then stop': 877571, 'it evil': 457890, 'evil that': 288462, 'optimum how about': 613963, 'about you pay': 26978, 'you pay the': 1020309, 'pay the minimum': 645151, 'minimum wage earner': 533227, 'earner in your': 264846, 'your store decent': 1025968, 'store decent wage': 807279, 'decent wage and': 230808, 'wage and then': 963818, 'and then stop': 73813, 'then stop gouging': 877573, 'stop gouging people': 804693, 'gouging people with': 359426, 'people with your': 650483, 'with your product': 1002222, 'your product it': 1025439, 'product it evil': 681334, 'it evil that': 457891, 'evil that you': 288463, 'that you ve': 847750, 'on essential and': 600580, 'essential and while': 280793, 'and while you': 75576, 'at it put': 99333, 'it put more': 460568, 'put more safety': 690697, 'more safety measure': 540301, 'safety measure in': 730624, 'place and limit': 657315, 'perfecting': 651376, 'been perfecting': 121658, 'perfecting dramatic': 651379, 'dramatic hair': 258290, 'hair flip': 373984, 'flip for': 310599, 'good thing ve': 357855, 've been perfecting': 952917, 'been perfecting dramatic': 121659, 'perfecting dramatic hair': 651380, 'dramatic hair flip': 258291, 'hair flip for': 373985, 'flip for year': 310600, 'for year it': 328009, 'year it really': 1014681, 'it really helped': 460642, 'helped me out': 391085, 'out and not': 625681, 'and not touching': 67785, 'not touching my': 572240, 'my face in': 548157, 'every har': 285921, 'har customer': 377792, 'that requested': 846002, 'requested case': 713246, 'the complimentary': 851404, 'complimentary sanitizer': 192513, 'produced ha': 680519, 'received their': 703694, 'their carton': 872743, 'carton or': 165490, 'be receiving': 116722, 'receiving it': 703777, 'every har customer': 285922, 'har customer that': 377793, 'customer that requested': 222921, 'that requested case': 846003, 'requested case of': 713247, 'of the complimentary': 590881, 'the complimentary sanitizer': 851405, 'complimentary sanitizer we': 192514, 'sanitizer we produced': 736047, 'we produced ha': 972759, 'produced ha received': 680520, 'ha received their': 371669, 'received their carton': 703695, 'their carton or': 872744, 'carton or will': 165491, 'will be receiving': 992635, 'be receiving it': 116724, 'receiving it soon': 703778, 'it soon we': 461178, 'soon we re': 785896, 'help during 19': 389605, 'rationing coming': 697804, 'up infuriates': 945202, 'infuriates in': 438250, 'of plenty': 588173, 'plenty can': 660911, 'bit le': 131597, 'le ignorant': 482985, 'ignorant with': 415803, 'buying dontpanicbuy': 150204, 'dontpanicbuy bekind': 255385, 'hear that there': 387999, 'is the possibility': 452899, 'possibility of food': 665545, 'of food rationing': 583759, 'food rationing coming': 316127, 'rationing coming up': 697805, 'coming up infuriates': 188261, 'up infuriates in': 945203, 'infuriates in this': 438251, 'age of plenty': 37872, 'of plenty can': 588174, 'plenty can we': 660912, 'we just be': 972101, 'just be little': 468273, 'be little bit': 115772, 'little bit le': 495256, 'bit le ignorant': 131599, 'le ignorant with': 482986, 'ignorant with all': 415804, 'panic buying dontpanicbuy': 637710, 'buying dontpanicbuy bekind': 150205, 'hre': 409687, 'wwouldn': 1013708, 'incase anyone': 431336, 'anyone hre': 80370, 'hre doesn': 409688, 'government wwouldn': 360832, 'wwouldn stage': 1013709, 'stage worldwide': 793224, 'worldwide fake': 1010348, 'fake pandemic': 296688, 'just incase anyone': 469055, 'incase anyone hre': 431337, 'anyone hre doesn': 80371, 'hre doesn believe': 409689, 'doesn believe that': 251716, 'the government wwouldn': 856632, 'government wwouldn stage': 360833, 'wwouldn stage worldwide': 1013710, 'stage worldwide fake': 793225, 'worldwide fake pandemic': 1010349, 'fake pandemic here': 296689, 'pandemic here is': 635623, 'is the proof': 452908, 'restaurant call': 716350, 'in restaurant call': 427428, 'australia stunning': 103392, 'stunning housing': 815315, 'market rebound': 516955, 'rebound is': 703315, 'growth slowed': 367452, 'slowed in': 774497, 'that drop': 843634, '20 could': 13013, 'play houseprices': 659166, 'australia stunning housing': 103393, 'stunning housing market': 815316, 'housing market rebound': 407109, 'market rebound is': 516956, 'rebound is set': 703318, 'set to end': 753513, 'end price growth': 275943, 'price growth slowed': 674368, 'growth slowed in': 367453, 'slowed in march': 774498, 'march and price': 515274, 'and price could': 69444, 'could fall by': 209165, 'fall by much': 296870, 'much 10 by': 544666, '10 by the': 1354, 'year with fear': 1015113, 'with fear that': 998404, 'fear that drop': 301362, 'that drop of': 843635, 'of 20 could': 579449, '20 could be': 13014, 'be in play': 115424, 'in play houseprices': 426791, 'rubbishing': 726999, 'by rubbishing': 153843, 'rubbishing claim': 727000, 'line would': 493612, 'cope spread': 203327, 'spread grossly': 790550, 'grossly irresponsible': 366463, 'irresponsible medium': 445061, 'medium were': 527350, 'which did': 985812, 'did inevitably': 240652, 'inevitably create': 436418, 'early in march': 264622, 'in march by': 425087, 'march by rubbishing': 515311, 'by rubbishing claim': 153844, 'rubbishing claim that': 727001, 'claim that supermarket': 179834, 'that supermarket supply': 846576, 'supermarket supply line': 823050, 'supply line would': 825514, 'line would be': 493613, 'would be able': 1011541, 'able to cope': 24467, 'to cope spread': 903509, 'cope spread grossly': 203328, 'spread grossly irresponsible': 790551, 'grossly irresponsible medium': 366464, 'irresponsible medium were': 445062, 'medium were the': 527351, 'were the cause': 980237, 'cause of panic': 167685, 'buying which did': 151355, 'which did inevitably': 985813, 'did inevitably create': 240653, 'inevitably create temporary': 436419, 'create temporary shortage': 215753, '25kg': 16088, 'today our': 920002, 'neighbor gave': 557018, 'gave 25kg': 344589, '25kg of': 16089, 'flour bc': 311080, 'afford buying': 34683, 'buying one': 150813, 'one since': 607044, 'af and': 33947, 're broke': 698385, 'broke so': 140856, 'please guy': 660043, 'guy help': 369022, 'afford this': 34784, 'today our neighbor': 920004, 'our neighbor gave': 624007, 'neighbor gave 25kg': 557019, 'gave 25kg of': 344590, '25kg of flour': 16090, 'of flour bc': 583597, 'flour bc we': 311081, 'bc we could': 113309, 'could not afford': 209430, 'not afford buying': 568077, 'afford buying one': 34684, 'buying one since': 150815, 'one since the': 607046, 'since the price': 770902, 'are high af': 87148, 'high af and': 394905, 'af and we': 33949, 'we re broke': 972836, 're broke so': 698386, 'broke so please': 140857, 'so please guy': 778021, 'please guy help': 660044, 'guy help people': 369023, 'people around who': 647146, 'around who may': 93630, 'be in need': 115418, 'need and cannot': 554419, 'cannot afford this': 161617, 'afford this stayathome': 34786, 'pipeline fund': 656899, 'security to': 744780, 'with asset': 997318, 'asset coverage': 96424, 'coverage requirement': 212377, 'requirement exacerbating': 713429, 'exacerbating pain': 288683, 'pain for': 634224, 'struggling sector': 814487, 'pipeline fund have': 656900, 'fund have been': 341425, 'been hit hard': 121298, 'hard by collapse': 377885, 'by collapse in': 152149, '19 now they': 8862, 're being forced': 698358, 'forced to sell': 328653, 'to sell security': 914172, 'sell security to': 748873, 'security to comply': 744781, 'comply with asset': 192531, 'with asset coverage': 997319, 'asset coverage requirement': 96425, 'coverage requirement exacerbating': 212378, 'requirement exacerbating pain': 713430, 'exacerbating pain for': 288684, 'pain for an': 634225, 'already struggling sector': 47697, 'galling': 342954, 'dropping quality': 260719, 'to sd': 913941, 'sd across': 743020, 'europe for': 283440, 'foreseeable not': 329068, 'not dropping': 569116, 'reflect that': 706624, 'they seems': 883306, 'seems kind': 746803, 'of galling': 584026, 'galling given': 342955, 'given they': 351173, 'so and are': 776505, 'and are dropping': 58307, 'are dropping quality': 86014, 'dropping quality to': 260720, 'quality to sd': 691862, 'to sd across': 913942, 'sd across europe': 743021, 'across europe for': 29326, 'europe for the': 283441, 'the foreseeable not': 855697, 'foreseeable not dropping': 329069, 'not dropping their': 569117, 'dropping their subscription': 260741, 'their subscription price': 874889, 'subscription price to': 815907, 'price to reflect': 677031, 'to reflect that': 913068, 'reflect that though': 706625, 'that though are': 847018, 'though are they': 892777, 'are they seems': 91022, 'they seems kind': 883307, 'seems kind of': 746804, 'kind of galling': 474899, 'of galling given': 584027, 'galling given they': 342956, 'given they re': 351174, 'they re business': 883005, 're business that': 698394, 'business that will': 144492, 'will make million': 994087, 'million from this': 532166, 'rose on': 726085, 'thursday on': 895407, 'on expectation': 600672, 'expectation the': 290856, 'producer would': 680727, 'would agree': 1011495, 'meeting later': 527724, 'industry grapple': 435855, 'price rose on': 676272, 'rose on thursday': 726088, 'on thursday on': 604676, 'thursday on expectation': 895408, 'on expectation the': 600674, 'expectation the world': 290859, 'world largest oil': 1009745, 'oil producer would': 597350, 'producer would agree': 680728, 'would agree to': 1011496, 'cut production at': 223501, 'production at meeting': 681940, 'at meeting later': 99721, 'meeting later in': 527725, 'day the industry': 228493, 'the industry grapple': 858172, 'industry grapple with': 435856, 'grapple with driven': 362194, 'with driven collapse': 998140, 'crude fell': 219528, 'barrel here': 111233, 'saudi russian': 737303, 'russian dispute': 728625, 'dispute that': 246335, 'that started': 846458, 'affecting texas': 34554, 'texas rainy': 839812, 'rainy day': 695792, 'day fund': 227665, 'fund oil': 341471, 'texas crude fell': 839755, 'crude fell below': 219529, 'fell below 25': 303174, 'below 25 per': 126568, 'per barrel here': 650701, 'barrel here my': 111234, 'here my story': 393371, 'my story about': 550235, 'about the saudi': 26509, 'the saudi russian': 866382, 'saudi russian dispute': 737304, 'russian dispute that': 728626, 'dispute that started': 246336, 'that started this': 846459, 'started this and': 794859, 'this and here': 886329, 'and here my': 64533, 'story on how': 812086, 'how the drop': 408817, 'price is affecting': 674855, 'is affecting texas': 445396, 'affecting texas rainy': 34555, 'texas rainy day': 839813, 'rainy day fund': 695793, 'day fund oil': 227667, 'fruit too': 339160, 'supermarket belgium': 819361, 'fresh fruit too': 332999, 'fruit too panicbuying': 339161, 'too panicbuying supermarket': 924988, 'panicbuying supermarket belgium': 639067, 'while applaud': 986609, 'applaud your': 82262, 'distancing feel': 247144, 'allow one': 46014, 'somewhat ridiculous': 785271, 'ridiculous especially': 721532, 'two entrance': 936914, 'apply the': 82599, '2m rule': 16702, 'rule with': 727414, 'multiple person': 545776, 'while applaud your': 986610, 'applaud your approach': 82263, 'your approach to': 1022809, 'approach to social': 82991, 'social distancing feel': 779608, 'distancing feel that': 247145, 'feel that to': 302877, 'that to only': 847059, 'to only allow': 910965, 'only allow one': 610058, 'allow one person': 46015, 'person in large': 652484, 'large supermarket at': 479805, 'supermarket at time': 819255, 'at time is': 101294, 'time is somewhat': 897066, 'is somewhat ridiculous': 452123, 'somewhat ridiculous especially': 785272, 'ridiculous especially when': 721533, 'especially when it': 280657, 'when it ha': 983633, 'it ha two': 458419, 'ha two entrance': 372387, 'two entrance it': 936915, 'entrance it would': 278884, 'would be simple': 1011646, 'be simple to': 117194, 'simple to apply': 770127, 'to apply the': 900659, 'apply the 2m': 82600, 'the 2m rule': 848068, '2m rule with': 16705, 'rule with multiple': 727415, 'with multiple person': 999599, 'multiple person in': 545777, '0042': 640, 'only 0042': 609959, '0042 chance': 641, '19 wtf': 12235, 'wtf have': 1013283, 'car crash': 163052, 'crash on': 215019, 'face people': 294702, 'no our state': 565025, 'our state shut': 624903, 'shut down but': 767810, 'down but yet': 256587, 'but yet there': 147969, 'yet there is': 1016266, 'is only 0042': 450529, 'only 0042 chance': 609960, '0042 chance of': 642, 'covid 19 wtf': 214101, '19 wtf have': 12236, 'wtf have better': 1013284, 'of dying in': 582894, 'dying in car': 263839, 'in car crash': 421233, 'car crash on': 163053, 'crash on the': 215020, 'store wash your': 811155, 'your face people': 1023755, 'face people let': 294703, 'people let get': 648624, 'let get back': 486729, 'the problematic': 864537, 'problematic social': 679788, 'your fucking': 1024001, 'fucking hand': 339884, 'other watched': 621182, 'watched someone': 968668, 'someone put': 784614, 'over baby': 630010, 'baby face': 106598, 'face stop': 294778, 'store get to': 807922, 'all the problematic': 44872, 'the problematic social': 864538, 'problematic social behavior': 679789, 'social behavior in': 779442, 'behavior in relation': 124083, '19 stop putting': 10870, 'stop putting your': 804951, 'putting your fucking': 691290, 'your fucking hand': 1024002, 'fucking hand on': 339885, 'hand on each': 375132, 'each other watched': 264232, 'other watched someone': 621183, 'watched someone put': 968669, 'someone put their': 784616, 'their hand all': 873470, 'all over baby': 43855, 'over baby face': 630011, 'baby face stop': 106599, 'face stop that': 294779, 'stop that shit': 805118, 'that shit if': 846265, 'shit if you': 759133, 'not need anything': 570653, 'the store do': 868009, 'everyone share': 287360, 'the profiteer': 864626, 'profiteer scum': 682982, 'bag who': 108454, 'who ramp': 989494, 'let name': 486931, 'shame them': 754652, 'the shot': 867103, 'shot storm': 765445, 'storm is': 811811, 'over use': 630876, 'hashtag profiteer': 378699, 'profiteer teamwork': 682988, 'can everyone share': 158269, 'everyone share the': 287361, 'share the profiteer': 755254, 'the profiteer scum': 864627, 'profiteer scum bag': 682983, 'scum bag who': 742973, 'bag who ramp': 108455, 'who ramp up': 989495, 'ramp up price': 696445, 'of essential during': 583165, 'the crisis let': 852401, 'crisis let name': 217653, 'let name and': 486932, 'and shame them': 71365, 'shame them and': 754653, 'them and most': 875390, 'importantly remember who': 419141, 'remember who they': 710429, 'are and send': 84549, 'and send them': 71249, 'send them out': 749968, 'of business when': 580975, 'business when the': 144652, 'when the shot': 984198, 'the shot storm': 867104, 'shot storm is': 765446, 'storm is over': 811812, 'is over use': 450742, 'over use the': 630877, 'use the hashtag': 949672, 'the hashtag profiteer': 857140, 'hashtag profiteer teamwork': 378700, 'pinpoint': 656844, 'new ecommerce': 558661, 'ecommerce data': 266747, 'data survey': 226440, 'consumer pinpoint': 198367, 'pinpoint changing': 656845, 'priority amidst': 678508, 'amidst global': 52794, 'new ecommerce data': 558662, 'ecommerce data survey': 266748, 'data survey of': 226441, 'of consumer pinpoint': 581758, 'consumer pinpoint changing': 198368, 'pinpoint changing online': 656846, 'behavior and priority': 123899, 'and priority amidst': 69511, 'priority amidst global': 678509, 'amidst global crisis': 52795, 'still spreading': 801219, 'spreading worldwide': 791095, 'hasn shown': 378778, 'of slowing': 589778, 'prepared don': 670179, 'panic be': 637395, 'least 72': 484377, 'hour supply': 405968, 'coronavirus or covid': 206358, 'update the disease': 947248, 'the disease is': 853367, 'disease is still': 245164, 'is still spreading': 452312, 'still spreading worldwide': 801221, 'spreading worldwide and': 791096, 'worldwide and hasn': 1010317, 'and hasn shown': 64211, 'hasn shown sign': 378779, 'sign of slowing': 769174, 'of slowing down': 589780, 'slowing down we': 774538, 'down we should': 257451, 'all be prepared': 42140, 'be prepared don': 116517, 'prepared don panic': 670180, 'don panic be': 253794, 'panic be sure': 637396, 'to have at': 907204, 'at least 72': 99458, 'least 72 hour': 484378, '72 hour supply': 22013, 'hour supply of': 405969, 'hadleigh': 373832, 'morrison in': 541725, 'in hadleigh': 423503, 'hadleigh club': 373833, 'club together': 184491, 'customer left': 222566, 'over lack': 630353, 'stockpiling continues': 803927, 'continues due': 201390, 'colleague at morrison': 186206, 'at morrison in': 99773, 'morrison in hadleigh': 541726, 'in hadleigh club': 423504, 'hadleigh club together': 373834, 'club together to': 184492, 'support elderly customer': 826472, 'elderly customer left': 270652, 'customer left in': 222567, 'tear over lack': 835961, 'over lack of': 630354, 'lack of item': 478630, 'of item on': 585486, 'on shelf panic': 603406, 'and stockpiling continues': 72450, 'stockpiling continues due': 803928, 'continues due to': 201391, 'haveyoursay hi': 383949, 'hi any': 394598, 'company reducing': 191010, 'reducing there': 706331, 'some cold': 782554, 'weather coming': 974853, 'coming lot': 188128, 'household are': 406734, 'on breadline': 599690, 'breadline during': 138662, 'haveyoursay hi any': 383950, 'hi any news': 394599, 'news on utility': 560669, 'on utility company': 605009, 'utility company reducing': 951272, 'company reducing there': 191011, 'reducing there price': 706332, 'there price we': 878959, 'have some cold': 382624, 'some cold weather': 782555, 'cold weather coming': 185810, 'weather coming lot': 974854, 'coming lot of': 188129, 'lot of household': 504207, 'of household are': 584794, 'household are on': 406736, 'are on breadline': 88716, 'on breadline during': 599691, 'breadline during the': 138663, 'hillary': 396500, 'clinton': 182341, 'embarrassment': 272460, 'hillary clinton': 396501, 'clinton thanking': 182342, 'thanking people': 841990, 'working such': 1008925, 'praised yet': 668895, 'say either': 738603, 'either the': 270387, 'not similar': 571586, 'similar remark': 769920, 'remark on': 710106, 'on live': 601881, 'live television': 496041, 'television it': 836857, 'it tragedy': 461839, 'tragedy it': 929175, 'it disturbing': 457595, 'disturbing headline': 248409, 'it national': 459730, 'national embarrassment': 552485, 'hillary clinton thanking': 396502, 'clinton thanking people': 182343, 'thanking people for': 841991, 'people for working': 647963, 'for working such': 327956, 'working such grocery': 1008926, 'and get praised': 63595, 'get praised yet': 347834, 'praised yet when': 668896, 'yet when the': 1016325, 'when the president': 984186, 'the president say': 864268, 'president say either': 670899, 'say either the': 738604, 'either the same': 270389, 'same thing if': 733335, 'if not similar': 414508, 'not similar remark': 571587, 'similar remark on': 769921, 'remark on live': 710107, 'on live television': 601882, 'live television it': 496043, 'television it tragedy': 836858, 'it tragedy it': 461840, 'tragedy it disturbing': 929176, 'it disturbing headline': 457596, 'disturbing headline and': 248410, 'headline and it': 385982, 'and it national': 65557, 'it national embarrassment': 459731, 'done spicejet': 255023, 'spicejet saw': 789225, 'your ad': 1022744, 'on zero': 605530, 'zero rescheduling': 1027487, 'rescheduling considering': 713592, '19 scenario': 10360, 'it classic': 457149, 'classic example': 180325, 'of turning': 592514, 'turning situation': 935946, 'situation into': 772337, 'and win': 75711, 'consumer cheer': 196788, 'well done spicejet': 978200, 'done spicejet saw': 255024, 'spicejet saw your': 789227, 'saw your ad': 738342, 'your ad on': 1022745, 'ad on zero': 31134, 'on zero rescheduling': 605531, 'zero rescheduling considering': 1027488, 'rescheduling considering the': 713594, 'covid 19 scenario': 213751, '19 scenario it': 10361, 'scenario it classic': 741272, 'it classic example': 457150, 'classic example of': 180326, 'example of turning': 288954, 'of turning situation': 592515, 'turning situation into': 935947, 'situation into an': 772338, 'into an opportunity': 442395, 'opportunity and win': 613586, 'and win win': 75713, 'win win with': 995598, 'win with the': 995602, 'the consumer cheer': 851510, 'buybuybuy': 149541, 'chaos while': 173076, 'and crypto': 60788, 'crypto are': 219936, 'your priority': 1025427, 'priority wrong': 678696, 'wrong buybuybuy': 1013010, 'are stockpiling toilet': 90529, 'roll and canned': 725173, 'canned food during': 161511, 'during this chaos': 263267, 'this chaos while': 886744, 'chaos while the': 173077, 'while the financial': 987387, 'market collapse do': 516185, 'collapse do not': 185995, 'not you see': 572616, 'you see that': 1021071, 'see that stock': 745798, 'that stock stock': 846496, 'stock stock and': 802883, 'stock and crypto': 801808, 'and crypto are': 60789, 'crypto are on': 219937, 'are on sale': 88733, 'sale at very': 732093, 'low price you': 505554, 'price you all': 677688, 'all have your': 43066, 'have your priority': 383717, 'your priority wrong': 1025428, 'priority wrong buybuybuy': 678697, 'india coming': 434349, 'for amazing': 319226, 'amazing cause': 50655, 'cause india': 167609, 'india coming together': 434350, 'coming together for': 188243, 'together for amazing': 920790, 'for amazing cause': 319227, 'amazing cause india': 50656, 'earlier lot': 264463, 'of warning': 592911, 'warning online': 967167, 'online about': 607757, 'out without': 627880, 'without because': 1002516, 'wore condom': 1004644, 'condom made': 193606, 'made breathing': 507657, 'breathing very': 139255, 'supermarket earlier lot': 820072, 'earlier lot of': 264464, 'lot of warning': 504322, 'of warning online': 592913, 'warning online about': 967168, 'online about not': 607758, 'about not going': 25815, 'going out without': 355402, 'out without because': 627881, 'without because of': 1002517, 'because of so': 119404, 'of so wore': 589815, 'so wore condom': 778802, 'wore condom made': 1004645, 'condom made breathing': 193607, 'made breathing very': 507658, 'breathing very difficult': 139256, 'this bus': 886629, 'driver said': 259729, 'he felt': 384955, 'felt violated': 303472, 'violated when': 957493, 'when passenger': 983847, 'passenger coughed': 643326, 'coughed and': 208595, 'and sneezed': 71827, 'bus without': 143114, 'covering her': 212470, 'mouth he': 543515, 'died 11': 241500, '11 day': 2510, 'later from': 481064, 'this bus driver': 886630, 'bus driver said': 143027, 'driver said he': 259730, 'said he felt': 731108, 'he felt violated': 384956, 'felt violated when': 303473, 'violated when passenger': 957494, 'when passenger coughed': 983848, 'passenger coughed and': 643327, 'coughed and sneezed': 208596, 'and sneezed on': 71828, 'sneezed on the': 776294, 'the bus without': 850150, 'bus without covering': 143115, 'without covering her': 1002565, 'covering her mouth': 212471, 'her mouth he': 392211, 'mouth he died': 543516, 'he died 11': 384888, 'died 11 day': 241501, '11 day later': 2512, 'day later from': 227880, 'later from the': 481065, 'latest 19': 481189, 'situation report': 772466, 'report call': 711850, 'procuring and': 680130, 'and pre': 69331, 'pre positioning': 669199, 'positioning month': 665227, 'month stock': 538019, 'near country': 553476, 'disruption due': 246462, 'say case': 738491, 'case now': 165876, 'now reported': 575683, 'in 71': 419959, 'the 87': 848202, '87 country': 23015, 'the agency': 848439, 'agency operates': 38052, 'latest 19 situation': 481190, '19 situation report': 10590, 'situation report call': 772467, 'report call for': 711851, 'call for procuring': 155885, 'for procuring and': 324764, 'procuring and pre': 680131, 'and pre positioning': 69332, 'pre positioning month': 669200, 'positioning month stock': 665228, 'month stock of': 538020, 'food in near': 314954, 'in near country': 425702, 'near country most': 553477, 'country most vulnerable': 210901, 'vulnerable to supply': 961235, 'chain disruption due': 170651, 'disruption due to': 246463, 'to pandemic say': 911375, 'pandemic say case': 636391, 'say case now': 738492, 'case now reported': 165878, 'now reported in': 575684, 'reported in 71': 712489, 'in 71 of': 419960, '71 of the': 21979, 'of the 87': 590773, 'the 87 country': 848203, '87 country where': 23016, 'where the agency': 985214, 'the agency operates': 848444, 'justquarantings': 470508, 'into bed': 442428, 'bed after': 120373, 'after spending': 36237, 'than care': 840437, 'admit shopping': 32605, 'online quarantine': 608835, 'quarantine justquarantings': 692325, 'get into bed': 347361, 'into bed after': 442429, 'bed after spending': 120375, 'after spending more': 36238, 'spending more money': 788914, 'money than care': 537054, 'than care to': 840438, 'care to admit': 164236, 'to admit shopping': 900119, 'admit shopping online': 32606, 'shopping online quarantine': 763470, 'online quarantine justquarantings': 608836, 'on farming': 600742, 'farming farming': 299619, '19 on farming': 8943, 'on farming farming': 600743, 'farming farming agriculture': 299620, 'golden boy': 356043, 'boy proved': 137277, 'most useless': 542848, 'useless group': 950228, 'stricken society': 813607, 'society health': 781237, 'crew supermarket': 216713, 'valuable group': 952024, 'group they': 366919, 'our protection': 624495, 'support notdying4wallstreet': 826679, 'golden boy proved': 356044, 'boy proved to': 137278, 'the most useless': 861058, 'most useless group': 542849, 'useless group in': 950229, 'group in pandemic': 366740, 'pandemic stricken society': 636573, 'stricken society health': 813608, 'society health worker': 781238, 'health worker cleaning': 386971, 'worker cleaning crew': 1006657, 'cleaning crew supermarket': 180931, 'crew supermarket worker': 216714, 'supermarket worker police': 824071, 'officer and others': 595629, 'line are the': 492970, 'most valuable group': 542853, 'valuable group they': 952025, 'group they need': 366921, 'need our protection': 555402, 'our protection and': 624496, 'protection and support': 685325, 'and support notdying4wallstreet': 72844, 'winer': 995945, 'bcs': 113367, '01756986': 779, 'please am': 659654, 'am maxwell': 50212, 'maxwell by': 520861, 'by name': 153296, 'name please': 551669, 'bread winer': 138639, 'winer in': 995946, 'and speak': 72056, 'speak now': 787694, 'home bcs': 400769, 'bcs of': 113368, 'your some': 1025867, 'cash sir': 166335, 'sir to': 771663, 'stock some': 802868, 'my acc': 547212, 'acc 01756986': 27795, 'hello sir please': 389217, 'sir please am': 771624, 'please am maxwell': 659655, 'am maxwell by': 50213, 'maxwell by name': 520862, 'by name please': 153297, 'name please sir': 551670, 'please sir am': 660523, 'sir am the': 771538, 'am the bread': 50486, 'the bread winer': 849965, 'bread winer in': 138640, 'winer in my': 995947, 'family and speak': 297605, 'and speak now': 72057, 'speak now am': 787695, 'now am at': 573993, 'at home bcs': 98945, 'home bcs of': 400770, 'bcs of covid': 113369, '19 cannot go': 5642, 'out please need': 627052, 'need your some': 556273, 'your some cash': 1025868, 'some cash sir': 782497, 'cash sir to': 166336, 'sir to help': 771664, 'help stock some': 390579, 'stock some food': 802869, 'some food in': 782861, 'the house this': 857641, 'is my acc': 449778, 'my acc 01756986': 547214, 'peterdutton': 653558, 'syndicate': 830987, 'see peterdutton': 745573, 'peterdutton is': 653559, 'his normal': 397643, 'normal self': 567305, 'and wasted': 75216, 'wasted no': 968254, 'time blaming': 896401, 'blaming criminal': 132328, 'criminal syndicate': 216879, 'syndicate for': 830988, 'see peterdutton is': 745574, 'peterdutton is back': 653560, 'to his normal': 907820, 'his normal self': 397645, 'normal self and': 567306, 'self and wasted': 747550, 'and wasted no': 75217, 'wasted no time': 968255, 'no time blaming': 565725, 'time blaming criminal': 896402, 'blaming criminal syndicate': 132329, 'criminal syndicate for': 216880, 'syndicate for supermarket': 830989, 'for supermarket hoarding': 326013, 'supermarket hoarding hoarding': 820773, 'chainsaw': 171284, 'where me': 985021, 'me chainsaw': 522573, 'chainsaw coronacrisis': 171285, 'coronacrisis selfisolation': 204751, 'stopstockpiling horror': 805868, 'horror halloween': 404195, 'where me chainsaw': 985022, 'me chainsaw coronacrisis': 522574, 'chainsaw coronacrisis selfisolation': 171286, 'coronacrisis selfisolation stophoarding': 204752, 'selfisolation stophoarding stopstockpiling': 748498, 'stophoarding stopstockpiling horror': 805492, 'stopstockpiling horror halloween': 805869, 'horror halloween michaelmyers': 404196, 've tested': 953627, 'he worry': 385691, 'shopper is': 761576, 'he know of': 385177, 'know of several': 476648, 'of several grocery': 589544, 'several grocery worker': 753857, 'worker who ve': 1008235, 'who ve tested': 989886, 've tested positive': 953628, 'and one in': 68088, 'one in his': 606476, 'area who died': 92271, 'who died he': 988603, 'died he worry': 241566, 'he worry that': 385692, 'that the behavior': 846667, 'behavior of some': 124134, 'of some shopper': 589907, 'some shopper is': 783854, 'shopper is putting': 761577, 'maconsumer': 507461, 'spotascam': 790142, 'no authorized': 563638, 'authorized home': 103833, 'kit so': 475636, 'basically if': 112143, 'you kit': 1019469, 'kit it': 475585, 'it fake': 457936, 'fake so': 296707, 'it maconsumer': 459487, 'maconsumer spotascam': 507466, 'is no authorized': 449910, 'no authorized home': 563639, 'authorized home testing': 103834, 'testing kit so': 839546, 'kit so basically': 475637, 'so basically if': 776599, 'basically if someone': 112144, 'someone want to': 784744, 'want to sell': 966112, 'sell you kit': 748954, 'you kit it': 1019470, 'kit it fake': 475586, 'it fake so': 457937, 'fake so do': 296708, 'buy it maconsumer': 148856, 'it maconsumer spotascam': 459488, 'pandemic doctor': 635318, 'and paramedic': 68705, 'paramedic have': 641387, 'clock while': 182424, 'while risking': 987222, 'life along': 488456, 'many unsung': 514836, 'hero such': 394096, 'sanitation department': 733837, '19 pandemic doctor': 9311, 'pandemic doctor nurse': 635319, 'nurse and paramedic': 577204, 'and paramedic have': 68706, 'paramedic have been': 641388, 'been working round': 122400, 'the clock while': 851037, 'clock while risking': 182425, 'while risking their': 987223, 'their life along': 873819, 'life along with': 488457, 'along with many': 47062, 'with many unsung': 999393, 'many unsung hero': 514837, 'unsung hero such': 943561, 'hero such the': 394097, 'driver and worker': 259428, 'and worker in': 75875, 'in the sanitation': 429527, 'the sanitation department': 866343, 'an agricultural': 55198, 'agricultural feed': 38878, 'feed haulier': 302311, 'haulier he': 379019, 'enough feed': 277377, 'feed supply': 302373, 'wonderful frontline': 1004083, 'frontline hse': 338762, 'amp gps': 53878, 'gps huge': 361436, 'retailer haulier': 719172, 'haulier amp': 379015, 'who keeping': 989159, 'chain going': 170741, 'husband is an': 411721, 'is an agricultural': 445637, 'an agricultural feed': 55199, 'agricultural feed haulier': 38879, 'feed haulier he': 302312, 'haulier he working': 379020, 'he working on': 385690, 'working on so': 1008820, 'on so farmer': 603522, 'so farmer have': 777074, 'farmer have enough': 299406, 'have enough feed': 380446, 'enough feed supply': 277378, 'feed supply well': 302374, 'supply well our': 826087, 'well our wonderful': 978457, 'our wonderful frontline': 625393, 'wonderful frontline hse': 1004084, 'frontline hse staff': 338763, 'hse staff amp': 409731, 'staff amp gps': 792116, 'amp gps huge': 53879, 'gps huge respect': 361437, 'respect for retailer': 714998, 'for retailer haulier': 325204, 'retailer haulier amp': 719173, 'haulier amp local': 379016, 'amp local shop': 54077, 'local shop who': 498426, 'shop who keeping': 761045, 'who keeping supply': 989160, 'supply chain going': 824965, 'the 11th': 847874, '11th of': 2753, 'we reaching': 973007, 'reaching to': 700118, '200 family': 13483, 'road we': 724541, 'share update': 755320, 'update later': 947054, 'today the 11th': 920278, 'the 11th of': 847875, '11th of april': 2754, 'april 2020 we': 83482, '2020 we reaching': 14703, 'we reaching to': 973008, 'reaching to 200': 700119, 'to 200 family': 899586, '200 family we': 13484, 'we are set': 970706, 'set to hit': 753522, 'hit the road': 398446, 'the road we': 865939, 'road we will': 724543, 'will share update': 994832, 'share update later': 755321, 'update later in': 947055, 'day you too': 228826, 'council proving': 210023, 'proving central': 687221, 'central webpage': 169445, 'great resource from': 362966, 'consumer council proving': 197000, 'council proving central': 210024, 'proving central webpage': 687222, 'central webpage for': 169446, 'webpage for information': 975169, 'information and link': 437739, 'and link for': 66203, 'link for everything': 493830, 'everything we might': 288092, 'we might need': 972374, 'out about consumer': 625548, 'about consumer affected': 24996, 'sohnaasim update': 781564, 'update gocoronacoronago': 947005, 'indiapaysafe narendra': 434953, 'modi modi': 535469, 'modi jammu': 535462, 'stoppanicbuying sohnaasim update': 805612, 'sohnaasim update gocoronacoronago': 781565, 'update gocoronacoronago quarentinelife': 947006, 'dhinchakpooja indiapaysafe narendra': 240113, 'indiapaysafe narendra modi': 434954, 'narendra modi modi': 551911, 'modi modi jammu': 535470, 'modi jammu please': 535463, 'don stop': 253936, 'just with': 470314, 'with ebay': 998176, 'ebay profiteer': 266482, 'profiteer check': 682950, 'this bean': 886506, 'bean 19': 118281, '19 kg': 8227, 'broccoli 20': 140794, '20 kg': 13117, 'kg at': 473644, 'canberra shame': 160826, 'shame get': 754597, 'get onto': 347713, 'onto them': 611686, 'in ww2': 431007, 'ww2 they': 1013653, 'don stop there': 253938, 'stop there just': 805171, 'there just with': 878684, 'just with ebay': 470316, 'with ebay profiteer': 998177, 'ebay profiteer check': 266483, 'profiteer check out': 682951, 'out this bean': 627560, 'this bean 19': 886507, 'bean 19 kg': 118282, '19 kg and': 8228, 'kg and broccoli': 473639, 'and broccoli 20': 59216, 'broccoli 20 kg': 140795, '20 kg at': 13118, 'kg at my': 473645, 'supermarket today here': 823447, 'today here in': 919644, 'here in canberra': 393140, 'in canberra shame': 421214, 'canberra shame get': 160827, 'shame get onto': 754598, 'get onto them': 347714, 'onto them in': 611687, 'them in ww2': 875924, 'in ww2 they': 431008, 'ww2 they did': 1013654, 'they did and': 881915, 'did and regulated': 240547, 'and regulated price': 70166, 'brother nothing': 141089, 'wrong he': 1013038, 'just work': 470338, 'pray for my': 669003, 'for my brother': 323680, 'my brother nothing': 547563, 'brother nothing wrong': 141090, 'nothing wrong he': 573233, 'wrong he just': 1013039, 'he just work': 385167, 'just work at': 470339, 'store during covid': 807401, 'from listed': 336231, 'listed fund': 494617, 'to builder': 902096, 'builder to': 142034, 'to landlord': 909037, 'landlord assessed': 479339, 'assessed how': 96370, 'crisis spill': 218075, 'spill over': 789368, 'over into': 630329, 'into property': 442900, 'from listed fund': 336232, 'listed fund to': 494618, 'fund to builder': 341521, 'to builder to': 902098, 'builder to landlord': 142035, 'to landlord assessed': 909038, 'landlord assessed how': 479340, 'assessed how the': 96371, 'how the covid': 408811, '19 crisis spill': 6327, 'crisis spill over': 218076, 'spill over into': 789369, 'over into property': 630330, 'into property market': 442901, 'property market and': 684300, 'it will mean': 462412, 'will mean for': 994109, 'natter': 552800, 'belting': 126807, 'checkoutgirl': 175067, 'selfemployedsurvival': 747956, 'day working': 228800, 'working checkout': 1008556, 'checkout girl': 174920, 'girl today': 350288, 'today rather': 920094, 'rather enjoyed': 697455, 'and loved': 66428, 'loved having': 504896, 'good natter': 357426, 'natter do': 552801, 'stage terribly': 793213, 'terribly though': 838473, 'though and': 892772, 'and belting': 58888, 'belting my': 126808, 'supermarket checkoutgirl': 819676, 'checkoutgirl selfemployedsurvival': 175068, 'first day working': 308620, 'day working checkout': 228801, 'working checkout girl': 1008557, 'checkout girl today': 174921, 'girl today rather': 350289, 'today rather enjoyed': 920095, 'rather enjoyed it': 697456, 'enjoyed it and': 277219, 'it and loved': 456503, 'and loved having': 66429, 'loved having good': 504897, 'having good natter': 384093, 'good natter do': 357427, 'natter do miss': 552802, 'miss the stage': 534194, 'the stage terribly': 867713, 'stage terribly though': 793214, 'terribly though and': 838474, 'though and belting': 892773, 'and belting my': 58889, 'belting my face': 126809, 'my face off': 548162, 'face off supermarket': 294684, 'off supermarket checkoutgirl': 594204, 'supermarket checkoutgirl selfemployedsurvival': 819677, 'regain': 707112, 'chandrashekhar': 171870, 'nobody case': 565990, 'case that': 166050, 'that crude': 843409, 'oil will': 597518, 'will regain': 994614, 'regain all': 707113, 'the enormous': 854338, 'enormous loss': 277290, 'loss covid': 503656, '19 inflicted': 7867, 'inflicted and': 437275, 'it pre': 460419, 'crisis level': 217655, 'level there': 487729, 'strong indication': 814053, 'slowly but': 774581, 'but inexorably': 146048, 'inexorably on': 436450, 'recovery path': 705380, 'path writes': 644037, 'writes chandrashekhar': 1012831, 'while it is': 986970, 'it is nobody': 459022, 'is nobody case': 449993, 'nobody case that': 565991, 'case that crude': 166051, 'that crude oil': 843410, 'crude oil will': 219569, 'oil will regain': 597520, 'will regain all': 994615, 'regain all the': 707114, 'all the enormous': 44735, 'the enormous loss': 854339, 'enormous loss covid': 277291, 'loss covid 19': 503657, 'covid 19 inflicted': 213269, '19 inflicted and': 7868, 'inflicted and go': 437276, 'to it pre': 908606, 'it pre crisis': 460420, 'pre crisis level': 669160, 'crisis level there': 217656, 'level there is': 487731, 'there is strong': 878635, 'is strong indication': 452389, 'strong indication that': 814054, 'indication that price': 435032, 'price are slowly': 672738, 'are slowly but': 90180, 'slowly but inexorably': 774582, 'but inexorably on': 146049, 'inexorably on the': 436451, 'on the recovery': 604326, 'the recovery path': 865374, 'recovery path writes': 705381, 'path writes chandrashekhar': 644038, 'tufaa': 935240, 'weyayu': 980819, 'trade commodity': 928462, 'are hiked': 87167, 'hiked without': 396362, 'without control': 1002562, 'control they': 202185, 'are cheating': 85267, 'cheating tufaa': 174350, 'tufaa government': 935241, 'government weyayu': 360794, 'and the minister': 73477, 'of trade commodity': 592397, 'trade commodity price': 928463, 'commodity price are': 189260, 'price are hiked': 672678, 'are hiked without': 87169, 'hiked without control': 396363, 'without control they': 1002563, 'control they are': 202186, 'they are cheating': 881224, 'are cheating tufaa': 85268, 'cheating tufaa government': 174351, 'tufaa government weyayu': 935242, 'that thanks': 846646, 'giving honest': 351314, 'crisis ordering': 217835, 'ordering now': 618988, 'well just look': 978351, 'at that thanks': 100861, 'that thanks for': 846647, 'for giving honest': 321891, 'giving honest price': 351315, 'honest price in': 403074, 'price in crisis': 674677, 'in crisis ordering': 421890, 'crisis ordering now': 217836, 'pasta left': 643750, 'left woman': 485756, 'woman offered': 1003567, 'two packet': 937126, 'packet she': 633715, 'had let': 373242, 'let bring': 486633, 'of the employee': 590982, 'the employee at': 854255, 'the supermarket told': 868866, 'told me there': 923625, 'me there wa': 523678, 'wa no pasta': 962733, 'no pasta left': 565073, 'pasta left woman': 643751, 'left woman offered': 485757, 'woman offered me': 1003568, 'offered me one': 594944, 'me one of': 523269, 'of the two': 591564, 'the two packet': 870153, 'two packet she': 937127, 'packet she had': 633716, 'she had let': 756101, 'had let bring': 373243, 'let bring the': 486634, 'bring the best': 140083, 'whiteclaw': 987935, 'drizly': 260044, 'against wash': 37737, 'favorite beverage': 300489, 'beverage with': 129047, 'soap huge': 779034, 'for saving': 325352, 'saving me': 737921, 'me trip': 523831, 'store whiteclaw': 811294, 'whiteclaw drizly': 987936, 'every measure against': 285999, 'measure against wash': 525078, 'against wash the': 37738, 'wash the can': 967545, 'the can of': 850312, 'can of your': 159095, 'of your favorite': 593470, 'your favorite beverage': 1023820, 'favorite beverage with': 300490, 'beverage with warm': 129049, 'and soap huge': 71865, 'soap huge thanks': 779035, 'to for saving': 906155, 'for saving me': 325354, 'saving me trip': 737922, 'me trip to': 523832, 'grocery store whiteclaw': 365951, 'store whiteclaw drizly': 811295, 'critical phase': 218628, 'phase now': 654622, 'now dr': 574564, 'we are entering': 970544, 'are entering an': 86230, 'entering an even': 278388, 'even more critical': 284350, 'more critical phase': 538925, 'critical phase now': 218629, 'phase now dr': 654623, 'now dr deborah': 574565, 'and not going': 67743, 'friend safe 19': 333786, 'cheapestholidays': 174314, 'virginatlantic': 957650, 'virginholidays': 957652, 'not scheduled': 571456, 'fly until': 311638, 'april 25th': 83490, '25th will': 16117, 'me rebook': 523381, 'rebook and': 703275, 'difference cheapestholidays': 241825, 'cheapestholidays virginatlantic': 174315, 'virginatlantic virginholidays': 957651, 'so will not': 778772, 'will not talk': 994278, 'talk to me': 833882, 'to me because': 909919, 'me because we': 522503, 're not scheduled': 699118, 'not scheduled to': 571457, 'scheduled to fly': 741521, 'to fly until': 906035, 'fly until april': 311640, 'until april 25th': 943693, 'april 25th will': 83491, '25th will not': 16118, 'let me rebook': 486908, 'me rebook and': 523382, 'rebook and they': 703276, 'and they raise': 73930, 'they raise their': 882973, 'their price every': 874394, 'price every hour': 673719, 'every hour and': 285936, 'hour and have': 405398, 'the difference cheapestholidays': 853258, 'difference cheapestholidays virginatlantic': 241826, 'cheapestholidays virginatlantic virginholidays': 174316, 'impt': 419622, 'on greedy': 601170, 'greedy cruel': 363506, 'cruel republican': 219675, 'senator who': 749797, 'who never': 989337, 'never help': 558062, 'help american': 389338, 'family no': 298081, 'covid19 help': 214313, 'no lower': 564679, 'no election': 564097, 'election security': 271060, 'more impt': 539503, 'impt than': 419623, 'shame on greedy': 754623, 'on greedy cruel': 601171, 'greedy cruel republican': 363507, 'cruel republican senator': 219676, 'republican senator who': 713068, 'senator who never': 749798, 'who never help': 989339, 'never help american': 558063, 'help american family': 389339, 'american family no': 51965, 'family no covid19': 298082, 'no covid19 help': 563924, 'covid19 help no': 214314, 'help no lower': 390143, 'no lower drug': 564680, 'drug price no': 261051, 'price no election': 675341, 'no election security': 564098, 'election security need': 271061, 'security need to': 744676, 'need to raise': 556027, 'to raise more': 912726, 'raise more impt': 695882, 'more impt than': 539504, 'impt than you': 419624, 'frontline massive': 338786, 'massive shout': 520113, 'sweeper etc': 830190, 'are braving': 85051, 'frontline and': 338707, 'job day': 465773, 'the frontline massive': 855880, 'frontline massive shout': 338787, 'massive shout out': 520114, 'nh staff pharmacy': 562100, 'staff pharmacy staff': 792752, 'pharmacy staff shop': 654475, 'staff shop and': 792843, 'road sweeper etc': 724517, 'sweeper etc who': 830191, 'who are braving': 988108, 'are braving the': 85052, 'braving the frontline': 138287, 'the frontline and': 855861, 'frontline and are': 338708, 'amazing job day': 50721, 'job day in': 465774, 'day in day': 227795, 'in day out': 422016, 'boxed wine': 137217, 'wine bidet': 995783, 'bidet and': 129548, 'more how': 539455, 'how country': 407633, 'with wine': 1002102, 'wine winetasting': 995927, 'boxed wine bidet': 137218, 'wine bidet and': 995784, 'bidet and more': 129549, 'and more how': 67178, 'more how country': 539456, 'how country around': 407634, 'world are coping': 1009309, 'coping with wine': 203406, 'with wine winetasting': 1002103, 'wine winetasting winedrinking': 995928, 'goodbye healthy': 357994, 'healthy take': 387782, 'huge pressure': 410136, 'chain guess': 170744, 'guess panic': 368022, 'follow lot': 312451, 'people eat': 647760, 'get coffee': 346790, 'goodbye healthy take': 357995, 'healthy take away': 387783, 'take away will': 831975, 'away will create': 106111, 'will create huge': 993071, 'create huge pressure': 215664, 'huge pressure on': 410137, 'pressure on food': 671211, 'supply chain guess': 824966, 'chain guess panic': 170745, 'guess panic to': 368023, 'panic to follow': 638719, 'to follow lot': 906054, 'follow lot of': 312452, 'of people eat': 587902, 'people eat out': 647761, 'eat out or': 266022, 'out or on': 626955, 'on the move': 604243, 'the move in': 861086, 'move in london': 543666, 'london now cannot': 501142, 'now cannot get': 574348, 'cannot get coffee': 161880, 'crisis what': 218375, 'behind is': 124646, 'great read the': 362939, 'read the food': 700574, 'food we don': 317526, 'we don buy': 971377, 'don buy in': 253410, 'in crisis what': 421903, 'crisis what being': 218376, 'left behind is': 485421, 'behind is large': 124647, 'is large scale': 449233, 'resourceful': 714940, 'howto': 409544, 'supply shopping': 825826, 'shopping resource': 763740, 'resource resourceful': 714868, 'resourceful practical': 714941, 'practical relax': 668483, 'relax howto': 708816, 'howto wipe': 409545, 'wipe when': 996422, 'essential essential supply': 281013, 'essential supply shopping': 281629, 'supply shopping resource': 825827, 'shopping resource resourceful': 763741, 'resource resourceful practical': 714869, 'resourceful practical relax': 714942, 'practical relax howto': 668484, 'relax howto wipe': 708817, 'howto wipe when': 409546, 'wipe when toiletpaper': 996423, 'when toiletpaper is': 984331, 'toiletpaper is running': 922140, 'more frightening': 539294, 'frightening than': 334068, 'the mostly': 861068, 'grim face': 363960, 'store dystopian': 807413, 'more frightening than': 539295, 'frightening than the': 334069, 'than the mostly': 841254, 'the mostly empty': 861069, 'mostly empty shelf': 542956, 'empty shelf were': 275106, 'shelf were the': 757775, 'were the grim': 980240, 'the grim face': 856791, 'grim face of': 363961, 'face of all': 294647, 'the people waiting': 863515, 'grocery store dystopian': 365352, 'bhutan': 129406, 'bhutanese': 129409, 'thimphu': 884045, 'prevent wash': 671761, 'crowd eat': 219155, 'spread fake': 790527, 'news follow': 560411, 'follow govt': 312396, 'govt directive': 361103, 'directive at': 243499, 'cost bhutan': 207880, 'bhutan bhutanese': 129407, 'bhutanese thimphu': 129410, 'advice to prevent': 33532, 'to prevent wash': 912099, 'prevent wash your': 671762, 'avoid crowd eat': 105069, 'crowd eat healthy': 219156, 'panic and spread': 637337, 'and spread fake': 72145, 'spread fake news': 790528, 'fake news follow': 296669, 'news follow govt': 560412, 'follow govt directive': 312397, 'govt directive at': 361104, 'directive at any': 243500, 'any cost bhutan': 79074, 'cost bhutan bhutanese': 207881, 'bhutan bhutanese thimphu': 129408, 'week everybody': 976196, 'everybody stayhome': 286486, 'stayhome this': 798207, 'birx on': 131477, 'crucial this': 219477, 'two week everybody': 937330, 'week everybody stayhome': 976197, 'everybody stayhome this': 286487, 'stayhome this is': 798208, 'safe dr birx': 729605, 'dr birx on': 257973, 'birx on how': 131478, 'on how crucial': 601392, 'how crucial this': 407649, 'crucial this is': 219478, 'offering dedicated': 595062, 'crisis see': 218007, 'hour information': 405701, 'bay area are': 112907, 'area are offering': 91953, 'are offering dedicated': 88660, 'offering dedicated shopping': 595063, 'the crisis see': 852444, 'crisis see the': 218008, 'day and senior': 227279, 'and senior shopping': 71257, 'shopping hour information': 762922, 'hour information below': 405702, 'nightcrawler': 563148, 'thespot': 881034, 'bepositive': 127273, 'blackedout': 132172, 'wipeout': 996490, 'burningrubber': 142928, 'khatamkarona': 473729, 'listentomusic': 494819, 'nightcrawler nightcrawler': 563149, 'nightcrawler thespot': 563151, 'thespot scoop': 881035, 'scoop podcast': 742312, 'podcast protip': 662302, 'protip future': 685963, 'future bepositive': 342270, 'bepositive blackedout': 127274, 'blackedout wipeout': 132173, 'wipeout rider': 996491, 'rider burningrubber': 721480, 'burningrubber lover': 142929, 'lover bike': 505024, 'bike khatamkarona': 130415, 'khatamkarona socialdistancing': 473730, 'socialdistancing listentomusic': 780493, 'listentomusic sanitizer': 494820, 'nightcrawler nightcrawler thespot': 563150, 'nightcrawler thespot scoop': 563152, 'thespot scoop podcast': 881036, 'scoop podcast protip': 742313, 'podcast protip future': 662303, 'protip future bepositive': 685964, 'future bepositive blackedout': 342271, 'bepositive blackedout wipeout': 127275, 'blackedout wipeout rider': 132174, 'wipeout rider burningrubber': 996492, 'rider burningrubber lover': 721481, 'burningrubber lover bike': 142930, 'lover bike khatamkarona': 505025, 'bike khatamkarona socialdistancing': 130416, 'khatamkarona socialdistancing listentomusic': 473731, 'socialdistancing listentomusic sanitizer': 780494, 'listentomusic sanitizer sanitize': 494821, 'emerg': 272527, 'virtual council': 957733, 'council meeting': 210007, 'approve it': 83107, 'it officially': 460002, 'officially tomorrow': 596027, 'tomorrow but': 924046, 'immediately give': 417098, 'give city': 350434, 'city tool': 179430, 'manage empty': 512388, 'shelf deploy': 756978, 'deploy emerg': 237446, 'emerg resource': 272528, 'resource differently': 714754, 'virtual council meeting': 957734, 'council meeting to': 210008, 'meeting to approve': 527779, 'to approve it': 900676, 'approve it officially': 83108, 'it officially tomorrow': 460003, 'officially tomorrow but': 596028, 'tomorrow but effective': 924048, 'but effective immediately': 145637, 'effective immediately give': 269265, 'immediately give city': 417099, 'give city tool': 350435, 'city tool to': 179431, 'tool to manage': 925450, 'to manage empty': 909790, 'manage empty grocery': 512389, 'store shelf deploy': 810068, 'shelf deploy emerg': 756979, 'deploy emerg resource': 237447, 'emerg resource differently': 272529, 'disservice': 246593, 'know gamestop': 476391, 'gamestop isn': 343332, 'place doing': 657410, 'best example': 127680, 'open any': 612089, 'customer right': 222776, 'doing disservice': 252355, 'disservice to': 246594, 'and know gamestop': 65888, 'know gamestop isn': 476392, 'gamestop isn the': 343333, 'only place doing': 610980, 'place doing this': 657411, 'doing this it': 252767, 'this it just': 888521, 'just the best': 469993, 'the best example': 849509, 'best example of': 127682, 'of why are': 593152, 'are they open': 91012, 'they open any': 882833, 'open any non': 612090, 'any non essential': 79520, 'that ha it': 844120, 'ha it door': 371018, 'it door open': 457681, 'open to customer': 612591, 'to customer right': 903856, 'customer right now': 222777, 'now is doing': 575068, 'is doing disservice': 447267, 'doing disservice to': 252356, 'disservice to society': 246595, 'society and contributing': 781153, 'tasawwuq': 834652, 'baitik': 108721, 'moci ha': 535122, 'on institution': 601591, 'institution and': 440453, 'company working': 191358, 'get engaged': 346936, 'engaged with': 276882, 'initiative tasawwuq': 438653, 'tasawwuq min': 834653, 'min baitik': 532519, 'baitik shop': 108722, 'launched last': 482009, 'it twitter': 461889, 'account oman': 28735, 'oman stayhomestaysafe': 598847, 'moci ha called': 535123, 'called on institution': 156397, 'on institution and': 601592, 'institution and company': 440455, 'and company working': 60200, 'company working in': 191359, 'area of home': 92133, 'delivery to get': 234660, 'to get engaged': 906468, 'get engaged with': 346937, 'engaged with the': 276884, 'with the initiative': 1001350, 'the initiative tasawwuq': 858288, 'initiative tasawwuq min': 438654, 'tasawwuq min baitik': 834654, 'min baitik shop': 532520, 'baitik shop from': 108723, 'shop from your': 760227, 'your home that': 1024379, 'home that wa': 402218, 'that wa launched': 847294, 'wa launched last': 962513, 'launched last week': 482010, 'last week on': 480665, 'week on it': 976668, 'on it twitter': 601691, 'it twitter account': 461890, 'twitter account oman': 936629, 'account oman stayhomestaysafe': 28736, 'supplier cannot': 824510, 'more consumerbehavior': 538878, 'demand from coronavirus': 235534, 'from coronavirus ha': 335014, 'coronavirus ha made': 206025, 'made people over': 507913, 'people over stock': 649041, 'over stock their': 630650, 'their house and': 873602, 'house and food': 406178, 'and food supplier': 63096, 'food supplier cannot': 316917, 'supplier cannot keep': 824511, 'high demand read': 395025, 'read more consumerbehavior': 700426, 'fb said': 300671, 'needed mask': 556424, 'store liar': 808712, 'liar everyone': 487967, 'else had': 271713, 'my friend on': 548444, 'friend on fb': 333735, 'on fb said': 600751, 'fb said you': 300672, 'said you only': 731611, 'you only needed': 1020213, 'only needed mask': 610818, 'needed mask amp': 556425, 'amp glove to': 53867, 'grocery store liar': 365521, 'store liar everyone': 808713, 'liar everyone else': 487968, 'everyone else had': 286858, 'else had clothes': 271714, 'worker left': 1007303, 'tear supermarket': 835967, 'staff shower': 792865, 'shower them': 767389, 'with applause': 997295, 'nh worker left': 562189, 'worker left in': 1007304, 'in tear supermarket': 428846, 'tear supermarket staff': 835968, 'supermarket staff shower': 822889, 'staff shower them': 792866, 'shower them with': 767390, 'them with applause': 876643, 'with applause and': 997296, 'applause and flower': 82291, 'crater': 215142, 'trumpreces': 934152, 'will crater': 993065, 'crater if': 215143, 'return people': 719881, 'during clear': 262508, 'clear spike': 181327, 'infection beyond': 436719, 'beyond moronic': 129206, 'moronic this': 541668, 'idea from': 413056, 'that managed': 845009, 'bankrupt casino': 110492, 'casino 19': 166722, '19 trumpreces': 11591, 'price will crater': 677558, 'will crater if': 993066, 'crater if you': 215144, 'if you return': 415512, 'you return people': 1020929, 'return people to': 719882, 'work during clear': 1005066, 'during clear spike': 262509, 'clear spike in': 181328, 'spike in infection': 789303, 'in infection beyond': 424089, 'infection beyond moronic': 436720, 'beyond moronic this': 129207, 'moronic this sound': 541669, 'this sound like': 890267, 'sound like an': 786296, 'like an idea': 489771, 'an idea from': 56126, 'idea from someone': 413059, 'from someone that': 337353, 'someone that managed': 784687, 'that managed to': 845010, 'managed to bankrupt': 512491, 'to bankrupt casino': 901037, 'bankrupt casino 19': 110493, 'casino 19 trumpreces': 166723, 'look where': 502676, 'someone parked': 784603, 'parked at': 642035, 'safeway here': 730844, 'in oakland': 426043, 'oakland parkinglot': 578267, 'parkinglot lol': 642130, 'lol stockup': 500955, 'stockup apocalypse2020': 804166, 'look where someone': 502678, 'where someone parked': 985185, 'someone parked at': 784604, 'parked at safeway': 642036, 'at safeway here': 100439, 'safeway here in': 730845, 'here in oakland': 393173, 'in oakland parkinglot': 426044, 'oakland parkinglot lol': 578268, 'parkinglot lol stockup': 642131, 'lol stockup apocalypse2020': 500956, 'hofbrauhaus': 399819, 'suds': 817152, 'clveland': 184604, 'hofbrauhaus not': 399820, 'not wasting': 572457, 'wasting beer': 968301, 'beer cleveland': 122452, 'cleveland brewery': 181841, 'donating suds': 254501, 'suds for': 817153, 'for cleveland': 320119, 'cleveland whiskey': 181858, 'whiskey clveland': 987763, 'clveland clinic': 184605, 'clinic hand': 182301, 'sanitizer deal': 734727, 'hofbrauhaus not wasting': 399821, 'not wasting beer': 572458, 'wasting beer cleveland': 968302, 'beer cleveland brewery': 122453, 'cleveland brewery is': 181842, 'brewery is donating': 139443, 'is donating suds': 447316, 'donating suds for': 254502, 'suds for cleveland': 817154, 'for cleveland whiskey': 320120, 'cleveland whiskey clveland': 181859, 'whiskey clveland clinic': 987764, 'clveland clinic hand': 184606, 'clinic hand sanitizer': 182302, 'hand sanitizer deal': 375365, 'update staff': 947216, 'staff payment': 792741, 'payment wonder': 645784, 'your chairman': 1023175, 'chairman doing': 171334, 'help maybe': 390058, 'maybe he': 521699, 'rover to': 726557, '19 update staff': 11685, 'update staff payment': 947217, 'staff payment wonder': 792742, 'payment wonder what': 645785, 'wonder what your': 1004020, 'what your chairman': 982708, 'your chairman doing': 1023176, 'chairman doing to': 171335, 'to help maybe': 907559, 'help maybe he': 390059, 'maybe he can': 521700, 'he can take': 384821, 'take the range': 832672, 'the range rover': 865138, 'range rover to': 696735, 'rover to do': 726558, 'shop for those': 760207, 'confiscate': 194245, 'my idea': 548816, 'shop over': 760635, 'over changing': 630072, 'changing armed': 172646, 'armed soldier': 92950, 'soldier turn': 781826, 'and confiscate': 60289, 'confiscate all': 194246, 'stock then': 802953, 'bank corona': 109741, 'my idea to': 548818, 'to stop shop': 915571, 'stop shop over': 805017, 'shop over changing': 760636, 'over changing armed': 630073, 'changing armed soldier': 172647, 'armed soldier turn': 92951, 'soldier turn up': 781827, 'turn up and': 935802, 'up and close': 944310, 'and close their': 60004, 'close their shop': 182855, 'their shop and': 874701, 'shop and confiscate': 759844, 'and confiscate all': 60290, 'confiscate all of': 194247, 'of their stock': 591704, 'their stock then': 874838, 'stock then drop': 802954, 'drop it at': 260284, 'it at food': 456615, 'food bank corona': 313543, 'funtimes': 341835, 'wear handmade': 974358, 'handmade mask': 376416, 'mask socialdistancing': 519288, 'socialdistancing adventure': 780192, 'adventure funtimes': 33095, 'funtimes cute': 341836, 'decided to wear': 230940, 'to wear handmade': 918432, 'wear handmade mask': 974359, 'handmade mask to': 376417, 'store like to': 808736, 'like to keep': 491602, 'keep it on': 471617, 'it on mask': 460050, 'on mask socialdistancing': 602046, 'mask socialdistancing adventure': 519289, 'socialdistancing adventure funtimes': 780193, 'adventure funtimes cute': 33096, 'morning consult': 541222, 'consult ic': 195845, 'ic is': 412609, '100 96': 1821, '96 falling': 23658, 'falling from': 297267, 'ic to': 412617, 'low point': 505491, 'since morning': 770745, 'consult began': 195841, 'began tracking': 123452, 'tracking over': 928348, 'ago since': 38460, 'ic ha': 412607, 'fallen 12': 297123, '12 28': 2790, 'morning consult ic': 541224, 'consult ic is': 195846, 'ic is at': 412610, 'is at 100': 445843, 'at 100 96': 97413, '100 96 falling': 1823, '96 falling from': 23659, 'falling from the': 297269, 'from the day': 337665, 'day before and': 227365, 'before and bringing': 122624, 'and bringing the': 59208, 'bringing the ic': 140199, 'the ic to': 857806, 'ic to new': 412618, 'to new low': 910563, 'new low point': 559070, 'low point since': 505492, 'point since morning': 662626, 'since morning consult': 770746, 'morning consult began': 541223, 'consult began tracking': 195842, 'began tracking over': 123455, 'tracking over two': 928349, 'over two year': 630872, 'two year ago': 937402, 'year ago since': 1014358, 'ago since january': 38461, 'january the ic': 464683, 'the ic ha': 857804, 'ic ha fallen': 412608, 'ha fallen 12': 370586, 'fallen 12 28': 297124, 're murderer': 699050, 'murderer if': 546169, 'you hike': 1019220, 'good sam': 357684, 'sam george': 732922, 'george fire': 346003, 'you re murderer': 1020679, 're murderer if': 699051, 'murderer if you': 546170, 'if you hike': 415455, 'you hike price': 1019221, 'of good sam': 584235, 'good sam george': 357685, 'sam george fire': 732923, 'kind right': 474967, 'renegotiate lower': 710959, 'rent lower': 711121, 'and import': 65026, 'import price': 418658, 'the cellphone': 850587, 'cellphone plan': 168981, 'and cable': 59389, 'cable plan': 155024, 'plan lower': 658164, 'lower everything': 505855, 'even salary': 284542, 'salary it': 731981, 'give bekind': 350406, 'bekind togetherapart': 126122, 'all be kind': 42135, 'be kind right': 115623, 'kind right now': 474968, 'time to renegotiate': 898050, 'to renegotiate lower': 913228, 'renegotiate lower your': 710960, 'lower your rent': 506058, 'your rent lower': 1025563, 'rent lower your': 711122, 'lower your food': 506056, 'food and import': 313261, 'and import price': 65027, 'import price lower': 418659, 'price lower the': 675129, 'lower the cellphone': 506023, 'the cellphone plan': 850588, 'cellphone plan and': 168982, 'plan and cable': 658059, 'and cable plan': 59390, 'cable plan lower': 155025, 'plan lower everything': 658165, 'lower everything down': 505856, 'everything down from': 287760, 'down from transportation': 256793, 'transportation to even': 930045, 'to even salary': 905290, 'even salary it': 284543, 'salary it time': 731982, 'to give bekind': 906677, 'give bekind togetherapart': 350407, 'reven': 720369, 'sparked an': 787569, 'grocery operating': 364796, 'operating model': 613082, 'model more': 535281, 'are ordering': 88838, 'outbreak leading': 628412, 'permanent consumer': 652040, 'purchasing shift': 689916, 'giant reven': 349854, 'ha sparked an': 372010, 'sparked an inflection': 787570, 'point for the': 662486, 'online grocery operating': 608321, 'grocery operating model': 364797, 'operating model more': 613083, 'model more people': 535282, 'people are ordering': 647034, 'are ordering grocery': 88839, 'grocery online due': 364775, 'coronavirus outbreak leading': 206396, 'outbreak leading to': 628413, 'leading to permanent': 483771, 'to permanent consumer': 911664, 'permanent consumer purchasing': 652041, 'consumer purchasing shift': 198626, 'purchasing shift and': 689917, 'shift and giant': 758235, 'and giant reven': 63643, 'look whatever': 502674, 'your excuse': 1023709, 'excuse capitalism': 289741, 'during crisis is': 262557, 'not good look': 569724, 'good look whatever': 357346, 'look whatever your': 502675, 'whatever your excuse': 982825, 'your excuse capitalism': 1023710, 'ubs research': 937870, 'show amazon': 766852, 'amazon private': 51080, 'private label': 678933, 'label losing': 478347, 'losing share': 503581, 'share amid': 754916, '19 despite': 6509, 'despite overall': 238812, 'overall surge': 631036, 'shopping failing': 762628, 'increased traffic': 433520, 'traffic even': 929089, 'essential category': 280884, 'ubs research show': 937871, 'research show amazon': 713838, 'show amazon private': 766853, 'amazon private label': 51081, 'private label losing': 678934, 'label losing share': 478348, 'losing share amid': 503582, 'share amid covid': 754917, 'covid 19 despite': 212938, '19 despite overall': 6512, 'despite overall surge': 238813, 'overall surge in': 631037, 'online shopping failing': 609119, 'shopping failing to': 762629, 'failing to take': 296239, 'advantage of increased': 33010, 'of increased traffic': 585080, 'increased traffic even': 433521, 'traffic even in': 929090, 'even in essential': 284236, 'in essential category': 422603, 'cbdmd': 168338, 'ycbd': 1014205, 'cannabidiol': 161378, 'company withdraws': 191349, 'withdraws fiscal': 1002281, 'fiscal 2020': 309240, '2020 financial': 14306, 'financial guidance': 306424, 'guidance due': 368217, 'pandemic charlotte': 635126, 'charlotte business': 173764, 'wire cbdmd': 996550, 'cbdmd inc': 168339, 'nyse american': 578127, 'american ycbd': 52330, 'ycbd ycbd': 1014208, 'ycbd pr': 1014206, 'pr leading': 668435, 'leading cannabidiol': 483688, 'cannabidiol cbd': 161379, 'cbd consumer': 168299, 'brand announced': 137735, 'announced click': 76932, 'on image': 601488, 'image to': 416657, 'on pls': 602825, 'pls retweet': 661169, 'company withdraws fiscal': 191350, 'withdraws fiscal 2020': 1002282, 'fiscal 2020 financial': 309241, '2020 financial guidance': 14307, 'financial guidance due': 306425, 'guidance due to': 368218, '19 pandemic charlotte': 9291, 'pandemic charlotte business': 635127, 'charlotte business wire': 173765, 'business wire cbdmd': 144693, 'wire cbdmd inc': 996551, 'cbdmd inc nyse': 168340, 'inc nyse american': 431297, 'nyse american ycbd': 578128, 'american ycbd ycbd': 52331, 'ycbd ycbd pr': 1014209, 'ycbd pr leading': 1014207, 'pr leading cannabidiol': 668436, 'leading cannabidiol cbd': 483689, 'cannabidiol cbd consumer': 161380, 'cbd consumer brand': 168300, 'consumer brand announced': 196649, 'brand announced click': 137736, 'announced click on': 76933, 'click on image': 181932, 'on image to': 601489, 'image to read': 416658, 'to read on': 912836, 'read on pls': 700483, 'on pls retweet': 602826, 'social centre': 779457, 'town there': 927564, 'little chance': 495281, 'shop employee': 760131, 'abusing because': 27705, 'get bog': 346684, 'supermarket that have': 823186, 'have become the': 379448, 'become the social': 120165, 'the social centre': 867409, 'social centre of': 779458, 'centre of every': 169524, 'of every town': 583244, 'every town there': 286336, 'town there very': 927565, 'there very little': 879216, 'very little chance': 955318, 'little chance of': 495282, 'chance of me': 171763, 'of me being': 586326, 'me being able': 522507, 'time off so': 897389, 'off so please': 594167, 'think of food': 885442, 'of food shop': 583775, 'food shop employee': 316478, 'shop employee who': 760132, 'employee who cannot': 274422, 'cannot get away': 161873, 'get away from': 346626, 'from people stop': 336891, 'people stop abusing': 649646, 'stop abusing because': 804419, 'abusing because you': 27706, 'cannot get bog': 161875, 'get bog roll': 346685, 'canada big': 160376, 'big grocer': 129805, 'around amid': 93189, 'canadian grocer': 160685, 'are assuring': 84654, 'assuring customer': 97159, 'most product': 542665, 'canada big grocer': 160377, 'big grocer say': 129806, 'grocer say there': 364160, 'say there enough': 739319, 'stock to go': 802998, 'go around amid': 353305, 'around amid panic': 93190, 'around the spread': 93558, '19 canadian grocer': 5624, 'canadian grocer are': 160686, 'grocer are assuring': 364097, 'are assuring customer': 84655, 'assuring customer they': 97160, 'customer they have': 222937, 'supply to go': 826008, 'around for most': 93293, 'for most product': 323624, 'nireland': 563355, 'gameballymena': 343308, 'from nireland': 336590, 'nireland hope': 563356, 'safe yesterday': 730162, 'local gameballymena': 498004, 'gameballymena the': 343309, 'staff spoke': 792876, 'my pre': 549830, 'order game': 618264, 'game ff7r': 343168, 'ff7r is': 304262, 'april 10th': 83393, '10th it': 2392, 'there missing': 878758, 'missing week': 534334, 'week reduced': 976801, 'reduced schedule': 706165, 'schedule see': 741461, 'see photo': 745577, 'below retail': 126720, 'retail coronacrisis': 718004, 'good morning everyone': 357404, 'morning everyone from': 541249, 'everyone from nireland': 286926, 'from nireland hope': 336591, 'nireland hope to': 563357, 'hope to stay': 403746, 'to stay well': 915329, 'stay well and': 797390, 'well and stay': 978025, 'stay safe yesterday': 797302, 'safe yesterday at': 730163, 'yesterday at my': 1015685, 'my local gameballymena': 549115, 'local gameballymena the': 498005, 'gameballymena the staff': 343310, 'the staff spoke': 867700, 'staff spoke my': 792877, 'spoke my pre': 789722, 'my pre order': 549831, 'pre order game': 669186, 'order game ff7r': 618265, 'game ff7r is': 343169, 'ff7r is coming': 304263, 'coming out on': 188163, 'out on april': 626896, 'on april 10th': 599428, 'april 10th it': 83394, '10th it say': 2393, 'it say it': 460889, 'store are there': 806530, 'are there missing': 90956, 'there missing week': 878759, 'missing week reduced': 534335, 'week reduced schedule': 976802, 'reduced schedule see': 706166, 'schedule see photo': 741462, 'see photo below': 745578, 'photo below retail': 655135, 'below retail coronacrisis': 126721, 'psalm': 687453, 'sunday remember': 818257, 'but hoard': 145944, 'hoard on': 398841, 'on faith': 600722, 'god his': 354741, 'his mercy': 397604, 'mercy turn': 529082, 'turn covid': 935661, 'to psalm': 912460, 'psalm 91': 687456, '91 sheltering': 23439, 'place with': 657841, 'protect when': 685038, 'together amen': 920674, 'amen atl': 51377, 'happy sunday remember': 377682, 'sunday remember we': 818258, 'remember we should': 710402, 'should not hoard': 766249, 'hoard when we': 398913, 'store but hoard': 806794, 'but hoard on': 145945, 'hoard on faith': 398842, 'on faith in': 600723, 'in god his': 423356, 'god his mercy': 354742, 'his mercy turn': 397605, 'mercy turn covid': 529083, 'turn covid 19': 935662, '19 to psalm': 11448, 'to psalm 91': 912461, 'psalm 91 sheltering': 687457, '91 sheltering in': 23440, 'in place with': 426776, 'place with god': 657843, 'with god will': 998634, 'god will protect': 354839, 'will protect when': 994498, 'protect when we': 685039, 'crisis and we': 217059, 'this together amen': 890757, 'together amen atl': 920675, 'some first': 782835, 'time shopper': 897653, 'started queuing': 794818, 'hypermarket waiting': 412368, 'necessity kwiknews': 554238, '19 from tomorrow': 7141, 'from tomorrow some': 338099, 'tomorrow some first': 924188, 'some first time': 782836, 'first time shopper': 309111, 'time shopper have': 897654, 'shopper have started': 761544, 'have started queuing': 382729, 'started queuing outside': 794819, 'giant hypermarket waiting': 349805, 'hypermarket waiting to': 412369, 'buy basic necessity': 148405, 'basic necessity kwiknews': 111999, 'necessity kwiknews nation': 554239, 'ccu': 168520, 'cardiotwitter': 163770, 'time put': 897533, 'my sick': 550083, 'sick patient': 768567, 'patient started': 644258, 'started week': 794907, 'of ccu': 581226, 'ccu coverage': 168521, 'coverage cardiotwitter': 212338, 'for the 1st': 326282, 'the 1st time': 847978, '1st time put': 12817, 'time put on': 897534, 'put on face': 690715, 'to protect my': 912316, 'protect my sick': 684872, 'my sick patient': 550084, 'sick patient started': 768568, 'patient started week': 644259, 'started week of': 794908, 'week of ccu': 976606, 'of ccu coverage': 581227, 'ccu coverage cardiotwitter': 168522, 'fixingthecountry': 309869, 'hike due': 396205, 'is waay': 453728, 'waay higher': 963770, 'retailer fixingthecountry': 719149, 'that price hike': 845827, 'price hike due': 674528, 'hike due to': 396206, 'due to or': 261889, 'to or your': 911057, 'or your normal': 617887, 'your normal price': 1025028, 'normal price because': 567269, 'price because this': 672867, 'because this price': 119742, 'this price is': 889710, 'price is waay': 674901, 'is waay higher': 453729, 'waay higher than': 963771, 'higher than other': 395759, 'than other retailer': 841002, 'other retailer fixingthecountry': 620853, 'side randomly': 768872, 'randomly drink': 696643, 'drink my': 258859, 'this strategy': 890380, 'strategy seems': 812706, 'just to stay': 470109, 'stay on the': 797147, 'safe side randomly': 729942, 'side randomly drink': 768873, 'randomly drink my': 696644, 'drink my hand': 258860, 'sanitizer so far': 735752, 'far this strategy': 298943, 'this strategy seems': 890381, 'strategy seems to': 812707, 'be working 19': 118137, 'helo': 389276, 'certification': 170220, 'usd0': 948950, 'exw': 293961, 'usd1': 948953, 'to helo': 907435, 'helo our': 389277, 'our dear': 622711, 'dear customer': 229769, 'we supply': 973446, 'at cost': 98342, 'ply disposable': 661763, 'with ce': 997578, 'ce certification': 168699, 'certification usd0': 170223, 'usd0 23': 948951, '23 pc': 15429, 'pc exw': 645887, 'exw china': 293962, 'china kn95': 176777, 'certification usd1': 170225, 'usd1 15': 948954, '15 pc': 3809, 'exw if': 293965, 'help pls': 390331, 'to helo our': 907436, 'helo our dear': 389278, 'our dear customer': 622712, 'dear customer to': 229772, 'customer to get': 222964, 'get over coronavirus': 347752, 'over coronavirus disease': 630118, '19 we supply': 11954, 'we supply mask': 973449, 'supply mask at': 825542, 'mask at cost': 518415, 'at cost price': 98344, 'cost price now': 208086, 'price now ply': 675382, 'now ply disposable': 575562, 'ply disposable face': 661764, 'mask with ce': 519579, 'with ce certification': 997579, 'ce certification usd0': 168700, 'certification usd0 23': 170224, 'usd0 23 pc': 948952, '23 pc exw': 15430, 'pc exw china': 645888, 'exw china kn95': 293963, 'china kn95 mask': 176778, 'kn95 mask with': 475975, 'ce certification usd1': 168701, 'certification usd1 15': 170226, 'usd1 15 pc': 948955, '15 pc exw': 3810, 'pc exw if': 645889, 'exw if you': 293966, 'need help pls': 554990, 'help pls do': 390332, 'hesitate to let': 394277, 'to let know': 909207, 'sabcnews': 728993, 'eff ha': 268958, 'which manufacture': 986130, 'manufacture distribute': 513369, 'distribute and': 247961, 'sanitizers not': 736353, 'sa rise': 728925, 'to 116': 899454, '116 sabcnews': 2676, 'the eff ha': 854062, 'eff ha called': 268959, 'called on company': 156395, 'on company which': 599994, 'company which manufacture': 191310, 'which manufacture distribute': 986131, 'manufacture distribute and': 513370, 'distribute and sell': 247962, 'and sell mask': 71216, 'sell mask and': 748783, 'hand sanitizers not': 375711, 'sanitizers not to': 736354, 'public by raising': 687908, 'raising price the': 696128, 'price the number': 676850, 'case in sa': 165809, 'in sa rise': 427606, 'sa rise to': 728926, 'rise to 116': 723026, 'to 116 sabcnews': 899455, 'hydoxychloroquine': 411942, 'co are': 184808, 'exorbitant profit': 290426, 'making opportunity': 511255, 'example hydoxychloroquine': 288901, 'hydoxychloroquine completely': 411943, 'completely vanished': 192376, 'the drug co': 853732, 'drug co are': 260907, 'co are not': 184809, 'an exorbitant profit': 55955, 'exorbitant profit making': 290427, 'profit making opportunity': 682803, 'making opportunity for': 511256, 'opportunity for example': 613611, 'for example hydoxychloroquine': 321282, 'example hydoxychloroquine completely': 288902, 'hydoxychloroquine completely vanished': 411944, 'completely vanished from': 192377, 'vanished from the': 952422, 'it price are': 460459, 'jacked up after': 464148, 'up after president': 944228, 'medical market': 526250, 'in riyadh': 427523, 'riyadh on': 724222, 'friday holiday': 333234, 'holiday to': 400367, 'sure control': 827521, 'for sanitizers': 325340, 'etc special': 282761, 'thanks salute': 842169, 'salute to': 732867, 'worker saudiarabia': 1007736, 'to for their': 906159, 'for their team': 326874, 'their team on': 874956, 'team on ground': 835748, 'on ground in': 601197, 'ground in medical': 366512, 'in medical market': 425226, 'medical market in': 526251, 'market in riyadh': 516569, 'in riyadh on': 427524, 'riyadh on friday': 724223, 'on friday holiday': 601003, 'friday holiday to': 333235, 'holiday to make': 400370, 'make sure control': 510510, 'sure control on': 827522, 'control on price': 202081, 'on price for': 602910, 'price for sanitizers': 674042, 'for sanitizers mask': 325341, 'sanitizers mask glove': 736345, 'mask glove etc': 518731, 'glove etc special': 352669, 'etc special thanks': 282762, 'special thanks salute': 788070, 'thanks salute to': 842170, 'salute to all': 732868, 'to all worker': 900304, 'all worker saudiarabia': 45506, 'article search': 94455, 'brand engage': 137833, 'consumer going': 197590, 'forward read': 330004, 'recent article search': 703819, 'article search data': 94456, 'search data reveals': 743233, 'reveals the change': 720349, 'behavior in light': 124081, 'impact the way': 418010, 'the way brand': 871143, 'way brand engage': 969504, 'brand engage with': 137834, 'with consumer going': 997754, 'consumer going forward': 197591, 'going forward read': 355163, 'forward read the': 330005, 'any joy': 79381, 'joy you': 467530, 'can these': 159970, 'but thought this': 147568, 'this wa funny': 891066, 'funny and that': 341702, 'that it important': 844718, 'important to find': 419053, 'find any joy': 306795, 'any joy you': 79382, 'joy you can': 467531, 'you can these': 1017811, 'can these day': 159971, 'triad': 931614, 'triad based': 931615, 'supermarket restocking': 822222, 'restocking it': 717006, 'hospitality employee': 404766, 'employee laid': 274007, 'triad based supermarket': 931616, 'based supermarket restocking': 111757, 'supermarket restocking it': 822223, 'restocking it workforce': 717007, 'it workforce with': 462530, 'workforce with restaurant': 1008398, 'restaurant and hospitality': 716288, 'and hospitality employee': 64753, 'hospitality employee laid': 404767, 'employee laid off': 274008, 'parish': 641844, 'live streamed': 496032, 'streamed mass': 812799, 'mass from': 519765, 'local parish': 498252, 'parish video': 641845, 'video called': 956657, 'called my': 156382, 'for mothersday2020': 323630, 'mothersday2020 ordered': 543241, 'ordered shopping': 618894, 'and im': 64982, 'im watching': 416598, 'watching but': 968717, 'looking online': 502979, 'idiot hanging': 413520, 'street wtf': 813187, 'wtf lockdown': 1013302, 'lockdown quaratinelife': 499832, 'so live streamed': 777567, 'live streamed mass': 496034, 'streamed mass from': 812800, 'mass from the': 519766, 'the local parish': 859565, 'local parish video': 498253, 'parish video called': 641846, 'video called my': 956659, 'called my mother': 156384, 'my mother for': 549329, 'mother for mothersday2020': 543097, 'for mothersday2020 ordered': 323631, 'mothersday2020 ordered shopping': 543242, 'ordered shopping online': 618895, 'online and im': 607821, 'and im watching': 64984, 'im watching but': 416599, 'watching but looking': 968718, 'but looking online': 146317, 'looking online there': 502980, 'lot of idiot': 504210, 'of idiot hanging': 584966, 'idiot hanging around': 413521, 'hanging around the': 376965, 'around the street': 93560, 'the street wtf': 868262, 'street wtf lockdown': 813188, 'wtf lockdown quaratinelife': 1013303, 'donts': 255397, 'hausa': 379048, 'takeresponsibility': 833221, 'and donts': 61674, 'donts of': 255398, 'for different': 320701, 'different realistic': 242040, 'realistic scenario': 701672, 'scenario during': 741253, 'in hausa': 423564, 'hausa done': 379049, 'family takeresponsibility': 298279, 'takeresponsibility push': 833223, 'learn the do': 484068, 'the do and': 853448, 'do and donts': 249066, 'and donts of': 61675, 'donts of protecting': 255399, 'of protecting yourself': 588552, 'protecting yourself and': 685260, 'and others for': 68444, 'others for different': 621406, 'for different realistic': 320702, 'different realistic scenario': 242041, 'realistic scenario during': 701673, 'scenario during this': 741254, '19 time in': 11402, 'time in hausa': 896991, 'in hausa done': 423565, 'hausa done in': 379050, 'done in partnership': 254895, 'partnership with share': 642956, 'with share with': 1000662, 'and family takeresponsibility': 62672, 'family takeresponsibility push': 298280, 'shelf hurt': 757173, 'who couldn': 988512, 'couldn stock': 209922, 'impact like': 417729, 'responder when': 715551, 'store shelf hurt': 810081, 'shelf hurt people': 757174, 'hurt people who': 411607, 'people who couldn': 650280, 'who couldn stock': 988513, 'couldn stock up': 209923, 'stock up before': 803062, 'the impact like': 857941, 'impact like healthcare': 417730, 'first responder when': 308974, 'responder when shopping': 715552, 'shopping please only': 763645, 'please only get': 660259, 'need and leave': 554429, 'and leave at': 66048, 'leave at least': 484745, 'least one item': 484585, 'one item for': 606543, 'item for the': 463275, 'next person visit': 561508, 'nearly got': 553831, 'got panic': 358778, 'attack from': 102111, 'people hate': 648154, 'food and nearly': 313290, 'and nearly got': 67454, 'nearly got panic': 553832, 'got panic attack': 358779, 'panic attack from': 637374, 'attack from being': 102112, 'from being around': 334673, 'being around people': 124860, 'around people moving': 93455, 'people moving away': 648801, 'from people hate': 336879, 'people hate this': 648155, 'hate this life': 378924, 'the hole': 857431, 'hole image': 400219, 'most beautiful': 542137, 'richest neighborhood': 721349, 'state breakingnews': 795432, 'breakingnews breaking': 139089, 'breaking 19': 138909, 'from the hole': 337743, 'the hole image': 857432, 'hole image of': 400220, 'the most beautiful': 860952, 'most beautiful grocery': 542138, 'store in one': 808362, 'of the richest': 591420, 'the richest neighborhood': 865793, 'richest neighborhood in': 721350, 'united state breakingnews': 942207, 'state breakingnews breaking': 795433, 'breakingnews breaking 19': 139090, 'breaking 19 collapse': 138910, 'franchisenewsaustralia': 331082, 'franchisebusines': 331077, 'ggfc': 349529, 'industry code': 435733, 'code of': 185386, 'of conduct': 581650, 'conduct ha': 193644, 'been drafted': 121033, 'drafted to': 258148, 'help landlord': 389987, 'and tenant': 73114, 'tenant across': 837821, 'country negotiate': 210920, 'negotiate retail': 556915, 'retail lease': 718271, 'lease in': 484290, 'plunging foot': 661533, '19 lease': 8300, 'lease rentrelief': 484300, 'rentrelief franchisenewsaustralia': 711335, 'franchisenewsaustralia franchisebusines': 331083, 'franchisebusines ggfc': 331078, 'an industry code': 56293, 'industry code of': 435734, 'code of conduct': 185387, 'of conduct ha': 581651, 'conduct ha been': 193645, 'ha been drafted': 369791, 'been drafted to': 121034, 'drafted to help': 258149, 'to help landlord': 907551, 'help landlord and': 389988, 'landlord and tenant': 479338, 'and tenant across': 73115, 'tenant across the': 837822, 'the country negotiate': 852122, 'country negotiate retail': 210921, 'negotiate retail lease': 556916, 'retail lease in': 718272, 'lease in the': 484291, 'face of plunging': 294668, 'of plunging foot': 588179, 'plunging foot traffic': 661534, 'foot traffic and': 318454, 'store sale due': 809966, 'covid 19 lease': 213346, '19 lease rentrelief': 8301, 'lease rentrelief franchisenewsaustralia': 484301, 'rentrelief franchisenewsaustralia franchisebusines': 711336, 'franchisenewsaustralia franchisebusines ggfc': 331084, 'industrial real': 435566, 'estate operator': 282164, 'operator expect': 613358, 'chain caused': 170586, 'drive new': 259105, 'new surge': 559705, 'warehousing demand': 966841, 'demand realestate': 236111, 'realestate logistics': 701494, 'industrial real estate': 435567, 'real estate operator': 701157, 'estate operator expect': 282165, 'operator expect the': 613359, 'expect the disruption': 290747, 'disruption of consumer': 246510, 'consumer supply chain': 199180, 'supply chain caused': 824926, 'chain caused by': 170587, 'pandemic to drive': 636776, 'to drive new': 904742, 'drive new surge': 259106, 'new surge in': 559706, 'surge in warehousing': 828217, 'in warehousing demand': 430692, 'warehousing demand realestate': 966842, 'demand realestate logistics': 236112, 'johnsonmustgo': 466644, 'borisresign': 135547, 'ukstayhome': 939063, 'empty thank': 275171, 'you borisjohnson': 1017498, 'borisjohnson for': 135522, 'for creating': 320446, 'creating fear': 216003, 'nothing johnsonmustgo': 573074, 'johnsonmustgo borisresign': 466645, 'borisresign bojo': 135548, 'bojo 19': 134070, '19 ukstayhome': 11619, 'ukstayhome lockdownuk': 939064, 'still not wearing': 800911, 'or glove but': 615471, 'glove but the': 352620, 'are empty thank': 86170, 'empty thank you': 275172, 'thank you borisjohnson': 841694, 'you borisjohnson for': 1017499, 'borisjohnson for creating': 135523, 'for creating fear': 320447, 'creating fear and': 216004, 'panic and you': 637346, 're still doing': 699591, 'still doing nothing': 800448, 'doing nothing johnsonmustgo': 252560, 'nothing johnsonmustgo borisresign': 573075, 'johnsonmustgo borisresign bojo': 466646, 'borisresign bojo 19': 135549, 'bojo 19 ukstayhome': 134071, '19 ukstayhome lockdownuk': 11620, 'riced': 721183, 'everyone drop': 286828, 'drop food': 260197, 'bought pre': 136687, 'start riced': 794469, 'riced cauliflower': 721184, 'everyone drop food': 286829, 'drop food item': 260199, 'item you panic': 463870, 'panic bought pre': 637431, 'bought pre covid': 136688, '19 ll start': 8351, 'll start riced': 497030, 'start riced cauliflower': 794470, 'kroger the': 477778, 'expanded paid': 290487, 'pushback is': 690347, 'kroger the country': 477779, 'the country largest': 852107, 'ha expanded paid': 370550, 'expanded paid sick': 290488, 'public pushback is': 688251, 'pushback is offering': 690348, 'livonia': 496499, 'small livonia': 775016, 'livonia grocery': 496500, 'look inside small': 502428, 'inside small livonia': 439378, 'small livonia grocery': 775017, 'livonia grocery store': 496501, 'store it deal': 808569, 'increased demand this': 433288, 'demand this past': 236385, 'past week because': 643641, 'it than': 461475, 'it essential': 457848, 'job require': 466127, 'require the': 713335, 'right ppe': 722233, 'ppe personal': 668025, 'right reason': 722245, 'reason mask': 702958, 'safe safetyfirst': 729913, 'better to have': 128563, 'need it than': 555109, 'it than to': 461478, 'than to need': 841341, 'to need it': 910512, 'and not have': 67745, 'not have it': 569845, 'have it essential': 381147, 'it essential job': 457851, 'essential job require': 281248, 'job require the': 466129, 'require the right': 713336, 'the right ppe': 865819, 'right ppe personal': 722234, 'ppe personal protective': 668026, 'equipment for the': 279728, 'the right reason': 865822, 'right reason mask': 722246, 'reason mask glove': 702959, 'sanitizer for you': 734928, 'for you your': 328105, 'family and the': 297608, 'around you be': 93658, 'you be safe': 1017398, 'be safe safetyfirst': 116966, 'jl': 465549, 'prot': 684749, 'join all': 466669, 'because number': 119296, 'number in': 576892, 'being restricted': 125690, 'control potential': 202106, 'potential transfer': 667157, 'if closure': 413963, 'empty jl': 274929, 'jl store': 465550, 'really to': 702668, 'to prot': 912287, 'the partner are': 863316, 'partner are being': 642774, 'are being forced': 84862, 'forced to join': 328639, 'to join all': 908674, 'join all supermarket': 466670, 'all supermarket staff': 44553, 'supermarket staff being': 822819, 'staff being put': 792260, 'risk because number': 723402, 'because number in': 119297, 'number in food': 576893, 'food store are': 316841, 'not being restricted': 568546, 'being restricted to': 125692, 'restricted to control': 717166, 'to control potential': 903450, 'control potential transfer': 202107, 'potential transfer of': 667158, 'transfer of covid': 929521, '19 need more': 8757, 'need more thought': 555267, 'more thought if': 540749, 'thought if closure': 893087, 'if closure of': 413964, 'closure of empty': 183961, 'of empty jl': 583091, 'empty jl store': 274930, 'jl store is': 465551, 'store is really': 808519, 'is really to': 451321, 'really to prot': 702669, 'shopper pick': 761647, 'pick through': 655693, 'through nearly': 894585, 'nearly empty': 553820, 'empty meat': 274951, 'section they': 744049, 'francisco ca': 331100, 'ca on': 154896, '2020 photo': 14510, 'by terry': 154235, 'terry schmitt': 838639, 'schmitt for': 741628, 'shopper pick through': 761648, 'pick through nearly': 655694, 'through nearly empty': 894586, 'nearly empty meat': 553821, 'empty meat section': 274952, 'meat section they': 525735, 'section they stock': 744050, 'on supply during': 603823, 'the pandemic at': 862913, 'pandemic at grocery': 634961, 'store in san': 808383, 'san francisco ca': 733536, 'francisco ca on': 331101, 'ca on march': 154897, '16 2020 photo': 4069, '2020 photo by': 14511, 'photo by terry': 655143, 'by terry schmitt': 154236, 'terry schmitt for': 838640, 'that expired': 843794, 'expired vehicle': 292074, 'vehicle registration': 954277, 'registration and': 707672, 'would otherwise': 1012099, 'otherwise expire': 621839, 'expire during': 292053, 'emergency would': 273070, 'remain valid': 709906, 'valid until': 951921, 'been ended': 121083, 'ordered that expired': 618908, 'that expired vehicle': 843796, 'expired vehicle registration': 292075, 'vehicle registration and': 954278, 'registration and those': 707673, 'that would otherwise': 847685, 'would otherwise expire': 1012100, 'otherwise expire during': 621840, 'expire during the': 292054, 'during the state': 263199, 'of emergency would': 583066, 'emergency would remain': 273071, 'would remain valid': 1012183, 'remain valid until': 709907, 'valid until at': 951922, 'least 30 day': 484359, '30 day after': 17014, 'the emergency ha': 854227, 'ha been ended': 369796, 'inbound': 431246, 'amazon step': 51132, 'it inbound': 458756, 'inbound shipping': 431249, 'to 3rd': 899708, 'for slower': 325658, 'slower selling': 774510, 'can allocate': 157445, 'allocate staff': 45868, 'deliver quicker': 233199, 'quicker much': 694434, 'sanitary item': 733804, 'online rush': 608898, 'rush like': 728304, 'like blackfriday': 489915, 'blackfriday shopping': 132178, 'amazon step up': 51133, 'plate and close': 658905, 'and close it': 60001, 'close it inbound': 182692, 'it inbound shipping': 458758, 'inbound shipping to': 431250, 'shipping to 3rd': 758932, 'to 3rd party': 899709, 'party seller for': 643033, 'seller for slower': 749024, 'for slower selling': 325659, 'slower selling item': 774511, 'selling item so': 749321, 'item so they': 463650, 'they can allocate': 881607, 'can allocate staff': 157446, 'allocate staff and': 45869, 'staff and deliver': 792136, 'and deliver quicker': 61087, 'deliver quicker much': 233200, 'quicker much needed': 694435, 'food and sanitary': 313327, 'and sanitary item': 70820, 'sanitary item it': 733805, 'item it been': 463396, 'been an online': 120656, 'an online rush': 56630, 'online rush like': 608899, 'rush like blackfriday': 728305, 'like blackfriday shopping': 489916, 'innacurate': 438779, 'agriculture chain': 38940, 'being heavily': 125221, 'heavily damaged': 388571, 'damaged for': 225253, 'seems innacurate': 746799, 'innacurate you': 438780, 'see hundred': 745270, 'together wouldn': 921050, 'wouldn that': 1012506, 'distributor and agriculture': 248269, 'and agriculture chain': 57789, 'agriculture chain are': 38941, 'are being heavily': 84867, 'being heavily damaged': 125222, 'heavily damaged for': 388572, 'damaged for something': 225254, 'for something that': 325793, 'something that seems': 785082, 'that seems innacurate': 846172, 'seems innacurate you': 746800, 'innacurate you go': 438781, 'you see hundred': 1021041, 'see hundred of': 745271, 'of people together': 588006, 'people together wouldn': 649974, 'together wouldn that': 921051, 'wouldn that increase': 1012507, 'likelihood of spreading': 491935, 'from aisle': 334427, 'keep coeliac': 471405, 'coeliac well': 185438, 'can treat': 160040, 'starvation before': 795152, '19 coeliac': 5868, 'from the free': 337711, 'free from aisle': 331858, 'from aisle it': 334428, 'aisle it the': 40296, 'only food that': 610458, 'food that keep': 317091, 'that keep coeliac': 844803, 'keep coeliac well': 471406, 'coeliac well there': 185439, 'there no medicine': 878821, 'no medicine that': 564756, 'that can treat': 843123, 'can treat we': 160043, 'treat we will': 930917, 'of starvation before': 590054, 'starvation before covid': 795154, 'covid 19 coeliac': 212819, 'motorcycle': 543343, 'fuelprices': 340367, 'are servo': 90000, 'servo in': 753248, 'area profiteering': 92171, 'profiteering form': 683033, 'despite low': 238772, 'do motorcycle': 249611, 'motorcycle acc': 543344, 'acc consumer': 27804, 'right fuel': 721905, 'fuel fuelprices': 340180, 'fuelprices pandemic': 340368, 'are servo in': 90001, 'servo in your': 753249, 'your area profiteering': 1022823, 'area profiteering form': 92172, 'profiteering form the': 683034, 'form the pandemic': 329569, 'the pandemic despite': 862946, 'pandemic despite low': 635297, 'despite low oil': 238774, 'what can should': 981179, 'can should the': 159613, 'the government do': 856527, 'government do motorcycle': 360030, 'do motorcycle acc': 249612, 'motorcycle acc consumer': 543345, 'acc consumer right': 27805, 'consumer right fuel': 198814, 'right fuel fuelprices': 721906, 'fuel fuelprices pandemic': 340181, 'march reuters': 515460, 'in march reuters': 425116, 'pause realise': 644612, 'is tanking': 452571, 'tanking and': 834250, 'how place': 408514, 'other society': 620940, 'society like': 781259, 'like iran': 490510, 'iran are': 444672, 'through we': 894891, 'experiencing hair': 291651, 'hair length': 373990, 'with fruit': 998573, 'fruit for': 339092, 'time to pause': 898023, 'to pause realise': 911505, 'pause realise that': 644613, 'realise that the': 701606, 'that the economy': 846713, 'economy is tanking': 268017, 'is tanking and': 452572, 'tanking and price': 834252, 'good are rising': 356773, 'rising how place': 723234, 'how place in': 408515, 'place in other': 657513, 'in other society': 426250, 'other society like': 620941, 'society like iran': 781260, 'like iran are': 490511, 'iran are going': 444674, 'going through we': 355512, 'through we are': 894892, 'are experiencing hair': 86342, 'experiencing hair length': 291652, 'hair length of': 373991, 'length of what': 486323, 'live with fruit': 496115, 'with fruit for': 998574, 'fruit for thought': 339093, 'moronavirus': 541656, 'wild part': 992072, 'part 324': 642223, '324 moronavirus': 17720, 'moronavirus version': 541657, 'version 24': 954896, 'coronavirus panicshopping': 206530, 'panicshopping trumpplague': 639462, 'the wild part': 871558, 'wild part 324': 992073, 'part 324 moronavirus': 642224, '324 moronavirus version': 17721, 'moronavirus version 24': 541658, 'version 24 picture': 954897, 'with coronavirus panicshopping': 997808, 'coronavirus panicshopping trumpplague': 206531, 'the coalition': 851113, 'coalition is': 185078, 'offering ton': 595309, 'preventing insurancefraud': 671812, 'insurancefraud during': 440845, 'sharing knowledge': 755549, 'knowledge please': 477183, 'share insurance': 755066, 'the coalition is': 851114, 'coalition is offering': 185079, 'is offering ton': 450431, 'offering ton of': 595310, 'ton of consumer': 924267, 'resource on preventing': 714846, 'on preventing insurancefraud': 602900, 'preventing insurancefraud during': 671813, 'insurancefraud during the': 440846, 'the pandemic let': 863015, 'pandemic let keep': 635882, 'let keep each': 486841, 'other safe by': 620865, 'safe by sharing': 729535, 'by sharing knowledge': 153967, 'sharing knowledge please': 755550, 'knowledge please share': 477184, 'please share insurance': 660486, 'share insurance fraud': 755067, 'jst': 467575, 'aimlessly': 39589, 'cant easily': 162280, 'easily go': 265211, 'reason find': 702895, 'myself jst': 550897, 'jst wanting': 467582, 'to aimlessly': 900198, 'aimlessly wander': 39594, 'supermarket jst': 821216, 'jst browsing': 467576, 'browsing bye': 141298, 'bye sanity': 154808, 'sanity stayhome': 736548, 'now that cant': 575997, 'that cant easily': 843146, 'cant easily go': 162281, 'easily go out': 265212, 'some reason find': 783698, 'reason find myself': 702896, 'find myself jst': 307086, 'myself jst wanting': 550898, 'jst wanting to': 467583, 'wanting to aimlessly': 966298, 'to aimlessly wander': 900199, 'aimlessly wander the': 39595, 'wander the aisle': 965567, 'the aisle of': 848528, 'aisle of supermarket': 40329, 'of supermarket jst': 590431, 'supermarket jst browsing': 821217, 'jst browsing bye': 467577, 'browsing bye bye': 141299, 'bye bye sanity': 154801, 'bye sanity stayhome': 154809, 'sanity stayhome lockdown': 736549, 'source behind': 786455, 'stats supermarket': 796630, 'stockpiling level': 804009, 'level result': 487690, 'result and': 717474, '19 gender': 7190, 'gender disparity': 345253, 'source behind the': 786456, 'behind the stats': 124728, 'the stats supermarket': 867841, 'stats supermarket stockpiling': 796631, 'supermarket stockpiling level': 822983, 'stockpiling level result': 804010, 'level result and': 487691, 'result and covid': 717475, 'covid 19 gender': 213140, '19 gender disparity': 7191, 'those sanitizer': 892418, 'sanitizer story': 735825, 'story came': 811932, 'out couldn': 625911, 'couldn believe': 209870, 'believe someone': 126328, 'someone could': 784424, 'greedy but': 363494, 'hell these': 389074, 'doing when': 252857, 'supply ain': 824670, 'even mad': 284316, 'at sanitizer': 100462, 'sanitizer guy': 735007, 'guy anymore': 368891, 'anymore pricegouging': 80151, 'those sanitizer story': 892419, 'sanitizer story came': 735826, 'story came out': 811933, 'came out couldn': 157043, 'out couldn believe': 625912, 'couldn believe someone': 209871, 'believe someone could': 126329, 'someone could be': 784425, 'could be so': 208924, 'be so greedy': 117257, 'so greedy but': 777210, 'greedy but that': 363495, 'but that exactly': 147286, 'exactly what the': 288766, 'the hell these': 857250, 'hell these company': 389075, 'these company are': 879783, 'are doing when': 85940, 'doing when it': 252858, 'come to selling': 187597, 'to selling their': 914199, 'selling their supply': 749488, 'their supply ain': 874916, 'supply ain even': 824671, 'ain even mad': 39614, 'even mad at': 284317, 'mad at sanitizer': 507524, 'at sanitizer guy': 100463, 'sanitizer guy anymore': 735008, 'guy anymore pricegouging': 368893, 'week four': 976243, 'four of': 330638, 'week four of': 976244, 'four of lockdown': 330639, 'of lockdown all': 585948, 'lockdown all set': 499116, 'all set for': 44290, 'set for the': 753380, 'cov in': 212122, 'dying from at': 263818, 'from at least': 334603, 'people who worked': 650362, 'worked at amp': 1006097, 'at amp have': 97964, 'amp have died': 53910, 'covid 19 cov': 212876, '19 cov in': 6172, 'cov in recent': 212123, '75ml': 22222, 'only local': 610737, 'pharmacy even': 654305, 'even canadian': 283932, 'tire for': 899013, 'for 60ml': 318898, '60ml hand': 21162, 'sanitizer paid': 735527, 'paid 99': 633955, 'for 75ml': 318921, '75ml paid': 22223, '99 all': 23768, 'safety product': 730697, 'not only local': 570807, 'only local pharmacy': 610739, 'local pharmacy even': 498274, 'pharmacy even canadian': 654306, 'even canadian tire': 283933, 'canadian tire for': 160760, 'tire for 60ml': 899014, 'for 60ml hand': 318899, '60ml hand sanitizer': 21163, 'hand sanitizer paid': 375529, 'sanitizer paid 99': 735528, 'paid 99 and': 633957, '99 and for': 23774, 'and for 75ml': 63134, 'for 75ml paid': 318922, '75ml paid 99': 22224, 'paid 99 all': 633956, '99 all these': 23769, 'all these retailer': 45051, 'these retailer and': 880601, 'and supplier of': 72769, 'supplier of safety': 824583, 'of safety product': 589222, 'safety product are': 730699, 'cool get': 203009, 'strike up': 813768, 'up convoy': 944643, 'convoy randos': 202705, 'randos at': 696663, 'distancing cool get': 247086, 'cool get it': 203010, 'it but the': 456957, 'want to strike': 966134, 'to strike up': 915674, 'strike up convoy': 813769, 'up convoy randos': 944644, 'convoy randos at': 202706, 'randos at the': 696664, 'the damn supermarket': 852816, 'orihuelacosta': 619612, 'maintaining household': 509111, 'household on': 406898, 'the orihuelacosta': 862491, 'orihuelacosta ha': 619613, 'most hazardous': 542370, 'hazardous everyday': 384593, 'task we': 834735, 'few precautionary': 304013, 'the personal': 863597, 'infection can': 436730, 'going shopping and': 355445, 'shopping and maintaining': 761998, 'and maintaining household': 66532, 'maintaining household on': 509112, 'household on the': 406899, 'on the orihuelacosta': 604266, 'the orihuelacosta ha': 862492, 'orihuelacosta ha become': 619614, 'the most hazardous': 860993, 'most hazardous everyday': 542371, 'hazardous everyday task': 384594, 'everyday task we': 286631, 'task we have': 834736, 'face but if': 294342, 'if we take': 415317, 'we take few': 973482, 'take few precautionary': 832118, 'few precautionary measure': 304014, 'precautionary measure the': 669430, 'measure the personal': 525369, 'the personal risk': 863598, 'personal risk of': 652955, 'of infection can': 585161, 'infection can be': 436731, 'can be reduced': 157674, 'adminstrators': 32542, 'superarket': 818615, 'banker the': 110385, 'the broker': 850046, 'broker or': 140941, 'manager it': 512737, 'porter the': 664985, 'the adminstrators': 848360, 'adminstrators the': 32543, 'men the': 528537, 'the carers': 850416, 'carers the': 164624, 'the superarket': 868434, 'superarket shelf': 818616, 'stacker who': 792032, 'knew r4today': 476069, 'so it turn': 777482, 'out the most': 627395, 'important job are': 418857, 'job are not': 465661, 'the banker the': 849265, 'banker the broker': 110386, 'the broker or': 850047, 'broker or the': 140942, 'or the hedge': 617377, 'fund manager it': 341458, 'manager it the': 512738, 'it the doctor': 461528, 'nurse the hospital': 577508, 'the hospital porter': 857528, 'hospital porter the': 404569, 'porter the adminstrators': 664986, 'the adminstrators the': 848361, 'adminstrators the bin': 32544, 'bin men the': 131023, 'men the teacher': 528539, 'the teacher the': 869197, 'teacher the carers': 835515, 'the carers the': 850418, 'carers the superarket': 164625, 'the superarket shelf': 868435, 'superarket shelf stacker': 818617, 'shelf stacker who': 757565, 'stacker who knew': 792033, 'who knew r4today': 989170, 'flinching': 310583, 'consumer flinching': 197501, 'flinching the': 310584, 'outbreak close': 628112, 'close shop': 182792, 'cause job': 167623, 'loss hurting': 503695, 'of consumer flinching': 581740, 'consumer flinching the': 197502, 'flinching the outbreak': 310585, 'the outbreak close': 862602, 'outbreak close shop': 628113, 'close shop and': 182793, 'shop and cause': 759842, 'and cause job': 59638, 'cause job loss': 167624, 'job loss hurting': 465974, 'loss hurting demand': 503696, 'robber': 724655, 'protectothers': 685829, 'wa first': 962137, 'first ve': 309155, 'bandana over': 109384, 'face felt': 294435, 'bank robber': 110141, 'robber at': 724656, 'but lot': 146323, 'others had': 621440, 'too so': 925069, 'so staysafe': 778260, 'staysafe wearamask': 798949, 'wearamask protectyourself': 974514, 'protectyourself protectothers': 685870, 'protectothers masks4all': 685832, 'masks4all mask': 519666, 'mask safe': 519206, 'this wa first': 891062, 'wa first ve': 962138, 'first ve never': 309156, 've never had': 953386, 'had to walk': 373740, 'store with mask': 811386, 'with mask bandana': 999404, 'mask bandana over': 518457, 'bandana over my': 109385, 'over my face': 630420, 'my face felt': 548155, 'face felt like': 294436, 'felt like bank': 303403, 'like bank robber': 489873, 'bank robber at': 110142, 'robber at first': 724657, 'at first but': 98654, 'first but lot': 308556, 'but lot of': 146326, 'lot of others': 504242, 'of others had': 587393, 'others had one': 621441, 'had one on': 373371, 'one on too': 606786, 'on too so': 604802, 'too so staysafe': 925071, 'so staysafe wearamask': 778261, 'staysafe wearamask protectyourself': 798950, 'wearamask protectyourself protectothers': 974515, 'protectyourself protectothers masks4all': 685871, 'protectothers masks4all mask': 685833, 'masks4all mask safe': 519667, 'lt gov': 506374, 'gov husted': 359599, 'husted come': 411813, 'hearing of': 388221, 'lt gov husted': 506375, 'gov husted come': 359600, 'husted come on': 411814, 'on people we': 602758, 'people we have': 650153, 'than that after': 841208, 'that after hearing': 842517, 'after hearing of': 35776, 'hearing of fight': 388222, 'paper in grocery': 640319, 'it wife': 462364, 'wife want': 991995, 'dang it wife': 225619, 'it wife want': 462365, 'wife want me': 991996, 'isolating am': 455049, 'am symptomatic': 50467, 'symptomatic think': 830962, 'neighbor friend': 557013, 'friend did': 333571, 'did her': 240641, 'her every': 392018, 'even try': 284742, 'try video': 934682, 'call via': 156216, 'skype unitedagainstdementia': 773269, 'am currently self': 49995, 'self isolating am': 747710, 'isolating am symptomatic': 455051, 'am symptomatic think': 50468, 'symptomatic think about': 830963, 'to support an': 915904, 'support an elderly': 826350, 'elderly neighbor friend': 270769, 'neighbor friend did': 557015, 'friend did her': 333572, 'did her online': 240642, 'phone and called': 654880, 'called her every': 156340, 'her every day': 392019, 'day we could': 228674, 'we could even': 971204, 'could even try': 209143, 'even try video': 284743, 'try video call': 934683, 'video call via': 956654, 'call via skype': 156217, 'via skype unitedagainstdementia': 956241, 'air cargo': 39698, 'cargo price': 164668, 'ppe shipment': 668050, 'shipment is': 758761, 'forcing shift': 328727, 'sea air': 743076, 'rail container': 695671, 'container rail': 200551, 'rail shipping': 695682, 'shipping shipper': 758911, 'shipper seek': 758817, 'seek alternative': 746565, 'alternative mode': 49243, 'mode air': 535152, 'freight market': 332695, 'market tightens': 517224, 'tightens lloyd': 895860, 'lloyd loading': 497133, 'loading list': 497339, 'good article on': 356781, 'how the rise': 408871, 'rise in air': 722874, 'in air cargo': 420120, 'air cargo price': 39699, 'cargo price on': 164669, 'price on demand': 675664, 'demand for ppe': 235479, 'for ppe shipment': 324669, 'ppe shipment is': 668051, 'shipment is forcing': 758762, 'is forcing shift': 447904, 'forcing shift to': 328728, 'shift to sea': 758445, 'to sea air': 913944, 'sea air and': 743077, 'air and rail': 39684, 'and rail container': 69904, 'rail container rail': 695672, 'container rail shipping': 200552, 'rail shipping shipper': 695683, 'shipping shipper seek': 758912, 'shipper seek alternative': 758818, 'seek alternative mode': 746566, 'alternative mode air': 49244, 'mode air freight': 535153, 'air freight market': 39743, 'freight market tightens': 332696, 'market tightens lloyd': 517225, 'tightens lloyd loading': 895861, 'lloyd loading list': 497134, 'shulman': 767767, 'neighborhood legend': 557134, 'legend of': 485934, 'seattle steve': 743569, 'steve shulman': 799955, 'shulman ha': 767768, 'neighborhood legend of': 557135, 'legend of family': 485935, 'of family grocery': 583405, 'store in seattle': 808386, 'in seattle steve': 427763, 'seattle steve shulman': 743570, 'steve shulman ha': 799956, 'shulman ha passed': 767769, 'always stay': 49752, 'extra careful': 293469, 'making online': 511251, 'fraudsters are on': 331403, 'the rise due': 865850, 'to the uncertainty': 917154, 'uncertainty surrounding covid': 939764, '19 don let': 6629, 'let them take': 487163, 'them take advantage': 876361, 'of you always': 593371, 'you always stay': 1016952, 'always stay vigilant': 49753, 'vigilant and beware': 957234, 'of phishing scam': 588100, 'scam and be': 739993, 'and be extra': 58750, 'be extra careful': 114757, 'extra careful when': 293470, 'careful when making': 164453, 'when making online': 983710, 'making online purchase': 511254, 'online purchase for': 608821, 'purchase for more': 689455, 'information please visit': 437949, 'vicious': 956435, 'analogy': 56995, '1st rate': 12780, 'rate modern': 697300, 'modern economics': 535384, 'economics lesson': 267461, 'lesson with': 486521, 'paywall vicious': 645837, 'vicious tension': 956440, 'between saving': 128881, 'life short': 489038, 'term amp': 838052, 'saving livelihood': 737917, 'livelihood long': 496200, 'pandemic then': 636718, 'next save': 561531, 'save false': 737493, 'false analogy': 297404, 'analogy for': 56996, 'another thread': 77906, '1st rate modern': 12781, 'rate modern economics': 697301, 'modern economics lesson': 535385, 'economics lesson with': 267462, 'lesson with no': 486522, 'with no paywall': 999775, 'no paywall vicious': 565088, 'paywall vicious tension': 645838, 'vicious tension between': 956441, 'tension between saving': 837982, 'between saving life': 128882, 'saving life short': 737915, 'life short term': 489039, 'short term amp': 764723, 'term amp saving': 838053, 'amp saving livelihood': 54447, 'saving livelihood long': 737918, 'livelihood long term': 496201, 'long term if': 501691, 'term if not': 838171, 'if not this': 414513, 'not this pandemic': 572102, 'this pandemic then': 889437, 'pandemic then the': 636720, 'then the next': 877619, 'the next save': 861692, 'next save false': 561532, 'save false analogy': 737494, 'false analogy for': 297405, 'analogy for another': 56997, 'for another thread': 319378, 'dissuade': 246608, 'sale try': 732604, 'to dissuade': 904427, 'dissuade him': 246609, 'seems quite': 746840, 'quite determined': 694841, 'le want': 483232, 'bus am': 142993, 'am stressed': 50439, 'is 60 year': 445221, 'old and want': 598142, 'buy item on': 148870, 'item on sale': 463508, 'on sale try': 603277, 'sale try to': 732605, 'try to dissuade': 934617, 'to dissuade him': 904428, 'dissuade him but': 246610, 'him but he': 396563, 'he seems quite': 385418, 'seems quite determined': 746841, 'quite determined do': 694842, 'bus but even': 143006, 'but even le': 145669, 'even le want': 284290, 'le want to': 483233, 'the bus am': 850137, 'bus am stressed': 142994, 'everything closing': 287732, 'closing should': 183749, 'cook or': 202763, 'something youtube': 785164, 'youtube step': 1026917, 'store stayhomechallenge': 810362, 'me with everything': 523991, 'with everything closing': 998299, 'everything closing should': 287733, 'closing should take': 183750, 'should take all': 766541, 'take all this': 831932, 'all this free': 45107, 'this free time': 887609, 'free time to': 332232, 'to cook or': 903485, 'cook or something': 202764, 'or something youtube': 617166, 'something youtube step': 785165, 'youtube step go': 1026918, 'step go to': 799548, 'grocery store stayhomechallenge': 365803, 'store stayhomechallenge quarantinelife': 810363, 'sell vital': 748940, 'medicine need': 526843, 'enact rationing': 275491, 'rationing right': 697860, 'will skyrocket': 994868, 'skyrocket from': 773308, 'some hat': 783025, 'hat buy': 378845, 'all store that': 44503, 'store that sell': 810571, 'that sell vital': 846187, 'sell vital supply': 748941, 'vital supply such': 959730, 'supply such food': 825918, 'and medicine need': 66913, 'medicine need to': 526844, 'need to enact': 555917, 'to enact rationing': 905049, 'enact rationing right': 275492, 'rationing right away': 697861, 'right away the': 721792, 'away the panic': 106048, 'the panic will': 863229, 'panic will skyrocket': 638792, 'will skyrocket from': 994869, 'skyrocket from here': 773309, 'from here and': 335774, 'they need so': 882758, 'need so they': 555580, 'they don panic': 881996, 'don panic when': 253817, 'panic when some': 638780, 'when some hat': 984049, 'some hat buy': 783026, 'hat buy everything': 378846, 'nonsense subsides': 566744, 'subsides predict': 815963, 'become preppers': 120100, 'preppers stophoarding': 670408, 'this nonsense subsides': 889161, 'nonsense subsides predict': 566745, 'subsides predict that': 815964, 'predict that more': 669577, 'people will become': 650380, 'will become preppers': 992801, 'become preppers stophoarding': 120101, 'present time': 670632, 'no test': 565682, 'use have': 949257, 'been approved': 120670, 'approved if': 83160, 'anyone or': 80450, 'organization offer': 619406, '19 consumer alert': 5953, 'consumer alert at': 196135, 'alert at present': 41359, 'at present time': 100181, 'present time no': 670634, 'time no test': 897273, 'no test for': 565683, 'test for in': 839003, 'for in home': 322510, 'in home use': 423791, 'home use have': 402410, 'use have been': 949258, 'have been approved': 379466, 'been approved if': 120673, 'approved if anyone': 83161, 'if anyone or': 413851, 'anyone or any': 80451, 'or any health': 614348, 'any health organization': 79309, 'health organization offer': 386724, 'organization offer to': 619407, 'offer to sell': 594852, 'sell you one': 748955, 'you one it': 1020199, 'one it scam': 606541, 'it scam please': 460900, 'scam please make': 740304, 'sure the older': 827714, 'life are aware': 488498, 'profoundly': 683163, '1973': 12422, 'sedan': 744820, 'last national': 480358, 'that profoundly': 845873, 'profoundly impacted': 683164, 'impacted american': 418068, 'extent it': 293324, 'it semi': 460971, 'permanently shifted': 652108, 'shifted behavior': 758476, 'the 1973': 847948, '1973 oil': 12429, 'crisis out': 217844, 'out giant': 626217, 'giant car': 349759, 'in compact': 421618, 'compact sedan': 190322, 'sedan until': 744821, 'the late': 859063, 'late 90': 480845, '90 what': 23353, 'your top': 1026185, 'top prediction': 925668, 'the last national': 859024, 'last national crisis': 480359, 'national crisis that': 552469, 'crisis that profoundly': 218153, 'that profoundly impacted': 845874, 'profoundly impacted american': 683165, 'impacted american life': 418069, 'american life to': 52073, 'the extent it': 854755, 'extent it semi': 293325, 'it semi permanently': 460972, 'semi permanently shifted': 749619, 'permanently shifted behavior': 652109, 'shifted behavior wa': 758477, 'behavior wa the': 124290, 'wa the 1973': 963439, 'the 1973 oil': 847949, '1973 oil crisis': 12430, 'oil crisis out': 596719, 'crisis out giant': 217845, 'out giant car': 626218, 'giant car in': 349760, 'car in compact': 163133, 'in compact sedan': 421619, 'compact sedan until': 190323, 'sedan until the': 744822, 'until the late': 943859, 'the late 90': 859066, 'late 90 what': 480846, '90 what is': 23354, 'is your top': 454170, 'your top prediction': 1026186, 'top prediction for': 925669, 'prediction for major': 669661, 'for major consumer': 323165, 'major consumer behavioral': 509286, 'behavioral shift from': 124339, 'shift from covid': 758294, 'estate investing': 282134, 'investing ha': 443925, 'so hot': 777328, 'hot 19': 404987, 'real estate investing': 701151, 'estate investing ha': 282135, 'investing ha never': 443926, 'been so hot': 121995, 'so hot 19': 777329, 'struggling and': 814417, 'limiting quantity': 492859, 'another bread': 77520, 'bread price': 138568, 'fixing scheme': 309860, 'are struggling and': 90581, 'struggling and can': 814418, 'can afford milk': 157403, 'milk store are': 531835, 'store are limiting': 806495, 'are limiting quantity': 87820, 'limiting quantity you': 492860, 'buy keeping the': 148883, 'keeping the price': 472583, 'the price sky': 864415, 'scam another bread': 740030, 'another bread price': 77521, 'bread price fixing': 138569, 'price fixing scheme': 673892, 'this east': 887332, 'east coast': 265302, 'coast toilet': 185123, 'paper hit': 640270, 'hit lot': 398304, 'lot different': 504029, 'paper had': 640238, 'va beach': 951535, 'beach send': 118237, 'saying conspiracy': 739575, 'conspiracy toiletpaper': 195588, 'toiletpaper bayarea': 921784, 'this east coast': 887333, 'east coast toilet': 265303, 'coast toilet paper': 185124, 'toilet paper hit': 921305, 'paper hit lot': 640271, 'hit lot different': 398305, 'lot different than': 504030, 'different than the': 242088, 'than the west': 841279, 'west coast toilet': 980488, 'toilet paper had': 921294, 'paper had my': 640239, 'had my friend': 373320, 'friend in va': 333662, 'in va beach': 430517, 'va beach send': 951536, 'beach send me': 118238, 'send me toilet': 749895, 'paper in california': 640315, 'in california and': 421137, 'california and just': 155462, 'and just saying': 65719, 'just saying conspiracy': 469713, 'saying conspiracy toiletpaper': 739576, 'conspiracy toiletpaper bayarea': 195589, 'hanover': 377017, 'cirko': 178768, 'why hanover': 991044, 'hanover township': 377020, 'township woman': 927627, 'arrested coughing': 93826, 'on 35k': 599093, 'food margaret': 315386, 'margaret cirko': 515585, 'cirko gerrity': 178772, 'why hanover township': 991045, 'hanover township woman': 377022, 'township woman arrested': 927628, 'woman arrested coughing': 1003413, 'arrested coughing on': 93827, 'coughing on 35k': 208713, 'on 35k worth': 599094, 'of food margaret': 583729, 'food margaret cirko': 315387, 'margaret cirko gerrity': 515587, 'cirko gerrity supermarket': 178773, 'gerrity supermarket 19': 346398, 'oil battered': 596644, 'by simultaneous': 154023, 'simultaneous fight': 770371, '19 flood': 7028, 'supply saudi': 825802, 'falling deep': 297230, 'deep enough': 231884, 'that physical': 845741, 'physical player': 655441, 'player start': 659335, 'buying oil': 150804, 'until storage': 943838, 'storage tank': 805998, 'tank fill': 834203, 'oil battered by': 596645, 'battered by simultaneous': 112746, 'by simultaneous fight': 154024, 'simultaneous fight against': 770372, 'covid 19 flood': 213105, '19 flood of': 7029, 'flood of supply': 310716, 'of supply saudi': 590497, 'supply saudi arabia': 825803, 'market share price': 517051, 'share price falling': 755172, 'price falling deep': 673809, 'falling deep enough': 297231, 'deep enough that': 231886, 'enough that physical': 277664, 'that physical player': 845742, 'physical player start': 655442, 'player start buying': 659336, 'start buying oil': 794238, 'buying oil to': 150805, 'oil to store': 597480, 'to store it': 915627, 'store it until': 808598, 'it until storage': 461948, 'until storage tank': 943839, 'storage tank fill': 805999, 'tank fill up': 834204, 'nurse medic': 577417, 'medic medical': 525999, 'mention supermarket': 528785, 'worker well': 1008158, 'well thank': 978644, 'work coronavid19': 1005010, 'coronavid19 coronaaustralia': 205377, 'coronaaustralia 19': 204437, 'shoutout to all': 766808, 'doctor nurse medic': 251024, 'nurse medic medical': 577418, 'medic medical staff': 526000, 'medical staff not': 526400, 'staff not to': 792686, 'to mention supermarket': 910092, 'mention supermarket worker': 528786, 'supermarket worker supply': 824087, 'chain worker well': 171266, 'worker well thank': 1008160, 'well thank you': 978646, 'hard work coronavid19': 378125, 'work coronavid19 coronaaustralia': 1005011, 'coronavid19 coronaaustralia 19': 205378, 'is cashier': 446402, 'store her': 808140, 'just installed': 469068, 'installed plexiglas': 440029, 'plexiglas barrier': 661033, 'customer along': 222052, 'with readily': 1000408, 'available glove': 104405, 'care kudos': 164042, 'daughter is cashier': 226866, 'is cashier at': 446403, 'grocery store her': 365461, 'store her store': 808141, 'her store just': 392409, 'store just installed': 808617, 'just installed plexiglas': 469069, 'installed plexiglas barrier': 440030, 'plexiglas barrier between': 661035, 'and customer along': 60833, 'customer along with': 222053, 'along with readily': 47076, 'with readily available': 1000409, 'readily available glove': 700718, 'available glove and': 104406, 'show their employee': 767227, 'their employee they': 873156, 'employee they care': 274309, 'they care kudos': 881727, 'care kudos to': 164043, 'really shitting': 702576, 'shitting that': 759361, 'home toiletpaper': 402357, 'all really shitting': 44131, 'really shitting that': 702577, 'shitting that much': 759362, 'that much more': 845245, 'much more at': 545097, 'at home toiletpaper': 99151, 'bhargab': 129355, 'maitra': 509190, '10 indian': 1481, 'indian breaking': 434785, 'breaking lockdown': 138984, 'lockdown per': 499784, 'per nation': 650955, 'wide online': 991736, 'online survey': 609511, 'by prof': 153661, 'prof bhargab': 682340, 'bhargab maitra': 129356, 'maitra recommendation': 509191, 'for pas': 324404, 'temporary accommodation': 837574, 'accommodation restricted': 28466, 'restricted transportation': 717173, 'transportation age': 929985, 'age wise': 37921, 'wise staggered': 996694, 'staggered shopping': 793248, '10 indian breaking': 1482, 'indian breaking lockdown': 434786, 'breaking lockdown per': 138985, 'lockdown per nation': 499785, 'per nation wide': 650956, 'nation wide online': 552387, 'wide online survey': 991737, 'online survey by': 609512, 'survey by prof': 828830, 'by prof bhargab': 153662, 'prof bhargab maitra': 682341, 'bhargab maitra recommendation': 129357, 'maitra recommendation for': 509192, 'recommendation for pas': 704749, 'for pas temporary': 324405, 'pas temporary accommodation': 643150, 'temporary accommodation restricted': 837575, 'accommodation restricted transportation': 28467, 'restricted transportation age': 717174, 'transportation age wise': 929986, 'age wise staggered': 37922, 'wise staggered shopping': 996695, 'staggered shopping hour': 793249, 'shopping hour day': 762915, 'day for socialdistancing': 227633, 'boycottpepsi': 137391, 'same applies': 732964, 'india boycottpepsi': 434326, 'the same applies': 866196, 'same applies to': 732966, 'applies to they': 82538, 'to they are': 917359, 'they are raising': 881377, 'price during in': 673625, 'during in india': 262717, 'in india boycottpepsi': 424024, 'wishlistediting': 996892, 'understand all': 940585, 'store suddenly': 810440, 'suddenly offering': 817118, 'special discount': 787892, 'discount don': 244464, 'want stranger': 965939, 'me parcel': 523324, 'parcel that': 641524, 'packed by': 633594, 'other stranger': 620997, 'stranger online': 812480, 'wait onlineshopping': 964168, 'onlineshopping stayhome': 609940, 'stayhome wishlistediting': 798236, 'don understand all': 254003, 'understand all the': 940587, 'online store suddenly': 609472, 'store suddenly offering': 810441, 'suddenly offering special': 817119, 'offering special discount': 595256, 'special discount don': 787893, 'discount don want': 244465, 'don want stranger': 254045, 'want stranger to': 965940, 'stranger to deliver': 812499, 'deliver me parcel': 233169, 'me parcel that': 523325, 'parcel that ha': 641525, 'been packed by': 121642, 'packed by other': 633595, 'by other stranger': 153467, 'other stranger online': 620998, 'stranger online shopping': 812481, 'ha to wait': 372321, 'to wait onlineshopping': 918268, 'wait onlineshopping stayhome': 964169, 'onlineshopping stayhome wishlistediting': 609942, 'hrlaw': 409700, 'emplaw': 273422, 'employee essential': 273819, 'hr hrlaw': 409627, 'hrlaw emplaw': 409701, 'store employee essential': 807484, 'employee essential worker': 273822, 'essential worker hr': 281837, 'worker hr hrlaw': 1007151, 'hr hrlaw emplaw': 409628, 'dueregard': 262047, 'whately': 982736, '2discriminatory': 16588, 'psed': 687466, 'how most': 408330, 'risk shown': 723874, 'shown dueregard': 767582, 'dueregard in': 262048, 'in practical': 426894, 'practical publichealth': 668477, 'publichealth plan': 688541, 'plan england': 658106, 'england whately': 277040, 'whately mitigation': 982737, 'mitigation 2discriminatory': 534557, '2discriminatory advice': 16589, 'advice nh': 33437, 'nh socialcare': 562067, 'socialcare service': 780029, 'service psed': 752741, 'psed no': 687467, 'how most at': 408331, 'at risk shown': 100396, 'risk shown dueregard': 723875, 'shown dueregard in': 767583, 'dueregard in practical': 262049, 'in practical publichealth': 426896, 'practical publichealth plan': 668478, 'publichealth plan england': 688542, 'plan england whately': 658107, 'england whately mitigation': 277041, 'whately mitigation 2discriminatory': 982738, 'mitigation 2discriminatory advice': 534558, '2discriminatory advice nh': 16590, 'advice nh socialcare': 33438, 'nh socialcare service': 562068, 'socialcare service psed': 780030, 'service psed no': 752742, 'senatorshehusani': 749802, 'movement will': 543945, 'massive decline': 520007, 'economic output': 267188, 'output income': 629275, 'spending senatorshehusani': 788982, 'senatorshehusani lockdown': 749803, 'shutdown of movement': 768069, 'of movement will': 586697, 'movement will lead': 543946, 'lead to massive': 483366, 'to massive decline': 909882, 'massive decline in': 520008, 'decline in economic': 231349, 'in economic output': 422481, 'economic output income': 267189, 'output income and': 629276, 'income and consumer': 432279, 'and consumer spending': 60431, 'consumer spending senatorshehusani': 199089, 'spending senatorshehusani lockdown': 788983, 'lifecycle': 489277, 'brandverse': 138169, 'whilst reading': 987678, 'reading your': 700828, 'check consumer': 174399, 'consumer lifecycle': 198041, 'lifecycle model': 489278, 'model marketing': 535277, 'marketing online': 517666, 'online brandverse': 607950, 'brandverse internet': 138170, 'internet let': 441964, 'whilst reading your': 987679, 'reading your tweet': 700829, 'your tweet about': 1026235, 'tweet about the': 936328, 'about the check': 26350, 'the check consumer': 850745, 'check consumer lifecycle': 174400, 'consumer lifecycle model': 198042, 'lifecycle model marketing': 489279, 'model marketing online': 535278, 'marketing online brandverse': 517667, 'online brandverse internet': 607951, 'brandverse internet let': 138171, 'internet let know': 441965, 'let know what': 486862, 'fried issue': 333453, 'issue emergency': 455728, 'on florida': 600826, 'florida egg': 310923, 'egg during': 269850, 'nikki fried issue': 563249, 'fried issue emergency': 333454, 'issue emergency order': 455729, 'emergency order on': 272836, 'order on florida': 618454, 'on florida egg': 600827, 'florida egg during': 310924, 'egg during covid': 269851, 'genuinely when': 345911, 'with respecting': 1000484, 'respecting supermarket': 715144, 'which employee': 985844, 'health policing': 386743, 'policing it': 663303, 'just stayhomesa': 469891, 'genuinely when we': 345912, 'when we couldn': 984436, 'we couldn get': 971225, 'couldn get people': 209889, 'people to comply': 649887, 'comply with respecting': 192536, 'with respecting supermarket': 1000485, 'respecting supermarket shopping': 715145, 'hour for elderly': 405600, 'elderly and health': 270573, 'health worker how': 386982, 'worker how that': 1007148, 'how that going': 408792, 'and which employee': 75557, 'which employee are': 985845, 'employee are going': 273617, 'their health policing': 873522, 'health policing it': 386744, 'policing it just': 663304, 'it just stayhomesa': 459246, 'katherine': 471029, 'figatner': 304587, 'feeling right': 303047, 'from research': 337081, 'research first': 713715, 'roundtable moderated': 726399, 'moderated by': 535360, 'by katherine': 152979, 'katherine figatner': 471030, 'figatner mrx': 304588, 'here what consumer': 393801, 'what consumer are': 981248, 'consumer are thinking': 196320, 'are thinking and': 91044, 'thinking and feeling': 885877, 'and feeling right': 62787, 'feeling right now': 303048, 'right now takeaway': 722146, 'now takeaway from': 575955, 'takeaway from research': 832867, 'from research first': 337082, 'research first live': 713716, 'consumer roundtable moderated': 198843, 'roundtable moderated by': 726400, 'moderated by katherine': 535361, 'by katherine figatner': 152980, 'katherine figatner mrx': 471031, 'figatner mrx consumerbehavior': 304589, 'they typically': 883598, 'typically deliver': 937651, 'deliver about': 233081, 'county they': 211509, 'they serve': 883325, 'serve however': 751900, 'however recent': 409446, 'ha nearly': 371316, 'nearly doubled': 553816, 'doubled due': 256105, 'official say they': 595913, 'say they typically': 739350, 'they typically deliver': 883599, 'typically deliver about': 937652, 'deliver about 50': 233082, 'about 50 00': 24718, '50 00 meal': 19576, '00 meal in': 324, 'meal in the': 524194, 'the county they': 852198, 'county they serve': 211510, 'they serve however': 883326, 'serve however recent': 751901, 'however recent demand': 409447, 'recent demand ha': 703881, 'demand ha nearly': 235610, 'ha nearly doubled': 371317, 'nearly doubled due': 553817, 'doubled due to': 256106, 'the closure amid': 851050, 'against by': 37350, 'promoting shopping': 683856, 'let fight against': 486711, 'fight against by': 304608, 'against by promoting': 37351, 'by promoting shopping': 153670, 'promoting shopping online': 683857, 'online buy from': 607976, 'experience which': 291534, 'strictest social': 813680, 'apart stayhomesavelifes': 81342, 'your experience which': 1023720, 'experience which supermarket': 291535, 'supermarket ha implemented': 820631, 'implemented the strictest': 418490, 'the strictest social': 868286, 'strictest social distancing': 813681, 'when people do': 983859, 'do not keep': 249771, 'not keep meter': 570274, 'keep meter apart': 471659, 'meter apart stayhomesavelifes': 529689, 'apart stayhomesavelifes staysafe': 81343, 'whippy': 987749, 'ht rebecca': 409744, 'rebecca whippy': 703263, 'whippy on': 987750, 'facebook interrupt': 294945, 'ht rebecca whippy': 409745, 'rebecca whippy on': 703264, 'whippy on facebook': 987751, 'on facebook interrupt': 600708, 'facebook interrupt the': 294946, '2020 school': 14586, 'notice this': 573377, 'virus kroger': 958446, 'by revenue': 153806, 'limiting supply': 492872, 'effective march 16': 269283, '16 2020 school': 4071, '2020 school in': 14587, 'school in my': 741825, 'my county will': 547830, 'county will be': 211536, 'further notice this': 342118, 'notice this is': 573379, 'is to slow': 453243, 'slow the rapidly': 774398, 'rapidly spreading covid': 697024, '19 virus kroger': 11816, 'virus kroger the': 958447, 'largest supermarket by': 480028, 'supermarket by revenue': 819480, 'by revenue is': 153807, 'revenue is limiting': 720446, 'is limiting supply': 449374, 'limiting supply to': 492873, 'supply to customer': 826001, 'to customer so': 903857, 'customer so that': 222861, 'so that everyone': 778370, 'that everyone ha': 843765, 'dominate': 253273, 'landscape completely': 479394, 'completely delivery': 192252, 'and carryout': 59590, 'carryout dominate': 165226, 'dominate the': 253274, 'scene workstream': 741373, 'technology entrepreneurship': 836291, 'changed the landscape': 172566, 'the landscape completely': 858936, 'landscape completely delivery': 479395, 'completely delivery and': 192253, 'delivery and carryout': 233656, 'and carryout dominate': 59591, 'carryout dominate the': 165227, 'dominate the scene': 253276, 'the scene workstream': 866477, 'scene workstream hr': 741374, 'hrtech technology entrepreneurship': 409713, 'shopping list via': 763196, 'intimes': 442333, 'equiping': 279669, 'hosptals': 404855, 'intimes like': 442334, 'when world': 984522, 'are enforcing': 86213, 'enforcing all': 276811, 'health measure': 386630, 'and equiping': 62221, 'equiping and': 279670, 'and facilitating': 62598, 'facilitating hosptals': 295281, 'hosptals and': 404856, 'center enforcing': 169191, 'enforcing lockdown': 276823, 'lockdown drawing': 499323, 'drawing up': 258532, 'up law': 945291, 'leader seek': 483530, 'manufacture bicycle': 513364, 'intimes like this': 442335, 'like this when': 491548, 'this when world': 891359, 'when world leader': 984523, 'world leader are': 1009749, 'leader are enforcing': 483425, 'are enforcing all': 86214, 'enforcing all health': 276812, 'all health measure': 43074, 'health measure and': 386631, 'measure and equiping': 525099, 'and equiping and': 62222, 'equiping and facilitating': 279671, 'and facilitating hosptals': 62599, 'facilitating hosptals and': 295282, 'hosptals and health': 404857, 'health center enforcing': 386257, 'center enforcing lockdown': 169192, 'enforcing lockdown drawing': 276824, 'lockdown drawing up': 499324, 'drawing up law': 258533, 'up law and': 945292, 'law and regulation': 482214, 'regulation on food': 708086, 'price to curb': 676981, '19 our leader': 9054, 'our leader seek': 623696, 'leader seek to': 483531, 'seek to manufacture': 746615, 'to manufacture bicycle': 909815, 'to brickandmortar': 902018, 'brickandmortar retail': 139602, 'retail pandemic': 718373, 'due to brickandmortar': 261714, 'to brickandmortar retail': 902020, 'brickandmortar retail pandemic': 139604, 'mahsood': 508528, 'by asad': 151892, 'asad mahsood': 94845, 'mahsood founder': 508529, 'it organization': 460154, 'organization distributing': 619364, 'distributing the': 248093, 'glove among': 352544, 'among needy': 53027, 'amp donate': 53666, 'donate ration': 254224, 'affected labor': 34390, 'great initiative by': 362758, 'initiative by asad': 438615, 'by asad mahsood': 151893, 'asad mahsood founder': 94846, 'mahsood founder of': 508530, 'founder of do': 330548, 'of do it': 582745, 'do it organization': 249501, 'it organization distributing': 460155, 'organization distributing the': 619365, 'distributing the thousand': 248094, 'thousand of mask': 893453, 'mask sanitizer glove': 519222, 'sanitizer glove among': 734986, 'glove among needy': 352545, 'among needy people': 53028, 'needy people amp': 556692, 'people amp donate': 646832, 'amp donate ration': 53667, 'donate ration for': 254225, 'ration for affected': 697683, 'for affected labor': 319057, 'ag today': 36846, 'complaint received': 192017, 'received by': 703605, 'by her': 152790, 'her office': 392243, 'office surge': 595559, 'than 240': 840209, '240 during': 15711, 'state coronavirus': 795489, 'michigan ag today': 530316, 'ag today extended': 36847, 'gouging complaint received': 359293, 'complaint received by': 192018, 'received by her': 703606, 'by her office': 152791, 'her office surge': 392244, 'office surge to': 595560, 'surge to more': 828270, 'more than 240': 540556, 'than 240 during': 840210, '240 during the': 15712, 'the state coronavirus': 867760, 'state coronavirus disease': 795490, 'telegram': 836727, 'not join': 570195, 'crowd check': 219139, 'these alternative': 879586, 'alternative grocery': 49231, 'can try': 160057, 'try instead': 934495, 'instead follow': 440182, 'follow instagram': 312429, 'instagram fb': 439958, 'group food': 366694, 'food appreciation': 313401, 'appreciation event': 82871, 'event club': 284965, 'club singapore': 184481, 'singapore telegram': 771159, 'cannot get your': 161917, 'your grocery because': 1024120, 'grocery because everyone': 364313, 'do not join': 249768, 'not join the': 570196, 'join the crowd': 466854, 'the crowd check': 852520, 'crowd check out': 219140, 'out these alternative': 627533, 'these alternative grocery': 879588, 'alternative grocery store': 49232, 'you can try': 1017817, 'can try instead': 160058, 'try instead follow': 934496, 'instead follow instagram': 440183, 'follow instagram fb': 312430, 'instagram fb group': 439959, 'fb group food': 300650, 'group food appreciation': 366695, 'food appreciation event': 313402, 'appreciation event club': 82872, 'event club singapore': 284966, 'club singapore telegram': 184482, 'mpc': 544302, 'hundo': 410973, 'got mpc': 358719, 'mpc touch': 544303, 'two hundo': 936964, 'hundo covid': 410974, 'just got mpc': 468863, 'got mpc touch': 358720, 'mpc touch for': 544304, 'touch for two': 926484, 'for two hundo': 327391, 'two hundo covid': 936965, 'hundo covid 19': 410975, 'clutching': 184598, 'weird and': 977740, 'and eerie': 61944, 'eerie scene': 268938, 'scene everywhere': 741320, 'bus lot': 143057, 'of seat': 589431, 'train bare': 929232, 'shelf shuttered': 757515, 'shuttered shop': 768217, 'shop even': 760148, 'potato stall': 666980, 'stall is': 793367, 'shut few': 767880, 'around clutching': 93250, 'clutching shopping': 184599, 'coronacrisis it is': 204648, 'it is weird': 459129, 'is weird and': 453833, 'weird and eerie': 977741, 'and eerie scene': 61945, 'eerie scene everywhere': 268939, 'scene everywhere in': 741321, 'everywhere in england': 288218, 'in england deserted': 422579, 'empty bus lot': 274817, 'bus lot of': 143058, 'lot of seat': 504275, 'of seat on': 589432, 'on train bare': 604836, 'train bare supermarket': 929233, 'supermarket shelf shuttered': 822529, 'shelf shuttered shop': 757516, 'shuttered shop even': 768218, 'shop even the': 760149, 'jacket potato stall': 464160, 'potato stall is': 666981, 'stall is shut': 793368, 'is shut few': 451903, 'shut few people': 767881, 'few people walking': 303993, 'walking around clutching': 965021, 'around clutching shopping': 93251, 'clutching shopping bag': 184600, 'shopping bag of': 762146, 'bag of unusual': 108372, 'buying our': 150846, 'tirelessly 12': 899069, 'help care': 389482, 'and sleep': 71742, 'continue going': 201044, 'going stop': 355469, 'stop think': 805179, 'think dont': 885212, 'we all stop': 970367, 'panic buying our': 637836, 'buying our nh': 150847, 'working tirelessly 12': 1008973, 'tirelessly 12 hour': 899070, '12 hour day': 2865, 'to help care': 907474, 'help care and': 389483, 'care and fight': 163838, 'fight the need': 304897, 'the need food': 861393, 'need food well': 554814, 'food well they': 317546, 'in this and': 429905, 'this and they': 886352, 'food and sleep': 313333, 'and sleep to': 71745, 'sleep to continue': 773801, 'to continue going': 903386, 'continue going stop': 201045, 'going stop think': 355470, 'stop think dont': 805180, 'think dont be': 885213, 'dont be selfish': 255189, 'inflation likely': 437205, 'likely fell': 491999, 'march poll': 515439, 'consumer inflation likely': 197861, 'inflation likely fell': 437206, 'likely fell to': 492000, 'fell to four': 303246, 'four month low': 330632, 'month low in': 537841, 'low in march': 505336, 'in march poll': 425113, 'natively': 552784, 'now possible': 575572, 'food natively': 315507, 'natively in': 552785, 'google map': 358172, 'if google': 414162, 'to rival': 913607, 'rival existing': 724167, 'existing delivery': 290309, 'it now possible': 459962, 'now possible to': 575573, 'order food natively': 618215, 'food natively in': 315508, 'natively in google': 552786, 'in google map': 423380, 'google map it': 358173, 'map it ll': 514931, 'll be interesting': 496596, 'see if google': 745278, 'if google ha': 414163, 'google ha the': 358159, 'ha the demand': 372195, 'the demand to': 853115, 'demand to rival': 236403, 'to rival existing': 913608, 'rival existing delivery': 724168, 'existing delivery platform': 290310, 'hospice': 404250, 'line hospice': 493177, 'hospice supermarket': 404251, 'worker transport': 1008047, 'transport social': 929942, 'distancers all': 246932, 'help line hospice': 390002, 'line hospice supermarket': 493178, 'hospice supermarket worker': 404252, 'supermarket worker transport': 824105, 'worker transport social': 1008048, 'transport social distancers': 929943, 'social distancers all': 779538, 'distancers all key': 246933, 'key worker thank': 473518, 'being crazy': 125007, 'are people still': 89050, 'people still hoarding': 649597, 'still hoarding toiletpaper': 800717, 'hoarding toiletpaper paper': 399621, 'toiletpaper paper diarrhea': 922315, 'the there is': 869428, 'stop being crazy': 804484, 'being crazy trumpgenocide': 125008, 'impacting culture': 418207, 'culture and': 220284, 'blog now how': 132971, 'now how covid': 574953, 'is impacting culture': 448698, 'impacting culture and': 418208, 'culture and consumer': 220285, 'consumer behavior for': 196476, 'week of april': 976604, 'of april 10': 580321, 'blissfully': 132734, 'family blissfully': 297659, 'blissfully unaware': 132735, 'unaware that': 939484, '19 back': 5289, 'residence the': 714229, 'vulnerable family': 960960, 'member please': 528172, 'few second': 304057, 'the imp': 857926, 'then they are': 877651, 'are going home': 86887, 'home to their': 402345, 'their family blissfully': 873247, 'family blissfully unaware': 297660, 'blissfully unaware that': 132736, 'unaware that they': 939485, 'could carry the': 208991, 'carry the covid': 165154, 'covid 19 back': 212673, '19 back to': 5292, 'to their residence': 917263, 'their residence the': 874557, 'residence the supermarket': 714230, 'supermarket or vulnerable': 821837, 'or vulnerable family': 617699, 'vulnerable family member': 960961, 'family member please': 298042, 'member please take': 528173, 'please take few': 660631, 'take few second': 832119, 'few second to': 304058, 'second to read': 743855, 'read the tweet': 700591, 'the tweet and': 870127, 'tweet and think': 936344, 'about the imp': 26417, 'hoverboard': 407241, 'backtothefuture': 107597, 'martymcfly': 518123, 'hoverboards': 407244, 'zelda': 1027350, 'pfoa': 653934, 'hoverboard fun': 407242, 'fun point': 341207, 'point fortnite': 662487, 'fortnite cool': 329856, 'cool stunt': 203047, 'stunt backtothefuture': 815322, 'backtothefuture martymcfly': 107598, 'martymcfly hoverboards': 518124, 'hoverboards home': 407245, 'brown cleveland': 141230, 'poetry love': 662376, 'love flip': 504662, 'flip fuel': 310601, 'fuel ramen': 340271, 'ramen doometernal': 696381, 'doometernal animalcrossing': 255456, 'animalcrossing zelda': 76700, 'zelda pfoa': 1027351, 'pfoa bored': 653935, 'bored mm': 135357, 'mm disinfect': 534761, 'disinfect via': 245581, 'hoverboard fun point': 407243, 'fun point fortnite': 341208, 'point fortnite cool': 662488, 'fortnite cool stunt': 329857, 'cool stunt backtothefuture': 203048, 'stunt backtothefuture martymcfly': 815323, 'backtothefuture martymcfly hoverboards': 107599, 'martymcfly hoverboards home': 518125, 'hoverboards home toiletpaper': 407246, 'home toiletpaper brown': 402358, 'toiletpaper brown cleveland': 921827, 'brown cleveland art': 141231, 'art poetry love': 94186, 'poetry love flip': 662377, 'love flip fuel': 504663, 'flip fuel ramen': 310602, 'fuel ramen doometernal': 340272, 'ramen doometernal animalcrossing': 696382, 'doometernal animalcrossing zelda': 255457, 'animalcrossing zelda pfoa': 76701, 'zelda pfoa bored': 1027352, 'pfoa bored mm': 653936, 'bored mm disinfect': 135358, 'mm disinfect via': 534762, 'insulted': 440643, 'you insulted': 1019358, 'insulted and': 440644, 'and yelled': 75965, 'on separate': 603371, 'we limited': 972201, 'limited product': 492699, 'to identical': 908085, 'identical product': 413307, 'product each': 681151, 'were you insulted': 980363, 'you insulted and': 1019359, 'insulted and yelled': 440645, 'and yelled at': 75966, 'yelled at by': 1015223, 'woman today on': 1003639, 'today on separate': 919972, 'on separate occasion': 603373, 'because we limited': 119811, 'we limited product': 972202, 'limited product to': 492700, 'product to identical': 681748, 'to identical product': 908086, 'identical product each': 413308, 'product each corvid19uk': 681152, 'chickenwings': 175894, 'meatonthebone': 525821, 'being serious': 125763, 'serious here': 751403, 'here chickenwings': 392867, 'chickenwings meatonthebone': 175895, 'meatonthebone tp': 525822, 'are we being': 91560, 'we being serious': 970845, 'being serious here': 125764, 'serious here chickenwings': 751404, 'here chickenwings meatonthebone': 392868, 'chickenwings meatonthebone tp': 175896, 'meatonthebone tp toiletpaper': 525823, 'healthy fit': 387614, 'fit 30': 309457, '30 yr': 17275, 'old hit': 598294, 'keeping 6ft': 472363, '6ft distance': 21604, 'who recovered': 989512, 'recovered this': 705249, 'scary stayhome': 741185, 'stayhome physicaldistancing': 798069, 'physicaldistancing of': 655489, '6ft required': 21617, 'required wear': 713418, 'if going': 414160, 'healthy fit 30': 387615, 'fit 30 yr': 309458, '30 yr old': 17276, 'yr old hit': 1027034, 'old hit hard': 598295, 'hit hard while': 398255, 'hard while keeping': 378111, 'while keeping 6ft': 986986, 'keeping 6ft distance': 472365, '6ft distance with': 21605, 'distance with someone': 246903, 'someone who recovered': 784767, 'who recovered this': 989513, 'recovered this is': 705250, 'is scary stayhome': 451681, 'scary stayhome physicaldistancing': 741186, 'stayhome physicaldistancing of': 798070, 'physicaldistancing of more': 655490, 'more than 6ft': 540576, 'than 6ft required': 840290, '6ft required wear': 21618, 'required wear mask': 713419, 'mask if going': 518819, 'if going to': 414161, 'store for walk': 807853, 'for walk etc': 327616, 'my line': 549068, 'all best': 42175, 'assured going': 97109, 'be gloved': 115046, 'gloved up': 353061, 'chance whatever': 171829, 'whatever during': 982749, 'if all come': 413788, 'all come through': 42393, 'come through my': 187544, 'through my line': 894580, 'my line at': 549069, 'store all best': 806129, 'all best be': 42176, 'best be assured': 127589, 'be assured going': 113716, 'assured going to': 97110, 'to be gloved': 901277, 'be gloved up': 115047, 'gloved up we': 353063, 'up we cannot': 946542, 'take any chance': 831942, 'any chance whatever': 79012, 'chance whatever during': 171830, 'whatever during the': 982750, 'boundary': 136864, 'respect boundary': 714968, 'boundary and': 136867, 'damn moron': 225400, 'moron hoarding': 541596, 'shortage no need': 765086, 'buy everyone need': 148593, 'need to respect': 556045, 'to respect boundary': 913371, 'respect boundary and': 714969, 'boundary and respect': 136868, 'so listen up': 777557, 'listen up you': 494767, 'up you damn': 946724, 'you damn moron': 1018146, 'damn moron hoarding': 225401, 'moron hoarding stock': 541597, 'hoarding stock no': 399539, 'stock no need': 802497, 'squeezethecharmin': 791554, 'wheresthetoiletpaper toiletpaper': 985452, 'toiletpaper squeezethecharmin': 922510, 'squeezethecharmin dog': 791555, 'dog dogsofinstagram': 252069, 'dogsofinstagram quarantine': 252221, 'quarantine houston': 692265, 'houston texas': 407224, 'wheresthetoiletpaper toiletpaper squeezethecharmin': 985453, 'toiletpaper squeezethecharmin dog': 922511, 'squeezethecharmin dog dogsofinstagram': 791556, 'dog dogsofinstagram quarantine': 252070, 'dogsofinstagram quarantine houston': 252222, 'quarantine houston texas': 692266, 'diasorin': 240427, 'authorization': 103820, 'simplexa': 770161, 'insider diasorin': 439463, 'diasorin company': 240428, 'the milan': 860592, 'milan stock': 531312, 'received authorization': 703601, 'authorization from': 103821, 'emergency test': 273012, 'test simplexa': 839171, 'simplexa covid': 770162, '19 direct': 6550, 'direct kit': 243347, 'provides rapid': 686886, 'rapid response': 696927, 'infection news': 436793, 'insider diasorin company': 439464, 'diasorin company listed': 240429, 'on the milan': 604235, 'the milan stock': 860593, 'milan stock exchange': 531313, 'exchange ha received': 289451, 'ha received authorization': 371663, 'received authorization from': 703602, 'authorization from food': 103822, 'drug administration to': 260857, 'administration to use': 32510, 'use the emergency': 949661, 'the emergency test': 854235, 'emergency test simplexa': 273013, 'test simplexa covid': 839172, 'simplexa covid 19': 770163, 'covid 19 direct': 212955, '19 direct kit': 6551, 'direct kit which': 243348, 'kit which provides': 475669, 'which provides rapid': 986247, 'provides rapid response': 686887, 'rapid response on': 696929, 'response on the': 715772, 'on the infection': 604181, 'the infection news': 858224, 'opp': 613531, 'cricket': 216733, 'people standing': 649529, 'store opp': 809304, 'opp my': 613532, 'my place': 549780, 'place look': 657562, 'like slip': 491201, 'slip cordon': 774014, 'cordon in': 203507, 'in cricket': 421869, 'cricket socialdistancing': 216737, 'socialdistancing indiafightscorona': 780449, 'people standing outside': 649531, 'standing outside grocery': 793797, 'grocery store opp': 365622, 'store opp my': 809305, 'opp my place': 613533, 'my place look': 549781, 'place look like': 657563, 'look like slip': 502509, 'like slip cordon': 491202, 'slip cordon in': 774015, 'cordon in cricket': 203508, 'in cricket socialdistancing': 421870, 'cricket socialdistancing indiafightscorona': 216738, 'worker claiming': 1006641, 'charged for coughing': 173379, 'on grocery worker': 601191, 'grocery worker claiming': 366164, 'worker claiming to': 1006642, 'together report': 920915, 'report just': 712070, 'with actual': 997095, 'actual up': 30706, 'date insight': 226667, 'motivation across': 543307, 'cover finance': 212224, 'finance travel': 306290, 'travel politics': 930472, 'politics entertainment': 663782, 'entertainment medium': 278581, 'medium retail': 527256, 'more get': 539339, 'put together report': 690945, 'together report just': 920916, 'report just for': 712071, 'just for you': 468764, 'for you with': 328102, 'you with actual': 1022376, 'with actual up': 997096, 'actual up to': 30707, 'to date insight': 903930, 'date insight on': 226668, 'insight on how': 439607, 'impacting consumer motivation': 418197, 'consumer motivation across': 198163, 'motivation across the': 543308, 'nation we ll': 552371, 'we ll cover': 972241, 'll cover finance': 496692, 'cover finance travel': 212225, 'finance travel politics': 306291, 'travel politics entertainment': 930473, 'politics entertainment medium': 663783, 'entertainment medium retail': 278582, 'medium retail and': 527257, 'and more get': 67173, 'more get it': 539340, 'get it today': 347431, 'mcfuku': 522170, 'mcfuku 3m': 522171, '3m ha': 18321, 'it charge': 457108, '3m respirator': 18335, 'respirator result': 715212, 'price dealer': 673389, 'dealer or': 229618, 'retailer charge': 719071, 'mcfuku 3m ha': 522172, '3m ha not': 18322, 'not changed the': 568734, 'the price it': 864373, 'price it charge': 674913, 'it charge for': 457109, 'charge for 3m': 173232, 'for 3m respirator': 318829, '3m respirator result': 18336, 'respirator result of': 715213, 'outbreak but the': 628067, 'but the company': 147320, 'the company cannot': 851319, 'company cannot control': 190534, 'cannot control the': 161731, 'control the price': 202169, 'the price dealer': 864340, 'price dealer or': 673390, 'dealer or retailer': 229619, 'or retailer charge': 616892, 'retailer charge for': 719072, 'disorganized': 246086, 'say re': 739089, 're uncoordinated': 699744, 'uncoordinated disorganized': 939900, 'disorganized scramble': 246087, 'scramble or': 742538, 'dog eat': 252073, 'eat dog': 265886, 'dog competition': 252063, 'among state': 53055, 'equipment this': 279851, 'it gop': 458310, 'gop state': 358283, 'state won': 796101, 'won outbid': 1003880, 'outbid new': 627931, 'york or': 1016645, 'or california': 614631, 'california or': 155553, 'or illinois': 615732, 'illinois or': 416298, 'on other state': 602562, 'other state say': 620967, 'state say re': 795921, 'say re uncoordinated': 739090, 're uncoordinated disorganized': 699745, 'uncoordinated disorganized scramble': 939901, 'disorganized scramble or': 246088, 'scramble or dog': 742539, 'or dog eat': 615036, 'dog eat dog': 252074, 'eat dog competition': 265887, 'dog competition among': 252064, 'competition among state': 191659, 'among state for': 53056, 'state for life': 795588, 'for life saving': 322972, 'saving equipment this': 737866, 'equipment this is': 279852, 'do it gop': 249481, 'it gop state': 458311, 'gop state won': 358284, 'state won outbid': 796102, 'won outbid new': 1003881, 'outbid new york': 627932, 'new york or': 559943, 'york or california': 1016646, 'or california or': 614632, 'california or illinois': 155554, 'or illinois or': 615733, 'farmer factory': 299370, 'incredible effort': 433831, 'together to combat': 920986, 'combat the don': 187051, 'the don forget': 853541, 'thank our medical': 841620, 'our medical worker': 623899, 'medical worker farmer': 526502, 'worker farmer factory': 1006906, 'farmer factory worker': 299371, 'factory worker grocery': 296018, 'front line for': 338574, 'line for their': 493115, 'their incredible effort': 873649, 'item your': 463876, 'hoarding are': 399195, 'of item your': 585495, 'item your family': 463877, 'your family not': 1023795, 'family not panic': 298086, 'and not hoarding': 67748, 'not hoarding are': 569994, 'hoarding are way': 399197, 'are way you': 91554, 'can help ensure': 158615, 'help ensure no': 389643, 'hungry during covid': 411242, 'good saying': 357695, 'saying supermarket': 739689, 'number you': 577097, 'when same': 983952, 'thing leave': 884526, 'back minute': 107150, 'number again': 576814, 'again stophoarding': 37188, 'no good saying': 564372, 'good saying supermarket': 357696, 'saying supermarket are': 739690, 'supermarket are limiting': 819166, 'are limiting the': 87822, 'the number you': 861966, 'number you can': 577099, 'can buy when': 157847, 'buy when same': 149466, 'when same supermarket': 983953, 'same supermarket let': 733314, 'supermarket let them': 821302, 'them get that': 875775, 'get that number': 348210, 'that number of': 845430, 'number of thing': 577002, 'of thing leave': 591904, 'thing leave the': 884527, 'leave the store': 484978, 'go back minute': 353346, 'back minute later': 107151, 'later and get': 481022, 'get the same': 348292, 'same number again': 733181, 'number again stophoarding': 576815, 'california tip': 155591, 'coronavirus in california': 206116, 'in california tip': 421150, 'california tip for': 155592, 'tip for going': 898767, 'store 19 corona': 806023, 'speech1': 788412, 'framing': 330957, 'speech1 preferring': 788413, 'preferring paper': 669819, 'paper bill': 639945, 'really secondary': 702558, 'secondary point': 743889, 'here although': 392671, 'although think': 49371, 'saving will': 737989, 'be passed': 116363, 'passed to': 643308, 're framing': 698708, 'framing this': 330965, 'of covi': 582090, 'speech1 preferring paper': 788414, 'preferring paper bill': 669820, 'paper bill is': 639946, 'bill is really': 130606, 'is really secondary': 451316, 'really secondary point': 702559, 'secondary point here': 743890, 'point here although': 662507, 'here although think': 392672, 'although think we': 49372, 'think we all': 885760, 'know the saving': 476848, 'the saving will': 866390, 'saving will not': 737990, 'not be passed': 568432, 'be passed to': 116366, 'passed to the': 643309, 'consumer it the': 197963, 'it the fact': 461533, 'they re framing': 883040, 're framing this': 698709, 'framing this some': 330966, 'this some sort': 890241, 'sort of covi': 786121, 'on doing': 600376, 'from pnp': 336942, 'pnp and': 662108, 'and woolies': 75839, 'woolies understand': 1004391, 'say just': 738873, 'indoors hey': 435403, 'hey saw': 394502, 'saw it': 738144, 'street shopping': 813104, 'his toddler': 397865, 'from here on': 335780, 'here on doing': 393408, 'on doing online': 600377, 'shopping from pnp': 762759, 'from pnp and': 336943, 'pnp and woolies': 662109, 'and woolies understand': 75840, 'woolies understand why': 1004392, 'understand why they': 940824, 'why they say': 991459, 'they say just': 883273, 'say just stay': 738874, 'just stay indoors': 469888, 'stay indoors hey': 797076, 'indoors hey saw': 435404, 'hey saw it': 394503, 'saw it and': 738145, 'it and this': 456519, 'and this man': 74001, 'man is out': 512122, 'out here in': 626282, 'the street shopping': 868248, 'street shopping with': 813105, 'with his toddler': 998847, 'kennyrogers': 472810, 'kenny': 472808, 'early trip': 264739, 'of kennyrogers': 585594, 'kennyrogers on': 472813, 'on rip': 603197, 'rip kenny': 722654, 'kenny quaratinelife': 472809, 'an early trip': 55546, 'early trip to': 264740, 'now the best': 576030, 'best of kennyrogers': 127795, 'of kennyrogers on': 585595, 'kennyrogers on rip': 472814, 'on rip kenny': 603198, 'rip kenny quaratinelife': 722655, 'harig': 378365, 'say andy': 738426, 'andy harig': 76244, 'harig vp': 378366, 'vp tax': 960719, 'tax trade': 835113, 'trade sustainability': 928583, 'sustainability policy': 829778, 'policy develop': 663376, 'develop food': 239637, 'industry assoc': 435668, 'assoc fmi': 96831, 'fmi ecogarden': 311761, 'stockpile food in': 803747, 'the no need': 861831, 'hoard product or': 398856, 'product or panic': 681495, 'or panic about': 616486, 'about food during': 25254, '19 pandemic say': 9453, 'pandemic say andy': 636390, 'say andy harig': 738427, 'andy harig vp': 76245, 'harig vp tax': 378367, 'vp tax trade': 960720, 'tax trade sustainability': 835114, 'trade sustainability policy': 928584, 'sustainability policy develop': 829779, 'policy develop food': 663377, 'develop food industry': 239638, 'food industry assoc': 315007, 'industry assoc fmi': 435669, 'assoc fmi ecogarden': 96832, 'fmi ecogarden azamax': 311762, 'coddle': 185321, 'for ha': 322091, 'be ceo': 114040, 'ceo who': 169884, 'can coddle': 157925, 'coddle at': 185322, 'be face': 114770, 'possibly catch': 665905, 'infect your': 436518, 'your father': 1023812, 'work for ha': 1005152, 'for ha submitted': 322093, 'request to remain': 713220, 'remain open with': 709832, 'open with no': 612680, 'with no restriction': 999785, 'no restriction it': 565354, 'restriction it must': 717309, 'must be great': 546508, 'to be ceo': 901160, 'be ceo who': 114041, 'ceo who can': 169885, 'who can coddle': 988376, 'can coddle at': 157926, 'coddle at home': 185323, 'and not be': 67721, 'not be face': 568380, 'be face to': 114771, 'public and possibly': 687852, 'and possibly catch': 69219, 'possibly catch covid': 665906, '19 and infect': 5048, 'and infect your': 65194, 'infect your father': 436519, 'your father who': 1023813, 'father who would': 300323, 'who would be': 990057, 'would be killed': 1011612, 'killed by it': 474570, 'start looking': 794374, 'quarantine which': 692700, 'can somewhat': 159678, 'somewhat rely': 785269, 'not substitute': 571788, 'substitute is': 816092, 'anyone prioritizing': 80468, 'prioritizing online': 678488, 'delivery over': 234295, 'minute stophoarding': 533844, 'right about to': 721734, 'about to start': 26740, 'to start looking': 915206, 'start looking into': 794375, 'looking into online': 502943, 'into online supermarket': 442813, 'supermarket delivery for': 819922, 'delivery for my': 234025, 'for my quarantine': 323743, 'my quarantine which': 549873, 'quarantine which one': 692701, 'which one can': 986196, 'one can somewhat': 606050, 'can somewhat rely': 159679, 'somewhat rely on': 785270, 'on to have': 604738, 'to have stock': 907314, 'stock and not': 801820, 'and not substitute': 67776, 'not substitute is': 571790, 'substitute is anyone': 816093, 'is anyone prioritizing': 445766, 'anyone prioritizing online': 80469, 'prioritizing online and': 678489, 'online and home': 607819, 'home delivery over': 401039, 'delivery over in': 234296, 'over in store': 630316, 'the minute stophoarding': 860674, 'minute stophoarding coronacrisis': 533845, 'hotel during': 405138, 'on hotel': 601368, 'hotel staple': 405195, 'stay profitable': 797185, 'profitable during': 682921, 'time hospitalitystrong': 896944, 'hospitalitystrong solidaritywithhospitality': 404830, 'we doing to': 971370, 'support hotel during': 826575, 'hotel during this': 405139, 'we re slashing': 972965, 're slashing price': 699531, 'slashing price on': 773679, 'price on hotel': 675682, 'on hotel staple': 601369, 'hotel staple to': 405196, 'staple to help': 794006, 'keep you stay': 472248, 'you stay profitable': 1021374, 'stay profitable during': 797186, 'profitable during this': 682922, 'difficult time hospitalitystrong': 242292, 'time hospitalitystrong solidaritywithhospitality': 896945, 'best credit': 127655, 'for maximizing': 323294, 'maximizing purchase': 520806, 'the best credit': 849505, 'best credit card': 127656, 'credit card for': 216337, 'card for maximizing': 163523, 'for maximizing purchase': 323295, 'maximizing purchase at': 520807, 'purchase at the': 689371, 'seriously doubt': 751589, 'doubt anyone': 256185, 'be voting': 118027, 'any republican': 79745, 'republican please': 713057, 'mask take': 519328, 'take hand': 832160, 'vote these': 960510, 'seriously doubt anyone': 751590, 'doubt anyone will': 256186, 'anyone will be': 80641, 'will be voting': 992763, 'be voting for': 118028, 'voting for any': 960602, 'for any republican': 319424, 'any republican please': 79746, 'republican please wear': 713058, 'please wear mask': 660766, 'wear mask take': 974402, 'mask take hand': 519329, 'take hand sanitizer': 832161, 'sanitizer and vote': 734452, 'and vote these': 75040, 'vote these bastard': 960511, 'these bastard out': 879678, 'picture when': 656217, 'need pandemic': 555405, 'this picture when': 889584, 'picture when you': 656218, 'you take more': 1021511, 'you need pandemic': 1020029, 'need pandemic 19': 555406, 'pandemic 19 stophoarding': 634772, 'not made': 570486, 'made plan': 507915, 'are immoral': 87312, 'immoral there': 417292, 'there said': 879012, 'you have not': 1019082, 'have not made': 381689, 'not made plan': 570487, 'made plan to': 507916, 'plan to self': 658319, 'quarantine and avoid': 692008, 'and avoid the': 58577, 'two week you': 937378, 'you are immoral': 1017148, 'are immoral there': 87313, 'immoral there said': 417293, 'there said it': 879013, 'said it pandemic': 731160, 'it pandemic panicbuying': 460240, 'total coronavirus': 926150, 'case july': 165841, 'july chicago': 467810, 'chicago wheat': 175703, 'any correlation': 79071, 'between these': 128943, 'place wheat': 657826, 'wheat still': 983016, 'remains wild': 710084, 'wild card': 992047, 'several area': 753792, 'total coronavirus case': 926151, 'coronavirus case july': 205617, 'case july chicago': 165842, 'july chicago wheat': 467811, 'chicago wheat price': 175704, 'wheat price can': 983006, 'price can make': 673063, 'can make sense': 158949, 'sense of any': 750551, 'of any correlation': 580250, 'any correlation between': 79072, 'correlation between these': 207631, 'between these number': 128945, 'these number it': 880355, 'number it seems': 576902, 'be all over': 113553, 'the place wheat': 863779, 'place wheat still': 657827, 'wheat still remains': 983017, 'still remains wild': 801117, 'remains wild card': 710085, 'wild card in': 992048, 'card in several': 163553, 'in several area': 427835, 'whitecoats': 987937, 'never encountered': 557964, 'encountered before': 275548, 'is challenging': 446456, 'time mainly': 897175, 'mainly for': 508876, 'have young': 383704, 'young family': 1022588, 'adult to': 32856, 'few practical': 304009, 'tip which': 898957, 'you whitecoats': 1022300, 'whitecoats corona': 987938, 'pandemic is something': 635797, 'is something we': 452115, 'something we have': 785135, 'we have never': 971874, 'have never encountered': 381576, 'never encountered before': 557965, 'encountered before it': 275549, 'it is challenging': 458902, 'is challenging time': 446457, 'challenging time mainly': 171642, 'time mainly for': 897176, 'mainly for people': 508878, 'who have young': 988971, 'have young family': 383706, 'young family or': 1022589, 'family or vulnerable': 298134, 'or vulnerable adult': 617695, 'vulnerable adult to': 960839, 'adult to care': 32857, 'care for here': 163946, 'for here are': 322242, 'are few practical': 86534, 'few practical tip': 304010, 'practical tip which': 668494, 'tip which may': 898958, 'may help you': 521272, 'help you whitecoats': 391009, 'you whitecoats corona': 1022301, 'screengrabs': 742750, 'ig story': 415672, 'story evolution': 811968, 'evolution shaky': 288494, 'shaky video': 754486, 'shelf selfies': 757490, 'or rubber': 616927, 'glove screengrabs': 352912, 'screengrabs of': 742751, 'video chat': 956668, 'chat idk': 173935, 'idk stopped': 413669, 'ig story evolution': 415673, 'story evolution shaky': 811969, 'evolution shaky video': 288495, 'shaky video of': 754487, 'grocery shelf selfies': 364956, 'shelf selfies in': 757491, 'selfies in mask': 747970, 'and or rubber': 68228, 'or rubber glove': 616928, 'rubber glove screengrabs': 726942, 'glove screengrabs of': 352913, 'screengrabs of video': 742752, 'of video chat': 592800, 'video chat idk': 956669, 'chat idk stopped': 173936, 'idk stopped watching': 413670, 'unprecedented pandemic': 943180, 'cheque please': 175511, 'petition asking': 653588, 'to cap': 902440, 'cap hydro': 162423, 'hydro rate': 411956, 'this unprecedented pandemic': 890920, 'unprecedented pandemic many': 943182, 'pandemic many family': 635925, 'many family will': 514060, 'will be self': 992668, 'home and struggling': 400696, 'pay bill many': 644784, 'bill many will': 130619, 'many will not': 514884, 'not be receiving': 568441, 'be receiving pay': 116725, 'receiving pay cheque': 703793, 'pay cheque please': 644803, 'cheque please sign': 175512, 'please sign the': 660519, 'the petition asking': 863613, 'petition asking the': 653589, 'asking the ontario': 96078, 'ontario government to': 611598, 'government to cap': 360703, 'to cap hydro': 902441, 'cap hydro rate': 162424, 'hydro rate to': 411958, 'rate to off': 697394, 'harbor': 377837, 'harbor freight': 377838, 'freight ha': 332688, 'to monday': 910224, 'sunday due': 818190, '19 customer': 6394, 'also encouraged': 48159, 'at whenever': 101537, 'possible easter': 665638, 'easter hour': 265453, 'hour noon': 405784, 'harbor freight ha': 377839, 'freight ha reduced': 332689, 'it store hour': 461290, 'hour to monday': 406031, 'to monday saturday': 910225, 'monday saturday and': 536378, 'saturday and am': 737005, 'and am on': 58024, 'am on sunday': 50283, 'on sunday due': 603756, 'sunday due to': 818191, 'covid 19 customer': 212901, '19 customer are': 6395, 'customer are also': 222112, 'are also encouraged': 84450, 'also encouraged to': 48160, 'encouraged to shop': 275671, 'online at whenever': 607901, 'at whenever possible': 101538, 'whenever possible easter': 984671, 'possible easter hour': 665639, 'easter hour noon': 265454, 'shopper of': 761631, '19 britain': 5450, 'britain walking': 140468, 'walking right': 965096, 'right by': 721833, 'someone really': 784619, 'sorry isn': 786059, 'same social': 733296, 'supermarket shopper of': 822618, 'shopper of covid': 761632, 'covid 19 britain': 212732, '19 britain walking': 5451, 'britain walking right': 140469, 'walking right by': 965097, 'right by someone': 721835, 'by someone really': 154085, 'someone really fast': 784620, 'really fast and': 702188, 'fast and saying': 299915, 'and saying sorry': 71017, 'saying sorry isn': 739685, 'sorry isn the': 786060, 'the same social': 866300, 'same social distancing': 733297, 'whispering to': 987799, 'joe all': 466396, 'shit papertowels': 759185, 'papertowels toiletpaper': 641178, 'pandemic traderjoes': 636832, 'whispering to employee': 987800, 'employee at trader': 273655, 'trader joe all': 928707, 'joe all got': 466397, 'all got any': 42986, 'got any of': 358415, 'of that good': 590723, 'that good shit': 844049, 'good shit papertowels': 357729, 'shit papertowels toiletpaper': 759186, 'papertowels toiletpaper pandemic': 641179, 'toiletpaper pandemic traderjoes': 922305, 'is compulsory': 446723, 'compulsory to': 192720, 'glove happy': 352712, 'walked into supermarket': 964960, 'supermarket and found': 818986, 'found this at': 330431, 'the entrance it': 854383, 'entrance it is': 278882, 'it is compulsory': 458910, 'is compulsory to': 446724, 'compulsory to wear': 192723, 'wear glove happy': 974338, 'glove happy to': 352713, 'see supermarket being': 745764, 'supermarket being responsible': 819360, 'than certain': 840444, 'certain they': 170116, 'china moron': 176833, 'moron like': 541606, 'like amp': 489756, 'have fed': 380595, 'fed you': 301938, 'lie that': 488377, 'is superior': 452452, 'superior but': 818691, 'be failing': 114782, 'failing right': 296217, 'am more than': 50224, 'more than certain': 540601, 'than certain they': 840445, 'certain they don': 170117, 'have empty supermarket': 380427, 'shelf in china': 757188, 'in china moron': 421416, 'china moron like': 176834, 'moron like amp': 541607, 'like amp have': 489757, 'amp have fed': 53911, 'have fed you': 380596, 'fed you the': 301939, 'you the lie': 1021601, 'the lie that': 859334, 'lie that capitalism': 488378, 'that capitalism is': 843155, 'capitalism is superior': 162770, 'is superior but': 452453, 'superior but it': 818692, 'to be failing': 901249, 'be failing right': 114783, 'failing right now': 296218, 'respnders': 715276, 'national hero': 552537, 'now healthcare': 574913, 'nurse scientist': 577474, 'scientist police': 742246, 'police postal': 663159, 'clerk first': 181697, 'first respnders': 308921, 'respnders waste': 715277, 'management driver': 512564, 'worker remember': 1007680, 'national hero right': 552538, 'right now healthcare': 722077, 'now healthcare worker': 574914, 'healthcare worker doctor': 387355, 'doctor nurse scientist': 251032, 'nurse scientist police': 577475, 'scientist police postal': 742247, 'police postal worker': 663160, 'store clerk first': 807006, 'clerk first respnders': 181698, 'first respnders waste': 308922, 'respnders waste management': 715278, 'waste management driver': 968146, 'management driver delivery': 512565, 'postal worker remember': 666478, 'worker remember all': 1007681, 'remember all of': 710162, 'someone came': 784396, 'with dinosaur': 998043, 'dinosaur costume': 243132, 'costume coronatime': 208365, 'coronatime stay': 205303, 'dad work at': 224413, 'and someone came': 71983, 'someone came in': 784397, 'came in with': 157020, 'in with dinosaur': 430940, 'with dinosaur costume': 998044, 'dinosaur costume coronatime': 243133, 'costume coronatime stay': 208366, 'coronatime stay safe': 205304, 'haley': 374130, 'hi haley': 394664, 'haley had': 374131, 'had some': 373526, 'some n95': 783331, 'we here': 972017, 'the sf': 866758, 'area had': 92036, 'with smoke': 1000776, 'smoke from': 775863, 'fire up': 308130, 'north gave': 567650, 'away all': 105773, 'them except': 875671, 'will wearing': 995342, 'infection thanks': 436857, 'hi haley had': 394665, 'haley had some': 374132, 'had some n95': 373529, 'some n95 mask': 783332, 'n95 mask from': 551193, 'mask from when': 518711, 'when we here': 984450, 'we here in': 972018, 'in the sf': 429539, 'the sf bay': 866759, 'bay area had': 112912, 'area had to': 92037, 'deal with smoke': 229576, 'with smoke from': 1000777, 'smoke from the': 775864, 'from the fire': 337701, 'the fire up': 855261, 'fire up north': 308131, 'up north gave': 945470, 'north gave away': 567651, 'gave away all': 344602, 'away all of': 105774, 'of them except': 591737, 'them except for': 875672, 'for one will': 324094, 'one will wearing': 607476, 'will wearing it': 995343, 'wearing it in': 974663, 'pharmacy etc help': 654300, 'etc help prevent': 282588, 'help prevent infection': 390345, 'prevent infection thanks': 671662, 'infection thanks for': 436858, 'don assume': 253346, 'assume your': 97039, 'community won': 190238, 'affected prepare': 34415, 'be don': 114538, 'infected prepare': 436629, 'is hope': 448535, 'don assume your': 253348, 'assume your community': 97040, 'your community won': 1023279, 'community won be': 190239, 'won be affected': 1003735, 'be affected prepare': 113516, 'affected prepare if': 34416, 'prepare if it': 670101, 'if it will': 414345, 'will be don': 992436, 'be don assume': 114539, 'don assume you': 253347, 'assume you won': 97038, 'won be infected': 1003744, 'be infected prepare': 115484, 'infected prepare if': 436630, 'prepare if you': 670102, 'will be but': 992385, 'be but there': 113934, 'there is hope': 878574, 'is hope there': 448537, 'hope there are': 403694, 'many thing all': 514799, 'thing all country': 884110, 'all country can': 42474, 'country can do': 210537, 'time square': 897738, 'square grand': 791479, 'grand slam': 361876, 'slam is': 773483, 'help generate': 389794, 'generate income': 345557, 'owner of time': 632523, 'of time square': 592183, 'time square grand': 897739, 'square grand slam': 791480, 'grand slam is': 361877, 'slam is cutting': 773484, 'is cutting price': 447014, 'cutting price to': 223767, 'to help generate': 907528, 'help generate income': 389795, 'generate income for': 345558, 'income for his': 432343, 'for his business': 322299, 'reviving': 720705, 'put indian': 690630, 'economy on': 268127, 'ventilator the': 954620, 'double task': 256061, 'task of': 834722, 'keeping company': 472398, 'company solvent': 191092, 'solvent during': 782196, 'and reviving': 70494, 'reviving consumer': 720706, 'demand once': 235979, '19 put indian': 9893, 'put indian economy': 690631, 'indian economy on': 434824, 'economy on the': 268128, 'on the ventilator': 604429, 'the ventilator the': 870689, 'ventilator the government': 954622, 'government is faced': 360252, 'with the double': 1001271, 'the double task': 853611, 'double task of': 256062, 'task of keeping': 834724, 'of keeping company': 585588, 'keeping company solvent': 472399, 'company solvent during': 191093, 'solvent during the': 782197, 'lockdown and reviving': 499150, 'and reviving consumer': 70495, 'reviving consumer demand': 720707, 'consumer demand once': 197153, 'demand once it': 235980, 'once it is': 605667, 'it is over': 459033, 'them keep': 875960, 'keep naming': 471692, 'naming shaming': 551755, 'shaming guy': 754749, 'over we will': 630905, 'will remember them': 994643, 'remember them keep': 710329, 'them keep naming': 875961, 'keep naming shaming': 471693, 'naming shaming guy': 551756, 'after driving': 35587, 'around today': 93597, 'like apart': 489817, 'after driving around': 35588, 'driving around today': 259901, 'around today this': 93598, 'today this wa': 920339, 'this wa what': 891098, 'wa what it': 963694, 'wa like apart': 962540, 'like apart from': 489818, 'apart from supermarket': 81275, 'from supermarket car': 337477, 'during quarantining': 262951, 'quarantining thought': 693091, 'thought here': 893080, 'difficult to slow': 242348, 'slow the online': 774397, 'shopping during quarantining': 762540, 'during quarantining thought': 262952, 'quarantining thought here': 693092, 'attaining': 102206, 'grocery please': 364866, 'in attaining': 420566, 'attaining fair': 102207, 'fair compensation': 296325, 'compensation for': 191556, 'worker is currently': 1007237, 'currently at high': 221474, 'at high exposure': 98893, 'exposure and high': 292955, 'for catching covid': 319963, 'still working to': 801443, 'to provide you': 912453, 'provide you the': 686555, 'consumer with food': 199563, 'and grocery please': 63995, 'grocery please support': 364868, 'them in attaining': 875892, 'in attaining fair': 420567, 'attaining fair compensation': 102208, 'fair compensation for': 296326, 'compensation for their': 191557, 'nichemarket': 562561, '10 site': 1678, 'shutdown read': 768089, 'more nichemarket': 539842, 'nichemarket lockdown': 562562, 'still do online': 800436, 'the lockdown here': 859601, 'lockdown here are': 499464, 'are 10 site': 84097, '10 site that': 1679, 'site that offer': 772020, 'that offer delivery': 845459, 'offer delivery during': 594578, 'the shutdown read': 867135, 'shutdown read more': 768090, 'read more nichemarket': 700446, 'more nichemarket lockdown': 539843, 'cleo': 181611, 'share cleo': 754961, 'cleo is': 181612, 'give practical': 350656, 'practical answer': 668452, 'law relating': 482376, 'situation please': 772446, 'visit covid': 959222, 'service check': 752228, 'back regularly': 107246, 'please share cleo': 660482, 'share cleo is': 754962, 'cleo is working': 181613, 'working to give': 1008989, 'to give practical': 906704, 'give practical answer': 350657, 'practical answer to': 668453, 'to the important': 916798, 'the important question': 857982, 'important question that': 418938, 'question that people': 693763, 'are asking about': 84633, 'asking about the': 95933, 'about the law': 26432, 'the law relating': 859191, 'law relating to': 482377, '19 situation please': 10584, 'situation please visit': 772448, 'please visit covid': 660724, 'visit covid 19': 959223, '19 update on': 11673, 'on the law': 604207, 'law and legal': 482208, 'and legal service': 66090, 'legal service check': 485895, 'service check back': 752229, 'check back regularly': 174383, 'back regularly for': 107247, 'regularly for update': 707917, 'my purchase': 549868, 'purchase if': 689498, 'to my purchase': 910430, 'my purchase if': 549869, 'purchase if it': 689499, 'soap 15': 778887, '15 bottle': 3674, 'sanitizer 10': 734274, '10 gallon': 1442, 'bleach 10': 132467, '10 lysol': 1506, 'wipe 10': 996159, 'toilet 10': 921121, '10 case': 1355, 'getting do': 348940, 'too greedy': 924767, 'greedy leave': 363542, 'who have bought': 988913, 'have bought 20': 379824, '20 bottle of': 12977, 'bottle of soap': 136297, 'of soap 15': 589817, 'soap 15 bottle': 778888, '15 bottle of': 3675, 'of sanitizer 10': 589286, 'sanitizer 10 gallon': 734275, '10 gallon of': 1443, 'of bleach 10': 580741, 'bleach 10 lysol': 132468, '10 lysol spray': 1507, 'lysol spray and': 507191, 'spray and wipe': 790264, 'and wipe 10': 75729, 'wipe 10 roll': 996160, 'of paper toilet': 587762, 'paper toilet 10': 640940, 'toilet 10 case': 921122, '10 case of': 1357, 'of water you': 592947, 'do realize that': 250029, 'realize that to': 701860, 'that to stop': 847063, 'to stop getting': 915527, 'stop getting do': 804685, 'getting do not': 348941, 'not be too': 568475, 'be too greedy': 117763, 'too greedy leave': 924768, 'greedy leave some': 363543, 'some for others': 782891, 'for others too': 324204, 'cherryflowers': 175546, 'know peak': 476673, 'peak bloom': 646053, 'bloom is': 133251, 'beautiful and': 118666, 'weather could': 974859, 'these crowd': 879838, 'crowd let': 219195, 'safe cherryflowers': 729543, 'know peak bloom': 476674, 'peak bloom is': 646054, 'bloom is beautiful': 133252, 'is beautiful and': 446014, 'beautiful and the': 118667, 'and the weather': 73648, 'the weather could': 871253, 'weather could not': 974860, 'not be better': 568359, 'be better but': 113836, 'better but cannot': 128220, 'but cannot help': 145384, 'think about social': 885101, 'about social distancing': 26213, 'distancing when see': 247633, 'when see these': 983979, 'see these crowd': 745929, 'these crowd let': 879839, 'crowd let be': 219196, 'let be safe': 486620, 'be safe cherryflowers': 116947, 'that job': 844773, 'never celebrated': 557925, 'celebrated are': 168810, 'society going': 781219, 'going think': 355490, 'the refuse': 865414, 'refuse worker': 707048, 'stacker the': 792028, 'the cleaner': 850981, 'cleaner those': 180851, 'those etc': 891974, 'everyone eye': 286900, 'eye shut': 294102, 'can all now': 157429, 'all now see': 43665, 'now see that': 575751, 'see that job': 745789, 'that job that': 844775, 'job that are': 466180, 'that are never': 842783, 'are never celebrated': 88216, 'never celebrated are': 557926, 'celebrated are absolutely': 168811, 'are absolutely essential': 84168, 'absolutely essential to': 27355, 'essential to keep': 281701, 'our society going': 624823, 'society going think': 781221, 'going think of': 355491, 'of the refuse': 591398, 'the refuse worker': 865415, 'refuse worker the': 707049, 'worker the supermarket': 1007940, 'shelf stacker the': 757563, 'stacker the delivery': 792029, 'driver the cleaner': 259785, 'the cleaner those': 850985, 'cleaner those etc': 180852, 'those etc etc': 891975, 'etc etc just': 282521, 'etc just then': 282633, 'just then everyone': 470026, 'then everyone eye': 877160, 'everyone eye shut': 286901, 'hawkes': 384474, 'hundred meter': 410985, 'when learned': 983676, 'in hawkes': 423577, 'hawkes bay': 384475, 'bay today': 112976, 'considered some': 195327, 'laziness override': 482733, 'override any': 631436, 'panic might': 638310, 'might generate': 530985, 'generate this': 345565, 'wa literally few': 962572, 'literally few hundred': 494994, 'few hundred meter': 303869, 'hundred meter from': 410986, 'meter from supermarket': 529717, 'supermarket when learned': 823801, 'when learned of': 983677, 'learned of the': 484136, '19 in hawkes': 7749, 'in hawkes bay': 423578, 'hawkes bay today': 384476, 'bay today considered': 112977, 'today considered some': 919403, 'considered some panic': 195328, 'innate laziness override': 438784, 'laziness override any': 482734, 'override any panic': 631437, 'any panic might': 79623, 'panic might generate': 638311, 'might generate this': 530986, 'generate this is': 345566, 'ever done in': 285277, 'glendale': 351686, 'american furniture': 51990, 'furniture warehouse': 341972, 'in glendale': 423322, 'glendale az': 351687, 'az still': 106382, 'shopping day': 762435, 'week 10am': 975788, '10am 8pm': 2283, '8pm they': 23236, 'together or': 920890, 'least limited': 484532, 'ups only': 947760, 'only irresponsible': 610652, 'irresponsible socialdistancing': 445073, 'is the american': 452727, 'the american furniture': 848631, 'american furniture warehouse': 51991, 'furniture warehouse store': 341973, 'warehouse store in': 966777, 'store in glendale': 808305, 'in glendale az': 423323, 'glendale az still': 351688, 'az still open': 106383, 'store shopping day': 810130, 'shopping day week': 762436, 'day week 10am': 228685, 'week 10am 8pm': 975789, '10am 8pm they': 2284, '8pm they should': 23237, 'be closed all': 114118, 'closed all together': 182971, 'all together or': 45260, 'together or at': 920891, 'at least limited': 99513, 'least limited to': 484533, 'limited to online': 492776, 'online ordering pick': 608712, 'ordering pick ups': 619005, 'pick ups only': 655782, 'ups only irresponsible': 947762, 'only irresponsible socialdistancing': 610654, 'store woman': 811428, 'woman do': 1003469, 'this son': 890249, 'son why': 785458, 'not woman': 572520, 'woman it': 1003537, 'ha chinese': 370149, 'chinese writing': 177399, 'writing on': 1012918, 'that sarscov2': 846117, 'sarscov2 is': 736846, 'is fueling': 447967, 'fueling ignorance': 340346, 'overheard in the': 631240, 'grocery store woman': 365965, 'store woman do': 811429, 'woman do not': 1003470, 'understand this son': 940790, 'this son why': 890250, 'son why not': 785459, 'why not woman': 991241, 'not woman it': 572522, 'woman it from': 1003538, 'it from china': 458151, 'from china it': 334863, 'china it ha': 176768, 'it ha chinese': 458385, 'ha chinese writing': 370150, 'chinese writing on': 177400, 'writing on it': 1012919, 'on it get': 601662, 'it get another': 458214, 'get another one': 346563, 'another one sad': 77739, 'one sad to': 606982, 'sad to know': 729272, 'know that sarscov2': 476786, 'that sarscov2 is': 846118, 'sarscov2 is fueling': 736847, 'is fueling ignorance': 447968, 'locationdata': 499004, 'march foot': 515363, 'at commercial': 98296, 'commercial place': 188720, 'interest such': 441410, 'such retail': 816714, 'hotel changed': 405128, 'city including': 179204, 'including new': 432072, 'and miami': 66981, 'miami due': 530170, 'distancing read': 247412, 'more locationdata': 539715, 'locationdata socialdistancing': 499005, 'in march foot': 425102, 'march foot traffic': 515364, 'foot traffic at': 318455, 'traffic at commercial': 929055, 'at commercial place': 98297, 'commercial place of': 188721, 'of interest such': 585255, 'interest such retail': 441411, 'such retail store': 816715, 'store and hotel': 806261, 'and hotel changed': 64767, 'hotel changed significantly': 405129, 'changed significantly in': 172542, 'significantly in major': 769583, 'in major city': 424987, 'major city including': 509265, 'city including new': 179205, 'including new york': 432073, 'york city and': 1016588, 'city and miami': 179049, 'and miami due': 66982, 'miami due to': 530171, '19 and social': 5110, 'social distancing read': 779694, 'distancing read more': 247413, 'read more locationdata': 700440, 'more locationdata socialdistancing': 539716, 'sending heartfelt': 750027, 'everyone fighting': 286910, 'fighting doctor': 305059, 'people custodial': 647593, 'officer scientist': 595714, 'sending heartfelt thank': 750028, 'to everyone fighting': 905334, 'everyone fighting doctor': 286911, 'fighting doctor nurse': 305060, 'delivery people custodial': 234311, 'people custodial worker': 647594, 'custodial worker law': 221959, 'enforcement officer scientist': 276785, 'officer scientist and': 595715, 'scientist and many': 742195, 'many more we': 514323, 'service and dedication': 752081, 'own shopping': 632208, 'she always': 755854, 'always doe': 49533, 'doe she': 251570, 'some wine': 784221, 'chancellor merkel spotted': 171847, 'merkel spotted doing': 529176, 'her own shopping': 392279, 'own shopping in': 632209, 'shopping in her': 762969, 'supermarket she always': 822405, 'she always doe': 755855, 'always doe she': 49534, 'doe she got': 251571, 'she got some': 756059, 'got some wine': 358861, 'some wine and': 784222, 'wine and toilet': 995770, 'paper no hoarding': 640496, 'there they': 879159, 'store please take': 809596, 'thank the people': 841645, 'working there they': 1008951, 'there they are': 879160, 'trying to give': 934814, 'to give sense': 906710, 'sense of normalcy': 750560, 'normalcy during these': 567439, 'during these strange': 263241, 'these strange day': 880747, 'this simple': 890151, 'simple change': 770002, 'change hourly': 172087, 'hourly restaurant': 406137, 'earn an': 264771, 'while your': 987599, 'business actively': 143217, 'actively help': 30315, 'by dry': 152437, 'dry grocery': 261274, 'shelf send': 757496, 'get integrated': 347357, 'integrated community': 440945, 'community 19': 189688, 'with this simple': 1001725, 'this simple change': 890152, 'simple change hourly': 770003, 'change hourly restaurant': 172088, 'hourly restaurant employee': 406138, 'restaurant employee can': 716442, 'employee can continue': 273704, 'continue to earn': 201184, 'to earn an': 904834, 'earn an income': 264772, 'income while your': 432497, 'while your business': 987600, 'your business actively': 1023045, 'business actively help': 143218, 'actively help those': 30316, 'affected by dry': 34312, 'by dry grocery': 152438, 'dry grocery store': 261275, 'store shelf send': 810096, 'shelf send message': 757497, 'send message to': 749904, 'message to get': 529450, 'to get integrated': 906513, 'get integrated community': 347358, 'integrated community 19': 440946, 'some disability': 782692, 'disability are': 243810, 'are invisible': 87569, 'invisible diabetes': 444245, 'diabetes autoimmune': 240167, 'disease asthma': 245092, 'asthma etc': 97197, 'any age': 78907, 'age have': 37826, 'but finally': 145724, 'some disability are': 782693, 'disability are invisible': 243811, 'are invisible diabetes': 87570, 'invisible diabetes autoimmune': 444246, 'diabetes autoimmune disease': 240168, 'autoimmune disease asthma': 103933, 'disease asthma etc': 245093, 'asthma etc can': 97198, 'etc can hit': 282463, 'can hit any': 158683, 'hit any age': 398142, 'any age have': 78908, 'age have been': 37827, 'isolating for several': 455097, 'several week but': 753959, 'week but finally': 976034, 'but finally had': 145725, 'in line waiting': 424782, 'line waiting for': 493547, 'waiting for store': 964335, 'to open no': 910998, 'worker particularly': 1007549, 'particularly checkout': 642668, 'deserve round': 238113, 'of applause': 580310, 'applause they': 82294, 'not exposed': 569337, 'still exposed': 800509, 'think supermarket worker': 885579, 'supermarket worker particularly': 824067, 'worker particularly checkout': 1007550, 'particularly checkout people': 642669, 'checkout people deserve': 174977, 'people deserve round': 647633, 'deserve round of': 238114, 'round of applause': 726341, 'of applause they': 580312, 'applause they are': 82295, 'are not exposed': 88365, 'not exposed to': 569338, 'exposed to medical': 292899, 'to medical staff': 910002, 'medical staff but': 526387, 'staff but they': 792283, 'are still exposed': 90422, 'likewise': 492203, 'friend belief': 333537, 'belief that': 126220, 'to nature': 910481, 'is basic': 446002, 'right likewise': 721981, 'likewise access': 492204, 'agency scale': 38071, 'back service': 107263, 'pantry throughout': 639692, 'experiencing an': 291624, 'even greater': 284136, 'friend belief that': 333538, 'belief that access': 126221, 'that access to': 842480, 'access to nature': 28261, 'to nature is': 910482, 'nature is basic': 552959, 'is basic human': 446003, 'basic human right': 111937, 'human right likewise': 410600, 'right likewise access': 721982, 'likewise access to': 492205, 'access to healthy': 28242, 'food is basic': 315113, 'human right school': 410601, 'right school close': 722259, 'school close and': 741723, 'close and social': 182540, 'and social service': 71897, 'service agency scale': 752041, 'agency scale back': 38072, 'scale back service': 739874, 'back service due': 107264, '19 food pantry': 7047, 'food pantry throughout': 315802, 'pantry throughout the': 639693, 'throughout the region': 894980, 'region are experiencing': 707391, 'are experiencing an': 86337, 'experiencing an even': 291625, 'an even greater': 55866, 'even greater demand': 284137, 'awesome to': 106205, 'that kentucky': 844811, 'kentucky distillery': 472846, 'awesome to see': 106206, 'see that kentucky': 745790, 'that kentucky distillery': 844812, 'kentucky distillery are': 472847, 'distillery are making': 247732, 'are making and': 87975, 'making and donating': 510961, 'and donating hand': 61659, 'during it': 262732, 'hoard item': 398822, 'or resell': 616866, 'resell good': 713964, 'at excessive': 98581, 'price abuse': 672200, 'abuse other': 27647, 'staff fail': 792435, 'responsibly during it': 716092, 'during it not': 262734, 'ok to hoard': 597923, 'to hoard item': 907873, 'hoard item or': 398825, 'item or resell': 463534, 'or resell good': 616867, 'resell good at': 713965, 'good at excessive': 356788, 'at excessive price': 98582, 'excessive price abuse': 289399, 'price abuse other': 672201, 'abuse other customer': 27648, 'or service staff': 617025, 'service staff fail': 752851, 'staff fail to': 792436, 'fail to practice': 296111, 're in public': 698882, 'public more on': 688172, 'more on covid': 539916, 'it such': 461334, 'factsnotfear is it': 296035, 'is it such': 449063, 'it such richardism': 461336, 'richardism it would': 721321, 'when we should': 984465, 'store etc then': 807631, 'etc then the': 282803, 'then the same': 877624, 'the same question': 866286, 'specifically for older': 788280, 'for older people': 324055, 'after shift': 36196, 'eat would': 266117, 'take notice': 832383, 'not swamp': 571888, 'swamp the': 829931, 'the 99': 848221, '99 11': 23748, '11 service': 2594, 'supermarket after shift': 818813, 'after shift and': 36197, 'shift and be': 758231, 'get something to': 348089, 'to eat would': 904911, 'eat would be': 266118, 'be good and': 115062, 'good and for': 356733, 'for the general': 326457, 'public to take': 688380, 'to take notice': 916211, 'take notice of': 832385, 'notice of the': 573324, 'of the guideline': 591085, 'the guideline on': 856930, '19 and self': 5101, 'and self isolate': 71183, 'isolate and not': 454813, 'and not swamp': 67777, 'not swamp the': 571889, 'swamp the 99': 829932, 'the 99 11': 848222, '99 11 service': 23749, 'why amazon': 990738, 'amazon can': 50891, 'coronavirus price': 206586, 'gouger coronavtj': 359214, 'why amazon can': 990739, 'amazon can stop': 50893, 'can stop coronavirus': 159817, 'stop coronavirus price': 804588, 'coronavirus price gouger': 206588, 'price gouger coronavtj': 674242, 'mealprep': 524334, 'realize you': 701886, 'again maybe': 37066, 'they restocked': 883215, 'restocked some': 716962, 'tp stayathomechallenge': 927949, 'stayathomechallenge mealprep': 797738, 'mealprep groceryshopping': 524335, 'groceryshopping toiletpaperpanic': 366288, 'that moment when': 845203, 'you realize you': 1020831, 'realize you need': 701887, 'need more thing': 555265, 'more thing from': 540734, 'go but then': 353388, 'then again maybe': 876974, 'again maybe they': 37067, 'maybe they restocked': 521847, 'they restocked some': 883216, 'restocked some tp': 716963, 'some tp stayathomechallenge': 784105, 'tp stayathomechallenge mealprep': 927950, 'stayathomechallenge mealprep groceryshopping': 797739, 'mealprep groceryshopping toiletpaperpanic': 524336, 'store is helping': 808496, 'is helping out': 448405, 'helping out socialdistancing': 391426, 'zimo': 1027602, 'toi': 921118, 'new independent': 558921, 'independent clothing': 434093, 'clothing label': 184262, 'label rt': 478352, 'rt zimo': 726856, 'zimo rt': 1027603, 'rt some': 726808, 'some awesome': 782362, 'awesome member': 106182, 'public put': 688253, 'in adelaide': 420041, 'adelaide south': 32142, 'south australia': 786689, 'australia toi': 103411, 'all new independent': 43625, 'new independent clothing': 558922, 'independent clothing label': 434094, 'clothing label rt': 184263, 'label rt zimo': 478353, 'rt zimo rt': 726857, 'zimo rt some': 1027604, 'rt some awesome': 726809, 'some awesome member': 782363, 'awesome member of': 106183, 'the public put': 864849, 'public put this': 688254, 'put this sign': 690913, 'sign up grocery': 769253, 'here in adelaide': 393131, 'in adelaide south': 420043, 'adelaide south australia': 32143, 'south australia toi': 786691, 'watch surgeon': 968535, 'general show': 345472, 'show inhaler': 767010, 'inhaler say': 438443, 'ha feared': 370605, 'feared fatal': 301439, 'fatal asthma': 300222, 'asthma attack': 97185, 'attack his': 102113, 'his whole': 397910, 'life explains': 488641, 'why black': 990844, 'black american': 132020, 'other demographic': 620095, 'watch surgeon general': 968536, 'surgeon general show': 828323, 'general show inhaler': 345473, 'show inhaler say': 767011, 'inhaler say he': 438444, 'he ha feared': 385025, 'ha feared fatal': 370606, 'feared fatal asthma': 301440, 'fatal asthma attack': 300223, 'asthma attack his': 97186, 'attack his whole': 102114, 'his whole life': 397911, 'whole life explains': 990254, 'life explains why': 488642, 'explains why black': 292258, 'why black american': 990845, 'black american are': 132021, 'american are at': 51798, 'are at greater': 84666, 'greater risk from': 363229, '19 than other': 11129, 'than other demographic': 840997, 'mfgs': 530074, 'open part': 612435, 'chain serving': 171094, 'production industry': 682079, 'business ready': 144293, 'your need': 1024940, 'new equipment': 558703, 'and spare': 72046, 'spare we': 787513, 'can ship': 159592, 'ship from': 758669, 'our mfgs': 623916, 'mfgs inventory': 530075, 'are open part': 88798, 'open part of': 612436, 'critical supply chain': 218678, 'supply chain serving': 825032, 'chain serving the': 171095, 'serving the pharmaceutical': 753220, 'the pharmaceutical and': 863639, 'pharmaceutical and food': 654058, 'food production industry': 316045, 'production industry we': 682080, 'industry we are': 436219, 'for business ready': 319842, 'business ready and': 144294, 'ready and willing': 700842, 'willing to meet': 995472, 'to meet your': 910067, 'meet your need': 527662, 'your need for': 1024941, 'need for new': 554856, 'for new equipment': 323823, 'new equipment and': 558704, 'equipment and spare': 279686, 'and spare we': 72048, 'spare we can': 787514, 'we can ship': 971008, 'can ship from': 159593, 'ship from our': 758670, 'from our stock': 336802, 'our stock or': 624919, 'stock or our': 802587, 'or our mfgs': 616460, 'our mfgs inventory': 623917, 'searched': 743312, 'from edinburgh': 335258, 'edinburgh live': 268572, 'live shopper': 496011, 'kingdom claim': 475319, 'claim she': 179807, 'wa fined': 962133, 'only wine': 611480, 'wine potato': 995873, 'other snack': 620932, 'snack from': 776009, 'after officer': 35976, 'officer searched': 595716, 'searched her': 743313, 'to report from': 913272, 'report from edinburgh': 711974, 'from edinburgh live': 335259, 'edinburgh live shopper': 268573, 'live shopper in': 496012, 'united kingdom claim': 942178, 'kingdom claim she': 475320, 'claim she wa': 179809, 'she wa fined': 756413, 'wa fined for': 962134, 'fined for buying': 307741, 'for buying only': 319863, 'buying only wine': 150828, 'only wine potato': 611481, 'wine potato chip': 995874, 'chip and other': 177501, 'and other snack': 68407, 'other snack from': 620933, 'snack from supermarket': 776010, 'from supermarket after': 337472, 'supermarket after officer': 818805, 'after officer searched': 35977, 'officer searched her': 595717, 'searched her shopping': 743314, 'her shopping bag': 392372, 'reappear': 702822, 'trailer load': 929215, 'then other': 877391, 'stuff will': 815257, 'will reappear': 994579, 'reappear quicker': 702825, 'quicker 19': 694429, 'it quite simple': 460589, 'and trailer load': 74362, 'trailer load of': 929216, 'load of it': 497270, 'buying it then': 150604, 'it then other': 461606, 'then other stuff': 877392, 'other stuff will': 621008, 'stuff will reappear': 815258, 'will reappear quicker': 994580, 'reappear quicker 19': 702826, 'here virus': 393772, 'washing and covid': 967645, 'click here virus': 181922, 'here virus icliniq100hrs': 393773, 'inherited': 438458, 'larder': 479580, 'other point': 620732, 'point re': 662604, 'piling now': 656614, 'live just': 495908, 'time lifestyle': 897131, 'lifestyle all': 489350, 'all eat': 42651, 'out lot': 626523, 'lot so': 504364, 'don carry': 253425, 'carry lot': 165105, 'say my': 738959, 'my 70': 547169, '70 mother': 21793, 'mother inherited': 543123, 'inherited wartime': 438459, 'wartime mentality': 967390, 'mentality doesn': 528703, 'doesn everyone': 251776, 'everyone have': 286993, 'have 14': 379075, 'their larder': 873784, 'one other point': 606800, 'other point re': 620734, 'point re stock': 662605, 'stock piling now': 802668, 'piling now we': 656615, 'now we all': 576333, 'we all live': 970341, 'all live just': 43398, 'live just in': 495909, 'in time lifestyle': 430083, 'time lifestyle all': 897132, 'lifestyle all eat': 489351, 'all eat out': 42652, 'eat out lot': 266020, 'out lot so': 626524, 'lot so don': 504365, 'so don carry': 776905, 'don carry lot': 253427, 'carry lot of': 165106, 'of stock but': 590144, 'stock but say': 801949, 'but say my': 146966, 'say my 70': 738960, 'my 70 mother': 547170, '70 mother inherited': 21794, 'mother inherited wartime': 543124, 'inherited wartime mentality': 438460, 'wartime mentality doesn': 967391, 'mentality doesn everyone': 528704, 'doesn everyone have': 251777, 'everyone have 14': 286994, 'have 14 day': 379076, '14 day worth': 3465, 'in their larder': 429753, 'keepsafeeveryone': 472671, 'keepreadingencasa': 472666, 'supermarket sainsbury': 822298, 'sainsbury for': 731667, 'from 10pm': 334168, 'to 8am': 899864, '8am doing': 23133, 'these awful': 879660, 'great night': 362847, 'you beautiful': 1017410, 'beautiful people': 118703, 'people oh': 648947, 'staysafe keepsafeeveryone': 798840, 'keepsafeeveryone keepreadingencasa': 472672, 'route to my': 726474, 'local supermarket sainsbury': 498581, 'supermarket sainsbury for': 822300, 'sainsbury for my': 731668, 'for my night': 323730, 'my night shift': 549497, 'night shift from': 563070, 'shift from 10pm': 758292, 'from 10pm to': 334169, '10pm to 8am': 2383, 'to 8am doing': 899865, '8am doing my': 23134, 'bit during and': 131557, 'during and these': 262457, 'and these awful': 73878, 'these awful time': 879661, 'awful time so': 106245, 'so have great': 777259, 'have great night': 380834, 'great night and': 362848, 'night and sleep': 562949, 'and sleep well': 71746, 'sleep well you': 773809, 'well you beautiful': 978776, 'you beautiful people': 1017411, 'beautiful people oh': 118704, 'people oh and': 648948, 'oh and stayhome': 596360, 'and stayhome and': 72311, 'stayhome and staysafe': 797945, 'and staysafe keepsafeeveryone': 72327, 'staysafe keepsafeeveryone keepreadingencasa': 798841, 'gunbacker': 368773, 'ammo sale': 52913, 'are sky': 90156, 'rocketing in': 724969, 'the gunbacker': 856951, 'gunbacker store': 368774, 'ammo fast': 52896, 'fast be': 299919, 'yours before': 1026451, 'gone pro': 356360, 'tip shopping': 898898, 'online mean': 608533, 'mean practicing': 524619, 'practicing good': 668727, 'and ammo sale': 58075, 'ammo sale are': 52914, 'sale are sky': 732068, 'are sky rocketing': 90158, 'sky rocketing in': 773221, 'rocketing in the': 724970, 'of the gunbacker': 591086, 'the gunbacker store': 856952, 'gunbacker store is': 368775, 'is selling out': 451762, 'selling out of': 749390, 'out of ammo': 626677, 'of ammo fast': 580087, 'ammo fast be': 52897, 'fast be sure': 299920, 'sure to jump': 827767, 'to jump in': 908704, 'jump in there': 467870, 'in there and': 429809, 'there and get': 878000, 'and get yours': 63615, 'get yours before': 348748, 'yours before it': 1026452, 'before it all': 122876, 'all gone pro': 42963, 'gone pro tip': 356361, 'pro tip shopping': 679136, 'tip shopping online': 898899, 'shopping online mean': 763456, 'online mean practicing': 608534, 'mean practicing good': 524620, 'practicing good social': 668728, 'becouse': 120358, 'fould': 330133, 'food hamster': 314762, 'hamster bough': 374640, 'bough becouse': 136462, 'becouse of': 120359, 'it loaf': 459436, 'loaf rice': 497372, 'and noodle': 67685, 'noodle bought': 566786, 'bought last': 136624, 'got hidden': 358602, 'hidden and': 394806, 'and fould': 63222, 'fould in': 330134, 'shopping stress': 764000, 'not food hamster': 569471, 'food hamster bough': 314763, 'hamster bough becouse': 374641, 'bough becouse of': 136463, 'becouse of panic': 120360, 'of panic it': 587729, 'panic it loaf': 638241, 'it loaf rice': 459437, 'loaf rice and': 497373, 'rice and noodle': 720995, 'and noodle bought': 67686, 'noodle bought last': 566787, 'bought last year': 136625, 'last year and': 480719, 'year and got': 1014395, 'and got hidden': 63854, 'got hidden and': 358603, 'hidden and fould': 394807, 'and fould in': 63223, 'fould in my': 330135, 'house now can': 406417, 'now can make': 574333, 'can make good': 158931, 'make good use': 509946, 'good use now': 357925, 'use now without': 949395, 'now without the': 576461, 'the shopping stress': 867076, 'shopping stress shopping': 764001, 'meanness': 524874, 'malice': 511707, 'them demand': 875588, 'have divided': 380304, 'divided between': 248594, 'between 20': 128677, '20 thousand': 13383, 'million faceless': 532145, 'this money': 888889, 'lie meanness': 488364, 'meanness and': 524875, 'and malice': 66608, 'malice of': 511708, 'leader for': 483453, 'now wahala': 576313, 'let them demand': 487148, 'them demand food': 875589, 'food from people': 314612, 'who have divided': 988920, 'have divided between': 380305, 'divided between 20': 248595, 'between 20 thousand': 128678, '20 thousand and': 13384, 'thousand and million': 893374, 'and million faceless': 67028, 'million faceless nigerian': 532146, 'nigerian in day': 562862, 'in day this': 422022, 'day this money': 228534, 'this money belongs': 888890, 'have said that': 382386, 'said that covid': 731397, 'the lie meanness': 859333, 'lie meanness and': 488365, 'meanness and malice': 524876, 'and malice of': 66609, 'malice of our': 511709, 'our leader for': 623695, 'leader for year': 483454, 'year now wahala': 1014769, 'now wahala go': 576314, 'repeating': 711544, 'if repeating': 414728, 'repeating word': 711547, 'word over': 1004550, 'again make': 37062, 'longer sound': 502053, 'like word': 491836, 'bullshit it': 142496, 'it causing': 457081, 'causing them': 168126, 'necessity until': 554286, 'it dy': 457725, 'dy nothing': 263742, 'almost if repeating': 46668, 'if repeating word': 414729, 'repeating word over': 711548, 'word over and': 1004551, 'over again make': 629949, 'again make it': 37063, 'no longer sound': 564664, 'longer sound like': 502054, 'sound like word': 786308, 'like word for': 491837, 'word for many': 1004484, 'think the covid': 885628, '19 news is': 8776, 'news is bullshit': 560551, 'is bullshit it': 446300, 'bullshit it causing': 142497, 'it causing them': 457082, 'causing them to': 168127, 'store and panic': 806315, 'and necessity until': 67463, 'necessity until it': 554287, 'until it dy': 943747, 'it dy nothing': 457726, 'dy nothing left': 263743, 'unashamed': 939426, 'be practising': 116499, 'you unashamed': 1021956, 'unashamed to': 939427, 'admit sent': 32603, 'the fucker': 855981, 'fucker flying': 339748, 'starting to suffer': 795041, 'to be practising': 901451, 'be practising social': 116500, 'to walk right': 918305, 'right into you': 721967, 'into you unashamed': 443314, 'you unashamed to': 1021957, 'unashamed to admit': 939428, 'to admit sent': 900118, 'admit sent the': 32604, 'sent the fucker': 750822, 'the fucker flying': 855982, 'actofkindness': 30550, 'goodsamaritan': 358084, 'driver take': 259769, 'work actofkindness': 1004708, 'actofkindness goodsamaritan': 30551, 'goodsamaritan video': 358085, 'delivery driver take': 233941, 'driver take it': 259771, 'take it if': 832246, 'need it thank': 555110, 'hard work actofkindness': 378119, 'work actofkindness goodsamaritan': 1004709, 'actofkindness goodsamaritan video': 30552, 'new state': 559646, 'state forecast': 795594, 'forecast project': 328859, 'project revenue': 683529, 'revenue down': 720403, 'sharply from': 755739, 'an estimate': 55849, 'estimate issued': 282252, 'issued several': 456086, 'ago with': 38554, 'outbreak cited': 628105, 'cited factor': 178782, 'new state forecast': 559647, 'state forecast project': 795595, 'forecast project revenue': 328860, 'project revenue down': 683530, 'revenue down sharply': 720404, 'down sharply from': 257180, 'sharply from an': 755740, 'from an estimate': 334485, 'an estimate issued': 55850, 'estimate issued several': 282253, 'issued several month': 456087, 'several month ago': 753900, 'month ago with': 537550, 'ago with low': 38555, 'price and economic': 672402, 'and economic impact': 61901, '19 outbreak cited': 9098, 'outbreak cited factor': 628106, 'thecurve': 872312, 'ecurve': 268434, 'mutiaradamansara': 547071, 'petalingjaya': 653492, 'restrictivemovementorder': 717425, 'nstnation shopping': 576691, 'mall thecurve': 511841, 'thecurve and': 872313, 'and ecurve': 61934, 'ecurve in': 268435, 'in mutiaradamansara': 425525, 'mutiaradamansara petalingjaya': 547072, 'petalingjaya are': 653493, 'tomorrow restrictivemovementorder': 924174, 'nstnation shopping mall': 576692, 'shopping mall thecurve': 763237, 'mall thecurve and': 511842, 'thecurve and ecurve': 872314, 'and ecurve in': 61935, 'ecurve in mutiaradamansara': 268436, 'in mutiaradamansara petalingjaya': 425526, 'mutiaradamansara petalingjaya are': 547073, 'petalingjaya are closing': 653494, 'are closing from': 85391, 'closing from tomorrow': 183649, 'from tomorrow restrictivemovementorder': 338098, 'melee': 527949, 'it social': 461145, 'of melee': 586425, 'melee range': 527950, 'range wife': 696751, 'wife where': 992002, 'you headed': 1019165, 'headed husband': 385902, 'husband supermarket': 411764, 'supermarket wife': 823876, 'wife remember': 991964, 'keep out': 471766, 'range husband': 696705, 'husband right': 411752, 'right got': 721914, 'other suggestion': 621011, 'calling it social': 156591, 'it social distancing': 461146, 'distancing we should': 247623, 'we should call': 973261, 'should call it': 765815, 'call it out': 155957, 'out of melee': 626788, 'of melee range': 586426, 'melee range wife': 527952, 'range wife where': 696752, 'wife where are': 992003, 'are you headed': 91804, 'you headed husband': 1019166, 'headed husband supermarket': 385903, 'husband supermarket wife': 411765, 'supermarket wife remember': 823877, 'wife remember to': 991965, 'to keep out': 908823, 'keep out of': 471767, 'melee range husband': 527951, 'range husband right': 696706, 'husband right got': 411753, 'right got it': 721915, 'got it any': 358644, 'it any other': 456541, 'any other suggestion': 79607, 'crisis intel': 217554, 'during crisis intel': 262556, 'parentingfail': 641808, 'work yesterday': 1006066, 'wa incredible': 962394, 'incredible to': 433881, 'buy candy': 148465, 'candy chip': 161330, 'chip or': 177523, 'walk have': 964792, 'great parenting': 362873, 'parenting for': 641793, 'kid parent': 474076, 'parent retailvscorona': 641713, 'retailvscorona parentingfail': 719580, 'number of child': 576927, 'of child who': 581349, 'child who went': 176267, 'supermarket where work': 823830, 'where work yesterday': 985371, 'work yesterday wa': 1006069, 'yesterday wa incredible': 1015923, 'wa incredible to': 962395, 'incredible to buy': 433882, 'to buy candy': 902199, 'buy candy chip': 148466, 'candy chip or': 161331, 'chip or simply': 177524, 'or simply to': 617092, 'simply to take': 770308, 'to take walk': 916259, 'take walk have': 832782, 'walk have to': 964793, 'is great parenting': 448200, 'great parenting for': 362874, 'parenting for these': 641794, 'for these kid': 326972, 'these kid parent': 880217, 'kid parent retailvscorona': 474077, 'parent retailvscorona parentingfail': 641714, 'monroe': 537447, 'perinton': 651695, 'monroe county': 537448, 'county health': 211406, 'official aren': 595761, 'aren answering': 92322, 'answering key': 78202, 'the perinton': 863560, 'perinton supermarket': 651696, 'march wegmans': 515522, 'wegmans won': 977649, 'won say': 1003895, 'if employee': 414071, 'monroe county health': 537449, 'county health official': 211407, 'health official aren': 386700, 'official aren answering': 595762, 'aren answering key': 92323, 'answering key question': 78203, 'key question about': 473379, 'about the infection': 26425, 'the infection of': 858225, 'infection of worker': 436803, 'at the perinton': 101048, 'the perinton supermarket': 863561, 'perinton supermarket in': 651697, 'supermarket in march': 820928, 'in march wegmans': 425129, 'march wegmans won': 515523, 'wegmans won say': 977650, 'won say if': 1003896, 'say if employee': 738784, 'if employee at': 414072, 'employee at other': 273649, 'at other store': 100001, 'other store have': 620986, 'store have tested': 808103, 'challah': 171378, 'bakeoff': 108783, 'easterbreadtradition': 265546, 'new toilet': 559764, 'paper challah': 640018, 'challah bake': 171379, 'bake stophoarding': 108750, 'stophoarding bakeoff': 805357, 'bakeoff easterbreadtradition': 108784, 'flour is the': 311129, 'the new toilet': 861568, 'new toilet paper': 559765, 'toilet paper challah': 921224, 'paper challah bake': 640019, 'challah bake stophoarding': 171380, 'bake stophoarding bakeoff': 108751, 'stophoarding bakeoff easterbreadtradition': 805358, 'pflugerville': 653927, 'vapes': 952481, 'order naturally': 618408, 'naturally pure': 552922, 'pure hand': 689973, 'american vapor': 52283, 'vapor company': 952499, 'in pflugerville': 426670, 'pflugerville they': 653928, 'they stopped': 883484, 'on liquid': 601873, 'for vapes': 327519, 'vapes and': 952482, 'and cigarette': 59888, 'cigarette to': 178489, 'starting today you': 795056, 'today you can': 920588, 'can order naturally': 159175, 'order naturally pure': 618409, 'naturally pure hand': 552923, 'pure hand sanitizer': 689974, 'sanitizer from american': 734944, 'from american vapor': 334466, 'american vapor company': 52284, 'vapor company in': 952500, 'company in pflugerville': 190768, 'in pflugerville they': 426671, 'pflugerville they stopped': 653929, 'they stopped production': 883485, 'stopped production on': 805744, 'production on liquid': 682165, 'on liquid for': 601874, 'liquid for vapes': 494088, 'for vapes and': 327520, 'vapes and cigarette': 952483, 'and cigarette to': 59889, 'cigarette to help': 178490, 'spread be': 790447, 'body and': 133821, 'and cabinet': 59387, 'cabinet with': 155002, 'these non': 880349, 'item find': 463256, 'what recommend': 982088, 'recommend buying': 704683, 'the spread be': 867616, 'spread be sure': 790449, 'sure to stock': 827785, 'up and prepare': 944359, 'and prepare your': 69366, 'prepare your body': 670152, 'your body and': 1022984, 'body and cabinet': 133822, 'and cabinet with': 59388, 'cabinet with these': 155003, 'with these non': 1001648, 'these non perishable': 880350, 'food item find': 315206, 'item find out': 463257, 'out what recommend': 627811, 'what recommend buying': 982089, 'recommend buying in': 704684, 'equalizer': 279623, 'great equalizer': 362654, 'equalizer but': 279624, 'but unfortunately': 147651, 'unfortunately you': 941666, 'you decided': 1018161, 'study get': 814901, '50 thousand': 19882, 'thousand it': 893407, 'own fault': 631990, 'in tiny': 430093, 'tiny apartment': 898648, 'apartment you': 81426, 'exposing yourself': 292949, '19 the great': 11201, 'the great equalizer': 856720, 'great equalizer but': 362655, 'equalizer but unfortunately': 279625, 'but unfortunately you': 147658, 'unfortunately you decided': 941667, 'you decided not': 1018162, 'not to study': 572196, 'to study get': 915698, 'study get job': 814903, 'get job for': 347450, 'job for 50': 465821, 'for 50 thousand': 318869, '50 thousand it': 19883, 'thousand it your': 893408, 'it your own': 462661, 'your own fault': 1025137, 'own fault that': 631991, 'fault that you': 300420, 'that you live': 847730, 'live in tiny': 495891, 'in tiny apartment': 430094, 'tiny apartment you': 898649, 'apartment you do': 81427, 'food for self': 314570, 'for self isolation': 325421, 'self isolation for': 747769, 'isolation for week': 455273, 'you re forced': 1020624, 'forced to keep': 328640, 'keep working and': 472220, 'working and exposing': 1008499, 'and exposing yourself': 62549, 'study walmart': 814978, 'walmart online': 965378, 'sale skyrocket': 732524, 'march chain': 515314, 'age gafoodindustry': 37818, 'gafoodindustry supplychain': 342714, 'groceryshopping groceryworkers': 366261, 'study walmart online': 814979, 'walmart online grocery': 965379, 'online grocery sale': 608328, 'grocery sale skyrocket': 364936, 'sale skyrocket in': 732526, 'skyrocket in march': 773314, 'in march chain': 425088, 'march chain store': 515315, 'store age gafoodindustry': 806096, 'age gafoodindustry supplychain': 37819, 'gafoodindustry supplychain grocery': 342715, 'supplychain grocery groceryshopping': 826185, 'grocery groceryshopping groceryworkers': 364572, 'the consumerprotection': 851632, 'consumerprotection hotline': 199743, 'at lagov': 99400, 'to the consumerprotection': 916584, 'the consumerprotection hotline': 851633, 'consumerprotection hotline at': 199744, 'dispute form at': 246324, 'form at lagov': 329490, 'suddenly important': 817108, 'musician sabcnews': 546378, 'driver are suddenly': 259441, 'are suddenly important': 90624, 'suddenly important than': 817109, 'famous musician sabcnews': 298481, 'keep minimum': 471664, 'others social': 621647, 'healthtips acesupermarket': 387488, 'acelounge ibadan': 28992, 'safety tip avoid': 730762, 'tip avoid close': 898719, 'with others keep': 999970, 'others keep minimum': 621507, 'keep minimum distance': 471666, 'minimum distance of': 533186, 'from others social': 336748, 'others social distance': 621648, 'social distance stay': 779523, 'safe staysafe healthtips': 729992, 'staysafe healthtips acesupermarket': 798821, 'healthtips acesupermarket aceeatery': 387489, 'aceeatery acelounge ibadan': 28985, 'acelounge ibadan oyo': 28993, 'this direct': 887239, 'consumer cat': 196743, 'cat brand': 166835, 'brand belief': 137769, 'it offering': 459994, 'offering are': 595020, 'before marketing': 122937, 'why this direct': 991470, 'this direct to': 887240, 'to consumer cat': 903277, 'consumer cat brand': 196744, 'cat brand belief': 166836, 'brand belief it': 137770, 'belief it offering': 126204, 'it offering are': 459995, 'offering are needed': 595021, 'are needed now': 88201, 'needed now during': 556447, 'now during the': 574573, '19 outbreak more': 9157, 'ever before marketing': 285224, 'publicsafety': 688617, 'fear related': 301302, 'scam watch': 740464, 'sign please': 769190, 'please inform': 660112, 'friend publicsafety': 333765, 'exploiting fear related': 292427, 'fear related to': 301303, 'shopping site to': 763892, 'site to phishing': 772036, 'phishing scam watch': 654837, 'scam watch out': 740465, 'for the sign': 326686, 'the sign please': 867180, 'sign please inform': 769192, 'please inform your': 660114, 'and friend publicsafety': 63333, 'more drama': 539072, 'drama to': 258258, 'buying here': 150480, 'epicenter of': 279312, 'of outside': 587613, 'outside seattle': 629543, 'thanks note': 842149, 'note supporting': 572792, 'community shelter': 190090, 'although it make': 49331, 'it make for': 459511, 'make for more': 509912, 'for more drama': 323570, 'more drama to': 539073, 'drama to show': 258259, 'panic buying here': 637760, 'buying here in': 150482, 'in the epicenter': 429171, 'the epicenter of': 854422, 'epicenter of outside': 279313, 'of outside seattle': 587614, 'outside seattle we': 629544, 'are fine no': 86581, 'fine no line': 307664, 'no line lot': 564609, 'of food thanks': 583793, 'food thanks note': 317083, 'thanks note supporting': 842150, 'note supporting my': 572793, 'supporting my local': 827154, 'my local community': 549107, 'local community shelter': 497844, 'hydroxychloronquine': 411987, '20 chloroquine': 13002, 'phosphate is': 655110, 'different form': 241949, 'in hydroxychloronquine': 423942, 'hydroxychloronquine amp': 411988, 'human consumption': 410463, 'consumption 24': 199818, '24 march': 15651, '20 man': 13136, 'man died': 512045, 'died amp': 241510, 'amp wife': 54845, 'to chloroquine': 902736, '21 march 20': 15016, 'march 20 chloroquine': 515129, '20 chloroquine phosphate': 13003, 'chloroquine phosphate is': 177614, 'phosphate is different': 655111, 'is different form': 447167, 'different form of': 241951, 'form of chemical': 329531, 'of chemical in': 581320, 'chemical in hydroxychloronquine': 175361, 'in hydroxychloronquine amp': 423943, 'hydroxychloronquine amp not': 411989, 'amp not for': 54193, 'not for human': 569490, 'for human consumption': 322438, 'human consumption 24': 410464, 'consumption 24 march': 199819, '24 march 20': 15652, 'march 20 man': 515135, '20 man died': 13137, 'man died amp': 512046, 'died amp wife': 241511, 'amp wife in': 54846, 'wife in critical': 991933, 'in critical condition': 421908, 'critical condition due': 218530, 'due to chloroquine': 261727, 'to chloroquine phosphate': 902737, 'supportyorkcounty': 827295, 'you supportyorkcounty': 1021488, 'supportyorkcounty this': 827296, 'week tell': 976963, 'favorite curbside': 300505, 'meal online': 524226, 'card buying': 163483, 'buying story': 151098, 'story full': 811989, 'restaurant here': 716502, 'how have you': 407976, 'have you supportyorkcounty': 383696, 'you supportyorkcounty this': 1021489, 'supportyorkcounty this week': 827297, 'this week tell': 891276, 'week tell your': 976964, 'tell your favorite': 837163, 'your favorite curbside': 1023823, 'favorite curbside meal': 300506, 'curbside meal online': 220631, 'meal online shopping': 524227, 'gift card buying': 349939, 'card buying story': 163484, 'buying story full': 151099, 'story full list': 811990, 'of open restaurant': 587294, 'open restaurant here': 612481, 'some tweet': 784126, 'tweet all': 936336, 'are caring': 85176, 'each instead': 264102, 'greedy dumb': 363510, 'dumb fuck': 262100, 'fuck who': 339683, 'there own': 878912, 'can have some': 158585, 'have some tweet': 382644, 'some tweet all': 784127, 'tweet all about': 936337, 'all about how': 41918, 'how human are': 408019, 'human are caring': 410417, 'are caring for': 85177, 'caring for each': 164713, 'for each instead': 320903, 'each instead of': 264103, 'the greedy dumb': 856767, 'greedy dumb fuck': 363511, 'dumb fuck who': 262102, 'fuck who think': 339684, 'think it there': 885353, 'it there right': 461614, 'there right to': 879003, 'right to empty': 722339, 'shelf for there': 757098, 'for there own': 326956, 'there own selfishness': 878913, 'it ppl': 460412, '19 isn stopping': 8095, 'isn stopping from': 454679, 'killing it ppl': 474693, 'it ppl are': 460413, 'ppl are shopping': 668175, 'shopping online 24': 763402, 'police warn': 663255, 'of disturbing': 582728, 'disturbing new': 248411, 'trend teen': 931459, 'teen 19': 836467, 'police warn of': 663257, 'warn of disturbing': 966941, 'of disturbing new': 582729, 'disturbing new social': 248412, 'new social medium': 559614, 'medium trend teen': 527336, 'trend teen 19': 931460, 'teen 19 corona': 836468, 'tesco say': 838801, 'chain critical': 170628, 'tesco say supply': 838802, 'supply chain critical': 824941, 'chain critical in': 170629, 'critical in covid': 218575, 'matatus': 520270, 'kenya after': 472878, 'after majority': 35897, 'of kenyan': 585601, 'left battling': 485409, 'battling skin': 112874, 'skin problem': 773077, 'problem reason': 679660, 'product sanitizer': 681591, 'sanitizer especially': 734822, 'in matatus': 425187, 'kenya after majority': 472879, 'after majority of': 35898, 'majority of kenyan': 509563, 'of kenyan will': 585603, 'kenyan will be': 472995, 'will be left': 992534, 'be left battling': 115693, 'left battling skin': 485410, 'battling skin problem': 112875, 'skin problem reason': 773078, 'problem reason people': 679661, 'reason people are': 702976, 'are using all': 91409, 'using all kind': 950376, 'all kind of': 43320, 'of product sanitizer': 588494, 'product sanitizer especially': 681592, 'sanitizer especially in': 734823, 'especially in matatus': 280529, 'far can': 298740, 'them hiking': 875855, 'customer and staff': 222100, 'in this uncertain': 430036, 'uncertain time because': 939613, 'time because so': 896374, 'so far can': 777018, 'far can see': 298742, 'can see zero': 159555, 'apart from them': 81277, 'from them hiking': 337959, 'them hiking price': 875856, 'price up just': 677242, 'up just so': 945269, 'playin': 659370, 'alert after': 41346, 'being inside': 125329, 'straight thursday': 812238, 'thursday wa': 895442, 'store ain': 806105, 'ain playin': 39642, 'playin in': 659371, 'these street': 880752, 'all stayathome': 44446, 'stayathome stayhome24in48': 797644, '19 alert after': 4887, 'alert after being': 41347, 'after being inside': 35412, 'being inside for': 125330, 'inside for day': 439263, 'for day straight': 320586, 'day straight thursday': 228419, 'straight thursday wa': 812239, 'thursday wa the': 895443, 'went out had': 979085, 'grocery store ain': 365181, 'store ain playin': 806107, 'ain playin in': 39643, 'playin in these': 659372, 'in these street': 429860, 'these street at': 880753, 'street at all': 812916, 'at all stayathome': 97907, 'all stayathome stayhome24in48': 44448, 'puerto': 688814, 'rico': 721381, '100 pound': 2044, 'in puerto': 427111, 'puerto rico': 688817, 'rico because': 721382, 'causing temporary': 168111, 'tomorrow am going': 924017, 'buy 100 pound': 148243, '100 pound of': 2045, 'pound of emergency': 667392, 'food to ship': 317289, 'ship to elderly': 758722, 'to elderly family': 904971, 'elderly family in': 270673, 'family in puerto': 297924, 'in puerto rico': 427112, 'puerto rico because': 688818, 'rico because covid': 721383, '19 panic hoarding': 9547, 'hoarding is causing': 399389, 'is causing temporary': 446433, 'causing temporary food': 168112, 'temporary food shortage': 837625, 'bangor': 109521, 'wife got': 991926, 'on union': 604965, 'union st': 941940, 'in bangor': 420699, 'bangor it': 109524, '7am today': 22442, 'door the': 255734, 'manager wa': 512821, 'wa handing': 962268, 'out individual': 626412, 'tp from': 927820, 'only large': 610696, 'large pack': 479734, 'my wife got': 550591, 'wife got to': 991928, 'to grocery on': 907006, 'grocery on union': 364770, 'on union st': 604966, 'union st in': 941941, 'st in bangor': 791708, 'in bangor it': 420700, 'bangor it opened': 109525, 'opened at 7am': 612709, 'at 7am today': 97752, '7am today and': 22443, 'today and there': 919229, 'the door the': 853586, 'door the manager': 255735, 'the manager wa': 860003, 'manager wa handing': 512822, 'wa handing out': 962269, 'handing out individual': 376134, 'out individual roll': 626413, 'of tp from': 592366, 'tp from the': 927821, 'from the only': 337816, 'the only large': 862316, 'only large pack': 610697, 'large pack the': 479735, 'pack the store': 633163, 'grocery union': 366087, 'union is': 941895, 'therefore closing': 879419, 'the grocery union': 856832, 'grocery union is': 366088, 'union is therefore': 941900, 'is therefore closing': 453042, 'therefore closing for': 879420, 'closing for few': 183643, 'week but we': 976047, 'remain open grocery': 709811, 'month ha': 537759, 'seen sharp': 747218, 'whole commodity': 990165, 'commodity complex': 189151, 'complex apart': 192397, 'from gold': 335662, 'market moved': 516735, 'moved down': 543800, 'down swiftly': 257246, 'swiftly the': 830331, 'saw demand': 738092, 'area mrx': 92112, 'marketresearch material': 517860, 'material chemical': 520375, 'past month ha': 643571, 'month ha seen': 537760, 'ha seen sharp': 371842, 'seen sharp fall': 747219, 'across the whole': 29533, 'the whole commodity': 871483, 'whole commodity complex': 990166, 'commodity complex apart': 189152, 'complex apart from': 192398, 'apart from gold': 81267, 'from gold market': 335663, 'gold market moved': 355930, 'market moved down': 516736, 'moved down swiftly': 543801, 'down swiftly the': 257247, 'swiftly the outbreak': 830332, 'outbreak of new': 628482, 'of new in': 586969, 'new in china': 558918, 'china saw demand': 176924, 'saw demand plummet': 738093, 'demand plummet in': 236041, 'plummet in some': 661285, 'some area mrx': 782338, 'area mrx marketresearch': 92113, 'mrx marketresearch material': 544485, 'marketresearch material chemical': 517861, 'so pennsylvanian': 777990, 'pennsylvanian and': 646596, 'and utilize': 74817, 'need josh': 555126, 'josh shapiro': 467344, 'going to beat': 355534, 'to beat this': 901658, 'beat this crisis': 118570, 'crisis but to': 217161, 'but to do': 147584, 'do so pennsylvanian': 250101, 'so pennsylvanian and': 777991, 'pennsylvanian and our': 646597, 'and our small': 68518, 'to know their': 908997, 'know their right': 476859, 'their right and': 874592, 'right and utilize': 721761, 'and utilize the': 74818, 'utilize the resource': 951363, 'to them during': 917292, 'of need josh': 586910, 'need josh shapiro': 555127, 'oil wa': 597498, 'wa 61': 961391, '61 59': 21180, '59 year': 20577, 'the jump': 858704, 'jump it': 467875, '24 74': 15549, '74 down': 22084, 'down 60': 256429, '60 so': 21006, 'why haven': 991057, 'haven price': 383871, 'pump dropped': 689041, '60 if': 20951, 'if pump': 414702, 'dropped even': 260564, 'even 50': 283797, '50 we': 19904, 'around 50': 93150, 'for gallon': 321839, 'oil wa 61': 597499, 'wa 61 59': 961392, '61 59 year': 21181, '59 year ago': 20578, 'year ago today': 1014366, 'ago today with': 38521, 'today with the': 920562, 'with the jump': 1001354, 'the jump it': 858705, 'jump it is': 467876, 'is at 24': 445845, 'at 24 74': 97541, '24 74 down': 15550, '74 down 60': 22085, 'down 60 so': 256430, '60 so why': 21008, 'so why haven': 778757, 'why haven price': 991059, 'haven price at': 383872, 'the pump dropped': 864898, 'pump dropped 60': 689042, 'dropped 60 if': 260518, '60 if pump': 20952, 'if pump price': 414703, 'pump price dropped': 689088, 'price dropped even': 673591, 'dropped even 50': 260565, 'even 50 we': 283798, '50 we would': 19905, 'we would look': 973972, 'would look at': 1012007, 'look at price': 502287, 'at price around': 100198, 'price around 50': 672775, 'around 50 for': 93152, '50 for gallon': 19692, 'for gallon of': 321840, 'gallon of regular': 343047, 'just worried': 470345, 'not knowing': 570313, 'but getting': 145792, 'getting paranoid': 349188, 'paranoid feel': 641442, 'what touch': 982482, 'wash with': 967572, 'with will': 1002100, 'up infected': 945200, 'infected feel': 436571, 'are doomed': 85954, 'doomed coronacrisis': 255446, 'just worried about': 470346, 'worried about having': 1010493, 'about having it': 25350, 'having it and': 384126, 'and not knowing': 67754, 'not knowing it': 570315, 'knowing it going': 477126, 'essential but getting': 280870, 'but getting paranoid': 145793, 'getting paranoid feel': 349189, 'paranoid feel like': 641443, 'like no matter': 490861, 'matter what touch': 520655, 'what touch and': 982483, 'touch and wash': 926453, 'and wash with': 75204, 'wash with will': 967574, 'with will end': 1002101, 'end up infected': 276035, 'up infected feel': 945201, 'infected feel like': 436572, 'we are doomed': 970533, 'are doomed coronacrisis': 85955, 'queensland mum': 693407, 'posted heartbreaking': 666529, 'heartbreaking picture': 388396, 'her upset': 392501, 'upset and': 947799, 'and exhausted': 62467, 'exhausted teenage': 290175, 'teenage daughter': 836521, 'daughter after': 226819, 'had finished': 373113, 'finished supermarket': 307919, 'supermarket shift': 822576, 'shift 7news': 758217, 'queensland mum ha': 693408, 'mum ha posted': 545905, 'ha posted heartbreaking': 371515, 'posted heartbreaking picture': 666530, 'heartbreaking picture of': 388397, 'picture of her': 656166, 'of her upset': 584588, 'her upset and': 392502, 'upset and exhausted': 947800, 'and exhausted teenage': 62468, 'exhausted teenage daughter': 290176, 'teenage daughter after': 836522, 'daughter after she': 226820, 'after she had': 36188, 'she had finished': 756097, 'had finished supermarket': 373114, 'finished supermarket shift': 307920, 'supermarket shift 7news': 822577, 'company stock': 191119, 'the dump': 853777, 'before fda': 122793, 'fda denies': 300848, 'denies their': 236988, 'their use': 875093, 'he may be': 385223, 'may be trying': 521045, 'to get these': 906616, 'get these company': 348389, 'these company stock': 879794, 'company stock price': 191120, 'stock price up': 802753, 'and the dump': 73337, 'the dump them': 853779, 'dump them before': 262194, 'them before fda': 875470, 'before fda denies': 122794, 'fda denies their': 300849, 'denies their use': 236989, 'their use in': 875094, 'use in covid': 949274, 'thrice': 894172, 'lucknow': 506525, 'am anyways': 49893, 'anyways under': 81077, 'lockdown since': 499918, 'since 6th': 770490, '6th march': 21691, 'of went': 593024, 'society only': 781282, 'only thrice': 611342, 'thrice after': 894173, 'that once': 845488, 'visit doctor': 959234, 'doctor once': 251053, 'to lucknow': 909521, 'lucknow kept': 506528, 'kept thinking': 473083, 'but apparently': 145201, 'am anyways under': 49894, 'anyways under lockdown': 81078, 'under lockdown since': 940153, 'lockdown since 6th': 499920, 'since 6th march': 770491, '6th march because': 21692, 'because of went': 119426, 'of went out': 593025, 'out of society': 626831, 'of society only': 589874, 'society only thrice': 781283, 'only thrice after': 611343, 'thrice after that': 894174, 'after that once': 36277, 'that once to': 845489, 'once to visit': 605769, 'to visit doctor': 918205, 'visit doctor once': 959235, 'doctor once to': 251054, 'once to buy': 605765, 'buy sanitizer and': 149141, 'sanitizer and last': 734413, 'last time to': 480573, 'time to travel': 898089, 'travel to lucknow': 930536, 'to lucknow kept': 909522, 'lucknow kept thinking': 506529, 'kept thinking it': 473085, 'thinking it going': 885934, 'to get better': 906423, 'get better but': 346666, 'better but apparently': 128218, 'but apparently it': 145202, 'apparently it isn': 81956, 'couple that': 211684, 'cant make': 162322, 'simply doesn': 770220, 'go be': 353368, 'frisco please': 334086, 'well try': 978715, 'if there an': 415061, 'there an elderly': 877989, 'person couple that': 652386, 'couple that cant': 211685, 'that cant make': 843147, 'cant make it': 162323, 'store or simply': 809370, 'or simply doesn': 617088, 'simply doesn want': 770221, 'to go be': 906775, 'go be happy': 353369, 'know someone in': 476729, 'someone in need': 784518, 'lewisville frisco please': 487850, 'frisco please dm': 334087, 'me and well': 522434, 'and well try': 75414, 'well try to': 978716, 'liberalismisamentaldisorder': 488026, 'getting scammed': 349250, 'scammed on': 740512, 'still allow': 800178, 'allow seller': 46052, 'post inflated': 666171, 'to buyer': 902346, 'which requires': 986270, 'requires many': 713476, 'many step': 514728, 'step fail': 799532, 'fail liberalismisamentaldisorder': 296094, 'concerned about people': 193166, 'about people getting': 25934, 'people getting scammed': 648066, 'getting scammed on': 349251, 'scammed on ppe': 740513, 'on ppe supply': 602870, 'ppe supply they': 668068, 'supply they still': 825982, 'they still allow': 883457, 'still allow seller': 800179, 'allow seller to': 46053, 'seller to post': 749099, 'to post inflated': 911911, 'post inflated price': 666172, 'and look to': 66368, 'look to buyer': 502626, 'to buyer to': 902348, 'buyer to report': 149780, 'to report which': 913299, 'report which requires': 712432, 'which requires many': 986272, 'requires many step': 713477, 'many step fail': 514729, 'step fail liberalismisamentaldisorder': 799533, 'usdcad': 948980, '4200': 18924, 'cad': 155050, 'kvbprime': 478018, 'usdcad experienced': 948986, 'experienced sharp': 291598, 'decline from': 231331, 'from yesterday': 338446, 'yesterday multi': 1015805, 'year top': 1015050, 'top on': 925653, 'thursday now': 895405, 'now back': 574171, 'back around': 106877, 'around mid': 93396, 'mid 4200': 530545, '4200 mark': 18925, 'mark amid': 515769, 'amid recovery': 52614, 'price forex': 674088, 'forex forexnews': 329167, 'forexnews usd': 329189, 'usd dollar': 948914, 'dollar cad': 252961, 'cad loonie': 155051, 'loonie usdcad': 503141, 'usdcad currency': 948982, 'currency trading': 221067, 'trading crudeoil': 928850, 'crudeoil oil': 219642, 'oil pandemic': 597001, 'pandemic wti': 637077, 'wti china': 1013383, 'china kvbprime': 176781, 'usdcad experienced sharp': 948987, 'experienced sharp decline': 291599, 'sharp decline from': 755674, 'decline from yesterday': 231332, 'from yesterday multi': 338448, 'yesterday multi year': 1015806, 'multi year top': 545681, 'year top on': 1015051, 'top on thursday': 925654, 'on thursday now': 604675, 'thursday now back': 895406, 'now back around': 574172, 'back around mid': 106878, 'around mid 4200': 93397, 'mid 4200 mark': 530546, '4200 mark amid': 18926, 'mark amid recovery': 515770, 'amid recovery in': 52615, 'recovery in oil': 705347, 'oil price forex': 597137, 'price forex forexnews': 674089, 'forex forexnews usd': 329168, 'forexnews usd dollar': 329190, 'usd dollar cad': 948915, 'dollar cad loonie': 252962, 'cad loonie usdcad': 155052, 'loonie usdcad currency': 503142, 'usdcad currency trading': 948983, 'currency trading crudeoil': 221068, 'trading crudeoil oil': 928851, 'crudeoil oil pandemic': 219643, 'oil pandemic wti': 597002, 'pandemic wti china': 637078, 'wti china kvbprime': 1013384, 'stickley': 800115, 'your stickley': 1025940, 'stickley furniture': 800116, 'furniture is': 341957, 'easy due': 265691, '8199 learn': 22798, 'your furniture': 1024016, 'furniture on': 341960, 'caring for your': 164720, 'for your stickley': 328214, 'your stickley furniture': 1025941, 'stickley furniture is': 800117, 'furniture is easy': 341959, 'is easy due': 447431, 'easy due to': 265692, '274 8199 learn': 16345, '8199 learn more': 22799, 'more about caring': 538498, 'for your furniture': 328155, 'your furniture on': 1024017, 'furniture on their': 341961, 'interviewee': 442292, 'silence': 769694, 'supermarket listened': 821341, 'third segment': 886099, 'segment of': 747389, 'show about': 766843, 'about deciding': 25086, 'deciding who': 230967, 'get care': 346739, 'care when': 164265, 'host asked': 404859, 'the interviewee': 858403, 'interviewee if': 442293, 'any hope': 79330, 'the silence': 867187, 'silence lasted': 769695, 'lasted too': 480755, 'what broke': 981143, 'broke me': 140838, 'shock wave': 759539, 'the supermarket listened': 868675, 'supermarket listened to': 821342, 'listened to the': 494782, 'to the third': 917128, 'the third segment': 869481, 'third segment of': 886100, 'segment of this': 747390, 'of this show': 592036, 'this show about': 890135, 'show about deciding': 766844, 'about deciding who': 25087, 'deciding who get': 230968, 'who get care': 988770, 'get care when': 346741, 'care when the': 164266, 'when the host': 984162, 'the host asked': 857551, 'host asked the': 404860, 'asked the interviewee': 95845, 'the interviewee if': 858404, 'interviewee if he': 442294, 'he had any': 385041, 'had any hope': 372855, 'any hope and': 79331, 'hope and the': 403421, 'and the silence': 73584, 'the silence lasted': 867188, 'silence lasted too': 769696, 'lasted too long': 480756, 'too long that': 924867, 'long that what': 501724, 'that what broke': 847458, 'what broke me': 981144, 'broke me the': 140839, 'me the shock': 523660, 'the shock wave': 866968, 'shock wave of': 759540, 'when lose': 983707, 'leaf with': 483826, 'point your': 662728, 'your gonna': 1024073, 'an no': 56527, 'supply 19uk': 824655, 'when lose your': 983708, 'which leaf with': 986103, 'leaf with no': 483827, 'then everyone is': 877161, 'buying and going': 149909, 'and going into': 63805, 'quarantine and know': 692013, 'and know at': 65887, 'some point your': 783596, 'point your gonna': 662729, 'your gonna be': 1024074, 'gonna be locked': 356475, 'food an no': 313160, 'an no supply': 56528, 'no supply 19uk': 565630, 'burgeoning': 142825, 'doubt burgeoning': 256189, 'burgeoning cream': 142826, 'cream cracker': 215538, 'cracker porridge': 214731, 'porridge and': 664852, 'and handwash': 64159, 'handwash black': 376760, 'market stophoarding': 517125, 'like ll need': 490661, 'need to explore': 555926, 'to explore the': 905503, 'explore the no': 292497, 'the no doubt': 861827, 'no doubt burgeoning': 564047, 'doubt burgeoning cream': 256190, 'burgeoning cream cracker': 142827, 'cream cracker porridge': 215539, 'cracker porridge and': 214732, 'porridge and handwash': 664853, 'and handwash black': 64160, 'handwash black market': 376761, 'black market stophoarding': 132094, 'market stophoarding panicbuyinguk': 517126, 'european cash': 283540, 'cash market': 166272, 'open down': 612192, 'down spread': 257200, 'spread one': 790731, 'one piece': 606873, 'piece economic': 656295, 'today eu': 919489, 'eu consumer': 283213, 'european cash market': 283541, 'cash market open': 166275, 'market open down': 516807, 'open down spread': 612193, 'down spread one': 257201, 'spread one piece': 790733, 'one piece economic': 606874, 'piece economic data': 656296, 'economic data to': 267050, 'data to watch': 226471, 'to watch today': 918394, 'watch today eu': 968590, 'today eu consumer': 919490, 'eu consumer confidence': 283215, 'price volatility': 677324, 'volatility caused': 960069, 'by affect': 151767, 'the cargo': 850422, 'cargo and': 164656, 'shipping industry': 758859, 'how will oil': 409233, 'oil price volatility': 597311, 'price volatility caused': 677325, 'volatility caused by': 960070, 'caused by affect': 167826, 'by affect the': 151768, 'affect the cargo': 34239, 'the cargo and': 850424, 'cargo and shipping': 164657, 'and shipping industry': 71475, 'shipping industry via': 758860, 'animal rescue': 76649, 'rescue site': 713633, 'buying the animal': 151162, 'the animal rescue': 848748, 'animal rescue site': 76650, 'rescue site blog': 713634, 'myself because': 550833, 'amvca thing': 54970, 'thing wish': 884998, 'could more': 209417, 'him being': 396557, 'going to isolate': 355630, 'isolate myself because': 454893, 'myself because of': 550834, 'this amvca thing': 886315, 'amvca thing wish': 54971, 'thing wish knew': 884999, 'true it wa': 933118, 'it wa and': 462064, 'wa and who': 961539, 'wa so could': 963254, 'so could more': 776806, 'could more accurately': 209418, 'chance of him': 171757, 'of him being': 584629, 'him being exposed': 396558, 'being exposed but': 125121, 'now it best': 575108, 'best to err': 127946, 'cherryblossoms': 175545, 'weather couldn': 974861, 'any nicer': 79517, 'nicer but': 562544, 'help thinking': 390735, 'when looking': 983705, 'safe cherryblossoms': 729542, 'the weather couldn': 871254, 'weather couldn be': 974862, 'couldn be any': 209866, 'be any nicer': 113650, 'any nicer but': 79518, 'nicer but can': 562545, 'but can help': 145353, 'can help thinking': 158665, 'help thinking about': 390736, 'thinking about social': 885856, 'distancing when looking': 247632, 'when looking at': 983706, 'at these crowd': 101198, 'be safe cherryblossoms': 116946, 'birthdayiscancelled': 131466, 'for clothes': 320136, 'clothes birthday': 184144, 'birthday present': 131446, 'present that': 670624, 'wearing around': 974590, 'house birthdayiscancelled': 406216, 'this coronavirus ha': 886896, 'ha got me': 370744, 'shopping for clothes': 762664, 'for clothes birthday': 320137, 'clothes birthday present': 184145, 'birthday present that': 131447, 'present that by': 670625, 'that by the': 843078, 'look of it': 502547, 'it will just': 462407, 'will just be': 993879, 'just be wearing': 468279, 'be wearing around': 118073, 'wearing around the': 974591, 'the house birthdayiscancelled': 857596, 'biked': 130431, 'guess there': 368060, 'much information': 545016, 'get confusing': 346801, 'confusing about': 194363, 'the speculation': 867556, 'speculation ha': 788360, 'ha biked': 370008, 'biked price': 130432, 'essential too': 281714, 'much advice': 544698, 'advice may': 33432, 'may begin': 521057, 'begin misleading': 123540, 'misleading people': 534104, 'guess there too': 368061, 'there too much': 879200, 'too much information': 924927, 'much information that': 545017, 'information that get': 437996, 'that get confusing': 843996, 'get confusing about': 346802, 'confusing about the': 194364, 'about the speculation': 26524, 'the speculation ha': 867558, 'speculation ha biked': 788361, 'ha biked price': 370009, 'biked price of': 130433, 'of essential too': 583192, 'essential too much': 281715, 'too much advice': 924912, 'much advice may': 544699, 'advice may begin': 33433, 'may begin misleading': 521058, 'begin misleading people': 123541, 'conceivable': 192823, 'trump at': 933424, 'at task': 100828, 'briefing say': 139737, 'say democrat': 738562, 'medium want': 527348, 'keep business': 471359, 'election the': 271066, 'president tweet': 670956, 'tweet briefing': 936348, 'and vice': 74947, 'president mike': 670856, 'mike penny': 531277, 'penny conceivable': 646605, 'conceivable thought': 192824, 'thought best': 892983, 'best regard': 127881, 'regard richard': 707146, 'richard check': 721293, 'on book': 599667, 'trump at task': 933425, 'at task force': 100829, 'force briefing say': 328345, 'briefing say democrat': 139738, 'say democrat and': 738563, 'democrat and medium': 236695, 'and medium want': 66927, 'medium want to': 527349, 'to keep business': 908765, 'keep business closed': 471360, 'closed to hurt': 183395, 'to hurt his': 908065, 're election the': 698597, 'election the president': 271067, 'the president tweet': 864273, 'president tweet briefing': 670957, 'tweet briefing and': 936349, 'briefing and vice': 139699, 'and vice president': 74949, 'vice president mike': 956430, 'president mike penny': 670857, 'mike penny conceivable': 531278, 'penny conceivable thought': 646606, 'conceivable thought best': 192825, 'thought best regard': 892984, 'best regard richard': 127882, 'regard richard check': 707147, 'richard check out': 721294, 'check out just': 174555, 'out just reduced': 626468, 'just reduced price': 469591, 'reduced price on': 706154, 'price on book': 675654, 'may vary': 521593, 'pandemic in world': 635713, 'to price may': 912122, 'price may vary': 675206, 'may vary agmarketingiq': 521594, '7pm on': 22506, 'monday to': 536397, 'with fast': 998392, 'food fan': 314441, 'fan out': 298534, 'for final': 321480, 'final big': 305824, 'mac before': 507313, 'the restaurant closed': 865649, 'restaurant closed at': 716373, 'closed at 7pm': 183005, 'at 7pm on': 97757, '7pm on monday': 22507, 'on monday to': 602186, 'monday to help': 536399, '19 with fast': 12128, 'with fast food': 998393, 'fast food fan': 299961, 'food fan out': 314442, 'fan out in': 298535, 'out in force': 626378, 'force for final': 328391, 'for final big': 321481, 'final big mac': 305825, 'big mac before': 129860, 'mac before the': 507314, 'before the shutdown': 123187, 'seniorcare': 750455, 'updated 18': 947340, '18 get': 4536, 'get answer': 346567, 'top senior': 925715, 'senior care': 750240, 'care question': 164182, 'question communicating': 693561, 'communicating with': 189565, 'senior in': 750335, 'in locked': 424862, 'down facility': 256747, 'facility special': 295376, 'more caregiving': 538772, 'caregiving caregiver': 164520, 'caregiver seniorcare': 164512, 'seniorcare eldercare': 750456, 'updated 18 get': 947341, '18 get answer': 4537, 'get answer to': 346568, 'answer to top': 78136, 'to top senior': 917637, 'top senior care': 925716, 'senior care question': 750242, 'care question communicating': 164183, 'question communicating with': 693562, 'communicating with senior': 189567, 'with senior in': 1000638, 'senior in locked': 750336, 'in locked down': 424863, 'locked down facility': 500474, 'down facility special': 256748, 'facility special grocery': 295377, 'special grocery store': 787941, 'senior and more': 750204, 'and more caregiving': 67155, 'more caregiving caregiver': 538773, 'caregiving caregiver seniorcare': 164521, 'caregiver seniorcare eldercare': 164513, 'editor ha': 268655, 'discus pricing': 244899, 'pricing videoeditor': 677996, 'video editor ha': 956716, 'editor ha contacted': 268656, 'ha contacted me': 370235, 'contacted me so': 200330, 'me so we': 523498, 'can discus pricing': 158074, 'discus pricing videoeditor': 244900, 'pricing videoeditor videoediting': 677997, 'taken week': 833120, 'week off': 976652, 'work actually': 1004710, 'actually excited': 30795, 'in tonight': 430191, 'regular gig': 707785, 'gig involves': 350065, 'involves replenishing': 444380, 'replenishing pasta': 711682, 'little stock': 495583, 'is ve': 453658, 'been key': 121429, 'worker before': 1006515, 'before madness': 122932, 'strange time to': 812432, 'have taken week': 382922, 'taken week off': 833121, 'week off work': 976654, 'off work actually': 594408, 'work actually excited': 1004711, 'actually excited to': 30796, 'excited to be': 289571, 'back in tonight': 107103, 'in tonight my': 430192, 'tonight my regular': 924451, 'my regular gig': 549910, 'regular gig involves': 707786, 'gig involves replenishing': 350066, 'involves replenishing pasta': 444381, 'replenishing pasta and': 711683, 'rice in the': 721067, 'world food aisle': 1009553, 'food aisle it': 313076, 'aisle it ll': 40294, 'see how little': 745235, 'how little stock': 408175, 'little stock there': 495584, 'stock there is': 802958, 'there is ve': 878648, 'is ve never': 453659, 'never been key': 557898, 'been key worker': 121430, 'key worker before': 473470, 'worker before madness': 1006516, 'rida': 721404, 'yucat': 1027076, 'dicte': 240528, 'desrus': 238942, 'employee clean': 273719, 'and sanitizes': 70908, 'sanitizes the': 736457, 'core of': 203523, 'an escalator': 55810, 'escalator at': 280295, 'in rida': 427506, 'rida yucat': 721405, 'yucat mexico': 1027077, 'mexico on': 530012, 'declared pandemic': 231241, '11 march': 2554, 'by dicte': 152351, 'dicte desrus': 240529, 'desrus facemask': 238943, 'an employee clean': 55704, 'employee clean and': 273720, 'clean and sanitizes': 180469, 'and sanitizes the': 70909, 'sanitizes the core': 736458, 'the core of': 851736, 'core of an': 203524, 'of an escalator': 580113, 'an escalator at': 55811, 'escalator at the': 280296, 'entrance of supermarket': 278892, 'supermarket in rida': 820966, 'in rida yucat': 427507, 'rida yucat mexico': 721406, 'yucat mexico on': 1027078, 'mexico on april': 530013, 'april 2020 the': 83476, '2020 the world': 14644, 'organization who declared': 619445, 'who declared pandemic': 988547, 'declared pandemic on': 231242, 'pandemic on 11': 636084, 'on 11 march': 599004, '11 march 2020': 2555, 'march 2020 photo': 515161, 'photo by dicte': 655140, 'by dicte desrus': 152352, 'dicte desrus facemask': 240530, 'avitoonz': 104976, 'toiletpaper avitoonz': 921775, 'paper for brain': 640174, 'brain panicbuying toiletpaper': 137602, 'panicbuying toiletpaper avitoonz': 639090, 'saw load': 738152, '70 forced': 21768, 'today co': 919386, 'co no': 184892, 'wks only': 1003252, 'vital item': 959700, 'like bread': 489931, 'toilet heartbreaking': 921152, 'heartbreaking they': 388420, 'have risked': 382342, 'risked their': 724045, 'saw load of': 738153, 'load of over': 497274, 'of over 70': 587619, 'over 70 forced': 629908, '70 forced to': 21769, 'supermarket today co': 823439, 'today co no': 919387, 'co no delivery': 184893, 'no delivery available': 563983, 'delivery available for': 233735, 'available for wks': 104390, 'for wks only': 327901, 'wks only to': 1003253, 'to find empty': 905895, 'find empty shelf': 306886, 'shelf of vital': 757374, 'of vital item': 592847, 'vital item like': 959701, 'item like bread': 463411, 'like bread milk': 489932, 'milk toilet heartbreaking': 531876, 'toilet heartbreaking they': 921153, 'heartbreaking they have': 388421, 'they have risked': 882374, 'have risked their': 382343, 'risked their health': 724046, 'health to go': 386919, 'for what supermarket': 327806, 'propcos': 684079, 'proprietary': 684588, 'high leverage': 395158, 'many european': 514041, 'european propcos': 283604, 'propcos the': 684080, 'in underlying': 430418, 'underlying property': 940492, 'property value': 684366, 'value reflected': 952189, 'missed learn': 534236, 'about european': 25187, 'european cre': 283557, 'cre and': 215504, 'affecting it': 34525, 'with green': 998685, 'green street': 363699, 'street proprietary': 813075, 'proprietary research': 684591, 'research gain': 713739, 'access here': 28144, 'with high leverage': 998804, 'high leverage for': 395159, 'leverage for many': 487785, 'for many european': 323217, 'many european propcos': 514042, 'european propcos the': 283605, 'propcos the change': 684081, 'change in underlying': 172140, 'in underlying property': 430419, 'underlying property value': 940493, 'property value reflected': 684367, 'value reflected in': 952190, 'reflected in share': 706642, 'share price can': 755165, 'price can be': 673055, 'can be missed': 157645, 'be missed learn': 115949, 'missed learn more': 534237, 'more about european': 538506, 'about european cre': 25188, 'european cre and': 283558, 'cre and how': 215505, 'is affecting it': 445392, 'affecting it with': 34526, 'it with green': 462472, 'with green street': 998686, 'green street proprietary': 363700, 'street proprietary research': 813076, 'proprietary research gain': 684592, 'research gain access': 713740, 'gain access here': 342748, 'jpm': 467558, '49k': 19417, 'chinaproperty': 177129, 'jpm sale': 467559, 'top 40': 925533, '40 chinese': 18551, 'chinese city': 177214, 'city last': 179228, 'week total': 977116, 'total 30k': 926121, '30k unit': 17458, 'unit 49k': 942033, '49k before': 19418, 'jan or': 464468, 'or 61': 614216, '61 of': 21188, 'current speed': 221379, 'speed sale': 788461, 'sale should': 732517, 'down 20': 256386, '25 yoy': 16003, 'march home': 515383, 'in tier': 430064, 'tier city': 895773, 'city 10': 179030, '10 yoy': 1775, 'yoy chinaproperty': 1026946, 'jpm sale in': 467560, 'the top 40': 869773, 'top 40 chinese': 925534, '40 chinese city': 18552, 'chinese city last': 177215, 'city last week': 179229, 'last week total': 480688, 'week total 30k': 977117, 'total 30k unit': 926122, '30k unit 49k': 17459, 'unit 49k before': 942034, '49k before the': 19419, 'outbreak in jan': 628343, 'in jan or': 424350, 'jan or 61': 464469, 'or 61 of': 614217, '61 of such': 21189, 'of such at': 590362, 'the current speed': 852666, 'current speed sale': 221380, 'speed sale should': 788462, 'sale should be': 732518, 'should be down': 765608, 'be down 20': 114585, 'down 20 25': 256387, '20 25 yoy': 12893, '25 yoy for': 16004, 'yoy for march': 1026948, 'for march home': 323248, 'march home price': 515384, 'price in tier': 674745, 'in tier city': 430065, 'tier city yet': 895775, 'city yet in': 179474, 'yet in tier': 1016108, 'tier city 10': 895774, 'city 10 yoy': 179031, '10 yoy chinaproperty': 1776, 'slump economy': 774688, 'oil slump economy': 597437, '19 odisha': 8886, 'odisha food': 579232, 'to resort': 913366, 'covid 19 odisha': 213503, '19 odisha food': 8887, 'odisha food supply': 579233, 'food supply minister': 316970, 'minister urge people': 533481, 'not to resort': 572178, 'to resort to': 913367, 'resort to panic': 714679, 'not elderly': 569154, 'an underlying': 56833, 'condition like': 193480, 'disease please': 245207, 'taking up': 833652, 'time those': 897924, 're not elderly': 699087, 'not elderly or': 569157, 'or have an': 615577, 'have an underlying': 379270, 'an underlying health': 56835, 'health condition like': 386294, 'condition like an': 193481, 'like an autoimmune': 489764, 'autoimmune disease please': 103934, 'disease please stop': 245209, 'please stop taking': 660590, 'stop taking up': 805101, 'taking up grocery': 833653, 'store pickup time': 809562, 'pickup time those': 656037, 'time those of': 897926, 'of who rely': 593134, 'rely on those': 709655, 'on those service': 604652, 'those service now': 892449, 'service now can': 752627, 'now can get': 574330, 'them and we': 875407, 'we re the': 972987, 're the highest': 699693, 'highest risk for': 395856, 'for getting and': 321864, 'getting and getting': 348839, 'and getting very': 63629, 'getting very sick': 349432, 'toughen': 926882, 'snowflake': 776408, 'adult make': 32838, 'own decision': 631940, 'decision if': 231042, 'open support': 612533, 'train walk': 929288, 'into pharmacy': 442871, 'pub toughen': 687795, 'toughen up': 926883, 'being such': 125882, 'such snowflake': 816759, 're an adult': 698281, 'an adult make': 55141, 'adult make you': 32839, 'make you own': 510745, 'you own decision': 1020269, 'own decision if': 631941, 'decision if it': 231043, 'if it open': 414328, 'it open support': 460122, 'open support it': 612534, 'support it and': 826604, 'it and go': 456492, 'and go you': 63791, 'go you go': 354537, 'supermarket get on': 820489, 'get on train': 347699, 'on train walk': 604838, 'train walk into': 929289, 'walk into pharmacy': 964819, 'into pharmacy why': 442872, 'pharmacy why not': 654562, 'why not the': 991237, 'local pub toughen': 498312, 'pub toughen up': 687796, 'toughen up and': 926884, 'up and stop': 944376, 'stop being such': 804500, 'being such snowflake': 125883, 'like doing': 490133, 'some dangerous': 782657, 'off to supermarket': 594328, 'feel like doing': 302708, 'like doing some': 490135, 'doing some dangerous': 252670, 'some dangerous mission': 782658, 'gmaz': 353189, 'mealimeal': 524326, 'god didn': 354680, 'to originate': 911104, 'originate from': 619605, 'reason today': 703040, 'alive is': 41819, 'what gmaz': 981500, 'gmaz said': 353190, 'in distributing': 422314, 'distributing mealimeal': 248089, 'mealimeal they': 524327, 'god didn allow': 354681, 'didn allow covid': 240976, '19 to originate': 11443, 'to originate from': 911105, 'originate from here': 619606, 'from here for': 335776, 'here for reason': 393009, 'for reason today': 325005, 'reason today no': 703041, 'would be alive': 1011545, 'be alive is': 113547, 'alive is this': 41820, 'this what gmaz': 891346, 'what gmaz said': 981501, 'gmaz said will': 353191, 'said will do': 731592, 'do in distributing': 249425, 'in distributing mealimeal': 422315, 'distributing mealimeal they': 248090, 'mealimeal they are': 524328, 'they are even': 881264, 'are even worse': 86281, 'worse that any': 1011024, 'that any supermarket': 842679, 'thats good': 847806, '19 directly': 6552, 'directly those': 243579, 'cut severely': 223530, 'severely or': 754100, 'will their': 995161, 'their be': 872567, 'financial aid': 306317, 'thats good but': 847807, 'good but what': 356858, 'covid 19 directly': 212956, '19 directly those': 6553, 'directly those who': 243580, 'who will have': 989988, 'will have their': 993678, 'have their hour': 383054, 'hour cut severely': 405517, 'cut severely or': 223531, 'severely or laid': 754101, 'job will their': 466298, 'will their be': 995162, 'their be any': 872568, 'be any sort': 113654, 'relief financial aid': 709328, 'financial aid for': 306318, 'aid for these': 39389, 'ha staying': 372056, 'fcc offer': 300767, 'offer way': 594883, '19 ha staying': 7393, 'ha staying home': 372057, 'staying home the': 798624, 'the fcc offer': 855002, 'fcc offer way': 300768, 'offer way to': 594884, 'be reckless': 116726, 'reckless and': 704548, 'and dye': 61824, 'dye my': 263766, 'hair purple': 374000, 'purple but': 690074, 'also nintendo': 48566, 'nintendo switch': 563322, 'switch would': 830525, 'be silly': 117188, 'silly online': 769756, '19 pure': 9878, 'and absolute': 57562, 'absolute torture': 27302, 'torture and': 926056, 'and strangely': 72536, 'strangely love': 812447, 'it send': 460973, 'of me want': 586351, 'to be reckless': 901488, 'be reckless and': 116727, 'reckless and dye': 704549, 'and dye my': 61825, 'dye my hair': 263767, 'my hair purple': 548597, 'hair purple but': 374001, 'purple but also': 690075, 'but also nintendo': 145129, 'also nintendo switch': 48567, 'nintendo switch would': 563325, 'switch would be': 830526, 'would be silly': 1011645, 'be silly online': 117189, 'silly online shopping': 769757, 'covid 19 pure': 213632, '19 pure and': 9879, 'pure and absolute': 689961, 'and absolute torture': 57564, 'absolute torture and': 27303, 'torture and strangely': 926057, 'and strangely love': 72537, 'strangely love it': 812448, 'love it send': 504713, 'it send help': 460975, 'boycottmcdonalds': 137388, 'fightfor15': 305019, 'boycottmcdonalds the': 137389, 'food could': 314035, 'since mcdonald': 770731, 'mcdonald will': 522152, 'mask mcdonalds': 518966, 'mcdonalds worker': 522164, 'economic protection': 267217, 'protection covid': 685386, 'intensifies fight': 441109, '15 fightfor15': 3708, 'boycottmcdonalds the people': 137390, 'who make your': 989259, 'make your food': 510756, 'your food could': 1023911, 'food could have': 314036, 'could have the': 209269, 'have the since': 383025, 'the since mcdonald': 867212, 'since mcdonald will': 770732, 'mcdonald will not': 522153, 'not let it': 570369, 'let it employee': 486825, 'it employee wear': 457809, 'employee wear mask': 274396, 'wear mask mcdonalds': 974397, 'mask mcdonalds worker': 518967, 'mcdonalds worker demand': 522165, 'worker demand more': 1006753, 'demand more safety': 235891, 'more safety and': 540300, 'safety and economic': 730450, 'and economic protection': 61904, 'economic protection covid': 267218, 'protection covid 19': 685387, '19 pandemic intensifies': 9368, 'pandemic intensifies fight': 635746, 'intensifies fight for': 441110, 'fight for 15': 304732, 'for 15 fightfor15': 318665, 'jse': 467570, 'few jse': 303894, 'jse sector': 467573, 'sector trading': 744373, 'positive territory': 665448, 'territory food': 838560, 'good leading': 357320, 'leading pandemic': 483724, 'buying week': 151335, 'date performance': 226714, 'performance below': 651431, 'so this week': 778505, 'week we do': 977190, 'we do have': 971333, 'do have few': 249370, 'have few jse': 380611, 'few jse sector': 303895, 'jse sector trading': 467574, 'sector trading in': 744374, 'trading in positive': 928876, 'in positive territory': 426855, 'positive territory food': 665449, 'territory food producer': 838561, 'food producer consumer': 316003, 'producer consumer good': 680596, 'consumer good leading': 197623, 'good leading pandemic': 357321, 'leading pandemic panic': 483725, 'pandemic panic buying': 636153, 'panic buying week': 637958, 'buying week to': 151336, 'week to date': 977076, 'to date performance': 903939, 'date performance below': 226715, 'hobart': 399758, 'brisbane': 140303, 'darwin': 226048, 'australia do': 103263, 'grocery sign': 365122, 'australia cole': 103255, 'cole woolies': 185890, 'woolies sydney': 1004387, 'sydney melbourne': 830699, 'melbourne canberra': 527926, 'canberra adelaide': 160809, 'adelaide hobart': 32135, 'hobart brisbane': 399759, 'brisbane perth': 140304, 'perth darwin': 653282, 'darwin canberra': 226049, 'canberra aussie': 160812, 'aussie food': 103120, 'stayathome smh': 797612, 'smh news': 775676, 'news breaking': 560279, 'australia do you': 103264, 'you need home': 1020001, 'of grocery sign': 584357, 'grocery sign this': 365123, 'sign this australia': 769236, 'this australia cole': 886460, 'australia cole woolies': 103256, 'cole woolies sydney': 185892, 'woolies sydney melbourne': 1004388, 'sydney melbourne canberra': 830700, 'melbourne canberra adelaide': 527927, 'canberra adelaide hobart': 160810, 'adelaide hobart brisbane': 32136, 'hobart brisbane perth': 399760, 'brisbane perth darwin': 140305, 'perth darwin canberra': 653283, 'darwin canberra aussie': 226050, 'canberra aussie food': 160813, 'aussie food stayathome': 103121, 'food stayathome smh': 316758, 'stayathome smh news': 797613, 'smh news breaking': 775677, 'supermarket forget': 820436, 'forget covid': 329242, 'risk starving': 723901, 're not supposed': 699122, 'distancing but all': 247054, 'but all online': 145086, 'all online delivery': 43748, 'online delivery are': 608081, 'delivery are booked': 233714, 'are booked for': 85014, 'week for each': 976225, 'for each supermarket': 320909, 'each supermarket forget': 264286, 'supermarket forget covid': 820438, 'forget covid 19': 329243, '19 we risk': 11949, 'we risk starving': 973111, 'prolongation': 683620, 'latest take': 481565, 'on russia': 603239, 'russia response': 728550, 'response economic': 715676, 'consequence given': 194862, 'given such': 351112, 'such long': 816603, 'long prolongation': 501570, 'prolongation of': 683621, 'current off': 221272, 'work time': 1005873, 'and multi': 67315, 'my latest take': 548992, 'latest take for': 481566, 'take for on': 832132, 'for on russia': 324068, 'on russia response': 603242, 'russia response economic': 728551, 'response economic consequence': 715677, 'economic consequence given': 267024, 'consequence given such': 194863, 'given such long': 351113, 'such long prolongation': 816605, 'long prolongation of': 501571, 'prolongation of the': 683622, 'the current off': 852647, 'current off work': 221273, 'off work time': 594415, 'work time and': 1005874, 'time and multi': 896283, 'and multi year': 67317, 'year low oil': 1014727, 'roskill': 726131, 'increasing chinese': 433564, 'chinese raw': 177333, 'material demand': 520381, 'industry especially': 435800, 'of flake': 583576, 'flake graphite': 309980, 'graphite development': 362181, 'development project': 239838, 'project worldwide': 683556, 'worldwide graphite': 1010361, 'graphite chinese': 362179, 'supply recovers': 825751, 'recovers roskill': 705281, 'price and increasing': 672443, 'and increasing chinese': 65123, 'increasing chinese raw': 433565, 'chinese raw material': 177334, 'raw material demand': 697973, 'material demand will': 520382, 'will be good': 992480, 'the industry especially': 858171, 'industry especially for': 435801, 'especially for the': 280486, 'the large number': 858949, 'number of flake': 576942, 'of flake graphite': 583577, 'flake graphite development': 309981, 'graphite development project': 362182, 'development project worldwide': 239839, 'project worldwide graphite': 683557, 'worldwide graphite chinese': 1010362, 'graphite chinese supply': 362180, 'chinese supply recovers': 177364, 'supply recovers roskill': 825752, 'well tesco': 978640, 'tesco today': 838839, 'today first': 919523, 'age it': 37843, 'good other': 357529, 'than beer': 840388, 'wa beer': 961662, 'meat just': 525639, 'not lot': 570472, 'needed hope': 556388, 'stopped now': 805727, 'went to well': 979203, 'to well tesco': 918491, 'well tesco today': 978641, 'tesco today first': 838841, 'today first time': 919524, 'time ve been': 898178, 'supermarket in age': 820859, 'in age it': 420104, 'age it wa': 37844, 'pretty good other': 671421, 'good other than': 357530, 'other than beer': 621059, 'than beer and': 840389, 'beer and fresh': 122425, 'and fresh meat': 63299, 'fresh meat there': 333032, 'meat there wa': 525775, 'plenty of everything': 660948, 'of everything and': 583265, 'everything and there': 287690, 'there wa beer': 879230, 'wa beer and': 961663, 'beer and meat': 122429, 'and meat just': 66856, 'meat just not': 525640, 'just not lot': 469333, 'not lot we': 570475, 'lot we got': 504409, 'got what we': 359014, 'we needed hope': 972574, 'needed hope the': 556389, 'hope the craziness': 403670, 'craziness ha stopped': 215223, 'ha stopped now': 372075, 'survivalkit': 829102, 'virus survival': 958837, 'kit survivalkit': 475641, 'survivalkit toiletpaper': 829103, 'this the corona': 890517, 'corona virus survival': 204356, 'virus survival kit': 958838, 'survival kit survivalkit': 829052, 'kit survivalkit toiletpaper': 475642, 'survivalkit toiletpaper lysol': 829104, 'part please': 642410, 'sanitize coronavid19': 734178, 'coronavid19 stayhome': 205394, 'stayhome besafe': 797952, 'besafe sanitize': 127446, 'sanitize sanitizer': 734208, 'sanitizer kixies': 735265, 'kixies san': 475855, 'francisco california': 331102, 'hey friend we': 394385, 'friend we all': 333880, 'our part please': 624265, 'part please stay': 642411, 'out please sanitize': 627053, 'please sanitize coronavid19': 660439, 'sanitize coronavid19 stayhome': 734179, 'coronavid19 stayhome besafe': 205395, 'stayhome besafe sanitize': 797954, 'besafe sanitize sanitizer': 127447, 'sanitize sanitizer kixies': 734209, 'sanitizer kixies san': 735266, 'kixies san francisco': 475856, 'san francisco california': 733537, 'collide': 186662, 'when cancer': 983235, 'cancer collide': 161246, 'collide fear': 186663, 'fear resilience': 301306, 'resilience wise': 714496, 'word via': 1004613, 'via if': 956025, 'have two': 383437, 'two container': 936848, 'container of': 200547, 'sanitizer give': 734981, 'give one': 350620, 'each to': 264300, 'is gift': 448052, 'gift seattle': 350013, 'when cancer collide': 983236, 'cancer collide fear': 161247, 'collide fear resilience': 186664, 'fear resilience wise': 301307, 'resilience wise word': 714497, 'wise word via': 996707, 'word via if': 1004614, 'via if you': 956026, 'you have two': 1019135, 'have two roll': 383442, 'paper or two': 640560, 'or two container': 617557, 'two container of': 936849, 'container of hand': 200549, 'hand sanitizer give': 375419, 'sanitizer give one': 734982, 'give one of': 350621, 'of each to': 582907, 'each to someone': 264304, 'someone who need': 784764, 'them more today': 876035, 'more today is': 540806, 'today is gift': 919720, 'is gift seattle': 448053, 'dorabjees': 255887, 'dorabjees supermarket': 255888, 'supermarket update': 823618, 'update camp': 946892, 'camp branch': 157170, 'branch closed': 137670, 'notice other': 573333, 'other branch': 619902, 'branch operational': 137692, 'dorabjees supermarket update': 255889, 'supermarket update camp': 823619, 'update camp branch': 946893, 'camp branch closed': 157171, 'branch closed until': 137671, 'further notice other': 342111, 'notice other branch': 573334, 'other branch operational': 619903, 'fund director': 341386, 'director said': 243666, 'facing two': 295642, 'two serious': 937201, 'threat and': 893637, 'statement from the': 796179, 'from the fund': 337716, 'the fund director': 856039, 'fund director said': 341387, 'director said the': 243667, 'said the economy': 731429, 'is facing two': 447704, 'facing two serious': 295643, 'two serious threat': 937202, 'serious threat and': 751497, 'threat and the': 893640, 'and the sharp': 73578, 'the sharp fall': 866801, 'how trade': 409109, 'trade relation': 928562, 'relation might': 708668, 'where medicine': 985025, 'get tied': 348452, 'tied up': 895761, 'and threat': 74066, 'threat not': 893681, 'how lifting': 408168, 'lifting the': 489504, 'the ban': 849224, 'india country': 434366, 'asian bloc': 95255, 'is how trade': 448602, 'how trade relation': 409110, 'trade relation might': 928563, 'relation might look': 708669, 'might look in': 531072, 'look in post': 502419, '19 world where': 12195, 'world where medicine': 1010170, 'where medicine food': 985026, 'medicine food get': 526780, 'food get tied': 314653, 'get tied up': 348453, 'tied up with': 895763, 'up with national': 946665, 'with national security': 999678, 'national security and': 552612, 'security and threat': 744544, 'and threat not': 74067, 'threat not sure': 893682, 'sure how lifting': 827573, 'how lifting the': 408169, 'lifting the ban': 489505, 'the ban will': 849227, 'ban will affect': 109293, 'affect the stock': 34254, 'stock of medicine': 802531, 'of medicine in': 586414, 'medicine in india': 526816, 'in india country': 424029, 'india country in': 434367, 'country in south': 210780, 'in south asian': 428127, 'south asian bloc': 786687, 'bangani': 109468, 'ngicela': 561823, 'niyeke': 563401, 'can contract': 157984, 'contract through': 201710, 'through contact': 894387, 'with contaminated': 997771, 'contaminated surface': 200672, 'surface object': 828051, 'object or': 578412, 'or item': 615852, 'personal use': 652989, 'use bangani': 949064, 'bangani ngicela': 109469, 'ngicela niyeke': 561824, 'niyeke online': 563402, 'shopping especially': 762577, 'especially from': 280490, 'amp europe': 53750, 'europe amp': 283392, 'you can contract': 1017652, 'can contract through': 157986, 'contract through contact': 201711, 'through contact with': 894388, 'contact with contaminated': 200269, 'with contaminated surface': 997772, 'contaminated surface object': 200673, 'surface object or': 828052, 'object or item': 578413, 'or item of': 615853, 'item of personal': 463494, 'of personal use': 588065, 'personal use bangani': 652990, 'use bangani ngicela': 949065, 'bangani ngicela niyeke': 109470, 'ngicela niyeke online': 561825, 'niyeke online shopping': 563403, 'online shopping especially': 609111, 'shopping especially from': 762578, 'especially from china': 280491, 'from china amp': 334848, 'china amp europe': 176470, 'amp europe amp': 53751, 'europe amp the': 283393, 'amp the like': 54659, 'cease': 168711, 'desist': 238436, 'ag james': 36803, 'james discus': 464396, 'discus combatting': 244833, 'combatting price': 187084, 'saying close': 739569, '00 business': 92, 'issued cease': 456047, 'cease and': 168712, 'and desist': 61254, 'desist letter': 238437, 'ny ag james': 577832, 'ag james discus': 36804, 'james discus combatting': 464397, 'discus combatting price': 244834, 'combatting price gouging': 187085, '19 pandemic saying': 9454, 'pandemic saying close': 636399, 'saying close to': 739570, 'close to 00': 182879, 'to 00 business': 899409, '00 business have': 93, 'business have been': 143823, 'have been issued': 379587, 'been issued cease': 121415, 'issued cease and': 456048, 'cease and desist': 168713, 'and desist letter': 61255, 'desist letter for': 238438, 'letter for selling': 487312, 'selling hand sanitizers': 749288, 'sanitizers and basic': 736193, 'essential like toilet': 281288, 'paper at exorbitant': 639894, 'only look': 610742, 'the shoe': 866970, 'shoe and': 759654, 'and clothes': 60015, 'clothes suit': 184212, 'suit shoe': 817786, 'closet socialdistanacing': 183553, 'why have been': 991052, 'have been online': 379624, 'shopping to only': 764186, 'to only look': 910974, 'only look at': 610743, 'at the shoe': 101095, 'the shoe and': 866971, 'shoe and clothes': 759655, 'and clothes suit': 60016, 'clothes suit shoe': 184213, 'suit shoe in': 817787, 'shoe in my': 759674, 'in my closet': 425552, 'my closet socialdistanacing': 547710, 'bare in': 110908, 'neighborhood and': 557101, 'up town': 946475, 'town expect': 927458, 'jump worldhealthday': 467911, 'sure your neighbor': 827885, 'your neighbor have': 1024956, 'neighbor have hand': 557028, 'sanitizer if the': 735117, 'if the shelf': 415028, 'are bare in': 84772, 'bare in your': 110909, 'your neighborhood and': 1024966, 'neighborhood and up': 557103, 'and up town': 74732, 'up town expect': 946476, 'town expect your': 927459, 'expect your coronavirus': 290789, 'your coronavirus case': 1023347, 'coronavirus case to': 205624, 'case to jump': 166074, 'to jump worldhealthday': 908708, 'calculates': 155317, 'website calculates': 975229, 'calculates it': 155318, 'know toiletpaper': 476912, 'paper do you': 640100, 'do you actually': 250611, 'need this website': 555826, 'this website calculates': 891170, 'website calculates it': 975230, 'calculates it and': 155319, 'it and let': 456501, 'and let you': 66118, 'you know toiletpaper': 1019533, 'subramani': 815842, 'regular market': 707808, 'are then': 90947, 'customer said': 222792, 'said subramani': 731377, 'subramani farmer': 815843, 'since many farmer': 770717, 'farmer are afraid': 299269, 'afraid to reach': 35024, 'reach the regular': 699989, 'the regular market': 865446, 'regular market the': 707809, 'market the local': 517189, 'the local vendor': 859578, 'local vendor are': 498675, 'vendor are taking': 954346, 'advantage of it': 33011, 'of it they': 585456, 'it they are': 461625, 'they are then': 881431, 'are then selling': 90949, 'then selling the': 877515, 'selling the vegetable': 749482, 'the vegetable at': 870672, 'vegetable at higher': 953941, 'at higher cost': 98897, 'higher cost to': 395562, 'cost to the': 208143, 'the customer said': 852730, 'customer said subramani': 222793, 'said subramani farmer': 731378, 'populationcontrol': 664758, 'plant hemp': 658659, 'hemp free': 391703, 'the god': 856398, 'god given': 354710, 'given plant': 351077, 'from oppression': 336706, 'oppression of': 613840, 'of petrochemical': 588073, 'petrochemical company': 653676, 'that lobby': 844919, 'lobby the': 497584, 'politician to': 663751, 'way toiletpaper': 970122, 'toiletpaper bioweapon': 921812, 'bioweapon 2019ncov': 131300, '2019ncov populationcontrol': 14062, 'ever it time': 285379, 'time to plant': 898026, 'to plant hemp': 911779, 'plant hemp free': 658660, 'hemp free the': 391704, 'free the god': 332216, 'the god given': 856400, 'god given plant': 354711, 'given plant from': 351078, 'plant from oppression': 658654, 'from oppression of': 336707, 'oppression of petrochemical': 613841, 'of petrochemical company': 588074, 'petrochemical company and': 653677, 'company and many': 190385, 'others that lobby': 621698, 'that lobby the': 844920, 'lobby the corrupt': 497585, 'the corrupt politician': 851975, 'corrupt politician to': 207668, 'politician to keep': 663752, 'that way toiletpaper': 847352, 'way toiletpaper bioweapon': 970123, 'toiletpaper bioweapon 2019ncov': 921813, 'bioweapon 2019ncov populationcontrol': 131301, 'structured': 814316, 'backyard': 107625, 'great buy': 362559, 'kid staying': 474121, 'home re': 401943, 're have': 698784, 'so value': 778620, 'value factor': 952118, 'day extra': 227591, 'extra fun': 293529, 'thing amongst': 884114, 'amongst doing': 53128, 'more structured': 540484, 'structured activity': 814317, 'activity yoga': 30548, 'yoga outside': 1016489, 'outside play': 629533, 'in backyard': 420655, 'backyard also': 107626, 'also essential': 48169, 'is great buy': 448191, 'great buy for': 362560, 'buy for kid': 148696, 'for kid staying': 322845, 'kid staying at': 474122, 'at home re': 99089, 'home re have': 401944, 're have two': 698785, 'have two child': 383439, 'two child so': 936831, 'child so value': 176206, 'so value factor': 778621, 'value factor in': 952119, 'factor in each': 295885, 'in each day': 422438, 'each day extra': 264043, 'day extra fun': 227592, 'extra fun thing': 293530, 'fun thing amongst': 341226, 'thing amongst doing': 884115, 'amongst doing more': 53129, 'doing more structured': 252533, 'more structured activity': 540485, 'structured activity yoga': 814319, 'activity yoga outside': 30549, 'yoga outside play': 1016490, 'outside play in': 629534, 'play in backyard': 659170, 'in backyard also': 420656, 'backyard also essential': 107627, 'woolies farmer': 1004373, 'farmer exploit': 299365, 'exploit nation': 292345, 'nation mini': 552256, 'mini cauliflower': 532999, 'cauliflower for': 167481, 'cole woolies farmer': 185891, 'woolies farmer exploit': 1004374, 'farmer exploit nation': 299366, 'exploit nation mini': 292346, 'nation mini cauliflower': 552257, 'mini cauliflower for': 533000, 'cauliflower for lettuce': 167482, 'australia are': 103226, 'in unsafe': 430451, 'unsafe condition': 943384, 'condition risking': 193518, 'risking of': 724084, 'contracting without': 201793, 'without extra': 1002628, 'extra benefit': 293453, 'benefit supermarket': 127089, 'greece are': 363339, 'worker million': 1007387, 'in bonus': 420903, 'same job': 733136, 'worker in australia': 1007164, 'in australia are': 420596, 'australia are working': 103229, 'working in unsafe': 1008737, 'in unsafe condition': 430452, 'unsafe condition risking': 943385, 'condition risking of': 193519, 'risking of contracting': 724085, 'of contracting without': 581837, 'contracting without extra': 201794, 'without extra benefit': 1002629, 'extra benefit supermarket': 293455, 'benefit supermarket chain': 127090, 'chain in greece': 170806, 'in greece are': 423422, 'greece are paying': 363340, 'are paying their': 89013, 'paying their worker': 645504, 'their worker million': 875217, 'worker million of': 1007388, 'million of in': 532270, 'of in bonus': 585021, 'in bonus for': 420905, 'bonus for doing': 134372, 'for doing the': 320804, 'the same job': 866249, 'your know': 1024582, 'practise safe': 668771, 'on busy': 599746, 'busy yqg': 145022, 'yqg 19': 1026990, 'when your know': 984632, 'your know how': 1024583, 'how to practise': 409054, 'to practise safe': 911972, 'practise safe social': 668772, 'store on busy': 809188, 'on busy yqg': 599747, 'busy yqg 19': 145023, 'anlaby': 76762, 'sat on': 736906, 'park morrison': 641947, 'supermarket anlaby': 819112, 'anlaby because': 76763, 'group yvonne': 366983, 'yvonne is': 1027136, 'shopping normally': 763345, 'had laugh': 373227, 'laugh about': 481700, 'her not': 392233, 'knowing where': 477155, 'spend her': 788611, 'sat on car': 736907, 'on car park': 599820, 'car park morrison': 163228, 'park morrison supermarket': 641948, 'morrison supermarket anlaby': 541758, 'supermarket anlaby because': 819113, 'anlaby because in': 76764, 'because in covid': 119159, '19 vulnerable group': 11858, 'vulnerable group yvonne': 960990, 'group yvonne is': 366984, 'yvonne is doing': 1027137, 'the shopping normally': 867068, 'shopping normally do': 763346, 'normally do we': 567495, 'do we had': 250474, 'we had laugh': 971710, 'had laugh about': 373228, 'laugh about how': 481701, 'long it would': 501471, 'it would take': 462608, 'would take her': 1012309, 'take her not': 832173, 'her not knowing': 392235, 'not knowing where': 570318, 'knowing where everything': 477156, 'everything is what': 287891, 'is what way': 453902, 'what way for': 982536, 'way for her': 969584, 'her to spend': 392472, 'to spend her': 914990, 'spend her day': 788612, 'her day off': 391990, 'canada fight': 160430, 'distillery across canada': 247722, 'across canada fight': 29287, 'canada fight covid': 160431, '19 by making': 5564, 'by making hand': 153141, 'marol': 517981, 'udhavthackeray': 937905, 'in marol': 425151, 'marol today': 517982, 'the billing': 849700, 'billing counter': 130757, 'counter were': 210276, 'using sanitizers': 950634, 'sanitizers they': 736414, 'day amidst': 227246, 'amidst many': 52807, 'customer around': 222135, 'around udhavthackeray': 93611, 'udhavthackeray 19': 937906, 'supermarket in marol': 820929, 'in marol today': 425152, 'marol today and': 517983, 'at the billing': 100892, 'the billing counter': 849701, 'billing counter were': 130758, 'counter were not': 210277, 'were not wearing': 979926, 'wearing mask not': 974704, 'mask not using': 519024, 'not using sanitizers': 572378, 'using sanitizers they': 950635, 'sanitizers they were': 736415, 'were working like': 980357, 'working like normal': 1008758, 'normal day amidst': 567128, 'day amidst many': 227247, 'amidst many customer': 52808, 'many customer around': 513972, 'customer around udhavthackeray': 222136, 'around udhavthackeray 19': 93612, 'div': 248463, 'actually considering': 30764, 'considering wearing': 195438, 'co not': 184894, 'those selfish': 892434, 'selfish kers': 748160, 'kers that': 473148, 'it frightening': 458143, 'frightening do': 334057, 'wanna look': 965651, 'look div': 502332, 'div but': 248464, 'maybe have': 521695, 'have coronacrisis': 380115, 'actually considering wearing': 30765, 'considering wearing glove': 195439, 'and mask today': 66768, 'mask today have': 519434, 'my family co': 548191, 'family co not': 297709, 'co not one': 184895, 'of those selfish': 592113, 'those selfish kers': 892437, 'selfish kers that': 748161, 'kers that are': 473149, 'that are panic': 842796, 'buying and in': 149915, 'risk group it': 723593, 'group it frightening': 366748, 'it frightening do': 458144, 'frightening do not': 334058, 'not wanna look': 572432, 'wanna look div': 965652, 'look div but': 502333, 'div but maybe': 248465, 'but maybe have': 146375, 'maybe have coronacrisis': 521696, 'excludes': 289631, 'breaking mcconnell': 138989, 'mcconnell proposal': 522121, 'coronavirus income': 206125, 'income relief': 432446, 'relief excludes': 709325, 'excludes low': 289632, 'breaking mcconnell proposal': 138990, 'mcconnell proposal for': 522122, 'proposal for coronavirus': 684458, 'for coronavirus income': 320383, 'coronavirus income relief': 206126, 'income relief excludes': 432447, 'relief excludes low': 709326, 'excludes low income': 289633, 'and orgs': 68273, 'orgs to': 619509, 'for leadership': 322914, 'on remote': 603142, 'remote voting': 710736, 'proud to stand': 686062, 'stand with such': 793611, 'with such an': 1001034, 'individual and orgs': 435132, 'and orgs to': 68274, 'orgs to ask': 619511, 'ask the for': 95633, 'the for leadership': 855669, 'for leadership on': 322917, 'leadership on remote': 483639, 'on remote voting': 603143, 'remote voting we': 710737, 'health or the': 386715, 'or the health': 617376, 'really empty': 702156, 'fed panic': 301865, 'been curbed': 120909, 'curbed in': 220596, 'store are really': 806511, 'are really empty': 89475, 'really empty so': 702157, 'empty so much': 275129, 'the nation will': 861276, 'be fed panic': 114815, 'fed panic buying': 301866, 'buying should have': 151027, 'have been curbed': 379499, 'been curbed in': 120910, 'curbed in the': 220597, 'the early day': 853819, 'early day not': 264576, 'day not now': 228027, 'not now panicbuying': 570708, 'lilburn': 492226, 'wearadamnmask': 974512, 'in gwinnett': 423488, 'gwinnett are': 369287, 'in lilburn': 424731, 'lilburn without': 492227, 'glove even': 352670, 'mask wearadamnmask': 519520, 'dying and folk': 263780, 'and folk in': 63007, 'folk in gwinnett': 312192, 'in gwinnett are': 423489, 'gwinnett are shopping': 369288, 'are shopping yesterday': 90066, 'shopping yesterday in': 764481, 'yesterday in lilburn': 1015776, 'in lilburn without': 424732, 'lilburn without mask': 492228, 'and glove even': 63717, 'glove even the': 352671, 'even the employee': 284654, 'are not wearing': 88496, 'wearing mask wearadamnmask': 974724, 'driving people': 259990, 'is unethical': 453482, 'wrote about why': 1013187, 'about why is': 26933, 'why is driving': 991099, 'is driving people': 447387, 'driving people to': 259991, 'people to stockpile': 649947, 'paper and water': 639863, 'water and whether': 968891, 'and whether or': 75547, 'or not doing': 616293, 'not doing so': 569089, 'doing so is': 252655, 'so is unethical': 777446, 'surprising that': 828636, 'disease situation': 245226, 'situation more': 772387, 'people turned': 650034, 'online thus': 609574, 'can stimulate': 159801, 'stimulate ecommerce': 801482, 'consumer avoid': 196367, 'avoid visiting': 105383, 'visiting place': 959545, 'shop mall': 760440, 'is not surprising': 450196, 'not surprising that': 571867, 'surprising that in': 828638, 'this pandemic of': 889410, 'pandemic of disease': 636070, 'of disease situation': 582674, 'disease situation more': 245227, 'situation more and': 772388, 'more people turned': 540047, 'people turned to': 650035, 'turned to shop': 935889, 'shop online thus': 760589, 'online thus the': 609575, 'thus the covid': 895536, '19 virus can': 11788, 'virus can stimulate': 958036, 'can stimulate ecommerce': 159802, 'stimulate ecommerce consumer': 801483, 'ecommerce consumer avoid': 266739, 'consumer avoid visiting': 196370, 'avoid visiting place': 105384, 'visiting place like': 959546, 'place like shop': 657556, 'like shop mall': 491175, 'shop mall and': 760441, 'helped drive': 391067, 'drive australia': 258992, 'australia interest': 103307, 'low it': 505363, 'wa cut': 961918, 'history could': 398018, 'could australia': 208828, 'rate hit': 697251, 'hit negative': 398337, 'negative per': 556812, 'cent what': 169136, 'negative interest': 556797, 'ha helped drive': 370853, 'helped drive australia': 391068, 'drive australia interest': 258993, 'australia interest to': 103309, 'interest to record': 441418, 'record low it': 705013, 'low it wa': 505365, 'it wa cut': 462097, 'wa cut to': 961919, 'cut to 25': 223595, 'lowest in history': 506176, 'in history could': 423751, 'history could australia': 398019, 'could australia interest': 208829, 'australia interest rate': 103308, 'interest rate hit': 441392, 'rate hit negative': 697252, 'hit negative per': 398338, 'negative per cent': 556813, 'per cent what': 650762, 'cent what happens': 169137, 'happens in world': 377483, 'in world of': 430985, 'world of negative': 1009854, 'of negative interest': 586928, 'negative interest rate': 556798, 'interest rate more': 441398, 'blumhouse': 133521, 'blum': 133518, 'somethings': 785169, 'blumhouse production': 133522, 'production said': 682203, 'movie business': 543995, 'look entirely': 502341, 'different after': 241885, 'the blum': 849801, 'blum stated': 133519, 'stated there': 796144, 'get use': 348576, 'home somethings': 402100, 'somethings got': 785170, 'give post': 350652, 'post corona': 666060, 'corona source': 204185, 'source the': 786556, 'daily wire': 224896, 'blumhouse production said': 133523, 'production said the': 682204, 'said the movie': 731444, 'the movie business': 861102, 'movie business will': 543996, 'business will look': 144685, 'will look entirely': 994038, 'look entirely different': 502342, 'entirely different after': 278787, 'different after the': 241887, 'after the blum': 36288, 'the blum stated': 849802, 'blum stated there': 133520, 'stated there going': 796145, 'be shift the': 117135, 'shift the consumer': 758414, 'consumer is going': 197935, 'to get use': 906636, 'get use to': 348577, 'use to staying': 949762, 'to staying home': 915351, 'staying home somethings': 798621, 'home somethings got': 402101, 'somethings got to': 785171, 'got to give': 358956, 'to give post': 906703, 'give post corona': 350653, 'post corona source': 666062, 'corona source the': 204187, 'source the daily': 786558, 'the daily wire': 852788, 'asianshares': 95386, 'bolstered': 134150, 'asianshares rose': 95387, 'nearing peak': 553742, 'government would': 360829, 'would roll': 1012200, 'more stimulus': 540466, 'measure while': 525429, 'while expectation': 986810, 'agreement bolstered': 38772, 'bolstered crude': 134151, 'asianshares rose on': 95388, 'thursday on hope': 895409, 'on hope the': 601363, 'hope the covid': 403669, 'pandemic is nearing': 635784, 'is nearing peak': 449836, 'nearing peak and': 553743, 'peak and that': 646048, 'and that government': 73190, 'that government would': 844063, 'government would roll': 360831, 'would roll out': 1012201, 'roll out more': 725451, 'out more stimulus': 626577, 'more stimulus measure': 540467, 'stimulus measure while': 801564, 'measure while expectation': 525430, 'while expectation of': 986811, 'expectation of an': 290831, 'of an oil': 580126, 'an oil production': 56579, 'cut agreement bolstered': 223221, 'agreement bolstered crude': 38773, 'bolstered crude price': 134152, 'crude price opec': 219595, 'crip': 216927, '1017challenge': 2237, 'worldstarhiphop': 1010285, 'kushupchallenge': 477977, 'newmusic': 560131, 'thursdayvibes': 895491, 'young chop': 1022578, 'chop press': 177957, 'press crip': 671043, 'crip about': 216928, 'about pop': 25959, 'pop smoke': 664463, 'smoke at': 775857, 'almost arrested': 46554, 'arrested via': 93880, 'via 1017challenge': 955774, '1017challenge worldstarhiphop': 2238, 'worldstarhiphop kroger': 1010286, 'kroger kushupchallenge': 477753, 'kushupchallenge celebrity': 477978, 'celebrity quaratinelife': 168897, 'quaratinelife newmusic': 693135, 'newmusic pandemic': 560132, 'pandemic thursdayvibes': 636765, 'thursdayvibes musicindustry': 895492, 'musicindustry stayhome': 546390, 'stayhome tbt': 798198, 'young chop press': 1022579, 'chop press crip': 177958, 'press crip about': 671044, 'crip about pop': 216929, 'about pop smoke': 25960, 'pop smoke at': 664464, 'smoke at supermarket': 775858, 'at supermarket almost': 100697, 'supermarket almost arrested': 818884, 'almost arrested via': 46556, 'arrested via 1017challenge': 93881, 'via 1017challenge worldstarhiphop': 955775, '1017challenge worldstarhiphop kroger': 2239, 'worldstarhiphop kroger kushupchallenge': 1010287, 'kroger kushupchallenge celebrity': 477754, 'kushupchallenge celebrity quaratinelife': 477979, 'celebrity quaratinelife newmusic': 168898, 'quaratinelife newmusic pandemic': 693136, 'newmusic pandemic thursdayvibes': 560133, 'pandemic thursdayvibes musicindustry': 636766, 'thursdayvibes musicindustry stayhome': 895493, 'musicindustry stayhome tbt': 546391, 'goverened': 359746, 'scoundrel': 742503, 'accountable': 28803, 'local postal': 498291, 'they run': 883228, 'just help': 468964, 'being goverened': 125188, 'goverened by': 359747, 'by greedy': 152727, 'greedy murderous': 363552, 'murderous scoundrel': 546184, 'scoundrel we': 742504, 'them accountable': 875314, 'accountable but': 28804, 'but right': 146941, 'other trumpdemic': 621147, 'sanitizer for my': 734914, 'my local postal': 549132, 'local postal worker': 498292, 'postal worker today': 666484, 'worker today they': 1008028, 'today they run': 920324, 'they run out': 883230, 'out just help': 626465, 'just help people': 468965, 'help people we': 390312, 'are being goverened': 84865, 'being goverened by': 125189, 'goverened by greedy': 359748, 'by greedy murderous': 152730, 'greedy murderous scoundrel': 363553, 'murderous scoundrel we': 546185, 'scoundrel we will': 742505, 'we will hold': 973870, 'will hold them': 993753, 'hold them accountable': 400030, 'them accountable but': 875315, 'accountable but right': 28805, 'but right now': 146942, 'each other trumpdemic': 264228, 'stopcoronavirus': 805326, 'effective way': 269330, 'the stopcoronavirus': 867961, 'stopcoronavirus stayhomestaysafe': 805327, 'sanitizer is one': 735201, 'most effective way': 542286, 'effective way to': 269331, 'from the stopcoronavirus': 337889, 'the stopcoronavirus stayhomestaysafe': 867962, 'coronavirus new': 206312, 'time major': 897177, 'curb panic': 220567, 'coronavirus new supermarket': 206314, 'opening time major': 612927, 'time major supermarket': 897178, 'major supermarket have': 509490, 'supermarket have changed': 820680, 'changed their opening': 172577, 'hour and rule': 405416, 'and rule in': 70627, 'rule in response': 727268, 'outbreak in an': 628335, 'to curb panic': 903803, 'curb panic buying': 220569, 'buying 19 via': 149837, 'mythical': 551070, 'roadie': 724555, 'randomrapha': 696661, 'the mythical': 861180, 'mythical roadie': 551071, 'roadie not': 724556, 'not average': 568310, 'average collection': 104815, 'collection are': 186404, 'available special': 104595, 'every merch': 286006, 'merch sold': 528963, 'sold proceeds': 781764, 'go towards': 354397, 'towards relief': 927237, 'people organization': 649007, 'organization affected': 619333, 'support today': 826959, 'today randomrapha': 920093, 'the mythical roadie': 861181, 'mythical roadie not': 551072, 'roadie not average': 724557, 'not average collection': 568311, 'average collection are': 104816, 'collection are available': 186405, 'are available special': 84716, 'available special price': 104596, 'special price but': 788028, 'price but for': 672976, 'but for limited': 145746, 'limited time for': 492755, 'for every merch': 321170, 'every merch sold': 286007, 'merch sold proceeds': 528964, 'sold proceeds will': 781765, 'proceeds will go': 679867, 'will go towards': 993561, 'go towards relief': 354398, 'towards relief fund': 927238, 'fund for people': 341407, 'for people organization': 324457, 'people organization affected': 649008, 'organization affected by': 619334, '19 order yours': 9036, 'order yours to': 618809, 'yours to support': 1026481, 'to support today': 915982, 'support today randomrapha': 826961, 'despicable of': 238638, 'to rack': 912707, 'you dealing': 1018155, 'with profiteering': 1000338, 'pretty despicable of': 671393, 'despicable of market': 238639, 'of market to': 586239, 'market to rack': 517241, 'to rack up': 912708, 'rack up price': 695358, 'price during time': 673637, 'council how you': 209991, 'how you dealing': 409278, 'you dealing with': 1018156, 'dealing with profiteering': 229684, 'via stock': 956259, 'slump reach': 774701, 'reach all': 699891, 'via stock and': 956260, 'price slump reach': 676493, 'slump reach all': 774702, 'reach all 50': 699892, 'all 50 state': 41907, 'deducting': 231789, 'basket daily': 112325, 'daily ha': 224628, 'ha invented': 370993, 'invented it': 443619, 'and deducting': 61040, 'deducting the': 231790, 'non delivered': 566320, 'delivered item': 233350, 'item big': 463160, 'difference com': 241827, 'com consumer': 186927, 'big basket daily': 129636, 'basket daily ha': 112326, 'daily ha invented': 224629, 'ha invented it': 370994, 'invented it own': 443620, 'it own way': 460228, 'own way to': 632300, '19 not delivering': 8828, 'not delivering the': 568989, 'delivering the daily': 233548, 'the daily essential': 852778, 'daily essential item': 224601, 'item and deducting': 463052, 'and deducting the': 61041, 'deducting the money': 231791, 'the money for': 860811, 'money for non': 536754, 'for non delivered': 323898, 'non delivered item': 566321, 'delivered item big': 233351, 'item big basket': 463161, 'big basket is': 129637, 'basket is making': 112361, 'making the difference': 511413, 'the difference com': 853259, 'difference com consumer': 241828, 'accessing food': 28358, 'time fortunately': 896785, 'fortunately organization': 329915, 'too they': 925116, 'for volunteer': 327590, 'accessing food can': 28359, 'food can be': 313867, 'can be challenge': 157600, 'be challenge for': 114045, 'challenge for senior': 171466, 'this time fortunately': 890638, 'time fortunately organization': 896786, 'fortunately organization like': 329916, 'organization like are': 619397, 'like are there': 489832, 'there to help': 879186, 'to help but': 907469, 'help but they': 389454, 'help too they': 390812, 'too they are': 925117, 'looking for volunteer': 502913, 'for volunteer to': 327592, 'volunteer to meet': 960356, 'supply be': 824837, 'you recognize': 1020863, 'recognize frontline': 704633, 'buy supply be': 149263, 'supply be sure': 824838, 'thank you recognize': 841805, 'you recognize frontline': 1020864, 'recognize frontline retail': 704634, 'upstatement': 947875, 'saturday supermarket': 737062, 'run guess': 727659, 'guess hoarding': 367983, 'dry pasta': 261293, 'now sure': 575948, 'sure someone': 827678, 'someone tracking': 784724, 'tracking grocery': 928335, 'pattern upstatement': 644520, 'saturday supermarket run': 737063, 'supermarket run guess': 822273, 'run guess hoarding': 727660, 'guess hoarding panic': 367984, 'hoarding panic buying': 399472, 'buying ha moved': 150445, 'ha moved on': 371302, 'on to dry': 604733, 'to dry pasta': 904791, 'dry pasta now': 261295, 'pasta now sure': 643768, 'now sure someone': 575949, 'sure someone tracking': 827679, 'someone tracking grocery': 784725, 'tracking grocery shopping': 928336, 'grocery shopping pattern': 365065, 'shopping pattern upstatement': 763610, 'consultwithtsb': 195913, 'tsb': 934921, 'sneak peak': 776190, 'peak into': 646083, 'research methodology': 713786, 'methodology we': 529811, 'on uae': 604942, 'economy backbone': 267685, 'backbone drop': 107501, 'drop message': 260302, 'more consultwithtsb': 538868, 'consultwithtsb tsb': 195914, 'tsb consulting': 934922, 'consulting research': 195906, 'research uae': 713877, 'sneak peak into': 776191, 'peak into our': 646084, 'into our research': 442826, 'our research methodology': 624604, 'research methodology we': 713787, 'methodology we focus': 529812, 'focus on uae': 311904, 'on uae oil': 604943, 'uae oil and': 937769, 'gas industry the': 343879, 'industry the sector': 436153, 'the sector is': 866618, 'sector is the': 744254, 'is the economy': 452781, 'the economy backbone': 853938, 'economy backbone drop': 267686, 'backbone drop message': 107502, 'drop message to': 260303, 'message to know': 529454, 'know more consultwithtsb': 476603, 'more consultwithtsb tsb': 538869, 'consultwithtsb tsb consulting': 195915, 'tsb consulting research': 934923, 'consulting research uae': 195907, '19 hardship': 7435, 'hardship clause': 378281, 'clause consumer': 180406, 'in lautoka': 424625, 'lautoka on': 482170, 'be rest': 116840, 'act 199': 29576, '199 may': 12468, 'may assist': 520934, 'assist them': 96645, 'situation such': 772494, 'such for': 816503, 'loan or': 497488, 'or hire': 615645, 'purchase repayment': 689647, 'repayment if': 711490, 'any situation': 79818, 'covid 19 hardship': 213186, '19 hardship clause': 7436, 'hardship clause consumer': 378282, 'clause consumer in': 180407, 'consumer in lautoka': 197827, 'in lautoka on': 424626, 'lautoka on covid': 482171, 'lock down can': 499025, 'down can be': 256615, 'can be rest': 157678, 'be rest assured': 116841, 'credit act 199': 216294, 'act 199 may': 29577, '199 may assist': 12469, 'may assist them': 520935, 'assist them in': 96646, 'them in situation': 875913, 'in situation such': 427988, 'situation such for': 772495, 'such for loan': 816504, 'for loan or': 323039, 'loan or hire': 497489, 'or hire purchase': 615646, 'hire purchase repayment': 397025, 'purchase repayment if': 689648, 'repayment if they': 711491, 'from work or': 338416, 'work or any': 1005556, 'or any situation': 614362, 'any situation arising': 79819, 'situation arising from': 772200, 'from the lock': 337779, 'fathom': 300337, 'bridgecard': 139627, 'hear bring': 387889, 'bring up': 140112, 'up fact': 944833, 'that snap': 846349, 'snap cannot': 776085, 'shopping disabled': 762484, 'person cannot': 652348, 'cannot fathom': 161819, 'fathom how': 300338, 'use bridgecard': 949083, 'bridgecard on': 139628, 'purchase during': 689432, 'good to hear': 357884, 'to hear bring': 907399, 'hear bring up': 387890, 'bring up fact': 140113, 'up fact that': 944834, 'fact that snap': 295810, 'that snap cannot': 846350, 'snap cannot be': 776086, 'cannot be used': 161653, 'online shopping disabled': 609092, 'shopping disabled person': 762485, 'disabled person cannot': 243947, 'person cannot fathom': 652349, 'cannot fathom how': 161820, 'fathom how much': 300339, 'much ve had': 545420, 'to spend not': 914996, 'spend not being': 788652, 'able to use': 24565, 'to use bridgecard': 918006, 'use bridgecard on': 949084, 'bridgecard on food': 139629, 'on food purchase': 600900, 'food purchase during': 316081, 'purchase during pandemic': 689433, 'bibleverse': 129436, 'mean seriously': 524637, 'seriously how': 751628, 'we interpret': 972081, 'interpret this': 442089, 'this wisconsin': 891453, 'wisconsin toiletpaper': 996637, 'quarantine donaldtrump': 692158, 'donaldtrump flattenthecurve': 254127, 'flattenthecurve cabinfever': 310156, 'cabinfever bibleverse': 155006, 'bibleverse stem': 129437, 'stem bible': 799460, 'bible apocalypse': 129431, 'apocalypse revelation': 81560, 'revelation weather': 720364, 'weather hail': 974873, 'mean seriously how': 524638, 'seriously how should': 751629, 'should we interpret': 766647, 'we interpret this': 972082, 'interpret this wisconsin': 442090, 'this wisconsin toiletpaper': 891454, 'wisconsin toiletpaper quarantine': 996638, 'toiletpaper quarantine donaldtrump': 922372, 'quarantine donaldtrump flattenthecurve': 692159, 'donaldtrump flattenthecurve cabinfever': 254128, 'flattenthecurve cabinfever bibleverse': 310157, 'cabinfever bibleverse stem': 155007, 'bibleverse stem bible': 129438, 'stem bible apocalypse': 799461, 'bible apocalypse revelation': 129432, 'apocalypse revelation weather': 81561, 'revelation weather hail': 720365, 'elan': 270484, 'deplete': 237404, 'wth are': 1013358, 'toiletpaper why': 922849, 'paper need': 640486, 'need elan': 554732, 'elan extra': 270485, 'two sure': 937251, 'but deplete': 145524, 'deplete the': 237405, 'nation supply': 552324, 'charmin just': 173796, 'it tp': 461829, 'wth are people': 1013359, 'are people doing': 89028, 'the toiletpaper why': 869739, 'toiletpaper why is': 922851, 'is there no': 453019, 'toilet paper need': 921364, 'paper need elan': 640487, 'need elan extra': 554733, 'elan extra roll': 270486, 'extra roll or': 293627, 'roll or two': 725443, 'or two sure': 617574, 'two sure but': 937252, 'sure but deplete': 827509, 'but deplete the': 145525, 'deplete the entire': 237406, 'entire nation supply': 278705, 'nation supply of': 552325, 'supply of charmin': 825615, 'of charmin just': 581296, 'charmin just don': 173797, 'get it tp': 347434, 'fischerjordan': 309282, 'coronavirus roundup': 206689, 'roundup critical': 726418, 'trend insight': 931373, 'for banking': 319576, 'banking banking': 110416, 'banking trend': 110466, 'trend strategy': 931455, 'analytics technology': 57240, 'technology fischerjordan': 836298, 'coronavirus roundup critical': 206690, 'roundup critical consumer': 726419, 'critical consumer trend': 218535, 'consumer trend insight': 199378, 'trend insight for': 931374, 'insight for banking': 439536, 'for banking banking': 319577, 'banking banking trend': 110417, 'banking trend strategy': 110467, 'trend strategy analytics': 931456, 'strategy analytics technology': 812603, 'analytics technology fischerjordan': 57241, 'meetthepress': 527811, '19 pete': 9668, 'pete all': 653510, 'buy needed': 148989, 'open market': 612376, 'get price': 347839, 'price gouged': 674236, 'gouged you': 359206, 'won lead': 1003859, 'more hoarding': 539440, 'of material': 586299, 'material and': 520363, 'gouging one': 359410, 'kill that': 474506, 'that idea': 844406, 'idea meetthepress': 413121, '19 pete all': 9669, 'pete all state': 653511, 'state should buy': 795933, 'should buy needed': 765805, 'buy needed supply': 148990, 'needed supply on': 556508, 'on the open': 604262, 'the open market': 862382, 'open market and': 612377, 'market and get': 515967, 'and get price': 63596, 'get price gouged': 347840, 'price gouged you': 674238, 'gouged you think': 359207, 'think this won': 885709, 'this won lead': 891486, 'won lead to': 1003860, 'lead to more': 483368, 'to more hoarding': 910256, 'more hoarding of': 539441, 'hoarding of material': 399454, 'of material and': 586300, 'material and price': 520366, 'price gouging one': 674308, 'gouging one look': 359411, 'one look at': 606623, 'at the toiletpaper': 101129, 'toiletpaper situation in': 922482, 'in the will': 429682, 'the will kill': 871577, 'will kill that': 993924, 'kill that idea': 474507, 'that idea meetthepress': 844407, 'sharper': 755715, 'acquiring': 29182, 'see much': 745442, 'much sharper': 545295, 'sharper divide': 755716, 'nots when': 573633, 'settle on': 753685, 'billionaire will': 130969, 'be picking': 116413, 'picking over': 655866, 'the spoil': 867589, 'spoil acquiring': 789684, 'acquiring them': 29187, 'to see much': 914045, 'see much sharper': 745443, 'much sharper divide': 545296, 'sharper divide between': 755717, 'divide between the': 248585, 'the have the': 857151, 'have the have': 382994, 'have nots when': 381723, 'nots when the': 573634, 'dust settle on': 263457, 'settle on covid': 753686, '19 the billionaire': 11170, 'the billionaire will': 849709, 'billionaire will be': 130970, 'will be picking': 992607, 'be picking over': 116414, 'picking over the': 655867, 'over the spoil': 630769, 'the spoil acquiring': 867590, 'spoil acquiring them': 789685, 'acquiring them at': 29188, 'them at fire': 875438, 'neither sure': 557349, 'disinfectant could': 245637, 'bloody rolled': 133227, 'rolled oat': 725640, 'oat today': 578305, 'today hey': 919649, 'your dad': 1023436, 'dad xx': 224415, 'me neither sure': 523211, 'neither sure going': 557350, 'come down with': 187278, '19 just from': 8204, 'just from all': 468780, 'all the trip': 44955, 'the supermarket looking': 868683, 'paper and disinfectant': 639819, 'and disinfectant could': 61443, 'disinfectant could not': 245638, 'not even get': 569247, 'even get bloody': 284102, 'get bloody rolled': 346681, 'bloody rolled oat': 133228, 'rolled oat today': 725641, 'oat today hey': 578306, 'today hey how': 919650, 'hey how your': 394423, 'how your dad': 409299, 'your dad xx': 1023437, 'seen 3bn': 746911, '3bn wiped': 18230, 'wiped off': 996460, 'of irish': 585304, 'irish agri': 444885, 'agri food': 38840, 'subscriber only the': 815873, 'only the sharp': 611274, 'fall in stock': 296966, 'market ha seen': 516489, 'ha seen 3bn': 371818, 'seen 3bn wiped': 746912, '3bn wiped off': 18231, 'wiped off the': 996461, 'off the value': 594281, 'value of irish': 952164, 'of irish agri': 585305, 'irish agri food': 444886, 'agri food company': 38841, 'food company over': 313990, 'over the course': 630710, 'the course of': 852213, 'course of the': 211912, 'with country': 997828, 'create cure': 215628, 'this cure': 887132, 'vaccine be': 951663, 'doe africa': 251322, 'africa stand': 35139, 'with country and': 997829, 'country and company': 210438, 'and company in': 60191, 'in the race': 429494, 'the race to': 865084, 'race to create': 695204, 'to create cure': 903703, 'create cure and': 215629, 'cure and vaccine': 220705, 'vaccine for will': 951706, 'for will this': 327883, 'will this cure': 995194, 'this cure or': 887133, 'or vaccine be': 617638, 'vaccine be free': 951664, 'be free or': 114956, 'free or will': 332038, 'will it come': 993863, 'come with inflated': 187681, 'inflated price where': 437082, 'price where doe': 677502, 'where doe africa': 984837, 'doe africa stand': 251323, 'africa stand in': 35140, 'stand in all': 793527, 'worth thinking': 1011449, 'say 15': 738364, 'ago zoom': 38564, 'zoom happy': 1027807, 'hour nope': 405785, 'nope facetime': 566901, 'facetime with': 295222, 'with 93': 997071, '93 year': 23526, 'old mom': 598367, 'mom nope': 535777, 'nope online': 566907, 'really lot': 702390, 'stuff nope': 815144, 'nope weird': 566918, 'it worth thinking': 462575, 'worth thinking about': 1011450, 'thinking about navigating': 885850, 'about navigating covid': 25781, '19 say 15': 10324, 'say 15 year': 738365, '15 year ago': 3871, 'year ago zoom': 1014371, 'ago zoom happy': 38565, 'zoom happy hour': 1027808, 'happy hour nope': 377634, 'hour nope facetime': 405786, 'nope facetime with': 566902, 'facetime with 93': 295223, 'with 93 year': 997072, '93 year old': 23527, 'year old mom': 1014849, 'old mom nope': 598368, 'mom nope online': 535778, 'nope online grocery': 566908, 'grocery shopping not': 365058, 'not really lot': 571239, 'really lot and': 702391, 'of other stuff': 587376, 'other stuff nope': 621006, 'stuff nope weird': 815145, 'large non': 479719, 'essential corporate': 280944, 'corporate retail': 207334, 'to obey': 910782, 'obey public': 578385, 'order put': 618530, 'business among': 143275, 'among these': 53090, 'these risk': 880611, 'consumer boycott': 196645, 'boycott and': 137315, 'potential lawsuit': 667099, 'large non essential': 479720, 'non essential corporate': 566335, 'essential corporate retail': 280945, 'corporate retail store': 207335, 'that are refusing': 842803, 'refusing to obey': 707096, 'to obey public': 910783, 'obey public health': 578386, 'health order put': 386719, 'order put in': 618531, 'place by authority': 657370, 'to the are': 916494, 'the are risking': 848868, 'risking their business': 724094, 'their business among': 872674, 'business among these': 143276, 'among these risk': 53091, 'these risk are': 880612, 'risk are consumer': 723389, 'are consumer boycott': 85525, 'consumer boycott and': 196646, 'boycott and potential': 137316, 'and potential lawsuit': 69260, 'king heath': 475266, 'heath station': 388516, 'station sell': 796508, 'sell petrol': 748848, 'petrol for': 653734, 'for litre': 323013, 'litre oil': 495171, 'king heath station': 475267, 'heath station sell': 388517, 'station sell petrol': 796509, 'sell petrol for': 748849, 'petrol for litre': 653735, 'for litre oil': 323014, 'litre oil price': 495172, 'price crash due': 673322, '19 for these': 7078, 'raredisease': 697105, 'be contacted': 114215, 'contacted about': 200314, 'about shielding': 26175, 'shielding do': 758199, 'tomorrow work': 924251, 'hour raredisease': 405879, 'raredisease 19': 697106, 'if think will': 415146, 'will be contacted': 992406, 'be contacted about': 114216, 'contacted about shielding': 200315, 'about shielding do': 26176, 'shielding do go': 758200, 'work tomorrow work': 1005929, 'tomorrow work in': 924252, 'in supermarket close': 428578, 'supermarket close proximity': 819721, 'proximity to many': 687333, 'to many people': 909828, 'many people for': 514504, 'people for hour': 647953, 'for hour raredisease': 322400, 'hour raredisease 19': 405880, 'sanitizer 40': 734292, '40 time': 18676, 'corona quarantinelife': 204134, 'me after using': 522360, 'hand sanitizer 40': 375281, 'sanitizer 40 time': 734293, '40 time day': 18677, 'time day corona': 896537, 'day corona quarantinelife': 227482, 'corona quarantinelife quarantineandchill': 204135, 'announced statewide': 77042, 'nearly 40 percent': 553779, 'state have announced': 795652, 'have announced statewide': 379282, 'announced statewide closure': 77043, 'statewide closure of': 796262, 'of restaurant dining': 589015, 'such 95': 816304, 'mask loop': 518927, 'loop mask': 503152, 'protective gown': 685772, 'home mask': 401589, 'n95 virus': 551238, 'home health foundation': 401356, 'health foundation is': 386456, 'foundation is in': 330494, 'is in desperate': 448765, 'need of personal': 555340, 'protective equipment ppe': 685733, 'ppe such 95': 668060, 'such 95 mask': 816305, '95 mask loop': 23588, 'mask loop mask': 518928, 'loop mask protective': 503153, 'mask protective gown': 519163, 'protective gown and': 685773, 'gown and hand': 361368, 'sanitizer find out': 734867, 'can help elderly': 158614, 'help elderly health': 389629, 'elderly health home': 270699, 'health home mask': 386504, 'home mask n95': 401590, 'mask n95 virus': 518995, 'cbdoilbenefitz': 168344, 'homegrow': 402706, 'buyinbulk': 149828, 'beprepared': 127276, '420': 18919, 'these top': 880864, 'top way': 925756, 'stoner cbdoilbenefitz': 804359, 'cbdoilbenefitz marijuana': 168345, 'marijuana cannabis': 515712, 'cannabis save': 161441, 'money homegrow': 536814, 'homegrow grower': 402707, 'grower buyinbulk': 367098, 'buyinbulk wholesale': 149829, 'wholesale cbd': 990425, 'hempoil budget': 391720, 'budget finance': 141786, 'finance beprepared': 306167, 'beprepared stockup': 127279, 'stockup selfsufficient': 804195, 'selfsufficient 420': 748594, 'out these top': 627538, 'these top way': 880866, 'top way to': 925757, 'for stoner cbdoilbenefitz': 325922, 'stoner cbdoilbenefitz marijuana': 804360, 'cbdoilbenefitz marijuana cannabis': 168346, 'marijuana cannabis save': 515713, 'cannabis save money': 161442, 'save money homegrow': 737583, 'money homegrow grower': 536815, 'homegrow grower buyinbulk': 402708, 'grower buyinbulk wholesale': 367099, 'buyinbulk wholesale cbd': 149830, 'wholesale cbd hempoil': 990426, 'cbd hempoil budget': 168314, 'hempoil budget finance': 391721, 'budget finance beprepared': 141787, 'finance beprepared stockup': 306168, 'beprepared stockup selfsufficient': 127280, 'stockup selfsufficient 420': 804196, 'usalockdown': 948869, 'stayhomesavelives panicbuying': 798424, 'panicbuying panicshopping': 639018, 'panicshopping usalockdown': 639465, 'usalockdown canadacovid19': 948870, 'canadacovid19 walmart': 160622, 'supermarket during coronavirus': 820049, 'coronavirus outbreak 19': 206367, 'outbreak 19 stayathome': 627938, '19 stayathome stayhome': 10811, 'stayhome lockdown stayhomesavelives': 798039, 'lockdown stayhomesavelives panicbuying': 499960, 'stayhomesavelives panicbuying panicshopping': 798425, 'panicbuying panicshopping usalockdown': 639023, 'panicshopping usalockdown canadacovid19': 639466, 'usalockdown canadacovid19 walmart': 948871, 'auspicious': 103065, 'latest explain': 481330, 'why dictatorship': 990912, 'dictatorship in': 240526, 'price geopolitics': 674167, 'geopolitics ha': 345984, 'ha delivered': 370345, 'delivered the': 233406, 'the auspicious': 849048, 'auspicious scenario': 103066, 'for foreign': 321678, 'that sanction': 846109, 'sanction failed': 733628, 'in my latest': 425591, 'my latest explain': 548985, 'latest explain why': 481331, 'explain why dictatorship': 292133, 'why dictatorship in': 990913, 'dictatorship in face': 240527, 'in face the': 422750, 'storm of and': 811822, 'of and collapse': 580146, 'oil price geopolitics': 597144, 'price geopolitics ha': 674168, 'geopolitics ha delivered': 345985, 'ha delivered the': 370346, 'delivered the auspicious': 233407, 'the auspicious scenario': 849049, 'auspicious scenario for': 103067, 'scenario for foreign': 741256, 'for foreign policy': 321679, 'foreign policy that': 329001, 'policy that sanction': 663513, 'that sanction failed': 846110, 'sanction failed to': 733629, 'making dairy': 511013, 'milk even': 531666, 'demand skyrocket': 236230, 'is making dairy': 449539, 'making dairy farmer': 511014, 'dump milk even': 262173, 'milk even food': 531667, 'even food demand': 284072, 'food demand skyrocket': 314177, 'karaknath': 470865, 'kamalnath': 470739, 'mppoliticalcrisis': 544337, 'both karaknath': 135951, 'karaknath and': 470866, 'and kamalnath': 65738, 'kamalnath went': 470740, 'some tragedy': 784114, 'tragedy mppoliticalcrisis': 929177, 'price of both': 675414, 'of both karaknath': 580794, 'both karaknath and': 135952, 'karaknath and kamalnath': 470867, 'and kamalnath went': 65739, 'kamalnath went down': 470741, 'went down due': 978987, 'to some tragedy': 914894, 'some tragedy mppoliticalcrisis': 784115, 'no issue': 564528, 'with australian': 997340, 'australian food': 103491, 'australian at': 103439, 'supermarket pm': 822031, 'pm scott': 661978, 'morrison again': 541694, 'again calling': 36939, 'are no issue': 88264, 'no issue with': 564530, 'issue with australian': 456008, 'with australian food': 997341, 'australian food supply': 103493, 'supply what there': 826094, 'what there is': 982382, 'issue with is': 456013, 'is the behaviour': 452737, 'behaviour of australian': 124485, 'of australian at': 580458, 'australian at supermarket': 103440, 'at supermarket pm': 100760, 'supermarket pm scott': 822032, 'pm scott morrison': 661979, 'scott morrison again': 742455, 'morrison again calling': 541695, 'again calling for': 36940, 'calling for people': 156556, 'are deeply': 85723, 'minimize same': 533119, 'same within': 733428, 'community supply': 190127, 'being disrupted': 125058, 'buying nigeria': 150755, 'nigeria still': 562805, 'we are deeply': 970521, 'are deeply concerned': 85724, 'concerned about it': 193163, 'about it impact': 25580, 'security and how': 744534, 'to minimize same': 910167, 'minimize same within': 533120, 'same within our': 733429, 'within our local': 1002405, 'local community supply': 497846, 'community supply chain': 190128, 'chain is being': 170830, 'is being disrupted': 446077, 'being disrupted due': 125060, 'panic buying nigeria': 637819, 'buying nigeria still': 150756, 'delivery thank': 234612, 'all supermarket and': 44540, 'pharmacy worker and': 654573, 'worker and to': 1006348, 'and to truck': 74208, 'truck driver for': 932777, 'the delivery thank': 853076, 'delivery thank you': 234613, 'subsidizing': 816001, 'provide at': 686232, 'yorkers it': 1016710, 'it relieve': 460697, 'relieve the': 709539, 'burden reduce': 142758, 'reduce contamination': 705807, 'contamination lift': 200720, 'ny state': 577911, 'state available': 795407, 'in 47': 419935, '47 state': 19269, 'state help': 795664, 'by subsidizing': 154150, 'subsidizing the': 816002, 'your support to': 1026090, 'support to provide': 826950, 'to provide at': 912382, 'provide at home': 686233, 'test kit for': 839055, 'kit for new': 475545, 'for new yorkers': 323841, 'new yorkers it': 559969, 'yorkers it relieve': 1016711, 'it relieve the': 460698, 'relieve the burden': 709540, 'the burden reduce': 850128, 'burden reduce contamination': 142759, 'reduce contamination lift': 705808, 'contamination lift the': 200721, 'lift the ban': 489463, 'the ban on': 849226, 'ban on direct': 109227, 'consumer testing in': 199256, 'testing in ny': 839516, 'in ny state': 426007, 'ny state available': 577913, 'state available in': 795408, 'available in 47': 104431, 'in 47 state': 419937, '47 state help': 19270, 'state help by': 795665, 'help by subsidizing': 389468, 'by subsidizing the': 154151, 'sanit': 733791, '86 only': 22976, 'only saw': 611086, 'saw part': 738201, 'hang head': 376929, 'head not': 385762, 'feeling my': 303029, 'best cough': 127647, 'low grade': 505310, 'grade fever': 361647, 'fever so': 303684, 'so probably': 778077, '19 sc': 10329, 'sc nc': 739852, 'nc have': 553289, 'restaurant except': 716454, 'except take': 289226, 'bar plus': 110746, 'plus changed': 661575, 'changed grocery': 172485, 'for sanit': 325331, '86 only saw': 22977, 'only saw part': 611087, 'saw part of': 738202, 'of it hang': 585405, 'it hang head': 458454, 'hang head not': 376930, 'head not feeling': 385763, 'not feeling my': 569393, 'feeling my best': 303030, 'my best cough': 547433, 'best cough and': 127648, 'cough and low': 208448, 'and low grade': 66440, 'low grade fever': 505311, 'grade fever so': 361648, 'fever so probably': 303685, 'so probably not': 778078, 'probably not covid': 679336, 'covid 19 sc': 213746, '19 sc nc': 10330, 'sc nc have': 739853, 'nc have closed': 553290, 'have closed school': 380001, 'school restaurant except': 741907, 'restaurant except take': 716455, 'except take out': 289227, 'take out and': 832441, 'out and bar': 625643, 'and bar plus': 58700, 'bar plus changed': 110747, 'plus changed grocery': 661576, 'changed grocery store': 172486, 'hour for sanit': 405617, 'haven needed': 383863, 'supermarket am': 818895, 'am doing': 50007, 'this wrong': 891552, 'day still haven': 228407, 'still haven needed': 800674, 'haven needed to': 383864, 'to supermarket am': 915770, 'supermarket am doing': 818896, 'am doing this': 50011, 'doing this wrong': 252778, 'adede': 32123, 'derep': 237854, 'ruoth': 728170, 'adede derep': 32124, 'derep ruoth': 237855, 'ruoth wa': 728171, 'wa attacked': 961611, 'attacked by': 102183, 'unknown person': 942533, 'person due': 652406, 'reason that': 702994, 'not disclosed': 569042, 'disclosed on': 244386, 'weekend he': 977342, 'currently nursing': 221605, 'nursing at': 577601, 'at avenue': 98080, 'avenue hospital': 104775, 'adede derep ruoth': 32125, 'derep ruoth wa': 237856, 'ruoth wa attacked': 728172, 'wa attacked by': 961613, 'attacked by the': 102185, 'by the unknown': 154469, 'the unknown person': 870437, 'unknown person due': 942534, 'person due to': 652407, 'due to reason': 261921, 'to reason that': 912881, 'reason that were': 702996, 'that were not': 847442, 'were not disclosed': 979917, 'not disclosed on': 569043, 'disclosed on his': 244387, 'his way home': 397906, 'from supermarket over': 337495, 'supermarket over the': 821864, 'the weekend he': 871327, 'weekend he is': 977343, 'is currently nursing': 446996, 'currently nursing at': 221606, 'nursing at avenue': 577602, 'at avenue hospital': 98081, 'nemesis': 557377, 'how quarantine': 408542, 'distancing going': 247173, 'everyone don': 286823, 'don look': 253712, 'look your': 502691, 'your arch': 1022812, 'arch nemesis': 84038, 'nemesis in': 557378, 'eye if': 294049, 'spot them': 790125, 'supermarket art': 819206, 'how quarantine social': 408543, 'social distancing going': 779621, 'distancing going for': 247175, 'going for everyone': 355141, 'for everyone don': 321206, 'everyone don look': 286825, 'don look your': 253713, 'look your arch': 502692, 'your arch nemesis': 1022813, 'arch nemesis in': 84039, 'nemesis in the': 557379, 'the eye if': 854788, 'eye if you': 294050, 'you spot them': 1021332, 'spot them at': 790126, 'the supermarket art': 868472, 'supermarket art by': 819207, 'art by 19': 94145, 'prove very': 686128, 'severe economic': 754010, 'shock which': 759543, 'predict by': 669557, 'worst should': 1011260, 'over suggesting': 630659, 'suggesting possible': 817608, 'possible strong': 665793, 'recovery price': 705388, 'price quickly': 676050, 'quickly bouncing': 694480, 'could prove very': 209542, 'prove very severe': 686129, 'very severe economic': 955529, 'severe economic shock': 754012, 'economic shock which': 267279, 'shock which lead': 759544, 'lead to deep': 483338, '2020 however it': 14373, 'expert predict by': 291917, 'predict by month': 669558, 'by month the': 153242, 'month the worst': 538049, 'the worst should': 872073, 'worst should be': 1011261, 'be over suggesting': 116305, 'over suggesting possible': 630660, 'suggesting possible strong': 817609, 'possible strong economic': 665794, 'economic recovery price': 267236, 'recovery price quickly': 705389, 'price quickly bouncing': 676052, 'quickly bouncing back': 694481, 'average day': 104828, 'it given': 458242, 'given away': 350949, 'away at': 105787, 'pantry lot': 639630, 'that excess': 843788, 'excess will': 289375, 'drop however': 260217, 'however long': 409410, 'chain hold': 170785, 'on an average': 599323, 'an average day': 55496, 'average day there': 104829, 'day there literally': 228510, 'literally ton of': 495103, 'ton of excess': 924271, 'of excess food': 583289, 'excess food even': 289339, 'food even when': 314412, 'when it given': 983631, 'it given away': 458243, 'given away at': 350950, 'away at food': 105788, 'at food pantry': 98675, 'food pantry lot': 315789, 'pantry lot of': 639631, 'of food still': 583784, 'food still go': 316771, 'to waste in': 918370, 'waste in the': 968136, 'the in panic': 858011, 'in panic that': 426492, 'panic that excess': 638675, 'that excess will': 843790, 'excess will drop': 289376, 'will drop however': 993264, 'drop however long': 260218, 'however long the': 409412, 'long the supply': 501731, 'supply chain hold': 824973, 'chain hold the': 170786, 'hold the shelf': 400022, 'shelf get restocked': 757117, 'reactivate': 700229, 'to reactivate': 912817, 'reactivate the': 700230, 'about how cheap': 25426, 'low to reactivate': 505694, 'to reactivate the': 912818, 'reactivate the economy': 700231, 'best among': 127570, 'among are': 52983, 'humanity by': 410709, 'being selfless': 125751, 'selfless and': 748523, 'others first': 621399, 'first before': 308535, 'before gain': 122816, 'gain or': 342803, 'or profit': 616716, 'profit we': 682885, 'their beautiful': 872569, 'beautiful gesture': 118685, 'gesture towards': 346445, 'nation 19': 552089, 'difficult time the': 242312, 'time the best': 897845, 'the best among': 849484, 'best among are': 127571, 'among are those': 52984, 'are those who': 91062, 'those who show': 892672, 'who show our': 989618, 'show our humanity': 767085, 'our humanity by': 623495, 'humanity by being': 410710, 'by being selfless': 151950, 'being selfless and': 125752, 'selfless and putting': 748524, 'putting others first': 691184, 'others first before': 621400, 'first before gain': 308537, 'before gain or': 122817, 'gain or profit': 342804, 'or profit we': 616717, 'profit we would': 682887, 'thank supermarket for': 841632, 'for their beautiful': 326802, 'their beautiful gesture': 872570, 'beautiful gesture towards': 118686, 'gesture towards the': 346446, 'towards the child': 927258, 'child of our': 176160, 'our nation 19': 623974, 'next series': 561541, 'amazing lockdownuk': 50736, 'next series of': 561542, 'series of supermarket': 751278, 'sweep is going': 830133, 'to be amazing': 901104, 'be amazing lockdownuk': 113582, 'get delicious': 346855, 'delicious meal': 233014, 'for dana': 320538, '19 team': 11044, 'team strategy': 835782, 'meeting but': 527677, 'to get delicious': 906453, 'get delicious meal': 346856, 'delicious meal for': 233015, 'meal for dana': 524150, 'for dana the': 320539, 'covid 19 team': 213914, '19 team strategy': 11045, 'team strategy meeting': 835783, 'strategy meeting but': 812682, 'meeting but wa': 527678, 'but wa also': 147705, 'their pantry is': 874241, 'pantry is wonderful': 639621, 'brightram': 139826, 'brightram realtime': 139827, 'realtime consumer': 702757, 'activity index': 30448, 'index typically': 434255, 'typically lead': 937659, 'lead economy': 483274, 'month here': 537767, 'the implied': 857972, 'implied severity': 418577, 'damage going': 225201, 'forward spx': 330014, 'spy vix': 791413, 'vix vxx': 959850, 'brightram realtime consumer': 139828, 'realtime consumer activity': 702758, 'consumer activity index': 196024, 'activity index typically': 30449, 'index typically lead': 434256, 'typically lead economy': 937660, 'lead economy by': 483275, 'economy by month': 267730, 'by month here': 153241, 'month here is': 537768, 'is the implied': 452828, 'the implied severity': 857973, 'implied severity of': 418578, 'severity of economic': 754130, 'of economic damage': 582952, 'economic damage going': 267046, 'damage going forward': 225202, 'going forward spx': 355167, 'forward spx spy': 330015, 'spx spy vix': 791385, 'spy vix vxx': 791414, 'is 74': 445239, '74 self': 22088, 'isolating there': 455152, 'future what': 342520, 'enable self': 275437, 'delivered stockpilinguk': 233394, 'stockpilinguk onlineshopping': 804145, 'mum is 74': 545916, 'is 74 self': 445240, '74 self isolating': 22089, 'self isolating there': 747740, 'isolating there are': 455153, 'slot for online': 774186, 'in the foreseeable': 429213, 'foreseeable future what': 329066, 'future what are': 342521, 'doing to enable': 252789, 'to enable self': 905044, 'enable self isolating': 275438, 'self isolating people': 747735, 'isolating people get': 455136, 'their shopping delivered': 874716, 'shopping delivered stockpilinguk': 762451, 'delivered stockpilinguk onlineshopping': 233395, 'update online': 947143, 'coronavirus update online': 206997, 'update online consumer': 947144, 'online consumer report': 608044, 'protectconsumers': 685113, 'protectallpeople': 685108, 'with advocacy': 997107, 'advocacy and': 33797, 'to protectconsumers': 912350, 'protectconsumers during': 685114, 'protection page': 685555, 'page protectallpeople': 633887, 'keep up to': 472180, 'date with advocacy': 226760, 'with advocacy and': 997108, 'advocacy and resource': 33798, 'resource to protectconsumers': 714911, 'to protectconsumers during': 912351, 'protectconsumers during the': 685115, 'consumer protection page': 198550, 'protection page protectallpeople': 685557, 'cocoa': 185255, 'coffeelover': 185565, 'calm there': 156814, 'there coffee': 878279, 'coffee and': 185453, 'and cocoa': 60046, 'cocoa product': 185265, 'latter for': 481681, 'usa only': 948710, 'only all': 610052, 'all mail': 43429, 'door coffeelover': 255550, 'coffeelover chocolate': 185566, 'go out panic': 353975, 'panic buying stay': 637899, 'buying stay calm': 151078, 'stay calm there': 796818, 'calm there plenty': 156815, 'go around in': 353315, 'around in my': 93347, 'my online shop': 549582, 'online shop there': 608990, 'shop there coffee': 760917, 'there coffee and': 878280, 'coffee and cocoa': 185454, 'and cocoa product': 60047, 'cocoa product the': 185266, 'product the latter': 681710, 'the latter for': 859164, 'latter for the': 481682, 'for the usa': 326757, 'the usa only': 870550, 'usa only all': 948711, 'only all mail': 610053, 'all mail order': 43430, 'mail order and': 508637, 'order and delivered': 618024, 'your door coffeelover': 1023571, 'door coffeelover chocolate': 255551, 'see finding': 745113, 'from three': 338039, 'three large': 893973, 'large data': 479639, 'data stream': 226434, 'stream and': 812772, 'see finding from': 745114, 'finding from three': 307478, 'from three large': 338040, 'three large data': 893974, 'large data stream': 479640, 'data stream and': 226435, 'stream and advice': 812773, 'and advice on': 57731, 'how to think': 409101, 'think about and': 885077, 'about and consumer': 24797, 'and consumer finance': 60380, 'created challenge': 215796, 'each do': 264059, 'disease we': 245272, 'helper all': 391121, 'ha created challenge': 370266, 'created challenge in': 215797, 'challenge in our': 171488, 'in our everyday': 426287, 'our everyday life': 622937, 'everyday life we': 286593, 'life we each': 489189, 'we each do': 971428, 'each do our': 264060, 'to help slow': 907625, 'help slow the': 390528, 'coronavirus disease we': 205831, 'disease we look': 245274, 'to the helper': 916770, 'the helper all': 857266, 'helper all around': 391122, 'all around and': 42064, 'around and wonder': 93204, 'and wonder if': 75823, 'if we too': 415320, 'we too could': 973551, 'too could do': 924677, 'could do more': 209097, 'do more here': 249599, 'more here are': 539413, 'trust ha': 934262, 'been considerably': 120873, 'considerably shaken': 195201, 'may again': 520896, 'become greater': 120015, 'greater factor': 363176, 'consumer trust ha': 199399, 'trust ha been': 934263, 'ha been considerably': 369756, 'been considerably shaken': 120874, 'considerably shaken in': 195202, 'communication may again': 189613, 'may again become': 520897, 'again become greater': 36918, 'become greater factor': 120016, 'greater factor in': 363177, 'announced yesterday': 77121, 'interview texas': 442241, 'successfully bounce': 816256, 'of dro': 582832, 'tx announced yesterday': 937437, 'announced yesterday in': 77122, 'yesterday in an': 1015771, 'an interview texas': 56428, 'interview texas government': 442242, 'texas successfully bounce': 839830, 'successfully bounce back': 816257, 'impact of dro': 417770, 'probe': 679431, 'usda to': 948969, 'to probe': 912165, 'probe covid': 679432, 'on beef': 599605, 'usda to probe': 948970, 'to probe covid': 912166, 'probe covid 19': 679433, 'impact on beef': 417823, 'on beef price': 599606, 'fuel because': 340128, 'of mean': 586363, 'mean storage': 524663, 'premium commodity': 669940, 'commodity storage': 189311, 'storage logistics': 805973, 'logistics trade': 500807, 'trade oil': 928533, 'oil food': 596805, 'demand for everything': 235414, 'everything from food': 287800, 'from food to': 335516, 'food to fuel': 317255, 'to fuel because': 906291, 'fuel because of': 340129, 'because of mean': 119376, 'of mean storage': 586365, 'mean storage space': 524664, 'storage space is': 805989, 'space is selling': 787134, 'selling at premium': 749173, 'at premium commodity': 100174, 'premium commodity storage': 669941, 'commodity storage logistics': 189312, 'storage logistics trade': 805974, 'logistics trade oil': 500808, 'trade oil food': 928534, 'ent': 278212, 'overwatch': 631687, 'junkrat': 468059, 'ent should': 278215, 'make quarantine': 510375, 'quarantine themed': 692615, 'themed overwatch': 876722, 'overwatch skin': 631688, 'skin for': 773064, 'benefit related': 127072, 'related charity': 708389, 'charity nurse': 173658, 'home outfit': 401805, 'outfit pjs': 628946, 'pjs junkrat': 657245, 'junkrat that': 468060, 'that launch': 844848, 'launch tp': 481957, 'tp bomb': 927769, 'bomb do': 134178, 'll by': 496671, 'ent should make': 278216, 'should make quarantine': 766211, 'make quarantine themed': 510376, 'quarantine themed overwatch': 692616, 'themed overwatch skin': 876723, 'overwatch skin for': 631689, 'skin for purchase': 773065, 'for purchase to': 324867, 'purchase to benefit': 689697, 'to benefit related': 901767, 'benefit related charity': 127073, 'related charity nurse': 708390, 'charity nurse doctor': 173659, 'store worker work': 811627, 'worker work at': 1008281, 'at home outfit': 99075, 'home outfit pjs': 401806, 'outfit pjs junkrat': 628947, 'pjs junkrat that': 657246, 'junkrat that launch': 468061, 'that launch tp': 844849, 'launch tp bomb': 481958, 'tp bomb do': 927770, 'bomb do it': 134179, 'do it ll': 249489, 'it ll by': 459420, 'll by them': 496672, 'postwoman': 666871, 'kind give': 474843, 'the trashmen': 869924, 'trashmen postwoman': 930198, 'postwoman delivery': 666872, 'trucker supermarket': 932954, 'pharmacist doctor': 654129, 'nurse keeping': 577401, 'world going': 1009588, 'going 19': 354980, 'be kind give': 115617, 'kind give thanks': 474844, 'to all working': 900305, 'all working on': 45514, 'line the trashmen': 493456, 'the trashmen postwoman': 869925, 'trashmen postwoman delivery': 930199, 'postwoman delivery people': 666873, 'people trucker supermarket': 650015, 'trucker supermarket employee': 932955, 'supermarket employee pharmacist': 820130, 'employee pharmacist doctor': 274114, 'pharmacist doctor nurse': 654130, 'doctor nurse keeping': 251023, 'nurse keeping our': 577402, 'our world going': 625407, 'world going 19': 1009589, 'perished': 652013, 'purport': 690082, 'living under': 496465, 'under rock': 940227, 'rock or': 724910, 'already perished': 47568, 'perished from': 652014, 've likely': 953337, 'likely seen': 492100, 'seen youtube': 747363, 'round where': 726384, 'where medical': 985023, 'doctor wearing': 251154, 'scrub purport': 742906, 'purport to': 690083, 'give covid': 350442, 'advice 33': 33293, 'you are living': 1017162, 'are living under': 87848, 'living under rock': 496468, 'under rock or': 940228, 'rock or have': 724911, 'or have already': 615576, 'have already perished': 379196, 'already perished from': 47569, 'perished from covid': 652015, '19 you ve': 12278, 'you ve likely': 1022050, 've likely seen': 953339, 'likely seen youtube': 492101, 'seen youtube video': 747364, 'video making the': 956812, 'the round where': 866010, 'round where medical': 726385, 'where medical doctor': 985024, 'medical doctor wearing': 526137, 'doctor wearing scrub': 251156, 'wearing scrub purport': 974779, 'scrub purport to': 742907, 'purport to give': 690084, 'to give covid': 906679, 'give covid 19': 350443, '19 advice 33': 4824, 'wanna thank': 965676, 'the savage': 866384, 'savage raiding': 737439, 'store chinesevirus': 806970, 'chinesevirus chinavirus': 177428, 'wanna thank all': 965677, 'of the savage': 591437, 'the savage raiding': 866385, 'savage raiding the': 737440, 'raiding the store': 695669, 'the store chinesevirus': 867995, 'store chinesevirus chinavirus': 806971, 'residentevil4': 714412, 'capcom': 162610, 'toiletpaper toiletpapermeme': 922689, 'toiletpapermeme toiletpaperchallenge': 923188, 'toilet residentevil4': 921543, 'residentevil4 coronav': 714413, 'ru meme': 726891, 'meme charmin': 528303, 'charmin capcom': 173795, 'need to hit': 555962, 'to hit up': 907856, 'up the resident': 946208, 'the resident evil': 865578, 'evil merchant for': 288449, 'merchant for more': 529016, 'for more toilet': 323604, 'paper toiletpapercrisis toiletpaper': 640967, 'toiletpapercrisis toiletpaper toiletpapermeme': 923086, 'toiletpaper toiletpapermeme toiletpaperchallenge': 922690, 'toiletpapermeme toiletpaperchallenge toilet': 923189, 'toiletpaperchallenge toilet residentevil4': 922979, 'toilet residentevil4 coronav': 921544, 'residentevil4 coronav ru': 714414, 'coronav ru meme': 205359, 'ru meme charmin': 726892, 'meme charmin capcom': 528304, 'gratification': 362348, 'is examined': 447626, 'examined in': 288830, 'consumer drive': 197244, 'drive perhaps': 259127, 'normal by': 567110, 'by stepping': 154118, 'stepping on': 799804, 'gas gratification': 343862, 'gratification agency': 362349, 'agency and': 37979, 'and stability': 72176, 'stability via': 791825, 'via consumerism': 955876, 'consumerism consumerbehavior': 199709, 'consumerbehavior pandemic': 199620, 'pandemic marketing': 635931, 'pandemic is examined': 635768, 'is examined in': 447627, 'examined in light': 288831, 'light of basic': 489550, 'of basic consumer': 580567, 'basic consumer drive': 111857, 'consumer drive perhaps': 197245, 'drive perhaps we': 259128, 'perhaps we can': 651664, 'we can adapt': 970900, 'can adapt to': 157370, 'new normal by': 559149, 'normal by stepping': 567111, 'by stepping on': 154119, 'stepping on the': 799805, 'on the gas': 604140, 'the gas gratification': 856169, 'gas gratification agency': 343863, 'gratification agency and': 362350, 'agency and stability': 37982, 'and stability via': 72178, 'stability via consumerism': 791826, 'via consumerism consumerbehavior': 955877, 'consumerism consumerbehavior pandemic': 199710, 'consumerbehavior pandemic marketing': 199621, 'home window': 402512, 'window shop': 995709, '19 related news': 10057, 'related news in': 708493, 'world we need': 1010147, 'temporary and that': 837577, 'and that thing': 73214, 'thing will return': 884997, 'go home window': 353679, 'home window shop': 402513, 'window shop online': 995710, 'shop online check': 760566, 'spilled': 789374, 'chiaroscurist': 175620, 'spelt': 788533, 'into row': 442954, 'row today': 726587, 'and spilled': 72109, 'spilled into': 789375, 'aisle by': 40226, 'the paracetamol': 863267, 'paracetamol it': 641255, 'on scuffle': 603341, 'scuffle basically': 742958, 'basically he': 112135, 'think chiaroscurist': 885185, 'chiaroscurist is': 175621, 'is spelt': 452152, 'spelt with': 788534, 'with double': 998126, 'double know': 256027, 'got into row': 358642, 'into row today': 442955, 'row today in': 726588, 'supermarket it started': 821181, 'it started in': 461224, 'started in the': 794764, 'paper aisle and': 639776, 'aisle and spilled': 40196, 'and spilled into': 72110, 'spilled into the': 789376, 'into the pasta': 443156, 'the pasta aisle': 863372, 'pasta aisle by': 643671, 'aisle by the': 40227, 'time we got': 898223, 'we got to': 971680, 'to the paracetamol': 916943, 'the paracetamol it': 863268, 'paracetamol it wa': 641256, 'full on scuffle': 340776, 'on scuffle basically': 603342, 'scuffle basically he': 742959, 'basically he think': 112136, 'he think chiaroscurist': 385519, 'think chiaroscurist is': 885186, 'chiaroscurist is spelt': 175622, 'is spelt with': 452153, 'spelt with double': 788535, 'with double know': 998127, 'double know what': 256028, 'know what an': 476938, 'what an idiot': 981038, 'sephora promised': 751137, 'virus shut': 958746, 'down store': 257218, 'and fire': 62913, 'fire them': 308123, 'via conference': 955871, 'so before': 776614, 'give fuck': 350506, 'fuck about': 339511, 'about makeup': 25687, 'makeup during': 510900, 'the makeup': 859953, 'makeup it': 510902, 'people job': 648552, 'sephora promised to': 751138, 'promised to take': 683737, 'their employee when': 873159, 'employee when this': 274414, 'when this virus': 984313, 'this virus shut': 891027, 'virus shut down': 958747, 'shut down store': 767854, 'down store only': 257219, 'only to turn': 611370, 'to turn around': 917841, 'turn around and': 935643, 'around and fire': 93197, 'and fire them': 62915, 'fire them off': 308125, 'them off today': 876080, 'off today via': 594338, 'today via conference': 920435, 'via conference call': 955872, 'conference call and': 193726, 'call and that': 155767, 'that wa that': 847316, 'wa that so': 963435, 'that so before': 846357, 'so before you': 776615, 'before you say': 123334, 'you say who': 1021006, 'say who give': 739489, 'who give fuck': 988783, 'give fuck about': 350507, 'fuck about makeup': 339512, 'about makeup during': 25688, 'makeup during pandemic': 510901, 'during pandemic it': 262875, 'pandemic it not': 635830, 'about the makeup': 26444, 'the makeup it': 859954, 'makeup it people': 510903, 'it people job': 460294, 'knocked this': 476177, 'park on': 641957, 'the angst': 848742, 'angst that': 76513, 'knocked this one': 476178, 'this one out': 889246, 'one out of': 606809, 'of the park': 591319, 'the park on': 863293, 'park on the': 641958, 'on the angst': 603971, 'the angst that': 848743, 'angst that is': 76514, 'that is online': 844632, 'is online grocery': 450520, 'unmet': 942834, 'francois': 331137, 'candelon': 161282, 'after ha': 35741, 'passed transition': 643310, 'transition phase': 929678, '12 18': 2779, 'month there': 538055, 'shift hygiene': 758313, 'hygiene online': 412131, 'new behaviour': 558392, 'behaviour remote': 124507, 'work social': 1005747, 'distance reduced': 246802, 'and unmet': 74690, 'unmet need': 942835, 'need francois': 554882, 'francois candelon': 331138, 'after ha passed': 35742, 'ha passed transition': 371477, 'passed transition phase': 643311, 'transition phase of': 929679, 'phase of 12': 654625, 'of 12 18': 579337, '12 18 month': 2780, '18 month there': 4560, 'month there will': 538057, 'still be consumer': 800250, 'be consumer shift': 114213, 'consumer shift hygiene': 198964, 'shift hygiene online': 758314, 'hygiene online shopping': 412132, 'shopping new behaviour': 763321, 'new behaviour remote': 558393, 'behaviour remote work': 124508, 'remote work social': 710745, 'work social distance': 1005748, 'social distance reduced': 779519, 'distance reduced travel': 246803, 'reduced travel and': 706206, 'travel and unmet': 930262, 'and unmet need': 74691, 'unmet need francois': 942836, 'need francois candelon': 554883, 'massholes': 519953, 'idiocy is': 413429, 'same family': 733059, 'family accumulate': 297552, 'accumulate like': 28849, 'like fool': 490267, 'fool in': 318290, 'time plus': 897502, 'plus these': 661699, 'these massholes': 880279, 'massholes must': 519954, 'be planning': 116432, 'planning trip': 658594, 'to mar': 909835, 'mar pumping': 515022, 'pumping fuel': 689121, 'fuel during': 340163, 'curfew with': 220952, 'on logic': 601926, 'idiocy is when': 413430, 'is when people': 453919, 'when people from': 983861, 'the same family': 866224, 'same family accumulate': 733060, 'family accumulate like': 297553, 'accumulate like fool': 28850, 'like fool in': 490268, 'fool in the': 318291, 'same supermarket at': 733311, 'same time plus': 733363, 'time plus these': 897503, 'plus these massholes': 661700, 'these massholes must': 880280, 'massholes must be': 519955, 'must be planning': 546531, 'be planning trip': 116433, 'planning trip to': 658596, 'trip to mar': 932195, 'to mar pumping': 909836, 'mar pumping fuel': 515023, 'pumping fuel during': 689122, 'fuel during curfew': 340164, 'during curfew with': 262579, 'curfew with enough': 220953, 'with enough toilet': 998236, 'paper to choke': 640919, 'choke on logic': 177848, 'paidsickdays': 634189, 'ffcra': 304264, 'paidleave': 634186, 'nat poll': 552072, 'poll via': 663864, 'via out': 956152, 'consumer agree': 196120, 'agree paidsickdays': 38630, 'paidsickdays for': 634190, 'protecting shopper': 685223, 'shopper worker': 761841, 'livelihood and': 496192, 'for congress': 320226, 'the ffcra': 855133, 'ffcra paidleave': 304265, 'paidleave gap': 634187, 'nat poll via': 552073, 'poll via out': 663865, 'via out of': 956153, 'out of 10': 626665, 'of 10 consumer': 579305, '10 consumer agree': 1367, 'consumer agree paidsickdays': 196121, 'agree paidsickdays for': 38631, 'paidsickdays for grocery': 634191, 'are important for': 87337, 'important for protecting': 418803, 'for protecting shopper': 324822, 'protecting shopper worker': 685224, 'shopper worker health': 761842, 'worker health and': 1007103, 'health and livelihood': 386146, 'and livelihood and': 66257, 'livelihood and slowing': 496193, 'and slowing the': 71760, 'slowing the spread': 774574, '19 time for': 11401, 'time for congress': 896698, 'for congress to': 320227, 'congress to close': 194539, 'close the ffcra': 182840, 'the ffcra paidleave': 855134, 'ffcra paidleave gap': 304266, '1942': 12360, 'munich': 546081, 'hamster shame': 374646, 'you 1942': 1016749, '1942 munich': 12361, 'munich during': 546082, 'ww2 german': 1013647, 'german poster': 346239, 'poster made': 666610, 'they appealed': 881174, 'the solidarity': 867456, 'people community': 647502, 'community which': 190224, 'be harmed': 115150, 'harmed by': 378431, 'by individual': 152912, 'hamster shame on': 374647, 'on you 1942': 605409, 'you 1942 munich': 1016750, '1942 munich during': 12362, 'munich during ww2': 546083, 'during ww2 german': 263423, 'ww2 german poster': 1013648, 'german poster made': 346240, 'poster made it': 666611, 'clear that there': 181352, 'for of food': 324018, 'food they appealed': 317162, 'they appealed to': 881175, 'to the solidarity': 917078, 'the solidarity of': 867457, 'solidarity of the': 781940, 'the people community': 863463, 'people community which': 647503, 'community which should': 190225, 'which should not': 986318, 'not be harmed': 568394, 'be harmed by': 115151, 'harmed by individual': 378432, 'faith neighborhood': 296526, 'neighborhood center': 557110, 'center receives': 169293, 'receives check': 703727, 'the lion': 859453, 'lion club': 494029, 'faith neighborhood center': 296527, 'neighborhood center receives': 557111, 'center receives check': 169294, 'receives check from': 703728, 'from the lion': 337774, 'the lion club': 859454, 'ncba': 553299, 'marty': 518120, 'ncba president': 553300, 'president marty': 670852, 'marty smith': 518121, 'smith sent': 775806, 'sent letter': 750765, 'trump requesting': 933793, 'requesting the': 713279, 'investigate the': 443805, 'the striking': 868289, 'striking disparity': 813780, 'between boxed': 128734, 'boxed beef': 137209, 'ncba president marty': 553301, 'president marty smith': 670853, 'marty smith sent': 518122, 'smith sent letter': 775807, 'sent letter to': 750766, 'letter to president': 487368, 'president trump requesting': 670948, 'trump requesting the': 933794, 'requesting the government': 713280, 'to act quickly': 900018, 'quickly to investigate': 694626, 'to investigate the': 908493, 'investigate the striking': 443807, 'the striking disparity': 868290, 'striking disparity between': 813781, 'disparity between boxed': 246091, 'between boxed beef': 128735, 'boxed beef price': 137210, 'beef price and': 120541, 'cattle price in': 167373, 'future and cash': 342252, 'and cash market': 59605, 'cash market during': 166273, 'netflixth': 557651, 'survivor2020': 829405, 'protection online': 685547, '2019cov facemask': 14055, 'facemask newspicks': 295093, 'newspicks netflixth': 561111, 'netflixth trump': 557652, 'healthy trumpviruscoverup': 387795, 'trumpviruscoverup newyork': 934208, 'newyork losangeles': 561192, 'losangeles survivor2020': 503403, 'survivor2020 stayathome': 829406, 'stayathome btc': 797445, '19 protection online': 9857, 'protection online in': 685548, 'regular price retweet': 707844, 'price retweet to': 676210, 'help 2019cov facemask': 389287, '2019cov facemask newspicks': 14056, 'facemask newspicks netflixth': 295094, 'newspicks netflixth trump': 561112, 'netflixth trump wuhan': 557653, 'wuhan healthy trumpviruscoverup': 1013498, 'healthy trumpviruscoverup newyork': 387796, 'trumpviruscoverup newyork losangeles': 934209, 'newyork losangeles survivor2020': 561193, 'losangeles survivor2020 stayathome': 503404, 'survivor2020 stayathome btc': 829407, 'zandi': 1027222, 'mend': 528586, 'zandi it': 1027223, 'will because': 992785, 'likely problem': 492085, 'problem associated': 679470, 'the mend': 860481, 'mend only': 528587, 'only demand': 610325, 'will fix': 993450, 'zandi it will': 1027224, 'it will because': 462375, 'will because in': 992786, 'because in few': 119160, 'in few month': 422863, 'few month it': 303931, 'it is highly': 458974, 'is highly likely': 448466, 'highly likely problem': 396079, 'likely problem associated': 492086, 'problem associated with': 679471, 'on the mend': 604234, 'the mend only': 860482, 'mend only demand': 528588, 'only demand will': 610326, 'demand will fix': 236500, 'will fix oil': 993451, 'slice and': 773858, 'square this': 791498, 'this pizzeria': 889595, 'pizzeria is': 657222, 'order pizza': 618513, 'pizza inthistogether': 657173, 'inthistogether toiletpaper': 442320, 'slice and square': 773860, 'and square this': 72170, 'square this pizzeria': 791499, 'this pizzeria is': 889596, 'pizzeria is handing': 657223, 'handing out toilet': 376138, 'paper roll when': 640698, 'roll when you': 725595, 'you order pizza': 1020235, 'order pizza inthistogether': 618514, 'pizza inthistogether toiletpaper': 657174, 'hitman': 398548, 'reminder washyourhands': 710608, 'washyourhands plus': 967891, 'plus an': 661561, 'an informative': 56323, 'informative article': 438061, 'ultimate hitman': 939113, 'hitman woman': 398549, 'woman when': 1003667, 'daily reminder washyourhands': 224778, 'reminder washyourhands plus': 710609, 'washyourhands plus an': 967892, 'plus an informative': 661562, 'an informative article': 56324, 'informative article about': 438062, 'about how soap': 25472, 'how soap is': 408704, 'soap is the': 779048, 'is the ultimate': 452968, 'the ultimate hitman': 870313, 'ultimate hitman woman': 939114, 'hitman woman when': 398550, 'woman when it': 1003668, 'other unsung': 621162, 'reminder to acknowledge': 710600, 'to acknowledge the': 899997, 'acknowledge the truck': 29111, 'the truck driver': 870033, 'and other unsung': 68428, 'other unsung hero': 621163, 'restock store': 716911, 'scramble to restock': 742548, 'to restock store': 913412, 'restock store amid': 716912, 'were teetering': 980223, 'teetering between': 836596, 'between success': 128907, 'success and': 816180, 'and failure': 62614, 'failure business': 296267, 'must innovate': 546732, 'innovate and': 438834, 'survive state': 829234, 'ha forced the': 370666, 'forced the hand': 328611, 'hand of business': 375108, 'business that were': 144491, 'that were teetering': 847447, 'were teetering between': 980224, 'teetering between success': 836597, 'between success and': 128908, 'success and failure': 816181, 'and failure business': 62615, 'failure business must': 296268, 'business must innovate': 144076, 'must innovate and': 546733, 'innovate and adapt': 438835, 'adapt to survive': 31288, 'to survive state': 916046, 'to february': 905706, 'sale fell by': 732212, 'fell by in': 303182, 'by in the': 152888, 'in the three': 429608, 'the three month': 869518, 'three month to': 894003, 'month to february': 538082, 'to february 2020': 905707, 'sportswear': 790022, 'nike turn': 563233, 'during virus': 263387, 'virus shutdown': 958748, 'shutdown sportswear': 768101, 'sportswear firm': 790023, 'seen online': 747173, 'sale rise': 732495, '30 it': 17084, 'ride out': 721456, 'store shutdown': 810182, 'shutdown business': 768003, 'business technology': 144469, 'technology onlineshopping': 836344, 'onlineshopping retail': 609924, 'nike turn to': 563234, 'to digital sale': 904297, 'digital sale during': 242641, 'sale during virus': 732183, 'during virus shutdown': 263388, 'virus shutdown sportswear': 958749, 'shutdown sportswear firm': 768102, 'sportswear firm ha': 790024, 'firm ha seen': 308364, 'ha seen online': 371836, 'seen online sale': 747174, 'online sale rise': 608925, 'sale rise by': 732496, 'rise by more': 722805, 'than 30 it': 840225, '30 it ride': 17085, 'it ride out': 460766, 'ride out it': 721457, 'out it store': 626452, 'it store shutdown': 461299, 'store shutdown business': 810183, 'shutdown business technology': 768004, 'business technology onlineshopping': 144470, 'technology onlineshopping retail': 836345, 'real plague': 701304, 'plague is': 657963, 'medium panic': 527213, 'losing money': 503571, 'bank robbery': 110143, 'robbery and': 724662, 'and scaremongering': 71051, 'scaremongering it': 741057, 'it flu': 458044, 'flu that': 311474, 'new strain': 559670, 'cure since': 220806, 'january they': 464686, 'they tried': 883586, 'tried one': 931804, 'the real plague': 865231, 'real plague is': 701305, 'plague is the': 657965, 'the medium panic': 860434, 'medium panic buyer': 527214, 'buyer people losing': 149718, 'people losing money': 648713, 'losing money and': 503572, 'money and their': 536605, 'and their job': 73696, 'their job food': 873714, 'job food bank': 465818, 'food bank robbery': 313628, 'bank robbery and': 110144, 'robbery and scaremongering': 724663, 'and scaremongering it': 71052, 'scaremongering it flu': 741058, 'it flu that': 458045, 'flu that been': 311475, 'that been around': 842957, 'around for year': 93296, 'for year this': 328016, 'year this is': 1015018, 'this is new': 888329, 'is new strain': 449888, 'new strain and': 559671, 'strain and they': 812265, 've been looking': 952905, 'looking for cure': 502860, 'for cure since': 320489, 'cure since january': 220808, 'since january they': 770681, 'january they tried': 464687, 'they tried one': 883587, 'tried one this': 931805, 'one this week': 607248, '254': 16060, '110922066': 2630, 're seeking': 699468, 'seeking information': 746646, 'consumer wanting': 199468, 'of unfair': 592626, 'call 254': 155694, '254 110922066': 16061, '110922066 kenya': 2631, 'kenya richard': 472935, 'you re seeking': 1020737, 're seeking information': 699469, 'seeking information or': 746647, 'information or you': 437941, 're consumer wanting': 698460, 'consumer wanting to': 199469, 'wanting to report': 966310, 'report any kind': 711805, 'kind of unfair': 474951, 'of unfair trade': 592628, 'trade practice in': 928551, 'practice in the': 668594, 'in the advent': 428967, 'advent of 19': 33080, 'of 19 call': 579384, '19 call 254': 5587, 'call 254 110922066': 155695, '254 110922066 kenya': 16062, '110922066 kenya richard': 2632, 'buyer empty': 149636, 'world exploited': 1009531, 'exploited african': 292403, 'african farm': 35194, 'worker fill': 1006933, 'fill them': 305505, 'them protected': 876193, 'panic buyer empty': 637572, 'buyer empty supermarket': 149637, 'the world exploited': 871866, 'world exploited african': 1009532, 'exploited african farm': 292405, 'african farm worker': 35195, 'farm worker fill': 299212, 'worker fill them': 1006934, 'fill them protected': 305508, 'them protected from': 876194, 'prioritization': 678428, 'crisis nation': 217743, 'nation find': 552178, 'it leader': 459317, 'leader you': 483574, 'one thanks': 607169, 'for listening': 323001, 'the feedback': 855092, 'feedback re': 302431, 're exclusive': 698641, 'online prioritization': 608801, 'prioritization for': 678429, 'action ing': 30049, 'ing both': 438278, 'both stay': 136055, 'of crisis nation': 582176, 'crisis nation find': 217744, 'nation find it': 552179, 'find it leader': 306995, 'it leader you': 459318, 'leader you are': 483575, 'are one thanks': 88749, 'one thanks for': 607170, 'thanks for listening': 842067, 'for listening to': 323002, 'to the feedback': 916707, 'the feedback re': 855093, 'feedback re exclusive': 302432, 're exclusive shopping': 698642, 'shopping hour and': 762911, 'hour and online': 405407, 'and online prioritization': 68114, 'online prioritization for': 608802, 'prioritization for and': 678430, 'for and action': 319315, 'and action ing': 57631, 'action ing both': 30050, 'ing both stay': 438279, 'both stay blessed': 136056, 'reapply': 702827, 'store watched': 811161, 'watched people': 968664, 'people removing': 649273, 'removing glove': 710897, 'use phone': 949474, 'to reapply': 912874, 'reapply glove': 702828, 'glove inside': 352738, 'out pull': 627076, 'down mask': 256948, 'read label': 700391, 'then reach': 877458, 'reach up': 700014, 'reapply mask': 702830, 'out upside': 627758, 'upside dow': 947852, 'grocery store watched': 365934, 'store watched people': 811162, 'watched people removing': 968665, 'people removing glove': 649274, 'removing glove to': 710898, 'glove to use': 352979, 'to use phone': 918055, 'use phone to': 949475, 'phone to reapply': 655043, 'to reapply glove': 912875, 'reapply glove inside': 702829, 'glove inside out': 352739, 'inside out pull': 439355, 'out pull down': 627077, 'pull down mask': 688855, 'down mask to': 256949, 'mask to read': 519420, 'to read label': 912832, 'read label of': 700392, 'label of product': 478351, 'of product then': 588498, 'product then reach': 681714, 'then reach up': 877459, 'reach up with': 700015, 'with glove hand': 998623, 'glove hand to': 352707, 'hand to reapply': 375868, 'to reapply mask': 912876, 'reapply mask mask': 702831, 'mask mask on': 518954, 'mask on inside': 519051, 'inside out upside': 439357, 'out upside dow': 627759, 'trumpcovidfails': 934028, 'quarantine hat': 692245, 'hat trick': 378857, 'trick one': 931700, 'got tp': 358987, 'sanitizer feel': 734857, 'like deserve': 490110, 'deserve prize': 238105, 'prize like': 679078, 'like functional': 490289, 'functional gov': 341296, 'make buying': 509760, 'thing feel': 884320, 'game trumpcovidfails': 343275, 'scored the quarantine': 742398, 'the quarantine hat': 864968, 'quarantine hat trick': 692246, 'hat trick one': 378858, 'trick one stop': 931701, 'one stop and': 607110, 'stop and got': 804452, 'and got tp': 63868, 'got tp paper': 358988, 'hand sanitizer feel': 375398, 'sanitizer feel like': 734858, 'feel like deserve': 302707, 'like deserve prize': 490112, 'deserve prize like': 238106, 'prize like functional': 679079, 'like functional gov': 490290, 'functional gov that': 341297, 'gov that doesn': 359710, 'that doesn make': 843586, 'doesn make buying': 251877, 'make buying these': 509761, 'buying these three': 151203, 'these three thing': 880831, 'three thing feel': 894070, 'thing feel like': 884321, 'hunger game trumpcovidfails': 411118, 'check video': 174702, 'usa market': 948688, 'starvation houston': 795169, 'check video no': 174703, 'food in usa': 314981, 'in usa market': 430492, 'usa market due': 948689, 'panic we gonna': 638763, 'from starvation houston': 337409, 'starvation houston nofood': 795170, 'preferably': 669765, 'set hour': 753393, 'hour preferably': 405870, 'preferably in': 669768, 'population or': 664729, 'good clear': 356889, 'clear thinking': 181370, 'thinking 19': 885838, 'love this all': 504826, 'this all grocery': 886267, 'should have set': 766091, 'have set hour': 382484, 'set hour preferably': 753395, 'hour preferably in': 405871, 'preferably in the': 669769, 'the morning for': 860912, 'elderly population or': 270860, 'population or those': 664730, 'those with compromised': 892713, 'system to use': 831359, 'use the store': 949689, 'store that good': 810550, 'that good clear': 844045, 'good clear thinking': 356890, 'clear thinking 19': 181371, 'shopping arrives': 762071, 'arrives from': 93991, 'christmas ha': 178175, 'come early': 187281, 'early staysafe': 264704, 'staysafe stayhomesavelives': 798908, 'when your online': 984635, 'online shopping arrives': 609036, 'shopping arrives from': 762072, 'arrives from and': 93992, 'from and it': 334519, 'and it feel': 65527, 'feel like christmas': 302703, 'like christmas ha': 490005, 'christmas ha come': 178176, 'ha come early': 370202, 'come early staysafe': 187282, 'early staysafe stayhomesavelives': 264705, 'latecapitalism': 480938, 'dutton': 263542, 'rhyming': 720918, 'slang': 773525, 'auspolsocorrupt': 103105, 'farmer then': 299525, 'then gouging': 877219, 'gouging now': 359397, 'helped support': 391102, 'them through': 876440, 'drought etc': 260765, 'etc everyone': 282527, 'everyone screwing': 287350, 'screwing someone': 742838, 'in auspol2020': 420582, 'auspol2020 pricegouging': 103103, 'pricegouging latecapitalism': 677820, 'latecapitalism scottyfrommarketing': 480939, 'scottyfrommarketing thanks': 742496, 'for dutton': 320887, 'dutton rhyming': 263545, 'rhyming slang': 720919, 'slang peep': 773526, 'peep auspolsocorrupt': 646273, 'if shop are': 414791, 'shop are passing': 759909, 'are passing on': 88997, 'passing on price': 643387, 'on price why': 602922, 'why are farmer': 990771, 'are farmer then': 86497, 'farmer then gouging': 299526, 'then gouging now': 877220, 'gouging now we': 359398, 'we ve helped': 973676, 've helped support': 953260, 'helped support them': 391103, 'support them through': 826910, 'them through drought': 876441, 'through drought etc': 894434, 'drought etc everyone': 260766, 'etc everyone screwing': 282528, 'everyone screwing someone': 287351, 'screwing someone in': 742839, 'someone in auspol2020': 784509, 'in auspol2020 pricegouging': 420583, 'auspol2020 pricegouging latecapitalism': 103104, 'pricegouging latecapitalism scottyfrommarketing': 677821, 'latecapitalism scottyfrommarketing thanks': 480940, 'scottyfrommarketing thanks for': 742497, 'thanks for dutton': 842056, 'for dutton rhyming': 320888, 'dutton rhyming slang': 263546, 'rhyming slang peep': 720920, 'slang peep auspolsocorrupt': 773527, 'did little': 240675, 'and supported': 72858, 'supported some': 827064, 'felt good': 303386, 'good buylocal': 356859, 'did little online': 240676, 'shopping today and': 764203, 'today and supported': 919225, 'and supported some': 72859, 'supported some of': 827065, 'my favorite local': 548272, 'favorite local store': 300527, 'local store it': 498467, 'store it felt': 808571, 'it felt good': 457982, 'felt good buylocal': 303387, 'ok we': 597936, 'hand disinfect': 374891, 'safe nothing': 729843, 'nothing new': 573116, 'about fresh': 25280, 'fruit bread': 339080, 'cannot disinfect': 161751, 'disinfect them': 245579, 'ok we stay': 597937, 'we stay home': 973387, 'home wash our': 402444, 'our hand disinfect': 623347, 'hand disinfect everything': 374892, 'disinfect everything and': 245543, 'everything and be': 287682, 'and be safe': 58765, 'be safe nothing': 116964, 'safe nothing new': 729844, 'nothing new for': 573117, 'new for me': 558748, 'for me but': 323306, 'me but what': 522539, 'what about fresh': 980972, 'about fresh vegetable': 25281, 'fresh vegetable fruit': 333102, 'vegetable fruit bread': 953990, 'fruit bread you': 339081, 'bread you cannot': 138650, 'you cannot disinfect': 1017853, 'cannot disinfect them': 161752, 'disinfect them so': 245580, 'them so we': 876295, 'hand of grocery': 375111, 'store employee 19': 807450, 'actually helping': 30840, 'helping senior': 391459, 'senior let': 750345, 'checkout iceland': 174930, 'see that some': 745797, 'store are actually': 806453, 'are actually helping': 84215, 'actually helping senior': 30841, 'helping senior let': 391462, 'senior let see': 750346, 'tear at checkout': 835929, 'at checkout iceland': 98247, 'checkout iceland store': 174931, 'store open for': 809259, 'open for senior': 612259, 'for senior only': 325469, 'achat': 29005, 'cois': 185697, 'faire': 296406, 'leur': 487475, 'aider': 39510, 'entreprises': 278975, 'ciblant': 178452, 'produits': 682328, 'chaque': 173144, 'compte': 192699, 'appuyer': 83351, 'locaux': 499006, 'stimulant': 801472, 'notre': 573625, 'conomie': 194749, 'achat local': 29006, 'local le': 498146, 'le encourage': 482943, 'encourage le': 275596, 'le qu': 483095, 'qu cois': 691628, 'cois faire': 185698, 'faire leur': 296409, 'leur part': 487476, 'part pour': 642415, 'pour aider': 667427, 'aider le': 39511, 'le entreprises': 482945, 'entreprises ici': 278976, 'ici en': 412736, 'en ciblant': 275372, 'ciblant le': 178453, 'le produits': 483091, 'produits et': 682329, 'et le': 282363, 'le commerce': 482875, 'commerce du': 188545, 'du qu': 261436, 'bec chaque': 118852, 'chaque dollar': 173145, 'dollar compte': 252967, 'compte pour': 192700, 'pour appuyer': 667432, 'appuyer no': 83352, 'no produits': 565215, 'produits locaux': 682331, 'locaux tout': 499007, 'tout en': 927065, 'en stimulant': 275403, 'stimulant notre': 801473, 'notre conomie': 573626, 'achat local le': 29007, 'local le encourage': 498147, 'le encourage le': 482944, 'encourage le qu': 275597, 'le qu cois': 483096, 'qu cois faire': 691629, 'cois faire leur': 185699, 'faire leur part': 296410, 'leur part pour': 487477, 'part pour aider': 642416, 'pour aider le': 667428, 'aider le entreprises': 39512, 'le entreprises ici': 482946, 'entreprises ici en': 278977, 'ici en ciblant': 412737, 'en ciblant le': 275373, 'ciblant le produits': 178454, 'le produits et': 483092, 'produits et le': 682330, 'et le commerce': 282364, 'le commerce du': 482876, 'commerce du qu': 188546, 'du qu bec': 261437, 'qu bec chaque': 691627, 'bec chaque dollar': 118853, 'chaque dollar compte': 173146, 'dollar compte pour': 252968, 'compte pour appuyer': 192701, 'pour appuyer no': 667433, 'appuyer no produits': 83353, 'no produits locaux': 565216, 'produits locaux tout': 682332, 'locaux tout en': 499008, 'tout en stimulant': 927066, 'en stimulant notre': 275404, 'stimulant notre conomie': 801474, 'rumour the': 727531, 'rumour flying': 727516, 'around is': 93358, 'see hiked': 745198, 'is the rumour': 452928, 'the rumour the': 866072, 'rumour the situation': 727533, 'the situation right': 867274, 'now is critical': 575064, 'but the rumour': 147402, 'the rumour flying': 866070, 'rumour flying around': 727517, 'flying around is': 311667, 'around is making': 93359, 'you see hiked': 1021040, 'see hiked price': 745199, 'essential good because': 281086, 'good because they': 356818, 'are saying the': 89825, 'what is gonna': 981694, 'is gonna come': 448127, 'power move': 667643, 'move walk': 543778, 'supermarket holding': 820776, 'holding pack': 400143, 'power move walk': 667644, 'move walk into': 543779, 'into supermarket holding': 443046, 'supermarket holding pack': 820777, 'holding pack of': 400144, 'paper then just': 640888, 'then just walk': 877296, 'just walk around': 470204, 'walk around all': 964741, 'around all day': 93179, 'hangry': 376984, 'god if': 354743, 're permitted': 699256, 'permitted and': 652167, 'and able': 57536, 'stockpiling all': 803901, 'the bloody': 849791, 'bloody bacon': 133175, 'bacon self': 107644, 'get bacon': 346636, 'delivery hangry': 234082, 'of god if': 584176, 'god if you': 354744, 'you re permitted': 1020702, 're permitted and': 699257, 'permitted and able': 652168, 'and able to': 57538, 'to supermarket stop': 915840, 'supermarket stop stockpiling': 822993, 'stop stockpiling all': 805076, 'stockpiling all the': 803902, 'all the bloody': 44675, 'the bloody bacon': 849792, 'bloody bacon self': 133176, 'bacon self isolating': 107645, 'isolating and can': 455053, 'can get bacon': 158408, 'get bacon in': 346637, 'bacon in my': 107636, 'in my delivery': 425563, 'my delivery hangry': 547978, 'about supermarket delivery': 26281, 'navigate to': 553102, 'norm insight': 567043, 'navigate to the': 553103, 'new norm insight': 559142, 'norm insight from': 567044, 'are skilled': 90152, 'worker right': 1007697, '2020 during': 14284, 'this pamdemic': 889361, 'pamdemic we': 634649, 'working directly': 1008590, 'very strained': 955584, 'strained public': 812321, 'public not': 688177, 'potentially carrying': 667194, 'carrying it': 165189, 'worker are skilled': 1006424, 'are skilled worker': 90153, 'skilled worker right': 773012, 'worker right now': 1007698, 'now in 2020': 574991, 'in 2020 during': 419833, '2020 during this': 14285, 'during this pamdemic': 263306, 'this pamdemic we': 889362, 'pamdemic we are': 634650, 'are working directly': 91692, 'working directly with': 1008591, 'directly with very': 243598, 'with very strained': 1001977, 'very strained public': 955585, 'strained public not': 812322, 'public not only': 688179, 'only are being': 610110, 'are being exposed': 84856, 'the and potentially': 848716, 'and potentially carrying': 69267, 'potentially carrying it': 667195, 'carrying it home': 165190, 'it home to': 458617, 'home to our': 402333, 'to our loved': 911206, 'increasing fear': 433609, 'fear spark': 301334, 'spark personal': 787546, 'are increasing fear': 87484, 'increasing fear spark': 433611, 'fear spark personal': 301336, 'spark personal safety': 787547, 'crisis cleaner': 217219, 'frontline when': 338852, 'condition they': 193543, 'deserve owen': 238096, 'jones the': 467261, 'guardian 21': 367884, '20 coronacrisisuk': 13010, 'of this coronavirus': 591956, 'this coronavirus crisis': 886895, 'coronavirus crisis cleaner': 205743, 'crisis cleaner and': 217220, 'cleaner and supermarket': 180747, 'the frontline when': 855890, 'frontline when this': 338853, 'over let fight': 630359, 'let fight for': 486715, 'fight for the': 304748, 'for the wage': 326768, 'the wage and': 871021, 'wage and condition': 963806, 'and condition they': 60266, 'condition they deserve': 193544, 'they deserve owen': 881902, 'deserve owen jones': 238097, 'owen jones the': 631840, 'jones the guardian': 467262, 'the guardian 21': 856906, 'guardian 21 03': 367885, '21 03 20': 14948, '03 20 coronacrisisuk': 849, 'of guessing': 584380, 'guessing game': 368124, 'begun moving': 123717, 'moving their': 544195, 'store in person': 808371, 'person is bit': 652501, 'bit of guessing': 131644, 'of guessing game': 584381, 'guessing game to': 368125, 'game to deal': 343270, 'of this uncertainty': 592061, 'this uncertainty people': 890900, 'uncertainty people have': 939742, 'people have begun': 648165, 'have begun moving': 379755, 'begun moving their': 123718, 'moving their grocery': 544196, 'online in drove': 608394, 'little whiskey': 495650, 'whiskey can': 987761, 'life this': 489115, 'save but': 737485, 'sanitizer and little': 734415, 'and little whiskey': 66246, 'little whiskey can': 495651, 'whiskey can go': 987762, 'can go long': 158502, 'long way thanks': 501826, 'thanks for doing': 842055, 'doing this we': 252774, 'this we will': 891157, 'will never know': 994167, 'never know exactly': 558088, 'exactly how many': 288735, 'how many life': 408268, 'many life this': 514231, 'life this will': 489118, 'this will save': 891442, 'will save but': 994739, 'save but it': 737486, 'be at least': 113734, 'least and that': 484388, 'that is enough': 844580, 'gee': 345036, 'gee with': 345037, 'you forgot': 1018695, 'include my': 431600, 'stock dump': 802066, 'dump sale': 262184, 'were strong': 980188, 'gee with the': 345038, 'are growing you': 86978, 'growing you forgot': 367260, 'you forgot to': 1018697, 'forgot to include': 329416, 'to include my': 908249, 'include my stock': 431601, 'my stock dump': 550206, 'stock dump sale': 802067, 'dump sale were': 262185, 'sale were strong': 732644, 'uk in': 938472, 'responded and': 715341, 'the uk in': 870237, 'uk in lockdown': 938473, 'in lockdown here': 424843, 'how supermarket have': 408765, 'supermarket have responded': 820704, 'have responded and': 382293, 'responded and how': 715342, 'how online delivery': 408442, 'online delivery may': 608085, 'delivery may not': 234173, 'the best bet': 849491, 'doing scammer': 252638, 'what the is': 982328, 'the is doing': 858489, 'is doing scammer': 447288, 'quackery': 691639, 'gray': 362461, 'holland barrett': 400425, 'barrett allowed': 111322, 'advertising covid': 33217, 'boosting quackery': 135083, 'quackery nothing': 691644, 'nothing they': 573179, 'be sourced': 117318, 'sourced from': 786595, 'from pharmacy': 336911, 'delivered online': 233368, 'many gray': 514104, 'gray area': 362462, 'area about': 91909, 'holland barrett allowed': 400426, 'barrett allowed to': 111323, 'allowed to remain': 46243, 'open and advertising': 612048, 'and advertising covid': 57719, 'advertising covid 19': 33218, '19 immunity boosting': 7685, 'immunity boosting quackery': 417399, 'boosting quackery nothing': 135084, 'quackery nothing they': 691645, 'nothing they stock': 573180, 'they stock cannot': 883472, 'cannot be sourced': 161648, 'be sourced from': 117319, 'sourced from pharmacy': 786597, 'from pharmacy supermarket': 336912, 'pharmacy supermarket or': 654491, 'supermarket or delivered': 821800, 'or delivered online': 614926, 'delivered online there': 233370, 'online there still': 609548, 'there still too': 879108, 'still too many': 801324, 'too many gray': 924887, 'many gray area': 514105, 'gray area about': 362463, 'doorstop': 255881, 'milkman we': 531941, 'got milk': 358704, 'cheese yoghurt': 175230, 'yoghurt juice': 1016514, 'juice doorstop': 467741, 'doorstop delivered': 255882, 'delivered prior': 233379, 'supermarket make': 821436, 'think milkman': 885400, 'wonder if people': 1003974, 'if people will': 414637, 'people will go': 650391, 'back to using': 107405, 'to using their': 918091, 'using their local': 950727, 'their local milkman': 873873, 'local milkman we': 498187, 'milkman we ve': 531942, 've got milk': 953186, 'got milk egg': 358706, 'milk egg bread': 531655, 'egg bread cheese': 269800, 'bread cheese yoghurt': 138440, 'cheese yoghurt juice': 175231, 'yoghurt juice doorstop': 1016515, 'juice doorstop delivered': 467742, 'doorstop delivered prior': 255883, 'delivered prior to': 233380, 'prior to that': 678380, 'to that we': 916464, 'that we use': 847400, 'we use supermarket': 973616, 'use supermarket make': 949622, 'supermarket make you': 821438, 'make you think': 510751, 'you think milkman': 1021667, 'ups impossible': 947752, 'impossible covod19': 419365, 'self distancing doesn': 747611, 'distancing doesn work': 247111, 'store line ups': 808760, 'line ups impossible': 493534, 'ups impossible covod19': 947753, 'seeing or': 746395, 'or hearing': 615620, 'are wanting': 91528, 'can due': 158169, 'crisis want': 218331, 'go fill': 353535, 'fill shelf': 305487, 'favorite grocery': 300519, 'know shouldn': 476716, 'you seeing or': 1021084, 'seeing or hearing': 746396, 'or hearing that': 615621, 'hearing that senior': 388246, 'that senior are': 846196, 'senior are wanting': 750218, 'are wanting to': 91529, 'wanting to get': 966303, 'and help where': 64480, 'we can due': 970937, 'can due to': 158170, 'the crisis want': 852473, 'crisis want to': 218332, 'to go fill': 906795, 'go fill shelf': 353536, 'fill shelf at': 305488, 'at my favorite': 99811, 'my favorite grocery': 548270, 'favorite grocery store': 300520, 'store so bad': 810214, 'so bad but': 776578, 'bad but know': 107798, 'but know shouldn': 146237, 'how lockdown': 408186, 'being practiced': 125567, 'practiced in': 668712, 'police should': 663201, 'uk would': 938919, 'stop supermarket': 805090, 'supermarket nonsense': 821628, 'nonsense and': 566720, 'stupid irresponsible': 815408, 'irresponsible people': 445067, 'risking all': 724056, 'thought please': 893181, 'this how lockdown': 887971, 'how lockdown is': 408188, 'lockdown is being': 499539, 'is being practiced': 446096, 'being practiced in': 125568, 'practiced in by': 668713, 'in by police': 421111, 'by police should': 153609, 'police should we': 663203, 'do this in': 250354, 'this in uk': 888059, 'in uk would': 430401, 'uk would this': 938920, 'to stop supermarket': 915580, 'stop supermarket nonsense': 805092, 'supermarket nonsense and': 821629, 'nonsense and spread': 566721, 'and spread of': 72147, 'of and stupid': 580184, 'and stupid irresponsible': 72623, 'stupid irresponsible people': 815409, 'irresponsible people risking': 445068, 'people risking all': 649315, 'risking all our': 724057, 'all our life': 43813, 'our life your': 623741, 'life your thought': 489250, 'your thought please': 1026149, 'nami': 551735, 'yuu': 1027129, 'asikho': 95452, 'supermarket cash': 819545, 'register operator': 707593, 'operator please': 613390, 'use disinfectant': 949160, 'when receiving': 983929, 'receiving our': 703788, 'bank card': 109709, 'card behind': 163473, 'mouth while': 543580, 'while holding': 986920, 'card follow': 163517, 'him nami': 396665, 'nami with': 551738, 'to swipe': 916095, 'swipe yuu': 830434, 'yuu asikho': 1027130, 'asikho safe': 95453, 'dear supermarket cash': 229891, 'supermarket cash register': 819546, 'cash register operator': 166323, 'register operator please': 707594, 'operator please use': 613391, 'please use disinfectant': 660709, 'use disinfectant when': 949161, 'disinfectant when receiving': 245802, 'when receiving our': 983930, 'receiving our bank': 703789, 'our bank card': 622161, 'bank card behind': 109712, 'card behind someone': 163474, 'behind someone in': 124699, 'someone in supermarket': 784520, 'in supermarket coughing': 428580, 'supermarket coughing into': 819821, 'coughing into one': 208694, 'into one hand': 442806, 'one hand to': 606401, 'hand to cover': 375858, 'to cover their': 903662, 'their mouth while': 874024, 'mouth while holding': 543581, 'while holding their': 986923, 'holding their bank': 400177, 'their bank card': 872552, 'bank card and': 109711, 'card and bank': 163448, 'and bank card': 58680, 'bank card follow': 109713, 'card follow him': 163518, 'follow him nami': 312415, 'him nami with': 396666, 'nami with my': 551739, 'my card to': 547612, 'card to swipe': 163688, 'to swipe yuu': 916097, 'swipe yuu asikho': 830435, 'yuu asikho safe': 1027131, 'ffs people': 304318, 'buying cannot': 150092, 'your thick': 1026139, 'thick skull': 883992, 'skull that': 773175, 'by flooding': 152601, '20 time': 13385, 'normal number': 567225, 'virus use': 958968, 'loaf if': 497361, 'ffs people stop': 304319, 'panic buying cannot': 637672, 'buying cannot you': 150093, 'cannot you get': 162240, 'get it through': 347430, 'through your thick': 894929, 'your thick skull': 1026140, 'thick skull that': 883993, 'skull that by': 773176, 'that by flooding': 843075, 'by flooding the': 152602, 'flooding the supermarket': 310761, 'supermarket with 20': 823908, 'with 20 time': 996979, '20 time the': 13386, 'the normal number': 861864, 'normal number of': 567226, 'you are accelerating': 1017048, 'accelerating the spread': 27921, 'the virus use': 870912, 'virus use your': 958969, 'your loaf if': 1024673, 'loaf if you': 497362, 'one and shop': 605908, 'finalising': 305908, 'nation were': 552376, 'were finalising': 979623, 'finalising deal': 305909, 'deal at': 229344, 'at g20': 98732, 'g20 talk': 342672, 'big output': 129897, 'lift price': 489450, 'arabia taking': 83938, 'taking read': 833540, 'oil nation were': 596970, 'nation were finalising': 552377, 'were finalising deal': 979624, 'finalising deal at': 305910, 'deal at g20': 229345, 'at g20 talk': 98733, 'g20 talk on': 342673, 'on friday for': 601001, 'friday for big': 333223, 'for big output': 319675, 'big output cut': 129898, 'cut to lift': 223602, 'to lift price': 909263, 'lift price slammed': 489453, 'crisis with russia': 218431, 'with russia and': 1000531, 'saudi arabia taking': 737216, 'arabia taking read': 83939, 'taking read more': 833541, 'after widespread': 36542, 'piling demand': 656578, 'meat product': 525717, 'shifted here': 758491, 'here nick': 393382, 'nick allen': 562576, 'allen ceo': 45737, 'info detail': 437467, 'detail the': 239257, 'livestock industry': 496272, 'after widespread panic': 36543, 'widespread panic buying': 991857, 'buying and frozen': 149907, 'and frozen food': 63363, 'frozen food stock': 338980, 'food stock piling': 316805, 'stock piling demand': 802656, 'piling demand for': 656579, 'for meat product': 323366, 'meat product ha': 525718, 'product ha shifted': 681242, 'ha shifted here': 371903, 'shifted here nick': 758492, 'here nick allen': 393383, 'nick allen ceo': 562577, 'allen ceo of': 45738, 'ceo of the': 169791, 'of the info': 591144, 'the info detail': 858245, 'info detail the': 437468, 'detail the implication': 239258, 'implication for the': 418555, 'for the meat': 326553, 'meat and livestock': 525476, 'and livestock industry': 66260, 'kenyan factory': 472968, 'factory have': 295954, 'have ruled': 382367, 'ruled out': 727428, 'out shortage': 627189, 'about weak': 26857, 'family grappling': 297856, 'with depressed': 998005, 'depressed earnings': 237582, 'earnings due': 264899, 'outbreak reduce': 628577, 'reduce import': 705857, 'import produce': 418660, 'produce locally': 680339, 'locally kenya': 498761, 'kenyan factory have': 472969, 'factory have ruled': 295955, 'have ruled out': 382368, 'ruled out shortage': 727429, 'out shortage of': 627190, 'term but are': 838078, 'but are more': 145214, 'are more worried': 88128, 'worried about weak': 1010529, 'about weak demand': 26858, 'weak demand with': 974011, 'demand with family': 236511, 'with family grappling': 998378, 'family grappling with': 297857, 'grappling with depressed': 362202, 'with depressed earnings': 998006, 'depressed earnings due': 237583, 'earnings due to': 264900, 'the outbreak reduce': 862687, 'outbreak reduce import': 628578, 'reduce import produce': 705858, 'import produce locally': 418661, 'produce locally kenya': 680340, 'current property': 221326, 'given too': 351191, 'much importance': 545004, 'importance due': 418688, 'market effect': 516328, 'manager ha': 512718, 'said read': 731331, 'article today': 94489, 'current property price': 221327, 'property price should': 684339, 'not be given': 568389, 'be given too': 115035, 'given too much': 351192, 'too much importance': 924925, 'much importance due': 545005, 'importance due to': 418689, 'the market effect': 860106, 'market effect of': 516329, '19 fund manager': 7169, 'fund manager ha': 341456, 'manager ha said': 512720, 'ha said read': 371795, 'said read this': 731332, 'this article today': 886434, 'thrum': 895251, 'have packed': 381865, 'packed my': 633627, 'my headphone': 548638, 'headphone for': 386022, 'queue how': 693948, 'cheap is': 174132, 'is diesel': 447164, 'diesel right': 241693, 'many bird': 513825, 'bird can': 131332, 'hear without': 388027, 'the thrum': 869533, 'thrum of': 895252, 'in week should': 430766, 'week should have': 976870, 'should have packed': 766089, 'have packed my': 381866, 'packed my headphone': 633628, 'my headphone for': 548639, 'headphone for the': 386023, 'supermarket queue how': 822121, 'queue how cheap': 693949, 'how cheap is': 407547, 'cheap is diesel': 174133, 'is diesel right': 447165, 'diesel right now': 241694, 'right now how': 722080, 'now how many': 574955, 'how many bird': 408247, 'many bird can': 513826, 'bird can hear': 131333, 'can hear without': 158600, 'hear without the': 388028, 'without the thrum': 1002982, 'the thrum of': 869534, 'thrum of car': 895253, 'pattern week': 644523, 'disinfectant week': 245796, 'week toilet': 977107, 'paper week': 641069, 'week spiral': 976907, 'spiral ham': 789426, 'ham and': 374527, 'baking yeast': 108935, 'yeast week': 1015159, 'week hair': 976301, 'and hair': 64110, 'hair clipper': 373965, 'buying pattern week': 150892, 'pattern week hand': 644524, 'hand sanitizer soap': 375592, 'sanitizer soap and': 735757, 'and disinfectant week': 61454, 'disinfectant week toilet': 245797, 'week toilet paper': 977109, 'toilet paper week': 921521, 'paper week spiral': 641070, 'week spiral ham': 976908, 'spiral ham and': 789427, 'ham and baking': 374528, 'and baking yeast': 58669, 'baking yeast week': 108937, 'yeast week hair': 1015160, 'week hair dye': 976302, 'dye and hair': 263763, 'and hair clipper': 64111, 'to killing': 908949, 'killing american': 474657, 'american with': 52313, 'your slow': 1025831, 'slow incompetent': 774361, 'incompetent response': 432539, 're bragging': 698381, 'our gasoline': 623232, 'up wow': 946711, 'great president': 362903, 'president you': 670981, 'are ha': 86983, 'so in addition': 777382, 'addition to killing': 31738, 'to killing american': 908950, 'killing american with': 474658, 'american with your': 52315, 'with your slow': 1002234, 'your slow incompetent': 1025832, 'slow incompetent response': 774362, 'incompetent response to': 432540, '19 and destroying': 5011, 'and destroying our': 61284, 'destroying our economy': 239086, 'our economy now': 622848, 'economy now you': 268107, 'you re bragging': 1020579, 're bragging about': 698382, 'bragging about our': 137563, 'about our gasoline': 25892, 'our gasoline price': 623233, 'gasoline price going': 344260, 'price going back': 674210, 'going back up': 355048, 'back up wow': 107435, 'up wow what': 946712, 'wow what great': 1012621, 'what great president': 981519, 'great president you': 362904, 'president you are': 670982, 'you are ha': 1017134, 'ominous': 598932, 'wetmarket': 980786, 'largest meat': 479975, 'meat producer': 525714, 'ha ominous': 371428, 'ominous warning': 598933, 'supply chinese': 825078, 'chinese owned': 177314, 'owned smithfield': 632352, 'smithfield meat': 775824, 'meat close': 525522, 'usa 300': 948569, 'with wetmarket': 1002064, 'wetmarket virus': 980787, 'america obama': 51630, 'obama sold': 578333, 'china donaldtrump': 176621, 'one of america': 606734, 'america largest meat': 51592, 'largest meat producer': 479976, 'meat producer ha': 525716, 'producer ha ominous': 680631, 'ha ominous warning': 371429, 'ominous warning about': 598934, 'store supply chinese': 810472, 'supply chinese owned': 825080, 'chinese owned smithfield': 177315, 'owned smithfield meat': 632353, 'smithfield meat close': 775826, 'meat close in': 525523, 'close in usa': 182677, 'in usa 300': 430483, 'usa 300 employee': 948570, '300 employee tested': 17301, 'tested positive with': 839358, 'positive with wetmarket': 665493, 'with wetmarket virus': 1002065, 'wetmarket virus in': 980788, 'virus in america': 958320, 'in america obama': 420233, 'america obama sold': 51631, 'obama sold out': 578334, 'out to china': 627629, 'to china donaldtrump': 902724, 'not shut': 571575, 'shut them': 767951, 'like the retail': 491395, 'the retail version': 865733, 'of the why': 591618, 'the why not': 871526, 'why not shut': 991232, 'not shut them': 571576, 'shut them down': 767952, 'them down store': 875627, 'down store wa': 257220, 'store wa packed': 811119, 'packed and they': 633589, 'they aren practicing': 881482, 'aren practicing social': 92483, 'practicing social distance': 668741, 'service sharply': 752817, 'sharply raise': 755760, 'price asked': 672779, 'asked in': 95779, 'profiteering price gouging': 683090, 'or service sharply': 617024, 'service sharply raise': 752818, 'sharply raise the': 755761, 'the price asked': 864331, 'price asked in': 672780, 'asked in anticipation': 95780, 'useful insight': 950172, 'market intelligence': 516604, 'intelligence team': 441012, 'team around': 835594, 'around 19': 93114, '19 showing': 10514, 'service outlet': 752678, 'outlet each': 629038, '10 increase': 1479, 'useful insight from': 950174, 'our market intelligence': 623866, 'market intelligence team': 516606, 'intelligence team around': 441013, 'team around 19': 835595, 'around 19 showing': 93115, '19 showing that': 10515, 'showing that around': 767516, 'that around million': 842871, 'around million litre': 93399, 'of milk is': 586514, 'milk is sold': 531714, 'is sold to': 452072, 'sold to food': 781788, 'food service outlet': 316426, 'service outlet each': 752679, 'outlet each week': 629039, 'each week which': 264332, 'week which could': 977233, 'which could be': 985776, 'could be taken': 208929, 'be taken up': 117507, 'taken up by': 833116, 'up by 10': 944538, 'by 10 increase': 151513, '10 increase in': 1480, 'increase in retail': 432863, 'retail demand read': 718030, 'mall can': 511763, 'short lift': 764635, 'lift of': 489444, 'take attract': 831957, 'attract the': 102704, 'most desirable': 542248, 'desirable brand': 238410, 'brand increase': 137869, 'increase online': 432958, 'order capacity': 618119, 'capacity rethink': 162570, 'rethink home': 719647, 'collect business': 186265, 'business management': 144031, 'management tip': 512644, 'tip retail': 898884, 'how the shopping': 408874, 'the shopping mall': 867067, 'shopping mall can': 763229, 'mall can survive': 511764, '19 here is': 7512, 'here is short': 393246, 'is short lift': 451878, 'short lift of': 764636, 'lift of action': 489445, 'of action to': 579753, 'action to take': 30177, 'to take attract': 916161, 'take attract the': 831958, 'attract the most': 102705, 'the most desirable': 860970, 'most desirable brand': 542249, 'desirable brand increase': 238411, 'brand increase online': 137870, 'increase online order': 432959, 'online order capacity': 608682, 'order capacity rethink': 618120, 'capacity rethink home': 162571, 'rethink home delivery': 719648, 'and click collect': 59981, 'click collect business': 181894, 'collect business management': 186266, 'business management tip': 144033, 'management tip retail': 512645, '00 indiana': 274, 'indiana student': 434928, 'student receive': 814760, 'receive subsidized': 703545, 'subsidized meal': 815997, 'fall many': 296985, 'who used': 989865, 'financially stable': 306686, 'stable are': 791895, 'now looking': 575255, 'than 500 00': 840266, '500 00 indiana': 19931, '00 indiana student': 275, 'indiana student receive': 434929, 'student receive subsidized': 814761, 'receive subsidized meal': 703546, 'subsidized meal at': 815998, 'meal at school': 524110, 'at school and': 100471, 'school and with': 741692, 'with the american': 1001201, 'american economy in': 51933, 'economy in free': 267968, 'free fall many': 331808, 'fall many family': 296986, 'many family who': 514059, 'family who used': 298379, 'who used to': 989866, 'to be financially': 901256, 'be financially stable': 114848, 'financially stable are': 306687, 'stable are now': 791896, 'are now looking': 88568, 'now looking for': 575257, 'out work': 627884, 'it madness': 459499, 'week not': 976580, 'chill out work': 176375, 'out work in': 627885, 'store it madness': 808583, 'it madness you': 459500, 'madness you only': 508225, 'only need enough': 610810, 'need enough for': 554738, 'for week not': 327734, 'week not year': 976583, 'not year we': 572590, 'year we also': 1015083, 'also have delivery': 48327, 'service that can': 752917, 'to you if': 918903, 'out of something': 626834, 'do lot': 249575, 'company started': 191108, 'started having': 794744, 'having sale': 384253, 'all website': 45415, 'website type': 975458, 'type sale': 937604, 'sale lol': 732345, 'would do lot': 1011767, 'do lot more': 249576, 'online shopping right': 609254, 'shopping right now': 763772, 'now if company': 574970, 'if company started': 413975, 'company started having': 191110, 'started having sale': 794745, 'having sale like': 384254, 'sale like 50': 732338, 'like 50 off': 489705, '50 off all': 19778, 'off all website': 593628, 'all website type': 45416, 'website type sale': 975459, 'type sale lol': 937605, 'uk asda': 938195, 'asda ha': 94920, 'hire more': 397016, 'temporary employee': 837610, '20 company': 13004, 'company nationally': 190901, 'nationally to': 552699, 'in staff': 428225, 'from industry': 336045, 'uk asda ha': 938196, 'asda ha announced': 94921, 'ha announced plan': 369563, 'to hire more': 907797, 'hire more than': 397017, 'than 00 temporary': 840138, '00 temporary employee': 506, 'temporary employee who': 837612, 'employee who have': 274427, 'supermarket is working': 821138, 'working with more': 1009063, 'than 20 company': 840190, '20 company nationally': 13005, 'company nationally to': 190902, 'nationally to bring': 552700, 'bring in staff': 140000, 'in staff from': 428227, 'staff from industry': 792478, 'from industry including': 336046, 'food and travel': 313369, 'sanitiser production': 734010, 'ha effectively': 370474, 'his effort': 397377, 'improve another': 419515, 'ha continued': 370237, 'deliver supply': 233216, 'to hand sanitiser': 907119, 'hand sanitiser production': 375243, 'sanitiser production is': 734011, 'production is much': 682090, 'much more creative': 545103, 'most he ha': 542374, 'he ha effectively': 385021, 'ha effectively leveraged': 370475, 'leveraged his effort': 487799, 'his effort to': 397378, 'effort to improve': 269628, 'to improve another': 908202, 'improve another industry': 419516, 'hospitality industry and': 404780, 'industry and ha': 435639, 'and ha continued': 64067, 'ha continued to': 370238, 'continued to deliver': 201355, 'to deliver supply': 904114, 'deliver supply to': 233217, 'individually': 435301, 'change ha': 172065, 'taken due': 832989, 'serve area': 751866, 'area closed': 91975, 'more demo': 538997, 'demo no': 236673, 'more tasting': 540523, 'tasting individually': 834813, 'individually packaged': 435302, 'packaged bagel': 633465, 'bagel disinfecting': 108472, 'disinfecting constantly': 245842, 'constantly all': 195644, 'employee wearing': 274397, 'hand opening': 375148, 'change ha taken': 172066, 'ha taken due': 372143, 'taken due to': 832990, 'the self serve': 866656, 'self serve area': 747900, 'serve area closed': 751867, 'area closed no': 91976, 'closed no more': 183241, 'no more demo': 564802, 'more demo no': 538998, 'demo no more': 236674, 'no more tasting': 564822, 'more tasting individually': 540524, 'tasting individually packaged': 834814, 'individually packaged bagel': 435303, 'packaged bagel disinfecting': 633466, 'bagel disinfecting constantly': 108473, 'disinfecting constantly all': 245843, 'constantly all employee': 195645, 'all employee wearing': 42682, 'employee wearing glove': 274399, 'wearing glove washing': 974644, 'glove washing hand': 353013, 'washing hand opening': 967675, 'hand opening early': 375149, 'whammy covid': 980930, 'reduced oil': 706121, 'non opec': 566449, 'production level': 682106, 'level halved': 487572, 'halved price': 374519, 'january oilprices': 464673, 'oilprices oilpricewar': 597680, 'double whammy covid': 256088, 'whammy covid 19': 980931, '19 reduced oil': 10020, 'reduced oil demand': 706122, 'demand and failure': 234963, 'and failure of': 62616, 'failure of opec': 296283, 'of opec and': 587284, 'opec and non': 611842, 'and non opec': 67676, 'non opec group': 566450, 'opec group to': 611896, 'group to cut': 366930, 'cut production level': 223506, 'production level halved': 682107, 'level halved price': 487573, 'halved price since': 374520, 'since january oilprices': 770678, 'january oilprices oilpricewar': 464674, 'asked trump': 95884, 'some idiot just': 783073, 'idiot just asked': 413536, 'just asked trump': 468231, 'asked trump why': 95886, 'trump why supermarket': 933980, 'why supermarket restaurant': 991392, 'supermarket restaurant are': 822215, 'restaurant are not': 716311, 'are not closed': 88341, 'not closed what': 568781, 'closed what wrong': 183438, 'join here': 466741, 'here friend': 393024, 'puzzle join here': 691327, 'join here friend': 466742, 'polled': 663868, 'nearly two': 553865, 'two third': 937268, 'their have': 873495, 'confidence is': 193907, 'being shaken': 125769, 'shaken 70': 754434, 'american polled': 52139, 'polled are': 663869, 'future due': 342305, 'nearly two third': 553866, 'two third of': 937271, 'third of american': 886084, 'american say their': 52183, 'say their have': 739314, 'their have been': 873496, 'the crisis consumer': 852359, 'crisis consumer confidence': 217240, 'consumer confidence is': 196907, 'confidence is being': 193909, 'is being shaken': 446113, 'being shaken 70': 125770, 'shaken 70 of': 754435, 'of american polled': 580069, 'american polled are': 52140, 'polled are concerned': 663870, 'financial future due': 306421, 'future due to': 342306, 'had million': 373304, 'of piece': 588117, 'ppe delivered': 667930, 'hospital many': 404506, 'many hospital': 514146, 'hospital saying': 404594, 'plenty so': 660996, 'it which': 462347, 'which hospital': 985937, 'why ask': 990813, 'those question': 892383, 'have had million': 380867, 'had million of': 373305, 'million of piece': 532284, 'of piece of': 588118, 'piece of ppe': 656342, 'of ppe delivered': 588316, 'ppe delivered to': 667931, 'to hospital many': 907973, 'hospital many many': 404507, 'many many hospital': 514261, 'many hospital saying': 514147, 'hospital saying they': 404595, 'have plenty so': 381968, 'plenty so where': 660997, 'is it which': 449075, 'it which hospital': 462348, 'which hospital do': 985938, 'it and why': 456522, 'and why ask': 75623, 'why ask those': 990814, 'ask those question': 95650, 'supervisory': 824401, 'lavallee': 482177, 'bhlrkqtp1z': 129380, 'finally consumer': 305963, 'consumer unit': 199418, 'unit supervisory': 942094, 'supervisory attorney': 824402, 'attorney jennifer': 102668, 'jennifer lavallee': 465106, 'lavallee point': 482178, 'out significant': 627193, 'emergency legislation': 272777, 'legislation the': 485989, 'law fails': 482286, 'foreclosure auction': 328916, 'auction leaving': 102852, 'leaving homeowner': 485090, 'homeowner in': 402886, 'danger http': 225654, 'co bhlrkqtp1z': 184816, 'finally consumer unit': 305964, 'consumer unit supervisory': 199419, 'unit supervisory attorney': 942095, 'supervisory attorney jennifer': 824403, 'attorney jennifer lavallee': 102669, 'jennifer lavallee point': 465107, 'lavallee point out': 482179, 'point out significant': 662582, 'out significant gap': 627194, 'significant gap in': 769458, 'gap in the': 343447, 'in the emergency': 429165, 'the emergency legislation': 854229, 'emergency legislation the': 272778, 'legislation the law': 485991, 'the law fails': 859183, 'law fails to': 482287, 'fails to stop': 296253, 'to stop foreclosure': 915525, 'stop foreclosure auction': 804667, 'foreclosure auction leaving': 328917, 'auction leaving homeowner': 102853, 'leaving homeowner in': 485091, 'homeowner in danger': 402887, 'in danger http': 421974, 'danger http co': 225655, 'http co bhlrkqtp1z': 409756, 'consisted': 195468, 'disturbingly': 248432, 'salsa': 732795, 'weirdstockups': 977842, 'your weird': 1026341, 'weird corona': 977754, 'corona stock': 204200, 'my final': 548318, 'final trip': 305887, 'ago consisted': 38365, 'consisted of': 195469, 'of disturbingly': 582730, 'disturbingly large': 248433, 'of chip': 581383, 'and salsa': 70797, 'salsa spent': 732796, 'spent last': 789138, 'thailand getting': 840096, 'my fix': 548358, 'fix for': 309721, 'year socialdistancing': 1014962, 'stayathome weirdstockups': 797705, 'what wa your': 982529, 'wa your weird': 963762, 'your weird corona': 1026342, 'weird corona stock': 977755, 'corona stock up': 204201, 'stock up my': 803099, 'up my final': 945426, 'my final trip': 548321, 'final trip to': 305888, 'grocery store week': 365940, 'store week ago': 811202, 'week ago consisted': 975842, 'ago consisted of': 38366, 'consisted of disturbingly': 195470, 'of disturbingly large': 582731, 'disturbingly large amount': 248434, 'amount of chip': 53212, 'of chip and': 581384, 'chip and salsa': 177502, 'and salsa spent': 70798, 'salsa spent last': 732797, 'spent last 10': 789139, 'last 10 year': 480085, '10 year in': 1770, 'year in thailand': 1014656, 'in thailand getting': 428900, 'thailand getting my': 840097, 'getting my fix': 349138, 'my fix for': 548359, 'fix for next': 309722, 'next year socialdistancing': 561735, 'year socialdistancing stayhome': 1014963, 'socialdistancing stayhome stayathome': 780737, 'stayhome stayathome weirdstockups': 798141, 'auth': 103606, 'lustre': 506866, 'hitachi': 398525, 'intereste': 441438, 'buy split': 149227, 'split ac': 789652, 'ac your': 27753, 'your auth': 1022880, 'auth resellers': 103609, 'resellers asks': 713975, 'visit showroom': 959354, 'showroom for': 767640, 'and rate': 69943, 'rate can': 697172, 'inform on': 437660, 'phone no': 654976, 'distancing here': 247202, 'here guess': 393065, 'guess and': 367966, 'yes really': 1015519, 'really lack': 702373, 'lack lustre': 478597, 'lustre attitude': 506867, 'attitude towards': 102592, 'towards customer': 927178, 'if hitachi': 414235, 'hitachi is': 398526, 'is least': 449261, 'least intereste': 484521, 'wanted to buy': 966246, 'to buy split': 902306, 'buy split ac': 149228, 'split ac your': 789653, 'ac your auth': 27754, 'your auth resellers': 1022881, 'auth resellers asks': 103610, 'resellers asks me': 713976, 'me to visit': 523795, 'to visit showroom': 918211, 'visit showroom for': 959355, 'showroom for price': 767641, 'price and rate': 672515, 'and rate can': 69944, 'rate can inform': 697173, 'can inform on': 158751, 'inform on phone': 437661, 'on phone no': 602789, 'phone no social': 654977, 'social distancing here': 779632, 'distancing here guess': 247203, 'here guess and': 393066, 'guess and yes': 367967, 'and yes really': 75972, 'yes really lack': 1015520, 'really lack lustre': 702374, 'lack lustre attitude': 478598, 'lustre attitude towards': 506868, 'attitude towards customer': 102593, 'towards customer if': 927179, 'customer if hitachi': 222480, 'if hitachi is': 414236, 'hitachi is least': 398527, 'is least intereste': 449262, 'are cracking': 85601, 'on false': 600728, 'big tech company': 130051, 'tech company are': 836059, 'company are cracking': 190418, 'are cracking down': 85602, 'down on false': 257018, 'on false information': 600729, 'false information regarding': 297438, 'bank our': 110082, 'local one': 498227, 'high if': 395116, 'help send': 390505, 'forget the food': 329301, 'food bank our': 313610, 'bank our local': 110083, 'our local one': 623780, 'local one are': 498228, 'one are desperate': 605941, 'desperate for food': 238525, 'food and demand': 313209, 'and demand is': 61159, 'is high if': 448445, 'high if you': 395118, 'to help send': 907622, 'help send food': 390507, 'send food 19': 749857, 'll apply': 496554, 'apply all': 82545, 'then immediately after': 877256, 'immediately after we': 417052, 'after we ll': 36518, 'we ll apply': 972233, 'll apply all': 496555, 'apply all the': 82546, 'rhetoric': 720886, 'antisemitism': 78551, 'ayman': 106345, 'mohyeldin': 535581, 'for anti': 319383, 'anti israel': 78308, 'israel rhetoric': 455599, 'rhetoric if': 720887, 'allow these': 46084, 'these lie': 880231, 'for antisemitism': 319387, 'antisemitism re': 78552, 're ayman': 698335, 'ayman mohyeldin': 106346, 'mohyeldin the': 535582, 'saw supermarket': 738256, 'in gaza': 423235, 'gaza and': 344743, 'wasn because': 967962, 'the coron': 851764, 'time for anti': 896690, 'for anti israel': 319384, 'anti israel rhetoric': 78310, 'israel rhetoric if': 455600, 'rhetoric if you': 720888, 'if you allow': 415390, 'you allow these': 1016929, 'allow these lie': 46085, 'these lie from': 880232, 'lie from your': 488361, 'from your staff': 338498, 'you are responsible': 1017216, 'responsible for antisemitism': 716028, 'for antisemitism re': 319388, 'antisemitism re ayman': 78553, 're ayman mohyeldin': 698336, 'ayman mohyeldin the': 106347, 'mohyeldin the last': 535583, 'time saw supermarket': 897615, 'saw supermarket this': 738257, 'supermarket this empty': 823311, 'this empty wa': 887375, 'empty wa in': 275226, 'wa in gaza': 962368, 'in gaza and': 423236, 'gaza and it': 344744, 'and it wasn': 65598, 'it wasn because': 462253, 'wasn because of': 967963, 'of the coron': 590894, 'painful': 634253, 'pleasestophoarding': 660821, 'condition physical': 193507, 'disability no': 243836, 'car grocery': 163112, 'made day': 507710, 'requires frequent': 713462, 'frequent and': 332814, 'regular delivery': 707761, 'delivery painful': 234299, 'painful trip': 634258, 'transport but': 929873, 'no among': 563611, 'necessity to': 554279, 'found due': 330194, 'buyer panic': 149711, 'panic pleasestophoarding': 638426, 'am at high': 49909, 'high risk due': 395353, 'to my age': 910371, 'age health condition': 37830, 'health condition physical': 386296, 'condition physical disability': 193508, 'physical disability and': 655400, 'disability and physical': 243809, 'and physical disability': 69000, 'physical disability no': 655402, 'disability no car': 243837, 'no car grocery': 563762, 'car grocery delivery': 163113, 'grocery delivery are': 364437, 'delivery are made': 233720, 'are made day': 87958, 'made day which': 507711, 'day which requires': 228746, 'which requires frequent': 986271, 'requires frequent and': 713463, 'frequent and regular': 332815, 'and regular delivery': 70159, 'regular delivery painful': 707762, 'delivery painful trip': 234300, 'painful trip to': 634259, 'the store on': 868066, 'store on public': 809202, 'public transport but': 688404, 'transport but no': 929874, 'but no among': 146478, 'no among other': 563612, 'among other necessity': 53034, 'other necessity to': 620572, 'necessity to be': 554280, 'be found due': 114936, 'found due to': 330195, 'due to buyer': 261717, 'to buyer panic': 902347, 'buyer panic pleasestophoarding': 149712, 'literally giving': 495007, 'attack then': 102165, 'rent electric': 711076, 'electric lost': 271116, 'work elsewhere': 1005087, 'and thankfully': 73168, 'thankfully wa': 841967, 'wa offered': 962803, 'offered position': 594958, 'thinking of how': 885962, 'of how going': 584825, 'food is literally': 315135, 'is literally giving': 449389, 'literally giving me': 495008, 'giving me panic': 351342, 'panic attack then': 637383, 'attack then start': 102166, 'then start thinking': 877560, 'thinking of rent': 885969, 'of rent electric': 588932, 'rent electric lost': 711077, 'electric lost my': 271117, '19 but ve': 5540, 'for work elsewhere': 327922, 'work elsewhere and': 1005088, 'elsewhere and thankfully': 272014, 'and thankfully wa': 73170, 'thankfully wa offered': 841968, 'wa offered position': 962804, 'offered position the': 594959, 'merchantserviceinnovations': 529058, 'roadwarrior': 724565, 'memer': 528379, 'watchout': 968835, 'become road': 120122, 'road warrior': 724539, 'warrior with': 967374, 'price merchantserviceinnovations': 675226, 'merchantserviceinnovations roadwarrior': 529059, 'roadwarrior gasprices': 724566, 'gasprices madmax': 344299, 'madmax meme': 508139, 'meme memer': 528340, 'memer memesdaily': 528380, 'memesdaily memestagram': 528388, 'memestagram dankmemes': 528392, 'dankmemes dankmeme': 225879, 'dankmeme lol': 225876, 'lol breakdown': 500883, 'breakdown watchout': 138858, 'watchout dystopian': 968836, 'going to become': 355535, 'to become road': 901683, 'become road warrior': 120123, 'road warrior with': 724540, 'warrior with these': 967375, 'with these gas': 1001639, 'gas price merchantserviceinnovations': 343995, 'price merchantserviceinnovations roadwarrior': 675227, 'merchantserviceinnovations roadwarrior gasprices': 529060, 'roadwarrior gasprices madmax': 724567, 'gasprices madmax meme': 344300, 'madmax meme meme': 508140, 'meme meme memer': 528338, 'meme memer memesdaily': 528341, 'memer memesdaily memestagram': 528381, 'memesdaily memestagram dankmemes': 528389, 'memestagram dankmemes dankmeme': 528393, 'dankmemes dankmeme lol': 225880, 'dankmeme lol breakdown': 225877, 'lol breakdown watchout': 500884, 'breakdown watchout dystopian': 138859, 'cttoncorona': 220119, 'wwinsights': 1013704, '19 block': 5408, 'block exemption': 132773, 'exemption last': 290008, 'customer protection': 222727, 'protection under': 685658, 'here cttoncorona': 392909, 'cttoncorona wwinsights': 220120, 'announced the covid': 77076, 'covid 19 block': 212714, '19 block exemption': 5409, 'block exemption last': 132774, 'exemption last night': 290009, 'night for the': 562998, 'the healthcare sector': 857199, 'healthcare sector and': 387271, 'consumer and customer': 196206, 'and customer protection': 60857, 'customer protection under': 222729, 'protection under the': 685659, 'under the competition': 940293, 'act and customer': 29595, 'customer protection act': 222728, 'protection act read': 685284, 'more here cttoncorona': 539417, 'here cttoncorona wwinsights': 392910, 'happy who': 377732, 'people quarantine': 649205, 'quarantine gasprices': 692219, 'trump say gas': 933820, 'are so low': 90208, 'low that lot': 505664, 'people are very': 647110, 'are very happy': 91463, 'very happy who': 955209, 'happy who are': 377733, 'these people quarantine': 880453, 'people quarantine gasprices': 649206, 'thankyouretailworkers': 842393, 'crisis grocery': 217427, 'earn at': 264773, 'hour epidemic': 405571, 'epidemic 19': 279323, '19 thankyouretailworkers': 11145, 'this crisis grocery': 887043, 'crisis grocery store': 217429, 'worker should earn': 1007774, 'should earn at': 765946, 'earn at least': 264774, 'an hour epidemic': 56082, 'hour epidemic 19': 405572, 'epidemic 19 thankyouretailworkers': 279324, 'deputy said': 237801, 'the caller': 850291, 'caller wa': 156499, 'information under': 438021, 'the guise': 856935, 'of checking': 581304, 'checking to': 174857, 'were eligible': 979556, 'deputy said the': 237802, 'said the caller': 731424, 'the caller wa': 850292, 'caller wa asking': 156500, 'wa asking for': 961594, 'personal information under': 652903, 'information under the': 438022, 'under the guise': 940312, 'the guise of': 856936, 'guise of checking': 368596, 'of checking to': 581305, 'checking to see': 174858, 'they were eligible': 883767, 'were eligible for': 979557, 'eligible for coronavirus': 271420, 'for coronavirus test': 320393, 'coronavirus test kit': 206883, 'your reporting': 1025579, 'reporting recognize': 712743, 'primarily in': 678043, 'story however': 812005, 'however now': 409425, 'have active': 379116, 'active and': 30255, 'and credible': 60726, 'credible journalism': 216284, 'journalism so': 467414, 'shadow away': 754341, 'public eye': 687987, 'eye keep': 294055, 'of your reporting': 593518, 'your reporting recognize': 1025581, 'reporting recognize that': 712744, 'recognize that my': 704651, 'that my interest': 845269, 'my interest is': 548875, 'interest is primarily': 441367, 'is primarily in': 451027, 'primarily in covid': 678044, '19 story however': 10896, 'story however now': 812006, 'however now is': 409426, 'now is crucial': 575065, 'is crucial time': 446962, 'crucial time to': 219481, 'to have active': 907193, 'have active and': 379117, 'active and credible': 30256, 'and credible journalism': 60727, 'credible journalism so': 216285, 'journalism so that': 467415, 'so that thing': 778400, 'that thing do': 846968, 'thing do not': 884276, 'do not happen': 249750, 'not happen in': 569788, 'the shadow away': 866762, 'shadow away from': 754342, 'the public eye': 864807, 'public eye keep': 687988, 'eye keep fighting': 294056, 'ramvilaspaswan': 696493, 'mask ramvilaspaswan': 519174, 'ramvilaspaswan 19': 696494, 'national govt fix': 552514, 'and mask handsanitizers': 66752, 'mask handsanitizers mask': 518785, 'handsanitizers mask ramvilaspaswan': 376703, 'mask ramvilaspaswan 19': 519175, 'wa sainsburys': 963136, 'morning there': 541491, 'this wa sainsburys': 891087, 'wa sainsburys this': 963137, 'this morning there': 889028, 'morning there is': 541492, 'induced covid': 435458, 'month long': 537834, 'long price': 501568, 'ha flooded': 370636, 'flooded the': 310736, 'tumbled throughout': 935328, 'ha waited': 372438, 'waited for': 964272, 'from opec': 336701, 'it ally': 456397, 'the induced covid': 858152, 'induced covid 19': 435459, 'reduced demand and': 706055, 'demand and month': 234984, 'and month long': 67130, 'month long price': 537836, 'long price war': 501569, 'and russia ha': 70670, 'russia ha flooded': 728488, 'ha flooded the': 370637, 'flooded the market': 310737, 'market with crude': 517375, 'with crude oil': 997866, 'have tumbled throughout': 383423, 'tumbled throughout the': 935329, 'throughout the month': 894975, 'the month the': 860854, 'month the market': 538044, 'market ha waited': 516492, 'ha waited for': 372439, 'waited for plan': 964273, 'for plan to': 324570, 'cut production from': 223504, 'production from opec': 682054, 'from opec and': 336702, 'opec and it': 611841, 'and it ally': 65480, 'provide priority': 686437, 're asking supermarket': 698313, 'asking supermarket boss': 96065, 'supermarket boss to': 819403, 'boss to provide': 135757, 'to provide priority': 912423, 'provide priority access': 686438, 'priority access for': 678499, 'access for nursing': 28130, 'for nursing staff': 323997, 'nursing staff to': 577630, 'staff to buy': 792981, 'the muslim': 861152, 'muslim and': 546411, 'none muslim': 566587, 'muslim local': 546431, 'shop bump': 759992, 'bump up': 142576, 'same or': 733193, 'even lowering': 284312, 'them shame': 876269, 're apart': 698295, 'shame to see': 754660, 'see the muslim': 745861, 'the muslim and': 861153, 'muslim and none': 546413, 'and none muslim': 67682, 'none muslim local': 566588, 'muslim local shop': 546432, 'local shop bump': 498394, 'shop bump up': 759993, 'bump up their': 142578, 'of need but': 586903, 'need but all': 554573, 'all the big': 44673, 'big supermarket like': 130033, 'supermarket like and': 821310, 'like and are': 489778, 'the same or': 866270, 'same or even': 733195, 'or even lowering': 615207, 'even lowering them': 284313, 'lowering them shame': 506135, 'them shame on': 876270, 'you re apart': 1020569, 're apart of': 698296, 'apart of this': 81312, 'unsolidarity': 943523, 'costumer': 208377, 'ignorance stupidity': 415763, 'and unsolidarity': 74714, 'unsolidarity of': 943524, 'mankind is': 513271, 'endless in': 276230, 'day wa': 228653, 'of costumer': 582003, 'costumer wa': 208382, 'wa unbelievable': 963593, 'unbelievable and': 939498, 'feel really': 302816, 'really sorry': 702607, 'best job': 127745, 'possibly do': 665917, 'the ignorance stupidity': 857864, 'ignorance stupidity and': 415764, 'stupidity and unsolidarity': 815518, 'and unsolidarity of': 74715, 'unsolidarity of mankind': 943525, 'of mankind is': 586155, 'mankind is endless': 513272, 'is endless in': 447494, 'endless in these': 276231, 'these day wa': 879900, 'day wa at': 228654, 'and the behavior': 73256, 'behavior of costumer': 124131, 'of costumer wa': 582004, 'costumer wa unbelievable': 208383, 'wa unbelievable and': 963594, 'unbelievable and feel': 939499, 'and feel really': 62778, 'feel really sorry': 302819, 'really sorry for': 702608, 'sorry for all': 786040, 'all the great': 44769, 'the great staff': 856732, 'great staff member': 363006, 'staff member who': 792666, 'member who do': 528241, 'do the best': 250235, 'the best job': 849522, 'best job they': 127747, 'job they can': 466199, 'they can possibly': 881663, 'can possibly do': 159270, 'anyone notice': 80435, 'notice shop': 573351, 'if anyone notice': 413850, 'anyone notice shop': 80436, 'notice shop putting': 573352, 'shop putting price': 760694, 'of need make': 586911, 'sure to remember': 827777, 'to remember those': 913192, 'remember those shop': 710360, 'those shop once': 892461, 'shop once the': 760554, 'end and never': 275770, 'and never use': 67542, 'never use them': 558250, 'use them again': 949706, 'video from': 956739, '11 it': 2542, 'away just': 105958, 'calm it': 156755, 'video from march': 956742, 'march 11 it': 515056, '11 it will': 2543, 'go away just': 353329, 'away just stay': 105959, 'just stay calm': 469886, 'stay calm it': 796814, 'calm it will': 156757, 'eradicate joseph': 280094, 'joseph sanitising': 467330, 'sanitising trolley': 734133, 'bit to eradicate': 131716, 'to eradicate joseph': 905242, 'eradicate joseph sanitising': 280095, 'joseph sanitising trolley': 467331, 'sanitising trolley in': 734134, 'profound effect': 683155, 'store channel': 806950, 'channel with': 172952, 'with operator': 999928, 'operator reporting': 613394, 'reporting surge': 712756, 'sale progressive': 732476, 'progressive grocer': 683412, 'having profound effect': 384237, 'profound effect on': 683156, 'convenience store channel': 202342, 'store channel with': 806951, 'channel with operator': 172953, 'with operator reporting': 999929, 'operator reporting surge': 613395, 'reporting surge in': 712757, 'surge in grocery': 828193, 'in grocery sale': 423440, 'grocery sale progressive': 364934, 'sale progressive grocer': 732477, 'meat went': 525799, 'in syria': 428788, 'syria with': 831046, 'journal noting': 467391, 'noting around': 573570, '25 drop': 15864, 'lesser demand': 486458, 'measure however': 525218, 'however chicken': 409352, 'time in two': 897017, 'in two year': 430361, 'two year price': 937408, 'year price of': 1014909, 'price of red': 675552, 'of red meat': 588855, 'red meat went': 705603, 'meat went down': 525800, 'went down significantly': 978988, 'down significantly in': 257185, 'significantly in syria': 769584, 'in syria with': 428792, 'syria with business': 831047, 'with business journal': 997493, 'business journal noting': 143975, 'journal noting around': 467392, 'noting around 25': 573571, 'around 25 drop': 93136, '25 drop due': 15865, 'due to lesser': 261846, 'to lesser demand': 909193, 'lesser demand with': 486459, 'demand with restaurant': 236514, 'with restaurant closing': 1000495, 'restaurant closing for': 716381, 'closing for covid': 183641, '19 prevention measure': 9797, 'prevention measure however': 671873, 'measure however chicken': 525219, 'however chicken price': 409353, 'chicken price continue': 175844, 'fake food': 296625, 'husband went': 411783, 'fake stuff': 296714, 'stuff wtf': 815264, 'is fake food': 447716, 'fake food and': 296626, 'and drink my': 61731, 'drink my husband': 258861, 'my husband went': 548800, 'husband went to': 411785, 'store and took': 806384, 'took this pic': 925360, 'this pic of': 889573, 'pic of all': 655609, 'of all fake': 579939, 'all fake stuff': 42752, 'fake stuff wtf': 296715, 'cooed': 202711, 'dtla': 261423, 'sta': 791758, 'yeah rather': 1014284, 'be cooed': 114239, 'cooed up': 202712, 'up inside': 945206, 'air farmer': 39723, 'the dtla': 853756, 'dtla 4th': 261424, '4th street': 19535, 'street market': 813034, 'wa vacant': 963629, 'vacant sunday': 951571, 'sunday local': 818228, 'need supermarket': 555672, 'supermarket losangeles': 821404, 'losangeles sta': 503402, 'yeah rather be': 1014285, 'rather be cooed': 697437, 'be cooed up': 114240, 'cooed up inside': 202713, 'up inside supermarket': 945207, 'inside supermarket than': 439400, 'supermarket than an': 823158, 'than an open': 840339, 'an open air': 56654, 'open air farmer': 612026, 'air farmer market': 39724, 'farmer market the': 299456, 'market the dtla': 517184, 'the dtla 4th': 853757, 'dtla 4th street': 261425, '4th street market': 19536, 'street market wa': 813035, 'market wa vacant': 517311, 'wa vacant sunday': 963630, 'vacant sunday local': 951572, 'sunday local farmer': 818229, 'local farmer need': 497951, 'farmer need and': 299467, 'we need supermarket': 972551, 'need supermarket losangeles': 555673, 'supermarket losangeles sta': 821405, 'prix': 679059, 'petrolhead': 653850, 'one advantage': 605869, 'down any': 256526, 'one interested': 606493, 'the m25': 859845, 'm25 grand': 507221, 'grand prix': 361871, 'prix petrolhead': 679062, 'there one advantage': 878894, 'one advantage to': 605870, 'to this whole': 917480, 'whole thing at': 990353, 'thing at least': 884176, 'least the road': 484650, 'road are clear': 724409, 'are clear and': 85299, 'clear and fuel': 181220, 'and fuel price': 63391, 'are down any': 85971, 'down any one': 256527, 'any one interested': 79556, 'one interested in': 606494, 'interested in setting': 441467, 'in setting up': 427833, 'setting up the': 753660, 'up the m25': 946191, 'the m25 grand': 859846, 'm25 grand prix': 507222, 'grand prix petrolhead': 361873, 'management learn': 512591, 'll share your': 497009, 'concern with the': 193141, 'with the local': 1001372, 'store management learn': 808868, 'management learn more': 512592, 'customer here many': 222465, 'here many thanks': 393334, 'many thanks and': 514786, 'thanks and stay': 842022, 'across sanitizer': 29441, 'sanitizer down': 734789, 'down italy': 256899, 'across sanitizer down': 29442, 'sanitizer down italy': 734790, 'down italy wuhan': 256900, 'news this': 560883, 'wa back': 961626, 'good news this': 357463, 'news this is': 560885, 'first day my': 308614, 'day my supermarket': 228003, 'my supermarket wa': 550287, 'supermarket wa back': 823690, 'wa back to': 961628, 'otherside': 621815, 'book price': 134585, 'lowest for': 506162, 'are isolating': 87584, 'isolating both': 455067, 'cent penny': 169104, 'penny until': 646633, 'the otherside': 862574, 'otherside uk': 621816, 'usa 19': 948566, 'dropped my book': 260599, 'my book price': 547498, 'book price to': 134586, 'the lowest for': 859808, 'lowest for those': 506163, 'those who like': 892650, 'who like some': 989209, 'like some and': 491211, 'some and are': 782294, 'and are isolating': 58326, 'are isolating both': 87585, 'isolating both at': 455068, 'both at 99': 135863, '99 cent penny': 23796, 'cent penny until': 169105, 'penny until we': 646634, 'on the otherside': 604269, 'the otherside uk': 862575, 'otherside uk usa': 621817, 'uk usa 19': 938849, 'medical manufacturer': 526245, 'manufacturer using': 513537, 'using patent': 950590, 'stop production': 804934, 'ventilator company': 954548, 'company refusing': 191016, 'staff others': 792728, 'others tripling': 621745, 'tripling price': 932303, 'more ignoring': 539479, 'ignoring medical': 415914, 'and demanding': 61186, 'demanding worker': 236621, 'worker risk': 1007699, 'life never': 488901, 'mind boycott': 532639, 'these employer': 879965, 'employer should': 274539, 'medical manufacturer using': 526246, 'manufacturer using patent': 513538, 'using patent law': 950591, 'patent law to': 643991, 'law to stop': 482429, 'to stop production': 915558, 'stop production of': 804937, 'production of ventilator': 682159, 'of ventilator company': 592782, 'ventilator company refusing': 954549, 'company refusing to': 191017, 'refusing to pay': 707097, 'to pay staff': 911559, 'pay staff others': 645117, 'staff others tripling': 792729, 'others tripling price': 621746, 'tripling price still': 932304, 'price still more': 676650, 'still more ignoring': 800850, 'more ignoring medical': 539480, 'ignoring medical advice': 415915, 'advice and demanding': 33306, 'and demanding worker': 61187, 'demanding worker risk': 236622, 'worker risk their': 1007700, 'their life never': 873840, 'life never mind': 488902, 'never mind boycott': 558116, 'mind boycott these': 532640, 'boycott these employer': 137350, 'these employer should': 879966, 'employer should be': 274540, 'power due': 667599, 'destruction could': 239105, 'could offset': 209473, 'offset gain': 596101, 'from lower': 336288, 'gas company are': 343789, 'out of power': 626810, 'of power due': 588304, 'power due to': 667600, 'the coronavirus demand': 851830, 'coronavirus demand destruction': 205805, 'demand destruction could': 235233, 'destruction could offset': 239106, 'could offset gain': 209474, 'offset gain from': 596102, 'gain from lower': 342775, 'from lower gas': 336289, 'gas price an': 343928, 'price an analysis': 672347, 'price downfall': 673539, 'of tourism': 592345, 'tourism the': 927012, 'widespread of': 991850, 'ha naturally': 371314, 'naturally impacted': 552918, 'impacted economy': 418101, 'the mena': 860475, 'mena region': 528560, 'region to': 707471, 'what extent': 981442, 'oil price downfall': 597109, 'price downfall of': 673540, 'downfall of tourism': 257544, 'of tourism the': 592346, 'tourism the widespread': 927013, 'the widespread of': 871546, 'widespread of ha': 991852, 'of ha naturally': 584401, 'ha naturally impacted': 371315, 'naturally impacted economy': 552919, 'impacted economy in': 418102, 'in the mena': 429356, 'the mena region': 860476, 'mena region to': 528561, 'region to what': 707474, 'to what extent': 918512, 'ribeye': 720963, 'carnivore': 164807, 'meat instead': 525627, 'instead support': 440366, 'butcher am': 148024, 'am lucky': 50203, 'fresh high': 333014, 'quality grass': 691794, 'fed meat': 301852, 'meat animal': 525485, 'animal organ': 76636, 'organ duck': 619201, 'breast turkey': 139146, 'turkey chicken': 935547, 'chicken lamb': 175810, 'lamb kidney': 479157, 'kidney beef': 474234, 'beef liver': 120521, 'liver ribeye': 496233, 'ribeye fillet': 720964, 'fillet etc': 305587, 'etc carnivore': 282465, 'supermarket is the': 821128, 'to get meat': 906529, 'get meat instead': 347548, 'meat instead support': 525628, 'instead support your': 440367, 'local butcher am': 497791, 'butcher am lucky': 148025, 'am lucky to': 50205, 'lucky to get': 506581, 'get fresh high': 347107, 'fresh high quality': 333015, 'high quality grass': 395315, 'quality grass fed': 691795, 'grass fed meat': 362216, 'fed meat animal': 301853, 'meat animal organ': 525486, 'animal organ duck': 76637, 'organ duck breast': 619202, 'duck breast turkey': 261542, 'breast turkey chicken': 139147, 'turkey chicken lamb': 935548, 'chicken lamb kidney': 175811, 'lamb kidney beef': 479158, 'kidney beef liver': 474235, 'beef liver ribeye': 120522, 'liver ribeye fillet': 496234, 'ribeye fillet etc': 720965, 'fillet etc carnivore': 305588, 'essential surprised': 281637, 'surprised grocery': 828577, 'not alternate': 568171, 'alternate lane': 49184, 'lane grocery': 479450, 'no experience with': 564171, 'experience with disease': 291543, 'with disease but': 998080, 'is protective equipment': 451110, 'protective equipment is': 685730, 'equipment is essential': 279765, 'is essential surprised': 447552, 'essential surprised grocery': 281638, 'surprised grocery store': 828578, 'wear glove something': 974346, 'glove something to': 352923, 'cover their face': 212302, 'their face and': 873221, 'face and do': 294298, 'do not alternate': 249663, 'not alternate lane': 568172, 'alternate lane grocery': 49185, 'lane grocery store': 479451, 'provided mask': 686624, 'are stayhome': 90368, 'stayhome state': 798126, 'state stayathome': 795943, 'stayathome masks4all': 797539, 'are retail and': 89662, 'store employee being': 807463, 'employee being provided': 273678, 'being provided mask': 125593, 'provided mask to': 686627, 'mask to deal': 519397, 'the public work': 864877, 'public work at': 688495, 'work at one': 1004887, 'at one and': 99967, 'one and people': 605905, 'are not staying': 88473, 'we are stayhome': 970721, 'are stayhome state': 90369, 'stayhome state stayathome': 798127, 'state stayathome masks4all': 795944, 'squirrel': 791570, 'seriously just': 751657, 'of friend': 583957, 'friend planning': 333755, 'on eating': 600482, 'eating squirrel': 266309, 'squirrel since': 791571, 'his small': 397799, 'town grocery': 927469, 'seriously just heard': 751658, 'just heard of': 468958, 'heard of friend': 388120, 'of friend planning': 583958, 'friend planning on': 333756, 'planning on eating': 658564, 'on eating squirrel': 600483, 'eating squirrel since': 266310, 'squirrel since there': 791572, 'since there no': 770924, 'there no meat': 878820, 'meat in his': 525616, 'in his small': 423738, 'his small town': 397800, 'small town grocery': 775162, 'town grocery store': 927470, 'that taking': 846618, 'taking have': 833380, 'over double': 630156, 'double usual': 256083, 'london are working': 501027, 'working in cafe': 1008707, 'me that taking': 523628, 'that taking have': 846619, 'taking have shot': 833382, 'shot up to': 765457, 'to over double': 911293, 'over double usual': 630157, 'double usual daily': 256084, 'distancing it is': 247263, 'it is irresponsible': 458992, 'is irresponsible behaviour': 448987, 'irresponsible behaviour and': 445040, 'over hope': 630300, 'trash certain': 930146, 'job again': 465599, 'again worker': 37282, 'security those': 744772, 'is over hope': 450703, 'over hope never': 630301, 'hope never hear': 403548, 'anyone trash certain': 80581, 'trash certain people': 930147, 'certain people with': 170072, 'people with certain': 650434, 'with certain type': 997595, 'type of job': 937566, 'of job again': 585525, 'job again worker': 465601, 'again worker at': 37283, 'store those fast': 810712, 'walmart employee security': 965323, 'employee security those': 274191, 'security those people': 744773, 'best story': 127916, 'story but': 811924, 'using discount': 950457, 'the audacity': 849040, 'audacity of': 102894, 'these business': 879705, 'having coupon': 384014, 'coupon of': 211765, 'this manner': 888762, 'the best story': 849555, 'best story but': 127917, 'story but every': 811925, 'every time shopping': 286316, 'time shopping online': 897657, 'shopping online using': 763502, 'online using discount': 609659, 'using discount code': 950458, 'discount code covid': 244458, 'and the audacity': 73248, 'the audacity of': 849041, 'audacity of these': 102895, 'of these business': 591813, 'these business not': 879707, 'business not having': 144105, 'not having coupon': 569895, 'having coupon of': 384015, 'coupon of this': 211766, 'of this manner': 592003, 'didn listen': 241127, 'at packed': 100058, 'grabbing best': 361579, 'ignorant and didn': 415771, 'and didn listen': 61323, 'didn listen to': 241128, 'listen to scottyfrommarketing': 494749, 'be is at': 115548, 'is at packed': 445869, 'at packed supermarket': 100059, 'packed supermarket with': 633650, 'and grabbing best': 63909, 'grabbing best place': 361580, 'docilians': 250767, 'pampered': 634651, 'these lock': 880250, 'time west': 898263, 'west can': 980475, 'can cope': 157997, 'of docilians': 582748, 'docilians the': 250768, 'the pampered': 862876, 'pampered herd': 634652, 'herd whose': 392621, 'whose demand': 990629, 'for zero': 328252, 'zero risk': 1027493, 'risk actually': 723352, 'actually risk': 30936, 'killing thousand': 474724, 'thousand rt': 893483, 'rt op': 726790, 'for thought in': 327161, 'thought in these': 893094, 'in these lock': 429849, 'these lock down': 880251, 'down time west': 257356, 'time west can': 898264, 'west can cope': 980476, 'can cope with': 157999, 'because of docilians': 119332, 'of docilians the': 582749, 'docilians the pampered': 250769, 'the pampered herd': 862877, 'pampered herd whose': 634653, 'herd whose demand': 392622, 'whose demand for': 990630, 'demand for zero': 235520, 'for zero risk': 328253, 'zero risk actually': 1027494, 'risk actually risk': 723353, 'actually risk killing': 30937, 'risk killing thousand': 723661, 'killing thousand rt': 474725, 'thousand rt op': 893484, 'rt op ed': 726791, 'info possible': 437557, 'get virus': 348588, 'contaminated packaging': 200665, 'food doctor': 314253, 'say ordering': 739034, 'is generally': 448011, 'generally safer': 345537, 'good info possible': 357266, 'info possible but': 437558, 'possible but le': 665591, 'but le likely': 146254, 'to get virus': 906639, 'get virus from': 348589, 'virus from contaminated': 958213, 'from contaminated packaging': 334982, 'contaminated packaging and': 200666, 'packaging and food': 633521, 'and food doctor': 63038, 'food doctor say': 314254, 'doctor say ordering': 251094, 'say ordering food': 739035, 'ordering food is': 618969, 'food is generally': 315124, 'is generally safer': 448012, 'generally safer than': 345538, 'or restaurant delivery': 616880, 'testify': 839408, 'by framing': 152641, 'framing the': 330963, 'military term': 531505, 'term government': 838161, 'communicate it': 189545, 'it gravity': 458331, 'gravity but': 362450, 'but drawing': 145616, 'drawing this': 258530, 'this parallel': 889473, 'parallel can': 641341, 'panic too': 638729, 'barren supermarket': 111317, 'and surge': 72880, 'in firearm': 422904, 'firearm sale': 308152, 'sale testify': 732565, 'testify by': 839409, 'by framing the': 152642, 'framing the pandemic': 330964, 'pandemic in military': 635701, 'in military term': 425322, 'military term government': 531506, 'term government are': 838162, 'trying to communicate': 934781, 'to communicate it': 903092, 'communicate it gravity': 189546, 'it gravity but': 458332, 'gravity but drawing': 362451, 'but drawing this': 145617, 'drawing this parallel': 258531, 'this parallel can': 889474, 'parallel can cause': 641342, 'can cause fear': 157882, 'cause fear and': 167562, 'and panic too': 68666, 'panic too the': 638730, 'too the barren': 925111, 'the barren supermarket': 849288, 'barren supermarket shelf': 111318, 'shelf and surge': 756767, 'and surge in': 72881, 'surge in firearm': 828190, 'in firearm sale': 422905, 'firearm sale testify': 308153, 'sale testify by': 732566, 'absolut': 27217, 'nordic': 567002, 'nordicinnovation': 567007, 'absolut stepping': 27218, 'this swedish': 890462, 'swedish vodka': 830089, 'vodka company': 959949, 'quickly bring': 694482, 'bring more': 140025, 'shelf handsanitizer': 757139, 'handsanitizer nyc': 376594, 'nyc business': 577969, 'business productivity': 144265, 'productivity nordic': 682318, 'nordic healthcare': 567003, 'healthcare sweden': 387303, 'sweden nordicinnovation': 830077, 'absolut stepping up': 27219, 'stepping up this': 799820, 'up this swedish': 946283, 'this swedish vodka': 890463, 'swedish vodka company': 830090, 'vodka company is': 959950, 'company is switching': 190812, 'gear to produce': 344998, 'produce and quickly': 680186, 'and quickly bring': 69882, 'quickly bring more': 694483, 'bring more hand': 140026, 'sanitizer to empty': 735918, 'store shelf handsanitizer': 810077, 'shelf handsanitizer nyc': 757140, 'handsanitizer nyc business': 376595, 'nyc business productivity': 577970, 'business productivity nordic': 144266, 'productivity nordic healthcare': 682319, 'nordic healthcare sweden': 567004, 'healthcare sweden nordicinnovation': 387304, 'paranoid but': 641440, 'afternoon who': 36733, 'wearing securely': 974780, 'securely fitted': 744492, 'fitted protective': 309540, 'mask shade': 519255, 'shade and': 754326, 'call me paranoid': 155991, 'me paranoid but': 523323, 'paranoid but wa': 641441, 'but wa the': 147710, 'only person in': 610957, 'person in aldi': 652472, 'in aldi supermarket': 420157, 'aldi supermarket this': 41306, 'this afternoon who': 886242, 'afternoon who wa': 36734, 'wa wearing securely': 963680, 'wearing securely fitted': 974781, 'securely fitted protective': 744493, 'fitted protective mask': 309541, 'protective mask shade': 685784, 'mask shade and': 519256, 'shade and glove': 754327, 'pandemic preparedness': 636225, 'article by on': 94283, 'by on pandemic': 153422, 'on pandemic preparedness': 602687, 'comeswith': 187808, 'responibility': 715602, 'delibirately': 232992, 'expo': 292575, 'with freedom': 998543, 'freedom come': 332362, 'come responsibility': 187490, 'instance freedom': 440075, 'own gun': 632038, 'in comeswith': 421582, 'comeswith responsibility': 187809, 'supermarket freedom': 820449, 'with responibility': 1000486, 'responibility ro': 715603, 'ro keep': 724381, 'well delibirately': 978141, 'delibirately expo': 232993, 'with freedom come': 998544, 'freedom come responsibility': 332363, 'come responsibility for': 187491, 'responsibility for instance': 715945, 'for instance freedom': 322608, 'instance freedom to': 440076, 'freedom to own': 332392, 'to own gun': 911335, 'own gun in': 632039, 'gun in comeswith': 368700, 'in comeswith responsibility': 421583, 'comeswith responsibility not': 187810, 'responsibility not to': 715969, 'use it in': 949304, 'in supermarket freedom': 428603, 'supermarket freedom to': 820450, 'freedom to walk': 332396, 'walk around when': 964747, 'around when all': 93624, 'is well come': 453840, 'well come with': 978113, 'come with responibility': 187688, 'with responibility ro': 1000487, 'responibility ro keep': 715604, 'ro keep it': 724382, 'keep it well': 471627, 'it well delibirately': 462307, 'well delibirately expo': 978142, 'believe toilet': 126392, 'is flex': 447835, 'flex now': 310347, 'have known': 381232, 'known decade': 477210, 'decade ago': 230661, 'ago toiletpaper': 38522, 'can believe toilet': 157746, 'believe toilet paper': 126393, 'paper is flex': 640350, 'is flex now': 447836, 'flex now who': 310348, 'now who would': 576413, 'would have known': 1011882, 'have known decade': 381233, 'known decade ago': 477211, 'decade ago toiletpaper': 230664, 'southafrica nigeria': 786810, 'nigeria pmi': 562787, 'pmi slip': 662052, 'slip 47': 774004, '47 in': 19257, 'negative driver': 556760, 'southafrica nigeria pmi': 786811, 'nigeria pmi slip': 562788, 'pmi slip 47': 662053, 'slip 47 in': 774005, '47 in march': 19258, 'march with covid': 515538, 'price negative driver': 675321, 'cape especially': 162614, 'pandemic including': 635714, 'including doctor': 431939, 'driver researcher': 259721, 'researcher and': 713895, 'wear cape especially': 974300, 'cape especially the': 162615, 'especially the men': 280623, 'coronavirus pandemic including': 206467, 'pandemic including doctor': 635716, 'including doctor nurse': 431940, 'truck driver researcher': 932792, 'driver researcher and': 259722, 'researcher and many': 713896, 'appreciate all you': 82708, 'scary part': 741170, 'part however': 642289, 'current globalization': 221212, 'globalization trend': 352355, 'trend travel': 931488, 'travel no': 930438, 'no country': 563915, 'safe hence': 729751, 'hence it': 391747, 'in everyone': 422699, 'everyone best': 286737, 'it asap': 456598, 'asap but': 94863, 'price each': 673640, 'each country': 264021, 'that scary part': 846153, 'scary part however': 741171, 'part however given': 642290, 'however given the': 409376, 'the current globalization': 852636, 'current globalization trend': 221213, 'globalization trend travel': 352356, 'trend travel no': 931489, 'travel no country': 930439, 'no country is': 563917, 'country is safe': 210819, 'is safe hence': 451620, 'safe hence it': 729752, 'hence it almost': 391748, 'it almost in': 456403, 'almost in everyone': 46676, 'in everyone best': 422700, 'everyone best interest': 286738, 'best interest to': 127740, 'interest to share': 441420, 'to share it': 914350, 'share it asap': 755072, 'it asap but': 456599, 'asap but sure': 94864, 'but sure that': 147238, 'will be different': 992426, 'be different price': 114452, 'different price each': 242034, 'price each country': 673642, 'each country ha': 264022, 'country ha to': 210725, 'ha to pay': 372312, 'soka': 781580, 'kma': 475948, 'yasa': 1014182, 'ilde': 416081, 'kuyla': 478009, 'kutlan': 477983, 'soka kma': 781582, 'kma yasa': 475949, 'yasa 31': 1014183, '31 ilde': 17575, 'ilde co': 416082, 'co kuyla': 184872, 'kuyla kutlan': 478010, 'kutlan yor': 477984, 'soka kma yasa': 781583, 'kma yasa 31': 475950, 'yasa 31 ilde': 1014184, '31 ilde co': 17576, 'ilde co kuyla': 416083, 'co kuyla kutlan': 184873, 'kuyla kutlan yor': 478011, 'betheissue': 128147, 'consumerismreform': 199716, 'sell enough': 748696, 'enough certain': 277348, 'consumer betheissue': 196629, 'betheissue consumerismreform': 128148, 'consumerismreform is': 199717, 'day become': 227362, 'become obsolete': 120087, 'obsolete customerservice': 578705, 'customerservice impose': 223166, 'impose socialdistancing': 419262, 'guideline same': 368466, 'before need': 122959, 'normalcy this': 567449, 'not sell enough': 571522, 'sell enough certain': 748697, 'enough certain item': 277349, 'certain item consumer': 170037, 'item consumer betheissue': 463189, 'consumer betheissue consumerismreform': 196630, 'betheissue consumerismreform is': 128149, 'consumerismreform is to': 199718, 'is to one': 453228, 'to one day': 910912, 'one day become': 606150, 'day become obsolete': 227363, 'become obsolete customerservice': 120088, 'obsolete customerservice impose': 578706, 'customerservice impose socialdistancing': 223167, 'impose socialdistancing guideline': 419263, 'socialdistancing guideline same': 780399, 'guideline same before': 368467, 'same before need': 732977, 'before need to': 122960, 'back to normalcy': 107382, 'to normalcy this': 910673, 'normalcy this 10': 567450, 'percent to': 651189, 'at individual': 99293, 'individual distribution': 435173, 'distribution location': 248159, 'location ceo': 498874, 'hall said': 374346, 'said many': 731215, 'seeing have': 746314, 'before sought': 123094, 'sought food': 786210, 're seeing much': 699459, 'seeing much 40': 746372, 'much 40 percent': 544674, '40 percent to': 18642, 'percent to 50': 651190, '50 percent increase': 19813, 'in demand at': 422107, 'demand at individual': 235040, 'at individual distribution': 99294, 'individual distribution location': 435174, 'distribution location ceo': 248160, 'location ceo vince': 498875, 'vince hall said': 957418, 'hall said many': 374347, 'said many of': 731216, 're seeing have': 699455, 'seeing have never': 746315, 'have never before': 381573, 'never before sought': 557915, 'before sought food': 123095, 'sought food assistance': 786211, 'of petfood': 588071, 'petfood up': 653577, 'shame every': 754593, 'retailer putting': 719285, 'price of petfood': 675532, 'of petfood up': 588072, 'petfood up more': 653578, 'than in just': 840778, 'in just week': 424428, 'just week time': 470266, 'week time to': 977064, 'time to name': 898019, 'to name and': 910466, 'and shame every': 71361, 'shame every retailer': 754594, 'every retailer putting': 286145, 'retailer putting up': 719286, 'price of or': 675523, 'of or in': 587318, 'rs96': 726707, 'pakistan cut': 634439, 'cut petrol': 223484, 'by rs15': 153838, 'rs15 to': 726687, 'to rs96': 913643, 'rs96 58': 726708, '58 litre': 20538, 'litre govt': 495157, 'govt want': 361330, 'give public': 350668, 'public relief': 688269, 'relief during': 709314, 'pakistan cut petrol': 634440, 'cut petrol price': 223485, 'price by rs15': 673037, 'by rs15 to': 153840, 'rs15 to rs96': 726688, 'to rs96 58': 913644, 'rs96 58 litre': 726709, '58 litre govt': 20539, 'litre govt want': 495158, 'govt want to': 361331, 'to give public': 906706, 'give public relief': 350669, 'public relief during': 688270, 'relief during lockdown': 709315, 'buying thanks': 151147, 'medium think': 527321, 'essential 19uk': 280746, 'panic buying thanks': 637923, 'buying thanks to': 151148, 'to the medium': 916878, 'the medium think': 860446, 'medium think of': 527322, 'elderly or those': 270799, 'disability who can': 243863, 'and essential 19uk': 62241, 'essential 19uk panicshopping': 280747, 'upset the': 947826, 'one loaf': 606612, 'wa if': 962349, 'pantry every': 639569, 'foodbank will': 317805, 'fed for': 301818, 'upset the lady': 947827, 'the supermarket had': 868619, 'supermarket had to': 820660, 'with my one': 999644, 'my one loaf': 549572, 'one loaf of': 606613, 'said wa if': 731554, 'wa if you': 962350, 'your pantry every': 1025189, 'pantry every client': 639570, 'every client at': 285739, 'client at the': 182010, 'at the foodbank': 100949, 'the foodbank will': 855631, 'foodbank will be': 317806, 'be fed for': 114813, 'fed for month': 301819, 'parent trying': 641760, 'trying their': 934736, 'prepare meal': 670110, 'child while': 176262, 'while juggling': 986980, 'juggling working': 467720, 'school lunch': 741846, 'lunch or': 506738, 'or open': 616398, 'restaurant making': 716559, 'parent trying their': 641761, 'trying their best': 934737, 'best to prepare': 127956, 'to prepare meal': 912005, 'prepare meal for': 670111, 'meal for their': 524159, 'for their child': 326809, 'their child while': 872779, 'child while juggling': 176263, 'while juggling working': 986981, 'juggling working from': 467721, 'from home no': 335886, 'home no work': 401668, 'no work at': 565924, 'all food shortage': 42824, 'supermarket no school': 821616, 'no school lunch': 565425, 'school lunch or': 741848, 'lunch or open': 506739, 'or open restaurant': 616400, 'open restaurant making': 612483, 'restaurant making do': 716560, 'with what they': 1002074, 'what they know': 982403, 'they know and': 882522, 'they have during': 882314, 'have during your': 380396, 'during your child': 263430, 'worker ve': 1008095, 've spoken': 953591, 'ha talked': 372157, 'abuse customer': 27627, 'stock bekind': 801918, 'that the second': 846829, 'the second supermarket': 866591, 'second supermarket worker': 743824, 'supermarket worker ve': 824110, 'worker ve spoken': 1008097, 've spoken to': 953592, 'spoken to today': 789767, 'to today who': 917619, 'who ha talked': 988865, 'ha talked about': 372158, 'talked about how': 833931, 'how much abuse': 408337, 'much abuse customer': 544693, 'abuse customer are': 27628, 'customer are giving': 222122, 'are giving them': 86863, 'giving them for': 351421, 'them for being': 875711, 'for being out': 319635, 'of stock bekind': 590143, 'stock bekind coronacrisis': 801919, 'also passed': 48644, 'passed emergency': 643264, 'legislation to': 485992, 'extend low': 293112, 'zero interest': 1027466, 'interest loan': 441370, 'to maine': 909556, 'maine worker': 508859, 'worker negatively': 1007431, 'this fact': 887499, 'sheet explains': 756600, 'explains who': 292255, 'is eligible': 447466, 'eligible and': 271409, 'apply finance': 82554, 'finance authority': 306161, 'of maine': 586102, 'we also passed': 970404, 'also passed emergency': 48645, 'passed emergency legislation': 643266, 'emergency legislation to': 272779, 'legislation to extend': 485993, 'to extend low': 905524, 'extend low to': 293113, 'low to zero': 505696, 'to zero interest': 919053, 'zero interest loan': 1027467, 'interest loan to': 441371, 'loan to maine': 497546, 'to maine worker': 909557, 'maine worker negatively': 508860, 'worker negatively impacted': 1007432, '19 this fact': 11343, 'this fact sheet': 887500, 'fact sheet explains': 295780, 'sheet explains who': 756601, 'explains who is': 292256, 'who is eligible': 989070, 'is eligible and': 447467, 'eligible and how': 271410, 'how to apply': 408977, 'to apply finance': 900653, 'apply finance authority': 82555, 'finance authority of': 306162, 'authority of maine': 103770, 'seriously wtf': 751796, 'wtf australia': 1013271, 'australia panic': 103347, 'at woolies': 101582, 'seriously wtf australia': 751797, 'wtf australia panic': 1013272, 'australia panic buying': 103348, 'paper at woolies': 639908, 'gianteagle': 349895, 'gianteagle should': 349896, 'gianteagle should stop': 349897, 'should stop taking': 766524, 'crisis by raising': 217177, 'activity during': 30416, 'consumer activity during': 196021, 'activity during covid': 30417, 'the taiwanese': 869122, 'announced jail': 76976, 'jail sentence': 464276, 'sentence of': 750866, '00 cd': 119, 'cd for': 168526, 'on disease': 600341, 'prevention product': 671879, 'from hoarding supply': 335832, 'hoarding supply the': 399572, 'supply the taiwanese': 825967, 'the taiwanese government': 869123, 'taiwanese government announced': 831849, 'government announced jail': 359884, 'announced jail sentence': 76977, 'jail sentence of': 464277, 'sentence of up': 750867, 'up to seven': 946425, 'to seven year': 914309, 'seven year and': 753777, 'year and fine': 1014394, 'and fine of': 62905, 'equivalent of 200': 279984, '200 00 cd': 13439, '00 cd for': 120, 'cd for those': 168527, 'those who profit': 892665, 'who profit by': 989455, 'profit by raising': 682692, 'price on disease': 675666, 'on disease prevention': 600342, 'disease prevention product': 245216, 'prevention product such': 671880, '126': 3078, 'turn 10': 935632, '10 today': 1735, 'american relies': 52157, 'care protection': 164168, 'for preexisting': 324687, 'why 126': 990714, '126 of': 3079, 'colleague joined': 186224, 'joined me': 466944, 'that amp': 842635, 'the turn 10': 870117, 'turn 10 today': 935633, '10 today almost': 1736, 'today almost every': 919171, 'almost every american': 46616, 'every american relies': 285666, 'american relies on': 52158, 'relies on the': 709522, 'the law for': 859184, 'law for health': 482292, 'health care protection': 386246, 'care protection for': 164169, 'protection for preexisting': 685445, 'for preexisting condition': 324688, 'drug price during': 261041, 'this pandemic that': 889434, 'pandemic that why': 636657, 'that why 126': 847529, 'why 126 of': 990715, '126 of my': 3080, 'my colleague joined': 547735, 'colleague joined me': 186225, 'joined me to': 466945, 'me to demand': 523748, 'demand that amp': 236329, 'that amp the': 842636, 'amp the gop': 54653, 'high fashion': 395071, 'fashion these': 299857, 'high fashion these': 395072, 'fashion these day': 299858, 'in cure': 421934, 'play significant': 659213, 'significant role': 769513, 'risk mitigation': 723687, 'mitigation it': 534563, 'for telehealth': 326181, 'role in cure': 725090, 'in cure it': 421935, 'cure it play': 220764, 'it play significant': 460351, 'play significant role': 659214, 'significant role in': 769514, 'and risk mitigation': 70557, 'risk mitigation it': 723688, 'mitigation it is': 534564, 'thing that can': 884796, 'that can say': 843120, 'say is good': 738818, 'good thing coming': 357843, 'thing coming from': 884240, 'coming from this': 188064, 'from this now': 338002, 'this now we': 889185, 'price for telehealth': 674057, 'ukeconomy': 938932, 'retail gazette': 718137, 'gazette consumer': 344762, 'plunge at': 661412, 'at fastest': 98635, 'fastest rate': 300157, 'in 40': 419926, '40 year': 18695, 'year chinavirus': 1014465, 'chinavirus retail': 177168, 'retail retailing': 718475, 'retailing ukeconomy': 719483, 'ukeconomy borisjohnson': 938933, 'borisjohnson rishisunak': 135529, 'retail gazette consumer': 718138, 'gazette consumer confidence': 344763, 'confidence plunge at': 193935, 'plunge at fastest': 661413, 'at fastest rate': 98636, 'fastest rate in': 300158, 'rate in 40': 697262, 'in 40 year': 419929, '40 year chinavirus': 18698, 'year chinavirus retail': 1014466, 'chinavirus retail retailing': 177169, 'retail retailing ukeconomy': 718477, 'retailing ukeconomy borisjohnson': 719484, 'ukeconomy borisjohnson rishisunak': 938934, 'is dallascounty': 447019, 'dallascounty press': 225137, 'conference going': 193732, 'been spent': 122016, 'spent on': 789152, 'toiletpaper cluster': 921862, 'there is dallascounty': 878544, 'is dallascounty press': 447020, 'dallascounty press conference': 225138, 'press conference going': 671028, 'conference going on': 193733, 'going on most': 355328, 'on most of': 602228, 'ha been spent': 369929, 'been spent on': 122017, 'spent on toiletpaper': 789154, 'on toiletpaper cluster': 604788, 'tcpa': 835300, 'week seven': 976855, 'seven industry': 753758, 'industry trade': 436185, 'trade association': 928414, 'association compiled': 96953, 'compiled 23': 191809, '23 page': 15427, 'page petition': 633885, 'fcc requesting': 300775, 'requesting an': 713263, 'immediate ruling': 417030, 'ruling clarification': 727446, 'clarification or': 180067, 'or waiver': 617708, 'waiver regarding': 964552, 'regarding part': 707240, 'act tcpa': 29782, 'this week seven': 891262, 'week seven industry': 976856, 'seven industry trade': 753759, 'industry trade association': 436186, 'trade association compiled': 928415, 'association compiled 23': 96954, 'compiled 23 page': 191810, '23 page petition': 15428, 'page petition to': 633886, 'to the fcc': 916702, 'the fcc requesting': 855006, 'fcc requesting an': 300776, 'requesting an immediate': 713264, 'an immediate ruling': 56170, 'immediate ruling clarification': 417031, 'ruling clarification or': 727447, 'clarification or waiver': 180068, 'or waiver regarding': 617709, 'waiver regarding part': 964553, 'regarding part of': 707241, 'of the telephone': 591527, 'protection act tcpa': 685286, 'wow good': 1012554, 'idea grocery': 413064, 'minnesota classified': 533598, 'worker give': 1007039, 'wow good idea': 1012555, 'good idea grocery': 357213, 'idea grocery store': 413065, 'worker in minnesota': 1007186, 'in minnesota classified': 425360, 'minnesota classified emergency': 533599, 'emergency worker give': 273058, 'worker give them': 1007040, 'funny because this': 341707, 'is true toiletpaper': 453371, 'staranded': 794082, 'strandedbrits': 812363, 'bringflightsback': 140136, 'seen talking': 747268, 'about investing': 25547, 'investing million': 443935, 'in bringing': 420986, 'bringing british': 140150, 'british staranded': 140598, 'staranded abroad': 794083, 'abroad back': 27154, 'but flight': 145734, 'where had': 984903, 'you 75': 1016764, 'million gone': 532174, 'gone strandedbrits': 356377, 'strandedbrits bringflightsback': 812364, 'bringflightsback help': 140137, 'so just seen': 777500, 'just seen talking': 469743, 'seen talking about': 747269, 'talking about investing': 833976, 'about investing million': 25548, 'investing million in': 443936, 'million in bringing': 532185, 'in bringing british': 420987, 'bringing british staranded': 140151, 'british staranded abroad': 140599, 'staranded abroad back': 794084, 'abroad back to': 27155, 'uk but flight': 938231, 'but flight price': 145735, 'price are thousand': 672752, 'are thousand and': 91064, 'thousand and people': 893375, 'and people can': 68854, 'people can afford': 647380, 'can afford them': 157409, 'afford them so': 34779, 'them so where': 876297, 'so where had': 778736, 'where had you': 984905, 'had you 75': 373815, 'you 75 million': 1016765, '75 million gone': 22143, 'million gone strandedbrits': 532175, 'gone strandedbrits bringflightsback': 356378, 'strandedbrits bringflightsback help': 812365, 'r102m cash': 695056, 'cash appreciation': 166169, 'appreciation bonus': 82869, 'supermarket cashier to': 819573, 'cashier to get': 166640, 'to get r102m': 906571, 'get r102m cash': 347878, 'r102m cash appreciation': 695057, 'cash appreciation bonus': 166170, 'appreciation bonus for': 82870, 'singapore fresh': 771122, 'singapore fresh food': 771123, 'fresh food price': 332975, 'food price not': 315960, 'price not affected': 675367, 'by lockdown stayathome': 153085, 'redirect': 705712, 'csforall': 220041, 'snap or': 776100, 'to redirect': 913008, 'redirect all': 705713, 'it charitable': 457110, 'is matching': 449598, 'matching snap': 520326, 'snap grocery': 776093, 'purchase up': 689714, 'family csforall': 297735, 'family is on': 297954, 'is on snap': 450482, 'on snap or': 603515, 'snap or you': 776101, 'or you know': 617861, 'you know anyone': 1019485, 'in the that': 429599, 'the that may': 869367, 'that may need': 845085, 'may need food': 521352, 'need food assistance': 554789, 'assistance is going': 96710, 'going to redirect': 355687, 'to redirect all': 913009, 'redirect all of': 705714, 'of it charitable': 585375, 'it charitable fund': 457111, 'charitable fund to': 173545, 'to the program': 916986, 'the program is': 864640, 'program is matching': 683264, 'is matching snap': 449599, 'matching snap grocery': 520327, 'snap grocery purchase': 776094, 'grocery purchase up': 364885, 'purchase up to': 689715, 'to 50 per': 899743, '50 per family': 19807, 'per family csforall': 650830, 'kimberly opened': 474776, 'wife kimberly opened': 991943, 'kimberly opened the': 474777, 'opened the free': 612760, 'the free grocery': 855766, 'convention': 202437, 'eagerness': 264362, 'distanc': 246615, 'american working': 52322, 'they miss': 882684, 'miss in': 534151, 'person meeting': 652534, 'and convention': 60532, 'convention new': 202440, 'survey signal': 828953, 'signal strong': 769316, 'the meeting': 860449, 'meeting industry': 527718, 'an eagerness': 55534, 'eagerness to': 264363, 'face business': 294339, 'business event': 143714, 'event when': 285105, 'when physical': 983878, 'physical distanc': 655403, '83 of american': 22854, 'of american working': 580083, 'american working from': 52323, '19 say they': 10327, 'say they miss': 739343, 'they miss in': 882685, 'miss in person': 534152, 'in person meeting': 426635, 'person meeting and': 652535, 'meeting and convention': 527670, 'and convention new': 60533, 'convention new survey': 202441, 'new survey signal': 559713, 'survey signal strong': 828954, 'signal strong consumer': 769317, 'strong consumer confidence': 813997, 'in the meeting': 429354, 'the meeting industry': 860451, 'meeting industry and': 527719, 'industry and an': 435628, 'and an eagerness': 58108, 'an eagerness to': 55535, 'eagerness to return': 264364, 'return to face': 719915, 'to face to': 905577, 'to face business': 905561, 'face business event': 294340, 'business event when': 143715, 'event when physical': 285106, 'when physical distanc': 983879, 'youllbeaiight': 1022546, 'waityourturn': 964493, 'stayback': 797826, 'atleast6feet': 101905, 'socialdistancing doesn': 780326, 'mean squeeze': 524650, 'squeeze your': 791543, 'as behind': 94725, 'mean wait': 524757, 'until done': 943722, 'on then': 604549, 'can roll': 159493, 'roll through': 725548, 'through youllbeaiight': 894917, 'youllbeaiight waityourturn': 1022547, 'waityourturn stayback': 964494, 'stayback atleast6feet': 797827, 'socialdistancing doesn mean': 780327, 'doesn mean squeeze': 251888, 'mean squeeze your': 524651, 'squeeze your as': 791544, 'your as behind': 1022842, 'as behind me': 94726, 'store aisle it': 806116, 'aisle it mean': 40295, 'it mean wait': 459581, 'mean wait until': 524758, 'wait until done': 964240, 'until done and': 943723, 'done and move': 254776, 'move on then': 543703, 'on then you': 604550, 'you can roll': 1017772, 'can roll through': 159494, 'roll through youllbeaiight': 725549, 'through youllbeaiight waityourturn': 894918, 'youllbeaiight waityourturn stayback': 1022548, 'waityourturn stayback atleast6feet': 964495, 'sledgehammer': 773741, 'bonesaw': 134303, 'outlawing': 629007, 'front yemen': 338688, 'yemen covid': 1015315, 'using sledgehammer': 950650, 'sledgehammer bonesaw': 773742, 'bonesaw is': 134304, 'enough 238': 277307, '238 case': 15494, 'no death': 563974, 'death they': 230230, 'doing better': 252308, 'than iran': 840788, 'iran by': 444679, 'by outlawing': 153491, 'outlawing god': 629008, 'god early': 354688, 'saudi are battling': 737238, 'are battling on': 84790, 'battling on front': 112866, 'on front yemen': 601033, 'front yemen covid': 338689, 'yemen covid 19': 1015316, 'are using sledgehammer': 91430, 'using sledgehammer bonesaw': 950651, 'sledgehammer bonesaw is': 773743, 'bonesaw is not': 134305, 'not good enough': 569721, 'good enough 238': 357000, 'enough 238 case': 277308, '238 case and': 15495, 'case and no': 165625, 'and no death': 67606, 'no death they': 563975, 'death they are': 230231, 'are doing better': 85890, 'doing better than': 252309, 'better than iran': 128525, 'than iran by': 840789, 'iran by outlawing': 444680, 'by outlawing god': 153492, 'outlawing god early': 629009, 'god early on': 354689, 'store everything': 807665, 'raised so': 696037, 'fucking bad': 339806, 'will buckwheat': 992862, 'buckwheat return': 141713, 'today went by': 920497, 'went by the': 978975, 'the store everything': 868018, 'store everything sold': 807666, 'sold out the': 781750, 'out the price': 627406, 'the price raised': 864402, 'price raised so': 676064, 'raised so fucking': 696038, 'so fucking bad': 777136, 'fucking bad when': 339807, 'bad when will': 108082, 'when will buckwheat': 984499, 'will buckwheat return': 992863, 'buckwheat return to': 141714, 'return to store': 719930, 'to store pharmacy': 915639, 'store pharmacy have': 809542, 'pharmacy have nothing': 654337, 'gave boost': 344604, 'boost to': 135027, 'online health': 608355, 'health virtual': 386930, 'meeting work': 527800, 'more world': 541010, 'will truly': 995239, 'new new': 559130, 'gave boost to': 344605, 'boost to will': 135028, 'to will lead': 918606, 'lead to online': 483373, 'to online learning': 910936, 'shopping online health': 763440, 'online health virtual': 608357, 'health virtual meeting': 386931, 'virtual meeting work': 957760, 'meeting work from': 527801, 'home and many': 400660, 'many more world': 514327, 'more world will': 541011, 'world will truly': 1010194, 'will truly be': 995240, 'truly be new': 933267, 'be new new': 116072, 'new new normal': 559131, 'delve': 234847, 'that nielsen': 845347, 'nielsen to': 562658, 'might delve': 530953, 'delve into': 234848, 'the thinking': 869473, 'language is': 479496, 'thing about that': 884094, 'about that nielsen': 26321, 'that nielsen to': 845348, 'nielsen to get': 562659, 'get it consumer': 347401, 'it consumer data': 457284, 'data might delve': 226303, 'might delve into': 530954, 'delve into it': 234849, 'into it if': 442673, 'it if have': 458670, 'time to contribute': 897971, 'to the thinking': 917127, 'the thinking about': 869474, 'the opportunity here': 862401, 'here because the': 392807, 'because the marketing': 119636, 'the marketing language': 860188, 'marketing language is': 517637, 'language is going': 479497, 'shift to these': 758449, 'to these funnel': 917342, 'constrained': 195755, 'good report': 357650, 'report thanks': 712309, 'sharing with': 755626, 'already depressed': 47289, 'to already': 900371, 'already constrained': 47268, 'constrained dairy': 195758, 'chain wonder': 171253, 'more drastic': 539074, 'good report thanks': 357651, 'report thanks for': 712310, 'for sharing with': 325534, 'sharing with price': 755628, 'with price already': 1000297, 'price already depressed': 672287, 'already depressed for': 47290, 'depressed for several': 237587, 'several year and': 753975, 'year and the': 1014405, 'and the sudden': 73602, 'the sudden covid': 868382, '19 disruption to': 6579, 'disruption to already': 246537, 'to already constrained': 900372, 'already constrained dairy': 47269, 'constrained dairy supply': 195759, 'dairy supply chain': 225049, 'supply chain wonder': 825068, 'chain wonder if': 171254, 'wonder if this': 1003979, 'if this time': 415173, 'this time it': 890655, 'time it will': 897086, 'be more drastic': 115972, 'get done': 346902, 'done but': 254799, 'but calling': 145336, 'really harmful': 702264, 'harmful physical': 378451, 'physical assault': 655374, 'assault on': 96317, 'public etc': 687977, 'etc chinese': 282468, 'chinese man': 177293, 'had heart': 373169, 'attack at': 102086, 'one wanted': 607359, 'on what need': 605233, 'to get done': 906461, 'get done but': 346903, 'done but calling': 254800, 'but calling the': 145338, 'calling the the': 156632, 'the the chinese': 869375, 'virus is really': 958399, 'is really harmful': 451303, 'really harmful physical': 702265, 'harmful physical assault': 378452, 'physical assault on': 655375, 'assault on asian': 96318, 'on asian in': 599480, 'asian in public': 95297, 'in public etc': 427079, 'public etc chinese': 687978, 'etc chinese man': 282469, 'chinese man had': 177295, 'man had heart': 512084, 'had heart attack': 373170, 'heart attack at': 388266, 'attack at my': 102087, 'at my grocery': 99814, 'store and no': 806305, 'no one wanted': 564981, 'one wanted to': 607360, 'arundel': 94684, 'county anne': 211319, 'anne arundel': 76797, 'arundel maryland': 94685, 'doing text': 252701, 'alert can': 41370, 'me alert': 522366, 'alert when': 41543, 'have chronicillness': 379972, 'chronicillness and': 178249, 'hoard you': 398918, 'so forgetting': 777114, 'forgetting about': 329357, 'are immunocompromised': 87317, 'my county anne': 547821, 'county anne arundel': 211320, 'anne arundel maryland': 76798, 'arundel maryland is': 94686, 'maryland is doing': 518207, 'is doing text': 447290, 'doing text alert': 252702, 'text alert can': 839869, 'alert can you': 41371, 'you give me': 1018830, 'give me alert': 350563, 'me alert when': 522367, 'alert when there': 41544, 'be food in': 114895, 'store have chronicillness': 808072, 'have chronicillness and': 379973, 'chronicillness and didn': 178250, 'and didn get': 61321, 'didn get to': 241070, 'get to hoard': 348473, 'to hoard you': 907886, 'hoard you are': 398919, 'you are so': 1017237, 'are so forgetting': 90199, 'so forgetting about': 777115, 'forgetting about those': 329358, 'who are immunocompromised': 988158, 'their speed': 874770, 'speed delivery': 788438, 'service ordered': 752668, 'ordered around': 618823, 'around 30pm': 93140, '30pm today': 17517, 'they delivered': 881882, 'today well': 920494, 'well packed': 978465, 'in box': 420937, 'need to thank': 556103, 'for their speed': 326871, 'their speed delivery': 874771, 'speed delivery service': 788439, 'delivery service ordered': 234455, 'service ordered around': 752669, 'ordered around 30pm': 618824, 'around 30pm today': 93141, '30pm today and': 17518, 'today and they': 919230, 'and they delivered': 73898, 'they delivered the': 881884, 'delivered the item': 233408, 'item at 4pm': 463121, '4pm today well': 19512, 'today well packed': 920495, 'well packed in': 978466, 'packed in box': 633612, 'marubeni': 518126, 'trading giant': 928861, 'giant marubeni': 349826, 'marubeni warns': 518127, 'record loss': 705005, 'loss on': 503759, 'on billion': 599644, 'billion charge': 130789, 'the japanese': 858637, 'japanese firm': 464788, 'firm forecast': 308356, 'forecast come': 328812, 'come covid': 187263, 'drive oil': 259109, 'slide and': 773893, 'add pressure': 31469, 'to commodity': 903085, 'trading giant marubeni': 928862, 'giant marubeni warns': 349827, 'marubeni warns of': 518128, 'warns of record': 967270, 'of record loss': 588839, 'record loss on': 705006, 'loss on billion': 503762, 'on billion charge': 599645, 'billion charge the': 130790, 'charge the japanese': 173317, 'the japanese firm': 858638, 'japanese firm forecast': 464789, 'firm forecast come': 308357, 'forecast come covid': 328813, 'come covid 19': 187264, '19 drive oil': 6656, 'drive oil price': 259111, 'price to slide': 677041, 'to slide and': 914732, 'slide and add': 773894, 'and add pressure': 57672, 'add pressure to': 31470, 'pressure to commodity': 671243, 'to commodity price': 903086, 'have roast': 382344, 'buy broccoli': 148448, 'sorry brother': 786020, 'brother happy': 141065, 'like to have': 491594, 'to have roast': 907304, 'have roast dinner': 382345, 'so he ll': 777277, 'he ll buy': 385195, 'll buy broccoli': 496667, 'buy broccoli instead': 148449, 'instead sorry brother': 440362, 'sorry brother happy': 786021, 'brother happy birthday': 141066, 'chera': 175517, 'titan': 899264, 'parlayed': 642149, 'reaped': 702816, 'stanley chera': 793877, 'chera titan': 175518, 'titan of': 899265, 'nyc retail': 578042, 'retail dy': 718055, 'coronavirus stanley': 206811, 'chera who': 175520, 'who parlayed': 989416, 'parlayed his': 642150, 'his father': 397420, 'father brooklyn': 300278, 'brooklyn department': 140982, 'business into': 143937, 'estate biggest': 282106, 'biggest retail': 130311, 'retail empire': 718064, 'empire reaped': 273413, 'reaped huge': 702817, 'huge reward': 410174, 'reward from': 720778, 'city emergence': 179132, 'emergence global': 272569, 'stanley chera titan': 793878, 'chera titan of': 175519, 'titan of nyc': 899266, 'of nyc retail': 587126, 'nyc retail dy': 578043, 'retail dy of': 718056, 'dy of coronavirus': 263746, 'of coronavirus stanley': 581963, 'coronavirus stanley chera': 206812, 'stanley chera who': 793879, 'chera who parlayed': 175521, 'who parlayed his': 989417, 'parlayed his father': 642151, 'his father brooklyn': 397421, 'father brooklyn department': 300279, 'brooklyn department store': 140983, 'department store business': 237268, 'store business into': 806776, 'business into one': 143939, 'one of new': 606756, 'of new york': 586991, 'real estate biggest': 701139, 'estate biggest retail': 282107, 'biggest retail empire': 130312, 'retail empire reaped': 718065, 'empire reaped huge': 273414, 'reaped huge reward': 702818, 'huge reward from': 410175, 'reward from the': 720780, 'the city emergence': 850930, 'city emergence global': 179133, 'from cash': 334804, 'cash could': 166202, 'could easily': 209127, 'easily have': 265216, 'or from': 615400, 'from anyone': 334556, 'anyone test': 80553, 'confirm virus': 194112, 'just guessing': 468890, 'guessing at': 368116, 'this stage': 890292, 'stage not': 793200, 'not tested': 571962, 'tested known': 839319, 'known way': 477258, 'much disinformation': 544832, 'disinformation going': 245947, 'could have caught': 209245, 'have caught it': 379913, 'caught it from': 167433, 'it from cash': 458150, 'from cash could': 334805, 'cash could easily': 166203, 'could easily have': 209128, 'easily have caught': 265217, 'caught it in': 167434, 'in supermarket or': 428643, 'supermarket or from': 821807, 'or from anyone': 615401, 'from anyone test': 334558, 'anyone test will': 80554, 'test will be': 839241, 'will be carried': 992389, 'carried out to': 164942, 'out to confirm': 627630, 'to confirm virus': 903193, 'confirm virus so': 194113, 'virus so they': 958763, 'they are just': 881318, 'are just guessing': 87626, 'just guessing at': 468891, 'guessing at this': 368117, 'at this stage': 101258, 'this stage not': 890295, 'stage not tested': 793201, 'not tested known': 571963, 'tested known way': 839320, 'known way too': 477259, 'too much disinformation': 924917, 'much disinformation going': 544833, 'disinformation going on': 245948, 'revew': 720548, 'businesswoman': 144805, 'during troubled': 263370, 'time revew': 897583, 'revew your': 720549, 'your branding': 1023022, 'branding messaging': 138130, 'messaging positioning': 529514, 'positioning pricing': 665231, 'tone right': 924324, 'right is': 721969, 'price problem': 676000, 'problem during': 679511, 'you properly': 1020464, 'properly positioned': 684190, 'positioned businesswoman': 665212, 'businesswoman socialmediamarketing': 144806, 'socialmediamarketing branding': 781110, 'branding price': 138136, '19 wfh': 11994, 'wfh quarantine': 980854, 'marketing during troubled': 517581, 'during troubled time': 263371, 'troubled time revew': 932674, 'time revew your': 897584, 'revew your branding': 720550, 'your branding messaging': 1023023, 'branding messaging positioning': 138131, 'messaging positioning pricing': 529516, 'positioning pricing is': 665232, 'pricing is the': 677945, 'is the tone': 452963, 'the tone right': 869756, 'tone right is': 924325, 'right is the': 721970, 'the price problem': 864399, 'price problem during': 676001, 'problem during these': 679513, 'during these troubled': 263244, 'troubled time are': 932672, 'time are you': 896338, 'are you properly': 91836, 'you properly positioned': 1020465, 'properly positioned businesswoman': 684191, 'positioned businesswoman socialmediamarketing': 665213, 'businesswoman socialmediamarketing branding': 144807, 'socialmediamarketing branding price': 781112, 'branding price 19': 138137, 'price 19 wfh': 672119, '19 wfh quarantine': 11995, '2020 48': 14113, '48 of': 19321, 'american said': 52179, 'said netflix': 731251, 'netflix is': 557610, 'an entertainment': 55764, 'entertainment must': 278585, 'have up': 383470, 'from 40': 334292, '2019 these': 14030, 'these figure': 880006, 'figure could': 305194, 'change american': 171905, 'in february 2020': 422834, 'february 2020 48': 301676, '2020 48 of': 14114, '48 of american': 19322, 'of american said': 580074, 'american said netflix': 52180, 'said netflix is': 731252, 'netflix is an': 557611, 'is an entertainment': 445654, 'an entertainment must': 55765, 'entertainment must have': 278586, 'must have up': 546710, 'have up from': 383471, 'up from 40': 944983, 'from 40 in': 334293, '40 in december': 18580, 'december 2019 these': 230743, '2019 these figure': 14031, 'these figure could': 880007, 'figure could change': 305195, 'could change american': 209007, 'change american stay': 171906, '19 pandemic socialdistancing': 9474, 'cancellation rundown': 161069, 'the fashion': 854960, 'fashion industry': 299817, 'event cancellation rundown': 284961, 'cancellation rundown of': 161070, 'how the fashion': 408823, 'the fashion industry': 854961, 'fashion industry is': 299818, 'time search': 897622, 'helping brand': 391281, 'brand around': 137760, 'world navigate': 1009818, 'latest impact': 481383, 'impact study': 417972, 'reveals key': 720333, 'using our real': 950583, 'our real time': 624547, 'real time search': 701418, 'time search data': 897623, 'search data we': 743236, 'data we ve': 226491, 've been helping': 952890, 'been helping brand': 121275, 'helping brand around': 391282, 'brand around the': 137761, 'the world navigate': 871919, 'world navigate the': 1009819, 'navigate the daily': 553080, 'the daily change': 852774, 'relation to our': 708675, 'our latest impact': 623666, 'latest impact study': 481385, 'impact study reveals': 417973, 'study reveals key': 814952, 'reveals key insight': 720334, 'key insight here': 473326, 'own action': 631866, 'have consequence': 380073, 'consequence we': 194887, 'space we': 787187, 'same fear': 733062, 'that difficult': 843533, 'remember our own': 710243, 'our own action': 624196, 'own action have': 631867, 'action have consequence': 30034, 'have consequence we': 380074, 'consequence we share': 194888, 'we share the': 973228, 'share the same': 755256, 'the same space': 866301, 'same space we': 733299, 'space we share': 787188, 'the same fear': 866225, 'same fear and': 733063, 'fear and if': 301032, 'if that difficult': 414934, 'affiliatemarketing': 34627, 'brand publisher': 137978, 'publisher continue': 688718, 'uncertainty here': 939692, 'the vertical': 870697, 'vertical that': 954968, 'currently resonating': 221655, 'resonating best': 714667, 'advertiser publisher': 33177, 'publisher affiliatemarketing': 688712, 'affiliatemarketing digitalmarketing': 34628, 'help brand publisher': 389427, 'brand publisher continue': 137979, 'publisher continue to': 688719, 'continue to meet': 201221, 'of uncertainty here': 592596, 'uncertainty here list': 939693, 'of the vertical': 591587, 'the vertical that': 870698, 'vertical that are': 954969, 'are currently resonating': 85676, 'currently resonating best': 221656, 'resonating best practice': 714668, 'practice for advertiser': 668561, 'for advertiser publisher': 319036, 'advertiser publisher affiliatemarketing': 33178, 'publisher affiliatemarketing digitalmarketing': 688713, 'branston': 138179, 'british psyche': 140570, 'these worrying': 880997, 'time overheard': 897443, 'overheard man': 631243, 'say yesterday': 739510, 'over now': 630448, 'no branston': 563722, 'branston pickle': 138180, 'pickle on': 655902, 'without cheese': 1002540, 'and pickle': 69017, 'pickle sandwich': 655904, 'sandwich branding': 733735, 'branding pickle': 138134, 'pickle cheese': 655901, 'the british psyche': 850029, 'british psyche during': 140571, 'psyche during these': 687502, 'during these worrying': 263252, 'these worrying time': 880998, 'worrying time overheard': 1010843, 'time overheard man': 897444, 'overheard man in': 631244, 'the supermarket say': 868784, 'supermarket say yesterday': 822331, 'say yesterday well': 739511, 'yesterday well it': 1015943, 'well it all': 978335, 'it all over': 456366, 'all over now': 43874, 'over now there': 630450, 'there no branston': 878798, 'no branston pickle': 563723, 'branston pickle on': 138181, 'pickle on the': 655903, 'the shelf how': 866847, 'shelf how are': 757168, 'survive without cheese': 829299, 'without cheese and': 1002541, 'cheese and pickle': 175170, 'and pickle sandwich': 69018, 'pickle sandwich branding': 655905, 'sandwich branding pickle': 733736, 'branding pickle cheese': 138135, 'fall 12': 296786, '12 brent': 2831, 'brent reduces': 139351, 'reduces crude': 706231, 'demand geonews': 235562, 'price fall 12': 673768, 'fall 12 brent': 296787, '12 brent reduces': 2832, 'brent reduces crude': 139352, 'reduces crude demand': 706232, 'crude demand geonews': 219521, 'if spent': 414869, 'spent my': 789150, 'or competing': 614781, 'competing in': 191633, 'final round': 305869, 'sure if spent': 827588, 'if spent my': 414870, 'spent my morning': 789151, 'my morning shopping': 549315, 'morning shopping for': 541437, 'for grocery or': 322045, 'grocery or competing': 364801, 'or competing in': 614782, 'competing in the': 191634, 'in the final': 429200, 'the final round': 855201, 'final round of': 305870, 'round of supermarket': 726346, 'antiflu': 78520, 'antiflu drug': 78521, 'drug should': 261081, 'consumer use': 199431, 'will effectively': 993286, 'effectively treat': 269377, 'treat case': 930809, 'case better': 165662, 'better socialdistancing': 128470, 'family living': 297996, 'house bigger': 406214, 'than ur': 841381, 'ur bathroom': 947981, 'bathroom please': 112657, 'please how': 660095, 'room sized': 725966, 'sized house': 772828, 'house luzonlockdown': 406401, 'antiflu drug should': 78522, 'drug should be': 261082, 'for consumer use': 320300, 'consumer use this': 199432, 'this will effectively': 891412, 'will effectively treat': 993287, 'effectively treat case': 269378, 'treat case better': 930810, 'case better socialdistancing': 165663, 'better socialdistancing is': 128471, 'socialdistancing is for': 780464, 'is for family': 447883, 'for family living': 321390, 'family living in': 297997, 'living in house': 496375, 'in house bigger': 423845, 'house bigger than': 406215, 'bigger than ur': 130176, 'than ur bathroom': 841382, 'ur bathroom please': 947982, 'bathroom please how': 112658, 'please how do': 660096, 'do you tell': 250687, 'you tell that': 1021542, 'tell that to': 837078, 'that to family': 847058, 'to family living': 905657, 'living in room': 496390, 'in room sized': 427548, 'room sized house': 725967, 'sized house luzonlockdown': 772829, 'feeble': 302258, 'fittest': 309547, 'store grabbed': 807963, 'bread the': 138606, 'lady behind': 478743, 'saw there': 738282, 'none left': 566582, 'left had': 485484, 'had sad': 373472, 'face she': 294731, 'she looked': 756205, 'looked weak': 502757, 'weak feeble': 974015, 'feeble so': 302259, 'her cart': 391921, 'cart took': 165403, 'took her': 925245, 'her milk': 392192, 'egg sorry': 269986, 'sorry bitch': 786016, 'bitch but': 131752, 'is survival': 452501, 'the fittest': 855382, 'grocery store grabbed': 365439, 'store grabbed the': 807964, 'last two loaf': 480603, 'of bread the': 580850, 'bread the old': 138607, 'the old lady': 862138, 'old lady behind': 598320, 'lady behind me': 478745, 'behind me saw': 124668, 'me saw there': 523418, 'saw there wa': 738283, 'wa none left': 962746, 'none left had': 566583, 'left had sad': 485485, 'had sad look': 373473, 'sad look on': 729195, 'look on her': 502555, 'on her face': 601281, 'her face she': 392034, 'face she looked': 294732, 'she looked weak': 756206, 'looked weak feeble': 502758, 'weak feeble so': 974016, 'feeble so went': 302260, 'to her cart': 907693, 'her cart took': 391922, 'cart took her': 165404, 'took her milk': 925246, 'her milk and': 392193, 'milk and egg': 531560, 'and egg sorry': 61980, 'egg sorry bitch': 269987, 'sorry bitch but': 786017, 'bitch but this': 131753, 'this is survival': 888419, 'is survival of': 452503, 'survival of the': 829069, 'of the fittest': 591032, 'att': 102009, 'att gen': 102010, 'gen is': 345219, 'is cautioning': 446437, 'cautioning texan': 168200, 'texan about': 839714, 'scam multiple': 740257, 'multiple scam': 545786, 'text msg': 839921, 'msg amp': 544518, 'amp physical': 54296, 'physical act': 655367, 'of door': 582795, 'door stating': 255716, 'stating testing': 796303, 'reported call': 712469, 'line 800': 492930, 'att gen is': 102011, 'gen is cautioning': 345220, 'is cautioning texan': 446438, 'cautioning texan about': 168201, 'texan about scam': 839715, 'about scam multiple': 26139, 'scam multiple scam': 740258, 'multiple scam involving': 545787, 'false email text': 297427, 'email text msg': 272323, 'text msg amp': 839922, 'msg amp physical': 544519, 'amp physical act': 54297, 'physical act of': 655368, 'act of door': 29719, 'of door to': 582796, 'to door stating': 904673, 'door stating testing': 255717, 'stating testing for': 796304, 'been reported call': 121829, 'reported call the': 712470, 'call the complaint': 156131, 'the complaint line': 851387, 'complaint line 800': 191991, 'line 800 621': 492931, '0508 or visit': 963, 'will undoubtedly': 995266, 'undoubtedly increase': 941045, 'waste say': 968183, 'pandemic from panic': 635471, 'supermarket to restaurant': 823409, 'restaurant closure will': 716390, 'closure will undoubtedly': 184072, 'will undoubtedly increase': 995268, 'undoubtedly increase the': 941046, 'increase the amount': 433101, 'food waste say': 317492, 'waste say food': 968184, 'say food loss': 738642, 'loss expert at': 503672, 'expert at time': 291795, 'time when food': 898285, 'when food insecurity': 983438, 'food insecurity is': 315068, 'get armed': 346600, 'armed security': 92946, 'guard in': 367808, 'selfish bulk': 748037, 'buyer hold': 149665, 'hold like': 399947, 'like fake': 490215, 'fake gun': 296632, 'gun up': 368757, 'like put': 491047, 'we get armed': 971603, 'get armed security': 346601, 'armed security guard': 92947, 'security guard in': 744616, 'guard in the': 367809, 'supermarket to scare': 823412, 'scare the selfish': 740918, 'the selfish bulk': 866661, 'selfish bulk buyer': 748038, 'bulk buyer hold': 142265, 'buyer hold like': 149666, 'hold like fake': 399948, 'like fake gun': 490216, 'fake gun up': 296633, 'gun up at': 368758, 'up at them': 944442, 'them like put': 875988, 'like put the': 491048, 'put the toilet': 690870, 'toilet roll down': 921567, 'roll down now': 725275, 'out walmart': 627779, 'toiletpaper tortilla': 922742, 'tortilla shopping': 926049, 'went to walmart': 979202, 'to walmart to': 918315, 'walmart to buy': 965443, 'buy and it': 148323, 'it wa sold': 462196, 'sold out walmart': 781755, 'out walmart toiletpaper': 627780, 'walmart toiletpaper tortilla': 965449, 'toiletpaper tortilla shopping': 922743, 'rhea': 720883, 'whacking': 980921, 'lon': 501007, 'rhea with': 720884, '15 already': 3662, 'already gone': 47378, 'gone transaction': 356404, 'volume reducing': 960165, 'reducing even': 706282, 're right': 699396, 'right mind': 721993, 'be whacking': 118092, 'whacking price': 980922, 'on anything': 599415, 'west right': 980530, 'now lon': 575248, 'rhea with 15': 720885, 'with 15 already': 996949, '15 already gone': 3663, 'already gone transaction': 47379, 'gone transaction volume': 356405, 'transaction volume reducing': 929482, 'volume reducing even': 960166, 'reducing even before': 706283, 'even before you': 283877, 'before you re': 123330, 'you re right': 1020726, 're right mind': 699398, 'right mind you': 721994, 'mind you be': 532785, 'you be whacking': 1017406, 'be whacking price': 118093, 'whacking price way': 980923, 'price way up': 677393, 'way up on': 970146, 'up on anything': 945525, 'on anything in': 599416, 'anything in the': 80794, 'the south west': 867513, 'south west right': 786791, 'west right now': 980531, 'right now lon': 722100, 'raised supply': 696039, 'chain risk': 171061, 'but workplace': 147931, 'workplace risk': 1009208, 'demand remain': 236124, 'remain the': 709880, 'ha raised supply': 371629, 'raised supply chain': 696040, 'supply chain risk': 825025, 'chain risk but': 171062, 'risk but workplace': 723434, 'but workplace risk': 147932, 'workplace risk and': 1009209, 'in demand remain': 422150, 'demand remain the': 236125, 'remain the bigger': 709881, 'the bigger problem': 849637, 'fraction': 330865, 'extreme increase': 293809, 'delivery caused': 233788, 'only small': 611155, 'small fraction': 774961, 'fraction of': 330866, 'online before': 607922, 'before so': 123085, 'be fair this': 114788, 'fair this is': 296384, 'by the extreme': 154322, 'the extreme increase': 854778, 'extreme increase in': 293810, 'for delivery caused': 320632, 'delivery caused by': 233789, 'by the lockdown': 154367, 'lockdown and government': 499142, 'and government advice': 63873, 'government advice to': 359831, 'advice to use': 33540, 'use online order': 949445, 'order only small': 618488, 'only small fraction': 611156, 'small fraction of': 774962, 'fraction of grocery': 330867, 'grocery shopping wa': 365103, 'shopping wa done': 764333, 'wa done online': 962020, 'done online before': 254962, 'online before so': 607923, 'before so they': 123086, '20 sign': 13350, 'off corona': 593740, 'staysafe lockdowneffect': 798844, 'sanitizer for 20': 734890, 'for 20 sign': 318732, '20 sign up': 13351, '10 off corona': 1576, 'off corona stayhome': 593741, 'stayhome staysafe lockdowneffect': 798170, 'arnold': 93069, 'gave grocery': 344614, 'employee shout': 274206, 'out thank': 627311, 'you arnold': 1017305, 'arnold this': 93070, 'much 19': 544667, 'so just gave': 777494, 'just gave grocery': 468793, 'gave grocery store': 344615, 'store employee shout': 807536, 'employee shout out': 274207, 'shout out thank': 766775, 'out thank you': 627312, 'thank you arnold': 841690, 'you arnold this': 1017306, 'arnold this meant': 93071, 'this meant so': 888823, 'so much 19': 777754, 'egg pasta': 269947, 'pasta tin': 643822, 'tin frozen': 898537, 'product soap': 681633, 'roll beer': 725215, 'wine coffee': 995797, 'coffee tea': 185542, 'tea in': 835362, 'supply stoppanicbuying': 825908, 'no meat egg': 564748, 'meat egg pasta': 525554, 'egg pasta tin': 269948, 'pasta tin frozen': 643823, 'tin frozen food': 898538, 'frozen food cleaning': 338971, 'cleaning product soap': 181038, 'product soap or': 681634, 'soap or toilet': 779074, 'or toilet roll': 617489, 'toilet roll beer': 921554, 'roll beer wine': 725216, 'beer wine coffee': 122540, 'wine coffee tea': 995798, 'coffee tea in': 185544, 'tea in short': 835363, 'short supply stoppanicbuying': 764714, 'just preview': 469490, 'permanent part': 652064, 'virus showed': 958744, 'food and being': 313184, 'and being unable': 58873, 'is just preview': 449143, 'just preview of': 469491, 'preview of what': 671954, 'will be permanent': 992604, 'be permanent part': 116398, 'permanent part of': 652065, 'this virus showed': 891026, 'virus showed that': 958745, 'showed that chinesevirus': 767352, 'and bloody': 59024, 'bloody good': 133199, 'same should': 733285, 'should happen': 766056, 'idiot wasting': 413626, 'wasting essential': 968303, 'item throwing': 463735, 'away bread': 105796, 'bread etc': 138457, 'etc in': 282603, 'buying ignorance': 150518, 'good good and': 357136, 'good and bloody': 356727, 'and bloody good': 59025, 'bloody good the': 133200, 'good the same': 357830, 'the same should': 866296, 'same should happen': 733287, 'should happen to': 766058, 'happen to people': 377184, 'who were and': 989953, 'are the selfish': 90906, 'the selfish idiot': 866666, 'selfish idiot wasting': 748139, 'idiot wasting essential': 413627, 'wasting essential food': 968304, 'food item throwing': 315237, 'item throwing away': 463736, 'throwing away bread': 895083, 'away bread etc': 105797, 'bread etc in': 138458, 'etc in their': 282607, 'in their panic': 429761, 'panic buying ignorance': 637769, 'put police': 690778, 'or military': 616140, 'military person': 531481, 'and arrest': 58403, 'arrest the': 93783, 'direct route': 243380, 'week prison': 976772, 'prison sentence': 678733, 'sentence some': 750870, 'buying it time': 150606, 'time to put': 898036, 'to put police': 912605, 'put police or': 690779, 'police or military': 663141, 'or military person': 616141, 'military person in': 531482, 'person in and': 652475, 'in and arrest': 420347, 'and arrest the': 58405, 'arrest the panic': 93785, 'buyer with the': 149810, 'with the fast': 1001300, 'the fast and': 854963, 'fast and direct': 299911, 'and direct route': 61373, 'direct route to': 243381, 'route to week': 726477, 'to week prison': 918474, 'week prison sentence': 976773, 'prison sentence some': 678734, 'sentence some people': 750871, 'go petrolprice': 354044, 'but where the': 147837, 'where the fuck': 985227, 'the fuck you': 855978, 'fuck you gonna': 339701, 'you gonna go': 1018885, 'gonna go petrolprice': 356545, 'go petrolprice americafirst': 354045, 'convos': 202699, 'had very': 373779, 'good experience': 357025, 'store multiple': 809000, 'people smiling': 649485, 'had few': 373109, 'nice convos': 562381, 'convos it': 202700, 'better about': 128174, 'with the crisis': 1001255, 'dealing with had': 229668, 'with had very': 998718, 'had very good': 373780, 'very good experience': 955188, 'good experience yesterday': 357026, 'experience yesterday at': 291549, 'grocery store multiple': 365580, 'store multiple people': 809001, 'multiple people smiling': 545775, 'people smiling and': 649486, 'smiling and had': 775764, 'and had few': 64101, 'had few really': 373110, 'few really nice': 304035, 'really nice convos': 702453, 'nice convos it': 562382, 'convos it really': 202701, 'me feel much': 522718, 'feel much better': 302783, 'much better about': 544754, 'better about our': 128175, 'about our world': 25905, 'insignificant': 439687, 'know insignificant': 476502, 'insignificant but': 439688, 'really grateful': 702241, 'also finding': 48210, 'also grocery': 48295, 'with flooding': 998458, 'flooding amount': 310742, 'also food': 48222, 'the mvp': 861168, 'know insignificant but': 476503, 'insignificant but am': 439689, 'but am really': 145163, 'am really grateful': 50340, 'really grateful for': 702242, 'grateful for people': 362271, 'for people working': 324472, 'line to beat': 493480, 'coronavirus and also': 205483, 'and also finding': 57947, 'also finding cure': 48211, 'finding cure and': 307453, 'cure and also': 220697, 'and also grocery': 57954, 'also grocery store': 48296, 'worker who had': 1008215, 'deal with flooding': 229550, 'with flooding amount': 998459, 'flooding amount of': 310743, 'people and also': 646843, 'and also food': 57948, 'also food delivery': 48223, 'delivery people you': 234328, 'people you guy': 650573, 'guy are the': 368908, 'are the mvp': 90866, 'drugstore only': 261190, 'only but': 610198, 'bay area is': 112915, 'area is in': 92083, 'week to stop': 977096, 'of we can': 592960, 'or drugstore only': 615087, 'drugstore only but': 261191, 'only but in': 610199, 'but in chicago': 146022, 'pix long': 657140, 'pix long supermarket': 657141, 'long supermarket line': 501660, 'supermarket line melbourne': 821327, 'scmp': 742290, 'sector continued': 744140, 'data released': 226382, 'released on': 709065, 'friday showed': 333284, 'showed factory': 767323, 'factory gate': 295948, 'price contracted': 673230, 'at faster': 98632, 'faster pace': 300112, 'pace last': 632942, 'month scmp': 537987, 'china manufacturing sector': 176820, 'manufacturing sector continued': 513656, 'sector continued to': 744141, 'continued to suffer': 201367, 'suffer from the': 817211, 'in march data': 425094, 'march data released': 515337, 'data released on': 226383, 'released on friday': 709066, 'on friday showed': 601015, 'friday showed factory': 333285, 'showed factory gate': 767324, 'factory gate price': 295949, 'gate price contracted': 344352, 'price contracted at': 673231, 'contracted at faster': 201730, 'at faster pace': 98633, 'faster pace last': 300113, 'pace last month': 632943, 'last month scmp': 480339, 'be cashing': 114018, 'on sure': 603841, 'sure chest': 827517, 'chest freezer': 175558, 'freezer were': 332650, 'were cheaper': 979433, 'at now': 99923, 'to be cashing': 901154, 'be cashing in': 114019, 'in on sure': 426127, 'on sure chest': 603842, 'sure chest freezer': 827518, 'chest freezer were': 175559, 'freezer were cheaper': 332651, 'were cheaper than': 979434, 'sold at now': 781639, 'two opportunist': 937104, 'opportunist contact': 613555, 'contact about': 200000, 'about optimizing': 25859, 'optimizing their': 613957, 'ebay one': 266475, 'one selling': 607001, 'other who': 621204, 'who selling': 989591, 'selling homemade': 749295, 'in 3oz': 419924, '3oz bottle': 18374, 'bottle this': 136336, 'actively banned': 30299, 'banned on': 110586, 'have had two': 380882, 'had two opportunist': 373775, 'two opportunist contact': 937105, 'opportunist contact about': 613556, 'contact about optimizing': 200001, 'about optimizing their': 25860, 'optimizing their product': 613958, 'product on ebay': 681465, 'on ebay one': 600493, 'ebay one selling': 266476, 'one selling mask': 607002, 'the other who': 862563, 'other who selling': 621205, 'who selling homemade': 989592, 'selling homemade hand': 749296, 'sanitizer in 3oz': 735125, 'in 3oz bottle': 419925, '3oz bottle this': 18375, 'bottle this in': 136337, 'this in spite': 888055, 'spite of the': 789575, 'fact that both': 295789, 'that both are': 843013, 'both are actively': 135852, 'are actively banned': 84205, 'actively banned on': 30300, 'banned on the': 110587, 'costcos': 208309, 'queing up': 693438, 'of walmarts': 592894, 'walmarts costcos': 965495, 'costcos the': 208310, 'chinese grocery': 177275, 'town look': 927509, 'look deserted': 502330, 'deserted people': 238007, 'really afraid': 701955, 'this chinesevirus': 886768, 'people are queing': 647051, 'are queing up': 89378, 'queing up in': 693439, 'up in front': 945153, 'front of walmarts': 338650, 'of walmarts costcos': 592895, 'walmarts costcos the': 965496, 'costcos the chinese': 208311, 'the chinese grocery': 850859, 'chinese grocery store': 177276, 'my town look': 550416, 'town look deserted': 927510, 'look deserted people': 502331, 'deserted people are': 238008, 'are really afraid': 89471, 'really afraid of': 701956, 'afraid of this': 35007, 'of this chinesevirus': 591951, 'this chinesevirus chinavirus': 886769, 'swear had': 830032, 'had hoped': 373188, 'hoped that': 403827, 'important each': 418789, 'society not': 781275, 'more debate': 538974, 'debate about': 230307, 'about who': 26924, 'than who': 841456, 'who for': 988753, 'and professional': 69590, 'professional actor': 682395, 'actor are': 30567, 'all important': 43188, 'swear had hoped': 830033, 'had hoped that': 373190, 'hoped that covid': 403828, '19 would help': 12212, 'would help understand': 1011922, 'how important each': 408033, 'important each person': 418790, 'each person is': 264251, 'person is to': 652508, 'is to society': 453246, 'to society not': 914853, 'society not create': 781276, 'not create more': 568921, 'create more debate': 215693, 'more debate about': 538975, 'debate about who': 230308, 'about who is': 26925, 'important than who': 419002, 'than who for': 841457, 'who for the': 988754, 'last time medical': 480567, 'time medical personnel': 897202, 'clerk and professional': 181642, 'and professional actor': 69591, 'professional actor are': 682396, 'actor are all': 30568, 'are all important': 84315, 'all important and': 43189, 'adjourned': 32273, 'nonpayment': 566664, 'la city': 478143, 'council just': 209998, 'just adjourned': 468158, 'adjourned but': 32274, 'some key': 783165, 'key motion': 473351, 'motion were': 543273, 'introduced they': 443461, 'include motion': 431598, 'motion calling': 543256, 'for blanket': 319696, 'blanket ban': 132380, 'eviction motion': 288334, 'rent deferred': 711068, 'deferred during': 232191, 'treated like': 930960, 'avoid eviction': 105091, 'eviction based': 288310, 'on nonpayment': 602426, 'the la city': 858874, 'la city council': 478144, 'city council just': 179114, 'council just adjourned': 209999, 'just adjourned but': 468159, 'adjourned but some': 32275, 'but some key': 147100, 'some key motion': 783167, 'key motion were': 473352, 'motion were introduced': 543274, 'were introduced they': 979803, 'introduced they include': 443462, 'they include motion': 882452, 'include motion calling': 431599, 'motion calling for': 543257, 'calling for blanket': 156545, 'for blanket ban': 319697, 'blanket ban on': 132381, 'on eviction motion': 600657, 'eviction motion calling': 288335, 'for rent deferred': 325119, 'rent deferred during': 711069, 'deferred during the': 232192, 'crisis to be': 218243, 'be treated like': 117806, 'treated like consumer': 930961, 'like consumer debt': 490040, 'consumer debt to': 197091, 'debt to avoid': 230582, 'to avoid eviction': 900891, 'avoid eviction based': 105092, 'eviction based on': 288311, 'based on nonpayment': 111687, 'dropshipping': 260757, 'finished reading': 307913, 'reading driving': 700753, 'driving traffic': 260028, 'traffic but': 929064, 'to diagnose': 904261, 'diagnose and': 240212, 'via ecommerce': 955946, 'retail iot': 718235, 'iot ai': 444469, 'ai seo': 39336, 'sem smm': 749582, 'smm blockchain': 775830, 'blockchain amazon': 132818, 'amazon dropshipping': 50925, 'dropshipping websitedesign': 260758, 'websitedesign mobileappdevelopment': 975506, 'mobileappdevelopment shopify': 535047, 'just finished reading': 468730, 'finished reading driving': 307914, 'reading driving traffic': 700754, 'driving traffic but': 260029, 'traffic but no': 929065, 'but no sale': 146498, 'no sale here': 565400, 'sale here how': 732277, 'how to diagnose': 409007, 'to diagnose and': 904262, 'diagnose and improve': 240213, 'improve your store': 419559, 'your store via': 1025996, 'store via ecommerce': 811060, 'via ecommerce retail': 955947, 'ecommerce retail iot': 266846, 'retail iot ai': 718236, 'iot ai seo': 444470, 'ai seo sem': 39337, 'seo sem smm': 751051, 'sem smm blockchain': 749583, 'smm blockchain amazon': 775831, 'blockchain amazon dropshipping': 132819, 'amazon dropshipping websitedesign': 50926, 'dropshipping websitedesign mobileappdevelopment': 260759, 'websitedesign mobileappdevelopment shopify': 975508, 'cybersecurity the': 224009, 'also could': 48072, 'finance more': 306240, 'cybersecurity the isn': 224010, 'the isn just': 858560, 'isn just health': 454579, 'just health risk': 468949, 'risk it also': 723649, 'it also could': 456425, 'also could be': 48073, 'be dangerous for': 114331, 'dangerous for your': 225742, 'for your finance': 328152, 'your finance more': 1023867, 'wa local': 962579, 'getting ridiculous this': 349243, 'ridiculous this wa': 721624, 'this wa local': 891074, 'wa local grocery': 962580, 'vegetableoil': 954129, 'report global': 711984, 'price major': 675148, 'commodity drop': 189165, 'drop mind': 260304, 'mind pandemic': 532708, 'pandemic sugar': 636590, 'sugar vegetableoil': 817481, 'vegetableoil drop': 954130, 'drop most': 260307, 'report global price': 711985, 'global price major': 352140, 'price major food': 675149, 'food commodity drop': 313976, 'commodity drop mind': 189166, 'drop mind pandemic': 260305, 'mind pandemic sugar': 532709, 'pandemic sugar vegetableoil': 636591, 'sugar vegetableoil drop': 817482, 'vegetableoil drop most': 954131, 'dukem': 262076, 'such heartwarming': 816548, 'heartwarming story': 388479, 'story considering': 811937, 'considering challenge': 195365, 'challenge covid': 171431, 'is imposing': 448737, 'imposing on': 419333, 'ppl landlord': 668268, 'landlord from': 479349, 'from dukem': 335233, 'dukem city': 262077, 'city voluntarily': 179444, 'voluntarily reduced': 960190, 'reduced rental': 706162, 'their tenant': 874965, 'tenant big': 837832, 'big ups': 130094, 'to em': 904999, 'em no': 272073, 'no act': 563580, 'kindness is': 475211, 'ever wasted': 285587, 'such heartwarming story': 816549, 'heartwarming story considering': 388480, 'story considering challenge': 811938, 'considering challenge covid': 195366, 'challenge covid 19': 171432, '19 is imposing': 7993, 'is imposing on': 448738, 'imposing on some': 419334, 'on some ppl': 603566, 'some ppl landlord': 783610, 'ppl landlord from': 668269, 'landlord from dukem': 479350, 'from dukem city': 335234, 'dukem city voluntarily': 262078, 'city voluntarily reduced': 179445, 'voluntarily reduced rental': 960191, 'reduced rental price': 706163, 'rental price to': 711270, 'to their tenant': 917274, 'their tenant big': 874966, 'tenant big ups': 837833, 'big ups to': 130095, 'ups to em': 947778, 'to em no': 905000, 'em no act': 272074, 'no act of': 563581, 'of kindness is': 585648, 'kindness is ever': 475212, 'is ever wasted': 447572, 'march coast': 515320, 'coast shutdown': 185115, 'pandemic took': 636825, 'took their': 925347, 'their toll': 875012, 'march sending': 515467, 'in march coast': 425090, 'march coast to': 515321, 'to coast shutdown': 902934, 'coast shutdown of': 185116, 'shutdown of business': 768065, 'business and stay': 143335, 'home order from': 401773, 'from the effort': 337682, 'contain the new': 200498, 'coronavirus pandemic took': 206500, 'pandemic took their': 636826, 'took their toll': 925348, 'their toll on': 875013, 'on consumer price': 600067, 'in march sending': 425119, 'march sending them': 515468, 'sending them down': 750102, 'them down by': 875624, 'rail freight': 695673, 'freight surging': 332701, 'surging to': 828443, 'rail freight surging': 695675, 'freight surging to': 332702, 'surging to stock': 828445, 'sure eating': 827529, 'coronacrisis for': 204600, 'cupboard workingfromhomelife': 220504, 'workingfromhomelife staysafestayhome': 1009121, 'staysafestayhome socialdistancing': 799018, 'sure eating lot': 827530, 'eating lot during': 266252, 'lot during this': 504038, 'during this coronacrisis': 263270, 'this coronacrisis for': 886875, 'coronacrisis for someone': 204601, 'someone who can': 784750, 'who can find': 988382, 'find any food': 306792, 'any food on': 79238, 'food on any': 315591, 'shelf to restock': 757703, 'restock my cupboard': 716883, 'my cupboard workingfromhomelife': 547863, 'cupboard workingfromhomelife staysafestayhome': 220505, 'workingfromhomelife staysafestayhome socialdistancing': 1009122, 'oil price via': 597309, 'trumpownseverydeath': 934103, 'mask stock': 519312, 'price trumpplague': 677133, 'trumpplague stayhome': 934123, 'stayhome staysafestayhome': 798181, 'staysafestayhome facemasks': 798992, 'facemasks netflix': 295155, 'netflix trumpownseverydeath': 557639, 'trumpownseverydeath newyork': 934104, 'newyork newjersey': 561194, 'newjersey trending': 560088, 'trending healthcareheroes': 931540, 'healthcareheroes healthcare': 387416, 'healthcare wuhanvirus': 387401, 'wuhanvirus chinaliedpeopledied': 1013574, '19 protection face': 9855, 'face mask stock': 294593, 'mask stock in': 519313, 'regular price trumpplague': 707847, 'price trumpplague stayhome': 677135, 'trumpplague stayhome staysafestayhome': 934124, 'stayhome staysafestayhome facemasks': 798182, 'staysafestayhome facemasks netflix': 798993, 'facemasks netflix trumpownseverydeath': 295156, 'netflix trumpownseverydeath newyork': 557640, 'trumpownseverydeath newyork newjersey': 934105, 'newyork newjersey trending': 561195, 'newjersey trending healthcareheroes': 560089, 'trending healthcareheroes healthcare': 931541, 'healthcareheroes healthcare wuhanvirus': 387417, 'healthcare wuhanvirus chinaliedpeopledied': 387402, 'texas regulator': 839814, 'regulator will': 708155, 'likely hold': 492023, 'hold meeting': 399955, 'meeting 14': 527664, '14 apr': 3421, 'apr to': 83375, 'discus curtailing': 244846, 'state output': 795846, 'output in': 629273, 'help balance': 389404, 'texas regulator will': 839815, 'regulator will likely': 708156, 'will likely hold': 994003, 'likely hold meeting': 492024, 'hold meeting 14': 399956, 'meeting 14 apr': 527665, '14 apr to': 3422, 'apr to discus': 83376, 'to discus curtailing': 904374, 'discus curtailing the': 244847, 'curtailing the state': 221795, 'the state output': 867802, 'state output in': 795847, 'output in an': 629274, 'to help balance': 907460, 'help balance the': 389405, 'of the crash': 590907, 'your parking': 1025206, 'parking price': 642116, 'providing no': 687056, 'no actual': 563584, 'actual service': 30694, 'going to drop': 355579, 'to drop your': 904786, 'drop your parking': 260460, 'your parking price': 1025207, 'parking price since': 642117, 'price since you': 676419, 'since you re': 771017, 'you re providing': 1020714, 're providing no': 699327, 'providing no actual': 687057, 'no actual service': 563585, 'actual service at': 30695, 'service at the': 752160, 'toiletpaperapocolypse': 922961, 'hmm ok': 398690, 'ok costco': 597781, 'costco very': 208284, 'interesting replacement': 441607, 'replacement suggestion': 711623, 'your sold': 1025863, 'paper costco': 640057, 'toiletpaper quarentinelife': 922389, 'quarentinelife quarantine': 693199, 'toiletpapercrisis toiletpaperapocolypse': 923093, 'hmm ok costco': 398691, 'ok costco very': 597782, 'costco very interesting': 208285, 'very interesting replacement': 955277, 'interesting replacement suggestion': 441608, 'replacement suggestion for': 711624, 'suggestion for your': 817642, 'for your sold': 328211, 'your sold out': 1025864, 'sold out toilet': 781753, 'toilet paper costco': 921243, 'paper costco toiletpaper': 640058, 'costco toiletpaper quarentinelife': 208277, 'toiletpaper quarentinelife quarantine': 922390, 'quarentinelife quarantine toiletpapercrisis': 693200, 'quarantine toiletpapercrisis toiletpaperapocolypse': 692658, 'help second': 390494, 'second harvest': 743732, 'harvest food': 378614, 'bank seek': 110173, 'seek monetary': 746592, 'donation preparing': 254673, 'to help second': 907619, 'help second harvest': 390495, 'second harvest food': 743733, 'harvest food bank': 378615, 'food bank seek': 313636, 'bank seek monetary': 110174, 'seek monetary donation': 746593, 'monetary donation preparing': 536543, 'donation preparing for': 254674, 'preparing for increased': 670329, 'to becoming': 901687, 'low wage in': 505730, 'wage in any': 963901, 'any country are': 79077, 'country are likely': 210469, 'in america it': 420228, 'america it appears': 51585, 'appears that grocery': 82207, 'vulnerable to becoming': 961214, 'to becoming infected': 901688, 'becoming infected die': 120310, 'schuermann': 742059, 'sanitisers twitter': 734112, 'twitter user': 936735, 'user schuermann': 950317, 'schuermann explained': 742061, 'store priced': 809651, 'priced one': 677746, 'response to hoarding': 715853, 'to hoarding hellerup': 907897, 'hand sanitisers twitter': 375269, 'sanitisers twitter user': 734113, 'twitter user schuermann': 936736, 'user schuermann explained': 950318, 'schuermann explained that': 742062, 'explained that the': 292166, 'the store priced': 868086, 'store priced one': 809652, 'priced one bottle': 677747, 'fixates': 309768, 'for trump': 327365, 'market he': 516510, 'he obsessed': 385266, 'he fixates': 384964, 'fixates on': 309769, 'on television': 603896, 'for trump the': 327367, 'trump the economy': 933914, 'economy is basically': 267990, 'is basically the': 446005, 'basically the stock': 112171, 'stock market he': 802403, 'market he obsessed': 516511, 'he obsessed with': 385267, 'obsessed with it': 578671, 'with it much': 999075, 'it much the': 459705, 'much the way': 545358, 'way he fixates': 969619, 'he fixates on': 384965, 'fixates on television': 309770, 'oilfinance': 597582, 'light crude': 489519, 'year oilfinance': 1014804, 'the report that': 865538, 'price of light': 675491, 'of light crude': 585849, 'light crude oil': 489520, 'oil is down': 596905, 'is down 60': 447341, '60 so far': 21007, 'this year the': 891597, 'year the lowest': 1015001, 'level in 18': 487590, '18 year oilfinance': 4606, 'forge': 329213, 'pager': 633926, 'care creative': 163905, 'creative thinking': 216173, 'tool can': 925401, 'address customer': 31967, 'customer acute': 222024, 'acute need': 31038, 'need today': 556122, 'and forge': 63202, 'forge stronger': 329214, 'tie 19': 895731, '19 expanded': 6886, 'expanded version': 290495, 'one pager': 606826, 'pager earlier': 633927, 'earlier consumer': 264432, 'consumer d2c': 197046, 'care creative thinking': 163906, 'creative thinking and': 216174, 'thinking and new': 885878, 'and new tool': 67563, 'new tool can': 559769, 'tool can address': 925402, 'can address customer': 157375, 'address customer acute': 31968, 'customer acute need': 222025, 'acute need today': 31040, 'need today and': 556123, 'today and forge': 919207, 'and forge stronger': 63203, 'forge stronger tie': 329216, 'stronger tie 19': 814189, 'tie 19 expanded': 895732, '19 expanded version': 6887, 'expanded version of': 290496, 'the one pager': 862212, 'one pager earlier': 606827, 'pager earlier consumer': 633928, 'earlier consumer d2c': 264433, 'effect there': 269128, 'of collusion': 581538, 'collusion in': 186681, 'basic product': 112029, 'and mineral': 67036, 'please fix the': 660000, 'essential good with': 281102, 'good with immediate': 357969, 'immediate effect there': 416987, 'effect there are': 269129, 'sign of collusion': 769158, 'of collusion in': 581539, 'collusion in retail': 186682, 'store on basic': 809187, 'on basic product': 599584, 'basic product such': 112033, 'such hand sanitizers': 816540, 'sanitizers hand soap': 736295, 'soap and mineral': 778919, 'and mineral water': 67037, 'story we': 812153, 'we published': 972781, 'published earlier': 688648, 'ceo signing': 169836, 'signing joint': 769635, 'about proper': 26013, 'proper supermarket': 684155, 'now play': 575544, 'play your': 659261, 'our joint': 623605, 'joint petition': 467016, 'following the news': 312895, 'the news story': 861631, 'news story we': 560836, 'story we published': 812154, 'we published earlier': 972782, 'published earlier on': 688649, 'earlier on our': 264469, 'on our ceo': 602582, 'our ceo signing': 622347, 'ceo signing joint': 169837, 'signing joint letter': 769636, 'joint letter to': 467014, 'government about proper': 359813, 'about proper supermarket': 26014, 'proper supermarket access': 684156, 'supermarket access for': 818760, 'access for and': 28127, 'can now play': 159069, 'now play your': 575545, 'play your part': 659262, 'your part by': 1025211, 'part by signing': 642254, 'by signing our': 154018, 'signing our joint': 769643, 'our joint petition': 623606, '1974': 12431, 'shown it': 767601, 'biggest fall': 130239, 'since record': 770803, 'record began': 704911, 'january 1974': 464615, '1974 see': 12432, 'the figure': 855173, 'figure here': 305203, 'here retailnews': 393526, 'confidence ha shown': 193881, 'ha shown it': 371919, 'shown it biggest': 767602, 'it biggest fall': 456876, 'biggest fall since': 130241, 'fall since record': 297061, 'since record began': 770804, 'record began in': 704912, 'began in january': 123392, 'in january 1974': 424352, 'january 1974 see': 464616, '1974 see the': 12433, 'see the figure': 745833, 'the figure here': 855174, 'figure here retailnews': 305204, 'swcycle': 830021, 'flush the': 311554, 'the 3p': 848107, '3p pee': 18381, 'pee poo': 646242, 'poo toilet': 664004, 'paper un': 641036, 'un flushable': 939285, 'flushable item': 311572, 'like wet': 491788, 'wipe kitchen': 996310, 'roll cotton': 725256, 'cotton wool': 208421, 'wool or': 1004352, 'tissue should': 899209, 'bin not': 131024, 'not down': 569098, 'toilet swcycle': 921628, 'remember to only': 710378, 'to only flush': 910969, 'only flush the': 610450, 'flush the 3p': 311555, 'the 3p pee': 848108, '3p pee poo': 18382, 'pee poo toilet': 646243, 'poo toilet paper': 664005, 'toilet paper un': 921510, 'paper un flushable': 641037, 'un flushable item': 939286, 'flushable item like': 311573, 'item like wet': 463426, 'like wet wipe': 491789, 'wet wipe kitchen': 980762, 'wipe kitchen roll': 996311, 'kitchen roll cotton': 475744, 'roll cotton wool': 725257, 'cotton wool or': 208422, 'wool or tissue': 1004353, 'or tissue should': 617463, 'tissue should be': 899210, 'in the bin': 429022, 'the bin not': 849713, 'bin not down': 131025, 'not down the': 569099, 'the toilet swcycle': 869714, 'tightened': 895847, 'crowd outside': 219229, 'of tightened': 592162, 'tightened travel': 895848, 'people crowd outside': 647587, 'crowd outside the': 219231, 'outside the door': 629589, 'announcement of tightened': 77180, 'of tightened travel': 592163, 'tightened travel restriction': 895849, 'bounced': 136825, 'price bounced': 672951, 'bounced nearly': 136830, 'nearly on': 553851, 'day selloff': 228333, 'selloff drove': 749547, 'drove them': 260808, 'decade demand': 230673, 'demand plummeted': 236043, 'plummeted due': 661334, 'supply read': 825749, 'advisorymandi crude': 33789, 'crude opec': 219574, 'oil price bounced': 597066, 'price bounced nearly': 672952, 'bounced nearly on': 136831, 'nearly on thursday': 553852, 'on thursday after': 604664, 'thursday after three': 895335, 'three day selloff': 893917, 'day selloff drove': 228334, 'selloff drove them': 749548, 'drove them to': 260809, 'them to their': 876523, 'in almost two': 420198, 'almost two decade': 46758, 'two decade demand': 936873, 'decade demand plummeted': 230674, 'demand plummeted due': 236044, 'plummeted due to': 661335, 'the and supply': 848723, 'and supply read': 72810, 'supply read more': 825750, 'at advisorymandi crude': 97844, 'advisorymandi crude opec': 33790, 'replay': 711630, 'this webinar': 891163, 'webinar replay': 975088, 'replay that': 711633, 'out this webinar': 627592, 'this webinar replay': 891166, 'webinar replay that': 975089, 'replay that share': 711634, 'that share evidence': 846226, 'to help agricultural': 907444, 'italytravel': 462975, 'while traveling': 987477, 'traveling or': 930653, 'travel at': 930277, 'thing happen': 884387, 'happen for': 377079, 'you high': 1019217, 'high vacation': 395503, 'vacation traveling': 951603, 'traveling italytravel': 930649, 'italytravel dubai': 462976, 'save money while': 737590, 'money while traveling': 537171, 'while traveling or': 987478, 'traveling or you': 930654, 'or you want': 617866, 'want to travel': 966148, 'to travel at': 917724, 'travel at the': 930278, 'lowest price with': 506218, 'with high quality': 998806, 'quality service let': 691849, 'service let help': 752564, 'let help you': 486787, 'to make thing': 909754, 'make thing happen': 510628, 'thing happen for': 884388, 'happen for you': 377082, 'for you high': 328064, 'you high vacation': 1019219, 'high vacation traveling': 395504, 'vacation traveling italytravel': 951604, 'traveling italytravel dubai': 930650, 'daily recap': 224770, 'recap coming': 703373, 'your daily recap': 1023445, 'daily recap coming': 224771, 'recap coming up': 703374, 'up on right': 945612, 'riddance': 721407, 'poison': 662792, 'good riddance': 357667, 'riddance ve': 721408, 'seen first': 747014, 'hand how': 375021, 'this industry': 888093, 'industry contributes': 435747, 'warming tear': 966905, 'tear apart': 835926, 'apart community': 81243, 'and poison': 69149, 'poison child': 662793, 'child livestock': 176133, 'and ecosystem': 61928, 'ecosystem now': 268398, 'need good': 554915, 'good green': 357148, 'green job': 363677, 'good riddance ve': 357668, 'riddance ve seen': 721409, 've seen first': 953527, 'seen first hand': 747015, 'first hand how': 308701, 'hand how this': 375022, 'how this industry': 408948, 'this industry contributes': 888094, 'industry contributes to': 435748, 'contributes to global': 201904, 'global warming tear': 352292, 'warming tear apart': 966906, 'tear apart community': 835927, 'apart community and': 81244, 'community and poison': 189721, 'and poison child': 69150, 'poison child livestock': 662794, 'child livestock and': 176134, 'livestock and ecosystem': 496260, 'and ecosystem now': 61929, 'ecosystem now we': 268399, 'we need good': 972488, 'need good green': 554916, 'good green job': 357150, 'green job for': 363678, 'job for the': 465826, 'the industry worker': 858199, 'industry worker which': 436261, 'worker which mean': 1008186, 'mean we need': 524764, 'n2': 551112, 'hello beautiful': 389132, 'perfect jewelry': 651309, 'jewelry for': 465387, 'at swell': 100807, 'swell price': 830301, 'each complete': 264012, 'complete set': 192149, 'set is': 753408, 'is n2': 449819, 'n2 700': 551113, '700 order': 21896, 'order like': 618365, 'hello beautiful people': 389133, 'beautiful people we': 118705, 'the perfect jewelry': 863540, 'perfect jewelry for': 651310, 'jewelry for you': 465388, 'you at swell': 1017341, 'at swell price': 100808, 'swell price each': 830302, 'price each complete': 673641, 'each complete set': 264013, 'complete set is': 192150, 'set is n2': 753409, 'is n2 700': 449820, 'n2 700 order': 551114, '700 order like': 21897, 'order like and': 618366, 'like and retweet': 489788, 'who hold': 989016, 'breath every': 139163, 'they walk': 883697, 'now pretty': 575588, 'it saving': 460878, 'saving my': 737932, 'life thanks': 489091, 'one who hold': 607451, 'who hold their': 989019, 'hold their breath': 400027, 'their breath every': 872648, 'breath every time': 139164, 'time they walk': 897906, 'they walk by': 883698, 'walk by someone': 964761, 'by someone in': 154083, 'store now pretty': 809130, 'now pretty sure': 575589, 'sure it saving': 827605, 'it saving my': 460879, 'saving my life': 737933, 'my life thanks': 549040, 'bangalore covid': 109455, '19 veggie': 11743, 'price shoot': 676371, 'bangalore covid 19': 109456, 'covid 19 veggie': 214020, '19 veggie price': 11744, 'veggie price shoot': 954208, 'price shoot up': 676373, 'shoot up over': 759754, 'up over short': 945727, 'supply and panic': 824745, 'aisle throughout': 40397, 'the brookshire': 850050, 'in bullard': 421055, 'bullard tx': 142415, 'empty aisle throughout': 274747, 'aisle throughout the': 40398, 'throughout the brookshire': 894963, 'the brookshire grocery': 850051, 'brookshire grocery store': 141007, 'store in bullard': 808280, 'in bullard tx': 421056, 'angela without': 76343, 'buying wine': 151374, 'angela without mask': 76344, 'without mask in': 1002772, 'in supermarket buying': 428567, 'supermarket buying wine': 819474, 'buying wine and': 151375, 'bettersafethansorry': 128626, 'glove checking': 352630, 'store hold': 808164, 'up hon': 945099, 'hon ll': 403039, 'from produce': 336982, 'produce bettersafethansorry': 680212, 'when you forget': 984562, 'you forget your': 1018694, 'forget your glove': 329350, 'your glove checking': 1024057, 'glove checking out': 352631, 'grocery store hold': 365465, 'store hold up': 808165, 'hold up hon': 400042, 'up hon ll': 945100, 'hon ll be': 403040, 'll be right': 496620, 'be right back': 116888, 'right back and': 721795, 'back and return': 106863, 'and return with': 70473, 'return with bag': 719949, 'with bag from': 997358, 'bag from produce': 108296, 'from produce bettersafethansorry': 336983, 'airline ha': 39958, 'ha identified': 370899, '14 covid': 3435, 'case involving': 165823, 'based airline ha': 111498, 'airline ha identified': 39959, 'ha identified 14': 370900, 'identified 14 covid': 413323, '14 covid 19': 3436, '19 case involving': 5684, 'case involving passenger': 165824, 'fertilizer': 303581, 'navigates': 553113, 'marketoutlook': 517792, 'first energy': 308654, 'and fertilizer': 62804, 'fertilizer outlook': 303582, 'outlook report': 629178, 'for ofa': 324022, 'ofa member': 593571, 'member the': 528212, 'report provides': 712198, 'world navigates': 1009820, 'navigates through': 553114, '19 marketoutlook': 8568, 'the first energy': 855304, 'first energy and': 308655, 'energy and fertilizer': 276388, 'and fertilizer outlook': 62805, 'fertilizer outlook report': 303583, 'outlook report for': 629179, 'report for 2020': 711951, 'for 2020 from': 318750, '2020 from is': 14319, 'from is now': 336099, 'now available exclusively': 574154, 'exclusively for ofa': 289719, 'for ofa member': 324023, 'ofa member the': 593572, 'member the report': 528213, 'the report provides': 865535, 'report provides information': 712199, 'provides information and': 686872, 'information and insight': 437737, 'and insight on': 65260, 'insight on 2020': 439604, 'on 2020 market': 599057, '2020 market price': 14436, 'price the world': 676867, 'the world navigates': 871920, 'world navigates through': 1009821, 'navigates through covid': 553115, 'covid 19 marketoutlook': 213406, 'hoarding running': 399504, 'and hoarding running': 64663, 'hoarding running to': 399505, 'sydney from': 830695, 'from uncle': 338174, 'uncle who': 939826, 'store in sydney': 808398, 'in sydney from': 428779, 'sydney from uncle': 830696, 'from uncle who': 338175, 'uncle who life': 939827, 'who life in': 989205, 'life in australia': 488753, 'wo': 1003305, 'berojgar': 127406, 'achanak': 29002, 'gayee': 344726, 'ane': 76252, 'ziddi': 1027555, 'na medical': 551299, 'store ka': 808635, 'ka wo': 470569, 'wo berojgar': 1003306, 'berojgar tha': 127407, 'tha achanak': 840064, 'achanak government': 29003, 'government job': 360293, 'job lag': 465937, 'lag gayee': 478888, 'gayee ane': 344727, 'ane se': 76253, 'se ziddi': 743069, 'sanitizer na medical': 735391, 'na medical store': 551300, 'medical store ka': 526419, 'store ka wo': 808636, 'ka wo berojgar': 470570, 'wo berojgar tha': 1003307, 'berojgar tha achanak': 127408, 'tha achanak government': 840065, 'achanak government job': 29004, 'government job lag': 360294, 'job lag gayee': 465938, 'lag gayee ane': 478889, 'gayee ane se': 344728, 'ane se ziddi': 76254, 'is driving change': 447381, 'in consumer research': 421717, 'job using': 466258, 'glove use': 352995, 'great job using': 362792, 'job using ppe': 466259, 'using ppe glove': 950608, 'ppe glove use': 667962, 'glove use at': 352996, 'use at supermarket': 949059, 'at supermarket today': 100786, 'supermarket today 19': 823428, 'house warns': 406663, 'warns american': 967247, 'hit peak': 398370, 'white house warns': 987865, 'house warns american': 406664, 'warns american to': 967249, 'american to avoid': 52261, '19 hit peak': 7548, 'supermarts': 824279, 'lumpur': 506688, 'supermarts tell': 824280, 'tell malaysian': 837000, 'malaysian to': 511668, 'resist panic': 714574, 'buying country': 150155, '19 kuala': 8256, 'kuala lumpur': 477859, 'lumpur march': 506689, '17 two': 4399, 'two major': 937024, 'have pleaded': 381954, 'pleaded with': 659579, 'with malaysian': 999370, 'malaysian not': 511664, 'government move': 360362, 'supermarts tell malaysian': 824281, 'tell malaysian to': 837001, 'malaysian to resist': 511669, 'to resist panic': 913360, 'resist panic buying': 714575, 'panic buying country': 637691, 'buying country shuts': 150156, 'shuts down for': 768185, 'down for covid': 256770, 'covid 19 kuala': 213327, '19 kuala lumpur': 8257, 'kuala lumpur march': 477860, 'lumpur march 17': 506690, 'march 17 two': 515102, '17 two major': 4400, 'two major supermarket': 937025, 'major supermarket operator': 509493, 'supermarket operator have': 821784, 'operator have pleaded': 613365, 'have pleaded with': 381955, 'pleaded with malaysian': 659580, 'with malaysian not': 999371, 'malaysian not to': 511665, 'over the government': 630726, 'the government move': 856565, 'government move to': 360363, 'move to stop': 543766, 'to stop all': 915498, 'stop all non': 804439, 'dry cleaner': 261253, 'cleaner uk': 180865, 'uk firm': 938358, 'firm switch': 308425, 'come by': 187254, 'by small': 154044, 'small uk': 775172, 'keep busy': 471363, 'busy reported': 144946, 'grocery from the': 364541, 'from the dry': 337675, 'the dry cleaner': 853750, 'dry cleaner uk': 261254, 'cleaner uk firm': 180866, 'uk firm switch': 938360, 'firm switch to': 308426, 'switch to food': 830518, 'to food delivery': 906078, 'food delivery supermarket': 314149, 'delivery supermarket delivery': 234584, 'supermarket delivery are': 819916, 'delivery are getting': 233718, 'are getting harder': 86808, 'getting harder to': 349027, 'harder to come': 378191, 'to come by': 903022, 'come by small': 187255, 'by small uk': 154045, 'small uk firm': 775173, 'uk firm are': 938359, 'firm are finding': 308316, 'to keep busy': 908766, 'keep busy reported': 471365, 'busy reported in': 144947, 'reported in the': 712494, 'in the guardian': 429248, 'hand sanitize': 375273, 'sanitize to': 734223, 'life icon': 488738, 'icon partner': 412806, 'this young': 891617, 'young girl': 1022601, 'girl faith': 350246, 'faith david': 296502, 'david to': 227002, 'share hand': 755014, 'sanitizer around': 734491, 'around jos': 93367, 'jos nigeria': 467311, 'clean hand sanitize': 180552, 'hand sanitize to': 375274, 'sanitize to save': 734224, 'save life icon': 737543, 'life icon partner': 488739, 'icon partner with': 412807, 'partner with this': 642908, 'with this young': 1001743, 'this young girl': 891618, 'young girl faith': 1022602, 'girl faith david': 350247, 'faith david to': 296503, 'david to share': 227003, 'to share hand': 914344, 'share hand sanitizer': 755015, 'hand sanitizer around': 375310, 'sanitizer around jos': 734492, 'around jos nigeria': 93368, 'greediness': 363456, 'those profiteering': 892370, 'price holding': 674572, 'holding individual': 400121, 'financial ransom': 306546, 'ransom or': 696831, 'or damn': 614883, 'right greediness': 721916, 'greediness this': 363457, 'not forever': 569503, 'doe end': 251381, 'just remember all': 469603, 'all those profiteering': 45179, 'those profiteering off': 892371, 'crisis by increasing': 217173, 'by increasing price': 152900, 'increasing price holding': 433673, 'price holding individual': 674573, 'holding individual to': 400122, 'individual to financial': 435268, 'to financial ransom': 905869, 'financial ransom or': 306547, 'ransom or damn': 696832, 'or damn right': 614884, 'damn right greediness': 225418, 'right greediness this': 721917, 'greediness this crisis': 363458, 'is not forever': 450089, 'not forever and': 569504, 'forever and when': 329097, 'and when it': 75516, 'it doe end': 457611, 'doe end the': 251382, 'end the people': 275978, 'the people will': 863520, 'will remember your': 994648, 'remember your behaviour': 710438, 'etenergyworld': 282927, 'etenergyworld share': 282928, 'lockdown cong': 499254, 'cong to': 194406, 'govt lockdowneffect': 361193, 'etenergyworld share profit': 282929, '19 lockdown cong': 8376, 'lockdown cong to': 499255, 'cong to govt': 194407, 'to govt lockdowneffect': 906950, 'sprint': 791292, 'nounemployment': 573666, 'ask myself': 95586, 'myself what': 550976, 'is sprint': 452201, 'sprint doing': 791293, 'during layoff': 262747, 'layoff nounemployment': 482703, 'nounemployment period': 573667, 'period easy': 651750, 'easy answer': 265654, 'answer got': 78054, 'got text': 358889, 'text today': 839957, 'shut off': 767906, 'if don': 414058, 'payment stock': 645737, 'necessity for': 554208, 'for upcoming': 327461, 'upcoming quarantine': 946805, 'ask myself what': 95587, 'myself what is': 550977, 'what is sprint': 981730, 'is sprint doing': 452202, 'sprint doing for': 791294, 'doing for customer': 252412, 'customer during layoff': 222317, 'during layoff nounemployment': 262748, 'layoff nounemployment period': 482704, 'nounemployment period easy': 573668, 'period easy answer': 651751, 'easy answer got': 265655, 'answer got text': 78056, 'got text today': 358890, 'text today my': 839958, 'today my service': 919905, 'my service are': 550023, 'service are getting': 752136, 'are getting shut': 86821, 'getting shut off': 349269, 'shut off if': 767908, 'off if don': 593916, 'if don make': 414061, 'don make payment': 253719, 'make payment stock': 510310, 'payment stock up': 645738, 'and household necessity': 64788, 'household necessity for': 406887, 'necessity for upcoming': 554212, 'for upcoming quarantine': 327462, 'upcoming quarantine or': 946806, 'quarantine or pay': 692410, 'oil practically': 597023, 'practically giving': 668502, 'away for': 105843, 'free too': 332260, 'll eventually': 496739, 'eventually come': 285148, 'anywhere everything': 81107, 'closed coronacrisis': 183053, 'coronacrisis saudiarabia': 204744, 'saudiarabia oilpricewar': 737348, 'oilpricewar oil': 597710, 'crude oil practically': 219566, 'oil practically giving': 597024, 'practically giving it': 668503, 'giving it away': 351328, 'it away for': 456652, 'away for free': 105846, 'for free too': 321734, 'free too bad': 332261, 'bad the lower': 108034, 'the lower gas': 859795, 'price that ll': 676808, 'that ll eventually': 844909, 'll eventually come': 496740, 'eventually come with': 285149, 'come with it': 187682, 'with it won': 999093, 'advantage of can': 32991, 'of can go': 581069, 'go anywhere everything': 353299, 'anywhere everything is': 81108, 'is closed coronacrisis': 446573, 'closed coronacrisis saudiarabia': 183054, 'coronacrisis saudiarabia oilpricewar': 204745, 'saudiarabia oilpricewar oil': 737349, 'this kicked': 888563, 'kicked off': 473811, 'off but': 593701, 'same idiot': 733116, 'fucking day': 339847, 'day surely': 228443, 'issue selfish': 455918, 'selfish cunt': 748063, 'cunt buy': 220358, 'can understand the': 160078, 'understand the initial': 940761, 'initial panic buy': 438547, 'panic buy when': 637544, 'buy when this': 149468, 'when this kicked': 984306, 'this kicked off': 888564, 'kicked off but': 473812, 'off but why': 593705, 'the fuck are': 855956, 'fuck are the': 339526, 'the same idiot': 866243, 'same idiot still': 733117, 'the food every': 855550, 'food every fucking': 314418, 'every fucking day': 285910, 'fucking day surely': 339848, 'day surely you': 228444, 'can see there': 159550, 'there no supply': 878844, 'no supply issue': 565633, 'supply issue selfish': 825466, 'issue selfish cunt': 455919, 'selfish cunt buy': 748064, 'cunt buy what': 220359, 'goodie': 358026, 'our fabulous': 622972, 'fabulous surprise': 294268, 'surprise goodie': 828525, 'goodie box': 358027, 'box available': 137018, 'starting from': 794955, 'we have our': 971889, 'have our fabulous': 381845, 'our fabulous surprise': 622973, 'fabulous surprise goodie': 294269, 'surprise goodie box': 828526, 'goodie box available': 358028, 'box available with': 137019, 'available with price': 104708, 'with price starting': 1000313, 'price starting from': 676619, 'spread only': 790734, 'true news': 933138, 'spread only the': 790735, 'only the true': 611282, 'the true news': 870053, 'found tp': 330451, 'store roll': 809906, 'roll double': 725271, 'double ply': 256033, 'ply who': 661794, 'who willing': 990010, 'some flour': 782843, 'soul im': 786228, 'im good': 416541, 'with either': 998186, 'either toiletpaper': 270396, 'found tp at': 330452, 'the store roll': 868094, 'store roll double': 809907, 'roll double ply': 725272, 'double ply who': 256034, 'ply who willing': 661795, 'who willing to': 990011, 'willing to trade': 995479, 'to trade for': 917688, 'trade for some': 928496, 'for some flour': 325740, 'some flour or': 782844, 'flour or their': 311145, 'or their soul': 617415, 'their soul im': 874759, 'soul im good': 786229, 'im good with': 416542, 'good with either': 357968, 'with either toiletpaper': 998187, 'either toiletpaper stayhome': 270397, 'cbtt': 168384, 'tobago cbtt': 919092, 'cbtt say': 168385, 'one significant': 607036, 'significant fallout': 769450, 'dramatic drop': 258284, 'fuel declined': 340151, 'declined on': 231435, 'slowdown of': 774459, 'central bank of': 169377, 'bank of trinidad': 110057, 'and tobago cbtt': 74217, 'tobago cbtt say': 919093, 'cbtt say one': 168386, 'say one significant': 739029, 'one significant fallout': 607037, 'significant fallout of': 769451, 'been the dramatic': 122161, 'the dramatic drop': 853660, 'dramatic drop in': 258285, 'drop in energy': 260241, 'in energy price': 422566, 'energy price the': 276549, 'for fuel declined': 321798, 'fuel declined on': 340152, 'declined on account': 231436, 'account of the': 28733, 'of the slowdown': 591470, 'the slowdown of': 867342, 'slowdown of industrial': 774460, 'somerset': 784817, 'older existing': 598599, 'existing online': 290333, 'touch to': 926562, 'about available': 24837, 'slot somerset': 774262, 'somerset shopping': 784818, 'another update from': 77929, 'update from if': 946980, 're an older': 698290, 'an older existing': 56594, 'older existing online': 598600, 'existing online customer': 290334, 'online customer they': 608074, 'customer they may': 222938, 'they may get': 882662, 'may get in': 521202, 'in touch to': 430232, 'touch to let': 926563, 'you know about': 1019479, 'know about available': 476208, 'about available delivery': 24838, 'delivery slot somerset': 234538, 'slot somerset shopping': 774263, 'few reported': 304042, 'case because': 165658, 'because lot': 119227, 'people prefer': 649174, 'stay quiet': 797194, 'quiet about': 694671, 'their condition': 872842, 'condition because': 193413, 'don trust': 253993, 'trust our': 934299, 'system staysafe': 831321, 'staysafe stockup': 798923, 'stayhome beware': 797955, 'take note that': 832380, 'that we only': 847385, 'have few reported': 380616, 'few reported case': 304043, 'reported case because': 712473, 'case because lot': 165659, 'because lot of': 119228, 'lot of sick': 504279, 'sick people prefer': 768582, 'people prefer to': 649175, 'to stay quiet': 915311, 'stay quiet about': 797195, 'quiet about their': 694672, 'about their condition': 26578, 'their condition because': 872843, 'condition because they': 193414, 'they don trust': 882004, 'don trust our': 253995, 'trust our government': 934301, 'our government or': 623273, 'government or healthcare': 360426, 'or healthcare system': 615613, 'healthcare system staysafe': 387313, 'system staysafe stockup': 831322, 'staysafe stockup stayhome': 798924, 'stockup stayhome beware': 804203, 'than selfishness': 841123, 'what is spreading': 981729, 'is spreading faster': 452192, 'faster than selfishness': 300126, 'than selfishness and': 841124, 'wow tech': 1012593, 'may thrive': 521581, 'thrive amazon': 894200, 'shopping cc': 762335, 'wow tech company': 1012594, 'tech company may': 836063, 'company may thrive': 190885, 'may thrive amazon': 521582, 'thrive amazon delivery': 894201, 'online shopping cc': 609068, 'helpp': 391624, 'authentik': 103634, 'soulmatez': 786251, 'yall buy': 1014062, 'paper helpp': 640263, 'helpp outta': 391625, 'outta luck': 629712, 'luck authentik': 506440, 'authentik soulmatez': 103635, 'soulmatez toiletpapercrisis': 786252, 'toiletpaper help': 922061, 'why yall buy': 991580, 'yall buy up': 1014063, 'buy up all': 149410, 'all the damn': 44712, 'toilet paper helpp': 921303, 'paper helpp outta': 640264, 'helpp outta luck': 391626, 'outta luck authentik': 629713, 'luck authentik soulmatez': 506441, 'authentik soulmatez toiletpapercrisis': 103636, 'soulmatez toiletpapercrisis toiletpaper': 786253, 'toiletpapercrisis toiletpaper help': 923082, 'analyst fao': 57133, 'fao analyst fao': 298645, 'analyst fao food': 57134, 'watchmenhbo': 968832, 'saw many': 738166, 'masked folk': 519616, 'folk for': 312153, 'around ve': 93615, 'bonus episode': 134365, 'of watchmenhbo': 592931, 'watchmenhbo and': 968833, 'supermarket yesterday for': 824168, 'yesterday for provision': 1015742, 'provision and saw': 687249, 'and saw many': 70982, 'saw many masked': 738167, 'many masked folk': 514268, 'masked folk for': 519617, 'folk for fear': 312154, 'fear of all': 301221, 'of all around': 579922, 'all around ve': 42066, 'around ve got': 93616, 'admit that it': 32609, 'that it felt': 844708, 'being in bonus': 125292, 'in bonus episode': 420904, 'bonus episode of': 134366, 'episode of watchmenhbo': 279546, 'of watchmenhbo and': 592932, 'watchmenhbo and definitely': 968834, 'and definitely not': 61057, 'definitely not in': 232376, 'bobblehead': 133750, 'every cable': 285708, 'cable news': 155019, 'news bobblehead': 560273, 'bobblehead should': 133751, 'be covering': 114266, 'it reveals': 460760, 'shitty our': 759376, 'economy really': 268168, 'really wa': 702692, 'after month': 35934, 'of bragging': 580819, 'all collapsed': 42383, 'collapsed virtually': 186118, 'virtually overnight': 957844, 'overnight that': 631358, 'every cable news': 285709, 'cable news bobblehead': 155020, 'news bobblehead should': 560274, 'bobblehead should be': 133752, 'should be covering': 765594, 'be covering the': 114268, 'covering the increased': 212497, 'increased demand at': 433262, 'bank it reveals': 109958, 'it reveals how': 460761, 'reveals how shitty': 720326, 'how shitty our': 408667, 'shitty our economy': 759377, 'our economy really': 622851, 'economy really wa': 268169, 'really wa before': 702693, 'wa before covid': 961667, '19 after month': 4855, 'after month of': 35935, 'month of bragging': 537892, 'of bragging about': 580820, 'about how great': 25439, 'how great thing': 407931, 'great thing were': 363050, 'thing were it': 884975, 'were it all': 979811, 'it all collapsed': 456340, 'all collapsed virtually': 42384, 'collapsed virtually overnight': 186119, 'virtually overnight that': 957845, 'overnight that say': 631360, 'that say something': 846139, 'lot bottle': 504001, 'bottle disinfectant': 136214, '48oz make': 19371, '20 gal': 13073, 'gal spray': 342909, 'lysol lot bottle': 507181, 'lot bottle disinfectant': 504002, 'bottle disinfectant sanitizer': 136215, 'fresh 48oz make': 332906, '48oz make 20': 19372, 'make 20 gal': 509631, '20 gal spray': 13074, 'out use': 627762, 'to pump': 912502, 'pump the': 689104, 'clean away': 180478, 'germ anyone': 346090, 'else see': 271869, 'irony here': 444960, 'at the shop': 101096, 'shop today saw': 760968, 'today saw people': 920143, 'saw people on': 738210, 'people on my': 648968, 'my way in': 550536, 'way in and': 969655, 'in and on': 420379, 'my way out': 550538, 'way out use': 969798, 'out use their': 627763, 'use their hand': 949697, 'their hand to': 873486, 'hand to pump': 375867, 'to pump the': 912503, 'pump the hand': 689105, 'to clean away': 902807, 'clean away their': 180479, 'away their germ': 106054, 'their germ anyone': 873403, 'germ anyone else': 346091, 'anyone else see': 80287, 'else see the': 271871, 'the irony here': 858459, 'thing grateful': 884378, 'travel we': 930568, 'keep lot': 471637, 'tp hand': 927828, 'sanitizer lysol': 735319, 'lysol in': 507176, 'we bought': 970860, 'bought sanitizing': 136701, 'flight home': 310488, 'is watch': 453778, 'for symptom': 326113, 'beer stocked': 122516, 'thing grateful for': 884379, 'grateful for coming': 362260, 'for coming home': 320173, 'coming home after': 188073, 'home after month': 400571, 'month of travel': 537913, 'of travel we': 592433, 'travel we always': 930569, 'we always keep': 970417, 'always keep lot': 49639, 'keep lot of': 471638, 'lot of tp': 504314, 'of tp hand': 592368, 'tp hand sanitizer': 927829, 'hand sanitizer lysol': 375479, 'sanitizer lysol in': 735320, 'lysol in the': 507177, 'house we bought': 406669, 'we bought sanitizing': 970864, 'bought sanitizing wipe': 136702, 'sanitizing wipe for': 736534, 'for the flight': 326438, 'the flight home': 855404, 'flight home no': 310489, 'home no need': 401662, 'need for hoarding': 554845, 'for hoarding all': 322319, 'hoarding all we': 399169, 'do is watch': 249458, 'is watch for': 453779, 'watch for symptom': 968417, 'for symptom and': 326114, 'symptom and keep': 830810, 'keep the beer': 472024, 'the beer stocked': 849422, 'mcm': 522212, 'freegiveaway': 332411, 'mancrushmonday': 512979, 'free giveaway': 331876, 'giveaway jk': 350907, 'jk full': 465547, 'video link': 956806, 'bio mcm': 131153, 'mcm free': 522213, 'free freegiveaway': 331855, 'freegiveaway youtube': 332412, 'youtube funny': 1026905, 'toiletpaper soft': 922496, 'soft tissue': 781488, 'tissue mancrushmonday': 899174, 'mancrushmonday toiletpapercrisis': 512980, 'toiletpapercrisis crisis': 923019, 'free giveaway jk': 331877, 'giveaway jk full': 350908, 'jk full video': 465548, 'full video link': 340964, 'video link in': 956807, 'in bio mcm': 420850, 'bio mcm free': 131154, 'mcm free freegiveaway': 522214, 'free freegiveaway youtube': 331856, 'freegiveaway youtube funny': 332413, 'youtube funny corona': 1026906, 'funny corona toiletpaper': 341717, 'corona toiletpaper soft': 204254, 'toiletpaper soft tissue': 922497, 'soft tissue mancrushmonday': 781490, 'tissue mancrushmonday toiletpapercrisis': 899175, 'mancrushmonday toiletpapercrisis crisis': 512981, 'hurt african': 411541, 'african economy': 35190, 'economy slow': 268218, 'trade significant': 928575, 'significant dip': 769433, 'for african': 319065, 'african airline': 35169, 'airline read': 40002, 'how will hurt': 409229, 'will hurt african': 993764, 'hurt african economy': 411542, 'african economy slow': 35191, 'economy slow down': 268219, 'down in global': 256859, 'in global trade': 423343, 'global trade significant': 352264, 'trade significant dip': 928576, 'significant dip in': 769434, 'dip in oil': 243194, 'oil price decrease': 597102, 'price decrease in': 673410, 'decrease in profit': 231578, 'in profit for': 427029, 'profit for african': 682723, 'for african airline': 319066, 'african airline read': 35170, 'airline read the': 40003, 'full analysis by': 340472, 'analysis by and': 57025, 'move here': 543657, 'here after': 392663, 'after 45': 35292, 'minute mental': 533805, 'health check': 386264, 'my consumer': 547794, 'that theyre': 846965, 'theyre actually': 883965, 'actually upset': 30996, 'upset because': 947801, 're under': 699746, 'an std': 56805, 'std an': 799094, 'std hm': 799096, 'hm okay': 398646, 'in today episode': 430156, 'of what my': 593058, 'what my move': 981897, 'my move here': 549355, 'move here after': 543658, 'here after 45': 392664, 'after 45 minute': 35293, '45 minute mental': 19119, 'minute mental health': 533806, 'mental health check': 528639, 'health check with': 386265, 'check with my': 174718, 'with my consumer': 999617, 'my consumer who': 547795, 'consumer who ha': 199520, '19 have discovered': 7446, 'have discovered that': 380298, 'discovered that theyre': 244701, 'that theyre actually': 846966, 'theyre actually upset': 883966, 'actually upset because': 30997, 'upset because they': 947804, 'they re under': 883147, 're under the': 699747, 'under the impression': 940315, 'impression that covid': 419473, 'that covid is': 843385, 'covid is an': 214182, 'is an std': 445691, 'an std an': 56806, 'std an std': 799095, 'an std hm': 56807, 'std hm okay': 799097, 'hm okay so': 398647, 'reared': 702837, 'think since': 885545, '19 reared': 9990, 'reared it': 702838, 'it ugly': 461896, 'ugly head': 938051, 'head we': 385861, 'we human': 972045, 'become animal': 119923, 'longer trust': 502100, 'trust people': 934302, 'street fighting': 812966, 'amp such': 54580, 'know if you': 476493, 'agree with me': 38679, 'on this but': 604603, 'this but think': 886649, 'but think since': 147534, 'think since covid': 885546, 'covid 19 reared': 213664, '19 reared it': 9991, 'reared it ugly': 702839, 'it ugly head': 461897, 'ugly head we': 938052, 'head we human': 385862, 'we human have': 972046, 'human have become': 410509, 'have become animal': 379427, 'become animal and': 119924, 'animal and we': 76554, 'and we no': 75309, 'no longer trust': 564669, 'longer trust people': 502101, 'trust people people': 934304, 'people people in': 649092, 'the street fighting': 868226, 'street fighting for': 812967, 'buying in store': 150544, 'in store food': 428413, 'store food amp': 807761, 'food amp such': 313148, 'register significant': 707604, 'significant price': 769495, 'nation face': 552167, 'face disruption': 294397, 'ongoing lockdown': 607656, 'likely to register': 492170, 'to register significant': 913105, 'register significant price': 707605, 'significant price correction': 769496, 'price correction in': 673268, 'correction in the': 207563, 'the pandemic business': 862924, 'pandemic business across': 635036, 'the nation face': 861228, 'nation face disruption': 552168, 'face disruption amid': 294398, 'disruption amid the': 246437, 'the ongoing lockdown': 862247, 'supermarket shopping be': 822630, 'shopping be like': 762168, 'seems the': 746864, 'city horde': 179188, 'horde panicked': 404005, 'panicked by': 639263, 'stripping regional': 813912, 'regional mall': 707515, 'mall of': 511806, 'have woolworth': 383621, 'cole canceled': 185847, 'canceled online': 160945, 'crowd profiteering': 219238, 'go shopping it': 354115, 'shopping it seems': 763106, 'it seems the': 460955, 'seems the big': 746866, 'the big city': 849602, 'big city horde': 129702, 'city horde panicked': 179190, 'horde panicked by': 404006, 'panicked by the': 639264, 'the are stripping': 848871, 'are stripping regional': 90571, 'stripping regional mall': 813913, 'regional mall of': 707516, 'mall of their': 511808, 'of their supply': 591707, 'their supply so': 874921, 'supply so why': 825868, 'so why have': 778756, 'why have woolworth': 991056, 'have woolworth and': 383622, 'and cole canceled': 60067, 'cole canceled online': 185848, 'canceled online and': 160946, 'online and pick': 607840, 'up shopping when': 945984, 'shopping when the': 764378, 'when the advice': 984125, 'to avoid crowd': 900884, 'avoid crowd profiteering': 105070, 'to will continue': 918605, 'pandemic agree': 634808, 'by fifth': 152580, 'fifth after': 304562, 'trump pressure': 933759, 'pressure say': 671231, 'say total': 739406, 'total output': 926215, 'to exceed': 905387, 'exceed 20': 289021, '20 mn': 13180, 'mn bpd': 534789, 'bpd see': 137454, 'see fast': 745107, 'fast fall': 299948, 'it output': 460200, 'output due': 629262, 'by third': 154521, 'amid pandemic agree': 52568, 'pandemic agree to': 634809, 'output by fifth': 629240, 'by fifth after': 152581, 'fifth after trump': 304564, 'after trump pressure': 36455, 'trump pressure say': 933760, 'pressure say total': 671232, 'say total output': 739407, 'total output cut': 926216, 'cut to exceed': 223599, 'to exceed 20': 905388, 'exceed 20 mn': 289023, '20 mn bpd': 13181, 'mn bpd see': 534790, 'bpd see fast': 137455, 'see fast fall': 745108, 'fast fall in': 299949, 'fall in it': 296954, 'in it output': 424262, 'it output due': 460201, 'output due to': 629263, 'low price global': 505516, 'price global demand': 674195, 'global demand down': 351862, 'demand down by': 235253, 'down by third': 256604, 'skymiles': 773244, 'hi ha': 394662, 'refund policy': 706946, 'policy which': 663538, 'insurance doe': 440722, 'my platinum': 549790, 'platinum skymiles': 659078, 'skymiles card': 773245, 'card have': 163542, 'is rescheduled': 451454, 'rescheduled but': 713584, 'hi ha changed': 394663, 'changed the refund': 172570, 'the refund policy': 865413, 'refund policy which': 706949, 'policy which doe': 663539, 'doe not protect': 251519, 'not protect the': 571125, 'the consumer what': 851621, 'consumer what kind': 199506, 'kind of insurance': 474911, 'of insurance doe': 585233, 'insurance doe my': 440723, 'doe my platinum': 251462, 'my platinum skymiles': 549791, 'platinum skymiles card': 659079, 'skymiles card have': 773246, 'card have for': 163543, 'have for time': 380685, 'for time where': 327194, 'time where an': 898315, 'where an event': 984730, 'an event is': 55876, 'event is rescheduled': 285003, 'is rescheduled but': 451455, 'rescheduled but policy': 713585, 'but policy will': 146820, 'policy will not': 663543, 'not allow for': 568138, 'allow for refund': 45968, 'branch we': 137703, 'visit if': 959274, 'branch finder': 137674, 'finder and': 307420, 'check before': 174386, 'before making': 122933, 'making visit': 511484, 'supporting you in': 827236, 'you in branch': 1019299, 'in branch we': 420944, 'branch we re': 137704, 'help but please': 389453, 'but please only': 146802, 'please only visit': 660262, 'only visit if': 611418, 'visit if it': 959275, 'if it essential': 414301, 'it essential check': 457849, 'essential check our': 280890, 'check our branch': 174526, 'our branch finder': 622253, 'branch finder and': 137675, 'finder and call': 307421, 'call to check': 156167, 'to check before': 902680, 'check before making': 174387, 'before making visit': 122934, 'teamams': 835839, 'audiology': 102937, 'togetherwearebetter': 921084, 'donate them': 254242, 'national ambulance': 552410, 'service ireland': 752510, 'ireland to': 444854, 'their vital': 875132, 'work teamams': 1005787, 'teamams audiology': 835840, 'audiology togetherwearebetter': 102938, 'together we decided': 921027, 'decided to gather': 230916, 'to gather up': 906380, 'gather up our': 344407, 'up our stock': 945706, 'our stock of': 624918, 'stock of hand': 802526, 'sanitizer and alcohol': 734379, 'and alcohol wipe': 57835, 'alcohol wipe and': 41184, 'wipe and donate': 996187, 'and donate them': 61651, 'donate them to': 254243, 'to the national': 916891, 'the national ambulance': 861283, 'national ambulance service': 552411, 'ambulance service ireland': 51344, 'service ireland to': 752511, 'ireland to try': 444855, 'and help their': 64474, 'help their vital': 390695, 'their vital community': 875133, 'vital community work': 959677, 'community work teamams': 190241, 'work teamams audiology': 1005788, 'teamams audiology togetherwearebetter': 835841, 'heavy traffic': 388664, 'the chennai': 850799, 'chennai city': 175496, 'item 19': 463016, 'curfew on': 220905, 'on 22': 599064, 'heavy traffic in': 388665, 'traffic in most': 929101, 'in most part': 425468, 'most part of': 542605, 'of the chennai': 590859, 'the chennai city': 850800, 'chennai city and': 175497, 'city and there': 179055, 'are huge crowd': 87258, 'huge crowd in': 410014, 'crowd in market': 219173, 'market to stock': 517244, 'food item 19': 315187, 'item 19 curfew': 463017, '19 curfew on': 6390, 'curfew on 22': 220906, 'on 22 march': 599067, 'despite huge': 238760, 'huge stimulus': 410208, 'and widespread': 75646, 'market have plummeted': 516506, 'have plummeted to': 381980, 'plummeted to multi': 661357, 'low despite huge': 505244, 'despite huge stimulus': 238761, 'huge stimulus spending': 410210, 'blow of falling': 133326, 'price and widespread': 672583, 'and widespread lockdown': 75647, 'government latest': 360300, 'see national': 745467, 'national property': 552591, 'hit 7news': 398118, 'say the government': 739280, 'the government latest': 856557, 'government latest coronavirus': 360301, 'latest coronavirus restriction': 481274, 'coronavirus restriction could': 206671, 'restriction could see': 717252, 'could see national': 209639, 'see national property': 745468, 'national property price': 552592, 'property price take': 684341, 'price take hit': 676748, 'take hit 7news': 832183, 'william mary': 995434, 'and reimburse': 70178, 'reimburse student': 708223, 'to management': 909804, 'management here': 512578, 'william mary need': 995435, 'system and reimburse': 831105, 'and reimburse student': 70179, 'reimburse student for': 708224, 'during pandemic report': 262889, 'pandemic report to': 636334, 'report to management': 712387, 'to management here': 909805, 'louse': 504570, 'phantom': 653995, 'clawing': 180426, 'multiplying': 545836, 'because need': 119266, 'supply reminded': 825762, 'reminded me': 710527, 'daughter got': 226846, 'got louse': 358682, 'louse did': 504573, 'but felt': 145711, 'felt phantom': 303437, 'phantom louse': 653996, 'louse all': 504571, 'over me': 630386, 'me biting': 522518, 'biting and': 131892, 'and clawing': 59929, 'clawing and': 180427, 'and multiplying': 67320, 'multiplying that': 545837, 'the feel': 855096, 'today because need': 919310, 'because need supply': 119267, 'need supply reminded': 555680, 'supply reminded me': 825763, 'reminded me of': 710528, 'me of the': 523247, 'the time my': 869606, 'time my daughter': 897244, 'my daughter got': 547924, 'daughter got louse': 226847, 'got louse did': 358683, 'louse did not': 504574, 'not get them': 569613, 'get them but': 348355, 'them but felt': 875494, 'but felt phantom': 145712, 'felt phantom louse': 303438, 'phantom louse all': 653997, 'louse all over': 504572, 'all over me': 43870, 'over me biting': 630387, 'me biting and': 522519, 'biting and clawing': 131893, 'and clawing and': 59930, 'clawing and multiplying': 180428, 'and multiplying that': 67321, 'multiplying that what': 545838, 'that what being': 847455, 'what being out': 981103, 'being out during': 125510, 'out during the': 625990, 'during the feel': 263127, 'the feel like': 855097, 'hear hopefully': 387931, 'story will': 812157, 'cause to': 167777, 'of seriously': 589526, 'seriously apparently': 751533, 'apparently his': 81946, 'his only': 397659, 'only contact': 610267, 'others wa': 621756, 'store anyone': 806432, 'to hear hopefully': 907405, 'hear hopefully this': 387932, 'hopefully this story': 403897, 'this story will': 890371, 'story will cause': 812158, 'will cause to': 992898, 'cause to take': 167778, 'take the threat': 832681, 'threat of seriously': 893699, 'of seriously apparently': 589527, 'seriously apparently his': 751534, 'apparently his only': 81947, 'his only contact': 397661, 'only contact with': 610268, 'with others wa': 999973, 'others wa going': 621757, 'grocery store anyone': 365206, 'store anyone can': 806433, 'apparatus': 81849, 'immediate prohibition': 417012, 'prohibition on': 683443, 'on export': 600684, 'all ventilator': 45355, 'ventilator artificial': 954537, 'artificial respiratory': 94527, 'respiratory apparatus': 715227, 'apparatus oxygen': 81852, 'oxygen therapy': 632677, 'therapy apparatus': 877912, 'apparatus breathing': 81850, 'breathing device': 139217, 'device well': 239946, 'well sanitizers': 978538, '19 general': 7192, 'of foreign': 583870, 'foreign trade': 329015, 'immediate prohibition on': 417013, 'prohibition on export': 683444, 'on export of': 600686, 'export of all': 292674, 'of all ventilator': 579993, 'all ventilator artificial': 45356, 'ventilator artificial respiratory': 954538, 'artificial respiratory apparatus': 94528, 'respiratory apparatus oxygen': 715228, 'apparatus oxygen therapy': 81853, 'oxygen therapy apparatus': 632678, 'therapy apparatus breathing': 877913, 'apparatus breathing device': 81851, 'breathing device well': 139218, 'device well sanitizers': 239947, 'well sanitizers 19': 978539, 'sanitizers 19 general': 736178, '19 general of': 7193, 'general of foreign': 345417, 'of foreign trade': 583873, 'still almost': 800186, 'one practiced': 606914, 'practiced socialdistancing': 668716, 'today went on': 920500, 'went on grocery': 979071, 'on grocery run': 601186, 'grocery run and': 364913, 'or mask worse': 616075, 'mask worse still': 519596, 'worse still almost': 1011000, 'still almost no': 800187, 'almost no one': 46702, 'no one practiced': 564955, 'one practiced socialdistancing': 606915, 'practiced socialdistancing do': 668717, 'not understand how': 572319, 'how people aren': 408495, 'deserve raise': 238107, 'we all agree': 970310, 'all agree that': 41970, 'agree that supermarket': 38645, 'supermarket worker deserve': 824010, 'worker deserve raise': 1006764, 'peanutbutter': 646148, 'think yeah': 885805, 'probably way': 679415, 'our favourite': 623044, 'favourite peanut': 300603, 'order anyway': 618046, 'anyway then': 81040, 'then global': 877202, 'hit mandatory': 398312, 'mandatory self': 513057, 'isolation happens': 455288, 'go well': 354488, 'done me': 254935, 'me peanutbutter': 523328, 'online and you': 607860, 'and you think': 76052, 'you think yeah': 1021693, 'think yeah that': 885806, 'yeah that probably': 1014299, 'that probably way': 845849, 'probably way too': 679416, 'of our favourite': 587471, 'our favourite peanut': 623045, 'favourite peanut butter': 300604, 'peanut butter but': 646142, 'butter but you': 148138, 'but you order': 147996, 'you order anyway': 1020231, 'order anyway then': 618047, 'anyway then global': 81041, 'then global pandemic': 877203, 'global pandemic hit': 352092, 'pandemic hit mandatory': 635641, 'hit mandatory self': 398313, 'mandatory self isolation': 513058, 'self isolation happens': 747773, 'isolation happens and': 455289, 'happens and you': 377448, 'you go well': 1018870, 'go well done': 354489, 'well done me': 978191, 'done me peanutbutter': 254936, 'backtrack': 107602, 'you backtrack': 1017371, 'backtrack on': 107603, 'on slime': 603501, 'about the it': 26427, 'consumer you backtrack': 199584, 'you backtrack on': 1017372, 'backtrack on slime': 107604, 'on slime ball': 603502, 'trump on march': 933739, 'letpanic': 487245, 'supermarket letpanic': 821304, 'of will contract': 593166, 'will contract covid': 993025, 'in supermarket letpanic': 428624, 'is rationing': 451238, 'rationing sale': 697862, 'grocery people': 364838, 'buy maximum': 148944, 'limit set': 492485, 'set at': 753350, 'two for': 936930, 'also silver': 48877, 'week priority': 976770, 'sainsbury is rationing': 731687, 'is rationing sale': 451241, 'rationing sale of': 697863, 'of all grocery': 579946, 'all grocery people': 43008, 'grocery people will': 364839, 'to buy maximum': 902267, 'buy maximum of': 148945, 'of three of': 592146, 'three of any': 894010, 'of any product': 580270, 'any product limit': 79693, 'product limit set': 681373, 'limit set at': 492486, 'set at two': 753351, 'at two for': 101375, 'two for the': 936932, 'popular product also': 664585, 'product also silver': 680849, 'also silver hour': 48878, 'for elderly in': 320993, 'elderly in store': 270715, 'in store once': 428434, 'once week priority': 605800, 'week priority access': 976771, 'followtherules': 312972, 'ignorantaustralians': 415805, 'beachgoers': 118253, 'from chef': 334835, 'chef temperature': 175274, 'temperature on': 837390, 'to sticker': 915402, 'sticker in': 800084, 'aisle victorian': 40415, 'victorian business': 956556, 'business adapt': 143227, 'reality abc': 701690, 'news followtherules': 560413, 'followtherules ignorantaustralians': 312973, 'ignorantaustralians supermarket': 415806, 'supermarket beachgoers': 819326, 'beachgoers australia': 118254, 'australia sydney': 103396, 'sydney victoria': 830726, 'victoria queensland': 956543, 'queensland stopthespread': 693409, 'from chef temperature': 334836, 'chef temperature on': 175275, 'temperature on delivery': 837391, 'on delivery to': 600270, 'delivery to sticker': 234670, 'to sticker in': 915403, 'sticker in supermarket': 800085, 'supermarket aisle victorian': 818851, 'aisle victorian business': 40416, 'victorian business adapt': 956557, 'business adapt to': 143228, 'to new reality': 910572, 'new reality abc': 559393, 'reality abc news': 701691, 'abc news followtherules': 24264, 'news followtherules ignorantaustralians': 560414, 'followtherules ignorantaustralians supermarket': 312974, 'ignorantaustralians supermarket beachgoers': 415807, 'supermarket beachgoers australia': 819327, 'beachgoers australia sydney': 118255, 'australia sydney victoria': 103397, 'sydney victoria queensland': 830727, 'victoria queensland stopthespread': 956544, 'do put': 250014, 'danger or': 225687, 'risk losing': 723667, 'job some': 466167, 'relative are': 708716, 'being refused': 125660, 'refused the': 707065, 'home even': 401164, 'to explains': 905482, 'explains your': 292266, 'my parent are': 549688, 'parent are vulnerable': 641586, 'are vulnerable do': 91507, 'vulnerable do put': 960934, 'do put their': 250015, 'put their life': 690882, 'in danger or': 421978, 'danger or risk': 225688, 'or risk losing': 616916, 'risk losing my': 723669, 'losing my job': 503576, 'my job some': 548931, 'job some people': 466168, 'some people with': 783548, 'people with vulnerable': 650482, 'with vulnerable relative': 1002007, 'vulnerable relative are': 961141, 'relative are being': 708717, 'are being refused': 84909, 'being refused the': 125661, 'refused the right': 707066, 'right to work': 722362, 'from home even': 335858, 'home even when': 401166, 'even when they': 284787, 'able to explains': 24479, 'to explains your': 905483, 'explains your right': 292267, 'brazilian': 138341, 'quarantine designed': 692139, 'coronavirus contagion': 205691, 'contagion curve': 200403, 'causing brazilian': 167993, 'brazilian to': 138342, 'the quarantine designed': 864966, 'quarantine designed to': 692140, 'designed to flatten': 238356, 'flatten the new': 310130, 'new coronavirus contagion': 558545, 'coronavirus contagion curve': 205692, 'contagion curve is': 200404, 'curve is causing': 221865, 'is causing brazilian': 446416, 'causing brazilian to': 167994, 'brazilian to do': 138343, 'do more shopping': 249603, 'more shopping online': 540390, 'shopping online ecommerce': 763427, 'usual asian': 950886, 'customer were': 223055, 'we lined': 972205, 'outside few': 629418, 'few foot': 303837, 'provided the': 686649, 'cashier also': 166441, 'on tyvek': 604940, 'well this is': 978689, 'this is first': 888260, 'is first went': 447829, 'my usual asian': 550472, 'usual asian supermarket': 950887, 'asian supermarket and': 95355, 'supermarket and customer': 818960, 'and customer were': 60876, 'customer were required': 223059, 'were required to': 980057, 'required to wear': 713410, 'and glove we': 63746, 'glove we lined': 353019, 'we lined up': 972206, 'up outside few': 945715, 'outside few foot': 629419, 'few foot apart': 303838, 'apart and they': 81227, 'and they provided': 73926, 'they provided the': 882936, 'provided the protective': 686650, 'the protective gear': 864712, 'protective gear at': 685752, 'door if you': 255620, 'you didn have': 1018208, 'didn have it': 241089, 'have it like': 381151, 'it like me': 459369, 'like me the': 490755, 'me the cashier': 523641, 'the cashier also': 850480, 'cashier also had': 166442, 'also had on': 48314, 'had on tyvek': 373365, 'on tyvek suit': 604941, 'action before': 29968, 'before age': 122611, 'age 45': 37791, 'claim from': 179736, 'almost 400': 46509, '00 will': 599, 'price health': 674484, 'all pa': 43894, 'pa working': 632900, 'failure to take': 296304, 'take action before': 831894, 'action before age': 29969, 'before age 45': 122612, 'age 45 result': 37792, 'result in increase': 717531, 'in increase in': 424011, 'increase in pa': 432851, 'unemployment claim from': 941180, 'claim from 00': 179737, 'from 00 00': 334149, '00 00 to': 10, '00 to almost': 537, 'to almost 400': 900368, 'almost 400 00': 46510, '400 00 00': 18705, '00 00 will': 13, '00 will fight': 600, 'drug price health': 261045, 'price health care': 674485, 'health care for': 386232, 'care for all': 163939, 'for all pa': 319158, 'all pa working': 43895, 'pa working family': 632901, 'working family no': 1008622, 'family no cut': 298083, 'that mehra': 845134, 'looked nervous': 502742, 'seemed very': 746733, 'very relieved': 955467, 'able consider': 24427, 'say that mehra': 739243, 'that mehra inspired': 845135, 'elderly couple who': 270644, 'couple who looked': 211717, 'who looked nervous': 989233, 'looked nervous before': 502743, 'they seemed very': 883305, 'seemed very relieved': 746734, 'very relieved if': 955468, 'are able consider': 84153, 'able consider offering': 24428, 'supermarket foodshortages': 820373, 'foodshortages panicbuyinguk': 318146, 'panicbuyinguk panicbuyers': 639143, 'panicbuyers coronacrisisuk': 638850, 'new shopping trolley': 559592, 'shopping trolley at': 764261, 'trolley at local': 932372, 'local supermarket foodshortages': 498526, 'supermarket foodshortages panicbuyinguk': 820375, 'foodshortages panicbuyinguk panicbuyers': 318147, 'panicbuyinguk panicbuyers coronacrisisuk': 639144, 'sanitizer either': 734816, 'if done': 414062, 'done properly': 254980, 'properly say': 684194, 'number one way': 577028, 'disease such hand': 245242, 'such hand soap': 816541, 'or sanitizer either': 616950, 'sanitizer either one': 734817, 'either one if': 270342, 'one if done': 606458, 'if done properly': 414064, 'done properly say': 254981, 'properly say infection': 684195, 'shame me': 754610, 'cart during': 165290, 'crisis took': 218265, 'took three': 925363, 'am member': 50216, 'american corp': 51903, 'because angry at': 118936, 'tried to shame': 931849, 'to shame me': 914330, 'shame me out': 754611, 'supermarket and then': 819081, 'with cart during': 997553, 'cart during the': 165291, '19 crisis took': 6340, 'crisis took three': 218266, 'took three day': 925364, 'work where am': 1006002, 'where am member': 984724, 'am member of': 50217, 'member of american': 528137, 'of american corp': 580056, 'american corp and': 51904, 'corp and doing': 207182, 'and doing case': 61602, 'off until': 594363, 'april but': 83552, 'store prefer': 809633, 'prefer she': 669747, 'doesn to': 251979, 'protect her': 684852, 'her from': 392064, 'doesn my': 251898, 'father decides': 300282, 'decides if': 230947, 'if no': 414476, 'no body': 563707, 'body else': 133845, 'working he': 1008693, 'not either': 569152, 'be tried': 117814, 'an accessory': 55062, 'accessory to': 28380, 'to murder': 910358, 'socialdistancing if my': 780437, 'if my mother': 414437, 'mother is off': 543129, 'is off until': 450410, 'off until at': 594365, 'least april but': 484397, 'april but want': 83553, 'grocery store prefer': 365676, 'store prefer she': 809635, 'prefer she doesn': 669748, 'she doesn to': 756003, 'doesn to protect': 251980, 'to protect her': 912311, 'protect her from': 684853, 'her from she': 392065, 'from she doesn': 337238, 'she doesn my': 756002, 'doesn my father': 251899, 'my father decides': 548247, 'father decides if': 300283, 'decides if no': 230948, 'if no body': 414477, 'no body else': 563708, 'body else is': 133846, 'else is working': 271762, 'is working he': 454039, 'working he not': 1008694, 'he not either': 385257, 'not either can': 569153, 'either can be': 270270, 'can be tried': 157705, 'be tried for': 117815, 'tried for being': 931778, 'being an accessory': 124840, 'an accessory to': 55063, 'accessory to murder': 28381, 'panicbuying due': 638929, 'firearm learn': 308148, 'panicbuying due to': 638930, 'purchase firearm learn': 689443, 'firearm learn more': 308149, 'monday financial': 536281, 'another dollar': 77586, 'dollar coming': 252965, 'monday financial market': 536282, 'prime day another': 678105, 'day another dollar': 227302, 'another dollar coming': 77587, 'dollar coming soon': 252966, 'coming soon for': 188196, 'soon for those': 785708, 'those out there': 892298, 'in sainsbury': 427630, 'the daughter': 852862, 'daughter going': 226844, 'bit not': 131625, 'buying fucking': 150392, 'fucking greed': 339878, 'supermarket before my': 819349, 'before my other': 122954, 'my other half': 549624, 'half is in': 374193, 'is in sainsbury': 448810, 'in sainsbury and': 427631, 'sainsbury and the': 731644, 'and the daughter': 73316, 'the daughter going': 852863, 'daughter going to': 226845, 'going to tesco': 355740, 'to tesco in': 916384, 'tesco in bit': 838721, 'in bit not': 420863, 'bit not panic': 131626, 'panic buying fucking': 637744, 'buying fucking greed': 150393, 'styling': 815639, 'closing online': 183709, 'virtual styling': 957798, 'store closing online': 807076, 'closing online sale': 183710, 'sale and virtual': 732053, 'and virtual styling': 74971, 'backside': 107587, 'pandemicproblems': 637129, 'your backside': 1022898, 'backside with': 107592, 'and frankly': 63246, 'frankly it': 331174, 'first choice': 308571, 'choice pandemicproblems': 177801, 'there only one': 878900, 'only one thing': 610888, 'one thing left': 607227, 'thing left at': 884529, 'store to wipe': 810828, 'wipe your backside': 996438, 'your backside with': 1022899, 'backside with and': 107593, 'with and frankly': 997244, 'and frankly it': 63250, 'frankly it be': 331175, 'it be my': 456731, 'be my first': 116038, 'my first choice': 548335, 'first choice pandemicproblems': 308572, 'time prop': 897525, 'prop to': 684042, 'guy know': 369067, 'know would': 477072, 'be beyond': 113850, 'beyond annoyed': 129130, 'annoyed at': 77345, 'at everyone': 98575, 'everyone grocerystores': 286956, 'even imagine working': 284228, 'imagine working at': 416831, 'this time prop': 890680, 'time prop to': 897526, 'prop to all': 684043, 'of you guy': 593388, 'you guy know': 1018967, 'guy know would': 369068, 'know would be': 477073, 'would be beyond': 1011559, 'be beyond annoyed': 113851, 'beyond annoyed at': 129131, 'annoyed at everyone': 77346, 'at everyone grocerystores': 98576, 'day15': 228856, 'day15 lockdown': 228857, 'normal stop': 567340, 'start acting': 794186, 'acting per': 29892, 'per minimum': 650944, 'minimum need': 533201, 'day15 lockdown socialdistancing': 228858, 'lockdown socialdistancing is': 499934, 'socialdistancing is the': 780476, 'new normal stop': 559174, 'normal stop being': 567341, 'stop being consumer': 804483, 'being consumer start': 124991, 'consumer start acting': 199122, 'start acting per': 794187, 'acting per minimum': 29893, 'per minimum need': 650945, 'discgolfcenter': 244336, 'from discgolfcenter': 335150, 'discgolfcenter due': 244337, 'including employee': 431947, 'employee until': 274361, 'do offer': 249919, 'offer store': 594812, 'repost from discgolfcenter': 712817, 'from discgolfcenter due': 335151, 'discgolfcenter due to': 244338, 'spread we are': 790878, 'are limiting our': 87818, 'limiting our retail': 492843, 'store to le': 810784, '10 people including': 1614, 'people including employee': 648460, 'including employee until': 431949, 'employee until further': 274362, 'notice we do': 573395, 'we do offer': 971343, 'do offer store': 249920, 'offer store pick': 594813, 'pick up well': 655774, 'up well our': 946557, 'well our free': 978456, 'our free shipping': 623165, 'company around': 190465, 'world aim': 1009271, 'slash spending': 773596, 'spending crude': 788779, 'plunged due': 661487, 'and push': 69798, 'push by': 690252, 'by saudi': 153872, 'arabia read': 83916, 'gas company around': 343790, 'company around the': 190467, 'the world aim': 871809, 'world aim to': 1009272, 'aim to slash': 39562, 'to slash spending': 914724, 'slash spending crude': 773597, 'spending crude price': 788780, 'have plunged due': 381986, 'plunged due to': 661488, 'the and push': 848717, 'and push by': 69799, 'push by saudi': 690253, 'by saudi arabia': 153873, 'saudi arabia read': 737208, 'arabia read more': 83917, 'tomorrow pump': 924166, 'to fall again': 905619, 'fall again tomorrow': 296811, 'again tomorrow pump': 37243, 'tomorrow pump price': 924167, 'pump price will': 689095, 'cent per liter': 169109, 'liter in toronto': 494928, 'donation we': 254727, 'thru food': 895190, 'bank distribution': 109772, 'distribution tomorrow': 248241, 'tomorrow if': 924098, 'with your donation': 1002194, 'your donation we': 1023567, 'donation we have': 254728, 'and prepare for': 69362, 'prepare for our': 670079, 'for our drive': 324229, 'our drive thru': 622807, 'drive thru food': 259197, 'thru food bank': 895191, 'food bank distribution': 313553, 'bank distribution tomorrow': 109773, 'distribution tomorrow if': 248242, 'tomorrow if you': 924100, 'like to volunteer': 491632, 'to volunteer please': 918232, 'volunteer please visit': 960320, 'califor': 155450, 'food source': 316700, 'source in': 786495, 'sacramento near': 729072, 'near mack': 553531, 'mack rd': 507445, 'rd valley': 698145, 'valley hi': 951967, 'hi dr': 394629, 'dr just': 258045, 'just shut': 469795, 'down permanently': 257091, 'permanently earlier': 652096, 'month thinking': 538063, 'about turning': 26792, 'turning it': 935929, 'it onto': 460116, 'onto covid19': 611654, 'covid19 hospital': 214316, 'hospital 19': 404254, '19 califor': 5581, 'store food source': 807775, 'food source in': 316703, 'source in sacramento': 786496, 'in sacramento near': 427614, 'sacramento near mack': 729073, 'near mack rd': 553532, 'mack rd valley': 507446, 'rd valley hi': 698146, 'valley hi dr': 951968, 'hi dr just': 394630, 'dr just shut': 258046, 'just shut down': 469796, 'shut down permanently': 767845, 'down permanently earlier': 257092, 'permanently earlier this': 652097, 'this month thinking': 888919, 'month thinking how': 538064, 'thinking how about': 885918, 'how about turning': 407312, 'about turning it': 26793, 'turning it onto': 935930, 'it onto covid19': 460117, 'onto covid19 hospital': 611655, 'covid19 hospital 19': 214317, 'hospital 19 califor': 404255, 'au listen': 102789, 'once stop': 605709, 'only meat': 610779, 'meat for': 525579, 'no veggie': 565837, 'veggie because': 954170, 'even struggled': 284620, 'find meat': 307055, 'meat please': 525689, 'can everyone in': 158268, 'everyone in au': 287035, 'in au listen': 420574, 'au listen to': 102790, 'listen to for': 494735, 'to for once': 906150, 'for once stop': 324072, 'once stop panic': 605710, 'food for anyone': 314520, 'for anyone only': 319441, 'anyone only meat': 80448, 'only meat for': 610780, 'meat for dinner': 525580, 'dinner and no': 243048, 'and no veggie': 67646, 'no veggie because': 565838, 'veggie because idiot': 954171, 'because idiot are': 119139, 'idiot are only': 413454, 'only thinking about': 611331, 'thinking about themselves': 885861, 'about themselves and': 26603, 'themselves and even': 876751, 'and even struggled': 62346, 'even struggled to': 284621, 'struggled to find': 814410, 'to find meat': 905918, 'find meat please': 307056, 'meat please for': 525690, 'ready for your': 700881, 'for your quarantine': 328196, 'your quarantine toiletpaper': 1025490, 'scam where': 740477, 'where fraudsters': 984881, 'fraudsters call': 331410, 'offer kit': 594679, 'get personal': 347811, 'detail medicare': 239212, 'unsolicited and': 943509, 'not threaten': 572112, 'info if': 437494, 'get suspicious': 348165, 'new scam where': 559551, 'scam where fraudsters': 740478, 'where fraudsters call': 984882, 'fraudsters call and': 331411, 'call and offer': 155764, 'and offer kit': 67969, 'offer kit in': 594680, 'attempt to get': 102244, 'to get personal': 906561, 'get personal detail': 347812, 'personal detail medicare': 652826, 'detail medicare will': 239213, 'you unsolicited and': 1021981, 'unsolicited and they': 943510, 'will not threaten': 994281, 'not threaten you': 572113, 'threaten you for': 893770, 'you for info': 1018647, 'for info if': 322569, 'info if you': 437495, 'you get suspicious': 1018796, 'get suspicious call': 348166, 'roc': 724863, 'good decision': 356958, 'well thought': 978694, 'thought out': 893169, 'out plan': 627048, 'to roc': 913617, 'roc find': 724864, 'delivery start': 234571, 'start date': 794277, 'good decision and': 356959, 'decision and well': 231004, 'and well thought': 75413, 'well thought out': 978695, 'thought out plan': 893170, 'out plan from': 627049, 'plan from in': 658135, 'wake of all': 964587, 'the best to': 849560, 'best to roc': 127962, 'to roc find': 913618, 'roc find out': 724865, 'out about price': 625560, 'price and delivery': 672391, 'and delivery start': 61129, 'delivery start date': 234572, 'hike online': 396243, 'direct hike online': 243336, 'hike online price': 396244, 'online price after': 608792, 'after store shutdown': 36253, 'this honestly': 887939, 'honestly is': 403111, 'so heart': 777284, 'heart breaking': 388271, 'breaking british': 138919, 'british nurse': 140548, 'leaf shelf': 483813, 'this honestly is': 887940, 'honestly is so': 403112, 'is so heart': 452014, 'so heart breaking': 777285, 'heart breaking british': 388272, 'breaking british nurse': 138920, 'british nurse in': 140549, 'tear after coronavirus': 835921, 'buying leaf shelf': 150636, 'leaf shelf empty': 483815, 'of food 19': 583633, 'fabricated': 294248, 'whstsapp': 990704, '08121156706': 1130, 'cristiano': 218493, 'yoruba': 1016732, 'guardiola': 367916, 'torres': 926032, 'your fabricated': 1023737, 'fabricated manual': 294249, 'manual screen': 513355, 'screen printing': 742719, 'printing machine': 678344, 'machine station': 507403, 'station 00': 796318, '00 station': 498, '00 price': 447, 'are negotiable': 88207, 'negotiable dm': 556901, 'dm call': 248883, 'or whstsapp': 617799, 'whstsapp 08121156706': 990705, '08121156706 ronaldo': 1131, 'ronaldo cristiano': 725804, 'cristiano yoruba': 218494, 'yoruba seyi': 1016733, 'seyi makinde': 754243, 'makinde guardiola': 510933, 'guardiola torres': 367919, 'torres pls': 926033, 'purchase your fabricated': 689741, 'your fabricated manual': 1023738, 'fabricated manual screen': 294250, 'manual screen printing': 513356, 'screen printing machine': 742720, 'printing machine station': 678345, 'machine station 00': 507404, 'station 00 station': 796320, '00 station 00': 499, 'station 00 price': 796319, '00 price are': 448, 'price are negotiable': 672703, 'are negotiable dm': 88208, 'negotiable dm call': 556902, 'dm call or': 248885, 'call or whstsapp': 156056, 'or whstsapp 08121156706': 617800, 'whstsapp 08121156706 ronaldo': 990706, '08121156706 ronaldo cristiano': 1132, 'ronaldo cristiano yoruba': 725805, 'cristiano yoruba seyi': 218495, 'yoruba seyi makinde': 1016734, 'seyi makinde guardiola': 754244, 'makinde guardiola torres': 510934, 'guardiola torres pls': 367920, 'torres pls retweet': 926034, 'pasta 19': 643666, 'of pasta 19': 587806, 'new produced': 559353, 'the study': 868321, 'is focused': 447849, 'on perception': 602766, 'new result': 559486, 'result will': 717657, 'posted weekly': 666595, 'weekly read': 977534, 'are excited to': 86309, 'announce the launch': 76886, 'launch of our': 481934, 'our new produced': 624041, 'new produced in': 559354, 'produced in partnership': 680525, 'partnership with global': 642952, 'with global the': 998620, 'global the study': 352255, 'the study is': 868322, 'study is focused': 814919, 'is focused on': 447850, 'focused on perception': 311960, 'on perception of': 602767, 'perception of and': 651235, 'of and retailer': 580179, 'and retailer during': 70458, 'the pandemic new': 863032, 'pandemic new result': 636026, 'new result will': 559487, 'result will be': 717658, 'be posted weekly': 116481, 'posted weekly read': 666596, 'weekly read more': 977535, 'uae amp': 937734, 'amp particularly': 54278, 'particularly dubai': 642674, 'dubai will': 261499, 'see drastic': 745061, 'economy apart': 267660, 'biggest revenue': 130317, 'revenue generation': 720422, 'dubai wa': 261497, 'wa tourism': 963564, 'amp infrastructure': 53994, 'infrastructure large': 438209, 'dubai 75': 261458, '75 of': 22153, 'project likely': 683509, 'be abandoned': 113439, 'uae amp particularly': 937735, 'amp particularly dubai': 54279, 'particularly dubai will': 642675, 'dubai will see': 261500, 'will see drastic': 994772, 'see drastic fall': 745062, 'in it economy': 424241, 'it economy apart': 457756, 'economy apart from': 267661, 'apart from falling': 81264, 'from falling oil': 335395, 'price the biggest': 676821, 'the biggest revenue': 849675, 'biggest revenue generation': 130318, 'revenue generation for': 720423, 'generation for dubai': 345613, 'for dubai wa': 320878, 'dubai wa tourism': 261498, 'wa tourism amp': 963565, 'tourism amp infrastructure': 926961, 'amp infrastructure large': 53995, 'infrastructure large number': 438210, 'number of construction': 576929, 'of construction site': 581693, 'construction site are': 195816, 'site are underway': 771884, 'underway in dubai': 940967, 'in dubai 75': 422402, 'dubai 75 of': 261459, '75 of the': 22156, 'of the project': 591373, 'the project likely': 864647, 'project likely to': 683510, 'to be abandoned': 901083, 'government priority': 360479, 'list contact': 494297, 'contact morrison': 200150, 'morrison to': 541773, 'slot cannot': 774158, 'website vulnerable': 975466, 'vulnerable government': 960977, 'how do the': 407726, 'do the extremely': 250241, 'extremely vulnerable people': 293942, 'vulnerable people on': 961103, 'the government priority': 856584, 'government priority list': 360480, 'priority list contact': 678602, 'list contact morrison': 494298, 'contact morrison to': 200151, 'morrison to get': 541774, 'delivery slot cannot': 234514, 'slot cannot find': 774159, 'find anything on': 306809, 'anything on your': 80845, 'shopping website vulnerable': 764364, 'website vulnerable government': 975467, 'day3': 228872, 'grocerypickup': 366233, 'wegotthis': 977651, 'day social': 228372, 'we picked': 972707, 'store day3': 807266, 'day3 socialdistancing': 228873, 'socialdistancing grocerypickup': 780389, 'grocerypickup stayhome': 366234, 'stayhome wegotthis': 798231, 'day social distancing': 228373, 'distancing we picked': 247620, 'we picked up': 972708, 'ordered online instead': 618882, 'of shopping in': 589663, 'shopping in store': 762988, 'in store day3': 428401, 'store day3 socialdistancing': 807267, 'day3 socialdistancing grocerypickup': 228874, 'socialdistancing grocerypickup stayhome': 780390, 'grocerypickup stayhome wegotthis': 366235, 'you charge': 1017917, 'charge normal': 173285, 'additional pack': 31845, 'pack cost': 633033, 'those moronic': 892220, 'moronic bulk': 541664, 'company here is': 190747, 'do you charge': 250618, 'you charge normal': 1017919, 'charge normal price': 173286, 'the first pack': 855332, 'first pack of': 308843, 'roll but then': 725230, 'each additional pack': 263985, 'additional pack cost': 31846, 'pack cost 10': 633034, 'stop those moronic': 805203, 'those moronic bulk': 892221, 'moronic bulk buyer': 541665, 'hi please': 394720, 'please refer': 660357, 'refer link': 706472, 'on opt': 602531, 'process section': 679957, 'section opt': 744035, 'process thank': 679959, 'hi please refer': 394721, 'please refer link': 660358, 'refer link below': 706473, 'info on opt': 437532, 'on opt out': 602532, 'opt out process': 613866, 'out process section': 627071, 'process section opt': 679958, 'section opt out': 744036, 'out process thank': 627072, 'process thank you': 679960, 'safeguarded': 730227, 'is horrifying': 448549, 'horrifying how': 404176, 'cough not': 208514, 'not sneeze': 571615, 'sneeze spread': 776270, 'supermarket mouth': 821541, 'mouth covering': 543501, 'covering must': 212478, 'must surely': 546935, 'surely be': 827895, 'made compulsory': 507695, 'others nh': 621546, 'nh spread': 562071, 'spread even': 790523, 'just cheap': 468465, 'cheap ski': 174194, 'ski snood': 772931, 'snood so': 776377, 'so ppe': 778059, 'is safeguarded': 451626, 'safeguarded for': 730228, 'this is horrifying': 888283, 'is horrifying how': 448550, 'horrifying how cough': 404177, 'how cough not': 407622, 'cough not sneeze': 208515, 'not sneeze spread': 571616, 'sneeze spread in': 776271, 'in supermarket mouth': 428634, 'supermarket mouth covering': 821543, 'mouth covering must': 543502, 'covering must surely': 212479, 'must surely be': 546936, 'surely be made': 827896, 'be made compulsory': 115863, 'made compulsory to': 507696, 'compulsory to protect': 192722, 'protect others nh': 684884, 'others nh spread': 621547, 'nh spread even': 562072, 'spread even if': 790524, 'if it just': 414315, 'it just cheap': 459217, 'just cheap ski': 468466, 'cheap ski snood': 174195, 'ski snood so': 772932, 'snood so ppe': 776378, 'so ppe is': 778060, 'ppe is safeguarded': 667986, 'is safeguarded for': 451627, 'safeguarded for nh': 730229, 'under ha': 940104, 'unprecedented increase': 943148, 'in cpg': 421844, 'cpg sale': 214613, 'sale both': 732102, 'remains to': 710073, 'seen how': 747056, 'for cpg': 320442, 'cpg product': 214607, 'initial experience': 438528, 'experience insight': 291399, 'normal we are': 567395, 'living under ha': 496467, 'under ha caused': 940105, 'caused an unprecedented': 167820, 'an unprecedented increase': 56890, 'unprecedented increase in': 943149, 'increase in cpg': 432826, 'in cpg sale': 421845, 'cpg sale both': 214614, 'sale both in': 732103, 'both in store': 135940, 'and online it': 68109, 'online it remains': 608448, 'it remains to': 460702, 'remains to be': 710074, 'to be seen': 901523, 'be seen how': 117040, 'seen how many': 747058, 'many shopper will': 514704, 'shopper will continue': 761833, 'shop for cpg': 760182, 'for cpg product': 320443, 'cpg product online': 214608, 'product online after': 681478, 'online after initial': 607783, 'after initial experience': 35825, 'initial experience insight': 438529, 'experience insight mrx': 291400, 'paper police': 640602, 'calm panic': 156775, 'buying shopper': 151018, 'toilet paper police': 921396, 'paper police officer': 640603, 'handed out toilet': 376080, 'roll at sydney': 725203, 'to calm panic': 902395, 'calm panic buying': 156776, 'panic buying shopper': 637883, 'buying shopper during': 151019, 'shopper during the': 761493, 'sunoco': 818407, 'great 19': 362478, '19 sunoco': 10943, 'price are great': 672673, 'are great 19': 86947, 'great 19 sunoco': 362479, 'would come': 1011726, 'come where': 187671, 'store worry': 811640, 'guy by': 368946, 'me hacking': 522847, 'hacking up': 372785, 'what sound': 982227, 'like his': 490435, '2nd lung': 16795, 'lung or': 506794, 'or worry': 617843, 'kid running': 474092, 'around wild': 93631, 'didn think the': 241239, 'think the day': 885629, 'the day would': 852927, 'day would come': 228807, 'would come where': 1011728, 'come where would': 187672, 'where would have': 985378, 'up outside grocery': 945716, 'grocery store worry': 365972, 'store worry about': 811641, 'about the guy': 26408, 'the guy by': 856955, 'guy by me': 368947, 'by me hacking': 153194, 'me hacking up': 522848, 'hacking up what': 372786, 'up what sound': 946569, 'what sound like': 982228, 'sound like his': 786302, 'like his 2nd': 490436, 'his 2nd lung': 397171, '2nd lung or': 16796, 'lung or worry': 506795, 'or worry about': 617844, 'about the kid': 26429, 'the kid running': 858793, 'kid running around': 474093, 'running around wild': 727921, 'around wild in': 93632, 'wild in the': 992065, 'the store without': 868148, 'store without their': 811425, 'without their parent': 1002987, 'emerge the': 272541, 'spread please': 790752, 'alert new covid': 41468, 'scam emerge the': 740148, 'emerge the virus': 272542, 'virus spread please': 958789, 'spread please take': 790753, 'please take step': 660639, 'and your personal': 76090, 'information we continue': 438033, 'continue to fight': 201194, 'fight the pandemic': 304900, 'diane': 240344, 'drifting': 258766, 'willowy': 995498, 'night we': 563120, 'we watched': 973762, 'film must': 305690, 'must love': 546759, 'love dog': 504646, 'dog diane': 252065, 'diane lane': 240345, 'lane an': 479433, 'extremely good': 293881, 'good looking': 357347, 'looking actress': 502771, 'actress wa': 30621, 'wa drifting': 962030, 'drifting in': 258767, 'her willowy': 392529, 'willowy way': 995499, 'round supermarket': 726353, 'her trolley': 392486, 'husband leaned': 411736, 'leaned forward': 483890, 'said my': 731243, 'god look': 354760, 'last night we': 480401, 'night we watched': 563122, 'we watched the': 973763, 'watched the film': 968671, 'the film must': 855186, 'film must love': 305691, 'must love dog': 546760, 'love dog diane': 504647, 'dog diane lane': 252066, 'diane lane an': 240346, 'lane an extremely': 479434, 'an extremely good': 56030, 'extremely good looking': 293882, 'good looking actress': 357348, 'looking actress wa': 502772, 'actress wa drifting': 30622, 'wa drifting in': 962031, 'drifting in her': 258768, 'in her willowy': 423662, 'her willowy way': 392530, 'willowy way round': 995500, 'way round supermarket': 969849, 'round supermarket with': 726356, 'with her trolley': 998784, 'her trolley and': 392488, 'trolley and my': 932365, 'my husband leaned': 548784, 'husband leaned forward': 411737, 'leaned forward and': 483891, 'forward and said': 329968, 'and said my': 70769, 'said my god': 731244, 'my god look': 548525, 'god look at': 354761, 'at what on': 101530, 'michigan based': 530322, 'which operates': 986206, 'operates 242': 613045, '242 store': 15726, 'midwest announced': 530820, 'day amid': 227243, 'the letter': 859307, 'sent march': 750768, 'michigan based supermarket': 530324, 'based supermarket which': 111758, 'supermarket which operates': 823839, 'which operates 242': 986207, 'operates 242 store': 613046, '242 store in': 15727, 'the midwest announced': 860581, 'midwest announced it': 530821, 'it will remain': 462431, 'remain open 24': 709798, 'hour day amid': 405522, 'day amid the': 227245, 'to the letter': 916843, 'the letter sent': 859309, 'letter sent march': 487347, 'sent march 17': 750769, 'luxary': 506882, 'online behavior': 607924, 'behavior medium': 124114, 'supermarket traffic': 823534, 'traffic are': 929050, 'while luxary': 987018, 'luxary fashion': 506883, 'fashion and': 299789, 'tourism site': 927008, 'seeing 20': 746196, 'traffic than': 929142, 'here ecommerce': 392948, 'impact on online': 417877, 'on online behavior': 602516, 'online behavior medium': 607925, 'behavior medium and': 124115, 'medium and supermarket': 526993, 'and supermarket traffic': 72745, 'supermarket traffic are': 823535, 'traffic are up': 929051, 'are up while': 91373, 'up while luxary': 946596, 'while luxary fashion': 987019, 'luxary fashion and': 506884, 'fashion and tourism': 299790, 'and tourism site': 74323, 'tourism site are': 927009, 'site are seeing': 771883, 'are seeing 20': 89883, 'seeing 20 le': 746197, '20 le traffic': 13127, 'le traffic than': 483219, 'traffic than before': 929143, 'outbreak check it': 628101, 'out here ecommerce': 626277, 'here ecommerce retail': 392949, 'ecommerce retail supplychain': 266848, 'retail supplychain shipping': 718759, 'selfquarantine thinking': 748581, 'thinking abt': 885869, 'abt the': 27550, 'ideal world': 413281, 'wa staying': 963305, 'in wonder': 430961, 'le conflict': 482884, 'conflict abt': 194262, 'abt it': 27532, 'doing story': 252684, 'story via': 812150, 'selfquarantine thinking abt': 748582, 'thinking abt the': 885870, 'abt the ethic': 27551, 'ethic of ordering': 283055, 'of ordering online': 587348, 'ordering online in': 618996, 'online in an': 608393, 'in an ideal': 420308, 'an ideal world': 56142, 'ideal world where': 413282, 'world where everyone': 1010169, 'where everyone wa': 984867, 'everyone wa staying': 287543, 'wa staying in': 963306, 'staying in wonder': 798647, 'in wonder if': 430962, 'if there would': 415080, 'be le conflict': 115669, 'le conflict abt': 482885, 'conflict abt it': 194263, 'abt it what': 27533, 'it what are': 462321, 'all doing story': 42610, 'doing story via': 252685, 'effective beginning': 269231, 'indiana no': 434922, 'no foot': 564287, 'traffic allowed': 929041, 'or convenience': 614818, 'effective beginning tomorrow': 269232, 'beginning tomorrow in': 123683, 'tomorrow in indiana': 924102, 'in indiana no': 424068, 'indiana no foot': 434923, 'no foot traffic': 564288, 'foot traffic allowed': 318453, 'traffic allowed in': 929042, 'allowed in any': 46162, 'in any retail': 420434, 'any retail store': 79759, 'are not grocery': 88385, 'not grocery pharmacy': 569754, 'grocery pharmacy or': 364849, 'pharmacy or convenience': 654396, 'or convenience store': 614819, 'convenience store gas': 202347, 'station and store': 796340, 'and store that': 72519, 'that are permitted': 842797, 'permitted to remain': 652187, 'forced to limit': 328643, 'afflicted': 34645, 'ha afflicted': 369471, 'afflicted them': 34646, 'also oil': 48605, 'it ha afflicted': 458376, 'ha afflicted them': 369472, 'afflicted them also': 34647, 'them also oil': 875358, 'also oil price': 48606, 'price are continuing': 672647, 'continuing to plunge': 201568, 'plunge the costly': 661460, 'nurse volunteer': 577534, 'volunteer grocery': 960267, 'worker farmworkers': 1006910, 'farmworkers mail': 299706, 'carrier everyone': 164975, 'is sacrificing': 451602, 'sacrificing so': 729136, 'help so': 390534, 'many tag': 514773, 'tag and': 831742, 'with hero': 998794, 'hero you': 394187, 'help take': 390627, 'doctor nurse volunteer': 251037, 'nurse volunteer grocery': 577535, 'volunteer grocery store': 960268, 'store worker farmworkers': 811494, 'worker farmworkers mail': 1006911, 'farmworkers mail carrier': 299707, 'mail carrier everyone': 508579, 'carrier everyone who': 164976, 'who is sacrificing': 989108, 'is sacrificing so': 451603, 'sacrificing so much': 729137, 'much to help': 545392, 'to help so': 907629, 'help so many': 390535, 'so many tag': 777713, 'many tag and': 514774, 'tag and share': 831743, 'share with hero': 755354, 'with hero you': 998795, 'hero you know': 394188, 'you know and': 1019483, 'and help take': 64472, 'help take action': 390628, 'take action at': 831893, 'array': 93738, 'gracious': 361624, 'impressive array': 419481, 'array of': 93739, 'global assistance': 351745, 'assistance effort': 96685, 'effort both': 269489, 'both funding': 135911, 'funding valuable': 341630, 'valuable item': 952034, 'also el': 48146, 'el treat': 270467, 'treat for': 930835, 'ny gracious': 577871, 'gracious gesture': 361625, 'impressive array of': 419482, 'array of global': 93740, 'of global assistance': 584148, 'global assistance effort': 351746, 'assistance effort both': 96686, 'effort both funding': 269490, 'both funding valuable': 135912, 'funding valuable item': 341631, 'valuable item such': 952035, 'item such sanitizer': 463673, 'such sanitizer for': 816731, 'sanitizer for essential': 734900, 'essential worker also': 281813, 'worker also el': 1006236, 'also el treat': 48147, 'el treat for': 270468, 'treat for medical': 930837, 'for medical staff': 323384, 'staff in ny': 792557, 'in ny gracious': 426002, 'ny gracious gesture': 577872, 'supermarket assistant': 819213, 'assistant went': 96810, 'my basket': 547405, 'sure wasn': 827800, 'wasn hoarding': 967988, 'hoarding more': 399428, 'wa treated': 963572, 'treated to': 930975, 'the bloke': 849781, 'bloke at': 133079, 'next till': 561599, 'till loudly': 896051, 'loudly telling': 504502, 'telling someone': 837259, 'all overblown': 43890, 'overblown and': 631053, 'supermarket assistant went': 819214, 'assistant went through': 96811, 'went through my': 979129, 'through my basket': 894579, 'my basket today': 547408, 'basket today to': 112403, 'today to make': 920360, 'make sure wasn': 510538, 'sure wasn hoarding': 827801, 'wasn hoarding more': 967989, 'hoarding more than': 399429, 'than three of': 841329, 'three of anything': 894011, 'of anything wa': 580296, 'anything wa treated': 80931, 'wa treated to': 963574, 'treated to the': 930976, 'to the bloke': 916520, 'the bloke at': 849782, 'bloke at the': 133080, 'the next till': 861704, 'next till loudly': 561600, 'till loudly telling': 896052, 'loudly telling someone': 504504, 'telling someone that': 837260, 'someone that this': 784690, 'is all overblown': 445463, 'all overblown and': 43891, 'overblown and would': 631054, 'and would be': 75926, 'would be all': 1011546, 'all over in': 43866, 'over in month': 630314, 'blandin': 132358, 'blandin figure': 132359, 'letter break': 487290, 'down natgas': 256976, 'natgas demand': 552080, 'only residential': 611072, 'residential demand': 714422, '21 of': 15021, 'total natural': 926200, 'demand most': 235898, 'other demand': 620093, 'be decreasing': 114366, 'decreasing nyse': 231663, 'nyse gas': 578133, 'blandin figure in': 132360, 'figure in the': 305207, 'in the letter': 429317, 'the letter break': 859308, 'letter break down': 487291, 'break down natgas': 138706, 'down natgas demand': 256977, 'natgas demand in': 552081, 'in the during': 429154, 'the during crisis': 853787, 'during crisis only': 262562, 'crisis only residential': 217827, 'only residential demand': 611073, 'residential demand will': 714423, 'will increase this': 993830, 'increase this account': 433128, 'account for 21': 28661, 'for 21 of': 318760, '21 of total': 15022, 'of total natural': 592333, 'total natural gas': 926201, 'natural gas demand': 552834, 'gas demand most': 343815, 'demand most other': 235899, 'most other demand': 542592, 'other demand will': 620094, 'will be decreasing': 992420, 'be decreasing nyse': 114367, 'decreasing nyse gas': 231664, 'shemeantcondoms': 758054, 'had sex': 373494, 'sex with': 754207, 'with somebody': 1000872, 'somebody last': 784266, 'bring protection': 140050, 'protection so': 685613, 'so showed': 778209, 'showed up': 767354, 'mask lysol': 518931, 'long story': 501655, 'story short': 812112, 'short think': 764762, 'she pregnant': 756272, 'pregnant now': 669835, 'now shemeantcondoms': 575792, 'shemeantcondoms not': 758055, 'had sex with': 373495, 'sex with somebody': 754208, 'with somebody last': 1000873, 'somebody last night': 784267, 'night and she': 562947, 'and she told': 71429, 'told me to': 923627, 'me to bring': 523745, 'to bring protection': 902046, 'bring protection so': 140051, 'protection so showed': 685614, 'so showed up': 778210, 'showed up with': 767357, 'up with mask': 946661, 'with mask lysol': 999409, 'mask lysol and': 518932, 'lysol and hand': 507158, 'hand sanitizer long': 375475, 'sanitizer long story': 735308, 'long story short': 501656, 'story short think': 812113, 'short think she': 764763, 'think she pregnant': 885530, 'she pregnant now': 756273, 'pregnant now shemeantcondoms': 669836, 'now shemeantcondoms not': 575793, 'establishes service': 282043, 'service holiday': 752460, 'establishes service holiday': 282044, 'service holiday during': 752461, 'holiday during coronavirus': 400287, 'impeachedts': 418302, 'regrann': 707696, 'from impeachedts': 336013, 'impeachedts give': 418303, 'paper get': 640205, 're hot': 698838, 'hot link': 405025, 'bio corona': 131131, 'toiletpaper anne': 921739, 'anne johnson': 76801, 'johnson regrann': 466615, 'reposted from impeachedts': 712846, 'from impeachedts give': 336014, 'impeachedts give me': 418304, 'give me all': 350564, 'me all your': 522374, 'all your toilet': 45588, 'toilet paper get': 921283, 'paper get them': 640206, 'get them while': 348376, 'them while they': 876618, 'while they re': 987441, 'they re hot': 883055, 're hot link': 698839, 'hot link in': 405026, 'in bio corona': 420845, 'bio corona toiletpaper': 131133, 'corona toiletpaper anne': 204246, 'toiletpaper anne johnson': 921740, 'anne johnson regrann': 76802, 'victor': 956529, 'catalog': 166911, 'makeithappen': 510789, 'odyssey': 579268, 'n95 kn95': 551180, 'sanitizer uv': 736000, 'light sterilization': 489596, 'sterilization for': 799853, 'or room': 616925, 'room email': 725908, 'email victor': 272360, 'victor com': 956530, 'for catalog': 319960, 'catalog quote': 166916, 'quote and': 694981, 'availability repost': 104171, 'repost doctor': 712808, 'healthcare makeithappen': 387166, 'makeithappen ppe': 510790, 'ppe material': 668001, 'material supply': 520417, 'supply odyssey': 825610, 'n95 kn95 mask': 551181, 'kn95 mask glove': 475972, 'hand sanitizer uv': 375640, 'sanitizer uv light': 736001, 'uv light sterilization': 951478, 'light sterilization for': 489597, 'sterilization for or': 799854, 'for or room': 324151, 'or room and': 616926, 'room and waiting': 725883, 'and waiting room': 75123, 'waiting room email': 964381, 'room email victor': 725909, 'email victor com': 272361, 'victor com for': 956531, 'com for catalog': 186936, 'for catalog quote': 319961, 'catalog quote and': 166917, 'quote and availability': 694982, 'and availability repost': 58542, 'availability repost doctor': 104172, 'repost doctor healthcare': 712809, 'doctor healthcare makeithappen': 250950, 'healthcare makeithappen ppe': 387167, 'makeithappen ppe material': 510791, 'ppe material supply': 668002, 'material supply odyssey': 520418, 'scambritain': 740500, 'crisis having': 217465, 'reading are': 700737, 'are stupidly': 90609, 'high nightly': 395176, 'nightly rate': 563162, 'occupancy stated': 578989, 'stated 100': 796125, '85 scambritain': 22934, 'the crisis having': 852389, 'crisis having to': 217466, 'having to stay': 384367, 'house for few': 406305, 'few day next': 303783, 'in reading are': 427288, 'reading are stupidly': 700738, 'are stupidly high': 90610, 'stupidly high nightly': 815565, 'high nightly rate': 395177, 'nightly rate at': 563163, 'rate at low': 697164, 'at low occupancy': 99632, 'low occupancy stated': 505431, 'occupancy stated 100': 578990, 'stated 100 135': 796126, '135 85 scambritain': 3341, 'raisethebar': 696058, 'workersrights': 1008327, 'prosperity': 684726, 'handinhand': 376147, 'answer isnt': 78067, 'isnt either': 454776, 'or but': 614611, 'but both': 145309, 'both is': 135945, 'is opportunity': 450595, 'opportunity raisethebar': 613673, 'raisethebar build': 696059, 'build healthcare': 141978, 'healthcare capacity': 387056, 'capacity workersrights': 162608, 'workersrights consumer': 1008328, 'protection sustainable': 685629, 'sustainable cleanenergy': 829794, 'cleanenergy job': 180732, 'job publichealth': 466111, 'publichealth prosperity': 688544, 'prosperity go': 684727, 'go handinhand': 353633, 'handinhand moral': 376148, 'moral imagination': 538404, 'the answer isnt': 848770, 'answer isnt either': 78068, 'isnt either or': 454777, 'either or but': 270348, 'or but both': 614612, 'but both is': 145311, 'both is opportunity': 135946, 'is opportunity raisethebar': 450596, 'opportunity raisethebar build': 613674, 'raisethebar build healthcare': 696060, 'build healthcare capacity': 141979, 'healthcare capacity workersrights': 387057, 'capacity workersrights consumer': 162609, 'workersrights consumer protection': 1008329, 'consumer protection sustainable': 198565, 'protection sustainable cleanenergy': 685630, 'sustainable cleanenergy job': 829795, 'cleanenergy job publichealth': 180733, 'job publichealth prosperity': 466112, 'publichealth prosperity go': 688545, 'prosperity go handinhand': 684728, 'go handinhand moral': 353634, 'handinhand moral imagination': 376149, 'role available': 725069, 'available across': 104203, 'supermarket commerce': 819740, 'commerce supply': 188646, 'group also': 366596, 'also announces': 47856, 'announces rental': 77289, 'centre tenant': 169545, 'role available across': 725070, 'available across supermarket': 104204, 'across supermarket commerce': 29466, 'supermarket commerce supply': 819741, 'commerce supply chain': 188647, 'chain and drink': 170461, 'and drink while': 61734, 'drink while the': 258902, 'while the group': 987392, 'the group also': 856860, 'group also announces': 366597, 'also announces rental': 47857, 'announces rental relief': 77290, 'rental relief for': 711277, 'relief for shopping': 709344, 'for shopping centre': 325578, 'shopping centre tenant': 762356, 'soda': 781415, 'is baking': 445985, 'baking soda': 108923, 'soda flying': 781418, 'why is baking': 991097, 'is baking soda': 445986, 'baking soda flying': 108924, 'soda flying off': 781419, 'coronafunny': 204953, 'special delivery': 787883, 'together helpingothers': 920825, 'helpingothers coronafunny': 391564, 'coronafunny protectyourself': 204954, 'protectyourself stayhealthy': 685872, 'stayhealthy havefun': 797897, 'special delivery for': 787884, 'delivery for our': 234029, 'for our neighbour': 324275, 'neighbour who are': 557255, 'isolation and cannot': 455191, 'store together helpingothers': 810884, 'together helpingothers coronafunny': 920826, 'helpingothers coronafunny protectyourself': 391565, 'coronafunny protectyourself stayhealthy': 204955, 'protectyourself stayhealthy havefun': 685873, 'ha serious': 371862, 'serious cyber': 751367, 'cyber monday': 223931, 'monday vibe': 536406, 'vibe quarantine': 956395, 'quarantine amazon': 692005, 'shopping online right': 763474, 'online right now': 608896, 'right now ha': 722074, 'now ha serious': 574846, 'ha serious cyber': 371863, 'serious cyber monday': 751368, 'cyber monday vibe': 223932, 'monday vibe quarantine': 536407, 'vibe quarantine amazon': 956396, 'data found': 226221, 'average shipment': 104895, 'shipment volume': 758788, 'rose 17': 726042, '38 respectively': 18138, 'respectively from': 715170, 'prior month': 678365, 'the latest data': 859089, 'latest data found': 481289, 'data found the': 226222, 'found the average': 330405, 'the average shipment': 849107, 'average shipment volume': 104896, 'shipment volume of': 758789, 'volume of food': 960155, 'beverage product and': 129027, 'product and consumer': 680879, 'packaged good rose': 633495, 'good rose 17': 357676, 'rose 17 and': 726043, '17 and 38': 4335, 'and 38 respectively': 57462, '38 respectively from': 18139, 'respectively from the': 715171, 'the prior month': 864470, 'presto': 671277, 'chocolate easter': 177664, 'supermarket cut': 819882, 'cut them': 223587, 'half thread': 374282, 'thread some': 893601, 'some string': 783972, 'string hey': 813791, 'hey presto': 394480, 'presto two': 671278, 'two delicious': 936874, 'delicious face': 233010, 'now where': 576398, 'those toilet': 892558, 'plenty of chocolate': 660945, 'of chocolate easter': 581393, 'chocolate easter egg': 177666, 'easter egg in': 265422, 'egg in supermarket': 269894, 'in supermarket cut': 428583, 'supermarket cut them': 819883, 'cut them in': 223588, 'them in half': 875904, 'in half thread': 423516, 'half thread some': 374283, 'thread some string': 893602, 'some string hey': 783973, 'string hey presto': 813792, 'hey presto two': 394481, 'presto two delicious': 671279, 'two delicious face': 936875, 'delicious face mask': 233011, 'face mask it': 294556, 'mask it all': 518877, 'it all on': 456364, 'all on our': 43742, 'on our supermarket': 602634, 'shelf now where': 757353, 'now where are': 576399, 'where are those': 984743, 'are those toilet': 91061, 'those toilet roll': 892559, 'akinbamidele': 40531, 'akintola': 40534, 'economy join': 268027, 'join akinbamidele': 466667, 'akinbamidele akintola': 40532, 'akintola head': 40535, 'head sub': 385823, 'africa equity': 35070, 'equity sale': 279966, 'our blue': 622233, 'blue talk': 133474, 'talk webinar': 833907, 'webinar 12': 975007, '12 1pm': 2783, '1pm on': 12695, '26 for': 16163, 'an expose': 55982, 'expose on': 292795, 'join register': 466826, 'what effect will': 981403, 'effect will covid': 269162, 'price have on': 674444, 'the economy join': 853988, 'economy join akinbamidele': 268028, 'join akinbamidele akintola': 466668, 'akinbamidele akintola head': 40533, 'akintola head sub': 40536, 'head sub saharan': 385824, 'saharan africa equity': 730912, 'africa equity sale': 35071, 'equity sale on': 279967, 'sale on our': 732419, 'on our blue': 602579, 'our blue talk': 622234, 'blue talk webinar': 133475, 'talk webinar 12': 833908, 'webinar 12 1pm': 975008, '12 1pm on': 2784, '1pm on thursday': 12696, 'march 26 for': 515215, '26 for an': 16164, 'for an expose': 319293, 'an expose on': 55983, 'expose on this': 292796, 'and more to': 67223, 'more to join': 540796, 'to join register': 908682, 'join register here': 466827, 'the dollartree': 853525, 'dollartree is': 253130, 'real lol': 701259, 'the dollartree is': 853526, 'dollartree is my': 253131, 'my new grocery': 549461, 'store the struggle': 810626, 'is real lol': 451272, 'dink': 243042, 'you heard': 1019184, 'latest dt': 481304, 'dt just': 261378, 'told if': 923583, 'you deposit': 1018178, 'deposit roll': 237514, 'doorstep of': 255861, 'or church': 614720, 'church it': 178380, 'it cure': 457432, '19 instantly': 7892, 'instantly true': 440136, 'true dink': 933067, 'dink sigh': 243043, 'yes but have': 1015391, 'but have you': 145887, 'have you heard': 383673, 'you heard the': 1019186, 'heard the latest': 388150, 'the latest dt': 859094, 'latest dt just': 481305, 'dt just told': 261379, 'just told if': 470119, 'told if you': 923584, 'if you deposit': 415418, 'you deposit roll': 1018179, 'deposit roll of': 237515, 'the doorstep of': 853600, 'doorstep of your': 255863, 'of your local': 593496, 'local supermarket hospital': 498539, 'hospital or church': 404537, 'or church it': 614721, 'church it cure': 178381, 'it cure covid': 457433, 'covid 19 instantly': 213277, '19 instantly true': 7893, 'instantly true dink': 440137, 'true dink sigh': 933068, 'sign posted': 769193, 'posted at': 666514, 'store crazy': 807219, 'time fridaythoughts': 896795, 'this sign posted': 890147, 'sign posted at': 769194, 'posted at my': 666515, 'grocery store crazy': 365315, 'store crazy time': 807220, 'crazy time fridaythoughts': 215450, 'time fridaythoughts socialdistanacing': 896796, 'fridaythoughts socialdistanacing flattenthecurve': 333361, 'london what': 501227, 'word but': 1004459, 'it fit': 458032, 'fit sometimes': 309496, 'sometimes like': 785215, 'glove stoppanicbuying': 352930, 'supermarket in central': 820876, 'in central london': 421310, 'central london what': 169407, 'london what wrong': 501228, 'with you people': 1002160, 'you people do': 1020317, 'not like the': 570402, 'like the word': 491409, 'the word but': 871699, 'word but it': 1004460, 'but it fit': 146123, 'it fit sometimes': 458035, 'fit sometimes like': 309497, 'sometimes like glove': 785216, 'like glove stoppanicbuying': 490315, 'glove stoppanicbuying stockpiling': 352931, 'serviette': 753163, 'supermarket limiting': 821320, 'limiting some': 492869, 'buy 2x': 148256, '2x of': 16894, 'sanitiser soap': 734018, 'soap paracetamol': 779078, 'paracetamol antibacterial': 641220, 'disinfectant household': 245685, 'cleaner toilet': 180855, 'towel serviette': 927373, 'serviette tissue': 753164, 'tissue pasta': 899201, 'countdown supermarket limiting': 210177, 'supermarket limiting some': 821321, 'limiting some good': 492870, 'some good you': 782976, 'good you ll': 357985, 'you ll only': 1019665, 'to buy 2x': 902169, 'buy 2x of': 148257, '2x of hand': 16895, 'hand sanitiser soap': 375245, 'sanitiser soap paracetamol': 734019, 'soap paracetamol antibacterial': 779079, 'paracetamol antibacterial wipe': 641221, 'antibacterial wipe disinfectant': 78389, 'wipe disinfectant household': 996225, 'disinfectant household cleaner': 245686, 'household cleaner toilet': 406759, 'cleaner toilet paper': 180856, 'paper towel serviette': 641009, 'towel serviette tissue': 927374, 'serviette tissue pasta': 753165, 'tissue pasta rice': 899202, 'you for working': 1018685, 'for working hard': 327951, 'keep our shelf': 471748, 'our shelf stocked': 624742, 'socents': 779414, 'app user': 81795, 'stamp recipient': 793434, 'recipient hit': 704531, 'crisis here': 217484, 'what founder': 981471, 'founder ha': 330542, 'his customer': 397338, 'customer socents': 222864, 'socents the': 779415, 'impact first': 417656, 'of conversation': 581860, 'with impact': 998952, 'impact leader': 417728, 'app user are': 81796, 'user are food': 950264, 'are food stamp': 86637, 'food stamp recipient': 316739, 'stamp recipient hit': 793435, 'recipient hit hard': 704532, 'the crisis here': 852390, 'crisis here what': 217487, 'here what founder': 393806, 'what founder ha': 981472, 'founder ha to': 330543, 'ha to say': 372317, 'say about what': 738392, 'about what this': 26902, 'mean for his': 524440, 'for his customer': 322302, 'his customer socents': 397339, 'customer socents the': 222865, 'socents the world': 779416, 'world of impact': 1009853, 'of impact first': 584992, 'impact first in': 417657, 'first in series': 308725, 'series of conversation': 751267, 'of conversation with': 581862, 'conversation with impact': 202506, 'with impact leader': 998953, 'underlining': 940460, 'wa clear': 961821, 'stock bond': 801926, 'bond gold': 134249, 'price underlining': 677181, 'underlining expectation': 940461, 'damage from': 225197, 'the panic wa': 863227, 'panic wa clear': 638755, 'wa clear in': 961822, 'clear in stock': 181264, 'in stock bond': 428287, 'stock bond gold': 801927, 'bond gold and': 134250, 'gold and commodity': 355851, 'commodity price underlining': 189294, 'price underlining expectation': 677182, 'underlining expectation of': 940462, 'expectation of severe': 290837, 'of severe economic': 589550, 'severe economic damage': 754011, 'economic damage from': 267045, 'damage from the': 225198, 'slowdown oil': 774461, 'brace for economic': 137485, 'for economic slowdown': 320946, 'economic slowdown oil': 267309, 'slowdown oil price': 774463, 'coronacri': 204489, 'is proper': 451101, 'and enforcement': 62136, 'enforcement for': 276762, 'who through': 989788, 'own have': 632052, 'endure day': 276304, 'from vile': 338242, 'vile selfish': 957314, 'idiot coronacri': 413490, 'one thing like': 607228, 'thing like to': 884553, 'to see is': 914029, 'see is proper': 745320, 'is proper protection': 451103, 'proper protection and': 684140, 'protection and enforcement': 685318, 'and enforcement for': 62137, 'enforcement for supermarket': 276763, 'worker who through': 1008233, 'who through no': 989790, 'their own have': 874182, 'own have had': 632053, 'had to endure': 373688, 'to endure day': 905103, 'endure day of': 276305, 'day of abuse': 228051, 'abuse from vile': 27636, 'from vile selfish': 338243, 'vile selfish idiot': 957315, 'selfish idiot coronacri': 748135, 'furnishing': 341947, 'furniture today': 341968, 'keeping running': 472537, 'home furnishing': 401283, 'furnishing retailer': 341950, 'either closed': 270272, 'closed or': 183269, 'reduced store': 706175, 'hour due': 405550, 'list updated': 494578, 'updated for': 947366, 'furniture today is': 341969, 'today is keeping': 919722, 'is keeping running': 449176, 'keeping running list': 472539, 'of home furnishing': 584717, 'home furnishing retailer': 401285, 'furnishing retailer that': 341951, 'retailer that have': 719357, 'have either closed': 380418, 'either closed or': 270273, 'closed or reduced': 183270, 'or reduced store': 616817, 'reduced store hour': 706176, 'store hour due': 808196, 'hour due to': 405551, 'will keep this': 993902, 'keep this list': 472133, 'this list updated': 888665, 'list updated for': 494579, 'updated for you': 947367, 'stockpile supermarket': 803802, 'on bulk': 599722, 'bulk from': 142304, 'from cleaning': 334890, 'cleaning or': 180996, 'or janitorial': 615859, 'janitorial supplier': 464573, 'supplier hoarder': 824549, 'hoarder coronacrisis': 399005, 'not stockpile supermarket': 571747, 'stockpile supermarket toilet': 803803, 'can purchase on': 159344, 'purchase on bulk': 689594, 'on bulk from': 599723, 'bulk from cleaning': 142305, 'from cleaning or': 334891, 'cleaning or janitorial': 180997, 'or janitorial supplier': 615860, 'janitorial supplier hoarder': 464574, 'supplier hoarder coronacrisis': 824550, 'an enterprising': 55762, 'should set': 766460, 'manager handle': 512721, 'is gobbled': 448077, 'stocked would': 803476, 'an enterprising reporter': 55763, 'reporter should set': 712633, 'should set up': 766461, 'set up shop': 753576, 'shop in place': 760316, 'store manager handle': 808882, 'manager handle food': 512722, 'handle food demand': 376197, 'food demand and': 314166, 'quickly it is': 694553, 'it is gobbled': 458962, 'is gobbled up': 448078, 'pay to keep': 645186, 'shelf stocked would': 757592, 'stocked would be': 803477, 'would be interested': 1011609, '500 people': 20035, 'reported alleged': 712453, 'alleged price': 45665, 'michigan related': 530366, 'in space': 428162, 'about five': 25245, 'than 500 people': 840268, '500 people have': 20037, 'people have reported': 648192, 'have reported alleged': 382268, 'reported alleged price': 712454, 'alleged price gouging': 45666, 'gouging or other': 359416, 'or other scam': 616446, 'other scam in': 620873, 'scam in michigan': 740202, 'in michigan related': 425291, 'michigan related to': 530367, 'pandemic in space': 635708, 'in space of': 428163, 'space of about': 787146, 'of about five': 579713, 'about five day': 25246, 'acikmayasa': 29084, 'turkey soka': 935571, 'soka acikmayasa': 781581, 'welcome to turkey': 977909, 'to turkey soka': 917839, 'turkey soka acikmayasa': 935572, 'where may': 985019, 'maintain for': 508969, 'mask who': 519564, 'who when': 989975, 'recommends wearing face': 704859, 'wearing face covering': 974617, 'setting where may': 753665, 'where may be': 985020, 'to maintain for': 909574, 'maintain for example': 508970, 'example the grocery': 288979, 'wearing mask who': 974728, 'mask who when': 519566, 'who when where': 989976, 'when where and': 984492, 'where and how': 984734, 'salonetwitter': 732793, 'currently quadrupling': 221645, 'quadrupling the': 691676, 'drug bra': 260894, 'bra vitamin': 137480, 'vitamin don': 959768, 'don dear': 253449, 'dear salonetwitter': 229861, 'salonetwitter 19': 732794, 'what our government': 981985, 'our government doing': 623269, 'government doing about': 360045, 'doing about pharmacy': 252260, 'about pharmacy that': 25952, 'pharmacy that are': 654498, 'are currently quadrupling': 85674, 'currently quadrupling the': 221646, 'quadrupling the price': 691677, 'price of drug': 675439, 'of drug bra': 582843, 'drug bra vitamin': 260895, 'bra vitamin don': 137481, 'vitamin don dear': 959769, 'don dear salonetwitter': 253450, 'dear salonetwitter 19': 229862, 'supplement that': 824426, 'may boost': 521062, 'avoid supplement': 105305, 'supplement vitamin': 824432, 'vitamin vitaminc': 959813, 'vitaminc immunesystem': 959820, 'immunesystem immunity': 417385, 'immunity cincinnati': 417403, 'supplement that may': 824427, 'that may boost': 845074, 'may boost your': 521063, 'system and quack': 831103, 'and quack cure': 69847, 'quack cure to': 691635, 'cure to avoid': 220831, 'to avoid supplement': 900945, 'avoid supplement vitamin': 105306, 'supplement vitamin vitaminc': 824433, 'vitamin vitaminc immunesystem': 959814, 'vitaminc immunesystem immunity': 959821, 'immunesystem immunity cincinnati': 417386, 'isolated due': 454989, 'my cf': 547655, 'cf and': 170277, 'brother went': 141107, 'me tonight': 523818, 'me supply': 523570, 'only managed': 610761, 'needed anxiety': 556296, 'anxiety through': 78804, 'roof stoppanicbuying': 725844, 'isolated due to': 454990, 'to my cf': 910382, 'my cf and': 547656, 'cf and my': 170278, 'and my brother': 67357, 'my brother went': 547567, 'brother went to': 141108, 'supermarket for me': 820402, 'for me tonight': 323347, 'me tonight to': 523820, 'tonight to try': 924511, 'and get me': 63587, 'get me supply': 347540, 'me supply and': 523571, 'supply and only': 824742, 'and only managed': 68144, 'only managed to': 610762, 'few thing needed': 304101, 'thing needed anxiety': 884614, 'needed anxiety through': 556297, 'anxiety through the': 78805, 'the roof stoppanicbuying': 865976, 'cakeshop': 155268, 'roll cake': 725235, 'cake for': 155233, 'son looroll': 785411, 'toiletroll panicbuy': 923373, 'panicbuy cake': 638830, 'cake cakeshop': 155222, 'loo roll cake': 502172, 'roll cake for': 725237, 'cake for my': 155234, 'for my son': 323750, 'my son looroll': 550162, 'son looroll toiletpaper': 785412, 'toiletpaper toiletroll panicbuy': 922732, 'toiletroll panicbuy cake': 923374, 'panicbuy cake cakeshop': 638831, 'lent': 486368, 'the confusion': 851448, 'confusion of': 194390, 'who gave': 988761, 'up medium': 945380, 'for lent': 322948, 'imagine the confusion': 416795, 'the confusion of': 851449, 'confusion of the': 194391, 'now for those': 574728, 'those who gave': 892636, 'who gave up': 988762, 'gave up medium': 344680, 'up medium for': 945381, 'medium for lent': 527108, 'behavioral change': 124330, 'will business': 992866, 'pandemic drive consumer': 635333, 'drive consumer behavioral': 259016, 'consumer behavioral change': 196545, 'behavioral change how': 124331, 'change how will': 172095, 'how will business': 409220, 'will business adapt': 992867, 'join gunjan': 466726, 'vinita sup': 957451, 'grocery join gunjan': 364673, 'join gunjan vinita': 466727, 'gunjan vinita sup': 368783, 'lender here': 486228, 'stop electronic': 804632, 'electronic payment': 271264, 'payday lender here': 645329, 'lender here is': 486229, 'here is link': 393233, 'is link that': 449378, 'link that show': 493916, 'that show you': 846303, 'to stop electronic': 915520, 'stop electronic payment': 804633, 'handwash amp': 376749, 'amp floor': 53811, 'sanitizers handwash amp': 736301, 'handwash amp floor': 376750, 'amp floor cleaner': 53812, 'in entire': 422588, 'surprise way': 828559, 'people while': 650249, 'will lost': 994056, '19 in entire': 7744, 'in entire world': 422589, 'entire world the': 278782, 'world the retail': 1010054, 'retail shop in': 718549, 'shop in malaysia': 760309, 'in malaysia is': 425012, 'malaysia is facing': 511616, 'is facing great': 447694, 'be surprise way': 117481, 'surprise way for': 828560, 'way for all': 969579, 'the people while': 863518, 'people while many': 650250, 'many will lost': 514883, 'will lost their': 994057, 'stay active': 796741, 'active fast': 30267, 'giant hope': 349797, 'to succeed': 915720, 'succeed despite': 816163, 'to stay active': 915266, 'stay active fast': 796742, 'active fast food': 30268, 'food giant hope': 314662, 'giant hope to': 349798, 'hope to succeed': 403747, 'to succeed despite': 915721, 'succeed despite the': 816164, 'qkjj': 691553, 'podcast episode': 662274, 'episode out': 279552, 'now grab': 574819, 'to sip': 914678, 'sip on': 771525, 'on like': 601842, 'fresh water': 333106, 'water some': 969158, 'some herb': 783044, 'herb gather': 392572, 'gather we': 344409, 'we promise': 972761, 'promise honest': 683675, 'honest conversation': 403054, 'conversation positive': 202479, 'energy qkjj': 276566, 'qkjj corona': 691554, 'virus food': 958193, 'shortage queen': 765192, 'new podcast episode': 559289, 'podcast episode out': 662275, 'episode out now': 279553, 'out now grab': 626657, 'now grab something': 574820, 'grab something to': 361539, 'something to sip': 785108, 'to sip on': 914679, 'sip on like': 771526, 'on like some': 601844, 'like some fresh': 491212, 'some fresh water': 782909, 'fresh water some': 333107, 'water some herb': 969159, 'some herb gather': 783045, 'herb gather we': 392573, 'gather we promise': 344410, 'we promise honest': 972762, 'promise honest conversation': 683676, 'honest conversation positive': 403055, 'conversation positive energy': 202480, 'positive energy qkjj': 665306, 'energy qkjj corona': 276567, 'qkjj corona virus': 691555, 'corona virus food': 204307, 'virus food shortage': 958194, 'food shortage queen': 316601, 'webinar start': 975101, 'hour you': 406118, 'register at': 707542, 'affecting online': 34539, 'our webinar start': 625324, 'webinar start in': 975102, 'start in hour': 794341, 'in hour you': 423841, 'hour you still': 406121, 'still have time': 800664, 'time to register': 898046, 'to register at': 913099, 'register at to': 707544, 'at to get': 101327, 'latest data and': 481288, 'data and insight': 226120, 'the is affecting': 858473, 'is affecting online': 445394, 'affecting online shopping': 34540, 'behavior ecommerce retail': 124016, 'caused country': 167881, 'down brought': 256573, 'brought chaos': 141140, 'chaos within': 173086, 'faith everyone': 296504, 'storm shall': 811838, 'pas stop': 643145, 'not tp': 572241, 'tp watch': 928026, 'young one': 1022632, 'one stayhome': 607095, 'stayhome selfisolation': 798104, 'selfisolation may': 748465, 'ha caused country': 370077, 'caused country to': 167882, 'country to shut': 211169, 'shut down brought': 767809, 'down brought chaos': 256574, 'brought chaos within': 141141, 'chaos within the': 173087, 'within the people': 1002438, 'the people but': 863458, 'people but keep': 647320, 'but keep faith': 146212, 'keep faith everyone': 471489, 'faith everyone this': 296505, 'everyone this storm': 287483, 'this storm shall': 890355, 'storm shall pas': 811839, 'shall pas stop': 754544, 'pas stop with': 643146, 'buying stock up': 151089, 'on food not': 600889, 'food not tp': 315564, 'not tp watch': 572242, 'tp watch the': 928027, 'watch the elderly': 968542, 'and the young': 73665, 'the young one': 872206, 'young one stayhome': 1022633, 'one stayhome selfisolation': 607096, 'stayhome selfisolation may': 798105, 'selfisolation may god': 748466, 'be with all': 118116, 'mode going': 535170, 'have hope': 380975, 'ending this': 276210, 'this coronapocalypse': 886890, 'together to stop': 921004, 'this panic mode': 889462, 'panic mode going': 638317, 'mode going on': 535171, 'market and grocery': 515970, 'being selfish and': 125733, 'selfish and stop': 747995, 'we have hope': 971837, 'have hope of': 380977, 'hope of ending': 403567, 'of ending this': 583104, 'ending this coronapocalypse': 276211, 'needed new': 556444, 'cost product': 208089, 'product make': 681389, 'make hard': 509963, 'tp expendable': 927806, 'expendable toiletpaper': 291154, 'just out no': 469413, 'out no toilet': 626644, 'paper needed new': 640490, 'needed new low': 556445, 'new low cost': 559069, 'low cost product': 505215, 'cost product make': 208090, 'product make hard': 681390, 'make hard to': 509964, 'find tp expendable': 307353, 'tp expendable toiletpaper': 927807, 'expendable toiletpaper bidet': 291155, 'doubter': 256233, '00 armed': 69, 'armed service': 92948, 'the ready': 865203, 'the doubter': 853617, 'doubter have': 256234, 'problem believing': 679479, 'believing covid': 126448, 'shelf my': 757322, 'yesterday from': 1015745, 'nh went': 562166, 'my basic': 547404, '20 00 armed': 12854, '00 armed service': 70, 'armed service at': 92949, 'at the ready': 101073, 'the ready if': 865204, 'ready if the': 700897, 'if the doubter': 414968, 'the doubter have': 853618, 'doubter have problem': 256235, 'have problem believing': 382054, 'problem believing covid': 679480, 'believing covid 19': 126449, '19 just take': 8209, 'just take trip': 469948, 'take trip to': 832755, 'trip to your': 932206, 'local shop supermarket': 498418, 'shop supermarket there': 760869, 'literally nothing on': 495054, 'the shelf my': 866858, 'shelf my day': 757323, 'day off yesterday': 228134, 'off yesterday from': 594434, 'yesterday from the': 1015748, 'the nh went': 861771, 'nh went for': 562167, 'went for my': 979004, 'for my basic': 323676, 'thing socialdistancing': 884755, 'supermarket constant': 819758, 'constant stream': 195635, 'stream of': 812783, 'of fuckwit': 583990, 'fuckwit keep': 340084, 'keep invading': 471600, 'invading your': 443577, 're doing the': 698548, 'right thing socialdistancing': 722314, 'thing socialdistancing at': 884756, 'the supermarket constant': 868527, 'supermarket constant stream': 819759, 'constant stream of': 195636, 'stream of fuckwit': 812784, 'of fuckwit keep': 583991, 'fuckwit keep invading': 340085, 'keep invading your': 471601, 'invading your space': 443578, 'objective': 578437, 'of forecast': 583864, 'are promoted': 89280, 'promoted by': 683810, 'by certain': 152089, 'certain lobbyist': 170048, 'lobbyist to': 497609, 'achieve certain': 29019, 'certain political': 170079, 'political objective': 663666, 'beware of forecast': 129079, 'of forecast of': 583865, 'forecast of very': 328852, 'of very low': 592789, 'very low oil': 955341, 'oil price some': 597266, 'some are promoted': 782326, 'are promoted by': 89281, 'promoted by certain': 683811, 'by certain lobbyist': 152090, 'certain lobbyist to': 170049, 'lobbyist to achieve': 497610, 'to achieve certain': 899986, 'achieve certain political': 29020, 'certain political objective': 170080, 'petroleumreserve': 653846, 'hey quit': 394484, 'quit screwing': 694811, 'screwing around': 742836, 'top off': 925647, 'the petroleum': 863625, 'reserve is': 714073, 'bottom oil': 136423, 'price stimulusplan': 676657, 'stimulusplan petroleumreserve': 801660, 'hey quit screwing': 394485, 'quit screwing around': 694812, 'screwing around the': 742837, 'around the time': 93563, 'time to top': 898088, 'to top off': 917636, 'top off the': 925648, 'off the petroleum': 594256, 'the petroleum reserve': 863628, 'petroleum reserve is': 653840, 'reserve is now': 714075, 'is now with': 450357, 'with the rock': 1001460, 'the rock bottom': 865951, 'rock bottom oil': 724895, 'bottom oil price': 136424, 'oil price stimulusplan': 597275, 'price stimulusplan petroleumreserve': 676658, 'aggregator': 38226, 'china largest': 176784, 'largest aggregator': 479914, 'aggregator forecasted': 38227, 'forecasted it': 328885, 'revenue to': 720485, 'drop 45': 260101, '50 yoy': 19923, '2020 trip': 14678, 'trip com': 932055, 'com airbnb': 186915, 'airbnb consumer': 39816, 'china largest aggregator': 176785, 'largest aggregator forecasted': 479915, 'aggregator forecasted it': 38228, 'forecasted it revenue': 328886, 'it revenue to': 460764, 'revenue to drop': 720486, 'to drop 45': 904762, 'drop 45 to': 260102, '45 to 50': 19144, 'to 50 yoy': 899750, '50 yoy in': 19924, 'yoy in the': 1026959, 'of 2020 trip': 579508, '2020 trip com': 14679, 'trip com airbnb': 932056, 'com airbnb consumer': 186916, 'airbnb consumer travel': 39817, 'wallis': 965233, 'now argues': 574106, 'argues consumer': 92712, 'insight expert': 439531, 'expert anastasia': 291771, 'anastasia lloyd': 57296, 'lloyd wallis': 497135, 'wallis have': 965234, 'they cutting': 881865, 'product here': 681259, 'useful data': 950148, 'ever to understand': 285567, 'to understand your': 917918, 'understand your customer': 940835, 'your customer right': 1023420, 'right now argues': 722028, 'now argues consumer': 574107, 'argues consumer insight': 92713, 'consumer insight expert': 197884, 'insight expert anastasia': 439532, 'expert anastasia lloyd': 291772, 'anastasia lloyd wallis': 57297, 'lloyd wallis have': 497136, 'wallis have they': 965235, 'have they lost': 383090, 'they lost their': 882634, 'job are they': 465663, 'are they cutting': 90995, 'they cutting back': 881866, 'back on certain': 107185, 'certain product here': 170087, 'product here is': 681260, 'is some useful': 452093, 'some useful data': 784147, 'slippage': 774036, 'well coordinated': 978123, 'coordinated fiscal': 203199, 'fiscal monetary': 309257, 'monetary response': 536545, 'counter disruption': 210209, 'economy not': 268100, 'about fiscal': 25242, 'fiscal slippage': 309270, 'slippage step': 774037, 'step must': 799592, 'to stem': 915381, 'stem long': 799464, 'term decline': 838115, 'activity falling': 30421, 'give little': 350560, 'little breather': 495273, 'india need well': 434534, 'need well coordinated': 556194, 'well coordinated fiscal': 978124, 'coordinated fiscal monetary': 203200, 'fiscal monetary response': 309258, 'monetary response to': 536546, 'response to counter': 715839, 'to counter disruption': 903625, 'counter disruption to': 210210, 'disruption to economy': 246543, 'to economy not': 904935, 'economy not time': 268102, 'not time to': 572122, 'worry about fiscal': 1010636, 'about fiscal slippage': 25244, 'fiscal slippage step': 309271, 'slippage step must': 774038, 'step must be': 799593, 'taken to stem': 833105, 'to stem long': 915382, 'stem long term': 799465, 'long term decline': 501681, 'term decline in': 838116, 'economic activity falling': 266959, 'activity falling oil': 30422, 'oil price give': 597145, 'price give little': 674186, 'give little breather': 350561, 'who cry': 988532, 'damn stressful': 225431, 'one who cry': 607441, 'who cry every': 988533, 'cry every time': 219863, 'leave the grocery': 484968, 'it so damn': 461103, 'so damn stressful': 776838, 'to con': 903160, 'con people': 192810, 'into giving': 442592, 'money here': 536812, 'pandemic to con': 636772, 'to con people': 903161, 'con people into': 192811, 'people into giving': 648499, 'into giving up': 442593, 'giving up their': 351448, 'up their money': 946243, 'their money here': 873999, 'money here an': 536813, 'family struggling': 298261, 'table at': 831454, 'foodbank the': 317797, 'wa swift': 963382, 'swift and': 830315, 'and staggering': 72211, '19 ha many': 7364, 'ha many family': 371236, 'many family struggling': 514056, 'family struggling to': 298263, 'the table at': 869105, 'table at manna': 831455, 'manna foodbank the': 513290, 'foodbank the demand': 317798, 'the demand wa': 853117, 'demand wa swift': 236448, 'wa swift and': 963383, 'swift and staggering': 830316, 'contro': 201955, 'could contro': 209047, 'you could contro': 1018081, '19 collection': 5879, 'collection restriction': 186466, 'restriction effort': 717263, 'effort ohio': 269561, 'ohio maryland': 596545, 'and massachusetts': 66778, 'covid 19 collection': 212823, '19 collection restriction': 5880, 'collection restriction effort': 186467, 'restriction effort ohio': 717264, 'effort ohio maryland': 269562, 'ohio maryland and': 596546, 'maryland and massachusetts': 518182, 'is should': 451886, 'find man': 307046, 'on tinder': 604716, 'tinder to': 898576, 'buy me': 148946, 'then ghost': 877200, 'ghost him': 349668, 'him with': 396778, 'with excuse': 998320, 'excuse of': 289767, 'selfquarantine selfquarantineandchill': 748575, 'saying is should': 739618, 'is should find': 451887, 'should find man': 765992, 'find man on': 307047, 'man on tinder': 512174, 'on tinder to': 604717, 'tinder to take': 898577, 'to take to': 916250, 'store ask him': 806546, 'him to buy': 396739, 'to buy me': 902268, 'buy me grocery': 148947, 'me grocery and': 522840, 'grocery and then': 364263, 'and then ghost': 73763, 'then ghost him': 877201, 'ghost him with': 349669, 'him with excuse': 396779, 'with excuse of': 998321, 'excuse of self': 289769, 'self quarantine selfquarantine': 747868, 'quarantine selfquarantine selfquarantineandchill': 692516, 'team up': 835814, 'speed on': 788455, 'featuring real': 301604, 'time data': 896531, 'read insight': 700375, 'data socialmedia': 226424, 'socialmedia business': 781080, 'business branding': 143455, 'your team up': 1026120, 'team up to': 835815, 'to speed on': 914980, 'speed on consumer': 788456, 'on consumer experience': 600047, 'consumer experience during': 197414, 'coronavirus with our': 207093, 'with our resource': 1000016, 'page featuring real': 633844, 'featuring real time': 301605, 'real time data': 701404, 'time data and': 896532, 'data and must': 226122, 'and must read': 67346, 'must read insight': 546833, 'read insight analytics': 700376, 'insight analytics data': 439506, 'analytics data socialmedia': 57223, 'data socialmedia business': 226425, 'socialmedia business branding': 781081, 'crisis million': 217726, 'council charity': 209971, 'austerity and': 103158, 'action went': 30191, 'now million': 575305, 'hunger crisis million': 411085, 'crisis million people': 217727, 'million people go': 532308, 'people go all': 648078, 'go all day': 353264, 'all day without': 42534, 'food council charity': 314040, 'council charity report': 209972, 'report double blow': 711907, 'blow of austerity': 133325, 'of austerity and': 580451, 'austerity and covid': 103159, '19 and call': 4996, 'and call on': 59415, 'call on government': 156037, 'on government to': 601164, 'government to take': 360739, 'take action went': 831906, 'action went hungry': 30192, 'empty but now': 274826, 'but now million': 146610, 'now million people': 575306, 'million people risk': 532314, 'people risk it': 649312, 'risk it every': 723651, 'surf': 827976, 'too tough': 925136, 'tough am': 926791, 'am taking': 50469, 'taking rough': 833550, 'not cough': 568893, 'cough make': 208503, 'sanitizer tub': 735975, 'tub shake': 935026, 'shake the': 754423, 'the surf': 868994, 'surf it': 827977, 'be cough': 114255, 'cough take': 208573, 'take handkerchief': 832162, 'handkerchief rough': 376153, 'corona corona is': 203867, 'corona is too': 204024, 'is too tough': 453289, 'too tough am': 925137, 'tough am taking': 926792, 'am taking rough': 50470, 'taking rough but': 833551, 'rough but do': 726244, 'do not cough': 249709, 'not cough make': 568894, 'cough make sanitizer': 208504, 'make sanitizer tub': 510425, 'sanitizer tub shake': 735976, 'tub shake the': 935027, 'shake the surf': 754425, 'the surf it': 868995, 'surf it might': 827978, 'might be cough': 530886, 'be cough take': 114256, 'cough take handkerchief': 208574, 'take handkerchief rough': 832163, 'supermarketsuperheroes': 824243, 'supermarketsuperheroes hardworking': 824244, 'supermarketsuperheroes hardworking employee': 824245, 'the queueing': 865059, 'trip little': 932110, 'little safer': 495552, 'safer but': 730347, 'this weather': 891160, 'weather continues': 974857, 'continues they': 201451, 'start giving': 794315, 'out sun': 627271, 'sun cream': 818060, 'water supermarket': 969181, 'have no problem': 381647, 'with the queueing': 1001446, 'the queueing at': 865060, 'queueing at supermarket': 694168, 'make the trip': 510590, 'the trip little': 869996, 'trip little safer': 932111, 'little safer but': 495553, 'safer but of': 730348, 'but of this': 146640, 'of this weather': 592067, 'this weather continues': 891162, 'weather continues they': 974858, 'continues they will': 201452, 'to start giving': 915197, 'start giving out': 794317, 'giving out sun': 351367, 'out sun cream': 627272, 'sun cream and': 818061, 'cream and water': 215527, 'and water supermarket': 75257, 'servicer': 753146, '609': 21144, '292': 16512, '7272': 22046, 'nj update': 563464, 'update mortgage': 947081, 'relief nj': 709394, 'nj resident': 563451, 'resident call': 714266, 'lender if': 486230, 'if listed': 414379, 'listed servicer': 494642, 'servicer is': 753147, 'not cooperative': 568883, 'cooperative file': 203172, 'dept banking': 237728, 'and insurance': 65302, 'insurance here': 440745, 'here or': 393423, 'or 609': 614214, '609 292': 21145, '292 7272': 16513, '7272 9am': 22047, 'to 5pm': 899783, '5pm weekday': 20811, 'nj update mortgage': 563465, 'update mortgage relief': 947082, 'mortgage relief nj': 541949, 'relief nj resident': 709395, 'nj resident call': 563452, 'resident call your': 714267, 'call your lender': 156261, 'your lender if': 1024610, 'lender if listed': 486231, 'if listed servicer': 414380, 'listed servicer is': 494643, 'servicer is not': 753148, 'is not cooperative': 450051, 'not cooperative file': 568884, 'cooperative file complaint': 203173, 'with the dept': 1001263, 'the dept banking': 853164, 'dept banking and': 237729, 'banking and insurance': 110407, 'and insurance here': 65304, 'insurance here or': 440746, 'here or 609': 393424, 'or 609 292': 614215, '609 292 7272': 21146, '292 7272 9am': 16514, '7272 9am to': 22048, '9am to 5pm': 23971, 'to 5pm weekday': 899784, 'create chaos': 215620, 'chaos regarding': 173045, 'regarding shortage': 707258, 'grocery indiafightscorona': 364623, 'panic and create': 637306, 'and create chaos': 60702, 'create chaos regarding': 215621, 'chaos regarding shortage': 173046, 'regarding shortage of': 707259, 'and grocery indiafightscorona': 63988, 'gma': 353181, 'drjashton': 260045, 'michaelkekesara': 530271, 'delivery instead': 234128, 'store gma': 807939, 'gma drjashton': 353182, 'drjashton besafe': 260046, 'besafe quarantinelife': 127442, 'quarantinelife michaelkekesara': 692977, 'michaelkekesara besmart': 530272, 'people should implement': 649447, 'implement the grocery': 418434, 'up and or': 944354, 'or delivery instead': 614937, 'delivery instead of': 234129, 'grocery store gma': 365432, 'store gma drjashton': 807940, 'gma drjashton besafe': 353183, 'drjashton besafe quarantinelife': 260047, 'besafe quarantinelife michaelkekesara': 127443, 'quarantinelife michaelkekesara besmart': 692978, 'coronavirus soon': 206789, 'soon shopper': 785816, 'be discovering': 114481, 'discovering just': 244716, 'just who': 470297, 'the exploited': 854739, 'exploited cheap': 292409, 'cheap migrant': 174144, 'migrant labour': 531215, 'labour normally': 478522, 'normally used': 567562, 'by farmer': 152553, 'find on': 307108, 'shelf c4news': 756921, 'coronavirus soon shopper': 206790, 'soon shopper will': 785817, 'shopper will be': 761832, 'will be discovering': 992430, 'be discovering just': 114482, 'discovering just who': 244717, 'just who are': 470298, 'who are essential': 988139, 'worker the exploited': 1007928, 'the exploited cheap': 854741, 'exploited cheap migrant': 292410, 'cheap migrant labour': 174145, 'migrant labour normally': 531216, 'labour normally used': 478523, 'normally used by': 567563, 'used by farmer': 949878, 'by farmer to': 152554, 'farmer to pick': 299542, 'to pick the': 911727, 'pick the fruit': 655690, 'and veg we': 74868, 'veg we expect': 953801, 'we expect to': 971504, 'expect to find': 290766, 'to find on': 905926, 'find on supermarket': 307109, 'supermarket shelf c4news': 822438, 'syncrude': 830984, 'ymm': 1016412, 'rwmb': 728774, 'syncrude said': 830985, 'limited it': 492667, 'save expense': 737491, 'expense during': 291188, 'during falling': 262639, 'price ymm': 677684, 'ymm rwmb': 1016413, 'rwmb syncrude': 728775, 'syncrude said the': 830986, 'delay is that': 232718, 'that the company': 846688, 'company ha limited': 190711, 'ha limited it': 371149, 'limited it operation': 492668, 'operation to critical': 613278, 'to critical work': 903752, 'critical work to': 218726, 'work to minimize': 1005895, 'minimize the number': 533128, 'of people on': 587958, 'people on site': 648969, 'on site in': 603489, 'site in response': 771956, 'and to save': 74197, 'to save expense': 913776, 'save expense during': 737492, 'expense during falling': 291189, 'during falling oil': 262640, 'oil price ymm': 597329, 'price ymm rwmb': 677685, 'ymm rwmb syncrude': 1016414, 'all buying': 42263, 'they picked': 882881, 'while attending': 986630, 'attending this': 102420, 'this overcrowded': 889342, 'overcrowded supermarket': 631157, 'all buying food': 42264, 'buying food that': 150336, 'food that no': 317097, 'in the family': 429193, 'the family will': 854909, 'eat they will': 266081, 'be suffering from': 117442, '19 infection they': 7861, 'infection they picked': 436868, 'they picked up': 882882, 'picked up while': 655821, 'up while attending': 946593, 'while attending this': 986631, 'attending this overcrowded': 102421, 'this overcrowded supermarket': 889343, 'coronaireland': 205015, 'and introduce': 65348, 'introduce special': 443401, 'special deal': 787881, 'need laptop': 555141, 'laptop over': 479567, 'week coronaireland': 976111, 'for to drop': 327218, 'to drop their': 904783, 'price and introduce': 672448, 'and introduce special': 65349, 'introduce special deal': 443402, 'special deal for': 787882, 'deal for those': 229405, 'might need laptop': 531085, 'need laptop over': 555142, 'laptop over the': 479568, 'coming week coronaireland': 188275, 'denounce': 237047, 'nbachinalapdogs': 553224, 'make affordable': 509648, 'affordable when': 34912, 'return stop': 719903, 'stop supporting': 805093, 'supporting chinese': 827112, 'chinese government': 177269, 'and denounce': 61202, 'denounce their': 237048, 'their pandemic': 874229, 'thing nbachinalapdogs': 884609, 'commit to reducing': 188982, 'to reducing your': 913057, 'to make affordable': 909618, 'make affordable when': 509649, 'affordable when you': 34913, 'when you return': 984597, 'you return stop': 1020930, 'return stop supporting': 719904, 'stop supporting chinese': 805094, 'supporting chinese government': 827113, 'chinese government and': 177270, 'government and denounce': 359862, 'and denounce their': 61203, 'denounce their pandemic': 237049, 'their pandemic do': 874230, 'pandemic do the': 635316, 'right thing nbachinalapdogs': 722313, 'guy isolate': 369054, 'isolate have': 454867, 'of hay': 584488, 'hay dry': 384503, 'food enriched': 314362, 'enriched with': 277829, 'with vitamin': 1001995, 'vitamin but': 959766, 'vegetable 100': 953912, 'vital and': 959671, 'of pig': 588119, 'pig have': 656445, 'fridge at': 333380, 'moment guin': 535950, 'hi guy isolate': 394658, 'guy isolate myself': 369055, 'myself and self': 550827, 'self isolate have': 747677, 'isolate have plenty': 454868, 'plenty of hay': 660954, 'of hay dry': 584489, 'hay dry food': 384504, 'dry food enriched': 261264, 'food enriched with': 314363, 'enriched with vitamin': 277830, 'with vitamin but': 1001996, 'vitamin but home': 959767, 'but home delivery': 145954, 'home delivery from': 401019, 'from supermarket is': 337489, 'supermarket is impossible': 821097, 'high demand are': 394991, 'demand are fresh': 235022, 'are fresh vegetable': 86685, 'fresh vegetable 100': 333096, 'vegetable 100 vital': 953913, '100 vital and': 2120, 'vital and good': 959672, 'and good for': 63829, 'health of pig': 386689, 'of pig have': 588120, 'pig have some': 656446, 'have some stuff': 382641, 'some stuff in': 783983, 'the fridge at': 855809, 'fridge at the': 333381, 'the moment guin': 860759, 'iab': 412520, 'via next': 956107, 'week coronavirus': 976113, 'and recovery': 70071, 'recovery through': 705405, 'through shifting': 894671, 'behavior iab': 124070, 'iab hongkong': 412521, 'hongkong impact': 403220, 'impact recovery': 417938, 'recovery consumerbehavior': 705308, 'consumerbehavior data': 199614, 'data bigdata': 226143, 'bigdata zoom': 130140, 'for webinar via': 327678, 'webinar via next': 975127, 'via next week': 956108, 'next week coronavirus': 561675, 'week coronavirus impact': 976114, 'coronavirus impact and': 206105, 'impact and recovery': 417553, 'and recovery through': 70073, 'recovery through shifting': 705406, 'through shifting consumer': 894672, 'consumer behavior iab': 196485, 'behavior iab hongkong': 124071, 'iab hongkong impact': 412522, 'hongkong impact recovery': 403221, 'impact recovery consumerbehavior': 417939, 'recovery consumerbehavior data': 705309, 'consumerbehavior data bigdata': 199615, 'data bigdata zoom': 226144, 'either selling': 270369, 'food call': 313860, 'call up': 156206, 'restaurant who': 716799, 'never hurt': 558066, 'hurt to': 411619, 'of food many': 583728, 'food many restaurant': 315385, 'many restaurant are': 514640, 'restaurant are either': 716307, 'are either selling': 86097, 'either selling at': 270370, 'selling at discounted': 749164, 'discounted price or': 244601, 'or giving away': 615464, 'giving away their': 351245, 'away their current': 106052, 'their current stock': 872940, 'of food call': 583665, 'food call up': 313861, 'call up your': 156207, 'up your local': 946741, 'your local restaurant': 1024715, 'local restaurant who': 498343, 'restaurant who are': 716801, 'who are shutting': 988219, 'are shutting their': 90104, 'door and see': 255510, 'have to offer': 383253, 'to offer it': 910838, 'offer it never': 594675, 'it never hurt': 459783, 'never hurt to': 558067, 'hurt to ask': 411620, 'same we': 733413, 'after working at': 36580, 'local supermarket can': 498507, 'supermarket can honestly': 819504, 'the same we': 866320, 'same we have': 733414, 'mung': 546077, 'mayonnaise': 521927, 'lightning': 489669, 'week wow': 977288, 'wow unless': 1012615, 'like mung': 490810, 'mung bean': 546078, 'and mayonnaise': 66824, 'mayonnaise pretty': 521930, 'stripped away': 813842, 'away so': 106029, 'the lightning': 859362, 'lightning spirit': 489670, 'spirit coronacrisis': 789460, 'big supermarket in': 130031, 'supermarket in three': 820992, 'three week wow': 894121, 'week wow unless': 977289, 'wow unless you': 1012616, 'unless you like': 942669, 'you like mung': 1019610, 'like mung bean': 490811, 'mung bean and': 546079, 'bean and mayonnaise': 118289, 'and mayonnaise pretty': 66825, 'mayonnaise pretty much': 521931, 'much everything ha': 544867, 'been stripped away': 122066, 'stripped away so': 813843, 'away so much': 106030, 'for the lightning': 326532, 'the lightning spirit': 859363, 'lightning spirit coronacrisis': 489671, 'nabou': 551352, 'takesavillage': 833224, 'friendslikefamily': 334027, 'after frustrating': 35689, 'frustrating round': 339248, 'trip opened': 932126, 'door late': 255636, 'to surprise': 916009, 'surprise package': 828541, 'package left': 633322, 'me containing': 522597, 'containing much': 200591, 'needed nappy': 556442, 'nappy and': 551876, 'thing nabou': 884607, 'nabou is': 551353, 'is gem': 448009, 'gem of': 345201, 'person takesavillage': 652626, 'takesavillage friendslikefamily': 833225, 'friendslikefamily stopstockpiling': 334028, 'yesterday after frustrating': 1015647, 'after frustrating round': 35690, 'frustrating round of': 339249, 'of supermarket trip': 590455, 'supermarket trip opened': 823547, 'trip opened the': 932127, 'opened the door': 612758, 'the door late': 853571, 'door late evening': 255637, 'late evening to': 480866, 'evening to surprise': 284918, 'to surprise package': 916010, 'surprise package left': 828542, 'package left for': 633323, 'for me containing': 323309, 'me containing much': 522598, 'containing much needed': 200592, 'much needed nappy': 545162, 'needed nappy and': 556443, 'nappy and other': 551879, 'other thing nabou': 621110, 'thing nabou is': 884608, 'nabou is gem': 551354, 'is gem of': 448010, 'gem of person': 345202, 'of person takesavillage': 588057, 'person takesavillage friendslikefamily': 652627, 'takesavillage friendslikefamily stopstockpiling': 833226, 'reading distributor': 700751, 'distributor hike': 248291, 'of front': 583970, 'front running': 338665, 'running covid': 727942, 'drug demand': 260930, 'reading distributor hike': 700752, 'distributor hike price': 248292, 'price of front': 675456, 'of front running': 583972, 'front running covid': 338666, 'running covid 19': 727943, '19 drug demand': 6661, 'drug demand spike': 260931, 'dffnt': 240055, 'hermanita': 393901, 'mngr': 534831, 'are laborer': 87701, 'laborer me': 478503, 'me admin': 522355, 'admin wfh': 32430, 'wfh during': 980836, 'during took': 263360, 'took dffnt': 925226, 'dffnt career': 240056, 'career path': 164350, 'path recognize': 644027, 'recognize my': 704642, 'my privilege': 549851, 'that reason': 845966, 'reason share': 702986, 'thread shared': 893597, 'shared me': 755426, 'my hermanita': 548666, 'hermanita who': 393902, 'ha career': 370061, 'career at': 164331, 'store ty': 810981, 'ty retail': 937487, 'store mngr': 808966, 'mngr during': 534832, 'family are laborer': 297626, 'are laborer me': 87702, 'laborer me admin': 478504, 'me admin wfh': 522356, 'admin wfh during': 32431, 'wfh during took': 980837, 'during took dffnt': 263361, 'took dffnt career': 925227, 'dffnt career path': 240057, 'career path recognize': 164351, 'path recognize my': 644028, 'recognize my privilege': 704645, 'my privilege for': 549852, 'privilege for that': 679024, 'for that reason': 326270, 'that reason share': 845968, 'reason share this': 702987, 'share this thread': 755295, 'this thread shared': 890591, 'thread shared me': 893598, 'shared me by': 755427, 'me by my': 522547, 'by my hermanita': 153280, 'my hermanita who': 548667, 'hermanita who ha': 393903, 'who ha career': 988835, 'ha career at': 370062, 'career at grocery': 164332, 'grocery store ty': 365892, 'store ty retail': 810982, 'ty retail worker': 937488, 'retail worker from': 718886, 'worker from grocery': 1006993, 'grocery store mngr': 365571, 'store mngr during': 808967, 'mngr during covid': 534833, 'of abbott': 579699, 'abbott laboratory': 24246, 'laboratory have': 478471, 'jumped since': 467950, 'since week': 770986, 'ago thursday': 38510, 'administration had': 32477, 'had authorized': 372867, 'authorized it': 103835, 'test which': 839232, 'give result': 350678, 'little five': 495339, 'five minute': 309641, 'minute wonder': 533905, 'share of abbott': 755115, 'of abbott laboratory': 579700, 'abbott laboratory have': 24247, 'laboratory have jumped': 478472, 'have jumped since': 381193, 'jumped since week': 467951, 'since week ago': 770987, 'week ago thursday': 975861, 'ago thursday the': 38511, 'thursday the day': 895431, 'day before the': 227373, 'before the company': 123146, 'company said the': 191046, 'said the food': 731431, 'drug administration had': 260855, 'administration had authorized': 32478, 'had authorized it': 372868, 'authorized it covid': 103836, '19 test which': 11088, 'test which can': 839233, 'which can give': 985733, 'can give result': 158481, 'give result in': 350679, 'result in little': 717535, 'in little five': 424801, 'little five minute': 495340, 'five minute wonder': 309642, 'made fast': 507735, 'fast adjustment': 299905, 'store practice': 809626, 'ensure employee': 277920, 'customer safety': 222790, 'retailer have made': 719182, 'have made fast': 381409, 'made fast adjustment': 507736, 'fast adjustment in': 299906, 'adjustment in store': 32378, 'in store practice': 428443, 'store practice to': 809628, 'practice to ensure': 668690, 'to ensure employee': 905153, 'ensure employee and': 277921, 'and customer safety': 60864, 'safedistancing': 730182, 'busy at': 144869, 'but safely': 146955, 'safely safedistancing': 730306, 'safedistancing toiletpapercrisis': 730183, 'stayhome 19': 797929, '19 fun': 7166, 'fun nonsense': 341195, 'nonsense shame': 566742, 'keep busy at': 471364, 'busy at home': 144870, 'home but safely': 400843, 'but safely safedistancing': 146956, 'safely safedistancing toiletpapercrisis': 730307, 'safedistancing toiletpapercrisis toiletpaper': 730184, 'toiletpapercrisis toiletpaper stayhome': 923083, 'toiletpaper stayhome 19': 922522, 'stayhome 19 fun': 797931, '19 fun nonsense': 7167, 'fun nonsense shame': 341196, 'nonsense shame on': 566743, 'shame on people': 754626, 'on people emptying': 602739, 'ayatollah': 106326, 'sistani': 771710, 'of grand': 584302, 'grand ayatollah': 361859, 'ayatollah sistani': 106327, 'sistani it': 771711, 'it haram': 458480, 'haram in': 377804, 'commodity one': 189242, 'who treat': 989824, 'treat with': 930920, 'good manner': 357369, 'manner to': 513308, 'to infected': 908356, 'infected is': 436589, 'doing jihad': 252503, 'advice of grand': 33446, 'of grand ayatollah': 584303, 'grand ayatollah sistani': 361860, 'ayatollah sistani it': 106328, 'sistani it haram': 771712, 'it haram in': 458481, 'haram in pandemic': 377805, 'in pandemic situation': 426466, 'pandemic situation to': 636479, 'situation to inflate': 772539, 'of commodity one': 581579, 'commodity one who': 189243, 'one who treat': 607462, 'who treat with': 989827, 'treat with good': 930921, 'with good manner': 998642, 'good manner to': 357371, 'manner to infected': 513310, 'to infected is': 908357, 'infected is doing': 436590, 'is doing jihad': 447282, 'piling toilet': 656632, 'roll could': 725258, 'the hygienic': 857784, 'hygienic one': 412222, 'are storing': 90544, 'their nan': 874031, 'nan or': 551768, 'just thought the': 470069, 'thought the one': 893246, 'that are stock': 842819, 'stock piling toilet': 802677, 'piling toilet roll': 656633, 'toilet roll could': 921564, 'roll could they': 725259, 'could they be': 209764, 'they be the': 881537, 'be the hygienic': 117621, 'the hygienic one': 857785, 'hygienic one that': 412223, 'that are coughing': 842732, 'are coughing into': 85587, 'coughing into tissue': 208696, 'into tissue and': 443236, 'tissue and not': 899123, 'and not their': 67781, 'not their hand': 572052, 'hand and the': 374783, 'that are storing': 842820, 'are storing food': 90545, 'storing food could': 811770, 'food could they': 314037, 'they be buying': 881530, 'be buying it': 113941, 'buying it for': 150593, 'it for their': 458100, 'for their nan': 326852, 'their nan or': 874032, 'nan or have': 551769, 'or have young': 615593, 'have young child': 383705, 'interesting look': 441579, 'ai for': 39314, 'bev product': 128977, 'product development': 681118, 'development testing': 239846, 'testing during': 839481, 'interesting look at': 441580, 'how is using': 408118, 'is using ai': 453632, 'using ai for': 950370, 'ai for food': 39316, 'for food bev': 321560, 'food bev product': 313737, 'bev product development': 128978, 'product development testing': 681119, 'development testing during': 239847, 'testing during covid': 839482, 'go walk': 354475, 'sanitizer fightcovid19': 734863, 'out of drinking': 626721, 'drinking water will': 258950, 'will go walk': 993564, 'go walk to': 354476, 'store don forget': 807360, 'forget to wear': 329339, 'mask and socialdistancing': 518371, 'and socialdistancing and': 71902, 'socialdistancing and carry': 780206, 'hand sanitizer fightcovid19': 375401, 'will like': 993988, 'in river': 427521, 'river state': 724191, 'era where': 280089, 'where movement': 985035, 'movement are': 543858, 'restricted market': 717149, 'shopping mart': 763250, 'mart shut': 518063, 'are profit': 89260, 'profit company': 682700, 'company but': 190504, 'sell and': 748626, 'distribute at': 247963, 'we will like': 973876, 'will like to': 993989, 'like to partner': 491609, 'to partner with': 911480, 'partner with the': 642907, 'with the state': 1001494, 'government to reach': 360731, 'out to many': 627662, 'to many nigerian': 909825, 'many nigerian in': 514348, 'nigerian in river': 562863, 'in river state': 427522, 'river state in': 724192, 'state in this': 795687, '19 era where': 6825, 'era where movement': 280090, 'where movement are': 985036, 'movement are restricted': 543859, 'are restricted market': 89653, 'restricted market and': 717150, 'market and shopping': 515989, 'and shopping mart': 71547, 'shopping mart shut': 763251, 'mart shut down': 518064, 'shut down we': 767866, 'down we are': 257442, 'we are profit': 970670, 'are profit company': 89261, 'profit company but': 682701, 'company but will': 190505, 'but will sell': 147887, 'will sell and': 994804, 'sell and distribute': 748627, 'and distribute at': 61507, 'silently': 769720, 'justifying': 470469, 'ijustwantsomemilk': 416012, 'else now': 271817, 'now silently': 575828, 'silently justifying': 769721, 'justifying every': 470470, 'aren one': 92466, 'crazy hoarder': 215313, 'hoarder ijustwantsomemilk': 399052, 'anyone else now': 80279, 'else now silently': 271818, 'now silently justifying': 575829, 'silently justifying every': 769722, 'justifying every purchase': 470471, 'every purchase at': 286130, 'sure they aren': 827736, 'they aren one': 881480, 'aren one of': 92467, 'of the crazy': 590909, 'the crazy hoarder': 852296, 'crazy hoarder ijustwantsomemilk': 215314, 'prioritising': 678417, 'hi it': 394672, 'main place': 508787, 'covid19 when': 214399, 'providing ppe': 687073, 'customer prioritising': 222717, 'prioritising clock': 678418, 'clock collect': 182396, 'collect sorting': 186321, 'delivery mess': 234184, 'hi it seems': 394673, 'it seems pretty': 460951, 'seems pretty clear': 746838, 'pretty clear that': 671378, 'clear that supermarket': 181351, 'supermarket are likely': 819165, 'the main place': 859907, 'main place for': 508788, 'place for transmission': 657453, 'for transmission of': 327315, 'transmission of covid19': 929750, 'of covid19 when': 582103, 'covid19 when will': 214400, 'when will you': 984511, 'you be providing': 1017396, 'be providing ppe': 116605, 'providing ppe to': 687074, 'ppe to staff': 668086, 'to staff customer': 915134, 'staff customer prioritising': 792347, 'customer prioritising clock': 222718, 'prioritising clock collect': 678419, 'clock collect sorting': 182397, 'collect sorting out': 186322, 'sorting out the': 786189, 'out the home': 627378, 'home delivery mess': 401029, 'cure price': 220795, 'about please': 25955, 'test fake cure': 838990, 'fake cure price': 296603, 'cure price gouging': 220796, 'there are bunch': 878073, 'bunch of covid': 142620, '19 consumer concern': 5962, 'consumer concern to': 196872, 'concern to know': 193129, 'know about please': 476217, 'about please share': 25956, 'share with the': 755358, 'your life too': 1024650, 'life too they': 489148, 'corona donated': 203925, 'needy from': 556682, 'against corona donated': 37377, 'corona donated and': 203926, 'donated and to': 254321, 'and to to': 74207, 'to to protect': 917596, 'protect the needy': 684978, 'the needy from': 861411, 'needy from infection': 556683, '40 independent': 18585, 'independent fashion': 434103, 'fashion label': 299824, 'label who': 478360, 'donating proceeds': 254495, 'various cause': 952583, 'cause during': 167543, '40 independent fashion': 18586, 'independent fashion label': 434104, 'fashion label who': 299826, 'label who are': 478361, 'who are donating': 988134, 'are donating proceeds': 85949, 'donating proceeds to': 254496, 'proceeds to various': 679864, 'to various cause': 918121, 'various cause during': 952584, 'cause during the': 167544, 'not seriously': 571533, 'seriously ill': 751640, 'am fine': 50047, 'for the information': 326505, 'the information about': 858254, 'information about hydroxychloroquine': 437709, 'mild symptom you': 531348, 'symptom you are': 830954, 'are not candidate': 88338, 'the test too': 869325, 'test too young': 839216, 'young not seriously': 1022628, 'not seriously ill': 571534, 'seriously ill now': 751641, 'ill now am': 416153, 'now am fine': 573994, 'sale proceeds': 732473, 'the respective': 865606, 'respective restaurant': 715160, 'restaurant said': 716675, 'said another': 730973, 'business working': 144719, 'time workstream': 898383, 'entrepreneur supermarket': 278955, 'all sale proceeds': 44235, 'sale proceeds will': 732475, 'to the respective': 917021, 'the respective restaurant': 865607, 'respective restaurant said': 715161, 'restaurant said another': 716676, 'said another great': 730974, 'another great example': 77644, 'of business working': 580976, 'business working together': 144721, 'working together in': 1009009, 'together in these': 920837, 'trying time workstream': 934758, 'time workstream hr': 898384, 'technology entrepreneur supermarket': 836290, 'entrepreneur supermarket grocerystore': 278956, 'minister urged': 533482, 'prime minister urged': 678162, 'minister urged everyone': 533483, 'not hoard and': 569977, 'hoard and other': 398755, 'suspending time': 829664, 'use electricity': 949185, 'electricity rate': 271203, 'period holding': 651784, 'holding electricity': 400107, 'update the province': 947253, 'ontario ha announced': 611602, 'it is suspending': 459095, 'is suspending time': 452511, 'suspending time of': 829665, 'of use electricity': 592700, 'use electricity rate': 949187, 'electricity rate for': 271204, 'rate for 45': 697222, 'day period holding': 228211, 'period holding electricity': 651785, 'holding electricity price': 400108, 'situation concerning': 772220, 'helping mitigate': 391389, 'at 11pm': 97447, '11pm through': 2742, 'the situation concerning': 867247, 'situation concerning the': 772221, 'concerning the covid': 193251, 'of helping mitigate': 584558, 'helping mitigate the': 391390, '22 at 11pm': 15184, 'at 11pm through': 97448, '11pm through 31': 2743, 'through 31 learn': 894296, 'parecetomol': 641549, 'seperates': 751128, 'lowincomes': 506246, 'sadly people': 729345, 'are profiting': 89266, 'necessity such': 554263, 'such parecetomol': 816670, 'parecetomol and': 641550, 'handsanitizer this': 376665, 'this sadly': 889938, 'sadly really': 729349, 'really seperates': 702566, 'seperates the': 751129, 'rich from': 721223, 'poor those': 664307, 'on lowincomes': 601952, 'lowincomes cannot': 506247, 'stop have': 804710, 'have heart': 380920, 'heart smh': 388332, 'sadly people are': 729346, 'people are profiting': 647049, 'are profiting from': 89268, 'from the hiking': 337742, 'the hiking up': 857373, 'of necessity such': 586898, 'necessity such parecetomol': 554264, 'such parecetomol and': 816671, 'parecetomol and handsanitizer': 641551, 'and handsanitizer this': 64158, 'handsanitizer this sadly': 376667, 'this sadly really': 889939, 'sadly really seperates': 729350, 'really seperates the': 702567, 'seperates the rich': 751130, 'the rich from': 865781, 'rich from the': 721224, 'from the poor': 337837, 'the poor those': 863993, 'poor those on': 664308, 'those on lowincomes': 892288, 'on lowincomes cannot': 601953, 'lowincomes cannot afford': 506248, 'afford it please': 34718, 'it please stop': 460363, 'please stop have': 660578, 'stop have heart': 804711, 'have heart smh': 380921, 'sfchron': 754267, 'our civic': 622380, 'civic and': 179492, 'and patriotic': 68780, 'patriotic duty': 644370, 'duty this': 263611, 'this bay': 886494, 'area pot': 92169, 'pot business': 666878, 'ha pivoted': 371489, 'via sfchron': 956234, 'is our civic': 450614, 'our civic and': 622381, 'civic and patriotic': 179493, 'and patriotic duty': 68781, 'patriotic duty this': 644371, 'duty this bay': 263612, 'this bay area': 886495, 'bay area pot': 112917, 'area pot business': 92170, 'pot business ha': 666879, 'business ha pivoted': 143812, 'ha pivoted to': 371490, 'ease the crisis': 265104, 'crisis via sfchron': 218317, 'business greedy': 143795, 'one wipe': 607479, 'time roll': 897593, 'roll back': 725208, 'price specially': 676571, 'specially the': 788158, 'wish this business': 996827, 'this business greedy': 886632, 'business greedy people': 143796, 'greedy people were': 363571, 'people were the': 650226, 'the one wipe': 862234, 'one wipe out': 607480, 'wipe out by': 996346, '19 virus in': 11811, 'virus in this': 958332, 'this world many': 891515, 'world many time': 1009781, 'many time roll': 514815, 'time roll back': 897594, 'roll back of': 725209, 'back of fuel': 107171, 'of fuel oil': 583994, 'price but still': 672988, 'still the basic': 801286, 'the basic commodity': 849304, 'basic commodity are': 111848, 'commodity are in': 189128, 'are in higher': 87394, 'in higher price': 423691, 'higher price specially': 395692, 'price specially the': 676572, 'specially the food': 788159, 'the food product': 855589, 'advantage the situation': 33067, 'that moscow': 845221, 'moscow may': 541997, 'saudiarabia after': 737325, 'dragged oil': 258180, 'low russia': 505584, 'russian energy minister': 728636, 'novak said that': 573721, 'said that moscow': 731408, 'that moscow may': 845222, 'moscow may return': 541998, 'negotiation with saudiarabia': 556964, 'with saudiarabia after': 1000585, 'saudiarabia after talk': 737326, 'new dragged oil': 558646, 'dragged oil price': 258181, 'year low russia': 1014730, 'ain one': 39640, 'one thang': 607167, 'thang it': 841521, 'if it ain': 414285, 'it ain one': 456325, 'ain one thang': 39641, 'one thang it': 607168, 'thang it another': 841522, 'postcard': 666493, 'idea should': 413167, 'should someone': 766482, 'someone invent': 784523, 'invent an': 443607, 'via postcard': 956179, 'postcard this': 666494, 'helpful far': 391175, 'far beyond': 298726, 'beyond coronavirus': 129149, 'grandma ha': 361908, 'collect her': 186284, 'shopping each': 762545, 'idea should someone': 413168, 'should someone invent': 766483, 'someone invent an': 784524, 'invent an online': 443608, 'service that elderly': 752919, 'elderly people can': 270817, 'people can access': 647378, 'can access via': 157358, 'access via postcard': 28306, 'via postcard this': 956180, 'postcard this could': 666495, 'could be helpful': 208876, 'be helpful far': 115208, 'helpful far beyond': 391176, 'far beyond coronavirus': 298727, 'beyond coronavirus my': 129150, 'coronavirus my grandma': 206304, 'my grandma ha': 548545, 'grandma ha to': 361909, 'ha to get': 372299, 'to get someone': 906596, 'get someone to': 348081, 'someone to collect': 784699, 'to collect her': 902968, 'collect her shopping': 186285, 'her shopping each': 392374, 'shopping each week': 762546, 'please open': 660263, 'retweet stop': 720080, 'stoppanicbuying stoppanicshopping': 805640, 'please open this': 660264, 'open this read': 612574, 'this read and': 889810, 'read and retweet': 700281, 'and retweet stop': 70478, 'retweet stop panic': 720081, 'panicbuying stoppanicbuying stoppanicshopping': 639063, 'waiting to search': 964411, 'to search for': 913951, 'search for supply': 743255, 'for supply because': 326039, 'newssuite': 561129, 'elderly yet': 270961, 'the overreacting': 862785, 'overreacting is': 631419, 'worse worldgonemad': 1011055, 'worldgonemad elderly': 1010235, 'food newssuite': 315535, 'the elderly yet': 854163, 'elderly yet the': 270962, 'yet the overreacting': 1016257, 'the overreacting is': 862786, 'overreacting is making': 631420, 'it worse worldgonemad': 462552, 'worse worldgonemad elderly': 1011056, 'worldgonemad elderly australian': 1010236, 'hoarding food newssuite': 399309, 'anyone shopping': 80525, 'accepting order': 28084, 'store however': 808226, 'however if': 409389, 'is faulty': 447756, 'faulty you': 300437, 'cannot return': 162066, 'return it': 719865, 'refund until': 706974, 'just work of': 470341, 'work of warning': 1005523, 'of warning for': 592912, 'warning for anyone': 967125, 'for anyone shopping': 319448, 'anyone shopping at': 80526, 'shopping at online': 762107, 'at online they': 99978, 'online they are': 609550, 'they are accepting': 881189, 'are accepting order': 84181, 'accepting order and': 28085, 'order and you': 618040, 'get delivery to': 346870, 'delivery to store': 234671, 'to store however': 915625, 'store however if': 808227, 'however if an': 409390, 'if an item': 413814, 'an item is': 56497, 'item is faulty': 463383, 'is faulty you': 447757, 'faulty you cannot': 300438, 'you cannot return': 1017874, 'cannot return it': 162067, 'return it or': 719866, 'it or get': 460143, 'or get refund': 615435, 'get refund until': 347910, 'refund until further': 706975, 'further notice not': 342109, 'notice not advised': 573319, 'not advised of': 568069, 'advised of this': 33636, 'of this at': 591939, 'this at time': 886455, '80yo': 22769, 'distressing': 247944, 'twitter pls': 936704, 'pls managed': 661155, 'for 80yo': 318927, '80yo mother': 22770, 'and used': 74789, 'shopping every': 762597, 'day thinking': 228528, 'grocery wa': 366109, 'beyond her': 129182, 'her how': 392115, 'make best': 509729, 'use without': 949820, 'without distressing': 1002595, 'distressing her': 247947, 'her thx': 392451, 'advice from the': 33392, 'from the good': 337724, 'the good people': 856447, 'good people of': 357547, 'people of twitter': 648930, 'of twitter pls': 592531, 'twitter pls managed': 936705, 'pls managed to': 661156, 'slot for 80yo': 774174, 'for 80yo mother': 318928, '80yo mother in': 22771, 'law who is': 482451, 'who is not': 989094, 'is not online': 450144, 'not online and': 570770, 'online and used': 607856, 'and used to': 74790, 'used to shopping': 950088, 'to shopping every': 914517, 'shopping every day': 762598, 'every day thinking': 285851, 'day thinking of': 228529, 'thinking of at': 885952, 'week of grocery': 976617, 'of grocery wa': 584363, 'grocery wa beyond': 366110, 'wa beyond her': 961697, 'beyond her how': 129183, 'her how to': 392117, 'to make best': 909626, 'make best use': 509730, 'best use without': 127975, 'use without distressing': 949821, 'without distressing her': 1002596, 'distressing her thx': 247948, 'sharara': 754898, 'sharara our': 754899, 'unique but': 941970, 'value but': 952100, 'of inflation': 585181, 'inflation price': 437217, 'increasing but': 433558, 'quantity is': 691922, 'buying le': 150633, 'le 500': 482819, '500 inflation': 20002, 'inflation against': 437134, 'against gain': 37460, 'gain of': 342798, 'of 130': 579349, '130 but': 3290, 'wa b4': 961623, 'b4 of': 106510, 'sharara our economy': 754900, 'economy is unique': 268019, 'is unique but': 453506, 'unique but think': 941971, 'are losing value': 87903, 'losing value but': 503608, 'value but because': 952101, 'because of inflation': 119359, 'of inflation price': 585184, 'inflation price are': 437218, 'are increasing but': 87477, 'increasing but the': 433559, 'but the quantity': 147391, 'the quantity is': 864957, 'quantity is buying': 691923, 'is buying le': 446330, 'buying le and': 150634, 'le and le': 482844, 'and le 500': 66008, 'le 500 inflation': 482820, '500 inflation against': 20003, 'inflation against gain': 437135, 'against gain of': 37461, 'gain of 130': 342799, 'of 130 but': 579350, '130 but then': 3291, 'but then it': 147446, 'then it wa': 877288, 'it wa b4': 462069, 'wa b4 of': 961624, 'b4 of how': 106511, 'urgent want': 948374, 'get how': 347262, 'take 12': 831864, '12 minute': 2894, 'minute listen': 533798, 'this astounding': 886443, 'astounding terrifying': 97241, 'terrifying incredibly': 838530, 'incredibly moving': 433916, 'moving call': 544128, 'dr jack': 258037, 'jack on': 464112, 'frontline then': 338844, 'urgent want everyone': 948375, 'want everyone who': 965779, 'who still doesn': 989674, 'still doesn get': 800441, 'doesn get how': 251798, 'get how serious': 347263, 'how serious this': 408648, 'serious this crisis': 751493, 'crisis is to': 217594, 'is to take': 453252, 'to take 12': 916147, 'take 12 minute': 831865, '12 minute listen': 2895, 'minute listen to': 533799, 'to this astounding': 917406, 'this astounding terrifying': 886444, 'astounding terrifying incredibly': 97242, 'terrifying incredibly moving': 838531, 'incredibly moving call': 433917, 'moving call to': 544129, 'call to from': 156175, 'to from dr': 906263, 'from dr jack': 335211, 'dr jack on': 258038, 'jack on the': 464113, 'on the nh': 604252, 'nh frontline then': 561964, 'frontline then do': 338845, 'then do the': 877129, 'will decimate': 993109, 'decimate oil': 230971, 'price energy': 673684, 'energy corona': 276421, 'virus oilprice': 958546, 'crudeoil wti': 219656, 'wti brentoil': 1013381, 'brentoil gas': 139367, 'destruction of demand': 239114, 'of demand will': 582515, 'demand will decimate': 236497, 'will decimate oil': 993110, 'decimate oil price': 230972, 'oil price energy': 597118, 'price energy corona': 673685, 'energy corona virus': 276422, 'corona virus oilprice': 204333, 'virus oilprice crudeoil': 958547, 'oilprice crudeoil wti': 597610, 'crudeoil wti brentoil': 219657, 'wti brentoil gas': 1013382, 'brentoil gas oilandgas': 139368, 'one respected': 606957, 'respected socialdistancing': 715116, 'so knew': 777514, 'knew had': 476034, 'folk around': 312102, 'felt normal': 303431, 'wore mask today': 1004668, 'mask today for': 519433, 'first time the': 309113, 'time the last': 897857, 'time wa in': 898201, 'no one respected': 564958, 'one respected socialdistancing': 606958, 'respected socialdistancing so': 715117, 'socialdistancing so knew': 780696, 'so knew had': 777515, 'knew had to': 476035, 'do my part': 249630, 'part in protecting': 642299, 'in protecting myself': 427049, 'protecting myself and': 685217, 'myself and the': 550828, 'and the folk': 73381, 'the folk around': 855483, 'folk around me': 312104, 'around me it': 93395, 'me it felt': 523009, 'it felt normal': 457984, 'felt normal which': 303432, 'normal which is': 567414, 'which is sad': 986048, 'ordinarily': 619079, 'onboarding': 605546, 'also applies': 47868, 'applies not': 82527, 'to timeline': 917578, 'timeline organisation': 898473, 'organisation with': 619290, 'with ordinarily': 999939, 'ordinarily slow': 619080, 'slow setup': 774390, 'setup or': 753734, 'or onboarding': 616376, 'onboarding process': 605547, 'process will': 679981, 'drop all': 260115, 'stuff done': 815047, 'this also applies': 886284, 'also applies not': 47869, 'applies not only': 82528, 'not only to': 570837, 'only to price': 611365, 'to price but': 912116, 'price but also': 672972, 'also to timeline': 49023, 'to timeline organisation': 917579, 'timeline organisation with': 898474, 'organisation with ordinarily': 619292, 'with ordinarily slow': 999940, 'ordinarily slow setup': 619081, 'slow setup or': 774391, 'setup or onboarding': 753735, 'or onboarding process': 616377, 'onboarding process will': 605548, 'process will drop': 679982, 'will drop all': 993260, 'drop all their': 260117, 'all their other': 45004, 'their other work': 874143, 'other work and': 621220, 'work and work': 1004827, 'and work the': 75863, 'work the weekend': 1005820, 'the weekend to': 871339, 'weekend to get': 977431, 'to get stuff': 906606, 'get stuff done': 348138, 'stuff done for': 815048, 'done for you': 254846, 'working on covid': 1008801, '19 just ask': 8200, 'dear entertainment': 229781, 'industry if': 435891, 'have movie': 381524, 'movie you': 544104, 'you intended': 1019362, 'release before': 708925, 'before shut': 123079, 'world down': 1009499, 'down how': 256843, 'about offering': 25835, 'higher rental': 395719, 'price closer': 673156, 'normal ticket': 567363, 'price movie': 675283, 'movie film': 544005, 'film producer': 305702, 'producer writer': 680729, 'writer actor': 1012804, 'actor director': 30576, 'dear entertainment industry': 229782, 'entertainment industry if': 278579, 'industry if you': 435892, 'you have movie': 1019077, 'have movie you': 381525, 'movie you intended': 544105, 'you intended to': 1019363, 'intended to release': 441060, 'to release before': 913137, 'release before shut': 708926, 'before shut the': 123080, 'shut the world': 767946, 'the world down': 871861, 'world down how': 1009500, 'down how about': 256844, 'how about offering': 407294, 'about offering them': 25836, 'offering them now': 595290, 'them now on': 876066, 'now on demand': 575423, 'on demand at': 600273, 'demand at higher': 235039, 'at higher rental': 98900, 'higher rental price': 395720, 'rental price closer': 711262, 'price closer to': 673157, 'closer to normal': 183520, 'to normal ticket': 910663, 'normal ticket price': 567364, 'ticket price movie': 895651, 'price movie film': 675284, 'movie film producer': 544006, 'film producer writer': 305703, 'producer writer actor': 680730, 'writer actor director': 1012805, 'ilovereading': 416490, 'of salad': 589235, 'midnight ve': 530768, 'start reading': 794455, 'reading up': 700821, 'on wild': 605322, 'wild edible': 992053, 'edible plant': 268555, 'plant being': 658629, 'isolated is': 455014, 'lonely but': 501297, 'you extremely': 1018504, 'extremely informative': 293898, 'informative stayhomechallenge': 438065, 'stayhomechallenge ilovereading': 798268, 'lack of salad': 478653, 'of salad and': 589236, 'salad and veg': 731909, 'and veg in': 74863, 'veg in the': 953758, 'supermarket yesterday at': 824165, 'yesterday at midnight': 1015684, 'at midnight ve': 99744, 'midnight ve decided': 530769, 'to start reading': 915216, 'start reading up': 794456, 'reading up on': 700822, 'up on wild': 945645, 'on wild edible': 605323, 'wild edible plant': 992054, 'edible plant being': 268556, 'plant being isolated': 658630, 'being isolated is': 125347, 'isolated is lonely': 455015, 'is lonely but': 449430, 'lonely but can': 501298, 'also make you': 48506, 'make you extremely': 510735, 'you extremely informative': 1018505, 'extremely informative stayhomechallenge': 293899, 'informative stayhomechallenge ilovereading': 438066, 'still scratch': 801144, 'scratch their': 742615, 'wipe inside': 996302, 'mask before': 518473, 'on moron': 602218, 'moron corona': 541582, 'love seeing people': 504771, 'seeing people wearing': 746415, 'the supermarket still': 868828, 'supermarket still scratch': 822961, 'still scratch their': 801145, 'scratch their mouth': 742616, 'their mouth and': 874017, 'mouth and wipe': 543488, 'and wipe inside': 75737, 'wipe inside of': 996303, 'inside of their': 439338, 'of their mask': 591678, 'their mask before': 873925, 'mask before putting': 518474, 'before putting them': 123031, 'putting them back': 691248, 'them back on': 875458, 'back on moron': 107193, 'on moron corona': 602219, 'hca': 384655, 'nurse hca': 577356, 'hca all': 384656, 'easier and': 265131, 'can coronacrisis': 158002, 'doctor nurse hca': 251018, 'nurse hca all': 577357, 'hca all nh': 384657, 'nh staff delivery': 562084, 'driver supermarket shop': 259766, 'shop worker be': 761082, 'worker be kind': 1006500, 'they are making': 881333, 'are making our': 87998, 'making our life': 511259, 'our life easier': 623721, 'life easier and': 488620, 'easier and doing': 265132, 'and doing the': 61609, 'they can coronacrisis': 881623, 'tumble check': 935303, 'market tumble check': 517265, 'tumble check out': 935304, 'check out which': 174587, 'out which industry': 627832, 'which industry are': 985965, 'industry are the': 435665, 'delivery till': 234638, 'april will': 83718, 'at selfish': 100482, 'if have and': 414199, 'have and can': 379274, 'any food delivery': 79236, 'food delivery till': 314154, 'delivery till end': 234639, 'of april will': 580334, 'april will have': 83719, 'will have no': 993657, 'supermarket and cough': 818958, 'and cough at': 60604, 'cough at selfish': 208458, 'at selfish people': 100483, 'selfish people you': 748219, 'raising it': 696092, 'it cable': 456981, 'cable tv': 155029, 'tv phone': 936153, 'internet subscriber': 442028, 'subscriber just': 815868, 'just raised': 469547, 'sick homebound': 768471, 'homebound isolated': 402619, 'sick unemployed': 768654, 'is raising it': 451212, 'raising it price': 696093, 'it price by': 460460, 'price by over': 673029, 'by over 20': 153495, '20 00 month': 12859, 'month for it': 537729, 'for it cable': 322696, 'it cable tv': 456982, 'cable tv phone': 155030, 'tv phone and': 936154, 'and internet subscriber': 65334, 'internet subscriber just': 442029, 'subscriber just raised': 815869, 'just raised price': 469548, 'raised price by': 696024, 'price by exploiting': 673020, 'by exploiting those': 152523, 'exploiting those who': 292468, 'are sick homebound': 90112, 'sick homebound isolated': 768472, 'homebound isolated and': 402620, 'isolated and sick': 454972, 'and sick unemployed': 71641, 'sick unemployed due': 768655, 'prolific': 683609, 'to cashier': 902483, 'probably another': 679205, 'reason covid': 702887, 'so prolific': 778081, 'money from consumer': 536764, 'consumer to cashier': 199311, 'to cashier and': 902484, 'cashier and back': 166452, 'and back is': 58619, 'back is probably': 107123, 'is probably another': 451042, 'probably another reason': 679206, 'another reason covid': 77790, 'reason covid 19': 702888, 'is so prolific': 452031, 'there sorry': 879083, 'hi there sorry': 394753, 'there sorry for': 879084, 'for the delayed': 326376, 'the delayed response': 853052, 'ramanan': 696353, 'krishnamoorti': 477689, 'khou': 473742, 'pain ha': 634226, 'begun in': 123709, 'industry chief': 435723, 'chief energy': 175920, 'energy officer': 276517, 'officer ramanan': 595703, 'ramanan krishnamoorti': 696354, 'krishnamoorti talk': 477690, 'with khou': 999140, 'khou about': 473743, 'behind falling': 124625, 'the pain ha': 862865, 'pain ha begun': 634227, 'ha begun in': 369996, 'begun in the': 123710, 'oil industry chief': 596883, 'industry chief energy': 435724, 'chief energy officer': 175921, 'energy officer ramanan': 276518, 'officer ramanan krishnamoorti': 595704, 'ramanan krishnamoorti talk': 696355, 'krishnamoorti talk with': 477691, 'talk with khou': 833920, 'with khou about': 999141, 'khou about the': 473744, 'about the reason': 26496, 'the reason behind': 865268, 'reason behind falling': 702877, 'behind falling oil': 124626, 'little too': 495630, 'late the': 480921, 'oil story': 597458, 'over renewables': 630579, 'renewables are': 710984, 'little rise': 495544, 'this agreement': 886254, 'agreement last': 38779, 'last every': 480199, 'too little too': 924858, 'little too late': 495631, 'too late the': 924838, 'late the oil': 480922, 'the oil story': 862119, 'oil story is': 597459, 'story is over': 812022, 'is over renewables': 450727, 'over renewables are': 630580, 'renewables are destroying': 710985, 'are destroying the': 85801, 'destroying the oil': 239090, 'oil market with': 596952, 'market with or': 517378, 'or without covid': 617825, 'with little rise': 999262, 'little rise in': 495545, 'rise in oil': 722893, 'price from this': 674121, 'from this deal': 337991, 'this deal we': 887178, 'deal we will': 229519, 'will see how': 994776, 'see how long': 745237, 'long this agreement': 501747, 'this agreement last': 886255, 'agreement last every': 38780, 'last every country': 480200, 'every country fight': 285766, 'country fight for': 210650, 'louistv': 504549, 'shatter': 755787, 'shattawale': 755786, 'lady refused': 478818, 'sanitizer offered': 735445, 'her louistv': 392179, 'louistv shatter': 504550, 'shatter shattawale': 755788, 'this lady refused': 888592, 'lady refused to': 478819, 'refused to use': 707077, 'hand sanitizer offered': 375510, 'sanitizer offered to': 735446, 'offered to her': 594979, 'to her at': 907691, 'her at supermarket': 391866, 'at supermarket but': 100704, 'supermarket but she': 819456, 'but she is': 147027, 'she is touching': 756165, 'is touching item': 453313, 'touching item and': 926687, 'item and this': 463079, 'to her louistv': 907702, 'her louistv shatter': 392180, 'louistv shatter shattawale': 504551, 'bayonne': 113008, 'fined in': 307755, 'paris lyon': 641830, 'lyon and': 507140, 'and bayonne': 58741, 'bayonne according': 113009, 'true were': 933216, 'were do': 979529, 'here paying': 393447, 'step take': 799624, 'supermarket staythefuckhome': 822951, 'homeless people were': 402774, 'people were fined': 650204, 'were fined in': 979634, 'fined in paris': 307756, 'in paris lyon': 426503, 'paris lyon and': 641831, 'lyon and bayonne': 507141, 'and bayonne according': 58742, 'bayonne according to': 113010, 'to the charity': 916552, 'the charity if': 850706, 'charity if this': 173642, 'is true were': 453373, 'true were do': 933217, 'were do we': 979530, 'do we get': 250473, 'get from here': 347110, 'from here paying': 335781, 'here paying for': 393448, 'paying for every': 645409, 'for every step': 321178, 'every step take': 286215, 'step take to': 799625, 'the supermarket staythefuckhome': 868827, 'necessity are': 554169, 'supply trump': 826051, 'trump talk': 933882, 'talk hoarding': 833802, 'with target': 1001121, 'target campbell': 834449, 'campbell costco': 157293, 'supply and basic': 824704, 'basic necessity are': 111989, 'necessity are in': 554171, 'are in short': 87437, 'short supply trump': 764716, 'supply trump talk': 826052, 'trump talk hoarding': 933883, 'talk hoarding supply': 833803, 'hoarding supply chain': 399565, 'supply chain with': 825065, 'chain with target': 171248, 'with target campbell': 1001122, 'target campbell costco': 834450, 'campbell costco and': 157294, 'costco and others': 208195, 'popcorn': 664486, 'think place': 885493, 'like cinema': 490009, 'cinema such': 178543, 'others should': 621640, 'donate any': 254156, 'any nearly': 79500, 'nearly out': 553853, 'date stock': 226732, 'stock considering': 802013, 'just popcorn': 469460, 'popcorn to': 664489, 'nh pandemic': 562038, 'pandemic 19uk': 634774, '19uk cinema': 12551, 'cinema helpeachother': 178538, 'think place like': 885494, 'place like cinema': 657550, 'like cinema such': 490010, 'cinema such and': 178544, 'such and others': 816332, 'and others should': 68460, 'others should donate': 621641, 'should donate any': 765940, 'donate any nearly': 254158, 'any nearly out': 79501, 'nearly out of': 553854, 'of date stock': 582369, 'date stock considering': 226733, 'stock considering they': 802014, 'considering they sell': 195434, 'sell food and': 748722, 'and not just': 67752, 'not just popcorn': 570244, 'just popcorn to': 469461, 'popcorn to local': 664490, 'bank and the': 109623, 'and the nh': 73495, 'the nh pandemic': 861755, 'nh pandemic 19uk': 562039, 'pandemic 19uk cinema': 634775, '19uk cinema helpeachother': 12552, 'glancingly': 351579, 'article only': 94416, 'only glancingly': 610513, 'glancingly touch': 351580, 'touch upon': 926565, 'with markup': 999397, 'markup this': 517952, 'apparently substantial': 82004, 'substantial game': 816053, 'game mechanic': 343203, 'mechanic super': 525838, 'super fascinated': 818502, 'the article only': 848938, 'article only glancingly': 94417, 'only glancingly touch': 610514, 'glancingly touch upon': 351581, 'touch upon you': 926566, 'upon you profiteering': 947671, 'you profiteering off': 1020453, 'off the disaster': 594244, 'the disaster by': 853342, 'disaster by selling': 244193, 'by selling supply': 153932, 'selling supply to': 749465, 'supply to needy': 826017, 'needy people with': 556697, 'people with markup': 650459, 'with markup this': 999398, 'markup this is': 517953, 'this is apparently': 888179, 'is apparently substantial': 445787, 'apparently substantial game': 82005, 'substantial game mechanic': 816054, 'game mechanic super': 343204, 'mechanic super fascinated': 525839, 'super fascinated by': 818503, 'fascinated by this': 299745, 'by this especially': 154527, 'this especially in': 887413, 'especially in light': 280527, 'light of store': 489563, 'of store marking': 590258, 'store marking up': 808912, 'tactic of': 831708, 'information stop': 437982, 'buy rice': 149130, 'absolutely take seriously': 27455, 'take seriously do': 832558, 'necessary precaution be': 554043, 'for the fear': 326431, 'fear tactic of': 301357, 'tactic of the': 831709, 'of the mainstream': 591212, 'mainstream medium and': 508913, 'medium and this': 526998, 'this information stop': 888115, 'information stop buying': 437983, 'paper buy rice': 639982, 'buy rice and': 149131, 'amusing': 54964, 'behaviour signal': 124521, 'signal from': 769300, 'web show': 974961, 'show change': 766896, 'online interest': 608425, 'interest for': 441345, 'for selected': 325415, 'selected product': 747500, 'month seeing': 537992, 'seeing bidet': 746236, 'bidet in': 129566, 'list wa': 494583, 'wa insightful': 962412, 'insightful amp': 439670, 'amp amusing': 53383, 'amusing at': 54965, 'consumer behaviour signal': 196598, 'behaviour signal from': 124522, 'signal from across': 769301, 'across the web': 29532, 'the web show': 871264, 'web show change': 974962, 'show change in': 766897, 'in online interest': 426168, 'online interest for': 608426, 'interest for selected': 441348, 'for selected product': 325417, 'selected product in': 747502, 'past month seeing': 643575, 'month seeing bidet': 537993, 'seeing bidet in': 746237, 'bidet in this': 129567, 'in this list': 429971, 'this list wa': 888666, 'list wa insightful': 494584, 'wa insightful amp': 962413, 'insightful amp amusing': 439671, 'amp amusing at': 53384, 'amusing at the': 54966, 'same time 19': 733345, 'broiler': 140817, 'situation our': 772430, 'still farming': 800518, 'farming hen': 299625, 'hen are': 391727, 'still laying': 800779, 'laying egg': 482656, 'egg turkey': 270019, 'turkey and': 935536, 'and broiler': 59218, 'broiler need': 140818, 'day michigan': 227976, 'michigan family': 530335, 'family poultry': 298166, 'healthy locally': 387684, 'locally produced': 498776, 'produced protein': 680533, 'the situation our': 867271, 'situation our farmer': 772433, 'are still farming': 90423, 'still farming hen': 800519, 'farming hen are': 299626, 'hen are still': 391728, 'are still laying': 90440, 'still laying egg': 800780, 'laying egg turkey': 482657, 'egg turkey and': 270020, 'turkey and broiler': 935537, 'and broiler need': 59219, 'broiler need to': 140819, 'to be fed': 901253, 'be fed and': 114812, 'fed and every': 301779, 'every day michigan': 285828, 'day michigan family': 227977, 'michigan family poultry': 530336, 'family poultry farmer': 298167, 'farmer are working': 299298, 'are working together': 91725, 'together to supply': 921005, 'to supply consumer': 915877, 'supply consumer with': 825101, 'consumer with healthy': 199564, 'with healthy locally': 998758, 'healthy locally produced': 387685, 'locally produced protein': 498777, 'can contaminating': 157977, 'contaminating food': 200686, 'purpose be': 690096, 'be foodsafety': 114898, 'foodsafety crime': 318057, 'supermarket food can': 820355, 'food can contaminating': 313868, 'can contaminating food': 157978, 'contaminating food on': 200687, 'on purpose be': 603021, 'purpose be foodsafety': 690097, 'be foodsafety crime': 114899, 'step when': 799708, 'undertaking the': 940950, 'simple step when': 770099, 'step when undertaking': 799709, 'when undertaking the': 984362, 'undertaking the number': 940951, 'number one reason': 577027, 'reason for leaving': 702904, 'leaving the home': 485150, 'the home right': 857455, 'now grocery shopping': 574827, 'fritos': 334095, 'cannot enjoy': 161775, 'enjoy good': 277137, 'good finger': 357038, 'finger lick': 307805, 'lick after': 488195, 'after bag': 35390, 'of fritos': 583959, 'fritos we': 334096, 'know real': 476694, 'real pain': 701290, 'pain cheer': 634221, 'ya ll ever': 1014014, 'll ever use': 496745, 'ever use so': 285572, 'use so much': 949585, 'so much hand': 777783, 'sanitizer that you': 735867, 'that you cannot': 847716, 'you cannot enjoy': 1017855, 'cannot enjoy good': 161776, 'enjoy good finger': 277138, 'good finger lick': 357039, 'finger lick after': 307806, 'lick after bag': 488196, 'after bag of': 35391, 'bag of fritos': 108354, 'of fritos we': 583960, 'fritos we know': 334097, 'we know real': 972157, 'know real pain': 476695, 'real pain cheer': 701291, 'really driven': 702150, 'driven up': 259370, 'of turnip': 592517, 'turnip caronavirus': 935990, 'caronavirus animalcrossing': 164865, '19 ha really': 7377, 'ha really driven': 371649, 'really driven up': 702151, 'driven up the': 259374, 'price of turnip': 675598, 'of turnip caronavirus': 592518, 'turnip caronavirus animalcrossing': 935991, 'plaguing': 657998, 'very insensitive': 955264, 'insensitive of': 439195, 'of plaguing': 588145, 'plaguing the': 657999, 'world show': 1009977, 'how out': 408468, 'touch sky': 926536, 'sky is': 773203, 'with reality': 1000412, 'how well': 409205, 'understand customer': 940622, 'very insensitive of': 955265, 'insensitive of to': 439196, 'of to be': 592205, 'to be increasing': 901333, 'be increasing price': 115466, 'this time with': 890714, 'with the scourge': 1001468, 'scourge of plaguing': 742514, 'of plaguing the': 588146, 'plaguing the world': 658000, 'the world show': 871965, 'world show how': 1009978, 'show how out': 766988, 'how out of': 408469, 'of touch sky': 592338, 'touch sky is': 926537, 'sky is with': 773205, 'is with reality': 454014, 'with reality and': 1000413, 'reality and how': 701698, 'and how well': 64843, 'how well they': 409208, 'well they understand': 978684, 'they understand customer': 883601, 'understand customer service': 940623, 'ferrer': 303565, 'hand social': 375781, 'distancing still': 247507, 'still key': 800771, 'spread fabric': 790525, 'mask dr': 518592, 'dr ferrer': 258022, 'ferrer say': 303566, 'example 19': 288860, 'possible likely': 665705, 'washing hand social': 967681, 'hand social distancing': 375782, 'social distancing still': 779729, 'distancing still key': 247509, 'still key to': 800772, 'key to stopping': 473445, 'to stopping the': 915598, 'the spread fabric': 867627, 'spread fabric mask': 790526, 'fabric mask dr': 294230, 'mask dr ferrer': 518593, 'dr ferrer say': 258023, 'ferrer say are': 303567, 'say are good': 738436, 'are good when': 86927, 'are out at': 88878, 'or pharmacy for': 616573, 'pharmacy for example': 654314, 'for example 19': 321270, 'example 19 stay': 288861, '19 stay home': 10798, 'much possible likely': 545244, 'possible likely no': 665706, 'likely no change': 492059, 'change in that': 172137, 'in that for': 428918, 'week to come': 977071, 'why will': 991555, 'we cover': 971227, 'cover our': 212274, 'when leaving': 983678, 'home why': 402501, 'mask ha': 518771, 'not occurred': 570715, 'no tool': 565776, 'tool used': 925462, 'like japan': 490573, 'and korea': 65900, 'korea everyone': 477469, 'everyone us': 287524, 'us mask': 948532, 'mask wearamask': 519521, 'why will not': 991556, 'will not we': 994286, 'not we cover': 572464, 'we cover our': 971228, 'cover our face': 212275, 'our face when': 622978, 'face when leaving': 294847, 'when leaving home': 983679, 'leaving home why': 485089, 'home why aren': 402502, 'aren supermarket staff': 92537, 'staff and police': 792154, 'and police not': 69160, 'police not wearing': 663105, 'not wearing face': 572474, 'face mask ha': 294545, 'mask ha it': 518773, 'ha it not': 371022, 'it not occurred': 459902, 'not occurred to': 570716, 'occurred to anyone': 579050, 'to anyone that': 900629, 'anyone that mask': 80558, 'mask are the': 518402, 'are the no': 90868, 'the no tool': 861835, 'no tool used': 565777, 'tool used to': 925463, 'used to reduce': 950081, 'spread in country': 790571, 'in country like': 421827, 'country like japan': 210862, 'like japan and': 490574, 'japan and korea': 464707, 'and korea everyone': 65901, 'korea everyone us': 477470, 'everyone us mask': 287525, 'us mask wearamask': 948533, 'antoinette': 78605, 'appears marie': 82194, 'marie antoinette': 515702, 'antoinette wa': 78606, 'just 200': 468108, '200 odd': 13517, 'odd year': 579201, 'bread but': 138436, 'but load': 146301, 'of cake': 581034, 'cake guess': 155238, 'eating cake': 266185, 'while coronacrisis': 986716, 'it appears marie': 456563, 'appears marie antoinette': 82195, 'marie antoinette wa': 515703, 'antoinette wa just': 78607, 'wa just 200': 962449, 'just 200 odd': 468109, '200 odd year': 13518, 'odd year ahead': 579202, 'year ahead of': 1014373, 'her time in': 392453, 'supermarket today no': 823456, 'today no bread': 919930, 'no bread but': 563727, 'bread but load': 138437, 'but load of': 146302, 'load of cake': 497261, 'of cake guess': 581035, 'cake guess we': 155239, 'guess we ll': 368078, 'we ll just': 972258, 'll just be': 496856, 'just be eating': 468270, 'be eating cake': 114639, 'eating cake for': 266186, 'cake for while': 155235, 'for while coronacrisis': 327838, 'think falling': 885240, 'were great': 979703, 'thing 19': 884077, 'did people think': 240759, 'people think falling': 649830, 'think falling gas': 885241, 'price were great': 677448, 'were great thing': 979704, 'great thing 19': 363045, 'retail operator': 718357, 'launched several': 482035, 'revive sale': 720683, 'sale after': 732021, 'after mall': 35899, 'mall were': 511853, 'were ordered': 979947, 'ordered closed': 618835, 'began shifting': 123431, 'retail operator have': 718358, 'operator have launched': 613364, 'have launched several': 381263, 'launched several measure': 482036, 'several measure at': 753891, 'measure at once': 525133, 'once to revive': 605768, 'to revive sale': 913506, 'revive sale after': 720684, 'sale after mall': 732023, 'after mall were': 35900, 'mall were ordered': 511855, 'were ordered closed': 979948, 'ordered closed and': 618836, 'closed and consumer': 182982, 'and consumer began': 60351, 'consumer began shifting': 196423, 'began shifting to': 123432, 'shifting to online': 758567, 'avoid contracting covid': 105055, 'number2': 577100, 'quarantine2020': 692728, 'quarantinelife stayathomeorder': 693016, 'stayathomeorder flattenthecurve': 797778, 'flattenthecurve remotework': 310191, 'remotework number2': 710787, 'number2 quarantine2020': 577101, 'quarantine2020 hashtag': 692731, 'hashtag while': 378709, 'funny these': 341798, 'these coronavirus': 879804, 'coronavirus toiletpaper': 206955, 'major tp': 509517, 'quarantinelife stayathomeorder flattenthecurve': 693017, 'stayathomeorder flattenthecurve remotework': 797779, 'flattenthecurve remotework number2': 310192, 'remotework number2 quarantine2020': 710788, 'number2 quarantine2020 hashtag': 577102, 'quarantine2020 hashtag while': 692732, 'hashtag while the': 378710, 'while the isn': 987399, 'the isn funny': 858559, 'isn funny these': 454517, 'funny these coronavirus': 341799, 'these coronavirus toiletpaper': 879806, 'coronavirus toiletpaper meme': 206957, 'toiletpaper meme about': 922233, 'meme about the': 528297, 'about the major': 26443, 'the major tp': 859938, 'major tp shortage': 509518, 'tp shortage of': 927939, 'of 2020 are': 579488, 'safely get': 730283, 'veg produce': 953779, 'normally wholesale': 567571, 'order off': 618450, 'their fb': 873296, 'fb and': 300640, 'up produce': 945845, 'way to safely': 970086, 'to safely get': 913716, 'safely get fresh': 730284, 'fruit veg produce': 339170, 'veg produce bros': 953780, 'bros normally wholesale': 141022, 'normally wholesale but': 567572, 'wholesale but right': 990424, 'can order off': 159176, 'order off their': 618451, 'off their fb': 594287, 'their fb and': 873297, 'fb and pick': 300642, 'pick up produce': 655751, 'up produce at': 945846, 'produce at their': 680199, 'store socialdistancing ottawa': 810252, 'stop instead': 804775, 'overflowing your': 631221, 'house buy': 406226, 'some book': 782420, 'improve yourself': 419560, 'mind please': 532714, 'to stop instead': 915540, 'stop instead of': 804776, 'of buying too': 581019, 'much food that': 544910, 'that is overflowing': 844638, 'is overflowing your': 450758, 'overflowing your house': 631222, 'your house buy': 1024409, 'house buy some': 406227, 'buy some book': 149196, 'some book to': 782421, 'book to improve': 134616, 'to improve yourself': 908211, 'improve yourself and': 419561, 'and your mind': 76084, 'your mind please': 1024836, 'this something': 890247, 'amazing grocery': 50692, 'is this something': 453124, 'this something we': 890248, 'something we can': 785132, 'our amazing grocery': 622059, 'amazing grocery worker': 50693, 'grocery worker here': 366176, 'worker here at': 1007119, 'here at home': 392783, 'verse': 954892, 'hubbard': 409853, 'dunne': 262299, 'verse old': 954893, 'mother hubbard': 543117, 'hubbard mr': 409854, 'mr dunne': 544361, 'dunne coronacrisis': 262300, 'coronacrisis stayhomesavelives': 204775, 'stayhomesavelives panickbuying': 798426, 'panicbuyers pubsclosed': 638873, 'pubsclosed toiletpaper': 688801, 'toiletpaper bean': 921788, 'bean stockpilinguk': 118369, 'stockpilinguk poetry': 804146, 'poetry writerslife': 662387, 'writerslife joke': 1012819, 'verse old mother': 954894, 'old mother hubbard': 598373, 'mother hubbard mr': 543118, 'hubbard mr dunne': 409855, 'mr dunne coronacrisis': 544362, 'dunne coronacrisis stayhomesavelives': 262301, 'coronacrisis stayhomesavelives panickbuying': 204776, 'stayhomesavelives panickbuying panicbuyers': 798427, 'panickbuying panicbuyers pubsclosed': 639213, 'panicbuyers pubsclosed toiletpaper': 638874, 'pubsclosed toiletpaper bean': 688802, 'toiletpaper bean stockpilinguk': 921789, 'bean stockpilinguk poetry': 118370, 'stockpilinguk poetry writerslife': 804147, 'poetry writerslife joke': 662388, 'ocha': 579113, 'iic': 415990, 'idp': 413706, 'acce': 27820, 'the 10th': 847868, '10th ocha': 2394, 'ocha sitrep': 579116, 'on preparedness': 602888, 'and response': 70353, 'on wfp': 605204, 'wfp report': 980872, 'report surge': 712286, 'price iic': 674631, 'iic tracking': 415991, 'from idp': 335999, 'idp ocha': 413707, 'ocha negotiating': 579114, 'negotiating authority': 556936, 'facilitate acce': 295256, 'the 10th ocha': 847869, '10th ocha sitrep': 2395, 'ocha sitrep on': 579117, 'sitrep on preparedness': 772077, 'on preparedness and': 602889, 'preparedness and response': 670278, 'and response in': 70355, 'response in iraq': 715730, 'in iraq is': 424153, 'iraq is now': 444773, 'available on wfp': 104538, 'on wfp report': 605205, 'wfp report surge': 980873, 'report surge in': 712287, 'surge in commodity': 828183, 'commodity price iic': 189275, 'price iic tracking': 674632, 'iic tracking covid': 415992, '19 call from': 5590, 'call from idp': 155904, 'from idp ocha': 336000, 'idp ocha negotiating': 413708, 'ocha negotiating authority': 579115, 'negotiating authority to': 556937, 'authority to facilitate': 103799, 'to facilitate acce': 905586, 'digitalservicesact': 242808, 'live en': 495794, 'en vote': 275415, 'on proposal': 602975, 'proposal commission': 684455, 'commission digitalservicesact': 188806, 'digitalservicesact consultation': 242809, 'consultation delayed': 195882, 'delayed further': 232784, 'further delay': 342027, 'on eu': 600603, 'eu initiative': 283239, 'initiative ep': 438618, 'ep question': 279273, 'live en vote': 495795, 'en vote on': 275416, 'vote on proposal': 960499, 'on proposal commission': 602976, 'proposal commission digitalservicesact': 684456, 'commission digitalservicesact consultation': 188807, 'digitalservicesact consultation delayed': 242810, 'consultation delayed further': 195883, 'delayed further delay': 232785, 'further delay on': 342028, 'delay on eu': 232730, 'on eu initiative': 600604, 'eu initiative ep': 283240, 'initiative ep question': 438619, 'ep question on': 279274, 'question on ai': 693671, 'on ai consumer': 599193, 'ai consumer protection': 39310, 'with email': 998197, 'email practice': 272276, 'practice these': 668680, 'these self': 880641, 'protection measure': 685527, 'for reliable': 325089, 'reliable update': 709219, 'about cyber': 25066, 'security visit': 744784, 'vigilant on the': 957254, 'internet and with': 441908, 'and with email': 75767, 'with email practice': 998200, 'email practice these': 272277, 'practice these self': 668681, 'these self protection': 880642, 'self protection measure': 747843, 'protection measure in': 685530, 'measure in light': 525228, 'pandemic for reliable': 635450, 'for reliable update': 325090, 'reliable update and': 709220, 'update and to': 946867, 'and to learn': 74180, 'more about cyber': 538503, 'about cyber security': 25067, 'cyber security visit': 223943, 'security visit and': 744785, 'chicken farmer': 175781, 'farmer say': 299499, 're producing': 699315, 'producing much': 680787, 'were before': 979368, 'and chicken farmer': 59817, 'chicken farmer say': 175782, 'farmer say they': 299500, 'they re producing': 883101, 're producing much': 699316, 'producing much they': 680788, 'much they were': 545373, 'they were before': 883752, 'were before the': 979370, '19 pandemic started': 9478, '50th': 20192, 'american face': 51958, 'unprecedented crisis': 943100, 'our 50th': 622005, '50th anniversary': 20193, 'anniversary edition': 76819, 'debt we': 230595, 'have available': 379382, 'an invaluable': 56437, 'invaluable resource': 443589, 'many american face': 513733, 'american face an': 51959, 'an unprecedented crisis': 56883, 'unprecedented crisis for': 943101, 'crisis for our': 217392, 'for our 50th': 324210, 'our 50th anniversary': 622006, '50th anniversary edition': 20194, 'anniversary edition of': 76820, 'edition of surviving': 268635, 'of surviving debt': 590536, 'surviving debt we': 829356, 'debt we have': 230596, 'we have available': 971760, 'have available an': 379383, 'available an invaluable': 104218, 'an invaluable resource': 56438, 'invaluable resource for': 443590, 'and consumer advocate': 60345, 'aisle this': 40395, 'emerge from': 272535, 'coronacrisis nation': 204666, 'obese alcoholic': 578352, 'alcoholic with': 41220, 'with nice': 999724, 'nice clean': 562369, 'clean bottom': 180483, 'supermarket aisle this': 818848, 'aisle this morning': 40396, 'morning we re': 541537, 'going to emerge': 355583, 'to emerge from': 905006, 'emerge from the': 272536, 'the coronacrisis nation': 851785, 'coronacrisis nation of': 204667, 'nation of obese': 552272, 'of obese alcoholic': 587138, 'obese alcoholic with': 578353, 'alcoholic with nice': 41221, 'with nice clean': 999725, 'nice clean bottom': 562370, 'about two': 26796, 'third due': 886069, 'market war': 517312, 'have dropped by': 380378, 'by about two': 151735, 'about two third': 26797, 'two third due': 937269, 'third due covid': 886070, '19 and market': 5062, 'and market war': 66714, 'market war between': 517313, 'copayments': 203286, 'method special': 529789, 'card deductible': 163503, 'deductible copayments': 231787, 'copayments waived': 203287, 'waived and': 964525, 'reimbursed for': 708228, 'general payment method': 345433, 'payment method special': 645675, 'method special program': 529790, 'credit card deductible': 216334, 'card deductible copayments': 163504, 'deductible copayments waived': 231788, 'copayments waived and': 203288, 'waived and or': 964526, 'and or reimbursed': 68226, 'or reimbursed for': 616834, 'reimbursed for usaa': 708229, 'review more information': 720574, 'proudmuslim': 686088, 'local halal': 498063, 'halal grocery': 374107, 'store cause': 806897, 'cause most': 167666, 'there proudmuslim': 878966, 'my local halal': 549118, 'local halal grocery': 498064, 'halal grocery store': 374108, 'grocery store cause': 365273, 'store cause most': 806899, 'cause most people': 167667, 'most people do': 542612, 'do not shop': 249844, 'not shop there': 571561, 'shop there proudmuslim': 760920, 'story going': 811991, 'hoarding right': 399500, 'and worked': 75866, 'of story going': 590278, 'story going around': 811992, 'around about hoarding': 93175, 'about hoarding right': 25401, 'hoarding right now': 399501, 'now so thought': 575853, 'share mine in': 755094, 'mine in case': 532899, 'in case it': 421263, 'case it help': 165836, 'it help coronacrisis': 458538, 'help coronacrisis stophoarding': 389542, 'friend and worked': 333516, 'and worked at': 75867, 'real economy': 701122, 'economy mean': 268067, 'mean further': 524457, 'further spike': 342166, 'auto loan': 103890, 'card delinquency': 163505, 'delinquency unpaid': 233060, 'unpaid rent': 943033, 'salary decline': 731965, 'hit to the': 398478, 'the real economy': 865217, 'real economy mean': 701123, 'economy mean further': 268069, 'mean further spike': 524458, 'further spike in': 342167, 'spike in auto': 789290, 'in auto loan': 420633, 'auto loan and': 103891, 'loan and credit': 497387, 'and credit card': 60729, 'credit card delinquency': 216335, 'card delinquency unpaid': 163506, 'delinquency unpaid rent': 233061, 'unpaid rent and': 943034, 'rent and salary': 711041, 'and salary decline': 70787, 'salary decline in': 731966, 'bateman': 112583, 'translating': 929711, 'inv': 443553, 'consum': 195916, 'bateman accountability': 112584, 'accountability there': 28799, 'wa mounting': 962658, 'mounting evidence': 543447, 'all lower': 43422, 'lower ir': 505899, 'ir wa': 444661, 'doing wa': 252822, 'this mythical': 889076, 'mythical wealth': 551073, 'wealth effect': 974160, 'effect wa': 269156, 'not translating': 572249, 'translating into': 929712, 'real econ': 701120, 'econ gdp': 266930, 'gdp below': 344867, 'below trend': 126764, 'trend weak': 931503, 'weak inv': 974025, 'inv spend': 443554, 'and consum': 60340, 'bateman accountability there': 112585, 'accountability there wa': 28800, 'there wa mounting': 879252, 'wa mounting evidence': 962659, 'mounting evidence that': 543448, 'evidence that all': 288390, 'that all lower': 842553, 'all lower ir': 43423, 'lower ir wa': 505900, 'ir wa doing': 444662, 'wa doing wa': 962010, 'doing wa driving': 252823, 'wa driving up': 962038, 'driving up house': 260033, 'up house price': 945119, 'price and this': 672565, 'and this mythical': 74002, 'this mythical wealth': 889077, 'mythical wealth effect': 551074, 'wealth effect wa': 974161, 'effect wa not': 269157, 'wa not translating': 962778, 'not translating into': 572250, 'translating into the': 929713, 'into the real': 443161, 'the real econ': 865216, 'real econ gdp': 701121, 'econ gdp below': 266931, 'gdp below trend': 344868, 'below trend weak': 126765, 'trend weak inv': 931504, 'weak inv spend': 974026, 'inv spend and': 443555, 'spend and consum': 788579, 'maan': 507289, 'haitian': 374077, 'maan tell': 507290, 'tell em': 836945, 'em stop': 272080, 'stop playing': 804917, 'playing whiskey': 659469, 'whiskey sanitizer': 987781, 'sanitizer haitian': 735019, 'maan tell em': 507291, 'tell em stop': 836946, 'em stop playing': 272081, 'stop playing whiskey': 804918, 'playing whiskey sanitizer': 659470, 'whiskey sanitizer haitian': 987782, 'updated today': 947449, 'link inc': 493861, 'inc pharmacy': 431303, 'pharmacy want': 654544, 'uk london': 938524, 'london link': 501113, 'food onlineshopping': 315629, 'onlineshopping during': 609893, 'grow will': 367082, 'updated today with': 947450, 'today with more': 920556, 'with more link': 999557, 'more link inc': 539703, 'link inc pharmacy': 493862, 'inc pharmacy want': 431304, 'pharmacy want to': 654545, 'of uk london': 592573, 'uk london link': 938525, 'london link to': 501114, 'through your food': 894922, 'your food onlineshopping': 1023922, 'food onlineshopping during': 315630, 'onlineshopping during this': 609894, 'during this list': 263295, 'will grow will': 993582, 'grow will update': 367083, 'satu': 736970, 'satunya': 736973, 'tempat': 837345, 'aku': 40554, 'kena': 472768, 'owner satu': 632560, 'satu satunya': 736971, 'satunya supermarket': 736974, 'supermarket kat': 821236, 'kat tempat': 471008, 'tempat aku': 837346, 'aku kena': 40555, 'kena covid': 472769, '19 obviously': 8880, 'obviously all': 578819, 'staff pun': 792786, 'pun kena': 689154, 'kena quarantine': 472771, 'owner satu satunya': 632561, 'satu satunya supermarket': 736972, 'satunya supermarket kat': 736975, 'supermarket kat tempat': 821237, 'kat tempat aku': 471009, 'tempat aku kena': 837347, 'aku kena covid': 40556, 'kena covid 19': 472770, 'covid 19 obviously': 213500, '19 obviously all': 8881, 'obviously all the': 578820, 'the staff pun': 867696, 'staff pun kena': 792787, 'pun kena quarantine': 689155, 'kena quarantine mean': 472772, 'quarantine mean it': 692366, 'mean it ll': 524510, 'll be closed': 496575, 'exodus': 290383, 'passover2020': 643450, 'chagsameach': 170424, 'in exodus': 422724, 'exodus egypt': 290384, 'egypt the': 270121, 'of israel': 585350, 'israel took': 455603, 'took passover': 925312, 'passover over': 643444, 'over death': 630139, 'death plague': 230163, 'plague and': 657954, 'their neighbour': 874046, 'neighbour gold': 557212, 'this repeat': 889870, 'repeat now': 711528, 'spike passover2020': 789322, 'passover2020 chagsameach': 643451, 'chagsameach pandemic': 170425, 'in exodus egypt': 422725, 'exodus egypt the': 290385, 'egypt the child': 270122, 'child of israel': 176158, 'of israel took': 585351, 'israel took passover': 455604, 'took passover over': 925313, 'passover over death': 643445, 'over death plague': 630140, 'death plague and': 230164, 'plague and their': 657955, 'and their neighbour': 73703, 'their neighbour gold': 874047, 'neighbour gold silver': 557213, 'gold silver and': 356004, 'silver and we': 769789, 'have this repeat': 383106, 'this repeat now': 889871, 'repeat now time': 711529, 'time for price': 896743, 'price to spike': 677045, 'to spike passover2020': 915011, 'spike passover2020 chagsameach': 789323, 'passover2020 chagsameach pandemic': 643452, 'usual in': 950964, 'an unusual': 56911, 'unusual situation': 943996, 'situation supply': 772498, 'will challenge': 992901, 'challenge company': 171424, 'company unprepared': 191269, 'unprepared for': 943236, 'common scenario': 189448, 'keep business usual': 471362, 'business usual in': 144604, 'usual in an': 950965, 'in an unusual': 420335, 'an unusual situation': 56913, 'unusual situation supply': 943997, 'situation supply chain': 772499, 'uncertain consumer behavior': 939576, 'behavior will challenge': 124309, 'will challenge company': 992902, 'challenge company unprepared': 171425, 'company unprepared for': 191270, 'unprepared for here': 943237, 'most common scenario': 542189, 'common scenario during': 189449, 'care contact': 163896, 'buy certified': 148481, 'certified mask': 170241, 'mask ppe': 519130, 'kit glove': 475558, 'glove handwash': 352710, 'sanitizer infrared': 735166, 'thermometer disinfectant': 879514, 'disinfectant tunnel': 245788, 'because we care': 119795, 'we care contact': 971102, 'care contact to': 163897, 'contact to buy': 200242, 'to buy certified': 902204, 'buy certified mask': 148482, 'certified mask ppe': 170242, 'mask ppe kit': 519131, 'ppe kit glove': 667993, 'kit glove handwash': 475559, 'glove handwash sanitizer': 352711, 'handwash sanitizer infrared': 376791, 'sanitizer infrared thermometer': 735167, 'infrared thermometer disinfectant': 438177, 'thermometer disinfectant tunnel': 879515, 'up pickup': 945768, 'in massive': 425183, 'massive way': 520161, 'way 10': 969419, 'pickup if': 655972, 'if order': 414565, 'better grocery': 128305, 'time to up': 898093, 'to up the': 917975, 'up the online': 946199, 'drive up pickup': 259247, 'up pickup in': 945769, 'pickup in massive': 655976, 'in massive way': 425186, 'massive way 10': 520162, 'way 10 day': 969420, '10 day to': 1392, 'day to pickup': 228574, 'to pickup if': 911732, 'pickup if order': 655973, 'if order right': 414566, 'right now do': 722053, 'now do better': 574539, 'do better grocery': 249135, 'better grocery store': 128306, '64gb': 21328, '704': 21946, '11 price': 2579, 'chinese online': 177308, 'retailer the': 719362, 'country recovers': 210989, 'recovers from': 705277, 'from iphone': 336079, '11 64gb': 2471, '64gb is': 21329, 'for 704': 318908, '704 cheaper': 21947, 'cheaper by': 174245, 'apple official': 82351, 'official china': 595780, 'china site': 176947, 'site the': 772023, 'expensive iphone': 291256, '11 pro': 2582, 'pro is': 679116, 'selling 170': 749129, '170 cheaper': 4418, 'iphone 11 price': 444557, '11 price slashed': 2580, 'slashed by chinese': 773617, 'by chinese online': 152119, 'chinese online retailer': 177309, 'online retailer the': 608888, 'retailer the country': 719363, 'the country recovers': 852139, 'country recovers from': 210990, 'recovers from iphone': 705278, 'from iphone 11': 336080, 'iphone 11 64gb': 444556, '11 64gb is': 2472, '64gb is selling': 21330, 'is selling for': 451754, 'selling for 704': 749255, 'for 704 cheaper': 318909, '704 cheaper by': 21948, 'cheaper by 75': 174246, 'by 75 from': 151701, '75 from the': 22133, 'from the price': 337842, 'the price listed': 864382, 'price listed on': 675068, 'listed on apple': 494634, 'on apple official': 599421, 'apple official china': 82352, 'official china site': 595781, 'china site the': 176948, 'site the more': 772026, 'the more expensive': 860880, 'more expensive iphone': 539179, 'expensive iphone 11': 291257, 'iphone 11 pro': 444558, '11 pro is': 2583, 'pro is selling': 679117, 'is selling 170': 451749, 'selling 170 cheaper': 749130, 'around if': 93338, 'need retweet': 555524, 'those keeping': 892148, 'go around if': 353314, 'around if we': 93340, 'if we only': 415296, 'we only take': 972651, 'take what we': 832793, 'we need retweet': 972538, 'need retweet if': 555525, 'are thinking of': 91045, 'thinking of your': 885979, 'community and those': 189728, 'and those keeping': 74028, 'those keeping safe': 892150, 'keeping safe by': 472542, 'by shopping responsibly': 153998, 'helper you': 391144, 'the helper you': 857270, 'helper you can': 391145, 'can always find': 157477, 'always find people': 49557, 'find people who': 307177, 'life new': 488903, 'new luxury': 559075, 'luxury health': 506934, 'luxury real': 506951, 'time digital': 896559, 'digital experience': 242567, 'experience new': 291425, 'life new luxury': 488904, 'new luxury health': 559076, 'luxury health new': 506935, 'health new luxury': 386665, 'new luxury real': 559077, 'luxury real time': 506952, 'real time digital': 701405, 'time digital experience': 896560, 'digital experience new': 242569, 'experience new luxury': 291426, 'took global': 925242, 'the lockout': 859647, 'lockout at': 500523, 'op refinery': 611814, 'refinery might': 706588, 'might end': 530963, 'end lockout': 275862, 'lockout oilindustry': 500530, 'oilindustry oilandgas': 597587, 'it took global': 461802, 'took global pandemic': 925244, 'global pandemic but': 352073, 'pandemic but it': 635047, 'like the lockout': 491378, 'the lockout at': 859648, 'lockout at the': 500524, 'at the co': 100912, 'co op refinery': 184915, 'op refinery might': 611815, 'refinery might end': 706589, 'might end lockout': 530964, 'end lockout oilindustry': 275863, 'lockout oilindustry oilandgas': 500531, 'stature': 796651, 'unfounded': 941668, 'think such': 885572, 'such tweet': 816846, 'from man': 336320, 'of ur': 592683, 'ur stature': 948068, 'stature can': 796652, 'panic covid': 638023, 'is unfounded': 453494, 'think such tweet': 885573, 'such tweet from': 816847, 'tweet from man': 936367, 'from man of': 336321, 'man of ur': 512167, 'of ur stature': 592684, 'ur stature can': 948069, 'stature can create': 796653, 'can create unnecessary': 158029, 'create unnecessary panic': 215764, 'unnecessary panic covid': 942920, 'panic covid 19': 638024, '19 spread through': 10754, 'spread through food': 790844, 'through food is': 894470, 'food is unfounded': 315161, 'ktaka': 477846, 'some important': 783085, 'important story': 418975, 'karnataka no': 470959, 'income food': 432338, 'security activist': 744525, 'activist demand': 30341, 'demand safeguard': 236163, 'safeguard for': 730192, 'for ktaka': 322867, 'ktaka informal': 477847, 'here are link': 392744, 'link to some': 493946, 'to some important': 914878, 'some important story': 783087, 'important story about': 418976, 'story about covid': 811882, '19 in karnataka': 7759, 'in karnataka no': 424443, 'karnataka no income': 470960, 'no income food': 564491, 'income food security': 432339, 'food security activist': 316336, 'security activist demand': 744526, 'activist demand safeguard': 30342, 'demand safeguard for': 236164, 'safeguard for ktaka': 730193, 'for ktaka informal': 322868, 'ktaka informal sector': 477848, 'been authorized': 120709, 'authorized by': 103831, 'deliver for': 233130, 'if your supermarket': 415612, 'your supermarket refuse': 1026057, 'supermarket refuse to': 822186, 'refuse to deliver': 707033, 'to you try': 918934, 'try to find': 934627, 'out if someone': 626364, 'if someone or': 414858, 'someone or company': 784593, 'or company ha': 614778, 'company ha been': 190707, 'ha been authorized': 369728, 'been authorized by': 120710, 'authorized by your': 103832, 'by your government': 154786, 'your government to': 1024083, 'government to deliver': 360710, 'to deliver for': 904100, 'deliver for you': 233133, 'poke for': 662829, 'poke for day': 662830, 'for day socialdistancing': 320585, 'excellent time': 289116, 'pause and': 644581, 'rise what': 723065, 'experiencing we': 291719, 'fruit of': 339117, 'of reflection': 588871, 'excellent time to': 289117, 'to pause and': 911503, 'pause and realize': 644582, 'and realize that': 70005, 'realize that the': 701858, 'economy collapse and': 267762, 'collapse and price': 185970, 'good rise what': 357672, 'rise what other': 723066, 'what other society': 981980, 'iran are experiencing': 444673, 'are experiencing we': 86355, 'experiencing we are': 291720, 'at the limit': 101006, 'limit of what': 492405, 'have to live': 383241, 'with fruit of': 998575, 'fruit of reflection': 339118, 'supermarket total': 823516, 'outside waiting': 629636, 'cough first': 208472, 'the supermarket total': 868872, 'supermarket total of': 823517, 'total of people': 926214, 'people outside waiting': 649034, 'outside waiting to': 629637, 'waiting to see': 964412, 'to see who': 914099, 'see who cough': 746066, 'who cough first': 988495, '19 really': 9984, 'really scare': 702543, 'throw bottle': 895020, 'of shampoo': 589559, 'shampoo at': 754770, 'covid 19 really': 213663, '19 really scare': 9989, 'really scare me': 702544, 'scare me waiting': 740893, 'stranger throw bottle': 812496, 'throw bottle of': 895021, 'bottle of shampoo': 136296, 'of shampoo at': 589560, 'shampoo at me': 754771, 'washer': 967626, 'to idiotic': 908097, 'idiotic panicking': 413652, 'panicking caused': 639332, 'looking in': 502934, 'garage for': 343483, 'for alternative': 319218, 'alternative idea': 49233, 'idea so': 413171, 'found pressure': 330344, 'pressure washer': 671249, 'washer bidet': 967629, 'bidet stoppanicbuying': 129574, 'stoppanicbuying toiletpaperpanic': 805657, 'given the scarcity': 351153, 'scarcity of toiletpaper': 740850, 'of toiletpaper due': 592260, 'due to idiotic': 261820, 'to idiotic panicking': 908098, 'idiotic panicking caused': 413653, 'panicking caused by': 639333, 'by the ve': 154471, 'the ve been': 870658, 'been looking in': 121482, 'looking in the': 502937, 'the garage for': 856146, 'garage for alternative': 343484, 'for alternative idea': 319219, 'alternative idea so': 49234, 'idea so far': 413172, 'far ve found': 298961, 've found pressure': 953141, 'found pressure washer': 330345, 'pressure washer bidet': 671251, 'washer bidet stoppanicbuying': 967630, 'bidet stoppanicbuying toiletpaperpanic': 129575, 'message phishing': 529394, 'organization logo': 619400, 'logo say': 500834, 'text message phishing': 839911, 'message phishing fake': 529395, 'email with world': 272369, 'with world health': 1002126, 'health organization logo': 386723, 'organization logo say': 619401, 'logo say ftc': 500835, 'validity': 951933, 'brendan': 139312, '19 validity': 11729, 'validity of': 951934, 'of cmo': 581487, 'cmo brendan': 184681, 'brendan murphy': 139313, 'tested sooner': 839367, 'sooner than': 785925, 'than later': 840837, 'later australian': 481031, 'australia to be': 103408, 'than italy on': 840807, 'italy on 19': 462881, 'on 19 validity': 599038, '19 validity of': 11730, 'validity of the': 951935, 'advice of cmo': 33445, 'of cmo brendan': 581488, 'cmo brendan murphy': 184682, 'brendan murphy to': 139314, 'murphy to be': 546213, 'be tested sooner': 117562, 'tested sooner than': 839368, 'sooner than later': 785926, 'than later australian': 840838, 'later australian doctor': 481032, 'wallstreet slid': 965259, 'slid on': 773886, 'monday over': 536361, 'doubt the': 256220, 'the pact': 862855, 'pact would': 633769, 'would head': 1011902, 'oil glut': 596837, 'on wallstreet slid': 605099, 'wallstreet slid on': 965260, 'slid on monday': 773887, 'on monday over': 602181, 'monday over concern': 536362, 'over concern of': 630097, 'concern of what': 193030, 'pandemic will do': 637006, 'do to corporate': 250381, 'to corporate earnings': 903580, 'while crude price': 986729, 'crude price were': 219601, 'global deal on': 351855, 'deal on record': 229454, 'on record output': 603105, 'output cut failed': 629252, 'quell doubt the': 693443, 'doubt the pact': 256221, 'the pact would': 862856, 'pact would head': 633770, 'would head off': 1011903, 'head off an': 385778, 'off an oil': 593638, 'an oil glut': 56576, 'it disgrace': 457570, 'disgrace how': 245305, 'some asian': 782342, 'benefit themselves': 127106, 'time thursdaythoughts': 897932, 'it disgrace how': 457571, 'disgrace how some': 245306, 'how some asian': 408714, 'some asian supermarket': 782344, 'asian supermarket are': 95356, 'supermarket are putting': 819180, 'up to benefit': 946360, 'to benefit themselves': 901769, 'benefit themselves during': 127107, 'themselves during this': 876798, 'terrible time thursdaythoughts': 838448, 'and brief': 59196, 'brief wore': 139685, 'wore that': 1004681, 'everything except the': 287784, 'except the sock': 289234, 'pant and brief': 639488, 'and brief wore': 59197, 'brief wore that': 139686, 'wore that day': 1004682, 'that day youcantaskthat': 843448, 'youcantaskthat tonight at': 1022514, 'formorenews': 329687, 'egg american': 269753, 'stockpiling the': 804092, 'crisis formorenews': 217399, 'sanitizer and now': 734421, 'and now egg': 67828, 'now egg american': 574591, 'egg american are': 269754, 'american are stockpiling': 51819, 'are stockpiling the': 90528, 'stockpiling the basic': 804093, 'basic in response': 111946, 'the crisis formorenews': 852381, 'distancing amp': 246958, 'amp canada': 53496, 'social distancing amp': 779552, 'distancing amp canada': 246959, 'amp canada have': 53497, 'enjoy 10': 277118, 'discount free': 244475, 'product with': 681865, 'with flat': 998453, 'discount term': 244548, 'burden enjoy 10': 142741, 'enjoy 10 discount': 277119, '10 discount free': 1399, 'discount free shipping': 244476, 'installation hurry up': 440013, 'up and shop': 944371, 'our product with': 624486, 'product with flat': 681868, 'with flat 10': 998454, 'flat 10 discount': 310058, '10 discount term': 1402, 'discount term and': 244549, '19 circulates': 5819, 'circulates going': 178673, 'be risky': 116899, 'risky especially': 724116, 'for dying': 320891, 'disease consider': 245112, 'local chapter': 497814, 'chapter of': 173134, 'of mealsonwheels': 586362, 'covid 19 circulates': 212802, '19 circulates going': 5820, 'circulates going to': 178674, 'store isn easy': 808556, 'isn easy and': 454480, 'easy and can': 265646, 'can be risky': 157679, 'be risky especially': 116900, 'risky especially for': 724117, 'especially for group': 280483, 'for group most': 322071, 'group most at': 366772, 'risk for dying': 723545, 'for dying from': 320892, 'from the disease': 337671, 'the disease consider': 853360, 'disease consider donating': 245113, 'donating to your': 254527, 'your local chapter': 1024687, 'local chapter of': 497815, 'chapter of mealsonwheels': 173135, 'shoo': 759716, 'awareness not': 105708, 'to shoo': 914436, 'shoo the': 759717, 'virus away': 957980, 'away stayhomesavelives': 106037, 'stayhomesavelives janatacurfew': 798401, 'janatacurfew washyourhands': 464493, 'is here we': 448432, 'here we need': 393791, 'we need awareness': 972469, 'need awareness not': 554508, 'awareness not panic': 105709, 'not panic keep': 570918, 'panic keep your': 638255, 'use soap sanitizer': 949591, 'soap sanitizer to': 779114, 'sanitizer to shoo': 735946, 'to shoo the': 914437, 'shoo the virus': 759718, 'the virus away': 870800, 'virus away stayhomesavelives': 957981, 'away stayhomesavelives janatacurfew': 106038, 'stayhomesavelives janatacurfew washyourhands': 798402, 'dom': 253144, 'gta house': 367656, 'steady week': 799150, 'speak of': 787696, 'of much': 586713, 'much fewer': 544886, 'selling are': 749158, 'getting top': 349411, 'price home': 674574, 'home below': 400796, 'below sold': 126733, 'in 95': 419967, '95 dom': 23574, 'dom in': 253149, 'sold last': 781693, 'week 15': 975792, '15 dom': 3700, 'dom for': 253145, 'gta house price': 367657, 'house price still': 406506, 'price still steady': 676652, 'still steady week': 801231, 'steady week into': 799151, '19 pandemic no': 9407, 'pandemic no price': 636042, 'no price drop': 565182, 'drop to speak': 260430, 'to speak of': 914962, 'speak of much': 787698, 'of much fewer': 586714, 'much fewer home': 544887, 'fewer home sale': 304216, 'home sale the': 402008, 'sale the home': 732571, 'the home that': 857456, 'home that are': 402214, 'are selling are': 89949, 'selling are still': 749159, 'still getting top': 800568, 'getting top price': 349412, 'top price home': 925672, 'price home below': 674575, 'home below sold': 400797, 'below sold in': 126734, 'sold in 95': 781682, 'in 95 dom': 419968, '95 dom in': 23575, 'dom in 2018': 253150, '2018 and sold': 13873, 'and sold last': 71938, 'sold last week': 781694, 'last week 15': 480626, 'week 15 dom': 975793, '15 dom for': 3701, 'dom for higher': 253146, 'for higher price': 322265, 'someone bump': 784392, 'when someone bump': 984053, 'someone bump into': 784393, 'bump into me': 142568, 'into me at': 442747, 'these next': 880344, '24 first': 15592, 'class ticket': 180274, 'price looking': 675096, 'this got these': 887731, 'got these next': 358931, 'these next day': 880345, 'next day le': 561332, 'day le than': 227888, 'le than 24': 483158, 'than 24 first': 840207, '24 first class': 15593, 'first class ticket': 308576, 'class ticket price': 180275, 'ticket price looking': 895650, 'price looking lovely': 675098, 'not sorted': 571656, 'sorted home': 786175, 'for 5m': 318880, '5m vunerable': 20779, 'vunerable adult': 961302, 'for 12weeks': 318646, '12weeks all': 3141, 'database in': 226518, 'in meantime': 425213, 'meantime relative': 524929, 'risking going': 724072, 'supermarket still not': 822958, 'still not sorted': 800905, 'not sorted home': 571657, 'sorted home delivery': 786176, 'delivery for 5m': 234016, 'for 5m vunerable': 318881, '5m vunerable adult': 20780, 'vunerable adult in': 961303, 'isolation for 12weeks': 455268, 'for 12weeks all': 318647, '12weeks all blame': 3142, 'all blame government': 42189, 'blame government for': 132263, 'for not providing': 323934, 'providing the database': 687108, 'the database in': 852855, 'database in meantime': 226519, 'in meantime relative': 425214, 'meantime relative are': 524930, 'relative are risking': 708718, 'are risking going': 89725, 'risking going shopping': 724073, 'occupation': 578998, 'whether first': 985510, 'requires major': 713474, 'paid occupation': 634096, 'whether first responder': 985511, 'it requires major': 460727, 'requires major crisis': 713475, 'lower paid occupation': 505936, 'source for': 786480, 'be prudent': 116610, 'prudent but': 687355, 'stop freaking': 804669, 'fact out': 295772, 'great source for': 363000, 'source for covid': 786481, 'daily be prudent': 224516, 'be prudent but': 116611, 'prudent but stop': 687356, 'but stop freaking': 147192, 'stop freaking out': 804670, 'freaking out there': 331550, 'there is way': 878652, 'is way more': 453792, 'way more noise': 969709, 'than fact out': 840634, 'fact out there': 295773, 'out there this': 627519, 'there this is': 879170, 'may survive': 521548, '2020 physically': 14512, 'physically but': 655510, 'survive financially': 829164, 'swear do': 830023, 'delivered three': 233419, 'shoe to': 759688, 'may survive covid': 521550, 'of 2020 physically': 579502, '2020 physically but': 14513, 'physically but will': 655511, 'not survive financially': 571875, 'survive financially this': 829165, 'is hard for': 448302, 'for me and': 323305, 'and swear do': 72923, 'swear do not': 830024, 'happened but today': 377232, 'today they delivered': 920319, 'they delivered three': 881885, 'delivered three pair': 233420, 'of shoe to': 589615, 'shoe to me': 759689, 'to me online': 909947, 'way to deal': 970009, 'perpetrated': 652215, 'stop scam': 804979, 'being perpetrated': 125541, 'perpetrated by': 652216, 'who look': 989229, 'need stay': 555633, 'related issue': 708465, 'issue visit': 455986, 'related scam my': 708554, 'office is working': 595465, 'diligently to stop': 242883, 'to stop scam': 915566, 'stop scam being': 804982, 'scam being perpetrated': 740080, 'being perpetrated by': 125542, 'perpetrated by those': 652217, 'those who look': 892652, 'who look to': 989230, 'look to take': 502640, 'advantage of in': 33009, 'in their time': 429785, 'their time of': 874989, 'of need stay': 586916, 'need stay safe': 555634, 'safe and for': 729447, '19 consumer related': 5978, 'consumer related issue': 198675, 'related issue visit': 708467, 'guitarsolo': 368604, 'shred': 767658, 'mall parking': 511814, 'how everybody': 407817, 'everybody please': 286478, 'comment guitar': 188420, 'guitar guitarsolo': 368600, 'guitarsolo shred': 368605, 'shred metal': 767659, 'metal rock': 529656, 'rock quarantine': 724916, 'the supermarket go': 868611, 'supermarket go all': 820529, 'go all around': 353263, 'around the mall': 93544, 'the mall parking': 859967, 'mall parking this': 511815, 'parking this is': 642125, 'is crazy how': 446895, 'crazy how everybody': 215319, 'how everybody please': 407818, 'everybody please comment': 286479, 'please comment guitar': 659803, 'comment guitar guitarsolo': 188421, 'guitar guitarsolo shred': 368601, 'guitarsolo shred metal': 368606, 'shred metal rock': 767660, 'metal rock quarantine': 529657, 'my right': 549950, 'with event': 998269, 'cancellation or': 161044, 'product skyrocketing': 681626, 'skyrocketing check': 773414, 'before calling': 122686, 'calling your': 156646, 'your provider': 1025464, 'right be': 721801, 'kind whoever': 475028, 're cancelling': 698412, 'cancelling with': 161227, 'having horrendous': 384108, 'horrendous time': 404086, 'what are my': 981061, 'are my right': 88181, 'my right with': 549952, 'right with event': 722432, 'with event travel': 998270, 'travel cancellation or': 930311, 'cancellation or price': 161045, 'or price of': 616694, 'price of in': 675475, 'demand product skyrocketing': 236088, 'product skyrocketing check': 681627, 'skyrocketing check here': 773415, 'check here before': 174460, 'here before calling': 392814, 'before calling your': 122687, 'calling your provider': 156647, 'your provider for': 1025465, 'provider for better': 686718, 'for better idea': 319657, 'idea of your': 413141, 'of your right': 593519, 'your right be': 1025630, 'right be kind': 721802, 'be kind whoever': 115636, 'kind whoever you': 475029, 'whoever you re': 990130, 'you re cancelling': 1020585, 're cancelling with': 698414, 'cancelling with is': 161228, 'with is bound': 999044, 'bound to be': 136857, 'be having horrendous': 115156, 'having horrendous time': 384109, 'your postal': 1025362, 'postal delivery': 666437, '19 impact your': 7718, 'impact your postal': 418060, 'your postal delivery': 1025363, 'tell donald': 836943, 'donald that': 254101, 'cheap gas': 174117, 'anyone right': 80493, 'in literally': 424796, 'be cheering': 114081, 'cheering abt': 175142, 'abt low': 27534, 'someone tell donald': 784676, 'tell donald that': 836944, 'donald that cheap': 254102, 'that cheap gas': 843207, 'cheap gas price': 174119, 'gas price doe': 343951, 'doe not help': 251500, 'not help anyone': 569924, 'help anyone right': 389374, 'anyone right now': 80494, 'right now bc': 722030, 'now bc we': 574189, 'bc we are': 113308, 'are in literally': 87408, 'in literally no': 424797, 'literally no one': 495046, 'one is going': 606509, 'to be cheering': 901163, 'be cheering abt': 114082, 'cheering abt low': 175143, 'abt low gas': 27535, 'am seriously': 50378, 'opening retail': 612897, 'covid got': 214161, 'still dr': 800462, 'dr cody': 257988, 'cody say': 185433, 'say surge': 739199, 'since vaccine': 770961, 'way off': 969774, 'point everyone': 662479, 'am seriously thinking': 50379, 'thinking of just': 885964, 'just opening retail': 469396, 'opening retail store': 612898, 'that is called': 844564, 'is called covid': 446346, 'called covid got': 156298, 'covid got it': 214162, 'got it still': 358651, 'it still dr': 461249, 'still dr cody': 800463, 'dr cody say': 257989, 'cody say surge': 185434, 'say surge in': 739200, 'in case is': 421262, 'case is coming': 165828, 'is coming and': 446650, 'coming and that': 187988, 'and that since': 73209, 'that since vaccine': 846326, 'since vaccine is': 770962, 'vaccine is still': 951729, 'long way off': 501824, 'way off at': 969775, 'off at some': 593670, 'some point everyone': 783586, 'point everyone is': 662480, 'everyone is likely': 287084, '19 yes it': 12249, 'yes it would': 1015470, 'would be online': 1011626, 'humorous': 410938, 'right an': 721748, 'american citizen': 51865, 'free speech': 332188, 'speech but': 788388, 'massive death': 520005, 'death or': 230153, 'in humorous': 423915, 'humorous fashion': 410939, 'fashion in': 299815, 'your right an': 1025627, 'right an american': 721749, 'an american citizen': 55284, 'american citizen to': 51867, 'citizen to free': 178984, 'to free speech': 906239, 'free speech but': 332189, 'speech but if': 788389, 're walking around': 699776, 'walking around in': 965024, 'around in public': 93348, 'public place like': 688233, 'place like grocery': 657554, 'store perhaps and': 809504, 'talking about massive': 833980, 'about massive death': 25707, 'massive death or': 520006, 'death or the': 230154, 'or the end': 617374, 'end of all': 275889, 'all mankind in': 43453, 'mankind in humorous': 513270, 'in humorous fashion': 423916, 'humorous fashion in': 410940, 'fashion in front': 299816, 'front of child': 338636, 'of child you': 581350, 'child you are': 176281, 'are an asshole': 84531, 'claim and': 179694, 'scam this': 740408, 'commission offer': 188866, 'prevent older': 671674, 'adult from': 32822, 'being scammed': 125717, 'scammed during': 740508, 'this hectic': 887888, 'hectic time': 388713, 'older adult are': 598563, 'adult are particularly': 32802, 'to fraudulent covid': 906229, '19 claim and': 5826, 'claim and scam': 179695, 'and scam this': 71034, 'scam this new': 740409, 'this new resource': 889124, 'new resource from': 559471, 'trade commission offer': 928452, 'commission offer tip': 188867, 'to prevent older': 912075, 'prevent older adult': 671675, 'older adult from': 598565, 'adult from being': 32823, 'from being scammed': 334682, 'being scammed during': 125719, 'scammed during this': 740509, 'during this hectic': 263292, 'this hectic time': 887889, 'let me find': 486898, 'me find out': 522732, 'find out grocery': 307139, 'the democratic': 853123, 'primary well': 678091, 'well emergency': 978220, 'thanked for the': 841873, 'for the success': 326710, 'of the democratic': 590942, 'the democratic primary': 853124, 'democratic primary well': 236767, 'primary well emergency': 678092, 'well emergency room': 978221, 'emergency room and': 272936, 'room and grocery': 725875, 'during the spread': 263197, 'of the he': 591095, 'the he say': 857158, 'propertyprices': 684392, 'ukproperty': 939034, 'housingsupply': 407182, 'epidemic harm': 279376, 'harm uk': 378421, 'uk propertyprices': 938650, 'propertyprices ukproperty': 684393, 'ukproperty housingsupply': 939035, 'will the epidemic': 995138, 'the epidemic harm': 854438, 'epidemic harm uk': 279377, 'harm uk propertyprices': 378422, 'uk propertyprices ukproperty': 938651, 'propertyprices ukproperty housingsupply': 684394, 'internetretailing': 442066, 'today internetretailing': 919712, 'internetretailing newsletter': 442067, 'newsletter we': 561046, 're reporting': 699379, 'coronavirus continue': 205694, 'felt on': 303435, 'retail onlineshopping': 718348, 'in today internetretailing': 430158, 'today internetretailing newsletter': 919713, 'internetretailing newsletter we': 442068, 'newsletter we re': 561047, 'we re reporting': 972951, 're reporting the': 699381, 'reporting the effect': 712768, '19 coronavirus continue': 6096, 'coronavirus continue to': 205695, 'be felt on': 114828, 'felt on uk': 303436, 'on uk retail': 604949, 'uk retail onlineshopping': 938675, 'tokyo it': 923493, 'seems this': 746872, 'week increase': 976393, 'sending many': 750041, 'in tokyo it': 430181, 'tokyo it seems': 923494, 'it seems this': 460957, 'seems this week': 746874, 'this week increase': 891225, 'week increase in': 976394, 'case is sending': 165832, 'is sending many': 451769, 'sending many people': 750042, 'many people into': 514514, 'people into panic': 648504, 'into panic shopping': 442845, 'ukcovidlunacy': 938929, 'avoids': 105508, 'ukcovidlunacy sars': 938930, 'cov2 socialdistancing': 212150, 'socialdistancing the': 780791, 'the 2pm': 848080, '2pm update': 16851, 'is six': 451951, 'six hour': 772652, 'hour late': 405725, 'late how': 480877, 'how convenient': 407604, 'convenient that': 202421, 'pm avoids': 661865, 'avoids them': 105513, 'market close': 516175, '20 00hrs': 12864, '00hrs wager': 683, 'wager that': 964014, 'ukcovidlunacy sars cov2': 938931, 'sars cov2 socialdistancing': 736813, 'cov2 socialdistancing the': 212151, 'socialdistancing the 2pm': 780792, 'the 2pm update': 848081, '2pm update is': 16852, 'update is six': 947042, 'is six hour': 451952, 'six hour late': 772653, 'hour late how': 405726, 'late how convenient': 480878, 'how convenient that': 407605, 'convenient that the': 202422, 'the pm avoids': 863876, 'pm avoids them': 661866, 'avoids them the': 105514, 'them the market': 876389, 'the market close': 860097, 'market close at': 516176, 'close at 20': 182554, 'at 20 00hrs': 97496, '20 00hrs wager': 12865, '00hrs wager that': 684, 'wager that this': 964016, 'buying situation': 151036, 'situation wa': 772561, 'anything yet': 80957, 'yet never': 1016160, 'get alcohol': 346515, 'it sars': 460867, 'cov update': 212132, 'you thought the': 1021720, 'thought the panic': 893247, 'panic buying situation': 637888, 'buying situation wa': 151037, 'situation wa bad': 772562, 'wa bad you': 961632, 'bad you haven': 108093, 'you haven seen': 1019155, 'haven seen anything': 383881, 'seen anything yet': 746951, 'anything yet never': 80958, 'yet never mind': 1016161, 'mind the food': 532741, 'the food what': 855622, 'what do we': 981354, 'do when we': 250529, 'cannot get alcohol': 161868, 'get alcohol to': 346516, 'alcohol to help': 41150, 'through it sars': 894540, 'it sars cov': 460868, 'sars cov update': 736806, 'cov update 19': 212133, 'update 19 panicbuy': 946832, 'at doe': 98469, 'taken yesterday': 833127, 'at location': 99613, 'location credit': 498881, 'credit howard': 216407, 'howard fine': 409315, 'at doe not': 98470, 'doe not pay': 251515, 'not pay off': 570980, 'pay off this': 645015, 'off this picture': 594309, 'wa taken yesterday': 963399, 'taken yesterday at': 833128, 'yesterday at location': 1015683, 'at location credit': 99615, 'location credit howard': 498882, 'credit howard fine': 216408, 'tottering': 926432, 'impedance': 418305, 'with economy': 998179, 'of nation': 586857, 'nation tottering': 552353, 'tottering china': 926433, 'buy company': 148504, 'bargain market': 111057, 'amp fuel': 53849, 'drop china': 260153, 'also hope': 48368, 'cause impedance': 167605, 'impedance to': 418306, 'election by': 271022, 'setting back': 753623, 'back trump': 107422, 'trump economic': 933535, 'recovery programme': 705390, 'with economy of': 998180, 'economy of nation': 268113, 'of nation tottering': 586858, 'nation tottering china': 552354, 'tottering china can': 926434, 'china can now': 176539, 'now buy company': 574300, 'buy company amp': 148505, 'company amp oil': 190369, 'amp oil at': 54215, 'oil at bargain': 596627, 'at bargain market': 98089, 'bargain market amp': 111058, 'market amp fuel': 515941, 'amp fuel price': 53850, 'fuel price drop': 340226, 'price drop china': 673563, 'drop china can': 260154, 'china can also': 176538, 'can also hope': 157461, 'also hope to': 48369, 'hope to cause': 403737, 'to cause impedance': 902535, 'cause impedance to': 167606, 'impedance to trump': 418307, 'to trump re': 917803, 'trump re election': 933781, 're election by': 698594, 'election by setting': 271023, 'by setting back': 153951, 'setting back trump': 753624, 'back trump economic': 107423, 'trump economic recovery': 933536, 'economic recovery programme': 267237, 'harmonicretail': 378474, 'retailevolution': 719440, 'retailchanges': 718930, 'retailexperience': 719443, 'coming is': 188116, 'brand ready': 137984, 'ready harmonicretail': 700886, 'harmonicretail retailevolution': 378475, 'retailevolution retail': 719441, 'retailing retailnews': 719479, 'retailnews retailchanges': 719529, 'retailchanges retailexperience': 718931, 'retailexperience instoreexperience': 719444, 'instoreexperience brickandmortar': 440511, 'change are coming': 171930, 'are coming is': 85438, 'coming is your': 188117, 'is your brand': 454136, 'your brand ready': 1023018, 'brand ready harmonicretail': 137985, 'ready harmonicretail retailevolution': 700887, 'harmonicretail retailevolution retail': 378476, 'retailevolution retail retailing': 719442, 'retail retailing retailnews': 718476, 'retailing retailnews retailchanges': 719480, 'retailnews retailchanges retailexperience': 719530, 'retailchanges retailexperience instoreexperience': 718932, 'retailexperience instoreexperience brickandmortar': 719445, 'can go get': 158496, 'go get no': 353613, 'cattle gridlock': 167350, 'gridlock eu': 363899, 'border delay': 135240, 'delay add': 232664, 'coronavirus strain': 206837, 'meat trade': 525784, 'cattle gridlock eu': 167351, 'gridlock eu border': 363900, 'eu border delay': 283203, 'border delay add': 135241, 'delay add to': 232665, 'add to coronavirus': 31517, 'to coronavirus strain': 903568, 'coronavirus strain on': 206838, 'strain on meat': 812291, 'on meat trade': 602090, 'more chaotic': 538801, 'animal nature': 76632, 'emerged and': 272554, 'individual begin': 435143, 'are becoming more': 84804, 'becoming more and': 120320, 'and more chaotic': 67156, 'more chaotic the': 538802, 'chaotic the animal': 173102, 'the animal nature': 848747, 'animal nature of': 76633, 'survival ha emerged': 829040, 'ha emerged and': 370477, 'emerged and individual': 272555, 'and individual begin': 65159, 'individual begin to': 435144, 'begin to hoard': 123584, 'called mum': 156380, 'dad in': 224346, 'uk over': 938600, '70 they': 21844, 'but offered': 146641, 'might sometimes': 531122, 'sometimes forget': 785204, 'always easy': 49538, 'easy do': 265688, 'me tech': 523582, 'tech can': 836051, 'really useful': 702686, 'just called mum': 468414, 'called mum and': 156381, 'mum and dad': 545872, 'and dad in': 60900, 'dad in uk': 224348, 'in uk over': 430394, 'uk over 70': 938601, 'over 70 they': 629921, '70 they are': 21845, 'they are great': 881289, 'great but offered': 362551, 'but offered help': 146642, 'shopping etc we': 762586, 'etc we might': 282862, 'we might sometimes': 972376, 'might sometimes forget': 531123, 'sometimes forget that': 785205, 'forget that this': 329296, 'not always easy': 568177, 'always easy do': 49539, 'easy do the': 265689, 'you are far': 1017121, 'are far from': 86485, 'far from your': 298786, 'your parent like': 1025203, 'parent like me': 641675, 'like me tech': 490754, 'me tech can': 523583, 'tech can be': 836052, 'can be really': 157673, 'be really useful': 116718, 'really useful 19': 702687, 'sprawling': 790246, 'supply meat': 825552, 'staple are': 793906, 'redirect the': 705715, 'nation sprawling': 552312, 'sprawling food': 790249, 'that supply meat': 846585, 'supply meat vegetable': 825553, 'vegetable and other': 953928, 'other staple are': 620955, 'staple are struggling': 793910, 'struggling to redirect': 814515, 'to redirect the': 913010, 'redirect the nation': 705716, 'the nation sprawling': 861264, 'nation sprawling food': 552313, 'sprawling food supply': 790250, 'chain to meet': 171195, 'eu there': 283281, 'there bulk': 878257, 'bulk purchasing': 142348, 'purchasing arrangement': 689833, 'thing rather': 884703, 'having state': 384283, 'state compete': 795467, 'other which': 621202, 'is inefficient': 448889, 'inefficient and': 436307, 'push up': 690336, 'the eu there': 854567, 'eu there bulk': 283282, 'there bulk purchasing': 878258, 'bulk purchasing arrangement': 142349, 'purchasing arrangement for': 689834, 'arrangement for ppe': 93717, 'and ventilator the': 74921, 'ventilator the federal': 954621, 'federal government should': 302002, 'be doing the': 114532, 'same thing rather': 733338, 'thing rather than': 884704, 'rather than having': 697528, 'than having state': 840737, 'having state compete': 384284, 'state compete against': 795468, 'each other which': 264235, 'other which is': 621203, 'which is inefficient': 986020, 'is inefficient and': 448890, 'inefficient and just': 436308, 'and just push': 65714, 'just push up': 469519, 'push up price': 690339, 'up price pandemic': 945829, 'queue here': 693942, '8am still': 23152, 'of bullshit': 580931, 'having to do': 384341, 'weekly shopping at': 977564, 'shopping at 7am': 762080, 'at 7am and': 97747, '7am and queue': 22411, 'and queue here': 69870, 'queue here at': 693943, 'here at 8am': 392779, 'at 8am still': 97786, '8am still cannot': 23153, 'cannot get everything': 161885, 'everything need this': 287928, 'need this country': 555813, 'country is full': 210802, 'full of bullshit': 340703, 'all hear': 43084, 'hear is': 387941, 'store understand': 810993, 'going so': 355462, 'often white': 596303, 'house covid': 406252, '19 coordinator': 6037, 'all hear is': 43085, 'hear is people': 387942, 'is people still': 450842, 'people still going': 649594, 'the store understand': 868133, 'store understand you': 810994, 'understand you need': 940830, 'go but stop': 353387, 'but stop going': 147193, 'stop going so': 804690, 'going so often': 355463, 'so often white': 777934, 'often white house': 596304, 'white house covid': 987847, 'house covid 19': 406253, 'covid 19 coordinator': 212861, '19 coordinator don': 6038, 'multiplication': 545815, '19 climate': 5843, 'insecurity threat': 439180, 'threat multiplication': 893678, 'multiplication in': 545816, 'action pasta': 30108, 'rice running': 721127, 'low massive': 505403, 'massive stockpiling': 520128, 'stockpiling drain': 803945, 'drain drought': 258210, 'drought decimated': 260763, 'decimated supply': 230989, 'demand climate': 235142, 'covid 19 climate': 212810, '19 climate crisis': 5845, 'climate crisis food': 182214, 'food insecurity threat': 315073, 'insecurity threat multiplication': 439181, 'threat multiplication in': 893679, 'multiplication in action': 545817, 'in action pasta': 420015, 'action pasta rice': 30109, 'pasta rice running': 643798, 'rice running low': 721128, 'running low massive': 728001, 'low massive stockpiling': 505404, 'massive stockpiling drain': 520129, 'stockpiling drain drought': 803946, 'drain drought decimated': 258211, 'drought decimated supply': 260764, 'decimated supply like': 230990, 'like food demand': 490261, 'food demand climate': 314167, 'demand climate action': 235143, 'asic': 95390, 'financialsystem': 306717, 'already asic': 47195, 'asic ha': 95391, 'issued some': 456088, 'for organisation': 324163, 'organisation within': 619293, 'corporate market': 207307, 'market financial': 516385, 'credit industry': 216411, 'integrity and': 440952, 'australia financialsystem': 103278, 'haven seen it': 383885, 'seen it already': 747100, 'it already asic': 456411, 'already asic ha': 47196, 'asic ha issued': 95392, 'ha issued some': 371006, 'issued some good': 456090, 'some good information': 782967, 'good information for': 357269, 'information for organisation': 437830, 'for organisation within': 324164, 'organisation within the': 619294, 'within the corporate': 1002431, 'the corporate market': 851956, 'corporate market financial': 207308, 'market financial service': 516386, 'financial service and': 306581, 'service and consumer': 752078, 'and consumer credit': 60366, 'consumer credit industry': 197019, 'credit industry to': 216413, 'help maintain the': 390029, 'maintain the integrity': 509061, 'the integrity and': 858335, 'integrity and stability': 440953, 'and stability of': 72177, 'stability of australia': 791821, 'of australia financialsystem': 580453, 'for who': 327858, 'test monthly': 839087, 'hd film': 384684, 'film adult': 305660, 'have amazing and': 379230, 'amazing and cheap': 50641, 'and cheap deal': 59776, 'deal for who': 229407, 'for who is': 327860, 'who is coming': 989064, 'is coming to': 446668, 'coming to help': 188221, 'help you test': 391001, 'you test monthly': 1021550, 'test monthly annual': 839088, 'football hd film': 318492, 'hd film adult': 384685, 'film adult cinema': 305661, 'russia rose': 728552, 'march this': 515492, 'ruble crash': 727014, 'report that food': 712320, 'that food price': 843914, 'price in russia': 674727, 'in russia rose': 427591, 'russia rose in': 728553, 'rose in march': 726073, 'in march this': 425123, 'march this happened': 515493, 'happened after panic': 377217, 'and the ruble': 73559, 'the ruble crash': 866029, 'list new': 494400, 'new nonsense': 559136, 'nonsense method': 566736, 'method check': 529767, 'more visible': 540917, 'visible price': 959139, 'new price list': 559342, 'price list new': 675063, 'list new nonsense': 494401, 'new nonsense method': 559137, 'nonsense method check': 566737, 'method check out': 529768, 'out our facebook': 626974, 'page for more': 633849, 'for more visible': 323607, 'more visible price': 540918, 'viciously': 956442, 'trump viciously': 933949, 'viciously attack': 956443, 'attack nbc': 102129, 'nbc news': 553236, 'news reporter': 560753, 'in extended': 422738, 'extended rant': 293181, 'rant after': 696842, 'for message': 323414, 'american worried': 52324, 'who pandemic': 989402, 'trump viciously attack': 933950, 'viciously attack nbc': 956444, 'attack nbc news': 102130, 'nbc news reporter': 553238, 'news reporter in': 560754, 'reporter in extended': 712620, 'in extended rant': 422739, 'extended rant after': 293182, 'rant after being': 696843, 'after being asked': 35399, 'being asked for': 124865, 'asked for message': 95747, 'for message to': 323415, 'message to american': 529447, 'to american worried': 900423, 'american worried about': 52325, 'about coronavirus who': 25035, 'coronavirus who pandemic': 207077, 'who pandemic panicbuying': 989403, 'pandemic panicbuying supermarket': 636159, 'what fda': 981447, 'maybe don panic': 521665, 'don panic about': 253792, 'panic about this': 637262, 'about this one': 26650, 'this one here': 889238, 'one here what': 606422, 'here what fda': 393805, 'what fda say': 981448, 'wisconsinprimary': 996648, 'oak': 578255, 'wisconsinprimary voted': 996649, 'voted easy': 960550, 'easy in': 265716, 'in oak': 426041, 'oak creek': 578256, 'creek there': 216613, 'le socialdistancing': 483130, 'or park': 616504, 'station stop': 796514, 'the hysteria': 857799, 'wisconsinprimary voted easy': 996650, 'voted easy in': 960551, 'easy in oak': 265717, 'in oak creek': 426042, 'oak creek there': 578257, 'creek there is': 216614, 'there is le': 878580, 'is le socialdistancing': 449250, 'le socialdistancing in': 483131, 'store or park': 809358, 'or park than': 616505, 'park than at': 641996, 'at the polling': 101053, 'polling station stop': 663882, 'station stop the': 796515, 'stop the hysteria': 805136, 'the hysteria fakenews': 857801, 'thatcherism': 847789, 'had 40': 372807, 'of thatcherism': 590755, 'thatcherism and': 847790, 'the alright': 848599, 'alright jack': 47779, 'jack outlook': 464114, 'outlook wa': 629193, 'now shortage': 575814, 'their tea': 874950, 'tea because': 835340, 'uk we ve': 938874, 've had 40': 953215, 'had 40 year': 372808, '40 year of': 18699, 'year of thatcherism': 1014795, 'of thatcherism and': 590756, 'thatcherism and the': 847791, 'and the alright': 73241, 'the alright jack': 848600, 'alright jack outlook': 47780, 'jack outlook wa': 464115, 'outlook wa talking': 629194, 'talking to one': 834049, 'of the staff': 591486, 'and they said': 73935, 'they said that': 883246, 'said that there': 731415, 'there is now': 878601, 'is now shortage': 450336, 'now shortage of': 575815, 'shortage of baby': 765100, 'baby milk because': 106660, 'milk because people': 531587, 'now buying it': 574311, 'buying it to': 150607, 'it to put': 461745, 'in their tea': 429782, 'their tea because': 874951, 'vicar': 956420, 'coronavirus chronicle': 205651, 'chronicle day': 178255, 'day 33': 227143, '33 boarded': 17750, 'on vicar': 605045, 'vicar lane': 956421, 'in leeds': 424665, 'leeds sainsburys': 485338, 'sainsburys lockdown': 731768, 'lockdown leeds': 499587, 'coronavirus chronicle day': 205652, 'chronicle day 33': 178256, 'day 33 boarded': 227144, '33 boarded up': 17751, 'boarded up supermarket': 133687, 'up supermarket on': 946097, 'supermarket on vicar': 821740, 'on vicar lane': 605046, 'vicar lane in': 956422, 'lane in leeds': 479458, 'in leeds sainsburys': 424666, 'leeds sainsburys lockdown': 485339, 'sainsburys lockdown leeds': 731769, 'marketing initiative': 517626, 'initiative are': 438607, 'being constrained': 124985, 'constrained or': 195760, 'or paused': 616521, 'paused due': 644633, 'cut online': 223457, 'are leveraging': 87774, 'leveraging the': 487811, 'effective value': 269324, 'of affiliatemarketing': 579812, 'affiliatemarketing ever': 34629, 'ever more': 285421, 'help reach': 390406, 'reach today': 700006, 'today consumer': 919404, 'fuel online': 340211, 'digital marketing initiative': 242599, 'marketing initiative are': 517627, 'initiative are being': 438608, 'are being constrained': 84840, 'being constrained or': 124986, 'constrained or paused': 195761, 'or paused due': 616522, 'paused due to': 644634, 'to budget cut': 902076, 'budget cut online': 141772, 'cut online retailer': 223458, 'retailer are leveraging': 719006, 'are leveraging the': 87775, 'leveraging the cost': 487812, 'the cost effective': 851982, 'cost effective value': 207920, 'effective value of': 269325, 'value of affiliatemarketing': 952156, 'of affiliatemarketing ever': 579813, 'affiliatemarketing ever more': 34630, 'ever more to': 285423, 'to help reach': 907601, 'help reach today': 390407, 'reach today consumer': 700007, 'today consumer and': 919405, 'consumer and fuel': 196211, 'and fuel online': 63390, 'fuel online revenue': 340212, 'online revenue growth': 608892, 'feel surreal': 302868, 'surreal to': 828678, 'writing at': 1012891, 'and slowly': 71761, 'slowly increasing': 774607, 'increasing covid': 433572, 'toll but': 923837, 'but writing': 147949, 'writing am': 1012885, 'am almost': 49861, 'guilty escaping': 368553, 'escaping into': 280328, 'my imagination': 548822, 'imagination where': 416685, 'my character': 547663, 'character make': 173158, 'laugh hope': 481729, 'managing too': 512913, 'too amwriting': 924574, 'it feel surreal': 457976, 'feel surreal to': 302869, 'surreal to be': 828679, 'to be writing': 901642, 'be writing at': 118164, 'writing at the': 1012892, 'moment with lockdown': 536129, 'lockdown and run': 499151, 'and run on': 70636, 'supermarket and slowly': 819065, 'and slowly increasing': 71762, 'slowly increasing covid': 774608, 'increasing covid 19': 433573, 'covid 19 toll': 213964, '19 toll but': 11505, 'toll but writing': 923838, 'but writing am': 147950, 'writing am almost': 1012886, 'am almost feel': 49862, 'almost feel guilty': 46645, 'feel guilty escaping': 302659, 'guilty escaping into': 368554, 'escaping into my': 280329, 'into my imagination': 442782, 'my imagination where': 548824, 'imagination where my': 416686, 'where my character': 985040, 'my character make': 547664, 'character make me': 173159, 'me laugh hope': 523058, 'laugh hope everyone': 481730, 'hope everyone else': 403460, 'else is managing': 271758, 'is managing too': 449570, 'managing too amwriting': 512914, 'hey etc': 394365, 'there why': 879353, 'protected and': 685119, 'and compensated': 60213, 'compensated for': 191541, 'risk near': 723704, 'near min': 553547, 'wage no': 963927, 'protection essential': 685422, 're about': 698171, 'get very': 348584, 'sick for': 768449, 'hey etc not': 394366, 'etc not one': 282676, 'not one but': 570759, 'one but if': 606023, 'but if grocery': 145990, 'are essential service': 86255, 'service and need': 752099, 'be there why': 117686, 'there why are': 879354, 'are they not': 91011, 'they not protected': 882791, 'not protected and': 571129, 'protected and compensated': 685120, 'and compensated for': 60214, 'compensated for their': 191542, 'for their risk': 326865, 'their risk near': 874596, 'risk near min': 723705, 'near min wage': 553548, 'min wage no': 532589, 'wage no protection': 963929, 'no protection essential': 565229, 'protection essential they': 685423, 'essential they re': 281677, 'they re about': 882986, 're about to': 698172, 'to get very': 906638, 'get very sick': 348586, 'very sick for': 955533, 'shopping toilet': 764222, 'after shit': 36200, 'is sorted': 452132, 'sorted we': 786177, 'be bloody': 113876, 'bloody battling': 133177, 'with pile': 1000217, 'pile and': 656485, 'and obesity': 67919, 'are panic shopping': 88961, 'panic shopping toilet': 638591, 'shopping toilet tissue': 764223, 'and food after': 63025, 'food after shit': 313046, 'after shit is': 36201, 'shit is sorted': 759149, 'is sorted we': 452133, 'sorted we are': 786178, 'to be bloody': 901134, 'be bloody battling': 113877, 'bloody battling with': 133178, 'battling with pile': 112890, 'with pile and': 1000218, 'pile and obesity': 656486, 'tcm': 835284, 'kathy': 471043, 'bates': 112586, 'got from': 358574, 'can deal': 158037, 'quarantine netflix': 692387, 'netflix book': 557599, 'book cleaning': 134500, 'cleaning tcm': 181094, 'tcm craft': 835285, 'craft ask': 214756, 'week turn': 977127, 'into kathy': 442685, 'kathy bates': 471044, 'bates in': 112587, 'in misery': 425367, 'misery chinavirus': 534007, 'is all got': 445459, 'all got from': 42988, 'got from the': 358575, 'it is ok': 459027, 'ok with me': 597947, 'with me so': 999451, 'me so far': 523490, 'far can deal': 298741, 'can deal with': 158038, 'with the self': 1001471, 'self quarantine netflix': 747863, 'quarantine netflix book': 692388, 'netflix book cleaning': 557600, 'book cleaning tcm': 134501, 'cleaning tcm craft': 181095, 'tcm craft ask': 835286, 'craft ask me': 214757, 'ask me in': 95582, 'me in few': 522962, 'few day week': 303796, 'day week turn': 228703, 'week turn into': 977128, 'turn into kathy': 935691, 'into kathy bates': 442686, 'kathy bates in': 471045, 'bates in misery': 112588, 'in misery chinavirus': 425368, 'can break': 157790, 'break even': 138718, 'even or': 284439, 'simple he': 770036, 'quote came': 694985, 'came during': 156989, 'trump can figure': 933465, 'can figure out': 158301, 'why the postal': 991429, 'postal service can': 666445, 'service can break': 752204, 'can break even': 157792, 'break even or': 138719, 'even or make': 284440, 'make money it': 510184, 'money it simple': 536860, 'it simple he': 461058, 'simple he say': 770037, 'he say they': 385400, 'say they should': 739348, 'they should just': 883372, 'should just raise': 766162, 'just raise price': 469545, 'raise price this': 695930, 'price this quote': 676920, 'this quote came': 889793, 'quote came during': 694986, 'came during his': 156990, 'during his covid': 262692, 'splitting': 789670, 'by data': 152291, 'data manager': 226294, 'manager splitting': 512789, 'splitting up': 789671, 'up data': 944690, 'can help fight': 158618, '19 by data': 5554, 'by data manager': 152292, 'data manager splitting': 226295, 'manager splitting up': 512790, 'splitting up data': 789672, 'up data price': 944691, 'data price and': 226351, 'price and package': 672490, 'and package so': 68612, 'package so to': 633400, 'so to reduce': 778542, 'reduce the pain': 705971, 'pain of self': 634241, 'myus': 551075, 'internationalshipping': 441890, 'and myus': 67402, 'myus are': 551076, 'shutdown shop': 768091, 'ship internationally': 758686, 'internationally with': 441888, 'with myus': 999665, 'myus internationalshipping': 551078, 'internationalshipping myus': 441891, 'these store and': 880734, 'store and myus': 806300, 'and myus are': 67403, 'myus are open': 551077, 'open for shopping': 612260, 'the coronavirus shutdown': 851913, 'coronavirus shutdown shop': 206768, 'shutdown shop from': 768092, 'shop from the': 760226, 'from the safety': 337867, 'your home and': 1024338, 'home and ship': 400684, 'and ship internationally': 71470, 'ship internationally with': 758687, 'internationally with myus': 441889, 'with myus internationalshipping': 999666, 'myus internationalshipping myus': 551079, 'mcnamme': 522220, 'iain': 412530, 'duncan': 262261, 'paul mcnamme': 644553, 'mcnamme big': 522221, 'issue universal': 455978, 'income might': 432409, 'though iain': 892827, 'iain duncan': 412531, 'duncan smith': 262262, 'smith think': 775812, 'but something': 147121, 'done now': 254952, 'have cash': 379905, 'paul mcnamme big': 644554, 'mcnamme big issue': 522222, 'big issue universal': 129838, 'issue universal basic': 455979, 'basic income might': 111953, 'income might be': 432410, 'get money to': 347575, 'to people even': 911622, 'people even though': 647825, 'even though iain': 284708, 'though iain duncan': 892828, 'iain duncan smith': 412532, 'duncan smith think': 262263, 'smith think it': 775813, 'it bad idea': 456688, 'bad idea but': 107891, 'idea but something': 413021, 'but something need': 147122, 'be done now': 114561, 'done now so': 254954, 'now so people': 575850, 'so people have': 777999, 'people have cash': 648167, 'shocked without': 759587, 'come always': 187204, 'always when': 49801, 'buy vegetable at': 149421, 'vegetable at supermarket': 953944, 'at supermarket literally': 100744, 'literally shocked without': 495080, 'shocked without mask': 759588, 'without mask nothing': 1002775, 'nothing people come': 573138, 'people come always': 647491, 'come always when': 187205, 'always when they': 49802, 'they blame the': 881564, 'uncovers': 939911, 've partnered': 953430, '19 pulse': 9874, 'pulse study': 688996, 'study 10': 814856, '10 global': 1446, 'market continually': 516215, 'continually updated': 200974, 'updated uncovers': 947455, 'uncovers consumer': 939912, 'result available': 717480, 'available free': 104394, 'we ve partnered': 973694, 've partnered with': 953431, 'partnered with on': 642925, 'with on an': 999872, 'on an important': 599329, 'an important covid': 56196, 'important covid 19': 418779, 'covid 19 pulse': 213630, '19 pulse study': 9875, 'pulse study 10': 688997, 'study 10 global': 814857, '10 global market': 1447, 'global market continually': 352023, 'market continually updated': 516216, 'continually updated uncovers': 200975, 'updated uncovers consumer': 947456, 'uncovers consumer sentiment': 939913, 'sentiment and behaviour': 750894, 'and behaviour during': 58849, 'the pandemic result': 863080, 'pandemic result available': 636351, 'result available free': 717481, 'available free on': 104395, 'free on the': 332019, 'on the hub': 604166, 'retail preparing': 718402, 'offer pickup': 594745, 'at peterborough': 100105, 'peterborough marijuana': 653550, 'marijuana store': 515723, 'grower retail preparing': 367109, 'retail preparing to': 718403, 'preparing to offer': 670366, 'to offer pickup': 910844, 'offer pickup service': 594746, 'pickup service at': 656010, 'service at peterborough': 752159, 'at peterborough marijuana': 100106, 'peterborough marijuana store': 653551, 'marijuana store during': 515725, 'been problem': 121710, 'for fisherman': 321509, 'fisherman well': 309381, 'well 70': 977988, 'seafood in': 743134, 'in consumed': 421676, 'consumed outside': 195971, 'with nearly': 999686, 'being consumed': 124987, 'consumed at': 195960, 'home now': 401680, 'now demand': 574511, 'seafood ha': 743132, 'in demand ha': 422129, 'demand ha been': 235601, 'ha been problem': 369877, 'been problem for': 121711, 'problem for fisherman': 679525, 'for fisherman well': 321510, 'fisherman well 70': 309382, 'well 70 of': 977989, '70 of seafood': 21805, 'of seafood in': 589425, 'seafood in the': 743135, 'the in consumed': 857999, 'in consumed outside': 421677, 'consumed outside of': 195972, 'of the home': 591107, 'the home with': 857460, 'home with nearly': 402531, 'with nearly all': 999687, 'nearly all food': 553798, 'all food being': 42806, 'food being consumed': 313728, 'being consumed at': 124988, 'consumed at home': 195961, 'at home now': 99062, 'home now demand': 401684, 'now demand for': 574512, 'for seafood ha': 325399, 'seafood ha plummeted': 743133, 'artist will': 94631, 'novel illegal': 573788, 'isn to': 454737, 'fraudsters and scam': 331396, 'and scam artist': 71025, 'scam artist will': 740059, 'artist will proliferate': 94632, 'proliferate with novel': 683600, 'with novel illegal': 999833, 'novel illegal scheme': 573789, 'be doing and': 114510, 'doing and isn': 252289, 'and isn to': 65450, 'isn to protect': 454741, 'trump20': 933997, 'trump20 just': 933998, 'one egg': 606226, 'think someone': 885556, 'told trump': 923779, 'is egg': 447453, 'trump20 just came': 933999, 'there wa not': 879255, 'wa not one': 962768, 'not one egg': 570763, 'one egg in': 606227, 'egg in the': 269895, 'the store think': 868123, 'store think someone': 810689, 'think someone told': 885557, 'someone told trump': 784717, 'told trump the': 923780, 'trump the cure': 933913, '19 is egg': 7966, 'priv': 678783, 'padding': 633789, 'so pandemic': 777982, 'expert took': 292004, 'took our': 925304, 'our stockpile': 624928, 'to priv': 912150, 'priv entity': 678784, 'let state': 487073, 'state gov': 795605, 'gov bid': 359544, 'bid against': 129462, 'other driving': 620123, 'save human': 737518, 'while padding': 987140, 'padding pocket': 633790, 'pocket of': 662185, 'business supporter': 144450, 'so pandemic expert': 777983, 'pandemic expert took': 635410, 'expert took our': 292005, 'took our stockpile': 925305, 'our stockpile and': 624929, 'stockpile and gave': 803715, 'and gave it': 63495, 'it to priv': 461743, 'to priv entity': 912151, 'priv entity to': 678785, 'entity to let': 278864, 'to let state': 909215, 'let state gov': 487074, 'state gov bid': 795606, 'gov bid against': 359545, 'bid against each': 129463, 'each other driving': 264168, 'other driving up': 620124, 'up price when': 945842, 'price when trying': 677495, 'trying to save': 934863, 'to save human': 913781, 'save human life': 737519, 'human life while': 410550, 'life while padding': 489210, 'while padding pocket': 987141, 'padding pocket of': 633791, 'pocket of trump': 662186, 'of trump business': 592471, 'trump business supporter': 933453, 'handling sharp': 376388, 'sharp demand': 755677, 'meat poultry': 525693, 'poultry and': 667304, 'egg by': 269810, 'by accelerating': 151744, 'new warehouse': 559845, 'running existing': 727952, 'existing facility': 290315, 'facility 24': 295286, '24 brilliant': 15576, 'brilliant study': 139889, 'how is handling': 408095, 'is handling sharp': 448270, 'handling sharp demand': 376389, 'sharp demand increase': 755678, 'demand increase for': 235689, 'increase for meat': 432782, 'for meat poultry': 323364, 'meat poultry and': 525694, 'poultry and egg': 667305, 'and egg by': 61974, 'egg by accelerating': 269811, 'by accelerating the': 151745, 'accelerating the opening': 27919, 'opening of new': 612885, 'of new warehouse': 586989, 'new warehouse and': 559846, 'warehouse and running': 966685, 'and running existing': 70644, 'running existing facility': 727953, 'existing facility 24': 290316, 'facility 24 brilliant': 295287, '24 brilliant study': 15577, 'brilliant study in': 139890, 'study in supply': 814914, 'management and crisis': 512531, 'and crisis response': 60757, 'homegym': 402709, 'careful respectful': 164427, 'responsible keep': 716051, 'distance foot': 246703, 'foot even': 318379, 'com health': 186941, 'stayhome homegym': 798020, 'homegym boxing': 402710, 'boxing world': 137234, 'world pray': 1009908, 'pray god': 669010, 'closing all social': 183580, 'all social medium': 44380, 'medium for now': 527109, 'for now already': 323958, 'now already feel': 573983, 'already feel better': 47351, 'feel better be': 302580, 'better be careful': 128210, 'be careful respectful': 113994, 'careful respectful and': 164428, 'respectful and responsible': 715126, 'and responsible keep': 70361, 'responsible keep your': 716052, 'your distance foot': 1023531, 'distance foot even': 246704, 'foot even at': 318380, 'store be contacted': 806661, 'be contacted by': 114217, 'contacted by email': 200319, 'by email info': 152466, 'email info com': 272213, 'info com health': 437453, 'com health stayhome': 186942, 'health stayhome homegym': 386875, 'stayhome homegym boxing': 798021, 'homegym boxing world': 402711, 'boxing world pray': 137235, 'world pray god': 1009909, 'epidemic stop': 279443, 'diego home': 241623, 'price realestate': 676103, 'realestate realestatenews': 701518, 'will the coronavirus': 995132, 'coronavirus epidemic stop': 205881, 'epidemic stop the': 279444, 'rise of san': 722951, 'of san diego': 589261, 'san diego home': 733526, 'diego home price': 241624, 'home price realestate': 401913, 'price realestate realestatenews': 676104, 'swinnen': 830420, 'virus nervous': 958518, 'nervous world': 557489, 'country export': 210628, 'ban still': 109262, 'still limited': 800798, 'limited but': 492610, 'generate panic': 345563, 'price bad': 672834, 'poor ha': 664187, 'ha ban': 369655, 'ban tracker': 109284, 'tracker swinnen': 928301, 'food for corona': 314524, 'for corona virus': 320370, 'corona virus nervous': 204331, 'virus nervous world': 958519, 'nervous world country': 557491, 'world country export': 1009462, 'country export ban': 210629, 'export ban still': 292612, 'ban still limited': 109263, 'still limited but': 800799, 'limited but can': 492611, 'but can generate': 145350, 'can generate panic': 158394, 'generate panic and': 345564, 'panic and raise': 637331, 'raise price bad': 695907, 'price bad for': 672835, 'bad for poor': 107865, 'for poor ha': 324614, 'poor ha ban': 664188, 'ha ban tracker': 369656, 'ban tracker swinnen': 109285, 'by disinfectant': 152363, 'soap right': 779096, 'killed by disinfectant': 474568, 'by disinfectant and': 152364, 'and soap right': 71870, 'it awesome': 456659, 'awesome if': 106174, 'but it awesome': 146099, 'it awesome if': 456660, 'awesome if you': 106175, 'saw the idiot': 738267, 'the idiot at': 857837, 'idiot at tesco': 413460, 'at tesco the': 100844, 'surcharge': 827472, 'adding surcharge': 31695, 'surcharge with': 827475, 'explanation due': 292271, 'are at low': 84672, 'at low and': 99629, 'low and your': 505139, 'and your re': 76095, 'your re adding': 1025521, 're adding surcharge': 698187, 'adding surcharge with': 31696, 'surcharge with little': 827476, 'with little or': 999260, 'or no explanation': 616259, 'no explanation due': 564176, 'explanation due to': 292272, 'sindharamsanwarmalmewawala': 771079, 'dryfruits': 261331, 'also available': 47896, '10 hypermarket': 1473, 'hypermarket now': 412344, 'now providing': 575611, 'providing you': 687146, 'necessity also': 554159, 'also helping': 48353, 'disease with': 245277, 'wash sanitizers': 967537, 'sanitizers sindharamsanwarmalmewawala': 736395, 'sindharamsanwarmalmewawala dryfruits': 771080, 'dryfruits syrup': 261332, 'syrup spice': 831067, 'spice juice': 789212, 'juice grocery': 467745, 'improve your immunity': 419558, 'your immunity to': 1024460, 'immunity to fight': 417441, 're also available': 698263, 'also available at': 47897, 'available at to': 104263, 'at to 10': 101324, 'to 10 hypermarket': 899425, '10 hypermarket now': 1474, 'hypermarket now providing': 412345, 'now providing you': 575612, 'providing you with': 687147, 'you with all': 1022377, 'all the basic': 44669, 'the basic necessity': 849316, 'basic necessity also': 111987, 'necessity also helping': 554160, 'also helping fight': 48354, 'fight the disease': 304890, 'the disease with': 853376, 'disease with hand': 245278, 'with hand wash': 998725, 'hand wash sanitizers': 375930, 'wash sanitizers sindharamsanwarmalmewawala': 967538, 'sanitizers sindharamsanwarmalmewawala dryfruits': 736396, 'sindharamsanwarmalmewawala dryfruits syrup': 771081, 'dryfruits syrup spice': 261333, 'syrup spice juice': 831068, 'spice juice grocery': 789213, 'peril': 651678, 'lesson learnt': 486493, 'panic please': 638423, 'please the': 660663, 'the peril': 863555, 'peril is': 651679, 'of the lesson': 591186, 'the lesson learnt': 859299, 'lesson learnt from': 486494, 'learnt from and': 484273, 'from and is': 334518, 'and is that': 65433, 'issue with food': 456011, 'with food supply': 998510, 'food supply don': 316948, 'don panic please': 253809, 'panic please the': 638425, 'please the peril': 660665, 'the peril is': 863556, 'peril is the': 651680, 'virus not the': 958538, 'not the food': 571999, 'keyworkerheroes currently': 473591, 'currently sat': 221661, 'bus on': 143061, 'work would': 1006064, 'would much': 1012042, 'much rather': 545277, 'all face': 42734, 'face getting': 294451, 'my rock': 549957, 'rock on': 724908, 'keyworkerheroes currently sat': 473592, 'currently sat on': 221662, 'sat on the': 736908, 'the bus on': 850143, 'bus on my': 143062, 'way in to': 969658, 'to work would': 918810, 'work would much': 1006065, 'would much rather': 1012043, 'much rather be': 545278, 'rather be at': 697436, 'home but someone': 400848, 'but someone ha': 147120, 'someone ha to': 784493, 'ha to stock': 372318, 'stock the shop': 802940, 'the shop with': 867041, 'shop with food': 761059, 'we all face': 970322, 'all face getting': 42736, 'face getting my': 294452, 'getting my rock': 349139, 'my rock on': 549958, 'rock on with': 724909, 'on with some': 605346, 'up stop': 946076, 'panic stamp': 638615, 'stamp the': 793440, 'hour any': 405426, 'step up stop': 799696, 'up stop this': 946077, 'greed panic stamp': 363422, 'panic stamp the': 638616, 'stamp the back': 793441, 'back of hand': 107172, 'of hand at': 584423, '48 hour any': 19306, 'hour any store': 405427, 'least that way': 484646, 'that way we': 847353, 'way we all': 970167, 'we all will': 970376, 'all will have': 45469, 'coronachaos': 204473, 'people laid': 648603, 'off stuck': 594199, 'stuck indoors': 814604, 'indoors no': 435413, 'no testing': 565685, 'just advise': 468164, 'advise telling': 33602, 'pub or': 687744, 'or meet': 616123, 'ha boris': 370019, 'boris been': 135443, 'supermarket recently': 822176, 'recently it': 704119, 'fucking hectic': 339886, 'hectic coronachaos': 388710, 'who think the': 989776, 'is doing enough': 447270, 'doing enough people': 252377, 'enough people laid': 277557, 'people laid off': 648604, 'laid off stuck': 479032, 'off stuck indoors': 594200, 'stuck indoors no': 814606, 'indoors no testing': 435414, 'no testing no': 565688, 'testing no lockdown': 839574, 'no lockdown yet': 564619, 'lockdown yet just': 500176, 'yet just advise': 1016121, 'just advise telling': 468165, 'advise telling them': 33603, 'telling them not': 837274, 'the pub or': 864775, 'pub or meet': 687745, 'or meet in': 616124, 'meet in large': 527506, 'large group ha': 479683, 'group ha boris': 366711, 'ha boris been': 370020, 'boris been near': 135444, 'near supermarket recently': 553593, 'supermarket recently it': 822177, 'recently it fucking': 704120, 'it fucking hectic': 458168, 'fucking hectic coronachaos': 339887, 'overhyped': 631253, 'any entity': 79185, 'entity calculated': 278849, 'calculated the': 155314, 'consumer loss': 198076, 'of indian': 585123, 'economy which': 268346, 'this financial': 887550, 'financial year': 306631, 'end due': 275810, 'this overhyped': 889344, 'overhyped virus': 631256, 'it bomb': 456897, 'bomb finally': 134182, 'finally global': 306020, 'global war': 352286, 'invisible virus': 444257, 'virus indiavscorona': 958345, 'can any entity': 157506, 'any entity calculated': 79186, 'entity calculated the': 278850, 'calculated the business': 155316, 'and consumer loss': 60402, 'consumer loss of': 198077, 'loss of indian': 503748, 'of indian economy': 585125, 'indian economy which': 434825, 'economy which will': 268348, 'which will happen': 986488, 'happen in this': 377107, 'in this financial': 429949, 'this financial year': 887551, 'financial year end': 306632, 'year end due': 1014543, 'end due to': 275811, 'to this overhyped': 917448, 'this overhyped virus': 889345, 'overhyped virus it': 631257, 'virus it bomb': 958416, 'it bomb finally': 456898, 'bomb finally global': 134183, 'finally global war': 306021, 'global war by': 352287, 'war by an': 966392, 'by an invisible': 151826, 'an invisible virus': 56454, 'invisible virus indiavscorona': 444258, 'dm rt': 248923, 'virus dm rt': 958134, 'dm rt 19': 248924, 'biosurveillance': 131265, 'atlas': 101872, 'shelf spiked': 757540, 'spiked on': 789349, 'medium on': 527195, '15th particularly': 4046, 'urban area': 948095, 'area city': 91973, 'city moved': 179263, 'moved into': 543808, 'lockdown mode': 499663, 'mode from': 535168, 'the biosurveillance': 849722, 'biosurveillance atlas': 131266, 'mention of empty': 528779, 'store shelf spiked': 810099, 'shelf spiked on': 757541, 'spiked on social': 789350, 'social medium on': 779869, 'medium on march': 527196, 'on march 15th': 602010, 'march 15th particularly': 515080, '15th particularly in': 4047, 'particularly in urban': 642704, 'in urban area': 430470, 'urban area city': 948098, 'area city moved': 91974, 'city moved into': 179264, 'moved into lockdown': 543809, 'into lockdown mode': 442715, 'lockdown mode from': 499664, 'mode from the': 535169, 'from the biosurveillance': 337616, 'the biosurveillance atlas': 849723, 'it professor': 460516, 'best kill': 127750, 'sanitizer what is': 736063, 'is it professor': 449052, 'it professor explains': 460517, 'professor explains what': 682545, 'explains what best': 292248, 'what best kill': 981112, 'best kill the': 127751, 'war they': 966552, 'aisle sign': 40365, 'enemy cannot': 276351, 'roll tp': 725574, 'is war they': 453753, 'war they should': 966554, 'should take down': 766543, 'the aisle sign': 848534, 'aisle sign in': 40366, 'supermarket so the': 822741, 'so the enemy': 778424, 'the enemy cannot': 854315, 'enemy cannot find': 276352, 'find the pasta': 307298, 'pasta and loo': 643683, 'loo roll tp': 502205, 'debacle': 230297, 'in arrive': 420503, 'an international': 56415, 'international flight': 441803, 'flight take': 310538, 'take domestic': 832075, 'domestic flight': 253189, 'flight drive': 310462, 'isolation world': 455516, 'world stringent': 1010015, 'stringent regulation': 813810, 'regulation we': 708129, 'waiting debacle': 964308, 'debacle now': 230298, 'now pray': 575580, 'in arrive in': 420504, 'arrive in an': 93919, 'in an international': 420319, 'an international flight': 56416, 'international flight take': 441805, 'flight take domestic': 310539, 'take domestic flight': 832076, 'domestic flight drive': 253191, 'flight drive to': 310463, 'drive to grocery': 259220, 'store do some': 807333, 'some shopping go': 783862, 'shopping go home': 762791, 'go home for': 353664, 'home for self': 401243, 'self isolation world': 747810, 'isolation world stringent': 455517, 'world stringent regulation': 1010016, 'stringent regulation we': 813811, 'regulation we are': 708130, 'we are waiting': 970754, 'are waiting debacle': 91518, 'waiting debacle now': 964309, 'debacle now pray': 230299, 'now pray for': 575581, 'americastrong': 52349, 'grocery convenient': 364404, 'delivered and': 233291, 'available americastrong': 104213, 'to the truck': 917144, 'driver grocery convenient': 259588, 'grocery convenient store': 364405, 'convenient store worker': 202420, 'are keeping food': 87654, 'keeping food delivered': 472426, 'food delivered and': 314090, 'delivered and available': 233292, 'and available americastrong': 58545, 'outbreak affecting': 627964, 'industry hear': 435875, 'hear moody': 387954, 'moody analyst': 538299, 'analyst explore': 57131, 'explore trend': 292503, 'beyond on': 129212, 'april find': 83590, 'how are low': 407405, 'are low oil': 87933, 'the outbreak affecting': 862588, 'outbreak affecting the': 627966, 'affecting the energy': 34561, 'energy industry hear': 276476, 'industry hear moody': 435876, 'hear moody analyst': 387955, 'moody analyst explore': 538300, 'analyst explore trend': 57132, 'explore trend from': 292504, 'trend from the': 931345, 'the to europe': 869676, 'to europe the': 905276, 'europe the middle': 283517, 'east and beyond': 265290, 'and beyond on': 58948, 'beyond on april': 129213, 'on april find': 599446, 'april find out': 83591, 'out more and': 626563, 'and register below': 70150, 'tokre': 923482, 'join tokre': 466893, 'puzzle join tokre': 691334, 'before toiletpaper': 123239, 'use before toiletpaper': 949072, 'grocery cause': 364348, 'scared they': 741015, 'food specially': 316711, 'specially house': 788144, 'child elderly': 176074, 'they pumping': 882943, 'fuel like': 340195, 'no tomorrow': 565771, 'tomorrow where': 924244, 'at supermarket grocery': 100729, 'supermarket grocery cause': 820574, 'grocery cause people': 364349, 'are scared they': 89854, 'scared they will': 741016, 'they will run': 883883, 'of food specially': 583782, 'food specially house': 316712, 'specially house with': 788145, 'house with child': 406683, 'with child elderly': 997622, 'child elderly but': 176075, 'elderly but why': 270625, 'are they pumping': 91017, 'they pumping fuel': 882944, 'pumping fuel like': 689123, 'fuel like there': 340196, 'is no tomorrow': 449987, 'no tomorrow where': 565772, 'tomorrow where are': 924245, 'where are they': 984742, 'they going during': 882211, 'going during curfew': 355129, 'pci': 645906, 'and pattern': 68783, 'pattern they': 644509, 're moving': 699048, 'digital environment': 242565, 'major pii': 509419, 'pii pci': 656477, 'pci implication': 645907, 'buying habit and': 150455, 'habit and pattern': 372559, 'and pattern they': 68784, 'pattern they re': 644510, 'they re moving': 883076, 're moving to': 699049, 'moving to more': 544210, 'to more digital': 910253, 'more digital environment': 539042, 'digital environment and': 242566, 'environment and thing': 279081, 'thing are never': 884161, 'to the way': 917179, 'way they were': 969966, 'they were this': 883808, 'were this ha': 980255, 'ha major pii': 371227, 'major pii pci': 509420, 'pii pci implication': 656478, 'being scheduled': 125723, 'fall are': 296843, 'limbo whether': 492251, 'happen or': 377133, 'or whether': 617787, 'conference that are': 193761, 'that are being': 842721, 'are being scheduled': 84917, 'being scheduled for': 125724, 'scheduled for the': 741493, 'for the fall': 326425, 'the fall are': 854868, 'fall are still': 296844, 'still in limbo': 800742, 'in limbo whether': 424735, 'limbo whether they': 492252, 'whether they re': 985595, 'to happen or': 907156, 'happen or whether': 377134, 'or whether they': 617789, 'cuomo covid': 220400, 'lifted communication': 489482, 'communication will': 189655, 'be via': 117987, 'our boating': 622235, 'boating community': 133736, 'since 1973': 770426, '1973 and': 12423, 'business stay': 144408, 'response to governor': 715847, 'to governor cuomo': 906943, 'governor cuomo covid': 360892, 'cuomo covid 19': 220401, 'executive order we': 289929, 'order we are': 618754, 'are closing the': 85400, 'closing the retail': 183779, 'store until the': 811012, 'until the order': 943864, 'order is lifted': 618335, 'is lifted communication': 449305, 'lifted communication will': 489483, 'communication will be': 189656, 'will be via': 992759, 'be via phone': 117988, 'via phone or': 956170, 'or email we': 615151, 'email we ve': 272363, 've been serving': 952928, 'been serving you': 121931, 'serving you our': 753234, 'you our boating': 1020249, 'our boating community': 622236, 'boating community since': 133737, 'community since 1973': 190097, 'since 1973 and': 770427, '1973 and we': 12424, 'appreciate your business': 82793, 'your business stay': 1023079, 'business stay safe': 144409, 'flippant': 310630, 'smarta': 775459, 'quinine': 694746, 'being flippant': 125156, 'flippant nor': 310631, 'nor smarta': 566976, 'smarta at': 775460, 'least not': 484571, 'purpose but': 690100, 'chloroquine actually': 177584, 'actually work': 31020, 'against would': 37749, 'would quinine': 1012146, 'quinine water': 694749, 'also work': 49109, 'work mean': 1005464, 'if remember': 414727, 'not being flippant': 568533, 'being flippant nor': 125157, 'flippant nor smarta': 310632, 'nor smarta at': 566977, 'smarta at least': 775461, 'at least not': 99529, 'least not on': 484572, 'not on purpose': 570751, 'on purpose but': 603023, 'purpose but if': 690101, 'out that chloroquine': 627319, 'that chloroquine actually': 843217, 'chloroquine actually work': 177585, 'actually work against': 31021, 'work against would': 1004726, 'against would quinine': 37750, 'would quinine water': 1012147, 'quinine water from': 694750, 'store also work': 806157, 'also work mean': 49113, 'work mean if': 1005465, 'mean if remember': 524492, 'jean': 464951, 'coronacation': 204458, 'like haven': 490390, 'worn legging': 1010468, 'legging and': 485956, 'and shirt': 71481, 'day ll': 227917, 'new jean': 558959, 'jean to': 464954, 'kitchen coronacation': 475704, 'shopping like haven': 763166, 'like haven worn': 490391, 'haven worn legging': 383929, 'worn legging and': 1010469, 'legging and shirt': 485957, 'and shirt for': 71482, 'shirt for the': 758983, 'past day ll': 643521, 'day ll just': 227919, 'll just wear': 496863, 'just wear these': 470261, 'wear these new': 974479, 'these new jean': 880340, 'new jean to': 558960, 'jean to the': 464955, 'to the kitchen': 916826, 'the kitchen coronacation': 858832, 'transferring': 929553, 'even feeling': 284053, 'feeling online': 303042, '19 transferring': 11541, 'at the mall': 101012, 'the mall and': 859964, 'mall and store': 511742, 'and store not': 72511, 'not even feeling': 569243, 'even feeling online': 284054, 'feeling online shopping': 303043, 'covid 19 transferring': 213975, 'mercado': 528926, 'our mama': 623847, 'we added': 970285, 'added plexiglas': 31596, 'plexiglas at': 661030, 'allow 20': 45906, '20 at': 12954, 'in mercado': 425254, 'mercado plus': 528931, 'plus online': 661647, 'grocery restaurant': 364890, 'restaurant shopping': 716696, 'up besafe': 944487, 'besafe socialdistancing': 127448, 'to our mama': 911209, 'our mama and': 623848, 'mama and friend': 511920, 'and friend for': 63327, 'friend for making': 333608, 'for making mask': 323179, 'making mask for': 511191, 'mask for staff': 518689, 'for staff we': 325857, 'staff we added': 793055, 'we added plexiglas': 970286, 'added plexiglas at': 31597, 'plexiglas at check': 661031, 'out and we': 625708, 'and we only': 75311, 'we only allow': 972646, 'only allow 20': 610055, 'allow 20 at': 45907, '20 at time': 12955, 'time in mercado': 896999, 'in mercado plus': 425255, 'mercado plus online': 528932, 'plus online grocery': 661648, 'online grocery restaurant': 608325, 'grocery restaurant shopping': 364891, 'restaurant shopping curbside': 716697, 'shopping curbside pick': 762423, 'pick up besafe': 655707, 'up besafe socialdistancing': 944488, '20th': 14933, '55pm': 20439, 'deepdale': 231934, 'update 20th': 946833, '20th march': 14936, '2020 11': 14084, '11 55pm': 2463, '55pm deepdale': 20440, 'deepdale store': 231935, 'amp maintaining': 54093, 'level and': 487504, 'closed is': 183192, 'asked all': 95713, '19 update 20th': 11651, 'update 20th march': 946834, '20th march 2020': 14937, 'march 2020 11': 515143, '2020 11 55pm': 14085, '11 55pm deepdale': 2464, '55pm deepdale store': 20441, 'deepdale store our': 231936, 'store our supermarket': 809399, 'our supermarket is': 625020, 'is open amp': 450558, 'open amp maintaining': 612042, 'amp maintaining good': 54094, 'maintaining good stock': 509110, 'good stock level': 357772, 'stock level and': 802350, 'level and are': 487505, 'and are closed': 58301, 'are closed is': 85350, 'closed is closed': 183193, 'government ha asked': 360140, 'ha asked all': 369628, 'asked all restaurant': 95714, 'all restaurant to': 44180, 'restaurant to close': 716760, 'too human': 924796, 'simply treating': 770309, 'treating like': 931004, 'like machine': 490687, 'machine by': 507368, 'retail telecom': 718768, 'telecom line': 836687, 'pathetic coronavirus': 644049, 'we are too': 970742, 'are too human': 91141, 'too human and': 924797, 'human and company': 410404, 'company are simply': 190450, 'are simply treating': 90138, 'simply treating like': 770310, 'treating like machine': 931006, 'like machine by': 490688, 'machine by not': 507369, 'by not allowing': 153357, 'not allowing to': 568155, 'allowing to stay': 46362, 'if we stay': 415313, 'home they say': 402274, 'say it better': 738833, 'better to leave': 128566, 'to leave work': 909170, 'leave work if': 485047, 'store retail telecom': 809877, 'retail telecom line': 718769, 'telecom line are': 836688, 'line are pathetic': 492968, 'are pathetic coronavirus': 89001, 'duopoly': 262326, 'toorak': 925482, 'hey michael': 394460, 'michael ive': 530251, 'ive just': 464054, 'out th': 627309, 'th supermarket': 840055, 'supermarket duopoly': 820043, 'duopoly favour': 262327, 'favour their': 300575, 'that attract': 842888, 'attract greater': 102700, 'greater revenue': 363224, 'revenue these': 720483, 'these higher': 880118, 'higher rev': 395721, 'rev generating': 720213, 'generating store': 345595, 'priority th': 678671, 'th type': 840057, 'delivered hence': 233334, 'hence toorak': 391759, 'toorak woolies': 925483, 'woolies is': 1004381, 'hey michael ive': 394461, 'michael ive just': 530252, 'ive just found': 464055, 'just found out': 468772, 'found out th': 330328, 'out th supermarket': 627310, 'th supermarket duopoly': 840056, 'supermarket duopoly favour': 820044, 'duopoly favour their': 262328, 'favour their store': 300576, 'their store that': 874867, 'store that attract': 810545, 'that attract greater': 842889, 'attract greater revenue': 102701, 'greater revenue these': 363225, 'revenue these higher': 720484, 'these higher rev': 880119, 'higher rev generating': 395722, 'rev generating store': 720214, 'generating store get': 345596, 'store get priority': 807920, 'get priority th': 347850, 'priority th type': 678672, 'th type of': 840058, 'type of stock': 937587, 'of stock delivered': 590155, 'stock delivered hence': 802040, 'delivered hence toorak': 233335, 'hence toorak woolies': 391760, 'toorak woolies is': 925484, 'woolies is well': 1004382, 'california nearly': 155539, 'billion agricultural': 130768, 'agricultural industry': 38887, 'labor shortfall': 478445, 'shortfall explains': 765369, 'california nearly 50': 155540, 'nearly 50 billion': 553781, '50 billion agricultural': 19631, 'billion agricultural industry': 130769, 'agricultural industry is': 38888, 'industry is bracing': 435924, 'bracing for potential': 137506, 'for potential labor': 324654, 'potential labor shortfall': 667095, 'labor shortfall explains': 478446, 'shortfall explains why': 765370, 'wellington': 978815, 'in wellington': 430789, 'wellington you': 978821, 'may only': 521403, 'paper per': 640590, 'have load': 381357, 'food school': 316317, 'open gonna': 612277, 'gonna rt': 356606, 'zealand we currently': 1027319, 'we currently have': 971239, 'currently have confirmed': 221556, 'have confirmed case': 380068, '19 one is': 8977, 'is here in': 448424, 'here in wellington': 393192, 'in wellington you': 430790, 'wellington you may': 978822, 'you may only': 1019808, 'may only buy': 521404, 'buy pack of': 149072, 'toilet paper per': 921391, 'paper per customer': 640591, 'per customer and': 650774, 'customer and shelf': 222098, 'and shelf still': 71449, 'shelf still have': 757573, 'still have load': 800656, 'have load of': 381358, 'paper food school': 640166, 'food school are': 316318, 'school are still': 741700, 'still open gonna': 800961, 'open gonna rt': 612278, 'gonna rt this': 356607, 'rt this in': 726828, 'this in week': 888060, 'wildest': 992116, 'foxbusiness': 330795, 'oil never': 596975, 'my wildest': 550612, 'wildest dream': 992117, 'reality foxbusiness': 701737, 'foxbusiness oil': 330796, 'zero analyst': 1027404, 'analyst foxbusiness': 57141, 'wow you could': 1012629, 'you could get': 1018088, 'could get paid': 209203, 'get paid to': 347776, 'paid to buy': 634160, 'to buy oil': 902279, 'buy oil never': 149028, 'oil never in': 596976, 'never in my': 558078, 'in my wildest': 425647, 'my wildest dream': 550613, 'wildest dream would': 992118, 'dream would have': 258638, 'have thought this': 383126, 'this would become': 891534, 'would become reality': 1011680, 'become reality foxbusiness': 120114, 'reality foxbusiness oil': 701738, 'foxbusiness oil oil': 330797, 'oil oil price': 596981, 'oil price oil': 597205, 'price oil price': 675628, 'could fall below': 209164, 'fall below zero': 296864, 'below zero analyst': 126784, 'zero analyst foxbusiness': 1027405, 'on mortgage': 602220, 'mortgage credit': 541881, 'card small': 163649, 'debt would': 230615, 'be indefinitely': 115471, 'indefinitely suspended': 434056, 'suspended under': 829638, 'under plan': 940192, 'plan unveiled': 658338, 'wednesday by': 975627, 'by senior': 153944, 'senior democratic': 750272, 'democratic house': 236761, 'house lawmaker': 406392, 'all payment on': 43934, 'payment on mortgage': 645691, 'on mortgage credit': 602221, 'mortgage credit card': 541882, 'credit card small': 216351, 'card small business': 163650, 'business loan and': 144009, 'loan and other': 497391, 'other consumer debt': 619994, 'consumer debt would': 197095, 'debt would be': 230616, 'would be indefinitely': 1011607, 'be indefinitely suspended': 115472, 'indefinitely suspended under': 434057, 'suspended under plan': 829639, 'under plan unveiled': 940193, 'plan unveiled on': 658339, 'unveiled on wednesday': 944019, 'on wednesday by': 605171, 'wednesday by senior': 975628, 'by senior democratic': 153945, 'senior democratic house': 750273, 'democratic house lawmaker': 236762, 'house lawmaker in': 406393, 'lawmaker in response': 482490, 'so off': 777929, 'on treasure': 604849, 'hunt what': 411378, 'well toilet': 978705, 'course wish': 211961, 'luck and': 506436, 'that hoarded': 844353, 'hoarded tp': 398974, 'tp hope': 927843, 'out stophoarding': 627260, 'so off to': 777930, 'off to go': 594322, 'go on treasure': 353904, 'on treasure hunt': 604850, 'treasure hunt what': 930770, 'hunt what am': 411379, 'what am looking': 981019, 'looking for well': 502916, 'for well toilet': 327781, 'well toilet paper': 978706, 'paper of course': 640521, 'of course wish': 582080, 'course wish me': 211962, 'me luck and': 523124, 'luck and for': 506437, 'those that hoarded': 892536, 'that hoarded tp': 844355, 'hoarded tp hope': 398975, 'tp hope you': 927844, 'hope you get': 403798, 'get the shit': 348293, 'the shit and': 866952, 'shit and run': 759059, 'and run out': 70637, 'run out stophoarding': 727767, 'hoping we': 403964, 'price dealt': 673391, 'with within': 1002113, 'bill it': 130607, 'disgusting stopstockpiling': 245459, 'hoping we re': 403967, 'see the issue': 745848, 'issue of shop': 455868, 'of shop inflating': 589621, 'inflating price dealt': 437114, 'price dealt with': 673392, 'dealt with within': 229724, 'with within the': 1002114, 'within the bill': 1002428, 'the bill it': 849694, 'bill it absolutely': 130608, 'it absolutely disgusting': 456247, 'absolutely disgusting stopstockpiling': 27343, 'dc15': 228984, 'full bio': 340500, 'bio mask': 131151, 'mask dc15': 518560, 'dc15 wear': 228985, 'sick coughing': 768406, 'sick virus': 768658, 'you aerosol': 1016835, 'aerosol onto': 33913, 'onto utilize': 611688, 'utilize online': 951358, 'shopping gt': 762814, 'gt plan': 367625, 'plan gt': 658140, 'gt prepare': 367627, 'prepare mask': 670108, 'amp washing': 54804, 'hand help': 375016, 'going full bio': 355178, 'full bio mask': 340501, 'bio mask dc15': 131152, 'mask dc15 wear': 518561, 'dc15 wear mask': 228986, 're sick coughing': 699516, 'sick coughing or': 768407, 'coughing or want': 208731, 'want to limit': 966063, 'limit the chance': 492508, 'getting sick virus': 349279, 'sick virus is': 768659, 'virus is alive': 958362, 'is alive on': 445448, 'alive on thing': 41827, 'on thing you': 604593, 'thing you aerosol': 885029, 'you aerosol onto': 1016836, 'aerosol onto utilize': 33914, 'onto utilize online': 611689, 'utilize online shopping': 951359, 'online shopping gt': 609137, 'shopping gt plan': 762815, 'gt plan gt': 367626, 'plan gt prepare': 658141, 'gt prepare mask': 367628, 'prepare mask glove': 670109, 'mask glove amp': 518723, 'glove amp washing': 352550, 'amp washing hand': 54805, 'washing hand help': 967669, 'sbm': 739824, 'wheatoffal': 983026, 'your point': 1025348, 'point but': 662445, 'cannot blame': 161679, 'blame him': 132265, 'maize sbm': 509205, 'sbm wheatoffal': 739825, 'wheatoffal and': 983027, 'also sorting': 48898, 'sorting at': 786182, 'every check': 285727, 'check point': 174596, 'point before': 662437, 'egg get': 269872, 'final consumer': 305830, 'consumer make': 198088, 'just end': 468672, 'understand your point': 940837, 'your point but': 1025349, 'point but still': 662447, 'but still you': 147188, 'still you cannot': 801449, 'you cannot blame': 1017848, 'cannot blame him': 161680, 'blame him with': 132266, 'him with the': 396780, 'current price of': 221316, 'price of maize': 675497, 'of maize sbm': 586107, 'maize sbm wheatoffal': 509206, 'sbm wheatoffal and': 739826, 'wheatoffal and medication': 983028, 'and medication and': 66891, 'medication and also': 526624, 'and also sorting': 57976, 'also sorting at': 48899, 'sorting at every': 786183, 'at every check': 98564, 'every check point': 285728, 'check point before': 174597, 'point before the': 662438, 'before the egg': 123157, 'the egg get': 854089, 'egg get to': 269873, 'to the final': 916711, 'the final consumer': 855192, 'final consumer make': 305831, 'consumer make this': 198089, 'make this covid': 510635, '19 just end': 8203, 'solidarity within': 781951, 'community so': 190099, 'small rural': 775103, 'rural producer': 728257, 'producer continue': 680597, 'plant harvest': 658655, 'harvest transport': 378640, 'without endangering': 1002611, 'endangering safety': 276105, 'time to panic': 898022, 'to panic we': 911434, 'panic we must': 638766, 'must show solidarity': 546887, 'show solidarity within': 767143, 'solidarity within our': 781952, 'within our community': 1002404, 'our community so': 622479, 'community so that': 190101, 'so that small': 778393, 'that small rural': 846346, 'small rural producer': 775105, 'rural producer continue': 728258, 'producer continue to': 680598, 'continue to plant': 201231, 'to plant harvest': 911778, 'plant harvest transport': 658656, 'harvest transport and': 378641, 'transport and sell': 929870, 'and sell food': 71214, 'sell food without': 748727, 'food without endangering': 317651, 'without endangering safety': 1002612, 'microdroplets': 530462, 'inhaled': 438427, 'with space': 1000896, 'space buffer': 787075, 'buffer but': 141860, 'but doubt': 145605, 'it micro': 459608, 'micro droplet': 530418, 'droplet linger': 260475, 'linger in': 493692, 'air all': 39678, 'is walking': 453743, 'the microdroplets': 860559, 'microdroplets and': 530463, 'are inhaled': 87540, 'inhaled which': 438428, 'infection only': 436804, 'an n95': 56514, 'mask prevents': 519135, 'prevents this': 671943, 'advice say you': 33487, 'say you are': 739513, '19 with space': 12144, 'with space buffer': 1000897, 'space buffer but': 787076, 'buffer but doubt': 141861, 'but doubt it': 145606, 'doubt it micro': 256209, 'it micro droplet': 459609, 'micro droplet linger': 530419, 'droplet linger in': 260476, 'linger in the': 493694, 'the air all': 848479, 'air all it': 39679, 'take is walking': 832238, 'is walking through': 453746, 'through the microdroplets': 894750, 'the microdroplets and': 860560, 'microdroplets and they': 530464, 'they are inhaled': 881310, 'are inhaled which': 87541, 'inhaled which start': 438429, 'which start the': 986335, 'start the infection': 794554, 'the infection only': 858226, 'infection only an': 436805, 'only an n95': 610088, 'an n95 mask': 56516, 'n95 mask prevents': 551202, 'mask prevents this': 519136, 'on unknown': 604973, 'unknown link': 942526, 'the panic surrounding': 863224, 'be very careful': 117970, 'very careful when': 955043, 'careful when shopping': 164454, 'click on unknown': 181937, 'on unknown link': 604974, 'unknown link in': 942528, 'mreade': 544423, 'dermott': 237882, 'jewell': 465372, 'cai': 155190, 'today mreade': 919896, 'mreade we': 544424, 'have coverage': 380133, 'the il': 857868, 'il sitting': 416074, 'ie outline': 413735, 'their industry': 873653, 'lockdown discus': 499315, 'affecting employment': 34511, 'employment figure': 274602, 'figure dermott': 305196, 'dermott jewell': 237883, 'jewell of': 465373, 'of cai': 581032, 'cai on': 155191, 'today mreade we': 919897, 'mreade we have': 544425, 'we have coverage': 971785, 'have coverage of': 380134, 'of the il': 591123, 'the il sitting': 857869, 'il sitting on': 416075, 'sitting on ie': 772133, 'on ie outline': 601477, 'ie outline how': 413736, 'outline how their': 629090, 'how their industry': 408900, 'their industry is': 873654, 'industry is adapting': 435921, 'is adapting to': 445344, 'adapting to survive': 31351, 'survive in lockdown': 829193, 'in lockdown discus': 424838, 'lockdown discus how': 499316, 'discus how the': 244868, 'virus is affecting': 958360, 'is affecting employment': 445386, 'affecting employment figure': 34512, 'employment figure dermott': 274603, 'figure dermott jewell': 305197, 'dermott jewell of': 237884, 'jewell of cai': 465374, 'of cai on': 581033, 'cai on covid': 155192, 'our consumer right': 622549, 'taanz': 831431, 'olsen': 598767, 'swinging': 830417, 'travelagents': 930585, 'taanz ceo': 831432, 'ceo andrew': 169649, 'andrew olsen': 76190, 'olsen come': 598768, 'out swinging': 627288, 'swinging over': 830418, 'over comment': 630092, 'comment made': 188428, 'nz on': 578197, 'on radio': 603063, 'radio new': 695450, 'zealand crew': 1027274, 'crew memo': 216698, 'memo travelagents': 528408, 'travelagents airline': 930586, 'taanz ceo andrew': 831433, 'ceo andrew olsen': 169650, 'andrew olsen come': 76191, 'olsen come out': 598769, 'come out swinging': 187475, 'out swinging over': 627289, 'swinging over comment': 830419, 'over comment made': 630093, 'comment made by': 188429, 'made by consumer': 507667, 'by consumer nz': 152190, 'consumer nz on': 198231, 'nz on radio': 578198, 'on radio new': 603066, 'radio new zealand': 695451, 'new zealand crew': 559980, 'zealand crew memo': 1027275, 'crew memo travelagents': 216699, 'memo travelagents airline': 528409, 'brit and': 140326, 'gun if': 368696, 'wondered how': 1004053, 'far apart': 298704, 'are nation': 88184, 'nation this': 552338, 'brit and others': 140327, 'others are running': 621276, 'are running to': 89775, 'on food american': 600836, 'food american are': 313113, 'american are running': 51814, 'to buy gun': 902238, 'buy gun if': 148766, 'gun if you': 368697, 'ever wondered how': 285607, 'wondered how far': 1004054, 'how far apart': 407837, 'far apart we': 298706, 'apart we are': 81365, 'we are nation': 970634, 'are nation this': 88186, 'nation this is': 552339, 'this is it': 888297, 'cruise operator': 219699, 'chain pulled': 171018, 'pulled down': 688912, 'discretionary index': 244767, 'index in': 434204, 'fell 13': 303153, '13 during': 3210, 'the pandemic impact': 862995, 'impact on cruise': 417837, 'on cruise operator': 600177, 'cruise operator and': 219700, 'operator and department': 613342, 'store chain pulled': 806933, 'chain pulled down': 171019, 'pulled down the': 688913, 'down the amp': 257264, '500 consumer discretionary': 19966, 'consumer discretionary index': 197216, 'discretionary index in': 244769, 'index in march': 434205, 'march the amp': 515482, 'discretionary index fell': 244768, 'index fell 13': 434190, 'fell 13 during': 303154, '13 during the': 3211, 'during the month': 263156, 'found couple': 330182, 'couple bottle': 211570, 'like struck': 491250, 'struck gold': 814260, 'gold truestory': 356031, 'truestory handsanitizer': 933245, 'found couple bottle': 330183, 'couple bottle of': 211571, 'home today and': 402353, 'today and felt': 919204, 'and felt like': 62797, 'felt like struck': 303414, 'like struck gold': 491251, 'struck gold truestory': 814263, 'gold truestory handsanitizer': 356032, 'we emerge': 971438, 'to strategically': 915662, 'strategically plan': 812572, 'for temporary': 326198, 'temporary economic': 837608, 'shutdown similar': 768095, 'the banking': 849266, 'banking industry': 110436, 'industry experienced': 435810, 'post 2008': 665971, '2008 stress': 13696, 'we emerge from': 971439, 'crisis will consumer': 218407, 'will consumer business': 993000, 'consumer business need': 196678, 'need to strategically': 556092, 'to strategically plan': 915663, 'strategically plan for': 812573, 'plan for temporary': 658126, 'for temporary economic': 326199, 'temporary economic shutdown': 837609, 'economic shutdown similar': 267287, 'shutdown similar to': 768096, 'similar to what': 769943, 'to what the': 918524, 'what the banking': 982296, 'the banking industry': 849267, 'banking industry experienced': 110437, 'industry experienced during': 435811, 'during the post': 263175, 'the post 2008': 864080, 'post 2008 stress': 665972, '2008 stress test': 13697, 'investment real': 444046, 'clearly better': 181495, 'stock sector': 802811, 'low 20': 505080, 'reduced opening': 706124, '46 00': 19214, 'investment real estate': 444047, 'is clearly better': 446554, 'clearly better the': 181496, 'better the stock': 128550, 'the stock sector': 867924, 'stock sector wide': 802812, '19 the oil': 11223, 'to low 20': 909478, 'low 20 00': 505081, '20 00 per': 12862, '00 per barrel': 428, 'then reduced opening': 877466, 'reduced opening march': 706125, 'march at 46': 515286, 'at 46 00': 97664, '46 00 per': 19216, '00 per gram': 431, 'perhaps you': 651676, 'be reducing': 116741, 'reducing dividend': 706276, 'shareholder rather': 755484, 'than raising': 841068, 'customer lockdownuknow': 222586, 'perhaps you should': 651677, 'should be reducing': 765709, 'be reducing dividend': 116742, 'reducing dividend to': 706277, 'to shareholder rather': 914378, 'shareholder rather than': 755485, 'rather than raising': 697543, 'than raising price': 841069, 'price for customer': 673946, 'for customer lockdownuknow': 320511, 'customer lockdownuknow 19': 222587, 'government conspiracy': 359991, 'conspiracy to': 195586, 'make brown': 509750, 'brown skin': 141260, 'skin lighter': 773068, 'lighter look': 489636, 'hand rest': 375208, 'rest my': 716172, 'people codvid19': 647487, 'sanitizer is government': 735190, 'is government conspiracy': 448168, 'government conspiracy to': 359992, 'conspiracy to make': 195587, 'to make brown': 909631, 'make brown skin': 509751, 'brown skin lighter': 141261, 'skin lighter look': 773069, 'lighter look at': 489637, 'look at your': 502310, 'at your hand': 101680, 'your hand rest': 1024217, 'hand rest my': 375209, 'rest my case': 716173, 'my case you': 547632, 'case you been': 166123, 'you been warned': 1017431, 'been warned people': 122346, 'warned people codvid19': 967022, 'oncoming crowd': 605838, 'to oncoming crowd': 910907, 'oncoming crowd of': 605839, 'retail dive': 718038, '19 retail dive': 10202, 'of stuck': 590318, 'home ordering': 401789, 'essential read': 281444, 'from kirkham': 336177, 'kirkham askreuters': 475422, 'driver are worried': 259446, 'about their exposure': 26581, 'their exposure to': 873215, 'exposure to and': 293003, 'to and what': 900535, 'mean for all': 524432, 'all of stuck': 43710, 'of stuck at': 590319, 'at home ordering': 99071, 'home ordering food': 401790, 'ordering food essential': 618968, 'food essential read': 314384, 'essential read this': 281445, 'read this from': 700614, 'this from kirkham': 887629, 'from kirkham askreuters': 336178, 'kerrydigest': 473142, 'china emerges': 176637, 'emerges from': 273087, 'manufacturer worldwide': 513549, 'worldwide can': 1010329, 'country recovery': 210991, 'landscape foodindustry': 479398, 'foodindustry kerrydigest': 317975, 'kerrydigest access': 473143, 'access our': 28170, 'entire library': 278694, 'library of': 488075, 'of content': 581819, 'china emerges from': 176638, 'emerges from covid': 273088, 'beverage manufacturer worldwide': 129017, 'manufacturer worldwide can': 513550, 'worldwide can learn': 1010330, 'from the country': 337658, 'the country recovery': 852140, 'country recovery effort': 210992, 'recovery effort and': 705319, 'effort and changing': 269468, 'changing consumer landscape': 172675, 'consumer landscape foodindustry': 197990, 'landscape foodindustry kerrydigest': 479399, 'foodindustry kerrydigest access': 317976, 'kerrydigest access our': 473144, 'access our entire': 28171, 'our entire library': 622917, 'entire library of': 278695, 'library of content': 488076, '2020 perfect': 14508, 'in 2020 perfect': 419851, '2020 perfect gift': 14509, 'oaps': 578286, 'shuffling': 767761, 'literally full': 495005, 'of oaps': 587135, 'oaps shuffling': 578289, 'shuffling around': 767762, 'have just been': 381201, 'it wa literally': 462142, 'wa literally full': 962573, 'literally full of': 495006, 'full of oaps': 340742, 'of oaps shuffling': 587136, 'oaps shuffling around': 578290, 'shuffling around what': 767763, 'around what it': 93622, 'what it going': 981751, 'to take for': 916181, 'take for these': 832136, 'to take our': 916217, 'take our situation': 832439, 'our situation seriously': 624795, 'mobil to': 534931, '30 this': 17237, 'year sap': 1014937, 'sap energy': 736676, 'price oott': 675754, 'exxon mobil to': 293975, 'mobil to cut': 534932, 'by 30 this': 151634, '30 this year': 17239, 'this year sap': 891591, 'year sap energy': 1014938, 'sap energy demand': 736677, 'energy demand and': 276432, 'oil price oott': 597209, 'price oott ongt': 675755, 'urge landlord': 948199, 'forward updated': 330049, 'information relating': 437964, 'protection website': 685684, 'together and urge': 920708, 'and urge landlord': 74757, 'urge landlord and': 948200, 'and tenant to': 73116, 'tenant to talk': 837861, 'talk to each': 833876, 'other and work': 619836, 'and work out': 75857, 'work out way': 1005584, 'out way forward': 627788, 'way forward updated': 969595, 'forward updated information': 330050, 'updated information relating': 947390, 'information relating to': 437965, 'relating to these': 708659, 'to these change': 917335, 'these change is': 879740, 'change is available': 172149, 'consumer protection website': 198580, 'the wv': 872129, 'ag urge': 36849, 'they conduct': 881793, 'see suspicious': 745774, 'suspicious activity': 829711, 'activity call': 30396, 'hotline 800': 405233, 'the wv ag': 872130, 'wv ag urge': 1013619, 'ag urge consumer': 36850, 'be smart they': 117238, 'smart they conduct': 775440, 'they conduct business': 881794, 'conduct business during': 193638, 'you see suspicious': 1021070, 'see suspicious activity': 745775, 'suspicious activity call': 829712, 'activity call the': 30397, 'call the attorney': 156124, 'protection hotline 800': 685477, 'hotline 800 368': 405234, '8808 or visit': 23072, 'have stated': 382735, 'stated be': 796127, 'be meter': 115932, 'what protection': 982060, 'protection doe': 685405, 'daughter have': 226854, 'have working': 383636, 'waitrose on': 964470, 'basis they': 112279, 'offered ppe': 594962, 'opinion all': 613443, 'be praised': 116504, 'praised much': 668889, 'much nh': 545177, 'government have stated': 360187, 'have stated be': 382736, 'stated be meter': 796128, 'be meter apart': 115933, 'meter apart what': 529693, 'apart what protection': 81371, 'what protection doe': 982061, 'protection doe my': 685406, 'doe my wife': 251464, 'wife and daughter': 991891, 'and daughter have': 60961, 'daughter have working': 226855, 'have working at': 383637, 'working at waitrose': 1008531, 'at waitrose on': 101470, 'waitrose on daily': 964471, 'daily basis they': 224512, 'basis they are': 112280, 'are not offered': 88422, 'not offered ppe': 570725, 'offered ppe in': 594963, 'ppe in my': 667979, 'my opinion all': 549601, 'opinion all supermarket': 613444, 'should be praised': 765693, 'be praised much': 116506, 'praised much nh': 668890, 'much nh staff': 545178, 'india unable': 434663, 'india unable to': 434664, 'unable to take': 939350, 'advantage of drop': 32999, 'oil price report': 597236, 'flinch': 310580, 'china trillion': 177022, 'trillion loan': 931990, 'bursting consumer': 142966, 'consumer flinch': 197499, 'flinch via': 310581, 'economy economicimpact': 267825, 'economicimpact debt': 267418, 'debt finance': 230481, 'china trillion loan': 177023, 'trillion loan bubble': 931991, 'is bursting consumer': 446308, 'bursting consumer flinch': 142967, 'consumer flinch via': 197500, 'flinch via economy': 310582, 'via economy economicimpact': 955949, 'economy economicimpact debt': 267826, 'economicimpact debt finance': 267419, 'pandemic below': 634998, 'can maintain': 158917, 'maintain morale': 508997, 'ability supermarket': 24384, 'supermarket supermarket': 823033, '19 pandemic below': 9274, 'pandemic below are': 634999, 'you can maintain': 1017722, 'can maintain morale': 158919, 'maintain morale in': 508998, 'their job to': 873742, 'job to the': 466233, 'to the best': 916516, 'best of their': 127799, 'of their ability': 591638, 'their ability supermarket': 872446, 'ability supermarket supermarket': 24385, 'newsdesk': 561010, 'prioritizes': 678469, 'sitting representative': 772141, 'representative there': 712915, 'at newsdesk': 99875, 'newsdesk which': 561013, 'which prioritizes': 986238, 'prioritizes vulnerable': 678472, 'people rightly': 649307, 'slot soon': 774264, 'next window': 561721, 'window open': 995699, 'midnight how': 530745, 'come about': 187180, 'sitting representative there': 772142, 'representative there is': 712916, 'shelf of any': 757355, 'of any major': 580265, 'major supermarket at': 509484, 'supermarket at newsdesk': 819244, 'at newsdesk which': 99876, 'newsdesk which prioritizes': 561014, 'which prioritizes vulnerable': 986239, 'prioritizes vulnerable people': 678473, 'vulnerable people rightly': 961107, 'people rightly so': 649309, 'rightly so for': 722481, 'first hour no': 308714, 'hour no delivery': 405781, 'collection slot soon': 186474, 'slot soon the': 774265, 'soon the next': 785845, 'the next window': 861716, 'next window open': 561722, 'window open at': 995700, 'open at midnight': 612100, 'at midnight how': 99739, 'midnight how did': 530746, 'how did this': 407690, 'did this come': 240877, 'this come about': 886802, 'limited their': 492750, 'their activity': 872464, 'to minimizes': 910173, 'minimizes the': 533150, 'and conserve': 60309, 'conserve spending': 194929, 'said the cause': 731425, 'delay is because': 232716, 'is because the': 446021, 'because the company': 119617, 'ha limited their': 371152, 'limited their activity': 492751, 'their activity to': 872465, 'activity to critical': 30514, 'work to minimizes': 1005896, 'to minimizes the': 910174, 'minimizes the number': 533151, 'to and conserve': 900492, 'and conserve spending': 60310, 'conserve spending during': 194930, 'during the drop': 263117, 'rural iowa': 728251, 'iowa is': 444495, 'struggling we': 814528, 'help getting': 389806, 'foot long': 318403, 'overdue investment': 631198, 'america should': 51673, 'should prioritize': 766333, 'prioritize infrastructure': 678442, 'infrastructure rural': 438217, 'rural hospital': 728245, 'hospital internet': 404478, 'internet job': 441962, 'care skill': 164202, 'skill training': 772980, 'training in': 929342, 'future career': 342279, 'career such': 164359, 'healthcare technology': 387319, 'technology clean': 836268, 'rural iowa is': 728252, 'iowa is struggling': 444496, 'is struggling we': 452398, 'struggling we need': 814529, 'need help getting': 554984, 'help getting back': 389807, 'getting back on': 348859, 'our foot long': 623149, 'foot long overdue': 318404, 'long overdue investment': 501550, 'overdue investment in': 631199, 'investment in rural': 444012, 'in rural america': 427573, 'rural america should': 728217, 'america should prioritize': 51674, 'should prioritize infrastructure': 766334, 'prioritize infrastructure rural': 678443, 'infrastructure rural hospital': 438218, 'rural hospital internet': 728246, 'hospital internet job': 404479, 'internet job and': 441963, 'job and health': 465630, 'health care skill': 386249, 'care skill training': 164203, 'skill training in': 772981, 'training in future': 929343, 'in future career': 423196, 'future career such': 342280, 'career such healthcare': 164360, 'such healthcare technology': 816546, 'healthcare technology clean': 387320, 'technology clean energy': 836269, 'making immediate': 511123, 'immediate adjustment': 416964, 'to specific': 914972, 'specific consumer': 788207, 'to lessen': 909188, 'lessen financial': 486439, 'impact for': 417660, 'bank is making': 109951, 'is making immediate': 449545, 'making immediate adjustment': 511124, 'immediate adjustment to': 416965, 'adjustment to specific': 32384, 'to specific consumer': 914973, 'specific consumer and': 788208, 'small business service': 774890, 'business service to': 144365, 'service to lessen': 752982, 'to lessen financial': 909189, 'lessen financial impact': 486440, 'financial impact for': 306449, 'impact for those': 417662, 'rebalancing': 703240, 'read amp': 700270, 'rt these': 726823, 'these wise': 880976, 'from former': 335540, 'former chief': 329623, 'the silver': 867192, 'lining of': 493748, 'crisis rebalancing': 217949, 'rebalancing of': 703241, 'priority hedge': 678578, 'manager amp': 512664, 'amp investment': 54013, 'banker won': 110395, 'won ensure': 1003795, 'or tend': 617343, 'tend the': 837875, 'amp dying': 53687, 'dying during': 263810, 'read amp rt': 700271, 'amp rt these': 54415, 'rt these wise': 726824, 'these wise word': 880977, 'wise word from': 996704, 'word from former': 1004493, 'from former chief': 335541, 'former chief executive': 329624, 'executive of the': 289918, 'of the we': 591607, 'the we must': 871217, 'we must make': 972427, 'must make the': 546763, 'make the silver': 510584, 'the silver lining': 867193, 'silver lining of': 769826, 'lining of this': 493749, 'this crisis rebalancing': 887079, 'crisis rebalancing of': 217950, 'rebalancing of our': 703242, 'of our priority': 587547, 'our priority hedge': 624463, 'priority hedge fund': 678579, 'fund manager amp': 341452, 'manager amp investment': 512665, 'amp investment banker': 54014, 'investment banker won': 443970, 'banker won ensure': 110396, 'won ensure supermarket': 1003796, 'are full or': 86731, 'full or tend': 340785, 'or tend the': 617344, 'tend the sick': 837876, 'the sick amp': 867147, 'sick amp dying': 768358, 'amp dying during': 53688, 'for nervous': 323812, 'world caused': 1009402, 'virus ban': 957988, 'export from': 292640, 'ha swinnen': 372131, 'swinnen ban': 830421, 'ban tracking': 109286, 'tracking system': 928365, 'food for nervous': 314558, 'for nervous world': 323813, 'nervous world caused': 557490, 'world caused by': 1009403, 'by the corona': 154296, 'corona virus ban': 204290, 'virus ban on': 957989, 'ban on export': 109229, 'on export from': 600685, 'export from the': 292642, 'country are still': 210483, 'are still limited': 90444, 'but can cause': 145346, 'can cause panic': 157885, 'cause panic and': 167691, 'raise price which': 695936, 'which is bad': 985986, 'the poor ha': 863976, 'poor ha swinnen': 664189, 'ha swinnen ban': 372132, 'swinnen ban tracking': 830422, 'ban tracking system': 109287, 'talk will': 833917, 'will weaken': 995337, 'weaken the': 974054, 'credit profile': 216461, 'profile of': 682624, 'exporting sovereign': 292776, 'sovereign although': 786938, 'from country': 335042, 'lower price caused': 505955, 'and the failure': 73363, 'failure of talk': 296284, 'of talk will': 590590, 'talk will weaken': 833918, 'will weaken the': 995338, 'weaken the credit': 974055, 'the credit profile': 852317, 'credit profile of': 216463, 'profile of oil': 682626, 'of oil exporting': 587181, 'oil exporting sovereign': 596783, 'exporting sovereign although': 292777, 'sovereign although the': 786939, 'although the impact': 49361, 'the impact will': 857951, 'impact will vary': 418049, 'will vary from': 995296, 'vary from country': 952671, 'from country to': 335044, 'country to country': 211161, 'true had': 933092, 'bar that': 110777, 'restaurant well': 716791, 'convince my': 202648, 'grandparent that': 361989, 'that church': 843223, 'and morning': 67233, 'coffee could': 185478, 'true had to': 933093, 'had to remind': 373718, 'myself that it': 550946, 'just the bar': 469990, 'the bar that': 849274, 'bar that wrong': 110780, 'that wrong but': 847698, 'wrong but the': 1013009, 'but the restaurant': 147399, 'the restaurant well': 865664, 'restaurant well can': 716792, 'store that all': 810543, 'that all but': 842539, 'all but also': 42245, 'but also had': 145120, 'had to convince': 373680, 'to convince my': 903473, 'convince my grandparent': 202649, 'my grandparent that': 548561, 'grandparent that church': 361990, 'that church and': 843224, 'church and morning': 178333, 'and morning coffee': 67234, 'morning coffee could': 541219, 'coffee could take': 185480, 'could take break': 209747, 'are potentially': 89163, 'clown contaminated': 184360, 'contaminated my': 200663, 'with might': 999498, 'that are potentially': 842799, 'are potentially infected': 89164, 'potentially infected scare': 667216, 'these clown contaminated': 879770, 'clown contaminated my': 184361, 'contaminated my local': 200664, 'store with might': 811387, 'with might die': 999499, 'prayingforall': 669120, 'responder medical': 715492, 'and security': 71123, 'security personnel': 744710, 'personnel these': 653159, 'thankful stay': 841920, 'everyone prayingforall': 287299, 'bless all first': 132581, 'first responder medical': 308953, 'responder medical worker': 715494, 'employee and security': 273582, 'and security personnel': 71126, 'security personnel these': 744711, 'personnel these are': 653160, 'these are some': 879636, 'the few people': 855119, 'few people that': 303991, 'work through these': 1005867, 'through these tough': 894798, 'time for one': 896734, 'for one am': 324076, 'one am extremely': 605888, 'am extremely thankful': 50039, 'extremely thankful stay': 293930, 'thankful stay safe': 841921, 'safe everyone prayingforall': 729649, 'killing grocery': 474680, 'is killing grocery': 449204, 'killing grocery worker': 474681, '19 brought': 5456, 'consumer update': 199422, 'report explores': 711926, 'explores how': 292526, 'people navigate': 648812, 'challenge presented': 171533, 'life click': 488560, 'what change to': 981206, 'change to consumer': 172343, 'behaviour ha covid': 124436, 'covid 19 brought': 212735, '19 brought about': 5457, 'brought about our': 141132, 'about our latest': 25895, 'latest consumer update': 481265, 'consumer update report': 199425, 'update report explores': 947195, 'report explores how': 711927, 'explores how brand': 292527, 'help people navigate': 390300, 'people navigate the': 648813, 'navigate the challenge': 553077, 'the challenge presented': 850650, 'challenge presented by': 171534, 'presented by the': 670660, 'by the change': 154280, 'change in our': 172126, 'daily life click': 224658, 'life click the': 488561, 'time say': 897618, 'broken you': 140929, 'can bag': 157566, 'bag them': 108415, 'them yourself': 876685, 'crisis thanks': 218144, 'next time say': 561606, 'time say this': 897619, 'say this to': 739375, 'the customer if': 852723, 'customer if your': 222482, 'your hand are': 1024165, 'hand are not': 374801, 'not broken you': 568630, 'broken you can': 140930, 'you can bag': 1017627, 'can bag them': 157567, 'bag them yourself': 108416, 'them yourself we': 876687, 'yourself we must': 1026745, 'part during the': 642267, 'the crisis thanks': 852458, 'crisis thanks for': 218145, 'thanks for shopping': 842076, 'for shopping at': 325577, 'at our store': 100034, 'our store retail': 624953, 'buy slowly': 149183, 'slowly stock': 774624, 'extra but': 293465, 'buy check': 148487, 'related tip': 708588, '19 it important': 8136, 'to have enough': 907236, 'food for about': 314517, 'for about two': 318982, 'about two week': 26798, 'two week but': 937323, 'week but don': 976033, 'panic buy slowly': 637528, 'buy slowly stock': 149184, 'slowly stock up': 774625, 'up on few': 945562, 'on few extra': 600779, 'few extra but': 303831, 'extra but do': 293466, 'panic buy check': 637474, 'buy check our': 148488, 'website for food': 975269, 'for food related': 321621, 'food related tip': 316154, 'related tip at': 708589, 'told only': 923652, 'item surely': 463677, 'surely shopping': 827929, 'is substantial': 452414, 'substantial enough': 816051, 'supermarket stopped': 822998, 'stopped the': 805763, 'shopping trollies': 764268, 'trollies should': 932518, 'not view': 572400, 'view welcome': 957179, 'being told only': 125967, 'told only to': 923653, 'only to go': 611361, 'essential item surely': 281229, 'item surely shopping': 463678, 'surely shopping basket': 827930, 'shopping basket is': 762163, 'basket is substantial': 112362, 'is substantial enough': 452415, 'substantial enough for': 816052, 'enough for these': 277442, 'for these item': 326971, 'these item have': 880196, 'item have any': 463317, 'have any supermarket': 379322, 'any supermarket stopped': 79910, 'supermarket stopped the': 822999, 'stopped the use': 805766, 'use of shopping': 949426, 'of shopping trollies': 589673, 'shopping trollies should': 764269, 'trollies should they': 932519, 'should they not': 766586, 'they not be': 882787, 'not be considering': 568366, 'be considering this': 114208, 'considering this if': 195437, 'this if not': 887998, 'if not view': 414516, 'not view welcome': 572401, 'millenial': 531983, 'novel case': 573744, 'more restriction': 540252, 'place consumer': 657391, 'reality many': 701756, 'many boomer': 513831, 'are joining': 87599, 'joining their': 466994, 'their millenial': 873969, 'millenial counterpart': 531984, 'counterpart and': 210339, 'shopping mrx': 763302, 'mrx consumerinsights': 544471, 'novel case rise': 573745, 'case rise and': 165988, 'rise and more': 722780, 'and more restriction': 67210, 'more restriction are': 540253, 'restriction are put': 717224, 'are put in': 89350, 'in place consumer': 426729, 'place consumer are': 657392, 'new reality many': 559401, 'reality many boomer': 701757, 'many boomer are': 513832, 'boomer are joining': 134842, 'are joining their': 87601, 'joining their millenial': 466995, 'their millenial counterpart': 873970, 'millenial counterpart and': 531985, 'counterpart and are': 210340, 'online shopping mrx': 609191, 'shopping mrx consumerinsights': 763303, 'ontariotogether': 611647, 'stophoarding ontariotogether': 805435, 'brilliant idea 19': 139856, 'idea 19 stophoarding': 412996, '19 stophoarding ontariotogether': 10872, 'no fancy': 564190, 'fancy story': 298555, 'worse can': 1010902, 'anywhere thank': 81154, 'baby ha': 106635, 'ha his': 370872, 'milk without': 531916, 'without fail': 1002636, 'fail twice': 296115, 'week shop': 976863, 'shop rarely': 760700, 'any stop': 79853, 'panicking because': 639324, 'no fancy story': 564191, 'fancy story for': 298556, 'for me this': 323343, 'me this is': 523714, 'is my life': 449800, 'life and to': 488491, 'it worse can': 462547, 'worse can buy': 1010903, 'buy food anywhere': 148632, 'food anywhere thank': 313398, 'anywhere thank god': 81155, 'thank god for': 841579, 'god for my': 354696, 'for my baby': 323674, 'my baby ha': 547367, 'baby ha his': 106636, 'ha his milk': 370873, 'his milk without': 397610, 'milk without fail': 531917, 'without fail twice': 1002637, 'fail twice week': 296116, 'twice week shop': 936556, 'week shop rarely': 976864, 'shop rarely have': 760701, 'rarely have any': 697113, 'have any stop': 379320, 'any stop panic': 79854, 'buying because we': 150003, 'we are panicking': 970654, 'are panicking because': 88971, 'panicking because we': 639325, 'because we cant': 119794, 'we cant buy': 971093, 'unbelievable president': 939508, 'theoretically': 877834, 'protracted': 686014, 'the timing': 869639, 'timing of': 898515, 'of returning': 589074, 'different issue': 241972, 'issue if': 455794, 'clerk can': 181673, 'then theoretically': 877631, 'theoretically other': 877835, 'timing cannot': 898509, 'be estimated': 114703, 'estimated must': 282298, 'be planned': 116430, 'planned because': 658443, 'because business': 118964, 'business cannot': 143501, 'afford protracted': 34745, 'protracted war': 686017, 'duration of war': 262372, 'war and the': 966363, 'and the timing': 73617, 'the timing of': 869641, 'timing of returning': 898516, 'of returning to': 589075, 'returning to work': 720026, 'work are different': 1004830, 'are different issue': 85815, 'different issue if': 241973, 'issue if grocery': 455795, 'store clerk can': 806999, 'clerk can work': 181674, 'can work now': 160250, 'work now then': 1005509, 'now then theoretically': 576085, 'then theoretically other': 877632, 'theoretically other people': 877836, 'other people can': 620660, 'can work well': 160254, 'work well the': 1005990, 'well the timing': 978667, 'the timing cannot': 869640, 'timing cannot be': 898510, 'cannot be estimated': 161637, 'be estimated must': 114705, 'estimated must be': 282299, 'must be planned': 546530, 'be planned because': 116431, 'planned because business': 658444, 'because business cannot': 118965, 'business cannot afford': 143502, 'cannot afford protracted': 161610, 'afford protracted war': 34746, '8216': 22818, '8217': 22821, 'canadian 8216': 160631, '8216 do': 22819, 'panic 8217': 637249, '8217 about': 22822, 'canadian 8216 do': 160632, '8216 do not': 22820, 'to panic 8217': 911379, 'panic 8217 about': 637250, '8217 about food': 22823, 'cathedral': 167287, 'stpatricksday': 812181, 'saks fifth': 731894, 'fifth avenue': 304567, 'avenue ha': 104773, 'their manhattan': 873907, 'manhattan flagship': 513133, 'week watch': 977183, 'this livestream': 888673, 'livestream showing': 496290, 'showing saks': 767497, 'saks store': 731896, 'store fifth': 807715, 'avenue st': 104787, 'patrick cathedral': 644353, 'cathedral to': 167288, 'how empty': 407801, 'empty nyc': 274972, 'is stpatricksday': 452355, 'stpatricksday parade': 812184, 'parade would': 641297, 'saks fifth avenue': 731895, 'fifth avenue ha': 304568, 'avenue ha closed': 104774, 'ha closed their': 370177, 'closed their manhattan': 183377, 'their manhattan flagship': 873908, 'manhattan flagship store': 513134, 'flagship store for': 309965, 'store for up': 807851, 'up to week': 946447, 'to week watch': 918476, 'week watch this': 977184, 'watch this livestream': 968574, 'this livestream showing': 888674, 'livestream showing saks': 496291, 'showing saks store': 767498, 'saks store fifth': 731897, 'store fifth avenue': 807716, 'fifth avenue st': 304569, 'avenue st patrick': 104788, 'st patrick cathedral': 791744, 'patrick cathedral to': 644354, 'cathedral to see': 167289, 'see how empty': 745230, 'how empty nyc': 407802, 'empty nyc is': 274973, 'nyc is stpatricksday': 578001, 'is stpatricksday parade': 452356, 'stpatricksday parade would': 812185, 'parade would have': 641298, 'would have taken': 1011898, 'have taken place': 382915, 'taken place here': 833052, 'place here retail': 657490, 'the 71': 848187, '71 year': 21982, 'kent county': 472820, 'county man': 211435, 'first time we': 309121, 'learning about the': 484179, 'about the 71': 26330, 'the 71 year': 848188, '71 year old': 21983, 'year old kent': 1014841, 'old kent county': 598312, 'kent county man': 472821, 'county man who': 211436, 'man who died': 512325, 'but lack': 146242, 'problem supply': 679692, 'enough but lack': 277335, 'but lack of': 146243, 'and supply is': 72796, 'supply is problem': 825454, 'is problem supply': 451055, 'problem supply due': 679693, 'doctor and vital': 250827, 'and vital worker': 75005, 'de sad': 229101, 'that unfortunate': 847176, 'unfortunate somehow': 941570, 'somehow mine': 784329, 'mine is': 532903, 'still saying': 801136, 'de sad that': 229102, 'sad that unfortunate': 729257, 'that unfortunate somehow': 847178, 'unfortunate somehow mine': 941571, 'somehow mine is': 784330, 'mine is still': 532906, 'is still saying': 452308, 'still saying it': 801137, 'saying it ll': 739625, 'll be on': 496605, 'be on time': 116215, 'on time but': 604706, 'time but amazon': 896414, 'but amazon is': 145171, 'with essential right': 998257, 'right now since': 722137, 'now since everyone': 575833, 'everyone is online': 287093, 'selfprotect': 748556, 'jantacurfew everything': 464596, 'closed lockdown': 183208, 'open bank': 612110, 'bank open': 110071, 'open bakery': 612108, 'bakery open': 108871, 'have curfew': 380172, 'curfew protect': 220916, 'protect self': 684943, 'self from': 747643, 'from selfprotect': 337205, 'jantacurfew everything wa': 464597, 'everything wa closed': 288073, 'wa closed lockdown': 961828, 'closed lockdown grocery': 183209, 'store open restaurant': 809262, 'open restaurant open': 612484, 'restaurant open bank': 716609, 'open bank open': 612111, 'bank open bakery': 110072, 'open bakery open': 612109, 'bakery open it': 108872, 'open it better': 612339, 'to have curfew': 907225, 'have curfew protect': 380173, 'curfew protect self': 220917, 'protect self from': 684944, 'self from selfprotect': 747644, 'durban': 262373, '19 durban': 6671, 'durban butchery': 262374, 'butchery owner': 148084, 'owner arrested': 632393, 'allegedly inflating': 45687, 'covid 19 durban': 212992, '19 durban butchery': 6672, 'durban butchery owner': 262375, 'butchery owner arrested': 148085, 'owner arrested for': 632394, 'for allegedly inflating': 319195, 'allegedly inflating price': 45688, 'people horror': 648297, 'horror moment': 404199, 'moment man': 535986, 'man remove': 512205, 'remove face': 710816, 'and appears': 58257, 'to spit': 915019, 'supermarket fruit': 820465, 'with people horror': 1000152, 'people horror moment': 648298, 'horror moment man': 404200, 'moment man remove': 535987, 'man remove face': 512206, 'remove face mask': 710817, 'mask and appears': 518308, 'and appears to': 58258, 'appears to spit': 82220, 'to spit on': 915020, 'on supermarket fruit': 603789, 'clear this': 181372, 'certainly not': 170171, 'post saw': 666305, 'and chose': 59879, 'twitter to': 936728, 'are disgusted': 85856, 'it clear this': 457163, 'clear this is': 181374, 'not me not': 570548, 'me not my': 523228, 'home and certainly': 400623, 'and certainly not': 59697, 'certainly not my': 170174, 'not my good': 570619, 'my good this': 548537, 'this is post': 888360, 'is post saw': 450957, 'post saw on': 666306, 'saw on fb': 738190, 'on fb and': 600746, 'fb and chose': 300641, 'and chose to': 59880, 'chose to post': 178026, 'to post it': 911912, 'post it on': 666187, 'it on twitter': 460065, 'on twitter to': 604930, 'twitter to show': 936730, 'show how selfish': 766991, 'people are disgusted': 646955, 'is doomed': 447331, 'doomed virginia': 255450, 'police qanon': 663177, 'humanity is doomed': 410744, 'is doomed virginia': 447332, 'doomed virginia teen': 255451, 'store police qanon': 809610, 'jio': 465532, 'finally something': 306103, 'something good': 784924, 'india richest': 434596, 'without him': 1002720, 'him investing': 396641, 'investing his': 443927, 'his lakh': 397563, 'lakh of': 479116, 'of crore': 582216, 'crore into': 218960, 'into jio': 442679, 'jio india': 465533, 'india wouldn': 434699, 'largest per': 479996, 'per capital': 650732, 'capital consumer': 162647, 'world why': 1010177, 'why small': 991350, 'small thank': 775148, 'you note': 1020136, 'to mukesh': 910341, 'ambani via': 51280, 'finally something good': 306104, 'something good about': 784925, 'good about india': 356680, 'about india richest': 25526, 'india richest man': 434597, 'richest man without': 721348, 'man without him': 512360, 'without him investing': 1002722, 'him investing his': 396642, 'investing his lakh': 443928, 'his lakh of': 397564, 'lakh of crore': 479117, 'of crore into': 582217, 'crore into jio': 218961, 'into jio india': 442680, 'jio india wouldn': 465534, 'india wouldn have': 434700, 'wouldn have become': 1012474, 'become the largest': 120159, 'the largest per': 858972, 'largest per capital': 479997, 'per capital consumer': 650733, 'capital consumer of': 162648, 'consumer of data': 198238, 'of data in': 582356, 'the world why': 872007, 'world why small': 1010178, 'why small thank': 991351, 'small thank you': 775149, 'thank you note': 841790, 'you note is': 1020137, 'note is due': 572745, 'due to mukesh': 261870, 'to mukesh ambani': 910342, 'mukesh ambani via': 545611, 'happier': 377541, 're ordering': 699215, 'ordering item': 618978, 'easyfundraising the': 265822, 'scheme raise': 741580, 'for with': 327895, 'all happier': 43036, 'happier shopping': 377542, 'you re ordering': 1020694, 're ordering item': 699216, 'ordering item please': 618979, 'item please remember': 463573, 'remember to do': 710370, 'do so online': 250100, 'so online through': 777954, 'online through easyfundraising': 609567, 'through easyfundraising the': 894437, 'easyfundraising the scheme': 265823, 'the scheme raise': 866484, 'scheme raise fund': 741581, 'fund for with': 341412, 'for with no': 327896, 'with no cost': 999743, 'no cost to': 563909, 'cost to you': 208144, 'at all happier': 97884, 'all happier shopping': 43037, 'happier shopping 19': 377543, 'storeclerks': 811707, 'grocerystoreclerksstaysafe': 366348, 'storeclerks we': 811708, 'clerk the': 181787, 'pandemic grocerystoreclerksstaysafe': 635520, 'storeclerks we will': 811709, 'we will look': 973879, 'look back and': 502313, 'be the grocery': 117616, 'store clerk the': 807030, 'clerk the unsung': 181788, 'this pandemic grocerystoreclerksstaysafe': 889389, 'testing know': 839550, 'actual but': 30635, 'idea lab': 413109, 'consumer testing know': 199258, 'testing know we': 839551, 'know we want': 476933, 'know the actual': 476806, 'the actual but': 848316, 'actual but is': 30636, 'but is this': 146085, 'is this good': 453089, 'this good idea': 887724, 'good idea lab': 357216, 'soo what': 785598, 'this do': 887264, 'soo what about': 785599, 'during all this': 262436, 'all this do': 45101, 'this do we': 887266, 'get to close': 348461, 'to close at': 902859, 'cambridgeuniversity': 156950, 'openingtimes': 612952, 'updated beer': 947347, 'beer time': 122520, 'price cambridge': 673049, 'cambridge cambridgeuniversity': 156941, 'cambridgeuniversity openingtimes': 156951, 'openingtimes fucoronavirus': 612953, 'fucoronavirus hospitality': 340096, 'hospitality funny': 404770, 'funny pub': 341777, 'updated beer time': 947348, 'beer time and': 122521, 'time and price': 896289, 'and price cambridge': 69442, 'price cambridge cambridgeuniversity': 673050, 'cambridge cambridgeuniversity openingtimes': 156942, 'cambridgeuniversity openingtimes fucoronavirus': 156952, 'openingtimes fucoronavirus hospitality': 612954, 'fucoronavirus hospitality funny': 340097, 'hospitality funny pub': 404771, 'rogue': 725026, 'about rogue': 26110, 'rogue doctor': 725031, 'time who': 898334, 'ha allegedly': 369487, 'allegedly made': 45691, 'over 2m': 629815, '2m selling': 16708, 'selling covid': 749204, 'at massively': 99689, 'massively inflated': 520183, 'start by': 794240, 'by taxing': 154219, 'taxing that': 835185, 'that twat': 847143, 'his profit': 397735, 'read about rogue': 700255, 'about rogue doctor': 26111, 'rogue doctor in': 725032, 'doctor in the': 250964, 'the time who': 869633, 'time who ha': 898335, 'who ha allegedly': 988831, 'ha allegedly made': 369488, 'allegedly made over': 45692, 'made over 2m': 507904, 'over 2m selling': 629816, '2m selling covid': 16709, 'selling covid 19': 749205, 'test at massively': 838928, 'at massively inflated': 99690, 'massively inflated price': 520184, 'can start by': 159726, 'start by taxing': 794243, 'by taxing that': 154220, 'taxing that twat': 835186, 'that twat at': 847144, 'twat at 100': 936258, 'at 100 of': 97415, '100 of his': 1983, 'of his profit': 584664, 'can covid': 158013, 'already piss': 47570, 'piss you': 656960, 'off went': 594371, 'my brand': 547532, 'of brown': 580914, 'brown rice': 141256, 'or bunch': 614594, 'get boujee': 346701, 'boujee if': 136790, 'latter reason': 481685, 'reason stop': 702991, 'hard here': 377930, 'can covid 19': 158014, '19 already piss': 4923, 'already piss you': 47571, 'piss you off': 656961, 'you off went': 1020179, 'off went to': 594373, 'get my brand': 347628, 'my brand of': 547533, 'brand of brown': 137942, 'of brown rice': 580915, 'brown rice and': 141257, 'rice and there': 721002, 'none left it': 566584, 'left it either': 485529, 'it either that': 457779, 'either that or': 270386, 'that or bunch': 845542, 'or bunch of': 614595, 'bunch of people': 142632, 'to get boujee': 906427, 'get boujee if': 346702, 'boujee if it': 136791, 'if it the': 414337, 'it the latter': 461554, 'the latter reason': 859166, 'latter reason stop': 481686, 'reason stop it': 702992, 'stop it hard': 804783, 'it hard here': 458487, 'hard here for': 377931, 'here for student': 393012, 'on thus': 604687, 'thus morning': 895523, 'morning guelph': 541274, 'guelph ontario': 367946, 'gas in guelph': 343871, 'guelph on thus': 367945, 'on thus morning': 604688, 'thus morning guelph': 895524, 'morning guelph ontario': 541275, 'robyn': 724860, '5livebreakfast': 20751, 'anna usually': 76776, 'with resident': 1000475, 'resident living': 714327, 'with dementia': 997998, 'dementia but': 236631, 'go because': 353370, 'lockdown daughter': 499294, 'daughter robyn': 226900, 'robyn is': 724861, 'tell 5livebreakfast': 836893, '5livebreakfast what': 20752, 'what work': 982629, 'work been': 1004927, 'like listen': 490647, 'anna usually work': 76777, 'work in care': 1005298, 'in care home': 421246, 'care home with': 164005, 'home with resident': 402536, 'with resident living': 1000476, 'resident living with': 714328, 'living with dementia': 496487, 'with dementia but': 998000, 'dementia but cannot': 236632, 'but cannot go': 145382, 'cannot go because': 161925, 'go because of': 353371, 'the lockdown daughter': 859592, 'lockdown daughter robyn': 499295, 'daughter robyn is': 226901, 'robyn is still': 724862, 'at supermarket she': 100767, 'supermarket she tell': 822410, 'she tell 5livebreakfast': 756375, 'tell 5livebreakfast what': 836894, '5livebreakfast what work': 20753, 'what work been': 982631, 'work been like': 1004928, 'been like listen': 121458, 'like listen live': 490648, 'listen live on': 494692, 'ugx': 938070, 'on ug': 604944, 'ug economy': 937956, 'economy low': 268048, 'low tourism': 505702, 'tourism no': 926999, 'business suffer': 144441, 'suffer reduced': 817226, 'reduced forex': 706084, 'forex ugx': 329177, 'ugx depreciation': 938071, 'depreciation supply': 237569, 'china low': 176806, 'low import': 505328, 'import reduced': 418664, 'price raise': 676059, 'raise reduced': 695943, 'reduced excise': 706070, 'duty low': 263588, 'low tax': 505657, 'tax increased': 835017, 'increased borrowing': 433218, 'borrowing budget': 135631, 'budget constraint': 141769, '19 on ug': 8971, 'on ug economy': 604945, 'ug economy low': 937957, 'economy low tourism': 268049, 'low tourism no': 505703, 'tourism no business': 927000, 'no business suffer': 563743, 'business suffer reduced': 144442, 'suffer reduced forex': 817227, 'reduced forex ugx': 706085, 'forex ugx depreciation': 329178, 'ugx depreciation supply': 938072, 'depreciation supply chain': 237570, 'from china low': 334865, 'china low import': 176807, 'low import reduced': 505329, 'import reduced supply': 418665, 'reduced supply increased': 706178, 'supply increased demand': 825420, 'increased demand price': 433286, 'demand price raise': 236068, 'price raise reduced': 676061, 'raise reduced excise': 695944, 'reduced excise duty': 706071, 'excise duty low': 289516, 'duty low tax': 263589, 'low tax increased': 505658, 'tax increased borrowing': 835018, 'increased borrowing budget': 433219, 'borrowing budget constraint': 135632, 'bospoli': 135724, 'stall in': 793364, 'ha shuttered': 371933, 'shuttered temporarily': 768222, 'temporarily but': 837441, 'online including': 608410, 'including gift': 431982, 'card boston': 163479, 'boston bospoli': 135785, 'bospoli mapoli': 135725, 'stall in the': 793365, 'the ha shuttered': 857021, 'ha shuttered temporarily': 371934, 'shuttered temporarily but': 768223, 'temporarily but you': 837442, 'order online including': 618472, 'online including gift': 608411, 'including gift card': 431983, 'gift card boston': 349938, 'card boston bospoli': 163480, 'boston bospoli mapoli': 135786, 'shock for': 759446, 'competition lawyer': 191707, 'lawyer supermarket': 482567, 'essential facility': 281023, 'facility tamma': 295378, 'shock for competition': 759447, 'for competition lawyer': 320213, 'competition lawyer supermarket': 191708, 'lawyer supermarket essential': 482568, 'supermarket essential facility': 820201, 'essential facility tamma': 281024, 'ikea are': 416028, '19 luckily': 8484, 'still shop': 801186, 'at ikea': 99257, 'ikea ikea': 416043, 'ikea netherlands': 416047, 'ikea are closing': 416029, 'closing all over': 183578, 'over the netherlands': 630741, 'covid 19 luckily': 213382, '19 luckily for': 8485, 'luckily for we': 506500, 'for we can': 327656, 'can still shop': 159793, 'still shop online': 801187, 'online at ikea': 607887, 'at ikea ikea': 99259, 'ikea ikea netherlands': 416044, 'sad londonlockdown': 729191, 'londonlockdown coronacrisis': 501252, 'so sad londonlockdown': 778141, 'sad londonlockdown coronacrisis': 729192, 'londonlockdown coronacrisis stophoarding': 501253, 'that fall': 843825, 'worker category': 1006618, 'category should': 167213, 'with adequate': 997100, 'adequate protective': 32176, 'gear in': 344959, 'safely interact': 730287, 'yorkers among': 1016697, 'those worker': 892742, 'the laundromat': 859173, 'laundromat supermarket': 482099, 'any worker that': 80056, 'worker that fall': 1007913, 'that fall under': 843826, 'fall under the': 297104, 'essential worker category': 281822, 'worker category should': 1006619, 'category should be': 167214, 'provided with adequate': 686663, 'with adequate protective': 997101, 'adequate protective gear': 32177, 'protective gear in': 685756, 'gear in order': 344960, 'order to safely': 618704, 'to safely interact': 913717, 'safely interact with': 730288, 'interact with new': 441208, 'with new yorkers': 999715, 'new yorkers among': 559963, 'yorkers among those': 1016698, 'among those worker': 53101, 'those worker are': 892743, 'are the laundromat': 90851, 'the laundromat supermarket': 859174, 'laundromat supermarket and': 482100, 'supermarket and delivery': 818962, 'concern thank': 193105, 'you charles': 1017924, 'their concern thank': 872840, 'concern thank you': 193106, 'thank you charles': 841707, 'dormant': 255899, 'economic cycle': 267040, 'cycle are': 224035, 'are reality': 89466, 'and disease': 61425, 'become dormant': 119972, 'dormant when': 255900, 'when gdp': 983455, 'gdp or': 344905, 'or share': 617032, 'fall it': 296977, 'have required': 382279, 'required the': 713386, 'this undeniable': 890903, 'undeniable fact': 939946, 'fact to': 295833, 'economic cycle are': 267041, 'cycle are reality': 224036, 'are reality and': 89467, 'reality and disease': 701697, 'and disease don': 61426, 'disease don become': 245125, 'don become dormant': 253380, 'become dormant when': 119973, 'dormant when gdp': 255901, 'when gdp or': 983456, 'gdp or share': 344906, 'or share price': 617033, 'price fall it': 673788, 'fall it should': 296978, 'not have required': 569862, 'have required the': 382281, 'required the covid': 713387, 'pandemic for this': 635452, 'for this undeniable': 327082, 'this undeniable fact': 890904, 'undeniable fact to': 939947, 'fact to be': 295834, 'mcdonaldscoffee': 522166, 'coffee from': 185485, 'is surprisingly': 452496, 'surprisingly good': 828649, 'good ralphs': 357612, 'ralphs mcdonaldscoffee': 696310, 'mcdonaldscoffee grocerystore': 522167, 'coffee from the': 185487, 'store is surprisingly': 808537, 'is surprisingly good': 452498, 'surprisingly good ralphs': 828650, 'good ralphs mcdonaldscoffee': 357613, 'ralphs mcdonaldscoffee grocerystore': 696311, 'further evidence': 342045, 'carrier facemask': 164977, 'facemask disinfectant': 295072, 'sanitizer asymptomatic': 734498, 'may show': 521496, 'coronavirus tough': 206958, 'here is further': 393226, 'is further evidence': 447990, 'further evidence of': 342046, 'of asymptomatic covid': 580415, '19 carrier facemask': 5654, 'carrier facemask disinfectant': 164978, 'facemask disinfectant sanitizer': 295073, 'disinfectant sanitizer asymptomatic': 245746, 'sanitizer asymptomatic flu': 734499, 'infected may show': 436595, 'may show no': 521497, 'no symptom making': 565657, 'symptom making coronavirus': 830866, 'making coronavirus tough': 511007, 'coronavirus tough to': 206959, 'tough to tackle': 926873, 'the outbreak via': 862718, 'consumption download': 199862, 'medium consumption download': 527057, 'consumption download our': 199863, 'infographic to find': 437643, 'asthma are': 97183, 'many suggest': 514750, 'suggest online': 817526, 'yes but my': 1015394, 'but my son': 146440, 'my son have': 550157, 'son have asthma': 785386, 'have asthma are': 379372, 'asthma are higher': 97184, 'are higher risk': 87159, 'higher risk if': 395728, 'risk if we': 723620, 'we get so': 971626, 'get so we': 348030, 'so we like': 778673, 'like to avoid': 491577, 'going out so': 355391, 'out so many': 627202, 'so many suggest': 777710, 'many suggest online': 514751, 'suggest online shopping': 817527, 'shopping but it': 762248, 'not so simple': 571625, 'so simple with': 778223, 'simple with long': 770137, 'with long wait': 999307, 'long wait time': 501811, 'colorado largest': 186803, 'producer cutting': 680604, 'cutting pay': 223758, 'pay hour': 644943, 'colorado largest oil': 186804, 'largest oil gas': 479990, 'gas producer cutting': 344064, 'producer cutting pay': 680605, 'cutting pay hour': 223759, 'pay hour of': 644944, 'hour of employee': 405794, 'employee to weather': 274341, 'weather the economic': 974900, 'the economic storm': 853919, 'economic storm of': 267320, 'storm of falling': 811823, 'pump continue': 689039, 'the pump continue': 864897, 'pump continue to': 689040, 'amidst one': 52809, 'one worldwide': 607507, 'worldwide emergency': 1010346, 'emergency let': 272780, 'not worsen': 572575, 'worsen another': 1011065, 'another wash': 77953, 'save much': 737593, 'simply use': 770311, '19 lockdownnow': 8451, 'lockdownnow stayhomesavelives': 500343, 'amidst one worldwide': 52810, 'one worldwide emergency': 607508, 'worldwide emergency let': 1010347, 'emergency let not': 272781, 'let not worsen': 486947, 'not worsen another': 572576, 'worsen another wash': 1011066, 'another wash and': 77954, 'wash and save': 967435, 'and save much': 70955, 'save much you': 737594, 'you can or': 1017738, 'can or simply': 159164, 'or simply use': 617093, 'simply use sanitizer': 770312, 'use sanitizer 19': 949534, 'sanitizer 19 lockdownnow': 734283, '19 lockdownnow stayhomesavelives': 8452, 'gonna tweet': 356642, 'tweet this': 936412, 'volunteer fighting': 960259, 'gonna tweet this': 356643, 'tweet this again': 936413, 'this again to': 886247, 'again to all': 37233, 'all the hospital': 44787, 'the hospital worker': 857543, 'hospital worker first': 404738, 'and volunteer fighting': 75027, 'volunteer fighting this': 960260, 'fighting this virus': 305142, 'tx fyi': 937440, 'fyi small': 342644, 'town who': 927588, 'positive may': 665365, 'be reporting': 116806, 'reporting positive': 712737, 'reporting where': 712784, 'where person': 985111, 'person work': 652751, 'others citing': 621330, 'citing hipaa': 178802, 'hipaa law': 396945, 'law grocery': 482299, 'tx fyi small': 937441, 'fyi small town': 342645, 'small town who': 775166, 'town who have': 927589, '19 positive may': 9754, 'positive may be': 665366, 'may be reporting': 521022, 'be reporting positive': 116807, 'reporting positive but': 712738, 'positive but may': 665268, 'but may not': 146373, 'not be reporting': 568444, 'be reporting where': 116808, 'reporting where person': 712785, 'where person work': 985112, 'person work or': 652752, 'work or ha': 1005563, 'been exposed others': 121115, 'exposed others citing': 292862, 'others citing hipaa': 621331, 'citing hipaa law': 178803, 'hipaa law grocery': 396946, 'law grocery store': 482300, 'oyedepo': 632691, '19 oyedepo': 9227, 'oyedepo criticised': 632692, 'criticised government': 218751, 'government over': 360440, 'covid 19 oyedepo': 213540, '19 oyedepo criticised': 9228, 'oyedepo criticised government': 632693, 'criticised government over': 218752, 'government over the': 360441, 'over the closure': 630702, 'of school supermarket': 589401, 'bifrons': 129602, 'bifrons this': 129603, 'maybe couple': 521657, 'day late': 227876, 'late reality': 480910, 'thousand at': 893382, 'every delivery': 285865, 'delivery point': 234350, 'least three': 484666, 'week late': 976463, 'late coronavirus': 480858, 'restriction hit': 717285, 'hit home': 398273, 'bifrons this say': 129604, 'this say maybe': 889969, 'say maybe couple': 738927, 'maybe couple of': 521658, 'of day late': 582378, 'day late reality': 227877, 'late reality there': 480911, 'reality there are': 701804, 'are thousand at': 91065, 'thousand at every': 893383, 'at every delivery': 98566, 'every delivery point': 285866, 'delivery point that': 234351, 'point that are': 662643, 'that are at': 842716, 'at least three': 99557, 'least three week': 484668, 'three week late': 894107, 'week late coronavirus': 976464, 'late coronavirus restriction': 480859, 'coronavirus restriction hit': 206672, 'restriction hit home': 717286, 'hit home more': 398274, 'home more people': 401626, 'arsetralia': 94120, 'arsetralia for': 94121, 'arsetralia for lettuce': 94122, 'would hope': 1011931, 'that news12': 845334, 'word out': 1004548, 'would hope that': 1011933, 'hope that news12': 403648, 'that news12 nj': 845335, 'help and get': 389350, 'get the word': 348315, 'the word out': 871712, 'word out to': 1004549, 'being exposed every': 125123, 'exposed every second': 292850, 'every second to': 286150, 'second to crowd': 743850, 'of people with': 588028, 'people with no': 650464, 'no restriction or': 565355, 'please help to': 660086, 'help to get': 390775, 'to get social': 906592, 'mislead': 534085, 'always someone': 49746, 'someone scamming': 784637, 'scamming beware': 740667, 'beware folk': 129064, 'folk gsa': 312171, 'gsa ha': 367537, 'received report': 703671, 'company fraudulently': 190681, 'fraudulently claiming': 331486, 'be gsa': 115111, 'gsa vendor': 367541, 'vendor attempting': 954351, 'exploit legitimate': 292343, 'legitimate covid': 486049, 'to mislead': 910182, 'mislead consumer': 534086, 'consumer into': 197917, 'into paying': 442856, 'paying exorbitant': 645401, 'product associated': 680958, 'if supplier': 414900, 'supplier claim': 824516, 'always someone scamming': 49747, 'someone scamming beware': 784638, 'scamming beware folk': 740668, 'beware folk gsa': 129065, 'folk gsa ha': 312172, 'gsa ha received': 367538, 'ha received report': 371667, 'received report of': 703672, 'report of company': 712109, 'of company fraudulently': 581607, 'company fraudulently claiming': 190682, 'fraudulently claiming to': 331487, 'to be gsa': 901287, 'be gsa vendor': 115112, 'gsa vendor attempting': 367542, 'vendor attempting to': 954352, 'attempting to exploit': 102286, 'to exploit legitimate': 905493, 'exploit legitimate covid': 292344, 'legitimate covid 19': 486050, '19 concern to': 5928, 'concern to mislead': 193130, 'to mislead consumer': 910183, 'mislead consumer into': 534087, 'consumer into paying': 197918, 'into paying exorbitant': 442857, 'paying exorbitant price': 645402, 'price for product': 674030, 'for product associated': 324771, 'product associated with': 680959, '19 if supplier': 7662, 'if supplier claim': 414901, 'my vid': 550501, 'vid on': 956584, 'sanitizer wednesdaymotivation': 736058, 'wednesdaymotivation coronapandemie': 975709, 'coronapandemie stayhome': 205161, 'stayhome corona': 797972, 'corona handsanitizer': 203976, 'watch my vid': 968483, 'my vid on': 550502, 'vid on diy': 956585, 'on diy hand': 600361, 'hand sanitizer wednesdaymotivation': 375655, 'sanitizer wednesdaymotivation coronapandemie': 736059, 'wednesdaymotivation coronapandemie stayhome': 975710, 'coronapandemie stayhome corona': 205162, 'stayhome corona handsanitizer': 797973, 'corona handsanitizer diy': 203977, 'say fao': 738629, 'fao index': 298652, 'index global': 434200, 'drop in march': 260261, '19 say fao': 10325, 'say fao index': 738630, 'fao index global': 298653, 'index global food': 434201, 'price due mostly': 673612, 'please manage': 660224, 'overtime hour': 631624, 'hour making': 405760, 'making he': 511114, 'get 100': 346457, 'it bc': 456716, 'said screw': 731339, 'who right': 989545, 'right peoplevspelosi': 722228, 'opinion please manage': 613491, 'please manage grocery': 660225, 'store and husband': 806264, 'and husband work': 64889, 'working overtime hour': 1008862, 'overtime hour making': 631625, 'hour making he': 405761, 'making he think': 511115, 'he think if': 385521, 'think if we': 885297, 'we get 100': 971600, 'get 100 incentive': 346458, 'donate it bc': 254193, 'it bc we': 456718, 'bc we don': 113310, 'it said screw': 460854, 'said screw that': 731340, 'screw that have': 742803, 'that have more': 844221, 'it who right': 462357, 'who right peoplevspelosi': 989546, 'nisa': 563364, 'hi nisa': 394712, 'nisa local': 563367, 'local 23': 497661, '23 dod': 15386, 'dod st': 251264, 'st ha': 791704, 'told and': 923526, 'hi nisa local': 394713, 'nisa local 23': 563368, 'local 23 dod': 497662, '23 dod st': 15387, 'dod st ha': 251265, 'st ha increased': 791706, 'commodity to cash': 189321, 'you help ve': 1019205, 'help ve told': 390844, 've told and': 953632, 'told and thank': 923527, 'flushing new': 311588, 'line foot': 493091, 'rule this': 727380, 'great wall': 363097, 'wall supermarket': 965198, 'it closing': 457193, 'door today': 255761, 'today bj': 919319, 'bj in': 131988, 'flushing also': 311586, 'flushing new york': 311589, 'york the epicenter': 1016674, 'epicenter of the': 279314, 'supermarket that are': 823179, 'open all have': 612033, 'all have line': 43053, 'have line foot': 381327, 'line foot rule': 493093, 'foot rule this': 318431, 'rule this great': 727381, 'this great wall': 887758, 'great wall supermarket': 363098, 'wall supermarket didn': 965199, 'supermarket didn have': 819961, 'have line but': 381325, 'line but it': 493018, 'but it closing': 146111, 'it closing the': 457197, 'the door today': 853590, 'door today bj': 255762, 'today bj in': 919320, 'bj in flushing': 131989, 'in flushing also': 422947, 'flushing also ha': 311587, 'also ha long': 48309, 'ha long line': 371179, 'salman': 732755, 'mohammedbinsalman': 535572, '2020 near': 14461, 'near riyadh': 553573, 'riyadh saudi': 724226, 'arabia well': 83964, 'no panicked': 565051, 'buyer nothing': 149695, 'wise leadership': 996687, 'leadership of': 483634, 'country king': 210846, 'king salman': 475295, 'salman mohammedbinsalman': 732760, 'mohammedbinsalman corona': 535573, '21 2020 near': 14958, '2020 near riyadh': 14462, 'near riyadh saudi': 553574, 'riyadh saudi arabia': 724227, 'saudi arabia well': 737227, 'arabia well stocked': 83965, 'well stocked supermarket': 978607, 'stocked supermarket no': 803410, 'supermarket no panicked': 821614, 'no panicked buyer': 565052, 'panicked buyer nothing': 639259, 'buyer nothing at': 149696, 'at all thanks': 97909, 'to the wise': 917193, 'the wise leadership': 871630, 'wise leadership of': 996689, 'leadership of the': 483636, 'the country king': 852106, 'country king salman': 210847, 'king salman mohammedbinsalman': 475296, 'salman mohammedbinsalman corona': 732761, 'mohammedbinsalman corona pandemic': 535574, 'corona pandemic outbreak': 204094, 'frontlines from': 338917, 'greatest risk': 363290, 'pharmacist journalist': 654151, 'journalist delivery': 467431, 'taxi amp': 835141, 'transit driver': 929630, 'more helping': 539407, 'these people you': 880466, 'people you ve': 650581, 'in the frontlines': 429223, 'the frontlines from': 855901, 'frontlines from health': 338918, 'care worker with': 164315, 'with the greatest': 1001320, 'the greatest risk': 856755, 'greatest risk to': 363291, 'store staff pharmacist': 810323, 'staff pharmacist journalist': 792749, 'pharmacist journalist delivery': 654152, 'journalist delivery driver': 467432, 'delivery driver taxi': 233942, 'driver taxi amp': 259773, 'taxi amp public': 835142, 'amp public transit': 54350, 'public transit driver': 688395, 'transit driver amp': 929631, 'driver amp many': 259401, 'amp many more': 54108, 'many more helping': 514303, 'more helping in': 539408, 'helping in this': 391361, 'atim': 101802, 'atim check': 101803, 'atim check the': 101804, 'these item and': 880192, 'item and place': 463066, 'and place an': 69046, 'order at we': 618066, 'at we deliver': 101503, 'we deliver to': 971264, 're needing': 699062, 're noticing': 699132, 'noticing that': 573509, 'excess breast': 289327, 'breast milk': 139136, 'milk we': 531906, 'accept milk': 27973, 'milk until': 531889, 'until their': 943878, 'their infant': 873655, 'infant is': 436484, 'old via': 598517, 'they re needing': 883078, 're needing to': 699063, 'needing to clean': 556633, 'clean out their': 180608, 'out their freezer': 627451, 'their freezer to': 873376, 'freezer to stock': 332644, 'on extra food': 600688, 'extra food supply': 293518, 'supply and they': 824758, 'they re noticing': 883081, 're noticing that': 699133, 'noticing that they': 573510, 'they have that': 882387, 'have that excess': 382947, 'that excess breast': 843789, 'excess breast milk': 289328, 'breast milk we': 139137, 'milk we can': 531907, 'we can accept': 970899, 'can accept milk': 157347, 'accept milk until': 27974, 'milk until their': 531890, 'until their infant': 943879, 'their infant is': 873657, 'infant is two': 436485, 'is two year': 453406, 'year old via': 1014873, 'streetbees': 813198, 'vidisha': 957007, 'gaglani': 342731, 'streetbees ceo': 813199, 'and founder': 63234, 'founder and': 330522, 'client success': 182101, 'success vidisha': 816222, 'vidisha gaglani': 957008, 'gaglani will': 342732, '3pm gmt': 18407, 'gmt to': 353213, 'address fast': 31973, 'fast changing': 299933, 'they emerge': 882032, 'emerge during': 272531, 'this turbulent': 890880, 'time sign': 897660, 'streetbees ceo and': 813200, 'ceo and founder': 169644, 'and founder and': 63235, 'founder and head': 330524, 'and head of': 64337, 'head of client': 385766, 'of client success': 581462, 'client success vidisha': 182102, 'success vidisha gaglani': 816223, 'vidisha gaglani will': 957009, 'gaglani will be': 342733, 'will be live': 992539, 'be live at': 115777, 'live at 3pm': 495732, 'at 3pm gmt': 97639, '3pm gmt to': 18409, 'gmt to discus': 353214, 'discus how your': 244870, 'how your brand': 409296, 'your brand can': 1023013, 'brand can address': 137784, 'can address fast': 157376, 'address fast changing': 31974, 'fast changing consumer': 299934, 'consumer need they': 198201, 'need they emerge': 555803, 'they emerge during': 882033, 'emerge during this': 272532, 'during this turbulent': 263331, 'this turbulent time': 890881, 'turbulent time sign': 935517, 'time sign up': 897661, 'sign up now': 769255, 'oju': 597756, 'koba': 477291, 'istandwithpastorchris': 456156, 'toto': 926426, 'saw you': 738334, 'my coro': 547801, 'coro coro': 203766, 'coro eye': 203768, 'eye mo': 294057, 'mo ya': 534880, 'ya te': 1014029, 'te sanitizer': 835324, 'sanitizer oju': 735450, 'oju were': 597757, 'were ko': 979830, 'ko ma': 477287, 'ma lo': 507273, 'lo koba': 497235, 'koba mi': 477292, 'mi istandwithpastorchris': 530130, 'istandwithpastorchris toto': 456157, 'friend wa telling': 333876, 'telling me saw': 837225, 'me saw you': 523420, 'saw you with': 738336, 'with my coro': 999618, 'my coro coro': 547802, 'coro coro eye': 203767, 'coro eye mo': 203769, 'eye mo ya': 294058, 'mo ya te': 534881, 'ya te sanitizer': 1014030, 'te sanitizer oju': 835325, 'sanitizer oju were': 735451, 'oju were ko': 597758, 'were ko ma': 979831, 'ko ma lo': 477288, 'ma lo koba': 507274, 'lo koba mi': 497236, 'koba mi istandwithpastorchris': 477293, 'mi istandwithpastorchris toto': 530131, 'oas': 578296, 'oas say': 578297, 'say bean': 738451, 'bean country': 118311, 'can negotiate': 159029, 'negotiate price': 556913, 'oas say bean': 578298, 'say bean country': 738452, 'bean country can': 118312, 'country can negotiate': 210538, 'can negotiate price': 159030, 'negotiate price of': 556914, 'of supply to': 590502, 'bcrea': 113364, 'brendon': 139318, 'ogmundson': 596333, 'once fear': 605633, 'have settled': 382493, 'come roaring': 187492, 'roaring back': 724587, 'ultimately spike': 939158, 'price bcrea': 672851, 'bcrea chief': 113365, 'economist brendon': 267527, 'brendon ogmundson': 139319, 'once fear surrounding': 605634, '19 have settled': 7453, 'have settled down': 382494, 'settled down the': 753705, 'down the housing': 257283, 'housing market could': 407100, 'market could come': 516235, 'could come roaring': 209034, 'come roaring back': 187493, 'roaring back with': 724588, 'back with surge': 107481, 'in sale and': 427647, 'sale and ultimately': 732052, 'and ultimately spike': 74583, 'ultimately spike in': 939159, 'in price bcrea': 426951, 'price bcrea chief': 672852, 'bcrea chief economist': 113366, 'chief economist brendon': 175913, 'economist brendon ogmundson': 267528, 'good tip': 357868, 'prep during': 670004, 'good tip for': 357869, 'tip for food': 898766, 'for food prep': 321613, 'food prep during': 315901, 'been under': 122285, 'attack since': 102150, 'began but': 123376, 'this 16': 886149, 'old cole': 598188, 'cole employee': 185859, 'have been under': 379728, 'been under attack': 122286, 'under attack since': 940016, 'attack since the': 102151, 'crisis began but': 217124, 'began but what': 123377, 'but what happened': 147788, 'happened to this': 377285, 'to this 16': 917399, 'this 16 year': 886150, 'year old cole': 1014819, 'old cole employee': 598189, 'cole employee is': 185860, 'employee is extreme': 273988, 'looking so': 503001, 'good walked': 357940, 'walked inside': 964952, 'on pump': 603006, 'pump loud': 689067, 'loud asf': 504487, 'the got these': 856478, 'these price looking': 880535, 'price looking so': 675099, 'looking so good': 503002, 'so good walked': 777192, 'good walked inside': 357941, 'walked inside and': 964953, 'inside and said': 439222, 'and said on': 70771, 'said on pump': 731286, 'on pump loud': 603007, 'pump loud asf': 689068, 'germ through': 346165, 'with certified': 997596, 'sanitizer approved': 734479, 'canada ask': 160370, 'of germ through': 584101, 'germ through the': 346166, 'through the use': 894775, 'laptop and touch': 479548, 'and touch screen': 74300, 'touch screen with': 926532, 'screen with certified': 742744, 'with certified smart': 997597, 'screen sanitizer approved': 742725, 'sanitizer approved by': 734480, 'approved by health': 83136, 'by health canada': 152779, 'health canada ask': 386216, 'canada ask for': 160371, 'local supermarket or': 498569, 'supermarket or health': 821812, 'supermarket israeli': 821155, 'israeli are': 455608, 'stepping it': 799800, 'the supermarket israeli': 868651, 'supermarket israeli are': 821156, 'israeli are stepping': 455610, 'are stepping it': 90385, 'stepping it up': 799801, 'universityofmichigan': 942476, 'pandemic sustainability': 636610, 'discus iorestoacasa': 244877, 'iorestoacasa online': 444459, 'store system': 810492, 'system universityofmichigan': 831363, 'during pandemic sustainability': 262894, 'pandemic sustainability expert': 636611, 'sustainability expert discus': 829762, 'expert discus iorestoacasa': 291816, 'discus iorestoacasa online': 244878, 'iorestoacasa online store': 444460, 'online store system': 609473, 'store system universityofmichigan': 810493, 'akp': 40545, 'mhp': 530122, 'downvote': 257824, 'key staple': 473398, 'world bloomberg': 1009369, 'bloomberg finance': 133260, 'finance ministry': 306235, 'increase support': 433086, 'family akp': 297565, 'akp mhp': 40546, 'mhp alliance': 530123, 'alliance downvote': 45836, 'downvote motion': 257825, 'motion on': 543271, 'on violence': 605051, 'violence against': 957535, 'against health': 37483, 'key staple food': 473399, 'staple food price': 793936, 'food price soaring': 315976, 'soaring in part': 779331, 'part of world': 642394, 'of world bloomberg': 593311, 'world bloomberg finance': 1009370, 'bloomberg finance ministry': 133261, 'finance ministry to': 306236, 'ministry to increase': 533576, 'to increase support': 908304, 'increase support for': 433087, 'support for low': 826514, 'income family akp': 432331, 'family akp mhp': 297566, 'akp mhp alliance': 40547, 'mhp alliance downvote': 530124, 'alliance downvote motion': 45837, 'downvote motion on': 257826, 'motion on violence': 543272, 'on violence against': 605052, 'violence against health': 957536, 'against health worker': 37485, 'health worker law': 386985, 'spatial': 787652, 'agency ha': 38013, 'already requested': 47621, '30 business': 16991, 'business dealing': 143621, 'with totally': 1001824, 'totally 46': 926298, '46 product': 19227, 'and spatial': 72054, 'spatial sanitizing': 787653, 'the representation': 865544, 'representation about': 712885, 'about preventive': 25989, 'preventive effect': 671914, 'new should': 559595, 'affair agency ha': 33985, 'agency ha already': 38014, 'ha already requested': 369515, 'already requested to': 47622, 'requested to 30': 713257, 'to 30 business': 899666, '30 business dealing': 16992, 'business dealing with': 143622, 'dealing with totally': 229698, 'with totally 46': 1001825, 'totally 46 product': 926299, '46 product of': 19228, 'product of health': 681453, 'of health food': 584508, 'health food and': 386441, 'food and spatial': 313339, 'and spatial sanitizing': 72055, 'spatial sanitizing product': 787654, 'sanitizing product that': 736498, 'that the representation': 846817, 'the representation about': 865545, 'representation about preventive': 712886, 'about preventive effect': 25990, 'preventive effect to': 671915, 'effect to the': 269145, 'the new should': 861555, 'new should be': 559596, 'should be removed': 765712, 'join stayhomestaysa': 466841, 'contest join stayhomestaysa': 200876, 'episode ha': 279528, 'been posted': 121680, 'posted for': 666524, 'your amusement': 1022777, 'amusement coronavirus': 54959, 'coronavirus episode': 205884, 'episode ha been': 279529, 'ha been posted': 369869, 'been posted for': 121681, 'posted for your': 666526, 'for your amusement': 328117, 'your amusement coronavirus': 1022778, 'amusement coronavirus episode': 54960, 'coronavirus episode 19': 205885, 'just fucking': 468783, 'fucking shopped': 340000, 'shopped normal': 761308, 'sick mum': 768520, 'and emptying the': 62093, 'emptying the shop': 275293, 'shop there is': 760919, 'we just fucking': 972107, 'just fucking shopped': 468784, 'fucking shopped normal': 340001, 'shopped normal so': 761309, 'normal so sick': 567322, 'of hearing my': 584520, 'hearing my parent': 388220, 'parent and very': 641576, 'and very sick': 74940, 'very sick mum': 955535, 'sick mum are': 768521, 'mum are unable': 545877, 'staff after': 792084, 'pub closure': 687691, 'closure announcement': 183847, 'supermarket staff after': 822809, 'staff after hearing': 792085, 'after hearing the': 35777, 'hearing the pub': 388249, 'the pub closure': 864767, 'pub closure announcement': 687692, 'motorbike': 543340, 'are someone': 90298, 'please drive': 659939, 'drive safely': 259138, 'safely walk': 730330, 'don stay': 253931, 'for leisurely': 322939, 'leisurely motorbike': 486153, 'motorbike ride': 543341, 'ride much': 721452, 'possible save': 665765, 'save hospital': 737516, 'bed for': 120398, '19 victim': 11767, 'you are someone': 1017240, 'are someone who': 90299, 'someone who still': 784770, 'to work please': 918768, 'work please drive': 1005615, 'please drive safely': 659940, 'drive safely walk': 259139, 'safely walk to': 730331, 'walk to your': 964902, 'nearest supermarket amp': 553726, 'supermarket amp don': 818910, 'amp don stay': 53664, 'don stay out': 253932, 'stay out for': 797170, 'out for long': 626135, 'for long please': 323084, 'long please do': 501560, 'out for leisurely': 626134, 'for leisurely motorbike': 322940, 'leisurely motorbike ride': 486154, 'motorbike ride much': 543342, 'ride much possible': 721453, 'much possible save': 545246, 'possible save hospital': 665766, 'save hospital bed': 737517, 'hospital bed for': 404325, 'bed for 19': 120399, 'for 19 victim': 318714, 'relaxed scene': 708867, 'supermarket tonight': 823504, 'left some': 485642, 'chocolate on': 177694, 'staff room': 792806, 'room counter': 725897, 'counter take': 210263, 'your sale': 1025671, 'sale assistant': 732076, 'assistant we': 96808, 'see more relaxed': 745437, 'more relaxed scene': 540216, 'relaxed scene at': 708868, 'local supermarket tonight': 498605, 'supermarket tonight left': 823507, 'tonight left some': 924438, 'left some chocolate': 485643, 'some chocolate on': 782533, 'chocolate on the': 177695, 'on the staff': 604378, 'the staff room': 867698, 'staff room counter': 792807, 'room counter take': 725898, 'counter take the': 210264, 'thank your sale': 841856, 'your sale assistant': 1025672, 'sale assistant we': 732077, 'assistant we are': 96809, 'indiabulls': 434706, 'deffecult': 232210, 'virues': 957876, 'sir employee': 771557, 'employee indiabulls': 273977, 'indiabulls consumer': 434707, 'finance limited': 306218, 'limited for': 492634, 'last 15': 480090, '15 month': 3783, 'now such': 575929, 'such deffecult': 816440, 'deffecult situation': 232211, 'corona virues': 204276, 'virues and': 957877, 'time company': 896496, 'company pressure': 190969, 'for resignation': 325150, 'resignation without': 714474, 'period so': 651880, 'any company': 79035, 'company employ': 190627, 'dear sir employee': 229867, 'sir employee indiabulls': 771558, 'employee indiabulls consumer': 273978, 'indiabulls consumer finance': 434708, 'consumer finance limited': 197480, 'finance limited for': 306219, 'limited for the': 492635, 'the last 15': 858988, 'last 15 month': 480092, '15 month now': 3784, 'month now such': 537889, 'now such deffecult': 575930, 'such deffecult situation': 816441, 'deffecult situation for': 232212, 'situation for lockdown': 772275, 'for lockdown to': 323068, 'lockdown to covid': 500054, '19 corona virues': 6057, 'corona virues and': 204277, 'virues and this': 957878, 'and this time': 74010, 'this time company': 890626, 'time company pressure': 896497, 'company pressure for': 190970, 'pressure for resignation': 671159, 'for resignation without': 325151, 'resignation without any': 714475, 'without any time': 1002502, 'any time period': 79975, 'time period so': 897479, 'period so plz': 651881, 'so plz help': 778038, 'plz help all': 661821, 'help all any': 389318, 'all any company': 42027, 'any company employ': 79036, 'your dinner': 1023510, 'dinner the': 243094, 'freezer isle': 332612, 'isle tesco': 454385, 'tesco haven': 838715, 'had them': 373639, 'year shame': 1014945, 'shame no': 754614, 'bean to': 118379, 'all greedy': 43002, 'the challenge is': 850645, 'challenge is to': 171493, 'is to walk': 453257, 'walk in supermarket': 964809, 'uk and just': 938174, 'and just come': 65698, 'just come out': 468496, 'out with something': 627873, 'with something for': 1000887, 'something for your': 784912, 'for your dinner': 328140, 'your dinner the': 1023511, 'dinner the last': 243095, 'last thing in': 480543, 'the freezer isle': 855783, 'freezer isle tesco': 332613, 'isle tesco haven': 454386, 'tesco haven had': 838716, 'haven had them': 383827, 'had them for': 373640, 'them for 20': 875708, '20 year shame': 13426, 'year shame no': 1014946, 'shame no bean': 754615, 'no bean to': 563677, 'bean to go': 118380, 'to go with': 906886, 'go with them': 354513, 'your all greedy': 1022768, 'all greedy bastard': 43003, 'and it down': 65516, 'it down to': 457698, 'down to this': 257383, 'to this toiletpaper': 917471, 'best big': 127599, 'big sister': 130000, 'sister ever': 771736, 'ever she': 285498, 'she bringing': 755904, 'bringing me': 140177, 'me food': 522739, 'food since': 316629, 'since hadn': 770632, 'hadn stock': 373862, 'piled like': 656543, 'other idiot': 620388, 'idiot can': 413480, 'to ring': 913534, 'ring my': 722524, 'bell run': 126491, 'speak when': 787726, 'she by': 755908, 'the best big': 849492, 'best big sister': 127600, 'big sister ever': 130001, 'sister ever she': 771737, 'ever she bringing': 285499, 'she bringing me': 755905, 'bringing me food': 140178, 'me food since': 522743, 'food since hadn': 316630, 'since hadn stock': 770633, 'hadn stock piled': 373863, 'stock piled like': 802642, 'piled like other': 656544, 'like other idiot': 490944, 'other idiot can': 620389, 'idiot can get': 413481, 'delivery for two': 234034, 'two week so': 937362, 'week so she': 976893, 'so she going': 778191, 'going to ring': 355691, 'to ring my': 913535, 'ring my bell': 722525, 'my bell run': 547425, 'bell run and': 126492, 'run and we': 727565, 'we can speak': 971015, 'can speak when': 159693, 'speak when she': 787727, 'when she by': 983993, 'she by the': 755910, 'by the gate': 154334, 'major hotel': 509354, 'hotel need': 405163, 'offer doctor': 594589, 'employee place': 274119, 'stay so': 797320, 'wont risk': 1004256, 'risk taking': 723912, 'their love': 873888, 'all major hotel': 43434, 'major hotel need': 509355, 'hotel need to': 405164, 'need to offer': 555998, 'to offer doctor': 910831, 'offer doctor nurse': 594590, 'store employee place': 807524, 'employee place to': 274120, 'place to stay': 657773, 'to stay so': 915317, 'stay so they': 797321, 'so they wont': 778487, 'they wont risk': 883918, 'wont risk taking': 1004257, 'risk taking the': 723913, '19 to their': 11464, 'to their love': 917251, 'their love one': 873889, 'love one at': 504743, 'one at home': 605966, 'nip': 563330, 'bbq': 113187, 'correct me': 207518, 'if wrong': 415376, 'but dont': 145602, 're social': 699540, 'quarantining by': 693081, 'by sitting': 154029, 'back garden': 107028, 'garden it': 343610, 'still qualifies': 801084, 'qualifies if': 691715, 'you nip': 1020101, 'nip to': 563335, 'very busy': 955028, 'get bbq': 346653, 'bbq supply': 113198, '19 lockdownuknow': 8453, 'correct me if': 207519, 'me if wrong': 522945, 'if wrong but': 415377, 'wrong but dont': 1013005, 'but dont think': 145603, 'dont think if': 255295, 'you re social': 1020750, 're social distancing': 699541, 'distancing and quarantining': 246992, 'and quarantining by': 69864, 'quarantining by sitting': 693082, 'by sitting in': 154030, 'sitting in your': 772126, 'in your back': 431058, 'your back garden': 1022896, 'back garden it': 107029, 'garden it still': 343611, 'it still qualifies': 461257, 'still qualifies if': 801085, 'qualifies if you': 691716, 'if you nip': 415482, 'you nip to': 1020102, 'nip to very': 563338, 'to very busy': 918152, 'very busy supermarket': 955031, 'busy supermarket first': 144974, 'supermarket first to': 820330, 'first to get': 309126, 'to get bbq': 906421, 'get bbq supply': 346654, 'bbq supply 19': 113199, 'supply 19 lockdownuknow': 824653, 'recipeoftheday': 704518, 'marmalade': 517962, 'glaze': 351650, 'recipeoftheday is': 704519, 'american friend': 51987, 'like ham': 490362, 'ham for': 374529, 'easter make': 265466, 'make half': 509955, 'half quantity': 374255, 'quantity for': 691914, 'this ginger': 887697, 'ginger glazed': 350199, 'glazed ham': 351655, 'ham make': 374531, 'many meal': 514271, 'great sandwich': 362975, 'sandwich regular': 733746, 'regular marmalade': 707810, 'marmalade can': 517963, 'the glaze': 856281, 'glaze too': 351651, 'recipeoftheday is particularly': 704520, 'is particularly for': 450805, 'particularly for american': 642680, 'for american friend': 319246, 'american friend who': 51988, 'who know like': 989183, 'know like ham': 476570, 'like ham for': 490363, 'ham for easter': 374530, 'for easter make': 320920, 'easter make half': 265467, 'make half quantity': 509956, 'half quantity for': 374256, 'quantity for obvious': 691915, 'obvious reason but': 578798, 'reason but this': 702881, 'but this ginger': 147548, 'this ginger glazed': 887698, 'ginger glazed ham': 350200, 'glazed ham make': 351656, 'ham make for': 374532, 'make for many': 509911, 'for many meal': 323225, 'many meal and': 514272, 'meal and great': 524093, 'and great sandwich': 63934, 'great sandwich regular': 362976, 'sandwich regular marmalade': 733747, 'regular marmalade can': 707811, 'marmalade can be': 517964, 'used for the': 949912, 'for the glaze': 326459, 'the glaze too': 856282, 'marmoreresearch': 517970, 'resilient performance': 714529, 'performance by': 651432, 'consumer non': 198220, 'non cyclical': 566318, 'cyclical sector': 224086, 'retail consumption': 717996, 'consumption theme': 199952, 'theme remains': 876703, 'remains immune': 710020, 'threat marmoreresearch': 893676, 'marmoreresearch ecommerce': 517971, 'ecommerce gcc': 266778, 'gcc middleeast': 344829, 'middleeast equity': 530693, 'equity 19': 279909, '19 gcc': 7186, 'gcc kuwait': 344828, 'resilient performance by': 714530, 'performance by consumer': 651433, 'by consumer non': 152189, 'consumer non cyclical': 198221, 'non cyclical sector': 566319, 'cyclical sector retail': 224087, 'sector retail consumption': 744312, 'retail consumption theme': 717997, 'consumption theme remains': 199953, 'theme remains immune': 876704, 'remains immune to': 710021, 'immune to threat': 417371, 'to threat marmoreresearch': 917541, 'threat marmoreresearch ecommerce': 893677, 'marmoreresearch ecommerce gcc': 517972, 'ecommerce gcc middleeast': 266779, 'gcc middleeast equity': 344830, 'middleeast equity 19': 530694, 'equity 19 gcc': 279910, '19 gcc kuwait': 7187, 'emilia': 273172, 'romagna': 725708, 'lazio': 482737, 'nun': 577154, 'brescia lombardy': 139384, 'lombardy 48': 500999, '48 supermarket': 19329, 'cashier ha': 166537, 'sick on': 768546, 'monday mayor': 536325, 'mayor dead': 521939, 'in emilia': 422550, 'emilia romagna': 273173, 'romagna in': 725709, 'in lazio': 424645, 'lazio whole': 482738, 'whole nun': 990283, 'nun institute': 577155, 'institute test': 440434, 'positive almost': 665251, 'is medic': 449615, 'medic so': 526003, 'far 18': 298687, '18 medical': 4552, 'staff dead': 792350, 'dead 19': 229123, 'brescia lombardy 48': 139385, 'lombardy 48 supermarket': 501000, '48 supermarket cashier': 19330, 'supermarket cashier ha': 819559, 'cashier ha died': 166538, 'ha died she': 370382, 'died she had': 241598, 'she had high': 756099, 'had high fever': 373182, 'fever and called': 303648, 'and called in': 59425, 'called in sick': 156351, 'in sick on': 427933, 'sick on monday': 768547, 'on monday mayor': 602172, 'monday mayor dead': 536326, 'mayor dead in': 521940, 'dead in emilia': 229148, 'in emilia romagna': 422551, 'emilia romagna in': 273174, 'romagna in lazio': 725710, 'in lazio whole': 424646, 'lazio whole nun': 482739, 'whole nun institute': 990284, 'nun institute test': 577156, 'institute test positive': 440435, 'test positive almost': 839127, 'positive almost out': 665252, 'of 10 case': 579303, '10 case is': 1356, 'case is medic': 165830, 'is medic so': 449616, 'medic so far': 526004, 'so far 18': 777006, 'far 18 medical': 298688, '18 medical staff': 4553, 'medical staff dead': 526389, 'staff dead 19': 792351, 'panicdemic': 639179, 'local australian': 497712, 'yesterday vitamin': 1015913, 'vitamin health': 959784, 'food fully': 314635, 'all even': 42709, 'even all': 283827, 'paper plate': 640595, 'plate are': 658908, 'are gone': 86907, 'gone panicdemic': 356354, 'local australian supermarket': 497713, 'australian supermarket yesterday': 103555, 'supermarket yesterday vitamin': 824178, 'yesterday vitamin health': 1015914, 'vitamin health food': 959785, 'health food fully': 386442, 'food fully stocked': 314636, 'stocked no paper': 803359, 'paper product at': 640622, 'product at all': 680962, 'at all even': 97880, 'all even all': 42710, 'even all the': 283828, 'all the paper': 44858, 'the paper plate': 863265, 'paper plate are': 640596, 'plate are gone': 658909, 'are gone panicdemic': 86910, 'zimbabwean': 1027596, 'to zimbabwean': 919058, 'zimbabwean doorstep': 1027597, 'lockdown taking': 499991, 'challenge from': 171469, 'use lockdown': 949347, 'lockdown wisely': 500158, 'wisely shop': 996719, 'via app': 955796, 'or web': 617750, 'web free': 974946, 'to everywhere': 905368, 'zimbabwe convenience': 1027576, 'convenience at': 202319, 'great low': 362816, 'price visit': 677317, 'secure shopping': 744459, 'food to zimbabwean': 317306, 'to zimbabwean doorstep': 919059, 'zimbabwean doorstep during': 1027598, 'doorstep during covid': 255847, '19 lockdown taking': 8430, 'lockdown taking up': 499994, 'taking up the': 833654, 'up the challenge': 946158, 'the challenge from': 850643, 'challenge from to': 171470, 'from to use': 338069, 'to use lockdown': 918043, 'use lockdown wisely': 949348, 'lockdown wisely shop': 500159, 'wisely shop via': 996720, 'shop via app': 761004, 'via app or': 955797, 'app or web': 81746, 'or web free': 617751, 'web free delivery': 974947, 'delivery to everywhere': 234659, 'to everywhere in': 905369, 'everywhere in zimbabwe': 288224, 'in zimbabwe convenience': 431158, 'zimbabwe convenience at': 1027577, 'convenience at great': 202320, 'at great low': 98797, 'great low price': 362817, 'low price visit': 505547, 'price visit for': 677318, 'visit for secure': 959253, 'for secure shopping': 325412, 'novel is': 573794, 'causing millennials': 168069, 'millennials to': 532025, 'habit more': 372650, 'generation they': 345639, 're cutting': 698500, 'case recession': 165977, 'recession happens': 704282, 'novel is causing': 573795, 'is causing millennials': 446427, 'causing millennials to': 168070, 'millennials to change': 532026, 'change their spending': 172312, 'spending habit more': 788837, 'habit more than': 372651, 'more than other': 540657, 'than other generation': 840998, 'other generation they': 620290, 'generation they re': 345640, 'they re cutting': 883016, 're cutting back': 698501, 'on spending in': 603602, 'spending in case': 788857, 'in case recession': 421270, 'case recession happens': 165978, 'recession happens and': 704283, 'happens and shopping': 377446, 'looe': 502212, 'about filling': 25234, 'your trunk': 1026222, 'trunk at': 934221, 'under without': 940390, 'our custom': 622646, 'custom in': 221987, 'buying local': 150666, 'wonderful shop': 1004117, 'west looe': 980516, 'looe looe': 502213, 'forget about filling': 329220, 'about filling your': 25235, 'filling your trunk': 305650, 'your trunk at': 1026223, 'trunk at the': 934222, 'the supermarket support': 868835, 'supermarket support your': 823066, 'your local business': 1024684, 'will go under': 993562, 'go under without': 354411, 'under without our': 940392, 'without our custom': 1002811, 'our custom in': 622647, 'custom in the': 221988, 'coming week we': 188288, 'are buying local': 85125, 'buying local product': 150667, 'local product in': 498302, 'in the wonderful': 429687, 'the wonderful shop': 871679, 'wonderful shop of': 1004118, 'shop of west': 760530, 'of west looe': 593033, 'west looe looe': 980517, 'looe looe looe': 502214, 'discontinue': 244426, 'fda updated': 300943, 'updated guideline': 947375, 'supermarket incl': 821014, 'incl this': 431484, 'idea asking': 413008, 'asking employer': 95967, 'to discontinue': 904353, 'discontinue salad': 244427, 'salad bar': 731911, 'bar buffet': 110685, 'buffet and': 141872, 'beverage service': 129035, 'service station': 752859, 'station that': 796524, 'require customer': 713305, 'common utensil': 189480, 'utensil or': 951226, 'or dispenser': 614999, 'dispenser genius': 246141, 'fda updated guideline': 300944, 'updated guideline for': 947376, 'guideline for supermarket': 368429, 'for supermarket incl': 326014, 'supermarket incl this': 821015, 'incl this new': 431485, 'this new idea': 889115, 'new idea asking': 558904, 'idea asking employer': 413009, 'asking employer to': 95968, 'employer to discontinue': 274549, 'to discontinue salad': 904354, 'discontinue salad bar': 244428, 'salad bar buffet': 731912, 'bar buffet and': 110686, 'buffet and beverage': 141873, 'and beverage service': 58933, 'beverage service station': 129037, 'service station that': 752861, 'station that require': 796525, 'that require customer': 846005, 'require customer to': 713307, 'customer to use': 222984, 'to use common': 918016, 'use common utensil': 949127, 'common utensil or': 189481, 'utensil or dispenser': 951227, 'or dispenser genius': 615000, 'you increased': 1019330, 'the sarscov2': 866371, 'sarscov2 retail': 736859, 'have you increased': 383674, 'you increased your': 1019331, 'increased your online': 433540, 'of the sarscov2': 591435, 'the sarscov2 retail': 866372, 'sarscov2 retail onlineshopping': 736860, 'tplocator': 928072, 'follow tplocator': 312573, 'tplocator for': 928073, 'latest intel': 481413, 'intel on': 440969, 'buy tp': 149392, 'with quick': 1000383, 'quick shipping': 694378, 'step stay': 799620, 'the avoid': 849114, 'follow tplocator for': 312574, 'tplocator for the': 928074, 'the latest intel': 859122, 'latest intel on': 481414, 'intel on where': 440970, 'to buy tp': 902327, 'buy tp in': 149393, 'tp in stock': 927851, 'stock and link': 801816, 'link to purchase': 493939, 'to purchase online': 912545, 'purchase online with': 689606, 'online with quick': 609748, 'with quick shipping': 1000384, 'quick shipping to': 694379, 'shipping to your': 758937, 'door step stay': 255721, 'step stay clean': 799621, 'stay clean during': 796830, 'clean during the': 180515, 'during the avoid': 263089, 'the avoid the': 849115, 'upset to': 947828, 'see teamfiji': 745780, 'teamfiji panic': 835863, 'buy need': 148987, 'realize with': 701884, 'will consume': 992995, 'it faster': 457959, 'faster and': 300080, 'and likelihood': 66156, 'real saving': 701347, 'upset to see': 947829, 'to see teamfiji': 914079, 'see teamfiji panic': 745781, 'teamfiji panic buy': 835864, 'panic buy need': 637506, 'buy need to': 148988, 'need to realize': 556032, 'to realize with': 912862, 'realize with stocked': 701885, 'stocked food we': 803320, 'we will consume': 973844, 'will consume it': 992996, 'consume it faster': 195942, 'it faster and': 457960, 'faster and likelihood': 300083, 'and likelihood of': 66157, 'likelihood of being': 491928, 'of being laid': 580648, 'from work now': 338414, 'work now with': 1005510, 'is real saving': 451279, 'real saving money': 701348, 'saving money during': 737928, 'money during crisis': 536718, 'crisis is ideal': 217575, 'betrayed': 128160, 'disband': 244296, 'who leadership': 989190, 'leadership ha': 483611, 'ha betrayed': 370004, 'betrayed itself': 128161, 'itself harmed': 463933, 'harmed global': 378435, 'and fatally': 62718, 'fatally damaged': 300257, 'the institution': 858326, 'institution credibility': 440462, 'credibility resign': 216277, 'resign disband': 714461, 'disband and': 244297, 'who apply': 988084, 'apply science': 82590, 'who leadership ha': 989191, 'leadership ha betrayed': 483612, 'ha betrayed itself': 370005, 'betrayed itself harmed': 128162, 'itself harmed global': 463934, 'harmed global health': 378436, 'global health and': 351974, 'health and fatally': 386139, 'and fatally damaged': 62719, 'fatally damaged the': 300258, 'damaged the institution': 225265, 'the institution credibility': 858327, 'institution credibility resign': 440463, 'credibility resign disband': 216278, 'resign disband and': 714462, 'disband and get': 244298, 'way of free': 969753, 'of free people': 583921, 'free people who': 332058, 'people who apply': 650262, 'who apply science': 988085, 'apply science and': 82591, 'science and best': 742084, 'practice to protect': 668693, 'protect public health': 684930, 'boy giving': 137255, 'giving look': 351335, 'store situation': 810200, 'metro dc': 529912, 'dc grocerystores': 228953, 'grocerystores wuhancoronavirus': 366386, 'my boy giving': 547518, 'boy giving look': 137256, 'giving look into': 351336, 'grocery and hardware': 364239, 'hardware store situation': 378329, 'store situation in': 810201, 'situation in metro': 772322, 'in metro dc': 425263, 'metro dc grocerystores': 529913, 'dc grocerystores wuhancoronavirus': 228954, 'crudeexports': 219624, 'arguscrude': 92761, 'of crudeexports': 582234, 'crudeexports is': 219625, 'pandemic cap': 635097, 'cap oil': 162435, 'demand globally': 235570, 'globally while': 352418, 'looming flood': 503106, 'opec crude': 611860, 'april read': 83666, 'more arguscrude': 538650, 'arguscrude oott': 92762, 'future of crudeexports': 342394, 'of crudeexports is': 582235, 'crudeexports is at': 219626, 'risk the pandemic': 723932, 'the pandemic cap': 862928, 'pandemic cap oil': 635098, 'cap oil demand': 162436, 'oil demand globally': 596745, 'demand globally while': 235571, 'globally while price': 352419, 'while price collapse': 987170, 'price collapse amid': 673167, 'collapse amid the': 185962, 'amid the looming': 52700, 'the looming flood': 859714, 'looming flood of': 503107, 'flood of opec': 310715, 'of opec crude': 587285, 'opec crude supply': 611861, 'crude supply in': 219616, 'supply in april': 825395, 'in april read': 420471, 'april read more': 83667, 'read more arguscrude': 700421, 'more arguscrude oott': 538651, 'groceryretailers': 366238, 'food warehousing': 317457, 'warehousing company': 966839, 'company see': 191055, 'panic groceryretailers': 638150, 'groceryretailers foodsupply': 366239, 'world largest food': 1009743, 'largest food warehousing': 479955, 'food warehousing company': 317458, 'warehousing company see': 966840, 'company see growth': 191056, 'see growth during': 745168, 'growth during coronavirus': 367364, 'during coronavirus panic': 262541, 'coronavirus panic groceryretailers': 206520, 'panic groceryretailers foodsupply': 638151, 'are preying': 89215, 'money issue': 536852, 'fraudsters are preying': 331404, 'are preying on': 89216, 'preying on the': 672089, 'yourself from money': 1026617, 'from money issue': 336464, 'money issue and': 536853, 'issue and scam': 455671, 'after canceled': 35452, 'only buying': 610207, 'needed today': 556552, 'now asked': 574112, 'egg left': 269907, 'left half': 485486, 'rice essential': 721036, 'supermarket after canceled': 818799, 'after canceled our': 35453, 'canceled our order': 160953, 'our order at': 624171, 'order at the': 618065, 'the last minute': 859022, 'him we were': 396771, 'we were only': 973800, 'were only buying': 979940, 'only buying what': 610209, 'buying what we': 151344, 'we needed today': 972578, 'needed today now': 556553, 'today now there': 919954, 'are now asked': 88522, 'now asked to': 574113, 'asked to self': 95876, 'self isolate we': 747693, 'few egg left': 303815, 'egg left half': 269908, 'left half pint': 485487, 'half pint of': 374252, 'of milk rice': 586518, 'milk rice essential': 531804, 'consequent': 194891, 'company involved': 190793, 'in senegal': 427800, 'senegal first': 750159, 'project will': 683552, 'will meet': 994113, 'meet to': 527634, 'the consequent': 851465, 'consequent effect': 194892, 'planned 2bn': 658438, '2bn investment': 16564, 'investment they': 444067, 'any delay': 79103, 'the 2023': 848031, '2023 first': 14815, 'oil date': 596727, 'the company involved': 851332, 'company involved in': 190794, 'involved in senegal': 444354, 'in senegal first': 427801, 'senegal first oil': 750160, 'first oil project': 308823, 'oil project will': 597379, 'project will meet': 683553, 'will meet to': 994114, 'meet to discus': 527636, '19 on oil': 8958, 'and the consequent': 73294, 'the consequent effect': 851466, 'consequent effect on': 194893, 'on their planned': 604499, 'their planned 2bn': 874319, 'planned 2bn investment': 658439, '2bn investment they': 16565, 'investment they don': 444069, 'they don see': 882001, 'see any delay': 744915, 'any delay in': 79104, 'delay in the': 232712, 'in the 2023': 428951, 'the 2023 first': 848032, '2023 first oil': 14816, 'first oil date': 308822, 'barron': 111376, 'john barron': 466514, 'barron were': 111377, 'be talking': 117516, 'tv rating': 936164, 'rating oil': 697592, 'or rolling': 616923, 'back epa': 106979, 'epa guideline': 279285, 'guideline you': 368512, 'maybe if someone': 521713, 'if someone you': 414863, 'know like john': 476571, 'like john barron': 490583, 'john barron were': 466515, 'barron were to': 111378, 'were to get': 980267, 'the you will': 872201, 'not be talking': 568469, 'be talking about': 117517, 'talking about your': 833996, 'about your tv': 27016, 'your tv rating': 1026232, 'tv rating oil': 936165, 'rating oil price': 697593, 'price or rolling': 675788, 'or rolling back': 616924, 'rolling back epa': 725667, 'back epa guideline': 106980, 'epa guideline you': 279286, 'guideline you should': 368514, 'should be focused': 765627, 'focused on testing': 311966, 'on testing ppe': 603919, 'testing ppe and': 839612, 'had way': 373783, 'pay grocery': 644921, 'other critical': 620043, 'critical retail': 218641, 'worker premium': 1007626, 'premium more': 669962, 'than minimum': 840898, 'wage during': 963843, 'healthy socialdistancing': 387770, 'we had way': 971728, 'had way to': 373784, 'way to pay': 970064, 'to pay grocery': 911532, 'pay grocery store': 644922, 'and other critical': 68303, 'other critical retail': 620045, 'critical retail worker': 218642, 'retail worker premium': 718903, 'worker premium more': 1007627, 'premium more than': 669963, 'more than minimum': 540648, 'than minimum wage': 840899, 'minimum wage during': 533226, 'wage during this': 963844, 'line and helping': 492948, 'and helping to': 64498, 'helping to stay': 391534, 'stay healthy socialdistancing': 796920, 'else local': 271784, 'already raised': 47602, 'making fun': 511080, 'fun it': 341181, 'have anyone else': 379331, 'anyone else local': 80274, 'else local store': 271785, 'local store already': 498453, 'store already raised': 806154, 'already raised price': 47603, 'raised price due': 696025, 'are making fun': 87981, 'making fun it': 511081, 'fun it your': 341183, 'insists': 439721, '2m spaced': 16718, 'spaced line': 787212, 'supermarket bloke': 819380, 'bloke two': 133087, 'front see': 338667, 'see nurse': 745491, 'in uniform': 430429, 'and insists': 65267, 'insists on': 439722, 'on paying': 602722, 'you faith': 1018510, 'faith restored': 296530, 'restored in': 717063, 'in the 2m': 428953, 'the 2m spaced': 848071, '2m spaced line': 16719, 'spaced line at': 787213, 'the supermarket bloke': 868488, 'supermarket bloke two': 819381, 'bloke two in': 133088, 'two in front': 936974, 'in front see': 423135, 'front see nurse': 338668, 'see nurse in': 745492, 'nurse in uniform': 577386, 'in uniform and': 430430, 'uniform and insists': 941760, 'and insists on': 65268, 'insists on paying': 439724, 'on paying for': 602723, 'paying for her': 645410, 'for her shopping': 322233, 'her shopping thank': 392379, 'thank you faith': 841724, 'you faith restored': 1018511, 'faith restored in': 296531, 'restored in humanity': 717064, 'in supermarket 19': 428552, 'supermarket 19 corona': 818737, 'crafty': 214797, 'down offshore': 257004, 'gulf due': 368638, 'certainly crafty': 170146, 'crafty angle': 214798, 'angle to': 76434, 'move price': 543721, 'higher oott': 395642, 'shut down offshore': 767840, 'down offshore oil': 257005, 'offshore oil production': 596135, 'the gulf due': 856940, 'gulf due to': 368639, 'to concern is': 903167, 'concern is certainly': 193004, 'is certainly crafty': 446449, 'certainly crafty angle': 170147, 'crafty angle to': 214799, 'angle to move': 76435, 'to move price': 910315, 'move price higher': 543722, 'price higher oott': 674517, 'say the city': 739268, 'angeles will be': 76394, 'be receiving 00': 116723, 'receiving 00 mask': 703743, 'of rj': 589135, 'thought regarding': 893190, 'impact arising': 417567, 'most of rj': 542557, 'of rj consumer': 589136, 'sector thought regarding': 744361, 'thought regarding consumer': 893191, 'regarding consumer reaction': 707193, 'economic impact arising': 267127, 'impact arising from': 417568, 'absorbent': 27482, 'worth try': 1011451, 'try right': 934560, 'right these': 722299, 'these filth': 880010, 'filth rag': 305788, 'rag are': 695518, 'more absorbent': 538532, 'absorbent anyway': 27483, 'mean it worth': 524514, 'it worth try': 462576, 'worth try right': 1011453, 'try right these': 934561, 'right these filth': 722300, 'these filth rag': 880011, 'filth rag are': 305789, 'rag are probably': 695519, 'probably more absorbent': 679320, 'more absorbent anyway': 538533, 'india kudos': 434500, 'kudos brilliant': 477875, 'brilliant initiative': 139865, 'initiative india': 438636, 'providing 300': 686921, '300 food': 17304, 'food packet': 315742, 'packet in': 633697, 'this adopted': 886210, 'india kudos brilliant': 434501, 'kudos brilliant initiative': 477876, 'brilliant initiative india': 139866, 'initiative india is': 438637, 'india is providing': 434491, 'is providing 300': 451117, 'providing 300 food': 686922, '300 food packet': 17305, 'food packet in': 315743, 'packet in this': 633699, 'in this adopted': 429901, 'this adopted village': 886211, 'eat all': 265838, 'all ur': 45334, 'ur stock': 948070, 'day reminder': 228271, 'can thanks': 159942, 'not eat all': 569138, 'eat all ur': 265840, 'all ur stock': 45335, 'ur stock food': 948071, 'in day reminder': 422019, 'day reminder that': 228272, 'quarantine and not': 692016, 'in an eat': 420290, 'an eat all': 55568, 'eat all can': 265839, 'all can thanks': 42286, 'for assisting': 319508, 'assisting with': 96828, 'with extra': 998349, 'extra sanitizer': 293630, 'great neighbor': 362836, 'of ours': 587594, 'ours in': 625439, 'thanks again to': 842009, 'again to for': 37235, 'to for assisting': 906132, 'for assisting with': 319509, 'assisting with extra': 96829, 'with extra sanitizer': 998351, 'extra sanitizer during': 293631, 'the outbreak they': 862711, 'are great neighbor': 86953, 'great neighbor of': 362837, 'neighbor of ours': 557063, 'of ours in': 587595, 'ours in downtown': 625440, 'geek': 345041, 'domestically': 253250, 'have wish': 383605, 'wish or': 996802, 'or geek': 615423, 'geek you': 345044, 'order mask': 618374, 'mask direct': 518575, 'mask produced': 519155, 'produced domestically': 680510, 'domestically after': 253251, 'after med': 35919, 'med personnel': 525910, 'personnel get': 653111, 'get theirs': 348347, 'theirs is': 875271, 'proper and': 684085, 'anywhere anytime': 81087, 'good too': 357908, 'you have wish': 1019141, 'have wish or': 383606, 'wish or geek': 996803, 'or geek you': 615424, 'geek you can': 345045, 'can try to': 160061, 'try to order': 934643, 'to order mask': 911075, 'order mask direct': 618375, 'mask direct from': 518576, 'direct from china': 243329, 'china it will': 176770, 'will take while': 995086, 'take while to': 832800, 'while to arrive': 987466, 'arrive but so': 93908, 'but so will': 147079, 'so will any': 778769, 'will any mask': 992290, 'any mask produced': 79453, 'mask produced domestically': 519156, 'produced domestically after': 680511, 'domestically after med': 253252, 'after med personnel': 35920, 'med personnel get': 525911, 'personnel get theirs': 653112, 'get theirs is': 348348, 'theirs is proper': 875272, 'is proper and': 451102, 'proper and covid': 684086, '19 isn going': 8091, 'isn going anywhere': 454519, 'going anywhere anytime': 355016, 'anywhere anytime soon': 81088, 'soon the price': 785846, 'price are good': 672672, 'are good too': 86926, 'good too good': 357909, 'too good luck': 924765, 'turkey announced': 935540, 'announced within': 77119, 'in 31': 419913, '31 major': 17583, 'there appeared': 878048, 'be chaos': 114060, 'chaos on': 173039, 'street people': 813068, 'turkey announced within': 935542, 'announced within day': 77120, 'within day in': 1002346, 'day in 31': 227787, 'in 31 major': 419915, '31 major city': 17584, 'major city that': 509268, 'city that there': 179400, 'that there appeared': 846892, 'there appeared to': 878049, 'to be chaos': 901161, 'be chaos on': 114062, 'chaos on the': 173040, 'the street people': 868244, 'street people took': 813069, 'street in panic': 812999, 'buying thing other': 151206, 'other than food': 621066, 'enquiring': 277800, 'familybusiness': 298419, 'happytohelp': 377784, 'are enquiring': 86223, 'enquiring about': 277801, 'are subject': 90611, 'subject to': 815746, 'to availability': 900855, 'availability help': 104143, 'help localbusiness': 390013, 'localbusiness familybusiness': 498719, 'familybusiness happytohelp': 298420, 'happytohelp shoplocal': 377786, 'shoplocal buylocal': 761220, 'buylocal norwich': 151433, 'that are enquiring': 842743, 'are enquiring about': 86224, 'enquiring about price': 277802, 'about price we': 25998, 'price we aim': 677395, 'aim to honour': 39553, 'honour all delivery': 403287, 'all delivery but': 42547, 'delivery but they': 233763, 'they are subject': 881422, 'are subject to': 90612, 'subject to availability': 815748, 'to availability help': 900856, 'availability help localbusiness': 104144, 'help localbusiness familybusiness': 390014, 'localbusiness familybusiness happytohelp': 498720, 'familybusiness happytohelp shoplocal': 298421, 'happytohelp shoplocal buylocal': 377787, 'shoplocal buylocal norwich': 761221, 'with gov': 998651, 'gov support': 359703, 'glove with gov': 353044, 'with gov support': 998652, 'gov support and': 359704, 'rwanda breaking': 728733, 'food whose': 317612, 'fixed are': 309778, 'are attached': 84691, 'attached to': 102055, 'no not in': 564885, 'not in rwanda': 570104, 'in rwanda breaking': 427597, 'rwanda breaking the': 728734, 'breaking the ministry': 139062, 'ministry of ha': 533547, 'of ha fixed': 584400, 'outbreak the list': 628715, 'of food whose': 583819, 'food whose price': 317613, 'been fixed are': 121153, 'fixed are attached': 309779, 'are attached to': 84692, 'attached to this': 102056, 'like chinese': 489998, 'chinese chicken': 177210, 'might hold': 531043, 'hold clue': 399900, 'clue crunch': 184536, 'crunch 650': 219741, '650 trillion': 21394, 'trillion data': 931978, 'point day': 662457, 'track forecast': 928194, 'forecast global': 328826, 'for commodity': 320189, 'very basic': 955008, 'basic starting': 112058, 'doe the economy': 251607, 'look like chinese': 502469, 'like chinese chicken': 489999, 'chinese chicken price': 177211, 'chicken price might': 175847, 'price might hold': 675240, 'might hold clue': 531044, 'hold clue crunch': 399901, 'clue crunch 650': 184537, 'crunch 650 trillion': 219742, '650 trillion data': 21395, 'trillion data point': 931979, 'data point day': 226344, 'point day to': 662458, 'day to track': 228591, 'to track forecast': 917677, 'track forecast global': 928195, 'forecast global demand': 328827, 'demand for commodity': 235394, 'for commodity in': 320190, 'commodity in crisis': 189192, 'in crisis food': 421880, 'crisis food is': 217384, 'food is very': 315162, 'is very basic': 453667, 'very basic starting': 955009, 'basic starting point': 112059, 'this joke': 888547, 'joke or': 467120, 'what how': 981611, 'gonna increase': 356559, 'losing they': 503601, 'they job': 882483, 'to yo': 918884, 'yo kindly': 1016439, 'kindly follow': 475130, 'up doesn': 944729, 'sense at': 750495, 'is this joke': 453101, 'this joke or': 888549, 'joke or what': 467121, 'or what how': 617767, 'what how you': 981612, 'how you gonna': 409284, 'you gonna increase': 1018886, 'gonna increase price': 356561, 'increase price when': 433015, 'are losing they': 87902, 'losing they job': 503602, 'they job and': 882484, 'job and business': 465617, 'and business due': 59279, 'due to yo': 262036, 'to yo kindly': 918885, 'yo kindly follow': 1016440, 'kindly follow this': 475131, 'follow this up': 312570, 'this up doesn': 890930, 'up doesn make': 944730, 'make sense at': 510435, 'sense at all': 750496, 'me walking': 523902, 'sanitizer avoiding': 734531, 'me walking to': 523903, 'with my hand': 999631, 'hand sanitizer avoiding': 375316, 'sanitizer avoiding covid': 734532, 'industry2020': 436269, 'traveltrends': 930708, 'start implementing': 794334, 'implementing these': 418528, 'these crisis': 879833, 'crisis accelerating': 216972, 'accelerating trend': 27922, 'trend into': 931375, 'business rental': 144308, 'rental industry2020': 711235, 'industry2020 traveltrends': 436270, 'give up due': 350813, 'to start implementing': 915200, 'start implementing these': 794335, 'implementing these crisis': 418529, 'these crisis accelerating': 879834, 'crisis accelerating trend': 216973, 'accelerating trend into': 27923, 'trend into your': 931376, 'into your business': 443318, 'your business rental': 1023076, 'business rental industry2020': 144309, 'rental industry2020 traveltrends': 711236, 'outlook on': 629174, 'forever interesting': 329127, 'interesting reading': 441605, 'via property': 956189, 'what will do': 982595, 'do to house': 250389, 'price and could': 672384, 'and could it': 60617, 'could it change': 209352, 'it change our': 457099, 'change our outlook': 172219, 'our outlook on': 624188, 'outlook on where': 629175, 'on where and': 605267, 'we live forever': 972214, 'live forever interesting': 495822, 'forever interesting reading': 329128, 'interesting reading via': 441606, 'reading via property': 700824, 'this federal': 887529, 'commission page': 188874, 'about protection': 26020, 'protection strategy': 685625, 'yourself with up': 1026765, 'date information about': 226663, 'bookmark this federal': 134770, 'this federal trade': 887530, 'trade commission page': 928453, 'commission page to': 188875, 'page to learn': 633905, 'learn about protection': 483940, 'about protection strategy': 26021, 'protection strategy and': 685626, 'strategy and stay': 812611, 'news about scam': 560186, 'about scam and': 26136, 'as inside': 94764, 'all happy that': 43040, 'happy that gas': 377686, 'low but where': 505169, 'go the is': 354205, 'the is keeping': 858504, 'is keeping your': 449180, 'keeping your as': 472631, 'your as inside': 1022846, 'nba2k20': 553221, 'lockdown because': 499190, 'about helping': 25370, 'helping your': 391555, 'by slashing': 154036, 'slashing the': 773683, 'the vc': 870653, 'vc price': 952783, '75 nba2k20': 22149, 'nba2k20 the': 553222, 'everyone on lockdown': 287230, 'on lockdown because': 601906, 'lockdown because of': 499191, 'of the how': 591113, 'the how about': 857670, 'how about helping': 407284, 'about helping your': 25371, 'helping your community': 391556, 'your community by': 1023269, 'community by slashing': 189769, 'by slashing the': 154037, 'slashing the vc': 773685, 'the vc price': 870654, 'vc price by': 952784, 'by 75 nba2k20': 151702, '75 nba2k20 the': 22150, 'nba2k20 the world': 553223, 'world is watching': 1009721, 'wondered when': 1004057, 'when watching': 984425, 'raided house': 695635, 'food rather': 316111, 'often wondered when': 596311, 'wondered when watching': 1004058, 'when watching am': 984426, 'he raided house': 385327, 'raided house for': 695636, 'house for food': 406306, 'for food rather': 321618, 'food rather than': 316112, 'rather than grocery': 697526, 'europe call': 283413, 'calm food': 156739, 'shortage fear': 764948, 'spark panic': 787544, 'europe call for': 283414, 'for calm food': 319885, 'calm food shortage': 156740, 'food shortage fear': 316574, 'shortage fear spark': 764950, 'fear spark panic': 301335, 'spark panic buying': 787545, 'december april': 230749, 'april let': 83630, 'granted anymore': 362063, 'anymore toiletpaper': 80156, 'december april let': 230750, 'april let not': 83631, 'let not take': 486945, 'not take thing': 571908, 'take thing for': 832705, 'thing for granted': 884332, 'for granted anymore': 321989, 'granted anymore toiletpaper': 362064, 'this beijing': 886541, 'beijing shopping': 124792, 'busiest ve': 143190, 'since start': 770836, 'pandemic early': 635348, 'sign just': 769138, 'just possibly': 469471, 'possibly of': 665945, 'that pent': 845680, 'demand official': 235959, 'are banking': 84756, 'this beijing shopping': 886542, 'beijing shopping mall': 124793, 'shopping mall is': 763232, 'mall is the': 511797, 'is the busiest': 452742, 'the busiest ve': 850157, 'busiest ve seen': 143191, 've seen it': 953536, 'seen it since': 747105, 'it since start': 461069, 'since start of': 770837, 'start of pandemic': 794414, 'of pandemic early': 587696, 'pandemic early sign': 635349, 'early sign just': 264689, 'sign just possibly': 769139, 'just possibly of': 469472, 'possibly of that': 665946, 'of that pent': 590734, 'that pent up': 845681, 'pent up consumer': 646702, 'up consumer demand': 944635, 'consumer demand official': 197151, 'demand official are': 235960, 'official are banking': 595754, 'are banking on': 84757, 'banking on 19': 110445, 'ecommerce amazon': 266701, 'pandemic ecommerce': 635355, 'ecommerce technology': 266882, 'ecommerce amazon to': 266703, '100 00 more': 1793, 'shopping demand due': 762468, 'to pandemic ecommerce': 911367, 'pandemic ecommerce technology': 635356, 'worker penny': 1007553, 'penny would': 646635, 'hour pressconference': 405874, 'store worker penny': 811555, 'worker penny would': 1007554, 'penny would like': 646636, 'you but still': 1017555, 'but still doesn': 147161, 'still doesn think': 800443, 'doesn think you': 251976, 'think you are': 885808, 'you are worth': 1017294, 'worth 15 an': 1011321, 'an hour pressconference': 56099, 'off new': 593991, 'buy demand': 148523, 'supermarket are now': 819174, 'are now selling': 88594, 'now selling out': 575772, 'date food and': 226626, 'food and passing': 313303, 'passing it off': 643379, 'it off new': 459987, 'off new in': 593992, 'new in order': 558919, 'with panic buy': 1000081, 'panic buy demand': 637475, 'buy demand look': 148524, 'year 2020': 1014330, 'of graduation': 584292, 'graduation travel': 361732, 'ban currently': 109188, 'are kick': 87679, 'me in 2019': 522952, '2019 2020 will': 13925, 'be my year': 116042, 'my year 2020': 550659, 'year 2020 covid': 1014331, '19 cancellation of': 5631, 'cancellation of graduation': 161040, 'of graduation travel': 584293, 'graduation travel ban': 361733, 'travel ban currently': 930285, 'ban currently at': 109189, 'currently at risk': 221475, 'risk of working': 723788, 'supermarket online class': 821761, 'online class are': 608011, 'class are kick': 180151, 'are kick in': 87680, 'the as no': 848951, 'as no will': 94781, 'no will to': 565897, 'will to sign': 995209, 'cranky': 214867, 'been bit': 120742, 'bit cranky': 131547, 'cranky today': 214869, 'what important': 981651, 'important help': 418820, 'another god': 77632, 'bless oh': 132588, 'every last': 285973, 'last fucking': 480250, 'fucking frozen': 339871, 'been in this': 121364, 'in this very': 430040, 'this very long': 890961, 'very long and': 955330, 'long and ve': 501332, 've been bit': 952866, 'been bit cranky': 120743, 'bit cranky today': 131548, 'cranky today so': 214870, 'today so take': 920194, 'so take this': 778332, 'time to reflect': 898045, 'reflect on what': 706619, 'on what important': 605227, 'what important help': 981652, 'important help your': 418821, 'help your neighbour': 391024, 'your neighbour and': 1024971, 'and friend and': 63321, 'friend and be': 333494, 'one another god': 605918, 'another god bless': 77633, 'god bless oh': 354657, 'bless oh and': 132589, 'oh and stop': 596361, 'stop buying every': 804533, 'buying every last': 150249, 'every last fucking': 285975, 'last fucking frozen': 480251, 'fucking frozen vegetable': 339872, 'frozen vegetable at': 339028, 'vegetable at the': 953945, 'proven extremely': 686161, 'extremely lucrative': 293910, 'lucrative to': 506598, 'marketing industry': 517624, 'researcher who': 713938, 'who hope': 989020, 'population with': 664756, 'with sophisticated': 1000888, 'ha proven extremely': 371562, 'proven extremely lucrative': 686162, 'extremely lucrative to': 293911, 'lucrative to the': 506599, 'to the marketing': 916866, 'the marketing industry': 860187, 'marketing industry and': 517625, 'industry and law': 435642, 'community it is': 189943, 'is also useful': 445582, 'other researcher who': 620833, 'researcher who hope': 713939, 'who hope to': 989021, 'hope to track': 403748, 'of population with': 588238, 'population with sophisticated': 664757, 'with sophisticated detail': 1000889, 'colaboration': 185723, 'globaldata revised': 352306, 'revised outlook': 720640, 'outlook say': 629184, 'say technology': 739205, 'technology medium': 836332, 'negatively effected': 556854, 'by although': 151806, 'although cloud': 49307, 'cloud service': 184319, 'and colaboration': 60059, 'colaboration software': 185724, 'software may': 781540, 'may fare': 521179, 'fare better': 299015, 'than consumer': 840454, 'electronics cloud': 271289, 'cloud tech': 184325, 'globaldata revised outlook': 352307, 'revised outlook say': 720641, 'outlook say technology': 629185, 'say technology medium': 739206, 'technology medium and': 836333, 'medium and telecom': 526994, 'and telecom sector': 73080, 'telecom sector will': 836694, 'will be negatively': 992570, 'be negatively effected': 116065, 'negatively effected by': 556855, 'effected by although': 269172, 'by although cloud': 151807, 'although cloud service': 49308, 'cloud service and': 184320, 'service and colaboration': 752074, 'and colaboration software': 60060, 'colaboration software may': 185725, 'software may fare': 781541, 'may fare better': 521180, 'fare better than': 299016, 'better than consumer': 128516, 'than consumer electronics': 840455, 'consumer electronics cloud': 197335, 'electronics cloud tech': 271290, 'confidently': 194028, 'and actively': 57637, 'actively trying': 30329, 'distance can': 246681, 'can confidently': 157954, 'confidently say': 194031, 'behaviour are': 124370, 'even trying': 284744, 'today and actively': 919192, 'and actively trying': 57638, 'actively trying to': 30330, 'trying to social': 934874, 'social distance can': 779501, 'distance can confidently': 246682, 'can confidently say': 157955, 'confidently say that': 194032, 'that people shopping': 845705, 'people shopping behaviour': 649433, 'shopping behaviour are': 762220, 'behaviour are not': 124371, 'are not changing': 88340, 'not changing and': 568736, 'changing and are': 172642, 'are not following': 88371, 'the rule people': 866049, 'rule people are': 727323, 'not even trying': 569285, 'even trying to': 284745, 'fixturescloseup': 309882, 'storefixtures': 811728, 'retailfixtures': 719446, 'brandexperience': 138105, 'shoppermarketing': 761854, 'station multiply': 796464, 'multiply in': 545832, 'store fixturescloseup': 807740, 'fixturescloseup storefixtures': 309883, 'storefixtures retailfixtures': 811729, 'retailfixtures brandexperience': 719447, 'brandexperience shoppermarketing': 138110, 'shoppermarketing pandemic': 761855, 'pandemic virus': 636901, 'flu socialdistancing': 311460, 'socialdistancing wegmans': 780860, 'wegmans sanitizers': 977643, 'coronavirus sanitizer station': 206702, 'sanitizer station multiply': 735792, 'station multiply in': 796465, 'multiply in store': 545833, 'in store fixturescloseup': 428412, 'store fixturescloseup storefixtures': 807741, 'fixturescloseup storefixtures retailfixtures': 309884, 'storefixtures retailfixtures brandexperience': 811730, 'retailfixtures brandexperience shoppermarketing': 719448, 'brandexperience shoppermarketing pandemic': 138111, 'shoppermarketing pandemic virus': 761856, 'pandemic virus flu': 636903, 'virus flu socialdistancing': 958192, 'flu socialdistancing wegmans': 311461, 'socialdistancing wegmans sanitizers': 780861, 'wegmans sanitizers handsanitizer': 977644, 'aircon': 39865, 'cured': 220849, 'supermarket aircon': 818826, 'aircon cured': 39866, 'cured covid': 220850, 'because social': 119564, 'longer applies': 501920, 'applies apparently': 82516, 'didn realise that': 241173, 'realise that supermarket': 701605, 'that supermarket aircon': 846559, 'supermarket aircon cured': 818827, 'aircon cured covid': 39867, 'cured covid 19': 220851, '19 because social': 5334, 'because social distancing': 119565, 'distancing no longer': 247352, 'no longer applies': 564633, 'longer applies apparently': 501921, 'palestinian': 634574, 'anecdotal evidence': 76258, 'evidence would': 288402, 'would indicate': 1011954, 'indicate spike': 434968, 'across gaza': 29331, 'gaza since': 344753, 'two covid': 936856, 'case palestinian': 165946, 'palestinian palestinian': 634575, 'anecdotal evidence would': 76259, 'evidence would indicate': 288403, 'would indicate spike': 1011955, 'indicate spike in': 434969, 'essential item across': 281186, 'item across gaza': 463027, 'across gaza since': 29332, 'gaza since the': 344754, 'since the announcement': 770862, 'announcement of the': 77179, 'the two covid': 870147, 'two covid 19': 936857, '19 case palestinian': 5692, 'case palestinian palestinian': 165947, 'one student': 607128, 'moment we spoke': 536105, 'spoke to one': 789733, 'to one student': 910923, 'one student to': 607129, 'student to find': 814790, 'encouraging food': 275720, 'in harsh': 423560, 'harsh condition': 378556, 'condition if': 193465, 'will buy': 992868, 'farmer very': 299556, 'very quick': 955440, 'quick each': 694307, 'each region': 264264, 'region should': 707458, 'have tasting': 382927, 'tasting tool': 834817, 'via regional': 956203, 'regional hospital': 707510, 'encouraging food delivery': 275721, 'food delivery we': 314159, 'delivery we should': 234726, 'we should see': 973292, 'should see if': 766440, 'see if we': 745285, 'stock to support': 803002, 'live in harsh': 495864, 'in harsh condition': 423561, 'harsh condition if': 378557, 'condition if not': 193466, 'not the government': 572003, 'government will buy': 360810, 'will buy food': 992869, 'food from farmer': 314603, 'from farmer very': 335417, 'farmer very quick': 299557, 'very quick each': 955441, 'quick each region': 694308, 'each region should': 264265, 'region should have': 707459, 'should have tasting': 766098, 'have tasting tool': 382928, 'tasting tool for': 834818, 'tool for covid': 925410, '19 via regional': 11765, 'via regional hospital': 956204, 'store encourages': 807590, 'distancing through': 247555, 'through limited': 894556, 'shopper stand': 761704, 'rain and': 695732, 'staff offer': 792708, 'them umbrella': 876556, 'shopper maintain': 761604, 'maintain several': 509029, 'grocery store encourages': 365366, 'store encourages social': 807591, 'social distancing through': 779745, 'distancing through limited': 247556, 'through limited indoor': 894557, 'capacity shopper stand': 162577, 'shopper stand in': 761705, 'the rain and': 865113, 'rain and store': 695734, 'and store staff': 72517, 'store staff offer': 810321, 'staff offer them': 792709, 'offer them umbrella': 594837, 'them umbrella shopper': 876557, 'umbrella shopper maintain': 939230, 'shopper maintain several': 761605, 'maintain several foot': 509030, 'swept': 830305, 'buying raise': 150950, 'raise concern': 695823, 'family their': 298299, 'favorite friendly': 300517, 'friendly staple': 334005, 'being swept': 125892, 'swept up': 830308, 'an alarming': 55220, 'alarming rate': 40699, 'rate offer': 697326, 'allergy shopping': 45789, 'panic buying raise': 637860, 'buying raise concern': 150951, 'raise concern for': 695824, 'concern for family': 192971, 'for family their': 321394, 'family their favorite': 298300, 'their favorite friendly': 873294, 'favorite friendly staple': 300518, 'friendly staple are': 334006, 'staple are being': 793907, 'are being swept': 84931, 'being swept up': 125893, 'swept up at': 830309, 'up at an': 944425, 'at an alarming': 97974, 'an alarming rate': 55221, 'alarming rate offer': 40700, 'rate offer some': 697327, 'offer some useful': 594804, 'some useful tip': 784149, 'useful tip for': 950198, 'for food allergy': 321545, 'food allergy shopping': 313096, 'allergy shopping and': 45790, 'shopping and cooking': 761972, 'and cooking during': 60542, 'cooking during the': 202862, 'control now': 202059, 'back if': 107072, 'mean empty': 524410, 'when brexit': 983207, 'brexit is': 139511, 'ready there': 700934, 'no free': 564297, 'truck that': 932863, 'that bring': 843037, 'bring 75': 139915, '19 show they': 10512, 'show they are': 767238, 'not in control': 570087, 'in control now': 421764, 'control now that': 202060, 'they have it': 882333, 'have it back': 381142, 'it back if': 456668, 'back if panic': 107073, 'during the corona': 263101, 'virus mean empty': 958496, 'mean empty shelf': 524411, 'empty shelf what': 275107, 'shelf what will': 757784, 'happen when brexit': 377202, 'when brexit is': 983208, 'brexit is done': 139512, 'is done and': 447318, 'done and ready': 254778, 'and ready there': 69991, 'ready there is': 700935, 'is no free': 449931, 'no free access': 564298, 'free access for': 331618, 'access for the': 28132, 'for the truck': 326743, 'the truck that': 870036, 'truck that bring': 932864, 'that bring 75': 843038, 'bring 75 of': 139916, '75 of our': 22155, 'wench': 978927, 'attemped': 102210, 'this wench': 891339, 'wench thinking': 978930, 'thinking she': 885988, 'prosecuted for': 684644, 'for attemped': 319524, 'attemped assault': 102211, 'assault well': 96325, 'well damage': 978131, 'idiot deliberately': 413499, 'at pa': 100053, 'store prank': 809631, 'prank not': 668934, 'what wa this': 982525, 'wa this wench': 963498, 'this wench thinking': 891340, 'wench thinking she': 978931, 'thinking she need': 885989, 'she need to': 756234, 'be prosecuted for': 116577, 'prosecuted for attemped': 684645, 'for attemped assault': 319525, 'attemped assault well': 102212, 'assault well damage': 96326, 'well damage the': 978132, 'damage the idiot': 225229, 'the idiot deliberately': 857839, 'idiot deliberately coughed': 413500, 'coughed on 35k': 208619, 'worth of produce': 1011414, 'of produce other': 588470, 'produce other good': 680382, 'other good at': 620303, 'good at pa': 356795, 'at pa grocery': 100054, 'grocery store prank': 365675, 'store prank not': 809632, 'prank not funny': 668935, 'stockroom': 804152, 'further change': 342009, 'to stockroom': 915489, 'stockroom retail': 804153, 'retail hour': 718189, 'have unfortunately': 383456, 'unfortunately found': 941602, '23 our': 15425, 'our los': 623810, 'angeles retail': 76385, 'monday until': 536404, 'further change to': 342010, 'change to stockroom': 172362, 'to stockroom retail': 915490, 'stockroom retail hour': 804154, 'retail hour we': 718190, 'hour we have': 406077, 'we have unfortunately': 971976, 'have unfortunately found': 383457, 'unfortunately found it': 941603, 'found it necessary': 330263, 'necessary to make': 554121, 'make more change': 510194, 'retail store hour': 718645, 'store hour because': 808189, 'hour because of': 405455, 'pandemic of march': 636071, 'of march 23': 586198, 'march 23 our': 515190, '23 our los': 15426, 'our los angeles': 623811, 'los angeles retail': 503370, 'angeles retail store': 76386, 'be closed on': 114132, 'closed on monday': 183260, 'on monday until': 602188, 'monday until further': 536405, 'hit grocery': 398241, 'seen total': 747331, 'either it': 270325, 'hit grocery store': 398242, 'and am looking': 58022, 'sam and have': 732906, 'have seen total': 382449, 'seen total of': 747332, 'those people know': 892323, 'is either it': 447456, 'either it unreal': 270326, 'stayhomesavelives very': 798485, '19 staying': 10837, 'home live': 401539, 'least 12': 484331, 'week absolutely': 975815, 'leeds so': 485340, 'so stay': 778258, 'don eat': 253478, 'stayhomesavelives very vulnerable': 798486, 'very vulnerable to': 955655, 'covid 19 staying': 213862, '19 staying at': 10838, 'at home live': 99034, 'home live alone': 401540, 'live alone for': 495713, 'alone for at': 46854, 'at least 12': 99441, 'least 12 week': 484332, '12 week absolutely': 2979, 'week absolutely no': 975816, 'absolutely no supermarket': 27405, 'slot available in': 774136, 'available in leeds': 104444, 'in leeds so': 424667, 'leeds so stay': 485341, 'so stay at': 778259, 'home but don': 400833, 'but don eat': 145588, 'don eat what': 253479, 'eat what is': 266106, 'this and when': 886359, 'biy': 131928, 'dontcare': 255356, 'seriousness will': 751821, 'this bc': 886496, 'bc biy': 113223, 'biy ha': 131929, 'of jock': 585543, 'jock and': 466382, 'store dontcare': 807374, 'all seriousness will': 44283, 'seriousness will probably': 751822, 'will probably do': 994463, 'probably do this': 679248, 'do this bc': 250343, 'this bc biy': 886498, 'bc biy ha': 113224, 'biy ha ton': 131930, 'ton of jock': 924277, 'of jock and': 585544, 'jock and work': 466383, 'grocery store dontcare': 365343, 'selling purell': 749421, 'to hiking': 907766, 'bleach michigan': 132509, 'michigan office': 530355, 'from selling purell': 337213, 'selling purell hand': 749422, 'sanitizer for 60': 734891, 'for 60 to': 318891, '60 to hiking': 21030, 'to hiking the': 907767, 'price of bleach': 675413, 'of bleach michigan': 580743, 'bleach michigan office': 132510, 'michigan office field': 530356, 'thought be': 892978, 'oil increase': 596877, 'do said': 250055, 'never thought be': 558223, 'thought be saying': 892980, 'be saying that': 117004, 'saying that maybe': 739702, 'that maybe we': 845098, 'maybe we have': 521872, 'have an oil': 379266, 'an oil increase': 56577, 'oil increase because': 596878, 'increase because we': 432695, 'we do said': 971349, 'do said in': 250056, 'said in late': 731137, 'in late march': 424614, 'late march the': 480893, 'march the price': 515487, 'the price is': 864372, 'price is so': 674891, 'is so low': 452023, 'else getting': 271702, 'really excited': 702172, 'it night': 459815, 'out gonna': 626223, 'get proper': 347855, 'proper dressed': 684101, 'coronacrisis positivevibes': 204711, 'anyone else getting': 80262, 'else getting really': 271703, 'getting really excited': 349226, 'really excited to': 702173, 'excited to go': 289574, 'the supermarket feel': 868588, 'supermarket feel like': 820293, 'like it night': 490548, 'it night out': 459816, 'night out gonna': 563053, 'out gonna get': 626224, 'gonna get proper': 356533, 'get proper dressed': 347856, 'proper dressed up': 684102, 'dressed up and': 258703, 'and everything coronacrisis': 62418, 'everything coronacrisis positivevibes': 287740, '3x many': 18486, 'than losing': 840855, 'job latest': 465946, '3x many consumer': 18487, 'consumer are worried': 196323, 'worried about dying': 1010485, 'about dying from': 25138, '19 than losing': 11128, 'than losing their': 840856, 'their job latest': 873721, 'job latest data': 465947, 'latest data on': 481290, 'data on covid': 226321, 'chill doe': 176347, 'addiction send': 31648, 'quarantine and chill': 692011, 'and chill doe': 59836, 'chill doe not': 176348, 'help with an': 390895, 'shopping addiction send': 761898, 'addiction send help': 31649, 'grueling': 367518, 'service closure': 752243, 'ensure consumer': 277904, 'staple availability': 793914, 'availability ha': 104141, 'been one': 121601, 'most grueling': 542361, 'grueling but': 367519, 'also eye': 48182, 'eye opening': 294085, 'opening experience': 612828, 'my career': 547613, 'cpg would': 214620, 'possible resilient': 665759, 'resilient supply': 714539, 'chain hard': 170754, 'countless people': 210390, '19 food service': 7051, 'food service closure': 316409, 'service closure retail': 752244, 'closure retail supply': 184017, 'retail supply shock': 718756, 'supply shock to': 825822, 'shock to ensure': 759530, 'to ensure consumer': 905146, 'ensure consumer staple': 277905, 'consumer staple availability': 199116, 'staple availability ha': 793915, 'availability ha been': 104142, 'ha been one': 369860, 'been one of': 121602, 'the most grueling': 860992, 'most grueling but': 542362, 'grueling but also': 367520, 'but also eye': 145110, 'also eye opening': 48183, 'eye opening experience': 294086, 'opening experience of': 612829, 'experience of my': 291436, 'of my career': 586738, 'my career in': 547616, 'career in cpg': 164346, 'in cpg would': 421846, 'cpg would not': 214621, 'be possible resilient': 116476, 'possible resilient supply': 665760, 'resilient supply chain': 714540, 'supply chain hard': 824968, 'chain hard work': 170755, 'hard work of': 378129, 'work of countless': 1005515, 'of countless people': 582027, 'breaking in': 138965, 'allow family': 45956, '19 foodinsecurity': 7054, 'breaking in response': 138967, 'response to large': 715863, 'large demand the': 479650, 'demand the florida': 236350, 'department of child': 237234, 'of child and': 581344, 'child and family': 175997, 'and family is': 62666, 'family is working': 297959, 'working to allow': 1008981, 'to allow family': 900335, 'allow family on': 45957, 'snap benefit to': 776082, 'benefit to purchase': 127121, 'grocery online 19': 364772, 'online 19 foodinsecurity': 607754, 'bare you': 110992, 'easy which': 265807, 'which use': 986426, 'refrigerator or': 706818, 'or pantry': 616494, 'shelf bare you': 756873, 'bare you re': 110994, 'you re stuck': 1020762, 'to the try': 917147, 'the try these': 870097, 'try these easy': 934587, 'these easy which': 879951, 'easy which use': 265808, 'which use food': 986427, 'use food you': 949215, 'food you have': 317711, 'your refrigerator or': 1025541, 'refrigerator or pantry': 706819, 'english british': 277050, 'idea certainly': 413027, 'certainly the': 170186, 'the 17': 847905, 'million don': 532132, 'don trade': 253991, 'deal take': 229493, 'agree yet': 38687, 'yet preferred': 1016201, 'preferred no': 669810, 'could destroy': 209079, 'destroy european': 239012, 'chain immediately': 170793, 'immediately shortage': 417148, 'english british citizen': 277051, 'british citizen have': 140498, 'citizen have no': 178905, 'no idea certainly': 564463, 'idea certainly the': 413028, 'certainly the 17': 170187, 'the 17 million': 847906, '17 million don': 4364, 'million don trade': 532133, 'don trade deal': 253992, 'trade deal take': 928478, 'deal take year': 229494, 'take year to': 832809, 'year to agree': 1015034, 'to agree yet': 900184, 'agree yet preferred': 38688, 'yet preferred no': 1016202, 'preferred no deal': 669811, 'deal brexit could': 229361, 'brexit could destroy': 139500, 'could destroy european': 209080, 'destroy european food': 239013, 'european food supply': 283575, 'supply chain immediately': 824975, 'chain immediately shortage': 170794, 'immediately shortage and': 417149, 'buying could become': 150147, 'bulkbuy': 142379, 'heart break': 388269, 'nurse watch': 577538, 'who bulkbuy': 988350, 'bulkbuy look': 142382, 'doing stop': 252681, 'stop nurse': 804861, 'nurse tearful': 577498, 'plea after': 659536, 'after ending': 35627, 'ending 48': 276160, 'stripped empty': 813859, 'empty amid': 274759, 'my heart break': 548648, 'heart break for': 388270, 'break for this': 138728, 'this nurse watch': 889197, 'nurse watch the': 577539, 'video below you': 956640, 'below you people': 126782, 'you people who': 1020325, 'people who bulkbuy': 650268, 'who bulkbuy look': 988351, 'bulkbuy look what': 142383, 'look what doing': 502667, 'what doing stop': 981380, 'doing stop nurse': 252682, 'stop nurse tearful': 804862, 'nurse tearful plea': 577499, 'tearful plea after': 835991, 'plea after ending': 659538, 'after ending 48': 35628, 'ending 48 hour': 276161, 'shift to find': 758434, 'find supermarket shelf': 307262, 'shelf stripped empty': 757613, 'stripped empty amid': 813860, 'empty amid panicbuying': 274760, 'ps5 the': 687387, 'consumer reveal': 198802, 'reveal in': 720233, 'april guy': 83615, 'ps5 the consumer': 687388, 'the consumer reveal': 851588, 'consumer reveal in': 198803, 'reveal in april': 720234, 'in april guy': 420470, 'uppity': 947715, 'offbrands': 594452, 'people cleaning': 647475, 've realized': 953481, 'realized one': 701900, 'all uppity': 45332, 'uppity folk': 947716, 'gonna realize': 356602, 'off brand': 593697, 'brand taste': 138026, 'taste just': 834781, 'economy offbrands': 268116, 'offbrands quarantinelife': 594453, 'these people cleaning': 880431, 'people cleaning out': 647476, 'cleaning out the': 181007, 'supermarket shelf ve': 822556, 'shelf ve realized': 757730, 've realized one': 953482, 'realized one thing': 701901, 'thing we ll': 884965, 'll never recover': 496920, 'never recover from': 558157, 'recover from all': 705177, 'from all all': 334432, 'all all uppity': 41985, 'all uppity folk': 45333, 'uppity folk are': 947717, 'folk are gonna': 312091, 'are gonna realize': 86919, 'gonna realize that': 356603, 'that the off': 846785, 'the off brand': 862059, 'off brand taste': 593698, 'brand taste just': 138027, 'taste just about': 834782, 'just about the': 468137, 'same 19 economy': 732949, '19 economy offbrands': 6712, 'economy offbrands quarantinelife': 268117, 'confession': 193794, 'annie': 76806, 'buttermilk': 148179, 'confession covid': 193795, '19 destroyed': 6513, 'destroyed my': 239065, 'my reasonable': 549892, 'reasonable eating': 703093, 'habit because': 372574, 'store whole': 811312, 'left today': 485698, 'today ate': 919290, 'ate full': 101719, 'full box': 340508, 'of annie': 580216, 'annie mac': 76807, 'cheese two': 175221, 'two mini': 937054, 'mini cake': 532997, 'cake in': 155242, 'in jar': 424378, 'jar buttermilk': 464808, 'buttermilk biscuit': 148180, 'biscuit for': 131505, 'breakfast never': 138887, 'never eat': 557961, 'eat this': 266082, 'confession covid 19': 193796, 'covid 19 destroyed': 212939, '19 destroyed my': 6514, 'destroyed my reasonable': 239066, 'my reasonable eating': 549893, 'reasonable eating habit': 703094, 'eating habit because': 266218, 'habit because the': 372575, 'because the there': 119654, 'are few healthy': 86532, 'few healthy product': 303862, 'healthy product in': 387738, 'grocery store whole': 365954, 'store whole food': 811313, 'whole food left': 990213, 'food left today': 315296, 'left today ate': 485699, 'today ate full': 919291, 'ate full box': 101720, 'full box of': 340509, 'box of annie': 137111, 'of annie mac': 580217, 'annie mac and': 76808, 'and cheese two': 59803, 'cheese two mini': 175222, 'two mini cake': 937055, 'mini cake in': 532998, 'cake in jar': 155243, 'in jar buttermilk': 424379, 'jar buttermilk biscuit': 464809, 'buttermilk biscuit for': 148181, 'biscuit for breakfast': 131506, 'for breakfast never': 319781, 'breakfast never eat': 138888, 'never eat this': 557963, 'eat this stuff': 266084, 'porn': 664833, 'panic porn': 638429, 'porn and': 664834, 'and doomsday': 61676, 'doomsday here': 255468, 'realistic prediction': 701670, 'economy there': 268279, 'end april': 275777, 'young worker': 1022674, 'recovered from': 705231, 'quickly fill': 694524, 'fill position': 305484, 'tired of panic': 899048, 'of panic porn': 587731, 'panic porn and': 638430, 'porn and doomsday': 664836, 'and doomsday here': 61677, 'doomsday here is': 255469, 'is the realistic': 452915, 'the realistic prediction': 865255, 'realistic prediction for': 701671, 'prediction for the': 669663, 'the economy there': 854027, 'economy there will': 268280, 'be no shortage': 116107, 'of food by': 583664, 'food by the': 313859, 'the end april': 854297, 'end april we': 275778, 'april we will': 83715, 'have an army': 379240, 'army of young': 93027, 'of young worker': 593439, 'young worker who': 1022675, 'who have recovered': 988949, 'have recovered from': 382222, 'recovered from they': 705233, 'from they will': 337981, 'they will quickly': 883876, 'will quickly fill': 994545, 'quickly fill position': 694525, 'fill position in': 305486, 'position in food': 665173, 'democrat banned': 236702, 'banned food': 110565, 'drug admin': 260846, 'admin approved': 32410, 'approved drug': 83147, 'drug hydroxychloroquine': 260976, 'hydroxychloroquine potential': 412009, 'potential cure': 667052, 'now some': 575863, 'some begging': 782396, 'many died': 513993, 'died because': 241516, 'put restriction': 690798, 'didn matter': 241135, 'matter that': 520627, 'it save': 460875, 'trump supported': 933875, 'supported it': 827053, 'be against': 113532, 'democrat banned food': 236703, 'banned food drug': 110566, 'food drug admin': 314301, 'drug admin approved': 260847, 'admin approved drug': 32411, 'approved drug hydroxychloroquine': 83148, 'drug hydroxychloroquine potential': 260977, 'hydroxychloroquine potential cure': 412010, 'potential cure for': 667053, '19 now some': 8859, 'now some begging': 575864, 'some begging for': 782397, 'begging for it': 123482, 'for it how': 322714, 'it how many': 458651, 'how many died': 408257, 'many died because': 513994, 'died because they': 241518, 'they put restriction': 882955, 'put restriction on': 690799, 'restriction on it': 717344, 'it it didn': 459170, 'it didn matter': 457542, 'didn matter that': 241136, 'matter that it': 520628, 'that it save': 844740, 'it save life': 460876, 'save life the': 737561, 'life the fact': 489100, 'that trump supported': 847139, 'trump supported it': 933876, 'supported it mean': 827054, 'mean they must': 524714, 'must be against': 546491, 'be against it': 113533, 'gatherer': 344426, 'it horrible': 458629, 'cry from': 219870, 'be reserved': 116822, 'fund go': 341420, 'go deeper': 353450, 'deeper gatherer': 231959, 'it horrible to': 458631, 'horrible to hear': 404138, 'hear nurse cry': 387964, 'nurse cry from': 577261, 'cry from exhaustion': 219872, 'from exhaustion on': 335346, 'after massive change': 35912, 'massive change there': 519984, 'change there wa': 172317, 'should be reserved': 765715, 'be reserved for': 116823, 'reserved for worker': 714137, 'to some kind': 914880, 'kind of fund': 474898, 'of fund go': 584012, 'fund go deeper': 341421, 'go deeper gatherer': 353451, 'war amid': 966346, 'arabia how': 83892, 'far are': 298707, 'russian willing': 728680, 'destroy oilprices': 239024, 'oilprices is': 597676, 'this causing': 886723, 'causing deflationary': 168022, 'deflationary collapse': 232460, 'collapse crudeoil': 185987, 'crudeoil aramco': 219628, 'aramco putin': 83995, 'putin mohammedbinsalman': 691035, 'price war amid': 677348, 'war amid outbreak': 966347, 'amid outbreak russia': 52562, 'outbreak russia saudi': 628593, 'saudi arabia how': 737198, 'arabia how far': 83893, 'how far are': 407838, 'far are the': 298708, 'are the saudi': 90903, 'saudi and russian': 737176, 'and russian willing': 70690, 'russian willing to': 728681, 'go to destroy': 354299, 'to destroy oilprices': 904217, 'destroy oilprices is': 239025, 'oilprices is this': 597677, 'is this causing': 453076, 'this causing deflationary': 886724, 'causing deflationary collapse': 168023, 'deflationary collapse crudeoil': 232461, 'collapse crudeoil aramco': 185988, 'crudeoil aramco putin': 219629, 'aramco putin mohammedbinsalman': 83996, 'defaulting': 232030, 'erodes': 280176, 'sa bank': 728874, 'issuing fairly': 456125, 'fairly cautious': 296429, 'cautious official': 168227, 'official response': 595894, 'medium question': 527240, 'they intend': 882469, 'of defaulting': 582455, 'defaulting business': 232031, 'private client': 678876, 'pandemic fallout': 635421, 'fallout erodes': 297377, 'erodes or': 280177, 'or halt': 615548, 'halt their': 374464, 'sa bank are': 728875, 'bank are issuing': 109649, 'are issuing fairly': 87592, 'issuing fairly cautious': 456126, 'fairly cautious official': 296430, 'cautious official response': 168228, 'official response to': 595895, 'response to medium': 715866, 'to medium question': 910011, 'medium question about': 527241, 'how they intend': 408920, 'they intend to': 882470, 'intend to deal': 441043, 'deal with thousand': 229586, 'thousand of defaulting': 893432, 'of defaulting business': 582456, 'defaulting business and': 232032, 'business and private': 143324, 'and private client': 69522, 'private client the': 678878, 'client the covid': 182107, '19 pandemic fallout': 9324, 'pandemic fallout erodes': 635422, 'fallout erodes or': 297378, 'erodes or halt': 280178, 'or halt their': 615549, 'halt their income': 374465, 'nationallockdown': 552687, 'up meanwhile': 945373, 'meanwhile your': 525056, 'your refusal': 1025544, 'quickly on': 694561, '100 200k': 1815, '200k life': 13727, 'need mandatory': 555195, 'mandatory nationallockdown': 513047, 'exactly how will': 288738, 'how will it': 409231, 'it be good': 456728, 'good if gas': 357229, 'go up meanwhile': 354436, 'up meanwhile your': 945374, 'meanwhile your refusal': 525058, 'your refusal to': 1025545, 'refusal to act': 707008, 'act quickly on': 29749, 'quickly on the': 694562, 'on the will': 604453, 'the will cost': 871571, 'cost 100 200k': 207814, '100 200k life': 1816, '200k life we': 13728, 'life we need': 489193, 'we need mandatory': 972510, 'need mandatory nationallockdown': 555196, 'given trend': 351193, 'trend yield': 931520, 'yield these': 1016379, 'point projected': 662600, 'corn return': 203592, 'return are': 719814, 'soybean return': 786995, 'return bringing': 719820, 'bringing into': 140172, 'given trend yield': 351194, 'trend yield these': 931521, 'yield these price': 1016380, 'price will result': 677584, 'result in negative': 717540, 'in negative return': 425790, 'negative return at': 556821, 'return at this': 719819, 'this point projected': 889642, 'point projected corn': 662601, 'projected corn return': 683560, 'corn return are': 203593, 'return are lower': 719815, 'projected soybean return': 683565, 'soybean return bringing': 786996, 'return bringing into': 719821, 'bringing into question': 140173, 'shelfisolation': 757858, 'big uk': 130088, 'control stockpiling': 202148, 'claim situation': 179810, 'rationally supermarket': 697764, 'clear rule': 181309, 'rule here': 727250, 'reason shelfisolation': 702988, 'big uk supermarket': 130089, 'chain are failing': 170499, 'failing to control': 296229, 'to control stockpiling': 903452, 'control stockpiling it': 202149, 'stockpiling it getting': 804003, 'getting worse but': 349452, 'worse but they': 1010892, 'but they claim': 147498, 'they claim situation': 881757, 'claim situation is': 179811, 'under control in': 940047, 'control in lockdown': 202030, 'in lockdown italy': 424845, 'lockdown italy people': 499574, 'italy people are': 462888, 'are behaving rationally': 84821, 'behaving rationally supermarket': 123843, 'rationally supermarket have': 697765, 'supermarket have clear': 820681, 'have clear rule': 379985, 'clear rule here': 181310, 'rule here we': 727252, 'we have empty': 971806, 'empty shelf for': 275066, 'no reason shelfisolation': 565296, 'in continues': 421751, 'strict rule': 813653, 'rule very': 727396, 'very encouraging': 955140, 'encouraging to': 275742, 'see head': 745181, 'supermarket in continues': 820882, 'in continues to': 421752, 'continues to impose': 201483, 'to impose strict': 908198, 'impose strict rule': 419269, 'strict rule very': 813654, 'rule very encouraging': 727397, 'very encouraging to': 955141, 'encouraging to see': 275744, 'to see head': 914017, 'see head out': 745182, 'kavacik': 471111, 'wa seen': 963158, 'in hypermarket': 423950, 'in kavacik': 424448, 'kavacik reporter': 471112, 'reporter had': 712612, 'difficulty to': 242411, 'recognize him': 704637, 'amp hooded': 53957, 'hooded learned': 403318, 'certain day': 169988, 'wa seen in': 963159, 'seen in hypermarket': 747074, 'in hypermarket in': 423951, 'hypermarket in kavacik': 412337, 'in kavacik reporter': 424449, 'kavacik reporter had': 471113, 'reporter had difficulty': 712613, 'had difficulty to': 373034, 'difficulty to recognize': 242413, 'to recognize him': 912956, 'recognize him he': 704639, 'him he wa': 396619, 'he wa wearing': 385629, 'wearing mask amp': 974680, 'mask amp hooded': 518298, 'amp hooded learned': 53958, 'hooded learned he': 403319, 'learned he came': 484119, 'he came on': 384808, 'came on certain': 157038, 'on certain day': 599856, 'certain day to': 169989, 'day to prepare': 228577, 'prepare food package': 670065, 'food package for': 315732, 'package for family': 633275, 'for family with': 321395, 'family with low': 298388, 'with low income': 999333, 'turkey update': 935582, 'update president': 947177, 'president erdogan': 670808, 'erdogan talk': 280134, 'for turkey': 327382, 'from increased': 336033, 'demand cheap': 235130, 'cheap finance': 174108, 'turkey update president': 935583, 'update president erdogan': 947178, 'president erdogan talk': 670810, 'erdogan talk about': 280135, 'the benefit of': 849474, 'benefit of the': 127052, 'pandemic for turkey': 635453, 'for turkey and': 327383, 'turkey and how': 935538, 'country would benefit': 211272, 'benefit from increased': 126987, 'from increased production': 336035, 'production demand cheap': 682012, 'demand cheap finance': 235131, 'cheap finance and': 174109, 'finance and oil': 306156, 'fearing spreading': 301496, 'stripped their': 813888, 'retailer struggle': 719337, 'pace with': 632971, 'fearing spreading panic': 301497, 'spreading panic shopper': 791027, 'panic shopper have': 638555, 'shopper have stripped': 761545, 'have stripped their': 382813, 'stripped their shelf': 813889, 'their shelf of': 874684, 'shelf of basic': 757356, 'of basic grocery': 580570, 'grocery and disinfectant': 364232, 'and disinfectant food': 61445, 'disinfectant food retailer': 245663, 'food retailer struggle': 316226, 'retailer struggle to': 719338, 'keep pace with': 471775, 'pace with the': 632972, 'the sudden surge': 868391, 'arthur': 94220, 'smalltownpride': 775322, 'slowthecurve': 774648, 'rural arthur': 728226, 'arthur on': 94221, 'no confirmed': 563871, 'our township': 625177, 'township and': 927611, 'down almost': 256469, 'made accommodation': 507617, 'accommodation closed': 28445, 'closed playground': 183289, 'playground grocery': 659363, 'delivery smalltownpride': 234548, 'smalltownpride slowthecurve': 775323, 'in small rural': 428022, 'small rural arthur': 775104, 'rural arthur on': 728227, 'arthur on and': 94222, 'on and we': 599381, 'far ha no': 298798, 'ha no confirmed': 371333, 'no confirmed case': 563872, '19 but our': 5521, 'but our township': 146736, 'our township and': 625178, 'township and small': 927612, 'business owner have': 144185, 'owner have shut': 632459, 'shut down almost': 767800, 'down almost all': 256470, 'almost all store': 46539, 'all store made': 44501, 'store made accommodation': 808846, 'made accommodation closed': 507618, 'accommodation closed playground': 28446, 'closed playground grocery': 183290, 'playground grocery store': 659364, 'grocery store offering': 365605, 'store offering delivery': 809160, 'offering delivery smalltownpride': 595071, 'delivery smalltownpride slowthecurve': 234549, 'moreira': 541047, 'is stake': 452215, 'stake is': 793317, 'critical agency': 218513, 'agency must': 38042, 'must rise': 546867, 'this challenge': 886727, 'amp teresa': 54627, 'teresa moreira': 838036, 'moreira share': 541048, 'share view': 755331, 'of collaborative': 581518, 'collaborative response': 185944, 'consumer challenge': 196771, 'challenge raise': 171537, 'public health is': 688071, 'health is stake': 386568, 'is stake is': 452216, 'stake is critical': 793318, 'is critical agency': 446938, 'critical agency must': 218514, 'agency must rise': 38043, 'must rise to': 546868, 'rise to meet': 723035, 'meet this challenge': 527628, 'this challenge amp': 886728, 'challenge amp teresa': 171394, 'amp teresa moreira': 54628, 'teresa moreira share': 838037, 'moreira share view': 541049, 'share view on': 755332, 'importance of collaborative': 418697, 'of collaborative response': 581519, 'collaborative response to': 185945, 'to consumer challenge': 903278, 'consumer challenge raise': 196772, '1991': 12488, 'sharply on': 755755, 'friday putting': 333279, 'putting crude': 691100, 'crude on': 219570, 'biggest weekly': 130349, 'weekly percentage': 977524, 'percentage decline': 651200, 'since 1991': 770430, '1991 the': 12489, 'of slashed': 589768, 'slashed demand': 773622, 'while moscow': 987062, 'moscow rejected': 542003, 'rejected intervention': 708337, 'intervention in': 442187, 'fell sharply on': 303232, 'sharply on friday': 755756, 'on friday putting': 601013, 'friday putting crude': 333280, 'putting crude on': 691101, 'crude on track': 219571, 'track for it': 928191, 'for it biggest': 322694, 'it biggest weekly': 456877, 'biggest weekly percentage': 130350, 'weekly percentage decline': 977525, 'percentage decline since': 651201, 'decline since 1991': 231396, 'since 1991 the': 770431, '1991 the spread': 12490, 'spread of slashed': 790710, 'of slashed demand': 589769, 'slashed demand while': 773623, 'demand while moscow': 236488, 'while moscow rejected': 987063, 'moscow rejected intervention': 542004, 'rejected intervention in': 708338, 'intervention in price': 442188, 'in price war': 426984, 'war with saudi': 966604, 'out walking': 627776, 'the forest': 855699, 'forest with': 329085, 'kid no': 474054, 'we met': 972365, 'met replied': 529586, 'replied to': 711721, 'my hello': 548664, 'hello manner': 389191, 'manner germany': 513300, 'berlin toiletpaper': 127352, 'out walking in': 627777, 'in the forest': 429214, 'the forest with': 855700, 'forest with the': 329086, 'the kid no': 858791, 'kid no one': 474056, 'no one we': 564982, 'one we met': 607391, 'we met replied': 972366, 'met replied to': 529587, 'replied to my': 711722, 'to my hello': 910406, 'my hello manner': 548665, 'hello manner germany': 389192, 'manner germany berlin': 513301, 'germany berlin toiletpaper': 346277, '15 more': 3785, 'been added': 120606, 'closure list': 183936, 'list today': 494570, 'today nearly': 919915, '15 more retailer': 3786, 'more retailer and': 540257, 'retailer and business': 718957, 'and business have': 59283, 'have been added': 379459, 'been added to': 120609, 'the closure list': 851054, 'closure list today': 183937, 'list today nearly': 494571, 'today nearly all': 919916, 'nearly all still': 553803, 'all still offer': 44466, 'still offer online': 800920, 'smucker': 775978, 'production distribution': 682018, 'distribution prioritized': 248200, 'prioritized in': 678465, 'in smucker': 428031, 'smucker response': 775979, 'company nears': 190906, 'nears it': 553876, 'volume brand': 960121, 'pet food production': 653394, 'food production distribution': 316042, 'production distribution prioritized': 682019, 'distribution prioritized in': 248201, 'prioritized in smucker': 678466, 'in smucker response': 428032, 'smucker response to': 775980, 'the company nears': 851339, 'company nears it': 190907, 'nears it full': 553877, 'it full capacity': 458180, 'full capacity for': 340517, 'capacity for pet': 162524, 'pet food manufacturing': 653390, 'food manufacturing it': 315380, 'manufacturing it is': 513621, 'it is focused': 458954, 'focused on high': 311958, 'on high volume': 601300, 'high volume brand': 395514, 'volume brand to': 960122, 'brand to meet': 138047, 'to meet increasing': 910031, 'section144is': 744064, 'hindu due': 396860, '19 section144is': 10380, 'section144is decided': 744065, 'decided all': 230859, 'over tamilnadu': 630677, 'tamilnadu unfortunately': 834115, 'unfortunately grocery': 941607, 'store vege': 811049, 'vege shop': 953907, 'shop med': 760459, 'med shop': 525916, 'human virus': 410656, 'will attack': 992320, 'attack them': 102163, 'store holder': 808166, 'holder family': 400063, 'family vege': 298348, 'shop holder': 760282, 'hindu due to': 396861, 'covid 19 section144is': 213758, '19 section144is decided': 10381, 'section144is decided all': 744066, 'decided all over': 230860, 'all over tamilnadu': 43880, 'over tamilnadu unfortunately': 630678, 'tamilnadu unfortunately grocery': 834116, 'unfortunately grocery store': 941608, 'grocery store vege': 365910, 'store vege shop': 811050, 'vege shop med': 953909, 'shop med shop': 760460, 'med shop are': 525917, 'shop are open': 759907, 'are open they': 88806, 'open they are': 612568, 'also human virus': 48385, 'human virus will': 410657, 'virus will attack': 959039, 'will attack them': 992322, 'attack them too': 102164, 'them too every': 876543, 'too every grocery': 924716, 'grocery store holder': 365466, 'store holder family': 808167, 'holder family vege': 400065, 'family vege shop': 298349, 'vege shop holder': 953908, 'shop holder family': 760283, 'holder family are': 400064, 'family are panicking': 297628, 'nana': 551774, 'horlicks': 404056, 'my 79': 547186, '79 nearly': 22373, 'nearly 80': 553792, 'old nana': 598383, 'nana hasn': 551777, 'hasn stock': 378784, 'ha stocked': 372068, 'stocked her': 803335, 'her cupboard': 391975, 'cupboard up': 220499, 'two full': 936941, 'full tub': 340955, 'of horlicks': 584753, 'horlicks priority': 404057, 'my 79 nearly': 547187, '79 nearly 80': 22374, 'nearly 80 year': 553793, 'year old nana': 1014853, 'old nana hasn': 598384, 'nana hasn stock': 551778, 'hasn stock piled': 378785, 'piled food or': 656534, 'roll but she': 725228, 'but she ha': 147025, 'she ha stocked': 756080, 'ha stocked her': 372069, 'stocked her cupboard': 803336, 'her cupboard up': 391976, 'cupboard up with': 220501, 'up with two': 946698, 'with two full': 1001869, 'two full tub': 936942, 'full tub of': 340956, 'tub of horlicks': 935022, 'of horlicks priority': 584754, 'illegals': 416268, 'up thing': 946273, 'dinner went': 243108, 'of lime': 585859, 'juice out': 467753, 'out shelf': 627169, 'bare but': 110871, 'but vote': 147701, 'for biden': 319669, 'biden or': 129538, 'or bernie': 614545, 'bernie expect': 127378, 'shit daily': 759086, 'daily biden': 224521, 'biden will': 129540, 'to illegals': 908121, 'illegals and': 416269, 'themselves bernie': 876780, 'bernie you': 127394, 'pay 50': 644707, 'pick up thing': 655768, 'up thing for': 946274, 'thing for dinner': 884328, 'for dinner went': 320726, 'dinner went to': 243109, 'to get bottle': 906425, 'bottle of lime': 136290, 'of lime juice': 585860, 'lime juice out': 492261, 'juice out shelf': 467754, 'out shelf are': 627170, 'are bare but': 84765, 'bare but vote': 110873, 'but vote for': 147702, 'vote for biden': 960481, 'for biden or': 319670, 'biden or bernie': 129539, 'or bernie expect': 614546, 'bernie expect that': 127379, 'expect that shit': 290740, 'that shit daily': 846262, 'shit daily biden': 759087, 'daily biden will': 224522, 'biden will give': 129541, 'will give all': 993528, 'give all your': 350371, 'money to illegals': 537104, 'to illegals and': 908122, 'illegals and themselves': 416270, 'and themselves bernie': 73734, 'themselves bernie you': 876781, 'bernie you ll': 127395, 'll pay 50': 496945, 'pay 50 for': 644708, '50 for bread': 19690, 'ask corporation': 95507, 'pay appropriate': 644754, 'crisis denial': 217286, 'denial of': 236942, 'of refund': 588876, 'not provided': 571148, 'provided and': 686568, 'let all think': 486574, 'all think about': 45081, 'think about protecting': 885098, 'about protecting consumer': 26018, 'protecting consumer during': 685187, 'crisis and ask': 217014, 'and ask corporation': 58426, 'ask corporation like': 95508, 'bahn to pay': 108562, 'to pay appropriate': 911513, 'pay appropriate refund': 644755, '19 crisis denial': 6235, 'crisis denial of': 217287, 'denial of refund': 236944, 'of refund for': 588877, 'service not provided': 752624, 'not provided and': 571150, 'provided and prohibited': 686569, 'marketingstats': 517774, 'talk covid': 833789, 'are marketer': 88041, 'marketer responding': 517491, 'time onlinemarketing': 897413, 'onlinemarketing retail': 609842, 'retail economy': 718059, 'economy marketingstats': 268061, 'let talk covid': 487107, 'talk covid 19': 833790, 'online shopping behaviour': 609051, 'shopping behaviour how': 762222, 'behaviour how are': 124447, 'how are marketer': 407407, 'are marketer responding': 88042, 'marketer responding and': 517492, 'responding and how': 715558, 'and how can': 64805, 'you give your': 1018833, 'give your business': 350877, 'your business the': 1023082, 'business the edge': 144498, 'edge in these': 268513, 'challenging time onlinemarketing': 171644, 'time onlinemarketing retail': 897414, 'onlinemarketing retail economy': 609843, 'retail economy marketingstats': 718061, 'post do': 666097, 'proactive close': 679154, 'close grocery': 182649, 'certain time': 170118, 'time test': 897812, 'all household': 43157, 'household member': 406877, 'isolate saving': 454909, 'than economy': 840540, 'washington post do': 967789, 'post do we': 666098, 'be proactive close': 116544, 'proactive close grocery': 679155, 'close grocery store': 182650, 'store for certain': 807790, 'for certain time': 320000, 'certain time test': 170119, 'time test all': 897813, 'test all household': 838905, 'all household member': 43158, 'household member for': 406878, 'member for covid': 528081, '19 and isolate': 5051, 'and isolate saving': 65453, 'isolate saving life': 454910, 'saving life is': 737913, 'life is the': 488818, 'most important than': 542412, 'important than economy': 418989, 'additional downgrade': 31814, 'downgrade likely': 257550, 'make additional downgrade': 509647, 'additional downgrade likely': 31815, 'downgrade likely over': 257551, 'so essentially': 776962, 'essentially if': 281909, 'don purchase': 253840, 'there no authorized': 878795, 'kit so essentially': 475638, 'so essentially if': 776963, 'essentially if someone': 281910, 'fake so don': 296709, 'so don purchase': 776909, 'don purchase it': 253841, 'purchase it maconsumer': 689514, 'potion': 667255, 'lozenge': 506303, 'there currently': 878300, 'currently are': 221464, 'vaccine pill': 951748, 'pill potion': 656664, 'potion lotion': 667256, 'lotion lozenge': 504434, 'lozenge or': 506304, 'other prescription': 620751, 'prescription or': 670524, 'counter product': 210247, 'related ad': 708375, 'be subject': 117424, 'to exacting': 905383, 'exacting scrutiny': 288718, 'scrutiny more': 742949, 'the biz': 849737, 'biz blog': 131934, 'there currently are': 878302, 'currently are no': 221465, 'no vaccine pill': 565827, 'vaccine pill potion': 951749, 'pill potion lotion': 656665, 'potion lotion lozenge': 667257, 'lotion lozenge or': 504435, 'lozenge or other': 506305, 'or other prescription': 616444, 'other prescription or': 620752, 'prescription or over': 670525, 'the counter product': 852031, 'counter product available': 210248, 'product available to': 680995, 'available to treat': 104666, 'to treat cure': 917745, 'treat cure coronavirus': 930819, 'cure coronavirus related': 220725, 'coronavirus related ad': 206630, 'related ad claim': 708376, 'ad claim will': 31083, 'claim will be': 179868, 'will be subject': 992707, 'be subject to': 117425, 'subject to exacting': 815750, 'to exacting scrutiny': 905384, 'exacting scrutiny more': 288719, 'scrutiny more on': 742950, 'on the biz': 603989, 'the biz blog': 849738, 'intraday': 443352, 'volatile intraday': 960047, 'intraday and': 443353, 'and intraday': 65346, 'intraday price': 443355, 'masked volatile intraday': 519630, 'volatile intraday and': 960048, 'intraday and intraday': 443354, 'and intraday price': 65347, 'intraday price swing': 443356, 'huge que': 410157, 'que waiting': 693332, 'village butcher': 957338, 'butcher 17': 148022, '17 ppl': 4377, 'ppl all': 668152, 'are arriving': 84621, 'arriving it': 94009, 'be longer': 115813, 'than visit': 841410, 'all observing': 43672, 'observing sd': 578654, 'there is huge': 878575, 'is huge que': 448616, 'huge que waiting': 410158, 'que waiting to': 693333, 'go in our': 353711, 'in our village': 426351, 'our village butcher': 625278, 'village butcher 17': 957339, 'butcher 17 ppl': 148023, '17 ppl all': 4378, 'ppl all up': 668153, 'all up the': 45330, 'up the road': 946210, 'road and more': 724401, 'and more are': 67144, 'more are arriving': 538639, 'are arriving it': 84623, 'arriving it one': 94010, 'one out it': 606806, 'out it will': 626454, 'will be longer': 992544, 'be longer than': 115815, 'longer than visit': 502079, 'than visit to': 841411, 'supermarket at least': 819241, 'least they are': 484658, 'are all observing': 84328, 'all observing sd': 43673, 'gameface': 343314, 'again gameface': 37000, 'store again gameface': 806091, 'accountant': 28812, 'just during': 468660, 'during that': 263071, 'other every': 620192, 'day whether': 228741, 'firefighter an': 308192, 'an accountant': 55069, 'accountant or': 28813, 'mall santa': 511822, 'santa we': 736604, 'round you': 726388, 'just number': 469354, 'are human': 87265, 'not just during': 570221, 'just during that': 468661, 'during that we': 263074, 'each other every': 264171, 'other every day': 620193, 'every day whether': 285860, 'day whether you': 228742, 'store worker firefighter': 811500, 'worker firefighter an': 1006941, 'firefighter an accountant': 308193, 'an accountant or': 55070, 'accountant or mall': 28814, 'or mall santa': 616051, 'mall santa we': 511823, 'santa we need': 736605, 'we need all': 972464, 'this world go': 891510, 'world go round': 1009586, 'go round you': 354078, 'round you re': 726389, 'not just number': 570236, 'just number you': 469355, 'number you are': 577098, 'you are human': 1017143, 'are human being': 87268, 'disapprove': 244169, 'in 55': 419944, 'american approve': 51790, 'approve of': 83111, 'trump management': 933695, 'crisis compared': 217234, 'to 43': 899724, '43 who': 18985, 'who disapprove': 988609, 'disapprove according': 244170, 'new news': 559132, 'news ipsos': 560548, 'ipsos poll': 444622, 'just in 55': 469026, 'in 55 of': 419945, '55 of american': 20405, 'of american approve': 580051, 'american approve of': 51791, 'approve of the': 83114, 'of the president': 591359, 'the president trump': 864272, 'president trump management': 670942, 'trump management of': 933696, 'coronavirus crisis compared': 205744, 'crisis compared to': 217235, 'compared to 43': 191421, 'to 43 who': 899725, '43 who disapprove': 18986, 'who disapprove according': 988610, 'disapprove according to': 244171, 'to new news': 910567, 'new news ipsos': 559133, 'news ipsos poll': 560549, 'situation leaving': 772367, 'are not consumer': 88345, 'not consumer right': 568847, 'pandemic situation leaving': 636475, 'situation leaving their': 772368, 'leaving their customer': 485159, 'consumerbusiness': 199641, 'affected everyone': 34353, 'but especially': 145659, 'the consumerbusiness': 851630, 'consumerbusiness industry': 199642, 'industry how': 435889, 'storm click': 811792, 'business response': 144320, 'response checklist': 715654, 'ha affected everyone': 369462, 'affected everyone but': 34354, 'everyone but especially': 286746, 'but especially the': 145661, 'especially the consumerbusiness': 280620, 'the consumerbusiness industry': 851631, 'consumerbusiness industry how': 199643, 'industry how can': 435890, 'you be prepared': 1017394, 'prepared to weather': 670259, 'the storm click': 868158, 'storm click below': 811793, 'below for covid': 126643, '19 consumer business': 5959, 'consumer business response': 196680, 'business response checklist': 144321, 'resuscitate': 717789, 'dnr': 249000, 'scary so': 741183, 'about walking': 26837, 'stayathome but': 797446, 'bring germ': 139977, 'germ there': 346163, 'there doctor': 878327, 'doctor consider': 250879, 'consider universal': 195171, 'universal do': 942358, 'not resuscitate': 571363, 'resuscitate dnr': 717790, 'dnr order': 249005, 'patient pandemic': 644231, 'pandemic america': 634837, 'scary so think': 741184, 'so think again': 778493, 'again about walking': 36870, 'about walking around': 26838, 'walking around without': 965031, 'around without your': 93648, 'without your mask': 1003077, 'your mask glove': 1024785, 'hand sanitizer stayathome': 375599, 'sanitizer stayathome but': 735798, 'stayathome but do': 797447, 'not bring germ': 568622, 'bring germ there': 139978, 'germ there doctor': 346164, 'there doctor consider': 878328, 'doctor consider universal': 250880, 'consider universal do': 195172, 'universal do not': 942359, 'do not resuscitate': 249827, 'not resuscitate dnr': 571364, 'resuscitate dnr order': 717791, 'dnr order for': 249006, 'order for patient': 618236, 'for patient pandemic': 324418, 'patient pandemic america': 644232, 'pandemic america the': 634839, 'america the washington': 51699, 'ceemea': 168744, 'macro note': 507478, 'in ceemea': 421302, 'macro note covid': 507479, '19 induced recession': 7834, 'induced recession in': 435487, 'recession in ceemea': 704294, 'than stopstockpiling': 841174, 'stophoarding cornoravirusuk': 805372, 'nothing ha done': 573028, 'done more to': 254940, 'to drive people': 904744, 'people to their': 649956, 'to their day': 917222, 'their day than': 872981, 'day than stopstockpiling': 228460, 'than stopstockpiling stophoarding': 841175, 'stopstockpiling stophoarding cornoravirusuk': 805877, 'maritimes': 515758, 'the maritimes': 860075, 'maritimes are': 515759, 'and dwindling': 61817, 'dwindling volunteer': 263700, 'volunteer base': 960234, 'pandemic ctv': 635277, 'ctv report': 220126, 'in the maritimes': 429340, 'the maritimes are': 860076, 'maritimes are preparing': 515760, 'preparing for higher': 670328, 'demand and dwindling': 234958, 'and dwindling volunteer': 61820, 'dwindling volunteer base': 263701, 'volunteer base during': 960235, 'base during the': 111443, '19 pandemic ctv': 9305, 'pandemic ctv report': 635278, 'another idiot': 77665, 'idiot trying': 413624, 'spread corona': 790486, 'this hold': 887930, 'hold him': 399941, 'him accountable': 396527, 'accountable vaccine': 28810, 'vaccine sundaythoughts': 951769, 'sundaythoughts stayhomesavelives': 818352, 'another idiot trying': 77666, 'idiot trying to': 413625, 'trying to spread': 934875, 'to spread corona': 915056, 'spread corona virus': 790487, 'corona virus around': 204287, 'virus around supermarket': 957967, 'around supermarket share': 93503, 'supermarket share this': 822403, 'share this hold': 755281, 'this hold him': 887931, 'hold him accountable': 399942, 'him accountable vaccine': 396528, 'accountable vaccine sundaythoughts': 28811, 'vaccine sundaythoughts stayhomesavelives': 951770, 'kungflufighting': 477938, 'survive coronapocalypse': 829143, 'coronapocalypse present': 205196, 'present another': 670574, 'another useful': 77931, 'useful tool': 950206, 'tool use': 925460, 'advanced option': 32939, 'for accuracy': 319000, 'accuracy kungflufighting': 28881, 'kungflufighting toiletpaper': 477939, 'toiletpaperpanic toiletpaperemergency': 923283, 'toiletpaperemergency toiletpaperwars': 923145, 'toiletpaperwars toiletpapercrisis': 923350, 'helping my friend': 391394, 'my friend to': 548453, 'friend to survive': 333850, 'to survive coronapocalypse': 916022, 'survive coronapocalypse present': 829144, 'coronapocalypse present another': 205197, 'present another useful': 670575, 'another useful tool': 77932, 'useful tool use': 950208, 'tool use the': 925461, 'the advanced option': 848368, 'advanced option for': 32940, 'option for accuracy': 614031, 'for accuracy kungflufighting': 319001, 'accuracy kungflufighting toiletpaper': 28882, 'kungflufighting toiletpaper toiletpaperpanic': 477940, 'toiletpaper toiletpaperpanic toiletpaperemergency': 922713, 'toiletpaperpanic toiletpaperemergency toiletpaperwars': 923286, 'toiletpaperemergency toiletpaperwars toiletpapercrisis': 923146, 'face serious': 294722, 'serious fiscal': 751384, 'fiscal pressure': 309262, 'pressure more': 671187, 'crisis our expert': 217838, 'our expert predict': 622961, 'expert predict that': 291918, 'predict that saudi': 669579, 'and russia will': 70684, 'russia will be': 728604, 'able to weather': 24570, 'weather this period': 974908, 'this period but': 889515, 'period but many': 651732, 'but many other': 146358, 'many other oil': 514435, 'other oil exporting': 620598, 'exporting country may': 292766, 'country may face': 210890, 'may face serious': 521172, 'face serious fiscal': 294725, 'serious fiscal pressure': 751385, 'fiscal pressure more': 309263, 'pressure more information': 671188, 'the scum': 866541, 'scum selling': 742984, 'selling first': 749241, 'need item': 555115, 'website could': 975237, 'could write': 209838, 'write script': 1012786, 'script to': 742856, 'that stophoarding': 846508, 'and have the': 64285, 'have the responsibility': 383019, 'responsibility of stopping': 715971, 'of stopping the': 590234, 'stopping the scum': 805830, 'the scum selling': 866543, 'scum selling first': 742985, 'selling first need': 749242, 'first need item': 308796, 'need item at': 555116, 'exorbitant price in': 290413, 'in their website': 429791, 'their website could': 875168, 'website could write': 975238, 'could write script': 209839, 'write script to': 1012787, 'script to do': 742857, 'to do that': 904567, 'do that stophoarding': 250228, 'that stophoarding coronacrisis': 846509, 'qutting': 695037, 'qutting smoking': 695038, 'smoking could': 775905, '19 cnn': 5863, 'qutting smoking could': 695039, 'smoking could help': 775906, 'help you fight': 390970, 'you fight covid': 1018554, 'covid 19 cnn': 212817, 'these brooklyn': 879701, 'using online': 950578, 'to organize': 911101, 'organize free': 619462, 'for neighbor': 323807, 'the ravage': 865181, 'ravage economy': 697910, 'economy or': 268135, 'too physically': 924999, 'physically vulnerable': 655527, 'salute you all': 732872, 'you all hero': 1016886, 'all hero these': 43112, 'hero these brooklyn': 394123, 'these brooklyn resident': 879702, 'brooklyn resident are': 140996, 'resident are using': 714254, 'are using online': 91426, 'using online tool': 950580, 'tool to organize': 925452, 'to organize free': 911102, 'organize free food': 619463, 'free food delivery': 331827, 'delivery for neighbor': 234026, 'for neighbor who': 323809, 'neighbor who ve': 557097, 'their job the': 873739, 'job the ravage': 466191, 'the ravage economy': 865182, 'ravage economy or': 697911, 'economy or are': 268136, 'or are too': 614423, 'are too physically': 91144, 'too physically vulnerable': 925000, 'physically vulnerable to': 655528, 'vulnerable to walk': 961238, 'suncontract': 818135, 'custumers': 223199, 'eth': 282949, 'suncontract is': 818136, 'new custumers': 558584, 'custumers during': 223200, 'situation nice': 772397, 'nice effort': 562392, 'effort blockchain': 269487, 'blockchain bitcoin': 132825, 'bitcoin eth': 131812, 'eth energy': 282950, 'energy electricity': 276444, 'suncontract is offering': 818137, 'for new custumers': 323821, 'new custumers during': 558585, 'custumers during 19': 223201, 'during 19 situation': 262409, '19 situation nice': 10581, 'situation nice effort': 772398, 'nice effort blockchain': 562393, 'effort blockchain bitcoin': 269488, 'blockchain bitcoin eth': 132826, 'bitcoin eth energy': 131813, 'eth energy electricity': 282951, 'thread over': 893591, 'over at': 630006, 'ha written': 372498, 'written ton': 1012976, 'about over': 25913, 'source that': 786553, 'thread over at': 893592, 'over at the': 630007, 'team ha written': 835656, 'ha written ton': 372501, 'written ton of': 1012977, 'of story about': 590275, 'story about over': 811894, 'about over the': 25914, 'last week would': 480698, 'week would like': 977285, 'many source that': 514719, 'source that have': 786554, 'that have helped': 844214, 'have helped help': 380929, 'public stay informed': 688336, 'stay informed and': 797086, 'informed and informed': 438080, 'and informed healthy': 65227, 'informed healthy 19': 438101, 'nadu': 551384, 'health min': 386639, 'min met': 532553, 'met chemist': 529568, 'chemist association': 175407, 'association on': 96974, 'friday and': 333194, 'must sell': 546875, 'sanitisers capped': 734075, 'capped in': 162874, 'in tamil': 428811, 'tamil nadu': 834105, 'health min met': 386640, 'min met chemist': 532554, 'met chemist association': 529569, 'chemist association on': 175408, 'association on friday': 96975, 'on friday and': 600997, 'friday and said': 333196, 'and said that': 70776, 'said that they': 731416, 'they must sell': 882708, 'must sell mask': 546876, 'sell mask at': 748784, 'cost price covid': 208084, 'mask hand sanitisers': 518777, 'hand sanitisers capped': 375261, 'sanitisers capped in': 734076, 'capped in tamil': 162875, 'in tamil nadu': 428812, 'gallon barrel': 342979, 'disinfectant three': 245776, 'shortage we are': 765296, 'grateful for their': 362274, 'of gallon barrel': 584029, 'gallon barrel of': 342980, 'barrel of disinfectant': 111252, 'of disinfectant three': 582687, 'disinfectant three to': 245777, 'three to our': 894087, 'to our hospital': 911190, 'our hospital and': 623464, 'hospital and two': 404290, 'two to 19': 937280, '3m currently': 18313, 'currently manufacture': 221587, 'manufacture more': 513377, 'million n95': 532248, 'respirator annually': 715193, 'annually which': 77429, 'increasingly being': 433757, 'support both': 826388, 'both government': 135916, 'health response': 386799, 'response 3m': 715611, '3m re': 18334, 'in the 3m': 428955, 'the 3m currently': 848104, '3m currently manufacture': 18314, 'currently manufacture more': 221588, 'manufacture more than': 513378, 'than 400 million': 840248, '400 million n95': 18756, 'million n95 respirator': 532249, 'n95 respirator annually': 551229, 'respirator annually which': 715194, 'annually which is': 77430, 'which is increasingly': 986019, 'is increasingly being': 448869, 'increasingly being directed': 433758, 'directed to support': 243422, 'to support both': 915908, 'support both government': 826390, 'both government and': 135917, 'government and public': 359871, 'public health response': 688081, 'health response 3m': 386800, 'response 3m ha': 715612, 'for 3m re': 318828, 'jacoby': 464227, 'gauging jacoby': 344564, 'jacoby ha': 464228, 'some opinion': 783456, 'gouging or price': 359417, 'or price gauging': 616690, 'price gauging jacoby': 674158, 'gauging jacoby ha': 344565, 'jacoby ha some': 464229, 'ha some opinion': 371996, 'some opinion on': 783457, 'opinion on what': 613486, 'what business should': 981155, 'business should do': 144374, 'itstime': 463997, 'socialdistancingdiaries': 780898, 'itstime to': 463998, 'to ditch': 904454, 'ditch toiletpaper': 248452, 'toiletpaper forever': 922004, 'and embrace': 62030, 'the bidet': 849591, 'bidet via': 129589, 'news socialdistancingdiaries': 560802, 'socialdistancingdiaries bidet': 780899, 'bidet toiletpapershortage': 129585, 'toiletpapershortage tp': 923335, 'tp diary': 927794, 'itstime to ditch': 463999, 'to ditch toiletpaper': 904455, 'ditch toiletpaper forever': 248453, 'toiletpaper forever and': 922005, 'forever and embrace': 329094, 'and embrace the': 62031, 'embrace the bidet': 272490, 'the bidet via': 849592, 'bidet via news': 129590, 'via news socialdistancingdiaries': 956104, 'news socialdistancingdiaries bidet': 560803, 'socialdistancingdiaries bidet toiletpapershortage': 780900, 'bidet toiletpapershortage tp': 129586, 'toiletpapershortage tp diary': 923336, 'friend bc': 333535, 'teach group': 835392, 'group exercise': 366682, 'exercise rn': 290096, 'no equipment': 564129, 'equipment workout': 279876, 'workout to': 1009178, 'support myself': 826660, 'myself through': 550955, 'time price': 897519, 'affordable so': 34900, 'friend bc of': 333536, '19 not able': 8825, 'able to teach': 24558, 'to teach group': 916311, 'teach group exercise': 835393, 'group exercise rn': 366683, 'exercise rn and': 290097, 'rn and am': 724310, 'and am out': 58025, 'of job so': 585537, 'job so am': 466159, 'so am selling': 776494, 'am selling at': 50372, 'home no equipment': 401661, 'no equipment workout': 564131, 'equipment workout to': 279877, 'workout to support': 1009179, 'to support myself': 915947, 'support myself through': 826661, 'myself through this': 550956, 'this time price': 890678, 'time price are': 897520, 'are super affordable': 90642, 'super affordable so': 818466, 'affordable so we': 34901, 'greet': 363786, 'to greet': 906998, 'greet each': 363787, 'other with': 621206, 'with kiss': 999157, 'kiss on': 475457, 'the cheek': 850782, 'cheek why': 175086, 'frustrating that': 339252, 'being this': 125941, 'this careless': 886702, 'at supermarket we': 100789, 'supermarket we saw': 823752, 'we saw people': 973138, 'saw people who': 738212, 'who were wearing': 989970, 'wearing mask take': 974715, 'mask take off': 519330, 'take off their': 832396, 'off their mask': 594292, 'their mask to': 873927, 'mask to greet': 519405, 'to greet each': 906999, 'greet each other': 363788, 'each other with': 264236, 'other with kiss': 621207, 'with kiss on': 999158, 'kiss on the': 475458, 'on the cheek': 604021, 'the cheek why': 850783, 'cheek why wear': 175087, 'why wear the': 991538, 'wear the mask': 974471, 'the mask in': 860219, 'first place so': 308871, 'place so frustrating': 657688, 'so frustrating that': 777127, 'frustrating that people': 339253, 'are being this': 84935, 'being this careless': 125942, 'whole thinking': 990359, 'food growing': 314732, 'growing rather': 367232, 'than cheap': 840448, 'cheap import': 174126, 'consumer get': 197579, 'the source': 867500, 'one hope': 606427, 'farmer according': 299237, 'could shift the': 209670, 'shift the whole': 758421, 'the whole thinking': 871513, 'whole thinking of': 990360, 'thinking of society': 885970, 'of society to': 589875, 'society to support': 781336, 'local food growing': 497965, 'food growing rather': 314733, 'growing rather than': 367233, 'rather than cheap': 697510, 'than cheap import': 840449, 'cheap import could': 174127, 'import could mean': 418626, 'could mean consumer': 209408, 'mean consumer get': 524396, 'consumer get closer': 197580, 'to the source': 917080, 'the source of': 867501, 'source of their': 786533, 'their food that': 873353, 'food that one': 317098, 'that one hope': 845496, 'one hope of': 606428, 'hope of australian': 403564, 'of australian farmer': 580459, 'australian farmer according': 103486, 'farmer according to': 299238, 'according to recent': 28580, 'to recent survey': 912942, 'course it': 211884, 'cough it': 208495, 'may atop': 520938, 'atop droplet': 101992, 'mouth n95facemask': 543533, 'of course it': 582057, 'course it not': 211885, 'not good protection': 569728, 'good protection for': 357599, 'protection for doctor': 685440, 'for doctor but': 320793, 'doctor but if': 250859, 'and the woman': 73660, 'of you cough': 593377, 'you cough it': 1018068, 'cough it may': 208496, 'it may atop': 459547, 'may atop droplet': 520939, 'atop droplet from': 101993, 'droplet from getting': 260472, 'from getting into': 335631, 'getting into your': 349073, 'into your mouth': 443325, 'your mouth n95facemask': 1024900, 'istayhome': 456160, 'istayhome during': 456161, 'easter holiday': 265446, 'the neighbourhood': 861440, 'neighbourhood once': 557280, 'anyone passing': 80462, 'passing by': 643369, 'by please': 153589, 'please stayhomesavelives': 660557, 'istayhome during the': 456162, 'during the easter': 263120, 'the easter holiday': 853851, 'easter holiday will': 265452, 'holiday will have': 400386, 'supermarket once to': 821749, 'the essential will': 854527, 'essential will have': 281797, 'will have walk': 993683, 'have walk in': 383536, 'in the neighbourhood': 429389, 'the neighbourhood once': 861442, 'neighbourhood once day': 557281, 'once day while': 605618, 'day while keeping': 228748, 'while keeping my': 986989, 'keeping my distance': 472484, 'my distance from': 548005, 'distance from anyone': 246711, 'from anyone passing': 334557, 'anyone passing by': 80463, 'passing by please': 643371, 'by please stayhomesavelives': 153590, 'please stayhomesavelives staysafe': 660558, 'breeze': 139286, 'from breeze': 334735, 'breeze in': 139289, 'march when': 515526, 'case began': 165660, 'began rapidly': 123427, 'rapidly trending': 697036, 'trending upward': 931584, 'upward in': 947953, 'california food': 155500, 'state experienced': 795574, 'experienced surge': 291608, 'while civilian': 986688, 'civilian volunteer': 179574, 'were unavailable': 980304, 'to package': 911350, 'package load': 633325, 'deliver meal': 233171, 'meal california': 524116, 'from breeze in': 334736, 'breeze in march': 139290, 'in march when': 425130, 'march when covid': 515527, '19 case began': 5669, 'case began rapidly': 165661, 'began rapidly trending': 123428, 'rapidly trending upward': 697037, 'trending upward in': 931585, 'upward in california': 947954, 'in california food': 421140, 'california food bank': 155501, 'the state experienced': 867773, 'state experienced surge': 795575, 'experienced surge in': 291609, 'in demand while': 422169, 'demand while civilian': 236486, 'while civilian volunteer': 986689, 'civilian volunteer and': 179575, 'volunteer and staff': 960215, 'and staff were': 72202, 'staff were unavailable': 793074, 'were unavailable to': 980305, 'unavailable to package': 939464, 'to package load': 911352, 'package load and': 633326, 'load and deliver': 497240, 'and deliver meal': 61084, 'deliver meal california': 233172, 'new don': 558639, 'say bomb': 738461, 'bomb on': 134186, 'on plane': 602808, 'the new don': 861496, 'new don say': 558640, 'don say bomb': 253886, 'say bomb on': 738462, 'bomb on plane': 134187, 'shameful have': 754687, 'have receipt': 382195, 'receipt which': 703425, 'which show': 986320, 'you charged': 1017920, 'charged 99': 173364, 'paracetamol pharmacy': 641261, 'pharmacy are': 654232, 'not independently': 570135, 'owned or': 632347, 'or managed': 616053, 'managed it': 512478, 'only come': 610253, 'is absolutely shameful': 445300, 'absolutely shameful have': 27445, 'shameful have receipt': 754688, 'have receipt which': 382196, 'receipt which show': 703426, 'which show you': 986321, 'show you charged': 767293, 'you charged 99': 1017921, 'charged 99 for': 173365, '99 for paracetamol': 23829, 'for paracetamol pharmacy': 324382, 'paracetamol pharmacy are': 641262, 'pharmacy are not': 654235, 'are not independently': 88399, 'not independently owned': 570136, 'independently owned or': 434161, 'owned or managed': 632348, 'or managed it': 616054, 'managed it can': 512479, 'it can only': 457028, 'can only come': 159121, 'only come from': 610255, 'given taste': 351116, 'deal agreement': 229332, 'agreement will': 38806, 'shop closing': 760052, 'nh during': 561945, 'be nonsense': 116119, 'ha given taste': 370714, 'given taste of': 351117, 'the government no': 856568, 'no deal agreement': 563968, 'deal agreement will': 229333, 'agreement will look': 38807, 'and shop closing': 71496, 'shop closing the': 760053, 'closing the nh': 183778, 'the nh during': 861739, 'nh during crisis': 561946, 'during crisis taking': 262569, 'will be nonsense': 992575, 'record 10': 704897, 'worker filing': 1006931, 'filing unemployment': 305432, 'should know and': 766177, 'know and where': 476259, 'and where you': 75543, 'can turn for': 160067, 'for help if': 322178, 're among the': 698278, 'among the record': 53072, 'the record 10': 865359, 'record 10 million': 704898, '10 million worker': 1533, 'million worker filing': 532429, 'worker filing unemployment': 1006932, 'filing unemployment claim': 305433, 'claim in the': 179749, 'week and struggling': 975937, 'roll try': 725575, 'alternative coronacrisisuk': 49215, 'stayathome lockdownuknow': 797525, 'lockdownuknow quaratinelife': 500450, 'who need loo': 989317, 'loo roll try': 502206, 'roll try these': 725576, 'try these alternative': 934586, 'these alternative coronacrisisuk': 879587, 'alternative coronacrisisuk 19': 49216, 'coronacrisisuk 19 stayathome': 204877, '19 stayathome lockdownuknow': 10806, 'stayathome lockdownuknow quaratinelife': 797526, 'lockdownuknow quaratinelife toiletpaper': 500451, 'quaratinelife toiletpaper toiletpaperchallenge': 693160, 'going on supply': 355337, 'on supply run': 603831, 'supply run to': 825789, 'store in time': 808403, 'of corona stayathome': 581898, 'powerofpositivity': 667835, 'burndiya': 142910, 'do ensure': 249255, 'hand powerofpositivity': 375184, 'powerofpositivity burndiya': 667836, 'burndiya did': 142911, 'it battle for': 456714, 'battle for all': 112796, 'all let fight': 43366, 'let fight it': 486716, 'fight it together': 304790, 'it together please': 461775, 'together please do': 920900, 'please do ensure': 659893, 'do ensure that': 249256, 'ensure that there': 278072, 'no sanitizer on': 565413, 'sanitizer on your': 735464, 'your hand powerofpositivity': 1024213, 'hand powerofpositivity burndiya': 375185, 'powerofpositivity burndiya did': 667837, 'specialised': 788105, 'shopping let': 763155, 'help look': 390019, 'another together': 77911, 'overcome premium': 631129, 'premium or': 669966, 'or specialised': 617177, 'specialised grocery': 788108, 'grocery shopping let': 365049, 'shopping let all': 763156, 'all be vigilant': 42144, 'vigilant and help': 957235, 'and help look': 64456, 'help look out': 390020, 'out for one': 626146, 'one another together': 605928, 'another together we': 77912, 'we can overcome': 970984, 'can overcome premium': 159188, 'overcome premium or': 631130, 'premium or specialised': 669967, 'or specialised grocery': 617178, 'koel': 477315, 'aajeevika': 24097, 'palamu': 634562, 'for koel': 322862, 'koel aajeevika': 477316, 'aajeevika apparel': 24098, 'apparel park': 81868, 'the palamu': 862872, 'palamu is': 634563, 'scale to': 739922, 'department these': 237286, 'to sterilize': 915392, 'sterilize are': 799860, 'for koel aajeevika': 322863, 'koel aajeevika apparel': 477317, 'aajeevika apparel park': 24099, 'apparel park in': 81869, 'in the palamu': 429432, 'the palamu is': 862873, 'palamu is providing': 634564, 'is providing mask': 451120, 'providing mask at': 687050, 'mask at large': 518424, 'at large scale': 99412, 'large scale to': 479789, 'scale to the': 739923, 'health department these': 386376, 'department these mask': 237287, 'these mask which': 880278, 'mask which are': 519554, 'which are easy': 985678, 'are easy to': 86075, 'easy to sterilize': 265791, 'to sterilize are': 915393, 'sterilize are available': 799861, 'available at low': 104254, 'people from 19': 647980, 'haircut': 374027, 'coronalockdownuk when': 205053, 'over wonder': 630948, 'much pint': 545233, 'and haircut': 64115, 'haircut will': 374037, 'be petrol': 116403, 'floor now': 310827, 'coronalockdownuk when this': 205054, 'when this lockdown': 984307, 'is over wonder': 450749, 'over wonder how': 630949, 'how much pint': 408368, 'much pint of': 545234, 'of beer and': 580618, 'beer and haircut': 122426, 'and haircut will': 64116, 'haircut will be': 374038, 'will be petrol': 992606, 'be petrol price': 116404, 'petrol price have': 653769, 'have gone through': 380797, 'through the floor': 894737, 'the floor now': 855425, 'floor now we': 310828, 'now we cannot': 576337, 'we cannot use': 971089, 'cannot use it': 162204, 'use it just': 949305, 'it just saying': 459240, 'whm': 988002, 'pandemic cancelling': 635092, 'cancelling the': 161223, 'event until': 285103, 'notice lowering': 573304, 'course so': 211933, 'on practicing': 602872, 'the whm': 871465, 'whm safely': 988003, 'taking to keep': 833634, 'keep you safe': 472246, 'you safe during': 1020971, '19 pandemic cancelling': 9285, 'pandemic cancelling the': 635093, 'cancelling the live': 161224, 'the live event': 859499, 'live event until': 495803, 'event until further': 285104, 'further notice lowering': 342107, 'notice lowering the': 573305, 'lowering the price': 506129, 'all our online': 43821, 'our online course': 624144, 'online course so': 608065, 'course so you': 211934, 'can keep on': 158812, 'keep on practicing': 471705, 'on practicing the': 602873, 'practicing the whm': 668756, 'the whm safely': 871466, 'whm safely at': 988004, 'safely at home': 730260, 'home and boost': 400617, 'and boost your': 59069, 'boost your immunity': 135037, 'others country': 621347, 'love this others': 504831, 'this others country': 889300, 'others country should': 621348, 'country should follow': 211048, 'follow this sanitizer': 312568, 'some brand': 782424, 'should actually': 765471, 'instance if': 440077, 'uk all': 938152, 'but ale': 145077, 'ale and': 41323, 'and lager': 65930, 'lager marketing': 478898, 'marketing marketresearch': 517645, 'uncertain time some': 939625, 'time some brand': 897710, 'some brand should': 782428, 'brand should actually': 138006, 'should actually have': 765472, 'actually have look': 30831, 'have look around': 381374, 'around and do': 93195, 'do some market': 250126, 'some market research': 783261, 'market research about': 516992, 'research about their': 713649, 'their own product': 874196, 'own product like': 632158, 'product like for': 681362, 'like for instance': 490272, 'for instance if': 322609, 'instance if you': 440078, 'any supermarket in': 79902, 'the uk all': 870188, 'uk all the': 938153, 'all the beer': 44671, 'the beer is': 849421, 'beer is gone': 122474, 'is gone all': 448111, 'gone all but': 356195, 'all but ale': 42244, 'but ale and': 145078, 'ale and lager': 41324, 'and lager marketing': 65931, 'lager marketing marketresearch': 478899, 'cocoapost': 185272, 'ghana loses': 349576, 'loses billion': 503516, 'billion global': 130826, 'global cocoa': 351777, 'cocoa price': 185262, 'pandemic cocoapost': 635162, 'cocoapost cocoa': 185273, 'ghana loses billion': 349577, 'loses billion global': 503518, 'billion global cocoa': 130827, 'global cocoa price': 351778, 'cocoa price fall': 185264, 'fall amid coronavirus': 296820, 'coronavirus pandemic cocoapost': 206447, 'pandemic cocoapost cocoa': 635163, 'cocoapost cocoa price': 185274, 'supermarket profit': 822075, 'profit rising': 682849, 'government stepping': 360632, 'cover most': 212255, 'people wage': 650101, 'clearly going': 181513, 'time too': 898120, 'with supermarket profit': 1001057, 'supermarket profit rising': 822077, 'profit rising and': 682850, 'rising and the': 723165, 'the government stepping': 856602, 'government stepping in': 360633, 'in to cover': 430105, 'to cover most': 903657, 'cover most people': 212256, 'most people wage': 542629, 'people wage like': 650102, 'wage like to': 963924, 'see supermarket give': 745767, 'supermarket give back': 820521, 'back to charity': 107358, 'charity that are': 173693, 'that are clearly': 842729, 'are clearly going': 85317, 'clearly going through': 181514, 'going through tough': 355511, 'tough time too': 926867, 'time too coronacrisis': 898121, 'still try': 801339, 'keep supporting': 472001, 'supporting vendor': 827227, 'at national': 99849, 'national regional': 552598, 'regional and': 707492, 'and int': 65308, 'int level': 440911, 'level by': 487529, 'offering effective': 595087, 'effective amp': 269214, 'amp efficient': 53698, 'all adopt': 41947, 'adopt shopping': 32674, 'amp shipping': 54486, 'avert outbreak': 104926, 'rwanda will still': 728755, 'will still try': 994987, 'still try it': 801340, 'try it very': 934501, 'it very best': 462025, 'very best effort': 955016, 'best effort to': 127679, 'to keep supporting': 908861, 'keep supporting vendor': 472003, 'supporting vendor and': 827228, 'vendor and consumer': 954340, 'and consumer to': 60438, 'consumer to at': 199306, 'to at national': 900806, 'at national regional': 99850, 'national regional and': 552599, 'regional and int': 707493, 'and int level': 65309, 'int level by': 440912, 'level by offering': 487530, 'by offering effective': 153398, 'offering effective amp': 595088, 'effective amp efficient': 269215, 'amp efficient logistics': 53699, 'let all adopt': 486547, 'all adopt shopping': 41948, 'adopt shopping amp': 32675, 'shopping amp shipping': 761955, 'amp shipping to': 54487, 'shipping to avert': 758933, 'to avert outbreak': 900862, 'medical perspective': 526298, 'perspective refrain': 653227, 'is really really': 451312, 'really really big': 702512, 'really big deal': 702030, 'deal for people': 229400, 'people with if': 650453, 'with if you': 998936, 'don need gluten': 253759, 'free food from': 331830, 'food from medical': 314608, 'from medical perspective': 336410, 'medical perspective refrain': 526299, 'perspective refrain from': 653228, 'refrain from buying': 706741, 'from buying it': 334779, 'it stock are': 461261, 'stock are low': 801855, 'low and people': 505132, 'year here': 1014615, 'how three': 408968, 'major category': 509256, 'category are': 167159, '19 and rising': 5096, 'rising supply are': 723294, 'supply are pushing': 824790, 'are pushing price': 89344, 'in almost 20': 420195, '20 year here': 13423, 'year here how': 1014616, 'here how three': 393114, 'how three major': 408969, 'three major category': 893978, 'major category are': 509257, 'category are reacting': 167161, 'via mrx': 956085, 'new survey on': 559711, 'survey on american': 828916, 'on american consumer': 599299, 'economy but they': 267726, 'and behavior survey': 58842, 'behavior survey consumer': 124215, 'survey consumer sentiment': 828846, 'crisis via mrx': 218316, 'minworth': 533909, 'tbh': 835248, 'being limited': 125385, 'in ur': 430464, 'ur store': 948072, 'went ur': 979225, 'ur minworth': 948037, 'minworth store': 533910, 'tonight and': 924360, 'with like': 999218, 'of nappy': 586851, 'nappy it': 551887, 'wa sad': 963129, 'sad tbh': 729247, 'tbh especially': 835253, 've seemed': 953519, 'my fb': 548289, 'fb today': 300679, 'is mother': 449750, 'mother struggling': 543170, 'find nappy': 307090, 'food corona': 314017, 'why is stock': 991120, 'is stock not': 452331, 'stock not being': 802501, 'not being limited': 568537, 'being limited in': 125386, 'limited in ur': 492657, 'in ur store': 430467, 'ur store went': 948073, 'store went ur': 811216, 'went ur minworth': 979226, 'ur minworth store': 948038, 'minworth store tonight': 533911, 'store tonight and': 810904, 'tonight and saw': 924363, 'and saw someone': 70985, 'saw someone with': 738251, 'someone with like': 784787, 'with like 10': 999219, 'like 10 pack': 489679, 'pack of nappy': 633105, 'of nappy it': 586852, 'nappy it wa': 551888, 'it wa sad': 462183, 'wa sad tbh': 963131, 'sad tbh especially': 729248, 'tbh especially after': 835254, 'especially after all': 280429, 'after all ve': 35338, 'all ve seemed': 45352, 've seemed to': 953520, 'seemed to see': 746730, 'to see on': 914051, 'see on my': 745498, 'on my fb': 602282, 'my fb today': 548291, 'fb today is': 300680, 'today is mother': 919723, 'is mother struggling': 449751, 'mother struggling to': 543171, 'to find nappy': 905923, 'find nappy and': 307091, 'nappy and food': 551878, 'and food corona': 63034, 'usa really': 948734, 'really wanted': 702703, 'could raise': 209558, 'would travel': 1012342, 'if the usa': 415043, 'the usa really': 870552, 'usa really wanted': 948735, 'really wanted to': 702704, 'wanted to help': 966256, 'help stop covid': 390587, '19 they could': 11303, 'they could raise': 881835, 'could raise gas': 209559, 'and then no': 73784, 'then no one': 877361, 'one would travel': 607516, 'through wearing': 894894, 'we reduce': 973057, 'infection by': 436727, 'by multiple': 153270, 'mask fo': 518653, 'addition to social': 31746, 'distancing we can': 247618, 'we can slow': 971012, 'can slow the': 159642, 'of the through': 591541, 'the through wearing': 869532, 'through wearing mask': 894895, 'mask not only': 519023, 'only do we': 610343, 'do we reduce': 250484, 'we reduce the': 973058, 'reduce the chance': 705957, 'of infection by': 585160, 'infection by multiple': 436729, 'by multiple of': 153271, 'multiple of but': 545769, 'of but also': 580981, 'but also help': 145121, 'reduce the strain': 705978, 'healthcare system we': 387317, 'system we need': 831368, 'need mask fo': 555206, 'leeds based': 485336, 'based asda': 111510, 'is extending': 447669, 'extending it': 293224, 'leeds based asda': 485337, 'based asda ha': 111511, 'asda ha today': 94922, 'ha today announced': 372325, 'it is extending': 458952, 'is extending it': 447671, 'extending it support': 293225, 'support for staff': 826523, 'for staff who': 325859, 'who are affected': 988097, 'by and need': 151843, 'performance food': 651441, 'food group': 314728, 'group company': 366652, 'company provides': 190986, 'performance food group': 651442, 'food group company': 314729, 'group company provides': 366653, 'company provides update': 190987, 'update on potential': 947130, 'on potential impact': 602866, 'current monthly': 221260, 'monthly budget': 538162, 'my current monthly': 547869, 'current monthly budget': 221261, 'exempts': 290017, 'mccarthy': 522096, 'trault': 930203, 'toronto exempts': 925938, 'exempts regulation': 290018, 'allow 24': 45910, '24 inventory': 15636, '19 mccarthy': 8592, 'mccarthy trault': 522097, 'toronto exempts regulation': 925939, 'exempts regulation to': 290019, 'to allow 24': 900323, 'allow 24 inventory': 45911, '24 inventory delivery': 15637, 'inventory delivery in': 443654, 'delivery in response': 234118, 'covid 19 mccarthy': 213414, '19 mccarthy trault': 8593, 'she already': 755847, 'garden planting': 343617, 'planting carrot': 658750, 'carrot in': 165052, 'shortage corona': 764896, 'she already been': 755848, 'already been in': 47222, 'been in her': 121350, 'her garden planting': 392071, 'garden planting carrot': 343618, 'planting carrot in': 658751, 'carrot in preparation': 165053, 'food shortage corona': 316565, 'fining': 307841, 'you hiking': 1019222, 'reducing offer': 706303, 'offer during': 594591, 'you sleep': 1021268, 'sleep at': 773754, 'night profiteering': 563061, 'be fining': 114862, 'fining you': 307843, 'see you hiking': 746108, 'you hiking price': 1019223, 'up and reducing': 944365, 'and reducing offer': 70113, 'reducing offer during': 706304, 'offer during the': 594592, 'the crisis how': 852391, 'crisis how can': 217500, 'can you sleep': 160332, 'you sleep at': 1021269, 'sleep at night': 773755, 'at night profiteering': 99883, 'night profiteering during': 563062, 'profiteering during global': 683026, 'during global crisis': 262659, 'global crisis shame': 351840, 'should be fining': 765624, 'be fining you': 114863, 'coronavirus china': 205647, 'manufacturing manufacturer': 513623, 'manufacturer inflation': 513477, 'coronavirus china manufacturing': 205648, 'china chinavirus 19': 176567, 'chinavirus 19 manufacturing': 177136, '19 manufacturing manufacturer': 8538, 'manufacturing manufacturer inflation': 513624, 'dishonest': 245520, 'get filthy': 347009, 'filthy rich': 305803, 'rich thanks': 721260, 'the fake': 854859, 'test being': 838942, 'at horrendous': 99186, 'horrendous price': 404080, 'control to': 202195, 'to scary': 913892, 'scary people': 741172, 'wa bit': 961707, 'more dishonest': 539048, 'well some people': 978571, 'to get filthy': 906479, 'get filthy rich': 347010, 'filthy rich thanks': 305804, 'rich thanks to': 721261, 'thanks to imagine': 842237, 'to imagine all': 908133, 'all the fake': 44741, 'the fake test': 854862, 'fake test being': 296717, 'test being sold': 838943, 'sold at horrendous': 781636, 'at horrendous price': 99187, 'horrendous price with': 404081, 'with no control': 999742, 'no control to': 563899, 'control to scary': 202197, 'to scary people': 913893, 'scary people if': 741173, 'people if only': 648317, 'only wa bit': 611424, 'wa bit more': 961708, 'bit more dishonest': 131621, 'eldery': 270972, 'people true': 650016, 'colour when': 186860, 'to racism': 912704, 'racism people': 695292, 'literally fighting': 494998, 'the eldery': 854164, 'eldery human': 270973, 'human spread': 410624, 'spread hate': 790555, 'hate and': 378864, 'fear faster': 301113, 'itself what': 463964, 'what shame': 982152, 'so like covid': 777554, 'bringing out people': 140184, 'out people true': 627029, 'people true colour': 650018, 'true colour when': 933053, 'colour when it': 186861, 'come to racism': 187591, 'to racism people': 912706, 'racism people are': 695293, 'people are literally': 647015, 'are literally fighting': 87837, 'literally fighting over': 494999, 'paper and grocery': 639826, 'and grocery at': 63978, 'the supermarket even': 868578, 'supermarket even with': 820224, 'with the eldery': 1001282, 'the eldery human': 854165, 'eldery human spread': 270974, 'human spread hate': 410625, 'spread hate and': 790556, 'hate and fear': 378865, 'and fear faster': 62737, 'fear faster than': 301114, 'virus itself what': 958427, 'itself what shame': 463965, 'ftc chairman': 339388, 'chairman made': 171340, 'important announcement': 418734, 'protection enforcement': 685413, 'enforcement during': 276756, 'will focus': 993458, 'today the ftc': 920285, 'the ftc chairman': 855927, 'ftc chairman made': 339389, 'chairman made an': 171341, 'made an important': 507631, 'an important announcement': 56193, 'important announcement regarding': 418735, 'announcement regarding consumer': 77197, 'regarding consumer protection': 707192, 'consumer protection enforcement': 198524, 'protection enforcement during': 685414, 'enforcement during the': 276757, 'we will focus': 973863, 'will focus on': 993459, 'focus on scammer': 311896, 'on scammer taking': 603330, 'and help business': 64442, 'help business working': 389447, 'business working to': 144720, 'floridalockdown': 311010, 'remember price': 710249, 'illegal business': 416203, 'cannot increase': 161968, 'word floridalockdown': 1004481, 'remember price gouging': 710250, 'gouging during state': 359312, 'is illegal business': 448664, 'illegal business cannot': 416204, 'business cannot increase': 143504, 'cannot increase price': 161969, 'increase price spread': 433013, 'price spread the': 676584, 'the word floridalockdown': 871702, 'safe note': 729841, 'our ebooks': 622830, 'ebooks are': 266566, 'free through': 332224, 'dropped across': 260524, 'the catalog': 850517, 'read our covid': 700504, '19 update and': 11656, 'update and stay': 946865, 'stay safe note': 797256, 'safe note that': 729842, 'note that some': 572811, 'of our ebooks': 587454, 'our ebooks are': 622831, 'ebooks are now': 266567, 'are now free': 88551, 'now free through': 574744, 'free through our': 332225, 'through our website': 894622, 'our website and': 625330, 'website and price': 975203, 'been dropped across': 121045, 'dropped across the': 260525, 'across the catalog': 29486, 'dataprivacy': 226547, 'digitalpolicy': 242799, 'driving more': 259978, 'more csa': 538928, 'csa purchase': 220023, 'purchase customer': 689418, 'customer look': 222588, 'delivery easter': 233971, 'easter shopping': 265492, 'while sheltering': 987257, 'mean need': 524563, 'for dataprivacy': 320553, 'dataprivacy accessibility': 226548, 'other digitalpolicy': 620102, 'digitalpolicy even': 242800, 'an smb': 56799, 'smb need': 775584, 'online integrity': 608422, 'is driving more': 447386, 'driving more csa': 259979, 'more csa purchase': 538929, 'csa purchase customer': 220024, 'purchase customer look': 689419, 'customer look for': 222589, 'food delivery easter': 314121, 'delivery easter shopping': 233972, 'easter shopping while': 265493, 'shopping while sheltering': 764398, 'while sheltering in': 987258, 'in place that': 426766, 'place that also': 657707, 'that also mean': 842604, 'also mean need': 48530, 'mean need for': 524564, 'need for dataprivacy': 554833, 'for dataprivacy accessibility': 320554, 'dataprivacy accessibility and': 226549, 'accessibility and other': 28320, 'and other digitalpolicy': 68310, 'other digitalpolicy even': 620103, 'digitalpolicy even an': 242801, 'even an smb': 283839, 'an smb need': 56800, 'smb need online': 775585, 'need online integrity': 555371, 'fastestgrowing': 300161, '10 fastest': 1421, 'growing declining': 367156, 'commerce product': 188619, 'product category': 681049, 'buy fastestgrowing': 148617, 'fastestgrowing shopping': 300162, 'top 10 fastest': 925514, '10 fastest growing': 1422, 'fastest growing declining': 300150, 'growing declining commerce': 367158, 'declining commerce product': 231466, 'commerce product category': 188620, 'product category during': 681051, 'category during 19': 167175, 'during 19 pandemic': 262408, 'pandemic what did': 636970, 'did you buy': 240922, 'you buy fastestgrowing': 1017567, 'buy fastestgrowing shopping': 148618, 'fastestgrowing shopping consumer': 300163, 'shopping consumer people': 762394, 'make post': 510340, 'safety instead': 730585, 'gigantic amount': 350068, 'customer plus': 222700, 'what joke': 981777, 'company primark': 190974, 'why not make': 991224, 'not make post': 570503, 'make post about': 510341, 'post about concern': 665977, 'about concern for': 24987, 'retail staff safety': 718597, 'staff safety instead': 792814, 'safety instead your': 730586, 'attract gigantic amount': 102698, 'gigantic amount of': 350069, 'amount of customer': 53218, 'of customer plus': 582279, 'customer plus don': 222701, 'plus don even': 661588, 'don even offer': 253488, 'alternative what joke': 49285, 'what joke of': 981778, 'joke of company': 467116, 'of company primark': 581611, 'company primark co': 190975, 'ask boris': 95492, 'boris about': 135437, 'giving interest': 351322, 'interest free': 441350, 'free mortgage': 331988, 'for atleast': 319522, 'atleast month': 101891, 'month doe': 537680, 'people homeless': 648287, 'homeless pmqs': 402778, 'ask boris about': 95493, 'boris about giving': 135438, 'about giving interest': 25309, 'giving interest free': 351323, 'interest free mortgage': 441351, 'free mortgage payment': 331989, 'mortgage payment holiday': 541937, 'holiday for atleast': 400299, 'for atleast month': 319523, 'atleast month doe': 101892, 'month doe he': 537681, 'want to crash': 966019, 'to crash the': 903688, 'crash the housing': 215042, 'and make people': 66569, 'make people homeless': 510317, 'people homeless pmqs': 648289, 'in giving': 423319, 'start please': 794433, 'visit giveback': 959262, 'meet the high': 527602, 'pandemic is proud': 635792, 'to be supporting': 901574, 'be supporting local': 117461, 'supporting local food': 827148, 'bank during this': 109801, 'time if you': 896964, 'are interested in': 87556, 'interested in giving': 441458, 'in giving back': 423320, 'giving back and': 351248, 'back and don': 106853, 'don know where': 253676, 'where to start': 985314, 'to start please': 915212, 'start please visit': 794434, 'please visit giveback': 660725, 'happy thursday': 377701, 'thursday here': 895385, 'market crisis': 516260, 'crisis jobless': 217621, 'claim spike': 179818, 'spike dow': 789276, 'future jump': 342367, 'jump 400': 467840, '400 point': 18772, 'surge 10': 828109, '10 bond': 1346, 'yield sink': 1016375, 'sink coming': 771467, 'happy thursday here': 377702, 'thursday here are': 895386, 'financial market crisis': 306502, 'market crisis jobless': 516261, 'crisis jobless claim': 217622, 'jobless claim spike': 466337, 'claim spike dow': 179819, 'spike dow future': 789277, 'dow future jump': 256324, 'future jump 400': 342368, 'jump 400 point': 467841, '400 point oil': 18773, 'point oil price': 662571, 'price surge 10': 676718, 'surge 10 bond': 828110, '10 bond yield': 1347, 'bond yield sink': 134277, 'yield sink coming': 1016376, 'sink coming soon': 771468, 'all necessary': 43590, 'for disinfection': 320757, 'and disinfection': 61465, 'disinfection cleaning': 245908, 'to stay clean': 915278, 'stay clean disinfected': 796829, 'you all necessary': 1016893, 'all necessary supply': 43593, 'necessary supply for': 554098, 'supply for disinfection': 825262, 'for disinfection and': 320758, 'disinfection and disinfection': 245907, 'and disinfection cleaning': 61466, 'disinfection cleaning provided': 245909, 'provided price from': 686641, 'price from hour': 674114, 'from hour maid': 335952, 'that suffers': 846551, 'from ocd': 336635, 'anxiety don': 78687, 'me distance': 522653, 'me picking': 523333, 'picking prescription': 655868, 'prescription is': 670514, 'person that suffers': 652637, 'that suffers from': 846552, 'suffers from ocd': 817360, 'from ocd and': 336636, 'ocd and anxiety': 579091, 'and anxiety don': 58201, 'anxiety don need': 78689, 'be in no': 115419, 'in no grocery': 425910, 'store there not': 810650, 'enough for me': 277434, 'for me distance': 323312, 'me distance in': 522654, 'world for me': 1009563, 'for me picking': 323331, 'me picking prescription': 523334, 'picking prescription is': 655869, 'prescription is struggle': 670515, 'kozak': 477573, 'eastvan': 265637, 'foodblog': 317861, 'vancouverbc': 952359, 'yvreats': 1027146, 'vancity': 952322, 'yvrfoodies': 1027149, 'vancouverfood': 952365, 'vancouverfoodie': 952368, 'vancouverfoodies': 952371, 'burnaby': 142905, 'newwest': 561162, 'surreybc': 828706, 'richmondbc': 721375, 'canuck': 162386, 'on chicken': 599901, 'chicken soup': 175860, 'soup kozak': 786394, 'kozak ukrainian': 477574, 'ukrainian bakery': 939054, 'bakery staypositive': 108881, 'staypositive eastvan': 798763, 'eastvan food': 265638, 'food foodie': 314488, 'foodie foodie': 317955, 'foodie foodblog': 317951, 'foodblog vancouver': 317862, 'vancouver vancouverbc': 952354, 'vancouverbc yvreats': 952360, 'yvreats yvr': 1027147, 'yvr vancity': 1027143, 'vancity yvrfoodies': 952323, 'yvrfoodies vancouverfood': 1027150, 'vancouverfood vancouverfoodie': 952366, 'vancouverfoodie vancouverfoodies': 952369, 'vancouverfoodies burnaby': 952372, 'burnaby newwest': 142908, 'newwest surreybc': 561163, 'surreybc richmondbc': 828707, 'richmondbc canuck': 721376, 'up on chicken': 945539, 'on chicken soup': 599903, 'chicken soup kozak': 175861, 'soup kozak ukrainian': 786395, 'kozak ukrainian bakery': 477575, 'ukrainian bakery staypositive': 939055, 'bakery staypositive eastvan': 108882, 'staypositive eastvan food': 798764, 'eastvan food foodie': 265639, 'food foodie foodie': 314490, 'foodie foodie foodblog': 317956, 'foodie foodblog vancouver': 317952, 'foodblog vancouver vancouverbc': 317863, 'vancouver vancouverbc yvreats': 952355, 'vancouverbc yvreats yvr': 952361, 'yvreats yvr vancity': 1027148, 'yvr vancity yvrfoodies': 1027144, 'vancity yvrfoodies vancouverfood': 952324, 'yvrfoodies vancouverfood vancouverfoodie': 1027151, 'vancouverfood vancouverfoodie vancouverfoodies': 952367, 'vancouverfoodie vancouverfoodies burnaby': 952370, 'vancouverfoodies burnaby newwest': 952373, 'burnaby newwest surreybc': 142909, 'newwest surreybc richmondbc': 561164, 'surreybc richmondbc canuck': 828708, 'depended': 237335, 'and analyse': 58122, 'analyse the': 57003, 'sudden steep': 817043, 'll trace': 497075, 'trace it': 928131, 'virus swapping': 958841, 'swapping during': 829990, 'buying session': 151007, 'town the': 927562, 'scientist modelling': 742240, 'modelling depended': 535337, 'depended on': 237336, 'on behaving': 599612, 'behaving normal': 123839, 'one day when': 606169, 'day when we': 228732, 'when we look': 984455, 'we look back': 972293, 'back and analyse': 106849, 'and analyse the': 58123, 'analyse the sudden': 57005, 'the sudden steep': 868390, 'sudden steep rise': 817044, '19 case we': 5707, 'case we ll': 166096, 'we ll trace': 972286, 'll trace it': 497076, 'trace it back': 928132, 'back to virus': 107406, 'to virus swapping': 918200, 'virus swapping during': 958842, 'swapping during panic': 829991, 'panic buying session': 637878, 'buying session in': 151008, 'session in every': 753284, 'supermarket in every': 820895, 'in every town': 422692, 'every town the': 286335, 'town the scientist': 927563, 'the scientist modelling': 866509, 'scientist modelling depended': 742241, 'modelling depended on': 535338, 'depended on behaving': 237337, 'on behaving normal': 599613, 'cundy': 220339, 'cundy be': 220340, 'careful stay': 164434, 'even hair': 284153, 'change clothes': 171977, 'clothes if': 184169, 'been close': 120834, 'revealed the': 720281, 'the particle': 863311, 'virus cough': 958090, 'stay airborne': 796751, 'airborne for': 39842, 'minute afterwards': 533715, 'afterwards and': 36743, 'cundy be careful': 220341, 'be careful stay': 113997, 'careful stay safe': 164435, 'safe wash hand': 730108, 'wash hand even': 967482, 'hand even hair': 374917, 'even hair and': 284154, 'hair and change': 373955, 'and change clothes': 59718, 'change clothes if': 171978, 'clothes if you': 184171, 'if you been': 415399, 'you been close': 1017420, 'been close to': 120835, 'close to someone': 182917, 'to someone with': 914912, 'someone with it': 784786, 'with it new': 999077, 'it new research': 459794, 'new research ha': 559463, 'research ha revealed': 713749, 'ha revealed the': 371755, 'revealed the particle': 720282, 'the particle from': 863312, 'particle from the': 642587, 'corona virus cough': 204296, 'virus cough stay': 958091, 'cough stay airborne': 208569, 'stay airborne for': 796752, 'airborne for several': 39843, 'several minute afterwards': 753897, 'minute afterwards and': 533716, 'afterwards and live': 36744, 'and live for': 66252, 'live for several': 495819, 'warning united': 967233, 'half mile': 374199, 'mile for': 531386, 'resource hoarding': 714809, 'hoarding follow': 399296, 'video warning united': 956953, 'warning united state': 967234, 'state people line': 795857, 'up for half': 944940, 'for half mile': 322099, 'half mile for': 374200, 'mile for grocery': 531387, 'to open because': 910985, '19 coronavirus resource': 6121, 'coronavirus resource hoarding': 206659, 'resource hoarding follow': 714810, 'hoarding follow for': 399297, 'more raw video': 540187, 'help keep ourselves': 389971, 'finance regarding': 306261, 'the latest in': 859115, 'latest in consumer': 481390, 'in consumer finance': 421695, 'consumer finance regarding': 197485, 'finance regarding covid': 306262, 'distancing down': 247112, 'miss my': 534161, 'but knowing': 146240, 'knowing can': 477105, 'stayhomesavelives london': 798413, 'uk socialdistancing': 938727, 'socialdistancing stophoarding': 780756, 'one week of': 607415, 'week of social': 976639, 'social distancing down': 779594, 'distancing down it': 247113, 'down it not': 256894, 'it not been': 459863, 'been easy and': 121059, 'easy and miss': 265650, 'and miss my': 67073, 'miss my friend': 534164, 'and family but': 62654, 'family but knowing': 297674, 'but knowing can': 146241, 'knowing can save': 477106, 'save life by': 737535, 'life by just': 488544, 'by just staying': 152976, 'just staying home': 469894, 'staying home keep': 798613, 'home keep me': 401490, 'keep me going': 471652, 'me going 19': 522822, 'going 19 stayathome': 354981, '19 stayathome stayhomesavelives': 10812, 'stayathome stayhomesavelives london': 797650, 'stayhomesavelives london uk': 798414, 'london uk socialdistancing': 501213, 'uk socialdistancing stophoarding': 938728, 'joblessclaims': 466346, 'april session': 83678, 'session joblessclaims': 753288, 'joblessclaims intensified': 466347, 'intensified fear': 441098, 'damage due': 225193, 'gold price jumped': 355962, 'jumped over in': 467944, 'in the april': 428981, 'the april session': 848841, 'april session joblessclaims': 83679, 'session joblessclaims intensified': 753289, 'joblessclaims intensified fear': 466348, 'intensified fear of': 441099, 'fear of economic': 301230, 'economic damage due': 267044, 'damage due to': 225194, 'the selling': 866693, 'sanitizers lysol': 736337, 'lysol cleaning': 507168, 'to gouge': 906923, 'gouge individual': 359190, 'other selling': 620885, 'selling platform': 749402, 'selling so': 749449, 'for allowing the': 319207, 'allowing the selling': 46347, 'the selling of': 866694, 'selling of hand': 749364, 'hand sanitizers lysol': 375706, 'sanitizers lysol cleaning': 736338, 'lysol cleaning product': 507169, 'cleaning product at': 181024, 'product at high': 680971, 'high price to': 395286, 'price to gouge': 676996, 'to gouge individual': 906925, 'gouge individual who': 359191, 'individual who need': 435282, 'need them during': 555775, 'pandemic other selling': 636122, 'other selling platform': 620886, 'selling platform ha': 749403, 'platform ha shut': 658973, 'shut down this': 767861, 'down this type': 257345, 'type of selling': 937584, 'of selling so': 589497, 'selling so wrong': 749450, '0337210852': 887, 'sholanke': 759710, 'goriola': 358328, 'sodiq': 781430, 'designer kindly': 238384, 'cash need': 166278, 'cause am': 167490, '19 gotta': 7258, 'gotta isolate': 359085, 'isolate my': 454889, 'self need': 747818, 'hunger in': 411127, 'day 0337210852': 227083, '0337210852 sholanke': 888, 'sholanke goriola': 759711, 'goriola sodiq': 358329, 'sodiq gtbank': 781431, 'graphic designer kindly': 362162, 'designer kindly help': 238385, 'kindly help me': 475137, 'help me with': 390084, 'with cash need': 997563, 'cash need to': 166279, 'up my house': 945430, 'my house with': 548751, 'with food cause': 998482, 'food cause am': 313889, 'cause am scared': 167491, 'am scared of': 50364, 'scared of this': 741003, 'covid 19 gotta': 213156, '19 gotta isolate': 7259, 'gotta isolate my': 359086, 'isolate my self': 454890, 'my self need': 550014, 'self need food': 747819, 'food or am': 315645, 'or am gonna': 614303, 'am gonna die': 50091, 'gonna die of': 356508, 'of hunger in': 584908, 'hunger in few': 411130, 'few day 0337210852': 303763, 'day 0337210852 sholanke': 227084, '0337210852 sholanke goriola': 889, 'sholanke goriola sodiq': 759712, 'goriola sodiq gtbank': 358330, 'published an': 688640, 'to wedding': 918464, 'wedding problem': 975577, 'problem guide': 679539, 'include advice': 431509, 'who plan': 989426, 'big day': 129732, 'being wrecked': 126073, 'wrecked by': 1012711, 'by most': 153248, 'most supplier': 542794, 'supplier venue': 824633, 'venue ve': 954720, 'offering flexibility': 595101, 'book later': 134557, 'year minimum': 1014747, 'published an update': 688641, 'an update to': 56929, 'update to wedding': 947274, 'to wedding problem': 918465, 'wedding problem guide': 975578, 'problem guide to': 679540, 'guide to include': 368366, 'to include advice': 908244, 'include advice for': 431510, 'advice for anyone': 33366, 'anyone who plan': 80628, 'who plan for': 989427, 'plan for their': 658128, 'their big day': 872605, 'big day are': 129733, 'day are being': 227313, 'are being wrecked': 84944, 'being wrecked by': 126074, 'wrecked by most': 1012712, 'by most supplier': 153249, 'most supplier venue': 542795, 'supplier venue ve': 824634, 'venue ve spoken': 954721, 'spoken to are': 789762, 'to are offering': 900691, 'are offering flexibility': 88665, 'offering flexibility to': 595102, 'flexibility to re': 310380, 're book later': 698376, 'book later in': 134558, 'later in year': 481079, 'in year minimum': 431027, 'our corporate': 622570, 'corporate director': 207265, 'adult service': 32850, 'air but': 39690, 'please adhere': 659636, 'socialdistancing advice': 780194, 'advice during': 33355, 'our corporate director': 622571, 'corporate director of': 207266, 'director of health': 243650, 'health and adult': 386127, 'and adult service': 57711, 'adult service on': 32851, 'service on why': 752652, 'on why it': 605313, 'is good to': 448155, 'good to exercise': 357876, 'to exercise and': 905409, 'exercise and get': 290027, 'fresh air but': 332912, 'air but please': 39691, 'but please adhere': 146791, 'please adhere to': 659637, 'adhere to socialdistancing': 32214, 'to socialdistancing advice': 914830, 'socialdistancing advice during': 780196, 'advice during the': 33356, 'price rallied': 676067, 'rallied after': 696242, 'producer agreed': 680555, 'slash output': 773578, 'output and': 629230, 'and shore': 71558, 'up ravaged': 945893, 'ravaged energy': 697922, 'market follow': 516397, 'oil price rallied': 597225, 'price rallied after': 676069, 'rallied after top': 696243, 'top producer agreed': 925693, 'producer agreed to': 680556, 'to slash output': 914721, 'slash output and': 773579, 'output and shore': 629232, 'and shore up': 71559, 'shore up ravaged': 764581, 'up ravaged energy': 945894, 'ravaged energy market': 697923, 'energy market follow': 276497, 'market follow for': 516398, 'follow for update': 312387, 'sofi': 781449, 'prescient': 670463, 'am reviewing': 50352, 'reviewing the': 720618, '2019 sofi': 14015, 'sofi report': 781450, 'for lecture': 322925, 'is prescient': 450999, 'prescient because': 670464, 'it focus': 458048, 'slowdown amp': 774420, 'security with': 744798, 'good section': 357699, 'commodity dependence': 189159, 'dependence and': 237339, 'trade esp': 928487, 'am reviewing the': 50353, 'reviewing the 2019': 720619, 'the 2019 sofi': 848014, '2019 sofi report': 14016, 'sofi report for': 781451, 'report for lecture': 711953, 'for lecture on': 322926, 'lecture on covid': 485207, '19 amp the': 4967, 'amp the food': 54649, 'food system it': 317051, 'system it is': 831233, 'it is prescient': 459042, 'is prescient because': 451000, 'prescient because it': 670465, 'because it focus': 119185, 'it focus on': 458049, 'focus on economic': 311871, 'on economic slowdown': 600510, 'economic slowdown amp': 267299, 'slowdown amp food': 774421, 'amp food security': 53825, 'food security with': 316373, 'security with good': 744799, 'with good section': 998644, 'good section on': 357700, 'section on commodity': 744032, 'on commodity dependence': 599984, 'commodity dependence and': 189160, 'dependence and trade': 237340, 'and trade esp': 74343, 'trade esp the': 928488, 'esp the risk': 280406, 'risk of low': 723763, 'of low commodity': 586039, 'currently most': 221595, 'most company': 542194, 'the collect': 851149, 'collect user': 186338, 'user data': 950269, 'data by': 226155, 'by default': 152314, 'default user': 232028, 'user have': 950290, 'this feature': 887526, 'feature after': 301531, 'have registered': 382240, 'registered privacy': 707658, 'privacy ccpa': 678800, 'ccpa company': 168475, 'company consumer': 190565, 'currently most company': 221596, 'most company in': 542196, 'in the collect': 429078, 'the collect user': 851150, 'collect user data': 186339, 'user data by': 950270, 'data by default': 226156, 'by default user': 152315, 'default user have': 232029, 'user have to': 950291, 'have to opt': 383255, 'to opt out': 911036, 'of this feature': 591973, 'this feature after': 887527, 'feature after they': 301532, 'after they have': 36386, 'they have registered': 882370, 'have registered privacy': 382242, 'registered privacy ccpa': 707659, 'privacy ccpa company': 678801, 'ccpa company consumer': 168476, 'company consumer law': 190566, 'abetterpharmacy': 24326, 'spread demand': 790501, 'disinfectant cleaning': 245630, 'skyrocketed however': 773368, 'however which': 409526, 'which product': 986240, 'actually effective': 30789, 'against check': 37362, 'the epa': 854418, 'approved list': 83170, 'disinfectant abetterpharmacy': 245595, 'to spread demand': 915058, 'spread demand for': 790502, 'demand for disinfectant': 235405, 'for disinfectant cleaning': 320751, 'disinfectant cleaning product': 245631, 'cleaning product sanitizer': 181037, 'product sanitizer have': 681593, 'sanitizer have skyrocketed': 735056, 'have skyrocketed however': 382575, 'skyrocketed however which': 773369, 'however which product': 409527, 'which product are': 986241, 'product are actually': 680929, 'are actually effective': 84214, 'actually effective against': 30790, 'effective against check': 269208, 'against check out': 37363, 'out the epa': 627363, 'the epa approved': 854419, 'epa approved list': 279281, 'approved list of': 83171, 'list of disinfectant': 494425, 'of disinfectant abetterpharmacy': 582684, 'fastmarkets': 300182, 'risi': 723141, 'viewpoint': 957213, 'fastmarkets risi': 300183, 'risi viewpoint': 723142, 'viewpoint what': 957216, 'global tissue': 352256, 'tissue business': 899134, 'tissue consumer': 899136, 'consumer tissue': 199299, 'tissue mill': 899176, 'mill in': 531965, 'in na': 425655, 'na europe': 551286, 'europe have': 283448, 'been running': 121874, 'fastmarkets risi viewpoint': 300184, 'risi viewpoint what': 723143, 'viewpoint what doe': 957217, 'for the global': 326460, 'the global tissue': 856333, 'global tissue business': 352257, 'tissue business the': 899135, 'business the virus': 144504, 'virus spread to': 958794, 'spread to other': 790858, 'to other region': 911119, 'other region so': 620819, 'region so did': 707461, 'so did the': 776862, 'did the panic': 240853, 'buying of tissue': 150801, 'of tissue consumer': 592200, 'tissue consumer tissue': 899137, 'consumer tissue mill': 199300, 'tissue mill in': 899177, 'mill in na': 531966, 'in na europe': 425656, 'na europe have': 551287, 'europe have been': 283449, 'have been running': 379669, 'been running at': 121875, 'running at capacity': 727925, 'at capacity limit': 98194, 'capacity limit for': 162544, 'limit for week': 492351, 'qantas': 691469, 'of morrison': 586662, 'morrison thanking': 541767, 'thanking qantas': 841992, 'qantas the': 691470, 'bos take': 135697, 'take 23': 831876, '23 million': 15407, 'that profited': 845869, 'profited billion': 682937, 'year through': 1015026, 'the sweat': 869048, 'sweat of': 830059, 'now stopped': 575918, 'stopped paying': 805736, 'while receiving': 987205, 'receiving lifeline': 703781, 'day of another': 228053, 'of another day': 580232, 'day of morrison': 228083, 'of morrison thanking': 586663, 'morrison thanking qantas': 541768, 'thanking qantas the': 841993, 'qantas the company': 691471, 'company who bos': 191315, 'who bos take': 988326, 'bos take 23': 135698, 'take 23 million': 831877, '23 million year': 15409, 'million year the': 532435, 'year the company': 1014996, 'company that profited': 191184, 'that profited billion': 845870, 'profited billion in': 682938, 'billion in the': 130855, 'last year through': 480738, 'year through the': 1015027, 'through the sweat': 894771, 'the sweat of': 869049, 'sweat of worker': 830060, 'of worker and': 593274, 'worker and who': 1006354, 'ha now stopped': 371407, 'now stopped paying': 575919, 'stopped paying 20': 805737, 'paying 20 00': 645370, '20 00 of': 12860, '00 of them': 387, 'of them while': 591773, 'them while receiving': 876617, 'while receiving lifeline': 987206, 'impact evolve': 417644, 'evolve is': 288506, 'now easing': 574579, 'easing the': 265275, 'burden particularly': 142754, 'the industrial': 858154, 'industrial and': 435530, 'tourism sector': 927005, 'slashing energy': 773663, 'industrial sector': 435573, 'economic impact evolve': 267132, 'impact evolve is': 417645, 'evolve is now': 288507, 'is now easing': 450283, 'now easing the': 574580, 'easing the corporate': 265276, 'the corporate tax': 851957, 'corporate tax burden': 207347, 'tax burden particularly': 834948, 'burden particularly in': 142755, 'particularly in the': 642702, 'in the industrial': 429286, 'the industrial and': 858155, 'industrial and tourism': 435532, 'and tourism sector': 74322, 'tourism sector and': 927006, 'sector and slashing': 744089, 'and slashing energy': 71737, 'slashing energy and': 773664, 'energy and electricity': 276387, 'and electricity price': 62001, 'electricity price for': 271195, 'for the industrial': 326501, 'the industrial sector': 858156, 'toiletpaper it': 922144, 'would seem': 1012230, 'seem at': 746667, 'what price': 982051, 'society doctor': 781190, 'doctor writing': 251171, 'writing their': 1012922, 'own prescription': 632141, 'risky thing': 724122, 'have allowance': 379177, 'allowance to': 46122, 'more than toiletpaper': 540690, 'than toiletpaper it': 841351, 'toiletpaper it would': 922147, 'it would seem': 462605, 'would seem at': 1012231, 'seem at what': 746668, 'at what price': 101532, 'what price to': 982055, 'price to society': 677043, 'to society doctor': 914850, 'society doctor writing': 781191, 'doctor writing their': 251172, 'writing their own': 1012923, 'their own prescription': 874193, 'own prescription for': 632142, 'prescription for themselves': 670507, 'for themselves it': 326943, 'themselves it is': 876843, 'it is risky': 459064, 'is risky thing': 451565, 'risky thing to': 724123, 'thing to have': 884889, 'to have allowance': 907198, 'have allowance to': 379178, 'allowance to do': 46123, 'across missouri': 29391, 'missouri have': 534430, 'by closure': 152139, 'loss related': 503776, 'address question': 32015, 'question related': 693713, 'business interruption': 143935, 'interruption insurance': 442125, 'insurance coverage': 440712, 'coverage we': 212383, 'have compiled': 380051, 'of faq': 583419, 'business across missouri': 143212, 'across missouri have': 29392, 'missouri have been': 534431, 'impacted by closure': 418077, 'by closure and': 152140, 'closure and loss': 183840, 'and loss related': 66408, 'loss related to': 503777, 'health crisis in': 386338, 'crisis in order': 217536, 'to help address': 907442, 'help address question': 389297, 'address question related': 32016, 'question related to': 693714, 'related to business': 708593, 'to business interruption': 902133, 'business interruption insurance': 143936, 'interruption insurance coverage': 442126, 'insurance coverage we': 440714, 'coverage we have': 212384, 'we have compiled': 971778, 'have compiled list': 380053, 'list of faq': 494433, 'returnees': 719993, 'quarantine returnees': 692494, 'returnees forcing': 719994, 'designated hotel': 238297, 'hotel at': 405117, 'own pocket': 632136, 'pocket 19': 662150, 'show how not': 766986, 'not to quarantine': 572177, 'to quarantine returnees': 912646, 'quarantine returnees forcing': 692495, 'returnees forcing them': 719995, 'forcing them to': 328745, 'stay at designated': 796769, 'at designated hotel': 98428, 'designated hotel at': 238298, 'hotel at exorbitant': 405119, 'price and paying': 672493, 'and paying out': 68814, 'paying out of': 645466, 'their own pocket': 874192, 'own pocket 19': 632137, 'woman claim': 1003439, 'ill intentionally': 416146, 'on pa': 602664, 'food police': 315884, 'say pennsylvania': 739052, 'woman claim she': 1003440, 'claim she ill': 179808, 'she ill intentionally': 756131, 'ill intentionally cough': 416147, 'cough on pa': 208523, 'on pa grocery': 602665, 'store food police': 807771, 'food police say': 315885, 'police say pennsylvania': 663190, 'discus the 19': 244908, '19 shock short': 10472, 'convince to': 202654, 'currently advertising': 221453, 'season sale': 743437, 'amp refusing': 54377, 'calling themselves': 156635, 'themselves an': 876746, 'retailer meanwhile': 719244, 'meanwhile there': 525045, 'are confirmed': 85490, 'this petition to': 889547, 'petition to convince': 653637, 'to convince to': 903475, 'convince to close': 202655, 'close for covid': 182641, 're currently advertising': 698489, 'currently advertising the': 221454, 'advertising the lowest': 33283, 'lowest price of': 506211, 'of the season': 591445, 'the season sale': 866567, 'season sale amp': 743438, 'sale amp refusing': 732031, 'amp refusing to': 54378, 'to close by': 902861, 'close by calling': 182582, 'by calling themselves': 152061, 'calling themselves an': 156636, 'themselves an essential': 876747, 'an essential retailer': 55832, 'essential retailer meanwhile': 281478, 'retailer meanwhile there': 719245, 'meanwhile there are': 525046, 'there are confirmed': 878083, 'are confirmed case': 85491, 'case in my': 165801, 'day1': 228834, 'on day1': 600229, 'day1 we': 228839, 'drive citizen': 259010, 'get drive': 346909, 'out x2': 627893, 'sfbayarea on day1': 754266, 'on day1 we': 600230, 'day1 we re': 228840, 're not on': 699108, 'not on lockdown': 570750, 'on lockdown this': 601923, 'lockdown this is': 500033, 'to drive citizen': 904730, 'drive citizen to': 259011, 'socially distance we': 781050, 'walk go get': 964790, 'go get drive': 353604, 'get drive thru': 346910, 'pharmacy etc it': 654301, 'etc it feel': 282624, 'it feel calm': 457969, 'safe wa out': 730104, 'wa out x2': 962884, 'out x2 this': 627894, 'writingcommnunity unicorn': 1012939, 'unicorn quarantine': 941732, 'quarantine writingcommnunity': 692717, 'writingcommnunity heart': 1012935, 'toiletpaper writingcommnunity unicorn': 922871, 'writingcommnunity unicorn quarantine': 1012940, 'unicorn quarantine writingcommnunity': 941733, 'quarantine writingcommnunity heart': 692718, 'should school': 766436, 'school have': 741812, 'closed earlier': 183092, 'socialdistanacing should school': 780094, 'should school have': 766437, 'school have been': 741813, 'been closed earlier': 120837, 'wa dropped': 962040, 'joes to': 466480, 'favorite salad': 300546, 'for dessert': 320673, 'wa dropped off': 962041, 'off at trader': 593672, 'at trader joes': 101357, 'trader joes to': 928729, 'joes to pick': 466481, 'my favorite salad': 548275, 'favorite salad were': 300547, 'went down to': 978991, 'down to the': 257382, 'to the frozen': 916731, 'except for dessert': 289156, 'for dessert traderjoes': 320674, 'disconcerting': 244405, 'what disconcerting': 981330, 'disconcerting is': 244406, 'quickly the': 694615, 'natural order': 552852, 'order broke': 618090, 'bought insane': 136606, 'toiletpaper who': 922845, 'earth need': 264995, 'need 160': 554332, '160 pack': 4214, 'pack hope': 633055, 're ashamed': 698302, 'panicbuyers hoarding': 638863, 'what disconcerting is': 981331, 'disconcerting is how': 244407, 'is how quickly': 448593, 'how quickly the': 408555, 'quickly the natural': 694618, 'the natural order': 861318, 'natural order broke': 552853, 'order broke down': 618091, 'broke down and': 140828, 'down and how': 256499, 'many people bought': 514492, 'people bought insane': 647295, 'bought insane amount': 136607, 'amount of toiletpaper': 53263, 'of toiletpaper who': 592293, 'toiletpaper who on': 922846, 'who on earth': 989372, 'on earth need': 600470, 'earth need 160': 264996, 'need 160 pack': 554333, '160 pack hope': 4215, 'pack hope they': 633056, 'hope they re': 403710, 'they re ashamed': 882996, 're ashamed and': 698303, 'ashamed and are': 95041, 'and are giving': 58319, 'are giving it': 86858, 'it away to': 456657, 'away to people': 106074, 'need it panicbuying': 555101, 'it panicbuying panicbuyers': 460255, 'panicbuying panicbuyers hoarding': 639011, '40 best': 18534, 'woman clothing': 1003443, 'and accessory': 57590, 'accessory that': 28378, '40 best online': 18535, 'best online shopping': 127809, 'site for woman': 771925, 'for woman clothing': 327906, 'woman clothing and': 1003444, 'clothing and accessory': 184247, 'and accessory that': 57591, 'accessory that are': 28379, 'that are giving': 842755, 'are giving back': 86854, 'careful regarding': 164425, 'regarding that': 707279, 'everyone stop': 287423, 'really gone': 702231, 'else mental': 271794, 'health now': 386677, 'do our food': 249946, 'our food shopping': 623131, 'shopping and am': 761962, 'and am being': 58006, 'am being careful': 49935, 'being careful regarding': 124928, 'careful regarding that': 164426, 'regarding that have': 707280, 'that have not': 844223, 'not been panic': 568514, 'buying please everyone': 150911, 'please everyone stop': 659972, 'everyone stop panic': 287424, 'it ha really': 458408, 'ha really gone': 371651, 'really gone too': 702232, 'too far it': 924727, 'affecting everyone else': 34514, 'everyone else mental': 286866, 'else mental health': 271795, 'mental health now': 528646, 'lastword': 480803, '261': 16206, 'phantomflights': 653998, 'playfair': 659354, 'on lastword': 601794, 'lastword with': 480804, 'is ceo': 446442, 'of regarding': 588878, 'regarding flight': 707207, 'flight change': 310453, 'change due': 172022, 'which airline': 985643, 'airline is': 39983, 'friendly only': 333976, 'only airline': 610046, 'by sec': 153903, 'sec 261': 743618, '261 is': 16207, 'worst offender': 1011236, 'offender is': 594470, 'is phantomflights': 450865, 'phantomflights playfair': 653999, 'playfair consumerrights': 659355, 'on lastword with': 601795, 'lastword with is': 480805, 'with is ceo': 999045, 'is ceo of': 446443, 'ceo of regarding': 169784, 'of regarding flight': 588879, 'regarding flight change': 707208, 'flight change due': 310454, 'change due to': 172023, 'to and which': 900536, 'and which airline': 75553, 'which airline is': 985644, 'airline is consumer': 39984, 'is consumer friendly': 446793, 'consumer friendly only': 197544, 'friendly only airline': 333977, 'only airline to': 610047, 'airline to abide': 40048, 'abide by sec': 24347, 'by sec 261': 153904, 'sec 261 is': 743619, '261 is worst': 16208, 'is worst offender': 454078, 'worst offender is': 1011237, 'offender is phantomflights': 594471, 'is phantomflights playfair': 450866, 'phantomflights playfair consumerrights': 654000, 'deck great': 231134, 'piece on': 656352, 'how leader': 408161, 'leader like': 483488, 'everyone in our': 287047, 'in our business': 426268, 'our business is': 622287, 'business is all': 143949, 'is all hand': 445460, 'on deck great': 600243, 'deck great piece': 231135, 'great piece on': 362889, 'piece on how': 656353, 'on how leader': 601405, 'how leader like': 408162, 'leader like are': 483489, 'like are stepping': 489831, 'support their front': 826900, 'their front line': 873388, 'stewart': 800001, 'enjoy online': 277163, 'without supporting': 1002947, 'the environmental': 854408, 'ethical damage': 283070, 'by fast': 152555, 'fast fashion': 299950, 'fashion by': 299799, 'by zelda': 154796, 'zelda stewart': 1027353, 'how to enjoy': 409018, 'to enjoy online': 905130, 'enjoy online shopping': 277164, 'online shopping without': 609350, 'shopping without supporting': 764451, 'without supporting the': 1002948, 'supporting the environmental': 827211, 'the environmental and': 854409, 'environmental and ethical': 279185, 'and ethical damage': 62295, 'ethical damage done': 283071, 'damage done by': 225192, 'done by fast': 254805, 'by fast fashion': 152556, 'fast fashion by': 299951, 'fashion by zelda': 299800, 'by zelda stewart': 154797, 'during important': 262711, 'important store': 418973, 'not unfairly': 572333, 'unfairly rip': 941468, 'off customer': 593756, 'believe business': 126250, 'acting unfairly': 29914, 'my office and': 549546, 'office and are': 595352, 'eye on price': 294078, 'item during important': 463227, 'during important store': 262712, 'important store do': 418974, 'do not unfairly': 249881, 'not unfairly rip': 572334, 'unfairly rip off': 941469, 'rip off customer': 722662, 'off customer if': 593757, 'you believe business': 1017445, 'believe business is': 126251, 'business is acting': 143948, 'is acting unfairly': 445321, 'acting unfairly please': 29915, 'unfairly please click': 941462, 'please click the': 659792, 'link below and': 493798, 'below and report': 126593, 'by war': 154689, 'war there': 966550, 'is downside': 447354, 'import the': 418674, 'down by war': 256606, 'by war there': 154690, 'war there is': 966551, 'there is downside': 878551, 'is downside risk': 447355, 'downside risk for': 257711, 'risk for import': 723548, 'for import the': 322498, 'import the sharp': 418675, 'in price could': 426958, 'price could make': 673287, 'could make fuel': 209403, 'chose hell': 178017, 'educated respected': 268788, 'perishable product': 652001, 'strange feeling': 812390, 'scenario is': 741267, 'not far': 569368, 'chose hell of': 178018, 'rational educated respected': 697756, 'educated respected member': 268789, 'non perishable product': 566459, 'perishable product in': 652003, 'expression get the': 293096, 'get the strange': 348299, 'the strange feeling': 868191, 'strange feeling that': 812391, 'feeling that doomsday': 303068, 'doomsday scenario is': 255478, 'scenario is not': 741268, 'is not far': 450078, 'not far away': 569369, 'grandjunction': 361900, 'santafe': 736612, 'nmpol': 563535, 'nmleg': 563532, 'nmsen': 563538, 'farmington': 299661, 'sanjuanbasin': 736571, 'durango': 262357, 'permian': 652125, 'permianbasin': 652129, 'expert dan': 291813, 'dan fine': 225530, 'fine discus': 307628, 'discus future': 244856, 'oil natural': 596971, 'gas amid': 343755, 'amid low': 52521, 'via saudiaramco': 956219, 'saudiaramco abq': 737371, 'abq grandjunction': 27123, 'grandjunction santafe': 361901, 'santafe nmpol': 736613, 'nmpol nmleg': 563536, 'nmleg nmsen': 563533, 'nmsen farmington': 563539, 'farmington sanjuanbasin': 299662, 'sanjuanbasin durango': 736572, 'durango copolitics': 262358, 'copolitics permian': 203420, 'permian permianbasin': 652128, 'expert dan fine': 291814, 'dan fine discus': 225531, 'fine discus future': 307629, 'discus future of': 244857, 'future of oil': 342395, 'of oil natural': 587189, 'oil natural gas': 596972, 'natural gas amid': 552830, 'gas amid low': 343756, 'amid low price': 52523, 'the coronavirus via': 851937, 'coronavirus via saudiaramco': 207018, 'via saudiaramco abq': 956220, 'saudiaramco abq grandjunction': 737372, 'abq grandjunction santafe': 27124, 'grandjunction santafe nmpol': 361902, 'santafe nmpol nmleg': 736614, 'nmpol nmleg nmsen': 563537, 'nmleg nmsen farmington': 563534, 'nmsen farmington sanjuanbasin': 563540, 'farmington sanjuanbasin durango': 299663, 'sanjuanbasin durango copolitics': 736573, 'durango copolitics permian': 262359, 'copolitics permian permianbasin': 203421, 'food startup': 316747, 'startup about': 795082, 'what weighing': 982573, 'mind 19': 532610, 'many city': 513902, 'city community': 179105, 'community going': 189867, 'into various': 443271, 'various stage': 952645, 'lockdown upending': 500101, 'upending typical': 947508, 'typical consumer': 937632, 'continue to speak': 201262, 'speak with food': 787729, 'with food startup': 998507, 'food startup about': 316748, 'startup about what': 795083, 'about what weighing': 26905, 'what weighing on': 982574, 'weighing on their': 977681, 'their mind 19': 873972, 'mind 19 ha': 532611, 'ha many city': 371235, 'many city community': 513903, 'city community going': 179106, 'community going into': 189868, 'going into various': 355248, 'into various stage': 443272, 'various stage of': 952646, 'stage of lockdown': 793205, 'of lockdown upending': 585964, 'lockdown upending typical': 500102, 'upending typical consumer': 947509, 'typical consumer shopping': 937633, 'curriculum': 221731, 'shit mom': 759170, 'got done': 358527, 'done telling': 255037, 'much fun': 544943, 'fun we': 341242, 'have watching': 383548, 'watching movie': 968759, 'movie playing': 544051, 'playing outside': 659434, 'outside eating': 629407, 'eating our': 266268, 'all talking': 44608, 'about homeschool': 25411, 'homeschool curriculum': 402920, 'curriculum is': 221732, 'doing tho': 252779, 'shit mom just': 759171, 'mom just got': 535765, 'just got done': 468853, 'got done telling': 358529, 'done telling my': 255038, 'telling my kid': 837236, 'my kid how': 548949, 'kid how much': 474003, 'how much fun': 408350, 'much fun we': 544944, 'fun we re': 341243, 're gonna have': 698761, 'gonna have watching': 356558, 'have watching movie': 383549, 'watching movie playing': 968760, 'movie playing outside': 544052, 'playing outside eating': 659435, 'outside eating our': 629408, 'eating our stock': 266269, 'our stock pile': 624920, 'pile of food': 656505, 'few week then': 304168, 'week then see': 977020, 'then see all': 877507, 'see all talking': 744881, 'all talking about': 44609, 'talking about homeschool': 833972, 'about homeschool curriculum': 25412, 'homeschool curriculum is': 402921, 'curriculum is this': 221733, 're doing tho': 698550, 'from angry': 334534, 'angry consumer': 76466, 'of dipa': 582631, 'week from angry': 976252, 'from angry consumer': 334535, 'angry consumer over': 76467, 'over the increase': 630735, 'essential good during': 281091, 'country of dipa': 210927, 'zerohedge': 1027521, 'unprecedented consumer': 943096, 'what exactly': 981436, 'buying zerohedge': 151419, 'the unprecedented consumer': 870453, 'unprecedented consumer demand': 943097, 'consumer demand but': 197117, 'demand but what': 235088, 'but what exactly': 147786, 'what exactly are': 981437, 'exactly are people': 288726, 'people buying zerohedge': 647356, 'favorable': 300474, 'reignite': 708212, 'oilpaintings': 597597, 'oil 21': 596582, '21 25': 14964, '25 president': 15952, 'president retreat': 670891, 'retreat today': 719758, 'from favorable': 335425, 'favorable strategy': 300475, 'strategy on': 812695, 'help his': 389863, 'his mostly': 397620, 'mostly republican': 542997, 'republican oil': 713053, 'oil friend': 596814, 'and reignite': 70176, 'reignite saudiarabia': 708213, 'future oilprice': 342407, 'oilprice oilwar': 597629, 'oilwar oilprices': 597740, 'oilprices oilpaintings': 597678, 'oilpaintings oilandgas': 597598, 'oil 21 25': 596583, '21 25 president': 14965, '25 president retreat': 15953, 'president retreat today': 670892, 'retreat today from': 719759, 'today from favorable': 919558, 'from favorable strategy': 335426, 'favorable strategy on': 300476, 'strategy on low': 812696, 'oil price saying': 597245, 'price saying he': 676303, 'he will help': 385669, 'will help his': 993716, 'help his mostly': 389866, 'his mostly republican': 397621, 'mostly republican oil': 542998, 'republican oil friend': 713054, 'oil friend and': 596815, 'friend and reignite': 333509, 'and reignite saudiarabia': 70177, 'reignite saudiarabia and': 708214, 'and russia in': 70672, 'near future oilprice': 553505, 'future oilprice oilwar': 342408, 'oilprice oilwar oilprices': 597630, 'oilwar oilprices oilpaintings': 597741, 'oilprices oilpaintings oilandgas': 597679, 'cecilia': 168735, 'tacoli': 831676, 'windowless': 995742, 'while stress': 987339, 'stress over': 813378, 'over cecilia': 630070, 'cecilia tacoli': 168736, 'tacoli explains': 831677, 'explains risk': 292220, 'people already': 646814, 'highly precarious': 396083, 'precarious situation': 669250, 'amp call': 53483, 'effective infrastructure': 269274, 'infrastructure in': 438203, 'slum amp': 774663, 'amp windowless': 54850, 'windowless apartment': 995743, 'apartment asia': 81393, 'asia poor': 95219, 'poor bear': 664126, 'bear brunt': 118392, 'while stress over': 987340, 'stress over cecilia': 813379, 'over cecilia tacoli': 630071, 'cecilia tacoli explains': 168737, 'tacoli explains risk': 831678, 'explains risk for': 292221, 'risk for people': 723556, 'for people already': 324445, 'people already living': 646816, 'already living in': 47507, 'living in highly': 496373, 'in highly precarious': 423698, 'highly precarious situation': 396084, 'precarious situation amp': 669252, 'situation amp call': 772173, 'amp call for': 53484, 'call for effective': 155864, 'for effective infrastructure': 320962, 'effective infrastructure in': 269275, 'infrastructure in slum': 438204, 'in slum amp': 428007, 'slum amp windowless': 774664, 'amp windowless apartment': 54851, 'windowless apartment asia': 995744, 'apartment asia poor': 81394, 'asia poor bear': 95220, 'poor bear brunt': 664127, 'bear brunt of': 118393, 'fad': 296052, 'seriously weight': 751779, 'loss tip': 503793, 'tip can': 898727, 'mode here': 535174, 'add in': 31435, 'in ill': 423972, 'ill informed': 416144, 'for fad': 321365, 'fad diet': 296053, 'diet during': 241719, 'during stay': 263052, 'seriously weight loss': 751780, 'weight loss tip': 977704, 'loss tip can': 503794, 'tip can be': 898728, 'be real we': 116705, 'real we re': 701450, 're in survival': 698888, 'survival mode here': 829058, 'mode here the': 535175, 'here the last': 393655, 'we need is': 972500, 'is to add': 453175, 'to add in': 900057, 'add in ill': 31436, 'in ill informed': 423973, 'ill informed consumer': 416145, 'informed consumer tip': 438093, 'tip for fad': 898765, 'for fad diet': 321366, 'fad diet during': 296054, 'diet during stay': 241720, 'during stay at': 263053, 'about impact': 25505, 'farming industry': 299627, 'industry given': 435848, 'given panic': 351073, 'the extended': 854748, 'extended food': 293161, 'without govt': 1002695, 'govt support': 361293, 'support farmer': 826491, 'farmer will': 299573, 'struggle so': 814376, 'so lib': 777547, 'lib dems': 487992, 'dems are': 236890, 'for contingency': 320323, 'contingency fund': 200944, 'support farm': 826489, 'farm across': 299073, 'across york': 29561, 'concerned about impact': 193160, 'about impact covid': 25506, 'have on farming': 381767, 'on farming industry': 600744, 'farming industry given': 299628, 'industry given panic': 435849, 'given panic buying': 351074, 'store the extended': 810596, 'the extended food': 854750, 'extended food chain': 293162, 'food chain like': 313911, 'chain like all': 170889, 'like all business': 489745, 'all business without': 42240, 'business without govt': 144713, 'without govt support': 1002696, 'govt support farmer': 361294, 'support farmer will': 826493, 'farmer will struggle': 299575, 'will struggle so': 995013, 'struggle so lib': 814377, 'so lib dems': 777548, 'lib dems are': 487993, 'dems are calling': 236891, 'calling for contingency': 156547, 'for contingency fund': 320324, 'contingency fund to': 200945, 'to support farm': 915929, 'support farm across': 826490, 'farm across york': 299074, 'guesting': 368183, 'world advanced': 1009263, 'advanced economy': 32925, 'long had': 501425, 'two crucial': 936858, 'crucial pillar': 219469, 'pillar consumer': 656679, 'business covid': 143591, 'hit these': 398458, 'these hardest': 880098, 'hardest in': 378219, 'response buy': 715641, 'zealand made': 1027297, 'made is': 507797, 'introducing virtual': 443510, 'virtual guesting': 957745, 'guesting on': 368184, 'on kiwi': 601770, 'kiwi original': 475848, 'the world advanced': 871806, 'world advanced economy': 1009264, 'advanced economy have': 32926, 'economy have long': 267932, 'have long had': 381367, 'long had two': 501426, 'had two crucial': 373773, 'two crucial pillar': 936859, 'crucial pillar consumer': 219470, 'pillar consumer spending': 656680, 'spending and small': 788742, 'small business covid': 774848, 'business covid 19': 143592, '19 hit these': 7551, 'hit these hardest': 398459, 'these hardest in': 880099, 'hardest in response': 378220, 'in response buy': 427419, 'response buy new': 715642, 'buy new zealand': 148996, 'new zealand made': 559991, 'zealand made is': 1027298, 'made is introducing': 507798, 'is introducing virtual': 448962, 'introducing virtual guesting': 443511, 'virtual guesting on': 957746, 'guesting on kiwi': 368185, 'on kiwi original': 601771, 'vigilant consumer': 957241, 'japan have': 464738, 'been public': 121734, 'public shaming': 688313, 'shaming some': 754760, 'medium that': 527310, 'such face': 816484, 'mask consumer': 518535, 'consumer japan': 197971, 'japan mrx': 464751, 'vigilant consumer in': 957242, 'consumer in japan': 197825, 'in japan have': 424373, 'japan have been': 464739, 'have been public': 379645, 'been public shaming': 121735, 'public shaming some': 688314, 'shaming some company': 754761, 'some company on': 782570, 'company on social': 190932, 'social medium that': 779887, 'medium that have': 527311, 'tried to raise': 931840, 'for good such': 321944, 'good such face': 357791, 'such face mask': 816485, 'face mask consumer': 294527, 'mask consumer japan': 518536, 'consumer japan mrx': 197972, 'birdsall': 131370, 'hey is': 394428, 'area sewing': 92185, 'sewing mask': 754182, 'for place': 324561, 'them birdsall': 875480, 'birdsall and': 131371, 'been making': 121517, 'greater boston': 363141, 'boston food': 135793, 'source uh': 786576, 'uh 100': 938074, 'have fabric': 380543, 'fabric stock': 294241, 'hey is anyone': 394429, 'in the boston': 429034, 'the boston area': 849890, 'boston area sewing': 135782, 'area sewing mask': 92186, 'sewing mask and': 754183, 'mask and looking': 518346, 'and looking for': 66375, 'looking for place': 502890, 'for place to': 324564, 'place to give': 657754, 'to give them': 906719, 'give them birdsall': 350761, 'them birdsall and': 875481, 'birdsall and have': 131372, 'have been making': 379605, 'been making some': 121518, 'making some for': 511355, 'the greater boston': 856743, 'greater boston food': 363142, 'boston food bank': 135794, 'bank but they': 109696, 'they just told': 882505, 'just told they': 470125, 'told they re': 923734, 're looking to': 699013, 'looking to source': 503044, 'to source uh': 914942, 'source uh 100': 786577, 'uh 100 more': 938075, '100 more and': 1960, 'only have fabric': 610578, 'have fabric stock': 380544, 'fabric stock for': 294242, 'stock for 25': 802162, 'seen shelf': 747220, 'bare there': 110968, 'working tooth': 1009013, 'tooth and': 925486, 'nail to': 551467, 'society but': 781167, 'too nottingham': 924972, 'nottingham foodbanks': 573650, 'foodbanks homeless': 317829, 'panic that ha': 638676, 'that ha seen': 844134, 'ha seen shelf': 371843, 'seen shelf stripped': 747221, 'shelf stripped bare': 757611, 'stripped bare there': 813852, 'bare there are': 110969, 'are people working': 89058, 'people working tooth': 650522, 'working tooth and': 1009014, 'tooth and nail': 925487, 'and nail to': 67414, 'nail to support': 551468, 'support the most': 826878, 'vulnerable in our': 961016, 'our society but': 624819, 'society but they': 781168, 'help too nottingham': 390810, 'too nottingham foodbanks': 924973, 'nottingham foodbanks homeless': 573651, 'localnews': 498789, 'longer hidden': 501989, 'hidden crisis': 394812, 'poor america': 664107, 'america too': 51718, 'living hand': 496356, 'mouth san': 543554, 'bank overloaded': 110085, 'overloaded with': 631278, 'demand localnews': 235812, 'localnews with': 498790, 'the no longer': 861830, 'no longer hidden': 564651, 'longer hidden crisis': 501990, 'hidden crisis in': 394813, 'crisis in middle': 217534, 'in middle and': 425300, 'middle and poor': 530625, 'and poor america': 69189, 'poor america too': 664108, 'america too many': 51719, 'many are living': 513768, 'are living hand': 87845, 'living hand to': 496357, 'to mouth san': 910298, 'mouth san antonio': 543555, 'food bank overloaded': 313611, 'bank overloaded with': 110086, 'overloaded with demand': 631279, 'with demand localnews': 997981, 'demand localnews with': 235813, 'localnews with the': 498791, 'with the story': 1001501, 'sdg2': 743032, 'farmtofork': 299681, 'iamwanda': 412551, 'via sdg2': 956224, 'sdg2 farmtofork': 743033, 'farmtofork iamwanda': 299682, 'for food via': 321650, 'food via sdg2': 317430, 'via sdg2 farmtofork': 956225, 'sdg2 farmtofork iamwanda': 743034, 'no feedback': 564212, 'gas or': 343913, 'example until': 288993, 'that pot': 845802, 'pot of': 666890, 'had no feedback': 373330, 'no feedback on': 564213, 'commit to gas': 188979, 'to gas or': 906369, 'gas or pay': 343914, 'or pay for': 616524, 'pay for example': 644876, 'for example until': 321295, 'example until they': 288994, '19 and think': 5124, 'and think but': 73962, 'know that pot': 476784, 'that pot of': 845803, 'pot of the': 666892, 'chain due': 170660, 'that wfp': 847452, 'wfp via': 980874, 'supply chain due': 824947, 'chain due to': 170661, '19 but fear': 5498, 'change that wfp': 172284, 'that wfp via': 847453, 'supermarket anxiety': 819121, 'anxiety existed': 78698, 'existed long': 290261, 'shopper but': 761441, 'but increased': 146044, 'increased number': 433379, 'and decreased': 61031, 'decreased item': 231635, 'why anxiety': 990751, 'anxiety at': 78667, 'increased mentalhealth': 433368, 'supermarket anxiety existed': 819122, 'anxiety existed long': 78699, 'existed long before': 290262, '19 affected the': 4843, 'affected the behaviour': 34442, 'behaviour of shopper': 124488, 'of shopper but': 589639, 'shopper but increased': 761442, 'but increased number': 146045, 'increased number of': 433380, 'of shopper and': 589635, 'shopper and decreased': 761359, 'and decreased item': 61032, 'decreased item on': 231636, 'shelf are just': 756809, 'reason why anxiety': 703056, 'why anxiety at': 990752, 'anxiety at the': 78668, 'supermarket ha increased': 820632, 'ha increased mentalhealth': 370951, 'market tank': 517158, 'tank globally': 834207, 'globally think': 352406, 'think trading': 885721, 'trading should': 928921, 'be halted': 115123, 'halted price': 374491, 'price fixed': 673885, 'all account': 41932, 'account frozen': 28677, 'frozen till': 339021, 'till case': 896003, 'case drop': 165719, 'to nothing': 910725, 'nothing phase': 573140, 'phase it': 654616, 'in slowly': 428005, 'market tank globally': 517159, 'tank globally think': 834208, 'globally think trading': 352407, 'think trading should': 885722, 'trading should be': 928922, 'should be halted': 765638, 'be halted price': 115124, 'halted price fixed': 374492, 'price fixed in': 673886, 'fixed in place': 309797, 'and all account': 57854, 'all account frozen': 41933, 'account frozen till': 28678, 'frozen till case': 339022, 'till case drop': 896004, 'case drop to': 165720, 'drop to nothing': 260427, 'to nothing phase': 910727, 'nothing phase it': 573141, 'phase it back': 654617, 'back in slowly': 107095, 'biden2020': 129544, 'ha bidet': 370006, 'bidet is': 129568, 'is laughing': 449238, 'laughing right': 481820, 'toiletpaperpanic bidet': 923199, 'bidet biden2020': 129553, 'who ha bidet': 988833, 'ha bidet is': 370007, 'bidet is laughing': 129569, 'is laughing right': 449239, 'laughing right now': 481821, 'now toiletpaper toiletpaperpanic': 576199, 'toiletpaper toiletpaperpanic bidet': 922692, 'toiletpaperpanic bidet biden2020': 923200, 'cfi': 170316, 'at cdt': 98214, 'cdt join': 168685, 'food integrity': 315093, 'integrity each': 440956, 'for cfi': 320003, 'cfi now': 170319, 'trend where': 931509, 'where join': 984975, 'to detail': 904220, 'detail weekly': 239271, 'industry research': 436073, 'question register': 693710, 'starting this friday': 795005, 'this friday at': 887616, 'friday at cdt': 333205, 'at cdt join': 98215, 'cdt join the': 168687, 'join the center': 466852, 'center for food': 169206, 'for food integrity': 321598, 'food integrity each': 315094, 'integrity each week': 440957, 'each week for': 264329, 'week for cfi': 976222, 'for cfi now': 320004, 'cfi now covid': 170320, 'latest consumer trend': 481264, 'consumer trend where': 199392, 'trend where join': 931511, 'where join to': 984976, 'join to detail': 466885, 'to detail weekly': 904221, 'detail weekly food': 239272, 'weekly food industry': 977492, 'food industry research': 315023, 'industry research and': 436074, 'research and answer': 713667, 'and answer your': 58171, 'your question register': 1025503, 'question register today': 693712, 'acrylonitrile': 29569, 'butadiene': 148018, 'asia acrylonitrile': 95153, 'acrylonitrile butadiene': 29570, 'butadiene styrene': 148019, 'styrene ab': 815655, 'ab price': 24180, 'price lost': 675104, 'lost further': 503848, 'further ground': 342057, 'ground seller': 366535, 'seller slashed': 749074, 'slashed offer': 773638, 'offer in': 594660, 'to weaker': 918413, 'weaker feedstock': 974105, 'feedstock cost': 302534, 'cost icis': 207967, 'icis ab': 412742, 'ab asia': 24171, 'asia acrylonitrile butadiene': 95154, 'acrylonitrile butadiene styrene': 29571, 'butadiene styrene ab': 148020, 'styrene ab price': 815656, 'ab price lost': 24181, 'price lost further': 675105, 'lost further ground': 503849, 'further ground seller': 342058, 'ground seller slashed': 366536, 'seller slashed offer': 749075, 'slashed offer in': 773639, 'offer in response': 594661, 'response to weaker': 715897, 'to weaker feedstock': 918414, 'weaker feedstock cost': 974106, 'feedstock cost icis': 302535, 'cost icis ab': 207968, 'icis ab asia': 412743, 'increasing during': 433594, 'which isn': 986071, 'isn supposed': 454687, 'remain they': 709882, 'of commodity are': 581566, 'commodity are increasing': 189129, 'are increasing during': 87482, 'increasing during this': 433596, '19 which isn': 12039, 'which isn supposed': 986072, 'isn supposed to': 454688, 'be the price': 117648, 'basic commodity should': 111852, 'commodity should remain': 189306, 'should remain they': 766400, 'remain they are': 709883, 'they are this': 881433, 'are this are': 91050, 'this are difficult': 886399, 'are difficult time': 85821, 'system overreacting': 831281, 'immune system overreacting': 417349, 'greece imposes': 363343, 'imposes lockdown': 419326, 'lockdown after': 499104, 'infection jump': 436782, 'greece imposes lockdown': 363344, 'imposes lockdown after': 419327, 'lockdown after coronavirus': 499105, 'after coronavirus infection': 35509, 'coronavirus infection jump': 206138, '300 metre': 17321, 'long socially': 501642, 'distanced queue': 246922, 'sainsbury hypermarket': 731678, 'hypermarket snaking': 412360, 'snaking around': 776066, 'whole building': 990151, '300 metre long': 17322, 'metre long socially': 529860, 'long socially distanced': 501643, 'socially distanced queue': 781058, 'distanced queue to': 246923, 'into the sainsbury': 443165, 'the sainsbury hypermarket': 866168, 'sainsbury hypermarket snaking': 731679, 'hypermarket snaking around': 412361, 'snaking around the': 776067, 'around the whole': 93569, 'the whole building': 871480, 'whole building and': 990152, 'building and deep': 142046, 'and deep into': 61045, 'deep into the': 231903, 'into the parking': 443155, 'nhsvolunteerresponder': 562271, 'nhsvolunteers': 562274, 'isla who': 454257, 'ha message': 371268, 'worker nhsvolunteerresponder': 1007443, 'nhsvolunteerresponder nhsvolunteers': 562272, 'nhsvolunteers keyworkers': 562275, 'keyworkers supermarket': 473607, 'worker anyone': 1006357, 'this horrid': 887950, 'horrid time': 404153, 'time thankyounhs': 897829, 'thankyounhs staysafe': 842382, 'stayathomesavelives stayhomesavelives': 797809, 'isla who ha': 454258, 'who ha message': 988857, 'ha message for': 371269, 'message for all': 529305, 'nh worker nhsvolunteerresponder': 562191, 'worker nhsvolunteerresponder nhsvolunteers': 1007444, 'nhsvolunteerresponder nhsvolunteers keyworkers': 562273, 'nhsvolunteers keyworkers supermarket': 562276, 'keyworkers supermarket worker': 473608, 'supermarket worker anyone': 823989, 'worker anyone else': 1006358, 'else helping in': 271729, 'in this horrid': 429959, 'this horrid time': 887951, 'horrid time thankyounhs': 404154, 'time thankyounhs staysafe': 897830, 'thankyounhs staysafe stayhome': 842383, 'staysafe stayhome stayathomesavelives': 798904, 'stayhome stayathomesavelives stayhomesavelives': 798144, 'ask nigerian': 95591, 'that nigerian': 845349, 'have manage': 381427, 'power agency': 667552, 'agency contributing': 38000, 'contributing it': 201914, 'own part': 632122, 'crazy how our': 215324, 'how our government': 408460, 'our government will': 623279, 'government will ask': 360807, 'will ask nigerian': 992312, 'ask nigerian to': 95592, 'nigerian to stay': 562890, 'home and no': 400669, 'no power to': 565161, 'power to preserve': 667714, 'preserve food that': 670702, 'food that nigerian': 317096, 'that nigerian have': 845350, 'nigerian have manage': 562855, 'have manage to': 381428, 'manage to stock': 512469, 'for week how': 327717, 'week how is': 976341, 'is the power': 452901, 'the power agency': 864148, 'power agency contributing': 667553, 'agency contributing it': 38001, 'contributing it own': 201915, 'it own part': 460220, 'own part to': 632123, 'part to the': 642474, 'lockdown in nigeria': 499509, 'from west': 338330, 'west end': 980495, 'end stage': 275965, 'stage star': 793210, 'star to': 794069, 'to stacking': 915130, 'stacking supermarket': 792045, 'shelf career': 756927, 'pivot during': 657079, 'from west end': 338331, 'west end stage': 980496, 'end stage star': 275966, 'stage star to': 793211, 'star to stacking': 794070, 'to stacking supermarket': 915131, 'stacking supermarket shelf': 792046, 'supermarket shelf career': 822440, 'shelf career pivot': 756928, 'career pivot during': 164353, 'pivot during the': 657080, 'the outbreak 19': 862585, 'dan instead': 225536, 'instead praise': 440346, 'dan instead praise': 225537, 'instead praise overlooked': 440347, 'adapting their': 31337, 'their procedure': 874455, '19 lrw': 8482, 'lrw svp': 506345, 'svp spoke': 829887, 'can achieve': 157359, 'achieve this': 29045, 'maintaining consumer': 509095, 'trust marketing': 934289, 'company and other': 190387, 'other service are': 620890, 'service are adapting': 752131, 'are adapting their': 84223, 'adapting their procedure': 31339, 'their procedure to': 874456, 'procedure to protect': 679826, 'their employee from': 873146, 'covid 19 lrw': 213381, '19 lrw svp': 8483, 'lrw svp spoke': 506346, 'svp spoke to': 829888, 'spoke to about': 789724, 'to about how': 899912, 'about how brand': 25423, 'brand can achieve': 137781, 'can achieve this': 157360, 'achieve this while': 29046, 'this while maintaining': 891365, 'while maintaining consumer': 987021, 'maintaining consumer trust': 509096, 'consumer trust marketing': 199401, 'always fairly': 49551, 'fairly treated': 296446, 'by mankind': 153154, 'mankind but': 513257, 'best news': 127779, 'and deserves': 61245, 'deserves immediate': 238173, 'immediate research': 417024, 'how also': 407339, 'can contaminate': 157975, 'contaminate cat': 200644, 'cat what': 166906, 'other specie': 620944, 'specie including': 788179, 'including live': 432037, 'human chain': 410456, 'question need': 693658, 'not always fairly': 568179, 'always fairly treated': 49552, 'fairly treated by': 296447, 'treated by mankind': 930943, 'by mankind but': 153155, 'mankind but to': 513258, 'but to add': 147581, 'to add them': 900069, 'add them to': 31506, 'them to covid': 876465, 'the best news': 849528, 'best news and': 127780, 'news and deserves': 560227, 'and deserves immediate': 61246, 'deserves immediate research': 238174, 'immediate research to': 417025, 'research to how': 713867, 'to how also': 908017, 'how also if': 407340, 'also if covid': 48388, '19 can contaminate': 5607, 'can contaminate cat': 157976, 'contaminate cat what': 200645, 'cat what about': 166907, 'what about other': 980983, 'about other specie': 25873, 'other specie including': 620945, 'specie including live': 788180, 'including live stock': 432038, 'live stock in': 496027, 'in the human': 429277, 'the human chain': 857714, 'human chain of': 410457, 'chain of food': 170957, 'food question need': 316103, 'question need answer': 693659, 'cryptos': 219998, 'litecoin': 494913, 'purchase cryptos': 689416, 'cryptos at': 219999, 'selling ha': 749280, 'from dow': 335206, 'jones to': 467263, 'to nasdaq': 910473, 'nasdaq to': 551995, 'to crypto': 903784, 'crypto use': 219964, 'purchase bitcoin': 689393, 'ripple litecoin': 722741, 'litecoin and': 494914, 'other cryptos': 620046, 'at exciting': 98585, 'exciting price': 289603, 'purchase cryptos at': 689417, 'cryptos at low': 220001, 'price 19 induced': 672115, '19 induced panic': 7833, 'induced panic selling': 435485, 'panic selling ha': 638526, 'selling ha taken': 749281, 'taken toll on': 833113, 'toll on all': 923861, 'on all market': 599234, 'all market from': 43459, 'market from dow': 516435, 'from dow jones': 335207, 'dow jones to': 256330, 'jones to nasdaq': 467264, 'to nasdaq to': 910474, 'nasdaq to crypto': 551996, 'to crypto use': 903785, 'crypto use this': 219965, 'use this opportunity': 949732, 'this opportunity to': 889280, 'to purchase bitcoin': 912522, 'purchase bitcoin ethereum': 689394, 'bitcoin ethereum ripple': 131817, 'ethereum ripple litecoin': 283032, 'ripple litecoin and': 722742, 'litecoin and other': 494915, 'and other cryptos': 68304, 'other cryptos at': 620047, 'cryptos at exciting': 220000, 'at exciting price': 98586, 'implement immediate': 418389, 'immediate medical': 417002, 'medical protocol': 526346, 'protocol ensure': 685980, 'and accessible': 57588, 'accessible covid': 28332, 'covid health': 214168, 'health kit': 386593, 'kit increase': 475579, 'increase funding': 432793, 'sector regulate': 744305, 'we need from': 972487, 'government is to': 360282, 'is to implement': 453211, 'to implement immediate': 908169, 'implement immediate medical': 418390, 'immediate medical protocol': 417003, 'medical protocol ensure': 526347, 'protocol ensure free': 685981, 'ensure free and': 277948, 'free and accessible': 331639, 'and accessible covid': 57589, 'accessible covid health': 28333, 'covid health kit': 214169, 'health kit increase': 386594, 'kit increase funding': 475580, 'increase funding for': 432794, 'health sector regulate': 386837, 'sector regulate price': 744306, '90 oilprices': 23327, '22 90 oilprices': 15178, 'foodcrisis': 317882, 'stillnotolietpaper': 801463, 'w7alvtqwij': 961338, 'guess it': 367994, 'an everyday': 55884, 'everyday thing': 286636, 'thing where': 884982, 'that sad': 846089, 'sad thought': 729265, 'have calmed': 379876, 'coronacrisis foodcrisis': 204598, 'foodcrisis stillnotolietpaper': 317883, 'stillnotolietpaper w7alvtqwij': 801464, 'guess it because': 367995, 'because it an': 119174, 'it an everyday': 456470, 'an everyday thing': 55885, 'everyday thing where': 286637, 'thing where there': 884983, 'where there no': 985266, 'store that sad': 810570, 'that sad thought': 846091, 'sad thought it': 729266, 'thought it would': 893108, 'would have calmed': 1011872, 'have calmed down': 379877, 'calmed down with': 156845, 'down with people': 257500, 'with people stocking': 1000171, 'on everything coronacrisis': 600648, 'everything coronacrisis foodcrisis': 287739, 'coronacrisis foodcrisis stillnotolietpaper': 204599, 'foodcrisis stillnotolietpaper w7alvtqwij': 317884, 'familydocs': 298423, 'dr mitch': 258067, 'mitch houston': 534507, 'houston discus': 407193, 'other topic': 621138, 'topic related': 925813, 'the familydocs': 854910, 'dr mitch houston': 258068, 'mitch houston discus': 534508, 'houston discus the': 407194, 'discus the of': 244927, 'the of and': 862049, 'and other topic': 68425, 'other topic related': 621140, 'topic related to': 925814, 'to the familydocs': 916695, '1hr': 12612, 'hand sanitized': 375275, 'sanitized and': 734245, 'day let': 227896, 'let minimise': 486919, 'minimise chance': 533076, 'enough large': 277502, 'large portable': 479746, 'portable hand': 664917, 'sanitizers face': 736272, 'mask available': 518446, 'stock order': 802594, 'in 1hr': 419730, '1hr around': 12613, 'around kampala': 93371, 'your hand sanitized': 1024218, 'hand sanitized and': 375276, 'sanitized and safe': 734246, 'and safe the': 70722, 'safe the whole': 730018, 'the whole day': 871487, 'whole day let': 990182, 'day let minimise': 227897, 'let minimise chance': 486920, 'minimise chance of': 533077, 'chance of contracting': 171752, 'of contracting the': 581836, 'contracting the deadly': 201789, 'the deadly we': 852951, 'deadly we still': 229311, 'have enough large': 380455, 'enough large portable': 277503, 'large portable hand': 479747, 'portable hand sanitizers': 664918, 'hand sanitizers face': 375690, 'sanitizers face mask': 736273, 'face mask available': 294520, 'mask available in': 518449, 'available in stock': 104453, 'in stock order': 428321, 'stock order at': 802595, 'your doorstep in': 1023588, 'doorstep in 1hr': 255852, 'in 1hr around': 419731, '1hr around kampala': 12614, 'please eat': 659941, 'it foodwaste': 458059, 'and foodinsecurity': 63113, 'foodinsecurity rising': 317981, 'and environment': 62207, 'environment reporting': 279139, 're buying food': 698398, 'buying food please': 150327, 'food please eat': 315865, 'please eat it': 659943, 'eat it foodwaste': 265962, 'it foodwaste and': 458060, 'foodwaste and foodinsecurity': 318248, 'and foodinsecurity rising': 63114, 'foodinsecurity rising amid': 317982, 'panic food and': 638108, 'food and environment': 313221, 'and environment reporting': 62208, 'environment reporting network': 279140, 'am covid': 49988, 'store and find': 806242, 'find out am': 307134, 'out am covid': 625611, 'am covid 19': 49989, 'wilful': 992160, 'throwaway': 895066, 've sold': 953581, 'company now': 190912, 'll crash': 496694, 'death induced': 230090, 'by wilful': 154750, 'wilful slow': 992163, 'slow action': 774318, 'action then': 30154, 'back those': 107341, 'those share': 892453, 'at throwaway': 101272, 'throwaway price': 895067, 'then act': 876962, 'they ve sold': 883686, 've sold their': 953583, 'sold their share': 781775, 'their share in': 874672, 'share in company': 755053, 'in company now': 421623, 'company now they': 190914, 'they ll crash': 882591, 'll crash the': 496695, 'crash the stock': 215044, 'the stock exchange': 867909, 'stock exchange with': 802108, 'exchange with thousand': 289499, 'thousand of covid': 893430, '19 death induced': 6445, 'death induced by': 230091, 'induced by wilful': 435455, 'by wilful slow': 154751, 'wilful slow action': 992164, 'slow action then': 774319, 'action then buy': 30155, 'then buy back': 877046, 'buy back those': 148395, 'back those share': 107342, 'those share at': 892454, 'share at throwaway': 754936, 'at throwaway price': 101273, 'throwaway price and': 895068, 'and then act': 73737, 'then act decisively': 876963, 'decisively to contain': 231123, 'contain the pandemic': 200501, 'pratt': 668976, 'australia richest': 103368, 'richest person': 721351, 'person anthony': 652315, 'anthony pratt': 78246, 'pratt say': 668977, 'his cardboard': 397276, 'box making': 137098, 'and recycling': 70078, 'recycling company': 705543, 'keeping it': 472455, 'factory open': 295972, 'shopper demand': 761474, 'food spike': 316720, 'outbreak ausbiz': 628036, 'australia richest person': 103369, 'richest person anthony': 721352, 'person anthony pratt': 652316, 'anthony pratt say': 78247, 'pratt say his': 668978, 'say his cardboard': 738760, 'his cardboard box': 397277, 'cardboard box making': 163715, 'box making and': 137099, 'making and recycling': 510963, 'and recycling company': 70079, 'recycling company is': 705544, 'company is keeping': 190802, 'is keeping it': 449171, 'keeping it factory': 472457, 'it factory open': 457928, 'factory open and': 295973, 'open and running': 612075, 'running at full': 727926, 'full capacity shopper': 340518, 'capacity shopper demand': 162576, 'shopper demand for': 761475, 'for food spike': 321634, 'food spike amid': 316721, 'spike amid the': 789261, 'the outbreak ausbiz': 862593, 'rachael': 695218, 'to rachael': 912702, 'rachael co': 695219, 'of hull': 584865, 'hull theatre': 410375, 'theatre company': 872276, 'company about': 190345, 'finding work': 307574, 'tonight on we': 924466, 'on we speak': 605138, 'speak to rachael': 787717, 'to rachael co': 912703, 'rachael co founder': 695220, 'founder of hull': 330552, 'of hull theatre': 584866, 'hull theatre company': 410376, 'theatre company about': 872277, 'company about finding': 190346, 'about finding work': 25241, 'finding work in': 307575, 'warehouse to make': 966792, 'headquarters full': 386031, 'article covid19': 94298, 'support see': 826803, 'home headquarters full': 401350, 'headquarters full article': 386032, 'full article covid19': 340486, 'article covid19 help': 94299, 'covid19 help support': 214315, 'help support see': 390616, 'support see profile': 826804, 'anticipated tt': 78468, 'tt billion': 934985, 'billion revenue': 130907, 'revenue loss': 720453, 'of depressed': 582540, 'depressed energy': 237584, 'slowed business': 774485, 'business result': 144328, 'tobago finance': 919094, 'anticipated tt billion': 78469, 'tt billion revenue': 934986, 'billion revenue loss': 130908, 'revenue loss on': 720455, 'loss on account': 503760, 'account of depressed': 28728, 'of depressed energy': 582541, 'depressed energy price': 237585, 'price and impact': 672438, 'and impact of': 65009, 'impact of slowed': 417800, 'of slowed business': 589776, 'slowed business result': 774486, 'business result of': 144329, 'result of in': 717597, 'of in trinidad': 585052, 'in trinidad and': 430289, 'and tobago finance': 74218, 'tobago finance minister': 919095, 'you wake': 1022104, 'sick even': 768435, 'symptom typical': 830940, 'typical of': 937642, 'someone these': 784694, 'sick popular': 768590, 'if you wake': 415552, 'you wake up': 1022105, 'wake up feeling': 964623, 'up feeling sick': 944850, 'feeling sick even': 303055, 'sick even with': 768436, 'even with symptom': 284805, 'with symptom typical': 1001110, 'symptom typical of': 830941, 'typical of covid': 937643, 'and policy will': 69170, 'need to care': 555880, 'care for someone': 163953, 'for someone these': 325780, 'someone these policy': 784695, 'these policy will': 880501, 'help you supermarket': 390999, 'you supermarket sick': 1021479, 'supermarket sick popular': 822695, 'sick popular information': 768591, 'friend celebrating': 333551, 'celebrating valentine': 168847, 'valentine during': 951896, 'my friend celebrating': 548425, 'friend celebrating valentine': 333552, 'celebrating valentine during': 168848, 'valentine during covid': 951897, 'with the drop': 1001275, 'the drop of': 853711, 'drop of price': 260323, 'of price from': 588402, 'from the hotel': 337747, 'indianapolis': 434930, 'customorders': 223184, 'naptown': 551891, 'linkinbio': 494003, 'wakanda': 964575, 'manenoz': 513101, 'tembeakenya': 837313, 'you indianapolis': 1019334, 'indianapolis for': 434933, 'shopping smallbiz': 763915, 'smallbiz customorders': 775197, 'customorders mask': 223185, 'mask kenya': 518891, 'kenya naptown': 472929, 'naptown linkinbio': 551892, 'linkinbio nairobi': 494006, 'nairobi african': 551503, 'african print': 35214, 'print spider': 678295, 'spider man': 789244, 'man wakanda': 512297, 'wakanda manenoz': 964576, 'manenoz sewing': 513102, 'sewing made': 754180, 'in maker': 424995, 'maker tembeakenya': 510878, 'thank you indianapolis': 841753, 'you indianapolis for': 1019335, 'indianapolis for shopping': 434934, 'for shopping smallbiz': 325595, 'shopping smallbiz customorders': 763916, 'smallbiz customorders mask': 775198, 'customorders mask kenya': 223186, 'mask kenya naptown': 518892, 'kenya naptown linkinbio': 472930, 'naptown linkinbio nairobi': 551893, 'linkinbio nairobi african': 494007, 'nairobi african print': 551504, 'african print spider': 35215, 'print spider man': 678296, 'spider man wakanda': 789245, 'man wakanda manenoz': 512298, 'wakanda manenoz sewing': 964577, 'manenoz sewing made': 513103, 'sewing made in': 754181, 'made in maker': 507790, 'in maker tembeakenya': 424996, 'it rough': 460807, 'rough the': 726260, 'past couple': 643513, 'low milk': 505411, 'price contributing': 673232, 'to decreasing': 904040, 'decreasing milk': 231661, 'milk check': 531619, 'school shut': 741922, 'it led': 459326, 'even sharper': 284562, 'sharper drop': 755718, 'dairy farmer have': 224982, 'farmer have had': 299408, 'had it rough': 373212, 'it rough the': 460809, 'rough the past': 726261, 'the past couple': 863350, 'past couple of': 643514, 'couple of year': 211652, 'of year with': 593350, 'year with low': 1015115, 'with low milk': 999334, 'low milk price': 505412, 'milk price contributing': 531778, 'price contributing to': 673233, 'contributing to decreasing': 201919, 'to decreasing milk': 904041, 'decreasing milk check': 231662, 'milk check with': 531620, 'check with restaurant': 174719, 'restaurant and school': 716298, 'and school shut': 71078, 'school shut down': 741923, 'pandemic it led': 635828, 'it led to': 459327, 'to an even': 900449, 'an even sharper': 55870, 'even sharper drop': 284563, 'sharper drop in': 755719, 'painter': 634309, 'for facemasks': 321357, 'facemasks online': 295157, 'limited thought': 492752, 'thought got': 893064, 'got smart': 358839, 'smart by': 775352, 'by searching': 153900, 'for painter': 324354, 'painter mask': 634310, 'mask everything': 518622, 'everywhere this': 288274, 'left how': 485502, 'with painting': 1000065, 'shopping for facemasks': 762674, 'for facemasks online': 321358, 'facemasks online the': 295158, 'online the option': 609536, 'the option are': 862427, 'option are very': 613988, 'very limited thought': 955315, 'limited thought got': 492753, 'thought got smart': 893065, 'got smart by': 358840, 'smart by searching': 775354, 'by searching for': 153901, 'searching for painter': 743334, 'for painter mask': 324355, 'painter mask everything': 634311, 'mask everything is': 518623, 'everything is sold': 287886, 'out everywhere this': 626040, 'everywhere this is': 288275, 'is what left': 453885, 'what left how': 981809, 'left how doe': 485504, 'how doe this': 407751, 'doe this help': 251634, 'this help with': 887901, 'help with painting': 390921, 'tukwila': 935270, 'costco this': 208274, 'in tukwila': 430321, 'tukwila this': 935271, 'healthy flattenthecurve': 387616, 'flattenthecurve seattle': 310197, 'costco this morning': 208275, 'morning in tukwila': 541311, 'in tukwila this': 430322, 'tukwila this can': 935272, 'be healthy flattenthecurve': 115174, 'healthy flattenthecurve seattle': 387617, 'flattenthecurve seattle toiletpaper': 310198, 'youreself': 1026429, 'worker acting': 1006203, 'like hero': 490429, 'your putting': 1025484, 'putting youreself': 691295, 'youreself at': 1026430, 'still just': 800764, 'bloody shelf': 133235, 'stacker not': 792017, 'not bloody': 568580, 'bloody doctor': 133191, 'tired of supermarket': 899053, 'supermarket worker acting': 823981, 'worker acting like': 1006204, 'acting like hero': 29880, 'like hero do': 490430, 'if your putting': 415603, 'your putting youreself': 1025485, 'putting youreself at': 691296, 'youreself at risk': 1026431, 'of getting your': 584130, 'getting your still': 349468, 'your still just': 1025946, 'still just bloody': 800765, 'just bloody shelf': 468341, 'bloody shelf stacker': 133236, 'shelf stacker not': 757559, 'stacker not bloody': 792018, 'not bloody doctor': 568581, 'my break': 547534, 'from working': 338424, 'up couple': 944665, 'thing hadn': 884385, 'hadn seen': 373858, 'seen people': 747189, 'every stranger': 286227, 'stranger looked': 812478, 'like someone': 491215, 'someone knew': 784544, 'my actual': 547229, 'actual life': 30678, 'life quarantine': 488979, 'on my break': 602267, 'my break from': 547535, 'break from working': 138735, 'from working from': 338426, 'home to pick': 402335, 'pick up couple': 655713, 'up couple of': 944666, 'of thing hadn': 591902, 'thing hadn seen': 884386, 'hadn seen people': 373859, 'seen people all': 747190, 'all day that': 42527, 'day that literally': 228472, 'that literally every': 844900, 'literally every stranger': 494984, 'every stranger looked': 286228, 'stranger looked like': 812479, 'looked like someone': 502736, 'like someone knew': 491216, 'someone knew in': 784545, 'knew in my': 476048, 'in my actual': 425530, 'my actual life': 547230, 'actual life quarantine': 30679, 'dishonesty': 245521, 'to muslim': 910359, 'muslim business': 546419, 'business raising': 144283, 'time don': 896575, 'that allah': 842580, 'allah also': 45592, 'keep account': 471283, 'account whatever': 28777, 'whatever is': 982766, 'is earned': 447422, 'through dishonesty': 894427, 'dishonesty allah': 245522, 'allah take': 45613, 'take back': 831979, 'back another': 106869, 'if next': 414474, 'year your': 1015130, 'shop flood': 760167, 'flood or': 310719, 'to muslim business': 910360, 'muslim business raising': 546420, 'business raising price': 144284, 'raising price taking': 696127, 'people at this': 647185, 'this time don': 890631, 'time don forget': 896576, 'forget that allah': 329290, 'that allah also': 842581, 'allah also keep': 45593, 'also keep account': 48448, 'keep account whatever': 471284, 'account whatever is': 28778, 'whatever is earned': 982767, 'is earned through': 447424, 'earned through dishonesty': 264835, 'through dishonesty allah': 894428, 'dishonesty allah take': 245523, 'allah take back': 45614, 'take back another': 831980, 'back another way': 106870, 'another way so': 77959, 'way so don': 969873, 'surprised if next': 828584, 'if next year': 414475, 'next year your': 561738, 'year your shop': 1015131, 'your shop flood': 1025763, 'shop flood or': 760168, 'flood or you': 310720, 'or you go': 617860, 'you go bankrupt': 1018843, 'brandstrategy': 138162, 'brandpostitioning': 138156, 'consumervalues': 199789, 'consumerdemands': 199666, 'marketer adapt': 517446, 'evolving consumer': 288553, 'consumer value': 199437, 'value find': 952120, 'these guideline': 880083, 'success brandstrategy': 816182, 'brandstrategy brandpostitioning': 138163, 'brandpostitioning consumervalues': 138157, 'consumervalues consumerdemands': 199790, 'emerge from this': 272537, 'this crisis it': 887058, 'is critical that': 446945, 'critical that marketer': 218687, 'that marketer adapt': 845048, 'marketer adapt to': 517447, 'adapt to evolving': 31282, 'to evolving consumer': 905379, 'evolving consumer value': 288554, 'consumer value find': 199438, 'value find out': 952121, 'if you your': 415566, 'you your brand': 1022494, 'your brand is': 1023015, 'brand is prepared': 137878, 'is prepared with': 450992, 'prepared with these': 670269, 'with these guideline': 1001640, 'these guideline for': 880084, 'guideline for action': 368422, 'for action and': 319003, 'action and success': 29951, 'and success brandstrategy': 72648, 'success brandstrategy brandpostitioning': 816183, 'brandstrategy brandpostitioning consumervalues': 138164, 'brandpostitioning consumervalues consumerdemands': 138158, 'cdclied': 168638, 'scientist found': 742221, 'that sars': 846115, 'cov the': 212130, 'wa detectable': 961961, 'detectable in': 239335, 'hour hear': 405669, 'that cdc': 843188, 'cdc what': 168634, 'what protects': 982064, 'protects you': 685847, 'after infected': 35822, 'infected shopper': 436635, 'shopper walk': 761803, 'supermarket mask': 821467, 'mask cdclied': 518523, 'cdclied masks4all': 168639, 'the scientist found': 866506, 'scientist found that': 742222, 'found that sars': 330402, 'that sars cov': 846116, 'sars cov the': 736805, 'cov the virus': 212131, 'virus that cause': 958872, '19 wa detectable': 11863, 'wa detectable in': 961962, 'detectable in the': 239336, 'air for up': 39737, 'to three hour': 917546, 'three hour hear': 893954, 'hour hear that': 405670, 'hear that cdc': 387987, 'that cdc what': 843189, 'cdc what protects': 168635, 'what protects you': 982065, 'protects you for': 685848, 'you for hour': 1018645, 'for hour after': 322385, 'hour after infected': 405361, 'after infected shopper': 35823, 'infected shopper walk': 436636, 'shopper walk through': 761804, 'the supermarket mask': 868696, 'supermarket mask cdclied': 821468, 'mask cdclied masks4all': 518524, 'applestock': 82399, 'street analyst': 812887, 'lowering their': 506131, 'their expectation': 873201, 'for apple': 319465, 'apple aapl': 82301, 'aapl sale': 24132, '2020 given': 14335, 'given disruption': 350983, 'disruption from': 246475, 'pandemic applestock': 634932, 'applestock pandemic': 82400, 'wall street analyst': 965178, 'street analyst are': 812888, 'analyst are lowering': 57105, 'are lowering their': 87947, 'lowering their expectation': 506132, 'their expectation for': 873202, 'expectation for apple': 290817, 'for apple aapl': 319466, 'apple aapl sale': 82302, 'aapl sale in': 24133, 'of 2020 given': 579492, '2020 given disruption': 14336, 'given disruption from': 350984, 'disruption from the': 246477, 'coronavirus pandemic applestock': 206435, 'pandemic applestock pandemic': 634933, '1alvxcdray': 12577, 'post forcing': 666137, 'worse http': 1010946, 'co 1alvxcdray': 184797, 'lost time due': 503937, 'washington post forcing': 967790, 'post forcing 50': 666138, 'compete for life': 191589, 'saving equipment and': 737864, 'matter worse http': 520671, 'worse http co': 1010947, 'http co 1alvxcdray': 409752, 'week 46': 975805, '00 chain': 128, 'over via': 630882, 'breaking in one': 138966, 'one week 46': 607406, 'week 46 00': 975806, '46 00 chain': 19215, '00 chain store': 129, 'chain store close': 171132, 'store close in': 807051, 'in the over': 429428, 'the over via': 862765, 'hey cincinnati': 394348, 'cincinnati need': 178524, 'errand here': 280193, 'hour across': 405355, 'hey cincinnati need': 394349, 'cincinnati need to': 178525, 'need to run': 556054, 'run errand here': 727623, 'errand here are': 280194, 'store hour across': 808186, 'hour across the': 405356, 'the region due': 865426, 'coronavirus the latest': 206911, 'the brickandmortar': 849990, 'of the brickandmortar': 590832, 'the brickandmortar retail': 849991, 'from maryland': 336371, 'maryland dy': 518201, 'store worker from': 811512, 'worker from maryland': 1006994, 'from maryland dy': 336372, 'maryland dy from': 518203, 'are physical': 89077, 'physical barrier': 655380, 'between your': 128965, 'cart or': 165346, 'the card': 850405, 'machine at': 507364, 'register but': 707547, 'themselves harbor': 876822, 'harbor germ': 377840, 'germ touro': 346169, 'professor on': 682582, 'can skip': 159634, 'glove are physical': 352595, 'are physical barrier': 89078, 'physical barrier between': 655381, 'barrier between your': 111356, 'between your hand': 128966, 'and the shopping': 73582, 'shopping cart or': 762309, 'cart or the': 165350, 'or the card': 617368, 'the card machine': 850408, 'card machine at': 163576, 'machine at the': 507365, 'the register but': 865440, 'register but they': 707548, 'but they themselves': 147521, 'they themselves harbor': 883553, 'themselves harbor germ': 876823, 'harbor germ touro': 377841, 'germ touro professor': 346170, 'touro professor on': 927053, 'professor on why': 682583, 'on why you': 605319, 'why you can': 991586, 'you can skip': 1017787, 'can skip the': 159636, 'skip the glove': 773144, 'meticulous': 529813, 'thumb': 895296, 'controled': 202221, 'street wa': 813162, 'wa few': 962116, 'people restaurant': 649294, 'philippine government': 654732, 'also cooperating': 48070, 'cooperating supermarket': 203147, 'supermarket divided': 819974, 'into group': 442606, 'of department': 582532, 'is meticulous': 449642, 'meticulous thumb': 529814, 'thumb up': 895299, 'me optimistic': 523276, 'optimistic that': 613936, '19 controled': 6032, 'the street wa': 868255, 'street wa few': 813163, 'wa few people': 962118, 'few people restaurant': 303990, 'people restaurant closed': 649295, 'restaurant closed the': 716377, 'closed the philippine': 183369, 'the philippine government': 863672, 'philippine government measure': 654733, 'government measure are': 360354, 'measure are strong': 525127, 'are strong the': 90576, 'strong the people': 814134, 'the people also': 863451, 'people also cooperating': 646821, 'also cooperating supermarket': 48071, 'cooperating supermarket divided': 203148, 'supermarket divided into': 819975, 'divided into group': 248599, 'into group the': 442607, 'group the management': 366917, 'management of department': 512601, 'of department is': 582533, 'department is meticulous': 237217, 'is meticulous thumb': 449643, 'meticulous thumb up': 529815, 'thumb up for': 895300, 'for the this': 326729, 'the this make': 869488, 'make me optimistic': 510137, 'me optimistic that': 523277, 'optimistic that covid': 613937, 'covid 19 controled': 212858, 'monumental': 538250, 't1d': 831421, 'cadillac': 155072, 'relieffordiabetics': 709509, 'lillysaveslives': 492235, 'monumental t1d': 538251, 't1d with': 831426, 'with cadillac': 997508, 'cadillac insurance': 155073, 'insurance pay': 440788, 'pay 2x': 644703, '2x what': 16909, 'what lilly': 981821, 'lilly is': 492231, 'is lowering': 449484, 'lowering insulin': 506111, 'if did': 414036, 'insurance my': 440776, 'my insulin': 548865, 'insulin alone': 440622, 'alone would': 46953, '100 mo': 1957, 'mo ty': 534876, 'ty relieffordiabetics': 937485, 'relieffordiabetics lillysaveslives': 709510, 'monumental t1d with': 538252, 't1d with cadillac': 831427, 'with cadillac insurance': 997509, 'cadillac insurance pay': 155074, 'insurance pay 2x': 440789, 'pay 2x what': 644704, '2x what lilly': 16910, 'what lilly is': 981822, 'lilly is lowering': 492232, 'is lowering insulin': 449486, 'lowering insulin price': 506112, 'insulin price to': 440633, 'price to if': 677002, 'to if did': 908100, 'if did not': 414038, 'not have insurance': 569843, 'have insurance my': 381103, 'insurance my insulin': 440777, 'my insulin alone': 548866, 'insulin alone would': 440623, 'alone would cost': 46954, 'would cost 100': 1011737, 'cost 100 mo': 207816, '100 mo ty': 1958, 'mo ty relieffordiabetics': 534877, 'ty relieffordiabetics lillysaveslives': 937486, 'england 2020': 276996, '2020 19uk': 14100, 'england 2020 19uk': 276997, 'for despite': 320671, 'despite uncertainty': 238917, 'economist say are': 267580, 'say are prepared': 738438, 'are prepared for': 89194, 'prepared for despite': 670194, 'for despite uncertainty': 320672, 'despite uncertainty read': 238918, 'hosp': 404248, '19 person': 9659, 'ward demand': 966636, 'demand non': 235922, 'food hosp': 314849, 'hosp denies': 404249, 'covid 19 person': 213573, '19 person in': 9661, 'person in isolation': 652483, 'isolation ward demand': 455492, 'ward demand non': 966637, 'demand non veg': 235923, 'veg food hosp': 953744, 'food hosp denies': 314850, 'service exempt': 752352, 'from mumbai': 336492, 'lockdown include': 499519, 'include food': 431560, 'milk supply': 531842, 'supply banking': 824833, 'exchange and': 289440, 'service exempt from': 752353, 'exempt from mumbai': 289972, 'from mumbai lockdown': 336493, 'mumbai lockdown include': 546011, 'lockdown include food': 499520, 'include food and': 431561, 'food and milk': 313284, 'and milk supply': 67019, 'milk supply banking': 531843, 'supply banking stock': 824834, 'banking stock exchange': 110463, 'stock exchange and': 802104, 'exchange and home': 289441, 'towel on': 927355, 'why there shortage': 991444, 'shortage of paper': 765126, 'paper towel on': 641003, 'towel on the': 927356, 'also fabric': 48184, 'fabric shopping': 294235, 'filter also fabric': 305751, 'also fabric shopping': 48185, 'fabric shopping bag': 294236, 'online to tell': 609599, 'tell you all': 837145, 'you all about': 1016863, 'about the best': 26342, 'use when making': 949803, 'making your own': 511507, 'own mask via': 632097, 'mediavataarindia': 525981, 'attitude medium': 102570, 'medium habit': 527127, 'expectation during': 290811, 'pandemic mediavataarindia': 635955, 'consumer attitude medium': 196345, 'attitude medium habit': 102571, 'medium habit and': 527128, 'habit and expectation': 372553, 'and expectation during': 62487, 'expectation during the': 290812, '19 pandemic mediavataarindia': 9392, 'sale face': 732201, '3ply and': 18387, 'and n95': 67406, 'n95 rapid': 551223, 'rapid covid': 696904, 'for street': 325942, 'street disinfectant': 812949, 'surface please': 828066, 'please all': 659641, 'all interested': 43237, 'interested buyer': 441442, 'or agent': 614278, 'agent contact': 38160, 'procedure thanks': 679821, 'on sale face': 603264, 'sale face mask': 732202, 'face mask 3ply': 294511, 'mask 3ply and': 518270, '3ply and n95': 18388, 'and n95 rapid': 67408, 'n95 rapid covid': 551224, 'rapid covid 19': 696905, 'test kit sanitizer': 839068, 'kit sanitizer for': 475627, 'sanitizer for street': 734923, 'for street disinfectant': 325943, 'street disinfectant for': 812950, 'for surface please': 326082, 'surface please all': 828067, 'please all interested': 659643, 'all interested buyer': 43238, 'interested buyer or': 441443, 'buyer or agent': 149707, 'or agent contact': 614279, 'agent contact me': 38161, 'price and shipping': 672535, 'and shipping procedure': 71477, 'shipping procedure thanks': 758901, 'enough from': 277446, 'retail but': 717913, '2m social': 16714, 'rule it': 727284, 'an instruction': 56378, 'instruction not': 440565, 'not suggestion': 571802, 'suggestion also': 817623, 'also couple': 48074, 'couple shopping': 211671, 'one basket': 605982, 'basket if': 112354, 'shop protectthenhs': 760689, 'protectthenhs socialdistancing': 685853, 'can stress this': 159839, 'this enough from': 887388, 'enough from working': 277447, 'from working in': 338427, 'in retail but': 427449, 'retail but customer': 717914, 'but customer need': 145496, 'customer need to': 222618, 'the 2m social': 848070, '2m social distancing': 16715, 'distancing rule it': 247444, 'rule it an': 727285, 'it an instruction': 456475, 'an instruction not': 56379, 'instruction not suggestion': 440566, 'not suggestion also': 571803, 'suggestion also couple': 817624, 'also couple shopping': 48075, 'couple shopping with': 211672, 'shopping with one': 764441, 'with one basket': 999879, 'one basket if': 605983, 'basket if you': 112355, 'can only of': 159132, 'only of you': 610841, 'to shop protectthenhs': 914483, 'shop protectthenhs socialdistancing': 760690, 'nopurellanywhere': 566927, 'thisadvicewasdumb': 891626, 'shopping their': 764098, 'their tip': 874995, 'tip hand': 898812, 'wipe who': 996426, 'ha these': 372251, 'these right': 880609, 'week nopurellanywhere': 976576, 'nopurellanywhere thisadvicewasdumb': 566928, 'the good advice': 856426, 'good advice on': 356694, 'safe while grocery': 730140, 'grocery shopping their': 365091, 'shopping their tip': 764100, 'their tip hand': 874997, 'tip hand sanitizer': 898813, 'sanitizer and wipe': 734462, 'and wipe who': 75744, 'wipe who ha': 996427, 'who ha these': 988869, 'ha these right': 372253, 'these right now': 880610, 'now ve been': 576293, 'looking for week': 502915, 'for week nopurellanywhere': 327733, 'week nopurellanywhere thisadvicewasdumb': 976577, 'my once': 549568, 'is reopened': 451426, 'reopened we': 711381, 'ourselves again': 625451, 'stay oh my': 797141, 'oh my once': 596420, 'my once the': 549569, 'once the covid': 605721, 'lockdown is reopened': 499554, 'is reopened we': 451427, 'reopened we can': 711382, 'can start killing': 159728, 'start killing the': 794360, 'killing the earth': 474714, 'the earth and': 853827, 'and ourselves again': 68530, 'ourselves again with': 625452, 'again with pollution': 37279, 'breaking speaking': 139048, 'his coronavirus': 397316, 'force announcing': 328329, 'announcing department': 77309, 'justice shut': 470434, 'one website': 607402, 'offering fake': 595095, 'breaking speaking with': 139049, 'speaking with his': 787781, 'with his coronavirus': 998832, 'his coronavirus task': 397318, 'task force announcing': 834678, 'force announcing department': 328330, 'announcing department of': 77310, 'department of justice': 237243, 'of justice shut': 585581, 'justice shut down': 470435, 'shut down at': 767803, 'down at least': 256537, 'least one website': 484589, 'one website offering': 607403, 'website offering fake': 975371, 'offering fake vaccine': 595098, 'fake vaccine for': 296733, 'latics': 481635, 'clemt': 181601, 'outstanding this': 629701, 'from latics': 336198, 'latics allowing': 481636, 'their stadium': 874784, 'stadium facility': 792059, 'donating surplus': 254503, 'and fur': 63425, 'fur clemt': 341843, 'outstanding this from': 629702, 'this from latics': 887630, 'from latics allowing': 336199, 'latics allowing their': 481637, 'allowing their stadium': 46352, 'their stadium facility': 874785, 'stadium facility to': 792060, 'facility to be': 295387, 'used and donating': 949863, 'and donating surplus': 61661, 'donating surplus stock': 254504, 'surplus stock food': 828501, 'stock food to': 802152, 'food to nh': 317276, 'staff and fur': 792140, 'and fur clemt': 63426, 'tuskys': 936028, 'sendy': 750149, 'the tuskys': 870121, 'tuskys supermarket': 936031, 'ha partnered': 371471, 'local delivery': 497884, 'such uber': 816848, 'eats sendy': 266388, 'sendy and': 750150, 'and glovo': 63757, 'glovo to': 353072, 'deliver customer': 233109, 'the tuskys supermarket': 870122, 'tuskys supermarket ha': 936032, 'supermarket ha partnered': 820642, 'ha partnered with': 371472, 'partnered with local': 642922, 'with local delivery': 999278, 'local delivery company': 497885, 'company such uber': 191129, 'such uber eats': 816849, 'uber eats sendy': 937814, 'eats sendy and': 266389, 'sendy and glovo': 750151, 'and glovo to': 63758, 'glovo to deliver': 353073, 'to deliver customer': 904094, 'deliver customer order': 233110, 'customer order to': 222659, 'order to their': 618714, 'with paid': 1000061, 'paid job': 634039, 'are truck': 91205, 'pharmacist lawyer': 654155, 'lawyer politician': 482561, 'so basically the': 776601, 'only people with': 610951, 'people with paid': 650469, 'with paid job': 1000062, 'paid job right': 634043, 'now are truck': 574101, 'are truck driver': 91206, 'clerk pharmacist lawyer': 181750, 'pharmacist lawyer politician': 654156, 'lawyer politician and': 482562, 'politician and government': 663701, 'and government employee': 63879, 'government employee this': 360061, 'employee this suck': 274314, 'news shared': 560782, 'by regarding': 153753, 'regarding bonus': 707180, 'bonus payment': 134394, 'staff thousand': 792973, 'line serving': 493388, 'only fair': 610421, 'fair that': 296380, 'effort be': 269480, 'be recognized': 116730, 'delighted to see': 233051, 'the news shared': 861628, 'news shared by': 560783, 'shared by regarding': 755400, 'by regarding bonus': 153754, 'regarding bonus payment': 707181, 'bonus payment for': 134395, 'payment for tesco': 645623, 'for tesco staff': 326220, 'tesco staff thousand': 838809, 'staff thousand of': 792974, 'grocery worker across': 366160, 'country are on': 210475, 'front line serving': 338602, 'line serving our': 493389, 'serving our community': 753203, 'this outbreak it': 889323, 'is only fair': 450537, 'only fair that': 610422, 'fair that their': 296381, 'that their effort': 846878, 'their effort be': 873105, 'effort be recognized': 269481, '3m which': 18343, 'explain your': 292145, 'soap product in': 779091, 'midst of health': 530787, 'of health crisis': 584506, 'from 3m which': 334286, '3m which ha': 18344, 'not increased the': 570130, 'of mask hul': 586270, 'please explain your': 659984, 'explain your decision': 292146, 'your decision news': 1023476, 'regarding this': 707300, 'so during': 776929, 'pandemic still': 636553, 'working this': 1008960, 'issue now': 455852, 'few say': 304055, 'say already': 738407, 'feel slightly': 302849, 'slightly shortness': 773974, 'breath and': 139156, 'have very serious': 383503, 'very serious question': 955520, 'serious question regarding': 751464, 'question regarding this': 693709, 'regarding this covid': 707301, '19 work at': 12167, 'at supermarket cashier': 100707, 'supermarket cashier so': 819570, 'cashier so during': 166611, 'so during this': 776930, 'this pandemic still': 889427, 'pandemic still working': 636554, 'still working this': 801440, 'working this issue': 1008961, 'this issue now': 888509, 'issue now is': 455853, 'now is these': 575086, 'is these past': 453048, 'past few say': 643541, 'few say already': 304056, 'say already feel': 738408, 'already feel slightly': 47352, 'feel slightly shortness': 302850, 'slightly shortness of': 773975, 'of breath and': 580860, 'breath and start': 139158, 'and start from': 72241, 'start from yesterday': 794306, 'prison amp': 678703, 'amp detention': 53642, 'camp homeless': 157182, 'homeless undocumented': 402794, 'undocumented ppl': 941029, 'ppl disabled': 668210, 'people poor': 649151, 'in prison amp': 426999, 'prison amp detention': 678704, 'amp detention camp': 53643, 'detention camp homeless': 239369, 'camp homeless undocumented': 157183, 'homeless undocumented ppl': 402795, 'undocumented ppl disabled': 941030, 'ppl disabled people': 668211, 'disabled people poor': 243942, 'people poor people': 649152, 'poor people without': 664259, 'people without access': 650487, 'medicine at moment': 526732, '10 cut': 1376, 'cut each': 223313, 'from ore': 336720, 'ore level': 619122, 'level if': 487586, 'will pop': 994427, 'pop but': 664413, 'but imo': 146013, 'imo it': 417501, 'shale ha': 754497, 'been done': 121029, 'is irreversible': 448994, 'for 10 cut': 318610, '10 cut each': 1377, 'cut each from': 223314, 'each from ore': 264085, 'from ore level': 336721, 'ore level if': 619123, 'level if deal': 487587, 'price will pop': 677578, 'will pop but': 994428, 'pop but imo': 664414, 'but imo it': 146014, 'imo it doesn': 417502, 'to shale ha': 914327, 'shale ha already': 754498, 'ha already been': 369500, 'already been done': 47221, 'been done and': 121030, 'done and is': 254775, 'and is irreversible': 65409, 'one hopefully': 606429, 'help sanitizer': 390477, 'friend and loved': 333504, 'and loved one': 66431, 'loved one hopefully': 504913, 'one hopefully this': 606430, 'will help sanitizer': 993727, 'supermarket expert': 820251, 'the supermarket expert': 868583, 'supermarket expert say': 820252, 'expert say how': 291953, 'say how else': 738775, 'how else can': 407796, 'you get food': 1018771, 'serious guy': 751396, 'these joke': 880203, 'joke are': 467053, 'on another': 599391, 'level 19': 487484, 'this is serious': 888392, 'is serious guy': 451785, 'serious guy but': 751397, 'guy but these': 368941, 'but these joke': 147483, 'these joke are': 880204, 'joke are on': 467054, 'are on another': 88714, 'on another level': 599392, 'another level 19': 77696, 'affair celebrated': 34013, 'celebrated the': 168816, 'consumer day': 197068, 'day agenparl': 227192, 'iorestoacasa product': 444462, 'product sustainable': 681673, 'sustainable webinar': 829812, 'consumer affair celebrated': 196081, 'affair celebrated the': 34014, 'celebrated the world': 168818, 'the world consumer': 871844, 'world consumer day': 1009443, 'consumer day agenparl': 197069, 'day agenparl iorestoacasa': 227193, 'agenparl iorestoacasa product': 38142, 'iorestoacasa product sustainable': 444463, 'product sustainable webinar': 681674, 'icymi lowe': 412891, 'icymi lowe close': 412892, 'perfect health': 651301, 'shopping complaining': 762387, 'purchase get': 689467, 'get moving': 347615, 'moving go': 544153, 'seeing people in': 746407, 'people in perfect': 648416, 'in perfect health': 426612, 'perfect health and': 651302, 'health and able': 386126, 'go shopping complaining': 354110, 'shopping complaining about': 762388, 'able to benefit': 24453, 'benefit from delivery': 126983, 'from delivery slot': 335126, 'slot for their': 774190, 'online purchase get': 608823, 'purchase get moving': 689468, 'get moving go': 347616, 'moving go to': 544154, 'store and leave': 806279, 'slot for people': 774188, 'amazon raised': 51086, 'raised salary': 696035, 'set out': 753451, 'add about': 31384, 'about 800': 24749, 'global workforce': 352299, 'cope this': 203329, 'boom sparked': 134822, 'fear amazon': 301013, 'amazon raised salary': 51087, 'raised salary and': 696036, 'salary and set': 731945, 'and set out': 71330, 'set out to': 753453, 'out to recruit': 627675, 'more employee it': 539124, 'employee it is': 273995, 'to add about': 900049, 'add about 800': 31385, 'about 800 00': 24750, '800 00 to': 22652, '00 to it': 544, 'to it global': 908582, 'it global workforce': 458253, 'global workforce to': 352300, 'workforce to cope': 1008390, 'to cope this': 903510, 'cope this is': 203330, 'this is with': 888469, 'is with an': 454009, 'shopping boom sparked': 762237, 'boom sparked by': 134823, 'sparked by fear': 787573, 'by fear amazon': 152567, 'trampoline are': 929404, 'found for': 330210, 'for love': 323120, 'love nor': 504730, 'nor money': 566962, 'trampoline are the': 929405, 'sanitizer can be': 734626, 'be found for': 114937, 'found for love': 330211, 'for love nor': 323121, 'love nor money': 504731, 'sens': 750467, 'chilltheeffout': 176422, 'just maybe': 469235, 're coming': 698437, 'our sens': 624718, 'sens on': 750468, 'any still': 79849, 'still good': 800598, 'my single': 550096, 'roll package': 725461, 'before chilltheeffout': 122689, 'actually saw few': 30946, 'saw few roll': 738116, 'few roll of': 304047, 'store today thinking': 810873, 'today thinking that': 920332, 'thinking that maybe': 885999, 'that maybe just': 845095, 'maybe just maybe': 521733, 'just maybe we': 469236, 'maybe we re': 521873, 'we re coming': 972842, 're coming back': 698438, 'coming back to': 188006, 'to our sens': 911239, 'our sens on': 624719, 'sens on that': 750469, 'on that one': 603943, 'that one and': 845491, 'one and no': 605904, 'and no didn': 67608, 'no didn buy': 564007, 'buy any still': 148353, 'any still good': 79850, 'still good from': 800600, 'good from my': 357113, 'from my single': 336527, 'my single roll': 550097, 'single roll package': 771394, 'roll package from': 725462, 'package from before': 633280, 'from before chilltheeffout': 334661, 'strathalbyn': 812753, 'jeff book': 465005, 'book in': 134545, 'in strathalbyn': 428491, 'strathalbyn sa': 812754, 'sa is': 728898, 'free cookbook': 331725, 'cookbook to': 202805, 'inspire local': 439824, 'local with': 498709, 'district we': 248390, 'what bookseller': 981125, 'bookseller are': 134775, 'jeff book in': 465006, 'book in strathalbyn': 134546, 'in strathalbyn sa': 428492, 'strathalbyn sa is': 812755, 'sa is offering': 728900, 'offering free cookbook': 595115, 'free cookbook to': 331726, 'cookbook to inspire': 202806, 'to inspire local': 908413, 'inspire local with': 439825, 'local with access': 498710, 'access to limited': 28254, 'to limited supply': 909314, 'limited supply at': 492733, 'at the one': 101039, 'the one supermarket': 862225, 'one supermarket in': 607139, 'in the district': 429140, 'the district we': 853431, 'district we ve': 248391, 'updated our list': 947416, 'of what bookseller': 593047, 'what bookseller are': 981126, 'bookseller are doing': 134776, 'help their community': 390689, 'evaporation': 283771, 'vonderleyen': 960425, 'futureofeurope': 342546, 'last global': 480254, 'crisis didn': 217292, 'didn change': 241009, 'could itis': 209353, 'itis now': 463892, 'now inevitable': 575040, 'experience deep': 291342, 'deep global': 231892, 'recession breakdown': 704223, 'of labour': 585698, 'the evaporation': 854594, 'evaporation of': 283772, 'spending vonderleyen': 789042, 'vonderleyen futureofeurope': 960428, 'the last global': 859013, 'last global crisis': 480255, 'global crisis didn': 351837, 'crisis didn change': 217293, 'didn change the': 241010, 'world but this': 1009385, 'but this one': 147553, 'one could itis': 606116, 'could itis now': 209354, 'itis now inevitable': 463893, 'now inevitable that': 575041, 'inevitable that we': 436408, 'we will experience': 973861, 'will experience deep': 993374, 'experience deep global': 291343, 'deep global recession': 231893, 'global recession breakdown': 352154, 'recession breakdown of': 704224, 'breakdown of labour': 138849, 'of labour market': 585699, 'labour market and': 478520, 'and the evaporation': 73353, 'the evaporation of': 854595, 'evaporation of consumer': 283773, 'consumer spending vonderleyen': 199103, 'spending vonderleyen futureofeurope': 789043, 'natl': 552790, 'natl poll': 552791, 'health livelihood': 386615, 'livelihood slowing': 496211, 'natl poll via': 552792, 'worker health livelihood': 1007105, 'health livelihood slowing': 386616, 'livelihood slowing the': 496212, 'staged': 793226, '20 resident': 13300, 'of quezon': 588698, 'city who': 179457, 'were among': 979326, 'among group': 53011, 'that staged': 846452, 'staged protest': 793227, 'protest to': 685931, 'other aid': 619809, 'aid from': 39390, 'government were': 360792, 'wednesday story': 975688, 'some 20 resident': 782240, '20 resident of': 13301, 'resident of quezon': 714343, 'of quezon city': 588699, 'quezon city who': 694255, 'city who were': 179459, 'who were among': 989952, 'were among group': 979327, 'among group that': 53012, 'group that staged': 366913, 'that staged protest': 846453, 'staged protest to': 793228, 'protest to demand': 685932, 'demand food and': 235356, 'and other aid': 68281, 'other aid from': 619810, 'aid from the': 39391, 'the government were': 856625, 'government were arrested': 360793, 'were arrested on': 979342, 'arrested on wednesday': 93867, 'on wednesday story': 605181, 'advised people': 33637, 'travel so': 930511, 'britain train': 140460, 'thread to fight': 893610, 'government ha advised': 360138, 'ha advised people': 369458, 'advised people against': 33638, 'people against non': 646789, 'essential travel so': 281724, 'travel so britain': 930512, 'so britain train': 776648, 'britain train company': 140461, 'kisi': 475438, 'milne': 532463, 'jau': 464863, 'mujhe': 545594, 'kaha': 470641, 'milega': 531426, 'tkt': 899335, 'agar main': 37770, 'main delhi': 508738, 'delhi main': 232900, 'main kisi': 508767, 'kisi se': 475439, 'se station': 743065, 'station main': 796454, 'main milne': 508775, 'milne jau': 532464, 'jau toh': 464864, 'toh mujhe': 921108, 'mujhe kaha': 545595, 'kaha se': 470644, 'se milega': 743048, 'milega 50': 531427, '50 ka': 19735, 'ka tkt': 470568, 'agar main delhi': 37771, 'main delhi main': 508739, 'delhi main kisi': 232901, 'main kisi se': 508768, 'kisi se station': 475441, 'se station main': 743066, 'station main milne': 796455, 'main milne jau': 508776, 'milne jau toh': 532465, 'jau toh mujhe': 464865, 'toh mujhe kaha': 921109, 'mujhe kaha se': 545596, 'kaha se milega': 470645, 'se milega 50': 743049, 'milega 50 ka': 531428, '50 ka tkt': 19736, 'potts': 667267, 'nation restock': 552297, 'country food': 210658, 'bank chief': 109724, 'executive david': 289878, 'david potts': 226998, 'potts explains': 667268, 'why his': 991068, 'his supermarket': 397839, 'donating 10m': 254417, '10m to': 2357, 'outbreak latest': 628407, 'part in helping': 642298, 'helping the nation': 391498, 'the nation restock': 861259, 'nation restock the': 552298, 'restock the country': 716921, 'the country food': 852081, 'country food bank': 210659, 'food bank chief': 313537, 'bank chief executive': 109725, 'chief executive david': 175927, 'executive david potts': 289879, 'david potts explains': 226999, 'potts explains why': 667269, 'explains why his': 292260, 'why his supermarket': 991069, 'his supermarket is': 397840, 'is donating 10m': 447311, 'donating 10m to': 254418, '10m to food': 2358, 'bank during the': 109800, 'the outbreak latest': 862655, 'outbreak latest update': 628408, 'venting': 954653, 'flaring': 310016, 'cutmethane': 223686, 'volatility worse': 960102, 'worse find': 1010925, 'find we': 307378, 'more venting': 540896, 'venting flaring': 954654, 'flaring due': 310017, 'stop attacking': 804469, 'attacking cutmethane': 102194, 'cutmethane safeguard': 223687, 'the crisis make': 852406, 'crisis make the': 217693, 'current market volatility': 221255, 'market volatility worse': 517304, 'volatility worse find': 960103, 'worse find we': 1010926, 'find we could': 307379, 'could see even': 209633, 'see even more': 745084, 'even more venting': 284388, 'more venting flaring': 540897, 'venting flaring due': 954655, 'flaring due to': 310018, 'low price must': 505526, 'price must stop': 675297, 'must stop attacking': 546919, 'stop attacking cutmethane': 804470, 'attacking cutmethane safeguard': 102195, 'than mile': 840888, 'away additionally': 105768, 'additionally their': 31914, 'menu price': 528895, 'they seriously': 883323, 'seriously over': 751693, 'over charging': 630079, 'charging people': 173512, 'need thank': 555718, 'what right': 982107, 'charged me for': 173404, 'me for delivery': 522747, 'for delivery for': 320636, 'delivery for place': 234031, 'for place that': 324563, 'place that is': 657714, 'that is le': 844613, 'le than mile': 483180, 'than mile away': 840889, 'mile away additionally': 531372, 'away additionally their': 105769, 'additionally their menu': 31915, 'their menu price': 873951, 'menu price are': 528896, 'price are 3x': 672627, 'are 3x the': 84130, '3x the regular': 18498, 'regular price of': 707842, 'are they seriously': 91024, 'they seriously over': 883324, 'seriously over charging': 751694, 'over charging people': 630080, 'charging people in': 173513, 'of need thank': 586917, 'need thank you': 555719, 'for doing what': 320807, 'doing what right': 252848, 'hinting': 396934, 'indextrading': 434263, 'tradingemas': 928961, 'tradingforliving': 928964, 'tradingsignal': 928967, 'traderlife': 928814, 'tradingblog': 928958, 'dontlooseyourshirt': 255363, 'are hinting': 87175, 'hinting to': 396935, 'price indextrading': 674816, 'indextrading trader': 434264, 'trader tradingemas': 928785, 'tradingemas tradingforliving': 928962, 'tradingforliving tradingsignal': 928965, 'tradingsignal traderlife': 928968, 'traderlife tradingblog': 928815, 'tradingblog dowjones': 928959, 'dowjones stockmarket': 256359, 'stockmarket personalfinance': 803666, 'personalfinance finance': 652999, 'finance dontlooseyourshirt': 306186, 'what the chart': 982301, 'the chart and': 850713, 'chart and number': 173817, 'and number are': 67879, 'number are hinting': 576832, 'are hinting to': 87176, 'hinting to for': 396936, 'to for future': 906137, 'for future price': 321827, 'future price indextrading': 342429, 'price indextrading trader': 674817, 'indextrading trader tradingemas': 434265, 'trader tradingemas tradingforliving': 928786, 'tradingemas tradingforliving tradingsignal': 928963, 'tradingforliving tradingsignal traderlife': 928966, 'tradingsignal traderlife tradingblog': 928969, 'traderlife tradingblog dowjones': 928816, 'tradingblog dowjones stockmarket': 928960, 'dowjones stockmarket personalfinance': 256360, 'stockmarket personalfinance finance': 803667, 'personalfinance finance dontlooseyourshirt': 653000, 'lifetime chance': 489394, 'to reshape': 913346, 'reshape basic': 714181, 'behavior behaviorchange': 123931, '19 is once': 8017, 'in lifetime chance': 424719, 'lifetime chance to': 489395, 'chance to reshape': 171815, 'to reshape basic': 913347, 'reshape basic consumer': 714182, 'basic consumer behavior': 111856, 'consumer behavior behaviorchange': 196447, 'janta': 464590, 'key highlight': 473308, 'of pm': 588185, 'modi addressing': 535442, 'addressing resolve': 32100, 'resolve restraint': 714638, 'restraint covid': 717087, 'economic task': 267335, 'force janta': 328418, 'janta curfew': 464591, 'march no': 515417, 'medicine do': 526763, 'do normal': 249647, 'normal buying': 567108, 'buying avoid': 149977, 'avoid public': 105244, 'gathering indiafightscorona': 344469, 'key highlight of': 473309, 'highlight of pm': 395939, 'of pm modi': 588186, 'pm modi addressing': 661940, 'modi addressing resolve': 535443, 'addressing resolve restraint': 32101, 'resolve restraint covid': 714639, 'restraint covid 19': 717088, '19 economic task': 6706, 'economic task force': 267336, 'task force janta': 834689, 'force janta curfew': 328419, 'janta curfew on': 464592, 'curfew on 22nd': 220907, '22nd march no': 15346, 'march no scarcity': 515418, 'scarcity of basic': 740841, 'basic food medicine': 111891, 'food medicine do': 315441, 'medicine do normal': 526764, 'do normal buying': 249648, 'normal buying not': 567109, 'buying not panic': 150773, 'panic buying avoid': 637650, 'buying avoid public': 149978, 'avoid public gathering': 105245, 'public gathering indiafightscorona': 688030, 'mundane': 546066, 'wracking': 1012650, 'foxnews the': 330815, 'upended many': 947498, 'many aspect': 513798, 'life including': 488776, 'including trip': 432228, 'wa previously': 962996, 'previously mundane': 672047, 'mundane task': 546067, 'task ha': 834713, 'into nerve': 442800, 'nerve wracking': 557441, 'wracking ordeal': 1012652, 'ordeal that': 617971, 'pandemic via foxnews': 636898, 'via foxnews the': 955994, 'foxnews the coronavirus': 330816, 'pandemic ha upended': 635576, 'ha upended many': 372412, 'upended many aspect': 947499, 'many aspect of': 513800, 'aspect of daily': 96216, 'of daily life': 582316, 'daily life including': 224664, 'life including trip': 488777, 'including trip to': 432229, 'store what wa': 811232, 'what wa previously': 982521, 'wa previously mundane': 962997, 'previously mundane task': 672048, 'mundane task ha': 546068, 'task ha turned': 834714, 'turned into nerve': 935848, 'into nerve wracking': 442801, 'nerve wracking ordeal': 557443, 'wracking ordeal that': 1012653, 'nikkei': 563240, 'marketcrash crudeoil': 517417, 'crudeoil dowjones': 219635, 'dowjones nikkei': 256349, 'nikkei tweeting': 563241, 'tweeting after': 936471, 'after gap': 35695, 'gap look': 343452, 'where crude': 984805, 'have landed': 381239, 'landed this': 479319, 'not reflected': 571277, 'fall should': 297054, 'passed on': 643283, 'the prospective': 864702, 'prospective consumer': 684705, 'marketcrash crudeoil dowjones': 517418, 'crudeoil dowjones nikkei': 219636, 'dowjones nikkei tweeting': 256350, 'nikkei tweeting after': 563242, 'tweeting after gap': 936472, 'after gap look': 35696, 'gap look where': 343453, 'look where crude': 502677, 'where crude price': 984806, 'price have landed': 674436, 'have landed this': 381241, 'landed this is': 479320, 'this is still': 888412, 'still not reflected': 800902, 'not reflected in': 571278, 'reflected in retail': 706641, 'in retail price': 427465, 'retail price in': 718411, 'in india this': 424059, 'india this drastic': 434649, 'this drastic fall': 887294, 'drastic fall should': 258402, 'fall should be': 297055, 'should be passed': 765689, 'be passed on': 116365, 'passed on to': 643287, 'on to the': 604768, 'to the prospective': 916987, 'the prospective consumer': 864703, 'prospective consumer to': 684706, 'consumer to cushion': 199316, 'cushion the misery': 221920, 'misery of the': 534016, 'the market around': 860089, 'is mad': 449501, 'either over': 270353, 'top lovely': 925607, 'lovely or': 504969, 'or throwing': 617456, 'throwing tantrum': 895109, 'tantrum because': 834283, '19 is mad': 8004, 'is mad because': 449502, 'mad because everyone': 507529, 'everyone is either': 287074, 'is either over': 447458, 'either over the': 270354, 'the top lovely': 869784, 'top lovely or': 925608, 'lovely or throwing': 504970, 'or throwing tantrum': 617457, 'throwing tantrum because': 895110, 'tantrum because they': 834284, 'they cannot buy': 881702, 'cannot buy bottle': 161690, 'these chemist': 879752, 'chemist can': 175413, 'can inflate': 158745, 'ridiculous stayhomesavelives': 721607, '27 00 for': 16251, '00 for item': 210, 'for item do': 322753, 'know how these': 476461, 'how these chemist': 408906, 'these chemist can': 879753, 'chemist can inflate': 175414, 'can inflate the': 158746, 'these item it': 880198, 'item it ridiculous': 463401, 'it ridiculous stayhomesavelives': 460772, 'pandemic farmer': 635423, 'farmworkers still': 299708, 'still head': 800680, 'field rain': 304512, 'rain or': 695750, 'or shine': 617046, 'shine hour': 758606, 'on end': 600557, 'end making': 275864, 'restock our': 716887, 'the pandemic farmer': 862965, 'pandemic farmer amp': 635424, 'farmer amp farmworkers': 299247, 'amp farmworkers still': 53780, 'farmworkers still head': 299709, 'still head out': 800681, 'to the field': 916709, 'the field rain': 855151, 'field rain or': 304513, 'rain or shine': 695751, 'or shine hour': 617047, 'shine hour on': 758607, 'hour on end': 405817, 'on end making': 600558, 'end making sure': 275865, 'sure we can': 827805, 'we can restock': 970999, 'can restock our': 159470, 'restock our supermarket': 716889, 'supermarket shelf amp': 822425, 'shelf amp put': 756713, '27 recovered': 16305, 'recovered south': 705245, 'africa 116': 35041, '49 death': 19383, 'death senegal': 230188, '29 recovery': 16495, 'recovery tunisia': 705410, '27 death': 16274, 'death cameroon': 229995, 'nigeria recovered': 562791, 'recovered thread': 705251, 'dead 27 recovered': 229126, '27 recovered south': 16306, 'recovered south africa': 705246, 'south africa 116': 786646, 'africa 116 algeria': 35042, 'morocco 49 death': 541569, '49 death senegal': 19384, 'death senegal 29': 230189, 'senegal 29 recovery': 750158, '29 recovery tunisia': 16496, 'recovery tunisia 29': 705411, 'faso 27 death': 299897, '27 death cameroon': 16275, 'death cameroon 10': 229996, '10 nigeria recovered': 1564, 'nigeria recovered thread': 562792, 'so 75': 776453, 'busy store': 144969, 'or continue': 614811, 'continue self': 201123, 'decide not': 230837, 'go should': 354140, 'job over': 466075, 'so 75 year': 776454, 'year old work': 1014881, 'old work part': 598554, 'part time in': 642450, 'time in busy': 896982, 'in busy store': 421090, 'busy store should': 144970, 'store should they': 810172, 'should they still': 766587, 'work or continue': 1005560, 'or continue self': 614812, 'continue self isolating': 201124, 'isolating and if': 455055, 'if they decide': 415104, 'they decide not': 881871, 'decide not to': 230838, 'to go should': 906854, 'go should they': 354141, 'should they lose': 766584, 'their job over': 873731, 'job over it': 466076, 'carnival': 164801, 'barker': 111111, 'of damning': 582339, 'damning story': 225484, 'about handling': 25344, 'florida response': 310976, 'response our': 715775, 'is carnival': 446389, 'carnival barker': 164802, 'barker hawking': 111112, 'hawking ineffective': 384480, 'ineffective remedy': 436294, 'remedy that': 710146, 'increase illness': 432812, 'death fl': 230038, 'fl is': 309909, 'being harmed': 125219, 'add this to': 31509, 'list of damning': 494423, 'of damning story': 582340, 'damning story about': 225485, 'story about handling': 811889, 'about handling of': 25345, 'handling of florida': 376365, 'of florida response': 583592, 'florida response our': 310977, 'response our governor': 715776, 'our governor is': 623281, 'governor is carnival': 360922, 'is carnival barker': 446390, 'carnival barker hawking': 164803, 'barker hawking ineffective': 111113, 'hawking ineffective remedy': 384481, 'ineffective remedy that': 436295, 'remedy that will': 710147, 'that will increase': 847585, 'will increase illness': 993813, 'increase illness and': 432813, 'illness and death': 416343, 'and death fl': 60985, 'death fl is': 230039, 'fl is being': 309910, 'is being harmed': 446088, 'being harmed by': 125220, 'harmed by this': 378434, 'by this guy': 154529, 'srz': 791626, 'srz alert': 791627, 'alert privacy': 41491, 'privacy update': 678841, 'private fund': 678911, 'manager attorney': 512690, 'issue further': 455764, 'further revision': 342152, 'revision to': 720662, 'act regulation': 29755, 'regulation business': 708059, 'business call': 143483, 'for enforcement': 321059, 'enforcement delay': 276754, 'srz alert privacy': 791628, 'alert privacy update': 41492, 'privacy update for': 678842, 'update for private': 946961, 'for private fund': 324750, 'private fund manager': 678912, 'fund manager attorney': 341454, 'manager attorney general': 512691, 'general issue further': 345381, 'issue further revision': 455765, 'further revision to': 342153, 'revision to the': 720663, 'to the california': 916540, 'privacy act regulation': 678793, 'act regulation business': 29756, 'regulation business call': 708060, 'business call for': 143484, 'call for enforcement': 155866, 'for enforcement delay': 321060, 'enforcement delay due': 276755, 'around find': 93283, 'everybody justkidding': 286453, 'justkidding seriously': 470499, 'll drive around': 496721, 'drive around find': 258989, 'around find grocery': 93284, 'sneeze on everybody': 776260, 'on everybody justkidding': 600627, 'everybody justkidding seriously': 286454, 'justkidding seriously feel': 470500, 'lockdown our': 499751, 'mind matter': 532690, 'lockdown our mind': 499752, 'our mind matter': 623919, 'mind matter the': 532691, 'matter the most': 520632, 'impact border': 417580, 'production canada': 681955, 'canada march': 160489, '00 by': 96, 'meet demand amid': 527456, 'expressing concern about': 293082, 'the impact border': 857931, 'impact border restriction': 417581, 'food production canada': 316040, 'production canada march': 681956, 'canada march 18': 160490, 'at 00 by': 97349, '00 by laura': 97, 'gas plummet': 343919, 'around 65': 93158, '65 cent': 21343, 'gas plummet to': 343920, 'plummet to around': 661311, 'to around 65': 900715, 'around 65 cent': 93159, '65 cent per': 21344, 'per litre price': 650927, 'litre price continue': 495178, 'arabia and lower': 83856, 'feel ok': 302797, 'ok have': 597817, 'since found': 770604, 'pragmatic will': 668824, 'you updated': 1021990, 'doing no': 252552, '19 feel ok': 6973, 'feel ok have': 302798, 'ok have no': 597818, 'no symptom so': 565663, 'symptom so far': 830926, 'far but have': 298733, 'isolated since found': 455026, 'since found out': 770605, 'found out about': 330319, 'out about my': 625557, 'about my possible': 25770, 'home people and': 401830, 'people and be': 646847, 'be pragmatic will': 116503, 'pragmatic will keep': 668825, 'keep you updated': 472250, 'you updated on': 1021992, 'updated on how': 947406, 'how doing no': 407756, 'doing no panic': 252553, 'beerstogo': 122556, 'artbarsc': 94202, 'hat hat': 378847, 'sold pandemic': 781761, 'pandemic beerstogo': 634991, 'beerstogo artbarsc': 122557, 'hat hat hat': 378849, 'hat hat and': 378848, 'hat and selling': 378843, 'and selling beer': 71232, 'all sold pandemic': 44387, 'sold pandemic beerstogo': 781762, 'pandemic beerstogo artbarsc': 634992, 'murica': 546193, 'ra doc': 695117, 'doc put': 250749, 'hydroxychloroquine year': 412018, 'ago bet': 38349, 'bet price': 128096, 'because murica': 119253, 'murica especially': 546194, 'my ra doc': 549884, 'ra doc put': 695118, 'doc put me': 250750, 'me on hydroxychloroquine': 523260, 'on hydroxychloroquine year': 601458, 'hydroxychloroquine year ago': 412019, 'year ago bet': 1014350, 'ago bet price': 38350, 'bet price spike': 128097, 'price spike because': 676574, 'spike because murica': 789265, 'because murica especially': 119254, 'murica especially if': 546195, 'especially if it': 280508, 'it work on': 462505, 'inflight': 437289, 'hope in': 403505, 'new role': 559510, 'role advisor': 725063, 'advisor at': 33721, 'will review': 994696, 'review their': 720595, 'their inflight': 873658, 'inflight menu': 437290, 'menu food': 528874, 'product offer': 681459, 'on war': 605102, 'war footing': 966433, 'footing just': 318557, 'go air': 353260, 'air flight': 39727, 'flight anywhere': 310428, 'change of topic': 172199, 'of topic from': 592317, 'topic from covid': 925786, '19 truly hope': 11587, 'truly hope in': 933314, 'hope in your': 403507, 'in your new': 431110, 'your new role': 1024993, 'new role advisor': 559511, 'role advisor at': 725064, 'advisor at you': 33722, 'at you will': 101664, 'you will review': 1022351, 'will review their': 994697, 'review their inflight': 720597, 'their inflight menu': 873659, 'inflight menu food': 437291, 'menu food product': 528875, 'food product offer': 316028, 'product offer and': 681460, 'offer and supply': 594524, 'and supply demand': 72782, 'supply demand on': 825156, 'demand on war': 235977, 'on war footing': 605104, 'war footing just': 966436, 'footing just need': 318558, 'to take one': 916214, 'take one go': 832417, 'one go air': 606349, 'go air flight': 353261, 'air flight anywhere': 39728, 'flight anywhere to': 310429, 'anywhere to experience': 81159, 'to experience it': 905458, 'experience it first': 291408, 'it first hand': 458027, 'hirings': 397152, 'actually going': 30813, 'doing immediate': 252463, 'immediate in': 416998, 'person hirings': 652460, 'hirings they': 397155, 'more given': 539341, 'risk all': 723358, 'all interview': 43241, 'interview are': 442206, 'are frozen': 86703, 'frozen laid': 338990, 'worker no': 1007445, 'actually going to': 30815, 'be working at': 118138, 'are doing immediate': 85906, 'doing immediate in': 252464, 'immediate in person': 416999, 'in person hirings': 426628, 'person hirings they': 652462, 'hirings they should': 397156, 'should be paying': 765690, 'be paying more': 116382, 'paying more given': 645446, 'more given the': 539342, 'given the risk': 351152, 'the risk all': 865871, 'risk all interview': 723359, 'all interview are': 43242, 'interview are frozen': 442207, 'are frozen laid': 86704, 'frozen laid off': 338991, 'off worker no': 594423, 'worker no idea': 1007446, 'idea how people': 413077, 'at delaware': 98417, 'delaware co': 232647, 'co pennsylvania': 184946, 'today checkout': 919370, 'line were': 493555, 'were flowing': 979640, 'flowing into': 311357, 'aisle every': 40243, 'other register': 620820, 'register closed': 707551, 'closed part': 183283, 'at delaware co': 98418, 'delaware co pennsylvania': 232648, 'co pennsylvania grocery': 184947, 'store earlier today': 807424, 'earlier today checkout': 264500, 'today checkout line': 919371, 'checkout line were': 174951, 'line were flowing': 493557, 'were flowing into': 979641, 'flowing into the': 311358, 'into the aisle': 443097, 'the aisle every': 848520, 'aisle every other': 40244, 'every other register': 286072, 'other register closed': 620821, 'register closed part': 707552, 'closed part of': 183284, 'of socialdistancing effort': 589850, 'socialdistancing effort for': 780347, 'effort for customer': 269513, 'for customer employee': 320507, 'kingsoopers': 475362, 'fredmeyer': 331604, 'kroger associate': 477722, 'associate have': 96877, 'colorado at': 186780, 'at kingsoopers': 99386, 'kingsoopers and': 475363, 'and fredmeyer': 63267, 'fredmeyer in': 331605, 'washington grocerystores': 967777, 'two kroger associate': 936996, 'kroger associate have': 477723, 'associate have been': 96878, 'diagnosed with one': 240241, 'with one in': 999885, 'one in colorado': 606467, 'in colorado at': 421562, 'colorado at kingsoopers': 186781, 'at kingsoopers and': 99387, 'kingsoopers and fredmeyer': 475364, 'and fredmeyer in': 63268, 'fredmeyer in washington': 331606, 'in washington grocerystores': 430710, 'common mistake': 189416, 'mistake people': 534474, 'make wearing': 510708, 'expert reveals the': 291935, 'reveals the common': 720350, 'the common mistake': 851254, 'common mistake people': 189417, 'mistake people make': 534475, 'people make wearing': 648728, 'make wearing mask': 510709, 'those effected': 891948, 'out be': 625764, 'scammer that': 740626, 'money below': 536637, 'helpful list': 391207, 'agency will': 38107, 'resource for those': 714791, 'for those effected': 327109, 'those effected by': 891949, 'continue to roll': 201247, 'to roll out': 913629, 'roll out be': 725448, 'out be mindful': 625765, 'mindful of scammer': 532819, 'of scammer that': 589375, 'scammer that are': 740627, 'that are looking': 842773, 'looking to use': 503053, 'opportunity to steal': 613728, 'your information or': 1024484, 'information or money': 437938, 'or money below': 616153, 'money below is': 536638, 'below is helpful': 126678, 'is helpful list': 448390, 'helpful list of': 391209, 'thing that government': 884806, 'that government agency': 844057, 'government agency will': 359848, 'agency will not': 38108, 'not ask for': 568255, 'relate mine': 708363, 'our great': 623300, 'great friend': 362694, 'and partner': 68732, 'strict covid': 813618, 'shopping too': 764232, 'put your hand': 690991, 'your hand up': 1024236, 'you can relate': 1017766, 'can relate mine': 159423, 'relate mine is': 708364, 'mine is up': 532907, 'is up our': 453580, 'up our great': 945701, 'our great friend': 623301, 'great friend and': 362695, 'friend and partner': 333507, 'and partner in': 68734, 'partner in are': 642834, 'in are following': 420480, 'following the strict': 312910, 'the strict covid': 868280, 'strict covid 19': 813619, '19 guideline of': 7317, 'guideline of course': 368450, 'of course but': 582047, 'course but remember': 211849, 'but remember that': 146928, 'that they offer': 846940, 'they offer online': 882810, 'online shopping too': 609315, 'power survey': 667693, 'sentiment stress': 751001, 'stress the': 813408, 'from travel': 338137, 'travel brand': 930297, 'hotel travel': 405211, 'power survey of': 667694, 'consumer sentiment stress': 198927, 'sentiment stress the': 751002, 'stress the need': 813409, 'need for empathy': 554836, 'consistency from travel': 195474, 'from travel brand': 338139, 'travel brand during': 930299, 'during hotel travel': 262699, 'wearing bandana': 974592, 'bandana make': 109372, 'nose run': 567921, 'run which': 727863, 'out that wearing': 627337, 'that wearing bandana': 847416, 'wearing bandana make': 974593, 'bandana make my': 109373, 'make my nose': 510225, 'my nose run': 549523, 'nose run which': 567922, 'run which make': 727864, 'which make people': 986129, 'make people in': 510318, 'store think ve': 810691, 'new protection': 559369, 'protection oag': 685535, 'oag will': 578250, 'will enforce': 993315, 'enforce newly': 276675, 'newly passed': 560114, 'emergency consumer': 272637, 'protection re': 685583, 're debt': 698506, 'and funeral': 63421, 'funeral service': 341667, 'our enhanced': 622914, 'enhanced civil': 277089, 'right enforcement': 721884, 'enforcement authority': 276745, 'from discrimination': 335152, 'new protection oag': 559370, 'protection oag will': 685536, 'oag will enforce': 578251, 'will enforce newly': 993316, 'enforce newly passed': 276676, 'newly passed emergency': 560115, 'passed emergency consumer': 643265, 'emergency consumer protection': 272639, 'consumer protection re': 198554, 'protection re debt': 685585, 're debt collection': 698507, 'debt collection and': 230439, 'collection and funeral': 186399, 'and funeral service': 63422, 'funeral service and': 341668, 'service and use': 752114, 'use our enhanced': 949460, 'our enhanced civil': 622915, 'enhanced civil right': 277090, 'civil right enforcement': 179535, 'right enforcement authority': 721885, 'enforcement authority to': 276746, 'authority to protect': 103804, 'protect resident from': 684936, 'resident from discrimination': 714303, 'whenwe': 984700, 'is whenwe': 453923, 'whenwe realize': 984701, 'need senior': 555547, 'for toiletpaperpanic': 327269, 'toiletpaperpanic stayathome': 923243, 'quaratinelife quarantine': 693138, 'this is whenwe': 888465, 'is whenwe realize': 453924, 'whenwe realize we': 984702, 'realize we all': 701878, 'all need senior': 43606, 'need senior to': 555548, 'senior to buy': 750425, 'paper for toiletpaperpanic': 640188, 'for toiletpaperpanic stayathome': 327270, 'toiletpaperpanic stayathome quaratinelife': 923246, 'stayathome quaratinelife quarantine': 797590, 'quaratinelife quarantine toiletpaper': 693139, 'amply': 54911, 'pillaged': 656668, 'medium ran': 527244, 'ran photo': 696514, 'photo showing': 655244, 'showing amply': 767415, 'amply stocked': 54912, 'than pillaged': 841031, 'pillaged one': 656669, 'through faster': 894459, 'faster that': 300132, 'buying if the': 150515, 'the medium ran': 860436, 'medium ran photo': 527245, 'ran photo showing': 696515, 'photo showing amply': 655245, 'showing amply stocked': 767416, 'amply stocked supermarket': 54913, 'supermarket shelf rather': 822516, 'rather than pillaged': 697540, 'than pillaged one': 841032, 'pillaged one the': 656670, 'one the message': 607199, 'the message would': 860531, 'message would get': 529488, 'would get through': 1011833, 'get through faster': 348434, 'through faster that': 894460, 'faster that supply': 300133, 'that supply are': 846583, 'in explaining': 422734, 'supermarket supplychains': 823061, 'supplychains food': 826259, 'stock logistics': 802366, 'from in explaining': 336021, 'in explaining why': 422735, 'explaining why people': 292198, 'why people do': 991284, 'worry if they': 1010731, 'are seeing empty': 89894, 'in supermarket supplychains': 428681, 'supermarket supplychains food': 823062, 'supplychains food uk': 826260, 'food uk stock': 317385, 'uk stock logistics': 938742, 'real bullshit': 701051, 'bullshit why': 142518, 'all confusing': 42420, 'confusing and': 194365, 'and believe': 58875, 'on to some': 604762, 'to some real': 914887, 'some real bullshit': 783690, 'real bullshit why': 701052, 'bullshit why are': 142519, 'are we acting': 91556, 'acting like you': 29890, 'like you drop': 491870, 'you drop dead': 1018363, 'is all confusing': 445455, 'all confusing and': 42421, 'confusing and believe': 194366, 'and believe the': 58877, 'said but ll': 731011, 'but ll end': 146295, 'end up stocking': 276044, 'up stocking up': 946074, 'bsvirus': 141460, 'some odd': 783383, 'odd reason': 579187, 'reason really': 702984, 'really not': 702458, 'mood tonight': 538289, 'kiss anybody': 475446, 'anybody as': 80064, 'as with': 94830, 'that chinavirus': 843213, 'chinavirus bsvirus': 177143, 'bsvirus supermarket': 141461, 'ppl not': 668289, 'do ppl': 250000, 'be 30': 113429, 'the ck': 850972, 'ck pay': 179643, 'for some odd': 325757, 'some odd reason': 783384, 'odd reason really': 579188, 'reason really not': 702985, 'really not in': 702460, 'the mood tonight': 860864, 'mood tonight to': 538290, 'tonight to kiss': 924507, 'to kiss anybody': 908961, 'kiss anybody as': 475447, 'anybody as with': 80065, 'as with all': 94831, 'with all that': 997163, 'all that chinavirus': 44632, 'that chinavirus bsvirus': 843214, 'chinavirus bsvirus supermarket': 177144, 'bsvirus supermarket empty': 141462, 'supermarket empty no': 820156, 'empty no this': 274966, 'no this or': 565714, 'this or that': 889289, 'or that we': 617363, 'fine but many': 307612, 'but many ppl': 146359, 'many ppl not': 514578, 'ppl not what': 668290, 'not what do': 572482, 'what do ppl': 981349, 'do ppl do': 250001, 'ppl do while': 668214, 'do while they': 250535, 'while they be': 987435, 'they be 30': 881527, 'be 30 day': 113430, 'day in lockdown': 227800, 'in lockdown who': 424858, 'lockdown who the': 500140, 'who the ck': 989749, 'the ck pay': 850974, 'ck pay bill': 179644, 'crisis why': 218398, 'they invest': 882477, 'driver am': 259392, 'am registered': 50342, 'registered extremely': 707645, 'vulnerable after': 960840, 'after kidney': 35850, 'kidney transplant': 474244, 'transplant in': 929856, 'january for': 464659, 'spent most': 789148, 'night trying': 563112, 'supermarket are making': 819171, 'of money during': 586606, 'money during the': 536721, 'the crisis why': 852481, 'crisis why don': 218400, 'why don they': 990968, 'don they invest': 253967, 'they invest in': 882478, 'invest in more': 443759, 'in more delivery': 425433, 'more delivery truck': 538984, 'delivery truck and': 234690, 'truck and driver': 932721, 'and driver am': 61749, 'driver am registered': 259393, 'am registered extremely': 50343, 'registered extremely vulnerable': 707646, 'extremely vulnerable after': 293939, 'vulnerable after kidney': 960841, 'after kidney transplant': 35851, 'kidney transplant in': 474245, 'transplant in january': 929857, 'in january for': 424358, 'january for day': 464660, 'for day have': 320572, 'day have spent': 227735, 'have spent most': 382688, 'spent most of': 789149, 'and night trying': 67591, 'night trying to': 563113, 'to book slot': 901900, '1899': 4667, 'fox 1899': 330744, '1899 supermarket': 4668, 'who continues': 988485, 'enough product': 277583, 'shelf etc': 757047, 'etc stayhomesavelives': 282765, 'fox 1899 supermarket': 330745, '1899 supermarket worker': 4669, 'worker who continues': 1008201, 'who continues to': 988486, 'to be abused': 901088, 'be abused by': 113457, 'abused by customer': 27690, 'by customer because': 152280, 'customer because there': 222176, 'not enough product': 569189, 'enough product on': 277584, 'the shelf etc': 866833, 'shelf etc stayhomesavelives': 757049, 'digitalpayments': 242796, 'paymentportal': 645787, 'life digitalpayments': 488594, 'digitalpayments paymentportal': 242797, '19 changed consumer': 5768, 'changed consumer daily': 172457, 'consumer daily life': 197048, 'daily life digitalpayments': 224659, 'life digitalpayments paymentportal': 488595, 'fuck testing': 339648, 'testing the': 839661, 'and celebrity': 59663, 'celebrity keep': 168892, 'america trucker': 51724, 'trucker medical': 932934, 'healthy with': 387813, 'out them': 627458, 'them everything': 875669, 'everything stop': 288011, 'fuck testing the': 339649, 'testing the and': 839662, 'the and celebrity': 848688, 'and celebrity keep': 59664, 'celebrity keep america': 168893, 'keep america trucker': 471306, 'america trucker medical': 51725, 'trucker medical worker': 932935, 'medical worker and': 526499, 'store worker tested': 811598, 'worker tested and': 1007900, 'tested and healthy': 839265, 'and healthy with': 64403, 'healthy with out': 387814, 'with out them': 1000033, 'out them everything': 627459, 'them everything stop': 875670, 'everything stop the': 288012, 'stop the priority': 805146, 'priority of this': 678614, 'this world need': 891516, 'to be adjusted': 901093, 'norbert': 566996, 'st norbert': 791734, 'norbert farmer': 566997, 'option support': 614099, 'purchasing essential': 689859, 'essential necessity': 281319, 'pandemic strong': 636574, 'strong healthy': 814039, 'healthy local': 387682, 'to coming': 903061, 'coming through': 188211, 'st norbert farmer': 791735, 'norbert farmer market': 566998, 'farmer market is': 299451, 'market is creating': 516622, 'is creating an': 446909, 'creating an online': 215978, 'an online option': 56623, 'online option support': 608646, 'option support local': 614100, 'support local farmer': 826624, 'local farmer in': 497949, 'farmer in purchasing': 299422, 'in purchasing essential': 427131, 'purchasing essential necessity': 689860, 'essential necessity during': 281320, 'of global pandemic': 584156, 'global pandemic strong': 352104, 'pandemic strong healthy': 636575, 'strong healthy local': 814040, 'healthy local economy': 387683, 'local economy is': 497915, 'economy is key': 268007, 'key to coming': 473431, 'to coming through': 903062, 'coming through the': 188212, 'through the other': 894760, 'put grocery': 690589, 'up put': 945873, 'or infecting': 615791, 'others including': 621487, 'including worker': 432252, 'buying put grocery': 150942, 'put grocery worker': 690591, 'worker and shopper': 1006333, 'and shopper at': 71524, 'shopper at risk': 761413, 'at risk shopping': 100395, 'risk shopping when': 723873, 'shopping when you': 764381, 'you re already': 1020564, 're already stocked': 698257, 'stocked up put': 803443, 'up put you': 945874, 'you at risk': 1017338, 'getting sick or': 349274, 'sick or infecting': 768557, 'or infecting others': 615792, 'infecting others including': 436696, 'others including worker': 621488, 'including worker who': 432253, 'product currently': 681102, 'the local food': 859548, 'need donation see': 554706, 'donation see the': 254693, 'see the link': 745854, 'link for list': 493835, 'the product currently': 864586, 'product currently in': 681103, 'currently in demand': 221564, 'highfalutin': 395876, 'gitwitter': 350343, 'flushing true': 311592, 'true cause': 933041, 'global toiletpaper': 352258, 'have deep': 380210, 'deep emotional': 231882, 'emotional connection': 273276, 'into and': 442399, 'our sound': 624850, 'sound highfalutin': 786293, 'highfalutin but': 395877, 'your being': 1022939, 'being gitwitter': 125183, 'flushing true cause': 311593, 'true cause of': 933042, 'the global toiletpaper': 856334, 'global toiletpaper shortage': 352259, 'toiletpaper shortage amid': 922464, 'shortage amid pandemic': 764806, 'amid pandemic people': 52574, 'people have deep': 648173, 'have deep emotional': 380211, 'deep emotional connection': 231883, 'emotional connection to': 273277, 'connection to what': 194724, 'to what go': 918513, 'what go into': 981504, 'go into and': 353736, 'into and come': 442400, 'of our sound': 587566, 'our sound highfalutin': 624851, 'sound highfalutin but': 786294, 'highfalutin but it': 395878, 'but it part': 146151, 'it part of': 460266, 'of your being': 593446, 'your being gitwitter': 1022940, 'download week': 257640, 'can download week': 158152, 'download week here': 257641, 'mainstreet': 508924, 'goodnews for': 358070, 'and mainstreet': 66520, 'mainstreet gasprices': 508925, 'gasprices could': 344282, 'say foxnews': 738653, 'goodnews for the': 358071, 'consumer and mainstreet': 196222, 'and mainstreet gasprices': 66521, 'mainstreet gasprices could': 508926, 'gasprices could hit': 344283, 'expert say foxnews': 291948, 'following judicial': 312771, 'following judicial council': 312772, 'the my': 861169, 'parent now': 641685, 'social anxiety': 779437, 'anxiety my': 78753, 'mom told': 535819, 'thing she': 884733, 'she felt': 756031, 'she started': 756349, 'bad every': 107846, 'person she': 652596, 'she saw': 756319, 'saw wa': 738317, 'of the my': 591258, 'the my parent': 861170, 'my parent now': 549692, 'parent now have': 641686, 'now have social': 574879, 'have social anxiety': 382608, 'social anxiety my': 779438, 'anxiety my mom': 78754, 'my mom told': 549285, 'mom told me': 535820, 'me that when': 523635, 'when she went': 984008, 'buy thing she': 149355, 'thing she felt': 884734, 'she felt so': 756032, 'felt so scared': 303454, 'so scared and': 778152, 'scared and she': 740942, 'and she started': 71427, 'she started to': 756350, 'started to feel': 794870, 'to feel really': 905754, 'feel really really': 302818, 'really really bad': 702511, 'really bad every': 702000, 'bad every person': 107847, 'every person she': 286101, 'person she saw': 652597, 'she saw wa': 756320, 'saw wa like': 738318, 'wa like the': 962548, 'virus in person': 958327, 'in person for': 426626, 'person for her': 652435, 'scam ha': 740186, 'been brought': 120756, 'one involves': 606495, 'call individual': 155944, 'request information': 713175, 'money please': 536972, 'website listed': 975345, 'listed below': 494612, 'new scam ha': 559544, 'scam ha been': 740187, 'ha been brought': 369735, 'been brought to': 120757, 'brought to our': 141205, 'to our attention': 911151, 'our attention this': 622146, 'attention this one': 102492, 'this one involves': 889240, 'one involves the': 606496, 'involves the covid': 444386, 'pandemic the federal': 636677, 'federal government doe': 301990, 'doe not call': 251481, 'not call individual': 568674, 'call individual to': 155945, 'individual to request': 435270, 'to request information': 913309, 'request information or': 713176, 'or money please': 616154, 'money please check': 536973, 'out the website': 627440, 'the website listed': 871280, 'website listed below': 975346, 'just message': 469260, 'at breaking': 98161, 'breaking point': 139026, 'point coronacrisis': 662453, 'coronacrisis fightcovid19': 204593, 'just message from': 469261, 'message from someone': 529322, 'who is at': 989060, 'is at breaking': 445857, 'at breaking point': 98162, 'breaking point coronacrisis': 139029, 'point coronacrisis fightcovid19': 662454, 'representing grocery': 712946, 'worker reached': 1007662, 'reached agreement': 700031, 'safeway albertsons': 730827, 'albertsons and': 40846, 'meyer this': 530044, 'protect worker': 685040, 'shopper through': 761752, 'union representing grocery': 941924, 'representing grocery store': 712947, 'store worker reached': 811570, 'worker reached agreement': 1007663, 'reached agreement with': 700032, 'agreement with safeway': 38812, 'with safeway albertsons': 1000547, 'safeway albertsons and': 730828, 'albertsons and fred': 40847, 'and fred meyer': 63266, 'fred meyer this': 331580, 'meyer this week': 530045, 'week to better': 977069, 'to better protect': 901787, 'better protect worker': 128431, 'protect worker and': 685041, 'and shopper through': 71533, 'shopper through the': 761753, 'at place': 100126, 'like trader': 491659, 'joe or': 466431, 'have bill': 379793, 'bill have': 130590, 'people day': 647603, 'people pay': 649084, 'crazy to work': 215463, 'work at place': 1004894, 'at place like': 100127, 'place like trader': 657559, 'like trader joe': 491660, 'trader joe or': 928718, 'joe or costco': 466432, 'or costco or': 614839, 'or any grocery': 614346, 'right now everyone': 722061, 'to isolate and': 908534, 'isolate and self': 454817, 'quarantine and because': 692009, 'and because have': 58792, 'because have bill': 119097, 'have bill have': 379794, 'bill have to': 130591, 'be in contact': 115396, 'contact with 100': 200266, 'of people day': 587893, 'people day working': 647605, 'day working class': 228802, 'class people pay': 180242, 'people pay the': 649085, 'pay the price': 645153, 'the price every': 864347, 'price every time': 673721, 'emailmarketing': 272396, 'deg': 232518, 'email emailmarketing': 272164, 'emailmarketing marketing': 272397, 'marketing deg': 517569, 'communication regarding 19': 189634, 'regarding 19 explore': 707168, 'through email emailmarketing': 894441, 'email emailmarketing marketing': 272165, 'emailmarketing marketing deg': 272398, 'and ensuing': 62159, 'ensuing social': 277875, 'social restriction': 779927, 'taken an': 832942, 'unprecedented flight': 943143, 'pandemic and ensuing': 634872, 'and ensuing social': 62160, 'ensuing social restriction': 277876, 'social restriction online': 779929, 'restriction online grocery': 717353, 'shopping ha taken': 762833, 'ha taken an': 372141, 'taken an unprecedented': 832943, 'an unprecedented flight': 56889, 'pjvogt': 657251, 'mario': 515755, 'staying six': 798708, 'supermarket pjvogt': 821994, 'pjvogt super': 657252, 'super mario': 818538, 'mario world': 515756, 'buying grocery while': 150420, 'grocery while staying': 366141, 'while staying six': 987319, 'staying six foot': 798709, 'the supermarket pjvogt': 868753, 'supermarket pjvogt super': 821995, 'pjvogt super mario': 657253, 'super mario world': 818539, 'ccseries feature': 168510, 'feature 13': 301529, '13 session': 3257, 'session designed': 753279, 'you nail': 1019946, 'down strategy': 257221, 'outbreak access': 627952, 'access is': 28150, 'can tune': 160064, 'in whenever': 430851, 'whenever is': 984658, 'is convenient': 446826, 'convenient for': 202400, 'ccseries feature 13': 168511, 'feature 13 session': 301530, '13 session designed': 3258, 'session designed to': 753280, 'help you nail': 390983, 'you nail down': 1019947, 'nail down strategy': 551444, 'down strategy to': 257223, 'strategy to connect': 812729, 'connect with shopper': 194636, 'with shopper during': 1000688, 'shopper during and': 761490, '19 outbreak access': 9076, 'outbreak access is': 627953, 'access is free': 28151, 'is free and': 447924, 'free and you': 331651, 'you can tune': 1017818, 'can tune in': 160065, 'tune in whenever': 935411, 'in whenever is': 430852, 'whenever is convenient': 984659, 'is convenient for': 446828, 'convenient for you': 202401, 'for you check': 328044, 'you check it': 1017932, 'out on demand': 626902, 'on demand now': 600283, 'after finishing': 35673, 'finishing 48': 307930, 'shift please': 758386, 'leave everyone': 484782, 'have nhsworkers': 381596, 'nhsworkers nh': 562286, 'nh these': 562141, 'keeping people': 472515, 'people alive': 646797, 'helping they': 391509, 'coronavirus nurse in': 206332, 'shelf after finishing': 756688, 'after finishing 48': 35674, 'finishing 48 hour': 307931, 'hour shift please': 405920, 'shift please don': 758387, 'selfish and leave': 747986, 'and leave everyone': 66051, 'leave everyone have': 484784, 'everyone have nhsworkers': 286996, 'have nhsworkers nh': 381597, 'nhsworkers nh these': 562287, 'nh these people': 562142, 'people are keeping': 647008, 'are keeping people': 87661, 'keeping people alive': 472516, 'people alive and': 646798, 'alive and helping': 41799, 'and helping they': 64497, 'helping they need': 391510, 'to be healthy': 901296, 'be healthy to': 115176, 'force change': 328356, 'continue even': 201029, 'will force change': 993472, 'force change in': 328357, 'consumer behavior which': 196537, 'behavior which will': 124306, 'which will continue': 986484, 'will continue even': 993012, 'continue even after': 201030, 'after the coronacrisis': 36299, 'blackops3': 132205, 'bo3zombies': 133609, 'steamworkshop': 799303, 'and defeating': 61054, 'defeating giant': 232062, 'giant pile': 349841, 'coronavirus beer': 205552, 'beer virus': 122528, 'virus custom': 958112, 'custom zombie': 221999, 'zombie experience': 1027706, 'experience will': 291536, 'be uploaded': 117901, 'uploaded soon': 947597, 'soon blackops3': 785660, 'blackops3 bo3zombies': 132206, 'bo3zombies steamworkshop': 133610, 'steamworkshop steam': 799304, 'steam toiletpaper': 799294, 'toiletpaper shit': 922454, 'on the hunt': 604167, 'roll of and': 725411, 'of and defeating': 580149, 'and defeating giant': 61055, 'defeating giant pile': 232063, 'giant pile of': 349842, 'pile of the': 656510, 'the coronavirus beer': 851810, 'coronavirus beer virus': 205553, 'beer virus custom': 122529, 'virus custom zombie': 958113, 'custom zombie experience': 222000, 'zombie experience will': 1027707, 'experience will be': 291537, 'will be uploaded': 992752, 'be uploaded soon': 117902, 'uploaded soon blackops3': 947598, 'soon blackops3 bo3zombies': 785661, 'blackops3 bo3zombies steamworkshop': 132207, 'bo3zombies steamworkshop steam': 133611, 'steamworkshop steam toiletpaper': 799305, 'steam toiletpaper shit': 799295, 'really ridiculous': 702521, 'ridiculous stop': 721608, 'hoarding idiot': 399373, 'it really ridiculous': 460654, 'really ridiculous stop': 702522, 'ridiculous stop hoarding': 721609, 'stop hoarding idiot': 804732, 'hoarding idiot stoppanicbuying': 399374, 'idiot stoppanicbuying stophoarding': 413601, 'consumer appear': 196265, 'to hemp': 907684, 'hemp cannabis': 391698, 'cannabis product': 161433, 'consumer appear to': 196266, 'to be turning': 901606, 'be turning to': 117839, 'turning to hemp': 935964, 'to hemp cannabis': 907685, 'hemp cannabis product': 391699, 'cannabis product during': 161434, 'of swear': 590553, 'swear word': 830048, 'word sure': 1004583, 'wrong thought': 1013128, 'lot of swear': 504295, 'of swear word': 590554, 'swear word sure': 830049, 'word sure hope': 1004584, 'is wrong thought': 454109, '16am': 4261, 'woofer': 1004341, 'adayinthelifeofselfisolation': 31367, 'yannathan': 1014140, '16am feed': 4262, 'the woofer': 871691, 'woofer last': 1004342, 'night left': 563026, 'food usually': 317413, 'morning they': 541493, 'get treat': 348532, 'treat adayinthelifeofselfisolation': 930796, 'adayinthelifeofselfisolation yannathan': 31368, 'yannathan lodge': 1014141, '16am feed the': 4263, 'feed the woofer': 302384, 'the woofer last': 871692, 'woofer last night': 1004343, 'last night left': 480382, 'night left over': 563027, 'left over people': 485603, 'over people are': 630487, 'buying the dog': 151165, 'dog food usually': 252095, 'food usually get': 317414, 'usually get them': 951122, 'get them so': 348372, 'them so this': 876294, 'so this morning': 778501, 'this morning they': 889029, 'morning they get': 541495, 'they get treat': 882185, 'get treat adayinthelifeofselfisolation': 348533, 'treat adayinthelifeofselfisolation yannathan': 930797, 'adayinthelifeofselfisolation yannathan lodge': 31369, 'workerhealth': 1008322, 'our covid19': 622621, 'covid19 resource': 214362, 'guide interim': 368332, 'interim guidance': 441676, 'facility preparing': 295367, 'state workerhealth': 796105, 'from our covid19': 336765, 'our covid19 resource': 622622, 'covid19 resource guide': 214363, 'resource guide interim': 714799, 'guide interim guidance': 368333, 'interim guidance for': 441677, 'guidance for healthcare': 368229, 'for healthcare facility': 322159, 'healthcare facility preparing': 387105, 'facility preparing for': 295368, 'preparing for community': 670327, 'for community transmission': 320200, 'community transmission of': 190186, 'united state workerhealth': 942256, 'stepupcarolinas': 799828, 'hurting with': 411658, 'with dine': 998039, 'in closure': 421516, 'closure lack': 183934, 'traffic due': 929085, 'business submit': 144435, 'submit info': 815795, 'how area': 407422, 'area consumer': 91978, 'consumer find': 197492, 'favorite restaurant': 300538, 'restaurant store': 716717, 'more stepupcarolinas': 540461, 'business are hurting': 143372, 'are hurting with': 87285, 'hurting with dine': 411659, 'with dine in': 998040, 'dine in closure': 242970, 'in closure lack': 421517, 'closure lack of': 183935, 'of traffic due': 592410, 'traffic due to': 929086, 're business submit': 698393, 'business submit info': 144436, 'submit info on': 815796, 'info on how': 437529, 'on how area': 601383, 'how area consumer': 407423, 'area consumer can': 91979, 'can help if': 158625, 're consumer find': 698456, 'consumer find out': 197493, 'help your favorite': 391019, 'your favorite restaurant': 1023831, 'favorite restaurant store': 300539, 'restaurant store more': 716718, 'store more stepupcarolinas': 808987, 'find nothing': 307100, 'like because': 489885, 'you have food': 1019047, 'have food at': 380650, 'home please do': 401864, 'not buy other': 568654, 'buy other food': 149061, 'other food everyday': 620239, 'food everyday people': 314422, 'everyday people like': 286609, 'like me do': 490741, 'do not find': 249735, 'not find nothing': 569425, 'find nothing at': 307101, 'nothing at the': 572935, 'the supermarket do': 868556, 'be selfish we': 117065, 'selfish we all': 748309, 'the food so': 855605, 'so why should': 778762, 'why should buy': 991338, 'should buy something': 765806, 'something that do': 785074, 'not like because': 570392, 'like because there': 489887, 'is only that': 450551, 'only that tesco': 611256, 'imma go': 416949, 'day type': 228630, 'type person': 937598, 'fucking up': 340046, 'up vibe': 946527, 'imma go to': 416950, 'every day type': 285855, 'day type person': 228631, 'type person but': 937599, 'person but this': 652342, 'but this shit': 147559, 'this shit fucking': 890079, 'shit fucking up': 759103, 'fucking up vibe': 340048, 'when are they': 983170, 'to make all': 909619, 'make all day': 509653, 'all day all': 42510, 'day all week': 227229, 'all week off': 45422, 'week off peak': 976653, 'report caregiving': 711856, 'caregiving eldercare': 164522, 'grocery shopping via': 365102, 'shopping via consumer': 764315, 'consumer report caregiving': 198700, 'report caregiving eldercare': 711857, 'supermarket mission': 821523, 'mission the': 534375, 'lockdown enters': 499340, 'enters it': 278487, 'it third': 461645, 'kiwi are stocking': 475843, 'up on comfort': 945540, 'on comfort food': 599971, 'comfort food during': 187836, 'food during their': 314328, 'during their supermarket': 263224, 'their supermarket mission': 874905, 'supermarket mission the': 821524, 'mission the national': 534376, '19 lockdown enters': 8382, 'lockdown enters it': 499341, 'enters it third': 278488, 'it third week': 461646, 'work brilliant': 1004948, 'initiative well': 438668, '19 work brilliant': 12168, 'work brilliant initiative': 1004949, 'brilliant initiative well': 139867, 'initiative well deserved': 438669, 'hardest part': 378229, 'quarantine live': 692346, '30 ft': 17056, 'ft camper': 339334, 'camper with': 157308, 'two small': 937223, 'small kid': 775012, 'have room': 382355, 'day guess': 227710, 'who grocery': 988819, 'completely fucking': 192292, 'fucking empty': 339861, 'hardest part of': 378230, 'part of quarantine': 642376, 'of quarantine live': 588661, 'quarantine live in': 692347, 'in 30 ft': 419908, '30 ft camper': 17057, 'ft camper with': 339335, 'camper with two': 157309, 'with two small': 1001873, 'two small kid': 937224, 'small kid do': 775013, 'not have room': 569863, 'have room to': 382356, 'room to stockpile': 725982, 'paper so guess': 640787, 'so guess who': 777219, 'guess who still': 368101, 'ha to grocery': 372302, 'grocery shop every': 364972, 'shop every day': 760153, 'every day guess': 285814, 'day guess who': 227711, 'guess who grocery': 368097, 'who grocery store': 988820, 'are completely fucking': 85469, 'completely fucking empty': 192293, 'disgusting ppl': 245443, 'ppl there': 668347, 'is sh': 451818, 'sh everywhere': 754287, 'everywhere even': 288200, 'even singapore': 284578, 'singapore teen': 771157, 'one filmed': 606287, 'filmed the': 305727, 'other drinking': 620121, 'drinking from': 258925, 'from bottle': 334715, 'bottle returning': 136313, 'disgusting ppl there': 245444, 'ppl there is': 668348, 'there is sh': 878621, 'is sh everywhere': 451819, 'sh everywhere even': 754288, 'everywhere even singapore': 288201, 'even singapore teen': 284579, 'singapore teen charged': 771158, 'after one filmed': 35985, 'one filmed the': 606288, 'filmed the other': 305728, 'the other drinking': 862523, 'other drinking from': 620122, 'drinking from bottle': 258926, 'from bottle returning': 334716, 'bottle returning them': 136314, 'returning them to': 720020, 'fresno considering': 333150, 'considering shelter': 195405, 'of fresno considering': 583955, 'fresno considering shelter': 333151, 'considering shelter in': 195406, 'pension card': 646648, 'holder have': 400070, 'and pension card': 68845, 'pension card holder': 646649, 'card holder have': 163545, 'holder have tried': 400071, 'be hiked': 115257, 'banana we': 109320, 'yesterday are': 1015676, 'same today': 733389, 'the maize': 859924, 'maize is': 509199, 'same so': 733293, 'foodstuff anywhere': 318158, 'license revoked': 488156, 'nothing ha caused': 573026, 'ha caused price': 370094, 'caused price of': 167940, 'of foodstuff to': 583839, 'foodstuff to be': 318187, 'to be hiked': 901306, 'be hiked the': 115259, 'hiked the banana': 396342, 'the banana we': 849230, 'banana we had': 109321, 'we had yesterday': 971730, 'had yesterday are': 373812, 'yesterday are the': 1015678, 'the same today': 866313, 'same today the': 733390, 'today the maize': 920296, 'the maize is': 859925, 'maize is the': 509200, 'the same so': 866299, 'same so the': 733295, 'so the crook': 778419, 'the crook who': 852501, 'advantage of coronavirus': 32995, 'coronavirus to hike': 206949, 'of foodstuff anywhere': 583835, 'foodstuff anywhere in': 318159, 'anywhere in this': 81125, 'this country will': 886981, 'will be arrested': 992363, 'arrested and their': 93819, 'and their license': 73699, 'their license revoked': 873815, 'epidemic campaigner': 279348, 'exclusion panicked': 289646, 'shopper emptied': 761496, '19 epidemic campaigner': 6803, 'epidemic campaigner warn': 279349, 'campaigner warn that': 157277, 'that the closure': 846686, 'the closure will': 851058, 'further into poverty': 342078, 'social exclusion panicked': 779785, 'exclusion panicked shopper': 289647, 'panicked shopper emptied': 639282, 'shopper emptied shelf': 761497, 'and walked past': 75146, 'walked past donation': 964971, 'virus putting': 958657, 'putting downward': 691104, 'on agricultural': 599180, 'agricultural commodity': 38872, 'more analysis': 538608, 'analysis at': 57021, '19 virus putting': 11830, 'virus putting downward': 958658, 'putting downward pressure': 691105, 'pressure on agricultural': 671198, 'on agricultural commodity': 599181, 'agricultural commodity price': 38873, 'commodity price since': 189287, 'start of 2020': 794406, 'of 2020 more': 579498, '2020 more analysis': 14455, 'more analysis at': 538609, 'state your': 796112, 'state your country': 796113, 'be supermarket': 117448, 'same hour': 733106, 'elderly nhsworkers': 270785, 'nhsworkers elderly': 562280, 'elderly coronacrisisuk': 270637, 'wise for healthcare': 996678, 'to be supermarket': 901572, 'be supermarket shopping': 117450, 'supermarket shopping the': 822650, 'shopping the same': 764096, 'the same hour': 866240, 'same hour the': 733107, 'hour the elderly': 405984, 'the elderly nhsworkers': 854132, 'elderly nhsworkers elderly': 270786, 'nhsworkers elderly coronacrisisuk': 562281, 'of pres': 588367, 'approve of pres': 83113, 'of pres trump': 588368, 'pres trump management': 670453, 'saudi have': 737267, 'not consuming': 568848, 'consuming gasoline': 199800, 'gasoline like': 344245, 'like bef': 489890, 'and this ha': 73993, 'ha nothing at': 371381, 'with the fact': 1001296, 'that the saudi': 846828, 'the saudi have': 866379, 'saudi have flooded': 737268, 'have flooded the': 380641, 'flooded the oil': 310738, 'the oil gas': 862108, 'oil gas market': 596826, 'gas market with': 343899, 'market with cheap': 517374, 'with cheap price': 997612, 'cheap price and': 174172, 'price and increased': 672442, 'and increased production': 65117, 'increased production or': 433434, 'production or that': 682175, 'or that because': 617359, 'pandemic people are': 636165, 'staying home not': 798616, 'home not consuming': 401670, 'not consuming gasoline': 568849, 'consuming gasoline like': 199801, 'gasoline like bef': 344246, 'nomi': 566272, 'hearing some': 388232, 'some distillery': 782700, 'in nomi': 425920, 'nomi doing': 566273, 'well 19': 977987, 'hearing some distillery': 388233, 'some distillery in': 782701, 'distillery in nomi': 247765, 'in nomi doing': 425921, 'nomi doing this': 566274, 'doing this well': 252775, 'this well 19': 891336, 'mtl': 544624, 'mtl today': 544625, 'today montreal': 919888, 'montreal line': 538230, 'and doorman': 61684, 'doorman for': 255827, 'begun quebec': 123723, 'canada pa': 160519, 'pa nature': 632864, 'mtl today montreal': 544626, 'today montreal line': 919889, 'montreal line ups': 538231, 'line ups and': 493533, 'ups and doorman': 947729, 'and doorman for': 61685, 'doorman for the': 255828, 'store ha begun': 808000, 'ha begun quebec': 369998, 'begun quebec canada': 123724, 'quebec canada pa': 693340, 'canada pa nature': 160520, 'britishcolumbia': 140622, 'justintrudeau': 470490, 'way otherwise': 969790, 'otherwise no': 621852, 'distancing canada': 247069, 'canada toronto': 160591, 'ontario vancouver': 611635, 'vancouver canadian': 952330, 'canadian britishcolumbia': 160648, 'britishcolumbia ottawa': 140623, 'ottawa justintrudeau': 621906, 'justintrudeau stay': 470493, 'home bcdocs': 400768, 'store aisle should': 806118, 'aisle should be': 40361, 'should be one': 765681, 'one way otherwise': 607376, 'way otherwise no': 969791, 'otherwise no one': 621853, 'one can follow': 606045, 'can follow social': 158364, 'social distancing canada': 779576, 'distancing canada toronto': 247070, 'canada toronto ontario': 160592, 'toronto ontario vancouver': 925973, 'ontario vancouver canadian': 611636, 'vancouver canadian britishcolumbia': 952331, 'canadian britishcolumbia ottawa': 160649, 'britishcolumbia ottawa justintrudeau': 140624, 'ottawa justintrudeau stay': 621907, 'justintrudeau stay home': 470494, 'stay home bcdocs': 796942, 'facemask to': 295110, 'please kind': 660160, 'clerk please': 181755, 'for doc': 320788, 'doc and': 250734, 'wore facemask to': 1004656, 'facemask to the': 295111, 'anxiety just for': 78738, 'just for wearing': 468763, 'for wearing it': 327669, 'it for hour': 458081, 'for hour please': 322399, 'hour please kind': 405864, 'please kind to': 660161, 'grocery clerk please': 364382, 'clerk please continue': 181756, 'pray for doc': 668996, 'for doc and': 320789, 'doc and nurse': 250735, 'kwikspar': 478055, 'kempton': 472757, 'even their': 284671, 'been inflated': 121380, 'inflated because': 437014, 'demand kwikspar': 235786, 'kwikspar at': 478056, 'at kempton': 99367, 'kempton park': 472758, 'even their price': 284672, 'have been inflated': 379580, 'been inflated because': 121381, 'inflated because of': 437015, 'of these covid': 591821, '19 demand kwikspar': 6486, 'demand kwikspar at': 235787, 'kwikspar at kempton': 478057, 'at kempton park': 99368, 'incredible staff': 433869, 'at of': 99936, 'irvine you': 445135, 'thanks irvine': 842119, 'and our incredible': 68495, 'our incredible staff': 623520, 'incredible staff at': 433870, 'staff at of': 792236, 'at of irvine': 99937, 'of irvine you': 585312, 'irvine you are': 445136, 'not survive without': 571881, 'survive without you': 829305, 'without you thanks': 1003072, 'you thanks irvine': 1021559, 'akin': 40523, 'leftwing': 485792, 'mcconnell described': 522119, 'described some': 237952, 'some democrat': 782674, 'democrat decision': 236707, 'vote against': 960458, 'bill akin': 130491, 'akin to': 40524, 'to leftwing': 909173, 'leftwing episode': 485793, 'sweep this': 830171, 'his mind': 397611, 'mcconnell described some': 522120, 'described some democrat': 237953, 'some democrat decision': 782675, 'democrat decision to': 236708, 'decision to vote': 231113, 'to vote against': 918237, 'vote against the': 960459, 'against the stimulus': 37679, 'stimulus bill akin': 801515, 'bill akin to': 130492, 'akin to leftwing': 40526, 'to leftwing episode': 909174, 'leftwing episode of': 485794, 'supermarket sweep this': 823109, 'sweep this guy': 830172, 'guy is out': 369052, 'of his mind': 584660, 'girl45': 350302, 'girl45 lot': 350303, 'do going': 249348, 'ridiculous people': 721582, 'distance if': 246731, 'be trusted': 117829, 'trusted to': 934352, 'store properly': 809683, 'properly how': 684180, 'you open': 1020216, 'girl45 lot of': 350304, 'to do going': 904511, 'do going to': 249349, 'store is ridiculous': 808524, 'is ridiculous people': 451524, 'ridiculous people do': 721583, 'their distance if': 873032, 'distance if you': 246733, 'can be trusted': 157706, 'be trusted to': 117830, 'trusted to go': 934353, 'grocery store properly': 365684, 'store properly how': 809684, 'properly how do': 684181, 'do you open': 250653, 'you open up': 1020217, 'like minded': 490784, 'minded people': 532796, 'people question': 649209, 'getting accused': 348826, 'being panic': 125532, 'idiot by': 413479, 'go shopping but': 354109, 'is full with': 447978, 'full with like': 340985, 'with like minded': 999221, 'like minded people': 490785, 'minded people question': 532797, 'people question what': 649210, 'question what do': 693795, 'you do without': 1018281, 'do without getting': 250585, 'without getting accused': 1002680, 'getting accused of': 348827, 'accused of being': 28944, 'of being panic': 580655, 'being panic buyer': 125533, 'buyer and an': 149556, 'and an idiot': 58115, 'an idiot by': 56146, 'wife bos': 991902, 'bos ha': 135664, 'complete denial': 192082, 'the she': 866806, 'attack last': 102125, 'all hit': 43128, 'hit her': 398267, 'once she': 605699, 'she drove': 756011, 'drove around': 260782, 'and spent': 72098, 'spent 100': 789080, 'her panic': 392285, 'panic she': 638534, 'she walked': 756439, 'walked up': 964986, 'wife this': 991980, 'say bought': 738463, 'bought 30': 136476, '30 box': 16986, 'wife bos ha': 991903, 'bos ha been': 135665, 'been in complete': 121338, 'in complete denial': 421634, 'complete denial about': 192083, 'denial about the': 236935, 'about the she': 26517, 'the she had': 866807, 'she had panic': 756102, 'panic attack last': 637378, 'attack last night': 102126, 'it all hit': 456353, 'all hit her': 43129, 'hit her at': 398268, 'her at once': 391864, 'at once she': 99962, 'once she drove': 605700, 'she drove around': 756012, 'drove around for': 260783, 'around for hour': 93292, 'hour and spent': 405418, 'and spent 100': 72099, 'spent 100 on': 789081, '100 on food': 2001, 'on food cleaning': 600849, 'cleaning supply in': 181080, 'supply in her': 825399, 'in her panic': 423660, 'her panic she': 392286, 'panic she walked': 638536, 'she walked up': 756441, 'walked up to': 964988, 'up to my': 946405, 'to my wife': 910450, 'my wife this': 550601, 'wife this morning': 991981, 'morning and say': 541164, 'and say bought': 70992, 'say bought 30': 738464, 'bought 30 box': 136477, 'clerk and truck': 181647, 'demand hoarder': 235642, 'toiletpaper senior': 922444, 'realtor meme': 702790, 'meme diamond': 528311, 'and demand hoarder': 61157, 'demand hoarder hoarder': 235643, 'eldercare toiletpaper senior': 270556, 'toiletpaper senior babyboomers': 922445, 'realtor realtor meme': 702799, 'realtor meme diamond': 702791, '20 above': 12925, 'above regular': 27099, 'report this': 712374, 'protection office': 685542, 'office watch': 595582, 'you been hit': 1017423, 'hit by price': 398185, 'you re paying': 1020701, 're paying more': 699250, 'paying more than': 645448, 'than 20 above': 840189, '20 above regular': 12927, 'above regular price': 27100, 'essential good you': 281103, 'good you can': 357983, 'can report this': 159454, 'report this to': 712377, 'this to consumer': 890730, 'consumer protection office': 198547, 'protection office watch': 685543, 'office watch full': 595583, 'watch full interview': 968424, 'fleabag': 310271, 'all fleabag': 42795, 'fleabag thanks': 310272, 'are all fleabag': 84305, 'all fleabag thanks': 42796, 'fleabag thanks for': 310273, 'for the clip': 326347, 'tix': 899315, 'economy open': 268133, 'by easter': 152448, 'easter corp': 265401, 'corp like': 207203, 'need trillion': 556142, 'trillion handout': 931983, 'handout airline': 376430, 'airline jacked': 39986, 'jacked tix': 464145, 'tix price': 899316, 'when travel': 984338, 'ban began': 109180, 'began people': 123421, 'people small': 649481, 'biz need': 131947, 'need month': 555247, 'month corp': 537658, 'corp get': 207197, 'loan hear': 497453, 'hear interest': 387939, 'the economy open': 854005, 'economy open like': 268134, 'open like it': 612363, 'like it store': 490554, 'it store by': 461285, 'store by easter': 806833, 'by easter corp': 152449, 'easter corp like': 265402, 'corp like etc': 207204, 'like etc will': 490177, 'etc will not': 282893, 'not need trillion': 570678, 'need trillion handout': 556143, 'trillion handout airline': 931984, 'handout airline jacked': 376431, 'airline jacked tix': 39987, 'jacked tix price': 464146, 'tix price when': 899317, 'price when travel': 677494, 'when travel ban': 984339, 'travel ban began': 930283, 'ban began people': 109181, 'began people small': 123422, 'people small biz': 649482, 'small biz need': 774810, 'biz need month': 131948, 'need month corp': 555248, 'month corp get': 537659, 'corp get loan': 207198, 'get loan hear': 347494, 'loan hear interest': 497454, 'hear interest is': 387940, 'interest is low': 441366, 'liar not': 487971, 'opec plus': 611936, 'plus oil': 661645, 'oil deal': 596728, 'consumer obviously': 198232, 'obviously the': 578855, 'need lowest': 555183, 'lowest cost': 506152, 'cost oil': 208068, 'consumer led': 198018, 'led economy': 485231, 'economy high': 267938, 'liar not great': 487972, 'not great deal': 569744, 'great deal for': 362613, 'deal for all': 229398, 'all the opec': 44851, 'the opec plus': 862377, 'opec plus oil': 611940, 'plus oil deal': 661646, 'oil deal is': 596730, 'deal is not': 229431, 'not good news': 569726, 'for consumer obviously': 320274, 'consumer obviously the': 198233, 'obviously the world': 578856, 'world need lowest': 1009824, 'need lowest cost': 555184, 'lowest cost oil': 506153, 'cost oil at': 208069, 'oil at cost': 596628, 'cost price to': 208088, '19 recession in': 9999, 'recession in consumer': 704295, 'in consumer led': 421706, 'consumer led economy': 198019, 'led economy high': 485232, 'economy high oil': 267939, 'oil price ar': 597050, '948373rd': 23570, 'me pouring': 523349, 'pouring yet': 667459, 'another glass': 77628, 'glass of': 351626, 'wine for': 995813, 'the 948373rd': 848217, '948373rd night': 23571, 'row stayhomechallenge': 726585, 'stayhomechallenge corvid19uk': 798263, 'shopping for toilet': 762721, 'paper ha me': 640237, 'ha me pouring': 371253, 'me pouring yet': 523350, 'pouring yet another': 667460, 'yet another glass': 1015992, 'another glass of': 77629, 'glass of wine': 351628, 'of wine for': 593181, 'wine for the': 995814, 'for the 948373rd': 326293, 'the 948373rd night': 848218, '948373rd night in': 23572, 'night in row': 563017, 'in row stayhomechallenge': 427561, 'row stayhomechallenge corvid19uk': 726586, 'feck': 301759, 'at push': 100228, 'push get': 690273, 'pasta tinned': 643824, 'but shampoo': 147017, 'shampoo mean': 754780, 'mean why': 524775, 'the feck': 855049, 'feck do': 301760, 'stockpile shampoo': 803798, 'shampoo stoppanicbuying': 754786, 'okay so at': 598002, 'so at push': 776566, 'at push get': 100229, 'push get pasta': 690274, 'get pasta tinned': 347795, 'pasta tinned good': 643825, 'tinned good but': 898621, 'good but shampoo': 356854, 'but shampoo mean': 147018, 'shampoo mean why': 754781, 'mean why the': 524776, 'why the feck': 991415, 'the feck do': 855050, 'feck do you': 301761, 'to stockpile shampoo': 915481, 'stockpile shampoo stoppanicbuying': 803799, 'toucj': 926784, 'mention all': 528741, 'not switching': 571890, 'switching your': 830588, 'glove every': 352672, 'time yall': 898391, 'yall toucj': 1014100, 'toucj something': 926785, 'all all have': 41983, 'all have mask': 43055, 'and glove but': 63712, 'glove but you': 352622, 'you all up': 1016920, 'all up in': 45329, 'my face at': 548151, 'face at the': 294323, 'to mention all': 910083, 'mention all not': 528742, 'all not switching': 43659, 'not switching your': 571891, 'switching your glove': 830589, 'your glove every': 1024058, 'glove every time': 352673, 'every time yall': 286327, 'time yall toucj': 898392, 'yall toucj something': 1014101, 'superdrug': 818643, 'on superdrug': 603777, 'superdrug give': 818644, 'wobble cant': 1003318, 'get prescription': 347837, 'prescription from': 670508, 'my chemist': 547669, 'chemist who': 175459, 'my medication': 549230, 'medication do': 526643, 'come on superdrug': 187447, 'on superdrug give': 603778, 'superdrug give your': 818645, 'head wobble cant': 385873, 'wobble cant get': 1003319, 'cant get prescription': 162301, 'get prescription from': 347838, 'prescription from you': 670509, 'you and can': 1016981, 'can buy everything': 157820, 'buy everything else': 148596, 'else at supermarket': 271633, 'or from my': 615402, 'from my chemist': 336501, 'my chemist who': 547670, 'chemist who can': 175461, 'who can give': 988385, 'can give me': 158479, 'give me my': 350578, 'me my medication': 523194, 'my medication do': 549231, 'medication do the': 526644, 'right thing and': 722306, 'thing and close': 884120, 'and close your': 60005, 'close your store': 182948, 'your store now': 1025978, 'upwards': 947969, 'bearmarket': 118469, 'qe becomes': 691533, 'norm along': 567028, 'along both': 46981, 'the atlantic': 849011, 'atlantic specially': 101870, 'specially now': 788151, 'eurozone economy': 283635, 'their huge': 873612, 'measure gold': 525208, 'gold will': 356033, 'go upwards': 354451, 'upwards goldprice': 947970, 'goldprice bearmarket': 356102, 'qe becomes the': 691534, 'the norm along': 861853, 'norm along both': 567029, 'along both side': 46982, 'both side of': 136046, 'of the atlantic': 590806, 'the atlantic specially': 849013, 'atlantic specially now': 101871, 'specially now that': 788152, 'that the and': 846661, 'and the eurozone': 73351, 'the eurozone economy': 854588, 'eurozone economy will': 283637, 'economy will need': 268359, 'need it part': 555102, 'of their huge': 591669, 'their huge stimulus': 873613, 'huge stimulus measure': 410209, 'stimulus measure gold': 801561, 'measure gold will': 525210, 'gold will continue': 356034, 'to go upwards': 906876, 'go upwards goldprice': 354452, 'upwards goldprice bearmarket': 947971, '19 impact search': 7711, 'economy you': 268382, 'you anti': 1017022, 'anti american': 78266, 'american fool': 51982, 'fool they': 318300, 'arabia you': 83976, 're obviously': 699152, 'obviously working': 578871, 'the economy you': 854045, 'economy you anti': 268383, 'you anti american': 1017023, 'anti american fool': 78267, 'american fool they': 51983, 'fool they re': 318301, 'saudi arabia you': 737232, 'arabia you re': 83977, 'you re obviously': 1020686, 're obviously working': 699153, 'obviously working for': 578872, 'working for them': 1008649, 'buying before': 150006, 'market start': 517112, 'again from': 36998, 'it left': 459328, 'of moving': 586701, 'moving don': 544135, 'wait really': 964182, 'don property': 253834, 'consider buying before': 194963, 'buying before the': 150007, 'before the market': 123175, 'the market start': 860164, 'market start again': 517113, 'start again from': 794192, 'again from where': 36999, 'from where it': 338354, 'where it left': 984965, 'it left off': 459329, 'left off if': 485582, 'thinking of moving': 885965, 'of moving don': 586702, 'moving don wait': 544136, 'don wait really': 254024, 'wait really don': 964183, 'really don property': 702143, 'lmfao': 497178, 'shopping lmfao': 763199, 'got me doing': 358694, 'me doing lot': 522674, 'of online window': 587266, 'window shopping lmfao': 995714, 'working really': 1008881, 'hard today': 378095, 'today restocking': 920114, 'the denton': 853135, 'denton branch': 237110, 'branch it': 137683, 'deck teamwork': 231138, 'teamwork panicshopping': 835903, 'staff who were': 793093, 'who were working': 989972, 'were working really': 980358, 'working really hard': 1008882, 'really hard today': 702263, 'hard today restocking': 378096, 'today restocking shelf': 920115, 'restocking shelf at': 717019, 'at the denton': 100925, 'the denton branch': 853136, 'denton branch it': 237111, 'branch it wa': 137684, 'wa all hand': 961466, 'on deck teamwork': 600245, 'deck teamwork panicshopping': 231139, 'teamwork panicshopping panicbuying': 835904, 'panicshopping panicbuying supermarket': 639443, 'slide on': 773910, 'left wondering': 485758, 'wondering where': 1004196, 'bottom is': 136400, 'whether normality': 985539, 'normality will': 567458, 'return read': 719890, 'read take': 700565, 'sector enters': 744180, 'enters entirely': 278481, 'entirely new': 278799, 'new territory': 559737, 'oil price slide': 597260, 'price slide on': 676468, 'slide on to': 773911, 'on to an': 604725, 'low the sector': 505671, 'sector ha been': 744202, 'been left wondering': 121450, 'left wondering where': 485759, 'wondering where the': 1004198, 'where the bottom': 985218, 'the bottom is': 849907, 'bottom is and': 136401, 'is and whether': 445715, 'and whether normality': 75546, 'whether normality will': 985540, 'normality will return': 567459, 'will return read': 994688, 'return read take': 719891, 'read take the': 700566, 'take the oil': 832666, 'oil sector enters': 597421, 'sector enters entirely': 744181, 'enters entirely new': 278482, 'entirely new territory': 278800, 'ochanja': 579118, '19 ochanja': 8884, 'ochanja market': 579119, 'market pg': 516846, 'pg caution': 653944, 'against hiking': 37490, 'covid 19 ochanja': 213502, '19 ochanja market': 8885, 'ochanja market pg': 579120, 'market pg caution': 516847, 'pg caution trader': 653945, 'trader against hiking': 928643, 'against hiking price': 37491, '4cayurveda': 19442, 'goodlife': 358033, 'goodhealth': 358023, 'cancerayurveda': 161279, 'kidneyrevival': 474251, 'mers': 529200, 'healthnews': 387473, 'person 4cayurveda': 652290, '4cayurveda goodlife': 19443, 'goodlife goodhealth': 358034, 'goodhealth healthcare': 358024, 'healthcare cancerayurveda': 387054, 'cancerayurveda kidneyrevival': 161280, 'kidneyrevival wuhancoronavirus': 474252, 'wuhancoronavirus mers': 1013545, 'mers saudi': 529201, 'saudi virus': 737313, 'virus jeddah': 958429, 'jeddah health': 464969, 'health healthnews': 386489, 'regularly use sanitizer': 707968, 'sanitizer keep distance': 735247, 'from other person': 336733, 'other person 4cayurveda': 620702, 'person 4cayurveda goodlife': 652291, '4cayurveda goodlife goodhealth': 19444, 'goodlife goodhealth healthcare': 358035, 'goodhealth healthcare cancerayurveda': 358025, 'healthcare cancerayurveda kidneyrevival': 387055, 'cancerayurveda kidneyrevival wuhancoronavirus': 161281, 'kidneyrevival wuhancoronavirus mers': 474253, 'wuhancoronavirus mers saudi': 1013546, 'mers saudi virus': 529202, 'saudi virus jeddah': 737314, 'virus jeddah health': 958430, 'jeddah health healthnews': 464970, 'hypertension': 412376, 'excusing': 289803, 'your patient': 1025232, 'with hypertension': 998923, 'hypertension asks': 412377, 'asks you': 96175, 'medical note': 526271, 'note excusing': 572722, 'excusing her': 289804, 'your patient with': 1025235, 'patient with hypertension': 644311, 'with hypertension asks': 998924, 'hypertension asks you': 412378, 'asks you for': 96176, 'you for medical': 1018656, 'for medical note': 323380, 'medical note excusing': 526272, 'note excusing her': 572723, 'excusing her from': 289805, 'her from work': 392066, 'from work at': 338403, 'because she scared': 119550, 'she scared of': 756332, 'scared of contracting': 740992, 'do you give': 250634, 'you give her': 1018828, 'give her the': 350515, 'her the note': 392434, 'confinementdiary': 194084, 'confinementg': 194087, 'ral': 696230, 'comicbook': 187964, 'confinementdiary day': 194085, 'grocery faire': 364516, 'faire le': 296407, 'le course': 482901, 'course mask': 211890, 'glove contamination': 352640, 'contamination contagion': 200708, 'contagion confinement': 200401, 'confinement confinementg': 194060, 'confinementg ral': 194088, 'ral isolation': 696231, 'isolation quarantinelife': 455398, 'quarantine comicbook': 692089, 'comicbook sketch': 187965, 'sketch doodle': 772879, 'doodle ink': 255429, 'ink art': 438736, 'art artist': 94135, 'artist diary': 94595, 'diary toiletpaper': 240425, 'virus plague': 958633, 'confinementdiary day grocery': 194086, 'day grocery faire': 227697, 'grocery faire le': 364517, 'faire le course': 296408, 'le course mask': 482902, 'course mask glove': 211891, 'mask glove contamination': 518729, 'glove contamination contagion': 352641, 'contamination contagion confinement': 200709, 'contagion confinement confinementg': 200402, 'confinement confinementg ral': 194061, 'confinementg ral isolation': 194089, 'ral isolation quarantinelife': 696232, 'isolation quarantinelife quarantine': 455399, 'quarantinelife quarantine comicbook': 692988, 'quarantine comicbook sketch': 692090, 'comicbook sketch doodle': 187966, 'sketch doodle ink': 772880, 'doodle ink art': 255430, 'ink art artist': 438737, 'art artist diary': 94136, 'artist diary toiletpaper': 94596, 'diary toiletpaper virus': 240426, 'toiletpaper virus plague': 922804, 'retail beef': 717878, 'have endured': 380430, 'endured enormous': 276320, 'enormous upheaval': 277294, 'upheaval since': 947559, 'march starting': 515472, '16 the': 4176, 'put huge': 690603, 'chain resulting': 171053, 'dramatic and': 258267, 'immediate spike': 417032, 'wholesale beef': 990420, 'and retail beef': 70425, 'retail beef market': 717879, 'beef market have': 120525, 'market have endured': 516500, 'have endured enormous': 380431, 'endured enormous upheaval': 276321, 'enormous upheaval since': 277295, 'upheaval since mid': 947560, 'mid march starting': 530578, 'march starting march': 515473, 'starting march 16': 794972, 'march 16 the': 515086, '16 the surge': 4178, 'surge in retail': 828208, 'in retail grocery': 427454, 'retail grocery buying': 718153, 'grocery buying put': 364335, 'buying put huge': 150943, 'put huge demand': 690604, 'demand on retail': 235972, 'on retail supply': 603182, 'supply chain resulting': 825024, 'chain resulting in': 171054, 'resulting in dramatic': 717705, 'in dramatic and': 422386, 'dramatic and immediate': 258268, 'and immediate spike': 64994, 'immediate spike in': 417033, 'spike in wholesale': 789312, 'in wholesale beef': 430896, 'wholesale beef price': 990421, 'of nj': 587029, 'nj just': 563440, 'now required': 575685, 'not negate': 570688, 'negate social': 556723, 'rule show': 727341, 'self centered': 747561, 'centered am': 169337, 'am safer': 50358, 'work journalist': 1005400, 'journalist than': 467451, 'people of nj': 648921, 'of nj just': 587030, 'nj just bc': 563441, 're now required': 699145, 'now required to': 575687, 'in store doe': 428404, 'doe not negate': 251511, 'not negate social': 570689, 'negate social distancing': 556724, 'distancing rule show': 247446, 'rule show respect': 727342, 'show respect for': 767112, 'respect for others': 714996, 'for others don': 324189, 'don be self': 253367, 'be self centered': 117049, 'self centered am': 747562, 'centered am safer': 169338, 'am safer at': 50359, 'safer at work': 730346, 'at work journalist': 101605, 'work journalist than': 1005401, 'journalist than at': 467452, 'mafia': 508253, 'dustbunnymafia': 263464, 'bookie': 134697, 'major sporting': 509468, 'sporting event': 789996, 'event across': 284936, 'the mafia': 859874, 'mafia illegal': 508256, 'illegal gambling': 416216, 'gambling business': 343101, 'with historic': 998849, 'historic blow': 397943, 'blow enjoy': 133305, 'latest dust': 481306, 'dust bunny': 263442, 'bunny mafia': 142703, 'mafia comic': 508254, 'comic dustbunnymafia': 187937, 'dustbunnymafia betting': 263465, 'betting bet': 128633, 'bet bookie': 128064, 'bookie toiletpaper': 134700, 'toiletpaper outage': 922296, 'outage tp': 627925, 'tp hoarding': 927840, 'of the cancellation': 590845, 'cancellation of all': 161037, 'of all major': 579957, 'all major sporting': 43435, 'major sporting event': 509469, 'sporting event across': 789997, 'event across the': 284937, 'country it hit': 210831, 'it hit the': 458597, 'hit the mafia': 398434, 'the mafia illegal': 859875, 'mafia illegal gambling': 508257, 'illegal gambling business': 416217, 'gambling business with': 343102, 'business with historic': 144701, 'with historic blow': 998850, 'historic blow enjoy': 397944, 'blow enjoy the': 133306, 'enjoy the latest': 277188, 'the latest dust': 859095, 'latest dust bunny': 481307, 'dust bunny mafia': 263443, 'bunny mafia comic': 142704, 'mafia comic dustbunnymafia': 508255, 'comic dustbunnymafia betting': 187938, 'dustbunnymafia betting bet': 263466, 'betting bet bookie': 128634, 'bet bookie toiletpaper': 128065, 'bookie toiletpaper outage': 134701, 'toiletpaper outage tp': 922297, 'outage tp hoarding': 627926, 'washing simple': 967713, 'simple living': 770051, 'living healthy': 496358, 'diet and': 241710, 'healthy sleep': 387766, 'build immunity': 141982, 'together do the': 920764, 'do the basic': 250234, 'the basic hand': 849310, 'basic hand washing': 111923, 'hand washing simple': 375955, 'washing simple living': 967714, 'simple living healthy': 770052, 'living healthy diet': 496359, 'healthy diet and': 387577, 'diet and healthy': 241711, 'and healthy sleep': 64400, 'healthy sleep to': 387767, 'sleep to build': 773799, 'to build immunity': 902089, 'build immunity against': 141983, 'immunity against the': 417389, 'four official': 330640, 'uganda prime': 937988, 'minister have': 533379, 'claim of': 179769, 'of irregular': 585308, 'irregular purchase': 445005, 'four official in': 330642, 'office of uganda': 595503, 'of uganda prime': 592559, 'uganda prime minister': 937989, 'prime minister have': 678138, 'minister have been': 533380, 'been arrested over': 120689, 'arrested over claim': 93870, 'over claim of': 630086, 'claim of irregular': 179770, 'of irregular purchase': 585309, 'irregular purchase of': 445006, 'purchase of relief': 689586, 'of relief food': 588916, 'relief food the': 709335, 'food the government': 317115, 'government is providing': 360271, 'is providing to': 451125, 'providing to vulnerable': 687126, 'to vulnerable citizen': 918245, 'driver garbage': 259571, 'collector teacher': 186588, 'teacher carers': 835440, 'carers farm': 164579, 'amp factory': 53772, 'others whose': 621795, 'whose vital': 990688, 'of rely': 588918, 'staff supermarket employee': 792904, 'supermarket employee delivery': 820114, 'delivery driver garbage': 233910, 'driver garbage collector': 259572, 'garbage collector teacher': 343526, 'collector teacher carers': 186589, 'teacher carers farm': 835441, 'carers farm amp': 164580, 'farm amp factory': 299080, 'amp factory worker': 53773, 'factory worker amp': 296016, 'worker amp all': 1006254, 'amp all the': 53370, 'all the many': 44822, 'the many others': 860048, 'many others whose': 514462, 'others whose vital': 621796, 'whose vital service': 990689, 'vital service the': 959722, 'service the rest': 752934, 'rest of rely': 716201, 'of rely on': 588919, '573': 20507, '751': 22205, 'called office': 156391, 'at 573': 97693, '573 751': 20508, '751 322': 22206, '322 and': 17713, 'need state': 555630, 'wide shelter': 991753, 'same mo': 733166, 'just called office': 468416, 'called office at': 156392, 'office at 573': 595375, 'at 573 751': 97694, '573 751 322': 20509, '751 322 and': 22207, '322 and told': 17714, 'told them we': 923719, 'them we need': 876588, 'we need state': 972545, 'need state wide': 555632, 'state wide shelter': 796089, 'wide shelter in': 991754, 'place order now': 657639, 'order now everyone': 618425, 'now everyone should': 574634, 'everyone should do': 287373, 'the same mo': 866261, 'prohibiting': 683434, 'rectum': 705515, 'remission': 710656, 'jimmykimmel': 465518, 'forreal': 329754, 'some costco': 782608, 'costco store': 208266, 'their prohibiting': 874492, 'prohibiting people': 683435, 'from returning': 337113, 'returning toiletpaper': 720027, 'who return': 989543, 'return toilet': 719936, 'paper probably': 640615, 'their rectum': 874535, 'rectum go': 705516, 'into remission': 442940, 'remission trending': 710657, 'trending jimmykimmel': 931546, 'jimmykimmel forreal': 465519, 'some costco store': 782609, 'costco store say': 208267, 'store say their': 810004, 'say their prohibiting': 739315, 'their prohibiting people': 874493, 'prohibiting people from': 683436, 'people from returning': 648006, 'from returning toiletpaper': 337114, 'returning toiletpaper who': 720028, 'toiletpaper who return': 922847, 'who return toilet': 989544, 'return toilet paper': 719937, 'toilet paper probably': 921401, 'paper probably the': 640616, 'who think their': 989777, 'think their rectum': 885664, 'their rectum go': 874536, 'rectum go into': 705517, 'go into remission': 353766, 'into remission trending': 442941, 'remission trending jimmykimmel': 710658, 'trending jimmykimmel forreal': 931547, 'forcein': 328682, 'know consumer': 476333, 'who noticing': 989346, 'noticing which': 573518, 'underpaying and': 940529, 'work forcein': 1005186, 'forcein crisis': 328683, 'person consumer they': 652369, 'consumer they only': 199282, 'they only know': 882825, 'only know consumer': 610688, 'know consumer who': 476334, 'consumer who noticing': 199527, 'who noticing which': 989347, 'noticing which corporation': 573519, 'endangering underpaying and': 276109, 'underpaying and otherwise': 940530, 'and otherwise harming': 68471, 'harming their work': 378467, 'their work forcein': 875201, 'work forcein crisis': 1005187, 'forcein crisis and': 328684, 'note for after': 572725, 'shopping infected': 763018, 'by smart': 154048, 'smart woman': 775453, 'online shopping infected': 609156, 'shopping infected by': 763019, 'infected by smart': 436547, 'by smart woman': 154049, 'smart woman and': 775454, 'woman and not': 1003400, 'and not wearing': 67791, 'culpable': 220240, 'doktari': 252906, 'likoni': 492212, 'juja': 467777, 'narok': 551924, 'uhunye': 938100, 'kenyatta warned': 473011, 'warned trader': 967049, 'trader shop': 928766, 'owner supermarket': 632567, 'chemist et': 175425, 'al in': 40576, 'situation those': 772520, 'those found': 892020, 'found culpable': 330186, 'culpable will': 220243, 'severe action': 753980, 'action covid': 29996, 'kenya doktari': 472894, 'doktari likoni': 252907, 'likoni juja': 492213, 'juja narok': 467778, 'narok uhunye': 551925, 'uhuru kenyatta warned': 938107, 'kenyatta warned trader': 473012, 'warned trader shop': 967050, 'trader shop owner': 928767, 'shop owner supermarket': 760652, 'owner supermarket chemist': 632568, 'supermarket chemist et': 819681, 'chemist et al': 175426, 'et al in': 282352, 'al in hiking': 40577, 'of commodity by': 581569, 'commodity by taking': 189144, 'this situation those': 890191, 'situation those found': 772521, 'those found culpable': 892021, 'found culpable will': 330187, 'culpable will face': 220244, 'will face serious': 993394, 'face serious and': 294723, 'serious and severe': 751334, 'and severe action': 71342, 'severe action covid': 753981, 'action covid 19': 29997, '19 in kenya': 7760, 'in kenya doktari': 424477, 'kenya doktari likoni': 472895, 'doktari likoni juja': 252908, 'likoni juja narok': 492214, 'juja narok uhunye': 467779, 'roussin': 726433, 'discourages': 244637, 'dr roussin': 258087, 'roussin again': 726434, 'again discourages': 36977, 'discourages fear': 244638, 'panic based': 637393, 'based buying': 111525, 'have provision': 382099, 'two but': 936816, 'stockpile at': 803719, 'dr roussin again': 258088, 'roussin again discourages': 726435, 'again discourages fear': 36978, 'discourages fear or': 244639, 'fear or panic': 301270, 'or panic based': 616487, 'panic based buying': 637394, 'based buying of': 111526, 'of grocery item': 584351, 'grocery item have': 364656, 'item have provision': 463321, 'have provision for': 382100, 'provision for week': 687260, 'for week or': 327739, 'or two but': 617556, 'two but there': 936817, 'to stockpile at': 915466, 'stockpile at this': 803720, 'are embarrassing': 86111, 'embarrassing yourselves': 272458, 'you are embarrassing': 1017114, 'are embarrassing yourselves': 86112, 'embarrassing yourselves and': 272459, 'and your country': 76070, 'your country there': 1023360, 'stock an': 801794, 'supply linkinbio': 825515, 'linkinbio full': 494004, 'post stockup': 666327, 'stockup selfquarantine': 804193, 'selfquarantine foodshopping': 748567, 'foodshopping food': 318121, 'stayathome grocery': 797488, 'grocery socialdistancing': 365136, 'to stock an': 915426, 'stock an emergency': 801795, 'an emergency food': 55676, 'emergency food supply': 272715, 'food supply linkinbio': 316966, 'supply linkinbio full': 825516, 'linkinbio full post': 494005, 'full post stockup': 340818, 'post stockup selfquarantine': 666328, 'stockup selfquarantine foodshopping': 804194, 'selfquarantine foodshopping food': 748568, 'foodshopping food stayathome': 318122, 'food stayathome grocery': 316757, 'stayathome grocery socialdistancing': 797489, 'of restricted': 589031, 'restricted border': 717128, 'border due': 135242, 'pandemic long': 635911, 'for transport': 327319, 'transport truck': 929966, 'truck mean': 932830, 'more suffering': 540490, 'suffering for': 817303, 'animal maybe': 76628, 'and confinement': 60282, 'confinement at': 194054, 'consequence of restricted': 194876, 'of restricted border': 589032, 'restricted border due': 717129, 'border due to': 135243, 'the pandemic long': 863018, 'pandemic long wait': 635912, 'wait time for': 964219, 'time for transport': 896769, 'for transport truck': 327320, 'transport truck mean': 929967, 'truck mean more': 932831, 'mean more suffering': 524555, 'more suffering for': 540491, 'suffering for animal': 817304, 'for animal maybe': 319360, 'animal maybe you': 76629, 'relate to the': 708368, 'to the feeling': 916708, 'the feeling of': 855102, 'feeling of restriction': 303036, 'of restriction and': 589036, 'restriction and confinement': 717206, 'and confinement at': 60283, 'confinement at this': 194056, 'this time help': 890645, 'time help end': 896913, 'unbranded': 939533, 'plugin': 661223, 'vigilant when': 957261, 'the checker': 850750, 'checker to': 174798, 'include related': 431618, 'fake testing': 296720, 'and unbranded': 74595, 'unbranded hand': 939534, 'sanitiser use': 734038, 'our plugin': 624371, 'plugin to': 661224, 'important to stay': 419069, 'to stay vigilant': 915328, 'stay vigilant when': 797386, 'vigilant when shopping': 957262, 'online at time': 607898, 'these we have': 880945, 'updated the checker': 947440, 'the checker to': 850751, 'checker to include': 174799, 'to include related': 908253, 'include related product': 431619, 'product like fake': 681361, 'like fake testing': 490217, 'fake testing kit': 296721, 'testing kit and': 839529, 'kit and unbranded': 475491, 'and unbranded hand': 74596, 'unbranded hand sanitiser': 939535, 'hand sanitiser use': 375254, 'sanitiser use our': 734039, 'use our plugin': 949466, 'our plugin to': 624372, 'plugin to check': 661225, 'to check them': 902695, 'reducing vc': 706337, 'to how about': 908016, 'community by reducing': 189767, 'by reducing vc': 153746, 'reducing vc price': 706338, 'reference reading': 706499, 'reference reading material': 706500, 'maccabi': 507334, 'bnei': 133587, 'brak': 137633, 'bennett': 127237, 'toured': 926943, 'insane maccabi': 439048, 'maccabi healthcare': 507335, 'provider say': 686777, 'say 38': 738370, '38 of': 18134, 'of bnei': 580753, 'bnei brak': 133588, 'brak have': 137634, 'have bennett': 379769, 'bennett toured': 127240, 'toured supermarket': 926948, 'and shortly': 71580, 'shortly afterwards': 765385, 'afterwards his': 36746, 'his daily': 397340, 'conference wa': 193772, 'wa cancelled': 961789, 'insane maccabi healthcare': 439049, 'maccabi healthcare provider': 507336, 'healthcare provider say': 387256, 'provider say 38': 686778, 'say 38 of': 738371, '38 of bnei': 18135, 'of bnei brak': 580754, 'bnei brak have': 133589, 'brak have bennett': 137635, 'have bennett toured': 379770, 'bennett toured supermarket': 127241, 'toured supermarket there': 926949, 'supermarket there this': 823280, 'there this morning': 879171, 'morning and shortly': 541166, 'and shortly afterwards': 71581, 'shortly afterwards his': 765386, 'afterwards his daily': 36747, 'his daily press': 397342, 'press conference wa': 671041, 'conference wa cancelled': 193773, 'uk managing': 938534, 'managing their': 512901, 'grocery amongst': 364216, 'amongst this': 53146, 'lockdown recommended': 499846, 'available beyond': 104271, 'beyond end': 129168, 'supermarket lockdownuk': 821374, 'the uk managing': 870248, 'uk managing their': 938535, 'managing their grocery': 512902, 'their grocery amongst': 873444, 'grocery amongst this': 364217, 'amongst this lockdown': 53147, 'this lockdown recommended': 888693, 'lockdown recommended to': 499847, 'recommended to shop': 704806, 'online but no': 607966, 'slot available beyond': 774132, 'available beyond end': 104272, 'beyond end of': 129169, 'of april for': 580328, 'april for any': 83604, 'any supermarket lockdownuk': 79903, 'anime': 76740, 'received foot': 703621, 'long receipt': 501589, 'and foot': 63130, 'receipt anime': 703401, 'anime yes': 76741, 'yes toilet': 1015577, 'store received foot': 809767, 'received foot long': 703622, 'foot long receipt': 318405, 'long receipt and': 501590, 'receipt and foot': 703397, 'and foot long': 63131, 'long receipt anime': 501591, 'receipt anime yes': 703402, 'anime yes toilet': 76742, 'yes toilet paper': 1015578, 'or merit': 616129, 'merit grocery': 529130, 'title or merit': 899294, 'or merit grocery': 616130, 'merit grocery store': 529131, 'one getting through': 606347, 'kentuckyfriedchicken': 472867, 'friedchicken': 333462, 'piece bucket': 656276, 'bucket meal': 141687, 'meal kfc': 524201, 'kfc kentuckyfriedchicken': 473628, 'kentuckyfriedchicken chicken': 472868, 'chicken friedchicken': 175787, 'friedchicken eating': 333463, 'gotta get that': 359076, 'get that covid': 348207, '19 piece bucket': 9682, 'piece bucket meal': 656277, 'bucket meal kfc': 141688, 'meal kfc kentuckyfriedchicken': 524202, 'kfc kentuckyfriedchicken chicken': 473629, 'kentuckyfriedchicken chicken friedchicken': 472869, 'chicken friedchicken eating': 175788, 'friedchicken eating fat': 333464, 'enough wealth': 277760, 'wealth can': 974151, 'have cozy': 380141, 'cozy home': 214560, 'much worry': 545469, 'worry on': 1010752, 'meanwhile the one': 525041, 'the one with': 862235, 'one with enough': 607485, 'with enough wealth': 998238, 'enough wealth can': 277761, 'wealth can stock': 974152, 'up food have': 944888, 'food have cozy': 314780, 'have cozy home': 380142, 'cozy home with': 214561, 'home with enough': 402520, 'with enough room': 998235, 'enough room for': 277602, 'room for everyone': 725912, 'everyone and not': 286699, 'and not much': 67758, 'not much worry': 570615, 'much worry on': 545470, 'worry on when': 1010753, 'on when thing': 605264, 'when thing will': 984296, 'richmond despite': 721359, 'the plea': 863836, 'plea not': 659550, 'from vegetable': 338226, 'to mustard': 910365, 'mustard how': 547019, 'to expected': 905451, 'isolate of': 454903, 'buy selfishness': 149156, 'selfishness cost': 748344, 'life coronacrisis': 488568, 'people still panic': 649605, 'buying in richmond': 150541, 'in richmond despite': 427501, 'richmond despite the': 721361, 'despite the plea': 238895, 'the plea not': 863837, 'plea not to': 659551, 'not to all': 572129, 'to all over': 900278, 'all over and': 43852, 'over and now': 629989, 'now it everything': 575114, 'it everything from': 457884, 'everything from vegetable': 287808, 'from vegetable to': 338227, 'vegetable to mustard': 954112, 'to mustard how': 910366, 'mustard how are': 547020, 'need to expected': 555924, 'to expected to': 905452, 'expected to self': 290999, 'self isolate of': 747687, 'isolate of there': 454904, 'of there not': 591800, 'not enough food': 569181, 'to buy selfishness': 902295, 'buy selfishness cost': 149157, 'selfishness cost life': 748345, 'cost life coronacrisis': 208000, 'update postal': 947175, 'postal price': 666442, '19 update postal': 11680, 'update postal price': 947176, 'under coronavirus': 940054, 'coronavirus mean': 206275, 'mean staying': 524655, 'point download': 662469, 'or print': 616699, 'this tip': 890720, 'tip sheet': 898893, 'sheet to': 756625, 'don bring': 253394, 'virus back': 957982, 'life under coronavirus': 489156, 'under coronavirus mean': 940055, 'coronavirus mean staying': 206276, 'mean staying at': 524656, 'possible but you': 665596, 'but you ll': 147990, 'll likely need': 496889, 'or pharmacy at': 616570, 'pharmacy at some': 654242, 'some point download': 783585, 'point download or': 662470, 'download or print': 257607, 'or print this': 616700, 'print this tip': 678301, 'this tip sheet': 890721, 'tip sheet to': 898894, 'sheet to make': 756626, 'you don bring': 1018308, 'don bring the': 253396, 'the virus back': 870801, 'virus back home': 957983, 'back home with': 107068, 'home with you': 402545, 'store washing': 811156, 'to scratch': 913927, 'scratch my': 742610, 'new get': 558802, 'take of': 832388, 'my bra': 547530, 'bra moment': 137478, 'moment socialdistanacing': 536045, 'socialdistanacing workfromhome': 780125, 'workfromhome quarentinelife': 1008428, 'getting home from': 349046, 'home from grocery': 401263, 'grocery store washing': 365931, 'store washing my': 811157, 'hand and finally': 374760, 'and finally getting': 62860, 'finally getting to': 306019, 'getting to scratch': 349397, 'to scratch my': 913928, 'scratch my face': 742611, 'my face is': 548158, 'face is my': 294480, 'my new get': 549460, 'new get home': 558803, 'and take of': 72969, 'take of my': 832389, 'of my bra': 586735, 'my bra moment': 547531, 'bra moment socialdistanacing': 137479, 'moment socialdistanacing workfromhome': 536046, 'socialdistanacing workfromhome quarentinelife': 780126, 'for designated': 320663, 'elderly what': 270939, 'work all': 1004727, 'after 5pm': 35302, '5pm though': 20808, 'all for designated': 42834, 'for designated supermarket': 320664, 'the elderly what': 854157, 'elderly what about': 270940, 'who work all': 990029, 'work all day': 1004728, 'all day to': 42528, 'empty shelf after': 275043, 'shelf after 5pm': 756686, 'after 5pm though': 35303, 'when toilet': 984328, 'sale exceed': 732195, 'exceed food': 289031, 'what kiwi': 981795, 'kiwi have': 475846, 'when toilet paper': 984329, 'paper sale exceed': 640710, 'sale exceed food': 732196, 'exceed food covid': 289032, '19 coronavirus by': 6094, 'coronavirus by the': 205596, 'number what kiwi': 577083, 'what kiwi have': 981796, 'kiwi have been': 475847, 'capitulation': 162861, 'bottom this': 136441, 'of capitulation': 581126, 'capitulation via': 162862, 'price bottom this': 672946, 'bottom this is': 136442, 'definition of capitulation': 232422, 'of capitulation via': 581127, 'stockpiling there': 804097, 'shortage say': 765205, 'roll manufacturer': 725382, 'to stop stockpiling': 915578, 'stop stockpiling there': 805078, 'stockpiling there is': 804099, 'no shortage say': 565500, 'shortage say toilet': 765206, 'say toilet roll': 739403, 'toilet roll manufacturer': 921584, 'starfishclub': 794139, 'towel amp': 927288, 'kleenex make': 475901, 'me sad': 523409, 'better starfishclub': 128483, 'starfishclub 19': 794140, 'tonight and still': 924364, 'and still no': 72381, 'paper towel amp': 640981, 'towel amp no': 927289, 'amp no kleenex': 54183, 'no kleenex make': 564567, 'kleenex make me': 475902, 'make me sad': 510142, 'me sad that': 523410, 'sad that the': 729254, 'government is urging': 360285, 'is urging people': 453607, 'hoard but many': 398767, 'but many are': 146353, 'many are still': 513778, 'still hoarding think': 800715, 'hoarding think we': 399608, 'do better than': 249141, 'than this please': 841318, 'we do better': 971327, 'do better starfishclub': 249139, 'better starfishclub 19': 128484, 'doesn dent': 251744, 'dent farmer': 237072, 'farmer confidence': 299322, 'confidence following': 193865, 'following summer': 312861, 'summer rain': 818003, 'rain high': 695742, 'high livestock': 395162, 'coronavirus doesn dent': 205841, 'doesn dent farmer': 251745, 'dent farmer confidence': 237073, 'farmer confidence following': 299323, 'confidence following summer': 193866, 'following summer rain': 312862, 'summer rain high': 818004, 'rain high livestock': 695743, 'high livestock price': 395163, 'livestock price via': 496283, 'bullwhip': 142525, '1x': 12843, 'min clip': 532525, 'clip explains': 182352, 'the bullwhip': 850109, 'bullwhip effect': 142526, 'effect customer': 268988, 'buy double': 148545, 'double 1x': 255969, '1x product': 12846, 'shopper 10': 761326, 'store product': 809671, 'producer 19': 680543, 'why are empty': 990768, 'empty this min': 275201, 'this min clip': 888855, 'min clip explains': 532526, 'clip explains the': 182353, 'explains the bullwhip': 292229, 'the bullwhip effect': 850110, 'bullwhip effect customer': 142527, 'effect customer buy': 268989, 'customer buy double': 222206, 'buy double 1x': 148546, 'double 1x product': 255970, '1x product at': 12847, 'product at supermarket': 680982, 'supermarket now imagine': 821667, 'now imagine million': 574982, 'million of shopper': 532288, 'of shopper 10': 589632, 'shopper 10 00': 761327, '10 00 of': 1206, '00 of store': 386, 'of store product': 590263, 'store product distributor': 809672, 'product distributor and': 681129, 'distributor and producer': 248271, 'and producer 19': 69557, 'ndis': 553419, 'our amp': 622070, 'essential page': 281371, 'page what': 633911, 'new latest': 559009, 'latest ndis': 481441, 'ndis update': 553422, 'update change': 946896, 'hour amp': 405385, 'amp list': 54071, 'family new': 298077, 'video coming': 956675, 'soon so': 785824, 'so keep': 777506, 'checking back': 174809, 'back visit': 107439, 'updated our amp': 947412, 'our amp the': 622072, 'amp the essential': 54647, 'the essential page': 854516, 'essential page what': 281372, 'page what new': 633912, 'what new latest': 981922, 'new latest ndis': 559010, 'latest ndis update': 481442, 'ndis update change': 553423, 'update change to': 946897, 'change to community': 172342, 'to community shopping': 903103, 'shopping hour amp': 762910, 'hour amp list': 405386, 'amp list of': 54072, 'list of free': 494436, 'of free online': 583920, 'free online activity': 332023, 'online activity for': 607772, 'whole family new': 990198, 'family new video': 298078, 'new video coming': 559827, 'video coming soon': 956676, 'coming soon so': 188198, 'soon so keep': 785825, 'so keep checking': 777507, 'keep checking back': 471389, 'checking back visit': 174810, 'back visit the': 107440, 'visit the page': 959393, 'the page at': 862859, 'question guy': 693604, 'is beer': 446042, 'beer classed': 122450, 'classed essential': 180296, 'supermarket lockdowneffect': 821367, 'quick question guy': 694350, 'question guy is': 693605, 'guy is beer': 369048, 'is beer classed': 446043, 'beer classed essential': 122451, 'classed essential trip': 180297, 'essential trip to': 281734, 'the shop supermarket': 867029, 'shop supermarket lockdowneffect': 760865, 'several food': 753848, 'including dal': 431933, 'dal demand': 225086, 'skyrocket while': 773344, 'while production': 987176, 'transportation slows': 930037, 'slows all': 774631, 'key dal': 473266, 'dal producing': 225090, 'producing state': 680806, 'state 75': 795328, 'of mill': 586526, 'mill are': 531954, 'store across india': 806065, 'across india are': 29348, 'india are seeing': 434315, 'shortage of several': 765133, 'of several food': 589543, 'several food item': 753850, 'food item including': 315213, 'item including dal': 463369, 'including dal demand': 431934, 'dal demand skyrocket': 225087, 'demand skyrocket while': 236235, 'skyrocket while production': 773345, 'while production and': 987177, 'production and transportation': 681936, 'and transportation slows': 74391, 'transportation slows all': 930038, 'slows all due': 774632, '19 in key': 7762, 'in key dal': 424486, 'key dal producing': 473267, 'dal producing state': 225091, 'producing state 75': 680807, 'state 75 of': 795329, '75 of mill': 22154, 'of mill are': 586527, 'mill are closed': 531955, 'germany people': 346339, 'around germany': 93302, 'germany are': 346267, 'food leaving': 315286, 'leaving supermarket': 485140, 'empty retailer': 275023, 'retailer explain': 719140, 'how hamsterkauf': 407959, 'hamsterkauf could': 374672, 'could actually': 208792, 'germany people around': 346341, 'people around germany': 647139, 'around germany are': 93303, 'germany are stockpiling': 346268, 'stockpiling food leaving': 803961, 'food leaving supermarket': 315287, 'leaving supermarket shelf': 485141, 'shelf empty retailer': 757029, 'empty retailer explain': 275024, 'retailer explain why': 719141, 'explain why no': 292134, 'to worry and': 918836, 'worry and how': 1010670, 'and how hamsterkauf': 64816, 'how hamsterkauf could': 407960, 'hamsterkauf could actually': 374673, 'could actually do': 208793, 'actually do more': 30783, 'do more harm': 249598, 'frontline against': 338703, 'pandemic private': 636240, 'europe are': 283405, 'fully engaged': 341035, 'the determined': 853211, 'the frontline against': 855859, 'frontline against the': 338704, 'the pandemic private': 863065, 'pandemic private hospital': 636241, 'private hospital in': 678920, 'hospital in europe': 404466, 'in europe are': 422631, 'europe are fully': 283406, 'are fully engaged': 86745, 'fully engaged in': 341036, 'against the determined': 37652, 'the determined to': 853212, 'any evidence': 79194, 'pandemic highly': 635632, 'both illegal': 135935, 'and illegal': 64975, 'illegal immoral': 416218, 'anyone see any': 80511, 'see any evidence': 744916, 'any evidence of': 79195, 'evidence of profiteering': 288369, '19 pandemic highly': 9350, 'pandemic highly inflated': 635633, 'inflated price in': 437047, 'in store etc': 428409, 'store etc they': 807632, 'etc they can': 282813, 'they can report': 881668, 'it here it': 458569, 'is both illegal': 446241, 'both illegal and': 135936, 'illegal and illegal': 416202, 'and illegal immoral': 64977, 'fyi if': 342634, 'them instead': 875928, 'instead item': 440214, 've forced': 953129, 'normal here': 567173, 'are pic': 89079, 'it pricegouging': 460473, 'pricegouging toiletpaperpanic': 677868, 'toiletpaper pricegougers': 922357, 'pricegougers toiletpaperemergency': 677779, 'toiletpaperapocalypse 19': 922896, 'just fyi if': 468788, 'fyi if people': 342635, 'if people would': 414638, 'would stop buying': 1012276, 'stop buying thing': 804549, 'buying thing and': 151205, 'thing and report': 884133, 'and report them': 70271, 'report them instead': 712359, 'them instead item': 875929, 'instead item would': 440215, 'item would ve': 463849, 'would ve forced': 1012370, 've forced to': 953130, 'to normal here': 910648, 'normal here are': 567174, 'here are pic': 392752, 'are pic of': 89080, 'pic of how': 655613, 'do it pricegouging': 249504, 'it pricegouging toiletpaperpanic': 460474, 'pricegouging toiletpaperpanic toiletpaper': 677869, 'toiletpaperpanic toiletpaper pricegougers': 923265, 'toiletpaper pricegougers toiletpaperemergency': 922358, 'pricegougers toiletpaperemergency toiletpaperapocalypse': 677780, 'toiletpaperemergency toiletpaperapocalypse 19': 923141, 'shopee': 761124, 'zalora': 1027197, 'lazada shopee': 482730, 'shopee and': 761125, 'and zalora': 76114, 'zalora issuing': 1027198, 'issuing their': 456137, 'their operational': 874122, 'operational guideline': 613314, 'lazada shopee and': 482731, 'shopee and zalora': 761126, 'and zalora issuing': 76115, 'zalora issuing their': 1027199, 'issuing their operational': 456138, 'their operational guideline': 874124, 'operational guideline in': 613315, 'guideline in light': 368438, 'delivery coronavirus': 233825, 'supposed to avoid': 827351, 'to avoid crowded': 900885, 'crowded place when': 219341, 'to queue to': 912673, 'supermarket and cannot': 818953, 'get delivery coronavirus': 346860, 'delivery coronavirus disease': 233826, 'not greedy': 569751, 'greedy they': 363626, 'can feed': 158290, 'kid we': 474159, 'supermarket market': 821465, 'market need': 516747, 'stop service': 805002, 'service idiot': 752464, 'idiot clearing': 413486, 'shelf police': 757418, 'police need': 663101, 'are scared not': 89852, 'scared not greedy': 740989, 'not greedy they': 569752, 'greedy they want': 363628, 'to assure they': 900797, 'assure they can': 97098, 'they can feed': 881630, 'can feed their': 158291, 'feed their kid': 302390, 'their kid we': 873762, 'kid we need': 474161, 'to come together': 903055, 'together and the': 920705, 'the supermarket market': 868695, 'supermarket market need': 821466, 'market need to': 516749, 'to stop service': 915569, 'stop service idiot': 805003, 'service idiot clearing': 752465, 'idiot clearing shelf': 413487, 'clearing shelf police': 181474, 'shelf police need': 757419, 'police need to': 663102, 'be in supermarket': 115437, 'distancing and calm': 246964, 'market yesterday': 517398, 'shelf just': 757262, 'local produce': 498295, 'price wonderful': 677643, 'wonderful friendly': 1004081, 'friendly atmosphere': 333942, 'atmosphere between': 101981, 'trader it': 928703, 'france convid19uk': 330985, 'to local street': 909388, 'local street market': 498491, 'street market yesterday': 813036, 'market yesterday no': 517399, 'yesterday no queue': 1015817, 'no queue no': 565264, 'queue no empty': 694006, 'empty shelf just': 275076, 'shelf just great': 757264, 'just great local': 468882, 'great local produce': 362812, 'local produce at': 498296, 'produce at great': 680195, 'great price wonderful': 362924, 'price wonderful friendly': 677644, 'wonderful friendly atmosphere': 1004082, 'friendly atmosphere between': 333943, 'atmosphere between customer': 101982, 'between customer and': 128758, 'customer and trader': 222104, 'and trader it': 74346, 'trader it wa': 928705, 'wa like shopping': 962547, 'like shopping in': 491182, 'shopping in france': 762962, 'in france convid19uk': 423075, 'china you': 177082, 'health score': 386831, 'score on': 742365, 'your cellphone': 1023171, 'cellphone if': 168979, 'or bus': 614602, 'bus that': 143091, 'fever or': 303678, 'cough your': 208590, 'your green': 1024110, 'green code': 363658, 'code will': 185402, 'turn yellow': 935812, 'yellow if': 1015262, 'person case': 652350, 'is confirmed': 446733, 'confirmed you': 194218, 'designated center': 238289, 'in china you': 421450, 'china you have': 177084, 'you have health': 1019055, 'have health score': 380910, 'health score on': 386832, 'score on your': 742366, 'on your cellphone': 605453, 'your cellphone if': 1023172, 'cellphone if one': 168980, 'if one person': 414542, 'supermarket or bus': 821798, 'or bus that': 614603, 'bus that you': 143093, 'been to ha': 122219, 'to ha fever': 907084, 'ha fever or': 370614, 'fever or cough': 303679, 'or cough your': 614847, 'cough your green': 208591, 'your green code': 1024111, 'green code will': 363659, 'code will turn': 185403, 'will turn yellow': 995259, 'turn yellow if': 935813, 'yellow if that': 1015263, 'if that person': 414942, 'that person case': 845719, 'person case is': 652351, 'case is confirmed': 165829, 'is confirmed you': 446735, 'confirmed you must': 194219, 'you must be': 1019910, 'must be quarantined': 546535, 'quarantined at designated': 692826, 'at designated center': 98427, 'the released': 865480, 'released consumer': 709028, 'right info': 721959, 're today': 699717, 'voucher the': 960668, 'the released consumer': 865481, 'released consumer right': 709029, 'consumer right info': 198819, 'right info re': 721960, 'info re today': 437563, 're today the': 699718, 'today the general': 920287, 'advice for those': 33378, 'for those with': 327150, 'refund voucher the': 706983, 'voucher the acc': 960669, 'the acc is': 848283, 'acc is asking': 27810, 'no fear': 564200, 'fear my': 301211, 'latest product': 481512, 'ha several': 371876, 'several anti': 753790, 'anti fear': 78302, 'fear disinfectant': 301098, 'sanitizer no fear': 735415, 'no fear my': 564202, 'fear my latest': 301213, 'my latest product': 548990, 'latest product ha': 481513, 'product ha several': 681241, 'ha several anti': 371877, 'several anti fear': 753791, 'anti fear disinfectant': 78303, 'fear disinfectant in': 301099, 'disinfectant in stock': 245692, 'said have': 731100, 'website lately': 975335, 'lately link': 480970, 'bio our': 131159, 'sale team': 732563, 'well equipped': 978227, 'inquiry via': 439014, 'via dm': 955922, 'dm email': 248887, 'update at this': 946882, 'time our retail': 897434, 'further notice that': 342116, 'notice that said': 573366, 'that said have': 846098, 'said have you': 731102, 'checked out our': 174767, 'out our website': 626999, 'our website lately': 625344, 'website lately link': 975336, 'lately link in': 480971, 'in bio our': 420852, 'bio our sale': 131160, 'our sale team': 624670, 'sale team is': 732564, 'team is well': 835709, 'is well equipped': 453844, 'well equipped to': 978229, 'equipped to take': 279896, 'take your inquiry': 832818, 'your inquiry via': 1024498, 'inquiry via dm': 439015, 'via dm email': 955924, 'share to facebook': 755305, 'ahmedabad': 39259, 'kk': 475862, 'nirala': 563352, 'matter came': 520549, 'of ahmedabad': 579852, 'ahmedabad collector': 39264, 'collector kk': 186572, 'kk nirala': 475863, 'nirala he': 563353, 'he extended': 384949, 'extended help': 293167, 'to ahmedabad': 900188, 'ahmedabad civil': 39262, 'civil hospital': 179520, 'more suspect': 540516, 'suspect positive': 829483, 'when this matter': 984308, 'this matter came': 888783, 'matter came to': 520550, 'came to the': 157072, 'to the attention': 916499, 'attention of ahmedabad': 102464, 'of ahmedabad collector': 579853, 'ahmedabad collector kk': 39265, 'collector kk nirala': 186573, 'kk nirala he': 475864, 'nirala he extended': 563354, 'he extended help': 384950, 'extended help to': 293168, 'help to ahmedabad': 390763, 'to ahmedabad civil': 900189, 'ahmedabad civil hospital': 39263, 'civil hospital to': 179521, 'hospital to stock': 404689, 'on water and': 605114, 'food to prepare': 317281, 'prepare for even': 670074, 'for even more': 321153, 'even more suspect': 284381, 'more suspect positive': 540517, 'suspect positive patient': 829484, 'positive patient in': 665402, 'patient in the': 644190, 'unleashes': 942591, 'rise fed': 722850, 'fed unleashes': 301919, 'unleashes unprecedented': 942592, 'asia rose': 95223, 'rose tuesday': 726102, 'tuesday morning': 935168, 'morning staying': 541464, 'staying firmly': 798589, 'firmly above': 308463, '500 mark': 20010, 'announced further': 76950, 'further step': 342169, 'pandemic lockdownnow': 635908, 'price rise fed': 676235, 'rise fed unleashes': 722851, 'fed unleashes unprecedented': 301920, 'unleashes unprecedented measure': 942593, 'unprecedented measure gold': 943161, 'measure gold price': 525209, 'in asia rose': 420525, 'asia rose tuesday': 95224, 'rose tuesday morning': 726103, 'tuesday morning staying': 935169, 'morning staying firmly': 541465, 'staying firmly above': 798590, 'firmly above the': 308464, 'above the 500': 27103, 'the 500 mark': 848144, '500 mark the': 20011, 'mark the federal': 515832, 'federal reserve announced': 302040, 'reserve announced further': 714037, 'announced further step': 76951, 'further step to': 342170, 'step to combat': 799641, '19 pandemic lockdownnow': 9385, 'day1 india': 228837, 'india under': 434665, 'lockdown government': 499422, 'ha assured': 369637, 'essential thing': 281680, 'dairy medical': 225009, 'medical bank': 526063, 'open pls': 612453, 'pls don': 661129, 'like responsible': 491077, 'citizen 21daylockdown': 178812, 'day1 india under': 228838, 'india under complete': 434666, 'complete lockdown government': 192115, 'lockdown government ha': 499423, 'government ha assured': 360141, 'ha assured that': 369639, 'assured that all': 97124, 'that all essential': 842543, 'all essential thing': 42704, 'essential thing like': 281682, 'like food dairy': 490259, 'food dairy medical': 314081, 'dairy medical bank': 225010, 'medical bank will': 526064, 'bank will remain': 110319, 'remain open pls': 709818, 'open pls don': 612454, 'pls don panic': 661130, 'panic and act': 637292, 'and act like': 57623, 'act like responsible': 29686, 'like responsible citizen': 491078, 'responsible citizen 21daylockdown': 716012, 'chmura': 177645, 'coronavirus one': 206347, 'consumer researcher': 198763, 'researcher chmura': 713904, 'chmura detail': 177646, 'detail new': 239218, 'study that': 814965, 'some preliminary': 783625, 'preliminary answer': 669868, 'much we do': 545438, 'the coronavirus one': 851883, 'coronavirus one of': 206348, 'which is how': 986014, '19 live on': 8347, 'on surface consumer': 603846, 'surface consumer researcher': 828005, 'consumer researcher chmura': 198764, 'researcher chmura detail': 713905, 'chmura detail new': 177647, 'detail new study': 239219, 'new study that': 559687, 'study that give': 814966, 'that give some': 844012, 'give some preliminary': 350709, 'some preliminary answer': 783626, 'racism and': 695278, 'back against covid': 106833, 'related racism and': 708533, 'racism and to': 695279, 'to support aapi': 915900, 'candidate rather': 161303, 'he at': 384757, 'least ha': 484495, 'economy doing': 267812, 'well sans': 978540, 'sans covid': 736590, '19 whereas': 12032, 'whereas if': 985423, 'confidence di': 193844, 'bad candidate rather': 107804, 'candidate rather keep': 161304, 'trump because he': 933436, 'because he at': 119111, 'he at least': 384758, 'at least ha': 99502, 'least ha the': 484496, 'ha the economy': 372196, 'the economy doing': 853961, 'economy doing well': 267813, 'doing well sans': 252838, 'well sans covid': 978541, 'sans covid 19': 736591, 'covid 19 whereas': 214067, '19 whereas if': 12033, 'whereas if biden': 985424, 'consumer confidence di': 196890, '7bn': 22456, 'afdb': 33970, 'to borrow': 901945, 'borrow almost': 135594, 'almost 7bn': 46525, '7bn from': 22457, 'and afdb': 57739, 'afdb to': 33971, 'an imf': 56163, 'imf programme': 416908, 'programme if': 683341, 'happens it': 377486, 'wouldn come': 1012453, 'with string': 1001020, 'string attached': 813789, 'plan to borrow': 658271, 'to borrow almost': 901946, 'borrow almost 7bn': 135595, 'almost 7bn from': 46526, '7bn from the': 22458, 'world bank and': 1009347, 'bank and afdb': 109602, 'and afdb to': 57740, 'afdb to support': 33972, 'the economy from': 853969, 'from the plunge': 337834, 'plunge in price': 661438, 'in price amp': 426948, 'price amp the': 672341, 'amp the this': 54670, 'the this wouldn': 869493, 'be an imf': 113607, 'an imf programme': 56164, 'imf programme if': 416909, 'programme if it': 683342, 'if it happens': 414308, 'it happens it': 458477, 'happens it wouldn': 377487, 'it wouldn come': 462612, 'wouldn come with': 1012454, 'come with string': 187690, 'with string attached': 1001021, 've examined': 953097, 'examined how': 288828, 'affected medium': 34392, 'across china': 29296, 'taiwan japan': 831837, 'japan amp': 464702, 'amp south': 54537, 'korea read': 477494, 'north asia': 567618, 'asia learn': 95188, 'can anticipate': 157503, 'anticipate and': 78419, 'and respond': 70348, 'behavior amidst': 123872, 'we ve examined': 973662, 've examined how': 953098, 'examined how ha': 288829, 'ha affected medium': 369464, 'affected medium consumption': 34393, 'medium consumption across': 527053, 'consumption across china': 199821, 'across china taiwan': 29297, 'china taiwan japan': 176966, 'taiwan japan amp': 831838, 'japan amp south': 464703, 'amp south korea': 54538, 'south korea read': 786748, 'korea read our': 477495, 'read our insight': 700512, 'our insight on': 623559, 'insight on north': 439608, 'on north asia': 602435, 'north asia learn': 567619, 'asia learn how': 95189, 'learn how business': 483979, 'how business can': 407479, 'business can anticipate': 143486, 'can anticipate and': 157504, 'anticipate and respond': 78420, 'and respond to': 70350, 'respond to market': 715321, 'to market need': 909854, 'market need and': 516748, 'need and consumer': 554421, 'consumer behavior amidst': 196437, 'behavior amidst the': 123873, 'papaya': 639746, 'tang': 834158, 'yuan': 1027066, 'papaya supermarket': 639749, 'in bali': 420674, 'bali finally': 109038, 'finally restocked': 306086, 'restocked their': 716968, 'their black': 872626, 'black sesame': 132123, 'sesame tang': 753258, 'tang yuan': 834159, 'yuan glutinous': 1027067, 'glutinous rice': 353150, 'rice ball': 721014, 'ball we': 109074, 'papaya supermarket in': 639750, 'supermarket in bali': 820864, 'in bali finally': 420675, 'bali finally restocked': 109039, 'finally restocked their': 306087, 'restocked their black': 716969, 'their black sesame': 872627, 'black sesame tang': 132124, 'sesame tang yuan': 753259, 'tang yuan glutinous': 834160, 'yuan glutinous rice': 1027068, 'glutinous rice ball': 353151, 'rice ball we': 721015, 'ball we are': 109075, 'freelancer may': 332446, 'cheapest commission': 174303, 'commission can': 188797, 'offer if': 594658, 'artist in': 94607, 'assistance well': 96760, 'well feel': 978240, 'freelancer may be': 332447, 'may be laid': 520998, 'is the cheapest': 452748, 'the cheapest commission': 850737, 'cheapest commission can': 174304, 'commission can offer': 188798, 'can offer if': 159098, 'offer if you': 594659, 're an artist': 698283, 'an artist in': 55429, 'artist in need': 94609, 'of assistance well': 580410, 'assistance well feel': 96762, 'well feel free': 978241, 'free to post': 332246, 'to post your': 911919, 'post your price': 666424, 'price and rt': 672528, 'pm that': 662001, 'from overseas': 336817, 'overseas no': 631479, 'buy nzpol': 149022, 'from the pm': 337835, 'the pm that': 863881, 'pm that our': 662002, 'to restock them': 913416, 'restock them food': 716927, 'them food will': 875702, 'still be brought': 800246, 'brought in from': 141164, 'in from overseas': 423127, 'from overseas no': 336820, 'overseas no need': 631480, 'panic buy nzpol': 637513, 'close it door': 182689, 'it door for': 457678, 'door for two': 255596, 'helix': 388971, 'opco': 611827, 'myheritage': 550732, 'pathway': 644093, 'genomics market': 345812, '2020 top': 14674, 'top leader': 925596, 'are 23andme': 84121, '23andme inc': 15500, 'inc helix': 431288, 'helix opco': 388972, 'opco llc': 611828, 'llc myheritage': 497112, 'myheritage ltd': 550733, 'ltd pathway': 506388, 'pathway genomics': 644094, 'genomics germany': 345810, 'germany english': 346289, 'english news': 277061, '19 impact of': 7703, 'coronavirus pandemic on': 206478, 'pandemic on consumer': 636087, 'on consumer genomics': 600052, 'consumer genomics market': 197577, 'genomics market 2020': 345813, 'market 2020 top': 515898, '2020 top leader': 14675, 'top leader are': 925597, 'leader are 23andme': 483422, 'are 23andme inc': 84122, '23andme inc helix': 15501, 'inc helix opco': 431289, 'helix opco llc': 388973, 'opco llc myheritage': 611829, 'llc myheritage ltd': 497113, 'myheritage ltd pathway': 550734, 'ltd pathway genomics': 506389, 'pathway genomics germany': 644095, 'genomics germany english': 345811, 'germany english news': 346290, 'close period': 182759, 'period give': 651773, 'buying bullshit': 150054, 'bullshit for': 142486, 'food shop will': 316499, 'shop will not': 761054, 'not close period': 568776, 'close period give': 182760, 'period give up': 651774, 'on the selfish': 604350, 'panic buying bullshit': 637663, 'buying bullshit for': 150055, 'bullshit for the': 142487, 'is monitored': 449687, 'monitored in': 537332, 'seems draconian': 746773, 'how is monitored': 408102, 'is monitored in': 449688, 'monitored in his': 537333, 'in his country': 423725, 'his country it': 397320, 'country it seems': 210834, 'it seems draconian': 460943, 'seems draconian but': 746774, 'microscholarship': 530487, 'nadeem': 551377, 'turabi': 935489, 'graduate from': 361717, 'our english': 622911, 'english microscholarship': 277059, 'microscholarship program': 530488, 'program muhammad': 683274, 'muhammad nadeem': 545589, 'nadeem turabi': 551378, 'turabi is': 935490, 'leading an': 483676, 'an awareness': 55504, 'is explaining': 447653, 'explaining safety': 292186, 'amp distributing': 53656, 'distributing free': 248079, 'free disposal': 331770, 'disposal glove': 246281, 'graduate from our': 361718, 'from our english': 336770, 'our english microscholarship': 622913, 'english microscholarship program': 277060, 'microscholarship program muhammad': 530489, 'program muhammad nadeem': 683275, 'muhammad nadeem turabi': 545590, 'nadeem turabi is': 551379, 'turabi is leading': 935491, 'is leading an': 449255, 'leading an awareness': 483677, 'an awareness campaign': 55505, 'awareness campaign against': 105694, 'campaign against in': 157194, 'against in he': 37506, 'in he is': 423595, 'he is explaining': 385121, 'is explaining safety': 447654, 'explaining safety measure': 292187, 'safety measure amp': 730618, 'measure amp distributing': 525094, 'amp distributing free': 53657, 'distributing free disposal': 248080, 'free disposal glove': 331771, 'disposal glove and': 246282, 'want grocerydelivery': 965804, 'grocerydelivery option': 366213, 'option across': 613975, 'outbreak homedelivery': 628314, 'shoponline other': 761275, 'other chain': 619932, 'chain offering': 170966, 'shopping include': 763002, 'include metro': 431594, 'metro and': 529896, 'and loblaws': 66284, 'want grocerydelivery option': 965805, 'grocerydelivery option across': 366214, 'option across canada': 613976, 'across canada during': 29286, 'canada during the': 160419, 'the outbreak homedelivery': 862642, 'outbreak homedelivery shoponline': 628315, 'homedelivery shoponline other': 402681, 'shoponline other chain': 761276, 'other chain offering': 619933, 'chain offering online': 170967, 'online shopping include': 609153, 'shopping include metro': 763003, 'include metro and': 431595, 'metro and loblaws': 529897, 'isolating come': 455080, 'company drop': 190618, 'stay warm': 797387, 'warm coronacrisis': 966871, 'coronacrisis stayathomechallenge': 204773, 'stayathomechallenge selfisolation': 797746, 'selfisolation staysafestayhome': 748494, 'britain is shutting': 140417, 'shutting down with': 768281, 'down with million': 257497, 'with million off': 999510, 'million off work': 532296, 'work and self': 1004803, 'self isolating come': 747718, 'isolating come on': 455081, 'come on energy': 187431, 'on energy company': 600561, 'energy company drop': 276411, 'company drop your': 190620, 'drop your price': 260461, 'price to your': 677065, 'your customer so': 1023424, 'can stay warm': 159746, 'stay warm coronacrisis': 797388, 'warm coronacrisis stayathomechallenge': 966872, 'coronacrisis stayathomechallenge selfisolation': 204774, 'stayathomechallenge selfisolation staysafestayhome': 797747, 'foodbanks struggling': 317845, '00 grant': 237, 'grant during': 362020, 'foodbanks struggling with': 317846, 'struggling with increased': 814540, 'increased demand are': 433261, 'demand are able': 235020, 'able to apply': 24449, 'apply for 00': 82557, 'for 00 grant': 318599, '00 grant during': 238, 'grant during the': 362021, 'oringinally': 619621, 'how oringinally': 408449, 'oringinally planned': 619622, 'down situation': 257186, 'situation but': 772206, 'keep online': 471716, 'how oringinally planned': 408450, 'oringinally planned in': 619623, 'planned in my': 658457, 'my head to': 548635, 'head to come': 385830, 'lock down situation': 499049, 'down situation but': 257187, 'situation but keep': 772207, 'but keep online': 146216, 'keep online shopping': 471717, 'important your': 419116, 'ever click': 285254, 'out where': 627825, 'where yours': 985405, 'yours is': 1026468, 'food off': 315582, 'off once': 594024, 'really important your': 702330, 'important your local': 419117, 'help more now': 390110, 'than ever click': 840575, 'ever click the': 285255, 'link to find': 493927, 'find out where': 307157, 'out where yours': 627827, 'where yours is': 985406, 'yours is and': 1026469, 'is and drop': 445703, 'and drop some': 61764, 'drop some food': 260394, 'some food off': 782865, 'food off once': 315583, 'off once week': 594026, 'once week it': 605795, 'week it could': 976433, 'could make all': 209400, 'make all the': 509658, 'all the difference': 44718, 'shopping that': 764076, 'like nutter': 490894, 'nutter and': 577777, 'shop also': 759825, 'are outside': 88899, 'buy your shopping': 149500, 'your shopping that': 1025795, 'shopping that you': 764079, 'need if people': 555033, 'people keep stock': 648577, 'keep stock buying': 471969, 'stock buying like': 801963, 'buying like nutter': 150652, 'like nutter and': 490895, 'nutter and you': 577778, 'and you aren': 76003, 'aren allowed to': 92314, 'the shop also': 866974, 'shop also how': 759827, 'also how can': 48375, 'shop online that': 760586, 'online that mean': 609526, 'mean people are': 524610, 'people are outside': 647036, 'socialdistancing note': 780565, 'note went': 572849, '30 there': 17235, 'were four': 979660, 'four small': 330668, 'small stack': 775134, 'of freshly': 583952, 'freshly delivered': 333133, 'delivered toilet': 233435, 'sign read': 769197, 'read limit': 700404, 'limit bought': 492302, 'socialdistancing note went': 780566, 'note went to': 572850, 'store at 30': 806573, 'at 30 there': 97595, '30 there were': 17236, 'there were four': 879316, 'were four small': 979661, 'four small stack': 330670, 'small stack of': 775135, 'stack of freshly': 791977, 'of freshly delivered': 583953, 'freshly delivered toilet': 333134, 'delivered toilet paper': 233436, 'the shelf the': 866889, 'shelf the entire': 757648, 'aisle wa bare': 40418, 'wa bare the': 961638, 'bare the sign': 110964, 'the sign read': 867181, 'sign read limit': 769198, 'read limit bought': 700405, 'country shop': 211043, 'shop selling': 760747, 'washing soap': 967715, 'soap are': 778941, 'are upping': 91383, 'upping price': 947707, 'price exponentially': 673737, 'exponentially why': 292600, 'crisis southsudan': 218074, 'hell is going': 389024, 'this country shop': 886970, 'country shop selling': 211044, 'shop selling sanitizers': 760751, 'sanitizers and hand': 736196, 'hand washing soap': 375956, 'washing soap are': 967717, 'soap are upping': 778942, 'are upping price': 91384, 'upping price exponentially': 947708, 'price exponentially why': 673739, 'exponentially why are': 292601, 'the crisis southsudan': 852449, 'slipped on': 774047, 'could partly': 209492, 'partly alleviate': 642746, 'alleviate oversupply': 45813, 'oil price slipped': 597262, 'price slipped on': 676480, 'slipped on monday': 774048, 'that could partly': 843359, 'could partly alleviate': 209493, 'partly alleviate oversupply': 642747, 'alleviate oversupply in': 45814, 'oversupply in global': 631596, 'market the pandemic': 517197, 'so question': 778097, 'question say': 693728, 'tested today': 839383, 'today then': 920310, 'then find': 877171, 'clear no': 181293, 'then or': 877387, 'or or': 616406, 'or day': 614889, 'later need': 481098, 'to hardware': 907172, 'store couldn': 807201, 'couldn you': 209945, 'else later': 271774, 'later just': 481086, 'so question say': 778098, 'question say you': 693729, 'say you get': 739516, 'you get tested': 1018797, 'get tested today': 348194, 'tested today then': 839384, 'today then find': 920311, 'then find out': 877172, 'find out you': 307162, 'you are clear': 1017087, 'are clear no': 85306, 'clear no virus': 181294, 'no virus then': 565843, 'virus then or': 958892, 'then or or': 877388, 'or or day': 616407, 'or day later': 614891, 'day later need': 227882, 'later need to': 481099, 'go to hardware': 354315, 'to hardware store': 907173, 'hardware store supermarket': 378330, 'store supermarket liquor': 810458, 'supermarket liquor store': 821338, 'liquor store medical': 494211, 'store medical marijuana': 808941, 'medical marijuana store': 526249, 'marijuana store any': 515724, 'store any essential': 806427, 'any essential store': 79192, 'essential store couldn': 281590, 'store couldn you': 807202, 'couldn you get': 209946, 'get the covid': 348235, '19 from someone': 7136, 'from someone else': 337350, 'someone else later': 784449, 'else later just': 271775, 'later just curious': 481087, 'station amp': 796328, 'amp promoted': 54340, 'acquire the': 29161, 'seed they': 746176, 'coming season': 188182, 'market in today': 516579, 'today with we': 920563, 'with we provided': 1002041, 'washing station amp': 967721, 'station amp sanitizer': 796329, 'amp sanitizer amp': 54439, 'sanitizer amp promoted': 734367, 'amp promoted social': 54341, 'could acquire the': 208791, 'acquire the seed': 29162, 'the seed they': 866641, 'seed they need': 746177, 'the coming season': 851200, 'marrickville': 517995, 'nswpol': 576719, 'announcement over': 77183, 'pa at': 632836, 'woolworth marrickville': 1004423, 'marrickville metro': 517996, 'metro supermarket': 529945, 'supermarket telling': 823146, 'maintain distancing': 508959, 'is absurd': 445303, 'absurd in': 27501, 'aisle there': 40391, 'just isn': 469078, 'room auspol': 725889, 'auspol nswpol': 103086, 'the announcement over': 848758, 'announcement over the': 77184, 'over the pa': 630748, 'the pa at': 862826, 'pa at woolworth': 632837, 'at woolworth marrickville': 101585, 'woolworth marrickville metro': 1004424, 'marrickville metro supermarket': 517997, 'metro supermarket telling': 529946, 'supermarket telling shopper': 823147, 'telling shopper to': 837257, 'to maintain distancing': 909570, 'maintain distancing is': 508960, 'distancing is absurd': 247238, 'is absurd in': 445304, 'absurd in supermarket': 27502, 'supermarket aisle there': 818846, 'aisle there just': 40392, 'there just isn': 878681, 'just isn enough': 469079, 'isn enough room': 454489, 'enough room auspol': 277601, 'room auspol nswpol': 725890, 'healing': 386082, 'after trip': 36449, 'supermarket epidemiologist': 820188, 'epidemiologist dr': 279484, 'dr tim': 258112, 'tim healing': 896154, 'healing give': 386085, 'advice socialdistancing': 33503, 'to wash our': 918350, 'wash our food': 967527, 'our food item': 623113, 'item after trip': 463033, 'after trip to': 36450, 'the supermarket epidemiologist': 868573, 'supermarket epidemiologist dr': 820189, 'epidemiologist dr tim': 279485, 'dr tim healing': 258113, 'tim healing give': 896155, 'healing give his': 386086, 'give his advice': 350524, 'his advice socialdistancing': 397184, 'one drinking': 606213, 'drinking everyday': 258923, 'everyday right': 286619, 'right ve': 722385, 'package store': 633412, 'than ve': 841403, 'store quarantinediaries': 809718, 'only one drinking': 610869, 'one drinking everyday': 606214, 'drinking everyday right': 258924, 'everyday right ve': 286620, 'right ve been': 722386, 'the package store': 862847, 'package store more': 633413, 'store more in': 808985, 'more in the': 539527, 'week than ve': 976970, 'than ve been': 841404, 'grocery store quarantinediaries': 365694, 'welp guess': 978870, 'start tweeting': 794611, 'tweeting again': 936474, 'again myquarantineinsixwords': 37075, 'welp guess ll': 978871, 'guess ll start': 368004, 'll start tweeting': 497033, 'start tweeting again': 794612, 'tweeting again myquarantineinsixwords': 936475, 'hero praise': 394073, 'praise when': 668874, 'target or': 834486, 'or walmart': 617717, 'walmart next': 965370, 'next christmas': 561304, 'christmas and': 178151, 'something ring': 785042, 'ring up': 722540, 'wrong price': 1013089, 'price corona': 673244, 'all remember this': 44152, 'remember this grocery': 710348, 'are hero praise': 87135, 'hero praise when': 394074, 'praise when you': 668875, 'go to target': 354367, 'to target or': 916302, 'target or walmart': 834488, 'or walmart next': 617718, 'walmart next christmas': 965371, 'next christmas and': 561305, 'christmas and the': 178152, 'the line are': 859402, 'are long or': 87872, 'long or something': 501543, 'or something ring': 617164, 'something ring up': 785043, 'ring up the': 722541, 'the wrong price': 872108, 'wrong price corona': 1013090, 'just shopping online': 469786, 'online through this': 609570, 'always jam': 49636, 'jam whether': 464364, 'malaysia is always': 511615, 'is always jam': 445596, 'always jam whether': 49637, 'jam whether it': 464365, 'supermarket or on': 821823, 'logical': 500672, 'it occurred': 459979, 'the tv': 870123, 'other medium': 620530, 'are where': 91621, 'idea supermarket': 413176, 'told regularly': 923667, 'regularly is': 707925, 'or logical': 615991, 'logical that': 500675, 'some is': 783141, 'ha it occurred': 371023, 'it occurred to': 459980, 'occurred to the': 579052, 'to the tv': 917149, 'the tv and': 870124, 'and other medium': 68362, 'other medium that': 620532, 'medium that they': 527312, 'they are where': 881460, 'are where people': 91622, 'are getting the': 86826, 'getting the idea': 349348, 'the idea supermarket': 857827, 'idea supermarket are': 413177, 'running out if': 728026, 'you are told': 1017266, 'are told regularly': 91126, 'told regularly is': 923668, 'regularly is it': 707926, 'it panic or': 460253, 'panic or logical': 638368, 'or logical that': 615992, 'logical that the': 500676, 'that the response': 846819, 'the response by': 865619, 'response by some': 715645, 'by some is': 154076, 'some is to': 783142, 're coughing': 698472, 'face until': 294833, 'do not realize': 249811, 'not realize how': 571225, 'much you re': 545497, 'you re coughing': 1020597, 're coughing and': 698473, 'coughing and touching': 208669, 'and touching your': 74307, 'your face until': 1023760, 'face until you': 294834, 'until you re': 943946, 're waiting in': 699773, 'store during global': 807403, 'during global pandemic': 262662, 'korona': 477539, 'family keep': 297975, 'checking corona': 174813, 'corona live': 204037, 'update corona': 946914, 'coronafighters korona': 204945, 'korona quarentinelife': 477540, 'quarentinelife stpatricksday': 693213, 'seattle to offer': 743576, 'to offer 800': 910824, 'offer 800 grocery': 594508, 'grocery voucher to': 366108, 'voucher to 00': 960674, 'to 00 family': 899412, '00 family keep': 201, 'family keep checking': 297976, 'keep checking corona': 471390, 'checking corona live': 174814, 'corona live update': 204038, 'live update corona': 496090, 'update corona coronaalert': 946915, 'coronaalert coronafighters korona': 204421, 'coronafighters korona quarentinelife': 204946, 'korona quarentinelife stpatricksday': 477541, 'ha cashier': 370065, 'cashier whose': 166666, 'whose son': 990680, 'letting her': 487410, 'her call': 391911, 'work unless': 1005953, 'unless she': 942639, 'ha doctor': 370405, 'test this': 839207, 'is willingly': 453995, 'willingly exposing': 995485, 'exposing people': 292931, 'friend just told': 333690, 'the supermarket she': 868792, 'supermarket she work': 822413, 'she work for': 756475, 'for ha cashier': 322092, 'ha cashier whose': 370066, 'cashier whose son': 166667, 'whose son ha': 990681, 'son ha been': 785380, 'exposed to 19': 292889, 'are not letting': 88407, 'not letting her': 570381, 'letting her call': 487411, 'her call out': 391912, 'call out of': 156064, 'of work unless': 593267, 'work unless she': 1005954, 'unless she ha': 942640, 'she ha doctor': 756073, 'ha doctor note': 370406, 'doctor note and': 250989, 'note and positive': 572699, 'and positive test': 69208, 'positive test this': 665453, 'test this business': 839208, 'this business is': 886633, 'business is willingly': 143960, 'is willingly exposing': 453996, 'willingly exposing people': 995486, 'at engaging': 98542, 'engaging additional': 276912, 'additional staff': 31870, 'yourself laid': 1026656, 'off contact': 593738, 'contact local': 200127, 'manufacturer who': 513543, 'at taking': 100819, 'on additional': 599162, 'be plentiful': 116449, 'plentiful no': 660893, 'manufacturer are looking': 513428, 'looking at engaging': 502806, 'at engaging additional': 98543, 'engaging additional staff': 276913, 'additional staff across': 31871, 'the uk if': 870236, 'you have found': 1019049, 'have found yourself': 380711, 'found yourself laid': 330475, 'yourself laid off': 1026657, 'laid off contact': 479015, 'off contact local': 593739, 'contact local food': 200128, 'local food manufacturer': 497966, 'food manufacturer who': 315377, 'manufacturer who are': 513544, 'looking at taking': 502825, 'at taking on': 100820, 'taking on additional': 833476, 'on additional staff': 599163, 'additional staff during': 31872, 'the crisis food': 852378, 'crisis food will': 217385, 'will be plentiful': 992610, 'be plentiful no': 116450, 'plentiful no need': 660894, 'movevan': 543970, 'tuesdaythoughts on': 935223, 'work some': 1005749, 'some need': 783345, 'move under': 543773, 'the given': 856275, 'given deadline': 350979, 'deadline or': 229228, 'consequence at': 194844, 'at movevan': 99781, 'movevan we': 543971, 'following every': 312729, 'against providing': 37595, 'highly affordable': 396035, 'tuesdaythoughts on not': 935224, 'on not everyone': 602441, 'everyone can afford': 286765, 'afford to postpone': 34805, 'postpone their work': 666786, 'their work some': 875206, 'work some need': 1005750, 'some need to': 783347, 'to move under': 910323, 'move under the': 543774, 'under the given': 940308, 'the given deadline': 856276, 'given deadline or': 350980, 'deadline or face': 229229, 'or face serious': 615245, 'face serious consequence': 294724, 'serious consequence at': 751353, 'consequence at movevan': 194845, 'at movevan we': 99782, 'movevan we are': 543972, 'are following every': 86620, 'following every precaution': 312730, 'every precaution against': 286119, 'precaution against providing': 669269, 'against providing our': 37596, 'providing our service': 687065, 'our service at': 624726, 'service at highly': 752156, 'at highly affordable': 98907, 'highly affordable price': 396036, 'an interacting': 56392, 'feel adequately': 302550, 'adequately protected': 32196, 'protected while': 685168, 'job join': 465928, 'join at': 466679, 'noon for': 566844, 'for conversation': 320343, 'are you an': 91765, 'you an interacting': 1016971, 'an interacting with': 56393, 'the pandemic do': 862949, 'you feel adequately': 1018534, 'feel adequately protected': 302551, 'adequately protected while': 32198, 'protected while on': 685169, 'the job join': 858663, 'job join at': 465929, 'join at noon': 466680, 'at noon for': 99905, 'noon for conversation': 566845, 'for conversation with': 320344, 'conversation with grocery': 202503, 'usnscomfort': 950833, 'military member': 531479, 'member walk': 528229, 'past usnscomfort': 643633, 'usnscomfort in': 950834, 'in newyorkcity': 425854, 'newyorkcity ship': 561216, 'ship treat': 758726, 'treat non': 930852, 'non case': 566307, 'help relieve': 390432, 'relieve hospital': 709528, 'hospital more': 404512, 'quarantine ny': 692395, 'usa military member': 948695, 'military member walk': 531480, 'member walk past': 528230, 'walk past usnscomfort': 964864, 'past usnscomfort in': 643634, 'usnscomfort in newyorkcity': 950835, 'in newyorkcity ship': 425856, 'newyorkcity ship treat': 561217, 'ship treat non': 758727, 'treat non case': 930853, 'non case to': 566308, 'case to help': 166072, 'to help relieve': 907607, 'help relieve hospital': 390433, 'relieve hospital more': 709529, 'hospital more pic': 404513, 'cuomo quarantine ny': 220427, 'blight': 132669, 'you bill': 1017477, 'and chelsea': 59806, 'chelsea march': 175309, 'march your': 515547, 'your ass': 1022859, 'ass into': 96256, 'shelf stop': 757603, 'being blight': 124894, 'not you bill': 572605, 'you bill and': 1017478, 'bill and chelsea': 130503, 'and chelsea march': 59807, 'chelsea march your': 175310, 'march your ass': 515548, 'your ass into': 1022860, 'ass into supermarket': 96257, 'supermarket to volunteer': 823425, 'volunteer to restock': 960358, 'restock shelf stop': 716907, 'shelf stop being': 757604, 'stop being blight': 804482, 'gcw': 344841, 'permitting': 652192, 'helping government': 391342, 'government center': 359971, 'center west': 169321, 'west gcw': 980499, 'gcw customer': 344842, 'customer complete': 222265, 'complete their': 192174, 'their licensing': 873816, 'licensing and': 488187, 'and permitting': 68910, 'permitting need': 652193, '19 gcw': 7188, 'gcw virtual': 344844, 'virtual operation': 957766, 'for county': 320417, 'county information': 211416, 'is helping government': 448401, 'helping government center': 391343, 'government center west': 359972, 'center west gcw': 169322, 'west gcw customer': 980500, 'gcw customer complete': 344843, 'customer complete their': 222266, 'complete their licensing': 192175, 'their licensing and': 873817, 'licensing and permitting': 488188, 'and permitting need': 68911, 'permitting need online': 652194, 'need online to': 555374, 'online to reduce': 609597, 'covid 19 gcw': 213139, '19 gcw virtual': 7189, 'gcw virtual operation': 344845, 'virtual operation for': 957767, 'operation for county': 613182, 'for county information': 320418, 'county information regarding': 211417, 'information regarding covid': 437961, 'crimesagainsthumanity': 216815, 'the nice': 861783, 'move wa': 543776, 'dm where': 248937, 'she sealed': 756335, 'sealed the': 743186, 'ration shop': 697723, 'shared so': 755447, 'price crimesagainsthumanity': 673343, 'the nice move': 861784, 'nice move wa': 562439, 'move wa taken': 543777, 'wa taken by': 963394, 'taken by dm': 832969, 'by dm where': 152384, 'dm where she': 248938, 'where she sealed': 985169, 'she sealed the': 756336, 'sealed the shop': 743187, 'the shop because': 866982, 'were charging high': 979431, 'the ration shop': 865177, 'ration shop this': 697725, 'shop this should': 760929, 'should be shared': 765726, 'be shared so': 117124, 'shared so that': 755448, 'that others stop': 845567, 'others stop charging': 621663, 'high price crimesagainsthumanity': 395243, 'inhistogether': 438464, 'claim related': 179793, 'prevent related': 671707, 'caregiver inhistogether': 164510, 'people are particularly': 647045, 'fraudulent claim related': 331451, 'claim related to': 179794, 'related to offer': 708610, 'to offer tip': 910854, 'to prevent related': 912085, 'prevent related scam': 671708, 'related scam caregiver': 708549, 'scam caregiver inhistogether': 740103, 'argue': 92681, 'of seeing': 589450, 'that migrant': 845167, 'benefit remember': 127074, 'you argue': 1017302, 'argue about': 92682, 'tired of seeing': 899050, 'of seeing people': 589453, 'seeing people say': 746412, 'people say that': 649352, 'say that migrant': 739244, 'that migrant worker': 845168, 'migrant worker should': 531232, 'not be eligible': 568377, 'eligible for covid': 271421, '19 benefit remember': 5375, 'benefit remember that': 127075, 'that they took': 846956, 'they took care': 883579, 'of your food': 593475, 'your food the': 1023932, 'food the next': 317124, 'time you argue': 898401, 'you argue about': 1017303, 'argue about the': 92683, 'about the produce': 26491, 'bit relieved': 131685, 'relieved to': 709549, 'see uk': 745993, 'government changing': 359973, 'strategy hope': 812655, 'the nerve': 861446, 'nerve of': 557439, 'for stocked': 325916, 'little bit relieved': 495260, 'bit relieved to': 131686, 'relieved to see': 709550, 'to see uk': 914092, 'see uk government': 745994, 'uk government changing': 938410, 'government changing the': 359974, 'changing the direction': 172809, 'direction of covid': 243471, '19 strategy hope': 10902, 'strategy hope it': 812656, 'hope it calm': 403513, 'it calm the': 457000, 'calm the nerve': 156813, 'the nerve of': 861447, 'nerve of grocery': 557440, 'of grocery shopper': 584355, 'grocery shopper and': 364984, 'shopper and hope': 761366, 'and hope for': 64714, 'hope for stocked': 403487, 'for stocked supermarket': 325917, 'stocked supermarket on': 803412, 'supermarket on wednesday': 821742, 'england are': 277004, 'outbreak for': 628226, 'across england are': 29319, 'england are to': 277005, 'are to benefit': 91108, '19 outbreak for': 9124, 'outbreak for more': 628227, 'rugby': 727096, 'wresting': 1012730, 'that sport': 846437, 'sport event': 789930, 'or postponed': 616654, 'postponed suppose': 666828, 'suppose the': 827314, 'watch is': 968451, 'is rugby': 451584, 'rugby wresting': 727097, 'wresting at': 1012731, 'coronacrisis panickbuyinguk': 204698, 'panickbuyinguk stayhomesavelives': 639239, 'stayhomesavelives saturdaythoughts': 798436, 'saturdaythoughts saturdaymorning': 737117, 'now that sport': 576016, 'that sport event': 846439, 'sport event have': 789931, 'been cancelled or': 120791, 'cancelled or postponed': 161149, 'or postponed suppose': 616656, 'postponed suppose the': 666829, 'suppose the only': 827315, 'thing left to': 884531, 'left to watch': 485696, 'to watch is': 918384, 'watch is rugby': 968452, 'is rugby wresting': 451585, 'rugby wresting at': 727098, 'wresting at your': 1012732, 'local supermarket coronacrisis': 498512, 'supermarket coronacrisis panickbuyinguk': 819796, 'coronacrisis panickbuyinguk stayhomesavelives': 204699, 'panickbuyinguk stayhomesavelives saturdaythoughts': 639240, 'stayhomesavelives saturdaythoughts saturdaymorning': 798437, 'hero grocery clerk': 394003, 'boro': 135580, 'synced': 830981, 'whole female': 990206, 'female population': 303506, 'of boro': 580789, 'boro menstrual': 135581, 'cycle have': 224050, 'have synced': 382898, 'synced stockpiling': 830982, 'shelf were in': 757770, 'were in for': 979773, 'in for lot': 423018, 'for lot worse': 323119, 'than the carona': 841223, 'carona virus it': 164861, 'virus it seems': 958421, 'seems the whole': 746869, 'the whole female': 871490, 'whole female population': 990207, 'female population of': 303507, 'population of boro': 664723, 'of boro menstrual': 580790, 'boro menstrual cycle': 135582, 'menstrual cycle have': 528618, 'cycle have synced': 224051, 'have synced stockpiling': 382899, 'yes empty': 1015423, 'are novelty': 88512, 'novelty but': 573834, 'but sharing': 147021, 'sharing hundred': 755538, 'mass anxiety': 519739, 'anxiety or': 78767, 'chain consider': 170610, 'consider sharing': 195094, 'yes empty shelf': 1015424, 'shelf are novelty': 756817, 'are novelty but': 88513, 'novelty but sharing': 573835, 'but sharing hundred': 147022, 'sharing hundred of': 755539, 'hundred of these': 411016, 'of these picture': 591851, 'these picture is': 880483, 'picture is not': 656147, 'helping the mass': 391496, 'the mass anxiety': 860238, 'mass anxiety or': 519740, 'anxiety or the': 78768, 'or the supply': 617403, 'supply chain consider': 824935, 'chain consider sharing': 170611, 'consider sharing this': 195095, 'boding': 133809, 'rapprochement': 697060, 'retreating': 719771, 'brent ha': 139342, 'ha again': 369473, 'again retreated': 37150, 'retreated governed': 719765, 'governed by': 359789, 'supply double': 825179, 'whammy with': 980943, '19 raging': 9939, 'raging unabated': 695562, 'unabated and': 939313, 'anti contagion': 78290, 'contagion measure': 200414, 'measure boding': 525141, 'boding ill': 133810, 'opec rapprochement': 611952, 'rapprochement even': 697061, 'if achieved': 413772, 'achieved would': 29056, 'would struggle': 1012290, 'amid retreating': 52625, 'retreating demand': 719772, 'brent ha again': 139343, 'ha again retreated': 369474, 'again retreated governed': 37151, 'retreated governed by': 719766, 'governed by the': 359791, 'by the demand': 154306, 'demand supply double': 236293, 'supply double whammy': 825180, 'double whammy with': 256092, 'whammy with covid': 980944, 'covid 19 raging': 213646, '19 raging unabated': 9940, 'raging unabated and': 695563, 'unabated and anti': 939314, 'and anti contagion': 58175, 'anti contagion measure': 78291, 'contagion measure boding': 200415, 'measure boding ill': 525142, 'boding ill for': 133811, 'ill for the': 416123, 'global economy an': 351889, 'economy an opec': 267634, 'an opec rapprochement': 56651, 'opec rapprochement even': 611953, 'rapprochement even if': 697062, 'even if achieved': 284197, 'if achieved would': 413773, 'achieved would struggle': 29057, 'would struggle to': 1012291, 'struggle to lift': 814389, 'lift price amid': 489451, 'price amid retreating': 672317, 'amid retreating demand': 52626, 'genuinely can': 345878, 'up make': 945356, 'bloody report': 133222, 'them son': 876310, 'son we': 785454, 'hiking takeaway': 396413, 'takeaway coronacrisis': 832850, 'genuinely can believe': 345879, 'can believe they': 157745, 'believe they re': 126377, 're putting the': 699336, 'price up make': 677245, 'up make sure': 945357, 'sure you bloody': 827849, 'you bloody report': 1017490, 'bloody report them': 133223, 'report them son': 712362, 'them son we': 876311, 'son we need': 785455, 'need to stick': 556087, 'to stick together': 915401, 'together and fight': 920691, 'fight the price': 304902, 'the price hiking': 864364, 'price hiking takeaway': 674545, 'hiking takeaway coronacrisis': 396414, 'summa': 817908, 'biotches': 131271, 'torontostrong': 926028, 'service condo': 752252, 'condo building': 193585, 'building really': 142133, 'really build': 702039, 'build grocery': 141974, 'store fix': 807738, 'fix our': 309739, 'school seeing': 741913, 'is slap': 451960, 'work front': 1005199, '19 summa': 10937, 'summa biotches': 817909, 'biotches torontostrong': 131272, 'essential service condo': 281500, 'service condo building': 752253, 'condo building really': 193586, 'building really build': 142134, 'really build grocery': 702040, 'build grocery store': 141975, 'grocery store fix': 365401, 'store fix our': 807739, 'fix our school': 309740, 'our school seeing': 624686, 'school seeing this': 741914, 'seeing this is': 746517, 'this is slap': 888402, 'is slap in': 451961, 'the face to': 854807, 'face to the': 294816, 'real people that': 701301, 'to work front': 918725, 'work front line': 1005200, 'front line take': 338609, 'line take advantage': 493440, 'covid 19 summa': 213887, '19 summa biotches': 10938, 'summa biotches torontostrong': 817910, 'traveltips': 930705, 'healthawareness': 387004, 'travelguide': 930629, 'tourguide': 926950, 'world build': 1009375, 'build strong': 142006, 'strong resistance': 814105, 'resistance to': 714590, 'fight war': 304938, 'avoiding close': 105437, 'contact cleaning': 200049, 'cleaning hand': 180957, 'mouth who': 543582, 'who traveltips': 989822, 'traveltips healthawareness': 930706, 'healthawareness travelguide': 387005, 'travelguide tourguide': 930630, 'corona virus is': 204321, 'virus is now': 958393, 'is now all': 450256, 'now all over': 573963, 'the world build': 871826, 'world build strong': 1009376, 'build strong resistance': 142007, 'strong resistance to': 814106, 'resistance to fight': 714591, 'to fight war': 905816, 'fight war against': 304939, 'war against corona': 966340, 'against corona virus': 37381, 'corona virus by': 204292, 'virus by avoiding': 958019, 'by avoiding close': 151921, 'avoiding close contact': 105438, 'close contact cleaning': 182592, 'contact cleaning hand': 200050, 'cleaning hand by': 180958, 'hand by sanitizer': 374853, 'and mouth who': 67288, 'mouth who traveltips': 543583, 'who traveltips healthawareness': 989823, 'traveltips healthawareness travelguide': 930707, 'healthawareness travelguide tourguide': 387006, 'disruption gi': 246482, 'gi bill': 349711, 'bill benefit': 130524, 'risk school': 723863, 'school transition': 741962, 'transition online': 929674, 'online insurance': 608421, '19 disruption gi': 6575, 'disruption gi bill': 246483, 'gi bill benefit': 349712, 'bill benefit at': 130525, 'benefit at risk': 126929, 'at risk school': 100394, 'risk school transition': 723864, 'school transition online': 741963, 'transition online insurance': 929675, 'are invited': 87571, 'you are invited': 1017154, 'are invited covid': 87572, 'area hit': 92050, 'study job': 814922, 'to closure': 902915, 'closure send': 184024, 'asked set': 95821, 'an area hit': 55388, 'area hit hard': 92051, 'on thing or': 604588, 'thing or have': 884654, 'or have lost': 615584, 'lost your work': 503962, 'your work study': 1026379, 'work study job': 1005774, 'study job due': 814923, 'due to closure': 261731, 'to closure send': 902916, 'closure send me': 184025, 'venmo and ll': 954479, 'and ll send': 66273, 'question asked set': 693543, 'salar': 731934, 'millat': 531977, 'akbaruddin': 40511, 'owaisi': 631804, 'it miserable': 459636, 'miserable time': 533989, 'time salar': 897605, 'salar millat': 731935, 'millat educational': 531978, 'educational trust': 268894, 'trust is': 934280, 'reach every': 699917, 'society under': 781352, 'the leadership': 859227, 'it founder': 458126, 'founder chairman': 330532, 'chairman akbaruddin': 171318, 'akbaruddin owaisi': 40512, 'owaisi provided': 631805, 'it miserable time': 459637, 'miserable time salar': 533990, 'time salar millat': 897606, 'salar millat educational': 731936, 'millat educational trust': 531979, 'educational trust is': 268895, 'trust is trying': 934282, 'trying to reach': 934852, 'to reach every': 912797, 'reach every section': 699919, 'every section of': 286154, 'section of society': 744027, 'of society under': 589877, 'society under the': 781353, 'under the leadership': 940317, 'the leadership of': 859228, 'leadership of it': 483635, 'of it founder': 585397, 'it founder chairman': 458127, 'founder chairman akbaruddin': 330533, 'chairman akbaruddin owaisi': 171319, 'akbaruddin owaisi provided': 40513, 'owaisi provided mask': 631806, 'provided mask and': 686625, 'sanitizer to police': 735941, 'to police official': 911867, 'rapping': 697054, 'venom': 954488, 'malevolent': 511699, 'spinning': 789408, 'store parent': 809465, 'parent pull': 641711, 'kid closer': 473906, 'closer when': 183526, 'asian me': 95309, 'start rapping': 794453, 'rapping venom': 697055, 'venom knock': 954489, 'knock knock': 476156, 'knock let': 476158, 'in malevolent': 425018, 'malevolent ve': 511702, 'been head': 121263, 'head is': 385756, 'is spinning': 452164, 'spinning saying': 789413, 'saying let': 739632, 'virus fuck': 958220, 'meanwhile at the': 524954, 'grocery store parent': 365640, 'store parent pull': 809466, 'parent pull their': 641712, 'pull their kid': 688885, 'their kid closer': 873755, 'kid closer when': 473907, 'closer when they': 183528, 'when they see': 984281, 'they see me': 883292, 'see me who': 745411, 'me who is': 523968, 'who is asian': 989059, 'is asian me': 445821, 'asian me start': 95310, 'me start rapping': 523535, 'start rapping venom': 794454, 'rapping venom knock': 697056, 'venom knock knock': 954490, 'knock knock let': 476157, 'knock let the': 476159, 'let the devil': 487124, 'devil in malevolent': 239960, 'in malevolent ve': 425019, 'malevolent ve ever': 511703, 'ever been head': 285216, 'been head is': 121264, 'head is spinning': 385757, 'is spinning saying': 452165, 'spinning saying let': 789414, 'saying let in': 739633, 'let in chinese': 486816, 'in chinese virus': 421455, 'chinese virus fuck': 177378, 'virus fuck you': 958221, 'fabriziocorona': 294254, 'letshavefun': 487270, 'shareit': 755493, 'what bought': 981133, 'bought take': 136729, 'easy corona': 265676, 'corona fabriziocorona': 203937, 'fabriziocorona letshavefun': 294255, 'letshavefun lovely': 487271, 'lovely shit': 504982, 'shit human': 759127, 'human why': 410660, 'why shareit': 991329, 'supermarket empty so': 820159, 'empty so that': 275130, 'so that is': 778377, 'that is what': 844675, 'is what bought': 453865, 'what bought take': 981134, 'bought take it': 136730, 'it easy corona': 457741, 'easy corona fabriziocorona': 265677, 'corona fabriziocorona letshavefun': 203938, 'fabriziocorona letshavefun lovely': 294256, 'letshavefun lovely shit': 487272, 'lovely shit human': 504983, 'shit human why': 759128, 'human why shareit': 410661, 'healthy but': 387548, 'afford fresh': 34698, 'that double': 843610, 'double what': 256093, 'sunday abusive': 818157, 'told to eat': 923747, 'to eat well': 904909, 'eat well to': 266104, 'well to stay': 978704, 'stay healthy but': 796894, 'healthy but who': 387551, 'but who can': 147850, 'can afford fresh': 157398, 'afford fresh vegetable': 34699, 'fresh vegetable at': 333099, 'vegetable at these': 953946, 'these price that': 880543, 'price that double': 676800, 'that double what': 843611, 'double what they': 256094, 'what they were': 982423, 'same supermarket on': 733316, 'on sunday abusive': 603749, 'sunday abusive price': 818158, 'eine': 270224, 'wahre': 964047, 'coronageschichte': 204960, 'wenn': 978940, 'supermarktkasse': 824273, 'ohne': 596570, 'vorwarnung': 960446, 'taschent': 834655, 'cherpaket': 175533, 'weg': 977626, 'genommen': 345820, 'wird': 996544, 'deine': 232589, 'schokoladen': 741656, 'ostereiert': 619740, 'aber': 24318, 'halbiert': 374121, 'werden': 979244, 'vorgang': 960440, 'coronadi': 204930, 'feelthejr': 303123, 'eine wahre': 270229, 'wahre coronageschichte': 964048, 'coronageschichte wenn': 204961, 'wenn dir': 978941, 'dir an': 243240, 'an der': 55532, 'der supermarktkasse': 237822, 'supermarktkasse ohne': 824274, 'ohne vorwarnung': 596571, 'vorwarnung da': 960447, 'da taschent': 224244, 'taschent cherpaket': 834656, 'cherpaket weg': 175534, 'weg genommen': 977627, 'genommen wird': 345821, 'wird deine': 996545, 'deine schokoladen': 232590, 'schokoladen ostereiert': 741657, 'ostereiert ten': 619741, 'ten aber': 837764, 'aber nicht': 24319, 'nicht halbiert': 562569, 'halbiert werden': 374122, 'werden den': 979245, 'den vorgang': 236913, 'vorgang nennt': 960441, 'nennt man': 557381, 'man coronadi': 512035, 'coronadi feelthejr': 204931, 'eine wahre coronageschichte': 270230, 'wahre coronageschichte wenn': 964049, 'coronageschichte wenn dir': 204962, 'wenn dir an': 978942, 'dir an der': 243241, 'an der supermarktkasse': 55533, 'der supermarktkasse ohne': 237823, 'supermarktkasse ohne vorwarnung': 824275, 'ohne vorwarnung da': 596572, 'vorwarnung da taschent': 960448, 'da taschent cherpaket': 224245, 'taschent cherpaket weg': 834657, 'cherpaket weg genommen': 175535, 'weg genommen wird': 977628, 'genommen wird deine': 345822, 'wird deine schokoladen': 996546, 'deine schokoladen ostereiert': 232591, 'schokoladen ostereiert ten': 741658, 'ostereiert ten aber': 619742, 'ten aber nicht': 837765, 'aber nicht halbiert': 24320, 'nicht halbiert werden': 562570, 'halbiert werden den': 374123, 'werden den vorgang': 979246, 'den vorgang nennt': 236914, 'vorgang nennt man': 960442, 'nennt man coronadi': 557382, 'man coronadi feelthejr': 512036, 'litigating': 495131, 'of lawsuit': 585742, 'fox under': 330778, 'act declaration': 29624, 'declaration is': 231155, 'required here': 713374, 'since fox': 770606, 'fox may': 330758, 'may foresee': 521199, 'additional legal': 31839, 'legal action': 485833, 'action it': 30056, 'may allow': 520907, 'allow injured': 45981, 'injured party': 438711, 'prevent fox': 671626, 'from re': 337041, 're litigating': 699000, 'litigating the': 495132, 'the violation': 870776, 'seen of lawsuit': 747162, 'of lawsuit against': 585743, 'against fox under': 37455, 'fox under the': 330779, 'under the washington': 940338, 'privacy act declaration': 678790, 'act declaration is': 29625, 'declaration is required': 231156, 'is required here': 451450, 'required here but': 713375, 'here but since': 392839, 'but since fox': 147059, 'since fox may': 770607, 'fox may foresee': 330759, 'may foresee additional': 521200, 'foresee additional legal': 329046, 'additional legal action': 31840, 'legal action it': 485835, 'action it may': 30057, 'it may allow': 459546, 'may allow injured': 520908, 'allow injured party': 45982, 'injured party to': 438712, 'party to prevent': 643050, 'to prevent fox': 912061, 'prevent fox from': 671627, 'fox from re': 330756, 'from re litigating': 337042, 're litigating the': 699001, 'litigating the violation': 495133, 'wow uk': 1012613, 'uk look': 938526, 'like truly': 491674, 'truly shitty': 933336, 'shitty company': 759366, 'company these': 191202, 'these nh': 880347, 'provide hot': 686352, 'hot meal': 405027, 'even discounted': 284003, 'discounted mean': 244586, 'literally taking': 495087, 'sick humanity': 768473, 'humanity coronacrisisuk': 410716, 'wow uk look': 1012614, 'uk look like': 938527, 'look like truly': 502522, 'like truly shitty': 491675, 'truly shitty company': 933337, 'shitty company these': 759367, 'company these nh': 191203, 'these nh worker': 880348, 'nh worker cannot': 562177, 'worker cannot get': 1006597, 'buying yet you': 151403, 'yet you will': 1016343, 'will not provide': 994255, 'not provide hot': 571145, 'provide hot meal': 686353, 'hot meal or': 405028, 'meal or even': 524229, 'or even discounted': 615196, 'even discounted mean': 284004, 'discounted mean to': 244587, 'mean to people': 524738, 'are literally taking': 87840, 'literally taking care': 495088, 'of the sick': 591465, 'the sick humanity': 867151, 'sick humanity coronacrisisuk': 768474, 'bank find': 109831, 'volunteer opportunity': 960310, 'help from our': 389775, 'our home during': 623446, 'difficult time here': 242291, 'your local and': 1024676, 'and national food': 67429, 'national food bank': 552511, 'food bank find': 313569, 'bank find more': 109832, 'find more volunteer': 307071, 'more volunteer opportunity': 540926, 'volunteer opportunity here': 960311, 'faizan': 296555, 'yusuf': 1027126, 'danube': 225905, 'salaam': 731904, 'jedhha': 464976, 'famliy': 298445, 'sepreding': 751143, 'hello good': 389167, 'am faizan': 50041, 'faizan yusuf': 296556, 'yusuf am': 1027127, 'in danube': 421986, 'danube online': 225906, 'online hypermarket': 608383, 'hypermarket al': 412322, 'al salaam': 40600, 'salaam mall': 731905, 'mall jedhha': 511798, 'jedhha almost': 464977, 'almost complete': 46579, 'complete 10': 192059, 'ksa now': 477825, 'ksa my': 477823, 'my famliy': 548239, 'famliy panic': 298446, 'the sepreding': 866719, 'sepreding covid': 751144, 'in jedhha': 424380, 'hello good morning': 389168, 'good morning am': 357401, 'morning am faizan': 541145, 'am faizan yusuf': 50042, 'faizan yusuf am': 296557, 'yusuf am working': 1027128, 'am working in': 50576, 'working in danube': 1008710, 'in danube online': 421987, 'danube online hypermarket': 225907, 'online hypermarket al': 608384, 'hypermarket al salaam': 412323, 'al salaam mall': 40601, 'salaam mall jedhha': 731906, 'mall jedhha almost': 511799, 'jedhha almost complete': 464978, 'almost complete 10': 46580, 'complete 10 month': 192060, '10 month in': 1548, 'month in ksa': 537793, 'in ksa now': 424543, 'ksa now do': 477826, 'work in ksa': 1005318, 'in ksa my': 424542, 'ksa my famliy': 477824, 'my famliy panic': 548240, 'famliy panic about': 298447, 'about the sepreding': 26516, 'the sepreding covid': 866720, 'sepreding covid 19': 751145, '19 in jedhha': 7757, 'together an excellent': 920682, 'man message': 512157, 'other asian': 619849, 'asian shopkeeper': 95338, 'stop doubling': 804622, 'well done this': 978204, 'done this man': 255057, 'this man message': 888757, 'man message from': 512158, 'message from him': 529315, 'from him to': 335807, 'him to other': 396746, 'to other asian': 911109, 'other asian shopkeeper': 619850, 'asian shopkeeper to': 95339, 'shopkeeper to stop': 761199, 'to stop doubling': 915518, 'stop doubling price': 804623, 'price and ripping': 672525, 'and ripping people': 70539, 'way thing': 969969, 'going you': 355822, 'cater for': 167242, 'possible stay': 665788, 'isolation coz': 455244, 'safer to': 730394, 'communicate digitally': 189541, 'digitally but': 242741, 'but noo': 146518, 'noo they': 566774, 'actually increasing': 30848, 'with the way': 1001539, 'the way thing': 871197, 'way thing are': 969970, 'are going you': 86906, 'going you would': 355823, 'you would expect': 1022448, 'would expect to': 1011803, 'expect to reduce': 290774, 'price to cater': 676974, 'to cater for': 902522, 'cater for possible': 167243, 'for possible stay': 324632, 'possible stay at': 665789, 'at home because': 98947, 'home because social': 400784, 'distancing isolation coz': 247260, 'isolation coz it': 455245, 'coz it safer': 214537, 'it safer to': 460847, 'safer to communicate': 730395, 'to communicate digitally': 903091, 'communicate digitally but': 189542, 'digitally but noo': 242742, 'but noo they': 146519, 'noo they actually': 566775, 'they actually increasing': 881098, 'actually increasing price': 30849, 'trump partnering': 933745, 'putin to': 691060, 'gas during': 343827, 'of unemployed': 592622, 'trump partnering with': 933746, 'partnering with the': 642937, 'with the saudi': 1001466, 'saudi and putin': 737174, 'and putin to': 69830, 'putin to raise': 691061, 'price on gas': 675677, 'on gas during': 601067, 'gas during an': 343828, 'during an economic': 262442, 'an economic crisis': 55577, 'economic crisis with': 267039, 'crisis with million': 218426, 'million of unemployed': 532291, 'it growing': 458358, 'forced to add': 328616, 'add more essential': 31452, 'item to it': 463756, 'to it growing': 908584, 'it growing list': 458359, 'list of restricted': 494469, 'of restricted product': 589034, 'restricted product amid': 717159, 'an israeli': 56477, 'israeli couple': 455611, 'get married': 347522, 'married in': 518001, 'it forbidden': 458111, 'forbidden to': 328310, 'have gather': 380755, 'gather of': 344390, 'apply in': 82572, 'couple invited': 211606, 'invited their': 444282, 'supermarket israel': 821154, 'an israeli couple': 56478, 'israeli couple get': 455612, 'couple get married': 211592, 'get married in': 347523, 'married in supermarket': 518002, 'supermarket it forbidden': 821169, 'it forbidden to': 458112, 'forbidden to have': 328311, 'to have gather': 907244, 'have gather of': 380756, 'gather of 10': 344391, 'of 10 or': 579310, 'more people but': 540009, 'doe not apply': 251475, 'not apply in': 568235, 'apply in supermarket': 82573, 'supermarket so this': 822744, 'so this couple': 778497, 'this couple invited': 886984, 'couple invited their': 211607, 'invited their friend': 444283, 'their friend to': 873385, 'friend to supermarket': 333849, 'to supermarket israel': 915804, 'steadily': 799106, 'over rest': 630586, 'curbed spread': 220599, 'activity have': 30433, 'have steadily': 382747, 'steadily returned': 799107, 'normal an': 567085, 'tuesday there': 935191, 'no basis': 563667, 'for overall': 324334, 'overall price': 631028, 'pace over rest': 632956, 'over rest of': 630587, 'rest of 2020': 716181, 'of 2020 china': 579490, '2020 china ha': 14225, 'china ha largely': 176693, 'largely curbed spread': 479844, 'curbed spread of': 220600, '19 and business': 4995, 'business activity have': 143223, 'activity have steadily': 30434, 'have steadily returned': 382748, 'steadily returned to': 799108, 'returned to normal': 719980, 'to normal an': 910641, 'normal an official': 567086, 'an official said': 56568, 'official said tuesday': 595905, 'said tuesday there': 731543, 'tuesday there no': 935192, 'there no basis': 878796, 'no basis for': 563668, 'basis for overall': 112240, 'for overall price': 324335, 'overall price hike': 631030, 'tuesdaythoughts tuesdaymorning': 935225, 'tuesdaymorning panicbuying': 935208, 'panicbuying folk': 638939, 'with msm': 999588, 'msm driving': 544547, 'driving this': 260013, 'this panicbuyers': 889465, 'panicbuyers also': 638847, 'also are': 47880, 'hungry food': 411246, 'give into': 350540, 'tuesdaythoughts tuesdaymorning panicbuying': 935226, 'tuesdaymorning panicbuying folk': 935209, 'panicbuying folk with': 638940, 'folk with msm': 312311, 'with msm driving': 999589, 'msm driving this': 544548, 'driving this panicbuyers': 260014, 'this panicbuyers also': 889466, 'panicbuyers also are': 638848, 'also are driving': 47881, 'are driving this': 86003, 'driving this to': 260015, 'point where there': 662704, 'go hungry food': 353691, 'hungry food pantry': 411247, 'pantry will run': 639716, 'needy and will': 556670, 'not give into': 569641, 'give into panic': 350541, 'yourself at the': 1026540, 'ftc said': 339441, 'scam resulting': 740336, 'of nearly': 586885, 'scam each': 740145, 'average more': 104868, 'common online': 189420, 'commission ftc said': 188836, 'ftc said it': 339442, 'related scam resulting': 708557, 'scam resulting in': 740337, 'resulting in total': 717711, 'in total of': 430219, 'total of nearly': 926213, 'of nearly 12': 586886, 'million lost to': 532230, 'lost to scam': 503942, 'to scam each': 913863, 'scam each person': 740146, 'person lost on': 652527, 'lost on average': 503897, 'on average more': 599515, 'average more than': 104869, 'than 500 the': 840269, 'most common online': 542186, 'common online shopping': 189421, 'microscopy': 530493, 'hi am': 394592, 'will check': 992931, 'update did': 946934, 'with electron': 998191, 'electron microscopy': 271254, 'microscopy thanks': 530494, 'hi am working': 394593, 'am working through': 50577, 'working through these': 1008968, 'through these right': 894795, 'now and will': 574069, 'and will check': 75659, 'will check for': 992932, 'check for update': 174446, 'for update did': 327465, 'update did you': 946935, 'did you see': 240946, 'see this page': 745952, 'this page with': 889359, 'page with electron': 633919, 'with electron microscopy': 998192, 'electron microscopy thanks': 271255, 'microscopy thanks for': 530495, 'for the opportunity': 326600, 'blue we': 133484, 'constantly restock': 195695, 'blue we re': 133485, 'supplier to constantly': 824624, 'to constantly restock': 903252, 'constantly restock so': 195696, 'apologise if some': 81629, 'if some item': 414846, 'covid 19 nclc': 213466, 'zafrul': 1027181, 'muhyiddin': 545591, 'judgment': 467671, 'backdoor': 107513, 'nearer': 553701, 'not finance': 569410, 'minister zafrul': 533507, 'zafrul total': 1027182, 'total silence': 926249, 'silence only': 769699, 'only show': 611134, 'up muhyiddin': 945413, 'muhyiddin frightening': 545592, 'frightening lack': 334062, 'of judgment': 585558, 'judgment in': 467675, 'in picking': 426702, 'picking backdoor': 655847, 'backdoor cabinet': 107514, 'cabinet oil': 154994, 'crash again': 214950, 'again nearer': 37078, 'nearer nearer': 553702, 'nearer to': 553704, 'key 20': 473222, 'barrel world': 111302, 'world market': 1009783, 'react further': 700132, 'new or not': 559226, 'or not finance': 616295, 'not finance minister': 569411, 'finance minister zafrul': 306234, 'minister zafrul total': 533508, 'zafrul total silence': 1027183, 'total silence only': 926250, 'silence only show': 769700, 'only show up': 611137, 'show up muhyiddin': 767259, 'up muhyiddin frightening': 945414, 'muhyiddin frightening lack': 545593, 'frightening lack of': 334063, 'lack of judgment': 478631, 'of judgment in': 585559, 'judgment in picking': 467676, 'in picking backdoor': 426703, 'picking backdoor cabinet': 655848, 'backdoor cabinet oil': 107515, 'cabinet oil price': 154995, 'price crash again': 673315, 'crash again nearer': 214951, 'again nearer nearer': 37079, 'nearer nearer to': 553703, 'nearer to key': 553705, 'to key 20': 908898, 'key 20 per': 473223, 'per barrel world': 650712, 'barrel world market': 111303, 'world market react': 1009785, 'market react further': 516941, 'react further to': 700133, 'further to covid': 342192, 'check stock': 174630, 'price lockdown': 675080, 'lockdown sugar': 499977, 'better check stock': 128231, 'check stock price': 174631, 'stock price lockdown': 802732, 'price lockdown sugar': 675082, 'today wrote': 920580, 'also sent': 48858, 'sent copy': 750748, 'to secretary': 913959, 'consider opening': 195053, 'opening church': 612811, 'church door': 178353, 'sunday for': 818204, 'private prayer': 678966, 'today wrote to': 920582, 'state and also': 795356, 'and also sent': 57973, 'also sent copy': 48859, 'sent copy of': 750749, 'of this letter': 591998, 'this letter to': 888616, 'letter to secretary': 487369, 'to secretary of': 913960, 'of state to': 590074, 'state to ask': 796008, 'ask the government': 95634, 'government to consider': 360706, 'to consider opening': 903230, 'consider opening church': 195054, 'opening church door': 612812, 'church door on': 178354, 'door on easter': 255676, 'easter sunday for': 265506, 'sunday for private': 818206, 'for private prayer': 324753, '19 keeping': 8219, 'home gas': 401291, 'low level': 505381, 'covid 19 keeping': 213314, '19 keeping people': 8221, 'keeping people home': 472518, 'people home gas': 648283, 'home gas price': 401292, 'price at record': 672809, 'record low level': 705015, 'thursday cereal': 895360, 'cereal mixed': 169930, 'large cup': 479637, 'of strengthening': 590295, 'strengthening tea': 813268, 'tea for': 835356, 'breakfast had': 138883, 'cancel family': 160844, 'restaurant this': 716751, 'celebrate birthday': 168784, 'birthday because': 131418, '19 closed': 5850, 'school empty': 741782, 'thursday cereal mixed': 895361, 'cereal mixed with': 169931, 'mixed with fresh': 534650, 'fruit and large': 339061, 'and large cup': 65949, 'large cup of': 479638, 'cup of strengthening': 220457, 'of strengthening tea': 590297, 'strengthening tea for': 813269, 'tea for breakfast': 835357, 'for breakfast had': 319779, 'breakfast had to': 138884, 'to cancel family': 902424, 'cancel family gathering': 160845, 'family gathering at': 297842, 'gathering at our': 344440, 'at our favorite': 100012, 'our favorite restaurant': 623042, 'favorite restaurant this': 300540, 'restaurant this weekend': 716752, 'weekend to celebrate': 977430, 'to celebrate birthday': 902552, 'celebrate birthday because': 168785, 'birthday because of': 131419, 'covid 19 closed': 212813, '19 closed school': 5852, 'closed school empty': 183322, 'school empty supermarket': 741783, 'supermarket shelf what': 822563, 'shelf what next': 757783, 'qtr': 691618, 'expects most': 291089, 'survive qtr': 829226, 'qtr if': 691619, 'still affecting': 800166, 'industry after': 435611, 'no industry': 564503, 'industry left': 435964, 'save revenue': 737629, 'fall low': 296981, 'price relief': 676162, 'expects most to': 291090, 'to survive qtr': 916043, 'survive qtr if': 829227, 'qtr if is': 691620, 'if is still': 414279, 'is still affecting': 452261, 'still affecting the': 800167, 'affecting the industry': 34563, 'the industry after': 858160, 'industry after month': 435612, 'after month there': 35936, 'month there would': 538058, 'would be no': 1011624, 'be no industry': 116101, 'no industry left': 564504, 'industry left to': 435965, 'left to save': 485691, 'to save revenue': 913791, 'save revenue are': 737630, 'revenue are in': 720381, 'are in free': 87385, 'free fall low': 331807, 'fall low oil': 296982, 'oil price relief': 597233, 'price relief for': 676163, 'offering minute': 595187, 'minute long': 533803, 'long roast': 501601, 'roast or': 724597, 'individual insult': 435202, 'insult during': 440635, 'during socialisolation': 263034, 'socialisolation available': 781000, 'or zoom': 617895, 'zoom for': 1027805, 'for reasonable': 325009, 'reasonable venmo': 703133, 'venmo price': 954484, 'now offering minute': 575401, 'offering minute long': 595188, 'minute long roast': 533804, 'long roast or': 501602, 'roast or individual': 724598, 'or individual insult': 615789, 'individual insult during': 435203, 'insult during socialisolation': 440636, 'during socialisolation available': 263035, 'socialisolation available by': 781001, 'available by email': 104278, 'email or zoom': 272265, 'or zoom for': 617896, 'zoom for reasonable': 1027806, 'for reasonable venmo': 325011, 'reasonable venmo price': 703134, 'venmo price of': 954485, 'oregon small': 619158, 'business losing': 144021, 'losing million': 503569, 'find small': 307216, 'in oregon': 426224, 'oregon consumer': 619138, 'losing about': 503533, 'sale according': 732015, 'group built': 366619, 'built oregon': 142195, 'oregon the': 619160, 'oregon small business': 619159, 'small business losing': 774874, 'business losing million': 144022, 'losing million of': 503570, 'million of dollar': 532266, 'of dollar in': 582778, 'dollar in sale': 253012, 'in sale due': 427651, '19 survey find': 10994, 'survey find small': 828864, 'find small business': 307217, 'business in oregon': 143894, 'in oregon consumer': 426225, 'oregon consumer product': 619139, 'retail industry are': 718211, 'industry are losing': 435664, 'are losing about': 87894, 'losing about million': 503534, 'about million of': 25730, 'in sale according': 427646, 'sale according to': 732016, 'by the group': 154344, 'the group built': 856862, 'group built oregon': 366620, 'built oregon the': 142196, 'puppy price': 689309, 'roof due': 725829, 'coronavirus investigates': 206150, 'investigates cartel': 443827, 'cartel behaviour': 165444, 'and unscrupulous': 74708, 'in pedigree': 426574, 'dog market': 252127, 'market auspol': 516055, 'puppy price are': 689310, 'price are through': 672754, 'the roof due': 865971, 'roof due to': 725830, 'to coronavirus investigates': 903555, 'coronavirus investigates cartel': 206151, 'investigates cartel behaviour': 443828, 'cartel behaviour and': 165445, 'behaviour and unscrupulous': 124369, 'and unscrupulous practice': 74709, 'unscrupulous practice in': 943455, 'practice in pedigree': 668592, 'in pedigree dog': 426575, 'pedigree dog market': 646226, 'dog market auspol': 252128, 'preppertalk': 670415, 'shtf': 767746, 'safety advice': 730444, 'must visit': 546977, 'pandemic preppertalk': 636228, 'preppertalk prepping': 670416, 'prepping safety': 670426, 'safety pandemic': 730672, 'pandemic shtf': 636466, 'shtf survival': 767747, 'safety advice if': 730445, 'you must visit': 1019936, 'must visit the': 546978, 'visit the grocery': 959382, 'the pandemic preppertalk': 863062, 'pandemic preppertalk prepping': 636229, 'preppertalk prepping safety': 670417, 'prepping safety pandemic': 670427, 'safety pandemic shtf': 730673, 'pandemic shtf survival': 636467, 'lieing': 488425, 'meter reading': 529735, 'reading given': 700771, 'given and': 350945, 'wa lower': 962602, 'lower stop': 506001, 'stop lieing': 804809, 'lieing since': 488426, 'drop once': 260350, 'but before': 145279, 'always alternating': 49464, 'alternating you': 49199, 'meter reading given': 529736, 'reading given and': 700772, 'given and it': 350946, 'it wa lower': 462146, 'wa lower stop': 962603, 'lower stop lieing': 506002, 'stop lieing since': 804810, 'lieing since the': 488427, '19 have not': 7451, 'not seen the': 571512, 'seen the price': 747289, 'price drop once': 673578, 'drop once but': 260351, 'once but before': 605600, 'but before the': 145280, 'price were always': 677441, 'were always alternating': 979319, 'always alternating you': 49465, 'alternating you are': 49200, 'you are exploiting': 1017117, 'exploiting the situation': 292461, 'make more money': 510198, 'tailored': 831822, 'tailored brand': 831823, 'several more': 753902, 'tailored brand is': 831824, 'brand is extending': 137877, 'is extending the': 447672, 'extending the temporary': 293236, 'closure of it': 183968, 'store for several': 807837, 'for several more': 325517, 'several more week': 753905, 'more week retail': 540962, 'unfathomable': 941478, 'how trump': 409117, 'allowed covid': 46147, 'develop and': 239626, 'the unfathomable': 870386, 'unfathomable tragedy': 941479, 'tragedy that': 929185, 'to unfold': 917934, 'unfold in': 941507, 'york expect': 1016609, 'expect property': 290708, 'drop somewhat': 260397, 'given how trump': 351021, 'how trump ha': 409118, 'trump ha allowed': 933588, 'ha allowed covid': 369492, 'allowed covid 19': 46148, '19 to develop': 11421, 'to develop and': 904244, 'develop and the': 239628, 'and the unfathomable': 73633, 'the unfathomable tragedy': 870387, 'unfathomable tragedy that': 941480, 'tragedy that is': 929186, 'that is about': 844547, 'about to unfold': 26741, 'to unfold in': 917935, 'unfold in new': 941508, 'new york expect': 559927, 'york expect property': 1016610, 'expect property price': 290709, 'to drop somewhat': 904779, 'therapy should': 877931, 'retail therapy should': 718784, 'therapy should we': 877932, 'should we still': 766653, 'shopping online amid': 763406, 'meet an': 527412, 'service medical': 752588, 'in milwaukee': 425331, 'milwaukee by': 532482, 'emergency need': 272815, 'need fund': 554898, 'help meet an': 390089, 'meet an increased': 527413, 'demand for emergency': 235409, 'emergency food service': 272712, 'food service medical': 316424, 'service medical equipment': 752589, 'equipment and cleaning': 279678, 'cleaning supply here': 181079, 'supply here in': 825359, 'here in milwaukee': 393163, 'in milwaukee by': 425332, 'milwaukee by donating': 532483, 'donating to covid': 254519, '19 emergency need': 6760, 'emergency need fund': 272816, 'have curated': 380167, 'curated list': 220540, 'of versatile': 592783, 'versatile food': 954887, 'include in': 431577, 'list follow': 494317, 'follow ie': 312423, 'ie for': 413731, 'we have curated': 971789, 'have curated list': 380168, 'curated list of': 220541, 'list of versatile': 494489, 'of versatile food': 592784, 'versatile food item': 954888, 'food item that': 315234, 'item that you': 463705, 'you can include': 1017702, 'can include in': 158741, 'include in your': 431578, 'grocery list follow': 364698, 'list follow ie': 494318, 'follow ie for': 312424, 'ie for more': 413732, 'people bulk': 647308, 'isolate already': 454809, 'delivered so': 233388, 'buy anyway': 148367, 'anyway coronacrisis': 80996, 'lockdown bulkbuying': 499209, 'understand why people': 940819, 'why people bulk': 991281, 'people bulk buy': 647309, 'bulk buy when': 142263, 'buy when supermarket': 149467, 'when supermarket will': 984097, 'supermarket will still': 823894, 'will still deliver': 994978, 'still deliver online': 800420, 'shopping even if': 762590, 'even if in': 284206, 'if in lockdown': 414256, 'in lockdown and': 424835, 'lockdown and those': 499156, 'who have chosen': 988915, 'chosen to self': 178038, 'self isolate already': 747662, 'isolate already can': 454810, 'already can still': 47250, 'still get shopping': 800556, 'shopping delivered so': 762450, 'delivered so there': 233389, 'so there wa': 778453, 'bulk buy anyway': 142252, 'buy anyway coronacrisis': 148368, 'anyway coronacrisis lockdown': 80997, 'coronacrisis lockdown bulkbuying': 204654, 'isn over': 454615, 'over until': 630874, 'until is': 943740, 'final total': 305885, 'total my': 926198, 'opinion is': 613470, 'isn easily': 454477, 'easily caught': 265196, 'place suggested': 657702, 'suggested in': 817571, 'in brief': 420979, 'brief encounter': 139672, 'encounter passing': 275533, 'passing people': 643392, 'staff would': 793120, 'good guide': 357153, 'guide but': 368308, 'isn over until': 454616, 'over until is': 630875, 'until is we': 943741, 'is we do': 453801, 'know the final': 476824, 'the final total': 855203, 'final total my': 305886, 'total my opinion': 926199, 'my opinion is': 549602, 'opinion is that': 613471, 'that it isn': 844721, 'it isn easily': 459145, 'isn easily caught': 454478, 'easily caught in': 265197, 'caught in public': 167425, 'public place suggested': 688235, 'place suggested in': 657703, 'suggested in brief': 817572, 'in brief encounter': 420980, 'brief encounter passing': 139673, 'encounter passing people': 275534, 'passing people supermarket': 643393, 'people supermarket checkout': 649697, 'checkout staff would': 175015, 'staff would be': 793121, 'be good guide': 115067, 'good guide but': 357154, 'appt': 83339, 'had dr': 373053, 'dr appt': 257958, 'appt this': 83342, 'for foot': 321662, 'foot issue': 318396, 'issue hour': 455790, 'said appt': 730981, 'appt the': 83340, 'nurse call': 577227, 'they no': 882780, 'only telemedicine': 611243, 'telemedicine even': 836776, 'service doesn': 752294, 'see when': 746054, 'when national': 983754, 'worker day': 1006723, 'had dr appt': 373054, 'dr appt this': 257959, 'appt this morning': 83343, 'morning for foot': 541260, 'for foot issue': 321663, 'foot issue hour': 318397, 'issue hour before': 455791, 'hour before said': 405461, 'before said appt': 123050, 'said appt the': 730982, 'appt the nurse': 83341, 'the nurse call': 861978, 'nurse call to': 577228, 'call to say': 156187, 'say they no': 739345, 'they no longer': 882781, 'longer take in': 502060, 'take in person': 832218, '19 only telemedicine': 9002, 'only telemedicine even': 611244, 'telemedicine even the': 836777, 'most essential service': 542303, 'essential service doesn': 281501, 'service doesn want': 752295, 'to see when': 914097, 'see when national': 746055, 'when national supermarket': 983755, 'national supermarket worker': 552628, 'supermarket worker day': 824007, 'pt1': 687621, 'netherlands ha': 557663, 'now spoken': 575877, 'television he': 836851, 'wa extremely': 962100, 'extremely grateful': 293883, 'on holding': 601345, 'the pt1': 864762, 'king of the': 475288, 'of the netherlands': 591269, 'the netherlands ha': 861453, 'netherlands ha just': 557664, 'ha just now': 371059, 'just now spoken': 469351, 'now spoken to': 575878, 'spoken to it': 789763, 'to it people': 908602, 'it people on': 460297, 'people on live': 648965, 'live television he': 496042, 'television he said': 836852, 'he wa extremely': 385598, 'wa extremely grateful': 962101, 'extremely grateful to': 293886, 'the medical people': 860400, 'medical people the': 526287, 'people the people': 649794, 'the supermarket police': 868759, 'supermarket police and': 822036, 'police and all': 662897, 'the others that': 862573, 'others that are': 621696, 'they can on': 881658, 'can on holding': 159107, 'on holding down': 601346, 'holding down the': 400106, 'down the pt1': 257296, 'stock toiletpaper': 803009, 'nice we didn': 562514, 'we didn stock': 971304, 'didn stock toiletpaper': 241213, 'stock toiletpaper but': 803010, 'buy some at': 149194, 'some at the': 782353, 'store you doubled': 811684, 'coming together taking': 188246, 'together taking advantage': 920968, 'put armed': 690513, 'scare away': 740865, 'away selfish': 106023, 'can we put': 160188, 'we put armed': 972790, 'put armed security': 690514, 'to scare away': 913886, 'scare away selfish': 740866, 'away selfish bulk': 106024, 'here pointing': 393465, 'pointing finger': 662750, 'and race': 69893, 'race blaming': 695186, 'blaming for': 132330, 'really forgot': 702208, 'forgot not': 329406, 'long ago': 501321, 'were licking': 979840, 'licking gallon': 488240, 'of ice': 584953, 'store putting': 809712, 'back huh': 107071, 'all out here': 43840, 'out here pointing': 626293, 'here pointing finger': 393466, 'pointing finger and': 662751, 'finger and race': 307787, 'and race blaming': 69894, 'race blaming for': 695187, 'blaming for really': 132331, 'for really forgot': 324996, 'really forgot not': 702209, 'forgot not so': 329407, 'not so long': 571621, 'so long ago': 777580, 'long ago when': 501323, 'ago when people': 38546, 'people were licking': 650211, 'were licking gallon': 979841, 'licking gallon of': 488241, 'gallon of ice': 343044, 'of ice cream': 584954, 'grocery store putting': 365692, 'store putting it': 809713, 'putting it back': 691154, 'it back huh': 456667, 'is hardest': 448309, 'hardest on': 378223, 'people rice': 649302, 'bean pasta': 118347, 'pasta last': 643748, 'last many': 480307, 'many month': 514289, 'production leave': 682104, 'fruit dairy': 339084, 'vulnerable stopstockpiling': 961182, 'effect of hoarding': 269050, 'of hoarding is': 584694, 'hoarding is hardest': 399392, 'is hardest on': 448310, 'hardest on old': 378224, 'on old people': 602501, 'old people rice': 598418, 'people rice bean': 649303, 'rice bean pasta': 721019, 'bean pasta last': 118348, 'pasta last many': 643749, 'last many month': 480308, 'many month and': 514290, 'month and they': 537585, 'they aren going': 881478, 'stop production leave': 804936, 'production leave the': 682105, 'leave the fresh': 484966, 'the fresh fruit': 855802, 'fresh fruit dairy': 332997, 'fruit dairy and': 339085, 'dairy and bread': 224951, 'and bread for': 59166, 'bread for the': 138471, 'most vulnerable stopstockpiling': 542895, 'vulnerable stopstockpiling stophoarding': 961184, 'stopstockpiling stophoarding coronacrisis': 805878, 'no huge': 564454, 'japan overall': 464754, 'overall agriculture': 630989, 'agriculture since': 39034, 'mostly imported': 542967, 'imported from': 419175, 'country however': 210757, 'however some': 409454, 'some perishable': 783553, 'affected most': 34398, 'milk are': 531574, 'are no huge': 88262, 'no huge impact': 564455, 'impact on japan': 417863, 'on japan overall': 601726, 'japan overall agriculture': 464755, 'overall agriculture since': 630990, 'agriculture since the': 39035, 'since the ingredient': 770889, 'the ingredient for': 858270, 'ingredient for food': 438365, 'food in japan': 314945, 'in japan are': 424370, 'japan are mostly': 464711, 'are mostly imported': 88146, 'mostly imported from': 542968, 'imported from foreign': 419177, 'from foreign country': 335536, 'foreign country however': 328966, 'country however some': 210758, 'however some perishable': 409456, 'some perishable product': 783554, 'perishable product are': 652002, 'product are affected': 680930, 'are affected most': 84251, 'affected most of': 34399, 'of the milk': 591243, 'the milk are': 860605, 'milk are out': 531575, 'railway announced': 695693, 'cent hike': 169069, 'northern railway announced': 567776, 'railway announced 400': 695694, 'announced 400 per': 76912, 'per cent hike': 650751, 'cent hike in': 169070, 'grocerers': 364184, 'cut some': 223541, 'some slack': 783887, 'slack on': 773473, 'on grocerers': 601175, 'grocerers tomorrow': 364185, 'tomorrow ll': 924122, 'too bc': 924601, 'school which': 741978, 'want to complain': 966015, 'complain but all': 191855, 'but all need': 145085, 'to cut some': 903887, 'cut some slack': 223542, 'some slack on': 783888, 'slack on grocerers': 773474, 'on grocerers tomorrow': 601176, 'grocerers tomorrow ll': 364186, 'tomorrow ll have': 924123, 'll have worked': 496836, 'overtime too bc': 631654, 'too bc we': 924602, 'bc we needed': 113313, 'people for all': 647945, 'those who went': 892695, 'who went out': 989947, 'went out panic': 979093, 'out panic shopping': 627011, 'focusing on my': 311996, 'my school which': 550002, 'school which is': 741979, 'which is online': 986038, 'is online now': 450521, 'cunning': 220342, 'degradation': 232543, 'financ': 306143, 'president cunning': 670794, 'cunning critical': 220343, 'system perform': 831284, 'perform well': 651419, 'well no': 978420, 'no degradation': 563976, 'degradation of': 232548, 'that performance': 845715, 'performance at': 651426, 'at nyse': 99932, 'nyse same': 578138, 'person answering': 652313, 'answering phone': 78204, 'phone when': 655061, 'when call': 983228, 'call broker': 155795, 'broker dealer': 140935, 'dealer system': 229623, 'system working': 831398, 'mean better': 524368, 'money economy': 536724, 'economy financ': 267870, 'president cunning critical': 670795, 'cunning critical that': 220344, 'critical that system': 218689, 'that system perform': 846610, 'system perform well': 831285, 'perform well no': 651420, 'well no degradation': 978422, 'no degradation of': 563978, 'degradation of that': 232549, 'of that performance': 590736, 'that performance at': 845716, 'performance at nyse': 651427, 'at nyse same': 99933, 'nyse same idea': 578139, 'same idea of': 733115, 'idea of person': 413134, 'of person answering': 588054, 'person answering phone': 652314, 'answering phone when': 78205, 'phone when call': 655062, 'when call broker': 983229, 'call broker dealer': 155796, 'broker dealer system': 140936, 'dealer system working': 229624, 'system working and': 831399, 'working and mean': 1008503, 'and mean better': 66843, 'mean better price': 524369, 'better price for': 128424, 'price for investor': 673981, 'for investor money': 322643, 'investor money economy': 444184, 'money economy financ': 536725, 'masked music': 519620, 'music producer': 546322, 'producer hand': 680634, 'free weed': 332319, 'weed toiletpaper': 975770, 'toiletpaper during': 921932, 'masked music producer': 519621, 'music producer hand': 546323, 'producer hand out': 680635, 'out free weed': 626186, 'free weed toiletpaper': 332320, 'weed toiletpaper during': 975771, 'toiletpaper during pandemic': 921933, 'california during': 155493, 'emergency see': 272944, 'or witness': 617828, 'witness price': 1003121, '5225 or': 20267, 'report at': 711815, 'is illegal in': 448668, 'illegal in california': 416220, 'in california during': 421139, 'california during the': 155494, '19 state of': 10790, 'of emergency see': 583054, 'emergency see or': 272946, 'see or witness': 745515, 'or witness price': 617829, 'witness price gouging': 1003122, 'gouging call 800': 359283, '952 5225 or': 23632, '5225 or file': 20268, 'or file report': 615303, 'file report at': 305366, 'plethora': 661017, 'bucking': 141691, 'would list': 1012001, 'list plethora': 494515, 'plethora of': 661018, 'unfortunately my': 941624, 'is bucking': 446290, 'bucking down': 141692, 'down ll': 256930, 'and feeding': 62771, 'hungry staysafe': 411311, 'staysafe frontlines': 798813, 'would list plethora': 1012002, 'list plethora of': 494516, 'plethora of to': 661020, 'of to do': 592209, 'do but unfortunately': 249160, 'but unfortunately my': 147656, 'unfortunately my day': 941625, 'day job are': 227859, 'job are in': 465658, 'are in health': 87390, 'in health care': 423602, 'care and supermarket': 163848, 'and supermarket retail': 72733, 'supermarket retail so': 822231, 'retail so while': 718575, 'so while everyone': 778739, 'everyone is bucking': 287068, 'is bucking down': 446291, 'bucking down ll': 141693, 'down ll be': 256931, 'be out taking': 116291, 'out taking care': 627293, 'sick and feeding': 768366, 'and feeding the': 62772, 'the hungry staysafe': 857755, 'hungry staysafe frontlines': 411312, 'can luxury': 158915, 'luxury store': 506965, 'store discount': 807322, 'discount their': 244554, 'like 70': 489709, '70 off': 21810, 'and boot': 59072, 'boot thank': 135116, 'so can luxury': 776715, 'can luxury store': 158916, 'luxury store discount': 506966, 'store discount their': 807323, 'discount their price': 244555, 'their price like': 874406, 'price like 70': 675043, 'like 70 off': 489710, '70 off because': 21811, '19 because online': 5333, 'shopping and would': 762044, 'would like bag': 1011993, 'like bag and': 489855, 'bag and boot': 108216, 'and boot thank': 59074, 'boot thank you': 135117, 'wow with': 1012624, 'sale see': 732511, 'store having': 808111, 'sale now': 732373, 'wow with the': 1012625, '19 sale see': 10302, 'sale see lot': 732513, 'lot of retail': 504270, 'retail store having': 718642, 'store having sale': 808112, 'having sale now': 384255, 'is young': 454126, 'man counting': 512041, 'counting the': 210365, 'limit he': 492361, 'he reply': 385347, 'reply no': 711742, 'no limit': 564601, 'limit yet': 492568, 'just keeping': 469094, 'track hmm': 928198, 'hmm thread': 398700, 'thread 19': 893513, 'there is young': 878656, 'is young man': 454127, 'young man counting': 1022617, 'man counting the': 512042, 'counting the number': 210366, 'of people entering': 587908, 'people entering the': 647810, 'ask him what': 95558, 'him what the': 396773, 'what the limit': 982332, 'the limit he': 859385, 'limit he reply': 492362, 'he reply no': 385348, 'reply no limit': 711743, 'no limit yet': 564604, 'limit yet just': 492569, 'yet just keeping': 1016123, 'just keeping track': 469095, 'keeping track hmm': 472607, 'track hmm thread': 928199, 'hmm thread 19': 398701, 'thread 19 ottawa': 893514, 'santions': 736625, 'under santions': 940236, 'santions but': 736626, 'still standing': 801226, 'standing situation': 793809, 'under santions but': 940237, 'santions but still': 736627, 'but still standing': 147180, 'still standing situation': 801227, 'standing situation in': 793810, 'situation in grocery': 772318, 'hota': 405079, 'halat': 374118, 'baray': 110791, 'letay': 487225, '266': 16225, '300each': 17357, 'nahi because': 551426, 'big challenge': 129693, 'challenge which': 171597, 'beyond control': 129147, 'of super': 590403, 'super power': 818556, 'power so': 667683, 'so ck': 776759, 'ck sahib': 179645, 'sahib better': 730925, 'better hota': 128326, 'hota international': 405080, 'international halat': 441811, 'halat baray': 374119, 'baray main': 110792, 'main jan': 508765, 'jan letay': 464466, 'letay calculated': 487226, 'calculated 80': 155303, '80 million': 22599, 'million food': 532157, 'poor it': 664204, 'becomes 266': 120194, '266 family': 16226, 'family 300each': 297546, '300each where': 17358, 'nahi because covid': 551427, '19 is such': 8057, 'is such big': 452423, 'such big challenge': 816368, 'big challenge which': 129694, 'challenge which is': 171598, 'which is beyond': 985990, 'is beyond control': 446160, 'beyond control of': 129148, 'control of super': 202073, 'of super power': 590405, 'super power so': 818559, 'power so ck': 667684, 'so ck sahib': 776760, 'ck sahib better': 179646, 'sahib better hota': 730926, 'better hota international': 128327, 'hota international halat': 405081, 'international halat baray': 441812, 'halat baray main': 374120, 'baray main jan': 110793, 'main jan letay': 508766, 'jan letay calculated': 464467, 'letay calculated 80': 487227, 'calculated 80 million': 155304, '80 million food': 22600, 'million food relief': 532158, 'food relief to': 316161, 'relief to poor': 709480, 'to poor it': 911880, 'poor it becomes': 664205, 'it becomes 266': 456772, 'becomes 266 family': 120195, '266 family 300each': 16227, 'family 300each where': 297547, 'conservativeparty': 194925, 'food nhsworkers': 315536, 'nhsworkers nhsthankyou': 562289, 'nhsthankyou nh': 562266, 'nh borisjohnson': 561904, 'borisjohnson conservativeparty': 135515, 'conservativeparty do': 194926, 'it panicbuyinguk': 460256, 'panicbuyinguk nhsthankyou': 639139, 'nhsheroes rationing': 562238, 'buying food nhsworkers': 150323, 'food nhsworkers nhsthankyou': 315537, 'nhsworkers nhsthankyou nh': 562290, 'nhsthankyou nh borisjohnson': 562267, 'nh borisjohnson conservativeparty': 561905, 'borisjohnson conservativeparty do': 135516, 'conservativeparty do something': 194927, 'something about it': 784829, 'about it panicbuyinguk': 25588, 'it panicbuyinguk nhsthankyou': 460257, 'panicbuyinguk nhsthankyou nhsheroes': 639140, 'nhsthankyou nhsheroes rationing': 562270, 'permeated': 652122, 'since news': 770763, '19 permeated': 9657, 'permeated the': 652123, 'been notable': 121575, 'notable behavioral': 572643, 'since news of': 770764, 'news of covid': 560649, 'covid 19 permeated': 213572, '19 permeated the': 9658, 'permeated the medium': 652124, 'the medium there': 860444, 'medium there have': 527316, 'have been notable': 379618, 'been notable behavioral': 121576, 'notable behavioral change': 572644, 'else try': 271947, 'isolation only': 455371, 'away tried': 106084, 'tried how': 931787, 'selfisolation shopping': 748480, 'anyone else try': 80299, 'else try to': 271948, 'shopping during self': 762541, 'self isolation only': 747788, 'isolation only to': 455372, 'find the next': 307295, 'slot is week': 774225, 'is week away': 453822, 'week away tried': 975971, 'away tried how': 106085, 'tried how exactly': 931788, 'exactly are we': 288728, 'to get around': 906414, 'get around this': 346605, 'around this selfisolation': 93586, 'this selfisolation shopping': 890023, 'selfisolation shopping grocery': 748481, 'lyingnewsom': 507096, 'cream or': 215571, 'or inflated': 615795, 'no snack': 565533, 'snack no': 776017, 'no baked': 563659, 'good starving': 357764, 'starving lyingnewsom': 795261, 'still no ice': 800871, 'ice cream or': 412657, 'cream or inflated': 215572, 'or inflated price': 615796, 'inflated price no': 437053, 'price no snack': 675352, 'no snack no': 565534, 'snack no baked': 776018, 'no baked good': 563660, 'baked good starving': 108771, 'good starving lyingnewsom': 357765, 'caught spitting': 167459, 'supermarket moronavirus': 821536, 'need to show': 556070, 'show the clip': 767202, 'the clip of': 851028, 'clip of the': 182368, 'the chinese woman': 850873, 'chinese woman who': 177396, 'woman who had': 1003679, 'who had coronavirus': 988875, 'had coronavirus and': 372990, 'and wa caught': 75081, 'wa caught spitting': 961797, 'caught spitting on': 167460, 'fruit in supermarket': 339100, 'in supermarket moronavirus': 428633, 'mna': 534807, 'of leaf': 585757, 'leaf the': 483820, 'the fate': 854980, 'fate of': 300266, 'many announced': 513741, 'consumer mna': 198139, 'mna deal': 534808, 'jeopardy the': 465135, 'market fluctuate': 516393, 'avoid place': 105232, 'spread of leaf': 790683, 'of leaf the': 585758, 'leaf the fate': 483821, 'the fate of': 854981, 'fate of many': 300267, 'of many announced': 586168, 'many announced consumer': 513742, 'announced consumer mna': 76937, 'consumer mna deal': 198140, 'mna deal in': 534809, 'deal in jeopardy': 229428, 'in jeopardy the': 424385, 'jeopardy the public': 465136, 'the public market': 864830, 'public market fluctuate': 688157, 'market fluctuate and': 516394, 'fluctuate and consumer': 311504, 'consumer are encouraged': 196292, 'encouraged to avoid': 275662, 'to avoid place': 900929, 'avoid place of': 105233, 'place of public': 657604, 'of public gathering': 588588, 'observed that': 578630, 'that gasoline': 843983, 'metro salt': 529936, 'salt lake': 732813, '35 range': 17913, 'range however': 696703, 'however price': 409442, '50 range': 19826, 'down continued': 256657, 'have observed that': 381752, 'observed that gasoline': 578631, 'that gasoline price': 843984, 'the metro salt': 860552, 'metro salt lake': 529937, 'salt lake area': 732814, 'lake area is': 479056, 'area is about': 92080, 'is about 35': 445266, 'about 35 range': 24704, '35 range however': 17914, 'range however price': 696704, 'however price in': 409443, 'price in many': 674707, 'in many part': 425059, 'many part of': 514477, 'the country price': 852135, 'country price are': 210975, 'in the 50': 428958, 'the 50 range': 848139, '50 range the': 19827, 'range the demand': 696742, 'demand is way': 235747, 'is way down': 453789, 'way down due': 969559, 'to price should': 912125, 'be down continued': 114589, 'undocumented people': 941027, 'his follower': 397441, 'follower hate': 312640, 'hate so': 378904, 'much stopped': 545327, 'working rn': 1008897, 'rn just': 724330, 'food job': 315251, 'field empty': 304469, 'empty all': 274749, 'know panic': 476667, 'panic trump': 638733, 'imagine if all': 416738, 'if all the': 413794, 'all the undocumented': 44961, 'the undocumented people': 870368, 'undocumented people and': 941028, 'people and his': 646864, 'and his follower': 64597, 'his follower hate': 397442, 'follower hate so': 312641, 'hate so much': 378905, 'so much stopped': 777812, 'much stopped working': 545328, 'stopped working rn': 805786, 'working rn just': 1008898, 'rn just got': 724331, 'just got up': 468874, 'up and left': 944344, 'and left the': 66085, 'left the retail': 485671, 'the retail job': 865722, 'retail job the': 718257, 'job the fast': 466189, 'fast food job': 299968, 'food job the': 315252, 'job the field': 466190, 'the field empty': 855144, 'field empty all': 304470, 'empty all of': 274750, 'of them you': 591779, 'them you think': 876680, 'think you know': 885813, 'you know panic': 1019520, 'know panic trump': 476668, 'shop line': 760416, 'gold paper': 355945, 'paper hallelujah': 640243, 'after day and': 35536, 'day and day': 227259, 'and day shop': 60965, 'day shop line': 228349, 'shop line at': 760417, 'are like gold': 87790, 'like gold paper': 490329, 'gold paper hallelujah': 355946, 'godown': 354878, 'all farmer': 42761, 'farmer is': 299425, 'example bcz': 288876, 'bcz govt': 113386, 'govt already': 361066, 'already releasing': 47614, 'releasing lot': 709123, 'grain from': 361774, 'it godown': 458275, 'godown it': 354879, 'profit govt': 682748, 'govt also': 361068, 'also later': 48465, 'later on': 481104, 'just buy stock': 468383, 'buy stock of': 149240, 'stock of all': 802516, 'of all farmer': 579940, 'all farmer is': 42762, 'farmer is best': 299426, 'is best example': 446140, 'best example bcz': 127681, 'example bcz govt': 288877, 'bcz govt already': 113387, 'govt already releasing': 361067, 'already releasing lot': 47615, 'releasing lot of': 709124, 'food grain from': 314707, 'grain from it': 361775, 'from it godown': 336115, 'it godown it': 458276, 'godown it will': 354880, 'it will bring': 462379, 'will bring some': 992860, 'bring some profit': 140073, 'some profit govt': 783653, 'profit govt also': 682749, 'govt also later': 361069, 'also later on': 48466, 'later on covid': 481105, 'about shortage': 26189, 'from fci': 335432, 'fci godown': 300785, 'godown where': 354881, 'war base': 966370, 'base 410': 111431, 'update 19 if': 946831, 'concerned about shortage': 193172, 'about shortage of': 26190, 'supply during lockdown': 825194, 'during lockdown check': 262760, 'out my report': 626609, 'my report from': 549922, 'report from fci': 711977, 'from fci godown': 335433, 'fci godown where': 300786, 'godown where the': 354882, 'where the supply': 985252, 'chain is working': 170854, 'working on war': 1008829, 'on war base': 605103, 'war base 410': 966371, 'patent holder': 643987, 'holder it': 400076, 'price regardless': 676145, 'of orphan': 587355, 'drug status': 261083, 'patent holder it': 643988, 'holder it can': 400077, 'it can jack': 457021, 'the price regardless': 864405, 'price regardless of': 676146, 'regardless of orphan': 707321, 'of orphan drug': 587356, 'orphan drug status': 619664, 'just thing': 470036, 'link it': 493868, 'save wild': 737702, 'wild you': 992094, 'right now due': 722056, '19 amp that': 4966, 'amp that good': 54637, 'that good way': 844052, 'way to but': 969992, 'to but can': 902149, 'but can we': 145367, 'can we ask': 160160, 'to do just': 904528, 'do just thing': 249540, 'just thing please': 470037, 'thing please use': 884691, 'this link it': 888647, 'link it won': 493869, 'it won cost': 462490, 'cost you more': 208169, 'you more but': 1019887, 'more but it': 538739, 'to save wild': 913798, 'save wild you': 737703, 'wild you shop': 992095, 'you shop thank': 1021167, 'toiletpaperdoor': 923130, 'flower will': 311342, 'soon toiletpaperrolls': 785875, 'toiletpaperrolls toiletpaperdoor': 923306, 'toiletpaperdoor toiletpaper': 923131, 'omg they are': 598915, 'they are growing': 881291, 'are growing and': 86972, 'little flower will': 495343, 'flower will we': 311343, 'tp stock soon': 927956, 'stock soon toiletpaperrolls': 802872, 'soon toiletpaperrolls toiletpaperdoor': 785876, 'toiletpaperrolls toiletpaperdoor toiletpaper': 923307, 'toiletpaperdoor toiletpaper selfisolation': 923132, 'mktg131': 534703, 'affected pricing': 34417, 'pricing this': 677987, 'this relates': 889860, 'this second': 889997, 'about egg': 25162, 'price mktg131': 675254, 'how coronavirus ha': 407611, 'coronavirus ha affected': 206018, 'ha affected pricing': 369466, 'affected pricing this': 34418, 'pricing this relates': 677988, 'this relates to': 889861, 'relates to stock': 708647, 'to stock market': 915442, 'market price this': 516904, 'price this second': 676922, 'this second one': 889998, 'second one is': 743781, 'one is about': 606498, 'is about gas': 445274, 'price the last': 676845, 'last one is': 480422, 'is about egg': 445271, 'about egg price': 25164, 'egg price mktg131': 269962, 'using data': 950447, 'impacting on': 418240, 'food purchasing': 316087, 'habit lunch': 372644, 'lunch is': 506727, 'major beneficiary': 509241, 'beneficiary and': 126890, 'simple it': 770045, 'interesting analysis from': 441502, 'analysis from using': 57048, 'from using data': 338213, 'using data on': 950448, 'data on how': 226324, 'on how lockdown': 601407, 'lockdown is impacting': 499545, 'is impacting on': 448709, 'impacting on our': 418241, 'our food purchasing': 623123, 'food purchasing habit': 316090, 'purchasing habit lunch': 689874, 'habit lunch is': 372645, 'lunch is major': 506728, 'is major beneficiary': 449520, 'major beneficiary and': 509242, 'beneficiary and we': 126891, 'and we like': 75300, 'keep it simple': 471621, 'it simple it': 461059, 'simple it seems': 770046, 'senior good': 750302, 'some supermarket chain': 784004, 'for senior good': 325461, 'senior good idea': 750303, 'offer guidance': 594647, 'impossible to pay': 419404, 'bureau offer guidance': 142801, '411 shutting': 18879, 'shutting everything': 768283, 'down limiting': 256924, 'right why': 722421, 'business exempt': 143722, '411 shutting everything': 18880, 'shutting everything down': 768284, 'everything down limiting': 287761, 'down limiting the': 256925, 'pharmacy at the': 654243, 'same time would': 733379, 'control this right': 202192, 'this right why': 889910, 'right why are': 722422, 'why are shopping': 990785, 'are shopping center': 90058, 'shopping center and': 762339, 'center and retail': 169158, 'retail business exempt': 717905, 'business exempt pretty': 143723, 'the or in': 862437, 'or in any': 615750, 'grandma go': 361906, 'grandma go to': 361907, 'store for me': 807818, 'for me me': 323324, 'teksi': 836620, 'ron 95': 725766, '95 price': 23603, 'down diesel': 256683, 'down when': 257465, 'when public': 983905, 'transport such': 929951, 'such train': 816838, 'bus teksi': 143088, 'teksi amp': 836621, 'call service': 156104, 'service price': 752714, 'malaysia year': 511640, 'ron 95 price': 725767, '95 price down': 23604, 'price down diesel': 673523, 'down diesel price': 256684, 'diesel price down': 241678, 'price down when': 673537, 'down when public': 257466, 'when public transport': 983906, 'public transport such': 688421, 'transport such train': 929952, 'such train bus': 816839, 'train bus teksi': 929238, 'bus teksi amp': 143089, 'teksi amp and': 836622, 'amp and call': 53391, 'and call service': 59417, 'call service price': 156105, 'service price go': 752715, 'go down in': 353491, 'down in malaysia': 256862, 'in malaysia year': 425017, 'malaysia year 2020': 511641, 'intern': 441713, 'home intern': 401437, 'intern thank': 441714, 'driver officer': 259672, 'officer grocery': 595660, 'staff childcare': 792316, 'childcare provider': 176306, 'provider utility': 686813, 'utility tech': 951320, 'tech farmworkers': 836083, 'still reporting': 801118, 'reporting to': 712777, 'work our': 1005573, 'message from our': 529321, 'from our at': 336757, 'our at home': 622140, 'at home intern': 99017, 'home intern thank': 401438, 'intern thank you': 441715, 'essential worker to': 281860, 'worker to all': 1007995, 'healthcare worker bus': 387348, 'bus driver officer': 143023, 'driver officer grocery': 259673, 'officer grocery store': 595661, 'store staff childcare': 810306, 'staff childcare provider': 792317, 'childcare provider utility': 176307, 'provider utility tech': 686814, 'utility tech farmworkers': 951321, 'tech farmworkers and': 836084, 'farmworkers and everyone': 299690, 'and everyone still': 62409, 'everyone still reporting': 287416, 'still reporting to': 801119, 'reporting to work': 712779, 'to work our': 918762, 'work our community': 1005574, 'community is so': 189934, 'is so grateful': 452010, 'grateful for you': 362279, 'and mounting': 67279, 'mounting uncertainty': 543457, 'challenge and mounting': 171401, 'and mounting uncertainty': 67280, 'mounting uncertainty about': 543458, 'else not': 271803, 'just yourself': 470388, 'yourself stop': 1026708, 'being like': 125383, 'like idiot': 490470, 'when buy': 983219, 'need prayfortheworld': 555461, 'prayfortheworld coronacrisisuk': 669104, 'coronacrisisuk convid19uk': 204878, 'think about everyone': 885083, 'everyone else not': 286868, 'else not just': 271805, 'not just yourself': 570267, 'just yourself stop': 470389, 'yourself stop being': 1026709, 'stop being like': 804491, 'being like idiot': 125384, 'like idiot in': 490471, 'idiot in supermarket': 413530, 'supermarket when buy': 823798, 'when buy food': 983220, 'food buy what': 313845, 'you need prayfortheworld': 1020032, 'need prayfortheworld coronacrisisuk': 555462, 'prayfortheworld coronacrisisuk convid19uk': 669105, 'canada chief': 160395, 'officer canada': 595647, 'canada say': 160555, 'say given': 738678, 'given changing': 350967, 'changing knowledge': 172739, 'knowledge on': 477180, 'spread canadian': 790466, 'wear non': 974429, 'can back': 157564, 'on physicaldistancing': 602795, 'physicaldistancing and': 655481, 'hygiene masks4all': 412121, 'canada chief medical': 160397, 'chief medical officer': 175945, 'medical officer canada': 526277, 'officer canada say': 595648, 'canada say given': 160556, 'say given changing': 738679, 'given changing knowledge': 350968, 'changing knowledge on': 172740, 'knowledge on how': 477181, 'how is spread': 408109, 'is spread canadian': 452183, 'spread canadian are': 790467, 'canadian are now': 160637, 'now being urged': 574244, 'being urged to': 126013, 'urged to wear': 948297, 'to wear non': 918436, 'wear non medical': 974430, 'medical mask but': 526254, 'mask but say': 518496, 'but say it': 146965, 'it doesn mean': 457636, 'you can back': 1017626, 'can back off': 157565, 'back off on': 107183, 'off on physicaldistancing': 594021, 'on physicaldistancing and': 602796, 'physicaldistancing and hand': 655482, 'and hand hygiene': 64141, 'hand hygiene masks4all': 375028, 'johnson in': 466598, 'boss over': 135745, 'over panic': 630481, 'boris johnson in': 135468, 'johnson in talk': 466601, 'in talk with': 428810, 'talk with supermarket': 833923, 'with supermarket boss': 1001049, 'supermarket boss over': 819400, 'boss over panic': 135746, 'over panic buying': 630483, 'buying 19 corona': 149835, 'of cow': 582106, 'urine and': 948466, 'and cow': 60666, 'dung have': 262285, 'become higher': 120021, 'price of cow': 675431, 'of cow urine': 582107, 'cow urine and': 214464, 'urine and cow': 948467, 'and cow dung': 60667, 'cow dung have': 214456, 'dung have become': 262286, 'have become higher': 379436, 'become higher than': 120022, 'kilo now is': 474742, 'dealmakers': 229703, 'restructurings': 717448, 'ha oilandgas': 371426, 'oilandgas dealmakers': 597542, 'dealmakers wondering': 229704, 'see wave': 746010, 'of bankruptcy': 580546, 'bankruptcy and': 110505, 'and restructurings': 70415, 'restructurings what': 717449, 'gas mna': 343905, 'mna in': 534810, 'in price ha': 426969, 'price ha oilandgas': 674389, 'ha oilandgas dealmakers': 371427, 'oilandgas dealmakers wondering': 597543, 'dealmakers wondering if': 229705, 'wondering if the': 1004179, 'if the industry': 414988, 'the industry will': 858196, 'industry will see': 436250, 'will see wave': 994798, 'see wave of': 746011, 'wave of bankruptcy': 969365, 'of bankruptcy and': 580547, 'bankruptcy and restructurings': 110506, 'and restructurings what': 70416, 'restructurings what next': 717450, 'next for oil': 561370, 'for oil and': 324032, 'and gas mna': 63482, 'gas mna in': 343906, 'mna in the': 534811, 'doctorsarehumans': 251186, 'country called': 210533, 'called nigeria': 156389, 'leader am': 483415, 'am absolutely': 49846, 'absolutely done': 27350, 'done may': 254933, 'we contributed': 971188, 'contributed towards': 201897, 'towards better': 927170, 'better nigeria': 128374, 'nigeria lockdownextension': 562766, 'stayhomesavelives doctorsarehumans': 798370, 'see this country': 745943, 'this country called': 886944, 'country called nigeria': 210534, 'called nigeria and': 156390, 'nigeria and her': 562713, 'and her leader': 64515, 'her leader am': 392159, 'leader am absolutely': 483416, 'am absolutely done': 49848, 'absolutely done may': 27351, 'done may we': 254934, 'may we live': 521605, 'we live to': 972222, 'live to pay': 496070, 'all we contributed': 45403, 'we contributed towards': 971189, 'contributed towards better': 201898, 'towards better nigeria': 927171, 'better nigeria lockdownextension': 128375, 'nigeria lockdownextension 19': 562767, 'lockdownextension 19 stayhomesavelives': 500276, '19 stayhomesavelives doctorsarehumans': 10834, 'life interaction': 488794, 'interaction like': 441252, 'simply being': 770186, 'cause highly': 167595, 'highly elevated': 396061, 'elevated emotion': 271367, 'emotion here': 273260, 'during heightened': 262682, 'heightened stress': 388825, 'anxiety 19': 78642, 'everyday life interaction': 286592, 'life interaction like': 488795, 'interaction like going': 441253, 'store getting takeout': 807928, 'getting takeout or': 349331, 'takeout or simply': 833178, 'or simply being': 617086, 'simply being at': 770187, 'home now isolation': 401686, 'now isolation can': 575099, 'isolation can cause': 455231, 'can cause highly': 157883, 'cause highly elevated': 167596, 'highly elevated emotion': 396062, 'elevated emotion here': 271368, 'emotion here are': 273261, 'are tip to': 91096, 'help during heightened': 389609, 'during heightened stress': 262683, 'heightened stress anxiety': 388826, 'stress anxiety 19': 813303, 'if catch': 413948, 'catch anyone': 166982, 'like hoarder': 490441, 'will publicly': 994522, 'publicly shame': 688599, 'if catch anyone': 413949, 'catch anyone buying': 166983, 'anyone buying like': 80211, 'buying like hoarder': 150651, 'like hoarder in': 490442, 'supermarket will publicly': 823890, 'will publicly shame': 994523, 'publicly shame you': 688600, 'shame you hoarder': 754668, 'ultimate flex': 939109, 'flex today': 310353, 'wearing 3m': 974579, '3m n95': 18330, 'and holding': 64673, 'holding 24': 400088, 'the ultimate flex': 870311, 'ultimate flex today': 939110, 'flex today is': 310354, 'today is walking': 919728, 'is walking around': 453744, 'store wearing 3m': 811193, 'wearing 3m n95': 974580, '3m n95 mask': 18331, 'mask and holding': 518336, 'and holding 24': 64674, 'holding 24 pack': 400089, 'enhances': 277107, 'kagan': 470631, 'enhances the': 277108, 'certain vr': 170124, 'vr content': 960734, 'content read': 200837, 'our kagan': 623616, 'kagan spring': 470632, 'spring consumer': 791191, 'survey here': 828878, 'enhances the appeal': 277109, 'appeal of certain': 82070, 'of certain vr': 581257, 'certain vr content': 170125, 'vr content read': 960735, 'content read more': 200838, 'on our kagan': 602610, 'our kagan spring': 623617, 'kagan spring consumer': 470633, 'spring consumer insight': 791192, 'insight survey here': 439639, 'cornish': 203726, 'cornwall fishing': 203753, 'fishing industry': 309406, 'industry hit': 435887, 'all urged': 45338, 'fish to': 309347, 'the cornish': 851757, 'cornish fleet': 203729, 'cornwall fishing industry': 203754, 'fishing industry hit': 309407, 'industry hit by': 435888, 'hit by collapse': 398175, 'demand and plummeting': 234988, 'and plummeting price': 69129, 'plummeting price we': 661390, 're all urged': 698242, 'all urged to': 45339, 'urged to eat': 948288, 'eat more local': 265984, 'more local fresh': 539709, 'local fresh fish': 497993, 'fresh fish to': 332954, 'fish to help': 309348, 'help the cornish': 390645, 'the cornish fleet': 851758, '48yr': 19374, '47yr': 19288, 'carabinieri': 163366, 'include 48yr': 431507, '48yr old': 19375, 'brescia died': 139380, 'home 47yr': 400539, '47yr old': 19289, 'old army': 598147, 'of carabinieri': 581137, 'carabinieri emergency': 163367, 'emergency number': 272822, 'number command': 576850, 'command center': 188321, 'center operator': 169282, 'bergamo who': 127301, 'been hospitalized': 121312, 'hospitalized in': 404842, 'death include 48yr': 230087, 'include 48yr old': 431508, '48yr old woman': 19376, 'woman who wa': 1003688, 'who wa supermarket': 989917, 'wa supermarket cashier': 963360, 'in brescia died': 420964, 'brescia died at': 139381, 'at home 47yr': 98928, 'home 47yr old': 400540, '47yr old army': 19290, 'old army of': 598148, 'army of carabinieri': 93020, 'of carabinieri emergency': 581138, 'carabinieri emergency number': 163368, 'emergency number command': 272824, 'number command center': 576851, 'command center operator': 188322, 'center operator in': 169283, 'operator in bergamo': 613370, 'in bergamo who': 420792, 'bergamo who had': 127302, 'who had been': 988873, 'had been hospitalized': 372894, 'been hospitalized in': 121313, 'hospitalized in icu': 404843, 'can surging': 159867, 'silver last': 769816, 'last covid': 480168, 'lockdown threaten': 500038, 'threaten sale': 893758, 'can surging demand': 159868, 'demand for gold': 235431, 'and silver last': 71670, 'silver last covid': 769817, 'last covid 19': 480169, '19 lockdown threaten': 8432, 'lockdown threaten sale': 500039, 'threaten sale price': 893759, 'line operational': 493336, 'operational while': 613323, 'security protection': 744725, 'all ppe': 44007, 'ppe labelers': 667994, 'these we remain': 880948, 'packaging line operational': 633557, 'line operational while': 493337, 'operational while focusing': 613324, 'focusing on safety': 311999, 'on safety and': 603254, 'safety and security': 730463, 'and security protection': 71127, 'security protection of': 744726, 'protection of all': 685538, 'of all ppe': 579971, 'all ppe labelers': 44008, 'would experience': 1011804, 'experience much': 291423, 'much faster': 544879, 'faster recovery': 300119, 'keep everyone at': 471475, 'home for at': 401222, 'least week business': 484694, 'week business the': 976028, 'business the economy': 144497, 'and consumer would': 60445, 'consumer would experience': 199576, 'would experience much': 1011805, 'experience much faster': 291424, 'much faster recovery': 544880, 'set time': 753497, 'time preferably': 897517, 'with weakened': 1002045, 'weakened immune': 974070, 'system can': 831128, 'have set time': 382490, 'set time preferably': 753499, 'time preferably in': 897518, 'morning so that': 541446, 'those with weakened': 892730, 'with weakened immune': 1002046, 'weakened immune system': 974071, 'immune system can': 417336, 'system can use': 831130, 'can use the': 160105, 'is good clear': 448141, 'custody': 221966, 'west detention': 980489, 'not release': 571295, 'release our': 708986, 'from custody': 335072, 'custody they': 221969, 'will sicken': 994859, 'sicken and': 768697, 'an overcrowded': 56745, 'overcrowded understaffed': 631159, 'understaffed jail': 940573, 'jail with': 464289, 'limited medication': 492672, 'allow this': 46088, 'at the south': 101103, 'south west detention': 786790, 'west detention center': 980490, 'detention center in': 239372, 'center in if': 169231, 'in if we': 423968, 'do not release': 249819, 'not release our': 571296, 'release our people': 708987, 'our people from': 624310, 'people from custody': 647986, 'from custody they': 335073, 'custody they will': 221970, 'they will sicken': 883889, 'will sicken and': 994860, 'sicken and die': 768698, 'and die in': 61332, 'die in an': 241375, 'in an overcrowded': 420329, 'an overcrowded understaffed': 56747, 'overcrowded understaffed jail': 631160, 'understaffed jail with': 940574, 'jail with limited': 464290, 'with limited medication': 999232, 'limited medication and': 492673, 'medication and food': 526625, 'cannot allow this': 161627, 'allow this demand': 46089, 'this demand the': 887202, 'uk mum': 938558, 'mum struggling': 545947, 'day pleads': 228221, 'help price': 390353, 'uk mum struggling': 938559, 'mum struggling to': 545948, 'struggling to live': 814508, 'live on day': 495953, 'on day pleads': 600225, 'day pleads for': 228222, 'pleads for help': 659595, 'for help price': 322186, 'help price soar': 390354, 'prio': 678355, 'one approach': 605938, 'approach curfew': 82937, 'curfew harsh': 220883, 'penalty trading': 646454, 'trading pause': 928909, 'pause at': 644583, 'at stock': 100645, 'market prod': 516913, 'prod switch': 680145, 'equipment where': 279871, 'possible food': 665648, 'critical prod': 218630, 'prod prio': 680143, 'prio recruiting': 678356, 'recruiting all': 705486, 'all experienced': 42724, 'experienced critical': 291569, 'critical task': 218682, 'task later': 834717, 'later lift': 481092, 'lift ban': 489429, 'ban but': 109182, 'one approach curfew': 605939, 'approach curfew harsh': 82938, 'curfew harsh penalty': 220884, 'harsh penalty trading': 378564, 'penalty trading pause': 646455, 'trading pause at': 928910, 'pause at stock': 644584, 'at stock market': 100646, 'stock market prod': 802425, 'market prod switch': 516914, 'prod switch to': 680146, 'switch to medical': 830521, 'to medical equipment': 909995, 'medical equipment where': 526166, 'equipment where possible': 279872, 'where possible food': 985119, 'possible food and': 665649, 'food and critical': 313206, 'and critical prod': 60761, 'critical prod prio': 218631, 'prod prio recruiting': 680144, 'prio recruiting all': 678357, 'recruiting all experienced': 705487, 'all experienced critical': 42725, 'experienced critical task': 291570, 'critical task later': 218683, 'task later lift': 834718, 'later lift ban': 481093, 'lift ban but': 489430, 'ban but controlled': 109183, 'controlled by name': 202232, 'client major': 182064, 'electronics firm': 271297, 'snapshot of how': 776158, 'going to effect': 355582, 'to effect the': 904948, 'effect the job': 269123, 'planning call today': 658527, 'call today with': 156200, 'today with client': 920550, 'with client major': 997663, 'client major consumer': 182065, 'consumer electronics firm': 197338, 'electronics firm and': 271298, 'firm and heard': 308308, 'scam not': 740264, 'scam not going': 740265, 'testing more info': 839569, 'the essence': 854491, 'essence of': 280730, 'giving kenya': 351331, 'kenya 1billion': 472874, '1billion dollar': 12586, 'dollar if': 253007, 'if kenyan': 414354, 'kenyan are': 472953, 'buying sanitizers': 150979, 'are hoarded': 87196, 'hoarded or': 398955, 'is the essence': 452789, 'the essence of': 854492, 'essence of giving': 280731, 'of giving kenya': 584140, 'giving kenya 1billion': 351332, 'kenya 1billion dollar': 472875, '1billion dollar if': 12587, 'dollar if kenyan': 253008, 'if kenyan are': 414355, 'kenyan are buying': 472954, 'are buying sanitizers': 85128, 'buying sanitizers and': 150980, 'sanitizers and the': 736207, 'and the little': 73454, 'the little in': 859489, 'supermarket are hoarded': 819162, 'are hoarded or': 87197, 'hoarded or price': 398956, 'or price increased': 616693, 'the into': 858405, 'into sub': 443023, 'region economic': 707411, 'growth hard': 367389, 'hard with': 378113, 'direct disruption': 243316, 'people livelihood': 648680, 'livelihood tighter': 496213, 'tighter financial': 895865, 'financial condition': 306354, 'condition reduced': 193516, 'reduced trade': 706199, 'and steep': 72336, 'of the into': 591154, 'the into sub': 858406, 'into sub saharan': 443024, 'saharan africa will': 730913, 'africa will hit': 35158, 'hit the region': 398444, 'the region economic': 865427, 'region economic growth': 707412, 'economic growth hard': 267114, 'growth hard with': 367390, 'hard with direct': 378114, 'with direct disruption': 998047, 'direct disruption to': 243317, 'disruption to people': 246547, 'to people livelihood': 911631, 'people livelihood tighter': 648681, 'livelihood tighter financial': 496214, 'tighter financial condition': 895866, 'financial condition reduced': 306355, 'condition reduced trade': 193517, 'reduced trade and': 706200, 'and investment and': 65360, 'investment and steep': 443960, 'and steep drop': 72337, 'seattlecoronavirus': 743590, 'am waay': 50543, 'waay too': 963774, 'too happy': 924773, 'my nearby': 549414, 'their egg': 873114, 'egg stophoarding': 269993, 'stophoarding seattlecovid19': 805456, 'seattlecovid19 seattlecoronavirus': 743593, 'seattlecoronavirus coronacrisis': 743591, 'am waay too': 50544, 'waay too happy': 963775, 'too happy to': 924774, 'happy to find': 377711, 'find out that': 307150, 'out that my': 627327, 'that my nearby': 845272, 'my nearby grocery': 549416, 'store finally restocked': 807724, 'restocked their egg': 716970, 'their egg stophoarding': 873115, 'egg stophoarding seattlecovid19': 269994, 'stophoarding seattlecovid19 seattlecoronavirus': 805457, 'seattlecovid19 seattlecoronavirus coronacrisis': 743594, 'plum': 661226, 'some baking': 782374, 'baking found': 108906, 'some delicious': 782670, 'delicious plum': 233022, 'plum from': 661227, 'from argentina': 334585, 'argentina at': 92642, 'make plum': 510338, 'plum tart': 661229, 'this week decided': 891206, 'week decided to': 976136, 'do some baking': 250119, 'some baking found': 782375, 'baking found some': 108907, 'found some delicious': 330376, 'some delicious plum': 782671, 'delicious plum from': 233023, 'plum from argentina': 661228, 'from argentina at': 334586, 'argentina at the': 92643, 'store and decided': 806224, 'and decided to': 61012, 'decided to make': 230923, 'to make plum': 909720, 'make plum tart': 510339, 'absolutely the': 27457, 'is absolutely the': 445301, 'absolutely the one': 27458, 'purchasing of': 689895, 'created select': 215885, 'select hour': 747469, 'hour where': 406091, 'only shopper': 611120, 'shopper age': 761339, '60 or': 20976, 'several local grocery': 753881, 'chain have set': 170770, 'have set limit': 382486, 'limit on purchasing': 492424, 'on purchasing of': 603019, 'purchasing of certain': 689896, 'of certain product': 581255, 'certain product and': 170082, 'product and created': 680880, 'and created select': 60710, 'created select hour': 215886, 'select hour where': 747470, 'hour where only': 406092, 'where only shopper': 985074, 'only shopper age': 611121, 'shopper age 60': 761340, 'age 60 or': 37796, '60 or more': 20978, 'or more are': 616166, 'more are permitted': 538645, 'innit': 438810, 'devinjohnson445': 239971, 'his girl': 397469, 'are arguing': 84609, 'arguing lol': 92730, 'is bennett': 446133, 'bennett and': 127238, 'ain innit': 39630, 'innit tiktok': 438813, 'tiktok devinjohnson445': 895901, 'when your friend': 984625, 'friend and his': 333502, 'and his girl': 64598, 'his girl are': 397470, 'girl are arguing': 350233, 'are arguing lol': 84610, 'arguing lol my': 92731, 'lol my name': 500930, 'name is bennett': 551640, 'is bennett and': 446134, 'bennett and ain': 127239, 'and ain innit': 57805, 'ain innit tiktok': 39631, 'innit tiktok devinjohnson445': 438814, 'are anxious': 84572, 'about work': 26945, 'retailer closed': 719079, 'closed grocery': 183145, 'outbreak gt': 628260, 'employee are anxious': 273606, 'are anxious about': 84573, 'anxious about work': 78832, 'about work and': 26946, 'and with many': 75775, 'with many other': 999387, 'many other retailer': 514439, 'other retailer closed': 620851, 'retailer closed grocery': 719081, 'closed grocery worker': 183146, '19 outbreak gt': 9129, 'outbreak gt gt': 628261, 'optimistically': 613944, 'pocketed': 662230, 'optimistically she': 613945, 'she pocketed': 756266, 'pocketed two': 662231, 'and queued': 69873, 'queued 12': 694147, 'optimistically she pocketed': 613946, 'she pocketed two': 756267, 'pocketed two shopping': 662232, 'two shopping bag': 937215, 'bag and queued': 108222, 'and queued 12': 69874, 'queued 12 minute': 694148, '12 minute to': 2896, 'minute to enter': 533871, 'usually would': 951171, 'after easter': 35601, 'price easter': 673646, 'item this': 463731, 'lockdown helping': 499461, 'diet stayhomesavelives': 241756, 'usually would head': 951172, 'would head to': 1011904, 'supermarket the day': 823215, 'day after easter': 227181, 'after easter to': 35602, 'easter to stock': 265517, 'on the reduced': 604327, 'reduced price easter': 706147, 'price easter egg': 673647, 'easter egg but': 265418, 'egg but it': 269806, 'essential item this': 281232, 'item this year': 463734, 'year will not': 1015109, 'be the lockdown': 117632, 'the lockdown helping': 859600, 'lockdown helping the': 499462, 'helping the diet': 391488, 'the diet stayhomesavelives': 853252, 'copmpany': 203415, 'the copmpany': 851726, 'copmpany will': 203416, 'delivery force': 234037, 'shopping the copmpany': 764083, 'the copmpany will': 851727, 'copmpany will expand': 203417, 'and delivery force': 61115, 'delivery force to': 234038, 'ucsf': 937899, 'scripps': 742846, 'translational': 929717, 'mhealth': 530116, 'crowdsource': 219415, 'biostatistics': 131263, 'ucsf and': 937900, 'and scripps': 71094, 'scripps research': 742847, 'research translational': 713872, 'translational institute': 929718, 'institute launch': 440419, 'launch project': 481943, 'project using': 683550, 'using mhealth': 950555, 'mhealth to': 530117, 'to crowdsource': 903774, 'crowdsource data': 219416, 'coronavirus research': 206654, 'research biostatistics': 713683, 'biostatistics research': 131264, 'ucsf and scripps': 937901, 'and scripps research': 71095, 'scripps research translational': 742848, 'research translational institute': 713873, 'translational institute launch': 929719, 'institute launch project': 440420, 'launch project using': 481944, 'project using mhealth': 683551, 'using mhealth to': 950556, 'mhealth to crowdsource': 530118, 'to crowdsource data': 903775, 'crowdsource data for': 219417, 'data for coronavirus': 226212, 'for coronavirus research': 320389, 'coronavirus research biostatistics': 206655, 'research biostatistics research': 713684, 'announced hope': 76958, 'for 300': 318807, 'shopper find': 761510, 'offering and': 595015, 'it hiring': 458593, 'hiring delivery': 397084, 'delivery grocer': 234067, 'grocer supermarket': 364172, 'just announced hope': 468193, 'announced hope for': 76959, 'hope for 300': 403478, 'for 300 00': 318808, '300 00 more': 17282, '00 more shopper': 345, 'more shopper find': 540384, 'shopper find out': 761511, 'the new benefit': 861474, 'new benefit the': 558396, 'benefit the company': 127103, 'is offering and': 450416, 'offering and where': 595016, 'and where it': 75536, 'where it hiring': 984962, 'it hiring delivery': 458594, 'hiring delivery grocer': 397085, 'delivery grocer supermarket': 234068, 'amplified': 54891, 'arabia which': 83966, 'which began': 985709, 'wa amplified': 961522, 'amplified by': 54892, 'oil price plummeted': 597215, 'price plummeted in': 675913, 'plummeted in recent': 661342, 'week the oil': 976998, 'saudi arabia which': 737228, 'arabia which began': 83967, 'which began on': 985710, 'march wa amplified': 515514, 'wa amplified by': 961523, 'amplified by an': 54893, 'bako': 108953, 'lalong': 479147, 'yesterday gov': 1015755, 'gov simon': 359699, 'simon bako': 769958, 'bako lalong': 108954, 'lalong of': 479148, 'of plateau': 588161, 'plateau state': 658929, 'state imposed': 795678, 'imposed stay': 419316, 'home against': 400575, 'it unfortunate': 461929, 'unfortunate how': 941563, 'some wicked': 784214, 'wicked trader': 991680, 'trader marketer': 928737, 'marketer vendor': 517499, 'vendor hiked': 954377, 'commodity we': 189336, 'own problem': 632153, 'just yesterday gov': 470369, 'yesterday gov simon': 1015756, 'gov simon bako': 359700, 'simon bako lalong': 769959, 'bako lalong of': 108955, 'lalong of plateau': 479149, 'of plateau state': 588162, 'plateau state imposed': 658930, 'state imposed stay': 795679, 'imposed stay at': 419317, 'at home against': 98934, 'home against covid': 400576, 'but it unfortunate': 146176, 'it unfortunate how': 461931, 'unfortunate how some': 941564, 'how some wicked': 408722, 'some wicked trader': 784215, 'wicked trader marketer': 991681, 'trader marketer vendor': 928738, 'marketer vendor hiked': 517500, 'vendor hiked price': 954378, 'of commodity we': 581583, 'commodity we are': 189337, 'are our own': 88867, 'our own problem': 624208, 'relentless': 709129, 'your relentless': 1025556, 'relentless hard': 709132, 'available right': 104571, 'unnoticed stay': 942982, 'all grocery drug': 43006, 'station employee for': 796392, 'employee for all': 273859, 'all your relentless': 45582, 'your relentless hard': 1025557, 'relentless hard work': 709133, 'hard work to': 378133, 'keep supply and': 471993, 'and food available': 63030, 'food available right': 313476, 'available right now': 104572, 'now your support': 576526, 'your support is': 1026084, 'support is not': 826601, 'not going unnoticed': 569704, 'going unnoticed stay': 355771, 'unnoticed stay well': 942983, 'well and strong': 978026, 'farhan': 299057, 'yusoff': 1027123, 'malaysia escalated': 511608, 'escalated today': 280268, 'following rumour': 312837, 'rumour of': 727522, 'an impending': 56188, 'impending lockdown': 418322, 'domestic trade': 253240, 'affair have': 34051, '19 farhan': 6939, 'farhan yusoff': 299058, 'yusoff shafwan': 1027124, 'zaidon panic': 1027185, 'buying in malaysia': 150531, 'in malaysia escalated': 425011, 'malaysia escalated today': 511609, 'escalated today following': 280269, 'today following rumour': 919530, 'following rumour of': 312838, 'rumour of an': 727523, 'of an impending': 580119, 'an impending lockdown': 56189, 'impending lockdown the': 418324, 'lockdown the ministry': 500012, 'ministry of domestic': 533542, 'of domestic trade': 582786, 'domestic trade and': 253241, 'trade and consumer': 928407, 'consumer affair have': 196092, 'affair have warned': 34052, 'have warned people': 383541, 'warned people not': 967024, 'not to spread': 572188, 'to spread fake': 915061, 'fake news on': 296672, 'news on covid': 560663, 'covid 19 farhan': 213074, '19 farhan yusoff': 6940, 'farhan yusoff shafwan': 299059, 'yusoff shafwan zaidon': 1027125, 'shafwan zaidon panic': 754367, 'zaidon panic buying': 1027186, 'gala': 342910, 'start showing': 794504, 'week dressed': 976169, 'the met': 860535, 'met gala': 529572, 'gala because': 342911, 'public socialdistancing': 688320, 'socialdistancing selfquarantine': 780673, 'selfquarantine 19': 748559, 'people gonna start': 648108, 'gonna start showing': 356620, 'start showing up': 794505, 'showing up to': 767554, 'store each week': 807417, 'each week dressed': 264328, 'week dressed for': 976170, 'for the met': 326559, 'the met gala': 860536, 'met gala because': 529573, 'gala because it': 342912, 'only time they': 611348, 'time they ll': 897904, 'll be seen': 496624, 'be seen in': 117041, 'seen in public': 747081, 'in public socialdistancing': 427099, 'public socialdistancing selfquarantine': 688321, 'socialdistancing selfquarantine 19': 780674, 'lockdown bos': 499201, 'use it stock': 949313, 'it stock food': 461263, 'family in this': 297928, '19 lockdown bos': 8372, 'latest comprehensive': 481254, 'friendly guide': 333963, 'guide put': 368349, 'together by': 920735, 'the san': 866332, 'antonio express': 78609, 'express news': 293047, 'wa resourceful': 963090, 'resourceful read': 714943, 'read covering': 700321, 'local impact': 498103, 'health tip': 386913, 'community update': 190196, 'april 19th': 83438, 'did you read': 240943, 'you read our': 1020810, 'our latest comprehensive': 623655, 'latest comprehensive consumer': 481255, 'consumer friendly guide': 197542, 'friendly guide put': 333965, 'guide put together': 368350, 'put together by': 690932, 'together by the': 920736, 'by the san': 154432, 'the san antonio': 866333, 'san antonio express': 733517, 'antonio express news': 78610, 'express news it': 293048, 'news it wa': 560567, 'it wa resourceful': 462179, 'wa resourceful read': 963091, 'resourceful read covering': 714944, 'read covering the': 700322, 'covering the local': 212498, 'the local impact': 859558, 'local impact of': 498104, '19 health tip': 7485, 'health tip and': 386914, 'tip and community': 898703, 'and community update': 60179, 'community update it': 190197, 'update it will': 947045, 'published on april': 688673, 'on april 19th': 599435, 'hospital scared': 404596, 'dying alone': 263776, 'alone because': 46829, 'around being': 93223, 'being mean': 125422, 'others running': 621621, 'running covid19': 727944, 'covid19 scam': 214374, 'scam jacking': 740220, 'sad how': 729178, 'how messed': 408318, 'up human': 945131, 'being can': 124916, 'the hospital scared': 857532, 'hospital scared and': 404597, 'scared and dying': 740940, 'and dying alone': 61827, 'dying alone because': 263777, 'alone because of': 46830, 'the and people': 848714, 'still going around': 800586, 'going around being': 355025, 'around being mean': 93224, 'being mean to': 125423, 'mean to others': 524736, 'to others running': 911140, 'others running covid19': 621622, 'running covid19 scam': 727945, 'covid19 scam jacking': 214375, 'scam jacking up': 740221, 'sanitizer it sad': 735230, 'it sad how': 460824, 'sad how messed': 729179, 'how messed up': 408319, 'messed up human': 529530, 'up human being': 945132, 'human being can': 410438, 'being can be': 124917, 'scrabbling': 742527, 'had keep': 373222, 'on mug': 602247, 'mug on': 545575, 'their desk': 873012, 'desk for': 238454, 'year are': 1014415, 'same moron': 733167, 'moron emptying': 541586, 'saw them': 738280, 'them scrabbling': 876250, 'scrabbling for': 742528, 'for bottled': 319748, 'water we': 969252, 'have tap': 382923, 'tap in': 834324, 'house hysteria': 406346, 'hysteria panic': 412471, 'panic stophoarding': 638636, 'who have had': 988926, 'have had keep': 380865, 'had keep calm': 373223, 'carry on mug': 165124, 'on mug on': 602248, 'mug on their': 545576, 'on their desk': 604476, 'their desk for': 873013, 'desk for year': 238456, 'for year are': 327996, 'year are the': 1014416, 'the same moron': 866262, 'same moron emptying': 733168, 'moron emptying the': 541587, 'today saw them': 920145, 'saw them scrabbling': 738281, 'them scrabbling for': 876251, 'scrabbling for bottled': 742529, 'for bottled water': 319749, 'bottled water we': 136380, 'water we have': 969253, 'we have tap': 971956, 'have tap in': 382924, 'tap in our': 834325, 'our house hysteria': 623477, 'house hysteria panic': 406347, 'hysteria panic stophoarding': 412474, 'amending': 51401, 'you offered': 1020183, 'for amending': 319232, 'amending the': 51402, 'date yet': 226765, 'yet for': 1016074, 'original booking': 619557, 'you would look': 1022453, 'would look after': 1012006, 'look after your': 502231, 'after your customer': 36615, 'your customer better': 1023410, 'customer better than': 222193, 'this my holiday': 889073, 'my holiday for': 548677, 'holiday for april': 400297, 'april 2020 ha': 83463, 'been cancelled because': 120784, 'and you offered': 76037, 'you offered to': 1020184, 'to 100 of': 899440, '100 of additional': 1979, 'of additional cost': 579778, 'cost for amending': 207941, 'for amending the': 319233, 'amending the date': 51403, 'the date yet': 852861, 'date yet for': 226766, 'yet for price': 1016077, 'for price are': 324715, 'our original booking': 624174, 'sizable': 772748, 'repo': 711760, 'domestic economy': 253185, 'economy getting': 267888, 'getting impacted': 349051, 'restoring the': 717076, 'the confidence': 851442, 'confidence of': 193922, 'of producer': 588473, 'and investor': 65368, 'investor ha': 444160, 'become priority': 120102, 'the prompting': 864663, 'prompting it': 683960, 'for sizable': 325646, 'sizable reduction': 772749, 'the policy': 863938, 'policy repo': 663480, 'repo rate': 711761, 'with the domestic': 1001270, 'the domestic economy': 853528, 'domestic economy getting': 253186, 'economy getting impacted': 267889, 'getting impacted due': 349052, 'to outbreak of': 911267, 'outbreak of restoring': 628484, 'of restoring the': 589030, 'restoring the confidence': 717077, 'the confidence of': 851443, 'confidence of producer': 193923, 'of producer consumer': 588474, 'producer consumer and': 680594, 'consumer and investor': 196219, 'and investor ha': 65370, 'investor ha become': 444161, 'ha become priority': 369689, 'become priority for': 120103, 'priority for the': 678571, 'for the prompting': 326638, 'the prompting it': 864664, 'prompting it to': 683961, 'it to go': 461718, 'go for sizable': 353572, 'for sizable reduction': 325647, 'sizable reduction in': 772750, 'reduction in the': 706371, 'in the policy': 429460, 'the policy repo': 863941, 'policy repo rate': 663481, 'to coronavirus and': 903540, 'coronavirus and supply': 205498, 'sale down': 732168, 'and yoy': 76110, 'yoy indicating': 1026960, 'indicating consumer': 435006, 'wa trending': 963575, 'trending down': 931534, 'down prior': 257121, 'retail sale down': 718505, 'sale down in': 732170, 'down in february': 256858, 'february and yoy': 301690, 'and yoy indicating': 76111, 'yoy indicating consumer': 1026961, 'indicating consumer spending': 435007, 'major driver in': 509307, 'driver in economy': 259613, 'in economy wa': 422491, 'economy wa trending': 268325, 'wa trending down': 963576, 'trending down prior': 931535, 'down prior to': 257122, 'restaurant no': 716590, 'no play': 565124, 'play date': 659132, 'date no': 226687, 'social visit': 780010, 'visit no': 959310, 'store avoid': 806617, 'avoid peak': 105213, 'hour minimize': 405765, 'minimize visit': 533140, 'visit order': 959320, 'possible family': 665646, 'time yes': 898393, 'restaurant no play': 716591, 'no play date': 565125, 'play date no': 659133, 'date no social': 226688, 'no social visit': 565549, 'social visit no': 780011, 'visit no grocery': 959311, 'grocery store avoid': 365227, 'store avoid peak': 806618, 'avoid peak hour': 105214, 'peak hour minimize': 646070, 'hour minimize visit': 405766, 'minimize visit order': 533141, 'visit order online': 959321, 'order online if': 618471, 'online if possible': 608387, 'if possible family': 414666, 'possible family time': 665647, 'family time yes': 298318, 'bulk will': 142372, 'probably push': 679355, 'push food': 690262, 'up say': 945948, 'in bulk will': 421052, 'bulk will probably': 142373, 'will probably push': 994467, 'probably push food': 679356, 'push food price': 690263, 'food price up': 315983, 'price up say': 677255, 'up say agri': 945949, 'what behavior': 981096, 'and enterprise': 62184, 'enterprise you': 278471, 'be significantly': 117186, 'significantly changed': 769557, 'what behavior consumer': 981097, 'behavior consumer and': 123980, 'consumer and enterprise': 196209, 'and enterprise you': 62185, 'enterprise you think': 278472, 'will be significantly': 992682, 'be significantly changed': 117187, 'significantly changed post': 769559, 'is roundup': 451578, 'roundup of': 726424, 'home design': 401069, 'design shop': 238264, 'on is roundup': 601635, 'is roundup of': 451579, 'roundup of small': 726425, 'small home design': 774993, 'home design shop': 401070, 'design shop that': 238265, 'while staying home': 987316, 'also be keeping': 47924, 'be keeping it': 115590, 'keeping it updated': 472460, 'show the love': 767214, 'you professor': 1020448, 'professor the': 682594, 'hoard should': 398861, 'more considerate': 538863, 'thank you professor': 841803, 'you professor the': 1020449, 'professor the government': 682595, 'something to stop': 785110, 'in supermarket people': 428647, 'supermarket people who': 821956, 'who hoard should': 989011, 'hoard should be': 398862, 'should be le': 765656, 'be le selfish': 115675, 'le selfish and': 483111, 'selfish and more': 747987, 'and more considerate': 67160, 'more considerate and': 538864, 'considerate and stop': 195212, 'stop buying food': 804535, 'and supply like': 72800, 'supply like it': 825503, 'cheerio': 175153, 'cheerio maker': 175154, 'maker on': 510847, 'wednesday raised': 975679, 'it adjusted': 456273, 'adjusted profit': 32330, 'profit growth': 682751, 'growth forecast': 367371, '2020 boosted': 14180, 'product people': 681513, 'people stockpile': 649628, 'cheerio maker on': 175155, 'maker on wednesday': 510848, 'on wednesday raised': 605177, 'wednesday raised it': 975680, 'raised it adjusted': 696007, 'it adjusted profit': 456274, 'adjusted profit growth': 32331, 'profit growth forecast': 682752, 'growth forecast for': 367372, 'forecast for 2020': 328815, 'for 2020 boosted': 318745, '2020 boosted by': 14181, 'boosted by higher': 135046, 'by higher demand': 152805, 'it packaged product': 460232, 'packaged product people': 633503, 'product people stockpile': 681514, 'people stockpile essential': 649630, 'stockpile essential food': 803739, 'item amid the': 463047, 'many creatives': 513953, 'creatives in': 216205, 'nyc you': 578072, 'need multiple': 555280, 'multiple job': 545756, 'survive here': 829181, 'so happens': 777236, 'happens frontline': 377465, 'worker manager': 1007349, 'so travel': 778568, 'work decided': 1005034, 'document this': 251214, 'like many creatives': 490705, 'many creatives in': 513954, 'creatives in nyc': 216206, 'in nyc you': 426032, 'nyc you need': 578073, 'you need multiple': 1020018, 'need multiple job': 555281, 'multiple job to': 545757, 'job to survive': 466232, 'to survive here': 916033, 'survive here it': 829182, 'here it just': 393269, 'it just so': 459243, 'just so happens': 469823, 'so happens frontline': 777237, 'happens frontline worker': 377466, 'frontline worker manager': 338868, 'worker manager in': 1007350, 'manager in supermarket': 512735, 'supermarket so travel': 822745, 'so travel to': 778569, 'travel to and': 930532, 'and from work': 63354, 'from work decided': 338405, 'work decided to': 1005035, 'decided to document': 230913, 'to document this': 904610, 'document this moment': 251215, 'uneducated': 941084, 'bcus': 113370, 'so uneducated': 778598, 'uneducated about': 941085, 'these uneducated': 880917, 'uneducated individual': 941089, 'are traveling': 91189, 'place just': 657540, 'low stop': 505646, 'being ignorant': 125275, 'ignorant bcus': 415775, 'bcus this': 113371, 'rapidly because': 696958, 'individual like': 435214, 'like ya': 491851, 'lot of you': 504329, 'are so uneducated': 90223, 'so uneducated about': 778599, 'uneducated about the': 941086, '19 these uneducated': 11298, 'these uneducated individual': 880918, 'uneducated individual are': 941090, 'individual are the': 435140, 'the same one': 866269, 'same one who': 733192, 'who are traveling': 988245, 'are traveling for': 91190, 'traveling for day': 930643, 'for day day': 320567, 'day day to': 227505, 'day to other': 228572, 'to other place': 911118, 'other place just': 620720, 'place just because': 657541, 'just because price': 468289, 'because price are': 119499, 'are low stop': 87936, 'low stop being': 505647, 'stop being ignorant': 804490, 'being ignorant bcus': 125276, 'ignorant bcus this': 415776, 'bcus this virus': 113372, 'virus is spreading': 958406, 'is spreading rapidly': 452198, 'spreading rapidly because': 791034, 'rapidly because of': 696959, 'because of individual': 119358, 'of individual like': 585135, 'individual like ya': 435216, 'hughs': 410299, 'nosociallife': 567968, 'careerchange': 164368, 'rosslare': 726145, 'hughs homemade': 410300, 'homemade soda': 402852, 'soda coming': 781416, 'washyourhands nosociallife': 967885, 'nosociallife baking': 567969, 'baking careerchange': 108904, 'careerchange rosslare': 164369, 'rosslare harbour': 726146, 'hughs homemade soda': 410301, 'homemade soda coming': 402853, 'soda coming soon': 781417, 'coming soon to': 188199, 'soon to supermarket': 785871, 'near you socialdistancing': 553645, 'you socialdistancing washyourhands': 1021297, 'socialdistancing washyourhands nosociallife': 780855, 'washyourhands nosociallife baking': 967886, 'nosociallife baking careerchange': 567970, 'baking careerchange rosslare': 108905, 'careerchange rosslare harbour': 164370, 'the find': 855236, 'handy online': 376898, 'online toilet': 609613, 'calculator read': 155346, 'out of during': 626723, 'during the find': 263129, 'the find out': 855237, 'paper you have': 641129, 'you have with': 1019142, 'have with this': 383611, 'with this handy': 1001700, 'this handy online': 887832, 'handy online toilet': 376899, 'online toilet paper': 609614, 'paper calculator read': 639997, 'calculator read more': 155347, 'tillman': 896138, 'minimising': 533094, 'thebestrun': 872292, 'tillman say': 896139, 'help buyer': 389459, 'connect quickly': 194615, 'and effectively': 61953, 'effectively minimising': 269364, 'minimising the': 533097, 'by shipment': 153978, 'shipment delay': 758747, 'delay capacity': 232685, 'capacity issue': 162540, 'crisis thebestrun': 218195, 'tillman say this': 896140, 'say this will': 739377, 'will help buyer': 993703, 'help buyer and': 389460, 'buyer and supplier': 149563, 'and supplier to': 72770, 'supplier to connect': 824623, 'to connect quickly': 903208, 'connect quickly and': 194616, 'quickly and effectively': 694462, 'and effectively minimising': 61956, 'effectively minimising the': 269365, 'minimising the disruption': 533098, 'caused by shipment': 167865, 'by shipment delay': 153979, 'shipment delay capacity': 758748, 'delay capacity issue': 232686, 'capacity issue and': 162541, 'issue and increased': 455666, 'and increased consumer': 65113, 'consumer demand in': 197142, 'demand in time': 235681, 'of crisis thebestrun': 582191, 'o2': 578231, 'so o2': 777916, 'o2 mobile': 578234, 'mobile and': 534936, 'sky broadband': 773187, 'broadband are': 140716, 'are obviously': 88635, 'obviously not': 578839, 'the convid19': 851713, 'convid19 selfisolation': 202604, 'selfisolation there': 748507, 'there putting': 878971, 'so o2 mobile': 777917, 'o2 mobile and': 578235, 'mobile and sky': 534938, 'and sky broadband': 71725, 'sky broadband are': 773188, 'broadband are obviously': 140717, 'are obviously not': 88636, 'obviously not bothered': 578840, 'bothered about the': 136141, 'about the convid19': 26360, 'the convid19 selfisolation': 851714, 'convid19 selfisolation there': 202605, 'selfisolation there putting': 748508, 'there putting there': 878972, 'putting there price': 691256, 'there price up': 878958, 'wa disappointing': 961982, 'disappointing to': 244148, 'having in': 384118, 'in impose': 423992, 'impose price': 419251, 'produce apparently': 680191, 'apparently supplier': 82006, 'amidst bekind': 52779, 'wa in local': 962373, 'in local farm': 424818, 'farm shop this': 299177, 'shop this morning': 760928, 'morning and it': 541159, 'it wa disappointing': 462103, 'wa disappointing to': 961983, 'disappointing to hear': 244149, 'hear that they': 388000, 'are having in': 87037, 'having in impose': 384119, 'in impose price': 423993, 'impose price increase': 419253, 'increase on produce': 432954, 'on produce apparently': 602940, 'produce apparently supplier': 680192, 'apparently supplier are': 82007, 'supplier are increasing': 824496, 'increasing price amidst': 433664, 'price amidst bekind': 672324, 'all nursing': 43670, 'uk austria': 938205, 'austria and': 103593, 'world respect': 1009931, 'respect corvid19uk': 714976, 'to all nursing': 900270, 'all nursing staff': 43671, 'nursing staff supermarket': 577629, 'staff and volunteer': 792169, 'and volunteer in': 75031, 'volunteer in the': 960288, 'the uk austria': 870195, 'uk austria and': 938206, 'austria and around': 103594, 'the world respect': 871949, 'world respect corvid19uk': 1009932, 'respect corvid19uk stayhomechallenge': 714977, 'at loblaw': 99597, 'loblaw roughly': 497618, 'roughly 400': 726279, '400 corporate': 18728, 'corporate level': 207305, 'level staff': 487718, 'walmart canada': 965289, 'canada said': 160551, 'it asked': 456603, 'office employee': 595409, 'in mid': 425295, 'ha since': 371948, 'since had': 770630, 'had dozen': 373051, 'volunteer gt': 960272, 'gt absolutely': 367573, 'at loblaw roughly': 99598, 'loblaw roughly 400': 497619, 'roughly 400 corporate': 726280, '400 corporate level': 18729, 'corporate level staff': 207306, 'level staff now': 487719, 'staff now work': 792691, 'now work at': 576471, 'at store walmart': 100665, 'store walmart canada': 811142, 'walmart canada said': 965291, 'canada said it': 160552, 'said it asked': 731146, 'it asked it': 456604, 'asked it head': 95787, 'it head office': 458513, 'head office employee': 385785, 'office employee to': 595410, 'employee to shift': 274334, 'shift to in': 758436, 'to in store': 908233, 'in store work': 428476, 'work in mid': 1005324, 'in mid march': 425298, 'mid march and': 530573, 'march and ha': 515272, 'and ha since': 64084, 'ha since had': 371951, 'since had dozen': 770631, 'had dozen of': 373052, 'dozen of volunteer': 257901, 'of volunteer gt': 592858, 'volunteer gt absolutely': 960273, 'gt absolutely love': 367574, 'absolutely love this': 27383, 'love this story': 504835, 'jail is': 464270, 'jail without': 464291, 'can social': 159657, 'being in jail': 125301, 'in jail is': 424336, 'jail is death': 464271, 'stuck in jail': 814594, 'in jail without': 424338, 'jail without soap': 464292, 'sanitizer and can': 734391, 'and can social': 59474, 'can social distance': 159658, 'sbwl': 739839, 'even sending': 284557, 'sending covid': 750012, '19 advisory': 4826, 'advisory to': 33784, 'citizen telling': 178971, 'case ha': 165757, 'virus map': 958487, 'map even': 514925, 'even showed': 284570, 'how recently': 408566, 'recently confirmed': 704066, 'certain place': 170077, 'place bus': 657360, 'station pharmacy': 796489, 'supermarket sbwl': 822332, 'they were even': 883768, 'were even sending': 979590, 'even sending covid': 284558, 'sending covid 19': 750013, 'covid 19 advisory': 212588, '19 advisory to': 4827, 'advisory to their': 33785, 'their citizen telling': 872785, 'citizen telling them': 178972, 'telling them that': 837275, 'them that case': 876376, 'that case ha': 843169, 'case ha been': 165758, 'been confirmed in': 120866, 'confirmed in their': 194167, 'their area the': 872508, 'area the corona': 92224, 'corona virus map': 204326, 'virus map even': 958488, 'map even showed': 514926, 'even showed how': 284571, 'showed how recently': 767328, 'how recently confirmed': 408567, 'recently confirmed case': 704067, 'confirmed case had': 194140, 'been to certain': 122212, 'to certain place': 902581, 'certain place bus': 170078, 'place bus station': 657361, 'bus station pharmacy': 143086, 'station pharmacy supermarket': 796490, 'pharmacy supermarket sbwl': 654492, 'city mayor': 179255, 'mayor office': 521980, 'the sikh': 867185, 'sikh center': 769676, 'york prepared': 1016649, 'distributed 30': 248024, '00 vegetarian': 578, 'vegetarian meal': 954151, 'meal made': 524207, 'with lentil': 999200, 'lentil for': 486373, 'running empty': 727950, 'request of new': 713178, 'york city mayor': 1016592, 'city mayor office': 179256, 'mayor office the': 521981, 'office the sikh': 595564, 'the sikh center': 867186, 'sikh center of': 769677, 'center of new': 169273, 'new york prepared': 559945, 'york prepared and': 1016650, 'prepared and distributed': 670161, 'and distributed 30': 61514, 'distributed 30 00': 248025, '30 00 vegetarian': 16922, '00 vegetarian meal': 579, 'vegetarian meal made': 954152, 'meal made with': 524208, 'made with lentil': 508069, 'with lentil for': 999201, 'lentil for people': 486374, 'people in self': 648427, 'isolation or who': 455380, 'or who live': 617797, 'live in community': 495854, 'in community where': 421617, 'community where supermarket': 190222, 'shelf are running': 756823, 'are running empty': 89763, 'isolation tried': 455472, 'old entertained': 598241, 'entertained and': 278522, 'watching friend': 968743, 'beginning for': 123626, '4th time': 19537, 'time oh': 897394, 'lockdown selfisolation': 499894, 'self isolation tried': 747805, 'isolation tried to': 455473, 'tried to keep': 931836, 'keep one year': 471715, 'year old entertained': 1014824, 'old entertained and': 598242, 'entertained and started': 278523, 'and started watching': 72260, 'started watching friend': 794902, 'watching friend from': 968744, 'friend from the': 333613, 'the beginning for': 849433, 'beginning for the': 123627, 'the 4th time': 848132, '4th time oh': 19538, 'time oh and': 897395, 'oh and tried': 596363, 'tried to place': 931839, 'place an online': 657306, 'shopping order but': 763558, 'order but no': 618095, 'for week lockdown': 327728, 'week lockdown selfisolation': 976496, 'saw that': 738258, 'additional distribution': 31812, '00 big': 82, 'box grocery': 137078, 'employee also': 273539, 'demand aw': 235051, 'aw thanks': 105530, 'just saw that': 469692, 'saw that amazon': 738259, 'that amazon ha': 842622, 'amazon ha to': 50972, 'ha to hire': 372305, '100 00 additional': 1781, '00 additional distribution': 41, 'additional distribution center': 31813, 'center worker and': 169334, 'worker and more': 1006312, 'than 00 big': 840132, '00 big box': 83, 'big box grocery': 129658, 'box grocery store': 137079, 'store employee also': 807453, 'employee also have': 273540, 'also have to': 48340, 'to be hired': 901307, 'hired to keep': 397050, 'with demand aw': 997972, 'demand aw thanks': 235052, 'wyatt': 1013717, 'latest podcast': 481496, 'intelligence analyst': 440987, 'analyst duncan': 57126, 'duncan wyatt': 262264, 'wyatt answer': 1013718, 'the beef': 849416, 'beef lamb': 120518, 'lamb market': 479160, 'market place': 516852, 'export into': 292656, 'into europe': 442544, 'europe listen': 283474, 'our latest podcast': 623674, 'latest podcast where': 481498, 'podcast where our': 662328, 'where our market': 985083, 'market intelligence analyst': 516605, 'intelligence analyst duncan': 440988, 'analyst duncan wyatt': 57127, 'duncan wyatt answer': 262265, 'wyatt answer your': 1013719, 'in the beef': 429019, 'the beef lamb': 849417, 'beef lamb market': 120519, 'lamb market place': 479162, 'market place the': 516853, 'place the effect': 657720, 'the on price': 862173, 'on price demand': 602907, 'price demand and': 673421, 'demand and export': 234962, 'and export into': 62530, 'export into europe': 292657, 'into europe listen': 442545, 'europe listen now': 283475, 'pound each': 667365, 'and city are': 59897, 'city are going': 179061, 'going to donate': 355575, 'to donate 50': 904641, '50 00 pound': 19578, '00 pound each': 445, 'pound each to': 667366, 'each to help': 264302, 'bank in manchester': 109922, 'in manchester meet': 425027, 'people appreciate': 646910, 'new fresh': 558770, 'during quick': 262955, 'few people appreciate': 303986, 'people appreciate this': 646911, 'appreciate this new': 82769, 'this new fresh': 889114, 'new fresh air': 558771, 'or during quick': 615098, 'during quick trip': 262956, 'store pandemic environment': 809453, 'wa bill': 961705, 'bill gaither': 130578, 'gaither predicting': 342891, 'predicting the': 669644, 'wa bill gaither': 961706, 'bill gaither predicting': 130579, 'gaither predicting the': 342892, 'predicting the future': 669645, 'supermarket safe': 822290, 'is your supermarket': 454168, 'your supermarket safe': 1026058, 'widespreadpanic': 991869, 'tell if': 836986, 'wearing shirt': 974782, 'appropriate or': 83041, 'not these': 572061, 'day widespreadpanic': 228766, 'cannot tell if': 162168, 'tell if wearing': 836987, 'if wearing shirt': 415330, 'wearing shirt to': 974783, 'shirt to the': 759014, 'store is appropriate': 808466, 'is appropriate or': 445799, 'appropriate or not': 83042, 'or not these': 616316, 'not these day': 572062, 'these day widespreadpanic': 879902, 'attendant gas': 102350, 'worker utility': 1008092, 'for kicking': 322832, 'kicking as': 473822, 'as during': 94741, 're appreciated': 698299, 'store attendant gas': 806604, 'attendant gas station': 102351, 'station worker utility': 796562, 'worker utility company': 1008093, 'utility company and': 951270, 'company and their': 190396, 'employee for kicking': 273866, 'for kicking as': 322833, 'kicking as during': 473823, 'as during all': 94742, 'all this thank': 45138, 'you all so': 1016907, 'all so much': 44372, 'so much you': 777830, 'you re appreciated': 1020570, 'vta': 960775, 'the vta': 870968, 'vta urged': 960778, 'urged patience': 948269, 'patience transport': 644112, 'operator work': 613419, 'work overtime': 1005590, 'meet record': 527557, 'record consumer': 704919, 'the tremendous': 869951, 'by transport': 154589, 'the vta urged': 870970, 'vta urged patience': 960779, 'urged patience transport': 948271, 'patience transport operator': 644113, 'transport operator work': 929920, 'operator work overtime': 613420, 'work overtime to': 1005593, 'overtime to meet': 631648, 'to meet record': 910044, 'meet record consumer': 527558, 'record consumer demand': 704920, 'driven by we': 259290, 'by we applaud': 154700, 'we applaud the': 970446, 'applaud the tremendous': 82257, 'the tremendous effort': 869953, 'tremendous effort made': 931221, 'effort made by': 269549, 'made by transport': 507677, 'by transport and': 154590, 'transport and supermarket': 929871, 'worker during these': 1006820, 'mortem': 541850, 'state record': 795886, 'record her': 704971, 'her 2nd': 391813, '2nd covid': 16766, 'patient post': 644240, 'post mortem': 666216, 'mortem do': 541851, 'not intend': 570151, 'fear most': 301206, 'most may': 542505, 'need social': 555582, 'distancing shout': 247473, 'now watch': 576330, 'watch each': 968393, 'back beresponsible': 106908, 'delta state record': 234832, 'state record her': 795887, 'record her 2nd': 704972, 'her 2nd covid': 391814, '2nd covid 19': 16767, '19 patient post': 9592, 'patient post mortem': 644241, 'post mortem do': 666217, 'mortem do not': 541852, 'do not intend': 249766, 'not intend to': 570152, 'intend to cause': 441042, 'to cause panic': 902539, 'cause panic but': 167692, 'panic but what': 637453, 'but what we': 147802, 'what we fear': 982551, 'we fear most': 971528, 'fear most may': 301208, 'most may already': 542506, 'already be here': 47213, 'be here more': 115226, 'here more than': 393352, 'ever before we': 285230, 'before we need': 123288, 'we need social': 972542, 'need social distancing': 555583, 'social distancing shout': 779715, 'distancing shout out': 247474, 'shout out for': 766770, 'food if need': 314890, 'if need help': 414453, 'help we must': 390866, 'we must now': 972431, 'must now watch': 546792, 'now watch each': 576331, 'watch each other': 968394, 'other back beresponsible': 619865, 'disinflation': 245936, 'disinflation will': 245937, 'numerous shock': 577147, 'economy temporary': 268257, 'temporary fall': 837620, '19 containment': 6010, 'measure appreciation': 525110, 'euro and': 283350, 'all driving': 42634, 'disinflation will be': 245938, 'of the numerous': 591282, 'the numerous shock': 861973, 'numerous shock to': 577148, 'to the eurozone': 916683, 'eurozone economy temporary': 283636, 'economy temporary fall': 268258, 'temporary fall in': 837621, 'covid 19 containment': 212849, '19 containment measure': 6012, 'containment measure appreciation': 200603, 'measure appreciation of': 525111, 'of the euro': 590996, 'the euro and': 854574, 'euro and the': 283351, 'are all driving': 84299, 'all driving down': 42635, 'driving down consumer': 259918, 'down consumer price': 256654, 'make profit and': 510360, 'profit and profit': 682656, 'together and we': 920709, 'we must work': 972451, 'must work together': 547008, 'together to stay': 921003, 'job income is': 465888, 'income is affected': 432386, 'it bother': 456908, 'bother me': 136123, 'of teamfiji': 590618, 'teamfiji we': 835865, 'must realize': 546837, 'in storage': 428374, 'storage we': 806006, 'it bother me': 456909, 'bother me to': 136126, 'see the panic': 745870, 'buying of teamfiji': 150799, 'of teamfiji we': 590619, 'teamfiji we must': 835866, 'we must realize': 972438, 'must realize that': 546838, 'realize that with': 701865, 'that with food': 847628, 'food in storage': 314971, 'in storage we': 428375, 'storage we will': 806007, 'faster and the': 300085, 'and the likelihood': 73449, 'it is ideal': 458980, 'sickle': 768730, 'and sickle': 71645, 'sickle cell': 768731, 'cell disease': 168948, 'disease eat': 245131, 'healthy stock': 387778, 'virus and sickle': 957943, 'and sickle cell': 71646, 'sickle cell disease': 768732, 'cell disease eat': 168949, 'disease eat healthy': 245132, 'eat healthy stock': 265935, 'healthy stock up': 387779, 'food and fruit': 313238, 'made cut': 507708, 'workforce due': 1008353, 'closure some': 184032, 'hiring thousand': 397138, 'demand visit': 236441, 'job board': 465704, 'board to': 133676, 'access retail': 28183, 'retail employment': 718080, 'while many company': 987035, 'many company have': 513918, 'company have made': 190739, 'have made cut': 381407, 'made cut to': 507709, 'their workforce due': 875226, 'workforce due to': 1008354, 'to closure some': 902917, 'closure some retailer': 184034, 'some retailer are': 783765, 'retailer are hiring': 719004, 'are hiring thousand': 87185, 'hiring thousand of': 397139, 'consumer demand visit': 197173, 'demand visit our': 236442, 'visit our job': 959326, 'our job board': 623597, 'job board to': 465705, 'board to access': 133677, 'to access retail': 899958, 'access retail employment': 28184, 'retail employment opportunity': 718082, 'consumeraffairs': 199592, 'prevent firm': 671620, 'firm from': 308358, 'threat consumeraffairs': 893654, 'consumeraffairs minister': 199593, 'govt ha capped': 361138, 'sanitizers to prevent': 736427, 'to prevent firm': 912058, 'prevent firm from': 671621, 'firm from overcharging': 308359, 'coronavirus threat consumeraffairs': 206933, 'threat consumeraffairs minister': 893655, 'consumeraffairs minister ram': 199594, 'tweeted that price': 936451, 'that price of': 845829, 'in crisis via': 421901, 'the suggestion': 868400, 'suggestion box': 817627, 'consider windfall': 195179, 'windfall tax': 995645, 'profit friend': 682727, 'those sector': 892430, 'economy struggling': 268241, 'for the suggestion': 326711, 'the suggestion box': 868401, 'suggestion box to': 817628, 'box to consider': 137183, 'to consider windfall': 903242, 'consider windfall tax': 195180, 'windfall tax on': 995646, 'tax on supermarket': 835049, 'on supermarket profit': 603804, 'supermarket profit friend': 822076, 'profit friend to': 682728, 'friend to help': 333846, 'help those sector': 390750, 'those sector of': 892431, 'sector of the': 744281, 'the economy struggling': 854021, 'economy struggling with': 268242, 'struggling with the': 814547, 'with the fallout': 1001298, 'in applaud': 420452, 'hero thanking': 394106, 'thanking medical': 841983, 'police retail': 663183, 'delivery staff': 234562, 'resident in applaud': 714314, 'in applaud the': 420453, 'unsung hero thanking': 943562, 'hero thanking medical': 394107, 'thanking medical worker': 841985, 'medical worker police': 526509, 'worker police retail': 1007604, 'police retail supermarket': 663184, 'retail supermarket and': 718750, 'food delivery staff': 314146, 'evening still': 284904, 'still sick': 801197, 'sick stayathome': 768617, 'is my friend': 449796, 'friend this evening': 333839, 'this evening still': 887445, 'evening still sick': 284905, 'still sick stayathome': 801198, 'registering': 707663, 'honest the': 403079, 'international property': 441846, 'property bid': 684251, 'bid is': 129475, 'gone even': 356269, 'australia start': 103386, 'start registering': 794461, 'registering zero': 707666, 'zero new': 1027475, 'case tomorrow': 166082, 'tomorrow then': 924197, 'be 12': 113411, 'month minimum': 537861, 'minimum before': 533178, 'before australian': 122652, 'australian border': 103448, 'border will': 135297, 'opened 40': 612700, '40 drop': 18567, 'be honest the': 115295, 'honest the international': 403080, 'the international property': 858371, 'international property bid': 441847, 'property bid is': 684252, 'bid is gone': 129476, 'is gone even': 448117, 'gone even if': 356270, 'even if australia': 284198, 'if australia start': 413884, 'australia start registering': 103387, 'start registering zero': 794462, 'registering zero new': 707667, 'zero new covid': 1027476, '19 case tomorrow': 5705, 'case tomorrow then': 166083, 'tomorrow then it': 924198, 'then it still': 877287, 'it still going': 461252, 'to be 12': 901079, 'be 12 month': 113412, '12 month minimum': 2900, 'month minimum before': 537862, 'minimum before australian': 533179, 'before australian border': 122653, 'australian border will': 103449, 'border will be': 135298, 'will be re': 992633, 'be re opened': 116685, 're opened 40': 699210, 'opened 40 drop': 612701, '40 drop in': 18568, 'house price here': 406489, 'price here we': 674507, 'here we come': 393785, 'unfortunately someone': 941643, 'environment am': 279075, 'am pretty': 50321, 'much guaranteed': 544965, 'guaranteed to': 367751, 'but visibly': 147693, 'visibly ill': 959144, 'still come': 800378, 'should still': 766503, 'still st': 801222, 'unfortunately someone who': 941644, 'the retail environment': 865714, 'retail environment am': 718088, 'environment am pretty': 279076, 'am pretty much': 50322, 'pretty much guaranteed': 671453, 'much guaranteed to': 544966, 'guaranteed to be': 367752, 'be exposed the': 114747, 'exposed the company': 292876, 'is taking precaution': 452560, 'taking precaution but': 833523, 'precaution but visibly': 669299, 'but visibly ill': 147694, 'visibly ill people': 959145, 'ill people still': 416165, 'people still come': 649588, 'still come into': 800379, 'the store even': 868017, 'store even if': 807642, 'not have covid': 569821, '19 people should': 9631, 'people should still': 649450, 'should still st': 766506, 'market stabilize': 517102, 'stabilize ecb': 791843, 'ecb launch': 266608, 'launch 750': 481854, '750 billion': 22180, 'billion stimulus': 130915, 'stimulus for': 801539, 'live hope': 495839, 'hope brexiteers': 403429, 'brexiteers have': 139543, 'save britain': 737482, 'stock market stabilize': 802437, 'market stabilize ecb': 517103, 'stabilize ecb launch': 791844, 'ecb launch 750': 266609, 'launch 750 billion': 481855, '750 billion stimulus': 22181, 'billion stimulus for': 130916, 'stimulus for business': 801540, 'for business live': 319836, 'business live hope': 144005, 'live hope brexiteers': 495840, 'hope brexiteers have': 403430, 'brexiteers have plan': 139544, 'plan to save': 658317, 'to save britain': 913775, 'start increasing': 794345, 'coronavirus just': 206191, 'saying both': 739562, 'tv are': 936090, 'held off': 388908, 'to start increasing': 915201, 'start increasing price': 794346, 'during coronavirus just': 262537, 'coronavirus just got': 206193, 'got letter saying': 358669, 'letter saying both': 487342, 'saying both my': 739563, 'and tv are': 74540, 'tv are going': 936091, 'from the start': 337886, 'start of april': 794408, 'could have held': 209255, 'have held off': 380923, 'held off until': 388909, 'off until after': 594364, 'after this end': 36404, 'skolars': 773161, 'rl': 724246, 'support whilst': 826993, 'whilst is': 987643, 'to london': 909415, 'london skolars': 501177, 'skolars rl': 773162, 'rl completely': 724247, 'free join': 331935, 'to support whilst': 915986, 'support whilst is': 826994, 'whilst is to': 987644, 'up to every': 946375, 'to every time': 905316, 'via retailer will': 956214, 'retailer will donate': 719428, 'will donate money': 993241, 'money to london': 537111, 'to london skolars': 909418, 'london skolars rl': 501178, 'skolars rl completely': 773163, 'rl completely free': 724248, 'completely free join': 192289, 'free join now': 331936, 'hw': 411878, 'unique one': 941990, 'we losing': 972301, 'amount buy': 53163, 'buy le': 148892, 'b4 the': 106512, 'the hw': 857779, 'is unique one': 453507, 'unique one but': 941991, 'one but think': 606029, 'think we losing': 885767, 'we losing value': 972302, 'of inflation the': 585185, 'inflation the price': 437251, 'the amount buy': 848650, 'amount buy le': 53164, 'buy le and': 148893, 'but then that': 147450, 'then that wa': 877606, 'that wa b4': 847274, 'wa b4 the': 961625, 'b4 the hw': 106513, 'oilments': 597591, 'now men': 575297, 'men embrace': 528481, 'embrace carrying': 272483, 'carrying handbag': 165185, 'handbag around': 376038, 'around like': 93378, 'like woman': 491830, 'woman see': 1003599, 'of carrying': 581160, 'mask spirit': 519300, 'spirit oilments': 789496, 'oilments etc': 597592, 'should now men': 766276, 'now men embrace': 575298, 'men embrace carrying': 528482, 'embrace carrying handbag': 272484, 'carrying handbag around': 165186, 'handbag around like': 376039, 'around like woman': 93381, 'like woman see': 491831, 'woman see the': 1003600, 'need of carrying': 555322, 'of carrying sanitizer': 581161, 'carrying sanitizer face': 165211, 'face mask spirit': 294592, 'mask spirit oilments': 519301, 'spirit oilments etc': 789497, 'oilments etc because': 597593, 'etc because of': 282439, 'emergency do': 272669, 'of emergency do': 583032, 'emergency do you': 272670, 'manager right': 512779, 'supermarket sainsburys': 822301, 'sainsburys asda': 731753, 'morrison tesco': 541763, 'aldi lidl': 41279, 'lidl waitrose': 488314, 'waitrose iceland': 964454, 'every supermarket store': 286269, 'supermarket store manager': 823007, 'store manager right': 808888, 'manager right now': 512780, 'now supermarket sainsburys': 575937, 'supermarket sainsburys asda': 822302, 'sainsburys asda morrison': 731754, 'asda morrison tesco': 94951, 'morrison tesco aldi': 541764, 'tesco aldi lidl': 838653, 'aldi lidl waitrose': 41283, 'lidl waitrose iceland': 488315, 'quite greedy': 694873, 'is parked': 450800, 'parked in': 642039, 'lot grabbing': 504053, 'buying greed': 150406, 'are quite greedy': 89406, 'quite greedy everyone': 694874, 'greedy everyone is': 363514, 'everyone is parked': 287099, 'is parked in': 450801, 'parked in supermarket': 642040, 'in supermarket parking': 428646, 'parking lot grabbing': 642090, 'lot grabbing food': 504054, 'they probably do': 882913, 'not need panic': 570669, 'panic buying greed': 637749, 'available have': 104414, 'those image': 892085, 'image when': 416662, 'reality that': 701799, 'you see lot': 1021046, 'lot of picture': 504249, 'buying you start': 151411, 'you start to': 1021360, 'start to think': 794600, 'food available have': 313473, 'available have seen': 104415, 'lot of those': 504308, 'of those image': 592094, 'those image when': 892086, 'image when in': 416663, 'when in reality': 983592, 'in reality that': 427301, 'reality that is': 701800, 'is not indicative': 450114, 'best fabric': 127683, 'fabric for': 294222, 'help you choose': 390960, 'you choose the': 1017953, 'choose the best': 177905, 'the best fabric': 849510, 'best fabric for': 127684, 'fabric for you': 294225, 'your family need': 1023794, 'family need due': 298070, 'crisis nz': 217776, 'nz financial': 578184, 'market regulator': 516974, 'regulator have': 708143, 'have number': 381744, 'service legislation': 752560, 'change aid': 171893, 'aid the': 39462, 'helping client': 391290, 'client through': 182112, 'time learn': 897117, '19 crisis nz': 6290, 'crisis nz financial': 217777, 'nz financial market': 578185, 'financial market regulator': 306512, 'market regulator have': 516975, 'regulator have number': 708144, 'have number of': 381745, 'number of change': 576926, 'of change to': 581273, 'to consumer credit': 903284, 'credit and financial': 216306, 'financial service legislation': 306586, 'service legislation the': 752561, 'legislation the change': 485990, 'the change aid': 850668, 'change aid the': 171894, 'aid the financial': 39464, 'the financial service': 855226, 'financial service sector': 306588, 'service sector in': 752795, 'sector in helping': 744231, 'in helping client': 423640, 'helping client through': 391291, 'client through this': 182113, 'this time learn': 890658, 'time learn more': 897118, 'power that': 667695, 'medium also': 526982, 'responsibility they': 715981, 'play huge': 659167, 'huge part': 410120, 'others going': 621433, 'without terrifying': 1002955, 'terrifying you': 838548, 'taken seriously and': 833059, 'seriously and you': 751530, 'should listen to': 766198, 'to the power': 916970, 'the power that': 864157, 'power that be': 667696, 'be the medium': 117635, 'the medium also': 860414, 'medium also need': 526983, 'to take responsibility': 916230, 'take responsibility they': 832543, 'responsibility they play': 715982, 'they play huge': 882884, 'play huge part': 659168, 'huge part in': 410121, 'part in this': 642305, 'this and the': 886350, 'way they have': 969957, 'they have reported': 882372, 'have reported on': 382270, 'reported on it': 712512, 'on it ha': 601664, 'it ha led': 458401, 'buying and others': 149922, 'and others going': 68446, 'others going without': 621434, 'going without terrifying': 355820, 'without terrifying you': 1002956, 'terrifying you sell': 838549, 'with vision': 1001991, 'vision impairment': 959151, 'impairment are': 418292, 'safely access': 730252, 'place sign': 657680, 'access priority': 28175, 'people with vision': 650481, 'with vision impairment': 1001992, 'vision impairment are': 959152, 'impairment are struggling': 418293, 'struggling to safely': 814516, 'to safely access': 913712, 'safely access food': 730253, 'access food from': 28119, 'from supermarket with': 337512, 'supermarket with restriction': 823934, 'with restriction in': 1000498, 'in place sign': 426760, 'place sign the': 657682, 'petition to ensure': 653639, 'they can access': 881604, 'can access priority': 157356, 'access priority online': 28176, 'slot start': 774266, 'to disappear': 904339, 'disappear particularly': 244046, 'particularly they': 642718, 'some distance': 782694, 'nearest delivering': 553707, 'delivering supermarket': 233542, 'the village': 870762, 'village folk': 957344, 'great though': 363053, 'helped out': 391088, 'village shop': 957366, 'particular have': 642615, 'then come covid': 877077, '19 and of': 5071, 'course the delivery': 211936, 'delivery slot start': 234539, 'slot start to': 774267, 'start to disappear': 794578, 'to disappear particularly': 904341, 'disappear particularly they': 244047, 'particularly they re': 642719, 're some distance': 699547, 'some distance from': 782696, 'distance from the': 246720, 'from the nearest': 337797, 'the nearest delivering': 861358, 'nearest delivering supermarket': 553708, 'delivering supermarket the': 233544, 'supermarket the village': 823255, 'the village folk': 870763, 'village folk have': 957345, 'folk have been': 312175, 'been great though': 121232, 'great though and': 363054, 'though and helped': 892774, 'and helped out': 64485, 'helped out the': 391089, 'out the village': 627435, 'the village shop': 870764, 'village shop in': 957368, 'shop in particular': 760314, 'in particular have': 426532, 'particular have stocked': 642616, 'up and helped': 944332, 'store test': 810531, 'this just in': 888553, 'just in employee': 469034, 'in employee at': 422556, 'grocery store test': 365843, 'store test positive': 810532, 'retail housewares': 718191, 'at consumer shopping': 98323, 'pandemic retail housewares': 636359, 'retail housewares homeworld': 718192, 'swanson': 829975, 'hoquiam': 403987, 'lockdownusa': 500454, 'graysharbor': 362464, 'shopping timed': 764150, 'timed right': 898444, 'at swanson': 100805, 'swanson supervalue': 829976, 'supervalue store': 824372, 'in aberdeen': 419975, 'aberdeen and': 24322, 'and hoquiam': 64733, 'hoquiam virus': 403988, 'flu pandemic': 311441, 'pandemic epidemic': 635387, 'epidemic who': 279474, 'who cdc': 988443, 'cdc lockdownusa': 168588, 'lockdownusa seattle': 500455, 'seattle graysharbor': 743560, 'online shopping timed': 609310, 'shopping timed right': 764151, 'timed right at': 898445, 'right at swanson': 721780, 'at swanson supervalue': 100806, 'swanson supervalue store': 829977, 'supervalue store in': 824373, 'store in aberdeen': 808263, 'in aberdeen and': 419976, 'aberdeen and hoquiam': 24323, 'and hoquiam virus': 64734, 'hoquiam virus flu': 403989, 'virus flu pandemic': 958190, 'flu pandemic epidemic': 311443, 'pandemic epidemic who': 635389, 'epidemic who cdc': 279475, 'who cdc lockdownusa': 988444, 'cdc lockdownusa seattle': 168589, 'lockdownusa seattle graysharbor': 500456, 'nominate the': 566280, 'coronavirus responder': 206661, 'responder for': 715461, '2020 time': 14659, 'time magazine': 897172, 'magazine person': 508344, 'year including': 1014658, 'including nurse': 432078, 'paramedic doctor': 641374, 'hospital admin': 404260, 'admin and': 32408, 'nominate the global': 566281, 'global coronavirus responder': 351822, 'coronavirus responder for': 206662, 'responder for the': 715462, 'the 2020 time': 848026, '2020 time magazine': 14660, 'time magazine person': 897174, 'magazine person of': 508345, 'person of the': 652552, 'the year including': 872160, 'year including nurse': 1014659, 'including nurse paramedic': 432079, 'nurse paramedic doctor': 577450, 'paramedic doctor hospital': 641375, 'doctor hospital admin': 250955, 'hospital admin and': 404261, 'admin and cleaning': 32409, 'cleaning staff grocery': 181065, 'are stressing': 90562, 'stressing family': 813532, 'family survey': 298273, 'show stayathome': 767154, 'home order are': 401766, 'order are stressing': 618057, 'are stressing family': 90563, 'stressing family survey': 813533, 'family survey show': 298274, 'survey show stayathome': 828949, 'impact farming': 417650, 'farming labor': 299633, 'labor issue': 478418, 'issue supply': 455945, 'and oh': 68016, 'yes market': 1015484, '19 may impact': 8579, 'may impact farming': 521282, 'impact farming labor': 417651, 'farming labor issue': 299634, 'labor issue supply': 478420, 'issue supply chain': 455946, 'issue and oh': 455668, 'and oh yes': 68018, 'oh yes market': 596501, 'yes market price': 1015485, 'wa needing': 962696, 'needing an': 556613, 'an haircut': 56057, 'haircut but': 374028, 'shortage thought': 765265, 'thought wait': 893296, 'wait coronacrisis': 964094, 'corona foodshortages': 203949, 'wa needing an': 962697, 'needing an haircut': 556614, 'an haircut but': 56058, 'haircut but due': 374029, 'food shortage thought': 316612, 'shortage thought wait': 765266, 'thought wait coronacrisis': 893297, 'wait coronacrisis corona': 964095, 'coronacrisis corona foodshortages': 204562, 'immediate aftermath': 416966, 'world type': 1010123, 'will emerge': 993290, 'emerge those': 272543, 'lost weight': 503954, 'weight they': 977713, 'hoard were': 398909, 'ration their': 697740, 'food those': 317202, 'ration consumed': 697659, 'consumed more': 195969, 'then panicked': 877401, 'panicked some': 639295, 'the immediate aftermath': 857897, 'immediate aftermath of': 416967, 'aftermath of post': 36658, 'of post covid': 588260, '19 world type': 12192, 'world type of': 1010124, 'people will emerge': 650387, 'will emerge those': 993291, 'emerge those that': 272544, 'that have lost': 844219, 'have lost weight': 381387, 'lost weight they': 503955, 'weight they didn': 977714, 'they didn panic': 881932, 'panic buy hoard': 637490, 'buy hoard were': 148791, 'hoard were able': 398910, 'able to ration': 24529, 'to ration their': 912768, 'ration their food': 697741, 'their food those': 873356, 'food those that': 317203, 'that hoarded food': 844354, 'hoarded food but': 398942, 'food but didn': 313813, 'but didn know': 145533, 'didn know how': 241123, 'how to ration': 409065, 'to ration consumed': 912760, 'ration consumed more': 697660, 'consumed more then': 195970, 'more then panicked': 540722, 'then panicked some': 877402, 'panicked some more': 639296, 'scomo': 742298, 'doctor detail': 250891, 'detail young': 239279, 'young patient': 1022634, 'patient lung': 644209, 'lung scan': 506798, 'scan nothing': 740702, 'nothing short': 573156, 'of terrifying': 590671, 'terrifying news': 838538, 'news auspol': 560255, 'auspol auspol': 103075, 'auspol uk': 103098, 'uk eu': 938330, 'eu stoppanicbuying': 283275, 'stoppanicbuying donaldtrump': 805557, 'donaldtrump scomo': 254136, 'doctor detail young': 250892, 'detail young patient': 239280, 'young patient lung': 1022635, 'patient lung scan': 644210, 'lung scan nothing': 506799, 'scan nothing short': 740703, 'nothing short of': 573157, 'short of terrifying': 764663, 'of terrifying news': 590673, 'terrifying news auspol': 838539, 'news auspol auspol': 560256, 'auspol auspol uk': 103076, 'auspol uk eu': 103099, 'uk eu stoppanicbuying': 938332, 'eu stoppanicbuying donaldtrump': 283276, 'stoppanicbuying donaldtrump scomo': 805558, 'people ordering': 649005, 'ordering their': 619038, 'supermarket needing': 821587, 'needing more': 556627, 'more driver': 539075, 'delivery couldn': 233833, 'couldn uber': 209933, 'eats and': 266358, 'and deliveroo': 61105, 'deliveroo or': 233578, 'service maybe': 752586, 'maybe link': 521737, 'take load': 832278, 'load off': 497290, 'more people ordering': 540034, 'people ordering their': 649006, 'ordering their shopping': 619039, 'shopping online supermarket': 763491, 'online supermarket needing': 609500, 'supermarket needing more': 821588, 'needing more driver': 556628, 'more driver for': 539076, 'the delivery couldn': 853060, 'delivery couldn uber': 233834, 'couldn uber eats': 209934, 'uber eats and': 937809, 'eats and deliveroo': 266359, 'and deliveroo or': 61106, 'deliveroo or other': 233579, 'or other service': 616447, 'other service maybe': 620892, 'service maybe link': 752587, 'maybe link up': 521738, 'up with supermarket': 946687, 'with supermarket so': 1001065, 'supermarket so that': 822740, 'that people could': 845691, 'people could use': 647564, 'could use their': 209809, 'use their service': 949701, 'their service for': 874659, 'service for shopping': 752392, 'for shopping it': 325587, 'shopping it would': 763107, 'would take load': 1012310, 'take load off': 832279, 'msia': 544533, 'nice assurance': 562347, 'assurance from': 97072, 'from malaysia': 336316, 'malaysia pm': 511628, 'in msia': 425490, 'msia too': 544538, 'it political': 460379, 'political suicide': 663681, 'suicide for': 817733, 'new pm': 559284, 'pm to': 662010, 'allow full': 45977, 'full food': 340599, 'to singapore': 914667, 'singapore when': 771162, 'msia are': 544534, 'nice assurance from': 562348, 'assurance from malaysia': 97073, 'from malaysia pm': 336317, 'malaysia pm but': 511629, 'pm but there': 661872, 'there are panic': 878143, 'buying shortage of': 151024, 'supply in msia': 825404, 'in msia too': 425492, 'msia too it': 544539, 'too it political': 924814, 'it political suicide': 460380, 'political suicide for': 663682, 'suicide for the': 817734, 'the new pm': 861541, 'new pm to': 559286, 'pm to allow': 662011, 'to allow full': 900339, 'allow full food': 45978, 'full food supply': 340600, 'supply to singapore': 826027, 'to singapore when': 914669, 'singapore when supermarket': 771163, 'shelf in msia': 757205, 'in msia are': 425491, 'msia are empty': 544535, 'econom': 266949, 'stock 10': 801752, '10 product': 1646, 'soon business': 785665, 'business econom': 143678, 'econom supplychain': 266950, 'supplychain technology': 826234, 'technology retail': 836351, 'retail mondaythoughts': 718322, 'mondaythoughts mondaymorning': 536504, 'mondaymorning healthyliving': 536442, 'tp now in': 927882, 'now in stock': 575013, 'in stock 10': 428276, 'stock 10 product': 801753, '10 product are': 1647, 'product are coming': 680935, 'store shelf soon': 810098, 'shelf soon business': 757537, 'soon business econom': 785666, 'business econom supplychain': 143679, 'econom supplychain technology': 266951, 'supplychain technology retail': 826235, 'technology retail mondaythoughts': 836352, 'retail mondaythoughts mondaymorning': 718323, 'mondaythoughts mondaymorning healthyliving': 536505, 'islamabad': 454262, 'bannu': 110650, 'restaurant remain': 716661, 'different city': 241919, 'pakistan the': 634510, 'imposed ban': 419276, 'on movement': 602237, 'movement to': 543939, 'following picture': 312812, 'picture show': 656193, 'in karachi': 424439, 'karachi islamabad': 470859, 'islamabad and': 454263, 'and bannu': 58690, 'bannu photo': 110651, 'photo online': 655227, 'shop market shopping': 760450, 'market shopping mall': 517058, 'and restaurant remain': 70390, 'restaurant remain closed': 716662, 'remain closed in': 709721, 'closed in different': 183173, 'in different city': 422252, 'different city of': 241920, 'city of pakistan': 179289, 'of pakistan the': 587682, 'pakistan the country': 634511, 'country ha imposed': 210716, 'ha imposed ban': 370927, 'imposed ban on': 419277, 'ban on movement': 109230, 'on movement to': 602238, 'movement to stop': 543944, 'the following picture': 855516, 'following picture show': 312813, 'picture show the': 656195, 'show the empty': 767206, 'the empty road': 854287, 'empty road in': 275031, 'road in karachi': 724458, 'in karachi islamabad': 424440, 'karachi islamabad and': 470860, 'islamabad and bannu': 454264, 'and bannu photo': 58691, 'bannu photo online': 110652, 'is planning': 450889, 'extra 100': 293425, 'extra demand': 293497, 'amazon is planning': 51005, 'is planning to': 450891, 'planning to hire': 658586, 'hire an extra': 397002, 'an extra 100': 56001, 'extra 100 00': 293426, '100 00 employee': 1785, 'employee to cope': 274324, 'cope with extra': 203346, 'with extra demand': 998350, 'extra demand for': 293498, '2ndamendment': 16818, 'gunstores': 368804, 'praytogether': 669121, 'when gun': 983502, 'owner purchase': 632545, 'high so': 395408, 'one buy': 606031, 'to pet': 911681, 'pet owner': 653429, 'you cant': 1017889, 'cant shut': 162332, 'shut gun': 767887, 'welcome 2ndamendment': 977865, '2ndamendment gunstores': 16819, 'gunstores praytogether': 368805, 'when gun store': 983503, 'store owner purchase': 809436, 'owner purchase large': 632546, 'quantity of dog': 691932, 'dog food price': 252088, 'food price it': 315954, 'price it super': 674926, 'it super high': 461354, 'super high so': 818522, 'high so no': 395409, 'no one buy': 564922, 'one buy it': 606032, 'buy it then': 148863, 'it then they': 461608, 'essential to pet': 281706, 'to pet owner': 911682, 'pet owner you': 653431, 'owner you cant': 632617, 'you cant shut': 1017891, 'cant shut gun': 162333, 'shut gun store': 767888, 'gun store like': 368735, 'like this down': 491482, 'this down at': 887288, 'down at all': 256535, 'all you re': 45551, 're welcome 2ndamendment': 699796, 'welcome 2ndamendment gunstores': 977866, '2ndamendment gunstores praytogether': 16820, 'public think': 688368, 'told something': 923687, 'different we': 242130, 'not police': 571048, 'the public think': 864861, 'public think we': 688369, 'are told something': 91127, 'told something different': 923688, 'something different we': 784889, 'different we re': 242131, 're not police': 699111, 'not police are': 571049, 'police are being': 662916, 'told there plenty': 923724, 'thread highlighting': 893560, 'highlighting world': 396028, 'class response': 180249, 'testing transparency': 839681, 'transparency communication': 929825, 'communication temperature': 189646, 'temperature stimulus': 837400, 'stimulus lock': 801556, 'down ending': 256721, 'ending mass': 276188, 'learning elderly': 484197, 'elderly shopping': 270880, 'curfew corporate': 220870, 'corporate solution': 207336, 'could learn': 209378, 'thread highlighting world': 893561, 'highlighting world class': 396029, 'world class response': 1009425, 'class response on': 180250, 'response on testing': 715771, 'on testing transparency': 603920, 'testing transparency communication': 839682, 'transparency communication temperature': 929826, 'communication temperature stimulus': 189647, 'temperature stimulus lock': 837401, 'stimulus lock down': 801557, 'lock down ending': 499028, 'down ending mass': 256722, 'ending mass gathering': 276189, 'mass gathering school': 519776, 'gathering school closure': 344506, 'school closure online': 741752, 'closure online learning': 183986, 'online learning elderly': 608472, 'learning elderly shopping': 484198, 'elderly shopping hour': 270882, 'shopping hour curfew': 762914, 'hour curfew corporate': 405510, 'curfew corporate solution': 220871, 'corporate solution we': 207337, 'solution we could': 782123, 'we could learn': 971211, 'could learn from': 209379, 'learn from these': 483974, 'rakmall': 696223, '19 rakmall': 9947, 'rakmall will': 696224, 'mar 26th': 514997, '26th until': 16246, 'initiative by the': 438616, 'by the uae': 154465, 'the uae government': 870173, 'covid 19 rakmall': 213649, '19 rakmall will': 9948, 'rakmall will be': 696225, 'from mar 26th': 336339, 'mar 26th until': 514998, '26th until further': 16247, 'pharmacy will remain': 654566, 'remain open restaurant': 709820, 'restaurant will continue': 716807, 'item local': 463433, 'special in': 787966, 'store measure': 808933, 'kind all': 474796, 'or hoard item': 615654, 'hoard item local': 398824, 'item local grocery': 463434, 'store like have': 808725, 'like have plenty': 490386, 'food and are': 313178, 'and are implementing': 58324, 'implementing special in': 418523, 'special in store': 787967, 'in store measure': 428427, 'store measure to': 808934, 'spread of stay': 790712, 'of stay healthy': 590088, 'healthy and be': 387517, 'be kind all': 115609, 'neighbor food': 557011, 'buying buy one': 150070, 'buy one product': 149041, 'one product and': 606924, 'and leave something': 66060, 'your neighbor food': 1024953, 'neighbor food toiletpaper': 557012, 'qanda': 691461, 'income worker': 432505, 'cleaner truck': 180863, 'wealthy supplied': 974223, 'supplied thru': 824472, 'thru qanda': 895216, 'it is low': 459005, 'is low income': 449475, 'low income worker': 505360, 'income worker cleaner': 432506, 'worker cleaner truck': 1006655, 'cleaner truck driver': 180864, 'truck driver supermarket': 932796, 'supermarket worker keeping': 824043, 'keeping the wealthy': 472591, 'the wealthy supplied': 871244, 'wealthy supplied thru': 974224, 'supplied thru qanda': 824473, 'sleepy': 773829, 'see aoc': 744936, 'aoc plus': 81177, 'plus supporting': 661684, 'supporting sleepy': 827183, 'sleepy joe': 773830, 'can see aoc': 159532, 'see aoc plus': 744937, 'aoc plus supporting': 81178, 'plus supporting sleepy': 661685, 'supporting sleepy joe': 827184, 'uncomfortable': 939847, 'asteroid': 97175, 'so uncomfortable': 778596, 'uncomfortable you': 939852, 'cannot sneeze': 162107, 'cough everyone': 208469, 'using sanitized': 950625, 'sanitized trollies': 734265, 'apart people': 81321, 'other like': 620474, 'like suspect': 491277, 'suspect you': 829513, 'would great': 1011849, 'that asteroid': 842877, 'shopping is so': 763079, 'is so uncomfortable': 452040, 'so uncomfortable you': 778597, 'uncomfortable you cannot': 939853, 'you cannot sneeze': 1017879, 'cannot sneeze or': 162108, 'or cough everyone': 614841, 'cough everyone is': 208470, 'everyone is using': 287121, 'is using sanitized': 453636, 'using sanitized trollies': 950626, 'sanitized trollies with': 734266, 'trollies with item': 932527, 'with item to': 999098, 'item to keep': 463758, 'keep the meter': 472055, 'the meter distance': 860542, 'meter distance apart': 529704, 'distance apart people': 246649, 'apart people looking': 81322, 'looking at each': 502804, 'each other like': 264191, 'other like suspect': 620475, 'like suspect you': 491278, 'suspect you have': 829514, 'you have it': 1019064, 'have it would': 381158, 'it would great': 462592, 'would great time': 1011850, 'great time for': 363059, 'for that asteroid': 326249, 'feb 2002': 301616, '54 via': 20338, 'hurt demand saudi': 411566, 'demand saudi arabia': 236170, 'lowest since feb': 506228, 'since feb 2002': 770584, 'feb 2002 wti': 301617, 'down 54 via': 256428, 'nuys': 577785, 'busch to': 143127, 'at van': 101423, 'van nuys': 952304, 'nuys plant': 577786, 'plant according': 658607, 'la daily': 478151, 'anheuser busch to': 76526, 'busch to make': 143128, 'sanitizer at van': 734519, 'at van nuys': 101424, 'van nuys plant': 952305, 'nuys plant according': 577787, 'plant according to': 658608, 'to the la': 916829, 'the la daily': 858876, 'la daily news': 478152, 'vibration': 956410, 'vitc': 959831, 'goodvibes': 358094, 'alexas': 41611, 'fotos': 330124, 'pixabay': 657144, 'help nowadays': 390156, 'nowadays good': 576530, 'good vibration': 357932, 'vibration positive': 956411, 'thinking low': 885943, 'low stress': 505648, 'stress meditation': 813363, 'meditation relaxation': 526957, 'relaxation good': 708843, 'vitamin esp': 959770, 'esp vitc': 280411, 'vitc wish': 959832, 'best coronacrisis': 127643, 'coronacrisis inspiration': 204635, 'inspiration motivation': 439806, 'motivation goodvibes': 543311, 'goodvibes relax': 358097, 'relax alexas': 708806, 'alexas fotos': 41612, 'fotos pixabay': 330127, 'thing that help': 884812, 'that help nowadays': 844300, 'help nowadays good': 390157, 'nowadays good vibration': 576531, 'good vibration positive': 357933, 'vibration positive thinking': 956412, 'positive thinking low': 665468, 'thinking low stress': 885944, 'low stress meditation': 505649, 'stress meditation relaxation': 813364, 'meditation relaxation good': 526958, 'relaxation good food': 708844, 'good food with': 357068, 'food with vitamin': 317648, 'with vitamin esp': 1001997, 'vitamin esp vitc': 959771, 'esp vitc wish': 280412, 'vitc wish you': 959833, 'the best coronacrisis': 849502, 'best coronacrisis inspiration': 127644, 'coronacrisis inspiration motivation': 204636, 'inspiration motivation goodvibes': 439807, 'motivation goodvibes relax': 543312, 'goodvibes relax alexas': 358098, 'relax alexas fotos': 708807, 'alexas fotos pixabay': 41613, 'estimated damage': 282290, 'damage by': 225180, 'by thought': 154542, 'estimated damage by': 282291, 'damage by thought': 225181, 'being aggressive': 124828, 'aggressive standing': 38255, 'way refusing': 969838, 'alone ve': 46938, 've had customer': 953220, 'had customer being': 373005, 'customer being aggressive': 222189, 'being aggressive standing': 124829, 'aggressive standing in': 38256, 'the way refusing': 871180, 'way refusing to': 969839, 'refusing to come': 707089, 'come in alone': 187358, 'in alone ve': 420202, 'alone ve even': 46939, 've even had': 953086, 'because one customer': 119438, 'one customer wa': 606142, 'customer wa being': 223023, 'and locust': 66326, 'locust how': 500572, 'more bad': 538697, 'news can': 560294, 'be baked': 113804, 'baked into': 108773, 'and locust how': 66327, 'locust how much': 500573, 'much more bad': 545099, 'more bad news': 538698, 'bad news can': 107951, 'news can be': 560295, 'can be baked': 157592, 'be baked into': 113805, 'baked into global': 108774, 'into global stock': 442596, 'is frustrating': 447950, 'customer cannot': 222231, 'store strongly': 810426, 'strongly think': 814247, 'all feature': 42765, 'feature should': 301562, 'be offered': 116154, 'offered online': 594954, '19 mt': 8705, 'best to me': 127953, 'me and it': 522412, 'it is frustrating': 458958, 'is frustrating that': 447952, 'frustrating that your': 339254, 'your customer cannot': 1023411, 'customer cannot enjoy': 222232, 'cannot enjoy the': 161777, 'online shopping they': 609306, 'shopping they do': 764118, 'do in store': 249431, 'in store strongly': 428460, 'store strongly think': 810427, 'strongly think that': 814248, 'think that all': 885586, 'that all feature': 842545, 'all feature should': 42766, 'feature should be': 301563, 'should be offered': 765678, 'be offered online': 116156, 'offered online this': 594956, 'to shop now': 914478, 'shop now due': 760516, 'covid 19 mt': 213454, 'should wear face': 766657, 'venerable': 954419, 'government offering': 360405, 'offering any': 595017, 'are venerable': 91450, 'venerable say': 954420, 'say employed': 738605, 'recommended they': 704801, 'avoid work': 105398, 'very dangerous': 955097, 'dangerous coronacrisis': 225730, 'so is the': 777445, 'is the uk': 452967, 'uk government offering': 938414, 'government offering any': 360406, 'offering any support': 595018, 'any support to': 79927, 'support to those': 826956, 'who are venerable': 988256, 'are venerable say': 91451, 'venerable say employed': 954421, 'say employed by': 738606, 'employed by supermarket': 273471, 'by supermarket over': 154168, 'supermarket over 60': 821861, 'over 60 and': 629873, '60 and ha': 20902, 'and ha copd': 64069, 'ha copd it': 370247, 'copd it is': 203296, 'is recommended they': 451352, 'recommended they avoid': 704802, 'they avoid work': 881518, 'avoid work because': 105399, 'work because they': 1004924, 'they could come': 881822, 'could come into': 209032, 'virus and it': 957933, 'would be very': 1011663, 'be very dangerous': 117972, 'very dangerous coronacrisis': 955098, 'hakim': 374090, 'hakim optical': 374091, 'optical ha': 613874, 'ha closely': 370179, 'closely followed': 183460, 'officially announce': 595982, '2020 full': 14326, 'hakim optical ha': 374092, 'optical ha closely': 613875, 'ha closely followed': 370180, 'closely followed the': 183461, 'followed the evolution': 312613, 'evolution of the': 288491, 'and we officially': 75310, 'we officially announce': 972634, 'officially announce the': 595983, 'announce the closure': 76884, 'closure of our': 183971, 'of our point': 587537, 'of sale for': 589243, 'sale for the': 732233, 'three week starting': 894116, 'week starting this': 976913, 'this friday march': 887618, '20 2020 full': 12883, '2020 full detail': 14327, 'article so': 94462, 'so upsetting': 778617, 'upsetting trump': 947841, '19 telling': 11058, 'telling manufacture': 837218, 'manufacture to': 513394, 'produce face': 680263, 'price making': 675157, 'sure large': 827609, 'large contributor': 479626, 'contributor are': 201947, 'getting government': 349006, 'government contract': 359996, 'this article so': 886432, 'article so upsetting': 94463, 'so upsetting trump': 778619, 'upsetting trump is': 947842, 'off the covid': 594238, 'covid 19 telling': 213918, '19 telling manufacture': 11059, 'telling manufacture to': 837219, 'manufacture to produce': 513395, 'to produce face': 912193, 'produce face mask': 680264, 'mask at market': 518426, 'market price making': 516893, 'price making sure': 675160, 'making sure large': 511381, 'sure large contributor': 827610, 'large contributor are': 479627, 'contributor are getting': 201948, 'are getting government': 86807, 'getting government contract': 349007, 'crazy ad': 215240, 'ad 19': 31049, 'toilet paper sold': 921458, 'paper sold out': 640801, 'sold out but': 781726, 'out but this': 625802, 'but this price': 147556, 'price is crazy': 674861, 'is crazy ad': 446890, 'crazy ad 19': 215241, 'ad 19 toiletpaper': 31050, 'wife decided': 991910, 'two bird': 936809, 'one stone': 607107, 'stone store': 804347, 'much danger': 544819, 'is woman': 454021, 'woman walking': 1003659, 'mile with': 531424, 'wife decided to': 991911, 'decided to exercise': 230914, 'exercise and walk': 290029, 'and walk to': 75141, 'store two bird': 810978, 'two bird with': 936810, 'bird with one': 131357, 'with one stone': 999889, 'one stone store': 607108, 'stone store had': 804348, 'store had toilet': 808048, 'paper how much': 640298, 'how much danger': 408344, 'much danger is': 544820, 'danger is woman': 225660, 'is woman walking': 454023, 'woman walking mile': 1003660, 'walking mile with': 965071, 'mile with toilet': 531425, 'coronazombies': 207140, 'coronazombiesmovie': 207143, 'corona zombie': 204408, 'zombie movie': 1027714, 'movie trailer': 544087, 'trailer no': 929217, 'worry corona': 1010687, 'zombie they': 1027725, 'wipe you': 996433, 'out coronazombies': 625899, 'coronazombies coronazombiesmovie': 207141, 'coronazombiesmovie pandemic': 207144, 'corona zombie movie': 204409, 'zombie movie trailer': 1027715, 'movie trailer no': 544088, 'trailer no more': 929218, 'not worry corona': 572565, 'worry corona zombie': 1010688, 'corona zombie they': 204410, 'zombie they re': 1027726, 'they re coming': 883012, 're coming to': 698440, 'coming to wipe': 188236, 'to wipe you': 918631, 'wipe you out': 996435, 'you out coronazombies': 1020257, 'out coronazombies coronazombiesmovie': 625900, 'coronazombies coronazombiesmovie pandemic': 207142, 'coronazombiesmovie pandemic toiletpaper': 207145, 'store delivering': 807286, 'grocery store delivering': 365324, 'store delivering to': 807287, 'delivering to elderly': 233556, 'to elderly amid': 904967, 'cashlesspayments': 166707, 'consumertrend': 199777, 'micromarkets': 530472, 'cashless payment': 166697, 'could grow': 209226, 'consumer acceptance': 195998, 'acceptance amidst': 28035, 'pandemic cashlesspayments': 635103, 'cashlesspayments consumertrend': 166708, 'consumertrend micromarkets': 199778, 'cashless payment could': 166698, 'payment could grow': 645579, 'could grow in': 209228, 'grow in consumer': 367034, 'in consumer acceptance': 421679, 'consumer acceptance amidst': 195999, 'acceptance amidst pandemic': 28036, 'amidst pandemic cashlesspayments': 52812, 'pandemic cashlesspayments consumertrend': 635104, 'cashlesspayments consumertrend micromarkets': 166709, 'for gcc': 321850, 'gcc economy': 344822, 'after oil': 35978, 'corona via': 204273, 'latest for gcc': 481345, 'for gcc economy': 321851, 'gcc economy to': 344823, 'economy to struggle': 268300, 'struggle after oil': 814325, 'after oil price': 35979, 'oil price go': 597149, 'price go corona': 674200, 'go corona via': 353426, 'seeing jump': 746352, 'purchase consideration': 689406, 'consideration over': 195261, 'month among': 537568, 'among american': 52981, 'american concerned': 51881, 'these brand are': 879697, 'brand are seeing': 137753, 'are seeing jump': 89905, 'seeing jump in': 746353, 'jump in purchase': 467867, 'in purchase consideration': 427127, 'purchase consideration over': 689407, 'consideration over the': 195262, 'past month among': 643570, 'month among american': 537569, 'among american concerned': 52982, 'american concerned about': 51882, 'we go through': 971653, 'this crisis the': 887096, 'crisis the price': 218189, 'medicine are skyrocketing': 526728, 'royale': 726637, 'supermarket battle': 819314, 'battle royale': 112821, 'royale game': 726640, 're dropped': 698572, 'amp fight': 53793, 'fight other': 304819, 'someone should make': 784656, 'should make supermarket': 766213, 'make supermarket battle': 510500, 'supermarket battle royale': 819315, 'battle royale game': 112822, 'royale game you': 726641, 'game you re': 343306, 'you re dropped': 1020606, 're dropped in': 698573, 'dropped in store': 260580, 'store with nothing': 811392, 'nothing in your': 573054, 'basket and have': 112296, 'have to search': 383293, 'search for food': 743248, 'food amp fight': 313134, 'amp fight other': 53794, 'fight other people': 304820, 'dr drew': 258003, 'drew do': 258718, 'dropped the': 260634, 'ball when': 109076, 'testing consumer': 839475, 'show host': 766967, 'host clark': 404865, 'howard belief': 409308, 'belief so': 126214, 'dr drew do': 258004, 'drew do you': 258719, 'think the united': 885658, 'government ha dropped': 360146, 'ha dropped the': 370466, 'dropped the ball': 260635, 'the ball when': 849223, 'ball when it': 109077, '19 testing consumer': 11099, 'testing consumer advocate': 839476, 'advocate and talk': 33822, 'and talk show': 73010, 'talk show host': 833844, 'show host clark': 766968, 'host clark howard': 404866, 'clark howard belief': 180109, 'howard belief so': 409309, 'checkstand': 175074, 'hey when': 394542, 'have every': 380495, 'other checkstand': 619939, 'checkstand open': 175075, 'wife doesn': 991914, 'family standing': 298243, 'standing le': 793782, 'two foot': 936928, 'foot behind': 318361, 'behind her': 124637, 'her employee': 392016, 'employee before': 273673, 'before shareholder': 123065, 'shareholder now': 755478, 'hey when are': 394543, 'and have every': 64238, 'have every other': 380497, 'every other checkstand': 286064, 'other checkstand open': 619940, 'checkstand open so': 175076, 'open so my': 612504, 'so my wife': 777849, 'my wife doesn': 550586, 'wife doesn have': 991915, 'doesn have family': 251820, 'have family standing': 380583, 'family standing le': 298244, 'standing le than': 793783, 'than two foot': 841369, 'two foot behind': 936929, 'foot behind her': 318362, 'behind her employee': 124638, 'her employee before': 392017, 'employee before shareholder': 273674, 'before shareholder now': 123066, 'fuck what': 339680, 'appropriate punishment': 83043, 'this fucker': 887640, 'fucker coronavillains': 339745, 'actual fuck what': 30663, 'fuck what is': 339681, 'what is appropriate': 981676, 'is appropriate punishment': 445800, 'appropriate punishment for': 83044, 'punishment for this': 689256, 'for this fucker': 327028, 'this fucker coronavillains': 887641, 'wantin': 966289, 'myluck': 550762, 'mondaythoughts all': 536494, 'this socialdistanacing': 890228, 'socialdistanacing mask': 780074, 'mask everywhere': 518624, 'everywhere got': 288211, 'even wantin': 284764, 'wantin to': 966290, 'make going': 509940, 'whole mission': 990261, 'mission lockdowneffect': 534367, 'lockdowneffect mondaymood': 500261, 'mondaymood stayhome': 536436, 'stayhome ll': 798033, 'an agent': 55190, 'agent tomorrow': 38199, 'tomorrow cu': 924059, 'cu ll': 220133, 'here myluck': 393374, 'mondaythoughts all this': 536495, 'all this socialdistanacing': 45134, 'this socialdistanacing mask': 890229, 'socialdistanacing mask everywhere': 780075, 'mask everywhere got': 518625, 'everywhere got me': 288212, 'got me not': 358699, 'me not even': 523226, 'not even wantin': 569287, 'even wantin to': 284765, 'wantin to go': 966291, 'supermarket this make': 823316, 'this make going': 888746, 'make going to': 509941, 'going to any': 355523, 'to any store': 900611, 'any store whole': 79873, 'store whole mission': 811314, 'whole mission lockdowneffect': 990262, 'mission lockdowneffect mondaymood': 534368, 'lockdowneffect mondaymood stayhome': 500262, 'mondaymood stayhome ll': 536437, 'stayhome ll be': 798034, 'be an agent': 113592, 'an agent tomorrow': 55192, 'agent tomorrow cu': 38200, 'tomorrow cu ll': 924060, 'cu ll be': 220134, 'll be here': 496592, 'be here myluck': 115227, 'yes bad': 1015380, 'economy most': 268082, 'still reeling': 801106, 'of reduced': 588860, 'reduced consumer': 706043, 'yes bad news': 1015381, 'the economy most': 853997, 'economy most business': 268083, 'are still reeling': 90474, 'still reeling from': 801107, 'effect of reduced': 269058, 'of reduced consumer': 588861, 'reduced consumer spending': 706044, 'spending and now': 788737, 'missiouri': 534391, 'virus monster': 958505, 'monster from': 537462, 'from warrenton': 338293, 'warrenton missiouri': 967355, 'missiouri usa': 534392, 'usa his': 948661, 'his name': 397631, 'is cody': 446629, 'pfister say': 653917, 'who scared': 989570, 'virus lick': 958457, 'lick product': 488205, 'walmart supermarket': 965421, 'of warrenton': 592915, 'warrenton police': 967357, 'department have': 237202, 'arrested him': 93854, 'corona virus monster': 204329, 'virus monster from': 958506, 'monster from warrenton': 537463, 'from warrenton missiouri': 338294, 'warrenton missiouri usa': 967356, 'missiouri usa his': 534393, 'usa his name': 948662, 'his name is': 397632, 'name is cody': 551641, 'is cody pfister': 446630, 'cody pfister say': 185431, 'pfister say who': 653918, 'say who scared': 739490, 'who scared of': 989571, 'scared of corona': 740993, 'corona virus lick': 204322, 'virus lick product': 958458, 'lick product at': 488206, 'product at walmart': 680985, 'at walmart supermarket': 101477, 'walmart supermarket city': 965422, 'supermarket city of': 819700, 'city of warrenton': 179295, 'of warrenton police': 592916, 'warrenton police department': 967358, 'police department have': 662969, 'department have arrested': 237203, 'have arrested him': 379355, 'longer safe': 502037, 'the shoprite': 867079, 'shoprite chairman': 764539, 'chairman ha': 171338, 'coronavirus shoprite': 206761, 'no longer safe': 564659, 'longer safe to': 502038, 'safe to enter': 730049, 'enter supermarket the': 278304, 'supermarket the shoprite': 823247, 'the shoprite chairman': 867080, 'shoprite chairman ha': 764540, 'chairman ha died': 171339, 'ha died from': 370378, 'from coronavirus shoprite': 335020, 'divorcing': 248718, 'havoc for': 384426, 'for divorcing': 320779, 'divorcing couple': 248719, 'the is wreaking': 858548, 'wreaking havoc for': 1012697, 'havoc for divorcing': 384427, 'for divorcing couple': 320780, 'socialdistanacing do': 780053, 'you regret': 1020892, 'regret voting': 707710, 'voting conservative': 960600, 'panicbuyinguk socialdistanacing do': 639163, 'socialdistanacing do you': 780054, 'do you regret': 250671, 'you regret voting': 1020893, 'regret voting conservative': 707711, 'youhadonejob1': 1022540, 'witch': 996911, 'youhadonejob1 the': 1022541, 'lion the': 494034, 'the witch': 871633, 'witch and': 996912, 'youhadonejob1 the lion': 1022542, 'the lion the': 859455, 'lion the witch': 494035, 'the witch and': 871634, 'witch and the': 996913, 'worker deemed': 1006729, 'member lost': 528124, 'recently won': 704178, 'won some': 1003903, 'work expose': 1005116, 'expose them': 292809, 'store worker deemed': 811475, 'worker deemed essential': 1006730, 'deemed essential are': 231818, 'essential are working': 280800, 'front line during': 338568, 'line during the': 493065, 'pandemic say one': 636396, 'say one member': 739026, 'one member lost': 606650, 'member lost their': 528125, '19 they ve': 11317, 'they ve recently': 883679, 've recently won': 953496, 'recently won some': 704179, 'won some protection': 1003904, 'some protection for': 783666, 'protection for the': 685448, 'for the risk': 326661, 'the risk their': 865884, 'risk their work': 723938, 'their work expose': 875200, 'work expose them': 1005117, 'expose them to': 292811, 'them to hear': 876476, 'lame': 479173, 'paper anywhere': 639880, 'anywhere people': 81139, 'crazy at': 215253, 'all sport': 44405, 'sport cancelled': 789911, 'single zombie': 771427, 'zombie ha': 1027708, 'appeared this': 82151, 'is lame': 449226, 'lame quarantinelife': 479179, 'toilet paper anywhere': 921192, 'paper anywhere people': 639882, 'anywhere people going': 81141, 'people going crazy': 648093, 'going crazy at': 355095, 'crazy at the': 215254, 'store all sport': 806139, 'all sport cancelled': 44407, 'sport cancelled but': 789912, 'cancelled but not': 161095, 'but not one': 146549, 'not one single': 570766, 'one single zombie': 607049, 'single zombie ha': 771428, 'zombie ha appeared': 1027709, 'ha appeared this': 369600, 'appeared this virus': 82152, 'virus is lame': 958386, 'is lame quarantinelife': 449227, 'today decided': 919431, 'decided will': 230942, 'be determining': 114431, 'determining the': 239467, 'by gas': 152659, 'getting great': 349008, 'depression low': 237657, 'today decided will': 919434, 'decided will be': 230943, 'will be determining': 992425, 'be determining the': 114432, 'determining the severity': 239468, '19 by gas': 5559, 'by gas price': 152660, 'price that shit': 676816, 'that shit getting': 846264, 'shit getting great': 759108, 'getting great depression': 349009, 'great depression low': 362628, 'say new': 738972, 'new eo': 558696, 'eo will': 279244, 'allow restaurant': 46048, 'unprepared from': 943238, 'shelf want': 757744, 'say new eo': 738973, 'new eo will': 558697, 'eo will allow': 279245, 'will allow restaurant': 992243, 'allow restaurant to': 46049, 'sell unprepared from': 748931, 'unprepared from stock': 943239, 'from stock in': 337422, 'stock in response': 802272, 'response to bare': 715829, 'to bare grocery': 901045, 'bare grocery shelf': 110901, 'grocery shelf want': 364961, 'shelf want to': 757745, 'assure you this': 97105, 'this is demand': 888229, 'is demand issue': 447113, 'redeemer': 705663, 'the statue': 867842, 'of christ': 581411, 'christ the': 178088, 'the redeemer': 865389, 'redeemer in': 705664, 'rio de': 722585, 'de janeiro': 229076, 'janeiro lit': 464511, 'lit up': 494906, 'the statue of': 867844, 'statue of christ': 796647, 'of christ the': 581413, 'christ the redeemer': 178089, 'the redeemer in': 865390, 'redeemer in rio': 705665, 'in rio de': 427516, 'rio de janeiro': 722586, 'de janeiro lit': 229077, 'janeiro lit up': 464512, 'lit up in': 494907, 'up in solidarity': 945179, 'the country affected': 852042, 'brew': 139400, 'together at': 920712, 'business hospitality': 143852, 'hospitality aviation': 404758, 'aviation who': 104965, 'who face': 988719, 'future give': 342336, 'free brew': 331687, 'brew too': 139406, 'sorry for healthcare': 786043, 'healthcare and supermarket': 387034, 'supermarket worker of': 824058, 'worker of course': 1007472, 'course but we': 211850, 'this together at': 890759, 'together at least': 920713, 'they have job': 882334, 'have job shout': 381176, 'my friend family': 548430, 'friend family in': 333599, 'family in small': 297925, 'in small business': 428012, 'small business hospitality': 774864, 'business hospitality aviation': 143853, 'hospitality aviation who': 404759, 'aviation who face': 104966, 'who face an': 988720, 'uncertain future give': 939589, 'future give them': 342337, 'give them free': 350766, 'them free brew': 875735, 'free brew too': 331688, 'biofuels': 131211, 'impact bioeconomy': 417578, 'bioeconomy update': 131201, 'plunge predicts': 661449, 'predicts 2nd': 669681, 'half stock': 374264, 'stock recovery': 802780, 'recovery up': 705416, 'million death': 532125, 'in biofuels': 420855, 'biofuels digest': 131216, 'impact bioeconomy update': 417579, 'bioeconomy update oil': 131202, 'price plunge predicts': 675928, 'plunge predicts 2nd': 661450, 'predicts 2nd half': 669682, '2nd half stock': 16776, 'half stock recovery': 374265, 'stock recovery up': 802781, 'recovery up to': 705417, 'to million death': 910134, 'million death in': 532126, 'death in biofuels': 230076, 'in biofuels digest': 420856, 'unpacks': 943019, 'maybe feeling': 521675, 'living situation': 496452, 'situation action': 772162, 'action ceo': 29984, 'ceo unpacks': 169870, 'unpacks your': 943020, 'better manage': 128357, 'you renter and': 1020905, 'renter and maybe': 711295, 'and maybe feeling': 66810, 'maybe feeling worried': 521676, 'about how could': 25429, 'how could impact': 407628, 'could impact your': 209320, 'impact your living': 418059, 'your living situation': 1024671, 'living situation action': 496453, 'situation action ceo': 772163, 'action ceo unpacks': 29985, 'ceo unpacks your': 169871, 'unpacks your right': 943021, 'your right what': 1025636, 'right what you': 722413, 'know and how': 476255, 'how the government': 408829, 'government can better': 359958, 'can better manage': 157759, 'better manage the': 128358, 'manage the system': 512447, 'some moron': 783323, 'moron just': 541604, 'restaurant haven': 716496, 'been been': 120731, 'some moron just': 783324, 'moron just asked': 541605, 'trump why grocery': 933979, 'store restaurant haven': 809846, 'restaurant haven been': 716497, 'haven been been': 383748, 'been been shut': 120732, 'shut down what': 767867, 'down what is': 257459, 'production agricultural': 681906, 'agricultural from': 38884, 'producer worry about': 680725, 'have on food': 381769, 'on food production': 600899, 'food production agricultural': 316037, 'production agricultural from': 681907, 'keep front': 471527, 'to keep front': 908790, 'keep front line': 471528, 'front line supermarket': 338608, 'line supermarket staff': 493436, 'staff safe during': 792809, 'safe during pandemic': 729613, '3hours': 18278, 'nigerian that': 562884, 'that belief': 842979, 'belief standing': 126215, 'for 3hours': 318824, '3hours will': 18279, 'kill same': 474487, 'nigerian increasing': 562864, 'good bcos': 356814, 'corona same': 204156, 'with curse': 997889, 'curse if': 221752, 'same nigerian that': 733176, 'nigerian that belief': 562885, 'that belief standing': 842980, 'belief standing in': 126216, 'sun for 3hours': 818066, 'for 3hours will': 318825, '3hours will kill': 18280, 'will kill same': 993922, 'kill same nigerian': 474488, 'same nigerian increasing': 733175, 'nigerian increasing price': 562865, 'of good bcos': 584213, 'good bcos of': 356815, 'bcos of corona': 113349, 'of corona same': 581897, 'corona same nigerian': 204157, 'nigerian that will': 562886, 'that will send': 847608, 'will send message': 994811, 'send message about': 749901, 'it with curse': 462469, 'with curse if': 997890, 'curse if do': 221753, 'clean bum': 180484, 'morning we are': 541534, 'nice clean bum': 562371, 'affecting mineral': 34535, 'mineral price': 532972, 'will these': 995172, 'these platinum': 880496, 'platinum mine': 659074, 'mine stop': 532926, 'certain period': 170073, '19 affecting mineral': 4849, 'affecting mineral price': 34536, 'mineral price will': 532973, 'price will these': 677592, 'will these platinum': 995173, 'these platinum mine': 880497, 'platinum mine stop': 659075, 'mine stop production': 532927, 'stop production for': 804935, 'production for certain': 682044, 'for certain period': 319997, 'certain period of': 170074, 'industry from': 435838, 'to payment': 911590, 'payment trend': 645768, 'latest news on': 481457, 'news on how': 560665, '19 the coronavirus': 11182, 'impacting the retail': 418269, 'retail industry from': 718216, 'industry from store': 435839, 'from store closing': 337439, 'store closing to': 807079, 'closing to payment': 183796, 'to payment trend': 911591, '220ml': 15263, 'unscented': 943441, 'gel alcohol': 345094, 'based pack': 111709, 'oz 220ml': 632710, '220ml infused': 15264, 'with alovera': 997178, 'gel jojoba': 345133, 'oil vitamin': 597495, 'vitamin unscented': 959809, 'unscented fragrance': 943442, 'fragrance free': 330919, 'free sanitize': 332130, 'sanitize for': 734188, '29 95': 16464, '95 via': 23607, 'sanitizer gel alcohol': 734963, 'gel alcohol based': 345095, 'alcohol based pack': 40934, 'based pack fl': 111710, 'fl oz 220ml': 309912, 'oz 220ml infused': 632711, '220ml infused with': 15265, 'infused with alovera': 438269, 'with alovera gel': 997179, 'alovera gel jojoba': 47141, 'gel jojoba oil': 345134, 'jojoba oil vitamin': 467041, 'oil vitamin unscented': 597497, 'vitamin unscented fragrance': 959810, 'unscented fragrance free': 943443, 'fragrance free sanitize': 330920, 'free sanitize for': 332131, 'sanitize for 29': 734189, 'for 29 95': 318788, '29 95 via': 16465, '95 via 19': 23608, 'crosshairs': 219070, 'that note': 845408, 'note why': 572855, 'aren grocery': 92430, 'worker allowed': 1006228, 'allowed if': 46159, 'the crosshairs': 852514, 'crosshairs of': 219071, 'this infection': 888096, 'disease your': 245281, 'safety foodsecurity': 730541, 'foodsecurity foodshortages': 318077, 'and on that': 68068, 'on that note': 603941, 'that note why': 845411, 'note why aren': 572856, 'why aren grocery': 990802, 'aren grocery store': 92431, 'store worker allowed': 811448, 'worker allowed if': 1006229, 'allowed if not': 46160, 'if not required': 414505, 'not required to': 571329, 'to wear protective': 918442, 'wear protective gear': 974450, 'gear they are': 344994, 'in the crosshairs': 429111, 'the crosshairs of': 852515, 'crosshairs of this': 219072, 'of this infection': 591992, 'this infection and': 888097, 'infection and disease': 436710, 'and disease your': 61427, 'disease your safety': 245282, 'is our safety': 450641, 'our safety foodsecurity': 624664, 'safety foodsecurity foodshortages': 730542, 'store noticed': 809118, 'noticed is': 573447, 'while surrounding': 987359, 'surrounding retailer': 828756, 'many surface': 514769, 'that coronavirus': 843329, 'in furniture': 423189, 'furniture store': 341964, 'grocery store noticed': 365598, 'store noticed is': 809119, 'noticed is still': 573448, 'still open in': 800963, 'open in the': 612324, 'wake of while': 964610, 'of while surrounding': 593116, 'while surrounding retailer': 987360, 'surrounding retailer have': 828757, 'retailer have decided': 719180, 'close and protect': 182538, 'protect their customer': 684992, 'and employee many': 62063, 'employee many surface': 274037, 'many surface that': 514771, 'surface that coronavirus': 828075, 'that coronavirus can': 843330, 'coronavirus can survive': 205608, 'survive on in': 829213, 'on in furniture': 601526, 'in furniture store': 423190, 'have miserably': 381479, 'miserably failed': 533999, 'chain have miserably': 170764, 'have miserably failed': 381480, 'miserably failed the': 534000, 'santapola': 736619, 'stopcovid19': 805329, 'me day': 522638, 'town santapola': 927540, 'santapola look': 736620, 'look ghost': 502386, 'ghost village': 349682, 'village feel': 957342, 'feel in': 302678, 'in horror': 423802, 'horror film': 404193, 'quite real': 694905, 'real stayathome': 701368, 'stayathome quedateencasa': 797594, 'quedateencasa stopcovid19': 693362, 'stopcovid19 espa': 805330, 'espa spain': 280418, 'spain vamos': 787360, 'lockdown day going': 499301, 'supermarket it took': 821183, 'took me day': 925286, 'me day to': 522639, 'day to go': 228567, 'outside because had': 629376, 'because had enough': 119092, 'had enough food': 373073, 'enough food my': 277405, 'food my town': 315500, 'my town santapola': 550419, 'town santapola look': 927541, 'santapola look ghost': 736621, 'look ghost village': 502387, 'ghost village feel': 349683, 'village feel in': 957343, 'feel in horror': 302679, 'in horror film': 423803, 'horror film but': 404194, 'film but it': 305668, 'but it quite': 146157, 'it quite real': 460588, 'quite real stayathome': 694906, 'real stayathome quedateencasa': 701369, 'stayathome quedateencasa stopcovid19': 797595, 'quedateencasa stopcovid19 espa': 693363, 'stopcovid19 espa spain': 805331, 'espa spain vamos': 280419, 'activesports': 30333, 'trekking': 931206, 'german angst': 346197, 'angst 2020': 76511, '2020 shopping': 14593, 'facemask glove': 295077, 'glove activesports': 352534, 'activesports wear': 30334, 'wear trekking': 974490, 'trekking backpack': 931207, 'backpack and': 107574, 'and nordic': 67689, 'nordic walking': 567005, 'walking stick': 965103, 'stick 19': 800021, 'german angst 2020': 346198, 'angst 2020 shopping': 76512, '2020 shopping in': 14594, 'supermarket with facemask': 823921, 'with facemask glove': 998357, 'facemask glove activesports': 295078, 'glove activesports wear': 352535, 'activesports wear trekking': 30335, 'wear trekking backpack': 974491, 'trekking backpack and': 931208, 'backpack and nordic': 107575, 'and nordic walking': 67690, 'nordic walking stick': 567006, 'walking stick 19': 965104, 'stick 19 corona': 800022, '19 corona quarantinelife': 6054, 'sfa': 754260, 'consequen': 194834, 'enforcement you': 276800, 'done sfa': 255000, 'sfa about': 754261, 'the parasite': 863277, 'parasite emptying': 641468, 'shelf doubt': 756993, 'the snp': 867396, 'snp are': 776422, 'capable or': 162485, 'or able': 614232, 'hysteria unless': 412483, 'you control': 1018042, 'chain looting': 170906, 'looting will': 503282, 'the consequen': 851460, 'enforcement you ve': 276801, 'you ve done': 1022035, 've done sfa': 953064, 'done sfa about': 255001, 'sfa about the': 754262, 'about the parasite': 26475, 'the parasite emptying': 863278, 'parasite emptying supermarket': 641469, 'supermarket shelf doubt': 822456, 'shelf doubt the': 756994, 'doubt the snp': 256223, 'the snp are': 867397, 'snp are capable': 776423, 'are capable or': 85171, 'capable or able': 162486, 'or able to': 614233, 'handle this covid': 376286, '19 hysteria unless': 7646, 'hysteria unless you': 412484, 'unless you control': 942667, 'you control the': 1018043, 'control the supply': 202174, 'supply chain looting': 824989, 'chain looting will': 170907, 'looting will be': 503283, 'be the consequen': 117606, 'my congressman': 547785, 'congressman we': 194572, 'price frozen': 674123, 'critical item': 218597, 'item food': 463264, 'florida and': 310897, 'nationwide when': 552772, 'when that': 984119, 'done your': 255130, 'your office': 1025052, 'office can': 595390, 'calling me': 156601, 'your campaign': 1023113, 'campaign corona': 157211, 'you are my': 1017174, 'are my congressman': 88176, 'my congressman we': 547786, 'congressman we need': 194573, 'need all price': 554386, 'all price frozen': 44032, 'price frozen for': 674124, 'frozen for critical': 338985, 'for critical item': 320455, 'critical item food': 218598, 'item food medicine': 463265, 'food medicine etc': 315442, 'medicine etc for': 526769, 'etc for florida': 282546, 'for florida and': 321529, 'florida and nationwide': 310898, 'and nationwide when': 67440, 'nationwide when that': 552773, 'when that is': 984121, 'that is done': 844577, 'is done your': 447330, 'done your office': 255131, 'your office can': 1025055, 'office can start': 595391, 'can start calling': 159727, 'start calling me': 794245, 'calling me again': 156602, 'me again for': 522363, 'again for donation': 36994, 'for donation to': 320834, 'donation to your': 254720, 'to your campaign': 918961, 'your campaign corona': 1023114, 'immunity cannot': 417401, 'with herd': 998788, 'herd mentality': 392613, 'mentality stop': 528716, 'selfish look': 748166, 'and filter': 62854, 'filter fake': 305762, 'news stopfakenews': 560826, 'stopfakenews stoppanicbuying': 805333, 'stoppanicbuying stopcoronavirus': 805627, 'stopcoronavirus stopcovid19': 805328, 'herd immunity cannot': 392610, 'immunity cannot work': 417402, 'cannot work with': 162238, 'work with herd': 1006036, 'with herd mentality': 998789, 'herd mentality stop': 392614, 'mentality stop being': 528717, 'being selfish look': 125746, 'selfish look out': 748167, 'other and filter': 619824, 'and filter fake': 62855, 'filter fake news': 305763, 'fake news stopfakenews': 296676, 'news stopfakenews stoppanicbuying': 560827, 'stopfakenews stoppanicbuying stopcoronavirus': 805334, 'stoppanicbuying stopcoronavirus stopcovid19': 805628, 'safe attending': 729506, 'attending complaint': 102408, 'complaint requires': 192023, 'requires the': 713501, 'exact location': 288695, 'also concern': 48046, 'concern instead': 193001, 'of pin': 588123, 'pin code': 656770, 'code enter': 185359, 'be safe attending': 116942, 'safe attending complaint': 729507, 'attending complaint requires': 102409, 'complaint requires the': 192024, 'requires the exact': 713502, 'the exact location': 854655, 'exact location and': 288696, 'location and consumer': 498850, 'and consumer during': 60374, 'lockdown the safety': 500018, 'our employee is': 622891, 'employee is also': 273987, 'is also concern': 445553, 'also concern instead': 48047, 'concern instead of': 193002, 'instead of pin': 440300, 'of pin code': 588124, 'pin code enter': 656771, 'code enter your': 185360, 'enter your consumer': 278338, 'your consumer number': 1023324, 'number and address': 576817, 'fraud exceed': 331262, 'exceed 15': 289019, '19 fraud exceed': 7101, 'fraud exceed 15': 331263, 'exceed 15 00': 289020, 'indulge': 435503, 'pmmodioncorona the': 662065, 'ha ensured': 370506, 'not indulge': 570139, 'indulge in': 435504, 'pmmodioncorona the government': 662066, 'government ha ensured': 360148, 'ha ensured that': 370507, 'ensured that there': 278146, 'item in india': 463348, 'in india do': 424030, 'do not indulge': 249764, 'not indulge in': 570140, 'indulge in panic': 435506, 'modernbazaar': 535410, 'inhouseproducts': 438474, 'premiumbrands': 669982, 'are dedicated': 85711, 'dedicated towards': 231752, 'towards their': 927265, 'better download': 128266, 'app modernbazaar': 81739, 'modernbazaar online': 535411, 'online homedelivery': 608373, 'homedelivery safety': 402677, 'supermarket inhouseproducts': 821041, 'inhouseproducts grocerystore': 438475, 'grocerystore premiumbrands': 366323, 'our employee are': 622889, 'employee are dedicated': 273611, 'are dedicated towards': 85712, 'dedicated towards their': 231753, 'towards their work': 927266, 'their work so': 875205, 'work so they': 1005744, 'they can serve': 881673, 'can serve our': 159578, 'serve our customer': 751925, 'our customer better': 622653, 'customer better download': 222191, 'better download our': 128267, 'download our app': 257609, 'our app modernbazaar': 622089, 'app modernbazaar online': 81740, 'modernbazaar online homedelivery': 535412, 'online homedelivery safety': 608374, 'homedelivery safety grocery': 402678, 'grocery supermarket inhouseproducts': 366000, 'supermarket inhouseproducts grocerystore': 821042, 'inhouseproducts grocerystore premiumbrands': 438476, 'within min': 1002383, 'min saw': 532569, 'sick enough': 768433, 'actually sick': 30955, 'then leave': 877303, 'within min saw': 1002385, 'min saw people': 532570, 'saw people at': 738207, 'people at my': 647175, 'wearing mask if': 974692, 're sick enough': 699517, 'sick enough to': 768434, 'enough to need': 277714, 'to need those': 910514, 'need those you': 555833, 'those you should': 892760, 'should be home': 765644, 'be home if': 115284, 're not actually': 699072, 'not actually sick': 568051, 'actually sick then': 30956, 'sick then leave': 768628, 'then leave them': 877304, 'leave them for': 484987, 'them for the': 875727, 'healthcare worker 19': 387339, 'bringbackbritishbrains': 140132, 'renaissance': 710922, 'bringbackbritishbrains our': 140133, 'consumer industrial': 197852, 'industrial manufacturing': 435551, 'manufacturing stat': 513666, 'stat the': 795321, 'shown we': 767633, 'cannot rely': 162055, 'rely nor': 709630, 'nor be': 566941, 'held ransom': 388921, 'ransom by': 696829, 'by cheap': 152110, 'cheap far': 174104, 'far east': 298760, 'east labour': 265319, 'labour and': 478512, 'production this': 682231, 'real opportunity': 701283, 'for national': 323775, 'national renaissance': 552600, 'renaissance of': 710924, 'of renewed': 588928, 'renewed enterprise': 711010, 'bringbackbritishbrains our nation': 140134, 'our nation must': 623982, 'nation must return': 552260, 'return to consumer': 719914, 'to consumer industrial': 903311, 'consumer industrial manufacturing': 197853, 'industrial manufacturing stat': 435552, 'manufacturing stat the': 513667, 'stat the ha': 795322, 'ha shown we': 371925, 'shown we cannot': 767634, 'we cannot rely': 971077, 'cannot rely nor': 162056, 'rely nor be': 709631, 'nor be held': 566942, 'be held ransom': 115194, 'held ransom by': 388922, 'ransom by cheap': 696830, 'by cheap far': 152111, 'cheap far east': 174105, 'far east labour': 298761, 'east labour and': 265320, 'labour and production': 478513, 'and production this': 69583, 'production this is': 682233, 'is real opportunity': 451275, 'real opportunity for': 701284, 'opportunity for national': 613622, 'for national renaissance': 323776, 'national renaissance of': 552601, 'renaissance of renewed': 710925, 'of renewed enterprise': 588929, 'togetherapart have': 921062, 'never enjoyed': 557968, 'enjoyed grocery': 277216, 'physicaldistancing it': 655487, 'it become': 456767, 'almost pleasant': 46727, 'pleasant politely': 659612, 'politely lining': 663617, 'are reasonably': 89492, 'reasonably clear': 703148, 'togetherapart have never': 921063, 'have never enjoyed': 381577, 'never enjoyed grocery': 557969, 'enjoyed grocery shopping': 277217, 'grocery shopping until': 365100, 'shopping until now': 764293, 'until now what': 943802, 'now what with': 576387, 'what with socialdistancing': 982617, 'with socialdistancing physicaldistancing': 1000826, 'socialdistancing physicaldistancing it': 780601, 'physicaldistancing it become': 655488, 'it become almost': 456768, 'become almost pleasant': 119915, 'almost pleasant politely': 46728, 'pleasant politely lining': 659613, 'politely lining up': 663618, 'no one getting': 564934, 'one getting in': 606346, 'getting in your': 349059, 'in your way': 431139, 'your way the': 1026319, 'way the aisle': 969932, 'aisle are reasonably': 40209, 'are reasonably clear': 89493, 'out morrison': 626584, 'shocking stayhome': 759624, 'stayhome panicbuyinguk': 798068, 'this out morrison': 889313, 'out morrison supermarket': 626585, 'morrison supermarket in': 541760, 'uk lockdown shocking': 938521, 'lockdown shocking stayhome': 499904, 'shocking stayhome panicbuyinguk': 759625, 'manager call': 512698, 'for party': 324402, 'and celebrating': 59660, 'celebrating their': 168842, 'longer sell': 502044, 'them alcohol': 875332, 'alcohol chip': 40955, 'chip etc': 177508, 'teenager do': 836544, 'care because': 163865, 'by give': 152687, 'man medal': 512155, 'medal for': 525935, 'telling off': 837242, 'off these': 594299, 'selfish stuck': 748276, 'stuck up': 814617, 'up brat': 944511, 'supermarket manager call': 821452, 'manager call on': 512699, 'call on young': 156050, 'on young people': 605448, 'young people stop': 1022648, 'stop buying item': 804542, 'buying item for': 150613, 'item for party': 463271, 'for party and': 324403, 'party and celebrating': 642972, 'and celebrating their': 59662, 'celebrating their market': 168843, 'their market will': 873917, 'market will no': 517359, 'no longer sell': 564661, 'longer sell them': 502046, 'sell them alcohol': 748904, 'them alcohol chip': 875333, 'alcohol chip etc': 40956, 'chip etc it': 177509, 'etc it seems': 282625, 'seems that teenager': 746862, 'that teenager do': 846626, 'teenager do not': 836545, 'not care because': 568694, 'care because they': 163866, 'are not affected': 88313, 'affected by give': 34314, 'by give this': 152688, 'give this man': 350778, 'this man medal': 888756, 'man medal for': 512156, 'medal for telling': 525936, 'for telling off': 326190, 'telling off these': 837243, 'off these selfish': 594300, 'these selfish stuck': 880652, 'selfish stuck up': 748277, 'stuck up brat': 814618, 'done urgently': 255091, 'help make this': 390039, 'make this video': 510653, 'be done urgently': 114571, 'ecommerce brand': 266721, 'brand the': 138037, 'prompted them': 683947, 'highlight specific': 395953, 'specific aspect': 788205, 'are relevant': 89561, 'relevant to': 709182, 'consumer norm': 198222, 'norm testing': 567059, 'testing ha': 839504, 'begun which': 123747, 'which now': 986181, 'focus more': 311849, 'home ecommerce': 401121, 'for ecommerce brand': 320938, 'ecommerce brand the': 266722, 'brand the crisis': 138038, 'crisis ha prompted': 217443, 'ha prompted them': 371557, 'prompted them to': 683948, 'them to highlight': 876478, 'to highlight specific': 907754, 'highlight specific aspect': 395954, 'specific aspect of': 788206, 'aspect of the': 96218, 'that are relevant': 842804, 'are relevant to': 89563, 'relevant to new': 709184, 'new consumer norm': 558527, 'consumer norm testing': 198223, 'norm testing ha': 567060, 'testing ha begun': 839505, 'ha begun which': 370003, 'begun which now': 123748, 'which now focus': 986182, 'now focus more': 574705, 'focus more on': 311850, 'and their need': 73702, 'their need for': 874042, 'need for self': 554870, 'self care from': 747559, 'care from the': 163964, 'comfort of their': 187850, 'their home ecommerce': 873560, 'existing risk': 290342, 'and voluntarily': 75020, 'voluntarily self': 960192, 'isolating cannot': 455078, 'bare necessity': 110925, 'necessity how': 554225, 'your fuck': 1023997, 'up politics': 945781, 'politics work': 663813, '60 in pre': 20955, 'in pre existing': 426910, 'pre existing risk': 669171, 'existing risk group': 290343, 'group and voluntarily': 366606, 'and voluntarily self': 75021, 'voluntarily self isolating': 960193, 'self isolating cannot': 747717, 'isolating cannot find': 455079, 'deliver the bare': 233226, 'the bare necessity': 849280, 'bare necessity how': 110926, 'necessity how doe': 554226, 'doe your fuck': 251678, 'your fuck up': 1023998, 'fuck up politics': 339676, 'up politics work': 945782, 'politics work the': 663814, 'work the fucking': 1005811, 'the fucking work': 855994, 'thanks haha': 842103, 'haha the': 373902, 'out newsletter': 626633, 'newsletter saying': 561042, 'have cold': 380008, 'symptom even': 830842, 'thanks haha the': 842104, 'haha the thing': 373904, 'the thing is': 869457, 'supermarket ha sent': 820648, 'ha sent out': 371855, 'sent out newsletter': 750795, 'out newsletter saying': 626634, 'newsletter saying that': 561043, 'we have cold': 971774, 'have cold like': 380009, 'cold like symptom': 185770, 'like symptom even': 491283, 'symptom even if': 830843, 'supermarket the problem': 823241, 'problem is out': 679570, 'out of chocolate': 626696, 'infection their': 436861, 'safety foodsafety': 730539, 'foodsafety foodshortages': 318059, 'this infection their': 888098, 'infection their safety': 436862, 'their safety is': 874614, 'our safety foodsafety': 624663, 'safety foodsafety foodshortages': 730540, 'quarantine literally': 692342, 'the toy': 869833, 'toy section': 927697, 'section like': 744015, 'like maybe': 490730, 'maybe hot': 521708, 'hot wheel': 405070, 'wheel or': 983044, 'or lego': 615956, 'lego can': 486067, 'me occupied': 523240, 'occupied stayhome': 579012, 'quarantine literally ha': 692343, 'literally ha me': 495010, 'ha me shopping': 371256, 'me shopping online': 523453, 'in the toy': 429620, 'the toy section': 869834, 'toy section like': 927698, 'section like maybe': 744016, 'like maybe hot': 490731, 'maybe hot wheel': 521709, 'hot wheel or': 405071, 'wheel or lego': 983045, 'or lego can': 615957, 'lego can keep': 486068, 'can keep me': 158810, 'keep me occupied': 471653, 'me occupied stayhome': 523241, 'forget filling': 329251, 'your boot': 1022997, 'boot at': 135100, 'local at': 497705, 'wonderful west': 1004137, 'looe store': 502215, 'store looe': 808817, 'forget filling your': 329252, 'filling your boot': 305648, 'your boot at': 1022998, 'boot at the': 135101, 'week we re': 977199, 'we re shopping': 972962, 're shopping local': 699504, 'shopping local at': 763201, 'local at the': 497707, 'at the wonderful': 101154, 'the wonderful west': 871682, 'wonderful west looe': 1004138, 'west looe store': 980518, 'looe store looe': 502216, 'store looe looe': 808818, 'spending from': 788816, 'amazon spend': 51126, 'up 46': 944176, '46 yoy': 19231, 'yoy week': 1026973, 'of mar': 586189, 'mar 25': 514994, 'from on change': 336660, 'on change in': 599869, 'consumer spending from': 199062, 'spending from covid': 788817, '19 amazon spend': 4949, 'amazon spend up': 51127, 'spend up 46': 788695, 'up 46 yoy': 944177, '46 yoy week': 19232, 'yoy week of': 1026974, 'week of mar': 976625, 'of mar 25': 586190, 'governor provides': 360975, 'provides an': 686827, 'on california': 599768, 'california response': 155563, 'outbreak stayhomesavelives': 628656, 'governor provides an': 360976, 'provides an update': 686828, 'update on california': 947108, 'on california response': 599769, 'california response to': 155564, 'the outbreak stayhomesavelives': 862699, 'threefold': 894126, 'latest supermarket': 481561, 'reward worker': 720800, 'with threefold': 1001760, 'threefold increase': 894127, 'month they': 538059, 'are today': 91116, 'the latest supermarket': 859149, 'latest supermarket to': 481562, 'supermarket to reward': 823410, 'to reward worker': 913515, 'reward worker during': 720801, 'crisis with threefold': 218433, 'with threefold increase': 1001761, 'threefold increase in': 894128, 'increase in bonus': 432817, 'bonus for the': 134378, '12 month they': 2904, 'month they are': 538060, 'they are today': 881436, 'key if': 473310, 'aren readily': 92497, 'soap and is': 778916, 'and is key': 65412, 'is key if': 449187, 'key if they': 473311, 'if they aren': 415094, 'they aren readily': 881484, 'aren readily available': 92498, 'easy charge': 265669, 'charge back': 173210, 'payment processor': 645710, 'processor is': 680074, 'to argue': 900703, 'argue with': 92699, '19 based': 5308, 'based cancellation': 111529, 'cancellation hope': 161024, 'client didn': 182023, 'the deposit': 853153, 'an easy charge': 55559, 'easy charge back': 265670, 'charge back and': 173211, 'and the payment': 73511, 'the payment processor': 863415, 'payment processor is': 645711, 'processor is not': 680075, 'going to argue': 355525, 'to argue with': 900705, 'argue with consumer': 92700, 'with consumer over': 997762, 'consumer over covid': 198311, 'covid 19 based': 212681, '19 based cancellation': 5309, 'based cancellation hope': 111530, 'cancellation hope the': 161025, 'hope the client': 403668, 'the client didn': 851015, 'client didn pay': 182024, 'didn pay the': 241158, 'pay the deposit': 645146, 'the deposit in': 853154, 'deposit in cash': 237500, 'penalising': 646427, 'readability': 700672, 'important point': 418928, 'and penalising': 68835, 'penalising individual': 646428, 'individual behaviour': 435145, 'not communicating': 568808, 'communicating in': 189563, 'all message': 43502, 'message must': 529371, 'must meet': 546766, 'meet basic': 527423, 'basic readability': 112039, 'readability design': 700673, 'design principle': 238256, 'principle and': 678236, 'consumer tested': 199253, 'very important point': 955251, 'important point from': 418929, 'point from we': 662493, 'from we re': 338307, 'relying on and': 709667, 'on and penalising': 599367, 'and penalising individual': 68836, 'penalising individual behaviour': 646429, 'individual behaviour for': 435146, 'behaviour for covid': 124419, 're not communicating': 699083, 'not communicating in': 568809, 'communicating in way': 189564, 'way that most': 969923, 'people can understand': 647416, 'can understand all': 160076, 'understand all message': 940586, 'all message must': 43503, 'message must meet': 529372, 'must meet basic': 546767, 'meet basic readability': 527424, 'basic readability design': 112040, 'readability design principle': 700674, 'design principle and': 238257, 'principle and be': 678237, 'and be consumer': 58749, 'be consumer tested': 114214, 'consumer tested to': 199254, 'tested to be': 839381, 'sm message': 774751, 'be alert': 113541, 'communication that': 189648, 'contain dangerous': 200472, 'or link': 615975, 'website click': 975235, 'avoiding cyber': 105445, 'scam involving fake': 740215, 'involving fake email': 444397, 'email or sm': 272260, 'or sm message': 617108, 'sm message have': 774752, 'to be alert': 901099, 'be alert for': 113542, 'electronic communication that': 271262, 'communication that contain': 189649, 'that contain dangerous': 843306, 'contain dangerous attachment': 200473, 'attachment or link': 102072, 'or link to': 615976, 'link to fraudulent': 493929, 'to fraudulent website': 906232, 'fraudulent website click': 331482, 'website click below': 975236, 'on avoiding cyber': 599522, 'avoiding cyber scam': 105446, 'leper': 486413, 'policestate': 663291, 'you mug': 1019902, 'mug avoid': 545565, 'avoid me': 105189, 'like leper': 490634, 'leper every': 486414, 'time walk': 898205, 'walk my': 964832, 'dog you': 252192, 'you seem': 1021086, 'overlook the': 631285, 'the interaction': 858343, 'everyday played': 286610, 'played beyond': 659271, 'belief proper': 126210, 'proper zombie': 684165, 'zombie think': 1027727, 'it policestate': 460374, 'while all you': 986583, 'all you mug': 45547, 'you mug avoid': 1019903, 'mug avoid me': 545566, 'avoid me and': 105190, 'me and look': 522416, 'me like leper': 523083, 'like leper every': 490635, 'leper every time': 486415, 'every time walk': 286325, 'time walk my': 898206, 'walk my dog': 964833, 'my dog you': 548022, 'dog you seem': 252193, 'you seem to': 1021087, 'seem to overlook': 746698, 'to overlook the': 911308, 'overlook the interaction': 631286, 'the interaction with': 858344, 'interaction with supermarket': 441271, 'with supermarket staff': 1001066, 'are in contact': 87367, 'contact with thousand': 200295, 'of people everyday': 587911, 'people everyday played': 647833, 'everyday played beyond': 286611, 'played beyond belief': 659272, 'beyond belief proper': 129137, 'belief proper zombie': 126211, 'proper zombie think': 684166, 'zombie think about': 1027728, 'about it policestate': 25590, 'live local': 495913, 'had somewhere': 373536, 'somewhere local': 785303, 'local that': 498643, 'young un': 1022666, 'un dedicate': 939275, 'dedicate to': 231690, 'them happily': 875816, 'or live local': 615982, 'live local to': 495914, 'local to supermarket': 498651, 'to supermarket leave': 915809, 'they had somewhere': 882263, 'had somewhere local': 373537, 'somewhere local that': 785304, 'local that young': 498644, 'that young un': 847761, 'young un dedicate': 1022667, 'un dedicate to': 939276, 'dedicate to them': 231691, 'to them happily': 917298, 'them happily donate': 875817, 'cover the more': 212292, 'macroeconomics': 507490, 'india spring': 434619, 'spring fever': 791202, 'fever the': 303689, '19 restructuring': 10187, 'restructuring of': 717444, 'of yes': 593353, 'yes bank': 1015382, 'price macroeconomics': 675143, 'india spring fever': 434620, 'spring fever the': 791203, 'fever the covid': 303690, 'covid 19 restructuring': 213705, '19 restructuring of': 10188, 'restructuring of yes': 717445, 'of yes bank': 593354, 'yes bank and': 1015383, 'bank and fall': 109608, 'oil price macroeconomics': 597185, 'science think': 742145, 'covid19 began': 214272, 'began hand': 123385, 'is desperately': 447138, 'curve begin': 221834, 'to descend': 904196, 'descend ban': 237904, 'banishthebeast 19': 109530, 'science think of': 742146, 'of the variable': 591583, 'against covid19 began': 37406, 'covid19 began hand': 214273, 'began hand sanitizer': 123386, 'sanitizer is desperately': 735186, 'is desperately needed': 447139, 'desperately needed the': 238580, 'the curve begin': 852686, 'curve begin to': 221835, 'begin to descend': 123580, 'to descend ban': 904197, 'descend ban the': 237905, 'ban the 2nd': 109269, 'wave banishthebeast 19': 969343, '96 down': 23656, 'tracking more': 928343, 'ic fell': 412605, '28 covid': 16384, '100 96 down': 1822, '96 down from': 23657, 'new low since': 559071, 'low since morning': 505609, 'began tracking more': 123454, 'tracking more than': 928344, 'than two year': 841373, 'ago since on': 38462, 'since on january': 770775, 'on january the': 601724, 'the ic fell': 857803, 'ic fell by': 412606, 'fell by 12': 303178, 'by 12 28': 151532, '12 28 covid': 2791, '28 covid 19': 16385, 'effective non': 269289, 'medical intervention': 526225, 'intervention for': 442183, 'for slowing': 325660, 'why socialdistancing': 991359, 'socialdistance corona': 780146, 'distancing is one': 247253, 'most effective non': 542284, 'effective non medical': 269290, 'non medical intervention': 566434, 'medical intervention for': 526226, 'intervention for slowing': 442184, 'for slowing the': 325661, '19 and here': 5043, 'is why socialdistancing': 453976, 'why socialdistancing socialdistance': 991360, 'socialdistancing socialdistance corona': 780701, 'mena consumer': 528550, 'tracker report': 928292, 'understanding attitude': 940863, 'future expectation': 342319, 'expectation in': 290824, 'ksa uae': 477829, 'uae egypt': 937752, 'egypt morocco': 270113, 'morocco jordan': 541570, 'and lebanon': 66074, 'lebanon by': 485184, 'mena consumer sentiment': 528551, 'consumer sentiment tracker': 198933, 'sentiment tracker report': 751019, 'tracker report on': 928293, 'report on understanding': 712156, 'on understanding attitude': 604957, 'understanding attitude behavior': 940864, 'attitude behavior and': 102552, 'behavior and future': 123888, 'and future expectation': 63447, 'future expectation in': 342320, 'expectation in ksa': 290825, 'in ksa uae': 424544, 'ksa uae egypt': 477830, 'uae egypt morocco': 937753, 'egypt morocco jordan': 270114, 'morocco jordan and': 541571, 'jordan and lebanon': 467275, 'and lebanon by': 66075, 'meny': 528908, 'supermarket meny': 821509, 'meny at': 528909, 'at hellerup': 98883, 'hellerup us': 389117, 'genius price': 345798, 'via brilliant': 955830, 'danish supermarket meny': 225854, 'supermarket meny at': 821510, 'meny at hellerup': 528910, 'at hellerup us': 98884, 'hellerup us genius': 389118, 'us genius price': 948521, 'genius price trick': 345799, 'sanitiser hoarding during': 733971, 'hoarding during crisis': 399267, 'during crisis via': 262573, 'crisis via brilliant': 218312, 'via brilliant idea': 955831, 'petstore': 653878, 'petsupplies': 653881, 'tack': 831548, 'pet shopping': 653448, 'dog stayathomeorder': 252166, 'stayathomeorder pet': 797783, 'pet shoponline': 653446, 'shoponline petstore': 761277, 'petstore petsupplies': 653879, 'petsupplies horse': 653882, 'horse tack': 404232, 'tack stayathome': 831551, 'for business do': 319827, 'business do all': 143645, 'do all your': 249046, 'all your pet': 45577, 'your pet shopping': 1025276, 'pet shopping online': 653449, 'website for more': 975274, 'information on covid19': 437911, 'on covid19 and': 600147, 'covid19 and your': 214267, 'and your pet': 76091, 'your pet dog': 1025269, 'pet dog stayathomeorder': 653373, 'dog stayathomeorder pet': 252167, 'stayathomeorder pet shoponline': 797784, 'pet shoponline petstore': 653447, 'shoponline petstore petsupplies': 761278, 'petstore petsupplies horse': 653880, 'petsupplies horse tack': 653883, 'horse tack stayathome': 404233, 'fortifying': 329818, 'fortifying traditional': 329821, 'traditional retailer': 929015, 'retailer web': 719405, 'web presence': 974958, 'presence prof': 670560, 'prof crucial': 682344, 'many offline': 514410, 'offline retailer': 596049, 'retailer emerging': 719130, 'emerging evidence': 273117, 'evidence suggests': 288382, 'suggests consumer': 817687, '19 ecommerce': 6694, 'fortifying traditional retailer': 329822, 'traditional retailer web': 929016, 'retailer web presence': 719406, 'web presence prof': 974960, 'presence prof crucial': 670561, 'prof crucial for': 682345, 'crucial for many': 219448, 'for many offline': 323229, 'many offline retailer': 514411, 'offline retailer emerging': 596050, 'retailer emerging evidence': 719131, 'emerging evidence suggests': 273118, 'evidence suggests consumer': 288383, 'suggests consumer habit': 817688, 'changing in the': 172729, 'covid 19 ecommerce': 213001, '19 ecommerce retail': 6696, 'while written': 987579, 'written before': 1012954, 'more relevant': 540217, 'relevant preventive': 709166, 'preventive care': 671910, 'care visit': 164252, 'visit decline': 959228, '2020 convenience': 14249, 'better outcome': 128398, 'outcome are': 628854, 'service why': 753070, 'woman health': 1003504, 'while written before': 987580, 'written before covid': 1012955, '19 question in': 9935, 'question in is': 693625, 'in is more': 424170, 'is more relevant': 449721, 'more relevant preventive': 540218, 'relevant preventive care': 709167, 'preventive care visit': 671911, 'care visit decline': 164253, 'visit decline in': 959229, 'decline in 2020': 231338, 'in 2020 convenience': 419828, '2020 convenience and': 14250, 'convenience and better': 202317, 'and better outcome': 58915, 'better outcome are': 128399, 'outcome are being': 628855, 'are being delivered': 84844, 'being delivered in': 125032, 'delivered in almost': 233345, 'in almost every': 420196, 'almost every consumer': 46619, 'every consumer service': 285754, 'consumer service why': 198955, 'service why not': 753071, 'not woman health': 572521, 'woman health care': 1003505, 'impersonation': 418364, 'warns scammer': 967284, 'defraud consumer': 232483, 'with phony': 1000198, 'phony cure': 655099, 'cure fake': 220732, 'mask payment': 519100, 'payment scam': 645723, 'scam government': 740184, 'government impersonation': 360205, 'impersonation and': 418365, 'more related': 540212, '19 maconsumer': 8494, 'maconsumer learn': 507462, 'latest virus': 481598, 'the warns scammer': 871098, 'warns scammer trying': 967285, 'trying to defraud': 934794, 'to defraud consumer': 904070, 'defraud consumer with': 232485, 'consumer with phony': 199566, 'with phony cure': 1000199, 'phony cure fake': 655101, 'cure fake mask': 220733, 'fake mask payment': 296654, 'mask payment scam': 519102, 'payment scam government': 645725, 'scam government impersonation': 740185, 'government impersonation and': 360206, 'impersonation and more': 418366, 'and more related': 67209, 'more related to': 540213, 'to 19 maconsumer': 899544, '19 maconsumer learn': 8495, 'maconsumer learn about': 507463, 'the latest virus': 859156, 'latest virus related': 481599, 'virus related scam': 958678, 'rusia': 728401, 'corornamadness': 207163, 'doe falling': 251397, 'price shutdown': 676397, 'shutdown city': 768011, 'and parked': 68715, 'parked car': 642037, 'car rebel': 163259, 'rebel oil': 703271, 'oil economy': 596764, 'economy like': 268041, 'like venezuela': 491722, 'venezuela rusia': 954453, 'rusia iran': 728402, 'iran have': 444687, 'like oil': 490907, 'economy stand': 268228, 'this corornamadness': 886904, 'corornamadness meanwhile': 207164, 'meanwhile ratcheting': 525026, 'up mo': 945390, 'mo sanction': 534868, 'sanction amidst': 733614, 'what doe falling': 981363, 'doe falling oil': 251398, 'oil price shutdown': 597256, 'price shutdown city': 676398, 'shutdown city and': 768012, 'city and parked': 179050, 'and parked car': 68716, 'parked car rebel': 642038, 'car rebel oil': 163260, 'rebel oil economy': 703272, 'oil economy like': 596765, 'economy like venezuela': 268042, 'like venezuela rusia': 491724, 'venezuela rusia iran': 954454, 'rusia iran have': 728403, 'iran have to': 444688, 'with the look': 1001376, 'the look like': 859705, 'look like oil': 502501, 'like oil based': 490908, 'oil based economy': 596643, 'based economy stand': 111564, 'economy stand to': 268229, 'stand to lose': 793594, 'to lose the': 909463, 'lose the most': 503480, 'most in this': 542439, 'in this corornamadness': 429922, 'this corornamadness meanwhile': 886905, 'corornamadness meanwhile ratcheting': 207165, 'meanwhile ratcheting up': 525027, 'ratcheting up mo': 697139, 'up mo sanction': 945391, 'mo sanction amidst': 534869, 'sanction amidst crisis': 733615, 'firsthand': 309207, 'crunched': 219755, 'chain provides': 171016, 'provides firsthand': 686846, 'firsthand account': 309208, 'of preparation': 588361, 'making designated': 511021, 'designated shopping': 238305, 'senior although': 750187, 'although some': 49351, 'are crunched': 85642, 'crunched others': 219756, 'produce remain': 680411, 'bay area grocery': 112911, 'store chain provides': 806932, 'chain provides firsthand': 171017, 'provides firsthand account': 686847, 'firsthand account of': 309210, 'account of preparation': 28731, 'of preparation from': 588362, 'preparation from temporarily': 670041, 'temporarily banning reusable': 837440, 'bag to making': 108429, 'to making designated': 909774, 'making designated shopping': 511022, 'designated shopping hour': 238306, 'for senior although': 325452, 'senior although some': 750188, 'although some supply': 49352, 'some supply are': 784018, 'supply are crunched': 824783, 'are crunched others': 85643, 'crunched others like': 219757, 'others like produce': 621519, 'like produce remain': 491035, 'produce remain strong': 680412, 'coincided': 185656, 'billionsatplay': 130971, 'past 20': 643497, 'been rollercoaster': 121868, 'rollercoaster for': 725656, 'for africa': 319063, 'africa oil': 35115, 'year up': 1015069, 'down cycle': 256674, 'cycle coincided': 224046, 'coincided with': 185657, 'price writes': 677670, 'writes nj': 1012854, 'nj ayuk': 563413, 'ayuk on': 106358, 'on billionsatplay': 599646, 'billionsatplay relevant': 130972, 'relevant the': 709178, 'world face': 1009533, 'the past 20': 863345, 'past 20 year': 643498, '20 year have': 13422, 'year have been': 1014609, 'have been rollercoaster': 379668, 'been rollercoaster for': 121869, 'rollercoaster for africa': 725657, 'for africa oil': 319064, 'africa oil and': 35116, 'and gas production': 63485, 'gas production this': 344069, 'production this 20': 682232, 'this 20 year': 886160, '20 year up': 13428, 'year up and': 1015070, 'and down cycle': 61697, 'down cycle coincided': 256675, 'cycle coincided with': 224047, 'coincided with oil': 185658, 'oil price writes': 597328, 'price writes nj': 677671, 'writes nj ayuk': 1012855, 'nj ayuk on': 563414, 'ayuk on billionsatplay': 106359, 'on billionsatplay relevant': 599647, 'billionsatplay relevant the': 130973, 'relevant the world': 709179, 'the world face': 871867, 'world face the': 1009535, 'face the impact': 294795, 'wear at': 974290, 'you wear at': 1022211, 'wear at the': 974291, 'is arrested': 445811, 'and knowingly': 65897, 'woman is arrested': 1003531, 'is arrested after': 445812, 'arrested after she': 93809, 'after she tested': 36193, '19 and knowingly': 5055, 'and knowingly exposing': 65898, 'virus at grocery': 957975, 'our respondent': 624618, 'respondent aged': 715374, 'aged 18': 37931, '18 34': 4501, '34 share': 17829, 'trade on': 928535, 'current outbreak': 221281, 'outbreak data': 628156, 'data marketresearch': 226296, 'marketresearch consumer': 517850, 'behavior stayhome': 124200, 'our respondent aged': 624620, 'respondent aged 18': 715375, 'aged 18 34': 37932, '18 34 share': 4502, '34 share their': 17830, 'share their view': 755270, 'on the positive': 604293, 'the positive impact': 864060, 'positive impact of': 665349, 'impact of trade': 417808, 'of trade on': 592398, 'trade on the': 928537, 'the current outbreak': 852648, 'current outbreak data': 221282, 'outbreak data marketresearch': 628157, 'data marketresearch consumer': 226297, 'marketresearch consumer behavior': 517851, 'consumer behavior stayhome': 196516, 'behavior stayhome staysafe': 124201, 'cribdelacurse': 216730, 'besafeeveryone': 127452, 'roland': 725061, 'transforming through': 929608, 'the universe': 870429, 'universe practicing': 942394, 'people cribdelacurse': 647584, 'cribdelacurse universe': 216731, 'universe transforming': 942396, 'transforming corvid19': 929600, 'corvid19 besafeeveryone': 207721, 'besafeeveryone sanitizer': 127453, 'mask roland': 519203, 'transforming through the': 929609, 'through the universe': 894774, 'the universe practicing': 870430, 'universe practicing social': 942395, 'distancing have good': 247195, 'good day be': 356945, 'day be safe': 227352, 'there people cribdelacurse': 878923, 'people cribdelacurse universe': 647585, 'cribdelacurse universe transforming': 216732, 'universe transforming corvid19': 942397, 'transforming corvid19 besafeeveryone': 929601, 'corvid19 besafeeveryone sanitizer': 207722, 'besafeeveryone sanitizer mask': 127454, 'sanitizer mask roland': 735358, 'their underlying': 875073, 'underlying cost': 940475, 'supermarket sale are': 822304, 'sale are booming': 732059, 'are booming but': 85021, 'booming but so': 134870, 'but so are': 147073, 'so are their': 776544, 'are their underlying': 90943, 'their underlying cost': 875074, 'underlying cost via': 940476, 'kape': 470841, 'you pie': 1020334, 'pie hole': 656249, 'hole it': 400223, 'closed location': 183206, 'location due': 498891, '19 co': 5864, 'owner chris': 632424, 'chris kape': 178056, 'kape donated': 470842, 'delivered leftover': 233354, 'leftover perishable': 485786, 'perishable and': 651958, 'and unsold': 74712, 'unsold product': 943503, '20 family': 13055, 'and topped': 74287, 'topped it': 925840, 'card let': 163569, 'let celebrate': 486641, 'with pie': 1000213, 'pie when': 656253, 'thank you pie': 841799, 'you pie hole': 1020335, 'pie hole it': 656250, 'hole it closed': 400224, 'it closed location': 457190, 'closed location due': 183207, 'location due to': 498892, 'covid 19 co': 212818, '19 co owner': 5865, 'co owner chris': 184935, 'owner chris kape': 632425, 'chris kape donated': 178057, 'kape donated and': 470843, 'donated and delivered': 254319, 'and delivered leftover': 61096, 'delivered leftover perishable': 233355, 'leftover perishable and': 485787, 'perishable and unsold': 651959, 'and unsold product': 74713, 'unsold product to': 943504, 'product to 20': 681740, 'to 20 family': 899573, '20 family in': 13056, 'need and topped': 554442, 'and topped it': 74288, 'topped it off': 925841, 'it off with': 459989, 'off with 50': 594394, 'with 50 in': 997034, '50 in grocery': 19725, 'gift card let': 349946, 'card let celebrate': 163570, 'let celebrate with': 486642, 'celebrate with pie': 168808, 'with pie when': 1000214, 'pie when this': 656254, 'nian': 562323, 'canada foodsupplies': 160437, 'foodsupplies canadian': 318194, 'say via': 739435, 'via nian': 956109, 'nian toronto': 562324, 'toronto own': 925974, 'canada foodsupplies canadian': 160438, 'foodsupplies canadian do': 318195, 'expert say via': 291965, 'say via nian': 739438, 'via nian toronto': 956110, 'nian toronto own': 562325, 'individual losing': 435217, 'to may': 909903, 'lending program': 486287, 'individual losing income': 435218, 'losing income due': 503557, 'due to may': 261863, 'to may be': 909904, 'eligible for emergency': 271423, 'for emergency consumer': 321015, 'emergency consumer lending': 272638, 'consumer lending program': 198032, 'time handsanitizer': 896887, 'find for long': 306913, 'for long long': 323081, 'long long time': 501524, 'long time handsanitizer': 501771, 'week alberta': 975874, 'alberta and': 40775, 'and canadian': 59485, 'plunge amid': 661408, 'price alberta': 672259, 'alberta consumer': 40783, 'economy oilprices': 268121, 'oilprices business': 597655, 'this week alberta': 891183, 'week alberta and': 975875, 'alberta and canadian': 40776, 'and canadian consumer': 59486, 'confidence plunge amid': 193934, 'plunge amid coronavirus': 661409, 'amid coronavirus fear': 52420, 'coronavirus fear and': 205913, 'fear and decline': 301026, 'oil price alberta': 597039, 'price alberta consumer': 672260, 'alberta consumer economy': 40784, 'consumer economy oilprices': 197313, 'economy oilprices business': 268122, 'oilprices business businessnews': 597656, 'fight ha': 304761, 'made customer': 507706, 'customer communication': 222256, 'communication more': 189615, 'but direct': 145542, 'direct marketing': 243353, 'marketing rule': 517693, 'rule still': 727353, 'still apply': 800203, 'apply with': 82624, 'else act': 271613, 'act sensibly': 29764, 'sensibly responsibly': 750686, 'distancing to fight': 247562, 'to fight ha': 905791, 'fight ha made': 304762, 'ha made customer': 371206, 'made customer communication': 507707, 'customer communication more': 222257, 'communication more important': 189616, 'ever but direct': 285240, 'but direct marketing': 145543, 'direct marketing rule': 243354, 'marketing rule still': 517694, 'rule still apply': 727354, 'still apply with': 800204, 'apply with everything': 82625, 'with everything else': 998300, 'everything else act': 287766, 'else act sensibly': 271614, 'act sensibly responsibly': 29765, 'photo taken': 655250, 'taken last': 833021, 'edinburgh happen': 268568, 'government classified': 359982, 'classified low': 180359, 'skilled just': 772997, 'ago before': 38347, 'hard thread': 378022, 'here photo taken': 393455, 'photo taken last': 655251, 'taken last night': 833022, 'last night in': 480379, 'night in supermarket': 563019, 'supermarket in edinburgh': 820892, 'in edinburgh happen': 422496, 'edinburgh happen to': 268569, 'happen to work': 377189, 'work here am': 1005250, 'here am one': 392676, 'of the worker': 591627, 'the worker the': 871761, 'worker the uk': 1007943, 'uk government classified': 938411, 'government classified low': 359983, 'classified low skilled': 180360, 'low skilled just': 505617, 'skilled just few': 772998, 'week ago before': 975837, 'ago before covid': 38348, '19 hit hard': 7545, 'hit hard thread': 398254, 'henryqc': 391795, 'henryqc covid': 391796, 'like later': 490625, 'henryqc covid 19': 391797, '19 sale for': 10300, 'sale for limited': 732231, 'have to see': 383294, 'see what price': 746043, 'what price are': 982052, 'are like later': 87792, 'like later in': 490626, 'honouring': 403306, 'shocked you': 759589, 're honouring': 698832, 'honouring lower': 403307, 'price instore': 674838, 'instore basically': 440498, 'basically an': 112106, 'an instore': 56376, 'instore sale': 440502, 'sale normal': 732368, 'normal just': 567197, 'not tagging': 571894, 'tagging the': 831784, 'clothes with': 184236, 'their reduced': 874537, 'sake people': 731874, 'dying don': 263806, 'people an': 646837, 'an incentive': 56225, 'shocked you re': 759590, 'you re honouring': 1020649, 're honouring lower': 698833, 'honouring lower price': 403308, 'lower price instore': 505963, 'price instore basically': 674839, 'instore basically an': 440499, 'basically an instore': 112107, 'an instore sale': 56377, 'instore sale normal': 440503, 'sale normal just': 732369, 'normal just not': 567198, 'just not tagging': 469336, 'not tagging the': 571895, 'tagging the clothes': 831785, 'the clothes with': 851061, 'clothes with their': 184237, 'with their reduced': 1001596, 'their reduced price': 874538, 'price for goodness': 673971, 'goodness sake people': 358064, 'sake people are': 731875, 'are dying don': 86046, 'dying don give': 263807, 'don give people': 253556, 'give people an': 350644, 'people an incentive': 646838, 'an incentive to': 56226, 'incentive to ignore': 431371, 'to ignore the': 908114, 'ignore the gov': 415844, 'of lifestyle': 585846, 'lifestyle spread': 489376, 'am people': 50299, 'people collect': 647488, 'collect water': 186340, 'from dam': 335097, 'dam lake': 225168, 'lake and': 479052, 'and swamp': 72920, 'swamp who': 829935, 'collect food': 186269, 'the garden': 856155, 'and orchard': 68240, 'orchard unlike': 617959, 'of asia': 580388, 'asia and': 95159, 'and europe': 62307, 'where food': 984873, 'is collected': 446640, 'meat of': 525671, 'of africa': 579817, 'nature of lifestyle': 552973, 'of lifestyle spread': 585847, 'lifestyle spread covid': 489377, '19 here in': 7511, 'here in remote': 393178, 'remote area where': 710697, 'area where am': 92259, 'where am people': 984725, 'am people collect': 50300, 'people collect water': 647489, 'collect water from': 186341, 'water from dam': 969003, 'from dam lake': 335098, 'dam lake and': 225169, 'lake and swamp': 479053, 'and swamp who': 72921, 'swamp who collect': 829936, 'who collect food': 988468, 'collect food from': 186271, 'from the garden': 337718, 'the garden and': 856158, 'garden and orchard': 343580, 'and orchard unlike': 68241, 'orchard unlike the': 617961, 'unlike the united': 942732, 'united state of': 942232, 'state of asia': 795796, 'of asia and': 580389, 'asia and europe': 95160, 'and europe where': 62309, 'europe where food': 283529, 'where food is': 984874, 'food is collected': 315117, 'is collected from': 446641, 'collected from supermarket': 186356, 'from supermarket this': 337507, 'is why covid': 453959, 'is the meat': 452861, 'the meat of': 860384, 'meat of africa': 525672, 'cuny': 220383, 'cuny please': 220387, 'letter in': 487326, 'the graduate': 856685, 'graduate center': 361711, 'pay amp': 644723, 'amp benefit': 53450, 'university is': 942436, 'down cuny': 256670, 'cuny free': 220386, 'cuny please sign': 220388, 'sign this letter': 769237, 'this letter in': 888615, 'letter in support': 487327, 'support of food': 826687, 'at the graduate': 100965, 'the graduate center': 856686, 'graduate center to': 361712, 'center to receive': 169306, 'to receive full': 912919, 'full pay amp': 340799, 'pay amp benefit': 644724, 'amp benefit while': 53451, 'benefit while the': 127138, 'while the university': 987421, 'the university is': 870433, 'university is shut': 942437, 'shut down cuny': 767815, 'down cuny free': 256671, 'may do': 521129, 'do spot': 250164, 'spot of': 790081, 'of gardening': 584040, 'gardening never': 343646, 'never garden': 558009, 'garden working': 343632, 'control make': 202047, 'organise tidy': 619306, 'tidy everything': 895723, 'home need': 401649, 'need somewhere': 555615, 'go that': 354198, 'not outside': 570868, 'supermarket mentalhealth': 821505, 'mentalhealth panicbuying': 528686, 'may do spot': 521130, 'do spot of': 250165, 'spot of gardening': 790082, 'of gardening never': 584041, 'gardening never garden': 343647, 'never garden working': 558010, 'garden working in': 343633, 'of control make': 581844, 'control make me': 202048, 'want to organise': 966076, 'to organise tidy': 911097, 'organise tidy everything': 619307, 'tidy everything at': 895724, 'everything at home': 287699, 'at home need': 99055, 'home need somewhere': 401651, 'need somewhere to': 555616, 'somewhere to go': 785316, 'to go that': 906863, 'go that is': 354199, 'in control it': 421763, 'control it nice': 202042, 'nice day why': 562387, 'day why not': 228763, 'why not outside': 991227, 'not outside supermarket': 570869, 'outside supermarket mentalhealth': 629573, 'supermarket mentalhealth panicbuying': 821506, 'act record': 29753, 'record third': 705071, 'third coronavirus': 886067, 'case supermarket': 166046, 'empty via': 275223, 'act record third': 29754, 'record third coronavirus': 705072, 'third coronavirus case': 886068, 'coronavirus case supermarket': 205622, 'case supermarket shelf': 166047, 'shelf empty via': 757039, 'many hero': 514135, 'thank they': 841666, 'wednesday we': 975700, 'so many hero': 777665, 'many hero to': 514138, 'hero to thank': 394135, 'to thank they': 916437, 'thank they help': 841668, 'they help keep': 882429, 'help keep safe': 389972, 'pandemic on wednesday': 636096, 'on wednesday we': 605185, 'wednesday we wanted': 975702, 'wanted to send': 966270, 'multipurpose': 545839, 'approved complimentary': 83145, 'complimentary multipurpose': 192511, 'multipurpose sanitizer': 545840, 'who approved complimentary': 988089, 'approved complimentary multipurpose': 83146, 'complimentary multipurpose sanitizer': 192512, 'multipurpose sanitizer for': 545841, 'sanitizer for our': 734917, 'on to learn': 604744, 'survivor but': 829390, 'outbreak one': 628500, 'survivor but it': 829391, 'but it take': 146168, 'it take place': 461429, 'take place in': 832504, 'place in small': 657514, 'town with only': 927596, 'with only one': 999913, 'only one grocery': 610874, '19 outbreak one': 9161, 'outbreak one person': 628501, 'one person ha': 606861, 'person ha it': 652452, 'ha it but': 371013, 'it but they': 456959, 'don know who': 253678, 'healthcare gra': 387125, 'world gra': 1009598, 'innovative consumer product': 438923, 'consumer product for': 198458, 'product for healthcare': 681199, 'for healthcare gra': 322160, 'healthcare gra goal': 387126, 'the best performing': 849538, 'supply company in': 825092, 'the world gra': 871882, 'prepare here': 670098, 'my take': 550308, 'stock canned': 801971, 'food dry': 314305, 'dry mix': 261284, 'not require': 571325, 'require refrigeration': 713326, 'refrigeration cooking': 706791, 'cooking water': 202935, 'special preparation': 788022, 'preparation sarscov2': 670046, 'sarscov2 rd': 736857, 'rd nutrition': 698140, 'please be smart': 659714, 'smart and prepare': 775338, 'and prepare here': 69363, 'prepare here my': 670099, 'here my take': 393372, 'my take stock': 550309, 'take stock canned': 832610, 'stock canned food': 801972, 'canned food dry': 161510, 'food dry mix': 314307, 'dry mix and': 261285, 'mix and other': 534585, 'other staple that': 620958, 'staple that do': 793998, 'do not require': 249823, 'not require refrigeration': 571326, 'require refrigeration cooking': 713327, 'refrigeration cooking water': 706792, 'cooking water or': 202936, 'water or special': 969100, 'or special preparation': 617176, 'special preparation sarscov2': 788023, 'preparation sarscov2 rd': 670047, 'sarscov2 rd nutrition': 736858, 'hoarding general': 399329, 'general necessity': 345412, 'necessity better': 554185, 'your bitch': 1022976, 'bitch as': 131746, 'as at': 94719, 'month hoarding': 537774, 'shortage panicbuying': 765163, 'the asshole still': 848982, 'asshole still hoarding': 96562, 'still hoarding general': 800712, 'hoarding general necessity': 399330, 'general necessity better': 345413, 'necessity better not': 554186, 'not see your': 571491, 'see your bitch': 746121, 'your bitch as': 1022977, 'bitch as at': 131748, 'as at the': 94720, 'next month hoarding': 561455, 'month hoarding toiletpaper': 537775, 'hoarding toiletpaper shortage': 399623, 'toiletpaper shortage panicbuying': 922470, 'shortage panicbuying pandemic': 765165, 'discouragement': 244634, 'and discouragement': 61413, 'discouragement that': 244635, 'response to must': 715868, 'to must be': 910362, 'must be proportionate': 546533, 'proportionate and must': 684446, 'and must not': 67345, 'must not create': 546778, 'fear and discouragement': 301028, 'and discouragement that': 61414, 'discouragement that could': 244636, 'consumer demand 19': 197107, 'ag issue updated': 36802, 'retailer grocery': 719166, 'offering shopping': 595242, 'avoid larger': 105171, 'larger crowd': 479890, 'retailer grocery store': 719167, 'store offering shopping': 809162, 'offering shopping hour': 595243, 'hour for and': 405597, 'for and to': 319346, 'help avoid larger': 389401, 'avoid larger crowd': 105172, 'icymi expert': 412873, 'icymi expert do': 412874, 'price thailand': 676775, 'chinese man arrested': 177294, 'arrested for selling': 93846, 'for selling surgical': 325446, 'selling surgical face': 749467, 'inflated price thailand': 437073, 'retailinsider': 719490, 'panic retailinsider': 638489, 'retailinsider retail': 719491, 'retail canada': 717918, '19 panic retailinsider': 9557, 'panic retailinsider retail': 638490, 'retailinsider retail canada': 719492, 'dad sent': 224377, 'market by': 516134, 'philippine so': 654743, 'that hoarding': 844358, 'toiletpaper unitedstates': 922789, 'unitedstates philippine': 942295, 'philippine hoarding': 654734, 'my dad sent': 547901, 'dad sent me': 224378, 'me this picture': 523720, 'this picture from': 889579, 'picture from the': 656125, 'the market by': 860096, 'market by his': 516135, 'by his house': 152816, 'the philippine so': 863674, 'philippine so guess': 654744, 'so guess it': 777215, 'guess it just': 367996, 'just that hoarding': 469982, 'that hoarding toilet': 844359, 'paper toiletpaper unitedstates': 640961, 'toiletpaper unitedstates philippine': 922790, 'unitedstates philippine hoarding': 942296, 'illness can': 416352, 'out around': 625730, 'world catering': 1009398, 'catering grocery': 167263, 'first time people': 309108, 'time people with': 897470, 'people with chronic': 650435, 'with chronic illness': 997642, 'chronic illness can': 178234, 'illness can speak': 416353, 'can speak out': 159691, 'speak out around': 787705, 'out around the': 625732, 'the world catering': 871830, 'world catering grocery': 1009399, 'catering grocery store': 167264, 'worker are honored': 1006396, 'superheroes and young': 818672, 'young child can': 1022575, 'of class': 581446, 'class act': 180135, 'act vodafone': 29816, 'vodafone going': 959922, 'to loose': 909450, 'loose lot': 503198, 'uncertainty of class': 939726, 'of class act': 581449, 'class act vodafone': 180136, 'act vodafone going': 29817, 'vodafone going to': 959923, 'going to loose': 355648, 'to loose lot': 909452, 'loose lot of': 503199, 'lot of customer': 504169, 'of customer think': 582286, 'northerner': 567786, 'southerner': 786870, 'chavs': 174042, 'northerner versus': 567787, 'versus southerner': 954955, 'southerner fight': 786871, 'fight fight': 304720, 'fight ffs': 304718, 'ffs grow': 304301, 'grow up': 367080, 'up see': 945954, 'many image': 514157, 'the chavs': 850724, 'chavs in': 174043, 'northern city': 567752, 'park do': 641896, 'southern supermarket': 786868, 'park guess': 641919, 'all dick': 42559, 'dick stayhomesavelives': 240473, 'northerner versus southerner': 567788, 'versus southerner fight': 954956, 'southerner fight fight': 786872, 'fight fight fight': 304722, 'fight fight ffs': 304721, 'fight ffs grow': 304719, 'ffs grow up': 304303, 'grow up see': 367081, 'up see many': 945955, 'see many image': 745390, 'many image of': 514158, 'of the chavs': 590857, 'the chavs in': 850725, 'chavs in northern': 174044, 'in northern city': 425952, 'northern city supermarket': 567753, 'city supermarket car': 179386, 'car park do': 163217, 'park do in': 641897, 'do in southern': 249430, 'in southern supermarket': 428151, 'southern supermarket car': 786869, 'car park guess': 163223, 'park guess what': 641920, 're all dick': 698211, 'all dick stayhomesavelives': 42560, 'are fear': 86503, 'of contraceptive': 581827, 'contraceptive stock': 201619, 'out supplier': 627282, 'facing tough': 295635, 'lockdown while there': 500137, 'while there are': 987428, 'there are fear': 878104, 'are fear of': 86505, 'fear of contraceptive': 301224, 'of contraceptive stock': 581828, 'contraceptive stock out': 201620, 'stock out supplier': 802608, 'out supplier now': 627283, 'now fear that': 574673, 'fear that customer': 301361, 'that customer may': 843421, 'customer may be': 222597, 'be facing tough': 114781, 'facing tough choice': 295636, 'compelling insight': 191521, 'survey regarding': 828928, 'most responsible': 542700, 'responsible 30': 715995, '30 85': 16948, '85 for': 22916, 'for handling': 322110, 'handling this': 376401, 'them full': 875764, 'full infographic': 340644, 'infographic here': 437639, 'compelling insight from': 191522, 'the consumer survey': 851603, 'consumer survey regarding': 199196, 'survey regarding the': 828929, 'regarding the american': 707282, 'the american say': 848638, 'american say the': 52182, 'government is most': 360262, 'is most responsible': 449744, 'most responsible 30': 542701, 'responsible 30 85': 715996, '30 85 for': 16949, '85 for handling': 22917, 'for handling this': 322112, 'handling this crisis': 376402, 'this crisis yet': 887114, 'crisis yet they': 218460, 'not trust them': 572288, 'trust them full': 934323, 'them full infographic': 875765, 'full infographic here': 340645, 'sweetsandsnacksexpo': 830290, 'sweet snack': 830254, 'snack expo': 776005, 'expo canceled': 292576, 'canceled amidst': 160914, 'amidst concern': 52780, 'concern sweetsandsnacksexpo': 193100, 'sweet snack expo': 830255, 'snack expo canceled': 776006, 'expo canceled amidst': 292577, 'canceled amidst concern': 160915, 'amidst concern sweetsandsnacksexpo': 52782, 'false info': 297433, 'info out': 437545, 'only reputable': 611070, 'lot of false': 504187, 'of false info': 583399, 'false info out': 297435, 'info out there': 437546, 'out there please': 627506, 'there please make': 878937, 'get the fact': 348241, 'fact from only': 295723, 'from only reputable': 336699, 'only reputable source': 611071, 'so stressful': 778284, 'stressful socialdistancing': 813510, 'blue in line': 133449, 'supermarket it so': 821180, 'it so stressful': 461130, 'so stressful socialdistancing': 778286, 'bandcamp': 109403, 'help thing': 390733, 'keep ticking': 472141, 'ticking over': 895690, 'over during': 630167, 'dropped quite': 260620, 'quite lot': 694894, 'of merch': 586437, 'merch price': 528959, 'on bandcamp': 599550, 'bandcamp follow': 109404, 'to help thing': 907650, 'help thing keep': 390734, 'thing keep ticking': 884511, 'keep ticking over': 472142, 'ticking over during': 895691, 'over during the': 630168, 'have dropped quite': 380383, 'dropped quite lot': 260621, 'quite lot of': 694895, 'lot of merch': 504228, 'of merch price': 586438, 'merch price on': 528960, 'price on bandcamp': 675651, 'on bandcamp follow': 599551, 'bandcamp follow the': 109405, 'anyanswers': 80061, 'panel how': 637184, 'anxiety leading': 78740, 'buying reassurance': 150956, 'reassurance rationing': 703179, 'rationing mainly': 697837, 'mainly reminded': 508889, 'reminded how': 710525, 'support coronacrisis': 826444, 'coronacrisis wereinthistogether': 204859, 'wereinthistogether panicbuying': 980385, 'panicbuying have': 638955, 'your say': 1025685, 'say anyanswers': 738428, 'anyanswers tomorrow': 80062, 'got to ask': 358950, 'ask the panel': 95637, 'the panel how': 863175, 'panel how they': 637185, 'they would reduce': 883951, 'would reduce the': 1012176, 'reduce the anxiety': 705956, 'the anxiety leading': 848792, 'anxiety leading to': 78741, 'leading to panic': 483770, 'panic buying reassurance': 637862, 'buying reassurance rationing': 150957, 'reassurance rationing mainly': 703180, 'rationing mainly reminded': 697838, 'mainly reminded how': 508890, 'reminded how much': 710526, 'much food bank': 544898, 'bank need our': 110026, 'our support coronacrisis': 625044, 'support coronacrisis wereinthistogether': 826445, 'coronacrisis wereinthistogether panicbuying': 204860, 'wereinthistogether panicbuying have': 980386, 'panicbuying have your': 638956, 'have your say': 383720, 'your say anyanswers': 1025686, 'say anyanswers tomorrow': 738429, 'luck if': 506456, 'if uk': 415205, 'work cut': 1005025, 'cut out': 223465, 'you glad': 1018836, 'glad there': 351520, 'actual shortage': 30696, 'food healthcare': 314802, 'healthcare item': 387154, 'imagine corona': 416709, 'good luck if': 357354, 'luck if uk': 506457, 'if uk citizen': 415206, 'uk citizen are': 938247, 'citizen are dumb': 178845, 'are dumb and': 86021, 'selfish the citizen': 748285, 'the citizen you': 850910, 'citizen you ve': 179010, 'got your work': 359044, 'your work cut': 1026371, 'work cut out': 1005026, 'cut out for': 223466, 'out for you': 626175, 'for you glad': 328060, 'you glad there': 1018837, 'glad there not': 351521, 'there not an': 878856, 'not an actual': 568190, 'an actual shortage': 55095, 'actual shortage of': 30697, 'of food healthcare': 583706, 'food healthcare item': 314804, 'healthcare item can': 387155, 'item can you': 463175, 'you imagine corona': 1019291, 'will step': 994968, 'it economycrisis': 457760, 'whether the consumer': 985580, 'consumer will step': 199552, 'will step out': 994969, 'step out of': 799613, 'out of home': 626754, 'of home or': 584722, 'home or stay': 401757, 'or stay in': 617209, 'stay in it': 797051, 'in it economycrisis': 424242, 'hey not': 394467, 'for construction': 320232, 'other hourly': 620367, 'still facing': 800514, 'facing daily': 295437, 'daily exposure': 224611, 'hey not everyone': 394468, 'everyone can work': 286771, 'from home what': 335928, 'home what the': 402479, 'what the plan': 982350, 'the plan for': 863790, 'plan for construction': 658115, 'for construction worker': 320233, 'construction worker grocery': 195835, 'and other hourly': 68341, 'other hourly worker': 620368, 'hourly worker still': 406149, 'worker still facing': 1007821, 'still facing daily': 800515, 'facing daily exposure': 295438, 'daily exposure to': 224612, 'heromasks': 394215, 'enough personal': 277560, 'hospital doctor': 404376, 'trucker let': 932932, 'let fix': 486722, 'fix that': 309750, 'detail go': 239191, 'to heromasks': 907720, 'heromasks sarscov2': 394216, 'have enough personal': 380459, 'enough personal protective': 277561, 'equipment ppe for': 279806, 'ppe for hospital': 667947, 'for hospital doctor': 322367, 'hospital doctor and': 404377, 'and nurse supermarket': 67896, 'nurse supermarket cashier': 577489, 'driver trucker let': 259817, 'trucker let fix': 932933, 'let fix that': 486723, 'fix that for': 309751, 'that for all': 843934, 'the detail go': 853205, 'detail go to': 239192, 'go to heromasks': 354318, 'to heromasks sarscov2': 907721, 'flaming': 309987, 'torch': 925880, 'spiilttle': 789253, 'announcement fully': 77155, 'fully grieve': 341053, 'grieve mourn': 363914, 'mourn and': 543462, 'and despair': 61256, 'despair over': 238488, 'several border': 753793, 'between loved': 128818, 'join your': 466907, 'your pity': 1025318, 'pity party': 657056, 'party nor': 643014, 'nor pick': 566968, 'up flaming': 944859, 'flaming torch': 309988, 'torch for': 925881, 'the spiilttle': 867575, 'spiilttle and': 789254, 'kick po': 473800, 'po so': 662135, 'just little consumer': 469170, 'little consumer service': 495297, 'consumer service announcement': 198940, 'service announcement fully': 752123, 'announcement fully grieve': 77156, 'fully grieve mourn': 341054, 'grieve mourn and': 363915, 'mourn and despair': 543463, 'and despair over': 61257, 'despair over the': 238489, 'impact of have': 417776, 'of have several': 584470, 'have several border': 382496, 'several border between': 753794, 'border between loved': 135222, 'between loved one': 128819, 'one and me': 605903, 'and me but': 66833, 'me but will': 522540, 'will not join': 994236, 'not join your': 570197, 'join your pity': 466908, 'your pity party': 1025319, 'pity party nor': 657057, 'party nor pick': 643015, 'nor pick up': 566969, 'pick up flaming': 655722, 'up flaming torch': 944860, 'flaming torch for': 309989, 'torch for the': 925882, 'for the spiilttle': 326699, 'the spiilttle and': 867576, 'spiilttle and kick': 789255, 'and kick po': 65828, 'kick po so': 473801, '700m': 21922, 'nih ha': 563210, 'ha spent': 372018, 'spent 700m': 789096, '700m on': 21923, 'research government': 713743, 'should govern': 766050, 'govern the': 359767, 'fair bring': 296323, 'bring stakeholder': 140078, 'stakeholder approach': 793322, 'capitalism the': 162782, 'do capitalism': 249177, 'capitalism differently': 162737, 'the nih ha': 861816, 'nih ha spent': 563211, 'ha spent 700m': 372019, 'spent 700m on': 789097, '700m on coronavirus': 21924, 'on coronavirus research': 600125, 'coronavirus research government': 206656, 'research government should': 713744, 'government should govern': 360603, 'should govern the': 766051, 'govern the process': 359768, 'the process to': 864552, 'process to ensure': 679973, 'ensure price are': 278008, 'price are fair': 672664, 'are fair bring': 86452, 'fair bring stakeholder': 296324, 'bring stakeholder approach': 140079, 'stakeholder approach to': 793323, 'approach to the': 82993, 'to the center': 916548, 'center of capitalism': 169271, 'of capitalism the': 581123, 'capitalism the crisis': 162783, 'crisis is chance': 217562, 'chance to do': 171796, 'to do capitalism': 904494, 'do capitalism differently': 249178, '19 survival': 10996, 'survival tip': 829093, 'tip have': 898814, 'you considered': 1018017, 'considered using': 195343, 'using pick': 950602, 'day sampling': 228299, 'sampling online': 733494, 'shopping maximize': 763252, 'maximize social': 520796, 'distance by': 246677, 'by minimizing': 153223, 'minimizing exposure': 533153, 'covid 19 survival': 213899, '19 survival tip': 10997, 'survival tip have': 829094, 'tip have you': 898815, 'have you considered': 383662, 'you considered using': 1018019, 'considered using pick': 195344, 'using pick up': 950603, 'up service at': 945965, 'today wa my': 920450, 'first day sampling': 308618, 'day sampling online': 228300, 'sampling online shopping': 733495, 'online shopping maximize': 609182, 'shopping maximize social': 763253, 'maximize social distance': 520797, 'social distance by': 779499, 'distance by minimizing': 246678, 'by minimizing exposure': 153224, 'by producing': 153657, 'producing good': 680770, 'bad ppe': 107986, 'start in china': 794340, 'china and now': 176488, 'they are killing': 881320, 'killing it by': 474689, 'it by producing': 456980, 'by producing good': 153658, 'producing good and': 680771, 'and bad ppe': 58637, 'bad ppe at': 107987, 'ppe at extortionate': 667914, 'healthwise': 387495, 'at healthwise': 98870, 'healthwise have': 387496, 'together comprehensive': 920745, 'center on': 169278, 'on topic': 604810, 'topic it': 925795, 'anyone and': 80179, 'great information': 362754, 'information healthwise': 437854, 'partner at healthwise': 642782, 'at healthwise have': 98871, 'healthwise have put': 387497, 'put together comprehensive': 690934, 'together comprehensive consumer': 920746, 'comprehensive consumer resource': 192631, 'consumer resource center': 198772, 'resource center on': 714737, 'center on topic': 169280, 'on topic it': 604811, 'topic it available': 925796, 'it available for': 456644, 'available for free': 104370, 'free to anyone': 332235, 'to anyone and': 900621, 'anyone and provides': 80181, 'provides some great': 686895, 'some great information': 782990, 'great information healthwise': 362756, 'dow plunge': 256335, 'plunge more': 661443, 'than 300': 840230, '300 point': 17341, 'open whitehouse': 612670, 'whitehouse plan': 987951, 'out hard': 626259, 'hit industry': 398289, 'industry cut': 435759, 'cut check': 223269, 'reassure investor': 703191, '50 state the': 19862, 'state the dow': 795989, 'the dow plunge': 853622, 'dow plunge more': 256336, 'plunge more than': 661444, 'more than 300': 540561, 'than 300 point': 840231, '300 point at': 17342, 'the open whitehouse': 862383, 'open whitehouse plan': 612671, 'whitehouse plan to': 987952, 'plan to bail': 658266, 'bail out hard': 108588, 'out hard hit': 626260, 'hard hit industry': 377938, 'hit industry cut': 398290, 'industry cut check': 435760, 'cut check to': 223270, 'to american do': 900413, 'american do little': 51916, 'do little to': 249568, 'little to reassure': 495626, 'to reassure investor': 912890, 'reminds that not': 710655, 'that not everyone': 845386, 'not everyone ha': 569300, 'ha the money': 372212, 'stock the fridge': 802932, 'the fridge with': 855820, 'fridge with food': 333441, 'with food amid': 998475, 'missouri senior': 534438, 'senior medicare': 750356, 'medicare patrol': 526589, 'patrol smp': 644386, 'smp ha': 775965, 'shared very': 755464, 'message the': 529435, 'community affected': 189702, 'pandemic grows': 635525, 'grows so': 367326, 'scam associated': 740060, 'have listed': 381335, 'listed recommendation': 494640, 'the missouri senior': 860694, 'missouri senior medicare': 534439, 'senior medicare patrol': 750357, 'medicare patrol smp': 526590, 'patrol smp ha': 644387, 'smp ha shared': 775966, 'ha shared very': 371887, 'shared very important': 755465, 'very important message': 955249, 'important message the': 418884, 'message the number': 529436, 'people and community': 646850, 'and community affected': 60168, 'community affected by': 189703, '19 pandemic grows': 9341, 'pandemic grows so': 635526, 'grows so do': 367327, 'so do the': 776887, 'do the scam': 250261, 'the scam associated': 866410, 'scam associated with': 740061, 'associated with it': 96936, 'with it they': 999085, 'they have listed': 882340, 'have listed recommendation': 381336, 'listed recommendation to': 494641, 'recommendation to follow': 704767, 'facebook live': 294951, 'live of': 495944, 'of join': 585549, 'join epstein': 466704, 'epstein on': 279586, 'about staying': 26253, 'pandemic join': 635840, 'facebook live of': 294956, 'live of join': 495945, 'of join epstein': 585550, 'join epstein on': 466705, 'epstein on drive': 279587, 'on drive to': 600418, 'drive to talk': 259230, 'talk about staying': 833758, 'about staying safe': 26254, 'healthy during the': 387584, 'the pandemic join': 863010, 'pandemic join the': 635841, 'virus open': 958570, 'government handle': 360174, 'rooted in the': 726027, 'impact and spread': 417554, 'the virus open': 870870, 'virus open economic': 958571, 'focused on government': 311954, 'on government handle': 601162, 'government handle pay': 360175, 'crouching': 219106, 'canceled at': 160919, 'still declining': 800413, 'declining at': 231458, 'moment stay': 536049, 'while crouching': 986725, 'crouching or': 219107, 'march are canceled': 515280, 'are canceled at': 85156, 'canceled at untapped': 160920, 'untapped new shopping': 943618, 'new shopping list': 559590, 'list are still': 494282, 'are still declining': 90411, 'still declining at': 800414, 'declining at the': 231459, 'the moment stay': 860779, 'moment stay tuned': 536050, 'play while crouching': 659251, 'while crouching or': 986726, 'crouching or order': 219108, 'order card from': 618123, 'card from our': 163529, 'from our site': 336797, 'safe stay well': 729977, 'know civil': 476327, 'servant who': 751851, 'who pulling': 989473, 'pulling long': 688938, 'office kitchen': 595476, 'kitchen table': 475757, 'table sofa': 831498, 'sofa bedroom': 781438, 'bedroom with': 120461, 'with dodgy': 998103, 'dodgy broadband': 251305, 'dwindling stock': 263696, 'coffee cheer': 185469, 'cheer them': 175118, 'you know civil': 1019492, 'know civil servant': 476328, 'civil servant who': 179548, 'servant who pulling': 751852, 'who pulling long': 989474, 'pulling long hour': 688939, 'hour on covid': 405816, '19 response from': 10148, 'response from their': 715698, 'from their home': 337940, 'their home office': 873570, 'home office kitchen': 401705, 'office kitchen table': 595477, 'kitchen table sofa': 475758, 'table sofa bedroom': 831499, 'sofa bedroom with': 781439, 'bedroom with dodgy': 120462, 'with dodgy broadband': 998104, 'dodgy broadband and': 251306, 'broadband and dwindling': 140714, 'and dwindling stock': 61819, 'dwindling stock of': 263697, 'stock of coffee': 802518, 'of coffee cheer': 581506, 'coffee cheer them': 185470, 'cheer them up': 175119, 'them up and': 876565, 'up and send': 944370, 'send them this': 749969, 'them this today': 876433, 'here helpful': 393085, 'link of': 493879, 'supplier volunteer': 824635, 'can home': 158689, 'home deliver': 400997, 'vulnerable unable': 961239, 'usual online': 950988, 'delivered homedelivery': 233340, 'here helpful link': 393086, 'helpful link of': 391205, 'link of local': 493880, 'food supplier volunteer': 316923, 'supplier volunteer who': 824636, 'volunteer who can': 960369, 'who can home': 988391, 'can home deliver': 158690, 'home deliver for': 400998, 'deliver for those': 233132, 'are vulnerable unable': 91514, 'vulnerable unable to': 961240, 'get their usual': 348346, 'their usual online': 875104, 'usual online supermarket': 950990, 'supermarket shopping delivered': 822632, 'shopping delivered homedelivery': 762449, 'am vunerable': 50541, 'adult with': 32862, 'letter and': 487285, 'me priority': 523355, 'slot how': 774208, 'long are': 501334, 'wait supermarket': 964196, 'supermarket vunerable': 823684, 'am vunerable adult': 50542, 'vunerable adult with': 961304, 'adult with government': 32863, 'with government letter': 998657, 'government letter and': 360312, 'letter and still': 487286, 'and still waiting': 72393, 'waiting for tesco': 964336, 'for tesco to': 326221, 'tesco to allow': 838835, 'to allow me': 900344, 'allow me priority': 45996, 'me priority to': 523356, 'priority to delivery': 678680, 'delivery slot how': 234526, 'slot how long': 774209, 'how long are': 408191, 'long are we': 501335, 'supposed to wait': 827378, 'to wait supermarket': 918274, 'wait supermarket vunerable': 964197, 'duckers': 261553, 'greedy duckers': 363508, 'duckers have': 261554, 'stockpiled it': 803850, 'all convid19uk': 42450, 'ha any food': 369570, 'food or if': 315658, 'or if the': 615720, 'if the greedy': 414980, 'the greedy duckers': 856766, 'greedy duckers have': 363509, 'duckers have stockpiled': 261555, 'have stockpiled it': 382772, 'stockpiled it all': 803851, 'it all convid19uk': 456341, 'all convid19uk coronacrisis': 42451, 'convid19uk coronacrisis stopstockpiling': 202617, 'dissipate': 246599, 'remittance': 710659, 'state engaged': 795566, 'serious belt': 751338, 'belt tightening': 126801, 'tightening amid': 895851, 'the horn': 857501, 'horn this': 404061, 'another vector': 77935, 'economic instability': 267154, 'instability investment': 439896, 'investment flow': 443993, 'flow dissipate': 311229, 'dissipate and': 246600, 'the remittance': 865500, 'remittance economy': 710660, 'is placed': 450882, 'gulf state engaged': 368648, 'state engaged in': 795567, 'engaged in serious': 276878, 'in serious belt': 427815, 'serious belt tightening': 751339, 'belt tightening amid': 126802, 'tightening amid covid': 895852, '19 and drop': 5014, 'for the horn': 326481, 'the horn this': 857502, 'horn this could': 404062, 'could be another': 208842, 'be another vector': 113633, 'another vector of': 77936, 'vector of economic': 953679, 'of economic instability': 582954, 'economic instability investment': 267155, 'instability investment flow': 439897, 'investment flow dissipate': 443994, 'flow dissipate and': 311230, 'dissipate and the': 246601, 'and the remittance': 73547, 'the remittance economy': 865501, 'remittance economy is': 710661, 'economy is placed': 268010, 'is placed under': 450884, 'placed under stress': 657924, 'businessowner': 144784, 'visit since': 959356, 'outbreak selfemployed': 628607, 'selfemployed small': 747950, 'small businessowner': 774906, 'businessowner in': 144788, 'non risk': 566486, 'category have': 167181, 'feed myself': 302341, 'myself or': 550920, 'daughter thanks': 226910, 've stockpiled': 953605, 'stockpiled you': 803870, 'first supermarket visit': 309048, 'supermarket visit since': 823661, 'visit since the': 959357, 'the outbreak selfemployed': 862689, 'outbreak selfemployed small': 628608, 'selfemployed small businessowner': 747951, 'small businessowner in': 774907, 'businessowner in the': 144789, 'in the non': 429402, 'the non risk': 861841, 'non risk category': 566487, 'risk category have': 723456, 'category have to': 167182, 'keep working now': 472223, 'working now cannot': 1008795, 'now cannot feed': 574347, 'cannot feed myself': 161822, 'feed myself or': 302342, 'myself or my': 550922, 'or my daughter': 616215, 'my daughter thanks': 547937, 'daughter thanks for': 226911, 'thanks for that': 842079, 'for that all': 326247, 'you who ve': 1022311, 'who ve stockpiled': 989884, 've stockpiled you': 953606, 'stockpiled you prick': 803871, 'parknshop': 642138, 'facto': 295860, 'parknshop one': 642139, 'kong ha': 477386, 'ha de': 370312, 'de facto': 229056, 'facto stopped': 295861, 'stopped taking': 805761, 'capacity in': 162529, 'of hk': 584681, 'hk amid': 398622, 'amid fast': 52467, 'fast re': 300017, 'many want': 514854, 'parknshop one of': 642140, 'chain in hong': 170807, 'hong kong ha': 403200, 'kong ha de': 477387, 'ha de facto': 370313, 'de facto stopped': 229057, 'facto stopped taking': 295862, 'stopped taking new': 805762, 'taking new online': 833457, 'new online order': 559212, 'due to delivery': 261758, 'to delivery capacity': 904126, 'delivery capacity in': 233782, 'capacity in most': 162532, 'most area of': 542114, 'area of hk': 92132, 'of hk amid': 584682, 'hk amid fast': 398623, 'amid fast re': 52468, 'fast re growing': 300018, 're growing concern': 698777, 'growing concern of': 367141, 'concern of many': 193025, 'of many want': 586187, 'many want to': 514855, 'food and daily': 313207, 'nourishing': 573678, 'douglas wall': 256283, 'wall and': 965148, 'partner agency': 642758, 'agency know': 38033, 'know even': 476365, 'still hungry': 800726, 'hungry by': 411231, 'by caring': 152077, 'for nourishing': 323948, 'nourishing neighbor': 573681, 'overcome fear': 631123, 'douglas wall and': 256284, 'wall and the': 965149, 'folk at our': 312109, 'at our partner': 100027, 'our partner agency': 624271, 'partner agency know': 642759, 'agency know even': 38034, 'know even during': 476366, 'during pandemic people': 262885, 'are still hungry': 90437, 'still hungry by': 800727, 'hungry by caring': 411232, 'by caring for': 152078, 'caring for nourishing': 164715, 'for nourishing neighbor': 323949, 'nourishing neighbor in': 573682, 'need we can': 556182, 'can overcome fear': 159187, 'overcome fear and': 631124, 'panic and community': 637303, 'community we can': 190208, 'can overcome this': 159189, 'overcome this pandemic': 631138, 'fresh data': 332945, 'data every': 226201, 'every wednesday': 286354, 'wednesday our': 975677, '19 network': 8762, 'network and': 557697, 'report wa': 712421, 'data through': 226451, 'fresh data every': 332946, 'data every wednesday': 226202, 'every wednesday our': 286357, 'wednesday our covid': 975678, 'covid 19 network': 213470, '19 network and': 8763, 'network and consumer': 557698, 'consumer trend report': 199383, 'trend report wa': 931433, 'report wa just': 712422, 'wa just updated': 962474, 'just updated with': 470171, 'updated with data': 947464, 'with data through': 997930, 'data through april': 226452, 'through april 4th': 894337, 'consumerattitudes': 199598, 'consumerattitudes behavior': 199599, 'shift rapidly': 758396, '19 foodindustry': 7053, 'consumerattitudes behavior shift': 199600, 'behavior shift rapidly': 124188, 'shift rapidly in': 758397, 'age of 19': 37855, 'of 19 foodindustry': 579392, 'asian canadian': 95259, 'canadian woman': 160779, 'mask kicked': 518898, 'toronto supermarket': 925999, 'asian canadian woman': 95260, 'canadian woman wearing': 160780, 'face mask kicked': 294557, 'mask kicked out': 518899, 'out of toronto': 626863, 'of toronto supermarket': 592326, 'an age': 55182, 'age when': 37918, 'can hinge': 158678, 'business ability': 143205, 'around trend': 93605, 'in an age': 420273, 'an age when': 55185, 'age when marketing': 37919, 'success can hinge': 816186, 'can hinge on': 158679, 'hinge on business': 396889, 'on business ability': 599734, 'business ability to': 143206, 'react to and': 700147, 'to and pivot': 900518, 'strategy around trend': 812618, 'around trend in': 93606, 'trend in real': 931368, 'what ha this': 981539, 'ha this world': 372267, 'this world come': 891506, 'world come to': 1009435, 'assumed': 97041, 'monday we': 536410, 'will most': 994125, 'likely be': 491952, 'isolation longer': 455335, 'originally assumed': 619594, 'assumed please': 97042, 'check monday': 174491, 'morning 10am': 541128, '10am for': 2291, 'website price': 975389, 'updated on monday': 947407, 'on monday we': 602189, 'monday we will': 536411, 'we will most': 973882, 'will most likely': 994126, 'most likely be': 542480, 'likely be in': 491955, 'be in self': 115429, 'self isolation longer': 747782, 'isolation longer than': 455336, 'than originally assumed': 840994, 'originally assumed please': 619595, 'assumed please check': 97043, 'please check monday': 659775, 'check monday morning': 174492, 'monday morning 10am': 536332, 'morning 10am for': 541129, '10am for the': 2293, 'the new website': 861581, 'new website price': 559870, 'website price and': 975390, 'is plunging': 450913, 'plunging but': 661519, 'pain is': 634235, 'coming usa': 188266, 'confidence is plunging': 193912, 'is plunging but': 450914, 'plunging but more': 661520, 'but more pain': 146409, 'more pain is': 539975, 'pain is coming': 634236, 'is coming usa': 446671, 'aguh': 39082, 'pah': 633934, 'mother uncle': 543191, 'uncle that': 939824, 'over alot': 629963, 'man aguh': 511977, 'aguh look': 39085, 'look pah': 502566, 'pah me': 633935, 'really say': 702541, 'who aguh': 988041, 'aguh left': 39083, 'left back': 485403, 'back after': 106825, 'told my mother': 923639, 'my mother uncle': 549344, 'mother uncle that': 543192, 'uncle that after': 939825, 'that after covid': 842516, 'is over alot': 450683, 'over alot of': 629964, 'alot of thing': 47135, 'of thing will': 591922, 'thing will change': 884988, 'will change and': 992905, 'change and price': 171921, 'increase this man': 433130, 'this man aguh': 888752, 'man aguh look': 511978, 'aguh look pah': 39086, 'look pah me': 502567, 'pah me and': 633936, 'me and really': 522420, 'and really say': 70019, 'really say who': 702542, 'say who aguh': 739486, 'who aguh left': 988042, 'aguh left back': 39084, 'left back after': 485404, 'back after covid': 106826, 'thing having': 884410, 'doctor would': 251169, 'price operating': 675760, 'operating hospital': 613073, 'hospital business': 404333, 'business instead': 143933, 'service might': 752597, 'might argue': 530870, 'argue for': 92691, 'for scarcity': 325378, 'operating them': 613109, 'them critical': 875573, 'critical protective': 218635, 'protective resource': 685803, 'resource like': 714830, 'army argues': 92990, 'argues otherwise': 92716, 'otherwise hospital': 621843, 'hospital m4a': 404500, 'm4a bernie': 507228, 'with most thing': 999574, 'most thing having': 542812, 'thing having more': 884411, 'having more doctor': 384175, 'more doctor would': 539064, 'doctor would bring': 251170, 'would bring down': 1011695, 'down price operating': 257117, 'price operating hospital': 675761, 'operating hospital business': 613074, 'hospital business instead': 404334, 'business instead of': 143934, 'instead of public': 440306, 'public service might': 688305, 'service might argue': 752598, 'might argue for': 530871, 'argue for scarcity': 92692, 'for scarcity but': 325379, 'scarcity but operating': 740826, 'but operating them': 146706, 'operating them critical': 613110, 'them critical protective': 875574, 'critical protective resource': 218636, 'protective resource like': 685804, 'resource like an': 714831, 'like an army': 489763, 'an army argues': 55404, 'army argues otherwise': 92991, 'argues otherwise hospital': 92717, 'otherwise hospital m4a': 621844, 'hospital m4a bernie': 404501, 'wuhanvirusmadeinchina': 1013600, 'wuhanvirusismadeinchina': 1013597, 'unsc': 943433, 'hi china': 394612, 'cannot suppress': 162153, 'suppress truth': 827400, 'world know': 1009739, 'know wuhanvirusmadeinchina': 477074, 'wuhanvirusmadeinchina wuhanvirusismadeinchina': 1013601, 'wuhanvirusismadeinchina is': 1013598, 'is chinavirus': 446521, 'wuhanvirus unsc': 1013587, 'unsc consumer': 943434, 'consumer copy': 196975, 'copy paste': 203471, 'paste share': 643866, 'hi china you': 394613, 'china you cannot': 177083, 'you cannot suppress': 1017883, 'cannot suppress truth': 162154, 'suppress truth and': 827401, 'truth and entire': 934383, 'and entire world': 62202, 'entire world know': 278779, 'world know wuhanvirusmadeinchina': 1009740, 'know wuhanvirusmadeinchina wuhanvirusismadeinchina': 477075, 'wuhanvirusmadeinchina wuhanvirusismadeinchina is': 1013602, 'wuhanvirusismadeinchina is chinavirus': 1013599, 'is chinavirus wuhanvirus': 446522, 'chinavirus wuhanvirus unsc': 177179, 'wuhanvirus unsc consumer': 1013588, 'unsc consumer copy': 943435, 'consumer copy paste': 196976, 'copy paste share': 203472, 'doorbuster': 255803, 'ever thought': 285552, 'thought toiletpaper': 893280, 'toiletpaper would': 922867, 'become doorbuster': 119970, 'doorbuster and': 255804, 'feel soo': 302858, 'soo successful': 785596, 'successful if': 816243, 'some blackfriday': 782414, 'blackfriday toiletpaperpanic': 132179, 'have ever thought': 380493, 'ever thought toiletpaper': 285554, 'thought toiletpaper would': 893281, 'toiletpaper would become': 922868, 'would become doorbuster': 1011677, 'become doorbuster and': 119971, 'doorbuster and you': 255805, 'and you feel': 76017, 'you feel soo': 1018545, 'feel soo successful': 302859, 'soo successful if': 785597, 'successful if you': 816244, 'you got some': 1018904, 'got some blackfriday': 358846, 'some blackfriday toiletpaperpanic': 782415, 'ultimate diy': 939105, 'diy tutorial': 248778, 'tutorial for': 936059, 'ultimate diy tutorial': 939106, 'diy tutorial for': 248779, 'tutorial for mask': 936060, 'be halting': 115125, 'halting the': 374506, 'bag while': 108451, '19 high': 7526, 'high supermarket': 395443, 'moment coupled': 535911, 'infection spread': 436849, 'spread from': 790535, 'infected surface': 436644, 'should not supermarket': 766266, 'not supermarket be': 571807, 'supermarket be halting': 819320, 'be halting the': 115126, 'halting the the': 374508, 'the the use': 869407, 'of reusable bag': 589077, 'reusable bag while': 720151, 'bag while we': 108453, 'trying to contain': 934783, 'covid 19 high': 213204, '19 high supermarket': 7527, 'high supermarket traffic': 395444, 'supermarket traffic at': 823536, 'traffic at the': 929056, 'the moment coupled': 860747, 'moment coupled with': 535912, 'coupled with potential': 211737, 'with potential infection': 1000271, 'potential infection spread': 667090, 'infection spread from': 436850, 'spread from infected': 790538, 'from infected surface': 336049, 'suffocate': 817408, 'so ordered': 777959, 'wa shipped': 963184, 'shipped from': 758799, 'overseas it': 631477, 'it arrived': 456592, 'usa day': 948620, 'ago but': 38355, 'being holed': 125259, 'up somewhere': 946045, 'somewhere the': 785313, 'gov probably': 359669, 'probably want': 679411, 'to confiscate': 903195, 'confiscate it': 194248, 'so suffocate': 778298, 'suffocate when': 817409, 'cough nearby': 208507, 'nearby me': 553666, 'so ordered mask': 777960, 'ordered mask from': 618868, 'mask from it': 518702, 'from it wa': 336131, 'it wa shipped': 462189, 'wa shipped from': 963185, 'shipped from overseas': 758800, 'from overseas it': 336819, 'overseas it arrived': 631478, 'it arrived in': 456593, 'the usa day': 870536, 'usa day ago': 948621, 'day ago but': 227196, 'ago but it': 38356, 'but it being': 146102, 'it being holed': 456826, 'being holed up': 125260, 'holed up somewhere': 400252, 'up somewhere the': 946046, 'somewhere the gov': 785314, 'the gov probably': 856488, 'gov probably want': 359670, 'probably want to': 679412, 'want to confiscate': 966016, 'to confiscate it': 903196, 'confiscate it so': 194249, 'it so suffocate': 461131, 'so suffocate when': 778299, 'suffocate when the': 817410, 'next person cough': 561505, 'person cough nearby': 652378, 'cough nearby me': 208508, 'nearby me at': 553667, 'distance thing': 246858, 'this social distance': 890226, 'social distance thing': 779528, 'distance thing is': 246859, 'all this blow': 45094, 'caregiver for': 164504, 'people am': 646824, 'parent however': 641650, 'however have': 409381, 'food storage': 316838, 'caregiver for elderly': 164505, 'for elderly parent': 320996, 'elderly parent do': 270807, 'parent do you': 641618, 'other people am': 620655, 'people am trying': 646826, 'am trying to': 50516, 'trying to isolate': 934821, 'isolate myself for': 454895, 'myself for fear': 550858, 'virus and passing': 957937, 'my parent however': 549691, 'parent however have': 641651, 'however have to': 409382, 'venture out and': 954678, 'out and try': 625705, 'buy them food': 149326, 'them food storage': 875700, 'zakat': 1027193, 'woolworth to': 1004430, 'give elderly': 350465, 'disabled dedicated': 243899, '19 zakat': 12291, 'woolworth to give': 1004431, 'to give elderly': 906681, 'give elderly disabled': 350466, 'elderly disabled dedicated': 270662, 'disabled dedicated shopping': 243901, 'hour amid covid': 405382, 'outbreak 19 zakat': 627939, 'invisibleenemy': 444259, 'decal': 230708, 'the invisibleenemy': 858429, 'invisibleenemy to': 444260, 'healthy floor': 387618, 'floor decal': 310788, 'decal distant': 230709, 'distant dot': 247677, 'dot gas': 255946, 'station restaurant': 796499, 'retail bank': 717868, 'grocery hospital': 364599, 'hospital gym': 404442, 'gym senior': 369348, 'senior living': 750349, 'fight 19 the': 304599, '19 the invisibleenemy': 11210, 'the invisibleenemy to': 858430, 'invisibleenemy to healthy': 444261, 'to healthy floor': 907393, 'healthy floor decal': 387619, 'floor decal distant': 310789, 'decal distant dot': 230710, 'distant dot gas': 247678, 'dot gas station': 255947, 'gas station restaurant': 344127, 'station restaurant retail': 796500, 'restaurant retail bank': 716669, 'retail bank grocery': 717869, 'bank grocery hospital': 109876, 'grocery hospital gym': 364600, 'hospital gym senior': 404443, 'gym senior living': 369349, 'boiling': 134057, 'buying dried': 150206, 'dried bean': 258746, 'this dried': 887298, 'dried not': 258754, 'not canned': 568686, 'canned kidney': 161548, 'bean must': 118341, 'be heated': 115185, 'heated to': 388501, 'to boiling': 901879, 'boiling for': 134058, 'minute or': 533819, 'will poison': 994425, 'poison you': 662797, 'must boil': 546566, 'boil them': 134049, 'them heating': 875835, 'heating just': 388530, 'below boiling': 126607, 'boiling make': 134060, 'worse pas': 1010986, 'the people buying': 863460, 'people buying dried': 647343, 'buying dried bean': 150207, 'dried bean at': 258747, 'know this dried': 476892, 'this dried not': 887299, 'dried not canned': 258755, 'not canned kidney': 568687, 'canned kidney bean': 161549, 'kidney bean must': 474232, 'bean must be': 118342, 'must be heated': 546510, 'be heated to': 115186, 'heated to boiling': 388502, 'to boiling for': 901880, 'boiling for 10': 134059, '10 minute or': 1541, 'minute or else': 533820, 'or else they': 615136, 'else they will': 271920, 'they will poison': 883872, 'will poison you': 994426, 'poison you you': 662798, 'you you must': 1022485, 'you must boil': 1019911, 'must boil them': 546567, 'boil them heating': 134050, 'them heating just': 875836, 'heating just below': 388531, 'just below boiling': 468332, 'below boiling make': 126608, 'boiling make it': 134061, 'it worse pas': 462550, 'worse pas it': 1010987, 'only crate': 610292, 'alcohol on': 41057, 'cant make this': 162324, 'this up only': 890934, 'up only crate': 945662, 'only crate of': 610293, 'crate of alcohol': 215139, 'of alcohol on': 579896, 'alcohol on the': 41058, 'ussenators': 950866, 'whine': 987715, 'hijack': 396181, 'ussenators whine': 950869, 'whine that': 987718, 'not how': 570020, 'how friend': 407886, 'friend treat': 333861, 'treat friend': 930838, 'about saudiarabia': 26131, 'saudiarabia price': 737352, 'while usa': 987501, 'usa threatening': 948766, 'to hijack': 907758, 'hijack shipment': 396182, 'ussenators whine that': 950870, 'whine that not': 987719, 'that not how': 845390, 'not how friend': 570022, 'how friend treat': 407887, 'friend treat friend': 333862, 'treat friend about': 930839, 'friend about saudiarabia': 333480, 'about saudiarabia price': 26132, 'saudiarabia price war': 737353, 'price war on': 677365, 'war on oil': 966506, 'oil price all': 597040, 'price all while': 672276, 'all while usa': 45451, 'while usa threatening': 987502, 'usa threatening to': 948767, 'threatening to hijack': 893833, 'to hijack shipment': 907759, 'hijack shipment of': 396183, 'shipment of n95': 758766, 'n95 mask to': 551208, 'mask to other': 519416, 'to other country': 911112, 'other country during': 620014, 'you waiting': 1022102, 'waiting dc': 964306, 'are you waiting': 91879, 'you waiting dc': 1022103, 'waiting dc council': 964307, 'bangkok post': 109491, 'post headline': 666149, 'headline on': 386007, 'friday public': 333277, 'public told': 688387, 'day probe': 228254, 'probe over': 679434, 'over boxing': 630032, 'boxing match': 137228, 'match set': 520297, 'begin spike': 123566, 'in egg': 422513, 'raise gouging': 695863, 'gouging fear': 359317, 'bangkok post headline': 109492, 'post headline on': 666150, 'headline on friday': 386008, 'on friday public': 601012, 'friday public told': 333278, 'public told to': 688388, 'stay home day': 796952, 'home day probe': 400991, 'day probe over': 228255, 'probe over boxing': 679435, 'over boxing match': 630033, 'boxing match set': 137229, 'match set to': 520298, 'set to begin': 753504, 'to begin spike': 901714, 'begin spike in': 123567, 'spike in egg': 789296, 'in egg price': 422514, 'egg price raise': 269963, 'price raise gouging': 676060, 'raise gouging fear': 695864, 'rift': 721704, 'hl': 398633, 'whethe': 985481, 'new used': 559814, 'used rift': 950000, 'rift are': 721705, 'for 700': 318906, 'amazon rn': 51095, 'rn although': 724307, 'normal market': 567215, 'usually 400': 951078, 'vr headset': 960736, 'headset since': 386050, 'since hl': 770649, 'hl alex': 398634, 'alex wa': 41589, 'worse with': 1011052, 'you whethe': 1022288, 'well new used': 978419, 'new used rift': 559815, 'used rift are': 950001, 'rift are going': 721706, 'are going for': 86884, 'going for 700': 355139, 'for 700 00': 318907, '700 00 on': 21871, '00 on amazon': 390, 'on amazon rn': 599287, 'amazon rn although': 51096, 'rn although the': 724308, 'although the normal': 49363, 'the normal market': 861863, 'normal market price': 567216, 'price is usually': 674899, 'is usually 400': 453639, 'usually 400 00': 951079, '400 00 price': 18711, 'price are really': 672720, 'are really crazy': 89474, 'really crazy right': 702085, 'now for vr': 574729, 'for vr headset': 327596, 'vr headset since': 960739, 'headset since hl': 386051, 'since hl alex': 770650, 'hl alex wa': 398635, 'alex wa announced': 41590, 'wa announced and': 961543, 'announced and it': 76919, 'and it only': 65565, 'only been worse': 610168, 'been worse with': 122407, 'worse with covid': 1011053, '19 up to': 11648, 'to you whethe': 918939, '1200shs': 3032, '4500shs': 19163, 'shs': 767731, 'kayiso': 471141, '3500shs': 17941, 'nbsamasengejje': 553273, 'item increase': 463372, 'virus salt': 958713, 'salt sold': 732825, 'at 1200shs': 97456, '1200shs pakistan': 3033, 'pakistan rice': 634498, 'rice go': 721056, 'for 4500shs': 318848, '4500shs sugar': 19164, 'sugar at': 817426, 'at 400': 97642, '400 shs': 18778, 'shs kayiso': 767735, 'kayiso rice': 471142, 'at 3500shs': 97624, '3500shs in': 17942, 'shop nbsupdates': 760475, 'nbsupdates nbsamasengejje': 553275, 'food item increase': 315214, 'item increase in': 463373, 'corona virus salt': 204348, 'virus salt sold': 958714, 'salt sold at': 732826, 'sold at 1200shs': 781625, 'at 1200shs pakistan': 97457, '1200shs pakistan rice': 3034, 'pakistan rice go': 634499, 'rice go for': 721057, 'go for 4500shs': 353552, 'for 4500shs sugar': 318849, '4500shs sugar at': 19165, 'sugar at 400': 817427, 'at 400 shs': 97645, '400 shs kayiso': 18779, 'shs kayiso rice': 767736, 'kayiso rice at': 471143, 'rice at 3500shs': 721009, 'at 3500shs in': 97625, '3500shs in retail': 17943, 'in retail shop': 427468, 'retail shop nbsupdates': 718551, 'shop nbsupdates nbsamasengejje': 760476, 'buy designer': 148525, 'designer handbag': 238380, 'usually buy designer': 951102, 'buy designer handbag': 148526, 'designer handbag or': 238381, 'handbag or fashion': 376044, 'work now looking': 1005507, 'what we end': 982549, 'clogged': 182437, 'pinch between': 656785, 'between surge': 128915, 'demand versus': 236433, 'versus decline': 954941, 'in volunteer': 430619, 'volunteer support': 960338, 'and donation': 61664, 'face challenge': 294354, 'by clogged': 152133, 'clogged supply': 182440, 'most food bank': 542334, 'bank are feeling': 109647, 'the pinch between': 863740, 'pinch between surge': 656786, 'between surge in': 128916, 'in demand versus': 422166, 'demand versus decline': 236434, 'versus decline in': 954942, 'decline in volunteer': 231371, 'in volunteer support': 430620, 'volunteer support and': 960339, 'support and donation': 826357, 'and donation of': 61667, 'donation of food': 254646, 'and money they': 67115, 'money they also': 537076, 'they also face': 881148, 'also face challenge': 48187, 'face challenge posed': 294355, 'posed by clogged': 665121, 'by clogged supply': 152134, 'clogged supply chain': 182441, 'chain company scramble': 170603, 'insur': 440651, 'retroactive': 719790, 'auto insur': 103882, 'insur payment': 440652, 'please extend': 659985, 'consumer 25': 195985, '25 statewide': 15964, 'statewide retroactive': 796279, 'retroactive cut': 719791, 'cut on': 223455, '2020 insur': 14400, 'insur premium': 440654, 'premium due': 669948, 'just request': 469628, 'request in': 713173, 'for the auto': 326310, 'the auto insur': 849081, 'auto insur payment': 103883, 'insur payment grace': 440653, 'grace period but': 361609, 'period but it': 651731, 'it not enough': 459872, 'not enough please': 569188, 'enough please extend': 277566, 'please extend to': 659986, 'extend to the': 293134, 'california consumer 25': 155481, 'consumer 25 statewide': 195986, '25 statewide retroactive': 15965, 'statewide retroactive cut': 796280, 'retroactive cut on': 719792, 'cut on 2020': 223456, 'on 2020 insur': 599056, '2020 insur premium': 14401, 'insur premium due': 440655, 'premium due to': 669949, 'is just request': 449145, 'just request in': 469629, 'request in this': 713174, 'muppet': 546126, 'espousing': 280689, 'nothin': 572912, 'took mum': 925293, 'mum supermarket': 545951, 'shopping earlier': 762547, 'this absolute': 886173, 'absolute muppet': 27263, 'muppet in': 546127, 'queue next': 694000, 'wa espousing': 962077, 'espousing on': 280690, 'coming there': 188207, 'there nothin': 878865, 'nothin you': 572915, 'then followed': 877175, 'followed up': 312623, 'of beneficiary': 580671, 'beneficiary buying': 126894, 'buying new': 150749, 'new television': 559728, 'television with': 836874, 'extra 25': 293436, '25 week': 15994, 'took mum supermarket': 925294, 'mum supermarket shopping': 545952, 'supermarket shopping earlier': 822633, 'shopping earlier and': 762548, 'earlier and this': 264424, 'and this absolute': 73983, 'this absolute muppet': 886174, 'absolute muppet in': 27264, 'muppet in the': 546128, 'the queue next': 865046, 'queue next to': 694001, 'next to wa': 561633, 'to wa espousing': 918251, 'wa espousing on': 962078, 'espousing on covid': 280691, '19 if it': 7659, 'if it coming': 414293, 'it coming there': 457223, 'coming there nothin': 188208, 'there nothin you': 878866, 'nothin you can': 572916, 'can do about': 158090, 'about it then': 25598, 'it then followed': 461604, 'then followed up': 877176, 'followed up with': 312624, 'up with there': 946694, 'with there are': 1001625, 'lot of beneficiary': 504145, 'of beneficiary buying': 580672, 'beneficiary buying new': 126895, 'buying new television': 150750, 'new television with': 559729, 'television with that': 836875, 'with that extra': 1001171, 'that extra 25': 843809, 'extra 25 week': 293437, 'idtwitter': 413720, 'though this': 892927, 'week ha': 976296, 'been crazy': 120897, 'crazy incredibly': 215336, 'incredibly lucky': 433912, 'have best': 379771, 'who cook': 988491, 'cook clean': 202731, 'and manages': 66630, 'everyone close': 286787, 'supporting frontline': 827138, 'time idtwitter': 896959, 'even though this': 284721, 'though this week': 892928, 'this week ha': 891219, 'week ha been': 976297, 'ha been crazy': 369763, 'been crazy incredibly': 120898, 'crazy incredibly lucky': 215337, 'incredibly lucky to': 433913, 'to have best': 907209, 'have best friend': 379772, 'friend who cook': 333895, 'who cook clean': 988492, 'cook clean and': 202732, 'clean and manages': 180462, 'and manages the': 66631, 'manages the grocery': 512841, 'store so do': 810220, 'to everyone close': 905331, 'everyone close to': 286788, 'to you who': 918940, 'you who is': 1022306, 'who is supporting': 989120, 'is supporting frontline': 452475, 'supporting frontline healthcare': 827139, 'healthcare worker at': 387345, 'worker at this': 1006480, 'this time idtwitter': 890649, 'fareshare': 299043, '0131': 752, '554': 20429, '3900': 18186, 'inevitable increased': 436388, 'our fareshare': 623014, 'fareshare service': 299044, 'urgently require': 948402, 'require donation': 713308, 'scottish food': 742476, 'drink industry': 258841, 'our depot': 622742, 'depot on': 237543, 'on 0131': 598961, '0131 554': 753, '554 3900': 20430, '3900 please': 18189, 'help continue': 389535, 'with the inevitable': 1001348, 'the inevitable increased': 858209, 'inevitable increased demand': 436389, 'increased demand on': 433283, 'demand on our': 235971, 'on our fareshare': 602597, 'our fareshare service': 623015, 'fareshare service due': 299045, 'crisis we urgently': 218355, 'we urgently require': 973607, 'urgently require donation': 948403, 'require donation of': 713309, 'from the scottish': 337870, 'the scottish food': 866522, 'scottish food and': 742477, 'and drink industry': 61729, 'drink industry if': 258842, 'help please call': 390321, 'please call our': 659754, 'call our depot': 156059, 'our depot on': 622743, 'depot on 0131': 237544, 'on 0131 554': 598962, '0131 554 3900': 754, '554 3900 please': 20432, '3900 please help': 18190, 'please help continue': 660064, 'help continue to': 389536, 'to support vulnerable': 915984, 'support vulnerable people': 826977, 'frenzy is': 332784, 'taking hold': 833391, 'consumer rush': 198844, 'buy host': 148796, 'their lifestyle': 873852, 'lifestyle at': 489352, 'home economist': 401122, 'dr econ': 258005, 'econ from': 266928, 'from explains': 335365, 'the substitution': 868364, 'substitution effect': 816106, 'new shopping frenzy': 559589, 'shopping frenzy is': 762745, 'frenzy is taking': 332785, 'is taking hold': 452547, 'taking hold consumer': 833393, 'hold consumer rush': 399909, 'consumer rush to': 198845, 'to buy host': 902243, 'buy host of': 148797, 'host of product': 404884, 'of product to': 588499, 'product to maintain': 681752, 'maintain their lifestyle': 509070, 'their lifestyle at': 873853, 'lifestyle at home': 489353, 'at home economist': 98982, 'home economist dr': 401123, 'economist dr econ': 267540, 'dr econ from': 258006, 'econ from explains': 266929, 'from explains the': 335366, 'explains the substitution': 292240, 'the substitution effect': 868365, 'hostel': 404930, 'with co': 997680, 'op all': 611790, 'this wasted': 891119, 'be thrown': 117712, 'bin if': 131004, 'not sold': 571638, 'sold this': 781777, 'evening this': 284912, 'benefit so': 127083, 'income in': 432378, 'in hostel': 423828, 'hostel shelter': 404933, 'and prison': 69515, 'prison hospital': 678727, 'hospital could': 404359, 'wrong with co': 1013151, 'with co op': 997681, 'co op all': 184909, 'op all this': 611791, 'all this wasted': 45144, 'this wasted food': 891120, 'wasted food that': 968238, 'food that will': 317107, 'will be thrown': 992727, 'be thrown in': 117713, 'thrown in the': 895139, 'the bin if': 849711, 'bin if not': 131005, 'if not sold': 414509, 'not sold this': 571639, 'sold this evening': 781778, 'this evening this': 887447, 'evening this could': 284913, 'this could benefit': 886920, 'could benefit so': 208961, 'benefit so many': 127084, 'many people on': 514524, 'people on low': 648967, 'low income in': 505350, 'income in hostel': 432379, 'in hostel shelter': 423829, 'hostel shelter and': 404934, 'shelter and prison': 757900, 'and prison hospital': 69516, 'prison hospital could': 678728, 'hospital could benefit': 404361, 'could benefit and': 208959, 'benefit and key': 126918, '12 ventilator': 2974, 'ventilator afghanistan': 954518, 'afghanistan expects': 34928, 'expects million': 291085, 'with fake hand': 998362, 'sanitizer and 12': 734376, 'and 12 ventilator': 57364, '12 ventilator afghanistan': 2975, 'ventilator afghanistan expects': 954519, 'afghanistan expects million': 34929, 'expects million of': 291086, 'million of case': 532261, 'how 15': 407256, 'old albanian': 598125, 'albanian girl': 40742, 'girl with': 350298, 'with strict': 1001014, 'strict parent': 813646, 'parent feel': 641629, 'she on': 756247, 'on summer': 603743, 'summer break': 817959, 'this going': 887720, 'nowhere except': 576557, 'supermarket shit': 822578, 'getting old': 349152, 'old miss': 598363, 'out quarantinelife': 627084, 'quarantinelife stayhomesavelives': 693025, 'now know how': 575169, 'know how 15': 476429, 'how 15 yr': 407257, '15 yr old': 3884, 'yr old albanian': 1027031, 'old albanian girl': 598126, 'albanian girl with': 40743, 'girl with strict': 350299, 'with strict parent': 1001016, 'strict parent feel': 813647, 'parent feel like': 641630, 'like when she': 491804, 'when she on': 984001, 'she on summer': 756248, 'on summer break': 603744, 'summer break this': 817960, 'break this going': 138813, 'this going nowhere': 887721, 'going nowhere except': 355285, 'nowhere except the': 576558, 'except the supermarket': 289235, 'the supermarket shit': 868794, 'supermarket shit is': 822579, 'is getting old': 448034, 'getting old miss': 349153, 'old miss going': 598364, 'miss going out': 534143, 'going out quarantinelife': 355389, 'out quarantinelife stayhomesavelives': 627085, 'you mr': 1019900, 'ur commitment': 947988, 'community ha': 189877, 'item despite': 463203, 'despite ur': 238919, 'ur recent': 948054, 'recent caution': 703828, 'caution since': 168173, 'put ban': 690529, 'on transport': 604843, 'poor ugandan': 664314, 'ugandan can': 938006, 'thank you mr': 841782, 'you mr president': 1019901, 'mr president for': 544389, 'president for ur': 670814, 'for ur commitment': 327482, 'ur commitment towards': 947989, 'commitment towards covid': 189013, '19 however the': 7618, 'however the business': 409469, 'business community ha': 143553, 'community ha increased': 189878, 'all essential item': 42699, 'essential item despite': 281196, 'item despite ur': 463204, 'despite ur recent': 238920, 'ur recent caution': 948055, 'recent caution since': 703829, 'caution since have': 168174, 'since have put': 770640, 'have put ban': 382111, 'put ban on': 690530, 'ban on transport': 109237, 'on transport and': 604844, 'transport and others': 929869, 'and others the': 68463, 'others the poor': 621706, 'the poor ugandan': 863995, 'poor ugandan can': 664315, 'exd': 289806, 'postage': 666425, 'lalamove': 479128, '10bottles': 2314, 'kkm': 475868, 'malaysiabebascovid19': 511647, 'sanitizerkl': 736173, 'kualalumpur': 477863, 'gel type': 345163, 'type 500ml': 937508, '500ml rm': 20116, 'rm 55': 724252, '55 exd': 20375, 'exd postage': 289807, 'postage klang': 666428, 'valley delivery': 951959, 'delivery via': 234716, 'via lalamove': 956051, 'lalamove buy': 479129, 'buy 10bottles': 148245, '10bottles special': 2315, 'lockdown kkm': 499581, 'kkm kitajagakita': 475869, 'kitajagakita stayathome': 475683, 'stayathome malaysiabebascovid19': 797533, 'malaysiabebascovid19 malaysia': 511648, 'malaysia malaysia2020': 511620, 'malaysia2020 sanitizer': 511645, 'sanitizer sanitizerkl': 735692, 'sanitizerkl kualalumpur': 736174, 'kualalumpur malaysian': 477864, 'sanitizer gel type': 734969, 'gel type 500ml': 345164, 'type 500ml rm': 937509, '500ml rm 55': 20117, 'rm 55 exd': 724253, '55 exd postage': 20376, 'exd postage klang': 289808, 'postage klang valley': 666429, 'klang valley delivery': 475876, 'valley delivery via': 951960, 'delivery via lalamove': 234717, 'via lalamove buy': 956052, 'lalamove buy 10bottles': 479130, 'buy 10bottles special': 148246, '10bottles special price': 2316, 'special price lockdown': 788031, 'price lockdown kkm': 675081, 'lockdown kkm kitajagakita': 499582, 'kkm kitajagakita stayathome': 475870, 'kitajagakita stayathome malaysiabebascovid19': 475684, 'stayathome malaysiabebascovid19 malaysia': 797534, 'malaysiabebascovid19 malaysia malaysia2020': 511649, 'malaysia malaysia2020 sanitizer': 511621, 'malaysia2020 sanitizer sanitizerkl': 511646, 'sanitizer sanitizerkl kualalumpur': 735693, 'sanitizerkl kualalumpur malaysian': 736175, 'modelling how': 535339, 'how spread': 408736, 'in indoor': 424078, 'environment grocery': 279108, 'reason not': 702962, 'stayathome or': 797563, 'use mask': 949363, 'modelling how spread': 535340, 'how spread in': 408737, 'spread in indoor': 790575, 'in indoor environment': 424079, 'indoor environment grocery': 435353, 'environment grocery store': 279109, 'store no reason': 809087, 'no reason not': 565293, 'reason not to': 702964, 'not to stayathome': 572191, 'to stayathome or': 915336, 'stayathome or use': 797564, 'or use mask': 617620, 'use mask when': 949366, 'mask when shopping': 519540, 'helping smallbusiness': 391469, 'smallbusiness during': 775219, 'via entrepreneur': 955961, 'entrepreneur restaurant': 278950, 'guide to helping': 368365, 'to helping smallbusiness': 907681, 'helping smallbusiness during': 391470, 'smallbusiness during via': 775220, 'during via entrepreneur': 263380, 'via entrepreneur restaurant': 955962, 'reynders': 720851, 'dirittideiviaggiatori': 243706, 'just newsroom': 469311, 'newsroom covid': 561124, '19 commissioner': 5900, 'commissioner reynders': 188959, 'reynders repeat': 720856, 'repeat his': 711520, 'his call': 397266, 'holiday di': 400282, 'di commission': 240136, 'commission dirittideiviaggiatori': 188808, 'just newsroom covid': 469312, 'newsroom covid 19': 561125, 'covid 19 commissioner': 212829, '19 commissioner reynders': 5901, 'commissioner reynders repeat': 188961, 'reynders repeat his': 720857, 'repeat his call': 711521, 'his call for': 397267, 'respect of consumer': 715033, 'travel holiday di': 930380, 'holiday di commission': 400283, 'di commission dirittideiviaggiatori': 240137, 'stairclimbers': 793296, 'manualhandling': 513357, 'can supermarket': 159848, 'do logistics': 249573, 'logistics operation': 500775, 'operation stairclimbers': 613259, 'stairclimbers manualhandling': 793297, 'grocery shopping what': 365107, 'shopping what can': 764371, 'what can supermarket': 981181, 'can supermarket do': 159849, 'supermarket do logistics': 819979, 'do logistics operation': 249574, 'logistics operation stairclimbers': 500776, 'operation stairclimbers manualhandling': 613260, 'ma company': 507258, 'in photo': 426694, 'photo gallery': 655173, 'gallery here': 342947, 'ma company is': 507259, 'company is producing': 190807, 'is producing disinfectant': 451063, 'producing disinfectant and': 680760, 'read the story': 700590, 'the story in': 868176, 'story in photo': 812014, 'in photo gallery': 426695, 'photo gallery here': 655174, 'bos proposes': 135691, 'proposes liquid': 684554, 'liquid diet': 494084, 'prevent supermarket': 671723, 'supermarket spread': 822797, 'bos proposes liquid': 135692, 'proposes liquid diet': 684555, 'liquid diet to': 494085, 'diet to prevent': 241759, 'to prevent supermarket': 912091, 'prevent supermarket spread': 671724, 'filmmaker': 305740, 'slash their': 773601, 'their submission': 874883, 'submission price': 815778, 'most independent': 542443, 'independent filmmaker': 434105, 'filmmaker being': 305741, 'being freelancer': 125171, 'and affected': 57741, 'should slash their': 766479, 'slash their submission': 773602, 'their submission price': 874884, 'submission price in': 815779, 'light of most': 489558, 'of most independent': 586675, 'most independent filmmaker': 542444, 'independent filmmaker being': 434106, 'filmmaker being freelancer': 305742, 'being freelancer and': 125172, 'freelancer and affected': 332442, 'and affected by': 57742, 'affected by 19': 34301, 'household continue': 406771, 'paper emptying': 640127, 'country new': 210922, 'is attempting': 445883, 'household continue to': 406772, 'toilet paper emptying': 921266, 'paper emptying shelf': 640128, 'emptying shelf across': 275277, 'the country new': 852123, 'country new website': 210923, 'new website is': 559868, 'website is attempting': 975318, 'is attempting to': 445884, 'attempting to answer': 102281, 'answer the question': 78115, 'the question how': 865017, 'question how much': 693618, 'how much tp': 408380, 'much tp do': 545409, 'tp do we': 927799, 'asked about': 95709, 'about theft': 26570, 'theft in': 872352, 'by subject': 154146, 'subject offering': 815740, 'tested while': 839391, 'neighborhood at': 557104, 'received any': 703595, 'any report': 79743, 'incident locally': 431419, 'we were asked': 973783, 'were asked about': 979345, 'asked about post': 95712, 'about post about': 25969, 'post about theft': 665981, 'about theft in': 26572, 'theft in grocery': 872353, 'lot and by': 503981, 'and by subject': 59381, 'by subject offering': 154147, 'subject offering to': 815741, 'offering to get': 595304, 'get tested while': 348196, 'tested while going': 839392, 'while going door': 986879, 'to door in': 904668, 'door in neighborhood': 255622, 'in neighborhood at': 425794, 'neighborhood at this': 557105, 'have not received': 381694, 'not received any': 571253, 'received any report': 703598, 'any report of': 79744, 'report of these': 712130, 'of these incident': 591833, 'these incident locally': 880160, 'hawley': 384487, 'wallenpaupack': 965205, 'in hawley': 423579, 'hawley near': 384488, 'near lake': 553528, 'lake wallenpaupack': 479070, 'wallenpaupack checking': 965206, 'shopper before': 761423, 'before letting': 122908, 'entry if': 278998, 'if temp': 414920, 'temp of': 837330, '99 degree': 23803, 'degree or': 232573, 'higher but': 395546, 'but store': 147195, 'grocery in hawley': 364614, 'in hawley near': 423580, 'hawley near lake': 384489, 'near lake wallenpaupack': 553529, 'lake wallenpaupack checking': 479071, 'wallenpaupack checking temperature': 965207, 'checking temperature of': 174849, 'temperature of shopper': 837387, 'of shopper before': 589638, 'shopper before letting': 761424, 'before letting them': 122909, 'them in to': 875922, 'of 19 no': 579405, '19 no entry': 8796, 'no entry if': 564128, 'entry if temp': 278999, 'if temp of': 414921, 'temp of 99': 837331, 'of 99 degree': 579694, '99 degree or': 23804, 'degree or higher': 232574, 'or higher but': 615636, 'higher but store': 395547, 'but store will': 147196, 'store will deliver': 811329, 'will deliver report': 993148, 'victory garden': 956569, 'garden are': 343581, 'back this': 107338, 'summer now': 817990, 'economy dumped': 267821, 'dumped and': 262199, 'demand fruit': 235556, 'veg plant': 953775, 'roof everyone': 725831, 'everyone plan': 287273, 'grow their': 367074, 'victory garden are': 956570, 'garden are back': 343582, 'are back this': 84741, 'back this summer': 107339, 'this summer now': 890418, 'summer now that': 817991, 'the economy dumped': 853963, 'economy dumped and': 267822, 'dumped and supermarket': 262201, 'and supermarket online': 72728, 'supermarket online retailer': 821762, 'retailer cannot keep': 719065, 'with demand fruit': 997979, 'demand fruit veg': 235557, 'fruit veg plant': 339169, 'veg plant seed': 953776, 'plant seed sale': 658701, 'the roof everyone': 865972, 'roof everyone plan': 725832, 'everyone plan to': 287275, 'plan to grow': 658294, 'to grow their': 907042, 'grow their own': 367075, 'be stealing': 117361, 'stealing the': 799258, 'the restroom': 865681, 'restroom pretty': 717438, 'soon store': 785832, 'free bottle': 331680, 'dumb as': 262093, 'as to': 94817, 'go problem': 354056, 'people be stealing': 647231, 'be stealing the': 117362, 'stealing the sanitizers': 799259, 'the sanitizers from': 866360, 'sanitizers from the': 736285, 'from the restroom': 337857, 'the restroom pretty': 865683, 'restroom pretty soon': 717439, 'pretty soon store': 671500, 'soon store will': 785833, 'offering free bottle': 595113, 'free bottle of': 331681, 'sanitizer with purchase': 736138, 'with purchase of': 1000362, 'purchase of tv': 689589, 'of tv and': 592520, 'tv and ll': 936084, 'be the dumb': 117609, 'the dumb as': 853773, 'dumb as to': 262094, 'as to go': 94818, 'to go problem': 906844, 'raggedman': 695552, 'n40k': 551121, 'bribe': 139569, 'tweeted by': 936437, 'by popular': 153617, 'popular nigerian': 664573, 'nigerian rapper': 562872, 'rapper raggedman': 697052, 'raggedman the': 695553, 'the officer': 862086, 'officer arrested': 595635, 'arrested several': 93878, 'several resident': 753929, '19 policeman': 9741, 'policeman caught': 663281, 'camera counting': 157116, 'counting n40k': 210360, 'n40k bribe': 551122, 'bribe from': 139570, 'from resident': 337083, 'resident arrested': 714256, 'arrested during': 93830, 'during lagos': 262740, 'lagos lockdown': 478935, 'lockdown video': 500109, 'tweeted by popular': 936438, 'by popular nigerian': 153619, 'popular nigerian rapper': 664574, 'nigerian rapper raggedman': 562873, 'rapper raggedman the': 697053, 'raggedman the officer': 695554, 'the officer arrested': 862087, 'officer arrested several': 595636, 'arrested several resident': 93879, 'several resident of': 753930, 'of the area': 590798, 'the area who': 848886, 'area who had': 92273, 'who had gone': 988879, 'had gone to': 373146, 'gone to stock': 356395, 'on food covid': 600853, 'covid 19 policeman': 213593, '19 policeman caught': 9742, 'policeman caught on': 663282, 'on camera counting': 599782, 'camera counting n40k': 157117, 'counting n40k bribe': 210361, 'n40k bribe from': 551123, 'bribe from resident': 139571, 'from resident arrested': 337084, 'resident arrested during': 714257, 'arrested during lagos': 93831, 'during lagos lockdown': 262741, 'lagos lockdown video': 478936, 'shamefully': 754716, 'acting shamefully': 29904, 'shamefully during': 754717, 'shop jacking': 760377, 'jacking their': 464179, 'sector sacking': 744318, 'sacking their': 729063, 'business forcing': 143760, 'etc when': 282872, 'all these business': 45023, 'these business that': 879708, 'that are acting': 842711, 'are acting shamefully': 84195, 'acting shamefully during': 29905, 'shamefully during the': 754718, 'coronacrisis the shop': 204814, 'the shop jacking': 867007, 'shop jacking their': 760378, 'jacking their price': 464180, 'price up the': 677261, 'up the hospitality': 946182, 'the hospitality sector': 857547, 'hospitality sector sacking': 404799, 'sector sacking their': 744319, 'sacking their staff': 729064, 'staff the business': 792939, 'the business forcing': 850166, 'business forcing people': 143761, 'to work when': 918803, 'need to etc': 555921, 'to etc when': 905266, 'etc when this': 282873, 'supermarket proof': 822078, 'like olive': 490915, 'olive 19': 598732, 'in food stripped': 422989, 'food stripped supermarket': 316876, 'stripped supermarket proof': 813883, 'supermarket proof that': 822079, 'proof that nobody': 684014, 'nobody like olive': 566033, 'like olive 19': 490916, 'around grocery': 93308, 'store keeping': 808647, 'keeping at': 472383, 'at 5m': 97700, '5m distance': 20761, 'time challenge': 896462, 'challenge accepted': 171384, 'accepted socialdistancing': 28059, 'walking around grocery': 965023, 'around grocery store': 93309, 'grocery store keeping': 365502, 'store keeping at': 808648, 'keeping at 5m': 472384, 'at 5m distance': 97701, '5m distance at': 20762, 'all time challenge': 45218, 'time challenge accepted': 896463, 'challenge accepted socialdistancing': 171385, 'anyone witness': 80649, 'witness any': 1003106, 'shop hiking': 760278, 'roll please': 725479, 'if anyone witness': 413857, 'anyone witness any': 80650, 'witness any shop': 1003107, 'any shop hiking': 79795, 'shop hiking their': 760280, 'up for thing': 944967, 'toilet roll please': 921598, 'roll please report': 725480, 'them here please': 875850, 'here please share': 393462, 'gs1connect19': 367531, 'startuplab19': 795141, 'locai': 497655, 'gs1connect19 startuplab19': 367532, 'startuplab19 third': 795142, 'third place': 886094, 'place winner': 657839, 'winner locai': 996031, 'locai solution': 497656, 'solution and': 781992, 'and org': 68263, 'org sit': 619194, 'sit down': 771819, 're observing': 699150, 'observing among': 578648, 'their membership': 873942, 'industry podcast': 436047, 'gs1connect19 startuplab19 third': 367533, 'startuplab19 third place': 795143, 'third place winner': 886095, 'place winner locai': 657840, 'winner locai solution': 996032, 'locai solution and': 497657, 'solution and org': 781993, 'and org sit': 68264, 'org sit down': 619195, 'sit down with': 771821, 'down with to': 257505, 'discus the grocery': 244921, 'grocery industry response': 364629, 'they re observing': 883083, 're observing among': 699151, 'observing among their': 578649, 'among their membership': 53082, 'their membership and': 873943, 'membership and customer': 528268, 'the industry podcast': 858184, 'quarantinecooking': 692811, 'bought frozen': 136576, 'we tried': 973571, 'tried frozen': 931781, 'frozen fried': 338986, 'in kid': 424498, 'kid said': 474094, 'wa bomb': 961727, 'bomb teen': 134190, 'teen speaks': 836510, 'speaks for': 787791, 'for recipe': 325020, 'recipe quarantinecooking': 704495, 'so you bought': 778833, 'you bought frozen': 1017503, 'bought frozen vegetable': 136577, 'vegetable to limit': 954110, 'to limit trip': 909306, 'store what should': 811230, 'with it we': 999088, 'it we tried': 462283, 'we tried frozen': 973572, 'tried frozen fried': 931782, 'frozen fried rice': 338987, 'fried rice in': 333456, 'rice in kid': 721066, 'in kid said': 424499, 'kid said it': 474095, 'it wa bomb': 462081, 'wa bomb teen': 961728, 'bomb teen speaks': 134191, 'teen speaks for': 836511, 'speaks for recipe': 787792, 'for recipe quarantinecooking': 325021, 'briton furious': 140647, 'furious at': 341851, 'madness fight': 508175, 'fight break': 304681, 'briton furious at': 140648, 'furious at supermarket': 341852, 'at supermarket madness': 100746, 'supermarket madness fight': 821429, 'madness fight break': 508176, 'fight break out': 304682, 'break out amid': 138780, 'out amid coronavirus': 625620, 'fremont': 332708, 'ong': 607580, 'tribunecovid19watch': 931678, 'safeway supermarket': 730856, 'tuesday despite': 935141, 'per buyer': 650726, 'buyer policy': 149724, 'policy frozen': 663413, 'frozen product': 339013, 'also sell': 48849, 'replenished just': 711670, 'quick share': 694374, 'share filipino': 755001, 'filipino resident': 305443, 'in fremont': 423113, 'fremont jeff': 332709, 'jeff ong': 465011, 'ong tribunecovid19watch': 607581, 'tribunecovid19watch pandemic': 931679, 'safeway supermarket in': 730857, 'supermarket in california': 820873, 'in california is': 421141, 'california is out': 155524, 'paper on tuesday': 640536, 'on tuesday despite': 604881, 'tuesday despite the': 935142, 'despite the one': 238893, 'one pack per': 606821, 'pack per buyer': 633131, 'per buyer policy': 650727, 'buyer policy frozen': 149725, 'policy frozen product': 663414, 'frozen product also': 339014, 'product also sell': 680848, 'also sell out': 48850, 'sell out fast': 748838, 'out fast but': 626060, 'fast but are': 299924, 'but are replenished': 145219, 'are replenished just': 89588, 'replenished just quick': 711671, 'just quick share': 469537, 'quick share filipino': 694375, 'share filipino resident': 755002, 'filipino resident in': 305444, 'resident in fremont': 714315, 'in fremont jeff': 423114, 'fremont jeff ong': 332710, 'jeff ong tribunecovid19watch': 465012, 'ong tribunecovid19watch pandemic': 607582, 'gunsandammo': 368796, 'racketeerinent': 695365, 'local gun': 498058, 'day bout': 227383, 'do philadelphia': 249979, 'philadelphia gunsandammo': 654694, 'gunsandammo racketeerinent': 368797, 'this the scene': 890539, 'the local gun': 859552, 'local gun store': 498059, 'gun store the': 368739, 'store the last': 810606, 'couple day bout': 211577, 'day bout to': 227384, 'bout to look': 136928, 'look like he': 502484, 'like he the': 490400, 'he the grocery': 385512, 'store do philadelphia': 807332, 'do philadelphia gunsandammo': 249980, 'philadelphia gunsandammo racketeerinent': 654695, '8ish': 23185, 'disproportionately excited': 246309, 'will mark': 994100, 'mark 17': 515765, '17 day': 4346, 'since our': 770776, 'no interim': 564515, 'interim shop': 441684, 'shop visit': 761006, 'at 8ish': 97790, '8ish with': 23186, 'massive restock': 520083, 'restock stayhomesavelives': 716910, 'disproportionately excited by': 246310, 'excited by the': 289539, 'by the fact': 154323, 'fact that tomorrow': 295815, 'that tomorrow will': 847089, 'tomorrow will mark': 924250, 'will mark 17': 994101, 'mark 17 day': 515766, '17 day since': 4347, 'day since our': 228355, 'since our last': 770778, 'our last supermarket': 623648, 'last supermarket delivery': 480525, 'supermarket delivery no': 819927, 'delivery no interim': 234206, 'no interim shop': 564516, 'interim shop visit': 441685, 'shop visit and': 761007, 'visit and are': 959176, 'and are arriving': 58293, 'are arriving at': 84622, 'arriving at 8ish': 94003, 'at 8ish with': 97791, '8ish with massive': 23187, 'with massive restock': 999423, 'massive restock stayhomesavelives': 520084, 'palladium': 634582, 'including south': 432156, 'african mine': 35209, 'mine palladium': 532916, 'palladium and': 634583, 'other platinum': 620725, 'platinum group': 659072, 'group metal': 366762, 'skyrocketed this': 773386, 'can impact': 158726, 'impact car': 417588, 'car production': 163251, 'production here': 682068, 'close business including': 182576, 'business including south': 143919, 'including south african': 432157, 'south african mine': 786676, 'african mine palladium': 35211, 'mine palladium and': 532917, 'palladium and other': 634584, 'and other platinum': 68382, 'other platinum group': 620726, 'platinum group metal': 659073, 'group metal price': 366763, 'metal price skyrocketed': 529651, 'price skyrocketed this': 676447, 'skyrocketed this week': 773387, 'this week read': 891256, 'week read more': 976792, 'about how this': 25480, 'this can impact': 886683, 'can impact car': 158727, 'impact car production': 417589, 'car production here': 163252, 'rocketed because': 724958, 'life bit': 488528, 'available to other': 104653, 'to other than': 911123, 'price have rocketed': 674453, 'have rocketed because': 382347, 'rocketed because of': 724959, 'the but guess': 850193, 'enjoy life bit': 277146, 'stock easter': 802074, 'only supermarket aisle': 611219, 'supermarket aisle is': 818837, 'aisle is not': 40285, 'is not out': 450146, 'of stock easter': 590159, 'stock easter bunny': 802075, 'lockdownlife': 500309, 'funniest tweet': 341689, 'lockdown including': 499521, 'including this': 432198, 'this gem': 887676, 'gem from': 345199, 'from lockdownlife': 336263, 'lockdownlife meme': 500312, 'hello to the': 389234, 'to the funniest': 916739, 'the funniest tweet': 856050, 'funniest tweet about': 341690, 'about the lockdown': 26438, 'the lockdown including': 859608, 'lockdown including this': 499523, 'including this gem': 432199, 'this gem from': 887677, 'gem from lockdownlife': 345200, 'from lockdownlife meme': 336264, 'lockdownlife meme funny': 500313, 'petroleumprice': 653845, 'low coronavirus': 505206, 'spread petroleumprice': 790751, 'fall to 17': 297087, 'year low coronavirus': 1014715, 'low coronavirus spread': 505208, 'coronavirus spread petroleumprice': 206807, 'haven done': 383792, 'done any': 254782, 'no stockpiling': 565582, 'stockpiling before': 803919, 'that apart': 842689, 'wine stockpiled': 995901, 'stockpiled pre': 803854, 'pre brexit': 669142, 'brexit if': 139509, 'if run': 414742, 'and ocado': 67948, 'ocado do': 578888, 'send any': 749814, 'any ll': 79416, 'll fight': 496758, 'death anyone': 229969, 'last hand': 480260, 'before me': 122944, 'haven done any': 383793, 'done any shopping': 254783, 'any shopping for': 79806, 'shopping for week': 762728, 'and no stockpiling': 67644, 'no stockpiling before': 565583, 'stockpiling before that': 803920, 'before that apart': 123133, 'that apart from': 842690, 'from the red': 337854, 'the red wine': 865388, 'red wine stockpiled': 705631, 'wine stockpiled pre': 995902, 'stockpiled pre brexit': 803855, 'pre brexit if': 669143, 'brexit if run': 139510, 'if run out': 414743, 'of hand soap': 584437, 'soap and ocado': 778921, 'and ocado do': 67949, 'ocado do not': 578889, 'do not send': 249840, 'not send any': 571527, 'send any ll': 749816, 'any ll fight': 79417, 'll fight to': 496759, 'fight to the': 304929, 'the death anyone': 852967, 'death anyone at': 229970, 'anyone at the': 80192, 'supermarket who get': 823857, 'to the last': 916834, 'the last hand': 859014, 'last hand soap': 480261, 'hand soap before': 375770, 'soap before me': 778950, 'before me coronacrisis': 122945, 'huge shortage': 410196, 'china which': 177063, 'africa resulting': 35127, 'skyrocketing at': 773410, 'african raw': 35216, 'material in': 520390, 'is diminishing': 447178, 'diminishing the': 242946, 'chinese economy': 177246, 'is huge shortage': 448618, 'huge shortage of': 410197, 'from china which': 334874, 'china which is': 177064, 'felt in africa': 303399, 'in africa resulting': 420089, 'africa resulting in': 35128, 'in price skyrocketing': 426981, 'price skyrocketing at': 676452, 'skyrocketing at the': 773411, 'time the demand': 897849, 'demand for african': 235373, 'for african raw': 319067, 'african raw material': 35217, 'raw material in': 697976, 'material in china': 520391, 'in china is': 421410, 'china is diminishing': 176747, 'is diminishing the': 447179, 'diminishing the chinese': 242947, 'the chinese economy': 850854, 'chinese economy is': 177248, 'economy is expected': 268002, 'expected to decline': 290971, 'to decline by': 904014, 'go spicejet': 354158, 'saw ur': 738313, 'ur advertisement': 947975, 'advertisement about': 33164, 'about zero': 27023, 'considering covid': 195367, 'scenario this': 741293, 'is classic': 446538, 'to opportunity': 911031, 'to go spicejet': 906857, 'go spicejet saw': 354159, 'spicejet saw ur': 789226, 'saw ur advertisement': 738314, 'ur advertisement about': 947976, 'advertisement about zero': 33165, 'about zero rescheduling': 27024, 'rescheduling considering covid': 713593, 'considering covid 19': 195368, '19 scenario this': 10362, 'scenario this is': 741294, 'this is classic': 888207, 'is classic example': 446539, 'turning situation to': 935948, 'situation to opportunity': 772541, 'to opportunity and': 911032, 'team worked': 835837, 'worked tirelessly': 1006152, 'tirelessly through': 899086, 'night to': 563105, 'test run': 839154, 'now proven': 575607, 'the team worked': 869213, 'team worked tirelessly': 835838, 'worked tirelessly through': 1006153, 'tirelessly through the': 899087, 'through the night': 894755, 'the night to': 861809, 'night to produce': 563109, 'to produce our': 912203, 'produce our first': 680385, 'our first test': 623086, 'first test run': 309053, 'test run of': 839155, 'run of hand': 727726, 'sanitizer we ve': 736053, 'we ve now': 973691, 've now proven': 953410, 'now proven that': 575608, 'proven that we': 686180, 'can now it': 159065, 'now it time': 575133, 'think mike': 885398, 'mike dewine': 531271, 'dewine is': 240009, 'thing by': 884215, 'limiting social': 492867, 'interaction until': 441266, 'control but': 201978, 'think mike dewine': 885399, 'mike dewine is': 531272, 'dewine is doing': 240010, 'right thing by': 722309, 'thing by limiting': 884216, 'by limiting social': 153055, 'limiting social interaction': 492868, 'social interaction until': 779813, 'interaction until this': 441267, 'until this shit': 943904, 'shit is under': 759151, 'under control but': 940042, 'control but what': 201979, 'store worker there': 811604, 'worker there have': 1007955, 'been so many': 121998, 'people in these': 648439, 'in these panic': 429851, 'these panic buying': 880390, 'tussle': 936033, 'myth this': 551061, 'arabia maximum': 83903, 'maximum oil': 520829, 'oil extraction': 596784, 'extraction started': 293721, 'and tussle': 74535, 'tussle of': 936034, 'saudi the': 737308, 'usa oil': 948707, 'bankrupt soon': 110497, 'factor for lowering': 295879, 'for lowering oil': 323141, 'price is myth': 674877, 'is myth this': 449818, 'myth this all': 551062, 'this all started': 886270, 'started with saudi': 794917, 'saudi arabia maximum': 737202, 'arabia maximum oil': 83904, 'maximum oil extraction': 520830, 'oil extraction started': 596785, 'extraction started in': 293722, 'started in april': 794759, 'in april and': 420467, 'april and tussle': 83546, 'and tussle of': 74536, 'tussle of russia': 936035, 'of russia and': 589186, 'and saudi the': 70939, 'saudi the usa': 737309, 'the usa oil': 870549, 'usa oil company': 948708, 'company will go': 191332, 'will go bankrupt': 993543, 'go bankrupt soon': 353361, 'gocoronago': 354638, 'mustwearmask': 547045, 'mustweargloves': 547042, 'stayalive': 797419, 'ramdasatwale': 696375, 'supportlockdown': 827277, 'fatehgunj': 300272, 'go gocoronago': 353621, 'gocoronago covod19': 354639, 'covod19 mustwearmask': 214438, 'mustwearmask mustweargloves': 547046, 'mustweargloves stayhome': 547043, 'stayhome stayalive': 798128, 'stayalive sanitizer': 797420, 'sanitizer ramdasatwale': 735631, 'ramdasatwale lockdown': 696376, 'lockdown 2k20': 499095, '2k20 chinavirus': 16632, 'chinavirus supportlockdown': 177173, 'supportlockdown fatehgunj': 827278, 'go corona go': 353425, 'corona go gocoronago': 203962, 'go gocoronago covod19': 353622, 'gocoronago covod19 mustwearmask': 354640, 'covod19 mustwearmask mustweargloves': 214439, 'mustwearmask mustweargloves stayhome': 547047, 'mustweargloves stayhome stayalive': 547044, 'stayhome stayalive sanitizer': 798129, 'stayalive sanitizer ramdasatwale': 797421, 'sanitizer ramdasatwale lockdown': 735632, 'ramdasatwale lockdown 2k20': 696377, 'lockdown 2k20 chinavirus': 499096, '2k20 chinavirus supportlockdown': 16633, 'chinavirus supportlockdown fatehgunj': 177174, 'steel can': 799315, 'hour yet': 406116, 'yet my': 1016154, 'with steel': 1000960, 'steel every': 799328, 'no hot': 564444, 'to thoroughly': 917488, 'thoroughly clean': 891756, 'clean his': 180559, 'steel can hold': 799316, 'can hold the': 158688, 'hold the virus': 400024, 'the virus for': 870833, 'virus for 72': 958198, '72 hour yet': 22015, 'hour yet my': 406117, 'yet my partner': 1016156, 'my partner who': 549726, 'partner who work': 642898, 'work with steel': 1006045, 'with steel every': 1000961, 'steel every day': 799329, 'every day ha': 285815, 'day ha no': 227717, 'ha no hot': 371342, 'no hot water': 564445, 'hot water or': 405067, 'sanitizer to thoroughly': 735950, 'to thoroughly clean': 917489, 'thoroughly clean his': 891758, 'clean his hand': 180560, 'hand and is': 374762, 'and is expected': 65404, 'expected to work': 291012, 'and risk bringing': 70552, 'risk bringing it': 723425, 'consumer act': 196010, 'act university': 29810, 'university cannot': 942417, 'cannot withheld': 162229, 'withheld result': 1002297, 'account that': 28753, 'that student': 846533, 'student facing': 814680, 'facing fear': 295463, 'lost university': 503946, 'university must': 942442, 'help must': 390116, 'must look': 546756, 'make order': 510277, 'to uni': 917942, 'under consumer act': 940037, 'consumer act university': 196011, 'act university cannot': 29811, 'university cannot withheld': 942418, 'cannot withheld result': 162230, 'withheld result it': 1002298, 'result it need': 717561, 'to take into': 916192, 'into account that': 442368, 'account that student': 28756, 'that student facing': 846534, 'student facing fear': 814681, 'facing fear job': 295464, 'fear job are': 301182, 'are lost university': 87907, 'lost university must': 503947, 'university must help': 942444, 'must help do': 546713, 'help do best': 389594, 'to help must': 907568, 'help must look': 390117, 'must look into': 546757, 'into this make': 443216, 'this make order': 888749, 'make order to': 510278, 'order to uni': 618716, 'tenancy': 837817, 'ha advice': 369453, 'advice about': 33294, 'the frequently': 855797, 'question address': 693511, 'address retail': 32019, 'travel tenancy': 930524, 'tenancy issue': 837818, 'issue amp': 455656, 'protection website ha': 685685, 'website ha advice': 975288, 'ha advice about': 369454, 'advice about your': 33297, 'about your consumer': 26992, 'consumer right during': 198811, 'right during the': 721879, 'pandemic the frequently': 636680, 'the frequently asked': 855798, 'asked question address': 95815, 'question address retail': 693512, 'address retail travel': 32020, 'retail travel tenancy': 718814, 'travel tenancy issue': 930525, 'tenancy issue amp': 837819, 'issue amp more': 455657, 'amp more information': 54149, 'more information will': 539597, 'information will be': 438044, 'why hoarding': 991072, 'nature according': 552938, 'to psychologist': 912464, '19 why hoarding': 12069, 'why hoarding supply': 991073, 'hoarding supply is': 399570, 'supply is human': 825444, 'is human nature': 448625, 'human nature according': 410566, 'nature according to': 552939, 'according to psychologist': 28578, 'accuser': 28966, 'accuser american': 28967, 'spread living': 790612, 'off grid': 593870, 'grid escape': 363890, 'escape pandemic': 280310, 'accuser american are': 28968, 'are stockpiling supply': 90527, 'stockpiling supply due': 804088, 'to virus fear': 918197, 'virus fear spread': 958181, 'fear spread living': 301340, 'spread living off': 790613, 'living off grid': 496425, 'off grid escape': 593871, 'grid escape pandemic': 363891, 'this high': 887919, 'high horse': 395110, 'horse of': 404221, 'social responsibility': 779924, 'responsibility like': 715964, 'like letting': 490636, 'elderly shop': 270874, 'earlier etc': 264440, 'however what': 409520, 'is raise': 451208, 'item making': 463442, 'it unaffordable': 461903, 'unaffordable for': 939396, 'can least': 158855, 'least afford': 484383, 'and are on': 58337, 'are on this': 88739, 'on this high': 604612, 'this high horse': 887920, 'high horse of': 395111, 'horse of social': 404222, 'of social responsibility': 589841, 'social responsibility like': 779926, 'responsibility like letting': 715965, 'like letting the': 490637, 'letting the elderly': 487445, 'the elderly shop': 854142, 'elderly shop earlier': 270875, 'shop earlier etc': 760122, 'earlier etc however': 264441, 'etc however what': 282598, 'however what they': 409521, 'have done now': 380332, 'done now is': 254953, 'now is raise': 575082, 'is raise the': 451209, 'of most item': 586676, 'most item making': 542466, 'item making it': 463443, 'making it unaffordable': 511152, 'it unaffordable for': 461904, 'unaffordable for those': 939398, 'who can least': 988393, 'can least afford': 158856, 'least afford it': 484384, 'heading in': 385937, 'right direction': 721870, 'direction here': 243464, 'number are heading': 576831, 'are heading in': 87052, 'heading in the': 385938, 'in the right': 429517, 'the right direction': 865808, 'right direction here': 721871, 'direction here how': 243465, 'can help pack': 158644, 'whatif': 982827, 'hmm whatif': 398704, 'whatif never': 982828, 'never cut': 557937, 'for would': 327975, 'problem testing': 679694, 'for wednesdaywisdom': 327684, 'wednesdaywisdom trumppandemic': 975744, 'hmm whatif never': 398705, 'whatif never cut': 982829, 'never cut the': 557938, 'cut the budget': 223571, 'the budget for': 850083, 'budget for would': 141791, 'for would we': 327976, 'would we not': 1012387, 'we not have': 972598, 'not have problem': 569858, 'have problem testing': 382055, 'problem testing for': 679695, 'testing for wednesdaywisdom': 839501, 'for wednesdaywisdom trumppandemic': 327685, '633': 21285, 'coronavirus essential': 205888, 'worker warning': 1008126, 'warning after': 967074, 'after 633': 35304, '633 mince': 21286, 'mince bill': 532601, 'supermarket nz': 821684, 'nz herald': 578192, '19 coronavirus essential': 6100, 'coronavirus essential worker': 205889, 'essential worker warning': 281861, 'worker warning after': 1008127, 'warning after 633': 967075, 'after 633 mince': 35305, '633 mince bill': 21287, 'mince bill at': 532602, 'bill at supermarket': 130513, 'at supermarket nz': 100753, 'supermarket nz herald': 821685, 'prefer shopping': 669749, 'the busy': 850187, 'admit that in': 32608, 'that in some': 844459, 'way prefer shopping': 969827, 'prefer shopping in': 669750, 'the current restriction': 852658, 'current restriction haven': 221338, 'to the busy': 916536, 'the busy aisle': 850188, 'busy aisle and': 144859, 'verifiable': 954770, 'tricol': 931751, 'shipping kn95': 758864, 'kn95 respirator': 475978, 'respirator equivalent': 715197, 'equivalent n95': 279981, 'n95 100': 551157, '100 verifiable': 2113, 'verifiable authenticity': 954771, 'authenticity with': 103632, 'with blockchain': 997427, 'blockchain digital': 132837, 'digital certificate': 242520, 'certificate to': 170218, 'prove origin': 686113, 'origin shipping': 619544, 'worldwide 10': 1010303, 'day 400': 227146, 'day capacity': 227430, 'from tricol': 338142, 'tricol group': 931752, 'group vet': 366954, 'are shipping kn95': 90042, 'shipping kn95 respirator': 758865, 'kn95 respirator equivalent': 475980, 'respirator equivalent n95': 715198, 'equivalent n95 100': 279982, 'n95 100 verifiable': 551158, '100 verifiable authenticity': 2114, 'verifiable authenticity with': 954772, 'authenticity with blockchain': 103633, 'with blockchain digital': 997428, 'blockchain digital certificate': 132838, 'digital certificate to': 242521, 'certificate to prove': 170219, 'to prove origin': 912368, 'prove origin shipping': 686114, 'origin shipping worldwide': 619545, 'shipping worldwide 10': 758951, 'worldwide 10 day': 1010304, '10 day 400': 1379, 'day 400 00': 227147, '400 00 mask': 18709, '00 mask per': 321, 'mask per day': 519111, 'per day capacity': 650797, 'day capacity from': 227431, 'capacity from tricol': 162528, 'from tricol group': 338143, 'tricol group vet': 931753, 'propagating': 684073, 'the wall': 871046, 'the humankind': 857732, 'humankind face': 410789, 're totally': 699725, 'they gather': 882148, 'gather start': 344396, 'start propagating': 794441, 'propagating and': 684074, 'think the wall': 885660, 'the wall street': 871049, 'price empty shop': 673680, 'shop shelf in': 760764, 'some country main': 782615, 'country main challenge': 210880, 'main challenge the': 508730, 'challenge the humankind': 171571, 'the humankind face': 857733, 'humankind face you': 410790, 'you re totally': 1020778, 're totally wrong': 699727, 'totally wrong the': 926412, 'wrong the black': 1013113, 'the black swan': 849745, 'when they gather': 984260, 'they gather start': 882149, 'gather start propagating': 344397, 'start propagating and': 794442, 'propagating and new': 684075, 'swan are under': 829955, 'are under way': 91289, 'patchwork': 643955, 'at patchwork': 100079, 'patchwork we': 643956, 'more these': 540725, 'real superheroes': 701380, 'here at patchwork': 392789, 'at patchwork we': 100080, 'patchwork we like': 643957, 'thank those working': 841674, '19 from our': 7131, 'from our amazing': 336756, 'amazing nh staff': 50747, 'staff to cleaner': 792983, 'to cleaner supermarket': 902820, 'many more these': 514318, 'more these are': 540726, 'these are our': 879628, 'are our real': 88871, 'our real superheroes': 624546, 'pharmacy on': 654384, 'tuesday thursday': 935193, 'thursday and': 895346, 'and saturday': 70927, 'monday wednesday': 536412, 'or the pharmacy': 617389, 'the pharmacy on': 863657, 'pharmacy on tuesday': 654387, 'on tuesday thursday': 604892, 'tuesday thursday and': 935194, 'thursday and saturday': 895347, 'and saturday and': 70928, 'saturday and woman': 737008, 'and woman will': 75814, 'woman will be': 1003692, 'allowed out on': 46203, 'out on monday': 626908, 'on monday wednesday': 602190, 'monday wednesday and': 536413, 'wednesday and friday': 975613, 'bigthreeconsulting': 130381, 'bigthreeconsulting bcg': 130384, 'bcg bcg': 113326, 'bigthreeconsulting bcg bcg': 130385, 'bcg bcg bcg': 113327, 'bcg bcg second': 113328, 'is regular': 451393, 'regular bar': 707736, 'soap good': 779018, 'good hand': 357160, 'sanitizer professor': 735608, 'is regular bar': 451394, 'regular bar of': 707737, 'of soap good': 589824, 'soap good hand': 779019, 'good hand sanitizer': 357161, 'hand sanitizer professor': 375549, 'sanitizer professor explains': 735609, 'professor explains how': 682544, 'explains how best': 292211, 'best to kill': 127950, 'flexibility regarding': 310376, 'regarding credit': 707201, 'reporting obligation': 712722, 'announces flexibility regarding': 77254, 'flexibility regarding credit': 310377, 'regarding credit reporting': 707202, 'credit reporting obligation': 216492, 'reporting obligation during': 712723, 'demoted': 236881, 'germany coronavirus': 346287, '99 225': 23754, '225 world': 15300, 'leader send': 483532, 'send support': 749954, 'uk johnson': 938497, 'in battle': 420728, 'battle new': 112804, 'zealand health': 1027289, 'minister demoted': 533352, 'demoted after': 236882, 'taking family': 833360, 'to beach': 901645, 'beach south': 118241, 'korea delivery': 477463, 'driver pay': 259686, 'pay price': 645051, 'spree stayathome': 791139, 'germany coronavirus case': 346288, 'coronavirus case rise': 205619, 'case rise to': 165992, 'rise to 99': 723029, 'to 99 225': 899884, '99 225 world': 23755, '225 world leader': 15301, 'world leader send': 1009754, 'leader send support': 483533, 'send support to': 749955, 'support to uk': 826958, 'to uk johnson': 917880, 'uk johnson in': 938498, 'johnson in battle': 466599, 'in battle new': 420729, 'battle new zealand': 112805, 'new zealand health': 559987, 'zealand health minister': 1027290, 'health minister demoted': 386642, 'minister demoted after': 533353, 'demoted after taking': 236883, 'after taking family': 36266, 'taking family to': 833361, 'family to beach': 298321, 'to beach south': 901646, 'beach south korea': 118242, 'south korea delivery': 786738, 'korea delivery driver': 477464, 'delivery driver pay': 233925, 'driver pay price': 259687, 'pay price for': 645053, 'price for online': 674017, 'online shopping spree': 609280, 'shopping spree stayathome': 763957, 'apparently another': 81909, 'another symptom': 77891, 'spending 300': 788716, '300 online': 17337, 'so apparently another': 776530, 'apparently another symptom': 81910, 'another symptom of': 77892, '19 is spending': 8052, 'is spending 300': 452156, 'spending 300 online': 788717, '300 online shopping': 17338, 'shopping for no': 762698, 'never experience': 557981, 'selfishness in': 748355, 'queueing up': 694184, 'sweep they': 830169, 'around trying': 93607, 'get round': 347940, 'round before': 726320, 'before other': 122987, 'anyone other': 80453, 'have never experience': 381578, 'never experience this': 557982, 'experience this sort': 291511, 'sort of selfishness': 786140, 'of selfishness in': 589487, 'selfishness in all': 748356, 'my life the': 549042, 'life the same': 489102, 'same people queueing': 733215, 'people queueing up': 649219, 'queueing up outside': 694185, 'up outside store': 945718, 'outside store every': 629560, 'store every morning': 807653, 'every morning it': 286028, 'morning it like': 541321, 'it like supermarket': 459374, 'supermarket sweep they': 823108, 'sweep they are': 830170, 'running around trying': 727920, 'around trying to': 93608, 'to get round': 906580, 'get round before': 347941, 'round before other': 726321, 'before other people': 122988, 'other people no': 620680, 'people no thought': 648859, 'thought for anyone': 893043, 'for anyone other': 319442, 'anyone other than': 80454, 'to heightened': 907428, 'growing scarcity': 367236, 'due to heightened': 261803, 'to heightened demand': 907429, 'heightened demand and': 388818, 'demand and growing': 234967, 'and growing scarcity': 64017, 'growing scarcity of': 367237, 'scarcity of our': 740846, 'our product because': 624477, 'product because of': 681007, 'speads': 787678, 'family your': 298416, 'sneezing and': 776307, 'touching everything': 926673, 'everything thats': 288035, 'shit speads': 759225, 'speads send': 787679, 'send person': 749931, 'grocery help': 364586, 'have family your': 380586, 'family your husband': 298417, 'your husband and': 1024442, 'husband and all': 411670, 'your kid do': 1024556, 'grocery store especially': 365372, 'store especially if': 807615, 'especially if your': 280513, 'if your kid': 415589, 'your kid are': 1024551, 'kid are coughing': 473864, 'are coughing and': 85586, 'and sneezing and': 71831, 'sneezing and then': 776309, 'and then touching': 73818, 'then touching everything': 877692, 'touching everything thats': 926675, 'everything thats how': 288036, 'thats how this': 847812, 'how this shit': 408954, 'this shit speads': 890088, 'shit speads send': 759226, 'speads send person': 787680, 'send person to': 749932, 'person to get': 652658, 'your grocery help': 1024124, 'grocery help end': 364587, 'finalizing': 305923, 'were finalizing': 979625, 'finalizing deal': 305924, 'friday on': 333269, 'on deep': 600250, 'deep production': 231914, 'arabia moving': 83905, 'moving read': 544173, 'more advisorymandi': 538559, 'leading oil nation': 483720, 'nation were finalizing': 552378, 'were finalizing deal': 979626, 'finalizing deal at': 305925, 'on friday on': 601010, 'friday on deep': 333270, 'on deep production': 600251, 'deep production cut': 231915, 'lift price hit': 489452, 'price hit by': 674557, 'saudi arabia moving': 737203, 'arabia moving read': 83906, 'moving read more': 544174, 'read more advisorymandi': 700418, 'vegetable triple': 954118, 'hyderabad since': 411934, 'of vegetable triple': 592768, 'vegetable triple in': 954119, 'triple in hyderabad': 932252, 'in hyderabad since': 423938, 'hyderabad since lockdown': 411935, 'to coronavirus fueled': 903549, 'fueled panic shopping': 340335, 're determined': 698520, 'or adding': 614259, 'adding few': 31672, 'we re determined': 972855, 're determined to': 698521, 'money online or': 536946, 'online or adding': 608648, 'or adding few': 614260, 'adding few item': 31673, 'few item to': 303891, 'bin when you': 131051, 're shopping for': 699503, 'supply hhs': 825361, 'other supply hhs': 621039, 'supply hhs announced': 825362, 'kaltenboeck': 470719, 'manuscript': 513702, 'coi': 185603, 'added incentive': 31571, 'develop vaccine': 239667, 'vaccine fast': 951698, 'possible pharma': 665735, 'pharma it': 654042, 'that kaltenboeck': 844800, 'kaltenboeck and': 470720, 'have sitting': 382569, 'home writing': 402577, 'writing manuscript': 1012912, 'manuscript on': 513703, 'price coi': 673162, 'this is added': 888165, 'is added incentive': 445346, 'added incentive to': 31572, 'incentive to develop': 431370, 'to develop vaccine': 904252, 'develop vaccine fast': 239668, 'vaccine fast possible': 951699, 'fast possible pharma': 300015, 'possible pharma it': 665736, 'pharma it is': 654043, 'is in your': 448831, 'in your best': 431060, 'your best interest': 1022950, 'interest to minimize': 441414, 'minimize the amount': 533124, 'amount of time': 53261, 'of time that': 592186, 'time that kaltenboeck': 897833, 'that kaltenboeck and': 844801, 'kaltenboeck and have': 470721, 'and have sitting': 64274, 'have sitting at': 382570, 'at home writing': 99180, 'home writing manuscript': 402578, 'writing manuscript on': 1012913, 'manuscript on drug': 513704, 'on drug price': 600429, 'drug price coi': 261037, 'klew': 475922, 'governor brad': 360882, 'brad little': 137523, 'on conference': 600009, 'hoard think': 398888, 'neighbor when': 557088, 'store klew': 808654, 'governor brad little': 360883, 'brad little on': 137524, 'little on conference': 495498, 'on conference call': 600010, 'conference call right': 193728, 'not hoard think': 569988, 'hoard think of': 398889, 'your neighbor when': 1024963, 'neighbor when you': 557089, 'grocery store klew': 365505, 'eurotrucksimulator': 283629, 'americantrucksimulator': 52346, 'dlc': 248858, 'making eurotrucksimulator': 511046, 'eurotrucksimulator and': 283630, 'or americantrucksimulator': 614308, 'americantrucksimulator dlc': 52347, 'dlc where': 248859, 'you haul': 1019005, 'haul toiletpaper': 379000, 'toiletpaper with': 922854, 'to relief': 913142, 'relief charity': 709298, 'should consider making': 765859, 'consider making eurotrucksimulator': 195031, 'making eurotrucksimulator and': 511047, 'eurotrucksimulator and or': 283631, 'and or americantrucksimulator': 68206, 'or americantrucksimulator dlc': 614309, 'americantrucksimulator dlc where': 52348, 'dlc where you': 248860, 'where you haul': 985390, 'you haul toiletpaper': 1019006, 'haul toiletpaper with': 379001, 'toiletpaper with the': 922855, 'with the proceeds': 1001440, 'the proceeds going': 864543, 'going to relief': 355688, 'to relief charity': 913143, 'buying fuck': 150390, 'fuck wit': 339687, 'wit in': 996905, 'worst hit': 1011193, 'still able': 800153, 'not fuck': 569541, 'fuck each': 339554, 'over by': 630056, 'prick in': 678007, 'do you hear': 250638, 'panic buying fuck': 637743, 'buying fuck wit': 150391, 'fuck wit in': 339688, 'wit in the': 996906, 'the worst hit': 872055, 'worst hit country': 1011195, 're still able': 699588, 'still able to': 800154, 'able to not': 24510, 'to not fuck': 910689, 'not fuck each': 569542, 'fuck each other': 339555, 'other over by': 620637, 'over by being': 630057, 'being selfish prick': 125747, 'selfish prick in': 748233, 'prick in the': 678008, 'goldfill': 356071, 'sterlingsilverjewelry': 799917, 'sterlingsilver': 799916, 'live friday': 495824, 'friday 20': 333183, '20 mark': 13145, 'mark steel': 515827, 'steel handmade': 799334, 'handmade sterling': 376418, 'sterling goldfill': 799901, 'goldfill jewelry': 356072, 'jewelry he': 465389, 'he from': 384976, 'from utah': 338215, 'utah not': 951197, 'not carolina': 568706, 'carolina price': 164850, 'price range': 676077, 'range from': 696696, 'from 16': 334198, '16 42': 4076, '42 covid': 18901, 'sale 13': 732009, '13 34': 3178, '34 handmade': 17816, 'handmade sterlingsilverjewelry': 376420, 'sterlingsilverjewelry sterlingsilver': 799918, 'from fb live': 335428, 'fb live friday': 300657, 'live friday 20': 495826, 'friday 20 mark': 333185, '20 mark steel': 13147, 'mark steel handmade': 515828, 'steel handmade sterling': 799335, 'handmade sterling goldfill': 376419, 'sterling goldfill jewelry': 799902, 'goldfill jewelry he': 356073, 'jewelry he from': 465390, 'he from utah': 384977, 'from utah not': 338216, 'utah not carolina': 951198, 'not carolina price': 568707, 'carolina price range': 164851, 'price range from': 676079, 'range from 16': 696697, 'from 16 42': 334199, '16 42 covid': 4077, '42 covid 19': 18902, '19 sale 13': 10297, 'sale 13 34': 732010, '13 34 handmade': 3179, '34 handmade sterlingsilverjewelry': 17817, 'handmade sterlingsilverjewelry sterlingsilver': 376421, 'for currently': 320497, 'currently more': 221593, 'than am': 840331, 'at risk category': 100345, 'category for currently': 167180, 'for currently more': 320498, 'currently more concerned': 221594, 'about people panic': 25937, 'buying and the': 149938, 'rest of not': 716200, 'access food than': 28121, 'food than am': 317074, 'than am about': 840332, 'about to catch': 26709, 'singapore property': 771147, 'tumble fire': 935305, 'sale unlikely': 732611, 'unlikely via': 942770, 'singapore property price': 771148, 'property price set': 684338, 'to tumble fire': 917833, 'tumble fire sale': 935306, 'fire sale unlikely': 308116, 'sale unlikely via': 732612, 'britches': 140480, 'getting too': 349407, 'too big': 924611, 'big for': 129789, 'their britches': 872653, 'britches they': 140481, 're like': 698993, 'like firefighter': 490241, 'firefighter during': 308209, 'during 11': 262398, '11 chinesevirus': 2504, 'chinesevirus coronapocolypse': 177431, 'anyone noticed that': 80439, 'noticed that grocery': 573480, 'are getting too': 86832, 'getting too big': 349408, 'too big for': 924612, 'big for their': 129790, 'for their britches': 326805, 'their britches they': 872654, 'britches they think': 140482, 'they re like': 883069, 're like firefighter': 698994, 'like firefighter during': 490242, 'firefighter during 11': 308210, 'during 11 chinesevirus': 262399, '11 chinesevirus coronapocolypse': 2505, 'increasing this': 433722, 'many practising': 514581, 'practising stay': 668790, 'month blog': 537622, 'shopping is increasing': 763054, 'is increasing this': 448864, 'increasing this week': 433723, 'week with the': 977267, 'with the 19': 1001185, 'outbreak and many': 628002, 'and many practising': 66681, 'many practising stay': 514582, 'practising stay home': 668791, 'safe and read': 729471, 'and read this': 69982, 'read this month': 700622, 'this month blog': 888899, 'month blog post': 537623, 'post for some': 666136, 'for some best': 325730, 'practice for and': 668562, 'chaser': 173897, 'idea rationing': 413159, 'rationing the': 697876, 'good person': 357550, 'necessary with': 554143, 'stress put': 813384, 'profit chaser': 682698, 'chaser in': 173898, 'radical idea rationing': 695407, 'idea rationing the': 413160, 'rationing the amount': 697877, 'basic good person': 111912, 'good person can': 357551, 'free if necessary': 331914, 'if necessary with': 414450, 'necessary with exception': 554144, 'could stop panic': 209727, 'reduce stress put': 705945, 'stress put an': 813385, 'end to selfishness': 276011, 'and profit chaser': 69595, 'profit chaser in': 682699, 'chaser in time': 173899, 'chain what': 171227, 'done suggests': 255030, 'suggests solution': 817703, 'from available': 334616, 'resource foodwaste': 714774, 'amid panic in': 52584, '19 challenge to': 5758, 'challenge to the': 171581, 'supply chain what': 825061, 'chain what can': 171228, 'be done suggests': 114568, 'done suggests solution': 255031, 'suggests solution to': 817704, 'solution to reduce': 782111, 'waste and make': 968075, 'and make more': 66562, 'make more from': 510196, 'more from available': 539298, 'from available resource': 334617, 'available resource foodwaste': 104569, 'bearing': 118454, 'several business': 753799, 'east china': 265300, 'hub the': 409826, 'daily good': 224626, 'good said': 357682, 'are bearing': 84797, 'bearing the': 118455, 'brunt spread': 141366, 'spread globally': 790543, 'several business person': 753800, 'business person in': 144213, 'person in east': 652478, 'in east china': 422459, 'east china manufacturing': 265301, 'china manufacturing hub': 176818, 'manufacturing hub the': 513604, 'hub the world': 409827, 'for daily good': 320527, 'daily good said': 224627, 'good said their': 357683, 'said their business': 731457, 'their business are': 872676, 'business are bearing': 143357, 'are bearing the': 84798, 'bearing the brunt': 118456, 'the brunt spread': 850062, 'brunt spread globally': 141367, 'envisioned': 279217, 'sarge': 736766, 'mimaskchallenge': 532492, 'how ever': 407813, 'ever envisioned': 285290, 'envisioned trip': 279218, 'gotta do': 359072, 'can mask': 158974, 'mask courtesy': 518547, 'of sarge': 589317, 'sarge hair': 736767, 'hair courtesy': 373971, 'of mimaskchallenge': 586537, 'not how ever': 570021, 'how ever envisioned': 407814, 'ever envisioned trip': 285291, 'envisioned trip to': 279219, 'store but gotta': 806793, 'but gotta do': 145814, 'gotta do what': 359073, 'what can mask': 981175, 'can mask courtesy': 158975, 'mask courtesy of': 518548, 'courtesy of sarge': 212053, 'of sarge hair': 589318, 'sarge hair courtesy': 736768, 'hair courtesy of': 373972, 'courtesy of mimaskchallenge': 212052, 'incumbent': 433956, 'amazon instacart': 50992, 'instacart and': 439910, 'like exceed': 490201, 'exceed home': 289037, 'date into': 226671, 'is incumbent': 448883, 'incumbent on': 433957, 'online order from': 608688, 'order from amazon': 618252, 'from amazon instacart': 334459, 'amazon instacart and': 50993, 'instacart and the': 439912, 'the like exceed': 859366, 'like exceed home': 490202, 'exceed home delivery': 289038, 'home delivery date': 401013, 'delivery date into': 233849, 'date into april': 226672, 'into april it': 442413, 'april it is': 83626, 'it is incumbent': 458987, 'is incumbent on': 448884, 'incumbent on to': 433958, 'on to support': 604764, 'support our grocery': 826732, 'our grocery and': 623303, 'pharmacy store worker': 654485, 'squabble': 791440, 'aha': 39108, 'to squabble': 915093, 'squabble about': 791441, 'about onion': 25847, 'onion price': 607729, 'price aha': 672248, 'aha those': 39109, 'those were': 892606, 'were some': 980150, 'did you all': 240921, 'you all remember': 1016902, 'all remember the': 44151, 'when people used': 983869, 'people used to': 650074, 'used to squabble': 950092, 'to squabble about': 915094, 'squabble about onion': 791442, 'about onion price': 25848, 'onion price aha': 607730, 'price aha those': 672249, 'aha those were': 39110, 'those were some': 892607, 'were some day': 980151, 'some day lockdown': 782664, 'unitelive supermarket': 942306, 'read on unitelive': 700486, 'on unitelive supermarket': 604969, 'unitelive supermarket lorry': 942307, 'liked': 491908, 'plymouth': 661796, 'always liked': 49650, 'liked plymouth': 491911, 'plymouth panicbuying': 661797, 'stockpiling supermarket': 804085, 've always liked': 952838, 'always liked plymouth': 49651, 'liked plymouth panicbuying': 491912, 'plymouth panicbuying stockpiling': 661798, 'panicbuying stockpiling supermarket': 639055, 'pyjama': 691382, 'ausgangssperre': 103050, 'first observation': 308810, 'observation after': 578531, 'after 4h': 35300, '4h lockdown': 19457, 'everyone passing': 287262, 'my window': 550614, 'window to': 995727, 'in pyjama': 427146, 'pyjama like': 691383, 'world order': 1009872, 'order ausgangssperre': 618068, 'first observation after': 308811, 'observation after 4h': 578532, 'after 4h lockdown': 35301, '4h lockdown everyone': 19458, 'lockdown everyone passing': 499353, 'everyone passing by': 287263, 'passing by my': 643370, 'by my window': 153290, 'my window to': 550616, 'window to the': 995728, 'pharmacy is in': 654365, 'is in pyjama': 448804, 'in pyjama like': 427147, 'pyjama like this': 691384, 'new world order': 559903, 'world order ausgangssperre': 1009873, 'overarching': 631046, 'the overarching': 862771, 'overarching message': 631047, 'shopper don': 761480, 'the overarching message': 862772, 'overarching message to': 631048, 'message to shopper': 529460, 'to shopper don': 914511, 'shopper don panic': 761481, 'these mad': 880268, 'mad sad': 507568, 'panicbuying people': 639024, 'people incl': 648457, 'incl student': 431480, 'behave well': 123797, 'well stophoarding': 978614, 'stophoarding stop': 805478, 'greedy sheeple': 363600, 'sheeple or': 756563, 'else read': 271850, 'this fridaythoughts': 887620, 'in these mad': 429850, 'these mad sad': 880270, 'mad sad day': 507569, 'sad day of': 729163, 'day of panicbuying': 228089, 'of panicbuying people': 587742, 'panicbuying people incl': 639025, 'people incl student': 648458, 'incl student need': 431481, 'to remember to': 913193, 'remember to behave': 710368, 'to behave well': 901726, 'behave well stophoarding': 123798, 'well stophoarding stop': 978615, 'stophoarding stop being': 805479, 'being selfish greedy': 125742, 'selfish greedy sheeple': 748114, 'greedy sheeple or': 363601, 'sheeple or else': 756564, 'or else read': 615134, 'else read this': 271851, 'read this fridaythoughts': 700613, '1585': 3995, 'au 1585': 102773, '1585 gold': 3996, 'soar inflation': 779257, 'inflation on': 437212, 'on horizon': 601367, 'au 1585 gold': 102774, '1585 gold silver': 3997, 'gold silver price': 356010, 'silver price soar': 769854, 'price soar inflation': 676529, 'soar inflation on': 779258, 'inflation on horizon': 437214, 'hey tony': 394527, 'tony guess': 924550, 'were wrong': 980360, 'store wonder': 811433, 'wisconsin because': 996606, 'because republican': 119518, 'republican made': 713049, 'hey tony guess': 394528, 'tony guess you': 924551, 'guess you were': 368107, 'you were wrong': 1022263, 'were wrong about': 980361, 'grocery store wonder': 365967, 'store wonder how': 811434, 'will get covid': 993500, '19 today in': 11470, 'today in wisconsin': 919701, 'in wisconsin because': 430931, 'wisconsin because republican': 996607, 'because republican made': 119519, 'republican made them': 713050, 'made them leave': 508007, 'them leave their': 875973, 'home to vote': 402350, 'cuss': 221931, 'anyone call': 80213, 'your info': 1024479, 'you government': 1018921, 'check they': 174670, 'scammer cuss': 740561, 'cuss em': 221932, 'em and': 272051, 'up letter': 945304, 'ftc update': 339464, 'update complaint': 946908, 'if anyone call': 413840, 'anyone call you': 80214, 'call you to': 156256, 'get your info': 348711, 'your info to': 1024480, 'info to send': 437597, 'to send you': 914225, 'send you government': 749984, 'you government check': 1018922, 'government check they': 359979, 'check they are': 174671, 'they are scammer': 881397, 'are scammer cuss': 89833, 'scammer cuss em': 740562, 'cuss em and': 221933, 'em and hang': 272052, 'and hang up': 64169, 'hang up letter': 376948, 'up letter from': 945305, 'letter from ftc': 487317, 'from ftc update': 335586, 'ftc update complaint': 339465, 'carney': 164795, 'on bar': 599563, 'other popular': 620737, 'popular consumer': 664540, 'consumer stop': 199160, 'stop included': 804768, 'in gov': 423387, 'gov john': 359616, 'john carney': 466520, 'carney state': 164796, 'declaration over': 231166, 'over novel': 630446, 'concern delaware': 192955, 'claim so': 179816, 'the restriction on': 865674, 'restriction on bar': 717337, 'on bar restaurant': 599565, 'bar restaurant and': 110751, 'and other popular': 68383, 'other popular consumer': 620738, 'popular consumer stop': 664541, 'consumer stop included': 199161, 'stop included in': 804769, 'included in gov': 431687, 'in gov john': 423388, 'gov john carney': 359617, 'john carney state': 466521, 'carney state of': 164797, 'of emergency declaration': 583031, 'emergency declaration over': 272657, 'declaration over novel': 231167, 'over novel coronavirus': 630447, '19 concern delaware': 5918, 'concern delaware is': 192956, 'delaware is about': 232655, 'about to see': 26737, 'see an influx': 744898, 'influx of unemployment': 437394, 'of unemployment claim': 592624, 'unemployment claim so': 941185, 'claim so many': 179817, 'nearly of': 553847, 'worker earning': 1006828, 'earning wage': 264884, 'wage below': 963825, 'national median': 552560, 'median must': 525971, 'physical proximity': 655443, 'to perform': 911661, 'perform their': 651416, 'job including': 465884, 'prep worker': 670022, 'worker median': 1007375, 'median 11': 525965, '11 41': 2459, '41 per': 18868, 'per hour': 650883, 'hour stock': 405954, 'clerk 12': 181623, '12 36': 2802, '36 and': 17997, 'physical therapist': 655472, 'therapist aide': 877902, 'aide 12': 39494, '12 62': 2808, 'nearly of worker': 553850, 'of worker earning': 593277, 'worker earning wage': 1006829, 'earning wage below': 264885, 'wage below the': 963826, 'below the national': 126743, 'the national median': 861300, 'national median must': 552561, 'median must be': 525972, 'must be in': 546512, 'be in close': 115394, 'in close physical': 421511, 'close physical proximity': 182762, 'physical proximity to': 655444, 'to others in': 911136, 'others in order': 621477, 'order to perform': 618695, 'to perform their': 911662, 'perform their job': 651417, 'their job including': 873718, 'job including food': 465885, 'including food prep': 431966, 'food prep worker': 315904, 'prep worker median': 670023, 'worker median 11': 1007376, 'median 11 41': 525966, '11 41 per': 2460, '41 per hour': 18869, 'per hour stock': 650884, 'hour stock clerk': 405955, 'stock clerk 12': 801987, 'clerk 12 36': 181624, '12 36 and': 2803, '36 and physical': 17998, 'and physical therapist': 69002, 'physical therapist aide': 655473, 'therapist aide 12': 877903, 'aide 12 62': 39495, 'yallnasty': 1014110, 'savethemasksforhealthcareworkers': 737824, 'glovesdontprotectyouiflickyourfingers': 353067, 'still test': 801281, 'test eating': 838981, 'the unwashed': 870479, 'unwashed grape': 944063, 'grape you': 362134, 'have yallnasty': 383647, 'yallnasty savethemasksforhealthcareworkers': 1014111, 'savethemasksforhealthcareworkers glovesdontprotectyouiflickyourfingers': 737825, 're wearing glove': 699788, 'store but still': 806811, 'but still test': 147183, 'still test eating': 801282, 'test eating the': 838982, 'eating the unwashed': 266312, 'the unwashed grape': 870480, 'unwashed grape you': 944064, 'grape you probably': 362135, 'you probably already': 1020437, 'probably already have': 679204, 'already have yallnasty': 47435, 'have yallnasty savethemasksforhealthcareworkers': 383648, 'yallnasty savethemasksforhealthcareworkers glovesdontprotectyouiflickyourfingers': 1014112, 'though those': 892930, 'for trying': 327372, 'seriously though those': 751768, 'though those grocery': 892931, 'right now thank': 722149, 'you to publix': 1021825, 'biglots for trying': 130361, 'for trying their': 327373, 'apptopia': 83344, 'globe grocery': 352462, 'begun seeing': 123725, 'seeing record': 746438, 'downloads according': 257652, 'from app': 334565, 'intelligence firm': 440998, 'firm apptopia': 308312, 'apptopia quarantinelife': 83345, 'the pandemic spread': 863104, 'pandemic spread across': 636524, 'the globe grocery': 856355, 'globe grocery delivery': 352463, 'grocery delivery apps': 364436, 'delivery apps have': 233702, 'apps have begun': 83288, 'have begun seeing': 379758, 'begun seeing record': 123726, 'seeing record number': 746439, 'number of daily': 576936, 'of daily downloads': 582314, 'daily downloads according': 224580, 'downloads according to': 257653, 'to new data': 910554, 'data from app': 226226, 'from app store': 334567, 'app store intelligence': 81766, 'store intelligence firm': 808442, 'intelligence firm apptopia': 440999, 'firm apptopia quarantinelife': 308313, 'exabel': 288649, 'client with': 182138, 'new demand': 558624, 'demand challenge': 235122, 'released our': 709068, 'impact dashboard': 417628, 'dashboard in': 226079, 'with exabel': 998309, 'exabel providing': 288650, 'providing daily': 686967, 'pattern across': 644443, 'multiple retail': 545784, 'sector complimentary': 744129, 'complimentary access': 192506, 'helping our client': 391414, 'our client with': 622403, 'client with new': 182139, 'with new demand': 999701, 'new demand challenge': 558625, 'demand challenge we': 235123, 'challenge we have': 171592, 'we have released': 971919, 'have released our': 382252, 'released our 19': 709069, 'our 19 impact': 621980, '19 impact dashboard': 7696, 'impact dashboard in': 417629, 'dashboard in partnership': 226080, 'partnership with exabel': 642951, 'with exabel providing': 998310, 'exabel providing daily': 288651, 'providing daily update': 686968, 'consumer spending pattern': 199082, 'spending pattern across': 788945, 'pattern across multiple': 644445, 'across multiple retail': 29401, 'multiple retail sector': 545785, 'retail sector complimentary': 718526, 'sector complimentary access': 744130, 'eatlikekings': 266349, 'hawtdawgs': 384490, 'we scored': 973146, 'scored haul': 742388, 'haul at': 378988, 'tonight hoarding': 924421, 'hoarding eatlikekings': 399272, 'eatlikekings hawtdawgs': 266350, 'hawtdawgs preppers': 384491, 'preppers coronatime': 670401, 'coronatime pandemic': 205301, 'pandemic frisco': 635464, 'frisco texas': 334090, 'we scored haul': 973148, 'scored haul at': 742389, 'haul at the': 378989, 'store tonight hoarding': 810907, 'tonight hoarding eatlikekings': 924422, 'hoarding eatlikekings hawtdawgs': 399273, 'eatlikekings hawtdawgs preppers': 266351, 'hawtdawgs preppers coronatime': 384492, 'preppers coronatime pandemic': 670402, 'coronatime pandemic frisco': 205302, 'pandemic frisco texas': 635465, 'bloombergintelligence': 133268, 'join bloombergintelligence': 466685, 'bloombergintelligence consumer': 133269, 'consumer team': 199228, 'march 30': 515232, '30 11am': 16928, '11am et': 2717, 'et to': 282369, 'view about': 957060, 'restaurant hospitality': 716510, 'hospitality travel': 404814, 'travel food': 930362, 'beverage industry': 129010, 'industry user': 436203, 'user may': 950300, 'may register': 521449, 'please join bloombergintelligence': 660130, 'join bloombergintelligence consumer': 466686, 'bloombergintelligence consumer team': 133270, 'consumer team on': 199229, 'team on march': 835750, 'on march 30': 602025, 'march 30 11am': 515233, '30 11am et': 16929, '11am et to': 2718, 'et to hear': 282370, 'hear our view': 387975, 'our view about': 625272, 'view about the': 957061, 'the retail restaurant': 865726, 'retail restaurant hospitality': 718458, 'restaurant hospitality travel': 716511, 'hospitality travel food': 404815, 'travel food beverage': 930363, 'food beverage industry': 313743, 'beverage industry user': 129012, 'industry user may': 436204, 'user may register': 950301, 'may register at': 521450, 'that response': 846017, 'plan appear': 658070, 'include prioritizing': 431612, 'prioritizing frequent': 678479, 'frequent covid': 332818, 'worker pump': 1007644, 'attendant other': 102361, 'other dense': 620096, 'dense contact': 237053, 'note that response': 572810, 'that response plan': 846018, 'response plan appear': 715782, 'plan appear to': 658071, 'appear to include': 82126, 'to include prioritizing': 908251, 'include prioritizing frequent': 431613, 'prioritizing frequent covid': 678480, 'frequent covid 19': 332819, '19 testing of': 11106, 'testing of medical': 839584, 'of medical personnel': 586394, 'personnel and first': 653078, 'responder but grocery': 715430, 'store worker pump': 811565, 'worker pump attendant': 1007645, 'pump attendant other': 689032, 'attendant other dense': 102362, 'other dense contact': 620097, 'dense contact center': 237054, '19 mom': 8669, 'mom mom': 535773, 'mom going': 535734, 'die me': 241403, 'me right': 523396, 'right going': 721912, 'mean death': 524403, 'she said but': 756304, 'said but you': 731013, 'but you do': 147982, 'not want me': 572441, 'me to leave': 523762, 'to leave me': 909155, 'leave me what': 484869, 'me what happens': 523928, 'happens if you': 377476, 'covid 19 mom': 213443, '19 mom mom': 8670, 'mom mom going': 535774, 'mom going to': 535735, 'to die me': 904277, 'die me right': 241405, 'me right going': 523397, 'right going to': 721913, 'is true we': 453372, 'true we do': 933211, 'not think she': 572083, 'think she can': 885527, 'she can handle': 755923, 'can handle it': 158547, 'handle it cannot': 376217, 'it cannot believe': 457049, 'cannot believe that': 161672, 'that grocery shopping': 844089, 'grocery shopping can': 365004, 'shopping can mean': 762277, 'can mean death': 158980, 'color when': 186754, 'people literally': 648666, 'literally fight': 494996, 'grocery even': 364501, 'elderly we': 270937, 'spread hatred': 790557, 'people true color': 650017, 'true color when': 933049, 'color when it': 186755, 'racism people literally': 695294, 'people literally fight': 648669, 'literally fight over': 494997, 'paper and supermarket': 639856, 'and supermarket grocery': 72720, 'supermarket grocery even': 820576, 'grocery even with': 364502, 'the elderly we': 854156, 'elderly we human': 270938, 'we human spread': 972048, 'human spread hatred': 410626, 'spread hatred and': 790558, 'hatred and fear': 378975, 'goshh': 358349, 'worldd': 1010226, 'feel ain': 302552, 'ain wa': 39664, 'my lil': 549062, 'lil dust': 492218, 'dust that': 263460, 'that owed': 845626, 'owed but': 631832, 'oh goshh': 596399, 'goshh you': 358350, 'you watching': 1022192, 'watching around': 968707, 'the worldd': 872016, 'worldd and': 1010227, 'seeing oil': 746391, 'price tanking': 676755, 'tanking by': 834253, 'day plus': 228232, 'plus covid': 661583, 'think now': 885430, 'you feel ain': 1018535, 'feel ain wa': 302553, 'ain wa my': 39665, 'wa my lil': 962675, 'my lil dust': 549063, 'lil dust that': 492219, 'dust that owed': 263461, 'that owed but': 845627, 'owed but oh': 631833, 'but oh goshh': 146644, 'oh goshh you': 596400, 'goshh you watching': 358351, 'you watching around': 1022193, 'watching around the': 968708, 'around the worldd': 93571, 'the worldd and': 872017, 'worldd and seeing': 1010228, 'and seeing oil': 71162, 'seeing oil price': 746392, 'oil price tanking': 597283, 'price tanking by': 676756, 'tanking by the': 834254, 'the day plus': 852905, 'day plus covid': 228233, 'plus covid 19': 661584, 'and think now': 73966, 'think now is': 885431, 'yourself coronavirus': 1026569, 'educate yourself coronavirus': 268778, 'yourself coronavirus lingers': 1026570, 'unnamed': 942837, 'angered': 76417, 'unnamed supermarket': 942838, 'have angered': 379277, 'angered me': 76418, 'quick essential': 694313, 'essential weekly': 281772, 'shop two': 760983, 'two member': 937035, 'staff standing': 792882, 'standing so': 793811, 'when pointed': 983887, 'pointed it': 662731, 'out got': 626227, 'got shouted': 358832, 'shouted down': 766785, 'the roster': 865991, 'roster without': 726150, 'without standing': 1002934, 'standing together': 793826, 'together beyond': 920727, 'belief stayhomesavelives': 126217, 'unnamed supermarket have': 942839, 'supermarket have angered': 820678, 'have angered me': 379278, 'angered me on': 76419, 'me on my': 523262, 'on my quick': 602307, 'my quick essential': 549878, 'quick essential weekly': 694314, 'essential weekly shop': 281773, 'weekly shop two': 977559, 'shop two member': 760984, 'two member of': 937036, 'of staff standing': 590026, 'staff standing so': 792883, 'standing so close': 793812, 'other when pointed': 621198, 'when pointed it': 983888, 'pointed it out': 662732, 'it out got': 460182, 'out got shouted': 626228, 'got shouted down': 358833, 'shouted down we': 766786, 'down we can': 257443, 'can do the': 158121, 'do the roster': 250259, 'the roster without': 865992, 'roster without standing': 726151, 'without standing together': 1002936, 'standing together beyond': 793827, 'together beyond belief': 920728, 'beyond belief stayhomesavelives': 129139, 'virion': 957687, 'wear n95': 974423, 'n95 at': 551164, 'coronacrisis aerosol': 204501, 'aerosol virion': 33922, 'virion linger': 957688, 'linger spread': 493697, 'spread cross': 790497, 'cross isle': 219015, 'isle up': 454389, 'to minute': 910180, 'minute however': 533773, 'research also': 713655, 'also suggests': 48930, 'the aerosol': 848392, 'aerosol can': 33898, 'linger hour': 493690, 'hour credit': 405508, 'why you wear': 991604, 'you wear n95': 1022215, 'wear n95 at': 974424, 'n95 at the': 551165, 'the store during': 868013, 'the coronacrisis aerosol': 851774, 'coronacrisis aerosol virion': 204502, 'aerosol virion linger': 33923, 'virion linger spread': 957689, 'linger spread cross': 493698, 'spread cross isle': 790498, 'cross isle up': 219016, 'isle up to': 454390, 'up to minute': 946402, 'to minute however': 910181, 'minute however some': 533774, 'however some research': 409457, 'some research also': 783731, 'research also suggests': 713656, 'also suggests the': 48931, 'suggests the aerosol': 817719, 'the aerosol can': 848393, 'aerosol can linger': 33899, 'can linger hour': 158881, 'linger hour credit': 493691, 'adapting and': 31322, 'providing healthy': 687024, 'community consider': 189794, 'and expense': 62494, 're adapting and': 698182, 'adapting and doing': 31323, 'continue providing healthy': 201111, 'providing healthy food': 687025, 'our community consider': 622455, 'community consider donating': 189795, 'donating to help': 254522, 'manage the increased': 512441, 'demand and expense': 234961, 'and expense due': 62496, 'netanyahu': 557573, 'israeli prime': 455619, 'minister netanyahu': 533414, 'netanyahu announces': 557574, 'announces order': 77277, 'citizen home': 178907, 'some exception': 782782, 'exception drastic': 289261, 'drastic move': 258409, 'move indeed': 543672, 'indeed will': 434019, 'nation stock': 552318, 'food socialdistanacing': 316683, 'israeli prime minister': 455620, 'prime minister netanyahu': 678151, 'minister netanyahu announces': 533415, 'netanyahu announces order': 557575, 'announces order to': 77278, 'keep all citizen': 471294, 'all citizen home': 42350, 'citizen home for': 178908, 'seven day with': 753752, 'day with some': 228783, 'with some exception': 1000843, 'some exception drastic': 782783, 'exception drastic move': 289262, 'drastic move indeed': 258410, 'move indeed will': 543673, 'indeed will see': 434020, 'see this in': 745946, 'this in other': 888051, 'in other nation': 426246, 'other nation stock': 620559, 'nation stock up': 552319, 'on food socialdistanacing': 600910, 'coronacrisis and': 204509, 'online can': 607986, 'receive my': 703514, 'my sephora': 550018, 'sephora order': 751136, 'staying safe during': 798692, 'this coronacrisis and': 886873, 'coronacrisis and shopping': 204510, 'shopping online can': 763417, 'online can not': 607988, 'can not wait': 159055, 'not wait to': 572424, 'wait to receive': 964230, 'to receive my': 912925, 'receive my sephora': 703516, 'my sephora order': 550019, 'stanfield': 793868, 'today roundup': 920122, 'roundup when': 726428, 'unsafe stanfield': 943399, 'stanfield step': 793869, 'up filling': 944857, 'advice with': 33555, 'from sister': 337305, 'today roundup when': 920125, 'roundup when home': 726429, 'when home is': 983571, 'home is unsafe': 401462, 'is unsafe stanfield': 453553, 'unsafe stanfield step': 943400, 'stanfield step up': 793870, 'step up filling': 799689, 'up filling the': 944858, 'shelf and consumer': 756725, 'and consumer advice': 60343, 'consumer advice with': 196050, 'advice with report': 33557, 'with report from': 1000461, 'report from sister': 711981, 'from sister publication': 337306, 'sister publication and': 771780, 'frequently amp': 332839, 'amp thoroughly': 54697, 'thoroughly with': 891765, 'when soap': 984041, 'available hand': 104412, 'infection caused': 436732, 'hand frequently amp': 374954, 'frequently amp thoroughly': 332840, 'amp thoroughly with': 54698, 'thoroughly with soap': 891766, 'with soap amp': 1000790, 'amp water use': 54814, 'sanitizer with at': 736131, 'with at least': 997334, '60 alcohol when': 20896, 'alcohol when soap': 41176, 'when soap amp': 984042, 'amp water is': 54810, 'water is not': 969042, 'not available hand': 568302, 'available hand hygiene': 104413, 'hygiene is important': 412112, 'important to prevent': 419064, 'prevent infection caused': 671657, 'infection caused by': 436733, 'caused by your': 167874, 'by your safety': 154793, 'safety is in': 730590, 'slathering': 773696, 'doctor at': 250845, 'king county': 475249, 'county hospital': 211408, 'hospital center': 404344, 'center say': 169297, 'are reusing': 89673, 'reusing mask': 720185, 'week slathering': 976885, 'slathering them': 773697, 'between shift': 128889, 'shift low': 758349, 'income neighborhood': 432414, 'neighborhood healthcare': 557122, 'doctor at king': 250846, 'at king county': 99381, 'king county hospital': 475251, 'county hospital center': 211409, 'hospital center say': 404345, 'center say they': 169298, 'so low on': 777606, 'low on supply': 505466, 'on supply that': 603834, 'supply that they': 825956, 'they are reusing': 881390, 'are reusing mask': 89674, 'reusing mask for': 720186, 'mask for up': 518692, 'to week slathering': 918475, 'week slathering them': 976886, 'slathering them with': 773698, 'them with hand': 876649, 'sanitizer between shift': 734570, 'between shift low': 128890, 'shift low income': 758350, 'low income neighborhood': 505354, 'income neighborhood healthcare': 432415, 'neighborhood healthcare worker': 557123, 'healthcare worker deserve': 387354, 'worker deserve better': 1006757, 'bbalert': 113061, 'bbalert scammer': 113062, 'scammer to': 740630, 'package stay': 633405, 'vigilant here': 957245, 'time report': 897569, 'report view': 712417, 'view scam': 957158, 'bbalert scammer to': 113063, 'scammer to take': 740632, 'the government stimulus': 856603, 'government stimulus package': 360639, 'stimulus package stay': 801591, 'package stay vigilant': 633406, 'stay vigilant here': 797384, 'vigilant here some': 957247, 'tip to make': 898932, 'victim to scam': 956523, 'uncertain time report': 939624, 'time report view': 897570, 'report view scam': 712418, 'corona how': 204001, 'the propertymarket': 864686, 'propertymarket developing': 684388, 'living in time': 496396, 'of corona how': 581889, 'corona how are': 204002, 'on the propertymarket': 604310, 'the propertymarket developing': 864687, 'trumpsvirus': 934167, 'always higher': 49620, 'are convenient': 85555, 'convenient clue': 202391, 'clue is': 184546, 'word convenience': 1004467, 'convenience trumpsvirus': 202367, 'convenience store price': 202353, 'store price are': 809646, 'price are always': 672633, 'are always higher': 84502, 'always higher than': 49621, 'higher than supermarket': 395761, 'than supermarket store': 841192, 'supermarket store because': 823003, 'store because they': 806689, 'they are convenient': 881235, 'are convenient clue': 85556, 'convenient clue is': 202392, 'clue is in': 184547, 'the word convenience': 871700, 'word convenience trumpsvirus': 1004468, 'so basic': 776595, 'basic and': 111825, 'once so': 605703, 'so widely': 778765, 'available could': 104303, 'so precious': 778063, 'precious and': 669461, 'after toiletpapercrisis': 36431, 'toiletpaperapocalypse toiletpaperchallenge': 922935, 'thought that something': 893235, 'that something so': 846410, 'something so basic': 785062, 'so basic and': 776596, 'basic and once': 111827, 'and once so': 68080, 'once so widely': 605704, 'so widely available': 778766, 'widely available could': 991782, 'available could become': 104304, 'could become so': 208955, 'become so precious': 120136, 'so precious and': 778064, 'precious and sought': 669463, 'sought after toiletpapercrisis': 786209, 'after toiletpapercrisis toiletpaperapocalypse': 36432, 'toiletpapercrisis toiletpaperapocalypse toiletpaperchallenge': 923091, 'toiletpaperapocalypse toiletpaperchallenge toiletpaper': 922936, 'toiletpaperchallenge toiletpaper toiletpaperwars': 922982, 'toiletpaper toiletpaperwars toiletpaperpanic': 922726, 'fortnightly': 329849, '30min': 17478, 'admiring': 32576, 'gorgeous': 358322, 'become fortnightly': 119999, 'fortnightly shop': 329852, 'plus side': 661669, 'only 30min': 610002, '30min queue': 17479, 'foreseeable and': 329058, 'and admiring': 57706, 'admiring the': 32577, 'the gorgeous': 856474, 'gorgeous weather': 358323, 'weather through': 974910, 'window stayhomesavelives': 995722, 'my normal weekly': 549513, 'weekly shop ha': 977547, 'shop ha become': 760250, 'ha become fortnightly': 369677, 'become fortnightly shop': 120000, 'fortnightly shop it': 329854, 'shop it crazy': 760370, 'it crazy out': 457392, 'there people on': 878927, 'on the plus': 604288, 'the plus side': 863870, 'plus side it': 661670, 'side it wa': 768830, 'wa only 30min': 962851, 'only 30min queue': 610003, '30min queue to': 17480, 'and now back': 67822, 'now back home': 574173, 'the foreseeable and': 855695, 'foreseeable and admiring': 329059, 'and admiring the': 57707, 'admiring the gorgeous': 32579, 'the gorgeous weather': 856475, 'gorgeous weather through': 358324, 'weather through the': 974911, 'through the window': 894778, 'the window stayhomesavelives': 871598, 'stresseating': 813428, 'me money': 523158, 'med household': 525900, 'household stuff': 406959, 'etc nice': 282669, 'nice chunk': 562367, 'chunk is': 178316, 'my ice': 548812, 'cream will': 215581, 'up stresseating': 946086, 'stresseating stayhomechallenge': 813429, 'stayhomechallenge msnbc': 798271, 'government sends me': 360583, 'sends me money': 750131, 'me money not': 523159, 'money not only': 536912, 'only will get': 611478, 'will get food': 993506, 'get food my': 347054, 'food my med': 315496, 'my med household': 549227, 'med household stuff': 525901, 'household stuff etc': 406960, 'stuff etc nice': 815061, 'etc nice chunk': 282670, 'nice chunk is': 562368, 'chunk is going': 178317, 'is going straight': 448102, 'straight to refuse': 812244, 'stuck in my': 814597, 'my house without': 548752, 'house without my': 406701, 'without my ice': 1002796, 'my ice cream': 548813, 'ice cream will': 412661, 'cream will stock': 215582, 'stock up stresseating': 803118, 'up stresseating stayhomechallenge': 946087, 'stresseating stayhomechallenge msnbc': 813430, 'kimkardashianisoverparty': 474781, 'thankyoupresidenttrump': 842387, 'kpop': 477604, 'vmin': 959900, 'ateez': 101731, 'nct': 553368, 'coronavirus toilet': 206953, 'paper grocery': 640230, 'store kimkardashianisoverparty': 808650, 'kimkardashianisoverparty animalcrossingnewhorizons': 474782, 'animalcrossingnewhorizons lockdown': 76710, 'lockdown thankyoupresidenttrump': 499999, 'thankyoupresidenttrump kpop': 842388, 'kpop bts': 477605, 'bts vmin': 141523, 'vmin army': 959901, 'army ateez': 92992, 'ateez nct': 101732, 'nct party': 553369, 'party favor': 642996, 'coronavirus toilet paper': 206954, 'toilet paper grocery': 921292, 'paper grocery store': 640231, 'grocery store kimkardashianisoverparty': 365503, 'store kimkardashianisoverparty animalcrossingnewhorizons': 808651, 'kimkardashianisoverparty animalcrossingnewhorizons lockdown': 474783, 'animalcrossingnewhorizons lockdown thankyoupresidenttrump': 76711, 'lockdown thankyoupresidenttrump kpop': 500000, 'thankyoupresidenttrump kpop bts': 842389, 'kpop bts vmin': 477606, 'bts vmin army': 141524, 'vmin army ateez': 959902, 'army ateez nct': 92993, 'ateez nct party': 101733, 'nct party favor': 553370, 'bcoz': 113350, 'but dude': 145625, 'dude this': 261614, 'useless bcoz': 950222, 'bcoz it': 113351, 'say zero': 739527, 'zero alcohol': 1027400, 'affected from': 34359, 'they making': 882652, 'fool with': 318315, 'free offer': 332014, 'but dude this': 145626, 'dude this is': 261615, 'this is useless': 888451, 'is useless bcoz': 453626, 'useless bcoz it': 950223, 'bcoz it say': 113352, 'it say zero': 460892, 'say zero alcohol': 739528, 'zero alcohol and': 1027401, 'alcohol and get': 40905, 'and get affected': 63560, 'get affected from': 346504, 'affected from sanitizer': 34360, 'from sanitizer which': 337156, 'sanitizer which ha': 736078, 'which ha around': 985876, 'ha around 70': 369613, 'around 70 alcohol': 93161, '70 alcohol so': 21722, 'alcohol so they': 41109, 'so they making': 778475, 'they making you': 882653, 'making you fool': 511502, 'you fool with': 1018619, 'fool with free': 318316, 'with free offer': 998537, 'uk popular': 938636, 'popular retail': 664597, 'store primark': 809653, 'primark ha': 678057, 'uk store': 938750, 'notice amid': 573245, 'uk popular retail': 938637, 'popular retail store': 664598, 'retail store primark': 718685, 'store primark ha': 809654, 'primark ha announced': 678058, 'it will close': 462382, 'close all uk': 182510, 'all uk store': 45311, 'uk store till': 938751, 'further notice amid': 342096, 'notice amid outbreak': 573246, 'onlineretailing': 609862, 'korea heavy': 477481, 'party merchant': 643009, 'merchant selling': 529044, 'marketplace platform': 517824, 'platform enabled': 658957, 'enabled consumer': 275447, 'shortage mrx': 765074, 'mrx onlineretailing': 544490, 'onlineretailing consumer': 609863, 'south korea heavy': 786743, 'korea heavy reliance': 477482, 'reliance on third': 709243, 'on third party': 604599, 'third party merchant': 886092, 'party merchant selling': 643010, 'merchant selling through': 529045, 'selling through online': 749501, 'through online marketplace': 894600, 'online marketplace platform': 608529, 'marketplace platform enabled': 517825, 'platform enabled consumer': 658958, 'enabled consumer to': 275448, 'consumer to avoid': 199307, 'to avoid shortage': 900939, 'avoid shortage mrx': 105280, 'shortage mrx onlineretailing': 765075, 'mrx onlineretailing consumer': 544491, 'fear canadian': 301081, 'are circulating': 85278, '19 scammer are': 10357, 'scammer are preying': 740540, 'preying on your': 672090, 'on your fear': 605463, 'your fear canadian': 1023840, 'fear canadian are': 301082, 'canadian are being': 160634, 'being warned to': 126048, 'careful of the': 164416, 'that are circulating': 842728, 'dca': 228987, 'prescribers': 670480, 'wrongfully': 1013176, 'referenced': 706509, 'california department': 155489, 'affair dca': 34020, 'dca is': 228988, 'recent news': 703931, 'of prescribers': 588369, 'prescribers wrongfully': 670481, 'wrongfully hoarding': 1013177, 'and prescribing': 69377, 'prescribing for': 670488, 'themselves family': 876801, 'member certain': 528045, 'medication referenced': 526677, 'referenced in': 706510, 'medium relating': 527246, 'california department of': 155490, 'consumer affair dca': 196082, 'affair dca is': 34021, 'dca is aware': 228989, 'aware of recent': 105638, 'of recent news': 588820, 'recent news and': 703932, 'news and social': 560238, 'social medium report': 779877, 'medium report of': 527251, 'report of prescribers': 712119, 'of prescribers wrongfully': 588370, 'prescribers wrongfully hoarding': 670482, 'wrongfully hoarding and': 1013178, 'hoarding and prescribing': 399186, 'and prescribing for': 69378, 'prescribing for themselves': 670489, 'for themselves family': 326942, 'themselves family member': 876802, 'family member certain': 298028, 'member certain medication': 528046, 'certain medication referenced': 170054, 'medication referenced in': 526678, 'referenced in the': 706511, 'the medium relating': 860437, 'boss said': 135747, 'move would': 543786, 'family stuck': 298264, 'the supermarket boss': 868493, 'supermarket boss said': 819401, 'boss said the': 135748, 'said the move': 731443, 'the move would': 861092, 'move would be': 543787, 'be for the': 114913, 'crisis to help': 218247, 'help family stuck': 389685, 'family stuck at': 298265, 'breaking crude': 138937, '2003 london': 13590, 'london ukgoverment': 501214, 'ukgoverment uk': 938962, 'uk corona': 938271, 'corona news': 204070, 'news virus': 560946, 'stock bitcoin': 801924, 'bitcoin currency': 131808, 'currency forextrading': 221031, 'forextrading forextrader': 329206, 'forextrader forex': 329201, 'forex workingfromhome': 329181, 'breaking crude oil': 138938, 'since 2003 london': 770444, '2003 london ukgoverment': 13591, 'london ukgoverment uk': 501215, 'ukgoverment uk corona': 938963, 'uk corona news': 938272, 'corona news virus': 204071, 'news virus stock': 560947, 'virus stock bitcoin': 958816, 'stock bitcoin currency': 801925, 'bitcoin currency forextrading': 131809, 'currency forextrading forextrader': 221032, 'forextrading forextrader forex': 329207, 'forextrader forex workingfromhome': 329202, 'for fun': 321816, 'fun but': 341142, 'but continue': 145454, 'about the massive': 26446, 'massive panic caused': 520063, 'caused by here': 167842, 'by here is': 152794, 'is the advice': 452722, 'out for fun': 626124, 'for fun but': 321817, 'fun but continue': 341143, 'but continue working': 145455, 'continue working in': 201295, 'office panic while': 595511, 'panic while buying': 638784, 'while buying food': 986665, 'buying food someone': 150332, 'food someone who': 316696, 'someone who make': 784763, 'who make money': 989250, 'money from it': 536768, 'kill all the': 474338, 'body there will': 133903, 'then argued': 876999, 'argued with': 92704, 'there hope': 878479, 'your son': 1025869, 'son shame': 785436, 'shame is': 754606, 'how pathetic': 408486, 'pathetic you': 644069, 'look saw': 502586, 'saw marksandspencer': 738169, 'marksandspencer social': 517935, 'to the woman': 917196, 'yesterday and then': 1015667, 'and then argued': 73743, 'then argued with': 877000, 'argued with me': 92705, 'with me and': 999439, 'and the staff': 73591, 'the staff working': 867710, 'staff working there': 793118, 'working there hope': 1008950, 'there hope your': 878481, 'hope your son': 403821, 'your son shame': 1025872, 'son shame is': 785437, 'shame is enough': 754607, 'enough to make': 277713, 'about how pathetic': 25460, 'how pathetic you': 408487, 'pathetic you look': 644070, 'you look saw': 1019701, 'look saw marksandspencer': 502587, 'saw marksandspencer social': 738170, 'marksandspencer social distancing': 517936, 'the triple': 870001, 'triple hit': 932249, 'hit of': 398344, 'of behavior': 580629, 'change lack': 172161, 'retailer are seeing': 719016, 'seeing the triple': 746507, 'the triple hit': 870002, 'triple hit of': 932250, 'hit of behavior': 398345, 'of behavior change': 580630, 'behavior change lack': 123965, 'change lack of': 172162, 'lack of consumer': 478614, 'confidence and reduced': 193822, 'and reduced to': 70106, 'reduced to no': 706196, 'to no in': 910623, 'store traffic what': 810938, 'traffic what do': 929160, 'think the future': 885633, 'of retail will': 589059, 'retail will look': 718860, 'thy': 895553, 'about thy': 26691, 'thy neighbor': 895554, 'your greedy': 1024108, 'greedy self': 363587, 'self there': 747923, 'think about thy': 885109, 'about thy neighbor': 26692, 'thy neighbor and': 895555, 'neighbor and stop': 556981, 'and stop thinking': 72489, 'thinking about your': 885868, 'about your greedy': 27000, 'your greedy self': 1024109, 'greedy self there': 363588, 'self there is': 747924, 'is plenty to': 450906, 'plenty to go': 661007, 'around if people': 93339, 'if people stop': 414632, 'shopping and hoarding': 761991, 'jobsnewsuk': 466369, 'chain morrison': 170931, 'create 500': 215602, 'pandemic jobsnewsuk': 635839, 'supermarket chain morrison': 819625, 'chain morrison ha': 170932, 'to create 500': 903699, 'create 500 new': 215603, '500 new job': 20027, 'new job to': 558991, 'job to expand': 466224, 'expand it home': 290458, 'the pandemic jobsnewsuk': 863009, 'quirky': 694774, 'the led': 859260, 'fun quirky': 341211, 'quirky article': 694775, 'why ha the': 991035, 'ha the led': 372208, 'the led to': 859262, 'led to run': 485296, 'to run on': 913667, 'run on this': 727742, 'on this fun': 604609, 'this fun quirky': 887658, 'fun quirky article': 341212, 'quirky article by': 694776, 'article by of': 94282, 'by of the': 153395, 'of the offer': 591285, 'the offer some': 862064, 'offer some theory': 594803, 'something here': 784935, 'any context': 79062, 'context but': 200897, 'takeaway is': 832873, 'this deliverer': 887198, 'deliverer grocery': 233456, 'much greater': 544959, 'serve we': 751966, 'with act': 997091, 'there something here': 879076, 'something here for': 784936, 'for any context': 319398, 'any context but': 79063, 'context but our': 200898, 'but our takeaway': 146735, 'our takeaway is': 625073, 'takeaway is this': 832874, 'is this deliverer': 453082, 'this deliverer grocery': 887199, 'deliverer grocery store': 233457, 'are at much': 84674, 'at much greater': 99788, 'much greater risk': 544960, 'greater risk than': 363232, 'risk than many': 723918, 'than many of': 840868, 'of those they': 592121, 'those they serve': 892551, 'they serve we': 883327, 'serve we should': 751967, 'should remember that': 766404, 'remember that with': 710298, 'that with act': 847625, 'with act of': 997092, 'act of gratitude': 29721, 'when grown': 983500, 'man sneeze': 512237, 'during fucking': 262652, 'when grown man': 983501, 'grown man sneeze': 367286, 'man sneeze near': 512238, 'sneeze near you': 776256, 'near you in': 553641, 'store during fucking': 807402, 'during fucking pandemic': 262653, 'food whether': 317580, 'are producer': 89253, 'producer supplier': 680697, 'supplier consumer': 824517, 'else would': 272002, 'is affecting you': 445401, 'you in term': 1019321, 'of food whether': 583815, 'food whether you': 317582, 'you are producer': 1017204, 'are producer supplier': 89254, 'producer supplier consumer': 680698, 'supplier consumer or': 824518, 'consumer or anything': 198281, 'anything else would': 80753, 'else would like': 272003, 'like to hear': 491595, 'from you through': 338469, 'through this survey': 894845, 'clean on': 180596, 'domestically in': 253253, 'calm and clean': 156685, 'and clean on': 59934, 'clean on tissue': 180597, 'on tissue and': 604719, 'tissue and are': 899119, 'and are produced': 58345, 'are produced domestically': 89250, 'produced domestically in': 680512, 'domestically in japan': 253254, 'in japan amp': 424369, 'japan amp there': 464704, 'amp there is': 54680, 'awake': 105560, 'racked': 695362, 'thankyoubakedpotato': 842362, 'feednhs': 302528, 'am awake': 49916, 'awake and': 105561, 'and racked': 69901, 'racked with': 695363, 'guilt ate': 368536, 'ate baked': 101715, 'baked potato': 108775, 'potato tonight': 666993, 'defence it': 232092, 'store mean': 808928, 'mean shop': 524641, 'shop stayhomesavelives': 760832, 'stayhomesavelives thankyoubakedpotato': 798473, 'thankyoubakedpotato feednhs': 842363, 'am awake and': 49917, 'awake and racked': 105562, 'and racked with': 69902, 'racked with guilt': 695364, 'with guilt ate': 998709, 'guilt ate baked': 368537, 'ate baked potato': 101716, 'baked potato tonight': 108776, 'potato tonight in': 666994, 'tonight in my': 924426, 'my defence it': 547971, 'defence it wa': 232093, 'wa only to': 962862, 'only to avoid': 611354, 'grocery store mean': 365561, 'store mean shop': 808930, 'mean shop stayhomesavelives': 524642, 'shop stayhomesavelives thankyoubakedpotato': 760833, 'stayhomesavelives thankyoubakedpotato feednhs': 798474, 'tonight clapforkeyworkers': 924391, 'clapforkeyworkers draw': 179999, 'draw to': 258485, 'special appreciation': 787849, 'often forgotten': 596197, 'forgotten supermarket': 329458, 'easy but': 265665, 'an incredibly': 56263, 'tonight clapforkeyworkers draw': 924392, 'clapforkeyworkers draw to': 180000, 'draw to an': 258486, 'to an end': 900446, 'an end just': 55732, 'end just want': 275858, 'to show some': 914573, 'show some special': 767149, 'some special appreciation': 783914, 'special appreciation for': 787850, 'appreciation for group': 82878, 'for group of': 322072, 'group of worker': 366810, 'of worker who': 593287, 'who are often': 988180, 'are often forgotten': 88689, 'often forgotten supermarket': 596198, 'forgotten supermarket worker': 329459, 'worker they ve': 1007973, 'they ve never': 883667, 'never had it': 558040, 'had it easy': 373210, 'it easy but': 457740, 'easy but just': 265666, 'but just show': 146203, 'just show what': 469792, 'show what an': 767272, 'what an incredibly': 981039, 'an incredibly important': 56264, 'incredibly important job': 433906, 'important job they': 418860, 'job they do': 466200, 'they do let': 881966, 'do let not': 249563, 'up amazonsmile': 944274, 'amazonsmile so': 51265, 'support charity': 826409, 'charity of': 173660, 'choice find': 177767, 'ongoing situation in': 607689, 'situation in regard': 772324, 'to 19 more': 899545, '19 more and': 8677, 'using online shopping': 950579, 'shopping amazon have': 761940, 'amazon have set': 50978, 'set up amazonsmile': 753543, 'up amazonsmile so': 944275, 'amazonsmile so that': 51266, 'so that while': 778407, 'shopping you can': 764488, 'can support charity': 159857, 'support charity of': 826411, 'charity of your': 173662, 'your choice find': 1023213, 'choice find out': 177768, 'finally there': 306118, 'there website': 879295, 'will calculate': 992870, 'toiletpaper stash': 922512, 'last someone': 480504, 'it toiletpapercrisis': 461781, 'finally there website': 306120, 'there website that': 879296, 'website that will': 975431, 'that will calculate': 847560, 'will calculate how': 992871, 'calculate how much': 155296, 'how much our': 408364, 'much our toiletpaper': 545217, 'our toiletpaper stash': 625159, 'toiletpaper stash will': 922513, 'will last someone': 993952, 'last someone had': 480505, 'do it toiletpapercrisis': 249522, 'landon': 479383, 'tropical': 932573, 'meedha': 527378, 'vunna': 961311, 'prajala': 668908, 'pettakandi': 653884, 'line medicine': 493261, 'cure no': 220777, 'evidence on': 288374, 'other drug': 620125, 'drug doctor': 260937, 'at landon': 99403, 'landon school': 479384, 'hygiene tropical': 412187, 'tropical medicine': 932574, 'medicine video': 526917, 'from bbc': 334646, 'bbc jagan': 113081, 'jagan meedha': 464245, 'meedha vunna': 527379, 'vunna personal': 961312, 'personal hatred': 652862, 'hatred tho': 378982, 'tho prajala': 891686, 'prajala health': 668909, 'health ni': 386671, 'ni risk': 562306, 'risk lo': 723665, 'lo pettakandi': 497237, 'paracetamol is the': 641254, 'the first line': 855323, 'first line medicine': 308763, 'line medicine to': 493262, 'medicine to cure': 526909, 'to cure no': 903816, 'cure no evidence': 220778, 'no evidence on': 564146, 'evidence on other': 288375, 'on other drug': 602554, 'other drug doctor': 620126, 'drug doctor at': 260938, 'doctor at landon': 250847, 'at landon school': 99404, 'landon school of': 479385, 'school of hygiene': 741883, 'of hygiene tropical': 584945, 'hygiene tropical medicine': 412188, 'tropical medicine video': 932576, 'medicine video from': 526918, 'video from bbc': 956740, 'from bbc jagan': 334647, 'bbc jagan meedha': 113082, 'jagan meedha vunna': 464246, 'meedha vunna personal': 527380, 'vunna personal hatred': 961314, 'personal hatred tho': 652863, 'hatred tho prajala': 378983, 'tho prajala health': 891687, 'prajala health ni': 668910, 'health ni risk': 386672, 'ni risk lo': 562307, 'risk lo pettakandi': 723666, 'vermont becomes': 954848, 'tell big': 836915, 'only sell': 611098, 'sell essential': 748698, 'electronics clothing': 271287, 'clothing or': 184270, 'not deemed': 568974, 'essential well': 281774, 'done vermont': 255092, 'vermont everyone': 954850, 'everyone treated': 287513, 'treated the': 930973, 'pharmacy only': 654390, 'vermont becomes first': 954849, 'becomes first state': 120222, 'state to tell': 796028, 'to tell big': 916336, 'tell big box': 836916, 'box retailer that': 137151, 'retailer that they': 719361, 'can only sell': 159135, 'only sell essential': 611099, 'sell essential good': 748699, 'good during emergency': 356988, 'during emergency no': 262626, 'emergency no consumer': 272818, 'no consumer electronics': 563883, 'consumer electronics clothing': 197334, 'electronics clothing or': 271288, 'clothing or anything': 184271, 'anything else not': 80749, 'else not deemed': 271804, 'not deemed essential': 568975, 'deemed essential well': 231824, 'essential well done': 281775, 'well done vermont': 978206, 'done vermont everyone': 255093, 'vermont everyone treated': 954851, 'everyone treated the': 287514, 'treated the same': 930974, 'the same grocery': 866235, 'same grocery pharmacy': 733092, 'grocery pharmacy only': 364847, 'shop wanted': 761014, 'wanted people': 966222, 'business before': 143437, 'hiked their': 396344, 'price ll': 675077, 'that tried': 847121, 'price reasonable': 676111, 'reasonable once': 703108, 'over fuck': 630237, 'how many local': 408270, 'many local shop': 514244, 'local shop wanted': 498423, 'shop wanted people': 761015, 'wanted people to': 966224, 'people to support': 649950, 'local business before': 497753, 'business before have': 143438, 'before have now': 122841, 'now hiked their': 574928, 'hiked their price': 396345, 'their price ll': 874407, 'price ll be': 675078, 'll be supporting': 496631, 'supporting the one': 827213, 'one that tried': 607190, 'that tried to': 847122, 'their price reasonable': 874413, 'price reasonable once': 676112, 'reasonable once this': 703109, 'once this blow': 605750, 'blow over fuck': 133339, 'over fuck the': 630238, 'fuck the rest': 339662, 'making personal': 511280, 'by making personal': 153143, 'making personal protective': 511281, 'protective equipment and': 685724, 'equipment and hand': 279681, 'totally scary': 926388, 'scary shit': 741177, 'shit report': 759204, 'italian healthcare': 462704, 'totally scary shit': 926389, 'scary shit report': 741178, 'shit report on': 759205, 'on the collapse': 604028, 'of the italian': 591159, 'the italian healthcare': 858592, 'italian healthcare system': 462705, 'reporrts': 711766, 'and maintenance': 66537, 'maintenance during': 509162, 'consumer reporrts': 198693, 'car care and': 163046, 'care and maintenance': 163842, 'and maintenance during': 66538, 'maintenance during coronavirus': 509163, 'during coronavirus consumer': 262533, 'coronavirus consumer reporrts': 205685, 'advising to': 33714, 'stayhome from': 798007, 'but kinda': 146231, 'kinda hard': 475049, 'any available': 78952, 'available curbside': 104308, 'curbside date': 220616, 'date cannot': 226606, 'until 12': 943633, 'so is advising': 777435, 'is advising to': 445369, 'advising to stayhome': 33715, 'to stayhome from': 915341, 'stayhome from grocery': 798008, 'store pharmacy for': 809540, 'pharmacy for week': 654317, 'for week by': 327695, 'week by shopping': 976054, 'shopping online that': 763492, 'online that great': 609525, 'that great all': 844073, 'great all but': 362493, 'all but kinda': 42251, 'but kinda hard': 146232, 'kinda hard when': 475050, 'hard when do': 378108, 'when do not': 983350, 'do not show': 249845, 'show any available': 766868, 'any available curbside': 78953, 'available curbside date': 104309, 'curbside date cannot': 220617, 'date cannot get': 226607, 'get anything to': 346590, 'anything to me': 80916, 'to me until': 909966, 'me until 12': 523852, 'spent 40': 789092, 'min loading': 532549, 'loading my': 497340, 'car because': 163024, 'because wiped': 119840, 'with clorox': 997670, 'wipe before': 996205, 'before bagging': 122655, 'bagging and': 108521, 'am crazy': 49990, 'crazy quarantinelife': 215398, 'supermarket and spent': 819068, 'and spent 40': 72100, 'spent 40 min': 789093, '40 min loading': 18611, 'min loading my': 532550, 'loading my car': 497342, 'my car because': 547596, 'car because wiped': 163026, 'because wiped down': 119841, 'wiped down every': 996449, 'down every single': 256735, 'every single thing': 286194, 'single thing with': 771418, 'thing with clorox': 885001, 'with clorox wipe': 997671, 'clorox wipe before': 182470, 'wipe before bagging': 996206, 'before bagging and': 122656, 'bagging and putting': 108522, 'and putting it': 69837, 'putting it in': 691155, 'the car am': 850372, 'car am crazy': 162986, 'am crazy quarantinelife': 49991, 'what feel': 981449, 'nowadays quarantinelife': 576534, 'quarantinelife toronto': 693037, 'toronto stayhomestaysafe': 925994, 'what feel like': 981450, 'like when go': 491802, 'to supermarket nowadays': 915818, 'supermarket nowadays quarantinelife': 821680, 'nowadays quarantinelife toronto': 576535, 'quarantinelife toronto stayhomestaysafe': 693038, 'interesting looking': 441581, 'see comparison': 745005, 'comparison of': 191459, 'of pre': 588350, 'no profiteering': 565217, 'profiteering going': 683050, 'interesting looking at': 441582, 'item in my': 463349, 'local tesco store': 498641, 'tesco store would': 838817, 'to see comparison': 913993, 'see comparison of': 745006, 'comparison of pre': 191460, 'of pre covid': 588351, '19 price and': 9803, 'and deal would': 60979, 'deal would hope': 229591, 'hope that there': 403656, 'is no profiteering': 449962, 'no profiteering going': 565218, 'profiteering going on': 683051, 'going on during': 355315, 'on during this': 600445, 'alters': 49296, 'behavior alters': 123866, 'alters with': 49297, 'quarantine edible': 692168, 'edible amp': 268537, 'amp drink': 53675, 'drink surge': 258878, 'cannabis consumer behavior': 161396, 'consumer behavior alters': 196435, 'behavior alters with': 123867, 'alters with covid': 49298, '19 quarantine edible': 9908, 'quarantine edible amp': 692169, 'edible amp drink': 268538, 'amp drink surge': 53676, 'dhroa': 240127, 'dhroa thanks': 240128, 'thanks our': 842153, 'please message': 660230, 'message citizen': 529284, 'enough arrangement': 277327, 'arrangement of': 93720, 'etc citizen': 282470, 'panic rush': 638503, 'buy storing': 149245, 'storing it': 811775, 'dhroa thanks our': 240129, 'thanks our pm': 842154, 'our pm for': 624374, 'pm for taking': 661909, 'for taking extra': 326144, 'taking extra effort': 833355, 'extra effort to': 293507, 'effort to fight': 269623, '19 please message': 9724, 'please message citizen': 660231, 'message citizen that': 529285, 'citizen that we': 178977, 'have enough arrangement': 380440, 'enough arrangement of': 277328, 'arrangement of food': 93721, 'of food milk': 583733, 'food milk medicine': 315462, 'milk medicine etc': 531728, 'medicine etc citizen': 526768, 'etc citizen are': 282471, 'citizen are in': 178849, 'in panic rush': 426488, 'panic rush to': 638504, 'to buy storing': 902309, 'buy storing it': 149246, 'storing it which': 811776, 'it which is': 462349, 'which is creating': 985998, 'creating scarcity of': 216062, 'competence': 191606, 'term karl': 838193, 'karl haller': 470929, 'haller from': 374370, 'consumer center': 196754, 'of competence': 581620, 'competence ha': 191607, 'ha insight': 370976, 'it too soon': 461796, 'soon to know': 785867, 'know how will': 476465, 'impact the industry': 417998, 'long term karl': 501696, 'term karl haller': 838194, 'karl haller from': 470930, 'haller from the': 374371, 'the consumer center': 851507, 'consumer center of': 196756, 'center of competence': 169272, 'of competence ha': 581621, 'competence ha insight': 191608, 'ha insight for': 370977, 'insight for store': 439540, 'for store owner': 325929, 'rial': 720943, 'iran currency': 444683, 'currency rial': 221060, 'rial continued': 720944, 'lose value': 503494, 'value against': 952080, 'against major': 37541, 'major currency': 509298, 'currency on': 221050, 'tuesday reaching': 935176, 'reaching low': 700091, 'low 160': 505076, '160 00': 4203, 'dollar at': 252952, 'point amid': 662407, 'amid quickly': 52606, 'quickly worsening': 694647, 'worsening coronavirus': 1011088, 'pressure of': 671194, 'and inability': 65081, 'iran currency rial': 444684, 'currency rial continued': 221061, 'rial continued to': 720945, 'continued to lose': 201361, 'to lose value': 909465, 'lose value against': 503495, 'value against major': 952081, 'against major currency': 37542, 'major currency on': 509299, 'currency on tuesday': 221051, 'on tuesday reaching': 604891, 'tuesday reaching low': 935177, 'reaching low 160': 700092, 'low 160 00': 505077, '160 00 to': 4205, 'the dollar at': 853514, 'dollar at one': 252953, 'one point amid': 606895, 'point amid quickly': 662408, 'amid quickly worsening': 52607, 'quickly worsening coronavirus': 694648, 'worsening coronavirus covid': 1011089, 'epidemic and falling': 279335, 'oil price under': 597304, 'price under the': 677180, 'under the pressure': 940323, 'the pressure of': 864299, 'pressure of sanction': 671196, 'of sanction and': 589266, 'sanction and inability': 733617, 'than serious': 841127, 'serious flu': 751388, 'worst there': 1011278, 'the uncertainty you': 870346, 'reassure people for': 703194, 'people for 80': 647944, 'the population the': 864032, 'population the coronavirus': 664742, 'be nothing other': 116131, 'other than serious': 621080, 'than serious flu': 841128, 'serious flu that': 751389, 'flu that will': 311476, 'will last week': 993956, 'week at worst': 975966, 'at worst there': 101637, 'worst there is': 1011279, 'my ocd': 549540, 'ocd used': 579103, 'of disposable': 582701, 'disposable vinyl': 246269, 'glove used': 352997, 'because nowhere': 119294, 'nowhere ha': 576561, 'amazon et': 50935, 'least time': 484669, 'were thanks': 980230, 'stuck using': 814619, 'using freezer': 950495, 'of my ocd': 586798, 'my ocd used': 549542, 'ocd used to': 579104, 'used to buy': 950041, 'to buy pack': 902285, 'pack of disposable': 633094, 'of disposable vinyl': 582704, 'disposable vinyl glove': 246270, 'vinyl glove used': 957475, 'glove used to': 352998, 'used to because': 950036, 'to because nowhere': 901665, 'because nowhere ha': 119295, 'nowhere ha them': 576562, 'ha them in': 372242, 'them in stock': 875915, 'stock now and': 802506, 'now and the': 574061, 'price of them': 675586, 'them on amazon': 876083, 'on amazon et': 599276, 'amazon et al': 50936, 'al have increased': 40572, 'increased by at': 433230, 'at least time': 99558, 'least time what': 484670, 'time what they': 898275, 'they were thanks': 883806, 'were thanks panic': 980231, 'buyer now stuck': 149700, 'now stuck using': 575926, 'stuck using freezer': 814620, 'using freezer bag': 950496, 'jamaican': 464380, 'survivalofthefittest': 829108, 'my jamaican': 548899, 'jamaican fam': 464381, 'fam grew': 297506, 'farm they': 299199, 'if rely': 414725, 'rely 100': 709626, 'survive when': 829287, 'food grow': 314730, 'your behind': 1022937, 'behind with': 124757, 'with bidet': 997396, 'paper survivalofthefittest': 640857, 'survivalofthefittest commonsense': 829109, 'my jamaican fam': 548900, 'jamaican fam grew': 464382, 'fam grew up': 297507, 'grew up on': 363863, 'up on farm': 945560, 'on farm they': 600737, 'farm they never': 299200, 'they never went': 882779, 'never went hungry': 558270, 'went hungry if': 979036, 'hungry if rely': 411267, 'if rely 100': 414726, 'rely 100 on': 709627, '100 on supermarket': 2002, 'on supermarket how': 603794, 'supermarket how will': 820815, 'how will survive': 409239, 'will survive when': 995053, 'survive when there': 829288, 'no food grow': 564256, 'food grow your': 314731, 'own food wash': 632005, 'wash your behind': 967582, 'your behind with': 1022938, 'behind with bidet': 124758, 'with bidet or': 997397, 'bidet or soap': 129572, 'or soap water': 617136, 'water if cannot': 969025, 'if cannot find': 413941, 'cannot find toilet': 161851, 'toilet paper survivalofthefittest': 921478, 'paper survivalofthefittest commonsense': 640858, 'facetouch': 295230, 'christ just': 178076, 'just touched': 470139, 'touched my': 926626, 'face went': 294843, 'but ended': 145649, 'kleenex who': 475909, 'crisis canada': 217186, 'canada soldout': 160559, 'soldout canned': 781837, 'canned corn': 161502, 'corn tofu': 203600, 'tofu facetouch': 920647, 'jesus christ just': 465289, 'christ just touched': 178077, 'just touched my': 470140, 'touched my face': 926628, 'my face went': 548166, 'face went to': 294845, 'get some chicken': 348048, 'chicken but ended': 175760, 'but ended up': 145650, 'up with stock': 946685, 'paper and kleenex': 639835, 'and kleenex who': 65872, 'kleenex who need': 475910, 'need food during': 554793, 'of crisis canada': 582152, 'crisis canada soldout': 217187, 'canada soldout canned': 160560, 'soldout canned corn': 781838, 'canned corn tofu': 161503, 'corn tofu facetouch': 203601, 'soiled': 781574, 'is someone': 452098, 'home sick': 402067, 'not clean': 568756, 'area around': 91958, 'them unless': 876560, 'is soiled': 452062, 'soiled in': 781575, 'home clean': 400897, 'clean often': 180592, 'often touched': 596291, 'object phone': 578415, 'phone table': 655027, 'table countertop': 831460, 'countertop light': 210348, 'switch doorknob': 830481, 'doorknob using': 255820, 'water then': 969202, 'then disinfect': 877121, 'is someone in': 452100, 'someone in your': 784522, 'your home sick': 1024375, 'home sick with': 402068, 'sick with do': 768677, 'do not clean': 249694, 'not clean the': 568757, 'clean the area': 180647, 'the area around': 848877, 'area around them': 91960, 'around them unless': 93578, 'them unless it': 876561, 'it is soiled': 459083, 'is soiled in': 452063, 'soiled in the': 781576, 'in the rest': 429512, 'the home clean': 857444, 'home clean often': 400898, 'clean often touched': 180593, 'often touched surface': 596292, 'touched surface object': 926638, 'surface object phone': 828053, 'object phone table': 578416, 'phone table countertop': 655028, 'table countertop light': 831461, 'countertop light switch': 210349, 'light switch doorknob': 489603, 'switch doorknob using': 830482, 'doorknob using soap': 255821, 'using soap water': 950658, 'soap water then': 779163, 'water then disinfect': 969204, 'moshon': 542017, 'complying': 192541, 'the moshon': 860932, 'moshon data': 542018, 'data team': 226442, 'team our': 835754, 'are complying': 85473, 'complying with': 192542, 'working extremely': 1008618, 'extremely hard': 293887, 'just like the': 469157, 'like the moshon': 491381, 'the moshon data': 860933, 'moshon data team': 542019, 'data team our': 226443, 'team our are': 835755, 'our are complying': 622107, 'are complying with': 85474, 'complying with the': 192543, 'with the 2m': 1001187, 'distancing rule we': 247447, 'rule we would': 727400, 'opportunity to thank': 613733, 'all the who': 44983, 'the who are': 871468, 'are working extremely': 91694, 'working extremely hard': 1008619, 'extremely hard and': 293888, 'hard and special': 377864, 'newswire': 561141, '00 newswire': 367, 'newswire american': 561142, 'likely only': 492068, '15 00 newswire': 3632, '00 newswire american': 368, 'newswire american consumer': 561143, '12 million on': 2888, 'million on covid': 532299, 'scam and it': 740004, 'and it likely': 65546, 'it likely only': 459394, 'likely only the': 492069, 'only the tip': 611280, 'metalminer': 529667, 'metalprices': 529672, 'metal metalminer': 529639, 'metalminer to': 529670, 'host webinar': 404902, 'on metalprices': 602115, 'morning in metal': 541306, 'in metal metalminer': 425260, 'metal metalminer to': 529640, 'metalminer to host': 529671, 'to host webinar': 907992, 'host webinar on': 404903, 'webinar on impact': 975073, 'impact on metalprices': 417873, 'allow elderly': 45954, 'given preference': 351083, 'preference at': 669776, 'move by my': 543625, 'by my local': 153285, 'to allow elderly': 900334, 'allow elderly people': 45955, 'come in first': 187364, 'in first people': 422911, 'first people 60': 308856, 'people 60 and': 646729, 'and over are': 68557, 'over are at': 630000, 'higher risk and': 395724, 'risk and should': 723377, 'be given preference': 115030, 'given preference at': 351084, 'preference at all': 669777, 'shop guessing': 760247, 'guessing they': 368135, 'are independent': 87516, 'independent rather': 434128, 'than chain': 840446, 'selling cleaning': 749198, 'scare are': 740863, 'scum of': 742980, 'fucking earth': 339857, 'again would': 37284, 'urge others': 948203, 'shop guessing they': 760248, 'guessing they are': 368136, 'they are independent': 881309, 'are independent rather': 87519, 'independent rather than': 434129, 'rather than chain': 697509, 'than chain that': 840447, 'chain that are': 171160, 'are selling cleaning': 89954, 'selling cleaning product': 749199, 'product and ppe': 680898, 'ppe for hugely': 667948, 'inflated price to': 437078, 'price to exploit': 676990, 'exploit the scare': 292367, 'the scare are': 866441, 'scare are the': 740864, 'are the scum': 90905, 'the scum of': 866542, 'scum of the': 742981, 'of the fucking': 591048, 'the fucking earth': 855987, 'fucking earth would': 339858, 'earth would never': 265023, 'would never shop': 1012063, 'never shop in': 558192, 'shop in one': 760311, 'in one again': 426135, 'one again would': 605877, 'again would urge': 37285, 'would urge others': 1012358, 'urge others to': 948204, 'holbycity': 399874, 'news just': 560570, 're postponing': 699285, 'postponing tonight': 666866, 'tonight holbycity': 924423, 'holbycity episode': 399875, 'episode due': 279522, 'extended 6pm': 293144, '6pm news': 21660, 'news bulletin': 560280, 'bulletin sending': 142440, 'sending hug': 750031, 'news just in': 560572, 'just in we': 469053, 'in we re': 430731, 'we re postponing': 972937, 're postponing tonight': 699286, 'postponing tonight holbycity': 666867, 'tonight holbycity episode': 924424, 'holbycity episode due': 399876, 'episode due to': 279523, 'to an extended': 900456, 'an extended 6pm': 55985, 'extended 6pm news': 293145, '6pm news bulletin': 21661, 'news bulletin sending': 560281, 'bulletin sending hug': 142441, 'price kn95': 674997, 'exw china price': 293964, 'china price kn95': 176888, 'price kn95 mask': 674998, 'hesitate to tell': 394281, 'northshields': 567815, 'observing socialdistancing': 578657, 'supermarket northshields': 821634, 'observing socialdistancing at': 578658, 'the supermarket northshields': 868716, 'respond both': 715291, 'both to': 136076, 'measure respond both': 525316, 'respond both to': 715292, 'both to covid': 136077, 'oil price 19': 597027, 'coronavirus crash': 205724, 'dress global': 258668, 'alert coronavirus crash': 41391, 'coronavirus crash price': 205725, 'woman dress global': 1003476, 'dress global pandemic': 258669, 'of largest': 585719, 'producer company': 680589, 'company closed': 190552, 'closed after': 182957, 'after nearly': 35951, 'one of largest': 606751, 'of largest meat': 585720, 'meat producer company': 525715, 'producer company closed': 680590, 'company closed after': 190553, 'closed after nearly': 182959, 'after nearly 300': 35952, 'nearly 300 employee': 553775, 'scammer currently': 740559, 'currently there': 221694, 'not any': 568218, 'any credible': 79084, 'credible home': 216282, 'kit on': 475606, 'of scammer currently': 589370, 'scammer currently there': 740560, 'currently there are': 221695, 'are not any': 88323, 'not any credible': 568219, 'any credible home': 79085, 'credible home test': 216283, 'test kit on': 839066, 'kit on the': 475607, 'market for covid': 516408, 'preference the': 669795, 'video advertising': 956603, 'platform that': 659028, 'of surveyed': 590531, 'surveyed consumer': 828996, 'globally to': 352408, 'ass consumer': 96248, 'consumer changing': 196780, 'changing sentiment': 172788, 'sentiment toward': 751015, 'toward content': 927110, 'content via': 200855, 'content preference the': 200835, 'preference the video': 669796, 'the video advertising': 870739, 'video advertising platform': 956604, 'advertising platform that': 33259, 'platform that is': 659029, 'that is part': 844639, 'part of surveyed': 642385, 'of surveyed consumer': 590532, 'surveyed consumer globally': 828997, 'consumer globally to': 197587, 'globally to ass': 352409, 'to ass consumer': 900770, 'ass consumer changing': 96249, 'consumer changing sentiment': 196781, 'changing sentiment toward': 172789, 'sentiment toward content': 751016, 'toward content via': 927111, 'till operator': 896075, 'use sanitizers': 949553, 'sanitizers when': 736440, 'receive our': 703521, 'card am': 163443, 'am behind': 49932, 'coughing using': 208762, 'holding his': 400115, 'his bank': 397227, 'am following': 50050, 'following him': 312755, 'dear supermarket till': 229894, 'supermarket till operator': 823341, 'till operator please': 896077, 'please use sanitizers': 660712, 'use sanitizers when': 949555, 'sanitizers when you': 736442, 'when you receive': 984595, 'you receive our': 1020854, 'receive our bank': 703522, 'bank card am': 109710, 'card am behind': 163444, 'am behind someone': 49933, 'supermarket coughing using': 819823, 'coughing using hand': 208763, 'using hand to': 950508, 'cover the mouth': 212293, 'the mouth while': 861080, 'while holding his': 986922, 'holding his bank': 400116, 'his bank card': 397228, 'card am following': 163445, 'am following him': 50051, 'following him nami': 312757, 'impressionz': 419475, 'new impressionz': 558914, 'impressionz live': 419476, 'live clapping': 495768, 'can good': 158521, 'good since': 357738, 'on new impressionz': 602376, 'new impressionz live': 558915, 'impressionz live clapping': 419477, 'live clapping for': 495769, 'clapping for can': 180040, 'for can good': 319894, 'can good since': 158522, 'good since the': 357739, 'since the grocery': 770885, 'grocery store ran': 365699, 'corporate office': 207317, 'office closure': 595394, 'mount brand': 543397, 'taking stock': 833580, 'their commerce': 872808, 'channel and': 172858, 'and operational': 68189, 'operational efficiency': 613312, 'efficiency wholesale': 269410, 'wholesale retail': 990488, 'retail technology': 718766, 'technology ecommerce': 836284, 'store and corporate': 806219, 'and corporate office': 60580, 'corporate office closure': 207318, 'office closure mount': 595395, 'closure mount brand': 183943, 'mount brand are': 543398, 'brand are taking': 137756, 'are taking stock': 90735, 'taking stock of': 833581, 'stock of their': 802549, 'of their commerce': 591649, 'their commerce channel': 872809, 'commerce channel and': 188530, 'channel and operational': 172860, 'and operational efficiency': 68190, 'operational efficiency wholesale': 613313, 'efficiency wholesale retail': 269411, 'wholesale retail technology': 990490, 'retail technology ecommerce': 718767, 'shii': 758575, '19 shii': 10455, 'shii oil': 758576, 'gas is': 343883, 'is suppose': 452478, 'reach low': 699939, 'low gallon': 505293, 'side of all': 768843, 'covid 19 shii': 213783, '19 shii oil': 10456, 'shii oil price': 758577, 'have dropped and': 380376, 'dropped and gas': 260534, 'and gas is': 63479, 'gas is suppose': 343884, 'is suppose to': 452479, 'suppose to reach': 827329, 'to reach low': 912799, 'reach low gallon': 699940, 'low gallon in': 505294, 'gallon in some': 343029, 'hbl': 384637, 'hbl north': 384638, 'north karachi': 567655, 'karachi branch': 470857, 'branch current': 137672, 'current condition': 221135, 'no precautionary': 565175, 'measure available': 525135, 'here no': 393384, 'no distancing': 564029, 'distancing mark': 247305, 'mark are': 515773, 'consumer exempted': 197384, 'exempted from': 289994, 'from info': 336060, 'info imrankhan': 437496, 'imrankhan arynews': 419648, 'hbl north karachi': 384639, 'north karachi branch': 567656, 'karachi branch current': 470858, 'branch current condition': 137673, 'current condition no': 221136, 'condition no precautionary': 193490, 'no precautionary measure': 565176, 'precautionary measure available': 669422, 'measure available here': 525136, 'available here no': 104420, 'here no distancing': 393385, 'no distancing mark': 564030, 'distancing mark are': 247306, 'mark are their': 515774, 'are their consumer': 90939, 'their consumer exempted': 872856, 'consumer exempted from': 197385, 'exempted from info': 289995, 'from info imrankhan': 336061, 'info imrankhan arynews': 437497, 'update your': 947337, 'your offer': 1025048, 'offer so': 594797, 'crisis without': 218434, 'stay within': 797406, 'within restriction': 1002418, 'restriction stoppanicbuying': 717382, 'stoppanicbuying staysafestayhome': 805617, 'staysafestayhome onlineshopping': 799011, 'to update your': 917982, 'update your offer': 947338, 'your offer so': 1025049, 'offer so people': 594798, 'can actually use': 157367, 'actually use them': 31000, 'use them during': 949707, 'the crisis without': 852484, 'crisis without having': 218435, 'to buy other': 902283, 'buy other item': 149062, 'other item to': 620451, 'item to stay': 463766, 'to stay within': 915332, 'stay within restriction': 797407, 'within restriction stoppanicbuying': 1002419, 'restriction stoppanicbuying staysafestayhome': 717383, 'stoppanicbuying staysafestayhome onlineshopping': 805618, 'moonshine': 538349, 'franklin': 331162, 'creates many': 215949, 'normal using': 567387, 'using moonshine': 950559, 'moonshine hand': 538350, 'me luckily': 523130, 'to franklin': 906220, 'franklin county': 331163, 'county virginia': 211524, 'virginia the': 957685, 'mint make': 533664, 'mask little': 518918, 'more pleasant': 540078, 'pleasant thanks': 659618, 'creates many new': 215950, 'many new normal': 514341, 'new normal using': 559176, 'normal using moonshine': 567388, 'using moonshine hand': 950560, 'moonshine hand sanitizer': 538351, 'sanitizer is new': 735198, 'new one on': 559201, 'one on me': 606783, 'on me luckily': 602070, 'me luckily we': 523131, 'luckily we are': 506520, 'close to franklin': 182896, 'to franklin county': 906221, 'franklin county virginia': 331164, 'county virginia the': 211525, 'virginia the mint': 957686, 'the mint make': 860670, 'mint make wearing': 533665, 'make wearing the': 510710, 'wearing the mask': 974800, 'the mask little': 860220, 'mask little more': 518919, 'little more pleasant': 495470, 'more pleasant thanks': 540079, 'pleasant thanks for': 659619, 'the great job': 856724, 'great job you': 362793, 'job you and': 466313, 'and your team': 76100, 'your team are': 1026117, 'team are doing': 835590, 'bay we': 112978, 'bay check': 112926, 'let keep the': 486847, 'at bay we': 98111, 'bay we work': 112979, 'at bay check': 98099, 'bay check from': 112927, 'seeing ammo': 746213, 'ammo price': 52910, 'up will': 946608, 'virus scare': 958729, 'scare move': 740897, 'move you': 543788, 'you seeing ammo': 1021081, 'seeing ammo price': 746214, 'ammo price creeping': 52911, 'creeping up will': 216626, 'up will the': 946611, '19 virus scare': 11832, 'virus scare move': 958730, 'scare move you': 740898, 'move you to': 543789, 'take so': 832593, 'basically rather': 112156, 'rather inform': 697474, 'customer verbally': 223013, 'verbally that': 954760, 're open': 699198, 'for negotiation': 323805, 'negotiation opposed': 556953, 'now creating': 574481, 'creating sm': 216074, 'sm campaign': 774741, 'campaign around': 157201, 'being covid': 125005, '19 sensitive': 10410, 'sensitive company': 750698, 'such you': 816877, 'respect your take': 715094, 'your take so': 1026103, 'take so basically': 832594, 'so basically rather': 776600, 'basically rather inform': 112157, 'rather inform your': 697475, 'inform your customer': 437677, 'your customer verbally': 1023431, 'customer verbally that': 223014, 'verbally that you': 954761, 'you re open': 1020693, 're open for': 699202, 'open for negotiation': 612252, 'for negotiation opposed': 323806, 'negotiation opposed to': 556954, 'opposed to now': 613773, 'to now creating': 910742, 'now creating sm': 574482, 'creating sm campaign': 216075, 'sm campaign around': 774742, 'campaign around you': 157202, 'around you being': 93660, 'you being covid': 1017437, 'being covid 19': 125006, 'covid 19 sensitive': 213766, '19 sensitive company': 10411, 'sensitive company and': 750699, 'company and such': 190393, 'and such you': 72656, 'such you ll': 816878, 'll be reducing': 496616, 'be reducing your': 116743, 'uncertainty prompt': 939743, 'prompt producer': 683914, 'slash april': 773553, 'april pvc': 83662, 'pvc offer': 691349, 'offer producer': 594757, 'producer offer': 680673, 'offer volume': 594873, 'the construction': 851484, 'construction staple': 195820, 'staple 100': 793890, '100 mt': 1965, 'mt below': 544596, 'below march': 126693, 'march price': 515441, 'price buyer': 672997, 'buyer show': 149749, 'little interest': 495411, 'interest amid': 441329, 'amid uncertain': 52737, 'uncertain construction': 939573, 'construction demand': 195788, 'from end': 335278, 'end user': 276054, 'user story': 950319, 'uncertainty prompt producer': 939744, 'prompt producer to': 683915, 'producer to slash': 680704, 'to slash april': 914715, 'slash april pvc': 773554, 'april pvc offer': 83663, 'pvc offer producer': 691350, 'offer producer offer': 594758, 'producer offer volume': 680674, 'offer volume of': 594874, 'volume of the': 960159, 'of the construction': 590885, 'the construction staple': 851486, 'construction staple 100': 195821, 'staple 100 mt': 793891, '100 mt below': 1966, 'mt below march': 544597, 'below march price': 126694, 'march price buyer': 515442, 'price buyer show': 672998, 'buyer show little': 149750, 'show little interest': 767035, 'little interest amid': 495412, 'interest amid uncertain': 441330, 'amid uncertain construction': 52738, 'uncertain construction demand': 939574, 'construction demand from': 195789, 'demand from end': 235537, 'from end user': 335279, 'end user story': 276055, 'ongoing display': 607627, 'of sheer': 589573, 'sheer idiocy': 756574, 'idiocy check': 413425, 'for an ongoing': 319305, 'an ongoing display': 56601, 'ongoing display of': 607628, 'display of sheer': 246195, 'of sheer idiocy': 589574, 'sheer idiocy check': 756575, 'idiocy check your': 413426, 'ceba': 168726, 'canadian were': 160769, 'were extremely': 979608, 'extremely ill': 293892, 'ill prepared': 416168, 'or saving': 616968, 'saving it': 737897, 'still time': 801312, 'for justintrudeau': 322801, 'justintrudeau govt': 470491, 'anticipate what': 78447, 'come 19': 187176, 'canada ceba': 160393, 'ceba cerb': 168727, 'cerb cdnpoli': 169908, 'so many canadian': 777640, 'many canadian were': 513864, 'canadian were extremely': 160770, 'were extremely ill': 979609, 'extremely ill prepared': 293893, 'ill prepared they': 416170, 'prepared they had': 670244, 'had no plan': 373336, 'no plan or': 565121, 'plan or saving': 658198, 'or saving it': 616970, 'saving it consumer': 737898, 'it consumer spending': 457294, 'kill the economy': 474514, 'the economy not': 853999, 'economy not the': 268101, 'not the pandemic': 572018, 'the pandemic there': 863123, 'pandemic there still': 636725, 'there still time': 879106, 'still time for': 801313, 'time for justintrudeau': 896719, 'for justintrudeau govt': 322802, 'justintrudeau govt to': 470492, 'govt to anticipate': 361305, 'to anticipate what': 900599, 'anticipate what to': 78448, 'what to come': 982452, 'to come 19': 903017, 'come 19 canada': 187177, '19 canada ceba': 5621, 'canada ceba cerb': 160394, 'ceba cerb cdnpoli': 168728, 'lpm': 506330, 'firmly believe': 308465, 'than what': 841441, 'published let': 688661, 'country up': 211200, 'again without': 37280, 'without panicking': 1002822, 'panicking nh': 639357, 'struggling lpm': 814460, 'lpm government': 506331, 'firmly believe this': 308467, 'believe this is': 126385, 'this is much': 888322, 'le than what': 483193, 'than what is': 841444, 'what is currently': 981685, 'currently being published': 221482, 'being published let': 125601, 'published let stay': 688662, 'let stay safe': 487078, 'safe and open': 729465, 'and open this': 68166, 'open this country': 612572, 'this country up': 886978, 'country up again': 211201, 'up again without': 944239, 'again without panicking': 37281, 'without panicking nh': 1002823, 'panicking nh virus': 639358, 'money struggling lpm': 537042, 'struggling lpm government': 814461, 'lpm government pm': 506332, 'bff': 129300, 'betrayal': 128157, 'trump bff': 933443, 'bff socialist': 129301, 'socialist putin': 781019, 'criminal saudi': 216875, 'arabia crash': 83872, 'price abroad': 672196, 'abroad with': 27170, 'war while': 966596, 'while domestic': 986768, 'domestic producer': 253217, 'shop trump': 760977, 'trump betrayal': 933441, 'betrayal press': 128158, 'press on': 671063, 'on msnbc': 602243, 'cnn oilpricewar': 184770, 'trump bff socialist': 933444, 'bff socialist putin': 129302, 'socialist putin and': 781020, 'putin and criminal': 691006, 'and criminal saudi': 60752, 'criminal saudi arabia': 216876, 'saudi arabia crash': 737190, 'arabia crash oil': 83873, 'crash oil price': 215016, 'oil price abroad': 597032, 'price abroad with': 672197, 'abroad with price': 27171, 'with price war': 1000319, 'price war while': 677383, 'war while domestic': 966597, 'while domestic producer': 986769, 'domestic producer have': 253218, 'producer have to': 680638, 'to bail and': 901000, 'bail and close': 108581, 'and close shop': 60002, 'close shop trump': 182794, 'shop trump betrayal': 760978, 'trump betrayal press': 933442, 'betrayal press on': 128159, 'press on msnbc': 671064, 'on msnbc cnn': 602244, 'msnbc cnn oilpricewar': 544566, 'defendourdemocracy': 232118, 'plan defendourdemocracy': 658101, 'defendourdemocracy joe': 232119, 'trump plan defendourdemocracy': 933754, 'plan defendourdemocracy joe': 658102, 'outbreak due': 628183, 'weapon and': 974235, 'ammunition losangeles': 52951, 'gun sale have': 368720, 'sale have increased': 732267, 'united state amid': 942202, 'the outbreak due': 862615, 'outbreak due to': 628184, 'why they also': 991449, 'they also stock': 881157, 'on weapon and': 605151, 'weapon and ammunition': 974237, 'and ammunition losangeles': 58085, 'ammunition losangeles gunsales': 52952, 'vrheadset': 960759, 'virtualreality': 957858, 'out door': 625978, 'so order': 777957, 'order vr': 618749, 'headset for': 386048, 'for smartphone': 325675, 'smartphone at': 775520, 'in vr': 430629, 'vr it': 960741, 'from vr': 338267, 'vr vrheadset': 960752, 'vrheadset virtualreality': 960760, 'virtualreality 19': 957859, 'while the china': 987376, 'the china 19': 850831, 'china 19 is': 176439, '19 is moving': 8008, 'is moving around': 449756, 'moving around it': 544122, 'around it is': 93365, 'go out door': 353945, 'out door so': 625979, 'door so order': 255712, 'so order vr': 777958, 'order vr headset': 618750, 'vr headset for': 960738, 'headset for smartphone': 386049, 'for smartphone at': 325676, 'smartphone at great': 775521, 'price and travel': 672569, 'and travel around': 74403, 'travel around in': 930272, 'around in vr': 93351, 'in vr it': 430630, 'vr it fun': 960742, 'it fun and': 458185, 'fun and safe': 341129, 'and safe go': 70713, 'safe go order': 729715, 'go order yours': 353925, 'order yours now': 618808, 'yours now from': 1026472, 'now from vr': 574756, 'from vr vrheadset': 338268, 'vr vrheadset virtualreality': 960753, 'vrheadset virtualreality 19': 960761, 'have added': 379123, 'added new': 31586, 'new yellow': 559913, 'yellow circle': 1015258, 'circle to': 178622, 'highlight supermarket': 395959, 'contaminated very': 200678, 'very scary': 955506, 'scary considering': 741141, 'packaging etc': 633532, 'etc warn': 282856, 'warn everyone': 966931, 'wash everything': 967456, 'eat raw': 266034, 'raw vegetarian': 698002, 'vegetarian fruit': 954147, 'fruit bought': 339075, 'have added new': 379125, 'added new yellow': 31587, 'new yellow circle': 559914, 'yellow circle to': 1015259, 'circle to highlight': 178623, 'to highlight supermarket': 907755, 'highlight supermarket and': 395960, 'and pharmacy that': 68981, 'that are contaminated': 842731, 'are contaminated very': 85540, 'contaminated very scary': 200679, 'very scary considering': 955507, 'scary considering the': 741142, 'considering the product': 195429, 'product and all': 680872, 'and all kind': 57872, 'kind of packaging': 474925, 'of packaging etc': 587651, 'packaging etc warn': 633533, 'etc warn everyone': 282857, 'warn everyone to': 966932, 'everyone to wash': 287509, 'to wash everything': 918344, 'wash everything they': 967457, 'everything they buy': 288046, 'they buy and': 881588, 'buy and never': 148326, 'and never eat': 67533, 'never eat raw': 557962, 'eat raw vegetarian': 266036, 'raw vegetarian fruit': 698003, 'vegetarian fruit bought': 954148, 'fruit bought in': 339077, 'bought in store': 136604, 'achieving': 29063, 'cpg brand': 214581, 'are achieving': 84184, 'achieving purpose': 29064, 'purpose by': 690102, 'by aiding': 151779, 'how cpg brand': 407639, 'cpg brand are': 214582, 'brand are achieving': 137738, 'are achieving purpose': 84185, 'achieving purpose by': 29065, 'purpose by aiding': 690103, 'by aiding the': 151780, 'aiding the fight': 39517, 'calendar': 155387, 'experiential': 291725, 'the calendar': 850272, 'calendar of': 155393, 'of experiential': 583321, 'experiential and': 291726, 'event agency': 284940, 'future forcing': 342329, 'shift their': 758422, 'model agency': 535224, 'afloat are': 34946, 'digital pivot': 242624, 'pivot or': 657092, 'free consumer': 331721, 'experience well': 291529, '19 ha wiped': 7404, 'ha wiped the': 372485, 'wiped the calendar': 996480, 'the calendar of': 850273, 'calendar of experiential': 155394, 'of experiential and': 583322, 'experiential and live': 291727, 'and live event': 66251, 'live event agency': 495799, 'event agency for': 284941, 'agency for the': 38010, 'foreseeable future forcing': 329063, 'future forcing them': 342330, 'them to shift': 876510, 'to shift their': 914417, 'shift their business': 758423, 'business model agency': 144053, 'model agency that': 535225, 'agency that have': 38082, 'stay afloat are': 796746, 'afloat are working': 34947, 'working with client': 1009054, 'with client on': 997664, 'client on digital': 182077, 'on digital pivot': 600326, 'digital pivot or': 242625, 'pivot or contact': 657093, 'or contact free': 614803, 'contact free consumer': 200084, 'free consumer experience': 331722, 'consumer experience well': 197416, 'sanny': 736584, 'magpie': 508458, 'pozzie': 667862, 'magpied': 508461, 'new aussie': 558367, 'aussie slang': 103134, 'slang to': 773528, 'out sanny': 627141, 'sanny hand': 736587, 'in iso': 424185, 'iso self': 454800, 'rona magpie': 725788, 'magpie supermarket': 508459, 'hoarder my': 399076, 'bos tested': 135701, 'tested pozzie': 839361, 'pozzie for': 667863, 'rona so': 725796, 'iso popped': 454798, 'popped down': 664495, 'woolies for': 1004375, 'for sanny': 325344, 'sanny but': 736585, 'been magpied': 121515, 'magpied not': 508462, 'sure original': 827643, 'original source': 619589, 'for new aussie': 323817, 'new aussie slang': 558368, 'aussie slang to': 103135, 'slang to come': 773529, 'come out sanny': 187473, 'out sanny hand': 627142, 'sanny hand sanitiser': 736588, 'sanitiser in iso': 733976, 'in iso self': 424187, 'iso self isolation': 454801, 'isolation the rona': 455455, 'the rona magpie': 865965, 'rona magpie supermarket': 725789, 'magpie supermarket hoarder': 508460, 'supermarket hoarder my': 820770, 'hoarder my bos': 399077, 'my bos tested': 547508, 'bos tested pozzie': 135702, 'tested pozzie for': 839362, 'pozzie for the': 667864, 'for the rona': 326663, 'the rona so': 865966, 'rona so now': 725797, 'so now in': 777906, 'now in iso': 575002, 'in iso popped': 424186, 'iso popped down': 454799, 'popped down to': 664496, 'down to woolies': 257389, 'to woolies for': 918675, 'woolies for sanny': 1004376, 'for sanny but': 325345, 'sanny but it': 736586, 'but it been': 146101, 'it been magpied': 456799, 'been magpied not': 121516, 'magpied not sure': 508463, 'not sure original': 571843, 'sure original source': 827644, 'oilseed': 597733, 'ignite world': 415739, 'inflation even': 437171, 'grain and': 361760, 'and oilseed': 68025, 'oilseed warn': 597736, 'expert fao': 291834, 'and panic food': 68652, 'food buying due': 313851, 'pandemic could ignite': 635248, 'could ignite world': 209315, 'ignite world food': 415740, 'food inflation even': 315039, 'inflation even though': 437172, 'though there are': 892916, 'there are ample': 878065, 'are ample supply': 84527, 'supply of staple': 825649, 'of staple grain': 590040, 'staple grain and': 793944, 'grain and oilseed': 361763, 'and oilseed warn': 68027, 'oilseed warn expert': 597737, 'warn expert fao': 966934, 'please wash': 660749, 'the washing': 871104, 'little bleach': 495261, 'hang them': 376942, 'dry bleach2020': 261246, 'reminder when going': 710613, 'store please wash': 809599, 'please wash and': 660750, 'your reusable bag': 1025615, 'reusable bag put': 720148, 'bag put them': 108395, 'in the washing': 429660, 'the washing machine': 871106, 'washing machine with': 967698, 'machine with hot': 507417, 'water and little': 968868, 'and little bleach': 66239, 'little bleach and': 495262, 'bleach and hang': 132479, 'and hang them': 64167, 'hang them to': 376943, 'them to dry': 876469, 'to dry bleach2020': 904790, 'togetherwecan': 921088, 'togetherwearestronger': 921085, '19 togetheralone': 11480, 'togetheralone togetherwecan': 921059, 'togetherwecan togetherwearestronger': 921094, 'togetherwearestronger panicbuying': 921086, 'you feel about': 1018533, 'feel about 19': 302544, 'about 19 togetheralone': 24659, '19 togetheralone togetherwecan': 11481, 'togetheralone togetherwecan togetherwearestronger': 921060, 'togetherwecan togetherwearestronger panicbuying': 921095, 'togetherwearestronger panicbuying pandemic': 921087, 'panicbuying pandemic supermarket': 639003, 'pandemic supermarket grocery': 636596, 'maxine': 520848, 'rep federal': 711415, 'state suspend': 795969, 'collection follow': 186427, 'follow maxine': 312455, 'maxine water': 520849, 'water proposal': 969124, 'call your rep': 156264, 'your rep federal': 1025570, 'rep federal and': 711416, 'and state suspend': 72280, 'state suspend all': 795970, 'all consumer debt': 42429, 'debt collection follow': 230443, 'collection follow maxine': 186428, 'follow maxine water': 312456, 'maxine water proposal': 520850, 'water proposal for': 969125, 'scam private': 740315, 'offering rapid': 595221, 'people pretending': 649180, 'be nurse': 116134, 'information consumer': 437784, 'price scammer': 676308, 'into investing': 442665, '19 scam private': 10348, 'scam private company': 740316, 'private company offering': 678882, 'company offering rapid': 190923, 'offering rapid covid': 595222, '19 test people': 11080, 'test people pretending': 839121, 'people pretending to': 649181, 'to be nurse': 901410, 'be nurse and': 116135, 'nurse and offering': 577202, 'and offering your': 67993, 'offering your covid': 595332, '19 result if': 10191, 'result if you': 717523, 'give your credit': 350878, 'your credit card': 1023380, 'card information consumer': 163557, 'information consumer buy': 437785, 'consumer buy large': 196693, 'quantity of product': 691940, 'product to resell': 681762, 'resell them at': 713969, 'them at high': 875440, 'high price scammer': 395271, 'price scammer trick': 676309, 'scammer trick people': 740634, 'trick people into': 931705, 'people into investing': 648501, 'into investing in': 442666, 'investing in new': 443932, 'in new stock': 425831, 'hoffman': 399822, 'hoffman start': 399823, 'start drive': 794282, 'provider including': 686745, 'including private': 432118, 'private doctor': 678894, 'and dentist': 61206, 'dentist also': 237094, 'consider testing': 195126, 'infected will': 436662, 'hoffman start drive': 399824, 'start drive thru': 794283, 'thru testing for': 895227, 'for all healthcare': 319131, 'all healthcare provider': 43080, 'healthcare provider including': 387252, 'provider including private': 686746, 'including private doctor': 432119, 'private doctor and': 678895, 'doctor and dentist': 250815, 'and dentist also': 61207, 'dentist also consider': 237095, 'also consider testing': 48057, 'consider testing grocery': 195127, 'worker they interact': 1007966, 'interact with people': 441211, 'people the most': 649791, 'most if infected': 542387, 'if infected will': 414266, 'infected will spread': 436663, 'scanned': 740723, 'odd experience': 579183, 'shop yesterday': 761101, 'yesterday staff': 1015869, 'staff scanned': 792830, 'scanned one': 740724, 'towel then': 927391, 'then said': 877494, 'total price': 926226, 'wa 98': 961399, '98 after': 23721, 'after identifying': 35812, 'identifying myself': 413390, 'myself journalist': 550895, 'journalist wa': 467459, 'had an odd': 372842, 'an odd experience': 56554, 'odd experience in': 579184, 'experience in this': 291398, 'in this shop': 430012, 'this shop yesterday': 890106, 'shop yesterday staff': 761102, 'yesterday staff scanned': 1015870, 'staff scanned one': 792831, 'scanned one pack': 740725, 'one of kitchen': 606749, 'kitchen towel then': 475767, 'towel then said': 927392, 'then said the': 877495, 'said the total': 731454, 'the total price': 869820, 'total price wa': 926227, 'price wa 98': 677334, 'wa 98 after': 961400, '98 after identifying': 23722, 'after identifying myself': 35813, 'identifying myself journalist': 413391, 'myself journalist wa': 550896, 'journalist wa told': 467460, 'wa told the': 963544, 'told the real': 923708, 'real price wa': 701317, 'price wa 48': 677333, 'homa': 400528, 'zarghamee': 1027240, 'empty out': 274993, 'selling certain': 749194, 'price professor': 676005, 'professor homa': 682553, 'homa zarghamee': 400529, 'zarghamee explains': 1027241, 'price discrimination': 673454, 'discrimination look': 244810, 'shelf empty out': 757027, 'empty out some': 274994, 'out some people': 627222, 'are selling certain': 89953, 'selling certain product': 749195, 'certain product at': 170083, 'inflated price professor': 437063, 'price professor homa': 676006, 'professor homa zarghamee': 682554, 'homa zarghamee explains': 400530, 'zarghamee explains what': 1027242, 'explains what price': 292251, 'what price discrimination': 982053, 'price discrimination look': 673455, 'discrimination look like': 244811, 'age of on': 37868, 'food hand': 314764, 'fucking clue': 339834, 'canned food hand': 161514, 'food hand sanitizer': 314765, 'paper are out': 639888, 'stock and yet': 801838, 'and yet fresh': 75985, 'stocked show me': 803392, 'show me most': 767052, 'me most people': 523176, 'have no fucking': 381630, 'no fucking clue': 564323, 'fucking clue how': 339835, 'clue how the': 184542, 'who intend': 989044, 'commodity during': 189167, 'their trading': 875018, 'trading license': 928889, 'license will': 488164, 'museveni ha warned': 546262, 'warned the trader': 967036, 'trader who intend': 928800, 'who intend to': 989045, 'intend to hike': 441045, 'of commodity during': 581570, 'commodity during this': 189168, 'crisis of that': 217789, 'of that their': 590747, 'that their trading': 846886, 'their trading license': 875020, 'trading license will': 928890, 'license will be': 488165, 'of postage': 588264, 'postage ha': 666426, 'emergency shame': 272974, 'only have you': 610587, 'have you put': 383684, 'you put up': 1020512, 'put up your': 690972, 'your price since': 1025415, 'since the the': 770909, 'the the cost': 869377, 'cost of postage': 208057, 'of postage ha': 588265, 'postage ha gone': 666427, 'in this national': 429981, 'this national emergency': 889085, 'national emergency shame': 552494, 'emergency shame on': 272975, 'on you profiteering': 605434, 'kill confirmed': 474366, 'confirmed peaceful': 194180, 'peaceful shield': 646033, 'shield support': 758176, 'support via': 826970, 'kill confirmed peaceful': 474367, 'confirmed peaceful shield': 194181, 'peaceful shield support': 646034, 'shield support via': 758177, 'be invited': 115543, 'invited on': 444278, 'calm folk': 156737, 'wa great to': 962255, 'to be invited': 901343, 'be invited on': 115544, 'invited on to': 444279, 'on to with': 604769, 'to with ninahossain': 918642, 'stay calm folk': 796811, 'calm folk and': 156738, 'folk and help': 312083, 'who offering': 989363, 'offering relief': 595233, 'relief look': 709379, 'at payment': 100083, 'payment relief': 645715, 'offered on': 594952, 'on medical': 602092, 'aid monthly': 39418, 'monthly investment': 538180, 'investment retirement': 444052, 'retirement annuity': 719704, 'insurance product': 440800, 'such life': 816597, 'life cover': 488574, 'cover disability': 212212, 'disability critical': 243818, 'critical illness': 218570, 'term insurance': 838186, 'who offering relief': 989364, 'offering relief look': 595234, 'relief look at': 709380, 'look at payment': 502284, 'at payment relief': 100084, 'payment relief option': 645716, 'relief option offered': 709409, 'option offered on': 614079, 'offered on medical': 594953, 'on medical aid': 602093, 'medical aid monthly': 526038, 'aid monthly investment': 39419, 'monthly investment retirement': 538181, 'investment retirement annuity': 444053, 'retirement annuity and': 719705, 'annuity and insurance': 77435, 'and insurance product': 65305, 'insurance product such': 440801, 'product such life': 681658, 'such life cover': 816598, 'life cover disability': 488575, 'cover disability critical': 212213, 'disability critical illness': 243819, 'critical illness and': 218571, 'illness and short': 416345, 'and short term': 71566, 'short term insurance': 764742, '86thetp': 23008, 'put sneeze': 690820, 'check stand': 174622, 'stand last': 793539, 'night now': 563040, 'buffet table': 141876, 'table supermarket': 831502, 'supermarket buffet': 819427, 'buffet 86thetp': 141871, 'they put sneeze': 882956, 'put sneeze guard': 690821, 'sneeze guard at': 776242, 'the check stand': 850748, 'check stand last': 174623, 'stand last night': 793540, 'last night now': 480387, 'night now know': 563041, 'of the buffet': 590834, 'the buffet table': 850086, 'buffet table supermarket': 141877, 'table supermarket buffet': 831503, 'supermarket buffet 86thetp': 819428, 'buying other': 150842, 'country import': 210765, 'import there': 418676, 'there food': 878397, 'drink etc': 258821, 'etc into': 282613, 'more rich': 540262, 'rich covid': 721211, 'be corrupt': 114251, 'corrupt 20': 207655, 'is everyone panic': 447588, 'panic buying other': 637834, 'buying other country': 150843, 'other country import': 620019, 'country import there': 210766, 'import there food': 418677, 'there food drink': 878398, 'food drink etc': 314279, 'drink etc into': 258822, 'etc into the': 282614, 'uk we then': 938873, 'we then buy': 973526, 'then buy them': 877047, 'buy them while': 149333, 'while they get': 987437, 'they get more': 882173, 'get more rich': 347598, 'more rich covid': 540263, 'rich covid 19': 721212, 'should be corrupt': 765593, 'be corrupt 20': 114252, 'criminalizes': 216904, 'buyer declare': 149622, 'declare national': 231194, 'pas legislation': 643119, 'legislation that': 485986, 'that criminalizes': 843401, 'criminalizes hoarding': 216905, 'medicine during': 526765, 'crisis auspol': 217102, 'stop the hoarder': 805134, 'the hoarder and': 857403, 'panic buyer declare': 637568, 'buyer declare national': 149623, 'declare national emergency': 231195, 'national emergency and': 552488, 'emergency and pas': 272603, 'and pas legislation': 68741, 'pas legislation that': 643120, 'legislation that criminalizes': 485987, 'that criminalizes hoarding': 843402, 'criminalizes hoarding food': 216906, 'and medicine during': 66907, 'medicine during national': 526766, 'national crisis auspol': 552465, 'sanity pittsburgh': 736546, 'pittsburgh pa': 657039, 'pa 18': 632828, '18 20': 4489, 'save our sanity': 737616, 'our sanity pittsburgh': 624677, 'sanity pittsburgh pa': 736547, 'pittsburgh pa 18': 657040, 'pa 18 20': 632829, 'then decide': 877108, 'decide if': 230834, 'even worth': 284837, 'worth going': 1011367, 'weekend it': 977362, 'the trauma': 869928, 'trauma these': 930211, 'these medic': 880289, 'medic are': 525991, 'experiencing like': 291680, 'like 11': 489681, '11 every': 2518, 'day easterweekend': 227554, 'easterweekend staysafe': 265622, 'this and then': 886351, 'and then decide': 73756, 'then decide if': 877109, 'decide if it': 230836, 'if it even': 414302, 'it even worth': 457861, 'even worth going': 284838, 'worth going to': 1011368, 'this weekend it': 891311, 'weekend it impossible': 977363, 'impossible to imagine': 419400, 'to imagine the': 908135, 'imagine the trauma': 416805, 'the trauma these': 869929, 'trauma these medic': 930212, 'these medic are': 880290, 'medic are experiencing': 525992, 'are experiencing like': 86348, 'experiencing like 11': 291681, 'like 11 every': 489682, '11 every single': 2519, 'single day easterweekend': 771279, 'day easterweekend staysafe': 227555, 'easterweekend staysafe stayhome': 265623, 'stayathomesa': 797792, 'africansarenotlabrats': 35244, 'time every': 896635, 'every major': 285987, 'donation bank': 254555, 'the deserving': 853175, 'deserving get': 238192, 'get helped': 347210, 'helped donated': 391063, 'donated food': 254337, 'food given': 314666, 'charity ngo': 173656, 'ngo food': 561847, 'food feeding': 314453, 'feeding service': 302475, 'service day8oflockdown': 752269, 'day8oflockdown stayathomesa': 228887, 'stayathomesa stayhomesavelives': 797793, 'stayhomesavelives africansarenotlabrats': 798332, 'tough time every': 926850, 'time every major': 896636, 'every major retail': 285989, 'major retail food': 509436, 'retail food store': 718123, 'food store should': 316859, 'should have food': 766076, 'have food donation': 380654, 'food donation bank': 314267, 'donation bank in': 254556, 'bank in every': 109918, 'every store so': 286225, 'store so the': 810237, 'so the deserving': 778421, 'the deserving get': 853176, 'deserving get helped': 238193, 'get helped donated': 347211, 'helped donated food': 391064, 'donated food given': 254338, 'food given to': 314667, 'given to local': 351187, 'to local charity': 909374, 'local charity ngo': 497819, 'charity ngo food': 173657, 'ngo food feeding': 561848, 'food feeding service': 314454, 'feeding service day8oflockdown': 302476, 'service day8oflockdown stayathomesa': 752270, 'day8oflockdown stayathomesa stayhomesavelives': 228888, 'stayathomesa stayhomesavelives africansarenotlabrats': 797794, 'foodboxes': 317874, 'little known': 495428, 'known impact': 477225, 'and consequence': 60305, 'consequence food': 194850, 'poorest are': 664361, 'basic support': 112071, 'can direct': 158065, 'direct deliver': 243307, 'deliver foodboxes': 233128, 'foodboxes to': 317875, 'poor uk': 664316, 'little known impact': 495429, 'known impact of': 477226, 'impact of in': 417779, 'of in part': 585037, 'part of africa': 642327, 'of africa is': 579818, 'africa is that': 35093, 'is that market': 452666, 'that market are': 845042, 'market are closing': 516015, 'closing and consequence': 183583, 'and consequence food': 60306, 'consequence food price': 194851, 'are rising fast': 89713, 'rising fast the': 723214, 'fast the poorest': 300053, 'the poorest are': 864003, 'poorest are already': 664362, 'are already struggling': 84426, 'already struggling to': 47698, 'buy basic support': 148407, 'basic support charity': 112072, 'support charity who': 826412, 'charity who can': 173717, 'who can direct': 988377, 'can direct deliver': 158067, 'direct deliver foodboxes': 243308, 'deliver foodboxes to': 233129, 'foodboxes to the': 317876, 'the poor uk': 863996, 'facing increased': 295501, 'challenge finding': 171454, 'finding volunteer': 307568, 'volunteer due': 960250, 'are facing increased': 86419, 'facing increased demand': 295502, 'increased demand while': 433293, 'supply and challenge': 824707, 'and challenge finding': 59709, 'challenge finding volunteer': 171455, 'finding volunteer due': 307569, 'volunteer due to': 960251, 'me week': 523918, 'exciting purchase': 289605, 'purchase would': 689735, 'be pack': 116323, 'of quilted': 588700, 'northern toilet': 567782, 'were insane': 979797, 'insane toiletpaper': 439077, 'you have told': 1019133, 'have told me': 383363, 'told me week': 923631, 'me week ago': 523919, 'week ago the': 975857, 'ago the most': 38495, 'most exciting purchase': 542313, 'exciting purchase would': 289606, 'purchase would make': 689737, 'would make in': 1012022, 'make in all': 510002, 'all of 2020': 43677, 'of 2020 would': 579511, '2020 would be': 14735, 'would be pack': 1011628, 'be pack of': 116324, 'pack of quilted': 633109, 'of quilted northern': 588701, 'quilted northern toilet': 694737, 'northern toilet paper': 567783, 'paper have thought': 640261, 'have thought you': 383129, 'thought you were': 893338, 'you were insane': 1022251, 'were insane toiletpaper': 979798, 'insane toiletpaper toiletpapercrisis': 439078, 'toiletpaper toiletpapercrisis toiletpaperapocalypse': 922668, 'chain are changing': 170497, 'changing their hour': 172818, 'their hour due': 873595, 'diligent when': 242873, 'store follow': 807754, 'our infectious': 623539, 'disease expert': 245139, 'expert to': 291998, 'your risk': 1025641, 'to be diligent': 901205, 'be diligent when': 114463, 'diligent when leaving': 242874, 'when leaving your': 983680, 'errand like going': 280199, 'grocery store follow': 365405, 'store follow the': 807756, 'advice of our': 33448, 'of our infectious': 587489, 'our infectious disease': 623540, 'infectious disease expert': 436901, 'disease expert to': 245140, 'expert to reduce': 292000, 'to reduce your': 913051, 'reduce your risk': 706014, 'your risk of': 1025642, 'rise expectation': 722842, 'worst recession': 1011254, 'seen grow': 747043, 'grow daily': 367017, 'daily due': 224586, 'economy rakamoto': 268161, 'rakamoto monday': 696199, 'monday thought': 536393, 'thought blockchain': 892985, 'blockchain cryptocurrency': 132835, 'gold price continue': 355952, 'to rise expectation': 913566, 'rise expectation of': 722843, 'expectation of the': 290839, 'the worst recession': 872071, 'worst recession the': 1011255, 'recession the world': 704381, 'world ha ever': 1009608, 'ha ever seen': 370527, 'ever seen grow': 285489, 'seen grow daily': 747044, 'grow daily due': 367018, 'daily due to': 224587, 'the latest impact': 859113, 'latest impact on': 481384, 'the economy rakamoto': 854008, 'economy rakamoto monday': 268162, 'rakamoto monday thought': 696200, 'monday thought blockchain': 536394, 'thought blockchain cryptocurrency': 892986, 'blockchain cryptocurrency bitcoin': 132836, 'cryptocurrency bitcoin digital': 219973, 'ob': 578319, 'haven you': 383930, 'you realised': 1020825, 'account they': 28761, 'have others': 381839, 'help delivery': 389580, 'delivery address': 233625, 'address not': 32001, 'detail should': 239249, 'identify who': 413383, 'slot utterly': 774286, 'utterly frustrating': 951454, 'frustrating and': 339236, 'so ob': 777918, 'why haven you': 991060, 'haven you realised': 383931, 'you realised that': 1020826, 'realised that the': 701631, 'most vulnerable people': 542889, 'vulnerable people don': 961087, 'people don have': 647702, 'don have online': 253610, 'shopping account they': 761886, 'account they have': 28763, 'they have others': 882358, 'have others to': 381840, 'others to help': 621730, 'to help delivery': 907490, 'help delivery address': 389581, 'delivery address not': 233626, 'address not account': 32002, 'not account detail': 568037, 'account detail should': 28653, 'detail should be': 239250, 'used to identify': 950061, 'to identify who': 908092, 'identify who get': 413384, 'who get delivery': 988772, 'delivery slot utterly': 234544, 'slot utterly frustrating': 774287, 'utterly frustrating and': 951455, 'frustrating and so': 339237, 'and so ob': 71849, 'novel could': 573767, 'final push': 305863, 'company already': 190363, 'already facing': 47339, 'facing credit': 295433, 'credit downgrade': 216378, 'downgrade to': 257558, 'to junk': 908715, 'junk territory': 468053, 'territory or': 838576, 'or bankruptcy': 614496, 'an economic slowdown': 55587, 'the from the': 855837, 'from the novel': 337809, 'the novel could': 861909, 'novel could be': 573768, 'the final push': 855199, 'final push for': 305864, 'push for some': 690270, 'some retailer and': 783764, 'retailer and consumer': 718959, 'good company already': 356903, 'company already facing': 190364, 'already facing credit': 47340, 'facing credit downgrade': 295434, 'credit downgrade to': 216379, 'downgrade to junk': 257559, 'to junk territory': 908716, 'junk territory or': 468054, 'territory or bankruptcy': 838577, 'swiped': 830436, 'southport': 786908, 'most definitely': 542244, 'definitely comfort': 232321, 'eating in': 266227, 'all tub': 45300, 'cream have': 215553, 'been swiped': 122119, 'swiped and': 830437, 'every packet': 286084, 'baking aisle': 108898, 'aisle southport': 40374, 'southport connecticut': 786909, 'people are most': 647022, 'are most definitely': 88134, 'most definitely comfort': 542245, 'definitely comfort eating': 232322, 'comfort eating in': 187828, 'eating in the': 266228, 'supermarket all tub': 818877, 'all tub of': 45301, 'tub of ice': 935023, 'ice cream have': 412654, 'cream have been': 215554, 'have been swiped': 379708, 'been swiped and': 122120, 'swiped and every': 830438, 'and every packet': 62379, 'every packet of': 286085, 'packet of cake': 633702, 'of cake mix': 581036, 'cake mix ha': 155248, 'mix ha disappeared': 534598, 'ha disappeared from': 370392, 'from the baking': 337608, 'the baking aisle': 849210, 'baking aisle southport': 108899, 'aisle southport connecticut': 40375, 'the plaza': 863832, 'plaza will': 659518, 'hypermarket ikea': 412333, 'ikea our': 416048, 'open accessible': 612015, 'accessible during': 28334, 'starting from 25': 794956, 'from 25 march': 334250, 'all retail shop': 44186, 'retail shop at': 718548, 'at the plaza': 101051, 'the plaza will': 863833, 'plaza will remain': 659519, 'lulu hypermarket ikea': 506647, 'hypermarket ikea our': 412334, 'ikea our pharmacy': 416049, 'our pharmacy and': 624337, 'pharmacy and atm': 654209, 'remain open accessible': 709799, 'open accessible during': 612016, 'accessible during this': 28335, 'this time for': 890637, 'information please refer': 437948, 'please refer to': 660359, 'can out': 159183, 'of italy': 585473, 'italy start': 462923, 'two it': 936981, 'impossible program': 419390, 'program delivery': 683235, 'daily stuff': 224813, 'book delivery': 134504, 'delivery once': 234257, 'week soon': 976901, 'able anymore': 24421, 'anymore cheer': 80122, 'who can out': 988400, 'can out of': 159184, 'out of italy': 626767, 'of italy start': 585474, 'italy start to': 462924, 'start to make': 794588, 'make your online': 510765, 'now in week': 575021, 'or two it': 617563, 'two it will': 936982, 'will be impossible': 992511, 'be impossible program': 115385, 'impossible program delivery': 419391, 'program delivery of': 683236, 'and daily stuff': 60914, 'daily stuff and': 224814, 'stuff and book': 815004, 'and book delivery': 59063, 'book delivery once': 134506, 'delivery once week': 234258, 'once week soon': 605801, 'week soon you': 976902, 'soon you will': 785914, 'be able anymore': 113441, 'able anymore cheer': 24422, 'socialdistancing save': 780659, 'healthcare supermarket': 387297, 'delivery trucking': 234699, 'together let': 920848, 'fight be': 304671, 'socialdistancing save life': 780660, 'save life thanks': 737560, 'life thanks to': 489092, 'worker healthcare supermarket': 1007111, 'healthcare supermarket restaurant': 387298, 'supermarket restaurant delivery': 822216, 'restaurant delivery trucking': 716415, 'delivery trucking we': 234700, 'trucking we are': 932999, 'all on this': 43745, 'on this together': 604638, 'this together let': 890772, 'together let fight': 920849, 'let fight be': 486712, 'fight be safe': 304672, 'future will': 342526, 'wait but': 964086, 'that leaf': 844855, 'slot free': 774193, 'elderly asthmatic': 270600, 'asthmatic diabetic': 97220, 'diabetic they': 240204, 'face higher': 294459, 'is contracted': 446816, 'foreseeable future will': 329067, 'future will not': 342528, 'not be doing': 568374, 'be doing online': 114527, 'shopping not because': 763350, 'of the wait': 591597, 'the wait but': 871027, 'wait but because': 964087, 'but because that': 145273, 'because that leaf': 119602, 'that leaf one': 844858, 'leaf one more': 483810, 'one more slot': 606693, 'more slot free': 540403, 'slot free for': 774194, 'free for someone': 331847, 'someone who really': 784766, 'need it like': 555094, 'like the elderly': 491365, 'the elderly asthmatic': 854109, 'elderly asthmatic diabetic': 270601, 'asthmatic diabetic they': 97221, 'diabetic they face': 240205, 'they face higher': 882084, 'face higher risk': 294461, 'risk if covid': 723617, '19 is contracted': 7951, 'pabankersproud': 632909, 'community corner': 189798, 'corner wednesday': 203690, 'wednesday thank': 975689, 'making pabankersproud': 511266, 'pabankersproud they': 632912, 'provide crucial': 686255, 'crucial support': 219473, 'what pennsylvania': 982001, 'pennsylvania bank': 646557, 'it community corner': 457233, 'community corner wednesday': 189799, 'corner wednesday thank': 203691, 'wednesday thank you': 975690, 'all our member': 43817, 'our member for': 623907, 'member for making': 528085, 'for making pabankersproud': 323181, 'making pabankersproud they': 511267, 'pabankersproud they continue': 632913, 'hard to combat': 378055, '19 and provide': 5091, 'and provide crucial': 69690, 'provide crucial support': 686256, 'crucial support to': 219474, 'to their community': 917214, 'their community learn': 872827, 'about what pennsylvania': 26894, 'what pennsylvania bank': 982002, 'pennsylvania bank are': 646558, 'bank are doing': 109643, 'are doing here': 85902, 'middle eastern': 530655, 'eastern and': 265573, '2020 result': 14572, 'pandemic collapsing': 635169, 'unfolding global': 941518, 'middle eastern and': 530656, 'eastern and economy': 265574, 'and economy are': 61921, 'economy are heading': 267668, 'are heading toward': 87055, 'toward recession in': 927151, 'in 2020 result': 419855, '2020 result of': 14573, '19 pandemic collapsing': 9297, 'pandemic collapsing oil': 635170, 'and the unfolding': 73634, 'the unfolding global': 870390, 'unfolding global financial': 941519, 'prediction all': 669653, 'that couldn': 843371, 'couldn stay': 209920, 'price ridiculously': 676217, 'ridiculously high': 721650, 'prediction all these': 669654, 'business that couldn': 144476, 'that couldn stay': 843372, 'couldn stay open': 209921, 'this time will': 890713, 'time will have': 898340, 'their price ridiculously': 874416, 'price ridiculously high': 676218, 'ridiculously high for': 721651, 'high for some': 395094, 'cat ha': 166879, 'thrown up': 895156, 'up time': 946307, 'time tonight': 898117, 'tonight don': 924398, 'if freaked': 414131, 'about feline': 25226, 'feline or': 303144, 'or pissed': 616620, 'pissed using': 656982, 'clean it': 180572, 'up tiger': 946303, 'tiger quarantinelife': 895803, 'quarantinelife lockdowneffect': 692969, 'my cat ha': 547646, 'cat ha thrown': 166880, 'ha thrown up': 372279, 'thrown up time': 895157, 'up time tonight': 946310, 'time tonight don': 898118, 'tonight don know': 924399, 'know if freaked': 476472, 'if freaked out': 414132, 'out about feline': 625552, 'about feline or': 25227, 'feline or pissed': 303145, 'or pissed using': 616621, 'pissed using lot': 656983, 'lot of toiletpaper': 504312, 'toiletpaper to clean': 922621, 'to clean it': 902809, 'clean it up': 180573, 'it up tiger': 461971, 'up tiger quarantinelife': 946304, 'tiger quarantinelife lockdowneffect': 895804, 'buhari will': 141934, 'will address': 992199, 'right lai': 721973, 'mohammed youllneverwalkalone': 535570, 'buhari will address': 141935, 'will address the': 992200, 'the nation when': 861275, 'nation when the': 552381, 'when the time': 984207, 'time is right': 897062, 'is right lai': 451537, 'right lai mohammed': 721974, 'lai mohammed youllneverwalkalone': 479001, 'mohammed youllneverwalkalone ausgangssperrejetzt': 535571, 'elective': 271088, 'hospital were': 404709, 'open before': 612123, 'struck now': 814268, 'now many': 575285, 'many face': 514047, 'face escalated': 294424, 'escalated closure': 280263, 'of elective': 583011, 'elective surgery': 271091, 'surgery sky': 828335, 'being overlooked': 125517, 'recently passed': 704135, 'passed recovery': 643292, 'recovery bill': 705300, 'rural hospital were': 728247, 'hospital were struggling': 404710, 'were struggling to': 980191, 'struggling to stay': 814518, 'stay open before': 797153, 'open before the': 612124, '19 pandemic struck': 9484, 'pandemic struck now': 636578, 'struck now many': 814269, 'now many face': 575286, 'many face escalated': 514048, 'face escalated closure': 294425, 'escalated closure due': 280264, 'to the stoppage': 917098, 'stoppage of elective': 805541, 'of elective surgery': 583012, 'elective surgery sky': 271092, 'surgery sky rocketing': 828336, 'price of ppe': 675541, 'of ppe and': 588314, 'ppe and being': 667896, 'and being overlooked': 58865, 'being overlooked in': 125518, 'overlooked in the': 631298, 'in the recently': 429502, 'the recently passed': 865330, 'recently passed recovery': 704136, 'passed recovery bill': 643293, '35yos': 17988, 'the per': 863525, 'customer shelf': 222844, 'empty not': 274969, 'not through': 572114, 'through shortage': 894675, 'shortage but': 764858, 'through hole': 894508, 'hole hording': 400217, 'hording more': 404024, 'need sadly': 555533, 'sadly in': 729336, 'wa 35yos': 961377, '35yos and': 17989, 'older oaps': 598630, 'oaps ppl': 578287, 'ppl walking': 668362, 'empty trolley': 275211, 'trolley picking': 932461, 'back from supermarket': 107016, 'from supermarket run': 337498, 'supermarket run even': 822271, 'run even with': 727632, 'with the per': 1001426, 'the per customer': 863526, 'per customer shelf': 650782, 'customer shelf are': 222845, 'still empty not': 800480, 'empty not through': 274970, 'not through shortage': 572117, 'through shortage but': 894676, 'shortage but through': 764863, 'but through hole': 147573, 'through hole hording': 894509, 'hole hording more': 400218, 'hording more than': 404025, 'they need sadly': 882755, 'need sadly in': 555534, 'sadly in the': 729337, 'store wa 35yos': 811094, 'wa 35yos and': 961378, '35yos and older': 17990, 'and older oaps': 68041, 'older oaps ppl': 598631, 'oaps ppl walking': 578288, 'ppl walking around': 668363, 'around with empty': 93637, 'with empty trolley': 998224, 'empty trolley picking': 275212, 'wednesday innovation': 975648, 'innovation is': 438882, 'hosting series': 404968, 'free webinars': 332317, 'webinars bringing': 975150, 'bringing together': 140213, 'together expert': 920778, 'their insight': 873669, 'business adapting': 143229, '19 register': 10036, 'on wednesday innovation': 605173, 'wednesday innovation is': 975649, 'innovation is hosting': 438883, 'is hosting series': 448558, 'hosting series of': 404969, 'series of free': 751271, 'of free webinars': 583925, 'free webinars bringing': 332318, 'webinars bringing together': 975151, 'bringing together expert': 140214, 'together expert to': 920779, 'expert to share': 292001, 'share their insight': 755266, 'their insight and': 873670, 'insight and to': 439512, 'local business adapting': 497747, 'business adapting to': 143230, 'adapting to covid': 31345, 'covid 19 register': 213679, '19 register to': 10037, 'join the webinar': 466871, 'way retailer': 969844, 'can reassure': 159395, 'reassure shopper': 703196, 'care 19': 163778, 'now here are': 574920, 'are some easy': 90261, 'some easy way': 782722, 'easy way retailer': 265800, 'way retailer can': 969845, 'retailer can reassure': 719062, 'can reassure shopper': 159396, 'reassure shopper and': 703197, 'shopper and show': 761371, 'and show they': 71618, 'show they care': 767239, 'they care 19': 881725, 'care 19 retail': 163779, 'amazing idea': 50712, 'idea through': 413198, 'to positive': 911898, 'employee sanitation': 274181, 'for hbu': 322139, 'that an amazing': 842640, 'an amazing idea': 55267, 'amazing idea through': 50713, 'idea through the': 413199, 'through the chaos': 894722, 'the chaos of': 850693, 'chaos of am': 173037, 'of am grateful': 580020, 'grateful for in': 362265, 'for in addition': 322506, 'addition to positive': 31743, 'to positive people': 911899, 'positive people like': 665407, 'like you essential': 491871, 'store employee sanitation': 807530, 'employee sanitation worker': 274182, 'sanitation worker and': 733870, 'worker and healthcare': 1006302, 'healthcare worker health': 387363, 'worker health professional': 1007106, 'health professional who': 386770, 'hard for hbu': 377916, 'nocontact': 566098, 'you participate': 1020298, 'participate in': 642556, 'job later': 465944, 'later uber': 481156, 'able and': 24419, 'have steady': 382749, 'steady income': 799125, 'income now': 432416, 'spend nocontact': 788650, 'scary time but': 741204, 'the more you': 860903, 'more you participate': 541033, 'you participate in': 1020299, 'participate in the': 642558, 'the economy now': 854000, 'economy now from': 268105, 'now from home': 574753, 'more people keep': 540027, 'people keep their': 648581, 'their job later': 873720, 'job later uber': 465945, 'later uber eats': 481157, 'eats online shopping': 266381, 'shopping etc if': 762583, 'are able and': 84152, 'able and have': 24420, 'and have steady': 64280, 'have steady income': 382750, 'steady income now': 799126, 'income now is': 432417, 'to spend nocontact': 914995, 'spent all': 789104, 'final paycheck': 305854, 'paycheck on': 645301, 'the fam': 854884, 'fam am': 297500, 'my household': 548753, 'household who': 406987, '19 woke': 12157, 'necessity that': 554267, 'spent all of': 789105, 'of my final': 586768, 'my final paycheck': 548320, 'final paycheck on': 305855, 'paycheck on bill': 645302, 'on bill and': 599642, 'bill and grocery': 130506, 'for the fam': 326426, 'the fam am': 854885, 'fam am the': 297501, 'only one in': 610875, 'one in my': 606478, 'in my household': 425588, 'my household who': 548757, 'household who is': 406988, 'covid 19 woke': 214084, '19 woke up': 12158, 'woke up at': 1003357, 'morning to go': 541514, 'get the necessity': 348272, 'the necessity that': 861386, 'necessity that were': 554269, 'that were unavailable': 847449, 'help amp': 389342, 'support resource': 826791, 'resource wi': 714935, 'wi fi': 991639, 'fi hotspot': 304359, 'hotspot our': 405316, 'public wi': 688481, 'hotspot will': 405322, 'them unlimited': 876562, 'unlimited at': 942772, 'internet all': 441900, '19 coronavirus at': 6091, 'coronavirus at amp': 205525, 'at amp online': 97967, 'amp online help': 54223, 'online help amp': 608363, 'help amp support': 389344, 'amp support resource': 54600, 'support resource wi': 826792, 'resource wi fi': 714936, 'wi fi hotspot': 991640, 'fi hotspot our': 304360, 'hotspot our public': 405317, 'our public wi': 624509, 'public wi fi': 688482, 'fi hotspot will': 304361, 'hotspot will remain': 405323, 'open for anyone': 612241, 'need them unlimited': 555788, 'them unlimited at': 876563, 'unlimited at amp': 942773, 'at amp home': 97965, 'amp home internet': 53955, 'home internet all': 401440, 'internet all at': 441901, 'all at amp': 42078, 'at amp consumer': 97963, 'amp consumer home': 53567, 'rycroft': 728818, '02': 795, 'into to': 443239, 'to gary': 906366, 'gary rycroft': 343744, 'rycroft member': 728819, 'group he': 366723, 'he discussed': 384894, 'discussed people': 244965, 'people travel': 650001, 'crisis gary': 217411, 'gary is': 343739, 'from 02': 334152, '02 58': 800, 'tune into to': 935415, 'into to listen': 443241, 'listen to gary': 494736, 'to gary rycroft': 906367, 'gary rycroft member': 343745, 'rycroft member of': 728820, 'working group he': 1008670, 'group he discussed': 366724, 'he discussed people': 384895, 'discussed people travel': 244966, 'people travel and': 650002, 'travel and consumer': 930249, 'the crisis gary': 852384, 'crisis gary is': 217412, 'gary is on': 343740, 'is on from': 450465, 'on from 02': 601024, 'from 02 58': 334153, 'worker sale': 1007729, 'associate pharmacist': 96882, 'pharmacist restaurant': 654173, 'store worker sale': 811576, 'worker sale associate': 1007730, 'sale associate pharmacist': 732080, 'associate pharmacist restaurant': 96883, 'pharmacist restaurant worker': 654174, 'to keep this': 908869, 'keep this going': 472132, 'paymentbreaks': 645786, 'fca order': 300731, 'for borrower': 319731, 'borrower fca': 135616, 'fca paymentbreaks': 300733, 'fca order consumer': 300732, 'order consumer lender': 618145, 'consumer lender to': 198028, 'lender to allow': 486256, 'allow payment break': 46030, 'payment break for': 645565, 'break for borrower': 138725, 'for borrower fca': 319732, 'borrower fca paymentbreaks': 135617, 'brc': 138347, 'fruitandvegetabkes': 339208, 'ukfoodsecurity': 938943, 'challenged': 171610, 'brc this': 138352, 'just replenishment': 469622, 'replenishment issue': 711693, 'issue empty': 455732, 'empty fruitandvegetabkes': 274890, 'fruitandvegetabkes supermarket': 339209, 'shelf ukfoodsecurity': 757723, 'ukfoodsecurity is': 938944, 'being challenged': 124934, 'challenged by': 171611, 'could and': 208821, 'brc this is': 138353, 'not just replenishment': 570247, 'just replenishment issue': 469623, 'replenishment issue empty': 711694, 'issue empty fruitandvegetabkes': 455733, 'empty fruitandvegetabkes supermarket': 274891, 'fruitandvegetabkes supermarket shelf': 339210, 'supermarket shelf ukfoodsecurity': 822554, 'shelf ukfoodsecurity is': 757724, 'ukfoodsecurity is being': 938945, 'is being challenged': 446070, 'being challenged by': 124935, 'challenged by and': 171612, 'by and brexit': 151834, 'and brexit could': 59190, 'brexit could and': 139498, 'war business': 966387, 'truce global oil': 932709, 'price war business': 677353, 'coffee at': 185456, 'the coffee at': 851130, 'coffee at the': 185459, 'centeredness': 169347, 'willful': 995409, 'myopia': 550770, 'there thinking': 879165, 'about chinese': 24961, 'chinese responsibility': 177337, 'responsibility how': 715953, 'our individual': 623528, 'individual responsibility': 435244, 'responsibility greed': 715949, 'greed self': 363428, 'self centeredness': 747563, 'centeredness willful': 169348, 'willful myopia': 995412, 'myopia consumer': 550771, 'culture flattenthecurve': 220289, 'up at 30': 944421, 'at 30 this': 97596, '30 this morning': 17238, 'morning wa there': 541529, 'wa there thinking': 963482, 'there thinking about': 879166, 'thinking about chinese': 885845, 'about chinese responsibility': 24962, 'chinese responsibility how': 177338, 'responsibility how it': 715954, 'how it relates': 408139, 'relates to our': 708645, 'to our individual': 911193, 'our individual responsibility': 623529, 'individual responsibility greed': 435245, 'responsibility greed self': 715950, 'greed self centeredness': 363429, 'self centeredness willful': 747564, 'centeredness willful myopia': 169349, 'willful myopia consumer': 995413, 'myopia consumer culture': 550772, 'consumer culture flattenthecurve': 197034, 're kicking': 698958, 'kicking off': 473826, 'online music': 608566, 'music program': 546324, '30th thanks': 17539, 'our parent': 624255, 've committed': 953005, 'committed so': 189033, 'far to': 298948, 'help weather': 390874, '19 storm': 10889, 'storm shopping': 811842, 'small ha': 774981, 'we re kicking': 972906, 're kicking off': 698959, 'kicking off our': 473827, 'off our online': 594039, 'our online music': 624148, 'online music program': 608567, 'music program on': 546325, 'program on monday': 683279, 'monday march 30th': 536322, 'march 30th thanks': 515239, '30th thanks to': 17540, 'all our parent': 43824, 'our parent and': 624256, 'parent and student': 641575, 'and student who': 72610, 'student who ve': 814806, 'who ve committed': 989878, 've committed so': 953006, 'committed so far': 189034, 'so far to': 777062, 'far to help': 298950, 'to help weather': 907665, 'help weather the': 390875, 'covid 19 storm': 213874, '19 storm shopping': 10890, 'storm shopping small': 811843, 'shopping small ha': 763913, 'small ha never': 774982, 'eater': 266145, 'mealplan': 524331, 'my coronavirus': 547805, 'coronavirus dinner': 205820, 'dinner plan': 243089, 'plan till': 658262, 'month kid': 537812, 'friendly picky': 333980, 'picky eater': 656063, 'eater approved': 266146, 'approved mealplan': 83172, 'mealplan mealprep': 524332, 'mealprep stockup': 524337, 'stockup coronapocolypse': 804169, 'coronapocolypse howtokeeppeoplehome': 205229, 'howtokeeppeoplehome schoolclosure': 409557, 'schoolclosure quarantinelife': 742006, 'my coronavirus dinner': 547806, 'coronavirus dinner plan': 205821, 'dinner plan till': 243090, 'plan till the': 658263, 'the month kid': 860847, 'month kid friendly': 537813, 'kid friendly picky': 473963, 'friendly picky eater': 333981, 'picky eater approved': 656064, 'eater approved mealplan': 266147, 'approved mealplan mealprep': 83173, 'mealplan mealprep stockup': 524333, 'mealprep stockup coronapocolypse': 524338, 'stockup coronapocolypse howtokeeppeoplehome': 804170, 'coronapocolypse howtokeeppeoplehome schoolclosure': 205230, 'howtokeeppeoplehome schoolclosure quarantinelife': 409558, '10baje': 2308, 'm5qxkiqych': 507235, '10baje please': 2309, 'challenge today': 171582, 'today soap': 920197, 'soap kill': 779051, 'kill airborne': 474332, 'airborne soap': 39852, 'soap bubble': 778958, 'bubble kill': 141605, 'airborne virus': 39858, 'virus particle': 958615, 'particle the': 642596, 'science behind': 742089, 'behind bubble': 124607, 'bubble blowing': 141590, 'blowing new': 133377, 'new finding': 558739, 'finding point': 307532, 'produce range': 680407, 'co m5qxkiqych': 184881, '10baje please give': 2310, 'give this new': 350779, 'this new challenge': 889111, 'new challenge today': 558477, 'challenge today soap': 171583, 'today soap kill': 920198, 'soap kill airborne': 779052, 'kill airborne soap': 474334, 'airborne soap bubble': 39853, 'soap bubble kill': 778959, 'bubble kill airborne': 141606, 'kill airborne virus': 474335, 'airborne virus particle': 39859, 'virus particle the': 958617, 'particle the science': 642597, 'the science behind': 866498, 'science behind bubble': 742091, 'behind bubble blowing': 124608, 'bubble blowing new': 141591, 'blowing new finding': 133378, 'new finding point': 558740, 'finding point to': 307533, 'point to new': 662672, 'way to produce': 970071, 'to produce range': 912207, 'produce range of': 680408, 'range of consumer': 696712, 'consumer product good': 198460, 'product good co': 681229, 'good co m5qxkiqych': 356893, 'have routine': 382359, 'routine it': 726515, 'the doesn': 853485, 'doesn win': 251995, 'win one': 995567, 'go across': 353246, 'quiet which': 694709, 'is 8am': 445251, '8am or': 23146, 'or 8pm': 614226, '8pm ish': 23222, 'ish this': 454223, '8am went': 23167, '8pm last': 23224, 'had shut': 373502, 'shut early': 767874, 'early 19': 264522, 'have routine it': 382360, 'routine it the': 726516, 'only way that': 611442, 'that the doesn': 846708, 'the doesn win': 853488, 'doesn win one': 251996, 'win one is': 995568, 'one is to': 606530, 'to go across': 906760, 'go across the': 353247, 'get some shopping': 348074, 'some shopping but': 783860, 'shopping but only': 762253, 'but only when': 146697, 'only when it': 611470, 'it is quiet': 459052, 'is quiet which': 451185, 'quiet which is': 694710, 'which is 8am': 985977, 'is 8am or': 445252, '8am or 8pm': 23147, 'or 8pm ish': 614227, '8pm ish this': 23223, 'ish this is': 454224, 'this is 8am': 888161, 'is 8am went': 445253, '8am went at': 23168, 'went at 8pm': 978959, 'at 8pm last': 97795, '8pm last night': 23225, 'night and they': 562951, 'they had shut': 882260, 'had shut early': 373503, 'shut early 19': 767875, 'sanctifier': 733607, 'purgatory': 690051, 'believing in': 126454, 'me won': 524005, 'my blood': 547483, 'blood is': 133124, 'is sanctifier': 451642, 'sanctifier not': 733608, 'sanitizer listen': 735296, 'listen the': 494720, 'because victim': 119774, 'in purgatory': 427134, 'purgatory before': 690052, 'before being': 122662, 'allowed into': 46179, 'into heaven': 442618, 'believing in me': 126455, 'in me won': 425206, 'me won stop': 524006, 'from having and': 335731, 'having and my': 383976, 'and my blood': 67354, 'my blood is': 547485, 'blood is sanctifier': 133125, 'is sanctifier not': 451643, 'sanctifier not sanitizer': 733609, 'not sanitizer listen': 571428, 'sanitizer listen the': 735297, 'listen the health': 494721, 'the health expert': 857183, 'health expert and': 386418, 'expert and stay': 291777, 'safe because victim': 729519, 'because victim of': 119775, 'victim of will': 956505, 'will be quarantined': 992630, 'be quarantined for': 116659, 'quarantined for 14': 692852, 'for 14 year': 318661, '14 year in': 3545, 'year in purgatory': 1014653, 'in purgatory before': 427135, 'purgatory before being': 690053, 'before being allowed': 122663, 'being allowed into': 124834, 'allowed into heaven': 46181, 'florida governor': 310939, 'no lock': 564615, 'back your': 107493, '19 selfish': 10397, 'florida governor say': 310941, 'governor say no': 360984, 'say no lock': 738982, 'no lock down': 564616, 'down and by': 256489, 'way the store': 969941, 'not take back': 571899, 'take back your': 831982, 'back your toiletpaper': 107494, 'your toiletpaper 19': 1026177, 'toiletpaper 19 selfish': 921678, 'accept will': 28006, 'face progressive': 294712, 'progressive infection': 683413, 'infection after': 436706, 'find vaccine': 307367, 'vaccine cure': 951683, 'cure how': 220753, 'towards domestic': 927185, 'domestic international': 253200, 'travel change': 930316, 'what shape': 982154, 'shape will': 754861, 'unemployment loss': 941244, 'of saving': 589336, 'saving etc': 737868, '19 the hardest': 11204, 'the hardest part': 857113, 'hardest part to': 378231, 'part to accept': 642460, 'to accept will': 899946, 'accept will we': 28007, 'will we face': 995325, 'we face progressive': 971518, 'face progressive infection': 294713, 'progressive infection after': 683414, 'infection after the': 436707, 'the lockdown when': 859639, 'lockdown when will': 500131, 'will we find': 995326, 'we find vaccine': 971566, 'find vaccine cure': 307368, 'vaccine cure how': 951684, 'cure how will': 220754, 'consumer behavior towards': 196529, 'behavior towards domestic': 124266, 'towards domestic international': 927187, 'domestic international travel': 253201, 'international travel change': 441865, 'travel change what': 930317, 'change what shape': 172393, 'what shape will': 982155, 'shape will the': 754862, 'the consumer be': 851497, 'consumer be in': 196416, 'be in unemployment': 115447, 'in unemployment loss': 430426, 'unemployment loss of': 941245, 'loss of saving': 503753, 'of saving etc': 589337, 'the catastrophic': 850523, 'catastrophic outcome': 166959, 'be global': 115043, 'international food': 441806, 'food policy': 315886, 'institute argues': 440411, 'argues that': 92718, 'that urgent': 847202, 'the catastrophic outcome': 850524, 'catastrophic outcome of': 166960, 'outcome of the': 628872, 'will be global': 992477, 'be global food': 115044, 'food crisis the': 314063, 'crisis the former': 218174, 'former director general': 329630, 'director general of': 243622, 'general of the': 345419, 'the international food': 858368, 'international food policy': 441807, 'food policy research': 315887, 'research institute argues': 713772, 'institute argues that': 440412, 'argues that urgent': 92720, 'that urgent action': 847203, 'is needed at': 449859, 'needed at both': 556305, 'at both the': 98156, 'both the global': 136064, 'global and national': 351740, 'and national level': 67433, 'it throughout': 461683, 'throughout my': 894948, 'career consumer': 164335, 'attorney scam': 102683, 'buck off': 141668, 'people when': 650240, 'vulnerable american': 960848, 'juggling lot': 467716, 'lot amp': 503977, 'actor taking': 30597, 'seen it throughout': 747106, 'it throughout my': 461684, 'throughout my career': 894949, 'my career consumer': 547614, 'career consumer protection': 164336, 'protection attorney scam': 685345, 'attorney scam artist': 102684, 'quick buck off': 694290, 'buck off people': 141669, 'off people when': 594064, 'people when they': 650242, 'they re most': 883075, 're most vulnerable': 699046, 'most vulnerable american': 542865, 'vulnerable american are': 960849, 'american are juggling': 51806, 'are juggling lot': 87608, 'juggling lot amp': 467717, 'lot amp the': 503978, 'amp the last': 54658, 'last thing they': 480547, 'thing they want': 884854, 'want to worry': 966156, 'worry about is': 1010642, 'about is bad': 25550, 'is bad actor': 445957, 'bad actor taking': 107747, 'actor taking advantage': 30598, 'nohoarding': 566210, 'but nowhere': 146621, 'go also': 353270, 'necessity stay': 554257, 'home help': 401366, 'it creates': 457399, 'creates panic': 215959, 'panic stayathome': 638626, 'stayathome nohoarding': 797556, 'price is down': 674865, 'is down but': 447343, 'down but nowhere': 256583, 'but nowhere to': 146623, 'to go also': 906766, 'go also don': 353271, 'be out if': 116284, 'enough food med': 277404, 'food med and': 315426, 'med and basic': 525871, 'basic necessity stay': 112002, 'necessity stay home': 554258, 'stay home help': 796973, 'home help contain': 401367, '19 don hoard': 6626, 'don hoard it': 253638, 'hoard it creates': 398818, 'it creates panic': 457401, 'creates panic stayathome': 215960, 'panic stayathome nohoarding': 638627, 'pmo': 662067, 'narendermodi': 551903, 'about providing': 26024, 'providing tax': 687105, 'tax exemption': 834981, 'exemption to': 290014, 'provide good': 686335, 'normal the': 567357, 'income of': 432420, 'and reserve': 70303, 'not serve': 571535, 'serve longer': 751906, 'longer pmo': 502031, 'pmo narendermodi': 662070, 'narendermodi crisis': 551904, 'govt should think': 361284, 'think about providing': 885099, 'about providing tax': 26025, 'providing tax exemption': 687106, 'tax exemption to': 834983, 'exemption to company': 290015, 'to company and': 903106, 'company and encourage': 190378, 'and encourage them': 62099, 'them to provide': 876499, 'to provide good': 912398, 'provide good and': 686336, 'and service at': 71296, 'service at lower': 752158, 'price than normal': 676779, 'than normal the': 840946, 'normal the source': 567359, 'of income of': 585067, 'income of middle': 432422, 'middle class people': 530637, 'class people ha': 180239, 'people ha been': 648131, 'been stopped and': 122053, 'stopped and reserve': 805680, 'and reserve will': 70305, 'reserve will not': 714117, 'will not serve': 994270, 'not serve longer': 571536, 'serve longer pmo': 751907, 'longer pmo narendermodi': 502032, 'pmo narendermodi crisis': 662071, 'tnluk': 899402, 'dear instead': 229815, 'of multi': 586717, 'multi million': 545655, 'pound jackpot': 667382, 'jackpot could': 464194, 'you award': 1017357, 'award online': 105581, 'slot instead': 774218, 'instead uk': 440378, 'uk tnluk': 938823, 'dear instead of': 229816, 'instead of multi': 440290, 'of multi million': 586718, 'multi million pound': 545656, 'million pound jackpot': 532331, 'pound jackpot could': 667383, 'jackpot could you': 464195, 'could you award': 209842, 'you award online': 1017358, 'award online shopping': 105582, 'delivery slot instead': 234529, 'slot instead uk': 774219, 'instead uk tnluk': 440379, 'april2020': 83724, 'loathe publix': 497568, 'publix is': 688764, 'is near': 449832, 'monopoly in': 537429, 'florida manager': 310960, 'manager act': 512658, 'like nazi': 490840, 'nazi youth': 553189, 'youth shouting': 1026868, 'shouting to': 766800, 'customer arrow': 222137, 'arrow and': 94034, 'is evidence': 447602, 'evidence they': 288397, 'listen or': 494706, 'care publix': 164179, 'publix april2020': 688747, 'loathe publix is': 497569, 'publix is near': 688765, 'is near monopoly': 449833, 'near monopoly in': 553550, 'monopoly in florida': 537430, 'in florida manager': 422941, 'florida manager act': 310961, 'manager act like': 512659, 'act like nazi': 29684, 'like nazi youth': 490841, 'nazi youth shouting': 553190, 'youth shouting to': 1026869, 'shouting to customer': 766801, 'to customer arrow': 903847, 'customer arrow and': 222138, 'arrow and they': 94035, 'and they raised': 73931, 'this crisis there': 887097, 'there is evidence': 878556, 'is evidence they': 447603, 'evidence they do': 288398, 'not listen or': 570427, 'listen or care': 494707, 'or care publix': 614673, 'care publix april2020': 164180, 'often hear': 596206, 're let': 698989, 'else from': 271698, 'from pharmacist': 336909, 'hospital cleaner': 404348, 'cleaner to': 180853, 'staff laboratory': 792608, 'laboratory team': 478479, 'team others': 835752, 'we often hear': 972639, 'often hear about': 596207, 'hear about the': 387873, 'the great work': 856739, 'great work that': 363118, 'work that doctor': 1005801, 'that doctor and': 843575, 'and nurse are': 67885, 'nurse are doing': 577210, 'doing re let': 252621, 're let not': 698990, 'not forget everyone': 569509, 'forget everyone else': 329250, 'everyone else from': 286856, 'else from pharmacist': 271699, 'from pharmacist and': 336910, 'pharmacist and hospital': 654112, 'and hospital cleaner': 64745, 'hospital cleaner to': 404349, 'cleaner to supermarket': 180854, 'supermarket staff laboratory': 822861, 'staff laboratory team': 792609, 'laboratory team others': 478480, 'team others working': 835753, 'others working around': 621807, 'keep the rest': 472066, 'rest of safe': 716202, 'of safe stayhomestaysafe': 589217, 'following official': 312802, 'official confirmation': 595788, 'rwanda ha': 728737, 'ha waived': 372442, 'waived cost': 964530, 'all transaction': 45286, 'transaction to': 929474, 'use cashless': 949097, 'cashless mode': 166695, 'payment part': 645701, 'next 90': 561277, 'following official confirmation': 312803, 'official confirmation of': 595789, 'confirmation of covid': 194124, 'case in rwanda': 165808, 'in rwanda ha': 427598, 'rwanda ha waived': 728738, 'ha waived cost': 372443, 'waived cost of': 964531, 'of all transaction': 579991, 'all transaction to': 45287, 'transaction to allow': 929475, 'to allow customer': 900328, 'allow customer to': 45941, 'to use cashless': 918009, 'use cashless mode': 949098, 'cashless mode of': 166696, 'of payment part': 587843, 'payment part of': 645702, 'transmission of these': 929755, 'of these will': 591874, 'will be free': 992468, 'be free for': 114953, 'free for the': 331849, 'the next 90': 861651, 'next 90 day': 561278, 'remained relatively': 709943, 'relatively stable': 708780, 'stable the': 791961, 'recession may': 704323, 'that stability': 846445, 'stability many': 791818, 'many social': 514716, 'in past recession': 426545, 'past recession consumer': 643592, 'recession consumer spending': 704243, 'spending on service': 788935, 'on service have': 603381, 'service have remained': 752450, 'have remained relatively': 382260, 'remained relatively stable': 709944, 'relatively stable the': 708781, 'stable the covid': 791962, '19 recession may': 10002, 'recession may see': 704324, 'may see le': 521480, 'see le of': 745358, 'le of that': 483043, 'of that stability': 590744, 'that stability many': 846446, 'stability many social': 791819, 'many social distance': 514717, 'distance and choose': 246634, 'and choose to': 59875, 'choose to stay': 177917, 'with strategy': 1001006, 'strategy about': 812589, 'potential long': 667100, 'grow from': 367029, 'term shift': 838289, 'food foodtrends': 314511, 'spoke with strategy': 789754, 'with strategy about': 1001007, 'strategy about the': 812590, 'about the potential': 26481, 'the potential long': 864121, 'potential long term': 667101, 'term change that': 838090, 'change that could': 172280, 'that could grow': 843350, 'could grow from': 209227, 'grow from short': 367030, 'short term shift': 764750, 'term shift in': 838290, 'behaviour and demand': 124360, 'demand with food': 236512, 'with food foodtrends': 998488, 'bank atm': 109669, 'atm grocery': 101933, 'store carry': 806874, 'carry tip': 165158, 'use on': 949441, 'key pad': 473357, 'pad so': 633783, 'free pas': 332049, 'on guy': 601209, 'guy stayhomesavelives': 369153, 'idea when going': 413237, 'going to bank': 355532, 'to bank atm': 901031, 'bank atm grocery': 109670, 'atm grocery store': 101934, 'grocery store carry': 365269, 'store carry tip': 806875, 'carry tip to': 165159, 'tip to use': 898945, 'to use on': 918052, 'use on the': 949442, 'on the key': 604197, 'the key pad': 858759, 'key pad so': 473358, 'pad so that': 633784, 'that it hand': 844715, 'it hand free': 458446, 'hand free pas': 374950, 'free pas it': 332050, 'it on guy': 460045, 'on guy stayhomesavelives': 601211, 'guy stayhomesavelives staysafe': 369154, 'local ha': 498060, 'up sign': 945991, 'kind in': 474853, 'couldn ask': 209863, 'more dedicated': 538976, 'dedicated or': 231726, 'or friendly': 615398, 'friendly team': 334009, 'team who': 835826, 'abuse they': 27671, 'received plus': 703669, 'plus spotted': 661676, 'spotted shop': 790211, 'shop lifting': 760401, 'lifting we': 489506, 'our local ha': 623776, 'local ha had': 498061, 'put up sign': 690968, 'up sign to': 945993, 'sign to ask': 769240, 'to ask people': 900760, 'ask people to': 95604, 'people to please': 649927, 'be kind in': 115618, 'kind in light': 474854, 'light of food': 489555, 'buying couldn ask': 150153, 'couldn ask for': 209864, 'ask for more': 95530, 'for more dedicated': 323566, 'more dedicated or': 538977, 'dedicated or friendly': 231727, 'or friendly team': 615399, 'friendly team who': 334010, 'team who don': 835827, 'who don deserve': 988646, 'don deserve the': 253456, 'deserve the abuse': 238128, 'the abuse they': 848267, 'abuse they ve': 27673, 've received plus': 953490, 'received plus spotted': 703670, 'plus spotted shop': 661677, 'spotted shop lifting': 790212, 'shop lifting we': 760402, 'lifting we left': 489507, '290k': 16507, '60k': 21150, 'day south': 228387, 'tested 290k': 839255, '290k people': 16508, 'only tested': 611249, 'tested 60k': 839257, '60k and': 21151, 'and case': 59601, 'are exploding': 86360, 'exploding staggering': 292327, 'staggering deadly': 793256, 'deadly government': 229273, 'government failure': 360078, 'same day south': 733034, 'day south korea': 228388, 'korea ha tested': 477480, 'ha tested 290k': 372178, 'tested 290k people': 839256, '290k people and': 16509, 'outbreak is under': 628388, 'under control the': 940052, 'control the ha': 202165, 'the ha only': 857006, 'ha only tested': 371447, 'only tested 60k': 611250, 'tested 60k and': 839258, '60k and case': 21152, 'and case are': 59602, 'case are exploding': 165639, 'are exploding staggering': 86361, 'exploding staggering deadly': 292328, 'staggering deadly government': 793257, 'deadly government failure': 229274, 'working came': 1008550, 'came very': 157082, 'spread very': 790868, 'don abide': 253320, 'in supermarket shopping': 428667, 'supermarket shopping please': 822645, 'shopping please please': 763646, 'please please remember': 660310, 'remember the 2m': 710300, '2m rule so': 16704, 'rule so many': 727346, 'many people today': 514540, 'people today while': 649970, 'today while wa': 920531, 'while wa working': 987526, 'wa working came': 963729, 'working came very': 1008551, 'came very close': 157083, 'me the virus': 523665, 'virus will spread': 959046, 'will spread very': 994929, 'spread very very': 790871, 'very very quickly': 955648, 'very quickly if': 955444, 'quickly if we': 694546, 'we don abide': 971375, 'don abide by': 253321, 'the rule the': 866054, 'rule the government': 727374, 'government have put': 360186, 'irrelevantmusik': 445014, 'tattooartist': 834879, 'inked': 438754, 'sinner': 771503, 'tattooed': 834882, 'xxl': 1013923, 'wshh': 1013242, 'worldstar': 1010279, 'techn9ne': 836185, 'bio irrelevantmusik': 131147, 'irrelevantmusik comedy': 445015, 'comedy toiletpaper': 187784, 'toiletpaper tattoo': 922577, 'tattoo tattooartist': 834873, 'tattooartist ink': 834880, 'ink inked': 438745, 'inked sinner': 438757, 'sinner tattooed': 771506, 'tattooed xxl': 834883, 'xxl rap': 1013928, 'rap wshh': 696876, 'wshh worldwide': 1013243, 'worldwide wow': 1010442, 'wow hiphop': 1012564, 'hiphop worldstar': 396956, 'worldstar techn9ne': 1010283, 'techn9ne strange': 836186, 'strange tattoo': 812421, 'in bio irrelevantmusik': 420849, 'bio irrelevantmusik comedy': 131148, 'irrelevantmusik comedy toiletpaper': 445016, 'comedy toiletpaper tattoo': 187785, 'toiletpaper tattoo tattooartist': 922579, 'tattoo tattooartist ink': 834874, 'tattooartist ink inked': 834881, 'ink inked sinner': 438746, 'inked sinner tattooed': 438758, 'sinner tattooed xxl': 771507, 'tattooed xxl rap': 834884, 'xxl rap wshh': 1013929, 'rap wshh worldwide': 696877, 'wshh worldwide wow': 1013244, 'worldwide wow hiphop': 1010443, 'wow hiphop worldstar': 1012565, 'hiphop worldstar techn9ne': 396957, 'worldstar techn9ne strange': 1010284, 'techn9ne strange tattoo': 836187, 'holding all': 400090, 'all factor': 42741, 'factor constant': 295874, 'constant you': 195641, 'have barely': 379410, 'barely tackled': 111036, 'tackled commodity': 831628, 'rent landlord': 711119, 'landlord stayhomestaysafe': 479367, 'stayhomestaysafe 19': 798501, 'holding all factor': 400091, 'all factor constant': 42742, 'factor constant you': 295875, 'constant you have': 195642, 'you have barely': 1019015, 'have barely tackled': 379412, 'barely tackled commodity': 111037, 'tackled commodity price': 831629, 'and rent landlord': 70243, 'rent landlord stayhomestaysafe': 711120, 'landlord stayhomestaysafe 19': 479368, 'stayhomestaysafe 19 quaratinelife': 798502, 'seeing major': 746357, 'major surge': 509506, 'surge result': 828249, 'is seeing major': 451714, 'seeing major surge': 746358, 'major surge result': 509507, 'surge result of': 828250, 'shopping alone': 761924, 'alone lockdownuknow': 46881, 'cannot believe the': 161673, 'believe the number': 126364, 'of family in': 583406, 'you can leave': 1017711, 'home and go': 400644, 'go shopping alone': 354104, 'shopping alone lockdownuknow': 761925, 'in awe': 420642, 'awe of': 106142, 'the sweeping': 869052, 'sweeping measure': 830199, 'measure proposed': 525295, 'house financial': 406293, 'service committee': 752245, 'committee including': 189070, 'including 2k': 431850, '2k month': 16622, 'month adult': 537524, 'adult suspension': 32854, 'consumer cc': 196750, 'cc payment': 168400, 'reporting grant': 712694, 'relief is on': 709374, 'the way in': 871162, 'way in awe': 969656, 'in awe of': 420643, 'awe of the': 106143, 'of the sweeping': 591516, 'the sweeping measure': 869054, 'sweeping measure proposed': 830200, 'measure proposed by': 525296, 'the house financial': 857607, 'house financial service': 406294, 'financial service committee': 306582, 'service committee including': 752246, 'committee including 2k': 189072, 'including 2k month': 431851, '2k month adult': 16623, 'month adult suspension': 537525, 'adult suspension of': 32855, 'all consumer cc': 42427, 'consumer cc payment': 196751, 'cc payment freeze': 168401, 'freeze on credit': 332544, 'credit reporting grant': 216490, 'reporting grant for': 712695, 'grant for small': 362027, 'me wanna': 523904, 'wanna drop': 965627, 'is really making': 451309, 'really making me': 702406, 'making me wanna': 511206, 'me wanna drop': 523905, 'wanna drop all': 965628, 'drop all my': 260116, 'my money on': 549300, 'money on online': 536937, 'formulate': 329736, 'with cleveland': 997659, 'cleveland clinic': 181846, 'to formulate': 906203, 'formulate and': 329737, 'bottle hand': 136230, 'it caregiver': 457066, 'caregiver and': 164494, 'already produced': 47592, 'produced and': 680506, 'distributed almost': 248032, 'we have teamed': 971957, 'up with cleveland': 946623, 'with cleveland clinic': 997660, 'cleveland clinic to': 181847, 'clinic to formulate': 182315, 'to formulate and': 906204, 'formulate and bottle': 329738, 'and bottle hand': 59092, 'bottle hand sanitizer': 136231, 'sanitizer the health': 735870, 'the health system': 857189, 'health system is': 386890, 'system is committed': 831222, 'committed to keeping': 189041, 'to keeping it': 908886, 'keeping it caregiver': 472456, 'it caregiver and': 457067, 'caregiver and the': 164495, 'the community safe': 851295, 'have already produced': 379199, 'already produced and': 47593, 'produced and distributed': 680507, 'and distributed almost': 61515, 'distributed almost 00': 248033, 'almost 00 bottle': 46469, 'any confined': 79046, 'space with': 787196, 'could leave': 209380, 'leave shopper': 484924, 'shopper vulnerable': 761794, 'supermarket and any': 818931, 'and any confined': 58213, 'any confined space': 79047, 'confined space with': 194049, 'space with lot': 787197, 'people could leave': 647561, 'could leave shopper': 209381, 'leave shopper vulnerable': 484925, 'shopper vulnerable to': 761795, 'info page': 437549, 'latest dhs': 481296, 'ndia update': 553415, 'update plus': 947172, '19 info page': 7875, 'info page including': 437550, 'the latest dhs': 859091, 'latest dhs and': 481297, 'and ndia update': 67447, 'ndia update plus': 553416, 'update plus what': 947174, 'plus what we': 661718, 'tues': 935089, 'word tues': 1004611, 'tues 24': 935090, '24 join': 15640, 'for facebook': 321354, 'safe through': 730037, 'through learn': 894552, 'learn best': 483951, 'and navigating': 67444, 'navigating this': 553133, 'question live': 693645, 'live sign': 496015, 'for fb': 321421, 'fb reminder': 300669, 'reminder here': 710560, 'the word tues': 871725, 'word tues 24': 1004612, 'tues 24 join': 935092, '24 join consumer': 15641, 'join consumer report': 466698, 'report for facebook': 711952, 'for facebook live': 321355, 'facebook live on': 294957, 'live on staying': 495965, 'staying safe through': 798700, 'safe through learn': 730038, 'through learn best': 894553, 'learn best practice': 483952, 'practice for staying': 668569, 'safe and navigating': 729461, 'and navigating this': 67445, 'navigating this crisis': 553134, 'and ask question': 58429, 'ask question live': 95616, 'question live sign': 693646, 'live sign up': 496016, 'up for fb': 944932, 'for fb reminder': 321422, 'fb reminder here': 300670, 'buy cereal': 148477, 'cereal only': 169936, 'only pasta': 610937, 'pasta remained': 643791, 'remained on': 709939, 'to buy cereal': 902203, 'buy cereal only': 148478, 'cereal only pasta': 169937, 'only pasta remained': 610938, 'pasta remained on': 643792, 'remained on the': 709940, 'plan seem': 658218, 'frequent testing': 332824, '19 med': 8613, 'med staff': 525922, 'other hub': 620376, 'hub of': 409816, 'of dense': 582530, 'see that response': 745795, 'response plan seem': 715784, 'plan seem to': 658219, 'seem to include': 746695, 'prioritizing frequent testing': 678481, 'frequent testing of': 332825, 'covid 19 med': 213421, '19 med staff': 8614, 'med staff and': 525923, 'station attendant other': 796357, 'attendant other hub': 102363, 'other hub of': 620377, 'hub of dense': 409818, 'of dense contact': 582531, 'demanding bailouts': 236575, 'bailouts due': 108691, 'but were': 147777, 'were happy': 979721, 'charge exorbitant': 173224, 'holiday capitalist': 400269, 'capitalist way': 162825, 'of boom': 580782, 'boom and': 134796, 'and bust': 59309, 'bust airlinebailout': 144820, 'airlinebailout capitalism': 40067, 'capitalism coronacrisis': 162732, 'airline are demanding': 39927, 'are demanding bailouts': 85775, 'demanding bailouts due': 236576, 'bailouts due to': 108692, 'to but were': 902158, 'but were happy': 147778, 'were happy to': 979722, 'happy to charge': 377708, 'to charge exorbitant': 902637, 'charge exorbitant price': 173225, 'price during school': 673631, 'during school holiday': 262991, 'school holiday capitalist': 741820, 'holiday capitalist way': 400270, 'capitalist way of': 162826, 'way of boom': 969740, 'of boom and': 580783, 'boom and bust': 134797, 'and bust airlinebailout': 59310, 'bust airlinebailout capitalism': 144821, 'airlinebailout capitalism coronacrisis': 40068, 'nanosecond': 551820, 'polenta': 662876, 'want not': 965867, 'buyer chuck': 149608, 'chuck out': 178278, 'that nanosecond': 845285, 'nanosecond past': 551821, 'use by': 949088, 'by date': 152293, 'date my': 226683, 'my tidy': 550371, 'up revealed': 945923, 'revealed some': 720276, 'some five': 782837, 'old polenta': 598429, 'polenta very': 662877, 'nice it': 562427, 'too ve': 925142, 've lived': 953342, 'lived to': 496176, 'tale albeit': 833690, 'albeit waited': 40761, 'waited couple': 964270, 'this stayhome': 890313, 'waste not want': 968158, 'not want not': 572443, 'want not panic': 965868, 'not panic buyer': 570900, 'panic buyer chuck': 637562, 'buyer chuck out': 149609, 'chuck out food': 178279, 'out food that': 626090, 'food that nanosecond': 317094, 'that nanosecond past': 845286, 'nanosecond past the': 551822, 'past the use': 643620, 'the use by': 870567, 'use by date': 949089, 'by date my': 152294, 'date my tidy': 226684, 'my tidy up': 550372, 'tidy up revealed': 895729, 'up revealed some': 945924, 'revealed some five': 720277, 'some five year': 782838, 'five year old': 309693, 'year old polenta': 1014861, 'old polenta very': 598430, 'polenta very nice': 662878, 'very nice it': 955382, 'nice it wa': 562428, 'it wa too': 462214, 'wa too ve': 963557, 'too ve lived': 925144, 've lived to': 953344, 'lived to tell': 496177, 'to tell the': 916350, 'tell the tale': 837092, 'the tale albeit': 869134, 'tale albeit waited': 833691, 'albeit waited couple': 40762, 'waited couple of': 964271, 'of day to': 582388, 'day to post': 228576, 'to post this': 911918, 'post this stayhome': 666363, 'this stayhome staysafe': 890314, 'amis': 52854, 'security feature': 744595, 'feature article': 301538, 'month amis': 537566, 'amis market': 52855, 'may spare': 521515, 'spare global': 787479, 'not vulnerable': 572412, 'vulnerable country': 960918, 'pandemic pose': 636212, 'pose serious': 665111, 'local level': 498150, 'level read': 487688, '19 food security': 7050, 'food security feature': 316347, 'security feature article': 744596, 'feature article in': 301539, 'article in this': 94366, 'this month amis': 888897, 'month amis market': 537567, 'amis market monitor': 52856, 'market monitor covid': 516729, '19 may spare': 8583, 'may spare global': 521516, 'spare global food': 787480, 'market but not': 516128, 'but not vulnerable': 146580, 'not vulnerable country': 572413, 'vulnerable country the': 960919, 'country the pandemic': 211131, 'the pandemic pose': 863058, 'pandemic pose serious': 636213, 'pose serious threat': 665112, 'threat to food': 893733, 'food security at': 316339, 'the local level': 859561, 'local level read': 498151, 'level read more': 487689, 'kroger grocery': 477741, 'management ha': 512570, 'implemented an': 418454, 'emergency leave': 272775, 'far enough': 298764, 'my follow': 548370, 'up post': 945787, 'two kroger grocery': 936999, 'kroger grocery chain': 477742, 'grocery chain employee': 364360, 'chain employee test': 170679, 'positive for amp': 665316, 'for amp the': 319261, 'amp the store': 54669, 'the store management': 868056, 'store management ha': 808866, 'management ha implemented': 512571, 'ha implemented an': 370923, 'implemented an emergency': 418455, 'an emergency leave': 55680, 'emergency leave policy': 272776, 'leave policy but': 484904, 'policy but doe': 663355, 'but doe it': 145572, 'doe it go': 251432, 'it go far': 458259, 'go far enough': 353527, 'far enough see': 298766, 'enough see my': 277613, 'see my follow': 745454, 'my follow up': 548371, 'follow up post': 312579, 'up post to': 945788, 'post to find': 666371, 'find out why': 307160, 'why the answer': 991408, 'canalys': 160799, 'wearablebands': 974507, 'smartpersonalaudiodevices': 775508, 'smartspeakers': 775545, 'canalys forecast': 160800, 'forecast that': 328869, 'that shipment': 846259, 'of wearablebands': 592975, 'wearablebands smartpersonalaudiodevices': 974508, 'smartpersonalaudiodevices and': 775509, 'and smartspeakers': 71794, 'smartspeakers will': 775546, 'grow to': 367078, 'reach 718': 699880, '718 million': 21994, 'million unit': 532405, 'unit in': 942061, 'iot vendor': 444480, 'vendor look': 954393, 'market disrupted': 516296, 'canalys forecast that': 160801, 'forecast that shipment': 328870, 'that shipment of': 846260, 'shipment of wearablebands': 758774, 'of wearablebands smartpersonalaudiodevices': 592976, 'wearablebands smartpersonalaudiodevices and': 974509, 'smartpersonalaudiodevices and smartspeakers': 775510, 'and smartspeakers will': 71795, 'smartspeakers will grow': 775547, 'will grow to': 993581, 'grow to reach': 367079, 'to reach 718': 912791, 'reach 718 million': 699881, '718 million unit': 21995, 'million unit in': 532406, 'unit in 2020': 942062, 'in 2020 consumer': 419827, '2020 consumer iot': 14241, 'consumer iot vendor': 197930, 'iot vendor look': 444481, 'vendor look for': 954394, 'look for growth': 502362, 'for growth in': 322076, 'growth in market': 367400, 'in market disrupted': 425144, 'market disrupted by': 516297, 'psa only': 687416, 'household need': 406888, 'psa only go': 687417, 'need to and': 555857, 'to and do': 900495, 'not bring the': 568624, 'bring the whole': 140089, 'whole family only': 990199, 'family only one': 298125, 'per household need': 650889, 'household need to': 406889, 'come in 19': 187355, 'criticising': 218757, 'unkindly': 942503, 'cn even': 184704, 'after criticising': 35521, 'criticising harshly': 218758, 'harshly unkindly': 378582, 'unkindly my': 942504, 'mum response': 545940, 'crisis am': 216998, 'am planning': 50303, 'shop later': 760395, 'slot can': 774156, 'get will': 348630, 'probably go': 679265, 'thursday friday': 895373, 'cn even after': 184705, 'even after criticising': 283811, 'after criticising harshly': 35522, 'criticising harshly unkindly': 218759, 'harshly unkindly my': 378583, 'unkindly my mum': 942505, 'my mum response': 549380, 'mum response to': 545941, 'the crisis am': 852340, 'crisis am planning': 216999, 'am planning to': 50304, 'planning to go': 658585, 'the shop later': 867011, 'shop later this': 760397, 'week to try': 977100, 'and get supply': 63603, 'last to the': 480584, 'shopping slot can': 763903, 'slot can get': 774157, 'can get will': 158471, 'get will probably': 348631, 'will probably go': 994464, 'probably go on': 679266, 'go on thursday': 353900, 'on thursday friday': 604668, 'in logistics': 424869, 'having team': 384304, 'people planning': 649120, 'planning vehicle': 658597, 'vehicle into': 954269, 'supermarket dc': 819899, 'dc 24': 228936, '24 can': 15580, 'to panicbuy': 911437, 'panicbuy they': 638841, 'minute please': 533823, 'normally for': 567499, 'everyone sake': 287342, 'sake coronacrisis': 731850, 'working in logistics': 1008721, 'in logistics and': 424870, 'logistics and having': 500722, 'and having team': 64299, 'having team of': 384305, 'team of people': 835742, 'of people planning': 587966, 'people planning vehicle': 649121, 'planning vehicle into': 658598, 'vehicle into supermarket': 954270, 'into supermarket dc': 443039, 'supermarket dc 24': 819900, 'dc 24 can': 228937, '24 can share': 15581, 'can share that': 159588, 'share that there': 755241, 'need to panicbuy': 556005, 'to panicbuy they': 911438, 'panicbuy they have': 638842, 'they have lot': 882342, 'of supply going': 590481, 'supply going in': 825327, 'going in every': 355216, 'in every minute': 422683, 'every minute please': 286012, 'minute please consider': 533824, 'consider shopping normally': 195105, 'shopping normally for': 763347, 'normally for everyone': 567500, 'for everyone sake': 321234, 'everyone sake coronacrisis': 287343, 'pitching': 657015, 'from cybercriminals': 335090, 'cybercriminals pitching': 223975, 'pitching covid': 657016, 'cure read': 220797, 'out for surge': 626164, 'for surge in': 326084, 'surge in email': 828189, 'in email from': 422540, 'email from cybercriminals': 272185, 'from cybercriminals pitching': 335091, 'cybercriminals pitching covid': 223976, 'pitching covid 19': 657017, '19 health information': 7483, 'health information and': 386532, 'information and fake': 437735, 'and fake cure': 62626, 'fake cure read': 296604, 'cure read in': 220798, 'read in consumer': 700369, 'in consumer report': 421716, 'just braved': 468361, 'braved local': 138251, 'amid worried': 52764, 'lone elderly': 501279, 'ha just braved': 371047, 'just braved local': 468362, 'braved local supermarket': 138252, 'local supermarket with': 498617, 'supermarket with staff': 823939, 'with staff amid': 1000933, 'staff amid worried': 792111, 'amid worried for': 52765, 'worried for all': 1010561, 'all the lone': 44815, 'the lone elderly': 859670, 'lone elderly and': 501280, 'vulnerable customer we': 960926, 'customer we saw': 223043, 'we saw on': 973136, 'saw on their': 738192, 'shock covid': 759436, 'dual shock covid': 261442, 'shock covid 19': 759437, 'newsletter includes': 561030, 'includes phone': 431798, 'phone number': 654980, 'number for': 576877, 'regional civil': 707499, 'civil defence': 179512, 'defence team': 232094, 'team that': 835788, 'access supermarket': 28199, 'essential click': 280906, 'most recent covid': 542679, '19 special edition': 10720, 'edition newsletter includes': 268623, 'newsletter includes phone': 561031, 'includes phone number': 431799, 'phone number for': 654982, 'number for all': 576878, 'for all regional': 319164, 'all regional civil': 44139, 'regional civil defence': 707500, 'civil defence team': 179513, 'defence team that': 232095, 'team that can': 835789, 'can help those': 158666, 'who are struggling': 988231, 'struggling to access': 814495, 'to access supermarket': 899959, 'access supermarket essential': 28200, 'supermarket essential click': 820199, 'essential click here': 280907, 'here to find': 393711, 'our fourth': 623158, 'fourth series': 330724, 'report agriculture': 711788, 'south and': 786681, 'and east': 61856, 'east is': 265315, 'increasingly hit': 433782, 'hit infection': 398291, 'infection increase': 436775, 'for amplifier': 319262, 'amplifier wa': 54903, 'low leading': 505379, 'in our fourth': 426294, 'our fourth series': 623159, 'fourth series of': 330725, 'series of the': 751280, 'the market report': 860152, 'market report agriculture': 516986, 'report agriculture in': 711789, 'the south and': 867506, 'south and east': 786682, 'and east is': 61858, 'east is increasingly': 265316, 'is increasingly hit': 448871, 'increasingly hit infection': 433783, 'hit infection increase': 398292, 'infection increase demand': 436776, 'demand for amplifier': 235376, 'for amplifier wa': 319263, 'amplifier wa low': 54904, 'wa low leading': 962601, 'low leading to': 505380, 'low price for': 505514, 'price for these': 674064, 'for these product': 326975, '19 state governor': 10789, 'state governor say': 795626, 'federal agency and': 301944, 'agency and each': 37981, 'and each other': 61835, 'cham': 171661, 'the cabinet': 850258, 'cabinet after': 154976, 'after consulting': 35494, 'consulting with': 195908, 'of mongolia': 586625, 'mongolia the': 537238, 'of finance': 583525, 'financial stability': 306598, 'stability council': 791806, 'council it': 209996, 'it decided': 457491, 'extend mortgage': 293114, 'repayment due': 711481, 'date by': 226604, 'month am': 537557, 'am cham': 49966, 'the cabinet after': 850259, 'cabinet after consulting': 154977, 'after consulting with': 35495, 'consulting with the': 195909, 'with the bank': 1001209, 'the bank of': 849251, 'bank of mongolia': 110051, 'of mongolia the': 586626, 'mongolia the ministry': 537239, 'ministry of finance': 533545, 'of finance and': 583527, 'finance and financial': 306152, 'and financial stability': 62876, 'financial stability council': 306600, 'stability council it': 791807, 'council it decided': 209997, 'it decided to': 457492, 'decided to extend': 230915, 'to extend mortgage': 905525, 'extend mortgage and': 293115, 'mortgage and consumer': 541860, 'and consumer loan': 60401, 'consumer loan repayment': 198066, 'loan repayment due': 497520, 'repayment due date': 711482, 'due date by': 261646, 'date by up': 226605, 'three month am': 893994, 'month am cham': 537558, 'because then': 119663, 'constantly go': 195669, 'hoarding food because': 399300, 'food because then': 313714, 'because then the': 119664, 'then the rest': 877623, 'rest of will': 716209, 'of will have': 593170, 'have to constantly': 383186, 'to constantly go': 903250, 'constantly go out': 195670, 'go out looking': 353965, 'out looking for': 626521, 'and not contribute': 67726, 'to the effort': 916667, 'whippin': 987740, 'booker': 134694, 'stone cold': 804337, 'cold wa': 185799, 'wa whippin': 963699, 'whippin booker': 987741, 'booker as': 134695, 'were hoarding': 979750, 'paper lol': 640424, 'lol toiletpaper': 500967, 'kind everyone': 474839, 'everyone it': 287128, 'rough out': 726254, 'stone cold wa': 804338, 'cold wa whippin': 185800, 'wa whippin booker': 963700, 'whippin booker as': 987742, 'booker as in': 134696, 'store for hoarding': 807812, 'for hoarding toilet': 322328, 'paper before people': 639940, 'before people were': 123010, 'people were hoarding': 650206, 'were hoarding toilet': 979751, 'toilet paper lol': 921340, 'paper lol toiletpaper': 640425, 'lol toiletpaper 19': 500968, 'toiletpaper 19 be': 921668, '19 be kind': 5319, 'be kind everyone': 115616, 'kind everyone it': 474840, 'everyone it rough': 287129, 'it rough out': 460808, 'rough out here': 726255, 'lapse': 479542, 'singapore state': 771153, 'controlled supermarket': 202257, 'supermarket ntuc': 821682, 'fairprice and': 296457, 'retailer cold': 719087, 'fulfill delivery': 340403, 'row showing': 726583, 'showing lapse': 767472, 'lapse in': 479543, 'system even': 831158, 'crisis ecommerce': 217329, 'singapore state controlled': 771154, 'state controlled supermarket': 795487, 'controlled supermarket ntuc': 202258, 'supermarket ntuc fairprice': 821683, 'ntuc fairprice and': 576743, 'fairprice and other': 296458, 'and other major': 68355, 'other major grocery': 620495, 'major grocery retailer': 509350, 'grocery retailer cold': 364902, 'retailer cold storage': 719088, 'cold storage ha': 185794, 'unable to fulfill': 939329, 'to fulfill delivery': 906302, 'fulfill delivery for': 340404, 'week in row': 976383, 'in row showing': 427560, 'row showing lapse': 726584, 'showing lapse in': 767473, 'lapse in the': 479544, 'the system even': 869093, 'system even before': 831159, 'before the crisis': 123153, 'the crisis ecommerce': 852370, 'osyth': 619760, 'clacton': 179678, 'are ripping': 89702, 'sanitiser this': 734031, 'this retailer': 889892, 'st osyth': 791740, 'osyth clacton': 619761, 'clacton is': 179679, 'free squirt': 332193, 'squirt well': 791580, 'done nisa': 254947, 'nisa st': 563369, 'osyth nisa': 619763, 'retailer are ripping': 719014, 'are ripping people': 89703, 'people off with': 648940, 'off with inflated': 594398, 'hand sanitiser this': 375251, 'sanitiser this retailer': 734032, 'this retailer in': 889893, 'retailer in st': 719205, 'in st osyth': 428222, 'st osyth clacton': 791741, 'osyth clacton is': 619762, 'clacton is giving': 179680, 'giving free squirt': 351298, 'free squirt well': 332194, 'squirt well done': 791581, 'well done nisa': 978194, 'done nisa st': 254948, 'nisa st osyth': 563370, 'st osyth nisa': 791742, 'sullivan': 817853, 'flocked': 310682, 'dodson': 251313, 'region first': 707416, 'first confirmed': 308584, 'of sullivan': 590388, 'sullivan county': 817854, 'county last': 211427, 'people flocked': 647931, 'flocked to': 310683, 'to area': 900696, 'purchase cleaning': 689402, 'good dodson': 356982, 'dodson report': 251314, 'of the region': 591399, 'the region first': 865429, 'region first confirmed': 707417, 'first confirmed covid': 308586, '19 case came': 5670, 'case came out': 165674, 'out of sullivan': 626845, 'of sullivan county': 590389, 'sullivan county last': 817855, 'county last week': 211428, 'last week people': 480670, 'week people flocked': 976737, 'people flocked to': 647932, 'flocked to area': 310684, 'to area store': 900698, 'to purchase cleaning': 912524, 'purchase cleaning supply': 689403, 'sanitizer food toilet': 734887, 'other good dodson': 620304, 'good dodson report': 356983, 'giant cole': 349761, 'cole and': 185837, 'and woolworth': 75841, 'woolworth stepping': 1004426, 'game by': 343141, 'constantly remind': 195693, 'remind shopper': 710504, 'to trolley': 917788, 'trolley distance': 932395, 'keep atleast': 471325, 'atleast metre': 101889, 'metre between': 529836, 'other sydney': 621050, 'sydney panicbuying': 830705, 'supermarket giant cole': 820500, 'giant cole and': 349762, 'cole and woolworth': 185838, 'and woolworth stepping': 75843, 'woolworth stepping up': 1004427, 'stepping up their': 799819, 'up their game': 946238, 'their game by': 873397, 'game by using': 343143, 'using the pa': 950705, 'the pa system': 862831, 'pa system to': 632888, 'system to constantly': 831349, 'to constantly remind': 903251, 'constantly remind shopper': 195694, 'remind shopper to': 710505, 'shopper to trolley': 761779, 'to trolley distance': 917789, 'trolley distance themselves': 932396, 'distance themselves to': 246851, 'themselves to keep': 876912, 'to keep atleast': 908754, 'keep atleast metre': 471326, 'atleast metre between': 101890, 'metre between each': 529837, 'each other sydney': 264221, 'other sydney panicbuying': 621051, 'honest more': 403066, 'and collector': 60097, 'collector family': 186562, 'family getting': 297848, 'getting together': 349401, 'for play': 324579, 'date people': 226712, 'to pub': 912465, 'people stealing': 649575, 'stealing sanitizer': 799250, 'donation box': 254564, 'box than': 137174, 'and indifference': 65152, 'indifference that': 435073, 'that scare': 846149, 'be honest more': 115292, 'honest more afraid': 403067, 'afraid of panic': 35002, 'buyer and collector': 149558, 'and collector family': 60098, 'collector family getting': 186563, 'family getting together': 297849, 'getting together for': 349402, 'together for play': 920794, 'for play date': 324580, 'play date people': 659134, 'date people still': 226713, 'going to pub': 355678, 'to pub and': 912467, 'restaurant and people': 716294, 'and people stealing': 68881, 'people stealing sanitizer': 649576, 'stealing sanitizer from': 799251, 'from hospital and': 335945, 'hospital and food': 404282, 'food in donation': 314936, 'in donation box': 422359, 'donation box than': 254566, 'box than selfishness': 137176, 'selfishness and indifference': 748332, 'and indifference that': 65153, 'indifference that scare': 435074, 'that scare me': 846150, 'promised corona': 683717, 'corona information': 204018, 'and triage': 74450, 'triage site': 931625, 'site is': 771961, 'finally up': 306130, 'running all': 727899, 'apocalypse is': 81544, 'the promised corona': 864661, 'promised corona information': 683718, 'corona information and': 204019, 'information and triage': 437745, 'and triage site': 74451, 'triage site is': 931626, 'site is finally': 771962, 'is finally up': 447809, 'finally up and': 306131, 'and running all': 70641, 'running all you': 727900, 'know about how': 476215, 'long you will': 501879, 'you will survive': 1022357, 'survive the apocalypse': 829239, 'the apocalypse is': 848813, 'apocalypse is right': 81545, 'is right there': 451543, 'outside need': 629493, 'be supervised': 117453, 'supervised by': 824375, 'staff too': 793009, 'too enforcing': 924709, 'enforcing separation': 276829, 'separation occurs': 751116, 'occurs on': 579082, 'the continent': 851663, 'queue outside need': 694035, 'outside need to': 629494, 'to be supervised': 901573, 'be supervised by': 117454, 'supervised by supermarket': 824376, 'supermarket staff too': 822901, 'staff too enforcing': 793010, 'too enforcing separation': 924710, 'enforcing separation occurs': 276830, 'separation occurs on': 751117, 'occurs on the': 579083, 'on the continent': 604035, 's2': 728849, 'hey vote': 394531, 'vote that': 960508, 'retail clerk': 717960, 'clerk garbage': 181706, 'collector first': 186564, 'responder anyone': 715417, 'get s2': 347946, 's2 month': 728850, 'month paid': 537945, 'paid vacation': 634168, 'vacation while': 951609, 'the mess': 860508, 'hey vote that': 394532, 'vote that after': 960509, 'all over any': 43853, 'over any healthcare': 629995, 'store retail clerk': 809869, 'retail clerk garbage': 717961, 'clerk garbage collector': 181707, 'garbage collector first': 343520, 'collector first responder': 186565, 'first responder anyone': 308929, 'responder anyone who': 715418, 'is having to': 448339, 'right now get': 722069, 'now get s2': 574774, 'get s2 month': 347947, 's2 month paid': 728851, 'month paid vacation': 537946, 'paid vacation while': 634169, 'vacation while the': 951610, 'rest of go': 716194, 'of go to': 584172, 'help to clean': 390768, 'up the mess': 946193, 'australian article': 103437, 'article that': 94479, 'that applies': 842704, 'applies here': 82523, 'australian article that': 103438, 'article that applies': 94480, 'that applies here': 842705, 'applies here too': 82524, 'breaking apple': 138913, 'apple ha': 82325, 'every retail': 286140, 'china until': 177032, '27th amid': 16360, 'breaking apple ha': 138914, 'apple ha closed': 82326, 'ha closed down': 370169, 'closed down every': 183078, 'down every retail': 256734, 'every retail store': 286142, 'greater china until': 363156, 'china until march': 177033, 'march 27th amid': 515227, '27th amid the': 16361, 'chain message': 170925, 'safe yeswaystores': 730164, 'retail chain message': 717942, 'chain message on': 170926, 'message on procedure': 529382, 'protocol they are': 686001, 'everyone safe yeswaystores': 287335, 'safe yeswaystores learn': 730165, 'today gonna': 919581, 'more coffee': 538832, 'coffee toiletpaper': 185552, 'like this today': 491543, 'this today gonna': 890754, 'today gonna need': 919582, 'need more coffee': 555254, 'more coffee toiletpaper': 538833, 'coffee toiletpaper workfromhome': 185553, 'damm': 225294, 'selfish wanker': 748306, 'wanker that': 965603, 'supply clearing': 825081, 'yet don': 1016045, 'give damm': 350449, 'damm about': 225295, 'about rubbing': 26118, 'rubbing shoulder': 726974, 'shoulder with': 766714, 'gym restaurant': 369346, 'these selfish wanker': 880653, 'selfish wanker that': 748307, 'wanker that continue': 965604, 'and supply clearing': 72780, 'supply clearing shelf': 825082, 'clearing shelf almost': 181470, 'and yet don': 75983, 'yet don give': 1016046, 'don give damm': 253552, 'give damm about': 350450, 'damm about rubbing': 225296, 'about rubbing shoulder': 26119, 'rubbing shoulder with': 726975, 'shoulder with stranger': 766715, 'stranger in shop': 812473, 'in shop bar': 427894, 'shop bar gym': 759968, 'bar gym restaurant': 110715, 'gym restaurant that': 369347, 'restaurant that they': 716742, 'that they refuse': 846948, 'for aussie': 319528, 'aussie traveller': 103144, 'traveller returning': 930676, 'selfisolation you': 748510, 'priority assistance': 678520, 'for woolies': 327909, 'woolies home': 1004379, 'online travel': 609635, 'travel onlineshopping': 930449, 'onlineshopping australia': 609885, 'australia woolworth': 103427, 'news for aussie': 560425, 'for aussie traveller': 319529, 'aussie traveller returning': 103145, 'traveller returning home': 930677, 'returning home to': 720013, 'home to 14': 402304, 'to 14 day': 899495, 'day selfisolation you': 228328, 'selfisolation you might': 748512, 'get priority assistance': 347845, 'priority assistance for': 678521, 'assistance for woolies': 96698, 'for woolies home': 327910, 'woolies home delivery': 1004380, 'home delivery if': 401023, 'delivery if you': 234109, 'if you apply': 415392, 'you apply online': 1017035, 'apply online travel': 82584, 'online travel onlineshopping': 609636, 'travel onlineshopping australia': 930450, 'onlineshopping australia woolworth': 609886, 'combined 100k': 187120, '100k to': 2177, 'donated combined 100k': 254329, 'combined 100k to': 187121, '100k to support': 2178, 'meet increased food': 527512, 'food demand from': 314170, 'vulnerable people during': 961088, 'unprecedented time of': 943203, 'dipshits': 243236, 'you bitch': 1017479, 'as all': 94712, 'some dipshits': 782688, 'dipshits panicbuyers': 243237, 'panicbuying nofood': 638994, 'thank you bitch': 841693, 'you bitch as': 1017480, 'bitch as all': 131747, 'as all some': 94713, 'all some dipshits': 44391, 'some dipshits panicbuyers': 782689, 'dipshits panicbuyers panicbuying': 243238, 'panicbuyers panicbuying nofood': 638868, 'most famous': 542331, 'famous mall': 298476, 'mall such': 511832, 'such mall': 816622, 'the emirate': 854244, 'emirate and': 273192, 'and dubai': 61791, 'dubai mall': 261480, 'are transforming': 91183, 'transforming themselves': 929606, 'to fulfillment': 906310, 'center where': 169323, 'where worker': 985372, 'work throughout': 1005869, 'some of most': 783402, 'of most famous': 586673, 'most famous mall': 542332, 'famous mall such': 298477, 'mall such mall': 511833, 'such mall of': 816623, 'mall of the': 511807, 'of the emirate': 590981, 'the emirate and': 854245, 'emirate and dubai': 273193, 'and dubai mall': 61792, 'dubai mall are': 261481, 'mall are transforming': 511751, 'are transforming themselves': 91184, 'transforming themselves to': 929607, 'themselves to fulfillment': 876909, 'to fulfillment center': 906311, 'fulfillment center where': 340446, 'center where worker': 169324, 'where worker work': 985374, 'worker work throughout': 1008284, 'work throughout the': 1005870, 'throughout the night': 894978, 'night to keep': 563108, 'up with online': 946669, 'with online order': 999898, 'socialism will': 780990, 'never develop': 557944, '19 socialism': 10684, 'develop cure': 239633, 'anything except': 80758, 'joy of': 467514, 'of achievement': 579742, 'achievement socialism': 29061, 'never stock': 558204, 'crisis socialism': 218070, 'socialism never': 780971, 'shelf period': 757408, 'period aoc': 651717, 'socialism will never': 780991, 'will never develop': 994161, 'never develop vaccine': 557946, 'develop vaccine for': 239669, 'covid 19 socialism': 213829, '19 socialism will': 10685, 'never develop cure': 557945, 'develop cure for': 239634, 'cure for anything': 220735, 'for anything except': 319459, 'anything except the': 80760, 'except the work': 289237, 'the work ethic': 871730, 'work ethic and': 1005105, 'and the joy': 73434, 'the joy of': 858695, 'joy of achievement': 467515, 'of achievement socialism': 579743, 'achievement socialism would': 29062, 'socialism would never': 780994, 'would never stock': 1012064, 'never stock food': 558205, 'stock food shelf': 802146, 'food shelf in': 316455, 'shelf in national': 757207, 'national crisis socialism': 552468, 'crisis socialism never': 218071, 'socialism never stock': 780972, 'food shelf period': 316456, 'shelf period aoc': 757409, 'fixdebt': 309774, 'is debt': 447055, 'debt review': 230550, 'review debt': 720555, 'debt solution': 230565, 'can consider': 157959, 'consider during': 194993, 'lockdown yes': 500173, 'yes click': 1015406, 'that debt': 843455, 'review offer': 720581, 'offer fixdebt': 594607, 'is debt review': 447056, 'debt review debt': 230551, 'review debt solution': 720556, 'debt solution you': 230566, 'solution you can': 782142, 'you can consider': 1017650, 'can consider during': 157960, 'consider during lockdown': 194994, 'during lockdown yes': 262780, 'lockdown yes click': 500174, 'yes click here': 1015407, 'the benefit that': 849475, 'benefit that debt': 127100, 'that debt review': 843456, 'debt review offer': 230552, 'review offer fixdebt': 720582, 'dc grocery': 228951, 'dc grocery store': 228952, 'store hour coronavirus': 808193, '245': 15739, '849': 22902, '047': 939, 'live coronavirus': 495775, 'coronavirus real': 206622, 'global counter': 351831, 'counter statistic': 210259, 'statistic currently': 796577, 'currently 245': 221447, '245 849': 15740, '849 infected': 22905, 'infected 10': 436521, '10 047': 1221, '047 death': 940, 'death 88': 229948, '88 441': 23046, '441 recovered': 19038, 'recovered coronacrisis': 705225, 'live coronavirus real': 495776, 'coronavirus real time': 206623, 'real time global': 701408, 'time global counter': 896837, 'global counter statistic': 351832, 'counter statistic currently': 210260, 'statistic currently 245': 796578, 'currently 245 849': 221448, '245 849 infected': 15741, '849 infected 10': 22906, 'infected 10 047': 436522, '10 047 death': 1222, '047 death 88': 941, 'death 88 441': 229949, '88 441 recovered': 23047, '441 recovered coronacrisis': 19039, 'recovered coronacrisis stophoarding': 705226, 'kemi': 472750, 'olugbode': 598773, 'general manager': 345401, 'agency mr': 38040, 'mr kemi': 544374, 'kemi olugbode': 472751, 'olugbode the': 598774, 'the engagement': 854333, 'engagement became': 276892, 'became necessary': 118877, 'necessary in': 554005, 'educate trader': 268770, 'also promoting': 48694, 'promoting and': 683836, 'to safety': 913726, 'the general manager': 856205, 'general manager of': 345403, 'of the agency': 590781, 'the agency mr': 848442, 'agency mr kemi': 38041, 'mr kemi olugbode': 544375, 'kemi olugbode the': 472752, 'olugbode the engagement': 598775, 'the engagement became': 854334, 'engagement became necessary': 276893, 'became necessary in': 118878, 'necessary in order': 554006, 'order to educate': 618678, 'to educate trader': 904945, 'educate trader and': 268771, 'trader and consumer': 928648, 'and consumer on': 60408, 'consumer on the': 198262, 'while also promoting': 986596, 'also promoting and': 48695, 'promoting and protecting': 683837, 'and protecting consumer': 69670, 'protecting consumer right': 685189, 'consumer right to': 198830, 'right to safety': 722354, 'soapbox': 779205, 'without soapbox': 1002923, 'soapbox find': 779206, 'people care': 647445, 'item fuel': 463291, 'safety benefit': 730484, 'and relative': 70188, 'relative community': 708721, 'without soapbox find': 1002924, 'soapbox find out': 779207, 'out what people': 627809, 'what people care': 982007, 'people care about': 647446, 'care about now': 163797, 'about now can': 25826, 'now can buy': 574326, 'supply and household': 824725, 'household item fuel': 406865, 'item fuel can': 463292, 'the rent and': 865511, 'rent and mortgage': 711039, 'and mortgage rent': 67257, 'job security and': 466141, 'security and safety': 744539, 'and safety benefit': 70740, 'safety benefit can': 730485, 'can protect my': 159322, 'friend and relative': 333510, 'and relative community': 70189, 'relative community spirit': 708722, 'shrunk': 767728, 'ecommerce2020': 266901, 'hard business': 377876, 'have shrunk': 382538, 'shrunk while': 767729, 'while commerce': 986696, 'shown tremendous': 767627, 'tremendous growth': 931226, 'growth amid': 367337, 'outbreak socialdistancing': 628634, 'socialdistancing ecommerce': 780344, 'ecommerce ecommerce2020': 266757, 'ecommerce2020 economy': 266902, 'coronavirus hit hard': 206083, 'hit hard business': 398248, 'hard business across': 377877, 'across industry and': 29354, 'industry and stock': 435649, 'market have shrunk': 516509, 'have shrunk while': 382539, 'shrunk while commerce': 767730, 'while commerce ha': 986697, 'commerce ha shown': 188570, 'ha shown tremendous': 371923, 'shown tremendous growth': 767628, 'tremendous growth amid': 931227, 'growth amid the': 367338, '19 outbreak socialdistancing': 9188, 'outbreak socialdistancing ecommerce': 628635, 'socialdistancing ecommerce ecommerce2020': 780345, 'ecommerce ecommerce2020 economy': 266758, 'autosales': 104073, 'indian auto': 434777, 'industry faced': 435824, 'faced weak': 295037, 'weak consumer': 974001, '20 with': 13411, 'most segment': 542727, 'segment falling': 747383, 'falling and': 297206, 'and outlook': 68545, 'for current': 320493, 'current fiscal': 221202, 'fiscal is': 309253, 'it autosales': 456640, 'autosales automaker': 104074, 'automaker 19': 103944, 'indian auto industry': 434778, 'auto industry faced': 103877, 'industry faced weak': 435825, 'faced weak consumer': 295038, 'weak consumer sentiment': 974004, 'sentiment in 2019': 750946, '2019 20 with': 13922, '20 with sale': 13412, 'with sale of': 1000556, 'sale of most': 732400, 'of most segment': 586680, 'most segment falling': 542728, 'segment falling and': 747384, 'falling and outlook': 297208, 'and outlook for': 68546, 'outlook for current': 629150, 'for current fiscal': 320494, 'current fiscal is': 221203, 'fiscal is even': 309254, 'is even worse': 447566, 'even worse with': 284836, 'worse with spread': 1011054, 'and the lockdown': 73457, 'lockdown to contain': 500050, 'contain it autosales': 200479, 'it autosales automaker': 456641, 'autosales automaker 19': 104075, 'note if': 572737, 'lighter note if': 489640, 'note if your': 572739, 'if your doctor': 415574, 'your doctor is': 1023548, 'doctor is charging': 250966, 'is charging exorbitant': 446488, 'price for test': 674058, 'for hero': 322245, 'doctor ambulance': 250804, 'crew police': 216707, 'army supermarket': 93043, 'staff local': 792625, 'driver train': 259810, 'train driver': 929246, 'driver aa': 259382, 'aa baker': 24077, 'baker farmer': 108798, 'teacher so': 835501, 'those people out': 892326, 'out there working': 627530, 'there working for': 879372, 'working for hero': 1008639, 'for hero all': 322246, 'hero all nurse': 393920, 'nurse doctor ambulance': 577282, 'doctor ambulance crew': 250805, 'ambulance crew police': 51327, 'crew police army': 216708, 'police army supermarket': 662927, 'army supermarket staff': 93044, 'supermarket staff local': 822864, 'staff local shop': 792626, 'local shop staff': 498416, 'shop staff bus': 760820, 'bus driver train': 143033, 'driver train driver': 259811, 'train driver taxi': 929249, 'taxi driver aa': 835151, 'driver aa baker': 259383, 'aa baker farmer': 24078, 'baker farmer truck': 108799, 'truck driver teacher': 932797, 'driver teacher so': 259778, 'teacher so many': 835502, 'many hero 19': 514136, 'fascinating insight': 299755, 'from leading': 336204, 'italy digital': 462812, 'engagement with': 276906, 'bank already': 109592, 'already up': 47741, '20 because': 12964, 'digital reliance': 242634, 'reliance will': 709244, 'raise expectation': 695838, 'fascinating insight from': 299756, 'insight from leading': 439552, 'from leading consumer': 336205, 'and italy digital': 65616, 'italy digital engagement': 462813, 'digital engagement with': 242564, 'engagement with bank': 276907, 'with bank already': 997366, 'bank already up': 109593, 'already up 10': 47742, 'up 10 20': 944107, '10 20 because': 1246, '20 because of': 12965, 'because of new': 119380, 'of new level': 586975, 'level of digital': 487632, 'of digital reliance': 582612, 'digital reliance will': 242635, 'reliance will raise': 709245, 'will raise expectation': 994551, 'neverlikebefore': 558299, 'neverlikebefore the': 558300, 'ha pushed': 371584, 'pushed consumer': 690355, 'to swiftly': 916091, 'swiftly change': 830325, 'they engage': 882044, 'with brand': 997465, 'online mention': 608538, 'virtual connection': 957727, 'connection or': 194715, 'or virtual': 617678, 'virtual happy': 957749, 'hour have': 405661, 'spiked last': 789347, 'neverlikebefore the covid': 558301, 'crisis ha pushed': 217444, 'ha pushed consumer': 371585, 'pushed consumer to': 690356, 'consumer to swiftly': 199328, 'to swiftly change': 916092, 'swiftly change their': 830326, 'way they engage': 969955, 'they engage with': 882045, 'engage with brand': 276864, 'with brand they': 997466, 'brand they spend': 138041, 'they spend more': 883421, 'time online mention': 897409, 'online mention of': 608539, 'mention of virtual': 528781, 'of virtual connection': 592816, 'virtual connection or': 957728, 'connection or virtual': 194716, 'or virtual happy': 617679, 'virtual happy hour': 957750, 'happy hour have': 377633, 'hour have spiked': 405662, 'have spiked last': 382694, 'spiked last quarter': 789348, 'send precautionary': 749935, 'by disinfecting': 152365, 'be word': 118131, 'help connection': 389512, 'midst of do': 530783, 'be afraid to': 113526, 'afraid to send': 35026, 'to send precautionary': 914220, 'send precautionary message': 749936, 'kind of help': 474903, 'of help you': 584548, 'help you can': 390959, 'the world not': 871925, 'world not to': 1009842, 'to panic by': 911391, 'panic by disinfecting': 637981, 'by disinfecting source': 152366, 'disinfecting source it': 245876, 'source it could': 786499, 'could be word': 208941, 'be word of': 118132, 'word of help': 1004540, 'of help connection': 584542, 'help connection like': 389513, 'symposium': 830794, 'ctsi cancel': 220113, 'cancel symposium': 160886, 'symposium due': 830795, 'central importance': 169401, 'of symposium': 590558, 'symposium to': 830797, 'profession and': 682382, 'protection landscape': 685503, 'landscape we': 479418, 'first read': 308905, 'ctsi cancel symposium': 220114, 'cancel symposium due': 160887, 'symposium due to': 830796, 'coronavirus crisis while': 205782, 'crisis while understand': 218395, 'while understand the': 987494, 'understand the central': 940746, 'the central importance': 850603, 'central importance of': 169402, 'importance of symposium': 418714, 'of symposium to': 590559, 'symposium to the': 830798, 'to the profession': 916985, 'the profession and': 864610, 'profession and the': 682383, 'consumer protection landscape': 198541, 'protection landscape we': 685504, 'landscape we must': 479419, 'we must put': 972437, 'must put the': 546825, 'put the safety': 690867, 'our people first': 624309, 'people first read': 647928, 'first read in': 308906, '580': 20544, 'unincorporated': 941825, 'updated 22nd': 947342, '22nd coronavirus': 15339, 'sacramento county': 729070, 'county 55': 211310, '55 new': 20402, 'of 580': 579630, '580 covid': 20545, 'the fatality': 854978, 'fatality 14': 300239, '14 in': 3485, 'of sac': 589202, 'sac in': 729024, 'in unincorporated': 430431, 'unincorporated area': 941826, 'in elk': 422530, 'grove in': 366993, 'in citrus': 421473, 'citrus height': 179022, 'just updated 22nd': 470169, 'updated 22nd coronavirus': 947343, '22nd coronavirus death': 15340, 'coronavirus death reported': 205798, 'reported in sacramento': 712491, 'in sacramento county': 427613, 'sacramento county 55': 729071, 'county 55 new': 211311, '55 new confirmed': 20403, 'confirmed case for': 194139, 'case for total': 165746, 'for total of': 327290, 'total of 580': 926209, 'of 580 covid': 579631, '580 covid 19': 20546, '19 infection news': 7855, 'infection news of': 436795, 'of the fatality': 591014, 'the fatality 14': 854979, 'fatality 14 in': 300240, '14 in city': 3486, 'in city of': 421481, 'city of sac': 179292, 'of sac in': 589203, 'sac in unincorporated': 729025, 'in unincorporated area': 430432, 'unincorporated area in': 941827, 'area in elk': 92065, 'in elk grove': 422531, 'elk grove in': 271537, 'grove in citrus': 366994, 'in citrus height': 421474, 'best ad': 127560, 'ad heard': 31114, 'heard at': 388065, 'today attention': 919292, 'attention buyer': 102432, 'buyer please': 149720, 'have remember': 382261, 'to alcoholic': 900214, 'best ad heard': 127561, 'ad heard at': 31115, 'heard at the': 388066, 'store today attention': 810835, 'today attention buyer': 919293, 'attention buyer please': 102433, 'buyer please respect': 149721, 'please respect the': 660402, 'respect the purchase': 715066, 'the purchase limit': 864916, 'purchase limit of': 689531, 'limit of item': 492397, 'item that we': 463701, 'we have remember': 971920, 'have remember that': 382262, 'that this doe': 846989, 'apply to alcoholic': 82608, 'to alcoholic beverage': 900215, 'toiletpapercalculator': 922966, 'this verified': 890956, 'verified safe': 954784, 'safe toilet': 730067, 'last ignore': 480271, 'ignore what': 415855, 'say below': 738455, 'below not': 126699, 'quarantine toiletpapercalculator': 692652, 'toiletpapercalculator toiletpaper': 922967, 'use this verified': 949736, 'this verified safe': 890957, 'verified safe toilet': 954785, 'safe toilet paper': 730068, 'paper calculator to': 639999, 'calculator to determine': 155355, 'to determine how': 904236, 'determine how long': 239431, 'long your supply': 501886, 'your supply will': 1026075, 'supply will last': 826112, 'will last ignore': 993945, 'last ignore what': 480272, 'ignore what it': 415856, 'it say below': 460887, 'say below not': 738456, 'below not on': 126700, 'on quarantine toiletpapercalculator': 603042, 'quarantine toiletpapercalculator toiletpaper': 692653, 'toiletpapercalculator toiletpaper hoarder': 922968, 'nz supermarket': 578203, 'queue thought': 694089, 'people leave': 648615, 'than are': 840365, 'four in': 330616, 'four out': 330645, 'actually about': 30721, 'about out': 25909, 'out then': 627460, 'so isn': 777448, 'this slowly': 890209, 'slowly decreasing': 774587, 'decreasing the': 231665, 'of active': 579756, 'active shopper': 30289, 'shopper throughout': 761754, 'increasing wait': 433734, 'nz supermarket queue': 578204, 'supermarket queue thought': 822135, 'queue thought seeing': 694090, 'thought seeing more': 893205, 'seeing more people': 746368, 'more people leave': 540028, 'people leave the': 648616, 'supermarket than are': 823159, 'than are allowed': 840366, 'allowed in so': 46167, 'in so the': 428037, 'so the four': 778425, 'the four in': 855737, 'four in four': 330617, 'in four out': 423064, 'four out is': 330646, 'out is actually': 626434, 'is actually about': 445327, 'actually about out': 30722, 'about out then': 25912, 'out then in': 627461, 'then in so': 877260, 'in so isn': 428035, 'so isn this': 777449, 'isn this slowly': 454735, 'this slowly decreasing': 890210, 'slowly decreasing the': 774588, 'decreasing the amount': 231666, 'amount of active': 53203, 'of active shopper': 579757, 'active shopper throughout': 30290, 'shopper throughout the': 761755, 'day and increasing': 227267, 'and increasing wait': 65134, 'increasing wait time': 433735, 'it 2003': 456190, '2003 low': 13592, 'low reached': 505571, 'reached last': 700048, 'fed extraordinary': 301814, 'extraordinary stimulus': 293749, 'measure price': 525293, 'have halved': 380885, 'to simultaneous': 914661, 'simultaneous demand': 770367, 'supply opec': 825678, 'deal collapse': 229368, 'collapse shock': 186055, 'oil is up': 596913, 'is up from': 453572, 'up from it': 944986, 'from it 2003': 336105, 'it 2003 low': 456191, '2003 low reached': 13593, 'low reached last': 505572, 'reached last week': 700049, 'after the fed': 36314, 'the fed extraordinary': 855058, 'fed extraordinary stimulus': 301815, 'extraordinary stimulus measure': 293750, 'stimulus measure price': 801563, 'measure price still': 525294, 'price still have': 676649, 'still have halved': 800653, 'have halved in': 380886, 'halved in 2020': 374517, 'due to simultaneous': 261953, 'to simultaneous demand': 914662, 'simultaneous demand and': 770368, 'and supply opec': 72807, 'supply opec deal': 825679, 'opec deal collapse': 611868, 'deal collapse shock': 229369, 'increased any': 433200, 'and wouldn': 75936, 'wouldn do': 1012455, 'dm on': 248910, 'wa is': 962427, 'hi we haven': 394765, 'we haven increased': 971994, 'haven increased any': 383842, 'increased any of': 433201, 'our product price': 624482, 'situation and wouldn': 772192, 'and wouldn do': 75937, 'wouldn do so': 1012456, 'do so do': 250091, 'so do you': 776889, 'have any more': 379309, 'any more information': 79487, 'more information to': 539595, 'information to dm': 438010, 'to dm on': 904470, 'dm on the': 248911, 'on the product': 604307, 'and price it': 69458, 'price it wa': 674928, 'it wa is': 462133, 'partenering': 642509, 'trump raising': 933778, 'american doing': 51918, 'by partenering': 153528, 'partenering with': 642510, 'mb and': 522020, 'putin thought': 691058, 'gas president': 343921, 'why is trump': 991127, 'is trump raising': 453383, 'trump raising gas': 933779, 'on american doing': 599300, 'american doing an': 51919, 'doing an economic': 252281, 'an economic collapse': 55576, 'economic collapse by': 267012, 'collapse by partenering': 185977, 'by partenering with': 153529, 'partenering with mb': 642511, 'with mb and': 999435, 'mb and putin': 522022, 'and putin thought': 69829, 'putin thought he': 691059, 'he wa low': 385609, 'wa low gas': 962599, 'low gas president': 505297, 'africa second': 35131, 'chain pick': 170987, 'pay limit': 644981, 'alcohol for': 41004, 'of announcement': 580220, 'announcement 19': 77124, 'south africa second': 786659, 'africa second largest': 35132, 'second largest supermarket': 743754, 'supermarket chain pick': 819628, 'chain pick pay': 170988, 'pick pay limit': 655677, 'pay limit the': 644982, 'amount of alcohol': 53204, 'of alcohol for': 579893, 'alcohol for consumer': 41005, 'for consumer in': 320266, 'wake of announcement': 964588, 'of announcement 19': 580221, 'joined many': 466942, 'giving elderly': 351271, 'risk people': 723820, 'avoid some': 105283, 'elderly those at': 270911, 'at risk my': 100377, 'risk my favorite': 723700, 'store ha joined': 808011, 'ha joined many': 371035, 'joined many other': 466943, 'store in taking': 808399, 'in taking step': 428806, 'step to giving': 799650, 'to giving elderly': 906734, 'giving elderly at': 351272, 'elderly at risk': 270604, 'at risk people': 100386, 'risk people an': 723821, 'people an opportunity': 646840, 'up and avoid': 944305, 'and avoid some': 58576, 'avoid some risk': 105284, 'some risk to': 783779, 'is to allow': 453177, 'worsen hunger': 1011069, 'coronavirus could worsen': 205712, 'could worsen hunger': 209837, 'worsen hunger in': 1011070, 'hunger in developing': 411129, 'rooftop': 725857, 'gleadless': 351667, 'gleadlessvalley': 351670, 'found an': 330150, 'online angel': 607862, 'angel called': 76299, 'called karen': 156361, 'shout from': 766764, 'the rooftop': 865982, 'rooftop she': 725858, 'she coordinating': 755952, 'coordinating the': 203207, 'the gleadless': 856283, 'gleadless valley': 351668, 'valley community': 951957, 'hub we': 409839, 've shared': 953562, 'shared detail': 755406, 'my vulnerable': 550518, 'vulnerable parent': 961076, 'parent sheffield': 641723, 'sheffield you': 756650, 'you sheffield': 1021147, 'sheffield gleadlessvalley': 756643, 've found an': 953139, 'found an online': 330152, 'an online angel': 56609, 'online angel called': 607863, 'angel called karen': 76300, 'called karen and': 156362, 'karen and want': 470890, 'to shout from': 914545, 'shout from the': 766765, 'from the rooftop': 337863, 'the rooftop she': 865983, 'rooftop she coordinating': 725859, 'she coordinating the': 755953, 'coordinating the gleadless': 203208, 'the gleadless valley': 856284, 'gleadless valley community': 351669, 'valley community hub': 951958, 'community hub we': 189906, 'hub we ve': 409840, 'we ve shared': 973710, 've shared detail': 953563, 'shared detail and': 755407, 'detail and she': 239155, 'she can help': 755924, 'can help with': 158672, 'with shopping for': 1000696, 'for my vulnerable': 323759, 'my vulnerable parent': 550519, 'vulnerable parent sheffield': 961077, 'parent sheffield you': 641724, 'sheffield you sheffield': 756651, 'you sheffield gleadlessvalley': 1021148, 'demand lead': 235796, 'price ecommerce': 673650, 'ecommerce focus': 266770, 'essential news': 281328, 'demand lead to': 235797, 'in price ecommerce': 426963, 'price ecommerce focus': 673651, 'ecommerce focus on': 266771, 'focus on essential': 311873, 'on essential news': 600591, 'loosening': 503217, 'the loosening': 859723, 'loosening of': 503218, 'restriction is': 717305, 'towards restoring': 927243, 'go till': 354261, 'till normal': 896067, 'normal service': 567307, 'is resumed': 451488, 'resumed but': 717759, 'but little': 146287, 'little win': 495652, 'do wonder': 250589, 'wonder for': 1003946, 'raising consumer': 696074, 'consumer spirit': 199111, 'spirit retailnews': 789502, 'the loosening of': 859724, 'loosening of shopping': 503219, 'of shopping restriction': 589671, 'shopping restriction is': 763749, 'restriction is the': 717306, 'first step towards': 309033, 'step towards restoring': 799678, 'towards restoring consumer': 927244, 'confidence it may': 193915, 'it may feel': 459550, 'may feel like': 521182, 'feel like long': 302727, 'like long way': 490671, 'to go till': 906871, 'go till normal': 354262, 'till normal service': 896068, 'normal service is': 567308, 'service is resumed': 752522, 'is resumed but': 451489, 'resumed but little': 717760, 'but little win': 146289, 'little win like': 495653, 'win like this': 995562, 'like this do': 491480, 'this do wonder': 887267, 'do wonder for': 250590, 'wonder for raising': 1003948, 'for raising consumer': 324948, 'raising consumer spirit': 696075, 'consumer spirit retailnews': 199112, 'esto': 282320, 'ante': 78225, 'abrir': 27143, 'viva': 959838, 'esto un': 282323, 'un carrefour': 939273, 'carrefour ante': 164909, 'ante de': 78226, 'de abrir': 229039, 'abrir viva': 27144, 'viva la': 959839, 'la persona': 478202, 'persona yomequedoencasa': 652772, 'esto un carrefour': 282324, 'un carrefour ante': 939274, 'carrefour ante de': 164910, 'ante de abrir': 78227, 'de abrir viva': 229040, 'abrir viva la': 27145, 'viva la persona': 959840, 'la persona yomequedoencasa': 478203, 'tentative': 838018, 'feeling little': 303017, 'little tentative': 495601, 'tentative about': 838019, 'the leap': 859240, 'leap to': 483918, 'it expert': 457902, 'their helpful': 873535, 'helpful hint': 391185, 'hint to': 396927, '19 bit': 5394, 'le daunting': 482916, 'shop but you': 760008, 'but you may': 147991, 'may be feeling': 520983, 'be feeling little': 114819, 'feeling little tentative': 303018, 'little tentative about': 495602, 'tentative about making': 838020, 'about making the': 25693, 'making the leap': 511418, 'the leap to': 859241, 'leap to shopping': 483919, 'shopping online our': 763467, 'online our shopping': 608721, 'our shopping consumer': 624761, 'shopping consumer right': 762396, 'and it expert': 65524, 'it expert share': 457903, 'expert share their': 291972, 'share their helpful': 755265, 'their helpful hint': 873536, 'helpful hint to': 391186, 'hint to make': 396930, 'make shopping in': 510451, 'covid 19 bit': 212706, '19 bit le': 5395, 'bit le daunting': 131598, 'discernment': 244333, 'little actually': 495225, 'need accelerated': 554356, 'accelerated consumer': 27880, 'consumer option': 198278, 'option choice': 614010, 'choice indeed': 177787, 'indeed freedom': 433986, 'this sprawling': 890286, 'sprawling digital': 790247, 'digital age': 242503, 'led merry': 485242, 'merry dance': 529196, 'dance over': 225568, 'evaluation discernment': 283731, 'discernment rethink': 244334, 'rethink on': 719651, 'me realise just': 523374, 'just how little': 468998, 'how little actually': 408173, 'little actually need': 495226, 'actually need accelerated': 30897, 'need accelerated consumer': 554357, 'accelerated consumer option': 27881, 'consumer option choice': 198279, 'option choice indeed': 614011, 'choice indeed freedom': 177788, 'indeed freedom in': 433987, 'freedom in this': 332370, 'in this sprawling': 430017, 'this sprawling digital': 890287, 'sprawling digital age': 790248, 'digital age have': 242504, 'age have led': 37828, 'have led merry': 381287, 'led merry dance': 485243, 'merry dance over': 529197, 'dance over recent': 225569, 'recent year time': 704034, 'year time now': 1015029, 'time now for': 897297, 'now for re': 574722, 'for re evaluation': 324972, 're evaluation discernment': 698628, 'evaluation discernment rethink': 283732, 'discernment rethink on': 244335, 'rethink on the': 719652, 'on the fragility': 604130, 'of our humanity': 587488, 'always order': 49678, 'online monthly': 608550, 'monthly today': 538207, 'delivery since': 234497, 'since coronavirus': 770549, 'coronavirus fully': 205973, 'fully kicked': 341059, 'had morrison': 373314, 'morrison online': 541743, 'delivery recently': 234390, 'recently did': 704069, 'is availability': 445901, 'availability shite': 104177, 'shite shopping': 759318, 'shopping lockdown': 763207, 'always order my': 49679, 'order my shopping': 618405, 'shopping online monthly': 763457, 'online monthly today': 608551, 'monthly today is': 538208, 'first delivery since': 308631, 'delivery since coronavirus': 234498, 'since coronavirus fully': 770550, 'coronavirus fully kicked': 205974, 'fully kicked off': 341060, 'kicked off over': 473813, 'off over here': 594047, 'over here if': 630283, 've had morrison': 953229, 'had morrison online': 373315, 'morrison online delivery': 541744, 'online delivery recently': 608088, 'delivery recently did': 234391, 'recently did you': 704070, 'you get most': 1018785, 'most of what': 542567, 'what you ordered': 982685, 'you ordered or': 1020241, 'ordered or is': 618886, 'or is availability': 615827, 'is availability shite': 445902, 'availability shite shopping': 104178, 'shite shopping lockdown': 759319, 'restriction tomorrow': 717406, 'tomorrow new': 924137, '19 aren': 5211, 'expecting any': 291028, 'thought why': 893314, 'why could': 990897, 'sufficient for': 817381, 'keep being': 471339, 'being passed': 125534, 'passed around': 643247, 'the incubation': 858100, 'period longer': 651817, 'longer that': 502081, 'that thought': 847020, 'so the uk': 778441, 'uk ha had': 938432, 'ha had week': 370799, 'had week of': 373790, 'of social restriction': 589842, 'social restriction tomorrow': 779930, 'restriction tomorrow new': 717407, 'tomorrow new case': 924138, 'covid 19 aren': 212648, '19 aren dropping': 5212, 'dropping like wa': 260705, 'like wa expecting': 491746, 'wa expecting any': 962095, 'expecting any thought': 291029, 'any thought why': 79966, 'thought why could': 893315, 'why could it': 990899, 'be that supermarket': 117586, 'that supermarket shopping': 846575, 'shopping is sufficient': 763082, 'is sufficient for': 452437, 'sufficient for it': 817382, 'to keep being': 908759, 'keep being passed': 471340, 'being passed around': 125535, 'passed around is': 643248, 'around is the': 93360, 'is the incubation': 452832, 'the incubation period': 858101, 'incubation period longer': 433951, 'period longer that': 651818, 'longer that thought': 502082, 'problem caused': 679496, 'be shielded': 117131, 'shielded from': 758188, 'from severe': 337223, 'severe supply': 754062, 'it reliance': 460695, 'import for': 418631, 'certain crop': 169986, 'crop could': 218909, 'could be global': 208872, 'shortage in april': 765009, 'and may result': 66802, 'may result of': 521461, 'result of supply': 717615, 'of supply problem': 590495, 'supply problem caused': 825732, 'problem caused by': 679497, 'by the china': 154281, 'the china is': 850835, 'china is expected': 176748, 'to be shielded': 901534, 'be shielded from': 117133, 'shielded from severe': 758189, 'from severe supply': 337224, 'severe supply shortage': 754063, 'supply shortage but': 825830, 'shortage but it': 764860, 'but it reliance': 146159, 'it reliance on': 460696, 'reliance on import': 709240, 'on import for': 601510, 'import for certain': 418632, 'for certain crop': 319994, 'certain crop could': 169987, 'crop could send': 218910, 'could send food': 209652, 'send food price': 749860, 'stock stand': 802876, 'condition being': 193415, 'being brought': 124909, 'six stock stand': 772692, 'stock stand to': 802877, 'economic condition being': 267019, 'condition being brought': 193416, 'being brought on': 124910, 'view the stock': 957172, 'the stock now': 867917, 'stock now consumer': 802509, 'yesterday saw': 1015852, 'saw pharmacy': 738213, '60 coughing': 20919, 'would literally': 1012003, 'literally close': 494969, 'close staff': 182802, 'staff only': 792718, 'only broke': 610196, 'broke this': 140865, 'pharmacy cut': 654285, 'cut risking': 223522, 'yesterday saw pharmacy': 1015854, 'saw pharmacy staff': 738214, 'pharmacy staff in': 654474, 'their 60 coughing': 872439, '60 coughing and': 20920, 'spluttering in the': 789682, 'supermarket they said': 823293, 'they should go': 883368, 'should go home': 766045, 'go home they': 353676, 'home they said': 402273, 'said they cannot': 731472, 'they cannot they': 881718, 'cannot they would': 162184, 'they would literally': 883945, 'would literally close': 1012004, 'literally close staff': 494970, 'close staff only': 182803, 'staff only broke': 792719, 'only broke this': 610197, 'broke this is': 140866, 'nh and pharmacy': 561880, 'and pharmacy cut': 68967, 'pharmacy cut risking': 654286, 'cut risking their': 223524, 'own life for': 632088, 'for the minimum': 326564, '19 event': 6861, 'event will': 285107, 'worker into': 1007233, 'into hero': 442623, 'covid 19 event': 213046, '19 event will': 6862, 'event will go': 285109, 'down in history': 256860, 'in history the': 423757, 'history the event': 398060, 'the event that': 854604, 'event that made': 285080, 'that made supermarket': 844976, 'made supermarket worker': 507971, 'supermarket worker into': 824039, 'worker into hero': 1007235, 'trotter': 932577, 'bondurant': 134284, 'forcemajeure': 328685, 'the oilandgas': 862123, 'oilandgas industry': 597546, 'time given': 896833, 'given low': 351038, 'demand low': 235822, 'and jeff': 65647, 'jeff trotter': 465020, 'trotter and': 932578, 'and alex': 57844, 'alex bondurant': 41574, 'bondurant examine': 134285, 'examine forcemajeure': 288816, 'forcemajeure provision': 328686, 'during staffing': 263046, 'staffing shortage': 793163, 'the oilandgas industry': 862124, 'oilandgas industry is': 597548, 'is facing tough': 447703, 'facing tough time': 295637, 'tough time given': 926853, 'time given low': 896834, 'given low demand': 351039, 'low demand low': 505239, 'demand low price': 235825, 'price and jeff': 672451, 'and jeff trotter': 65648, 'jeff trotter and': 465021, 'trotter and alex': 932579, 'and alex bondurant': 57845, 'alex bondurant examine': 41575, 'bondurant examine forcemajeure': 134286, 'examine forcemajeure provision': 288817, 'forcemajeure provision in': 328687, 'gas sector and': 344083, 'challenge the industry': 171572, 'the industry may': 858180, 'industry may face': 435986, 'may face during': 521167, 'face during staffing': 294418, 'during staffing shortage': 263047, 'marketslump': 517874, 'socialdistancingworks': 780917, 'part marketcrash': 642317, 'marketcrash marketslump': 517420, 'marketslump socialdistancingworks': 517875, 'market should do': 517061, 'should do better': 765923, 'do better with': 249142, 'better with everyone': 128608, 'with everyone home': 998290, 'everyone home and': 287017, 'home and nothing': 400671, 'and nothing to': 67804, 'do but online': 249157, 'online shopping let': 609171, 'our part marketcrash': 624262, 'part marketcrash marketslump': 642318, 'marketcrash marketslump socialdistancingworks': 517421, 'panic due': 638050, '19 emptyshelves': 6778, 'shortage panic due': 765161, 'panic due to': 638051, 'to coronavirus 19': 903537, 'coronavirus 19 emptyshelves': 205435, 'zoa': 1027671, 'malign': 511722, 'mohyelzdin': 535586, 'zoa to': 1027672, 'to msnbc': 910337, 'msnbc fire': 544567, 'fire ayman': 308059, 'mohyeldin using': 535584, 'using coronavirus': 950433, 'coronavirus falsely': 205907, 'falsely malign': 297472, 'malign israel': 511723, 'israel mohyelzdin': 455597, 'mohyelzdin inexcusable': 535587, 'inexcusable behavior': 436442, 'behavior tweeted': 124280, 'tweeted picture': 936446, 'american grocery': 52005, 'israel caption': 455585, 'caption the': 162931, 'zoa to msnbc': 1027673, 'to msnbc fire': 910338, 'msnbc fire ayman': 544568, 'fire ayman mohyeldin': 308060, 'ayman mohyeldin using': 106348, 'mohyeldin using coronavirus': 535585, 'using coronavirus falsely': 950434, 'coronavirus falsely malign': 205908, 'falsely malign israel': 297473, 'malign israel mohyelzdin': 511724, 'israel mohyelzdin inexcusable': 455598, 'mohyelzdin inexcusable behavior': 535588, 'inexcusable behavior tweeted': 436443, 'behavior tweeted picture': 124281, 'tweeted picture of': 936447, 'picture of half': 656165, 'of half empty': 584412, 'half empty american': 374160, 'empty american grocery': 274757, 'american grocery store': 52006, 'store with anti': 811364, 'with anti israel': 997261, 'anti israel caption': 78309, 'israel caption the': 455586, 'caption the last': 162932, 'issue well': 455999, 'well medical': 978395, 'medical one': 526280, 'insight platform': 439614, 'global amp': 351736, 'amp regional': 54379, 'regional consumer': 707501, 'is an economic': 445648, 'an economic issue': 55582, 'economic issue well': 267159, 'issue well medical': 456000, 'well medical one': 978396, 'medical one in': 526281, 'one in partnership': 606482, 'partnership with we': 642958, 'launching the commerce': 482076, 'the commerce insight': 851224, 'commerce insight platform': 188576, 'insight platform to': 439615, 'platform to show': 659050, 'on global amp': 601099, 'global amp regional': 351737, 'amp regional consumer': 54380, 'regional consumer spending': 707502, 'priority addressing': 678501, 'addressing and': 32088, 'and solving': 71945, 'solving this': 782212, 'particular problem': 642632, 'problem can': 679490, 'instill sense': 440396, 'crisis that the': 218156, 'the federal and': 855070, 'this priority addressing': 889718, 'priority addressing and': 678502, 'addressing and solving': 32089, 'and solving this': 71946, 'solving this particular': 782213, 'this particular problem': 889488, 'particular problem can': 642633, 'problem can reduce': 679491, 'can reduce panic': 159412, 'reduce panic and': 705890, 'and instill sense': 65290, 'instill sense that': 440397, 'trudeau after': 933009, 'after announcing': 35371, 'announcing 27': 77303, '27 billion': 16268, 'direct aid': 243278, 'employed laid': 273486, 'care giving': 163971, 'giving worker': 351452, 'worker mention': 1007381, 'mention grocery': 528761, 'cashier first': 166519, 'first when': 309182, 'he end': 384928, 'end his': 275839, 'speech by': 788390, 'by thanking': 154245, 'thanking front': 841977, 'am ever': 50027, 'ever grateful': 285326, 'grateful we': 362338, 'have leader': 381274, 'trudeau after announcing': 933010, 'after announcing 27': 35372, 'announcing 27 billion': 77304, '27 billion in': 16269, 'in direct aid': 422277, 'direct aid for': 243279, 'aid for self': 39387, 'for self employed': 325420, 'self employed laid': 747628, 'employed laid off': 273487, 'off and care': 593641, 'and care giving': 59558, 'care giving worker': 163972, 'giving worker mention': 351453, 'worker mention grocery': 1007382, 'mention grocery store': 528762, 'store cashier first': 806887, 'cashier first when': 166520, 'first when he': 309183, 'when he end': 983531, 'he end his': 384929, 'end his speech': 275840, 'his speech by': 397806, 'speech by thanking': 788391, 'by thanking front': 154246, 'thanking front line': 841978, 'line worker am': 493595, 'worker am ever': 1006244, 'am ever grateful': 50028, 'ever grateful we': 285328, 'grateful we have': 362339, 'we have leader': 971852, 'have leader like': 381275, 'leader like him': 483490, 'like him right': 490433, 'him right now': 396698, 'this enforced': 887381, 'enforced in': 276709, 'please handsanitizer': 660052, 'handsanitizer panicbuying': 376603, 'we get this': 971632, 'get this enforced': 348406, 'this enforced in': 887382, 'enforced in the': 276710, 'uk please handsanitizer': 938628, 'please handsanitizer panicbuying': 660053, 'handsanitizer panicbuying stoppanicbuying': 376604, 'naish': 551515, 'backbritishfarming': 107512, 'farmer like': 299433, 'like andrew': 489792, 'andrew naish': 76188, 'naish work': 551516, 'produce your': 680499, 'food empty': 314353, 'people suddenly': 649687, 'suddenly realise': 817123, 'realise farmer': 701587, 'farmer deserve': 299336, 'deserve much': 238085, 'respect backbritishfarming': 714967, 'british farmer like': 140524, 'farmer like andrew': 299434, 'like andrew naish': 489793, 'andrew naish work': 76189, 'naish work around': 551517, 'clock to produce': 182417, 'to produce your': 912216, 'produce your food': 680500, 'your food empty': 1023915, 'food empty supermarket': 314354, 'supermarket shelf over': 822506, 'shelf over and': 757390, 'over and people': 629991, 'and people suddenly': 68885, 'people suddenly realise': 649688, 'suddenly realise farmer': 817124, 'realise farmer deserve': 701588, 'farmer deserve much': 299337, 'deserve much more': 238086, 'much more respect': 545125, 'more respect backbritishfarming': 540243, 'dissapointment': 246573, 'bruv': 141423, 'that festival': 843860, 'festival do': 303597, 'gonna raise': 356599, 'cause fam': 167557, 'fam that': 297514, 'be hell': 115198, 'of dissapointment': 582712, 'dissapointment bruv': 246574, 'bruv coronacrisis': 141424, 'really hope that': 702311, 'hope that festival': 403643, 'that festival do': 843861, 'festival do understand': 303598, 'do understand and': 250429, 'understand and are': 940594, 'are not gonna': 88383, 'not gonna raise': 569714, 'gonna raise their': 356601, 'raise their ticket': 695961, 'their ticket price': 874984, 'ticket price cause': 895645, 'price cause fam': 673090, 'cause fam that': 167558, 'fam that would': 297515, 'would be hell': 1011596, 'be hell of': 115199, 'hell of dissapointment': 389042, 'of dissapointment bruv': 582713, 'dissapointment bruv coronacrisis': 246575, 'only agree': 610044, 'producer will only': 680723, 'will only agree': 994325, 'only agree to': 610045, 'week if the': 976356, 'if the united': 415041, 'state and several': 795371, 'ok where': 597940, 'these asshole': 879653, 'asshole kid': 96536, 'just young': 470380, 'young cause': 1022572, 'young asshole': 1022568, 'asshole and': 96506, 'care genz': 163969, 'genz trending': 345924, 'ok where the': 597941, 'the are the': 848872, 'are the parent': 90878, 'the parent of': 863285, 'parent of these': 641691, 'of these asshole': 591809, 'these asshole kid': 879655, 'asshole kid no': 96537, 'kid no excuse': 474055, 'excuse for this': 289748, 'for this behavior': 327011, 'this behavior and': 886537, 'behavior and do': 123886, 'not tell me': 571945, 'tell me their': 837023, 'me their just': 523670, 'their just young': 873750, 'just young cause': 470381, 'young cause they': 1022573, 'cause they are': 167770, 'they are young': 881467, 'are young asshole': 91886, 'young asshole and': 1022569, 'asshole and do': 96508, 'not care genz': 568695, 'care genz trending': 163970, 'genz trending out': 345925, 'fishtanktreatment': 309427, 'hydroxychoronquine': 412027, 'bannerhealth': 110614, 'wordsmatter': 1004635, 'potus fishtanktreatment': 667283, 'fishtanktreatment us': 309428, 'drug you': 261162, 'said game': 731083, 'changer for': 172621, 'it different': 457546, 'form from': 329511, 'from hydroxychoronquine': 335985, 'hydroxychoronquine malaria': 412028, 'drug now': 261016, 'soared to': 779305, '500 on': 20032, 'on bidding': 599637, 'bidding site': 129520, 'site bannerhealth': 771886, 'bannerhealth say': 110615, 'one died': 606183, 'in az': 420647, 'az you': 106386, 'doctor wordsmatter': 251166, 'potus fishtanktreatment us': 667284, 'fishtanktreatment us same': 309429, 'us same chemical': 948545, 'chemical in drug': 175360, 'in drug you': 422398, 'drug you said': 261163, 'you said game': 1020975, 'said game changer': 731084, 'game changer for': 343150, 'changer for it': 172622, 'for it different': 322702, 'it different form': 457547, 'different form from': 241950, 'form from hydroxychoronquine': 329512, 'from hydroxychoronquine malaria': 335986, 'hydroxychoronquine malaria drug': 412029, 'malaria drug now': 511558, 'drug now price': 261017, 'now price soared': 575595, 'price soared to': 676536, 'soared to 500': 779306, 'to 500 on': 899757, '500 on bidding': 20033, 'on bidding site': 599638, 'bidding site bannerhealth': 129521, 'site bannerhealth say': 771887, 'bannerhealth say one': 110616, 'say one died': 739024, 'one died in': 606184, 'died in az': 241570, 'in az you': 420649, 'az you are': 106387, 'not doctor wordsmatter': 569079, 'it patron': 460282, 'patron keep': 644416, 'the marker': 860080, 'marker on': 515885, 'floor are': 310776, 'are 60': 84137, '60 apart': 20908, 'way my grocery': 969720, 'store help it': 808134, 'help it patron': 389946, 'it patron keep': 460283, 'patron keep socialdistancing': 644417, 'keep socialdistancing the': 471949, 'socialdistancing the marker': 780793, 'the marker on': 860081, 'marker on the': 515886, 'the floor are': 855418, 'floor are 60': 310777, 'are 60 apart': 84138, 'in king': 424513, 'county claiming': 211340, 'amp owner': 54265, 'amp acted': 53351, 'about novel': 25821, 'fox news in': 330765, 'news in king': 560532, 'in king county': 424514, 'king county claiming': 475250, 'county claiming the': 211341, 'parent company amp': 641609, 'company amp owner': 190370, 'amp owner violated': 54266, 'protection act amp': 685271, 'act amp acted': 29591, 'amp acted in': 53352, 'disseminating false info': 246581, 'false info about': 297434, 'info about novel': 437405, 'shrink in': 767702, 'first death': 308621, 'being reported': 125672, 'reported this': 712551, 'latest failure': 481332, 'trump task': 933890, 'force where': 328546, 'been telling': 122143, 'telling for': 837194, 'that face': 843815, 'necessary trump': 554136, 'trump still': 933868, 'still claim': 800370, 'now supermarket worker': 575940, 'starting to shrink': 795039, 'to shrink in': 914595, 'shrink in large': 767703, 'in large number': 424588, 'large number and': 479722, 'number and the': 576821, 'the first death': 855297, 'first death are': 308622, 'death are being': 229973, 'are being reported': 84911, 'being reported this': 125673, 'reported this is': 712552, 'the latest failure': 859101, 'latest failure of': 481333, 'failure of trump': 296286, 'of trump task': 592479, 'trump task force': 933891, 'task force where': 834706, 'force where they': 328547, 'have been telling': 379712, 'been telling for': 122144, 'telling for week': 837195, 'week that face': 976975, 'that face mask': 843816, 'are not necessary': 88419, 'not necessary trump': 570644, 'necessary trump still': 554137, 'trump still claim': 933869, 'still claim it': 800371, 'claim it up': 179758, 'must observe': 546793, 'distancing regardless': 247417, 'how inconvenient': 408056, 'inconvenient it': 432609, 'be socialdistancing': 117274, 'socialdistancing stayhomesavelives': 780745, 'stayhomesavelives 19': 798331, 'why we must': 991525, 'we must observe': 972432, 'must observe social': 546794, 'social distancing regardless': 779696, 'distancing regardless of': 247418, 'regardless of how': 707318, 'of how inconvenient': 584828, 'how inconvenient it': 408057, 'inconvenient it might': 432610, 'might be do': 530892, 'not be socialdistancing': 568460, 'be socialdistancing stayhomesavelives': 117276, 'socialdistancing stayhomesavelives 19': 780746, 'reserve square': 714098, 'square take': 791492, 'everyone haven': 286998, 'haven posted': 383869, 'work issue': 1005382, 'side project': 768870, 'project hope': 683495, 'post more': 666214, 'more soon': 540429, 'reserve square take': 714099, 'square take care': 791493, 'care of everyone': 164101, 'of everyone haven': 583253, 'everyone haven posted': 286999, 'haven posted in': 383870, 'posted in long': 666539, 'long time due': 501769, 'to work issue': 918742, 'work issue and': 1005383, 'issue and other': 455669, 'and other side': 68404, 'other side project': 620917, 'side project hope': 768871, 'project hope to': 683496, 'hope to post': 403742, 'to post more': 911915, 'post more soon': 666215, 'caught up': 167472, 'negativity of': 556868, 'countless photo': 210391, 'easy to get': 265782, 'to get caught': 906435, 'get caught up': 346754, 'caught up in': 167473, 'up in all': 945143, 'the negativity of': 861423, 'negativity of and': 556869, 'and the countless': 73302, 'the countless photo': 852036, 'countless photo of': 210392, 'shelf so take': 757527, 'so take moment': 778329, 'moment to share': 536091, 'to share how': 914346, 'share how you': 755043, 're helping others': 698802, 'your community during': 1023272, 'about check': 24953, 'just posted list': 469474, 'of the related': 591400, 'the related online': 865461, 'related online scam': 708499, 'online scam we': 608939, 'scam we ve': 740469, 've heard about': 953245, 'heard about check': 388048, 'about check it': 24954, 'it out so': 460191, 'out so you': 627209, 'can be aware': 157591, 'dog hand': 252109, 'don give your': 253559, 'give your dog': 350880, 'your dog hand': 1023554, 'dog hand sanitizer': 252110, 'gas european': 343837, 'price continued': 673225, 'continued their': 201348, 'their downward': 873083, 'trend on': 931411, 'tuesday pressured': 935174, 'pressured by': 671258, 'by further': 152652, 'further decline': 342022, 'and eua': 62304, 'eua and': 283297, 'weak near': 974034, 'term gas': 838155, 'mild weather': 531355, 'weather condition': 974855, 'and prospect': 69649, 'for reduction': 325045, 'gas european gas': 343838, 'gas price continued': 343946, 'price continued their': 673226, 'continued their downward': 201349, 'their downward trend': 873084, 'downward trend on': 257843, 'trend on tuesday': 931413, 'on tuesday pressured': 604890, 'tuesday pressured by': 935175, 'pressured by further': 671259, 'by further decline': 152653, 'further decline in': 342024, 'price and eua': 672407, 'and eua and': 62305, 'eua and weak': 283298, 'and weak near': 75343, 'weak near term': 974035, 'near term gas': 553601, 'term gas demand': 838156, 'gas demand outlook': 343816, 'demand outlook due': 235995, 'due to mild': 261867, 'to mild weather': 910126, 'mild weather condition': 531357, 'weather condition and': 974856, 'condition and prospect': 193401, 'and prospect for': 69650, 'prospect for reduction': 684680, 'for reduction in': 325046, 'reduction in energy': 706362, 'in energy demand': 422565, 'energy demand due': 276433, 'satellite': 736931, 'manmade': 513281, 'up side': 945989, 'bad situation': 108008, 'saudi if': 737271, 'only murderer': 610802, 'murderer salman': 546171, 'salman got': 732756, 'know wa': 476917, '19 sitting': 10561, 'sitting inside': 772129, 'inside so': 439379, 'driving gas': 259935, 'gas use': 344169, 'use down': 949166, 'down satellite': 257165, 'satellite show': 736932, 'show manmade': 767043, 'manmade pollution': 513282, 'pollution way': 663920, 'the up side': 870489, 'up side of': 945990, 'side of bad': 768844, 'of bad situation': 580511, 'bad situation price': 108009, 'situation price war': 772454, 'between russia saudi': 128876, 'russia saudi if': 728558, 'saudi if only': 737272, 'if only murderer': 414554, 'only murderer salman': 610803, 'murderer salman got': 546172, 'salman got you': 732757, 'got you know': 359032, 'you know wa': 1019536, 'know wa real': 476918, 'wa real 19': 963055, 'real 19 sitting': 701018, '19 sitting inside': 10562, 'sitting inside so': 772130, 'inside so no': 439381, 'so no driving': 777884, 'no driving gas': 564062, 'driving gas use': 259936, 'gas use down': 344170, 'use down price': 949167, 'down price down': 257110, 'price down satellite': 673529, 'down satellite show': 257166, 'satellite show manmade': 736933, 'show manmade pollution': 767044, 'manmade pollution way': 513283, 'pollution way way': 663921, 'way way down': 970161, 'komonews': 477375, 'make run': 510410, 'overstock komonews': 631555, 'breaking no one': 139013, 'one should make': 607030, 'should make run': 766212, 'make run to': 510412, 'store to overstock': 810793, 'to overstock komonews': 911321, 'paisley ha started': 634386, 'elderly individual during': 270720, 'and observation': 67928, 'observation of': 578549, 'store thread': 810720, 'thread covid': 893535, 'your arrogance': 1022830, 'arrogance and': 94018, 'stupidity put': 815552, 'danger it': 225661, 'request and observation': 713145, 'and observation of': 67929, 'observation of cashier': 578550, 'of cashier at': 581189, 'grocery store thread': 365861, 'store thread covid': 810721, 'thread covid 19': 893536, 'real it is': 701233, 'not something that': 571652, 'something that you': 785084, 'choose to believe': 177908, 'to believe in': 901748, 'believe in or': 126288, 'in or not': 426202, 'or not your': 616323, 'not your arrogance': 572625, 'your arrogance and': 1022831, 'arrogance and stupidity': 94019, 'and stupidity put': 72630, 'stupidity put all': 815553, 'put all of': 690503, 'of in danger': 585022, 'in danger it': 421975, 'danger it make': 225662, 'make it very': 510067, 'difficult to be': 242329, 'to be nice': 901407, 'nice to you': 562502, 'diffusion': 242421, 'loneliness': 501290, 'related change': 708387, 'change could': 171987, 'hold more': 399957, 'le need': 483035, 'for office': 324027, 'space more': 787143, 'more distant': 539055, 'distant class': 247675, 'class high': 180202, 'school college': 741756, 'college lower': 186625, 'lower education': 505851, 'education cost': 268818, 'cost expansion': 207930, 'of telemedicine': 590648, 'telemedicine more': 836782, 'more movie': 539810, 'movie streamed': 544065, 'streamed online': 812801, 'more residential': 540229, 'residential diffusion': 714424, 'diffusion no': 242422, 'more loneliness': 539720, '19 related change': 10044, 'related change could': 708388, 'change could take': 171988, 'could take hold': 209749, 'take hold more': 832194, 'hold more remote': 399958, 'more remote work': 540226, 'remote work le': 710742, 'work le need': 1005421, 'le need for': 483036, 'need for office': 554858, 'for office space': 324028, 'office space more': 595549, 'space more distant': 787144, 'more distant class': 539056, 'distant class high': 247676, 'class high school': 180203, 'high school college': 395393, 'school college lower': 741757, 'college lower education': 186626, 'lower education cost': 505852, 'education cost expansion': 268819, 'cost expansion of': 207931, 'expansion of telemedicine': 290567, 'of telemedicine more': 590650, 'telemedicine more online': 836783, 'shopping more movie': 763289, 'more movie streamed': 539811, 'movie streamed online': 544066, 'streamed online more': 812802, 'online more residential': 608563, 'more residential diffusion': 540230, 'residential diffusion no': 714425, 'diffusion no more': 242423, 'no more loneliness': 564810, 'today deal': 919429, 'day half': 227721, '40 bottle': 18540, 'today deal of': 919430, 'the day half': 852886, 'day half off': 227722, 'half off 40': 374243, 'off 40 bottle': 593603, '40 bottle of': 18541, 'are socialdistancing': 90241, 'are still way': 90500, 'still way to': 801395, 'money on grocery': 536931, 'on grocery while': 601190, 'grocery while we': 366142, 'we are socialdistancing': 970717, 'business bank': 143420, 'canada survey': 160571, 'toll on oil': 923866, 'on oil sector': 602496, 'oil sector and': 597420, 'sector and consumer': 744079, 'and consumer business': 60357, 'consumer business bank': 196669, 'business bank of': 143422, 'of canada survey': 581089, 'canada survey show': 160572, 'kingdom westmidland': 475349, 'previously charged': 672027, 'charged him': 173393, 'with theft': 1001554, 'theft west': 872368, 'united kingdom westmidland': 942190, 'kingdom westmidland man': 475350, 'deliberately coughing at': 232958, 'coughing at supermarket': 208672, 'at supermarket employee': 100721, 'supermarket employee the': 820142, 'employee the employee': 274295, 'had previously charged': 373425, 'previously charged him': 672028, 'charged him with': 173394, 'him with theft': 396781, 'with theft west': 1001555, 'theft west midland': 872369, 'good store': 357780, 'list of good': 494438, 'of good store': 584238, 'good store can': 357782, 'store can hike': 806854, 'hsbc': 409717, 'or manipulating': 616055, 'manipulating people': 513219, 'making payment': 511272, 'fraudulent organization': 331464, 'that appear': 842700, 'be legitimate': 115703, 'legitimate no': 486051, 'at hsbc': 99243, 'hsbc will': 409718, 'ever ask': 285205, 'your password': 1025223, 'password coronavirus': 643468, 'using the pandemic': 950706, 'pandemic to obtain': 636786, 'information or manipulating': 437937, 'or manipulating people': 616056, 'manipulating people into': 513220, 'people into making': 648502, 'into making payment': 442738, 'making payment to': 511273, 'payment to fraudulent': 645765, 'to fraudulent organization': 906231, 'fraudulent organization that': 331465, 'organization that appear': 619427, 'that appear to': 842701, 'to be legitimate': 901361, 'be legitimate no': 115704, 'legitimate no one': 486052, 'no one at': 564920, 'one at hsbc': 605967, 'at hsbc will': 99244, 'hsbc will ever': 409719, 'will ever ask': 993343, 'ever ask you': 285206, 'ask you for': 95676, 'for your password': 328188, 'your password coronavirus': 1025224, 'password coronavirus scam': 643469, 'ozarks': 632774, 'with four': 998526, 'four case': 330592, 'in greene': 423425, 'county toilet': 211518, 'the ozarks': 862821, 'with four case': 998527, 'four case of': 330593, '19 in greene': 7747, 'in greene county': 423426, 'greene county toilet': 363738, 'county toilet paper': 211519, 'and now food': 67834, 'across the ozarks': 29509, 'blethering': 132655, 'cocksprockets': 185229, 'surest': 827970, 'dear blethering': 229745, 'blethering cocksprockets': 132656, 'cocksprockets of': 185230, 'world clearing': 1009428, 'clearing the': 181477, 'the surest': 868992, 'surest way': 827971, 'dear blethering cocksprockets': 229746, 'blethering cocksprockets of': 132657, 'cocksprockets of the': 185231, 'the world clearing': 871839, 'world clearing the': 1009429, 'clearing the supermarket': 181479, 'shelf so key': 757526, 'key worker can': 473474, 'worker can eat': 1006585, 'can eat is': 158196, 'eat is the': 265955, 'is the surest': 452956, 'the surest way': 868993, 'surest way to': 827972, 'way to die': 970013, 'wasnt': 968047, 'at nightclub': 99889, 'nightclub lived': 563144, 'lived shift': 496169, 'shift wasnt': 758461, 'wasnt able': 968048, 'cat only': 166890, 'week do': 976163, 'when ll': 983696, 'cash app': 166167, 'is kattk81': 449163, 'kattk81 please': 471088, 'worked at nightclub': 1006100, 'at nightclub lived': 99890, 'nightclub lived shift': 563145, 'lived shift to': 496170, 'shift to shift': 758446, 'to shift wasnt': 914419, 'shift wasnt able': 758462, 'wasnt able to': 968049, 'food for me': 314549, 'for me or': 323329, 'me or my': 523288, 'or my cat': 616213, 'my cat only': 547647, 'cat only have': 166891, 'only have enough': 610577, 'to last the': 909074, 'last the end': 480537, 'this week do': 891209, 'week do not': 976164, 'know when ll': 477000, 'when ll be': 983697, 'up my cash': 945423, 'my cash app': 547634, 'cash app is': 166168, 'app is kattk81': 81732, 'is kattk81 please': 449164, 'kattk81 please help': 471089, 'help me get': 390066, 'me get food': 522805, 'get food 19': 347028, 'musk': 546399, 'r86': 695110, 'guy supplier': 369160, 'public off': 688191, 'one pharmacy': 606871, 'selling musk': 749352, 'musk for': 546400, 'for r86': 324934, 'r86 covoid19': 695111, 'guy supplier are': 369161, 'supplier are ripping': 824499, 'are ripping the': 89704, 'ripping the public': 722723, 'the public off': 864838, 'public off you': 688192, 'off you should': 594437, 'you should see': 1021218, 'should see their': 766441, 'see their price': 745910, 'their price this': 874430, 'price this one': 676917, 'this one pharmacy': 889247, 'one pharmacy is': 606872, 'pharmacy is selling': 654367, 'is selling musk': 451761, 'selling musk for': 749353, 'musk for r86': 546401, 'for r86 covoid19': 324935, 'here story': 393610, 'that john': 844777, 'john wrote': 466561, 'on who': 605291, 'who qualifies': 989486, 'here story that': 393611, 'story that john': 812127, 'that john wrote': 844778, 'john wrote on': 466562, 'wrote on who': 1013208, 'on who qualifies': 605293, 'forced an': 328557, 'outbreak ha forced': 628267, 'ha forced an': 370657, 'forced an increase': 328558, 'amp drug': 53682, 'admin ha': 32418, 'rapid coronavirus': 696902, 'coronavirus diagnostic': 205814, 'test detection': 838968, 'minute let': 533794, 'these distributed': 879930, 'distributed asap': 248034, 'asap state': 94877, 'great news the': 362845, 'news the food': 560865, 'food amp drug': 313132, 'amp drug admin': 53683, 'drug admin ha': 260848, 'admin ha approved': 32419, 'first rapid coronavirus': 308902, 'rapid coronavirus diagnostic': 696903, 'coronavirus diagnostic test': 205815, 'diagnostic test detection': 240266, 'test detection time': 838969, '45 minute let': 19118, 'minute let get': 533795, 'get these distributed': 348390, 'these distributed asap': 879931, 'distributed asap state': 248035, 'asap state struggle': 94878, 'worker applauded': 1006361, 'applauded at': 82270, 'worker applauded at': 1006362, 'applauded at supermarket': 82271, 'for their work': 326885, 'their work during': 875199, 'and labor': 65918, 'shortage continue': 764890, 'continue across': 200984, 'britain brc': 140387, 'brc ha': 138348, 'that foodprices': 843924, 'foodprices are': 318036, 'rise read': 722986, 'move via': 543775, 'disruption and labor': 246444, 'and labor shortage': 65920, 'labor shortage continue': 478440, 'shortage continue across': 764891, 'continue across britain': 200985, 'across britain brc': 29280, 'britain brc ha': 140388, 'brc ha warned': 138349, 'warned that foodprices': 967028, 'that foodprices are': 843925, 'foodprices are likely': 318037, 'to rise read': 913574, 'rise read the': 722988, 'read the move': 700582, 'the move via': 861090, 'on communicating': 599986, 'child regarding': 176186, 'managing stress': 512890, 'to kid': 908913, 'link with info': 493969, 'with info on': 999004, 'info on communicating': 437524, 'on communicating with': 599987, 'communicating with child': 189566, 'with child regarding': 997623, 'child regarding covid': 176187, '19 managing stress': 8536, 'managing stress how': 512891, 'stress how to': 813338, 'how to talk': 409098, 'talk to kid': 833881, 'reebok': 706424, 'closure adidas': 183825, 'adidas closed': 32252, 'all adidas': 41945, 'adidas owned': 32254, 'and reebok': 70116, 'reebok owned': 706425, 'owned store': 632356, 'march 29': 515228, '29 retail': 16497, 'for scheduled': 325382, 'scheduled hour': 741499, 'hour commerce': 405498, 'store closure adidas': 807082, 'closure adidas closed': 183826, 'adidas closed all': 32253, 'closed all adidas': 182963, 'all adidas owned': 41946, 'adidas owned and': 32255, 'owned and reebok': 632325, 'and reebok owned': 70117, 'reebok owned store': 706426, 'owned store in': 632357, 'store in europe': 808300, 'and canada until': 59484, 'canada until march': 160594, 'until march 29': 943764, 'march 29 retail': 515229, '29 retail employee': 16498, 'retail employee to': 718078, 'employee to continue': 274323, 'receive pay for': 703527, 'pay for scheduled': 644898, 'for scheduled hour': 325383, 'scheduled hour commerce': 741501, 'hour commerce store': 405499, 'commerce store remain': 188639, 'reporting shortage': 712754, 'both medicine': 135970, 'supply which': 826098, 'additional strain': 31879, 'on fragile': 600976, 'fragile procurement': 330902, 'process and': 679878, 'of supplier': 590465, 'supplier demanding': 824519, 'demanding higher': 236593, 'country are reporting': 210477, 'are reporting shortage': 89601, 'reporting shortage in': 712755, 'shortage in both': 765010, 'in both medicine': 420924, 'both medicine and': 135971, 'medical supply which': 526465, 'supply which put': 826100, 'which put additional': 986251, 'put additional strain': 690496, 'additional strain on': 31880, 'strain on fragile': 812289, 'on fragile procurement': 600977, 'fragile procurement process': 330903, 'procurement process and': 680121, 'process and increase': 679881, 'increase the risk': 433113, 'risk of supplier': 723780, 'of supplier demanding': 590466, 'supplier demanding higher': 824520, 'demanding higher price': 236594, 'higher price 19': 395659, 'india realestate': 434584, 'correction for': 207559, 'in decade': 422057, 'decade stall': 230696, 'stall business': 793357, 'india realestate market': 434585, 'realestate market is': 701498, 'market is likely': 516633, 'see significant price': 745686, 'price correction for': 673267, 'correction for the': 207560, 'time in decade': 896986, 'in decade stall': 422058, 'decade stall business': 230697, 'globalist': 352336, 'justtheflu': 470532, 'shilling': 758597, 'poin': 662395, 'official globalist': 595818, 'globalist talking': 352339, 'at corporate': 98340, 'corporate medium': 207309, 'medium giant': 527116, 'giant aka': 349731, 'aka is': 40487, 'is justtheflu': 449161, 'justtheflu so': 470535, 'why let': 991165, 'let few': 486707, 'few dead': 303799, 'dead worker': 229189, 'worker impair': 1007159, 'impair our': 418280, 'hear even': 387909, 'even ha': 284146, 'started shilling': 794832, 'shilling those': 758598, 'those poin': 892356, 'that the official': 846786, 'the official globalist': 862093, 'official globalist talking': 595819, 'globalist talking point': 352340, 'talking point at': 834033, 'point at corporate': 662422, 'at corporate medium': 98341, 'corporate medium giant': 207310, 'medium giant aka': 527118, 'giant aka is': 349732, 'aka is justtheflu': 40488, 'is justtheflu so': 449162, 'justtheflu so why': 470536, 'so why let': 778759, 'why let few': 991166, 'let few dead': 486708, 'few dead worker': 303801, 'dead worker impair': 229190, 'worker impair our': 1007160, 'impair our stock': 418281, 'stock price it': 802729, 'price it sad': 674923, 'it sad to': 460833, 'to hear even': 907403, 'hear even ha': 387910, 'even ha started': 284148, 'ha started shilling': 372050, 'started shilling those': 794833, 'shilling those poin': 758599, 'this interactive': 888142, 'map with': 514952, 'with creative': 997844, 'creative illustration': 216140, 'illustration to': 416467, 'support direct': 826456, 'nyc during': 577980, 'this interactive map': 888143, 'interactive map with': 441290, 'map with creative': 514953, 'with creative illustration': 997845, 'creative illustration to': 216141, 'illustration to support': 416468, 'to support direct': 915921, 'support direct to': 826457, 'brand in nyc': 137867, 'in nyc during': 426018, 'nyc during covid': 577981, 'app see': 81756, 'downloads amid': 257654, '19 surpasses': 10989, 'surpasses amazon': 828463, 'the apps': 848834, 'apps for': 83282, 'service up': 753026, 'chart walmart': 173854, 'grocery result': 364892, 'result ha': 717517, 'grocery app see': 364273, 'app see record': 81757, 'see record downloads': 745632, 'record downloads amid': 704948, 'downloads amid covid': 257655, 'covid 19 surpasses': 213897, '19 surpasses amazon': 10990, 'surpasses amazon by': 828464, 'ha sent the': 371858, 'sent the apps': 750821, 'the apps for': 848835, 'apps for grocery': 83283, 'grocery pickup and': 364855, 'delivery service up': 234476, 'service up the': 753027, 'up the chart': 946159, 'the chart walmart': 850719, 'chart walmart grocery': 173855, 'walmart grocery result': 965338, 'grocery result ha': 364893, '884': 23082, 'hbrfanzone': 384646, 'feedthepoor': 302536, 'kotloyalsmusic': 477569, 'new ford': 558750, 'ford at': 328763, 'convenient today': 202428, 'on 07': 598979, '07 10': 1013, '10 884': 1290, '884 973': 23083, '973 or': 23708, 'at support': 100798, 'support co': 826421, 'ke for': 471227, 'for pricing': 324736, 'purchasing africansarenotlabrats': 689826, 'africansarenotlabrats hbrfanzone': 35245, 'hbrfanzone feedthepoor': 384647, 'feedthepoor kotloyalsmusic': 302537, 'brand new ford': 137933, 'new ford at': 558751, 'ford at the': 328764, 'most convenient today': 542210, 'convenient today on': 202429, 'today on 07': 919968, 'on 07 10': 598980, '07 10 884': 1014, '10 884 973': 1291, '884 973 or': 23084, '973 or email': 23709, 'email at support': 272131, 'at support co': 100799, 'support co ke': 826422, 'co ke for': 184868, 'ke for pricing': 471228, 'for pricing and': 324737, 'pricing and purchasing': 677921, 'and purchasing africansarenotlabrats': 69788, 'purchasing africansarenotlabrats hbrfanzone': 689827, 'africansarenotlabrats hbrfanzone feedthepoor': 35246, 'hbrfanzone feedthepoor kotloyalsmusic': 384648, 'lockdown force': 499404, 'force food': 328386, '19 lockdown force': 8385, 'lockdown force food': 499405, 'force food price': 328387, 'price to jump': 677006, 'vanre': 952445, 'canre': 162259, 'to unemployment': 917929, 'unemployment there': 941308, 'national mortgage': 552564, 'mortgage default': 541885, 'default crisis': 232018, 'our urban': 625239, 'urban center': 948099, 'center income': 169239, 'income have': 432357, 'been disconnected': 120988, 'from housing': 335956, 'long vanpoli': 501801, 'vanpoli vanre': 952440, 'vanre bcpoli': 952446, 'cdnpoli canre': 168657, 'addition to unemployment': 31753, 'to unemployment there': 917930, 'unemployment there will': 941309, 'will be national': 992568, 'be national mortgage': 116047, 'national mortgage default': 552565, 'mortgage default crisis': 541886, 'default crisis in': 232019, 'crisis in our': 217537, 'in our urban': 426350, 'our urban center': 625240, 'urban center income': 948100, 'center income have': 169240, 'income have been': 432358, 'have been disconnected': 379513, 'been disconnected from': 120989, 'disconnected from housing': 244415, 'from housing price': 335957, 'housing price for': 407133, 'price for too': 674070, 'too long vanpoli': 924868, 'long vanpoli vanre': 501802, 'vanpoli vanre bcpoli': 952441, 'vanre bcpoli cdnpoli': 952447, 'bcpoli cdnpoli canre': 113359, 'stock pantry': 802612, 'indoors during': 435397, 'normal operating': 567233, 'american stock pantry': 52219, 'stock pantry staple': 802613, 'staple and prepare': 793902, 'and prepare to': 69365, 'stay indoors during': 797074, 'indoors during the': 435398, 'or coronavirus pandemic': 614831, 'coronavirus pandemic supermarket': 206491, 'pandemic supermarket and': 636594, 'chain have reduced': 170768, 'reduced their normal': 706190, 'their normal operating': 874068, 'normal operating hour': 567234, 'telling our': 837244, 'our grandad': 623291, 'grandad he': 361879, 'pay sainsbury': 645102, 'sainsbury price': 731705, 'of aldi': 579911, 'aldi his': 41272, 'his response': 397754, 'he hasn': 385075, 'money what': 537158, 'the drink': 853683, 'drink drug': 258813, 'woman he': 1003502, 'he 88': 384702, '88 honestly': 23052, 'honestly this': 403148, 'one isolation': 606536, 'telling our grandad': 837245, 'our grandad he': 623292, 'grandad he going': 361880, 'to pay sainsbury': 911555, 'pay sainsbury price': 645103, 'sainsbury price for': 731706, 'price for milk': 674003, 'for milk instead': 323430, 'instead of aldi': 440230, 'of aldi his': 579912, 'aldi his response': 41273, 'his response wa': 397755, 'response wa that': 715912, 'wa that he': 963431, 'that he hasn': 844259, 'he hasn got': 385076, 'hasn got the': 378750, 'the money what': 860833, 'money what with': 537160, 'what with all': 982615, 'all the drink': 44724, 'the drink drug': 853684, 'drink drug and': 258814, 'drug and woman': 260876, 'and woman he': 75806, 'woman he 88': 1003503, 'he 88 honestly': 384703, '88 honestly this': 23053, 'honestly this guy': 403149, 'guy is my': 369051, 'is my hero': 449798, 'my hero at': 548670, 'hero at time': 393947, 'when everyone need': 983401, 'everyone need one': 287207, 'need one isolation': 555367, 'local press': 498293, 'area it': 92089, 'my location': 549154, 'location all': 498846, 'is vast': 453656, 'vast recently': 952714, 'recently asked': 704052, 'asked supermarket': 95828, 'local asda': 497699, 'morrison whether': 541785, 'they ha': 882235, 'why wouldn it': 991575, 'it be in': 456730, 'be in local': 115414, 'in local press': 424823, 'local press for': 498294, 'press for your': 671050, 'for your area': 328118, 'your area it': 1022820, 'area it all': 92090, 'all over my': 43872, 'my local press': 549133, 'press for my': 671048, 'for my location': 323718, 'my location all': 549155, 'location all the': 498847, 'all the surrounding': 44938, 'the surrounding area': 869020, 'surrounding area which': 828735, 'area which is': 92265, 'which is vast': 986061, 'is vast recently': 453657, 'vast recently asked': 952715, 'recently asked supermarket': 704053, 'asked supermarket staff': 95829, 'supermarket staff at': 822816, 'my local asda': 549097, 'local asda morrison': 497700, 'asda morrison whether': 94953, 'morrison whether they': 541786, 'whether they ha': 985592, 'now floating': 574700, 'floating supermarket': 310671, 'supermarket nothing': 821656, 'nothing can': 572968, 'woman from': 1003488, 'community self': 190084, 'self help': 747648, 'help group': 389829, 'group 19': 366590, 'from to and': 338056, 'to and now': 900515, 'and now floating': 67833, 'now floating supermarket': 574701, 'floating supermarket nothing': 310672, 'supermarket nothing can': 821657, 'nothing can stop': 572969, 'can stop the': 159826, 'stop the woman': 805161, 'the woman from': 871663, 'woman from community': 1003489, 'from community self': 334932, 'community self help': 190085, 'self help group': 747650, 'help group 19': 389830, 'col': 185714, 'cacchio': 155041, 'col cacchio': 185715, 'cacchio in': 155042, 'in royalty': 427563, 'royalty fee': 726649, 'fee dispute': 302155, 'dispute covid': 246321, '19 bite': 5398, 'col cacchio in': 185716, 'cacchio in royalty': 155043, 'in royalty fee': 427564, 'royalty fee dispute': 726650, 'fee dispute covid': 302156, 'dispute covid 19': 246322, 'covid 19 bite': 212708, 'weekend trying': 977435, 'this weekend trying': 891323, 'weekend trying to': 977436, 'my normal shop': 549510, 'tanker': 834244, 'maritime': 515757, 'shipping outlook': 758886, 'outlook cut': 629141, 'negative threatens': 556839, 'threatens earnings': 893845, 'earnings earnings': 264901, 'earnings to': 264933, '2020 demand': 14269, 'demand shrinking': 236206, 'shrinking on': 767715, 'disruption falling': 246471, 'falling manufacturing': 297297, 'manufacturing output': 513641, 'output positive': 629282, 'for tanker': 326151, 'tanker given': 834247, 'given recent': 351094, 'price maritime': 675170, 'shipping outlook cut': 758887, 'outlook cut to': 629142, 'cut to negative': 223604, 'to negative threatens': 910529, 'negative threatens earnings': 556840, 'threatens earnings earnings': 893846, 'earnings earnings to': 264902, 'earnings to drop': 264934, 'to drop 10': 904760, 'drop 10 in': 260095, 'in 2020 demand': 419831, '2020 demand shrinking': 14270, 'demand shrinking on': 236207, 'shrinking on economic': 767716, 'on economic disruption': 600508, 'economic disruption falling': 267070, 'disruption falling manufacturing': 246472, 'falling manufacturing output': 297298, 'manufacturing output positive': 513642, 'output positive for': 629283, 'positive for tanker': 665329, 'for tanker given': 326152, 'tanker given recent': 834248, 'given recent drop': 351095, 'recent drop in': 703886, 'oil price maritime': 597189, 'sundries': 818362, 'from safe': 337141, 'and sundries': 72689, 'sundries and': 818363, 'support these': 826913, 'online or from': 608654, 'or from safe': 615403, 'from safe social': 337143, 'social distance to': 779529, 'distance to stock': 246868, 'food and sundries': 313347, 'and sundries and': 72690, 'sundries and support': 818364, 'and support these': 72855, 'support these small': 826914, 'these small business': 880702, 'business in need': 143888, 'redneck': 705757, 'paper redneck': 640669, 'redneck bidet': 705758, 'bidet get': 129564, 'who need toilet': 989331, 'toilet paper redneck': 921417, 'paper redneck bidet': 640670, 'redneck bidet get': 705759, 'bidet get yours': 129565, 'yours today toiletpaper': 1026489, 'virtual waiting': 957815, 'room such': 725972, 'such are': 816338, 'helping online': 391407, 'pantry loading': 639626, 'loading and': 497328, 'virtual waiting room': 957816, 'waiting room such': 964383, 'room such are': 725973, 'such are helping': 816339, 'are helping online': 87101, 'helping online grocery': 391408, 'online grocery chain': 608314, 'grocery chain keep': 364367, 'chain keep up': 170873, 'with the massive': 1001385, 'the massive consumer': 860264, 'massive consumer demand': 519991, 'demand for pantry': 235470, 'for pantry loading': 324374, 'pantry loading and': 639627, 'loading and home': 497329, 'home delivery here': 401021, 'delivery here the': 234089, 'full report for': 340852, 'squared': 791504, 'readynutrition': 701007, 'thecoronaviruspreparednesshandbook': 872303, 'once everyone': 605629, 'ha their': 372234, 'basic supply': 112068, 'supply squared': 825884, 'squared away': 791505, 'away many': 105966, 'soon realize': 785806, 'done is': 254903, 'simply put': 770266, 'put band': 690531, 'band aid': 109328, 'aid on': 39427, 'open wound': 612691, 'wound the': 1012525, 'initial run': 438552, 'beginning readynutrition': 123657, 'readynutrition thecoronaviruspreparednesshandbook': 701008, 'once everyone ha': 605630, 'everyone ha their': 286975, 'ha their basic': 372235, 'their basic supply': 872560, 'basic supply squared': 112069, 'supply squared away': 825885, 'squared away many': 791506, 'away many will': 105967, 'many will soon': 514885, 'will soon realize': 994899, 'soon realize what': 785807, 'realize what they': 701883, 'have done is': 380329, 'done is simply': 254904, 'is simply put': 451932, 'simply put band': 770267, 'put band aid': 690532, 'band aid on': 109329, 'aid on an': 39428, 'on an open': 599333, 'an open wound': 56659, 'open wound the': 612692, 'wound the initial': 1012526, 'the initial run': 858281, 'initial run on': 438553, 'on food is': 600877, 'food is just': 315134, 'the beginning readynutrition': 849438, 'beginning readynutrition thecoronaviruspreparednesshandbook': 123658, 'massy': 520196, 'massy assures': 520197, 'assures no': 97140, 'massy assures no': 520198, 'assures no shortage': 97141, 'food supply amid': 316929, 'supply amid covid': 824685, '19 30am': 4742, 'covid 19 30am': 212559, '19 30am at': 4743, '30am at the': 17410, 'become hardest': 120017, 'coronavirus uk could': 206983, 'uk could become': 938282, 'could become hardest': 208951, 'become hardest hit': 120018, 'country in europe': 210774, 'packagedwater': 633508, 'uk online': 938587, 'ban packaged': 109242, 'packaged water': 633506, 'increase capacity': 432711, 'van amidst': 952286, 'crisis packagedwater': 217848, 'packagedwater water': 633509, 'the uk online': 870256, 'uk online supermarket': 938589, 'online supermarket ban': 609496, 'supermarket ban packaged': 819291, 'ban packaged water': 109243, 'packaged water from': 633507, 'water from it': 969004, 'from it delivery': 336112, 'it delivery to': 457512, 'delivery to increase': 234664, 'to increase capacity': 908273, 'increase capacity in': 432712, 'capacity in van': 162534, 'in van amidst': 430528, 'van amidst covid': 952287, '19 crisis packagedwater': 6295, 'crisis packagedwater water': 217849, 'f1': 294173, 'itu': 464004, 'daughter her': 226858, 'are f1': 86400, 'f1 junior': 294174, 'junior doctor': 468023, 'doctor she': 251102, 'on itu': 601710, 'itu ward': 464005, 'ward of': 966644, 'patient shift': 644256, 'shift mean': 758359, 'mean she': 524639, 'week cannot': 976066, 'wa 26': 961363, '26 273': 16136, '273 in': 16337, 'daughter her partner': 226859, 'her partner are': 392289, 'partner are f1': 642775, 'are f1 junior': 86401, 'f1 junior doctor': 294175, 'junior doctor she': 468024, 'doctor she is': 251103, 'she is working': 756167, 'working in ppe': 1008728, 'in ppe all': 426892, 'ppe all day': 667889, 'day on itu': 228143, 'on itu ward': 601711, 'itu ward of': 464006, 'ward of covid': 966645, '19 patient shift': 9594, 'patient shift mean': 644257, 'shift mean she': 758360, 'mean she been': 524640, 'she been unable': 755887, 'unable to shop': 939346, 'shop at for': 759945, 'at for week': 98698, 'for week cannot': 327697, 'week cannot get': 976067, 'cannot get home': 161890, 'any supermarket wa': 79914, 'supermarket wa 26': 823686, 'wa 26 273': 961364, '26 273 in': 16137, '273 in line': 16338, 'via brickandmortar': 955828, 'of the via': 591588, 'the via brickandmortar': 870719, 'special page': 788016, 'on statistic': 603648, 'statistic related': 796587, 'pandemic provided': 636252, 'by federal': 152572, 'federal stats': 302059, 'stats office': 796625, 'price employment': 673677, 'employment population': 274638, 'population education': 664676, 'education health': 268827, 'german french': 346227, 'special page on': 788017, 'page on statistic': 633881, 'on statistic related': 603649, 'statistic related to': 796588, 'related to pandemic': 708613, 'to pandemic provided': 911373, 'pandemic provided by': 636253, 'provided by federal': 686574, 'by federal stats': 152573, 'federal stats office': 302060, 'stats office price': 796626, 'office price employment': 595520, 'price employment population': 673678, 'employment population education': 274639, 'population education health': 664677, 'education health in': 268828, 'health in german': 386522, 'in german french': 423272, 'going live': 355264, 'fb at': 300645, 'at midday': 99734, 'today tune': 920404, 'hear covid': 387905, 'on telco': 603892, 'telco energy': 836653, 'energy insurance': 276483, 'company response': 191026, 'to auspol': 900834, 'going live on': 355265, 'live on fb': 495954, 'on fb at': 600748, 'fb at midday': 300646, 'at midday today': 99736, 'midday today tune': 530614, 'today tune in': 920405, 'to hear covid': 907402, 'hear covid 19': 387906, '19 consumer update': 5994, 'consumer update on': 199424, 'update on telco': 947136, 'on telco energy': 603893, 'telco energy insurance': 836654, 'energy insurance company': 276484, 'insurance company response': 440700, 'company response to': 191027, 'response to auspol': 715827, 'lookingat': 503072, 'sir lookingat': 771594, 'lookingat the': 503073, 'mask specifically': 519298, 'one wonder': 607499, 'up may': 945371, 'may excuse': 521153, 'excuse it': 289754, 'wa other': 962867, 'commodity su': 189313, 'hello sir lookingat': 389216, 'sir lookingat the': 771595, 'lookingat the current': 503074, 'face mask specifically': 294591, 'mask specifically the': 519299, 'specifically the surgical': 788291, 'the surgical mask': 869009, 'mask that people': 519347, 'wear to aid': 974486, '19 one wonder': 8983, 'one wonder why': 607501, 'wonder why price': 1004045, 'why price have': 991299, 'gone up may': 356424, 'up may excuse': 945372, 'may excuse it': 521154, 'excuse it if': 289755, 'it if it': 458671, 'it wa other': 462166, 'wa other commodity': 962868, 'other commodity su': 619966, 'wtf happened': 1013281, 'corona panicbuying': 204099, 'panicbuying uklockdown': 639103, 'uklockdown lockdown': 938996, 'lockdown london': 499629, 'london breakingnews': 501036, 'breakingnews meme': 139096, 'meme panicbuying': 528346, 'nh toiletpapercrisis': 562145, 'wtf happened to': 1013282, 'to this coronacrisisuk': 917412, 'this coronacrisisuk 19': 886885, 'coronacrisisuk 19 coronacrisis': 204876, '19 coronacrisis corona': 6062, 'coronacrisis corona panicbuying': 204563, 'corona panicbuying uklockdown': 204100, 'panicbuying uklockdown lockdown': 639104, 'uklockdown lockdown london': 938997, 'lockdown london breakingnews': 499630, 'london breakingnews meme': 501037, 'breakingnews meme panicbuying': 139097, 'meme panicbuying toiletpaper': 528347, 'panicbuying toiletpaper nh': 639092, 'toiletpaper nh toiletpapercrisis': 922259, 'fell sunday': 303235, 'sunday monday': 818235, 'monday opec': 536357, 'meeting get': 527704, 'get delayed': 346853, 'delayed and': 232764, 'and prime': 69498, 'minister boris': 533343, 'is hospitalized': 448553, 'hospitalized with': 404846, 'stock future fell': 802190, 'future fell sunday': 342325, 'fell sunday monday': 303236, 'sunday monday opec': 818236, 'monday opec meeting': 536358, 'opec meeting get': 611912, 'meeting get delayed': 527705, 'get delayed and': 346854, 'delayed and prime': 232766, 'and prime minister': 69499, 'prime minister boris': 678134, 'minister boris johnson': 533344, 'johnson is hospitalized': 466604, 'is hospitalized with': 448554, 'hospitalized with covid': 404848, 'older high': 598613, 'coronavirus volunteer': 207032, 'volunteer increased': 960290, 'and decreasing': 61033, 'decreasing grocery': 231655, 'donation the': 254701, 'tri city': 931610, 'city food': 179151, 'multiple consequence': 545737, 'help full': 389783, 'older high risk': 598614, 'risk for coronavirus': 723543, 'for coronavirus volunteer': 320398, 'coronavirus volunteer increased': 207033, 'volunteer increased demand': 960291, 'food and decreasing': 313208, 'and decreasing grocery': 61034, 'decreasing grocery store': 231656, 'grocery store donation': 365340, 'store donation the': 807369, 'donation the tri': 254703, 'the tri city': 869974, 'tri city food': 931611, 'city food bank': 179152, 'bank is dealing': 109948, 'dealing with multiple': 229677, 'with multiple consequence': 999598, 'multiple consequence of': 545738, 'outbreak and they': 628015, 'your help full': 1024301, 'help full story': 389784, 'koch': 477308, 'charles koch': 173740, 'koch the': 477309, 'the conservative': 851467, 'conservative billionaire': 194905, 'billionaire behind': 130947, 'behind american': 124592, 'for prosperity': 324815, 'prosperity who': 684731, 'worth 40': 1011328, '40 billion': 18536, 'by forbes': 152626, 'forbes estimate': 328284, 'estimate his': 282247, 'his brother': 397258, 'brother david': 141049, 'david died': 226981, 'died last': 241577, 'summer consumer': 817965, 'related panic': 708505, 'caused significant': 167957, 'order beginning': 618080, 'charles koch the': 173741, 'koch the conservative': 477310, 'the conservative billionaire': 851468, 'conservative billionaire behind': 194906, 'billionaire behind american': 130948, 'behind american for': 124593, 'american for prosperity': 51985, 'for prosperity who': 324816, 'prosperity who now': 684732, 'who now worth': 989353, 'now worth 40': 576483, 'worth 40 billion': 1011329, '40 billion by': 18537, 'billion by forbes': 130786, 'by forbes estimate': 152627, 'forbes estimate his': 328285, 'estimate his brother': 282248, 'his brother david': 397259, 'brother david died': 141050, 'david died last': 226982, 'died last summer': 241578, 'last summer consumer': 480514, 'summer consumer related': 817966, 'consumer related panic': 198676, 'related panic buying': 708506, 'ha caused significant': 370100, 'caused significant increase': 167958, 'increase in order': 432849, 'in order beginning': 426211, 'order beginning last': 618081, 'beginning last week': 123630, 'foodmaxx': 318007, 'coronavirus foodmaxx': 205939, 'foodmaxx store': 318012, 'close after': 182494, 'coronavirus foodmaxx store': 205940, 'foodmaxx store close': 318013, 'store close after': 807047, 'close after employee': 182495, 'stay united': 797372, 'all preventive': 44024, 'to stay united': 915327, 'stay united stay': 797373, 'distancing and take': 246999, 'take all preventive': 831929, 'all preventive measure': 44025, 'preventive measure coronapocalypse': 671920, 'prescott': 670466, 'admitted': 32630, 'in arizona': 420494, 'arizona arrest': 92824, 'arrest prescott': 93772, 'prescott hospital': 670467, 'hospital housekeeping': 404456, 'housekeeping employee': 407007, 'who admitted': 988030, 'admitted to': 32631, 'to stealing': 915371, 'stealing 700': 799221, '700 of': 21894, 'of protective': 588557, 'equipment including': 279756, 'including glove': 431984, 'sanitizer surgical': 735837, 'surgical scrub': 828383, 'scrub wash': 742916, 'cloth paper': 184102, 'towel mask': 927343, 'mask bleach': 518484, 'bleach cleaner': 132489, 'an automatic': 55487, 'automatic hand': 103976, 'police in arizona': 663062, 'in arizona arrest': 420495, 'arizona arrest prescott': 92825, 'arrest prescott hospital': 93773, 'prescott hospital housekeeping': 670468, 'hospital housekeeping employee': 404457, 'housekeeping employee who': 407008, 'employee who admitted': 274420, 'who admitted to': 988031, 'admitted to stealing': 32633, 'to stealing 700': 915372, 'stealing 700 of': 799222, '700 of protective': 21895, 'of protective equipment': 588558, 'protective equipment including': 685729, 'equipment including glove': 279757, 'including glove hand': 431985, 'hand sanitizer surgical': 375611, 'sanitizer surgical scrub': 735838, 'surgical scrub wash': 828384, 'scrub wash cloth': 742917, 'wash cloth paper': 967451, 'cloth paper towel': 184103, 'paper towel mask': 641000, 'towel mask bleach': 927344, 'mask bleach cleaner': 518485, 'bleach cleaner toilet': 132491, 'paper and an': 639804, 'and an automatic': 58106, 'an automatic hand': 55488, 'automatic hand sanitizer': 103977, 'everyone sharing': 287362, 'sharing empty': 755519, 'high coronacrisisuk': 394968, 'see everyone sharing': 745092, 'everyone sharing empty': 287363, 'sharing empty supermarket': 755520, 'supermarket shelf we': 822561, 'shelf we get': 757751, 'it my anxiety': 459714, 'my anxiety is': 547277, 'anxiety is already': 78732, 'is already at': 445510, 'already at an': 47199, 'time high coronacrisisuk': 896929, 'reliefremedies': 709511, 'alert let': 41456, 'usual seasonal': 951008, 'seasonal bug': 743464, 'still circulating': 800368, 'circulating with': 178694, 'popular reliefremedies': 664595, 'reliefremedies can': 709512, 'alleviate symptom': 45821, 'symptom more': 830870, 'on page': 602676, 'page 18': 633825, 'all on 19': 43737, 'on 19 alert': 599027, '19 alert let': 4888, 'alert let not': 41457, 'forget that the': 329295, 'that the usual': 846861, 'the usual seasonal': 870592, 'usual seasonal bug': 951009, 'seasonal bug are': 743465, 'bug are still': 141893, 'are still circulating': 90404, 'still circulating with': 800369, 'circulating with supermarket': 178695, 'shelf emptying of': 757045, 'emptying of popular': 275266, 'of popular reliefremedies': 588233, 'popular reliefremedies can': 664596, 'reliefremedies can we': 709513, 'can we turn': 160206, 'turn to nature': 935786, 'to nature to': 910483, 'nature to alleviate': 552996, 'to alleviate symptom': 900316, 'alleviate symptom more': 45822, 'symptom more on': 830871, 'more on page': 539930, 'on page 18': 602677, 'page 18 19': 633826, 'son sent': 785434, 'denmark smart': 237024, 'smart easy': 775373, 'people distanced': 647670, 'distanced in': 246916, 'line socialdistancing': 493412, 'my son sent': 550166, 'son sent me': 785435, 'me this photo': 523719, 'photo from grocery': 655169, 'store in denmark': 808295, 'in denmark smart': 422189, 'denmark smart easy': 237026, 'smart easy way': 775374, 'easy way to': 265801, 'keep people distanced': 471785, 'people distanced in': 647671, 'distanced in the': 246917, 'the checkout line': 850767, 'checkout line socialdistancing': 174949, 'if quarantined': 414711, 'need if quarantined': 555034, 'if quarantined at': 414712, 'home coronavirus consumer': 400949, 'out our guide': 626975, 'steering': 799432, 'who touch': 989807, 'building door': 142073, 'door supermarket': 255722, 'trolley or': 932455, 'car door': 163061, 'door or': 255687, 'car steering': 163295, 'steering would': 799434, 'would recommend': 1012172, 'recommend to': 704723, 'it cheap': 457115, 'everyone who touch': 287608, 'who touch to': 989808, 'touch to the': 926564, 'to the building': 916532, 'the building door': 850097, 'building door supermarket': 142074, 'door supermarket trolley': 255723, 'supermarket trolley or': 823567, 'trolley or his': 932456, 'or his car': 615648, 'his car door': 397271, 'car door or': 163062, 'door or car': 255688, 'or car steering': 614669, 'car steering would': 163296, 'steering would recommend': 799435, 'would recommend to': 1012173, 'recommend to use': 704724, 'use this it': 949730, 'this it cheap': 888513, 'it cheap and': 457116, 'cheap and easily': 174074, 'and easily available': 61853, 'foodallergy': 317741, 'allergictraveler': 45762, 'chefcards': 175279, 'is run': 451588, 'also shortage': 48875, 'shortage on': 765146, 'on gf': 601086, 'gf product': 349498, 'them foodallergy': 875703, 'foodallergy allergictraveler': 317742, 'allergictraveler chefcards': 45763, 'chefcards glutenfree': 175280, 'there is run': 878618, 'is run on': 451589, 'run on paper': 727736, 'on paper towel': 602696, 'paper towel toilet': 641018, 'paper but there': 639977, 'is also shortage': 445578, 'also shortage on': 48876, 'shortage on gf': 765147, 'on gf product': 601087, 'gf product please': 349499, 'product please only': 681529, 'only buy them': 610205, 'buy them if': 149327, 'you need them': 1020049, 'need them foodallergy': 555776, 'them foodallergy allergictraveler': 875704, 'foodallergy allergictraveler chefcards': 317743, 'allergictraveler chefcards glutenfree': 45764, 'helpyourneighbours': 391667, 'heartbreaking shameless': 388406, 'shameless selfish': 754730, 'selfish britain': 748035, 'britain this': 140456, 'this elderly': 887351, 'with shocking': 1000681, 'shocking reality': 759613, 'reality most': 701760, 'stock ha': 802212, 'stripped from': 813861, 'by selfish': 153912, 'customer helpyourneighbours': 222462, 'helpyourneighbours sainsburys': 391668, 'sainsburys news': 731775, 'heartbreaking shameless selfish': 388407, 'shameless selfish britain': 754731, 'selfish britain this': 748036, 'britain this elderly': 140457, 'this elderly man': 887352, 'elderly man is': 270746, 'man is faced': 512121, 'faced with shocking': 295047, 'with shocking reality': 1000682, 'shocking reality most': 759614, 'reality most of': 701761, 'the stock ha': 867912, 'stock ha been': 802213, 'been stripped from': 122068, 'stripped from the': 813863, 'supermarket shelf by': 822437, 'shelf by selfish': 756917, 'by selfish customer': 153914, 'selfish customer helpyourneighbours': 748068, 'customer helpyourneighbours sainsburys': 222463, 'helpyourneighbours sainsburys news': 391669, 'yourself doing': 1026585, 'doing thing': 252751, 'never anticipated': 557860, 'anticipated just': 78462, 'search interest': 743265, 'yourself ha': 1026630, 'spiked globally': 789345, 'globally search': 352396, 'pandemic diy': 635312, 'do you now': 250652, 'you now find': 1020156, 'find yourself doing': 307413, 'yourself doing thing': 1026586, 'doing thing you': 252753, 'you never anticipated': 1020076, 'never anticipated just': 557861, 'anticipated just week': 78463, 'due to search': 261938, 'to search interest': 913952, 'search interest in': 743266, 'interest in do': 441353, 'in do it': 422334, 'it yourself ha': 462673, 'yourself ha spiked': 1026631, 'ha spiked globally': 372023, 'spiked globally search': 789346, 'globally search data': 352397, 'data reveals how': 226387, 'reveals how brand': 720324, 'brand can actually': 137782, 'can actually help': 157364, 'actually help during': 30839, 'coronavirus pandemic diy': 206456, 'approved set': 83192, 'and sharp': 71404, 'price including': 674761, 'including ensuring': 431950, 'ensuring all': 278166, 'government functionality': 360111, 'functionality adhered': 341312, 'the prescribed': 864240, 'prescribed percent': 670474, 'percent cut': 651119, 'update ha approved': 947010, 'ha approved set': 369605, 'approved set of': 83193, 'set of measure': 753442, 'measure to cope': 525389, 'of and sharp': 580181, 'and sharp decline': 71405, 'decline in global': 231358, 'oil price including': 597167, 'price including ensuring': 674763, 'including ensuring all': 431951, 'ensuring all government': 278167, 'all government functionality': 42994, 'government functionality adhered': 360112, 'functionality adhered to': 341313, 'adhered to the': 32220, 'to the prescribed': 916974, 'the prescribed percent': 864241, 'prescribed percent cut': 670475, 'percent cut in': 651120, 'cut in their': 223388, 'in their budget': 429720, 'sector usacovid19': 744381, 'good sector usacovid19': 357705, 'hiv': 398610, 'youcantcatchavirus': 1022515, 'cellpoisoning': 168983, 'have aid': 379146, 'aid hiv': 39400, 'hiv if': 398611, 'just catch': 468442, 'catch virus': 167056, 'by sneezing': 154052, 'sneezing drfauci': 776312, 'drfauci youcantcatchavirus': 258731, 'youcantcatchavirus cellpoisoning': 1022516, 'cellpoisoning vaccine': 168986, 'vaccine billgates': 951667, 'billgates 5g': 130749, '5g lockdown': 20675, 'toiletpaper karen': 922160, 'karen cancer': 470891, 'cancer easter': 161250, 'easter african': 265375, 'african lie': 35205, 'why doesn everyone': 990957, 'everyone have aid': 286995, 'have aid hiv': 379147, 'aid hiv if': 39401, 'hiv if you': 398612, 'can just catch': 158793, 'just catch virus': 468443, 'catch virus by': 167057, 'virus by sneezing': 958022, 'by sneezing drfauci': 154053, 'sneezing drfauci youcantcatchavirus': 776313, 'drfauci youcantcatchavirus cellpoisoning': 258732, 'youcantcatchavirus cellpoisoning vaccine': 1022517, 'cellpoisoning vaccine billgates': 168987, 'vaccine billgates 5g': 951668, 'billgates 5g lockdown': 130750, '5g lockdown socialdistancing': 20676, 'lockdown socialdistancing toiletpaper': 499937, 'socialdistancing toiletpaper karen': 780823, 'toiletpaper karen cancer': 922161, 'karen cancer easter': 470892, 'cancer easter african': 161251, 'easter african lie': 265376, 'with job': 999109, 'the while': 871451, 'while sh': 987250, 'sh storm': 754298, 'storm going': 811805, '1st really': 12782, 'so with job': 778791, 'with job loss': 999111, 'job loss covid': 465969, 'and the while': 73652, 'the while sh': 871455, 'while sh storm': 987251, 'sh storm going': 754299, 'storm going on': 811806, 'on you have': 605420, 'you have decided': 1019035, 'decided to increase': 230920, 'increase price from': 433004, 'from april 1st': 334574, 'april 1st really': 83444, '1st really now': 12783, 'really now doesn': 702464, 'now doesn that': 574552, 'doesn that sound': 251968, 'that sound like': 846418, 'sound like something': 786305, 'like something you': 491220, 'something you should': 785162, 'be doing right': 114528, 'copays': 203289, 'of cdc': 581228, 'cdc coronavirus': 168552, 'test 36': 838898, '36 medicare': 18013, 'medicare ha': 526579, 'released price': 709076, 'test 35': 838896, '35 92': 17869, '92 for': 23475, 'test developed': 838970, '51 33': 20200, '33 for': 17756, 'commercial test': 188741, 'most health': 542375, 'have waived': 383532, 'waived copays': 964529, 'price of cdc': 675419, 'of cdc coronavirus': 581229, 'cdc coronavirus test': 168553, 'coronavirus test 36': 206879, 'test 36 medicare': 838899, '36 medicare ha': 18014, 'medicare ha released': 526581, 'ha released price': 371709, 'released price of': 709077, '19 test 35': 11067, 'test 35 92': 838897, '35 92 for': 17871, '92 for the': 23476, 'the test developed': 869311, 'test developed by': 838971, 'by the center': 154278, 'prevention and 51': 671840, 'and 51 33': 57496, '51 33 for': 20202, '33 for all': 17757, 'for all other': 319156, 'all other commercial': 43778, 'other commercial test': 619962, 'commercial test most': 188742, 'test most health': 839093, 'most health insurer': 542376, 'health insurer have': 386557, 'insurer have waived': 440882, 'have waived copays': 383533, 'borough market': 135588, 'market campaign': 516140, 'campaign come': 157207, 'one nurse': 606728, 'bilbrough went': 130472, 'she posted': 756270, 'posted tearful': 666572, 'tearful message': 835983, 'get fruit': 347115, 'veg at': 953721, 'following her': 312752, 'shift panicbuying': 758382, 'panicbuying over': 639000, 'borough market campaign': 135589, 'market campaign come': 516141, 'campaign come after': 157208, 'come after video': 187191, 'after video of': 36487, 'video of one': 956828, 'of one nurse': 587239, 'one nurse dawn': 606729, 'dawn bilbrough went': 227049, 'bilbrough went viral': 130473, 'went viral when': 979231, 'viral when she': 957639, 'when she posted': 984003, 'she posted tearful': 756271, 'posted tearful message': 666573, 'tearful message about': 835984, 'message about being': 529250, 'about being unable': 24871, 'to get fruit': 906488, 'get fruit and': 347116, 'and veg at': 74857, 'veg at the': 953722, 'supermarket following her': 820352, 'following her shift': 312754, 'her shift panicbuying': 392368, 'shift panicbuying over': 758383, 'difficult scenario': 242257, 'it uncharted': 461909, 'water grocery': 969020, 'hudson county': 409910, 'working emergency': 1008610, 'is very difficult': 453672, 'very difficult scenario': 955121, 'difficult scenario it': 242258, 'scenario it uncharted': 741274, 'it uncharted water': 461910, 'uncharted water grocery': 939802, 'water grocery store': 969021, 'worker in hudson': 1007177, 'in hudson county': 423893, 'hudson county and': 409911, 'county and across': 211313, 'are now working': 88618, 'now working emergency': 576475, 'working emergency and': 1008611, 'emergency and essential': 272599, 'and essential personnel': 62258, 'upgradefm': 947537, 'literary': 495117, 'allusion': 46418, 'upgradefm love': 947538, 'technology segment': 836358, 'segment and': 747379, 'the unintended': 870400, 'unintended literary': 941846, 'literary allusion': 495118, 'allusion please': 46419, 'continue both': 201006, 'upgradefm love the': 947539, 'love the how': 504808, 'the how will': 857674, 'change the future': 172297, 'of consumer technology': 581777, 'consumer technology segment': 199238, 'technology segment and': 836359, 'segment and the': 747380, 'and the unintended': 73635, 'the unintended literary': 870401, 'unintended literary allusion': 941847, 'literary allusion please': 495119, 'allusion please continue': 46420, 'please continue both': 659847, 'impossible do': 419366, 'anyone unwell': 80590, 'unwell or': 944076, 'or elderly': 615123, 'other other': 620629, 'little job': 495422, 'job please': 466090, 'know willing': 477066, 'volunteer the': 960340, 'the bit': 849733, 'of spare': 589963, 'spare time': 787507, 've to': 953629, 'help happytohelp': 389841, 'happytohelp colchester': 377785, 'there is next': 878594, 'to impossible do': 908200, 'impossible do any': 419367, 'any online grocery': 79564, 'shopping should you': 763883, 'should you know': 766679, 'know anyone unwell': 476270, 'anyone unwell or': 80591, 'unwell or elderly': 944077, 'or elderly who': 615124, 'elderly who need': 270949, 'shopping or any': 763536, 'any other other': 79598, 'other other little': 620630, 'other little job': 620480, 'little job please': 495423, 'job please let': 466091, 'me know willing': 523049, 'know willing to': 477067, 'willing to volunteer': 995480, 'to volunteer the': 918234, 'volunteer the bit': 960341, 'the bit of': 849734, 'bit of spare': 131664, 'of spare time': 589964, 'spare time ve': 787508, 'time ve to': 898186, 've to help': 953630, 'to help happytohelp': 907535, 'help happytohelp colchester': 389842, 'thursday following': 895368, 'following three': 312922, 'of gain': 584024, 'gain with': 342837, 'of rapidly': 588743, 'rapidly dwindling': 696975, 'dwindling demand': 263681, 'were mixed on': 979887, 'mixed on thursday': 534638, 'on thursday following': 604667, 'thursday following three': 895369, 'following three day': 312923, 'day of gain': 228071, 'of gain with': 584025, 'gain with the': 342838, 'with the prospect': 1001442, 'prospect of rapidly': 684693, 'of rapidly dwindling': 588745, 'rapidly dwindling demand': 696976, 'dwindling demand due': 263682, 'to travel ban': 917725, 'ban and lockdown': 109175, 'and stabilize': 72179, 'expect nothing': 290686, 'nothing le': 573078, 'le from': 482965, 'the fighting': 855170, 'the administration is': 848357, 'administration is trying': 32486, 'way to prop': 970073, 'price and stabilize': 672546, 'and stabilize the': 72181, 'market we would': 517323, 'we would expect': 973969, 'would expect nothing': 1011801, 'expect nothing le': 290687, 'nothing le from': 573079, 'le from trump': 482967, 'from trump and': 338149, 'and the fighting': 73376, 'the fighting against': 855171, 'fighting against in': 305030, 'against in the': 37508, 'almo': 46459, 'these fish': 880014, 'pilling them': 656700, 'no fish': 564225, 'fish for': 309314, 'not step': 571718, 'is almo': 445492, 'to be buy': 901144, 'be buy these': 113938, 'buy these fish': 149344, 'these fish and': 880015, 'fish and stock': 309291, 'and stock pilling': 72414, 'stock pilling them': 802686, 'pilling them for': 656701, 'them for future': 875715, 'for future will': 321830, 'future will cause': 342527, 'will cause the': 992897, 'cause the food': 167761, 'chain to break': 171190, 'to break in': 902002, 'break in store': 138752, 'in store there': 428464, 'store there will': 810654, 'be no fish': 116098, 'no fish for': 564226, 'fish for food': 309315, 'food if the': 314894, 'doe not step': 251532, 'not step in': 571719, 'step in now': 799562, 'in now there': 425987, 'there is almo': 878518, 'noticed gas': 573436, 'island while': 454326, 'our wallet': 625296, 'wallet did': 965217, 'did ya': 240914, 'ya ever': 1013984, 'ever wonder': 285604, 'depth here': 237763, 'effect of you': 269073, 'of you may': 593401, 'have noticed gas': 381714, 'noticed gas price': 573437, 'price have begun': 674415, 'have begun to': 379760, 'begun to go': 123736, 'to go down': 906791, 'go down on': 353496, 'down on long': 257024, 'on long island': 601932, 'long island while': 501463, 'island while this': 454327, 'while this is': 987454, 'good for our': 357086, 'for our wallet': 324307, 'our wallet did': 625297, 'wallet did ya': 965218, 'did ya ever': 240915, 'ya ever wonder': 1013985, 'ever wonder why': 285605, 're going in': 698751, 'going in depth': 355214, 'in depth here': 422202, 'aren listening': 92452, 'listening smh': 494800, 'smh not': 775678, 'county pa': 211463, 'pa people': 632871, 'where out': 985086, 'target cause': 834451, 'do cause': 249185, 'are board': 85005, 'they still aren': 883458, 'still aren listening': 800207, 'aren listening smh': 92453, 'listening smh not': 494801, 'smh not in': 775679, 'delaware county pa': 232650, 'county pa people': 211464, 'pa people where': 632872, 'people where out': 650248, 'where out about': 985087, 'out about all': 625547, 'about all day': 24777, 'walmart target cause': 965427, 'target cause they': 834452, 'to do cause': 904496, 'do cause the': 249186, 'cause the bar': 167757, 'they are board': 881216, 'are board god': 85006, 'foodmaxx grocery': 318010, 'jose is': 467317, 'closed following': 183120, 'foodmaxx grocery store': 318011, 'in san jose': 427684, 'san jose is': 733556, 'jose is temporarily': 467318, 'temporarily closed following': 837464, 'closed following the': 183121, 'following the death': 312880, 'of an employee': 580109, 'employee who contracted': 274423, '19 store official': 10884, 'store official said': 809170, 'official said monday': 595901, 'supplier put': 824597, 'bread soap': 138589, 'soap milk': 779062, 'roll not': 725399, 'the local ha': 859553, 'local ha put': 498062, 'ha put up': 371607, 'put up their': 690970, 'their price saying': 874418, 'saying the supplier': 739715, 'the supplier put': 868935, 'supplier put up': 824598, 'put up the': 690969, 'the price due': 864345, 'due to would': 262035, 'to would be': 918855, 'good if they': 357234, 'they had some': 882262, 'had some stock': 373530, 'some stock in': 783949, 'stock in sick': 802274, 'in sick of': 427932, 'sick of bread': 768533, 'of bread soap': 580849, 'bread soap milk': 138590, 'soap milk toilet': 779063, 'milk toilet roll': 531878, 'toilet roll not': 921589, 'roll not being': 725400, 'not being in': 568536, 'being in stock': 125306, 'high fiber': 395078, 'fiber diet': 304385, 'diet toiletpaper': 241760, 'toiletpapershortage toiletpapercrisis': 923332, 'time for high': 896714, 'for high fiber': 322256, 'high fiber diet': 395079, 'fiber diet toiletpaper': 304386, 'diet toiletpaper toiletpaperpanic': 241761, 'toiletpaperapocalypse toiletpaperemergency toiletpapershortage': 922945, 'toiletpaperemergency toiletpapershortage toiletpapercrisis': 923144, 'glam': 351558, 'sanitizer perfume': 735546, 'perfume glam': 651523, 'been using my': 122315, 'using my hand': 950568, 'hand sanitizer perfume': 375534, 'sanitizer perfume glam': 735547, 'hmrpca': 398714, 'find link': 307034, 'worker hmrpca': 1007130, 'please find link': 659996, 'find link to': 307035, 'link to supermarket': 493948, 'to supermarket opening': 915822, 'time for nh': 896731, 'nh worker hmrpca': 562187, 'eighteen': 270210, 'eighteen new': 270211, 'new imported': 558912, 'imported case': 419169, 'case were': 166100, 'were reported': 980054, 'wednesday bringing': 975623, 'to 112': 899452, '112 another': 2639, 'another 20': 77474, '20 suspected': 13363, 'suspected imported': 829524, 'are undergoing': 91290, 'undergoing check': 940437, 'check said': 174606, 'shanghai health': 754802, 'health commission': 386274, 'eighteen new imported': 270212, 'new imported case': 558913, 'imported case were': 419172, 'case were reported': 166102, 'were reported in': 980055, 'city on wednesday': 179304, 'on wednesday bringing': 605169, 'wednesday bringing the': 975624, 'bringing the total': 140202, 'total number to': 926204, 'number to 112': 577068, 'to 112 another': 899453, '112 another 20': 2640, 'another 20 suspected': 77477, '20 suspected imported': 13364, 'suspected imported case': 829525, 'imported case are': 419170, 'case are undergoing': 165645, 'are undergoing check': 91291, 'undergoing check said': 940438, 'check said the': 174607, 'said the shanghai': 731450, 'the shanghai health': 866783, 'shanghai health commission': 754803, 'health commission this': 386275, 'commission this morning': 188906, 'washing trump': 967741, 'trump glove': 933579, 'one gut': 606377, 'gut churning': 368848, 'churning observation': 178433, 'observation am': 578533, 'am horrified': 50126, 'horrified when': 404169, 'see kitchen': 745351, 'kitchen staff': 475755, 'staff emptying': 792404, 'bin wearing': 131045, 'glove they': 352954, 'for preparing': 324695, 'preparing food': 670324, 'why hand washing': 991043, 'hand washing trump': 375963, 'washing trump glove': 967742, 'trump glove in': 933580, 'glove in one': 352732, 'in one gut': 426146, 'one gut churning': 606378, 'gut churning observation': 368849, 'churning observation am': 178434, 'observation am horrified': 578534, 'am horrified when': 50128, 'horrified when see': 404170, 'when see kitchen': 983974, 'see kitchen staff': 745352, 'kitchen staff emptying': 475756, 'staff emptying bin': 792405, 'emptying bin wearing': 275259, 'bin wearing the': 131046, 'wearing the glove': 974798, 'the glove they': 856375, 'glove they use': 352959, 'they use for': 883614, 'use for preparing': 949222, 'for preparing food': 324696, '18 82': 4509, '82 net': 22807, 'net worth': 557571, 'worth are': 1011338, 'giving 500': 351224, '00 usd': 576, 'fight really': 304854, 'better surely': 128507, 'surely their': 827944, 'going bust': 355072, 'bust while': 144835, 'while allowing': 986584, 'allowing free': 46290, 'shopping celebs': 762336, 'celebs are': 168918, 'giving million': 351344, 'million feel': 532149, 'many big': 513823, 'whole crisis': 990176, '18 82 net': 4510, '82 net worth': 22808, 'net worth are': 557572, 'worth are giving': 1011339, 'are giving 500': 86852, 'giving 500 00': 351225, '500 00 usd': 19935, '00 usd to': 577, 'usd to fight': 948943, 'to fight really': 905807, 'fight really they': 304855, 'really they can': 702654, 'do better surely': 249140, 'better surely their': 128508, 'surely their business': 827945, 'their business isn': 872683, 'business isn going': 143964, 'isn going bust': 454521, 'going bust while': 355073, 'bust while allowing': 144836, 'while allowing free': 986585, 'allowing free delivery': 46291, 'delivery and online': 233671, 'online shopping celebs': 609069, 'shopping celebs are': 762337, 'celebs are giving': 168919, 'are giving million': 86860, 'giving million feel': 351345, 'million feel like': 532150, 'feel like many': 302728, 'like many big': 490703, 'many big business': 513824, 'big business will': 129682, 'business will start': 144688, 'will start using': 994949, 'start using this': 794625, 'using this whole': 950755, 'this whole crisis': 891378, 'including shopping': 432149, 'attempt ha': 102224, 'failed no': 296152, 'no needed': 564859, 'available got': 104409, 'got close': 358486, 'evening with': 284930, 'best to do': 127944, 'thing including shopping': 884449, 'including shopping for': 432151, 'one attempt ha': 605977, 'attempt ha failed': 102225, 'ha failed no': 370583, 'failed no needed': 296153, 'no needed product': 564860, 'needed product available': 556468, 'product available no': 680994, 'available no delivery': 104508, 'slot available got': 774135, 'available got close': 104410, 'got close this': 358487, 'close this evening': 182874, 'this evening with': 887450, 'evening with but': 284931, 'with but nope': 997500, 'from turkey': 338158, 'italy share': 462907, 'other meanwhile': 620514, 'in islamabad': 424179, 'islamabad the': 454265, 'customer behind': 222185, 'crush me': 219781, 'me usual': 523872, 'friend from turkey': 333614, 'from turkey and': 338159, 'turkey and italy': 935539, 'and italy share': 65622, 'italy share photo': 462908, 'photo of people': 655209, 'in line while': 424784, 'line while keeping': 493569, 'while keeping safe': 986992, 'distance from each': 246713, 'each other meanwhile': 264196, 'other meanwhile in': 620515, 'meanwhile in islamabad': 524990, 'in islamabad the': 424180, 'islamabad the customer': 454266, 'the customer behind': 852716, 'customer behind me': 222186, 'supermarket checkout this': 819671, 'checkout this morning': 175035, 'morning wa trying': 541530, 'trying to crush': 934788, 'to crush me': 903778, 'crush me usual': 219782, 'situation warrant': 772563, 'warrant the': 967326, 'the whooping': 871521, 'whooping withdrawal': 990595, 'withdrawal from': 1002262, 'fund we': 341536, 'extremely dire': 293870, 'dire situation': 243259, 'the fundamental': 856044, 'fundamental of': 341558, 'cannot withstand': 162231, 'shock occasioned': 759479, 'by combination': 152151, 'the situation warrant': 867282, 'situation warrant the': 772564, 'warrant the whooping': 967327, 'the whooping withdrawal': 871522, 'whooping withdrawal from': 990596, 'withdrawal from the': 1002263, 'the sovereign wealth': 867520, 'wealth fund we': 974165, 'fund we are': 341537, 'in an extremely': 420305, 'an extremely dire': 56027, 'extremely dire situation': 293871, 'dire situation and': 243260, 'and the fundamental': 73389, 'the fundamental of': 856045, 'fundamental of our': 341559, 'our economy cannot': 622842, 'economy cannot withstand': 267744, 'cannot withstand the': 162232, 'withstand the shock': 1003100, 'the shock occasioned': 866963, 'shock occasioned by': 759480, 'occasioned by combination': 578962, 'by combination of': 152152, 'madeinchina': 508093, 'madeinchina kn95': 508094, 'america this': 51708, 'this mask': 888774, 'n95 do': 551170, 'forget america': 329231, 'consumer country': 197001, 'but trouble': 147624, 'madeinchina kn95 mask': 508095, 'kn95 mask are': 475970, 'mask are here': 518398, 'here to save': 393725, 'to save america': 913774, 'save america this': 737471, 'america this mask': 51709, 'this mask is': 888775, 'mask is better': 518865, 'than the n95': 841255, 'the n95 do': 861183, 'n95 do not': 551171, 'not forget america': 569508, 'forget america is': 329232, 'america is consumer': 51573, 'is consumer country': 446790, 'consumer country we': 197002, 'country we do': 211210, 'not make anything': 570493, 'make anything but': 509716, 'anything but trouble': 80701, 'double auto': 255980, 'double auto sanitizer': 255981, 'lidhell': 488270, 'nine supermarket': 563297, 'day including': 227818, 'including lidhell': 432031, 'lidhell maybe': 488271, 'maybe my': 521748, 'my timing': 550382, 'timing all': 898505, 'wrong and': 1012991, 'keep missing': 471669, 'missing these': 534332, 'these delivery': 879916, 'about been': 24858, 'since 10': 770405, '10 00hrs': 1213, '00hrs mind': 679, 'you stophoarding': 1021442, 'nine supermarket in': 563298, 'supermarket in one': 820950, 'one day including': 606160, 'day including lidhell': 227819, 'including lidhell maybe': 432032, 'lidhell maybe my': 488272, 'maybe my timing': 521749, 'my timing all': 550383, 'timing all wrong': 898506, 'all wrong and': 45522, 'wrong and keep': 1012992, 'and keep missing': 65767, 'keep missing these': 471670, 'missing these delivery': 534333, 'these delivery supermarket': 879917, 'delivery supermarket keep': 234586, 'supermarket keep talking': 821240, 'talking about been': 833957, 'about been shopping': 24859, 'shopping since 10': 763885, 'since 10 00hrs': 770406, '10 00hrs mind': 1214, '00hrs mind you': 680, 'mind you stophoarding': 532789, 'you stophoarding panicbuyinguk': 1021443, 'anyone experienced': 80314, 'experienced getting': 291579, 'getting headache': 349030, 'headache even': 385875, 'if slight': 414815, 'slight from': 773927, 'shopper not': 761625, 'not socialdistancing': 571635, 'socialdistancing theory': 780798, 'theory suggests': 877864, 'suggests building': 817681, 'building aren': 142051, 'aren properly': 92487, 'properly ventilated': 684216, 'ventilated to': 954506, 'contaminated air': 200648, 'air from': 39746, 'breath of': 139176, 'to dissipate': 904426, 'ha anyone experienced': 369584, 'anyone experienced getting': 80315, 'experienced getting headache': 291580, 'getting headache even': 349031, 'headache even if': 385876, 'even if slight': 284213, 'if slight from': 414816, 'slight from shopping': 773928, 'from shopping in': 337275, 'shopping in grocery': 762968, 'which wa full': 986444, 'of shopper not': 589644, 'shopper not socialdistancing': 761626, 'not socialdistancing theory': 571637, 'socialdistancing theory suggests': 780799, 'theory suggests building': 877865, 'suggests building aren': 817682, 'building aren properly': 142052, 'aren properly ventilated': 92488, 'properly ventilated to': 684217, 'ventilated to allow': 954507, 'allow the contaminated': 46071, 'the contaminated air': 851655, 'contaminated air from': 200649, 'air from the': 39748, 'from the breath': 337620, 'the breath of': 849983, 'breath of shopper': 139177, 'shopper to dissipate': 761761, 'panickbuyers': 639194, 'just feel': 468695, 'care it': 164033, 'weakest haven': 974120, 'stockpiled any': 803828, 'pig so': 656456, 'cupboard so': 220488, 'sit tight': 771844, 'tight and': 895819, 'best isolation': 127741, 'isolation panickbuyers': 455385, 'and just feel': 65701, 'just feel like': 468696, 'like the government': 491369, 'government doesn care': 360041, 'doesn care it': 251724, 'care it all': 164034, 'all about eliminating': 41917, 'about eliminating the': 25167, 'eliminating the weakest': 271492, 'the weakest haven': 871236, 'weakest haven stockpiled': 974121, 'haven stockpiled any': 383907, 'stockpiled any food': 803829, 'food because not': 313708, 'because not selfish': 119286, 'not selfish pig': 571520, 'selfish pig so': 748223, 'pig so hope': 656457, 'so hope there': 777321, 'hope there enough': 403695, 'my kid in': 548950, 'the cupboard so': 852578, 'cupboard so just': 220489, 'so just have': 777496, 'have to sit': 383302, 'to sit tight': 914686, 'sit tight and': 771845, 'tight and hope': 895820, 'the best isolation': 849521, 'best isolation panickbuyers': 127742, 'pandemic slashing': 636485, 'slashing demand': 773661, 'china model': 176827, 'impact platts': 417928, 'platts analytics': 659086, 'analytics chinese': 57214, 'chinese price': 177326, 'in race': 427231, 'bottom electricity': 136393, 'decline substantially': 231402, 'substantially full': 816073, 'pandemic slashing demand': 636486, 'slashing demand china': 773662, 'demand china model': 235138, 'china model for': 176828, 'model for impact': 535252, 'for impact platts': 322488, 'impact platts analytics': 417929, 'platts analytics chinese': 659087, 'analytics chinese price': 57215, 'chinese price in': 177327, 'price in race': 674721, 'in race to': 427232, 'race to the': 695207, 'the bottom electricity': 849905, 'bottom electricity demand': 136394, 'electricity demand decline': 271167, 'demand decline substantially': 235216, 'decline substantially full': 231403, 'substantially full story': 816074, 'raped': 696888, 'girl wa': 350290, 'wa raped': 963045, 'raped and': 696889, 'and killed': 65846, 'killed during': 474581, 'after her': 35781, 'her mother': 392199, 'mother reportedly': 543155, 'reportedly went': 712595, 'old girl wa': 598268, 'girl wa raped': 350291, 'wa raped and': 963046, 'raped and killed': 696890, 'and killed during': 65847, 'killed during the': 474582, '19 lockdown after': 8367, 'lockdown after her': 499106, 'after her mother': 35784, 'her mother reportedly': 392202, 'mother reportedly went': 543156, 'reportedly went out': 712596, 'store expert': 807686, 'answer food': 78050, 'grocery store expert': 365386, 'store expert answer': 807687, 'expert answer food': 291779, 'answer food question': 78051, 'food question about': 316102, 'question about covid': 693495, 'footpath': 318566, 'the footpath': 855660, 'footpath to': 318567, 'supermarket sure': 823069, 'sure wa': 827798, 'wa crowded': 961903, 'crowded today': 219370, 'socialdistancing canberra': 780274, 'canberra easterweekend': 160818, 'easterweekend canberra': 265615, 'canberra australian': 160814, 'australian capital': 103454, 'capital territory': 162692, 'the footpath to': 855661, 'footpath to the': 318568, 'the supermarket sure': 868836, 'supermarket sure wa': 823070, 'sure wa crowded': 827799, 'wa crowded today': 961905, 'crowded today socialdistancing': 219371, 'today socialdistancing canberra': 920201, 'socialdistancing canberra easterweekend': 780275, 'canberra easterweekend canberra': 160819, 'easterweekend canberra australian': 265616, 'canberra australian capital': 160815, 'australian capital territory': 103455, 'idec': 413302, 'heard some': 388134, 'some frightening': 782913, 'frightening projected': 334064, 'projected stats': 683567, 'usa please': 948716, 'guy take': 369164, 'precaution no': 669334, 'how silly': 408684, 'silly you': 769780, 'look just': 502448, 'wore bandana': 1004640, 'that effective': 843677, 'effective but': 269233, 'but better': 145294, 'people smiled': 649483, 'smiled kindly': 775758, 'kindly idec': 475140, 'heard some frightening': 388136, 'some frightening projected': 782914, 'frightening projected stats': 334065, 'projected stats for': 683568, 'stats for usa': 796620, 'for usa please': 327489, 'usa please guy': 948717, 'please guy take': 660045, 'guy take all': 369165, 'all the precaution': 44870, 'the precaution no': 864208, 'precaution no matter': 669336, 'matter how safe': 520574, 'how safe you': 408615, 'safe you think': 730168, 'are or how': 88831, 'or how silly': 615693, 'how silly you': 408685, 'silly you look': 769781, 'you look just': 1019698, 'look just wore': 502449, 'just wore bandana': 470336, 'wore bandana mask': 1004641, 'bandana mask in': 109378, 'in supermarket not': 428638, 'not all that': 568126, 'all that effective': 44636, 'that effective but': 843678, 'effective but better': 269234, 'but better than': 145295, 'than nothing people': 840951, 'nothing people smiled': 573139, 'people smiled kindly': 649484, 'smiled kindly idec': 775759, 'cystic': 224146, 'fibrosis': 304412, 'connect question': 194613, 'question submission': 693750, 'submission are': 815776, 'for tonight': 327277, 'tonight session': 924488, 'session but': 753271, 'still watch': 801391, 'important event': 418793, 'event live': 285015, 'connect sign': 194620, 'click cfa': 181890, 'cfa and': 170289, 'and cf': 59699, 'cf centre': 170279, 'centre director': 169487, 'director talk': 243672, 'and cystic': 60896, 'cystic fibrosis': 224147, 'than hour to': 840758, 'hour to go': 406025, 'to go consumer': 906785, 'go consumer connect': 353419, 'consumer connect question': 196939, 'connect question submission': 194614, 'question submission are': 693751, 'submission are full': 815777, 'are full for': 86726, 'full for tonight': 340604, 'for tonight session': 327279, 'tonight session but': 924489, 'session but you': 753272, 'can still watch': 159800, 'still watch this': 801392, 'watch this important': 968572, 'this important event': 888023, 'important event live': 418794, 'event live on': 285016, 'live on consumer': 495951, 'on consumer connect': 600035, 'consumer connect sign': 196941, 'connect sign in': 194621, 'sign in and': 769129, 'in and click': 420357, 'and click cfa': 59980, 'click cfa and': 181891, 'cfa and cf': 170290, 'and cf centre': 59700, 'cf centre director': 170280, 'centre director talk': 169488, 'director talk about': 243673, '19 and cystic': 5009, 'and cystic fibrosis': 60897, 'njtransit': 563487, 'many common': 513912, 'them properly': 876188, 'properly via': 684220, 'center disease': 169185, 'control prevention': 202108, 'prevention cnn': 671847, 'cnn fox': 184754, 'fox epa': 330751, 'epa cdc': 279283, 'cdc school': 168621, 'school clean': 741720, 'clean njtransit': 180587, 'njtransit virus': 563488, 'virus trump': 958948, 'trump california': 933454, 'california washington': 155601, 'washington disinfectant': 967772, 'many common household': 513913, 'common household cleaning': 189398, 'cleaning product can': 181025, 'kill the if': 474518, 'you use them': 1022006, 'use them properly': 949711, 'them properly via': 876190, 'properly via consumer': 684221, 'via consumer center': 955874, 'consumer center disease': 196755, 'center disease control': 169186, 'disease control prevention': 245118, 'control prevention cnn': 202109, 'prevention cnn fox': 671848, 'cnn fox epa': 184755, 'fox epa cdc': 330752, 'epa cdc school': 279284, 'cdc school clean': 168622, 'school clean njtransit': 741721, 'clean njtransit virus': 180588, 'njtransit virus trump': 563489, 'virus trump california': 958949, 'trump california washington': 933455, 'california washington disinfectant': 155602, 'every costumer': 285762, 'costumer is': 208378, 'mask bit': 518479, 'supermarket have to': 820711, 'line and every': 492946, 'and every costumer': 62371, 'every costumer is': 285763, 'costumer is wearing': 208379, 'wearing mask bit': 974684, 'mask bit scary': 518480, 'have bottle': 379821, 'ideally everyone should': 413291, 'everyone should have': 287376, 'should have bottle': 766064, 'have bottle of': 379822, 'sanitizer with them': 736142, 'with them at': 1001609, 'tp collector': 927782, 'collector is': 186570, 'next these': 561582, 'about tp collector': 26771, 'tp collector is': 927783, 'collector is that': 186571, 'when finally find': 983418, 'finally find tp': 305987, 'find tp at': 307352, 'to buy ton': 902325, 'buy ton since': 149386, 'know when it': 476998, 'be available next': 113758, 'available next these': 104505, 'next these stupid': 561583, 'stupid selfish asshole': 815458, 'selfish asshole are': 748006, 'asshole are creating': 96512, 'checkout he': 174928, 'his neighbour': 397637, 'neighbour be': 557184, 'let an': 486592, 'person go': 652443, 'wa already at': 961481, 'already at the': 47202, 'the checkout he': 850763, 'checkout he should': 174929, 'should be self': 765724, 'home not in': 401674, 'not in busy': 570085, 'busy supermarket he': 144975, 'supermarket he said': 820727, 'he wa shopping': 385616, 'wa shopping for': 963206, 'shopping for him': 762682, 'for him and': 322282, 'and his neighbour': 64606, 'his neighbour be': 397638, 'neighbour be kind': 557185, 'kind and please': 474809, 'and please let': 69109, 'please let an': 660176, 'let an elderly': 486593, 'elderly person go': 270846, 'person go to': 652444, 'the queue 19': 865032, 'projectkavach': 683585, 'before cooking': 122710, 'cooking the': 202918, 'alcohol present': 41073, 'present in': 670599, 'cause skin': 167735, 'skin burn': 773058, 'burn it': 142894, 'on visit': 605060, 'visit breakcorona': 959198, 'breakcorona projectkavach': 138827, 'careful when you': 164456, 'you are using': 1017279, 'are using hand': 91422, 'sanitizer before cooking': 734561, 'before cooking the': 122713, 'cooking the alcohol': 202919, 'the alcohol present': 848562, 'alcohol present in': 41074, 'present in it': 670601, 'in it can': 424230, 'can cause skin': 157886, 'cause skin burn': 167736, 'skin burn it': 773059, 'burn it is': 142895, 'is always safe': 445601, 'always safe to': 49734, 'safe to wash': 730062, 'soap before cooking': 778949, 'before cooking for': 122712, 'cooking for more': 202872, 'information on visit': 437927, 'on visit breakcorona': 605061, 'visit breakcorona projectkavach': 959199, 'fingerprint': 307831, 'my phone': 549756, 'phone can': 654934, 'longer recognize': 502035, 'my fingerprint': 548329, 'sanitizer so many': 735755, 'so many time': 777716, 'many time my': 514814, 'time my phone': 897248, 'my phone can': 549758, 'phone can no': 654935, 'no longer recognize': 564658, 'longer recognize my': 502036, 'recognize my fingerprint': 704644, 'you hasnt': 1019001, 'hasnt responded': 378809, 'responded are': 715343, 'you able': 1016768, 'to comment': 903065, 'why essential': 990981, 'aren also': 92317, 'being prioritised': 125579, 'prioritised supermarket': 678409, 'driver food': 259564, 'preparation staff': 670048, 'of equity': 583147, 'thank you hasnt': 841742, 'you hasnt responded': 1019002, 'hasnt responded are': 378810, 'responded are you': 715344, 'are you able': 91758, 'you able to': 1016769, 'able to comment': 24461, 'to comment on': 903066, 'comment on why': 188444, 'on why essential': 605309, 'why essential worker': 990982, 'essential worker aren': 281817, 'worker aren also': 1006440, 'aren also being': 92318, 'also being prioritised': 47956, 'being prioritised supermarket': 125580, 'prioritised supermarket driver': 678410, 'supermarket driver food': 820030, 'driver food preparation': 259565, 'food preparation staff': 315907, 'preparation staff all': 670049, 'staff all at': 792096, 'all at increased': 42080, 'at increased risk': 99283, 'increased risk not': 433457, 'not only of': 570810, 'only of equity': 610838, 'please lift': 660188, 'all parking': 43919, 'parking congestion': 642066, 'congestion charge': 194412, 'charge payment': 173306, 'key supermarket': 473405, 'please lift all': 660189, 'lift all parking': 489425, 'all parking congestion': 43920, 'parking congestion charge': 642067, 'congestion charge payment': 194413, 'charge payment for': 173307, 'payment for key': 645621, 'for key supermarket': 322828, 'key supermarket worker': 473406, 'worker while we': 1008191, 'are on lock': 88723, 'mass store': 519868, 'canada escalate': 160421, 'escalate significantly': 280260, 'significantly amid': 769546, 'pandemic hundred': 635665, 'monday and': 536247, 'and tuesday': 74516, 'tuesday of': 935172, 'hundred more': 410990, 'more expected': 539170, 'situation accelerates': 772161, 'mass store closure': 519869, 'in canada escalate': 421188, 'canada escalate significantly': 160422, 'escalate significantly amid': 280261, 'significantly amid covid': 769547, '19 pandemic hundred': 9355, 'pandemic hundred of': 635666, 'hundred of store': 411012, 'of store closed': 590245, 'store closed on': 807065, 'on monday and': 602158, 'monday and tuesday': 536248, 'and tuesday of': 74517, 'tuesday of this': 935173, 'week with hundred': 977265, 'with hundred more': 998915, 'hundred more expected': 410991, 'more expected to': 539172, 'expected to close': 290966, 'close on wednesday': 182738, 'wednesday the situation': 975696, 'the situation accelerates': 867240, 'pricegouging amazon': 677785, 'raising price pricegouging': 696124, 'price pricegouging amazon': 675996, 'worker brought': 1006545, 'brought me': 141175, 'toiletpaper community': 921871, 'co worker brought': 185014, 'worker brought me': 1006546, 'brought me toiletpaper': 141177, 'me toiletpaper community': 523811, 'and rough': 70600, 'rough prediction': 726256, 'prediction according': 669651, 'traffic increase': 929104, 'will gain': 993486, 'gain lot': 342787, 'lot increased': 504067, 'for tool': 327283, 'boost remote': 135002, 'in freefall': 423103, 'freefall but': 332406, 'technology remains': 836349, 'thought and rough': 892971, 'and rough prediction': 70601, 'rough prediction according': 726257, 'prediction according to': 669652, 'according to everyone': 28537, 'to everyone stay': 905351, 'stay home internet': 796976, 'internet traffic increase': 442036, 'traffic increase food': 929105, 'increase food retailer': 432773, 'retailer will gain': 719430, 'will gain lot': 993487, 'gain lot increased': 342788, 'lot increased demand': 504068, 'demand for tool': 235509, 'for tool and': 327284, 'service to boost': 752971, 'to boost remote': 901928, 'boost remote workflow': 135003, 'bitcoin is in': 131822, 'is in freefall': 448771, 'in freefall but': 423104, 'freefall but the': 332407, 'the technology remains': 869236, 'technology remains strong': 836350, 'german price': 346243, 'falling faster': 297261, 'other eu': 620188, 'eu economy': 283223, 'economy impact': 267954, 'impact seen': 417956, 'seen hurting': 747059, 'hurting industry': 411641, 'industry demand': 435770, 'industry us': 436201, 'us 44': 948499, 'german power': 346241, 'power more': 667641, 'german price falling': 346244, 'price falling faster': 673812, 'falling faster than': 297262, 'faster than in': 300124, 'in other eu': 426241, 'other eu economy': 620189, 'eu economy impact': 283224, 'economy impact seen': 267956, 'impact seen hurting': 417957, 'seen hurting industry': 747060, 'hurting industry demand': 411642, 'industry demand report': 435772, 'demand report by': 236131, 'report by industry': 711845, 'by industry us': 152917, 'industry us 44': 436202, 'us 44 of': 948500, '44 of german': 19012, 'of german power': 584109, 'german power more': 346242, 'power more than': 667642, 'watch resident': 968522, 'watch resident line': 968523, 'buy essential at': 148567, 'essential at grocery': 280804, 'soon happen': 785734, 'everywhere pay': 288244, 'read shed light': 700542, 'shed light in': 756510, 'light in on': 489532, 'on what could': 605218, 'could soon happen': 209692, 'soon happen to': 785735, 'lover everywhere pay': 505027, 'everywhere pay attention': 288245, 'some car': 782480, 'offering better': 595026, 'better discount': 128262, 'discount than': 244550, 'put fewer': 690577, 'fewer drive': 304207, 'drive on': 259112, 'street writes': 813186, 'some car insurance': 782481, 'are offering better': 88656, 'offering better discount': 595027, 'better discount than': 128263, 'discount than others': 244551, 'than others the': 841009, 'others the coronavirus': 621703, 'the coronavirus put': 851893, 'coronavirus put fewer': 206612, 'put fewer drive': 690578, 'fewer drive on': 304208, 'drive on the': 259113, 'the street writes': 868261, 'novel ha': 573781, 'forced mandatory': 328579, 'mandatory shutdown': 513059, 'store increasing': 808426, 'this increase': 888079, 'also caused': 48016, 'in credit': 421861, 'card scam': 163637, 'the novel ha': 861915, 'novel ha forced': 573782, 'ha forced mandatory': 370661, 'forced mandatory shutdown': 328580, 'mandatory shutdown of': 513061, 'shutdown of many': 768068, 'of many brick': 586170, 'mortar store increasing': 541841, 'store increasing the': 808427, 'increasing the rate': 433711, 'rate of online': 697321, 'shopping but this': 762258, 'but this increase': 147549, 'this increase in': 888081, 'online spending ha': 609411, 'spending ha also': 788824, 'ha also caused': 369521, 'also caused an': 48017, 'caused an uptick': 167821, 'uptick in credit': 947909, 'in credit card': 421862, 'credit card scam': 216348, 'card scam read': 163638, 'like cry': 490081, 'fucking stressful': 340016, 'stressful 19': 813477, 'one who feel': 607444, 'who feel like': 988733, 'feel like cry': 302705, 'like cry every': 490082, 'it so fucking': 461110, 'so fucking stressful': 777140, 'fucking stressful 19': 340017, 'are isolated': 87581, 'done for increasing': 254841, 'for increasing your': 322536, 'increasing your call': 433750, 'call price when': 156081, 'people are isolated': 647003, 'are isolated and': 87582, 'isolated and will': 454974, 'lockdownuknow it': 500448, 'it inevitable': 458788, 'inevitable now': 436397, 'people ignoring': 648330, 'ignoring advice': 415896, 'huge gathering': 410048, 'gathering because': 344448, 'weather it': 974882, 'holiday wake': 400377, 'and realise': 69997, 'realise this': 701614, 'lockdownuknow it inevitable': 500449, 'it inevitable now': 458789, 'inevitable now people': 436398, 'now people ignoring': 575531, 'people ignoring advice': 648331, 'ignoring advice and': 415897, 'advice and going': 33308, 'out and huge': 625672, 'and huge gathering': 64854, 'huge gathering because': 410049, 'gathering because of': 344449, 'of the weather': 591610, 'the weather it': 871256, 'weather it pandemic': 974883, 'pandemic not fucking': 636053, 'not fucking holiday': 569545, 'fucking holiday wake': 339899, 'holiday wake up': 400378, 'wake up people': 964628, 'up people and': 945755, 'people and realise': 646881, 'and realise this': 69998, 'realise this is': 701615, 'consumer behavior of': 196494, 'seamless': 743199, 'to amplify': 900433, 'amplify plan': 54906, 'give customer': 350447, 'customer seamless': 222802, 'seamless access': 743200, 'service whether': 753065, 'that direct': 843539, 'delivery shipment': 234485, 'store interaction': 808446, 'interaction read': 441260, 'on pwc': 603034, 'pwc covid': 691369, 'led some to': 485263, 'some to amplify': 784076, 'to amplify plan': 900434, 'amplify plan to': 54907, 'to give customer': 906680, 'give customer seamless': 350448, 'customer seamless access': 222803, 'seamless access to': 743201, 'access to their': 28290, 'to their service': 917265, 'their service whether': 874668, 'service whether that': 753066, 'whether that direct': 985574, 'that direct to': 843540, 'to consumer home': 903308, 'consumer home delivery': 197763, 'home delivery shipment': 401044, 'delivery shipment or': 234486, 'shipment or in': 758776, 'in store interaction': 428421, 'store interaction read': 808447, 'interaction read it': 441261, 'it here on': 458570, 'here on pwc': 393412, 'on pwc covid': 603035, 'pwc covid 19': 691370, 'covid 19 cfo': 212780, '19 world food': 12186, 'food price plummet': 315962, 'plummet in march': 661284, 'intro': 443372, 'on intro': 601608, 'intro of': 443373, 'combat and': 186982, 'congratulation to and': 194447, 'to and on': 900517, 'and on intro': 68061, 'on intro of': 601609, 'intro of regulation': 443374, 'of regulation to': 588897, 'regulation to impose': 708122, 'to impose restriction': 908196, 'restriction on price': 717347, 'item to combat': 463743, 'to combat and': 902986, 'combat and protect': 186984, 'and protect consumer': 69656, 'ottoman': 621927, 'synonymous': 831008, 'turkey unique': 935580, 'unique hand': 941982, 'hand sanitising': 375271, 'sanitising method': 734127, 'this ottoman': 889303, 'ottoman era': 621928, 'era cologne': 280031, 'cologne ha': 186684, 'been synonymous': 122123, 'synonymous with': 831009, 'with turkish': 1001862, 'turkish hospitality': 935597, 'hospitality sanitizer': 404795, 'sanitizer essentialoils': 734824, 'essentialoils culture': 281918, 'culture pandemic': 220305, 'pandemic cologne': 635171, 'kolonya travel': 477369, 'turkey unique hand': 935581, 'unique hand sanitising': 941983, 'hand sanitising method': 375272, 'sanitising method is': 734128, 'method is being': 529780, 'used to fight': 950054, 'fight for hundred': 304741, 'hundred of year': 411022, 'of year this': 593349, 'year this ottoman': 1015020, 'this ottoman era': 889304, 'ottoman era cologne': 621929, 'era cologne ha': 280032, 'cologne ha been': 186685, 'ha been synonymous': 369948, 'been synonymous with': 122124, 'synonymous with turkish': 831010, 'with turkish hospitality': 1001863, 'turkish hospitality sanitizer': 935598, 'hospitality sanitizer essentialoils': 404796, 'sanitizer essentialoils culture': 734825, 'essentialoils culture pandemic': 281919, 'culture pandemic cologne': 220306, 'pandemic cologne kolonya': 635172, 'cologne kolonya travel': 186687, 'breeder': 139276, 'antinatalism': 78541, 'overpopulation': 631382, 'empty breeder': 274814, 'breeder period': 139277, 'period antinatalism': 651713, 'antinatalism overpopulation': 78542, 'shelf empty breeder': 757016, 'empty breeder period': 274815, 'breeder period antinatalism': 139278, 'period antinatalism overpopulation': 651714, 'of flex': 583585, 'flex during': 310341, 'friend don': 333581, 'don because': 253376, 'because grocery': 119087, 'new type of': 559795, 'type of flex': 937558, 'of flex during': 583586, 'flex during is': 310342, 'during is talking': 262727, 'the food that': 855613, 'you have that': 1019127, 'have that your': 382954, 'that your friend': 847768, 'your friend don': 1023969, 'friend don because': 333582, 'don because grocery': 253377, 'because grocery store': 119088, 'team value': 835816, 'value were': 952237, 'game is': 343194, 'is 20': 445179, '20 shorter': 13345, 'team value were': 835817, 'value were always': 952238, 'were always going': 979320, 'drop the game': 260404, 'the game is': 856122, 'game is 20': 343195, 'is 20 shorter': 445180, 'coronavirus package': 206426, 'package hit': 633294, 'hit roadblock': 398389, 'roadblock amid': 724551, 'amid gop': 52489, 'gop opposition': 358264, 'new coronavirus package': 558548, 'coronavirus package hit': 206428, 'package hit roadblock': 633295, 'hit roadblock amid': 398390, 'roadblock amid gop': 724552, 'amid gop opposition': 52490, 'peterborough crime': 653548, 'crime gang': 216781, 'gang have': 343396, 'breaching coronavirus': 138369, 'rule police': 727327, 'police were': 663263, 'were called': 979417, 'king lynn': 475276, 'lynn after': 507126, 'of theft': 591635, 'theft stayhomesavelives': 872364, 'peterborough crime gang': 653549, 'crime gang have': 216782, 'gang have been': 343397, 'guilty of breaching': 368564, 'of breaching coronavirus': 580831, 'breaching coronavirus lockdown': 138370, 'coronavirus lockdown rule': 206251, 'lockdown rule police': 499871, 'rule police were': 727328, 'police were called': 663264, 'were called to': 979418, 'called to supermarket': 156475, 'supermarket in king': 820916, 'in king lynn': 424515, 'king lynn after': 475277, 'lynn after report': 507127, 'after report of': 36118, 'report of theft': 712129, 'of theft stayhomesavelives': 591636, 'theft stayhomesavelives protectthenhs': 872365, 'deceptively': 230826, 'overestimating': 631207, 'that indeed': 844500, 'indeed it': 433996, 'but deceptively': 145512, 'deceptively overestimating': 230829, 'overestimating it': 631208, 'do harm': 249363, 'harm rather': 378411, 'thread have': 893553, 'really been': 702018, 'first diagnosed': 308633, 'purrell is out': 690194, 'stock in your': 802285, 'your supermarket you': 1026071, 'supermarket you say': 824204, 'you say that': 1021003, 'say that indeed': 739239, 'that indeed it': 844501, 'indeed it is': 433997, 'it is challenge': 458900, 'challenge but deceptively': 171417, 'but deceptively overestimating': 145513, 'deceptively overestimating it': 230830, 'overestimating it would': 631209, 'it would do': 462588, 'would do harm': 1011765, 'do harm rather': 249364, 'harm rather than': 378412, 'rather than good': 697523, 'the thread have': 869509, 'thread have really': 893554, 'have really been': 382188, 'really been in': 702019, 'the air since': 848490, 'the first diagnosed': 855300, 'first diagnosed case': 308634, 'organize grocery': 619464, 'people confined': 647522, 'to spoke': 915028, 'community are using': 189743, 'medium to organize': 527329, 'to organize grocery': 911103, 'organize grocery shopping': 619465, 'shopping or help': 763543, 'or help with': 615626, 'help with other': 390920, 'with other basic': 999947, 'other basic need': 619876, 'need for people': 554863, 'for people confined': 324448, 'people confined to': 647523, 'their home due': 873559, 'due to spoke': 261967, 'to spoke with': 915029, 'spoke with to': 789757, 'with to find': 1001787, 'on care': 599827, 'home struggling': 402167, 'buying bloody': 150028, 'bloody hell': 133206, 'many selfish': 514675, 'on they re': 604582, 'they re reporting': 883110, 're reporting on': 699380, 'reporting on care': 712728, 'on care home': 599828, 'care home struggling': 164002, 'home struggling to': 402168, 'panic buying bloody': 637656, 'buying bloody hell': 150029, 'bloody hell there': 133207, 'hell there are': 389072, 'so many selfish': 777702, 'many selfish moron': 514677, 'selfish moron in': 748171, 'moron in this': 541601, 'this country please': 886964, 'country please stop': 210961, 'please stop it': 660580, 'mother we': 543197, 'reserve on': 714086, 'the retreat': 865747, 'retreat that': 719754, 'mother went': 543199, 'next fortnight': 561374, 'fortnight the': 329845, 'leader talk': 483545, 'buying affecting': 149864, 'affecting low': 34531, 'up in home': 945158, 'in home with': 423792, 'home with single': 402538, 'with single mother': 1000747, 'single mother we': 771342, 'mother we had': 543198, 'we had no': 971716, 'had no food': 373332, 'no food reserve': 564268, 'food reserve on': 316184, 'reserve on the': 714087, 'of the retreat': 591417, 'the retreat that': 865748, 'retreat that when': 719755, 'that when my': 847488, 'my mother went': 549346, 'mother went shopping': 543200, 'went shopping and': 979105, 'shopping and got': 761989, 'and got enough': 63849, 'got enough to': 358540, 'enough to eat': 277701, 'to eat and': 904866, 'eat and survive': 265848, 'and survive for': 72896, 'survive for the': 829172, 'the next fortnight': 861667, 'next fortnight the': 561376, 'fortnight the opposition': 329846, 'opposition leader talk': 613830, 'leader talk about': 483546, 'panic buying affecting': 637633, 'buying affecting low': 149865, 'affecting low income': 34532, 'westhoff': 980665, 'causing agricultural': 167985, 'agricultural price': 38902, 'and shaking': 71356, 'shaking confidence': 754465, 'confidence mu': 193918, 'mu director': 544657, 'director pat': 243658, 'pat westhoff': 643917, 'westhoff explores': 980666, 'his regular': 397743, 'regular column': 707753, 'like many sector': 490709, 'many sector of': 514671, 'economy is causing': 267992, 'is causing agricultural': 446414, 'causing agricultural price': 167986, 'agricultural price to': 38904, 'to fall and': 905622, 'fall and shaking': 296834, 'and shaking confidence': 71357, 'shaking confidence mu': 754466, 'confidence mu director': 193919, 'mu director pat': 544658, 'director pat westhoff': 243659, 'pat westhoff explores': 643918, 'westhoff explores the': 980667, 'explores the impact': 292534, 'impact in his': 417705, 'in his regular': 423735, 'his regular column': 397744, 'how insurance': 408072, 'are treating': 91196, 'bringing attention': 140146, 'having fair': 384059, 'fair last': 296346, 'night nice': 563035, 'ontario is taking': 611610, 'at how insurance': 99219, 'how insurance company': 408073, 'company are treating': 190458, 'are treating customer': 91197, 'treating customer during': 930990, 'you for bringing': 1018628, 'for bringing attention': 319796, 'bringing attention to': 140147, 'to this consumer': 917410, 'this consumer issue': 886843, 'consumer issue and': 197947, 'issue and for': 455664, 'and for having': 63139, 'for having fair': 322129, 'having fair last': 384060, 'fair last night': 296347, 'last night nice': 480385, 'night nice to': 563036, 'is paying attention': 450822, 'see attached': 744947, 'attached jhoots': 102043, 'jhoots statement': 465435, 'please see attached': 660449, 'see attached jhoots': 744948, 'attached jhoots statement': 102044, 'mask watch': 519504, 'not think you': 572093, 'need mask watch': 555214, 'mask watch this': 519505, 'long suspected': 501666, 'suspected it': 829526, 'people complaining': 647509, 'about panicbuying': 25923, 'panicbuying who': 639120, 'were causing': 979425, 'taking picture': 833504, 'shopping guess': 762816, 'long suspected it': 501667, 'suspected it wa': 829527, 'wa the people': 963462, 'the people complaining': 863464, 'people complaining about': 647510, 'complaining about panicbuying': 191890, 'about panicbuying who': 25924, 'panicbuying who were': 639121, 'who were causing': 989955, 'were causing the': 979426, 'causing the issue': 168117, 'the issue if': 858571, 'issue if you': 455797, 're taking picture': 699655, 'taking picture of': 833505, 'empty shelf when': 275108, 'shelf when you': 757790, 'out shopping guess': 627179, 'shopping guess what': 762817, 'hotelaura': 405216, 'drivesafe': 259872, 'driving make': 259974, 'sanitizer immediately': 735119, 'contaminating it': 200690, 'with germ': 998604, 'up along': 944267, 'way hotelaura': 969638, 'hotelaura staysafe': 405217, 'staysafe drivesafe': 798805, 'while driving make': 986775, 'driving make sure': 259975, 'hand sanitizer immediately': 375449, 'sanitizer immediately after': 735120, 'immediately after getting': 417050, 'after getting in': 35707, 'your car to': 1023140, 'car to avoid': 163318, 'avoid contaminating it': 105051, 'contaminating it with': 200691, 'it with germ': 462471, 'with germ you': 998605, 'germ you might': 346192, 'might have picked': 531019, 'picked up along': 655807, 'up along the': 944269, 'the way hotelaura': 871158, 'way hotelaura staysafe': 969639, 'hotelaura staysafe drivesafe': 405218, 'could profit': 209535, 'industry biotech': 435694, 'biotech gild': 131278, 'gild industry': 350110, 'biotech clx': 131274, 'clx industry': 184610, 'industry consumer': 435743, 'cost industry': 207983, 'industry safety': 436084, 'safety zm': 730793, 'zm industry': 1027655, 'industry technology': 436138, 'rng industry': 724365, 'that could profit': 843361, 'could profit from': 209536, 'profit from mrna': 682738, 'mrna industry biotech': 544445, 'industry biotech gild': 435696, 'biotech gild industry': 131279, 'gild industry biotech': 350111, 'industry biotech clx': 435695, 'biotech clx industry': 131275, 'clx industry consumer': 184611, 'industry consumer cost': 435744, 'consumer cost industry': 196989, 'cost industry retail': 207984, 'industry retail lake': 436082, 'lake industry safety': 479060, 'industry safety zm': 436085, 'safety zm industry': 730794, 'zm industry technology': 1027656, 'industry technology rng': 436139, 'technology rng industry': 836354, 'rng industry technology': 724366, 'toiling': 923459, 'relevant are': 709146, 'worker toiling': 1008030, 'toiling in': 923460, 'to harvest': 907182, 'who are relevant': 988206, 'are relevant are': 89562, 'relevant are the': 709147, 'are the health': 90841, 'care worker those': 164308, 'worker those in': 1007979, 'the worker toiling': 871764, 'worker toiling in': 1008031, 'toiling in the': 923461, 'the field to': 855152, 'field to harvest': 304527, 'to harvest our': 907183, 'our food the': 623136, 'food the grocery': 317117, 'response of consumption': 715767, 'sc saw': 739856, 'it half': 458442, 'year turnover': 1015054, 'turnover increase': 936009, 'increase despite': 432740, 'confidence regarding': 193939, 'sc saw it': 739857, 'saw it half': 738146, 'it half year': 458443, 'half year turnover': 374303, 'year turnover increase': 1015055, 'turnover increase despite': 936010, 'increase despite low': 432741, 'despite low level': 238773, 'low level of': 505383, 'consumer confidence regarding': 196914, 'confidence regarding the': 193940, 'many say': 514657, 'constant news': 195621, 'news cycle': 560357, 'cycle about': 224025, 'advertising provides': 33270, 'provides sense': 686892, 'normality or': 567456, 'even distraction': 284013, 'distraction and': 247902, 'and escape': 62233, 'many say that': 514658, 'say that in': 739238, 'that in constant': 844447, 'in constant news': 421673, 'constant news cycle': 195622, 'news cycle about': 560358, 'cycle about advertising': 224026, 'about advertising provides': 24766, 'advertising provides sense': 33271, 'provides sense of': 686893, 'sense of normality': 750561, 'of normality or': 587072, 'normality or even': 567457, 'or even distraction': 615197, 'even distraction and': 284014, 'distraction and escape': 247903, 'bill passed': 130650, 'sale roll': 732498, 'paper only': 640542, 'only used': 611411, 'used once': 949980, 'once toiletpaper': 605770, 'for sale roll': 325325, 'sale roll of': 732499, 'toilet paper only': 921378, 'paper only used': 640543, 'only used once': 611412, 'used once toiletpaper': 949981, 'gripe': 364047, 'little gripe': 495374, 'gripe that': 364048, 'in inclusive': 424006, 'inclusive they': 432264, 'black hair': 132067, 'hair product': 373998, 'product customer': 681104, 'service please': 752697, 'hair shop': 374005, 'just little gripe': 469171, 'little gripe that': 495375, 'gripe that going': 364049, 'supermarket during pandemic': 820054, 'during pandemic highlight': 262872, 'pandemic highlight how': 635630, 'highlight how in': 395924, 'how in inclusive': 408047, 'in inclusive they': 424007, 'inclusive they are': 432265, 'they are when': 881459, 'are when it': 91619, 'come to black': 187556, 'to black hair': 901833, 'black hair product': 132068, 'hair product customer': 373999, 'product customer service': 681106, 'customer service please': 222830, 'service please look': 752699, 'into this black': 443211, 'this black hair': 886567, 'black hair shop': 132069, 'hair shop are': 374006, 'now closed for': 574401, 'sew': 754143, 'please lower': 660214, 'lower sewing': 505993, 'sewing machine': 754178, 'machine price': 507397, 'and sew': 71347, 'sew mask': 754144, 'worker ppe': 1007622, 'please lower sewing': 660215, 'lower sewing machine': 505994, 'sewing machine price': 754179, 'machine price so': 507398, 'price so more': 676510, 'more people can': 540010, 'can buy them': 157841, 'buy them and': 149323, 'them and sew': 875396, 'and sew mask': 71348, 'sew mask for': 754145, 'healthcare worker ppe': 387376, 'worker ppe mask': 1007623, 'everyone you': 287647, 'safe everyone you': 729654, 'everyone you can': 287648, 'county supermarket': 211499, 'coronavirus last': 206203, 'last worked': 480712, '17th worker': 4475, 'contact are': 200020, 'under self': 940243, 'employee at delaware': 273643, 'at delaware county': 98419, 'delaware county supermarket': 232652, 'county supermarket test': 211500, 'the coronavirus last': 851876, 'coronavirus last worked': 206204, 'last worked at': 480713, 'store on march': 809197, 'on march 17th': 602013, 'march 17th worker': 515105, '17th worker who': 4476, 'worker who came': 1008196, 'who came into': 988365, 'came into contact': 157022, 'into contact are': 442484, 'contact are under': 200022, 'are under self': 91284, 'under self quarantine': 940245, 'quarantine for 14': 692197, 'petrolprice if': 653855, 'that international': 844527, 'rand loss': 696575, 'loss this': 503791, 'massive saving': 520096, 'saving at': 737847, 'pump from': 689048, 'petrolprice if there': 653856, 'crisis it that': 217610, 'it that international': 461491, 'that international oil': 844528, 'plummeted and despite': 661329, 'despite the rand': 238897, 'the rand loss': 865136, 'rand loss this': 696576, 'loss this is': 503792, 'this is set': 888394, 'result in massive': 717537, 'in massive saving': 425185, 'massive saving at': 520097, 'saving at the': 737848, 'the pump from': 864901, 'pump from april': 689049, 'xxmi': 1013933, 'bloggs': 133075, 'xxmi not': 1013934, 'medium are': 527003, 'largely right': 479868, 'wing hoping': 995978, 'will realise': 994573, 'realise what': 701618, 'actually important': 30844, 'it hedge': 458528, 'it joe': 459199, 'joe bloggs': 466409, 'xxmi not going': 1013935, 'happen the british': 377163, 'british medium are': 140542, 'medium are largely': 527004, 'are largely right': 87714, 'largely right wing': 479869, 'right wing hoping': 722427, 'wing hoping that': 995979, 'hoping that covid': 403939, 'will be tipping': 992728, 'tipping point and': 898990, 'point and people': 662417, 'and people will': 68892, 'people will realise': 650406, 'will realise what': 994574, 'realise what is': 701619, 'what is actually': 981675, 'is actually important': 445333, 'actually important in': 30845, 'important in life': 418833, 'in life is': 424708, 'life is it': 488810, 'is it hedge': 449028, 'it hedge fund': 458529, 'fund manager in': 341457, 'city or is': 179311, 'is it joe': 449033, 'it joe bloggs': 459200, 'disciplined': 244367, 'retail keep': 718259, 'stock back': 801901, 'older customer': 598590, 'such frank': 816505, 'frank come': 331142, 'his bread': 397254, 'empty shelve': 275116, 'shelve say': 758040, 'worry pal': 1010758, 'pal ve': 634557, 've saved': 953516, 'saved you': 737764, 'you same': 1020982, 'same pat': 733206, 'pat her': 643915, 'her bean': 391877, 'bean could': 118309, 'get disciplined': 346884, 'disciplined yes': 244370, 'do care': 249179, 'care no': 164076, 'no ve': 565829, 'in retail keep': 427459, 'retail keep stock': 718260, 'keep stock back': 471968, 'stock back for': 801902, 'back for our': 106993, 'our older customer': 624129, 'older customer so': 598591, 'customer so when': 222863, 'so when such': 778731, 'when such frank': 984090, 'such frank come': 816506, 'frank come in': 331143, 'store for his': 807811, 'for his bread': 322297, 'his bread and': 397255, 'bread and he': 138399, 'and he see': 64325, 'he see empty': 385408, 'see empty shelve': 745076, 'empty shelve say': 275117, 'shelve say don': 758041, 'say don worry': 738591, 'don worry pal': 254085, 'worry pal ve': 1010759, 'pal ve saved': 634558, 've saved you': 953518, 'saved you same': 737765, 'you same pat': 1020983, 'same pat her': 733207, 'pat her bean': 643916, 'her bean could': 391878, 'bean could get': 118310, 'could get disciplined': 209200, 'get disciplined yes': 346885, 'disciplined yes do': 244371, 'yes do care': 1015416, 'do care no': 249182, 'care no ve': 164077, 'no ve got': 565830, 'saw child': 738082, 'under month': 940166, 'month old': 537917, 'wa inside': 962410, 'trolley security': 932462, 'security didnt': 744577, 'didnt stop': 241275, 'stop them': 805164, 'these parent': 880401, 'shopping at asda': 762084, 'asda and time': 94910, 'and time saw': 74121, 'time saw child': 897614, 'saw child under': 738083, 'child under month': 176241, 'under month old': 940167, 'month old in': 537919, 'old in the': 598302, 'supermarket wa inside': 823701, 'wa inside the': 962411, 'inside the trolley': 439424, 'the trolley security': 870009, 'trolley security didnt': 932463, 'security didnt stop': 744578, 'didnt stop them': 241276, 'stop them what': 805166, 'them what is': 876601, 'with these parent': 1001650, 'the protect': 864705, 'vulnerable among': 960850, 'among mentalhealth': 53024, 'for scammer taking': 325371, 'surrounding the protect': 828776, 'the protect the': 864706, 'protect the most': 684977, 'most vulnerable among': 542866, 'vulnerable among mentalhealth': 960851, 'see clean': 744998, 'energy transition': 276609, 'transition continuing': 929666, 'continuing after': 201520, 'after impact': 35814, 'impact subside': 417976, 'subside many': 815944, 'many large': 514225, 'large power': 479752, 'power consumer': 667586, '100 clean': 1859, 'energy goal': 276467, 'goal european': 354565, 'european power': 283599, 'rebound story': 703327, 'see clean energy': 744999, 'clean energy transition': 180523, 'energy transition continuing': 276610, 'transition continuing after': 929667, 'continuing after impact': 201521, 'after impact subside': 35815, 'impact subside many': 417977, 'subside many large': 815945, 'many large power': 514226, 'large power consumer': 479753, 'power consumer have': 667587, 'consumer have 100': 197705, 'have 100 clean': 379067, '100 clean energy': 1860, 'clean energy goal': 180521, 'energy goal european': 276468, 'goal european power': 354566, 'european power price': 283601, 'power price will': 667668, 'will rebound story': 994586, 'remain to': 709888, 'corporate confidence': 207250, 'management perspective': 512611, 'perspective the': 653235, 'question remain to': 693717, 'remain to the': 709890, 'community and what': 189732, 'spending pattern and': 788946, 'pattern and corporate': 644448, 'and corporate confidence': 60578, 'corporate confidence here': 207251, 'asset management perspective': 96443, 'management perspective the': 512612, 'perspective the market': 653237, 'the market react': 860147, 'push and': 690241, 'better work': 128611, 'potential victim': 667170, 'victim compensation': 956460, 'great piece the': 362890, 'piece the son': 656371, 'son of 60': 785420, 'of 60 grocery': 579644, 'store worker what': 811621, 'worker what can': 1008174, 'do to push': 250399, 'to push and': 912566, 'push and to': 690242, 'pay better work': 644779, 'better work condition': 128612, 'work condition and': 1004997, 'and potential victim': 69264, 'potential victim compensation': 667171, 'victim compensation fund': 956461, '30days': 17444, 'loom is': 503097, 'back price': 107233, 'response through': 715819, 'through july': 894543, 'july loom': 467816, 'loom ha': 503093, 'the recording': 865366, 'recording limit': 705130, 'free plan': 332066, 'plan cut': 658099, 'of pro': 588450, 'pro in': 679114, 'half extended': 374164, 'extended trial': 293205, 'trial to': 931660, 'to 30days': 899680, '30days we': 17445, 'and recommend': 70050, 'recommend 100': 704681, '100 remoteworking': 2062, 'remoteworking communication': 710795, 'loom is cutting': 503098, 'is cutting back': 447011, 'cutting back price': 223713, 'back price response': 107235, 'price response through': 676197, 'response through july': 715820, 'through july loom': 894544, 'july loom ha': 467817, 'loom ha removed': 503094, 'ha removed the': 371720, 'removed the recording': 710881, 'the recording limit': 865367, 'recording limit on': 705131, 'limit on their': 492431, 'on their free': 604483, 'their free plan': 873372, 'free plan cut': 332067, 'plan cut the': 658100, 'price of pro': 675543, 'of pro in': 588451, 'pro in half': 679115, 'in half extended': 423510, 'half extended trial': 374165, 'extended trial to': 293206, 'trial to 30days': 931661, 'to 30days we': 899681, '30days we use': 17446, 'we use it': 973614, 'use it and': 949298, 'it and recommend': 456510, 'and recommend 100': 70051, 'recommend 100 remoteworking': 704682, '100 remoteworking communication': 2063, 'sustainabilitystartswithyou': 829783, 'another result': 77800, 'planet the': 658427, 'make have': 509965, 'consequence would': 194889, 'your alternative': 1022770, 'alternative we': 49280, 'your journey': 1024540, 'journey forever': 467478, 'forever free': 329115, 'free sustainabilitystartswithyou': 332203, 'yet another result': 1015999, 'another result of': 77801, 'result of how': 717596, 'how we human': 409176, 'we human interact': 972047, 'human interact with': 410527, 'interact with our': 441210, 'with our planet': 1000012, 'our planet the': 624358, 'planet the choice': 658428, 'the choice we': 850879, 'we make have': 972336, 'make have consequence': 509966, 'have consequence would': 380075, 'consequence would you': 194890, 'know your alternative': 477096, 'your alternative we': 1022771, 'alternative we re': 49282, 'here to guide': 393714, 'to guide you': 907074, 'guide you on': 368380, 'on your journey': 605475, 'your journey forever': 1024541, 'journey forever free': 467479, 'forever free sustainabilitystartswithyou': 329116, 'new dining': 558633, 'room set': 725964, 'set from': 753381, 'from stickley': 337418, 'stickley will': 800118, 'bring new': 140033, 'new dining room': 558634, 'dining room set': 243028, 'room set from': 725965, 'set from stickley': 753382, 'from stickley will': 337419, 'stickley will bring': 800119, 'will bring new': 992857, 'bring new life': 140034, 'new life to': 559031, 'life to your': 489140, 'your home due': 1024349, 'bourban': 136892, 'sheepish': 756555, 'made note': 507873, 'note last': 572747, 'after observing': 35974, 'observing two': 578666, 'two middle': 937050, 'aged men': 37952, 'men sitting': 528525, 'sitting independently': 772127, 'independently supermarket': 434163, 'driver seat': 259738, 'seat of': 743512, 'car late': 163159, 'late afternoon': 480847, 'afternoon both': 36679, 'both drinking': 135896, 'drinking out': 258937, 'of bourban': 580806, 'bourban mixture': 136893, 'mixture can': 534665, 'can both': 157778, 'both looking': 135963, 'looking sheepish': 502997, 'sheepish not': 756556, 'good prognosis': 357595, 'prognosis for': 683185, 'made note last': 507874, 'note last week': 572748, 'week after observing': 975826, 'after observing two': 35975, 'observing two middle': 578667, 'two middle aged': 937051, 'middle aged men': 530617, 'aged men sitting': 37953, 'men sitting independently': 528526, 'sitting independently supermarket': 772128, 'independently supermarket park': 434164, 'supermarket park in': 821927, 'in the driver': 429151, 'the driver seat': 853699, 'driver seat of': 259739, 'seat of their': 743513, 'their car late': 872725, 'car late afternoon': 163160, 'late afternoon both': 480848, 'afternoon both drinking': 36680, 'both drinking out': 135897, 'drinking out of': 258938, 'out of bourban': 626687, 'of bourban mixture': 580807, 'bourban mixture can': 136894, 'mixture can both': 534666, 'can both looking': 157780, 'both looking sheepish': 135964, 'looking sheepish not': 502998, 'sheepish not good': 756557, 'not good prognosis': 569727, 'good prognosis for': 357596, 'dispense': 246128, 'zhenrobotics': 1027549, 'for robot': 325247, 'increasing amid': 433546, 'outbreak method': 628451, 'and dispense': 61473, 'dispense hand': 246129, 'to beijing': 901730, 'beijing based': 124784, 'based zhenrobotics': 111781, 'zhenrobotics quick': 1027550, 'demand for robot': 235491, 'for robot is': 325248, 'robot is increasing': 724799, 'is increasing amid': 448851, 'increasing amid the': 433547, 'the outbreak method': 862664, 'outbreak method to': 628452, 'method to deliver': 529796, 'to deliver grocery': 904101, 'deliver grocery and': 233142, 'grocery and dispense': 364233, 'and dispense hand': 61474, 'dispense hand sanitizer': 246130, 'according to beijing': 28521, 'to beijing based': 901731, 'beijing based zhenrobotics': 124785, 'based zhenrobotics quick': 111782, 'zhenrobotics quick take': 1027551, 'angel dropping': 76305, 'supermarket notallheroeswearcapes': 821653, 'thankyou to my': 842361, 'my very own': 550494, 'very own super': 955406, 'super angel dropping': 818468, 'angel dropping off': 76306, 'dropping off bag': 260707, 'full day in': 340555, 'day in very': 227813, 'in very busy': 430564, 'busy supermarket notallheroeswearcapes': 144978, 'tramp': 929394, 'apocalypsepaper': 81588, 'toiletpapermemes': 923190, 'the tramp': 869892, 'tramp remake': 929395, 'remake facebook': 710091, 'instagram twitter': 439980, 'twitter apocalypsepaper': 936634, 'apocalypsepaper toiletpaper': 81589, 'toiletpapercrisis toiletpapermemes': 923109, 'toiletpapermemes stockingup': 923191, 'lady and the': 478735, 'and the tramp': 73622, 'the tramp remake': 869893, 'tramp remake facebook': 929396, 'remake facebook instagram': 710092, 'facebook instagram twitter': 294944, 'instagram twitter apocalypsepaper': 439981, 'twitter apocalypsepaper toiletpaper': 936635, 'apocalypsepaper toiletpaper toiletpapercrisis': 81590, 'toiletpapercrisis toiletpaperchallenge toiletpapercrisis': 923096, 'toiletpaperchallenge toiletpapercrisis toiletpapermemes': 922987, 'toiletpapercrisis toiletpapermemes stockingup': 923110, 'vbid': 952771, 'highvaluecare': 396139, 'lowvaluecare': 506263, 'fostering': 330107, 'state medicaid': 795767, 'medicaid program': 526023, 'program cover': 683233, 'and account': 57600, 'large portion': 479750, 'budget vbid': 141828, 'vbid can': 952772, 'can enhance': 158220, 'enhance the': 277084, 'of highvaluecare': 584620, 'highvaluecare and': 396140, 'reduce lowvaluecare': 705872, 'lowvaluecare while': 506264, 'while fostering': 986854, 'fostering consumer': 330108, 'consumer engagement': 197365, 'engagement learn': 276900, 'state medicaid program': 795768, 'medicaid program cover': 526024, 'program cover our': 683234, 'cover our most': 212276, 'vulnerable citizen and': 960910, 'citizen and account': 178828, 'and account for': 57601, 'account for large': 28668, 'for large portion': 322887, 'large portion of': 479751, 'portion of state': 665023, 'of state budget': 590065, 'state budget vbid': 795439, 'budget vbid can': 141829, 'vbid can enhance': 952773, 'can enhance the': 158221, 'enhance the use': 277085, 'use of highvaluecare': 949414, 'of highvaluecare and': 584621, 'highvaluecare and reduce': 396141, 'and reduce lowvaluecare': 70097, 'reduce lowvaluecare while': 705873, 'lowvaluecare while fostering': 506265, 'while fostering consumer': 986855, 'fostering consumer engagement': 330109, 'consumer engagement learn': 197367, 'engagement learn more': 276901, 'moong': 538340, 'urad': 948084, 'tur': 935486, 'chana': 171695, 'masoor': 519721, 'matar': 520265, 'india major': 434514, 'pulse in': 688979, 'of stricter': 590303, 'stricter control': 813660, '19 gram': 7275, 'gram lentil': 361827, 'lentil pea': 486375, 'bean moong': 118339, 'moong urad': 538341, 'urad tur': 948085, 'tur chana': 935487, 'chana masoor': 171696, 'masoor matar': 519722, 'consumer in some': 197834, 'some of india': 783398, 'of india major': 585110, 'india major city': 434515, 'major city are': 509263, 'city are rushing': 179063, 'rushing to stock': 728398, 'on food essential': 600861, 'food essential including': 314381, 'essential including pulse': 281165, 'including pulse in': 432124, 'pulse in anticipation': 688980, 'anticipation of stricter': 78496, 'of stricter control': 590304, 'stricter control to': 813661, 'control to combat': 202196, 'covid 19 gram': 213163, '19 gram lentil': 7276, 'gram lentil pea': 361828, 'lentil pea bean': 486376, 'pea bean moong': 645977, 'bean moong urad': 118340, 'moong urad tur': 538342, 'urad tur chana': 948086, 'tur chana masoor': 935488, 'chana masoor matar': 171697, 'the panicked': 863242, 'vegetable if': 954007, 'waste some': 968189, 'food past': 315823, 'past expiration': 643537, 'date shame': 226724, 'all the panicked': 44856, 'the panicked shopper': 863244, 'panicked shopper who': 639293, 'shopper who stock': 761830, 'up on milk': 945591, 'on milk meat': 602125, 'milk meat or': 531725, 'meat or vegetable': 525683, 'or vegetable if': 617652, 'vegetable if you': 954008, 'if you waste': 415557, 'you waste some': 1022183, 'waste some of': 968190, 'that food past': 843913, 'food past expiration': 315824, 'past expiration date': 643538, 'expiration date shame': 292045, 'date shame on': 226725, 'on you 19': 605408, 'you 19 coronapocolypse': 1016748, 'worm': 1010448, 'supermarket ear': 820068, 'ear worm': 264407, 'worm be': 1010449, 'warned you': 967057, 'to dance': 903908, 'socialdistancing supermarket ear': 780772, 'supermarket ear worm': 820069, 'ear worm be': 264408, 'worm be warned': 1010450, 'be warned you': 118045, 'warned you will': 967058, 'you will want': 1022362, 'want to dance': 966022, 'those illustration': 892083, 'illustration somewhere': 416465, 'pretty sure ve': 671512, 'sure ve seen': 827797, 've seen those': 953552, 'seen those illustration': 747321, 'those illustration somewhere': 892084, 'exempt one': 289981, 'india housing': 434454, 'action or': 30102, 'or penalty': 616532, 'penalty people': 646447, 'pay pls': 645046, 'pls exempt one': 661135, 'exempt one month': 289982, 'one month emi': 606680, 'of india housing': 585106, 'india housing loan': 434455, 'housing loan consumer': 407093, 'loan consumer loan': 497418, 'any action or': 78895, 'action or penalty': 30103, 'or penalty people': 616534, 'penalty people are': 646448, 'to pay pls': 911551, 'have morrison': 381510, 'morrison increasing': 541727, 'stockpiled have': 803846, 'be valid': 117956, 'valid customer': 951908, 'customer shame': 222840, 'we have morrison': 971871, 'have morrison increasing': 381511, 'morrison increasing price': 541728, 'increasing price so': 433680, 'price so all': 676499, 'so all the': 776479, 'all the one': 44849, 'one that haven': 607179, 'that haven stockpiled': 844247, 'haven stockpiled have': 383909, 'stockpiled have to': 803847, 'at the increase': 100987, 'the increase price': 858068, 'increase price nice': 433007, 'price nice to': 675339, 'nice to be': 562485, 'to be valid': 901619, 'be valid customer': 117957, 'valid customer shame': 951909, 'customer shame on': 222841, 'you profiteering from': 1020451, 'some ya': 784238, 'ya fantasy': 1013988, 'need some ya': 555603, 'some ya fantasy': 784239, 'ya fantasy novel': 1013989, 'newyorkcity and': 561208, 'store newyork': 809068, 're in newyorkcity': 698876, 'in newyorkcity and': 425855, 'newyorkcity and need': 561209, 'and need someone': 67481, 'someone to run': 784707, 'grocery store newyork': 365592, 'spring could': 791193, 'fall another': 296839, 'another 50': 77482, 'gallon with': 343070, 'with declining': 997948, 'declining demand': 231467, 'price in colorado': 674674, 'in colorado spring': 421569, 'colorado spring could': 186810, 'spring could fall': 791194, 'could fall another': 209163, 'fall another 50': 296840, 'another 50 cent': 77483, '50 cent gallon': 19651, 'cent gallon with': 169066, 'gallon with declining': 343071, 'with declining demand': 997949, 'declining demand via': 231470, 'information note': 437902, 'note on': 572776, 'on implication': 601506, 'information note on': 437903, 'note on implication': 572777, 'on implication of': 601507, 'antioch': 78543, 'antioch grocery': 78544, 'antioch grocery store': 78545, 'store temporarily close': 810522, 'temporarily close after': 837446, 'after employee infected': 35619, 'cool always': 202981, 'in walking': 430664, 'dead episode': 229145, 'episode walkingdead': 279556, 'walkingdead apocalypse': 965130, 'apocalypse apocalypse2020': 81510, 'apocalypse2020 stophoarding': 81583, 'stophoarding soldout': 805467, 'soldout grocerystores': 781843, 'grocerystores grocery': 366364, 'cool always wanted': 202982, 'be in walking': 115448, 'in walking dead': 430665, 'walking dead episode': 965042, 'dead episode walkingdead': 229146, 'episode walkingdead apocalypse': 279557, 'walkingdead apocalypse apocalypse2020': 965131, 'apocalypse apocalypse2020 stophoarding': 81511, 'apocalypse2020 stophoarding soldout': 81584, 'stophoarding soldout grocerystores': 805468, 'soldout grocerystores grocery': 781844, 'rainbow boulevard': 695765, 'worked at retail': 1006101, 'on rainbow boulevard': 603070, 'answer legal': 78069, 'legal question': 485887, 'work finance': 1005125, 'finance consumer': 306178, 'business problem': 144261, 'problem online': 679638, 'answer legal question': 78070, 'legal question related': 485888, 'impact on work': 417901, 'on work finance': 605365, 'work finance consumer': 1005126, 'finance consumer small': 306181, 'small business problem': 774888, 'business problem online': 144262, 'problem online at': 679639, 'is fundamentally': 447985, 'fundamentally changing': 341571, 'changing how': 172725, 'is accelerating': 445307, 'accelerating immense': 27909, '19 is fundamentally': 7974, 'is fundamentally changing': 447986, 'fundamentally changing how': 341572, 'changing how and': 172726, 'how and what': 407363, 'and what consumer': 75456, 'what consumer buy': 981250, 'consumer buy and': 196691, 'buy and is': 148322, 'and is accelerating': 65388, 'is accelerating immense': 445309, 'isolationselfegodriven': 455548, 'of heroic': 584597, 'heroic act': 394194, 'by nh': 153331, 'servant and': 751831, 'employee do': 273779, 'celebrity to': 168905, 'are isolationselfegodriven': 87587, 'isolationselfegodriven coronacrisis': 455549, 'context of heroic': 200912, 'of heroic act': 584598, 'heroic act by': 394195, 'act by nh': 29611, 'by nh worker': 153332, 'civil servant and': 179541, 'servant and supermarket': 751832, 'supermarket employee do': 820116, 'employee do we': 273780, 'need celebrity to': 554597, 'celebrity to post': 168906, 'to post about': 911906, 'they are isolationselfegodriven': 881316, 'are isolationselfegodriven coronacrisis': 87588, 'isolationselfegodriven coronacrisis pipedown': 455550, 'citydia': 179476, 'citydia wa': 179477, 'ghana to': 349592, 'implement measure': 418395, 'citydia wa the': 179478, 'first supermarket chain': 309042, 'chain in ghana': 170805, 'in ghana to': 423308, 'ghana to implement': 349593, 'to implement measure': 908171, 'implement measure in': 418396, 'measure in our': 525229, '19 and to': 5127, 'limbaugh': 492242, 'scarborough': 740766, 'hey rush': 394500, 'rush limbaugh': 728306, 'limbaugh why': 492243, 'publix and': 688743, 'today joe': 919751, 'joe scarborough': 466435, 'scarborough senior': 740769, 'senior with': 750453, 'with stage': 1000937, 'stage lung': 793198, 'cancer joe': 161260, 'hey rush limbaugh': 394501, 'rush limbaugh why': 728307, 'limbaugh why do': 492244, 'not you go': 572611, 'your local publix': 1024714, 'local publix and': 498319, 'publix and grab': 688744, 'and grab some': 63906, 'grab some grocery': 361534, 'some grocery you': 783010, 'do it today': 249519, 'it today joe': 461771, 'today joe scarborough': 919752, 'joe scarborough senior': 466436, 'scarborough senior with': 740770, 'senior with stage': 750454, 'with stage lung': 1000938, 'stage lung cancer': 793199, 'lung cancer joe': 506787, 'grocerystoreworkers are': 366389, 'new pressure': 559338, 'grocerystoreworkers are under': 366390, 'are under new': 91281, 'under new pressure': 940172, 'new pressure in': 559339, 'the by via': 850248, 'wisconsin supreme': 996635, 'court ruled': 212007, 'ruled that': 727430, 'tomorrow election': 924071, 'will proceed': 994470, 'proceed scheduled': 679834, 'scheduled vote': 741527, 'justice daniel': 470406, 'daniel kelly': 225823, 'kelly tomorrow': 472725, 'the wisconsin supreme': 871625, 'wisconsin supreme court': 996636, 'supreme court ruled': 827434, 'court ruled that': 212008, 'ruled that tomorrow': 727431, 'that tomorrow election': 847087, 'tomorrow election will': 924072, 'election will proceed': 271077, 'will proceed scheduled': 994471, 'proceed scheduled vote': 679835, 'scheduled vote for': 741528, 'vote for justice': 960484, 'for justice daniel': 322799, 'justice daniel kelly': 470407, 'daniel kelly tomorrow': 225824, 'kelly tomorrow and': 472726, 'tomorrow and be': 924022, 'scam 19': 739955, 'what ftc': 981475, '19 scam 19': 10332, 'scam 19 coronavirus': 739956, 'scam what ftc': 740473, 'morneau': 541121, 'finance bill': 306169, 'bill morneau': 130624, 'morneau say': 541122, 'ha spoken': 372024, 'spoken with': 789770, 'maintain fair': 508963, 'minister of finance': 533426, 'of finance bill': 583528, 'finance bill morneau': 306170, 'bill morneau say': 130625, 'morneau say he': 541123, 'he ha spoken': 385035, 'ha spoken with': 372025, 'spoken with grocery': 789771, 'will maintain fair': 994069, 'maintain fair price': 508964, 'fair price for': 296371, 'aec': 33871, 'total unemployment': 926265, 'claim swell': 179828, 'swell to': 830303, 'week 10': 975785, 'of workforce': 593290, 'workforce consumer': 1008347, 'index take': 434247, 'big dive': 129761, 'dive post': 248503, 'surge will': 828279, 'much unemployment': 545417, 'and decrease': 61029, 'for aec': 319052, 'aec and': 33872, 'and gi': 63638, 'gi service': 349719, 'many patient': 514479, 'lose healthcare': 503437, 'healthcare drug': 387086, 'total unemployment claim': 926266, 'unemployment claim swell': 941186, 'claim swell to': 179829, 'swell to 16': 830304, 'to 16 million': 899517, '16 million in': 4134, 'million in last': 532193, 'in last week': 424606, 'last week 10': 480625, 'week 10 of': 975787, '10 of workforce': 1574, 'of workforce consumer': 593291, 'workforce consumer index': 1008348, 'consumer index take': 197847, 'index take big': 434248, 'take big dive': 831990, 'big dive post': 129763, 'dive post covid': 248504, 'covid 19 surge': 213895, '19 surge will': 10986, 'surge will have': 828280, 'will have much': 993654, 'have much unemployment': 381536, 'much unemployment and': 545418, 'unemployment and decrease': 941155, 'and decrease in': 61030, 'decrease in demand': 231573, 'demand for aec': 235372, 'for aec and': 319053, 'aec and gi': 33873, 'and gi service': 63639, 'gi service many': 349720, 'service many patient': 752579, 'many patient will': 514480, 'patient will lose': 644307, 'will lose healthcare': 994051, 'lose healthcare drug': 503438, 'healthcare drug coverage': 387087, 'hoarding explained': 399287, 'tp hoarding explained': 927841, 'since first': 770599, 'first started': 309016, 'started driving': 794726, 'late 1980': 480835, '1980 the': 12444, 'with glut': 998627, 'aren driving': 92384, 'driving he': 259946, 'off mechanic': 593969, 'mechanic and': 525834, 'low since first': 505607, 'since first started': 770600, 'first started driving': 309017, 'started driving in': 794727, 'driving in the': 259956, 'in the late': 429308, 'the late 1980': 859064, 'late 1980 the': 480836, '1980 the owner': 12445, 'the owner tell': 862813, 'me he just': 522873, 'he just reduced': 385166, 'reduced price this': 706156, 'price this morning': 676916, 'morning with glut': 541548, 'with glut of': 998629, 'glut of supply': 353109, 'of supply now': 590489, 'supply now that': 825607, 'now that people': 576013, 'that people aren': 845687, 'people aren driving': 647122, 'aren driving he': 92385, 'driving he ha': 259947, 'ha to lay': 372307, 'to lay off': 909111, 'lay off mechanic': 482603, 'off mechanic and': 593970, 'mechanic and attendant': 525835, 'chain their': 171174, 'doing twice': 252813, 'twice the': 936543, 'national working': 552643, 'essential available': 280809, 'available massive': 104486, 'massive respect': 520081, 'me the unsung': 523664, 'crisis are the': 217081, 'supermarket chain their': 819641, 'chain their employee': 171175, 'their employee and': 873133, 'and their supply': 73719, 'the worker are': 871747, 'are doing twice': 85934, 'doing twice the': 252814, 'twice the national': 936545, 'the national working': 861308, 'national working hour': 552644, 'working hour to': 1008702, 'help keep food': 389966, 'keep food and': 471513, 'and essential available': 62245, 'essential available massive': 280810, 'available massive respect': 104487, 'massive respect from': 520082, 'respect from me': 715006, '682': 21500, '236': 15480, '7601': 22253, 'texas health': 839783, 'resource doe': 714755, 'hotline 682': 405231, '682 236': 21501, '236 7601': 15481, '7601 had': 22254, 'had spoken': 373538, 'to registered': 913108, 'registered nurse': 707654, 'nurse this': 577515, 'answer my': 78083, 'texas health resource': 839784, 'health resource doe': 386796, 'resource doe have': 714756, 'doe have coronavirus': 251403, 'have coronavirus covid': 380117, '19 consumer hotline': 5974, 'consumer hotline 682': 197776, 'hotline 682 236': 405232, '682 236 7601': 21502, '236 7601 had': 15482, '7601 had spoken': 22255, 'had spoken to': 373539, 'spoken to registered': 789765, 'to registered nurse': 913109, 'registered nurse this': 707655, 'nurse this morning': 577516, 'morning and she': 541165, 'she wa able': 756407, 'able to answer': 24448, 'to answer my': 900585, 'answer my question': 78084, 'my question great': 549875, 'question great resource': 693603, 'to criminal': 903739, 'criminal prosecution': 216869, 'prosecution if': 684656, 'report with': 712436, 'raise price may': 695920, 'price may be': 675185, 'may be subject': 521034, 'subject to criminal': 815749, 'to criminal prosecution': 903740, 'criminal prosecution if': 216870, 'prosecution if you': 684657, 'pandemic we encourage': 636939, 'you to file': 1021776, 'file report with': 305368, 'report with our': 712438, 'with our consumer': 999985, 'grocery pet': 364842, 'home project': 401925, 'today grocery pet': 919592, 'grocery pet store': 364843, 'pet store gas': 653457, 'store now to': 809135, 'now to catch': 576165, 'up on nintendo': 945599, 'magazine and home': 508332, 'and home project': 64681, 'home project quarantinelife': 401926, 'death old': 230151, 'stop please': 804919, 'buying you re': 151410, 'to death old': 903983, 'death old people': 230152, 'food please stop': 315870, 'please stop please': 660586, 'stop please uk': 804921, 'gather in': 344384, 'more except': 539162, 'store logic': 808807, 'are not supposed': 88479, 'supposed to gather': 827357, 'to gather in': 906377, 'gather in group': 344385, 'or more except': 616172, 'more except for': 539163, 'for the hundred': 326486, 'people who come': 650275, 'who come together': 988474, 'come together every': 187627, 'together every morning': 920775, 'every morning to': 286031, 'morning to panic': 541516, 'grocery store logic': 365537, 'someone plz': 784610, 'plz find': 661816, 'my alcohol': 547248, 'consumption online': 199922, 'can someone plz': 159674, 'someone plz find': 784611, 'plz find cure': 661817, '19 my alcohol': 8717, 'my alcohol consumption': 547249, 'alcohol consumption online': 40967, 'consumption online shopping': 199923, 'habit are about': 372566, 'environmentally': 279207, 'jc': 464913, 'sustainabilitytips': 829784, 'shopping don': 762502, 'research what': 713879, 'purchase from': 689460, 'making environmentally': 511042, 'environmentally friendly': 279208, 'friendly decision': 333953, 'decision jc': 231050, 'jc sustainabilitytips': 464914, 'sustainabilitytips sustainability': 829785, 'sustainability onlineshopping': 829777, 'to so if': 914800, 're doing online': 698543, 'online shopping don': 609097, 'shopping don forget': 762503, 'forget to research': 329329, 'to research what': 913333, 'research what you': 713881, 're buying try': 698402, 'try to purchase': 934650, 'to purchase from': 912530, 'purchase from brand': 689462, 'from brand that': 334727, 'are making environmentally': 87978, 'making environmentally friendly': 511043, 'environmentally friendly decision': 279209, 'friendly decision jc': 333954, 'decision jc sustainabilitytips': 231051, 'jc sustainabilitytips sustainability': 464915, 'sustainabilitytips sustainability onlineshopping': 829786, 'paper doesn': 640101, 'working maybe': 1008771, 'should stick': 766501, 'to teaching': 916317, 'teaching english': 835552, 'to grow our': 907036, 'grow our own': 367052, 'our own toilet': 624220, 'toilet paper doesn': 921258, 'paper doesn seem': 640102, 'be working maybe': 118144, 'working maybe we': 1008772, 'maybe we should': 521874, 'we should stick': 973295, 'should stick to': 766502, 'stick to teaching': 800065, 'to teaching english': 916318, 'daughter told': 226914, 'few easter': 303811, 'so wont': 778799, 'wont she': 1004262, 'my health': 548640, 'than easter': 840536, 'easter so': 265496, 'amazon shipping': 51114, 'shipping time': 758929, 'need dollar': 554693, 'stuck wont': 814624, 'wont let': 1004246, 'let her': 486788, 'have easter': 380407, 'easter covid': 265403, 'well my daughter': 978411, 'my daughter told': 547938, 'daughter told me': 226915, 'told me not': 923614, 'go for few': 353558, 'for few easter': 321451, 'few easter gift': 303812, 'easter gift so': 265437, 'gift so wont': 350022, 'so wont she': 778800, 'wont she said': 1004263, 'she said my': 756308, 'said my health': 731245, 'my health is': 548641, 'health is more': 386567, 'important than easter': 418988, 'than easter so': 840537, 'easter so will': 265497, 'so will see': 778776, 'see how amazon': 745216, 'how amazon shipping': 407352, 'amazon shipping time': 51115, 'shipping time is': 758930, 'time is need': 897059, 'is need dollar': 449855, 'need dollar store': 554694, 'dollar store price': 253085, 'store price might': 809648, 'price might be': 675237, 'might be stuck': 530931, 'be stuck wont': 117419, 'stuck wont let': 814625, 'wont let her': 1004247, 'let her not': 486791, 'her not have': 392234, 'not have easter': 569826, 'have easter covid': 380408, 'easter covid 19': 265404, '19 you lose': 12269, 'toiletpaper shopper': 922457, 'netherlands are': 557657, 'forget toiletpaper shopper': 329343, 'toiletpaper shopper in': 922458, 'in the netherlands': 429390, 'the netherlands are': 861450, 'netherlands are panic': 557658, 'dailyoh': 224929, 'toppled': 925854, 'dailyoh what': 224930, 'and pm': 69140, 'pm earn': 661893, 'earn to': 264817, 'price toppled': 677097, 'toppled government': 925855, 'government via': 360770, 'dailyoh what do': 224931, 'do the president': 250254, 'the president and': 864253, 'president and pm': 670761, 'and pm earn': 69141, 'pm earn to': 661894, 'earn to how': 264818, 'how onion price': 408440, 'onion price toppled': 607731, 'price toppled government': 677098, 'toppled government via': 925856, 'digging': 242467, 'graveyard': 362440, 'andinavika': 76153, 'ye': 1014214, 'still thinking': 801301, 'of digging': 582605, 'digging my': 242470, 'own graveyard': 632025, 'graveyard out': 362441, 'of 5g': 579635, '5g sanitizer': 20683, 'alcohol too': 41160, 'too andinavika': 924584, 'andinavika ye': 76154, 'ye the': 1014223, 'poor student': 664297, 'student somewhere': 814770, 'somewhere is': 785299, 'experiencing that': 291706, 'still thinking of': 801303, 'thinking of digging': 885958, 'of digging my': 582606, 'digging my own': 242471, 'my own graveyard': 549643, 'own graveyard out': 632026, 'graveyard out of': 362442, 'out of 5g': 626671, 'of 5g sanitizer': 579636, '5g sanitizer out': 20684, 'of alcohol too': 579903, 'alcohol too andinavika': 41161, 'too andinavika ye': 924585, 'andinavika ye the': 76155, 'ye the poor': 1014224, 'the poor student': 863989, 'poor student somewhere': 664298, 'student somewhere is': 814771, 'somewhere is experiencing': 785300, 'is experiencing that': 447650, 'experiencing that too': 291707, 'neverending': 558289, 'normally fill': 567497, 'the neverending': 861466, 'neverending void': 558290, 'void in': 960021, 'heart by': 388277, 'buying tool': 151257, 'like camera': 489954, 'camera lens': 157120, 'lens etc': 486355, 'wrong great': 1013034, 'normally fill the': 567498, 'fill the neverending': 305499, 'the neverending void': 861467, 'neverending void in': 558291, 'void in my': 960023, 'my heart by': 548651, 'heart by buying': 388278, 'by buying tool': 152043, 'buying tool that': 151258, 'tool that need': 925443, 'to do stuff': 904562, 'stuff like camera': 815118, 'like camera lens': 489955, 'camera lens etc': 157121, 'lens etc etc': 486356, 'etc etc now': 282523, 'etc now it': 282680, 'now it all': 575105, 'it all just': 456357, 'all just feel': 43298, 'just feel wrong': 468699, 'feel wrong great': 302940, 'wrong great piece': 1013035, 'great piece by': 362887, 'poeple': 662359, 'donate item': 254196, 'our wishlist': 625388, 'wishlist and': 996885, 'vulnerable poeple': 961121, 'poeple right': 662360, 'now urgently': 576277, 'urgently needed': 948396, 'needed formula': 556365, 'formula milk': 329710, 'milk nappy': 531734, 'wipe sanitary': 996361, 'product pet': 681519, 'can donate item': 158140, 'donate item on': 254197, 'on our wishlist': 602644, 'our wishlist and': 625389, 'wishlist and support': 996886, 'support our most': 826736, 'most vulnerable poeple': 542890, 'vulnerable poeple right': 961122, 'poeple right now': 662361, 'right now urgently': 722170, 'now urgently needed': 576278, 'urgently needed formula': 948398, 'needed formula milk': 556366, 'formula milk nappy': 329711, 'milk nappy and': 531735, 'nappy and baby': 551877, 'and baby wipe': 58612, 'baby wipe sanitary': 106742, 'wipe sanitary product': 996362, 'sanitary product pet': 733817, 'product pet food': 681520, 'isolation2020': 455522, 'our sense': 624720, 'humor or': 410902, 'the twist': 870135, 'twist do': 936595, 'add anything': 31403, 'laugh rt': 481757, 'other spirit': 620947, 'spirit high': 789471, 'of adversity': 579800, 'adversity staysafe': 33138, 'staysafe corvid19uk': 798795, 'corvid19uk isolation2020': 207748, 'isolation2020 stoppanicbuying': 455523, 'stoppanicbuying keepcalm': 805585, 'keep our sense': 471746, 'our sense of': 624721, 'of humor or': 584897, 'humor or we': 410903, 'or we ll': 617740, 'll go round': 496810, 'go round the': 354077, 'round the twist': 726365, 'the twist do': 870136, 'twist do not': 936596, 'think add anything': 885118, 'add anything that': 31404, 'anything that made': 80896, 'that made you': 844979, 'made you laugh': 508077, 'you laugh rt': 1019560, 'laugh rt we': 481758, 'rt we ll': 726847, 'we ll try': 972287, 'each other spirit': 264220, 'other spirit high': 620948, 'spirit high in': 789472, 'high in the': 395134, 'face of adversity': 294645, 'of adversity staysafe': 579801, 'adversity staysafe corvid19uk': 33139, 'staysafe corvid19uk isolation2020': 798796, 'corvid19uk isolation2020 stoppanicbuying': 207749, 'isolation2020 stoppanicbuying keepcalm': 455524, 'spree are': 791130, 'already getting': 47371, 'hand lord': 375072, 'thing last': 884519, 'last more': 480348, 'than couple': 840467, '19 induced online': 7832, 'shopping spree are': 763953, 'spree are already': 791131, 'are already getting': 84412, 'already getting out': 47372, 'of hand lord': 584426, 'hand lord help': 375073, 'lord help me': 503311, 'help me if': 390068, 'me if this': 522943, 'if this thing': 415172, 'this thing last': 890568, 'thing last more': 884520, 'last more than': 480349, 'more than couple': 540604, 'than couple of': 840468, 'scrape': 742590, 'windshield': 995748, 'strange circumstance': 812382, 'circumstance for': 178724, 'resident going': 714305, 'now requires': 575688, 'requires ppe': 713489, 'mask long': 518925, 'sleeve which': 773839, 'way feel': 969572, 'like preparing': 491026, 'winter weather': 996150, 'weather at': 974849, 'to scrape': 913925, 'scrape windshield': 742591, 'strange circumstance for': 812383, 'circumstance for florida': 178725, 'for florida resident': 321531, 'florida resident going': 310974, 'resident going to': 714306, 'supermarket now requires': 821672, 'now requires ppe': 575689, 'requires ppe glove': 713490, 'glove mask long': 352777, 'mask long sleeve': 518926, 'long sleeve which': 501637, 'sleeve which in': 773840, 'which in way': 985950, 'in way feel': 430722, 'way feel like': 969573, 'feel like preparing': 302737, 'like preparing to': 491027, 'preparing to shop': 670369, 'for grocery in': 322036, 'grocery in winter': 364622, 'in winter weather': 430925, 'winter weather at': 996151, 'weather at least': 974850, 'least we do': 484686, 'have to scrape': 383291, 'to scrape windshield': 913926, 'want anything': 965722, 'anything socialdistancing': 80888, 'store you want': 811698, 'you want anything': 1022130, 'want anything socialdistancing': 965723, 'youself': 1026837, 'yourself efficiently': 1026592, 'efficiently from': 269446, 'with using': 1001938, 'using transparent': 950774, 'transparent plastic': 929845, 'plastic film': 658838, 'film in': 305684, 'head wearing': 385863, 'wearing correctly': 974608, 'correctly engineered': 207602, 'engineered scientifically': 276984, 'scientifically proven': 742184, 'proven mask': 686171, 'do youself': 250720, 'youself at': 1026838, 'protect yourself efficiently': 685090, 'yourself efficiently from': 1026593, 'efficiently from being': 269447, 'infected with using': 436671, 'with using transparent': 1001940, 'using transparent plastic': 950775, 'transparent plastic film': 929846, 'plastic film in': 658839, 'film in front': 305685, 'of your head': 593482, 'your head wearing': 1024266, 'head wearing correctly': 385864, 'wearing correctly engineered': 974609, 'correctly engineered scientifically': 207603, 'engineered scientifically proven': 276985, 'scientifically proven mask': 742185, 'proven mask you': 686172, 'can do youself': 158131, 'do youself at': 250721, 'youself at home': 1026839, 'fid': 304436, 'pluto': 661748, 'week woodside': 977276, 'woodside deferred': 1004319, 'deferred targeted': 232199, 'targeted final': 834544, 'final investment': 305840, 'decision fid': 231023, 'fid on': 304437, 'on scarborough': 603331, 'scarborough pluto': 740767, 'pluto train': 661749, 'train and': 929229, 'and browse': 59227, 'browse in': 141277, 'to uncertain': 917885, 'uncertain market': 939600, 'condition created': 193440, 'last week woodside': 480697, 'week woodside deferred': 977277, 'woodside deferred targeted': 1004320, 'deferred targeted final': 232200, 'targeted final investment': 834545, 'final investment decision': 305841, 'investment decision fid': 443979, 'decision fid on': 231024, 'fid on scarborough': 304438, 'on scarborough pluto': 603332, 'scarborough pluto train': 740768, 'pluto train and': 661750, 'train and browse': 929230, 'and browse in': 59228, 'browse in response': 141278, 'response to uncertain': 715891, 'to uncertain market': 917886, 'uncertain market condition': 939601, 'market condition created': 516207, 'condition created by': 193441, 'created by low': 215792, 'daughter job': 226875, 'job grocery': 465840, 'store tested': 810533, 'hasn closed': 378734, 'down got': 256803, 'got cleaning': 358482, 'crew or': 216704, 'or quarantined': 616767, 'quarantined other': 692874, 'other associate': 619855, 'associate doe': 96863, 'who or': 989387, 'we report': 973084, 'store district': 807326, 'district manager': 248378, 'manager don': 512706, 'at my daughter': 99807, 'my daughter job': 547930, 'daughter job grocery': 226876, 'job grocery store': 465841, 'grocery store tested': 365844, 'store tested positive': 810534, 'the store hasn': 868032, 'store hasn closed': 808061, 'hasn closed down': 378736, 'closed down got': 183079, 'down got cleaning': 256804, 'got cleaning crew': 358483, 'cleaning crew or': 180930, 'crew or quarantined': 216705, 'or quarantined other': 616768, 'quarantined other associate': 692875, 'other associate doe': 619856, 'associate doe anybody': 96864, 'anybody know who': 80100, 'know who or': 477039, 'who or where': 989388, 'or where we': 617786, 'where we report': 985348, 'we report this': 973085, 'this to her': 890738, 'to her store': 907708, 'her store district': 392406, 'store district manager': 807327, 'district manager don': 248379, 'manager don seem': 512707, 'seem to care': 746692, 'behold': 124769, 'midwesttogether': 530835, 'behold what': 124774, 'being retail': 125693, 'that deemed': 843467, 'ridiculous time': 721631, 'time first': 896668, 'job sold': 466163, 'sold over': 781759, 'over 30k': 629827, '30k in': 17452, 'in gun': 423480, 'ammo yesterday': 52927, 'yesterday thanks': 1015879, 'thanks midwest': 842139, 'midwest midwesttogether': 530828, 'behold what it': 124775, 'like being retail': 489903, 'being retail worker': 125695, 'retail worker at': 718872, 'worker at store': 1006478, 'store that deemed': 810547, 'that deemed essential': 843468, 'deemed essential during': 231821, 'during this ridiculous': 263313, 'this ridiculous time': 889901, 'ridiculous time first': 721632, 'time first of': 896669, 'of all my': 579963, 'my job sold': 548929, 'job sold over': 466164, 'sold over 30k': 781760, 'over 30k in': 629828, '30k in gun': 17453, 'in gun and': 423481, 'and ammo yesterday': 58077, 'ammo yesterday thanks': 52928, 'yesterday thanks midwest': 1015880, 'thanks midwest midwesttogether': 842140, 'coronavirus good': 205997, 'non scientist': 566490, 'scientist amp': 742191, 'amp reminder': 54387, 'for scientist': 325391, 'scientist 19': 742187, 'how soap kill': 408705, 'soap kill the': 779053, 'kill the coronavirus': 474512, 'the coronavirus good': 851859, 'coronavirus good read': 205998, 'read for non': 700337, 'for non scientist': 323904, 'non scientist amp': 566491, 'scientist amp reminder': 742192, 'amp reminder for': 54388, 'reminder for scientist': 710555, 'for scientist 19': 325392, 'scientist 19 via': 742188, 'felony': 303349, 'night only': 563049, 'who saw': 989559, 'saw somebody': 738244, 'somebody at': 784250, 'today wearing': 920489, 'wearing an': 974583, 'didn commit': 241016, 'commit felony': 188967, 'felony socialdistancing': 303352, 'good night only': 357468, 'night only to': 563050, 'care worker who': 164313, 'worker who saw': 1008225, 'who saw somebody': 989562, 'saw somebody at': 738245, 'somebody at the': 784252, 'store today wearing': 810878, 'today wearing an': 920490, 'wearing an n95': 974584, 'mask and didn': 518317, 'and didn commit': 61320, 'didn commit felony': 241017, 'commit felony socialdistancing': 188968, 'trend amp': 931262, 'consumer trend amp': 199364, 'trend amp insight': 931264, 'amp insight for': 54000, 'tip for your': 898792, 'for your essential': 328146, 'your essential grocery': 1023689, 'store trip during': 810946, 'trip during the': 932067, 'evenly': 284932, 'ran it': 696502, 'own survey': 632254, 'survey they': 828963, 'found consumer': 330180, 'consumer evenly': 197378, 'evenly split': 284933, 'split between': 789656, 'between expecting': 128773, 'le over': 483059, 'over all': 629953, 'with 32': 997006, '32 expecting': 17664, 'shift purchase': 758392, 'healthcare yes': 387403, 'ran it own': 696503, 'it own survey': 460224, 'own survey they': 632255, 'survey they found': 828964, 'they found consumer': 882139, 'found consumer evenly': 330181, 'consumer evenly split': 197379, 'evenly split between': 284934, 'split between expecting': 789657, 'between expecting to': 128774, 'expecting to spend': 291058, 'spend more or': 788641, 'or le over': 615947, 'le over all': 483060, 'over all with': 629954, 'all with 32': 45479, 'with 32 expecting': 997007, '32 expecting to': 17665, 'expecting to shift': 291057, 'to shift purchase': 914415, 'shift purchase online': 758393, 'purchase online food': 689602, 'online food healthcare': 608211, 'food healthcare yes': 314807, 'healthcare yes toilet': 387404, 'paper were high': 641073, 'were high on': 979739, 'high on their': 395199, 'facemaskselfie': 295183, 'rob bank': 724614, 'walk isolation': 964824, 'socialdistancing facemask': 780352, 'facemask facemaskselfie': 295074, 'where am going': 984723, 'store to rob': 810810, 'to rob bank': 913610, 'rob bank for': 724615, 'bank for walk': 109844, 'for walk isolation': 327623, 'walk isolation socialdistancing': 964825, 'isolation socialdistancing facemask': 455438, 'socialdistancing facemask facemaskselfie': 780353, 'reworked': 720827, 'all planning': 43967, 'planning forecast': 658548, 'forecast goal': 328828, 'goal and': 354556, 'effort goal': 269522, 'goal are': 354558, 'are reworked': 89681, 'reworked due': 720828, 'in circumstance': 421471, 'circumstance the': 178752, 'measure their': 525372, 'financial consequence': 306356, 'consequence global': 194864, 'recession well': 704395, 'all planning forecast': 43968, 'planning forecast goal': 658550, 'forecast goal and': 328829, 'goal and effort': 354557, 'and effort goal': 61968, 'effort goal are': 269523, 'goal are reworked': 354560, 'are reworked due': 89682, 'reworked due to': 720829, 'change in circumstance': 172110, 'in circumstance the': 421472, 'circumstance the effect': 178753, 'effect of or': 269056, 'of or quarantine': 587321, 'or quarantine measure': 616766, 'quarantine measure their': 692370, 'measure their financial': 525373, 'their financial consequence': 873321, 'financial consequence global': 306357, 'consequence global recession': 194865, 'global recession well': 352164, 'recession well the': 704396, 'well the collapse': 978655, 'oil price etc': 597120, 'petition started': 653628, 'ask supermarket': 95625, 'up dedicated': 944694, 'dedicated online': 231724, 'people tesco': 649737, 'sainsburys ocado': 731779, 'ocado morrison': 578907, 'petition started to': 653629, 'started to ask': 794864, 'to ask supermarket': 900763, 'ask supermarket to': 95626, 'supermarket to set': 823413, 'set up dedicated': 753552, 'up dedicated online': 944696, 'dedicated online delivery': 231725, 'slot for vulnerable': 774191, 'vulnerable people tesco': 961111, 'people tesco sainsburys': 649738, 'tesco sainsburys ocado': 838799, 'sainsburys ocado morrison': 731780, 'ocado morrison supermarket': 578908, 'koko': 477350, 'koko pimentel': 477351, 'pimentel went': 656758, 'hospital birthday': 404329, 'birthday party': 131441, 'party meeting': 643007, 'meeting session': 527758, 'he covid': 384865, 'koko pimentel went': 477353, 'pimentel went to': 656759, 'went to hospital': 979162, 'to hospital birthday': 907966, 'hospital birthday party': 404330, 'birthday party meeting': 131443, 'party meeting session': 643008, 'meeting session and': 527759, 'session and grocery': 753269, 'store when he': 811240, 'when he knew': 983536, 'he knew the': 385174, 'knew the whole': 476081, 'whole time that': 990364, 'time that he': 897832, 'that he covid': 844256, 'he covid 19': 384866, 'pandemic curbedny': 635279, 'curbedny curbedny': 220604, 'the pandemic curbedny': 862942, 'pandemic curbedny curbedny': 635280, 'lydia': 507049, 'forson': 329765, '19 boycott': 5429, 'sell sanitizers': 748869, 'price lydia': 675139, 'lydia forson': 507050, 'covid 19 boycott': 212722, '19 boycott shop': 5430, 'boycott shop that': 137338, 'shop that sell': 760897, 'that sell sanitizers': 846186, 'sell sanitizers at': 748870, 'exorbitant price lydia': 290417, 'price lydia forson': 675140, 'td': 835307, 'paul reid': 644557, 'reid sound': 708204, 'like failing': 490211, 'failing supermarket': 296219, 'manager ex': 512714, 'ex fg': 288633, 'fg td': 304342, 'td george': 835308, 'george lee': 346009, 'lee spinning': 485331, 'spinning like': 789411, 'crazy doesn': 215281, 'doesn inspire': 251849, 'inspire confidence': 439821, 'paul reid sound': 644558, 'reid sound and': 708205, 'sound and talk': 786265, 'and talk like': 73008, 'talk like failing': 833813, 'like failing supermarket': 490212, 'failing supermarket manager': 296220, 'supermarket manager ex': 821453, 'manager ex fg': 512715, 'ex fg td': 288634, 'fg td george': 304343, 'td george lee': 835309, 'george lee spinning': 346010, 'lee spinning like': 485332, 'spinning like crazy': 789412, 'like crazy doesn': 490068, 'crazy doesn inspire': 215282, 'doesn inspire confidence': 251850, 'important partnership': 418914, 'gouging our': 359420, 'office won': 595597, 'tolerate price': 923808, 'these partnership': 880408, 'partnership are': 642939, 'to protecting': 912352, 'protecting missourian': 685211, 'today we announced': 920469, 'we announced an': 970432, 'announced an important': 76916, 'an important partnership': 56201, 'important partnership with': 418915, 'partnership with to': 642957, 'with to monitor': 1001792, 'price gouging our': 674311, 'gouging our office': 359421, 'our office won': 624121, 'office won tolerate': 595598, 'won tolerate price': 1003928, 'tolerate price gouging': 923809, 'consumer fraud and': 197534, 'fraud and these': 331237, 'and these partnership': 73882, 'these partnership are': 880409, 'partnership are key': 642940, 'key to protecting': 473442, 'to protecting missourian': 912353, 'lastmile': 480794, 'population now': 664720, 'soaring what': 779351, 'resulting impact': 717700, 'on lastmile': 601792, 'lastmile delivery': 480795, 'with 43 of': 997019, '43 of the': 18978, 'the population now': 864030, 'population now being': 664721, 'now being asked': 574239, 'the pandemic shopping': 863091, 'pandemic shopping online': 636446, 'online is soaring': 608435, 'is soaring what': 452053, 'soaring what will': 779352, 'be the resulting': 117650, 'the resulting impact': 865701, 'resulting impact on': 717701, 'impact on lastmile': 417867, 'on lastmile delivery': 601793, 'wvgov': 1013624, 'governor justice': 360934, 'justice we': 470449, 'recognize our': 704646, 'hero wv': 394185, 'wv wvgov': 1013623, 'governor justice we': 360935, 'justice we need': 470450, 'need to recognize': 556035, 'to recognize our': 912957, 'recognize our grocery': 704647, 'worker hero wv': 1007127, 'hero wv wvgov': 394186, 'joes giant': 466478, 'seeing fatality': 746293, 'fatality among': 300241, 'among our': 53042, 'worker defenceproductionact': 1006731, 'defenceproductionact humanity': 232099, 'humanity thisisamerica': 410775, 'worked at trader': 1006104, 'trader joes giant': 928728, 'joes giant have': 466479, 'died from in': 241555, 'from in recent': 336025, 'recent day we': 703869, 'are seeing fatality': 89896, 'seeing fatality among': 746294, 'fatality among our': 300242, 'among our supermarket': 53043, 'supermarket worker defenceproductionact': 824008, 'worker defenceproductionact humanity': 1006732, 'defenceproductionact humanity thisisamerica': 232100, 'bentley': 127259, 'mulsanne': 545645, 'bentley mulsanne': 127260, 'mulsanne at': 545646, 'parking shopping': 642118, 'bentley mulsanne at': 127261, 'mulsanne at grocery': 545647, 'store parking shopping': 809469, 'georgina': 346062, 'low supply': 505650, 'supply georgina': 825311, 'georgina community': 346063, 'pantry host': 639605, 'host online': 404888, 'high demand low': 395018, 'demand low supply': 235826, 'low supply georgina': 505652, 'supply georgina community': 825312, 'georgina community food': 346064, 'community food pantry': 189851, 'food pantry host': 315785, 'pantry host online': 639606, 'host online food': 404889, 'online food drive': 608209, 'competitionlaw': 191762, 'this publication': 889755, 'publication we': 688519, 'provide practical': 686433, 'practical guidance': 668462, 'guidance in': 368244, 'regard learn': 707140, 'consumerprotection competitionlaw': 199739, 'competitionlaw pricegouging': 191763, 'in this publication': 430002, 'this publication we': 889756, 'publication we answer': 688520, 'these question and': 880568, 'question and provide': 693524, 'and provide practical': 69696, 'provide practical guidance': 686434, 'practical guidance in': 668465, 'guidance in this': 368246, 'this regard learn': 889849, 'regard learn more': 707141, 'learn more consumerprotection': 484021, 'more consumerprotection competitionlaw': 538880, 'consumerprotection competitionlaw pricegouging': 199740, 'the fbi': 854991, 'fbi raiding': 300704, 'stockpiled 80': 803824, '00 n95': 350, 'they received': 883168, 'box the': 137177, 'an officer': 56563, 'officer he': 595668, 'wa accused': 961424, 'of assault': 580396, 'assault coronacrisis': 96316, 'just read this': 469566, 'read this news': 700623, 'this news article': 889131, 'news article about': 560249, 'about the fbi': 26396, 'the fbi raiding': 854993, 'fbi raiding the': 300705, 'raiding the home': 695666, 'home of this': 401695, 'of this man': 592002, 'this man who': 888759, 'man who had': 512331, 'who had stockpiled': 988889, 'had stockpiled 80': 373559, 'stockpiled 80 00': 803825, '80 00 n95': 22540, '00 n95 mask': 351, 'mask and planned': 518356, 'and planned to': 69066, 'planned to sell': 658475, 'them at ridiculous': 875445, 'ridiculous price they': 721600, 'price they received': 676899, 'they received the': 883169, 'received the box': 703692, 'the box the': 849924, 'box the man': 137179, 'the man coughed': 859973, 'man coughed at': 512039, 'coughed at an': 208600, 'at an officer': 97990, 'an officer he': 56564, 'officer he wa': 595669, 'he wa accused': 385582, 'wa accused of': 961425, 'accused of assault': 28943, 'of assault coronacrisis': 580397, 'the include': 858040, 'this know': 888576, 'the decent': 852993, 'decent thing': 230805, 'thing let': 884534, 'did the include': 240850, 'the include stealing': 858041, 'need we don': 556184, 'don want this': 254047, 'want this there': 965978, 'this there no': 890552, 'for this know': 327044, 'this know people': 888577, 'afraid know this': 34990, 'is survival instinct': 452502, 'let do the': 486681, 'do the decent': 250237, 'the decent thing': 852994, 'decent thing let': 230806, 'thing let share': 884535, 'cuties': 223682, 'kendallkay': 472776, 'camdendavid': 156953, 'took walk': 925375, 'to breathe': 902007, 'breathe for': 139198, 'these cuties': 879848, 'cuties kendallkay': 223683, 'kendallkay camdendavid': 472777, 'camdendavid appreciation': 156954, 'appreciation socialdistancing': 82888, 'took walk to': 925376, 'store wa able': 811095, 'able to breathe': 24456, 'to breathe for': 902008, 'breathe for the': 139199, 'in while also': 430877, 'while also look': 986592, 'also look at': 48484, 'at these cuties': 101199, 'these cuties kendallkay': 879849, 'cuties kendallkay camdendavid': 223684, 'kendallkay camdendavid appreciation': 472778, 'camdendavid appreciation socialdistancing': 156955, 'hamper': 374601, 'not those': 572105, 'those lovely': 892183, 'amazing lancashire': 50731, 'lancashire hamper': 479228, 'hamper and': 374602, 'be yours': 118180, 'yours designed': 1026457, 'survive nuclear': 829205, 'winter or': 996138, 'or zombie': 617893, 'morning but fear': 541206, 'but fear not': 145705, 'fear not those': 301216, 'not those lovely': 572106, 'those lovely people': 892184, 'lovely people at': 504973, 'people at have': 647172, 'at have put': 98863, 'together an amazing': 920681, 'an amazing lancashire': 55269, 'amazing lancashire hamper': 50732, 'lancashire hamper and': 479229, 'hamper and it': 374603, 'could be yours': 208947, 'be yours designed': 118181, 'yours designed to': 1026458, 'designed to survive': 238365, 'to survive nuclear': 916039, 'survive nuclear winter': 829206, 'nuclear winter or': 576762, 'winter or zombie': 996139, 'or zombie apocalypse': 617894, 'zombie apocalypse and': 1027689, 'apocalypse and now': 81508, 'and now covid': 67824, 'know you want': 477091, 'you want it': 1022143, 'djia is': 248830, 'morning suppose': 541478, 'suppose american': 827302, 'company really': 191006, 'base getting': 111449, 'djia is up': 248831, 'is up this': 453583, 'this morning suppose': 889024, 'morning suppose american': 541479, 'suppose american company': 827303, 'american company really': 51878, 'company really are': 191007, 'really are ok': 701989, 'are ok with': 88702, 'ok with large': 597946, 'with large portion': 999172, 'consumer base getting': 196401, 'base getting sick': 111450, 'getting sick and': 349271, 'flimsy': 310575, 'kill time': 474537, 'try opening': 934531, 'those flimsy': 892007, 'flimsy plastic': 310578, 'in without': 430954, 'without licking': 1002760, 'finger it': 307802, 'me 10': 522324, 'way to kill': 970044, 'to kill time': 908946, 'kill time right': 474539, 'time right now': 897587, 'supermarket and try': 819092, 'and try opening': 74508, 'try opening one': 934532, 'opening one of': 612890, 'of those flimsy': 592088, 'those flimsy plastic': 892008, 'flimsy plastic bag': 310579, 'bag to put': 108430, 'to put the': 912617, 'put the vegetable': 690871, 'the vegetable in': 870673, 'vegetable in without': 954015, 'in without licking': 430955, 'without licking your': 1002761, 'your finger it': 1023883, 'finger it only': 307804, 'took me 10': 925284, 'me 10 minute': 522326, 'for rhapsody': 325218, 'little one asked': 495502, 'asked for rhapsody': 95748, 'for rhapsody in': 325219, 'samsung series': 733507, 'samsung series suffering': 733508, 'grocerystorescene': 366387, 'help regulate': 390428, 'others lockdown': 621521, 'lockdown grocerystorescene': 499431, 'store should do': 810159, 'do this right': 250365, 'this right now': 889907, 'now it help': 575117, 'it help regulate': 458549, 'help regulate the': 390429, 'regulate the flow': 707994, 'flow of customer': 311248, 'customer and make': 222085, 'easier to keep': 265160, 'keep at least': 471323, 'from others lockdown': 336742, 'others lockdown grocerystorescene': 621522, 'acquitted': 29201, 'detainee': 239318, 'an iranian': 56461, 'iranian professor': 444736, 'professor is': 682555, 'held indefinitely': 388904, 'indefinitely by': 434040, 'by ice': 152856, 'ice despite': 412664, 'being acquitted': 124817, 'acquitted by': 29202, 'by court': 152248, 'court now': 212003, 'is afraid': 445405, 'life detainee': 488590, 'detainee are': 239319, 'are denied': 85781, 'denied mask': 236961, 'prevent outbreak': 671686, 'outbreak important': 628332, 'an iranian professor': 56462, 'iranian professor is': 444737, 'professor is being': 682556, 'is being held': 446089, 'being held indefinitely': 125226, 'held indefinitely by': 388905, 'indefinitely by ice': 434041, 'by ice despite': 152857, 'ice despite being': 412665, 'despite being acquitted': 238674, 'being acquitted by': 124818, 'acquitted by court': 29203, 'by court now': 152249, 'court now he': 212004, 'now he is': 574904, 'he is afraid': 385111, 'is afraid for': 445406, 'afraid for his': 34978, 'for his life': 322307, 'his life detainee': 397579, 'life detainee are': 488591, 'detainee are denied': 239320, 'are denied mask': 85782, 'denied mask sanitizer': 236962, 'to prevent outbreak': 912078, 'prevent outbreak important': 671687, 'outbreak important story': 628333, 'important story from': 418977, 'billy': 130974, 'hey billy': 394333, 'billy graham': 130975, 'graham do': 361750, 'bring jesus': 140017, 'jesus into': 465300, 'hey billy graham': 394334, 'billy graham do': 130976, 'graham do not': 361751, 'not need you': 570680, 'you to bring': 1021755, 'to bring jesus': 902040, 'bring jesus into': 140018, 'jesus into my': 465301, 'into my home': 442780, 'my home need': 548693, 'home need you': 401652, 'bring some fucking': 140071, 'paper quarantinelife toiletpaper': 640645, 'quarantinelife toiletpaper toiletpaperapocalypse': 693034, 'toiletpaper toiletpaperapocalypse 19': 922632, 'list what': 494589, 'stayathome coronacrisis': 797461, 'coronavirus food list': 205935, 'food list what': 315327, 'list what to': 494590, 'what to stock': 982465, 'stock up at': 803059, 'up at home': 944431, 'home stayathome coronacrisis': 402126, 'ftlion': 339480, 'donate now': 254206, 'raise 50': 695807, 'more restaurant': 540250, 'restaurant needed': 716588, 'join meet': 466780, 'demand nhsheroes': 235916, 'nhsheroes left': 562232, 'empty stomach': 275142, 'stomach find': 804318, 'follow ftlion': 312389, 'ftlion for': 339481, 'for latest': 322899, 'latest halal': 481376, 'news coronalockdownuk': 560333, 'donate now to': 254208, 'now to raise': 576178, 'to raise 50': 912716, 'raise 50 00': 695808, '50 00 more': 19577, '00 more restaurant': 344, 'more restaurant needed': 540251, 'restaurant needed to': 716589, 'needed to join': 556539, 'to join meet': 908679, 'join meet growing': 466781, 'growing demand nhsheroes': 367166, 'demand nhsheroes left': 235917, 'nhsheroes left with': 562233, 'left with empty': 485743, 'with empty stomach': 998222, 'empty stomach find': 275143, 'stomach find out': 804319, 'out more follow': 626567, 'more follow ftlion': 539230, 'follow ftlion for': 312390, 'ftlion for latest': 339482, 'for latest halal': 322900, 'latest halal food': 481377, 'halal food news': 374106, 'food news coronalockdownuk': 315533, 'on nz': 602469, 'question protection': 693704, 'putting myself': 691170, 'minimum hourly': 533193, 'hourly pay': 406135, 'pay rate': 645074, 'full lockdown on': 340675, 'lockdown on nz': 499734, 'on nz for': 602470, 'nz for question': 578189, 'for question protection': 324910, 'question protection for': 693705, 'the people like': 863486, 'in supermarket why': 428716, 'supermarket why should': 823873, 'why should keep': 991339, 'should keep working': 766172, 'and putting myself': 69838, 'putting myself and': 691171, 'myself and family': 550817, 'risk for minimum': 723551, 'for minimum hourly': 323455, 'minimum hourly pay': 533194, 'hourly pay rate': 406136, 'hotcake': 405089, 'gov raising': 359671, 'raising money': 696096, 'medical necessity': 526267, 'selling like': 749328, 'like hotcake': 490453, 'hotcake with': 405090, 'with 1st': 996973, 'country buying': 210531, 'an inflated': 56311, 'is the gov': 452809, 'the gov raising': 856489, 'gov raising money': 359672, 'raising money for': 696097, 'money for all': 536745, 'all medical necessity': 43491, 'medical necessity are': 526268, 'necessity are selling': 554172, 'are selling like': 89962, 'selling like hotcake': 749329, 'like hotcake with': 490454, 'hotcake with 1st': 405091, 'with 1st world': 996974, '1st world country': 12831, 'world country buying': 1009461, 'country buying them': 210532, 'buying them at': 151187, 'them at an': 875432, 'at an inflated': 97989, 'an inflated price': 56312, 'max gas': 520753, 'are legit': 87763, 'legit coronapocalypse': 486030, 'these mad max': 880269, 'mad max gas': 507551, 'max gas price': 520754, 'price are legit': 672691, 'are legit coronapocalypse': 87764, 'let crop': 486670, 'crop rot': 218940, 'rot and': 726158, 'milk while': 531912, 'soar agriculture': 779220, 'agriculture california': 38937, 'to let crop': 909201, 'let crop rot': 486671, 'crop rot and': 218941, 'rot and throw': 726159, 'and throw away': 74094, 'throw away milk': 895012, 'away milk while': 105970, 'milk while food': 531913, 'while food bank': 986846, 'bank demand soar': 109762, 'demand soar agriculture': 236248, 'soar agriculture california': 779221, '899': 23116, '1049': 2252, 'hi are': 394600, 'you raising': 1020545, 'your desk': 1023498, 'desk price': 238461, 'purpose desk': 690112, 'for 899': 318939, '899 is': 23117, 'now 99': 573918, '99 1049': 23746, '1049 or': 2253, 'higher if': 395607, 'considered profiteering': 195319, 'hi are you': 394601, 'are you raising': 91840, 'you raising your': 1020546, 'raising your desk': 696163, 'your desk price': 1023499, 'desk price on': 238462, 'price on purpose': 675711, 'on purpose desk': 603024, 'purpose desk for': 690113, 'desk for 899': 238455, 'for 899 is': 318940, '899 is now': 23118, 'is now 99': 450252, 'now 99 1049': 573919, '99 1049 or': 23747, '1049 or higher': 2254, 'or higher if': 615638, 'higher if so': 395608, 'if so this': 414832, 'this is considered': 888214, 'is considered profiteering': 446750, 'considered profiteering and': 195320, 'profiteering and illegal': 682998, '19 avoid': 5276, 'avoid temptation': 105311, 'temptation to': 837738, 'borrow money': 135604, 'money buy': 536648, 'covid 19 avoid': 212668, '19 avoid temptation': 5277, 'avoid temptation to': 105312, 'temptation to borrow': 837739, 'to borrow money': 901947, 'borrow money buy': 135605, 'money buy food': 536649, 'necessary think': 554107, 'buying that not': 151156, 'that not necessary': 845394, 'not necessary think': 570642, 'necessary think of': 554108, '19australia': 12516, 'you beat': 1017408, 'beat pandemic': 118539, 'stay suspended': 797339, 'for 30min': 318813, '30min without': 17481, 'without p2': 1002813, 'p2 mask': 632804, 'infected in': 436587, 'spot somebody': 790113, 'somebody coughed': 784255, 'min before': 532521, 'before 19australia': 122589, 'how you beat': 409274, 'you beat pandemic': 1017409, 'beat pandemic covid': 118540, 'can stay suspended': 159744, 'stay suspended in': 797340, 'air for 30min': 39732, 'for 30min without': 318814, '30min without p2': 17482, 'without p2 mask': 1002814, 'p2 mask people': 632805, 'mask people could': 519105, 'could get infected': 209201, 'get infected in': 347331, 'infected in the': 436588, 'supermarket walking into': 823719, 'into the spot': 443172, 'the spot somebody': 867602, 'spot somebody coughed': 790114, 'somebody coughed in': 784256, 'coughed in 30': 208612, '30 min before': 17115, 'min before 19australia': 532522, 'scare ha': 740880, 'ha shaken': 371882, 'shaken the': 754442, 'market fundamental': 516447, 'fundamental brentcrude': 341554, 'brentcrude oil': 139360, '30 barrel': 16976, 'worldwide recession': 1010412, 'recession however': 704286, 'have hidden': 380937, 'hidden benefit': 394808, 'india watch': 434680, 'the scare ha': 866445, 'scare ha shaken': 740882, 'ha shaken the': 371883, 'shaken the oil': 754445, 'oil market fundamental': 596944, 'market fundamental brentcrude': 516448, 'fundamental brentcrude oil': 341555, 'brentcrude oil price': 139361, 'have crashed below': 380147, 'crashed below 30': 215067, 'below 30 barrel': 126573, '30 barrel on': 16978, 'barrel on fear': 111258, 'on fear of': 600759, 'fear of worldwide': 301265, 'of worldwide recession': 593318, 'worldwide recession however': 1010413, 'recession however the': 704288, 'however the decline': 409472, 'in price may': 426974, 'price may have': 675192, 'may have hidden': 521239, 'have hidden benefit': 380938, 'hidden benefit for': 394809, 'benefit for india': 126967, 'for india watch': 322544, 'india watch for': 434681, 'watch for more': 968415, 'want streaming': 965941, 'video or': 956855, 'or music': 616208, 'music provider': 546328, 'do version': 250439, 'report showing': 712257, 'how content': 407602, 'content choice': 200787, 'choice time': 177816, 'spent streaming': 789169, 'streaming changed': 812809, 'changed over': 172526, 'really want streaming': 702700, 'want streaming video': 965942, 'streaming video or': 812855, 'video or music': 956856, 'or music provider': 616209, 'music provider to': 546329, 'provider to do': 686802, 'to do version': 904579, 'do version of': 250440, 'version of report': 954918, 'of report showing': 588946, 'report showing how': 712258, 'showing how content': 767455, 'how content choice': 407603, 'content choice time': 200788, 'choice time spent': 177817, 'time spent streaming': 897735, 'spent streaming changed': 789170, 'streaming changed over': 812810, 'changed over the': 172527, 'course of covid': 211911, 'before increased': 122867, 'return were': 719946, 'were creating': 979495, 'creating demand': 215993, 'warehouse space': 966769, 'space closer': 787083, 'even before increased': 283873, 'before increased online': 122868, 'increased online shopping': 433390, 'shopping return were': 763764, 'return were creating': 719947, 'were creating demand': 979496, 'creating demand for': 215994, 'demand for warehouse': 235515, 'for warehouse space': 327646, 'warehouse space closer': 966770, 'space closer to': 787084, 'closer to consumer': 183516, 'to consumer via': 903345, 'miss 2nd': 534130, '2nd live': 16793, 'consumer panel': 198324, 'panel focusing': 637180, 'feeling their': 303082, 'evolving behavior': 288547, 'new discovery': 558635, 'discovery they': 244737, 'making if': 511121, 'covered mrx': 212432, 'you miss 2nd': 1019867, 'miss 2nd live': 534131, '2nd live consumer': 16794, 'live consumer panel': 495771, 'consumer panel focusing': 198327, 'panel focusing on': 637181, 'focusing on their': 312003, 'on their feeling': 604479, 'their feeling their': 873306, 'feeling their evolving': 303083, 'their evolving behavior': 873186, 'evolving behavior and': 288548, 'behavior and new': 123896, 'and new discovery': 67550, 'new discovery they': 558636, 'discovery they re': 244738, 're making if': 699025, 'making if so': 511122, 'if so we': 414833, 'so we got': 778668, 'we got you': 971682, 'you covered mrx': 1018118, 'covered mrx consumerbehavior': 212433, 'cosmeticvalley': 207798, 'french business': 332719, 'business cluster': 143546, 'cluster highlight': 184587, 'highlight packaging': 395945, 'packaging supply': 633571, 'supply tension': 825942, 'tension the': 837999, 'the cosmetic': 851977, 'cosmetic and': 207785, 'and fragrance': 63242, 'fragrance industry': 330921, 'industry convert': 435749, 'convert to': 202543, 'production cosmeticvalley': 681972, 'cosmeticvalley handsanitizer': 207799, 'handsanitizer packaging': 376600, 'french business cluster': 332720, 'business cluster highlight': 143547, 'cluster highlight packaging': 184588, 'highlight packaging supply': 395946, 'packaging supply tension': 633572, 'supply tension the': 825943, 'tension the cosmetic': 838000, 'the cosmetic and': 851978, 'cosmetic and fragrance': 207786, 'and fragrance industry': 63243, 'fragrance industry convert': 330922, 'industry convert to': 435750, 'convert to hand': 202544, 'sanitizer production cosmeticvalley': 735596, 'production cosmeticvalley handsanitizer': 681973, 'cosmeticvalley handsanitizer packaging': 207800, '120ml': 3043, '00francs': 675, 'juru': 468075, 'jesse': 465245, 'becoming business': 120280, 'opportunity where': 613746, 'reason at': 702869, 'all bought': 42208, 'this 120ml': 886147, '120ml sanitiser': 3044, 'at 00francs': 97359, '00francs really': 676, 'really rwanda': 702529, 'rwanda juru': 728741, 'juru jesse': 468076, 'is becoming business': 446029, 'becoming business opportunity': 120281, 'business opportunity where': 144156, 'opportunity where price': 613747, 'are hiked for': 87168, 'hiked for no': 396315, 'for no good': 323888, 'good reason at': 357633, 'reason at all': 702870, 'at all bought': 97874, 'all bought this': 42209, 'bought this 120ml': 136752, 'this 120ml sanitiser': 886148, '120ml sanitiser at': 3045, 'sanitiser at 00francs': 733922, 'at 00francs really': 97360, '00francs really rwanda': 677, 'really rwanda juru': 702530, 'rwanda juru jesse': 728742, 'protection statement': 685617, 'statement the': 796221, 'two sanitizer': 937191, 'brand did': 137817, 'not meet': 570563, 'standard requirement': 793695, 'consumer protection statement': 198563, 'protection statement the': 685618, 'statement the two': 796222, 'the two sanitizer': 870156, 'two sanitizer brand': 937192, 'sanitizer brand did': 734593, 'brand did not': 137818, 'did not meet': 240722, 'not meet the': 570564, 'meet the standard': 527612, 'the standard requirement': 867726, 'mellower': 527962, 'supermarket choose': 819695, 'choose mellower': 177894, 'mellower tune': 527963, 'supermarket choose mellower': 819696, 'choose mellower tune': 177895, 'mellower tune to': 527964, 'tune to calm': 935426, 'calm panic shopper': 156777, 'and shortness': 71582, 'breath go': 139167, 'to clinic': 902849, 'test get': 839008, 'possibly get': 665925, 'though ve': 892939, 'more luck': 539731, 'luck later': 506463, 'pain and shortness': 634217, 'and shortness of': 71583, 'of breath go': 580861, 'breath go to': 139168, 'go to clinic': 354292, 'to clinic to': 902850, 'clinic to get': 182316, 'to get flu': 906483, 'get flu test': 347026, 'flu test get': 311467, 'test get an': 839009, 'and possibly get': 69220, 'possibly get tested': 665926, 'for 19 even': 318705, '19 even though': 6858, 'even though ve': 284723, 'though ve been': 892940, 'ago and at': 38332, 'and at high': 58476, 'wish me more': 996792, 'me more luck': 523168, 'more luck later': 539732, 'excruciating': 289730, 'an excruciating': 55929, 'excruciating job': 289731, 'finish grocery': 307851, 'purchase getting': 689469, 'getting panicked': 349184, 'panicked isn': 639270, '19 menace': 8629, 'menace corona': 528567, 'wa an excruciating': 961531, 'an excruciating job': 55930, 'excruciating job to': 289732, 'to finish grocery': 905966, 'finish grocery purchase': 307852, 'grocery purchase getting': 364883, 'purchase getting panicked': 689470, 'getting panicked isn': 349185, 'panicked isn the': 639271, 'isn the solution': 454716, 'solution to fight': 782098, 'covid 19 menace': 213426, '19 menace corona': 8630, 'michele consumer': 530289, 'free site': 332174, 'site good': 771927, 'reference pas': 706497, 'michele consumer report': 530290, 'report is making': 712051, 'is making this': 449559, 'making this free': 511460, 'this free site': 887607, 'free site good': 332175, 'site good to': 771928, 'have for reference': 380682, 'for reference pas': 325051, 'reference pas it': 706498, 'bank shift': 110187, 'distribution model': 248165, 'model in': 535263, 'food bank shift': 313640, 'bank shift their': 110188, 'shift their distribution': 758424, 'their distribution model': 873041, 'distribution model in': 248166, 'model in response': 535266, 'response to pandemic': 715878, 'to pandemic and': 911365, 'pandemic and skyrocketing': 634902, 'and skyrocketing demand': 71731, 'your much': 1024914, 'needed reminder': 556473, 'go over': 354025, 'under here': 940112, 'original patent': 619574, 'patent drawing': 643985, 'drawing do': 258508, 'is your much': 454158, 'your much needed': 1024915, 'much needed reminder': 545164, 'needed reminder that': 556474, 'that the toilet': 846852, 'paper go over': 640213, 'go over the': 354026, 'over the roll': 630761, 'the roll not': 865958, 'roll not under': 725401, 'not under here': 572309, 'under here the': 940113, 'here the original': 393661, 'the original patent': 862488, 'original patent drawing': 619575, 'patent drawing do': 643986, 'drawing do not': 258509, 'do not me': 249783, 'now created': 574479, 'created scheme': 215883, 'limiting movement': 492831, 'movement may': 543889, 'outside tuesday': 629628, 'pharmacy the': 654502, 'feeling good': 302991, 'these paper': 880398, 'please scheme': 660445, 'scheme the': 741587, 'inevitable libertarian': 436394, 'live the local': 496049, 'the local government': 859550, 'local government ha': 498027, 'ha now created': 371394, 'now created scheme': 574480, 'created scheme for': 215884, 'scheme for limiting': 741566, 'for limiting movement': 322989, 'limiting movement may': 492832, 'movement may go': 543890, 'may go outside': 521212, 'go outside tuesday': 354024, 'outside tuesday and': 629629, 'and friday to': 63312, 'friday to the': 333309, 'the pharmacy the': 863665, 'pharmacy the supermarket': 654505, 'and or the': 68233, 'or the bank': 617367, 'the bank not': 849250, 'bank not feeling': 110039, 'not feeling good': 569391, 'feeling good about': 302992, 'good about these': 356682, 'about these paper': 26612, 'these paper please': 880399, 'paper please scheme': 640599, 'please scheme the': 660446, 'scheme the virus': 741588, 'virus is inevitable': 958383, 'is inevitable libertarian': 448895, 'stewardship': 799998, 'that cannabis': 843130, 'necessary medicine': 554034, 'relief but': 709296, 'also going': 48274, 'going beyond': 355063, 'beyond our': 129214, 'providing much': 687054, 'supply stewardship': 825901, 'stewardship vaping': 799999, 'vaping relief': 952493, 'see that cannabis': 745788, 'that cannabis company': 843131, 'cannabis company are': 161392, 'only providing people': 611034, 'people with necessary': 650463, 'with necessary medicine': 999690, 'necessary medicine and': 554035, 'medicine and relief': 526722, 'and relief but': 70199, 'relief but also': 709297, 'but also going': 145118, 'also going beyond': 48275, 'going beyond our': 355064, 'beyond our friend': 129215, 'our friend and': 623179, 'and partner at': 68733, 'at are providing': 98041, 'are providing much': 89321, 'providing much needed': 687055, 'much needed supply': 545169, 'needed supply stewardship': 556510, 'supply stewardship vaping': 825902, 'stewardship vaping relief': 800000, 'men gathering': 528487, 'in convenience': 421769, 'looking men gathering': 502972, 'men gathering in': 528488, 'paper roll pasta': 640693, 'etc then sell': 282801, 'then sell them': 877511, 'price in convenience': 674675, 'in convenience store': 421770, 'convenience store supermarket': 202358, 'supermarket and supermarket': 819073, 'and supermarket pharmacy': 72731, 'of cut': 582293, 'cut people': 223482, 'food celebrity': 313896, 'celebrity using': 168909, 'self promotion': 747839, 'promotion people': 683875, 'respect elder': 714980, 'elder self': 270545, 'possible people': 665733, 'be normal': 116120, 'normal person': 567258, 'being cut': 125016, 'definition of cut': 232423, 'of cut people': 582296, 'cut people who': 223483, 'hoard food celebrity': 398787, 'food celebrity using': 313897, 'celebrity using covid': 168910, '19 self promotion': 10395, 'self promotion people': 747840, 'promotion people who': 683876, 'not respect elder': 571339, 'respect elder self': 714981, 'elder self isolate': 270546, 'isolate if possible': 454872, 'if possible people': 414670, 'possible people who': 665734, 'hoard food just': 398791, 'food just be': 315259, 'just be normal': 468276, 'be normal person': 116122, 'normal person stop': 567259, 'person stop being': 652621, 'stop being cut': 804486, 'cost open': 208076, 'open source': 612511, 'source ventilator': 786578, 'ventilator 3d': 954517, 'low cost open': 505214, 'cost open source': 208077, 'open source ventilator': 612513, 'source ventilator 3d': 786579, 'marketer track': 517497, 'they change': 881739, 'change daily': 172005, 'can marketer track': 158973, 'marketer track change': 517498, 'consumer behavior they': 196526, 'behavior they change': 124240, 'they change daily': 881740, 'change daily due': 172006, 'weedsmokers': 975781, 'stonerfam': 804361, 'fullsend': 341009, 'nelkboys': 557361, 'listentoyourheart': 494822, 'got great': 358589, 'deal going': 229414, 'now weedsmokers': 576367, 'weedsmokers stonerfam': 975782, 'stonerfam 420': 804362, '420 bud': 18922, 'bud gas': 141725, 'gas fullsend': 343860, 'fullsend nelkboys': 341010, 'nelkboys stimuluschecks': 557362, 'stimuluschecks listentoyourheart': 801639, 'for price got': 324717, 'price got great': 674230, 'got great deal': 358590, 'great deal going': 362614, 'deal going right': 229415, 'right now weedsmokers': 722178, 'now weedsmokers stonerfam': 576368, 'weedsmokers stonerfam 420': 975783, 'stonerfam 420 bud': 804363, '420 bud gas': 18923, 'bud gas fullsend': 141726, 'gas fullsend nelkboys': 343861, 'fullsend nelkboys stimuluschecks': 341011, 'nelkboys stimuluschecks listentoyourheart': 557363, 'genconf': 345239, 'generalconference': 345509, 'covenant': 212165, 'genconf generalconference': 345240, 'generalconference action': 345510, 'just preaching': 469486, 'preaching not': 669238, 'just prayer': 469483, 'prayer or': 669069, 'or fasting': 615278, 'fasting cont': 300176, 'to preach': 911983, 'preach to': 669230, 'to fast': 905682, 'fast all': 299907, 'the covenant': 852221, 'covenant keeping': 212166, 'keeping just': 472462, 'add christian': 31413, 'christian action': 178107, 'action smart': 30134, 'smart distanced': 775365, 'distanced service': 246924, 'service vid': 753041, 'vid call': 956580, 'call donate': 155836, 'donate blood': 254165, 'blood perfect': 133133, 'perfect message': 651315, 'genconf generalconference action': 345241, 'generalconference action not': 345511, 'action not just': 30083, 'not just preaching': 570246, 'just preaching not': 469487, 'preaching not just': 669239, 'not just prayer': 570245, 'just prayer or': 469485, 'prayer or fasting': 669070, 'or fasting cont': 615279, 'fasting cont to': 300177, 'cont to preach': 199979, 'to preach to': 911984, 'preach to pray': 669231, 'to pray to': 911977, 'pray to fast': 669033, 'to fast all': 905683, 'fast all the': 299908, 'all the covenant': 44701, 'the covenant keeping': 852222, 'covenant keeping just': 212167, 'keeping just add': 472463, 'just add christian': 468148, 'add christian action': 31414, 'christian action smart': 178108, 'action smart distanced': 30135, 'smart distanced service': 775366, 'distanced service vid': 246925, 'service vid call': 753042, 'vid call donate': 956581, 'call donate blood': 155837, 'donate blood perfect': 254168, 'blood perfect message': 133134, 'covid2019': 214408, 'fakepandemic': 296776, 'the elite': 854199, 'elite sold': 271522, 'share prior': 755191, 'to covid2019': 903678, 'covid2019 who': 214409, 'elite more': 271518, 'more wealthy': 540956, 'wealthy than': 974225, 'were fakepandemic': 979614, 'all the elite': 44731, 'the elite sold': 854203, 'elite sold their': 271523, 'their share prior': 874674, 'share prior to': 755192, 'prior to covid2019': 678372, 'to covid2019 who': 903679, 'covid2019 who are': 214410, 'up all their': 944262, 'all their share': 45007, 'their share at': 874671, 'share at low': 754933, 'low price making': 505524, 'price making the': 675161, 'making the elite': 511415, 'the elite more': 854202, 'elite more wealthy': 271519, 'more wealthy than': 540957, 'wealthy than what': 974226, 'than what they': 841445, 'they were fakepandemic': 883770, '19 maxwell': 8572, 'maxwell demon': 520863, 'demon it': 236815, 'store they were': 810680, 'they were only': 883790, 'were only letting': 979944, 'letting in at': 487415, 'time and only': 896286, 'and only when': 68157, 'only when someone': 611471, 'when someone else': 984056, 'someone else had': 784448, 'else had left': 271715, 'had left and': 373237, 'left and we': 485383, 'and we had': 75295, 'stand on the': 793564, 'the line foot': 859407, 'line foot apart': 493092, 'foot apart it': 318346, 'apart it wa': 81297, 'wa like covid': 962543, 'covid 19 maxwell': 213409, '19 maxwell demon': 8573, 'maxwell demon it': 520864, 'demon it wa': 236816, 'wa pretty cool': 962989, 'ohio the': 596558, 'it like black': 459354, 'black friday in': 132060, 'friday in every': 333237, 'in ohio the': 426081, 'ohio the zombie': 596559, 'the zombie apocalypse': 872227, 'zombie apocalypse ha': 1027692, 'apocalypse ha come': 81532, 'ha come 19': 370200, 'jinks': 465529, 'milt': 532467, 'adapted': 31311, 'david jinks': 226985, 'jinks milt': 465530, 'milt head': 532468, 'research at': 713679, 'at look': 99620, 'how home': 408009, 'delivery adapted': 233623, 'adapted to': 31316, 'huge growth': 410055, 'epidemic took': 279461, 'hold and': 399893, 'britain fed': 140398, 'and provisioned': 69719, 'provisioned read': 687294, 'here frontlineheroes': 393032, 'david jinks milt': 226986, 'jinks milt head': 465531, 'milt head of': 532469, 'head of consumer': 385768, 'consumer research at': 198750, 'research at look': 713680, 'at look at': 99621, 'at how home': 99217, 'how home delivery': 408010, 'home delivery adapted': 401006, 'delivery adapted to': 233624, 'adapted to the': 31317, 'to the huge': 916788, 'the huge growth': 857700, 'huge growth in': 410056, 'demand the epidemic': 236348, 'the epidemic took': 854448, 'epidemic took hold': 279462, 'took hold and': 925255, 'hold and how': 399894, 'are keeping britain': 87648, 'keeping britain fed': 472390, 'britain fed and': 140399, 'fed and provisioned': 301781, 'and provisioned read': 69720, 'provisioned read here': 687295, 'read here frontlineheroes': 700352, 'all opening': 43758, 'center mean': 169257, 'now us': 576279, 'same entrance': 733052, 'entrance and': 278867, 'and relies': 70202, 'relies from': 709515, 'supermarket manila': 821458, 'manila lockdown': 513197, 'lockdown philippine': 499800, 'the month there': 860855, 'month there have': 538056, 'have been no': 379615, 'been no crowd': 121569, 'no crowd in': 563934, 'supermarket or restaurant': 821831, 'or restaurant but': 616879, 'but the reduction': 147396, 'the reduction of': 865401, 'reduction of all': 706386, 'of all opening': 579966, 'all opening hour': 43759, 'closure of shopping': 183976, 'of shopping center': 589661, 'shopping center mean': 762342, 'center mean that': 169258, 'mean that everyone': 524675, 'that everyone now': 843769, 'everyone now us': 287218, 'now us the': 576281, 'the same entrance': 866221, 'same entrance and': 733053, 'entrance and relies': 278869, 'and relies from': 70203, 'relies from single': 709516, 'from single supermarket': 337302, 'single supermarket manila': 771412, 'supermarket manila lockdown': 821459, 'manila lockdown philippine': 513198, 'wee': 975748, 'krankie': 477646, 'so bojo': 776631, 'bojo refuse': 134074, 'word lockdown': 1004518, 'tell helping': 836964, 'vulnerable person': 961118, 'ok then': 597905, 'then wee': 877736, 'wee krankie': 975749, 'krankie come': 477647, 'say lockdown': 738899, 'lockdown do': 499317, 'leave ur': 485034, 'home plus': 401872, 'plus no': 661639, 'buyer stopped': 149763, 'stopped you': 805789, 'food your': 317729, 'so bojo refuse': 776632, 'bojo refuse to': 134075, 'the word lockdown': 871707, 'word lockdown so': 1004519, 'lockdown so far': 499927, 'far can tell': 298743, 'can tell helping': 159920, 'tell helping vulnerable': 836965, 'helping vulnerable person': 391541, 'vulnerable person is': 961119, 'person is ok': 652504, 'is ok then': 450447, 'ok then wee': 597906, 'then wee krankie': 877737, 'wee krankie come': 975750, 'krankie come on': 477648, 'come on say': 187446, 'on say lockdown': 603319, 'say lockdown do': 738900, 'lockdown do not': 499318, 'not leave ur': 570352, 'leave ur home': 485035, 'ur home plus': 948016, 'home plus no': 401874, 'plus no food': 661640, 'no food delivery': 564253, 'week so if': 976889, 'if the panic': 415011, 'panic buyer stopped': 637605, 'buyer stopped you': 149764, 'stopped you getting': 805790, 'you getting food': 1018812, 'getting food your': 348990, 'youthvillageke': 1026884, 'down online': 257046, 'tip against': 898694, 'scam youthvillageke': 740492, 'lock down online': 499044, 'down online shopping': 257047, 'shopping tip against': 764153, 'tip against online': 898695, 'against online scam': 37564, 'online scam youthvillageke': 608940, 'is limit': 449357, 'that enter': 843718, 'else regarding': 271856, 'regarding socialdistancing': 707264, 'socialdistancing fall': 780357, 'moment because': 535881, 'distance naturally': 246774, 'me the only': 523653, 'do is limit': 249448, 'is limit the': 449359, 'customer that enter': 222915, 'that enter the': 843719, 'supermarket that it': 823188, 'that it everything': 844705, 'it everything else': 457883, 'everything else regarding': 287774, 'else regarding socialdistancing': 271857, 'regarding socialdistancing fall': 707265, 'socialdistancing fall in': 780358, 'fall in to': 296968, 'in to place': 430133, 'to place at': 911749, 'place at that': 657343, 'at that moment': 100856, 'that moment because': 845199, 'moment because everyone': 535882, 'because everyone will': 119051, 'everyone will keep': 287615, 'will keep their': 993900, 'their distance naturally': 873033, 'epc': 279291, 'oilandgasindustry': 597561, 'oilandgascompanies': 597559, 'outbreak impacting': 628329, 'impacting oil': 418238, 'future epc': 342315, 'epc project': 279292, 'project find': 683491, 'here oilprice': 393402, 'oilprice oilandgas': 597624, 'oilandgas oilandgasindustry': 597549, 'oilandgasindustry oilandgascompanies': 597562, 'oilandgascompanies petrochemical': 597560, 'is the outbreak': 452883, 'the outbreak impacting': 862646, 'outbreak impacting oil': 628331, 'impacting oil price': 418239, 'price and future': 672421, 'and future epc': 63446, 'future epc project': 342316, 'epc project find': 279293, 'project find out': 683492, 'out here oilprice': 626288, 'here oilprice oilandgas': 393403, 'oilprice oilandgas oilandgasindustry': 597625, 'oilandgas oilandgasindustry oilandgascompanies': 597550, 'oilandgasindustry oilandgascompanies petrochemical': 597563, 'breaking forget': 138949, 'apocalypse it': 81546, 'never gonna': 558030, 'happen worry': 377213, 'about dumbass': 25133, 'dumbass apocalypse': 262125, 'already upon': 47746, 'upon panicbuying': 947645, '19 panicbuying': 9570, 'panicbuying besafe': 638908, 'breaking forget about': 138950, 'about the zombie': 26569, 'zombie apocalypse it': 1027694, 'apocalypse it never': 81548, 'it never gonna': 459781, 'never gonna happen': 558031, 'gonna happen worry': 356554, 'happen worry about': 377214, 'worry about dumbass': 1010630, 'about dumbass apocalypse': 25134, 'dumbass apocalypse it': 262126, 'apocalypse it already': 81547, 'it already upon': 456416, 'already upon panicbuying': 47747, 'upon panicbuying coronapocalypse': 947646, 'panicbuying coronapocalypse toiletpaper': 638923, 'coronapocalypse toiletpaper 19': 205201, 'toiletpaper 19 panicbuying': 921675, '19 panicbuying besafe': 9571, 'northamerica': 567705, 'in northamerica': 425945, 'northamerica and': 567706, 'shrink and': 767689, 'contract after': 201627, 'passing of': 643382, 'consumer economy in': 197309, 'economy in northamerica': 267970, 'in northamerica and': 425946, 'northamerica and in': 567707, 'and in europe': 65048, 'in europe is': 422641, 'europe is expected': 283467, 'expected to shrink': 291000, 'to shrink and': 914592, 'shrink and contract': 767690, 'and contract after': 60504, 'contract after the': 201628, 'after the passing': 36343, 'the passing of': 863334, 'passing of pandemic': 643383, 'mnths': 534835, 'be calm': 113957, 'rush over': 728324, 'grocery bcoz': 364308, 'bcoz these': 113353, 'basis but': 112226, 'but buying': 145329, 'for mnths': 323468, 'mnths will': 534836, 'them running': 876230, 'temporary basis': 837584, 'basis and': 112218, 'on rise': 603199, 'price coronainpakistan': 673255, 'ppl need to': 668286, 'to be calm': 901146, 'be calm and': 113958, 'calm and do': 156686, 'to rush over': 913686, 'rush over the': 728325, 'over the grocery': 630727, 'the grocery bcoz': 856803, 'grocery bcoz these': 364309, 'bcoz these thing': 113354, 'these thing will': 880821, 'available on regular': 104533, 'regular basis but': 707739, 'basis but buying': 112227, 'but buying for': 145330, 'buying for mnths': 150354, 'for mnths will': 323469, 'mnths will make': 534837, 'will make them': 994092, 'make them running': 510612, 'them running out': 876232, 'of stock on': 590180, 'stock on temporary': 802565, 'on temporary basis': 603899, 'temporary basis and': 837585, 'basis and impact': 112219, 'and impact on': 65010, 'impact on rise': 417886, 'on rise in': 603200, 'in price coronainpakistan': 426957, 'billing city': 130755, 'city transit': 179432, 'driver represented': 259719, 'local 190': 497659, '190 keep': 12297, 'transit moving': 929638, 'moving and': 544119, 'billing city transit': 130756, 'city transit driver': 179433, 'transit driver represented': 929632, 'driver represented by': 259720, 'represented by local': 712932, 'by local 190': 153072, 'local 190 keep': 497660, '190 keep the': 12298, 'keep the public': 472065, 'the public transit': 864863, 'public transit moving': 688396, 'transit moving and': 929639, 'moving and allow': 544120, 'and allow those': 57919, 'allow those in': 46095, 'store and medical': 806295, 'medical care facility': 526080, 'care facility during': 163926, 'facility during the': 295326, 'palm oil': 634607, 'to decrease': 904031, 'decrease slightly': 231601, 'slightly from': 773957, 'current level': 221243, 'level over': 487674, 'palm oil price': 634608, 'expected to decrease': 290972, 'to decrease slightly': 904035, 'decrease slightly from': 231602, 'slightly from it': 773958, 'it current level': 457438, 'current level over': 221244, 'level over the': 487675, 'six month due': 772668, 'due to fall': 261783, 'gdp is': 344895, 'spending over': 788942, '10 mil': 1518, 'mil unemployed': 531303, 'unemployed so': 941131, 'far by': 298738, 'gone american': 356201, 'american ll': 52083, 'be drowning': 114614, 'drowning in': 260822, 'card medical': 163579, 'debt probably': 230537, 'probably student': 679386, 'debt too': 230587, 'mention back': 528745, 'rent massive': 711125, 'massive gov': 520036, 'nearly of gdp': 553849, 'of gdp is': 584069, 'gdp is consumer': 344897, 'consumer spending over': 199081, 'spending over 10': 788943, 'over 10 mil': 629756, '10 mil unemployed': 1519, 'mil unemployed so': 531304, 'unemployed so far': 941132, 'so far by': 777017, 'far by the': 298739, 'time is gone': 897056, 'is gone american': 448112, 'gone american ll': 356202, 'american ll be': 52084, 'll be drowning': 496581, 'be drowning in': 114615, 'drowning in credit': 260823, 'credit card medical': 216344, 'card medical debt': 163580, 'medical debt probably': 526126, 'debt probably student': 230538, 'probably student loan': 679387, 'loan debt too': 497424, 'debt too not': 230588, 'too not to': 924971, 'to mention back': 910084, 'mention back rent': 528746, 'back rent massive': 107254, 'rent massive gov': 711126, 'something it': 784955, 'simple you': 770141, 'really stupid': 702627, 'stupid it': 815410, 'fucking stupid in': 340021, 'stupid in this': 815407, 'this country they': 886975, 'country they only': 211142, 'they only go': 882822, 'you need something': 1020038, 'need something it': 555610, 'something it that': 784957, 'it that simple': 461500, 'that simple you': 846318, 'simple you re': 770142, 'you re really': 1020720, 're really stupid': 699362, 'really stupid it': 702629, 'stupid it embarrassing': 815411, 'it embarrassing stophoarding': 457792, 'breaking news alberta': 138998, 'news alberta and': 560206, 'received many': 703641, 'many email': 514028, 'haven in': 383839, 'my cellphone': 547650, 'cellphone carrier': 168977, 'carrier here': 164987, 'what each': 981394, 'each major': 264117, 'carrier is': 164994, 've received many': 953488, 'received many email': 703642, 'many email from': 514029, 'from business in': 334754, 'business in regard': 143898, 'regard to the': 707158, 'the but haven': 850194, 'but haven in': 145890, 'haven in regard': 383840, 'regard to my': 707156, 'to my cellphone': 910381, 'my cellphone carrier': 547651, 'cellphone carrier here': 168978, 'carrier here list': 164988, 'of what each': 593049, 'what each major': 981395, 'each major carrier': 264118, 'major carrier is': 509254, 'carrier is doing': 164995, 'doing for it': 252414, 'merkel and': 529145, 'her bog': 391889, 'roll sickening': 725499, 'sickening thought': 768719, 'merkel and her': 529146, 'and her bog': 64507, 'her bog roll': 391890, 'bog roll sickening': 133961, 'roll sickening thought': 725500, 'preppers prevent': 670406, 'not flooding': 569450, 'the preppers': 864237, 'preppers the': 670411, 'preppers because': 670397, 'they prepared': 882904, 'prepared the': 670239, 'the sheeple': 866809, 'sheeple chinesevirus': 756559, 'preppers prevent panic': 670407, 'prevent panic the': 671695, 'panic the one': 638686, 'the one not': 862207, 'one not flooding': 606723, 'not flooding the': 569451, 'flooding the grocery': 310759, 'are the preppers': 90886, 'the preppers the': 864239, 'preppers the one': 670412, 'one not panic': 606724, 'food and tp': 313368, 'and tp the': 74335, 'tp the preppers': 927974, 'the preppers because': 864238, 'preppers because they': 670398, 'because they prepared': 119713, 'they prepared the': 882905, 'prepared the panic': 670240, 'one not prepared': 606725, 'not prepared the': 571079, 'prepared the sheeple': 670241, 'the sheeple chinesevirus': 866810, 'ashish': 95095, 'agarwal': 37772, 'onlineassistance': 609780, 'hello friend': 389164, 'friend all': 333486, 'of know': 585666, 'world disease': 1009485, 'disease citizen': 245102, 'to won': 918665, 'the match': 860281, 'match from': 520289, 'from korona': 336183, 'korona so': 477542, 'so myself': 777851, 'is ashish': 445817, 'ashish agarwal': 95096, 'agarwal am': 37773, 'am providing': 50327, 'of onlineassistance': 587267, 'onlineassistance consultation': 609781, 'consultation like': 195886, 'hello friend all': 389165, 'friend all of': 333487, 'all of know': 43700, 'of know covid': 585667, '19 world disease': 12185, 'world disease citizen': 1009486, 'disease citizen of': 245103, 'of india we': 585120, 'india we all': 434685, 'all do any': 42587, 'do any kind': 249082, 'of help to': 584547, 'help to won': 390800, 'to won the': 918666, 'won the match': 1003926, 'the match from': 860282, 'match from korona': 520290, 'from korona so': 336184, 'korona so myself': 477543, 'so myself is': 777852, 'myself is ashish': 550888, 'is ashish agarwal': 445818, 'ashish agarwal am': 95097, 'agarwal am providing': 37774, 'am providing any': 50328, 'providing any type': 686945, 'type of onlineassistance': 937570, 'of onlineassistance consultation': 587268, 'onlineassistance consultation like': 609782, 'consultation like shopping': 195887, 'like shopping bill': 491180, 'nrf': 576629, 'stopping key': 805817, 'retail recovery': 718439, 'recovery retail': 705395, 'retail nrf': 718339, 'nrf consumer': 576630, 'economy housewares': 267944, 'stopping key to': 805818, 'key to retail': 473443, 'to retail recovery': 913451, 'retail recovery retail': 718440, 'recovery retail nrf': 705396, 'retail nrf consumer': 718340, 'nrf consumer economy': 576631, 'consumer economy housewares': 197308, 'economy housewares homeworld': 267945, 'selfishnessvirus': 748390, 'criminal wasting': 216891, 'bad expired': 107850, 'expired depriving': 292060, 'depriving many': 237711, 'and pushing': 69801, 'not catch': 568713, 'but selfishnessvirus': 147000, 'selfishnessvirus ha': 748391, 'caught them': 167465, 'sure well': 827812, 'well ca': 978085, 'disgusting and criminal': 245391, 'and criminal wasting': 60754, 'criminal wasting food': 216892, 'wasting food that': 968311, 'will go bad': 993542, 'go bad expired': 353355, 'bad expired depriving': 107851, 'expired depriving many': 292061, 'depriving many of': 237712, 'many of getting': 514373, 'getting some essential': 349295, 'some essential product': 782762, 'product and pushing': 680902, 'and pushing price': 69802, 'price up they': 677262, 'up they might': 946270, 'might not catch': 531092, 'not catch the': 568714, 'catch the covid': 167035, '19 but selfishnessvirus': 5524, 'but selfishnessvirus ha': 147001, 'selfishnessvirus ha caught': 748392, 'ha caught them': 370071, 'caught them for': 167466, 'them for sure': 875726, 'for sure well': 326079, 'sure well ca': 827813, 'outpaces': 629207, 'rate outpaces': 697335, 'outpaces canadian': 629208, 'inflation rate outpaces': 437227, 'rate outpaces canadian': 697336, 'outpaces canadian average': 629209, 'bonifacio': 134316, 'post circulating': 666039, 'circulating online': 178684, 'about sen': 26160, 'sen koko': 749675, 'pimentel seen': 656756, 'seen shopping': 747222, 'at bonifacio': 98146, 'bonifacio global': 134317, 'statement on post': 796200, 'on post circulating': 602860, 'post circulating online': 666040, 'circulating online about': 178685, 'online about sen': 607759, 'about sen koko': 26161, 'sen koko pimentel': 749676, 'koko pimentel seen': 477352, 'pimentel seen shopping': 656757, 'seen shopping at': 747223, 'shopping at bonifacio': 762088, 'at bonifacio global': 98147, 'bonifacio global city': 134318, 'small italian': 775006, 'stocked queue': 803376, 'long though': 501751, 'though because': 892780, 'day instead': 227825, 'of weekly': 593012, 'weekly mainly': 977513, 'to socialise': 914836, 'socialise got': 780941, 'than uk': 841374, 'uk response': 938666, 'work in small': 1005343, 'in small italian': 428017, 'small italian supermarket': 775007, 'italian supermarket 10': 462728, 'supermarket 10 people': 818723, '10 people allowed': 1610, 'at time 2m': 101281, '2m apart in': 16662, 'apart in out': 81290, 'in out shelf': 426361, 'out shelf fully': 627171, 'fully stocked queue': 341098, 'stocked queue are': 803377, 'queue are long': 693874, 'are long though': 87875, 'long though because': 501752, 'though because people': 892782, 'because people going': 119472, 'people going shopping': 648100, 'going shopping every': 355448, 'every day instead': 285821, 'day instead of': 227826, 'instead of weekly': 440340, 'of weekly mainly': 593013, 'weekly mainly to': 977514, 'mainly to socialise': 508897, 'to socialise got': 914837, 'socialise got to': 780942, 'better than uk': 128542, 'than uk response': 841377, 'repatriation': 711477, 'maldives national': 511677, 'national carrier': 552435, 'carrier revise': 165014, 'revise ticket': 720629, 'of repatriation': 588936, 'repatriation flight': 711478, 'flight coronacrisis': 310458, 'coronacrisis coronaalert': 204564, 'maldives national carrier': 511678, 'national carrier revise': 552436, 'carrier revise ticket': 165015, 'revise ticket price': 720630, 'price of repatriation': 675556, 'of repatriation flight': 588937, 'repatriation flight coronacrisis': 711479, 'flight coronacrisis coronaalert': 310459, 'navi': 553054, 'vashi': 952691, 'navi mumbai': 553055, 'mumbai police': 546021, 'police set': 663197, 'up mobile': 945392, 'mobile sanitizer': 535019, 'sanitizer van': 736002, 'van for': 952300, 'for cop': 320353, 'cop at': 203255, 'at vashi': 101427, 'vashi toll': 952692, 'toll naka': 923853, 'naka coronainmaharashtra': 551542, 'navi mumbai police': 553056, 'mumbai police set': 546022, 'police set up': 663198, 'set up mobile': 753567, 'up mobile sanitizer': 945393, 'mobile sanitizer van': 535020, 'sanitizer van for': 736003, 'van for cop': 952301, 'for cop at': 320354, 'cop at vashi': 203256, 'at vashi toll': 101428, 'vashi toll naka': 952693, 'toll naka coronainmaharashtra': 923854, 'these film': 880008, 'film will': 305716, 'you washing': 1022178, 'while singing': 987276, 'singing happy': 771214, 'birthday twice': 131463, 'twice using': 936550, 'sanitizer stocking': 735819, 'mom read': 535794, 'more contagion': 538883, 'contagion podcast': 200420, 'podcast horror': 662282, 'these film will': 880009, 'film will have': 305717, 'will have you': 993686, 'have you washing': 383700, 'you washing your': 1022179, 'your hand while': 1024243, 'hand while singing': 375984, 'while singing happy': 987277, 'singing happy birthday': 771215, 'happy birthday twice': 377593, 'birthday twice using': 131464, 'twice using hand': 936551, 'hand sanitizer stocking': 375605, 'sanitizer stocking up': 735820, 'and even using': 62352, 'even using social': 284757, 'using social distancing': 950660, 'from your mom': 338482, 'your mom read': 1024850, 'mom read more': 535795, 'read more contagion': 700427, 'more contagion podcast': 538884, 'contagion podcast horror': 200421, 'free tv': 332282, 'tv usage': 936217, 'hospital patient': 404553, 'watch anything': 968363, 'anything due': 80736, 'can you fight': 160299, 'you fight for': 1018555, 'fight for free': 304737, 'for free tv': 321735, 'free tv usage': 332283, 'tv usage in': 936218, 'usage in hospital': 948832, 'in hospital patient': 423813, 'hospital patient are': 404554, 'patient are being': 644141, 'being left for': 125377, 'left for week': 485473, 'week without being': 977271, 'without being able': 1002519, 'able to watch': 24569, 'to watch anything': 918378, 'watch anything due': 968364, 'anything due to': 80737, 'where need': 985047, 'here the line': 393657, 'line waiting on': 493548, 'waiting on around': 964363, 'on around the': 599468, 'corner from the': 203645, 'the giant supermarket': 856261, 'giant supermarket where': 349873, 'supermarket where worker': 823831, 'where worker tested': 985373, 'for and where': 319350, 'and where need': 75539, 'where need to': 985048, 'to get prescription': 906564, 'list which': 494594, 'updated tonight': 947451, 'tonight look': 924441, 'like takeaway': 491287, 'takeaway are': 832844, 'distribution amp': 248104, 'amp sale': 54430, 'beverage amp': 128982, 'found the list': 330412, 'the list which': 859475, 'list which will': 494596, 'be updated tonight': 117894, 'updated tonight look': 947452, 'tonight look like': 924442, 'look like takeaway': 502514, 'like takeaway are': 491288, 'takeaway are closed': 832845, 'but business involved': 145325, 'delivery distribution amp': 233870, 'distribution amp sale': 248105, 'amp sale of': 54431, 'food beverage amp': 313739, 'beverage amp other': 128983, 'amp other key': 54242, 'consumer good are': 197598, 'open with measure': 612678, 'with measure in': 999462, 'place to protect': 657763, 'there starting': 879091, 'usage an': 948814, 'hi there starting': 394754, 'there starting on': 879092, 'domestic usage an': 253243, 'lockdowncomforteatinganddrinking': 500232, 'online dress': 608129, 'dress shopping': 258678, 'shopping unsure': 764289, 'unsure whether': 943586, 'usual size': 951016, 'size or': 772793, '19 lockdowncomforteatinganddrinking': 8445, 'some online dress': 783440, 'online dress shopping': 608130, 'dress shopping unsure': 258679, 'shopping unsure whether': 764290, 'unsure whether to': 943587, 'whether to go': 985603, 'go for my': 353567, 'for my usual': 323758, 'my usual size': 550480, 'usual size or': 951017, 'size or covid': 772794, 'covid 19 lockdowncomforteatinganddrinking': 213368, 'shamed': 754670, 'all hoarder': 43132, 'hoarder publicly': 399099, 'publicly named': 688591, 'named and': 551712, 'their hoard': 873547, 'hoard confiscated': 398772, 'confiscated all': 194252, 'business profiteering': 144269, 'profiteering fined': 683031, 'fined named': 307757, 'and shamed': 71367, 'shamed and': 754671, 'and boycotted': 59136, 'boycotted business': 137363, 'business firing': 143741, 'firing their': 308297, 'staff above': 792074, 'above price': 27095, 'service frozen': 752414, 'frozen at': 338955, '01 jan': 720, 'jan 2020': 464456, '2020 level': 14418, 'coping with all': 203394, 'with all hoarder': 997152, 'all hoarder publicly': 43133, 'hoarder publicly named': 399100, 'publicly named and': 688592, 'named and their': 551714, 'and their hoard': 73691, 'their hoard confiscated': 873548, 'hoard confiscated all': 398773, 'confiscated all shop': 194253, 'all shop and': 44315, 'and business profiteering': 59299, 'business profiteering fined': 144270, 'profiteering fined named': 683032, 'fined named and': 307758, 'named and shamed': 551713, 'and shamed and': 71368, 'shamed and boycotted': 754672, 'and boycotted business': 59137, 'boycotted business firing': 137364, 'business firing their': 143742, 'firing their staff': 308298, 'their staff above': 874788, 'staff above price': 792075, 'above price of': 27096, 'of all good': 579944, 'and service frozen': 71303, 'service frozen at': 752415, 'frozen at 01': 338956, 'at 01 jan': 97368, '01 jan 2020': 721, 'jan 2020 level': 464457, 'been advocating': 120617, 'for video': 327557, 'game addiction': 343108, 'classified mental': 180361, 'it healthy': 458518, 'healthy coping': 387562, 'coping skill': 203385, 'skill in': 772957, 'agree the': 38648, 'same rule': 733273, 'rule apply': 727196, 'binge drinking': 131072, 'drinking and': 258915, 'the who ha': 871472, 'ha been advocating': 369710, 'been advocating for': 120618, 'advocating for video': 33868, 'for video game': 327558, 'video game addiction': 956750, 'game addiction to': 343109, 'addiction to be': 31653, 'be classified mental': 114095, 'classified mental illness': 180362, 'mental illness but': 528655, 'illness but they': 416349, 'but they took': 147522, 'they took it': 883580, 'took it back': 925265, 'it back and': 456663, 'back and said': 106864, 'and said it': 70765, 'said it healthy': 731156, 'it healthy coping': 458519, 'healthy coping skill': 387563, 'coping skill in': 203386, 'skill in isolation': 772958, 'in isolation can': 424192, 'isolation can we': 455232, 'all agree the': 41971, 'agree the same': 38650, 'the same rule': 866292, 'same rule apply': 733274, 'rule apply to': 727197, 'apply to binge': 82610, 'to binge drinking': 901822, 'binge drinking and': 131073, 'drinking and online': 258916, 'history we': 398071, '19 coronainmaharashtra': 6068, 'in history we': 423760, 'history we can': 398072, 'nothing and staying': 572927, 'covid 19 coronainmaharashtra': 212865, 'flagging': 309958, 'case perhaps': 165959, 'worth flagging': 1011361, 'flagging medical': 309959, 'medical community': 526097, 'community had': 189879, 'had posted': 373416, 'posted instruction': 666542, 'instruction amp': 440536, 'amp cute': 53600, 'cute video': 223678, 'for lab': 322869, 'tested diy': 839288, 'ease panic': 265094, 'shortage diy': 764908, 'in step': 428265, 'step on': 799605, '80 90': 22541, '90 efficacy': 23293, 'if that is': 414940, 'is the case': 452744, 'the case perhaps': 850464, 'case perhaps it': 165960, 'perhaps it is': 651609, 'it is worth': 459135, 'is worth flagging': 454081, 'worth flagging medical': 1011362, 'flagging medical community': 309960, 'medical community had': 526098, 'community had posted': 189880, 'had posted instruction': 373417, 'posted instruction amp': 666543, 'instruction amp cute': 440537, 'amp cute video': 53601, 'cute video for': 223679, 'video for lab': 956731, 'for lab tested': 322870, 'lab tested diy': 478294, 'tested diy mask': 839289, 'diy mask to': 248760, 'mask to ease': 519399, 'to ease panic': 904853, 'ease panic amp': 265095, 'panic amp shortage': 637290, 'amp shortage diy': 54496, 'shortage diy mask': 764909, 'diy mask in': 248755, 'mask in step': 518835, 'in step on': 428266, 'step on 80': 799606, 'on 80 90': 599121, '80 90 efficacy': 22542, 'adaptable': 31296, 'is adaptable': 445339, 'adaptable resilient': 31299, 'zealand fed': 1027280, 'fed visit': 301928, 'industry is adaptable': 435920, 'is adaptable resilient': 445340, 'adaptable resilient and': 31300, 'resilient and ready': 714518, 'and ready to': 69992, 'take to keep': 832737, 'to keep new': 908816, 'keep new zealand': 471696, 'new zealand fed': 559983, 'zealand fed visit': 1027281, 'fed visit for': 301929, 'love cannot': 504630, 'cannot accept': 161582, 'home selfisolation': 402032, 'selfisolation family': 748448, 'family socialdistance': 298235, 'socialdistance try': 780170, 'mother away': 543062, 'very important read': 955252, 'important read from': 418942, 'read from on': 700342, 'from on when': 336675, 'when the people': 984185, 'you love cannot': 1019729, 'love cannot accept': 504631, 'cannot accept that': 161583, 'accept that they': 27997, 'stay home selfisolation': 797001, 'home selfisolation family': 402033, 'selfisolation family socialdistance': 748449, 'family socialdistance try': 298236, 'socialdistance try to': 780171, 'keep my mother': 471689, 'my mother away': 549325, 'mother away from': 543063, 'every day stay': 285842, 'cannot add': 161593, 'bank when': 110289, 'basket for': 112336, 'foodbank option': 317785, 'why cannot add': 990869, 'cannot add option': 161594, 'option to donate': 614121, 'food bank when': 313666, 'bank when shopping': 110290, 'online do you': 608119, 'want to add': 965982, 'to add this': 900070, 'to your basket': 918954, 'your basket for': 1022916, 'basket for local': 112337, 'for local foodbank': 323048, 'local foodbank option': 497980, 'remember grocery': 710202, 'this full': 887648, 'full me': 340680, 'neither californiaquarantine': 557315, 'californiaquarantine stayhome': 155663, 'anyone remember grocery': 80491, 'remember grocery store': 710203, 'store shelf being': 810062, 'shelf being this': 756891, 'being this full': 125943, 'this full me': 887650, 'full me neither': 340681, 'me neither californiaquarantine': 523209, 'neither californiaquarantine stayhome': 557316, 'in officer': 426066, 'officer face': 595653, 'spitting the': 789613, 'the criminal': 852331, 'choice coughing': 177748, 'on police': 602832, 'officer bus': 595643, 'guard or': 367826, 'or store': 617244, 'clerk more': 181737, 'crime with': 216813, 'spitting in officer': 789593, 'in officer face': 426067, 'officer face seriously': 595654, 'seriously spitting the': 751727, 'spitting the criminal': 789614, 'the criminal new': 852332, 'of choice coughing': 581399, 'choice coughing on': 177749, 'coughing on police': 208721, 'on police officer': 602833, 'police officer bus': 663116, 'officer bus driver': 595644, 'driver security guard': 259741, 'security guard or': 744621, 'guard or store': 367827, 'or store clerk': 617245, 'store clerk more': 807018, 'clerk more serious': 181738, 'serious crime with': 751366, 'crime with more': 216814, 'with more serious': 999562, 'restau': 716255, 'northern ontario': 567767, 'ontario canada': 611585, 'area most': 92108, 'most are': 542109, 'home shelf': 402047, 'available school': 104583, 'closed seating': 183324, 'in restau': 427424, 'in northern ontario': 425956, 'northern ontario canada': 567768, 'ontario canada and': 611586, 'canada and there': 160361, 'are no case': 88244, 'no case of': 563767, 'this area most': 886405, 'area most are': 92109, 'most are staying': 542112, 'staying home shelf': 798620, 'home shelf in': 402048, 'store are getting': 806480, 'are getting low': 86818, 'getting low in': 349106, 'low in stock': 505339, 'in stock in': 428309, 'stock in some': 802275, 'some area but': 782336, 'area but there': 91968, 'but there enough': 147463, 'food available school': 313477, 'available school closed': 104584, 'school closed seating': 741735, 'closed seating in': 183325, 'seating in restau': 743537, 'meanwhile anyone': 524947, 'anyone got': 80337, 'good simple': 357736, 'simple science': 770090, 'science experiment': 742103, 'experiment for': 291733, 'for seven': 325510, 'one asap': 605956, 'meanwhile anyone got': 524948, 'anyone got good': 80339, 'got good simple': 358588, 'good simple science': 357737, 'simple science experiment': 770091, 'science experiment for': 742104, 'experiment for seven': 291734, 'for seven year': 325511, 'seven year old': 753779, 'year old need': 1014854, 'old need one': 598387, 'need one asap': 555366, 'deliberation': 232986, 'crochet': 218828, 'rowing': 726596, 'following much': 312796, 'much deliberation': 544821, 'deliberation and': 232987, 'the agenda': 848445, 'agenda for': 38117, 'week crochet': 976126, 'crochet baking': 218829, 'baking rowing': 108921, 'rowing study': 726597, 'study research': 814946, 'research work': 713884, 'work ep': 1005097, 'ep fag': 279269, 'fag alcohol': 296076, 'alcohol sweet': 41126, 'sweet 36': 830217, '36 penguin': 18022, 'penguin classic': 646503, 'classic on': 180335, 'on cd': 599851, 'cd the': 168528, 'buying stress': 151102, 'anxiety not': 78758, 'not donating': 569092, 'following much deliberation': 312797, 'much deliberation and': 544822, 'deliberation and debate': 232988, 'and debate the': 60996, 'debate the agenda': 230320, 'the agenda for': 848446, 'agenda for the': 38119, 'two week crochet': 937325, 'week crochet baking': 976127, 'crochet baking rowing': 218830, 'baking rowing study': 108922, 'rowing study research': 726598, 'study research work': 814947, 'research work ep': 713885, 'work ep fag': 1005098, 'ep fag alcohol': 279270, 'fag alcohol sweet': 296077, 'alcohol sweet 36': 41127, 'sweet 36 penguin': 830218, '36 penguin classic': 18023, 'penguin classic on': 646504, 'classic on cd': 180336, 'on cd the': 599852, 'cd the public': 168529, 'public panic buying': 688214, 'panic buying stress': 637909, 'buying stress anxiety': 151103, 'stress anxiety not': 813305, 'anxiety not donating': 78759, 'not donating to': 569093, 'online keeping': 608458, 'business going': 143791, 'going or': 355353, 'or creating': 614854, 'unnecessary work': 942963, 'for postal': 324640, 'shopping online keeping': 763452, 'online keeping the': 608459, 'keeping the economy': 472576, 'economy and business': 267639, 'and business going': 59282, 'business going or': 143794, 'going or creating': 355354, 'or creating unnecessary': 614855, 'creating unnecessary work': 216101, 'unnecessary work for': 942964, 'work for postal': 1005169, 'for postal worker': 324642, 'postal worker courier': 666470, 'worker courier who': 1006709, '19 are you': 5210, 'you still shopping': 1021412, 'sheesh': 756590, 'bad an': 107755, 'have ya': 383645, 'ya seen': 1014025, 'dating standard': 226804, 'standard sheesh': 793700, '19 is bad': 7938, 'is bad an': 445958, 'bad an all': 107757, 'an all but': 55236, 'all but like': 42252, 'but like have': 146275, 'like have ya': 490389, 'have ya seen': 383646, 'ya seen the': 1014026, 'seen the gas': 747281, 'lower than my': 506013, 'than my dating': 840915, 'my dating standard': 547920, 'dating standard sheesh': 226805, 'ecommerce up': 266885, '25 onlinegrocery': 15932, 'onlinegrocery shopping': 609820, '807 economy': 22749, 'economy grocery': 267910, 'ecommerce up 25': 266886, 'up 25 onlinegrocery': 944143, '25 onlinegrocery shopping': 15933, 'onlinegrocery shopping up': 609821, 'up 807 economy': 944209, '807 economy grocery': 22750, 'economy grocery grocery': 267911, 'ceo piped': 169806, 'piped in': 656889, 'in telling': 428862, 'falling mile': 297302, 'mile short': 531414, 'short we': 764788, 'supermarket ha the': 820651, 'ha the voice': 372231, 'voice of our': 959992, 'of our ceo': 587431, 'our ceo piped': 622345, 'ceo piped in': 169807, 'piped in telling': 656890, 'in telling the': 428863, 'telling the customer': 837266, 'the customer how': 852722, 'customer how the': 222474, 'how the shop': 408873, 'the shop is': 867005, 'shop is doing': 760358, 'doing everything possible': 252390, 'possible to protect': 665850, 'protect them while': 685011, 'store but when': 806817, 'to the safety': 917033, 'their staff they': 874801, 'they are falling': 881272, 'are falling mile': 86467, 'falling mile short': 297303, 'mile short we': 531415, 'short we have': 764789, 'goodness someone': 358066, 'is recognizing': 451347, 'recognizing the': 704676, 'teacher are': 835431, 'doing at': 252303, 'thank goodness someone': 841589, 'goodness someone is': 358067, 'someone is recognizing': 784535, 'is recognizing the': 451348, 'recognizing the great': 704678, 'great work our': 363117, 'work our teacher': 1005576, 'our teacher are': 625090, 'teacher are doing': 835433, 'are doing at': 85888, 'doing at this': 252304, 'challenging time thank': 171650, 'bread today': 138616, 'get diesel': 346876, 'diesel pressure': 241671, 'washer and': 967627, 'milk socialdistancing': 531822, 'socialdistancing infecting': 780452, 'infecting 19uk': 436679, '19uk 19': 12549, 'virus coronapocolypse': 958088, 'coronapocolypse corona': 205222, 'no bread today': 563732, 'bread today in': 138617, 'supermarket but you': 819465, 'but you could': 147981, 'could get diesel': 209199, 'get diesel pressure': 346877, 'diesel pressure washer': 241672, 'pressure washer and': 671250, 'washer and milk': 967628, 'and milk socialdistancing': 67017, 'milk socialdistancing infecting': 531823, 'socialdistancing infecting 19uk': 780453, 'infecting 19uk 19': 436680, '19uk 19 virus': 12550, '19 virus coronapocolypse': 11793, 'virus coronapocolypse corona': 958089, 'globe delivery': 352454, 'become essential': 119982, 'essential first': 281031, 'unlike traditional': 942733, 'traditional emergency': 928997, '19 sweep across': 11004, 'the globe delivery': 856351, 'globe delivery driver': 352455, 'delivery driver have': 233915, 'have become essential': 379432, 'become essential first': 119983, 'essential first responder': 281032, 'responder but unlike': 715434, 'but unlike traditional': 147663, 'unlike traditional emergency': 942734, 'traditional emergency worker': 928998, 'emergency worker they': 273066, 'worker they face': 1007964, 'face the pandemic': 294799, 'the pandemic without': 863160, 'pay insurance or': 644961, 'insurance or sanitizer': 440787, 'notice excessive': 573270, 'you notice excessive': 1020143, 'notice excessive price': 573271, 'increase for basic': 432776, 'basic necessity report': 112001, 'make whole': 510713, 'whole grocery': 990227, 'store list': 808774, 'store nothing': 809115, 'purchase all': 689339, 'ppl buying': 668196, 'crazy yo': 215492, 'can make whole': 158956, 'make whole grocery': 510714, 'whole grocery store': 990228, 'grocery store list': 365531, 'store list and': 808775, 'list and make': 494270, 'the store nothing': 868064, 'store nothing on': 809117, 'nothing on your': 573129, 'on your list': 605478, 'your list is': 1024664, 'list is available': 494373, 'to purchase all': 912516, 'purchase all sold': 689340, 'sold out it': 781737, 'out it like': 626445, 'it like what': 459386, 'the point this': 863908, 'point this got': 662660, 'this got ppl': 887728, 'got ppl buying': 358795, 'ppl buying anything': 668197, 'buying anything they': 149952, 'anything they see': 80908, 'they see it': 883291, 'see it seems': 745339, 'seems this shit': 746873, 'is crazy yo': 446905, 'this eternal': 887420, 'eternal cycle': 282931, 'cycle of': 224060, 'hungry person': 411296, 'person eats': 652412, 'eats wild': 266394, 'wild creature': 992051, 'creature hungry': 216260, 'person catch': 652354, 'catch corona': 166989, 'virus greedy': 958232, 'greedy idiot': 363531, 'starving hungry': 795258, 'believe we will': 126409, 'will be stuck': 992705, 'stuck in this': 814602, 'in this eternal': 429943, 'this eternal cycle': 887421, 'eternal cycle of': 282932, 'cycle of hungry': 224061, 'of hungry person': 584925, 'hungry person eats': 411298, 'person eats wild': 652413, 'eats wild creature': 266395, 'wild creature hungry': 992052, 'creature hungry person': 216261, 'hungry person catch': 411297, 'person catch corona': 652355, 'catch corona virus': 166990, 'virus spread of': 958788, 'the virus greedy': 870835, 'virus greedy idiot': 958233, 'greedy idiot panic': 363532, 'idiot panic and': 413565, 'the food people': 855587, 'food people are': 315830, 'people are starving': 647086, 'are starving hungry': 90360, 'stayhomecanada 19': 798255, '19 cybersecurity': 6400, 'cybersecurity cybercrime': 223990, 'cybercrime scam': 223960, 'scammer scammer': 740618, 'stayhomecanada 19 cybersecurity': 798256, '19 cybersecurity cybercrime': 6401, 'cybersecurity cybercrime scam': 223991, 'cybercrime scam scammer': 223961, 'scam scammer scammer': 740352, 'scammer scammer follow': 740619, 'jcpenney temporarily': 464925, 'business office': 144131, 'open closure': 612155, 'closure stayhome': 184035, 'jcpenney temporarily close': 464926, 'store and business': 806208, 'and business office': 59293, 'business office in': 144132, 'office in response': 595452, 'remains open closure': 710043, 'open closure stayhome': 612156, 'crm': 218802, 'expert insight': 291864, 'insight four': 439542, 'four long': 330626, 'term retail': 838274, 'world chain': 1009408, 'age popup': 37886, 'popup transaction': 664762, 'transaction crm': 929447, 'crm email': 218805, 'email via': 272359, 'expert insight four': 291865, 'insight four long': 439543, 'four long term': 330627, 'long term retail': 501712, 'term retail trend': 838275, 'retail trend in': 718817, 'trend in post': 931366, '19 world chain': 12184, 'world chain store': 1009409, 'store age popup': 806098, 'age popup transaction': 37887, 'popup transaction crm': 664763, 'transaction crm email': 929448, 'crm email via': 218806, 'milking': 531925, 'disinvestment': 245954, 'neocolonization': 557388, 'is milking': 449648, 'milking this': 531928, 'hit nation': 398335, 'of disinvestment': 582693, 'disinvestment going': 245955, 'the crashing': 852281, 'crashing economy': 215112, 'somewhat neocolonization': 785263, 'neocolonization by': 557389, 'china is milking': 176754, 'is milking this': 449649, 'milking this opportunity': 531929, 'buy the company': 149288, 'the company in': 851331, 'company in hit': 190762, 'in hit nation': 423764, 'hit nation and': 398336, 'nation and on': 552120, 'and on very': 68073, 'on very low': 605039, 'low price there': 505541, 'price there lot': 676884, 'lot of disinvestment': 504177, 'of disinvestment going': 582694, 'disinvestment going on': 245956, 'of the crashing': 590908, 'the crashing economy': 852282, 'crashing economy and': 215113, 'economy and it': 267649, 'it is somewhat': 459085, 'is somewhat neocolonization': 452122, 'somewhat neocolonization by': 785264, 'ticket for': 895617, '12 railway': 2942, 'railway station': 695717, 'in including': 424003, 'including ha': 431998, 'been increased': 121368, 'avoid extra': 105098, 'at rail': 100241, 'rail premise': 695678, 'premise ie': 669927, 'platform ticket for': 659032, 'ticket for 12': 895618, 'for 12 railway': 318643, '12 railway station': 2943, 'railway station in': 695718, 'station in including': 796434, 'in including ha': 424005, 'including ha been': 431999, 'ha been increased': 369833, 'been increased time': 121369, 'increased time from': 433510, 'time from 10': 896803, '10 to 50': 1730, 'to 50 to': 899749, '50 to avoid': 19890, 'to avoid extra': 900894, 'avoid extra people': 105099, 'extra people at': 293602, 'people at rail': 647179, 'at rail premise': 100242, 'rail premise ie': 695679, 'toiletpaperhunt': 923177, 'bonkeroverbogroll': 134322, 'selfisotation': 748519, 'washyourhan': 967851, 'after holding': 35797, 'holding it': 400125, 'week toiletpaperhunt': 977112, 'toiletpaperhunt wa': 923179, 'and mark': 66698, 'mark wa': 515838, 'finally able': 305929, 'to poop': 911875, 'poop toiletpaper': 664071, 'toiletpapercrisis bonkeroverbogroll': 923011, 'bonkeroverbogroll selfisotation': 134323, 'selfisotation lockdown': 748520, 'lockdown washyourhan': 500115, 'after holding it': 35798, 'holding it in': 400126, 'in the two': 429633, 'two week toiletpaperhunt': 937371, 'week toiletpaperhunt wa': 977113, 'toiletpaperhunt wa over': 923180, 'wa over and': 962892, 'over and mark': 629987, 'and mark wa': 66700, 'mark wa finally': 515839, 'wa finally able': 962125, 'finally able to': 305930, 'able to poop': 24519, 'to poop toiletpaper': 911876, 'poop toiletpaper toiletpapercrisis': 664074, 'toiletpaper toiletpapercrisis bonkeroverbogroll': 922652, 'toiletpapercrisis bonkeroverbogroll selfisotation': 923012, 'bonkeroverbogroll selfisotation lockdown': 134324, 'selfisotation lockdown washyourhan': 748521, 'mrp': 544451, 'openly': 612955, 'over mrp': 630416, 'mrp openly': 544460, 'openly on': 612960, 'the price well': 864434, 'price well over': 677427, 'well over mrp': 978464, 'over mrp openly': 630417, 'mrp openly on': 544461, 'an epidemic': 55794, 'seo digitalmarketing': 751044, 'digitalmarketing webdevelopment': 242785, 'alive during an': 41813, 'during an epidemic': 262445, 'an epidemic price': 55796, 'socialmediamarketing seo digitalmarketing': 781117, 'seo digitalmarketing webdevelopment': 751045, 'digitalmarketing webdevelopment smo': 242786, 'to disembark': 904390, 'disembark ship': 245292, 'board he': 133642, 'he the one': 385513, 'and created the': 60711, 'created the panic': 215911, '2500 people to': 16037, 'people to disembark': 649893, 'to disembark ship': 904391, 'disembark ship in': 245293, 'on board he': 599663, 'board he need': 133643, 'save thankyoudoctors': 737648, 'to the first': 916713, 'store manager thank': 808893, 'doing be save': 252307, 'be save thankyoudoctors': 116996, 'tp earring': 927802, 'earring is': 264955, 'shit between': 759071, 'between her': 128793, 'her ear': 392006, 'ear and': 264392, 'she full': 756043, 'the tp earring': 869840, 'tp earring is': 927803, 'earring is proof': 264956, 'proof that there': 684016, 'that there nothing': 846904, 'there nothing but': 878868, 'nothing but shit': 572963, 'but shit between': 147038, 'shit between her': 759072, 'between her ear': 128794, 'her ear and': 392007, 'ear and she': 264393, 'and she full': 71419, 'she full of': 756044, 'rnibcovid19': 724372, 'urgently ensure': 948385, 'have priority': 382046, 'shopping rnibcovid19': 763780, 'please sign our': 660517, 'sign our joint': 769185, 'joint petition calling': 467017, 'petition calling on': 653597, 'and supermarket to': 72744, 'supermarket to work': 823426, 'together to urgently': 921010, 'to urgently ensure': 917995, 'urgently ensure that': 948386, 'ensure that people': 278065, 'that people with': 845713, 'loss have priority': 503687, 'have priority access': 382047, 'online shopping rnibcovid19': 609255, 'detail edition': 239187, 'edition fitting': 268611, 'fitting room': 309559, 'room closed': 725891, 'is pact': 450775, 'pact people': 633765, 'are upset': 91385, 'cannot try': 162196, 'clothes the': 184218, 'to fit': 905980, 'those jean': 892142, 'jean restaurant': 464952, 'bar close': 110687, 'close am': 182515, 'am reminded': 50346, 'corporate america': 207234, 'covid 19 detail': 212941, '19 detail edition': 6518, 'detail edition fitting': 239188, 'edition fitting room': 268612, 'fitting room closed': 309561, 'room closed the': 725892, 'closed the store': 183372, 'store is pact': 808515, 'is pact people': 450776, 'pact people are': 633766, 'people are upset': 647108, 'are upset that': 91386, 'they cannot try': 881719, 'cannot try on': 162197, 'try on clothes': 934523, 'on clothes the': 599949, 'clothes the worst': 184219, 'worst thing they': 1011286, 'thing they think': 884853, 'they think is': 883560, 'think is not': 885313, 'able to fit': 24482, 'to fit into': 905982, 'fit into those': 309484, 'into those jean': 443231, 'those jean restaurant': 892143, 'jean restaurant and': 464953, 'and bar close': 58694, 'bar close am': 110688, 'close am reminded': 182516, 'am reminded of': 50347, 'reminded of the': 710531, 'of the ignorance': 591122, 'the ignorance of': 857863, 'ignorance of corporate': 415759, 'of corporate america': 581984, 'thing or lost': 884655, 'store friday': 807872, 'wa buying': 961772, 'the corned': 851741, 'beef they': 120555, 'were short': 980112, 'grocery store friday': 365413, 'store friday night': 807873, 'night and no': 562943, 'one wa buying': 607343, 'wa buying the': 961774, 'buying the corned': 151163, 'the corned beef': 851742, 'corned beef they': 203627, 'beef they were': 120556, 'they were short': 883801, 'were short of': 980114, 'short of everything': 764658, 'of everything else': 583269, 'long ride': 501597, 'ride home': 721441, 'home some': 402098, 'few government': 303845, 'government worker': 360825, 'worker mostly': 1007396, 'mostly few': 542957, 'few choose': 303746, '1980s on': 12451, 'on bike': 599639, 'bike china': 130409, 'china wuhan': 177079, 'the long ride': 859681, 'long ride home': 501598, 'ride home some': 721442, 'home some people': 402099, 'allowed out few': 46201, 'out few government': 626066, 'few government worker': 303846, 'government worker delivery': 360826, 'store worker mostly': 811545, 'worker mostly few': 1007397, 'mostly few choose': 542958, 'few choose to': 303747, 'choose to do': 177910, 'to do go': 904510, 'do go home': 249339, 'go home how': 353667, 'home how we': 401383, 'how we did': 409168, 'we did in': 971292, 'did in the': 240651, 'the 1980s on': 847952, '1980s on bike': 12452, 'on bike china': 599640, 'bike china wuhan': 130410, 'austria have': 103601, 'right idea': 721946, 'idea face': 413042, 'shop anybody': 759881, 'anybody that': 80105, 'recently will': 704176, 'than queue': 841066, 'much distancing': 544834, 'distancing mondaythoughts': 247337, 'mondaythoughts stopthespread': 536511, 'stopthespread protectothers': 805913, 'protectothers facemasks4all': 685830, 'facemasks4all socialdistancing': 295181, 'socialdistancing commonsense': 780284, 'austria have the': 103602, 'the right idea': 865811, 'right idea face': 721947, 'idea face mask': 413043, 'on while in': 605287, 'while in shop': 986952, 'in shop anybody': 427893, 'shop anybody that': 759882, 'anybody that been': 80106, 'that been to': 842961, 'to supermarket recently': 915833, 'supermarket recently will': 822178, 'recently will know': 704177, 'will know that': 993931, 'know that other': 476778, 'that other than': 845563, 'other than queue': 621077, 'than queue for': 841067, 'for the till': 326731, 'the till there': 869564, 'till there isn': 896108, 'isn much distancing': 454591, 'much distancing mondaythoughts': 544835, 'distancing mondaythoughts stopthespread': 247338, 'mondaythoughts stopthespread protectothers': 536512, 'stopthespread protectothers facemasks4all': 805914, 'protectothers facemasks4all socialdistancing': 685831, 'facemasks4all socialdistancing commonsense': 295182, 'abc11': 24271, 'problem grocery': 679537, 'say abc11': 738380, 'paper shortage is': 640774, 'shortage is not': 765039, 'is not because': 450036, 'supply problem grocery': 825733, 'problem grocery store': 679538, 'store expert say': 807688, 'expert say abc11': 291942, '101 thing': 2232, 'paper flattenthecurve': 640157, 'flattenthecurve toiletpaper': 310216, '101 thing to': 2233, 'do with toilet': 250575, 'toilet paper flattenthecurve': 921275, 'paper flattenthecurve toiletpaper': 640158, 'becuase covid': 120368, 'job away': 465685, 'be editing': 114645, 'guy check': 368958, 'price thank': 676784, 'you fiverr': 1018595, 'becuase covid 19': 120369, '19 ha taken': 7394, 'taken my job': 833032, 'my job away': 548906, 'job away will': 465686, 'away will now': 106112, 'now be editing': 574197, 'be editing video': 114646, 'editing video for': 268601, 'video for you': 956734, 'for you guy': 328063, 'you guy check': 1018955, 'guy check the': 368959, 'check the link': 174649, 'below for price': 126648, 'for price thank': 324730, 'price thank you': 676785, 'thank you fiverr': 841727, 'obviously nh': 578837, 'the queen': 865005, 'queen thank': 693395, 'thank uber': 841679, 'eats deliveroo': 266365, 'deliveroo driver': 233574, 'service courier': 752261, 'courier take': 211826, 'and picker': 69012, 'picker packer': 655838, 'packer everywhere': 633680, 'everywhere they': 288270, 'keeping sane': 472546, 'obviously nh amp': 578838, 'nh amp social': 561873, 'amp social care': 54522, 'care staff should': 164211, 'staff should be': 792861, 'should be top': 765754, 'be top of': 117768, 'of the queen': 591383, 'the queen thank': 865007, 'queen thank you': 693396, 'thank you list': 841763, 'you list but': 1019621, 'list but would': 494290, 'but would also': 147943, 'would also want': 1011517, 'to thank uber': 916440, 'thank uber eats': 841680, 'uber eats deliveroo': 937810, 'eats deliveroo driver': 266366, 'deliveroo driver postal': 233575, 'driver postal service': 259706, 'postal service courier': 666446, 'service courier take': 752262, 'courier take away': 211827, 'take away and': 831962, 'away and supermarket': 105783, 'staff and picker': 792152, 'and picker packer': 69013, 'picker packer everywhere': 655839, 'packer everywhere they': 633681, 'everywhere they are': 288271, 'people keeping sane': 648587, 'tsnpdcl': 934957, 'for electricity': 321004, 'electricity related': 271206, 'related service': 708566, 'like payment': 490973, 'payment application': 645547, 'application or': 82475, 'any query': 79715, 'query kindly': 693458, 'kindly prefer': 475153, 'prefer tsnpdcl': 669760, 'tsnpdcl online': 934958, 'platform instead': 658986, 'visiting our': 959537, 'person let': 652518, 'let prevent': 486986, 'dear consumer for': 229765, 'consumer for electricity': 197520, 'for electricity related': 321005, 'electricity related service': 271207, 'related service like': 708567, 'service like payment': 752567, 'like payment application': 490974, 'payment application or': 645548, 'application or any': 82476, 'or any query': 614356, 'any query kindly': 79716, 'query kindly prefer': 693459, 'kindly prefer tsnpdcl': 475154, 'prefer tsnpdcl online': 669761, 'tsnpdcl online platform': 934959, 'online platform instead': 608766, 'platform instead of': 658987, 'of visiting our': 592839, 'visiting our office': 959539, 'our office in': 624119, 'office in person': 595451, 'in person let': 426633, 'person let prevent': 652519, 'let prevent spread': 486987, '19 being an': 5359, 'essential service our': 281517, 'service our staff': 752674, 'our staff is': 624878, 'staff is always': 792574, 'is always there': 445603, 'always there for': 49774, 'there for you': 878415, 'formal': 329581, 'formality': 329588, 'without formal': 1002669, 'formal rationing': 329584, 'rationing formality': 697814, 'formality eg': 329589, 'eg ration': 269719, 'book how': 134541, 'staff determine': 792364, 'if buying': 413916, 'buying multiple': 150740, 'multiple good': 545750, 'good only': 357518, 'or also': 614300, 'or neighbour': 616234, 'thing is without': 884487, 'is without formal': 454020, 'without formal rationing': 1002670, 'formal rationing formality': 329585, 'rationing formality eg': 697815, 'formality eg ration': 329590, 'eg ration book': 269720, 'ration book how': 697646, 'book how can': 134542, 'how can supermarket': 407520, 'can supermarket staff': 159850, 'supermarket staff determine': 822832, 'staff determine if': 792365, 'determine if buying': 239434, 'if buying multiple': 413918, 'buying multiple good': 150741, 'multiple good only': 545751, 'good only for': 357519, 'only for myself': 610470, 'for myself or': 323767, 'myself or also': 550921, 'or also on': 614301, 'also on behalf': 48612, 'behalf of vulnerable': 123763, 'of vulnerable family': 592871, 'vulnerable family or': 960962, 'family or neighbour': 298131, 'lied everyone else': 488414, 'clothes on coronacrisis': 184185, 'our the': 625126, 'world instead': 1009675, 'helping at': 391273, 'crisis seller': 218012, 'are marking': 88043, 'marking profit': 517911, 'profit stopcoronavirus': 682863, 'price all our': 672273, 'all our the': 43835, 'our the world': 625127, 'the world instead': 871896, 'world instead of': 1009676, 'instead of helping': 440274, 'of helping at': 584556, 'helping at the': 391274, 'of crisis seller': 582186, 'crisis seller are': 218013, 'seller are marking': 748978, 'are marking profit': 88045, 'marking profit stopcoronavirus': 517912, 'staff definitely': 792354, 'definitely front': 232334, 'facing customer': 295435, 'nh staff definitely': 562083, 'staff definitely front': 792355, 'definitely front line': 232335, 'line troop but': 493512, 'facing and facing': 295401, 'and facing customer': 62603, 'facing customer 19': 295436, 'crisis service': 218018, 'face stated': 294769, 'stated by': 796129, 'imitate what ha': 416938, 'ha done and': 370413, 'stop the urge': 805158, 'urge to profit': 948237, '19 crisis service': 6319, 'crisis service must': 218019, 'service must have': 752602, 'must have human': 546698, 'have human face': 381002, 'human face stated': 410492, 'face stated by': 294770, 'stated by pres': 796131, 'home video': 402429, 'calling my': 156603, 'mam on': 511916, 'on mothersday2020': 602233, 'mothersday2020 which': 543245, 'itself while': 463966, 're standing': 699570, 'mile long': 531396, 'you irresponsible': 1019373, 'irresponsible twat': 445086, 'twat your': 936270, 'action will': 30200, 'have catastrophic': 379910, 'catastrophic consequence': 166949, 'consequence in': 194866, 'so at home': 776564, 'at home video': 99162, 'home video calling': 402430, 'video calling my': 956662, 'calling my mam': 156604, 'my mam on': 549198, 'mam on mothersday2020': 511917, 'on mothersday2020 which': 602234, 'mothersday2020 which believe': 543246, 'which believe me': 985717, 'believe me is': 126309, 'me is challenge': 522995, 'is challenge in': 446453, 'challenge in itself': 171484, 'in itself while': 424328, 'itself while you': 463967, 'you re standing': 1020756, 're standing in': 699571, 'standing in mile': 793778, 'in mile long': 425320, 'mile long queue': 531398, 'supermarket you irresponsible': 824195, 'you irresponsible twat': 1019374, 'irresponsible twat your': 445087, 'twat your action': 936271, 'your action will': 1022743, 'action will have': 30201, 'will have catastrophic': 993621, 'have catastrophic consequence': 379911, 'catastrophic consequence in': 166950, 'consequence in the': 194867, 'conferenceboard': 193776, 'eurusd': 283644, 'confidence slip': 193948, 'slip sharply': 774026, 'restriction usa': 717410, 'usa consumerconfidence': 948608, 'consumerconfidence conferenceboard': 199648, 'conferenceboard forexnews': 193777, 'forexnews eurusd': 329186, 'consumer confidence slip': 196919, 'confidence slip sharply': 193949, 'slip sharply in': 774027, 'the coronavirus restriction': 851900, 'coronavirus restriction usa': 206676, 'restriction usa consumerconfidence': 717411, 'usa consumerconfidence conferenceboard': 948609, 'consumerconfidence conferenceboard forexnews': 199649, 'conferenceboard forexnews eurusd': 193778, 'all form': 42859, 'up considerably': 944631, 'considerably greed': 195197, 'greed is': 363392, 'unfortunately the price': 941648, 'for all form': 319126, 'all form of': 42861, 'form of mask': 329538, 'of mask have': 586269, 'mask have gone': 518788, 'gone up considerably': 356418, 'up considerably greed': 944632, 'considerably greed is': 195198, 'greed is alive': 363393, 'farmer reserve': 299492, 'reserve are': 714039, 'are tapped': 90749, 'crisis appears': 217070, 'be motivating': 116011, 'motivating big': 543300, 'big dairy': 129726, 'consider supply': 195117, 'management approach': 512536, 'approach that': 82973, 'could reshape': 209600, 'reshape how': 714183, 'farmer emerge': 299354, 'dairy farmer reserve': 224985, 'farmer reserve are': 299493, 'reserve are tapped': 714040, 'are tapped out': 90750, 'tapped out after': 834392, 'out after year': 625581, 'year of low': 1014786, 'low price but': 505504, 'but the covid': 147326, '19 crisis appears': 6213, 'crisis appears to': 217071, 'to be motivating': 901392, 'be motivating big': 116012, 'motivating big dairy': 543301, 'big dairy industry': 129727, 'dairy industry player': 225001, 'industry player to': 436046, 'player to consider': 659342, 'to consider supply': 903237, 'consider supply management': 195118, 'supply management approach': 825533, 'management approach that': 512537, 'approach that could': 82974, 'that could reshape': 843363, 'could reshape how': 209601, 'reshape how dairy': 714184, 'how dairy farmer': 407661, 'dairy farmer emerge': 224981, 'farmer emerge from': 299355, 'curate': 220532, 'more wary': 540943, 'and twitter': 74543, 'sentiment ha': 750935, 'gotten more': 359147, 'more detached': 539009, 'mostly quite': 542993, 'quite bad': 694824, 'quite complicated': 694837, 'complicated evidence': 192462, 'evidence curate': 288356, 'curate feed': 220533, 'feed with': 302404, 'more epidemiologist': 539140, 'epidemiologist specialist': 279492, 'we ve reached': 973701, 'point where you': 662707, 'where you have': 985391, 'be more wary': 116000, 'more wary of': 540944, 'wary of coronavirus': 967405, 'of coronavirus twitter': 581972, 'coronavirus twitter it': 206978, 'twitter it become': 936678, 'it become more': 456769, 'become more of': 120059, 'more of free': 539874, 'of free for': 583913, 'all and twitter': 42018, 'and twitter sentiment': 74544, 'twitter sentiment ha': 936709, 'sentiment ha gotten': 750938, 'ha gotten more': 370750, 'gotten more detached': 359148, 'more detached from': 539010, 'detached from the': 239141, 'from the mostly': 337794, 'the mostly quite': 861070, 'mostly quite bad': 542994, 'quite bad but': 694825, 'bad but also': 107795, 'but also quite': 145136, 'also quite complicated': 48740, 'quite complicated evidence': 694838, 'complicated evidence curate': 192463, 'evidence curate feed': 288357, 'curate feed with': 220534, 'feed with more': 302405, 'with more epidemiologist': 999554, 'more epidemiologist specialist': 539141, 'tovolo': 927098, 'nutbutter': 577676, 'spatula': 787658, 'kitchengadgets': 475786, 'kitchenware': 475791, 'kitchentools': 475789, 'tovolo scoop': 927099, 'scoop spread': 742316, 'spread mini': 790632, 'mini regular': 533020, 'regular back': 707734, 'stock buy': 801953, 'buy cooking': 148507, 'cooking foodie': 202868, 'foodie food': 317949, 'food breakfast': 313788, 'breakfast nutbutter': 138889, 'nutbutter peanutbutter': 577677, 'peanutbutter stayathome': 646149, 'stayathome spatula': 797625, 'spatula kitchengadgets': 787659, 'kitchengadgets kitchenware': 475787, 'kitchenware cooking': 475792, 'cooking baking': 202851, 'baking kitchentools': 108912, 'kitchentools toast': 475790, 'tovolo scoop spread': 927100, 'scoop spread mini': 742317, 'spread mini regular': 790633, 'mini regular back': 533021, 'regular back in': 707735, 'in stock buy': 428290, 'stock buy cooking': 801954, 'buy cooking foodie': 148508, 'cooking foodie food': 202869, 'foodie food breakfast': 317950, 'food breakfast nutbutter': 313789, 'breakfast nutbutter peanutbutter': 138890, 'nutbutter peanutbutter stayathome': 577678, 'peanutbutter stayathome spatula': 646150, 'stayathome spatula kitchengadgets': 797626, 'spatula kitchengadgets kitchenware': 787660, 'kitchengadgets kitchenware cooking': 475788, 'kitchenware cooking baking': 475793, 'cooking baking kitchentools': 202852, 'baking kitchentools toast': 108913, 'scientist claim': 742204, 'claim researcher': 179797, 'thought scientist claim': 893196, 'scientist claim researcher': 742205, 'claim researcher find': 179798, 'minute after 19': 533708, 'after 19 sufferer': 35279, 'dropped thanks': 260632, 'for cannot': 319921, 'the revolution': 865770, 'revolution if': 720746, 'while playing': 987157, 'playing by': 659389, 'their rule': 874606, 'dont know about': 255240, 'about you guy': 26975, 'guy but now': 368939, 'now that stock': 576017, 'that stock price': 846495, 'have dropped thanks': 380386, 'dropped thanks to': 260633, 'thanks to ve': 842272, 'to ve decided': 918129, 'decided to buy': 230901, 'buy stock in': 149238, 'company that work': 191194, 'work for cannot': 1005141, 'for cannot stop': 319922, 'stop the revolution': 805148, 'the revolution if': 865771, 'revolution if we': 720747, 'if we bring': 415267, 'we bring it': 970867, 'bring it while': 140016, 'it while playing': 462352, 'while playing by': 987158, 'playing by their': 659390, 'by their rule': 154499, 'kremlin': 477656, 'the kremlin': 858860, 'kremlin trump': 477659, 'trump initiated': 933631, 'initiated the': 438591, 'call addressed': 155744, 'addressed amp': 32070, 'amp closer': 53535, 'closer interaction': 183500, 'amp russia': 54421, 'russia oil': 728520, 'issue re': 455901, 're bilateral': 698369, 'bilateral relation': 130457, 'relation trump': 708681, 'putin agreed': 691003, 'continue personal': 201100, 'to the kremlin': 916828, 'the kremlin trump': 858861, 'kremlin trump initiated': 477660, 'trump initiated the': 933632, 'initiated the phone': 438592, 'the phone call': 863688, 'phone call the': 654931, 'call the call': 156128, 'the call addressed': 850284, 'call addressed amp': 155745, 'addressed amp closer': 32071, 'amp closer interaction': 53536, 'closer interaction between': 183501, 'interaction between the': 441234, 'between the amp': 128922, 'the amp russia': 848662, 'amp russia oil': 54422, 'russia oil price': 728522, 'price some other': 676555, 'some other issue': 783480, 'other issue re': 620436, 'issue re bilateral': 455902, 're bilateral relation': 698370, 'bilateral relation trump': 130458, 'relation trump and': 708682, 'and putin agreed': 69825, 'putin agreed to': 691004, 'agreed to continue': 38737, 'to continue personal': 903400, 'continue personal contact': 201101, 'share tip on': 755300, 'me email': 522699, 'email telling': 272314, 'how seriously': 408649, 'take not': 832366, 'supermarket hotel': 820794, 'hotel marketing': 405161, 'company bank': 190483, 'bank only': 110069, 'only interested': 610650, 'in expert': 422732, 'seriously stop sending': 751733, 'stop sending me': 804997, 'sending me email': 750046, 'me email telling': 522701, 'email telling me': 272315, 'me how seriously': 522917, 'how seriously you': 408650, 'seriously you take': 751807, 'you take not': 1021513, 'take not interested': 832367, 'not interested in': 570161, 'interested in what': 441471, 'in what you': 430836, 'you do supermarket': 1018273, 'do supermarket hotel': 250192, 'supermarket hotel marketing': 820795, 'hotel marketing company': 405162, 'marketing company bank': 517556, 'company bank only': 190484, 'bank only interested': 110070, 'only interested in': 610651, 'interested in expert': 441456, 'in expert opinion': 422733, 'rollback': 725621, 'pandemic alberta': 634814, 'sector may': 744263, 'facing it': 295512, 'it toughest': 461825, 'toughest challenge': 926898, 'challenge yet': 171604, 'yet tumbling': 1016304, 'tumbling oil': 935345, 'forced company': 328567, 'to rollback': 913631, 'rollback production': 725623, 'layoff staff': 482711, '19 pandemic alberta': 9257, 'pandemic alberta oil': 634815, 'gas sector may': 344086, 'sector may be': 744264, 'be facing it': 114779, 'facing it toughest': 295513, 'it toughest challenge': 461826, 'toughest challenge yet': 926899, 'challenge yet tumbling': 171607, 'yet tumbling oil': 1016305, 'tumbling oil price': 935346, 'price have forced': 674428, 'have forced company': 380688, 'forced company to': 328568, 'company to rollback': 191242, 'to rollback production': 913632, 'rollback production and': 725624, 'production and layoff': 681926, 'and layoff staff': 66003, 'fall saudi': 297041, 'saudi economy': 737259, 'economy prepares': 268155, 'loss after': 503628, 'closing mall': 183686, 'mall cinema': 511765, 'cinema and': 178530, 'lockdown saudiarabia': 499883, 'saudiarabia middleeast': 737345, 'oil price continue': 597085, 'continue to free': 201199, 'to free fall': 906234, 'free fall saudi': 331811, 'fall saudi economy': 297042, 'saudi economy prepares': 737260, 'economy prepares for': 268156, 'prepares for huge': 670309, 'for huge loss': 322432, 'huge loss after': 410093, 'loss after closing': 503629, 'after closing mall': 35473, 'closing mall cinema': 183687, 'mall cinema and': 511766, 'cinema and restaurant': 178531, 'restaurant in lockdown': 716521, 'in lockdown saudiarabia': 424850, 'lockdown saudiarabia middleeast': 499884, 'narrow': 551954, 'amp discus': 53652, 'amid ongoing': 52552, 'ongoing headwind': 607640, 'headwind including': 386064, 'including low': 432045, 'price narrow': 675303, 'narrow margin': 551961, 'margin shifting': 515636, 'shifting trade': 758569, 'trade flow': 928489, 'and significant': 71661, 'significant drop': 769439, 'commercial activity': 188665, 'been exacerbated': 121100, 'by listen': 153056, '19 15': 4706, 'amp discus current': 53653, 'discus current trend': 244845, 'current trend in': 221408, 'trend in amid': 931361, 'in amid ongoing': 420253, 'amid ongoing headwind': 52553, 'ongoing headwind including': 607641, 'headwind including low': 386065, 'including low price': 432046, 'low price narrow': 505527, 'price narrow margin': 675304, 'narrow margin shifting': 551962, 'margin shifting trade': 515637, 'shifting trade flow': 758570, 'trade flow and': 928490, 'flow and significant': 311226, 'and significant drop': 71662, 'significant drop in': 769440, 'drop in commercial': 260232, 'in commercial activity': 421600, 'commercial activity that': 188667, 'activity that ha': 30506, 'ha been exacerbated': 369801, 'been exacerbated by': 121101, 'exacerbated by listen': 288668, 'by listen here': 153057, 'listen here 19': 494684, 'here 19 15': 392646, '52rtgs': 20283, 'price 52rtgs': 672164, '52rtgs per': 20284, 'kg are': 473642, 'these 19': 879567, 'business reviewing': 144337, 'reviewing their': 720620, 'gas price 52rtgs': 343924, 'price 52rtgs per': 672165, '52rtgs per kg': 20285, 'per kg are': 650897, 'kg are these': 473643, 'are these 19': 90970, 'these 19 price': 879569, '19 price most': 9814, 'price most business': 675274, 'most business reviewing': 542149, 'business reviewing their': 144338, 'reviewing their price': 720621, 'their price why': 874439, 'price why now': 677542, 'breaking help': 138959, 'to neighbour': 910540, 'neighbour the': 557240, 'huge level': 410084, 'say charity': 738500, 'charity bos': 173586, 'bos via': 135709, 'breaking help the': 138960, 'help the hungry': 390658, 'the hungry the': 857756, 'hungry the food': 411316, 'the food charity': 855539, 'food charity that': 313924, 'charity that need': 173695, 'that need volunteer': 845316, 'need volunteer to': 556165, 'volunteer to get': 960350, 'supply to neighbour': 826018, 'to neighbour the': 910541, 'neighbour the big': 557241, 'the big change': 849601, 'big change is': 129697, 'change is the': 172156, 'is the financial': 452800, 'the financial hardship': 855216, 'financial hardship we': 306435, 'hardship we re': 378310, 'seeing and the': 746227, 'the huge level': 857702, 'huge level of': 410085, 'of demand say': 582511, 'demand say charity': 236174, 'say charity bos': 738501, 'charity bos via': 173587, 'lockdown poverty': 499807, 'are distributing': 85870, 'box but': 137026, 'sollom this': 781965, 'the lockdown poverty': 859625, 'lockdown poverty is': 499808, 'poverty is soaring': 667502, 'is soaring in': 452052, 'soaring in lebanon': 779329, 'demonstration are distributing': 236873, 'are distributing food': 85871, 'distributing food box': 248075, 'food box but': 313774, 'box but are': 137027, 'with demand followed': 997977, 'followed them in': 312617, 'them in furn': 875901, 'el sollom this': 270466, 'sollom this week': 781966, 'tip shop at': 898896, 'of fresh vegetable': 583950, 'vegetable and the': 953932, 'employee were very': 274405, 'were very happy': 980329, 'in help': 423633, 'dollar in help': 253010, 'in help is': 423634, 'help is on': 389937, 'way for small': 969588, 'business and their': 143337, 'their employee who': 873160, 'have been shut': 379681, 'shut down by': 767811, 'down by covid': 256597, 'effat': 268960, 'migrant agricultural': 531197, 'agricultural worker': 38924, 'weakest actor': 974116, 'actor in': 30581, 'chain potentially': 171000, 'potentially paying': 667233, 'paying some': 645484, 'protection is': 685494, 'is effat': 447441, 'effat priority': 268961, 'migrant agricultural worker': 531198, 'agricultural worker are': 38925, 'are the weakest': 90933, 'the weakest actor': 871234, 'weakest actor in': 974117, 'actor in the': 30582, 'supply chain potentially': 825007, 'chain potentially paying': 171001, 'potentially paying some': 667234, 'paying some of': 645485, 'the highest price': 857347, 'highest price of': 395846, 'health crisis their': 386349, 'crisis their protection': 218198, 'their protection is': 874501, 'protection is effat': 685495, 'is effat priority': 447442, 'if pop': 414657, 'run back': 727579, 'or headed': 615603, 'figure out if': 305218, 'out if pop': 626362, 'if pop is': 414658, 'pop is getting': 664434, 'is getting ready': 448038, 'ready to make': 700966, 'to make run': 909729, 'make run back': 510411, 'run back in': 727580, 'the day or': 852904, 'day or headed': 228170, 'or headed to': 615604, 'store in 2020': 808261, '19 ed': 6717, 'ed 20': 268441, '20 borrower': 12974, 'borrower federally': 135618, 'federally held': 302090, 'held student': 388928, 'loan will': 497559, 'will automatically': 992325, 'automatically have': 103999, 'their interest': 873676, 'rate set': 697369, 'may suspend': 521552, 'suspend payment': 829579, 'least mo': 484556, 'mo squeezing': 534872, 'squeezing blood': 791558, 'blood from': 133111, 'from turnip': 338160, 'new consumer protection': 558528, 'protection re covid': 685584, 'covid 19 ed': 213006, '19 ed 20': 6718, 'ed 20 20': 268442, '20 20 borrower': 12873, '20 borrower federally': 12975, 'borrower federally held': 135619, 'federally held student': 302091, 'held student loan': 388929, 'student loan will': 814734, 'loan will automatically': 497560, 'will automatically have': 992326, 'automatically have their': 104000, 'have their interest': 383055, 'their interest rate': 873677, 'interest rate set': 441402, 'rate set to': 697370, 'set to for': 753519, 'to for period': 906153, 'period of at': 651834, 'least 60 day': 484370, '60 day or': 20930, 'day or may': 228172, 'or may suspend': 616083, 'may suspend payment': 521553, 'suspend payment for': 829580, 'payment for at': 645618, 'at least mo': 99524, 'least mo squeezing': 484557, 'mo squeezing blood': 534873, 'squeezing blood from': 791559, 'blood from turnip': 133112, 'gi feature': 349713, 'feature interview': 301550, 'interview half': 442214, 'time talk': 897800, 'energy outlook': 276526, 'outlook advisor': 629128, 'advisor price': 33737, 'rise enough': 722838, 'save shale': 737633, 'gi feature interview': 349714, 'feature interview half': 301551, 'interview half time': 442215, 'half time talk': 374286, 'time talk with': 897801, 'talk with of': 833921, 'with of energy': 999848, 'of energy outlook': 583109, 'energy outlook advisor': 276527, 'outlook advisor price': 629129, 'advisor price are': 33738, 'going to rise': 355692, 'to rise enough': 913564, 'rise enough to': 722839, 'enough to save': 277722, 'to save shale': 913792, 'rope': 726028, 'loui for': 504510, 'showing john': 767468, 'the rope': 865989, 'rope this': 726029, 'wa utterly': 963627, 'utterly impressed': 951456, 'were clapping': 979442, 'leaving note': 485115, 'really touched': 702672, 'and loui for': 66417, 'loui for showing': 504511, 'for showing john': 325610, 'showing john one': 767469, 'director the rope': 243675, 'the rope this': 865990, 'rope this morning': 726030, 'he wa utterly': 385628, 'wa utterly impressed': 963628, 'utterly impressed thanks': 951457, 'resident who were': 714404, 'who were clapping': 989956, 'were clapping and': 979443, 'clapping and leaving': 180038, 'and leaving note': 66068, 'leaving note and': 485116, 'they were really': 883797, 'were really touched': 980041, 'reckon ve': 704574, 'spotted gap': 790191, 'market queue': 516926, 'when near': 983756, 'queue hold': 693944, 'sign selling': 769205, 'your spot': 1025891, 'spot genius': 790060, 'reckon ve spotted': 704575, 've spotted gap': 953597, 'spotted gap in': 790192, 'the market queue': 860145, 'market queue up': 516927, 'supermarket and when': 819104, 'and when near': 75518, 'when near the': 983757, 'near the top': 553615, 'the queue hold': 865040, 'queue hold up': 693945, 'hold up sign': 400043, 'up sign selling': 945992, 'sign selling your': 769206, 'selling your spot': 749540, 'your spot genius': 1025892, 'combining': 187152, 'crumble': 219733, 'shopindependent': 761163, 'first 100': 308480, '100 day': 1881, '2020 april': 14146, 'april 8th': 83521, '8th combining': 23250, 'combining shopping': 187153, 'with exercise': 998322, 'exercise here': 290063, 'my haul': 548623, 'haul from': 378992, 'no germ': 564343, 'germ filled': 346112, 'filled supermarket': 305554, 'me market': 523140, 'market french': 516430, 'french bakery': 332716, 'bakery both': 108840, 'both open': 135995, 'open practising': 612461, 'socialdistancing anyone': 780222, 'anyone for': 80323, 'for rhubarb': 325220, 'rhubarb crumble': 720916, 'crumble shopindependent': 219734, 'the first 100': 855277, 'first 100 day': 308481, '100 day of': 1882, 'of 2020 april': 579487, '2020 april 8th': 14147, 'april 8th combining': 83522, '8th combining shopping': 23251, 'combining shopping with': 187154, 'shopping with exercise': 764432, 'with exercise here': 998323, 'exercise here my': 290064, 'here my haul': 393362, 'my haul from': 548624, 'haul from today': 378993, 'from today no': 338078, 'today no germ': 919932, 'no germ filled': 564344, 'germ filled supermarket': 346113, 'filled supermarket for': 305555, 'for me market': 323323, 'me market french': 523141, 'market french bakery': 516431, 'french bakery both': 332717, 'bakery both open': 108841, 'both open practising': 135996, 'open practising socialdistancing': 612462, 'practising socialdistancing anyone': 668788, 'socialdistancing anyone for': 780223, 'anyone for rhubarb': 80324, 'for rhubarb crumble': 325221, 'rhubarb crumble shopindependent': 720917, 'certain we': 170126, 'can but': 157805, 'how nothing': 408411, 'available nothing': 104512, 'certain we can': 170127, 'we can but': 970917, 'can but the': 157808, 'but the question': 147392, 'the question is': 865018, 'is how nothing': 448590, 'how nothing is': 408412, 'nothing is available': 573057, 'is available nothing': 445925, 'available nothing and': 104513, 'nothing and even': 572924, 'are available the': 84718, 'available the price': 104621, 'price are more': 672700, 'aanndd': 24109, 'rebuy': 703350, 'out instead': 626424, 'of bailing': 580516, 'corporation what': 207473, 'you bailed': 1017378, 'bailed everyone': 108599, 'everyone debt': 286804, 'debt who': 230604, 'make under': 510673, 'under 200k': 939965, '200k bet': 13725, 'billion you': 130944, 'using aanndd': 950365, 'aanndd it': 24110, 'make consumer': 509791, 'consumer rebuy': 198650, 'rebuy lot': 703351, 'tax mon': 835032, 'hear me out': 387953, 'me out instead': 523302, 'out instead of': 626425, 'instead of bailing': 440234, 'of bailing out': 580517, 'out corporation what': 625904, 'corporation what if': 207474, 'if you bailed': 415398, 'you bailed everyone': 1017379, 'bailed everyone debt': 108600, 'everyone debt who': 286805, 'debt who make': 230605, 'who make under': 989257, 'make under 200k': 510674, 'under 200k bet': 939966, '200k bet it': 13726, 'bet it would': 128076, 'be le than': 115677, 'than the billion': 841222, 'the billion you': 849704, 'billion you are': 130945, 'are using aanndd': 91407, 'using aanndd it': 950366, 'aanndd it will': 24111, 'will make consumer': 994076, 'make consumer rebuy': 509793, 'consumer rebuy lot': 198651, 'rebuy lot more': 703352, 'lot more plus': 504113, 'more plus it': 540088, 'plus it our': 661629, 'it our tax': 460168, 'our tax mon': 625087, 'safeway worker': 730862, 'supermarket owned': 821871, 'by albertsons': 151785, 'albertsons co': 40849, 'gained pay': 342852, 'raise they': 695964, 'safeway worker and': 730863, 'and other employee': 68315, 'other employee of': 620137, 'employee of supermarket': 274069, 'of supermarket owned': 590437, 'supermarket owned by': 821872, 'owned by albertsons': 632330, 'by albertsons co': 151786, 'albertsons co have': 40850, 'co have gained': 184849, 'have gained pay': 380752, 'gained pay raise': 342853, 'pay raise they': 645072, 'raise they scramble': 695965, 'scramble to keep': 742546, 'with food household': 998492, 'food household item': 314861, 'item and other': 463063, 'other key product': 620459, 'key product amid': 473373, 'product amid panic': 680857, 'amid panic shopping': 52587, 'panic shopping in': 638574, 'like leader': 490631, 'the nurse can': 861979, 'nurse can handle': 577236, 'handle it but': 376216, 'it but supermarket': 456956, 'but supermarket clerk': 147217, 'clerk and construction': 181637, 'and construction worker': 60339, 'construction worker are': 195833, 'are now first': 88550, 'now first responder': 574696, 'responder and essential': 715411, 'and essential act': 62242, 'essential act like': 280752, 'act like leader': 29682, 'granny': 362008, 'just off': 469358, 'phone from': 654955, 'from granny': 335689, 'granny aged': 362009, 'aged 85': 37943, '85 her': 22922, 'supermarket dedicated': 819903, 'elderly is': 270722, 'is between': 446156, 'between 8am': 128696, '8am rather': 23150, 'rather eat': 697450, 'eat grass': 265930, 'grass than': 362222, 'than get': 840689, 'that early': 843659, 'early she': 264682, 'just off the': 469359, 'off the phone': 594257, 'the phone from': 863690, 'phone from granny': 654956, 'from granny aged': 335690, 'granny aged 85': 362010, 'aged 85 her': 37944, '85 her local': 22923, 'local supermarket dedicated': 498514, 'supermarket dedicated shopping': 819904, 'the elderly is': 854128, 'elderly is between': 270723, 'is between 8am': 446157, 'between 8am rather': 128697, '8am rather eat': 23151, 'rather eat grass': 697451, 'eat grass than': 265931, 'grass than get': 362223, 'than get up': 840690, 'get up that': 348567, 'up that early': 946148, 'that early she': 843660, 'early she said': 264683, 'mine covid': 532886, '19 said': 10290, 'sink fintech': 771469, 'fintech insight': 308025, 'coal mine covid': 185061, 'mine covid 19': 532887, 'covid 19 said': 213737, '19 said to': 10292, 'lending sink fintech': 486291, 'sink fintech insight': 771470, 'fintech insight via': 308026, 'insight via insight': 439654, 'lampen': 479207, 'handsanitizer lampen': 376568, 'lampen retail': 479208, 'retail cosmetic': 718005, 'in to handsanitizer': 430113, 'to handsanitizer lampen': 907140, 'handsanitizer lampen retail': 376569, 'lampen retail cosmetic': 479209, 'can find toilet': 158343, 'sandler': 733706, 'pinker': 656826, 'hurst': 411535, 'will judge': 993875, 'judge view': 467641, 'view cancellation': 957071, 'legal dispute': 485860, 'dispute attorney': 246319, 'attorney josh': 102670, 'josh sandler': 467342, 'sandler of': 733707, 'of lynn': 586086, 'lynn pinker': 507130, 'pinker cox': 656827, 'cox hurst': 214517, 'hurst say': 411536, 'say most': 738954, 'most contract': 542206, 'contract do': 201650, 'consider global': 195007, 'pandemic an': 634852, 'how will judge': 409232, 'will judge view': 993876, 'judge view cancellation': 467642, 'view cancellation of': 957072, 'cancellation of trip': 161043, 'of trip or': 592454, 'trip or event': 932130, 'or event due': 615220, 'the in legal': 858007, 'in legal dispute': 424670, 'legal dispute attorney': 485861, 'dispute attorney josh': 246320, 'attorney josh sandler': 102671, 'josh sandler of': 467343, 'sandler of lynn': 733708, 'of lynn pinker': 586087, 'lynn pinker cox': 507131, 'pinker cox hurst': 656828, 'cox hurst say': 214518, 'hurst say most': 411537, 'say most contract': 738956, 'most contract do': 542207, 'contract do not': 201651, 'not consider global': 568832, 'consider global pandemic': 195008, 'global pandemic an': 352071, 'pandemic an out': 634855, 'an out by': 56730, 'disabled citizen': 243891, 'citizen who': 178997, 'via please sign': 956173, 'this petition for': 889543, 'petition for the': 653608, 'and disabled citizen': 61390, 'disabled citizen who': 243892, 'citizen who can': 178999, 'who can fight': 988381, 'can fight for': 158297, 'fight for bog': 304735, 'store walk': 811135, 'working not': 1008791, 'your stuff': 1026017, 'home socialdistancing': 402095, 'grocery store walk': 365924, 'store walk up': 811136, 'me to thank': 523789, 'to thank me': 916428, 'thank me for': 841605, 'me for working': 522770, 'for working not': 327952, 'working not necessary': 1008792, 'not necessary you': 570647, 'necessary you wanna': 554150, 'you wanna thank': 1022125, 'wanna thank me': 965678, 'thank me get': 841607, 'me get your': 522810, 'get your stuff': 348738, 'your stuff and': 1026018, 'stuff and go': 815006, 'go home socialdistancing': 353672, 'usb': 948882, 'wand usb': 965558, 'usb charging': 948885, 'charging ultra': 173530, 'bacteria sterilizer': 107698, 'sanitizer wand usb': 736027, 'wand usb charging': 965559, 'usb charging ultra': 948886, 'charging ultra violet': 173531, 'kill bacteria sterilizer': 474353, 'woul': 1011487, 'spectrum said': 788344, 'called with': 156486, 'no incentive': 564486, 'incentive offered': 431364, 'offered posting': 594960, 'posting here': 666650, 'burden from': 142745, '19 spectrum': 10728, 'spectrum raise': 788340, 'and reduces': 70108, 'service pretty': 752712, 'opposite woul': 613818, 'spectrum said have': 788345, 'said have called': 731101, 'have called with': 379874, 'called with no': 156487, 'with no incentive': 999762, 'no incentive offered': 564487, 'incentive offered posting': 431365, 'offered posting here': 594961, 'posting here to': 666651, 'make this public': 510647, 'this public at': 889753, 'public at time': 687882, 'time when other': 898298, 'other company step': 619978, 'up to ease': 946370, 'the burden from': 850125, 'burden from covid': 142746, 'covid 19 spectrum': 213842, '19 spectrum raise': 10729, 'spectrum raise price': 788341, 'price and reduces': 672521, 'and reduces service': 70109, 'reduces service pretty': 706253, 'service pretty much': 752713, 'pretty much the': 671464, 'much the opposite': 545355, 'the opposite woul': 862420, 'awful pandemic': 106235, 'like care': 489961, 'worker waste': 1008128, 'after this awful': 36400, 'this awful pandemic': 886474, 'awful pandemic is': 106236, 'unskilled worker like': 943493, 'worker like care': 1007312, 'like care worker': 489962, 'supermarket staff postal': 822879, 'postal worker waste': 666485, 'worker waste collector': 1008129, 'etc they re': 282816, 'people keeping this': 648589, 'this country going': 886953, 'cnbcpathforward': 184730, 'afford an': 34670, 'extra 400': 293440, '400 expense': 18734, 'expense how': 291192, 'they afford': 881102, 'afford being': 34679, 'forced not': 328587, 'week stimulus': 976925, 'stimulus fall': 801537, 'short bankruptcy': 764600, 'bankruptcy coming': 110520, 'consumer bounce': 196643, 'back will': 107470, 'slow cnbcpathforward': 774330, 'cnbcpathforward stimuluspackage2020': 184731, 'when people cannot': 983858, 'cannot afford an': 161596, 'afford an extra': 34671, 'an extra 400': 56005, 'extra 400 expense': 293441, '400 expense how': 18735, 'expense how can': 291193, 'how can they': 407524, 'can they afford': 159973, 'they afford being': 881103, 'afford being forced': 34680, 'being forced not': 125167, 'forced not to': 328588, 'not to work': 572209, 'work for several': 1005171, 'several week stimulus': 753963, 'week stimulus fall': 976926, 'stimulus fall short': 801538, 'fall short bankruptcy': 297051, 'short bankruptcy coming': 764601, 'bankruptcy coming and': 110521, 'coming and consumer': 187986, 'and consumer bounce': 60355, 'consumer bounce back': 196644, 'bounce back will': 136810, 'back will be': 107471, 'be slow cnbcpathforward': 117218, 'slow cnbcpathforward stimuluspackage2020': 774331, 'selfisolation since': 748482, '13th no': 3362, 'purchase until': 689712, '1st me': 12766, 'old are': 598145, 'ok eating': 597789, 'selfisolation since the': 748483, 'since the 13th': 770854, 'the 13th no': 847887, '13th no delivery': 3363, 'no delivery of': 563990, 'online purchase until': 608830, 'purchase until at': 689713, 'least april 1st': 484394, 'april 1st me': 83442, '1st me my': 12767, 'me my wife': 523200, 'wife and year': 991895, 'year old are': 1014809, 'old are ok': 598146, 'are ok eating': 88700, 'ok eating out': 597790, 'eating out at': 266271, 'moment but what': 535893, 'major economy': 509311, 'economy enter': 267837, 'enter lockdown': 278267, 'demand continues': 235169, 'fall off': 297008, 'cliff on': 182167, 'monday wti': 536424, 'mark oil': 515812, 'major economy enter': 509312, 'economy enter lockdown': 267838, 'enter lockdown oil': 278268, 'lockdown oil demand': 499722, 'oil demand continues': 596742, 'demand continues to': 235170, 'continues to fall': 201476, 'to fall off': 905638, 'fall off cliff': 297009, 'off cliff on': 593730, 'cliff on monday': 182168, 'on monday wti': 602194, 'monday wti fell': 536425, 'fell to the': 303250, 'to the 20': 916473, 'the 20 mark': 847983, '20 mark oil': 13146, 'mark oil price': 515813, 'arum': 94672, 'bbcboxing': 113117, 'bob arum': 133742, 'arum expects': 94673, 'expects ticket': 291119, 'say talk': 739203, 'fury facing': 342219, 'facing joshua': 295516, 'joshua next': 467356, 'is fantasy': 447735, 'fantasy for': 298627, 'now fury': 574758, 'fury meanwhile': 342223, 'meanwhile ha': 524978, 'ha switched': 372133, 'switched off': 830540, 'from wilder': 338380, 'wilder and': 992109, 'and boxing': 59131, 'boxing generally': 137224, 'generally all': 345519, 'here bbcboxing': 392800, 'bbcboxing boxing': 113118, 'bob arum expects': 133743, 'arum expects ticket': 94674, 'expects ticket price': 291120, 'to and say': 900521, 'and say talk': 71006, 'say talk of': 739204, 'talk of fury': 833825, 'of fury facing': 584020, 'fury facing joshua': 342220, 'facing joshua next': 295517, 'joshua next is': 467357, 'next is fantasy': 561414, 'is fantasy for': 447737, 'fantasy for now': 298628, 'for now fury': 323969, 'now fury meanwhile': 574760, 'fury meanwhile ha': 342224, 'meanwhile ha switched': 524979, 'ha switched off': 372136, 'switched off from': 830541, 'off from wilder': 593853, 'from wilder and': 338381, 'wilder and boxing': 992110, 'and boxing generally': 59132, 'boxing generally all': 137225, 'generally all here': 345520, 'all here bbcboxing': 43101, 'here bbcboxing boxing': 392801, 'stopthehoard': 805897, 'can show': 159616, 'food warehouse': 317454, 'warehouse so': 966766, 'stock co': 801997, 'co everyones': 184833, 'everyones not': 287655, 'listening and': 494788, 'and panicking': 68673, 'panicking stoppanicbuying': 639380, 'stockpiling stopthehoard': 804083, 'stopthehoard selfisolation': 805898, 'selfisolation coronacrisis': 748443, 'can show your': 159618, 'show your food': 767300, 'your food warehouse': 1023934, 'food warehouse so': 317456, 'warehouse so people': 966768, 'people can see': 647407, 'see that you': 745805, 'that you got': 847725, 'you got stock': 1018906, 'got stock co': 358872, 'stock co everyones': 801998, 'co everyones not': 184834, 'everyones not listening': 287656, 'not listening and': 570431, 'listening and panicking': 494790, 'and panicking stoppanicbuying': 68677, 'panicking stoppanicbuying stockpiling': 639381, 'stoppanicbuying stockpiling stopthehoard': 805621, 'stockpiling stopthehoard selfisolation': 804084, 'stopthehoard selfisolation coronacrisis': 805899, 'eggprices': 270057, 'state ha': 795637, 'ha tripled': 372369, 'month wholesale': 538123, 'wholesale requested': 990486, 'requested 09': 713244, '09 for': 1155, 'for dozen': 320844, 'dozen midwest': 257886, 'midwest large': 530824, 'large yesterday': 479832, 'yesterday eggprices': 1015717, 'eggprices wholesale': 270058, 'wholesale inflation': 990449, 'inflation greatdepression': 437186, 'greatdepression usa': 363134, 'for egg in': 320972, 'united state ha': 942220, 'state ha tripled': 795646, 'ha tripled the': 372372, 'the price since': 864414, 'the month wholesale': 860857, 'month wholesale requested': 538124, 'wholesale requested 09': 990487, 'requested 09 for': 713245, '09 for dozen': 1157, 'for dozen midwest': 320845, 'dozen midwest large': 257887, 'midwest large yesterday': 530825, 'large yesterday eggprices': 479833, 'yesterday eggprices wholesale': 1015718, 'eggprices wholesale inflation': 270059, 'wholesale inflation greatdepression': 990450, 'inflation greatdepression usa': 437187, 'goggle': 354930, '18569560148': 4647, 'supply lot': 825523, 'ppe including': 667981, 'including mask': 432049, 'shield protective': 758172, 'clothing goggle': 184258, 'goggle thermometer': 354931, 'thermometer hand': 879524, 'email emma': 272166, 'emma com': 273225, 'com whatsapp': 186962, 'whatsapp 86': 982877, '86 18569560148': 22968, '18569560148 ppe': 4648, 'we supply lot': 973448, 'supply lot of': 825524, 'lot of ppe': 504256, 'of ppe including': 588320, 'ppe including mask': 667982, 'including mask glove': 432050, 'mask glove face': 518732, 'glove face shield': 352676, 'face shield protective': 294744, 'shield protective clothing': 758173, 'protective clothing goggle': 685718, 'clothing goggle thermometer': 184259, 'goggle thermometer hand': 354932, 'thermometer hand sanitizer': 879525, 'sanitizer if anyone': 735114, 'buy them please': 149329, 'them please contact': 876168, 'contact me email': 200136, 'me email emma': 522700, 'email emma com': 272167, 'emma com whatsapp': 273226, 'com whatsapp 86': 186963, 'whatsapp 86 18569560148': 982878, '86 18569560148 ppe': 22969, '18569560148 ppe glove': 4649, 'my citizen': 547686, 'citizen all': 178823, 'is quinoa': 451188, 'coconut supermarket': 185285, 'shelf self': 757488, 'isolation schoolclosuresuk': 455412, 'of 2008': 579458, 'where are my': 984738, 'are my citizen': 88175, 'my citizen all': 547687, 'citizen all that': 178824, 'left is quinoa': 485526, 'is quinoa chia': 451189, 'decimated coconut supermarket': 230984, 'coconut supermarket shelf': 185286, 'supermarket shelf self': 822525, 'shelf self isolation': 757489, 'self isolation schoolclosuresuk': 747794, 'isolation schoolclosuresuk stockpiling': 455413, 'schoolclosuresuk stockpiling the': 742015, 'stockpiling the last': 804094, 'much wa in': 545425, 'winter of 2008': 996136, 'of 2008 in': 579461, 'uas': 937788, 'drone have': 260070, 'been implemented': 121329, 'china battle': 176515, 'outbreak uas': 628772, 'uas tech': 937791, 'tech wa': 836165, 'wa used': 963618, 'spray disinfectant': 790284, 'deliver medical': 233173, 'medical sample': 526368, 'deliver consumer': 233101, 'citizen pandemic': 178945, 'pandemic techforgood': 636628, 'drone have been': 260071, 'have been implemented': 379576, 'been implemented in': 121330, 'implemented in china': 418461, 'in china battle': 421392, 'china battle against': 176516, 'against the outbreak': 37672, 'the outbreak uas': 862717, 'outbreak uas tech': 628773, 'uas tech wa': 937792, 'tech wa used': 836166, 'wa used to': 963620, 'used to spray': 950091, 'to spray disinfectant': 915046, 'spray disinfectant in': 790286, 'disinfectant in public': 245691, 'public space to': 688330, 'space to deliver': 787175, 'to deliver medical': 904107, 'deliver medical sample': 233174, 'medical sample and': 526369, 'sample and to': 733460, 'to deliver consumer': 904092, 'deliver consumer good': 233102, 'consumer good to': 197641, 'good to their': 357904, 'their citizen pandemic': 872784, 'citizen pandemic techforgood': 178946, 'agncy': 38308, 'tkng': 899332, 'advntge': 33791, 'bring consumer': 139947, 'protection agncy': 685305, 'agncy in': 38309, 'to gt': 907051, 'gt hold': 367608, 'those medical': 892200, 'medical supplier': 526422, 'supplier tkng': 824619, 'tkng advntge': 899333, 'advntge of': 33792, 'with mrp': 999585, 'mrp of': 544458, '23 is': 15401, '50 sanitizers': 19842, '100 is': 1929, '400 middle': 18752, 'class can': 180164, 'but poor': 146823, 'due respect to': 261682, 'respect to request': 715083, 'to request to': 913312, 'request to bring': 713211, 'to bring consumer': 902033, 'bring consumer protection': 139948, 'consumer protection agncy': 198502, 'protection agncy in': 685306, 'agncy in action': 38310, 'in action to': 420017, 'action to gt': 30168, 'to gt hold': 907052, 'gt hold of': 367609, 'hold of those': 399974, 'of those medical': 592102, 'those medical supplier': 892201, 'medical supplier tkng': 526423, 'supplier tkng advntge': 824620, 'tkng advntge of': 899334, 'advntge of mask': 33793, 'of mask with': 586284, 'mask with mrp': 519586, 'with mrp of': 999586, 'mrp of 23': 544459, 'of 23 is': 579529, '23 is sold': 15402, 'is sold at': 452068, 'sold at 50': 781628, 'at 50 sanitizers': 97680, '50 sanitizers of': 19843, 'sanitizers of 100': 736356, 'of 100 is': 579319, '100 is sold': 1931, 'sold at 400': 781627, 'at 400 middle': 97643, '400 middle class': 18753, 'middle class can': 530631, 'class can survive': 180165, 'can survive but': 159872, 'survive but poor': 829138, 'but poor will': 146824, 'poor will suffer': 664330, 'currently carrying': 221493, 'chain assessment': 170531, 'assessment fbcnews': 96388, 'commission is currently': 188849, 'is currently carrying': 446989, 'currently carrying out': 221494, 'carrying out supply': 165205, 'supply chain assessment': 824909, 'chain assessment fbcnews': 170532, 'assessment fbcnews fijinews': 96389, 'pillock': 656708, 'joyful': 467538, 'britishness': 140628, 'every pillock': 286107, 'pillock who': 656709, 'the joyful': 858696, 'joyful britishness': 467539, 'britishness with': 140629, 'greeted rain': 363799, 'rain of': 695748, 'of incendiary': 585055, 'incendiary bomb': 431353, 'bomb there': 134192, '10 absolute': 1295, 'absolute pie': 27272, 'pie can': 656245, 'can who': 160220, 'for every pillock': 321173, 'every pillock who': 286108, 'pillock who invokes': 656710, 'invokes the joyful': 444322, 'the joyful britishness': 858697, 'joyful britishness with': 467540, 'britishness with which': 140630, 'grandparent greeted rain': 361974, 'greeted rain of': 363800, 'rain of incendiary': 695749, 'of incendiary bomb': 585056, 'incendiary bomb there': 431354, 'bomb there ll': 134193, 'll be 10': 496564, 'be 10 absolute': 113405, '10 absolute pie': 1296, 'absolute pie can': 27273, 'pie can who': 656246, 'can who think': 160221, 'sanitizer grab': 735001, 'grab this': 361549, 'this pack': 889348, 'of 50ml': 579619, 'only 11': 609971, '11 99': 2477, 'will sellout': 994806, 'sellout fast': 749557, 'fast 19': 299901, 'hand sanitizer grab': 375424, 'sanitizer grab this': 735002, 'grab this pack': 361550, 'this pack of': 889349, 'pack of 50ml': 633085, 'of 50ml bottle': 579620, 'bottle for only': 136223, 'for only 11': 324120, 'only 11 99': 609972, '11 99 they': 2478, '99 they will': 23902, 'they will sellout': 883885, 'will sellout fast': 994807, 'sellout fast 19': 749558, 'haven managed': 383859, 'anything will': 80942, 'keep coming': 471409, 'looking and': 502792, 'of worse': 593322, 'hoarded donate': 398934, 'the more hoarding': 860885, 'more hoarding the': 539442, 'hoarding the more': 399587, 'more that people': 540712, 'that people who': 845710, 'who haven managed': 988977, 'haven managed to': 383860, 'buy anything will': 148366, 'anything will keep': 80944, 'will keep coming': 993892, 'keep coming back': 471410, 'back and looking': 106858, 'and looking and': 66374, 'looking and so': 502793, 'so it make': 777473, 'it make the': 459518, 'make the spread': 510586, 'spread of worse': 790723, 'of worse if': 593323, 've hoarded donate': 953266, 'hoarded donate now': 398935, 'donate now stophoarding': 254207, 'just seeing': 469730, 'recently unemployed': 704170, 'unemployed in': 941122, 'our line': 623746, 'line say': 493384, 'of united': 592639, 'united food': 942157, 're just seeing': 698947, 'just seeing lot': 469731, 'seeing lot more': 746355, 'lot more of': 504110, 'of the recently': 591394, 'the recently unemployed': 865332, 'recently unemployed in': 704171, 'unemployed in our': 941124, 'in our line': 426311, 'our line say': 623748, 'line say of': 493385, 'say of united': 739012, 'of united food': 592640, 'united food bank': 942159, 'feedonomics': 302529, 'consumer respond': 198778, 'blog ecommerce': 132917, 'onlineshopping consumerbehavior': 609891, 'consumerbehavior marketing': 199618, 'marketing feedonomics': 517604, 'feedonomics b2c': 302530, 'b2c wednesdaywisdom': 106492, 'which product category': 986242, 'product category are': 681050, 'category are in': 167160, 'in demand consumer': 422115, 'demand consumer respond': 235163, 'consumer respond to': 198779, 'the coronavirus read': 851895, 'coronavirus read more': 206620, 'our blog ecommerce': 622224, 'blog ecommerce onlineshopping': 132918, 'ecommerce onlineshopping consumerbehavior': 266825, 'onlineshopping consumerbehavior marketing': 609892, 'consumerbehavior marketing feedonomics': 199619, 'marketing feedonomics b2c': 517605, 'feedonomics b2c wednesdaywisdom': 302531, 'complaint due': 191967, 'scam against': 739969, 'against top': 37711, 'complaint due to': 191968, 'due to related': 261923, 'to related scam': 913129, 'related scam against': 708545, 'scam against top': 739970, 'against top 10': 37712, 'top 10 00': 925513, '10 00 consumer': 1193, '00 consumer business': 145, 'consumer business in': 196675, 'business in japan': 143887, 'paper already': 639784, 'already just': 47490, 'just when': 470292, 'thought thing': 893260, 'worse down': 1010917, 'sight if': 769036, 'january 1st': 464617, '1st toilet': 12820, 'good gold': 357133, 'gold would': 356035, 'have laughed': 381256, 'laughed panicbuying': 481796, 'toilet paper already': 921179, 'paper already just': 639785, 'already just when': 47492, 'just when you': 470293, 'when you thought': 984607, 'you thought thing': 1021721, 'thought thing can': 893261, 'can get worse': 158472, 'get worse down': 348650, 'worse down to': 1010918, 'down to my': 257373, 'my last roll': 548979, 'last roll and': 480475, 'roll and still': 725188, 'still no toiletpaper': 800882, 'no toiletpaper in': 565761, 'toiletpaper in sight': 922119, 'in sight if': 427942, 'sight if wa': 769037, 'if wa told': 415242, 'wa told on': 963540, 'told on january': 923651, 'on january 1st': 601721, 'january 1st toilet': 464618, '1st toilet paper': 12821, 'paper wa good': 641051, 'wa good gold': 962237, 'good gold would': 357134, 'gold would have': 356036, 'would have laughed': 1011883, 'have laughed panicbuying': 381257, 'down entire': 256723, 'entire website': 278772, 'app due': 81703, 'ocado it': 578903, 'cancelled online': 161144, 'shuts down entire': 768184, 'down entire website': 256724, 'entire website and': 278773, 'and app due': 58244, 'app due to': 81704, 'overwhelming demand ocado': 631744, 'demand ocado it': 235938, 'ocado it seems': 578904, 'seems that all': 746854, 'store have cancelled': 808070, 'have cancelled online': 379886, 'cancelled online shopping': 161147, 'shopping no time': 763336, 'no time slot': 565727, 'time slot anywhere': 897681, 'the uspol': 870577, 'on the uspol': 604422, 'the uspol response': 870578, 'mom asks': 535687, 'after ordering': 35997, 'ordering through': 619040, 'when my mom': 983750, 'my mom asks': 549256, 'mom asks for': 535688, 'for something at': 325786, 'something at the': 784858, 'minute after ordering': 533711, 'after ordering through': 35998, 'ordering through their': 619041, 'buyer were': 149796, 'causing needle': 168074, 'needle shortage': 556647, 'industry insisted': 435915, 'insisted there': 439709, 'wa enough': 962074, 'everyone amid': 286691, 'panic buyer were': 637616, 'buyer were told': 149798, 'told they should': 923735, 'ashamed for causing': 95048, 'for causing needle': 319974, 'causing needle shortage': 168075, 'needle shortage for': 556648, 'shortage for the': 764965, 'for the retail': 326655, 'retail industry insisted': 718217, 'industry insisted there': 435916, 'insisted there wa': 439710, 'there wa enough': 879236, 'wa enough food': 962075, 'for everyone amid': 321196, 'everyone amid the': 286692, 'the crisis 19': 852337, 'off 56': 593609, '56 hour': 20451, 'shift tonight': 758450, 'tonight all': 924354, 'wa go': 962215, 'empty everyone': 274858, 'visit store': 959365, 'came off 56': 157034, 'off 56 hour': 593610, '56 hour shift': 20453, 'hour shift tonight': 405924, 'shift tonight all': 758451, 'tonight all wanted': 924355, 'do wa go': 250449, 'wa go do': 962216, 'go do some': 353472, 'shopping but when': 762262, 'but when got': 147815, 'when got to': 983490, 'were empty everyone': 979567, 'empty everyone should': 274859, 'should stop panic': 766519, 'afford to visit': 34812, 'to visit store': 918212, 'visit store first': 959366, 'store first thing': 807735, 'is social': 452056, 'tell reporter': 837056, 'reporter what': 712644, 'think via': 885744, 'how is social': 408108, 'is social distancing': 452058, 'distancing going at': 247174, 'going at your': 355035, 'grocery store tell': 365840, 'store tell reporter': 810520, 'tell reporter what': 837057, 'reporter what you': 712645, 'you think via': 1021684, 'during ontario': 262831, 'today customer': 919421, 'rate 24': 697142, '24 more': 15655, 'info 19': 437396, 'help support family': 390613, 'support family and': 826487, 'business during ontario': 143669, 'during ontario is': 262832, 'ontario is suspending': 611609, 'use electricity price': 949186, 'price for 45': 673918, '45 day of': 19086, 'day of today': 228112, 'of today customer': 592231, 'today customer are': 919423, 'customer are to': 222132, 'peak rate 24': 646097, 'rate 24 more': 697144, '24 more info': 15656, 'more info 19': 539544, 'derbyshire': 237836, 'world derby': 1009478, 'derby coronavirus': 237828, 'coronavirus cop': 205700, 'cop rap': 203278, 'rap derbyshire': 696869, 'derbyshire uk': 237839, 'police parody': 663148, 'parody via': 642200, 'parody cartoon': 642190, 'fun surgicalmask': 341220, 'surgicalmask facemask': 828395, 'cough n95': 208505, 'n95 cop': 551166, 'derbyshire derby': 237837, 'derby uk': 237834, 'workfromhome police': 1008427, 'minion world derby': 533308, 'world derby coronavirus': 1009479, 'derby coronavirus cop': 237829, 'coronavirus cop rap': 205701, 'cop rap derbyshire': 203279, 'rap derbyshire uk': 696871, 'derbyshire uk police': 237840, 'uk police parody': 938634, 'police parody via': 663149, 'parody via minion': 642201, 'meme parody cartoon': 528349, 'parody cartoon fun': 642191, 'cartoon fun surgicalmask': 165519, 'fun surgicalmask facemask': 341221, 'surgicalmask facemask sanitizer': 828396, 'facemask sanitizer cough': 295098, 'sanitizer cough n95': 734705, 'cough n95 cop': 208506, 'n95 cop rap': 551167, 'rap derbyshire derby': 696870, 'derbyshire derby uk': 237838, 'derby uk stayathome': 237835, 'uk stayathome workfromhome': 938737, 'stayathome workfromhome police': 797709, 'turnaround': 935820, 'nursewriter': 577592, 'freelancewriter': 332454, 'healthcarecontent': 387408, 'fast turnaround': 300071, 'turnaround story': 935823, 'story content': 811941, 'content specializing': 200844, 'b2b healthcare': 106462, 'healthcare content': 387070, 'content view': 200856, 'view clip': 957073, 'clip nursewriter': 182362, 'nursewriter freelancewriter': 577593, 'freelancewriter amwriting': 332455, 'amwriting healthcarecontent': 54983, 'healthcarecontent contentmarketing': 387409, 'you with fast': 1022379, 'with fast turnaround': 998394, 'fast turnaround story': 300072, 'turnaround story content': 935824, 'story content specializing': 811942, 'content specializing in': 200845, 'in consumer health': 421701, 'consumer health and': 197718, 'health and b2b': 386129, 'and b2b healthcare': 58603, 'b2b healthcare content': 106463, 'healthcare content view': 387071, 'content view clip': 200857, 'view clip nursewriter': 957074, 'clip nursewriter freelancewriter': 182363, 'nursewriter freelancewriter amwriting': 577594, 'freelancewriter amwriting healthcarecontent': 332456, 'amwriting healthcarecontent contentmarketing': 54984, 'why sanitizer': 991325, 'washing work': 967754, 'better coronavtj': 128247, 'why sanitizer work': 991326, 'sanitizer work but': 736148, 'work but hand': 1004956, 'but hand washing': 145854, 'hand washing work': 375966, 'washing work better': 967755, 'work better coronavtj': 1004940, 'senior avoid': 750219, 'help senior avoid': 390510, 'senior avoid scam': 750220, 'during quarantine pandemic': 262943, 'coating': 185146, 'before to': 123235, 'water medicine': 969061, 'medicine is': 526820, 'is safely': 451628, 'safely packaged': 730293, 'packaged flint': 633474, 'flint group': 310590, 'group packaging': 366829, 'packaging ink': 633550, 'ink is': 438747, 'providing ink': 687034, 'ink coating': 438741, 'coating to': 185151, 'package printer': 633378, '19 packaging': 9232, 'ever before to': 285227, 'before to get': 123236, 'get consumer good': 346808, 'consumer good on': 197630, 'good on store': 357502, 'store shelf quickly': 810092, 'shelf quickly and': 757449, 'quickly and to': 694465, 'ensure food water': 277946, 'food water medicine': 317512, 'water medicine is': 969062, 'medicine is safely': 526823, 'is safely packaged': 451629, 'safely packaged flint': 730294, 'packaged flint group': 633475, 'flint group packaging': 310591, 'group packaging ink': 366830, 'packaging ink is': 633551, 'ink is proud': 438748, 'to help by': 907470, 'help by providing': 389467, 'by providing ink': 153677, 'providing ink coating': 687035, 'ink coating to': 438742, 'coating to support': 185152, 'to support package': 915957, 'support package printer': 826749, 'package printer around': 633379, 'the world 19': 871800, 'world 19 packaging': 1009251, 'trickier': 931722, 'got trickier': 358991, 'trickier 255': 931723, '255 indian': 16069, 'indian in': 434847, 'iran test': 444713, 'just got trickier': 468872, 'got trickier 255': 358992, 'trickier 255 indian': 931724, '255 indian in': 16070, 'indian in iran': 434848, 'in iran test': 424148, 'iran test positive': 444714, 'blanching': 132351, 'spent half': 789126, 'morning blanching': 541196, 'blanching freezing': 132356, 'freezing veg': 332674, 'veg quite': 953781, 'quite enjoying': 694854, 'enjoying being': 277224, 'being rationed': 125634, 'rationed but': 697776, 'but notice': 146594, 'some couple': 782621, 'couple are': 211560, 'are splitting': 90331, 'bag twice': 108436, 'the quota': 865076, 'quota or': 694976, 'more allowed': 538594, 'allowed of': 46190, 'like coronacrisis': 490047, 'spent half the': 789127, 'half the morning': 374272, 'the morning blanching': 860910, 'morning blanching freezing': 541198, 'blanching freezing veg': 132357, 'freezing veg quite': 332675, 'veg quite enjoying': 953782, 'quite enjoying being': 694855, 'enjoying being rationed': 277225, 'being rationed but': 125635, 'rationed but notice': 697777, 'but notice that': 146595, 'notice that some': 573367, 'that some couple': 846385, 'some couple are': 782622, 'couple are splitting': 211561, 'are splitting up': 90332, 'splitting up to': 789674, 'up to queue': 946420, 'to queue at': 912668, 'queue at different': 693884, 'at different supermarket': 98437, 'different supermarket till': 242081, 'supermarket till to': 823342, 'till to bag': 896117, 'to bag twice': 900992, 'bag twice the': 108437, 'twice the quota': 936546, 'the quota or': 865077, 'quota or more': 694977, 'or more allowed': 616164, 'more allowed of': 538595, 'allowed of grocery': 46191, 'grocery the like': 366031, 'the like coronacrisis': 859365, 'wilson': 995509, 'sick feel': 768442, 'inevitable said': 436401, 'said lisa': 731197, 'lisa wilson': 494246, 'wilson who': 995512, 'who started': 989659, 'started working': 794919, 'cashier after': 166437, 'her previous': 392312, 'previous employer': 671969, 'employer shut': 274541, 'get sick feel': 347992, 'sick feel like': 768443, 'like it inevitable': 490540, 'it inevitable said': 458790, 'inevitable said lisa': 436402, 'said lisa wilson': 731198, 'lisa wilson who': 494247, 'wilson who started': 995513, 'who started working': 989661, 'started working grocery': 794920, 'store cashier after': 806882, 'cashier after her': 166438, 'after her previous': 35785, 'her previous employer': 392313, 'previous employer shut': 671970, 'employer shut down': 274542, 'shinning': 758637, 'chilly': 176423, 'lizard': 496510, 'is shinning': 451861, 'shinning clear': 758638, 'clear blue': 181231, 'blue sky': 133467, 'sky chilly': 773189, 'chilly wind': 176424, 'wind my': 995629, 'my lizard': 549089, 'lizard brain': 496511, 'brain what': 137603, 'what beautiful': 981088, 'for plague': 324567, 'the supermarket close': 868521, 'supermarket close to': 819722, 'close to home': 182901, 'to home the': 907938, 'home the sun': 402246, 'sun is shinning': 818073, 'is shinning clear': 451862, 'shinning clear blue': 758639, 'clear blue sky': 181232, 'blue sky chilly': 133468, 'sky chilly wind': 773190, 'chilly wind my': 176425, 'wind my lizard': 995630, 'my lizard brain': 549090, 'lizard brain what': 496512, 'brain what beautiful': 137604, 'what beautiful day': 981089, 'day for plague': 227629, 'covdi19': 212163, 'told bloody': 923533, 'bloody stay': 133237, 'home simple': 402071, 'simple then': 770115, 'life unfortunately': 489159, 'unfortunately key': 941615, '19 covdi19': 6173, 'been told bloody': 122236, 'told bloody stay': 923534, 'bloody stay at': 133238, 'at home simple': 99108, 'home simple then': 402072, 'simple then it': 770116, 'then it will': 877289, 'will save life': 994743, 'save life unfortunately': 737563, 'life unfortunately key': 489160, 'unfortunately key worker': 941616, 'key worker work': 473529, 'supermarket so please': 822739, 'not spread it': 571681, 'spread it coming': 790590, 'it coming in': 457219, 'coming in 19': 188084, 'in 19 covdi19': 419713, 'dieing': 241631, 'party of': 643016, 'family value': 298344, 'all life': 43376, 'life matter': 488868, 'matter ha': 520565, 'black life': 132079, 'matter senior': 520621, 'senior life': 750347, 'matter child': 520553, 'cage are': 155163, 'ok dieing': 597785, 'dieing to': 241632, 'high is': 395142, 'ok showing': 597872, 'all mighty': 43508, 'mighty dollar': 531176, 'the party of': 863322, 'party of family': 643017, 'of family value': 583412, 'family value and': 298345, 'value and all': 952085, 'and all life': 57874, 'all life matter': 43378, 'life matter ha': 488869, 'matter ha decided': 520566, 'decided that black': 230884, 'that black life': 842994, 'black life don': 132080, 'life don matter': 488610, 'don matter senior': 253728, 'matter senior life': 520622, 'senior life don': 750348, 'don matter child': 253726, 'matter child in': 520554, 'child in cage': 176114, 'in cage are': 421130, 'cage are ok': 155164, 'are ok dieing': 88699, 'ok dieing to': 597786, 'dieing to keep': 241633, 'to keep stock': 908854, 'keep stock price': 471972, 'stock price high': 802723, 'price high is': 674511, 'high is ok': 395143, 'is ok showing': 450446, 'ok showing that': 597873, 'showing that the': 767518, 'that the all': 846660, 'the all mighty': 848582, 'all mighty dollar': 43509, 'helping american': 391263, 'american and': 51782, 'hot helping': 405020, 'american picture': 52133, 'is minimum': 449660, 'wage earning': 963849, 'earning supermarket': 264877, '19 picture': 9678, 'is millionaire': 449650, 'millionaire politician': 532450, 'politician doing': 663711, 'doing absolutely': 252263, 'nothing who': 573220, 'who deserves': 988571, 'deserves more': 238177, 'more praise': 540118, 'the difference in': 853262, 'difference in helping': 241849, 'in helping american': 423637, 'helping american and': 391264, 'american and hot': 51784, 'and hot helping': 64760, 'hot helping american': 405021, 'helping american picture': 391265, 'american picture is': 52134, 'picture is minimum': 656146, 'is minimum wage': 449661, 'minimum wage earning': 533228, 'wage earning supermarket': 963850, 'earning supermarket employee': 264878, 'supermarket employee working': 820152, 'employee working during': 274465, 'covid 19 picture': 213579, '19 picture is': 9679, 'picture is millionaire': 656145, 'is millionaire politician': 449651, 'millionaire politician doing': 532451, 'politician doing absolutely': 663712, 'doing absolutely nothing': 252264, 'absolutely nothing who': 27416, 'nothing who deserves': 573221, 'who deserves more': 988572, 'deserves more praise': 238178, 'wa nearly': 962689, 'nearly bare': 553807, 'bare ha': 110903, 'everyone gone': 286946, 'gone daft': 356249, 'and no dog': 67610, 'dog food shop': 252090, 'food shop wa': 316498, 'shop wa nearly': 761011, 'wa nearly bare': 962690, 'nearly bare ha': 553808, 'bare ha everyone': 110904, 'ha everyone gone': 370533, 'everyone gone daft': 286947, 'consumerprices': 199733, 'douglasporter': 256285, 'bankofcanada': 110476, 'statistic canada': 796575, 'canada reveals': 160549, 'reveals marginal': 720335, 'marginal increase': 515649, 'february canada': 301700, 'canada consumerprices': 160403, 'consumerprices cpi': 199734, 'cpi forexnews': 214628, 'forexnews usdcad': 329191, 'usdcad douglasporter': 948984, 'douglasporter bankofcanada': 256286, 'statistic canada reveals': 796576, 'canada reveals marginal': 160550, 'reveals marginal increase': 720336, 'marginal increase in': 515650, 'in february canada': 422839, 'february canada consumerprices': 301701, 'canada consumerprices cpi': 160404, 'consumerprices cpi forexnews': 199735, 'cpi forexnews usdcad': 214629, 'forexnews usdcad douglasporter': 329192, 'usdcad douglasporter bankofcanada': 948985, 'shkreli': 759395, 'pharma bro': 654017, 'bro martin': 140687, 'martin shkreli': 518105, 'shkreli seek': 759396, 'seek prison': 746597, 'prison release': 678731, 'release to': 709002, 'research former': 713724, 'who jacked': 989136, 'lifesaving drug': 489332, 'drug say': 261073, 'do important': 249420, 'important lab': 418861, 'lab work': 478316, 'pharma bro martin': 654018, 'bro martin shkreli': 140688, 'martin shkreli seek': 518106, 'shkreli seek prison': 759397, 'seek prison release': 746598, 'prison release to': 678732, 'release to research': 709003, 'to research former': 913331, 'research former ceo': 713725, 'former ceo who': 329620, 'ceo who jacked': 169886, 'who jacked up': 989137, 'jacked up price': 464151, 'price on lifesaving': 675689, 'on lifesaving drug': 601837, 'lifesaving drug say': 489333, 'drug say he': 261074, 'he can do': 384813, 'can do important': 158106, 'do important lab': 249421, 'important lab work': 418862, 'kantar': 470834, 'kantar covid': 470835, '19 barometer': 5304, 'barometer examines': 111146, 'kantar covid 19': 470836, 'covid 19 barometer': 212680, '19 barometer examines': 5305, 'barometer examines impact': 111147, 'examines impact on': 288844, 'goldersgreen': 356068, 'hampsteadgardensuburb': 374628, 'nw11': 577808, 'help collecting': 389494, 'collecting medical': 186389, 'medical prescription': 526306, 'prescription grocery': 670510, 'getting letter': 349091, 'office please': 595516, 'can goldersgreen': 158519, 'goldersgreen hampsteadgardensuburb': 356069, 'hampsteadgardensuburb nw11': 374629, 'are in self': 87434, 'isolation and need': 455196, 'need help collecting': 554977, 'help collecting medical': 389495, 'collecting medical prescription': 186390, 'medical prescription grocery': 526307, 'prescription grocery item': 670511, 'grocery item or': 364659, 'item or getting': 463531, 'or getting letter': 615442, 'getting letter to': 349092, 'post office please': 666241, 'office please contact': 595517, 'please contact and': 659830, 'contact and we': 200017, 'we will try': 973919, 'will try to': 995248, 'help or find': 390200, 'find someone who': 307239, 'who can goldersgreen': 988387, 'can goldersgreen hampsteadgardensuburb': 158520, 'goldersgreen hampsteadgardensuburb nw11': 356070, 'trickling': 931737, '40lbs': 18839, '4lbs': 19480, 'grit': 364066, '10lbs': 2343, 'the height': 857233, 'height of': 388806, 'slowly trickling': 774626, 'trickling in': 931738, 'realizing wa': 701944, 'reacting probably': 700178, 'need 40lbs': 554350, '40lbs of': 18840, 'flour 4lbs': 311057, '4lbs of': 19481, 'of grit': 584339, 'grit 10lbs': 364067, '10lbs of': 2344, 'of chickpea': 581341, 'chickpea and': 175898, 'and pull': 69765, 'up bar': 944454, 'my online order': 549580, 'from the height': 337740, 'the height of': 857234, 'height of my': 388807, 'panic shopping are': 638563, 'shopping are slowly': 762067, 'are slowly trickling': 90182, 'slowly trickling in': 774627, 'trickling in and': 931739, 'in and realizing': 420385, 'and realizing wa': 70013, 'realizing wa over': 701945, 'wa over reacting': 962895, 'over reacting probably': 630554, 'reacting probably do': 700179, 'not need 40lbs': 570651, 'need 40lbs of': 554351, '40lbs of flour': 18841, 'of flour 4lbs': 583594, 'flour 4lbs of': 311058, '4lbs of grit': 19482, 'of grit 10lbs': 584340, 'grit 10lbs of': 364068, '10lbs of chickpea': 2345, 'of chickpea and': 581342, 'chickpea and pull': 175899, 'and pull up': 69766, 'pull up bar': 688895, 'get dog': 346895, 'wa putting': 963018, 'shopping away': 762130, 'car it': 163154, 'it jammed': 459192, 'jammed from': 464431, 'from floor': 335490, 'food back': 313499, 'back seat': 107259, 'seat and': 743502, 'had trolley': 373760, 'full left': 340655, 'couldn fit': 209879, 'fit it': 309486, 'went to to': 979198, 'to get dog': 906459, 'get dog food': 346897, 'dog food to': 252094, 'food to find': 317252, 'to find people': 905929, 'find people are': 307175, 'are now panic': 88583, 'now panic buying': 575512, 'buying and woman': 149945, 'and woman wa': 75812, 'woman wa putting': 1003650, 'wa putting her': 963019, 'putting her shopping': 691129, 'her shopping away': 392371, 'shopping away in': 762131, 'away in her': 105946, 'her car it': 391917, 'car it jammed': 163155, 'it jammed from': 459193, 'jammed from floor': 464432, 'from floor to': 335491, 'to ceiling with': 902549, 'ceiling with food': 168768, 'with food back': 998480, 'food back seat': 313502, 'back seat and': 107260, 'seat and boot': 743503, 'and boot and': 59073, 'boot and she': 135099, 'and she had': 71421, 'she had trolley': 756108, 'had trolley full': 373761, 'trolley full left': 932415, 'full left and': 340656, 'left and couldn': 485378, 'and couldn fit': 60626, 'couldn fit it': 209880, 'fit it in': 309487, 'it angry': 456526, 'savage people': 737437, 'they load': 882619, 'their cart': 872738, 'cart up': 165411, 'the permitted': 863573, 'permitted limit': 652171, 'limit whether': 492562, 'shift launch': 758343, 'it angry greedy': 456527, 'selfish savage people': 748247, 'savage people go': 737438, 'the market that': 860167, 'market that open': 517178, 'that open daily': 845533, 'open daily they': 612178, 'daily they load': 224832, 'they load their': 882620, 'load their cart': 497300, 'their cart up': 872742, 'cart up to': 165412, 'to the permitted': 916949, 'the permitted limit': 863574, 'permitted limit whether': 652172, 'limit whether they': 492563, 'whether they need': 985593, 'need it or': 555099, 'it at highly': 456618, 'poor nurse who': 664240, 'cannot buy food': 161692, 'food after her': 313041, 'after her 48': 35782, 'hour shift launch': 405917, 'shift launch an': 758344, 'launch an appeal': 481861, 'punching': 689182, 'gossip': 358355, 'after punching': 36089, 'punching mother': 689183, 'mother over': 543148, 'paper link': 640420, 'bio linkinbio': 131149, 'linkinbio news': 494008, 'news fight': 560402, 'fight toiletpaper': 304930, 'toiletpaper qurantine': 922391, 'qurantine realitytv': 695035, 'realitytv gossip': 701826, 'gossip police': 358356, 'arrested handsanitizer': 93853, 'man arrested after': 511997, 'arrested after punching': 93808, 'after punching mother': 36090, 'punching mother over': 689184, 'mother over toilet': 543149, 'over toilet tissue': 630851, 'toilet tissue paper': 921645, 'tissue paper link': 899199, 'paper link in': 640421, 'link in my': 493857, 'my bio linkinbio': 547455, 'bio linkinbio news': 131150, 'linkinbio news fight': 494009, 'news fight toiletpaper': 560403, 'fight toiletpaper qurantine': 304931, 'toiletpaper qurantine realitytv': 922392, 'qurantine realitytv gossip': 695036, 'realitytv gossip police': 701827, 'gossip police arrested': 358357, 'police arrested handsanitizer': 662933, 'people avoiding': 647202, 'avoiding online': 105471, 'portal from': 664952, 'are people avoiding': 89024, 'people avoiding online': 647203, 'avoiding online shopping': 105472, 'shopping portal from': 763656, 'portal from china': 664953, 'from china thanks': 334869, 'china thanks to': 176977, 'corona people': 204105, 'buying necessity': 150744, 'necessity ignoring': 554227, 'ignoring others': 415916, 'by distributing': 152375, 'people intentionally': 648489, 'spreading infection': 790986, 'infection paramedic': 436811, 'paramedic security': 641397, 'staff serving': 792840, 'serving others': 753200, 'others ignoring': 621468, 'ignoring their': 415931, 'family these': 298304, 'time showing': 897658, 'showing true': 767544, 'true face': 933077, 'corona people panic': 204106, 'panic buying necessity': 637815, 'buying necessity ignoring': 150745, 'necessity ignoring others': 554228, 'ignoring others people': 415917, 'others people helping': 621578, 'people helping others': 648237, 'helping others by': 391410, 'others by distributing': 621317, 'by distributing food': 152376, 'distributing food people': 248076, 'food people intentionally': 315834, 'people intentionally spreading': 648490, 'intentionally spreading infection': 441177, 'spreading infection paramedic': 790987, 'infection paramedic security': 436812, 'paramedic security staff': 641398, 'security staff serving': 744758, 'staff serving others': 792841, 'serving others ignoring': 753201, 'others ignoring their': 621469, 'ignoring their own': 415932, 'own family these': 631987, 'family these time': 298305, 'these time showing': 880848, 'time showing true': 897659, 'showing true face': 767546, 'true face of': 933078, 'face of humanity': 294658, 'dpd': 257933, 'hermes': 393904, 'manchester uni': 512958, 'uni team': 941715, 'team call': 835607, 'on deliveroo': 600261, 'amazon dpd': 50921, 'dpd hermes': 257936, 'hermes and': 393905, 'protect rider': 684939, 'rider courier': 721484, 'courier so': 211824, 'when population': 983889, 'isolation household': 455302, 'household still': 406954, 'manchester uni team': 512959, 'uni team call': 941716, 'team call on': 835608, 'call on deliveroo': 156034, 'on deliveroo amazon': 600262, 'deliveroo amazon dpd': 233572, 'amazon dpd hermes': 50922, 'dpd hermes and': 257937, 'hermes and online': 393906, 'shopping delivery firm': 762460, 'delivery firm to': 234000, 'firm to protect': 308443, 'to protect rider': 912328, 'protect rider courier': 684940, 'rider courier so': 721485, 'courier so when': 211825, 'so when population': 778730, 'when population in': 983890, 'population in isolation': 664692, 'in isolation household': 424200, 'isolation household still': 455303, 'household still get': 406955, 'shop they': 760922, 'charging way': 173534, 'way over': 969799, 'odds for': 579211, 'please have look': 660056, 'price in independent': 674697, 'in independent shop': 424017, 'independent shop they': 434137, 'shop they are': 760923, 'they are charging': 881223, 'are charging way': 85255, 'charging way over': 173535, 'way over the': 969800, 'over the odds': 630745, 'the odds for': 862040, 'odds for grocery': 579212, 'whats about': 982837, 'about stock': 26262, 'people lockdownnow': 648691, 'whats about stock': 982838, 'about stock supply': 26263, 'stock supply food': 802906, 'supply food demand': 825249, 'food demand for': 314169, 'demand for poor': 235475, 'for poor and': 324613, 'poor and middle': 664111, 'class people lockdownnow': 180240, 'people lockdownnow stayhomesavelives': 648692, 'wakethebride': 964649, 'capacity pandemic': 162560, 'pandemic wakethebride': 636914, 'coronavirus oil price': 206334, 'nears capacity pandemic': 553875, 'capacity pandemic wakethebride': 162561, 'the gc': 856192, 'gc channel': 344808, 'channel on': 172909, 'on information': 601574, 'with financial': 998438, 'financial concern': 306352, 'concern ca': 192943, 'share this is': 755286, 'is the gc': 452807, 'the gc channel': 856193, 'gc channel on': 344809, 'channel on information': 172910, 'on information about': 601575, 'here is information': 393231, 'is information to': 448921, 'help with financial': 390910, 'with financial concern': 998439, 'financial concern ca': 306353, 'reporter nail': 712623, 'nail senate': 551459, 'gop they': 358287, 'they complain': 881787, 'about unemployed': 26806, 'unemployed people': 941127, 'asshole weren': 96584, 'weren millionaire': 980409, 'millionaire amp': 532440, 'actually shop': 30953, 'reporter nail senate': 712624, 'nail senate gop': 551460, 'senate gop they': 749704, 'gop they complain': 358288, 'they complain about': 881788, 'complain about unemployed': 191849, 'about unemployed people': 26807, 'unemployed people getting': 941128, 'people getting too': 648068, 'getting too much': 349410, 'much money if': 545087, 'money if these': 536826, 'if these asshole': 415082, 'these asshole weren': 879656, 'asshole weren millionaire': 96585, 'weren millionaire amp': 980410, 'millionaire amp if': 532441, 'amp if they': 53971, 'had to actually': 373658, 'to actually shop': 900033, 'actually shop for': 30954, 'for grocery they': 322053, 'grocery they see': 366042, 'they see that': 883295, 'see that price': 745794, 'going up daily': 355779, 'swooping': 830629, 'are swooping': 90697, 'swooping up': 830630, 'up purell': 945871, 'purell soon': 690029, 'shelf magazine': 757300, 'people are swooping': 647098, 'are swooping up': 90698, 'swooping up purell': 830631, 'up purell soon': 945872, 'purell soon the': 690030, 'soon the hand': 785843, 'sanitizer hit the': 735087, 'hit the shelf': 398449, 'the shelf magazine': 866854, 'spreadingthanks': 791100, 'class one': 180230, 'ha special': 372013, 'special message': 787993, 'driver spreadingthanks': 259751, 'class one ha': 180231, 'one ha special': 606391, 'ha special message': 372015, 'special message for': 787994, 'message for supermarket': 529307, 'delivery driver spreadingthanks': 233939, 'sure wish': 827841, 'wish sears': 996808, 'sears wa': 743356, 'still sending': 801164, 'those big': 891844, 'big catalog': 129687, 'catalog out': 166912, 'tp here': 927834, 'here sears': 393542, 'sears toiletpaperapocalypse': 743354, 'sure wish sears': 827842, 'wish sears wa': 996809, 'sears wa still': 743357, 'wa still sending': 963315, 'still sending out': 801165, 'sending out those': 750074, 'out those big': 627597, 'those big catalog': 891845, 'big catalog out': 129688, 'catalog out of': 166913, 'of tp here': 592369, 'tp here sears': 927835, 'here sears toiletpaperapocalypse': 393543, 'sears toiletpaperapocalypse toiletpaperpanic': 743355, 'toiletpaperapocalypse toiletpaperpanic toiletpaperemergency': 922949, 'toiletpaperpanic toiletpaperemergency toiletpaper': 923285, 'parent see': 641719, 'see still': 745745, 'still bringing': 800300, 'is disheartening': 447228, 'disheartening stayhomefornevada': 245517, 'amount of parent': 53245, 'of parent see': 587777, 'parent see still': 641720, 'see still bringing': 745746, 'still bringing their': 800301, 'their kid with': 873763, 'kid with them': 474176, 'store is disheartening': 808486, 'is disheartening stayhomefornevada': 447229, 'company suffer': 191131, 'suffer inventory': 817212, 'in declining': 422065, 'declining market': 231477, 'product exceeds': 681170, 'exceeds prevailing': 289050, 'company suffer inventory': 191132, 'suffer inventory loss': 817213, 'loss in declining': 503702, 'in declining market': 422066, 'declining market the': 231478, 'of inventory in': 585275, 'crude oil and': 219551, 'oil and product': 596619, 'and product exceeds': 69568, 'product exceeds prevailing': 681171, 'exceeds prevailing price': 289051, 'corvid19 toiletpaper': 207739, 'calculator it': 155340, 'german but': 346206, 'll figure': 496760, 'corvid19 toiletpaper toilet': 207740, 'toiletpaper toilet paper': 922629, 'paper calculator it': 639995, 'calculator it in': 155341, 'it in german': 458732, 'in german but': 423270, 'german but sure': 346207, 'but sure you': 147240, 'sure you ll': 827867, 'you ll figure': 1019651, 'll figure it': 496761, 'todayin60': 920597, 'edpark': 268734, 'todayin60 with': 920598, 'with edpark': 998181, 'edpark oil': 268735, 'rallied 20': 696240, '20 yesterday': 13431, 'unemployment figure': 941214, 'were higher': 979742, 'expected it': 290903, 'case growth': 165755, 'growth slows': 367454, 'slows to': 774644, 'allow market': 45993, 'todayin60 with edpark': 920599, 'with edpark oil': 998182, 'edpark oil price': 268736, 'price rallied 20': 676068, 'rallied 20 yesterday': 696241, '20 yesterday and': 13432, 'yesterday and unemployment': 1015671, 'and unemployment figure': 74653, 'unemployment figure in': 941215, 'the were higher': 871389, 'were higher than': 979743, 'higher than expected': 395753, 'than expected it': 840626, 'expected it is': 290904, 'is important that': 448733, 'important that new': 419010, 'that new case': 845326, 'new case growth': 558461, 'case growth slows': 165756, 'growth slows to': 367455, 'slows to allow': 774645, 'to allow market': 900343, 'allow market to': 45994, 'market to look': 517238, 'to look through': 909442, 'look through the': 502623, 'through the current': 894730, 'the current poor': 852651, 'current poor economic': 221305, 'fantastic gesture': 298588, 'fantastic gesture from': 298589, 'customer stock so': 222880, 'so that there': 778398, 'really support': 702637, 'you jacked': 1019391, 'jacked the': 464143, 'your internet': 1024505, 'internet without': 442058, 'notice bell': 573251, 'bell is': 126489, 'is po': 450915, 'po company': 662127, 'company way': 191287, 'canadian out': 160724, 'out coronacrisis': 625892, 'coronacrisis pricegougers': 204713, 'pricegouging bell': 677793, 'really support people': 702638, 'support people are': 826756, 'losing job people': 503567, 'job people are': 466086, 'are freaked out': 86671, 'freaked out so': 331525, 'so you jacked': 778844, 'you jacked the': 1019392, 'jacked the price': 464144, 'of your internet': 593490, 'your internet without': 1024507, 'internet without notice': 442059, 'without notice bell': 1002806, 'notice bell is': 573252, 'bell is po': 126490, 'is po company': 450916, 'po company way': 662128, 'company way to': 191288, 'help canadian out': 389480, 'canadian out coronacrisis': 160725, 'out coronacrisis pricegougers': 625893, 'coronacrisis pricegougers pricegouging': 204714, 'pricegougers pricegouging bell': 677776, 'pay ticket': 645175, 'don congregate': 253437, 'congregate together': 194464, 'park until': 642016, 'have vaccine': 383487, 'side just': 768831, 'save by': 737487, 'being fo': 125160, 'will pay ticket': 994397, 'pay ticket price': 645176, 'sure that many': 827695, 'many people don': 514499, 'people don congregate': 647698, 'don congregate together': 253438, 'congregate together in': 194465, 'the park until': 863297, 'park until we': 642017, 'until we have': 943924, 'we have vaccine': 971980, 'have vaccine for': 383488, 'bright side just': 139793, 'side just think': 768832, 'economy and all': 267636, 'all the life': 44807, 'the life we': 859344, 'life we ll': 489192, 'we ll save': 972276, 'll save by': 496983, 'save by being': 737488, 'by being fo': 151943, 'menwhile': 528905, 'menwhile people': 528906, 'people overseas': 649047, 'overseas fight': 631473, 'fight stole': 304875, 'stole and': 804266, 'fucking mask': 339941, 'mask inside': 518855, 'to sale': 913737, 'for absurd': 318985, 'absurd expansive': 27499, 'expansive price': 290572, 'menwhile people overseas': 528907, 'people overseas fight': 649048, 'overseas fight stole': 631474, 'fight stole and': 304876, 'stole and keep': 804267, 'the fucking mask': 855990, 'fucking mask inside': 339942, 'mask inside their': 518856, 'inside their house': 439427, 'their house to': 873610, 'house to sale': 406631, 'to sale it': 913738, 'sale it for': 732317, 'it for absurd': 458068, 'for absurd expansive': 318986, 'absurd expansive price': 27500, 'righttorepair': 722487, 'meanwhile independent': 524994, 'independent repair': 434130, 'repair shop': 711467, 'still helping': 800694, 'their tech': 874957, 'tech fixed': 836090, 'fixed righttorepair': 309827, 'righttorepair via': 722488, '19 meanwhile independent': 8603, 'meanwhile independent repair': 524995, 'independent repair shop': 434131, 'repair shop are': 711468, 'are still helping': 90431, 'still helping people': 800695, 'get their tech': 348344, 'their tech fixed': 874958, 'tech fixed righttorepair': 836091, 'fixed righttorepair via': 309828, 'best more of': 127771, 'of this please': 592025, 'this please this': 889619, 'nbnews': 553271, 'falling at': 297213, 'pump again': 689018, 'again nbnews': 37076, 'nbnews gas': 553272, 'are falling at': 86460, 'falling at the': 297215, 'the pump again': 864895, 'pump again nbnews': 689019, 'again nbnews gas': 37077, 'jananmeat': 464481, 'have written': 383640, 'to jananmeat': 908650, 'jananmeat supplier': 464482, 'of halal': 584409, 'in oadby': 426039, 'oadby leicester': 578242, 'leicester to': 486110, 'clarify why': 180087, 'crisis ll': 217668, 'll post': 496954, 'post any': 665994, 'any answer': 78929, 'answer maybe': 78075, 'coronacrisis weareinthistogether': 204856, 'have written to': 383641, 'written to jananmeat': 1012974, 'to jananmeat supplier': 908651, 'jananmeat supplier of': 464483, 'supplier of halal': 824581, 'of halal meat': 584410, 'halal meat to': 374112, 'meat to in': 525779, 'to in oadby': 908231, 'in oadby leicester': 426040, 'oadby leicester to': 578243, 'leicester to clarify': 486111, 'to clarify why': 902801, 'clarify why they': 180088, 'they have raised': 882368, 'their price at': 874377, 'of crisis ll': 582171, 'crisis ll post': 217669, 'll post any': 496955, 'post any answer': 665995, 'any answer maybe': 78930, 'answer maybe you': 78076, 'maybe you need': 521897, 'into this coronacrisis': 443212, 'this coronacrisis weareinthistogether': 886882, 'sa share': 728934, 'share advice': 754912, 'continue operating': 201085, 'operating and': 613054, 'and manage': 66619, 'manage risk': 512422, 'of sa share': 589200, 'sa share advice': 728935, 'share advice for': 754913, 'advice for food': 33369, 'for food business': 321565, 'food business on': 313803, 'business on how': 144135, 'how to continue': 408998, 'to continue operating': 903396, 'continue operating and': 201086, 'operating and manage': 613056, 'and manage risk': 66620, 'manage risk during': 512423, 'mindedly': 532798, 'detriment': 239487, 'is reinforcing': 451401, 'reinforcing how': 708258, 'how interconnected': 408074, 'interconnected our': 441311, 'our societal': 624815, 'societal wellbeing': 781137, 'wellbeing is': 978793, 'amp our': 54257, 'longer acceptable': 501902, 'acceptable for': 28016, 'single mindedly': 771336, 'mindedly safeguard': 532799, 'safeguard it': 730204, 'it profit': 460518, 'the detriment': 853215, 'detriment of': 239488, 'community or': 190020, 'our environment': 622920, 'crisis is reinforcing': 217585, 'is reinforcing how': 451402, 'reinforcing how interconnected': 708259, 'how interconnected our': 408075, 'interconnected our societal': 441312, 'our societal wellbeing': 624816, 'societal wellbeing is': 781138, 'wellbeing is with': 978794, 'is with business': 454010, 'with business amp': 997491, 'business amp our': 143282, 'amp our economy': 54258, 'our economy it': 622845, 'economy it no': 268025, 'no longer acceptable': 564626, 'longer acceptable for': 501903, 'acceptable for company': 28017, 'for company to': 320207, 'company to single': 191245, 'to single mindedly': 914672, 'single mindedly safeguard': 771337, 'mindedly safeguard it': 532800, 'safeguard it profit': 730205, 'it profit to': 460519, 'profit to the': 682878, 'to the detriment': 916638, 'the detriment of': 853216, 'detriment of it': 239489, 'it staff the': 461213, 'staff the community': 792942, 'the community or': 851290, 'community or our': 190021, 'or our environment': 616458, 'kask at': 470997, 'helping pay': 391429, 'bs3 au': 141435, 'au of': 102795, 'the buylocal': 850230, 'and kask at': 65744, 'kask at your': 470998, 'door we believe': 255776, 'we believe this': 970850, 'negative impact social': 556792, 'impact social interaction': 417965, 'while helping pay': 986916, 'helping pay rent': 391430, 'in bs3 au': 421014, 'bs3 au of': 141436, 'au of the': 102796, 'of the buylocal': 590839, 'depot located': 237535, 'is jacking': 449085, 'practice law': 668601, 'food depot located': 314189, 'depot located in': 237536, 'located in baltimore': 498811, 'maryland is jacking': 518208, 'is jacking up': 449086, 'on food tissue': 600922, 'gouging during time': 359314, 'violation of unfair': 957522, 'of unfair or': 592627, 'trade practice law': 928552, 'replies0': 711729, 'retweets0': 720126, 'everyone 10': 286667, 'day pay': 228195, 'should push': 766354, 'up bit': 944499, 'bit replies0': 131687, 'replies0 retweets0': 711730, 'retweets0 like': 720127, 'like reply': 491076, 'give everyone 10': 350477, 'everyone 10 day': 286668, '10 day pay': 1388, 'day pay wow': 228196, 'pay wow that': 645240, 'wow that will': 1012602, 'good for 10': 357070, 'for 10 day': 318611, '10 day that': 1390, 'day that should': 228473, 'that should push': 846288, 'should push price': 766355, 'push price up': 690314, 'price up bit': 677224, 'up bit replies0': 944500, 'bit replies0 retweets0': 131688, 'replies0 retweets0 like': 711731, 'retweets0 like reply': 720129, 'unrest it': 943357, 'using scarcity': 950636, 'scarcity to': 740855, 'maintain offer': 509003, 'offer demand': 594580, 'pure trash': 689989, 'happened so': 377266, 'agriculture during': 38965, 'unrest it to': 943358, 'it to avoid': 461706, 'having to drop': 384343, 'to drop price': 904777, 'drop price and': 260371, 'price and using': 672574, 'and using scarcity': 74802, 'using scarcity to': 950637, 'scarcity to maintain': 740856, 'to maintain offer': 909585, 'maintain offer demand': 509004, 'offer demand it': 594581, 'demand it pure': 235757, 'it pure trash': 460556, 'pure trash and': 689990, 'trash and this': 930130, 'this ha happened': 887805, 'ha happened so': 370826, 'happened so many': 377267, 'many time before': 514810, 'time before for': 896379, 'before for more': 122811, 'more on agriculture': 539911, 'on agriculture during': 599184, 'agriculture during covid': 38966, 'newyorktimes': 561227, 'alternative subscription': 49260, 'subscription to': 815911, 'the washingtonpost': 871112, 'washingtonpost or': 967831, 'or newyorktimes': 616241, 'newyorktimes paper': 561228, 'paper edition': 640124, 'if cant find': 413945, 'cant find tp': 162293, 'find tp toiletpaper': 307356, 'tp toiletpaper at': 927991, 'toiletpaper at the': 921766, 'is an alternative': 445639, 'an alternative subscription': 55259, 'alternative subscription to': 49261, 'subscription to the': 815913, 'to the washingtonpost': 917178, 'the washingtonpost or': 871113, 'washingtonpost or newyorktimes': 967832, 'or newyorktimes paper': 616242, 'newyorktimes paper edition': 561229, 'face more': 294619, 'oil industry face': 596884, 'industry face more': 435822, 'face more disruption': 294621, 'disruption to demand': 246542, 'to demand and': 904134, 'how are dealing': 407396, 'orbitform': 617953, 'arsenalofhealth': 94111, 'new senate': 559558, 'senate majority': 749714, 'majority leader': 509545, 'leader orbitform': 483509, 'orbitform is': 617954, 'is building': 446292, 'building an': 142041, 'sanitizer machine': 735322, 'machine for': 507373, 'hospital michigan': 404510, 'michigan arsenalofhealth': 530319, 'new senate majority': 559559, 'senate majority leader': 749715, 'majority leader orbitform': 509546, 'leader orbitform is': 483510, 'orbitform is building': 617955, 'is building an': 446293, 'building an n95': 142042, 'n95 mask sanitizer': 551205, 'mask sanitizer machine': 519225, 'sanitizer machine for': 735324, 'machine for hospital': 507374, 'for hospital michigan': 322368, 'hospital michigan arsenalofhealth': 404511, '13m': 3358, 'arco': 84071, 'turnover take': 936014, 'take 13m': 831866, '13m tumble': 3359, 'at safety': 100436, 'safety supplier': 730743, 'supplier arco': 824490, 'arco brexit': 84072, 'brexit uncertainty': 139531, 'uncertainty blamed': 939670, 'blamed full': 132319, 'full focus': 340597, 'on protection': 602982, 'protection role': 685598, 'turnover take 13m': 936015, 'take 13m tumble': 831867, '13m tumble at': 3360, 'tumble at safety': 935297, 'at safety supplier': 100437, 'safety supplier arco': 730744, 'supplier arco brexit': 824491, 'arco brexit uncertainty': 84073, 'brexit uncertainty blamed': 139532, 'uncertainty blamed full': 939671, 'blamed full focus': 132320, 'full focus now': 340598, 'focus now on': 311854, 'now on protection': 575431, 'on protection role': 602983, 'memory forcing': 528425, 'it wa nice': 462154, 'wa nice of': 962707, 'of to raise': 592221, 'living memory forcing': 496414, 'memory forcing people': 528426, 'panic am': 637277, 'watching news': 968768, 'from japan': 336144, 'same situation': 733291, 'situation empty': 772252, 'and official': 68000, 'official trying': 595955, 'assure people': 97092, 'be shortage': 117162, 'global panic am': 352115, 'panic am watching': 637278, 'am watching news': 50549, 'watching news from': 968770, 'news from japan': 560454, 'from japan and': 336145, 'japan and it': 464706, 'the same situation': 866298, 'same situation empty': 733292, 'situation empty shelf': 772253, 'shelf and official': 756748, 'and official trying': 68001, 'official trying to': 595956, 'trying to assure': 934767, 'to assure people': 900796, 'assure people that': 97093, 'people that there': 649779, 'not be shortage': 568453, 'be shortage of': 117164, 'ny14': 577935, 'ditmars': 248454, 'in ny14': 426012, 'ny14 went': 577936, 'on ditmars': 600354, 'ditmars blvd': 248455, 'blvd this': 133540, 'morning chatted': 541215, 'min he': 532541, 'poor are': 664115, 'are stealing': 90382, 'stealing soap': 799252, 'live in ny14': 495878, 'in ny14 went': 426013, 'ny14 went to': 577937, 'store on ditmars': 809190, 'on ditmars blvd': 600355, 'ditmars blvd this': 248456, 'blvd this morning': 133541, 'this morning chatted': 888949, 'morning chatted with': 541216, 'chatted with the': 173994, 'cashier for min': 166525, 'for min he': 323445, 'min he said': 532542, 'said that in': 731404, 'that in new': 844455, 'york the poor': 1016676, 'the poor are': 863967, 'poor are stealing': 664116, 'are stealing soap': 90383, 'stealing soap and': 799253, 'cage waive': 155174, 'waive late': 964518, 'terminate residential': 838374, 'financial circumstance': 306346, 'also suspending': 48942, 'suspending data': 829652, 'data usage': 226479, 'usage limit': 948841, 'period due': 651748, 'cage waive late': 155175, 'waive late fee': 964519, 'late fee and': 480871, 'fee and to': 302140, 'and to not': 74188, 'to not terminate': 910712, 'not terminate residential': 571955, 'terminate residential or': 838375, 'business customer service': 143614, 'customer service due': 222821, 'due to financial': 261787, 'to financial circumstance': 905867, 'financial circumstance associated': 306347, 'are also suspending': 84480, 'also suspending data': 48943, 'suspending data usage': 829653, 'data usage limit': 226480, 'usage limit for': 948842, 'limit for consumer': 492346, 'for consumer customer': 320249, 'consumer customer during': 197040, 'this time period': 890676, 'time period due': 897477, 'period due to': 651749, 'nbcnews': 553248, 'worker killed': 1007286, 'coronavirus nbcnews': 206308, 'nbcnews coronacrisis': 553249, 'coronacrisis walmart': 204853, 'family of worker': 298111, 'of worker killed': 593280, 'worker killed by': 1007287, 'by coronavirus nbcnews': 152234, 'coronavirus nbcnews coronacrisis': 206309, 'nbcnews coronacrisis walmart': 553250, 'mikeroman': 531291, 'boycott3m': 137355, 'mikeroman boycott3m': 531292, 'boycott3m traitor': 137356, 'traitor chinesevirus': 929380, 'chinesevirus please': 177446, 'country shameful': 211040, 'shameful also': 754676, 'also setting': 48865, 'setting price': 753644, 'mikeroman boycott3m traitor': 531293, 'boycott3m traitor chinesevirus': 137357, 'traitor chinesevirus please': 929381, 'chinesevirus please tell': 177447, 'tell me 10': 837007, 'me 10 00': 522325, '10 00 00': 1187, '00 00 mask': 6, '00 mask are': 317, 'not being sent': 568549, 'sent to foreign': 750841, 'foreign country shameful': 328968, 'country shameful also': 211041, 'shameful also setting': 754677, 'also setting price': 48866, 'setting price with': 753645, 'price with distributor': 677609, 'with distributor is': 998094, 'distributor is illegal': 248299, 'to londoner': 909419, 'londoner please': 501247, 'supermarket and retail': 819051, 'and retail staff': 70444, 'retail staff across': 718592, 'staff across our': 792077, 'across our city': 29418, 'our city who': 622378, 'city who are': 179458, 'so hard at': 777251, 'moment thank you': 536056, 'you to londoner': 1021801, 'to londoner please': 909420, 'londoner please listen': 501248, 'listen to their': 494754, 'to their message': 917253, 'their message and': 873955, 'message and be': 529263, 'considerate when you': 195239, 'you shop if': 1021161, 'shop if we': 760301, 'all do this': 42598, 'do this then': 250369, 'this then we': 890548, 'can make sure': 158951, 'sure we have': 827806, 'suspends service 19': 829678, 'service 19 corona': 752019, 'nearby aen': 553652, 'office following': 595419, 'you team': 1021532, 'visit the nearby': 959387, 'the nearby aen': 861354, 'nearby aen office': 553653, 'aen office following': 33887, 'office following the': 595420, 'pandemic regarding this': 636315, 'regarding this thank': 707302, 'thank you team': 841822, 'you team jvvnl': 1021533, 'paper shame': 640749, 'and them': 73731, 'are stopping': 90542, 'stopping to': 805837, 'sell related': 748863, 'item needed': 463468, 'are letting': 87769, 'people sell': 649397, '100 200': 1813, 'you allowing so': 1016934, 'allowing so much': 46335, 'much of toilet': 545201, 'toilet paper shame': 921445, 'paper shame shame': 640750, 'on you and': 605412, 'you and them': 1017010, 'and them stop': 73732, 'them stop saying': 876336, 'saying you guy': 739773, 'guy are stopping': 368906, 'are stopping to': 90543, 'stopping to sell': 805838, 'to sell related': 914170, 'sell related item': 748864, 'related item needed': 708470, 'item needed you': 463469, 'needed you are': 556593, 'you are letting': 1017160, 'are letting people': 87771, 'letting people sell': 487438, 'people sell for': 649398, 'sell for 100': 748729, 'for 100 200': 318624, 'your gratitude': 1024101, 'gratitude towards': 362406, 'towards those': 927269, 'fighter emts': 305005, 'emts supermarket': 275358, 'worker ou': 1007518, 'we all fight': 970324, 'all fight against': 42783, '19 don forget': 6625, 'forget to show': 329332, 'show your gratitude': 767301, 'your gratitude towards': 1024103, 'gratitude towards those': 362407, 'towards those that': 927270, 'are helping and': 87090, 'helping and on': 391271, 'line from doctor': 493121, 'from doctor and': 335171, 'nurse and all': 577195, 'and all healthcare': 57865, 'worker to our': 1008016, 'to our police': 911233, 'our police fire': 624379, 'police fire fighter': 663000, 'fire fighter emts': 308078, 'fighter emts supermarket': 305006, 'emts supermarket worker': 275359, 'supermarket worker ou': 824062, 'peoplemagazine': 650610, 'march2020': 515549, 'peoplemagazine march2020': 650611, 'march2020 issue': 515550, 'issue amazing': 455654, 'how packed': 408474, 'packed the': 633651, 'where snapped': 985175, 'snapped this': 776144, 'wa suppose': 963363, 'closed here': 183154, 'until end': 943724, 'april at': 83547, 'least but': 484415, 'but kid': 146225, 'kid everywhere': 473943, 'today lol': 919827, 'peoplemagazine march2020 issue': 650612, 'march2020 issue amazing': 515551, 'issue amazing how': 455655, 'amazing how packed': 50709, 'how packed the': 408475, 'packed the store': 633653, 'store where snapped': 811263, 'where snapped this': 985176, 'snapped this thought': 776145, 'this thought the': 890585, 'thought the coronavirus': 893243, 'the coronavirus wa': 851939, 'coronavirus wa suppose': 207037, 'wa suppose to': 963364, 'suppose to be': 827323, 'be keeping people': 115591, 'keeping people at': 472517, 'at home school': 99099, 'home school are': 402021, 'are closed here': 85347, 'closed here until': 183156, 'here until end': 393761, 'until end of': 943725, 'of april at': 580326, 'april at least': 83549, 'at least but': 99473, 'least but kid': 484416, 'but kid everywhere': 146226, 'kid everywhere in': 473944, 'everywhere in the': 288223, 'in the kroger': 429303, 'the kroger grocery': 858866, 'kroger grocery store': 477743, 'store today lol': 810851, 'responder da': 715439, 'da 19': 224210, 'first responder da': 308934, 'responder da 19': 715440, 'the september': 866721, 'september 19': 751155, '20 month': 13182, 'month leading': 537822, 'company going': 190699, 'bank may': 109999, 'leash after': 484308, 'the economy may': 853993, 'take month to': 832337, 'month to recover': 538088, 'from the september': 337872, 'the september 19': 866722, 'september 19 shock': 751156, 'he warns that': 385648, 'warns that price': 967292, 'that price could': 845823, 'could fall for': 209166, 'fall for at': 296910, 'least 20 month': 484340, '20 month leading': 13183, 'month leading to': 537823, 'leading to many': 483767, 'to many company': 909824, 'many company going': 513917, 'company going bankrupt': 190700, 'going bankrupt bank': 355055, 'bankrupt bank may': 110490, 'bank may also': 110000, 'may also find': 520917, 'also find themselves': 48209, 'find themselves on': 307320, 'themselves on tighter': 876862, 'tighter leash after': 895868, 'leash after the': 484309, 'it disaster': 457566, 'disaster food': 244205, 'six fold': 772632, 'fold increase': 312053, 'seen 25': 746905, '25 reduction': 15956, 'in contribution': 421760, 'it disaster food': 457567, 'disaster food bank': 244206, 'bank have had': 109894, 'have had six': 380873, 'had six fold': 373511, 'six fold increase': 772633, 'fold increase in': 312054, 'demand and have': 234969, 'have seen 25': 382416, 'seen 25 reduction': 746906, '25 reduction in': 15957, 'reduction in contribution': 706357, 'in contribution from': 421761, 'contribution from supermarket': 201937, 'australian who': 103572, 'good do': 356978, 'from shark': 337233, 'paper handsanitizer': 640252, 'very inflated': 955262, 'per roll of': 651004, 'paper no thanks': 640503, 'thanks love australian': 842133, 'love australian who': 504614, 'australian who hold': 103573, 'who hold on': 989018, 'hold on and': 399977, 'on and feel': 599353, 'and feel good': 62775, 'feel good do': 302645, 'good do not': 356979, 'not buy from': 568648, 'buy from shark': 148719, 'from shark selling': 337234, 'shark selling toilet': 755644, 'toilet paper handsanitizer': 921299, 'paper handsanitizer at': 640253, 'handsanitizer at very': 376484, 'at very inflated': 101447, 'very inflated price': 955263, 'be tougher': 117777, 'tougher for': 926888, 'have manifested': 381431, 'manifested with': 513186, 'main revenue': 508812, 'revenue source': 720473, 'on 57': 599108, '57 dollar': 20479, 'benchmark but': 126834, 'life will be': 489214, 'will be tougher': 992734, 'be tougher for': 117778, 'tougher for nigerian': 926889, 'nigerian have manifested': 562856, 'have manifested with': 381432, 'manifested with the': 513187, 'crash in international': 214993, 'in international crude': 424123, 'international crude oil': 441780, 'country main revenue': 210881, 'main revenue source': 508813, 'revenue source the': 720474, 'source the 2020': 786557, 'based on 57': 111666, 'on 57 dollar': 599109, '57 dollar per': 20480, 'dollar per barrel': 253053, 'of oil benchmark': 587178, 'oil benchmark but': 596652, 'benchmark but with': 126835, 'but with covid': 147893, '1637': 4232, 'tulipmania': 935280, 'tulip': 935273, '1797': 4460, 'past 1637': 643495, '1637 tulipmania': 4233, 'tulipmania speculation': 935281, 'speculation by': 788356, 'netherlands led': 557671, 'to wildly': 918601, 'wildly inflate': 992147, 'of tulip': 592495, 'tulip and': 935274, 'and tulip': 74519, 'tulip bulb': 935276, 'bulb 1797': 142221, '1797 land': 4461, 'land speculation': 479296, 'speculation bubble': 788354, 'bubble led': 141608, 'to downturn': 904696, 'financial crisis of': 306376, 'the past 1637': 863344, 'past 1637 tulipmania': 643496, '1637 tulipmania speculation': 4234, 'tulipmania speculation by': 935282, 'speculation by trader': 788357, 'by trader in': 154584, 'trader in the': 928698, 'the netherlands led': 861457, 'netherlands led to': 557672, 'led to wildly': 485308, 'to wildly inflate': 918602, 'wildly inflate price': 992148, 'price of tulip': 675597, 'of tulip and': 592496, 'tulip and tulip': 935275, 'and tulip bulb': 74520, 'tulip bulb 1797': 935277, 'bulb 1797 land': 142222, '1797 land speculation': 4462, 'land speculation bubble': 479297, 'speculation bubble led': 788355, 'bubble led to': 141609, 'led to downturn': 485277, 'to downturn in': 904697, 'downturn in uk': 257804, 'in uk and': 430379, 'is boris': 446237, 'boris strong': 135493, 'enough leader': 277504, '19 is boris': 7941, 'is boris strong': 446238, 'boris strong enough': 135494, 'strong enough leader': 814028, 'these consumer': 879801, 'oriented holiday': 619527, 'holiday like': 400327, 'like easter': 490154, 'easter valentine': 265518, 'valentine damn': 951894, 'too profitable': 925013, 'profitable to': 682928, 'let walk': 487201, 'walk away': 964751, 'away without': 106126, 'without spending': 1002930, 'pandemic plague': 636187, 'terrifying lonely': 838536, 'lonely death': 501299, 'capitalism and all': 162716, 'and all these': 57898, 'all these consumer': 45027, 'these consumer oriented': 879802, 'consumer oriented holiday': 198296, 'oriented holiday like': 619528, 'holiday like easter': 400328, 'like easter valentine': 490155, 'easter valentine damn': 265519, 'valentine damn it': 951895, 'damn it they': 225379, 'are too profitable': 91146, 'too profitable to': 925014, 'profitable to let': 682929, 'to let walk': 909220, 'let walk away': 487202, 'walk away without': 964752, 'away without spending': 106127, 'without spending money': 1002931, 'spending money not': 788905, 'money not to': 536913, 'mention the pandemic': 528796, 'the pandemic plague': 863055, 'pandemic plague of': 636188, 'plague of terrifying': 657974, 'of terrifying lonely': 590672, 'terrifying lonely death': 838537, 'publicis': 688555, 'sapient': 736690, 'differing': 242172, 'brand look': 137890, '19 publicis': 9870, 'publicis sapient': 688556, 'sapient ha': 736691, 'ha built': 370040, 'box capability': 137033, 'up fully': 945002, 'operational dtc': 613310, 'dtc business': 261386, 'week via': 977165, 'via differing': 955914, 'differing platform': 242173, 'platform option': 659017, 'cpg brand look': 214584, 'brand look to': 137891, 'look to respond': 502634, 'covid 19 publicis': 213628, '19 publicis sapient': 9871, 'publicis sapient ha': 688557, 'sapient ha built': 736692, 'ha built an': 370041, 'built an out': 142174, 'of the box': 590827, 'the box capability': 849919, 'box capability to': 137034, 'capability to stand': 162475, 'stand up fully': 793604, 'up fully operational': 945003, 'fully operational dtc': 341069, 'operational dtc business': 613311, 'dtc business in': 261387, 'business in three': 143908, 'in three to': 430060, 'to four week': 906215, 'four week via': 330704, 'week via differing': 977166, 'via differing platform': 955915, 'differing platform option': 242174, 'if agrees': 413780, 'from don know': 335191, 'know if agrees': 476468, 'if agrees with': 413781, 'agrees with me': 38827, 'trust people in': 934303, 'street fighting over': 812968, 'buying at store': 149970, 'at store food': 100653, 'business paused': 144201, 'paused and': 644629, 'demand seems': 236183, 'disappear now': 244044, 'pas we': 643172, 'chance behind': 171705, 'swan crisis': 829956, 'crisis positively': 217889, 'now the world': 576081, '19 business paused': 5484, 'business paused and': 144202, 'paused and consumer': 644630, 'consumer demand seems': 197165, 'demand seems to': 236184, 'seems to disappear': 746878, 'to disappear now': 904340, 'disappear now it': 244045, 'now it hard': 575116, 'hard but it': 377880, 'it will pas': 462418, 'will pas we': 994382, 'pas we should': 643173, 'we should prepare': 973287, 'should prepare for': 766329, 'for the chance': 326340, 'the chance behind': 850659, 'chance behind this': 171706, 'behind this black': 124738, 'black swan crisis': 132135, 'swan crisis positively': 829957, 'would create': 1011743, 'create immense': 215666, 'immense panic': 417187, 'panic if': 638189, 'if without': 415363, 'any short': 79808, 'notice everything': 573268, 'everything come': 287736, 'still already': 800188, 'already because': 47218, 'of rumour': 589175, 'rumour supermarket': 727527, 'going null': 355288, 'null so': 576790, 'just avoid': 468249, 'avoid thing': 105344, 'thing causing': 884226, 'for sudden': 325980, 'sudden lockdown': 817019, 'this would create': 891536, 'would create immense': 1011744, 'create immense panic': 215667, 'immense panic if': 417188, 'panic if without': 638191, 'if without any': 415364, 'without any short': 1002500, 'any short notice': 79809, 'short notice everything': 764652, 'notice everything come': 573269, 'everything come to': 287737, 'come to still': 187600, 'to still already': 915405, 'still already because': 800189, 'already because of': 47219, 'because of rumour': 119398, 'of rumour supermarket': 589176, 'rumour supermarket are': 727528, 'are going null': 86893, 'going null so': 355289, 'null so for': 576791, 'so for now': 777110, 'now just avoid': 575151, 'just avoid thing': 468250, 'avoid thing causing': 105345, 'thing causing covid': 884227, 'need for sudden': 554873, 'for sudden lockdown': 325981, 'of cell': 581236, 'cell should': 168965, 'elderly not': 270787, 'difficult elderly': 242213, 'elderly poorcustomerservice': 270858, 'period of cell': 651835, 'of cell should': 581237, 'cell should be': 168966, 'be doing what': 114535, 'protect the at': 684964, 'risk elderly not': 723512, 'elderly not making': 270788, 'not making their': 570520, 'making their life': 511438, 'their life more': 873837, 'life more difficult': 488884, 'more difficult elderly': 539037, 'difficult elderly poorcustomerservice': 242214, '921': 23487, '1128': 2641, 'toll rise': 923877, 'to 921': 899872, '921 up': 23488, 'up 24': 944136, '24 in': 15634, 'day 49': 227150, '49 new': 19397, 'in after': 420093, 'after death': 35545, 'cashier french': 166528, 'fear report': 301304, 'report 1128': 711768, '1128 case': 2642, 'case 54': 165599, '54 death': 20326, 'death toll rise': 230252, 'toll rise to': 923878, 'rise to 921': 723028, 'to 921 up': 899873, '921 up 24': 23489, 'up 24 in': 944137, '24 in day': 15635, 'in day 49': 422003, 'day 49 new': 227151, '49 new case': 19398, 'case in after': 165783, 'in after death': 420094, 'after death of': 35546, 'death of cashier': 230141, 'of cashier french': 581190, 'cashier french supermarket': 166529, 'french supermarket staff': 332760, 'supermarket staff work': 822908, 'staff work in': 793107, 'work in fear': 1005307, 'in fear report': 422820, 'fear report 1128': 301305, 'report 1128 case': 711769, '1128 case 54': 2643, 'case 54 death': 165600, '54 death from': 20327, 'fishandchips': 309353, 'main observation': 508777, 'observation so': 578557, 'most restaurant': 542702, 'restaurant doing': 716428, 'doing take': 252693, 'away think': 106062, 'want fish': 965786, 'and chip': 59862, 'chip reasonable': 177528, 'reasonable assumption': 703087, 'assumption for': 97065, 'record price': 705046, '13 95': 3180, '95 most': 23594, '10 price': 1644, 'point foodie': 662481, 'foodie fishandchips': 317948, 'my main observation': 549191, 'main observation so': 508778, 'observation so far': 578558, 'far is that': 298820, 'that most restaurant': 845233, 'most restaurant doing': 542703, 'restaurant doing take': 716429, 'doing take away': 252694, 'take away think': 831973, 'away think we': 106063, 'think we want': 885775, 'we want fish': 973745, 'want fish and': 965787, 'fish and chip': 309288, 'and chip reasonable': 59865, 'chip reasonable assumption': 177529, 'reasonable assumption for': 703088, 'assumption for the': 97066, 'for the record': 326648, 'the record price': 865365, 'record price range': 705048, 'range from to': 696700, 'from to 13': 338053, 'to 13 95': 899484, '13 95 most': 3181, '95 most at': 23595, 'most at the': 542123, 'at the 10': 100865, 'the 10 price': 847856, '10 price point': 1645, 'price point foodie': 675946, 'point foodie fishandchips': 662482, 'ahab': 39111, 'all lost': 43418, 'mind so': 532722, 'here calming': 392848, 'calming picture': 156855, 'picture going': 656128, 'going captain': 355078, 'captain ahab': 162916, 'ahab on': 39112, 'these if': 880145, 'socialdistancing you have': 780891, 'have all lost': 379161, 'all lost your': 43419, 'lost your mind': 503961, 'your mind so': 1024837, 'mind so here': 532723, 'so here calming': 777295, 'here calming picture': 392849, 'calming picture going': 156856, 'picture going captain': 656129, 'going captain ahab': 355079, 'captain ahab on': 162917, 'ahab on these': 39113, 'on these if': 604565, 'these if you': 880147, 'if you idiot': 415456, 'you idiot panic': 1019277, 'idiot panic buy': 413566, 'what insane': 981666, 'insane to': 439075, 'actually raising': 30928, 'pandemic how': 635657, 'that remotely': 845998, 'remotely ok': 710774, 'ok taking': 597900, 'anything shit': 80878, 'shit should': 759218, 'should cost': 765880, 'le or': 483055, 'limit my': 492380, 'as greedy': 94748, 'greedy fuck': 363515, 'what insane to': 981667, 'insane to me': 439076, 'me is place': 523000, 'is place are': 450880, 'place are actually': 657334, 'are actually raising': 84218, 'actually raising price': 30929, 'on thing during': 604585, 'thing during pandemic': 884291, 'during pandemic how': 262873, 'pandemic how is': 635659, 'is that remotely': 452685, 'that remotely ok': 845999, 'remotely ok taking': 710775, 'ok taking advantage': 597901, 'advantage of crisis': 32997, 'of crisis if': 582165, 'crisis if anything': 217513, 'if anything shit': 413865, 'anything shit should': 80879, 'shit should cost': 759219, 'should cost le': 765881, 'cost le or': 207997, 'le or be': 483056, 'or be free': 614509, 'be free with': 114958, 'free with limit': 332333, 'with limit my': 999226, 'limit my as': 492381, 'my as greedy': 547327, 'as greedy fuck': 94749, 'yer': 1015355, 'panicstations': 639467, 'little confused': 495293, 'confused with': 194358, 'pay contactless': 644814, 'contactless wa': 200388, 'wa awkward': 961621, 'awkward doing': 106277, 'doing through': 252780, 'the tiny': 869647, 'tiny perspex': 898670, 'perspex window': 653258, 'window went': 995736, 'the left': 859265, 'cashier nearly': 166568, 'nearly had': 553833, 'had melt': 373298, 'melt down': 527978, 'her safety': 392339, 'safety foot': 730543, 'ain gonna': 39617, 'gonna jump': 356564, 'on yer': 605403, 'yer panicstations': 1015356, 'little confused with': 495294, 'confused with 19': 194359, 'with 19 the': 996969, 'the supermarket trying': 868877, 'trying to pay': 934837, 'to pay contactless': 911523, 'pay contactless wa': 644815, 'contactless wa awkward': 200389, 'wa awkward doing': 961622, 'awkward doing through': 106278, 'doing through the': 252781, 'through the tiny': 894772, 'the tiny perspex': 869649, 'tiny perspex window': 898671, 'perspex window went': 653259, 'window went to': 995737, 'to the left': 916842, 'the left and': 859266, 'left and the': 485382, 'the cashier nearly': 850491, 'cashier nearly had': 166569, 'nearly had melt': 553834, 'had melt down': 373299, 'melt down it': 527980, 'down it wa': 256898, 'it wa for': 462112, 'wa for her': 962157, 'for her safety': 322230, 'her safety foot': 392340, 'safety foot away': 730544, 'foot away it': 318357, 'away it ain': 105953, 'it ain gonna': 456322, 'ain gonna jump': 39618, 'gonna jump on': 356565, 'jump on yer': 467888, 'on yer panicstations': 605404, 'theothershop': 877870, 'tamworthnsw': 834145, 'supportwhereyoucan': 827292, 'have unbelievable': 383447, 'unbelievable thread': 939513, 'thread heading': 893555, 'at unbelievable': 101392, 'unbelievable price': 939509, 'price theothershop': 676879, 'theothershop tamworthnsw': 877871, 'tamworthnsw smallbusiness': 834146, 'smallbusiness supportwhereyoucan': 775233, 'off the current': 594241, 'situation we have': 772570, 'we have unbelievable': 971975, 'have unbelievable thread': 383448, 'unbelievable thread heading': 939514, 'thread heading out': 893556, 'heading out the': 385950, 'door at unbelievable': 255525, 'at unbelievable price': 101393, 'unbelievable price theothershop': 939510, 'price theothershop tamworthnsw': 676880, 'theothershop tamworthnsw smallbusiness': 877872, 'tamworthnsw smallbusiness supportwhereyoucan': 834147, 'product partner': 681511, 'partner for': 642817, 'essential ecommerce': 280988, 'ecommerce by': 266727, 'consumer product partner': 198473, 'product partner for': 681512, 'partner for supply': 642818, 'for supply of': 326051, 'of essential essential': 583166, 'essential essential ecommerce': 281009, 'essential ecommerce by': 280989, 'plsstophoarding': 661203, 'to age': 900173, 'issue physically': 455888, 'physically disabled': 655516, 'disabled no': 243927, 'out day': 625934, 'day forcing': 227639, 'forcing frequent': 328705, 'frequent painful': 332820, 'transportation but': 929996, 'found of': 330308, 'shopper panic': 761639, 'panic plsstophoarding': 638427, 'due to age': 261696, 'to age health': 900175, 'age health issue': 37832, 'health issue physically': 386576, 'issue physically disabled': 455889, 'physically disabled no': 655517, 'disabled no car': 243928, 'delivery are out': 233721, 'are out day': 88879, 'out day forcing': 625935, 'day forcing frequent': 227640, 'forcing frequent painful': 328706, 'frequent painful trip': 332821, 'on public transportation': 603003, 'public transportation but': 688430, 'transportation but no': 929997, 'be found of': 114942, 'found of shopper': 330309, 'of shopper panic': 589646, 'shopper panic plsstophoarding': 761640, 'australia still': 103390, 'bare corona': 110888, 'australia still not': 103391, 'still not running': 800903, 'are the shelf': 90907, 'shelf so bare': 757523, 'so bare corona': 776593, 'thin pickins': 884064, 'supermarket require': 822208, 'require creativity': 713301, 'kitchen doe': 475709, 'chopped covid': 177966, 'thin pickins at': 884065, 'the supermarket require': 868773, 'supermarket require creativity': 822209, 'require creativity in': 713302, 'creativity in the': 216213, 'in the kitchen': 429301, 'the kitchen doe': 858833, 'kitchen doe anyone': 475710, 'of chopped covid': 581408, 'chopped covid 19': 177967, 'newblackmedia': 560019, 'redirecting': 705723, 'newblackmedia this': 560020, 'stop redirecting': 804952, 'redirecting on': 705724, 'store germ': 807914, 'germ warfare': 346174, 'warfare teen': 966859, 'teen purposefully': 836504, 'purposefully ruin': 690169, 'ruin produce': 727116, 'food contamination': 314008, 'newblackmedia this must': 560021, 'this must stop': 889071, 'must stop redirecting': 546923, 'stop redirecting on': 804953, 'redirecting on grocery': 705725, 'grocery store germ': 365425, 'store germ warfare': 807915, 'germ warfare teen': 346175, 'warfare teen purposefully': 966860, 'teen purposefully ruin': 836505, 'purposefully ruin produce': 690170, 'ruin produce food': 727117, 'produce food contamination': 680269, 'when shop': 984014, 'stockpilers is': 803879, 'me question': 523364, 'question if': 693621, 'acting so': 29908, 'minority stockpilinguk': 533649, 'know when shop': 477004, 'when shop later': 984015, 'shop later the': 760396, 'supermarket and selfishness': 819057, 'of the stockpilers': 591493, 'the stockpilers is': 867944, 'stockpilers is going': 803880, 'to me really': 909949, 'me really making': 523380, 'making me question': 511200, 'me question if': 523365, 'question if there': 693622, 'many are acting': 513750, 'are acting so': 84197, 'acting so selfishly': 29909, 'not minority stockpilinguk': 570584, 'literally having': 495022, 'having dream': 384040, 'sanitizer sad': 735675, 'literally having dream': 495023, 'having dream of': 384041, 'dream of shelf': 258606, 'of shelf fully': 589578, 'stocked with hand': 803464, 'hand sanitizer sad': 375574, 'only combat': 610251, 'stockpiling but': 803925, 'also impose': 48396, 'impose heavy': 419236, 'heavy fine': 388637, 'who throw': 989792, 'food once': 315612, 'be tired': 117723, 'government must not': 360371, 'must not only': 546783, 'not only combat': 570783, 'only combat panic': 610252, 'and stockpiling but': 72449, 'stockpiling but also': 803926, 'but also impose': 145123, 'also impose heavy': 48397, 'impose heavy fine': 419237, 'heavy fine on': 388638, 'fine on people': 307675, 'on people who': 602759, 'people who throw': 650350, 'who throw away': 989793, 'throw away food': 895011, 'away food once': 105841, 'food once the': 315613, 'will be and': 992356, 'be and they': 113622, 'will be tired': 992729, 'be tired of': 117724, 'tired of living': 899047, 'of living on': 585916, 'into bestbuy': 442432, 'bestbuy and': 128013, 'with bandana': 997363, 'bandana like': 109370, 'like ima': 490483, 'ima rob': 416608, 'walked into bestbuy': 964956, 'into bestbuy and': 442433, 'bestbuy and the': 128014, 'store with bandana': 811365, 'with bandana like': 997364, 'bandana like ima': 109371, 'like ima rob': 490484, 'ima rob the': 416609, 'rob the place': 724637, 'fallacy': 297117, 'fusilli': 342229, 'lip is': 494050, 'is fallacy': 447719, 'fallacy the': 297120, 'total panic': 926221, 'panic ready': 638469, 'over every': 630196, 'every fusilli': 285911, 'fusilli and': 342230, 'every sheet': 286157, 'is desperate': 447136, 'desperate shop': 238551, 'yes but the': 1015397, 'but the british': 147313, 'the british stiff': 850034, 'upper lip is': 947694, 'lip is fallacy': 494051, 'is fallacy the': 447720, 'fallacy the great': 297121, 'public are in': 687867, 'are in total': 87452, 'in total panic': 430220, 'total panic ready': 926222, 'panic ready to': 638470, 'ready to fight': 700957, 'to fight over': 905802, 'fight over every': 304828, 'over every fusilli': 630197, 'every fusilli and': 285912, 'fusilli and every': 342231, 'and every sheet': 62381, 'every sheet of': 286158, 'sheet of toilet': 756610, 'paper the situation': 640879, 'situation in italy': 772320, 'in italy is': 424307, 'italy is desperate': 462856, 'is desperate shop': 447137, 'desperate shop have': 238552, 'can commercial': 157939, 'commercial auto': 188672, 'insurance keep': 440766, 'for gigworkers': 321883, 'gigworkers more': 350096, 'more pertinent': 540062, 'pertinent question': 653289, 'package delivery': 633250, 'service than': 752907, 'than when': 841450, 'when wrote': 984526, 'story stayhome': 812114, 'stayhome read': 798080, 'can commercial auto': 157940, 'commercial auto insurance': 188673, 'auto insurance keep': 103887, 'insurance keep up': 440767, 'with the growing': 1001323, 'demand for gigworkers': 235429, 'for gigworkers more': 321884, 'gigworkers more pertinent': 350097, 'more pertinent question': 540063, 'pertinent question today': 653290, 'question today in': 693783, 'today in light': 919684, 'light of and': 489549, 'food and package': 313299, 'and package delivery': 68610, 'package delivery service': 633251, 'delivery service than': 234469, 'service than when': 752908, 'than when wrote': 841451, 'when wrote the': 984527, 'wrote the story': 1013217, 'the story stayhome': 868183, 'story stayhome read': 812115, 'stayhome read more': 798081, 'could slide': 209681, 'slide to': 773914, 'barrel india': 111238, 'india eye': 434399, 'eye boosting': 294010, 'boosting strategic': 135087, 'reserve with': 714118, 'price could slide': 673296, 'could slide to': 209682, 'slide to 20': 773915, 'to 20 per': 899578, 'per barrel india': 650702, 'barrel india eye': 111239, 'india eye boosting': 434400, 'eye boosting strategic': 294011, 'boosting strategic petroleum': 135088, 'petroleum reserve with': 653842, 'reserve with cheap': 714119, 'with cheap oil': 997611, 'governmentstockpile': 360849, 'say governmentstockpile': 738698, 'governmentstockpile more': 360850, 'time imma': 896967, 'imma they': 416951, 'stockpile but': 803725, 'aren to': 92570, 'what cause': 981193, 'cause last': 167627, 'last checked': 480145, 'checked today': 174776, 'or hamburger': 615550, 'if they say': 415127, 'they say governmentstockpile': 883268, 'say governmentstockpile more': 738699, 'governmentstockpile more time': 360851, 'more time imma': 540769, 'time imma they': 896968, 'imma they re': 416952, 'allowed to stockpile': 46249, 'to stockpile but': 915467, 'stockpile but we': 803728, 'but we aren': 147739, 'we aren to': 970777, 'aren to feed': 92571, 'feed our family': 302351, 'our family say': 623001, 'family say what': 298207, 'say what cause': 739468, 'what cause last': 981194, 'cause last checked': 167628, 'last checked today': 480146, 'checked today grocery': 174777, 'store still do': 810376, 'not have toiletpaper': 569885, 'have toiletpaper or': 383355, 'toiletpaper or hamburger': 922281, 'centralafricanrepublic': 169453, 'did tou': 240890, 'tou stock': 926438, 'food centralafricanrepublic': 313902, 'centralafricanrepublic corona': 169454, 'world did tou': 1009481, 'did tou stock': 240891, 'tou stock up': 926439, 'enough food centralafricanrepublic': 277389, 'food centralafricanrepublic corona': 313903, 'centralafricanrepublic corona virus': 169455, 'improves': 419590, 'intelligence exchange': 440996, 'exchange improves': 289454, 'improves covid': 419593, 'response for': 715688, 'reduce critical': 705813, 'shortage download': 764917, 'intelligence exchange improves': 440997, 'exchange improves covid': 289455, 'improves covid 19': 419594, '19 response for': 10147, 'response for retail': 715690, 'for retail consumer': 325190, 'retail consumer and': 717989, 'consumer and manufacturing': 196223, 'and manufacturing industry': 66661, 'manufacturing industry to': 513615, 'industry to reduce': 436173, 'to reduce critical': 913017, 'reduce critical product': 705814, 'critical product shortage': 218633, 'product shortage download': 681618, 'shortage download the': 764918, 'should customer': 765891, 'customer be': 222169, 'be stockpiling': 117377, 'should customer be': 765892, 'customer be stockpiling': 222173, 'be stockpiling amid': 117378, 'stockpiling amid outbreak': 803904, 'worldwide fuel': 1010355, 'down roughly': 257157, '30 because': 16982, 'and kept': 65810, 'kept business': 473024, 'worldwide fuel consumption': 1010356, 'fuel consumption is': 340145, 'consumption is down': 199902, 'is down roughly': 447352, 'down roughly 30': 257158, 'roughly 30 because': 726277, '30 because of': 16983, 'worldwide and kept': 1010318, 'and kept business': 65811, 'kept business and': 473025, 'and government on': 63886, 'government on lockdown': 360418, 'fitter': 309544, 'leaner': 483894, 'bulkbuyers': 142384, 'diet eating': 241721, 'eating plan': 266289, 'for running': 325270, 'running so': 728073, 'so fitter': 777096, 'fitter leaner': 309545, 'leaner for': 483895, 'for brighton': 319791, 'brighton marathon': 139818, 'marathon oh': 515038, 'wait can': 964088, 'need bulkbuyers': 554567, 'bulkbuyers stopstockpiling': 142385, 'so wa going': 778640, 'start new diet': 794396, 'new diet eating': 558629, 'diet eating plan': 241722, 'eating plan for': 266290, 'plan for running': 658123, 'for running so': 325271, 'running so fitter': 728074, 'so fitter leaner': 777097, 'fitter leaner for': 309546, 'leaner for brighton': 483896, 'for brighton marathon': 319792, 'brighton marathon oh': 139819, 'marathon oh wait': 515039, 'oh wait can': 596468, 'wait can because': 964089, 'because can buy': 118973, 'what need bulkbuyers': 981904, 'need bulkbuyers stopstockpiling': 554568, 'bulkbuyers stopstockpiling stoppanicbuying': 142386, 'guy currently': 368970, 'currently out': 221625, 'so posting': 778053, 'posting my': 666665, 'my commission': 547758, 'price retweets': 676213, 'retweets are': 720124, 'hey guy currently': 394402, 'guy currently out': 368971, 'currently out of': 221626, '19 so posting': 10651, 'so posting my': 778054, 'posting my commission': 666666, 'my commission price': 547760, 'commission price retweets': 188880, 'price retweets are': 676214, 'retweets are greatly': 720125, 'are greatly appreciated': 86957, 'work overnight': 1005588, 'sporting good': 790000, 'boggling that': 133985, 'woman here': 1003508, 'her 70': 391821, 'also life': 48474, 'life with': 489220, 'her 90': 391823, 'mother another': 543056, 'another guy': 77649, 'guy whose': 369236, 'whose gf': 990637, 'gf work': 349506, 'er come': 280003, 'people stayhomechallenge': 649567, 'work overnight in': 1005589, 'overnight in retail': 631339, 'retail at major': 717861, 'at major sporting': 99664, 'major sporting good': 509470, 'sporting good store': 790002, 'good store and': 357781, 'find it mind': 307000, 'it mind boggling': 459628, 'mind boggling that': 532635, 'boggling that we': 133986, 'that we still': 847396, 'be here there': 115230, 'there is woman': 878655, 'is woman here': 454022, 'woman here in': 1003510, 'here in her': 393150, 'in her 70': 423648, 'her 70 who': 391822, '70 who also': 21858, 'who also life': 988058, 'also life with': 48475, 'life with her': 489221, 'with her 90': 998770, 'her 90 year': 391824, 'old mother another': 598372, 'mother another guy': 543057, 'another guy whose': 77650, 'guy whose gf': 369237, 'whose gf work': 990638, 'gf work in': 349507, 'in an er': 420300, 'an er come': 55800, 'er come on': 280004, 'on people stayhomechallenge': 602750, 'forsyth': 329766, 'neill': 557304, 'forsyth county': 329767, 'da jim': 224225, 'jim neill': 465503, 'neill say': 557305, 'he confident': 384842, 'about winning': 26939, 'general job': 345387, 'the november': 861931, 'november election': 573850, 'election via': 271070, 'forsyth county da': 329768, 'county da jim': 211358, 'da jim neill': 224226, 'jim neill say': 465504, 'neill say he': 557306, 'say he confident': 738728, 'he confident about': 384843, 'confident about winning': 193998, 'about winning the': 26940, 'winning the attorney': 996085, 'attorney general job': 102648, 'general job in': 345388, 'in the november': 429405, 'the november election': 861932, 'november election via': 573851, 'dji': 248816, '500 dji': 19975, 'dji setting': 248817, 'final wave': 305891, 'wave this': 969396, 'dollar is': 253019, 'crash further': 214978, 'dollar index': 253014, 'index crashing': 434176, 'crashing will': 215133, 'cause massive': 167646, 'massive rise': 520089, 'in bitcoin': 420866, '500 dji setting': 19976, 'dji setting up': 248818, 'setting up for': 753658, 'up for final': 944934, 'for final wave': 321482, 'final wave this': 305892, 'wave this is': 969397, 'this is because': 888188, 'because the dollar': 119622, 'the dollar is': 853520, 'dollar is about': 253020, 'about to crash': 26713, 'to crash further': 903685, 'crash further the': 214979, 'further the dollar': 342187, 'the dollar index': 853519, 'dollar index crashing': 253015, 'index crashing will': 434177, 'crashing will cause': 215134, 'will cause massive': 992892, 'cause massive rise': 167648, 'massive rise in': 520090, 'rise in bitcoin': 722875, 'in bitcoin price': 420867, 'restocking today': 717031, 'least stop': 484637, 'stop blocking': 804505, 'sidewalk while': 768962, 'you chat': 1017927, 'grocery store restocking': 365721, 'store restocking today': 809859, 'restocking today hope': 717032, 'today hope my': 919660, 'hope my neighbor': 403544, 'my neighbor get': 549427, 'neighbor get better': 557021, 'get better at': 346665, 'better at social': 128203, 'distancing at least': 247020, 'at least stop': 99548, 'least stop blocking': 484638, 'stop blocking the': 804506, 'blocking the sidewalk': 132891, 'the sidewalk while': 867168, 'sidewalk while you': 768963, 'while you chat': 987587, 'been referred': 121801, 'suspended until': 829640, '2020 if': 14381, 'may apply': 520928, 'for suspension': 326104, 'state debt': 795510, 'debt question': 230541, 'you know all': 1019481, 'know all medical': 476238, 'medical and student': 526051, 'and student debt': 72606, 'student debt owed': 814667, 'the ny state': 861998, 'ny state and': 577912, 'state and which': 795376, 'and which ha': 75558, 'ha been referred': 369893, 'been referred to': 121802, 'referred to the': 706530, 'to the ag': 916482, 'ag office is': 36824, 'office is suspended': 595464, 'is suspended until': 452506, 'suspended until april': 829641, 'until april 16': 943689, 'april 16 2020': 83424, '16 2020 if': 4068, '2020 if you': 14382, 'you are affected': 1017049, 'you may apply': 1019791, 'may apply for': 520929, 'apply for suspension': 82566, 'for suspension of': 326105, 'suspension of other': 829691, 'of other state': 587375, 'other state debt': 620963, 'state debt question': 795511, 'premier ford': 669895, 'ford ha': 328775, 'in discussion': 422297, 'his energy': 397394, 'at reducing': 100277, 'reducing electricity': 706280, 'just described': 468577, 'premier ford ha': 669896, 'ford ha said': 328776, 'ha said he': 371791, 'said he been': 731104, 'he been in': 384769, 'been in discussion': 121343, 'in discussion with': 422298, 'discussion with his': 245061, 'with his energy': 998834, 'his energy minister': 397395, 'energy minister to': 276506, 'minister to look': 533476, 'look at reducing': 502291, 'at reducing electricity': 100278, 'reducing electricity price': 706281, 'electricity price given': 271196, 'given the situation': 351158, 'situation you just': 772614, 'you just described': 1019417, 'joc': 466378, 'joc well': 466379, 'joc well fargo': 466380, 'selfisolationhelp': 748515, 'joyfightsfear': 467535, 'anyone vulnerable': 80595, 'the leeds': 859263, 'leeds area': 485334, 'supermarket message': 821511, 'deliver we': 233261, 'can sort': 159680, 'food reimbursement': 316149, 'reimbursement later': 708235, 'later no': 481100, 'no charge': 563790, 'gasoline selfisolationhelp': 344272, 'selfisolationhelp joyfightsfear': 748517, 'joyfightsfear inthistogether': 467536, 'inthistogether stayhomechallenge': 442318, 'anyone vulnerable in': 80596, 'vulnerable in the': 961018, 'in the leeds': 429312, 'the leeds area': 859264, 'leeds area who': 485335, 'area who cannot': 92269, 'the supermarket message': 868701, 'supermarket message me': 821512, 'message me will': 529369, 'me will shop': 523982, 'will shop will': 994847, 'shop will deliver': 761051, 'will deliver we': 993151, 'deliver we can': 233262, 'we can sort': 971014, 'can sort out': 159681, 'sort out the': 786149, 'the food reimbursement': 855594, 'food reimbursement later': 316150, 'reimbursement later no': 708236, 'later no charge': 481101, 'no charge for': 563791, 'charge for gasoline': 173236, 'for gasoline selfisolationhelp': 321847, 'gasoline selfisolationhelp joyfightsfear': 344273, 'selfisolationhelp joyfightsfear inthistogether': 748518, 'joyfightsfear inthistogether stayhomechallenge': 467537, 'you worked': 1022426, 'million we': 532413, 'if you worked': 415564, 'you worked at': 1022427, 'or pharmacy today': 616587, 'pharmacy today thank': 654524, 'you million we': 1019863, 'million we need': 532414, 'their dedicated': 872986, 'line during this': 493066, 'crisis are local': 217080, 'are local grocery': 87858, 'you to these': 1021849, 'to these employee': 917340, 'these employee working': 879964, 'employee working to': 274468, 'ensure we are': 278120, 'and product each': 69566, 'product each time': 681153, 'each time we': 264298, 'time we go': 898222, 'proud to work': 686065, 'work with store': 1006046, 'with store and': 1000991, 'store and their': 806372, 'and their dedicated': 73679, 'their dedicated team': 872987, 'team of employee': 835740, 'you staff': 1021343, 'staff attorney': 792243, 'attorney at': 102612, 'for joining': 322776, 'joining our': 466982, 'our core': 622564, 'core student': 203529, 'student tonight': 814794, 'tonight virtually': 924513, 'virtually to': 957850, 'thank you staff': 841814, 'you staff attorney': 1021344, 'staff attorney at': 792244, 'attorney at the': 102613, 'consumer law center': 197996, 'law center for': 482239, 'center for joining': 169207, 'for joining our': 322778, 'joining our core': 466983, 'our core student': 622565, 'core student tonight': 203530, 'student tonight virtually': 814795, 'tonight virtually to': 924514, 'virtually to share': 957851, 'to share the': 914366, 'share the latest': 755250, 'the latest covid': 859086, 'protection update with': 685671, 'update with our': 947327, 'with our student': 1000022, 'sec after': 743620, 'after blowing': 35423, 'blowing your': 133392, 'nose coughing': 567878, 'sneezing if': 776315, 'alcohol safetytips': 41085, 'safetytips stayhomestaysafe': 730823, '20 sec after': 13315, 'sec after being': 743621, 'being in public': 125303, 'public place after': 688225, 'place after blowing': 657299, 'after blowing your': 35424, 'blowing your nose': 133393, 'your nose coughing': 1025034, 'nose coughing or': 567879, 'or sneezing if': 617120, 'sneezing if soap': 776316, 'available use sanitizer': 104682, 'use sanitizer with': 949552, '60 alcohol safetytips': 20893, 'alcohol safetytips stayhomestaysafe': 41086, 'isolation try': 455476, 'view isolation': 957103, 'isolation an': 455188, 'on yourself': 605519, 'by trying': 154608, 'achieve personal': 29031, 'personal goal': 652852, 'goal or': 354579, 'self reflection': 747881, 'reflection for': 706661, 'many way to': 514863, 'way to manage': 970050, 'and stress level': 72557, '19 isolation try': 8111, 'isolation try to': 455477, 'try to view': 934677, 'to view isolation': 918172, 'view isolation an': 957104, 'isolation an opportunity': 455189, 'opportunity to focus': 613704, 'focus on yourself': 311906, 'on yourself by': 605520, 'yourself by trying': 1026557, 'by trying to': 154609, 'to achieve personal': 899988, 'achieve personal goal': 29032, 'personal goal or': 652853, 'goal or for': 354580, 'or for self': 615366, 'for self reflection': 325424, 'self reflection for': 747882, 'reflection for more': 706662, 'more tip please': 540781, 'tip please go': 898876, 'presidentialaddress': 670998, 'ha promised': 371550, 'spy to': 791407, 'becoming another': 120276, 'disease presidentialaddress': 245212, 'presidentialaddress stayathomeorder': 670999, 'stayathomeorder iwillstayathome': 797780, 'am happy that': 50116, 'happy that the': 377688, 'the president ha': 864262, 'president ha promised': 670825, 'ha promised to': 371551, 'promised to send': 683735, 'send spy to': 749952, 'spy to check': 791408, 'check on those': 174516, 'on those hiking': 604647, 'those hiking the': 892061, 'food item this': 315236, 'item this wa': 463732, 'this wa becoming': 891054, 'wa becoming another': 961658, 'becoming another disease': 120277, 'another disease presidentialaddress': 77583, 'disease presidentialaddress stayathomeorder': 245213, 'presidentialaddress stayathomeorder iwillstayathome': 671000, 'caprice': 162899, 'bourret': 136910, 'caprice bourret': 162900, 'bourret protects': 136911, 'protects herself': 685837, 'herself with': 394246, 'mask she': 519259, 'she stock': 756360, 'after revealing': 36128, 'revealing her': 720290, 'her best': 391881, 'ha contracted': 370239, 'caprice bourret protects': 162901, 'bourret protects herself': 136912, 'protects herself with': 685838, 'herself with face': 394247, 'face mask she': 294588, 'mask she stock': 519260, 'she stock up': 756361, 'supermarket after revealing': 818809, 'after revealing her': 36129, 'revealing her best': 720291, 'her best friend': 391882, 'best friend ha': 127700, 'friend ha contracted': 333627, 'ha contracted covid': 370240, 'california today': 155593, 'scene wa': 741368, 'wa surreal': 963373, 'surreal customer': 828667, 'mask attendant': 518439, 'at front': 98713, 'door sanitized': 255696, 'sanitized all': 734243, 'all cart': 42306, 'cart eerily': 165292, 'eerily quiet': 268948, 'quiet shopper': 694693, 'shopper kept': 761586, 'this at major': 886450, 'chain in southern': 170814, 'southern california today': 786855, 'california today the': 155594, 'today the scene': 920301, 'the scene wa': 866474, 'scene wa surreal': 741369, 'wa surreal customer': 963374, 'surreal customer wearing': 828668, 'and mask attendant': 66745, 'mask attendant at': 518440, 'attendant at front': 102337, 'at front door': 98715, 'front door sanitized': 338530, 'door sanitized all': 255697, 'sanitized all cart': 734244, 'all cart eerily': 42307, 'cart eerily quiet': 165293, 'eerily quiet shopper': 268949, 'quiet shopper kept': 694694, 'shopper kept their': 761587, 'kept their distance': 473081, 'wifi': 992017, 'trucker warehouse': 932964, 'farmer teacher': 299514, 'teacher physician': 835496, 'nurse refuse': 577468, 'driver gas': 259573, 'attendant pharmacy': 102366, 'keep wifi': 472208, 'wifi going': 992020, 'going essentialworkers': 355134, 'essentialworkers for': 281953, 'store worker trucker': 811610, 'worker trucker warehouse': 1008058, 'trucker warehouse worker': 932965, 'warehouse worker farmer': 966818, 'worker farmer teacher': 1006908, 'farmer teacher physician': 299516, 'teacher physician nurse': 835497, 'physician nurse refuse': 655543, 'nurse refuse collector': 577469, 'collector delivery driver': 186556, 'delivery driver gas': 233911, 'driver gas station': 259574, 'station attendant pharmacy': 796358, 'attendant pharmacy worker': 102367, 'and the ppl': 73523, 'ppl who keep': 668372, 'who keep wifi': 989158, 'keep wifi going': 472209, 'wifi going essentialworkers': 992021, 'going essentialworkers for': 355135, 'essentialworkers for my': 281954, 'my family this': 548229, 'family this week': 298312, 'this week stayhomesavelives': 891271, 'wifi and': 992018, 'service should': 752823, 'should lower': 766202, 'make month': 510191, 'free deal': 331748, 'wifi and streaming': 992019, 'and streaming service': 72544, 'streaming service should': 812847, 'service should lower': 752824, 'should lower their': 766204, 'lower their price': 506031, 'for everyone or': 321226, 'everyone or make': 287244, 'or make month': 616042, 'make month free': 510192, 'month free deal': 537738, 'free deal so': 331749, 'deal so that': 229482, 'encouraged to be': 275663, 'be quarantined and': 116656, 'quarantined and stay': 692819, 'and stay inside': 72297, 'stay inside and': 797093, 'inside and not': 439218, 'not be bored': 568360, 'price rout': 676274, 'rout may': 726443, 'happen on': 377131, 'crisis russia': 217992, 'hero so': 394088, 'so hold': 777314, 'oil price rout': 597241, 'price rout may': 676276, 'rout may be': 726444, 'thing to happen': 884888, 'to happen on': 907155, 'happen on the': 377132, '19 crisis russia': 6314, 'crisis russia and': 217993, 'and saudi are': 70935, 'saudi are unlikely': 737244, 'unlikely hero so': 942752, 'hero so hold': 394089, 'so hold the': 777315, 'hold the current': 400017, '7m': 22485, 'facing call': 295419, 'allegation they': 45649, 'knowledge to': 477191, 'fear richard': 301308, 'burr reportedly': 142948, 'reportedly dumped': 712573, 'to 7m': 899843, '7m stock': 22488, 'stock kelly': 802337, 'sold 3m': 781615, 'republican senator are': 713064, 'senator are facing': 749735, 'are facing call': 86406, 'facing call to': 295420, 'resign over allegation': 714467, 'over allegation they': 629957, 'allegation they used': 45650, 'insider knowledge to': 439475, 'knowledge to sell': 477193, 'to fear richard': 905700, 'fear richard burr': 301309, 'richard burr reportedly': 721289, 'burr reportedly dumped': 142949, 'reportedly dumped up': 712574, 'up to 7m': 946350, 'to 7m stock': 899844, '7m stock kelly': 22489, 'stock kelly loeffler': 802338, 'loeffler sold 3m': 500598, 'avoidable': 105402, 'thorndon': 891735, 'all avoidable': 42100, 'avoidable do': 105403, 'supermarket particularly': 821933, 'age to': 37909, 'else look': 271786, 'after them': 36377, '19 ffs': 6981, 'ffs think': 304328, 'karen in': 470896, 'the thorndon': 869495, 'thorndon new': 891736, 'is all avoidable': 445451, 'all avoidable do': 42101, 'avoidable do not': 105404, 'take your kid': 832819, 'the supermarket particularly': 868746, 'supermarket particularly if': 821934, 'particularly if they': 642692, 'they are of': 881344, 'are of an': 88640, 'of an age': 580100, 'an age to': 55184, 'age to wait': 37911, 'wait in the': 964143, 'the car or': 850384, 'car or stay': 163201, 'or have someone': 615589, 'have someone else': 382648, 'someone else look': 784451, 'else look after': 271787, 'look after them': 502227, 'after them it': 36379, 'them it expose': 875954, 'it expose them': 457915, 'expose them and': 292810, 'them and others': 875394, 'others to covid': 621723, 'covid 19 ffs': 213088, '19 ffs think': 6982, 'ffs think people': 304329, 'think people looking': 885489, 'at you karen': 101657, 'you karen in': 1019442, 'karen in the': 470897, 'in the thorndon': 429605, 'the thorndon new': 869496, 'thorndon new world': 891737, 'join fight': 466706, '19 daily': 6404, 'he join fight': 385158, 'join fight against': 466707, 'covid 19 daily': 212904, '19 daily mail': 6405, 'walmartorange': 965489, 'walmartsamess': 965499, 'orangeca': 617942, 'walmartorange your': 965490, 'limit their': 492524, 'customer today': 222988, 'need only': 555375, 'to witness': 918657, 'witness savage': 1003127, 'savage fighting': 737433, 'fighting because': 305039, 'item walmartsamess': 463795, 'walmartsamess orangeca': 965500, 'walmartorange your store': 965491, 'your store need': 1025976, 'to limit their': 909303, 'limit their toilet': 492525, 'and sanitizer per': 70881, 'sanitizer per customer': 735544, 'per customer today': 650786, 'customer today we': 222989, 'today we went': 920487, 'we went for': 973774, 'went for basic': 978999, 'for basic need': 319589, 'basic need only': 112014, 'need only to': 555377, 'only to witness': 611372, 'to witness savage': 918660, 'witness savage fighting': 1003128, 'savage fighting because': 737434, 'fighting because people': 305040, 'because people had': 119473, 'people had their': 648142, 'had their cart': 373632, 'their cart full': 872740, 'full of those': 340761, 'those item walmartsamess': 892140, 'item walmartsamess orangeca': 463796, 'prohibit': 683420, 'attaching': 102059, 'nationallabs': 552684, 'sciencematters': 742152, 'there sanitizer': 879016, 'like substance': 491254, 'could prohibit': 209537, 'prohibit virus': 683421, 'from attaching': 334606, 'attaching on': 102062, 'hand instead': 375049, 'of destroying': 582561, 'destroying after': 239078, 'fact nationallabs': 295752, 'nationallabs sciencematters': 552685, 'sciencematters 19': 742153, 'is there sanitizer': 453030, 'there sanitizer like': 879017, 'sanitizer like substance': 735289, 'like substance that': 491255, 'substance that could': 816040, 'that could prohibit': 843362, 'could prohibit virus': 209538, 'prohibit virus from': 683422, 'virus from attaching': 958212, 'from attaching on': 334607, 'attaching on hand': 102063, 'on hand instead': 601231, 'hand instead of': 375050, 'instead of destroying': 440251, 'of destroying after': 582562, 'destroying after the': 239079, 'after the fact': 36312, 'the fact nationallabs': 854828, 'fact nationallabs sciencematters': 295753, 'nationallabs sciencematters 19': 552686, 'akpeteshie': 40548, 'takoradi': 833680, 'akpeteshie shortage': 40549, 'shortage hit': 765002, 'hit takoradi': 398419, 'takoradi sanitizer': 833681, 'akpeteshie shortage hit': 40550, 'shortage hit takoradi': 765003, 'hit takoradi sanitizer': 398420, 'takoradi sanitizer price': 833682, 'sanitizer price increase': 735583, 'epdt': 279294, 'consumerelectronics': 199671, 'futuresourceconsulting': 342554, 'icymi news': 412895, 'news epdt': 560385, 'epdt continues': 279295, 'global consumerelectronics': 351811, 'consumerelectronics market': 199672, 'market say': 517029, 'say futuresourceconsulting': 738662, 'futuresourceconsulting ce': 342555, 'ce electronics': 168702, 'electronics research': 271309, 'research analysis': 713657, 'analysis supplychain': 57084, 'supplychain china': 826167, 'icymi news epdt': 412896, 'news epdt continues': 560386, 'epdt continues to': 279296, 'to impact global': 908153, 'impact global consumerelectronics': 417678, 'global consumerelectronics market': 351812, 'consumerelectronics market say': 199673, 'market say futuresourceconsulting': 517030, 'say futuresourceconsulting ce': 738663, 'futuresourceconsulting ce electronics': 342556, 'ce electronics research': 168703, 'electronics research analysis': 271310, 'research analysis supplychain': 713658, 'analysis supplychain china': 57085, 'dur': 262337, 'ebayseller': 266514, 'interesting development': 441542, 'sale new': 732366, 'mask product': 519157, 'restricted dur': 717136, 'dur to': 262338, 'of inflated': 585176, 'message ecommerce': 529300, 'ecommerce ebayseller': 266756, 'an interesting development': 56404, 'interesting development in': 441543, 'development in sale': 239818, 'in sale new': 427659, 'sale new listing': 732367, 'new listing on': 559045, 'listing on hand': 494867, 'sanitiser and face': 733910, 'face mask product': 294577, 'mask product are': 519158, 'product are being': 680933, 'are being restricted': 84915, 'being restricted dur': 125691, 'restricted dur to': 717137, 'dur to concern': 262339, 'concern of inflated': 193023, 'of inflated price': 585177, 'inflated price see': 437067, 'price see their': 676325, 'see their message': 745907, 'their message ecommerce': 873956, 'message ecommerce ebayseller': 529301, 'rti': 726862, 'is gujarat': 448249, 'gujarat based': 368610, 'based firm': 111578, 'provided monopoly': 686630, 'kit by': 475517, 'by suddenly': 154155, 'suddenly tweaking': 817145, 'tweaking guideline': 936287, 'guideline overnight': 368457, 'overnight why': 631370, 'are 18': 84105, '18 firm': 4532, 'firm who': 308452, 'produce testing': 680446, 'being blocked': 124895, 'blocked by': 132854, 'by these': 154511, 'these sudden': 880768, 'sudden new': 817024, 'new guideline': 558830, 'guideline ve': 368494, 've filed': 953117, 'filed an': 305391, 'an rti': 56787, 'rti to': 726863, 'why is gujarat': 991108, 'is gujarat based': 448250, 'gujarat based firm': 368611, 'based firm being': 111579, 'firm being provided': 308324, 'being provided monopoly': 125594, 'provided monopoly on': 686631, 'monopoly on covid': 537435, 'testing kit by': 839534, 'kit by suddenly': 475518, 'by suddenly tweaking': 154156, 'suddenly tweaking guideline': 817146, 'tweaking guideline overnight': 936288, 'guideline overnight why': 368458, 'overnight why are': 631371, 'why are 18': 990759, 'are 18 firm': 84106, '18 firm who': 4533, 'firm who can': 308454, 'who can produce': 988401, 'can produce testing': 159311, 'produce testing kit': 680447, 'kit for very': 475551, 'for very cheap': 327544, 'cheap price being': 174175, 'price being blocked': 672891, 'being blocked by': 124896, 'blocked by these': 132855, 'by these sudden': 154513, 'these sudden new': 880769, 'sudden new guideline': 817025, 'new guideline ve': 558832, 'guideline ve filed': 368495, 've filed an': 953118, 'filed an rti': 305392, 'an rti to': 56788, 'rti to get': 726864, 'get more info': 347591, 'victimized': 956528, 'unfortunate at': 941559, 'still bad': 800235, 'actor out': 30587, 'there trying': 879206, 'warning amp': 967081, 'tip page': 898868, 'becoming victimized': 120354, 'it unfortunate at': 461930, 'unfortunate at time': 941560, 'like this there': 491539, 'this there are': 890550, 'are still bad': 90396, 'still bad actor': 800236, 'bad actor out': 107746, 'actor out there': 30588, 'out there trying': 627522, 'there trying to': 879207, 'to scam visit': 913870, 'scam visit the': 740459, 'visit the covid': 959377, 'consumer warning amp': 199473, 'warning amp safety': 967082, 'amp safety tip': 54428, 'safety tip page': 730768, 'tip page for': 898869, 'page for way': 633852, 'keep from becoming': 471524, 'from becoming victimized': 334657, 'daffodil': 224451, 'blooming': 133277, 'adventurous': 33119, 'fabatphoenix': 294207, 'phoenixperennials': 654868, 'narcissus': 551897, 'springbulbs': 791268, 'flowerbulbs': 311344, 'great daffodil': 362603, 'daffodil are': 224452, 'are blooming': 84999, 'blooming come': 133278, 'come grab': 187325, 'some if': 783079, 're adventurous': 698191, 'adventurous or': 33120, 'or enjoy': 615169, 'enjoy them': 277197, 'them digitally': 875602, 'digitally from': 242745, 'afar we': 33966, 'open regular': 612476, 'safe outdoor': 729875, 'outdoor shopping': 628905, 'online fabatphoenix': 608186, 'fabatphoenix phoenixperennials': 294208, 'phoenixperennials narcissus': 654869, 'narcissus springbulbs': 551898, 'springbulbs bulb': 791269, 'bulb flowerbulbs': 142225, 'great daffodil are': 362604, 'daffodil are blooming': 224453, 'are blooming come': 85000, 'blooming come grab': 133280, 'come grab some': 187326, 'grab some if': 361535, 'some if you': 783080, 'you re adventurous': 1020556, 're adventurous or': 698192, 'adventurous or enjoy': 33121, 'or enjoy them': 615170, 'enjoy them digitally': 277198, 'them digitally from': 875603, 'digitally from afar': 242746, 'from afar we': 334404, 'afar we are': 33967, 'are open regular': 88799, 'open regular hour': 612477, 'regular hour for': 707794, 'hour for safe': 405616, 'for safe outdoor': 325292, 'safe outdoor shopping': 729876, 'outdoor shopping read': 628906, 'shopping read about': 763722, 'read about our': 700253, 'about our response': 25898, '19 online fabatphoenix': 8990, 'online fabatphoenix phoenixperennials': 608187, 'fabatphoenix phoenixperennials narcissus': 294209, 'phoenixperennials narcissus springbulbs': 654870, 'narcissus springbulbs bulb': 551899, 'springbulbs bulb flowerbulbs': 791270, 'amen when': 51386, 'drive become': 258996, 'amen when going': 51387, 'grocery store taking': 365836, 'store taking walk': 810506, 'walk or drive': 964846, 'or drive become': 615070, 'drive become the': 258997, 'become the highlight': 120158, 'the day stayhomesavelives': 852913, 'once upon': 605773, 'upon time': 947665, 'plague would': 657991, 'would mark': 1012029, 'mark their': 515833, 'signal for': 769298, 'of purchased': 588605, 'purchased grocery': 689778, 'once upon time': 605774, 'upon time those': 947666, 'time those isolating': 897925, 'those isolating from': 892134, 'isolating from others': 455102, 'bubonic plague would': 141643, 'plague would mark': 657992, 'would mark their': 1012030, 'mark their front': 515834, 'to signal for': 914642, 'signal for people': 769299, 'bag of purchased': 108363, 'of purchased grocery': 588607, 'purchased grocery from': 689779, 'grocery from online': 364540, 'from online retailer': 336693, 'our engineer': 622909, 'engineer and': 276954, 'scientist can': 742199, 'can design': 158055, 'design disinfectant': 238228, 'disinfectant that': 245770, 'used on': 949977, 'on fabric': 600691, 'time then': 897887, 'disinfect not': 245554, 'only our': 610930, 'our clothes': 622414, 'clothes wherever': 184234, 'wherever we': 985471, 'go this': 354236, 'if placed': 414651, 'exit of': 290367, 'an entity': 55779, 'pray that our': 669020, 'that our engineer': 845577, 'our engineer and': 622910, 'engineer and scientist': 276955, 'and scientist can': 71081, 'scientist can design': 742200, 'can design disinfectant': 158056, 'design disinfectant that': 238229, 'disinfectant that can': 245771, 'be used on': 117919, 'used on fabric': 949978, 'on fabric for': 600692, 'fabric for long': 294223, 'long time then': 501783, 'time then we': 897889, 'able to disinfect': 24471, 'to disinfect not': 904399, 'disinfect not only': 245555, 'not only our': 570814, 'only our hand': 610932, 'our hand but': 623346, 'hand but also': 374843, 'also our clothes': 48632, 'our clothes wherever': 622415, 'clothes wherever we': 184235, 'wherever we go': 985473, 'we go this': 971652, 'go this can': 354237, 'this can help': 886682, 'help if placed': 389884, 'if placed at': 414652, 'placed at the': 657877, 'the entrance and': 854380, 'entrance and exit': 278868, 'and exit of': 62471, 'exit of an': 290368, 'of an entity': 580112, 'similac': 769881, 'similac is': 769882, 'relation line': 708667, 'similac is not': 769883, 'is not offering': 450141, 'not offering free': 570731, 'offering free product': 595122, 'free product through': 332083, 'product through it': 681733, 'through it consumer': 894536, 'it consumer relation': 457292, 'consumer relation line': 198681, 'lindsey': 492921, 'repeal': 711494, 'lindsey graham': 492922, 'graham voted': 361752, 'voted no': 960558, 'on medicare': 602096, 'medicare expansion': 526573, 'expansion medicare': 290563, 'medicare negotiated': 526585, 'negotiated prescription': 556931, 'prescription price': 670530, 'price graham': 674358, 'voted yes': 960566, 'to repeal': 913246, 'repeal obamacare': 711495, 'obamacare 54': 578340, '54 time': 20336, 'spreading amp': 790918, 'need jaime': 555118, 'harrison want': 378517, 'want ensure': 965773, 'ensure healthcare': 277963, 'lindsey graham voted': 492923, 'graham voted no': 361753, 'voted no on': 960559, 'no on medicare': 564909, 'on medicare expansion': 602097, 'medicare expansion medicare': 526574, 'expansion medicare negotiated': 290564, 'medicare negotiated prescription': 526586, 'negotiated prescription price': 556932, 'prescription price graham': 670531, 'price graham voted': 674359, 'graham voted yes': 361754, 'voted yes to': 960567, 'yes to repeal': 1015575, 'to repeal obamacare': 913247, 'repeal obamacare 54': 711496, 'obamacare 54 time': 578341, '54 time is': 20337, 'time is spreading': 897067, 'is spreading amp': 452188, 'spreading amp we': 790919, 'amp we need': 54820, 'we need jaime': 972502, 'need jaime harrison': 555119, 'jaime harrison want': 464310, 'harrison want ensure': 378518, 'want ensure healthcare': 965774, 'ensure healthcare for': 277964, 'tutoring': 936063, 'proofreading': 684031, 'lend out': 486207, 'car tutoring': 163329, 'tutoring proofreading': 936068, 'proofreading survey': 684032, 'survey share': 828944, 'share way': 755337, 'lend out your': 486208, 'out your car': 627907, 'your car tutoring': 1023142, 'car tutoring proofreading': 163330, 'tutoring proofreading survey': 936069, 'proofreading survey share': 684033, 'survey share way': 828945, 'share way to': 755338, 'to make some': 909740, 'make some extra': 510472, 'some extra money': 782800, 'extra money while': 293585, 'money while in': 537167, 'advocate complain': 33830, 'complain of': 191864, 'of massive': 586291, 'food control': 314011, 'control due': 202001, 'routine control': 726501, 'suspended since': 829631, 'the laboratory': 858889, 'consumer advocate complain': 196067, 'advocate complain of': 33831, 'complain of massive': 191865, 'of massive restriction': 586293, 'on food control': 600851, 'food control due': 314012, 'control due to': 202002, 'crisis routine control': 217991, 'routine control in': 726502, 'control in company': 202029, 'in company and': 421621, 'largely suspended since': 479874, 'suspended since the': 829632, 'since the laboratory': 770890, 'the laboratory capacity': 858890, 'store based': 806649, 'retail been': 717880, 'before pandemic': 122998, 'debt payment': 230533, 'payment looming': 645667, 'looming some': 503116, 'store based retail': 806651, 'based retail been': 111726, 'retail been struggling': 717881, 'been struggling before': 122077, 'struggling before pandemic': 814424, 'before pandemic hit': 122999, 'pandemic hit and': 635637, 'hit and with': 398140, 'and with debt': 75765, 'with debt payment': 997943, 'debt payment looming': 230534, 'payment looming some': 645668, 'looming some are': 503117, 'some are unlikely': 782331, 'unlikely to recover': 942768, 'tucoopourcommunity': 935069, 'finest today': 307777, 'office remember': 595533, 'whether through': 985599, 'through takeout': 894706, 'takeout gift': 833165, 'others tucoopourcommunity': 621751, 'distancing at it': 247019, 'it finest today': 458015, 'finest today here': 307778, 'the office remember': 862079, 'office remember to': 595534, 'remember to support': 710389, 'local business whether': 497781, 'business whether through': 144657, 'whether through takeout': 985600, 'through takeout gift': 894707, 'takeout gift card': 833166, 'gift card or': 349950, 'card or shopping': 163606, 'or shopping online': 617064, 'online at their': 607896, 'at their store': 101178, 'their store you': 874872, 'make difference in': 509834, 'difference in the': 241851, 'life of others': 488923, 'of others tucoopourcommunity': 587411, 'store white': 811292, 'house expert': 406291, 'expert make': 291881, 'grocery store white': 365950, 'store white house': 811293, 'white house expert': 987851, 'house expert make': 406292, 'expert make plea': 291882, 'make plea to': 510337, 'plea to slow': 659566, 'fashion textile': 299853, 'distancing gain': 247168, 'gain priority': 342815, 'isn good': 454528, 'sector fashion textile': 744189, 'fashion textile industry': 299854, 'social distancing gain': 779619, 'distancing gain priority': 247169, 'gain priority shopping': 342816, 'priority shopping online': 678644, 'online for non': 608232, 'non essential isn': 566342, 'essential isn good': 281179, 'isn good idea': 454530, 'time for we': 896774, 'for we ll': 327658, 'll be putting': 496613, 'valenciacounty': 951880, 'smith food': 775793, '19 valenciacounty': 11727, 'valenciacounty smith': 951881, 'smith hiring': 775799, 'smith food amp': 775794, 'amp drug store': 53684, 'drug store today': 261097, 'store today announced': 810833, 'it is hiring': 458975, 'is hiring worker': 448492, 'hiring worker immediately': 397147, 'immediately to deal': 417164, 'increased demand in': 433275, 'demand in response': 235675, 'covid 19 valenciacounty': 214016, '19 valenciacounty smith': 11728, 'valenciacounty smith hiring': 951882, 'counterfeit medicine': 210305, 'medicine not': 526849, 'only exploit': 610416, 'but pose': 146825, 'pose real': 665109, 'real threat': 701398, 'safety brandprotection': 730486, 'counterfeit medicine not': 210306, 'medicine not only': 526851, 'not only exploit': 570793, 'only exploit the': 610417, 'exploit the consumer': 292361, 'consumer but pose': 196688, 'but pose real': 146826, 'pose real threat': 665110, 'real threat to': 701399, 'threat to public': 893740, 'to public safety': 912475, 'public safety brandprotection': 688280, 'clampdown': 179942, 'trump whine': 933972, 'whine about': 987716, 'over between': 630021, 'arabia clampdown': 83866, 'clampdown on': 179943, 'slowdown limiting': 774452, 'limiting consumption': 492804, 'trump whine about': 933973, 'whine about low': 987717, 'price that he': 676805, 'he ha no': 385030, 'ha no control': 371334, 'no control over': 563898, 'control over between': 202095, 'over between saudi': 630022, 'saudi arabia clampdown': 737187, 'arabia clampdown on': 83867, 'clampdown on all': 179944, 'on all oil': 599237, 'all oil producer': 43731, 'oil producer and': 597332, 'producer and the': 680566, '19 economic slowdown': 6705, 'economic slowdown limiting': 267307, 'slowdown limiting consumption': 774453, 'southafrica pmi': 786812, 'pmi for': 662048, 'for nigeria': 323873, 'nigeria fall': 562738, 'to 47': 899730, 'negative factor': 556772, 'southafrica pmi for': 786813, 'pmi for nigeria': 662049, 'for nigeria fall': 323875, 'nigeria fall to': 562739, 'fall to 47': 297092, 'to 47 in': 899731, 'price negative factor': 675322, 'because wearing': 119819, 'wearing supermarket': 974790, 'supermarket uniform': 823606, 'uniform so': 941774, 'stop standing': 805060, 'am not immune': 50253, 'not immune to': 570068, 'the coronavirus just': 851875, 'coronavirus just because': 206192, 'just because wearing': 468295, 'because wearing supermarket': 119820, 'wearing supermarket uniform': 974791, 'supermarket uniform so': 823607, 'uniform so stop': 941775, 'so stop standing': 778274, 'stop standing right': 805061, 'another shameful': 77838, 'shameful company': 754682, 'company put': 190990, 'my renewal': 549917, 'another shameful company': 77839, 'shameful company put': 754683, 'company put price': 190991, 'up during know': 944756, 'during know what': 262738, 'to do on': 904535, 'do on my': 249925, 'on my renewal': 602309, 'actively profiting': 30323, 'the inflating': 858234, 'their item': 873688, 'to mad': 909539, 'mad price': 507564, 'lowest tier': 506234, 'tier of': 895778, 'who are actively': 988096, 'are actively profiting': 84209, 'actively profiting off': 30324, 'off the inflating': 594249, 'the inflating their': 858235, 'inflating their item': 437131, 'their item to': 873689, 'item to mad': 463759, 'to mad price': 909540, 'mad price are': 507565, 'the lowest tier': 859823, 'lowest tier of': 506235, 'tier of human': 895779, 'consecutive amid 19': 194814, 'amid 19 lockdown': 52374, 'this caused': 886720, 'caused some': 167959, 'some strong': 783974, 'strong feeling': 814031, 'feeling supermarket': 303064, 'say this caused': 739363, 'this caused some': 886722, 'caused some strong': 167960, 'some strong feeling': 783975, 'strong feeling supermarket': 814032, 'feeling supermarket food': 303065, 'supermarket food shopping': 820362, 'lowstock': 506260, 'goodnessgracious': 358068, 'situation at': 772203, 'pandemic coronapocolypse': 635231, 'coronapocolypse yikes': 205254, 'yikes emptyshelves': 1016390, 'emptyshelves lowstock': 275306, 'lowstock goodnessgracious': 506261, 'current situation at': 221359, 'situation at my': 772205, 'store pandemic coronapocolypse': 809452, 'pandemic coronapocolypse yikes': 635232, 'coronapocolypse yikes emptyshelves': 205255, 'yikes emptyshelves lowstock': 1016391, 'emptyshelves lowstock goodnessgracious': 275307, 'langone': 479477, 'update personally': 947162, 'tested grocery': 839310, 'got nyu': 358754, 'nyu langone': 578162, 'langone health': 479478, '19 update personally': 11677, 'update personally think': 947163, 'personally think we': 653054, 'be tested grocery': 117558, 'tested grocery store': 839311, 'store worker but': 811464, 'worker but this': 1006562, 'is the answer': 452729, 'the answer got': 848767, 'answer got nyu': 78055, 'got nyu langone': 358755, 'nyu langone health': 578163, 'people cleared': 647477, 'bank rather': 110123, 'own cupboard': 631934, 'cupboard selfish': 220486, 'selfish humanity': 748132, 'nice to live': 562492, 'country where people': 211220, 'where people cleared': 985098, 'people cleared the': 647478, 'cleared the supermarket': 181438, 'shelf to stock': 757706, 'up food bank': 944878, 'food bank rather': 313623, 'bank rather than': 110124, 'rather than their': 697555, 'than their own': 841284, 'their own cupboard': 874167, 'own cupboard selfish': 631935, 'cupboard selfish humanity': 220487, 'suman': 817887, 'the austin': 849055, 'austin hospital': 103183, '19 clinic': 5846, 'clinic and': 182294, 'and icu': 64919, 'icu thanks': 412855, 'thanks health': 842105, 'important reminder': 418948, 'stake if': 793307, 'don flatteningthecurve': 253518, 'flatteningthecurve suman': 310150, 'the human face': 857716, 'human face on': 410491, 'face on the': 294687, 'of the austin': 590808, 'the austin hospital': 849056, 'austin hospital covid': 103184, 'covid 19 clinic': 212811, '19 clinic and': 5847, 'clinic and icu': 182296, 'and icu thanks': 64920, 'icu thanks health': 412856, 'thanks health for': 842106, 'health for sharing': 386452, 'sharing this important': 755607, 'this important reminder': 888027, 'important reminder of': 418949, 'reminder of what': 710576, 'what is at': 981677, 'at stake if': 100629, 'stake if we': 793308, 'we don flatteningthecurve': 971381, 'don flatteningthecurve suman': 253519, 'xenophobia': 1013818, 'the racism': 865086, 'and xenophobia': 75950, 'xenophobia that': 1013823, 'our asian': 622129, 'american student': 52227, 'facing related': 295573, 'an ally': 55244, 'ally to': 46441, 'aware of and': 105623, 'of and respond': 580178, 'to the racism': 916999, 'the racism and': 865087, 'racism and xenophobia': 695280, 'and xenophobia that': 75953, 'xenophobia that our': 1013824, 'that our asian': 845570, 'our asian american': 622130, 'asian american student': 95250, 'american student and': 52228, 'student and colleague': 814639, 'and colleague are': 60076, 'colleague are facing': 186194, 'are facing related': 86426, 'facing related to': 295574, 'more about way': 538528, 'about way you': 26851, 'be an ally': 113593, 'an ally to': 55245, 'ally to our': 46442, 'to our asian': 911150, 'asian american community': 95247, 'enormity': 277274, 'dawning': 227066, 'abandon': 24197, 'enormity of': 277275, 'is gradually': 448174, 'gradually dawning': 361690, 'dawning on': 227067, 'india for': 434412, 'many informal': 514193, 'family crisis': 297733, 'swing there': 830413, 'worse privileged': 1010988, 'privileged hoard': 679051, 'hoard with': 398916, 'with abandon': 997075, 'abandon amp': 24199, 'go north': 353855, 'enormity of crisis': 277276, 'crisis is gradually': 217574, 'is gradually dawning': 448175, 'gradually dawning on': 361691, 'dawning on india': 227068, 'on india for': 601550, 'india for many': 434413, 'for many informal': 323222, 'many informal sector': 514194, 'informal sector worker': 437690, 'sector worker amp': 744418, 'worker amp their': 1006263, 'amp their family': 54673, 'their family crisis': 873249, 'family crisis is': 297734, 'is already in': 445524, 'already in full': 47467, 'full swing there': 340919, 'swing there is': 830414, 'is no work': 449991, 'no work amp': 565923, 'work amp resource': 1004752, 'amp resource are': 54392, 'resource are running': 714715, 'running out get': 728025, 'out get worse': 626216, 'get worse privileged': 348657, 'worse privileged hoard': 1010989, 'privileged hoard with': 679052, 'hoard with abandon': 398917, 'with abandon amp': 997076, 'abandon amp food': 24200, 'amp food price': 53823, 'food price go': 315944, 'price go north': 674205, 'influencermarketing': 437332, 'bh9vta8xnv': 129321, 'purpose help': 690129, 'help create': 389549, 'create and': 215609, 'strengthen real': 813251, 'real meaningful': 701264, 'meaningful connection': 524854, 'consumer influencermarketing': 197865, 'influencermarketing help': 437333, 'help strengthen': 390594, 'strengthen this': 813257, 'this bond': 886589, 'bond because': 134231, 'people truly': 650020, 'truly believe': 933269, 'people story': 649665, 'story not': 812054, 'not brand': 568609, 'brand story': 138016, 'story http': 812007, 'co bh9vta8xnv': 184815, 'purpose help create': 690130, 'help create and': 389550, 'create and strengthen': 215610, 'and strengthen real': 72551, 'strengthen real meaningful': 813252, 'real meaningful connection': 701265, 'meaningful connection between': 524855, 'connection between brand': 194696, 'between brand and': 128737, 'and consumer influencermarketing': 60393, 'consumer influencermarketing help': 197866, 'influencermarketing help strengthen': 437335, 'help strengthen this': 390595, 'strengthen this bond': 813258, 'this bond because': 886590, 'bond because people': 134232, 'because people truly': 119481, 'people truly believe': 650022, 'truly believe in': 933270, 'believe in people': 126289, 'in people story': 426600, 'people story not': 649666, 'story not brand': 812055, 'not brand story': 568610, 'brand story http': 138017, 'story http co': 812008, 'http co bh9vta8xnv': 409755, 'store before the': 806706, 'before the city': 123145, 'the city lockdown': 850944, 'family just': 297971, 'economic security': 267265, 'security program': 744722, 'program lot': 683270, 'our family just': 622999, 'family just don': 297972, 'just don have': 468632, 'have the economic': 382977, 'the economic security': 853913, 'economic security to': 267267, 'security to stock': 744783, 'buy food when': 148691, 'food when it': 317569, 'when it there': 983653, 'it there they': 461617, 'there they rely': 879162, 'food security program': 316362, 'security program lot': 744724, 'academy': 27777, 'oic': 596576, 'concern you': 193144, 'charity at': 173576, 'and select': 71175, 'select summit': 747482, 'summit academy': 818035, 'academy oic': 27785, 'oic your': 596577, 'you re staying': 1020757, 're staying home': 699582, 'staying home due': 798603, '19 concern you': 5930, 'concern you may': 193145, 'may be doing': 520975, 'be doing your': 114537, 'doing your grocery': 252884, 'shopping online did': 763421, 'online did you': 608102, 'can shop and': 159599, 'shop and give': 759848, 'give to charity': 350788, 'to charity at': 902652, 'charity at the': 173577, 'same time visit': 733374, 'time visit and': 898197, 'visit and select': 959180, 'and select summit': 71177, 'select summit academy': 747483, 'summit academy oic': 818036, 'academy oic your': 27786, 'oic your charity': 596578, 'your charity of': 1023185, 'charity of choice': 173661, 'customer tackle': 222893, 'tackle man': 831583, 'man after': 511973, 'allegedly coughed': 45678, 'coughed spat': 208645, 'produce read': 680409, 'store customer tackle': 807250, 'customer tackle man': 222894, 'tackle man after': 831584, 'man after he': 511974, 'he allegedly coughed': 384718, 'allegedly coughed spat': 45680, 'coughed spat on': 208646, 'spat on produce': 787642, 'on produce read': 602944, 'produce read more': 680410, 'modiji': 535515, 'sensitizer': 750723, 'pf': 653907, 'innumerable': 438943, 'sir regarding': 771634, 'regarding your': 707313, 'your demand': 1023486, 'make modiji': 510176, 'modiji govt': 535516, 'govt work': 361336, 'see his': 745206, 'work were': 1005992, 'were praised': 979990, 'praised by': 668879, 'who apart': 988078, 'from above': 334364, 'above free': 27070, 'free medicine': 331972, 'medicine mask': 526834, 'and sensitizer': 71264, 'sensitizer consumer': 750724, 'affair free': 34041, 'food pf': 315847, 'pf of': 653908, 'many innumerable': 514195, 'innumerable action': 438944, 'action who': 30198, 'who praise': 989440, 'praise prime': 668864, 'minister modi': 533404, 'sir regarding your': 771635, 'regarding your demand': 707314, 'your demand to': 1023488, 'demand to make': 236401, 'to make modiji': 909695, 'make modiji govt': 510177, 'modiji govt work': 535517, 'govt work please': 361337, 'work please see': 1005616, 'please see his': 660452, 'see his work': 745208, 'his work were': 397923, 'work were praised': 1005993, 'were praised by': 979991, 'praised by who': 668880, 'by who apart': 154740, 'who apart from': 988079, 'apart from above': 81258, 'from above free': 334365, 'above free medicine': 27071, 'free medicine mask': 331973, 'medicine mask and': 526835, 'mask and sensitizer': 518370, 'and sensitizer consumer': 71265, 'sensitizer consumer affair': 750725, 'consumer affair free': 196088, 'affair free food': 34042, 'free food pf': 331834, 'food pf of': 315848, 'pf of employee': 653909, 'of employee and': 583072, 'employee and many': 273568, 'and many innumerable': 66671, 'many innumerable action': 514196, 'innumerable action who': 438945, 'action who praise': 30199, 'who praise prime': 989441, 'praise prime minister': 668865, 'prime minister modi': 678149, 'kahahahh': 470646, 'at shopping': 100516, 'meanwhile me': 525004, 'me prepare': 523353, 'prepare something': 670124, 'ready kahahahh': 700902, '19 at shopping': 5246, 'at shopping mall': 100517, 'shopping mall or': 763235, 'mall or supermarket': 511813, 'or supermarket meanwhile': 617282, 'supermarket meanwhile me': 821492, 'meanwhile me prepare': 525005, 'me prepare something': 523354, 'prepare something to': 670125, 'be ready kahahahh': 116697, 'jeffreysprecher': 465043, 'it comforting': 457216, 'that talk': 846620, 'talk is': 833806, 'still cheap': 800363, 'cheap stockmarketcrash2020': 174201, 'stockmarketcrash2020 jeffreysprecher': 803698, 'face of rising': 294671, 'rising price for': 723266, 'price for just': 673985, 'about everything it': 25204, 'everything it comforting': 287893, 'it comforting to': 457217, 'comforting to know': 187910, 'know that talk': 476790, 'that talk is': 846621, 'talk is still': 833807, 'is still cheap': 452270, 'still cheap stockmarketcrash2020': 800365, 'cheap stockmarketcrash2020 jeffreysprecher': 174202, 'there 19': 877936, 'stayathome poopchallenge': 797581, 'well hello there': 978284, 'hello there 19': 389224, 'there 19 toiletpaper': 877937, '19 toiletpaper stayathome': 11491, 'toiletpaper stayathome poopchallenge': 922517, 'guy ness': 369094, 'join guy ness': 466731, 'anything non': 80835, 'public where': 688472, 'are packing': 88950, 'packing in': 633730, 'helping contribute': 391297, '19 unnecessarily': 11643, 'they didn say': 881933, 'didn say grocery': 241186, 'grocery store anything': 365207, 'store anything non': 806436, 'anything non essential': 80836, 'non essential and': 566331, 'essential and still': 280790, 'and still open': 72384, 'still open to': 800977, 'the public where': 864871, 'public where people': 688473, 'people are packing': 647041, 'are packing in': 88953, 'packing in is': 633731, 'in is helping': 424169, 'is helping contribute': 448395, 'helping contribute to': 391298, 'covid 19 unnecessarily': 214002, 'khalili': 473692, 'cairo': 155203, 'trinket': 932035, 'and cat': 59617, 'cat outside': 166892, 'outside closed': 629395, 'closed shop': 183328, 'the 14th': 847893, '14th century': 3626, 'century khan': 169618, 'khan el': 473704, 'el khalili': 270444, 'khalili market': 473693, 'eastern cairo': 265577, 'cairo the': 155204, 'usually bustling': 951099, 'bustling with': 144855, 'for trinket': 327343, 'trinket and': 932036, 'at outdoor': 100040, 'outdoor cafe': 628891, 'man and cat': 511989, 'and cat outside': 59619, 'cat outside closed': 166893, 'outside closed shop': 629396, 'closed shop in': 183329, 'in the 14th': 428941, 'the 14th century': 847894, '14th century khan': 3627, 'century khan el': 169619, 'khan el khalili': 473705, 'el khalili market': 270445, 'khalili market in': 473694, 'market in eastern': 516555, 'in eastern cairo': 422467, 'eastern cairo the': 265578, 'cairo the market': 155205, 'market is usually': 516647, 'is usually bustling': 453641, 'usually bustling with': 951100, 'bustling with people': 144856, 'people shopping for': 649434, 'shopping for trinket': 762725, 'for trinket and': 327344, 'trinket and sitting': 932037, 'and sitting at': 71706, 'sitting at outdoor': 772098, 'at outdoor cafe': 100041, 'oj': 597745, 'oj retail': 597746, 'jump 20': 467836, '20 after': 12934, 'oj retail price': 597747, 'retail price jump': 718413, 'price jump 20': 674952, 'jump 20 after': 467837, '20 after covid': 12935, '19 sale surge': 10303, 'hoard in': 398815, 'mean understand': 524751, 'psychological idea': 687518, 'so wa wondering': 778644, 'wa wondering why': 963723, 'wondering why people': 1004209, 'people panic and': 649053, 'panic and hoard': 637316, 'and hoard in': 64633, 'hoard in the': 398816, 'pandemic mean understand': 635952, 'mean understand the': 524752, 'understand the psychological': 940770, 'the psychological idea': 864754, 'psychological idea but': 687519, 'idea but to': 413024, 'but to make': 147588, 'it through crisis': 461675, 'through crisis together': 894398, 'crisis together it': 218259, 'together it doesn': 920844, 'doesn help buying': 251833, 'help buying all': 389462, 'food and leave': 313269, 'leave the people': 484974, 'the people fighting': 863470, 'people fighting the': 647907, 'fighting the crisis': 305127, 'crisis with nothing': 218427, 'freezable': 332507, 'share know': 755083, 'who 65': 988009, '65 living': 21364, 'own struggling': 632240, 'our healthy': 623394, 'healthy soup': 387771, 'soup nationwide': 786396, 'nationwide to': 552764, 'anyone 65': 80166, 'need plus': 555447, 'plus their': 661697, 'their freezable': 873373, 'please share know': 660488, 'share know someone': 755084, 'someone who 65': 784748, 'who 65 living': 988010, '65 living on': 21365, 'living on their': 496435, 'their own struggling': 874208, 'own struggling to': 632242, 'get their local': 348336, 'their local supermarket': 873875, 'local supermarket due': 498518, 'due to issue': 261834, 'to issue around': 908553, 'issue around 19': 455680, 'around 19 we': 93116, 're offering free': 699160, 'free delivery of': 331757, 'delivery of our': 234234, 'of our healthy': 587485, 'our healthy soup': 623395, 'healthy soup nationwide': 387772, 'soup nationwide to': 786397, 'nationwide to anyone': 552765, 'to anyone 65': 900618, 'anyone 65 in': 80167, '65 in need': 21359, 'in need plus': 425763, 'need plus their': 555448, 'plus their freezable': 661698, 'dtc brand': 261384, 'looking toward': 503056, 'toward brick': 927104, 'facilitate growth': 295266, 'that changing': 843201, 'dtc brand have': 261385, 'have been looking': 379600, 'been looking toward': 121484, 'looking toward brick': 503057, 'toward brick and': 927105, 'mortar store way': 541845, 'way to facilitate': 970028, 'to facilitate growth': 905591, 'facilitate growth but': 295267, 'growth but because': 367355, 'of that changing': 590716, 'sneered': 776218, 'heeled': 388778, 'wa been': 961660, 'been sneered': 121985, 'sneered at': 776219, 'at at': 98060, 'in ni': 425864, 'ni by': 562296, 'by well': 154717, 'well heeled': 978280, 'heeled shopper': 388779, 'at opposite': 99985, 'opposite checkout': 613775, 'checkout for': 174918, 'having my': 384178, 'face covered': 294369, 'covered lady': 212428, 'on checkout': 599893, 'checkout said': 174996, 'responsible two': 716066, 'already seriously': 47644, 'ill ppe': 416166, 'wa been sneered': 961661, 'been sneered at': 121986, 'sneered at at': 776220, 'at at supermarket': 98064, 'supermarket in ni': 820945, 'in ni by': 425865, 'ni by well': 562297, 'by well heeled': 154718, 'well heeled shopper': 978281, 'heeled shopper at': 388780, 'shopper at opposite': 761412, 'at opposite checkout': 99986, 'opposite checkout for': 613776, 'checkout for having': 174919, 'for having my': 322131, 'having my face': 384179, 'my face covered': 548152, 'face covered lady': 294370, 'covered lady on': 212429, 'lady on checkout': 478800, 'on checkout said': 599895, 'checkout said wa': 174997, 'said wa being': 731551, 'wa being responsible': 961684, 'being responsible two': 125686, 'responsible two of': 716067, 'two of her': 937086, 'of her colleague': 584569, 'colleague are already': 186191, 'are already seriously': 84423, 'already seriously ill': 47645, 'seriously ill ppe': 751642, 'ill ppe for': 416167, 'ppe for your': 667953, 'your worker now': 1026383, 'outrageous if': 629318, 'one major': 606634, 'bread run': 138576, 'more muffin': 539814, 'muffin amp': 545548, 'milk 75': 531537, '75 more': 22147, 'understand that there': 940734, 'been disruption in': 121006, 'the price saw': 864409, 'supermarket today were': 823478, 'beyond outrageous if': 129217, 'outrageous if one': 629319, 'if one major': 414540, 'one major brand': 606635, 'major brand of': 509247, 'of bread run': 580848, 'bread run out': 138577, 'run out more': 727762, 'out more muffin': 626573, 'more muffin amp': 539815, 'muffin amp of': 545549, 'amp of milk': 54211, 'of milk 75': 586501, 'milk 75 more': 531538, '75 more than': 22148, 'freeman': 332472, 'narrates': 551929, 'thbaks': 847838, 'peterson': 653567, 'leno': 486349, 'morgan freeman': 541085, 'freeman narrates': 332477, 'narrates toilet': 551930, 'via thbaks': 956297, 'thbaks geoff': 847839, 'geoff peterson': 345942, 'peterson aka': 653568, 'aka morgan': 40495, 'freeman aka': 332473, 'aka josh': 40491, 'josh robert': 467338, 'robert thompson': 724715, 'thompson aka': 891727, 'aka jay': 40489, 'jay leno': 464890, 'leno fly': 486350, 'fly you': 311643, 'morgan freeman narrates': 541088, 'freeman narrates toilet': 332478, 'narrates toilet paper': 551931, 'paper via thbaks': 641045, 'via thbaks geoff': 956298, 'thbaks geoff peterson': 847840, 'geoff peterson aka': 345943, 'peterson aka morgan': 653569, 'aka morgan freeman': 40496, 'morgan freeman aka': 541086, 'freeman aka josh': 332474, 'aka josh robert': 40492, 'josh robert thompson': 467339, 'robert thompson aka': 724716, 'thompson aka jay': 891728, 'aka jay leno': 40490, 'jay leno fly': 464891, 'leno fly you': 486351, 'fly you get': 311644, 'get it toiletpaper': 347433, 'surged donation': 828300, 'local grocer': 498042, 'grocer amp': 364088, 'plummeted many': 661344, 'little inventory': 495413, 'inventory left': 443685, 'donate about': 254152, 'about 3rd': 24708, '3rd of': 18436, 'bank surveyed': 110222, 'experienced decline': 291571, 'hunger in just': 411131, 'in just demand': 424415, 'just demand ha': 468573, 'ha surged donation': 372123, 'surged donation from': 828301, 'from local grocer': 336252, 'local grocer amp': 498043, 'grocer amp supermarket': 364089, 'amp supermarket have': 54586, 'supermarket have plummeted': 820701, 'have plummeted many': 381978, 'plummeted many have': 661345, 'many have little': 514123, 'have little inventory': 381350, 'little inventory left': 495414, 'inventory left over': 443686, 'left over to': 485604, 'over to donate': 630832, 'to donate about': 904643, 'donate about 3rd': 254153, 'about 3rd of': 24709, '3rd of bank': 18437, 'of bank surveyed': 580540, 'bank surveyed have': 110223, 'surveyed have experienced': 829004, 'have experienced decline': 380521, 'experienced decline in': 291572, 'decline in food': 231352, 'in food donation': 422968, 'apart just': 81298, 'will ramp': 994559, 'up fear': 944843, 'fear hysteria': 301163, 'very panic': 955408, 'people to wait': 649963, 'line and stand': 492952, 'and stand foot': 72217, 'foot apart just': 318347, 'apart just to': 81299, 'get into store': 347373, 'into store for': 443016, 'food will ramp': 317629, 'will ramp up': 994560, 'ramp up fear': 696441, 'up fear hysteria': 944844, 'fear hysteria and': 301164, 'hysteria and very': 412434, 'and very panic': 74939, 'very panic shopping': 955409, 'panic shopping you': 638597, 'shopping you claim': 764489, 'claim to want': 179858, 'want to prevent': 966086, 'for qsrs': 324886, 'qsrs isn': 691607, 'pickup is': 655979, 'superior solution': 818697, 'to margin': 909841, 'margin cutting': 515622, 'cutting delivery': 223720, 'apps from': 83285, 'from qsr': 337012, 'qsr magazine': 691605, 'demand for qsrs': 235483, 'for qsrs isn': 324887, 'qsrs isn going': 691608, 'isn going away': 454520, 'going away and': 355037, 'away and drive': 105779, 'and drive thru': 61743, 'thru or curbside': 895214, 'curbside pickup is': 220654, 'pickup is superior': 655981, 'is superior solution': 452454, 'superior solution to': 818698, 'solution to margin': 782106, 'to margin cutting': 909842, 'margin cutting delivery': 515623, 'cutting delivery apps': 223721, 'delivery apps from': 233701, 'apps from qsr': 83286, 'from qsr magazine': 337013, 'saw today': 738300, 'store frightened': 807874, 'frightened me': 334048, 'what didnt': 981321, 'see think': 745933, 'service finishing': 752367, 'finishing shift': 307940, 'shift combating': 758263, 'nothing if': 573044, 'good call': 356861, 'call those': 156159, 'what saw today': 982121, 'saw today in': 738301, 'in store frightened': 428415, 'store frightened me': 807875, 'frightened me or': 334049, 'me or should': 523289, 'or should say': 617070, 'should say what': 766435, 'say what didnt': 739469, 'what didnt see': 981322, 'didnt see think': 241273, 'see think of': 745934, 'others stop panic': 621664, 'panic buying think': 637932, 'buying think of': 151214, 'think of emergency': 885441, 'of emergency service': 583056, 'emergency service finishing': 272960, 'service finishing shift': 752368, 'finishing shift combating': 307941, 'shift combating covid': 758264, '19 who go': 12062, 'who go get': 988788, 'go get food': 353606, 'food and find': 313233, 'and find nothing': 62890, 'find nothing if': 307102, 'nothing if you': 573045, 'people hoarding good': 648273, 'hoarding good call': 399339, 'good call those': 356862, 'call those selfish': 156161, 'those selfish bastard': 892435, 'curve omg': 221877, 'omg thought': 598919, 'curve ve': 221904, 'the curve omg': 852699, 'curve omg thought': 221878, 'omg thought it': 598920, 'the curve ve': 852708, 'curve ve managed': 221905, 'food bought in': 313770, 'bought in panic': 136603, 'in panic on': 426482, 'panic on day': 638359, 'of my self': 586815, 'for danger': 320540, 'danger money': 225667, 'increased protection': 433436, 'protection abuse': 685267, 'customer surge': 222891, 'amid panickbuying': 52592, 'panickbuying they': 639224, 'they well': 883738, 'truly deserve': 933287, 'coronacrisis cole': 204554, 'cole woollies': 185893, 'woollies panicshopping': 1004398, 'calling for danger': 156548, 'for danger money': 320541, 'danger money and': 225668, 'money and increased': 536600, 'and increased protection': 65118, 'increased protection abuse': 433437, 'protection abuse from': 685268, 'abuse from customer': 27632, 'from customer surge': 335083, 'customer surge amid': 222892, 'surge amid panickbuying': 828125, 'amid panickbuying they': 52593, 'panickbuying they well': 639225, 'they well and': 883739, 'and truly deserve': 74480, 'truly deserve it': 933288, 'deserve it coronacrisis': 238068, 'it coronacrisis cole': 457331, 'coronacrisis cole woollies': 204555, 'cole woollies panicshopping': 185894, 'hereditarycancer': 393871, 'gcchat': 344834, 'doe make': 251449, 'others hereditarycancer': 621456, 'hereditarycancer genetics': 393872, 'genetics gcchat': 345747, 'why doe make': 990952, 'doe make some': 251450, 'genomics company want': 345809, 'than others hereditarycancer': 841008, 'others hereditarycancer genetics': 621457, 'hereditarycancer genetics gcchat': 393873, 'cruiser': 219718, 'scaled': 739926, 'ontario grocery': 611599, 'toronto police': 925975, 'officer now': 595683, 'ride alone': 721423, 'alone cop': 46837, 'cop cruiser': 203261, 'cruiser patrol': 219719, 'patrol are': 644378, 'are scaled': 89828, 'scaled down': 739929, 'about 400': 24712, '400 officer': 18759, 'recent travel': 703999, 'oshawa ontario grocery': 619711, 'ontario grocery store': 611600, 'store worker dy': 811487, 'worker dy after': 1006823, 'dy after being': 263723, 'after being diagnosed': 35403, 'being diagnosed with': 125046, 'virus and toronto': 957947, 'and toronto police': 74291, 'toronto police officer': 925976, 'police officer now': 663125, 'officer now ride': 595684, 'now ride alone': 575704, 'ride alone cop': 721424, 'alone cop cruiser': 46838, 'cop cruiser patrol': 203262, 'cruiser patrol are': 219720, 'patrol are scaled': 644379, 'are scaled down': 89829, 'scaled down about': 739930, 'down about 400': 256441, 'about 400 officer': 24713, '400 officer are': 18760, 'officer are in': 595633, 'to recent travel': 912943, 'recent travel outside': 704000, 'day wasn': 228664, 'wasn worth': 968045, 'worth please': 1011422, 'please or': 660265, 'or thank': 617356, 'previous key': 671979, 'resume being': 717734, 'other day wasn': 620086, 'day wasn worth': 228665, 'wasn worth please': 968046, 'worth please or': 1011423, 'please or thank': 660266, 'or thank you': 617357, 'thank you now': 841791, 'you now the': 1020160, 'now the previous': 576062, 'the previous key': 864316, 'previous key worker': 671980, 'key worker stay': 473514, 'safe to become': 730045, 'to become key': 901676, 'become key worker': 120046, 'and can resume': 59471, 'can resume being': 159474, 'resume being piece': 717735, 'piece of crap': 656332, 'the spread we': 867643, 'spread we look': 790881, 'way you and': 970200, 'your family can': 1023774, 'family can help': 297684, 'call bullshit': 155801, 'bullshit on': 142508, 'increased console': 433245, 'console tablet': 195536, 'tablet the': 831530, 'lot disgusting': 504031, '19 call bullshit': 5588, 'call bullshit on': 155802, 'bullshit on that': 142509, 'on that all': 603928, 'that all your': 842579, 'all your price': 45579, 'your price have': 1025403, 'have increased console': 381057, 'increased console tablet': 433246, 'console tablet the': 195538, 'tablet the lot': 831531, 'the lot disgusting': 859741, 'anarchist': 57287, 'lemming': 486170, 'handbook': 376051, 'the anarchist': 848671, 'anarchist lemming': 57288, 'lemming handbook': 486171, 'handbook trump': 376052, 'friend covid': 333565, 'loss medical': 503726, 'bill financial': 130570, 'financial ruin': 306563, 'ruin homelessness': 727108, 'homelessness hoarder': 402808, 'hoarder no': 399078, 'for everybody': 321184, 'the anarchist lemming': 848672, 'anarchist lemming handbook': 57289, 'lemming handbook trump': 486172, 'handbook trump and': 376053, 'trump and friend': 933408, 'and friend covid': 63324, 'friend covid 19': 333566, '19 business closure': 5479, 'business closure job': 143544, 'closure job loss': 183929, 'job loss medical': 465981, 'loss medical bill': 503727, 'medical bill financial': 526067, 'bill financial ruin': 130571, 'financial ruin homelessness': 306564, 'ruin homelessness hoarder': 727109, 'homelessness hoarder no': 402809, 'hoarder no reason': 399079, 'no reason for': 565287, 'reason for panic': 702906, 'for panic there': 324369, 'is food for': 447867, 'food for everybody': 314531, 'reallys': 702726, 'coranavirus': 203488, 'the richard': 865786, 'branson the': 138177, 'bos the': 135705, 'the brown': 850056, 'brown shopkeeper': 141258, 'shopkeeper and': 761168, 'the reallys': 865264, 'reallys rich': 702727, 'their private': 874450, 'private island': 678926, 'island coranavirus': 454282, 'coranavirus lockdownlondon': 203489, 'lockdownlondon lockdownuk': 500318, 'lockdownuk supermarket': 500439, 'stockpiling toiletpaper': 804105, 'meanwhile the richard': 525044, 'the richard branson': 865787, 'richard branson the': 721285, 'branson the supermarket': 138178, 'the supermarket bos': 868492, 'supermarket bos the': 819395, 'bos the brown': 135706, 'the brown shopkeeper': 850058, 'brown shopkeeper and': 141259, 'shopkeeper and the': 761169, 'and the reallys': 73543, 'the reallys rich': 865265, 'reallys rich people': 702728, 'rich people on': 721249, 'people on their': 648974, 'on their private': 604501, 'their private island': 874451, 'private island coranavirus': 678927, 'island coranavirus lockdownlondon': 454283, 'coranavirus lockdownlondon lockdownuk': 203490, 'lockdownlondon lockdownuk supermarket': 500319, 'lockdownuk supermarket stockpiling': 500440, 'supermarket stockpiling toiletpaper': 822985, 'first shop': 309001, 'first shop to': 309002, 'shop to make': 760949, 'fistfight': 309449, 'crisis frontline': 217404, 'nurse literally': 577409, 'literally putting': 495064, 'risk grocery': 723583, 'personnel putting': 653148, 'our hoarding': 623439, 'hoarding fistfight': 399292, 'fistfight over': 309450, 'over tp': 630860, 'the workout': 871787, 'workout of': 1009172, 'life amazon': 488463, 'employee omg': 274073, '19 crisis frontline': 6251, 'crisis frontline doctor': 217405, 'frontline doctor and': 338726, 'and nurse literally': 67893, 'nurse literally putting': 577410, 'literally putting their': 495065, 'at risk grocery': 100362, 'risk grocery store': 723584, 'store personnel putting': 809520, 'personnel putting up': 653149, 'putting up with': 691281, 'up with our': 946670, 'with our hoarding': 999998, 'our hoarding fistfight': 623440, 'hoarding fistfight over': 399293, 'fistfight over tp': 309451, 'over tp food': 630861, 'tp food delivery': 927813, 'delivery worker getting': 234773, 'worker getting the': 1007038, 'getting the workout': 349361, 'the workout of': 871788, 'workout of their': 1009173, 'their life amazon': 873820, 'life amazon warehouse': 488464, 'amazon warehouse employee': 51185, 'warehouse employee omg': 966717, 'store return': 809883, 'when will the': 984507, 'will the grocery': 995142, 'grocery store return': 365725, 'store return to': 809885, 'return to ground': 719916, 'to ground beef': 907016, 'durbin warns': 262379, 'that returning': 846042, 'returning the': 720016, 'senate in': 749710, 'week planned': 976752, 'planned would': 658480, 'dick durbin warns': 240462, 'durbin warns that': 262380, 'warns that returning': 967293, 'that returning the': 846043, 'returning the senate': 720017, 'the senate in': 866705, 'senate in two': 749711, 'two week planned': 937354, 'week planned would': 976753, 'planned would be': 658481, 'are agree': 84277, 'this statement': 890302, 'avoid personal': 105219, 'online give': 608299, 'feedback and': 302415, 'think by': 885173, 'stayathome onlineshop': 797561, 'onlineshop besmart': 609873, 'who are agree': 988098, 'are agree with': 84278, 'with this statement': 1001730, 'this statement that': 890303, 'statement that everyone': 796217, 'everyone should avoid': 287370, 'should avoid personal': 765533, 'avoid personal shopping': 105220, 'personal shopping and': 652965, 'shopping and buy': 761968, 'buy online give': 149045, 'online give your': 608300, 'give your feedback': 350882, 'your feedback and': 1023846, 'feedback and think': 302416, 'and think by': 73963, 'think by doing': 885174, 'by doing so': 152396, 'doing so you': 252665, 'so you will': 778854, 'you will keep': 1022339, 'will keep yourself': 993905, 'yourself safe from': 1026696, '19 19 stayathome': 4713, '19 stayathome onlineshop': 10807, 'stayathome onlineshop besmart': 797562, 'selena': 747537, 'song that': 785520, 'are inappropriate': 87467, 'inappropriate to': 431237, 'during selena': 262993, 'selena gomez': 747538, 'gomez can': 356170, 'song that are': 785521, 'that are inappropriate': 842764, 'are inappropriate to': 87468, 'inappropriate to play': 431238, 'play in the': 659173, 'supermarket during selena': 820057, 'during selena gomez': 262994, 'selena gomez can': 747539, 'gomez can keep': 356171, 'can keep my': 158811, 'keep my hand': 471688, 'hand to myself': 375865, 'sowing': 786962, 'more secure': 540332, 'secure knowing': 744445, 'knowing we': 477143, 'veg forget': 953746, 'forget stockpiling': 329283, 'stockpiling meet': 804018, 'meet people': 527551, 'people overcoming': 649045, 'overcoming the': 631147, 'panic sowing': 638613, 'sowing making': 786963, 'own eco': 631955, 'eco sanitisers': 266659, 'feel more secure': 302779, 'more secure knowing': 540333, 'secure knowing we': 744446, 'knowing we ll': 477144, 'll have our': 496832, 'have our own': 381847, 'our own supply': 624219, 'own supply of': 632251, 'supply of fresh': 825628, 'and veg forget': 74860, 'veg forget stockpiling': 953747, 'forget stockpiling meet': 329284, 'stockpiling meet people': 804019, 'meet people overcoming': 527552, 'people overcoming the': 649046, 'overcoming the empty': 631148, 'empty shelf by': 275053, 'shelf by panic': 756916, 'by panic sowing': 153520, 'panic sowing making': 638614, 'sowing making their': 786964, 'their own eco': 874168, 'own eco sanitisers': 631956, 'eco sanitisers and': 266660, 'sanitisers and more': 734063, 'supported maintaining': 827058, 'maintaining ultra': 509145, 'proving problematic': 687225, 'get xauusd': 348665, 'price are well': 672765, 'are well supported': 91614, 'well supported maintaining': 978630, 'supported maintaining ultra': 827059, 'maintaining ultra low': 509146, 'ultra low interest': 939172, 'interest rate in': 441393, 'financial crisis is': 306373, 'crisis is proving': 217584, 'is proving problematic': 451130, 'proving problematic for': 687226, 'problematic for dealing': 679783, 'with the next': 1001403, 'next crisis the': 561318, 'crisis the outbreak': 218187, 'outbreak get xauusd': 628248, 'get xauusd market': 348666, 'melissa': 527953, 'katrincic': 471074, 'garden gun': 343598, 'gun cnn': 368692, 'to melissa': 910074, 'melissa lee': 527954, 'lee katrincic': 485321, 'katrincic early': 471075, 'action with': 30203, 'with sanitizing': 1000577, 'sanitizing solution': 736506, 'solution soon': 782076, 'soon hand': 785732, 'is story': 452352, 'story worth': 812164, 'worth repeating': 1011430, 'repeating sanitizer': 711545, 'sanitizer distillery': 734770, 'from garden gun': 335598, 'garden gun cnn': 343599, 'gun cnn to': 368693, 'cnn to melissa': 184780, 'to melissa lee': 910075, 'melissa lee katrincic': 527955, 'lee katrincic early': 485322, 'katrincic early action': 471076, 'early action with': 264540, 'action with sanitizing': 30204, 'with sanitizing solution': 1000578, 'sanitizing solution soon': 736508, 'solution soon hand': 782077, 'soon hand sanitizer': 785733, 'sanitizer is story': 735213, 'is story worth': 452354, 'story worth repeating': 812165, 'worth repeating sanitizer': 1011431, 'repeating sanitizer distillery': 711546, 'u45rweajus': 937723, 'transportation will': 930052, 'provide opportunity': 686414, 'innovation co': 438861, 'co u45rweajus': 184989, 'shopping medium and': 763276, 'medium and transportation': 526999, 'and transportation will': 74392, 'transportation will provide': 930054, 'will provide opportunity': 994519, 'provide opportunity for': 686415, 'for innovation co': 322592, 'innovation co u45rweajus': 438862, 'be uneven': 117860, 'uneven omdia': 941345, 'omdia analyst': 598874, 'analyst aguete': 57100, 'aguete discus': 39078, 'of on digital': 587214, 'consumer service will': 198956, 'will be uneven': 992745, 'be uneven omdia': 117861, 'uneven omdia analyst': 941346, 'omdia analyst aguete': 598875, 'analyst aguete discus': 57101, 'aguete discus which': 39079, 'discus which sector': 244951, 'sector will benefit': 744400, 'will benefit and': 992818, 'benefit and which': 126924, 'which will suffer': 986507, 'restriction tipped': 717397, 'send australian': 749823, 'australian house': 103505, 'coronavirus restriction tipped': 206674, 'restriction tipped to': 717398, 'tipped to send': 898977, 'to send australian': 914205, 'send australian house': 749824, 'australian house price': 103506, 'house price 19': 406469, 'price 19 corona': 672113, 'are buying at': 85114, 'buying at liquor': 149966, 'impulsively': 419630, '731': 22074, 'this bear': 886508, 'causing many': 168057, 'buy impulsively': 148807, 'impulsively because': 419631, 'afraid that': 35013, 'lower no': 505916, 'vaccine 731': 951642, '731 new': 22075, 'death record': 230178, 'most expert': 542321, 'come nation': 187410, 'this bear market': 886509, 'bear market rally': 118413, 'market rally is': 516934, 'rally is causing': 696268, 'is causing many': 446425, 'causing many people': 168058, 'to buy impulsively': 902247, 'buy impulsively because': 148808, 'impulsively because they': 419632, 'are afraid that': 84266, 'afraid that price': 35014, 'not be lower': 568417, 'be lower no': 115847, 'lower no covid': 505917, '19 vaccine 731': 11716, 'vaccine 731 new': 951643, '731 new death': 22076, 'new death record': 558613, 'death record high': 230179, 'high in new': 395130, 'york and most': 1016576, 'and most expert': 67267, 'most expert say': 542322, 'say the worst': 739312, 'to come nation': 903038, 'come nation the': 187411, 'nation the market': 552331, 'market will stock': 517365, 'clutter': 184601, 'chibizhub': 175626, 'cutting through': 223782, 'the clutter': 851088, 'clutter understanding': 184602, 'understanding your': 940906, 'navigate your': 553108, 'pandemic webinar': 636960, 'webinar join': 975050, 'join chibizhub': 466690, 'chibizhub and': 175627, 'and chicago': 59813, 'chicago business': 175652, 'affair amp': 33992, 'business manage': 144029, 'manage through': 512457, 'cutting through the': 223783, 'through the clutter': 894724, 'the clutter understanding': 851089, 'clutter understanding your': 184603, 'understanding your option': 940907, 'your option to': 1025094, 'option to navigate': 614125, 'to navigate your': 910493, 'navigate your business': 553109, 'your business during': 1023054, 'the pandemic webinar': 863150, 'pandemic webinar join': 636961, 'webinar join chibizhub': 975051, 'join chibizhub and': 466691, 'chibizhub and chicago': 175628, 'and chicago business': 59814, 'chicago business affair': 175653, 'business affair amp': 143242, 'affair amp consumer': 33993, 'protection to discover': 685653, 'all the resource': 44887, 'the resource to': 865597, 'your business manage': 1023066, 'business manage through': 144030, 'manage through covid': 512458, 'shrink due': 767700, 'electricity demand shrink': 271170, 'demand shrink due': 236205, 'shrink due to': 767701, 'also cause fall': 48013, 'deliciously': 233032, 'seafoodpasta': 743160, 'loveseafood': 505035, 'like deliciously': 490104, 'deliciously comforting': 233033, 'comforting dish': 187901, 'dish of': 245504, 'of seafoodpasta': 589426, 'seafoodpasta check': 743161, 'this recipe': 889837, 'recipe it': 704484, 'it tasty': 461445, 'tasty and': 834820, 'make loveseafood': 510104, 'loveseafood seafood': 505036, 'there nothing like': 878874, 'nothing like deliciously': 573095, 'like deliciously comforting': 490105, 'deliciously comforting dish': 233034, 'comforting dish of': 187902, 'dish of seafoodpasta': 245506, 'of seafoodpasta check': 589427, 'seafoodpasta check out': 743162, 'out this recipe': 627582, 'this recipe it': 889838, 'recipe it tasty': 704485, 'it tasty and': 461446, 'tasty and easy': 834821, 'easy to make': 265786, 'to make loveseafood': 909687, 'make loveseafood seafood': 510105, '2go2checkout': 16611, 'doesnt': 252009, 'investigate website': 443810, 'website fraud': 975283, 'fraud price': 331328, 'toiletpaper order': 922286, 'order 35': 617991, '35 get': 17891, 'immediately 2go2checkout': 417047, '2go2checkout it': 16612, 'elderly mom': 270756, 'of she': 589570, 'she doesnt': 756005, 'to investigate website': 908495, 'investigate website fraud': 443811, 'website fraud price': 975284, 'fraud price gouging': 331329, 'gouging it say': 359372, 'it say they': 460891, 'they have toiletpaper': 882398, 'have toiletpaper order': 383356, 'toiletpaper order 35': 922287, 'order 35 get': 617992, '35 get free': 17892, 'free shipping but': 332154, 'shipping but immediately': 758831, 'but immediately 2go2checkout': 146011, 'immediately 2go2checkout it': 417048, '2go2checkout it say': 16613, 'say it out': 738854, 'it out my': 460187, 'out my elderly': 626596, 'my elderly mom': 548071, 'elderly mom is': 270757, 'mom is so': 535759, 'is so scared': 452032, 'so scared of': 778153, 'scared of she': 741001, 'of she doesnt': 589571, 'chinese oriented': 177312, 'oriented covid': 619521, 'coronavirus seriously': 206745, 'seriously especially': 751596, 'at eleven': 98528, 'eleven here': 271390, 'in orlando': 426229, 'orlando or': 619632, 'what witnessed': 982618, 'witnessed college': 1003142, 'college park': 186637, 'to me that': 909957, 'me that people': 523624, 'taking this chinese': 833615, 'this chinese oriented': 886766, 'chinese oriented covid': 177313, 'oriented covid 19': 619522, '19 coronavirus seriously': 6125, 'coronavirus seriously especially': 206746, 'seriously especially at': 751597, 'especially at eleven': 280444, 'at eleven here': 98529, 'eleven here in': 271391, 'here in orlando': 393175, 'in orlando or': 426230, 'orlando or at': 619633, 'or at the': 614450, 'at the public': 101067, 'the public grocery': 864815, 'store from what': 807884, 'from what witnessed': 338346, 'what witnessed college': 982619, 'witnessed college park': 1003143, 'small distillery': 774930, 'small distillery in': 774931, 'distillery in galway': 247762, 'galway ha switched': 343090, 'ha switched production': 372137, 'switched production from': 830547, 'production from poitin': 682055, 'twit': 936607, 'merseyside': 529203, 'saveourcarers': 737795, 'goodwin like': 358109, 'for start': 325873, 'the twit': 870137, 'twit who': 936608, 'coughed around': 208597, 'in merseyside': 425256, 'merseyside now': 529204, 'now self': 575762, 'isolating stayhomesavelives': 455140, 'stayhomesavelives saveourcarers': 798438, 'goodwin like the': 358110, 'like the in': 491375, 'the in park': 858012, 'in park in': 426511, 'park in london': 641934, 'london for start': 501071, 'for start and': 325874, 'start and the': 794198, 'and the twit': 73627, 'the twit who': 870138, 'twit who coughed': 936609, 'who coughed around': 988499, 'coughed around my': 208598, 'around my brother': 93407, 'in law in': 424634, 'law in supermarket': 482315, 'supermarket he is': 820724, 'line of hospital': 493304, 'of hospital to': 584767, 'hospital to home': 404686, 'to home care': 907928, 'home care in': 400877, 'care in merseyside': 164021, 'in merseyside now': 425257, 'merseyside now self': 529205, 'now self isolating': 575763, 'self isolating stayhomesavelives': 747736, 'isolating stayhomesavelives saveourcarers': 455141, 'universal picture': 942373, 'picture to': 656204, 'it film': 457995, 'film available': 305664, 'theater worldwide': 872272, 'behavior spread': 124197, 'universal picture to': 942374, 'picture to make': 656206, 'make it film': 510033, 'it film available': 457996, 'film available at': 305665, 'home the same': 402245, 'same day they': 733037, 'day they are': 228517, 'they are released': 881385, 'are released in': 89555, 'released in theater': 709052, 'in theater worldwide': 429705, 'theater worldwide in': 872273, 'response to changing': 715833, 'consumer behavior spread': 196514, 'open virtual': 612643, 'the dubai mall': 853765, 'dubai mall to': 261482, 'mall to open': 511847, 'to open virtual': 911014, 'open virtual store': 612644, 'virtual store on': 957797, 'gk': 351468, 'inactivates': 431190, '93002759': 23531, 'alpha gk': 47144, 'gk hand': 351469, 'or permanently': 616552, 'permanently inactivates': 652100, 'inactivates at': 431191, 'least 99': 484381, '99 percent': 23881, 'germ when': 346176, '10 flavour': 1425, 'flavour to': 310249, 'at 93002759': 97808, '93002759 or': 23532, 'at handsanitizer': 98849, 'alpha gk hand': 47145, 'gk hand sanitizer': 351470, 'hand sanitizer kill': 375466, 'sanitizer kill or': 735260, 'kill or permanently': 474466, 'or permanently inactivates': 616553, 'permanently inactivates at': 652101, 'inactivates at least': 431192, 'at least 99': 99460, 'least 99 99': 484382, '99 99 percent': 23765, '99 percent of': 23882, 'percent of germ': 651156, 'of germ when': 584102, 'germ when used': 346177, 'when used on': 984373, 'used on the': 949979, 'the hand it': 857059, 'hand it is': 375057, 'it is available': 458879, 'available in 10': 104430, 'in 10 flavour': 419679, '10 flavour to': 1426, 'flavour to order': 310250, 'to order contact': 911067, 'order contact at': 618150, 'contact at 93002759': 200026, 'at 93002759 or': 97809, '93002759 or visit': 23533, 'or visit at': 617681, 'visit at handsanitizer': 959189, 'mfa': 530066, 'documentinglife': 251253, 'my photography': 549763, 'photography class': 655285, 'class ha': 180198, 'an assignment': 55447, 'assignment to': 96612, 'document the': 251212, 'moment my': 535998, 'currently ha': 221550, 'these sign': 880692, 'over photo': 630503, 'photo quarantinelife': 655236, 'quarantinelife mfa': 692975, 'mfa photography': 530069, 'photography documentinglife': 655287, 'my photography class': 549764, 'photography class ha': 655286, 'class ha an': 180199, 'ha an assignment': 369540, 'an assignment to': 55448, 'assignment to document': 96613, 'to document the': 904609, 'document the world': 251213, 'world we live': 1010146, 'live in at': 495849, 'the moment my': 860770, 'moment my grocery': 535999, 'grocery store currently': 365318, 'store currently ha': 807239, 'currently ha these': 221552, 'ha these sign': 372254, 'these sign up': 880694, 'sign up all': 769246, 'all over photo': 43875, 'over photo quarantinelife': 630504, 'photo quarantinelife mfa': 655237, 'quarantinelife mfa photography': 692976, 'mfa photography documentinglife': 530070, 'kid noted': 474057, 'noted the': 572884, 'the korean': 858853, 'korean owned': 477528, 'owned corner': 632339, 'ha dedicated': 370337, 'dedicated worker': 231758, 'worker wiping': 1008256, 'down surface': 257240, 'surface constantly': 828001, 'constantly they': 195707, 'it concerned': 457255, 'of precaution': 588352, 'precaution taking': 669365, 'place ppl': 657663, 'ppl talking': 668338, 'talking is': 834019, 'my kid noted': 548953, 'kid noted the': 474058, 'noted the korean': 572885, 'the korean owned': 858855, 'korean owned corner': 477529, 'owned corner store': 632340, 'corner store ha': 203684, 'store ha dedicated': 808003, 'ha dedicated worker': 370338, 'dedicated worker wiping': 231759, 'worker wiping down': 1008257, 'wiping down surface': 996517, 'down surface constantly': 257241, 'surface constantly they': 828002, 'constantly they get': 195708, 'get it concerned': 347400, 'it concerned about': 457256, 'grocery retail worker': 364898, 'retail worker not': 718898, 'worker not seeing': 1007453, 'not seeing lot': 571497, 'lot of precaution': 504259, 'of precaution taking': 588353, 'precaution taking place': 669366, 'taking place ppl': 833513, 'place ppl talking': 657664, 'ppl talking is': 668339, 'talking is risk': 834020, 'greencore': 363728, 'broadly': 140778, 'food firm': 314471, 'firm greencore': 308360, 'greencore group': 363729, 'that trading': 847113, 'first five': 308674, 'been broadly': 120754, 'broadly in': 140779, 'with expectation': 998329, 'business step': 144412, 'convenience food firm': 202327, 'food firm greencore': 314472, 'firm greencore group': 308361, 'greencore group ha': 363730, 'group ha said': 366713, 'said that trading': 731418, 'that trading for': 847114, 'the first five': 855308, 'first five month': 308675, 'five month of': 309645, 'the year ha': 872159, 'year ha been': 1014600, 'ha been broadly': 369734, 'been broadly in': 120755, 'broadly in line': 140780, 'line with expectation': 493574, 'with expectation the': 998330, 'expectation the business': 290857, 'the business step': 850180, 'business step up': 144413, 'step up it': 799692, 'tutor': 936047, 'tutee': 936042, 'job tutor': 466243, 'tutor an': 936048, 'event manager': 285019, 'retail manager': 718304, 'manager my': 512753, 'my tutee': 550442, 'tutee all': 936043, 'all canceled': 42291, 'canceled with': 160976, 'event and': 284944, 'hour got': 405649, 'got cut': 358517, 'cut wa': 223623, 'life up': 489164, 've got job': 953181, 'got job tutor': 358660, 'job tutor an': 466244, 'tutor an event': 936049, 'an event manager': 55877, 'event manager and': 285020, 'manager and retail': 512673, 'and retail manager': 70436, 'retail manager my': 718305, 'manager my tutee': 512754, 'my tutee all': 550443, 'tutee all canceled': 936044, 'all canceled with': 42292, 'canceled with all': 160977, 'with all event': 997150, 'all event and': 42712, 'event and my': 284946, 'and my store': 67390, 'my store hour': 550221, 'store hour got': 808201, 'hour got cut': 405650, 'got cut wa': 358518, 'cut wa designed': 223624, 'designed to my': 238360, 'to my life': 910414, 'my life up': 549047, 'd2rohkh5o4': 224208, 'amazon http': 50983, 'co d2rohkh5o4': 184825, 'panic buying sparked': 637895, 'limit of delivery': 492396, 'of delivery on': 582491, 'delivery on amazon': 234251, 'on amazon http': 599280, 'amazon http co': 50984, 'http co d2rohkh5o4': 409758, 'browser': 141286, 'no word': 565919, 'word the': 1004589, 'people opposite': 648995, 'opposite me': 613800, 'had house': 373191, 'house full': 406318, 'visitor yesterday': 959607, 'yesterday going': 1015753, 'and suspect': 72905, 'of browser': 580916, 'browser buying': 141287, 'buying bbq': 149991, 'bbq item': 113192, 'are no word': 88290, 'no word the': 565920, 'word the people': 1004590, 'the people opposite': 863496, 'people opposite me': 648996, 'opposite me have': 613801, 'me have been': 522859, 'been in for': 121344, 'in for two': 423030, 'week and had': 975913, 'and had house': 64103, 'had house full': 373192, 'house full of': 406319, 'full of visitor': 340766, 'of visitor yesterday': 592845, 'visitor yesterday going': 959609, 'yesterday going to': 1015754, 'today and suspect': 919226, 'and suspect there': 72906, 'suspect there will': 829502, 'will be lot': 992547, 'lot of browser': 504147, 'of browser buying': 580917, 'browser buying bbq': 141288, 'buying bbq item': 149992, 'bbq item it': 113193, 'item it not': 463400, 'scarier': 741098, 'real winner': 701459, 'winner in': 996026, 'gun manufacturer': 368706, 'manufacturer the': 513524, 'only line': 610733, 'three gun': 893938, 'within one': 1002399, 'one mile': 606662, 'house all': 406165, 'line down': 493059, 'thing scarier': 884727, 'scarier than': 741101, 'scared moron': 740982, 'moron with': 541654, 'with gun': 998711, 'the real winner': 865248, 'real winner in': 701461, 'winner in this': 996028, 'are the gun': 90839, 'the gun manufacturer': 856948, 'gun manufacturer the': 368707, 'manufacturer the only': 513525, 'the only line': 862317, 'only line longer': 610734, 'supermarket are at': 819145, 'at the three': 101122, 'the three gun': 869515, 'three gun store': 893939, 'gun store within': 368741, 'store within one': 811416, 'within one mile': 1002400, 'one mile radius': 606663, 'my house all': 548721, 'house all have': 406167, 'have line down': 381326, 'line down the': 493060, 'down the sidewalk': 257301, 'sidewalk the only': 768955, 'only thing scarier': 611314, 'thing scarier than': 884728, 'scarier than the': 741102, 'the virus are': 870797, 'virus are scared': 957962, 'are scared moron': 89850, 'scared moron with': 740983, 'moron with gun': 541655, 'privatizedhealthcare': 679019, 'sanitizer cost': 734702, 'cost 45': 207836, 'bottle after': 136172, 'after 25': 35285, 'bottle insulin': 136248, 'make sell': 510430, '100 1500': 1811, '1500 per': 3944, 'month both': 537624, 'are life': 87778, 'saving only': 737939, 'get national': 347646, 'national attention': 552418, 'attention privatizedhealthcare': 102472, 'hand sanitizer cost': 375357, 'sanitizer cost 45': 734703, 'cost 45 per': 207837, '45 per bottle': 19126, 'per bottle after': 650718, 'bottle after 25': 136173, 'after 25 50': 35286, '25 50 per': 15820, '50 per bottle': 19804, 'per bottle insulin': 650719, 'bottle insulin cost': 136249, 'cost to make': 208140, 'to make sell': 909735, 'make sell for': 510431, 'for 100 1500': 318623, '100 1500 per': 1812, '1500 per month': 3945, 'per month both': 650947, 'month both are': 537625, 'both are life': 135855, 'are life saving': 87779, 'life saving only': 489016, 'saving only one': 737940, 'only one get': 610872, 'one get national': 606342, 'get national attention': 347647, 'national attention privatizedhealthcare': 552419, 'not ppe': 571063, 'ppe your': 668117, 'own guidance': 632037, 'surgical mask are': 828350, 'are not ppe': 88438, 'not ppe your': 571064, 'ppe your own': 668118, 'your own guidance': 1025142, 'six key': 772656, 'threshold level': 894148, 'level that': 487725, 'the threshold': 869521, 'threshold offer': 894154, 'offer early': 594593, 'signal of': 769308, 'of spending': 589978, 'pattern particularly': 644491, 'emergency pantry': 272850, 'pantry item': 639622, 'health supply': 386881, 'six key consumer': 772657, 'behavior threshold level': 124250, 'threshold level that': 894149, 'level that tie': 487726, 'outbreak the threshold': 628723, 'the threshold offer': 869523, 'threshold offer early': 894155, 'offer early signal': 594594, 'early signal of': 264694, 'signal of spending': 769309, 'of spending pattern': 589979, 'spending pattern particularly': 788950, 'pattern particularly for': 644492, 'particularly for emergency': 642681, 'for emergency pantry': 321020, 'emergency pantry item': 272851, 'pantry item and': 639623, 'item and health': 463056, 'and health supply': 64366, 'crisis panic': 217850, 'solution but': 782003, 'but discipline': 145544, 'discipline hope': 244359, 'not waste': 572455, 'food cook': 314013, 'can consume': 157962, 'over stocking': 630651, 'stocking that': 803603, 'it expiration': 457904, 'waste discipline': 968100, 'discipline stayathome': 244365, 'stayathome food': 797477, 'this crisis panic': 887072, 'crisis panic buying': 217851, 'the solution but': 867459, 'solution but discipline': 782004, 'but discipline hope': 145545, 'discipline hope people': 244360, 'will not waste': 994285, 'not waste food': 572456, 'waste food cook': 968121, 'food cook what': 314014, 'cook what they': 202786, 'they can consume': 881622, 'can consume and': 157963, 'consume and do': 195931, 'not do over': 569065, 'do over stocking': 249957, 'over stocking that': 630653, 'stocking that good': 803604, 'that good will': 844053, 'good will reach': 357963, 'will reach it': 994569, 'reach it expiration': 699937, 'it expiration date': 457905, 'expiration date and': 292041, 'date and will': 226593, 'and will just': 75673, 'will just go': 993880, 'to waste discipline': 918365, 'waste discipline stayathome': 968101, 'discipline stayathome food': 244366, 'multi notch': 545663, 'notch downgrade': 572674, 'downgrade of': 257554, 'of sovereign': 589947, 'rating are': 697587, 'likely during': 491991, 'during 2020': 262420, 'price fitch': 673881, 'fitch rating': 309510, 'rating marketswithmc': 697591, 'multi notch downgrade': 545664, 'notch downgrade of': 572675, 'downgrade of sovereign': 257555, 'of sovereign rating': 589948, 'sovereign rating are': 786945, 'rating are likely': 697588, 'are likely during': 87800, 'likely during 2020': 491992, 'during 2020 due': 262421, 'outbreak and sharp': 628009, 'and sharp fall': 71406, 'oil price fitch': 597132, 'price fitch rating': 673882, 'fitch rating marketswithmc': 309511, 'horray': 404069, 'those using': 892584, 'using wipe': 950797, 'glove do': 352654, 'not dispose': 569053, 'dispose of': 246290, 'saying collected': 739571, 'collected these': 186376, 'these germ': 880052, 'germ now': 346132, 're yours': 699855, 'yours horray': 1026466, 'horray for': 404070, 'for those using': 327146, 'those using wipe': 892585, 'using wipe mask': 950798, 'wipe mask and': 996315, 'and glove do': 63715, 'glove do not': 352655, 'do not dispose': 249717, 'not dispose of': 569054, 'dispose of them': 246291, 'cart when you': 165421, 'supermarket it like': 821172, 'it like saying': 459371, 'like saying collected': 491137, 'saying collected these': 739572, 'collected these germ': 186377, 'these germ now': 880053, 'germ now they': 346133, 'they re yours': 883156, 're yours horray': 699856, 'yours horray for': 1026467, 'horray for me': 404071, 'me and to': 522432, 'and to hell': 74174, 'to hell with': 907433, 'hell with everyone': 389094, 'else is it': 271756, 'is it 19': 449006, 'purchase habit': 689484, 'habit rapidly': 372675, 'and globally': 63702, 'are pattern': 89003, 'transition from': 929668, 'from pantry': 336847, 'pantry prep': 639650, 'prep to': 670018, 'quarantine prep': 692446, 'prep are': 669996, 'you ready': 1020817, 'ready supplychainmanagement': 700926, 'changing consumer purchase': 172677, 'consumer purchase habit': 198616, 'purchase habit rapidly': 689485, 'habit rapidly and': 372676, 'rapidly and globally': 696954, 'and globally the': 63703, 'globally the good': 352402, 'news is there': 560560, 'is there are': 453002, 'there are pattern': 878145, 'are pattern to': 89005, 'pattern to their': 644517, 'to their action': 917210, 'their action the': 872462, 'action the transition': 30151, 'the transition from': 869904, 'transition from pantry': 929669, 'from pantry prep': 336848, 'pantry prep to': 639651, 'prep to quarantine': 670019, 'to quarantine prep': 912645, 'quarantine prep are': 692447, 'prep are you': 669997, 'are you ready': 91842, 'you ready supplychainmanagement': 1020820, 'submerge': 815767, 'to submerge': 915710, 'submerge your': 815768, 'kill go': 474410, 'spray away': 790267, 'away want': 106092, 'to aggressively': 900178, 'aggressively scrub': 38272, 'scrub no': 742904, 'want to submerge': 966135, 'to submerge your': 915711, 'submerge your in': 815769, 'your in bleach': 1024462, 'to kill go': 908928, 'kill go for': 474411, 'go for it': 353561, 'for it want': 322744, 'it want to': 462236, 'disinfectant spray away': 245757, 'spray away want': 790268, 'away want to': 106093, 'want to aggressively': 965984, 'to aggressively scrub': 900179, 'aggressively scrub no': 38273, 'scrub no problem': 742905, '503': 20125, '378': 18111, '8442': 22896, 'been subject': 122084, '19 report': 10106, 'that conduct': 843280, 'conduct to': 193652, 'justice consumer': 470404, 'at 503': 97686, '503 378': 20126, '378 8442': 18112, '8442 or': 22897, 'believe that you': 126354, 'have been subject': 379702, 'been subject to': 122085, 'subject to excessive': 815751, 'consumer good due': 197610, 'covid 19 report': 213691, '19 report that': 10108, 'report that conduct': 712317, 'that conduct to': 843281, 'conduct to the': 193653, 'to the oregon': 916928, 'the oregon department': 862465, 'of justice consumer': 585579, 'justice consumer protection': 470405, 'hotline at 503': 405244, 'at 503 378': 97687, '503 378 8442': 20127, '378 8442 or': 18113, 'virologically': 957690, 'breaking peer': 139022, 'peer reviewed': 646310, 'reviewed study': 720609, 'patient after': 644123, 'taking malaria': 833434, 'drug were': 261155, 'were virologically': 980333, 'virologically cured': 957691, 'cured this': 220852, 'is reportedly': 451437, 'reportedly the': 712589, '2nd 100': 16748, '100 cure': 1879, 'ever existed': 285294, 'existed rt': 290267, 'if president': 414682, 'this available': 886465, 'breaking peer reviewed': 139023, 'peer reviewed study': 646312, 'reviewed study show': 720610, 'show that 100': 767173, 'that 100 of': 842429, '100 of patient': 1990, 'of patient after': 587818, 'patient after day': 644124, 'day of taking': 228109, 'of taking malaria': 590582, 'taking malaria drug': 833435, 'malaria drug were': 511559, 'drug were virologically': 261156, 'were virologically cured': 980334, 'virologically cured this': 957692, 'cured this is': 220853, 'this is reportedly': 888380, 'is reportedly the': 451438, 'reportedly the 2nd': 712590, 'the 2nd 100': 848073, '2nd 100 cure': 16749, '100 cure to': 1880, 'cure to virus': 220837, 'that ha ever': 844118, 'ha ever existed': 370524, 'ever existed rt': 285296, 'existed rt if': 290268, 'rt if president': 726773, 'if president should': 414683, 'president should immediately': 670903, 'move to make': 543759, 'make this available': 510633, 'esteelauder': 282212, 'wonderful relief': 1004110, 'relief supply': 709466, 'support esteelauder': 826479, 'how wonderful relief': 409253, 'wonderful relief supply': 1004111, 'relief supply support': 709467, 'supply support esteelauder': 825931, 'hindering': 396844, 'including distributor': 431937, 'distributor pharmacy': 248312, 'outbreak hindering': 628308, 'hindering the': 396846, 'provider of healthcare': 686760, 'of healthcare and': 584516, 'healthcare and hygiene': 387032, 'hygiene product including': 412156, 'product including distributor': 681304, 'including distributor pharmacy': 431938, 'distributor pharmacy and': 248313, 'pharmacy and supermarket': 654225, 'and supermarket have': 72721, 'supermarket have hiked': 820688, 'essential product in': 281421, '19 outbreak hindering': 9134, 'outbreak hindering the': 628309, 'hindering the fight': 396847, 'this warranty': 891108, 'account bitch': 28639, 'bitch my': 131767, 'full shit': 340881, 'shit shit': 759216, 'shit covid': 759082, 'this warranty is': 891109, 'warranty is great': 967336, 'great for my': 362683, 'for my bank': 323675, 'bank account bitch': 109545, 'account bitch my': 28640, 'bitch my online': 131768, 'shopping cart are': 762294, 'cart are full': 165260, 'are full shit': 86733, 'full shit shit': 340882, 'shit shit covid': 759217, 'shit covid 19': 759083, 'say grandparent': 738703, 'grandparent and': 361960, 'family emergency': 297760, 'emergency scam': 272942, 'particularly compelling': 642670, 'compelling amid': 191517, 'avoid these': 105341, 'these scheme': 880636, 'the say grandparent': 866393, 'say grandparent and': 738704, 'grandparent and family': 361961, 'and family emergency': 62658, 'family emergency scam': 297761, 'emergency scam are': 272943, 'scam are particularly': 740041, 'are particularly compelling': 88989, 'particularly compelling amid': 642671, 'compelling amid the': 191518, 'the ftc about': 855922, 'ftc about how': 339371, 'to avoid these': 900949, 'avoid these scheme': 105343, 'shopping support': 764024, 'business so': 144392, 'instead of online': 440294, 'online shopping support': 609292, 'shopping support your': 764025, 'local business so': 497776, 'business so they': 144394, 'will survive in': 995048, 'this corona crisis': 886864, 'we full': 971594, 'that unlike': 847185, 'western civilization': 980603, 'civilization we': 179602, 'normal hour': 567177, 'overtime in': 631626, 'we full time': 971595, 'full time grocery': 340938, 'time grocery worker': 896870, 'grocery worker when': 366195, 'worker when we': 1008181, 'when we find': 984442, 'we find that': 971564, 'find that unlike': 307276, 'that unlike the': 847187, 'unlike the rest': 942730, 'rest of western': 716208, 'of western civilization': 593038, 'western civilization we': 980604, 'civilization we not': 179604, 'we not only': 972602, 'not only work': 570840, 'only work our': 611491, 'work our normal': 1005575, 'our normal hour': 624087, 'normal hour but': 567178, 'hour but are': 405471, 'but are expected': 145212, 'to work overtime': 918765, 'work overtime in': 1005591, 'overtime in the': 631627, 'recos': 705144, 'pick or': 655667, 'or recos': 616806, 'recos having': 705145, 'having said': 384251, 'physical silver': 655456, 'silver to': 769866, '10 ounce': 1594, 'ounce area': 621954, 'happened and': 377219, 'should back': 765534, 'truck car': 932746, 'buy much': 148976, 'can here': 158674, 'before hyper': 122861, 'hyper inflation': 412288, 'inflation hit': 437192, 'don do stock': 253472, 'do stock pick': 250178, 'stock pick or': 802623, 'pick or recos': 655668, 'or recos having': 616807, 'recos having said': 705146, 'having said that': 384252, 'said that have': 731400, 'have been waiting': 379740, 'waiting for physical': 964330, 'for physical silver': 324540, 'physical silver to': 655457, 'silver to get': 769867, 'to the 10': 916469, 'the 10 ounce': 847855, '10 ounce area': 1595, 'ounce area that': 621955, 'area that time': 92221, 'that time ha': 847044, 'time ha happened': 896882, 'ha happened and': 370822, 'happened and you': 377221, 'you should back': 1021183, 'should back up': 765535, 'back up the': 107433, 'up the truck': 946225, 'the truck car': 870032, 'truck car to': 932747, 'car to buy': 163319, 'to buy much': 902272, 'buy much you': 148978, 'you can here': 1017693, 'can here at': 158675, 'here at these': 392793, 'these price before': 880526, 'price before hyper': 672878, 'before hyper inflation': 122862, 'hyper inflation hit': 412289, 'new kind': 559000, 'market exclusively': 516353, 'exclusively in': 289724, 'county grab': 211393, 'two new kind': 937076, 'new kind of': 559001, 'kind of just': 474913, 'of just hit': 585570, 'the market exclusively': 860107, 'market exclusively in': 516354, 'exclusively in county': 289725, 'in county grab': 421833, 'county grab it': 211394, 'grab it before': 361496, 'it before it': 456812, 'before it gone': 122887, 'how look': 408223, 'father would': 300327, 'not hang': 569778, 'and appreciative': 58272, 'appreciative after': 82910, 'is how look': 448586, 'how look at': 408224, 'at it it': 99329, 'my father would': 548253, 'father would put': 300328, 'would put me': 1012140, 'the bank grocery': 849242, 'station but can': 796367, 'but can not': 145358, 'can not hang': 159048, 'not hang out': 569779, 'diligent and appreciative': 242870, 'and appreciative after': 58273, 'eventprofs': 285126, 'beyondcoronavirus': 129262, 'while pacific': 987138, 'pacific world': 632996, 'world family': 1009536, 'family continue': 297721, 'looking ahead': 502790, 'ahead monitoring': 39167, 'to design': 904204, 'design new': 238252, 'and program': 69611, 'your event': 1023696, 'event trend': 285101, 'trend eventprofs': 931329, 'eventprofs beyondcoronavirus': 285127, 'while pacific world': 987139, 'pacific world family': 632997, 'world family continue': 1009537, 'family continue to': 297722, 'continue to take': 201272, 'take the covid': 832641, '19 situation seriously': 10591, 'situation seriously we': 772477, 'still looking ahead': 800811, 'looking ahead monitoring': 502791, 'ahead monitoring the': 39168, 'monitoring the trend': 537383, 'trend to design': 931477, 'to design new': 904206, 'design new product': 238253, 'new product and': 559357, 'product and program': 680900, 'and program for': 69612, 'program for your': 683250, 'for your event': 328147, 'your event trend': 1023697, 'event trend eventprofs': 285102, 'trend eventprofs beyondcoronavirus': 931330, 'regarding business': 707182, 'of frequently': 583939, 'affected by closure': 34307, 'health crisis to': 386352, 'help answer question': 389366, 'answer question regarding': 78102, 'question regarding business': 693707, 'regarding business interruption': 707183, 'coverage we ve': 212385, 've compiled list': 953010, 'list of frequently': 494437, 'of frequently asked': 583940, 'countrywide': 211306, 'uganda mp': 937978, 'mp demand': 544245, 'demand countrywide': 235178, 'countrywide relief': 211307, 'distribution via': 248251, 'via stayhome': 956254, 'stayhome ug': 798222, 'ug staysafeug': 937962, 'in uganda mp': 430375, 'uganda mp demand': 937979, 'mp demand countrywide': 544246, 'demand countrywide relief': 235179, 'countrywide relief food': 211308, 'relief food distribution': 709332, 'food distribution via': 314241, 'distribution via stayhome': 248252, 'via stayhome ug': 956255, 'stayhome ug staysafeug': 798223, 'undetected': 941008, 'kushner': 477972, 'cdc launch': 168585, 'launch study': 481949, 'precise count': 669499, 'of undetected': 592618, 'undetected covid': 941009, 'case via': 166091, 'via finally': 955971, 'finally serious': 306093, 'serious plan': 751446, 'end usa': 276052, 'usa convid19': 948610, 'convid19 trump': 202610, 'trump corona': 933492, 'corona oil': 204077, 'price shocking': 676368, 'shocking deadly': 759597, 'deadly dangerous': 229267, 'dangerous kushner': 225754, 'kushner head': 477973, 'head pandemic': 385809, 'pandemic usps': 636891, 'usps bailout': 950851, 'bailout asap': 108623, 'cdc launch study': 168586, 'launch study to': 481950, 'study to get': 814974, 'get more precise': 347597, 'more precise count': 540120, 'precise count of': 669500, 'count of undetected': 210141, 'of undetected covid': 592619, 'undetected covid 19': 941010, '19 case via': 5706, 'case via finally': 166092, 'via finally serious': 955972, 'finally serious plan': 306094, 'serious plan to': 751447, 'plan to end': 658287, 'to end usa': 905091, 'end usa convid19': 276053, 'usa convid19 trump': 948611, 'convid19 trump corona': 202611, 'trump corona oil': 933493, 'corona oil business': 204078, 'oil business price': 596657, 'business price shocking': 144255, 'price shocking deadly': 676369, 'shocking deadly dangerous': 759598, 'deadly dangerous kushner': 229268, 'dangerous kushner head': 225755, 'kushner head pandemic': 477974, 'head pandemic usps': 385810, 'pandemic usps bailout': 636892, 'usps bailout asap': 950852, 'haven lowered': 383855, 'knowing family': 477109, 'meet america': 527408, 'is land': 449228, 'think it crazy': 885324, 'crazy how store': 215325, 'how store haven': 408750, 'store haven lowered': 808109, 'haven lowered their': 383856, 'lowered their price': 506087, 'price knowing family': 675002, 'knowing family are': 477110, 'end meet america': 275873, 'meet america is': 527409, 'america is land': 51576, 'is land of': 449229, 'land of greed': 479279, 'intimated': 442330, 'have intimated': 381109, 'intimated you': 442331, 'trip cancellation': 932051, 'cancellation long': 161032, 'before our': 122991, 'trip scheduled': 932149, 'scheduled date': 741484, 'date because': 226600, 'stolen money': 804294, 'making fraud': 511078, 'action agai': 29923, 'have intimated you': 381110, 'intimated you about': 442332, 'you about our': 1016773, 'about our trip': 25902, 'our trip cancellation': 625190, 'trip cancellation long': 932052, 'cancellation long before': 161033, 'long before our': 501351, 'before our trip': 122993, 'our trip scheduled': 625191, 'trip scheduled date': 932150, 'scheduled date because': 741485, 'date because of': 226601, 'mmt you guy': 534786, 'guy have stolen': 369019, 'have stolen money': 382777, 'stolen money is': 804295, 'money is making': 536845, 'is making fraud': 449543, 'making fraud consumer': 511079, 'take action agai': 831889, 'larger supermarket': 479907, 'were brilliant': 979394, 'shopper still': 761711, 'still thought': 801307, 'it acceptable': 456254, 'acceptable to': 28028, 'space made': 787141, 'little paranoid': 495512, 'paranoid will': 641459, 'again stayhomesavelives': 37184, 'trip to larger': 932193, 'to larger supermarket': 909055, 'larger supermarket since': 479908, 'supermarket since lockdown': 822704, 'since lockdown the': 770708, 'lockdown the staff': 500019, 'the staff were': 867708, 'staff were brilliant': 793068, 'were brilliant but': 979395, 'brilliant but some': 139841, 'but some shopper': 147106, 'some shopper still': 783855, 'shopper still thought': 761712, 'still thought it': 801308, 'thought it acceptable': 893102, 'it acceptable to': 456255, 'acceptable to invade': 28030, 'to invade your': 908478, 'your space made': 1025877, 'space made me': 787142, 'made me little': 507840, 'me little paranoid': 523094, 'little paranoid will': 495513, 'paranoid will not': 641460, 'be doing it': 114520, 'doing it again': 252479, 'it again stayhomesavelives': 456310, 'slew': 773852, 'finally reacted': 306076, 'the slew': 867324, 'slew of': 773853, 'dropping by': 260680, '40 short': 18660, 'short ton': 764774, 'ton what': 924303, 'what driving': 981390, 'it cancellation': 457042, 'cancellation uncertainty': 161079, 'uncertainty on': 939733, 'auto shutdown': 103921, 'shutdown all': 767983, 'all driven': 42632, 'price finally reacted': 673868, 'finally reacted to': 306077, 'reacted to the': 700163, 'to the slew': 917071, 'the slew of': 867325, 'slew of shutdown': 773856, 'of shutdown in': 589704, 'shutdown in the': 768047, 'few week by': 304140, 'week by dropping': 976052, 'by dropping by': 152434, 'dropping by more': 260681, 'than 40 short': 840242, '40 short ton': 18661, 'short ton what': 764775, 'ton what driving': 924304, 'what driving it': 981391, 'driving it cancellation': 259962, 'it cancellation uncertainty': 457043, 'cancellation uncertainty on': 161080, 'uncertainty on the': 939734, 'length of auto': 486318, 'of auto shutdown': 580465, 'auto shutdown all': 103922, 'shutdown all driven': 767984, 'all driven by': 42633, 'driven by my': 259282, 'by my latest': 153283, 'privateequity': 678999, 'consolidate': 195541, 'transform': 929558, 'ecomm': 266695, 'latest privateequity': 481510, 'privateequity firm': 679000, 'are acquiring': 84186, 'acquiring adjacent': 29183, 'adjacent cpg': 32267, 'to consolidate': 903247, 'consolidate food': 195542, 'them transform': 876548, 'transform into': 929559, 'retailer amid': 718950, 'are threatening': 91071, 'threatening ecomm': 893798, 'ecomm giant': 266696, 'giant like': 349821, 'and alibaba': 57848, 'my latest privateequity': 548989, 'latest privateequity firm': 481511, 'privateequity firm are': 679001, 'firm are acquiring': 308315, 'are acquiring adjacent': 84187, 'acquiring adjacent cpg': 29184, 'adjacent cpg brand': 32268, 'cpg brand to': 214585, 'brand to consolidate': 138045, 'to consolidate food': 903248, 'consolidate food and': 195543, 'and beverage industry': 58929, 'beverage industry and': 129011, 'industry and help': 435640, 'help them transform': 390717, 'them transform into': 876549, 'transform into online': 929560, 'into online retailer': 442810, 'online retailer amid': 608876, 'retailer amid crisis': 718951, 'amid crisis see': 52442, 'crisis see why': 218009, 'see why they': 746078, 'they are threatening': 881434, 'are threatening ecomm': 91072, 'threatening ecomm giant': 893799, 'ecomm giant like': 266697, 'giant like amazon': 349822, 'like amazon and': 489750, 'amazon and alibaba': 50848, 'gas where': 344185, 'live is': 495900, 'is 59': 445216, '59 gallon': 20567, 'gallon to': 343067, 'seems odd': 746831, 'odd that': 579191, 'price started': 676615, 'started going': 794742, 'big wave': 130096, 'wave hit': 969351, 'hit make': 398310, 'think knew': 885367, 'price hmm': 674567, 'ok so gas': 597885, 'so gas where': 777154, 'gas where live': 344186, 'where live is': 984987, 'live is 59': 495901, 'is 59 gallon': 445217, '59 gallon to': 20568, 'gallon to me': 343068, 'it seems odd': 460949, 'seems odd that': 746832, 'odd that all': 579192, 'gas price started': 344028, 'price started going': 676616, 'started going down': 794743, 'going down before': 355114, 'down before the': 256559, 'the big wave': 849630, 'big wave hit': 130097, 'wave hit make': 969352, 'hit make me': 398311, 'me think knew': 523697, 'think knew it': 885368, 'it wa coming': 462092, 'wa coming and': 961839, 'coming and worked': 187990, 'and worked out': 75868, 'worked out deal': 1006134, 'out deal with': 625938, 'deal with saudi': 229574, 'arabia to lower': 83948, 'to lower gas': 909498, 'gas price hmm': 343980, 'apprehensive': 82918, 'are apprehensive': 84603, 'apprehensive about': 82919, 'about heading': 25356, 'have minimal': 381473, 'minimal contact': 533047, 'you are apprehensive': 1017062, 'are apprehensive about': 84604, 'apprehensive about heading': 82920, 'about heading to': 25357, 'there are different': 878092, 'are different way': 85818, 'different way of': 242127, 'your grocery that': 1024138, 'grocery that will': 366027, 'that will allow': 847554, 'will allow you': 992245, 'to have minimal': 907277, 'have minimal contact': 381474, 'minimal contact with': 533049, 'with people delivery': 1000140, 'sourdough': 786626, 'avocado': 104983, 'is sourdough': 452138, 'sourdough bread': 786627, 'and avocado': 58556, 'avocado in': 104984, 'supermarket hipster': 820756, 'hipster will': 396967, 'there is sourdough': 878630, 'is sourdough bread': 452139, 'sourdough bread and': 786628, 'bread and avocado': 138391, 'and avocado in': 58557, 'avocado in the': 104985, 'the supermarket hipster': 868631, 'supermarket hipster will': 820757, 'hipster will be': 396968, 'increasing disinfectant': 433588, 'disinfectant ha': 245679, 'skyrocketed but': 773355, 'against view': 37724, 'disinfectant cleaning supply': 245632, 'supply and product': 824747, 'product is increasing': 681327, 'is increasing disinfectant': 448856, 'increasing disinfectant ha': 433589, 'disinfectant ha skyrocketed': 245680, 'ha skyrocketed but': 371955, 'skyrocketed but which': 773357, 'but which product': 147843, 'effective against view': 269213, 'against view the': 37725, 'view the epa': 957165, 'guwahati': 368876, 'northeastindia': 567735, 'added that': 31608, 'shop allowed': 759819, 'open which': 612668, 'stock vegetable': 803144, 'dairy assam': 224956, 'assam guwahati': 96301, 'guwahati northeastindia': 368877, 'northeastindia 21daylockdown': 567736, 'he added that': 384712, 'added that grocery': 31609, 'that grocery shop': 844088, 'grocery shop allowed': 364965, 'shop allowed to': 759820, 'remain open which': 709830, 'open which will': 612669, 'which will stock': 986506, 'will stock vegetable': 994993, 'stock vegetable and': 803145, 'vegetable and dairy': 953922, 'and dairy assam': 60921, 'dairy assam guwahati': 224957, 'assam guwahati northeastindia': 96302, 'guwahati northeastindia 21daylockdown': 368878, 'harr': 378499, 'trampled': 929400, 'warning it': 967137, 'not cute': 568951, 'cute to': 223675, 'jokingly ask': 467207, 'ask grocery': 95550, 'they stay': 883447, 'stay busy': 796799, 'busy har': 144912, 'har de': 377794, 'de her': 229070, 'her harr': 392095, 'harr they': 378500, 'they frantically': 882144, 'frantically try': 331200, 'restock product': 716894, 'product without': 681873, 'getting trampled': 349421, 'trampled by': 929401, 'process not': 679928, 'even little': 284302, 'little funny': 495361, 'funny asshole': 341703, 'asshole retail': 96551, 'warning it not': 967138, 'it not cute': 459869, 'not cute to': 568952, 'cute to jokingly': 223677, 'to jokingly ask': 908691, 'jokingly ask grocery': 467208, 'ask grocery store': 95551, 'store employee if': 807500, 'employee if they': 273948, 'if they stay': 415130, 'they stay busy': 883448, 'stay busy har': 796801, 'busy har de': 144913, 'har de her': 377795, 'de her harr': 229071, 'her harr they': 392096, 'harr they frantically': 378501, 'they frantically try': 882145, 'frantically try to': 331201, 'to restock product': 913408, 'restock product without': 716895, 'product without getting': 681874, 'without getting trampled': 1002684, 'getting trampled by': 349422, 'trampled by greedy': 929402, 'by greedy asshole': 152728, 'greedy asshole in': 363479, 'the process not': 864548, 'process not even': 679929, 'not even little': 569262, 'even little funny': 284303, 'little funny asshole': 495362, 'funny asshole retail': 341704, 'shop becomes': 759977, 'shutdown via': 768124, 'business pivot': 144221, 'pivot entrepreneurship': 657081, 'entrepreneurship farming': 278971, 'agriculture australia': 38935, 'australia 19': 103211, 'when the bottle': 984128, 'bottle shop becomes': 136318, 'shop becomes the': 759978, 'becomes the supermarket': 120261, 'supermarket how business': 820809, 'business are surviving': 143391, 'are surviving covid': 90681, '19 shutdown via': 10531, 'shutdown via business': 768125, 'via business pivot': 955836, 'business pivot entrepreneurship': 144222, 'pivot entrepreneurship farming': 657082, 'entrepreneurship farming agriculture': 278972, 'farming agriculture australia': 299605, 'agriculture australia 19': 38936, 'australia 19 pandemic': 103212, 'awhile we': 106266, 'travel stayathome': 930521, 'that the the': 846851, 'low they ve': 505678, 'been in awhile': 121334, 'in awhile we': 420646, 'awhile we can': 106267, 'can travel stayathome': 160039, 'headline of': 386005, 'the brain': 849932, 'headline of the': 386006, 'the day in': 852892, 'day in case': 227792, '19 affect the': 4837, 'affect the brain': 34237, 'the brain and': 849933, 'brain and nervous': 137583, 'and nervous system': 67521, 'outdated': 628880, 'constitution': 195752, 'debauchery': 230338, 'will sa': 994733, 'sa ever': 728888, 'ever fundamentally': 285316, 'fundamentally amend': 341566, 'amend our': 51394, 'our outdated': 624182, 'outdated constitution': 628883, 'constitution probably': 195753, 'been debauchery': 120924, 'debauchery guinea': 230339, 'ha frozen': 370682, 'medication free': 526650, 'transport what': 929970, 'do lock': 249571, 'hand sigh': 375757, 'will sa ever': 994734, 'sa ever fundamentally': 728889, 'ever fundamentally amend': 285317, 'fundamentally amend our': 341567, 'amend our outdated': 51395, 'our outdated constitution': 624183, 'outdated constitution probably': 628884, 'constitution probably not': 195754, 'probably not if': 679339, 'not if our': 570050, 'if our response': 414577, 'ha been debauchery': 369766, 'been debauchery guinea': 120925, 'debauchery guinea ha': 230340, 'guinea ha frozen': 368586, 'ha frozen price': 370683, 'for basic good': 319585, 'good and medication': 356737, 'and medication free': 66893, 'medication free electricity': 526651, 'electricity and public': 271147, 'public transport what': 688423, 'transport what do': 929971, 'we do lock': 971337, 'do lock down': 249572, 'down and wash': 256524, 'and wash hand': 75203, 'wash hand sigh': 967495, 'vintagetoiletpaper': 957463, '1987': 12455, 'mom found': 535730, 'some vintagetoiletpaper': 784167, 'vintagetoiletpaper in': 957464, 'her basement': 391875, 'basement thinking': 111791, 'thinking circa': 885889, 'circa 1987': 178593, '1987 it': 12456, 'it blue': 456893, 'blue and': 133431, 'and peach': 68823, 'peach told': 646042, 'to list': 909323, 'list it': 494384, 'easy toiletpaper': 265795, 'my mom found': 549269, 'mom found some': 535731, 'found some vintagetoiletpaper': 330384, 'some vintagetoiletpaper in': 784168, 'vintagetoiletpaper in her': 957465, 'in her basement': 423649, 'her basement thinking': 391876, 'basement thinking circa': 111792, 'thinking circa 1987': 885890, 'circa 1987 it': 178594, '1987 it blue': 12457, 'it blue and': 456894, 'blue and peach': 133432, 'and peach told': 68824, 'peach told her': 646043, 'her to list': 392466, 'to list it': 909324, 'list it on': 494385, 'it on for': 460044, 'on for some': 600952, 'for some easy': 325736, 'some easy toiletpaper': 782721, 'what iranian': 981672, 'endured in': 276322, 'now ending': 574601, 'ending persian': 276194, 'from flood': 335486, 'flood to': 310723, 'price jumping': 674966, 'jumping to': 467966, 'to protester': 912361, 'protester being': 685944, 'killed to': 474617, 'to plane': 911772, 'plane shot': 658388, 'about what iranian': 26887, 'what iranian people': 981673, 'people endured in': 647795, 'endured in the': 276323, 'in the now': 429406, 'the now ending': 861936, 'now ending persian': 574602, 'ending persian year': 276195, 'heartbreaking from flood': 388378, 'from flood to': 335487, 'flood to gas': 310724, 'gas price jumping': 343985, 'price jumping to': 674967, 'jumping to protester': 467967, 'to protester being': 912362, 'protester being killed': 685945, 'being killed to': 125362, 'killed to plane': 474618, 'to plane shot': 911773, 'plane shot down': 658389, 'spot the meat': 790122, 'the meat in': 860382, 'meat in aldi': 525615, 'selli': 749127, 'all supplier': 44561, 'are selli': 89946, 'live not all': 495940, 'not all supplier': 568125, 'all supplier have': 44562, 'increased price some': 433420, 'price some local': 676554, 'some local shop': 783215, 'shop are selli': 759913, 'repaired': 711474, 'retrieved': 719784, 'that repaired': 846000, 'repaired device': 711475, 'location cannot': 498870, 'be retrieved': 116858, 'retrieved due': 719785, 'retail repair': 718444, 'repair pandemic': 711465, 'pandemic apple': 634931, 'apple confirms that': 82318, 'confirms that repaired': 194240, 'that repaired device': 846001, 'repaired device left': 711476, 'device left at': 239916, 'left at it': 485395, 'at it retail': 99334, 'it retail location': 460746, 'retail location cannot': 718280, 'location cannot be': 498871, 'cannot be retrieved': 161644, 'be retrieved due': 116859, 'retrieved due to': 719786, 'coronavirus pandemic health': 206462, 'pandemic health applestore': 635602, 'applestore retail repair': 82404, 'retail repair pandemic': 718445, 'repair pandemic apple': 711466, 'store restock': 809850, 'coronavirus economy': 205862, 'grocery grocerystores': 364575, 'grocerystores food': 366362, 'food foodstuff': 314507, 'foodstuff virus': 318191, 'virus restocking': 958690, 'restocking usd': 717033, 'dollar market': 253032, 'grocery store restock': 365719, 'store restock shelf': 809851, 'restock shelf in': 716904, 'of coronavirus economy': 581931, 'coronavirus economy grocery': 205863, 'economy grocery grocerystores': 267912, 'grocery grocerystores food': 364576, 'grocerystores food foodstuff': 366363, 'food foodstuff virus': 314508, 'foodstuff virus restocking': 318192, 'virus restocking usd': 958691, 'restocking usd dollar': 717034, 'usd dollar market': 948916, 'are questioning': 89382, 'questioning the': 693837, 'the limiting': 859395, 'limiting of': 492837, 'or closure': 614756, 'of crowded': 582224, 'crowded indoor': 219323, 'space stayathome': 787166, 'who are questioning': 988202, 'are questioning the': 89383, 'questioning the limiting': 693839, 'the limiting of': 859396, 'limiting of people': 492838, 'people in shop': 648429, 'shop or closure': 760612, 'or closure of': 614757, 'closure of crowded': 183958, 'of crowded indoor': 582226, 'crowded indoor space': 219324, 'indoor space stayathome': 435365, 'had quick': 373440, 'quick chat': 694295, 'chat with': 173973, 'with jennifer': 999103, 'jennifer about': 465091, 'pivoted their': 657118, 'consumer donating': 197240, 'just had quick': 468905, 'had quick chat': 373442, 'quick chat with': 694296, 'chat with jennifer': 173976, 'with jennifer about': 999104, 'jennifer about how': 465092, 'they are responding': 881387, 'the and have': 848701, 'and have pivoted': 64263, 'have pivoted their': 381939, 'pivoted their business': 657119, 'their business to': 872692, 'the consumer donating': 851526, 'consumer donating money': 197241, 'donating money to': 254480, 'money to check': 537089, 'out and listen': 625676, 'and listen here': 66223, 'literally work': 495113, 'doing prep': 252609, 'prep work': 670020, 'literally work at': 495114, 'store doing prep': 807355, 'doing prep work': 252610, 'prep work and': 670021, 'work and if': 1004784, 'think the company': 885626, 'ha been taking': 369950, 'been taking the': 122137, 'taking the proper': 833595, 'proper precaution to': 684135, 'quarantine doesn': 692155, 'soon not': 785778, 'overweight but': 631694, 'broke joke': 140835, 'joke need': 467110, 'if this quarantine': 415167, 'this quarantine doesn': 889771, 'quarantine doesn end': 692156, 'end soon not': 275962, 'soon not only': 785779, 'only am going': 610075, 'to be overweight': 901430, 'be overweight but': 116319, 'overweight but also': 631695, 'also going to': 48276, 'to be broke': 901139, 'be broke joke': 113915, 'broke joke need': 140837, 'joke need to': 467111, 'away from online': 105898, 'what sold': 982213, 'on pretty': 602896, 'weird diet': 977756, 'diet for': 241723, 'wonder they': 1003995, 'all stocking': 44474, 'toiletpaper 21dayslockdown': 921685, '21dayslockdown toiletpaperapocalypse': 15129, 'judging by what': 467666, 'by what sold': 154722, 'what sold out': 982214, 'supermarket the uk': 823253, 'uk ha decided': 938431, 'go on pretty': 353890, 'on pretty weird': 602898, 'pretty weird diet': 671519, 'weird diet for': 977757, 'diet for the': 241724, 'few month no': 303934, 'month no wonder': 537883, 'no wonder they': 565915, 'wonder they re': 1003997, 're all stocking': 698236, 'all stocking up': 44475, 'on toiletpaper 21dayslockdown': 604784, 'toiletpaper 21dayslockdown toiletpaperapocalypse': 921686, '21dayslockdown toiletpaperapocalypse toiletpaperpanic': 15130, 'worker aged': 1006215, 'over regarding': 630570, 'mother work': 543210, 'obviously cannot': 578829, 'home did': 401077, 'any instruction': 79364, 'instruction from': 440552, 'the employer': 854274, 'advise what measure': 33610, 'measure are in': 525119, 'place for worker': 657454, 'for worker aged': 327930, 'worker aged 70': 1006216, 'aged 70 and': 37941, '70 and over': 21731, 'and over regarding': 68561, 'over regarding covid': 630571, '19 my mother': 8731, 'my mother work': 549349, 'mother work in': 543211, 'and obviously cannot': 67942, 'obviously cannot work': 578830, 'from home did': 335854, 'home did not': 401078, 'receive any instruction': 703443, 'any instruction from': 79365, 'instruction from the': 440553, 'from the employer': 337684, 'the employer conscientious': 854275, 'go how are': 353682, 'realises': 701645, 'force constituted': 328362, 'constituted realises': 195744, 'realises the': 701649, 'the gravity': 856711, 'gravity of': 362454, 'situation just': 772362, 'the junior': 858708, 'junior finance': 468025, 'minister wa': 533489, 'wa denying': 961952, 'denying there': 237161, 'any economic': 79157, 'hope the task': 403688, 'task force constituted': 834683, 'force constituted realises': 328363, 'constituted realises the': 195745, 'realises the gravity': 701650, 'the gravity of': 856712, 'gravity of the': 362456, 'the situation just': 867263, 'situation just few': 772363, 'just few day': 468703, 'few day back': 303769, 'day back the': 227346, 'back the junior': 107310, 'the junior finance': 858709, 'junior finance minister': 468026, 'finance minister wa': 306233, 'minister wa denying': 533490, 'wa denying there': 961953, 'denying there would': 237162, 'be any economic': 113647, 'any economic impact': 79158, 'toll american': 923831, 'certainly dying': 170152, 'but being': 145282, 'official count': 595794, 'death toll american': 230246, 'toll american are': 923832, 'american are almost': 51796, 'almost certainly dying': 46572, 'certainly dying of': 170153, '19 but being': 5493, 'but being left': 145283, 'the official count': 862091, 'itch': 462991, 'beinformed': 124797, 'golfbiz': 356151, 'sportsbiz': 790005, 'golf itch': 356132, 'itch you': 462998, 'itch meter': 462994, 'meter ha': 529719, 'been developed': 120968, 'developed from': 239704, 'special and': 787843, 'and ongoing': 68097, 'consumer study': 199171, 'that research': 846013, 'here beinformed': 392815, 'beinformed ngf': 124798, 'ngf golfbiz': 561819, 'golfbiz sportsbiz': 356152, 'have the golf': 382990, 'the golf itch': 856424, 'golf itch you': 356134, 'itch you re': 462999, 'not alone the': 568161, 'alone the golf': 46923, 'golf itch meter': 356133, 'itch meter ha': 462995, 'meter ha been': 529720, 'ha been developed': 369778, 'been developed from': 120969, 'developed from the': 239705, 'from the initial': 337757, 'the initial finding': 858278, 'from our special': 336798, 'our special and': 624856, 'special and ongoing': 787844, 'and ongoing covid': 68098, '19 consumer study': 5989, 'consumer study that': 199174, 'study that research': 814967, 'that research and': 846014, 'research and much': 713671, 'much more here': 545110, 'more here beinformed': 539415, 'here beinformed ngf': 392816, 'beinformed ngf golfbiz': 124799, 'ngf golfbiz sportsbiz': 561820, 'spike global': 789286, 'for hydroxychloroquine': 322454, 'hydroxychloroquine the': 412014, 'drug touted': 261126, 'touted by': 927072, 'president game': 670815, 'changer in': 172623, '19 distributor': 6590, 'distributor that': 248324, 'demand spike global': 236263, 'spike global demand': 789287, 'global demand spike': 351870, 'demand spike for': 236262, 'spike for hydroxychloroquine': 789281, 'for hydroxychloroquine the': 322455, 'hydroxychloroquine the drug': 412015, 'the drug touted': 853742, 'drug touted by': 261127, 'touted by the': 927073, 'by the president': 154413, 'the president game': 864260, 'president game changer': 670816, 'game changer in': 343151, 'changer in combating': 172624, 'covid 19 distributor': 212968, '19 distributor that': 6591, 'distributor that supply': 248325, 'that supply the': 846587, 'supply the key': 825963, 'the key ingredient': 858758, 'psa they': 687442, 'store adding': 806076, 'their list': 873854, 'list picking': 494511, 'your used': 1026255, 'glove make': 352765, 'you crappy': 1018124, 'crappy human': 214932, 'psa they have': 687443, 'have plenty to': 381969, 'do at your': 249107, 'grocery store adding': 365177, 'store adding to': 806077, 'to their list': 917249, 'their list picking': 873855, 'list picking up': 494512, 'up your used': 946760, 'your used glove': 1026256, 'used glove make': 949922, 'glove make you': 352766, 'make you crappy': 510731, 'you crappy human': 1018125, 'communicated': 189557, 'fumigation': 341116, 'have communicated': 380043, 'communicated this': 189558, 'this fumigation': 887653, 'fumigation of': 341117, 'way dat': 969543, 'dat it': 226096, 'wouldn make': 1012491, 'certain good': 170021, 'go high': 353646, 'le we': 483238, 'good going': 357130, 'up hence': 945067, 'hence if': 391745, 'ain careful': 39604, 'careful causing': 164391, 'causing inflation': 168049, 'inflation coronacrisis': 437149, 'government should have': 360604, 'should have communicated': 766067, 'have communicated this': 380044, 'communicated this fumigation': 189559, 'this fumigation of': 887654, 'fumigation of market': 341118, 'of market in': 586231, 'market in such': 516573, 'such way dat': 816862, 'way dat it': 969544, 'dat it wouldn': 226097, 'it wouldn make': 462613, 'wouldn make the': 1012492, 'make the demand': 510564, 'demand of certain': 235945, 'of certain good': 581250, 'certain good go': 170023, 'good go high': 357127, 'go high if': 353647, 'high if the': 395117, 'if the supply': 415038, 'supply of such': 825650, 'of such good': 590365, 'such good is': 816524, 'good is le': 357283, 'is le we': 449253, 'le we would': 483239, 'would have the': 1011899, 'have the price': 383012, 'price of certain': 675420, 'certain good going': 170024, 'good going up': 357132, 'going up hence': 355784, 'up hence if': 945068, 'hence if we': 391746, 'if we ain': 415262, 'we ain careful': 970305, 'ain careful causing': 39605, 'careful causing inflation': 164392, 'causing inflation coronacrisis': 168050, 'record cereal': 704917, 'cereal harvest': 169926, 'harvest gathered': 378617, '2019 food': 13965, 'generally stable': 345539, 'stable following': 791905, 'following seasonal': 312839, 'seasonal trend': 743475, 'trend continued': 931307, 'continued assistance': 201302, 'assistance still': 96746, 'still needed': 800862, 'record cereal harvest': 704918, 'cereal harvest gathered': 169927, 'harvest gathered in': 378618, 'gathered in 2019': 344420, 'in 2019 food': 419804, '2019 food price': 13966, 'food price generally': 315943, 'price generally stable': 674165, 'generally stable following': 345540, 'stable following seasonal': 791906, 'following seasonal trend': 312840, 'seasonal trend continued': 743476, 'trend continued assistance': 931308, 'continued assistance still': 201303, 'assistance still needed': 96747, 'still needed for': 800863, 'needed for most': 556359, 'for most vulnerable': 323627, 'sioux': 771514, 'smithfield food': 775819, 'will idle': 993768, 'idle it': 413680, 'it sioux': 461075, 'sioux fall': 771515, 'fall south': 297066, 'dakota pork': 225079, 'pork processing': 664815, 'plant indefinitely': 658668, 'indefinitely the': 434058, 'latest disruption': 481300, 'smithfield food said': 775821, 'food said it': 316283, 'it will idle': 462404, 'will idle it': 993769, 'idle it sioux': 413681, 'it sioux fall': 461076, 'sioux fall south': 771516, 'fall south dakota': 297067, 'south dakota pork': 786715, 'dakota pork processing': 225080, 'pork processing plant': 664818, 'processing plant indefinitely': 680036, 'plant indefinitely the': 658669, 'indefinitely the latest': 434060, 'the latest disruption': 859093, 'latest disruption in': 481301, 'country consumer': 210553, 'which support': 986360, 'support 70': 826320, 'crashing in': 215114, 'avoid store': 105299, 'restaurant movie': 716579, 'theater office': 872261, 'office public': 595521, 'place layoff': 657544, 'layoff have': 482697, 'begun with': 123749, 'both big': 135867, 'including seattle': 432136, 'seattle atlanta': 743552, 'atlanta small': 101845, 'across country consumer': 29302, 'country consumer spending': 210555, 'spending which support': 789050, 'which support 70': 986361, 'support 70 of': 826321, 'economy is crashing': 267997, 'is crashing in': 446882, 'crashing in people': 215115, 'in people avoid': 426588, 'people avoid store': 647199, 'avoid store restaurant': 105300, 'store restaurant movie': 809848, 'restaurant movie theater': 716580, 'movie theater office': 544078, 'theater office public': 872262, 'office public place': 595522, 'public place layoff': 688232, 'place layoff have': 657545, 'layoff have begun': 482698, 'have begun with': 379763, 'begun with report': 123750, 'report from both': 711971, 'from both big': 334713, 'both big city': 135868, 'big city including': 129704, 'city including seattle': 179206, 'including seattle atlanta': 432137, 'seattle atlanta small': 743553, 'atlanta small town': 101846, 'pbchealth': 645857, 'with telemedicine': 1001138, 'telemedicine we': 836790, 'offer self': 594781, 'self assessment': 747552, 'assessment tool': 96403, 'tool we': 925464, 'we seek': 973181, 'to rapidly': 912752, 'rapidly deploy': 696971, 'deploy consumer': 237443, 'friendly solution': 334001, 'mitigate spread': 534537, 'of deadly': 582401, 'coronavirus sign': 206772, 'here use': 393762, 'use discount': 949158, 'code pbchealth': 185392, 'collaboration with telemedicine': 185941, 'with telemedicine we': 1001139, 'telemedicine we now': 836791, 'we now offer': 972613, 'now offer self': 575395, 'offer self assessment': 594782, 'self assessment tool': 747554, 'assessment tool we': 96404, 'tool we seek': 925465, 'we seek to': 973182, 'seek to rapidly': 746619, 'to rapidly deploy': 912754, 'rapidly deploy consumer': 696972, 'deploy consumer friendly': 237445, 'consumer friendly solution': 197547, 'friendly solution to': 334002, 'solution to mitigate': 782107, 'to mitigate spread': 910197, 'mitigate spread of': 534538, 'spread of deadly': 790664, 'of deadly coronavirus': 582402, 'deadly coronavirus sign': 229260, 'coronavirus sign up': 206773, 'up here use': 945079, 'here use discount': 393763, 'use discount code': 949159, 'discount code pbchealth': 244459, 'thefed': 872332, 'credit jumped': 216421, 'jumped in': 467933, 'hit thefed': 398454, 'thefed credit': 872333, 'credit awareness': 216316, 'consumer credit jumped': 197020, 'credit jumped in': 216422, 'jumped in february': 467934, 'february before virus': 301696, 'before virus hit': 123267, 'virus hit thefed': 958290, 'hit thefed credit': 398455, 'thefed credit awareness': 872334, 'case spiking': 166029, 'spiking in': 789354, 'tokyo just': 923495, 'of case spiking': 581176, 'case spiking in': 166030, 'spiking in tokyo': 789355, 'in tokyo just': 430182, 'tokyo just went': 923496, 'local supermarket which': 498614, 'supermarket which wa': 823842, 'which wa packed': 986449, 'with people and': 1000133, 'people and empty': 646859, 'empty shelf here': 275070, 'shelf here we': 757158, 'sportsman': 790019, 'ever nurse': 285435, 'doctor care': 250864, 'police postman': 663161, 'postman binmen': 666722, 'worker garage': 1007007, 'garage worker': 343505, 'worker takeaway': 1007874, 'takeaway worker': 832918, 'not millionaire': 570578, 'millionaire celebrity': 532448, 'celebrity sportsman': 168901, 'sportsman woman': 790020, 'sight hope': 769034, 'forget how': 329266, 'now we look': 576345, 'up to more': 946404, 'than ever nurse': 840598, 'ever nurse doctor': 285436, 'nurse doctor care': 577286, 'doctor care worker': 250865, 'care worker police': 164299, 'worker police postman': 1007603, 'police postman binmen': 663162, 'postman binmen supermarket': 666723, 'supermarket worker garage': 824027, 'worker garage worker': 1007008, 'garage worker takeaway': 343506, 'worker takeaway worker': 1007875, 'takeaway worker not': 832919, 'worker not millionaire': 1007452, 'not millionaire celebrity': 570579, 'millionaire celebrity sportsman': 532449, 'celebrity sportsman woman': 168902, 'sportsman woman in': 790021, 'woman in sight': 1003521, 'in sight hope': 427941, 'sight hope we': 769035, 'hope we never': 403768, 'we never forget': 972582, 'never forget how': 558004, 'forget how important': 329267, 'how important these': 408038, 'important these people': 419024, 'wa preexisting': 962977, 'preexisting entity': 669717, 'of body': 580759, 'body representing': 133877, 'representing union': 712952, 'union of': 941916, 'there wa preexisting': 879265, 'wa preexisting entity': 962978, 'preexisting entity that': 669718, 'entity that could': 278859, 'that could do': 843348, 'could do something': 209100, 'like this some': 491530, 'this some kind': 890239, 'kind of body': 474876, 'of body representing': 580760, 'body representing union': 133878, 'representing union of': 712953, 'union of state': 941917, 'ikea is': 416045, 'ikea is closing': 416046, 'well damn': 978133, 'damn like': 225384, 'like market': 490717, 'and shaw': 71409, 'shaw that': 755823, 'well damn like': 978134, 'damn like market': 225385, 'like market basket': 490718, 'market basket and': 516075, 'basket and shaw': 112298, 'and shaw that': 71410, 'shaw that is': 755824, 'that is awful': 844559, 'circulating read': 178688, 'are circulating read': 85279, 'circulating read more': 178689, 'with breathing': 997474, 'breathing panel': 139241, 'panel at': 637166, 'spreading elekworld': 790958, 'elekworld supply mask': 271332, 'supply mask with': 825544, 'mask with breathing': 519578, 'with breathing panel': 997475, 'breathing panel at': 139242, 'panel at reasonable': 637167, 'reasonable price dm': 703117, 'price dm me': 673468, 'me for the': 522764, 'price prevent covid': 675986, '19 spreading elekworld': 10758, 'spreading elekworld elekworldjulia': 790959, 'gnocchi': 353223, 'at expired': 98594, 'expired gnocchi': 292066, 'gnocchi pack': 353224, 'pack left': 633064, 'left from': 485474, 'from whole': 338370, 'whole carton': 990159, 'carton how': 165481, 'sell expired': 748703, 'buying mode': 150720, 'mode greed': 535172, 'bad beast': 107776, 'look what have': 502669, 'what have found': 981577, 'have found on': 380699, 'shelf at expired': 756844, 'at expired gnocchi': 98595, 'expired gnocchi pack': 292067, 'gnocchi pack left': 353225, 'pack left from': 633065, 'left from whole': 485475, 'from whole carton': 338372, 'whole carton how': 990160, 'carton how bad': 165482, 'bad is that': 107911, 'is that supermarket': 452694, 'that supermarket chain': 846564, 'uk are trying': 938194, 'to sell expired': 914150, 'sell expired food': 748704, 'expired food to': 292065, 'people in panic': 648412, 'panic buying mode': 637809, 'buying mode greed': 150721, 'mode greed is': 535173, 'greed is bad': 363394, 'is bad beast': 445959, 'lockdown affect': 499100, 'affect marriage': 34178, 'marriage if': 517991, 'see divorce': 745048, 'divorce boom': 248707, 'affect housing': 34164, 'price economiccrisis': 673652, 'economiccrisis realestate': 267410, 'see how lockdown': 745236, 'how lockdown affect': 408187, 'lockdown affect marriage': 499101, 'affect marriage if': 34179, 'marriage if we': 517992, 'if we see': 415306, 'we see divorce': 973156, 'see divorce boom': 745049, 'divorce boom after': 248708, 'boom after this': 134793, 'after this how': 36405, 'it affect housing': 456283, 'affect housing price': 34165, 'housing price economiccrisis': 407132, 'price economiccrisis realestate': 673653, 'measure report': 525312, 'un warns of': 939303, 'warns of global': 967266, 'by coronavirus measure': 152233, 'coronavirus measure report': 206279, 'worried appreciate': 1010545, 'you sharing': 1021142, 'sharing your': 755631, 'worker are worried': 1006438, 'are worried appreciate': 91734, 'worried appreciate you': 1010546, 'appreciate you sharing': 82789, 'you sharing your': 1021144, 'sharing your view': 755632, 'your view the': 1026280, 'view the full': 957166, 'full interview here': 340649, 'trend piece': 931416, 'buying trend piece': 151262, 'trend piece by': 931417, 'piece by tonight': 656287, 'julie': 467794, 'ziah': 1027552, 'tinandbones': 898570, 'too right': 925036, 'friend julie': 333683, 'julie ziah': 467795, 'ziah tinandbones': 1027553, 'tinandbones follow': 898571, 'follow quarantine': 312490, 'we ve struck': 973718, 've struck gold': 953611, 'struck gold is': 814262, 'gold is too': 355914, 'is too right': 453285, 'too right give': 925037, 'right give my': 721910, 'give my friend': 350604, 'my friend julie': 548439, 'friend julie ziah': 333684, 'julie ziah tinandbones': 467796, 'ziah tinandbones follow': 1027554, 'tinandbones follow quarantine': 898572, 'follow quarantine toiletpaper': 312491, 'run more': 727705, 'delivery accessible': 233617, 'long run more': 501610, 'run more online': 727707, 'offering delivery accessible': 595067, 'delivery accessible supermarket': 233618, 'consumer connection': 196944, 'in overcoming': 426383, 'overcoming adversity': 631145, 'adversity significant': 33136, 'of user': 592713, 'brand playing': 137969, 'playing key': 659420, '19 forbes': 7084, 'forbes suggests': 328294, 'suggests these': 817721, 'are four': 86666, 'way company': 969522, 'can interact': 158762, 'consumer connection is': 196945, 'connection is essential': 194703, 'is essential in': 447545, 'essential in overcoming': 281155, 'in overcoming adversity': 426384, 'overcoming adversity significant': 631146, 'adversity significant number': 33137, 'number of user': 577010, 'of user would': 592714, 'user would like': 950331, 'see brand playing': 744978, 'brand playing key': 137970, 'playing key role': 659421, 'role in overcoming': 725096, 'in overcoming the': 426385, 'overcoming the threat': 631149, 'covid 19 forbes': 213115, '19 forbes suggests': 7085, 'forbes suggests these': 328295, 'suggests these are': 817722, 'these are four': 879618, 'are four way': 86667, 'four way company': 330695, 'way company can': 969523, 'company can interact': 190523, 'can interact with': 158763, 'interact with their': 441213, 'chanting': 172979, 'have religious': 382256, 'religious right': 709587, 'with fatal': 998395, 'fatal virus': 300233, 'virus big': 958004, 'difference people': 241867, 'hour chanting': 405488, 'chanting and': 172980, 'and singing': 71689, 'singing those': 771228, 'who attend': 988284, 'attend service': 102319, 'should quarantine': 766358, 'quarantine themselves': 692617, 'have religious right': 382257, 'religious right to': 709588, 'right to infect': 722345, 'to infect people': 908353, 'people with fatal': 650450, 'with fatal virus': 998396, 'fatal virus big': 300234, 'virus big difference': 958005, 'big difference people': 129759, 'difference people aren': 241868, 'going to hang': 355615, 'out in walmart': 626405, 'in walmart for': 430669, 'walmart for over': 965330, 'an hour chanting': 56079, 'hour chanting and': 405489, 'chanting and singing': 172981, 'and singing those': 71690, 'singing those who': 771229, 'those who attend': 892614, 'who attend service': 988285, 'attend service should': 102320, 'service should quarantine': 752825, 'should quarantine themselves': 766359, 'fracking breaking': 330856, 'breaking please': 139024, 'falling amid the': 297205, 'for fracking breaking': 321692, 'fracking breaking please': 330857, 'breaking please rt': 139025, 'superfood': 818660, 'organic superfood': 619240, 'superfood producer': 818661, 'released new': 709061, 'new whole': 559878, 'powder consumer': 667533, 'perishable foodstuff': 651979, 'foodstuff rise': 318180, 'organic superfood producer': 619241, 'superfood producer ha': 818662, 'producer ha released': 680632, 'ha released new': 371708, 'released new whole': 709064, 'new whole milk': 559879, 'whole milk powder': 990260, 'milk powder consumer': 531774, 'powder consumer demand': 667534, 'non perishable foodstuff': 566455, 'perishable foodstuff rise': 651980, 'foodstuff rise in': 318181, 'mybooster': 550692, 'antioxidant': 78546, 'alkalinewater': 41879, 'using ph': 950598, 'ph booster': 653971, 'booster water': 135060, 'your second': 1025696, 'second best': 743668, 'best line': 127756, 'defense against': 232127, 'against viral': 37727, 'viral and': 957584, 'and bacterial': 58629, 'bacterial infection': 107723, 'best choice': 127633, 'choice when': 177826, 'when hand': 983512, 'unavailable mybooster': 939453, 'mybooster antioxidant': 550693, 'antioxidant alkalinewater': 78547, 'using ph booster': 950599, 'ph booster water': 653972, 'booster water hand': 135061, 'sanitizer is your': 735217, 'is your second': 454164, 'your second best': 1025697, 'second best line': 743669, 'best line of': 127757, 'of defense against': 582464, 'defense against viral': 232128, 'against viral and': 37728, 'viral and bacterial': 957585, 'and bacterial infection': 58630, 'bacterial infection and': 107724, 'infection and your': 436718, 'and your best': 76066, 'your best choice': 1022947, 'best choice when': 127634, 'choice when hand': 177827, 'when hand sanitizer': 983513, 'sanitizer is unavailable': 735215, 'is unavailable mybooster': 453432, 'unavailable mybooster antioxidant': 939454, 'mybooster antioxidant alkalinewater': 550694, 'strong via': 814150, 'via supplychain': 956273, 'supplier and retailer': 824486, 'remains strong via': 710067, 'strong via supplychain': 814151, 'please boost': 659729, 'life borisjohnson': 488531, 'please boost your': 659730, 'boost your online': 135038, 'your online purchase': 1025075, 'purchase and delivery': 689350, 'and delivery it': 61122, 'delivery it will': 234156, 'save life borisjohnson': 737532, 'stuff today': 815228, 'used this stuff': 950029, 'this stuff today': 890394, 'taking long': 833424, 'asked whether': 95905, 'not would': 572582, 'an advent': 55150, 'advent calendar': 33077, 'calendar with': 155399, 'virtual checkout': 957723, 'checkout lockdownuknow': 174953, 'not saying supermarket': 571446, 'saying supermarket home': 739691, 'delivery is taking': 234145, 'is taking long': 452551, 'taking long time': 833425, 'long time at': 501765, 'moment but wa': 535892, 'but wa just': 147708, 'wa just asked': 962452, 'just asked whether': 468232, 'asked whether or': 95906, 'or not would': 616321, 'not would like': 572583, 'would like an': 1011992, 'like an advent': 489760, 'an advent calendar': 55151, 'advent calendar with': 33078, 'calendar with my': 155400, 'my order at': 549608, 'at the virtual': 101142, 'the virtual checkout': 870784, 'virtual checkout lockdownuknow': 957724, 'shopkeeprs': 761205, 'should impose': 766122, 'impose cap': 419231, 'local shopkeeprs': 498429, 'shopkeeprs are': 761206, 'should impose cap': 766123, 'impose cap on': 419232, 'cap on the': 162440, 'on the price': 604303, 'essential item of': 281216, 'daily use local': 224861, 'use local shopkeeprs': 949346, 'local shopkeeprs are': 498430, 'shopkeeprs are taking': 761207, 'advantage of panic': 33022, 'byo': 154819, 'responce': 715280, 'in byo': 421114, 'byo the': 154820, 'the responce': 865613, 'responce for': 715281, 'overwhelming price': 631760, 'just spot': 469857, 'here in byo': 393138, 'in byo the': 421115, 'byo the responce': 154821, 'the responce for': 865614, 'responce for covid': 715282, 'been overwhelming price': 121640, 'overwhelming price in': 631761, 'in supermarket were': 428710, 'supermarket were just': 823786, 'were just spot': 979821, 'just spot on': 469858, 'spot on and': 790084, 'on and ready': 599369, 'the pandemic price': 863064, 'pandemic price pandemic': 636235, 'nintendoswitch': 563326, 'hey found': 394379, 'money better': 536639, 'than n95masks': 840918, 'n95masks nintendoswitch': 551266, 'nintendoswitch console': 563327, 'console price': 195532, 'surging in': 828432, 'canada price': 160530, 'between 500': 128687, '500 to': 20063, '600 all': 21063, 'hey found another': 394380, 'another way for': 77956, 'way for you': 969590, 'more money better': 539788, 'money better than': 536640, 'better than n95masks': 128527, 'than n95masks nintendoswitch': 840919, 'n95masks nintendoswitch console': 551267, 'nintendoswitch console price': 563328, 'console price is': 195533, 'price is surging': 674894, 'is surging in': 452490, 'surging in canada': 828433, 'in canada price': 421196, 'canada price are': 160531, 'price are between': 672640, 'are between 500': 84962, 'between 500 to': 128688, '500 to 600': 20065, 'to 600 all': 899794, '600 all sold': 21064, 'in consideration': 421668, 'consideration of': 195259, 'others this': 621717, 'helpful story': 391220, 'story stoppanicbuying': 812116, 'shop in consideration': 760306, 'in consideration of': 421669, 'consideration of others': 195260, 'of others this': 587409, 'others this weekend': 621718, 'this weekend we': 891325, 'weekend we love': 977443, 'we love for': 972307, 'love for sharing': 504667, 'sharing this helpful': 755606, 'this helpful story': 887905, 'helpful story stoppanicbuying': 391221, 'trimming': 932019, 'ketodiet': 473189, 'thrifty': 894182, 'want cheap': 965747, 'cheap way': 174230, 'food energy': 314355, 'isolation marketcrash': 455343, 'marketcrash pandemic': 517422, 'pandemic try': 636851, 'try rendering': 934557, 'rendering beef': 710947, 'beef or': 120530, 'pork fat': 664792, 'fat processing': 300212, 'processing 25': 680006, '25 lb': 15898, 'lb over': 482771, 'here ask': 392773, 'your butcher': 1023088, 'butcher for': 148045, 'for fat': 321417, 'fat trimming': 300219, 'trimming free': 932022, 'or very': 617658, 'cheap keto': 174134, 'keto ketodiet': 473181, 'ketodiet prepping': 473190, 'prepping thrifty': 670428, 'want cheap way': 965748, 'cheap way to': 174231, 'on food energy': 600859, 'food energy for': 314356, 'energy for quarantine': 276461, 'for quarantine isolation': 324898, 'quarantine isolation marketcrash': 692313, 'isolation marketcrash pandemic': 455344, 'marketcrash pandemic try': 517423, 'pandemic try rendering': 636852, 'try rendering beef': 934558, 'rendering beef or': 710948, 'beef or pork': 120534, 'or pork fat': 616640, 'pork fat processing': 664793, 'fat processing 25': 300213, 'processing 25 lb': 680007, '25 lb over': 15899, 'lb over here': 482772, 'over here ask': 630279, 'here ask your': 392774, 'ask your butcher': 95682, 'your butcher for': 1023089, 'butcher for fat': 148046, 'for fat trimming': 321418, 'fat trimming free': 300220, 'trimming free or': 932023, 'free or very': 332037, 'or very cheap': 617659, 'very cheap keto': 955051, 'cheap keto ketodiet': 174135, 'keto ketodiet prepping': 473182, 'ketodiet prepping thrifty': 473191, 'denounce these': 237050, 'denounce these greedy': 237051, 'price cap': 673071, 'cap is': 162427, 'already implemented': 47457, 'the cap': 850349, 'cap being': 162410, 'being their': 125933, 'the price cap': 864337, 'price cap is': 673072, 'cap is already': 162428, 'is already implemented': 445523, 'already implemented the': 47458, 'implemented the cap': 418488, 'the cap being': 850350, 'cap being their': 162411, 'being their price': 125934, 'their price of': 874409, 'price of 1st': 675394, 'of 1st march': 579443, 'battle please': 112813, 'stayhome if': 798022, 'this waragainstvirus': 891104, 'waragainstvirus use': 966618, 'shortage avoid': 764847, 'store staysafe': 810369, 'staysafe delivered': 798802, 'winning the battle': 996086, 'the battle please': 849350, 'battle please stayhome': 112814, 'please stayhome if': 660554, 'stayhome if you': 798023, 'can do not': 158109, 'have to win': 383339, 'to win this': 918617, 'win this waragainstvirus': 995593, 'this waragainstvirus use': 891105, 'waragainstvirus use for': 966619, 'your grocery no': 1024130, 'grocery no shortage': 364756, 'no shortage avoid': 565489, 'shortage avoid the': 764848, 'avoid the line': 105326, 'the store staysafe': 868111, 'store staysafe delivered': 810370, 'staysafe delivered this': 798803, 'delivered this pic': 233417, 'this pic to': 889575, 'pic to customer': 655630, 'minister visit': 533485, 'set hoarder': 753391, 'at ease': 98508, 'ease there': 265113, 'paper available': 639914, 'can shit': 159594, 'prime minister visit': 678163, 'minister visit supermarket': 533486, 'try to set': 934663, 'to set hoarder': 914291, 'set hoarder at': 753392, 'hoarder at ease': 398990, 'at ease there': 98509, 'ease there is': 265114, 'toilet paper available': 921197, 'paper available in': 639916, 'country that we': 211121, 'we can shit': 971009, 'can shit for': 159596, 'shit for 10': 759096, '66 barrel the': 21417, 'barrel the lowest': 111288, 'singlepoint inc': 771441, 'inc otcqb': 431301, 'sing keep': 771085, 'hand klen': 375066, 'klen clean': 475918, 'effective moisturizing': 269287, 'with hemp': 998767, 'hemp seed': 391711, 'seed oil': 746156, 'oil singlepoint': 597432, 'news singlepoint inc': 560794, 'singlepoint inc otcqb': 771442, 'inc otcqb sing': 431302, 'otcqb sing keep': 619786, 'sing keep your': 771086, 'your hand klen': 1024199, 'hand klen clean': 375067, 'klen clean and': 475919, 'clean and your': 180473, 'one safe with': 606987, 'safe with this': 730155, 'with this innovative': 1001705, 'this innovative and': 888122, 'innovative and effective': 438919, 'and effective moisturizing': 61951, 'effective moisturizing hand': 269288, 'hand sanitizer infused': 375453, 'sanitizer infused with': 735170, 'infused with hemp': 438270, 'with hemp seed': 998768, 'hemp seed oil': 391712, 'seed oil singlepoint': 746157, 'cough so': 208556, 'quarantine yourself': 692723, 'yourself discovered': 1026575, 'grocery ordered': 364815, 'ordered few': 618846, 'delivery were': 234730, 'stock additionally': 801764, 'additionally no': 31910, 'pickup slot': 656016, 'available anywhere': 104236, 'anywhere need': 81135, 'sick of cough': 768535, 'of cough so': 582008, 'cough so try': 208557, 'so try to': 778584, 'try to quarantine': 934651, 'to quarantine yourself': 912652, 'quarantine yourself discovered': 692724, 'yourself discovered that': 1026576, 'the grocery ordered': 856818, 'grocery ordered few': 364817, 'ordered few day': 618847, 'day ago for': 227197, 'ago for delivery': 38383, 'for delivery were': 320653, 'delivery were out': 234732, 'of stock additionally': 590135, 'stock additionally no': 801765, 'additionally no delivery': 31911, 'or pickup slot': 616614, 'pickup slot are': 656017, 'are available anywhere': 84704, 'available anywhere need': 104237, 'anywhere need food': 81136, 'need food what': 554816, 'donates fund lower': 254392, 'can cleanse hand': 157914, 'sanitizer to support': 735948, 'community during covid': 189825, 'effing': 269455, 'doesn twitter': 251981, 'twitter have': 936666, 'an effing': 55620, 'effing edit': 269456, 'edit button': 268580, 'why doesn twitter': 990960, 'doesn twitter have': 251982, 'twitter have an': 936667, 'have an effing': 379244, 'an effing edit': 55621, 'effing edit button': 269457, 'that chosen': 843219, 'chosen rightfully': 178034, 'rightfully to': 722456, 'minimize spread': 533121, 'not rush': 571412, 'or let': 615960, 'country that chosen': 211109, 'that chosen rightfully': 843220, 'chosen rightfully to': 178035, 'rightfully to shut': 722457, 'down to minimize': 257371, 'to minimize spread': 910168, 'minimize spread of': 533122, 'spread of should': 790708, 'of should not': 589692, 'should not rush': 766261, 'not rush to': 571414, 'rush to re': 728347, 'to re open': 912778, 're open the': 699206, 'the economy well': 854035, 'economy well being': 268335, 'being of people': 125469, 'of people or': 587960, 'people or let': 648999, 'or let say': 615961, 'let say the': 487026, 'say the consumer': 739270, 'consumer should come': 198982, 'should come first': 765842, 'tide against': 895703, 'all follow': 42802, 'another practice': 77771, 'distancing stay': 247500, 'or fever': 615297, 'fever wash': 303696, 'we can turn': 971035, 'can turn the': 160070, 'the tide against': 869541, 'tide against coronavirus': 895704, 'against coronavirus in': 37389, 'week but only': 976037, 'we all follow': 970325, 'all follow government': 42803, 'advice and look': 33311, 'and look out': 66367, 'one another practice': 605924, 'another practice social': 77772, 'social distancing stay': 779726, 'distancing stay at': 247501, 'you have cough': 1019031, 'have cough or': 380128, 'cough or fever': 208530, 'or fever wash': 615298, 'fever wash your': 303697, 'gazprom': 344780, 'cherish': 175522, 'russia gas': 728482, 'price gazprom': 674161, 'gazprom revenue': 344781, 'revenue continue': 720394, 'continue falling': 201033, 'withstand boost': 1003092, 'boost efficiency': 134948, 'efficiency cherish': 269403, 'cherish existing': 175523, 'europe pay': 283492, 'to domestic': 904631, 'domestic market': 253206, 'in ru': 427567, 'russia gas in': 728483, 'gas in europe': 343870, 'europe in time': 283460, 'oil price gazprom': 597143, 'price gazprom revenue': 674162, 'gazprom revenue continue': 344782, 'revenue continue falling': 720395, 'continue falling the': 201034, 'falling the way': 297347, 'way to withstand': 970120, 'to withstand boost': 918654, 'withstand boost efficiency': 1003093, 'boost efficiency cherish': 134949, 'efficiency cherish existing': 269404, 'cherish existing customer': 175524, 'existing customer in': 290306, 'customer in europe': 222494, 'in europe pay': 422649, 'europe pay attention': 283493, 'attention to domestic': 102495, 'to domestic market': 904632, 'domestic market my': 253208, 'market my article': 516743, 'article for in': 94319, 'for in ru': 322513, 'finest please': 307775, 'enter crowded': 278242, 'in moment': 425397, 'moment dark': 535917, 'dark kindness': 225967, 'it finest please': 458014, 'finest please this': 307776, 'scared to enter': 741023, 'to enter crowded': 905214, 'enter crowded grocery': 278243, 'even in moment': 284242, 'in moment dark': 425398, 'moment dark kindness': 535918, 'dark kindness prevails': 225968, 'slc': 773734, 'worry my': 1010750, 'my slc': 550127, 'slc people': 773736, 'high from': 395095, 'from dca': 335113, 'dca to': 228990, 'to slc': 914725, 'slc gouging': 773735, 'don worry my': 254084, 'worry my slc': 1010751, 'my slc people': 550128, 'slc people the': 773737, 'people the price': 649796, 'still high from': 800702, 'high from dca': 395096, 'from dca to': 335114, 'dca to slc': 228991, 'to slc gouging': 914726, 'kcr please': 471209, 'consider what': 195175, 'humanity be': 410707, 'kcr please consider': 471210, 'please consider what': 659824, 'consider what this': 195178, 'what this could': 982431, 'this could bring': 886921, 'could bring to': 208974, 'bring to the': 140104, 'of humanity be': 584883, 'humanity be responsible': 410708, 'be responsible citizen': 116833, 'responsible citizen and': 716013, 'citizen and sto': 178840, 'opportunity like': 613652, 'like 87': 489714, '87 and': 23013, 'and 08': 57339, '08 say': 1088, 'say ariel': 738439, 'ariel john': 92783, 'john rogers': 466548, 'buying opportunity like': 150833, 'opportunity like 87': 613653, 'like 87 and': 489715, '87 and 08': 23014, 'and 08 say': 57340, '08 say ariel': 1089, 'say ariel john': 738440, 'ariel john rogers': 92784, 'dismantled': 245983, 'millennials face': 532005, 'face high': 294457, 'unemployment poor': 941262, 'poor wage': 664321, 'wage out': 963933, 'reach apartment': 699900, 'fascism rising': 299779, 'rising mental': 723245, 'issue year': 456028, 'of dismantled': 582695, 'dismantled social': 245986, 'grim outlook': 363964, 'outlook now': 629173, 'and millennials face': 67023, 'millennials face high': 532006, 'face high unemployment': 294458, 'high unemployment poor': 395499, 'unemployment poor wage': 941263, 'poor wage out': 664322, 'wage out of': 963934, 'of reach apartment': 588767, 'reach apartment price': 699901, 'prospect fascism rising': 684674, 'fascism rising mental': 299780, 'rising mental health': 723246, 'mental health issue': 528643, 'health issue year': 386582, 'issue year of': 456029, 'year of dismantled': 1014775, 'of dismantled social': 582696, 'dismantled social safety': 245987, 'the grim outlook': 856792, 'grim outlook now': 363965, 'tried going': 931783, 'on boot': 599670, 'boot website': 135119, 'queue number': 694012, 'number boot': 576839, 'boot online': 135106, 'shopping handsanitiser': 762860, 'handsanitiser handsanitizers': 376451, 'handsanitizers queue': 376705, 'tried going on': 931784, 'going on boot': 355308, 'on boot website': 599671, 'boot website for': 135120, 'website for hand': 975271, 'sanitiser and look': 733913, 'at the queue': 101071, 'the queue number': 865047, 'queue number boot': 694013, 'number boot online': 576840, 'boot online shopping': 135107, 'online shopping handsanitiser': 609140, 'shopping handsanitiser handsanitizers': 762861, 'handsanitiser handsanitizers queue': 376452, 'iga st': 415688, 'leonard train': 486404, 'station marking': 796460, 'up vegetable': 946519, 'iga st leonard': 415689, 'st leonard train': 791719, 'leonard train station': 486405, 'train station marking': 929282, 'station marking up': 796461, 'marking up vegetable': 517926, 'up vegetable price': 946520, 'panic seems': 638519, 'seems gripping': 746791, 'gripping in': 364058, 'uk first': 938361, 'saw all': 738053, 'and rack': 69899, 'rack empty': 695344, 'both sainsbury': 136038, 'tesco near': 838752, 'look real': 502576, 'real approaching': 701041, 'approaching doomsday': 83015, 'and panic seems': 68663, 'panic seems gripping': 638520, 'seems gripping in': 746792, 'gripping in the': 364059, 'the uk first': 870216, 'uk first time': 938362, 'first time today': 309117, 'time today saw': 898107, 'today saw all': 920139, 'saw all food': 738054, 'all food shelf': 42823, 'shelf and rack': 756755, 'and rack empty': 69900, 'rack empty in': 695345, 'empty in both': 274920, 'in both sainsbury': 420926, 'both sainsbury and': 136039, 'and tesco near': 73130, 'tesco near me': 838753, 'near me this': 553544, 'me this look': 523716, 'this look real': 888710, 'look real approaching': 502577, 'real approaching doomsday': 701042, 'sonia': 785529, 'angell': 76399, 'other from': 620276, 'dr sonia': 258102, 'sonia angell': 785530, 'angell offer': 76400, 'those caring': 891857, 'visit ca': 959205, 'ca new': 154894, 'all help protect': 43092, 'help protect each': 390369, 'each other from': 264175, 'other from dr': 620277, 'from dr sonia': 335214, 'dr sonia angell': 258103, 'sonia angell offer': 785531, 'angell offer advice': 76401, 'offer advice on': 594515, 'on how best': 601384, 'stay healthy for': 796904, 'healthy for member': 387641, 'member of high': 528140, 'of high risk': 584616, 'group or for': 366822, 'or for those': 615370, 'for those caring': 327102, 'those caring for': 891858, 'caring for them': 164719, 'them for more': 875721, 'for more visit': 323608, 'more visit ca': 540920, 'visit ca new': 959206, 'ca new website': 154895, 'for dawn': 320559, 'dawn and': 227041, 'of doitfordawn': 582773, 'doitfordawn stophoarding': 252902, 'come on everyone': 187433, 'on everyone do': 600634, 'everyone do it': 286816, 'it for dawn': 458072, 'for dawn and': 320560, 'dawn and many': 227042, 'many others there': 514458, 'all of doitfordawn': 43687, 'of doitfordawn stophoarding': 582774, 'have essential': 380480, 'essential access': 280748, 'snap purchase': 776104, 'purchase 61': 689331, 'patient stay': 644260, 'in just few': 424416, 'will have essential': 993629, 'have essential access': 380481, 'essential access to': 280749, 'to food through': 906103, 'food through online': 317211, 'through online snap': 894603, 'online snap purchase': 609384, 'snap purchase 61': 776105, 'purchase 61 year': 689332, 'cancer patient stay': 161273, 'patient stay home': 644261, 'stay home per': 796992, 'develop innovative': 239647, 'innovative thinker': 438935, 'need to develop': 555902, 'to develop innovative': 904248, 'develop innovative thinker': 239648, '19 crisis mckinsey': 6281, 'more canadian': 538762, '19 curve': 6392, 'collect service': 186315, 'and more canadian': 67154, 'more canadian do': 538763, 'canadian do their': 160672, 'do their part': 250279, 'part to flatten': 642466, 'flatten the covid': 310128, 'covid 19 curve': 212900, '19 curve by': 6393, 'curve by staying': 221842, 'home grocery delivery': 401313, 'and collect service': 60088, 'collect service are': 186316, 'service are seeing': 752143, 'unprecedented demand leading': 943119, 'leading to delay': 483757, 'delay in much': 232706, 'in much needed': 425500, 'onlinestores': 609955, 'retailtransformation': 719570, 'socialmedia2020': 781100, 'marketingtrends2020': 517785, 'asiapacific': 95389, 'while covid': 986723, 'go scaring': 354086, 'scaring people': 741109, 'around we': 93617, 'must consider': 546601, 'that nothing': 845412, 'before onlinestores': 122973, 'onlinestores retailtransformation': 609956, 'retailtransformation socialmedia2020': 719571, 'socialmedia2020 marketingtrends2020': 781101, 'marketingtrends2020 asiapacific': 517786, 'while covid 19': 986724, '19 still go': 10848, 'still go scaring': 800578, 'go scaring people': 354087, 'scaring people around': 741110, 'people around we': 647145, 'around we must': 93618, 'we must consider': 972408, 'must consider that': 546604, 'consider that nothing': 195130, 'that nothing will': 845413, 'same before onlinestores': 732978, 'before onlinestores retailtransformation': 122974, 'onlinestores retailtransformation socialmedia2020': 609957, 'retailtransformation socialmedia2020 marketingtrends2020': 719572, 'socialmedia2020 marketingtrends2020 asiapacific': 781102, '200m': 13731, 'more absurd': 538534, 'absurd we': 27513, 'or checkout': 614712, 'checkout responsibly': 174992, 'responsibly but': 716084, 'the crematorium': 852323, 'crematorium coronavirus': 216651, 'uk live': 938515, 'live uk': 496085, 'toll could': 923839, 'spain government': 787298, 'government pledge': 360468, 'pledge 200m': 660842, '200m to': 13732, 'stop second': 804983, '19 london': 8463, 'london evening': 501058, 'evening standard': 284903, 'more absurd we': 538536, 'absurd we can': 27514, 'supermarket or checkout': 821799, 'or checkout responsibly': 614713, 'checkout responsibly but': 174993, 'responsibly but not': 716085, 'not to the': 572200, 'to the crematorium': 916613, 'the crematorium coronavirus': 852324, 'crematorium coronavirus uk': 216652, 'coronavirus uk live': 206985, 'uk live uk': 938516, 'live uk death': 496086, 'uk death toll': 938295, 'death toll could': 230248, 'toll could be': 923840, 'could be higher': 208878, 'be higher than': 115253, 'higher than italy': 395757, 'than italy and': 840805, 'and spain government': 72041, 'spain government pledge': 787299, 'government pledge 200m': 360469, 'pledge 200m to': 660843, '200m to stop': 13733, 'to stop second': 915567, 'stop second wave': 804984, 'second wave of': 743864, 'covid 19 london': 213374, '19 london evening': 8464, 'london evening standard': 501059, 'stophoarding toilet': 805508, 'increased cleaning': 433241, 'cleaning might': 180983, 'caused spike': 167964, 'in raw': 427269, 'raw sewage': 697994, 'sewage spill': 754151, 'spill in': 789366, 'in via': 430577, 'toiletpaper stophoarding toilet': 922549, 'stophoarding toilet paper': 805509, 'shortage and increased': 764819, 'and increased cleaning': 65112, 'increased cleaning might': 433242, 'cleaning might have': 180984, 'might have caused': 531009, 'have caused spike': 379922, 'caused spike in': 167965, 'spike in raw': 789309, 'in raw sewage': 427271, 'raw sewage spill': 697995, 'sewage spill in': 754152, 'spill in via': 789367, 'stirred': 801702, 'seeing those': 746519, 'morning really': 541415, 'really stirred': 702612, 'stirred up': 801703, 'anxiety wa': 78813, 'seeing those empty': 746520, 'this morning really': 889002, 'morning really stirred': 541416, 'really stirred up': 702613, 'stirred up my': 801705, 'up my anxiety': 945419, 'my anxiety wa': 547281, 'anxiety wa doing': 78814, 'doing my usual': 252546, 'my usual weekly': 550483, 'usual weekly shopping': 951063, 'weekly shopping and': 977563, 'shopping and wa': 762040, 'and wa able': 75072, 'to get most': 906539, 'get most item': 347613, 'most item on': 542467, 'item on my': 463504, 'disguise': 245347, 'call ve': 156214, 'dreading store': 258586, 'will re': 994565, 'open when': 612663, '19 settle': 10426, 'settle really': 753690, 'suck once': 816915, 'my annual': 547267, 'annual leave': 77406, 'is used': 453615, 'be annual': 113626, 'leave unpaid': 485030, 'unpaid maybe': 943031, 'it blessing': 456889, 'blessing in': 132647, 'in disguise': 422301, 'disguise and': 245348, 'start streaming': 794525, 'industry and got': 435638, 'got the call': 358897, 'the call ve': 850287, 'call ve been': 156215, 'been dreading store': 121041, 'dreading store will': 258587, 'closing and will': 183589, 'and will re': 75686, 'will re open': 994567, 're open when': 699208, 'open when covid': 612665, 'covid 19 settle': 213772, '19 settle really': 10427, 'settle really suck': 753691, 'really suck once': 702631, 'suck once all': 816916, 'once all my': 605586, 'all my annual': 43538, 'my annual leave': 547268, 'annual leave is': 77407, 'leave is used': 484844, 'is used it': 453617, 'used it will': 949957, 'will be annual': 992358, 'be annual leave': 113627, 'annual leave unpaid': 77408, 'leave unpaid maybe': 485031, 'unpaid maybe it': 943032, 'maybe it blessing': 521721, 'it blessing in': 456890, 'blessing in disguise': 132648, 'in disguise and': 422302, 'disguise and start': 245349, 'and start streaming': 72247, 'lnpfail': 497227, 'ceo mba': 169748, 'mba and': 522044, 'resilience the': 714493, 'demand cannot': 235107, 'cannot jump': 161974, 'jump when': 467909, 'government actively': 359822, 'actively suppress': 30325, 'suppress consumer': 827392, 'consumer wage': 199460, 'wage auspol': 963821, 'auspol lnpfail': 103083, 'lnpfail auspol': 497228, 'the ceo mba': 850614, 'ceo mba and': 169749, 'mba and private': 522045, 'our resilience the': 624611, 'resilience the new': 714494, 'new daily but': 558587, 'daily but consumer': 224537, 'but consumer demand': 145448, 'consumer demand cannot': 197119, 'demand cannot jump': 235108, 'cannot jump when': 161975, 'jump when business': 467910, 'when business and': 983215, 'and government actively': 63872, 'government actively suppress': 359823, 'actively suppress consumer': 30326, 'suppress consumer wage': 827393, 'consumer wage auspol': 199461, 'wage auspol lnpfail': 963822, 'auspol lnpfail auspol': 103084, 'lnpfail auspol lnpfail': 497229, 'do message': 249587, 'please can you': 659764, 'you do message': 1018260, 'do message to': 249588, 'message to all': 529446, 'the local shop': 859571, 'shop who feel': 761042, 'who feel the': 988736, 'the current and': 852609, 'current and hike': 221093, 'on all essential': 599224, 'forcefield': 328674, 'create self': 215732, 'isolation forcefield': 455274, 'forcefield bubble': 328675, 'bubble socialdistancing': 141616, 'you forget to': 1018692, 'to create self': 903722, 'create self isolation': 215733, 'self isolation forcefield': 747770, 'isolation forcefield bubble': 455275, 'forcefield bubble socialdistancing': 328676, 'govuk': 361356, 'asda how': 94928, 'sell 12': 748607, '12 toilet': 2968, '60 when': 21039, 'when aldi': 983123, 'aldi sell': 41297, 'quality 24': 691754, '24 roll': 15681, 'for 89': 318937, '89 did': 23101, 'did put': 240772, 'don it': 253654, 'it disgraceful': 457572, 'disgraceful wonder': 245340, 'if govuk': 414178, 'govuk is': 361357, 'keep happening': 471566, 'asda how can': 94929, 'how can sell': 407516, 'can sell 12': 159565, 'sell 12 toilet': 748608, '12 toilet roll': 2970, 'toilet roll for': 921571, 'roll for 60': 725303, 'for 60 when': 318892, '60 when aldi': 21040, 'when aldi sell': 983124, 'aldi sell good': 41298, 'sell good quality': 748745, 'good quality 24': 357605, 'quality 24 roll': 691755, '24 roll for': 15682, 'roll for 89': 725305, 'for 89 did': 318938, '89 did put': 23102, 'did put the': 240773, 'put the price': 690866, 'price up because': 677223, '19 and because': 4990, 'because have stock': 119104, 'stock and other': 801824, 'other supermarket don': 621015, 'supermarket don it': 820000, 'don it disgraceful': 253656, 'it disgraceful wonder': 457573, 'disgraceful wonder if': 245341, 'wonder if govuk': 1003968, 'if govuk is': 414179, 'govuk is going': 361358, 'going to allow': 355522, 'to allow this': 900361, 'allow this to': 46093, 'to keep happening': 908799, 'of stayathome': 590090, 'stayathome my': 797548, 'on the 3rd': 603957, 'day of stayathome': 228106, 'of stayathome my': 590091, 'stayathome my true': 797549, 'to me stock': 909954, 'me stock market': 523551, 'outsider': 629662, 'italian queuing': 462718, 'perfect order': 651321, 'order outsider': 618500, 'outsider supermarket': 629664, 'average italian': 104864, 'italian is': 462708, 'his part': 397688, 'part unfortunately': 642479, 'unfortunately politician': 941635, 'the ruling': 866060, 'ruling class': 727448, 'far behind': 298722, 'the needed': 861403, 'needed standard': 556496, 'standard 19': 793622, 'italian queuing in': 462719, 'queuing in perfect': 694218, 'in perfect order': 426613, 'perfect order outsider': 651322, 'order outsider supermarket': 618501, 'outsider supermarket the': 629665, 'supermarket the average': 823208, 'the average italian': 849103, 'average italian is': 104865, 'italian is doing': 462709, 'doing his part': 252453, 'his part unfortunately': 397690, 'part unfortunately politician': 642480, 'unfortunately politician and': 941636, 'politician and the': 663702, 'and the ruling': 73560, 'the ruling class': 866061, 'ruling class is': 727449, 'class is far': 180207, 'is far behind': 447739, 'far behind the': 298723, 'behind the needed': 124720, 'the needed standard': 861405, 'needed standard 19': 556497, 'top 20': 925523, '20 chain': 12996, 'chain get': 170731, 'to severely': 914316, 'severely restrict': 754109, 'restrict your': 717124, 'felt the same': 303464, 'same way so': 733408, 'way so we': 969877, 'so we put': 778678, 'we put this': 972795, 'together for the': 920795, 'for the top': 326738, 'the top 20': 869772, 'top 20 chain': 925525, '20 chain get': 12997, 'chain get ready': 170732, 'ready to severely': 700975, 'to severely restrict': 914317, 'severely restrict your': 754110, 'restrict your option': 717126, 'more isps': 539628, 'isps relax': 455580, 'relax data': 708810, 'cap to': 162449, 'customer but': 222200, 'all broadband': 42221, 'usage based': 948819, 'based data': 111550, 'data policy': 226347, 'on ice': 601469, '19 more isps': 8679, 'more isps relax': 539629, 'isps relax data': 455581, 'relax data cap': 708811, 'data cap to': 226161, 'cap to help': 162450, 'help customer but': 389555, 'customer but consumer': 222202, 'but consumer group': 145449, 'consumer group urge': 197668, 'group urge all': 366952, 'urge all broadband': 948149, 'all broadband service': 42222, 'broadband service provider': 140732, 'service provider to': 752738, 'provider to put': 686807, 'put their usage': 690885, 'their usage based': 875091, 'usage based data': 948820, 'based data policy': 111551, 'data policy on': 226348, 'policy on ice': 663461, 'you really don': 1020836, 'really don realize': 702144, 'don realize how': 253848, 'much you cough': 545493, 'you cough and': 1018063, 'cough and touch': 208451, 'and touch your': 74302, 'now scan': 575733, 'scan shopping': 740708, 'shopping though': 764136, 'for aldi': 319098, 'aldi move': 41287, 'along now': 47011, 'now doris': 574556, 'do all supermarket': 249044, 'supermarket staff now': 822870, 'staff now scan': 792690, 'now scan shopping': 575734, 'scan shopping though': 740709, 'shopping though they': 764137, 're working for': 699826, 'working for aldi': 1008633, 'for aldi move': 319099, 'aldi move along': 41288, 'move along now': 543604, 'along now doris': 47012, 'flaring in': 310019, 'mexico nm': 530010, 'nm due': 563518, 'venting flaring in': 954656, 'flaring in new': 310020, 'in new mexico': 425821, 'new mexico nm': 559110, 'mexico nm due': 530011, 'nm due to': 563519, 'briton and': 140641, 'buy weapon': 149441, 'weapon if': 974243, 'it corona': 457325, 'briton and others': 140642, 'running to store': 728117, 'to buy weapon': 902334, 'buy weapon if': 149442, 'weapon if you': 974244, 'you ve ever': 1022037, 've ever wondered': 953096, 'is it corona': 449016, 'it corona virus': 457328, 'commanded': 188330, 'today said': 920130, 'said hi': 731123, 'to lady': 909029, 'later asking': 481027, 'any pantyhose': 79624, 'not carry': 568708, 'carry that': 165151, 'arm commanded': 92885, 'commanded me': 188331, 'today said hi': 920131, 'said hi to': 731124, 'hi to lady': 394761, 'to lady who': 909030, 'back to find': 107366, 'to find me': 905917, 'find me minute': 307052, 'minute later asking': 533789, 'later asking why': 481028, 'asking why we': 96110, 'have any pantyhose': 379311, 'any pantyhose work': 79625, 'pantyhose work in': 639729, 'do not carry': 249691, 'not carry that': 568709, 'carry that she': 165152, 'her arm commanded': 391857, 'arm commanded me': 92886, 'commanded me to': 188332, 'the back or': 849149, 'bihar': 130392, 'sir thanks': 771652, 'ur kind': 948027, 'kind addressing': 474794, 'addressing of': 32098, 'india from': 434414, 'from be': 334650, 'very powerful': 955425, 'powerful step': 667801, 'step but': 799513, 'also control': 48068, 'control good': 202015, 'in gaya': 423233, 'gaya bihar': 344719, 'bihar thanks': 130393, 'thanks once': 842151, 'again only': 37099, 'only leader': 610704, 'leader why': 483570, 'why which': 991549, 'which going': 985868, '19 salute': 10304, 'sir thanks for': 771653, 'thanks for ur': 842083, 'for ur kind': 327484, 'ur kind addressing': 948028, 'kind addressing of': 474795, 'addressing of people': 32099, 'of people of': 587956, 'of india from': 585103, 'india from be': 434415, 'from be safe': 334651, 'be safe covid': 116950, 'be very powerful': 117981, 'very powerful step': 955426, 'powerful step but': 667802, 'step but also': 799514, 'but also control': 145105, 'also control good': 48069, 'control good price': 202016, 'price in gaya': 674689, 'in gaya bihar': 423234, 'gaya bihar thanks': 344720, 'bihar thanks once': 130394, 'thanks once again': 842152, 'once again only': 605571, 'again only leader': 37100, 'only leader why': 610705, 'leader why which': 483571, 'why which going': 991550, 'which going to': 985869, 'going to control': 355558, 'to control covid': 903443, 'covid 19 salute': 213740, '19 salute to': 10305, 'salute to you': 732869, 'to you sir': 918923, 'futureofag': 342544, 'clue the': 184554, 'street journal': 813018, 'journal futureofag': 467386, 'futureofag from': 342545, '19 economy look': 6711, 'look like chicken': 502468, 'like chicken price': 489987, 'hold clue the': 399902, 'clue the wall': 184555, 'wall street journal': 965184, 'street journal futureofag': 813019, 'journal futureofag from': 467387, 'for ration': 324962, 'book am': 134461, 'struggling on': 814468, 'have coming': 380035, 'in isn': 424183, 'introduce ration': 443392, 'book system': 134606, 'food vital': 317436, 'society corvid19uk': 781181, 'time for ration': 896748, 'for ration book': 324963, 'ration book am': 697645, 'book am alone': 134462, 'alone in thinking': 46872, 'thinking that for': 885997, 'sake of those': 731873, 'of those struggling': 592116, 'those struggling on': 892499, 'struggling on the': 814469, 'on the money': 604239, 'they have coming': 882304, 'have coming in': 380036, 'coming in isn': 188092, 'in isn it': 424184, 'time to introduce': 898004, 'to introduce ration': 908471, 'introduce ration book': 443393, 'ration book system': 697649, 'book system to': 134607, 'system to curb': 831350, 'buying to ensure': 151239, 'ensure food vital': 277945, 'food vital supply': 317437, 'vital supply are': 959726, 'supply are available': 824780, 'available for all': 104357, 'all in our': 43201, 'our society corvid19uk': 624820, 'customerengagement': 223133, 'crisis focus': 217377, 'customer healthcare': 222453, 'payer customerengagement': 645346, 'of crisis focus': 582159, 'crisis focus on': 217378, 'focus on customer': 311869, 'on customer healthcare': 600193, 'customer healthcare payer': 222454, 'healthcare payer customerengagement': 387201, 'content am': 200779, 'content am doing': 200780, 'am doing it': 50010, 'doing it right': 252492, 'it right about': 460776, 'about to head': 26723, 'imposed lockdown': 419292, 'lockdown demand': 499312, 'demand had': 235620, 'had skyrocketed': 373513, 'volunteer had': 960274, 'had stepped': 373556, 'bank share': 110182, 'government imposed lockdown': 360208, 'imposed lockdown demand': 419293, 'lockdown demand had': 499313, 'demand had skyrocketed': 235623, 'had skyrocketed and': 373514, 'skyrocketed and volunteer': 773353, 'and volunteer had': 75030, 'volunteer had stepped': 960275, 'had stepped back': 373557, 'stepped back the': 799767, 'back the co': 107305, 'of one food': 587237, 'one food bank': 606301, 'food bank share': 313638, 'bank share her': 110183, 'lockdown plan': 499803, 'during pandemic lockdown': 262878, 'pandemic lockdown plan': 635902, 'from germ': 335612, 'yourself from germ': 1026613, 'from germ then': 335615, 'narendrea': 551921, 'indiabattlescoronavirus': 434703, 'pm of': 661950, 'india mr': 434524, 'mr narendrea': 544382, 'narendrea modi': 551922, 'modi ha': 535457, 'taken very': 833118, 'very right': 955474, 'right step': 722285, 'step at': 799500, 'time modi': 897216, 'modi rock': 535477, 'rock others': 724912, 'others shock': 621638, 'shock narendramodi': 759477, 'narendramodi narendermodi': 551919, 'narendermodi india': 551905, 'india indiabattlescoronavirus': 434467, 'indiabattlescoronavirus indiafightscorona': 434704, 'indiafightscorona indiavscorona': 434727, 'indiavscorona sanitizer': 434961, 'sanitizer bbc': 734546, 'bbc cnn': 113071, 'cnn cnbc': 184751, 'pm of india': 661951, 'of india mr': 585111, 'india mr narendrea': 434525, 'mr narendrea modi': 544383, 'narendrea modi ha': 551923, 'modi ha taken': 535458, 'ha taken very': 372156, 'taken very right': 833119, 'very right step': 955475, 'right step at': 722286, 'step at right': 799501, 'at right time': 100324, 'right time modi': 722327, 'time modi rock': 897217, 'modi rock others': 535478, 'rock others shock': 724913, 'others shock narendramodi': 621639, 'shock narendramodi narendermodi': 759478, 'narendramodi narendermodi india': 551920, 'narendermodi india indiabattlescoronavirus': 551906, 'india indiabattlescoronavirus indiafightscorona': 434468, 'indiabattlescoronavirus indiafightscorona indiavscorona': 434705, 'indiafightscorona indiavscorona sanitizer': 434728, 'indiavscorona sanitizer bbc': 434962, 'sanitizer bbc cnn': 734547, 'bbc cnn cnbc': 113072, 'friday everyone': 333220, 'great day': 362608, 'some meme': 783279, 'meme giggle': 528320, 'giggle for': 350086, 'ya think': 1014031, 'shouldn lose': 766741, 'lose our': 503461, 'hand stayathome': 375795, 'happy friday everyone': 377622, 'friday everyone hope': 333221, 'everyone hope all': 287021, 'all have great': 43047, 'have great day': 380831, 'great day here': 362611, 'day here some': 227753, 'here some meme': 393582, 'some meme giggle': 783280, 'meme giggle for': 528321, 'giggle for ya': 350087, 'for ya think': 327987, 'ya think we': 1014032, 'think we shouldn': 885773, 'we shouldn lose': 973307, 'shouldn lose our': 766742, 'lose our sense': 503462, 'humor during difficult': 410866, 'difficult time be': 242279, 'time be safe': 896366, 'be safe take': 116969, 'take care please': 832013, 'care please stay': 164147, 'your hand stayathome': 1024225, 'hand stayathome stophoarding': 375797, 'emini': 273188, 'flare': 310010, 'equity future': 279942, 'future begin': 342268, 'begin the': 123572, 'front foot': 338541, 'foot with': 318468, 'with emini': 998206, 'emini higher': 273189, 'higher by': 395548, 'back above': 106819, 'the 2500': 848051, '2500 level': 16033, 'level while': 487756, 'with wti': 1002130, 'wti crude': 1013386, 'crude down': 219522, 'about after': 24770, 'wa pushed': 963012, 'pushed back': 690352, 'to thursday': 917570, 'thursday saudi': 895418, 'russia tension': 728577, 'tension flare': 837985, 'equity future begin': 279943, 'future begin the': 342269, 'begin the week': 123574, 'the week on': 871307, 'the front foot': 855845, 'front foot with': 338542, 'foot with emini': 318469, 'with emini higher': 998207, 'emini higher by': 273190, 'higher by and': 395549, 'by and back': 151832, 'and back above': 58614, 'back above the': 106820, 'above the 2500': 27102, 'the 2500 level': 848052, '2500 level while': 16034, 'level while oil': 487757, 'oil price suffer': 597279, 'price suffer with': 676699, 'suffer with wti': 817251, 'with wti crude': 1002131, 'wti crude down': 1013387, 'crude down about': 219523, 'down about after': 256442, 'about after the': 24771, 'after the opec': 36338, 'opec meeting wa': 611917, 'meeting wa pushed': 527790, 'wa pushed back': 963013, 'pushed back to': 690354, 'back to thursday': 107402, 'to thursday saudi': 917571, 'thursday saudi and': 895419, 'and russia tension': 70681, 'russia tension flare': 728578, 'maine fisherman': 508853, 'fisherman turn': 309379, 'consumer outlet': 198306, 'maine fisherman turn': 508854, 'fisherman turn to': 309380, 'turn to direct': 935777, 'to consumer outlet': 903320, '19 cpg': 6183, 'cpg impact': 214603, 'impact great': 417685, 'great report': 362955, 'impacting cpg': 418203, 'uk france': 938384, 'france italy': 331010, 'italy nz': 462879, 'covid 19 cpg': 212879, '19 cpg impact': 6184, 'cpg impact great': 214604, 'impact great report': 417686, 'great report by': 362956, 'report by and': 711843, 'by and on': 151845, 'coronavirus outbreak impacting': 206392, 'outbreak impacting cpg': 628330, 'impacting cpg sale': 418204, 'cpg sale in': 214615, 'the uk france': 870219, 'uk france italy': 938386, 'france italy nz': 331011, 'time uk': 898153, 'uk stopped': 938748, 'stopped allowing': 805676, 'such inflated': 816573, 'seen baby': 746962, 'milk on': 531749, 'for 155': 318677, '155 bloody': 3976, 'bloody ridiculous': 133224, 'ridiculous profiteering': 721603, 'profiteering bastard': 683009, 'bastard cashing': 112470, 'about time uk': 26698, 'time uk stopped': 898155, 'uk stopped allowing': 938749, 'stopped allowing people': 805677, 'to sell item': 914156, 'sell item at': 748775, 'item at such': 463134, 'at such inflated': 100681, 'such inflated price': 816574, 'inflated price just': 437051, 'price just seen': 674977, 'just seen baby': 469738, 'seen baby milk': 746963, 'baby milk on': 106665, 'milk on sale': 531750, 'on sale for': 603265, 'sale for 155': 732228, 'for 155 bloody': 318678, '155 bloody ridiculous': 3977, 'bloody ridiculous profiteering': 133226, 'ridiculous profiteering bastard': 721604, 'profiteering bastard cashing': 683010, 'bastard cashing in': 112471, 'at ottawa': 100003, 'ottawa assessment': 621902, 'assessment clinic': 96386, 'clinic ottnews': 182309, 'ottnews ottcity': 621919, 'and the family': 73366, 'family of health': 298099, 'who are showing': 988218, 'are showing symptom': 90083, '19 can now': 5613, 'now be tested': 574206, 'be tested at': 117555, 'tested at ottawa': 839269, 'at ottawa assessment': 100004, 'ottawa assessment clinic': 621903, 'assessment clinic ottnews': 96387, 'clinic ottnews ottcity': 182310, 'crisis to try': 218256, 'steal money and': 799189, 'money and personal': 536602, 'we supermarket': 973444, 'health so': 386853, 'essential not': 281337, 'an xbox': 56969, 'xbox game': 1013782, 'game hair': 343177, 'hair band': 373956, 'band or': 109343, 'or fucking': 615408, 'fucking flower': 339864, 'flower pot': 311323, 'we supermarket worker': 973445, 'are risking our': 89726, 'our health so': 623379, 'health so you': 386854, 'buy essential essential': 148570, 'essential essential not': 281011, 'essential not an': 281338, 'not an xbox': 568202, 'an xbox game': 56970, 'xbox game hair': 1013783, 'game hair band': 343178, 'hair band or': 373957, 'band or fucking': 109344, 'or fucking flower': 615409, 'fucking flower pot': 339865, 'alberta it': 40804, 'serious mess': 751428, 'pm job': 661923, 'job disappeared': 465786, 'disappeared quickly': 244070, 'sister life': 771772, 'edmonton and': 268707, 'hear all': 387876, 'her their': 392437, 'strong stay the': 814123, 'out of alberta': 626674, 'of alberta it': 579884, 'alberta it going': 40805, 'to be serious': 901531, 'be serious mess': 117094, 'serious mess with': 751429, 'mess with their': 529247, 'with their new': 1001587, 'their new pm': 874052, 'new pm job': 559285, 'pm job disappeared': 661924, 'job disappeared quickly': 465787, 'disappeared quickly before': 244071, 'quickly before covid': 694473, '19 my sister': 8735, 'my sister life': 550113, 'sister life in': 771773, 'life in edmonton': 488759, 'in edmonton and': 422500, 'edmonton and hear': 268708, 'and hear all': 64406, 'hear all about': 387877, 'about it from': 25577, 'it from her': 458154, 'from her their': 335770, 'her their economy': 392438, 'their economy is': 873102, 'bankofamerica': 110473, 'consumer client': 196806, 'client could': 182021, 'could request': 209598, 'request payment': 713182, 'deferment with': 232178, 'the missed': 860688, 'missed payment': 534248, 'payment added': 645536, 'loan bankofamerica': 497398, 'bankofamerica bac': 110474, 'bac said': 106794, 'credit bureau': 216319, 'bureau reporting': 142807, 'reporting for': 712686, 'date client': 226610, 'and consumer client': 60361, 'consumer client could': 196807, 'client could request': 182022, 'could request payment': 209599, 'request payment deferment': 713183, 'payment deferment with': 645589, 'deferment with the': 232179, 'with the missed': 1001392, 'the missed payment': 860689, 'missed payment added': 534249, 'payment added to': 645537, 'of the loan': 591195, 'the loan bankofamerica': 859522, 'loan bankofamerica bac': 497399, 'bankofamerica bac said': 110475, 'bac said there': 106795, 'said there would': 731466, 'there would not': 879378, 'not be negative': 568423, 'be negative credit': 116062, 'negative credit bureau': 556752, 'credit bureau reporting': 216321, 'bureau reporting for': 142808, 'reporting for up': 712687, 'to date client': 903923, 'not spending': 571673, 'money doing': 536707, 'doing emotional': 252372, 'emotional shopping': 273301, 'didn sell': 241192, 'sell online': 748829, 'online stayathome': 609426, 'doing lot better': 252519, 'lot better not': 504000, 'better not spending': 128382, 'not spending money': 571674, 'spending money doing': 788902, 'money doing emotional': 536708, 'doing emotional shopping': 252373, 'emotional shopping if': 273302, 'shopping if retailer': 762945, 'retailer didn sell': 719109, 'didn sell online': 241193, 'sell online stayathome': 748830, 'good information from': 357270, 'information from about': 437836, 'from about covid': 334359, 'jesuit': 465275, 'subcontracted': 815705, 'must fulfill': 546673, 'fulfill it': 340407, 'value jesuit': 952147, 'jesuit catholic': 465276, 'university amp': 942405, 'amp ensure': 53734, 'ensure subcontracted': 278036, 'subcontracted food': 815706, 'wage that': 963963, 'received were': 703709, 'were they': 980252, 'they able': 881082, 'work send': 1005704, 'amp 200': 53320, '200 co': 13471, 'seattle university must': 743581, 'university must fulfill': 942443, 'must fulfill it': 546674, 'fulfill it value': 340409, 'it value jesuit': 462014, 'value jesuit catholic': 952148, 'jesuit catholic university': 465277, 'catholic university amp': 167307, 'university amp ensure': 942406, 'amp ensure subcontracted': 53735, 'ensure subcontracted food': 278037, 'subcontracted food service': 815707, 'worker are provided': 1006417, 'with the wage': 1001538, 'the wage that': 871023, 'wage that they': 963964, 'would have received': 1011890, 'have received were': 382203, 'received were they': 703710, 'were they able': 980253, 'they able to': 881083, 'to work send': 918778, 'work send message': 1005705, 'send message in': 749902, 'message in support': 529344, 'support of me': 826691, 'of me amp': 586324, 'me amp 200': 522394, 'amp 200 co': 53321, '200 co worker': 13472, 'stophooarding': 805524, 'your sick': 1025803, 'vulnerable friend': 960967, 'friend what': 333888, 'have lung': 381400, 'not judge': 570202, 'judge stophooarding': 467635, 'stophooarding coronacrisis': 805525, 'shopping for your': 762735, 'for your sick': 328208, 'your sick or': 1025804, 'sick or vulnerable': 768559, 'or vulnerable friend': 617700, 'vulnerable friend what': 960968, 'friend what if': 333889, 'you have lung': 1019072, 'have lung cancer': 381401, 'lung cancer and': 506786, 'cancer and do': 161244, 'house for 12': 406301, '12 week do': 2982, 'do not judge': 249769, 'not judge stophooarding': 570205, 'judge stophooarding coronacrisis': 467636, 'holyhumor': 400520, 'ptsdmemes': 687655, 'dude nailed': 261599, 'few decade': 303802, 'decade is': 230686, 'this holyhumor': 887935, 'holyhumor quarantine': 400521, 'handsanitizer ptsdmemes': 376619, 'this dude nailed': 887312, 'dude nailed it': 261600, 'nailed it literally': 551473, 'it literally every': 459409, 'literally every person': 494982, 'next few decade': 561362, 'few decade is': 303803, 'decade is going': 230687, 'to be like': 901365, 'like this holyhumor': 491495, 'this holyhumor quarantine': 887936, 'holyhumor quarantine toiletpaper': 400522, 'quarantine toiletpaper handsanitizer': 692645, 'toiletpaper handsanitizer ptsdmemes': 922054, 'thing really': 884705, 'hard right': 378005, 'this craziness': 887004, 'craziness especially': 215217, 'autism have': 103849, 'quit posting': 694805, 'are thing really': 91038, 'thing really hard': 884707, 'really hard right': 702261, 'hard right now': 378006, 'all this craziness': 45098, 'this craziness especially': 887005, 'craziness especially with': 215218, 'my autism have': 547361, 'autism have had': 103850, 'the supermarket think': 868853, 'supermarket think going': 823305, 'going to quit': 355683, 'to quit posting': 912694, 'quit posting and': 694806, 'posting and social': 666645, 'stuff but ll': 815030, 'but ll come': 146294, 'll come back': 496682, 'recoup': 705147, 'curve of': 221873, 'and recoup': 70063, 'recoup lost': 705148, 'lost wage': 503950, 'crisis dc': 217276, 'dc street': 228974, 'vendor teamed': 954410, 'distribute safety': 248002, 'equipment hand': 279742, 'sanitizer crucial': 734717, 'effort to flatten': 269624, 'the curve of': 852697, 'curve of transmission': 221874, 'of transmission and': 592420, 'transmission and recoup': 929726, 'and recoup lost': 70064, 'recoup lost wage': 705149, 'lost wage from': 503951, 'wage from the': 963875, 'the crisis dc': 852364, 'crisis dc street': 217277, 'dc street vendor': 228975, 'street vendor teamed': 813161, 'vendor teamed up': 954411, 'teamed up public': 835854, 'up public health': 945863, 'health official to': 386706, 'official to distribute': 595947, 'to distribute safety': 904448, 'distribute safety equipment': 248003, 'safety equipment hand': 730523, 'equipment hand sanitizer': 279743, 'hand sanitizer crucial': 375362, 'sanitizer crucial information': 734718, 'crucial information to': 219459, 'information to their': 438019, 'fixed new': 309813, 'new ceiling': 558471, 'ceiling price': 168764, 'ongoing two': 607704, 'week long': 976498, 'long movement': 501532, 'order mco': 618380, 'mco aimed': 522224, 'at halting': 98841, 'ha fixed new': 370631, 'fixed new ceiling': 309814, 'new ceiling price': 558472, 'ceiling price for': 168765, 'price for face': 673962, 'mask to ensure': 519400, 'enough supply during': 277647, 'the ongoing two': 862260, 'ongoing two week': 607705, 'two week long': 937338, 'week long movement': 976499, 'long movement control': 501533, 'control order mco': 202088, 'order mco aimed': 618381, 'mco aimed at': 522225, 'aimed at halting': 39569, 'at halting the': 98842, 'halting the spread': 374507, 'squarefunds': 791507, '19 among': 4960, 'price bahrain': 672836, 'bahrain squarefunds': 108570, 'squarefunds opec': 791508, 'opec gcc': 611891, 'gcc ksa': 344826, 'ksa kuwait': 477821, 'kuwait oilprices': 477994, 'covid 19 among': 212626, '19 among country': 4961, 'among country of': 52997, 'the world oil': 871928, 'oil price bahrain': 597055, 'price bahrain squarefunds': 672837, 'bahrain squarefunds opec': 108571, 'squarefunds opec gcc': 791509, 'opec gcc ksa': 611892, 'gcc ksa kuwait': 344827, 'ksa kuwait oilprices': 477822, 'given birth': 350957, 'reality not': 701763, 'world after': 1009267, 'their mental': 873944, 'just given birth': 468817, 'given birth to': 350958, 'birth to the': 131408, 'the mass market': 860246, 'mass market of': 519809, 'market of virtual': 516781, 'of virtual reality': 592819, 'virtual reality not': 957782, 'reality not just': 701764, 'government but the': 359956, 'but the consumer': 147323, 'new world after': 559899, 'world after the': 1009268, 'different people who': 242024, 'home more will': 401628, 'more will need': 540989, 'technology for their': 836304, 'for their mental': 326849, 'their mental health': 873945, 'brandtrust': 138168, 'goal for': 354567, 'brand amid': 137722, 'more empathetic': 539120, 'and transparent': 74377, 'transparent brandtrust': 929838, 'goal for brand': 354568, 'for brand amid': 319759, 'brand amid covid': 137723, '19 be more': 5321, 'be more empathetic': 115974, 'more empathetic and': 539121, 'empathetic and transparent': 273331, 'and transparent brandtrust': 74378, 'kansa soybean': 470818, 'brien discus': 139768, 'the factor': 854836, 'factor influencing': 295893, 'the soybean': 867523, 'soybean market': 786983, 'influencing market': 437357, 'kansa soybean price': 470819, 'soybean price cost': 786989, 'dan brien discus': 225523, 'brien discus the': 139769, 'discus the factor': 244918, 'the factor influencing': 854838, 'factor influencing the': 295894, 'influencing the soybean': 437361, 'the soybean market': 867524, 'soybean market and': 786984, 'market and compare': 515954, 'and compare price': 60204, 'price and cost': 672383, 'and cost at': 60589, 'cost at time': 207877, 'time when covid': 898282, '19 is influencing': 7995, 'is influencing market': 448914, 'tweet reminding': 936396, 'reminding if': 710626, 're cavalier': 698421, 'cavalier we': 168256, 'we cause': 971113, 'cause death': 167535, 'death action': 229954, 'action over': 30106, 'over got': 630254, 'got delayed': 358525, 'delayed for': 232782, 'is past': 450813, 'past remember': 643594, 'remember unemployment': 710394, 'unemployment poverty': 941264, 'cutting health': 223729, 'health social': 386855, 'service kill': 752545, 'kill react': 474481, 'react accordingly': 700122, 'lot of tweet': 504316, 'of tweet reminding': 592526, 'tweet reminding if': 936397, 'reminding if we': 710627, 'if we social': 415311, 'social distance we': 779532, 'distance we save': 246887, 'we save life': 973129, 'save life if': 737544, 'life if we': 488743, 'we re cavalier': 972841, 're cavalier we': 698422, 'cavalier we cause': 168257, 'we cause death': 971114, 'cause death action': 167536, 'death action over': 229955, 'action over got': 30107, 'over got delayed': 630255, 'got delayed for': 358526, 'delayed for the': 232783, 'sake of stock': 731871, 'stock price when': 802759, 'when covid is': 983313, 'covid is past': 214184, 'is past remember': 450814, 'past remember unemployment': 643595, 'remember unemployment poverty': 710395, 'unemployment poverty and': 941265, 'poverty and cutting': 667479, 'and cutting health': 60891, 'cutting health social': 223730, 'health social service': 386856, 'social service kill': 779959, 'service kill react': 752546, 'kill react accordingly': 474482, 'otagoharbour': 619769, 'scrubbed': 742920, 'otagoharbour am': 619770, 'am up': 50526, 'visit lockdown': 959293, 'lockdown nz': 499708, 'nz haven': 578190, 'left this': 485679, 'this harbour': 887858, 'harbour area': 377846, 'week shopping': 976865, 'out scrubbed': 627156, 'scrubbed ready': 742921, 'otagoharbour am up': 619771, 'am up early': 50527, 'up early for': 944770, 'early for supermarket': 264609, 'for supermarket visit': 326034, 'supermarket visit lockdown': 823659, 'visit lockdown nz': 959294, 'lockdown nz haven': 499709, 'nz haven left': 578191, 'haven left this': 383852, 'left this harbour': 485680, 'this harbour area': 887859, 'harbour area for': 377847, 'area for week': 92017, 'for week shopping': 327747, 'week shopping once': 976866, 'once week is': 605794, 'week is my': 976420, 'is my big': 449782, 'my big day': 547443, 'big day out': 129734, 'day out scrubbed': 228181, 'out scrubbed ready': 627157, 'scrubbed ready for': 742922, 'ready for covid': 700858, 'besides fiscal': 127500, 'fiscal measure': 309255, 'measure recommends': 525306, 'recommends ban': 704824, 'exemption on': 290010, 'on buyback': 599753, 'buyback to': 149526, 'help stem': 390572, 'precipitous fall': 669491, 'besides fiscal measure': 127501, 'fiscal measure recommends': 309256, 'measure recommends ban': 525307, 'recommends ban on': 704825, 'ban on short': 109234, 'short selling and': 764686, 'selling and tax': 749154, 'and tax exemption': 73051, 'tax exemption on': 834982, 'exemption on buyback': 290011, 'on buyback to': 599754, 'buyback to help': 149527, 'to help stem': 907635, 'help stem the': 390573, 'stem the precipitous': 799469, 'the precipitous fall': 864220, 'precipitous fall in': 669492, 'stock price read': 802743, 'proposed legislative': 684533, 'legislative response': 486007, '19 200': 4723, '200 month': 13510, 'adult 100': 32779, 'payment mortgage': 645679, 'card student': 163655, 'loan more': 497476, 'proposed legislative response': 684534, 'legislative response to': 486008, 'covid 19 200': 212555, '19 200 month': 4724, '200 month for': 13511, 'all adult 100': 41950, 'adult 100 for': 32780, '100 for each': 1902, 'each child suspend': 264007, 'child suspend all': 176212, 'credit payment mortgage': 216451, 'payment mortgage credit': 645680, 'credit card student': 216353, 'card student loan': 163656, 'student loan more': 814726, 'multiple user': 545807, 'fake item': 296644, 'provide immunity': 686358, 'or allow': 614292, 'disease while': 245275, 'others try': 621747, 'over charge': 630074, 'sanitizer these': 735878, 'these fake': 879992, 'marketplace that': 517842, 'multiple user have': 545808, 'user have tried': 950292, 'sell fake item': 748710, 'fake item that': 296645, 'item that claim': 463692, 'claim to provide': 179855, 'to provide immunity': 912406, 'provide immunity to': 686359, 'immunity to the': 417442, 'to the or': 916927, 'the or allow': 862433, 'or allow people': 614293, 'people to test': 649953, 'for the disease': 326388, 'the disease while': 853375, 'disease while others': 245276, 'while others try': 987127, 'others try to': 621748, 'try to over': 934644, 'to over charge': 911289, 'over charge for': 630076, 'charge for item': 173237, 'item like hand': 463413, 'hand sanitizer these': 375620, 'sanitizer these fake': 735879, 'these fake product': 879993, 'fake product have': 296692, 'product have no': 681254, 'have no place': 381644, 'no place in': 565117, 'place in the': 657516, 'in the marketplace': 429342, 'the marketplace that': 860195, 'marketplace that consumer': 517843, 'that consumer trust': 843302, 'simptoms': 770331, 'entubation': 279047, 'professional is': 682461, 'somebody with': 784292, 'with mild': 999503, 'mild simptoms': 531342, 'simptoms or': 770332, 'an entubation': 55784, 'entubation of': 279048, 'critically ill': 218736, 'for healthcare professional': 322162, 'healthcare professional is': 387235, 'professional is it': 682462, 'is it better': 449014, 'get the at': 348223, 'supermarket from somebody': 820456, 'from somebody with': 337347, 'somebody with mild': 784293, 'with mild simptoms': 999504, 'mild simptoms or': 531343, 'simptoms or during': 770333, 'or during an': 615096, 'during an entubation': 262444, 'an entubation of': 55785, 'entubation of critically': 279049, 'of critically ill': 582213, 'critically ill patient': 218738, 'on under': 604954, 'act company': 29620, 'fine that': 307694, 'potentially be': 667188, 'be billion': 113858, 'in statutory': 428255, 'statutory damage': 796715, 'damage if': 225203, 'use automated': 949060, 'automated outreach': 103960, 'outreach by': 629350, 'update on under': 947139, 'on under the': 604955, 'under the telephone': 940335, 'protection act company': 685274, 'act company are': 29621, 'company are subject': 190453, 'subject to fine': 815752, 'to fine that': 905962, 'fine that could': 307695, 'could potentially be': 209523, 'potentially be billion': 667189, 'be billion of': 113859, 'dollar in statutory': 253013, 'in statutory damage': 428256, 'statutory damage if': 796716, 'damage if they': 225204, 'if they use': 415133, 'they use automated': 883612, 'use automated outreach': 949061, 'automated outreach by': 103961, 'outreach by call': 629351, 'by call or': 152050, 'call or text': 156055, 'whoop look': 990587, 'another senator': 77834, 'who suddenly': 989703, 'suddenly dumped': 817086, 'dumped his': 262208, 'his stock': 397821, 'stock holding': 802240, 'holding right': 400149, 'after private': 36073, 'on senator': 603366, 'sold up': 781797, 'after his': 35787, 'his friday': 397452, 'friday 24': 333187, '24 briefing': 15575, 'whoop look like': 990588, 'like we found': 491772, 'we found another': 971591, 'found another senator': 330160, 'another senator who': 77835, 'senator who suddenly': 749799, 'who suddenly dumped': 989704, 'suddenly dumped his': 817087, 'dumped his stock': 262209, 'his stock holding': 397822, 'stock holding right': 802241, 'holding right after': 400150, 'right after private': 721739, 'after private briefing': 36074, 'private briefing on': 678866, 'briefing on senator': 139730, 'on senator sold': 603367, 'senator sold up': 749792, 'sold up to': 781798, 'to 500 00': 899752, '500 00 of': 19932, '00 of his': 384, 'of his stock': 584666, 'his stock on': 397824, 'the monday after': 860799, 'monday after his': 536229, 'after his friday': 35788, 'his friday 24': 397453, 'friday 24 briefing': 333188, 'well stock': 978587, 'with shampoo': 1000659, 'shampoo soap': 754784, 'supermarket well stock': 823778, 'well stock with': 978588, 'stock with shampoo': 803205, 'with shampoo soap': 1000660, 'shampoo soap hand': 754785, 'sanitizer but no': 734612, 'but no stock': 146501, 'no stock of': 565580, 'stock of alcohol': 802515, 'didn wait': 241253, 'minute panic': 533821, 'could blame': 208964, 'blame others': 132280, 'own poor': 632138, 'poor planning': 664262, 'planning bought': 658522, 'bought dry': 136541, 'like canned': 489959, 'good sauce': 357691, 'sauce pasta': 737159, 'bean etc': 118315, 'etc btw': 282441, 'btw there': 141548, 'picky now': 656067, 'now maga2020': 575268, 'wow good thing': 1012557, 'good thing didn': 357844, 'thing didn wait': 884268, 'didn wait til': 241254, 'til the last': 895951, 'last minute panic': 480320, 'minute panic to': 533822, 'panic to get': 638720, 'food so could': 316649, 'so could blame': 776801, 'could blame others': 208965, 'blame others for': 132281, 'others for my': 621409, 'for my own': 323738, 'my own poor': 549653, 'own poor planning': 632139, 'poor planning bought': 664263, 'planning bought dry': 658523, 'bought dry good': 136542, 'good like canned': 357330, 'like canned good': 489960, 'canned good sauce': 161544, 'good sauce pasta': 357692, 'sauce pasta rice': 737160, 'pasta rice bean': 643794, 'rice bean etc': 721018, 'bean etc btw': 118316, 'etc btw there': 282442, 'btw there is': 141549, 'is food you': 447875, 'food you just': 317713, 'you just can': 1019414, 'just can be': 468427, 'can be picky': 157663, 'be picky now': 116416, 'picky now maga2020': 656068, 'spaffing': 787241, 'divisive': 248699, 'thought instead': 893095, 'of spaffing': 589955, 'spaffing money': 787242, 'money away': 536619, 'away on': 105979, 'an embarrassing': 55663, 'embarrassing and': 272446, 'and divisive': 61541, 'divisive festival': 248700, 'festival of': 303607, 'of brexit': 580873, 'brexit why': 139536, 'not celebrate': 568723, 'crisis nh': 217757, 'here thought instead': 393691, 'thought instead of': 893096, 'instead of spaffing': 440322, 'of spaffing money': 589956, 'spaffing money away': 787243, 'money away on': 536620, 'away on an': 105980, 'on an embarrassing': 599326, 'an embarrassing and': 55664, 'embarrassing and divisive': 272447, 'and divisive festival': 61542, 'divisive festival of': 248701, 'festival of brexit': 303608, 'of brexit why': 580874, 'brexit why not': 139537, 'why not celebrate': 991214, 'not celebrate the': 568724, 'celebrate the people': 168802, 'the crisis nh': 852415, 'crisis nh and': 217758, 'nh and care': 561876, 'and care worker': 59560, 'tomahawk': 923937, 'tomahawkribeye': 923940, 'grilledmeat': 363951, 'grilling': 363954, 'sousvide': 786638, 'sousvidecooking': 786641, 'ketofood': 473192, 'tomahawk ribeye': 923938, 'ribeye quarantine': 720966, 'quarantine keto': 692326, 'keto steak': 473185, 'steak ribeye': 799162, 'ribeye tomahawkribeye': 720970, 'tomahawkribeye grilledmeat': 923941, 'grilledmeat meat': 363952, 'meat grilling': 525601, 'grilling sousvide': 363955, 'sousvide sousvidecooking': 786639, 'sousvidecooking ketofood': 786642, 'tomahawk ribeye quarantine': 923939, 'ribeye quarantine food': 720967, 'quarantine food what': 692195, 'food what did': 317560, 'up on quarantine': 945608, 'on quarantine keto': 603041, 'quarantine keto steak': 692327, 'keto steak ribeye': 473186, 'steak ribeye tomahawkribeye': 799163, 'ribeye tomahawkribeye grilledmeat': 720971, 'tomahawkribeye grilledmeat meat': 923942, 'grilledmeat meat grilling': 363953, 'meat grilling sousvide': 525602, 'grilling sousvide sousvidecooking': 363956, 'sousvide sousvidecooking ketofood': 786640, 'mumbai pune': 546023, 'pune lockdown': 689197, 'coronavirus quarantine': 206613, 'mumbai pune lockdown': 546024, 'pune lockdown all': 689198, 'lockdown all the': 499118, 'all the thing': 44941, 'the thing to': 869468, 'thing to stock': 884903, 'the coronavirus quarantine': 851894, 'minimize risk': 533117, 'store but not': 806800, 'office minimize risk': 595490, 'minimize risk with': 533118, 'mask use and': 519465, 'use and sanitizing': 949046, 'and sanitizing station': 70914, 'but open the': 146702, 'busy run': 144952, 'outside get': 629435, 'tax done': 834970, 'shopping catch': 762325, 'with old': 999863, 'friend binge': 333539, 'binge movie': 131079, 'movie tv': 544091, 'tv show': 936191, 'show reschedule': 767109, 'reschedule your': 713581, 'event work': 285112, 'your will': 1026356, 'cook pandemic': 202769, 'pandemic coronapocalypse': 635228, 'keep busy run': 471366, 'busy run or': 144953, 'run or walk': 727749, 'walk outside get': 964858, 'outside get your': 629436, 'get your tax': 348742, 'your tax done': 1026115, 'tax done do': 834971, 'done do some': 254820, 'online shopping catch': 609066, 'shopping catch up': 762326, 'up with old': 946667, 'with old friend': 999864, 'old friend binge': 598257, 'friend binge movie': 333540, 'binge movie tv': 131080, 'movie tv show': 544092, 'tv show reschedule': 936193, 'show reschedule your': 767110, 'reschedule your event': 713582, 'your event work': 1023698, 'event work on': 285113, 'work on your': 1005546, 'on your will': 605515, 'your will learn': 1026357, 'will learn to': 993971, 'to cook pandemic': 903487, 'cook pandemic coronapocalypse': 202770, 'electrolyte': 271250, 'can person': 159222, 'with diabetes': 998017, 'diabetes prepare': 240185, 'epidemic have': 279380, 'have glucose': 380782, 'glucose meter': 353082, 'meter and': 529682, 'enough strip': 277641, 'strip for': 813821, 'monitoring stock': 537371, 'water sugary': 969179, 'sugary and': 817494, 'drink electrolyte': 258817, 'electrolyte tablet': 271251, 'tablet and': 831520, 'how can person': 407511, 'can person with': 159223, 'person with diabetes': 652745, 'with diabetes prepare': 998018, 'diabetes prepare for': 240186, '19 epidemic have': 6806, 'epidemic have enough': 279381, 'enough supply of': 277651, 'supply of medicine': 825636, 'of medicine have': 586413, 'medicine have glucose': 526801, 'have glucose meter': 380783, 'glucose meter and': 353083, 'meter and enough': 529683, 'and enough strip': 62156, 'enough strip for': 277642, 'strip for monitoring': 813823, 'for monitoring stock': 323501, 'monitoring stock on': 537372, 'stock on water': 802569, 'on water sugary': 605117, 'water sugary and': 969180, 'sugary and sugar': 817495, 'and sugar free': 72668, 'sugar free drink': 817457, 'free drink electrolyte': 331784, 'drink electrolyte tablet': 258818, 'electrolyte tablet and': 271252, 'tablet and non': 831521, 'and non perishable': 67677, 'need this tax': 555823, 'this tax return': 890476, 'tax return to': 835081, 'return to make': 719922, 'make online purchase': 510273, 'bulawayo': 142216, 'out stark': 627240, 'inequality blogger': 436342, 'blogger on': 133060, 'lens bulawayo': 486353, 'bulawayo zimbabwe': 142219, 'bringing out stark': 140185, 'out stark societal': 627241, 'societal inequality blogger': 781135, 'inequality blogger on': 436343, 'blogger on looking': 133061, 'gendered lens bulawayo': 345263, 'lens bulawayo zimbabwe': 486354, 'hey folk': 394376, 'hey folk do': 394377, 'folk do you': 312142, 'know that online': 476776, 'marketing dive': 517575, '19 marketing dive': 8561, 'amref': 54922, 'tuskys partner': 936029, 'with amref': 997198, 'amref to': 54923, 'provide on': 686407, 'ground health': 366503, 'health education': 386391, 'and awareness': 58593, 'supermarket branch': 819409, 'branch kenya': 137685, 'tuskys partner with': 936030, 'partner with amref': 642903, 'with amref to': 997199, 'amref to provide': 54924, 'to provide on': 912417, 'provide on ground': 686408, 'on ground health': 601196, 'ground health education': 366504, 'health education and': 386392, 'education and awareness': 268805, 'and awareness on': 58594, 'awareness on 19': 105716, 'on 19 at': 599028, '19 at all': 5238, 'all it supermarket': 43278, 'it supermarket branch': 461357, 'supermarket branch kenya': 819410, 'gratitude note': 362383, 'liner such': 493651, 'supermarket attendant': 819262, 'attendant security': 102372, 'military server': 531497, 'server in': 752007, 'industry etc': 435804, 'etc combating': 282478, 'hero fighting': 393987, 'fighting bravely': 305043, 'gratitude note to': 362384, 'note to all': 572832, 'to all front': 900250, 'all front liner': 42881, 'front liner such': 338627, 'liner such healthcare': 493652, 'cashier supermarket attendant': 166627, 'supermarket attendant security': 819265, 'attendant security guard': 102373, 'police military server': 663094, 'military server in': 531498, 'server in the': 752008, 'food industry etc': 315012, 'industry etc combating': 435805, 'etc combating covid': 282479, 'combating covid 2019': 187066, 'real hero fighting': 701199, 'hero fighting bravely': 393988, 'fighting bravely coronovirus': 305044, 'psychtwitter': 687594, 'meded': 525950, 'captwitter': 162963, 'first try': 309137, 'try buying': 934466, 'quarantinelife telemedicine': 693029, 'telemedicine psychtwitter': 836786, 'psychtwitter meded': 687595, 'meded captwitter': 525951, 'captwitter workfromhome': 162964, 'workfromhome parentinginapandemic': 1008426, 'first try buying': 309138, 'try buying grocery': 934467, 'grocery online quarantinelife': 364784, 'online quarantinelife telemedicine': 608838, 'quarantinelife telemedicine psychtwitter': 693030, 'telemedicine psychtwitter meded': 836787, 'psychtwitter meded captwitter': 687596, 'meded captwitter workfromhome': 525952, 'captwitter workfromhome parentinginapandemic': 162965, 'information it': 437878, 'contract the': 201708, 'good information it': 357271, 'information it is': 437879, 'is possible but': 450946, 'to contract the': 903430, 'contract the virus': 201709, 'agreed but': 38698, 'then this': 877666, 'industry must': 435997, 'must improve': 546722, 'improve on': 419529, 'consumer understands': 199414, 'understands also': 940909, 'putting extensive': 691113, 'extensive exclusion': 293304, 'exclusion in': 289642, 'only worsen': 611497, 'worsen the': 1011073, 'industry reputation': 436071, 'reputation and': 713117, 'consumer believing': 196623, 'agreed but then': 38699, 'but then this': 147453, 'then this industry': 877668, 'this industry must': 888095, 'industry must improve': 435998, 'must improve on': 546723, 'improve on selling': 419532, 'on selling product': 603365, 'selling product which': 749420, 'product which the': 681843, 'which the consumer': 986372, 'the consumer understands': 851616, 'consumer understands also': 199415, 'understands also putting': 940910, 'also putting extensive': 48729, 'putting extensive exclusion': 691114, 'extensive exclusion in': 293305, 'exclusion in at': 289643, 'in at this': 420557, 'time will only': 898341, 'will only worsen': 994337, 'only worsen the': 611498, 'worsen the industry': 1011075, 'the industry reputation': 858186, 'industry reputation and': 436072, 'reputation and lead': 713118, 'and lead to': 66024, 'lead to consumer': 483332, 'to consumer believing': 903272, 'consumer believing that': 196624, 'believing that covid': 126459, 'freeman managed': 332475, 'in deep': 422067, 'deep impact': 231896, 'impact straight': 417970, 'away how': 105943, 'difficult can': 242195, 'morgan freeman managed': 541087, 'freeman managed to': 332476, 'managed to freeze': 512500, 'to freeze all': 906244, 'freeze all price': 332512, 'all price in': 44036, 'price in deep': 674678, 'in deep impact': 422069, 'deep impact straight': 231897, 'impact straight away': 417971, 'straight away how': 812203, 'away how difficult': 105944, 'how difficult can': 407698, 'difficult can it': 242196, 'germ spray': 346150, '48oz kill germ': 19369, 'kill germ spray': 474405, 'election2020': 271081, 'electionfraud': 271083, 'if come': 413965, 'we hold': 972025, 'hold an': 399891, 'election and': 271013, 'mail why': 508672, 'risk voter': 723993, 'voter like': 960582, 'supermarket zeoliarmy': 824213, 'zeoliarmy election2020': 1027388, 'election2020 electionfraud': 271082, 'hey if come': 394425, 'if come back': 413966, 'come back in': 187240, 'in the fall': 429192, 'the fall and': 854867, 'fall and the': 296836, 'and the say': 73565, 'the say the': 866396, 'say the is': 739283, 'the is killing': 858505, 'killing people if': 474705, 'people if we': 648321, 'if we hold': 415288, 'we hold an': 972026, 'hold an election': 399892, 'an election and': 55646, 'election and need': 271015, 'need the mail': 555751, 'the mail why': 859896, 'mail why cannot': 508673, 'we have time': 971966, 'have time slot': 383137, 'time slot for': 897683, 'slot for high': 774182, 'high risk voter': 395375, 'risk voter like': 723994, 'voter like at': 960583, 'the supermarket zeoliarmy': 868926, 'supermarket zeoliarmy election2020': 824214, 'zeoliarmy election2020 electionfraud': 1027389, 'today fashion': 919511, 'fashion to': 299860, 'like utter': 491706, 'utter arse': 951407, 'arse empty': 94069, 'next fill': 561365, 'my severely': 550028, 'severely petrol': 754104, 'petrol loving': 653748, 'loving car': 505051, 'car leaving': 163163, 'station completely': 796378, 'completely dry': 192270, 'dry for': 261268, 'hoarder ffs': 399024, 'apparently it today': 81959, 'it today fashion': 461769, 'today fashion to': 919512, 'fashion to act': 299861, 'to act like': 900016, 'act like utter': 29690, 'like utter arse': 491707, 'utter arse empty': 951408, 'arse empty shelf': 94070, 'supermarket so next': 822736, 'so next fill': 777873, 'next fill up': 561366, 'fill up all': 305511, 'up all my': 944254, 'all my severely': 43571, 'my severely petrol': 550029, 'severely petrol loving': 754105, 'petrol loving car': 653749, 'loving car leaving': 505052, 'car leaving the': 163164, 'leaving the petrol': 485154, 'petrol station completely': 653790, 'station completely dry': 796379, 'completely dry for': 192272, 'dry for all': 261269, 'you hoarder ffs': 1019231, 'viewfrommywindow': 957199, 'mypandemicsurvivalplan': 550777, 'life long': 488856, 'long supply': 501662, 'paper come': 640034, 'handy stayathomechallenge': 376902, 'stayathomechallenge safehands': 797744, 'safehands viewfrommywindow': 730249, 'viewfrommywindow mypandemicsurvivalplan': 957200, 'mypandemicsurvivalplan togetherathome': 550780, 'togetherathome quarantineandchill': 921069, 'toiletpaper toiletpaperfort': 922680, 'toiletpaperfort quarantine': 923151, 'hope that life': 403646, 'that life long': 844881, 'life long supply': 488857, 'long supply of': 501663, 'toilet paper come': 921232, 'paper come in': 640035, 'in handy stayathomechallenge': 423537, 'handy stayathomechallenge safehands': 376903, 'stayathomechallenge safehands viewfrommywindow': 797745, 'safehands viewfrommywindow mypandemicsurvivalplan': 730250, 'viewfrommywindow mypandemicsurvivalplan togetherathome': 957201, 'mypandemicsurvivalplan togetherathome quarantineandchill': 550781, 'togetherathome quarantineandchill toiletpaper': 921070, 'quarantineandchill toiletpaper toiletpaperfort': 692776, 'toiletpaper toiletpaperfort quarantine': 922681, 'video falsely': 956722, 'falsely said': 297476, 'show woman': 767285, 'for spitting': 325830, 'been seized': 121901, 'seized on': 747441, 'spread racist': 790762, 'racist sentiment': 695326, 'sentiment online': 750976, 'this video falsely': 890978, 'video falsely said': 956723, 'falsely said to': 297477, 'said to show': 731520, 'to show woman': 914582, 'show woman with': 767286, 'woman with covid': 1003695, '19 being arrested': 5360, 'being arrested for': 124863, 'arrested for spitting': 93847, 'for spitting on': 325831, 'fruit in sydney': 339101, 'sydney supermarket ha': 830711, 'ha been seized': 369914, 'been seized on': 121902, 'seized on to': 747442, 'on to spread': 604763, 'to spread racist': 915076, 'spread racist sentiment': 790763, 'racist sentiment online': 695327, 'mcfc': 522168, 'twitter manchester': 936685, 'via mcfc': 956074, 'manchester city on': 512941, 'city on twitter': 179303, 'on twitter manchester': 604922, 'twitter manchester city': 936686, 'pandemic via mcfc': 636899, 'unwrap': 944093, 'peachie': 646044, 'to unwrap': 917970, 'unwrap the': 944094, 'the peachie': 863423, 'you ready to': 1020821, 'ready to unwrap': 700985, 'to unwrap the': 917971, 'unwrap the peachie': 944095, 'dayofcaring': 228909, 'three amazing': 893869, 'amazing station': 50784, 'station one': 796475, 'one incredible': 606489, 'incredible lead': 433851, 'lead gift': 483280, 'gift thank': 350025, 'for hosting': 322374, 'hosting day': 404956, 'of caring': 581154, 'foodbank please': 317786, 'support dayofcaring': 826452, 'dayofcaring tomorrow': 228910, 'three amazing station': 893870, 'amazing station one': 50785, 'station one incredible': 796476, 'one incredible lead': 606490, 'incredible lead gift': 433852, 'lead gift thank': 483281, 'gift thank you': 350026, 'you for hosting': 1018644, 'for hosting day': 322376, 'hosting day of': 404957, 'day of caring': 228058, 'of caring for': 581155, 'for our foodbank': 324244, 'our foodbank please': 623141, 'foodbank please support': 317787, 'please support dayofcaring': 660611, 'support dayofcaring tomorrow': 826453, 'hol': 399869, 'will restrict': 994674, 'restrict person': 717110, 'person entering': 652416, 'entering or': 278411, 'or leaving': 615954, 'leaving indigenous': 485098, 'indigenous community': 435080, 'community school': 190082, 'national interest': 552546, 'interest also': 441325, 'at prison': 100208, 'prison supermarket': 678739, 'chain changing': 170591, 'changing trucking': 172837, 'trucking law': 932989, 'law further': 482295, 'further advice': 341993, 'advice soon': 33504, 'soon re': 785804, 're school': 699440, 'school hol': 741817, 'hol travel': 399870, 'will restrict person': 994675, 'restrict person entering': 717111, 'person entering or': 652417, 'entering or leaving': 278412, 'or leaving indigenous': 615955, 'leaving indigenous community': 485099, 'indigenous community school': 435081, 'community school will': 190083, 'remain open that': 709825, 'open that in': 612544, 'in the national': 429384, 'the national interest': 861297, 'national interest also': 552547, 'interest also looking': 441326, 'looking at prison': 502819, 'at prison supermarket': 100209, 'prison supermarket supply': 678740, 'supply chain changing': 824928, 'chain changing trucking': 170592, 'changing trucking law': 172838, 'trucking law further': 932990, 'law further advice': 482296, 'further advice soon': 341994, 'advice soon re': 33505, 'soon re school': 785805, 're school hol': 699441, 'school hol travel': 741818, 'address measure': 31994, 'measure expands': 525190, 'expands hiring': 290527, 'hiring effort': 397088, 'effort lidl': 269546, 'lidl supermarket': 488306, 'address measure expands': 31995, 'measure expands hiring': 525191, 'expands hiring effort': 290528, 'hiring effort lidl': 397089, 'effort lidl supermarket': 269547, 'lidl supermarket grocery': 488307, 'supermarket grocery retail': 820582, 'grocery retail housewares': 364896, 'love being': 504619, 'cook more': 202757, 'meal appreciate': 524100, 'appreciate being': 82714, 'supply am': 824681, 'am thankful': 50480, 'alive stayhomesavelives': 41836, 'stayhomesavelives selfisolation': 798441, 'love being able': 504620, 'able to learn': 24499, 'to cook more': 903484, 'cook more meal': 202758, 'more meal appreciate': 539759, 'meal appreciate being': 524101, 'appreciate being able': 82715, 'able to drive': 24474, 'get supply am': 348150, 'supply am thankful': 824683, 'am thankful to': 50482, 'to be alive': 901100, 'be alive stayhomesavelives': 113548, 'alive stayhomesavelives selfisolation': 41837, 'sbl': 739815, 'sblhomoeopathy': 739821, 'sblglobal': 739818, 'mythbuster': 551065, 'indiafightscovid19': 434748, 'useful in': 950161, 'in killing': 424506, 'might enter': 530965, 'body sbl': 133881, 'sbl sblhomoeopathy': 739816, 'sblhomoeopathy sblglobal': 739822, 'sblglobal mythbuster': 739819, 'mythbuster indiafightscovid19': 551066, 'sanitizer is useful': 735216, 'is useful in': 453621, 'useful in killing': 950162, 'in killing the': 424507, 'killing the virus': 474721, 'the virus on': 870868, 'virus on the': 958551, 'on the surface': 604394, 'your hand that': 1024229, 'hand that might': 375818, 'that might enter': 845158, 'might enter your': 530966, 'enter your body': 278337, 'your body sbl': 1022989, 'body sbl sblhomoeopathy': 133882, 'sbl sblhomoeopathy sblglobal': 739817, 'sblhomoeopathy sblglobal mythbuster': 739823, 'sblglobal mythbuster indiafightscovid19': 739820, 'amitabh': 52862, 'bachchan': 106803, 'unicef': 941719, 'bollywood shahenshah': 134129, 'shahenshah amitabh': 754392, 'amitabh bachchan': 52863, 'bachchan goodwill': 106804, 'goodwill ambassador': 358100, 'ambassador of': 51288, 'of unicef': 592631, 'unicef india': 941720, 'protected against': 685117, 'against coronaoutbreak': 37382, 'coronaoutbreak india': 205122, 'bollywood shahenshah amitabh': 134130, 'shahenshah amitabh bachchan': 754393, 'amitabh bachchan goodwill': 52864, 'bachchan goodwill ambassador': 106805, 'goodwill ambassador of': 358102, 'ambassador of unicef': 51290, 'of unicef india': 592632, 'unicef india ha': 941722, 'india ha this': 434449, 'ha this important': 372263, 'this important message': 888026, 'important message for': 418881, 'message for you': 529310, 'for you on': 328076, 'you on how': 1020190, 'safe and protected': 729470, 'and protected against': 69666, 'protected against coronaoutbreak': 685118, 'against coronaoutbreak india': 37383, 'stupidass': 815506, 'you stupidass': 1021464, 'stupidass panic': 815507, 'die from covid': 241345, 'from starvation cause': 337406, 'starvation cause you': 795159, 'cause you stupidass': 167812, 'you stupidass panic': 1021465, 'stupidass panic buyer': 815508, 'buyer are taking': 149577, 'taking all the': 833267, 'dwindling foodbank': 263688, 'donation is': 254631, 'fight hunger': 304773, 'hunger mypandemicsurvivalplan': 411154, 'shelf and dwindling': 756728, 'and dwindling foodbank': 61818, 'dwindling foodbank donation': 263689, 'foodbank donation is': 317770, 'donation is helping': 254632, 'is helping fight': 448399, 'helping fight hunger': 391330, 'fight hunger mypandemicsurvivalplan': 304775, 'isolate how': 454869, 'heck can': 388696, 'that dealing': 843453, 'customer doing': 222307, 'best with': 128002, 'virus retailworkers': 958696, 'have to self': 383295, 'self isolate how': 747678, 'isolate how the': 454870, 'how the heck': 408834, 'the heck can': 857225, 'heck can do': 388697, 'can do that': 158120, 'do that dealing': 250219, 'that dealing with': 843454, 'dealing with customer': 229660, 'with customer doing': 997899, 'customer doing my': 222308, 'doing my best': 252540, 'my best with': 547437, 'best with hand': 128003, 'and wipe but': 75732, 'wipe but it': 996211, 'but it very': 146177, 'very difficult for': 955120, 'difficult for retail': 242227, 'for retail worker': 325198, 'worker to avoid': 1007996, 'avoid this virus': 105350, 'this virus retailworkers': 891022, 'safe clean': 729547, 'clean home': 180561, 'home absolutely': 400548, 'absolutely outstanding': 27421, 'outstanding cleaning': 629689, 'cleaning awesome': 180904, 'awesome rate': 106192, 'home safe clean': 401995, 'safe clean the': 729548, 'clean the best': 180648, 'avoid the is': 105324, 'is in clean': 448756, 'in clean home': 421499, 'clean home absolutely': 180562, 'home absolutely outstanding': 400549, 'absolutely outstanding cleaning': 27422, 'outstanding cleaning awesome': 629690, 'cleaning awesome rate': 180905, 'awesome rate price': 106193, 'ignoranthumans': 415808, 'those pharmacy': 892340, 'price think': 676906, 'smart your': 775457, 'and sibling': 71634, 'sibling will': 768338, 'afford sanitizers': 34753, 'how smart': 408695, 'smart you': 775455, 'are ignoranthumans': 87296, 'those pharmacy and': 892341, 'pharmacy and shop': 654224, 'and shop selling': 71512, 'shop selling hand': 760750, 'sanitizers at ridiculous': 736229, 'ridiculous price think': 721601, 'price think they': 676907, 'are being smart': 84923, 'being smart your': 125803, 'smart your mother': 775458, 'your mother and': 1024892, 'mother and sibling': 543054, 'and sibling will': 71635, 'sibling will be': 768339, 'be infected by': 115479, 'infected by the': 436549, 'can afford sanitizers': 157406, 'afford sanitizers at': 34754, 'sanitizers at such': 736230, 'at such high': 100680, 'such high price': 816553, 'high price then': 395281, 'price then you': 676878, 'then you will': 877799, 'you will know': 1022340, 'will know how': 993930, 'know how smart': 476456, 'how smart you': 408696, 'smart you are': 775456, 'you are ignoranthumans': 1017145, 'hesahero': 394263, 'rolemodel': 725144, 'this working': 891499, 'throughout it': 894944, 'only concern': 610258, 'are his': 87188, 'his team': 397849, 'customer hesahero': 222468, 'hesahero rolemodel': 394264, 'rolemodel grocery': 725145, 'dad is on': 224354, 'of this working': 592074, 'this working in': 891501, 'store and throughout': 806381, 'and throughout it': 74090, 'throughout it all': 894945, 'it all his': 456352, 'all his only': 43124, 'his only concern': 397660, 'only concern are': 610259, 'concern are his': 192921, 'are his team': 87189, 'his team and': 397850, 'team and customer': 835577, 'and customer hesahero': 60849, 'customer hesahero rolemodel': 222469, 'hesahero rolemodel grocery': 394265, 'rolemodel grocery store': 725146, 'worker hero to': 1007126, 'hero to the': 394136, 'community during coronavirus': 189824, 'seems stock': 746848, 'decline wonder': 231415, 'the labour': 858893, 'labour force': 478515, 'abundance to': 27592, 'exploit no': 292347, 'doubt they': 256226, 'increase stock': 433083, 'again post': 37116, 'post those': 666364, 'those shareholder': 892455, 'shareholder profit': 755481, 'ok soon': 597894, 'soon wait': 785887, 'the pass': 863328, 'seems stock market': 746849, 'market are in': 516024, 'are in sharp': 87436, 'in sharp decline': 427868, 'sharp decline wonder': 755676, 'decline wonder why': 231416, 'it because the': 456759, 'because the labour': 119632, 'the labour force': 858894, 'labour force is': 478516, 'force is not': 328415, 'is not there': 450205, 'not there in': 572058, 'there in abundance': 878505, 'in abundance to': 419994, 'abundance to exploit': 27593, 'to exploit no': 905494, 'exploit no doubt': 292348, 'no doubt they': 564057, 'doubt they ll': 256227, 'they ll find': 882597, 'll find way': 496772, 'way to increase': 970040, 'to increase stock': 908303, 'increase stock market': 433084, 'market price again': 516879, 'price again post': 672240, 'again post those': 37117, 'post those shareholder': 666365, 'those shareholder profit': 892456, 'shareholder profit will': 755483, 'be ok soon': 116176, 'ok soon wait': 597895, 'soon wait til': 785888, 'til the pass': 895952, 'quality of': 691825, 'reduce subscription': 705947, 'price accordingly': 672208, 'confirmed that it': 194198, 'is reducing the': 451382, 'reducing the quality': 706327, 'the quality of': 864952, 'quality of video': 691828, 'of video to': 592803, 'video to accommodate': 956931, 'accommodate the covid': 28436, 'crisis we hope': 218348, 'hope you reduce': 403807, 'you reduce subscription': 1020872, 'reduce subscription price': 705948, 'subscription price accordingly': 815903, 'price jai': 674939, 'hind gt': 396833, 'domestic price jai': 253215, 'price jai hind': 674940, 'jai hind gt': 464253, 'dreadful': 258576, 'this dreadful': 887296, 'dreadful time': 258577, 'time chief': 896474, 'exec highlight': 289816, 'highlight hard': 395918, 'keep family': 471494, 'family fed': 297784, 'fed across': 301772, 'region yorkshire': 707483, 'yorkshire farmer': 1016721, 'farmer job': 299428, 'farmer in this': 299424, 'in this dreadful': 429936, 'this dreadful time': 887297, 'dreadful time chief': 258578, 'time chief exec': 896475, 'chief exec highlight': 175923, 'exec highlight hard': 289817, 'highlight hard work': 395919, 'work of farmer': 1005516, 'of farmer to': 583430, 'farmer to keep': 299539, 'to keep family': 908786, 'keep family fed': 471496, 'family fed across': 297785, 'fed across the': 301773, 'the region yorkshire': 865437, 'region yorkshire farmer': 707484, 'yorkshire farmer job': 1016722, 'vee extends': 953688, 'extends reserved': 293261, 'reserved shopping': 714143, 'hy vee extends': 411887, 'vee extends reserved': 953689, 'extends reserved shopping': 293262, 'reserved shopping time': 714144, 'risk customer to': 723484, 'customer to online': 222972, 'coventry': 212174, 'wearing shopping': 974784, 'friend day': 333569, 'day 12': 227098, '12 19': 2781, 'shopping coventry': 762412, 'coventry gov': 212175, 'gov rule': 359685, 'rule non': 727302, 'non infectious': 566414, 'infectious day': 436897, 'need did': 554674, 'he pas': 385293, 'you decide': 1018159, 'you should happen': 1021194, 'happen to see': 377186, 'we all should': 970360, 'be wearing shopping': 118078, 'wearing shopping my': 974785, 'shopping my friend': 763309, 'my friend day': 548428, 'friend day 12': 333570, 'day 12 19': 227099, '12 19 shopping': 2782, '19 shopping coventry': 10487, 'shopping coventry gov': 762413, 'coventry gov rule': 212176, 'gov rule non': 359686, 'rule non infectious': 727303, 'non infectious day': 566415, 'infectious day no': 436898, 'day no need': 228021, 'no need did': 564848, 'need did he': 554675, 'did he pas': 240639, 'he pas on': 385294, 'pas on 19': 643132, 'on 19 you': 599039, '19 you decide': 12265, 'rentpayment': 711330, 'are rent': 89582, 'drop how': 260215, 'virus affect': 957892, 'affect apartment': 34121, 'apartment and': 81386, 'home rent': 401965, 'rent rental': 711179, 'rental tenant': 711282, 'tenant rentpayment': 837851, 'rentpayment mortgage': 711331, 'mortgage shutdown': 541959, 'are rent price': 89583, 'rent price going': 711160, 'price going to': 674215, 'to drop how': 904772, 'drop how will': 260216, 'will the corona': 995131, 'corona virus affect': 204280, 'virus affect apartment': 957893, 'affect apartment and': 34122, 'apartment and home': 81387, 'and home rent': 64683, 'home rent rental': 401966, 'rent rental tenant': 711180, 'rental tenant rentpayment': 711283, 'tenant rentpayment mortgage': 837852, 'rentpayment mortgage shutdown': 711332, 'sniff': 776338, 'dontmakeasound': 255364, 'playing an': 659379, 'old video': 598518, 'game there': 343263, 'there someone': 879072, 'someone up': 784728, 'up ahead': 944247, 'ahead must': 39169, 'must slow': 546890, 'gone don': 356256, 'don cough': 253442, 'even sniff': 284590, 'sniff any': 776339, 'any sound': 79836, 'sound will': 786342, 'the guard': 856901, 'guard nerve': 367821, 'wracking dontmakeasound': 1012651, 'supermarket shopping while': 822658, 'shopping while socialdistancing': 764399, 'while socialdistancing is': 987292, 'socialdistancing is like': 780468, 'like playing an': 491012, 'playing an old': 659380, 'an old video': 56592, 'old video game': 598519, 'video game there': 956762, 'game there someone': 343264, 'there someone up': 879073, 'someone up ahead': 784729, 'up ahead must': 944248, 'ahead must slow': 39170, 'must slow down': 546891, 'down until they': 257417, 'until they re': 943895, 'they re gone': 883045, 're gone don': 698757, 'gone don cough': 356257, 'don cough or': 253443, 'cough or even': 208529, 'or even sniff': 615213, 'even sniff any': 284591, 'sniff any sound': 776340, 'any sound will': 79837, 'sound will alert': 786343, 'will alert the': 992227, 'alert the guard': 41514, 'the guard nerve': 856902, 'guard nerve wracking': 367822, 'nerve wracking dontmakeasound': 557442, 'watched critical': 968656, 'selfish fucking': 748099, 'fucking stockpilers': 340011, 'stockpilers or': 803883, 'or profiteer': 616718, 'profiteer just': 682964, 'like her': 490419, 'just watched critical': 470245, 'watched critical care': 968657, 'nurse cry on': 577263, 'cry on bbc': 219893, 'bbc news because': 113088, 'news because when': 560269, 'because when she': 119829, 'when she get': 983997, 'she get to': 756051, 'are empty so': 86168, 'empty so if': 275128, 'those selfish fucking': 892436, 'selfish fucking stockpilers': 748101, 'fucking stockpilers or': 340012, 'stockpilers or profiteer': 803884, 'or profiteer just': 616719, 'profiteer just remember': 682965, 'remember you need': 710435, 'people like her': 648643, 'like her to': 490424, 'her to look': 392467, 'direct suggests': 243390, 'suggests staff': 817707, 'open profit': 612465, 'sport direct suggests': 789921, 'direct suggests staff': 243391, 'suggests staff are': 817708, 'staff are key': 792195, 'worker and say': 1006331, 'and say store': 71005, 'store will stay': 811347, 'stay open profit': 797161, 'open profit before': 612466, 'before people online': 123008, 'people online shopping': 648987, 'uht': 938095, 'supermarketstakeout': 824241, 'stayhomeaustralia': 798246, 'little game': 495364, 'will first': 993446, 'first reappear': 308908, 'reappear on': 702823, 'shelf uht': 757721, 'uht skim': 938098, 'milk toiletpaper': 531879, 'disinfectant flour': 245659, 'hoarder panicbuying': 399092, 'panicshopping lockdownaustralia': 639437, 'lockdownaustralia supermarketstakeout': 500227, 'supermarketstakeout stayhomeaustralia': 824242, 'my little game': 549080, 'little game is': 495365, 'game is what': 343196, 'is what will': 453905, 'what will first': 982598, 'will first reappear': 993447, 'first reappear on': 308909, 'reappear on my': 702824, 'my supermarket shelf': 550276, 'supermarket shelf uht': 822553, 'shelf uht skim': 757722, 'uht skim milk': 938099, 'skim milk toiletpaper': 773030, 'milk toiletpaper sanitizer': 531880, 'toiletpaper sanitizer spray': 922438, 'sanitizer spray disinfectant': 735783, 'spray disinfectant flour': 790285, 'disinfectant flour hoarder': 245660, 'flour hoarder panicbuying': 311121, 'hoarder panicbuying panicshopping': 399093, 'panicbuying panicshopping lockdownaustralia': 639019, 'panicshopping lockdownaustralia supermarketstakeout': 639438, 'lockdownaustralia supermarketstakeout stayhomeaustralia': 500228, 'mass brawl': 519746, 'france the': 331037, 'worse 19': 1010850, 'mass brawl in': 519747, 'brawl in lidl': 138313, 'in lidl supermarket': 424701, 'lidl supermarket in': 488308, 'supermarket in france': 820901, 'in france the': 423088, 'france the situation': 331039, 'is getting worse': 448051, 'getting worse 19': 349450, 'our how': 623488, 'supporting food': 827134, 'with 25': 996990, 'million fund': 532167, 'help redistribute': 390420, 'reduce food': 705836, 'read our daily': 700505, 'on our how': 602607, 'our how we': 623489, 're supporting food': 699638, 'supporting food redistribution': 827135, 'redistribution organisation with': 705749, 'organisation with 25': 619291, 'with 25 million': 996991, '25 million fund': 15909, 'million fund to': 532168, 'to help redistribute': 907604, 'help redistribute up': 390421, 'outbreak and reduce': 628008, 'and reduce food': 70094, 'reduce food waste': 705837, 'ertf': 280238, 'give alert': 350364, 'alert call': 41368, 'combat corona': 186992, 'corona 60': 203790, '60 age': 20877, 'age inside': 37838, 'inside home': 439277, 'home observe': 401691, 'observe janta': 578587, '22 mar': 15220, 'mar frm': 515009, 'frm 7am': 334111, '7am 9pm': 22406, '9pm stay': 24007, 'away frm': 105853, 'frm rumour': 334123, 'rumour formation': 727518, '19 ertf': 6826, 'ertf under': 280239, 'under fm': 940091, 'fm don': 311695, 'buying india': 150552, 'and ration': 69946, 'give alert call': 350365, 'alert call to': 41369, 'call to combat': 156169, 'to combat corona': 902989, 'combat corona 60': 186993, 'corona 60 age': 203791, '60 age inside': 20878, 'age inside home': 37839, 'inside home observe': 439278, 'home observe janta': 401692, 'observe janta curfew': 578588, 'on 22 mar': 599066, '22 mar frm': 15221, 'mar frm 7am': 515010, 'frm 7am 9pm': 334112, '7am 9pm stay': 22407, '9pm stay away': 24008, 'stay away frm': 796783, 'away frm rumour': 105854, 'frm rumour formation': 334124, 'rumour formation of': 727519, 'formation of covid': 329594, 'covid 19 ertf': 213033, '19 ertf under': 6827, 'ertf under fm': 280240, 'under fm don': 940092, 'fm don panic': 311696, 'don panic buying': 253798, 'panic buying india': 637775, 'buying india ha': 150553, 'food and ration': 313322, 'unveil': 944009, 'russian price': 728661, 'war doing': 966418, 'price join': 674947, 'pm central': 661876, 'central when': 169447, 'when unveil': 984366, 'unveil my': 944012, 'my model': 549249, 'market register': 516972, 'what are 19': 981054, 'are 19 and': 84108, 'and the saudi': 73564, 'saudi russian price': 737306, 'russian price war': 728662, 'price war doing': 677355, 'war doing to': 966419, 'doing to oil': 252796, 'to oil demand': 910880, 'oil demand amp': 596739, 'demand amp price': 234941, 'amp price join': 54330, 'price join me': 674948, 'join me tomorrow': 466779, 'me tomorrow at': 523815, 'tomorrow at pm': 924037, 'at pm central': 100140, 'pm central when': 661877, 'central when unveil': 169448, 'when unveil my': 984367, 'unveil my model': 944013, 'my model of': 549250, 'model of their': 535289, 'of their impact': 591671, 'the market register': 860150, 'market register here': 516973, 'genuine ethical': 345864, 'ethical question': 283084, 'question at': 693544, 'stage is': 793196, 'shopping mail': 763223, 'delivery use': 234709, 'use curbside': 949147, 'or personally': 616561, 'personally enter': 653024, 'enter business': 278236, 'business wearing': 144644, 'wearing homemade': 974657, 'homemade available': 402814, 'available ppe': 104562, 'case only': 165940, 'item medtwitter': 463455, 'genuine ethical question': 345865, 'ethical question at': 283085, 'question at this': 693545, 'this stage is': 890294, 'stage is it': 793197, 'better to utilize': 128570, 'to utilize online': 918097, 'online shopping mail': 609180, 'shopping mail delivery': 763224, 'mail delivery use': 508604, 'delivery use curbside': 234710, 'use curbside pickup': 949148, 'or delivery or': 614945, 'delivery or personally': 234285, 'or personally enter': 616562, 'personally enter business': 653025, 'enter business wearing': 278237, 'business wearing homemade': 144645, 'wearing homemade available': 974658, 'homemade available ppe': 402815, 'available ppe in': 104563, 'ppe in all': 667977, 'in all case': 420165, 'all case only': 42312, 'case only for': 165941, 'only for truly': 610477, 'truly essential item': 933300, 'essential item medtwitter': 281212, 'busquets': 144813, 'busquets is': 144814, 'they selling': 883316, 'selling made': 749332, 'bidder all': 129502, 'the cking': 850975, 'cking planet': 179666, 'planet so': 658423, 'fat bonus': 300198, 'jack stock': 464118, 'why ame': 990740, 'busquets is canada': 144815, 'is canada the': 446360, 'canada the only': 160579, 'only country they': 610283, 'country they re': 211143, 'they re selling': 883120, 're selling to': 699481, 'selling to or': 749504, 'are they selling': 91023, 'they selling made': 883317, 'selling made mask': 749333, 'made mask to': 507830, 'highest bidder all': 395812, 'bidder all over': 129503, 'over the cking': 630701, 'the cking planet': 850976, 'cking planet so': 179667, 'planet so they': 658424, 'so they get': 778470, 'they get fat': 882162, 'get fat bonus': 346997, 'fat bonus and': 300199, 'bonus and jack': 134348, 'and jack stock': 65636, 'jack stock price': 464119, 'stock price why': 802761, 'price why ame': 677538, 'xuwen': 1013914, 'unmarketable': 942827, 'xuwen county': 1013915, 'county known': 211425, 'known in': 477227, 'of pineapple': 588125, 'pineapple saw': 656802, 'it pineapple': 460329, 'pineapple became': 656798, 'became unmarketable': 118896, 'unmarketable nation': 942828, 'wide lockdown': 991725, 'outbreak eradicated': 628195, 'eradicated demand': 280101, 'farmer had': 299396, 'leave pile': 484899, 'pineapple rotting': 656800, 'rotting in': 726216, 'xuwen county known': 1013916, 'county known in': 211426, 'known in china': 477228, 'china the land': 176986, 'land of pineapple': 479280, 'of pineapple saw': 588127, 'pineapple saw it': 656803, 'saw it pineapple': 738147, 'it pineapple became': 460330, 'pineapple became unmarketable': 656799, 'became unmarketable nation': 118897, 'unmarketable nation wide': 942829, 'nation wide lockdown': 552386, 'wide lockdown amid': 991726, 'lockdown amid the': 499128, 'the outbreak eradicated': 862617, 'outbreak eradicated demand': 628196, 'eradicated demand farmer': 280102, 'demand farmer had': 235324, 'farmer had to': 299397, 'had to lower': 373706, 'price and leave': 672457, 'and leave pile': 66058, 'leave pile of': 484900, 'pile of pineapple': 656507, 'of pineapple rotting': 588126, 'pineapple rotting in': 656801, 'rotting in the': 726218, 'sir lockdown': 771592, 'but govt': 145817, 'supply vegetable': 826063, 'suddenly gone': 817100, 'city police': 179323, 'should allow': 765495, 'allow movement': 46000, 'commodity commerce': 189147, 'commerce delivery': 188541, 'delivery boy': 233752, 'sir lockdown is': 771593, 'lockdown is the': 499557, 'the right step': 865828, 'right step to': 722287, 'step to control': 799643, '19 but govt': 5503, 'but govt should': 145820, 'should ensure essential': 765964, 'essential supply vegetable': 281632, 'supply vegetable price': 826064, 'vegetable price have': 954072, 'price have suddenly': 674464, 'have suddenly gone': 382841, 'suddenly gone up': 817101, 'the city police': 850954, 'city police should': 179324, 'police should allow': 663202, 'should allow movement': 765497, 'allow movement of': 46001, 'movement of supplier': 543905, 'of supplier of': 590467, 'essential commodity commerce': 280915, 'commodity commerce delivery': 189148, 'commerce delivery boy': 188542, 'ha clearly': 370164, 'clearly revealed': 181553, 'revealed what': 720287, 'sorry dave': 786035, 'dave killer': 226959, 'killer bread': 474627, 'ha clearly revealed': 370166, 'clearly revealed what': 181554, 'revealed what people': 720288, 'what people like': 982014, 'people like and': 648640, 'like and don': 489783, 'and don like': 61635, 'don like at': 253699, 'supermarket sorry dave': 822785, 'sorry dave killer': 786036, 'dave killer bread': 226960, 'jnt': 465573, 'stupid hell': 815393, 'hell we': 389084, 'have thing': 383093, 'economy need': 268088, 'run most': 727708, 'not spend': 571671, 'courier especially': 211812, 'especially jnt': 280535, 'jnt express': 465574, 'express are': 293024, 'are overloaded': 88923, 'overloaded please': 631274, 'please cooperate': 659853, 'cooperate ultimately': 203141, 'ultimately for': 939141, 'stupid hell we': 815394, 'hell we have': 389086, 'we have thing': 971963, 'have thing to': 383094, 'the economy need': 853998, 'economy need to': 268090, 'to run most': 913664, 'run most business': 727709, 'closed and people': 182995, 'do not spend': 249849, 'not spend money': 571672, 'spend money at': 788632, 'money at the': 536618, 'supermarket our courier': 821850, 'our courier especially': 622616, 'courier especially jnt': 211813, 'especially jnt express': 280536, 'jnt express are': 465575, 'express are overloaded': 293026, 'are overloaded please': 88924, 'overloaded please cooperate': 631275, 'please cooperate ultimately': 659855, 'cooperate ultimately for': 203142, 'ultimately for at': 939142, 'who simply': 989626, 'simply ha': 770230, 'heart screw': 388328, 'behalf of anyone': 123754, 'of anyone and': 580279, 'anyone and everyone': 80180, 'group or who': 366826, 'or who simply': 617798, 'who simply ha': 989627, 'simply ha heart': 770231, 'ha heart screw': 370846, 'heart screw you': 388329, 'screw you spring': 742813, 'dumbfuckery': 262138, 'humming': 410849, 'trump disastrous': 933517, 'disastrous dumbfuckery': 244286, 'dumbfuckery about': 262139, 'ending social': 276202, 'economy humming': 267948, 'humming again': 410850, 'again may': 37064, 'cause run': 167722, 'future get': 342334, 'coming panic': 188171, 'panic resistance': 638483, 'resistance resist': 714589, 'trump disastrous dumbfuckery': 933518, 'disastrous dumbfuckery about': 244287, 'dumbfuckery about and': 262140, 'about and ending': 24799, 'and ending social': 62122, 'ending social distancing': 276203, 'get the economy': 348238, 'the economy humming': 853979, 'economy humming again': 267949, 'humming again may': 410851, 'again may cause': 37065, 'may cause run': 521075, 'cause run on': 167723, 'run on bank': 727732, 'on bank and': 599555, 'food store in': 316851, 'very near future': 955376, 'near future get': 553502, 'future get in': 342335, 'get in front': 347295, 'of the coming': 590873, 'the coming panic': 851198, 'coming panic resistance': 188172, 'panic resistance resist': 638484, 'about shop': 26181, 'shop limit': 760412, 'two item': 936983, 'anything maximum': 80828, 'maximum crazy': 520814, 'vulnerable stock': 961177, 'pile commonsense': 656489, 'commonsense instead': 189505, 'instead coronacrisis': 440165, 'an idea how': 56127, 'idea how about': 413072, 'how about shop': 407302, 'about shop limit': 26182, 'shop limit people': 760413, 'limit people to': 492445, 'people to two': 649959, 'to two item': 917864, 'two item of': 936984, 'item of anything': 463488, 'of anything maximum': 580292, 'anything maximum crazy': 80829, 'maximum crazy to': 520815, 'to think people': 917380, 'dont need and': 255257, 'need and people': 554433, 'are vulnerable stock': 91512, 'vulnerable stock pile': 961178, 'stock pile commonsense': 802628, 'pile commonsense instead': 656490, 'commonsense instead coronacrisis': 189506, 'lament': 479189, 'thirdworldproblems': 886128, 'man from': 512071, 'from old': 336657, 'old country': 598194, 'country lament': 210848, 'lament finding': 479190, 'first world': 309192, 'country toiletpaper': 211177, 'toiletpaper firstworldproblems': 921986, 'firstworldproblems thirdworldproblems': 309238, 'man from old': 512072, 'from old country': 336658, 'old country lament': 598195, 'country lament finding': 210849, 'lament finding the': 479191, 'finding the same': 307552, 'same problem now': 733248, 'problem now in': 679619, 'now in first': 574999, 'in first world': 422913, 'first world country': 309193, 'world country toiletpaper': 1009467, 'country toiletpaper firstworldproblems': 211178, 'toiletpaper firstworldproblems thirdworldproblems': 921987, 'yet figured': 1016070, 'virus probably': 958650, 'probably arrived': 679210, 'with around': 997308, 'around 60': 93154, '60 death': 20936, 'hasn yet figured': 378802, 'yet figured out': 1016071, 'figured out that': 305259, 'that the chinese': 846682, 'chinese virus probably': 177387, 'virus probably arrived': 958651, 'probably arrived in': 679211, 'the in early': 858001, 'in early december': 422449, 've already had': 952823, 'it with around': 462465, 'with around 60': 997309, 'around 60 death': 93155, 'esepcially': 280347, 'ppe esepcially': 667941, 'esepcially when': 280348, 'many provider': 514604, 'hard shameful': 378012, 'helping not': 391403, 'to rake': 912740, 'for ppe esepcially': 324665, 'ppe esepcially when': 667942, 'esepcially when so': 280349, 'so many provider': 777694, 'many provider are': 514605, 'provider are running': 686693, 'out and getting': 625664, 'and getting supply': 63625, 'getting supply is': 349323, 'is hard shameful': 448304, 'hard shameful you': 378013, 'shameful you should': 754715, 'be helping not': 115216, 'helping not trying': 391404, 'trying to rake': 934849, 'to rake in': 912741, 'rake in much': 696210, 'in much profit': 425501, 'only now': 610829, 'now realising': 575645, 'realising just': 701656, 'now important': 574985, 'important my': 418892, 'is charlotte': 446490, 'charlotte share': 173773, 'her experience': 392020, 'only now realising': 610830, 'now realising just': 575646, 'realising just now': 701657, 'just now important': 469347, 'now important my': 574986, 'important my job': 418893, 'job is charlotte': 465899, 'is charlotte share': 446491, 'charlotte share her': 173774, 'share her experience': 755022, 'her experience of': 392021, 'experience of working': 291441, 'allocating': 45892, 'we allocating': 970380, 'allocating supermarket': 45893, 'every city': 285733, 'city exclusively': 179140, 'health going': 386462, 'work then': 1005821, 'then trying': 877698, 'the fuckin': 855983, 'fuckin moron': 339779, 'moron have': 541594, 'aren we allocating': 92582, 'we allocating supermarket': 970381, 'allocating supermarket in': 45894, 'in every city': 422673, 'every city exclusively': 285734, 'city exclusively for': 179141, 'exclusively for key': 289717, 'their health going': 873517, 'health going to': 386463, 'to work then': 918789, 'work then trying': 1005823, 'then trying to': 877699, 'some shopping after': 783857, 'shopping after their': 761910, 'their shift only': 874691, 'shift only to': 758373, 'to find all': 905874, 'all the fuckin': 44757, 'the fuckin moron': 855984, 'fuckin moron have': 339780, 'moron have emptied': 541595, 'the shelf coronacrisisuk': 866829, 'laundry machine': 482117, 'machine work': 507419, 'disinfect clothes': 245538, 'clothes from': 184163, 'you disinfect': 1018233, 'disinfect produce': 245562, 'produce here': 680296, 'doe the laundry': 251613, 'the laundry machine': 859176, 'laundry machine work': 482118, 'machine work to': 507420, 'work to disinfect': 1005884, 'to disinfect clothes': 904396, 'disinfect clothes from': 245539, 'clothes from should': 184164, 'from should you': 337285, 'should you disinfect': 766673, 'you disinfect produce': 1018234, 'disinfect produce here': 245563, 'produce here our': 680297, 'here our guide': 393431, 'guide on how': 368340, 'and disinfect everything': 61436, 'disinfect everything in': 245545, 'everything in your': 287860, 'of oakland': 587133, 'oakland ha': 578265, 'opened new': 612744, 'serve essential': 751887, 'provider such': 686787, 'employee homeless': 273940, 'homeless outreach': 402764, 'outreach worker': 629354, 'city of oakland': 179288, 'of oakland ha': 587134, 'oakland ha opened': 578266, 'ha opened new': 371450, 'opened new covid': 612745, '19 test site': 11084, 'test site to': 839175, 'site to serve': 772037, 'to serve essential': 914262, 'serve essential service': 751888, 'service provider such': 752737, 'provider such healthcare': 686788, 'store employee homeless': 807499, 'employee homeless outreach': 273941, 'homeless outreach worker': 402765, 'outreach worker and': 629355, 'and others working': 68469, 'others working directly': 621808, 'possible thanks': 665803, 'spread we have': 790879, 'we have recently': 971916, 'have recently seen': 382210, 'of people shopping': 587983, 'but we work': 147770, 'we work 24': 973940, 'day to ship': 228584, 'item quickly possible': 463593, 'quickly possible thanks': 694574, 'possible thanks for': 665804, 'cerebral': 169952, 'palsy': 634637, 'preexistingcondition': 669721, 'many young': 514911, 'had cerebral': 372957, 'cerebral palsy': 169953, 'palsy would': 634638, 'be preexistingcondition': 116509, 'the ha died': 856990, 'died from another': 241548, 'from another reminder': 334541, 'that many young': 845035, 'many young people': 514912, 'young people are': 1022638, 'from the she': 337875, 'she had cerebral': 756094, 'had cerebral palsy': 372958, 'cerebral palsy would': 169954, 'palsy would that': 634639, 'that be preexistingcondition': 842946, 'throttling': 894280, 'are throttling': 91080, 'throttling back': 894281, 'virus era': 958161, 'era sale': 280078, 'producer are throttling': 680578, 'are throttling back': 91081, 'throttling back the': 894282, 'back the virus': 107318, 'the virus era': 870828, 'virus era sale': 958162, 'era sale to': 280079, 'it wa heart': 462123, 'please restrict': 660405, '70 or': 21819, 'my 92': 547206, '92 yo': 23479, 'yo dad': 1016429, 'dad 300': 224276, '300 mile': 17323, 'away ha': 105935, 'ha 140': 369401, '140 of': 3552, 'his basket': 397229, 'may how': 521276, 'he supposed': 385493, 'would you please': 1012417, 'you please restrict': 1020362, 'please restrict your': 660406, 'restrict your online': 717125, 'your online order': 1025074, 'order to those': 618715, 'to those that': 917529, 'that are over': 842793, 'are over 70': 88905, 'over 70 or': 629917, '70 or in': 21820, 'or in isolation': 615752, 'in isolation my': 424204, 'isolation my 92': 455352, 'my 92 yo': 547207, '92 yo dad': 23480, 'yo dad 300': 1016430, 'dad 300 mile': 224277, '300 mile away': 17324, 'mile away ha': 531374, 'away ha 140': 105936, 'ha 140 of': 369402, '140 of shopping': 3553, 'shopping in his': 762971, 'in his basket': 423717, 'his basket amp': 397230, 'basket amp no': 112292, 'amp no delivery': 54182, 'slot until may': 774284, 'until may how': 943772, 'may how is': 521277, 'is he supposed': 448350, 'he supposed to': 385494, 'supposed to cope': 827354, 'bone': 134288, 'time nice': 897264, 'nice try': 562506, 'try senior': 934566, 'senior we': 750438, 'to bone': 901885, 'bone down': 134291, 'you sick': 1021246, 'sick fuck': 768455, 'only shopping time': 611127, 'shopping time nice': 764146, 'time nice try': 897265, 'nice try senior': 562507, 'try senior we': 934567, 'senior we know': 750439, 'want to bone': 966000, 'to bone down': 901886, 'bone down at': 134292, 'store you sick': 811697, 'you sick fuck': 1021247, 'memphis': 528444, 'of memphis': 586431, 'memphis deserve': 528445, 'deserve hug': 238065, 'hug they': 409958, 'tirelessly and': 899071, 'standing directly': 793761, 'directly in': 243559, 'the tag': 869117, 'tag someone': 831768, 'deserves some': 238179, 'store employee of': 807515, 'employee of memphis': 274067, 'of memphis deserve': 586432, 'memphis deserve hug': 528446, 'deserve hug they': 238066, 'hug they are': 409959, 'working tirelessly and': 1008974, 'tirelessly and standing': 899073, 'and standing directly': 72225, 'standing directly in': 793762, 'directly in the': 243560, 'of the tag': 591521, 'the tag someone': 869118, 'tag someone who': 831769, 'someone who deserves': 784752, 'who deserves some': 988573, 'deserves some love': 238180, 'shithouse': 759327, 'your an': 1022779, 'absolute shithouse': 27290, 'shithouse why': 759328, 'need greater': 554927, 'mum 82': 545864, '82 or': 22811, 'small one': 775046, 'one fucking': 606330, 'fucking get': 339873, 'grip your': 364045, 'selfish arsehole': 748001, 'if your panic': 415601, 'your panic buying': 1025182, 'stockpiling food your': 803966, 'food your an': 317730, 'your an absolute': 1022780, 'an absolute shithouse': 55042, 'absolute shithouse why': 27291, 'shithouse why is': 759329, 'why is is': 991111, 'is is your': 448999, 'is your need': 454159, 'your need greater': 1024942, 'need greater than': 554928, 'greater than my': 363247, 'than my mum': 840917, 'my mum 82': 549366, 'mum 82 or': 545865, '82 or the': 22812, 'or the young': 617410, 'the young family': 872204, 'young family with': 1022590, 'family with small': 298392, 'with small one': 1000770, 'small one fucking': 775047, 'one fucking get': 606331, 'fucking get grip': 339874, 'get grip your': 347158, 'grip your selfish': 364046, 'your selfish arsehole': 1025709, 'ever interesting': 285369, 'changing everyone': 172707, 'everyone behavior': 286736, 'sure about you': 827480, 'you but with': 1017559, 'but with everything': 147894, 'going on am': 355298, 'on am shopping': 599268, 'am shopping more': 50392, 'online than ever': 609520, 'than ever interesting': 840586, 'ever interesting insight': 285370, 'interesting insight on': 441569, 'this is changing': 888205, 'is changing everyone': 446472, 'changing everyone behavior': 172708, 'tonbridge': 924308, 'gd travel': 344849, 'uk congratulation': 938257, 'got engaged': 358534, 'the tonbridge': 869750, 'tonbridge branch': 924309, 'supermarket iceland': 820825, 'iceland after': 412699, 'planned holiday': 658454, 'wa postponed': 962969, 'postponed due': 666806, 'proposal wa': 684486, 'gd travel news': 344850, 'travel news uk': 930437, 'news uk congratulation': 560918, 'uk congratulation to': 938258, 'congratulation to this': 194453, 'to this couple': 917413, 'this couple who': 886986, 'couple who got': 211713, 'who got engaged': 988809, 'got engaged in': 358536, 'in the tonbridge': 429616, 'the tonbridge branch': 869751, 'tonbridge branch of': 924310, 'branch of british': 137689, 'of british supermarket': 580894, 'british supermarket iceland': 140607, 'supermarket iceland after': 820826, 'iceland after their': 412700, 'after their planned': 36374, 'their planned holiday': 874320, 'planned holiday to': 658455, 'holiday to the': 400372, 'country wa postponed': 211204, 'wa postponed due': 962970, 'postponed due to': 666807, 'due to where': 262025, 'where the proposal': 985245, 'the proposal wa': 864694, 'proposal wa to': 684487, 'wa to have': 963520, 'tethys': 839705, 'ccedoman': 168421, 'increased uncertainty': 433526, 'uncertainty resulting': 939753, 'pandemic tethys': 636635, 'tethys oil': 839706, 'place plan': 657657, 'enable reduced': 275433, 'reduced expenditure': 706072, 'expenditure in': 291162, '2020 oman': 14477, 'oman ccedoman': 598830, 'to the sharp': 917053, 'and increased uncertainty': 65120, 'increased uncertainty resulting': 433527, 'uncertainty resulting from': 939754, '19 pandemic tethys': 9490, 'pandemic tethys oil': 636636, 'tethys oil ha': 839707, 'oil ha put': 596855, 'ha put in': 371595, 'in place plan': 426756, 'place plan to': 657658, 'plan to enable': 658286, 'to enable reduced': 905042, 'enable reduced expenditure': 275434, 'reduced expenditure in': 706073, 'expenditure in 2020': 291163, 'in 2020 oman': 419848, '2020 oman ccedoman': 14478, 'still deserve': 800428, 'deserve decent': 238046, 'so don grocery': 776907, 'worker and gas': 1006299, 'gas pump attendant': 344073, 'pump attendant still': 689033, 'attendant still deserve': 102377, 'still deserve decent': 800429, 'deserve decent wage': 238048, 'decent wage covid': 230809, 'vial': 956389, 'only saying': 611090, 'saying wash': 739748, 'better instruction': 128340, 'instruction drink': 440547, 'drink ipa': 258844, 'ipa beer': 444528, 'use cbd': 949105, 'cbd oil': 168320, 'oil go': 596839, 'like gas': 490300, 'for beer': 319616, 'beer that': 122517, 'say ipa': 738812, 'ipa and': 444526, 'for cbd': 319976, 'oil it': 596916, 'little vial': 495636, 'vial bottle': 956390, 'bottle with': 136357, 'with drop': 998146, 'people on tv': 648976, 'on tv are': 604901, 'tv are only': 936092, 'are only saying': 88774, 'only saying wash': 611091, 'saying wash your': 739749, 'hand but have': 374845, 'but have better': 145868, 'have better instruction': 379777, 'better instruction drink': 128341, 'instruction drink ipa': 440548, 'drink ipa beer': 258845, 'ipa beer and': 444529, 'beer and use': 122433, 'and use cbd': 74770, 'use cbd oil': 949106, 'cbd oil go': 168321, 'oil go to': 596840, 'the store like': 868047, 'store like gas': 808724, 'like gas station': 490301, 'station or grocery': 796481, 'store and look': 806285, 'look for beer': 502349, 'for beer that': 319618, 'beer that say': 122518, 'that say ipa': 846136, 'say ipa and': 738813, 'ipa and look': 444527, 'look for cbd': 502352, 'for cbd oil': 319977, 'cbd oil it': 168322, 'oil it little': 596917, 'it little vial': 459414, 'little vial bottle': 495637, 'vial bottle with': 956391, 'bottle with drop': 136358, 'fuelling': 340361, 'group choice': 366645, 'choice ha': 177773, 'ha slammed': 371964, 'slammed panic': 773505, 'panic marketing': 638299, 'tactic by': 831689, 'by number': 153381, 'is fuelling': 447969, 'fuelling consumer': 340362, 'consumer anxiety': 196257, 'advocacy group choice': 33805, 'group choice ha': 366646, 'choice ha slammed': 177775, 'ha slammed panic': 371965, 'slammed panic marketing': 773506, 'panic marketing tactic': 638300, 'marketing tactic by': 517718, 'tactic by number': 831690, 'by number of': 153382, 'number of major': 576957, 'major brand which': 509248, 'brand which they': 138071, 'which they say': 986398, 'say is fuelling': 738817, 'is fuelling consumer': 447970, 'fuelling consumer anxiety': 340363, 'consumer anxiety during': 196258, 'anxiety during the': 78696, 'already deemed': 47283, 'that province': 845895, 'province they': 687200, 'are licensed': 87776, 'licensed under': 488184, 'agriculture companion': 38948, 'companion animal': 190325, 'animal retail': 76651, 'and veterinary': 74944, 'veterinary clinic': 955743, 'clinic have': 182303, 'given essential': 350987, 'service status': 752862, 'status under': 796701, '19 ruling': 10265, 'news the is': 560867, 'the is already': 858476, 'is already deemed': 445516, 'already deemed an': 47284, 'deemed an essential': 231815, 'essential service in': 281509, 'service in that': 752482, 'in that province': 428929, 'that province they': 845896, 'province they are': 687201, 'they are licensed': 881325, 'are licensed under': 87777, 'licensed under the': 488185, 'under the department': 940301, 'of agriculture companion': 579844, 'agriculture companion animal': 38949, 'companion animal retail': 190326, 'animal retail store': 76652, 'retail store pet': 718683, 'store pet store': 809528, 'store and veterinary': 806390, 'and veterinary clinic': 74945, 'veterinary clinic have': 955744, 'clinic have been': 182304, 'have been given': 379558, 'been given essential': 121206, 'given essential service': 350988, 'essential service status': 281527, 'service status under': 752864, 'status under the': 796702, 'under the current': 940299, 'covid 19 ruling': 213727, 'like harry': 490380, 'harry street': 378553, 'street kitchen': 813022, 'already adjusting': 47177, 'distancing which': 247640, 'sad because': 729148, 'friend need': 333718, 'our hug': 623491, 'hug most': 409954, 'present supermarket': 670622, 'supermarket excess': 820240, 'excess lessens': 289351, 'lessens just': 486455, 'so big': 776620, 'big thankyou': 130063, 'the like harry': 859367, 'like harry street': 490381, 'harry street kitchen': 378554, 'street kitchen is': 813023, 'kitchen is already': 475720, 'is already adjusting': 445508, 'already adjusting to': 47178, 'adjusting to social': 32371, 'social distancing which': 779767, 'distancing which is': 247641, 'is sad because': 451605, 'sad because our': 729149, 'because our friend': 119454, 'our friend need': 623185, 'friend need our': 333719, 'need our hug': 555400, 'our hug most': 623492, 'hug most at': 409955, 'most at present': 542121, 'at present supermarket': 100180, 'present supermarket excess': 670623, 'supermarket excess lessens': 820241, 'excess lessens just': 289352, 'lessens just more': 486456, 'just more are': 469288, 'more are pushed': 538646, 'are pushed into': 89339, 'poverty so big': 667518, 'so big thankyou': 776622, 'big thankyou 19': 130064, 'digital trend': 242676, 'world availability': 1009339, 'availability is': 104150, 'is compromised': 446720, 'compromised make': 192679, 'make smart': 510463, 'smart communication': 775355, 'communication decision': 189585, 'decision save': 231081, 'save survival': 737646, 'survival in': 829042, 'in game': 423210, 'game changing': 343153, 'changing customer': 172684, 'be addressed': 113486, 'addressed show': 32080, 'the buyer': 850223, 'buyer some': 149753, 'love bopis': 504621, 'bopis online': 135193, 'digital trend in': 242677, 'in the 19': 428943, 'the 19 world': 847934, '19 world availability': 12182, 'world availability is': 1009340, 'availability is compromised': 104151, 'is compromised make': 446721, 'compromised make smart': 192680, 'make smart communication': 510464, 'smart communication decision': 775357, 'communication decision save': 189586, 'decision save survival': 231082, 'save survival in': 737647, 'survival in game': 829043, 'in game changing': 423211, 'game changing customer': 343154, 'changing customer need': 172685, 'customer need can': 222615, 'need can be': 554588, 'can be addressed': 157576, 'be addressed show': 113489, 'addressed show the': 32081, 'show the buyer': 767201, 'the buyer some': 850226, 'buyer some love': 149754, 'some love bopis': 783235, 'love bopis online': 504622, 'bopis online shopping': 135194, 'country pm': 210964, 'country lockdown2': 210875, 'lockdown2 coronaupdatesinindia': 500189, 'stock of necessary': 802534, 'of necessary medicine': 586892, 'necessary medicine food': 554036, 'medicine food supply': 526783, 'the country pm': 852130, 'country pm assures': 210965, 'pm assures the': 661864, 'assures the country': 97149, 'the country lockdown2': 852113, 'country lockdown2 coronaupdatesinindia': 210876, 'plexi': 661021, 'need plexi': 555445, 'plexi glass': 661025, 'glass barrier': 351602, 'barrier for': 111358, 'hero well': 394161, 'them second': 876254, 'all act': 41936, 'then perhaps': 877417, 'just thought we': 470070, 'thought we need': 893301, 'we need plexi': 972526, 'need plexi glass': 555446, 'plexi glass barrier': 661026, 'glass barrier for': 351603, 'barrier for the': 111360, 'employee and cashier': 273556, 'and cashier they': 59614, 'cashier they are': 166635, 'are hero well': 87141, 'hero well and': 394162, 'well and we': 978029, 'protect them second': 685008, 'them second thought': 876255, 'second thought if': 743843, 'thought if we': 893088, 'we all act': 970309, 'all act if': 41938, 'act if we': 29655, 'we have covid': 971786, '19 then perhaps': 11276, 'then perhaps we': 877418, 'perhaps we would': 651668, 'would do the': 1011768, 'thing and social': 884135, 'and social distance': 71884, 'created resource': 215881, 'and farm': 62694, 'farm business': 299094, 'in adapting': 420029, 'their direct': 873024, 'ha created resource': 370281, 'created resource to': 215882, 'resource to support': 714914, 'to support farmer': 915930, 'support farmer and': 826492, 'farmer and farm': 299255, 'and farm business': 62695, 'farm business in': 299095, 'business in adapting': 143875, 'in adapting and': 420030, 'adapting and growing': 31324, 'and growing their': 64019, 'growing their direct': 367244, 'their direct to': 873026, 'consumer sale during': 198857, 'please folk': 660001, 'folk social': 312251, 'still applies': 800199, 'applies in': 82525, 'please folk social': 660002, 'folk social distancing': 312252, 'distancing still applies': 247508, 'still applies in': 800202, 'applies in grocery': 82526, 'alibaba group': 41710, 'group hema': 366725, 'hema wa': 391678, 'performing business': 651493, 'they pledged': 882886, 'wouldn shut': 1012502, 'shut wouldn': 767962, 'wouldn raise': 1012498, 'alibaba group hema': 41711, 'group hema wa': 366726, 'hema wa one': 391679, 'best performing business': 127828, 'performing business during': 651494, 'during the height': 263137, 'height of they': 388809, 'of they pledged': 591882, 'they pledged to': 882887, 'pledged to customer': 660868, 'to customer that': 903859, 'customer that they': 222922, 'that they wouldn': 846964, 'they wouldn shut': 883961, 'wouldn shut wouldn': 1012503, 'shut wouldn raise': 767963, 'wouldn raise price': 1012499, 'raise price would': 695937, 'price would do': 677659, 'would do their': 1011769, 'best to ensure': 127945, 'to ensure enough': 905154, 'ensure enough supply': 277924, 'withregram': 1003086, 'posted withregram': 666599, 'withregram medium': 1003087, 'medium corp': 527063, 'corp online': 207209, 'ever many': 285406, 'are shutdown': 90095, 'customer having': 222446, 'posted withregram medium': 666600, 'withregram medium corp': 1003088, 'medium corp online': 527064, 'corp online shopping': 207210, 'shopping is more': 763059, 'than ever many': 840593, 'ever many business': 285407, 'business are shutdown': 143385, 'are shutdown due': 90096, 'the mean to': 860351, 'mean to get': 524734, 'get their product': 348341, 'product to their': 681767, 'their customer having': 872952, 'customer having an': 222447, 'tvcwebinarseries': 936231, 'second session': 743812, 'session of': 753294, 'our tvcwebinarseries': 625218, 'tvcwebinarseries this': 936232, 'thursday 16': 895325, '16 at': 4097, 'pm edt': 661895, 'edt we': 268740, 'will examine': 993361, 'examine consumer': 288814, 'research insight': 713769, 'insight during': 439525, 'crisis register': 217956, 'join for the': 466715, 'the second session': 866590, 'second session of': 743813, 'session of our': 753295, 'of our tvcwebinarseries': 587582, 'our tvcwebinarseries this': 625219, 'tvcwebinarseries this thursday': 936233, 'this thursday 16': 890606, 'thursday 16 at': 895326, '16 at 12': 4098, 'at 12 pm': 97455, '12 pm edt': 2935, 'pm edt we': 661896, 'edt we will': 268741, 'we will examine': 973860, 'will examine consumer': 993362, 'examine consumer behavior': 288815, 'behavior and market': 123893, 'and market research': 66710, 'market research insight': 516995, 'research insight during': 713770, 'insight during the': 439526, '19 crisis register': 6311, 'crisis register here': 217957, 'mara': 515024, 'suprising': 827450, 'anoh': 77439, 'mara this': 515025, 'this fool': 887580, 'fool keep': 318294, 'on suprising': 603839, 'suprising me': 827451, 'but friday': 145776, 'friday they': 333298, 'they issued': 882481, 'issued out': 456078, 'out 25': 625529, '25 toilet': 15982, 'toilet at': 921128, '15 million': 3764, 'million anoh': 532070, 'anoh since': 77440, 'toilet more': 921164, 'than building': 840419, 'building house': 142089, 'mara this fool': 515026, 'this fool keep': 887581, 'fool keep on': 318295, 'keep on suprising': 471709, 'on suprising me': 603840, 'suprising me they': 827452, 'me they want': 523692, 'they want people': 883712, 'want people to': 965899, 'people to contribute': 649888, 'contribute to covid': 201879, '19 but friday': 5500, 'but friday they': 145777, 'friday they issued': 333299, 'they issued out': 882482, 'issued out 25': 456079, 'out 25 toilet': 625530, '25 toilet at': 15983, 'toilet at the': 921129, 'price of 15': 675393, 'of 15 million': 579362, '15 million anoh': 3765, 'million anoh since': 532071, 'anoh since when': 77441, 'when is toilet': 983622, 'is toilet more': 453265, 'toilet more expensive': 921165, 'expensive than building': 291283, 'than building house': 840420, 'are headed': 87047, 'people that ha': 649765, 'that ha an': 844107, 'ha an essential': 369543, 'essential job or': 281247, 'job or if': 466067, 'you are headed': 1017137, 'are headed to': 87048, 'moment to sanitize': 536089, 'to sanitize your': 913756, 'sanitize your car': 734237, 'your car here': 1023134, 'car here what': 163127, 'want to clean': 966011, 'tab': 831434, 'kurt': 477966, 'jetta': 465363, 'tab analytics': 831435, 'analytics founder': 57227, 'founder dr': 330536, 'dr kurt': 258051, 'kurt jetta': 477967, 'jetta weighs': 465364, 'of cpg': 582110, 'cpg good': 214601, 'retail by': 717917, 'tab analytics founder': 831436, 'analytics founder dr': 57228, 'founder dr kurt': 330537, 'dr kurt jetta': 258052, 'kurt jetta weighs': 477968, 'jetta weighs in': 465365, 'effect on supply': 269096, 'issue with increasing': 456012, 'demand of cpg': 235946, 'of cpg good': 582111, 'cpg good at': 214602, 'good at retail': 356797, 'at retail by': 100302, 'salam': 731931, 'dato': 226812, 'pkp': 657260, 'salam tan': 731932, 'sri dato': 791593, 'dato for': 226813, 'of pkp': 588135, 'pkp suggest': 657261, 'suggest for': 817507, 'for fully': 321814, 'fully 100': 341016, 'all totally': 45274, 'totally mandatory': 926370, 'to closed': 902908, 'closed given': 183143, 'given alert': 350940, 'alert day': 41396, 'stock preparation': 802698, 'preparation then': 670050, 'then shud': 877535, 'shud be': 767752, 'minimize and': 533100, 'reduce impact': 705855, '19 di': 6529, 'salam tan sri': 731933, 'tan sri dato': 834151, 'sri dato for': 791594, 'dato for the': 226814, 'week of pkp': 976637, 'of pkp suggest': 588136, 'pkp suggest for': 657262, 'suggest for fully': 817508, 'for fully 100': 321815, 'fully 100 of': 341017, '100 of lockdown': 1985, 'lockdown all totally': 499119, 'all totally mandatory': 45275, 'totally mandatory to': 926371, 'mandatory to closed': 513071, 'to closed given': 902909, 'closed given alert': 183144, 'given alert day': 350941, 'alert day for': 41397, 'day for in': 227623, 'for in house': 322512, 'in house food': 423849, 'house food stock': 406299, 'food stock preparation': 316806, 'stock preparation then': 802699, 'preparation then shud': 670051, 'then shud be': 877536, 'shud be able': 767753, 'able to minimize': 24506, 'to minimize and': 910158, 'minimize and reduce': 533101, 'and reduce impact': 70095, 'reduce impact on': 705856, 'impact on covid': 417836, 'covid 19 di': 212947, 'video youllneverwalkalone': 956978, 'sanitizer video youllneverwalkalone': 736012, 'video youllneverwalkalone ausgangssperrejetzt': 956979, 'philly getting': 654768, 'getting older': 349154, 'older is': 598615, 'no fun': 564326, 'they asked': 881501, 'for id': 322460, 'id apparently': 412927, 'apparently only': 81982, 'be carded': 113976, 'carded in': 163734, 'talked to friend': 833944, 'to friend in': 906256, 'friend in philly': 333654, 'in philly getting': 426689, 'philly getting older': 654769, 'getting older is': 349155, 'older is no': 598616, 'is no fun': 449934, 'no fun but': 564327, 'fun but in': 341144, 'morning they asked': 541494, 'they asked for': 881502, 'asked for id': 95744, 'for id apparently': 322461, 'id apparently only': 412928, 'apparently only people': 81985, 'only people 60': 610944, '60 and up': 20906, 'and up can': 74726, 'up can get': 944574, 'get in first': 347293, 'in first thing': 422912, 'first thing ve': 309081, 'thing ve never': 884942, 'to be carded': 901150, 'be carded in': 113977, 'carded in my': 163735, 'frugal': 339043, 'quarentine': 693170, 'hoitytoity': 399860, 'boojee': 134446, 'boojie': 134449, 'your frugal': 1023987, 'frugal hack': 339046, 'hack help': 372738, 'other put': 620798, 'comment frugal': 188418, 'frugal quarentine': 339048, 'quarentine corona': 693171, 'corona ghetto': 203959, 'ghetto toiletpaper': 349640, 'tp teepee': 927965, 'teepee hoitytoity': 836575, 'hoitytoity packet': 399861, 'packet water': 633721, 'water boojee': 968920, 'boojee boojie': 134447, 'boojie hoity': 134450, 'toity social': 923467, 'social socialdistancing': 779964, 'socialdistancing haircut': 780404, 'haircut clipper': 374032, 'what your frugal': 982711, 'your frugal hack': 1023988, 'frugal hack help': 339047, 'hack help each': 372739, 'each other put': 264213, 'other put it': 620799, 'the comment frugal': 851212, 'comment frugal quarentine': 188419, 'frugal quarentine corona': 339049, 'quarentine corona ghetto': 693172, 'corona ghetto toiletpaper': 203960, 'ghetto toiletpaper tp': 349641, 'toiletpaper tp teepee': 922753, 'tp teepee hoitytoity': 927966, 'teepee hoitytoity packet': 836576, 'hoitytoity packet water': 399862, 'packet water boojee': 633722, 'water boojee boojie': 968921, 'boojee boojie hoity': 134448, 'boojie hoity toity': 134451, 'hoity toity social': 399859, 'toity social socialdistancing': 923468, 'social socialdistancing haircut': 779965, 'socialdistancing haircut clipper': 780405, 'worrisome gt': 1010615, 'gt at': 367581, 'four grocery': 330609, 'walmart worker': 965479, 'walmart have': 965351, 'worrisome gt gt': 1010616, 'gt gt at': 367600, 'gt at least': 367582, 'least four grocery': 484476, 'four grocery worker': 330610, 'grocery worker including': 366179, 'worker including two': 1007223, 'including two walmart': 432234, 'two walmart worker': 937311, 'walmart worker have': 965480, 'covid 19 worker': 214087, '19 worker at': 12177, 'worker at trader': 1006481, 'joe giant and': 466413, 'giant and walmart': 349742, 'and walmart have': 75161, 'walmart have died': 965352, 'point 19': 662400, 'tipping point 19': 898989, 'outbreak helping': 628297, 'launched national': 482011, 'national campaign': 552432, 'campaign calling': 157205, 'the outbreak helping': 862638, 'outbreak helping to': 628298, 'helping to feed': 391524, 'our family and': 622991, 'keep safe today': 471892, 'safe today and': 730065, 'today and launched': 919216, 'and launched national': 65981, 'launched national campaign': 482012, 'national campaign calling': 552433, 'campaign calling for': 157206, 'calling for every': 156551, 'for every state': 321177, 'every state to': 286211, 'state to protect': 796024, 'protect our brave': 684888, 'our brave worker': 622261, 'brave worker on': 138249, 'out america': 625617, 'of lining': 585872, 'store handed': 808054, 'store entry': 807609, 'me out america': 523296, 'out america instead': 625618, 'instead of lining': 440284, 'of lining up': 585873, 'distancing what if': 247627, 'what if store': 981637, 'if store handed': 414884, 'store handed out': 808055, 'handed out ticket': 376078, 'ticket with store': 895684, 'with store entry': 1000992, 'store entry time': 807610, 'car to go': 163322, 'difficult family': 242217, 'two adult': 936769, 'question staff': 693746, 'staff meeting': 792649, 'meeting are': 527672, 'distancing while working': 247646, 'supermarket is extremely': 821088, 'extremely difficult family': 293868, 'difficult family are': 242218, 'family are coming': 297623, 'coming in two': 188100, 'in two adult': 430355, 'two adult and': 936770, 'and kid and': 65831, 'kid and people': 473857, 'people will walk': 650421, 'will walk right': 995313, 'walk right up': 964872, 'right up to': 722383, 'to you when': 918938, 'you when they': 1022278, 'they have question': 882367, 'have question staff': 382135, 'question staff meeting': 693747, 'staff meeting are': 792650, 'meeting are still': 527673, 'are still taking': 90488, 'still taking place': 801274, 'taking place there': 833515, 'place there aren': 657736, 'aren enough glove': 92395, 'enough glove to': 277454, 'ontario response': 611627, 'response bar': 715626, 'other facility': 620205, 'closing so': 183751, 'favorite meal': 300528, 'pub food': 687708, 'always freeze': 49563, 'freeze it': 332532, 'part of ontario': 642369, 'of ontario response': 587281, 'ontario response bar': 611628, 'response bar restaurant': 715627, 'and other facility': 68322, 'other facility in': 620206, 'facility in the': 295347, 'province are closing': 687159, 'are closing so': 85398, 'closing so now': 183752, 'so now the': 777908, 'up on your': 945649, 'on your favorite': 605462, 'your favorite meal': 1023828, 'favorite meal or': 300529, 'meal or pub': 524232, 'or pub food': 616739, 'pub food you': 687709, 'can always freeze': 157478, 'always freeze it': 49564, 'freeze it for': 332533, 'it for later': 458083, 'identified consumer': 413326, 'shopping tendency': 764060, 'tendency that': 837892, 'coronavirus progression': 206600, 'progression the': 683401, 'threshold claim': 894137, 'pattern esp': 644465, 'for multiple': 323654, 'multiple market': 545764, 'so ha identified': 777223, 'ha identified consumer': 370901, 'identified consumer shopping': 413327, 'consumer shopping tendency': 198978, 'shopping tendency that': 764061, 'tendency that tie': 837893, 'that tie to': 847035, 'tie to point': 895749, 'to point in': 911858, 'point in covid': 662517, '19 coronavirus progression': 6118, 'coronavirus progression the': 206601, 'progression the threshold': 683402, 'the threshold claim': 869522, 'threshold claim to': 894138, 'claim to offer': 179852, 'to offer early': 910832, 'spending pattern esp': 788949, 'pattern esp for': 644466, 'esp for emergency': 280386, 'health supply for': 386882, 'supply for multiple': 825271, 'for multiple market': 323655, 'tbh thought': 835257, 'they been': 881542, 'stockpiling paracetamol': 804048, 'paracetamol etc': 641238, 'week why': 977245, 'cost 3x': 207834, '3x what': 18503, 'only fortnight': 610479, 'fortnight ago': 329833, 'ago again': 38322, 'be rationed': 116681, 'fixed part': 309815, 'power legislation': 667638, 'tbh thought they': 835258, 'thought they been': 893256, 'they been stockpiling': 881543, 'been stockpiling paracetamol': 122049, 'stockpiling paracetamol etc': 804049, 'paracetamol etc for': 641239, 'etc for week': 282552, 'for week why': 327765, 'week why it': 977246, 'why it cost': 991138, 'it cost 3x': 457344, 'cost 3x what': 207835, '3x what it': 18504, 'used to only': 950073, 'to only fortnight': 910970, 'only fortnight ago': 610480, 'fortnight ago again': 329834, 'ago again it': 38323, 'again it need': 37047, 'to be rationed': 901481, 'be rationed and': 116682, 'rationed and price': 697772, 'and price fixed': 69449, 'price fixed part': 673887, 'fixed part of': 309816, 'part of emergency': 642345, 'of emergency power': 583049, 'emergency power legislation': 272886, 'business like this': 143998, 'one are pivoting': 605946, 'backordered': 107572, 'got notification': 358748, 'amazon that': 51142, 'normal shipment': 567309, 'delayed went': 232820, 'different seller': 242053, 'seller price': 749057, '3x normal': 18488, 'are backordered': 84745, 'got notification from': 358749, 'notification from amazon': 573534, 'from amazon that': 334462, 'amazon that my': 51143, 'that my normal': 845273, 'my normal shipment': 549509, 'normal shipment of': 567310, 'shipment of rice': 758769, 'rice is delayed': 721071, 'is delayed went': 447094, 'delayed went to': 232821, 'went to see': 979187, 'if could order': 414008, 'could order from': 209487, 'order from different': 618253, 'from different seller': 335145, 'different seller price': 242054, 'seller price are': 749058, 'are 3x normal': 84129, '3x normal and': 18489, 'normal and most': 567089, 'and most are': 67262, 'most are backordered': 542110, 'unleash': 942577, 'r1': 695049, 'development is': 239824, 'to unleash': 917951, 'unleash an': 942578, 'estimated r1': 282300, 'r1 billion': 695050, 'billion support': 130917, 'assist small': 96640, 'small micro': 775030, 'micro and': 530414, 'department of small': 237246, 'business development is': 143634, 'development is set': 239825, 'set to unleash': 753539, 'to unleash an': 917952, 'unleash an estimated': 942579, 'an estimated r1': 55856, 'estimated r1 billion': 282301, 'r1 billion support': 695051, 'billion support package': 130918, 'package to assist': 633427, 'to assist small': 900784, 'assist small micro': 96641, 'small micro and': 775031, 'micro and medium': 530415, 'sized business to': 772825, 'business to produce': 144551, 'control of coronavirus': 202066, '127p': 3081, '124p': 3064, 'rapid fall': 696916, 'price helped': 674500, 'helped to': 391109, 'keep lid': 471631, 'lid on': 488268, 'cost last': 207993, 'inflation slowdown': 437241, 'slowdown the': 774473, 'produce petrol': 680392, 'petrol fell': 653731, 'from 127p': 334184, '127p litre': 3082, 'litre to': 495190, 'to 124p': 899476, '124p in': 3065, 'february while': 301751, 'while diesel': 986751, 'diesel dropped': 241659, 'dropped more': 260595, 'rapid fall in': 696917, 'fall in petrol': 296960, 'petrol price helped': 653770, 'price helped to': 674501, 'helped to keep': 391112, 'to keep lid': 908807, 'keep lid on': 471632, 'lid on living': 488269, 'on living cost': 601886, 'living cost last': 496336, 'cost last month': 207994, 'last month and': 480326, 'month and give': 537575, 'give the first': 350738, 'the first sign': 855347, 'of the inflation': 591143, 'the inflation slowdown': 858239, 'inflation slowdown the': 437242, 'slowdown the is': 774474, 'the is likely': 858507, 'likely to produce': 492168, 'to produce petrol': 912204, 'produce petrol fell': 680393, 'petrol fell from': 653733, 'fell from 127p': 303197, 'from 127p litre': 334185, '127p litre to': 3083, 'litre to 124p': 495191, 'to 124p in': 899477, '124p in february': 3066, 'in february while': 422851, 'february while diesel': 301752, 'while diesel dropped': 986752, 'diesel dropped more': 241660, 'dropped more quickly': 260596, 'happymothersday2020': 377775, 'happymothersday2020 selfisolation': 377776, 'selfisolation hi': 748457, 'is tray': 453344, 'tray of': 930736, 'of 30': 579558, '30 egg': 17035, 'egg 99': 269745, '99 are': 23780, 'are neither': 88209, 'neither selfish': 557343, 'selfish enough': 748083, 'enough hoard': 277466, 'hoard stuff': 398867, 'stuff nor': 815146, 'nor rich': 566972, 'rich enough': 721217, 'enough afford': 277313, 'afford high': 34702, 'ck are': 179630, 'all trying': 45296, 'trying do': 934703, 'do starve': 250170, 'starve kill': 795205, 'kill ravage': 474480, 'happymothersday2020 selfisolation hi': 377777, 'selfisolation hi why': 748458, 'hi why is': 394774, 'why is tray': 991126, 'is tray of': 453345, 'tray of 30': 930737, 'of 30 egg': 579559, '30 egg 99': 17036, 'egg 99 are': 269746, '99 are you': 23782, 'kidding me we': 474209, 'me we are': 523911, 'we are neither': 970635, 'are neither selfish': 88211, 'neither selfish enough': 557344, 'selfish enough hoard': 748084, 'enough hoard stuff': 277467, 'hoard stuff nor': 398868, 'stuff nor rich': 815147, 'nor rich enough': 566973, 'rich enough afford': 721218, 'enough afford high': 277314, 'afford high price': 34703, 'price the ck': 676825, 'the ck are': 850973, 'ck are you': 179632, 'you all trying': 1016919, 'all trying do': 45297, 'trying do starve': 934704, 'do starve kill': 250171, 'starve kill ravage': 795206, 'bbcyourquestions what': 113164, 'when unable': 984358, 'online half': 608347, 'week unable': 977137, 'book any': 134472, 'any slot': 79821, 'system going': 831187, 'bbcyourquestions what happens': 113165, 'happens when unable': 377529, 'when unable to': 984359, 'unable to order': 939339, 'to order shopping': 911083, 'shopping online half': 763438, 'online half of': 608348, 'half of last': 374227, 'last week shopping': 480677, 'week shopping wa': 976867, 'shopping wa missing': 764334, 'wa missing and': 962634, 'missing and this': 534281, 'and this week': 74012, 'this week unable': 891288, 'week unable to': 977138, 'unable to book': 939322, 'to book any': 901889, 'book any slot': 134473, 'any slot at': 79822, 'at all from': 97883, 'all from any': 42873, 'any supermarket how': 79900, 'supermarket how do': 820812, 'expect to keep': 290770, 'keep our immune': 471734, 'immune system going': 417340, 'system going if': 831188, 'going if we': 355210, 'we cannot eat': 971055, 'make social': 510465, 'distancing fun': 247166, 'fun let': 341188, 'play minute': 659189, 'sweep stayathomechallenge': 830162, 'socialdistanacing staysafe': 780105, 'staysafe superstore': 798930, 'superstore stophoarding': 824352, 'to make social': 909739, 'make social distancing': 510466, 'social distancing fun': 779618, 'distancing fun let': 247167, 'fun let the': 341189, 'let the queue': 487138, 'outside supermarket go': 629569, 'supermarket go in': 820531, 'in one by': 426138, 'one by one': 606037, 'by one and': 153427, 'one and let': 605901, 'let them play': 487160, 'them play minute': 876164, 'play minute of': 659190, 'minute of supermarket': 533815, 'supermarket sweep stayathomechallenge': 823106, 'sweep stayathomechallenge socialdistanacing': 830163, 'stayathomechallenge socialdistanacing staysafe': 797750, 'socialdistanacing staysafe superstore': 780106, 'staysafe superstore stophoarding': 798931, 'superstore stophoarding stayhome': 824353, 'insomnia': 439751, 'rationing my': 697845, 'my insomnia': 548859, 'insomnia med': 439752, 'med because': 525875, 'because worried': 119851, 'down amidst': 256482, 'panic so': 638606, 'be playing': 116439, 'playing animal': 659383, 'crossing pocket': 219085, 'pocket camp': 662157, 'camp until': 157186, 'until am': 943679, 'am which': 50562, 'service job': 752539, 'rationing my insomnia': 697846, 'my insomnia med': 548860, 'insomnia med because': 439753, 'med because worried': 525876, 'because worried that': 119852, 'worried that my': 1010585, 'that my pharmacy': 845278, 'my pharmacy will': 549750, 'pharmacy will shut': 654567, 'will shut down': 994853, 'shut down amidst': 767801, 'down amidst covid': 256483, '19 panic so': 9559, 'panic so if': 638607, 'anyone need me': 80425, 'me ll be': 523100, 'll be playing': 496609, 'be playing animal': 116440, 'playing animal crossing': 659384, 'animal crossing pocket': 76572, 'crossing pocket camp': 219086, 'pocket camp until': 662158, 'camp until am': 157187, 'until am which': 943680, 'am which is': 50563, 'which is when': 986065, 'is when have': 453916, 'get up and': 348561, 'to my food': 910399, 'my food service': 548387, 'food service job': 316422, 'sustaining': 829828, 'they officially': 882815, 'officially have': 596000, 'pa that': 632889, 'non life': 566423, 'life sustaining': 489081, 'sustaining so': 829833, 'glad wa': 351538, 'trip once': 932120, 'once announced': 605593, 'found chicken': 330174, 'well they officially': 978682, 'they officially have': 882816, 'officially have shut': 596001, 'down every business': 256731, 'every business in': 285704, 'business in pa': 143895, 'in pa that': 426407, 'pa that is': 632890, 'that is non': 844623, 'is non life': 450000, 'non life sustaining': 566424, 'life sustaining so': 489083, 'sustaining so glad': 829834, 'so glad wa': 777175, 'glad wa able': 351539, 'store trip once': 810951, 'trip once announced': 932121, 'once announced by': 605594, 'by the governor': 154340, 'the governor this': 856647, 'governor this evening': 361001, 'evening and finally': 284846, 'finally found chicken': 305997, 'found chicken breast': 330175, 've forgotten': 953136, 'forgotten the': 329464, 'beyond my': 129208, 'my nearest': 549417, 'use cashpoint': 949100, 'cashpoint why': 166714, 'why anyone': 990753, 'anyone needed': 80427, 'needed 30': 556279, '00 loo': 310, 'roll how': 725336, 'to dress': 904717, 'dress appropriately': 258658, 'appropriately for': 83070, 'anything what': 80936, 'is but': 446321, 'ok co': 597777, 'thing ve forgotten': 884939, 've forgotten the': 953137, 'forgotten the world': 329465, 'world beyond my': 1009363, 'beyond my nearest': 129209, 'my nearest supermarket': 549418, 'nearest supermarket how': 553730, 'supermarket how to': 820814, 'to use cashpoint': 918010, 'use cashpoint why': 949101, 'cashpoint why anyone': 166715, 'why anyone needed': 990754, 'anyone needed 30': 80428, 'needed 30 00': 556280, '30 00 loo': 16920, '00 loo roll': 311, 'loo roll how': 502182, 'roll how to': 725337, 'how to dress': 409013, 'to dress appropriately': 904718, 'dress appropriately for': 258659, 'appropriately for work': 83071, 'for work or': 327926, 'work or anything': 1005557, 'or anything what': 614382, 'anything what day': 80937, 'it is but': 458894, 'is but that': 446324, 'but that ok': 147294, 'that ok co': 845476, 'ok co we': 597778, 'co we all': 185002, 'need to stayhomesavelives': 556084, 'aldi ha': 41270, 'ha relaxed': 371699, 'relaxed some': 708871, 'restriction put': 717362, 'place due': 657414, 'supermarket story': 823017, 'aldi ha relaxed': 41271, 'ha relaxed some': 371701, 'relaxed some of': 708872, 'of the restriction': 591412, 'the restriction put': 865676, 'restriction put in': 717363, 'in place due': 426732, 'place due to': 657415, 'buying supermarket story': 151121, 'japan consumer': 464720, 'spending fell': 788809, 'expected pace': 290922, 'pace household': 632937, 'household scrambled': 406932, 'scrambled for': 742556, 'for protective': 324829, 'mask toilet': 519437, 'worsening pandemic': 1011102, 'japan consumer spending': 464721, 'consumer spending fell': 199060, 'spending fell in': 788810, 'february but at': 301698, 'but at slower': 145244, 'at slower than': 100555, 'slower than expected': 774514, 'than expected pace': 840629, 'expected pace household': 290923, 'pace household scrambled': 632938, 'household scrambled for': 406933, 'scrambled for protective': 742557, 'for protective mask': 324832, 'protective mask toilet': 685786, 'mask toilet paper': 519438, 'paper and staple': 639855, 'and staple food': 72230, 'staple food amid': 793930, 'amid the worsening': 52720, 'the worsening pandemic': 872036, 'on shaw': 603396, 'shaw demand': 755815, 'increased almost': 433192, 'even company': 283964, 'pandemic shame': 636432, 'is it your': 449082, 'it your policy': 462662, 'your policy to': 1025352, 'policy to rip': 663528, 'to rip off': 913545, 'rip off your': 722672, 'off your customer': 594442, 'your customer wa': 1023432, 'customer wa just': 223025, 'wa just on': 962466, 'just on shaw': 469368, 'on shaw demand': 603397, 'shaw demand and': 755816, 'demand and you': 235013, 'have increased almost': 381051, 'increased almost all': 433193, 'almost all your': 46544, 'your price see': 1025413, 'price see even': 676321, 'see even company': 745082, 'even company have': 283965, 'have been with': 379744, 'been with for': 122381, 'with for year': 998523, 'for year is': 328008, 'year is taking': 1014672, '19 pandemic shame': 9462, 'pandemic shame on': 636433, 'on you will': 605445, 'will be moving': 992565, 'together few': 920780, 'that cabin': 843081, 'bay and': 112903, 'about sharing': 26171, 'sharing false': 755521, 'put together few': 690936, 'together few tip': 920781, 'you keep that': 1019450, 'keep that cabin': 472018, 'that cabin fever': 843082, 'cabin fever at': 154968, 'fever at bay': 303657, 'at bay and': 98097, 'bay and advice': 112904, 'and advice about': 57725, 'advice about sharing': 33296, 'about sharing false': 26172, 'sharing false information': 755522, 'survivers': 829336, 'sme': 775591, 'adi covid': 32249, 'victim management': 956485, 'management survivers': 512632, 'survivers help': 829337, 'help centre': 389484, 'centre island': 169513, 'island job': 454290, 'job centre': 465732, 'centre sme': 169535, 'sme connect': 775592, 'connect centre': 194597, 'centre household': 169506, 'household rent': 406922, 'utility food': 951286, 'stock social': 802866, 'security education': 744591, 'education student': 268867, 'school isl': 741839, 'adi covid 19': 32250, 'covid 19 victim': 214027, '19 victim management': 11768, 'victim management survivers': 956486, 'management survivers help': 512633, 'survivers help centre': 829338, 'help centre island': 389485, 'centre island job': 169514, 'island job centre': 454291, 'job centre sme': 465733, 'centre sme connect': 169536, 'sme connect centre': 775593, 'connect centre household': 194598, 'centre household rent': 169507, 'household rent and': 406923, 'rent and utility': 711045, 'and utility food': 74810, 'utility food stock': 951287, 'food stock social': 316809, 'stock social security': 802867, 'social security education': 779945, 'security education student': 744592, 'education student and': 268868, 'student and school': 814643, 'and school isl': 71075, 'desi': 238198, 'the desi': 853177, 'desi shop': 238205, 'of atta': 580430, 'atta and': 102015, 'and desi': 61247, 'desi good': 238199, 'good karma': 357307, 'karma will': 470953, 'absolutely horrible': 27371, 'horrible people': 404114, 'all the desi': 44716, 'the desi shop': 853178, 'desi shop hiking': 238206, 'shop hiking price': 760279, 'price of atta': 675408, 'of atta and': 580431, 'atta and desi': 102016, 'and desi good': 61248, 'desi good karma': 238200, 'good karma will': 357308, 'karma will get': 470954, 'will get you': 993526, 'get you one': 348679, 'you one day': 1020198, 'one day you': 606171, 'day you absolutely': 228815, 'you absolutely horrible': 1016783, 'absolutely horrible people': 27372, 'think scott': 885522, 'and dutton': 61813, 'dutton recent': 263543, 'recent word': 704028, 'hoarder have': 399039, 'worked just': 1006126, 'local cole': 497833, 'cole with': 185888, 'two bag': 936793, 'man shouted': 512231, 'me kill': 523034, 'them everyone': 875667, 'get shot': 347982, 'shot auspoi': 765416, 'think scott morrison': 885523, 'scott morrison and': 742456, 'morrison and dutton': 541702, 'and dutton recent': 61814, 'dutton recent word': 263544, 'recent word about': 704029, 'word about supermarket': 1004442, 'about supermarket hoarder': 26284, 'supermarket hoarder have': 820768, 'hoarder have worked': 399042, 'have worked just': 383630, 'worked just walked': 1006127, 'just walked out': 470211, 'walked out of': 964966, 'my local cole': 549105, 'local cole with': 497834, 'cole with two': 185889, 'with two bag': 1001867, 'two bag in': 936794, 'bag in my': 108319, 'hand and an': 374750, 'and an old': 58121, 'old man shouted': 598350, 'man shouted at': 512232, 'shouted at me': 766783, 'at me kill': 99708, 'me kill them': 523035, 'kill them everyone': 474528, 'them everyone should': 875668, 'everyone should get': 287375, 'should get shot': 766037, 'get shot auspoi': 347983, 'gave 5kg': 344591, '5kg of': 20733, 'chicken to': 175872, 'two 5kg': 936765, '5kg bag': 20729, 'rice received': 721119, 'in department': 422191, 'like asda': 489833, 'sainsbury difficult': 731660, 'find soap': 307218, 'sanitizer corona': 734693, 'to an asian': 900441, 'an asian store': 55434, 'asian store today': 95351, 'buy grocery they': 148761, 'grocery they only': 366041, 'only gave 5kg': 610499, 'gave 5kg of': 344592, '5kg of chicken': 20734, 'of chicken to': 581337, 'chicken to each': 175873, 'to each customer': 904821, 'each customer the': 264031, 'customer the store': 222929, 'the store only': 868070, 'store only had': 809240, 'had two 5kg': 373772, 'two 5kg bag': 936766, '5kg bag of': 20730, 'of rice received': 589101, 'rice received lot': 721120, 'lot of empty': 504184, 'shelf in department': 757191, 'in department store': 422192, 'department store like': 237279, 'store like asda': 808721, 'like asda morrison': 489834, 'morrison tesco sainsbury': 541766, 'tesco sainsbury difficult': 838791, 'sainsbury difficult to': 731661, 'to find soap': 905934, 'find soap hand': 307219, 'soap hand wash': 779024, 'wash hand sanitizer': 967494, 'hand sanitizer corona': 375354, 'sanitizer corona virus': 734695, 'gvmnt': 369264, 'the gvmnt': 856968, 'gvmnt advice': 369265, 'regarding travel': 707305, 'shop don': 760105, 'shopping usually': 764307, 'usually because': 951092, 'because old': 119431, 'old fashioned': 598247, 'fashioned like': 299874, 'more hard': 539385, 'choose one': 177900, 'one stayhomechallenge': 607097, 'of the gvmnt': 591087, 'the gvmnt advice': 856969, 'gvmnt advice regarding': 369266, 'advice regarding travel': 33475, 'regarding travel have': 707306, 'travel have tried': 930377, 'online shop don': 608975, 'shop don do': 760106, 'don do online': 253471, 'online shopping usually': 609327, 'shopping usually because': 764308, 'usually because old': 951094, 'because old fashioned': 119432, 'old fashioned like': 598248, 'fashioned like that': 299875, 'like that or': 491330, 'that or it': 845544, 'or it more': 615847, 'it more hard': 459669, 'more hard work': 539386, 'hard work than': 378131, 'work than going': 1005792, 'to the physical': 916955, 'physical store choose': 655465, 'store choose one': 806973, 'choose one stayhomechallenge': 177901, 'one stayhomechallenge corvid19uk': 607098, 'and steal': 72331, 'scam alert scammer': 739980, 'using the covid': 950696, 'try and steal': 934455, 'and steal money': 72332, 'dimension': 242928, 'marketstrategy': 517876, 'behaviour seems': 124515, 'changed for': 172473, 'good across': 356685, 'across dimension': 29306, 'dimension posing': 242931, 'posing unforeseen': 665143, 'unforeseen challenge': 941540, 'nation stayconnected': 552314, 'stayconnected stayinformed': 797846, 'stayinformed staysafe': 798560, 'staysafe marketstrategy': 798846, 'consumer behaviour seems': 196597, 'behaviour seems to': 124516, 'to have changed': 907214, 'have changed for': 379937, 'changed for good': 172474, 'for good across': 321925, 'good across dimension': 356686, 'across dimension posing': 29307, 'dimension posing unforeseen': 242932, 'posing unforeseen challenge': 665144, 'unforeseen challenge for': 941541, 'challenge for business': 171459, 'for business across': 319822, 'the nation stayconnected': 861265, 'nation stayconnected stayinformed': 552315, 'stayconnected stayinformed staysafe': 797847, 'stayinformed staysafe marketstrategy': 798561, 'the mpc': 861113, 'mpc will': 544305, 'meeting next': 527726, 'and issue': 65471, 'concern likely': 193011, 'to arise': 900708, 'arise will': 92795, 'be evaluation': 114706, 'the dilemma': 853292, 'dilemma of': 242860, 'of depleting': 582536, 'depleting foreign': 237421, 'reserve given': 714064, 'in inflation': 424095, 'the mpc will': 861114, 'mpc will be': 544306, 'will be meeting': 992554, 'be meeting next': 115924, 'meeting next week': 527727, 'week and issue': 975917, 'and issue of': 65474, 'issue of concern': 455856, 'of concern likely': 581643, 'concern likely to': 193012, 'likely to arise': 492129, 'to arise will': 900709, 'arise will be': 92796, 'will be evaluation': 992447, 'be evaluation of': 114707, 'evaluation of it': 283736, 'of it policy': 585431, 'it policy response': 460377, 'policy response to': 663489, 'to the dilemma': 916641, 'the dilemma of': 853293, 'dilemma of depleting': 242861, 'of depleting foreign': 582537, 'depleting foreign reserve': 237422, 'foreign reserve given': 329006, 'reserve given the': 714065, 'given the fall': 351137, 'and the rise': 73557, 'rise in inflation': 722889, 'in inflation rate': 424097, 'relying solely': 709687, '19 disrupts': 6580, 'disrupts retail': 246569, 'beauty store are': 118802, 'closing and relying': 183586, 'and relying solely': 70211, 'relying solely on': 709688, 'solely on online': 781870, 'on online sale': 602522, 'online sale covid': 608914, 'covid 19 disrupts': 212965, '19 disrupts retail': 6581, 'disrupts retail industry': 246570, 'coronavirus make': 206260, 'feel uncomfortable': 302907, 'uncomfortable and': 939848, 'helpless creating': 391581, 'alleviate some': 45815, 'emergency whether': 273047, 'the coronavirus make': 851878, 'coronavirus make many': 206261, 'make many people': 510111, 'many people feel': 514502, 'people feel uncomfortable': 647896, 'feel uncomfortable and': 302908, 'uncomfortable and helpless': 939849, 'and helpless creating': 64501, 'helpless creating an': 391582, 'creating an emergency': 215977, 'and water supply': 75258, 'water supply will': 969192, 'supply will help': 826110, 'will help alleviate': 993700, 'help alleviate some': 389330, 'alleviate some of': 45816, 'type of emergency': 937557, 'of emergency whether': 583063, 'emergency whether it': 273048, 'whether it medical': 985529, 'tolerated in': 923813, 'nassau county': 552042, 'county if': 211410, 'see product': 745611, 'product being': 681012, 'usual sticker': 951026, 'sticker price': 800088, 'affair department': 34024, 'at pricegouging': 100206, 'be tolerated in': 117754, 'tolerated in nassau': 923814, 'in nassau county': 425687, 'nassau county if': 552043, 'county if you': 211411, 'you see product': 1021061, 'see product being': 745612, 'product being sold': 681013, 'sold at price': 781640, 'at price way': 100205, 'price way over': 677391, 'way over their': 969801, 'over their usual': 630798, 'their usual sticker': 875106, 'usual sticker price': 951027, 'sticker price please': 800089, 'please report potential': 660388, 'report potential price': 712185, 'consumer affair department': 196083, 'affair department at': 34025, 'department at pricegouging': 237187, 'at pricegouging gov': 100207, 'son find': 785371, 'likely die': 491987, 'die and': 241298, 'people telling': 649731, 'am spreading': 50423, 'spreading fear': 790972, 'up do': 944724, 'many asthmatic': 513803, 'asthmatic have': 97224, 'for inhaler': 322585, 'inhaler and': 438433, 'that why if': 847535, 'why if my': 991084, 'if my 19': 414430, 'old son find': 598474, 'son find out': 785372, 'out about this': 625563, 'most likely die': 542482, 'likely die and': 491988, 'die and there': 241300, 'are still people': 90468, 'still people telling': 801038, 'people telling me': 649732, 'me that am': 523605, 'that am spreading': 842615, 'am spreading fear': 50424, 'spreading fear and': 790973, 'and panic people': 68660, 'panic people need': 638409, 'up to up': 946443, 'to up do': 917973, 'up do you': 944726, 'how many asthmatic': 408245, 'many asthmatic have': 513804, 'asthmatic have to': 97225, 'between paying for': 128850, 'paying for inhaler': 645411, 'for inhaler and': 322587, 'inhaler and food': 438434, 'aquatic': 83781, 'kai': 470653, 'for aquatic': 319483, 'aquatic with': 83782, 'with 727': 997058, '727 amp': 22044, 'amp kai': 54040, 'kai ken': 470656, 'ken out': 472766, 'what all been': 981006, 'all been waiting': 42164, 'waiting for aquatic': 964312, 'for aquatic with': 319484, 'aquatic with 727': 83783, 'with 727 amp': 997059, '727 amp kai': 22045, 'amp kai ken': 54041, 'kai ken out': 470657, 'ken out now': 472767, 'out now on': 626660, 'ramon': 696428, 'lopez': 503284, 'inq': 438992, 'trade secretary': 928570, 'secretary ramon': 743968, 'ramon lopez': 696429, 'lopez is': 503285, 'asking food': 95977, 'operation if': 613202, 'inventory inq': 443679, 'trade secretary ramon': 928572, 'secretary ramon lopez': 743969, 'ramon lopez is': 696430, 'lopez is asking': 503286, 'is asking food': 445827, 'asking food manufacturer': 95978, 'food manufacturer to': 315376, 'manufacturer to shut': 513533, 'shut down operation': 767842, 'down operation if': 257054, 'operation if they': 613203, 'if they already': 415092, 'they already have': 881134, 'already have one': 47428, 'have one to': 381801, 'one to two': 607288, 'to two month': 917865, 'two month worth': 937065, 'worth of inventory': 1011411, 'of inventory inq': 585276, 'ago uk': 38528, 'uk department': 938300, 'debenhams fell': 230357, 'fell into': 303206, 'it lender': 459332, 'lender after': 486210, 'adapt quickly': 31265, 'habit amid': 372545, 'commerce this': 188648, 'retailer filed': 719147, 'administration read': 32499, 'year ago uk': 1014367, 'ago uk department': 38529, 'uk department store': 938301, 'chain debenhams fell': 170636, 'debenhams fell into': 230358, 'fell into the': 303208, 'hand of it': 375112, 'of it lender': 585414, 'it lender after': 459333, 'lender after it': 486211, 'after it failed': 35837, 'it failed to': 457932, 'failed to adapt': 296171, 'to adapt quickly': 900044, 'adapt quickly to': 31267, 'quickly to changing': 694623, 'consumer habit amid': 197680, 'habit amid the': 372546, 'amid the rise': 52713, 'rise of commerce': 722944, 'of commerce this': 581557, 'commerce this week': 188649, 'week the retailer': 977006, 'the retailer filed': 865739, 'retailer filed for': 719148, 'filed for administration': 305401, 'for administration read': 319026, 'administration read our': 32500, 'our full story': 623219, 'distributer': 248068, 'castoff': 166787, 'for organization': 324167, 'provides foodbank': 686850, 'foodbank on': 317783, 'thursday we': 895444, 'were unable': 980302, 'our distributer': 622778, 'distributer stock': 248069, 'stock being': 801915, 'newly expired': 560106, 'expired and': 292056, 'and castoff': 59615, 'castoff largely': 166788, 'panicbuying the': 639079, 'get word': 348638, 'work for organization': 1005166, 'for organization that': 324168, 'organization that provides': 619432, 'that provides foodbank': 845893, 'provides foodbank on': 686851, 'foodbank on thursday': 317784, 'on thursday we': 604682, 'thursday we were': 895446, 'we were unable': 973818, 'were unable to': 980303, 'to get stock': 906603, 'get stock from': 348120, 'stock from our': 802185, 'from our distributer': 336767, 'our distributer stock': 622779, 'distributer stock being': 248070, 'stock being the': 801916, 'being the newly': 125931, 'the newly expired': 861595, 'newly expired and': 560107, 'expired and castoff': 292057, 'and castoff largely': 59616, 'castoff largely due': 166789, 'due to panicbuying': 261898, 'to panicbuying the': 911442, 'panicbuying the food': 639080, 'bank is closed': 109947, 'closed until we': 183419, 'we get word': 971637, 'cusp': 221928, 'between plummeting': 128860, 'political deadlock': 663639, 'deadlock and': 229239, 'the cusp': 852709, 'cusp of': 221929, 'calamity speaks': 155287, 'with iraq': 999038, 'between plummeting oil': 128861, 'price political deadlock': 675952, 'political deadlock and': 663640, 'deadlock and the': 229240, 'on the cusp': 604053, 'the cusp of': 852710, 'cusp of calamity': 221930, 'of calamity speaks': 581039, 'calamity speaks with': 155288, 'speaks with iraq': 787815, 'with iraq analyst': 999039, 'enforcing social': 276831, 'actually cause': 30755, 'effective virus': 269326, 'virus transmission': 958942, 'transmission because': 929727, 'waiting are': 964293, 'in crowd': 421910, 'sneeze supermarket': 776272, 'enforcing social distancing': 276833, 'distancing while walking': 247645, 'walking down an': 965051, 'an aisle in': 55217, 'store will actually': 811326, 'will actually cause': 992191, 'actually cause more': 30756, 'cause more effective': 167660, 'more effective virus': 539111, 'effective virus transmission': 269327, 'virus transmission because': 958943, 'transmission because people': 929728, 'because people waiting': 119483, 'people waiting are': 650112, 'waiting are more': 964294, 'likely to cause': 492135, 'to cause people': 902540, 'cause people in': 167702, 'people in crowd': 648363, 'in crowd to': 421911, 'crowd to cough': 219280, 'or sneeze supermarket': 617117, 'apology': 81651, 're sorry': 699552, 'our event': 622932, 'priority apology': 678516, 'apology for': 81652, 'any disappointment': 79116, 'disappointment this': 244164, 'cause all': 167488, 'all faq': 42759, 'are answered': 84566, 'answered in': 78174, 'we re sorry': 972969, 're sorry to': 699555, 'say that our': 739246, 'that our event': 845578, 'our event is': 622933, 'event is being': 285001, 'is being cancelled': 446068, 'being cancelled due': 124924, 'health and wellbeing': 386164, 'top priority apology': 925676, 'priority apology for': 678517, 'apology for any': 81653, 'for any disappointment': 319401, 'any disappointment this': 79118, 'disappointment this may': 244165, 'this may cause': 888788, 'may cause all': 521071, 'cause all faq': 167489, 'all faq are': 42760, 'faq are answered': 298667, 'are answered in': 84567, 'answered in the': 78176, 'your minimum': 1024843, 'minimum online': 533208, '40 you': 18701, 'about single': 26198, 'single disabled': 771290, 'people put': 649203, 'time you reduce': 898415, 'you reduce your': 1020874, 'reduce your minimum': 706012, 'your minimum online': 1024844, 'minimum online shopping': 533209, 'online shopping basket': 609044, 'shopping basket from': 762162, 'basket from 40': 112339, 'from 40 you': 334294, '40 you don': 18702, 'the product in': 864590, 'in stock that': 428334, 'that people need': 845703, 'people need think': 648837, 'need think you': 555809, 'think you forgot': 885810, 'you forgot about': 1018696, 'forgot about single': 329392, 'about single disabled': 26199, 'single disabled people': 771291, 'disabled people put': 243943, 'people put your': 649204, 'put your customer': 690987, 'new cm': 558492, 'cm guidance': 184618, 'guidance provider': 368271, 'provider can': 686703, 'based technology': 111766, 'technology such': 836377, 'such facetime': 816488, 'skype during': 773257, 'more highlight': 539436, 'highlight on': 395941, 'latest change': 481252, 'on the new': 604250, 'the new cm': 861480, 'new cm guidance': 558493, 'cm guidance provider': 184619, 'guidance provider can': 368272, 'provider can use': 686704, 'can use consumer': 160090, 'use consumer based': 949131, 'consumer based technology': 196412, 'based technology such': 111767, 'technology such facetime': 836378, 'such facetime and': 816489, 'and skype during': 71728, 'skype during the': 773258, 'health emergency see': 386402, 'emergency see more': 272945, 'see more highlight': 745426, 'more highlight on': 539437, 'highlight on the': 395942, 'the latest change': 859081, 'latest change in': 481253, 'in the blog': 429029, 'the blog from': 849775, 'blog from expert': 132940, 'costing mass': 208330, 'mass hospital': 519784, 'treat everyone': 930831, 'everyone carrier': 286772, 'that the long': 846765, 'the long wait': 859687, 'long wait for': 501810, 'for the result': 326654, 'result of test': 717616, 'of test is': 590683, 'test is costing': 839039, 'is costing mass': 446856, 'costing mass hospital': 208331, 'mass hospital on': 519785, 'hospital on mask': 404530, 'on mask and': 602042, 'other supply now': 621042, 'supply now going': 825606, 'going for inflated': 355144, 'inflated price since': 437068, 'price since they': 676418, 'have to treat': 383326, 'to treat everyone': 917747, 'treat everyone carrier': 930832, 'vanguard': 952402, 'vdc': 952798, 'usa even': 948637, 'even vanguard': 284758, 'vanguard consumer': 952403, 'staple etf': 793925, 'etf is': 282945, 'sell nyse': 748810, 'nyse vdc': 578141, 'vdc trading': 952799, 'investing etf': 443921, 'etf consumer': 282943, 'the usa even': 870539, 'usa even vanguard': 948638, 'even vanguard consumer': 284759, 'vanguard consumer staple': 952404, 'consumer staple etf': 199118, 'staple etf is': 793926, 'etf is being': 282946, 'being hit in': 125254, 'hit in sell': 398285, 'in sell nyse': 427790, 'sell nyse vdc': 748811, 'nyse vdc trading': 578142, 'vdc trading investing': 952800, 'trading investing etf': 928880, 'investing etf consumer': 443922, 'etf consumer retail': 282944, 'local report': 498328, 'of robbery': 589143, 'robbery occurring': 724671, 'said they have': 731479, 'received any local': 703597, 'any local report': 79423, 'local report of': 498329, 'report of robbery': 712124, 'of robbery occurring': 589144, 'robbery occurring in': 724672, 'occurring in grocery': 579066, 'lot or people': 504336, 'or people going': 616538, 'people going door': 648094, 'door offering to': 255674, 'offering to test': 595308, 'hc yep': 384653, 'yep you': 1015353, 'just never': 469309, 'know automaker': 476283, 'automaker are': 103945, 'are racing': 89411, 'racing to': 695259, 'make ventilator': 510695, 'ventilator beer': 954546, 'beer maker': 122482, 'maker is': 510835, 'sanitizer might': 735369, 'hc yep you': 384654, 'yep you just': 1015354, 'you just never': 1019429, 'just never know': 469310, 'never know automaker': 558087, 'know automaker are': 476284, 'automaker are racing': 103947, 'are racing to': 89412, 'racing to make': 695261, 'to make ventilator': 909762, 'make ventilator beer': 510696, 'ventilator beer maker': 954547, 'beer maker is': 122483, 'maker is producing': 510836, 'is producing hand': 451064, 'hand sanitizer might': 375491, 'sanitizer might be': 735370, 'might be making': 530914, 'be making the': 115893, 'making the vaccine': 511435, 'the vaccine for': 870621, 'why doesnt': 990962, 'doesnt the': 252018, 'take charge': 832026, 'ppe production': 668031, 'competing and': 191626, 'trumpplague ppe': 934122, 'why doesnt the': 990963, 'doesnt the federal': 252019, 'federal government take': 302003, 'government take charge': 360657, 'take charge of': 832027, 'charge of ppe': 173292, 'of ppe production': 588322, 'ppe production and': 668032, 'chain why are': 171236, 'why are state': 990788, 'are state competing': 90364, 'state competing and': 795470, 'competing and driving': 191627, 'the price trumpplague': 864428, 'price trumpplague ppe': 677134, 'local muslim': 498192, 'non muslim': 566438, 'muslim store': 546442, 'see local muslim': 745370, 'local muslim and': 498193, 'muslim and non': 546412, 'and non muslim': 67675, 'non muslim store': 566439, 'muslim store raising': 546443, 'price in time': 674746, 'like and keeping': 489785, 'and keeping price': 65797, 'keeping price the': 472532, 'supportsmallbiz': 827282, 'stayhome onlineshopping': 798058, 'safe shopsmall': 729938, 'shopsmall supportsmallbiz': 764567, 'you must stay': 1019931, 'must stay at': 546903, 'at home stayhome': 99119, 'home stayhome onlineshopping': 402131, 'stayhome onlineshopping safe': 798059, 'onlineshopping safe shopsmall': 609929, 'safe shopsmall supportsmallbiz': 729939, 'it normally': 459846, 'sell 60': 748611, '60 different': 20939, 'different type': 242118, 'sausage suspect': 737417, 'suspect we': 829505, 'without such': 1002941, 'such wide': 816873, 'wide choice': 991706, 'while so': 987285, 'one supermarket say': 607143, 'supermarket say that': 822328, 'that it normally': 844728, 'it normally sell': 459848, 'normally sell 60': 567538, 'sell 60 different': 748612, '60 different type': 20940, 'different type of': 242119, 'type of sausage': 937580, 'of sausage suspect': 589330, 'sausage suspect we': 737418, 'suspect we can': 829506, 'all survive without': 44578, 'survive without such': 829303, 'without such wide': 1002942, 'such wide choice': 816874, 'wide choice for': 991707, 'choice for while': 177772, 'for while so': 327847, 'while so that': 987287, 'that everyone can': 843762, 'get enough to': 346944, 'eat during crisis': 265892, 'brit in': 140343, 'barcelona coronavirus': 110837, 'lockdown share': 499899, 'share supermarket': 755232, 'supermarket pic': 821985, 'pic proving': 655621, 'proving why': 687242, 'absolutely don': 27348, 'sun coronacrisis': 818058, 'brit in barcelona': 140344, 'in barcelona coronavirus': 420702, 'barcelona coronavirus lockdown': 110838, 'coronavirus lockdown share': 206252, 'lockdown share supermarket': 499900, 'share supermarket pic': 755233, 'supermarket pic proving': 821986, 'pic proving why': 655622, 'proving why we': 687243, 'why we absolutely': 991514, 'we absolutely don': 970270, 'absolutely don need': 27349, 'buy food the': 148677, 'food the sun': 317134, 'the sun coronacrisis': 868408, 'sun coronacrisis panicbuying': 818059, 'phonesoap': 655087, 'phonesoap review': 655088, 'review doe': 720557, 'this uv': 890951, 'light phone': 489582, 'phone sanitizer': 655011, 'sanitizer device': 734741, 'device actually': 239889, 'work will': 1006017, 'against huffpost': 37500, 'huffpost life': 409945, 'phonesoap review doe': 655089, 'review doe this': 720558, 'doe this uv': 251646, 'this uv light': 890952, 'uv light phone': 951477, 'light phone sanitizer': 489583, 'phone sanitizer device': 655012, 'sanitizer device actually': 734742, 'device actually work': 239890, 'actually work will': 31023, 'work will it': 1006020, 'will it help': 993867, 'it help in': 458543, 'help in our': 389899, 'fight against huffpost': 304626, 'against huffpost life': 37501, 'demand change': 235124, 'change retailer': 172249, 'being faced': 125133, 'some seeing': 783816, 'seeing demand': 746265, 'near zero': 553650, 'short term consumer': 764728, 'term consumer demand': 838096, 'consumer demand change': 197121, 'demand change retailer': 235129, 'change retailer are': 172250, 'retailer are being': 718989, 'are being faced': 84857, 'being faced with': 125134, 'faced with massive': 295043, 'with massive shift': 999424, 'for their product': 326860, 'their product with': 874478, 'product with some': 681869, 'with some seeing': 1000864, 'some seeing demand': 783817, 'seeing demand fall': 746267, 'demand fall to': 235320, 'to near zero': 910497, 'coronavirus please': 206558, 'touching currency': 926665, 'currency note': 221045, 'note coin': 572708, 'safe from coronavirus': 729691, 'from coronavirus please': 335018, 'coronavirus please wash': 206559, 'please wash your': 660752, 'sanitizer after touching': 734328, 'after touching currency': 36440, 'touching currency note': 926666, 'currency note coin': 221046, 'note coin or': 572709, 'coin or any': 185640, 'any other document': 79587, 'economy did': 267805, 'did great': 240619, 'job pulling': 466113, 'together spending': 920945, 'spending data': 788781, 'spending result': 788978, 'going to hear': 355619, 'the economy did': 853959, 'economy did great': 267806, 'did great job': 240620, 'great job pulling': 362786, 'job pulling together': 466114, 'pulling together spending': 688953, 'together spending data': 920946, 'spending data to': 788782, 'show the shift': 767219, 'consumer spending result': 199088, 'spending result of': 788979, 'lowerdrugpricesnow': 506060, 'drug corp': 260925, 'corp rising': 207215, 'rising pharmaceutical': 723257, 'pharmaceutical doubled': 654071, 'january need': 464669, 'use safeguard': 949527, 'safeguard to': 730219, 'keep big': 471345, 'pharma from': 654033, 'from jacking': 336139, 'up drug': 944745, 'pandemic lowerdrugpricesnow': 635917, 'drug corp rising': 260926, 'corp rising pharmaceutical': 207216, 'rising pharmaceutical doubled': 723258, 'pharmaceutical doubled the': 654072, 'price of potential': 675539, 'potential treatment in': 667164, 'treatment in january': 931093, 'in january need': 424361, 'january need to': 464670, 'to use safeguard': 918062, 'use safeguard to': 949528, 'safeguard to keep': 730220, 'to keep big': 908761, 'keep big pharma': 471346, 'big pharma from': 129916, 'pharma from jacking': 654034, 'from jacking up': 336140, 'jacking up drug': 464184, 'up drug price': 944746, 'price during global': 673622, 'global pandemic lowerdrugpricesnow': 352097, 'sorrow': 786000, 'sorrow and': 786001, 'after battling': 35394, 'the baker': 849197, 'baker administration': 108786, 'also moving': 48538, 'further limit': 342084, 'occupancy during': 578979, 'sorrow and concern': 786002, 'dy after battling': 263722, 'after battling the': 35395, 'battling the baker': 112877, 'the baker administration': 849198, 'baker administration is': 108787, 'administration is also': 32483, 'is also moving': 445566, 'also moving to': 48539, 'moving to further': 544208, 'to further limit': 906344, 'further limit grocery': 342085, 'grocery store occupancy': 365601, 'store occupancy during': 809140, 'occupancy during the': 578980, 'smarter way': 775478, 'do testing': 250209, 'testing would': 839691, 'better targeting': 128511, 'targeting fever': 834564, 'fever check': 303664, 'entrance for': 278877, 'virus tends': 958851, 'to cluster': 902923, 'cluster among': 184583, 'among family': 53006, 'family someone': 298238, 'appears with': 82221, 'fever they': 303692, 'get both': 346694, 'both flu': 135904, 'test same': 839158, 'smarter way to': 775479, 'to do testing': 904566, 'do testing would': 250210, 'testing would be': 839692, 'be to have': 117730, 'have better targeting': 379780, 'better targeting fever': 128512, 'targeting fever check': 834565, 'fever check at': 303665, 'check at grocery': 174379, 'grocery store entrance': 365370, 'store entrance for': 807606, 'entrance for example': 278878, 'example the virus': 288981, 'the virus tends': 870904, 'virus tends to': 958852, 'tends to cluster': 837918, 'to cluster among': 902924, 'cluster among family': 184584, 'among family someone': 53007, 'family someone appears': 298239, 'someone appears with': 784369, 'appears with fever': 82222, 'with fever they': 998417, 'fever they get': 303693, 'they get both': 882159, 'get both flu': 346695, 'both flu and': 135905, 'flu and covid': 311376, '19 test same': 11082, 'test same with': 839159, 'same with everyone': 733426, 'everyone going into': 286945, 'into the post': 443159, 'how embarrassing': 407799, 'embarrassing is': 272450, 'of men': 586433, 'no dude': 564065, 'dude toilet': 261616, 'paper check': 640022, 'after run': 36132, 'on tp': 604827, 'how embarrassing is': 407800, 'embarrassing is the': 272451, 'is the idea': 452824, 'idea of men': 413131, 'of men no': 586434, 'men no dude': 528509, 'no dude toilet': 564066, 'dude toilet paper': 261617, 'toilet paper check': 921226, 'paper check out': 640023, 'shelf at this': 756855, 'at this grocery': 101234, 'store after run': 806083, 'after run on': 36133, 'run on tp': 727744, 'store cbc': 806900, 'lockdown closed': 499244, 'closed suspended': 183357, 'suspended coronapocalypse': 829606, 'coronapocalypse coronapandemic': 205187, 'grocery store cbc': 365274, 'store cbc news': 806901, 'cbc news pandemic': 168284, 'news pandemic lockdown': 560688, 'pandemic lockdown closed': 635900, 'lockdown closed suspended': 499245, 'closed suspended coronapocalypse': 183358, 'suspended coronapocalypse coronapandemic': 829607, 'highly increased': 396070, 'certain seller': 170095, 'seller the': 749091, 'product chicken': 681055, 'chicken meat': 175816, 'meat face': 525565, 'sanitizers most': 736349, 'foremost have': 329037, 'to climb': 902847, 'climb hungary': 182264, 'the highly increased': 857358, 'highly increased demand': 396071, 'increased demand panic': 433284, 'and the profiteering': 73532, 'the profiteering of': 864632, 'profiteering of certain': 683068, 'of certain seller': 581256, 'certain seller the': 170096, 'seller the price': 749092, 'certain product chicken': 170084, 'product chicken meat': 681056, 'chicken meat face': 175817, 'meat face mask': 525566, 'hand sanitizers most': 375710, 'sanitizers most and': 736350, 'most and foremost': 542098, 'and foremost have': 63200, 'foremost have begun': 329038, 'begun to climb': 123735, 'to climb hungary': 902848, 'slovakia today': 774315, 'today described': 919439, 'panic disgusting': 638037, 'called me from': 156372, 'me from slovakia': 522789, 'from slovakia today': 337317, 'slovakia today described': 774316, 'today described the': 919440, 'described the panic': 237958, 'the panic disgusting': 863198, 'panic disgusting selfish': 638038, 'disgusting selfish bulk': 245457, 'selfish bulk buying': 748039, 'buying in uk': 150549, 'shelf in all': 757185, 'in all shop': 420181, 'all shop she': 44321, 'shop she said': 760760, 'she said all': 756303, 'said all our': 730960, 'all our shop': 43829, 'our shop in': 624752, 'shop in slovakia': 760323, 'paper and any': 639806, 'visit expected': 959244, 'month imi': 537783, 'marketingstrategy onlinemarketing': 517781, 'shopping visit expected': 764324, 'visit expected to': 959245, 'to remain stable': 913172, 'remain stable in': 709858, 'stable in the': 791926, 'coming month imi': 188138, 'month imi ongoing': 537784, 'behavior amid the': 123870, 'pandemic show that': 636458, 'that the impact': 846748, 'category marketingstrategy onlinemarketing': 167192, 'soap remember': 779094, 'spirit you': 789524, 'you isolate': 1019381, 'isolate your': 454956, 'soul from': 786226, 'from sin': 337294, 'with soap remember': 1000804, 'soap remember to': 779095, 'heart with the': 388359, 'with the holy': 1001334, 'the holy spirit': 857440, 'holy spirit you': 400514, 'spirit you isolate': 789525, 'you isolate yourself': 1019382, 'from the isolate': 337760, 'the isolate your': 858564, 'isolate your soul': 454957, 'your soul from': 1025874, 'soul from sin': 786227, 'nh attorney': 561895, 'general is': 345376, 'about wave': 26845, 'scam surrounding': 740380, 'surrounding federal': 828746, 'payment these': 645756, 'scam target': 740387, 'consumer vulnerability': 199454, 'vulnerability by': 960809, 'anxiety naturally': 78756, 'naturally arising': 552914, 'from current': 335069, 'event read': 285059, 'the nh attorney': 861726, 'nh attorney general': 561896, 'attorney general is': 102645, 'general is warning': 345378, 'warning about wave': 967073, 'about wave of': 26846, 'related scam surrounding': 708559, 'scam surrounding federal': 740382, 'surrounding federal stimulus': 828747, 'stimulus payment these': 801604, 'payment these scam': 645757, 'these scam target': 880627, 'scam target consumer': 740388, 'target consumer vulnerability': 834457, 'consumer vulnerability by': 199455, 'vulnerability by attempting': 960810, 'attempting to capitalize': 102282, 'on the anxiety': 603972, 'the anxiety naturally': 848793, 'anxiety naturally arising': 78757, 'naturally arising from': 552915, 'arising from current': 92813, 'from current event': 335070, 'current event read': 221191, 'event read more': 285060, '19 starving': 10785, 'starving thank': 795269, 'taken there': 833079, 'without putting': 1002868, 'danger yeah': 225711, 'yeah cheer': 1014243, 'cheer for': 175103, 'that well': 847428, 'due to family': 261785, 'family member with': 298048, 'member with symptom': 528255, 'covid 19 starving': 213856, '19 starving thank': 10786, 'starving thank you': 795270, 'you for nothing': 1018659, 'for nothing the': 323943, 'nothing the supermarket': 573178, 'delivery are all': 233709, 'all taken there': 44601, 'taken there is': 833080, 'get food without': 347079, 'food without putting': 317653, 'without putting others': 1002869, 'others in danger': 621472, 'in danger yeah': 421983, 'danger yeah cheer': 225712, 'yeah cheer for': 1014244, 'cheer for that': 175105, 'for that well': 326275, 'that well done': 847429, 'done for looking': 254842, 'anyone developed': 80250, 'addiction okay': 31646, 'the addiction': 848340, 'addiction thanks': 31650, '19 mycovidstory': 8738, 'just asking for': 468234, 'for friend ha': 321768, 'friend ha anyone': 333625, 'ha anyone developed': 369581, 'anyone developed an': 80251, 'shopping addiction okay': 761897, 'addiction okay it': 31647, 'okay it me': 597989, 'it me the': 459566, 'one with the': 607490, 'with the addiction': 1001195, 'the addiction thanks': 848341, 'addiction thanks 19': 31651, 'thanks 19 mycovidstory': 842004, 'wearegonnabeatthisvirus': 974538, 'hero wearegonnabeatthisvirus': 394159, 'wearegonnabeatthisvirus washyourhands': 974539, 'washyourhands socialdistance': 967909, 'socialdistance orlando': 780153, 'much to priscillaconsolo': 545393, 'true hero wearegonnabeatthisvirus': 933104, 'hero wearegonnabeatthisvirus washyourhands': 394160, 'wearegonnabeatthisvirus washyourhands socialdistance': 974540, 'washyourhands socialdistance orlando': 967910, 'socialdistance orlando florida': 780154, 'keep buying': 471369, 'toiletpaper definitely': 921912, 'definitely bunch': 232315, 'of asshole': 580404, 'asshole tuesdaythoughts': 96576, 'tuesdaythoughts joke': 935221, 'who keep buying': 989150, 'keep buying all': 471370, 'the toiletpaper definitely': 869724, 'toiletpaper definitely bunch': 921913, 'definitely bunch of': 232316, 'bunch of asshole': 142616, 'of asshole tuesdaythoughts': 580405, 'asshole tuesdaythoughts joke': 96577, 'getting only': 349162, 'it nutritious': 459970, '19 when going': 12019, 'store shop smart': 810120, 'shop smart by': 760797, 'smart by getting': 775353, 'by getting only': 152673, 'getting only what': 349163, 'need and make': 554430, 'sure it nutritious': 827604, 'ocvjc': 579163, 'ihaverightstoo': 415946, 'active be': 30261, 'bay ocvjc': 112958, 'ocvjc ihaverightstoo': 579164, 'scammer are very': 740550, 'are very active': 91455, 'very active be': 954978, 'active be vigilant': 30262, 'be vigilant here': 118001, 'vigilant here are': 957246, 'are thing to': 91040, 'keep them at': 472104, 'them at bay': 875433, 'at bay ocvjc': 98107, 'bay ocvjc ihaverightstoo': 112959, 'herat': 392562, 'weareafghanistan': 974521, 'our compatriot': 622504, 'people pharmaceutical': 649102, 'in herat': 423663, 'herat stopped': 392563, 'only increased': 610640, 'on producing': 602947, 'disinfectant to': 245778, 'people weareafghanistan': 650171, 'the many of': 860046, 'of our compatriot': 587439, 'our compatriot and': 622505, 'compatriot and company': 191509, 'and company have': 60190, 'help people pharmaceutical': 390303, 'people pharmaceutical company': 649103, 'company in herat': 190761, 'in herat stopped': 423664, 'herat stopped working': 392564, 'stopped working on': 805785, 'on it other': 601679, 'it other product': 460160, 'other product and': 620766, 'product and ha': 680888, 'and ha only': 64082, 'ha only increased': 371446, 'only increased it': 610641, 'increased it focus': 433357, 'focus on producing': 311892, 'on producing disinfectant': 602948, 'producing disinfectant to': 680762, 'disinfectant to help': 245780, 'help people weareafghanistan': 390313, 'barnstaple': 111140, 'torrington': 926035, 'appledore': 82386, 'instow': 440512, 'northdevon': 567717, 'word that': 1004587, 'extended now': 293177, 'to inc': 908238, 'inc barnstaple': 431268, 'barnstaple torrington': 111141, 'torrington town': 926036, 'to appledore': 900649, 'appledore and': 82387, 'and instow': 65292, 'instow surrounding': 440513, 'surrounding village': 828783, 'village full': 957346, 'detail online': 239233, 'shoplocal supportlocal': 761237, 'supportlocal northdevon': 827263, 'northdevon homedelivery': 567718, 'help to spread': 390792, 'the word that': 871721, 'word that our': 1004588, 'home delivery area': 401010, 'delivery area have': 233728, 'area have extended': 92042, 'have extended now': 380535, 'extended now up': 293178, 'up to inc': 946390, 'to inc barnstaple': 908239, 'inc barnstaple torrington': 431269, 'barnstaple torrington town': 111142, 'torrington town in': 926037, 'town in addition': 927492, 'addition to appledore': 31732, 'to appledore and': 900650, 'appledore and instow': 82388, 'and instow surrounding': 65293, 'instow surrounding village': 440514, 'surrounding village full': 828784, 'village full detail': 957347, 'full detail online': 340561, 'detail online shoplocal': 239234, 'online shoplocal supportlocal': 608998, 'shoplocal supportlocal northdevon': 761238, 'supportlocal northdevon homedelivery': 827264, '5th case': 20821, 'nigeria went': 562816, 'mode store': 535203, 'product avoid': 680996, 'people completely': 647512, 'cough next': 208509, 'me run': 523405, 'life moving': 488890, 'an underground': 56831, 'underground bunker': 940446, 'after hearing about': 35774, 'hearing about the': 388187, 'about the 5th': 26329, 'the 5th case': 848160, '5th case of': 20822, '19 in nigeria': 7770, 'in nigeria went': 425889, 'nigeria went into': 562817, 'went into panic': 979050, 'into panic mode': 442844, 'panic mode store': 638322, 'mode store food': 535204, 'store food product': 807772, 'food product avoid': 316016, 'product avoid people': 680997, 'avoid people completely': 105217, 'people completely if': 647513, 'you cough next': 1018069, 'cough next to': 208510, 'to me run': 909950, 'me run for': 523406, 'run for my': 727644, 'for my life': 323715, 'my life moving': 549026, 'life moving to': 488891, 'moving to an': 544202, 'to an underground': 900472, 'an underground bunker': 56832, 'express no': 293049, 'slot instacart': 774216, 'instacart no': 439925, 'store dear': 807274, 'dear loblaws': 229829, 'loblaws other': 497631, 'other grocer': 620313, 'grocer please': 364153, 'please ramp': 660345, 'service le': 752551, 'pc express no': 645884, 'express no time': 293050, 'time slot instacart': 897684, 'slot instacart no': 774217, 'instacart no time': 439926, 'time slot so': 897687, 'slot so much': 774259, 'much for trying': 544927, 'for trying to': 327374, 'grocery store dear': 365322, 'store dear loblaws': 807275, 'dear loblaws other': 229830, 'loblaws other grocer': 497632, 'other grocer please': 620314, 'grocer please ramp': 364154, 'please ramp up': 660346, 'ramp up your': 696450, 'up your delivery': 946735, 'your delivery service': 1023484, 'delivery service le': 234446, 'service le people': 752552, 'le people would': 483073, 'people would be': 650536, 'would be in': 1011606, 'be in your': 115451, 'your store stayhomesavelives': 1025991, 'store stayhomesavelives flattenthecurve': 810366, 'broadcast': 140733, 'bbc radio': 113102, 'radio more': 695444, 'le behind': 482859, 'disparity worth': 246099, 'worth listen': 1011390, 'listen on': 494700, 'sound or': 786313, 'he via': 385573, 'via box': 955821, 'of broadcast': 580901, 'bbc radio more': 113103, 'radio more or': 695445, 'or le behind': 615944, 'le behind the': 482860, 'gender disparity worth': 345254, 'disparity worth listen': 246100, 'worth listen on': 1011391, 'listen on bbc': 494701, 'on bbc sound': 599596, 'bbc sound or': 113106, 'sound or if': 786314, 'or if in': 615714, 'if in he': 414255, 'in he via': 423597, 'he via box': 385574, 'via box of': 955822, 'box of broadcast': 137112, 'you suppose': 1021490, 'suppose you': 827339, 'reduce sky': 705928, 'on film': 600786, 'film to': 305712, 'monster liveinhope': 537466, 'hi do not': 394625, 'not you suppose': 572619, 'you suppose you': 1021491, 'suppose you want': 827340, 'to reduce sky': 913037, 'reduce sky store': 705929, 'sky store rental': 773234, 'store rental price': 809821, 'price on film': 675673, 'on film to': 600787, 'film to help': 305713, 'to help entertain': 907505, 'help entertain the': 389648, 'entertain the little': 278520, 'little monster liveinhope': 495457, 'monster liveinhope lockdown': 537467, 'slash it': 773572, '2020 by': 14209, 'biggest field': 130244, 'the slash it': 867321, 'slash it oil': 773573, 'production forecast for': 682050, 'for 2020 by': 318747, '2020 by more': 14210, 'than one million': 840980, 'one million barrel': 606665, 'country biggest field': 210519, 'biggest field oott': 130245, 're causing': 698419, 'than already': 840329, 'already exists': 47322, 'exists hospital': 290355, 'you re causing': 1020586, 're causing more': 698420, 'panic than already': 638667, 'than already exists': 840330, 'already exists hospital': 47323, 'exists hospital are': 290356, 'low understand that': 505713, 'understand that we': 940739, 'shelf get your': 757120, 'start banning': 794219, 'banning customer': 110620, 'hint they': 396923, 'outside pandemic': 629531, 'seeing retail': 746447, 'grocery staff': 365145, 'being subject': 125880, 'to terrible': 916378, 'terrible treatment': 838449, 'treatment from': 931080, 'start banning customer': 794220, 'banning customer custexp': 110621, 'right hint they': 721939, 'hint they aren': 396924, 'they aren always': 881471, 'aren always right': 92321, 'always right outside': 49727, 'right outside pandemic': 722211, 'outside pandemic but': 629532, 'pandemic but stay': 635057, 'but stay with': 147148, 'stay with me': 797402, 'me we re': 523915, 're seeing retail': 699463, 'seeing retail grocery': 746448, 'retail grocery staff': 718158, 'grocery staff being': 365147, 'staff being subject': 792262, 'being subject to': 125881, 'subject to terrible': 815755, 'to terrible treatment': 916380, 'terrible treatment from': 838450, 'treatment from shopper': 931081, 'price soo': 676562, 'soo cheap': 785567, 'cheap since': 174192, 'since left': 770701, 'left venezuela': 485710, 'think ve never': 885741, 'gas price soo': 344026, 'price soo cheap': 676563, 'soo cheap since': 785568, 'cheap since left': 174193, 'since left venezuela': 770702, 'even there': 284676, 'food market even': 315395, 'market even there': 516348, 'even there is': 284677, 'linkedin on': 494001, 'thursday said': 895414, 'free job': 331933, 'job posting': 466095, 'posting to': 666704, 'supermarket warehousing': 823734, 'warehousing freight': 966845, 'freight delivery': 332682, 'and disaster': 61402, 'disaster relief': 244240, 'relief nonprofit': 709396, 'nonprofit to': 566710, 'the hiring': 857385, 'hiring process': 397121, 'linkedin on thursday': 494002, 'on thursday said': 604677, 'thursday said it': 895415, 'offer free job': 594627, 'free job posting': 331934, 'job posting to': 466096, 'posting to company': 666705, 'to company in': 903107, 'company in healthcare': 190760, 'in healthcare supermarket': 423612, 'healthcare supermarket warehousing': 387299, 'supermarket warehousing freight': 823735, 'warehousing freight delivery': 966846, 'freight delivery and': 332683, 'delivery and disaster': 233661, 'and disaster relief': 61403, 'disaster relief nonprofit': 244241, 'relief nonprofit to': 709397, 'nonprofit to accelerate': 566711, 'to accelerate the': 899933, 'accelerate the hiring': 27863, 'the hiring process': 857386, 'hiring process for': 397122, 'process for critical': 679901, 'for critical role': 320458, 'critical role to': 218648, 'role to fight': 725136, 'how were': 409209, 'were business': 979400, 'household feeling': 406794, 'concern in': 192997, 'canada read': 160541, 'expectation today': 290864, 'et cdnecon': 282353, 'how were business': 409210, 'were business and': 979401, 'and household feeling': 64784, 'household feeling about': 406795, 'economy before became': 267696, 'major concern in': 509280, 'concern in canada': 192998, 'in canada read': 421198, 'canada read the': 160542, 'read the result': 700588, 'survey and canadian': 828811, 'and canadian survey': 59488, 'consumer expectation today': 197404, 'expectation today at': 290865, 'today at 10': 919263, 'at 10 30': 97399, '10 30 am': 1266, '30 am et': 16953, 'am et cdnecon': 50024, 'pounce': 667352, 'part bad': 642232, 'bad guy': 107877, 'guy pounce': 369117, 'pounce to': 667355, 'pandemic 12': 634765, 'scam part bad': 740290, 'part bad guy': 642233, 'bad guy pounce': 107878, 'guy pounce to': 369118, 'pounce to profit': 667356, 'the pandemic 12': 862889, 'pandemic 12 19': 634766, 'chanel': 171871, 'photojournalmonday': 655320, 'globe ha': 352464, 'especially fresh': 280488, 'farm reinforcing': 299167, 'for farming': 321410, 'farming community': 299608, 'community like': 189967, 'project on': 683522, 'farm by': 299096, 'by chanel': 152096, 'chanel irvine': 171872, 'irvine read': 445131, 'our photojournalmonday': 624339, 'the globe ha': 856356, 'globe ha increased': 352465, 'increased the demand': 433492, 'for food especially': 321579, 'food especially fresh': 314372, 'especially fresh produce': 280489, 'fresh produce from': 333051, 'produce from farm': 680279, 'from farm reinforcing': 335411, 'farm reinforcing the': 299168, 'reinforcing the need': 708265, 'need for farming': 554841, 'for farming community': 321411, 'farming community like': 299609, 'community like these': 189968, 'like these from': 491431, 'these from the': 880032, 'from the project': 337845, 'the project on': 864648, 'project on the': 683523, 'the farm by': 854931, 'farm by chanel': 299097, 'by chanel irvine': 152097, 'chanel irvine read': 171873, 'irvine read more': 445132, 'on our photojournalmonday': 602620, 'perception panic': 651244, 'panic reported': 638481, 'reported reality': 712516, 'of grocerystores': 584367, 'grocerystores via': 366385, 'perception panic reported': 651245, 'panic reported reality': 638482, 'reported reality of': 712517, 'reality of grocerystores': 701771, 'of grocerystores via': 584368, 'volvo': 960407, 'end auto': 275786, 'auto maker': 103893, 'maker slashing': 510870, 'price volvo': 677327, 'high end auto': 395056, 'end auto maker': 275787, 'auto maker slashing': 103894, 'maker slashing price': 510871, 'slashing price volvo': 773680, 'paniceating': 639180, 'go tomorrow': 354393, 'tomorrow why': 924246, 'why paniceating': 991276, 'every day this': 285852, 'week and ll': 975920, 'and ll probably': 66272, 'll probably go': 496963, 'probably go tomorrow': 679267, 'go tomorrow why': 354394, 'tomorrow why paniceating': 924247, 'be tracking': 117785, 'sector every': 744184, 'first blog': 308547, 'update every': 946948, 'every monday': 286017, 'friday digitalmarketing': 333213, 'll be tracking': 496641, 'be tracking the': 117786, 'tracking the effect': 928367, 'retail sector every': 718527, 'sector every step': 744185, 'the way read': 871177, 'way read our': 969833, 'read our first': 700508, 'our first blog': 623077, 'first blog and': 308548, 'blog and stay': 132903, 'tuned for update': 935441, 'for update every': 327466, 'update every monday': 946949, 'every monday wednesday': 286019, 'and friday digitalmarketing': 63310, 'ncing': 553320, 'rate expected': 697209, '30 that': 17231, 'any convention': 79065, 'convention ncing': 202438, 'ncing logistics': 553321, 'logistics cal': 500728, 'cal reason': 155273, 'likely will': 492193, 'be deep': 114370, 'recession bordering': 704219, 'depression 12': 237620, '12 usa': 2973, 'with the unemployment': 1001528, 'unemployment rate expected': 941270, 'rate expected to': 697210, 'to hit 30': 907839, 'hit 30 that': 398107, '30 that give': 17232, 'that give any': 844011, 'give any convention': 350388, 'any convention ncing': 79066, 'convention ncing logistics': 202439, 'ncing logistics cal': 553322, 'logistics cal reason': 500729, 'cal reason for': 155274, 'stock price to': 802752, 'economy is at': 267988, 'at the throe': 101123, 'throe of recession': 894259, 'of recession that': 588828, 'recession that most': 704376, 'that most likely': 845229, 'most likely will': 542489, 'likely will be': 492194, 'will be deep': 992421, 'be deep recession': 114371, 'deep recession bordering': 231917, 'recession bordering on': 704220, 'bordering on an': 135306, 'on an economic': 599325, 'an economic depression': 55578, 'economic depression 12': 267052, 'depression 12 usa': 237621, 'chongqing': 177869, 'hotpot': 405302, 'xiaommian': 1013843, 'promote the': 683796, 'business economics': 143680, 'economics influenced': 267456, 'influenced by': 437326, '19 boost': 5419, 'stabilize consumer': 791837, 'expectation chongqing': 290805, 'chongqing municipal': 177872, 'municipal commission': 546085, 'commission of': 188864, 'commerce organize': 188600, 'organize ten': 619470, 'ten one': 837794, 'one activity': 605859, 'activity chongqing': 30398, 'chongqing business': 177870, 'business hotpot': 143854, 'hotpot xiaommian': 405303, 'to promote the': 912258, 'promote the recovery': 683797, 'the recovery of': 865373, 'recovery of business': 705364, 'of business economics': 580952, 'business economics influenced': 143681, 'economics influenced by': 267457, 'influenced by covid': 437328, 'covid 19 boost': 212718, '19 boost consumer': 5420, 'boost consumer confidence': 134933, 'confidence and stabilize': 193826, 'and stabilize consumer': 72180, 'stabilize consumer expectation': 791838, 'consumer expectation chongqing': 197393, 'expectation chongqing municipal': 290806, 'chongqing municipal commission': 177873, 'municipal commission of': 546086, 'commission of commerce': 188865, 'of commerce organize': 581554, 'commerce organize ten': 188601, 'organize ten one': 619471, 'ten one activity': 837795, 'one activity chongqing': 605860, 'activity chongqing business': 30399, 'chongqing business hotpot': 177871, 'business hotpot xiaommian': 143855, 'council call': 209967, 'good council call': 356925, 'council call for': 209968, 'call for end': 155865, 'still chose': 800366, 'be ignorant': 115354, 'ignorant some': 415797, 'em do': 272055, 'good making': 357363, 'do but you': 249161, 'you still chose': 1021401, 'still chose to': 800367, 'to be ignorant': 901323, 'be ignorant some': 115355, 'ignorant some of': 415798, 'some of em': 783395, 'of em do': 583018, 'em do not': 272056, 'not even know': 569261, 'what is covid': 981684, 'but still chose': 147160, 'chose to increase': 178025, 'on good making': 601148, 'good making it': 357364, 'hard for others': 377919, 'major airline': 509231, 'asking taxpayer': 96069, 'in aid': 420117, 'aid of': 39425, 'company spent': 191096, 'spent almost': 789106, 'spare cash': 787471, 'major airline are': 509232, 'airline are asking': 39925, 'are asking taxpayer': 84646, 'asking taxpayer to': 96070, 'them out with': 876137, 'out with 50': 627861, 'with 50 billion': 997029, '50 billion in': 19633, 'billion in aid': 130842, 'in aid of': 420118, 'aid of the': 39426, 'coronavirus but these': 205588, 'but these company': 147479, 'these company spent': 879793, 'company spent almost': 191097, 'spent almost all': 789107, 'almost all their': 46542, 'their spare cash': 874768, 'spare cash in': 787472, 'last decade buying': 480188, 'their own share': 874203, 'own share to': 632204, 'share to increase': 755307, 'increase their stock': 433122, 'retailresponse': 719539, 'covid19 innovation': 214323, 'in realtime': 427306, 'realtime grocery': 702763, 'supermarket innovation': 821046, 'technology innovation': 836314, 'innovation automation': 438855, 'automation retailresponse': 104022, 'retailresponse retail': 719540, 'retail realtime': 718437, 'realtime 19': 702755, '19 groceryindustry': 7294, 'response to covid19': 715841, 'to covid19 innovation': 903674, 'covid19 innovation in': 214324, 'innovation in realtime': 438879, 'in realtime grocery': 427308, 'realtime grocery supermarket': 702764, 'grocery supermarket innovation': 366001, 'supermarket innovation technology': 821048, 'innovation technology innovation': 438904, 'technology innovation automation': 836315, 'innovation automation retailresponse': 438856, 'automation retailresponse retail': 104023, 'retailresponse retail realtime': 719541, 'retail realtime 19': 718438, 'realtime 19 groceryindustry': 702756, 'thing much': 884597, 'harder at': 378161, 'least something': 484635, 'something get': 784919, 'make many thing': 510112, 'many thing much': 514802, 'thing much harder': 884598, 'much harder at': 544977, 'harder at least': 378162, 'at least something': 99547, 'least something get': 484636, 'something get easier': 784920, 'boot store': 135110, 'boot store across': 135111, 'close the 19': 182833, 'crisis continues we': 217252, 'continues we ve': 201518, 'got the full': 358903, 'consumercare': 199644, 'can consumer': 157964, 'consumer care': 196739, 'care access': 163812, 'strategy aid': 812592, 'coronavirus care': 205609, 'care more': 164066, 'more coronavirus': 538899, 'update newsletter': 947093, 'now consumercare': 574435, 'consumercare healthcare': 199645, 'can consumer care': 157965, 'consumer care access': 196740, 'care access strategy': 163813, 'access strategy aid': 28197, 'strategy aid in': 812593, 'aid in coronavirus': 39405, 'in coronavirus care': 421802, 'coronavirus care more': 205610, 'care more coronavirus': 164067, 'more coronavirus update': 538901, 'coronavirus update newsletter': 206995, 'update newsletter is': 947095, 'is out now': 450664, 'out now consumercare': 626656, 'now consumercare healthcare': 574436, 'sanitizer sorry': 735772, 'none coronavtj': 566555, 'where do find': 984832, 'do find your': 249303, 'find your hand': 307407, 'hand sanitizer sorry': 375594, 'sanitizer sorry we': 735773, 'sorry we have': 786103, 'have none coronavtj': 381673, 'threat that': 893721, 'pose for': 665097, 'for venezuela': 327533, 'venezuela and': 954431, 'the maduro': 859872, 'maduro regime': 508243, 'story by for': 811928, 'by for on': 152624, 'for on the': 324069, 'on the threat': 604404, 'the threat that': 869512, 'threat that low': 893722, 'price pose for': 675960, 'pose for venezuela': 665098, 'for venezuela and': 327534, 'venezuela and the': 954432, 'and the maduro': 73465, 'the maduro regime': 859873, 'lvns': 507030, 'scanner these': 740735, 'are rn': 89729, 'rn lvns': 724332, 'lvns caregiver': 507031, 'caregiver food': 164502, 'server those': 752011, 'food deliver': 314087, 'will astronomically': 992315, 'astronomically spread': 97269, 'at shelter': 100501, 'shelter because': 757906, 'because caregiver': 118988, 'caregiver are': 164496, 'covid patient': 214205, 'scanner these are': 740736, 'these are rn': 879632, 'are rn lvns': 89730, 'rn lvns caregiver': 724333, 'lvns caregiver food': 507032, 'caregiver food server': 164503, 'food server those': 316399, 'server those who': 752012, 'those who stock': 892677, 'who stock your': 989686, 'stock your food': 803223, 'your food deliver': 1023913, 'food deliver your': 314088, 'deliver your food': 233273, 'your food covid': 1023912, '19 will astronomically': 12078, 'will astronomically spread': 992316, 'astronomically spread at': 97270, 'spread at shelter': 790435, 'at shelter because': 100502, 'shelter because caregiver': 757907, 'because caregiver are': 118989, 'caregiver are caring': 164497, 'caring for covid': 164712, 'for covid patient': 320434, 'covid patient do': 214206, 'patient do you': 644166, 'do you no': 250650, 'routed': 726486, 'myspark': 550990, 'spark call': 787533, 'in manila': 425034, 'manila is': 513195, 'be routed': 116915, 'routed to': 726487, 'zealand spark': 1027310, 'spark requires': 787552, 'requires patience': 713487, 'patience with': 644116, 'whether people': 985550, 'the myspark': 861171, 'myspark app': 550991, 'visit retail': 959346, 'spark call center': 787534, 'call center in': 155817, 'center in manila': 169233, 'in manila is': 425035, 'manila is closing': 513196, 'is closing to': 446615, 'closing to help': 183795, '19 call will': 5592, 'call will be': 156226, 'will be routed': 992659, 'be routed to': 116916, 'routed to support': 726488, 'to support service': 915966, 'support service based': 826810, 'service based in': 752174, 'based in new': 111620, 'new zealand spark': 559997, 'zealand spark requires': 1027311, 'spark requires patience': 787553, 'requires patience with': 713488, 'patience with call': 644117, 'with call and': 997514, 'call and whether': 155768, 'and whether people': 75548, 'whether people use': 985552, 'people use the': 650070, 'use the myspark': 949682, 'the myspark app': 861172, 'myspark app or': 550992, 'app or visit': 81745, 'or visit retail': 617683, 'visit retail store': 959347, 'xylospongium': 1013944, 'anus': 78632, 'defecating': 232071, 'latrine': 481664, 'ancientrome': 57328, 'dyk in': 263894, 'in ancient': 420343, 'ancient rome': 57326, 'rome people': 725751, 'use xylospongium': 949826, 'xylospongium which': 1013945, 'is sponge': 452170, 'sponge on': 789807, 'on stick': 603668, 'wa hygienic': 962347, 'hygienic utensil': 412237, 'utensil used': 951228, 'their anus': 872496, 'anus after': 78633, 'after defecating': 35551, 'defecating shared': 232072, 'people using': 650077, 'using public': 950611, 'public latrine': 688137, 'latrine you': 481665, 'welcome ancientrome': 977868, 'ancientrome toiletpaper': 57329, 'toiletpaper hygiene': 922103, 'dyk in ancient': 263895, 'in ancient rome': 420344, 'ancient rome people': 57327, 'rome people use': 725752, 'people use xylospongium': 650071, 'use xylospongium which': 949827, 'xylospongium which is': 1013946, 'which is sponge': 986056, 'is sponge on': 452171, 'sponge on stick': 789808, 'on stick this': 603669, 'stick this wa': 800059, 'this wa hygienic': 891071, 'wa hygienic utensil': 962348, 'hygienic utensil used': 412238, 'utensil used to': 951229, 'used to wipe': 950103, 'wipe their anus': 996386, 'their anus after': 872497, 'anus after defecating': 78634, 'after defecating shared': 35552, 'defecating shared by': 232073, 'shared by people': 755399, 'by people using': 153558, 'people using public': 650078, 'using public latrine': 950612, 'public latrine you': 688138, 'latrine you re': 481666, 're welcome ancientrome': 699797, 'welcome ancientrome toiletpaper': 977869, 'ancientrome toiletpaper hygiene': 57330, 'my crochet': 547858, 'crochet skill': 218832, 'skill have': 772951, 'my crochet skill': 547859, 'crochet skill have': 218833, 'skill have come': 772952, 'little article': 495238, 'home stocked': 402151, 'stocked healthy': 803333, 'healthy in': 387666, 'bad little article': 107926, 'little article here': 495239, 'article here from': 94348, 'your home stocked': 1024378, 'home stocked clean': 402152, 'stocked clean and': 803293, 'clean and well': 180472, 'and well stocked': 75410, 'well stocked healthy': 978597, 'stocked healthy in': 803334, 'healthy in time': 387667, 'dontbeaasshole': 255327, 'friend posted': 333759, 'facebook doesn': 294903, 'her identity': 392130, 'or which': 617790, 'be public': 116612, 'public obviously': 688182, 'obviously but': 578825, 'but needed': 146461, 'employee dontbeaasshole': 273785, 'dontbeaasshole stayhomesavelives': 255328, 'friend posted this': 333760, 'on facebook doesn': 600701, 'facebook doesn want': 294904, 'doesn want her': 251991, 'want her identity': 965811, 'her identity or': 392131, 'identity or which': 413409, 'or which store': 617791, 'which store she': 986344, 'work at to': 1004907, 'at to be': 101325, 'to be public': 901468, 'be public obviously': 116613, 'public obviously but': 688183, 'obviously but needed': 578826, 'but needed to': 146462, 'needed to share': 556548, 'to share what': 914372, 'share what she': 755346, 'what she had': 982164, 'she had to': 756107, 'say about covid': 738383, '19 and grocery': 5035, 'store employee dontbeaasshole': 807477, 'employee dontbeaasshole stayhomesavelives': 273786, 'market went': 517329, 'because investor': 119164, 'already priced': 47586, 'priced in': 677737, 'economy unemployment': 268312, 'unemployment decreased': 941196, 'decreased consumer': 231627, 'spending etc': 788804, 'there little': 878715, 'little fear': 495337, 'recession getting': 704278, 'stock market went': 802454, 'market went up': 517330, 'went up because': 979214, 'up because investor': 944473, 'because investor already': 119165, 'investor already priced': 444097, 'already priced in': 47587, 'priced in covid': 677738, 'the economy unemployment': 854032, 'economy unemployment decreased': 268313, 'unemployment decreased consumer': 941197, 'decreased consumer spending': 231628, 'consumer spending etc': 199058, 'spending etc and': 788805, 'etc and there': 282411, 'and there little': 73842, 'there little fear': 878716, 'little fear of': 495338, 'the recession getting': 865336, 'recession getting worse': 704279, 'getting worse in': 349456, 'term that how': 838313, 'that how it': 844382, 'how it work': 408146, 'gulfport': 368654, 'navy say': 553158, 'say civilian': 738511, 'civilian employee': 179570, 'at base': 98091, 'base retail': 111475, 'in gulfport': 423476, 'gulfport tested': 368655, 'navy say civilian': 553159, 'say civilian employee': 738512, 'civilian employee at': 179571, 'employee at base': 273641, 'at base retail': 98092, 'base retail store': 111476, 'store in gulfport': 808309, 'in gulfport tested': 423477, 'gulfport tested positive': 368656, 'probably silly': 679380, 'silly question': 769767, 'with international': 999026, 'flight banned': 310443, '30th mar': 17533, 'mar how': 515013, 'doe international': 251421, 'international mail': 441823, 'mail come': 508594, 'into australia': 442417, 'australia letter': 103320, 'letter package': 487335, 'family overseas': 298143, 'overseas package': 631483, 'package ordered': 633361, 'overseas online': 631481, 'probably silly question': 679381, 'silly question but': 769768, 'question but with': 693558, 'but with international': 147895, 'with international flight': 999027, 'international flight banned': 441804, 'flight banned from': 310444, 'banned from 30th': 110570, 'from 30th mar': 334278, '30th mar how': 17534, 'mar how doe': 515014, 'how doe international': 407741, 'doe international mail': 251422, 'international mail come': 441824, 'mail come into': 508595, 'come into australia': 187385, 'into australia letter': 442418, 'australia letter package': 103321, 'letter package from': 487336, 'package from family': 633282, 'from family overseas': 335404, 'family overseas package': 298144, 'overseas package ordered': 631484, 'package ordered from': 633362, 'ordered from overseas': 618854, 'from overseas online': 336821, 'overseas online shopping': 631482, 'online shopping how': 609149, 'shopping how do': 762932, 'do they get': 250306, 'of sector': 589438, 'automotive aircraft': 104033, 'aircraft and': 39874, 'total shutdown of': 926247, 'shutdown of sector': 768072, 'of sector such': 589439, 'such automotive aircraft': 816346, 'automotive aircraft and': 104034, 'aircraft and consumer': 39875, 'and consumer durables': 60373, 'gawd': 344701, 'good gawd': 357119, 'gawd this': 344704, 'photo thousand': 655257, 'thousand lining': 893411, 'good gawd this': 357120, 'gawd this photo': 344705, 'this photo thousand': 889565, 'photo thousand lining': 655258, 'thousand lining up': 893412, 'lining up in': 493767, 'their car at': 872722, 'car at food': 163012, 'bank in texas': 109927, 'recreational': 705451, 'lawmaker consider': 482487, 'consider recreational': 195080, 'recreational marijuana': 705452, 'marijuana to': 515729, 'fill budget': 305454, 'lawmaker consider recreational': 482488, 'consider recreational marijuana': 195081, 'recreational marijuana to': 705453, 'marijuana to fill': 515730, 'to fill budget': 905837, 'fill budget hole': 305455, 'vulture have': 961297, '6am again': 21552, 'again stoppanicbuying': 37189, 'all the vulture': 44976, 'the vulture have': 871010, 'vulture have been': 961298, 'at 6am again': 97720, '6am again stoppanicbuying': 21553, 'boyy': 137436, 'overheard at': 631232, 'like frozen': 490286, 'food better': 313732, 'than fresh': 840676, 'fresh anyways': 332924, 'anyways boyy': 81069, 'boyy do': 137437, 'ex for': 288635, 'you girl': 1018820, 'overheard at the': 631233, 'store like frozen': 808723, 'like frozen food': 490287, 'frozen food better': 338970, 'food better than': 313733, 'better than fresh': 128521, 'than fresh anyways': 840677, 'fresh anyways boyy': 332925, 'anyways boyy do': 81070, 'boyy do have': 137438, 'have an ex': 379247, 'an ex for': 55899, 'ex for you': 288636, 'for you girl': 328059, 'rou': 726224, 'kami': 470745, 'ek': 270419, 'sna': 775996, 'ila': 416078, 'ovat': 629740, 'spekulant rou': 788508, 'rou kami': 726227, 'kami na': 470746, 'ti rou': 895564, 'rou ek': 726225, 'ek od': 270420, 'se sna': 743061, 'sna ila': 775997, 'ila navy': 416079, 'navy ovat': 553156, 'ovat cenu': 629741, 'proti spekulant rou': 685958, 'spekulant rou kami': 788509, 'rou kami na': 726228, 'kami na popud': 470747, '700 ti rou': 21907, 'ti rou ek': 895565, 'rou ek od': 726226, 'ek od firmy': 270421, 'li se sna': 487947, 'se sna ila': 743062, 'sna ila navy': 775998, 'ila navy ovat': 416080, 'navy ovat cenu': 553157, 'ovat cenu spolutozvladneme': 629742, 'isolators': 455553, 'absolutely pulling': 27434, 'bag this': 108419, 'morning main': 541345, 'point dedicated': 662459, 'dedicated in': 231718, 'vulnerable click': 960913, 'park for': 641908, 'self isolators': 747812, 'isolators restriction': 455554, 'popular item': 664564, 'item coronav': 463192, 'absolutely pulling it': 27435, 'pulling it out': 688937, 'the bag this': 849181, 'bag this morning': 108420, 'this morning main': 888984, 'morning main point': 541346, 'main point dedicated': 508792, 'point dedicated in': 662460, 'dedicated in store': 231719, 'shopping for elderly': 762672, 'for elderly vulnerable': 320999, 'elderly vulnerable click': 270928, 'vulnerable click and': 960914, 'and collect in': 60083, 'collect in car': 186287, 'car park for': 163220, 'park for self': 641910, 'for self isolators': 325422, 'self isolators restriction': 747813, 'isolators restriction of': 455555, 'restriction of per': 717333, 'of per person': 588035, 'per person on': 650976, 'person on popular': 652554, 'on popular item': 602845, 'popular item coronav': 664565, 'thought break': 892987, 'the boredom': 849878, 'start game': 794307, 'it tag': 461416, 'tag ll': 831759, 'honest it': 403062, 'pop into supermarket': 664431, 'into supermarket thought': 443063, 'supermarket thought break': 823328, 'thought break the': 892988, 'break the boredom': 138802, 'the boredom and': 849879, 'boredom and start': 135397, 'and start game': 72242, 'start game of': 794308, 'game of it': 343215, 'of it tag': 585450, 'it tag ll': 461417, 'tag ll be': 831760, 'll be honest': 496594, 'be honest it': 115291, 'honest it didn': 403063, 'it didn go': 457540, 'didn go down': 241075, 'go down well': 353501, 'carte': 165436, 'blanche': 132348, 'exterminate': 293343, 'opponent': 613541, 'marginalized': 515653, 'criminal group': 216844, 'group must': 366775, 'informed that': 438126, 'have carte': 379903, 'carte blanche': 165437, 'blanche to': 132349, 'to exterminate': 905535, 'exterminate their': 293344, 'their opponent': 874127, 'opponent or': 613542, 'or marginalized': 616064, 'marginalized group': 515656, 'or hike': 615642, 'commodity medicine': 189223, 'should face': 765981, 'face special': 294765, 'special oversight': 788014, 'oversight prosecution': 631525, 'criminal group must': 216845, 'group must be': 366776, 'must be informed': 546514, 'be informed that': 115498, 'informed that they': 438130, 'not have carte': 569818, 'have carte blanche': 379904, 'carte blanche to': 165438, 'blanche to exterminate': 132350, 'to exterminate their': 905536, 'exterminate their opponent': 293345, 'their opponent or': 874128, 'opponent or marginalized': 613543, 'or marginalized group': 616065, 'marginalized group or': 515657, 'group or hike': 366823, 'or hike up': 615644, 'of commodity medicine': 581578, 'commodity medicine in': 189224, 'medicine in the': 526818, '19 precaution they': 9776, 'precaution they should': 669376, 'they should face': 883363, 'should face special': 765982, 'face special oversight': 294766, 'special oversight prosecution': 788015, 'wife are': 991896, 'helping elderly': 391318, 'pandemic 8nn': 634787, '8nn inthistogether': 23201, 'country star and': 211075, 'star and his': 794026, 'his wife are': 397913, 'wife are helping': 991897, 'are helping elderly': 87094, 'helping elderly amid': 391319, 'elderly amid pandemic': 270562, 'amid pandemic 8nn': 52567, 'pandemic 8nn inthistogether': 634788, 'next at': 561287, 'at on': 99950, 'more coverage': 538910, 'how greater': 407932, 'cincinnati food': 178520, 'report reassuring': 712207, 'reassuring and': 703225, 'put pause': 690761, 'what clearly': 981218, 'clearly been': 181488, 'next at on': 561288, 'at on more': 99951, 'on more coverage': 602204, 'more coverage of': 538911, 'of how greater': 584826, 'how greater cincinnati': 407933, 'greater cincinnati food': 363159, 'cincinnati food supply': 178521, 'supply is holding': 825443, 'holding up during': 400187, 'the pandemic like': 863016, 'pandemic like to': 635890, 'to think you': 917393, 'll find my': 496769, 'find my report': 307081, 'my report reassuring': 549924, 'report reassuring and': 712208, 'reassuring and it': 703226, 'and it might': 65553, 'it might put': 459619, 'might put pause': 531109, 'put pause on': 690762, 'pause on what': 644607, 'on what clearly': 605214, 'what clearly been': 981219, 'clearly been some': 181490, 'been some panic': 122005, 'are horrible': 87237, 'horrible human': 404102, 'if you panic': 415492, 'hoarded food and': 398941, 'food and let': 313270, 'let any of': 486598, 'of it go': 585402, 'it go bad': 458256, 'go bad you': 353358, 'bad you are': 108092, 'you are horrible': 1017142, 'are horrible human': 87238, 'horrible human being': 404103, 'accepted they': 28062, 'they later': 882539, 'later changed': 481038, 'perhaps on': 651625, 'on discovering': 600337, 'discovering art': 244710, 'art 128': 94127, '128 tfeu': 3093, 'euro area': 283352, 'is room': 451572, 'under 19': 939961, 'not accepted they': 568028, 'accepted they later': 28063, 'they later changed': 882540, 'later changed it': 481039, 'this perhaps on': 889508, 'perhaps on discovering': 651626, 'on discovering art': 600338, 'discovering art 128': 244711, 'art 128 tfeu': 94128, '128 tfeu on': 3094, 'in the euro': 429179, 'the euro area': 854575, 'euro area now': 283353, 'area now wonder': 92124, 'there is room': 878617, 'is room to': 451573, 'room to suspend': 725983, 'law under 19': 482435, 'under 19 threat': 939962, 'build positive': 141998, 'positive brand': 665265, 'brand sentiment': 138001, 'consumer depends': 197183, 'smart creative': 775361, 'creative response': 216165, 'response that': 715810, 'be communication': 114160, 'communication newzealand': 189617, 'newzealand marketing': 561241, 'marketing sentiment': 517701, 'sentiment stayhome': 751000, 'opportunity to stand': 613727, 'to stand out': 915161, 'stand out and': 793570, 'out and build': 625647, 'and build positive': 59242, 'build positive brand': 141999, 'positive brand sentiment': 665266, 'brand sentiment in': 138002, 'mind of consumer': 532701, 'of consumer depends': 581733, 'consumer depends on': 197184, 'depends on smart': 237390, 'on smart creative': 603510, 'smart creative response': 775362, 'creative response that': 216166, 'response that actually': 715811, 'that actually help': 842493, 'help customer it': 389559, 'customer it can': 222546, 'it can just': 457022, 'can just be': 158791, 'just be communication': 468269, 'be communication newzealand': 114161, 'communication newzealand marketing': 189618, 'newzealand marketing sentiment': 561242, 'marketing sentiment stayhome': 517702, 'adelaide shutdownaustralia': 32141, 'local supermarket shopping': 498587, 'supermarket shopping my': 822643, 'shopping my god': 763310, 'my god it': 548524, 'god it panic': 354749, 'it panic in': 460251, 'panic in adelaide': 638195, 'in adelaide shutdownaustralia': 420042, 'food get to': 314654, 'see inflated': 745308, 'inflated drug': 437018, 'profiting during': 683114, 'crisis sandwell': 217999, 'once again we': 605583, 'again we see': 37263, 'we see inflated': 973162, 'see inflated drug': 745309, 'inflated drug price': 437019, 'price it make': 674921, 'make me angry': 510126, 'me angry that': 522438, 'angry that company': 76498, 'that company are': 843270, 'company are profiting': 190440, 'are profiting during': 89267, 'profiting during this': 683115, 'this crisis sandwell': 887082, 'tommy': 923988, 'is trend': 453346, 'trend with': 931518, 'kid coughing': 473914, 'on senior': 603368, 'citizen is': 178922, 'amp uk': 54752, 'uk tommy': 938835, 'tommy stop': 923989, 'stop attack': 804467, 'watch and share': 968361, 'this is trend': 888436, 'is trend with': 453348, 'trend with kid': 931519, 'with kid coughing': 999143, 'kid coughing on': 473915, 'supermarket product and': 822072, 'product and on': 680895, 'and on senior': 68066, 'on senior citizen': 603369, 'senior citizen is': 750254, 'citizen is in': 178923, 'the amp uk': 848665, 'amp uk tommy': 54753, 'uk tommy stop': 938836, 'tommy stop attack': 923990, 'stop attack in': 804468, 'attack in the': 102121, 'nurse police': 577461, 'thank give': 841575, 'life shout': 489044, 'is there doctor': 453007, 'there doctor or': 878329, 'or nurse police': 616331, 'nurse police officer': 577463, 'police officer grocery': 663119, 'store employee or': 807516, 'employee or anyone': 274085, 'life you like': 489246, 'to thank give': 916425, 'thank give the': 841576, 'give the essential': 350737, 'your life shout': 1024643, 'life shout out': 489045, 'shout out by': 766769, 'out by sharing': 625817, 'by sharing photo': 153970, 'sharing photo or': 755570, 'or video with': 617673, 'video with here': 956969, 'never denied': 557941, 'denied anything': 236950, 'anything simply': 80882, 'simply answered': 770176, 'answered the': 78189, 'what wet': 982581, 'from wet': 338333, 'but shutting': 147054, 'every wet': 286374, 'like shutting': 491190, 'never denied anything': 557942, 'denied anything simply': 236951, 'anything simply answered': 80883, 'simply answered the': 770177, 'answered the question': 78190, 'the question of': 865019, 'question of what': 693669, 'of what wet': 593068, 'what wet market': 982582, 'wet market is': 980744, '19 virus may': 11820, 'virus may have': 958490, 'come from wet': 187319, 'from wet market': 338334, 'wet market but': 980742, 'market but shutting': 516130, 'but shutting down': 147055, 'shutting down every': 768261, 'down every wet': 256737, 'every wet market': 286375, 'wet market in': 980743, 'market in china': 516552, 'china is like': 176752, 'is like shutting': 449330, 'like shutting down': 491191, 'where more': 985031, 'work including': 1005357, 'including supermarket': 432171, 'driver driver': 259517, 'teacher for': 835462, 'worker social': 1007794, 'safety worker': 730788, 'the uk where': 870300, 'uk where more': 938885, 'where more than': 985032, '19 people classified': 9623, 'to work including': 918739, 'work including supermarket': 1005358, 'including supermarket staff': 432172, 'taxi driver driver': 835158, 'driver driver teacher': 259518, 'driver teacher for': 259776, 'teacher for child': 835463, 'for child of': 320056, 'child of key': 176159, 'key worker social': 473511, 'worker social worker': 1007795, 'social worker worker': 780025, 'worker worker utility': 1008288, 'worker utility worker': 1008094, 'utility worker etc': 951339, 'worker etc not': 1006869, 'etc not just': 282675, 'just health safety': 468950, 'health safety worker': 386821, 'migrant farm': 531206, 'by italy': 152949, 'italy exploited': 462822, 'african fruit': 35196, 'world the migrant': 1010051, 'the migrant farm': 860588, 'migrant farm worker': 531207, 'farm worker who': 299215, 'worker who fill': 1008211, 'who fill them': 988740, 'fill them are': 305506, 'are being protected': 84897, 'being protected from': 125587, '19 coronavirus fear': 6101, 'coronavirus fear by': 205915, 'fear by italy': 301077, 'by italy exploited': 152950, 'italy exploited african': 462823, 'exploited african fruit': 292406, 'african fruit picker': 35197, 'financials': 306715, 'financial stock': 306601, 'stock first': 802116, 'aid kit': 39411, 'kit report': 475624, 'report available': 711820, 'to institutional': 908424, 'institutional investor': 440488, 'investor at': 444113, 'at covering': 98353, 'covering stress': 212490, 'stress testing': 813404, 'sector sign': 744331, 'free today': 332254, 'report marketcrash': 712081, 'marketcrash financials': 517419, 'have their financial': 383051, 'their financial stock': 873325, 'financial stock first': 306602, 'stock first aid': 802117, 'first aid kit': 308490, 'aid kit report': 39413, 'kit report available': 475625, 'report available to': 711821, 'available to institutional': 104647, 'to institutional investor': 908425, 'institutional investor at': 440489, 'investor at covering': 444114, 'at covering stress': 98354, 'covering stress testing': 212491, 'stress testing in': 813405, 'financial sector sign': 306573, 'sector sign up': 744332, 'up for free': 944936, 'for free today': 321733, 'free today to': 332255, 'buy the report': 149306, 'the report marketcrash': 865533, 'report marketcrash financials': 712082, 'forbes the': 328296, 'american small': 52196, 'flow issue': 311241, 'issue too': 455976, 'effectively live': 269362, 'of paycheck': 587832, 'paycheck sharp': 645307, 'easily tip': 265251, 'forbes the covid': 328297, 'crisis is showing': 217587, 'is showing that': 451898, 'showing that many': 767517, 'that many american': 845022, 'many american small': 513734, 'american small business': 52197, 'small business have': 774860, 'business have cash': 143824, 'have cash flow': 379906, 'cash flow issue': 166229, 'flow issue too': 311242, 'issue too and': 455977, 'too and effectively': 924577, 'and effectively live': 61955, 'effectively live the': 269363, 'live the equivalent': 496047, 'equivalent of paycheck': 279991, 'of paycheck to': 587833, 'to paycheck sharp': 911584, 'paycheck sharp decline': 645308, 'consumer demand can': 197118, 'demand can easily': 235101, 'can easily tip': 158187, 'many tech': 514777, 'tech accessory': 836024, 'accessory such': 28376, 'such screen': 816733, 'screen battery': 742682, 'battery usb': 112766, 'usb headset': 948887, 'headset webcam': 386056, 'webcam or': 974968, 'or laptop': 615922, 'laptop dock': 479558, 'dock have': 250779, 'rising result': 723285, 'many tech accessory': 514778, 'tech accessory such': 836025, 'accessory such screen': 28377, 'such screen battery': 816734, 'screen battery usb': 742683, 'battery usb headset': 112767, 'usb headset webcam': 948888, 'headset webcam or': 386057, 'webcam or laptop': 974969, 'or laptop dock': 615923, 'laptop dock have': 479559, 'dock have seen': 250780, 'seen their price': 747301, 'their price rising': 874417, 'price rising result': 676256, 'rising result of': 723286, 'and the necessity': 73489, 'the necessity to': 861387, 'necessity to work': 554285, 'lot covid': 504023, 'shopping thanks lot': 764075, 'thanks lot covid': 842129, 'lot covid 19': 504024, 'terrible thing': 838444, 'thing happening': 884391, 'nation however': 552213, 'there growing': 878444, 'growing evidence': 367183, 'loading their': 497344, 'the scarce': 866435, 'scarce good': 740785, 'then charging': 877069, 'virus is terrible': 958407, 'is terrible thing': 452610, 'terrible thing happening': 838445, 'thing happening to': 884392, 'happening to our': 377418, 'to our nation': 911214, 'our nation however': 623981, 'nation however there': 552214, 'however there growing': 409489, 'there growing evidence': 878446, 'growing evidence that': 367184, 'that some smaller': 846397, 'some smaller shop': 783896, 'big supermarket loading': 130034, 'supermarket loading their': 821356, 'loading their trolley': 497346, 'with the scarce': 1001467, 'the scarce good': 866437, 'scarce good taking': 740787, 'good taking them': 357813, 'to their shop': 917266, 'their shop then': 874704, 'shop then charging': 760910, 'then charging extortionate': 877070, 'extortionate price please': 293400, 'price please remember': 675885, 're with': 699808, 'with problem': 1000323, 'problem arising': 679468, 'ha prepared': 371532, 'prepared some': 670232, 'to common': 903087, 'question available': 693546, 'you re with': 1020794, 're with problem': 699809, 'with problem arising': 1000324, 'problem arising from': 679469, 'arising from change': 92811, 'from change due': 334821, 'service ha prepared': 752437, 'ha prepared some': 371533, 'prepared some answer': 670233, 'some answer to': 782304, 'answer to common': 78127, 'to common question': 903089, 'common question available': 189443, 'question available here': 693547, 'retarded': 719632, 'fucking retarded': 339982, 'retarded why': 719635, 'fuck would': 339689, 'your partner': 1025217, 'three kid': 893970, 'think for': 885251, 'sake 19': 731846, '19 19australia': 4715, 'so fucking retarded': 777139, 'fucking retarded why': 339983, 'retarded why the': 719636, 'the fuck would': 855977, 'fuck would you': 339690, 'would you take': 1012423, 'take your partner': 832826, 'your partner and': 1025218, 'partner and three': 642768, 'and three kid': 74081, 'three kid to': 893972, 'supermarket think for': 823303, 'think for fuck': 885252, 'fuck sake 19': 339633, 'sake 19 19australia': 731847, 'tvmarket': 936235, 'omdia report': 598878, 'report shipment': 712244, 'tv during': 936103, 'during q2': 262930, 'q2 are': 691417, 'percent the': 651185, 'current face': 221196, 'manufacturing distribution': 513577, 'shopping tvmarket': 764275, 'research analyst omdia': 713663, 'analyst omdia report': 57163, 'omdia report shipment': 598879, 'report shipment of': 712245, 'shipment of tv': 758773, 'of tv during': 592521, 'tv during q2': 936104, 'during q2 are': 262931, 'q2 are expected': 691418, 'expected to plunge': 290992, 'plunge by almost': 661421, 'by almost 10': 151799, 'almost 10 percent': 46474, '10 percent the': 1631, 'percent the pandemic': 651186, 'the pandemic change': 862930, 'pandemic change the': 635123, 'change the current': 172289, 'the current face': 852632, 'current face of': 221197, 'face of manufacturing': 294661, 'of manufacturing distribution': 586164, 'manufacturing distribution and': 513578, 'and consumer shopping': 60430, 'consumer shopping tvmarket': 198979, 'produce over': 680388, 'help responder': 390444, 'responder battling': 715423, 'will produce over': 994476, 'produce over 100': 680389, '100 00 gallon': 1789, 'sanitizer over the': 735518, 'coming month to': 188146, 'month to help': 538083, 'to help responder': 907610, 'help responder battling': 390445, 'responder battling the': 715424, 'battling the pandemic': 112882, 'to doubt': 904683, 'doubt their': 256224, 'own shitting': 632206, 'shitting style': 759359, 'style after': 815586, 'with kilometer': 999151, 'kilometer and': 474748, 'and kilometer': 65849, 'kilometer of': 474754, 'tp am': 927736, 'wrong toiletpaper': 1013136, 'who ha started': 988863, 'started to doubt': 794868, 'to doubt their': 904685, 'doubt their own': 256225, 'their own shitting': 874204, 'own shitting style': 632207, 'shitting style after': 759360, 'style after hearing': 815587, 'hearing about all': 388184, 'about all this': 24781, 'paper hoarding what': 640286, 'hoarding what are': 399654, 'these people doing': 880432, 'doing with kilometer': 252867, 'with kilometer and': 999152, 'kilometer and kilometer': 474749, 'and kilometer of': 65850, 'kilometer of tp': 474755, 'of tp am': 592356, 'tp am doing': 927737, 'doing it wrong': 252502, 'it wrong toiletpaper': 462621, 'abilty': 24409, 'gopinsidertrading': 358307, 'were inflated': 979793, 'inflated through': 437091, 'through stock': 894693, 'buyback who': 149528, 'who owned': 989397, 'owned stock': 632354, 'stock had': 802214, 'the abilty': 848237, 'abilty to': 24410, 'force their': 328512, 'surge the': 828263, 'tax scam': 835091, 'scam gopinsidertrading': 740182, 'gopinsidertrading trumplies': 358308, 'share value were': 755330, 'value were inflated': 952239, 'were inflated through': 979794, 'inflated through stock': 437092, 'through stock buyback': 894694, 'stock buyback who': 801960, 'buyback who owned': 149529, 'who owned stock': 989398, 'owned stock had': 632355, 'stock had the': 802216, 'had the abilty': 373606, 'the abilty to': 848238, 'abilty to force': 24411, 'to force their': 906174, 'force their stock': 328513, 'price to surge': 677050, 'to surge the': 916003, 'surge the author': 828264, 'of the tax': 591524, 'the tax scam': 869173, 'tax scam gopinsidertrading': 835092, 'scam gopinsidertrading trumplies': 740183, 'please deem': 659872, 'deem landscaping': 231805, 'landscaping non': 479427, 'essential jamming': 281241, 'jamming into': 464438, 'into truck': 443261, 'sharing tool': 755616, 'tool traveling': 925458, 'traveling all': 930632, 'situation no': 772399, 'hand people': 375174, 'working when': 1009041, 'shouldn co': 766730, 'please deem landscaping': 659873, 'deem landscaping non': 231806, 'landscaping non essential': 479428, 'non essential jamming': 566344, 'essential jamming into': 281242, 'jamming into truck': 464439, 'into truck and': 443262, 'truck and sharing': 932723, 'and sharing tool': 71402, 'sharing tool traveling': 755617, 'tool traveling all': 925459, 'traveling all over': 930633, 'all over is': 43868, 'over is not': 630338, 'this situation no': 890182, 'situation no ppe': 772400, 'ppe sanitizer washing': 668047, 'washing hand people': 967677, 'hand people are': 375176, 'are working when': 91727, 'working when they': 1009043, 'when they shouldn': 984283, 'they shouldn co': 883390, 'cannot protect': 162041, 'employee but': 273690, 'spreading some': 791042, 'all wear': 45413, 'covering rt': 212486, 'rt grocery': 726765, 'cannot protect employee': 162042, 'protect employee but': 684823, 'employee but keep': 273691, 'but keep virus': 146219, 'keep virus from': 472190, 'from spreading some': 337391, 'spreading some shopper': 791043, 'some shopper don': 783853, 'shopper don wear': 761483, 'wear mask make': 974394, 'mask make them': 518940, 'make them all': 510602, 'them all wear': 875353, 'all wear mask': 45414, 'mask or face': 519068, 'or face covering': 615243, 'face covering rt': 294375, 'covering rt grocery': 212487, 'rt grocery worker': 726767, 'die of 19': 241411, 'liberty petrol': 488051, 'on richmond': 603191, 'richmond road': 721366, 'road unleaded': 724535, 'unleaded 07': 942568, '07 per': 1021, 'litre hand': 495159, 'sanitizer 149': 734276, '149 00': 3600, 'litre pricegouging': 495180, 'pricegouging stayhomeaustralia': 677858, 'liberty petrol station': 488052, 'petrol station on': 653796, 'station on richmond': 796474, 'on richmond road': 603192, 'richmond road unleaded': 721368, 'road unleaded 07': 724536, 'unleaded 07 per': 942569, '07 per litre': 1022, 'per litre hand': 650925, 'litre hand sanitizer': 495160, 'hand sanitizer 149': 375278, 'sanitizer 149 00': 734277, '149 00 per': 3601, '00 per litre': 432, 'per litre pricegouging': 650928, 'litre pricegouging stayhomeaustralia': 495181, 'senatorloeffler': 749800, 'resignnow': 714476, 'sold worried': 781803, 'safe senatorloeffler': 729927, 'senatorloeffler resignnow': 749801, 'tweet after she': 936335, 'after she sold': 36192, 'she sold worried': 756346, 'sold worried about': 781804, 'american safe senatorloeffler': 52177, 'safe senatorloeffler resignnow': 729928, 'distancing apparently': 247009, 'people elbow': 647773, 'elbow to': 270515, 'to elbow': 904963, 'elbow and': 270503, 'pt way': 687619, 'go humanity': 353686, 'you stink': 1021417, 'stink coronacrisis': 801670, 'social distancing apparently': 779556, 'distancing apparently not': 247010, 'apparently not when': 81977, 'not when you': 572492, 'you have over': 1019088, 'have over 500': 381856, 'over 500 people': 629867, '500 people elbow': 20036, 'people elbow to': 647774, 'elbow to elbow': 270516, 'to elbow and': 904964, 'elbow and there': 270504, 'are the retail': 90896, 'worker who get': 1008212, 'who get yelled': 988779, 'yelled at for': 1015225, 'at for not': 98695, 'not having water': 569910, 'having water or': 384398, 'water or pt': 969098, 'or pt way': 616737, 'pt way to': 687620, 'to go humanity': 906809, 'go humanity you': 353687, 'humanity you stink': 410783, 'you stink coronacrisis': 1021418, 'stink coronacrisis retail': 801671, 'think store': 885568, 'buy once': 149034, 'shopping appears': 762056, 'entire village': 278770, 'entire purchase': 278727, 'be canceled': 113963, 'canceled you': 160980, 'stage stoppanicbuying': 793212, 'think store should': 885569, 'panic buy once': 637514, 'buy once your': 149035, 'once your shopping': 605827, 'your shopping appears': 1025774, 'shopping appears to': 762057, 'be for an': 114907, 'an entire village': 55777, 'entire village your': 278771, 'village your entire': 957392, 'your entire purchase': 1023680, 'entire purchase should': 278728, 'should be canceled': 765578, 'be canceled you': 113965, 'canceled you have': 160981, 'this stage stoppanicbuying': 890296, 'from nh': 336579, 'reminder to look': 710603, 'out for all': 626096, 'key worker right': 473507, 'now from nh': 574755, 'from nh staff': 336581, 'all done our': 42623, 'done our best': 254974, 'volunteer shortage': 960331, 'shortage surging': 765235, 'demand mass': 235844, 'mass food': 519763, 'unlike any': 942693, 'volunteer shortage surging': 960332, 'shortage surging demand': 765236, 'surging demand mass': 828420, 'demand mass food': 235845, 'mass food bank': 519764, 'bank say this': 110154, 'this is unlike': 888446, 'is unlike any': 453522, 'unlike any other': 942694, 'any other point': 79600, 'other point in': 620733, 'point in history': 662519, 'gahan': 342734, 'gahan and': 342735, 'gahan and and': 342736, 'oyster': 632701, 'least do': 484440, 'my oyster': 549665, 'oyster shit': 632702, 'real for': 701177, 'for tfl': 326242, 'oh well at': 596479, 'at least do': 99483, 'least do not': 484441, 'to pay extortionate': 911528, 'price to top': 677058, 'top up my': 925748, 'up my oyster': 945434, 'my oyster shit': 549666, 'oyster shit is': 632703, 'getting real for': 349219, 'real for tfl': 701179, 'gp friend': 361406, 'that fuel': 843970, 'handle are': 376171, 'becoming significant': 120340, 'significant point': 769490, 'spreading wear': 791084, 'when filling': 983413, 'and discard': 61406, 'discard immediately': 244318, 'immediately rt': 417142, 'rt please': 726800, 'gp friend told': 361407, 'friend told by': 333858, 'told by hospital': 923538, 'by hospital that': 152833, 'hospital that fuel': 404672, 'that fuel pump': 843971, 'pump handle are': 689053, 'handle are becoming': 376172, 'are becoming significant': 84808, 'becoming significant point': 120341, 'significant point of': 769491, 'point of covid': 662557, '19 spreading wear': 10764, 'spreading wear glove': 791085, 'glove or use': 352849, 'or use paper': 617621, 'towel when filling': 927404, 'when filling up': 983414, 'filling up and': 305641, 'up and discard': 944318, 'and discard immediately': 61407, 'discard immediately rt': 244319, 'immediately rt please': 417143, 'croatia': 218823, 'dog waiting': 252178, 'supermarket croatia': 819865, 'croatia coronapandemie': 218824, 'dog waiting in': 252179, 'waiting in front': 964351, 'of supermarket croatia': 590418, 'supermarket croatia coronapandemie': 819866, 'errand amid': 280186, 'amid read': 52610, 'on expert': 600680, 'expert tip': 291996, 'and laundromat': 65985, 'safely run errand': 730304, 'run errand amid': 727621, 'errand amid read': 280187, 'amid read up': 52611, 'up on expert': 945556, 'on expert tip': 600681, 'expert tip for': 291997, 'store and laundromat': 806278, 'get scared': 347956, 'scared by': 740951, 'day probably': 228251, 'go besides': 353374, 'hospital right': 404590, 'people get scared': 648057, 'get scared by': 347957, 'scared by and': 740952, 'by and then': 151852, 'supermarket once day': 821746, 'once day probably': 605617, 'day probably the': 228253, 'probably the worst': 679405, 'to go besides': 906776, 'go besides hospital': 353375, 'besides hospital right': 127508, 'hospital right now': 404591, 'expect revenue': 290718, 'the provoke': 864743, 'reveals canceled': 720305, 'canceled campaign': 160929, 'revenue via': 720491, 'firm expect revenue': 308343, 'expect revenue loss': 290719, 'revenue loss due': 720454, 'due to pressure': 261911, 'to pressure on': 912037, 'pressure on consumer': 671207, 'spending the provoke': 789003, 'the provoke icco': 864744, 'survey reveals canceled': 828939, 'reveals canceled campaign': 720306, 'canceled campaign marketing': 160930, 'of revenue via': 589085, 'revenue via news': 720492, 'tracking this': 928375, 'this globally': 887710, 'impacting consumer sentiment': 418198, 'consumer sentiment ha': 198913, 'sentiment ha been': 750937, 'ha been tracking': 369963, 'been tracking this': 122264, 'tracking this globally': 928376, 'or mp': 616202, 'mp paid': 544262, 'by company': 152161, 'company selling': 191059, 'or mp paid': 616203, 'mp paid by': 544263, 'paid by company': 633989, 'by company selling': 152163, 'company selling covid': 191060, 'test at exorbitant': 838927, 'new webinar': 559862, 'webinar video': 975129, 'video business': 956643, 'logistics during': 500741, '19 housewares': 7592, 'housewares retail': 407030, 'consumer homeworld': 197769, 'new webinar video': 559863, 'webinar video business': 975130, 'video business and': 956644, 'business and logistics': 143318, 'and logistics during': 66335, 'logistics during covid': 500742, 'covid 19 housewares': 213227, '19 housewares retail': 7593, 'housewares retail consumer': 407031, 'retail consumer homeworld': 717991, 'utwx': 951463, 'evacuate': 283681, 'listen utwx': 494768, 'utwx when': 951464, 'earthquake struck': 265050, 'struck smith': 814278, 'smith grocery': 775795, 'in bountiful': 420932, 'bountiful wa': 136876, 'wa welcoming': 963686, 'welcoming elderly': 977931, 'new accommodation': 558313, 'accommodation linked': 28456, 'to evacuate': 905280, 'listen utwx when': 494769, 'utwx when the': 951465, 'when the earthquake': 984146, 'the earthquake struck': 853835, 'earthquake struck smith': 265051, 'struck smith grocery': 814279, 'smith grocery store': 775796, 'store in bountiful': 808278, 'in bountiful wa': 420934, 'bountiful wa welcoming': 136877, 'wa welcoming elderly': 963687, 'welcoming elderly customer': 977932, 'elderly customer due': 270650, 'due to new': 261874, 'to new opening': 910570, 'new opening hour': 559217, 'hour and new': 405405, 'and new accommodation': 67546, 'new accommodation linked': 558314, 'accommodation linked to': 28457, '19 they had': 11309, 'had to evacuate': 373689, 'enough guy': 277460, 'guy what': 369219, 'home only': 401725, 'guy aren': 368912, 'control no': 202057, 'employee practicing': 274126, 'went to your': 979207, 'your store you': 1025998, 'doing enough guy': 252376, 'enough guy what': 277461, 'guy what the': 369220, 'point of people': 662563, 'people staying home': 649572, 'staying home only': 798617, 'home only going': 401727, 'you guy aren': 1018951, 'guy aren taking': 368913, 'aren taking the': 92546, 'proper precaution no': 684133, 'precaution no crowd': 669335, 'no crowd control': 563933, 'crowd control no': 219145, 'control no employee': 202058, 'no employee practicing': 564109, 'employee practicing social': 274127, 'these troubling': 880886, 'only stay': 611193, 'also wash': 49081, 'yourself clean': 1026560, 'clean also': 180450, 'please prepare': 660326, 'prepare and': 670055, 'store regularly': 809785, 'regularly have': 707918, 'have decent': 380191, 'decent stock': 230803, 'soap always': 778899, 'during these troubling': 263245, 'these troubling time': 880887, 'troubling time remember': 932687, 'remember to not': 710377, 'not only stay': 570828, 'only stay calm': 611194, 'stay calm but': 796805, 'calm but also': 156707, 'but also wash': 145153, 'also wash your': 49082, 'keep yourself clean': 472295, 'yourself clean also': 1026561, 'clean also please': 180451, 'also please prepare': 48664, 'please prepare and': 660327, 'prepare and go': 670056, 'the store regularly': 868091, 'store regularly have': 809786, 'regularly have decent': 707919, 'have decent stock': 380193, 'decent stock of': 230804, 'stock of sanitizer': 802542, 'of sanitizer and': 589288, 'and soap always': 71862, 'think right': 885518, 'too disappointed': 924685, 'feel angry': 302564, 'angry this': 76502, 'this simply': 890153, 'simply weakens': 770315, 'weakens you': 974094, 'you mentally': 1019839, 'mentally 19': 528723, 'think right now': 885519, 'right now too': 722164, 'now too disappointed': 576208, 'too disappointed with': 924686, 'disappointed with people': 244128, 'people behavior to': 647255, 'behavior to feel': 124255, 'to feel angry': 905746, 'feel angry this': 302565, 'angry this simply': 76503, 'this simply weakens': 890154, 'simply weakens you': 770316, 'weakens you mentally': 974095, 'you mentally 19': 1019840, 'mentally 19 stophoarding': 528724, 'is racing': 451202, 'meet enormous': 527486, 'enormous delivery': 277285, 'demand even': 235303, 'even it': 284259, 'worker push': 1007646, 'and stricter': 72571, 'stricter safety': 813673, 'shopping giant is': 762781, 'giant is racing': 349813, 'is racing to': 451203, 'racing to meet': 695262, 'to meet enormous': 910023, 'meet enormous delivery': 527487, 'enormous delivery demand': 277286, 'delivery demand even': 233861, 'demand even it': 235304, 'even it worker': 284260, 'it worker push': 462522, 'worker push for': 1007647, 'push for higher': 690268, 'for higher pay': 322264, 'higher pay and': 395649, 'pay and stricter': 644741, 'and stricter safety': 72572, 'stricter safety measure': 813674, 'disnt': 246065, 'absolute horse': 27245, 'horse shit': 404230, 'supermarket always': 818892, 'buying supplier': 151124, 'supplier plus': 824593, 'plus when': 661719, 'along all': 46975, 'empty every': 274856, 'share holder': 755033, 'holder disnt': 400061, 'disnt get': 246066, 'enough payouts': 277554, 'payouts on': 645802, 'the quarterly': 864996, 'quarterly figure': 693278, 'absolute horse shit': 27246, 'horse shit the': 404231, 'shit the supermarket': 759243, 'the supermarket always': 868457, 'supermarket always had': 818893, 'always had people': 49597, 'had people in': 373399, 'people in buying': 648352, 'in buying supplier': 421108, 'buying supplier plus': 151125, 'supplier plus when': 824594, 'plus when covid': 661720, '19 came along': 5597, 'came along all': 156967, 'along all the': 46976, 'were empty every': 979566, 'empty every day': 274857, 'every day it': 285822, 'day it more': 227853, 'it more the': 459676, 'more the share': 540716, 'the share holder': 866788, 'share holder disnt': 755034, 'holder disnt get': 400062, 'disnt get enough': 246067, 'get enough payouts': 346941, 'enough payouts on': 277555, 'payouts on the': 645803, 'on the quarterly': 604315, 'the quarterly figure': 864997, 'tty': 935008, 'these sh': 880662, 'sh tty': 754303, 'tty time': 935009, 'time pun': 897531, 'through these sh': 894796, 'these sh tty': 880663, 'sh tty time': 754304, 'tty time pun': 935010, 'time pun intended': 897532, 'drive we': 259255, 'all fucked': 42891, 'fucked nobody': 339728, 'lot at': 503993, 'the lake': 858919, 'packed stayhomesavelives': 633641, 'went for drive': 979001, 'for drive we': 320854, 'drive we are': 259256, 'are all fucked': 84307, 'all fucked nobody': 42892, 'fucked nobody is': 339729, 'nobody is staying': 566027, 'is staying home': 452250, 'lot are packed': 503990, 'are packed the': 88948, 'packed the parking': 633652, 'parking lot at': 642079, 'lot at the': 503995, 'at the lake': 100997, 'the lake is': 858920, 'lake is packed': 479063, 'is packed stayhomesavelives': 450773, 'designates': 238317, 'been suggested': 122101, 'suggested strongly': 817583, 'strongly recommend': 814237, 'store leave': 808701, 'two designates': 936878, 'designates come': 238318, 'with wear': 1002053, 'work encourage': 1005095, 'it protects': 460539, 'ha been suggested': 369943, 'been suggested strongly': 122102, 'suggested strongly recommend': 817584, 'strongly recommend that': 814238, 'recommend that when': 704715, 'when you come': 984548, 'you come to': 1017992, 'come to grocery': 187573, 'grocery store leave': 365517, 'store leave the': 808702, 'home have one': 401342, 'have one or': 381795, 'or two designates': 617558, 'two designates come': 936879, 'designates come with': 238319, 'come with wear': 187693, 'with wear mask': 1002054, 'mask at work': 518437, 'at work encourage': 101598, 'work encourage you': 1005096, 'you to wear': 1021855, 'wear one in': 974436, 'store well it': 811206, 'well it protects': 978342, 'it protects you': 460540, 'protects you it': 685849, 'you it protects': 1019389, 'isolated get': 454999, 'get creative': 346833, 'creative you': 216187, 'need know': 555137, 'supermarket doesn': 819989, 'doesn coronacrisis': 251736, 'who doesn know': 988639, 'doesn know what': 251867, 'do now all': 249907, 'now all isolated': 573961, 'all isolated get': 43259, 'isolated get creative': 455000, 'get creative you': 346835, 'creative you already': 216188, 'already have all': 47415, 'have all you': 379173, 'you need know': 1020008, 'need know that': 555138, 'know that because': 476756, 'the supermarket doesn': 868557, 'supermarket doesn coronacrisis': 819990, 'haydn': 384517, 'watters': 969332, 'shephard': 758065, 'cbc reporter': 168286, 'reporter haydn': 712614, 'haydn watters': 384518, 'watters talk': 969333, 'to guest': 907069, 'guest host': 368160, 'host michelle': 404879, 'michelle shephard': 530299, 'shephard about': 758066, 'cbc reporter haydn': 168287, 'reporter haydn watters': 712615, 'haydn watters talk': 384519, 'watters talk to': 969334, 'talk to guest': 833877, 'to guest host': 907070, 'guest host michelle': 368161, 'host michelle shephard': 404880, 'michelle shephard about': 530300, 'shephard about how': 758067, 'about how grocery': 25440, 'store staff are': 810301, 'staff are coping': 792182, 'and what their': 75488, 'what their company': 982378, 'their company are': 872830, 'company are aiming': 190408, 'aiming to do': 39584, 'catalogue': 166918, 'consumer dining': 197205, 'dining behavior': 243012, 'behavior some': 124195, 'incredible insight': 433845, 'here read': 393506, 'read through': 700631, 'through make': 894562, 'plan check': 658093, 'our auction': 622150, 'auction catalogue': 102842, 'catalogue at': 166919, 'will the crisis': 995134, 'the crisis change': 852357, 'change consumer dining': 171983, 'consumer dining behavior': 197206, 'dining behavior some': 243013, 'behavior some incredible': 124196, 'some incredible insight': 783108, 'incredible insight here': 433846, 'insight here read': 439565, 'here read through': 393507, 'read through make': 700632, 'through make plan': 894563, 'make plan for': 510334, 'plan for your': 658131, 'for your restaurant': 328201, 'your restaurant we': 1025602, 'restaurant we might': 716789, 'we might have': 972372, 'might have the': 531022, 'the equipment for': 854459, 'for your plan': 328191, 'your plan check': 1025324, 'plan check out': 658094, 'out our auction': 626967, 'our auction catalogue': 622151, 'auction catalogue at': 102843, 'battled': 112847, 'distancing battled': 247029, 'battled group': 112848, 'from stupidity': 337458, 'than one week': 840984, 'one week into': 607414, 'week into social': 976405, 'into social distancing': 442994, 'social distancing battled': 779564, 'distancing battled group': 247030, 'battled group for': 112849, 'group for toilet': 366700, 'grocery store opened': 365617, 'store opened we': 809274, 'opened we are': 612778, 'die from stupidity': 241356, 'from stupidity before': 337459, 'rise shopper': 722998, 'shopper rush': 761670, 'stockpile pasta': 803790, 'over restriction': 630588, 'and ukraine': 74578, 'ukraine push': 939047, 'up future': 945009, 'wheat price rise': 983010, 'price rise shopper': 676245, 'rise shopper rush': 722999, 'shopper rush to': 761672, 'rush to stockpile': 728350, 'to stockpile pasta': 915479, 'stockpile pasta and': 803791, 'and flour and': 62984, 'flour and fear': 311069, 'and fear over': 62741, 'fear over restriction': 301277, 'over restriction in': 630589, 'restriction in russia': 717297, 'in russia and': 427587, 'russia and ukraine': 728436, 'and ukraine push': 74579, 'ukraine push up': 939048, 'push up future': 690338, 'stockpiling ha': 803983, 'globe what': 352488, 'adapt our': 31261, 'stockpiling ha led': 803985, 'the globe what': 856366, 'globe what doe': 352489, 'doe this say': 251642, 'this say about': 889966, 'to adapt our': 900042, 'adapt our food': 31262, 'restricted living': 717147, 'living drive': 496344, 'drive scarcity': 259145, 'scarcity mindset': 740838, 'mindset we': 532860, 'often let': 596227, 'let fear': 486704, 'fear drive': 301102, 'drive our': 259118, 'our purchase': 624518, 'example re': 288964, 're those': 699709, 'those needing': 892246, 'needing gluten': 556622, 'restricted living drive': 717148, 'living drive scarcity': 496345, 'drive scarcity mindset': 259146, 'scarcity mindset we': 740839, 'mindset we often': 532861, 'we often let': 972640, 'often let fear': 596228, 'let fear drive': 486705, 'fear drive our': 301103, 'drive our purchase': 259120, 'our purchase behavior': 624519, 'purchase behavior here': 689384, 'behavior here is': 124063, 'here is an': 393213, 'is an example': 445660, 'an example re': 55907, 'example re those': 288965, 're those needing': 699710, 'those needing gluten': 892247, 'needing gluten free': 556623, 'gluten free item': 353126, 'free item and': 331928, 'cannot find them': 161850, 'of illinois': 584979, 'illinois still': 416309, 'still held': 800688, 'held the': 388932, 'primary yesterday': 678093, 'yesterday election': 1015719, 'election judged': 271046, 'judged one': 467648, 'the voter': 870962, 'voter worked': 960590, 'man collapsed': 512031, 'took them': 925349, 'them day': 875581, 'yet the governor': 1016253, 'governor of illinois': 360954, 'of illinois still': 584980, 'illinois still held': 416310, 'still held the': 800689, 'held the primary': 388933, 'the primary yesterday': 864456, 'primary yesterday election': 678094, 'yesterday election judged': 1015720, 'election judged one': 271047, 'judged one of': 467649, 'of the voter': 591594, 'the voter worked': 870963, 'voter worked at': 960591, 'worked at local': 1006099, 'store where man': 811259, 'where man collapsed': 985006, 'man collapsed and': 512032, 'collapsed and tested': 186090, '19 it took': 8157, 'it took them': 461806, 'took them day': 925350, 'them day to': 875582, 'day to close': 228559, 'to close that': 902900, 'close that store': 182831, 'that store and': 846512, 'report impact': 712029, 'make light': 510086, 'report impact of': 712030, 'consumer behavior not': 196493, 'to make light': 909686, 'make light of': 510087, 'light of very': 489567, 'of very serious': 592790, 'cleaningtips': 181140, 'amazonpackages': 51235, 'from package': 336831, 'low cleaningtips': 505188, 'cleaningtips package': 181141, 'package amazonpackages': 633208, 'study find that': 814883, 'that the risk': 846823, 'risk to contract': 723953, 'to contract covid': 903423, '19 from package': 7132, 'from package from': 336832, 'package from online': 633283, 'shopping is relatively': 763076, 'is relatively low': 451408, 'relatively low cleaningtips': 708771, 'low cleaningtips package': 505189, 'cleaningtips package amazonpackages': 181142, 'what very': 982509, 'very interested': 955270, 'what specific': 982229, 'specific precaution': 788238, 'pharmacy folk': 654307, 'often do': 596182, 'employ socialdistancing': 273450, 'socialdistancing practice': 780616, 'what very interested': 982510, 'very interested in': 955271, 'interested in is': 441459, 'in is what': 424175, 'is what specific': 453896, 'what specific precaution': 982230, 'specific precaution the': 788239, 'precaution the could': 669371, 'the could take': 852008, 'could take for': 209748, 'take for essential': 832129, 'service worker like': 753102, 'store pharmacy folk': 809539, 'pharmacy folk who': 654308, 'folk who often': 312302, 'who often do': 989366, 'often do not': 596183, 'option to employ': 614122, 'to employ socialdistancing': 905018, 'employ socialdistancing practice': 273451, 'product re': 681563, 're diaper': 698522, 'certain product re': 170088, 'product re diaper': 681564, 're diaper baby': 698523, 'uncertain time ve': 939629, 'time ve taken': 898185, 've taken my': 953621, 'taken my business': 833031, 'difference actor': 241807, 'atlanta at': 101825, 'making difference actor': 511024, 'difference actor tyler': 241808, 'surprised shopper in': 828604, 'shopper in atlanta': 761556, 'in atlanta at': 420561, 'atlanta at two': 101826, 'hardcore': 378151, 'fetishizing': 303629, 'ppl be': 668188, 'be shitting': 117145, 'asian hardcore': 95292, 'hardcore now': 378152, 'xenophobia cause': 1013819, 'to planning': 911774, 'china korea': 176779, 'korea japan': 477485, 'japan etc': 464728, 'etc loving': 282644, 'loving asian': 505049, 'and fetishizing': 62808, 'fetishizing the': 303630, 'ppl be shitting': 668189, 'be shitting on': 117146, 'shitting on asian': 759357, 'on asian hardcore': 599479, 'asian hardcore now': 95293, 'hardcore now with': 378153, 'all the racism': 44879, 'and xenophobia cause': 75951, 'xenophobia cause of': 1013820, 'panic but after': 637443, 'but after year': 145072, 'after year or': 36600, 'year or so': 1014895, 'or so they': 617131, 'they ll go': 882599, 'll go back': 496808, 'back to planning': 107390, 'to planning trip': 911775, 'trip to china': 932187, 'to china korea': 902728, 'china korea japan': 176780, 'korea japan etc': 477486, 'japan etc loving': 464729, 'etc loving asian': 282645, 'loving asian food': 505050, 'asian food and': 95285, 'food and fetishizing': 313231, 'and fetishizing the': 62809, 'fetishizing the fuck': 303631, 'of our culture': 587445, 'right trip': 722373, 'the wit': 871631, 'wit have': 996903, 'anything worth': 80953, 'worth buying': 1011344, 'of stophoarding': 590228, 'right trip to': 722374, 'trip to more': 932197, 'to more supermarket': 910267, 'more supermarket now': 540503, 'supermarket now see': 821673, 'now see if': 575746, 'if the wit': 415048, 'the wit have': 871632, 'wit have left': 996904, 'have left anything': 381291, 'left anything worth': 485389, 'anything worth buying': 80954, 'worth buying for': 1011345, 'buying for the': 150359, 'rest of stophoarding': 716204, 'of stophoarding panicbuyinguk': 590229, 'merchandiser': 528983, 'unseen retail': 943469, 'retail continues': 718000, 'send army': 749819, 'of merchandiser': 586439, 'merchandiser into': 528988, 'book these': 134612, 'these minimum': 880306, 'wage employee': 963853, 'employee hop': 273942, 'hop from': 403396, 'store city': 806979, 'to city': 902774, 'city potentially': 179325, 'potentially contracting': 667196, 'different area': 241900, 'unseen retail continues': 943470, 'retail continues to': 718001, 'continues to send': 201494, 'to send army': 914203, 'send army of': 749820, 'army of merchandiser': 93023, 'of merchandiser into': 586441, 'merchandiser into retail': 528989, 'into retail chain': 442945, 'retail chain to': 717946, 'chain to stock': 171197, 'stock book these': 801929, 'book these minimum': 134613, 'these minimum wage': 880307, 'minimum wage employee': 533229, 'wage employee hop': 963854, 'employee hop from': 273943, 'hop from store': 403397, 'from store to': 337447, 'store to store': 810817, 'to store city': 915610, 'store city to': 806980, 'city to city': 179421, 'to city potentially': 902775, 'city potentially contracting': 179326, 'potentially contracting and': 667197, 'contracting and spreading': 201758, 'and spreading to': 72160, 'spreading to different': 791075, 'to different area': 904285, 'orbit is': 617949, 'special limited': 787983, 'healthy water': 387807, 'get little': 347482, 'little extra': 495333, 'extra cash': 293471, 'pocket whether': 662216, 'not is': 570173, 'orbit is here': 617950, 'make this difficult': 510636, 'everyone with this': 287626, 'with this special': 1001728, 'this special limited': 890278, 'special limited time': 787984, 'limited time offer': 492756, 'time offer you': 897393, 'offer you can': 594895, 'can provide your': 159336, 'provide your home': 686558, 'your home with': 1024388, 'home with clean': 402518, 'with clean healthy': 997652, 'clean healthy water': 180558, 'healthy water and': 387808, 'water and get': 968864, 'and get little': 63584, 'get little extra': 347484, 'little extra cash': 495334, 'extra cash in': 293473, 'your pocket whether': 1025345, 'pocket whether you': 662217, 'whether you spend': 985625, 'you spend it': 1021322, 'on or not': 602541, 'or not is': 616302, 'not is up': 570175, 'is up to': 453584, 'gt what': 367643, 'uk drug': 938312, 'drug market': 261000, 'coronavirus gt': 206009, 'gt have': 367605, 'smaller gt': 775272, 'gt are': 367577, 'drug gt': 260962, 'appearing gt': 82165, 'alternative substance': 49262, 'gt what is': 367644, 'the uk drug': 870209, 'uk drug market': 938313, 'drug market in': 261001, 'the coronavirus gt': 851861, 'coronavirus gt have': 206011, 'gt have price': 367607, 'gone up gt': 356420, 'up gt have': 945046, 'gt have deal': 367606, 'got smaller gt': 358838, 'smaller gt are': 775274, 'gt are there': 367580, 'adulterated drug gt': 32875, 'drug gt are': 260963, 'gt are new': 367578, 'drug appearing gt': 260879, 'appearing gt are': 82166, 'gt are people': 367579, 'to alternative substance': 900383, 'no toxic': 565783, 'chemical use': 175392, 'safe unbs': 730080, 'certified kill': 170239, 'no toxic chemical': 565784, 'toxic chemical use': 927641, 'chemical use genuine': 175393, 'yourself safe unbs': 1026699, 'safe unbs certified': 730081, 'unbs certified kill': 939541, 'certified kill 99': 170240, 'empty well': 275231, 'just mighty': 469270, 'mighty terrifying': 531179, 'are empty well': 86174, 'empty well isn': 275232, 'well isn this': 978333, 'isn this just': 454733, 'this just mighty': 888555, 'just mighty terrifying': 469271, 'galvanizes': 343084, 'bartans': 111393, 'dear leader': 229827, 'leader speaks': 483538, 'speaks he': 787795, 'he galvanizes': 384978, 'galvanizes people': 343085, 'together bang': 920719, 'bang bartans': 109442, 'bartans panic': 111394, 'spread epic': 790521, 'epic communication': 279303, 'communication failure': 189590, 'failure now': 296279, 'now twice': 576240, 'twice over': 936538, 'every time our': 286314, 'time our dear': 897429, 'our dear leader': 622713, 'dear leader speaks': 229828, 'leader speaks he': 483539, 'speaks he galvanizes': 787796, 'he galvanizes people': 384979, 'galvanizes people to': 343086, 'come together bang': 187623, 'together bang bartans': 920720, 'bang bartans panic': 109443, 'bartans panic buy': 111395, 'food and spread': 313341, 'and spread epic': 72144, 'spread epic communication': 790522, 'epic communication failure': 279304, 'communication failure now': 189591, 'failure now twice': 296280, 'now twice over': 576241, 'spotting': 790219, 'those spotting': 892481, 'spotting business': 790220, 'taking unfair': 833646, 'unfair advantage': 941411, 'advantage amp': 32955, 'amp hiking': 53942, 'authority here': 103741, 'just dessert': 468578, 'for those spotting': 327140, 'those spotting business': 892482, 'spotting business taking': 790221, 'business taking unfair': 144465, 'taking unfair advantage': 833647, 'unfair advantage amp': 941412, 'advantage amp hiking': 32956, 'amp hiking price': 53943, 'price report them': 676187, 'to the competition': 916577, 'market authority here': 516061, 'authority here they': 103742, 'here they ll': 393681, 'they ll get': 882598, 'll get there': 496794, 'get there just': 348383, 'there just dessert': 878680, 'small inconvenience': 774996, 'endure compared': 276302, 'illness thinkbig': 416402, 'health and small': 386154, 'and small inconvenience': 71778, 'small inconvenience to': 774997, 'inconvenience to endure': 432598, 'to endure compared': 905102, 'endure compared to': 276303, 'compared to illness': 191428, 'to illness thinkbig': 908127, 'and scramble': 71088, 'last laundry': 480286, 'laundry product': 482123, 'deliver all': 233087, 'over visit': 630889, 'today selfisolation': 920154, 'selfisolation 19': 748431, 'worry about going': 1010638, 'supermarket and scramble': 819054, 'and scramble for': 71089, 'scramble for the': 742536, 'the last laundry': 859018, 'last laundry product': 480287, 'laundry product we': 482124, 'product we deliver': 681819, 'we deliver all': 971259, 'deliver all over': 233088, 'over the with': 630785, 'the with free': 871637, 'delivery for all': 234018, 'for all order': 319155, 'all order of': 43772, 'order of 30': 618437, 'of 30 or': 579562, '30 or over': 17165, 'or over visit': 616480, 'over visit our': 630890, 'website and order': 975202, 'and order today': 68250, 'order today selfisolation': 618721, 'today selfisolation 19': 920155, 'meumeu': 529973, 'tanked': 834239, 'meumeu the': 529974, 'sold before': 781647, 'had classified': 372969, 'classified briefing': 180348, 'briefing abt': 139695, 'abt covid': 27524, 'then sold': 877542, 'sold significant': 781768, 'significant share': 769515, 'they tanked': 883532, 'tanked it': 834240, 'also appears': 47866, 'bought share': 136703, 'in tele': 428856, 'tele conferencing': 836661, 'conferencing company': 193782, 'it lo': 459435, 'meumeu the stock': 529975, 'the stock were': 867929, 'stock were sold': 803172, 'were sold before': 980148, 'sold before the': 781648, 'the price went': 864435, 'went down they': 978990, 'down they had': 257335, 'they had classified': 882241, 'had classified briefing': 372970, 'classified briefing abt': 180349, 'briefing abt covid': 139696, 'abt covid 19': 27525, 'and then sold': 73809, 'then sold significant': 877545, 'sold significant share': 781769, 'significant share of': 769516, 'share of stock': 755120, 'stock before they': 801914, 'before they tanked': 123222, 'they tanked it': 883533, 'tanked it also': 834241, 'it also appears': 456420, 'also appears that': 47867, 'appears that she': 82210, 'that she bought': 846234, 'she bought share': 755903, 'bought share in': 136704, 'share in tele': 755058, 'in tele conferencing': 428857, 'tele conferencing company': 836662, 'conferencing company so': 193783, 'company so it': 191090, 'so it lo': 777471, 'strategy analysis': 812596, 'analysis covid': 57036, 'recession hurt': 704289, 'hurt automotive': 411545, 'strategy analysis covid': 812597, 'analysis covid 19': 57037, 'cause recession hurt': 167714, 'recession hurt automotive': 704290, 'hurt automotive consumer': 411546, 'manchesterunited': 512973, 'manchestercity': 512970, 'manchesterunited manchestercity': 512974, 'manchestercity have': 512971, 'manchester they': 512956, 've joined': 953288, 'pandemic mufc': 635995, 'mufc mcfc': 545539, 'mcfc coronacrisis': 522169, 'manchesterunited manchestercity have': 512975, 'manchestercity have donated': 512972, 'greater manchester they': 363204, 'manchester they ve': 512957, 'they ve joined': 883660, 've joined force': 953290, 'force to help': 328525, 'help meet increased': 390092, 'the pandemic mufc': 863028, 'pandemic mufc mcfc': 635996, 'mufc mcfc coronacrisis': 545540, 'grifter': 363927, 'off vendor': 594366, 'vendor scam': 954404, 'and grifter': 63966, 'grifter making': 363928, 'dying victim': 263879, 'middle men': 530664, 'men profiteer': 528519, 'scammer massively': 740591, 'rip off vendor': 722671, 'off vendor scam': 594367, 'vendor scam artist': 954405, 'scam artist and': 740055, 'artist and grifter': 94588, 'and grifter making': 63967, 'grifter making huge': 363929, 'huge profit off': 410153, 'off the misery': 594255, 'of sick dying': 589710, 'sick dying victim': 768425, 'dying victim coronavillains': 263880, 'horde of middle': 404000, 'of middle men': 586483, 'middle men profiteer': 530666, 'men profiteer scammer': 528520, 'profiteer scammer massively': 682981, 'scammer massively inflated': 740592, 'inflated price of': 437057, 'correct balance': 207503, 'between hoarding': 128801, 'the correct balance': 851967, 'correct balance between': 207504, 'balance between hoarding': 108968, 'between hoarding and': 128802, 'hoarding and limiting': 399179, 'discouraged': 244629, 'roughly 280': 726274, '280 million': 16421, 'warehouse around': 966695, 'were purchased': 980008, 'foreign buyer': 328961, 'buyer on': 149703, 'monday alone': 536239, 'alone according': 46802, 'to forbes': 906163, 'forbes fema': 328286, 'fema spokesperson': 303492, 'spokesperson said': 789795, 'actively encouraged': 30309, 'encouraged or': 275655, 'or discouraged': 614987, 'discouraged company': 244630, 'from exporting': 335371, 'exporting overseas': 292775, 'roughly 280 million': 726275, '280 million mask': 16422, 'million mask in': 532234, 'mask in warehouse': 518843, 'in warehouse around': 430682, 'warehouse around the': 966696, 'around the were': 93568, 'the were purchased': 871391, 'were purchased by': 980009, 'purchased by foreign': 689761, 'by foreign buyer': 152634, 'foreign buyer on': 328962, 'buyer on monday': 149704, 'on monday alone': 602155, 'monday alone according': 536240, 'alone according to': 46803, 'according to forbes': 28542, 'to forbes fema': 906164, 'forbes fema spokesperson': 328287, 'fema spokesperson said': 303493, 'spokesperson said the': 789796, 'said the agency': 731423, 'the agency ha': 848441, 'agency ha not': 38017, 'ha not actively': 371358, 'not actively encouraged': 568046, 'actively encouraged or': 30310, 'encouraged or discouraged': 275656, 'or discouraged company': 614988, 'discouraged company from': 244631, 'company from exporting': 190689, 'from exporting overseas': 335372, 'thr': 893504, 'crisis thr': 218231, 'thr ha': 893505, 'ha bn': 370013, 'bn lot': 133567, 'of complaint': 581627, 'complaint going': 191978, 'commodity personal': 189250, 'hygiene from': 412097, 'store believe': 806718, 'direct and': 243285, 'take prompt': 832525, 'prompt action': 683896, 'at lea': 99427, 'amid crisis thr': 52444, 'crisis thr ha': 218232, 'thr ha bn': 893506, 'ha bn lot': 370014, 'bn lot of': 133568, 'lot of complaint': 504157, 'of complaint going': 581628, 'complaint going on': 191979, 'the social medium': 867415, 'medium of increased': 527192, 'of increased price': 585079, 'on basic commodity': 599577, 'basic commodity personal': 111850, 'commodity personal hygiene': 189251, 'personal hygiene from': 652876, 'hygiene from the': 412098, 'virus in the': 958331, 'the medical store': 860405, 'medical store believe': 526416, 'store believe you': 806719, 'believe you can': 126426, 'you can direct': 1017657, 'can direct and': 158066, 'direct and take': 243286, 'and take prompt': 72973, 'take prompt action': 832526, 'prompt action at': 683897, 'action at lea': 29967, 'retired owner': 719684, 'nj ha': 563436, 'retired owner of': 719685, 'owner of shoprite': 632516, 'store in nj': 808353, 'in nj ha': 425902, 'nj ha died': 563437, 'have occurred': 381753, 'country hit': 210754, 'buying of household': 150795, 'household staple like': 406951, 'staple like toilet': 793973, 'paper and cleaning': 639817, 'and cleaning product': 59947, 'cleaning product have': 181032, 'product have occurred': 681256, 'have occurred in': 381754, 'occurred in nearly': 579046, 'in nearly every': 425716, 'nearly every country': 553826, 'every country hit': 285767, 'country hit by': 210755, 'virus and empty': 957922, 'have been common': 379492, 'pansy': 639485, 'state october': 795789, 'october 2019': 579139, '2019 thru': 14032, 'thru january': 895199, '2020 18': 14096, '00 influenza': 280, 'influenza death': 437367, 'death ho': 230066, 'ho hum': 398731, 'hum whatever': 410390, 'whatever man': 982784, 'man march': 512153, '2020 97': 14121, '97 covid': 23679, 'death panic': 230159, 'officially become': 595988, 'become nation': 120067, 'of pansy': 587751, 'united state october': 942231, 'state october 2019': 795790, 'october 2019 thru': 579140, '2019 thru january': 14033, 'thru january 2020': 895200, 'january 2020 18': 464627, '2020 18 00': 14097, '18 00 influenza': 4481, '00 influenza death': 281, 'influenza death ho': 437368, 'death ho hum': 230067, 'ho hum whatever': 398732, 'hum whatever man': 410391, 'whatever man march': 982785, 'man march 2020': 512154, 'march 2020 97': 515146, '2020 97 covid': 14122, '97 covid 19': 23680, '19 death panic': 6448, 'death panic at': 230160, 'we have officially': 971882, 'have officially become': 381760, 'officially become nation': 595990, 'become nation of': 120068, 'nation of pansy': 552273, 'be worst': 118157, 'uk could be': 938281, 'could be worst': 208943, 'be worst affected': 118158, 'delaware will': 232661, 'themselves if': 876826, 'are pregnant': 89189, 'pregnant or': 669837, 'or nursing': 616334, 'nursing elderly': 577606, 'condition please': 193509, 'email lauren': 272226, 'lauren com': 482153, 'delaware will be': 232662, 'be doing grocery': 114517, 'run and delivery': 727560, 'and delivery this': 61131, 'this week for': 891214, 'to go themselves': 906865, 'go themselves if': 354213, 'themselves if you': 876828, 'you are pregnant': 1017200, 'are pregnant or': 89190, 'pregnant or nursing': 669838, 'or nursing elderly': 616335, 'nursing elderly have': 577607, 'elderly have underlying': 270696, 'health condition please': 386297, 'condition please email': 193511, 'please email lauren': 659954, 'email lauren com': 272227, 'while stressed': 987341, 'facing certain': 295421, 'certain financial': 170010, 'instability seemed': 439900, 'handling everything': 376346, 'everything well': 288096, 'city ha closed': 179168, 'ha closed due': 370170, 'to and while': 900537, 'and while stressed': 75571, 'while stressed and': 987342, 'and facing certain': 62602, 'facing certain financial': 295422, 'certain financial instability': 170011, 'financial instability seemed': 306468, 'instability seemed to': 439901, 'to be handling': 901291, 'be handling everything': 115132, 'handling everything well': 376347, 'everything well went': 288097, 'eat so': 266049, 'during the shortage': 263190, 'the shortage do': 867091, 'shortage do all': 764911, 'do all of': 249043, 'all of cut': 43683, 'of cut down': 582295, 'down on what': 257045, 'what we buy': 982542, 'we buy and': 970873, 'buy and eat': 148318, 'and eat so': 61876, 'eat so that': 266051, 'is more food': 449708, 'more food left': 539247, 'food left on': 315293, 'lancs': 479247, 'local nw': 498222, 'nw charity': 577803, 'charity due': 173608, 'overwhelming local': 631752, 'in lancs': 424581, 'lancs during': 479248, 'charity in': 173644, 'in nelson': 425802, 'nelson is': 557373, 'is focussing': 447854, 'focussing all': 312013, 'effort solely': 269589, 'on running': 603235, 'bank project': 110113, 'project amp': 683469, 'helping local': 391380, 'you help local': 1019195, 'help local nw': 390011, 'local nw charity': 498223, 'nw charity due': 577804, 'charity due to': 173609, 'to overwhelming local': 911331, 'overwhelming local demand': 631753, 'local demand for': 497890, 'food in lancs': 314946, 'in lancs during': 424582, 'lancs during covid': 479249, '19 local charity': 8360, 'local charity in': 497818, 'charity in nelson': 173645, 'in nelson is': 425803, 'nelson is focussing': 557374, 'is focussing all': 447855, 'focussing all their': 312014, 'all their effort': 44995, 'their effort solely': 873112, 'effort solely on': 269590, 'solely on running': 781871, 'on running their': 603236, 'running their food': 728098, 'their food bank': 873337, 'food bank project': 313620, 'bank project amp': 110114, 'project amp helping': 683470, 'amp helping local': 53930, 'helping local people': 391381, 'deadly covid19': 229263, 'it knee': 459280, 'knee but': 476005, 'offered small': 594964, 'small silver': 775126, 'the deadly covid19': 852947, 'deadly covid19 ha': 229264, 'covid19 ha brought': 214305, 'world to it': 1010082, 'to it knee': 908592, 'it knee but': 459281, 'knee but it': 476006, 'it ha offered': 458406, 'ha offered small': 371420, 'offered small silver': 594965, 'small silver lining': 775127, 'lining for online': 493735, 'sends sea': 750135, 'scare sends sea': 740910, 'sends sea food': 750136, 'sea food price': 743093, 'food price skyrocketing': 315973, 'price skyrocketing in': 676454, 'skyrocketing in mumbai': 773432, 'via coronaupdates': 955885, 'coronaupdates foodsafety': 205335, 'chain from covid': 170725, 'wfp via coronaupdates': 980875, 'via coronaupdates foodsafety': 955886, 'valueformoney': 952269, 'expatlife': 290588, 'studyhappy': 814986, 'say goodbye': 738694, 'to outrageous': 911279, 'outrageous monthly': 629327, 'monthly tv': 538213, 'tv subscription': 936209, 'subscription with': 815914, 'to suit': 915747, 'pocket valueformoney': 662212, 'valueformoney expat': 952270, 'expat expatlife': 290576, 'expatlife travel': 290589, 'travel studyhappy': 930522, 'studyhappy android': 814987, 'android mag': 76231, 'mag firestick': 508261, 'say goodbye to': 738695, 'goodbye to outrageous': 358004, 'to outrageous monthly': 911280, 'outrageous monthly tv': 629328, 'monthly tv subscription': 538214, 'tv subscription with': 936210, 'subscription with plan': 815915, 'with plan from': 1000223, 'plan from all': 658133, 'from all your': 334442, 'tv need at': 936144, 'need at fantastic': 554494, 'fantastic price to': 298606, 'price to suit': 677049, 'to suit your': 915748, 'your pocket valueformoney': 1025344, 'pocket valueformoney expat': 662213, 'valueformoney expat expatlife': 952271, 'expat expatlife travel': 290577, 'expatlife travel studyhappy': 290590, 'travel studyhappy android': 930523, 'studyhappy android mag': 814988, 'android mag firestick': 76232, 'mag firestick smarttv': 508262, 'smarttv stayhomesavelives staysafe': 775552, 'anantapur': 57284, '20061': 13625, 'apmepma': 81483, 'apfightscovid19': 81455, 'in requirement': 427402, 'sanitizers during': 736264, 'crisis self': 218010, 'group woman': 366978, 'woman of': 1003565, 'of anantapur': 580133, 'anantapur district': 57285, 'district made': 248376, 'made 20061': 507611, '20061 sanitizers': 13626, 'wash liquid': 967515, 'supplied them': 824470, 'private order': 678954, 'at minimal': 99749, 'minimal price': 533068, 'price apmepma': 672606, 'apmepma apfightscovid19': 81484, 'meet the rise': 527609, 'rise in requirement': 722907, 'in requirement of': 427403, 'requirement of sanitizers': 713438, 'of sanitizers during': 589308, 'sanitizers during covid': 736265, '19 crisis self': 6317, 'crisis self help': 218011, 'help group woman': 389831, 'group woman of': 366979, 'woman of anantapur': 1003566, 'of anantapur district': 580134, 'anantapur district made': 57286, 'district made 20061': 248377, 'made 20061 sanitizers': 507612, '20061 sanitizers and': 13627, 'hand wash liquid': 375928, 'wash liquid and': 967516, 'liquid and supplied': 494076, 'and supplied them': 72766, 'supplied them to': 824471, 'line worker and': 493596, 'and for private': 63155, 'for private order': 324752, 'private order at': 678955, 'order at minimal': 618064, 'at minimal price': 99750, 'minimal price apmepma': 533069, 'price apmepma apfightscovid19': 672607, 'normal work': 567418, 'bill there': 130694, 'hoarding there': 399597, 'no sudden': 565609, 'sudden profiteering': 817036, 'profiteering freezing': 683035, 'freezing all': 332661, 'all wage': 45380, 'wage all': 963799, 'what bottle': 981131, 'water cost': 968952, 'you yesterday': 1022474, 'you tomorrow': 1021877, 'tomorrow deep': 924065, 'our society will': 624837, 'society will continue': 781364, 'continue normal work': 201077, 'normal work will': 567419, 'work will go': 1006019, 'go on you': 353907, 'you will pay': 1022349, 'will pay your': 994399, 'pay your bill': 645253, 'your bill there': 1022971, 'bill there will': 130695, 'be no hoarding': 116100, 'no hoarding there': 564434, 'hoarding there will': 399598, 'be no sudden': 116111, 'no sudden profiteering': 565611, 'sudden profiteering freezing': 817037, 'profiteering freezing all': 683036, 'freezing all wage': 332663, 'all wage all': 45381, 'wage all price': 963800, 'all price what': 44043, 'price what bottle': 677467, 'what bottle of': 981132, 'of water cost': 592939, 'water cost you': 968953, 'cost you yesterday': 208174, 'you yesterday it': 1022475, 'yesterday it will': 1015788, 'it will cost': 462386, 'cost you tomorrow': 208173, 'you tomorrow deep': 1021878, 'tomorrow deep impact': 924066, 'guarding': 367911, 'while guarding': 986892, 'guarding the': 367914, 'had car': 372951, 'car drive': 163063, 'drive past': 259123, 'past with': 643654, 'back wheel': 107459, 'wheel down': 983032, 'window and': 995659, 'me im': 522947, 'im already': 416504, 'already terrified': 47710, 'job last': 465941, 'night could': 562978, 'cry please': 219906, 'supermarket and while': 819106, 'and while guarding': 75568, 'while guarding the': 986893, 'guarding the door': 367915, 'door today had': 255763, 'today had car': 919599, 'had car drive': 372952, 'car drive past': 163064, 'drive past with': 259124, 'past with someone': 643655, 'with someone in': 1000879, 'the back wheel': 849153, 'back wheel down': 107460, 'wheel down the': 983033, 'down the window': 257312, 'the window and': 871593, 'window and cough': 995662, 'cough at me': 208457, 'at me im': 99706, 'me im already': 522948, 'im already terrified': 416505, 'already terrified of': 47711, 'work and doing': 1004773, 'and doing my': 61604, 'doing my job': 252542, 'my job last': 548920, 'job last night': 465943, 'last night could': 480371, 'night could not': 562979, 'not stop cry': 571754, 'stop cry please': 804603, 'cry please do': 219907, 'make it harder': 510037, 'thatismytown': 847795, 'me tell': 523584, 'what small': 982196, 'doing local': 252514, 'store spends': 810277, 'spends late': 789071, 'late night': 480898, 'night stocking': 563085, 'stocking 1st': 803539, '1st hr': 12754, 'hr open': 409649, 'people donating': 647715, 'donating for': 254456, 'grocery manager': 364709, 'others deliver': 621359, 'who cant': 988433, 'out thatismytown': 627342, 'thatismytown fridaythoughts': 847796, 'let me tell': 486915, 'me tell you': 523585, 'you what small': 1022271, 'what small town': 982197, 'town are doing': 927439, 'are doing local': 85910, 'doing local grocery': 252515, 'grocery store spends': 365789, 'store spends late': 810278, 'spends late night': 789072, 'late night stocking': 480900, 'night stocking 1st': 563086, 'stocking 1st hr': 803540, '1st hr open': 12755, 'hr open for': 409650, 'open for elderly': 612245, 'for elderly only': 320994, 'elderly only people': 270790, 'only people donating': 610946, 'people donating for': 647716, 'donating for grocery': 254457, 'for grocery manager': 322039, 'grocery manager and': 364710, 'manager and others': 512672, 'and others deliver': 68441, 'others deliver to': 621360, 'deliver to those': 233254, 'those who cant': 892619, 'who cant get': 988434, 'cant get out': 162300, 'get out thatismytown': 347746, 'out thatismytown fridaythoughts': 627343, 'don normally': 253779, 'delivery more': 234190, 'is not that': 450201, 'not that there': 571975, 'there no toiletpaper': 878846, 'no toiletpaper it': 565762, 'toiletpaper it that': 922146, 'it that grocery': 461490, 'store don normally': 807363, 'don normally have': 253780, 'normally have to': 567507, 'have to restock': 383282, 'restock the entire': 716922, 'entire store every': 278748, 'store every delivery': 807652, 'every delivery they': 285867, 'delivery they need': 234627, 'they need more': 882751, 'need more delivery': 555255, 'more delivery more': 538982, 'delivery more frequently': 234191, 'dane': 225607, 'bottle sanitiser': 136315, 'sanitiser 40': 733905, 'kr bottle': 477613, '100kr clever': 2182, 'clever dane': 181865, 'danish supermarket one': 225855, 'supermarket one bottle': 821753, 'one bottle sanitiser': 606012, 'bottle sanitiser 40': 136316, 'sanitiser 40 kr': 733906, '40 kr bottle': 18597, 'kr bottle 100kr': 477614, 'bottle 100kr clever': 136161, '100kr clever dane': 2183, 'craze stop': 215203, 'stop socialdistancing': 805036, 'socialdistancing grocerystores': 780394, 'store can wait': 806863, 'can wait until': 160138, 'until the toilet': 943873, 'paper craze stop': 640069, 'craze stop socialdistancing': 215204, 'stop socialdistancing grocerystores': 805037, 'kwacha': 478027, 'characterise': 173164, 'financial turbulence': 306625, 'turbulence worsened': 935508, 'worsened by': 1011079, 'fast appearing': 299917, 'appearing for': 82163, 'for zambia': 328250, 'zambia price': 1027215, 'soar and': 779228, 'the kwacha': 858870, 'kwacha go': 478028, 'fast downward': 299946, 'spiral and': 789416, 'fall if': 296930, 'not resolved': 571336, 'resolved by': 714646, 'both zambia': 136108, 'zambia and': 1027207, 'community they': 190159, 'are projected': 89272, 'to characterise': 902630, 'economic and financial': 266979, 'and financial turbulence': 62878, 'financial turbulence worsened': 306626, 'turbulence worsened by': 935509, 'worsened by the': 1011080, 'crisis are fast': 217077, 'are fast appearing': 86499, 'fast appearing for': 299918, 'appearing for zambia': 82164, 'for zambia price': 328251, 'zambia price soar': 1027216, 'price soar and': 676525, 'soar and the': 779229, 'and the kwacha': 73439, 'the kwacha go': 858871, 'kwacha go into': 478029, 'go into fast': 353745, 'into fast downward': 442553, 'fast downward spiral': 299947, 'downward spiral and': 257836, 'spiral and free': 789417, 'and free fall': 63271, 'free fall if': 331805, 'fall if not': 296931, 'if not resolved': 414506, 'not resolved by': 571337, 'resolved by both': 714647, 'by both zambia': 151991, 'both zambia and': 136109, 'zambia and the': 1027208, 'and the international': 73430, 'international community they': 441770, 'community they are': 190160, 'they are projected': 881369, 'are projected to': 89273, 'projected to characterise': 683571, 'dumb there': 262117, 'word well': 1004615, 'produce don': 680244, 'don wash': 254051, 'so incredibly dumb': 777398, 'incredibly dumb there': 433895, 'dumb there are': 262118, 'other word well': 621218, 'word well maybe': 1004616, 'well maybe go': 978390, 'store with no': 811391, 'no glove and': 564353, 'glove and no': 352570, 'and no mask': 67624, 'piece of produce': 656343, 'of produce don': 588466, 'produce don wash': 680245, 'don wash your': 254052, 'when you end': 984556, 'materialism': 520450, 'albatross': 40753, 'question everything': 693580, 'everything accept': 287670, 'accept nothing': 27979, 'nothing fight': 573007, 'tp this': 927982, 'luxury commodity': 506926, 'commodity not': 189231, 'not ll': 570445, 'die without': 241489, 'it item': 459189, 'item materialism': 463448, 'materialism is': 520451, 'new albatross': 558331, 'albatross around': 40754, 'around man': 93386, 'man neck': 512159, 'neck what': 554313, 'question everything accept': 693581, 'everything accept nothing': 287671, 'accept nothing fight': 27980, 'nothing fight over': 573008, 'fight over tp': 304833, 'over tp this': 630862, 'tp this is': 927983, 'this is luxury': 888310, 'is luxury commodity': 449492, 'luxury commodity not': 506927, 'commodity not ll': 189232, 'not ll die': 570446, 'll die without': 496705, 'die without it': 241490, 'without it item': 1002740, 'it item materialism': 459190, 'item materialism is': 463449, 'materialism is the': 520452, 'the new albatross': 861470, 'new albatross around': 558332, 'albatross around man': 40755, 'around man neck': 93387, 'man neck what': 512160, 'neck what are': 554314, 'are your thought': 91901, 'your thought on': 1026148, 'satisfaction': 736946, 'employeexperience': 274480, 'episode about': 279509, 'available focus': 104351, 'behavior employee': 124021, 'employee satisfaction': 274183, 'satisfaction and': 736947, 'change management': 172172, 'are discussed': 85842, 'discussed hospitality': 244961, 'hotel employeexperience': 405140, 'latest episode about': 481319, 'episode about the': 279510, 'industry is now': 435936, 'now available focus': 574155, 'available focus on': 104352, 'consumer behavior employee': 196470, 'behavior employee satisfaction': 124022, 'employee satisfaction and': 274184, 'satisfaction and change': 736948, 'and change management': 59725, 'change management in': 172173, 'management in post': 512582, 'in post coronavirus': 426859, 'coronavirus world are': 207104, 'world are discussed': 1009311, 'are discussed hospitality': 85843, 'discussed hospitality hotel': 244962, 'hospitality hotel employeexperience': 404777, 'intermodal': 441710, 'containersales': 200569, 'worldtrade': 1010288, 'digitalhub': 242721, 'boxxport': 137236, 'sanitizer available': 734523, 'store mix': 808964, 'mix your': 534616, 'own intermodal': 632083, 'intermodal container': 441711, 'container import': 200545, 'import export': 418629, 'export logistics': 292660, 'logistics trading': 500809, 'trading containersales': 928848, 'containersales trade': 200570, 'trade industry': 928513, 'industry worldtrade': 436265, 'worldtrade innovation': 1010289, 'innovation digitalhub': 438865, 'digitalhub boxxport': 242722, 'are no more': 88269, 'no more hand': 564807, 'hand sanitizer available': 375314, 'sanitizer available in': 734526, 'in store mix': 428428, 'store mix your': 808965, 'mix your own': 534617, 'your own intermodal': 1025150, 'own intermodal container': 632084, 'intermodal container import': 441712, 'container import export': 200546, 'import export logistics': 418630, 'export logistics trading': 292661, 'logistics trading containersales': 500810, 'trading containersales trade': 928849, 'containersales trade industry': 200571, 'trade industry worldtrade': 928514, 'industry worldtrade innovation': 436266, 'worldtrade innovation digitalhub': 1010290, 'innovation digitalhub boxxport': 438866, 'foodchainid': 317879, 'consumer manufacturer': 198092, 'manufacturer association': 513432, 'to exempt': 905405, 'exempt manufacturing': 289977, 'facility from': 295335, 'running retail': 728045, 'retail foodchainid': 718125, 'the consumer manufacturer': 851558, 'consumer manufacturer association': 198093, 'manufacturer association ha': 513433, 'association ha asked': 96958, 'ha asked the': 369633, 'asked the federal': 95842, 'federal government to': 302004, 'government to exempt': 360715, 'to exempt manufacturing': 905406, 'exempt manufacturing facility': 289978, 'manufacturing facility from': 513584, 'facility from gathering': 295336, 'from gathering limit': 335606, 'gathering limit due': 344479, '19 so that': 10653, 'so that manufacturer': 778381, 'that manufacturer of': 845020, 'essential product can': 281417, 'product can stay': 681045, 'can stay up': 159745, 'stay up running': 797375, 'up running retail': 945940, 'running retail foodchainid': 728046, 'report have': 712001, 'been received': 121785, 'received of': 703662, 'fraudsters targeting': 331433, 'targeting vulnerable': 834581, 'by posing': 153622, 'posing charity': 665133, 'charity volunteer': 173711, 'volunteer offering': 960302, 'shopping offering': 763377, 'testing or': 839593, 'or claiming': 614726, 'raising charity': 696066, 'charity fund': 173628, 'fund report': 341489, 'report have been': 712002, 'have been received': 379654, 'been received of': 121786, 'received of fraudsters': 703663, 'of fraudsters targeting': 583899, 'fraudsters targeting vulnerable': 331434, 'targeting vulnerable people': 834582, 'vulnerable people by': 961083, 'people by posing': 647362, 'by posing charity': 153623, 'posing charity volunteer': 665134, 'charity volunteer offering': 173713, 'volunteer offering to': 960303, 'with shopping offering': 1000698, 'shopping offering fake': 763378, 'offering fake testing': 595097, 'fake testing or': 296722, 'testing or claiming': 839594, 'or claiming to': 614727, 'to be raising': 901479, 'be raising charity': 116675, 'raising charity fund': 696067, 'charity fund report': 173629, 'fund report scammer': 341490, 'wrongful': 1013171, 'relative of': 708736, 'illinois who': 416315, '19 complication': 5912, 'complication filed': 192482, 'filed wrongful': 305414, 'wrongful death': 1013174, 'death lawsuit': 230108, 'giant alleging': 349736, 'alleging the': 45734, 'do enough': 249253, 'relative of walmart': 708737, 'of walmart employee': 592893, 'walmart employee in': 965322, 'employee in illinois': 273961, 'in illinois who': 423976, 'illinois who died': 416316, 'covid 19 complication': 212835, '19 complication filed': 5913, 'complication filed wrongful': 192483, 'filed wrongful death': 305415, 'wrongful death lawsuit': 1013175, 'death lawsuit against': 230109, 'lawsuit against the': 482521, 'against the retail': 37675, 'retail giant alleging': 718140, 'giant alleging the': 349737, 'alleging the store': 45735, 'the store did': 868007, 'store did not': 807306, 'not do enough': 569057, 'do enough to': 249254, 'protect employee from': 684825, 'alcohol disinfectant': 40989, 'disinfectant always': 245603, 'glove competitionalert': 352638, 'wash hand regularly': 967492, 'regularly with alcohol': 707976, 'with alcohol disinfectant': 997132, 'alcohol disinfectant always': 40990, 'disinfectant always use': 245604, 'mask glove competitionalert': 518728, 'glove competitionalert competition': 352639, 'consumer taking': 199215, 'to dine': 904307, 'really latest': 702375, 'are consumer taking': 85530, 'consumer taking out': 199216, 'taking out from': 833487, 'the restaurant that': 865663, 'that they used': 846957, 'used to dine': 950049, 'to dine in': 904308, 'dine in not': 242972, 'in not really': 425966, 'not really latest': 571238, 'really latest data': 702376, 'about bloody': 24885, 'bloody time': 133243, 'now retailer': 575701, 'about bloody time': 24886, 'bloody time do': 133244, 'time do it': 896571, 'do it now': 249497, 'it now retailer': 459964, 'now retailer who': 575702, 'because of to': 119419, 'nimble': 563256, 'china going': 176677, 'new superpower': 559699, 'superpower they': 824314, 'more authoritarian': 538691, 'authoritarian and': 103673, 'more nimble': 539844, 'nimble in': 563261, 'response le': 715747, 'oriented and': 619519, 'production capability': 681959, 'capability are': 162462, 'are unmatched': 91326, 'unmatched coincidence': 942831, 'hey is it': 394430, 'or is china': 615829, 'is china going': 446518, 'china going to': 176678, 'crisis the new': 218182, 'the new superpower': 861566, 'new superpower they': 559700, 'superpower they re': 824315, 're more authoritarian': 699040, 'more authoritarian and': 538692, 'authoritarian and can': 103674, 'can be more': 157646, 'be more nimble': 115985, 'more nimble in': 539845, 'nimble in their': 563262, 'in their response': 429772, 'their response le': 874572, 'response le consumer': 715748, 'le consumer oriented': 482891, 'consumer oriented and': 198293, 'oriented and their': 619520, 'and their production': 73711, 'their production capability': 874481, 'production capability are': 681960, 'capability are unmatched': 162463, 'are unmatched coincidence': 91327, 'malpractice': 511880, 'retailer same': 719299, 'before sadly': 123047, 'sadly due': 729332, 'case malpractice': 165859, 'malpractice there': 511881, 'even time': 284727, 'seriously investigating': 751648, 'investigating on': 443846, 'we at have': 970799, 'at have not': 98861, 'not raised price': 571209, 'raised price and': 696023, 'price and we': 672577, 'still selling to': 801162, 'selling to retailer': 749506, 'to retailer same': 913460, 'retailer same price': 719300, 'same price before': 733241, 'price before sadly': 672880, 'before sadly due': 123048, 'sadly due to': 729333, 'due to market': 261861, 'to market demand': 909851, 'market demand and': 516280, 'some case malpractice': 782490, 'case malpractice there': 165860, 'malpractice there are': 511882, 'there are price': 878150, 'are price increase': 89220, 'price increase even': 674771, 'increase even time': 432762, 'even time of': 284728, 'time of normal': 897349, 'of normal we': 587065, 'we are seriously': 970705, 'are seriously investigating': 89992, 'seriously investigating on': 751649, 'investigating on this': 443847, 'on this matter': 604620, 'big surge': 130041, 'inflation expectation': 437173, 'expectation among': 290794, 'among uk': 53106, 'uk public': 938656, 'public up': 688446, 'feb according': 301629, 'to citi': 902766, 'yougov in': 1022531, 'fact make': 295744, 'biggest jump': 130267, 'jump since': 467895, 'big surge in': 130042, 'surge in inflation': 828195, 'in inflation expectation': 424096, 'inflation expectation among': 437174, 'expectation among uk': 290795, 'among uk public': 53107, 'uk public up': 938657, 'public up to': 688447, 'up to in': 946389, 'march in feb': 515392, 'in feb according': 422824, 'feb according to': 301630, 'according to citi': 28525, 'to citi yougov': 902767, 'citi yougov in': 178789, 'yougov in fact': 1022532, 'in fact make': 422762, 'fact make that': 295745, 'make that to': 510554, 'that to be': 847056, 'the biggest jump': 849660, 'biggest jump since': 130268, 'jump since record': 467896, 'began in 2005': 123390, 'is regarding': 451389, 'regarding an': 707174, 'address labour': 31992, 'that factory': 843821, 'resume and': 717729, 'start fresh': 794297, 'fresh processing': 333040, 'processing to': 680044, 'the so is': 867402, 'so is regarding': 777444, 'is regarding an': 451390, 'regarding an urgent': 707175, 'to address labour': 900090, 'address labour shortage': 31993, 'labour shortage so': 478528, 'so that factory': 778371, 'that factory can': 843822, 'factory can resume': 295934, 'can resume and': 159473, 'resume and start': 717730, 'and start fresh': 72240, 'start fresh processing': 794298, 'fresh processing to': 333041, 'processing to meet': 680045, 'stay fraud': 796879, 'fraud free': 331271, '19 attempt': 5263, 'attempt for': 102222, 'commission visit': 188915, 'tip to stay': 898941, 'to stay fraud': 915288, 'stay fraud free': 796880, 'fraud free during': 331272, 'free during covid': 331790, 'covid 19 attempt': 212664, '19 attempt for': 5264, 'attempt for more': 102223, 'more information from': 539584, 'trade commission visit': 928459, 'greedy that': 363622, 'realize there': 701872, 'are elder': 86100, 'elder or': 270540, 'chronic condition': 178230, 'condition who': 193559, 'should have that': 766099, 'have that in': 382948, 'in the well': 429671, 'are so greedy': 90202, 'so greedy that': 777211, 'greedy that they': 363623, 'don realize there': 253851, 'realize there are': 701873, 'there are elder': 878098, 'are elder or': 86101, 'elder or people': 270541, 'or people with': 616544, 'with chronic condition': 997641, 'chronic condition who': 178231, 'condition who can': 193560, 'who can always': 988370, 'can always get': 157479, 'always get to': 49572, 'store it getting': 808573, 'it getting ridiculous': 458233, 'purchase you': 689738, 'spreading or': 791020, 'or catching': 614689, 'happen to go': 377179, 'essential good do': 281090, 'touch anything you': 926459, 'anything you re': 80963, 'going to purchase': 355680, 'to purchase you': 912557, 'purchase you risk': 689739, 'you risk spreading': 1020946, 'risk spreading or': 723897, 'spreading or catching': 791021, 'reaalamerican': 699864, 'reaalamerican he': 699865, 'penny then': 646629, 'then lied': 877311, 'available dragged': 104329, 'dragged their': 258186, 'foot lied': 318401, 'lied some': 488418, '19 blame': 5404, 'blame state': 132294, 'prepared call': 670169, 'reaalamerican he and': 699866, 'he and penny': 384744, 'and penny then': 68843, 'penny then lied': 646630, 'then lied about': 877312, 'lied about the': 488405, 'number of test': 576999, 'of test that': 590686, 'test that would': 839196, 'would be available': 1011555, 'be available dragged': 113754, 'available dragged their': 104330, 'dragged their foot': 258187, 'their foot lied': 873366, 'foot lied some': 318402, 'lied some more': 488419, 'some more about': 783316, 'covid 19 blame': 212712, '19 blame state': 5405, 'blame state for': 132295, 'state for not': 795589, 'for not being': 323922, 'not being prepared': 568540, 'being prepared call': 125574, 'prepared call the': 670170, 'call the nation': 156135, 'smallyoutubecommunity': 775324, 'hi family': 394639, 'yourself diy': 1026579, 'sanitizer protect': 735615, 'outbreak outbreak': 628512, 'outbreak handsanitizer': 628286, 'handsanitizer smallyoutubecommunity': 376635, 'hi family just': 394640, 'family just in': 297974, 'to find hand': 905906, 'sanitizer in store': 735158, 'in store you': 428477, 'make it yourself': 510070, 'it yourself diy': 462672, 'yourself diy hand': 1026580, 'hand sanitizer protect': 375552, 'sanitizer protect yourself': 735616, '19 outbreak outbreak': 9166, 'outbreak outbreak handsanitizer': 628513, 'outbreak handsanitizer smallyoutubecommunity': 628287, 'coronavirsoutbreak': 205428, 'travelban': 930587, 'coronavirsoutbreak oil': 205429, '3rd session': 18444, 'today travelban': 920394, 'travelban and': 930588, 'lockdown sparked': 499942, 'by knocked': 152999, 'knocked the': 476175, 'coronavirsoutbreak oil price': 205430, 'fell for 3rd': 303193, 'for 3rd session': 318835, '3rd session today': 18445, 'session today travelban': 753321, 'today travelban and': 920395, 'travelban and social': 930589, 'social lockdown sparked': 779830, 'lockdown sparked by': 499943, 'sparked by knocked': 787574, 'by knocked the': 153000, 'knocked the outlook': 476176, 'news good': 560474, 'home through': 402295, 'through contamination': 894389, 'contamination on': 200727, 'cbc news good': 168282, 'news good advice': 560475, 'good advice it': 356693, 'advice it unlikely': 33424, 'unlikely that covid': 942757, '19 will spread': 12112, 'will spread in': 994923, 'spread in home': 790574, 'in home through': 423789, 'home through contamination': 402296, 'through contamination on': 894390, 'contamination on packaging': 200728, '19 advertiser': 4821, 'advertiser should': 33181, 'forced shift': 328601, 'on the long': 604220, 'term effect of': 838132, 'covid 19 advertiser': 212586, '19 advertiser should': 4822, 'advertiser should be': 33182, 'asking themselves if': 96084, 'themselves if the': 876827, 'if the forced': 414974, 'the forced shift': 855685, 'forced shift in': 328602, 'behavior is going': 124099, 'effect on buying': 269080, 'on buying pattern': 599758, 'southern home': 786860, 'jumped before': 467926, 'before scare': 123054, 'southern home price': 786861, 'home price jumped': 401911, 'price jumped before': 674961, 'jumped before scare': 467927, 'little fortnite': 495352, 'fortnite toilet': 329872, 'paper hunting': 640300, 'hunting video': 411426, 'all use': 45342, 'use laugh': 949327, 'laugh catch': 481714, 'catch me': 167009, 'youtube fortnite': 1026903, 'fortnite funniesttweets': 329860, 'funniesttweets toiletpaper': 341693, 'toiletpaper hunting': 922098, 'here little fortnite': 393304, 'little fortnite toilet': 495353, 'fortnite toilet paper': 329873, 'toilet paper hunting': 921311, 'paper hunting video': 640301, 'hunting video with': 411427, 'video with everything': 956968, 'on we could': 605133, 'could all use': 208806, 'all use laugh': 45343, 'use laugh catch': 949328, 'laugh catch me': 481715, 'catch me on': 167010, 'me on youtube': 523266, 'on youtube fortnite': 605524, 'youtube fortnite funniesttweets': 1026904, 'fortnite funniesttweets toiletpaper': 329861, 'funniesttweets toiletpaper hunting': 341694, 'message is': 529348, 'for profiteer': 324797, 'profiteer buying': 682948, 'at outrageously': 100046, 'outrageously inflated': 629347, 'craigslist etc': 214822, 've arranged': 952847, 'arranged for': 93700, 'for off': 324024, 'off duty': 593792, 'duty cop': 263562, 'cop in': 203271, 'regular clothes': 707751, 'the pick': 863718, 'amp arrest': 53414, 'arrest you': 93795, 'test case': 838955, 'this message is': 888841, 'message is strictly': 529352, 'is strictly for': 452380, 'strictly for profiteer': 813693, 'for profiteer buying': 324798, 'profiteer buying up': 682949, 'paper to sell': 640924, 'sell at outrageously': 748637, 'at outrageously inflated': 100047, 'outrageously inflated price': 629348, 'price on craigslist': 675662, 'on craigslist etc': 600154, 'craigslist etc we': 214823, 'etc we ve': 282864, 'we ve arranged': 973639, 've arranged for': 952848, 'arranged for off': 93701, 'for off duty': 324025, 'off duty cop': 593793, 'duty cop in': 263563, 'cop in regular': 203273, 'in regular clothes': 427356, 'regular clothes to': 707752, 'clothes to be': 184221, 'be the pick': 117646, 'the pick up': 863719, 'pick up amp': 655700, 'up amp arrest': 944288, 'amp arrest you': 53415, 'arrest you for': 93796, 'for test case': 326225, 'difference to': 241874, 'insecurity during': 439151, 'need 200': 554340, '200 healthy': 13492, 'healthy volunteer': 387805, 'central victoria': 169441, 'victoria email': 956535, 'at volunteer': 101458, 'volunteer org': 960314, 'org au': 619176, 'to make real': 909726, 'real difference to': 701113, 'difference to people': 241876, 'to people impacted': 911625, 'impacted by food': 418081, 'by food insecurity': 152616, 'food insecurity during': 315062, 'insecurity during covid': 439152, 'we need 200': 972459, 'need 200 healthy': 554341, '200 healthy volunteer': 13493, 'healthy volunteer to': 387806, 'emergency food relief': 272711, 'food relief in': 316158, 'relief in central': 709365, 'in central victoria': 421313, 'central victoria email': 169442, 'victoria email at': 956536, 'email at volunteer': 272132, 'at volunteer org': 101459, 'volunteer org au': 960315, 'globalisation': 352325, 'discovered are': 244681, 'not inevitable': 570141, 'inevitable western': 436413, 'western liberal': 980624, 'democracy globalisation': 236683, 'globalisation just': 352326, 'chain job': 170869, 'job holiday': 465865, 'food climate': 313943, 've confirmed': 953012, 'confirmed are': 194126, 'inevitable death': 436374, 'death tax': 230220, 'tax panic': 835056, 'buying dark': 150174, 'dark humour': 225965, 'humour any': 410942, 'thing we ve': 884969, 'we ve discovered': 973654, 've discovered are': 953053, 'discovered are not': 244682, 'are not inevitable': 88400, 'not inevitable western': 570142, 'inevitable western liberal': 436414, 'western liberal democracy': 980625, 'liberal democracy globalisation': 488008, 'democracy globalisation just': 236684, 'globalisation just in': 352327, 'supply chain job': 824983, 'chain job holiday': 170870, 'job holiday food': 465866, 'holiday food climate': 400293, 'food climate change': 313944, 'climate change thing': 182202, 'change thing we': 172326, 'we ve confirmed': 973648, 've confirmed are': 953013, 'confirmed are inevitable': 194127, 'are inevitable death': 87531, 'inevitable death tax': 436375, 'death tax panic': 230221, 'tax panic buying': 835057, 'panic buying dark': 637699, 'buying dark humour': 150175, 'dark humour any': 225966, 'humour any more': 410943, 'chooses': 177933, 'chooses to': 177934, 'store shutthemdown': 810184, 'shutthemdown put': 768237, 'first make': 308780, 'happen shutthemdown': 377155, 'chooses to contribute': 177935, 'of because they': 580605, 'because they claim': 119693, 'retail store shutthemdown': 718703, 'store shutthemdown put': 810185, 'shutthemdown put the': 768238, 'put the health': 690857, 'safety of the': 730656, 'the people first': 863471, 'people first make': 647926, 'first make this': 308781, 'this happen shutthemdown': 887838, 'give miss': 350590, 'miss call': 534140, 'shop live': 760420, 'min or': 532561, 'or join': 615865, 'our telegram': 625115, 'telegram group': 836728, 'group download': 366674, 'app restuarant': 81754, 'restuarant retail': 717456, 'retail retailer': 718471, 'retailer food': 719150, 'food di': 314198, 'give miss call': 350591, 'miss call to': 534141, 'set your shop': 753595, 'your shop live': 1025766, 'shop live in': 760421, '30 min or': 17118, 'min or join': 532562, 'or join our': 615866, 'join our telegram': 466816, 'our telegram group': 625116, 'telegram group download': 836729, 'group download app': 366675, 'download app restuarant': 257581, 'app restuarant retail': 81755, 'restuarant retail retailer': 717457, 'retail retailer food': 718472, 'retailer food di': 719151, 'largest amount': 479920, 'are located': 87862, 'located street': 498823, 'street have': 812989, 'been eerily': 121069, 'eerily empty': 268946, 'today woke': 920566, 'live in miami': 495875, 'miami florida where': 530177, 'florida where the': 311005, 'where the largest': 985235, 'the largest amount': 858957, 'largest amount of': 479921, 'amount of case': 53209, 'case in florida': 165792, 'in florida are': 422935, 'florida are located': 310904, 'are located street': 87863, 'located street have': 498824, 'street have been': 812990, 'have been eerily': 379524, 'been eerily empty': 121070, 'eerily empty for': 268947, 'for week the': 327752, 'week the number': 976997, 'the number rise': 861960, 'number rise but': 577044, 'rise but ve': 722800, 've been waiting': 952956, 'been waiting to': 122340, 'waiting to take': 964416, 'store and today': 806383, 'and today woke': 74231, 'today woke up': 920567, 'woke up early': 1003359, 'early to beat': 264726, 'beat the shopping': 118562, 'the shopping rush': 867075, 'very fortunate': 955173, 'mom talk': 535808, 'to ob': 910780, 'ob over': 578320, 'over whether': 630922, 'whether grocery': 985514, 'work am very': 1004739, 'am very fortunate': 50532, 'very fortunate to': 955174, 'fortunate to have': 329903, 'be done from': 114557, 'done from home': 254848, 'home my mom': 401640, 'my mom talk': 549283, 'mom talk to': 535809, 'shopping to ob': 764184, 'to ob over': 910781, 'ob over whether': 578321, 'over whether grocery': 630923, 'whether grocery cooking': 985515, 'toilethumor': 921662, 'etiquettefortheapocalypse': 283164, 'your humor': 1024439, 'toiletpaperpanic toilethumor': 923259, 'toilethumor stayathomeorder': 921663, 'stayathomeorder etiquettefortheapocalypse': 797776, 'etiquettefortheapocalypse tuesdaythoughts': 283165, 'tuesdaythoughts notdying4wallstreet': 935222, 'show your humor': 767302, 'your humor in': 1024440, 'humor in the': 410885, 'the toiletpaper toiletpaperpanic': 869737, 'toiletpaper toiletpaperpanic toilethumor': 922709, 'toiletpaperpanic toilethumor stayathomeorder': 923260, 'toilethumor stayathomeorder etiquettefortheapocalypse': 921664, 'stayathomeorder etiquettefortheapocalypse tuesdaythoughts': 797777, 'etiquettefortheapocalypse tuesdaythoughts notdying4wallstreet': 283166, 'tweet some': 936398, 'world worldhealthday': 1010202, 'tweet some for': 936399, 'some for all': 782886, 'healthcare worker around': 387344, 'the world worldhealthday': 872010, 'wellness app': 978826, 'app ha': 81714, 'launched one': 482018, 'one live': 606608, 'streaming pop': 812838, 'up wellness': 946558, 'wellness brand': 978832, 'brand across': 137710, 'globe pivot': 352475, 'their model': 873989, 'behaviour caused': 124379, 'wellness app ha': 978827, 'app ha launched': 81715, 'ha launched one': 371110, 'launched one to': 482019, 'one to one': 607280, 'to one live': 910915, 'one live streaming': 606609, 'live streaming pop': 496038, 'streaming pop up': 812839, 'pop up wellness': 664482, 'up wellness brand': 946559, 'wellness brand across': 978833, 'brand across the': 137711, 'the globe pivot': 856360, 'globe pivot their': 352476, 'pivot their model': 657099, 'their model to': 873990, 'model to cater': 535321, 'the unprecedented change': 870452, 'consumer behaviour caused': 196556, 'behaviour caused by': 124380, 'grocery boom': 364322, 'boom consumer': 134803, 'consumer diet': 197197, 'diet change': 241713, 'china grocery boom': 176682, 'grocery boom consumer': 364323, 'boom consumer diet': 134804, 'consumer diet change': 197198, 'diet change during': 241714, 'change during outbreak': 172026, 'guidance guidance': 368242, 'that eligible': 843692, 'meal guidance guidance': 524175, 'guidance guidance that': 368243, 'guidance that eligible': 368288, 'that eligible child': 843693, 'get free school': 347095, 'fruit egg': 339090, 'store thanks': 810539, 'those who still': 892676, 'who still have': 989677, 'work can you': 1004971, 'you please leave': 1020359, 'please leave some': 660172, 'leave some fruit': 484934, 'some fruit egg': 782923, 'fruit egg and': 339091, 'egg and essential': 269764, 'and essential at': 62244, 'grocery store thanks': 365847, '1990s': 12487, 'pandemic savage': 636385, 'savage demand': 737431, 'supply rise': 825776, 'amid battle': 52395, 'battle btw': 112786, 'btw saudiarabia': 141541, 'russia for': 728480, 'share oil': 755124, 'crude for': 219530, 'below 20': 126562, 'barrel low': 111242, 'asian financial': 95279, 'late 1990s': 480837, 'the pandemic savage': 863085, 'pandemic savage demand': 636386, 'savage demand and': 737432, 'demand and global': 234966, 'global supply rise': 352238, 'supply rise amid': 825777, 'rise amid battle': 722772, 'amid battle btw': 52396, 'battle btw saudiarabia': 112787, 'btw saudiarabia and': 141542, 'and russia for': 70669, 'russia for market': 728481, 'market share oil': 517050, 'share oil producer': 755125, 'producer are selling': 680576, 'are selling their': 89971, 'selling their crude': 749485, 'their crude for': 872928, 'crude for below': 219531, 'for below 20': 319643, 'below 20 barrel': 126563, '20 barrel low': 12963, 'barrel low price': 111243, 'low price since': 505537, 'since the asian': 770864, 'the asian financial': 848962, 'asian financial crisis': 95280, 'of the late': 591176, 'the late 1990s': 859065, 'dear genius': 229793, 'genius countryman': 345773, 'countryman and': 211293, 'woman soap': 1003612, 'isn necessary': 454596, 'fucking grocery': 339882, 'dear genius countryman': 229794, 'genius countryman and': 345774, 'countryman and woman': 211295, 'and woman soap': 75810, 'woman soap work': 1003613, 'paper isn necessary': 640370, 'isn necessary when': 454597, 'around if you': 93341, 'you stop going': 1021436, 'to the fucking': 916734, 'the fucking grocery': 855989, 'fucking grocery store': 339883, 'falling like': 297293, 'like stone': 491241, 'stone via': 804349, 'gas price falling': 343963, 'price falling like': 673815, 'falling like stone': 297294, 'like stone via': 491242, '2030hrs': 14833, 'at 2030hrs': 97519, '2030hrs tonight': 14834, 'announce new': 76851, 'new procedure': 559349, 'before store': 123106, 'at 2030hrs tonight': 97520, '2030hrs tonight to': 14835, 'tonight to announce': 924504, 'to announce new': 900550, 'announce new procedure': 76853, 'new procedure for': 559350, 'procedure for supermarket': 679811, 'for supermarket shopper': 326023, 'supermarket shopper before': 822610, 'shopper before store': 761425, 'before store entry': 123107, 'next wednesday': 561665, 'wednesday 15': 975595, '15 april': 3669, 'session start': 753304, '30pm aest': 17501, 'aest cf': 33932, 'centre specialist': 169539, 'specialist will': 788124, 'question simply': 693737, 'simply click': 770203, 'click through': 181952, 'connect on': 194611, 'on cfa': 599865, 'cfa website': 170293, 'next wednesday 15': 561666, 'wednesday 15 april': 975596, '15 april the': 3670, 'april the covid': 83698, '19 consumer connect': 5963, 'connect session start': 194619, 'session start at': 753305, 'start at 30pm': 794212, 'at 30pm aest': 97613, '30pm aest cf': 17502, 'aest cf centre': 33933, 'cf centre specialist': 170281, 'centre specialist will': 169540, 'specialist will be': 788125, 'be on hand': 116196, 'hand to answer': 375855, 'to answer all': 900579, 'answer all your': 78008, 'your question simply': 1025504, 'question simply click': 693738, 'simply click through': 770205, 'click through to': 181953, 'through to consumer': 894864, 'to consumer connect': 903283, 'consumer connect on': 196938, 'connect on cfa': 194612, 'on cfa website': 599866, 'shortage credited': 764902, 'credited with': 216570, 'with increase': 998971, 'and subscription': 72638, 'toiletpaper shortage credited': 922465, 'shortage credited with': 764903, 'credited with increase': 216571, 'with increase in': 998972, 'increase in and': 432816, 'in and subscription': 420391, 'klaviyo': 475887, 'full episode': 340582, 'episode with': 279562, 'hear lot': 387949, 'way spending': 969887, 'changing amidst': 172639, 'what klaviyo': 981797, 'klaviyo is': 475888, 'brand informed': 137872, 'the full episode': 856006, 'full episode with': 340583, 'episode with from': 279563, 'with from to': 998568, 'from to hear': 338060, 'to hear lot': 907409, 'hear lot more': 387951, 'lot more about': 504100, 'more about all': 538494, 'the way spending': 871188, 'way spending is': 969888, 'spending is changing': 788871, 'is changing amidst': 446463, 'changing amidst global': 172640, 'amidst global pandemic': 52796, 'pandemic and check': 634865, 'out what klaviyo': 627807, 'what klaviyo is': 981798, 'klaviyo is doing': 475889, 'help keep consumer': 389964, 'and brand informed': 59150, 'coronacrisis up': 204849, 'up date': 944692, 'date dash': 226613, 'dash board': 226065, 'board today': 133680, 'uk stay': 938733, 'distancing every': 247134, 'where including': 984940, 'including shop': 432145, 'off while': 594381, 'while entering': 986793, 'the wash': 871101, 'hand bit': 374840, 'bit keep': 131593, 'isolation your': 455520, 'coronacrisis up date': 204850, 'up date dash': 944693, 'date dash board': 226614, 'dash board today': 226066, 'board today for': 133681, 'the uk stay': 870283, 'uk stay safe': 938734, 'stay safe social': 797274, 'social distancing every': 779604, 'distancing every where': 247135, 'every where including': 286377, 'where including shop': 984941, 'including shop take': 432148, 'shop take your': 760878, 'take your shoe': 832829, 'your shoe off': 1025758, 'shoe off while': 759679, 'off while entering': 594382, 'while entering your': 986794, 'entering your home': 278442, 'home and the': 400699, 'and the wash': 73645, 'the wash hand': 871102, 'wash hand bit': 967481, 'hand bit keep': 374841, 'bit keep in': 131594, 'keep in isolation': 471592, 'in isolation your': 424215, 'isolation your loved': 455521, 'mcgregor': 522178, 'amids': 52768, 'prevent civil': 671593, 'emergency attorney': 272606, 'attorney mcgregor': 102674, 'mcgregor scott': 522179, 'scott announced': 742440, 'safety amids': 730446, 'united state attorney': 942206, 'state attorney office': 795402, 'protect consumer and': 684800, 'consumer and prevent': 196236, 'and prevent civil': 69406, 'prevent civil right': 671594, 'violation amidst covid': 957513, 'health emergency attorney': 386394, 'emergency attorney mcgregor': 272607, 'attorney mcgregor scott': 102675, 'mcgregor scott announced': 522180, 'scott announced series': 742441, 'financial safety amids': 306567, 'this clip': 886786, 'stoppanicbuying if': 805580, 'healthy eat': 387588, 'eat properly': 266029, 'properly there': 684200, 'roll then': 725537, 'please rt this': 660432, 'rt this clip': 726827, 'this clip of': 886787, 'clip of critical': 182366, 'of critical care': 582202, 'care nurse who': 164088, 'get food after': 347029, 'after her shift': 35786, 'her shift and': 392366, 'shift and stophoarding': 758236, 'and stophoarding stoppanicbuying': 72495, 'stophoarding stoppanicbuying if': 805484, 'stoppanicbuying if they': 805581, 'cannot stay healthy': 162124, 'stay healthy eat': 796902, 'healthy eat properly': 387589, 'eat properly there': 266030, 'properly there will': 684201, 'be no one': 116104, 'one to look': 607278, 'after you when': 36612, 'you get and': 1018759, 'get and who': 346557, 'and who will': 75599, 'who will use': 990005, 'will use all': 995281, 'use all that': 949023, 'that food and': 843902, 'toilet roll then': 921612, 'thank you stayhome': 841816, 'having set': 384261, 'giving nh': 351352, 'worker discount': 1006787, 'discount how': 244481, 'without so': 1002918, 'need when': 556203, 'than having set': 840736, 'having set hour': 384262, 'set hour for': 753394, 'elderly and giving': 270571, 'and giving nh': 63681, 'giving nh worker': 351353, 'nh worker discount': 562183, 'worker discount how': 1006788, 'discount how about': 244482, 'how about we': 407313, 'about we just': 26854, 'we just keep': 972112, 'just keep stock': 469092, 'back for them': 106995, 'for them so': 326919, 'them so they': 876293, 'they don go': 881991, 'don go without': 253577, 'go without so': 354523, 'without so they': 1002919, 'they can just': 881645, 'go to their': 354370, 'local supermarket store': 498595, 'supermarket store and': 823001, 'store and pick': 806320, 'pick up what': 655775, 'up what they': 946570, 'they need when': 882769, 'need when they': 556205, 'when they can': 984244, 'can get there': 158461, 'rizwan': 724233, 'saraf': 736714, 'alkhidmat': 41883, 'peshawar': 653307, 'awerness': 106145, 'gulbahar': 368622, 'busy to': 144996, 'part covid': 642259, '19 campaign': 5600, 'campaign are': 157198, 'cause mr': 167668, 'mr rizwan': 544402, 'rizwan saraf': 724234, 'saraf ambassador': 736715, 'of alkhidmat': 579915, 'alkhidmat foundation': 41884, 'foundation peshawar': 330500, 'peshawar distribute': 653308, 'distribute sanitizer': 248004, 'and awerness': 58597, 'awerness flyer': 106146, 'flyer with': 311662, 'with volunteer': 1002000, 'volunteer at': 960228, 'at gulbahar': 98828, 'gulbahar peshawar': 368623, 'volunteer are busy': 960224, 'are busy to': 85103, 'busy to play': 144999, 'to play their': 911803, 'play their part': 659231, 'their part covid': 874250, 'part covid 19': 642260, 'covid 19 campaign': 212752, '19 campaign are': 5601, 'campaign are you': 157200, 'them in that': 875917, 'in that great': 428919, 'that great cause': 844076, 'great cause mr': 362569, 'cause mr rizwan': 167669, 'mr rizwan saraf': 544403, 'rizwan saraf ambassador': 724235, 'saraf ambassador of': 736716, 'ambassador of alkhidmat': 51289, 'of alkhidmat foundation': 579916, 'alkhidmat foundation peshawar': 41885, 'foundation peshawar distribute': 330501, 'peshawar distribute sanitizer': 653309, 'distribute sanitizer and': 248005, 'sanitizer and awerness': 734385, 'and awerness flyer': 58598, 'awerness flyer with': 106147, 'flyer with volunteer': 311663, 'with volunteer at': 1002001, 'volunteer at gulbahar': 960229, 'at gulbahar peshawar': 98829, 'chancellor nailed': 171848, 'line those': 493473, 'register or': 707595, 'german chancellor nailed': 346212, 'chancellor nailed it': 171849, 'nailed it with': 551474, 'with this line': 1001706, 'this line those': 888635, 'line those who': 493474, 'at supermarket cash': 100706, 'cash register or': 166324, 'register or restock': 707597, 'there is right': 878615, 'is right now': 451540, 'privaleged': 678854, 'guy doesnt': 368983, 'doesnt own': 252014, 'close he': 182655, 'be sat': 116990, 'much fried': 544934, 'fried food': 333451, 'you eating': 1018396, 'eating bro': 266183, 'bro privaleged': 140691, 'privaleged selfish': 678855, 'selfish hoarding': 748124, 'if this guy': 415155, 'this guy doesnt': 887786, 'guy doesnt own': 368984, 'doesnt own grocery': 252015, 'own grocery store': 632031, 'store that just': 810558, 'that just had': 844791, 'to close he': 902875, 'close he need': 182656, 'to be sat': 901521, 'be sat down': 116991, 'how much fried': 408349, 'much fried food': 544935, 'fried food you': 333452, 'food you eating': 317709, 'you eating bro': 1018397, 'eating bro privaleged': 266184, 'bro privaleged selfish': 140692, 'privaleged selfish hoarding': 678856, 'may lack': 521312, 'lack symptom': 478676, 'or transmit': 617516, 'transmit the': 929788, 'virus before': 957998, 'before showing': 123077, 'symptom cdc': 830832, 'advises wearing': 33694, 'people with coronavirus': 650437, 'with coronavirus may': 997806, 'coronavirus may lack': 206272, 'may lack symptom': 521313, 'lack symptom or': 478677, 'symptom or transmit': 830898, 'or transmit the': 617517, 'transmit the virus': 929789, 'the virus before': 870804, 'virus before showing': 958001, 'before showing symptom': 123078, 'showing symptom cdc': 767511, 'symptom cdc advises': 830833, 'cdc advises wearing': 168542, 'advises wearing face': 33695, 'ha asking': 369635, 'asking these': 96089, 'more travel': 540824, 'insurance expert': 440726, 'from client': 334896, 'client direct': 182025, 'direct offered': 243361, 'his clarification': 397288, 'clarification on': 180065, 'on rumor': 603231, 'rumor and': 727474, 'about travel': 26777, 'travel now': 930440, 'get my money': 347634, 'my money back': 549296, 'money back the': 536625, 'back the ha': 107309, 'the ha asking': 856981, 'ha asking these': 369636, 'asking these question': 96091, 'question more travel': 693651, 'more travel insurance': 540825, 'travel insurance expert': 930403, 'insurance expert from': 440727, 'expert from client': 291845, 'from client direct': 334897, 'client direct offered': 182026, 'direct offered his': 243362, 'offered his clarification': 594932, 'his clarification on': 397289, 'clarification on rumor': 180066, 'on rumor and': 603232, 'rumor and consumer': 727475, 'and consumer concern': 60363, 'concern about travel': 192903, 'about travel now': 26778, 'travel now for': 930441, 'creditreport': 216587, 'substantial credit': 816047, 'profile deterioration': 682611, 'coming 12': 187977, 'price click': 673144, 'report oilandgas': 712135, 'oilandgas creditreport': 597540, 'creditreport coronavi': 216588, 'to experience substantial': 905461, 'experience substantial credit': 291495, 'substantial credit profile': 816048, 'credit profile deterioration': 216462, 'profile deterioration in': 682612, 'deterioration in the': 239419, 'the coming 12': 851191, 'coming 12 18': 187978, '18 month because': 4557, 'of the collapse': 590872, 'collapse in commodity': 186012, 'commodity price click': 189263, 'price click here': 673145, 'here for the': 393013, 'full report oilandgas': 340854, 'report oilandgas creditreport': 712136, 'oilandgas creditreport coronavi': 597541, 'ouch': 621934, 'your typical': 1026239, 'typical grocery': 937638, 'grocery corona': 364408, 'corona ouch': 204083, 'ouch wholefoods': 621939, 'just your typical': 470386, 'your typical grocery': 1026241, 'typical grocery store': 937639, 'store run grocery': 809923, 'run grocery corona': 727655, 'grocery corona ouch': 364409, 'corona ouch wholefoods': 204084, 'all only': 43754, 'something urgent': 785120, 'urgent at': 948325, 'grocery if': 364605, 'the hardware': 857121, 'retail or': 718362, 'an art': 55414, 'all only go': 43755, 'absolutely need it': 27395, 'don need something': 253769, 'need something urgent': 555612, 'something urgent at': 785121, 'urgent at the': 948327, 'the grocery if': 856811, 'grocery if you': 364606, 'at the hardware': 100973, 'the hardware store': 857122, 'hardware store if': 378326, 'urgent at retail': 948326, 'at retail or': 100305, 'retail or an': 718363, 'or an art': 614313, 'an art and': 55415, 'craft store don': 214780, 'website report': 975401, 'suspected fraud': 829522, 'fraud to': 331364, 'fbi at': 300701, 'commission website report': 188918, 'website report suspected': 975402, 'report suspected fraud': 712291, 'suspected fraud to': 829523, 'fraud to the': 331365, 'to the fbi': 916701, 'the fbi at': 854992, 'ingesting': 438312, 'phosphate have': 655105, 'surged online': 828313, 'late february': 480867, 'march sparking': 515469, 'be ingesting': 115501, 'ingesting the': 438313, 'the fish': 855371, 'tank additive': 834183, 'additive in': 31929, 'will combat': 992959, '19 illness': 7677, 'in the piece': 429455, 'the piece and': 863732, 'piece and the': 656270, 'for chloroquine phosphate': 320072, 'chloroquine phosphate have': 177612, 'phosphate have surged': 655107, 'have surged online': 382873, 'surged online in': 828314, 'online in late': 608396, 'in late february': 424612, 'late february and': 480868, 'february and early': 301685, 'and early march': 61841, 'early march sparking': 264643, 'march sparking fear': 515470, 'sparking fear that': 787601, 'may be ingesting': 520996, 'be ingesting the': 115502, 'ingesting the fish': 438314, 'the fish tank': 855373, 'fish tank additive': 309340, 'tank additive in': 834184, 'additive in the': 31930, 'the hope it': 857492, 'hope it will': 403522, 'it will combat': 462383, 'will combat covid': 992960, 'covid 19 illness': 213246, 'hand senitizer': 375752, 'awful health': 106231, 'state the worker': 795993, 'the worker there': 871762, 'there are doing': 878095, 'despite this awful': 238912, 'this awful health': 886473, 'awful health crisis': 106232, 'report below': 711833, 'below should': 126727, 'distancing be': 247031, 'to metre': 910103, 'metre socialdistancing': 529871, 'stayathome yes': 797716, 'the report below': 865529, 'report below should': 711834, 'below should the': 126728, 'should the social': 766573, 'social distancing be': 779565, 'distancing be increased': 247033, 'be increased to': 115463, 'increased to metre': 433517, 'to metre socialdistancing': 910104, 'metre socialdistancing stayathome': 529872, 'socialdistancing stayathome yes': 780728, 'stayathome yes or': 797717, 'milk chicken': 531623, 'vegetable decrease': 953967, 'decrease significantly': 231597, 'significantly due': 769569, 'hotel lockdowneffect': 405157, 'lockdowneffect coronastopkarona': 500248, 'price of milk': 675506, 'of milk chicken': 586504, 'milk chicken and': 531624, 'and vegetable decrease': 74883, 'vegetable decrease significantly': 953968, 'decrease significantly due': 231598, 'significantly due to': 769570, 'of hotel lockdowneffect': 584779, 'hotel lockdowneffect coronastopkarona': 405158, 'cure shoplifter': 220802, 'shoplifter door': 761209, 'rise want': 723059, 'miracle cure shoplifter': 533920, 'cure shoplifter door': 220803, 'shoplifter door to': 761210, 'and government scam': 63888, 'government scam are': 360575, 'the rise want': 865862, 'rise want to': 723060, 'fcc fcc': 300757, 'fcc consumer': 300752, 'advisory covid': 33758, 'fcc fcc consumer': 300758, 'fcc consumer advisory': 300753, 'consumer advisory covid': 196054, 'advisory covid 19': 33759, 'boatload': 133738, '409': 18830, '313': 17624, '6880': 21511, 'setx': 753742, 'portarthur': 664966, 'bridgecity': 139630, 'of immense': 584987, 'immense importance': 417185, 'importance for': 418690, 'for preventing': 324706, 'deadly at': 229250, 'at tx': 101378, 'tx herbal': 937446, 'herbal house': 392580, 'have boatload': 379813, 'boatload of': 133739, 'sanitizers get': 736287, 'today call': 919352, 'call 409': 155701, '409 313': 18831, '313 6880': 17625, '6880 setx': 21512, 'setx beaumont': 753743, 'beaumont portarthur': 118655, 'portarthur bridgecity': 664967, 'bridgecity sanitizer': 139631, 'hygiene is of': 412114, 'is of immense': 450400, 'of immense importance': 584988, 'immense importance for': 417186, 'importance for preventing': 418691, 'for preventing the': 324707, 'the deadly at': 852944, 'deadly at tx': 229251, 'at tx herbal': 101379, 'tx herbal house': 937447, 'herbal house we': 392581, 'house we have': 406670, 'we have boatload': 971769, 'have boatload of': 379814, 'boatload of hand': 133740, 'hand sanitizers get': 375695, 'sanitizers get yours': 736288, 'yours today call': 1026483, 'today call 409': 919353, 'call 409 313': 155702, '409 313 6880': 18832, '313 6880 setx': 17626, '6880 setx beaumont': 21513, 'setx beaumont portarthur': 753744, 'beaumont portarthur bridgecity': 118656, 'portarthur bridgecity sanitizer': 664968, 'bridgecity sanitizer sanitizers': 139632, 'equipped for': 279886, '30 unemployment': 17253, 'must provide': 546819, 'provide direct': 686265, 'everyone very': 287530, 'bank are not': 109651, 'not equipped for': 569209, 'equipped for 30': 279887, 'for 30 unemployment': 318806, '30 unemployment rate': 17255, 'unemployment rate the': 941278, 'rate the federal': 697389, 'government must provide': 360373, 'must provide direct': 546820, 'provide direct aid': 686266, 'direct aid to': 243280, 'aid to everyone': 39469, 'to everyone very': 905356, 'everyone very quickly': 287531, 'very quickly the': 955445, 'quickly the coronavirus': 694616, 'compiling list': 191832, 'location with': 498998, 'australia if': 103303, 'if missing': 414421, 'missing any': 534282, 'any please': 79662, 'compiling list of': 191833, 'list of supermarket': 494479, 'of supermarket location': 590432, 'supermarket location with': 821363, 'location with staff': 498999, 'with staff who': 1000936, 'staff who ve': 793091, 'positive for in': 665322, 'for in australia': 322507, 'in australia if': 420609, 'australia if missing': 103304, 'if missing any': 414422, 'missing any please': 534283, 'any please let': 79663, 'am basically': 49924, 'basically out': 112147, 'losing weight': 503610, 'weight thank': 977711, 'store so am': 810212, 'so am basically': 776486, 'am basically out': 49925, 'basically out of': 112149, 'food and losing': 313274, 'and losing weight': 66403, 'losing weight thank': 503611, 'weight thank covid': 977712, 'every dollar': 285875, 'dollar change': 252963, 'company revenue': 191032, '500 crore': 19971, 'crore annually': 218955, 'for every dollar': 321166, 'every dollar change': 285876, 'dollar change the': 252964, 'change the company': 172287, 'the company revenue': 851348, 'company revenue are': 191033, 'revenue are impacted': 720380, 'are impacted by': 87319, 'impacted by 400': 418075, 'by 400 500': 151650, '400 500 crore': 18713, '500 crore annually': 19972, 'of turn': 592510, 'shopping offer': 763375, 'offer look': 594691, 'look too': 502645, 'probably is': 679296, 'is find': 447810, 'yourself online': 1026669, 'more of turn': 539892, 'of turn to': 592511, 'turn to the': 935796, 'the internet to': 858393, 'internet to shop': 442033, 'shop during remember': 760118, 'during remember that': 262968, 'remember that if': 710281, 'that if an': 844414, 'if an online': 413815, 'online shopping offer': 609203, 'shopping offer look': 763376, 'offer look too': 594692, 'look too good': 502646, 'be true then': 117825, 'true then it': 933189, 'it probably is': 460487, 'probably is find': 679297, 'is find out': 447811, 'protect yourself online': 685100, 'full but': 340511, 'course reminded': 211925, 'reminded him': 710523, 'that cart': 843165, 'distancing socialdistancing': 247492, 'son just called': 785404, 'are full but': 86723, 'full but the': 340512, 'but the check': 147318, 'out line are': 626505, 'line are all': 492962, 'the store of': 868065, 'store of course': 809147, 'of course reminded': 582068, 'course reminded him': 211926, 'reminded him to': 710524, 'him to use': 396754, 'to use that': 918070, 'use that cart': 949642, 'that cart for': 843166, 'cart for social': 165303, 'social distancing socialdistancing': 779723, 'funkeakindelebello': 341675, 'leadership influence': 483619, 'influence and': 437295, 'spotlight all': 790161, 'stay there': 797347, 'even being': 283881, 'there sometimes': 879079, 'sometimes it': 785211, 'crazy funkeakindelebello': 215293, 'funkeakindelebello lockdowneffect': 341676, 'lockdowneffect lockdownhouseparty': 500258, 'lockdownhouseparty socialdistancing': 500296, 'socialdistancing isolation': 780479, 'leadership influence and': 483620, 'influence and being': 437296, 'and being in': 58862, 'in the spotlight': 429564, 'the spotlight all': 867606, 'spotlight all come': 790162, 'come with high': 187680, 'pay to get': 645185, 'to get there': 906615, 'get there to': 348387, 'there to stay': 879192, 'to stay there': 915323, 'stay there and': 797348, 'there and for': 877999, 'and for even': 63138, 'for even being': 321150, 'even being there': 283882, 'being there sometimes': 125940, 'there sometimes it': 879080, 'sometimes it crazy': 785212, 'it crazy funkeakindelebello': 457389, 'crazy funkeakindelebello lockdowneffect': 215294, 'funkeakindelebello lockdowneffect lockdownhouseparty': 341677, 'lockdowneffect lockdownhouseparty socialdistancing': 500259, 'lockdownhouseparty socialdistancing isolation': 500297, 'we 19': 970263, 'why we 19': 991513, 'disease cover': 245120, 'love removal': 504762, 'removal machine': 710799, 'the cult': 852564, 'cult watch': 220259, 'full version': 340960, 'version on': 954923, 'youtube if': 1026907, 'you took': 1021887, 'took more': 925291, 'need give': 554905, 'excess away': 289326, 'corona virus disease': 204299, 'virus disease cover': 958127, 'disease cover of': 245121, 'cover of love': 212269, 'of love removal': 586033, 'love removal machine': 504763, 'removal machine by': 710800, 'machine by the': 507370, 'by the cult': 154300, 'the cult watch': 852565, 'cult watch the': 220260, 'the full version': 856025, 'full version on': 340961, 'version on youtube': 954924, 'on youtube if': 605525, 'youtube if you': 1026908, 'if you took': 415542, 'you took more': 1021888, 'took more than': 925292, 'you need give': 1019994, 'need give your': 554907, 'give your excess': 350881, 'your excess away': 1023706, 'dad and': 224286, 'every essential': 285890, 'worker risking': 1007701, 'coronavirus don': 205843, 'wear scrub': 974452, 'wrote thing for': 1013220, 'thing for my': 884333, 'for my dad': 323694, 'my dad and': 547879, 'dad and every': 224288, 'and every essential': 62373, 'every essential worker': 285891, 'essential worker risking': 281849, 'worker risking it': 1007702, 'it all for': 456346, 'all for some': 42845, 'for some of': 325758, 'frontline hero in': 338758, 'against coronavirus don': 37388, 'coronavirus don wear': 205844, 'don wear scrub': 254066, 'readabook': 700675, 'with running': 1000528, 'water soap': 969155, 'often possible': 596260, 'possible readabook': 665753, 'readabook stayalive': 700676, 'hand with running': 376014, 'with running water': 1000529, 'running water soap': 728134, 'water soap or': 969157, 'sanitizer often possible': 735449, 'often possible readabook': 596261, 'possible readabook stayalive': 665754, 'frontal': 338690, 'zavaapp': 1027255, 'shattaday': 755783, 'gbevu': 344796, 'frontal on': 338691, 'point shop': 662618, 'with zavaapp': 1002245, 'zavaapp best': 1027256, 'right infront': 721962, 'doorstep zavaapp': 255879, 'zavaapp shoponline': 1027258, 'shoponline reduceinternetprices': 761279, 'reduceinternetprices shattaday': 706223, 'shattaday stayathome': 755784, 'stayathome gbevu': 797483, 'frontal on point': 338692, 'on point shop': 602830, 'point shop now': 662619, 'shop now with': 760523, 'now with zavaapp': 576459, 'with zavaapp best': 1002246, 'zavaapp best online': 1027257, 'shopping we deliver': 764349, 'we deliver right': 971262, 'deliver right infront': 233203, 'right infront of': 721963, 'infront of your': 438247, 'of your doorstep': 593465, 'your doorstep zavaapp': 1023594, 'doorstep zavaapp shoponline': 255880, 'zavaapp shoponline reduceinternetprices': 1027259, 'shoponline reduceinternetprices shattaday': 761280, 'reduceinternetprices shattaday stayathome': 706224, 'shattaday stayathome gbevu': 755785, 'calibrated': 155444, 'prospectively': 684711, 'gregor': 363831, 've calibrated': 952980, 'calibrated this': 155445, 'offer over': 594735, 'over what': 630920, 'reasonable amount': 703082, 'and ass': 58444, 'ass prospectively': 96270, 'prospectively where': 684712, 'where business': 984761, 'month say': 537985, 'ceo gregor': 169713, 'gregor novak': 363832, 'novak of': 573717, 'new electricity': 558667, 'we ve calibrated': 973642, 've calibrated this': 952981, 'calibrated this special': 155446, 'this special offer': 890280, 'special offer over': 788008, 'offer over what': 594736, 'over what we': 630921, 'what we consider': 982545, 'we consider to': 971172, 'to be reasonable': 901487, 'be reasonable amount': 116720, 'reasonable amount of': 703083, 'about and ass': 24795, 'and ass prospectively': 58445, 'ass prospectively where': 96271, 'prospectively where business': 684713, 'where business and': 984762, 'business and family': 143301, 'coming month say': 188142, 'month say ceo': 537986, 'say ceo gregor': 738496, 'ceo gregor novak': 169714, 'gregor novak of': 363833, 'novak of new': 573718, 'of new electricity': 586962, 'new electricity price': 558668, 'maintain economy': 508961, 'economy balance': 267687, 'amazon snap': 51120, 'snap deal': 776089, 'deal flipkart': 229395, 'flipkart etc': 310613, 'etc should': 282748, 'should open': 766294, 'open direct': 612183, 'the purchased': 864921, 'purchased product': 689802, 'product into': 681320, 'into der': 442513, 'der home': 237814, 'home by': 400858, 'by which': 154730, 'help indian': 389921, 'indian econo': 434819, '19 to maintain': 11439, 'to maintain economy': 909571, 'maintain economy balance': 508962, 'economy balance online': 267688, 'balance online shopping': 108979, 'like amazon snap': 489753, 'amazon snap deal': 51121, 'snap deal flipkart': 776090, 'deal flipkart etc': 229396, 'flipkart etc should': 310614, 'etc should open': 282749, 'should open direct': 766295, 'open direct the': 612184, 'direct the customer': 243394, 'customer to sanitize': 222978, 'to sanitize before': 913750, 'entering the purchased': 278428, 'the purchased product': 864922, 'purchased product into': 689803, 'product into der': 681321, 'into der home': 442514, 'der home by': 237815, 'home by which': 400862, 'by which it': 154731, 'which it help': 986075, 'it help indian': 458544, 'help indian econo': 389922, 'yeah this': 1014307, 'right now yeah': 722191, 'now yeah this': 576496, 'yeah this isn': 1014308, 'this isn good': 888485, 'by crisis': 152264, 'crisis opec': 217828, 'hammered by crisis': 374579, 'by crisis opec': 152266, 'crisis opec oilpricewar': 217829, 'security now': 744680, 'us body': 948507, 'body camera': 133835, 'camera because': 157114, 'how horrible': 408013, 'horrible the': 404126, 'them damn': 875579, 'damn be': 225319, 'ask where': 95663, 'where know': 984977, 'this about': 886169, 'who suffers': 989708, 'suffers all': 817352, 'this horrendous': 887945, 'horrendous abuse': 404073, 'abuse bekind': 27620, 'supermarket security now': 822357, 'security now us': 744681, 'now us body': 576280, 'us body camera': 948508, 'body camera because': 133836, 'camera because of': 157115, 'of how horrible': 584827, 'how horrible the': 408014, 'horrible the public': 404128, 'public is being': 688122, 'is being to': 446121, 'being to them': 125962, 'to them damn': 917291, 'them damn be': 875580, 'damn be nice': 225320, 'be nice and': 116078, 'nice and before': 562336, 'and before people': 58822, 'before people ask': 123005, 'people ask where': 647159, 'ask where know': 95664, 'where know this': 984978, 'know this about': 476886, 'this about my': 886170, 'mother who work': 543204, 'and is one': 65423, 'those who suffers': 892680, 'who suffers all': 989709, 'suffers all this': 817353, 'all this horrendous': 45111, 'this horrendous abuse': 887946, 'horrendous abuse bekind': 404074, 'swear feel': 830030, 'like military': 490774, 'military veteran': 531513, 'veteran right': 955727, 'and lady': 65925, 'lady just': 478785, 'me thank': 523598, 'here appreciate': 392727, 'service think': 752952, 'this field': 887538, 'field saveworkers': 304514, 'swear feel like': 830031, 'feel like military': 302730, 'like military veteran': 490775, 'military veteran right': 531514, 'veteran right now': 955728, 'right now work': 722189, 'now work cashier': 576472, 'work cashier at': 1004980, 'store and lady': 806276, 'and lady just': 65927, 'lady just told': 478786, 'told me thank': 923622, 'me thank you': 523599, 'for being here': 319629, 'being here appreciate': 125233, 'here appreciate your': 392728, 'appreciate your service': 82803, 'your service think': 1025740, 'service think might': 752953, 'think might die': 885396, 'might die in': 530956, 'die in this': 241381, 'in this field': 429947, 'this field saveworkers': 887539, 'dan we': 225547, 'history some': 398055, 'impact nurse': 417745, 'nurse delivery': 577268, 'etc including': 282609, 'including you': 432256, 'in responsible': 427422, 'responsible medium': 716053, 'negative action': 556731, 'action thankfully': 30147, 'thankfully his': 841950, 'dan we rely': 225548, 'rely on people': 709648, 'on people action': 602732, 'people action now': 646765, 'action now more': 30087, 'more than any': 540590, 'than any time': 840353, 'any time in': 79972, 'modern history some': 535390, 'history some people': 398056, 'people have positive': 648190, 'have positive impact': 382001, 'positive impact nurse': 665348, 'impact nurse delivery': 417746, 'nurse delivery driver': 577269, 'supermarket staff etc': 822839, 'staff etc including': 792421, 'etc including you': 282610, 'including you in': 432257, 'you in responsible': 1019315, 'in responsible medium': 427423, 'responsible medium and': 716054, 'medium and some': 526992, 'and some have': 71965, 'some have negative': 783032, 'have negative action': 381560, 'negative action thankfully': 556732, 'action thankfully his': 30148, 'greater cause': 363143, 'together for greater': 920793, 'for greater cause': 322009, 'greater cause india': 363144, 'deltabc': 234833, 'read an': 700272, 'in deltabc': 422096, 'below to read': 126759, 'to read an': 912823, 'read an important': 700275, 'an important letter': 56199, 'important letter from': 418868, 'letter from to': 487321, 'from to local': 338062, 'store in deltabc': 808294, 'beta': 128138, 'please beg': 659721, 're writing': 699847, 'writing covid': 1012895, 'message do': 529292, 'word get': 1004499, 'get beta': 346661, 'beta reader': 128139, 'reader highlighting': 700689, 'highlighting mine': 396012, 'please beg you': 659722, 'beg you if': 123369, 'you re writing': 1020801, 're writing covid': 699848, 'writing covid 19': 1012896, '19 message do': 8638, 'message do not': 529293, 'be like my': 115740, 'like my grocery': 490821, 'store think about': 810685, 'about your word': 27019, 'your word get': 1026366, 'word get beta': 1004500, 'get beta reader': 346662, 'beta reader highlighting': 128140, 'reader highlighting mine': 700690, 'during comment': 262518, 'on possible': 602855, 'price worldwide': 677649, 'story during comment': 811955, 'during comment on': 262519, 'comment on possible': 188438, 'on possible impact': 602858, 'possible impact on': 665678, 'and price worldwide': 69490, 'pandemic detail': 635300, 'here also': 392669, 'also get': 48256, 'more entertainment': 539134, 'entertainment news': 278589, 'news tea': 560854, 'at an 18': 97971, 'low during pandemic': 505258, 'during pandemic detail': 262862, 'pandemic detail here': 635301, 'detail here also': 239194, 'here also get': 392670, 'also get more': 48258, 'get more entertainment': 347585, 'more entertainment news': 539135, 'entertainment news tea': 278590, 'southwest isn': 786924, 'isn canceling': 454455, 'itself an': 463915, 'traveling to': 930659, 'flight 19': 310416, 'why southwest isn': 991369, 'southwest isn canceling': 786925, 'isn canceling flight': 454456, 'canceling flight to': 160987, 'flight to airport': 310546, 'to airport where': 900207, 'airport itself an': 40109, 'itself an agent': 463916, 'an agent told': 55191, 'told me well': 923632, 'me well people': 523922, 'still traveling to': 801336, 'traveling to the': 930661, 'the consumer the': 851608, 'my flight 19': 548363, 'support worker': 827000, 'worker see': 1007749, 'the worry': 872022, 'vulnerable due': 960936, 'time finish': 896664, 'community support worker': 190135, 'support worker see': 827002, 'worker see the': 1007750, 'see the worry': 745898, 'the worry and': 872023, 'worry and panic': 1010671, 'most vulnerable due': 542875, 'vulnerable due to': 960937, 'our best but': 622190, 'best but please': 127606, 'buying by the': 150082, 'the time finish': 869587, 'time finish work': 896665, 'finish work cannot': 307880, 'work cannot buy': 1004974, 'cannot buy much': 161695, 'buy much food': 148977, 'much food for': 544900, 'made list': 507818, 'amp am': 53379, 'am emailing': 50017, 'emailing my': 272394, 'amp pet': 54289, 'staff trucker': 793023, 'trucker amp': 932890, 'keeping we': 472617, 'owe you': 631828, 'everything 19': 287667, 'today made list': 919847, 'made list of': 507819, 'the brave people': 849954, 'brave people helping': 138227, 'people helping in': 648235, 'helping in amp': 391359, 'in amp am': 420259, 'amp am emailing': 53380, 'am emailing my': 50018, 'emailing my thanks': 272395, 'the healthcare staff': 857200, 'healthcare staff grocery': 387289, 'staff grocery amp': 792503, 'grocery amp pet': 364221, 'amp pet store': 54290, 'pet store staff': 653460, 'store staff trucker': 810332, 'staff trucker amp': 793024, 'trucker amp many': 932891, 'more for keeping': 539268, 'for keeping we': 322820, 'keeping we owe': 472618, 'we owe you': 972682, 'owe you everything': 631830, 'you everything 19': 1018471, 'leena': 485352, 'leena share': 485353, 'her seven': 392359, 'seven simple': 753770, 'everyone prevent': 287302, 'of safehands': 589218, 'leena share her': 485354, 'share her seven': 755024, 'her seven simple': 392361, 'seven simple step': 753771, 'help everyone prevent': 389667, 'everyone prevent the': 287303, 'spread of safehands': 790704, 'myself distancing': 550844, 'walking on': 965074, 'sidewalk what': 768960, 'hell sincerely': 389064, 'sincerely socialdistancing': 771049, 'yesterday wa driving': 1015919, 'wa driving home': 962036, 'driving home from': 259949, 'and found myself': 63229, 'found myself distancing': 330295, 'myself distancing my': 550845, 'distancing my car': 247345, 'my car from': 547601, 'car from people': 163099, 'from people walking': 336895, 'people walking on': 650131, 'walking on the': 965075, 'the sidewalk what': 867167, 'sidewalk what the': 768961, 'the hell sincerely': 857247, 'hell sincerely socialdistancing': 389065, 'at 0645': 97383, '0645 this': 1005, 'school camping': 741713, 'camping out': 157316, 'get ticket': 348450, 'rock show': 724920, 'wa nut': 962792, 'line to the': 493496, 'store wa around': 811100, 'around the building': 93524, 'the building at': 850095, 'building at 0645': 142056, 'at 0645 this': 97384, '0645 this morning': 1006, 'morning felt like': 541255, 'felt like wa': 303417, 'like wa back': 491742, 'wa back in': 961627, 'back in high': 107086, 'in high school': 423688, 'high school camping': 395392, 'school camping out': 741714, 'camping out to': 157317, 'to get ticket': 906622, 'get ticket to': 348451, 'ticket to rock': 895674, 'to rock show': 913623, 'rock show it': 724921, 'show it wa': 767020, 'it wa nut': 462160, 'groceryworkers need': 366405, 'ppe their': 668076, 'groceryworkers need ppe': 366406, 'need ppe all': 555456, 'ppe all worker': 667891, 'all worker need': 45503, 'worker need ppe': 1007426, 'need ppe their': 555458, 'ppe their life': 668077, 'their life matter': 873835, 'life matter too': 488870, 'matinee': 520495, 'not photo': 571020, 'it scene': 460909, 'the 1993': 847959, '1993 john': 12502, 'john goodman': 466526, 'goodman hit': 358037, 'hit comedy': 398197, 'comedy matinee': 187766, 'matinee set': 520498, 'set during': 753369, 'the cuban': 852556, 'cuban missile': 220164, 'missile crisis': 534271, 'it check': 457118, 'great fun': 362698, 'no not photo': 564886, 'not photo from': 571021, 'photo from my': 655172, 'local supermarket it': 498545, 'supermarket it scene': 821179, 'it scene from': 460910, 'scene from the': 741327, 'from the 1993': 337584, 'the 1993 john': 847960, '1993 john goodman': 12503, 'john goodman hit': 466527, 'goodman hit comedy': 358038, 'hit comedy matinee': 398198, 'comedy matinee set': 187767, 'matinee set during': 520499, 'set during the': 753370, 'during the cuban': 263109, 'the cuban missile': 852557, 'cuban missile crisis': 220165, 'missile crisis if': 534272, 'you ve never': 1022052, 'seen it check': 747101, 'it check it': 457119, 'it out great': 460183, 'out great fun': 626236, 'respondent plan': 715383, 'but 32': 145035, '32 are': 17660, 'completely buying': 192226, 'online rather': 608847, 'than shopping': 841139, '43 of respondent': 18976, 'of respondent plan': 589000, 'respondent plan to': 715384, 'do more of': 249600, 'more of their': 539885, 'of their shopping': 591702, 'shopping online but': 763415, 'online but 32': 607962, 'but 32 are': 145036, '32 are shifting': 17661, 'are shifting to': 90039, 'shifting to completely': 758565, 'to completely buying': 903144, 'completely buying online': 192227, 'buying online rather': 150823, 'online rather than': 608848, 'rather than shopping': 697549, 'than shopping in': 841140, 'panic grocery': 638147, 'not panic grocery': 570912, 'panic grocery exec': 638148, 'grocery exec say': 364509, 'exec say there': 289835, 'household product on': 406914, 'product on their': 681474, 'on their way': 604521, 'their way to': 875159, 'way to restock': 970083, 'education provides': 268857, 'university insurance': 942433, 'department of education': 237237, 'of education provides': 582979, 'education provides covid': 268858, 'covid 19 guidance': 213174, '19 guidance for': 7309, 'guidance for college': 368227, 'college and university': 186601, 'and university insurance': 74683, 'dwelling': 263658, 'amoeba': 52972, 'resells': 714000, 'of swamp': 590551, 'swamp dwelling': 829929, 'dwelling amoeba': 263659, 'amoeba that': 52973, 'that stockpile': 846500, 'stockpile baby': 803721, 'then resells': 877480, 'resells on': 714001, 'profit disgusting': 682707, 'disgusting there': 245466, 'no hole': 564435, 'hole deep': 400207, 'enough stockpiling': 277636, 'imagine being the': 416698, 'being the kind': 125929, 'kind of swamp': 474948, 'of swamp dwelling': 590552, 'swamp dwelling amoeba': 829930, 'dwelling amoeba that': 263660, 'amoeba that stockpile': 52974, 'that stockpile baby': 846501, 'stockpile baby formula': 803722, 'and nappy and': 67421, 'nappy and then': 551880, 'and then resells': 73799, 'then resells on': 877481, 'resells on them': 714002, 'them at extortionate': 875436, 'price for profit': 674031, 'for profit disgusting': 324790, 'profit disgusting there': 682708, 'disgusting there is': 245467, 'is no hole': 449939, 'no hole deep': 564436, 'hole deep enough': 400208, 'deep enough stockpiling': 231885, 'lurking': 506839, 'website showing': 975416, 'showing item': 767464, 'stock time': 802983, 'to polish': 911870, 'polish off': 663582, 'that christmas': 843221, 'cake that': 155254, 'still lurking': 800820, 'lurking at': 506842, 'cupboard stayhomechallenge': 220496, 'are empty their': 86171, 'empty their website': 275188, 'their website showing': 875171, 'website showing item': 975417, 'showing item out': 767465, 'of stock time': 590199, 'stock time to': 802984, 'time to polish': 898029, 'to polish off': 911871, 'polish off that': 663583, 'off that christmas': 594224, 'that christmas cake': 843222, 'christmas cake that': 178160, 'cake that still': 155255, 'that still lurking': 846483, 'still lurking at': 800821, 'lurking at the': 506843, 'the cupboard stayhomechallenge': 852579, 'earns': 264945, 'urinal': 948462, 'who earns': 988670, 'earns le': 264946, 'who clean': 988459, 'clean urinal': 180675, 'urinal fast': 948463, 'at vehicle': 101435, 'window this': 995725, 'know who earns': 477035, 'who earns le': 988671, 'earns le than': 264947, 'le than 40': 483161, 'than 40 00': 840238, '40 00 people': 18512, '00 people the': 419, 'who take risk': 989731, 'take risk to': 832548, 'risk to see': 723969, 'supermarket the people': 823238, 'people who clean': 650273, 'who clean urinal': 988460, 'clean urinal fast': 180676, 'urinal fast food': 948464, 'food worker at': 317667, 'worker at vehicle': 1006482, 'at vehicle window': 101436, 'vehicle window this': 954299, 'window this week': 995726, 'this week what': 891296, 'week what shame': 977219, 'what shame on': 982153, 'more farmer': 539198, 'shifting focus': 758533, 'sale amid': 732027, 'amid declining': 52447, 'declining need': 231479, 'restaurant farmer': 716457, 'more farmer are': 539199, 'farmer are shifting': 299294, 'are shifting focus': 90036, 'shifting focus to': 758534, 'focus to direct': 311928, 'consumer sale amid': 198855, 'sale amid declining': 732029, 'amid declining need': 52448, 'declining need from': 231480, 'need from local': 554890, 'local restaurant farmer': 498338, 'started wuhanvirus': 794921, 'you think covid': 1021651, '19 started wuhanvirus': 10784, 'started wuhanvirus marketcrash': 794922, 'imo ha': 417499, 'best supermarket': 127920, 'essential also': 280766, 'good practice': 357576, 'there 21dayslockdown': 877942, 'imo ha been': 417500, 'been the best': 122159, 'the best supermarket': 849556, 'best supermarket to': 127921, 'supermarket to top': 823421, 'top up on': 925750, 'on the essential': 604098, 'the essential also': 854494, 'essential also good': 280767, 'also good practice': 48282, 'good practice at': 357578, 'practice at the': 668530, 'at the social': 101102, 'distancing so if': 247486, 'need anything go': 554457, 'anything go there': 80775, 'go there 21dayslockdown': 354219, 'government youllneverwalkalone': 360839, 'lagos state government': 478951, 'state government youllneverwalkalone': 795619, 'government youllneverwalkalone ausgangssperrejetzt': 360840, '2021 2022': 14761, '2022 wedding': 14812, 'all 2021 2022': 41895, '2021 2022 wedding': 14762, '2022 wedding to': 14813, 'food pantry during': 315774, 'pantry during covid': 639566, '19 demand surge': 6487, 'afternoon coffee': 36681, 'crisis walmart': 218329, 'walmart paying': 965392, 'paying vendor': 645518, 'vendor faster': 954363, 'faster ford': 300098, 'ford build': 328769, 'ventilator fashion': 954552, 'brand make': 137894, 'make medical': 510157, 'medical clothes': 526093, 'clothes metalminer': 184180, 'metalminer tip': 529668, 'price ap': 672604, 'ap automation': 81202, 'automation insight': 104015, 'insight spend': 439633, 'spend matter': 788630, 'afternoon coffee in': 36682, 'coffee in coronavirus': 185498, 'in coronavirus crisis': 421804, 'coronavirus crisis walmart': 205779, 'crisis walmart paying': 218330, 'walmart paying vendor': 965393, 'paying vendor faster': 645519, 'vendor faster ford': 954364, 'faster ford build': 300099, 'ford build ventilator': 328770, 'build ventilator fashion': 142016, 'ventilator fashion brand': 954553, 'fashion brand make': 299798, 'brand make medical': 137895, 'make medical clothes': 510158, 'medical clothes metalminer': 526094, 'clothes metalminer tip': 184181, 'metalminer tip on': 529669, 'tip on covid': 898850, '19 crisis oil': 6291, 'oil price ap': 597048, 'price ap automation': 672605, 'ap automation insight': 81203, 'automation insight spend': 104016, 'insight spend matter': 439634, 'diminishment': 242950, 'business behavior': 143441, 'behavior today': 124261, 'today undoubtedly': 920410, 'undoubtedly many': 941047, 'those behavior': 891842, 'remain long': 709778, 'the diminishment': 853294, 'diminishment and': 242951, 'and defeat': 61052, 'defeat of': 232043, 'virus new': 958522, 'behavior become': 123927, 'permanent the': 652077, '19 is dramatically': 7963, 'changing consumer and': 172665, 'and business behavior': 59270, 'business behavior today': 143442, 'behavior today undoubtedly': 124262, 'today undoubtedly many': 920411, 'undoubtedly many of': 941048, 'of those behavior': 592082, 'those behavior will': 891843, 'behavior will remain': 124314, 'will remain long': 994631, 'remain long after': 709779, 'after the diminishment': 36305, 'the diminishment and': 853295, 'diminishment and defeat': 242952, 'and defeat of': 61053, 'defeat of the': 232044, 'the virus new': 870864, 'virus new behavior': 958523, 'new behavior become': 558389, 'behavior become permanent': 123928, 'become permanent the': 120099, 'permanent the longer': 652078, 'the longer they': 859695, 'applause for': 82292, 'etc 19': 282386, '19 clapforkeyworkers': 5830, 'clapforkeyworkers clapforthenhs': 179998, 'is the round': 452926, 'the round of': 866007, 'of applause for': 580311, 'applause for the': 82293, 'for the other': 326601, 'the other key': 862538, 'driver etc 19': 259532, 'etc 19 clapforkeyworkers': 282387, '19 clapforkeyworkers clapforthenhs': 5831, 'and picked': 69010, 'picked you': 655822, 'love in the': 504706, 'supermarket and picked': 819040, 'and picked you': 69011, 'picked you up': 655823, 'you up few': 1021987, 'up few thing': 944854, 'healthcare manufacturing': 387168, 'manufacturing or': 513639, 'or logistics': 615993, 'charge we': 173342, 'with demand result': 997988, 'result of and': 717580, 'of and are': 580141, 'and are company': 58302, 'company that involved': 191175, 'that involved in': 844536, 'in food healthcare': 422971, 'food healthcare manufacturing': 314806, 'healthcare manufacturing or': 387169, 'manufacturing or logistics': 513640, 'or logistics and': 615994, 'logistics and we': 500723, 'to help this': 907651, 'help this will': 390740, 'will be completely': 992403, 'be completely free': 114168, 'completely free of': 192290, 'of charge we': 581290, 'charge we re': 173343, 'here sanitizer': 393537, 'this here sanitizer': 887915, 'traced': 928146, 'nephew appears': 557416, 'say appears': 738432, 'appears because': 82179, 'course he': 211872, 'tested his': 839314, 'be traced': 117783, 'traced tested': 928147, 'tested he': 839312, 'been stacking': 122025, 'day amp': 227248, 'amp night': 54178, 'supermarket seem': 822364, 'spread atm': 790438, 'nephew appears to': 557417, 'to have say': 907305, 'have say appears': 382399, 'say appears because': 738433, 'appears because of': 82180, 'because of course': 119326, 'of course he': 582055, 'course he ll': 211873, 'he ll never': 385197, 'never be tested': 557883, 'be tested his': 117559, 'tested his friend': 839315, 'his friend will': 397460, 'friend will never': 333914, 'never be traced': 557885, 'be traced tested': 117784, 'traced tested he': 928148, 'tested he been': 839313, 'he been stacking': 384775, 'been stacking shelf': 122026, 'stacking shelf in': 792041, 'shelf in huge': 757199, 'in huge supermarket': 423900, 'huge supermarket day': 410220, 'supermarket day amp': 819894, 'day amp night': 227249, 'amp night for': 54179, 'few week supermarket': 304165, 'week supermarket seem': 976948, 'supermarket seem to': 822365, 'be the main': 117633, 'the main source': 859912, 'source of spread': 786531, 'of spread atm': 590001, 'contingenyplanning': 200959, '19 contingency': 6023, 'contingency planning': 200954, 'planning report': 658573, 'we revealed': 973103, 'immediate global': 416993, 'positive action': 665246, 'action seen': 30128, 'seen across': 746917, 'across key': 29369, 'sector report': 744307, 'report contingenyplanning': 711886, 'in our covid': 426276, 'covid 19 contingency': 212854, '19 contingency planning': 6024, 'contingency planning report': 200955, 'planning report first': 658574, 'report first launched': 711940, 'launched in march': 481996, 'in march we': 425128, 'march we revealed': 515521, 'we revealed some': 973104, 'revealed some of': 720278, 'of the immediate': 591125, 'the immediate global': 857902, 'immediate global impact': 416994, 'global impact and': 351983, 'impact and positive': 417551, 'and positive action': 69206, 'positive action seen': 665248, 'action seen across': 30129, 'seen across key': 746918, 'across key consumer': 29370, 'key consumer sector': 473264, 'consumer sector report': 198885, 'sector report contingenyplanning': 744308, 'rumored': 727506, 'asserts': 96364, 'wa rumored': 963120, 'rumored that': 727507, 'drug wa': 261149, 'wa cure': 961910, 'so nigerian': 777878, 'nigerian started': 562876, 'article asserts': 94263, 'asserts that': 96365, 'it wa rumored': 462182, 'wa rumored that': 963121, 'rumored that the': 727508, 'that the drug': 846711, 'the drug wa': 853745, 'drug wa cure': 261150, 'wa cure for': 961911, '19 so nigerian': 10647, 'so nigerian started': 777879, 'nigerian started buying': 562877, 'started buying it': 794693, 'buying it with': 150609, 'it with trump': 462482, 'with trump saying': 1001855, 'trump saying the': 933829, 'saying the article': 739711, 'the article asserts': 848929, 'article asserts that': 94264, 'asserts that it': 96366, 'it wa something': 462197, 'wa something that': 963283, 'something that could': 785073, 'could cure covid': 209067, '19 price soared': 9819, 'reverselogistics': 720536, 'opportunity challenge': 613598, 'by reverselogistics': 153808, 'reverselogistics are': 720537, 'more apparent': 538633, 'apparent with': 81898, 'current 19': 221082, 'their physical': 874297, 'location even': 498898, 'ecommerce return': 266850, 'the opportunity challenge': 862398, 'opportunity challenge caused': 613599, 'caused by reverselogistics': 167861, 'by reverselogistics are': 153809, 'reverselogistics are even': 720538, 'are even more': 86277, 'even more apparent': 284341, 'more apparent with': 538634, 'apparent with the': 81899, 'the current 19': 852608, 'current 19 pandemic': 221083, 'pandemic many store': 635928, 'closed their physical': 183379, 'their physical location': 874298, 'physical location even': 655430, 'location even more': 498899, 'even more consumer': 284349, 'more consumer are': 538871, 'shopping ecommerce return': 762558, 'levan': 487478, 'davitashvili': 227028, 'the raising': 865124, 'raising demand': 696078, 'product levan': 681355, 'levan davitashvili': 487479, 'davitashvili georgia': 227029, 'despite the raising': 238896, 'the raising demand': 865125, 'raising demand no': 696079, 'demand no shortage': 235921, 'food product levan': 316025, 'product levan davitashvili': 681356, 'levan davitashvili georgia': 487480, 'seeing panic': 746403, 'of weapon': 592973, 'weapon with': 974270, 'at gun': 98830, 'but american': 145174, 'weapon what': 974268, 'wrong there': 1013117, 'state is seeing': 795704, 'is seeing panic': 451715, 'seeing panic buying': 746404, 'buying of weapon': 150803, 'of weapon with': 592974, 'weapon with huge': 974271, 'with huge queue': 998906, 'huge queue at': 410162, 'queue at gun': 693888, 'at gun store': 98831, 'gun store people': 368737, 'store people around': 809487, 'world are panic': 1009319, 'buying food to': 150339, 'food to stockpile': 317294, 'stockpile but american': 803726, 'but american are': 145175, 'american are rushing': 51815, 'buy weapon what': 149443, 'weapon what wrong': 974269, 'what wrong there': 982652, 'wmata': 1003278, 'ahead sharply': 39207, 'sharply reduced': 755762, 'reduced metro': 706117, 'metro service': 529940, 'travel only': 930451, 'only train': 611382, 'bus will': 143109, 'will operate': 994349, 'operate on': 613004, 'same schedule': 733277, 'schedule last': 741446, 'week wmata': 977273, 'week ahead sharply': 975873, 'ahead sharply reduced': 39208, 'sharply reduced metro': 755763, 'reduced metro service': 706118, 'metro service for': 529941, 'service for essential': 752378, 'for essential travel': 321126, 'essential travel only': 281722, 'travel only train': 930452, 'only train bus': 611383, 'train bus will': 929239, 'bus will operate': 143110, 'will operate on': 994351, 'operate on same': 613005, 'on same schedule': 603282, 'same schedule last': 733278, 'schedule last week': 741447, 'last week wmata': 480696, 'mission ha': 534359, 'the happiness': 857093, 'happiness and': 377563, 'and satisfaction': 70925, 'satisfaction of': 736949, 'hold strong': 400005, 'strong both': 813986, 'clarity we': 180103, 'client our mission': 182080, 'our mission ha': 623929, 'mission ha always': 534360, 'always been to': 49492, 'been to guarantee': 122218, 'to guarantee the': 907058, 'guarantee the happiness': 367723, 'the happiness and': 857094, 'happiness and satisfaction': 377564, 'and satisfaction of': 70926, 'satisfaction of our': 736950, 'our customer when': 622679, 'customer when shopping': 223062, 'shopping online this': 763495, 'online this hold': 609558, 'this hold strong': 887932, 'hold strong both': 400006, 'strong both in': 813987, 'both in time': 135942, 'of uncertainty and': 592588, 'uncertainty and in': 939652, 'and in time': 65077, 'time of clarity': 897318, 'of clarity we': 581445, 'clarity we are': 180104, 'with you through': 1002168, 'it all covid': 456342, 'will not bring': 994192, 'not bring down': 568621, 'and illness': 64980, 'illness to': 416405, 'for supplying': 326061, 'supplying face': 826279, 'risking exposure and': 724071, 'exposure and illness': 292956, 'and illness to': 64981, 'illness to serve': 416406, 'serve demand that': 751885, 'demand that supermarket': 236338, 'take responsibility for': 832541, 'responsibility for supplying': 715947, 'for supplying face': 326062, 'supplying face mask': 826280, 'onlin': 607749, 'my buying': 547587, 'future covid': 342293, '19 requires': 10113, 'to never': 910547, 'never wa': 558256, 'of onlin': 587248, 'think that my': 885601, 'that my buying': 845260, 'my buying habit': 547588, 'buying habit are': 150456, 'habit are temporary': 372573, 'are temporary and': 90767, 'temporary and will': 837579, 'be changed for': 114051, 'changed for the': 172475, 'the future covid': 856071, 'future covid 19': 342294, 'covid 19 requires': 213694, '19 requires to': 10114, 'requires to buy': 713506, 'to buy everything': 902225, 'everything online but': 287951, 'online but once': 607968, 'all over will': 43888, 'over will go': 630940, 'back to shopping': 107395, 'store like used': 808737, 'used to never': 950071, 'to never wa': 910549, 'never wa big': 558257, 'wa big fan': 961701, 'fan of onlin': 298529, 'muc': 544662, 'all indication': 43215, 'indication point': 435028, 'to russia': 913688, 'arabia digging': 83878, 'digging in': 242468, 'war russia': 966530, 'in muc': 425497, 'all indication point': 43216, 'indication point to': 435029, 'point to russia': 662673, 'to russia and': 913689, 'saudi arabia digging': 737193, 'arabia digging in': 83879, 'digging in for': 242469, 'in for long': 423017, 'for long price': 323085, 'price war russia': 677370, 'war russia in': 966531, 'russia in muc': 728498, '0761749713': 1039, 'generistouch': 345698, 'sakhile': 731885, 'zengele': 1027373, 'bushiri': 143153, 'contangion': 200743, 'ripvinoliamashego': 722758, 'whatsapp 0761749713': 982863, '0761749713 ig': 1040, 'ig generistouch': 415664, 'generistouch facebook': 345699, 'facebook messenger': 294968, 'messenger sakhile': 529539, 'sakhile zengele': 731886, 'zengele price': 1027374, 'range based': 696690, 'complexity of': 192426, 'design bushiri': 238222, 'bushiri contangion': 143154, 'contangion stayhomesa': 200744, 'day11oflockdown ripvinoliamashego': 228845, 'ripvinoliamashego lockdown': 722759, 'whatsapp 0761749713 ig': 982864, '0761749713 ig generistouch': 1041, 'ig generistouch facebook': 415665, 'generistouch facebook messenger': 345700, 'facebook messenger sakhile': 294969, 'messenger sakhile zengele': 529540, 'sakhile zengele price': 731887, 'zengele price range': 1027375, 'price range based': 676078, 'range based on': 696691, 'on the complexity': 604033, 'the complexity of': 851400, 'complexity of your': 192429, 'of your design': 593463, 'your design bushiri': 1023492, 'design bushiri contangion': 238223, 'bushiri contangion stayhomesa': 143155, 'contangion stayhomesa day11oflockdown': 200745, 'stayhomesa day11oflockdown ripvinoliamashego': 798319, 'day11oflockdown ripvinoliamashego lockdown': 228846, 'way to store': 970106, 'store food during': 807766, 'enervis': 276642, 'energytransition': 276637, 'energiewende': 276375, 'negative electricity': 556765, 'germany research': 346346, 'research by': 713687, 'by energy': 152487, 'energy consultancy': 276414, 'consultancy enervis': 195848, 'enervis renewables': 276643, 'renewables energytransition': 710988, 'energytransition energiewende': 276638, 'drop will lead': 260450, 'to more hour': 910257, 'more hour of': 539451, 'hour of negative': 405799, 'of negative electricity': 586925, 'negative electricity price': 556766, 'electricity price in': 271198, 'price in germany': 674690, 'in germany research': 423282, 'germany research by': 346347, 'research by energy': 713688, 'by energy consultancy': 152488, 'energy consultancy enervis': 276415, 'consultancy enervis renewables': 195849, 'enervis renewables energytransition': 276644, 'renewables energytransition energiewende': 710989, 'shopping happens': 762864, 'be thing': 117692, 'distancing amp online': 246960, 'amp online shopping': 54225, 'online shopping happens': 609141, 'shopping happens to': 762865, 'to be thing': 901591, 'be thing that': 117693, 'thing that good': 884805, 'that good at': 844044, 'eatingdisorders': 266347, 'll struggle': 497047, 'an ed': 55600, 'ed this': 268462, 'devastating check': 239579, 'tip consideration': 898736, 'pandemic eatingdisorders': 635354, 'into any supermarket': 442407, 'you ll struggle': 1019673, 'll struggle to': 497048, 'to find just': 905913, 'find just about': 307022, 'just about anything': 468128, 'about anything for': 24826, 'anything for any': 80762, 'for any person': 319418, 'any person this': 79646, 'person this is': 652648, 'this is worrying': 888471, 'is worrying for': 454065, 'worrying for someone': 1010822, 'for someone with': 325784, 'someone with an': 784783, 'with an ed': 997208, 'an ed this': 55601, 'ed this is': 268463, 'is devastating check': 447153, 'devastating check out': 239580, 'my blog on': 547478, 'blog on some': 132976, 'on some tip': 603574, 'some tip consideration': 784063, 'tip consideration in': 898737, 'consideration in the': 195258, 'the pandemic eatingdisorders': 862955, 'herein': 393877, 'buchholz': 141644, 'herein lie': 393878, 'the tell': 869272, 'tell with': 837140, 'spending representing': 788974, 'representing 70': 712936, 'economy buchholz': 267714, 'buchholz explained': 141645, 'consumer out': 198302, 'possible generalstrike': 665656, 'generalstrike 21dayslockdown': 345554, '21dayslockdown qanon': 15123, 'herein lie the': 393879, 'lie the tell': 488382, 'the tell with': 869273, 'tell with consumer': 837141, 'consumer spending representing': 199087, 'spending representing 70': 788975, 'representing 70 of': 712937, 'the economy buchholz': 853943, 'economy buchholz explained': 267715, 'buchholz explained that': 141646, 'explained that it': 292165, 'imperative to get': 418340, 'get the consumer': 348233, 'the consumer out': 851567, 'consumer out and': 198303, 'out and spending': 625694, 'and spending money': 72093, 'spending money quickly': 788907, 'money quickly possible': 536991, 'quickly possible generalstrike': 694572, 'possible generalstrike 21dayslockdown': 665657, 'generalstrike 21dayslockdown qanon': 345555, 'cleanser': 181171, 'clene': 181605, '300ml': 17367, 'recommend regularly': 704705, 'regularly using': 707969, 'anti static': 78328, 'static cleansing': 796290, 'or anti': 614332, 'static foam': 796292, 'foam cleanser': 311807, 'cleanser on': 181172, 'the touchscreen': 869822, 'touchscreen of': 926776, 'till foam': 896016, 'foam clene': 311809, 'clene spray': 181606, 'spray 300ml': 790256, '300ml 50': 17368, '50 screen': 19844, 'screen clene': 742689, 'clene wipe': 181608, 'wipe 20': 996165, '20 10': 12868, '10 screen': 1667, 'wipe 100': 996161, '100 35': 1819, '35 note': 17907, 'note all': 572692, 'price exclude': 673724, 'exclude vat': 289625, 'outbreak we recommend': 628801, 'we recommend regularly': 973047, 'recommend regularly using': 704706, 'regularly using anti': 707970, 'using anti static': 950387, 'anti static cleansing': 78329, 'static cleansing wipe': 796291, 'cleansing wipe or': 181190, 'wipe or anti': 996334, 'or anti static': 614333, 'anti static foam': 78330, 'static foam cleanser': 796293, 'foam cleanser on': 311808, 'cleanser on the': 181173, 'on the touchscreen': 604411, 'the touchscreen of': 869823, 'touchscreen of your': 926777, 'your till foam': 1026160, 'till foam clene': 896017, 'foam clene spray': 311810, 'clene spray 300ml': 181607, 'spray 300ml 50': 790257, '300ml 50 screen': 17369, '50 screen clene': 19845, 'screen clene wipe': 742690, 'clene wipe 20': 181610, 'wipe 20 10': 996166, '20 10 screen': 12869, '10 screen clene': 1668, 'clene wipe 100': 181609, 'wipe 100 35': 996162, '100 35 note': 1820, '35 note all': 17908, 'note all price': 572693, 'all price exclude': 44029, 'price exclude vat': 673725, 'quickest': 694441, 'official out': 595871, 'paper don': 640105, 'last much': 480354, 'longer without': 502113, 'any ve': 80011, 've designed': 953042, 'designed route': 238342, 'route for': 726458, 'the quickest': 865065, 'quickest and': 694442, 'secure box': 744431, 'roll wish': 725604, 'day it official': 227854, 'it official out': 459999, 'official out of': 595872, 'toilet paper don': 921260, 'paper don think': 640107, 'think ll be': 885376, 'able to last': 24498, 'to last much': 909070, 'last much longer': 480355, 'much longer without': 545062, 'longer without any': 502114, 'without any ve': 1002503, 'any ve designed': 80012, 've designed route': 953043, 'designed route for': 238343, 'route for the': 726459, 'for the quickest': 326645, 'the quickest and': 865066, 'quickest and safest': 694443, 'and safest way': 70734, 'store and secure': 806340, 'and secure box': 71118, 'secure box of': 744432, 'box of 12': 137107, 'of 12 roll': 579344, '12 roll wish': 2949, 'roll wish me': 725605, 'stayhomekenya': 798310, 'longer scanning': 502041, 'scanning for': 740742, 'for weapon': 327663, 'weapon they': 974260, 'for wet': 327788, 'wet hand': 980733, 'sanitizer stayhomekenya': 735803, 'supermarket security guard': 822356, 'security guard are': 744611, 'guard are no': 367781, 'no longer scanning': 564660, 'longer scanning for': 502042, 'scanning for weapon': 740743, 'for weapon they': 327665, 'weapon they are': 974261, 'they are scanning': 881398, 'are scanning for': 89837, 'scanning for wet': 740744, 'for wet hand': 327789, 'wet hand you': 980734, 'hand you must': 376029, 'you must wash': 1019937, 'must wash your': 546988, 'hand even if': 374918, 'have your own': 383716, 'hand sanitizer stayhomekenya': 375600, 'shredded': 767661, 'shredded shirt': 767662, 'shirt used': 759023, 'paper clogged': 640030, 'clogged california': 182438, 'california city': 155476, 'city sewer': 179351, 'sewer official': 754162, 'official believe': 595765, 'shredded shirt used': 767663, 'shirt used toilet': 759024, 'toilet paper clogged': 921230, 'paper clogged california': 640031, 'clogged california city': 182439, 'california city sewer': 155477, 'city sewer official': 179352, 'sewer official believe': 754163, 'woh': 1003351, 'woh never': 1003352, 'never worry': 558282, 'worry again': 1010665, 'cat doesn': 166848, 'doesn see': 251934, 'woh never worry': 1003353, 'never worry again': 558283, 'worry again but': 1010666, 'again but make': 36931, 'sure the cat': 827707, 'the cat doesn': 850514, 'cat doesn see': 166849, 'doesn see it': 251935, 'naturalist': 552906, 'eaths': 266167, 'naturalist mean': 552907, 'death caused': 230002, 'shutdown will': 768128, 'least degree': 484438, 'of magnitude': 586098, 'magnitude larger': 508442, 'larger than': 479911, 'than death': 840489, 'still like': 800796, 'the eaths': 853859, 'eaths from': 266168, 'higher energy': 395588, 'largely unnoticed': 479877, 'unnoticed so': 942980, 'the de': 852933, 'naturalist mean the': 552908, 'mean the death': 524692, 'the death caused': 852969, 'death caused by': 230003, 'caused by economic': 167838, 'by economic shutdown': 152455, 'economic shutdown will': 267289, 'shutdown will be': 768130, 'at least degree': 99482, 'least degree of': 484439, 'degree of magnitude': 232568, 'of magnitude larger': 586099, 'magnitude larger than': 508443, 'larger than death': 479912, 'than death from': 840490, 'but still like': 147170, 'still like the': 800797, 'like the eaths': 491364, 'the eaths from': 853860, 'eaths from higher': 266169, 'from higher energy': 335792, 'higher energy price': 395589, 'price are largely': 672690, 'are largely unnoticed': 87716, 'largely unnoticed so': 479878, 'unnoticed so the': 942981, 'so the de': 778420, 'bi bulletin': 129412, 'bulletin deal': 142436, 'recent turbulence': 704003, 'turbulence experienced': 935504, 'economy org': 268137, 'bi bulletin deal': 129413, 'bulletin deal with': 142437, 'the recent turbulence': 865324, 'recent turbulence experienced': 704004, 'turbulence experienced by': 935505, 'experienced by emerging': 291565, 'by emerging market': 152471, 'emerging market economy': 273132, 'market economy org': 516327, '1843': 4643, 'list 1843': 494257, 'shopping list 1843': 763179, 'dotardalert': 255953, '76 how': 22234, 'to square': 915095, 'square that': 791494, 'that circle': 843230, 'circle my': 178612, 'god what': 354832, 'by big': 151955, 'pharma since': 654046, '2016 nada': 13836, 'nada another': 551368, 'another promise': 77773, 'promise made': 683679, 'made broken': 507659, 'broken pathetic': 140911, 'pathetic dotardalert': 644050, 'dotardalert stayhomesavelives': 255954, '76 how do': 22235, 'you even begin': 1018446, 'even begin to': 283880, 'begin to square': 123595, 'to square that': 915096, 'square that circle': 791495, 'that circle my': 843231, 'circle my god': 178613, 'my god what': 548530, 'god what ha': 354833, 'done to bring': 255066, 'down by big': 256594, 'by big pharma': 151960, 'big pharma since': 129918, 'pharma since 2016': 654047, 'since 2016 nada': 770473, '2016 nada another': 13837, 'nada another promise': 551369, 'another promise made': 77774, 'promise made broken': 683680, 'made broken pathetic': 507660, 'broken pathetic dotardalert': 140912, 'pathetic dotardalert stayhomesavelives': 644051, 'away 35k': 105764, '35k of': 17978, 'woman purposefully': 1003585, 'purposefully cough': 690165, 'case you missed': 166127, 'missed it grocery': 534234, 'store throw away': 810729, 'throw away 35k': 895009, 'away 35k of': 105765, '35k of food': 17979, 'after woman purposefully': 36560, 'woman purposefully cough': 1003586, 'purposefully cough on': 690166, 'on it pandemic': 601680, 'it pandemic stayhome': 460242, 'italy in': 462851, 'queue the': 694083, 'people created': 647580, 'created very': 215926, 'in italy in': 424306, 'italy in supermarket': 462852, 'supermarket queue the': 822134, 'queue the distance': 694084, 'between people created': 128853, 'people created very': 647581, 'created very long': 215927, 'two week pandemic': 937350, 'week pandemic grocery': 976724, 'pandemic grocery pharmacy': 635514, 'fact ny': 295761, 'ny food': 577856, 'food science': 316319, 'to handle your': 907138, 'handle your food': 376292, 'your food during': 1023914, 'food during 19': 314316, 'during 19 get': 262404, '19 get the': 7201, 'the fact ny': 854829, 'fact ny food': 295762, 'ny food science': 577857, 'an upgrade': 56937, 'upgrade you': 947535, 'time for an': 896689, 'for an upgrade': 319310, 'an upgrade you': 56938, 'upgrade you know': 947536, 'where to find': 985304, 'this disturbing': 887258, 'disturbing video': 248430, 'this disturbing video': 887259, 'disturbing video show': 248431, 'can spread virus': 159713, 'spread virus at': 790874, 'virus at supermarket': 957976, 'ornot': 619654, 'since this': 770938, 'virus gas': 958224, 'gas trending': 344165, 'trending price': 931564, 'price stayhome': 676631, 'stayhome ornot': 798064, 'notice how low': 573286, 'how low gas': 408231, 'are now since': 88596, 'now since this': 575836, 'since this virus': 770941, 'this virus gas': 891007, 'virus gas trending': 958226, 'gas trending price': 344166, 'trending price stayhome': 931565, 'price stayhome ornot': 676633, 'is lucky': 449489, 'lucky supermarket': 506569, 'here throwing': 393694, 'throwing your': 895119, 'ground promise': 366529, 'you chase': 1017925, 'chase you': 173890, 'fucking eat': 339859, 'eat em': 265899, 'trash on': 930168, 'ground there': 366543, 'there garbage': 878425, 'garbage for': 343529, 'this is lucky': 888309, 'is lucky supermarket': 449490, 'lucky supermarket in': 506570, 'supermarket in if': 820912, 'in if all': 423965, 'if all out': 413793, 'out here throwing': 626298, 'here throwing your': 393695, 'throwing your glove': 895120, 'the ground promise': 856853, 'ground promise you': 366530, 'promise you chase': 683712, 'you chase you': 1017926, 'chase you down': 173891, 'you down and': 1018352, 'down and make': 256501, 'and make you': 66584, 'make you fucking': 510737, 'you fucking eat': 1018735, 'fucking eat em': 339860, 'eat em stop': 265900, 'em stop throwing': 272082, 'stop throwing your': 805209, 'throwing your trash': 895121, 'your trash on': 1026202, 'trash on the': 930169, 'the ground there': 856856, 'ground there garbage': 366544, 'there garbage for': 878426, 'garbage for that': 343531, 'toiletpaper holding': 922076, 'cemetery plot': 169011, 'plot increased': 661084, 'in value': 430523, 'week offsetting': 976655, 'offsetting stockmarket': 596124, 'stockmarket holding': 803654, 'holding so': 400153, 'toiletpaper holding and': 922077, 'holding and cemetery': 400093, 'and cemetery plot': 59670, 'cemetery plot increased': 169012, 'plot increased in': 661085, 'increased in value': 433351, 'in value the': 430525, 'value the last': 952208, 'two week offsetting': 937346, 'week offsetting stockmarket': 976656, 'offsetting stockmarket holding': 596125, 'stockmarket holding so': 803655, 'holding so even': 400154, 'nogozone': 566201, 'enrich': 277821, 'in greatbritain': 423413, 'greatbritain get': 363129, 'get attacked': 346618, 'by nogozone': 153341, 'nogozone youth': 566202, 'youth gang': 1026858, 'gang when': 343415, 'crisis nice': 217759, 'nice looking': 562435, 'looking fella': 502845, 'fella sure': 303260, 'work honest': 1005260, 'honest job': 403064, 'and enrich': 62157, 'enrich british': 277822, 'british society': 140595, 'man in greatbritain': 512111, 'in greatbritain get': 423414, 'greatbritain get attacked': 363130, 'get attacked by': 346619, 'attacked by nogozone': 102184, 'by nogozone youth': 153342, 'nogozone youth gang': 566203, 'youth gang when': 1026859, 'gang when he': 343416, 'when he try': 983548, 'try to go': 934629, 'the crisis nice': 852416, 'crisis nice looking': 217760, 'nice looking fella': 562436, 'looking fella sure': 502846, 'fella sure they': 303261, 'sure they all': 827734, 'all work honest': 45495, 'work honest job': 1005261, 'honest job and': 403065, 'job and enrich': 465625, 'and enrich british': 62158, 'enrich british society': 277823, 'lockdown know': 499583, 'are avoiding': 84724, 'worth know': 1011387, '19 lockdown know': 8400, 'lockdown know your': 499584, 'know your online': 477099, 'shopping option you': 763534, 'option you are': 614151, 'you are avoiding': 1017067, 'are avoiding the': 84726, 'avoiding the shop': 105500, 'shop or are': 760611, 'or are unable': 614424, 'your home during': 1024350, '19 lockdown it': 8398, 'lockdown it is': 499570, 'is worth know': 454083, 'panicbuyinguk shopping': 639157, 'shopping londonlockdown': 763212, 'londonlockdown yeah': 501269, 'wembley london panicbuyinguk': 978894, 'london panicbuyinguk shopping': 501151, 'panicbuyinguk shopping londonlockdown': 639158, 'shopping londonlockdown yeah': 763213, 'londonlockdown yeah right': 501270, 'big number': 129877, 'called panic': 156409, 'shopping accidental': 761876, 'accidental stockpilers': 28408, 'stockpilers drive': 803876, 'law of big': 482351, 'of big number': 580701, 'big number is': 129879, 'number is behind': 576897, 'is behind the': 446057, 'behind the so': 124726, 'so called panic': 776689, 'called panic shopping': 156411, 'panic shopping accidental': 638561, 'shopping accidental stockpilers': 761877, 'accidental stockpilers drive': 28409, 'stockpilers drive supermarket': 803877, 'drive supermarket shortage': 259162, 'supermarket shortage via': 822672, 'all report': 44156, 'report big': 711835, 'big spike': 130012, 'door conmen': 255552, 'conmen those': 194590, 'fake face': 296621, 'sanitisers old': 734096, 'vulnerable http': 961003, 'and all report': 57887, 'all report big': 44157, 'report big spike': 711836, 'big spike in': 130013, 'spike in fraud': 789298, 'to door conmen': 904665, 'door conmen those': 255553, 'conmen those selling': 194591, 'those selling fake': 892443, 'selling fake face': 749235, 'fake face mask': 296622, 'and sanitisers old': 70838, 'sanitisers old people': 734097, 'especially vulnerable http': 280651, 'never would': 558284, 'imagined my': 416844, 'my role': 549959, 'dystopian society': 263952, 'been monitoring': 121532, 'monitoring distribution': 537351, 'never would have': 558285, 'would have imagined': 1011881, 'have imagined my': 381012, 'imagined my role': 416845, 'my role in': 549960, 'role in dystopian': 725092, 'in dystopian society': 422434, 'dystopian society would': 263953, 'have been monitoring': 379608, 'been monitoring distribution': 121533, 'monitoring distribution of': 537352, 'distribution of toilet': 248183, 'paper and yet': 639866, 'yet here we': 1016092, 'nurse just': 577399, 'left tennessee': 485657, 'tennessee grocery': 837950, 'chaos amp': 172986, 'she tired': 756387, 'tired be': 899026, 'please is': 660122, 'is type': 453409, 'this nurse just': 889194, 'nurse just left': 577400, 'just left tennessee': 469130, 'left tennessee grocery': 485658, 'tennessee grocery store': 837951, 'store it chaos': 808566, 'it chaos amp': 457106, 'chaos amp she': 172988, 'amp she tired': 54478, 'she tired be': 756388, 'tired be kind': 899027, 'other please is': 620731, 'please is type': 660123, 'is type of': 453410, 'it absolute': 456244, 'queuing lane': 694221, 'it absolute panic': 456245, 'absolute panic at': 27268, 'panic at lidl': 637363, 'at lidl fencepeace': 99581, 'food and queuing': 313321, 'and queuing lane': 69876, 'queuing lane from': 694222, 'lane from the': 479447, 'from the front': 337714, 'the front to': 855855, 'front to the': 338679, 'the store stress': 868113, 'tonight letter': 924439, 'letter why': 487381, 'change attitude': 171942, 'attitude over': 102576, 'over result': 630590, 'tonight letter why': 924440, 'letter why must': 487382, 'why must change': 991197, 'must change attitude': 546578, 'change attitude over': 171943, 'attitude over result': 102577, 'over result of': 630591, 'of the greed': 591077, 'data commissioned': 226181, 'commissioned study': 188926, '19 early': 6686, 'early effect': 264586, 'effect here': 269010, 'interesting data commissioned': 441537, 'data commissioned study': 226182, 'commissioned study on': 188927, 'study on shopping': 814940, 'on shopping behavior': 603439, 'shopping behavior in': 762205, 'covid 19 early': 212998, '19 early effect': 6687, 'early effect here': 264587, 'by the major': 154371, 'the major supermarket': 859937, 'today venturing': 920429, 'being type': 125991, 'type diabetic': 937522, 'food surprisingly': 317035, 'surprisingly to': 828660, 'live don': 495790, 'want toilet': 966157, 'just food': 468738, 'day think': 228526, 'think can': 885179, 'manage that': 512434, 'shopping coronacrisis': 762401, 'today venturing out': 920430, 'supermarket because ve': 819338, 'because ve left': 119771, 've left it': 953335, 'left it to': 485534, 'point where have': 662700, 'where have very': 984912, 'little in and': 495404, 'in and being': 420350, 'and being type': 58872, 'being type diabetic': 125992, 'type diabetic need': 937523, 'diabetic need food': 240198, 'need food surprisingly': 554809, 'food surprisingly to': 317036, 'surprisingly to live': 828661, 'to live don': 909339, 'live don want': 495791, 'don want toilet': 254049, 'want toilet paper': 966158, 'paper just food': 640392, 'just food for': 468739, 'food for for': 314536, 'for for couple': 321665, 'of day think': 582385, 'day think can': 228527, 'think can manage': 885182, 'can manage that': 158966, 'manage that shopping': 512435, 'that shopping coronacrisis': 846276, 'resp': 714945, '4500': 19160, 'resp all': 714946, 'all covid19': 42485, 'covid19 kit': 214332, 'someone 4800': 784354, '4800 and': 19340, 'and 50': 57490, '50 test': 19870, 'test can': 838952, 'done approved': 254784, 'icmr why': 412799, 'why govt': 991024, 'govt fixed': 361120, 'fixed 4500': 309776, '4500 per': 19161, 'per test': 651033, 'test when': 839228, 'when 50': 983107, 'resp all covid19': 714947, 'all covid19 kit': 42486, 'covid19 kit are': 214333, 'kit are available': 475495, 'are available with': 84722, 'available with someone': 104709, 'with someone 4800': 1000875, 'someone 4800 and': 784355, '4800 and 50': 19341, 'and 50 test': 57492, '50 test can': 19871, 'test can be': 838953, 'be done approved': 114552, 'done approved by': 254785, 'approved by icmr': 83137, 'by icmr why': 152860, 'icmr why govt': 412800, 'why govt fixed': 991025, 'govt fixed 4500': 361121, 'fixed 4500 per': 309777, '4500 per test': 19162, 'per test when': 651034, 'test when 50': 839229, 'when 50 test': 983108, 'can be do': 157614, 'eset': 280350, 'lost some': 503917, 'it former': 458120, 'former appeal': 329614, 'appeal hear': 82065, 'an eset': 55814, 'eset employee': 280351, 'changed family': 172471, 'family life': 297985, 'working habit': 1008675, 'and importantly': 65032, 'importantly online': 419137, '19 restriction in': 10178, 'place for many': 657443, 'for many home': 323219, 'many home office': 514143, 'home office ha': 401704, 'office ha lost': 595432, 'ha lost some': 371188, 'lost some of': 503918, 'of it former': 585396, 'it former appeal': 458121, 'former appeal hear': 329615, 'appeal hear from': 82066, 'hear from an': 387918, 'from an eset': 334483, 'an eset employee': 55815, 'eset employee on': 280352, 'employee on how': 274075, 'on how working': 601433, 'home ha changed': 401323, 'ha changed family': 370123, 'changed family life': 172472, 'family life working': 297988, 'life working habit': 489233, 'working habit and': 1008676, 'habit and importantly': 372558, 'and importantly online': 65033, 'importantly online security': 419138, 'aerosol http': 33912, '200nm aerosol http': 13750, 'professional with': 682523, 'of kentucky': 585596, 'kentucky family': 472848, 'science department': 742097, 'department are': 237183, 'across kentucky': 29367, 'kentucky find': 472850, 'healthy through': 387788, 'through webinars': 894896, 'webinars via': 975160, 'professional with the': 682524, 'with the university': 1001529, 'university of kentucky': 942448, 'of kentucky family': 585597, 'kentucky family and': 472849, 'consumer science department': 198875, 'science department are': 742098, 'department are trying': 237184, 'help people across': 390282, 'people across kentucky': 646756, 'across kentucky find': 29368, 'kentucky find the': 472851, 'keep their family': 472086, 'their family safe': 873266, 'and healthy through': 64402, 'healthy through webinars': 387790, 'through webinars via': 894897, 'on sunday on': 603768, 'sunday on historic': 818247, 'output cut in': 629254, 'bid to boost': 129486, 'boost plummeting oil': 134992, 'suppression': 827423, 'many indicator': 514183, 'indicator that': 435051, 'should seemingly': 766446, 'seemingly signal': 746744, 'signal massive': 769306, 'massive suppression': 520134, 'suppression consumer': 827424, 'demand few': 235340, 'note yet': 572861, 'ha ecom': 370472, 'ecom rev': 266693, 'rev only': 720217, 'only down': 610358, '15 16': 3637, '16 22': 4073, '22 wa': 15256, 'really baffled': 702008, 'so many indicator': 777669, 'many indicator that': 514184, 'indicator that should': 435052, 'that should seemingly': 846289, 'should seemingly signal': 766447, 'seemingly signal massive': 746745, 'signal massive suppression': 769307, 'massive suppression consumer': 520135, 'suppression consumer demand': 827425, 'consumer demand few': 197132, 'demand few of': 235341, 'few of note': 303959, 'of note yet': 587088, 'note yet our': 572862, 'yet our data': 1016185, 'our data ha': 622695, 'data ha ecom': 226257, 'ha ecom rev': 370473, 'ecom rev only': 266694, 'rev only down': 720218, 'only down about': 610359, 'down about 10': 256438, 'about 10 the': 24632, '10 the week': 1701, 'week of 15': 976601, 'of 15 16': 579359, '15 16 22': 3638, '16 22 wa': 4074, '22 wa really': 15257, 'wa really baffled': 963059, 'trade publication': 928558, 'publication surveyed': 688511, 'surveyed grocery': 829000, 'owner re': 632547, 'set foot': 753375, 'lately none': 480978, 'their answer': 872494, 'answer will': 78147, 'will surprise': 995043, 'trade publication surveyed': 928559, 'publication surveyed grocery': 688512, 'surveyed grocery store': 829001, 'store owner re': 809437, 'owner re covid': 632548, 'their business if': 872680, 'you ve set': 1022064, 've set foot': 953560, 'set foot in': 753376, 'foot in grocery': 318389, 'store lately none': 808681, 'lately none of': 480979, 'none of their': 566597, 'of their answer': 591640, 'their answer will': 872495, 'answer will surprise': 78149, 'will surprise you': 995044, 'rte': 726858, 'latelateshow': 480941, 'chance rte': 171783, 'rte might': 726859, 'might interview': 531052, 'interview people': 442231, 'tesco or': 838773, 'or dunne': 615093, 'dunne hero': 262302, 'risk like': 723662, 'like pilot': 491001, 'pilot but': 656727, 'at far': 98622, 'le cost': 482895, 'cost or': 208078, 'make over': 510296, 'matter latelateshow': 520591, 'latelateshow rte': 480942, 'any chance rte': 79011, 'chance rte might': 171784, 'rte might interview': 726860, 'might interview people': 531053, 'interview people working': 442232, 'supermarket till in': 823340, 'till in tesco': 896035, 'in tesco or': 428882, 'tesco or dunne': 838774, 'or dunne hero': 615094, 'dunne hero who': 262303, 'who are also': 988101, 'also putting their': 48732, 'at risk like': 100374, 'risk like pilot': 723663, 'like pilot but': 491002, 'pilot but at': 656728, 'but at far': 145241, 'at far le': 98624, 'far le cost': 298831, 'le cost or': 482896, 'cost or is': 208080, 'is it only': 449045, 'it only people': 460106, 'who make over': 989251, 'make over 50': 510297, 'over 50 year': 629862, '50 year that': 19920, 'year that matter': 1014992, 'that matter latelateshow': 845067, 'matter latelateshow rte': 520592, '342': 17842, '3736': 18102, 'uptick of': 947914, 'scam on': 740271, 'medium email': 527085, 'website if': 975309, 're aware': 698333, 'involving financial': 444402, 'financial product': 306542, '800 342': 22662, '342 3736': 17843, 'ny is aware': 577883, 'is aware that': 445936, 'aware that there': 105663, 'is an uptick': 445696, 'an uptick of': 56951, 'uptick of scam': 947915, 'of scam on': 589362, 'scam on social': 740272, 'social medium email': 779847, 'medium email text': 527086, 'text and website': 839877, 'and website if': 75371, 'website if you': 975310, 'you re aware': 1020573, 're aware of': 698334, 'of scam involving': 589360, 'scam involving financial': 740217, 'involving financial product': 444403, 'financial product or': 306543, 'or service visit': 617027, 'service visit the': 753045, 'visit the website': 959400, 'the website or': 871282, 'website or call': 975380, 'or call their': 614642, 'call their consumer': 156144, 'their consumer hotline': 872857, 'at 800 342': 97762, '800 342 3736': 22663, 'york post': 1016647, 'post baby': 666013, 'baby hospitalized': 106639, 'with after': 997117, 'after dad': 35532, 'dad go': 224328, 'new york post': 559944, 'york post baby': 1016648, 'post baby hospitalized': 666014, 'baby hospitalized with': 106640, 'hospitalized with after': 404847, 'with after dad': 997118, 'after dad go': 35533, 'dad go to': 224329, 'wiseworks': 996737, 'food skyrocketed': 316635, 'over researcher': 630581, 'researcher observe': 713923, 'observe drastic': 578577, 'drastic shift': 258413, 'in consumerbehaviour': 421727, 'consumerbehaviour due': 199633, 'to wiseworks': 918635, 'wiseworks mrx': 996738, 'sale of non': 732401, 'of non perishable': 587056, 'perishable food skyrocketed': 651976, 'food skyrocketed in': 316636, 'skyrocketed in the': 773373, 'united state this': 942248, 'state this march': 796004, 'this march due': 888770, 'to consumer fear': 903297, 'consumer fear over': 197459, 'fear over researcher': 301276, 'over researcher observe': 630582, 'researcher observe drastic': 713924, 'observe drastic shift': 578578, 'drastic shift in': 258414, 'shift in consumerbehaviour': 758319, 'in consumerbehaviour due': 421728, 'consumerbehaviour due to': 199634, 'due to wiseworks': 262029, 'to wiseworks mrx': 918636, 'wiseworks mrx marketresearch': 996739, 'hey collector': 394350, 'collector stop': 186584, 'the tolietpaper': 869746, 'tolietpaper know': 923823, 'suck not': 816909, 'still work': 801419, 'wait hour': 964132, 'hey collector stop': 394351, 'collector stop buying': 186585, 'buying the tolietpaper': 151177, 'the tolietpaper know': 869747, 'tolietpaper know it': 923824, 'know it suck': 476542, 'it suck not': 461339, 'suck not everyone': 816910, 'can work but': 160243, 'work but some': 1004960, 'people still work': 649611, 'still work and': 801420, 'work and by': 1004764, 'all gone and': 42960, 'gone and we': 356210, 'time to wait': 898096, 'to wait hour': 918263, 'wait hour in': 964133, 'morning so this': 541447, 'this week stop': 891272, 'week stop 19': 976932, 'shop racist': 760696, 'racist people': 695322, 'brilliant looking': 139874, 'same calm': 732987, 'asian shop racist': 95336, 'shop racist people': 760697, 'racist people want': 695323, 'call it are': 155949, 'it are absolutely': 456582, 'are absolutely brilliant': 84167, 'absolutely brilliant looking': 27329, 'brilliant looking after': 139875, 'looking after all': 502774, 'after all local': 35328, 'all local and': 43407, 'local and price': 497681, 'the same calm': 866203, 'same calm and': 732988, 'calm and reassuring': 156695, 'oddly': 579204, 'merkel buying': 529153, 'wine some': 995893, 'weekend is': 977359, 'so oddly': 777925, 'oddly comforting': 579205, 'merkel buying bottle': 529154, 'of wine some': 593187, 'wine some toilet': 995894, 'paper while doing': 641092, 'while doing her': 986762, 'her own grocery': 392277, 'the weekend is': 871331, 'weekend is so': 977361, 'is so oddly': 452028, 'so oddly comforting': 777926, 'worry worldwide': 1010803, 'worldwide regarding': 1010415, 'in faith': 422776, 'faith and': 296494, 'god do': 354684, 'be moved': 116013, 'moved by': 543795, 'see do': 745050, 'news reporting': 560756, 'reporting but': 712677, 'god matthew': 354766, 'matthew 31': 520681, '31 34': 17549, 'and worry worldwide': 75911, 'worry worldwide regarding': 1010804, 'worldwide regarding covid': 1010416, '19 we urge': 11956, 'you to stand': 1021840, 'stand in faith': 793529, 'in faith and': 422777, 'faith and trust': 296495, 'trust in god': 934270, 'in god do': 423353, 'god do not': 354685, 'not be moved': 568421, 'be moved by': 116014, 'moved by what': 543797, 'what you see': 982691, 'you see do': 1021032, 'see do not': 745051, 'moved by the': 543796, 'in store do': 428403, 'by the news': 154386, 'the news reporting': 861627, 'news reporting but': 560757, 'reporting but be': 712678, 'but be moved': 145266, 'by the word': 154484, 'word of god': 1004539, 'of god matthew': 584177, 'god matthew 31': 354767, 'matthew 31 34': 520682, 'anyone explain': 80319, 'butcher shop': 148064, 'village and': 957327, 'putting hundred': 691135, 'family instead': 297937, 'few li': 303898, 'can anyone explain': 157510, 'anyone explain why': 80320, 'explain why our': 292135, 'why our local': 991266, 'our local butcher': 623767, 'local butcher shop': 497798, 'butcher shop ha': 148068, 'shop ha been': 760251, 'to close they': 902905, 'close they are': 182865, 'they are an': 881201, 'service in our': 752479, 'our village and': 625276, 'village and now': 957329, 'have to drive': 383198, 'the supermarket putting': 868765, 'supermarket putting hundred': 822103, 'putting hundred of': 691136, 'hundred of other': 411004, 'risk for myself': 723552, 'my family instead': 548207, 'family instead of': 297938, 'of just few': 585569, 'just few li': 468705, 'assaulted': 96327, 'referring': 706533, 'slur': 774732, 'mattessich': 520678, 'conversation turned': 202491, 'turned physical': 935870, 'physical when': 655478, 'the 65': 848174, 'old assaulted': 598151, 'assaulted the': 96330, 'while referring': 987209, 'referring to': 706534, 'him using': 396763, 'using racial': 950616, 'racial slur': 695236, 'slur and': 774733, 'and blaming': 58997, 'blaming him': 132336, 'pandemic mattessich': 635936, 'mattessich said': 520679, 'the conversation turned': 851709, 'conversation turned physical': 202492, 'turned physical when': 935871, 'physical when the': 655479, 'when the 65': 984124, 'the 65 year': 848175, 'year old assaulted': 1014810, 'old assaulted the': 598152, 'assaulted the man': 96331, 'the man while': 859985, 'man while referring': 512319, 'while referring to': 987210, 'referring to him': 706535, 'to him using': 907778, 'him using racial': 396764, 'using racial slur': 950617, 'racial slur and': 695237, 'slur and blaming': 774734, 'and blaming him': 58998, 'blaming him in': 132337, 'him in part': 396638, 'in part for': 426527, 'part for the': 642276, '19 pandemic mattessich': 9389, 'pandemic mattessich said': 635937, 'bajans': 108729, 'lap': 479524, 'curfew bajans': 220860, 'bajans lap': 108730, 'lap up': 479525, 'supermarket ordering': 821843, 'ordering process': 619010, 'service your': 753130, 'order may': 618378, 'be processed': 116554, 'processed within': 680000, 'within an': 1002330, 'estimated 72': 282282, 'hour time': 406007, '19 curfew bajans': 6389, 'curfew bajans lap': 220861, 'bajans lap up': 108731, 'lap up new': 479526, 'up new supermarket': 945449, 'new supermarket ordering': 559695, 'supermarket ordering process': 821844, 'ordering process due': 619011, 'our service your': 624736, 'service your order': 753132, 'your order may': 1025104, 'order may be': 618379, 'may be processed': 521020, 'be processed within': 116555, 'processed within an': 680001, 'within an estimated': 1002331, 'an estimated 72': 55855, 'estimated 72 hour': 282283, '72 hour time': 22014, 'hour time period': 406008, 'bastard panicking': 112493, 'panicking buying': 639326, 'stockpiling everything': 803953, 'shelf listen': 757288, 'up convid19uk': 944641, 'coronacrisis people': 204702, 'all you bastard': 45532, 'you bastard panicking': 1017386, 'bastard panicking buying': 112494, 'panicking buying and': 639327, 'and stockpiling everything': 72452, 'stockpiling everything you': 803954, 'can get on': 158436, 'supermarket shelf listen': 822491, 'shelf listen up': 757289, 'listen up convid19uk': 494764, 'up convid19uk coronacrisis': 944642, 'convid19uk coronacrisis people': 202616, 'coronacrisis people like': 204704, 'this are needed': 886401, 'are needed you': 88204, 'needed you may': 556594, 'need them do': 555774, 'be selfish bastard': 117058, 'avoid picking': 105229, 'picking germ': 655855, 'germ at': 346096, 'store tip': 810746, 'safeguard yourself': 730225, 'from pathogen': 336861, 'pathogen lingering': 644080, 'lingering on': 493713, 'cart in': 165322, 'to avoid picking': 900928, 'avoid picking germ': 105230, 'picking germ at': 655856, 'germ at grocery': 346097, 'grocery store tip': 365867, 'store tip to': 810747, 'tip to safeguard': 898937, 'to safeguard yourself': 913708, 'safeguard yourself from': 730226, 'yourself from pathogen': 1026619, 'from pathogen lingering': 336862, 'pathogen lingering on': 644081, 'lingering on shopping': 493714, 'on shopping cart': 603440, 'shopping cart in': 762304, 'cart in supermarket': 165326, 'pickup well': 656047, 'limiting our store': 492844, 'notice we offer': 573397, 'we offer in': 972625, 'offer in store': 594662, 'store pickup well': 809564, 'pickup well our': 656048, 'our free delivery': 623163, 'ot': 619764, 'these chip': 879754, 'chip so': 177530, 'high damn': 394981, 'damn 20': 225305, 'cent off': 169098, 'cent thanks': 169120, 'thanks you': 842283, 'you fry': 1018726, 'fry for': 339287, 'coronacrisis also': 204505, 'also noticed': 48582, 'noticed at': 573429, 'both grocery': 135918, 'were keeping': 979826, 'each ot': 264151, 'never seen these': 558183, 'seen these chip': 747311, 'these chip so': 879755, 'chip so high': 177531, 'so high damn': 777307, 'high damn 20': 394982, 'damn 20 cent': 225306, '20 cent off': 12995, 'cent off went': 169099, 'off went and': 594372, 'went and got': 978953, 'and got them': 63864, 'got them for': 358924, 'them for 99': 875709, 'for 99 cent': 318962, '99 cent thanks': 23799, 'cent thanks you': 169121, 'thanks you fry': 842284, 'you fry for': 1018727, 'fry for keeping': 339288, 'for keeping price': 322816, 'keeping price low': 472530, 'price low during': 675117, 'low during this': 505260, 'this coronacrisis also': 886872, 'coronacrisis also noticed': 204506, 'also noticed at': 48583, 'noticed at both': 573430, 'at both grocery': 98153, 'both grocery store': 135919, 'store people were': 809498, 'people were keeping': 650209, 'were keeping 6ft': 979827, 'keeping 6ft away': 472364, 'from each ot': 335243, 'dissects': 246576, 'wcs': 970256, '19 led': 8304, 'led lockdown': 485236, 'lockdown weigh': 500122, 'on western': 605202, 'western canadian': 980598, 'to existing': 905424, 'existing challenge': 290291, 'province senior': 687192, 'economist dissects': 267537, 'dissects recent': 246577, 'recent wcs': 704009, 'wcs price': 970259, 'price movement': 675280, 'movement see': 543931, 'see report': 745636, 'covid 19 led': 213348, '19 led lockdown': 8306, 'led lockdown weigh': 485237, 'lockdown weigh on': 500123, 'weigh on western': 977667, 'on western canadian': 605203, 'western canadian oil': 980599, 'canadian oil price': 160720, 'price and add': 672356, 'add to existing': 31519, 'to existing challenge': 905425, 'existing challenge in': 290292, 'challenge in oil': 171486, 'oil producing province': 597354, 'producing province senior': 680799, 'province senior economist': 687193, 'senior economist dissects': 750287, 'economist dissects recent': 267538, 'dissects recent wcs': 246578, 'recent wcs price': 704010, 'wcs price movement': 970260, 'price movement see': 675282, 'movement see report': 543932, 'see report here': 745637, 'food medical': 315431, 'supply buy': 824872, 'buy facemasks': 148615, 'facemasks unnecessarily': 295174, 'unnecessarily leave': 942864, 'house go': 406325, 'the er': 854467, 'er believe': 279999, 'in false': 422785, 'false cure': 297417, 'med for': 525895, 'week call': 976056, 'symptom take': 830931, 'and don do': 61629, 'not panic hoard': 570915, 'panic hoard food': 638175, 'hoard food medical': 398793, 'food medical supply': 315432, 'medical supply buy': 526431, 'supply buy facemasks': 824873, 'buy facemasks unnecessarily': 148616, 'facemasks unnecessarily leave': 295175, 'unnecessarily leave the': 942865, 'the house go': 857609, 'house go to': 406326, 'to the er': 916678, 'the er believe': 854468, 'er believe in': 280000, 'believe in false': 126285, 'in false cure': 422786, 'false cure treatment': 297418, 'cure treatment do': 220841, 'treatment do have': 931061, 'do have enough': 249368, 'food med for': 315428, 'med for week': 525897, 'for week call': 327696, 'week call your': 976057, 'call your provider': 156263, 'your provider if': 1025466, 'have symptom take': 382895, 'symptom take this': 830932, 'fund aren': 341368, 'aren just': 92445, 'just seeking': 469733, 'have but': 379861, 'quite low': 694896, 'low read': 505573, 'company lobbying': 190856, 'equity fund aren': 279940, 'fund aren just': 341369, 'aren just seeking': 92447, 'just seeking to': 469734, 'seeking to save': 746661, 'save the investment': 737658, 'the investment they': 858422, 'investment they already': 444068, 'already have but': 47417, 'have but to': 379862, 'price are quite': 672717, 'are quite low': 89408, 'quite low read': 694897, 'low read more': 505574, 'more from on': 539305, 'from on company': 336661, 'on company lobbying': 599992, 'company lobbying to': 190857, 'lobbying to profit': 497604, 'up news': 945450, 'in breakfast': 420958, 'breakfast school': 138893, 'school career': 741717, 'career daily': 164337, 'daily space': 224807, 'shopping back': 762134, 'home panic': 401822, 'panic eating': 638056, 'eating work': 266340, 'work hour': 1005265, 'hour wasted': 406074, 'in whatsapp': 430840, 'chat panic': 173947, 'eating call': 266187, 'parent news': 641679, 'news again': 560198, 'again panic': 37107, 'eating school': 266301, 'career dinner': 164339, 'dinner little': 243074, 'little housework': 495390, 'housework news': 407039, 'again bed': 36920, 'bed panic': 120410, 'panic straw': 638643, 'wake up news': 964627, 'up news in': 945451, 'news in breakfast': 560527, 'in breakfast school': 420959, 'breakfast school career': 138894, 'school career daily': 741718, 'career daily space': 164338, 'daily space for': 224808, 'space for food': 787097, 'for food shopping': 321629, 'food shopping back': 316511, 'shopping back home': 762135, 'back home panic': 107064, 'home panic eating': 401823, 'panic eating work': 638061, 'eating work hour': 266341, 'work hour wasted': 1005267, 'hour wasted in': 406075, 'wasted in whatsapp': 968242, 'in whatsapp group': 430841, 'whatsapp group chat': 982891, 'group chat panic': 366642, 'chat panic eating': 173948, 'panic eating call': 638057, 'eating call the': 266188, 'call the parent': 156137, 'the parent news': 863284, 'parent news again': 641680, 'news again panic': 560200, 'again panic eating': 37108, 'panic eating school': 638059, 'eating school career': 266302, 'school career dinner': 741719, 'career dinner little': 164340, 'dinner little housework': 243075, 'little housework news': 495391, 'housework news again': 407040, 'news again bed': 560199, 'again bed panic': 36921, 'bed panic straw': 120411, 'malwarebytes': 511906, 'landmines': 479380, 'malwarebytes rounded': 511907, 'staying secure': 798706, 'secure well': 744468, 'some landmines': 783182, 'landmines to': 479381, 'malwarebytes rounded up': 511908, 'rounded up some': 726393, 'up some useful': 946041, 'for staying secure': 325892, 'staying secure well': 798707, 'secure well some': 744470, 'well some landmines': 978569, 'some landmines to': 783183, 'landmines to avoid': 479382, 'avoid during your': 105084, 'during your online': 263435, 'noble': 565971, 'now noble': 575357, 'noble to': 565972, 'but king': 146233, 'doesn roll': 251928, 'roll off': 725426, 'the tongue': 869757, 'tongue doe': 924329, 'it wuhancoronavirus': 462624, 'wuhancoronavirus 19': 1013538, 'is making and': 449537, 'sanitizer now noble': 735434, 'now noble to': 575358, 'noble to be': 565973, 'be sure but': 117470, 'sure but king': 827510, 'but king of': 146234, 'king of hand': 475285, 'sanitizers just doesn': 736330, 'just doesn roll': 468622, 'doesn roll off': 251929, 'roll off the': 725427, 'off the tongue': 594279, 'the tongue doe': 869758, 'tongue doe it': 924330, 'doe it wuhancoronavirus': 251442, 'it wuhancoronavirus 19': 462625, 'stinky': 801679, 'with stinky': 1000971, 'stinky butt': 801680, 'butt around': 148092, 'around south': 93486, 'central pa': 169416, 'pa 19': 632830, 'gonna be lot': 356477, 'people with stinky': 650473, 'with stinky butt': 1000972, 'stinky butt around': 801681, 'butt around south': 148093, 'around south central': 93487, 'south central pa': 786706, 'central pa 19': 169417, 'pa 19 toiletpaper': 632831, 'stocked during': 803306, 'prolonged coronavirus': 683627, 'some request': 783728, 'request essentialbusiness': 713152, 'essentialbusiness socialdistancing': 281882, 'worker keeping shelf': 1007282, 'shelf stocked during': 757579, 'stocked during the': 803307, 'during the prolonged': 263176, 'the prolonged coronavirus': 864656, 'prolonged coronavirus crisis': 683628, 'coronavirus crisis have': 205753, 'crisis have some': 217462, 'have some request': 382638, 'some request essentialbusiness': 783729, 'request essentialbusiness socialdistancing': 713153, 'amazing free': 50688, 'elderly member': 270752, 'amazing free grocery': 50689, 'paisley will be': 634394, 'will be delivering': 992424, 'be delivering grocery': 114405, 'to elderly member': 904974, 'elderly member of': 270753, 'rightful': 722444, 'it rightful': 460782, 'rightful position': 722445, 'position is': 665179, 'amp empty': 53720, 'are evidence': 86291, 'that grocer': 844081, 'grocer haven': 364137, 'the driven': 853690, 'in it rightful': 424271, 'it rightful position': 460783, 'rightful position is': 722446, 'position is in': 665180, 'is in amp': 448750, 'in amp empty': 420260, 'amp empty shelf': 53721, 'shelf are evidence': 756799, 'are evidence that': 86292, 'evidence that grocer': 288392, 'that grocer haven': 844082, 'grocer haven been': 364138, 'haven been able': 383745, 'with the driven': 1001274, 'the driven by': 853691, 'driven by panic': 259284, 'fecker': 301762, 'badger': 108135, 'no 11a': 563554, '11a anybody': 2708, 'an ignorant': 56154, 'ignorant fecker': 415780, 'fecker to': 301763, 'get immediately': 347285, 'immediately locked': 417122, 'locked into': 500495, 'large box': 479605, 'some cranky': 782629, 'cranky badger': 214868, 'emergency power no': 272887, 'power no 11a': 667646, 'no 11a anybody': 563555, '11a anybody who': 2709, 'anybody who is': 80111, 'who is an': 989057, 'is an ignorant': 445666, 'an ignorant fecker': 56155, 'ignorant fecker to': 415781, 'fecker to supermarket': 301764, 'supermarket staff get': 822850, 'staff get immediately': 792486, 'get immediately locked': 347286, 'immediately locked into': 417123, 'locked into to': 500496, 'into to large': 443240, 'to large box': 909040, 'large box with': 479606, 'with some cranky': 1000840, 'some cranky badger': 782630, 'wrong not': 1013066, 'not asking': 568258, 'asking everyone': 95971, 'them something': 876306, 'something aid': 784838, 'you aid': 1016855, 'aid yourself': 39488, 'yourself help': 1026639, 'okay to stock': 598027, 'food for couple': 314525, 'of week but': 592998, 'week but do': 976032, 'know what wrong': 476990, 'what wrong not': 982651, 'wrong not asking': 1013067, 'not asking everyone': 568260, 'asking everyone you': 95972, 'everyone you may': 287649, 'you may drive': 1019796, 'may drive to': 521134, 'drive to if': 259222, 'to if they': 908103, 'get them something': 348373, 'them something aid': 876307, 'something aid people': 784839, 'aid people like': 39437, 'like you aid': 491866, 'you aid yourself': 1016856, 'aid yourself help': 39489, 'of repeat': 588938, 'repeat event': 711513, 'risk of repeat': 723772, 'of repeat event': 588939, 'buck people': 141673, 'people stophoarding': 649656, 'yourself an': 1026518, 'an the': 56812, 'coronacrisis is really': 204643, 'is really showing': 451318, 'really showing the': 702590, 'showing the state': 767527, 'of humanity at': 584882, 'humanity at the': 410706, 'the moment no': 860772, 'moment no online': 536008, 'shelf local shop': 757293, 'local shop hiking': 498402, 'quick buck people': 694292, 'buck people stophoarding': 141674, 'people stophoarding stop': 649657, 'for yourself an': 328231, 'yourself an the': 1026519, 'an the elderly': 56813, 'inevitable increase': 436386, '3900 help': 18187, 'the inevitable increase': 858208, 'inevitable increase in': 436387, 'for our fareshare': 324240, 'of food donation': 583681, '554 3900 help': 20431, '3900 help continue': 18188, 'meaty': 525830, 'tinned cat': 898606, 'of meaty': 586379, 'meaty chunk': 525831, 'chunk and': 178314, 'and jelly': 65649, 'jelly is': 465049, 'consumption reckon': 199937, 'reckon the': 704570, 'cat eats': 166852, 'eats too': 266392, 'tinned cat food': 898607, 'cat food is': 166867, 'food is full': 315123, 'full of meaty': 340741, 'of meaty chunk': 586380, 'meaty chunk and': 525832, 'chunk and jelly': 178315, 'and jelly is': 65650, 'jelly is it': 465050, 'is it fit': 449023, 'it fit for': 458033, 'fit for human': 309472, 'human consumption reckon': 410465, 'consumption reckon the': 199938, 'reckon the cat': 704571, 'the cat eats': 850515, 'cat eats too': 166853, 'eats too well': 266393, 'too well and': 925162, 'and we might': 75305, 'appointed': 82649, 'story supermarket': 812117, 'some newly': 783352, 'newly appointed': 560100, 'appointed worker': 82652, 'share story': 755227, 'story behind': 811917, 'their unexpected': 875077, 'their story supermarket': 874874, 'story supermarket are': 812119, 'taking on extra': 833477, 'on extra staff': 600689, 'extra staff to': 293651, 'them cope during': 875552, 'cope during 19': 203313, '19 pandemic some': 9475, 'pandemic some newly': 636512, 'some newly appointed': 783353, 'newly appointed worker': 560101, 'appointed worker share': 82653, 'worker share story': 1007758, 'share story behind': 755229, 'story behind their': 811918, 'behind their unexpected': 124732, 'their unexpected new': 875078, 'unexpected new role': 941378, 'today china': 919372, 'china lift': 176798, 'lift lockdown': 489442, 'on wuhan': 605392, 'wuhan oil': 1013509, 'volatile ahead': 960033, 'eurozone fails': 283638, 'reach agreement': 699888, 'on crisis': 600163, 'response financing': 715686, 'financing trump': 306741, 'expects partial': 291093, 'partial restart': 642521, 'restart of': 716242, 'economy within': 268366, 'today china lift': 919373, 'china lift lockdown': 176799, 'lift lockdown on': 489443, 'lockdown on wuhan': 499738, 'on wuhan oil': 605393, 'wuhan oil price': 1013510, 'price remain volatile': 676170, 'remain volatile ahead': 709914, 'volatile ahead of': 960034, 'of the opec': 591297, 'opec meeting the': 611916, 'meeting the eurozone': 527771, 'the eurozone fails': 854589, 'eurozone fails to': 283639, 'fails to reach': 296251, 'to reach agreement': 912792, 'reach agreement on': 699889, 'agreement on crisis': 38784, 'on crisis response': 600164, 'crisis response financing': 217974, 'response financing trump': 715687, 'financing trump expects': 306742, 'trump expects partial': 933543, 'expects partial restart': 291094, 'partial restart of': 642522, 'restart of the': 716243, 'the economy within': 854043, 'economy within few': 268367, 'few week covid': 304142, 'nickelsburg': 562598, 'geekwire': 345046, 'shopping monica': 763283, 'monica nickelsburg': 537256, 'nickelsburg geekwire': 562599, 'online shopping monica': 609188, 'shopping monica nickelsburg': 763284, 'monica nickelsburg geekwire': 537257, 'novel public': 573812, 'new novel public': 559184, 'novel public awareness': 573813, 'provide useful info': 686532, 'useful info to': 950167, 'info to californian': 437591, 'new consumer friendly': 558522, 'like keep': 490597, 'saying why': 739764, 'shut everything': 767876, 'down everybody': 256738, 'everybody stock': 286488, 'not italy': 570188, 'italy escalates': 462816, 'escalates lockdown': 280273, 'lockdown death': 499306, 'like keep saying': 490598, 'keep saying why': 471910, 'saying why doesn': 739765, 'doesn the world': 251971, 'world just shut': 1009738, 'just shut everything': 469797, 'shut everything down': 767877, 'everything down everybody': 287759, 'down everybody stock': 256739, 'everybody stock up': 286489, 'on food let': 600880, 'food let the': 315301, 'let the government': 487128, 'government help you': 360195, 'get that then': 348214, 'that then stay': 846890, 'then stay in': 877570, 'week not italy': 976581, 'not italy escalates': 570189, 'italy escalates lockdown': 462817, 'escalates lockdown death': 280274, 'lockdown death toll': 499307, 'the ppv': 864181, 'ppv price': 668407, 'ppv towards': 668409, 'not lower the': 570480, 'lower the ppv': 506025, 'the ppv price': 864182, 'ppv price and': 668408, 'price and donate': 672399, 'and donate some': 61649, 'donate some of': 254228, 'of the ppv': 591355, 'the ppv towards': 864183, 'ppv towards covid': 668410, 'magnet': 508425, 'freq': 332799, '20sec': 14927, 'handwashing good': 376833, 'but inadequate': 146040, 'inadequate when': 431214, 'when amp': 983143, 'are germ': 86786, 'germ magnet': 346126, 'magnet mind': 508426, 'phone touch': 655047, 'touch amp': 926446, 'amp freq': 53841, 'freq wipe': 332800, 'wipe alcohol': 996176, 'swab not': 829906, 'well unless': 978721, 'unless rub': 942633, 'rub hand': 726911, 'hand 20sec': 374721, '20sec til': 14928, 'til dry': 895939, 'dry but': 261247, 'dirtiest thing': 243722, 'thing pump': 884699, 'handwashing good but': 376834, 'good but inadequate': 356849, 'but inadequate when': 146041, 'inadequate when amp': 431215, 'when amp are': 983144, 'amp are germ': 53406, 'are germ magnet': 86787, 'germ magnet mind': 346127, 'magnet mind what': 508427, 'mind what your': 532773, 'what your phone': 982719, 'your phone touch': 1025294, 'phone touch amp': 655048, 'touch amp freq': 926447, 'amp freq wipe': 53842, 'freq wipe alcohol': 332801, 'wipe alcohol swab': 996177, 'alcohol swab not': 41124, 'swab not work': 829907, 'not work well': 572539, 'work well unless': 1005991, 'well unless rub': 978722, 'unless rub hand': 942634, 'rub hand 20sec': 726912, 'hand 20sec til': 374722, '20sec til dry': 14929, 'til dry but': 895940, 'dry but of': 261248, 'but of the': 146639, 'of the dirtiest': 590954, 'the dirtiest thing': 853326, 'dirtiest thing pump': 243723, 'thing pump on': 884700, 'pump on sanitizer': 689077, 'on sanitizer dispenser': 603289, 'and carbon': 59553, 'affect investment': 34169, 'investment climate': 443975, 'climate for': 182224, 'for renewables': 325113, 'in low commodity': 424948, 'low commodity and': 505191, 'commodity and carbon': 189123, 'and carbon price': 59555, 'carbon price due': 163412, 'due to could': 261744, 'to could affect': 903614, 'could affect investment': 208797, 'affect investment climate': 34170, 'investment climate for': 443976, 'climate for renewables': 182225, 'about job': 25608, 'job bill': 465701, 'bill given': 130586, 'given know': 351036, 'know let': 476562, 'worried about job': 1010500, 'about job bill': 25609, 'job bill given': 465703, 'bill given know': 130587, 'given know let': 351037, 'know let put': 476563, 'let put our': 487001, 'put our price': 690744, 'our price up': 624451, 'drs': 260835, 'having now': 384194, 'to court': 903642, 'court don': 211986, 'every judge': 285965, 'judge every': 467615, 'every da': 285781, 'da the': 224246, 'state court': 795502, 'court system': 212009, 're ignoring': 698853, 'desperate cry': 238517, 'from drs': 335222, 'drs inside': 260836, 'inside jail': 439300, 'jail you': 464295, 'are signing': 90129, 'signing death': 769633, 'death warrant': 230266, 'warrant with': 967328, 'your unwashed': 1026253, 'having now been': 384195, 'now been to': 574230, 'been to court': 122214, 'to court don': 903643, 'court don know': 211987, 'know how else': 476435, 'how else to': 407798, 'else to say': 271942, 'say this every': 739366, 'this every judge': 887462, 'every judge every': 285966, 'judge every da': 467616, 'every da the': 285782, 'da the city': 224247, 'city and the': 179054, 'the state court': 867762, 'state court system': 795503, 'court system will': 212010, 'system will have': 831381, 'will have blood': 993618, 'blood on their': 133131, 'on their hand': 604485, 'their hand after': 873469, 'hand after this': 374734, 'after this you': 36421, 'this you re': 891616, 'you re ignoring': 1020651, 're ignoring the': 698855, 'ignoring the desperate': 415926, 'the desperate cry': 853193, 'desperate cry from': 238518, 'cry from drs': 219871, 'from drs inside': 335223, 'drs inside jail': 260837, 'inside jail you': 439301, 'jail you are': 464296, 'you are signing': 1017235, 'are signing death': 90130, 'signing death warrant': 769634, 'death warrant with': 230267, 'warrant with your': 967329, 'with your unwashed': 1002241, 'your unwashed hand': 1026254, 'all hell': 43088, 'hell will': 389090, 'break if': 138740, 'is effected': 447443, 'effected food': 269178, 'include american': 431514, 'rancher in': 696541, 'package migrant': 633329, 'to border': 901939, 'restriction limit': 717319, 'all hell will': 43089, 'hell will break': 389091, 'will break if': 992851, 'break if food': 138741, 'if food production': 414121, 'production is effected': 682087, 'is effected food': 447444, 'effected food price': 269179, 'increase we must': 433148, 'we must include': 972422, 'must include american': 546727, 'include american farmer': 431515, 'farmer rancher in': 299485, 'rancher in covid': 696542, '19 relief package': 10085, 'relief package migrant': 709423, 'package migrant farmer': 633330, 'migrant farmer are': 531209, 'not available due': 568300, 'due to border': 261712, 'to border restriction': 901940, 'border restriction limit': 135276, 'havin': 383955, 'store dropped': 807388, 'elderly before': 270616, 'before headed': 122845, 'home removed': 401963, 'removed outside': 710878, 'outside then': 629611, 'store controlled': 807163, 'controlled line': 202247, 'line by': 493020, 'by havin': 152764, 'havin only': 383956, 'only handful': 610568, 'of avail': 580472, 'avail until': 104118, 'until turn': 943910, 'it helped': 458553, 'helped with': 391118, 'with soc': 1000815, 'grocery store dropped': 365347, 'store dropped off': 807389, 'dropped off for': 260608, 'off for elderly': 593827, 'for elderly before': 320988, 'elderly before headed': 270617, 'before headed back': 122846, 'headed back home': 385894, 'back home removed': 107065, 'home removed outside': 401964, 'removed outside then': 710879, 'outside then hit': 629612, 'then hit grocery': 877244, 'grocery store controlled': 365298, 'store controlled line': 807164, 'controlled line by': 202248, 'line by havin': 493021, 'by havin only': 152765, 'havin only handful': 383957, 'only handful of': 610569, 'handful of avail': 376103, 'of avail until': 580474, 'avail until turn': 104119, 'until turn to': 943911, 'turn to shop': 935791, 'shop it helped': 760371, 'it helped with': 458554, 'helped with soc': 391119, 'rey': 720847, 'shopping rey': 763767, 'rey be': 720848, 'like enter': 490169, 'enter discount': 278244, 'online shopping rey': 609252, 'shopping rey be': 763768, 'rey be like': 720849, 'be like enter': 115732, 'like enter discount': 490170, 'enter discount code': 278245, '19 for 50': 7063, 'for 50 off': 318867, 'pursuite': 690227, 'surgicalgown': 828389, 'kindly get': 475132, 'touch if': 926495, 'for certified': 320001, 'tunnel pursuite': 935477, 'pursuite glove': 690228, 'glove n95mask': 352796, 'n95mask surgicalgown': 551255, 'surgicalgown safetyfirst': 828390, 'safetyfirst procurement': 730806, 'procurement hospitality': 680113, 'hospitality hospitalityindustry': 404774, 'hospitalityindustry staysafe': 404823, 'staysafe flattenthecurve': 798810, 'kindly get in': 475133, 'in touch if': 430230, 'touch if you': 926497, 'looking for certified': 502854, 'for certified mask': 320002, 'kit glove sanitizer': 475560, 'glove sanitizer infrared': 352903, 'disinfectant tunnel pursuite': 245789, 'tunnel pursuite glove': 935478, 'pursuite glove n95mask': 690229, 'glove n95mask surgicalgown': 352797, 'n95mask surgicalgown safetyfirst': 551256, 'surgicalgown safetyfirst procurement': 828391, 'safetyfirst procurement hospitality': 730807, 'procurement hospitality hospitalityindustry': 680114, 'hospitality hospitalityindustry staysafe': 404775, 'hospitalityindustry staysafe flattenthecurve': 404824, 'this night': 889142, 'were empty the': 979575, 'empty the locust': 275178, 'like this night': 491510, 'this night shift': 889143, '5ml': 20788, 'killit hand': 474731, 'free 5ml': 331615, '5ml sample': 20789, 'scent doesn': 741391, 'dry out': 261291, 'sunshine killit hand': 818435, 'killit hand sanitizer': 474732, 'sanitizer free 5ml': 734933, 'free 5ml sample': 331616, '5ml sample with': 20790, 'jasmine scent doesn': 464837, 'scent doesn dry': 741392, 'doesn dry out': 251758, 'dry out your': 261292, 'out your skin': 627916, 'the situation covid': 867251, 'health of their': 386690, 'their staff and': 874789, 'includes closing their': 431733, 'closing their retail': 183785, 'their retail location': 874583, 'open free shipping': 612268, 'free shipping to': 332164, 'shipping to canada': 758935, 'smal': 774769, 'ab sadly': 24184, 'sadly think': 729369, 'think stephen': 885564, 'stephen is': 799735, 'correct economic': 207511, 'recovery won': 705426, 'be curve': 114315, 'curve especially': 221853, 'in ab': 419973, 'ab remember': 24182, 'trouble just': 932623, 'plunging of': 661539, 'no revenue': 565360, 'revenue for': 720411, 'two will': 937387, 'hurt lot': 411593, 'of smal': 589782, 'ab sadly think': 24185, 'sadly think stephen': 729370, 'think stephen is': 885565, 'stephen is correct': 799736, 'is correct economic': 446851, 'correct economic recovery': 207512, 'economic recovery won': 267240, 'recovery won be': 705427, 'won be curve': 1003737, 'be curve especially': 114316, 'curve especially not': 221854, 'especially not in': 280552, 'not in ab': 570082, 'in ab remember': 419974, 'ab remember we': 24183, 'remember we were': 710403, 'were in big': 979772, 'big trouble just': 130085, 'trouble just before': 932624, 'just before covid': 468315, 'with the plunging': 1001430, 'the plunging of': 863865, 'plunging of oil': 661540, 'oil price no': 597201, 'price no revenue': 675351, 'no revenue for': 565361, 'revenue for month': 720413, 'or two will': 617580, 'two will hurt': 937388, 'will hurt lot': 993766, 'hurt lot of': 411594, 'lot of smal': 504280, 'state property': 795876, 'property doe': 684267, 'while member': 987054, 'member we': 528233, 'in location': 424828, 'supermarket lockdownsa': 821372, 'lockdownsa lockdownsouthafrica': 500370, 'staying in state': 798644, 'in state property': 428243, 'state property doe': 795877, 'property doe it': 684268, 'doe it mean': 251436, 'it mean we': 459582, 'we can not': 970980, 'can not go': 159047, 'supermarket for grocery': 820400, 'grocery while member': 366139, 'while member we': 987055, 'member we work': 528236, 'we work with': 973953, 'work with are': 1006024, 'with are staying': 997307, 'are staying in': 90374, 'staying in location': 798638, 'in location and': 424829, 'location and next': 498852, 'and next to': 67577, 'same supermarket lockdownsa': 733315, 'supermarket lockdownsa lockdownsouthafrica': 821373, 'torbay': 925874, 'wold': 1003364, 'torbay pm': 925875, 'pm boris': 661867, 'johnson say': 466618, 'pensioner at': 646678, 'risk pensioner': 723818, 'shopping wold': 764455, 'wold be': 1003365, 'but local': 146303, 'local we': 498690, 'get near': 347648, 'future delivery': 342298, 'from sainsburys': 337148, 'where under': 985325, 'torbay pm boris': 925876, 'pm boris johnson': 661868, 'boris johnson say': 135473, 'johnson say to': 466619, 'say to self': 739394, 'isolate and seek': 454816, 'and seek help': 71169, 'seek help of': 746587, 'help of others': 390163, 'of others for': 587392, 'others for pensioner': 621411, 'for pensioner at': 324436, 'pensioner at risk': 646679, 'at risk pensioner': 100385, 'risk pensioner online': 723819, 'pensioner online shopping': 646692, 'online shopping wold': 609352, 'shopping wold be': 764456, 'wold be essential': 1003366, 'be essential but': 114698, 'essential but local': 280872, 'but local we': 146304, 'local we cannot': 498691, 'cannot get near': 161897, 'get near future': 347649, 'near future delivery': 553500, 'future delivery slot': 342299, 'slot from sainsburys': 774199, 'from sainsburys supermarket': 337149, 'sainsburys supermarket where': 731790, 'supermarket where under': 823829, 'where under normal': 985326, 'under normal time': 940178, 'normal time we': 567371, 'time we shop': 898234, 'peoplebeforeprofits': 650598, 'spotted outside': 790209, 'uk community': 938253, 'community health': 189888, 'health love': 386619, 'humanity peoplebeforeprofits': 410766, 'spotted outside the': 790210, 'supermarket uk community': 823599, 'uk community health': 938254, 'community health love': 189889, 'health love humanity': 386620, 'love humanity peoplebeforeprofits': 504702, 'you bumped': 1017543, 'bumped up': 142583, 'sorry that your': 786084, 'that your staff': 847776, 'is wrong can': 454099, 'clarify have you': 180076, 'have you bumped': 383659, 'you bumped up': 1017544, 'bumped up price': 142584, 'up price significantly': 945833, 'price significantly on': 676407, 'erm': 280167, 'innit die': 438811, 'die alone': 241294, 'alone at': 46825, 'your chair': 1023173, 'chair or': 171303, 'in pub': 427063, 'pub with': 687808, 'with mate': 999428, 'mate erm': 520341, 'erm lmao': 280168, 'lmao more': 497156, 'driver this': 259798, 'exposed social': 292868, 'social inequality': 779803, 'inequality whilst': 436352, 'whilst celebrity': 987615, 'celebrity testing': 168903, 'testing holed': 839506, 'innit die alone': 438812, 'die alone at': 241295, 'alone at home': 46826, 'home in your': 401425, 'in your chair': 431066, 'your chair or': 1023174, 'chair or in': 171304, 'or in pub': 615758, 'in pub with': 427067, 'pub with mate': 687809, 'with mate erm': 999429, 'mate erm lmao': 520342, 'erm lmao more': 280169, 'lmao more chance': 497157, 'delivery driver this': 233946, 'driver this really': 259799, 'this really ha': 889823, 'really ha exposed': 702250, 'ha exposed social': 370570, 'exposed social inequality': 292869, 'social inequality whilst': 779805, 'inequality whilst celebrity': 436353, 'whilst celebrity testing': 987616, 'celebrity testing holed': 168904, 'testing holed up': 839507, 'dimwit': 242964, 'insight ppes': 439619, 'ppes are': 668125, 'are procured': 89247, 'way migrant': 969705, 'being sheltered': 125774, 'sheltered and': 757968, 'and provided': 69700, 'water govt': 969014, 'trying it': 934711, 'it level': 459337, 'level best': 487522, 'best without': 128005, 'without dimwit': 1002589, 'dimwit like': 242965, 'you spreading': 1021337, 'spreading misinformation': 791002, 'insight ppes are': 439620, 'ppes are procured': 668126, 'are procured and': 89248, 'procured and on': 680099, 'and on their': 68070, 'their way migrant': 875155, 'way migrant are': 969706, 'migrant are all': 531202, 'are all out': 84333, 'all out of': 43841, 'road and being': 724400, 'and being sheltered': 58870, 'being sheltered and': 125775, 'sheltered and provided': 757969, 'and provided with': 69701, 'provided with food': 686666, 'and water govt': 75239, 'water govt is': 969015, 'govt is trying': 361172, 'is trying it': 453394, 'trying it level': 934712, 'it level best': 459338, 'level best without': 487523, 'best without dimwit': 128006, 'without dimwit like': 1002590, 'dimwit like you': 242966, 'like you spreading': 491879, 'you spreading misinformation': 1021338, 'gentrification': 345858, 'downtown main': 257751, 'restaurant service': 716687, 'been suffering': 122099, 'suffering before': 817287, '19 rent': 10100, 'rent property': 711168, 'property business': 684255, 'tax gentrification': 834994, 'gentrification online': 345859, 'etc how': 282594, 'business local': 144012, 'local govt': 498035, 'govt community': 361095, 'community responding': 190067, 'enough 14': 277305, 'downtown main street': 257752, 'main street retail': 508831, 'street retail restaurant': 813084, 'retail restaurant service': 718459, 'restaurant service had': 716688, 'service had been': 752442, 'had been suffering': 372912, 'been suffering before': 122100, 'suffering before covid': 817288, 'covid 19 rent': 213688, '19 rent property': 10101, 'rent property business': 711169, 'property business tax': 684256, 'business tax gentrification': 144467, 'tax gentrification online': 834995, 'gentrification online shopping': 345860, 'shopping etc how': 762582, 'etc how is': 282595, 'how is business': 408084, 'is business local': 446312, 'business local govt': 144013, 'local govt community': 498036, 'govt community responding': 361096, 'community responding and': 190068, 'responding and is': 715559, 'and is it': 65411, 'it enough 14': 457823, 'possible don': 665633, 'thing only': 884648, 'but support': 147229, 'shop too': 760971, 'too like': 924851, 'your street': 1026007, 'please if possible': 660101, 'if possible don': 414665, 'possible don buy': 665634, 'don buy thing': 253413, 'buy thing only': 149354, 'thing only in': 884649, 'only in supermarket': 610638, 'supermarket but support': 819458, 'but support your': 147230, 'local shop too': 498421, 'shop too like': 760972, 'too like the': 924852, 'like the bakery': 491350, 'the bakery in': 849203, 'bakery in your': 108859, 'in your street': 431127, 'your street they': 1026008, 'street they need': 813144, 'you to survive': 1021846, 'time please let': 897495, 'please let help': 660179, 'quarantined in': 692863, 'nyc for': 577985, 'now finally': 574683, 'finally tried': 306123, 'online how': 608379, 'financially supposed': 306690, 'are overpriced': 88927, 'overpriced and': 631388, 'been self quarantined': 121908, 'self quarantined in': 747876, 'quarantined in nyc': 692864, 'in nyc for': 426019, 'nyc for two': 577986, 'week now finally': 976588, 'now finally tried': 574684, 'finally tried to': 306124, 'do some grocery': 250123, 'some grocery shopping': 783005, 'shopping online how': 763444, 'online how on': 608380, 'how on earth': 408428, 'are struggling financially': 90585, 'struggling financially supposed': 814441, 'financially supposed to': 306691, 'that are overpriced': 842795, 'are overpriced and': 88928, 'overpriced and or': 631389, 'and or only': 68222, 'or only available': 616397, 'only available in': 610133, 'even surviving': 284627, 'surviving comfortably': 829347, 'comfortably would': 187890, 'each employee': 264068, 'tip people': 898872, 'who breathe': 988339, 'breathe all': 139194, 'or even surviving': 615214, 'even surviving comfortably': 284628, 'surviving comfortably would': 829348, 'comfortably would give': 187891, 'pay to each': 645182, 'to each employee': 904823, 'each employee when': 264069, 'restaurant tip people': 716756, 'tip people who': 898874, 'people who breathe': 650267, 'who breathe all': 988340, 'breathe all the': 139195, 'lei': 486101, 'wai': 964053, 'nong': 566642, 'mop10': 538368, 'secretary for': 743956, 'for economy': 320952, 'finance lei': 306216, 'lei wai': 486102, 'wai nong': 964054, 'nong today': 566643, 'today revealed': 920118, 'revealed more': 720268, 'second round': 743810, 'support set': 826812, 'include mop10': 431596, 'mop10 billion': 538369, 'billion billion': 130781, 'billion aid': 130772, 'aid fund': 39392, 'secretary for economy': 743957, 'for economy and': 320953, 'economy and finance': 267643, 'and finance lei': 62865, 'finance lei wai': 306217, 'lei wai nong': 486103, 'wai nong today': 964055, 'nong today revealed': 566644, 'today revealed more': 920119, 'revealed more detail': 720269, 'detail about the': 239149, 'about the second': 26513, 'the second round': 866589, 'second round of': 743811, 'round of financial': 726343, 'of financial support': 583535, 'financial support set': 306614, 'support set to': 826813, 'set to face': 753515, 'to face the': 905575, 'face the covid': 294792, '19 outbreak which': 9207, 'outbreak which will': 628815, 'which will include': 986491, 'will include mop10': 993803, 'include mop10 billion': 431597, 'mop10 billion billion': 538370, 'billion billion aid': 130782, 'billion aid fund': 130773, 'aid fund and': 39393, 'corbyn': 203492, 'ge17': 344929, 'sabotaging': 729011, 'dodged': 251284, 'labourleaks': 478555, 'labourhq': 478553, 'labourwreckersdossier': 478558, 'corbyn would': 203493, 'been pm': 121670, 'pm after': 661850, 'after ge17': 35699, 'ge17 if': 344930, 'it hadn': 458438, 'those sabotaging': 892414, 'sabotaging from': 729012, 'inside praise': 439362, 'praise them': 668870, 'we dodged': 971364, 'dodged bullet': 251285, 'bullet we': 142431, 'had stacked': 373544, 'stacked icu': 791989, 'icu and': 412831, 'all without': 45482, 'without labourleaks': 1002753, 'labourleaks labourhq': 478556, 'labourhq labourwreckersdossier': 478554, 'corbyn would have': 203494, 'have been pm': 379634, 'been pm after': 121671, 'pm after ge17': 661851, 'after ge17 if': 35700, 'ge17 if it': 344931, 'if it hadn': 414307, 'it hadn been': 458439, 'hadn been for': 373844, 'been for those': 121169, 'for those sabotaging': 327133, 'those sabotaging from': 892415, 'sabotaging from the': 729013, 'the inside praise': 858313, 'inside praise them': 439363, 'praise them we': 668871, 'them we dodged': 876586, 'we dodged bullet': 971365, 'dodged bullet we': 251286, 'bullet we would': 142432, 'would have had': 1011879, 'have had stacked': 380876, 'had stacked icu': 373545, 'stacked icu and': 791990, 'icu and empty': 412832, 'shelf all without': 756698, 'all without labourleaks': 45484, 'without labourleaks labourhq': 1002754, 'labourleaks labourhq labourwreckersdossier': 478557, 'need n95': 555282, 'people try': 650026, 'sell these': 748911, 'these on': 880367, 'various website': 952658, 'for crazy': 320444, 'crazy high': 215309, 'price donate': 673496, 'hospital you': 404744, 'you asshole': 1017328, 'worker need n95': 1007425, 'need n95 mask': 555283, 'themselves from covid': 876808, 'me sick to': 523463, 'sick to see': 768644, 'see people try': 745571, 'people try to': 650027, 'try to sell': 934662, 'to sell these': 914181, 'sell these on': 748912, 'these on various': 880368, 'on various website': 605024, 'various website for': 952659, 'website for crazy': 975265, 'for crazy high': 320445, 'crazy high price': 215310, 'high price donate': 395246, 'price donate them': 673497, 'to hospital you': 907982, 'hospital you asshole': 404745, 'york banker': 1016581, 'banker must': 110375, 'consider forbearance': 194999, 'forbearance other': 328274, 'new york banker': 559921, 'york banker must': 1016582, 'banker must consider': 110376, 'must consider forbearance': 546603, 'consider forbearance other': 195000, 'forbearance other consumer': 328275, 'other consumer protection': 620001, 'we print': 972747, 'print all': 678261, 'all barcode': 42117, 'barcode label': 110849, 'label that': 478356, 'tell every': 836947, 'purchase we': 689718, 'important this': 419037, 'we print all': 972748, 'print all barcode': 678262, 'all barcode label': 42118, 'barcode label that': 110850, 'label that tell': 478357, 'that tell every': 846629, 'tell every store': 836948, 'uk where to': 938886, 'where to deliver': 985302, 'to deliver your': 904121, 'deliver your online': 233277, 'online purchase we': 608831, 'purchase we will': 689720, 'continue to distribute': 201179, 'to distribute them': 904450, 'them to all': 876453, 'all store we': 44505, 'how important this': 408040, 'important this is': 419038, 'is and we': 445713, 'let you down': 487214, 'you down stay': 1018354, 'safe buy your': 729530, 'your food online': 1023921, 'go while': 354498, 'rapidly emptied': 696977, 'emptied we': 274704, 'the moisturizer': 860728, 'moisturizer bit': 535613, 'news is everywhere': 560553, 'is everywhere you': 447601, 'everywhere you go': 288292, 'you go while': 1018872, 'go while supermarket': 354499, 'while supermarket shelf': 987351, 'shelf are rapidly': 756821, 'are rapidly emptied': 89434, 'rapidly emptied we': 696978, 'emptied we are': 274705, 'we are encouraged': 970540, 'encouraged to stock': 275673, 'stock up not': 803101, 'up not stockpile': 945477, 'stockpile and the': 803718, 'and the moisturizer': 73478, 'the moisturizer bit': 860729, 'moisturizer bit is': 535614, 'bit is so': 131590, 'adrenalin': 32765, 'sweep ha': 830125, 'become something': 120137, 'an adrenalin': 55136, 'adrenalin sport': 32766, 'sport here': 789932, 'the supermarket sweep': 868838, 'supermarket sweep ha': 823093, 'sweep ha become': 830127, 'ha become something': 369695, 'become something of': 120138, 'something of an': 784992, 'of an adrenalin': 580099, 'an adrenalin sport': 55137, 'adrenalin sport here': 32767, 'sport here how': 789933, 'smart and eat': 775334, 'and eat well': 61879, 'eat well during': 266101, 'well during the': 978214, '4a': 19422, 'latest 4a': 481192, '4a covid': 19425, 'the culture': 852566, 'culture lab': 220301, 'lab think': 478304, 'think tank': 885580, 'member agency': 528000, 'it quarterly': 460578, 'quarterly cultural': 693276, 'cultural digest': 220270, 'digest taking': 242453, 'on multicultural': 602249, 'latest 4a covid': 481193, '4a covid 19': 19426, '19 news the': 8780, 'news the culture': 560864, 'the culture lab': 852567, 'culture lab think': 220302, 'lab think tank': 478305, 'think tank of': 885581, 'tank of member': 834220, 'of member agency': 586428, 'member agency ha': 528001, 'agency ha released': 38018, 'released it quarterly': 709056, 'it quarterly cultural': 460579, 'quarterly cultural digest': 693277, 'cultural digest taking': 220271, 'digest taking it': 242454, 'taking it first': 833407, 'it first look': 458028, 'pandemic on multicultural': 636090, 'on multicultural consumer': 602250, 'multicultural consumer group': 545688, 'in the read': 429499, 'televangelist are': 836841, 'survival meal': 829053, 'for 750': 318917, '750 for': 22184, 'food almost': 313098, 'almost sure': 46744, 'least 200': 484345, '200 cheaper': 13469, 'cheaper two': 174288, 'televangelist are making': 836842, 'killing from the': 474679, '19 panic they': 9562, 're selling their': 699480, 'selling their survival': 749489, 'their survival meal': 874929, 'survival meal for': 829054, 'meal for 750': 524147, 'for 750 for': 318918, '750 for 60': 22185, '60 day worth': 20934, 'of food almost': 583640, 'food almost sure': 313099, 'almost sure it': 46745, 'sure it wa': 827607, 'it wa at': 462067, 'at least 200': 99445, 'least 200 cheaper': 484346, '200 cheaper two': 13470, 'cheaper two month': 174289, 'petrochem': 653666, 'key petrochem': 473359, 'petrochem market': 653667, 'asia fell': 95176, '2008 faced': 13659, 'with shrinking': 1000716, 'may worsen': 521617, 'price of key': 675482, 'of key petrochem': 585615, 'key petrochem market': 473360, 'petrochem market in': 653668, 'market in asia': 516549, 'in asia fell': 420519, 'asia fell to': 95177, 'their lowest since': 873896, 'lowest since 2008': 506226, 'since 2008 faced': 770456, '2008 faced with': 13660, 'faced with shrinking': 295048, 'with shrinking demand': 1000717, 'shrinking demand that': 767710, 'demand that may': 236335, 'that may worsen': 845092, 'may worsen growing': 521618, 'to 2003': 899588, 'sars wa': 736825, 'wa popular': 962959, 'popular in': 664560, 'china at': 176508, 'time alibaba': 896220, 'alibaba grows': 41713, 'grows quickly': 367324, 'quickly with': 694642, 'their main': 873903, 'main product': 508800, 'product taobao': 681679, 'taobao people': 834311, 'people couldn': 647565, 'couldn go': 209892, 'with taobao': 1001117, 'taobao in': 834307, 'period online': 651863, 'back to 2003': 107348, 'to 2003 sars': 899589, '2003 sars wa': 13600, 'sars wa popular': 736826, 'wa popular in': 962960, 'popular in china': 664561, 'in china at': 421391, 'china at that': 176510, 'that time alibaba': 847039, 'time alibaba grows': 896221, 'alibaba grows quickly': 41714, 'grows quickly with': 367325, 'quickly with their': 694644, 'with their main': 1001583, 'their main product': 873904, 'main product taobao': 508801, 'product taobao people': 681680, 'taobao people couldn': 834312, 'people couldn go': 647566, 'couldn go out': 209894, 'out at that': 625749, 'that time so': 847048, 'time so they': 897700, 'so they had': 778471, 'online with taobao': 609749, 'with taobao in': 1001118, 'taobao in the': 834308, 'in the recent': 429501, '19 period online': 9648, 'period online shopping': 651864, 'is the main': 452856, 'main way to': 508851, 'buy in china': 148812, 'price kitco': 674995, 'kitco news': 475795, 'news bitcoin': 560272, 'for price kitco': 324722, 'price kitco news': 674996, 'kitco news bitcoin': 475796, 'ceasefire': 168719, 'the 12th': 847881, '12th episode': 3136, 'my saudi': 549989, 'arabia vlog': 83962, 'vlog is': 959871, 'youtube now': 1026913, 'now discus': 574534, 'the g20': 856099, 'g20 virtual': 342674, 'virtual summit': 957799, 'summit the': 818040, 'potential yemen': 667179, 'yemen ceasefire': 1015313, 'ceasefire internet': 168720, 'internet use': 442044, 'in saudiarabia': 427708, 'saudiarabia during': 737332, 'hit 10': 398085, 'barrel watch': 111299, 'the 12th episode': 847882, '12th episode of': 3137, 'episode of my': 279542, 'of my saudi': 586814, 'my saudi arabia': 549990, 'saudi arabia vlog': 737226, 'arabia vlog is': 83963, 'vlog is on': 959872, 'is on youtube': 450495, 'on youtube now': 605527, 'youtube now discus': 1026914, 'now discus the': 574535, 'discus the g20': 244920, 'the g20 virtual': 856101, 'g20 virtual summit': 342675, 'virtual summit the': 957800, 'summit the potential': 818041, 'the potential yemen': 864131, 'potential yemen ceasefire': 667180, 'yemen ceasefire internet': 1015314, 'ceasefire internet use': 168721, 'internet use in': 442045, 'use in saudiarabia': 949280, 'in saudiarabia during': 427709, 'saudiarabia during the': 737333, 'and the potential': 73522, 'potential for oil': 667077, 'for oil price': 324042, 'to hit 10': 907838, 'hit 10 barrel': 398086, '10 barrel watch': 1333, 'evanston': 283763, 'several evanston': 753842, 'evanston grocery': 283764, 'have implemented': 381026, 'implemented senior': 418481, 'list please': 494513, 'several evanston grocery': 753843, 'evanston grocery store': 283765, 'store have implemented': 808084, 'have implemented senior': 381029, 'implemented senior shopping': 418482, 'hour to allow': 406012, 'to allow those': 900362, 'allow those most': 46096, '19 to have': 11431, 'to have priority': 907290, 'have priority for': 382048, 'the store list': 868049, 'store list please': 808777, 'list please check': 494514, 'to ftc': 906280, 'ftc data': 339395, 'complaint doubled': 191965, 'scam mobile': 740248, 'mobile texting': 535030, 'texting scam': 839986, 'business imposter': 143871, 'most prevalent': 542656, 'according to ftc': 28544, 'to ftc data': 906281, 'ftc data related': 339396, 'data related fraud': 226380, 'related fraud complaint': 708449, 'fraud complaint doubled': 331246, 'complaint doubled in': 191966, 'doubled in about': 256116, 'about week online': 26871, 'week online shopping': 976690, 'shopping scam mobile': 763809, 'scam mobile texting': 740249, 'mobile texting scam': 535031, 'texting scam and': 839987, 'scam and government': 740001, 'and government and': 63876, 'and business imposter': 59284, 'business imposter scam': 143872, 'imposter scam are': 419416, 'scam are among': 740036, 'the most prevalent': 861019, 'website wa': 975468, 'this website wa': 891173, 'website wa helpful': 975469, 'wa helpful to': 962306, 'helpful to my': 391242, 'to my research': 910432, 'westchester': 980573, 'one westchester': 607420, 'westchester town': 980574, 'town will': 927590, 'take temperature': 832625, 'one westchester town': 607421, 'westchester town will': 980575, 'town will take': 927591, 'will take temperature': 995081, 'take temperature of': 832626, 'temperature of store': 837388, 'of store employee': 590249, 'hbp': 384643, 'tennessee is': 837956, 'get hit': 347232, 'careful were': 164447, 'were mask': 979873, 'glove if': 352727, 'month supply': 538023, 'your cat': 1023165, 'cat and': 166827, 'yourself hbp': 1026637, 'hbp flu': 384644, 'tennessee is about': 837957, 'to get hit': 906501, 'get hit hard': 347233, '19 be careful': 5317, 'be careful were': 114001, 'careful were mask': 164448, 'were mask and': 979874, 'latex glove if': 481619, 'glove if you': 352728, 'you go grocery': 1018852, 'grocery shopping stock': 365085, 'up on pasta': 945602, 'on pasta egg': 602709, 'egg and toilet': 269773, 'paper now get': 640518, 'now get at': 574768, 'get at least': 346615, 'least month supply': 484562, 'month supply of': 538024, 'food for your': 314589, 'for your cat': 328128, 'your cat and': 1023166, 'cat and yourself': 166829, 'and yourself hbp': 76107, 'yourself hbp flu': 1026638, 'kigali': 474286, 'in kigali': 424502, 'kigali fined': 474287, 'trader in kigali': 928697, 'in kigali fined': 424503, 'kigali fined for': 474288, 'hiking price to': 396409, 'price to take': 677051, 'comparative': 191378, 'quick comparative': 694299, 'comparative analysis': 191379, 'which metal': 986156, 'metal is': 529633, 'over perform': 630497, 'perform when': 651421, 'recovery come': 705305, 'quick comparative analysis': 694300, 'comparative analysis of': 191380, 'crisis on base': 217809, 'on base metal': 599571, 'metal price and': 529647, 'price and which': 672582, 'and which metal': 75561, 'which metal is': 986157, 'metal is most': 529634, 'is most likely': 449741, 'likely to over': 492165, 'to over perform': 911295, 'over perform when': 630498, 'perform when the': 651422, 'when the recovery': 984192, 'the recovery come': 865371, 'available still': 104602, 'still for': 800542, 'on gift': 601092, 'card right': 163633, 'now shoplocal': 575808, 'friend have closed': 333630, 'door to walk': 255760, 'walk in traffic': 964813, 'in traffic due': 430261, '19 however they': 7619, 'however they are': 409494, 'are available still': 84717, 'available still for': 104603, 'still for online': 800543, 'shopping they also': 764116, 'they also have': 881149, 'also have deal': 48326, 'have deal on': 380188, 'deal on gift': 229452, 'on gift card': 601093, 'gift card right': 349953, 'card right now': 163634, 'right now shoplocal': 722133, 'excellent online': 289099, 'online drop': 608133, 'session coming': 753277, 'with wale': 1002012, 'wale to': 964706, 'improve online': 419533, 'online skill': 609375, 'skill it': 772961, 'shopping keeping': 763128, 'staying busy': 798580, 'busy amp': 144861, 'amp finding': 53799, 'finding accurate': 307429, 'accurate health': 28894, 'are some excellent': 90265, 'some excellent online': 782780, 'excellent online drop': 289100, 'online drop in': 608134, 'drop in session': 260274, 'in session coming': 427827, 'session coming up': 753278, 'up with wale': 946700, 'with wale to': 1002013, 'wale to help': 964707, 'help you amp': 390951, 'you amp people': 1016962, 'amp people you': 54286, 'people you support': 650580, 'you support to': 1021486, 'support to improve': 826946, 'to improve online': 908203, 'improve online skill': 419534, 'online skill it': 609376, 'skill it can': 772962, 'it can help': 457020, 'online shopping keeping': 609166, 'shopping keeping in': 763129, 'keeping in touch': 472450, 'touch with people': 926581, 'with people staying': 1000169, 'people staying busy': 649571, 'staying busy amp': 798581, 'busy amp finding': 144862, 'amp finding accurate': 53800, 'finding accurate health': 307430, 'accurate health information': 28895, 'photo when': 655269, 'you grab': 1018923, 'this photo when': 889568, 'photo when you': 655270, 'when you grab': 984566, 'you grab more': 1018924, 'grab more than': 361508, '19 given': 7215, 'contact many': 200131, 'be potentially': 116493, 'potentially at': 667186, 'special risk': 788044, 'and headline': 64342, 'post yesterday': 666421, 'covid 19 given': 213145, '19 given the': 7216, 'given the contact': 351132, 'the contact many': 851642, 'contact many grocery': 200132, 'worker have with': 1007095, 'have with the': 383609, 'public they would': 688367, 'they would seem': 883954, 'would seem to': 1012232, 'to be potentially': 901449, 'be potentially at': 116494, 'potentially at special': 667187, 'at special risk': 100604, 'special risk from': 788045, '19 and headline': 5041, 'and headline in': 64343, 'headline in the': 386000, 'in the washington': 429661, 'washington post yesterday': 967798, 'barometer for': 111148, 'endure another': 276297, 'serf barometer for': 751187, 'barometer for the': 111149, 'economy in crisis': 267963, 'in crisis bloomberg': 421875, 'consumer company will': 196844, 'liquidity to endure': 494157, 'to endure another': 905100, 'endure another month': 276298, 'quick stop': 694388, 'for necessary': 323791, 'walmart curbside': 965304, 'pickup tomorrow': 656041, 'tomorrow daughter': 924061, 'daughter masked': 226886, 'masked up': 519626, 'up odd': 945492, 'time precaution': 897516, 'make quick stop': 510382, 'quick stop inside': 694389, 'stop inside grocery': 804773, 'store for necessary': 807823, 'for necessary item': 323792, 'necessary item not': 554013, 'item not available': 463476, 'available in walmart': 104457, 'in walmart curbside': 430668, 'walmart curbside pickup': 965305, 'curbside pickup tomorrow': 220663, 'pickup tomorrow daughter': 656042, 'tomorrow daughter masked': 924062, 'daughter masked up': 226887, 'masked up odd': 519627, 'up odd time': 945493, 'odd time precaution': 579196, 'whenever my': 984664, 'tp before': 927767, 'before afternoon': 122609, 'afternoon these': 36721, 'left get': 485478, 'feeling many': 303023, 'have aversion': 379385, 'aversion to': 104921, 'using napkin': 950570, 'napkin tp': 551861, 'tp after': 927725, 'their dinner': 873021, 'dinner toiletpaper': 243102, 'toiletpaper grocerystores': 922038, 'whenever my store': 984665, 'my store sell': 550228, 'store sell out': 810030, 'sell out of': 748839, 'of tp before': 592360, 'tp before afternoon': 927768, 'before afternoon these': 122610, 'afternoon these are': 36722, 'these are all': 879606, 'are all that': 84362, 'that left get': 844864, 'left get the': 485479, 'the feeling many': 855101, 'feeling many have': 303024, 'many have aversion': 514120, 'have aversion to': 379386, 'aversion to using': 104922, 'to using napkin': 918088, 'using napkin tp': 950571, 'napkin tp after': 551862, 'tp after year': 927727, 'year of using': 1014799, 'of using them': 592723, 'using them for': 950738, 'for their dinner': 326818, 'their dinner toiletpaper': 873023, 'dinner toiletpaper grocerystores': 243103, 'to institute': 908422, 'institute standard': 440432, 'standard safety': 793696, 'safety practice': 730680, 'time to institute': 898003, 'to institute standard': 908423, 'institute standard safety': 440433, 'standard safety practice': 793697, 'safety practice for': 730681, 'practice for supermarket': 668570, 'supermarket to provide': 823399, 'provide safe place': 686457, 'safe place to': 729886, 'caption abt': 162929, 'abt panic': 27542, 'tough we': 926876, 'start enjoy': 794291, 'with caption abt': 997538, 'caption abt panic': 162930, 'abt panic buying': 27543, 'it thing going': 461636, 'thing going to': 884370, 'be tough we': 117776, 'tough we should': 926877, 'panic ll start': 638284, 'll start enjoy': 497028, 'start enjoy this': 794292, 'kertching': 473150, 'gift that': 350027, 'on giving': 601094, 'giving profiteering': 351375, 'profiteering kertching': 683060, 'kertching more': 473151, 'time hundred': 896957, 'production transportation': 682259, 'transportation gone': 930008, 'gift that keep': 350028, 'that keep on': 844804, 'keep on giving': 471704, 'on giving profiteering': 601096, 'giving profiteering kertching': 351376, 'profiteering kertching more': 683061, 'kertching more price': 473152, 'more price increase': 540140, 'midst of unprecedented': 530797, 'of unprecedented time': 592657, 'unprecedented time hundred': 943198, 'time hundred of': 896958, 'hundred of price': 411008, 'of price have': 588406, 'up have the': 945063, 'have the cost': 382970, 'of production transportation': 588514, 'production transportation gone': 682260, 'transportation gone up': 930009, 'domesticterrorism': 253255, 'with domesticterrorism': 998111, 'domesticterrorism for': 253256, 'on clerk': 599937, 'store government': 807961, 'government demanded': 360017, 'demanded the': 236558, 'the domesticterrorism': 853534, 'domesticterrorism man': 253258, 'clerk said': 181761, 'oh btw': 596367, 'btw have': 141538, 'nj man charged': 563445, 'charged with domesticterrorism': 173427, 'with domesticterrorism for': 998112, 'domesticterrorism for coughing': 253257, 'coughing on clerk': 208715, 'on clerk in': 599938, 'clerk in grocery': 181723, 'grocery store government': 365438, 'store government demanded': 807962, 'government demanded the': 360018, 'demanded the domesticterrorism': 236559, 'the domesticterrorism man': 853535, 'domesticterrorism man coughed': 253259, 'coughed on clerk': 208622, 'on clerk said': 599939, 'clerk said oh': 181762, 'said oh btw': 731276, 'oh btw have': 596368, 'mello': 527961, 'hire 00': 396970, 'temporary worker': 837722, 'region most': 707436, 'by mello': 153197, 'supermarket to hire': 823379, 'to hire 00': 907785, 'hire 00 temporary': 396971, '00 temporary worker': 508, 'temporary worker in': 837723, 'worker in region': 1007197, 'in region most': 427353, 'region most affected': 707437, 'affected by mello': 34317, 'now federal': 574675, 'federal update': 302078, 'president thanks': 670913, 'thanks grocery': 842095, 'now federal update': 574676, 'federal update president': 302079, 'update president thanks': 947179, 'president thanks grocery': 670914, 'thanks grocery store': 842096, 'retail worker for': 718884, 'worker for working': 1006978, 'working during pandemic': 1008603, 'nfid': 561770, 'schaffner': 741417, 'with nfid': 999720, 'nfid medical': 561771, 'medical director': 526131, 'director william': 243679, 'william schaffner': 995438, 'schaffner md': 741418, 'md via': 522292, 'via stopthespread': 956263, 'store how to': 808224, 'interpret new advice': 442087, 'new advice with': 558326, 'advice with nfid': 33556, 'with nfid medical': 999721, 'nfid medical director': 561772, 'medical director william': 526132, 'director william schaffner': 243680, 'william schaffner md': 995439, 'schaffner md via': 741419, 'md via stopthespread': 522293, 'nopanicbuying': 566889, 'ceo wa': 169877, 'wa quoted': 963030, 'today urging': 920420, 'urging folk': 948424, 'hoarding which': 399656, 'store nopanicbuying': 809095, 'nopanicbuying stophoarding': 566890, 'stophoarding grocerystore': 805406, 'grocerystore toiletpaper': 366336, 'our president ceo': 624431, 'president ceo wa': 670785, 'ceo wa quoted': 169879, 'wa quoted in': 963031, 'quoted in today': 695020, 'in today urging': 430167, 'today urging folk': 920421, 'urging folk to': 948425, 'folk to stop': 312282, 'and hoarding which': 64668, 'hoarding which lead': 399658, 'to shortage on': 914532, 'shortage on the': 765148, 'grocery store nopanicbuying': 365594, 'store nopanicbuying stophoarding': 809096, 'nopanicbuying stophoarding grocerystore': 566891, 'stophoarding grocerystore toiletpaper': 805407, 'installers follow': 440036, 'follow safe': 312496, 'safe contactless': 729560, 'contactless practice': 200382, 'to we are': 918401, 'our installers follow': 623564, 'installers follow safe': 440037, 'follow safe contactless': 312497, 'safe contactless practice': 729561, 'contactless practice call': 200383, 'fbi warns': 300708, 'scam stayhome': 740371, 'stayhome shopping': 798108, 'fbi warns of': 300710, 'warns of online': 967269, 'shopping scam stayhome': 763812, 'scam stayhome shopping': 740372, 'well worth': 978769, 'worth read': 1011424, 'and lesson': 66099, 'key difference': 473271, 'difference being': 241809, 'already geared': 47369, 'when lockdown': 983700, 'lockdown started': 499948, 'started whereas': 794913, 'whereas food': 985417, 'retail wa': 718838, 'wa definitely': 961931, 'not ready': 571222, 'well worth read': 978770, 'worth read from': 1011425, 'from on consumer': 336662, 'trend during and': 931326, 'during and lesson': 262454, 'and lesson from': 66100, 'lesson from china': 486479, 'china the key': 176985, 'the key difference': 858754, 'key difference being': 473272, 'difference being retail': 241810, 'being retail in': 125694, 'retail in china': 718201, 'in china wa': 421445, 'china wa already': 177043, 'wa already geared': 961486, 'already geared up': 47370, 'geared up for': 345016, 'up for when': 944974, 'for when lockdown': 327819, 'when lockdown started': 983702, 'lockdown started whereas': 499949, 'started whereas food': 794914, 'whereas food retail': 985418, 'food retail wa': 316215, 'retail wa definitely': 718839, 'wa definitely not': 961932, 'definitely not ready': 232377, 'not ready for': 571223, 'for the equivalent': 326415, 'equivalent of christmas': 279986, 'the quake': 864946, 'quake hit': 691689, 'hit smith': 398403, 'bountiful had': 136872, 'had elderly': 373067, '19 hour': 7588, 'and accommodation': 57594, 'accommodation they': 28468, 'when the quake': 984190, 'the quake hit': 864947, 'quake hit smith': 691690, 'hit smith grocery': 398404, 'in bountiful had': 420933, 'bountiful had elderly': 136873, 'had elderly shopper': 373068, 'shopper in store': 761566, 'to new covid': 910553, 'covid 19 hour': 213225, '19 hour and': 7589, 'hour and accommodation': 405389, 'and accommodation they': 57597, 'accommodation they had': 28470, 'looking to online': 503038, 'shopping now more': 763363, 'sx3': 830647, 'foodtrace': 318237, 'supplychainsecurity': 826271, 'fooddemand': 317905, 'blockchaininnovation': 132845, 'aglivexsx3': 38300, 'sx3australia': 830650, 'supplychain and': 826161, 'only struggling': 611214, 'fill crushing': 305456, 'crushing demand': 219815, 'demand sx3': 236311, 'sx3 foodtrace': 830648, 'foodtrace supplychainsecurity': 318238, 'supplychainsecurity blockchain': 826272, 'blockchain fooddemand': 132839, 'fooddemand foodsecurity': 317906, 'foodsecurity blockchaininnovation': 318069, 'blockchaininnovation aglivexsx3': 132846, 'aglivexsx3 sx3australia': 38301, 'affecting the supplychain': 34572, 'the supplychain and': 868972, 'supplychain and food': 826162, 'are now not': 88573, 'now not only': 575377, 'not only struggling': 570831, 'only struggling to': 611215, 'struggling to fill': 814502, 'to fill crushing': 905838, 'fill crushing demand': 305457, 'crushing demand sx3': 219816, 'demand sx3 foodtrace': 236312, 'sx3 foodtrace supplychainsecurity': 830649, 'foodtrace supplychainsecurity blockchain': 318239, 'supplychainsecurity blockchain fooddemand': 826273, 'blockchain fooddemand foodsecurity': 132840, 'fooddemand foodsecurity blockchaininnovation': 317907, 'foodsecurity blockchaininnovation aglivexsx3': 318070, 'blockchaininnovation aglivexsx3 sx3australia': 132847, 'your input': 1024494, 'input matter': 438982, 'matter join': 520589, 'ecommerce community': 266734, 'taking short': 833566, 'habit all': 372543, 'all info': 43226, 'info collected': 437448, 'collected is': 186361, 'is anonymous': 445725, 'anonymous by': 77452, 'survey you': 828988, 'be entered': 114691, 'entered to': 278379, '500 gift': 19993, 'card of': 163589, 'your input matter': 1024495, 'input matter join': 438983, 'matter join in': 520590, 'join in helping': 466749, 'helping the ecommerce': 391489, 'the ecommerce community': 853879, 'ecommerce community during': 266735, '19 by taking': 5577, 'by taking short': 154206, 'taking short survey': 833567, 'short survey about': 764720, 'survey about your': 828807, 'about your buying': 26990, 'buying habit all': 150454, 'habit all info': 372544, 'all info collected': 43227, 'info collected is': 437449, 'collected is anonymous': 186362, 'is anonymous by': 445726, 'anonymous by taking': 77453, 'taking this survey': 833621, 'this survey you': 890458, 'survey you will': 828990, 'will be entered': 992446, 'be entered to': 114692, 'entered to win': 278380, 'win 500 gift': 995532, '500 gift card': 19994, 'gift card of': 349948, 'card of your': 163591, 'mumbaikers': 546036, 'initially sparked': 438579, 'unrest from': 943349, 'from surat': 337526, 'surat will': 827470, 'mumbai recently': 546025, 'recently quarantine': 704140, 'quarantine ha': 692237, 'become severe': 120126, 'severe even': 754013, 'small fruit': 774963, 'fruit seller': 339139, 'seller is': 749036, 'street since': 813112, 'prohibited mumbaikers': 683426, 'mumbaikers are': 546037, 'initially sparked by': 438580, 'sparked by panic': 787575, 'by panic at': 153516, 'at the age': 100871, 'of 19 there': 579418, 'are now fear': 88549, 'fear that the': 301370, 'that the migrant': 846775, 'the migrant worker': 860589, 'worker unrest from': 1008080, 'unrest from surat': 943350, 'from surat will': 337527, 'surat will spread': 827471, 'will spread to': 994928, 'spread to mumbai': 790857, 'to mumbai recently': 910357, 'mumbai recently quarantine': 546026, 'recently quarantine ha': 704141, 'quarantine ha become': 692238, 'ha become severe': 369692, 'become severe even': 120127, 'severe even in': 754014, 'even in small': 284246, 'in small shop': 428023, 'shop small fruit': 760793, 'small fruit seller': 774964, 'fruit seller is': 339140, 'seller is afraid': 749037, 'is afraid to': 445408, 'afraid to sell': 35025, 'sell them on': 748909, 'the street since': 868249, 'street since it': 813113, 'it is prohibited': 459047, 'is prohibited mumbaikers': 451084, 'prohibited mumbaikers are': 683427, 'mumbaikers are facing': 546038, 'are facing food': 86415, 'industry those': 436161, 'grow food': 367027, 'food work': 317663, 'shelf maybe': 757316, 'and compensation': 60215, 'compensation you': 191578, 'deserve you': 238142, 'go not': 353856, 'not investor': 570170, 'to all in': 900257, 'healthcare industry those': 387147, 'industry those who': 436162, 'who grow food': 988822, 'grow food work': 367028, 'food work in': 317664, 'the factory and': 854840, 'factory and those': 295923, 'those who drive': 892633, 'the truck to': 870037, 'truck to those': 932871, 'who stock the': 989684, 'the shelf maybe': 866856, 'shelf maybe now': 757317, 'maybe now you': 521764, 'now you ll': 576513, 'get the respect': 348289, 'respect and compensation': 714961, 'and compensation you': 60217, 'compensation you deserve': 191579, 'you deserve you': 1018187, 'deserve you make': 238143, 'you make this': 1019764, 'make this all': 510631, 'this all go': 886266, 'all go not': 42943, 'go not investor': 353857, 'welcomed': 977919, 'this necessary': 889096, 'necessary regulation': 554059, 'regulation protects': 708098, 'protects consumer': 685835, 'from exploitation': 335367, 'of excessive': 583291, 'sanitisers medicine': 734090, 'medicine non': 526847, 'minister ability': 533321, 'react swiftly': 700140, 'swiftly under': 830336, 'these extreme': 879988, 'circumstance is': 178728, 'is welcomed': 453837, 'welcomed read': 977922, 'this necessary regulation': 889097, 'necessary regulation protects': 554060, 'regulation protects consumer': 708099, 'protects consumer from': 685836, 'consumer from exploitation': 197555, 'from exploitation of': 335368, 'exploitation of excessive': 292389, 'of excessive price': 583292, 'price for hand': 673974, 'for hand sanitisers': 322107, 'hand sanitisers medicine': 375266, 'sanitisers medicine non': 734091, 'medicine non perishable': 526848, 'perishable food the': 651977, 'food the minister': 317122, 'the minister ability': 860656, 'minister ability to': 533322, 'ability to react': 24398, 'to react swiftly': 912816, 'react swiftly under': 700141, 'swiftly under these': 830337, 'under these extreme': 940349, 'these extreme circumstance': 879989, 'extreme circumstance is': 293785, 'circumstance is welcomed': 178729, 'is welcomed read': 453838, 'orangecounty ca': 617944, 'up foodbanks': 944907, 'foodbanks resource': 317838, 'resource due': 714757, 'hoarding stockpiling': 399541, 'volunteer there': 960344, 'good ref': 357641, 'ref in': 706469, 'orangecounty ca is': 617945, 'ca is having': 154889, 'having to amp': 384331, 'amp up foodbanks': 54763, 'up foodbanks resource': 944908, 'foodbanks resource due': 317839, 'resource due to': 714758, 'buying hoarding stockpiling': 150494, 'hoarding stockpiling and': 399542, 'stockpiling and shortage': 803909, 'shortage of volunteer': 765145, 'of volunteer there': 592860, 'volunteer there are': 960345, 'are some good': 90266, 'some good ref': 782973, 'good ref in': 357642, 'ref in here': 706470, 'regulation effort': 708065, 'effort being': 269485, 'virus social': 958765, 'impossible and': 419351, 'there wa supermarket': 879277, 'wa supermarket employee': 963361, 'employee in delaware': 273958, 'delaware county that': 232653, 'county that ha': 211503, 'that ha contracted': 844113, 'are no regulation': 88280, 'no regulation effort': 565325, 'regulation effort being': 708066, 'effort being made': 269486, 'being made in': 125411, 'in the essential': 429176, 'the essential business': 854498, 'essential business to': 280866, 'business to help': 144538, 'the virus social': 870892, 'virus social distancing': 958766, 'distancing is impossible': 247249, 'is impossible and': 448740, 'impossible and employee': 419352, 'time 41': 896188, 'died many': 241579, 'many do': 514002, 'equipment stayhome': 279831, 'cannot socialdistancing': 162111, 'glove period': 352860, 'not reuse': 571367, 'reuse glove': 720176, 'this time 41': 890613, 'time 41 grocery': 896189, '41 grocery store': 18864, 'worker died many': 1006783, 'died many do': 241580, 'many do not': 514003, 'not have proper': 569859, 'have proper protective': 382085, 'proper protective equipment': 684143, 'protective equipment stayhome': 685735, 'equipment stayhome and': 279832, 'stayhome and if': 797944, 'you cannot socialdistancing': 1017880, 'cannot socialdistancing mask': 162112, 'socialdistancing mask glove': 780520, 'mask glove period': 518742, 'glove period and': 352861, 'period and when': 651712, 're done do': 698562, 'done do not': 254819, 'do not reuse': 249828, 'not reuse glove': 571368, 'reuse glove and': 720177, 'and mask unless': 66769, 'unless you clean': 942666, 'you clean them': 1017965, 'some airline': 782271, 'airline really': 40004, 'really taking': 702639, 'piss seen': 656954, 'some genuine': 782947, 'genuine case': 345862, 'charging is': 173497, 'astronomical disgraceful': 97255, 'disgraceful to': 245334, 'do such': 250189, 'during genuine': 262654, 'genuine pandemic': 345868, 'consideration what': 195270, 'what so': 982200, 'so ever': 776966, 'ever just': 285380, 'some airline really': 782273, 'airline really taking': 40005, 'really taking the': 702640, 'taking the piss': 833594, 'the piss seen': 863754, 'piss seen some': 656955, 'seen some genuine': 747245, 'some genuine case': 782948, 'genuine case of': 345863, 'case of people': 165921, 'of people trying': 588010, 'get home and': 347238, 'the price some': 864417, 'price some airline': 676550, 'some airline are': 782272, 'airline are charging': 39926, 'are charging is': 85254, 'charging is astronomical': 173498, 'is astronomical disgraceful': 445840, 'astronomical disgraceful to': 97256, 'disgraceful to do': 245335, 'to do such': 904563, 'do such thing': 250190, 'such thing during': 816812, 'thing during genuine': 884290, 'during genuine pandemic': 262655, 'genuine pandemic no': 345869, 'pandemic no consideration': 636039, 'no consideration what': 563879, 'consideration what so': 195271, 'what so ever': 982201, 'so ever just': 776967, 'ever just out': 285381, 'just out to': 469415, 'out to take': 627687, 'perspective helping': 653201, 'helping autistic': 391275, 'autistic kid': 103860, 'kid cope': 473912, 'perspective helping autistic': 653202, 'helping autistic kid': 391276, 'autistic kid cope': 103861, 'kid cope with': 473913, 'with the chaos': 1001229, 'chaos and uncertainty': 172994, 'and uncertainty of': 74608, 'uncertainty of coronavirus': 939727, 'cutting hour': 223731, 'doing 19': 252251, 'virtual queue and': 957776, 'queue and cutting': 693859, 'and cutting hour': 60892, 'cutting hour what': 223732, 'hour what your': 406087, 'what your supermarket': 982723, 'your supermarket doing': 1026041, 'supermarket doing 19': 819992, 'doing 19 corona': 252252, '1068': 2261, 'moreover in': 541059, 'of 1068': 579324, '1068 american': 2262, 'american transunion': 52272, 'transunion found': 930077, 'found 22': 330139, '22 said': 15244, 'moreover in survey': 541060, 'in survey of': 428751, 'survey of 1068': 828906, 'of 1068 american': 579325, '1068 american transunion': 2263, 'american transunion found': 52273, 'transunion found 22': 930078, 'found 22 said': 330140, '22 said they': 15245, 'poorest family': 664366, 'family would': 298411, 'see smaller': 745699, 'smaller benefit': 775256, 'benefit about': 126908, 'about 22': 24673, '22 million': 15225, 'people earning': 647758, 'earning under': 264882, 'under 40': 939978, '00 year': 616, 'year would': 1015121, 'benefit under': 127128, 'gop plan': 358267, 'the poorest family': 864005, 'poorest family would': 664367, 'family would see': 298412, 'would see smaller': 1012228, 'see smaller benefit': 745700, 'smaller benefit about': 775257, 'benefit about 22': 126909, 'about 22 million': 24674, '22 million people': 15226, 'million people earning': 532305, 'people earning under': 647759, 'earning under 40': 264883, 'under 40 00': 939979, '40 00 year': 18514, '00 year would': 618, 'year would see': 1015122, 'would see no': 1012223, 'see no benefit': 745483, 'no benefit under': 563690, 'benefit under the': 127129, 'under the gop': 940309, 'the gop plan': 856468, 'hello nisa': 389201, 'hello nisa local': 389202, 'st ha hiked': 791705, 'ha hiked their': 370871, 'on essential to': 600597, 'essential to cash': 281689, 'you help have': 1019194, 'help have told': 389845, 'have told and': 383361, 'told and thanks': 923528, 'mean about': 524346, 'about 70': 24743, 'so ban': 776590, 'by any': 151872, 'source jaihind': 786503, 'this mean about': 888801, 'mean about 70': 524347, 'about 70 percent': 24744, 'percent of internet': 651158, 'india are purchasing': 434314, 'product online the': 681484, 'online the majority': 609533, 'restricted for while': 717140, 'while so ban': 987286, 'so ban online': 776591, 'avoid spreading of': 105290, '19 by any': 5552, 'by any source': 151873, 'any source jaihind': 79840, 'hyatt': 411893, 'letter of': 487333, 'of 03': 579299, '03 13': 840, '13 20': 3166, '20 wa': 13403, 'just sad': 469662, 'sad your': 729284, 'hotel response': 405184, 'any vendor': 80019, 'vendor associated': 954347, 'room costing': 725895, 'costing 230': 208322, '230 58': 15447, 'night you': 563135, '00 hyatt': 253, 'your letter of': 1024616, 'letter of 03': 487334, 'of 03 13': 579300, '03 13 20': 841, '13 20 wa': 3167, '20 wa just': 13404, 'wa just sad': 962469, 'just sad your': 469663, 'sad your hotel': 729285, 'your hotel response': 1024405, 'hotel response to': 405185, 'been the worst': 122174, 'worst of any': 1011229, 'of any vendor': 580275, 'any vendor associated': 80020, 'vendor associated with': 954348, 'associated with no': 96937, 'with no fault': 999751, 'fault of the': 300410, 'consumer but for': 196685, 'but for room': 145754, 'for room costing': 325257, 'room costing 230': 725896, 'costing 230 58': 208323, '230 58 for': 15448, '58 for night': 20531, 'for night you': 323880, 'night you re': 563136, 'you re willing': 1020793, 'to offer 10': 910822, 'offer 10 00': 594495, '10 00 hyatt': 1199, 'aisle cashier': 40228, 'cashier bagger': 166491, 'bagger customer': 108507, 'service clerk': 752239, 'clerk they': 181789, 'our respect': 624617, 'or glove they': 615479, 'glove they are': 352955, 'they are exposed': 881268, 'exposed to 100': 292888, '100 of shopper': 1995, 'the aisle cashier': 848517, 'aisle cashier bagger': 40229, 'cashier bagger customer': 166492, 'bagger customer service': 108508, 'customer service clerk': 222818, 'service clerk they': 752240, 'clerk they are': 181790, 'essential worker have': 281835, 'have been getting': 379556, 'been getting covid': 121199, '19 now dying': 8851, 'now dying they': 574576, 'dying they deserve': 263873, 'deserve our respect': 238092, 'rest of being': 716187, 'of being unable': 580662, 'am about catching': 49844, 'catching the actual': 167112, 'scissors': 742284, 'any hair': 79297, 'clipper but': 182376, 'kitchen scissors': 475749, 'scissors and': 742285, 'reaching that': 700114, 'when cutting': 983324, 'cutting my': 223744, 'own hair': 632042, 'hair becomes': 373961, 'becomes real': 120249, 'real possibility': 701308, 'possibility am': 665533, 'am however': 50131, 'however terrified': 409463, 'consequence especially': 194846, 'especially still': 280610, 'have any hair': 379305, 'any hair clipper': 79298, 'hair clipper but': 373967, 'clipper but do': 182377, 'but do have': 145559, 'do have pair': 249375, 'pair of kitchen': 634337, 'of kitchen scissors': 585659, 'kitchen scissors and': 475750, 'scissors and reaching': 742286, 'and reaching that': 69972, 'reaching that moment': 700115, 'moment when cutting': 536112, 'when cutting my': 983325, 'cutting my own': 223745, 'my own hair': 549644, 'own hair becomes': 632043, 'hair becomes real': 373962, 'becomes real possibility': 120251, 'real possibility am': 701309, 'possibility am however': 665534, 'am however terrified': 50132, 'however terrified of': 409464, 'terrified of the': 838497, 'of the consequence': 590884, 'the consequence especially': 851462, 'consequence especially still': 194847, 'especially still have': 280611, 'griffey': 363921, 'griffey report': 363922, 'report immigration': 712027, 'immigration detention': 417257, 'detention facility': 239374, 'facility failed': 295333, 'to adequately': 900098, 'adequately provide': 32199, 'provide soap': 686477, 'or implement': 615743, 'distancing case': 247072, 'in refugee': 427343, 'refugee camp': 706840, 'camp around': 157167, 'griffey report immigration': 363923, 'report immigration detention': 712028, 'immigration detention facility': 417258, 'detention facility failed': 239375, 'facility failed to': 295334, 'failed to adequately': 296173, 'to adequately provide': 900100, 'adequately provide soap': 32200, 'provide soap and': 686478, 'and sanitizer or': 70879, 'sanitizer or implement': 735485, 'or implement social': 615744, 'social distancing case': 779578, 'distancing case are': 247073, 'case are rising': 165644, 'are rising in': 89715, 'rising in refugee': 723239, 'in refugee camp': 427344, 'refugee camp around': 706841, 'camp around the': 157168, 'day24inselfisolation': 228870, 'isn fun': 454513, 'fun anymore': 341132, 'anymore you': 80162, 'decide whether': 230853, 'you badly': 1017375, 'badly need': 108160, 'need body': 554553, 'body lotion': 133867, 'lotion or': 504436, 'use cooking': 949135, 'alternative day24inselfisolation': 49219, 'store isn fun': 808558, 'isn fun anymore': 454514, 'fun anymore you': 341133, 'anymore you have': 80163, 'have to decide': 383190, 'to decide whether': 904002, 'decide whether you': 230855, 'whether you badly': 985616, 'you badly need': 1017376, 'badly need body': 108161, 'need body lotion': 554554, 'body lotion or': 133868, 'lotion or use': 504437, 'or use cooking': 617615, 'use cooking oil': 949136, 'cooking oil an': 202887, 'oil an alternative': 596606, 'an alternative day24inselfisolation': 55257, 'ftc avoiding': 339382, 'ftc avoiding ssa': 339383, 'report on consumer': 712142, 'spending during pandemic': 788794, 'provide 20': 686200, 'is that can': 452635, 'that can provide': 843116, 'can provide 20': 159329, 'provide 20 meal': 686202, 'the cheap': 850729, 'price distract': 673463, 'distract you': 247887, 'on egg': 600529, 'egg rona': 269975, 'rona gasprices': 725779, 'let the cheap': 487120, 'the cheap gas': 850730, 'gas price distract': 343950, 'price distract you': 673464, 'distract you from': 247888, 'price being put': 672898, 'put on egg': 690713, 'on egg rona': 600531, 'egg rona gasprices': 269976, 'an uninsured': 56868, 'uninsured covid': 941838, 'her medical': 392188, 'bill 34': 130485, '43 ha': 18969, 'an uninsured covid': 56869, 'uninsured covid 19': 941839, '19 patient just': 9591, 'patient just got': 644201, 'just got her': 468857, 'got her medical': 358597, 'her medical bill': 392189, 'medical bill 34': 526066, 'bill 34 927': 130486, '927 43 ha': 23514, '43 ha the': 18970, 'stay sane': 797305, 'sane you': 733765, 'not shutdown': 571577, 'shutdown your': 768136, 'me dm': 522657, 'dm lockdownextention': 248899, 'lockdownextention stayathome': 500288, 'changed consumer behavior': 172455, 'consumer behavior more': 196491, 'behavior more people': 124121, 'people are relying': 647057, 'relying on the': 709682, 'internet to stay': 442034, 'to stay sane': 915314, 'stay sane you': 797306, 'sane you need': 733766, 'you need not': 1020021, 'need not shutdown': 555310, 'not shutdown your': 571578, 'shutdown your business': 768137, 'your business get': 1023057, 'business get it': 143779, 'get it online': 347419, 'it online so': 460086, 'online so people': 609392, 'see it send': 745340, 'it send me': 460977, 'send me dm': 749882, 'me dm lockdownextention': 522658, 'dm lockdownextention stayathome': 248900, 'bigbasket': 130122, 'after facing': 35640, 'facing staff': 295609, 'to national': 910478, 'national 21daylockdown': 552406, '21daylockdown bigbasket': 15092, 'bigbasket an': 130123, 'done after': 254759, 'after company': 35481, 'started facing': 794734, 'which rapidly': 986259, 'rapidly increased': 696994, 'after lock': 35878, 'down lockdown21': 256935, 'after facing staff': 35641, 'facing staff shortage': 295610, 'staff shortage due': 792852, 'due to national': 261873, 'to national 21daylockdown': 910479, 'national 21daylockdown bigbasket': 552407, '21daylockdown bigbasket an': 15093, 'bigbasket an online': 130124, 'india is hiring': 434487, 'is hiring this': 448490, 'hiring this wa': 397137, 'wa done after': 962016, 'done after company': 254760, 'after company started': 35482, 'company started facing': 191109, 'started facing difficulty': 794735, 'facing difficulty to': 295449, 'difficulty to fulfill': 242412, 'to fulfill it': 906304, 'fulfill it home': 340408, 'home delivery order': 401038, 'delivery order which': 234294, 'order which rapidly': 618772, 'which rapidly increased': 986260, 'rapidly increased after': 696995, 'increased after lock': 433190, 'after lock down': 35879, 'lock down lockdown21': 499040, '07493': 1036, '586': 20550, 'cwpcathy': 223889, 'cheltenham': 175313, 'loseweight': 503526, 'getmore': 348796, 'free dpd': 331781, 'dpd delivery': 257934, 'delivery throughout': 234636, 'at fabulous': 98607, 'fabulous price': 294264, 'price email': 673674, 'text call': 839880, 'call 07493': 155681, '07493 900': 1037, '900 586': 23362, '586 cwpcathy': 20551, 'cwpcathy me': 223890, 'me freedelivery': 522777, 'freedelivery food': 332358, 'food sarscov2': 316300, 'sarscov2 cheltenham': 736836, 'cheltenham londonlockdown': 175316, 'londonlockdown emptyshelves': 501256, 'emptyshelves loseweight': 275304, 'loseweight getmore': 503527, 'getmore stayathomesavelives': 348797, 'stayathomesavelives diet': 797800, 'free dpd delivery': 331782, 'dpd delivery throughout': 257935, 'delivery throughout the': 234637, 'the uk at': 870194, 'uk at fabulous': 938199, 'at fabulous price': 98608, 'fabulous price email': 294265, 'price email text': 673676, 'email text call': 272320, 'text call 07493': 839881, 'call 07493 900': 155682, '07493 900 586': 1038, '900 586 cwpcathy': 23363, '586 cwpcathy me': 20552, 'cwpcathy me freedelivery': 223891, 'me freedelivery food': 522778, 'freedelivery food sarscov2': 332359, 'food sarscov2 cheltenham': 316301, 'sarscov2 cheltenham londonlockdown': 736837, 'cheltenham londonlockdown emptyshelves': 175317, 'londonlockdown emptyshelves loseweight': 501257, 'emptyshelves loseweight getmore': 275305, 'loseweight getmore stayathomesavelives': 503528, 'getmore stayathomesavelives diet': 348798, 'majzoub': 509606, 'ahs': 39280, 'surging of': 828436, 'price majzoub': 675150, 'majzoub tell': 509607, 'response thus': 715821, 'thus far': 895508, 'far ahs': 298696, 'ahs been': 39281, 'unemployment in is': 941225, 'in is surging': 424173, 'is surging of': 452491, 'surging of both': 828437, 'of both the': 580798, 'both the economic': 136062, 'economic and 19': 266976, 'and 19 crisis': 57391, 'crisis and so': 217050, 'so are the': 776543, 'are the country': 90813, 'country food price': 210660, 'food price majzoub': 315958, 'price majzoub tell': 675151, 'majzoub tell me': 509608, 'government response thus': 360540, 'response thus far': 715822, 'thus far ahs': 895509, 'far ahs been': 298697, 'ahs been uncoordinated': 39282, 'better preparing': 128420, 'the episode': 854451, 'chopped will': 177981, 'you da': 1018139, 'da real': 224233, 'like every grocery': 490184, 'run is better': 727687, 'is better preparing': 446153, 'better preparing me': 128421, 'preparing me for': 670345, 'for the episode': 326414, 'the episode of': 854452, 'of chopped will': 581409, 'chopped will never': 177982, 'never be on': 557880, 'be on but': 116189, 'on but seriously': 599751, 'but seriously you': 147016, 'seriously you da': 751805, 'you da real': 1018141, 'da real mvp': 224234, 'dear citizen': 229751, 'citizen if': 178911, 'buying soap': 151047, 'too 19india': 924559, 'dear citizen if': 229752, 'citizen if you': 178912, 'are buying soap': 85130, 'buying soap amp': 151048, 'soap amp hand': 778902, 'amp hand sanitizers': 53904, 'sanitizers in bulk': 736316, 'bulk and leaving': 142241, 'and leaving the': 66072, 'shelf empty so': 757031, 'empty so you': 275133, 'you should realize': 1021214, 'spread of you': 790725, 'of you need': 593404, 'you need other': 1020027, 'need other people': 555389, 'hand too 19india': 375888, 'begs': 123695, 'couple 2m': 211552, '2m behind': 16674, 'which begs': 985711, 'begs the': 123696, 've both': 952968, 'both come': 135881, 'let 32': 486536, 'not 32': 567997, '32 trolley': 17702, 'trolley so': 932470, 'partner or': 642869, 'bored 15': 135327, 'old stupid': 598481, 'stupid stayhomesavelives': 815467, 'the couple 2m': 852202, 'couple 2m behind': 211553, '2m behind me': 16675, 'supermarket have mask': 820693, 'glove on which': 352829, 'on which begs': 605277, 'which begs the': 985712, 'begs the question': 123697, 'the question why': 865029, 'question why they': 693811, 'why they ve': 991462, 'they ve both': 883639, 've both come': 952969, 'both come out': 135882, 'out the store': 627423, 'store will let': 811333, 'will let 32': 993979, 'let 32 people': 486537, '32 people in': 17697, 'people in not': 648405, 'in not 32': 425963, 'not 32 trolley': 567998, '32 trolley so': 17703, 'trolley so don': 932471, 'so don come': 776906, 'don come with': 253436, 'come with your': 187694, 'with your partner': 1002218, 'your partner or': 1025220, 'partner or your': 642870, 'or your bored': 617876, 'your bored 15': 1023000, 'bored 15 year': 135328, '15 year old': 3875, 'year old stupid': 1014868, 'old stupid stayhomesavelives': 598482, 'american exceptionalism': 51950, 'exceptionalism is': 289310, 'myth now': 551052, 'exposed all': 292825, 'the harsh': 857129, 'harsh reality': 378565, 'demand better': 235063, 'better wage': 128592, 'wage healthcare': 963891, 'shelter for': 757918, 'all better': 42181, 'better law': 128351, 'enforcement policy': 276789, 'etc stop': 282768, 'saying america': 739556, 'greatest country': 363274, 'american exceptionalism is': 51951, 'exceptionalism is myth': 289311, 'is myth now': 449816, 'myth now that': 551053, 'ha exposed all': 370567, 'exposed all the': 292826, 'all the harsh': 44777, 'the harsh reality': 857131, 'harsh reality of': 378566, 'reality of life': 701773, 'of life in': 585825, 'this country demand': 886946, 'country demand better': 210575, 'demand better wage': 235065, 'better wage healthcare': 128593, 'wage healthcare food': 963892, 'healthcare food and': 387116, 'and shelter for': 71454, 'shelter for all': 757919, 'for all better': 319113, 'all better law': 42182, 'better law enforcement': 128352, 'law enforcement policy': 482277, 'enforcement policy etc': 276790, 'policy etc stop': 663398, 'etc stop saying': 282770, 'stop saying america': 804976, 'saying america is': 739557, 'the greatest country': 856750, 'greatest country in': 363275, 'world it is': 1009728, 'believe some': 126326, 'people wtf': 650554, 'can believe some': 157742, 'believe some people': 126327, 'some people wtf': 783551, 'people wtf is': 650555, 'wrong with them': 1013165, 'pandemic breed': 635023, 'breed multiple': 139270, 'pandemic breed multiple': 635024, 'breed multiple scam': 139271, 'mail courier': 508596, 'driver restaurant': 259723, 'worker hotel': 1007143, 'hotel worker': 405214, 'airline employee': 39945, 'employee police': 274123, 'officer hospital': 595674, 'worker fireman': 1006945, 'fireman say': 308251, 'see any grocery': 744917, 'store worker mail': 811540, 'worker mail courier': 1007343, 'mail courier delivery': 508597, 'courier delivery driver': 211808, 'delivery driver restaurant': 233935, 'driver restaurant worker': 259724, 'restaurant worker hotel': 716821, 'worker hotel worker': 1007144, 'hotel worker airline': 405215, 'worker airline employee': 1006218, 'airline employee police': 39946, 'employee police officer': 274125, 'police officer hospital': 663124, 'officer hospital worker': 595675, 'hospital worker fireman': 404737, 'worker fireman say': 1006946, 'fireman say thank': 308252, 'crazy grocery': 215303, 'interact closely': 441197, 'public can': 687911, 'avoid group': 105137, '50 but': 19641, 'their pto': 874506, 'can stayhome': 159751, 'stayhome wholefoods': 798235, 'is crazy grocery': 446894, 'crazy grocery store': 215304, 'employee are essential': 273612, 'essential and have': 280783, 'to interact closely': 908448, 'interact closely with': 441198, 'the public can': 864795, 'public can avoid': 687912, 'can avoid group': 157557, 'avoid group of': 105138, 'group of 50': 366784, 'of 50 but': 579609, '50 but are': 19642, 'but are being': 145209, 'asked to donate': 95863, 'to donate their': 904655, 'donate their pto': 254241, 'their pto to': 874507, 'pto to other': 687650, 'to other employee': 911113, 'other employee they': 620138, 'employee they can': 274308, 'they can stayhome': 881679, 'can stayhome wholefoods': 159752, 'lie find': 488355, 'shopping incredibly': 763012, 'incredibly stressful': 433927, 'stressful these': 813516, 'this reason': 889829, 'reason grocery': 702921, 'rule cbc': 727222, 'going to lie': 355642, 'to lie find': 909245, 'lie find grocery': 488356, 'find grocery shopping': 306948, 'grocery shopping incredibly': 365042, 'shopping incredibly stressful': 763013, 'incredibly stressful these': 433928, 'stressful these day': 813517, 'day for this': 227635, 'for this reason': 327059, 'this reason grocery': 889830, 'reason grocery store': 702922, 'pandemic rule cbc': 636373, 'rule cbc news': 727223, 'cbc news 19': 168279, 'cdc is': 168580, 'lying so': 507079, 'chain cannot': 170578, 'this is horrible': 888282, 'is horrible the': 448548, 'horrible the cdc': 404127, 'the cdc is': 850572, 'cdc is lying': 168581, 'is lying so': 449497, 'lying so you': 507080, 'cannot blame people': 161681, 'for hoarding if': 322324, 'if you close': 415409, 'you close the': 1017977, 'close the entire': 182838, 'entire country down': 278655, 'country down the': 210590, 'down the food': 257277, 'supply chain cannot': 824924, 'chain cannot withstand': 170579, 'withstand the strain': 1003101, 'r29': 695079, 'r39': 695088, 'r47': 695097, 'on pre': 602876, 'this orange': 889290, 'juice sold': 467759, 'for r29': 324931, 'r29 99': 695080, '99 before': 23783, 'before april': 122645, 'april r39': 83664, 'r39 99': 695089, '99 yesterday': 23925, 'yesterday r47': 1015840, 'r47 99': 695098, '99 excessive': 23813, 'going on pre': 355332, 'on pre covid': 602877, 'pre covid this': 669156, 'covid this orange': 214237, 'this orange juice': 889291, 'orange juice sold': 617923, 'juice sold for': 467760, 'sold for r29': 781672, 'for r29 99': 324932, 'r29 99 before': 695081, '99 before april': 23784, 'before april r39': 122647, 'april r39 99': 83665, 'r39 99 yesterday': 695090, '99 yesterday r47': 23926, 'yesterday r47 99': 1015841, 'r47 99 excessive': 695099, '99 excessive pricing': 23814, 'suspicion and': 829700, 'and mistrust': 67080, 'mistrust are': 534487, 'now developing': 574517, 'developing on': 239788, 'scale china': 739881, 'china cannot': 176541, 'cannot trust': 162194, 'west to': 980544, 'share vaccine': 755322, 'vaccine country': 951681, 'chain withholding': 171249, 'withholding stock': 1002307, 'delivery major': 234165, 'food producing': 316009, 'country banning': 210499, 'suspicion and mistrust': 829701, 'and mistrust are': 67081, 'mistrust are now': 534488, 'are now developing': 88543, 'now developing on': 574518, 'developing on global': 239789, 'global scale china': 352184, 'scale china cannot': 739882, 'china cannot trust': 176542, 'cannot trust the': 162195, 'trust the west': 934320, 'the west to': 871399, 'west to develop': 980545, 'develop and share': 239627, 'and share vaccine': 71396, 'share vaccine country': 755323, 'vaccine country in': 951682, 'in the ppe': 429464, 'the ppe supply': 864169, 'ppe supply chain': 668066, 'supply chain withholding': 825066, 'chain withholding stock': 171250, 'withholding stock delivery': 1002308, 'stock delivery major': 802045, 'delivery major food': 234166, 'major food producing': 509340, 'food producing country': 316010, 'producing country banning': 680751, 'country banning export': 210500, 'all witnessed': 45485, 'witnessed panic': 1003162, 'article offer': 94396, 'offer insight': 594666, 'linkage between': 493973, 'and foodsecurity': 63117, 'we all witnessed': 970377, 'all witnessed panic': 45486, 'witnessed panic buying': 1003163, 'few week this': 304170, 'week this article': 977045, 'this article offer': 886424, 'article offer insight': 94397, 'offer insight on': 594668, 'on the linkage': 604214, 'the linkage between': 859447, 'linkage between and': 493974, 'between and foodsecurity': 128716, 'you nervous': 1020071, 'scientist for': 742219, 'their advice': 872475, 'got you nervous': 359034, 'you nervous about': 1020072, 'nervous about grocery': 557449, 'about grocery shopping': 25330, 'shopping we talked': 764353, 'we talked to': 973501, 'talked to scientist': 833945, 'to scientist for': 913912, 'scientist for their': 742220, 'for their advice': 326797, 'their advice about': 872476, 'advice about how': 33295, 'safe at the': 729503, 'store and when': 806401, 'and when handling': 75514, 'handling food back': 376349, 'food back home': 313500, 'shreveport': 767664, 'shreveport grocery': 767665, 'store posted': 809618, 'sign across': 769083, 'safeguard against': 730186, 'shreveport grocery store': 767666, 'grocery store posted': 365670, 'store posted this': 809619, 'posted this sign': 666584, 'this sign across': 890144, 'sign across the': 769084, 'across the store': 29524, 'store to safeguard': 810811, 'to safeguard against': 913702, 'safeguard against hoarding': 730187, 'against hoarding we': 37496, 'hoarding we continue': 399645, 'battle the we': 112831, 'must be mindful': 546525, 'mindful of someone': 532821, 'of someone else': 589918, 'employee trying': 274357, 'to foot': 906122, 'rule isn': 727282, 'also remains': 48779, 'remains difficult': 709997, 'bag grocery': 108306, 'grocery without': 366153, 'without coming': 1002546, 'for many supermarket': 323236, 'supermarket employee trying': 820145, 'employee trying to': 274358, 'trying to adhere': 934763, 'adhere to foot': 32210, 'to foot social': 906123, 'distancing rule isn': 247443, 'rule isn easy': 727283, 'isn easy it': 454481, 'easy it also': 265722, 'it also remains': 456436, 'also remains difficult': 48780, 'remains difficult to': 709998, 'difficult to fill': 242334, 'to fill shelf': 905847, 'fill shelf with': 305490, 'shelf with meat': 757820, 'with meat and': 999465, 'meat and produce': 525481, 'and produce and': 69550, 'produce and bag': 680175, 'and bag grocery': 58642, 'bag grocery without': 108308, 'grocery without coming': 366154, 'without coming in': 1002547, 'coming in close': 188089, 'malaga': 511535, 'at believe': 98120, 'the pose': 864052, 'pose no': 665105, 'produce running': 680417, 'in malaga': 425003, 'malaga any': 511536, 'all writes': 45520, 'worker at believe': 1006458, 'at believe that': 98121, 'that the pose': 846805, 'the pose no': 864053, 'pose no risk': 665106, 'no risk of': 565375, 'risk of supply': 723781, 'fresh produce running': 333062, 'produce running out': 680418, 'running out in': 728027, 'out in malaga': 626384, 'in malaga any': 425004, 'malaga any time': 511537, 'time soon there': 897721, 'soon there is': 785849, 'for all writes': 319190, 'truckdriver': 932885, 'appreciate truck': 82773, 'driver if': 259610, 'if long': 414393, 'driver stopped': 259757, 'shelf would': 757835, 'empty within': 275240, 'day truckdriver': 228625, 'along with health': 47055, 'with health worker': 998749, 'health worker we': 386995, 'need to appreciate': 555860, 'to appreciate truck': 900671, 'appreciate truck driver': 82774, 'truck driver if': 932783, 'driver if long': 259611, 'if long haul': 414394, 'truck driver stopped': 932795, 'driver stopped working': 259758, 'stopped working supermarket': 805787, 'working supermarket shelf': 1008930, 'supermarket shelf would': 822572, 'shelf would be': 757836, 'would be empty': 1011578, 'be empty within': 114675, 'empty within day': 275241, 'within day truckdriver': 1002348, 'longg': 502127, 'scandalous': 740719, 'whoever look': 990101, 'at profiteering': 100210, 'place around': 657339, 'outbreak take': 628683, 'good longg': 357340, 'longg hard': 502128, 'at airline': 97854, 'airline if': 39971, 'if report': 414730, 'report are': 711810, 'true astronomical': 933032, 'for ticket': 327184, 'ticket out': 895638, 'uk scandalous': 938692, 'whoever look at': 990102, 'look at profiteering': 502288, 'at profiteering taking': 100211, 'profiteering taking place': 683099, 'taking place around': 833507, 'place around the': 657340, 'around the outbreak': 93549, 'the outbreak take': 862705, 'outbreak take good': 628684, 'take good longg': 832154, 'good longg hard': 357341, 'longg hard look': 502129, 'look at airline': 502252, 'at airline if': 97855, 'airline if report': 39972, 'if report are': 414731, 'report are true': 711812, 'are true astronomical': 91210, 'true astronomical price': 933033, 'astronomical price are': 97261, 'are being charged': 84835, 'being charged for': 124937, 'charged for ticket': 173385, 'for ticket out': 327185, 'ticket out of': 895639, 'of some country': 589894, 'some country to': 782618, 'country to the': 211172, 'the uk scandalous': 870278, 'alert public': 41493, 'such difficult': 816446, 'consumer alert public': 196153, 'alert public service': 41494, 'service announcement in': 752124, 'announcement in such': 77164, 'in such difficult': 428523, 'such difficult time': 816447, 'difficult time many': 242296, 'time many business': 897188, 'many business take': 513850, 'take advantage and': 831914, 'advantage and hike': 32961, 'and hike up': 64578, 'good service it': 357712, 'service it wrong': 752536, 'it wrong to': 462620, 'be profiteering from': 116569, 'hell panic': 389052, 'buying stockpiling': 151090, 'buy and store': 148335, 'and store more': 72510, 'they need hope': 882743, 'in hell panic': 423628, 'hell panic buying': 389053, 'panic buying stockpiling': 637904, 'these 23': 879570, '23 independent': 15399, 'label are': 478330, 'these 23 independent': 879571, '23 independent fashion': 15400, 'fashion label are': 299825, 'label are donating': 478331, 'usastrong': 948878, 'cdc said': 168615, 'said n95': 731247, 'lied everybody': 488411, 'clothes usastrong': 184227, 'usastrong usa': 948879, 'usa cdc': 948605, 'the cdc said': 850576, 'cdc said n95': 168616, 'said n95 mask': 731248, 'they lied everybody': 882563, 'lied everybody else': 488412, 'everybody else had': 286430, 'else had on': 271717, 'had on clothes': 373360, 'on clothes usastrong': 599950, 'clothes usastrong usa': 184228, 'usastrong usa cdc': 948880, 'produce little': 680337, 'little brat': 495269, 'brat should': 138200, 'store produce little': 809668, 'produce little brat': 680338, 'little brat should': 495270, 'brat should be': 138201, 'should be thrown': 765753, 'thrown in jail': 895137, 'former supermarket': 329666, 'supermarket fairy': 820273, 'fairy think': 296486, 'some credit': 782637, 'credit they': 216531, 'always looked': 49652, 'looked down': 502720, 'on only': 602525, 'former supermarket fairy': 329667, 'supermarket fairy think': 820274, 'fairy think it': 296487, 'about time all': 26694, 'time all of': 896227, 'shop worker get': 761086, 'worker get some': 1007026, 'get some credit': 348049, 'some credit they': 782638, 'credit they re': 216532, 'they re always': 882995, 're always looked': 698275, 'always looked down': 49653, 'looked down on': 502721, 'down on only': 257029, 'on only working': 602526, 'only working in': 611495, 'working in shop': 1008732, 'in shop but': 427895, 'shop but they': 760006, 'put the stock': 690869, 'the shelf that': 866888, 'shelf that everyone': 757639, 'buying every day': 150248, 'muted': 547065, 'boc regular': 133761, 'regular boc': 707747, 'survey pre': 828925, 'show firm': 766944, 'firm planned': 308404, 'planned modest': 658462, 'modest increase': 535434, 'in capital': 421222, 'on machinery': 601956, 'machinery and': 507434, 'equipment hiring': 279746, 'hiring plan': 397119, 'plan muted': 658176, 'muted firm': 547066, 'in prairie': 426899, 'prairie signal': 668829, 'signal reduction': 769314, 'reduction due': 706350, 'it related': 460687, 'related firm': 708442, 'firm intend': 308375, 'add staff': 31492, 'boc regular boc': 133762, 'regular boc survey': 707748, 'boc survey pre': 133767, 'survey pre covid': 828926, '19 show firm': 10509, 'show firm planned': 766945, 'firm planned modest': 308405, 'planned modest increase': 658463, 'modest increase in': 535435, 'increase in capital': 432820, 'in capital spending': 421224, 'capital spending on': 162687, 'spending on machinery': 788934, 'on machinery and': 601957, 'machinery and equipment': 507435, 'and equipment hiring': 62226, 'equipment hiring plan': 279747, 'hiring plan muted': 397120, 'plan muted firm': 658177, 'muted firm in': 547067, 'firm in prairie': 308373, 'in prairie signal': 426900, 'prairie signal reduction': 668830, 'signal reduction due': 769315, 'reduction due to': 706351, 'to falling oil': 905650, 'price but it': 672978, 'but it related': 146158, 'it related firm': 460688, 'related firm intend': 708443, 'firm intend to': 308376, 'intend to add': 441041, 'to add staff': 900067, 'normal look': 567211, 'like take': 491285, 'take sneaky': 832589, 'sneaky peak': 776216, 'peak at': 646051, 'corona consumer': 203860, 'consumer might': 198128, 'want where': 966170, 'go why': 354502, 'free white': 332327, 'white paper': 987883, 'for download': 320842, 'will the new': 995147, 'new normal look': 559161, 'normal look like': 567212, 'look like take': 502513, 'like take sneaky': 491286, 'take sneaky peak': 832590, 'sneaky peak at': 776217, 'peak at what': 646052, 'what the post': 982354, 'the post corona': 864082, 'post corona consumer': 666061, 'corona consumer might': 203862, 'consumer might look': 198129, 'might look like': 531073, 'look like what': 502530, 'what they ll': 982405, 'they ll want': 882618, 'll want where': 497096, 'want where they': 966171, 'where they ll': 985283, 'll go why': 496814, 'go why they': 354503, 'why they ll': 991456, 'll do it': 496714, 'do it free': 249478, 'it free white': 458133, 'free white paper': 332328, 'white paper ready': 987885, 'ready for download': 700861, 'for download here': 320843, 'cmeri': 184671, 'countering': 210324, 'menacing': 528574, '19 wreaking': 12222, 'world cmeri': 1009432, 'cmeri ha': 184672, 'developed technology': 239733, 'in countering': 421819, 'countering the': 210326, 'the menacing': 860479, 'menacing virus': 528575, 'covid 19 wreaking': 214095, '19 wreaking havoc': 12223, 'havoc across the': 384420, 'the world cmeri': 871841, 'world cmeri ha': 1009433, 'cmeri ha developed': 184673, 'ha developed technology': 370373, 'developed technology and': 239734, 'technology and product': 836258, 'and product which': 69576, 'product which can': 681838, 'which can help': 985734, 'help in countering': 389894, 'in countering the': 421820, 'countering the menacing': 210327, 'the menacing virus': 860480, 'menacing virus via': 528576, 'virus via india': 958977, 'usn': 950823, 'sipes': 771529, 'everyone usn': 287528, 'usn gf': 950824, 'gf sipes': 349502, 'sipes on': 771530, 'cart using': 165415, 'using sleeve': 950652, 'sleeve to': 773837, 'hold handle': 399937, 'handle no': 376236, 'one touching': 607307, 'touching magazine': 926691, 'magazine in': 508336, 'in checkout': 421352, 'checkout everyone': 174914, 'distance supermarket': 246843, 'hero not': 394044, 'not fun': 569559, 'fun job': 341184, 'everyone usn gf': 287529, 'usn gf sipes': 950825, 'gf sipes on': 349503, 'sipes on cart': 771531, 'on cart using': 599836, 'cart using sleeve': 165416, 'using sleeve to': 950653, 'sleeve to hold': 773838, 'to hold handle': 907910, 'hold handle no': 399938, 'handle no one': 376237, 'no one touching': 564976, 'one touching magazine': 607308, 'touching magazine in': 926692, 'magazine in checkout': 508337, 'in checkout everyone': 421353, 'checkout everyone keeping': 174915, 'their distance supermarket': 873034, 'distance supermarket cashier': 246844, 'cashier are hero': 166473, 'are hero not': 87133, 'hero not fun': 394045, 'not fun job': 569560, 'fun job right': 341185, 'we certainly': 971118, 'certainly understand': 170190, 'here clc': 392871, 'vicki we certainly': 956447, 'we certainly understand': 971119, 'certainly understand your': 170191, 'time for question': 896745, 'for question regarding': 324911, 'outbreak please use': 628538, 'link here clc': 493848, 'florida say': 310982, 'say call': 738479, 'additional consumer': 31788, 'possible bailout': 665581, 'bailout of': 108644, 'of airline': 579866, 'if taxpayer': 414916, 'industry it': 435942, 'florida say call': 310983, 'say call for': 738480, 'call for additional': 155849, 'for additional consumer': 319015, 'additional consumer protection': 31791, 'light of possible': 489562, 'of possible bailout': 588254, 'possible bailout of': 665582, 'bailout of airline': 108645, 'of airline if': 579867, 'airline if taxpayer': 39973, 'if taxpayer are': 414917, 'taxpayer are being': 835194, 'asked to help': 95868, 'help out an': 390244, 'out an industry': 625638, 'an industry it': 56294, 'industry it is': 435943, 'fair that we': 296382, 'that we ask': 847363, 'ask that industry': 95628, 'that industry to': 844513, 'industry to do': 436166, 'to do right': 904548, 'do right by': 250049, 'right by the': 721836, 'by the taxpayer': 154456, 'reminder go': 710558, 'go wash': 354477, 'water antiseptic': 968893, 'sanitizer kick': 735252, 'kick against': 473781, 'reminder go wash': 710559, 'go wash your': 354479, 'your hand now': 1024204, 'hand now running': 375102, 'now running water': 575717, 'running water antiseptic': 728128, 'water antiseptic soap': 968894, 'antiseptic soap sanitizer': 78569, 'soap sanitizer kick': 779108, 'sanitizer kick against': 735253, 'independants': 434064, 're after': 698203, 'published list': 688663, 'of hit': 584679, 'hit product': 398378, 'product affected': 680836, 'panicbuying we': 639114, 'also recommend': 48762, 'recommend local': 704699, 'local independants': 498110, 'independants and': 434065, 'being better': 124889, 'if it toilet': 414338, 'paper you re': 641134, 'you re after': 1020560, 're after ha': 698204, 'after ha published': 35743, 'ha published list': 371576, 'published list of': 688664, 'list of stock': 494476, 'of stock level': 590172, 'stock level of': 802352, 'level of hit': 487642, 'of hit product': 584680, 'hit product affected': 398379, 'product affected by': 680837, 'affected by panicbuying': 34322, 'by panicbuying we': 153522, 'panicbuying we also': 639115, 'we also recommend': 970406, 'also recommend local': 48763, 'recommend local independants': 704700, 'local independants and': 498111, 'independants and health': 434066, 'and health food': 64355, 'food store being': 316844, 'store being better': 806716, 'being better stocked': 124890, 'unemployment lead': 941238, 'to increasing': 908314, 'insecurity it': 439170, 'food organization': 315691, 'organization to': 619438, 'people fed': 647888, 'fed we': 301930, 'the root': 865987, 'addressed at': 32074, 'at policy': 100156, 'policy level': 663436, 'rising unemployment lead': 723320, 'unemployment lead to': 941239, 'lead to increasing': 483355, 'to increasing food': 908315, 'increasing food insecurity': 433614, 'food insecurity it': 315070, 'insecurity it is': 439171, 'it is left': 458997, 'is left to': 449277, 'left to emergency': 485686, 'to emergency food': 905009, 'emergency food organization': 272706, 'food organization to': 315693, 'organization to keep': 619440, 'keep people fed': 471787, 'people fed we': 647889, 'fed we need': 301931, 'about the root': 26505, 'the root cause': 865988, 'cause of why': 167687, 'of why people': 593154, 'people are food': 646977, 'are food insecure': 86634, 'food insecure and': 315051, 'insecure and how': 439125, 'be addressed at': 113487, 'addressed at policy': 32075, 'at policy level': 100157, 'nih fauci': 563208, 'fauci please': 300372, 'put off': 690708, 'off cancel': 593720, 'cancel elective': 160842, 'elective medical': 271089, 'medical surgical': 526469, 'surgical procedure': 828381, 'being do': 125064, 'them may': 876014, 'may consumer': 521097, 'consumer ppe': 198396, 'ventilator let': 954576, 'let pull': 486995, 'nih fauci please': 563209, 'fauci please put': 300373, 'please put off': 660342, 'put off cancel': 690709, 'off cancel elective': 593721, 'cancel elective medical': 160843, 'elective medical surgical': 271090, 'medical surgical procedure': 526470, 'surgical procedure for': 828382, 'procedure for the': 679812, 'time being do': 896388, 'being do not': 125065, 'not do them': 569070, 'do them may': 250285, 'them may consumer': 876015, 'may consumer ppe': 521098, 'consumer ppe ventilator': 198397, 'ppe ventilator let': 668097, 'ventilator let pull': 954577, 'let pull together': 486996, 'pull together we': 688891, 'food expenditure': 314428, 'expenditure pattern': 291170, 'more on consumer': 539915, 'on consumer food': 600051, 'consumer food expenditure': 197512, 'food expenditure pattern': 314429, 'expenditure pattern and': 291171, 'pattern and the': 644449, '19 on it': 8951, 'your style': 1026026, 'style book': 815592, 'book me': 134563, 'personal stylist': 652977, 'stylist because': 815646, 'because store': 119583, 'having crazy': 384018, 'online since': 609368, 'since storefront': 770842, 'storefront are': 811733, 'shopping put': 763700, 'together clothes': 920741, 'body type': 133906, 'now is actually': 575060, 'actually the best': 30974, 'in your style': 431129, 'your style book': 1026027, 'style book me': 815593, 'book me your': 134564, 'me your personal': 524056, 'your personal stylist': 1025265, 'personal stylist because': 652978, 'stylist because store': 815647, 'because store are': 119584, 'store are having': 806484, 'are having crazy': 87029, 'having crazy sale': 384019, 'crazy sale online': 215408, 'sale online since': 732426, 'online since storefront': 609369, 'since storefront are': 770843, 'storefront are closed': 811734, 'are closed because': 85332, '19 let me': 8313, 'let me do': 486896, 'me do your': 522666, 'your shopping put': 1025790, 'shopping put together': 763701, 'put together clothes': 690933, 'together clothes that': 920742, 'clothes that work': 184217, 'that work best': 847650, 'work best for': 1004938, 'best for your': 127697, 'for your body': 328123, 'your body type': 1022990, 'some might': 783286, 'this funny': 887663, 'funny find': 341724, 'scary heartbreaking': 741154, 'heartbreaking people': 388391, 're sitting': 699526, 'sitting with': 772149, '400 packet': 18763, 'pasta your': 643860, 'neighbour could': 557192, 'be literally': 115769, 'literally starving': 495081, 'starving stophoarding': 795267, 'stoppanicbuying coronacrisis': 805551, 'coronacrisis smh': 204757, 'some might find': 783287, 'might find this': 530980, 'find this funny': 307331, 'this funny find': 887664, 'funny find it': 341725, 'find it scary': 307004, 'it scary heartbreaking': 460907, 'scary heartbreaking people': 741155, 'heartbreaking people literally': 388392, 'people literally cannot': 648668, 'literally cannot access': 494965, 'cannot access food': 161585, 'access food while': 28122, 'food while you': 317602, 'you re sitting': 1020747, 're sitting with': 699528, 'sitting with 400': 772150, 'with 400 packet': 997016, '400 packet of': 18764, 'of pasta your': 587815, 'pasta your neighbour': 643861, 'your neighbour could': 1024973, 'neighbour could be': 557193, 'could be literally': 208893, 'be literally starving': 115770, 'literally starving stophoarding': 495082, 'starving stophoarding stoppanicbuying': 795268, 'stophoarding stoppanicbuying coronacrisis': 805483, 'stoppanicbuying coronacrisis smh': 805552, 'catatonically': 166969, 'people oblivious': 648902, 'to 2m': 899660, 'in coop': 421780, 'coop this': 203108, 'people dont': 647717, 'dont just': 255235, 'in centre': 421314, 'aisle staring': 40376, 'staring catatonically': 794150, 'catatonically at': 166970, 'keep to': 472143, 'to side': 914625, 'side still': 768890, 'still scored': 801142, 'scored some': 742394, 'some egg': 782732, 'egg yay': 270043, 'yay supermarket': 1014201, 'plenty of people': 660965, 'of people oblivious': 587955, 'people oblivious to': 648903, 'oblivious to 2m': 578492, 'to 2m rule': 899661, '2m rule in': 16703, 'rule in coop': 727262, 'in coop this': 421781, 'coop this am': 203109, 'this am and': 886294, 'am and people': 49891, 'and people dont': 68861, 'people dont just': 647718, 'dont just stand': 255236, 'just stand in': 469862, 'stand in centre': 793528, 'in centre of': 421315, 'centre of aisle': 169522, 'of aisle staring': 579872, 'aisle staring catatonically': 40377, 'staring catatonically at': 794151, 'catatonically at shelf': 166971, 'at shelf keep': 100500, 'shelf keep to': 757267, 'keep to side': 472144, 'to side still': 914627, 'side still scored': 768891, 'still scored some': 801143, 'scored some egg': 742395, 'some egg yay': 782735, 'egg yay supermarket': 270044, 'smartest': 775480, 'today overheard': 920009, 'overheard somebody': 631245, 'somebody talking': 784282, 'that held': 844291, 'held their': 388934, 'wedding in': 975564, 'nyc grocery': 577991, 'people attend': 647191, 'attend might': 102309, 'the smartest': 867377, 'smartest thing': 775481, 'cute shit': 223671, 'store today overheard': 810860, 'today overheard somebody': 920010, 'overheard somebody talking': 631246, 'somebody talking about': 784283, 'talking about their': 833989, 'about their friend': 26585, 'their friend that': 873384, 'friend that held': 333825, 'that held their': 844292, 'held their wedding': 388935, 'their wedding in': 875175, 'wedding in nyc': 975565, 'in nyc grocery': 426021, 'nyc grocery store': 577992, 'store so that': 810236, 'they could have': 881830, 'could have more': 209261, '50 people attend': 19798, 'people attend might': 647192, 'attend might not': 102310, 'be the smartest': 117657, 'the smartest thing': 867378, 'smartest thing but': 775482, 'thing but still': 884211, 'but still thought': 147185, 'still thought that': 801309, 'thought that wa': 893239, 'that wa some': 847311, 'wa some cute': 963277, 'some cute shit': 782653, 'charlton': 173779, 'tonight shop': 924490, 'at charlton': 98231, 'charlton store': 173780, 'fruit or': 339119, 'or veg': 617646, 'veg rice': 953783, 'tinned veg': 898639, 'veg or': 953773, 'much ransacked': 545275, 'ransacked stoppanicbuying': 696819, 'tonight shop at': 924491, 'shop at charlton': 759942, 'at charlton store': 98232, 'charlton store no': 173781, 'no fruit or': 564317, 'fruit or veg': 339120, 'or veg rice': 617647, 'veg rice pasta': 953785, 'rice pasta tinned': 721106, 'pasta tinned veg': 643826, 'tinned veg or': 898640, 'veg or meat': 953774, 'or meat the': 616102, 'meat the place': 525771, 'place wa pretty': 657800, 'wa pretty much': 962993, 'pretty much ransacked': 671460, 'much ransacked stoppanicbuying': 545276, 'ransacked stoppanicbuying stockpiling': 696820, 'behemoth': 124585, 'shopping behemoth': 762226, 'behemoth and': 124586, 'major grocer': 509347, 'grocer dogood': 364118, 'online shopping behemoth': 609052, 'shopping behemoth and': 762227, 'behemoth and many': 124587, 'many major grocer': 514257, 'major grocer dogood': 509348, 'grocer dogood bewell': 364119, 'socialdistancing really': 780637, 'failing bc': 296196, 'bc someone': 113286, 'someone got': 784487, 'socialdistancing really failing': 780638, 'really failing bc': 702181, 'failing bc someone': 296197, 'bc someone got': 113287, 'someone got in': 784488, 'got in car': 358627, 'accident near the': 28398, 'near the grocery': 553610, 'month search': 537988, 'have grown': 380848, 'grown by': 367275, 'by 950': 151721, '950 worldwide': 23614, 'worldwide meanwhile': 1010392, 'been 600': 120582, '600 increase': 21093, 'get twice': 348548, 'twice and': 936510, 'service near': 752608, 'up 200': 944132, 'past month search': 643574, 'month search for': 537989, 'search for how': 743251, 'sanitizer have grown': 735055, 'have grown by': 380849, 'grown by 950': 367276, 'by 950 worldwide': 151722, '950 worldwide meanwhile': 23615, 'worldwide meanwhile there': 1010393, 'meanwhile there ha': 525047, 'ha been 600': 369702, 'been 600 increase': 120583, '600 increase in': 21094, 'increase in search': 432865, 'in search for': 427756, 'search for can': 743243, 'for can you': 319897, 'you get twice': 1018804, 'get twice and': 348549, 'twice and search': 936512, 'and search for': 71105, 'search for grocery': 743249, 'for grocery delivery': 322029, 'delivery service near': 234449, 'service near me': 752609, 'near me have': 553537, 'me have gone': 522860, 'gone up 200': 356409, 'uk people': 938619, 'up 20': 944130, '20 long': 13132, 'people idiot': 648310, 'is now supermarket': 450343, 'now supermarket manager': 575936, 'the uk people': 870264, 'uk people line': 938620, 'line up 20': 493519, 'up 20 long': 944131, '20 long before': 13133, 'store open and': 809250, 'open and leave': 612062, 'and leave it': 66053, 'leave it empty': 484846, 'it empty within': 457815, 'empty within few': 275242, 'every day what': 285858, 'these people idiot': 880444, 'people idiot panic': 648311, 'distillery around': 247736, 'increasingly switching': 433804, 'switching up': 830585, 'high proof': 395303, 'proof alcohol': 683986, 'needed handsanitizer': 556380, 'distillery around the': 247737, 'nation are increasingly': 552126, 'are increasingly switching': 87505, 'increasingly switching up': 433805, 'switching up their': 830587, 'their operation and': 874116, 'operation and using': 613137, 'and using their': 74804, 'using their supply': 950734, 'their supply of': 874920, 'supply of high': 825631, 'of high proof': 584615, 'high proof alcohol': 395304, 'proof alcohol to': 683987, 'alcohol to provide': 41156, 'to provide much': 912414, 'much needed handsanitizer': 545153, 'needed handsanitizer during': 556381, 'numerical': 577116, 'dtn': 261426, 'trend plenty': 931418, 'of numerical': 587107, 'numerical uncertainty': 577117, 'uncertainty dtn': 939681, '19 trend plenty': 11578, 'trend plenty of': 931419, 'plenty of numerical': 660959, 'of numerical uncertainty': 587108, 'numerical uncertainty dtn': 577118, 'comicstrip': 187968, 'comicsforquarantine': 187967, 'nice surprise': 562476, 'surprise toiletpaper': 828555, 'toiletpaperpanic webcomics': 923302, 'webcomics comic': 974988, 'comic comicstrip': 187929, 'comicstrip comicsforquarantine': 187969, 'wa nice surprise': 962708, 'nice surprise toiletpaper': 562477, 'surprise toiletpaper toiletpaperpanic': 828556, 'toiletpaper toiletpaperpanic webcomics': 922715, 'toiletpaperpanic webcomics comic': 923303, 'webcomics comic comicstrip': 974989, 'comic comicstrip comicsforquarantine': 187930, 'tulsehill': 935288, 'in tulsehill': 430323, 'tulsehill and': 935289, 'gotten much': 359149, 'worse this': 1011037, 'isn panic': 454617, 'buying problem': 150924, 'is collapse': 446633, 'is worsening': 454073, 'worsening food': 1011096, 'shortage loom': 765061, 'loom for': 503089, 'been to my': 122221, 'my local in': 549123, 'local in tulsehill': 498109, 'in tulsehill and': 430324, 'tulsehill and the': 935290, 'food situation ha': 316633, 'situation ha gotten': 772295, 'ha gotten much': 370751, 'gotten much worse': 359150, 'much worse this': 545477, 'worse this isn': 1011039, 'this isn panic': 888491, 'isn panic buying': 454618, 'panic buying problem': 637852, 'buying problem this': 150926, 'problem this is': 679718, 'this is collapse': 888208, 'is collapse in': 446634, 'chain the supermarket': 171173, 'supermarket are lying': 819170, 'situation is worsening': 772355, 'is worsening food': 454075, 'worsening food shortage': 1011097, 'food shortage loom': 316587, 'shortage loom for': 765062, 'loom for london': 503090, 'supermarket day8oflockdown': 819898, 'in day trip': 422024, 'day trip to': 228623, 'the supermarket day8oflockdown': 868548, 'quarantined here': 692860, 'closed worry': 183445, 'worry me': 1010743, 'not quarantined here': 571188, 'quarantined here the': 692861, 'here the job': 393654, 'the job is': 858662, 'food tp the': 317349, 'tp the fact': 927972, 'fact that everything': 295797, 'that everything else': 843778, 'everything else is': 287772, 'else is closed': 271749, 'is closed worry': 446595, 'closed worry me': 183446, 'worry me for': 1010745, 'me for most': 522754, 'most people had': 542613, 'people had panic': 648140, 'employee about what': 273510, 'about what their': 26900, 'what their life': 982380, 'their life were': 873849, 'life were like': 489199, 'coverage on': 212371, 'more coverage on': 538912, 'coverage on how': 212372, 'on how greater': 601400, 'on what ha': 605223, 'what ha clearly': 981533, 'ha clearly been': 370165, 'clearly been panic': 181489, 'topmarketgainers': 925836, 'tmg': 899361, 'special hand': 787947, 'sanitizer fast': 734853, 'shipping available': 758828, 'available word': 104710, 'our sponsor': 624867, 'sponsor click': 789825, 'here topmarketgainers': 393742, 'topmarketgainers tmg': 925837, 'tmg nasdaq': 899362, 'nasdaq nyse': 551991, 'nyse health': 578136, 'wellness hemp': 978842, 'hemp handsanitizer': 391707, 'sanitizer fitness': 734871, 'fitness clean': 309519, 'protect against 19': 684757, 'against 19 with': 37309, '19 with this': 12146, 'this special hand': 890276, 'special hand sanitizer': 787948, 'hand sanitizer fast': 375396, 'sanitizer fast shipping': 734854, 'fast shipping available': 300029, 'shipping available word': 758829, 'available word from': 104711, 'word from our': 1004494, 'from our sponsor': 336799, 'our sponsor click': 624868, 'sponsor click here': 789826, 'click here topmarketgainers': 181920, 'here topmarketgainers tmg': 393743, 'topmarketgainers tmg nasdaq': 925838, 'tmg nasdaq nyse': 899363, 'nasdaq nyse health': 551992, 'nyse health wellness': 578137, 'health wellness hemp': 386952, 'wellness hemp handsanitizer': 978843, 'hemp handsanitizer sanitizer': 391708, 'handsanitizer sanitizer fitness': 376629, 'sanitizer fitness clean': 734872, 'beefcentral': 120569, 'fakemeat': 296754, 'ha unleashed': 372394, 'unleashed further': 942585, 'further wave': 342201, 'panicbuying this': 639084, 'week meat': 976525, 'many news': 514345, 'have documented': 380308, 'documented see': 251244, 'saying beefcentral': 739558, 'beefcentral fakemeat': 120570, 'pandemic ha unleashed': 635575, 'ha unleashed further': 372395, 'unleashed further wave': 942586, 'further wave of': 342202, 'wave of panicbuying': 969378, 'of panicbuying this': 587743, 'panicbuying this week': 639085, 'this week meat': 891233, 'week meat ha': 976526, 'been at front': 120701, 'at front and': 98714, 'and centre of': 59678, 'centre of consumer': 169523, 'consumer demand many': 197146, 'demand many news': 235841, 'many news report': 514346, 'news report have': 560750, 'report have documented': 712003, 'have documented see': 380309, 'documented see what': 251245, 're saying beefcentral': 699427, 'saying beefcentral fakemeat': 739559, 'zoo': 1027788, 'made clear': 507685, 'clear 12': 181207, 'food 13': 313006, '13 social': 3259, 'network bring': 557706, 'bring closer': 139945, 'closer but': 183492, 'panic 14': 637240, '14 now': 3504, 'animal feel': 76594, 'in zoo': 431163, '19 made clear': 8498, 'made clear 12': 507686, 'clear 12 toilet': 181208, '12 toilet paper': 2969, 'paper is more': 640355, 'important than food': 418993, 'than food 13': 840658, 'food 13 social': 313007, '13 social network': 3260, 'social network bring': 779901, 'network bring closer': 557707, 'bring closer but': 139946, 'closer but it': 183493, 'also the mean': 48978, 'mean to create': 524732, 'to create panic': 903720, 'create panic 14': 215714, 'panic 14 now': 637241, '14 now we': 3505, 'now we know': 576343, 'know how animal': 476430, 'how animal feel': 407370, 'animal feel in': 76595, 'feel in zoo': 302680, 'btw today': 141550, 'most nyc': 542535, 'go later': 353792, 'anything need': 80833, 'btw today is': 141551, 'today is food': 919719, 'is food stock': 447873, 'food stock delivery': 316784, 'stock delivery day': 802044, 'delivery day for': 233852, 'day for most': 227624, 'for most nyc': 323621, 'most nyc supermarket': 542536, 'nyc supermarket so': 578056, 'supermarket so would': 822748, 'so would go': 778816, 'would go later': 1011845, 'go later this': 353793, 'later this afternoon': 481142, 'this afternoon for': 886231, 'afternoon for anything': 36688, 'for anything need': 319461, 'anything need for': 80834, 'the weekend stay': 871337, 'weekend stay healthy': 977412, 'necided': 554304, 'wishful': 996867, 'twitter with': 936743, 'hour info': 405699, 'info track': 437601, 'track ha': 928196, 'feeling extremely': 302984, 'extremely anxious': 293857, 'anxious so': 78864, 'so necided': 777857, 'necided to': 554305, 'online wishful': 609738, 'wishful shopping': 996868, 'shopping instead': 763024, 'instead looking': 440216, 'at etsy': 98553, 'etsy ebay': 283185, 'ebay other': 266477, 'other site': 620923, 'site which': 772061, 'led me': 485240, 'twitter with the': 936745, 'with the 24': 1001186, 'the 24 hour': 848048, '24 hour info': 15619, 'hour info track': 405700, 'info track ha': 437602, 'track ha me': 928197, 'me feeling extremely': 522721, 'feeling extremely anxious': 302985, 'extremely anxious so': 293858, 'anxious so necided': 78865, 'so necided to': 777858, 'necided to do': 554306, 'do online wishful': 249940, 'online wishful shopping': 609739, 'wishful shopping instead': 996869, 'shopping instead looking': 763025, 'instead looking at': 440217, 'looking at etsy': 502807, 'at etsy ebay': 98554, 'etsy ebay other': 283186, 'ebay other site': 266478, 'other site which': 620925, 'site which led': 772062, 'which led me': 986106, 'led me to': 485241, 'me to wonder': 523801, 'to wonder how': 918668, 'wonder how people': 1003957, 'how people who': 408510, 'who just lost': 989145, 'just lost their': 469197, 'job are waiting': 465665, 'waiting for congress': 964313, 'the gouging': 856479, 'gouging bastard': 359260, 'bastard selling': 112497, 'price get': 674169, 'their comeuppance': 872807, 'hope the gouging': 403677, 'the gouging bastard': 856480, 'gouging bastard selling': 359261, 'bastard selling hand': 112498, 'selling hand sanitiser': 749286, 'sanitiser at vastly': 733927, 'inflated price get': 437044, 'price get their': 674173, 'get their comeuppance': 348324, 'march coronavirus': 515328, 'coronavirus led': 206222, 'dramatic decline': 258277, 'diamond price fell': 240332, 'price fell in': 673850, 'fell in march': 303204, 'in march coronavirus': 425092, 'march coronavirus led': 515329, 'coronavirus led to': 206223, 'to dramatic decline': 904704, 'dramatic decline in': 258278, 'in global economy': 423330, 'wolverhampton': 1003386, 'routine and': 726490, 'account if': 28695, 'possible wolverhampton': 665883, 'plan for how': 658120, 'for how you': 322424, 'you can adapt': 1017613, 'can adapt your': 157371, 'adapt your daily': 31294, 'your daily routine': 1023447, 'daily routine and': 224786, 'routine and set': 726492, 'and set up': 71333, 'shopping account if': 761885, 'account if possible': 28697, 'if possible wolverhampton': 414675, 'fisher hi': 309358, '19 pa': 9229, 'fisher hi there': 309359, 'covid 19 pa': 213541, 'behind dirty': 124621, 'shopper leave behind': 761589, 'leave behind dirty': 484753, 'behind dirty mask': 124622, 'hlt': 398642, 'hilton': 396512, 'ackman did': 29092, 'twitter this': 936726, 'pump up': 689107, 'by saying': 153879, 'over ackman': 629945, 'ackman top': 29098, 'top spot': 925721, 'spot hlt': 790067, 'hlt hilton': 398643, 'hilton wa': 396515, 'up 14': 944116, 'now bill': 574253, 'can unload': 160079, 'unload most': 942799, 'his position': 397717, 'position tomorrow': 665202, 'classic pump': 180337, 'and dump': 61801, 'what job bill': 981774, 'job bill ackman': 465702, 'bill ackman did': 130488, 'ackman did on': 29093, 'did on twitter': 240750, 'on twitter this': 604929, 'twitter this weekend': 936727, 'weekend to pump': 977432, 'to pump up': 912504, 'pump up the': 689108, 'up the market': 946192, 'market by saying': 516137, 'by saying the': 153881, 'saying the worst': 739716, 'all is over': 43251, 'is over ackman': 450682, 'over ackman top': 629946, 'ackman top spot': 29100, 'top spot hlt': 925722, 'spot hlt hilton': 790068, 'hlt hilton wa': 398644, 'hilton wa up': 396516, 'wa up 14': 963613, 'up 14 today': 944117, '14 today now': 3535, 'today now bill': 919952, 'now bill can': 574254, 'bill can unload': 130532, 'can unload most': 160081, 'unload most of': 942800, 'most of his': 542548, 'of his position': 584663, 'his position tomorrow': 397719, 'position tomorrow at': 665203, 'tomorrow at much': 924036, 'higher price classic': 395669, 'price classic pump': 673139, 'classic pump and': 180338, 'pump and dump': 689023, 'would tweet': 1012350, 'brother living': 141083, 'house showing': 406556, 'she talked': 756372, 'it she': 461011, 'she block': 755893, 'block me': 132790, 'up isn': 945231, 'furious that someone': 341863, 'someone would tweet': 784805, 'would tweet about': 1012351, 'tweet about his': 936325, 'about his brother': 25392, 'his brother living': 397260, 'brother living with': 141084, 'living with confirmed': 496486, '19 and others': 5076, 'the house showing': 857632, 'house showing symptom': 406557, 'showing symptom and': 767510, 'symptom and going': 830807, 'and going shopping': 63809, 'going shopping at': 355446, 'supermarket when she': 823806, 'when she talked': 984006, 'she talked to': 756373, 'talked to about': 833942, 'to about it': 899914, 'about it she': 25594, 'it she block': 461012, 'she block me': 755894, 'block me they': 132791, 'me they must': 523688, 'must be locked': 546522, 'locked up isn': 500507, 'up isn this': 945232, 'isn this funny': 454731, 'retailer walmart': 719398, 'worker busy': 1006551, 'busy while': 145013, 'while trying': 987481, 'of aggressive': 579830, 'aggressive and': 38235, 'place read': 657669, 'nation largest retailer': 552244, 'largest retailer walmart': 480014, 'retailer walmart is': 719399, 'walmart is keeping': 965361, 'keeping it worker': 472461, 'it worker busy': 462518, 'worker busy while': 1006552, 'busy while trying': 145014, 'while trying to': 987482, 'outbreak the store': 628722, 'store is struggling': 808535, 'stocked while the': 803458, 'while the trend': 987420, 'the trend of': 869965, 'trend of aggressive': 931405, 'of aggressive and': 579831, 'aggressive and excessive': 38236, 'and excessive shopping': 62458, 'excessive shopping is': 289418, 'taking place read': 833514, 'place read more': 657670, 'fiery': 304555, 'simply going': 770228, 'instead dressed': 440170, 'the fiery': 855156, 'fiery return': 304556, 'lord and': 503302, 'and savior': 70973, 'savior when': 737999, 'all lmao': 43402, 'lmao coronacrisis': 497144, 'coronacrisis brooklyn': 204531, 'simply going to': 770229, 'store but instead': 806796, 'but instead dressed': 146065, 'instead dressed for': 440171, 'for the fiery': 326432, 'the fiery return': 855157, 'fiery return of': 304557, 'return of our': 719872, 'of our lord': 587503, 'our lord and': 623808, 'lord and savior': 503303, 'and savior when': 70974, 'savior when will': 738000, 'when will this': 984509, 'will this end': 995196, 'this end all': 887378, 'end all lmao': 275764, 'all lmao coronacrisis': 43403, 'lmao coronacrisis brooklyn': 497145, 'non surgical': 566508, 'to standard': 915169, 'standard and': 793627, 'and specification': 72077, 'specification to': 788302, 'ensure protection': 278016, 'order large': 618356, 'buy through': 149368, 'non surgical mask': 566509, 'surgical mask by': 828352, 'mask by to': 518506, 'by to standard': 154562, 'to standard and': 915170, 'standard and specification': 793629, 'and specification to': 72078, 'specification to ensure': 788303, 'to ensure protection': 905183, 'ensure protection for': 278017, 'protection for you': 685450, 'you you can': 1022479, 'can order large': 159173, 'order large quantity': 618357, 'large quantity or': 479764, 'quantity or buy': 691946, 'or buy through': 614620, 'buy through our': 149369, 'through our retail': 894618, 'mine life': 532914, 'very wealthy': 955658, 'wealthy area': 974195, 'drive for': 259059, 'that disproportionately': 843556, 'disproportionately the': 246313, 'people willing': 650423, 'food came': 313864, 'few council': 303758, 'council flat': 209981, 'of mine life': 586557, 'mine life in': 532915, 'life in very': 488773, 'in very wealthy': 430574, 'very wealthy area': 955659, 'wealthy area and': 974196, 'area and wa': 91944, 'and wa doing': 75084, 'wa doing food': 962001, 'doing food drive': 252407, 'food drive for': 314287, 'drive for the': 259060, 'bank who have': 110305, 'have been struggling': 379700, 'been struggling with': 122079, 'struggling with high': 814538, '19 they found': 11307, 'they found that': 882142, 'found that disproportionately': 330397, 'that disproportionately the': 843557, 'disproportionately the people': 246315, 'the people willing': 863521, 'people willing to': 650424, 'willing to give': 995468, 'to give food': 906685, 'give food came': 350497, 'food came from': 313865, 'from the few': 337696, 'the few council': 855116, 'few council flat': 303759, 'council flat in': 209982, '635 people': 21293, 'medicine amid': 526709, 'arrested 635 people': 93801, '635 people for': 21294, 'and or manipulating': 68218, 'or manipulating the': 616057, 'good and medicine': 356738, 'and medicine amid': 66899, 'medicine amid the': 526710, 'am definitely': 49997, '19 hazard': 7464, 'hazard zone': 384587, 'zone that': 1027778, 'that called': 843085, 'll work': 497101, 'beautiful but don': 118672, 'don have feta': 253599, 'feta and am': 303613, 'and am definitely': 58011, 'am definitely not': 49998, 'definitely not going': 232375, 'covid 19 hazard': 213192, '19 hazard zone': 7465, 'hazard zone that': 384588, 'zone that called': 1027779, 'that called supermarket': 843087, 'it ll work': 459434, 'corporal': 207226, 'rich channel': 721203, 'channel his': 172888, 'his inner': 397537, 'inner corporal': 438796, 'corporal jones': 207227, 'jones in': 467249, 'this cracking': 886995, 'cracking short': 214745, 'farm where': 299208, 'he share': 385428, 'rich channel his': 721204, 'channel his inner': 172889, 'his inner corporal': 397538, 'inner corporal jones': 438797, 'corporal jones in': 207228, 'jones in this': 467250, 'in this cracking': 429925, 'this cracking short': 886996, 'cracking short video': 214746, 'short video from': 764783, 'video from the': 956746, 'from the farm': 337690, 'the farm where': 854938, 'farm where he': 299209, 'where he share': 984920, 'he share his': 385429, 'thought on amp': 893156, 'on amp food': 599313, 'before floor': 122803, 'floor is': 310809, 'price news': 675331, 'long before floor': 501348, 'before floor is': 122804, 'floor is found': 310810, 'is found for': 447916, 'found for price': 330212, 'for price news': 324725, 'compulsive': 192708, 'this compulsive': 886829, 'compulsive hand': 192711, 'washing process': 967711, 'process because': 679888, 'is cured': 446980, 'hope we will': 403772, 'will continue this': 993019, 'continue this compulsive': 201155, 'this compulsive hand': 886830, 'compulsive hand washing': 192712, 'hand washing process': 375954, 'washing process because': 967712, 'process because know': 679889, 'because know the': 119222, 'know the hand': 476829, 'sanitizer will too': 736110, 'will too after': 995213, 'too after the': 924569, 'after the is': 36327, 'the is cured': 858486, 'month supermarket': 538021, 'shortage our': 765152, 'our cco': 622334, 'cco james': 168438, 'james reflects': 464404, 'in cloud': 421522, 'cloud read': 184317, 'light of last': 489557, 'last month supermarket': 480342, 'month supermarket shortage': 538022, 'supermarket shortage our': 822669, 'shortage our cco': 765153, 'our cco james': 622335, 'cco james reflects': 168439, 'james reflects on': 464405, 'crisis on buying': 217810, 'on buying behaviour': 599756, 'buying behaviour will': 150022, 'behaviour will we': 124567, 'we see the': 973171, 'same pattern in': 733209, 'pattern in cloud': 644472, 'in cloud read': 421523, 'cloud read more': 184318, 'kwminsights': 478058, 'can competitor': 157948, 'competitor work': 191798, 'business drastically': 143659, 'increase it': 432888, 'good our': 357531, 'expert tackle': 291978, 'tackle these': 831614, 'more kwminsights': 539657, 'how can competitor': 407498, 'can competitor work': 157949, 'competitor work together': 191799, 'together to meet': 920996, 'meet the community': 527594, 'the community need': 851286, 'community need what': 189998, 'need what will': 556199, 'happen if business': 377091, 'if business drastically': 413911, 'business drastically increase': 143660, 'drastically increase it': 258442, 'increase it price': 432889, 'price for scarce': 674043, 'for scarce good': 325374, 'scarce good our': 740786, 'good our expert': 357532, 'our expert tackle': 622962, 'expert tackle these': 291979, 'tackle these question': 831615, 'and more kwminsights': 67184, 'drbirx': 258551, 'moment ago': 535870, 'ago during': 38375, 'during white': 263413, 'briefing this': 139745, 'safe trump': 730076, 'trump drbirx': 933533, 'dr birx moment': 257970, 'birx moment ago': 131471, 'moment ago during': 535871, 'ago during white': 38376, 'during white house': 263414, 'coronavirus briefing this': 205575, 'briefing this is': 139746, 'friend safe trump': 333792, 'safe trump drbirx': 730077, 'english guy': 277055, 'paris shop': 641834, 'stocked here': 803337, 'few and': 303712, 'food saw': 316304, 'saw image': 738140, 'all panicbuying': 43909, 'from an english': 334482, 'an english guy': 55757, 'english guy in': 277056, 'guy in paris': 369038, 'in paris shop': 426504, 'paris shop are': 641835, 'shop are well': 759920, 'well stocked here': 978598, 'stocked here some': 803339, 'here some people': 393583, 'buying but only': 150067, 'only few and': 610434, 'few and for': 303713, 'and for no': 63150, 'no reason there': 565297, 'reason there plenty': 703004, 'of food saw': 583767, 'food saw image': 316305, 'saw image of': 738141, 'shelf in uk': 757223, 'uk do not': 938309, 'panic take what': 638664, 'you need only': 1020024, 'need only there': 555376, 'only there plenty': 611295, 'there plenty for': 878941, 'for all panicbuying': 319159, 'all panicbuying stoppanicbuying': 43910, 'coronapocalyse': 205213, 've figured': 953115, 'been mass': 121521, 'make hilarious': 509974, 'hilarious video': 396450, 'tiktok to': 895924, 'to entertain': 905231, 'entertain all': 278502, 'all dickhead': 42561, 'dickhead coronacrisis': 240481, 'coronacrisis coronapocalyse': 204577, 'coronapocalyse corona': 205214, 've figured out': 953116, 'figured out the': 305260, 'real reason why': 701334, 'reason why people': 703061, 'why people have': 991286, 'have been mass': 379607, 'been mass buying': 121522, 'mass buying toilet': 519752, 'toilet roll it': 921578, 'roll it so': 725361, 'can make hilarious': 158932, 'make hilarious video': 509975, 'hilarious video on': 396451, 'video on tiktok': 956848, 'on tiktok to': 604699, 'tiktok to entertain': 895925, 'to entertain all': 905232, 'entertain all dickhead': 278503, 'all dickhead coronacrisis': 42562, 'dickhead coronacrisis coronapocalyse': 240482, 'coronacrisis coronapocalyse corona': 204578, 'coronapocalyse corona toiletpaper': 205215, 'scratching': 742625, 'stuff must': 815133, 'must admit': 546462, 'admit am': 32588, 'still scratching': 801146, 'scratching my': 742626, 'first item': 308741, 'thought is': 893099, 'serious better': 751340, 'start wiping': 794644, 'wiping my': 996522, 'my bum': 547574, 'is scary stuff': 451682, 'scary stuff must': 741191, 'stuff must admit': 815134, 'must admit am': 546463, 'admit am still': 32589, 'am still scratching': 50436, 'still scratching my': 801147, 'scratching my head': 742627, 'head to why': 385837, 'to why toiletpaper': 918596, 'why toiletpaper wa': 991488, 'toiletpaper wa of': 922809, 'wa of the': 962802, 'the first item': 855319, 'first item of': 308742, 'item of panic': 463493, 'buying it like': 150598, 'like everyone thought': 490194, 'everyone thought is': 287488, 'thought is serious': 893100, 'is serious better': 451781, 'serious better start': 751341, 'better start wiping': 128489, 'start wiping my': 794645, 'wiping my bum': 996524, 'bathurst': 112695, 'slam sydney': 773489, 'sydney vulture': 830728, 'vulture for': 961295, 'for raiding': 324944, 'raiding his': 695656, 'his bathurst': 397231, 'bathurst supermarket': 112696, 'slam sydney vulture': 773490, 'sydney vulture for': 830729, 'vulture for raiding': 961296, 'for raiding his': 324945, 'raiding his bathurst': 695657, 'his bathurst supermarket': 397232, 'destroyed demand': 239052, 'and driven': 61746, 'down oilprices': 257009, 'oilprices straining': 597693, 'straining budget': 812332, 'budget of': 141806, 'and hammering': 64134, 'hammering the': 374589, 'it higher': 458582, 'oott commodity': 611764, 'commodity oil': 189237, 'of the have': 591094, 'the have destroyed': 857148, 'have destroyed demand': 380247, 'destroyed demand for': 239053, 'for fuel and': 321797, 'fuel and driven': 340116, 'and driven down': 61747, 'driven down oilprices': 259310, 'down oilprices straining': 257010, 'oilprices straining budget': 597694, 'straining budget of': 812333, 'budget of oil': 141807, 'of oil producer': 587192, 'producer and hammering': 680561, 'and hammering the': 64135, 'hammering the shale': 374590, 'to it higher': 908586, 'it higher cost': 458583, 'cost oott commodity': 208074, 'oott commodity oil': 611765, 'reson': 714658, 'tucumsa': 935075, 'the reson': 865589, 'reson this': 714659, 'got started': 358866, 'started im': 794753, 'im confused': 416519, 'saw awol': 738064, 'awol lead': 106294, 'singer in': 771188, 'near saint': 553575, 'saint gregory': 731818, 'in tucumsa': 430313, 'tucumsa oklahoma': 935076, 'around oklahoma': 93425, 'america some': 51682, 'reason strange': 702993, 'hey what is': 394538, 'is the reson': 452919, 'the reson this': 865590, 'reson this got': 714660, 'this got started': 887730, 'got started im': 358867, 'started im confused': 794754, 'im confused about': 416520, 'it saw awol': 460883, 'saw awol lead': 738065, 'awol lead singer': 106295, 'lead singer in': 483315, 'singer in grocery': 771189, 'store in near': 808350, 'in near saint': 425704, 'near saint gregory': 553576, 'saint gregory abbey': 731819, 'abbey in tucumsa': 24241, 'in tucumsa oklahoma': 430314, 'tucumsa oklahoma these': 935077, 'not from around': 569536, 'from around oklahoma': 334589, 'around oklahoma or': 93426, 'or america some': 614307, 'america some reason': 51683, 'some reason strange': 783700, 'load reduction': 497291, 'reduction measure': 706382, 'measure see': 525326, 'link though': 493919, 'though that': 892904, 'seems bit': 746763, 'bit extreme': 131564, 'extreme for': 293795, 'supermarket simpler': 822698, 'simpler explanation': 770145, 'explanation is': 292276, 'to consciously': 903213, 'consciously practice': 194805, 'touching their': 926731, 'their fac': 873218, 'could be viral': 208936, 'be viral load': 118012, 'viral load reduction': 957605, 'load reduction measure': 497292, 'reduction measure see': 706383, 'measure see link': 525327, 'see link though': 745366, 'link though that': 493920, 'though that seems': 892905, 'that seems bit': 846171, 'seems bit extreme': 746764, 'bit extreme for': 131565, 'extreme for supermarket': 293796, 'for supermarket simpler': 326024, 'supermarket simpler explanation': 822699, 'simpler explanation is': 770146, 'explanation is that': 292277, 'that even hour': 843735, 'even hour is': 284193, 'hour is lot': 405707, 'of time for': 592173, 'time for someone': 896757, 'someone to consciously': 784701, 'to consciously practice': 903214, 'consciously practice good': 194806, 'hygiene and avoid': 412047, 'avoid touching their': 105356, 'touching their fac': 926732, 'australia reserve': 103364, 'reserve bank': 714043, 'bank governor': 109871, 'governor philip': 360967, 'philip lowe': 654715, 'lowe expects': 505771, 'expects significant': 291107, 'significant job': 769469, 'of he': 584495, 'see home': 745211, 'and predicts': 69345, 'predicts an': 669683, 'year recovery': 1014924, 'recovery auspol2020': 705298, 'australia reserve bank': 103365, 'reserve bank governor': 714044, 'bank governor philip': 109872, 'governor philip lowe': 360968, 'philip lowe expects': 654716, 'lowe expects significant': 505772, 'expects significant job': 291108, 'significant job loss': 769470, 'because of he': 119348, 'of he also': 584496, 'he also see': 384735, 'also see home': 48838, 'see home price': 745212, 'home price falling': 401902, 'price falling and': 673808, 'falling and predicts': 297209, 'and predicts an': 69346, 'predicts an end': 669684, 'an end of': 55733, 'of year recovery': 593347, 'year recovery auspol2020': 1014925, 'deceptive claim': 230820, 'about cure': 25054, 'cure tell': 220815, 'ftc at': 339380, 'you spot scam': 1021331, 'spot scam or': 790103, 'scam or deceptive': 740278, 'or deceptive claim': 614909, 'deceptive claim about': 230821, 'claim about cure': 179683, 'about cure tell': 25056, 'cure tell the': 220816, 'tell the ftc': 837085, 'the ftc at': 855924, 'ftc at more': 339381, 'at more info': 99768, 'more info about': 539546, 'info about these': 437411, 'scam and what': 740028, 'is doing at': 447265, 'it via': 462040, 'confidence and we': 193829, 'and we haven': 75297, 'haven seen the': 383890, 'worst of it': 1011233, 'of it via': 585462, 'wait damn': 964096, 'damn minute': 225392, 'so amazon': 776497, 'amazon worker': 51211, 'shown to': 767624, '48 72': 19294, 'hour everyone': 405579, 'now amazon': 573999, 'prime item': 678121, 'item arrive': 463113, 'arrive to': 93931, 'hour all': 405373, 'all seeing': 44265, 'wait damn minute': 964097, 'damn minute so': 225393, 'minute so amazon': 533838, 'so amazon worker': 776499, 'amazon worker tested': 51212, '19 in warehouse': 7797, 'in warehouse so': 430685, 'warehouse so far': 966767, 'far the virus': 298934, 'ha shown to': 371922, 'shown to survive': 767625, 'survive on surface': 829216, 'surface for 48': 828022, 'for 48 72': 318851, '48 72 hour': 19295, '72 hour everyone': 22011, 'hour everyone is': 405580, 'everyone is shopping': 287108, 'online now amazon': 608589, 'now amazon prime': 574000, 'amazon prime item': 51078, 'prime item arrive': 678122, 'item arrive to': 463115, 'arrive to customer': 93932, 'customer in 48': 222488, '48 hour all': 19303, 'hour all seeing': 405374, 'all seeing what': 44266, 'seeing what seeing': 746556, 'michele and': 530287, 'pushing me': 690430, 'postpone surgery': 666777, 'surgery this': 828337, 'mean still': 524659, 'special medicine': 787991, 'cope until': 203331, 'example have': 288897, 'special vitamin': 788092, 'vitamin that': 959803, 'michele and it': 530288, 'just that covid': 469980, 'is pushing me': 451148, 'pushing me to': 690431, 'me to postpone': 523769, 'to postpone surgery': 911926, 'postpone surgery this': 666778, 'surgery this mean': 828338, 'this mean still': 888816, 'mean still have': 524660, 'food and special': 313340, 'and special medicine': 72066, 'special medicine to': 787992, 'medicine to cope': 526908, 'to cope until': 903511, 'cope until the': 203332, 'until the operation': 943863, 'the operation is': 862391, 'operation is safe': 613221, 'safe for example': 729677, 'for example have': 321280, 'example have to': 288898, 'to have special': 907311, 'have special vitamin': 382678, 'special vitamin that': 788093, 'vitamin that are': 959804, 'that are expensive': 842746, 'are expensive and': 86334, 'expensive and have': 291219, 'preliminary estimate': 669871, 'estimate from': 282245, 'the bureau': 850129, 'statistic show': 796589, 'trade increased': 928511, 'february ausbiz': 301691, 'ausbiz ausecon': 103036, 'ausecon market': 103048, 'preliminary estimate from': 669872, 'estimate from the': 282246, 'from the bureau': 337622, 'the bureau of': 850130, 'of statistic show': 590080, 'statistic show that': 796590, 'show that retail': 767193, 'that retail trade': 846038, 'retail trade increased': 718802, 'trade increased by': 928512, 'increased by in': 433232, 'by in february': 152881, 'in february ausbiz': 422836, 'february ausbiz ausecon': 301692, 'ausbiz ausecon market': 103038, 'ausecon market auspol': 103049, 'march connected': 515322, 'to econ': 904924, 'econ contraction': 266924, 'contraction related': 201808, 'to wheat': 918530, 'wheat maize': 983000, 'maize expectation': 509197, 'expectation remain': 290844, 'unchanged some': 939792, 'country offset': 210930, 'offset others': 596105, 'such south': 816766, 'africa recovery': 35123, 'from drought': 335218, 'drought read': 260773, 'the ha reported': 857016, 'ha reported that': 371731, 'reported that world': 712543, 'that world food': 847668, 'food price dropped': 315936, 'price dropped in': 673594, 'dropped in march': 260579, 'in march connected': 425091, 'march connected to': 515323, 'connected to econ': 194661, 'to econ contraction': 904925, 'econ contraction related': 266925, 'contraction related to': 201809, 'related to wheat': 708624, 'to wheat maize': 918531, 'wheat maize expectation': 983001, 'maize expectation remain': 509198, 'expectation remain unchanged': 290845, 'remain unchanged some': 709899, 'unchanged some country': 939793, 'some country offset': 782617, 'country offset others': 210931, 'offset others such': 596106, 'others such south': 621678, 'such south africa': 816767, 'south africa recovery': 786657, 'africa recovery from': 35124, 'recovery from drought': 705332, 'from drought read': 335219, 'drought read more': 260774, 'mep': 528913, 'herbert': 392590, 'dorfmann': 255890, 'safety system': 730748, 'are proving': 89328, 'proving to': 687238, 'be extremely': 114762, 'extremely resilient': 293919, 'resilient people': 714527, 'find available': 306820, 'say mep': 738937, 'mep herbert': 528914, 'herbert dorfmann': 392591, 'europe food supply': 283439, 'food safety system': 316278, 'safety system are': 730749, 'system are proving': 831117, 'are proving to': 89329, 'proving to be': 687239, 'to be extremely': 901248, 'be extremely resilient': 114763, 'extremely resilient people': 293920, 'resilient people still': 714528, 'people still manage': 649599, 'still manage to': 800832, 'manage to find': 512462, 'to find available': 905884, 'find available and': 306821, 'available and safe': 104229, 'and safe food': 70710, 'safe food on': 729669, 'food on supermarket': 315602, 'supermarket shelf even': 822462, 'shelf even in': 757051, 'pandemic say mep': 636395, 'say mep herbert': 738938, 'mep herbert dorfmann': 528915, 'resum': 717723, 'put worked': 690982, 'my resum': 549942, 'resum under': 717724, 'skill section': 772973, 'put worked in': 690983, 'worked in grocery': 1006122, 'pandemic on my': 636091, 'on my resum': 602310, 'my resum under': 549943, 'resum under the': 717725, 'under the skill': 940332, 'the skill section': 867302, 'distributor could': 248279, 'also go': 48268, 'lost all': 503821, 'restaurant business': 716337, 'smaller food distributor': 775270, 'food distributor could': 314244, 'distributor could also': 248280, 'could also go': 208814, 'also go out': 48271, 'of business because': 580947, 'business because at': 143432, 'least for now': 484470, 'for now they': 323985, 'now they ve': 576118, 've lost all': 953347, 'lost all of': 503822, 'of their restaurant': 591696, 'their restaurant business': 874578, 'banksouth': 110553, 'standard banksouth': 793638, 'banksouth africa': 110554, 'africa announced': 35046, 'the spre': 867611, 'standard banksouth africa': 793639, 'banksouth africa announced': 110555, 'africa announced payment': 35047, 'with the spre': 1001490, 'me sure': 523572, 'people applauding': 646905, 'applauding healthworkers': 82277, 'healthworkers from': 387501, 'their balcony': 872549, 'balcony or': 109027, 'people offering': 648943, 'like me sure': 490753, 'me sure you': 523573, 'touched by the': 926611, 'by the video': 154472, 'of people applauding': 587873, 'people applauding healthworkers': 646907, 'applauding healthworkers from': 82278, 'healthworkers from their': 387502, 'from their balcony': 337935, 'their balcony or': 872550, 'balcony or the': 109029, 'or the story': 617401, 'the story of': 868181, 'of people offering': 587957, 'people offering to': 648944, 'shopping for older': 762701, 'global accessible': 351728, 'on affordable': 599170, 'care drug': 163911, 'product based': 681002, 'making drug': 511032, 'drug health': 260968, 'care affordable': 163824, 'affordable preventing': 34865, 'bank investment': 109943, 'review for consumer': 720562, 'act on global': 29730, 'on global accessible': 601098, 'global accessible trade': 351729, 'accessible trade on': 28350, 'trade on affordable': 928536, 'on affordable care': 599171, 'affordable care drug': 34839, 'care drug product': 163912, 'drug product based': 261067, 'product based on': 681003, 'act making drug': 29695, 'making drug health': 511033, 'drug health care': 260969, 'health care affordable': 386218, 'care affordable preventing': 163825, 'affordable preventing covid': 34866, 'world bank investment': 1009348, 'much love': 545066, 'love my': 504726, 'wiped away': 996446, 'point be': 662432, 'completely satisfied': 192349, 'satisfied with': 736954, 'worker having': 1007098, 'their debt': 872982, 'wiped totally': 996488, 'totally clean': 926307, 'clean they': 180661, 'else 19': 271610, 'much love my': 545069, 'love my student': 504727, 'my student loan': 550247, 'loan debt wiped': 497425, 'debt wiped away': 230610, 'wiped away at': 996447, 'away at this': 105789, 'this point be': 889632, 'point be completely': 662434, 'be completely satisfied': 114170, 'completely satisfied with': 192350, 'satisfied with every': 736955, 'with every healthcare': 998273, 'grocery store essential': 365374, 'store essential worker': 807624, 'essential worker having': 281836, 'worker having their': 1007099, 'having their debt': 384322, 'their debt wiped': 872983, 'debt wiped totally': 230612, 'wiped totally clean': 996489, 'totally clean they': 926308, 'clean they owe': 180662, 'nothing else 19': 572992, 'pm imran': 661915, 'khan today': 473713, 'announced 1200': 76905, '1200 billion': 3020, 'relief amp': 709272, 'amp stimulus': 54568, 'package includes': 633306, 'includes utility': 431822, 'bill being': 130522, 'being deferred': 125025, 'deferred for': 232194, 'income group': 432355, 'group principal': 366845, 'principal amp': 678224, 'amp interest': 54007, 'amp reduction': 54375, 'reduction will': 706400, 'pm imran khan': 661916, 'imran khan today': 419645, 'khan today announced': 473714, 'today announced 1200': 919236, 'announced 1200 billion': 76906, '1200 billion economic': 3021, 'billion economic relief': 130812, 'economic relief amp': 267246, 'relief amp stimulus': 709273, 'amp stimulus package': 54569, 'package the package': 633423, 'the package includes': 862844, 'package includes utility': 633308, 'includes utility bill': 431823, 'utility bill being': 951263, 'bill being deferred': 130523, 'being deferred for': 125026, 'deferred for lower': 232196, 'for lower income': 323136, 'lower income group': 505885, 'income group principal': 432356, 'group principal amp': 366846, 'principal amp interest': 678225, 'amp interest for': 54008, 'interest for business': 441347, 'for business amp': 319823, 'business amp reduction': 143283, 'amp reduction will': 54376, 'reduction will be': 706401, 'be done in': 114559, 'done in fuel': 254890, 'fuel price 19': 340216, 'interesting market': 441583, 'market graphic': 516472, 'graphic fund': 362168, 'fund reduce': 341485, 'reduce both': 705790, 'both long': 135961, 'short position': 764672, 'position demand': 665166, 'shock offset': 759484, 'by loss': 153096, 'of downside': 582803, 'downside momentum': 257703, 'bottom level': 136404, 'level courtesy': 487541, 'of andy': 580196, 'andy home': 76246, 'home reuters': 401981, 'interesting market graphic': 441584, 'market graphic fund': 516473, 'graphic fund reduce': 362169, 'fund reduce both': 341486, 'reduce both long': 705791, 'both long and': 135962, 'long and short': 501331, 'and short position': 71563, 'short position demand': 764673, 'position demand shock': 665167, 'demand shock offset': 236200, 'shock offset by': 759485, 'offset by loss': 596094, 'by loss of': 153097, 'loss of downside': 503740, 'of downside momentum': 582804, 'downside momentum with': 257704, 'momentum with supply': 536164, 'with supply cut': 1001080, 'supply cut and': 825132, 'cut and price': 223231, 'and price at': 69439, 'price at rock': 672810, 'rock bottom level': 724894, 'bottom level courtesy': 136405, 'level courtesy of': 487542, 'courtesy of andy': 212050, 'of andy home': 580197, 'andy home reuters': 76247, 'fios': 308039, 'your honest': 1024395, 'honest feedback': 403060, 'feedback of': 302426, 'our plan': 624353, 'far craig': 298752, 'craig for': 214806, 'including mobile': 432062, 'and fios': 62911, 'fios customer': 308040, 'for your honest': 328165, 'your honest feedback': 1024396, 'honest feedback of': 403061, 'feedback of our': 302427, 'of our plan': 587535, 'our plan so': 624355, 'plan so far': 658223, 'so far craig': 777022, 'far craig for': 298753, 'craig for the': 214807, '60 day we': 20933, 'day we will': 228683, 'will also not': 992262, 'also not terminate': 48578, 'any consumer or': 79056, 'consumer or small': 198283, 'small business including': 774867, 'business including mobile': 143916, 'including mobile and': 432063, 'mobile and fios': 534937, 'and fios customer': 62912, 'fios customer because': 308041, 'retirementplanning': 719721, 'pensionadvice': 646672, 'investor beware': 444119, 'beware increase': 129070, 'in pension': 426583, 'pension scam': 646664, 'of retirementplanning': 589070, 'retirementplanning pensionadvice': 719722, 'investor beware increase': 444120, 'beware increase in': 129071, 'increase in pension': 432853, 'in pension scam': 426584, 'pension scam in': 646665, 'wake of retirementplanning': 964601, 'of retirementplanning pensionadvice': 589071, 'park locking': 641943, 'locking up': 500519, 'car partner': 163245, 'partner oh': 642865, 'oh where': 596487, 'sanitiser me': 733990, 'me don': 522676, 'we leave': 972181, 'leave partner': 484897, 'partner going': 642822, 'hide it': 394838, 'car park locking': 163227, 'park locking up': 641944, 'locking up the': 500520, 'up the car': 946157, 'the car partner': 850386, 'car partner oh': 163246, 'partner oh where': 642866, 'oh where the': 596488, 'hand sanitiser me': 375238, 'sanitiser me don': 733991, 'me don bring': 522677, 'don bring it': 253395, 'bring it we': 140015, 'it we ll': 462279, 'we ll use': 972288, 'll use it': 497088, 'use it when': 949318, 'it when we': 462340, 'when we leave': 984452, 'we leave partner': 972182, 'leave partner going': 484898, 'partner going to': 642823, 'going to hide': 355621, 'to hide it': 907728, 'hide it do': 394839, 'not want it': 572439, 'want it in': 965834, 'it in view': 458752, 'that issue': 844689, 'like customer': 490087, 'customer getting': 222413, 'regular restocking': 707852, 'restocking are': 716986, 'stress during': 813316, 'worker say that': 1007741, 'say that issue': 739241, 'that issue like': 844690, 'issue like customer': 455838, 'like customer getting': 490088, 'customer getting too': 222414, 'getting too close': 349409, 'too close and': 924653, 'close and regular': 182539, 'and regular restocking': 70161, 'regular restocking are': 707853, 'restocking are adding': 716987, 'to their stress': 917272, 'their stress during': 874879, 'stress during the': 813317, 'defund': 232494, '10bil': 2311, 'rep defund': 711413, 'defund the': 232495, 'wall put': 965168, 'the 10bil': 847866, '10bil into': 2312, 'into fighting': 442557, 'leave food': 484788, 'loan mortgage': 497477, 'mortgage business': 541872, 'business expense': 143724, 'expense covid': 291184, 'treatment etc': 931066, 'etc sick': 282752, 'can sta': 159714, 'demand your rep': 236540, 'your rep defund': 1025569, 'rep defund the': 711414, 'defund the border': 232496, 'border wall put': 135289, 'wall put the': 965169, 'put the 10bil': 690852, 'the 10bil into': 847867, '10bil into fighting': 2313, 'into fighting coronavirus': 442558, 'fighting coronavirus we': 305051, 'coronavirus we need': 207052, 'money for sick': 536758, 'sick leave food': 768491, 'leave food student': 484792, 'food student loan': 316880, 'student loan mortgage': 814727, 'loan mortgage business': 497478, 'mortgage business expense': 541873, 'business expense covid': 143725, 'expense covid 19': 291185, 'and treatment etc': 74436, 'treatment etc sick': 931067, 'etc sick people': 282753, 'sick people can': 768577, 'people can sta': 647409, 'heavy weight': 388666, 'weight we': 977715, 'demand double': 235248, 'triple at': 932240, 'location mn': 498935, 'mn nonprofit': 534801, 'demand which': 236482, 'in mpls': 425485, 'mpls loaf': 544330, 'loaf amp': 497355, 'amp fish': 53805, 'spending 10k': 788707, '10k more': 2332, 'it heavy weight': 458527, 'heavy weight we': 388667, 'weight we re': 977716, 're seeing the': 699467, 'seeing the demand': 746491, 'the demand double': 853091, 'demand double and': 235249, 'and triple at': 74463, 'triple at some': 932241, 'of our location': 587502, 'our location mn': 623796, 'location mn nonprofit': 498936, 'mn nonprofit that': 534802, 'in need are': 425727, 'need are seeing': 554472, 'are seeing rise': 89913, 'in demand which': 422168, 'demand which is': 236484, 'which is increasing': 986018, 'is increasing their': 448863, 'increasing their cost': 433716, 'their cost in': 872891, 'cost in mpls': 207975, 'in mpls loaf': 425486, 'mpls loaf amp': 544331, 'loaf amp fish': 497356, 'amp fish is': 53806, 'fish is spending': 309325, 'is spending 10k': 452155, 'spending 10k more': 788708, '10k more week': 2333, 'nameless': 551729, 'asda will': 95008, 'remain nameless': 709789, 'nameless abandoned': 551730, 'shopping left': 763153, 'floor perishable': 310834, 'included also': 431672, 'also baby': 47900, 'nappy are': 551881, 'lot staff': 504371, 'gentleman the warehouse': 345849, 'the warehouse in': 871083, 'warehouse in london': 966736, 'in london asda': 424877, 'london asda will': 501031, 'asda will remain': 95009, 'will remain nameless': 994633, 'remain nameless abandoned': 709790, 'nameless abandoned shopping': 551731, 'abandoned shopping left': 24216, 'shopping left by': 763154, 'left by panic': 485436, 'panic buyer on': 637593, 'buyer on the': 149705, 'shop floor perishable': 760174, 'floor perishable food': 310835, 'food included also': 314991, 'included also baby': 431673, 'also baby milk': 47901, 'roll and nappy': 725177, 'and nappy are': 67422, 'nappy are among': 551882, 'the lot staff': 859744, 'lot staff cannot': 504372, 'not aware': 568312, 'quickly from': 694530, '100 quarantine': 2058, 'quarantine stayhomesavelifes': 692573, 'stayhomesavelifes socialdistancing': 798326, 'supermarket today only': 823459, 'to see many': 914039, 'see many people': 745392, 'many people including': 514513, 'people including the': 648464, 'including the staff': 432188, 'the staff do': 867685, 'staff do not': 792378, 'wear mask they': 974405, 'mask they not': 519372, 'they not aware': 882786, 'not aware of': 568313, 'country which didn': 211226, 'which didn take': 985816, 'didn take the': 241226, 'take the 19': 832635, 'the 19 seriously': 847929, '19 seriously and': 10418, 'seriously and how': 751528, 'it spread so': 461205, 'spread so quickly': 790799, 'so quickly from': 778103, 'quickly from to': 694532, 'from to 100': 338051, 'to 100 quarantine': 899441, '100 quarantine stayhomesavelifes': 2059, 'quarantine stayhomesavelifes socialdistancing': 692574, 'to stop panicbuying': 915551, 'stop panicbuying food': 804891, 'panicbuying food via': 638945, 'hmh': 398659, 'hmh nurse': 398660, 'employee trucker': 274355, 'trucker should': 932950, 'should swap': 766536, 'swap income': 829983, 'with banker': 997369, 'banker fond': 110361, 'fond manager': 312990, 'manager online': 512771, 'online trader': 609627, 'trader at': 928662, 'hmh nurse grocery': 398661, 'store employee trucker': 807561, 'employee trucker should': 274356, 'trucker should swap': 932951, 'should swap income': 766537, 'swap income with': 829984, 'income with banker': 432503, 'with banker fond': 997371, 'banker fond manager': 110362, 'fond manager online': 312991, 'manager online trader': 512772, 'online trader at': 609628, 'trader at least': 928663, 'chilling': 176410, 'of vector': 592751, 'vector is': 953674, 'most chilling': 542171, 'chilling for': 176411, 'average family': 104836, 'family masks4all': 298012, 'kind of vector': 474952, 'of vector is': 592752, 'vector is probably': 953675, 'is probably the': 451051, 'probably the most': 679401, 'the most chilling': 860956, 'most chilling for': 542172, 'chilling for the': 176412, 'for the average': 326313, 'the average family': 849100, 'average family masks4all': 104837, 'panic via': 638750, 'amid panic via': 52588, 'sickening attack': 768708, 'salisbury councillor': 732722, 'councillor ha': 210043, 'state mother': 795775, 'two savry': 937193, 'ouk wa': 621951, 'wa verbally': 963633, 'in 7news': 419961, 'sickening attack on': 768709, 'on salisbury councillor': 603279, 'salisbury councillor ha': 732723, 'councillor ha exposed': 210044, 'the state mother': 867794, 'state mother of': 795776, 'of two savry': 592547, 'two savry ouk': 937194, 'savry ouk wa': 738020, 'ouk wa verbally': 621952, 'wa verbally abused': 963634, 'abused and spat': 27685, 'and spat on': 72053, 'spat on while': 787643, 'on while she': 605289, 'while she wa': 987255, 'she wa shopping': 756426, 'wa shopping the': 963208, 'shopping the latest': 764086, 'latest in 7news': 481388, 'in 7news at': 419962, 'that random': 845936, 'person hugged': 652467, 'hugged me': 410280, 'had dream that': 373060, 'dream that random': 258626, 'that random person': 845937, 'random person hugged': 696611, 'person hugged me': 652468, 'hugged me from': 410281, 'me from behind': 522780, 'from behind in': 334666, 'behind in grocery': 124645, 'wa like they': 962549, 'they were trying': 883813, 'trying to kill': 934823, 'to kill me': 908932, 'kashish liked': 470973, 'liked shared': 491913, 'friend kashish liked': 333693, 'kashish liked shared': 470974, 'liked shared fol': 491914, 'expert weigh': 292021, 'weigh in': 977663, 'store expert weigh': 807689, 'expert weigh in': 292022, 'puzzle coloring': 691314, 'coloring book': 186835, 'book box': 134487, 'box game': 137074, 'game watching': 343278, 'update more': 947079, 'usual eating': 950936, 'food watching': 317503, 'movie social': 544057, 'and filed': 62842, 'puzzle coloring book': 691315, 'coloring book box': 186836, 'book box game': 134488, 'box game watching': 137075, 'game watching news': 343279, 'watching news for': 968769, 'news for covid': 560430, '19 update more': 11671, 'update more online': 947080, 'shopping than usual': 764069, 'than usual eating': 841394, 'usual eating food': 950937, 'eating food watching': 266207, 'food watching movie': 317504, 'watching movie social': 968761, 'movie social medium': 544058, 'medium and filed': 526985, 'and filed for': 62843, 'meta': 529610, 'iprice': 444612, 'by meta': 153206, 'meta search': 529613, 'search website': 743303, 'website iprice': 975314, 'iprice saw': 444613, 'saw search': 738230, 'search impression': 743263, 'impression increase': 419461, 'for number': 323989, 'item aside': 463116, 'an analysis by': 55301, 'analysis by meta': 57026, 'by meta search': 153207, 'meta search website': 529614, 'search website iprice': 743304, 'website iprice saw': 975315, 'iprice saw search': 444614, 'saw search impression': 738231, 'search impression increase': 743264, 'impression increase for': 419462, 'increase for number': 432785, 'for number of': 323990, 'number of luxury': 576956, 'of luxury item': 586080, 'luxury item aside': 506939, 'item aside from': 463117, 'aside from food': 95416, 'from food or': 335510, 'food or covid': 315649, 'to feature': 905703, 'feature high': 301546, 'spending depleted': 788783, 'depleted saving': 237416, 'saving slow': 737959, 'slow international': 774365, 'slow business': 774324, 'activity staysafestayhome': 30500, 'expected to feature': 290977, 'to feature high': 905705, 'feature high unemployment': 301547, 'unemployment low consumer': 941247, 'consumer spending depleted': 199051, 'spending depleted saving': 788784, 'depleted saving slow': 237417, 'saving slow international': 737960, 'slow international travel': 774366, 'international travel and': 441864, 'travel and slow': 930258, 'and slow business': 71749, 'slow business activity': 774325, 'business activity staysafestayhome': 143224, 'arises': 92799, 'workingtogether': 1009141, 'supportingfamiliesirl': 827243, 'their press': 874365, 'press do': 671045, 'go bare': 353362, 'by giving': 152689, 'out couple': 625914, 'and whenever': 75530, 'whenever need': 984666, 'need arises': 554477, 'arises workingtogether': 92804, 'workingtogether supportingfamiliesirl': 1009142, 'in today we': 430168, 'working with family': 1009056, 'with family to': 998385, 'family to ensure': 298325, 'ensure that their': 278071, 'that their press': 846884, 'their press do': 874366, 'press do not': 671046, 'not go bare': 569673, 'go bare by': 353363, 'bare by giving': 110876, 'by giving out': 152690, 'giving out couple': 351364, 'out couple of': 625915, 'of week supply': 593007, 'week supply at': 976952, 'supply at time': 824822, 'time and whenever': 896307, 'and whenever need': 75531, 'whenever need arises': 984667, 'need arises workingtogether': 554478, 'arises workingtogether supportingfamiliesirl': 92805, 'eblast': 266532, 'lol think': 500961, 'consumer ve': 199440, 'gotten 1800': 359121, '1800 of': 4631, 'then sending': 877520, 'an eblast': 55570, 'eblast to': 266533, 'base just': 111457, 'feel redundant': 302820, 'lol think it': 500962, 'think it more': 885344, 'it more so': 459674, 'more so consumer': 540413, 'so consumer ve': 776788, 'consumer ve gotten': 199441, 've gotten 1800': 953207, 'gotten 1800 of': 359122, '1800 of those': 4632, 'email and then': 272115, 'and then sending': 73807, 'then sending out': 877521, 'sending out an': 750069, 'out an eblast': 625631, 'an eblast to': 55571, 'eblast to our': 266534, 'our consumer base': 622521, 'consumer base just': 196403, 'base just feel': 111458, 'just feel redundant': 468697, 'circumstance surrounding': 178746, 'surrounding appetite': 828728, 'auction shopping': 102865, 'shopping remain': 763736, 'high learn': 395152, 'this rise': 889912, 'of the circumstance': 590863, 'the circumstance surrounding': 850902, 'circumstance surrounding appetite': 178747, 'surrounding appetite for': 828729, 'appetite for online': 82235, 'for online auction': 324101, 'online auction shopping': 607906, 'auction shopping remain': 102866, 'shopping remain high': 763737, 'remain high learn': 709761, 'high learn more': 395153, 'about this rise': 26656, 'this rise in': 889913, 'down again': 256450, 'two fold': 936926, 'fold reason': 312055, 'price down again': 673516, 'down again for': 256451, 'for two fold': 327390, 'two fold reason': 936927, 'fold reason price': 312056, 'and saudiarabia and': 70943, 'saudiarabia and low': 737328, 'been sensible': 121921, 'sensible staying': 750661, 'home running': 401992, 'running shopping': 728059, 'shopping aside': 762073, 'aside not': 95421, 'not visited': 572408, 'visited elderly': 959468, 'relative in': 708728, 'or aunt': 614467, 'aunt but': 102999, 'empty today': 275203, 'several destination': 753827, 'destination in': 238982, 'food undermines': 317389, 'undermines everything': 940512, 'been sensible staying': 121922, 'sensible staying at': 750662, 'at home running': 99097, 'home running shopping': 401993, 'running shopping aside': 728060, 'shopping aside not': 762074, 'aside not visited': 95422, 'not visited elderly': 572409, 'visited elderly relative': 959469, 'elderly relative in': 270867, 'relative in hospital': 708729, 'hospital or aunt': 404535, 'or aunt but': 614468, 'aunt but with': 103000, 'but with shop': 147899, 'with shop empty': 1000685, 'shop empty today': 760136, 'empty today have': 275204, 'out to several': 627680, 'to several destination': 914312, 'several destination in': 753828, 'destination in bid': 238983, 'bid to find': 129489, 'find food undermines': 306909, 'food undermines everything': 317390, 'undermines everything stophoarding': 940513, 'everything stophoarding panicbuyinguk': 288014, 'best most': 127773, 'hub ve': 409835, 'the best most': 849527, 'best most comprehensive': 127774, 'resource hub ve': 714814, 'hub ve seen': 409836, 'stripped people': 813873, 'aren desperate': 92378, 'desperate enough': 238519, 'even at time': 283852, 'time when supermarket': 898303, 'are being stripped': 84929, 'being stripped people': 125867, 'stripped people still': 813874, 'still aren desperate': 800206, 'aren desperate enough': 92379, 'desperate enough to': 238520, 'enough to buy': 277691, 'usual tomorrow': 951048, 'produce there': 680462, 'there definitely': 878312, 'always hard': 49603, 'we re open': 972930, 're open usual': 699207, 'open usual tomorrow': 612642, 'usual tomorrow we': 951049, 'fabulous local produce': 294262, 'local produce there': 498297, 'produce there definitely': 680463, 'there definitely no': 878314, 'panic the farmer': 638682, 'are always hard': 84500, 'always hard at': 49604, 'optional': 614154, 'people unnecessarily': 650052, 'unnecessarily hoarding': 942858, 'hoarding face': 399290, 'mask wear': 519516, 'maybe optional': 521769, 'optional for': 614155, 'worker state': 1007807, 'case atm': 165649, 'atm none': 101946, 'none around': 566548, 'seeing idiot': 746328, 'mask driving': 518595, 'car stocking': 163299, 'people unnecessarily hoarding': 650053, 'unnecessarily hoarding face': 942859, 'hoarding face mask': 399291, 'face mask wear': 294606, 'mask wear one': 519519, 'wear one if': 974435, 'one if infected': 606459, 'if infected covid': 414265, '19 or maybe': 9021, 'or maybe optional': 616089, 'maybe optional for': 521770, 'optional for healthcare': 614156, 'healthcare worker state': 387385, 'worker state ha': 1007808, 'state ha reported': 795642, 'ha reported case': 371729, 'reported case atm': 712472, 'case atm none': 165650, 'atm none around': 101947, 'none around here': 566549, 'around here but': 93320, 'here but keep': 392837, 'but keep seeing': 146217, 'keep seeing idiot': 471918, 'seeing idiot in': 746329, 'idiot in mask': 413529, 'in mask driving': 425166, 'mask driving in': 518596, 'driving in car': 259954, 'in car stocking': 421237, 'car stocking shelf': 163300, 'store where they': 811265, 'currently work': 221717, 'remotely and': 710762, 'are noise': 88292, 'noise free': 566221, 'free try': 332280, 'this app': 886385, 'us ai': 948501, 'ai to': 39345, 'remove background': 710806, 'background noise': 107550, 'noise they': 566233, 'free tier': 332228, 'tier and': 895771, '19 remotework': 10098, 'remotework workfromhome': 710791, 'if you currently': 415417, 'you currently work': 1018138, 'currently work remotely': 221719, 'work remotely and': 1005657, 'remotely and want': 710763, 'sure your call': 827879, 'your call are': 1023105, 'call are noise': 155773, 'are noise free': 88293, 'noise free try': 566222, 'free try this': 332281, 'try this app': 934591, 'this app that': 886387, 'app that us': 81772, 'that us ai': 847209, 'us ai to': 948502, 'ai to remove': 39346, 'to remove background': 913215, 'remove background noise': 710807, 'background noise they': 107551, 'noise they have': 566234, 'they have free': 882320, 'have free tier': 380715, 'free tier and': 332229, 'tier and reduced': 895772, 'reduced price in': 706151, 'covid 19 remotework': 213687, '19 remotework workfromhome': 10099, 'market started': 517114, 'on negative': 602362, 'negative note': 556803, 'note investor': 572742, 'investor brace': 444121, 'earnings season': 264929, 'rose by': 726056, 'by index': 152904, 'index nifty': 434221, 'nifty frontpage': 562687, 'asian stock market': 95344, 'stock market started': 802438, 'market started the': 517115, 'started the new': 794852, 'the new trading': 861570, 'trading week on': 928955, 'week on negative': 976671, 'on negative note': 602364, 'negative note investor': 556804, 'note investor brace': 572743, 'investor brace for': 444122, 'brace for the': 137491, 'for the start': 326704, 'start of corporate': 794410, 'of corporate earnings': 581985, 'corporate earnings season': 207270, 'earnings season and': 264930, 'season and uncertainty': 743376, 'and uncertainty surrounding': 74611, 'price rose by': 676266, 'rose by index': 726059, 'by index nifty': 152905, 'index nifty frontpage': 434222, 'perk': 652018, 'fearfulness': 301471, '19 perk': 9655, 'perk no': 652023, 'dropped majorly': 260589, 'majorly haven': 509599, 'pedestrian from': 646211, 'from fearfulness': 335438, 'fearfulness for': 301472, 'covid 19 perk': 213571, '19 perk no': 9656, 'perk no mass': 652024, 'have dropped majorly': 380382, 'dropped majorly haven': 260590, 'majorly haven seen': 509600, 'haven seen video': 383894, 'shooting pedestrian from': 759774, 'pedestrian from fearfulness': 646212, 'from fearfulness for': 335439, 'fearfulness for their': 301473, 'twi': 936506, 'who warned': 989932, 'december trump': 230758, 'nothing till': 573183, 'he finally': 384959, 'finally started': 306105, 'started paying': 794801, 'attention he': 102444, 'he making': 385215, 'making governor': 511094, 'governor pay': 360965, 'ppe from': 667954, 'supplier he': 824545, 'making tax': 511395, 'payer pay': 645357, 'ppe twi': 668094, 'china and who': 176495, 'and who warned': 75597, 'who warned and': 989933, 'warned and the': 966996, 'world in december': 1009657, 'in december trump': 422063, 'december trump did': 230759, 'trump did nothing': 933514, 'did nothing till': 240742, 'nothing till march': 573184, 'till march when': 896055, 'march when he': 515528, 'when he finally': 983532, 'he finally started': 384961, 'finally started paying': 306106, 'started paying attention': 794802, 'paying attention he': 645389, 'attention he making': 102445, 'he making governor': 385216, 'making governor pay': 511095, 'governor pay price': 360966, 'pay price gouging': 645054, 'price gouging price': 674317, 'gouging price for': 359438, 'for ppe from': 324667, 'ppe from supplier': 667957, 'from supplier he': 337518, 'supplier he making': 824546, 'he making tax': 385217, 'making tax payer': 511396, 'tax payer pay': 835060, 'payer pay for': 645358, 'pay for ppe': 644894, 'for ppe twi': 324670, 'our judgment': 623612, 'judgment day': 467672, 'act towards': 29806, 'towards others': 927227, 'respecting social': 715142, 'be attentive': 113742, 'attentive to': 102519, 'we helping': 972015, 'we hoarding': 972023, 'paper raise': 640648, 'is our judgment': 450626, 'our judgment day': 623613, 'judgment day and': 467673, 'day and what': 227295, 'and what if': 75470, 'judgment day we': 467674, 'are currently being': 85658, 'being tested on': 125910, 'tested on how': 839332, 'how we act': 409163, 'we act towards': 970275, 'act towards others': 29807, 'towards others are': 927228, 'others are we': 621280, 'we respecting social': 973095, 'respecting social distancing': 715143, 'distancing be attentive': 247032, 'be attentive to': 113744, 'attentive to others': 102520, 'to others are': 911130, 'are we helping': 91572, 'we helping those': 972016, 'helping those who': 391518, 'it are we': 456586, 'are we hoarding': 91573, 'we hoarding toilet': 972024, 'toilet paper raise': 921408, 'paper raise price': 640649, 'alone no': 46891, 'by am': 151808, 'veg tried': 953794, 'live alone no': 495715, 'alone no family': 46892, 'close by am': 182581, 'by am not': 151809, 'am not elderly': 50247, 'not elderly need': 569156, 'elderly need fresh': 270764, 'fruit veg tried': 339172, 'veg tried my': 953795, 'get online order': 347711, 'order no slot': 618417, 'tried click collect': 931768, 'click collect no': 181898, 'collect no slot': 186305, 'safteyfirst': 730876, 'hi my': 394704, 'is jessica': 449094, 'jessica my': 465258, 'ha safety': 371787, 'fair market': 296348, 'at jessica': 99341, 'jessica com': 465254, 'com last': 186945, 'checked we': 174782, 'estimate of': 282256, 'of 510k': 579621, '510k mask': 20212, 'available medical': 104494, 'medical hospital': 526212, 'hospital n95': 404519, 'n95 safteyfirst': 551232, 'safteyfirst retweet': 730877, 'hi my name': 394705, 'name is jessica': 551644, 'is jessica my': 449095, 'jessica my company': 465259, 'company ha safety': 190714, 'ha safety product': 371788, 'safety product and': 730698, 'product and n95': 680894, 'and n95 mask': 67407, 'n95 mask available': 551188, 'mask available at': 518447, 'at fair market': 98618, 'fair market price': 296349, 'market price please': 516895, 'please email me': 659955, 'email me at': 272235, 'me at jessica': 522472, 'at jessica com': 99342, 'jessica com last': 465255, 'com last checked': 186946, 'last checked we': 480147, 'checked we had': 174783, 'we had an': 971700, 'had an estimate': 372835, 'an estimate of': 55851, 'estimate of 510k': 282257, 'of 510k mask': 579622, '510k mask available': 20213, 'mask available medical': 518450, 'available medical hospital': 104495, 'medical hospital n95': 526213, 'hospital n95 safteyfirst': 404520, 'n95 safteyfirst retweet': 551233, 'nutshell': 577775, 'called this': 156468, 'this segment': 890010, 'segment end': 747381, 'time economy': 896600, 'economy mass': 268062, 'in nutshell': 425998, 'we called this': 970892, 'called this segment': 156469, 'this segment end': 890011, 'segment end time': 747382, 'end time economy': 275999, 'time economy mass': 896601, 'economy mass panic': 268063, 'mass panic in': 519828, 'panic in nutshell': 638199, 'infirm mother': 436965, 'mother had': 543109, 'getting bread': 348880, 'food she': 316449, 'is sickening': 451913, 'my elderly and': 548070, 'and infirm mother': 65203, 'infirm mother had': 436966, 'mother had trouble': 543110, 'had trouble getting': 373764, 'trouble getting bread': 932615, 'getting bread and': 348881, 'other food she': 620248, 'food she didn': 316450, 'she didn panic': 755991, 'others it is': 621497, 'it is sickening': 459078, 'is sickening how': 451914, 'fee on': 302206, 'method part': 529787, 'ha waived fee': 372445, 'waived fee on': 964536, 'fee on all': 302207, 'on all transaction': 599252, 'use cashless payment': 949099, 'cashless payment method': 166699, 'payment method part': 645674, 'method part of': 529788, 'part of measure': 642360, 'socialdistanacing question': 780088, 'want answering': 965713, 'answering please': 78206, 'panicbuyinguk socialdistanacing question': 639167, 'socialdistanacing question you': 780089, 'question you want': 693824, 'you want answering': 1022129, 'want answering please': 965714, 'answering please message': 78207, 'thistogether': 891664, 'shopping health': 762876, 'socialdistancing thistogether': 780810, 'don before going': 253384, 'supermarket pandemic grocery': 821897, 'pandemic grocery shopping': 635515, 'grocery shopping health': 365032, 'shopping health socialdistancing': 762877, 'health socialdistancing thistogether': 386860, 'supermkt': 824299, 'online last': 608464, 'well until': 978723, 'purchase part': 689624, 'part then': 642437, 'then 29': 876959, '30 item': 17086, 'item removed': 463607, 'from basket': 334640, 'basket unavailable': 112409, 'unavailable supermkt': 939459, 'supermkt today': 824300, 'probs with': 679797, 'staff well': 793062, 'well protected': 978513, 'only no': 610823, 'no fight': 564214, 'fight fine': 304725, 'moment portugal': 536030, 'portugal takecare': 665073, 'shopping online last': 763453, 'online last night': 608465, 'night went well': 563129, 'went well until': 979234, 'well until the': 978724, 'until the purchase': 943868, 'the purchase part': 864918, 'purchase part then': 689625, 'part then 29': 642438, 'then 29 of': 876960, '29 of 30': 16487, 'of 30 item': 579560, '30 item removed': 17087, 'item removed from': 463608, 'removed from basket': 710861, 'from basket unavailable': 334641, 'basket unavailable supermkt': 112410, 'unavailable supermkt today': 939460, 'supermkt today no': 824301, 'today no probs': 919935, 'no probs with': 565206, 'probs with supply': 679798, 'with supply staff': 1001084, 'supply staff well': 825888, 'staff well protected': 793064, 'well protected but': 978514, 'protected but at': 685125, 'but at time': 145247, 'at time only': 101303, 'time only no': 897417, 'only no queue': 610824, 'queue no fight': 694007, 'no fight fine': 564215, 'fight fine at': 304726, 'fine at the': 307605, 'the moment portugal': 860773, 'moment portugal takecare': 536031, 'delivery do': 233874, 'sound ridiculous': 786325, 'ridiculous anymore': 721517, 'anymore could': 80127, 'now alphabet': 573978, 'alphabet emerging': 47151, 'emerging drone': 273111, 'booming in': 134880, 'company drone': 190616, 'made more': 507852, 'drone delivery do': 260066, 'delivery do not': 233875, 'do not sound': 249848, 'not sound ridiculous': 571661, 'sound ridiculous anymore': 786326, 'ridiculous anymore could': 721518, 'anymore could really': 80128, 'could really help': 209572, 'really help in': 702275, 'help in situation': 389904, 'the one we': 862231, 'are in now': 87416, 'in now alphabet': 425984, 'now alphabet emerging': 573979, 'alphabet emerging drone': 47152, 'emerging drone delivery': 273112, 'is booming in': 446225, 'booming in the': 134881, 'the company drone': 851325, 'company drone have': 190617, 'drone have made': 260072, 'have made more': 381413, 'made more than': 507853, 'than 00 delivery': 840135, 'both but': 135871, 'tight also': 895817, 'actually stock': 30967, 'food incase': 314987, 'incase his': 431338, 'his jobsite': 397556, 'jobsite is': 466365, 'disabled and cannot': 243874, 'and cannot work': 59526, 'cannot work my': 162236, 'work my partner': 1005482, 'partner work to': 642912, 'support both but': 826389, 'both but shit': 135873, 'shit is tight': 759150, 'is tight also': 453154, 'tight also like': 895818, 'able to actually': 24445, 'to actually stock': 900034, 'actually stock up': 30970, 'on food incase': 600874, 'food incase his': 314988, 'incase his jobsite': 431339, 'his jobsite is': 397557, 'jobsite is shut': 466366, 'shut down bc': 767805, 'mask can': 518507, 'make antibacterial': 509699, 'antibacterial sanitizer': 78371, 'make respirator': 510402, 'respirator remember': 715210, 'next super': 561576, 'super bowl': 818473, 'bowl when': 136978, 're once': 699189, 'again telling': 37197, 'feel and': 302562, 'talk if': 833804, 'don act': 253326, 'act when': 29822, 'not make mask': 570498, 'make mask can': 510118, 'mask can not': 518512, 'not make antibacterial': 570491, 'make antibacterial sanitizer': 509700, 'antibacterial sanitizer can': 78372, 'sanitizer can not': 734628, 'not make respirator': 570505, 'make respirator remember': 510403, 'respirator remember this': 715211, 'remember this next': 710351, 'this next super': 889138, 'next super bowl': 561577, 'super bowl when': 818474, 'bowl when they': 136979, 'they re once': 883086, 're once again': 699190, 'once again telling': 605576, 'again telling you': 37198, 'telling you how': 837297, 'how to feel': 409019, 'to feel and': 905745, 'feel and what': 302563, 'what to believe': 982449, 'to believe it': 901749, 'believe it all': 126299, 'it all talk': 456375, 'all talk if': 44606, 'talk if they': 833805, 'they don act': 881982, 'don act when': 253327, 'act when it': 29823, 'when it matter': 983639, 'society we': 781358, 'we pay': 972697, 'pay enormous': 644848, 'to footballer': 906124, 'banker who': 110389, 'useless but': 950224, 'but health': 145908, 'whom everything': 990550, 'everything would': 288121, 'would collapse': 1011721, 'collapse are': 185971, 'treated and': 930932, 'and poorly': 69195, 'poorly paid': 664391, 'is really sad': 451313, 'really sad that': 702534, 'sad that society': 729253, 'that society we': 846380, 'society we pay': 781360, 'we pay enormous': 972698, 'pay enormous amount': 644849, 'enormous amount to': 277280, 'amount to footballer': 53293, 'to footballer and': 906125, 'footballer and banker': 318528, 'and banker who': 58685, 'banker who in': 110390, 'who in crisis': 989027, 'in crisis are': 421874, 'crisis are useless': 217083, 'are useless but': 91403, 'useless but health': 950225, 'but health worker': 145909, 'health worker teacher': 386991, 'worker teacher and': 1007885, 'supermarket worker without': 824125, 'worker without whom': 1008271, 'without whom everything': 1003048, 'whom everything would': 990551, 'everything would collapse': 288122, 'would collapse are': 1011722, 'collapse are treated': 185972, 'are treated and': 91192, 'treated and poorly': 930934, 'and poorly paid': 69196, 'distanced and': 246912, 'trip one': 932122, 'family next': 298079, 'another stayhomesavelives': 77866, 'socially distanced and': 781054, 'distanced and back': 246913, 'and back for': 58616, 'back for another': 106989, 'another supermarket trip': 77888, 'supermarket trip one': 823546, 'trip one day': 932123, 'one day for': 606156, 'day for one': 227625, 'for one family': 324081, 'one family next': 606282, 'family next day': 298080, 'next day for': 561329, 'day for another': 227617, 'for another stayhomesavelives': 319375, 'fleeting': 310330, 'emerging economy': 273113, 'economy amp': 267630, 'amp developing': 53644, 'impacted extra': 418109, 'extra hard': 293535, 'hard from': 377922, '19 tourism': 11526, 'tourism ha': 926985, 'hard commodity': 377892, 'is fleeting': 447833, 'fleeting the': 310331, 'must implement': 546720, 'implement emergency': 418383, 'protect 30m': 684754, '30m job': 17468, 'risk across': 723348, 'africa 15': 35043, 'emerging economy amp': 273114, 'economy amp developing': 267631, 'amp developing country': 53645, 'developing country will': 239778, 'be impacted extra': 115371, 'impacted extra hard': 418110, 'extra hard from': 293536, 'hard from covid': 377923, 'covid 19 tourism': 213970, '19 tourism ha': 11527, 'tourism ha been': 926986, 'hit hard commodity': 398250, 'hard commodity price': 377893, 'are falling and': 86459, 'falling and foreign': 297207, 'and foreign investment': 63195, 'foreign investment is': 328980, 'investment is fleeting': 444023, 'is fleeting the': 447834, 'fleeting the must': 310332, 'the must implement': 861160, 'must implement emergency': 546721, 'implement emergency measure': 418384, 'to protect 30m': 912289, 'protect 30m job': 684755, '30m job that': 17469, 'at risk across': 100334, 'risk across africa': 723349, 'across africa 15': 29221, 'luisa': 506624, 'alessandro': 41566, 'expert luisa': 291877, 'luisa alessandro': 506625, 'alessandro explains': 41567, 'remain here': 709755, 'you 0113': 1016739, '0113 849': 741, '849 400': 22903, '400 law': 18748, 'law co': 482246, 'our expert luisa': 622959, 'expert luisa alessandro': 291878, 'luisa alessandro explains': 506626, 'alessandro explains the': 41568, 'explains the step': 292239, 'the step to': 867879, 'step to take': 799670, 'your business we': 1023086, 'business we remain': 144640, 'we remain here': 973070, 'remain here for': 709756, 'for you 0113': 328029, 'you 0113 849': 1016740, '0113 849 400': 742, '849 400 law': 22904, '400 law co': 18749, 'law co uk': 482247, 'second rate': 743804, 'rate classic': 697181, 'arrogant idiot': 94027, 'be called the': 113950, 'called the boris': 156454, 'with his second': 998842, 'his second rate': 397782, 'second rate classic': 743805, 'rate classic degree': 697182, 'an arrogant idiot': 55407, 'supply high': 825363, 'kit corona': 475528, 'virus fast': 958175, 'price infrared': 674830, '19 supply high': 10969, 'supply high quality': 825364, 'test kit corona': 839053, 'kit corona virus': 475529, 'corona virus fast': 204305, 'virus fast test': 958176, 'wholesale price infrared': 990473, 'price infrared thermometer': 674831, 'vodaphone': 959942, 'lichfield': 488191, 'the vodaphone': 870940, 'vodaphone store': 959943, 'in lichfield': 424697, 'lichfield appears': 488192, 'have stayed': 382743, 'other mobile': 620546, 'phone shop': 655015, 'company website': 191294, 'retail unit': 718826, 'shut yet': 767964, 'in red': 427333, 'red vodaphone': 705624, 'vodaphone uniform': 959945, 'uniform in': 941766, 'the vodaphone store': 870941, 'vodaphone store in': 959944, 'store in lichfield': 808334, 'in lichfield appears': 424698, 'lichfield appears to': 488193, 'to have stayed': 907313, 'have stayed open': 382745, 'stayed open when': 797871, 'open when all': 612664, 'the other mobile': 862540, 'other mobile phone': 620547, 'mobile phone shop': 535013, 'phone shop have': 655016, 'shop have closed': 760264, 'have closed indefinitely': 379999, 'closed indefinitely the': 183187, 'indefinitely the company': 434059, 'the company website': 851359, 'company website say': 191295, 'website say all': 975406, 'say all it': 738405, 'it retail unit': 460751, 'retail unit are': 718827, 'are shut yet': 90094, 'shut yet there': 767965, 'there is someone': 878628, 'someone in red': 784519, 'in red vodaphone': 427334, 'red vodaphone uniform': 705625, 'vodaphone uniform in': 959946, 'uniform in the': 941767, 'stackline': 792051, 'commerce covid': 188537, 'well stackline': 978579, 'stackline ha': 792052, 'together helpful': 920823, 'helpful infographic': 391192, 'infographic which': 437647, 'which contains': 985767, 'contains the': 200640, '100 declining': 1883, 'march let': 515405, 'growing declining category': 367157, 'in commerce covid': 421595, 'commerce covid 19': 188538, 'affected consumer shopping': 34337, 'shopping behavior well': 762215, 'behavior well stackline': 124299, 'well stackline ha': 978580, 'stackline ha put': 792053, 'put together helpful': 690941, 'together helpful infographic': 920824, 'helpful infographic which': 391193, 'infographic which contains': 437648, 'which contains the': 985768, 'contains the top': 200641, 'growing and top': 367124, 'and top 100': 74285, 'top 100 declining': 925517, '100 declining category': 1884, 'category in march': 167187, 'in march let': 425108, 'march let take': 515406, 'let take look': 487101, 'hoa': 398741, 'bellaire': 126497, 'beechnut': 120471, 'viet hoa': 957025, 'hoa supermarket': 398742, 'supermarket bellaire': 819363, 'bellaire amp': 126498, 'amp beechnut': 53439, 'beechnut have': 120472, 'have bleach': 379805, 'bleach amp': 132476, 'amp vinegar': 54785, 'vinegar they': 957434, 'have fully': 380739, 'stocked produce': 803372, 'produce seafood': 680426, 'seafood meat': 743140, 'course tp': 211952, 'there houston': 878488, 'houston owned': 407216, 'viet hoa supermarket': 957026, 'hoa supermarket bellaire': 398743, 'supermarket bellaire amp': 819364, 'bellaire amp beechnut': 126499, 'amp beechnut have': 53440, 'beechnut have bleach': 120473, 'have bleach amp': 379806, 'bleach amp vinegar': 132477, 'amp vinegar they': 54786, 'vinegar they also': 957435, 'also have fully': 48331, 'have fully stocked': 380740, 'fully stocked produce': 341097, 'stocked produce seafood': 803373, 'produce seafood meat': 680427, 'seafood meat and': 743141, 'meat and of': 525478, 'of course tp': 582076, 'course tp we': 211953, 'tp we just': 928031, 'we just bought': 972102, 'just bought some': 468356, 'bought some lunch': 136718, 'some lunch to': 783243, 'to go there': 906866, 'go there houston': 354224, 'there houston owned': 878489, 'quarantine idea': 692272, 'sun often': 818078, 'often it': 596220, 'some vitamin': 784173, 'vitamin supplement': 959799, 'supplement or': 824418, 'information stayathomechallenge': 437981, 'quarantine idea if': 692273, 'not get out': 569600, 'get out in': 347737, 'the sun often': 868413, 'sun often it': 818079, 'often it might': 596222, 'be good idea': 115069, 'idea to order': 413204, 'to order some': 911085, 'order some vitamin': 618591, 'some vitamin supplement': 784174, 'vitamin supplement or': 959800, 'supplement or pick': 824419, 'or pick them': 616604, 'them up on': 876571, 'grocery run more': 364919, 'run more information': 727706, 'more information stayathomechallenge': 539593, 'monday spoke': 536384, 'all ceo': 42330, 'still flowing': 800538, 'flowing properly': 311365, 'properly to': 684206, 'morneau say on': 541124, 'say on monday': 739018, 'on monday spoke': 602184, 'monday spoke with': 536385, 'spoke with all': 789744, 'with all ceo': 997146, 'all ceo of': 42331, 'ceo of major': 169781, 'of major grocery': 586112, 'and say they': 71009, 'fair price and': 296368, 'price and that': 672558, 'and that good': 73189, 'that good are': 844043, 'are still flowing': 90425, 'still flowing properly': 800539, 'flowing properly to': 311366, 'properly to the': 684207, 'delames': 232636, 'mamle': 511943, 'lamented': 479192, 'gender minister': 345255, 'minister delames': 533350, 'delames increase': 232637, 'of gender': 584075, 'gender child': 345251, 'social affair': 779425, 'affair cynthia': 34018, 'cynthia mamle': 224136, 'mamle morrison': 511944, 'ha lamented': 371093, 'lamented the': 479193, 'recent astronomical': 703820, 'astronomical rise': 97264, 'sanitizers following': 736275, 'the nine': 861817, 'nine imported': 563281, 'gender minister delames': 345256, 'minister delames increase': 533351, 'delames increase in': 232638, 'increase in hand': 432838, 'sanitizer price the': 735587, 'price the minister': 676847, 'minister of gender': 533427, 'of gender child': 584077, 'gender child and': 345252, 'child and social': 175999, 'and social affair': 71878, 'social affair cynthia': 779426, 'affair cynthia mamle': 34019, 'cynthia mamle morrison': 224137, 'mamle morrison ha': 511945, 'morrison ha lamented': 541721, 'ha lamented the': 371094, 'lamented the recent': 479194, 'the recent astronomical': 865296, 'recent astronomical rise': 703821, 'astronomical rise in': 97265, 'hand sanitizers following': 375691, 'sanitizers following the': 736276, 'following the nine': 312897, 'the nine imported': 861818, 'nine imported case': 563282, 'imported case of': 419171, 'career seen': 164355, 'seen someone': 747249, 'someone cancel': 784398, 'cancel call': 160837, 'call because': 155787, 'good laugh': 357318, 'laugh coronacrisis': 481722, 'have never in': 381582, 'in my career': 425546, 'my career seen': 547617, 'career seen someone': 164356, 'seen someone cancel': 747250, 'someone cancel call': 784399, 'cancel call because': 160838, 'call because they': 155788, 'store thanks for': 810540, 'the good laugh': 856440, 'good laugh coronacrisis': 357319, 'globalproblems': 352428, 'everyday problem': 286612, '2020 part': 14503, 'part when': 642490, 'to itch': 908628, 'itch your': 463000, '2020 problem': 14534, 'problem globalproblems': 679533, 'globalproblems mask': 352429, 'everyday problem in': 286613, 'problem in 2020': 679558, 'in 2020 part': 419850, '2020 part when': 14504, 'part when you': 642491, 'need to itch': 555979, 'to itch your': 908629, 'itch your nose': 463001, 'your nose in': 1025035, 'nose in the': 567894, 'but you ve': 148003, 'got your mask': 359043, 'your mask on': 1024788, 'mask on 2020': 519043, 'on 2020 problem': 599058, '2020 problem globalproblems': 14535, 'problem globalproblems mask': 679534, 'globalproblems mask stayathome': 352430, 'mask stayathome quedateencasa': 519306, 'interviewed our': 442288, 'bank response': 110139, 'help visit': 390848, 'bank website': 110286, 'interviewed our ceo': 442289, 'our ceo to': 622349, 'ceo to talk': 169863, 'food bank response': 313627, 'bank response to': 110140, 'we are meeting': 970626, 'are meeting the': 88062, 'meeting the rising': 527774, 'assistance for way': 96697, 'for way you': 327654, 'can help visit': 158669, 'help visit the': 390849, 'visit the food': 959381, 'food bank website': 313665, 'specifies': 788311, 'service user': 753031, 'user the': 950322, 'article specifies': 94464, 'specifies that': 788312, 'long shopping': 501630, 'may be of': 521012, 'be of interest': 116147, 'of interest to': 585256, 'interest to our': 441415, 'our service user': 624734, 'service user the': 753032, 'user the article': 950323, 'the article specifies': 848942, 'article specifies that': 94465, 'specifies that elderly': 788313, 'that elderly vulnerable': 843691, 'vulnerable and disabled': 960856, 'can make use': 158955, 'the hour long': 857581, 'hour long shopping': 405747, 'long shopping slot': 501631, 'shopping slot and': 763899, 'slot and will': 774109, 'and will have': 75670, 'will have priority': 993664, 'to online delivery': 910932, 'recession doesn': 704259, 'doesn always': 251697, 'recession doesn always': 704260, 'doesn always equal': 251698, 'stockpiling baby': 803913, 'formula shame': 329718, 'enough at': 277329, 'moment without': 536131, 'baby there': 106714, 'the people stockpiling': 863506, 'people stockpiling baby': 649635, 'stockpiling baby formula': 803914, 'baby formula shame': 106619, 'formula shame on': 329719, 'on you it': 605426, 'you it hard': 1019385, 'it hard enough': 458484, 'hard enough at': 377910, 'enough at the': 277330, 'the moment without': 860795, 'moment without having': 536132, 'worry about being': 1010626, 'about being able': 24861, 'able to feed': 24480, 'feed my baby': 302338, 'my baby there': 547372, 'baby there is': 106715, 'around so long': 93485, 'so long you': 777590, 'long you do': 501873, 'not hoard it': 569980, 'hoard it stophoarding': 398820, 'it stophoarding stoppanicbuying': 461279, 'spatially': 787655, 'amarinder dear': 50605, 'dear cm': 229756, 'cm pls': 184628, 'pls consider': 661120, 'consider also': 194950, 'also allowing': 47835, 'allowing courier': 46272, 'delivery under': 234703, 'under hygiene': 940124, 'hygiene measure': 412122, 'measure so': 525336, 'that citizen': 843232, 'good directly': 356974, 'such amazon': 816310, 'flipkart arguably': 310611, 'arguably safer': 92676, 'safer zero': 730399, 'contact spatially': 200205, 'spatially distant': 787656, 'distant shopping': 247686, 'amarinder dear cm': 50606, 'dear cm pls': 229757, 'cm pls consider': 184629, 'pls consider also': 661121, 'consider also allowing': 194951, 'also allowing courier': 47836, 'allowing courier delivery': 46273, 'courier delivery under': 211810, 'delivery under hygiene': 234704, 'under hygiene measure': 940125, 'hygiene measure so': 412124, 'measure so that': 525338, 'so that citizen': 778364, 'that citizen can': 843233, 'citizen can also': 178869, 'also buy essential': 47987, 'buy essential good': 148573, 'essential good directly': 281089, 'good directly from': 356975, 'directly from online': 243549, 'from online store': 336696, 'online store such': 609471, 'store such amazon': 810435, 'such amazon flipkart': 816311, 'amazon flipkart arguably': 50943, 'flipkart arguably safer': 310612, 'arguably safer zero': 92677, 'safer zero contact': 730400, 'zero contact spatially': 1027423, 'contact spatially distant': 200206, 'spatially distant shopping': 787657, 'hour during pandemic': 405556, 'isntitironic': 454792, 'doe nofood': 251467, 'nofood ironic': 566154, 'ironic isntitironic': 444932, 'don think it': 253978, 'think it doe': 885326, 'it doe nofood': 457617, 'doe nofood ironic': 251468, 'nofood ironic isntitironic': 566155, '2020 socialdistancing': 14606, 'supermarket shopping in': 822638, 'the year 2020': 872145, 'year 2020 socialdistancing': 1014333, 'takeonefortheteam': 833135, 'run my': 727710, 'family voted': 298354, 'voted that': 960560, 'go takeonefortheteam': 354193, 'store run my': 809927, 'run my family': 727711, 'my family voted': 548232, 'family voted that': 298355, 'voted that go': 960561, 'that go takeonefortheteam': 844026, 'more danger': 538950, 'danger than': 225699, 'face every': 294426, 'be place': 116419, 'and refuge': 70135, 'refuge covid': 706829, 'no more danger': 564800, 'more danger than': 538952, 'danger than we': 225700, 'than we all': 841426, 'all face every': 42735, 'face every day': 294427, 'every day going': 285810, 'walk the church': 964878, 'the church is': 850889, 'church is and': 178375, 'always be place': 49481, 'be place of': 116420, 'place of safety': 657606, 'of safety and': 589220, 'safety and refuge': 730461, 'and refuge covid': 70136, 'refuge covid 19': 706830, '19 can change': 5606, 'can change that': 157889, 'ceo amp': 169638, 'amp co': 53537, 'founder chat': 330534, 'mission of': 534369, 'industry disruption': 435775, 'our ceo amp': 622339, 'ceo amp co': 169639, 'amp co founder': 53538, 'co founder chat': 184838, 'founder chat with': 330535, 'chat with about': 173974, 'with about the': 997086, 'negative impact covid': 556787, '19 ha on': 7371, 'ha on consumer': 371432, 'our mission of': 623931, 'mission of industry': 534371, 'of industry disruption': 585149, 'industry disruption is': 435776, 'disruption is more': 246497, 'really annoys': 701974, 'doing there': 252745, 'child life': 176131, 'life thought': 489119, 'wa meant': 962627, 'what really annoys': 982082, 'really annoys me': 701975, 'annoys me is': 77380, 'me is when': 523003, 'is when go': 453914, 'and see family': 71133, 'see family what': 745106, 'you all doing': 1016873, 'all doing there': 42613, 'doing there why': 252746, 'there why would': 879357, 'you risk your': 1020947, 'risk your child': 724035, 'your child life': 1023203, 'child life thought': 176132, 'life thought this': 489120, 'this wa meant': 891075, 'wa meant to': 962628, 'to be banned': 901125, 'vulnerab': 960804, 'ppl protest': 668312, 'protest if': 685913, 'did get': 240613, 'very likely': 955308, 'get pneumonia': 347822, 'pneumonia also': 662088, 'have crap': 380143, 'crap immune': 214895, 'system heart': 831195, 'heart condition': 388281, 'that vulnerab': 847264, 'ppl protest if': 668313, 'protest if did': 685914, 'if did get': 414037, 'did get very': 240614, 'get very likely': 348585, 'very likely to': 955311, 'to get pneumonia': 906562, 'get pneumonia also': 347823, 'pneumonia also have': 662089, 'also have crap': 48325, 'have crap immune': 380144, 'crap immune system': 214896, 'immune system heart': 417341, 'system heart condition': 831196, 'heart condition and': 388282, 'condition and load': 193396, 'load of other': 497272, 'other stuff no': 621005, 'stuff no idea': 815140, 'how to prove': 409062, 'to prove to': 912371, 'prove to supermarket': 686125, 'supermarket that vulnerab': 823200, 'although panic': 49343, 'stockpiling may': 804015, 'empty there': 275191, 'cloud such': 184323, 'such rise': 816724, 'delivery drive': 233884, 'post mate': 666208, 'although panic stockpiling': 49344, 'panic stockpiling may': 638633, 'stockpiling may have': 804017, 'may have left': 521243, 'have left shelf': 381299, 'shelf empty there': 757037, 'empty there may': 275192, 'may be some': 521031, 'be some silver': 117298, 'in the cloud': 429075, 'the cloud such': 851070, 'cloud such rise': 184324, 'such rise in': 816725, 'grocery shopping delivery': 365013, 'shopping delivery drive': 762459, 'delivery drive thrus': 233885, 'thrus and service': 895257, 'and service like': 71307, 'service like post': 752568, 'like post mate': 491021, 'grocery shopping option': 365061, 'singhdeo': 771205, 'raipur': 695797, 'singhdeo respected': 771206, 'sir concerned': 771549, 'concerned citizen': 193192, 'of raipur': 588721, 'raipur wish': 695798, 'singhdeo respected sir': 771207, 'respected sir concerned': 715109, 'sir concerned citizen': 771550, 'concerned citizen of': 193193, 'citizen of raipur': 178939, 'of raipur wish': 588722, 'raipur wish you': 695799, 'wish you to': 996861, 'you to look': 1021802, 'into the closure': 443106, 'of the mall': 591215, 'mall and supermarket': 511743, 'supermarket to minimize': 823390, 'minimize the likelihood': 533127, 'likelihood of covid': 491929, 'oceanside': 579110, 'an oceanside': 56550, 'oceanside farmer': 579111, 'delivering fresh': 233501, 'not battle': 568341, 'an oceanside farmer': 56551, 'oceanside farmer is': 579112, 'farmer is delivering': 299427, 'is delivering fresh': 447104, 'delivering fresh produce': 233503, 'produce to customer': 680473, 'do not battle': 249675, 'not battle the': 568342, 'battle the grocery': 112827, 'cglm': 170386, 'dictated': 240510, 'cglm not': 170387, 'be dictated': 114443, 'dictated by': 240511, 'by market': 153175, 'cglm not true': 170388, 'not true we': 572278, 'true we have': 933214, 'our customer price': 622673, 'customer price will': 222714, 'price will always': 677552, 'always be dictated': 49476, 'be dictated by': 114444, 'dictated by market': 240512, 'by market condition': 153176, 'market condition we': 516211, 'condition we will': 193558, 'scam keep': 740224, 'out these helpful': 627535, 'tip from and': 898794, 'from and beware': 334507, 'and beware scammer': 58937, 'beware scammer are': 129104, 'advantage of family': 33003, 'pandemic don get': 635325, 'don get caught': 253537, 'caught in scam': 167426, 'in scam keep': 427718, 'scam keep your': 740225, 'your family safe': 1023801, 'trash retail': 930172, 'general worker': 345505, 'anyone trash retail': 80583, 'trash retail worker': 930173, 'retail worker again': 718869, 'store the dollar': 810594, 'the dollar general': 853518, 'dollar general worker': 253000, 'general worker those': 345506, 'subedi': 815717, 'subedi stay': 815718, 'sanitizer both': 734579, 'both hand': 135922, 'soap minimum': 779064, 'minimum 20': 533164, 'sec eat': 743624, 'do exercise': 249275, 'exercise drink': 290043, 'drink immunity': 258836, 'immunity power': 417422, 'subedi stay safe': 815719, 'stay home use': 797020, 'home use mask': 402411, 'use mask and': 949364, 'and sanitizer both': 70860, 'sanitizer both hand': 734580, 'both hand wash': 135923, 'hand wash with': 375937, 'wash with soap': 967573, 'with soap minimum': 1000802, 'soap minimum 20': 779065, 'minimum 20 sec': 533165, '20 sec eat': 13316, 'sec eat healthy': 743625, 'food do exercise': 314250, 'do exercise drink': 249276, 'exercise drink immunity': 290044, 'drink immunity power': 258837, 'immunity power increase': 417423, 'claim skyrocket': 179812, 'skyrocket state': 773332, 'new unemployment claim': 559801, 'unemployment claim skyrocket': 941184, 'claim skyrocket state': 179813, 'skyrocket state is': 773333, 'state is on': 795703, 'is on pace': 450477, 'pace for 10': 632931, 'for 10 00': 318609, '10 00 in': 1200, '00 in one': 268, 'compass': 191474, 'who hoarded': 989013, 'hoarded 17': 398923, 'sanitizer did': 734743, 'problem if': 679552, 'first response': 308976, 'then inflate': 877270, 'think not': 885426, 'having moral': 384172, 'moral compass': 538396, 'compass is': 191477, 'not wrong': 572584, 'man who hoarded': 512334, 'who hoarded 17': 989014, 'hoarded 17 00': 398924, '17 00 bottle': 4297, 'hand sanitizer did': 375369, 'sanitizer did nothing': 734745, 'did nothing wrong': 240744, 'nothing wrong and': 573232, 'wrong and that': 1012994, 'that the problem': 846811, 'the problem if': 864512, 'problem if your': 679556, 'if your first': 415578, 'your first response': 1023895, 'first response in': 308977, 'response in crisis': 715728, 'in crisis is': 421885, 'is to buy': 453186, 'to buy out': 902284, 'buy out then': 149067, 'out then inflate': 627462, 'then inflate price': 877271, 'inflate price you': 436995, 'price you think': 677700, 'you think not': 1021669, 'think not having': 885427, 'not having moral': 569900, 'having moral compass': 384173, 'moral compass is': 538397, 'compass is not': 191479, 'is not wrong': 450224, 'way handsanitizers': 969614, 'do know the': 249553, 'know the right': 476846, 'right way handsanitizers': 722401, 'way handsanitizers mask': 969615, 'coot': 203249, 'feckinggrandpa': 301768, 'crazy old': 215363, 'old coot': 598192, 'coot like': 203250, 'like feckinggrandpa': 490226, 'feckinggrandpa still': 301769, 'infect grandpa': 436492, 'grandpa he': 361953, 'found ramen': 330350, 'the reason you': 865283, 'reason you have': 703073, 'stay home during': 796956, 'you have crazy': 1019034, 'have crazy old': 380152, 'crazy old coot': 215364, 'old coot like': 598193, 'coot like feckinggrandpa': 203251, 'like feckinggrandpa still': 490227, 'feckinggrandpa still going': 301770, 'every day please': 285837, 'day please don': 228224, 'please don infect': 659916, 'don infect grandpa': 253652, 'infect grandpa he': 436493, 'grandpa he found': 361954, 'he found ramen': 384974, 'suez': 817187, 'fascinating oil': 299761, 'much because': 544748, 'currently cheaper': 221496, 'cheaper for': 174251, 'for container': 320314, 'container ship': 200556, 'to sail': 913729, 'sail an': 731620, 'extra 00': 293420, '00 nautical': 354, 'nautical mile': 553036, 'day longer': 227941, 'than pay': 841020, 'the suez': 868393, 'suez canal': 817188, 'fascinating oil price': 299762, 'have dropped so': 380385, 'dropped so much': 260631, 'so much because': 777761, 'much because of': 544750, 'of it currently': 585382, 'it currently cheaper': 457441, 'currently cheaper for': 221497, 'cheaper for container': 174252, 'for container ship': 320315, 'container ship to': 200557, 'ship to sail': 758725, 'to sail an': 913730, 'sail an extra': 731621, 'an extra 00': 55999, 'extra 00 nautical': 293421, '00 nautical mile': 355, 'nautical mile and': 553037, 'mile and five': 531370, 'and five day': 62948, 'five day longer': 309603, 'day longer than': 227943, 'longer than pay': 502075, 'than pay to': 841021, 'pay to use': 645190, 'use the suez': 949690, 'the suez canal': 868394, 'conditioned': 193572, 'dispersed': 246163, 'get cold': 346791, 'cold just': 185766, 'air conditioned': 39709, 'conditioned room': 193575, 'room noticed': 725938, 'noticed it': 573449, 'supermarket considering': 819756, 'are are': 84607, 'learning now': 484223, 'now about': 573924, 'droplet to': 260487, 'be dispersed': 114490, 'dispersed aircon': 246166, 'aircon fan': 39868, 'fan are': 298504, 'somebody who get': 784288, 'who get cold': 988771, 'get cold just': 346792, 'cold just by': 185767, 'just by being': 468395, 'by being in': 151945, 'in an air': 420274, 'an air conditioned': 55206, 'air conditioned room': 39710, 'conditioned room noticed': 193576, 'room noticed it': 725939, 'noticed it would': 573450, 'be very easy': 117974, 'the supermarket considering': 868526, 'supermarket considering what': 819757, 'we are are': 970483, 'are are learning': 84608, 'are learning now': 87747, 'learning now about': 484224, 'now about covid': 573927, 'very easy for': 955135, 'easy for the': 265705, 'for the droplet': 326396, 'the droplet to': 853716, 'droplet to be': 260488, 'to be dispersed': 901210, 'be dispersed aircon': 114491, 'dispersed aircon fan': 246167, 'aircon fan are': 39869, 'fan are many': 298506, 'inconsistency': 432575, 'gobsmacking': 354629, 'officer is': 595676, 'currently telling': 221690, 'telling alan': 837178, 'alan jones': 40658, 'jones on': 467253, 'radio it': 695440, 'and silly': 71665, 'silly people': 769760, 'perhaps but': 651574, 'state because': 795418, 'one state': 607086, 'government recommended': 360515, 'recommended exactly': 704785, 'exactly that': 288751, 'the inconsistency': 858054, 'inconsistency is': 432576, 'is gobsmacking': 448079, 'the chief medical': 850810, 'medical officer is': 526278, 'officer is currently': 595677, 'is currently telling': 447005, 'currently telling alan': 221691, 'telling alan jones': 837179, 'alan jones on': 40659, 'jones on radio': 467254, 'on radio it': 603064, 'radio it stupid': 695441, 'it stupid and': 461325, 'stupid and silly': 815342, 'and silly people': 71666, 'silly people are': 769761, 'buying two week': 151276, 'of food perhaps': 583749, 'food perhaps but': 315842, 'perhaps but he': 651575, 'but he need': 145902, 'need to tell': 556101, 'tell the state': 837091, 'the state because': 867753, 'state because at': 795419, 'least one state': 484588, 'one state government': 607087, 'state government recommended': 795615, 'government recommended exactly': 360516, 'recommended exactly that': 704786, 'exactly that the': 288753, 'that the inconsistency': 846749, 'the inconsistency is': 858055, 'inconsistency is gobsmacking': 432577, '19 hub': 7624, 'covid 19 hub': 213233, 'wa zoo': 963765, 'zoo horror': 1027789, 'horror scary': 404210, 'tell you it': 837148, 'you it wa': 1019390, 'it wa zoo': 462223, 'wa zoo horror': 963766, 'zoo horror scary': 1027790, 'inhaling': 438447, 'exhaled': 290140, 'vapour': 952506, 'expert could': 291811, 'by standing': 154099, 'standing behind': 793748, 'behind smoker': 124694, 'smoker vapers': 775891, 'vapers in': 952476, 'queue or': 694025, 'or inhaling': 615801, 'inhaling their': 438448, 'their exhaled': 873199, 'exhaled smoke': 290141, 'smoke vapour': 775874, 'vapour they': 952507, 'they pas': 882869, 'in open': 426187, 'place output': 657646, 'output easily': 629264, 'easily extends': 265203, 'extends beyond': 293241, 'beyond 2m': 129124, '2m should': 16712, 'banned outside': 110592, 'outside temporarily': 629579, 'question to all': 693775, 'all medical expert': 43489, 'medical expert could': 526168, 'expert could be': 291812, 'could be passed': 208904, 'passed on by': 643285, 'on by standing': 599765, 'by standing behind': 154100, 'standing behind smoker': 793749, 'behind smoker vapers': 124695, 'smoker vapers in': 775892, 'vapers in supermarket': 952477, 'supermarket queue or': 822127, 'queue or inhaling': 694026, 'or inhaling their': 615802, 'inhaling their exhaled': 438449, 'their exhaled smoke': 873200, 'exhaled smoke vapour': 290142, 'smoke vapour they': 775875, 'vapour they pas': 952508, 'they pas by': 882870, 'pas by in': 643092, 'by in open': 152884, 'in open place': 426188, 'open place output': 612446, 'place output easily': 657647, 'output easily extends': 629265, 'easily extends beyond': 265204, 'extends beyond 2m': 293242, 'beyond 2m should': 129125, '2m should it': 16713, 'should it be': 766151, 'it be banned': 456721, 'be banned outside': 113813, 'banned outside temporarily': 110593, 'stopthepeak': 805903, 'hurt it': 411589, 'disease either': 245133, 'starve them': 795223, 'themselves more': 876851, 'buy selfish': 149154, 'bitch in': 131756, 'quantity stopthepeak': 691958, 'stopthepeak stayathome': 805904, 'heart hurt it': 388302, 'hurt it the': 411590, 'elderly who will': 270950, 'not survive the': 571879, 'survive the disease': 829248, 'the disease either': 853362, 'disease either and': 245134, 'either and people': 270254, 'and people want': 68888, 'people want you': 650141, 'you to starve': 1021841, 'to starve them': 915249, 'starve them too': 795224, 'them too and': 876542, 'too and force': 924578, 'and force them': 63174, 'go out every': 353948, 'day to expose': 228564, 'expose themselves more': 292813, 'themselves more and': 876852, 'and more because': 67150, 'more because they': 538711, 'cannot buy selfish': 161697, 'buy selfish bitch': 149155, 'selfish bitch in': 748034, 'bitch in large': 131757, 'large quantity stopthepeak': 479766, 'quantity stopthepeak stayathome': 691959, 'philosopher': 654781, 'headlight': 385976, 'ineptitude': 436333, 'philosopher the': 654782, 'health supermarket': 386877, 'of equality': 583141, 'equality deer': 279618, 'deer in': 232002, 'the headlight': 857167, 'headlight president': 385977, 'president the': 670918, 'the ineptitude': 858202, 'ineptitude of': 436334, 'never more': 558125, 'exposed than': 292872, 'philosopher the minister': 654783, 'minister of health': 533428, 'of health supermarket': 584514, 'health supermarket cashier': 386878, 'cashier the minister': 166633, 'minister of equality': 533425, 'of equality deer': 583142, 'equality deer in': 279619, 'deer in the': 232003, 'in the headlight': 429260, 'the headlight president': 857168, 'headlight president the': 385978, 'president the ineptitude': 670919, 'the ineptitude of': 858203, 'ineptitude of the': 436335, 'of the spanish': 591481, 'government is never': 360263, 'is never more': 449881, 'never more exposed': 558126, 'more exposed than': 539186, 'exposed than in': 292873, 'than in crisis': 840776, 'crisis like covid': 217661, 'mbu': 522073, 'importation': 419158, 'commodity hike': 189189, 'hike seriously': 396278, 'seriously mbu': 751669, 'mbu because': 522074, 'because importation': 119156, 'importation is': 419159, 'of commodity hike': 581573, 'commodity hike seriously': 189190, 'hike seriously mbu': 396279, 'seriously mbu because': 751670, 'mbu because importation': 522075, 'because importation is': 119157, 'importation is no': 419160, 'etcio': 282924, 'etcio pc': 282925, 'pc demand': 645876, 'surge but': 828132, 'but shipment': 147035, 'shipment fall': 758751, 'chain hit': 170781, '19 canalys': 5626, 'etcio pc demand': 282926, 'pc demand surge': 645877, 'demand surge but': 236301, 'surge but shipment': 828133, 'but shipment fall': 147036, 'shipment fall due': 758752, 'supply chain hit': 824971, 'chain hit by': 170782, 'covid 19 canalys': 212756, 'perk of': 652025, 'any egg': 79164, 'success grocery': 816198, 'perk of living': 652026, 'of living across': 585908, 'husband went in': 411784, 'they had any': 882237, 'had any egg': 372852, 'any egg and': 79165, 'and success grocery': 72649, 'success grocery store': 816199, 'with mom': 999537, '2020 somehow': 14608, 'somehow both': 784306, 'both heartbreaking': 135930, 'heartbreaking and': 388371, 'and heartwarming': 64421, 'store with mom': 811389, 'with mom in': 999538, 'mom in 2020': 535752, 'in 2020 somehow': 419857, '2020 somehow both': 14609, 'somehow both heartbreaking': 784307, 'both heartbreaking and': 135931, 'heartbreaking and heartwarming': 388372, 'queenspasta': 693417, 'currently accepting': 221451, 'accepting debit': 28074, 'debit the': 230384, 'only payment': 610941, 'method in': 529776, 'understanding queenspasta': 940884, 'queenspasta toronto': 693418, 'canada instagram': 160473, 'are currently accepting': 85654, 'currently accepting debit': 221452, 'accepting debit the': 28075, 'debit the only': 230385, 'the only payment': 862326, 'only payment method': 610942, 'payment method in': 645673, 'method in our': 529778, 'in our retail': 426335, 'retail store thank': 718710, 'you for understanding': 1018681, 'for understanding queenspasta': 327423, 'understanding queenspasta toronto': 940885, 'queenspasta toronto canada': 693419, 'toronto canada instagram': 925927, 'there it': 878675, 'trump admits': 933384, 'admits he': 32621, 'not used': 572366, 'get company': 346795, 'equipment american': 279674, 'american health': 52028, 'worker desperately': 1006768, 'complete failure': 192088, 'leadership period': 483645, 'period getmeppe': 651772, 'there it is': 878676, 'it is trump': 459111, 'is trump admits': 453382, 'trump admits he': 933385, 'admits he ha': 32622, 'he ha not': 385031, 'ha not used': 371376, 'not used the': 572368, 'used the defense': 950013, 'act to get': 29798, 'to get company': 906445, 'get company to': 346796, 'produce the amount': 680454, 'amount of protective': 53251, 'protective equipment american': 685723, 'equipment american health': 279675, 'american health worker': 52029, 'health worker desperately': 386972, 'worker desperately need': 1006769, 'desperately need this': 238574, 'is complete failure': 446693, 'complete failure of': 192089, 'failure of leadership': 296282, 'of leadership period': 585755, 'leadership period getmeppe': 483646, 'nov20': 573702, 'case november': 165874, 'november soybean': 573860, 'price very': 677301, 'interesting comparison': 441527, 'comparison we': 191463, 'we drop': 971420, 'under 65': 939985, '65 nov20': 21370, 'nov20 soybean': 573703, 'soybean still': 786997, 'got 20': 358368, 'bottom back': 136389, 'coronavirus case november': 205618, 'case november soybean': 165875, 'november soybean price': 573861, 'soybean price very': 786994, 'price very interesting': 677302, 'very interesting comparison': 955275, 'interesting comparison we': 441528, 'comparison we get': 191464, 'closer to million': 183519, 'to million case': 910132, 'million case and': 532105, 'case and we': 165632, 'and we drop': 75292, 'we drop under': 971422, 'drop under 65': 260438, 'under 65 nov20': 939986, '65 nov20 soybean': 21371, 'nov20 soybean still': 573704, 'soybean still got': 786998, 'still got 20': 800602, 'got 20 to': 358369, '20 to go': 13397, 'to go from': 906798, 'go from the': 353588, 'the bottom back': 849903, 'bottom back on': 136390, 'staff waking': 793047, 'waking in': 964663, 'everybody be': 286410, 'horrible feel for': 404098, 'nh staff waking': 562110, 'staff waking in': 793048, 'waking in to': 964664, 'in to empty': 430108, 'empty store don': 275148, 'store don bulk': 807359, 'don bulk but': 253402, 'please there enough': 660667, 'enough for everybody': 277432, 'for everybody be': 321185, 'everybody be kind': 286411, 'picture next': 656156, 'go hoarding': 353654, 'this picture next': 889580, 'picture next time': 656157, 'you go hoarding': 1018853, 'go hoarding at': 353655, 'support various': 826968, 'various small': 952641, 'still practicing': 801055, 'practicing there': 668760, 'some sweet': 784023, 'sweet deal': 830229, 'ship same': 758713, 'can support various': 159865, 'support various small': 826969, 'various small business': 952642, 'small business by': 774842, 'online and still': 607853, 'and still practicing': 72386, 'still practicing there': 801057, 'practicing there are': 668761, 'are some sweet': 90290, 'some sweet deal': 784024, 'sweet deal available': 830230, 'deal available right': 229353, 'now too and': 576207, 'too and ship': 924581, 'and ship same': 71472, 'ship same day': 758714, 'same day stay': 733035, 'consumersentiment': 199766, '1gjyriluxn': 12607, 'published weekly': 688706, 'snapshot highlight': 776155, 'highlight insight': 395931, 'bcg consumer': 113329, 'survey we': 828978, 'we conduct': 971164, 'conduct approximately': 193633, 'approximately every': 83249, 'partner dynata': 642811, 'dynata consumersentiment': 263920, 'consumersentiment http': 199767, 'co 1gjyriluxn': 184798, 'published weekly the': 688707, 'weekly the covid': 977584, 'sentiment snapshot highlight': 750997, 'snapshot highlight insight': 776156, 'highlight insight from': 395932, 'insight from bcg': 439547, 'from bcg consumer': 334649, 'bcg consumer survey': 113330, 'consumer survey we': 199199, 'survey we conduct': 828979, 'we conduct approximately': 971165, 'conduct approximately every': 193634, 'approximately every two': 83250, 'week with our': 977266, 'with our partner': 1000010, 'our partner dynata': 624277, 'partner dynata consumersentiment': 642812, 'dynata consumersentiment http': 263921, 'consumersentiment http co': 199768, 'http co 1gjyriluxn': 409753, 'cash this': 166348, 'lady out': 478803, 'dude standing': 261608, 'right besides': 721815, 'besides her': 127504, 'her started': 392401, 'coughing man': 208701, 'man ve': 512289, 'lady pull': 478812, 'fast she': 300026, 'wa rushing': 963127, 'rushing me': 728382, 'how getting': 407912, 'so wa at': 778638, 'wa at work': 961609, 'work today and': 1005910, 'today and getting': 919210, 'and getting ready': 63623, 'ready to cash': 700942, 'to cash this': 902482, 'cash this lady': 166349, 'this lady out': 888591, 'lady out and': 478804, 'out and this': 625704, 'and this dude': 73990, 'this dude standing': 887313, 'dude standing right': 261609, 'standing right besides': 793806, 'right besides her': 721816, 'besides her started': 127505, 'her started coughing': 392402, 'started coughing man': 794721, 'coughing man ve': 208702, 'man ve never': 512290, 'never seen some': 558178, 'seen some lady': 747246, 'some lady pull': 783178, 'lady pull out': 478813, 'pull out some': 688877, 'out some hand': 627219, 'sanitizer so fast': 735753, 'so fast she': 777079, 'fast she wa': 300027, 'she wa rushing': 756425, 'wa rushing me': 963128, 'rushing me so': 728383, 'me so she': 523495, 'she can get': 755921, 'the store how': 868037, 'store how getting': 808221, 'how getting people': 407913, 'article showed': 94460, 'up right': 945929, 'right under': 722377, 'under your': 940395, 'lol this article': 500964, 'this article showed': 886431, 'article showed up': 94461, 'showed up right': 767356, 'up right under': 945930, 'right under your': 722378, 'under your tweet': 940396, 'administration own': 32489, 'own report': 632159, 'today emission': 919475, 'emission rollback': 273215, 'rollback will': 725625, 'economy 13': 267597, '13 22': 3174, '22 billion': 15193, 'job reduced': 466123, 'reduced export': 706074, 'export rising': 292702, 'price fuel': 674131, 'fuel cost': 340148, 'rise 400': 722763, '400 gas': 18738, 'by the administration': 154259, 'the administration own': 848358, 'administration own report': 32490, 'own report today': 632160, 'report today emission': 712394, 'today emission rollback': 919476, 'emission rollback will': 273216, 'rollback will cost': 725626, 'cost the economy': 208128, 'the economy 13': 853930, 'economy 13 22': 267598, '13 22 billion': 3175, '22 billion in': 15194, 'billion in lost': 130849, 'in lost job': 424933, 'lost job reduced': 503881, 'job reduced export': 466124, 'reduced export rising': 706075, 'export rising price': 292703, 'rising price fuel': 723267, 'price fuel cost': 674132, 'fuel cost for': 340149, 'cost for new': 207949, 'for new car': 323818, 'new car will': 558451, 'car will rise': 163353, 'will rise 400': 994707, 'rise 400 gas': 722764, '400 gas price': 18739, 'will rise for': 994711, 'rise for everybody': 722861, 'know life': 476565, 'changed when': 172600, 'excited at': 289532, 'at finding': 98646, 'finding spray': 307541, 'you know life': 1019507, 'know life ha': 476566, 'ha changed when': 370142, 'changed when you': 172601, 'you get excited': 1018767, 'get excited at': 346974, 'excited at finding': 289533, 'at finding spray': 98647, 'finding spray in': 307542, 'spray in the': 790299, 'outbreak impact': 628327, 'and nordstrom': 67691, 'nordstrom are': 567012, 'sharing their': 755595, 'closure required': 184014, 'required by': 713359, 'together retail': 920921, 'via the covid': 956303, '19 outbreak impact': 9138, 'outbreak impact is': 628328, 'impact is spreading': 417718, 'spreading and nordstrom': 790922, 'and nordstrom are': 67692, 'nordstrom are sharing': 567013, 'are sharing their': 90022, 'sharing their plan': 755596, 'their plan to': 874317, 'plan to survive': 658328, 'survive the mass': 829252, 'the mass store': 860253, 'store closure required': 807104, 'closure required by': 184015, 'required by social': 713360, 'distancing we re': 247621, 'this together retail': 890779, 'together retail retailnews': 920922, 'fanny': 298569, 'you senior': 1021118, 'senior be': 750225, 'with fanny': 998387, 'fanny photography': 298570, 'don let this': 253696, 'let this happen': 487180, 'this happen to': 887840, 'to you senior': 918918, 'you senior be': 1021119, 'senior be ready': 750226, 'ready for affordable': 700854, 'for affordable price': 319062, 'affordable price after': 34871, '19 with fanny': 12127, 'with fanny photography': 998388, 'odishanews': 579254, 'consumer welfare': 199500, 'odisha is': 579240, 'taking effective': 833338, 'effective measure': 269285, 'black trading': 132144, 'state odisha': 795791, 'odisha odishanews': 579246, 'odishanews ommcomnews': 579255, 'and consumer welfare': 60443, 'consumer welfare government': 199501, 'of odisha is': 587151, 'odisha is taking': 579241, 'is taking effective': 452541, 'taking effective measure': 833339, 'effective measure to': 269286, 'prevent black trading': 671588, 'black trading and': 132145, 'trading and hoarding': 928835, 'hoarding of protective': 399455, 'of protective mask': 588559, 'protective mask and': 685778, 'sanitizers in the': 736321, 'the state odisha': 867797, 'state odisha odishanews': 795792, 'odisha odishanews ommcomnews': 579247, 'ambiguous': 51299, 'impact economic': 417642, 'activity directly': 30410, 'directly due': 243541, 'lockdown rbi': 499838, 'rbi the': 698094, 'inflation is': 437200, 'is ambiguous': 445614, 'ambiguous with': 51300, 'possible decline': 665616, 'by potential': 153630, 'potential cost': 667047, 'cost push': 208093, 'push increase': 690284, '19 to impact': 11433, 'to impact economic': 908150, 'impact economic activity': 417643, 'economic activity directly': 266957, 'activity directly due': 30411, 'directly due to': 243542, 'to lockdown rbi': 909402, 'lockdown rbi the': 499839, 'rbi the impact': 698096, '19 on inflation': 8950, 'on inflation is': 601569, 'inflation is ambiguous': 437201, 'is ambiguous with': 445615, 'ambiguous with possible': 51301, 'with possible decline': 1000262, 'possible decline in': 665617, 'to be offset': 901417, 'offset by potential': 596095, 'by potential cost': 153631, 'potential cost push': 667048, 'cost push increase': 208094, 'push increase in': 690285, 'price of non': 675519, 'non food item': 566391, 'hoarding and think': 399192, 'and think the': 73971, 'think the others': 885644, 'the others and': 862567, 'others and healthcare': 621258, 'response they': 715815, 'that deserve': 843502, 'deserve thanks': 238123, 'frontline logistics': 338780, 'logistics supply': 500799, 'supply driver': 825181, 'staff takeaway': 792913, 'servant just': 751835, 'few auspol': 303720, 'auspol qanda': 103090, 'great and important': 362504, 'and important the': 65030, 'important the work': 419018, 'the work that': 871739, 'work that health': 1005802, 'that health worker': 844282, 'health worker are': 386966, 'are doing in': 85907, 'doing in response': 252468, 'in response they': 427420, 'response they aren': 715816, 'they aren the': 881487, 'only one that': 610887, 'one that deserve': 607175, 'that deserve thanks': 843503, 'deserve thanks for': 238124, 'for being on': 319634, 'being on the': 125489, 'the frontline logistics': 855878, 'frontline logistics supply': 338781, 'logistics supply driver': 500800, 'supply driver supermarket': 825182, 'supermarket staff takeaway': 822893, 'staff takeaway worker': 792914, 'takeaway worker public': 832920, 'worker public servant': 1007643, 'public servant just': 688295, 'servant just to': 751836, 'just to name': 470098, 'name few auspol': 551630, 'few auspol qanda': 303721, 'emergency not': 272820, 'crisis yes': 218456, 'term damage': 838111, 'to gdp': 906390, 'our confidence': 622508, 'term is': 838187, '19 is health': 7985, 'is health emergency': 448363, 'health emergency not': 386399, 'emergency not stock': 272821, 'not stock market': 571733, 'stock market crisis': 802388, 'market crisis yes': 516262, 'crisis yes the': 218457, 'yes the short': 1015556, 'short term damage': 764730, 'term damage to': 838112, 'damage to gdp': 225236, 'to gdp is': 906391, 'gdp is being': 344896, 'is being reflected': 446108, 'share price but': 755164, 'but our confidence': 146722, 'our confidence in': 622509, 'medium and long': 526988, 'long term is': 501694, 'term is strong': 838188, 'practice gratitude': 668576, 'gratitude toward': 362404, 'toward grocery': 927124, 'manner and': 513293, 'be jerk': 115570, 'in week this': 430774, 'week this is': 977050, 'time to practice': 898030, 'to practice gratitude': 911956, 'practice gratitude toward': 668577, 'gratitude toward grocery': 362405, 'toward grocery store': 927125, 'worker have some': 1007091, 'have some manner': 382633, 'some manner and': 783256, 'manner and do': 513294, 'not be jerk': 568406, 'dangerous voting': 225799, 'voting in': 960607, 'four supermarket': 330677, 'confirmed dead': 194151, 'food shopping can': 316515, 'shopping can be': 762276, 'can be dangerous': 157607, 'be dangerous voting': 114334, 'dangerous voting in': 225800, 'voting in the': 960608, 'united state at': 942205, 'state at least': 795399, 'least four supermarket': 484478, 'four supermarket worker': 330678, 'have been confirmed': 379494, 'been confirmed dead': 120865, 'classified 1st': 180344, 'responder prioritized': 715513, 'prioritized for': 678461, 'for glove': 321899, 'mask currently': 518554, 'currently we': 221711, 'worker capitalism': 1006601, 'capitalism creates': 162733, 'creates crisis': 215938, 'solve them': 782164, 'them socialismorbarbarism': 876299, 'grocery worker must': 366183, 'worker must be': 1007401, 'must be classified': 546497, 'be classified 1st': 114093, 'classified 1st responder': 180345, '1st responder prioritized': 12798, 'responder prioritized for': 715514, 'prioritized for glove': 678462, 'for glove and': 321900, 'and mask currently': 66748, 'mask currently we': 518555, 'currently we do': 221712, 'glove for nurse': 352690, 'for nurse and': 323992, 'care worker capitalism': 164280, 'worker capitalism creates': 1006602, 'capitalism creates crisis': 162734, 'creates crisis but': 215939, 'crisis but cannot': 217145, 'but cannot solve': 145387, 'cannot solve them': 162114, 'solve them socialismorbarbarism': 782165, 'store chain around': 806913, 'world running special': 1009948, 'running special hour': 728078, 'and vulnerable to': 75063, 'vulnerable to prevent': 961226, 'hubbie': 409856, 'gill': 350138, 'trex': 931606, 'decking': 231143, 'my bathroom': 547410, 'bathroom dog': 112643, 'dog poop': 252158, 'poop picker': 664063, 'picker upper': 655844, 'upper when': 947702, 'when hubbie': 983577, 'hubbie fish': 409857, 'fish we': 309351, 'we discard': 971309, 'discard the': 244322, 'the skin': 867307, 'skin and': 773053, 'and gill': 63650, 'gill post': 350139, 'post cleaning': 666043, 'cleaning collect': 180923, 'collect other': 186309, 'other recycling': 620813, 'recycling item': 705545, 'bin recycle': 131037, 'recycle them': 705533, 'for trex': 327341, 'trex decking': 931607, 'decking dirty': 231144, 'dirty clothes': 243735, 'when traveling': 984340, 'trash bag in': 930133, 'in my bathroom': 425541, 'my bathroom dog': 547411, 'bathroom dog poop': 112644, 'dog poop picker': 252159, 'poop picker upper': 664064, 'picker upper when': 655845, 'upper when hubbie': 947703, 'when hubbie fish': 983578, 'hubbie fish we': 409858, 'fish we discard': 309352, 'we discard the': 971310, 'discard the skin': 244323, 'the skin and': 867308, 'skin and gill': 773055, 'and gill post': 63651, 'gill post cleaning': 350140, 'post cleaning collect': 666044, 'cleaning collect other': 180924, 'collect other recycling': 186310, 'other recycling item': 620814, 'recycling item to': 705546, 'item to go': 463753, 'into the bin': 443099, 'the bin recycle': 849715, 'bin recycle them': 131038, 'recycle them for': 705534, 'them for trex': 875729, 'for trex decking': 327342, 'trex decking dirty': 931608, 'decking dirty clothes': 231145, 'dirty clothes when': 243737, 'clothes when traveling': 184233, 'many secondary': 514667, 'of scared': 589388, 'busy they': 144991, 'utter panic': 951421, 'thinking need': 885945, 'the many secondary': 860052, 'many secondary effect': 514668, 'effect of scared': 269060, 'of scared of': 589389, 'scared of how': 740996, 'of how busy': 584812, 'how busy they': 407483, 'busy they are': 144992, 'are the utter': 90929, 'the utter panic': 870606, 'utter panic the': 951422, 'panic the amount': 638680, 'people thinking need': 649842, 'thinking need to': 885946, 'need to leave': 555986, 'to leave food': 909150, 'leave food for': 484790, 'food for other': 314560, 'actually need and': 30898, 'need and deserve': 554422, 'and deserve to': 61244, 'deserve to eat': 238136, 'is robert': 451566, 'robert he': 724705, 'door that': 255730, 'that charity': 843204, 'charity is': 173648, 'now struggling': 575922, 'thing elderly': 884303, 'need because': 554526, 'of robert': 589145, 'this is robert': 888385, 'is robert he': 451567, 'robert he 88': 724706, 'he 88 year': 384704, 'old and relies': 598140, 'and relies on': 70204, 'on charity to': 599885, 'charity to bring': 173703, 'bring food from': 139971, 'shop to his': 760948, 'to his door': 907810, 'his door that': 397374, 'door that charity': 255731, 'that charity is': 843205, 'charity is now': 173650, 'is now struggling': 450342, 'now struggling to': 575923, 'buy the thing': 149310, 'the thing elderly': 869454, 'thing elderly people': 884304, 'people need because': 648815, 'need because of': 554527, 'think of robert': 885457, 'mom jump': 535762, 'jump out': 467889, 'nowhere and': 576547, 'fully spray': 341080, 'spray me': 790307, 'house and my': 406182, 'my mom jump': 549276, 'mom jump out': 535763, 'jump out of': 467890, 'out of nowhere': 626795, 'of nowhere and': 587101, 'nowhere and fully': 576548, 'and fully spray': 63409, 'fully spray me': 341081, 'spray me with': 790308, 'me with sanitizer': 523998, 'growordie': 367300, 'hope foodshortage': 403475, 'foodshortage growordie': 318132, 'food have hope': 314783, 'have hope foodshortage': 380976, 'hope foodshortage growordie': 403476, 'video original': 956857, 'original video': 619591, 'video turkey': 956939, 'turkey president': 935565, 'erdogan talking': 280136, 'about benefit': 24875, 'how his': 408002, 'advantage from': 32971, 'cost finance': 207936, 'he urged': 385561, 'patience prayer': 644110, 'video original video': 956858, 'original video turkey': 619592, 'video turkey president': 956940, 'turkey president erdogan': 935566, 'president erdogan talking': 670811, 'erdogan talking about': 280137, 'talking about benefit': 833958, 'about benefit of': 24876, 'benefit of pandemic': 127049, 'of pandemic how': 587698, 'pandemic how his': 635658, 'how his country': 408003, 'his country would': 397322, 'country would take': 211275, 'take advantage from': 831915, 'advantage from production': 32972, 'from production demand': 336988, 'production demand low': 682014, 'demand low cost': 235823, 'low cost finance': 505211, 'cost finance and': 207937, 'oil price he': 597157, 'price he urged': 674483, 'he urged patience': 385562, 'urged patience prayer': 948270, 'patience prayer to': 644111, 'prayer to overcome': 669076, 'overcome the crisis': 631132, 'defends': 232120, 'federation defends': 302101, 'defends the': 232121, 'and asks': 58442, 'the national retail': 861306, 'retail federation defends': 718116, 'federation defends the': 302102, 'defends the interest': 232122, 'interest of retailer': 441382, 'of retailer and': 589062, 'retailer and asks': 718955, 'and asks government': 58443, 'initially panic': 438571, 'in tremorogenic': 430281, 'mycotoxin case': 550700, 'case download': 165717, 'mouldy food can': 543387, 'household initially panic': 406847, 'initially panic buying': 438572, 'stockpiling food at': 803959, 'increase in tremorogenic': 432876, 'in tremorogenic mycotoxin': 430282, 'tremorogenic mycotoxin case': 931243, 'mycotoxin case download': 550701, 'case download our': 165718, 'rack store are': 695351, 'store are making': 806499, 'the washington st': 871110, 'market to boost': 517230, 'to boost in': 901921, 'boost in store': 134968, 'in store sale': 428451, 'butchered': 148073, 'more sensitive': 540351, 'disruption such': 246525, 'such economic': 816462, 'slowdown or': 774466, 'consumer table': 199210, 'table meat': 831482, 'is butchered': 446325, 'butchered and': 148074, 'sold dairy': 781656, 'dairy is': 225002, 'is processed': 451058, 'processed once': 679996, 'once then': 605736, 'sold produce': 781766, 'processed not': 679994, 'or once': 616378, 'sold 14': 781614, 'the other product': 862548, 'product are more': 680942, 'are more sensitive': 88122, 'more sensitive to': 540352, 'sensitive to demand': 750708, 'to demand disruption': 904140, 'demand disruption such': 235245, 'disruption such economic': 246526, 'such economic slowdown': 816463, 'economic slowdown or': 267310, 'slowdown or covid': 774467, 'they are much': 881338, 'are much closer': 88161, 'much closer to': 544794, 'the consumer table': 851604, 'consumer table meat': 199211, 'table meat is': 831483, 'meat is butchered': 525632, 'is butchered and': 446326, 'butchered and sold': 148075, 'and sold dairy': 71936, 'sold dairy is': 781657, 'dairy is processed': 225003, 'is processed once': 451060, 'processed once then': 679997, 'once then sold': 605737, 'then sold produce': 877544, 'sold produce is': 781767, 'produce is processed': 680326, 'is processed not': 451059, 'processed not at': 679995, 'at all or': 97900, 'all or once': 43767, 'or once then': 616379, 'then sold 14': 877543, 'forty one': 329936, 'one percent': 606852, 'adult at': 32806, 'illness with': 416411, 'forty one percent': 329937, 'one percent of': 606853, 'percent of adult': 651153, 'of adult at': 579799, 'adult at risk': 32807, 'for serious illness': 325493, 'serious illness with': 751409, 'illness with covid': 416412, 'nielsenindonesia': 562665, 'we noted': 972605, 'indonesia ha': 435324, 'shifted due': 758484, 'pandemic medium': 635957, 'habit ha': 372622, 'shifted and': 758474, 'rise driving': 722830, 'driving growth': 259942, 'to staple': 915180, 'fresh product': 333067, 'product contact': 681080, 'contact team': 200216, 'the comprehensive': 851413, 'comprehensive insight': 192638, 'insight nielsenindonesia': 439597, 'we noted that': 972606, 'noted that consumer': 572879, 'that consumer behavior': 843294, 'behavior in indonesia': 124080, 'in indonesia ha': 424076, 'indonesia ha shifted': 435325, 'ha shifted due': 371902, 'shifted due to': 758485, '19 pandemic medium': 9393, 'pandemic medium habit': 635958, 'medium habit ha': 527130, 'habit ha shifted': 372623, 'ha shifted and': 371899, 'shifted and home': 758475, 'and home cooking': 64677, 'home cooking is': 400930, 'cooking is on': 202879, 'the rise driving': 865849, 'rise driving growth': 722831, 'driving growth to': 259943, 'growth to staple': 367468, 'to staple and': 915181, 'staple and fresh': 793898, 'and fresh product': 63301, 'fresh product contact': 333068, 'product contact team': 681081, 'contact team to': 200217, 'team to get': 835803, 'get the comprehensive': 348232, 'the comprehensive insight': 851415, 'comprehensive insight nielsenindonesia': 192639, 'pretty fed': 671408, 'seeing pupil': 746436, 'pupil and': 689291, 'parent on': 641692, 'tv moaning': 936141, 'take exam': 832106, 'exam they': 288806, 'people clearing': 647479, 'getting pretty fed': 349203, 'pretty fed up': 671409, 'up of seeing': 945504, 'of seeing pupil': 589454, 'seeing pupil and': 746437, 'pupil and parent': 689292, 'and parent on': 68712, 'parent on tv': 641693, 'on tv moaning': 604909, 'tv moaning about': 936142, 'moaning about not': 534898, 'to take exam': 916177, 'take exam they': 832107, 'exam they are': 288807, 'are selfish the': 89939, 'selfish the people': 748287, 'the people clearing': 863462, 'people clearing the': 647480, 'for veterinarian': 327549, 'veterinarian panic': 955738, 'staff number': 792692, 'have plagued': 381943, 'plagued veterinarian': 657996, 'veterinarian clinic': 955734, 'clinic across': 182290, 'across waterloo': 29557, 'waterloo region': 969290, 'region amid': 707384, 'time for veterinarian': 896773, 'for veterinarian panic': 327550, 'veterinarian panic buying': 955739, 'buying of dog': 150788, 'dog food shortage': 252091, 'food shortage of': 316592, 'shortage of personal': 765127, 'equipment and reduced': 279684, 'and reduced staff': 70104, 'reduced staff number': 706174, 'staff number have': 792693, 'number have plagued': 576886, 'have plagued veterinarian': 381944, 'plagued veterinarian clinic': 657997, 'veterinarian clinic across': 955735, 'clinic across waterloo': 182291, 'across waterloo region': 29558, 'waterloo region amid': 969291, 'region amid the': 707385, 'pub this': 687782, 'carrier in': 164992, 'pub pub': 687752, 'therefore the': 879465, 'safest place': 730431, 'in supermarket than': 428684, 'supermarket than in': 823163, 'than in pub': 840781, 'in pub this': 427066, 'pub this mean': 687783, 'you are much': 1017173, 'likely to come': 492136, 'contact with covid': 200270, '19 carrier in': 5656, 'carrier in supermarket': 164993, 'in pub pub': 427065, 'pub pub are': 687753, 'pub are therefore': 687670, 'are therefore the': 90966, 'therefore the safest': 879466, 'the safest place': 866143, 'second person': 743792, 'person dy': 652410, 'hunger right': 411179, 'people suffer': 649690, 'every people': 286092, 'earth do': 264980, 'live healthy': 495836, 'healthy life': 387677, 'life rise': 488998, 'rise voice': 723057, 'voice for': 959981, 'every second person': 286149, 'second person dy': 743794, 'person dy of': 652411, 'dy of hunger': 263749, 'of hunger right': 584919, 'hunger right now': 411180, 'right now more': 722103, 'than billion people': 840410, 'billion people suffer': 130890, 'people suffer from': 649691, 'suffer from hunger': 817208, 'from hunger this': 335984, 'hunger this mean': 411201, 'mean that in': 524679, 'that in every': 844449, 'in every people': 422686, 'every people on': 286093, 'people on earth': 648957, 'on earth do': 600468, 'earth do not': 264981, 'not get enough': 569584, 'food to live': 317268, 'to live healthy': 909341, 'live healthy life': 495837, 'healthy life rise': 387678, 'life rise voice': 488999, 'rise voice for': 723058, 'voice for them': 959982, 'them and do': 875376, 'uyu': 951520, 'amenikata': 51412, 'lain': 479048, 'wa social': 963268, 'distancing then': 247541, 'like uyu': 491708, 'uyu amenikata': 951521, 'amenikata lain': 51413, 'lain girl': 479049, 'girl how': 350254, 'how wa': 409157, 'cashier sorry': 166614, 'sorry btw': 786022, 'btw really': 141539, 'didn mean': 241137, 'this lady at': 888585, 'the supermarket till': 868860, 'supermarket till wa': 823344, 'till wa social': 896127, 'wa social distancing': 963269, 'social distancing then': 779740, 'distancing then the': 247542, 'then the go': 877615, 'the go like': 856385, 'go like uyu': 353802, 'like uyu amenikata': 491709, 'uyu amenikata lain': 951522, 'amenikata lain girl': 51414, 'lain girl how': 479050, 'girl how wa': 350255, 'how wa supposed': 409159, 'supposed to know': 827366, 'distancing from the': 247162, 'from the cashier': 337630, 'the cashier sorry': 850496, 'cashier sorry btw': 166615, 'sorry btw really': 786023, 'btw really didn': 141540, 'really didn mean': 702110, 'didn mean to': 241138, 'dtes': 261405, 'safesupply': 730439, 'dwindling drug': 263684, 'on dtes': 600434, 'dtes drive': 261406, 'up leaf': 945297, 'leaf user': 483824, 'user desperate': 950271, 'desperate 19': 238502, '19 close': 5848, 'border safesupply': 135277, 'safesupply bcpoli': 730440, 'bcpoli vanpoli': 113363, 'dwindling drug supply': 263685, 'drug supply on': 261102, 'supply on dtes': 825661, 'on dtes drive': 600435, 'dtes drive price': 261407, 'price up leaf': 677243, 'up leaf user': 945298, 'leaf user desperate': 483825, 'user desperate 19': 950272, 'desperate 19 close': 238503, '19 close border': 5849, 'close border safesupply': 182573, 'border safesupply bcpoli': 135278, 'safesupply bcpoli vanpoli': 730441, 'still rely': 801111, 'on donor': 600389, 'donor or': 255162, 'skyrocket mask': 773321, 'mask myanmar': 518989, 'healthcare worker still': 387386, 'worker still rely': 1007824, 'still rely on': 801112, 'rely on donor': 709638, 'on donor or': 600390, 'donor or buy': 255163, 'or buy their': 614619, 'mask price skyrocket': 519149, 'price skyrocket mask': 676439, 'skyrocket mask myanmar': 773322, 'pacman we': 633751, 'we move': 972394, 'move between': 543621, 'aisle picking': 40345, 'into anyone': 442408, 'going around the': 355030, 'feel like game': 302712, 'of pacman we': 587657, 'pacman we move': 633752, 'we move between': 972395, 'move between the': 543622, 'between the aisle': 128921, 'the aisle picking': 848532, 'aisle picking up': 40346, 'food and trying': 313371, 'not to bump': 572139, 'bump into anyone': 142566, 'gottchalks': 359117, 'mervyns': 529208, '23 great': 15393, 'recession killed': 704311, 'killed number': 474606, 'known store': 477243, 'store remember': 809804, 'remember gottchalks': 710200, 'gottchalks mervyns': 359118, 'mervyns circuit': 529209, 'circuit city': 178638, 'city border': 179071, 'border recently': 135272, 'recently online': 704131, 'shopping toy': 764237, 'toy out': 927689, 'business how': 143859, 'will succumb': 995015, 'succumb due': 816288, 'lockdown day 23': 499297, 'day 23 great': 227122, '23 great recession': 15394, 'great recession killed': 362949, 'recession killed number': 704312, 'killed number of': 474607, 'number of well': 577016, 'well known store': 978364, 'known store remember': 477244, 'store remember gottchalks': 809805, 'remember gottchalks mervyns': 710201, 'gottchalks mervyns circuit': 359119, 'mervyns circuit city': 529210, 'circuit city border': 178639, 'city border recently': 179072, 'border recently online': 135273, 'recently online shopping': 704132, 'online shopping toy': 609316, 'shopping toy out': 764238, 'toy out of': 927690, 'of business how': 580957, 'business how many': 143862, 'how many will': 408290, 'many will succumb': 514886, 'will succumb due': 995016, 'succumb due to': 816289, 'worker safety': 1007725, 'protect those': 685028, 'story worker': 812162, 'store worker safety': 811575, 'worker safety what': 1007726, 'safety what being': 730781, 'to protect those': 912342, 'protect those grocery': 685029, 'those grocery story': 892037, 'grocery story worker': 365987, 'story worker and': 812163, 'and their customer': 73678, 'caused reversal': 167944, 'reversal in': 720515, 'how pantry': 408480, 'pantry provide': 639652, 'food shifting': 316464, 'from letting': 336219, 'people select': 649389, 'them sack': 876233, 'sack filled': 729047, 'to skyrocket the': 914708, 'skyrocket the virus': 773336, 'virus ha caused': 958247, 'ha caused reversal': 370096, 'caused reversal in': 167945, 'reversal in how': 720516, 'in how pantry': 423876, 'how pantry provide': 408481, 'pantry provide food': 639653, 'provide food shifting': 686312, 'food shifting from': 316465, 'shifting from letting': 758537, 'from letting people': 336220, 'letting people select': 487437, 'people select item': 649390, 'select item to': 747473, 'item to giving': 463752, 'to giving them': 906736, 'giving them sack': 351426, 'them sack filled': 876234, 'sack filled with': 729048, 'le stock': 483139, 'have meal': 381453, 'meal of': 524219, 'chapati instead': 173115, 'll not': 496926, 'have or': 381823, 'or glass': 615466, 'adjust we': 32304, 'manage there': 512451, 'choice you': 177838, 'manage or': 512415, 'all do with': 42600, 'do with little': 250558, 'with little le': 999259, 'little le stock': 495442, 'le stock of': 483140, 'of food we': 583814, 'all have meal': 43056, 'have meal of': 381454, 'meal of chapati': 524220, 'of chapati instead': 581284, 'chapati instead of': 173116, 'instead of we': 440338, 'of we ll': 592965, 'we ll not': 972266, 'll not die': 496927, 'not die if': 569021, 'die if we': 241373, 'we have or': 971887, 'have or glass': 381825, 'or glass of': 615467, 'glass of milk': 351627, 'of milk instead': 586512, 'of we have': 592964, 'to adjust we': 900107, 'adjust we have': 32305, 'have to manage': 383249, 'to manage there': 909801, 'manage there no': 512452, 'there no other': 878825, 'other choice you': 619945, 'choice you learn': 177839, 'to manage or': 909794, 'manage or you': 512416, 'hope thing': 403711, 'thing pick': 884685, 'early may': 264645, 'may had': 521223, 'file temp': 305375, 'temp unemployment': 837337, 'gym yoga': 369363, 'yoga dance': 1016481, 'dance studio': 225577, 'studio theater': 814840, 'theater mall': 872259, 'mall pub': 511816, 'bar coffee': 110696, 'shop hair': 760256, 'hair salon': 374002, 'salon closed': 732781, 'closed too': 183410, 'too cold': 924661, 'cold go': 185762, 'walk onlin': 964842, 'hope thing pick': 403712, 'thing pick up': 884686, 'pick up by': 655709, 'up by early': 944550, 'by early may': 152447, 'early may had': 264646, 'may had to': 521224, 'had to file': 373691, 'to file temp': 905834, 'file temp unemployment': 305376, 'temp unemployment due': 837338, 'unemployment due covid': 941201, 'is closed no': 446583, 'closed no gym': 183240, 'no gym yoga': 564394, 'gym yoga dance': 369364, 'yoga dance studio': 1016482, 'dance studio theater': 225578, 'studio theater mall': 814841, 'theater mall pub': 872260, 'mall pub bar': 511817, 'pub bar coffee': 687675, 'bar coffee shop': 110697, 'coffee shop hair': 185533, 'shop hair salon': 760257, 'hair salon closed': 374003, 'salon closed too': 732782, 'closed too cold': 183411, 'too cold go': 924662, 'cold go on': 185763, 'on walk onlin': 605092, 'ha reserved': 371734, 'reserved specific': 714145, 'specific opening': 788234, 'disability task': 243852, 'task group': 834711, 'australia ha reserved': 103294, 'ha reserved specific': 371735, 'reserved specific opening': 714146, 'specific opening hour': 788235, 'opening hour in': 612854, 'hour in supermarket': 405695, 'supermarket for person': 820414, 'for person with': 324495, 'person with and': 652744, 'with and person': 997247, 'and person and': 68917, 'person and other': 652308, 'and other person': 68378, 'other person with': 620706, 'with disability task': 998064, 'disability task group': 243853, 'task group 19': 834712, 'buy leave': 148894, 'leave shelf': 484922, 'coronavirus panic buy': 206513, 'panic buy leave': 637498, 'buy leave shelf': 148895, 'leave shelf 19': 484923, 'shelf 19 corona': 756673, 'seen men': 747141, 'could some people': 209686, 'public it disgusting': 688128, 'it disgusting in': 457578, 'disgusting in the': 245419, 'have seen men': 382435, 'seen men and': 747142, 'and woman spitting': 75811, 'woman spitting in': 1003617, 'public and one': 687851, 'and one wa': 68096, 'one wa outside': 607349, 'wa outside supermarket': 962888, 'solid sense': 781922, 'sense range': 750581, 'range name': 696707, 'name which': 551697, 'which illustrates': 985943, 'illustrates approach': 416443, 'business excellent': 143718, 'excellent product': 289108, 'product well': 681821, 'well made': 978379, 'service sensible': 752811, 'sensible price': 750648, 'website when': 975475, 're scrolling': 699443, 'scrolling through': 742881, 'through another': 894329, 'another long': 77704, 'day today': 228594, 'solid sense range': 781923, 'sense range name': 750582, 'range name which': 696708, 'name which illustrates': 551698, 'which illustrates approach': 985944, 'illustrates approach to': 416444, 'approach to doing': 82984, 'doing business excellent': 252320, 'business excellent product': 143719, 'excellent product well': 289109, 'product well made': 681822, 'well made with': 978380, 'made with great': 508066, 'with great service': 998674, 'great service sensible': 362986, 'service sensible price': 752812, 'sensible price check': 750649, 'our website when': 625355, 'website when you': 975476, 'you re scrolling': 1020734, 're scrolling through': 699444, 'scrolling through another': 742882, 'through another long': 894330, 'another long day': 77705, 'long day today': 501391, 'day today stayhomesavelives': 228597, 'member state': 528196, 'or saudi': 616964, 'crude production': 219609, 'the ramification': 865131, 'ramification for': 696404, 'india economy': 434389, 'economy emerging': 267833, 'emerging from': 273121, 'the wound': 872091, 'wound of': 1012523, 'be immense': 115364, 'diesel price set': 241682, 'set to go': 753521, 'up by after': 944548, 'opec member state': 611923, 'member state or': 528198, 'state or saudi': 795840, 'or saudi arabia': 616965, 'finally reach deal': 306073, 'global crude production': 351846, 'crude production by': 219610, 'day the ramification': 228498, 'the ramification for': 865132, 'ramification for india': 696405, 'for india economy': 322540, 'india economy emerging': 434390, 'economy emerging from': 267834, 'emerging from the': 273122, 'from the wound': 337930, 'the wound of': 872092, 'wound of could': 1012524, 'could be immense': 208883, 'get hazard': 347193, 'store those employee': 810711, 'those employee should': 891962, 'employee should get': 274202, 'should get hazard': 766026, 'get hazard pay': 347194, 'nocturnal': 566108, 'company one': 190934, 'richest in': 721342, 'll close': 496679, 'usual time': 951042, 'common knowledge': 189403, 'knowledge the': 477189, 'is nocturnal': 449996, 'nocturnal ridiculous': 566109, 'ridiculous carry': 721524, 'partner work in': 642910, 'city the company': 179403, 'the company one': 851342, 'company one of': 190935, 'the richest in': 865791, 'richest in the': 721343, 'world ha decided': 1009606, 'ha decided they': 370319, 'decided they ll': 230895, 'they ll close': 882588, 'll close at': 496680, 'close at every': 182556, 'at every day': 98565, 'of the usual': 591580, 'the usual time': 870594, 'usual time because': 951043, 'time because it': 896371, 'because it common': 119179, 'it common knowledge': 457229, 'common knowledge the': 189404, 'knowledge the covid': 477190, '19 coronavirus is': 6107, 'coronavirus is nocturnal': 206167, 'is nocturnal ridiculous': 449997, 'nocturnal ridiculous carry': 566110, 'ridiculous carry on': 721525, 'wow when': 1012622, 'all site': 44353, 'site seem': 772005, 'booked until': 134682, 'mid april': 530551, 'april shopping': 83680, 'online sainsburys': 608908, 'tesco ocado': 838762, 'ocado asda': 578878, 'wow when are': 1012623, 'able to book': 24455, 'online supermarket shop': 609503, 'supermarket shop all': 822583, 'shop all site': 759815, 'all site seem': 44354, 'site seem to': 772006, 'be down and': 114587, 'down and when': 256525, 'and when have': 75515, 'when have got': 983521, 'have got on': 380814, 'got on delivery': 358762, 'on delivery all': 600264, 'delivery all booked': 233636, 'all booked until': 42198, 'booked until mid': 134683, 'until mid april': 943775, 'mid april shopping': 530553, 'april shopping supermarket': 83681, 'shopping supermarket online': 764017, 'supermarket online sainsburys': 821763, 'online sainsburys tesco': 608909, 'sainsburys tesco ocado': 731801, 'tesco ocado asda': 838763, 'ocado asda morrison': 578879, 'my hubby': 548760, 'hubby get': 409869, 'at clinic': 98272, 'clinic hospital': 182305, 'is necessity': 449851, 'necessity store': 554261, 'get 40': 346483, 'time gonna': 896850, 'gonna save': 356608, 'save those': 737684, 'those for': 892014, 'over stillworking': 630644, 'welp my hubby': 978875, 'my hubby get': 548761, 'hubby get off': 409870, 'get off work': 347686, 'off work while': 594416, 'work while still': 1006011, 'while still have': 987322, 'to go do': 906790, 'work at clinic': 1004862, 'at clinic hospital': 98273, 'clinic hospital or': 182306, 'hospital or grocery': 404540, 'work at hardware': 1004873, 'hardware store that': 378331, 'that is necessity': 844620, 'is necessity store': 449852, 'necessity store at': 554262, 'least get 40': 484485, 'get 40 hour': 346484, '40 hour of': 18576, 'hour of sick': 405807, 'of sick time': 589712, 'sick time gonna': 768637, 'time gonna save': 896851, 'gonna save those': 356610, 'save those for': 737685, 'those for when': 892017, 'for when this': 327823, 'is over stillworking': 450732, 'left thanks': 485659, 'very selfish': 955511, 'hoarder stop': 399108, 'some shopping today': 783865, 'shopping today but': 764205, 'today but there': 919339, 'but there nothing': 147470, 'nothing left thanks': 573088, 'left thanks to': 485660, 'to the very': 917168, 'the very selfish': 870710, 'very selfish hoarder': 955512, 'selfish hoarder stop': 748123, 'hoarder stop being': 399109, 'selfish and think': 747997, 'about the vulnerable': 26554, 'the vulnerable elderly': 870981, 'vulnerable elderly and': 960944, 'elderly and key': 270577, 'key worker trying': 473524, 'worker trying not': 1008062, 'not to starve': 572190, 'iterate': 463878, 'website visitor': 975464, 'visitor is': 959593, 'super important': 818523, 'simply gain': 770224, 'gain insight': 342782, 'insight correct': 439519, 'and iterate': 65633, 'iterate here': 463879, 'here four': 393020, 'four step': 330673, 'on the need': 604249, 'of your website': 593536, 'your website visitor': 1026328, 'website visitor is': 975465, 'visitor is super': 959594, 'is super important': 452449, 'super important right': 818524, 'the best approach': 849488, 'best approach is': 127584, 'approach is to': 82962, 'is to simply': 453242, 'to simply gain': 914658, 'simply gain insight': 770225, 'gain insight correct': 342783, 'insight correct thing': 439520, 'correct thing and': 207531, 'thing and iterate': 884126, 'and iterate here': 65634, 'iterate here four': 463880, 'here four step': 393021, 'four step guide': 330674, 'step guide to': 799551, 'guide to show': 368371, 'you how that': 1019261, 'work with and': 1006023, 'chart learn': 173839, 'the chart learn': 850717, 'chart learn more': 173840, 'every panic': 286086, 'absolute selfish': 27280, 'selfish get': 748105, 'get hope': 347253, 'hope someone': 403624, 'someone break': 784390, 'and leaf': 66027, 'selfish muppets': 748177, 'muppets leaving': 546134, 'leaving people': 485122, 'nothing so': 573159, 'hope see': 403614, 'buyer tonight': 149782, 'getting abuse': 348821, 'abuse coronacrisis': 27625, 'coronacrisis tesco': 204806, 'to every panic': 905309, 'every panic buyer': 286087, 'buyer you absolute': 149813, 'you absolute selfish': 1016779, 'absolute selfish get': 27281, 'selfish get hope': 748106, 'get hope someone': 347254, 'hope someone break': 403625, 'someone break in': 784391, 'break in and': 138746, 'in and leaf': 420372, 'and leaf you': 66029, 'leaf you all': 483829, 'you all with': 1016923, 'all with no': 45480, 'food you selfish': 317721, 'you selfish muppets': 1021105, 'selfish muppets leaving': 748178, 'muppets leaving people': 546135, 'leaving people with': 485123, 'people with nothing': 650465, 'with nothing so': 999825, 'nothing so hope': 573160, 'so hope see': 777319, 'hope see panic': 403615, 'see panic buyer': 745543, 'panic buyer tonight': 637609, 'buyer tonight you': 149783, 'tonight you re': 924528, 're getting abuse': 698726, 'getting abuse coronacrisis': 348822, 'abuse coronacrisis tesco': 27626, 'road update': 724537, 'on asda': 599472, 'asda report': 94969, 'road being': 724422, 'roll were': 725591, 'were highly': 979744, 'highly exaggerated': 396063, 'spokesman for': 789777, 'kent road update': 472830, 'road update on': 724538, 'update on asda': 947106, 'on asda report': 599473, 'asda report of': 94970, 'asda on the': 94958, 'kent road being': 472828, 'road being closed': 724423, 'being closed because': 124957, 'because of fight': 119343, 'fight over bog': 304826, 'bog roll were': 133965, 'roll were highly': 725592, 'were highly exaggerated': 979745, 'highly exaggerated according': 396064, 'to spokesman for': 915032, 'spokesman for the': 789778, 'q6': 691452, 'q6 not': 691453, 'really fun': 702213, 'fun worrying': 341252, 'rent much': 711135, 'le electricity': 482941, 'electricity internet': 271184, 'internet food': 441941, 'food medication': 315433, 'medication when': 526697, 'last fewer': 480215, 'fewer hour': 304217, 'risk closing': 723462, 'fragile covid': 330888, 'shutdown could': 768017, 'entire industry': 278688, 'industry not': 436011, 'mention rest': 528782, 'q6 not really': 691454, 'not really fun': 571233, 'really fun worrying': 702215, 'fun worrying about': 341253, 'worrying about making': 1010814, 'making the rent': 511427, 'the rent much': 865514, 'rent much le': 711136, 'much le electricity': 545039, 'le electricity internet': 482942, 'electricity internet food': 271185, 'internet food medication': 441942, 'food medication when': 315437, 'medication when the': 526698, 'when the job': 984167, 'the job last': 858665, 'job last fewer': 465942, 'last fewer hour': 480216, 'fewer hour and': 304218, 'hour and risk': 405415, 'and risk closing': 70554, 'risk closing the': 723463, 'store retail is': 809871, 'retail is already': 718239, 'is already fragile': 445520, 'already fragile covid': 47361, 'fragile covid 19': 330889, '19 shutdown could': 10523, 'shutdown could kill': 768018, 'could kill the': 209367, 'kill the entire': 474516, 'the entire industry': 854358, 'entire industry not': 278690, 'industry not to': 436012, 'to mention rest': 910091, 'millennials coronavirus': 532001, 'springmarket inventory': 791287, 'sorry millennials coronavirus': 786064, 'millennials coronavirus induced': 532002, 'coronavirus induced recession': 206134, 'house via realestate': 406655, 'via realestate housing': 956201, 'realestate housing springmarket': 701488, 'housing springmarket inventory': 407153, 'cuff': 220210, 'buut': 148231, 'bad ordered': 107966, 'ordered puff': 618892, 'puff cuff': 688834, 'cuff faux': 220211, 'faux leather': 300440, 'leather pant': 484714, 'super gel': 818510, 'gel thought': 345155, 'by cooking': 152214, 'cooking buut': 202856, 'buut that': 148232, 'shopping life': 763159, 'is bad ordered': 445968, 'bad ordered puff': 107967, 'ordered puff cuff': 618893, 'puff cuff faux': 688835, 'cuff faux leather': 220212, 'faux leather pant': 300441, 'leather pant and': 484715, 'pant and now': 639490, 'and now looking': 67854, 'now looking at': 575256, 'at some sort': 100580, 'sort of super': 786141, 'of super gel': 590404, 'super gel thought': 818511, 'gel thought wa': 345156, 'thought wa gonna': 893293, 'wa gonna save': 962232, 'gonna save money': 356609, 'save money by': 737582, 'money by cooking': 536653, 'by cooking buut': 152215, 'cooking buut that': 202857, 'buut that money': 148233, 'that money is': 845210, 'going to online': 355663, 'online shopping life': 609172, 'trumplieddeadpeople': 934069, 'trump update': 933945, 'update maybe': 947069, 'maybe because': 521648, 'he always': 384737, 'always lie': 49648, 'lie trumplieddeadpeople': 488390, 'why do stock': 990938, 'stock price plummet': 802740, 'plummet during or': 661274, 'during or right': 262839, 'or right after': 616909, 'right after trump': 721741, 'after trump update': 36457, 'trump update maybe': 933946, 'update maybe because': 947070, 'maybe because he': 521649, 'because he always': 119109, 'he always lie': 384738, 'always lie trumplieddeadpeople': 49649, 'do thermometer': 250290, 'thermometer price': 879535, 'suddenly rise': 817127, '19 until': 11644, 'mid november': 530583, 'their thermometer': 874974, 'why do thermometer': 990941, 'do thermometer price': 250291, 'thermometer price suddenly': 879536, 'price suddenly rise': 676696, 'suddenly rise in': 817128, 'rise in time': 722913, 'covid 19 until': 214003, '19 until mid': 11646, 'until mid november': 943777, 'mid november 2019': 530584, 'november 2019 the': 573847, '2019 the price': 14028, 'of their thermometer': 591708, 'their thermometer were': 874975, 'brought cotton': 141142, 'cotton price': 208415, 'cent pound': 169114, 'pound mark': 667386, 'mark for': 515783, 'than decade': 840491, 'decade cotton': 230669, 'cotton usda': 208420, 'weak consumer and': 974002, 'and industry demand': 65178, 'industry demand ha': 435771, 'demand ha brought': 235602, 'ha brought cotton': 370034, 'brought cotton price': 141143, 'cotton price below': 208416, 'price below the': 672907, 'below the 50': 126740, 'the 50 cent': 848137, '50 cent pound': 19653, 'cent pound mark': 169115, 'pound mark for': 667387, 'mark for the': 515784, 'more than decade': 540607, 'than decade cotton': 840492, 'decade cotton usda': 230670, 'hasn only': 378764, 'only affected': 610039, 'expect like': 290667, 'like airfare': 489735, 'airfare and': 39893, 'and dining': 61362, '19 hasn only': 7442, 'hasn only affected': 378765, 'only affected consumer': 610040, 'affected consumer spending': 34338, 'spending habit on': 788838, 'on the category': 604014, 'the category you': 850530, 'category you expect': 167234, 'you expect like': 1018479, 'expect like airfare': 290668, 'like airfare and': 489736, 'airfare and dining': 39894, 'and dining out': 61363, 'dining out food': 243021, 'food delivery are': 314107, 'delivery are also': 233710, 'are also down': 84447, 'sportswriter': 790025, 'just sportswriter': 469855, 'sportswriter did': 790026, 'distanced street': 246926, '19 michigan': 8645, 'michigan gas': 530341, 'year local': 1014703, 'local station': 498449, 'station ha': 796419, 'ha 23': 369406, '23 gas': 15392, 'you didn think': 1018214, 'didn think that': 241238, 'think that wa': 885615, 'that wa just': 847291, 'wa just sportswriter': 962470, 'just sportswriter did': 469856, 'sportswriter did you': 790027, 'did you got': 240930, 'you got out': 1018903, 'got out in': 358770, 'in these socially': 429856, 'socially distanced street': 781059, 'distanced street and': 246927, 'street and wrote': 812904, 'and wrote about': 75946, 'wrote about low': 1013185, 'covid 19 michigan': 213432, '19 michigan gas': 8646, 'michigan gas price': 530342, 'to lowest in': 909518, 'lowest in four': 506175, 'in four year': 423065, 'four year local': 330710, 'year local station': 1014704, 'local station ha': 498450, 'station ha 23': 796420, 'ha 23 gas': 369407, 'they wanted at': 883720, 'wanted at least': 966195, 'be hydro': 115336, 'rate relief': 697354, 'for ontario': 324129, 'ontario resident': 611623, 'many request': 514635, 'request about': 713138, 'about lowering': 25677, 'lowering electricity': 506103, 'there be hydro': 878213, 'be hydro rate': 115337, 'hydro rate relief': 411957, 'rate relief for': 697355, 'relief for ontario': 709342, 'for ontario resident': 324130, 'ontario resident during': 611624, 'received many request': 703643, 'many request about': 514636, 'request about lowering': 713139, 'about lowering electricity': 25678, 'lowering electricity price': 506104, 'electricity price during': 271194, 'pretty shameful': 671488, 'shameful and': 754678, 'despicable stuff': 238644, 'stuff by': 815034, 'girlfriend received': 350314, 'them earlier': 875638, 'earlier with': 264512, 'first 00': 308478, '00 order': 394, 'of dress': 582817, 'dress if': 258670, 'pretty shameful and': 671489, 'shameful and despicable': 754679, 'and despicable stuff': 61266, 'despicable stuff by': 238645, 'stuff by my': 815035, 'by my girlfriend': 153279, 'my girlfriend received': 548504, 'girlfriend received text': 350315, 'received text from': 703688, 'text from them': 839898, 'from them earlier': 337958, 'them earlier with': 875639, 'earlier with an': 264513, 'with an offer': 997223, 'an offer of': 56558, 'offer of free': 594713, 'of free hand': 583916, 'the first 00': 855276, 'first 00 order': 308479, '00 order of': 395, 'order of dress': 618442, 'of dress if': 582818, 'dress if you': 258671, 've got all': 953164, 'got all this': 358395, 'this sanitizer how': 889955, 'sanitizer how about': 735097, 'about donating it': 25125, 'it to those': 461764, 'today helped': 919635, 'to comfort': 903059, 'comfort woman': 187860, 'absolutely panicked': 27423, 'panicked at': 639248, 'empty her': 274907, 'be fatal': 114807, 'fatal even': 300225, 'her all': 391831, 'today helped to': 919637, 'helped to comfort': 391110, 'to comfort woman': 903060, 'comfort woman who': 187861, 'who wa absolutely': 989898, 'wa absolutely panicked': 961421, 'absolutely panicked at': 27424, 'panicked at my': 639249, 'are empty her': 86150, 'empty her husband': 274908, 'husband ha pre': 411706, 'ha pre existing': 371528, 'existing condition that': 290299, 'condition that is': 193534, 'to be fatal': 901252, 'be fatal even': 114808, 'fatal even without': 300226, 'even without and': 284809, 'without and she': 1002489, 'she is struggling': 756162, 'is struggling right': 452396, 'now please pray': 575550, 'pray for her': 669001, 'for her all': 322211, 'her all struggling': 391832, 'uk biggest': 938210, 'latest grocer': 481367, 'outbreak story': 628666, 'the uk biggest': 870196, 'uk biggest supermarket': 938212, 'biggest supermarket ha': 130331, 'become the latest': 120160, 'the latest grocer': 859108, 'latest grocer to': 481368, 'grocer to limit': 364177, 'number of product': 576980, 'of product customer': 588488, 'product customer can': 681105, 'in store it': 428423, 'store it try': 808597, 'try to cope': 934613, 'the huge demand': 857698, 'huge demand from': 410021, '19 outbreak story': 9194, 'food get that': 314652, 'get that people': 348211, 'people are fearful': 646971, 'are fearful but': 86507, 'fearful but panic': 301454, 'what they actually': 982391, 'actually need please': 30902, 'other including shop': 620414, 'including shop staff': 432147, 'shop staff if': 760824, 'together the outcome': 920976, 'the outcome is': 862732, 'outcome is much': 628867, 'professional the': 682508, 'delivery ppl': 234358, 'folk without': 312312, 'whom self': 990570, 'bless the medical': 132598, 'medical professional the': 526337, 'professional the hospital': 682509, 'hospital staff the': 404646, 'staff the grocery': 792946, 'store staff the': 810329, 'staff the delivery': 792943, 'the delivery ppl': 853073, 'delivery ppl the': 234360, 'ppl the essential': 668343, 'service staff the': 752854, 'staff the folk': 792945, 'the folk without': 855488, 'folk without whom': 312313, 'without whom self': 1003050, 'whom self isolation': 990571, 'self isolation would': 747811, 'between and here': 128718, 'enough already': 277315, 'continue for': 201039, 'long while': 501845, 'anyone but': 80205, 'might increase': 531049, 'increase amount': 432673, 'of needle': 586922, 'needle waste': 556653, 'enough already we': 277316, 'already we are': 47755, 'than this the': 841319, 'this the situation': 890540, 'situation is going': 772347, 'to continue for': 903385, 'continue for long': 201040, 'for long while': 323092, 'long while yet': 501846, 'while yet so': 987582, 'yet so selfish': 1016231, 'so selfish hoarding': 778173, 'selfish hoarding is': 748126, 'hoarding is not': 399393, 'to help anyone': 907452, 'help anyone but': 389372, 'anyone but might': 80206, 'but might increase': 146390, 'might increase amount': 531050, 'increase amount of': 432674, 'amount of needle': 53238, 'of needle waste': 586923, 'psa people': 687422, 'restaurant pickup': 716636, 'already face': 47337, 'our benefit': 622186, 'benefit be': 126930, 'psa people working': 687423, 'working in restaurant': 1008730, 'in restaurant pickup': 427440, 'restaurant pickup and': 716637, 'pickup and or': 655928, 'or delivery and': 614933, 'delivery and grocery': 233664, 'grocery store already': 365187, 'store already face': 806152, 'already face higher': 47338, 'of exposure for': 583335, 'exposure for our': 292974, 'for our benefit': 324213, 'our benefit be': 622187, 'benefit be kind': 126931, 'kind and use': 474815, 'and use credit': 74772, 'card to pay': 163683, 'to pay covid': 911525, 'pay covid 19': 644820, 'wa china': 961814, 'china way': 177048, 'collapsing the': 186154, 'western economy': 980614, 'down company': 256647, 'price bet': 672913, 'lockdown china': 499240, 'china 21daylockdown': 176442, 'what if the': 981638, 'coronavirus wa china': 207035, 'wa china way': 961815, 'china way of': 177049, 'way of collapsing': 969742, 'of collapsing the': 581527, 'collapsing the western': 186156, 'the western economy': 871405, 'western economy to': 980615, 'economy to drive': 268291, 'to drive down': 904733, 'drive down company': 259033, 'down company share': 256648, 'share price bet': 755163, 'price bet they': 672914, 'bet they ve': 128118, 've been buying': 952869, 'been buying up': 120775, 'all the cheap': 44684, 'the cheap stock': 850731, 'cheap stock for': 174199, 'stock for week': 802179, 'week now lockdown': 976590, 'now lockdown china': 575238, 'lockdown china 21daylockdown': 499241, 'raabs': 695134, 'wtaf': 1013265, 'affair editor': 34029, 'editor on': 268669, 'on commenting': 599973, 'commenting about': 188499, 'about government': 25317, 'government raabs': 360501, 'raabs leadership': 695135, 'leadership and': 483583, 'response wtaf': 715927, 'you have consumer': 1019027, 'have consumer affair': 380081, 'consumer affair editor': 196084, 'affair editor on': 34030, 'editor on commenting': 268670, 'on commenting about': 599974, 'commenting about government': 188500, 'about government raabs': 25318, 'government raabs leadership': 360502, 'raabs leadership and': 695136, 'leadership and the': 483584, '19 response wtaf': 10169, 'unfortunately large': 941617, 'large medical': 479713, 'vaccine drug': 951687, 'other equipment': 620143, 'equipment needed': 279786, 'unfortunately large medical': 941618, 'large medical and': 479714, 'pharmaceutical company have': 654066, 'company have failed': 190735, 'have failed to': 380560, 'up with logistics': 946659, 'with logistics and': 999297, 'logistics and have': 500721, 'and have failed': 64241, 'kit vaccine drug': 475657, 'vaccine drug and': 951688, 'drug and other': 260874, 'and other equipment': 68316, 'other equipment needed': 620144, 'equipment needed in': 279788, 'needed in time': 556406, 'ww3': 1013657, 'conspiracytheory': 195590, '547': 20349, 'if continues': 413995, 'only war': 611433, 'war will': 966598, 'make global': 509938, 'economy thrive': 268287, 'thrive again': 894197, 'again ww3': 37286, 'ww3 conspiracytheory': 1013658, 'conspiracytheory no': 195593, 'no 547': 563568, 'if continues to': 413996, 'up and oil': 944352, 'go down only': 353497, 'down only war': 257051, 'only war will': 611434, 'war will make': 966599, 'will make global': 994078, 'make global economy': 509939, 'global economy thrive': 351907, 'economy thrive again': 268288, 'thrive again ww3': 894199, 'again ww3 conspiracytheory': 37287, 'ww3 conspiracytheory no': 1013659, 'conspiracytheory no 547': 195594, 'rhonj': 720908, 'all sporting': 44408, 'cancelled however': 161125, 'however live': 409408, 'live boxing': 495754, 'boxing can': 137220, '19 rhonj': 10223, 'all sporting event': 44409, 'sporting event have': 789999, 'been cancelled however': 120789, 'cancelled however live': 161126, 'however live boxing': 409409, 'live boxing can': 495755, 'boxing can still': 137221, 'still be seen': 800265, 'be seen at': 117038, 'seen at your': 746961, 'paper aisle 19': 639775, 'aisle 19 rhonj': 40184, 'union what': 941950, 'not protecting': 571131, 'protecting our': 685219, 'our worker': 625401, '19 response is': 10153, 'store union what': 810999, 'union what the': 941951, 'the hell we': 857253, 'hell we re': 389087, 'still not protecting': 800898, 'not protecting our': 571132, 'protecting our worker': 685220, 'so others': 777965, 'others aren': 621281, 'aren at': 92333, 'been classed': 120821, 'through choice': 894365, 'choice so': 177804, 'please self': 660460, 'isolate in': 454875, 'isolate so others': 454913, 'so others aren': 777966, 'others aren at': 621282, 'aren at risk': 92334, 'risk but ve': 723431, 've been classed': 952870, 'been classed key': 120823, 'so can there': 776727, 'can there are': 159968, 'many of who': 514401, 'of who can': 593127, 'and not through': 67782, 'not through choice': 572115, 'through choice so': 894366, 'choice so please': 177805, 'so please self': 778026, 'please self isolate': 660461, 'self isolate in': 747680, 'isolate in our': 454876, 'in our place': 426329, 'our place and': 624350, 'place and help': 657314, 'and help stop': 64470, 'hour beginning': 405463, '10 am': 1303, 'pm this': 662005, '18 retail': 4580, 'our store hour': 624945, 'store hour beginning': 808190, 'hour beginning wednesday': 405464, 'be 10 am': 113406, '10 am to': 1305, 'am to pm': 50507, 'to pm this': 911847, 'pm this is': 662007, 'our 18 retail': 621977, '18 retail location': 4581, 'supermarket usually go': 823630, 'usually go to': 951124, 'go to ha': 354314, 'ha been closed': 369750, 'been closed for': 120839, 'closed for three': 183134, 'for three day': 327173, 'three day because': 893907, 'day because one': 227357, 'because one of': 119439, 'their staff wa': 874805, 'wow d2c': 1012544, 'd2c expected': 224198, 'reach nearly': 699950, 'nearly 18': 553762, '18 billion': 4520, 'revenue inclusive': 720442, '19 d2c': 6402, 'd2c is': 224200, '2x the': 16900, 'total commerce': 926144, '24 13': 15528, 'wow d2c expected': 1012545, 'd2c expected to': 224199, 'to reach nearly': 912802, 'reach nearly 18': 699951, 'nearly 18 billion': 553763, '18 billion in': 4521, 'billion in 2020': 130836, 'in 2020 revenue': 419856, '2020 revenue inclusive': 14579, 'revenue inclusive of': 720443, 'inclusive of covid': 432262, 'covid 19 d2c': 212903, '19 d2c is': 6403, 'd2c is expected': 224201, 'grow at 2x': 367010, 'at 2x the': 97584, '2x the total': 16901, 'the total commerce': 869811, 'total commerce growth': 926145, 'commerce growth rate': 188564, 'growth rate 24': 367444, 'rate 24 13': 697143, 'supermarket parent': 821924, 'parent brings': 641592, 'brings his': 140245, 'son closer': 785363, 'me asian': 522453, 'asian start': 95340, 'more malevolent': 539745, 'malevolent than': 511700, 'the supermarket parent': 868744, 'supermarket parent brings': 821925, 'parent brings his': 641593, 'brings his son': 140246, 'his son closer': 397802, 'son closer when': 785364, 'closer when he': 183527, 'he see me': 385410, 'see me asian': 745406, 'me asian start': 522454, 'asian start rapping': 95341, 'devil in more': 239961, 'in more malevolent': 425441, 'more malevolent than': 539746, 'malevolent than have': 511701, 'have ever been': 380488, 'ever been the': 285218, 'been the head': 122163, 'the head is': 857164, 'retail innovation': 718230, 'time webinar': 898247, 'webinar retail': 975090, 'during covid19': 262545, 'covid19 retail': 214364, 'innovation robotics': 438895, 'robotics automation': 724813, 'automation supplychain': 104024, 'supplychain restaurant': 826220, 'watch the latest': 968547, 'latest episode of': 481324, 'the retail innovation': 865721, 'retail innovation in': 718233, 'innovation in real': 438878, 'real time webinar': 701422, 'time webinar retail': 898248, 'webinar retail during': 975091, 'retail during covid19': 718051, 'during covid19 retail': 262547, 'covid19 retail grocery': 214365, 'retail grocery supermarket': 718160, 'supermarket innovation robotics': 821047, 'innovation robotics automation': 438896, 'robotics automation supplychain': 724814, 'automation supplychain restaurant': 104025, 'supplychain restaurant online': 826221, 'restaurant online instore': 716606, 'remote community': 710701, 'community go': 189864, 'hungry of': 411285, 'restriction 74': 717197, 'remote community go': 710703, 'community go without': 189866, 'without food people': 1002659, 'go hungry of': 353694, 'hungry of supermarket': 411286, 'of supermarket restriction': 590441, 'supermarket restriction 74': 822225, 'hindustan leverage': 396871, 'leverage wa': 487793, 'wa limited': 962561, 'in cutting': 421949, 'cutting hygiene': 223733, 'covid19 research': 214360, 'support news': 826672, 'hindustan leverage wa': 396872, 'leverage wa limited': 487794, 'wa limited to': 962564, 'limited to taking': 492780, 'to taking the': 916274, 'lead in cutting': 483285, 'in cutting hygiene': 421950, 'cutting hygiene price': 223734, 'resource for covid19': 714779, 'for covid19 research': 320438, 'covid19 research and': 214361, 'and support news': 72843, 'support news so': 826673, 'like stayhomechallenge': 491232, 'be like stayhomechallenge': 115745, 'summoning': 818042, 'the chinesewuhanvirus': 850874, 'chinesewuhanvirus pandemic': 177483, 'few benefit': 303722, 'being smoker': 125806, 'smoker is': 775887, 'empty an': 274763, 'entire supermarket': 278750, 'with ease': 998167, 'ease by': 265074, 'by summoning': 154160, 'summoning up': 818043, 'up coughing': 944661, 'fit at': 309467, 'will lockdownuk': 994031, 'lockdownuk fightcovid19': 500409, 'during the chinesewuhanvirus': 263096, 'the chinesewuhanvirus pandemic': 850875, 'chinesewuhanvirus pandemic one': 177484, 'pandemic one of': 636100, 'the few benefit': 855115, 'few benefit of': 303723, 'benefit of being': 127039, 'of being smoker': 580659, 'being smoker is': 125807, 'smoker is the': 775888, 'is the ability': 452717, 'ability to empty': 24391, 'to empty an': 905029, 'empty an entire': 274764, 'an entire supermarket': 55775, 'entire supermarket isle': 278751, 'supermarket isle with': 821148, 'isle with ease': 454396, 'with ease by': 998168, 'ease by summoning': 265075, 'by summoning up': 154161, 'summoning up coughing': 818044, 'up coughing fit': 944662, 'coughing fit at': 208684, 'fit at will': 309468, 'at will lockdownuk': 101567, 'will lockdownuk fightcovid19': 994032, 'pinduoduo': 656794, 'pinduoduo say': 656795, 'demand remains': 236128, 'very strong': 955592, 'strong despite': 814013, '19 pdd': 9605, 'pdd china': 645939, 'china ecommerce': 176628, 'pinduoduo say consumer': 656796, 'say consumer demand': 738534, 'consumer demand remains': 197162, 'demand remains very': 236129, 'remains very strong': 710083, 'very strong despite': 955596, 'strong despite covid': 814014, 'covid 19 pdd': 213562, '19 pdd china': 9606, 'pdd china ecommerce': 645940, 'week think': 977041, 'think am': 885131, 'am good': 50095, 'honestly how': 403107, 'hand touched': 375891, 'touched all': 926595, 'stuff brought': 815027, 'after who': 36540, 'who freaking': 988757, 'freaking know': 331537, 'know lol': 476581, 'lol quarantine': 500943, 'grocery shopping today': 365096, 'shopping today for': 764207, 'time in couple': 896984, 'couple week think': 211707, 'week think am': 977042, 'think am good': 885132, 'am good but': 50096, 'good but honestly': 356848, 'but honestly how': 145957, 'honestly how many': 403108, 'how many hand': 408262, 'many hand touched': 514115, 'hand touched all': 375892, 'touched all the': 926596, 'the stuff brought': 868326, 'stuff brought home': 815028, 'brought home before': 141157, 'home before it': 400793, 'before it hit': 122889, 'store and even': 806236, 'and even after': 62327, 'even after who': 283824, 'after who freaking': 36541, 'who freaking know': 988758, 'freaking know lol': 331538, 'know lol quarantine': 476582, 'lol quarantine isolation': 500944, 'spoiler': 789699, 'see also': 744886, 'lending household': 486281, 'credit spoiler': 216514, 'spoiler it': 789702, 'with wall': 1002016, 'street demand': 812943, 'old deregulation': 598223, 'see also on': 744887, 'also on how': 48613, 'with consumer lending': 997759, 'consumer lending household': 198031, 'lending household debt': 486282, 'household debt and': 406778, 'debt and credit': 230417, 'and credit spoiler': 60734, 'credit spoiler it': 216515, 'spoiler it not': 789703, 'help to go': 390776, 'along with wall': 47083, 'with wall street': 1002017, 'wall street demand': 965180, 'street demand for': 812944, 'same old deregulation': 733187, 'isolationgames': 455534, 'this snapshot': 890213, 'window in': 995678, 'phone browser': 654913, 'browser sum': 141293, 'sum me': 817872, 'up person': 945764, 'person internal': 652497, 'internal comms': 441721, 'comms online': 189519, 'shopping doom': 762511, 'murder share': 546159, 'share yours': 755382, 'yours below': 1026453, 'below isolationgames': 126679, 'believe this snapshot': 126389, 'this snapshot of': 890214, 'of the open': 591298, 'the open window': 862384, 'open window in': 612675, 'window in my': 995679, 'in my phone': 425612, 'my phone browser': 549757, 'phone browser sum': 654914, 'browser sum me': 141294, 'sum me up': 817873, 'me up person': 523860, 'up person internal': 945765, 'person internal comms': 652498, 'internal comms online': 441722, 'comms online shopping': 189520, 'online shopping doom': 609100, 'shopping doom and': 762512, 'doom and murder': 255440, 'and murder share': 67330, 'murder share yours': 546160, 'share yours below': 755383, 'yours below isolationgames': 1026454, 'rajat': 696178, 'jee': 464979, 'rajat jee': 696179, 'jee ppl': 464980, 'lightly inspire': 489659, 'inspire of': 439826, 'effort from': 269515, 'govt medium': 361200, 'other civil': 619950, 'society member': 781267, 'everything outside': 287965, 'outside without': 629644, 'of consequence': 581680, 'consequence amids': 194838, 'amids coronavir': 52769, 'rajat jee ppl': 696180, 'jee ppl are': 464981, 'ppl are taking': 668176, 'taking it very': 833414, 'it very lightly': 462035, 'very lightly inspire': 955306, 'lightly inspire of': 489660, 'inspire of all': 439827, 'of all effort': 579937, 'all effort from': 42660, 'effort from govt': 269516, 'from govt medium': 335681, 'govt medium and': 361201, 'medium and other': 526989, 'and other civil': 68293, 'other civil society': 619951, 'civil society member': 179552, 'society member ppl': 781268, 'member ppl are': 528175, 'ppl are in': 668170, 'are in hurry': 87398, 'hurry to open': 411524, 'to open market': 910996, 'market and doing': 515961, 'and doing everything': 61603, 'doing everything outside': 252389, 'everything outside without': 287966, 'outside without thinking': 629645, 'without thinking of': 1003003, 'thinking of consequence': 885956, 'of consequence amids': 581681, 'consequence amids coronavir': 194839, 'at lemay': 99574, 'live at lemay': 495734, 'at lemay schnucks': 99575, 'are grateful to': 86945, 'littlethings': 495686, 'big news': 129874, 'braved trip': 138260, 'got bread': 358448, 'bread oh': 138546, 'oh sandwich': 596440, 'sandwich how': 733739, 'how ve': 409137, 'missed you': 534263, 'you littlethings': 1019629, 'littlethings lockdown': 495687, 'stayhomesavelives bread': 798348, 'have big news': 379788, 'big news just': 129875, 'news just braved': 560571, 'just braved trip': 468364, 'braved trip to': 138261, 'supermarket and got': 818991, 'and got bread': 63847, 'got bread oh': 358449, 'bread oh sandwich': 138547, 'oh sandwich how': 596441, 'sandwich how ve': 733741, 'how ve missed': 409138, 've missed you': 953373, 'missed you littlethings': 534264, 'you littlethings lockdown': 1019630, 'littlethings lockdown stayhomesavelives': 495688, 'lockdown stayhomesavelives bread': 499959, 'still it': 800758, 'keep coronavirus': 471426, 'other you': 621228, 'hand and using': 374785, 'and using sanitizer': 74801, 'using sanitizer is': 950630, 'sanitizer is great': 735191, 'is great but': 448190, 'great but still': 362555, 'but still it': 147169, 'still it is': 800759, 'important to practise': 419063, 'to practise social': 911973, 'distancing to keep': 247566, 'to keep coronavirus': 908774, 'keep coronavirus at': 471427, 'coronavirus at distance': 205527, 'at distance to': 98459, 'distance to show': 246866, 'are with each': 91652, 'each other you': 264238, 'other you need': 621229, 'other this time': 621120, 'this time socialdistancing': 890688, 'time socialdistancing indiafightscorona': 897707, 'remind anyone': 710480, 'select non': 747478, 'receive small': 703539, 'small portion': 775067, 'donated by': 254322, 'by amazon': 151812, 'given the surge': 351163, 'pandemic we wanted': 636956, 'wanted to remind': 966267, 'to remind anyone': 913197, 'remind anyone shopping': 710481, 'anyone shopping on': 80527, 'on amazon that': 599290, 'amazon that you': 51144, 'can select non': 159561, 'select non profit': 747479, 'non profit to': 566478, 'profit to receive': 682877, 'to receive small': 912932, 'receive small portion': 703540, 'small portion of': 775068, 'proceeds from your': 679851, 'from your order': 338486, 'your order to': 1025107, 'to be donated': 901215, 'be donated by': 114542, 'donated by amazon': 254323, 'favourable': 300582, 'bgl': 129316, 'kta': 477845, 'surging gold': 828430, 'and favourable': 62725, 'favourable dollar': 300583, 'dollar exchange': 252985, 'sent australian': 750738, 'australian gold': 103497, 'high bgl': 394945, 'bgl kta': 129317, 'surging gold and': 828431, 'gold and favourable': 355852, 'and favourable dollar': 62726, 'favourable dollar exchange': 300584, 'dollar exchange rate': 252986, 'exchange rate ha': 289466, 'rate ha sent': 697242, 'ha sent australian': 371853, 'sent australian gold': 750739, 'australian gold price': 103498, 'gold price up': 355979, 'up to new': 946406, 'to new high': 910559, 'new high bgl': 558878, 'high bgl kta': 394946, 'this remained': 889862, 'remained in': 709932, 'of this remained': 592030, 'this remained in': 889863, 'remained in the': 709934, 'shop said': 760730, 'stacker cashier': 792011, 'cashier security': 166602, 'guard controlling': 367792, 'that thanked': 846644, 'thanked them': 841892, 'they weren': 883820, 'weren there': 980420, 'you bekind': 1017441, 'just been for': 468301, 'been for weekly': 121170, 'for weekly supermarket': 327774, 'weekly supermarket shop': 977577, 'supermarket shop said': 822593, 'shop said thank': 760731, 'the shelf stacker': 866880, 'shelf stacker cashier': 757556, 'stacker cashier security': 792012, 'cashier security guard': 166603, 'security guard controlling': 744614, 'guard controlling the': 367793, 'controlling the flow': 202280, 'flow of people': 311254, 'of people they': 588001, 'people they seemed': 649823, 'they seemed surprised': 883303, 'seemed surprised that': 746725, 'surprised that thanked': 828609, 'that thanked them': 846645, 'thanked them but': 841893, 'them but after': 875492, 'but after all': 145065, 'after all if': 35325, 'all if they': 43181, 'if they weren': 415138, 'they weren there': 883822, 'weren there so': 980421, 'there so thank': 879060, 'thank you bekind': 841692, 'you bekind stayhome': 1017442, 'rock roll': 724917, '19 toiletpaper all': 11485, 'toiletpaper all set': 921705, 'all set to': 44291, 'set to rock': 753534, 'to rock roll': 913622, 'price stuck': 676684, '20 chevron': 13000, 'chevron cut': 175583, 'cut more': 223428, 'it budget': 456928, 'oil price stuck': 597277, 'price stuck in': 676685, 'the 20 chevron': 847980, '20 chevron cut': 13001, 'chevron cut more': 175584, 'cut more than': 223429, 'than billion from': 840409, 'from it budget': 336108, 'market pm': 516865, 'future market pm': 342384, 'once steady': 605707, 'steady segment': 799144, 'segment ha': 747387, 'now seen': 575760, 'decline sharply': 231393, 'sharply due': 755735, 'once steady segment': 605708, 'steady segment ha': 799145, 'segment ha now': 747388, 'ha now seen': 371403, 'now seen sale': 575761, 'seen sale decline': 747214, 'sale decline sharply': 732157, 'decline sharply due': 231394, 'sharply due to': 755736, 'awesome country': 106164, 'awesome country star': 106165, 'shortage stock': 765222, 'on nation': 602335, 'bank via': 110279, 'warned about food': 966985, 'food shortage stock': 316604, 'shortage stock up': 765224, 'stock up covid': 803071, '19 crisis put': 6307, 'crisis put pressure': 217925, 'pressure on nation': 671215, 'on nation food': 602336, 'nation food bank': 552183, 'food bank via': 313662, 'ember': 272473, 'ember trust': 272474, 'trust integrity': 934278, 'integrity computer': 440954, 'computer solution': 192767, 'her computer': 391957, 'computer need': 192747, 'now accepting': 573933, 'accepting toilet': 28092, 'essential payment': 281375, 'ember trust integrity': 272475, 'trust integrity computer': 934279, 'integrity computer solution': 440955, 'computer solution for': 192768, 'solution for all': 782021, 'of her computer': 584570, 'her computer need': 391958, 'computer need now': 192748, 'need now accepting': 555312, 'now accepting toilet': 573935, 'accepting toilet paper': 28093, 'other essential payment': 620170, 'essential payment for': 281376, 'payment for service': 645622, 'for service 19': 325495, 'service 19 toiletpaper': 752020, 'blossomwatch': 133294, 'ferlouginggraciously': 303545, 'my blossomwatch': 547486, 'blossomwatch on': 133295, 'not resist': 571334, 'resist these': 714582, 'these beautiful': 879680, 'beautiful tulip': 118728, 'tulip so': 935278, 'nice weather': 562516, 'weather even': 974865, 'only taste': 611241, 'taste it': 834779, 'short time': 764766, 'time stayhomesavelives': 897760, 'stayhomesavelives ferlouginggraciously': 798381, 'my blossomwatch on': 547487, 'blossomwatch on the': 133296, 'could not resist': 209452, 'not resist these': 571335, 'resist these beautiful': 714583, 'these beautiful tulip': 879681, 'beautiful tulip so': 118729, 'tulip so nice': 935279, 'to have nice': 907283, 'have nice weather': 381602, 'nice weather even': 562517, 'weather even if': 974866, 'even if we': 284222, 'can only taste': 159138, 'only taste it': 611242, 'taste it for': 834780, 'it for short': 458092, 'for short time': 325603, 'short time stayhomesavelives': 764769, 'time stayhomesavelives ferlouginggraciously': 897761, 'to crack': 903680, 'seller dramatically': 749008, 'dramatically inflate': 258358, 'ecommerce learn': 266798, 'urged to crack': 948287, 'to crack down': 903681, 'on people profiting': 602748, 'outbreak seller dramatically': 628610, 'seller dramatically inflate': 749009, 'dramatically inflate the': 258359, 'common household item': 189400, 'household item such': 406870, 'item such toilet': 463676, 'paper and antibacterial': 639805, 'and antibacterial wipe': 58181, 'consumer ecommerce learn': 197286, 'ecommerce learn more': 266799, 'sniffle': 776346, 'dammit': 225297, 'plague day': 657956, '20 sniffle': 13354, 'sniffle at': 776347, 'get horrified': 347256, 'horrified look': 404165, 'not sick': 571583, 'sick it': 768477, 'the cocaine': 851117, 'cocaine dammit': 185186, 'dammit swear': 225302, 'swear it': 830035, 'cocaine coronapocalypse': 185184, 'coronapocalypse cocaine': 205182, 'cocaine plague': 185200, 'plague isolationlife': 657966, 'plague day 20': 657957, 'day 20 sniffle': 227113, '20 sniffle at': 13355, 'sniffle at the': 776348, 'the weather and': 871252, 'weather and get': 974845, 'and get horrified': 63579, 'get horrified look': 347257, 'horrified look not': 404166, 'look not sick': 502544, 'not sick it': 571585, 'sick it the': 768478, 'it the cocaine': 461521, 'the cocaine dammit': 851119, 'cocaine dammit swear': 185187, 'dammit swear it': 225303, 'swear it the': 830036, 'the cocaine coronapocalypse': 851118, 'cocaine coronapocalypse cocaine': 185185, 'coronapocalypse cocaine plague': 205183, 'cocaine plague isolationlife': 185201, 'virus cheered': 958056, 'cheered wildly': 175134, 'wildly the': 992151, 'absolute state': 27296, 'the virus cheered': 870813, 'virus cheered wildly': 958057, 'cheered wildly the': 175135, 'wildly the absolute': 992152, 'the absolute state': 848257, 'absolute state of': 27297, 'awon': 106296, 'tell our': 837044, 'share or': 755136, 'salt during': 732807, 'election why': 271073, 'they silence': 883398, 'silence now': 769697, 'live mean': 495920, 'now awon': 574167, 'awon irresponsible': 106297, 'irresponsible leader': 445060, 'someone tell our': 784678, 'tell our politician': 837045, 'our politician to': 624387, 'politician to share': 663753, 'to share or': 914356, 'share or make': 755137, 'or make hand': 616038, 'mask available for': 518448, 'for the mass': 326552, 'same way they': 733409, 'way they shared': 969961, 'they shared rice': 883336, 'shared rice and': 755445, 'rice and salt': 721000, 'and salt during': 70800, 'salt during election': 732808, 'during election why': 262621, 'election why are': 271074, 'are they silence': 91025, 'they silence now': 883399, 'silence now or': 769698, 'now or the': 575475, 'the people live': 863487, 'people live mean': 648675, 'live mean nothing': 495921, 'mean nothing to': 524576, 'nothing to them': 573202, 'to them now': 917307, 'them now awon': 876061, 'now awon irresponsible': 574168, 'awon irresponsible leader': 106298, 'selling hiked': 749293, 'fear do': 301100, 'these shop are': 880675, 'shop are buying': 759894, 'are buying your': 85137, 'buying your product': 151416, 'product and selling': 680907, 'and selling hiked': 71236, 'selling hiked up': 749294, 'hiked up price': 396354, 'people fear do': 647879, 'fear do something': 301101, 'bod': 133771, 'eyesuphere': 294150, 'dadbod': 224416, 'you lady': 1019550, 'lady need': 478791, 'eye up': 294115, 'when talking': 984108, 'this dad': 887147, 'dad bod': 224295, 'bod ha': 133772, 'week eyesuphere': 976205, 'eyesuphere dadbod': 294151, 'dadbod nofood': 224417, 'all you lady': 45545, 'you lady need': 1019551, 'lady need to': 478792, 'keep your eye': 472264, 'your eye up': 1023736, 'eye up when': 294116, 'up when talking': 946579, 'when talking to': 984109, 'talking to me': 834046, 'to me yes': 909974, 'me yes this': 524039, 'yes this dad': 1015571, 'this dad bod': 887148, 'dad bod ha': 224296, 'bod ha enough': 133773, 'ha enough supply': 370502, 'enough supply that': 277653, 'supply that do': 825953, 'to eat for': 904882, 'eat for the': 265920, 'two week eyesuphere': 937331, 'week eyesuphere dadbod': 976206, 'eyesuphere dadbod nofood': 294152, 'shopalishamarie': 761109, 'spree and': 791128, 'to shopalishamarie': 914506, 'shopalishamarie and': 761110, 'aren shipping': 92517, 'shipping due': 758844, '19 dang': 6416, 'dang you': 225628, 'you virus': 1022084, 'went on online': 979073, 'shopping spree and': 763952, 'spree and went': 791129, 'went to shopalishamarie': 979189, 'to shopalishamarie and': 914507, 'shopalishamarie and they': 761111, 'they aren shipping': 881486, 'aren shipping due': 92518, 'shipping due to': 758845, 'covid 19 dang': 212909, '19 dang you': 6417, 'dang you virus': 225629, 'bayelsa': 112990, 'jib youth': 465464, 'youth in': 1026860, 'in bayelsa': 420733, 'bayelsa state': 112991, 'state storm': 795954, 'ensure trader': 278111, 'to photo': 911709, 'jib youth in': 465465, 'youth in bayelsa': 1026861, 'in bayelsa state': 420734, 'bayelsa state storm': 112992, 'state storm market': 795955, 'market to ensure': 517236, 'to ensure trader': 905199, 'ensure trader do': 278112, 'trader do not': 928677, 'do not increase': 249763, 'due to photo': 261903, 'to photo 19': 911710, 'dominic': 253286, 'cummings': 220331, 'liz dominic': 496506, 'dominic cummings': 253287, 'cummings predicted': 220334, 'predicted it': 669610, 'liz dominic cummings': 496507, 'dominic cummings predicted': 253288, 'cummings predicted it': 220335, 'predicted it wa': 669611, 'wa coming year': 961841, 'coming year ago': 188298, 'mayor tell': 521986, 'tell everyone': 836949, 'governor call': 360887, 'close welfare': 182935, 'welfare center': 977946, 'center it': 169245, 'it unbelievable': 461905, 'unbelievable welfare': 939517, 'center are': 169161, '19 center': 5735, 'center waiting': 169316, 'happen sooner': 377156, 'later worker': 481175, 'infect or': 436500, 'infected contaminating': 436554, 'contaminating the': 200694, 'the mayor tell': 860321, 'mayor tell everyone': 521987, 'tell everyone it': 836952, 'everyone it the': 287130, 'it the governor': 461539, 'the governor call': 856638, 'governor call to': 360888, 'to close welfare': 902906, 'close welfare center': 182936, 'welfare center it': 977948, 'center it unbelievable': 169246, 'it unbelievable welfare': 461906, 'unbelievable welfare center': 939518, 'welfare center are': 977947, 'center are covid': 169162, 'covid 19 center': 212774, '19 center waiting': 5736, 'center waiting to': 169317, 'waiting to happen': 964404, 'to happen sooner': 907159, 'happen sooner or': 377157, 'or later worker': 615935, 'later worker or': 481176, 'worker or consumer': 1007501, 'or consumer is': 614795, 'going to infect': 355628, 'to infect or': 908352, 'infect or get': 436501, 'or get infected': 615429, 'get infected contaminating': 347326, 'infected contaminating the': 436555, 'contaminating the rest': 200695, 'reputed': 713133, 'incrsing': 433944, 'wen': 978900, 'boycotthul absolute': 137376, 'absolute shame': 27285, 'shame dat': 754587, 'dat such': 226106, 'such reputed': 816711, 'reputed company': 713134, 'by incrsing': 152902, 'incrsing the': 433945, 'handwash sanitizers': 376793, 'hour dat': 405518, 'dat wen': 226108, 'wen der': 978903, 'der is': 237816, 'no increase': 564498, 'in material': 425188, 'material cost': 520378, 'boycotthul absolute shame': 137377, 'absolute shame dat': 27286, 'shame dat such': 754588, 'dat such reputed': 226107, 'such reputed company': 816712, 'reputed company is': 713135, 'is taking undue': 452566, 'of it customer': 585383, 'customer during trying': 222323, 'time by incrsing': 896436, 'by incrsing the': 152903, 'incrsing the price': 433946, 'of soap handwash': 589825, 'soap handwash sanitizers': 779028, 'handwash sanitizers which': 376794, 'sanitizers which is': 736444, 'is the need': 452871, 'need of hour': 555333, 'of hour dat': 584782, 'hour dat wen': 405519, 'dat wen der': 226109, 'wen der is': 978904, 'der is no': 237817, 'is no increase': 449942, 'no increase in': 564499, 'increase in material': 432844, 'in material cost': 425189, 'point ha': 662500, 'hardest freakin': 378212, 'freakin job': 331532, 'job outside': 466073, 'of treating': 592438, 'treating people': 931009, 'are brutal': 85070, 'brutal you': 141409, 'any resource': 79753, 'll dm': 496710, 'dm anything': 248872, 'store at this': 806595, 'this point ha': 889634, 'point ha to': 662501, 'the hardest freakin': 857109, 'hardest freakin job': 378213, 'freakin job outside': 331533, 'job outside of': 466074, 'outside of treating': 629517, 'of treating people': 592440, 'treating people with': 931010, 'people are brutal': 646941, 'are brutal you': 85071, 'brutal you do': 141410, 'do what you': 250519, 'take care if': 832008, 'care if see': 164015, 'if see any': 414760, 'see any resource': 744924, 'any resource for': 79754, 'resource for you': 714793, 'for you ll': 328074, 'you ll dm': 1019645, 'll dm anything': 496711, 'thx give': 895545, 'expect sharp': 290722, 'demand pro': 236072, 'pro amazing': 679093, 'amazing value': 50812, 'value for': 952124, 'example usd': 288995, 'usd pay': 948927, 'food bank thx': 313657, 'bank thx give': 110252, 'thx give to': 895546, 'give to people': 350795, 'and they expect': 73904, 'they expect sharp': 882068, 'expect sharp increase': 290723, 'in demand pro': 422147, 'demand pro amazing': 236073, 'pro amazing value': 679094, 'amazing value for': 50813, 'value for money': 952125, 'for money at': 323493, 'money at for': 536616, 'at for example': 98692, 'for example usd': 321296, 'example usd pay': 288996, 'usd pay for': 948928, 'pay for meal': 644886, 'bmw': 133561, 'the give': 856272, 'it month': 459657, 'the unity': 870425, 'unity will': 942331, 'forgotten brit': 329433, 'society if': 781241, 'nothing happened': 573029, 'happened white': 377300, 'white bmw': 987820, 'bmw will': 133562, 'be give': 115016, 'your mindset': 1024841, 'mindset image': 532848, 'is revealing': 451503, 'revealing mile': 720296, 'mile wide': 531422, 'wide inch': 991719, 'inch deep': 431393, 'how will we': 409247, 'will we come': 995321, 'we come through': 971149, 'come through the': 187545, 'of the give': 591064, 'the give it': 856273, 'give it month': 350547, 'it month the': 459658, 'month the unity': 538048, 'the unity will': 870426, 'unity will have': 942332, 'will have been': 993617, 'have been forgotten': 379549, 'been forgotten brit': 121178, 'forgotten brit will': 329434, 'back to consumer': 107359, 'to consumer society': 903336, 'consumer society if': 199023, 'society if nothing': 781243, 'if nothing happened': 414521, 'nothing happened white': 573030, 'happened white bmw': 377301, 'white bmw will': 987821, 'bmw will be': 133563, 'will be give': 992475, 'be give away': 115017, 'give away to': 350398, 'away to your': 106075, 'to your mindset': 919001, 'your mindset image': 1024842, 'mindset image is': 532849, 'image is revealing': 416639, 'is revealing mile': 451505, 'revealing mile wide': 720297, 'mile wide inch': 531423, 'wide inch deep': 991720, 'utopia': 951396, 'me are': 522444, 'least half': 484497, 'an arm': 55399, 'arm length': 92896, 'length away': 486308, 'it dystopian': 457727, 'dystopian utopia': 263954, 'utopia of': 951397, 'of queue': 588691, 'queue etiquette': 693916, 'etiquette traderjoes': 283162, 'store line behind': 808747, 'line behind me': 493008, 'behind me are': 124660, 'me are standing': 522447, 'are standing at': 90350, 'standing at least': 793746, 'at least half': 99503, 'least half an': 484498, 'half an arm': 374137, 'an arm length': 55400, 'arm length away': 92897, 'length away it': 486309, 'away it dystopian': 105954, 'it dystopian utopia': 457728, 'dystopian utopia of': 263955, 'utopia of queue': 951398, 'of queue etiquette': 588692, 'queue etiquette traderjoes': 693917, 'spree but': 791132, 'but bit': 145301, 'bit worried': 131732, '19 off': 8893, 'delivery courier': 233835, 'going on an': 355299, 'on an online': 599332, 'shopping spree but': 763954, 'spree but bit': 791133, 'but bit worried': 145302, 'bit worried about': 131733, 'about catching covid': 24938, 'covid 19 off': 213505, '19 off the': 8895, 'off the delivery': 594243, 'the delivery courier': 853061, 'usa four': 948641, '19 dozen': 6647, 'dozen test': 257922, 'positive via': 665478, 'usa four supermarket': 948642, 'worker die of': 1006778, 'covid 19 dozen': 212983, '19 dozen test': 6648, 'dozen test positive': 257923, 'test positive via': 839130, 'strack': 812192, 'hammond': 374593, 'left strack': 485648, 'strack grocery': 812193, 'in hammond': 423521, 'hammond they': 374594, 'they bout': 881580, 'start senior': 794487, 'just left strack': 469128, 'left strack grocery': 485649, 'strack grocery store': 812194, 'store in hammond': 808310, 'in hammond they': 423522, 'hammond they bout': 374595, 'they bout to': 881581, 'bout to start': 136929, 'to start senior': 915222, 'start senior hour': 794488, 'hour for shopping': 405620, 'for shopping no': 325589, 'shopping no one': 763333, 'shop with them': 761062, 'latest gas': 481363, 'in newjersey': 425843, 'newjersey across': 560080, 'nation keep': 552238, 'latest gas price': 481364, 'price in newjersey': 674714, 'in newjersey across': 425844, 'newjersey across nation': 560081, 'across nation keep': 29403, 'nation keep falling': 552239, 'keep falling amid': 471493, 'enforcer': 276802, 'law enforcer': 482282, 'enforcer administrative': 276803, 'administrative personnel': 32522, 'personnel cashier': 653087, 'janitorial team': 464577, 'quarantined we': 692886, 'pray you': 669039, 'safety law enforcer': 730606, 'law enforcer administrative': 482283, 'enforcer administrative personnel': 276804, 'administrative personnel cashier': 32523, 'personnel cashier and': 653088, 'cashier and supermarket': 166465, 'and supermarket attendant': 72704, 'supermarket attendant food': 819264, 'staff janitorial team': 792594, 'janitorial team and': 464578, 'team and many': 835580, 'more who help': 540975, 'fight the while': 304909, 'the while we': 871456, 'are quarantined we': 89375, 'quarantined we appreciate': 692887, 'and pray you': 69322, 'pray you all': 669040, 'cleresponds': 181614, 'cle': 180442, 'online all': 607786, 'proceeds generated': 679852, 'by purchase': 153688, 'purchase benefiting': 689387, 'benefiting through': 127172, 'through sept': 894663, 'sept will': 751150, 'be directed': 114466, 'greater cleveland': 363160, 'cleveland rapid': 181853, 'fund same': 341491, 'experience cleresponds': 291334, 'cleresponds cle': 181615, 'shopping online all': 763404, 'online all proceeds': 607787, 'all proceeds generated': 44053, 'proceeds generated by': 679853, 'generated by purchase': 345576, 'by purchase benefiting': 153689, 'purchase benefiting through': 689388, 'benefiting through sept': 127173, 'through sept will': 894664, 'sept will be': 751151, 'will be directed': 992428, 'be directed to': 114467, 'directed to the': 243423, 'to the greater': 916750, 'the greater cleveland': 856744, 'greater cleveland rapid': 363161, 'cleveland rapid response': 181854, 'rapid response fund': 696928, 'response fund same': 715706, 'fund same price': 341492, 'same price and': 733240, 'price and shopping': 672536, 'and shopping experience': 71542, 'shopping experience cleresponds': 762609, 'experience cleresponds cle': 291335, 'to participating': 911475, 'tackling and': 831636, 'and cratering': 60697, 'cratering oil': 215159, 'price economics': 673654, 'forward to participating': 330031, 'to participating in': 911476, 'in the webinar': 429668, 'the webinar on': 871269, 'webinar on tackling': 975079, 'on tackling and': 603868, 'tackling and cratering': 831637, 'and cratering oil': 60698, 'cratering oil price': 215160, 'oil price economics': 597115, 'keep fraudsters': 471521, 'fraudsters at': 331408, 'you keep fraudsters': 1019447, 'keep fraudsters at': 471522, 'fraudsters at bay': 331409, 'bay and avoid': 112905, 'bb alert': 113034, 'alert price': 41489, 'should report': 766405, 'report inflated': 712042, 'bb alert price': 113036, 'alert price gouging': 41490, 'gouging is up': 359367, 'is up consumer': 453571, 'up consumer should': 944636, 'consumer should report': 198984, 'should report inflated': 766407, 'report inflated price': 712043, 'purevpn': 690048, 'increase purevpn': 433028, 'purevpn proved': 690049, 'proved it': 686133, 'wrong by': 1013011, '99 in': 23847, 'demand wednesdaymotivation': 236468, 'wednesdaymotivation entertainment': 975711, 'entertainment workfromhome': 278624, 'workfromhome socialdistancing': 1008436, '19 wednesdaythoughts': 11973, 'when the demand': 984143, 'the demand go': 853097, 'demand go up': 235574, 'price increase purevpn': 674784, 'increase purevpn proved': 433029, 'purevpn proved it': 690050, 'proved it wrong': 686134, 'it wrong by': 462616, 'wrong by slashing': 1013012, 'slashing the price': 773684, 'to 99 in': 899887, '99 in high': 23848, 'high demand wednesdaymotivation': 395034, 'demand wednesdaymotivation entertainment': 236469, 'wednesdaymotivation entertainment workfromhome': 975712, 'entertainment workfromhome socialdistancing': 278625, 'workfromhome socialdistancing 19': 1008437, 'socialdistancing 19 wednesdaythoughts': 780183, 'aciudadunida': 29090, 'donated total': 254370, 'pandemic touch': 636830, 'touch of': 926516, 'class aciudadunida': 180134, 'have donated total': 380319, 'donated total of': 254371, 'total of 100': 926206, 'the pandemic touch': 863134, 'pandemic touch of': 636831, 'touch of class': 926517, 'of class aciudadunida': 581448, 'immediately change': 417070, 'change course': 171989, 'australian doctor have': 103476, 'doctor have issued': 250943, 'have issued an': 381134, 'issued an urgent': 456040, 'an urgent plea': 56957, 'urgent plea to': 948356, 'plea to government': 659564, 'to government to': 906940, 'government to immediately': 360720, 'to immediately change': 908137, 'immediately change course': 417072, 'change course in': 171990, 'course in their': 211883, 'are emergency': 86116, 'personnel minnesota': 653136, 'vermont just': 954854, 'made official': 507882, 'official announcement': 595751, 'that reflect': 845978, 'reflect what': 706637, 'all feeling': 42774, 'feeling during': 302980, 'become first': 119992, 'responder kitten': 715488, 'kitten stay': 475829, 'home maga': 401573, 'worker are emergency': 1006384, 'are emergency personnel': 86117, 'emergency personnel minnesota': 272866, 'personnel minnesota and': 653137, 'and vermont just': 74932, 'vermont just made': 954855, 'just made official': 469209, 'made official announcement': 507883, 'official announcement that': 595752, 'announcement that reflect': 77209, 'that reflect what': 845980, 'reflect what we': 706638, 're all feeling': 698214, 'all feeling during': 42775, 'feeling during the': 302981, 'have become first': 379433, 'become first responder': 119993, 'first responder kitten': 308951, 'responder kitten stay': 715489, 'kitten stay at': 475830, 'at home maga': 99039, 'epicentre': 279315, 'vodafonewatch': 959940, 'big four': 129791, 'four seeing': 330664, 'seeing up': 746536, 'to 42': 899722, '42 slashed': 18915, 'slashed from': 773628, 'from share': 337231, 'with europe': 998263, 'europe now': 283479, 'the epicentre': 854423, 'epicentre key': 279316, 'market workforce': 517394, 'all disrupted': 42580, 'disrupted vodafonewatch': 246417, 'vodafonewatch vodafone': 959941, 'telco are not': 836651, 'immune to with': 417372, 'to with the': 918645, 'with the big': 1001213, 'the big four': 849606, 'big four seeing': 129792, 'four seeing up': 330665, 'seeing up to': 746537, 'up to 42': 946339, 'to 42 slashed': 899723, '42 slashed from': 18916, 'slashed from share': 773629, 'from share price': 337232, 'share price with': 755190, 'price with europe': 677611, 'with europe now': 998264, 'europe now the': 283480, 'now the epicentre': 576041, 'the epicentre key': 854424, 'epicentre key market': 279317, 'key market workforce': 473343, 'market workforce and': 517395, 'workforce and supply': 1008343, 'chain are all': 170492, 'are all disrupted': 84297, 'all disrupted vodafonewatch': 42581, 'disrupted vodafonewatch vodafone': 246418, 'stayathome socialdistancing': 797618, 'socialdistancing toronto': 780830, 'toronto suit': 925997, 'suit lockdown': 817769, 'lockdown protecteveryone': 499814, 'everyone 19 stayathome': 286670, '19 stayathome socialdistancing': 10810, 'stayathome socialdistancing toronto': 797620, 'socialdistancing toronto suit': 780831, 'toronto suit lockdown': 925998, 'suit lockdown protecteveryone': 817770, 'survive after': 829118, 'the extraordinary': 854772, 'extraordinary donate': 293735, 'donate or': 254215, 'or partner': 616512, 'with hospital': 998879, 'supermarket government': 820554, 'customer remember': 222751, 'remember people': 710245, 'remember act': 710158, 'of mercy': 586444, 'mercy during': 529077, 'you want your': 1022167, 'want your company': 966185, 'your company to': 1023291, 'company to survive': 191247, 'to survive after': 916016, 'survive after covid': 829119, '19 do the': 6598, 'do the extraordinary': 250240, 'the extraordinary donate': 854773, 'extraordinary donate or': 293736, 'donate or partner': 254216, 'or partner with': 616513, 'partner with hospital': 642904, 'with hospital supermarket': 998880, 'hospital supermarket government': 404658, 'supermarket government agency': 820555, 'government agency to': 359847, 'agency to show': 38092, 'show you care': 767292, 'you care for': 1017894, 'care for your': 163959, 'your customer remember': 1023419, 'customer remember people': 222752, 'remember people remember': 710246, 'people remember act': 649271, 'remember act of': 710159, 'act of mercy': 29726, 'of mercy during': 586445, 'mercy during time': 529078, 'time of adversity': 897310, 'gild monthly': 350112, 'monthly view': 538219, 'positioned for': 665216, 'vaccine the': 951775, 'the pro': 864496, 'pro have': 679112, 'been riding': 121858, 'riding call': 721670, 'over 324': 629829, '324 of': 17722, 'also played': 48660, 'played the': 659285, 'down over': 257071, 'gild monthly view': 350113, 'monthly view is': 538220, 'view is calling': 957101, 'calling for much': 156554, 'for much higher': 323644, 'higher price it': 395681, 'price it appears': 674910, 'appears that they': 82211, 'they are well': 881458, 'are well positioned': 91611, 'well positioned for': 978494, 'positioned for vaccine': 665217, 'for vaccine the': 327513, 'vaccine the pro': 951778, 'the pro have': 864498, 'pro have been': 679113, 'have been riding': 379665, 'been riding call': 121859, 'riding call for': 721671, 'call for over': 155881, 'for over 324': 324324, 'over 324 of': 629830, '324 of today': 17723, 'today we also': 920468, 'we also played': 970405, 'also played the': 48661, 'played the up': 659287, 'and down over': 61699, 'down over the': 257073, 'reading retail': 700797, 'your offline': 1025058, 'offline store': 596056, 'mobileappdevelopment healthcare': 535045, 'healthcare shopify': 387274, 'finished reading retail': 307915, 'reading retail during': 700798, 'retail during covid': 718050, 'take your offline': 832824, 'your offline store': 1025059, 'offline store online': 596057, 'store online via': 809233, 'online via ecommerce': 609673, 'websitedesign mobileappdevelopment healthcare': 975507, 'mobileappdevelopment healthcare shopify': 535046, 'disappoint': 244089, 'not disappoint': 569040, 'disappoint be': 244090, 'careful buy': 164387, 'it is we': 459126, 'is we will': 453807, 'will not disappoint': 994209, 'not disappoint be': 569041, 'disappoint be careful': 244091, 'be careful buy': 113983, 'careful buy your': 164388, 'pm announcement': 661859, 'announcement tonight': 77221, 'tonight should': 924492, 'those shopping': 892465, 'mall where': 511856, 'inside carry': 439246, 'opening bbcyourquestions': 612807, 'bbcyourquestions uklockdown': 113162, 'uklockdown 19': 938986, 'the pm announcement': 863875, 'pm announcement tonight': 661860, 'announcement tonight should': 77222, 'tonight should those': 924493, 'should those shopping': 766593, 'those shopping mall': 892466, 'shopping mall where': 763241, 'mall where no': 511857, 'where no supermarket': 985054, 'no supermarket inside': 565621, 'supermarket inside carry': 821050, 'inside carry on': 439247, 'carry on opening': 165126, 'on opening bbcyourquestions': 602529, 'opening bbcyourquestions uklockdown': 612808, 'bbcyourquestions uklockdown 19': 113163, 'esque': 280692, 'tyranny': 937680, 'have seem': 382413, 'any hit': 79328, 'very 1950': 954974, '1950 esque': 12382, 'esque way': 280695, 'gallon or': 343052, 'maybe down': 521666, 'to dollar': 904629, 'dollar since': 253071, 'the tyranny': 870167, 'tyranny that': 937681, 'price have seem': 674454, 'have seem to': 382414, 'seem to not': 746697, 'to not have': 910694, 'not have taken': 569879, 'have taken any': 382906, 'taken any hit': 832947, 'any hit in': 79329, 'hit in very': 398288, 'in very 1950': 430563, 'very 1950 esque': 954975, '1950 esque way': 12383, 'esque way wa': 280696, 'way wa hoping': 970156, 'hoping for 50': 403922, 'for 50 cent': 318862, 'per gallon or': 650854, 'gallon or maybe': 343053, 'or maybe down': 616086, 'maybe down to': 521667, 'down to dollar': 257365, 'to dollar since': 904630, 'dollar since everyone': 253072, 'home to better': 402309, 'to better the': 901790, 'better the world': 128551, 'world of the': 1009856, 'of the tyranny': 591565, 'the tyranny that': 870168, 'tyranny that is': 937682, 'not get caught': 569580, 'gladice': 351550, 'headbutts': 385881, 'tbc': 835237, 'australialockdown': 103429, 'elderly pack': 270803, 'sydney the': 830718, 'mad pre': 507562, 'pre 7am': 669133, '7am police': 22430, 'case gladice': 165753, 'gladice start': 351551, 'start throwing': 794568, 'throwing few': 895089, 'few headbutts': 303859, 'headbutts in': 385882, 'of norm': 587061, 'norm over': 567053, 'of andrex': 580193, 'andrex tbc': 76217, 'tbc australialockdown': 835238, 'the elderly pack': 854134, 'elderly pack their': 270804, 'pack their trolley': 633167, 'their trolley at': 875033, 'trolley at the': 932374, 'supermarket early this': 820078, 'morning in sydney': 541308, 'in sydney the': 428782, 'sydney the queue': 830719, 'the queue are': 865034, 'queue are mad': 693875, 'are mad pre': 87955, 'mad pre 7am': 507563, 'pre 7am police': 669134, '7am police have': 22431, 'police have arrived': 663040, 'have arrived in': 379359, 'arrived in case': 93962, 'in case gladice': 421259, 'case gladice start': 165754, 'gladice start throwing': 351552, 'start throwing few': 794569, 'throwing few headbutts': 895090, 'few headbutts in': 303860, 'headbutts in the': 385883, 'direction of norm': 243472, 'of norm over': 587062, 'norm over the': 567054, 'over the 24': 630691, 'the 24 pack': 848050, 'pack of andrex': 633088, 'of andrex tbc': 580194, 'andrex tbc australialockdown': 76218, 'shopping ton': 764228, 'ton online': 924290, 'online let': 608484, 'be conscientious': 114187, 'conscientious about': 194785, 'technology 2019': 836253, 're shopping ton': 699506, 'shopping ton online': 764229, 'ton online let': 924291, 'online let be': 608485, 'let be conscientious': 486614, 'be conscientious about': 114188, 'conscientious about it': 194786, 'about it technology': 25596, 'it technology 2019': 461453, 'technology 2019 ncov': 836254, 'honing': 403227, 'have learnt': 381284, 'learnt in': 484275, 'and honing': 64708, 'honing the': 403228, 'the negotiating': 861425, 'negotiating skill': 556940, 'skill household': 772955, 'household chore': 406756, 'chore can': 177999, 'to weight': 918479, 'loss quarantinelife': 503772, 'what have learnt': 981578, 'have learnt in': 381285, 'learnt in day': 484276, 'in day the': 422020, 'day the price': 228495, 'and fruit and': 63368, 'fruit and honing': 339060, 'and honing the': 64709, 'honing the negotiating': 403229, 'the negotiating skill': 861426, 'negotiating skill household': 556941, 'skill household chore': 772956, 'household chore can': 406757, 'chore can lead': 178000, 'lead to weight': 483395, 'to weight loss': 918480, 'weight loss quarantinelife': 977702, 'loss quarantinelife quarantineactivities': 503773, 'busdrivers': 143129, 'been thanking': 122154, 'staff porter': 792772, 'porter cleaner': 664979, 'and receptionist': 70042, 'receptionist big': 704191, 'to busdrivers': 902120, 'busdrivers staysafe': 143130, 'didn know bus': 241121, 'driver have lost': 259597, 'life to have': 489135, 'have been thanking': 379714, 'been thanking medical': 122155, 'thanking medical staff': 841984, 'medical staff porter': 526403, 'staff porter cleaner': 792773, 'porter cleaner supermarket': 664980, 'cleaner supermarket staff': 180839, 'staff and receptionist': 792159, 'and receptionist big': 70043, 'receptionist big thank': 704192, 'you to busdrivers': 1021756, 'to busdrivers staysafe': 902121, 'busdrivers staysafe stayhome': 143131, 'business you': 144728, 'can whether': 160218, 'please support small': 660619, 'support small local': 826823, 'small local business': 775021, 'local business you': 497785, 'business you can': 144729, 'you can whether': 1017832, 'can whether it': 160219, 'for supply via': 326059, 'sincerity': 771059, 'bakhat': 108894, 'mphil': 544321, 'really admire': 701953, 'admire the': 32571, 'of pp': 588311, 'pp chairman': 667866, 'chairman and': 171322, 'and cm': 60028, 'cm sindh': 184632, 'sindh against': 771067, 'real sincerity': 701364, 'sincerity with': 771060, 'am bakhat': 49921, 'bakhat mphil': 108895, 'mphil student': 544322, 'china please': 176880, 'to participate': 911472, 'participate and': 642552, 'work pp': 1005620, 'pp member': 667873, 'really admire the': 701954, 'admire the effort': 32572, 'effort of pp': 269559, 'of pp chairman': 588312, 'pp chairman and': 667867, 'chairman and cm': 171323, 'and cm sindh': 60029, 'cm sindh against': 184633, 'sindh against this': 771068, 'against this is': 37699, 'is real sincerity': 451281, 'real sincerity with': 701365, 'sincerity with the': 771062, 'country and people': 210444, 'and people am': 68849, 'people am bakhat': 646825, 'am bakhat mphil': 49922, 'bakhat mphil student': 108896, 'mphil student in': 544323, 'student in china': 814707, 'in china please': 421426, 'china please follow': 176881, 'please follow me': 660006, 'follow me want': 312463, 'want to participate': 966078, 'to participate and': 911473, 'participate and work': 642553, 'and work pp': 75859, 'work pp member': 1005621, 'past day now': 643522, 'for feeding': 321442, 'too givingback': 924761, 'you for feeding': 1018637, 'for feeding the': 321443, 'feeding the 1st': 302481, 'the 1st responder': 847975, '1st responder but': 12791, 'responder but please': 715433, 'but please also': 146792, 'please also do': 659647, 'also do something': 48113, 'and the lower': 73464, 'the lower income': 859797, 'lower income people': 505887, 'income people risking': 432434, 'people risking their': 649317, 'life too givingback': 489146, 'have totally': 383371, 'totally lost': 926368, 'lost track': 503944, 'price bbc': 672847, 'price nearing': 675312, 'nearing litre': 553740, 'been so long': 121997, 'so long since': 777585, 'long since have': 501634, 'since have been': 770638, 'out in my': 626385, 'in my car': 425545, 'my car have': 547602, 'car have totally': 163121, 'have totally lost': 383372, 'totally lost track': 926369, 'lost track of': 503945, 'track of petrol': 928211, 'of petrol price': 588079, 'petrol price bbc': 653760, 'price bbc news': 672848, 'bbc news why': 113101, 'news why is': 560966, 'is the petrol': 452892, 'petrol price nearing': 653773, 'price nearing litre': 675313, 'iraq falling': 444765, 'falling apart': 297210, 'apart on': 81313, 'factor and': 295870, 'challenge that': 171564, 'risk of iraq': 723759, 'of iraq falling': 585301, 'iraq falling apart': 444766, 'falling apart on': 297211, 'apart on the': 81315, 'on the factor': 604109, 'the factor and': 854837, 'factor and challenge': 295871, 'and challenge that': 59711, 'challenge that could': 171565, 'that could lead': 843354, 'to the collapse': 916573, 'collapse of iraq': 186039, 'now putting': 575629, 'putting new': 691173, 'list before': 494283, 'to soaring': 914815, 'pandemic amazonprime': 634835, 'amazonprime amazonfresh': 51241, 'amazonfresh wholefoods': 51234, 'is now putting': 450320, 'now putting new': 575630, 'putting new grocery': 691174, 'wait list before': 964154, 'list before they': 494284, 'before they can': 123212, 'they can place': 881661, 'an order due': 56696, 'due to soaring': 261957, 'to soaring demand': 914816, 'soaring demand amid': 779318, 'the pandemic amazonprime': 862901, 'pandemic amazonprime amazonfresh': 634836, 'amazonprime amazonfresh wholefoods': 51242, 'egungunbecareful': 270092, 'of bacteria': 580501, 'bacteria here': 107676, 'bacteria egungunbecareful': 107668, 'after using sanitizer': 36480, 'using sanitizer to': 950633, 'sanitizer to kill': 735932, 'to kill 99': 908917, '99 of bacteria': 23864, 'of bacteria here': 580505, 'bacteria here the': 107678, 'here the of': 393658, 'the of bacteria': 862050, 'of bacteria egungunbecareful': 580503, 'before remembering': 123035, 'remembering the': 710459, 'of 1973': 579435, '1973 cbs': 12425, 'yes it happened': 1015466, 'it happened before': 458466, 'happened before remembering': 377229, 'before remembering the': 123036, 'remembering the great': 710461, 'great toiletpaper shortage': 363080, 'toiletpaper shortage of': 922469, 'shortage of 1973': 765095, 'of 1973 cbs': 579436, '1973 cbs news': 12426, 'quarantine cycle': 692124, 'cycle at': 224037, 'quarantine quaratinelife': 692479, 'paper quarantine cycle': 640641, 'quarantine cycle at': 692125, 'cycle at home': 224038, 'home be like': 400774, 'like toiletpaper quarantine': 491647, 'toiletpaper quarantine quaratinelife': 922376, 'quarantine quaratinelife lockdown': 692480, 'quaratinelife lockdown stayhome': 693130, 'lockdown stayhome stayathome': 499957, 'of june': 585563, 'june am': 468000, 'am lost': 50197, 'lost for': 503843, 'word coronacrisis': 1004471, 'take panicbuying': 832481, 'panicbuying to': 639086, 'shopping available until': 762127, 'available until the': 104677, 'end of june': 275902, 'of june am': 585564, 'june am lost': 468001, 'am lost for': 50198, 'lost for word': 503844, 'for word coronacrisis': 327914, 'word coronacrisis this': 1004472, 'coronacrisis this take': 204826, 'this take panicbuying': 890472, 'take panicbuying to': 832482, 'panicbuying to new': 639088, 'carnivorous': 164808, 'anagram': 56983, 'carnivorous is': 164809, 'an anagram': 55298, 'anagram of': 56984, 'one freaky': 606318, 'freaky coincidence': 331565, 'coincidence might': 185664, 'might this': 531147, 'be where': 118099, 'up result': 945921, 'shortage plus': 765178, 'plus uklockdown': 661705, 'carnivorous is an': 164810, 'is an anagram': 445640, 'an anagram of': 55299, 'anagram of that': 56985, 'is one freaky': 450503, 'one freaky coincidence': 606319, 'freaky coincidence might': 331566, 'coincidence might this': 185665, 'might this be': 531148, 'this be where': 886505, 'be where we': 118100, 'where we end': 985341, 'end up result': 276043, 'up result of': 945922, 'result of week': 717621, 'of week more': 593003, 'week more of': 976543, 'more of supermarket': 539883, 'of supermarket shortage': 590445, 'supermarket shortage plus': 822670, 'shortage plus uklockdown': 765179, 'recommending mask': 704815, 'store is recommending': 808520, 'is recommending mask': 451355, 'recommending mask to': 704816, 'to shop are': 914447, 'shop are other': 759908, 'are other store': 88847, 'other store doing': 620984, 'store doing this': 807356, 'doing this staysafe': 252772, 'this staysafe stayhome': 890323, 'coward': 214471, 'manipulatingamericasgullibleassholes': 513226, 'covfefe45': 212531, 'theartofthesteal': 872239, 'theartofthedeal': 872238, 'toiletpaper trump': 922767, 'trump coward': 933497, 'coward manipulatingamericasgullibleassholes': 214472, 'manipulatingamericasgullibleassholes covfefe45': 513227, 'covfefe45 theartofthesteal': 212532, 'theartofthesteal is': 872240, 'the theartofthedeal': 869411, 'look the last': 502611, 'of toiletpaper trump': 592286, 'toiletpaper trump coward': 922769, 'trump coward manipulatingamericasgullibleassholes': 933498, 'coward manipulatingamericasgullibleassholes covfefe45': 214473, 'manipulatingamericasgullibleassholes covfefe45 theartofthesteal': 513228, 'covfefe45 theartofthesteal is': 212533, 'theartofthesteal is more': 872241, 'is more like': 449713, 'more like it': 539693, 'like it than': 490557, 'it than the': 461477, 'than the theartofthedeal': 841277, 'heard nurse': 388114, 'nurse plight': 577459, 'plight on': 661053, 'buying stripping': 151108, 'bare due': 110893, 'selfishness greed': 748353, 'ha totally': 372344, 'totally gone': 926342, 'gone out': 356350, 'window wise': 995740, 'wise up': 996701, 'just heard nurse': 468957, 'heard nurse plight': 388115, 'nurse plight on': 577460, 'plight on asking': 661054, 'panic buying stripping': 637912, 'buying stripping the': 151109, 'shelf bare due': 756866, 'bare due to': 110894, 'to selfishness greed': 914132, 'selfishness greed it': 748354, 'seems the bekind': 746865, 'hashtag ha totally': 378698, 'ha totally gone': 372345, 'totally gone out': 926343, 'gone out of': 356351, 'of the window': 591621, 'the window wise': 871600, 'window wise up': 995741, 'wise up people': 996702, 'up people think': 945759, 'of others coronacrisis': 587386, 'despite rumor': 238840, 'rumor on': 727496, 'medium the': 527313, 'the dnr': 853445, 'dnr ha': 249001, 'eliminate season': 271460, 'season relax': 743433, 'relax regulation': 708822, 'or change': 614697, 'change license': 172163, 'license price': 488152, 'for official': 324029, 'official dnr': 595801, 'dnr news': 249003, 'news relating': 560741, 'follow here': 312411, 'at regulation': 100286, 'regulation not': 708081, 'despite rumor on': 238841, 'rumor on social': 727497, 'social medium the': 779888, 'medium the dnr': 527314, 'the dnr ha': 853446, 'dnr ha no': 249002, 'ha no plan': 371347, 'no plan to': 565123, 'plan to eliminate': 658285, 'to eliminate season': 904993, 'eliminate season relax': 271461, 'season relax regulation': 743434, 'relax regulation or': 708823, 'regulation or change': 708091, 'or change license': 614698, 'change license price': 172164, 'license price for': 488153, 'price for official': 674015, 'for official dnr': 324030, 'official dnr news': 595802, 'dnr news relating': 249004, 'news relating to': 560742, 'relating to follow': 708653, 'to follow here': 906050, 'follow here and': 312412, 'here and at': 392698, 'and at regulation': 58484, 'at regulation not': 100287, 'regulation not affected': 708082, 'pressed by': 671101, 'price alaska': 672257, 'alaska is': 40727, 'available cash': 104288, 'cash energy': 166219, 'energy usa': 276611, 'usa america': 948583, 'america oilprice': 51634, 'oilprice corona': 597606, 'pressed by and': 671102, 'by and falling': 151838, 'oil price alaska': 597038, 'price alaska is': 672258, 'alaska is running': 40728, 'out of available': 626681, 'of available cash': 580476, 'available cash energy': 104289, 'cash energy usa': 166220, 'energy usa america': 276612, 'usa america oilprice': 948584, 'america oilprice corona': 51635, 'oilprice corona virus': 597607, 'corona virus gas': 204309, 'virus gas oilandgas': 958225, 'perfect personal': 651323, 'personal size': 652967, 'size to': 772805, 'car pocket': 163247, 'pocket purse': 662193, 'purse bag': 690203, 'bag any': 108226, 'germ available': 346098, 'pack 20': 633012, '20 pack': 13240, 'pack or': 633126, 'or case': 614678, '70 handsanitizer': 21772, 'handsanitizer washyourhands': 376674, 'washyourhands stayhomesavelives': 967917, 'stayhomesavelives stayathome': 798448, 'stayathome geltwo': 797484, 'perfect personal size': 651324, 'personal size to': 652968, 'size to keep': 772806, 'keep in your': 471597, 'your car pocket': 1023138, 'car pocket purse': 163248, 'pocket purse bag': 662194, 'purse bag any': 690204, 'bag any place': 108227, 'any place you': 79657, 'place you need': 657858, 'from germ available': 335613, 'germ available now': 346099, 'available now in': 104516, 'now in pack': 575010, 'in pack 20': 426410, 'pack 20 pack': 633013, '20 pack or': 13241, 'pack or case': 633127, 'or case of': 614679, 'case of 70': 165885, 'of 70 handsanitizer': 579659, '70 handsanitizer washyourhands': 21773, 'handsanitizer washyourhands stayhomesavelives': 376676, 'washyourhands stayhomesavelives stayathome': 967918, 'stayhomesavelives stayathome geltwo': 798450, 'shortening': 765347, 'including walmart': 432245, 'walmart publix': 965400, 'and schnuck': 71069, 'are shortening': 90076, 'shortening store': 765348, 'employee extra': 273832, 'extra time': 293674, 'restocking in': 717004, 'kroger and other': 477719, 'retailer including walmart': 719211, 'including walmart publix': 432246, 'walmart publix and': 965401, 'publix and schnuck': 688745, 'and schnuck market': 71070, 'schnuck market are': 741646, 'market are shortening': 516030, 'are shortening store': 90077, 'shortening store operating': 765349, 'give employee extra': 350469, 'employee extra time': 273833, 'extra time for': 293675, 'time for cleaning': 896697, 'cleaning and restocking': 180896, 'and restocking in': 70405, 'restocking in response': 717005, 'coronavirus crisis grocery': 205751, 'crisis grocery howeice': 217428, 'from order': 336718, 'order what': 618767, 'shop unless': 760987, 'you promise': 1020456, 'buy remember': 149122, 'ha expire': 370560, 'expire date': 292051, 'waste bunch': 968087, 'useful food': 950154, 'solution to panicbuying': 782109, 'to panicbuying and': 911440, 'panicbuying and safety': 638900, 'and safety from': 70745, 'safety from order': 730548, 'from order online': 336719, 'order online only': 618475, 'online only get': 608628, 'you need order': 1020026, 'need order what': 555387, 'order what you': 618768, 'you need do': 1019982, 'not go outside': 569682, 'outside to shop': 629622, 'to shop unless': 914498, 'shop unless you': 760988, 'unless you promise': 942673, 'you promise to': 1020458, 'promise to not': 683702, 'panic buy remember': 637524, 'buy remember all': 149123, 'remember all food': 710161, 'all food ha': 42810, 'food ha expire': 314748, 'ha expire date': 370561, 'expire date and': 292052, 'date and if': 226590, 'buy you waste': 149492, 'you waste bunch': 1022182, 'waste bunch of': 968088, 'bunch of useful': 142639, 'of useful food': 592710, 'maesglas': 508247, 'representative from': 712902, 'from helped': 335756, 'helped deliver': 391057, 'product donated': 681133, 'by uk': 154624, 'uk maesglas': 938528, 'maesglas retail': 508248, 'park store': 641986, 'the christchurch': 850880, 'christchurch food': 178096, 'bank centre': 109717, 'aid those': 39465, 'society following': 781207, 'representative from helped': 712903, 'from helped deliver': 335757, 'helped deliver product': 391058, 'deliver product donated': 233198, 'product donated by': 681134, 'donated by uk': 254324, 'by uk maesglas': 154626, 'uk maesglas retail': 938529, 'maesglas retail park': 508249, 'retail park store': 718380, 'park store to': 641987, 'to the christchurch': 916558, 'the christchurch food': 850881, 'christchurch food bank': 178097, 'food bank centre': 313535, 'bank centre to': 109718, 'centre to aid': 169557, 'to aid those': 900197, 'aid those more': 39466, 'more vulnerable in': 540931, 'our society following': 624822, 'society following the': 781208, 'following the recent': 312902, 'recent outbreak of': 703946, 'pierogi': 656414, 'buying whatever': 151345, 'there instead': 878513, 'it somewhere': 461172, 'else soo': 271888, 'soo here': 785581, 'here pound': 393467, 'cheese some': 175217, 'into homemade': 442639, 'homemade pierogi': 402846, 'pierogi on': 656415, 'store mean buying': 808929, 'mean buying whatever': 524384, 'buying whatever is': 151346, 'whatever is there': 982770, 'is there instead': 453014, 'there instead of': 878514, 'instead of trying': 440334, 'find it somewhere': 307008, 'it somewhere else': 461173, 'somewhere else soo': 785294, 'else soo here': 271889, 'soo here pound': 785582, 'here pound of': 393468, 'pound of cheese': 667391, 'of cheese some': 581312, 'cheese some of': 175218, 'make it into': 510040, 'it into homemade': 458823, 'into homemade pierogi': 442640, 'homemade pierogi on': 402847, 'pierogi on my': 656416, 'it relevant': 460693, 'relevant from': 709158, 'putting breathing': 691092, 'breathing tube': 139253, 'tube into': 935035, 'into critically': 442497, 'store walking': 811139, 'walking by': 965034, 'another person': 77755, 'walking past': 965084, 'past each': 643533, 'park 12': 641852, 'it relevant from': 460694, 'relevant from the': 709159, 'from the doctor': 337672, 'the doctor who': 853476, 'doctor who might': 251162, 'might be putting': 530925, 'be putting breathing': 116646, 'putting breathing tube': 691093, 'breathing tube into': 139254, 'tube into critically': 935036, 'into critically ill': 442498, 'ill patient with': 416160, 'not to person': 572171, 'grocery store walking': 365926, 'store walking by': 811140, 'walking by another': 965035, 'by another person': 151865, 'another person or': 77757, 'person or people': 652564, 'or people walking': 616541, 'people walking past': 650132, 'walking past each': 965085, 'past each other': 643534, 'other in park': 620410, 'in park 12': 426507, 'guy are worried': 368911, 'about the gas': 26403, 'gas price after': 343926, 'trump anti': 933415, 'anti china': 78284, 'china racism': 176895, 'racism talking': 695297, 'chinese ppe': 177324, 'material they': 520421, 'international equivalent': 441797, 'who strip': 989699, 'trump anti china': 933416, 'anti china racism': 78285, 'china racism talking': 176896, 'racism talking to': 695298, 'talking to client': 834040, 'to client and': 902839, 'client and contact': 181990, 'and contact in': 60467, 'contact in china': 200103, 'china the government': 176983, 'buy all chinese': 148289, 'all chinese ppe': 42343, 'chinese ppe material': 177325, 'ppe material they': 668003, 'material they are': 520422, 'are the international': 90845, 'the international equivalent': 858367, 'international equivalent of': 441798, 'equivalent of the': 279993, 'people who strip': 650345, 'who strip the': 989700, 'strip the shelf': 813838, 'shelf in your': 757224, 'paper report': 640674, 'any store raising': 79866, 'toilet paper report': 921420, 'paper report it': 640675, 'it here please': 458571, 'important update': 419086, 'important update to': 419090, 'update to store': 947271, 'to store hour': 915624, 'hour for information': 405607, 'on your store': 605504, 'store please visit': 809598, 'bastard colony': 112474, 'colony in': 186716, 'example of bastard': 288926, 'of bastard colony': 580582, 'bastard colony in': 112475, 'main transmission': 508842, 'transmission route': 929766, 'route of': 726465, 'respiratory food': 715239, 'be vector': 117960, 'vector even': 953670, 'when handled': 983514, 'virus whether': 959034, 'whether supermarket': 985568, 'food handler': 314769, 'highlight the main': 395972, 'the main transmission': 859915, 'main transmission route': 508843, 'transmission route of': 929767, 'route of covid': 726466, '19 is respiratory': 8037, 'is respiratory food': 451469, 'respiratory food is': 715240, 'to be vector': 901620, 'be vector even': 117961, 'vector even when': 953671, 'even when handled': 284781, 'when handled by': 983515, 'handled by those': 376301, 'those infected with': 892118, 'the virus whether': 870921, 'virus whether supermarket': 959035, 'whether supermarket shelf': 985569, 'supermarket shelf stocker': 822535, 'shelf stocker restaurant': 757596, 'stocker restaurant worker': 803518, 'restaurant worker or': 716823, 'worker or other': 1007509, 'or other food': 616433, 'other food handler': 620241, 'her job': 392149, 'job cause': 465730, 'cause it': 167619, 'closed cause': 183041, 'almost never': 46699, 'never home': 558064, 'food help': 314808, 'okay so my': 598009, 'so my mom': 777841, 'mom just lost': 535766, 'just lost her': 469195, 'lost her job': 503856, 'her job cause': 392150, 'job cause it': 465731, 'cause it closed': 167621, 'it closed cause': 457189, 'closed cause of': 183042, 'cause of my': 167684, 'of my dad': 586752, 'dad is almost': 224351, 'is almost never': 445503, 'almost never home': 46700, 'never home so': 558065, 'home so we': 402090, 'so we probably': 778677, 'we probably don': 972753, 'probably don have': 679254, 'do stuff so': 250186, 'stuff so my': 815188, 'my mom went': 549287, 'mom went and': 535834, 'went and panic': 978954, 'and panic bought': 68645, 'bought food help': 136567, 'pacific daily': 632981, 'daily economic': 224588, 'economic briefing': 266996, 'briefing southkorea': 139741, 'southkorea core': 786891, 'core price': 203525, 'price edge': 673657, 'edge down': 268504, 'down inflation': 256877, 'inflation cpi': 437152, 'asia pacific daily': 95211, 'pacific daily economic': 632982, 'daily economic briefing': 224589, 'economic briefing southkorea': 266997, 'briefing southkorea core': 139742, 'southkorea core price': 786892, 'core price edge': 203526, 'price edge down': 673658, 'edge down inflation': 268505, 'down inflation cpi': 256878, 'agoraphobes': 38572, 'claustrophobe': 180414, 'agoraphobes holding': 38573, 'holding claustrophobe': 400095, 'claustrophobe to': 180415, 'to ransom': 912748, 'ransom with': 696833, 'with sky': 1000756, 'their single': 874733, 'single daily': 771273, 'of leaving': 585767, 'agoraphobes holding claustrophobe': 38574, 'holding claustrophobe to': 400096, 'claustrophobe to ransom': 180416, 'to ransom with': 912749, 'ransom with sky': 696834, 'with sky high': 1000757, 'for their single': 326870, 'their single daily': 874734, 'single daily dose': 771274, 'dose of leaving': 255929, 'of leaving house': 585768, 'salesperson': 732697, 'salesperson focus': 732701, 'interest level': 441368, 'they entering': 882052, 'purchasing cycle': 689850, 'cycle this': 224067, 'this detail': 887212, 'detail carry': 239171, 'carry significant': 165147, 'significant amount': 769395, 'customer automotive': 222153, 'car entrepreneur': 163074, 'entrepreneur marketing': 278946, 'marketing wfh': 517752, 'workfromhome stayhome': 1008438, 'salesperson focus on': 732702, 'the consumer interest': 851551, 'consumer interest level': 197907, 'interest level where': 441369, 'level where are': 487754, 'are they entering': 90998, 'they entering the': 882053, 'entering the purchasing': 278429, 'the purchasing cycle': 864925, 'purchasing cycle this': 689851, 'cycle this detail': 224068, 'this detail carry': 887213, 'detail carry significant': 239172, 'carry significant amount': 165148, 'significant amount of': 769396, 'amount of information': 53229, 'of information regarding': 585196, 'regarding the customer': 707287, 'the customer automotive': 852715, 'customer automotive car': 222154, 'automotive car entrepreneur': 104038, 'car entrepreneur marketing': 163075, 'entrepreneur marketing wfh': 278947, 'marketing wfh workfromhome': 517753, 'wfh workfromhome stayhome': 980868, 'your finance via': 1023869, 'diagram': 240279, 'found these': 330425, 'these diagram': 879920, 'diagram helpful': 240280, 'found these diagram': 330426, 'these diagram helpful': 879921, 'btsarmy': 141525, 'my bff': 547440, 'bff work': 129303, 'she others': 756254, 'her need': 392225, 'petition rt': 653624, 'rt so': 726806, 'can hopefully': 158702, 'hopefully get': 403855, 'public thank': 688349, 'you btsarmy': 1017537, 'btsarmy via': 141526, 'my bff work': 547441, 'bff work at': 129304, 'work at fred': 1004870, 'meyer grocery store': 530037, 'store in or': 808364, 'in or she': 426203, 'or she others': 617041, 'she others like': 756255, 'others like her': 621518, 'like her need': 490423, 'her need our': 392226, 'our help please': 623411, 'help please sign': 390326, 'the petition rt': 863616, 'petition rt so': 653625, 'rt so that': 726807, 'they can hopefully': 881637, 'can hopefully get': 158703, 'hopefully get hazard': 403856, 'pay for having': 644880, 'for having their': 322133, 'having their store': 384326, 'their store open': 874862, 'open to help': 612597, 'the public thank': 864857, 'public thank you': 688350, 'thank you btsarmy': 841699, 'you btsarmy via': 1017538, 'those time': 892556, 'completely bare': 192220, 'bare like': 110916, 'like literally': 490649, 'shelf prior': 757431, '19 nope': 8816, 'nope me': 566903, 'neither fucking': 557323, 'ridiculous situation': 721605, 'all those time': 45190, 'those time you': 892557, 'time you went': 898423, 'you went out': 1022236, 'do your weekly': 250714, 'weekly shop and': 977543, 'supermarket wa completely': 823694, 'wa completely bare': 961844, 'completely bare like': 192221, 'bare like literally': 110917, 'like literally fuck': 490650, 'literally fuck all': 495003, 'the shelf prior': 866867, 'shelf prior to': 757432, 'covid 19 nope': 213482, '19 nope me': 8817, 'nope me neither': 566904, 'me neither fucking': 523210, 'neither fucking ridiculous': 557324, 'fucking ridiculous situation': 339986, 'ridiculous situation to': 721606, 'situation to be': 772529, 'be in people': 115422, 'in people need': 426596, 'to get bloody': 906424, 'seven easy': 753754, 'safe hand': 729729, 'her seven easy': 392360, 'seven easy step': 753755, 'easy step to': 265764, 'spread of safe': 790703, 'of safe hand': 589215, 'condolence': 193594, 'condolence to': 193595, 'lost loved': 503885, 'pandemic all': 634818, 'show canceled': 766892, 'canceled until': 160970, 'notice let': 573300, 'let each': 486694, 'part support': 642430, 'and artist': 58415, 'artist by': 94593, 'condolence to those': 193596, 'have lost loved': 381382, 'lost loved one': 503886, 'one stay strong': 607094, 'stay strong during': 797333, 'strong during this': 814020, 'this global covid': 887703, '19 pandemic all': 9258, 'pandemic all show': 634819, 'all show canceled': 44339, 'show canceled until': 766893, 'canceled until further': 160971, 'further notice let': 342106, 'notice let each': 573301, 'let each do': 486695, 'our part support': 624267, 'part support small': 642431, 'business and artist': 143288, 'and artist by': 58416, 'artist by shopping': 94594, 'delivered picked': 233375, 'leave item': 484850, 'any payment': 79637, 'you know are': 1019486, 'know are self': 476279, 'isolating but need': 455071, 'anything delivered picked': 80727, 'delivered picked up': 233376, 'picked up prescription': 655817, 'up prescription small': 945799, 'can leave item': 158859, 'leave item on': 484851, 'item on your': 463512, 'on your doorstep': 605458, 'your doorstep and': 1023584, 'doorstep and any': 255838, 'and any payment': 58219, 'any payment can': 79638, 'welfare fund': 977951, 'price welfare fund': 677420, 'welfare fund and': 977952, 'fund and ngo': 341359, 'monstrous': 537476, 'arseholic': 94103, 'why and': 990748, 'actual ck': 30637, 'still stockpiling': 801238, 'stockpiling loo': 804011, 'roll toilet': 725560, 'all idiot': 43174, 'idiot monstrous': 413550, 'monstrous diseased': 537477, 'diseased arseholic': 245285, 'arseholic idiot': 94104, 'idiot 19': 413442, 'why and cannot': 990749, 'and cannot stress': 59524, 'enough the actual': 277667, 'the actual ck': 848317, 'actual ck are': 30638, 'ck are people': 179631, 'people still stockpiling': 649607, 'still stockpiling loo': 801239, 'stockpiling loo roll': 804012, 'loo roll toilet': 502201, 'roll toilet paper': 725562, 're all idiot': 698223, 'all idiot monstrous': 43175, 'idiot monstrous diseased': 413551, 'monstrous diseased arseholic': 537478, 'diseased arseholic idiot': 245286, 'arseholic idiot 19': 94105, 'handcrafted': 376057, 'vitamin handcrafted': 959780, 'handcrafted handsanitizer': 376058, 'and vitamin handcrafted': 75008, 'vitamin handcrafted handsanitizer': 959781, 'said sunday': 731383, 'sunday it': 818222, 'will initially': 993854, 'initially produce': 438575, 'produce 50': 680162, 'at five': 98661, 'five location': 309634, 'bank canada': 109702, 'canadacovid19 coronawarriors': 160619, 'company said sunday': 191045, 'said sunday it': 731384, 'sunday it will': 818223, 'it will initially': 462406, 'will initially produce': 993855, 'initially produce 50': 438576, 'produce 50 00': 680163, '50 00 bottle': 19570, 'sanitizer at five': 734507, 'at five location': 98662, 'five location across': 309635, 'country that will': 211122, 'donated to food': 254364, 'food bank canada': 313534, 'bank canada canadacovid19': 109703, 'canada canadacovid19 coronawarriors': 160385, 'cgcsa': 170379, 'patricia': 644349, 'pillay': 656686, 'watch south': 968531, 'on nationwide': 602340, 'nationwide 21': 552705, 'africa cgcsa': 35057, 'cgcsa patricia': 170380, 'patricia pillay': 644350, 'pillay reacts': 656687, 'reacts 21dayslockdown': 700242, '21dayslockdown salockdown': 15125, 'watch south africa': 968532, 'south africa will': 786665, 'africa will be': 35156, 'be on nationwide': 116204, 'on nationwide 21': 602341, 'nationwide 21 day': 552706, 'day lockdown to': 227926, 'of the click': 590867, 'the click below': 851011, 'click below to': 181887, 'below to watch': 126763, 'to watch the': 918390, 'watch the consumer': 968540, 'south africa cgcsa': 786650, 'africa cgcsa patricia': 35058, 'cgcsa patricia pillay': 170381, 'patricia pillay reacts': 644351, 'pillay reacts 21dayslockdown': 656688, 'reacts 21dayslockdown salockdown': 700243, 'thinkwithgoogle': 886051, 'marketingagency': 517763, 'creativeagency': 216189, 'marketingideas': 517770, 'marketingstrategies': 517775, 'slammarketing': 773491, 'slamteam': 773517, 'thinkwithgoogle spotlight': 886052, 'spotlight consumer': 790165, 'in defining': 422072, 'value marketingagency': 952151, 'marketingagency creativeagency': 517764, 'creativeagency marketingideas': 216190, 'marketingideas marketingstrategies': 517771, 'marketingstrategies marketingtools': 517776, 'marketingtools slammarketing': 517783, 'slammarketing slamteam': 773492, 'slamteam socialdistancing': 773518, 'thinkwithgoogle spotlight consumer': 886053, 'spotlight consumer brand': 790166, 'consumer brand that': 196661, 'that are shifting': 842815, 'shifting their priority': 758562, 'their priority in': 874447, 'priority in defining': 678586, 'in defining moment': 422073, 'defining moment of': 232293, 'moment of power': 536018, 'of power and': 588302, 'power and value': 667561, 'and value marketingagency': 74839, 'value marketingagency creativeagency': 952152, 'marketingagency creativeagency marketingideas': 517765, 'creativeagency marketingideas marketingstrategies': 216191, 'marketingideas marketingstrategies marketingtools': 517772, 'marketingstrategies marketingtools slammarketing': 517777, 'marketingtools slammarketing slamteam': 517784, 'slammarketing slamteam socialdistancing': 773493, 'club restaurant': 184475, 'cinema to': 178551, 'massive queue': 520079, 'with eating': 998173, 'eating little': 266249, 'there fuckwits': 878421, 'let keep out': 486845, 'of the pub': 591378, 'the pub club': 864768, 'pub club restaurant': 687698, 'club restaurant and': 184476, 'and cinema to': 59891, 'cinema to prevent': 178552, 'and get in': 63581, 'get in massive': 347301, 'in massive queue': 425184, 'massive queue outside': 520080, 'outside supermarket hour': 629571, 'supermarket hour before': 820797, 'hour before it': 405459, 'it open to': 460124, 'open to stockpile': 612603, 'to stockpile on': 915478, 'stockpile on food': 803787, 'on food we': 600928, 'don need when': 253777, 'need when we': 556206, 'could all do': 208801, 'do with eating': 250547, 'with eating little': 998174, 'eating little le': 266250, 'little le and': 495436, 'le and spread': 482845, 'spread it there': 790593, 'it there fuckwits': 461612, 'kupiec': 477944, 'in paul': 426554, 'paul kupiec': 644547, 'kupiec argues': 477945, 'cause long': 167636, 'long lived': 501517, 'lived change': 496156, 'pattern policymakers': 644497, 'policymakers should': 663563, 'should carefully': 765824, 'carefully consider': 164465, 'before increasing': 122869, 'in paul kupiec': 426555, 'paul kupiec argues': 644548, 'kupiec argues that': 477946, 'argues that the': 92719, 'that the pandemic': 846794, 'pandemic will likely': 637012, 'likely cause long': 491964, 'cause long lived': 167637, 'long lived change': 501519, 'lived change in': 496157, 'spending pattern policymakers': 788951, 'pattern policymakers should': 644498, 'policymakers should carefully': 663564, 'should carefully consider': 765825, 'carefully consider this': 164466, 'consider this before': 195158, 'this before increasing': 886530, 'before increasing the': 122870, 'increasing the magnitude': 433709, 'had shifting': 373498, 'shifting in': 758541, 'my spirit': 550183, 'spirit yesterday': 789522, 'yesterday about': 1015642, 'about seeing': 26158, 'seeing endless': 746287, 'endless covid': 276226, '19 post': 9759, 'all processing': 44056, 'processing the': 680041, 'current reality': 221335, 'quarantine cancelled': 692073, 'cancelled event': 161107, 'event empty': 284977, 'store door': 807375, 'had shifting in': 373499, 'shifting in my': 758542, 'in my spirit': 425630, 'my spirit yesterday': 550184, 'spirit yesterday about': 789523, 'yesterday about seeing': 1015645, 'about seeing endless': 26159, 'seeing endless covid': 746288, 'endless covid 19': 276227, 'covid 19 post': 213597, '19 post we': 9760, 'post we are': 666395, 'are all processing': 84337, 'all processing the': 44057, 'processing the current': 680042, 'the current reality': 852657, 'current reality of': 221336, 'reality of quarantine': 701777, 'of quarantine cancelled': 588653, 'quarantine cancelled event': 692074, 'cancelled event empty': 161108, 'event empty grocery': 284978, 'store aisle and': 806111, 'aisle and closed': 40189, 'and closed store': 60009, 'closed store door': 183348, 'store door and': 807377, 'door and that': 255513, 'lockdownnepal': 500325, 'nepallockdown': 557412, 'day consumer': 227475, 'consumer sitting': 198999, 'on lpg': 601954, 'cylinder and': 224113, 'turn in': 935679, 'cooking gas': 202874, 'gas at': 343770, 'in kathmandu': 424446, 'nepal on': 557407, 'april 01': 83388, '01 2020': 718, '2020 lockdownnepal': 14421, 'lockdownnepal nepal': 500326, 'nepal nepallockdown': 557406, 'lockdown day consumer': 499300, 'day consumer sitting': 227476, 'consumer sitting on': 199000, 'sitting on lpg': 772134, 'on lpg cylinder': 601955, 'lpg cylinder and': 506316, 'cylinder and waiting': 224114, 'and waiting for': 75121, 'waiting for their': 964338, 'their turn in': 875051, 'turn in queue': 935680, 'queue to purchase': 694098, 'purchase the cooking': 689670, 'the cooking gas': 851717, 'cooking gas at': 202875, 'gas at retail': 343771, 'store in kathmandu': 808327, 'in kathmandu nepal': 424447, 'kathmandu nepal on': 471039, 'nepal on april': 557408, 'on april 01': 599427, 'april 01 2020': 83389, '01 2020 lockdownnepal': 719, '2020 lockdownnepal nepal': 14422, 'lockdownnepal nepal nepallockdown': 500327, 'texascoronavirus': 839857, 'industry reeling': 436066, 'reeling trump': 706451, 'trump call': 933456, 'production leading': 682102, 'least short': 484624, 'via energy': 955959, 'russia texascoronavirus': 728579, 'texascoronavirus economy': 839858, 'with the oil': 1001408, 'gas industry reeling': 343878, 'industry reeling trump': 436067, 'reeling trump call': 706452, 'trump call on': 933457, 'call on russia': 156043, 'on russia and': 603240, 'cut production leading': 223505, 'production leading to': 682103, 'leading to at': 483754, 'at least short': 99543, 'least short term': 484625, 'term boost in': 838073, 'boost in oil': 134966, 'price via energy': 677307, 'via energy oil': 955960, 'energy oil trump': 276523, 'oil trump saudi': 597487, 'trump saudi russia': 933817, 'saudi russia texascoronavirus': 737302, 'russia texascoronavirus economy': 728580, 'extra toilet': 293684, 'on can': 599787, 'calm amid': 156679, 'madness today': 508215, 'available maybe': 104488, 'don buy extra': 253408, 'buy extra toilet': 148611, 'extra toilet paper': 293685, 'paper we don': 641066, 'we don stock': 971395, 'up on can': 945533, 'on can food': 599788, 'can food we': 158371, 'food we try': 317534, 'to keep calm': 908767, 'keep calm amid': 471376, 'calm amid the': 156680, 'amid the supermarket': 52717, 'supermarket madness today': 821431, 'madness today we': 508216, 'out of egg': 626725, 'egg and there': 269771, 'are no egg': 88254, 'no egg available': 564089, 'egg available maybe': 269789, 'available maybe we': 104489, 'should start panicking': 766489, 'start panicking now': 794432, 'insight how': 439567, 'cannabis industry': 161413, 'insight how covid': 439568, 'impacting the cannabis': 418263, 'the cannabis industry': 850340, 'cannabis industry via': 161414, 'foodbank news': 317779, 'news with': 560970, 'food heading': 314798, 'our distribution': 622780, 'centre today': 169560, 'today tomorrow': 920381, 'with donation': 998117, 'donation thanks': 254700, 'foodbank news with': 317780, 'news with this': 560971, 'with this much': 1001712, 'this much food': 889060, 'much food heading': 544902, 'food heading out': 314799, 'heading out to': 385951, 'to our distribution': 911170, 'our distribution centre': 622781, 'distribution centre today': 248133, 'centre today tomorrow': 169561, 'today tomorrow we': 920382, 'tomorrow we can': 924234, 'we can safely': 971001, 'safely say demand': 730309, 'say demand for': 738559, 'for the support': 326713, 'the support of': 868982, 'support of is': 826689, 'of is on': 585325, 'rise here how': 722867, 'help with donation': 390908, 'with donation thanks': 998119, 'stupidstore': 815569, 'drywall': 261348, 'little shopping': 495566, 'today lineup': 919810, 'lineup at': 493662, 'at stupidstore': 100671, 'stupidstore wa': 815570, 'wa insane': 962407, 'insane hit': 439038, 'hit safeway': 398393, 'safeway higher': 730846, 'price grr': 674369, 'grr then': 367504, 'hit shopper': 398401, 'for brother': 319804, 'brother drug': 141051, 'drug the': 261114, 'wearing drywall': 974612, 'drywall dust': 261349, 'dust mask': 263450, 'absurd they': 27511, 'or them': 617417, 'them yeg': 876671, 'did little shopping': 240677, 'little shopping today': 495567, 'shopping today lineup': 764212, 'today lineup at': 919811, 'lineup at stupidstore': 493663, 'at stupidstore wa': 100672, 'stupidstore wa insane': 815571, 'wa insane hit': 962409, 'insane hit safeway': 439039, 'hit safeway higher': 398394, 'safeway higher price': 730847, 'higher price grr': 395677, 'price grr then': 674370, 'grr then hit': 367505, 'then hit shopper': 877246, 'hit shopper for': 398402, 'shopper for brother': 761515, 'for brother drug': 319805, 'brother drug the': 141052, 'drug the number': 261115, 'people wearing drywall': 650174, 'wearing drywall dust': 974613, 'drywall dust mask': 261350, 'dust mask is': 263451, 'mask is absurd': 518863, 'is absurd they': 445306, 'absurd they do': 27512, 'they do nothing': 881970, 'do nothing to': 249905, 'nothing to protect': 573196, 'protect you or': 685051, 'you or them': 1020227, 'or them yeg': 617418, 'worldhealthorganisation': 1010254, 'washing please': 967706, 'share supplied': 755234, 'supplied by': 824449, 'by when': 154727, 'sanitizer rub': 735667, 'rub or': 726915, 'water worldhealthorganisation': 969269, 'hand washing please': 375953, 'washing please share': 967707, 'please share supplied': 660494, 'share supplied by': 755235, 'supplied by when': 824451, 'by when using': 154729, 'when using hand': 984377, 'hand sanitizer rub': 375570, 'sanitizer rub or': 735668, 'rub or soap': 726916, 'soap water worldhealthorganisation': 779165, 'are steadily': 90380, 'steadily rising': 799109, 'illinois in': 416288, 'alone they': 46926, 'price dramatically': 673545, 'dramatically during': 258341, 'pandemic box': 635011, 'of gram': 584300, 'gram cracker': 361820, 'cracker that': 214733, 'just 79': 468124, '79 ha': 22371, '29 pricegouging': 16492, 'price are steadily': 672744, 'are steadily rising': 90381, 'steadily rising in': 799110, 'rising in illinois': 723237, 'in illinois in': 423975, 'illinois in alone': 416289, 'in alone they': 420201, 'alone they have': 46927, 'their price dramatically': 874391, 'price dramatically during': 673546, 'dramatically during this': 258342, 'this pandemic box': 889372, 'pandemic box of': 635012, 'box of gram': 137122, 'of gram cracker': 584301, 'gram cracker that': 361821, 'cracker that wa': 214734, 'wa just 79': 962450, 'just 79 ha': 468125, '79 ha now': 22372, 'ha now increased': 371398, 'now increased to': 575033, 'increased to 29': 433515, 'to 29 pricegouging': 899655, 'boy going': 137257, 'me the boy': 523640, 'the boy going': 849930, 'boy going to': 137258, 'bought container': 136532, 'some face': 782806, 'counter oh': 210243, 'just bought container': 468349, 'bought container of': 136533, 'sanitizer and some': 734436, 'and some face': 71960, 'some face mask': 782807, 'mask from behind': 518700, 'from behind the': 334669, 'the counter oh': 852029, 'counter oh how': 210244, 'five key': 309624, 'key change': 473243, 'change supermarket': 172273, 'implementing to': 418530, 'five key change': 309625, 'key change supermarket': 473245, 'change supermarket are': 172274, 'are implementing to': 87333, 'implementing to make': 418531, 'standing taking': 793813, 'how badly': 407439, 'badly we': 108177, 'handling at': 376333, 'little we': 495644, 'others china': 621328, 'being where': 126058, 'virus began': 958002, 'ball at': 109049, 'first gaining': 308690, 'gaining influence': 342877, 'influence it': 437311, 'is meeting': 449621, 'challenge at': 171410, 'home offering': 401701, 'offering help': 595140, 'standing taking hit': 793814, 'taking hit of': 833389, 'hit of how': 398346, 'of how badly': 584808, 'how badly we': 407441, 'badly we are': 108178, 'we are handling': 970583, 'are handling at': 86994, 'handling at home': 376334, 'home how little': 401381, 'how little we': 408177, 'little we re': 495645, 're doing for': 698538, 'doing for others': 252415, 'for others china': 324187, 'others china despite': 621329, 'china despite it': 176603, 'it being where': 456834, 'being where the': 126059, 'the virus began': 870805, 'virus began it': 958003, 'began it dropping': 123399, 'it dropping the': 457711, 'dropping the ball': 260735, 'the ball at': 849218, 'ball at first': 109050, 'at first gaining': 98655, 'first gaining influence': 308691, 'gaining influence it': 342878, 'influence it is': 437312, 'it is meeting': 459010, 'is meeting the': 449622, 'meeting the challenge': 527769, 'the challenge at': 850638, 'challenge at home': 171411, 'at home offering': 99064, 'home offering help': 401702, 'offering help to': 595141, 'help to others': 390785, 'which changing': 985748, 'persist beyond': 652260, 'which changing consumer': 985749, 'behavior will persist': 124311, 'will persist beyond': 994411, 'persist beyond the': 652261, 'beyond the pandemic': 129248, 'park busy': 641883, 'busy ever': 144900, 'ever what': 285595, 'about stayhomesavelives': 26252, 'back from work': 107024, 'work where we': 1006004, 'where we care': 985339, 'we care for': 971103, 'older people went': 598665, 'people went for': 650188, 'went for fuel': 979002, 'fuel and supermarket': 340119, 'and supermarket car': 72706, 'car park busy': 163214, 'park busy ever': 641884, 'busy ever what': 144901, 'ever what do': 285596, 'do you people': 250656, 'you people not': 1020323, 'people not get': 648868, 'not get about': 569574, 'get about stayhomesavelives': 346493, 'reach 99': 699882, 'gasprices could reach': 344284, 'could reach 99': 209565, 'reach 99 cent': 699883, 'guy it': 369056, 'clear stay': 181329, 'air do': 39713, 'that hard': 844182, 'hard quarantine': 377999, 'guy it all': 369057, 'all very clear': 45358, 'very clear stay': 955054, 'clear stay at': 181330, 'afraid to get': 35022, 'get fresh air': 347103, 'fresh air do': 332913, 'air do not': 39714, 'do not food': 249739, 'not food shop': 569473, 'shop but have': 759998, 'but have grocery': 145874, 'have grocery available': 380844, 'grocery available use': 364296, 'sanitizer but maybe': 734609, 'but maybe that': 146379, 'maybe that doesn': 521822, 'doesn work it': 251999, 'work it not': 1005390, 'not that hard': 571970, 'that hard quarantine': 844185, 'hard quarantine stayathome': 378000, 'our lab': 623628, 'lab ha': 478262, 'down yesterday': 257518, 'resume till': 717752, 'trust on': 934295, 'on science': 603337, 'our lab ha': 623629, 'lab ha been': 478263, 'shut down yesterday': 767868, 'down yesterday we': 257519, 'yesterday we can': 1015932, 'we can resume': 971000, 'can resume till': 159476, 'resume till the': 717753, 'till the ncovid': 896105, 'safe have good': 729734, 'have good food': 380804, 'good food don': 357058, 'keep trust on': 472163, 'trust on science': 934296, 'on science and': 603338, 'definitely get through': 232341, 'with stockpile': 1000981, 'face went out': 294844, 'find me some': 307053, 'me some chicken': 523507, 'up with stockpile': 946686, 'with stockpile of': 1000982, 'stockpile of toiletpaper': 803785, 'need food at': 554790, 'food at this': 313454, 'underdog': 940419, 'worker producing': 1007631, 'deliver them': 233243, 'if panicked': 414597, 'shopper mean': 761613, 'day support': 228439, 'the underdog': 870349, 'all the factory': 44740, 'the factory worker': 854842, 'factory worker producing': 296021, 'worker producing toilet': 1007632, 'paper soap food': 640794, 'soap food and': 779004, 'and the truck': 73624, 'driver who deliver': 259854, 'who deliver them': 988553, 'deliver them to': 233244, 'them to our': 876495, 'our store even': 624944, 'even if panicked': 284211, 'if panicked shopper': 414598, 'panicked shopper mean': 639289, 'shopper mean empty': 761614, 'the day support': 852915, 'day support the': 228440, 'support the underdog': 826889, 'basket reported': 112386, 'reported tuesday': 712559, 'their salem': 874626, 'salem store': 732680, 'market basket reported': 516082, 'basket reported tuesday': 112387, 'reported tuesday that': 712560, 'tuesday that an': 935188, 'an employee from': 55707, 'employee from their': 273876, 'from their salem': 337949, 'their salem store': 874627, 'salem store ha': 732681, 'store ha died': 808004, 'coronavirus and two': 205504, 'two other employee': 937110, 'other employee from': 620135, 'supplyshock': 826311, 'instigated': 440392, 'the supplyshock': 868977, 'supplyshock instigated': 826312, 'instigated by': 440393, 'by lower': 153109, 'demand expert': 235308, 'biggest recession': 130307, 'recession since': 704360, 'gfc with': 349516, 'impact expected': 417648, 'the supplyshock instigated': 868978, 'supplyshock instigated by': 826313, 'instigated by the': 440394, 'exacerbated by lower': 288669, 'by lower consumer': 153110, 'consumer demand expert': 197130, 'demand expert predict': 235309, 'predict that this': 669581, 'that this will': 847007, 'the biggest recession': 849674, 'biggest recession since': 130308, 'recession since the': 704361, 'since the gfc': 770882, 'the gfc with': 856250, 'gfc with the': 349517, 'economic impact expected': 267133, 'impact expected to': 417649, 'expected to outlast': 290991, 'to outlast the': 911272, 'outlast the health': 629003, 'cartoon for': 165515, 'atlantic say': 101868, 'avoid contamination': 105052, 'contamination from': 200714, 'bringing home': 140161, 'bacon psa': 107642, 'the atlantic say': 849012, 'atlantic say that': 101869, 'is the tipping': 452962, 'tipping point for': 898992, 'for the corona': 326361, 'virus this is': 958910, 'to avoid contamination': 900880, 'avoid contamination from': 105053, 'contamination from bringing': 200715, 'from bringing home': 334743, 'bringing home the': 140163, 'home the bacon': 402224, 'the bacon psa': 849167, 'bacon psa safe': 107643, 'noticing people': 573507, 'twitter going': 936662, 'going went': 355808, 'bakery supermarket': 108883, 'they listening': 882571, 'home advice': 400558, 'advice umm': 33543, 'umm aren': 939240, 'noticing people on': 573508, 'people on twitter': 648977, 'on twitter going': 604919, 'twitter going went': 936663, 'going went to': 355809, 'to the bakery': 916506, 'the bakery supermarket': 849206, 'bakery supermarket chemist': 108885, 'supermarket chemist and': 819679, 'chemist and there': 175404, 'many people out': 514525, 'out there why': 627529, 'there why aren': 879355, 'aren they listening': 92564, 'they listening to': 882572, 'to the stay': 917093, 'at home advice': 98932, 'home advice umm': 400559, 'advice umm aren': 33544, 'umm aren you': 939241, 'aren you one': 92604, 'those people too': 892332, 'people too lockdown': 649986, 'open take': 612538, 'away restaurant': 106020, 'open these': 612565, 'photo are': 655127, 'most shop closed': 542739, 'shop closed in': 760047, 'closed in but': 183171, 'in but supermarket': 421097, 'but supermarket grocery': 147219, 'supermarket grocery pharmacy': 820581, 'grocery pharmacy open': 364848, 'pharmacy open take': 654394, 'open take away': 612539, 'take away restaurant': 831970, 'away restaurant open': 106022, 'restaurant open these': 716611, 'open these photo': 612566, 'these photo are': 880476, 'photo are from': 655128, 'are from well': 86695, 'from well stocked': 338329, 'pledging': 660873, 'usq': 950862, 'in union': 430433, 'union square': 941938, 'square are': 791465, 'and pledging': 69121, 'pledging to': 660878, 'employee despite': 273773, 'despite closure': 238699, 'down related': 257144, 'crisis check': 217211, 'these usq': 880925, 'usq retailer': 950863, 'many retailer in': 514649, 'retailer in union': 719208, 'in union square': 430434, 'union square are': 941939, 'square are stepping': 791466, 'up and pledging': 944358, 'and pledging to': 69122, 'pledging to continue': 660879, 'to continue paying': 903399, 'continue paying their': 201099, 'their employee despite': 873141, 'employee despite closure': 273774, 'despite closure and': 238700, 'closure and shut': 183845, 'and shut down': 71631, 'shut down related': 767849, 'down related to': 257145, 'the crisis check': 852358, 'crisis check out': 217213, 'out these usq': 627539, 'these usq retailer': 880926, 'usq retailer and': 950864, 'retailer and support': 718976, 'and support by': 72835, 'support by shopping': 826401, 'dustcloth': 263467, 'asphyxiation': 96236, 'any scarf': 79774, 'dog bandanna': 252047, 'bandanna where': 109401, 'wore dustcloth': 1004648, 'dustcloth held': 263468, 'band to': 109358, 'thought might': 893126, 'of asphyxiation': 580392, 'asphyxiation before': 96237, 'from socialdistancing don': 337334, 'socialdistancing don have': 780329, 'have any scarf': 379316, 'any scarf or': 79775, 'or dog bandanna': 615035, 'dog bandanna where': 252048, 'bandanna where am': 109402, 'so wore dustcloth': 778803, 'wore dustcloth held': 1004649, 'dustcloth held in': 263469, 'by hair band': 152740, 'hair band to': 373958, 'band to go': 109359, 'store thought might': 810715, 'thought might die': 893127, 'might die of': 530957, 'die of asphyxiation': 241412, 'of asphyxiation before': 580393, 'asphyxiation before the': 96238, 'accomplished the': 28502, 'important mission': 418886, 'can rest': 159466, 'rest easy': 716155, 'stayathome now': 797559, 'accomplished the most': 28504, 'most important mission': 542407, 'important mission of': 418887, 'mission of the': 534372, 'day can rest': 227427, 'can rest easy': 159467, 'rest easy and': 716156, 'easy and continue': 265648, 'continue to stayathome': 201265, 'to stayathome now': 915335, 'stayathome now toiletpaper': 797560, 'now toiletpaper pandemic': 576196, 'country trying': 211194, 'own access': 631862, 'crisis whether': 218384, 'whether an': 985485, 'an exporter': 55980, 'exporter curbing': 292747, 'curbing outflow': 220610, 'outflow or': 628974, 'an importer': 56208, 'importer hoarding': 419195, 'hoarding available': 399204, 'available stock': 104604, 'some short': 783867, 'term risk': 838278, 'also emerge': 48152, 'with country trying': 997830, 'country trying to': 211195, 'protect their own': 684996, 'their own access': 874158, 'own access to': 631863, 'to food amid': 906074, '19 crisis whether': 6351, 'crisis whether an': 218385, 'whether an exporter': 985486, 'an exporter curbing': 55981, 'exporter curbing outflow': 292748, 'curbing outflow or': 220611, 'outflow or an': 628975, 'or an importer': 614315, 'an importer hoarding': 56209, 'importer hoarding available': 419196, 'hoarding available stock': 399205, 'available stock some': 104605, 'stock some short': 802870, 'some short term': 783868, 'short term risk': 764748, 'term risk to': 838279, 'risk to can': 723950, 'to can also': 902404, 'can also emerge': 157455, 'london coronacrisis': 501050, 'up since am': 945997, 'since am and': 770502, 'am and the': 49892, 'only place can': 610978, 'place can go': 657377, 'grocery store london': 365539, 'store london coronacrisis': 808812, 'dismissed': 246013, 'uw': 951502, 'biology': 131236, 'is dismissed': 447230, 'dismissed something': 246016, 'affect small': 34225, 'reaching among': 700073, 'among washington': 53112, 'washington victim': 967811, 'victim reported': 956512, 'week uw': 977156, 'uw biology': 951503, 'biology professor': 131239, 'professor neighborhood': 682569, 'owner boeing': 632408, 'boeing factory': 133931, '19 is dismissed': 7960, 'is dismissed something': 447231, 'dismissed something that': 246017, 'something that affect': 785071, 'that affect small': 842511, 'affect small number': 34226, 'but the death': 147329, 'the death and': 852966, 'death and impact': 229964, 'and impact are': 65008, 'impact are far': 417561, 'are far reaching': 86489, 'far reaching among': 298894, 'reaching among washington': 700074, 'among washington victim': 53113, 'washington victim reported': 967812, 'victim reported this': 956513, 'reported this week': 712554, 'this week uw': 891291, 'week uw biology': 977157, 'uw biology professor': 951504, 'biology professor neighborhood': 131240, 'professor neighborhood grocery': 682570, 'store owner boeing': 809426, 'owner boeing factory': 632409, 'boeing factory worker': 133932, 'administration pause': 32491, 'pause routine': 644614, 'routine food': 726509, 'food inspection': 315079, 'inspection for': 439766, 'the indefinite': 858102, 'indefinite future': 434029, 'future via': 342508, 'drug administration pause': 260856, 'administration pause routine': 32492, 'pause routine food': 644615, 'routine food inspection': 726510, 'food inspection for': 315080, 'inspection for the': 439767, 'for the indefinite': 326499, 'the indefinite future': 858103, 'indefinite future via': 434030, 'day13oflockdown': 228853, 'liquorshop': 494223, 'now made': 575266, 'sanitizer lockdownextension': 735304, 'lockdownextension day13oflockdown': 500280, 'day13oflockdown liquorshop': 228854, 'liquorshop meme': 494224, 'meme 19': 528293, '19 funny': 7174, 'so ha now': 777224, 'ha now made': 371401, 'now made hand': 575267, 'hand sanitizer lockdownextension': 375474, 'sanitizer lockdownextension day13oflockdown': 735305, 'lockdownextension day13oflockdown liquorshop': 500281, 'day13oflockdown liquorshop meme': 228855, 'liquorshop meme meme': 494225, 'meme meme 19': 528334, 'meme 19 funny': 528295, '19 funny lol': 7175, 'moph': 538378, 'drinkable': 258909, 'moph ha': 538379, 'intensified health': 441100, 'health control': 386307, 'control campaign': 201980, 'establishment especially': 282058, 'especially consumer': 280455, 'society food': 781209, 'and drinkable': 61735, 'drinkable water': 258910, 'water factory': 968987, 'factory since': 295993, 'measure qatar': 525300, 'qatar stayathome': 691503, 'moph ha intensified': 538380, 'ha intensified health': 370984, 'intensified health control': 441101, 'health control campaign': 386308, 'control campaign on': 201981, 'campaign on food': 157242, 'on food establishment': 600862, 'food establishment especially': 314392, 'establishment especially consumer': 282059, 'especially consumer society': 280456, 'consumer society food': 199022, 'society food and': 781210, 'food and drinkable': 313216, 'and drinkable water': 61736, 'drinkable water factory': 258911, 'water factory since': 968988, 'factory since the': 295994, 'of the part': 591322, 'precautionary measure qatar': 669428, 'measure qatar stayathome': 525301, 'to laid': 909031, 'off self': 594134, 'employed worker': 273500, 'and caregiver': 59563, 'caregiver first': 164500, 'first mention': 308786, 'cashier when': 166660, 'aid to laid': 39471, 'to laid off': 909032, 'laid off self': 479030, 'off self employed': 594135, 'self employed worker': 747634, 'employed worker and': 273501, 'worker and caregiver': 1006275, 'and caregiver first': 59564, 'caregiver first mention': 164501, 'first mention grocery': 308787, 'store cashier when': 806895, 'cashier when he': 166661, 'ever grateful to': 285327, 'to have leader': 907265, 'bended': 126861, 'uganda we': 937997, 'our bended': 622184, 'bended knee': 126862, 'knee asking': 476003, 'for directive': 320732, 'directive from': 243507, 'trade to': 928592, 'when most': 983741, 'most worker': 542928, 'capitalist are': 162797, 'uganda we are': 937998, 'are on our': 88729, 'on our bended': 602577, 'our bended knee': 622185, 'bended knee asking': 126863, 'knee asking for': 476004, 'asking for directive': 95982, 'for directive from': 320733, 'directive from the': 243508, 'from the ministry': 337790, 'ministry of trade': 533554, 'of trade to': 592399, 'trade to regulate': 928593, 'on the commodity': 604029, 'the commodity during': 851242, 'time when most': 898296, 'when most worker': 983743, 'most worker are': 542929, 'laid off the': 479033, 'off the capitalist': 594235, 'the capitalist are': 850365, 'capitalist are taking': 162798, 'winningthe20s': 996095, 'build confidence': 141959, 'inspire action': 439819, 'action an': 29946, 'advisory and': 33754, 'service timeline': 752961, 'investment risk': 444054, 'credit growth': 216400, 'growth need': 367422, 'to regain': 913095, 'regain consumer': 707115, 'consumer investor': 197923, 'investor confidence': 444137, 'confidence winningthe20s': 193987, 'winningthe20s simply': 996096, 'by balance': 151928, 'to build confidence': 902083, 'build confidence and': 141960, 'confidence and inspire': 193818, 'and inspire action': 65274, 'inspire action an': 439820, 'action an advisory': 29947, 'an advisory and': 55164, 'advisory and essential': 33755, 'essential service timeline': 281534, 'service timeline for': 752962, 'timeline for investment': 898464, 'for investment risk': 322638, 'investment risk and': 444055, 'risk and credit': 723368, 'and credit growth': 60730, 'credit growth need': 216401, 'growth need to': 367423, 'be in place': 115423, 'place to regain': 657767, 'to regain consumer': 913096, 'regain consumer investor': 707116, 'consumer investor confidence': 197924, 'investor confidence winningthe20s': 444139, 'confidence winningthe20s simply': 193988, 'winningthe20s simply by': 996097, 'simply by balance': 770191, 'posted over': 666564, 'pretty standard': 671501, 'supermarket reduced': 822181, 'reduced section': 706167, 'section behaviour': 744003, 'this wa posted': 891086, 'wa posted over': 962968, 'posted over year': 666565, 'over year ago': 630953, 'ago and ha': 38337, 'and ha nothing': 64080, '19 it pretty': 8147, 'it pretty standard': 460447, 'pretty standard supermarket': 671502, 'standard supermarket reduced': 793704, 'supermarket reduced section': 822183, 'reduced section behaviour': 706168, 'be fantastic': 114805, 'fantastic for': 298586, 'supermarket turnover': 823594, 'turnover panicbuying': 936013, 'buying will continue': 151367, 'will continue for': 993013, 'continue for week': 201041, 'week it will': 976441, 'will be fantastic': 992455, 'be fantastic for': 114806, 'fantastic for supermarket': 298587, 'for supermarket turnover': 326033, 'supermarket turnover panicbuying': 823595, 'germany have': 346306, 'situation in germany': 772317, 'in germany have': 423280, 'germany have to': 346308, 'supermarket it crazy': 821165, 'supply according': 824656, 'piling or': 656618, 'be threatening': 117708, 'threatening the': 893825, 'have enough global': 380450, 'enough global supply': 277452, 'global supply according': 352230, 'supply according to': 824657, 'the and must': 848710, 'and must commit': 67342, 'to not stock': 910710, 'stock piling or': 802670, 'piling or banning': 656619, 'll be threatening': 496638, 'be threatening the': 117709, 'threatening the of': 893827, 'the of the': 862057, 'bjdavisorg': 131997, 'reason toiletpaper': 703042, 'toiletpapershortage socialdistancing': 923327, 'socialdistancing cov': 780299, 'd19 virus': 224192, 'virus quarantine': 958659, 'quarantine bjdavisorg': 692053, 'happen for reason': 377081, 'for reason toiletpaper': 325006, 'reason toiletpaper toiletpapercrisis': 703043, 'toiletpaper toiletpapercrisis toiletpapershortage': 922672, 'toiletpapercrisis toiletpapershortage socialdistancing': 923120, 'toiletpapershortage socialdistancing cov': 923328, 'socialdistancing cov d19': 780300, 'cov d19 virus': 212121, 'd19 virus quarantine': 224193, 'virus quarantine bjdavisorg': 958660, 'getting gouged': 349004, 'gouged from': 359197, 'suddenly 20': 817064, '100 higher': 1916, 'higher state': 395738, 'like individual': 490506, 'individual aren': 435141, 'aren exempt': 92405, 'exempt to': 289989, 'crisis exploitation': 217364, 'getting gouged from': 349005, 'gouged from every': 359198, 'from every store': 335327, 'every store on': 286222, 'store on almost': 809184, 'on almost every': 599260, 'almost every product': 46623, 'every product price': 286126, 'product price are': 681539, 'price are suddenly': 672746, 'are suddenly 20': 90622, 'suddenly 20 to': 817065, '20 to 100': 13390, 'to 100 higher': 899438, '100 higher state': 1917, 'higher state like': 395739, 'state like individual': 795738, 'like individual aren': 490507, 'individual aren exempt': 435142, 'aren exempt to': 92406, 'exempt to crisis': 289990, 'to crisis exploitation': 903744, 'lv': 507012, 'lovelifeandjoy189': 504942, 'gelantibacterial': 345170, 'gelantibacterien': 345173, 'bernardarnault': 127370, 'fakelvhandsanitzer': 296752, 'rtfkt': 726861, 'repost lv': 712824, 'lv hand': 507013, 'sanitizer fake': 734851, 'that lovelifeandjoy189': 844959, 'lovelifeandjoy189 quarantine': 504943, 'quarantine confinement': 692092, 'confinement corona': 194064, 'handsanitizer lvmh': 376574, 'lvmh gelantibacterial': 507020, 'gelantibacterial gelantibacterien': 345171, 'gelantibacterien bernardarnault': 345174, 'bernardarnault washhands': 127371, 'washhands fakelvhandsanitzer': 967637, 'fakelvhandsanitzer rtfkt': 296753, 'repost lv hand': 712825, 'lv hand sanitizer': 507014, 'hand sanitizer fake': 375395, 'sanitizer fake one': 734852, 'fake one but': 296680, 'one but it': 606025, 'but it cool': 146113, 'see that lovelifeandjoy189': 745791, 'that lovelifeandjoy189 quarantine': 844960, 'lovelifeandjoy189 quarantine confinement': 504944, 'quarantine confinement corona': 692093, 'confinement corona handsanitizer': 194065, 'corona handsanitizer lvmh': 203979, 'handsanitizer lvmh gelantibacterial': 376575, 'lvmh gelantibacterial gelantibacterien': 507021, 'gelantibacterial gelantibacterien bernardarnault': 345172, 'gelantibacterien bernardarnault washhands': 345175, 'bernardarnault washhands fakelvhandsanitzer': 127372, 'washhands fakelvhandsanitzer rtfkt': 967638, 'steepened': 799405, 'street fell': 812964, 'tuesday drop': 935143, 'price steepened': 676645, 'steepened in': 799406, 'latter stage': 481687, 'and erased': 62229, 'erased early': 280112, 'early gain': 264610, 'gain built': 342762, 'on tentative': 603904, 'tentative sign': 838021, 'that outbreak': 845609, 'biggest hot': 130257, 'spot may': 790078, 'be leveling': 115713, 'wall street fell': 965182, 'street fell on': 812965, 'fell on tuesday': 303220, 'on tuesday drop': 604882, 'tuesday drop in': 935144, 'oil price steepened': 597274, 'price steepened in': 676646, 'steepened in the': 799407, 'in the latter': 429310, 'the latter stage': 859167, 'latter stage of': 481688, 'of the session': 591453, 'the session and': 866743, 'session and erased': 753268, 'and erased early': 62230, 'erased early gain': 280113, 'early gain built': 264611, 'gain built on': 342763, 'built on tentative': 142194, 'on tentative sign': 603905, 'tentative sign that': 838022, 'sign that outbreak': 769223, 'that outbreak in': 845610, 'outbreak in some': 628350, 'the biggest hot': 849657, 'biggest hot spot': 130258, 'hot spot may': 405052, 'spot may be': 790079, 'may be leveling': 521000, 'hey have': 394409, 'lately what': 480991, 'think 1200': 885061, '1200 will': 3030, 'hey have you': 394410, 'you seen price': 1021096, 'seen price lately': 747199, 'price lately what': 675023, 'lately what do': 480992, 'you think 1200': 1021640, 'think 1200 will': 885062, '1200 will buy': 3031, 'amazing selective': 50776, 'selective virus': 747535, 'it everywhere': 457888, 'everywhere except': 288202, 'supermarket thing': 823299, 'say mm': 738946, 'mm coronacrisis': 534760, 'is really an': 451288, 'really an amazing': 701966, 'an amazing selective': 55270, 'amazing selective virus': 50777, 'selective virus you': 747536, 'virus you can': 959078, 'get it everywhere': 347406, 'it everywhere except': 457889, 'everywhere except the': 288204, 'the supermarket thing': 868852, 'supermarket thing that': 823300, 'thing that make': 884817, 'that make you': 845006, 'you say mm': 1021001, 'say mm coronacrisis': 738947, 'morning is': 541316, 'at 89': 97775, '89 41': 23095, '41 falling': 18857, 'down 24': 256395, '24 43': 15543, '43 since': 18981, 'this morning is': 888974, 'morning is at': 541317, 'is at 89': 445851, 'at 89 41': 97776, '89 41 falling': 23096, '41 falling from': 18858, 'day before it': 227369, 'is now down': 450281, 'now down 24': 574561, 'down 24 43': 256396, '24 43 since': 15544, '43 since january': 18982, 'carers front': 164585, 'line hospital': 493179, 'staff community': 792334, 'community volunteer': 190200, 'volunteer all': 960205, 'other amazing': 619815, 'amazing people': 50753, 'above beyond': 27052, 'time stayhome': 897758, 'stayhomesavelives nhsstaff': 798420, 'nhsstaff clapforthenhs': 562249, 'all our carers': 43798, 'our carers front': 622322, 'carers front line': 164586, 'front line hospital': 338583, 'line hospital worker': 493180, 'hospital worker delivery': 404732, 'supermarket staff community': 822828, 'staff community volunteer': 792335, 'community volunteer all': 190201, 'volunteer all the': 960206, 'the other amazing': 862508, 'other amazing people': 619816, 'amazing people that': 50756, 'are going above': 86875, 'going above beyond': 354992, 'above beyond during': 27053, 'surreal time stayhome': 828677, 'time stayhome stayhomesavelives': 897759, 'stayhome stayhomesavelives nhsstaff': 798155, 'stayhomesavelives nhsstaff clapforthenhs': 798421, 'nhsstaff clapforthenhs clapforourcarers': 562250, 'customerintelligence': 223148, 'grassphealth': 362227, 'nielsen survey': 562656, 'survey identified': 828883, 'drive increased': 259074, 'increased sale': 433459, 'product home': 681262, 'outbreak medicalcannabis': 628449, 'medicalcannabis delivery': 526519, 'delivery customerintelligence': 233845, 'customerintelligence cpg': 223149, 'retail grassphealth': 718150, 'nielsen survey identified': 562657, 'survey identified the': 828884, 'identified the key': 413349, 'the key consumer': 858753, 'behavior that drive': 124225, 'that drive increased': 843626, 'drive increased sale': 259075, 'increased sale of': 433460, 'sale of healthcare': 732395, 'healthcare and health': 387031, 'and health product': 64363, 'health product home': 386761, 'product home safety': 681264, 'home safety product': 402000, 'safety product during': 730700, '19 outbreak medicalcannabis': 9156, 'outbreak medicalcannabis delivery': 628450, 'medicalcannabis delivery customerintelligence': 526520, 'delivery customerintelligence cpg': 233846, 'customerintelligence cpg retail': 223150, 'cpg retail grassphealth': 214610, 'psvs': 687493, 'consider subsidising': 195113, 'subsidising fuel': 815985, 'fuel especially': 340167, 'especially to': 280641, 'to psvs': 912462, 'psvs we': 687494, 'expect matatus': 290676, 'matatus to': 520275, 'maintain low': 508987, 'carrying le': 165191, 'le passenger': 483064, 'passenger at': 643322, 'cost kenya': 207990, 'government should consider': 360600, 'should consider subsidising': 765865, 'consider subsidising fuel': 195114, 'subsidising fuel especially': 815986, 'fuel especially to': 340168, 'especially to psvs': 280642, 'to psvs we': 912463, 'psvs we cannot': 687495, 'we cannot expect': 971057, 'cannot expect matatus': 161813, 'expect matatus to': 290677, 'matatus to maintain': 520276, 'to maintain low': 909580, 'maintain low price': 508988, 'low price while': 505550, 'price while carrying': 677519, 'while carrying le': 986676, 'carrying le passenger': 165192, 'le passenger at': 483065, 'passenger at the': 643323, 'same high cost': 733102, 'high cost kenya': 394974, 'me grateful': 522835, 'lot ve': 504403, 'in don': 422351, 'anywhere apart': 81089, 'from exercise': 335343, 'making me grateful': 511198, 'me grateful for': 522836, 'grateful for lot': 362267, 'for lot ve': 323118, 'lot ve been': 504404, 'been in self': 121362, 'isolation for almost': 455270, 'almost week in': 46765, 'week in don': 976368, 'in don go': 422352, 'don go anywhere': 253562, 'go anywhere apart': 353298, 'anywhere apart from': 81090, 'apart from exercise': 81262, 'from exercise and': 335344, 'exercise and am': 290026, 'and am so': 58031, 'am so excited': 50405, 'so excited to': 776992, 'like people': 490981, 'protect fro': 684837, 'fro bacteria': 334133, 'bacteria so': 107696, 'use body': 949077, 'body spray': 133889, 'spray every': 790290, 'body it': 133863, 'also contain': 48062, 'contain 40': 200459, 'of alchohol': 579887, 'alchohol oxford': 40880, 'like people using': 490982, 'people using sanitizer': 650079, 'to protect fro': 912307, 'protect fro bacteria': 684838, 'fro bacteria so': 334134, 'bacteria so can': 107697, 'so can we': 776732, 'we use body': 973610, 'use body spray': 949078, 'body spray every': 133890, 'spray every day': 790291, 'day for our': 227627, 'our body it': 622239, 'body it also': 133864, 'it also contain': 456424, 'also contain 40': 48063, 'contain 40 50': 200460, '40 50 percent': 18518, 'percent of alchohol': 651154, 'of alchohol oxford': 579888, 'sun that': 818082, 'good reminder': 357645, 'reminder keep': 710570, 'isolation have': 455290, 'not interacted': 570155, 'sun that wa': 818083, 'that wa good': 847285, 'wa good reminder': 962239, 'good reminder keep': 357647, 'reminder keep telling': 710571, 'keep telling people': 472015, 'telling people that': 837251, 'people that one': 649774, 'way to mitigate': 970055, '19 based on': 5310, 'on in is': 601529, 'in is to': 424174, 'is to practice': 453232, 'distancing self isolation': 247465, 'self isolation have': 747774, 'isolation have not': 455291, 'have not interacted': 381686, 'not interacted with': 570156, 'interacted with people': 441217, 'with people in': 1000155, 'people in nearly': 648400, 'notwithoutmask': 573654, 'maskeauf': 519612, 'supermarket action': 818770, 'action should': 30130, 'bank like': 109978, 'saturday 19': 736990, '19 notwithoutmask': 8845, 'notwithoutmask maskeauf': 573655, 'ready for some': 700873, 'for some supermarket': 325768, 'some supermarket action': 784002, 'supermarket action should': 818771, 'action should go': 30131, 'go to bank': 354278, 'to bank like': 901033, 'bank like this': 109980, 'like this saturday': 491522, 'this saturday 19': 889959, 'saturday 19 notwithoutmask': 736991, '19 notwithoutmask maskeauf': 8846, 'finland install': 307964, 'install plexiglas': 440000, 'plexiglas anti': 661028, 'anti droplet': 78300, 'droplet shield': 260479, 'shield for': 758151, 'finland install plexiglas': 307965, 'install plexiglas anti': 440001, 'plexiglas anti droplet': 661029, 'anti droplet shield': 78301, 'droplet shield for': 260480, 'shield for grocery': 758153, 'multiple wave': 545809, 'china style': 176958, 'style suppression': 815631, 'suppression lockdown': 827426, 'be accompanied': 113466, 'by supply': 154171, 'consumer level': 198034, 'level according': 487486, 'response assumption': 715622, 'assumption obtained': 97067, 'obtained by': 578746, 'multiple wave of': 545810, 'wave of china': 969367, 'of china style': 581368, 'china style suppression': 176959, 'style suppression lockdown': 815632, 'suppression lockdown will': 827427, 'lockdown will also': 500146, 'also be accompanied': 47912, 'be accompanied by': 113467, 'accompanied by supply': 28482, 'by supply shortage': 154173, 'at the government': 100963, 'the government private': 856585, 'and consumer level': 60400, 'consumer level according': 198035, 'level according to': 487487, 'to government response': 906939, 'government response assumption': 360538, 'response assumption obtained': 715623, 'assumption obtained by': 97068, 'obtained by the': 578747, 'by the ny': 154393, 'the ny time': 861999, 'awash': 105753, 'pandemic caused': 635109, 'caused ha': 167894, 'market awash': 516069, 'awash in': 105754, 'crude during': 219524, 'month price': 537964, 'plummeted the': 661352, '19 pandemic caused': 9287, 'pandemic caused ha': 635111, 'caused ha cut': 167895, 'ha cut demand': 370304, 'cut demand and': 223302, 'russia ha left': 728489, 'ha left the': 371133, 'left the market': 485669, 'the market awash': 860090, 'market awash in': 516070, 'awash in crude': 105755, 'in crude during': 421925, 'crude during the': 219525, 'the month price': 860852, 'month price have': 537965, 'have plummeted the': 381979, 'plummeted the market': 661353, 'surreal today': 828680, 'bread one': 138550, 'of vitamin': 592849, 'vitamin wow': 959817, 'taking vitamin': 833659, 'vitamin now': 959794, 'now none': 575363, 'none had': 566565, 'had tissue': 373654, 'sanitizer shelf': 735726, 'empty felt': 274872, 'the set': 866745, 'it wa surreal': 462205, 'wa surreal today': 963375, 'surreal today when': 828681, 'when went from': 984486, 'went from store': 979020, 'store in search': 808385, 'search of milk': 743269, 'of milk egg': 586508, 'egg bread one': 269802, 'bread one store': 138551, 'one store wa': 607125, 'out of vitamin': 626872, 'of vitamin wow': 592851, 'vitamin wow people': 959818, 'wow people taking': 1012579, 'people taking vitamin': 649726, 'taking vitamin now': 833660, 'vitamin now none': 959795, 'now none had': 575364, 'none had tissue': 566566, 'had tissue or': 373655, 'tissue or hand': 899186, 'hand sanitizer shelf': 375585, 'sanitizer shelf were': 735727, 'were empty felt': 979568, 'empty felt like': 274873, 'like wa on': 491747, 'on the set': 604352, 'the set of': 866746, 'set of the': 753446, 'of the walking': 591598, 'store amidst': 806168, 'amidst lockdown': 52805, 'grocery store amidst': 365192, 'store amidst lockdown': 806169, 'to lone': 909421, 'come to lone': 187580, 'to lone bad': 909422, 'huel': 409930, 'inexpensive': 436452, 'nutritionally': 577750, 'my huel': 548764, 'huel referral': 409931, 'referral link': 706516, 'link 10': 493774, 'discount for': 244470, 'like source': 491225, 'of inexpensive': 585151, 'inexpensive convenient': 436453, 'convenient nutritionally': 202406, 'nutritionally complete': 577751, 'complete food': 192090, 'empty quarantine': 275015, 'quarantine selfisolation': 692511, 'selfisolation stockpilinguk': 748495, 'here my huel': 393363, 'my huel referral': 548765, 'huel referral link': 409932, 'referral link 10': 706517, 'link 10 discount': 493775, '10 discount for': 1398, 'discount for anyone': 244471, 'anyone who like': 80624, 'who like source': 989210, 'like source of': 491226, 'source of inexpensive': 786526, 'of inexpensive convenient': 585152, 'inexpensive convenient nutritionally': 436454, 'convenient nutritionally complete': 202407, 'nutritionally complete food': 577752, 'complete food while': 192091, 'food while supermarket': 317599, 'are empty quarantine': 86165, 'empty quarantine selfisolation': 275016, 'quarantine selfisolation stockpilinguk': 692513, 'manipuri': 513238, 'manipur': 513233, 'manipuri student': 513239, 'philippine covid': 654730, 'called upon': 156480, 'upon manipur': 947639, 'manipur cm': 513234, 'cm for': 184616, 'have piled': 381933, 'piled up': 656551, 'long period': 501556, 'be scarcity': 117017, 'manipuri student stranded': 513240, 'stranded in philippine': 812359, 'in philippine covid': 426687, 'philippine covid 19': 654731, '19 lockdown and': 8369, 'lockdown and ha': 499143, 'and ha called': 64065, 'ha called upon': 370047, 'called upon manipur': 156481, 'upon manipur cm': 947640, 'manipur cm for': 513235, 'cm for help': 184617, 'for help they': 322188, 'help they have': 390730, 'they have piled': 882360, 'have piled up': 381934, 'piled up some': 656554, 'up some stock': 946038, 'some stock but': 783947, 'stock but if': 801944, 'the lockdown continues': 859591, 'lockdown continues for': 499262, 'continues for long': 201397, 'for long period': 323083, 'long period of': 501557, 'of time then': 592188, 'time then there': 897888, 'will be scarcity': 992665, 'be scarcity of': 117018, 'now presenting': 575584, 'presenting policymakers': 670674, 'policymakers an': 663555, 'consider new': 195042, 'new approach': 558351, 'to ubi': 917874, 'ubi one': 937849, 'off cash': 593724, 'demand writes': 236525, 'epidemic is now': 279398, 'is now presenting': 450313, 'now presenting policymakers': 575585, 'presenting policymakers an': 670675, 'policymakers an opportunity': 663556, 'opportunity to consider': 613700, 'to consider new': 903228, 'consider new approach': 195043, 'new approach to': 558352, 'approach to ubi': 82994, 'to ubi one': 917875, 'ubi one off': 937850, 'one off cash': 606777, 'off cash transfer': 593725, 'transfer to stimulate': 929535, 'stimulate consumer demand': 801477, 'consumer demand writes': 197178, 'store wfh': 811225, 'wfh quarentinelife': 980855, 'grocery store wfh': 365944, 'store wfh quarentinelife': 811226, 'news don': 560369, 'toiletpaper cartoon': 921852, 'cartoon bulkbuy': 165499, 'bulkbuy 2020': 142380, '2020 drawing': 14280, 'drawing comedy': 258506, 'comedy satire': 187780, 'satire breakingnews': 736937, 'breakingnews panicbuyinguk': 139103, 'breaking news don': 138999, 'news don bulk': 560370, 'bulk buy toilet': 142260, 'paper toiletpaper cartoon': 640945, 'toiletpaper cartoon bulkbuy': 921853, 'cartoon bulkbuy 2020': 165500, 'bulkbuy 2020 drawing': 142381, '2020 drawing comedy': 14281, 'drawing comedy satire': 258507, 'comedy satire breakingnews': 187781, 'satire breakingnews panicbuyinguk': 736938, 'rubensteins': 727008, 'rubensteins shuts': 727011, 'shuts canal': 768178, 'canal street': 160792, 'street clothing': 812937, 'clothing store': 184291, 'keep paying': 471780, 'paying staff': 645486, 'via nola': 956114, 'nola rubensteins': 566245, 'rubensteins retail': 727009, 'retail clothing': 717966, 'rubensteins shuts canal': 727012, 'shuts canal street': 768179, 'canal street clothing': 160793, 'street clothing store': 812938, 'clothing store will': 184293, 'store will keep': 811332, 'will keep paying': 993896, 'keep paying staff': 471782, 'paying staff for': 645487, 'staff for now': 792464, 'for now amid': 323961, 'now amid coronavirus': 574008, 'coronavirus via nola': 207016, 'via nola rubensteins': 956115, 'nola rubensteins retail': 566246, 'rubensteins retail clothing': 727010, 'when men': 983730, 'say it nice': 738849, 'nice when men': 562523, 'when men stay': 983731, 'socialinclusion': 780934, 'witness how': 1003117, 'work space': 1005757, 'space shopping': 787161, 'pattern education': 644463, 'education are': 268809, 'are transferring': 91181, 'transferring online': 929554, 'is defining': 447079, 'defining new': 232294, 'working education': 1008606, 'education model': 268837, 'model however': 535261, 'this digital': 887231, 'transformation ha': 929568, 'the disadvantaged': 853338, 'disadvantaged behind': 244005, 'behind socialinclusion': 124696, 'socialinclusion leavenoonebehind': 780935, 'it is incredible': 458986, 'is incredible to': 448879, 'incredible to witness': 433883, 'to witness how': 918659, 'witness how the': 1003118, 'how the work': 408893, 'the work space': 871738, 'work space shopping': 1005758, 'space shopping pattern': 787162, 'shopping pattern education': 763603, 'pattern education are': 644464, 'education are transferring': 268810, 'are transferring online': 91182, 'transferring online covid': 929555, '19 is defining': 7957, 'is defining new': 447080, 'defining new working': 232295, 'new working education': 559896, 'working education model': 1008607, 'education model however': 268838, 'model however this': 535262, 'however this digital': 409503, 'this digital transformation': 887232, 'digital transformation ha': 242672, 'transformation ha the': 929569, 'potential to leave': 667154, 'leave the disadvantaged': 484964, 'the disadvantaged behind': 853340, 'disadvantaged behind socialinclusion': 244006, 'behind socialinclusion leavenoonebehind': 124697, 'an awesome': 55508, 'awesome idea': 106172, 'that such an': 846545, 'such an awesome': 816322, 'an awesome idea': 55510, 'awesome idea through': 106173, 'like you the': 491881, 'you the essential': 1021596, 'sanitation worker healthcare': 733877, 'worker healthcare professional': 1007110, 'healthcare professional that': 387242, 'professional that are': 682505, 'hey uber': 394529, 'uber next': 937824, 'crazy rain': 215399, 'and flood': 62974, 'price 5x': 672170, '5x and': 20844, 'and 10x': 57355, '10x you': 2417, 'will think': 995186, 'to tank': 916292, 'tank your': 834237, 'price coz': 673307, 'coz everyone': 214531, 'home karma': 401487, 'hey uber next': 394530, 'uber next time': 937825, 'next time there': 561608, 'time there are': 897892, 'there are crazy': 878086, 'are crazy rain': 85611, 'crazy rain and': 215400, 'rain and flood': 695733, 'and flood and': 62975, 'flood and you': 310704, 'opportunity to increase': 613709, 'increase price 5x': 432995, 'price 5x and': 672171, '5x and 10x': 20845, 'and 10x you': 57356, '10x you will': 2418, 'you will think': 1022359, 'will think about': 995187, 'this situation when': 890196, 'you are forced': 1017127, 'forced to tank': 328662, 'to tank your': 916293, 'tank your price': 834238, 'your price coz': 1025397, 'price coz everyone': 673308, 'coz everyone is': 214532, 'at home karma': 99023, 'zeedigital': 1027338, 'google official': 358176, 'official website': 595969, 'website about': 975176, 'about launched': 25628, 'launched please': 482027, 'please consumer': 659825, 'consumer correct': 196984, 'correct information': 207515, 'source avoid': 786453, 'avoid fake': 105100, 'fake rumour': 296701, 'rumour zeedigital': 727538, 'google official website': 358177, 'official website about': 595970, 'website about launched': 975177, 'about launched please': 25629, 'launched please consumer': 482028, 'please consumer correct': 659826, 'consumer correct information': 196985, 'correct information from': 207516, 'information from trusted': 437848, 'trusted source avoid': 934347, 'source avoid fake': 786454, 'avoid fake rumour': 105101, 'fake rumour zeedigital': 296702, 'more temporary': 540533, 'employee now': 274058, 'the unemployed': 870372, 'unemployed up': 941146, 'to 2500': 899642, '2500 which': 16038, 'which apparently': 985663, 'apparently is': 81950, 'only 80': 610018, 'wage supermarket': 963959, 'cannot relate': 162053, 'relate again': 708361, 'more beneficial': 538721, 'beneficial not': 126883, 'work crazy': 1005019, 'this morning supermarket': 889023, 'morning supermarket are': 541474, 'supermarket are looking': 819167, 'looking for more': 502882, 'for more temporary': 323599, 'more temporary employee': 540534, 'temporary employee now': 837611, 'employee now the': 274059, 'now the government': 576043, 'ha said it': 371792, 'will pay the': 994396, 'pay the unemployed': 645155, 'the unemployed up': 870374, 'unemployed up to': 941147, 'up to 2500': 946330, 'to 2500 which': 899643, '2500 which apparently': 16039, 'which apparently is': 985664, 'apparently is only': 81951, 'is only 80': 450532, 'only 80 of': 610019, '80 of people': 22608, 'of people wage': 588016, 'people wage supermarket': 650103, 'wage supermarket employee': 963960, 'supermarket employee cannot': 820112, 'employee cannot relate': 273712, 'cannot relate again': 162054, 'relate again it': 708362, 'again it more': 37046, 'it more beneficial': 459665, 'more beneficial not': 538722, 'beneficial not to': 126884, 'to work crazy': 918704, 'now started': 575885, 'started deleting': 794724, 'deleting facebook': 232856, 'their ignorance': 873620, 'ignorance over': 415761, '19 buying': 5549, 'one freezer': 606323, 'freezer per': 332626, 'per store': 651027, 'open doe': 612187, 'put safety': 690800, 'so have now': 777260, 'have now started': 381739, 'now started deleting': 575886, 'started deleting facebook': 794725, 'deleting facebook post': 232857, 'facebook post to': 294991, 'post to cover': 666369, 'cover up their': 212314, 'up their ignorance': 946241, 'their ignorance over': 873621, 'ignorance over covid': 415762, 'covid 19 buying': 212746, '19 buying in': 5550, 'buying in one': 150533, 'in one freezer': 426144, 'one freezer per': 606324, 'freezer per store': 332627, 'per store to': 651028, 'keep store open': 471977, 'store open doe': 809257, 'open doe not': 612188, 'make you essential': 510733, 'you essential you': 1018441, 'are not supermarket': 88478, 'not supermarket put': 571810, 'supermarket put safety': 822099, 'put safety first': 690801, 'safety first not': 730534, 'first not profit': 308805, 'sunrice': 818408, 'sunrice prepares': 818411, 'for tiny': 327199, 'tiny harvest': 898668, 'harvest stock': 378634, 'stock fly': 802118, 'sunrice prepares for': 818412, 'prepares for tiny': 670313, 'for tiny harvest': 327200, 'tiny harvest stock': 898669, 'harvest stock fly': 378635, 'stock fly off': 802119, 'fly off supermarket': 311625, 'supermarket shelf via': 822557, '7am it': 22422, 'by 7am it': 151708, '7am it been': 22423, 'it been like': 456797, 'like this every': 491486, 'this every morning': 887463, 'every morning for': 286026, 'morning for week': 541263, 'city not': 179273, 'not detroit': 569010, 'detroit here': 239502, 'michigan enforcing': 530331, 'distance code': 246683, 'store adjacent': 806078, 'adjacent majority': 32269, 'white city': 987834, 'city no': 179271, 'enforcement guess': 276767, 'guess according': 367964, 'the surgeon': 869005, 'surgeon gen': 828320, 'gen black': 345211, 'black folk': 132055, 'nothing right': 573149, 'right like': 721979, 'like white': 491810, 'white ppl': 987894, 'ppl don': 668215, 'drink amp': 258795, 'amp smoke': 54518, 'cop in my': 203272, 'in my city': 425551, 'my city not': 547693, 'city not detroit': 179274, 'not detroit here': 569011, 'detroit here in': 239503, 'here in michigan': 393162, 'in michigan enforcing': 425287, 'michigan enforcing social': 530332, 'enforcing social distance': 276832, 'social distance code': 779502, 'distance code at': 246684, 'code at grocery': 185337, 'grocery store adjacent': 365178, 'store adjacent majority': 806079, 'adjacent majority white': 32270, 'majority white city': 509589, 'white city no': 987835, 'city no enforcement': 179272, 'no enforcement guess': 564121, 'enforcement guess according': 276768, 'guess according to': 367965, 'to the surgeon': 917111, 'the surgeon gen': 869006, 'surgeon gen black': 828321, 'gen black folk': 345212, 'black folk can': 132056, 'folk can do': 312120, 'can do nothing': 158110, 'do nothing right': 249903, 'nothing right like': 573150, 'right like white': 721980, 'like white ppl': 491811, 'white ppl don': 987895, 'ppl don drink': 668216, 'don drink amp': 253476, 'drink amp smoke': 258796, 'fit in': 309479, 'in tweet': 430343, 'tweet lol': 936380, 'lol alberta': 500864, 'cent unemployment': 169131, 'kenney said': 472801, 'it fit in': 458034, 'fit in tweet': 309481, 'in tweet lol': 430345, 'tweet lol alberta': 936381, 'lol alberta is': 500865, 'staggering 25 per': 793252, 'per cent unemployment': 650760, 'cent unemployment rate': 169132, 'price premier jason': 675980, 'jason kenney said': 464850, 'kenney said tuesday': 472802, 'some proof': 783659, 'proof reading': 684007, 'reading editing': 700759, 'editing people': 268598, 'said food': 731073, 'food court': 314044, 'court in': 211992, 'centre not': 169519, 'centre the': 169546, 'are very worried': 91484, 'very worried do': 955672, 'worried do some': 1010557, 'do some proof': 250130, 'some proof reading': 783660, 'proof reading editing': 684008, 'reading editing people': 700760, 'editing people so': 268599, 'people so not': 649493, 'not to fuel': 572153, 'to fuel more': 906292, 'buying the pm': 151172, 'pm said food': 661969, 'said food court': 731074, 'food court in': 314045, 'court in shopping': 211995, 'in shopping centre': 427908, 'shopping centre not': 762353, 'centre not and': 169520, 'not and shopping': 568206, 'and shopping centre': 71539, 'shopping centre the': 762357, 'centre the shopping': 169547, 'the shopping centre': 867059, 'shopping centre are': 762349, 'centre are open': 169486, 'been lucky': 121502, 'observe hurricane': 578583, 'and plague': 69057, 'wealth doesn': 974158, 'doesn safeguard': 251932, 'safeguard from': 730194, 'we treat': 973568, 'powerful now': 667791, 'telling about': 837176, 'ha been lucky': 369850, 'been lucky to': 121503, 'lucky to observe': 506583, 'to observe hurricane': 910793, 'observe hurricane flood': 578584, 'flood and plague': 310703, 'and plague of': 69058, 'plague of the': 657975, 'past decade from': 643526, 'or wealth doesn': 617747, 'wealth doesn safeguard': 974159, 'doesn safeguard from': 251933, 'safeguard from the': 730195, 'from the how': 337750, 'the how we': 857673, 'how we treat': 409196, 'we treat our': 973569, 'least powerful now': 484605, 'powerful now will': 667792, 'will be telling': 992715, 'be telling about': 117535, 'telling about what': 837177, 'read it on': 700387, 'hostile': 404940, 'exported 19': 292735, 'it seek': 460931, 'it planning': 460338, 'throwaway so': 895069, 'is amending': 445616, 'amending to': 51404, 'stop hostile': 804760, 'exported 19 now': 292736, '19 now it': 8854, 'now it seek': 575128, 'it seek to': 460932, 'seek to from': 746610, 'to from it': 906265, 'from it it': 336122, 'it it planning': 459180, 'it planning to': 460339, 'buy at throwaway': 148389, 'at throwaway so': 101274, 'throwaway so is': 895070, 'so is amending': 777436, 'is amending to': 445617, 'amending to stop': 51405, 'to stop hostile': 915538, 'lalli': 479134, 'ka lalli': 470566, 'lalli time': 479135, 'the show': 867111, 'to intro': 908466, 'intro spec': 443375, 'spec the': 787833, 'is deteriorating': 447147, 'deteriorating because': 239409, 'ka lalli time': 470567, 'lalli time for': 479136, 'for the show': 326684, 'the show to': 867114, 'show to intro': 767242, 'to intro spec': 908467, 'intro spec the': 443376, 'spec the condition': 787834, 'the condition in': 851432, 'condition in india': 193469, 'india is deteriorating': 434485, 'is deteriorating because': 447148, 'deteriorating because the': 239410, 'because the plea': 119640, 'businessman': 144758, 'week turner': 977129, 'turner thanked': 935900, 'thanked local': 841879, 'local businessman': 497786, 'businessman for': 144761, 'this week turner': 891286, 'week turner thanked': 977130, 'turner thanked local': 935901, 'thanked local businessman': 841880, 'local businessman for': 497787, 'businessman for donating': 144762, 'for donating to': 320822, 'city of read': 179291, 'of read more': 588773, 'keells': 471258, 'kurana': 477950, 'katunayake': 471095, 'sword': 830632, 'keells supermarket': 471259, 'in kurana': 424545, 'kurana katunayake': 477951, 'katunayake wa': 471096, 'wa robbed': 963112, 'robbed by': 724643, 'man last': 512131, 'night armed': 562956, 'with sword': 1001104, 'sword the': 830633, 'had broken': 372939, 'broken large': 140903, 'large glass': 479675, 'glass panel': 351631, 'panel entered': 637176, 'entered into': 278360, 'had stolen': 373561, 'stolen item': 804292, 'left lka': 485540, 'keells supermarket in': 471260, 'supermarket in kurana': 820917, 'in kurana katunayake': 424546, 'kurana katunayake wa': 477952, 'katunayake wa robbed': 471097, 'wa robbed by': 963113, 'robbed by man': 724644, 'by man last': 153150, 'man last night': 512132, 'last night armed': 480367, 'night armed with': 562957, 'armed with sword': 92958, 'with sword the': 1001105, 'sword the man': 830634, 'man had broken': 512083, 'had broken large': 372940, 'broken large glass': 140904, 'large glass panel': 479676, 'glass panel entered': 351632, 'panel entered into': 637177, 'entered into the': 278361, 'supermarket where he': 823820, 'where he had': 984916, 'he had stolen': 385058, 'had stolen item': 373562, 'stolen item and': 804293, 'item and left': 463058, 'and left lka': 66081, 'left lka srilanka': 485541, 'morning 7am': 541132, 'people everywhere': 647834, 'is rampant': 451224, 'rampant usual': 696469, 'usual meat': 950971, 'shop cost': 760078, 'double could': 255990, 'least can': 484419, 'this morning 7am': 888933, 'morning 7am and': 541133, '7am and people': 22410, 'and people everywhere': 68864, 'people everywhere price': 647835, 'everywhere price gouging': 288250, 'gouging is rampant': 359365, 'is rampant usual': 451226, 'rampant usual meat': 696470, 'usual meat shop': 950972, 'meat shop cost': 525741, 'shop cost me': 760079, 'cost me more': 208016, 'me more than': 523172, 'than double could': 840517, 'double could be': 255991, 'could be worse': 208942, 'be worse at': 118153, 'at least can': 99475, 'least can still': 484421, 'still afford to': 800170, 'the price feel': 864349, 'price feel for': 673839, 'crook spy': 218878, 'spy are': 791396, 'and licence': 66127, 'licence cancelled': 488103, 'cancelled if': 161127, 'are caught': 85198, 'caught overcharging': 167451, 'overcharging people': 631111, 'people report': 649275, 'in this 19': 429896, 'this 19 crisis': 886153, '19 crisis he': 6258, 'are crook spy': 85633, 'crook spy are': 218879, 'spy are coming': 791397, 'are coming you': 85446, 'coming you ll': 188302, 'll be arrested': 496571, 'arrested and licence': 93818, 'and licence cancelled': 66128, 'licence cancelled if': 488104, 'cancelled if you': 161128, 'you are caught': 1017083, 'are caught overcharging': 85199, 'caught overcharging people': 167452, 'overcharging people report': 631112, 'people report the': 649276, 'car soap': 163288, 'soap towel': 779136, 'towel pour': 927369, 'pour water': 667440, 'onto hand': 611662, 'to wet': 918499, 'wet them': 980751, 'them use': 876574, 'second pour': 743795, 'to rinse': 913538, 'rinse stand': 722578, 'stand outside': 793574, 'outside car': 629391, 'complete take': 192164, 'idea when there': 413239, 'no sanitizer to': 565417, 'be had keep': 115122, 'had keep water': 373224, 'keep water in': 472206, 'water in your': 969033, 'your car soap': 1023139, 'car soap towel': 163289, 'soap towel pour': 779137, 'towel pour water': 927370, 'pour water onto': 667441, 'water onto hand': 969090, 'onto hand to': 611663, 'hand to wet': 375879, 'to wet them': 918500, 'wet them use': 980752, 'them use soap': 876575, 'soap and wash': 778933, 'and wash for': 75202, 'wash for 20': 967463, '20 second pour': 13333, 'second pour water': 743796, 'hand to rinse': 375870, 'to rinse stand': 913539, 'rinse stand outside': 722579, 'stand outside car': 793575, 'outside car to': 629392, 'car to complete': 163320, 'to complete take': 903139, 'stopconfinement': 805315, 'macronout': 507503, 'stopconfinement the': 805316, 'also raise': 48742, 'raise gasoline': 695857, 'yellow vest': 1015274, 'vest protested': 955689, 'protested macronout': 685942, 'stopconfinement the collapse': 805317, 'economy will kill': 268358, 'kill many more': 474434, 'would also raise': 1011514, 'also raise gasoline': 48743, 'raise gasoline price': 695858, 'gasoline price much': 344265, 'than the yellow': 841281, 'the yellow vest': 872184, 'yellow vest protested': 1015275, 'vest protested macronout': 955690, 'mastubate': 520241, 'gasnursejen': 344205, 'medicalfetish': 526526, 'medicalmistress': 526552, 'medicalroleplay': 526558, 'sexynurse': 754237, 'kinkynurse': 475375, 'sleepyfet': 773831, 'medicalplay': 526555, 'nurseplay': 577562, 'anesthesiafetish': 76273, 'and mastubate': 66783, 'mastubate price': 520242, 'have quirky': 382144, 'quirky quarantine': 694777, 'quarantine gasnursejen': 692217, 'gasnursejen medicalfetish': 344206, 'medicalfetish medicalmistress': 526527, 'medicalmistress medicalroleplay': 526553, 'medicalroleplay sexynurse': 526559, 'sexynurse kinkynurse': 754238, 'kinkynurse sleepyfet': 475376, 'sleepyfet medicalplay': 773832, 'medicalplay nurseplay': 526556, 'nurseplay anesthesiafetish': 577563, 'home and mastubate': 400661, 'and mastubate price': 66784, 'mastubate price have': 520243, 'price have quirky': 674448, 'have quirky quarantine': 382145, 'quirky quarantine gasnursejen': 694778, 'quarantine gasnursejen medicalfetish': 692218, 'gasnursejen medicalfetish medicalmistress': 344207, 'medicalfetish medicalmistress medicalroleplay': 526528, 'medicalmistress medicalroleplay sexynurse': 526554, 'medicalroleplay sexynurse kinkynurse': 526560, 'sexynurse kinkynurse sleepyfet': 754239, 'kinkynurse sleepyfet medicalplay': 475377, 'sleepyfet medicalplay nurseplay': 773833, 'medicalplay nurseplay anesthesiafetish': 526557, 'atheist': 101744, 'spirituality': 789538, 'an atheist': 55465, 'atheist nothing': 101745, 'nothing matter': 573101, 'matter anyway': 520541, 'anyway christian': 80993, 'christian or': 178123, 'other deity': 620089, 'deity based': 232595, 'based religion': 111723, 'religion say': 709567, 'god hand': 354728, 'hand spirituality': 375789, 'spirituality teach': 789541, 'teach everything': 835390, 'perfect universal': 651365, 'universal order': 942367, 'order why': 618776, 'why again': 990720, 'again are': 36902, 'people freaking': 647975, 'are an atheist': 84532, 'an atheist nothing': 55466, 'atheist nothing matter': 101746, 'nothing matter anyway': 573102, 'matter anyway christian': 520542, 'anyway christian or': 80994, 'christian or other': 178124, 'or other deity': 616429, 'other deity based': 620090, 'deity based religion': 232596, 'based religion say': 111724, 'religion say it': 709568, 'is in god': 448774, 'in god hand': 423355, 'god hand spirituality': 354729, 'hand spirituality teach': 375790, 'spirituality teach everything': 789542, 'teach everything is': 835391, 'everything is in': 287877, 'is in perfect': 448799, 'in perfect universal': 426614, 'perfect universal order': 651366, 'universal order why': 942368, 'order why again': 618777, 'why again are': 990721, 'again are people': 36903, 'are people freaking': 89031, 'people freaking out': 647976, 'freaking out toiletpaper': 331552, 'out toiletpaper 19': 627712, 'hospo': 404852, 'the hospo': 857548, 'hospo retailer': 404853, 'retailer other': 719270, 'were affected': 979272, 'bullshit and': 142476, 'just didn': 468591, 'need oh': 555355, 'oh they': 596458, 'their pack': 874217, 'beer after': 122422, 'home mm': 401616, 'what if all': 981621, 'all the hospo': 44788, 'the hospo retailer': 857549, 'hospo retailer other': 404854, 'retailer other worker': 719271, 'other worker were': 621224, 'worker were affected': 1008162, 'were affected by': 979273, 'covid 19 bullshit': 212741, '19 bullshit and': 5473, 'bullshit and just': 142477, 'and just didn': 65700, 'just didn go': 468592, 'to work everyone': 918718, 'work everyone need': 1005115, 'everyone need oh': 287206, 'need oh they': 555356, 'oh they cannot': 596459, 'they cannot go': 881709, 'buy their pack': 149318, 'their pack of': 874218, 'paper they cannot': 640897, 'out for beer': 626100, 'for beer after': 319617, 'beer after long': 122423, 'long day of': 501390, 'of work from': 593250, 'from home mm': 335880, 'immediately require': 417140, 'require that': 713333, 'retail operation': 718354, 'operation grocery': 613194, 'through restaurant': 894643, 'out pharmacy': 627042, 'they int': 882468, 'to immediately require': 908143, 'immediately require that': 417141, 'require that all': 713334, 'that all cashier': 842540, 'all cashier with': 42319, 'cashier with any': 166669, 'with any retail': 997279, 'any retail operation': 79758, 'retail operation grocery': 718356, 'operation grocery store': 613195, 'fast food drive': 299959, 'food drive through': 314290, 'drive through restaurant': 259184, 'through restaurant take': 894644, 'take out pharmacy': 832456, 'out pharmacy etc': 627043, 'pharmacy etc wear': 654303, 'etc wear protective': 282867, 'protective mask they': 685785, 'mask they int': 519371, 'infinity': 436958, 'tested you': 839395, 're never': 699066, 'never alone': 557856, 'alone you': 46957, 'being watched': 126053, 'watched at': 968652, 'life extends': 488643, 'to infinity': 908368, 'infinity be': 436959, 'kind stop': 474978, 'hoarding help': 399356, 'are all being': 84289, 'all being tested': 42170, 'being tested you': 125916, 'tested you re': 839397, 'you re never': 1020682, 're never alone': 699067, 'never alone you': 557857, 'alone you are': 46958, 'you are always': 1017055, 'are always being': 84494, 'always being watched': 49495, 'being watched at': 126054, 'watched at some': 968653, 'will be asked': 992365, 'be asked to': 113705, 'asked to account': 95857, 'account for your': 28672, 'for your action': 328115, 'your action what': 1022742, 'action what we': 30195, 'we do in': 971334, 'do in this': 249434, 'in this life': 429970, 'this life extends': 888622, 'life extends to': 488644, 'extends to infinity': 293268, 'to infinity be': 908369, 'infinity be kind': 436960, 'be kind stop': 115626, 'kind stop hoarding': 474979, 'stop hoarding help': 804731, 'hoarding help others': 399357, 'help others stophoarding': 390216, '4bn': 19439, 'strongly suspect': 814243, 'isn actually': 454417, 'actually much': 30892, 'we imagine': 972056, 'imagine supermarket': 416783, 'uk took': 938837, 'took 193': 925194, '193 4bn': 12338, '4bn in': 19440, 'is 7bn': 445245, '7bn week': 22459, 'week 1bn': 975797, '1bn extra': 12593, 'extra ha': 293531, 'added over': 31592, 'week approx': 975952, 'approx 10': 83224, '10 rise': 1657, 'rise per': 722978, 'small give': 774969, 'give that': 350729, 'strongly suspect there': 814244, 'suspect there isn': 829500, 'there isn actually': 878660, 'isn actually much': 454418, 'actually much panic': 30893, 'buying or hoarding': 150837, 'or hoarding in': 615659, 'hoarding in the': 399383, 'way we imagine': 970172, 'we imagine supermarket': 972057, 'imagine supermarket in': 416784, 'the uk took': 870296, 'uk took 193': 938838, 'took 193 4bn': 925195, '193 4bn in': 12339, '4bn in revenue': 19441, 'in revenue in': 427490, 'revenue in 2019': 720439, '2019 which is': 14046, 'which is 7bn': 985976, 'is 7bn week': 445246, '7bn week 1bn': 22460, 'week 1bn extra': 975798, '1bn extra ha': 12594, 'extra ha been': 293532, 'ha been added': 369708, 'been added over': 120608, 'added over week': 31593, 'over week approx': 630909, 'week approx 10': 975953, 'approx 10 rise': 83225, '10 rise per': 1658, 'rise per week': 722979, 'week for week': 976241, 'week that small': 976979, 'that small give': 846344, 'small give that': 774970, '2021 to': 14795, 'celebrate turning': 168804, 'turning 90': 935903, '90 it': 23308, 'doing regarding': 252628, 'regarding online': 707236, 'delivery apparently': 233693, 'much soon': 545316, 'disappear in': 244042, 'instant why': 440120, 'yourself vulnerable': 1026740, 'before everyone': 122782, 'just hope he': 468981, 'hope he still': 403498, 'he still here': 385477, 'still here in': 800698, 'here in 2021': 393129, 'in 2021 to': 419873, '2021 to celebrate': 14796, 'to celebrate turning': 902557, 'celebrate turning 90': 168805, 'turning 90 it': 935904, '90 it nice': 23309, 'are doing regarding': 85922, 'doing regarding online': 252629, 'regarding online delivery': 707237, 'online delivery apparently': 608080, 'delivery apparently it': 233694, 'apparently it not': 81957, 'not much soon': 570612, 'much soon they': 545317, 'they are up': 881448, 'are up they': 91370, 'they will disappear': 883842, 'will disappear in': 993201, 'disappear in an': 244043, 'in an instant': 420317, 'an instant why': 56375, 'instant why do': 440121, 'not you put': 572613, 'you put yourself': 1020514, 'put yourself vulnerable': 690998, 'yourself vulnerable before': 1026741, 'vulnerable before everyone': 960882, 'before everyone else': 122783, 'trouble without': 932664, 'without foreign': 1002667, 'foreign labor': 328984, 'labor during': 478405, 'farmer are gonna': 299280, 'gonna be in': 356473, 'be in trouble': 115445, 'in trouble without': 430300, 'trouble without foreign': 932665, 'without foreign labor': 1002668, 'foreign labor during': 328985, 'labor during the': 478406, 'monk': 537398, 'watching business': 968715, 'pivot in': 657086, 'is inspiring': 448938, 'inspiring troubled': 439868, 'troubled monk': 932667, 'monk brew': 537399, 'brew up': 139407, 'up hand': 945054, 'for desperate': 320668, 'desperate business': 238510, 'watching business pivot': 968716, 'business pivot in': 144223, 'pivot in time': 657087, 'crisis is inspiring': 217578, 'is inspiring troubled': 448939, 'inspiring troubled monk': 439869, 'troubled monk brew': 932668, 'monk brew up': 537400, 'brew up hand': 139408, 'up hand sanitizer': 945055, 'sanitizer for desperate': 734898, 'for desperate business': 320669, 'desperate business and': 238511, 'business and non': 143322, 'and non profit': 67678, 'via org': 956143, 'org the': 619196, 'association second': 96987, 'wave report': 969386, 'report grocery': 711988, 'shopper trend': 761784, 'tracker compared': 928266, 'report shopper': 712246, 'shopper concern': 761465, 'increased fmi': 433317, 'fmi online': 311765, 'shopping economy': 762559, 'now available via': 574162, 'available via org': 104686, 'via org the': 956144, 'org the food': 619197, 'industry association second': 435674, 'association second wave': 96988, 'second wave report': 743865, 'wave report grocery': 969387, 'report grocery shopper': 711989, 'grocery shopper trend': 364987, 'shopper trend covid': 761785, '19 tracker compared': 11536, 'tracker compared to': 928267, 'compared to first': 191426, 'to first report': 905978, 'first report shopper': 308918, 'report shopper concern': 712248, 'shopper concern about': 761466, '19 ha increased': 7354, 'ha increased fmi': 370947, 'increased fmi online': 433318, 'fmi online grocery': 311766, 'grocery shopping economy': 365019, 'scourge plaguing': 742515, 'little they': 495609, 'of to increase': 592216, 'increase price at': 432996, 'the scourge plaguing': 866529, 'scourge plaguing the': 742516, 'and how little': 64822, 'how little they': 408176, 'little they understand': 495610, 'kingdom spread': 475346, 'the caribbean': 850425, 'caribbean and': 164676, 'and this lady': 74000, 'this lady and': 888584, 'how the citizen': 408805, 'united kingdom spread': 942189, 'kingdom spread the': 475347, 'spread the all': 790815, 'the all over': 848583, 'over the caribbean': 630699, 'the caribbean and': 850426, 'caribbean and beyond': 164677, 'announcing they': 77334, 'drug store announcing': 261086, 'store announcing they': 806418, 'announcing they are': 77335, 'are hiring worker': 87187, 'protection scam': 685603, 'consumer protection scam': 198560, 'protection scam alert': 685604, 'the taxi': 869178, 'taxi and': 835143, 'firefighter the': 308236, 'many thank': 514783, 'all those working': 45196, 'service the first': 752931, 'responder the grocery': 715530, 'pharmacy staff the': 654478, 'staff the taxi': 792953, 'the taxi and': 869179, 'taxi and bus': 835144, 'bus driver the': 143031, 'driver the police': 259791, 'officer and firefighter': 595626, 'and firefighter the': 62921, 'firefighter the utility': 308237, 'the utility worker': 870603, 'utility worker there': 951344, 'so many thank': 777714, 'many thank you': 514784, 'hannah': 377000, 'bloch': 132762, 'wehba': 977656, 'approving': 83220, 'professor hannah': 682551, 'hannah bloch': 377001, 'bloch wehba': 132763, 'wehba wa': 977657, 'april consumer': 83556, 'report story': 712282, 'about facebook': 25214, 'facebook approving': 294895, 'approving ad': 83221, 'had misinformation': 373308, 'misinformation about': 534058, 'professor hannah bloch': 682552, 'hannah bloch wehba': 377002, 'bloch wehba wa': 132764, 'wehba wa quoted': 977658, 'quoted in an': 695016, 'in an april': 420281, 'an april consumer': 55380, 'april consumer report': 83557, 'consumer report story': 198730, 'report story about': 712283, 'story about facebook': 811884, 'about facebook approving': 25215, 'facebook approving ad': 294896, 'approving ad that': 83222, 'ad that had': 31175, 'that had misinformation': 844152, 'had misinformation about': 373309, 'misinformation about covid': 534059, 'vend': 954323, 'kizerandbender': 475859, 'retailblog': 718922, 'prepare guest': 670092, 'guest post': 368173, 'by vend': 154659, 'vend retail': 954324, 'retail kizerandbender': 718262, 'kizerandbender retailblog': 475860, '19 may affect': 8575, 'may affect your': 520895, 'affect your retail': 34278, 'store and how': 806262, 'to prepare guest': 912001, 'prepare guest post': 670093, 'guest post by': 368174, 'post by vend': 666034, 'by vend retail': 154660, 'vend retail kizerandbender': 954325, 'retail kizerandbender retailblog': 718263, 'are any product': 84580, 'any product that': 79694, 'claim to treat': 179857, 'to treat or': 917752, 'or cure coronavirus': 614868, 'cure coronavirus the': 220727, 'coronavirus the fda': 206907, 'fda say not': 300922, 'celebrate getting': 168789, 'to 90': 899866, '90 by': 23279, 'by nice': 153333, 'delivery seemingly': 234415, 'seemingly nothing': 746742, 'nothing much': 573111, 'in flash': 422928, 'flash why': 310033, 'just hope she': 468982, 'is still here': 452283, 'to celebrate getting': 902553, 'celebrate getting to': 168790, 'getting to 90': 349392, 'to 90 by': 899867, '90 by nice': 23280, 'by nice to': 153334, 'nice to hear': 562489, 'hear what you': 388024, 'are doing about': 85881, 'doing about online': 252259, 'about online delivery': 25850, 'online delivery seemingly': 608089, 'delivery seemingly nothing': 234416, 'seemingly nothing much': 746743, 'nothing much soon': 573112, 'up they ll': 946269, 'll be gone': 496591, 'be gone in': 115057, 'gone in flash': 356308, 'in flash why': 422929, 'flash why will': 310034, 'will not you': 994288, 'you put vulnerable': 1020513, 'put vulnerable before': 690976, 'liked my': 491909, 'job up': 466251, 'have whole': 383589, 'whole dept': 990185, 'dept wanting': 237749, 'jump ship': 467893, 'ship bc': 758653, 'horrible we': 404139, 're treated': 699731, 'management but': 512544, 'ok bc': 597766, 'all asshole': 42074, 'asshole have': 96531, 'liked my job': 491910, 'my job up': 548934, 'job up until': 466252, 'up until this': 946501, 'this happened and': 887845, 'happened and now': 377220, 'now have whole': 574888, 'have whole dept': 383590, 'whole dept wanting': 990186, 'dept wanting to': 237750, 'wanting to jump': 966307, 'to jump ship': 908706, 'jump ship bc': 467894, 'ship bc of': 758654, 'bc of how': 113263, 'how horrible we': 408015, 'horrible we re': 404140, 'we re treated': 972993, 're treated by': 699732, 'treated by customer': 930941, 'by customer and': 152278, 'customer and management': 222087, 'and management but': 66622, 'management but it': 512545, 'it ok bc': 460014, 'ok bc we': 597767, 'bc we work': 113314, 'store and still': 806358, 'have job like': 381172, 'job like all': 465955, 'like all asshole': 489744, 'all asshole have': 42075, 'asshole have been': 96532, 'been telling me': 122146, 'telling me since': 837227, 'me since this': 523473, 'since this started': 770940, 'congress need': 194515, 'to reconvene': 912969, 'congress need to': 194516, 'need to reconvene': 556036, 'to reconvene and': 912970, 'surge demand 19': 828148, '2020 cochrane': 14229, 'cochrane consumer': 185205, 'consumer community': 196828, 'community news': 190000, 'news digest': 560365, 'digest is': 242451, 'out colleague': 625859, 'at cochrane': 98288, 'cochrane would': 185213, 'this digest': 887229, 'digest will': 242455, 'march 2020 cochrane': 515152, '2020 cochrane consumer': 14230, 'cochrane consumer community': 185206, 'consumer community news': 196829, 'community news digest': 190001, 'news digest is': 560366, 'digest is out': 242452, 'is out colleague': 450656, 'out colleague at': 625860, 'colleague at cochrane': 186205, 'at cochrane would': 98289, 'cochrane would like': 185214, 'like to send': 491621, 'to send our': 914218, 'send our best': 749925, 'our best wish': 622198, 'wish to you': 996841, 'and friend at': 63322, 'friend at this': 333532, 'time we hope': 898226, 'we hope the': 972035, 'hope the information': 403680, 'the information in': 858257, 'information in this': 437869, 'in this digest': 429933, 'this digest will': 887230, 'digest will be': 242456, 'will be helpful': 992495, 'helpful to you': 391243, 'worker require': 1007682, 'require ppe': 713322, 'protecting themselves': 685238, 'penny drop': 646608, 'frontline worker require': 338870, 'worker require ppe': 1007683, 'require ppe the': 713323, 'ppe the amount': 668072, 'amount of supermarket': 53259, 'of supermarket staff': 590446, 'supermarket staff that': 822897, 'staff that are': 792930, 'are not protecting': 88446, 'not protecting themselves': 571133, 'protecting themselves or': 685239, 'themselves or their': 876865, 'or their customer': 617413, 'their customer it': 872954, 'customer it only': 222547, 'before the penny': 123182, 'the penny drop': 863444, 'blocked 100': 132849, 'ad trying': 31185, 'the among': 848647, 'push high': 690280, 'risk bond': 723417, 'investor report': 444201, 'report and': 711797, 'and harry': 64204, 'ha blocked 100': 370011, 'blocked 100 00s': 132850, '00s of ad': 708, 'of ad trying': 579766, 'ad trying to': 31186, 'on the among': 603968, 'the among email': 848648, 'and fake good': 62628, 'fake good some': 296631, 'good some investment': 357752, 'to push high': 912570, 'push high risk': 690281, 'high risk bond': 395347, 'risk bond to': 723418, 'worried investor report': 1010570, 'investor report and': 444202, 'report and harry': 711799, 'and harry brennan': 64205, 'wild world': 992092, 'wild world we': 992093, 'living in toiletpaper': 496397, 'indulging': 435514, 'congress accused': 194483, 'accused the': 28964, 'of indulging': 585143, 'indulging in': 435515, 'the grip': 856794, 'the congress accused': 851453, 'congress accused the': 194484, 'accused the government': 28965, 'government of indulging': 360396, 'of indulging in': 585144, 'indulging in profiteering': 435516, 'in profiteering from': 427034, 'profiteering from low': 683043, 'in the grip': 429244, 'the grip of': 856795, 'grip of pandemic': 364024, 'sometimes when': 785251, 'life hand': 488709, 'you seemingly': 1021088, 'seemingly impossible': 746738, 'impossible situation': 419392, 'there often': 878887, 'often smile': 596276, 'smile to': 775745, 'had about': 372811, 'it tell': 461458, 'are laughing': 87719, 'laughing about': 481803, 'sometimes when life': 785252, 'when life hand': 983688, 'life hand you': 488710, 'hand you seemingly': 376030, 'you seemingly impossible': 1021089, 'seemingly impossible situation': 746739, 'impossible situation you': 419393, 'you just have': 1019424, 'take it it': 832247, 'it it come': 459169, 'it come there': 457212, 'come there often': 187534, 'there often smile': 878888, 'often smile to': 596277, 'smile to be': 775746, 'be had about': 115120, 'had about it': 372813, 'about it tell': 25597, 'it tell what': 461460, 'you are laughing': 1017158, 'are laughing about': 87720, 'exosomes': 290433, 'creepsinsuits': 216627, 'billgatesofhell': 130753, 'lockdown karen': 499576, 'karen socialdistance': 470904, 'socialdistance 5g': 780132, '5g radiation': 20679, 'radiation is': 695393, 'causing cellpoisoning': 168001, 'cellpoisoning called': 168984, 'called exosomes': 156303, 'exosomes the': 290434, 'the creepsinsuits': 852321, 'creepsinsuits call': 216628, 'to directenergyweapons': 904327, 'directenergyweapons martiallaw': 243428, 'martiallaw vaccine': 518084, 'vaccine microchip': 951736, 'microchip billgatesofhell': 530457, 'toiletpaper lockdown karen': 922196, 'lockdown karen socialdistance': 499577, 'karen socialdistance 5g': 470905, 'socialdistance 5g radiation': 780133, '5g radiation is': 20680, 'radiation is causing': 695394, 'is causing cellpoisoning': 446418, 'causing cellpoisoning called': 168002, 'cellpoisoning called exosomes': 168985, 'called exosomes the': 156304, 'exosomes the creepsinsuits': 290435, 'the creepsinsuits call': 852322, 'creepsinsuits call it': 216629, 'call it we': 155963, 'are being lied': 84881, 'lied to directenergyweapons': 488421, 'to directenergyweapons martiallaw': 904328, 'directenergyweapons martiallaw vaccine': 243429, 'martiallaw vaccine microchip': 518085, 'vaccine microchip billgatesofhell': 951737, 'these image': 880150, 'image doe': 416625, 'help mass': 390054, 'chain please': 170993, 'of these image': 591831, 'these image doe': 880151, 'image doe not': 416626, 'not help mass': 569928, 'help mass anxiety': 390055, 'supply chain please': 825006, 'chain please consider': 170994, 'please consider sharing': 659820, 'fuckcoronavirus': 339717, 'again lol': 37060, 'toiletpaper fuckcoronavirus': 922017, 'thought see toilet': 893202, 'paper again lol': 639772, 'again lol toiletpaper': 37061, 'lol toiletpaper fuckcoronavirus': 500970, 'men woman': 528547, 'working relentlessly': 1008883, 'relentlessly for': 709135, 'every part': 286088, 'protection staff': 685615, 'staff cleaning': 792325, 'those men woman': 892204, 'men woman who': 528548, 'are working relentlessly': 91713, 'working relentlessly for': 1008884, 'relentlessly for our': 709136, 'safety in every': 730578, 'in every part': 422685, 'every part of': 286089, 'civil protection staff': 179530, 'protection staff cleaning': 685616, 'staff cleaning staff': 792326, 'really close': 702059, 'awhile because': 106260, 'concerned cashier': 193190, 'who openly': 989385, 'openly cough': 612956, 'store should really': 810169, 'should really close': 766378, 'really close down': 702060, 'close down for': 182614, 'down for awhile': 256768, 'for awhile because': 319550, 'awhile because their': 106261, 'because their employee': 119660, 'their employee can': 873136, 'employee can easily': 273706, 'can easily spread': 158185, 'easily spread this': 265246, 'spread this is': 790836, 'this is coming': 888211, 'coming from concerned': 188056, 'from concerned cashier': 334944, 'concerned cashier who': 193191, 'cashier who work': 166665, 'work around people': 1004842, 'people who openly': 650324, 'who openly cough': 989386, 'openly cough in': 612957, 'get screwed': 347958, 'screwed quite': 742825, 'quite badly': 694826, 'badly on': 108167, 'hand there': 375835, 'saudi who': 737317, 'crude export': 219526, 'export think': 292717, 'endure period': 276308, 'crude at': 219509, '20 dollar': 13039, 'dollar price': 253057, 'unlike iran': 942709, 'iran is going': 444690, 'to get screwed': 906583, 'get screwed quite': 347959, 'screwed quite badly': 742826, 'quite badly on': 694827, 'badly on the': 108168, 'one hand there': 606400, 'hand there is': 375836, 'is the wave': 452976, 'the wave of': 871137, 'wave of and': 969364, 'of and on': 580169, 'the other this': 862559, 'other this drop': 621119, 'the saudi who': 866383, 'saudi who are': 737318, 'increasing their crude': 433717, 'their crude export': 872927, 'crude export think': 219527, 'export think the': 292718, 'think the saudi': 885652, 'saudi are ready': 737242, 'ready to endure': 700956, 'to endure period': 905104, 'endure period of': 276309, 'period of crude': 651839, 'of crude at': 582231, 'crude at 20': 219510, 'at 20 dollar': 97500, '20 dollar price': 13040, 'dollar price unlike': 253058, 'price unlike iran': 677203, 'disperses': 246170, 'model by': 535235, 'without facemask': 1002634, 'facemask in': 295085, 'aisle showing': 40363, 'how an': 407357, 'aerosol cloud': 33902, 'cloud disperses': 184304, '3d model by': 18236, 'model by of': 535236, 'by of person': 153393, 'of person coughing': 588056, 'person coughing without': 652382, 'coughing without facemask': 208774, 'without facemask in': 1002635, 'facemask in supermarket': 295086, 'supermarket aisle showing': 818844, 'aisle showing how': 40364, 'showing how an': 767453, 'how an aerosol': 407358, 'an aerosol cloud': 55167, 'aerosol cloud disperses': 33903, 'yorkshire is': 1016725, 'closing after': 183570, 'being broken': 124907, 'and emptied': 62077, 'manager belief': 512692, 'thief could': 884003, 'bank in west': 109931, 'west yorkshire is': 980555, 'yorkshire is closing': 1016726, 'is closing after': 446602, 'closing after being': 183571, 'after being broken': 35401, 'being broken into': 124908, 'broken into and': 140898, 'into and emptied': 442401, 'and emptied the': 62078, 'emptied the manager': 274700, 'the manager belief': 859995, 'manager belief the': 512693, 'belief the thief': 126225, 'the thief could': 869443, 'thief could have': 884004, 'have done it': 380330, 'done it to': 254908, 'it to take': 461760, 'that is taking': 844662, 'taking place in': 833511, 'globalists': 352341, 'ebayhaslotsoftoiletpaper': 266511, 'simple calculator': 769998, 'poor attempt': 664120, 'attempt of': 102228, 'the globalists': 856337, 'globalists to': 352346, 'survive toiletpaper': 829281, 'toiletpaper ebayhaslotsoftoiletpaper': 921946, 'the simple calculator': 867199, 'simple calculator for': 769999, 'calculator for how': 155328, 'survive this poor': 829269, 'this poor attempt': 889659, 'poor attempt of': 664121, 'attempt of the': 102229, 'of the globalists': 591066, 'the globalists to': 856338, 'globalists to take': 352347, 'take over america': 832467, 'over america we': 629972, 'america we will': 51739, 'we will survive': 973912, 'will survive toiletpaper': 995052, 'survive toiletpaper ebayhaslotsoftoiletpaper': 829282, 'mondaymotivation it like': 536466, 'it like war': 459384, 'die grocery store': 241364, 'afraid to show': 35027, 'show up for': 767257, 'medium rumor': 527258, 'and people did': 68858, 'people did it': 647641, 'did it because': 240657, 'of social medium': 589840, 'social medium rumor': 779879, 'supermarket unless': 823612, 'parent family': 641627, 'family please': 298162, 'even harder': 284159, 'bring your kid': 140129, 'the supermarket unless': 868881, 'supermarket unless you': 823613, 'you are parent': 1017194, 'are parent family': 88981, 'parent family please': 641628, 'family please leave': 298163, 'please leave your': 660174, 'home and don': 400634, 'and don bring': 61626, 'don bring them': 253397, 'bring them out': 140097, 'them out food': 876124, 'out food shopping': 626089, 'shopping just to': 763121, 'get them out': 348370, 'out for bit': 626101, 'for bit you': 319693, 'bit you re': 131737, 're making social': 699026, 'distancing in store': 247232, 'in store even': 428410, 'store even harder': 807641, 'heijn': 388836, 'major failure': 509327, 'failure at': 296265, 'at albert': 97859, 'albert heijn': 40771, 'heijn largest': 388839, 'netherlands the': 557673, 'serious process': 751454, 'process incident': 679914, 'incident logistics': 431420, 'major failure at': 509328, 'failure at albert': 296266, 'at albert heijn': 97860, 'albert heijn largest': 40773, 'heijn largest supermarket': 388840, 'largest supermarket in': 480030, 'the netherlands the': 861458, 'netherlands the company': 557674, 'the company call': 851318, 'company call it': 190513, 'call it serious': 155959, 'it serious process': 460986, 'serious process incident': 751455, 'process incident logistics': 679915, 'incident logistics supplychain': 431421, 'logistics supplychain 19': 500804, 'supplychain 19 via': 826158, 'aisle had': 40266, 'been replenished': 121820, 'replenished did': 711668, 'did go': 240615, 'at lunchtime': 99653, 'lunchtime so': 506768, 'were probably': 979999, 'more staff': 540442, 'staff than': 792925, 'than customer': 840487, 'for saturday': 325346, 'saturday afternoon': 736996, 'early sunday': 264712, 'morning coronacrisis': 541229, 'coronacrisis france': 204602, 'buying in our': 150534, 'supermarket the pasta': 823237, 'pasta aisle had': 643672, 'aisle had been': 40267, 'had been replenished': 372907, 'been replenished did': 121821, 'replenished did go': 711669, 'did go at': 240616, 'go at lunchtime': 353321, 'at lunchtime so': 99654, 'lunchtime so there': 506769, 'so there were': 778454, 'there were probably': 879330, 'were probably more': 980001, 'probably more staff': 679324, 'more staff than': 540444, 'staff than customer': 792926, 'than customer for': 840488, 'customer for saturday': 222391, 'for saturday afternoon': 325347, 'saturday afternoon the': 736999, 'afternoon the street': 36720, 'street are more': 812910, 'are more like': 88116, 'more like an': 539686, 'like an early': 489765, 'an early sunday': 55545, 'early sunday morning': 264713, 'sunday morning coronacrisis': 818238, 'morning coronacrisis france': 541230, 'unification': 941750, 'had 23': 372801, '23 new': 15416, 'case yesterday': 166116, 'yesterday so': 1015859, 'so tw': 778589, 'tw ppl': 936246, 'worried and': 1010543, 'italian don': 462692, 'hoard hawaii': 398810, 'hawaii pizza': 384456, 'pizza tw': 657209, 'want want': 966165, 'want rice': 965917, 'rice cracker': 721029, 'cracker which': 214735, 'which ceo': 985744, 'ceo is': 169722, 'is famous': 447730, 'famous for': 298461, 'it pro': 460483, 'pro unification': 679141, 'unification stance': 941751, 'had 23 new': 372802, '23 new confirmed': 15417, 'confirmed case yesterday': 194148, 'case yesterday so': 166117, 'yesterday so tw': 1015860, 'so tw ppl': 778590, 'tw ppl are': 936247, 'ppl are worried': 668177, 'are worried and': 91733, 'worried and start': 1010544, 'and start to': 72251, 'start to hoard': 794587, 'hoard food but': 398786, 'food but just': 313819, 'but just like': 146198, 'just like italian': 469149, 'like italian don': 490570, 'italian don hoard': 462693, 'don hoard hawaii': 253637, 'hoard hawaii pizza': 398811, 'hawaii pizza tw': 384457, 'pizza tw ppl': 657210, 'tw ppl don': 936248, 'ppl don stock': 668217, 'don stock want': 253935, 'stock want want': 803154, 'want want rice': 966166, 'want rice cracker': 965918, 'rice cracker which': 721030, 'cracker which ceo': 214736, 'which ceo is': 985745, 'ceo is famous': 169723, 'is famous for': 447731, 'famous for it': 298462, 'for it pro': 322726, 'it pro unification': 460484, 'pro unification stance': 679142, 'rolla': 725616, 'sharjah': 755635, 'zain': 1027187, 'merija': 529124, 'subhaan': 815720, 'of rolla': 589153, 'rolla area': 725617, 'in sharjah': 427865, 'sharjah and': 755636, 'the labourer': 858896, 'labourer who': 478551, 'who stay': 989662, 'in sharing': 427863, 'sharing zain': 755633, 'zain supermarket': 1027188, 'supermarket al': 818856, 'al merija': 40591, 'merija street': 529125, 'street just': 813020, 'just pray': 469480, 'to allah': 900308, 'allah subhaan': 45607, 'subhaan wa': 815721, 'area would': 92290, 'be hub': 115312, 'about the condition': 26355, 'the condition of': 851433, 'condition of rolla': 193500, 'of rolla area': 589154, 'rolla area in': 725618, 'area in sharjah': 92072, 'in sharjah and': 427866, 'sharjah and the': 755637, 'store here and': 808143, 'and the labourer': 73440, 'the labourer who': 858897, 'labourer who stay': 478552, 'who stay in': 989663, 'stay in sharing': 797061, 'in sharing zain': 427864, 'sharing zain supermarket': 755634, 'zain supermarket al': 1027189, 'supermarket al merija': 818857, 'al merija street': 40592, 'merija street just': 529126, 'street just pray': 813021, 'just pray to': 469481, 'pray to allah': 669032, 'to allah subhaan': 900309, 'allah subhaan wa': 45608, 'subhaan wa that': 815722, 'wa that this': 963437, 'that this area': 846980, 'this area would': 886407, 'area would not': 92291, 'not be hub': 568397, 'be hub of': 115313, 'hub of covi': 409817, 'realise the': 701609, 'the 1930s': 847940, '1930s depression': 12347, 'now unemployment': 576261, 'unemployment then': 941306, 'then at': 877009, 'peak wa': 646113, 'around 24': 93130, '24 and': 15561, 'wa with': 963712, 'healthy manufacturing': 387686, 'manufacturing economic': 513579, 'economic base': 266991, 'base fast': 111445, 'are majority': 87972, 'majority consumer': 509534, 'need to realise': 556031, 'to realise the': 912854, 'realise the difference': 701610, 'difference btw the': 241820, 'btw the 1930s': 141546, 'the 1930s depression': 847941, '1930s depression and': 12348, 'depression and now': 237628, 'and now unemployment': 67869, 'now unemployment then': 576262, 'unemployment then at': 941307, 'then at it': 877010, 'it peak wa': 460286, 'peak wa around': 646114, 'wa around 24': 961576, 'around 24 and': 93131, '24 and that': 15562, 'that wa with': 847320, 'wa with healthy': 963713, 'with healthy manufacturing': 998759, 'healthy manufacturing economic': 387687, 'manufacturing economic base': 513580, 'economic base fast': 266992, 'base fast forward': 111446, 'fast forward to': 299985, 'forward to today': 330041, 'to today we': 917617, 'we are majority': 970621, 'are majority consumer': 87973, 'majority consumer based': 509535, 'bullshit is': 142493, 'donate all': 254154, 'the tinned': 869644, 'tinned non': 898627, 'probably never': 679329, 'good cause': 356876, 'hope when all': 403776, 'this bullshit is': 886624, 'bullshit is over': 142495, 'people will donate': 650385, 'will donate all': 993240, 'donate all the': 254155, 'all the tinned': 44944, 'the tinned non': 869646, 'tinned non perishable': 898628, 'non perishable good': 566456, 'perishable good that': 651986, 'they have panic': 882359, 'panic bought and': 637414, 'bought and will': 136502, 'will probably never': 994465, 'probably never use': 679330, 'never use to': 558251, 'use to food': 949756, 'bank and good': 109611, 'and good cause': 63828, 'and bagel': 58648, 'bagel section': 108482, 'section ha': 744006, 'been raided': 121770, 'raided at': 695625, 'but bag': 145254, 'favorite bagel': 300485, 'bagel is': 108474, 'is last': 449236, 'shelf win': 757813, 'win sobeys': 995577, 'when the bread': 984129, 'the bread and': 849958, 'bread and bagel': 138392, 'and bagel section': 58649, 'bagel section ha': 108483, 'section ha been': 744007, 'ha been raided': 369888, 'been raided at': 121771, 'raided at the': 695626, 'store but bag': 806783, 'but bag of': 145255, 'bag of your': 108374, 'your favorite bagel': 1023819, 'favorite bagel is': 300486, 'bagel is last': 108475, 'is last on': 449237, 'the shelf win': 866903, 'shelf win sobeys': 757814, 'lockdown ain': 499109, 'ain rich': 39648, 'rich yet': 721272, 'know ain': 476233, 'ain broke': 39602, 'broke uhh': 140867, 'uhh so': 938090, 'store uhh': 810985, '19 lockdown ain': 8368, 'lockdown ain rich': 499110, 'ain rich yet': 39649, 'rich yet but': 721273, 'yet but you': 1016028, 'you know ain': 1019480, 'know ain broke': 476234, 'ain broke uhh': 39603, 'broke uhh so': 140868, 'uhh so if': 938091, 'so if see': 777354, 'if see it': 414761, 'see it like': 745337, 'like it buy': 490526, 'it buy that': 456970, 'buy that from': 149279, 'the store uhh': 868132, 'reich': 708196, 'dunny': 262314, 'gangster': 343417, 'the reich': 865454, 'reich ugly': 708197, 'ugly it': 938057, 'get hated': 347191, 'hated ex': 378947, 'ex copper': 288625, 'copper now': 203431, 'now home': 574942, 'home affair': 400560, 'minister with': 533503, 'with secret': 1000608, 'secret super': 743936, 'power label': 667634, 'label crime': 478333, 'gang ppl': 343410, 'buying good': 150404, 'retail dunny': 718047, 'dunny paper': 262315, 'paper gangster': 640204, 'and now in': 67844, 'in the reich': 429509, 'the reich ugly': 865455, 'reich ugly it': 708198, 'ugly it get': 938058, 'it get hated': 458219, 'get hated ex': 347192, 'hated ex copper': 378948, 'ex copper now': 288626, 'copper now home': 203432, 'now home affair': 574944, 'home affair minister': 400562, 'affair minister with': 34073, 'minister with secret': 533504, 'with secret super': 1000609, 'secret super power': 743937, 'super power label': 818558, 'power label crime': 667635, 'label crime gang': 478334, 'crime gang ppl': 216783, 'gang ppl buying': 343411, 'ppl buying good': 668198, 'buying good and': 150405, 'good and selling': 356747, 'them at higher': 875441, 'higher price isn': 395680, 'price isn that': 674904, 'isn that the': 454703, 'that the basis': 846665, 'basis of all': 112260, 'of all retail': 579974, 'all retail dunny': 44182, 'retail dunny paper': 718048, 'dunny paper gangster': 262316, 'fitzgirls': 309574, 'sundayfitz': 818300, 'fitzgirlsrule': 309577, 'all managing': 43448, 'managing through': 512906, 'try hitting': 934493, 'hitting grocery': 398567, 'point today': 662681, 'it stayathome': 461235, 'stayathome for': 797478, 'me fitzgirls': 522737, 'fitzgirls have': 309575, 'all sundayfitz': 44535, 'sundayfitz weekend': 818301, 'weekend fitzgirlsrule': 977338, 'fitzgirlsrule dadlife': 309578, 'dadlife washyourhands': 224441, 'happy sunday to': 377683, 'sunday to all': 818283, 'to all hope': 900255, 'all hope you': 43145, 're all managing': 698225, 'all managing through': 43449, 'managing through the': 512907, 'through the stuff': 894768, 'the stuff will': 868338, 'stuff will try': 815259, 'will try hitting': 995247, 'try hitting grocery': 934494, 'hitting grocery store': 398568, 'some point today': 783591, 'point today but': 662682, 'today but other': 919336, 'than that it': 841210, 'that it stayathome': 844745, 'it stayathome for': 461236, 'stayathome for me': 797479, 'for me fitzgirls': 323313, 'me fitzgirls have': 522738, 'fitzgirls have great': 309576, 'great day all': 362609, 'day all sundayfitz': 227227, 'all sundayfitz weekend': 44536, 'sundayfitz weekend fitzgirlsrule': 818302, 'weekend fitzgirlsrule dadlife': 977339, 'fitzgirlsrule dadlife washyourhands': 309579, 'dontovercharge': 255371, 'stopstockpi': 805859, 'together suggest': 920961, 'suggest once': 817524, 'once these': 605738, 'these location': 880248, 'location that': 498962, 'are overcharging': 88916, 'overcharging someone': 631113, 'someone post': 784612, 'medium should': 527273, 'boycott that': 137342, 'shop dontovercharge': 760110, 'dontovercharge stophoarding': 255372, 'stophoarding stopstockpi': 805488, 'time for people': 896741, 'come together suggest': 187632, 'together suggest once': 920962, 'suggest once these': 817525, 'once these location': 605739, 'these location that': 880249, 'location that are': 498963, 'that are overcharging': 842794, 'are overcharging someone': 88918, 'overcharging someone post': 631114, 'someone post photo': 784613, 'post photo on': 666282, 'social medium should': 779881, 'medium should boycott': 527274, 'should boycott that': 765791, 'boycott that shop': 137343, 'that shop dontovercharge': 846271, 'shop dontovercharge stophoarding': 760111, 'dontovercharge stophoarding stopstockpi': 255373, 'for beyond': 319667, 'offence in': 594459, 'wager who': 964017, 'shortage or': 765149, 'or obnoxious': 616340, 'obnoxious price': 578503, 'that shortage': 846279, 'up for beyond': 944920, 'for beyond the': 319668, 'beyond the use': 129251, 'use of week': 949434, 'of week should': 593005, 'declared criminal offence': 231224, 'criminal offence in': 216863, 'offence in this': 594460, 'the daily wager': 852786, 'daily wager who': 224879, 'wager who suffer': 964018, 'who suffer the': 989707, 'most either because': 542290, 'either because of': 270261, 'of shortage or': 589684, 'shortage or obnoxious': 765150, 'or obnoxious price': 616341, 'obnoxious price due': 578504, 'to that shortage': 916462, '40 minute': 18613, 'minute queue': 533827, 'thinking isn': 885928, 'be outside': 116294, 'outside highlight': 629447, 'standing in 40': 793772, 'in 40 minute': 419928, '40 minute queue': 18614, 'minute queue for': 533828, 'supermarket and thinking': 819084, 'and thinking isn': 73978, 'thinking isn it': 885929, 'isn it amazing': 454562, 'it amazing to': 456454, 'amazing to be': 50806, 'to be outside': 901428, 'be outside highlight': 116295, 'outside highlight of': 629448, 'my day lockdown': 547948, 'originated': 619609, 'defenitly': 232123, 'imagine china': 416705, 'china have': 176703, 'have opened': 381815, 'market after': 515922, 'all supposedly': 44569, 'supposedly originated': 827385, 'originated from': 619610, 'there bullshit': 878259, 'bullshit defenitly': 142482, 'defenitly man': 232124, 'from lab': 336185, 'lab giving': 478260, 'giving no': 351356, 'no answer': 563621, 'just proof': 469500, 'proof to': 684020, 'world chinaliedandpeopledied': 1009420, 'imagine china have': 416706, 'china have opened': 176705, 'have opened the': 381817, 'opened the live': 612761, 'the live stock': 859501, 'live stock food': 496026, 'stock food market': 802138, 'food market after': 315390, 'market after this': 515923, 'this all supposedly': 886272, 'all supposedly originated': 44570, 'supposedly originated from': 827386, 'originated from there': 619611, 'from there bullshit': 337967, 'there bullshit defenitly': 878260, 'bullshit defenitly man': 142483, 'defenitly man made': 232125, 'man made from': 512151, 'made from lab': 507754, 'from lab giving': 336186, 'lab giving no': 478261, 'giving no answer': 351357, 'no answer is': 563622, 'answer is just': 78062, 'is just proof': 449144, 'just proof to': 469501, 'proof to the': 684021, 'to the full': 916736, 'the full of': 856016, 'full of the': 340760, 'the world chinaliedandpeopledied': 871837, 'home protecting': 401927, 'important be': 418748, 'for phishing': 324529, 'phishing scammer': 654839, 'situation practice': 772449, 'good cyber': 356936, 'cyber hygiene': 223929, 'hygiene for': 412095, 'with people working': 1000181, 'from home protecting': 335896, 'home protecting yourself': 401928, 'and your network': 76088, 'network is important': 557733, 'is important be': 448725, 'important be alert': 418749, 'alert for phishing': 41420, 'for phishing scammer': 324530, 'phishing scammer looking': 654840, '19 situation practice': 10585, 'situation practice good': 772450, 'good hygiene to': 357200, 'hygiene to protect': 412186, 'protect our health': 684896, 'health and practice': 386150, 'and practice good': 69301, 'practice good cyber': 668573, 'good cyber hygiene': 356937, 'cyber hygiene for': 223930, 'hygiene for more': 412096, 'scroll': 742868, 'fun way': 341239, 'scam use': 740447, 'scam bingo': 740085, 'card you': 163706, 'to scroll': 913937, 'scroll down': 742869, 'fun way to': 341241, 'way to spot': 970099, 'spot scam use': 790106, 'scam use the': 740448, 'use the ftc': 949664, 'the ftc scam': 855939, 'ftc scam bingo': 339446, 'scam bingo card': 740086, 'bingo card you': 131098, 'card you ll': 163707, 'have to scroll': 383292, 'to scroll down': 913938, 'scroll down the': 742871, 'down the link': 257286, 'rise scammer': 722993, 'lockdown merchant': 499656, 'suffer dramatic': 817201, 'phishing activity': 654794, 'with stolen': 1000985, 'stolen via': 804310, 'attempt to defraud': 102241, 'defraud consumer are': 232484, 'the rise scammer': 865860, 'rise scammer exploit': 722994, 'scammer exploit the': 740571, 'exploit the surge': 292368, 'in online activity': 426159, 'online activity during': 607771, 'activity during the': 30418, '19 lockdown merchant': 8403, 'lockdown merchant are': 499657, 'merchant are starting': 528999, 'to suffer dramatic': 915734, 'suffer dramatic increase': 817202, 'related phishing activity': 708512, 'phishing activity with': 654795, 'activity with stolen': 30543, 'with stolen via': 1000986, 'londonrestaurant': 501271, 'into quiet': 442921, 'quiet pub': 694690, 'guarantee buying': 367701, 'buying beer': 150004, 'beer london': 122480, 'london londonrestaurant': 501129, 'londonrestaurant coronacrisis': 501272, 'coronacrisis londonlockdown': 204659, 'go into an': 353735, 'into an overcrowded': 442397, 'an overcrowded supermarket': 56746, 'overcrowded supermarket and': 631158, 'supermarket and not': 819025, 'and not find': 67736, 'not find anything': 569418, 'find anything to': 306811, 'anything to buy': 80911, 'to buy but': 902196, 'buy but can': 148455, 'but can go': 145352, 'go into quiet': 353765, 'into quiet pub': 442922, 'quiet pub to': 694691, 'pub to guarantee': 687785, 'to guarantee buying': 907055, 'guarantee buying beer': 367702, 'buying beer london': 150005, 'beer london londonrestaurant': 122481, 'london londonrestaurant coronacrisis': 501130, 'londonrestaurant coronacrisis londonlockdown': 501273, 'lac doesn': 478568, 'many instrument': 514197, 'instrument to': 440596, '1st shock': 12803, 'much fiscal': 544889, 'fiscal space': 309272, 'space but': 787077, 'but additional': 145061, 'additional fiscal': 31823, 'fiscal expenditure': 309251, 'expenditure on': 291168, 'unavoidable third': 939477, 'third shock': 886104, 'shock capital': 759432, 'capital flight': 162660, 'lac doesn have': 478569, 'doesn have many': 251823, 'have many instrument': 381435, 'many instrument to': 514198, 'instrument to respond': 440597, 'to the 1st': 916472, 'the 1st shock': 847976, '1st shock oil': 12804, 'oil price there': 597288, 'price there isn': 676883, 'isn much fiscal': 454592, 'much fiscal space': 544890, 'fiscal space but': 309273, 'space but additional': 787078, 'but additional fiscal': 145063, 'additional fiscal expenditure': 31824, 'fiscal expenditure on': 309252, 'expenditure on health': 291169, 'on health is': 601259, 'health is unavoidable': 386569, 'is unavoidable third': 453436, 'unavoidable third shock': 939478, 'third shock capital': 886105, 'shock capital flight': 759433, 'also buying': 47988, 'buying their': 151182, 'their fair': 873240, 'fair share': 296378, 'report vancouver': 712411, 'paper they re': 640900, 're also buying': 698265, 'also buying their': 47989, 'buying their fair': 151183, 'their fair share': 873241, 'fair share of': 296379, 'share of alcohol': 755116, 'of alcohol sale': 579897, 'alcohol sale at': 41089, 'sale at liquor': 732089, 'store are up': 806534, 'are up amid': 91359, '19 pandemic report': 9446, 'pandemic report vancouver': 636335, 'guardamar': 367874, 'valenciana': 951883, 'spain socialdistancing': 787344, 'and facemask': 62588, 'facemask can': 295068, 'one guardamar': 606373, 'guardamar valenciana': 367875, 'valenciana spain': 951884, 'normal in supermarket': 567181, 'in spain socialdistancing': 428181, 'spain socialdistancing and': 787345, 'socialdistancing and facemask': 780209, 'and facemask can': 62589, 'facemask can do': 295069, 'can do one': 158113, 'do one guardamar': 249932, 'one guardamar valenciana': 606374, 'guardamar valenciana spain': 367876, 'good analysis': 356721, 'buy low': 148926, 'diversify your': 248548, 'good analysis of': 356722, 'the financial situation': 855227, 'financial situation we': 306597, 'situation we are': 772566, 'all in due': 43195, 'of low stock': 586047, 'price to enter': 676988, 'enter the market': 278314, 'the market or': 860140, 'market or to': 516819, 'or to buy': 617465, 'to buy low': 902263, 'buy low to': 148927, 'low to diversify': 505690, 'to diversify your': 904462, 'diversify your portfolio': 248549, 'house during covid': 406279, 'didn think to': 241241, 'think to buy': 885714, 'supply area': 824798, 'area mres': 92110, 'mres and': 544427, 'and bottled': 59096, 'water store': 969172, 'demand given': 235568, 'current deterioration': 221173, 'deterioration get': 239414, 'the denier': 853131, 'denier this': 236978, 'time to prepare': 898031, 'prepare the national': 670130, 'guard to set': 367855, 'set up food': 753556, 'up food supply': 944900, 'food supply area': 316934, 'supply area mres': 824799, 'area mres and': 92111, 'mres and bottled': 544428, 'and bottled water': 59097, 'bottled water store': 136376, 'water store will': 969173, 'meet demand given': 527470, 'demand given the': 235569, 'the current deterioration': 852625, 'current deterioration get': 221174, 'deterioration get started': 239415, 'get started now': 348106, 'started now for': 794787, 'for the denier': 326379, 'the denier this': 853132, 'denier this is': 236979, 'this is about': 888162, 'to get real': 906573, 'know shopfromhome': 476712, 'shopfromhome ebt': 761147, 'ebt stockup': 266588, 'to know shopfromhome': 908993, 'know shopfromhome ebt': 476713, 'shopfromhome ebt stockup': 761148, 'unloaded': 942803, 'just unloaded': 470163, 'unloaded their': 942806, 'latest bread': 481242, 'bread shipment': 138582, 'shipment grocerystores': 758755, 'they ve just': 883661, 've just unloaded': 953313, 'just unloaded their': 470164, 'unloaded their latest': 942807, 'their latest bread': 873792, 'latest bread shipment': 481243, 'bread shipment grocerystores': 138583, 'shipment grocerystores groceryshopping': 758756, 'grocerystores groceryshopping groceryworkers': 366366, 'cv to': 223856, 'provide bonus': 686236, 'bonus add': 134339, 'add benefit': 31405, 'benefit hire': 127001, 'hire 50k': 396990, '50k in': 20164, 'cv to provide': 223857, 'to provide bonus': 912384, 'provide bonus add': 686237, 'bonus add benefit': 134340, 'add benefit hire': 31406, 'benefit hire 50k': 127002, 'hire 50k in': 396991, '50k in response': 20165, 'audusd': 102953, 'ausecon audusd': 103046, 'audusd the': 102954, 'manufacturing index': 513607, 'index surprisingly': 434245, 'surprisingly jumped': 828653, 'to 53': 899764, 'from 44': 334295, '44 mostly': 19008, 'grocery personal': 364840, 'item shopper': 463634, 'ausbiz ausecon audusd': 103037, 'ausecon audusd the': 103047, 'audusd the performance': 102955, 'performance of manufacturing': 651456, 'of manufacturing index': 586165, 'manufacturing index surprisingly': 513608, 'index surprisingly jumped': 434246, 'surprisingly jumped to': 828654, 'jumped to 53': 467954, 'to 53 in': 899765, '53 in march': 20299, 'march 2020 from': 515158, '2020 from 44': 14316, 'from 44 mostly': 334296, '44 mostly due': 19009, 'to demand for': 904143, 'for food grocery': 321587, 'food grocery personal': 314722, 'grocery personal care': 364841, 'care item shopper': 164037, 'item shopper stock': 463635, 'up on product': 945607, 'on product amid': 602950, 'product amid the': 680858, 'katra': 471062, 'mahore': 508522, 'chassana': 173916, 'thuroo': 895316, 'arnas': 93064, 'pouni': 667421, 'thakrakote': 840113, 'room listening': 725934, 'the grievance': 856786, 'grievance of': 363909, 'affair we': 34098, 'essentialcommodities essentialservices': 281886, 'essentialservices reasi': 281928, 'reasi katra': 702856, 'katra mahore': 471063, 'mahore chassana': 508523, 'chassana thuroo': 173917, 'thuroo arnas': 895317, 'arnas pouni': 93065, 'pouni thakrakote': 667422, 'control room listening': 202129, 'room listening to': 725935, 'to the grievance': 916752, 'the grievance of': 856787, 'grievance of public': 363910, 'of public in': 588590, 'public in relation': 688101, 'relation to food': 708674, 'consumer affair we': 196106, 'affair we are': 34099, 'for you stayhomesavelives': 328086, 'you stayhomesavelives essentialcommodities': 1021385, 'stayhomesavelives essentialcommodities essentialservices': 798379, 'essentialcommodities essentialservices reasi': 281887, 'essentialservices reasi katra': 281929, 'reasi katra mahore': 702857, 'katra mahore chassana': 471064, 'mahore chassana thuroo': 508524, 'chassana thuroo arnas': 173918, 'thuroo arnas pouni': 895318, 'arnas pouni thakrakote': 93066, 'articulating': 94511, 'bluemarlin': 133500, 'articulating carefully': 94512, 'carefully organised': 164476, 'authentic brand': 103614, 'brand purpose': 137980, 'cut through': 223592, 'white noise': 987877, 'noise of': 566227, 'pessimism is': 653317, 'now bluemarlin': 574264, 'articulating carefully organised': 94513, 'carefully organised and': 164477, 'organised and authentic': 619310, 'and authentic brand': 58529, 'authentic brand purpose': 103615, 'brand purpose to': 137981, 'purpose to cut': 690159, 'to cut through': 903893, 'cut through the': 223593, 'through the white': 894777, 'the white noise': 871459, 'white noise of': 987878, 'noise of panic': 566228, 'panic and pessimism': 637329, 'and pessimism is': 68941, 'pessimism is critical': 653318, 'critical now bluemarlin': 218617, 'vitamind': 959828, 'theresstillhope': 879486, 'vitamin supply': 959801, 'supply vitamind': 826067, 'vitamind awareness': 959829, 'awareness theresstillhope': 105735, 'theresstillhope 19': 879487, '19 codvid19': 5866, 'codvid19 hand': 185415, 'your hand people': 1024211, 'hand people and': 375175, 'people and stay': 646883, 'indoors and also': 435374, 'and also do': 57946, 'forget your vitamin': 329352, 'your vitamin supply': 1026292, 'vitamin supply vitamind': 959802, 'supply vitamind awareness': 826068, 'vitamind awareness theresstillhope': 959830, 'awareness theresstillhope 19': 105736, 'theresstillhope 19 codvid19': 879488, '19 codvid19 hand': 5867, 'codvid19 hand sanitizer': 185416, 'police foxnews': 663022, 'store police foxnews': 809607, 'shopnormal': 761259, 'hungergames': 411214, 'if hunger': 414247, 'game will': 343294, 'be legal': 115699, 'legal in': 485872, 'park soon': 641982, 'soon tescos': 785838, 'tescos sainsburys': 838878, 'sainsburys panicbuyinguk': 731783, '19 shopnormal': 10478, 'shopnormal hungergames': 761260, 'hungergames aldi': 411215, 'lidl morrison': 488294, 'morrison waitrose': 541777, 'wonder if hunger': 1003969, 'if hunger game': 414248, 'hunger game will': 411119, 'game will be': 343295, 'will be legal': 992535, 'be legal in': 115700, 'legal in supermarket': 485873, 'car park soon': 163234, 'park soon tescos': 641983, 'soon tescos sainsburys': 785839, 'tescos sainsburys panicbuyinguk': 838879, 'sainsburys panicbuyinguk 19': 731784, 'panicbuyinguk 19 shopnormal': 639129, '19 shopnormal hungergames': 10479, 'shopnormal hungergames aldi': 761261, 'hungergames aldi lidl': 411216, 'aldi lidl morrison': 41282, 'lidl morrison waitrose': 488295, 'them stick': 876329, 'that read': 845951, 'read like': 700402, 'agenda usa': 38126, '19 made unthinkable': 8502, 'reform reality in': 706731, 'reality in the': 701747, 'the now make': 861941, 'now make them': 575274, 'make them stick': 510616, 'them stick the': 876330, 'stick the crisis': 800053, 'price that read': 676813, 'that read like': 845953, 'read like progressive': 700403, 'progressive agenda usa': 683407, 'america 2020': 51434, 'about switching': 26297, 'thinking about switching': 885857, 'about switching to': 26298, 'some tip from': 784065, 'nevadan': 557835, 'general ford': 345339, 'his office': 397654, 'monitoring covid': 537349, 'using every': 950470, 'every tool': 286331, 'resource at': 714716, 'it disposal': 457588, 'disposal to': 246285, 'observe and': 578573, 'against those': 37702, 'of nevadan': 586946, 'nevadan by': 557836, 'or deceiving': 614906, 'deceiving them': 230734, 'know that attorney': 476755, 'attorney general ford': 102638, 'general ford and': 345340, 'ford and his': 328760, 'and his office': 64607, 'his office is': 397655, 'office is monitoring': 595458, 'is monitoring covid': 449690, 'monitoring covid 19': 537350, 'related scam we': 708564, 'scam we are': 740467, 'are using every': 91416, 'using every tool': 950472, 'every tool and': 286332, 'tool and resource': 925391, 'and resource at': 70322, 'resource at it': 714718, 'at it disposal': 99318, 'it disposal to': 457589, 'disposal to observe': 246286, 'to observe and': 910790, 'observe and act': 578574, 'and act against': 57621, 'act against those': 29584, 'against those who': 37704, 'those who would': 892699, 'who would take': 990063, 'advantage of nevadan': 33016, 'of nevadan by': 586947, 'nevadan by inflating': 557837, 'inflating price or': 437122, 'price or deceiving': 675770, 'or deceiving them': 614907, 'uk off': 938579, 'off licence': 593948, 'licence and': 488099, 'supermarket drink': 820025, 'drink aisle': 258789, 'scene in uk': 741335, 'in uk off': 430392, 'uk off licence': 938580, 'off licence and': 593949, 'licence and supermarket': 488100, 'and supermarket drink': 72716, 'supermarket drink aisle': 820026, 'drink aisle right': 258790, 'aisle right now': 40356, 'neighbour what': 557250, 'be appreciated': 113672, 'appreciated most': 82825, 'most something': 542759, 'something home': 784937, 'home baked': 400754, 'baked shop': 108779, 'idea welcome': 413228, 'welcome allinthistogether': 977867, 'do something nice': 250146, 'something nice for': 784981, 'nice for my': 562398, 'for my neighbour': 323727, 'my neighbour what': 549444, 'neighbour what do': 557251, 'would be appreciated': 1011553, 'be appreciated most': 113673, 'appreciated most something': 82826, 'most something home': 542760, 'something home baked': 784938, 'home baked shop': 400755, 'baked shop of': 108780, 'shop of essential': 760528, 'of essential from': 583169, 'essential from the': 281072, 'the supermarket any': 868462, 'supermarket any idea': 819125, 'any idea welcome': 79340, 'idea welcome allinthistogether': 413229, 'tweet great': 936370, 'idea retweeting': 413163, 'retweeting supermarket': 720113, 'lidl asda': 488282, 'morrison panicbuying': 541747, 'panicbuyers foodshortages': 638851, 'foodshortages emptyshelves': 318137, 'emptyshelves fooddelivery': 275302, 'fooddelivery food': 317896, 'food virus': 317434, 'underrated tweet great': 940557, 'tweet great idea': 936371, 'great idea retweeting': 362733, 'idea retweeting supermarket': 413164, 'retweeting supermarket supermarket': 720114, 'supermarket supermarket tesco': 823037, 'supermarket tesco sainsbury': 823152, 'tesco sainsbury lidl': 838793, 'sainsbury lidl asda': 731695, 'lidl asda morrison': 488283, 'asda morrison panicbuying': 94949, 'morrison panicbuying panicbuyers': 541748, 'panicbuying panicbuyers foodshortages': 639010, 'panicbuyers foodshortages emptyshelves': 638852, 'foodshortages emptyshelves fooddelivery': 318138, 'emptyshelves fooddelivery food': 275303, 'fooddelivery food virus': 317897, 'cabbie': 154951, 'chubby': 178272, 'energetic': 276372, 'living cabbie': 496327, 'cabbie my': 154952, 'business venture': 144613, 'venture will': 954688, 'be renting': 116794, 'renting out': 711318, 'walk during': 964770, 'our pending': 624303, 'pending lockdownuk': 646482, 'lockdownuk chubby': 500401, 'chubby one': 178273, 'she lazy': 756187, 'lazy fucker': 482749, 'fucker slim': 339752, 'slim one': 773985, 'very energetic': 955142, 'energetic taxi': 276373, 'due to not': 261877, 'to not being': 910682, 'able to earn': 24475, 'earn living cabbie': 264790, 'living cabbie my': 496328, 'cabbie my new': 154953, 'my new business': 549456, 'new business venture': 558430, 'business venture will': 144614, 'venture will be': 954689, 'will be renting': 992645, 'be renting out': 116795, 'renting out my': 711319, 'out my dog': 626595, 'for walk during': 327614, 'walk during our': 964771, 'during our pending': 262847, 'our pending lockdownuk': 624304, 'pending lockdownuk chubby': 646483, 'lockdownuk chubby one': 500402, 'chubby one is': 178274, 'one is she': 606521, 'is she lazy': 451838, 'she lazy fucker': 756188, 'lazy fucker slim': 482750, 'fucker slim one': 339753, 'slim one is': 773986, 'one is very': 606531, 'is very energetic': 453674, 'very energetic taxi': 955143, 'make clorox': 509777, 'bleach wipe': 132530, 'wipe diy': 996228, 'sanitizer advice': 734320, 'doctor this': 251134, 'best recipe': 127879, 'recipe californiacoronavirus': 704447, 'californiacoronavirus coronapocolypse': 155620, 'to make clorox': 909635, 'make clorox bleach': 509778, 'clorox bleach wipe': 182456, 'bleach wipe diy': 132531, 'wipe diy hand': 996229, 'hand sanitizer advice': 375290, 'sanitizer advice from': 734321, 'advice from doctor': 33382, 'from doctor this': 335173, 'doctor this is': 251135, 'this is best': 888190, 'is best recipe': 446144, 'best recipe californiacoronavirus': 127880, 'recipe californiacoronavirus coronapocolypse': 704448, 'fetishize': 303626, 'are shitting': 90044, 'shitting heavily': 759352, 'asian now': 95316, 'xenophobia caused': 1013821, 'back planning': 107224, 'and fetishize': 62806, 'fetishize asian': 303627, 'fuck our': 339619, 'people are shitting': 647075, 'are shitting heavily': 90045, 'shitting heavily on': 759353, 'heavily on asian': 388591, 'on asian now': 599481, 'asian now with': 95317, 'and xenophobia caused': 75952, 'xenophobia caused by': 1013822, 'be back planning': 113787, 'back planning trip': 107225, 'japan etc they': 464730, 'etc they will': 282818, 'they will love': 883863, 'will love asian': 994059, 'love asian food': 504608, 'food and fetishize': 313230, 'and fetishize asian': 62807, 'fetishize asian food': 303628, 'asian food fuck': 95287, 'food fuck our': 314629, 'fuck our culture': 339620, 'largest most': 479983, 'patient org': 644227, 'org in': 619185, 'canada yet': 160616, 'yet aren': 1016006, 'aren listed': 92450, 'the largest most': 858969, 'largest most active': 479984, 'arthritis patient org': 94218, 'patient org in': 644228, 'org in canada': 619186, 'in canada yet': 421207, 'canada yet aren': 160617, 'yet aren listed': 1016007, 'aren listed sponsor': 92451, 'investment trend': 444076, 'trend lesson': 931387, 'lesson learned': 486488, 'behavior and investment': 123891, 'and investment trend': 65365, 'investment trend lesson': 444077, 'trend lesson learned': 931388, 'lesson learned from': 486489, 'learned from china': 484112, 'apha': 81456, 'acb': 27790, 'trul': 933253, 'cura': 220526, 'tlry': 899347, 'hexo': 394304, 'wmd': 1003280, 'lh': 487933, 'tgod': 840030, 'emh': 273161, 'tbp': 835265, 'kshb': 477834, 'vff': 955758, 'mmen': 534775, 'gtii': 367670, 'harv': 378596, 'cweb': 223886, 'cchwf': 168425, 'zena': 1027371, 'ogi': 596329, 'new play': 559282, 'play cannabis': 659120, 'cannabis sale': 161439, 'skyrocketing also': 773404, 'also given': 48264, 'status apha': 796661, 'apha acb': 81457, 'acb weed': 27791, 'weed trul': 975772, 'trul cura': 933254, 'cura tlry': 220527, 'tlry hexo': 899348, 'hexo wmd': 394305, 'wmd lh': 1003281, 'lh oil': 487934, 'oil lab': 596923, 'lab tgod': 478298, 'tgod emh': 840031, 'emh tbp': 273162, 'tbp kshb': 835266, 'kshb vff': 477835, 'vff mmen': 955759, 'mmen tilt': 534776, 'tilt cl': 896143, 'cl gtii': 179675, 'gtii harv': 367671, 'harv cweb': 378597, 'cweb lab': 223887, 'lab cchwf': 478251, 'cchwf ian': 168426, 'ian zena': 412555, 'zena ogi': 1027372, 'the new play': 861540, 'new play cannabis': 559283, 'play cannabis sale': 659121, 'cannabis sale and': 161440, 'are skyrocketing also': 90160, 'skyrocketing also given': 773405, 'also given essential': 48265, 'service status apha': 752863, 'status apha acb': 796662, 'apha acb weed': 81458, 'acb weed trul': 27792, 'weed trul cura': 975773, 'trul cura tlry': 933255, 'cura tlry hexo': 220528, 'tlry hexo wmd': 899349, 'hexo wmd lh': 394306, 'wmd lh oil': 1003282, 'lh oil lab': 487935, 'oil lab tgod': 596924, 'lab tgod emh': 478299, 'tgod emh tbp': 840032, 'emh tbp kshb': 273163, 'tbp kshb vff': 835267, 'kshb vff mmen': 477836, 'vff mmen tilt': 955760, 'mmen tilt cl': 534777, 'tilt cl gtii': 896144, 'cl gtii harv': 179676, 'gtii harv cweb': 367672, 'harv cweb lab': 378598, 'cweb lab cchwf': 223888, 'lab cchwf ian': 478252, 'cchwf ian zena': 168427, 'ian zena ogi': 412556, 'holding company': 400099, 'only supplying': 611227, 'supplying item': 826295, 'also giving': 48266, 'to 1500': 899506, 'ethiopia time': 283115, 'the east african': 853843, 'african holding company': 35203, 'holding company ha': 400100, 'company ha real': 190713, 'ha real citizenship': 371638, 'not only supplying': 570832, 'only supplying item': 611228, 'supplying item with': 826296, 'but also giving': 145116, 'also giving free': 48267, 'giving free food': 351294, 'free food to': 331837, 'food to 1500': 317228, 'to 1500 citizen': 899507, 'in ethiopia time': 422617, 'ethiopia time day': 283116, 'time day in': 896538, 'day in this': 227812, 'in this bad': 429909, 'pack tuna': 633181, 'tuna tin': 935387, 'tin that': 898563, 'story lockdown': 812036, 'today and left': 919218, 'left with pack': 485747, 'with pack tuna': 1000055, 'pack tuna tin': 633182, 'tuna tin that': 935388, 'tin that the': 898564, 'that the story': 846843, 'the story lockdown': 868179, 'big to': 130076, 'nurse health': 577358, 'responder fireman': 715457, 'fireman grocery': 308247, 'people postage': 649163, 'postage worker': 666430, 'worker pilot': 1007578, 'pilot flight': 656733, 'worker pastor': 1007551, 'pastor everyone': 643884, 'else personally': 271842, 'personally sacrificing': 653043, 'sacrificing to': 729140, 'serve daily': 751882, 'daily in': 224638, 'the week big': 871296, 'week big to': 976014, 'big to doctor': 130078, 'doctor nurse health': 251019, 'nurse health care': 577359, 'care worker first': 164287, 'first responder fireman': 308941, 'responder fireman grocery': 715458, 'fireman grocery store': 308248, 'delivery people postage': 234322, 'people postage worker': 649164, 'postage worker pilot': 666431, 'worker pilot flight': 1007579, 'pilot flight attendant': 656734, 'flight attendant food': 310440, 'service worker pastor': 753106, 'worker pastor everyone': 1007552, 'pastor everyone else': 643885, 'everyone else personally': 286873, 'else personally sacrificing': 271843, 'personally sacrificing to': 653044, 'sacrificing to serve': 729142, 'to serve daily': 914260, 'serve daily in': 751883, 'daily in light': 224640, 'operationmasks': 613327, 'operationmasks and': 613328, 'gouging lack': 359374, 'ordination is': 619112, 'price compounding': 673204, 'compounding the': 192608, 'crisis middleman': 217722, 'middleman are': 530707, 'offering n95': 595193, '13 each': 3212, 'each via': 264321, 'via medicalequipment': 956077, 'medicalequipment donaldtrump': 526523, 'operationmasks and the': 613329, 'and the battle': 73254, 'battle against price': 112775, 'price gouging lack': 674293, 'gouging lack of': 359375, 'lack of co': 478608, 'of co ordination': 581491, 'co ordination is': 184932, 'ordination is driving': 619113, 'up price compounding': 945810, 'price compounding the': 673205, 'compounding the supply': 192609, 'the supply crisis': 868943, 'supply crisis middleman': 825122, 'crisis middleman are': 217723, 'middleman are offering': 530708, 'are offering n95': 88670, 'offering n95 mask': 595194, 'mask for 13': 518664, 'for 13 each': 318651, '13 each via': 3213, 'each via medicalequipment': 264322, 'via medicalequipment donaldtrump': 956078, 'xl': 1013863, 'washcloth': 967602, 'bathing': 112615, 'emergencypreparedness': 273078, 'extrasaturation': 293760, 'our xl': 625418, 'xl flushable': 1013864, 'flushable adult': 311570, 'adult washcloth': 32858, 'washcloth are': 967603, 'great alternative': 362497, 'traditional bathing': 928991, 'bathing or': 112616, 'personal rinse': 652950, 'free cleansing': 331713, 'cleansing on': 181184, 'toiletpaper emergencypreparedness': 921954, 'emergencypreparedness extrasaturation': 273079, 'extrasaturation 19': 293761, '19 washyourhands': 11907, 'washyourhands toiletpapershortage': 967933, 'our xl flushable': 625419, 'xl flushable adult': 1013865, 'flushable adult washcloth': 311571, 'adult washcloth are': 32859, 'washcloth are great': 967604, 'are great alternative': 86948, 'great alternative to': 362498, 'alternative to traditional': 49276, 'to traditional bathing': 917697, 'traditional bathing or': 928992, 'bathing or personal': 112617, 'or personal rinse': 616560, 'personal rinse free': 652951, 'rinse free cleansing': 722576, 'free cleansing on': 331714, 'cleansing on the': 181185, 'the go shop': 856386, 'go shop now': 354100, 'shop now toiletpaper': 760522, 'now toiletpaper emergencypreparedness': 576194, 'toiletpaper emergencypreparedness extrasaturation': 921955, 'emergencypreparedness extrasaturation 19': 273080, 'extrasaturation 19 washyourhands': 293762, '19 washyourhands toiletpapershortage': 11908, 'howard mark': 409318, 'mark make': 515797, 'make compelling': 509789, 'compelling case': 191519, 'for why': 327869, 'why asset': 990819, 'more loss': 539725, 'conclusion of': 193322, 'his memo': 397600, 'memo is': 528404, 'more figure': 539210, 'level than': 487721, 'than sell': 841125, 'howard mark make': 409319, 'mark make compelling': 515798, 'make compelling case': 509790, 'compelling case for': 191520, 'case for why': 165748, 'for why asset': 327871, 'why asset price': 990820, 'price are poised': 672714, 'are poised for': 89132, 'poised for more': 662786, 'for more loss': 323586, 'more loss the': 539726, 'loss the conclusion': 503787, 'the conclusion of': 851426, 'conclusion of his': 193323, 'of his memo': 584659, 'his memo is': 397601, 'memo is more': 528405, 'is more figure': 449706, 'more figure out': 539211, 'figure out what': 305222, 'buy at lower': 148382, 'lower level than': 505905, 'level than sell': 487722, 'than sell everything': 841126, 'mythbusters': 551067, 'coronamisconceptions': 205077, 'coronamyths': 205080, 'stayballyhoo': 797828, '19 mythbusters': 8739, 'mythbusters coronamisconceptions': 551068, 'coronamisconceptions coronamyths': 205078, 'coronamyths covi': 205081, 'd19 facemasks': 224173, 'facemasks sanitizer': 295163, 'sanitizer who': 736089, 'who stayhomestaysafe': 989666, 'stayhomestaysafe lockdown': 798518, 'quarantine stayballyhoo': 692565, 'stayballyhoo for': 797829, 'covid 19 mythbusters': 213460, '19 mythbusters coronamisconceptions': 8740, 'mythbusters coronamisconceptions coronamyths': 551069, 'coronamisconceptions coronamyths covi': 205079, 'coronamyths covi d19': 205082, 'covi d19 facemasks': 212539, 'd19 facemasks sanitizer': 224174, 'facemasks sanitizer who': 295165, 'sanitizer who stayhomestaysafe': 736092, 'who stayhomestaysafe lockdown': 989667, 'stayhomestaysafe lockdown quarantine': 798519, 'lockdown quarantine stayballyhoo': 499827, 'quarantine stayballyhoo for': 692566, 'stayballyhoo for more': 797830, 'for more check': 323558, 'undermine': 940498, 'supermarket big': 819369, 'big boy': 129662, 'boy like': 137265, 'cannot survive': 162155, 'without rice': 1002890, 'or rice': 616903, 'bean diet': 118313, 'diet never': 241739, 'never undermine': 558246, 'undermine older': 940499, 'people starve': 649549, 'virus stoppanicbuying': 958821, 'stoppanicbuying selfishpricks': 805605, 'all supermarket big': 44544, 'supermarket big boy': 819370, 'big boy like': 129663, 'boy like me': 137266, 'like me cannot': 490740, 'me cannot survive': 522568, 'cannot survive without': 162156, 'survive without rice': 829302, 'without rice or': 1002891, 'rice or rice': 721097, 'or rice bean': 616904, 'rice bean diet': 721017, 'bean diet never': 118314, 'diet never undermine': 241741, 'never undermine older': 558247, 'undermine older people': 940500, 'older people starve': 598660, 'people starve to': 649552, 'to death from': 903980, 'death from any': 230047, 'from any kind': 334549, 'kind of virus': 474953, 'of virus stoppanicbuying': 592831, 'virus stoppanicbuying selfishpricks': 958822, 'many needing': 514334, 'needing snap': 556629, 'snap right': 776114, 'can ebt': 158210, 'ebt be': 266576, 'so many needing': 777678, 'many needing snap': 514335, 'needing snap right': 556630, 'snap right now': 776115, 'right now can': 722039, 'now can ebt': 574327, 'can ebt be': 158211, 'ebt be used': 266577, 'used online instead': 949984, 'of just in': 585572, 'just in store': 469048, 'reduce the amount': 705955, 'store and slow': 806347, 'and slow spread': 71752, 'supportspokane': 827289, 'downtownspokane': 257778, 'ha number': 371410, 'support supportspokane': 826846, 'supportspokane downtownspokane': 827290, 'downtownspokane shoplocal': 257779, 'downtown still ha': 257761, 'still ha number': 800619, 'ha number of': 371411, 'number of retailer': 576986, 'of retailer with': 589069, 'shopping option available': 763531, 'option available check': 613994, 'available check out': 104292, 'to support supportspokane': 915973, 'support supportspokane downtownspokane': 826847, 'supportspokane downtownspokane shoplocal': 827291, 'zen': 1027368, 'who head': 988978, 'despite labor': 238770, 'shortage causing': 764879, 'causing veg': 168146, 'veg to': 953790, 'to rot': 913635, 'field lousy': 304487, 'lousy price': 504578, 'price causing': 673097, 'causing milk': 168067, 'low corn': 505204, 'corn soy': 203594, 'soy price': 786973, 'loss farmer': 503674, 'farmer here': 299415, 'stay zen': 797414, 'zen amid': 1027369, 'uncertainty weather': 939775, 'weather risk': 974892, 'who head out': 988979, 'work despite labor': 1005042, 'despite labor shortage': 238771, 'labor shortage causing': 478439, 'shortage causing veg': 764880, 'causing veg to': 168147, 'veg to rot': 953791, 'to rot in': 913636, 'the field lousy': 855147, 'field lousy price': 304488, 'lousy price causing': 504579, 'price causing milk': 673098, 'causing milk to': 168068, 'be dumped and': 114619, 'dumped and low': 262200, 'and low corn': 66437, 'low corn soy': 505205, 'corn soy price': 203595, 'soy price that': 786975, 'price that may': 676811, 'that may lead': 845083, 'lead to loss': 483362, 'to loss farmer': 909469, 'loss farmer here': 503675, 'farmer here how': 299416, 'how they stay': 408929, 'they stay zen': 883453, 'stay zen amid': 797415, 'zen amid the': 1027370, 'amid the uncertainty': 52718, 'the uncertainty weather': 870345, 'uncertainty weather risk': 939776, 'councilman': 210051, 'additional helpful': 31827, 'information circulated': 437782, 'circulated yesterday': 178670, 'by montgomery': 153237, 'county councilman': 211348, 'councilman on': 210052, 'hour guidance': 405655, 'senior resident': 750396, 'resident support': 714372, 'here some additional': 393574, 'some additional helpful': 782257, 'additional helpful information': 31828, 'helpful information circulated': 391195, 'information circulated yesterday': 437783, 'circulated yesterday by': 178671, 'yesterday by montgomery': 1015701, 'by montgomery county': 153238, 'montgomery county councilman': 537507, 'county councilman on': 211349, 'councilman on supermarket': 210053, 'on supermarket hour': 603793, 'supermarket hour guidance': 820800, 'hour guidance for': 405656, 'guidance for senior': 368235, 'for senior resident': 325475, 'senior resident support': 750397, 'resident support for': 714373, 'and worker and': 75870, 'think ssi': 885558, 'ssi recipient': 791656, 'recipient aren': 704524, 'aren affected': 92306, 'as for': 94745, 'for ppl': 324673, 'grocery hop': 364597, 'food am': 313111, 'they think ssi': 883563, 'think ssi recipient': 885559, 'ssi recipient aren': 791657, 'recipient aren affected': 704525, 'aren affected by': 92307, 'we are for': 970570, 'are for week': 86650, 'for week ve': 327759, 'week ve been': 977159, 've been unable': 952953, 'to find grocery': 905905, 'find grocery ve': 306950, 'grocery ve had': 366097, 'pay out the': 645033, 'out the as': 627349, 'the as for': 848949, 'as for ppl': 94747, 'for ppl to': 324674, 'ppl to grocery': 668352, 'to grocery hop': 907005, 'grocery hop from': 364598, 'find me food': 307051, 'me food am': 522740, 'learned since': 484140, 'outbreak people': 628525, 'to strip': 915678, 'bare while': 110982, 'work toilet': 1005922, 'entire population': 278721, 'is addicted': 445349, 'to paracetamol': 911453, 've learned since': 953330, 'learned since the': 484141, '19 outbreak people': 9167, 'outbreak people who': 628526, 'have job can': 381167, 'job can afford': 465720, 'afford to strip': 34810, 'to strip supermarket': 915679, 'strip supermarket bare': 813833, 'supermarket bare while': 819302, 'bare while at': 110983, 'while at work': 986629, 'at work toilet': 101622, 'work toilet roll': 1005923, 'roll is used': 725353, 'is used for': 453616, 'used for everything': 949905, 'everything the entire': 288038, 'the entire population': 854363, 'entire population is': 278722, 'population is addicted': 664703, 'is addicted to': 445350, 'addicted to paracetamol': 31629, 'iser': 454204, 'mouhcine': 543382, 'guettabi': 368189, 'do decline': 249217, 'market affect': 515916, 'affect alaska': 34107, 'alaska budget': 40723, 'deficit going': 232245, 'forward iser': 329987, 'iser associate': 454205, 'economics mouhcine': 267470, 'mouhcine guettabi': 543383, 'guettabi talk': 368190, 'talk restaurant': 833841, 'restaurant tourism': 716770, 'tourism and': 926963, 'budget during': 141777, 'how do decline': 407711, 'do decline in': 249218, 'stock market affect': 802376, 'market affect alaska': 515917, 'affect alaska budget': 34108, 'alaska budget deficit': 40724, 'budget deficit going': 141775, 'deficit going forward': 232246, 'going forward iser': 355160, 'forward iser associate': 329988, 'iser associate professor': 454206, 'professor of economics': 682574, 'of economics mouhcine': 582961, 'economics mouhcine guettabi': 267471, 'mouhcine guettabi talk': 543384, 'guettabi talk restaurant': 368191, 'talk restaurant tourism': 833842, 'restaurant tourism and': 716771, 'tourism and the': 926966, 'state budget during': 795437, 'budget during the': 141779, '19 pandemic watch': 9519, 'thing stocked': 884770, 'won change': 1003764, 'keep thing stocked': 472128, 'thing stocked and': 884771, 'at them won': 101189, 'them won change': 876657, 'won change the': 1003765, 'that they ve': 846958, 'they ve run': 883681, 'tshrit': 934941, 'staysafe and': 798782, 'share awareness': 754937, 'awareness price': 105727, '14 sale': 3522, 'sale time': 732581, 'for tshrit': 327375, 'tshrit 20': 934942, '20 sale': 13312, 'for iphone': 322649, 'iphone cover': 444562, 'cover link': 212243, 'staysafe usa': 798944, 'usa italy': 948680, 'spain arab': 787279, 'arab coronaupdate': 83822, 'coronaupdate quarantine': 205330, 'staysafe and share': 798783, 'and share awareness': 71385, 'share awareness price': 754938, 'awareness price 14': 105728, 'price 14 sale': 672111, '14 sale time': 3523, 'sale time for': 732582, 'time for tshrit': 896770, 'for tshrit 20': 327376, 'tshrit 20 sale': 934943, '20 sale time': 13313, 'time for iphone': 896717, 'for iphone cover': 322650, 'iphone cover link': 444563, 'cover link for': 212244, 'link for purchase': 493839, 'for purchase in': 324863, 'purchase in bio': 689502, 'bio corona stayhome': 131132, 'stayhome staysafe usa': 798177, 'staysafe usa italy': 798945, 'usa italy spain': 948681, 'italy spain arab': 462917, 'spain arab coronaupdate': 787280, 'arab coronaupdate quarantine': 83823, 'of cat': 581192, 'cat every': 166854, 'month until': 538093, 'until my': 943789, 'people assume': 647165, 'assume panic': 97011, 'buying smh': 151038, 'normally buy box': 567485, 'buy box or': 148436, 'box or two': 137140, 'two of cat': 937083, 'of cat food': 581193, 'cat food for': 166865, 'for my cat': 323685, 'my cat every': 547644, 'cat every month': 166855, 'every month until': 286023, 'month until my': 538094, 'until my next': 943791, 'my next paycheck': 549489, 'next paycheck but': 561502, 'paycheck but because': 645277, '19 people assume': 9620, 'people assume panic': 647166, 'assume panic buying': 97012, 'panic buying smh': 637889, 'weekend trip': 977433, 'store looked': 808824, 'looked little': 502738, 'different with': 242135, 'with produce': 1000325, 'chip isle': 177514, 'isle looking': 454367, 'looking bare': 502837, 'empty tweet': 275217, 'your pic': 1025307, 'your latest': 1024594, 'update surrounding': 947235, 'this weekend trip': 891322, 'weekend trip to': 977434, 'grocery store looked': 365542, 'store looked little': 808826, 'looked little different': 502739, 'little different with': 495318, 'different with produce': 242136, 'with produce and': 1000326, 'produce and chip': 680177, 'and chip isle': 59864, 'chip isle looking': 177515, 'isle looking bare': 454369, 'looking bare and': 502838, 'bare and empty': 110857, 'and empty tweet': 62086, 'empty tweet your': 275218, 'tweet your pic': 936431, 'your pic and': 1025308, 'pic and follow': 655579, 'and follow for': 63012, 'for your latest': 328172, 'your latest update': 1024598, 'latest update surrounding': 481593, '19 infecting': 7844, 'infecting entire': 436685, 'entire team': 278755, 'and pressure': 69392, 'pressure placed': 671225, 'covid 19 infecting': 213266, '19 infecting entire': 7845, 'infecting entire team': 436686, 'entire team of': 278756, 'team of worker': 835746, 'of worker the': 593283, 'worker the stress': 1007939, 'stress and pressure': 813300, 'and pressure placed': 69393, 'pressure placed on': 671226, 'placed on retail': 657904, 'on retail and': 603173, 'service worker to': 753112, 'worker to put': 1008018, 'put out food': 690751, 'out food and': 626081, 'and necessity in': 67460, 'necessity in the': 554232, 'face of panic': 294666, 'buyer the stress': 149774, 'placed on health': 657901, 'on health care': 601255, 'care worker by': 164279, 'worker by more': 1006571, 'by more and': 153244, 'actuality': 30717, 'to condemn': 903182, 'condemn panicbuying': 193357, 'in actuality': 420021, 'actuality ha': 30718, 'opposite effect': 613785, 'encourages people': 275694, 'more coronacrisis': 538898, 'possible that sharing': 665808, 'sharing photo and': 755568, 'shelf to condemn': 757698, 'to condemn panicbuying': 903183, 'condemn panicbuying in': 193358, 'panicbuying in actuality': 638971, 'in actuality ha': 420022, 'actuality ha the': 30719, 'ha the opposite': 372216, 'the opposite effect': 862411, 'opposite effect and': 613786, 'effect and encourages': 268967, 'and encourages people': 62104, 'encourages people to': 275695, 'people to panic': 649926, 'buy more coronacrisis': 148966, 'informational': 438056, 'fcc provided': 300771, 'provided narrow': 686632, 'narrow relief': 551963, 'certain entity': 169994, 'entity allowing': 278844, 'of automatic': 580466, 'automatic telephone': 103984, 'telephone dialing': 836812, 'dialing system': 240294, 'send informational': 749875, 'informational communication': 438057, 'communication directly': 189587, 'directly related': 243573, 'outbreak without': 628835, 'without violating': 1003034, 'act for': 29643, 'the fcc provided': 855004, 'fcc provided narrow': 300772, 'provided narrow relief': 686633, 'narrow relief to': 551964, 'relief to certain': 709475, 'to certain entity': 902578, 'certain entity allowing': 169995, 'entity allowing the': 278845, 'allowing the use': 46348, 'use of automatic': 949399, 'of automatic telephone': 580467, 'automatic telephone dialing': 103985, 'telephone dialing system': 836813, 'dialing system to': 240295, 'system to send': 831357, 'to send informational': 914213, 'send informational communication': 749876, 'informational communication directly': 438058, 'communication directly related': 189588, 'directly related to': 243574, 'the outbreak without': 862728, 'outbreak without violating': 628836, 'without violating the': 1003035, 'violating the telephone': 957505, 'protection act for': 685277, 'act for more': 29644, 'our panic': 624244, 'buyer for': 149646, 'for spiking': 325826, 'spiking the': 789359, 'helping store': 391476, 'have reason': 382190, 'ration product': 697715, 'product buying': 681032, 'buying thank': 151145, 'much asshole': 544735, 'thank all our': 841535, 'all our panic': 43823, 'our panic buyer': 624245, 'panic buyer for': 637577, 'buyer for spiking': 149647, 'for spiking the': 325827, 'spiking the demand': 789360, 'the demand and': 853085, 'demand and helping': 234970, 'and helping store': 64496, 'helping store to': 391477, 'to have reason': 907298, 'have reason to': 382191, 'reason to increase': 703031, 'price and ration': 672516, 'and ration product': 69949, 'ration product buying': 697716, 'product buying thank': 681033, 'buying thank you': 151146, 'very much asshole': 955358, 'aren any': 92324, 'any confirmed': 79048, 'in abilene': 419977, 'abilene of': 24372, 'of yet': 593360, 'thankful for lower': 841907, 'for lower gas': 323135, 'that there aren': 846894, 'there aren any': 878189, 'aren any confirmed': 92325, 'any confirmed covid': 79049, 'case in abilene': 165781, 'in abilene of': 419978, 'abilene of yet': 24373, 'ppl supermarket': 668336, 'is wrong ppl': 454104, 'wrong ppl supermarket': 1013084, 'ppl supermarket forced': 668337, 'throw out 35': 895038, '35 00 of': 17865, '00 of fresh': 382, 'hero is': 394023, 'is wishing': 454005, 'consumer all': 196171, 'consumer hero is': 197752, 'hero is wishing': 394024, 'is wishing all': 454006, 'wishing all business': 996872, 'and consumer all': 60349, 'consumer all the': 196172, 'all the very': 44974, 'the very best': 870701, 'very best stay': 955017, 'these restriction': 880592, 'restriction get': 717277, 'get harder': 347189, 'harder but': 378163, 'covid19 you': 214405, 'in follows': 422957, 'time go by': 896844, 'go by we': 353401, 'by we know': 154702, 'know that these': 476794, 'that these restriction': 846918, 'these restriction get': 880593, 'restriction get harder': 717278, 'get harder but': 347190, 'harder but remember': 378164, 'but remember if': 146925, 'be covid19 you': 114273, 'covid19 you must': 214406, 'home no one': 401663, 'one should go': 607027, 'for walk everyone': 327617, 'walk everyone stay': 964777, 'stay in follows': 797044, 'in follows these': 422958, 'wa called': 961777, 'called selfish': 156438, 'bitch by': 131754, 'by lady': 153011, 'instinct wa': 440403, 'to fire': 905971, 'fire her': 308086, 'her as': 391859, 'the replied': 865523, 'replied first': 711709, 'served bitch': 751985, 'today wa called': 920447, 'wa called selfish': 961778, 'called selfish bitch': 156439, 'selfish bitch by': 748033, 'bitch by lady': 131755, 'by lady in': 153012, 'store because grabbed': 806675, 'the bread she': 849964, 'first instinct wa': 308736, 'instinct wa to': 440404, 'wa to fire': 963519, 'to fire her': 905972, 'fire her as': 308087, 'her as up': 391862, 'as up but': 94824, 'up but due': 944520, 'to the replied': 917016, 'the replied first': 865524, 'replied first come': 711710, 'first served bitch': 308998, 'highlight all': 395897, 'much selfishness': 545291, 'life corvid19uk': 488569, 'corvid19uk panicbuying': 207751, 'panicbuying emptyshelves': 638933, 'we just take': 972122, 'just take minute': 469940, 'minute to appreciate': 533867, 'to appreciate the': 900669, 'appreciate the hard': 82758, 'work and highlight': 1004781, 'and highlight all': 64564, 'highlight all the': 395898, 'the panic shopper': 863218, 'panic shopper are': 638551, 'going through to': 355510, 'through to supermarket': 894866, 'worker have never': 1007088, 'so much selfishness': 777809, 'much selfishness in': 545292, 'selfishness in my': 748357, 'my life corvid19uk': 549016, 'life corvid19uk panicbuying': 488570, 'corvid19uk panicbuying emptyshelves': 207752, 'contract checklist': 201641, 'checklist follow': 174869, '19 consumer contract': 5965, 'consumer contract checklist': 196969, 'contract checklist follow': 201642, 'checklist follow this': 174870, 'police power': 663163, 'power soon': 667685, 'soon will': 785901, 'be stunning': 117420, 'stunning arrest': 815313, 'street who': 813177, 'cannot prove': 162043, 'prove they': 686119, 'chemist doctor': 175421, 'weapon some': 974256, 'thankful when': 841941, 'when only': 983805, 'search return': 743287, 'police power soon': 663164, 'power soon will': 667686, 'soon will be': 785902, 'will be stunning': 992706, 'be stunning arrest': 117421, 'stunning arrest to': 815314, 'arrest to anyone': 93790, 'to anyone on': 900627, 'anyone on the': 80445, 'the street who': 868258, 'street who cannot': 813178, 'who cannot prove': 988428, 'cannot prove they': 162044, 'prove they are': 686120, 'are on their': 88738, 'way to supermarket': 970108, 'to supermarket chemist': 915782, 'supermarket chemist doctor': 819680, 'chemist doctor hospital': 175422, 'doctor hospital at': 250956, 'hospital at same': 404315, 'same time search': 733364, 'time search for': 897624, 'search for weapon': 743260, 'for weapon some': 327664, 'weapon some will': 974257, 'some will be': 784218, 'will be thankful': 992720, 'be thankful when': 117574, 'thankful when only': 841942, 'when only stop': 983806, 'only stop and': 611202, 'stop and search': 804454, 'and search return': 71108, 'door online': 255680, 'grocery apps': 364276, 'apps surge': 83312, 'ecommerce supplychain': 266879, 'supplychain retail': 826222, 'consumer practice social': 198402, 'distancing and stay': 246997, 'stay in door': 797043, 'in door online': 422369, 'door online grocery': 255681, 'online grocery apps': 608312, 'grocery apps surge': 364277, 'apps surge ecommerce': 83313, 'surge ecommerce supplychain': 828159, 'ecommerce supplychain retail': 266880, 'supplychain retail grocery': 826223, 'but expected': 145691, 'civilization we are': 179603, 'only working our': 611496, 'working our normal': 1008841, 'hour but expected': 405472, 'but expected to': 145692, 'worker too': 1008037, 'and preventative': 69416, 'measure need': 525264, 'safety while': 730786, 'they carry': 881728, 'line worker too': 493609, 'worker too every': 1008039, 'too every precaution': 924717, 'every precaution and': 286120, 'precaution and preventative': 669277, 'and preventative measure': 69417, 'preventative measure need': 671777, 'measure need to': 525265, 'taken to ensure': 833099, 'to ensure their': 905196, 'ensure their safety': 278096, 'their safety while': 874619, 'safety while they': 730787, 'while they carry': 987436, 'they carry out': 881730, 'out their essential': 627450, 'some government': 782979, 'to privacy': 912152, 'privacy and': 678798, 'protection challenge': 685376, 'challenge arising': 171408, '19 privacy': 9827, 'privacy dataprivacy': 678806, 'dataprivacy dataprotection': 226550, 'dataprotection consumerprotection': 226553, 'how some government': 408716, 'some government agency': 782980, 'agency are responding': 37986, 'responding to privacy': 715586, 'to privacy and': 912153, 'privacy and consumer': 678799, 'consumer protection challenge': 198516, 'protection challenge arising': 685377, 'challenge arising from': 171409, 'arising from 19': 92810, 'from 19 privacy': 334212, '19 privacy dataprivacy': 9828, 'privacy dataprivacy dataprotection': 678807, 'dataprivacy dataprotection consumerprotection': 226551, 'hindered': 396839, 'deliver alcoholic': 233085, 'to waived': 918284, 'waived some': 964541, 'some regulation': 783714, 'that hindered': 844339, 'hindered this': 396842, 'be important': 115378, 'great food': 362672, 'texas restaurant can': 839819, 'now deliver alcoholic': 574507, 'deliver alcoholic beverage': 233086, 'alcoholic beverage with': 41209, 'beverage with their': 129048, 'their food purchase': 873348, 'food purchase to': 316083, 'purchase to customer': 689698, 'customer in response': 222505, 'response to waived': 715894, 'to waived some': 918285, 'waived some regulation': 964542, 'some regulation that': 783715, 'regulation that hindered': 708119, 'that hindered this': 844340, 'hindered this in': 396843, 'coming week it': 188280, 'will be important': 992510, 'be important to': 115380, 'important to support': 419071, 'support our restaurant': 826738, 'our restaurant they': 624628, 'restaurant they are': 716748, 'are great food': 86950, 'great food source': 362675, 'food source for': 316702, 'source for texan': 786483, 'asimo': 95457, 'asimo this': 95458, 'happening long': 377375, '19 context': 6021, 'context how': 200904, 'how pharma': 408512, 'drug order': 261022, 'asimo this wa': 95459, 'this wa happening': 891068, 'wa happening long': 962275, 'happening long before': 377376, 'covid 19 context': 212853, '19 context how': 6022, 'context how pharma': 200905, 'how pharma company': 408513, 'pharma company raise': 654024, 'price of critical': 675432, 'of critical drug': 582203, 'critical drug order': 218546, 'drug order of': 261023, 'order of magnitude': 618445, 'hgv': 394573, 'transporting': 930066, 'hgv driver': 394574, 'driver transporting': 259814, 'transporting food': 930067, 'medicine courier': 526754, 'courier royal': 211819, 'royal mail': 726629, 'mail for': 508611, 'handling package': 376379, 'for building': 319810, 'supermarket corner': 819788, 'staff civil': 792318, 'hgv driver transporting': 394575, 'driver transporting food': 259815, 'transporting food and': 930068, 'and medicine courier': 66905, 'medicine courier royal': 526755, 'courier royal mail': 211820, 'royal mail for': 726632, 'mail for handling': 508612, 'for handling package': 322111, 'handling package the': 376380, 'package the armed': 633419, 'armed force for': 92938, 'force for building': 328389, 'for building hospital': 319811, 'building hospital pharmacy': 142088, 'hospital pharmacy staff': 404561, 'pharmacy staff supermarket': 654477, 'staff supermarket corner': 792902, 'supermarket corner shop': 819789, 'corner shop staff': 203676, 'shop staff civil': 760821, 'staff civil servant': 792319, 'servant working behind': 751854, 'the scene and': 866459, 'pierce': 656401, 'piercing': 656411, 'pierced': 656406, '2020 stock': 14616, 'fall falling': 296907, 'falling fell': 297263, 'fell fallen': 303190, 'fallen oil': 297165, 'crash crashing': 214964, 'crashing crashed': 215104, 'crashed crashed': 215068, 'crashed finance': 215070, 'finance crush': 306184, 'crush crushing': 219769, 'crushing crushed': 219813, 'crushed crushed': 219803, 'crushed covid': 219801, '19 pierce': 9684, 'pierce piercing': 656404, 'piercing pierced': 656412, 'pierced pierced': 656407, 'pierced world': 656409, 'panic panicking': 638401, 'panicking panicked': 639366, 'panicked panicked': 639274, '23 2020 stock': 15363, '2020 stock market': 14617, 'market fall falling': 516378, 'fall falling fell': 296908, 'falling fell fallen': 297264, 'fell fallen oil': 303191, 'fallen oil price': 297166, 'price crash crashing': 673320, 'crash crashing crashed': 214965, 'crashing crashed crashed': 215105, 'crashed crashed finance': 215069, 'crashed finance crush': 215071, 'finance crush crushing': 306185, 'crush crushing crushed': 219770, 'crushing crushed crushed': 219814, 'crushed crushed covid': 219804, 'crushed covid 19': 219802, 'covid 19 pierce': 213581, '19 pierce piercing': 9685, 'pierce piercing pierced': 656405, 'piercing pierced pierced': 656413, 'pierced pierced world': 656408, 'pierced world people': 656410, 'world people panic': 1009889, 'people panic panicking': 649061, 'panic panicking panicked': 638402, 'panicking panicked panicked': 639367, 'point am': 662405, 'baby son': 106701, 'son than': 785442, 'than about': 840313, 'society selfish': 781309, 'this point am': 889629, 'point am more': 662406, 'am more worried': 50226, 'possibility of not': 665548, 'my baby son': 547371, 'baby son than': 106702, 'son than about': 785443, 'than about catching': 840314, 'about catching coronavirus': 24937, 'catching coronavirus and': 167079, 'coronavirus and that': 205499, 'happens to our': 377513, 'our society selfish': 624831, 'society selfish asshole': 781310, 'test are': 838924, 'but selling': 147006, 'for 135': 318655, 'each is': 264104, 'irresponsible there': 445079, 'are limited': 87811, 'test if': 839027, 'are done': 85952, 'done incorrectly': 254901, 'incorrectly or': 432632, 'or contaminated': 614809, 'contaminated because': 200650, 'are performed': 89061, 'performed by': 651481, 'professional then': 682510, 'further testing': 342177, 'testing capitalism': 839467, 'coronavirus test are': 206880, 'test are essential': 838925, 'are essential but': 86245, 'essential but selling': 280875, 'but selling them': 147007, 'selling them directly': 749492, 'to consumer for': 903301, 'consumer for 135': 197518, 'for 135 each': 318656, '135 each is': 3343, 'each is irresponsible': 264106, 'is irresponsible there': 448990, 'irresponsible there are': 445080, 'there are limited': 878117, 'are limited number': 87813, 'of test if': 590682, 'test if they': 839030, 'they are done': 881256, 'are done incorrectly': 85953, 'done incorrectly or': 254902, 'incorrectly or contaminated': 432633, 'or contaminated because': 614810, 'contaminated because they': 200651, 'they are performed': 881358, 'are performed by': 89062, 'performed by non': 651482, 'by non medical': 153345, 'non medical professional': 566436, 'medical professional then': 526338, 'professional then we': 682511, 'be left with': 115698, 'left with no': 485745, 'no further testing': 564330, 'further testing capitalism': 342178, 'the indianeconomy': 858132, 'indianeconomy at': 434938, 'the unplanned': 870448, 'economy vanguard': 268316, 'vanguard rbi': 952407, 'rbi ready': 698092, 'rbi the government': 698095, 'government ha no': 360159, 'ha no idea': 371343, 'idea what is': 413232, 'to the indianeconomy': 916808, 'the indianeconomy at': 858133, 'indianeconomy at first': 434939, 'at first they': 98658, 'killed demand but': 474579, 'demand but supported': 235083, 'supply now the': 825608, 'now the unplanned': 576076, 'the unplanned lockdown': 870449, '150 economy vanguard': 3907, 'economy vanguard rbi': 268317, 'vanguard rbi ready': 952408, 'rbi ready to': 698093, 'agriculture can': 38938, 'it handle': 458448, 'handle labor': 376222, 'agriculture can it': 38939, 'can it handle': 158778, 'it handle labor': 458449, 'handle labor shortage': 376223, 'shopper mammoth': 761609, 'mammoth pot': 511952, 'pot noodle': 666886, 'noodle trolley': 566823, 'trolley supermarket': 932475, 'supermarket relaxes': 822191, 'relaxes purchasing': 708882, 'shopper mammoth pot': 761610, 'mammoth pot noodle': 511953, 'pot noodle trolley': 666889, 'noodle trolley supermarket': 566824, 'trolley supermarket relaxes': 932477, 'supermarket relaxes purchasing': 822192, 'relaxes purchasing limit': 708883, 'iclwn': 412788, 'iclwn family': 412789, 'tight on': 895831, 'most discount': 542257, 'discount store': 244538, 'dry due': 261259, 'help possible': 390339, 'iclwn family is': 412790, 'family is tight': 297957, 'is tight on': 453157, 'tight on money': 895832, 'on money we': 602197, 'money we really': 537153, 'really need grocery': 702434, 'need grocery and': 554930, 'grocery and are': 364224, 'of food most': 583735, 'food most discount': 315478, 'most discount store': 542258, 'discount store here': 244539, 'here and completely': 392700, 'and completely dry': 60235, 'completely dry due': 192271, 'dry due to': 261260, '19 panic could': 9543, 'panic could really': 638022, 'really use any': 702683, 'use any help': 949052, 'any help possible': 79317, 'ngl anyone': 561835, 'is ashamed': 445815, 'be applying': 113670, 'work deserves': 1005039, 'job coming': 465747, 'in should': 427920, 'actually want': 31008, 'ngl anyone who': 561836, 'anyone who been': 80612, 'who been laid': 988307, 'off for covid': 593826, 'and is ashamed': 65392, 'is ashamed to': 445816, 'to be applying': 901113, 'be applying for': 113671, 'applying for supermarket': 82637, 'for supermarket work': 326036, 'supermarket work deserves': 823971, 'work deserves to': 1005040, 'unemployed and the': 941105, 'and the job': 73433, 'the job coming': 858652, 'job coming in': 465748, 'coming in should': 188096, 'in should go': 427921, 'those that actually': 892526, 'that actually want': 842494, 'actually want it': 31009, 'burst': 142952, 'bilbrough critical': 130462, 'york burst': 1016583, 'burst into': 142957, 'into tear': 443076, 'shift urging': 758459, 'urging panic': 948436, 'dawn bilbrough critical': 227044, 'bilbrough critical care': 130463, 'critical care from': 218525, 'care from york': 163965, 'from york burst': 338450, 'york burst into': 1016584, 'burst into tear': 142958, 'into tear after': 443077, 'tear after being': 835920, 'after being unable': 35418, 'from supermarket following': 337482, 'following her 48': 312753, 'hour shift urging': 405925, 'shift urging panic': 758460, 'urging panic buyer': 948437, 'inwards': 444414, 'year at': 1014417, '26 11': 16127, '11 barrel': 2498, 'low spread': 505635, 'spread no': 790640, 'no sugar': 565612, 'sugar coating': 817437, 'coating it': 185147, 'it nigerian': 459813, 'nigerian should': 562874, 'ready foreign': 700882, 'foreign rice': 329011, 'rice will': 721172, 'again start': 37178, 'looking inwards': 502945, 'inwards now': 444415, 'can public': 159337, 'public official': 688193, 'official please': 595877, 'stealing time': 799261, '17 year at': 4403, 'year at 26': 1014418, 'at 26 11': 97556, '26 11 barrel': 16128, '11 barrel low': 2499, 'barrel low spread': 111244, 'low spread no': 505636, 'spread no sugar': 790641, 'no sugar coating': 565613, 'sugar coating it': 817438, 'coating it nigerian': 185148, 'it nigerian should': 459814, 'nigerian should be': 562875, 'should be ready': 765707, 'be ready foreign': 116696, 'ready foreign rice': 700883, 'foreign rice will': 329012, 'rice will not': 721173, 'it again start': 456309, 'again start looking': 37179, 'start looking inwards': 794376, 'looking inwards now': 502946, 'inwards now can': 444416, 'now can public': 574335, 'can public official': 159338, 'public official please': 688194, 'official please also': 595878, 'please also stop': 659650, 'also stop stealing': 48917, 'stop stealing time': 805069, 'stealing time have': 799262, 'confounding': 194281, 'conducting an': 193688, 'an experiment': 55968, 'experiment my': 291735, 'toilet one': 921166, 'ha soft': 371987, 'soft toilet': 781491, 'other ha': 620330, 'ha rough': 371781, 'rough toilet': 726263, 'paper both': 639949, 'have equal': 380478, 'equal number': 279602, 'roll which': 725596, 'out first': 626072, 'first confounding': 308587, 'confounding factor': 194282, 'factor live': 295895, 'alone toiletpaper': 46934, 'toiletpaper spareasquare': 922504, 'conducting an experiment': 193689, 'an experiment my': 55969, 'experiment my home': 291736, 'my home ha': 548688, 'home ha toilet': 401333, 'ha toilet one': 372332, 'toilet one ha': 921167, 'one ha soft': 606390, 'ha soft toilet': 371988, 'soft toilet paper': 781492, 'paper the other': 640877, 'the other ha': 862532, 'other ha rough': 620331, 'ha rough toilet': 371782, 'rough toilet paper': 726264, 'toilet paper both': 921206, 'paper both have': 639950, 'both have equal': 135926, 'have equal number': 380479, 'equal number of': 279603, 'of roll which': 589151, 'roll which will': 725597, 'which will run': 986503, 'run out first': 727757, 'out first confounding': 626073, 'first confounding factor': 308588, 'confounding factor live': 194283, 'factor live alone': 295896, 'live alone toiletpaper': 495717, 'alone toiletpaper spareasquare': 46935, 'thought be this': 892981, 'chatting gas': 174013, 'concern oil': 193031, 'cheap due': 174094, 'to saudi': 913769, 'arabia upping': 83960, 'upping production': 947709, 'production market': 682121, 'market concern': 516202, 'over arizona': 630002, 'arizona anticipates': 92822, 'anticipates gas': 78471, 'drop no': 260315, 'no disruption': 564027, 'supply gasprices': 825307, 'gasprices fox': 344290, 'chatting gas price': 174014, 'gas price with': 344060, 'price with my': 677619, 'my friend at': 548423, 'friend at amid': 333525, 'at amid concern': 97957, 'amid concern oil': 52406, 'concern oil is': 193032, 'oil is cheap': 596904, 'is cheap due': 446494, 'cheap due to': 174095, 'due to saudi': 261934, 'to saudi arabia': 913770, 'saudi arabia upping': 737225, 'arabia upping production': 83961, 'upping production market': 947710, 'production market concern': 682122, 'market concern over': 516203, 'concern over arizona': 193046, 'over arizona anticipates': 630003, 'arizona anticipates gas': 92823, 'anticipates gas price': 78472, 'to drop no': 904774, 'drop no disruption': 260316, 'no disruption to': 564028, 'disruption to business': 246540, 'to business or': 902135, 'business or supply': 144162, 'or supply gasprices': 617298, 'supply gasprices fox': 825308, 'amp which': 54836, 'already experiencing': 47328, 'experiencing higher': 291659, 'amp difficulty': 53648, 'will need amp': 994144, 'need amp which': 554397, 'amp which are': 54837, 'which are already': 985669, 'are already experiencing': 84406, 'already experiencing higher': 47329, 'experiencing higher demand': 291660, 'higher demand amp': 395568, 'demand amp difficulty': 234940, 'amp difficulty accessing': 53649, 'difficulty accessing food': 242364, 'accessing food see': 28360, 'food see 19': 316375, 'coronatourism': 205314, 'homer': 402913, 'pasta greed': 643730, 'greed now': 363412, 'it coronatourism': 457336, 'coronatourism village': 205315, 'village around': 957334, 'of second': 589433, 'second homer': 743740, 'homer holiday': 402914, 'let renter': 487011, 'renter in': 711302, 'village local': 957358, 'struggling our': 814473, 'capacity without': 162606, 'without selfish': 1002906, 'selfish entitled': 748085, 'entitled git': 278822, 'git overwhelming': 350334, 'overwhelming them': 631768, 'paper pasta greed': 640582, 'pasta greed now': 643731, 'greed now it': 363413, 'now it coronatourism': 575111, 'it coronatourism village': 457337, 'coronatourism village around': 205316, 'village around the': 957335, 'around the uk': 93565, 'uk have an': 938441, 'have an influx': 379257, 'influx of second': 437392, 'of second homer': 589434, 'second homer holiday': 743741, 'homer holiday let': 402915, 'holiday let renter': 400326, 'let renter in': 487012, 'renter in my': 711303, 'in my village': 425643, 'my village local': 550509, 'village local are': 957359, 'local are struggling': 497688, 'are struggling our': 90591, 'struggling our health': 814474, 'our health facility': 623371, 'health facility at': 386426, 'facility at capacity': 295306, 'at capacity without': 98195, 'capacity without selfish': 162607, 'without selfish entitled': 1002907, 'selfish entitled git': 748087, 'entitled git overwhelming': 278823, 'git overwhelming them': 350335, 'overwhelming them stay': 631769, 'them stay away': 876323, 'gfk': 349521, 'gfk german': 349522, 'at lowest': 99641, 'since 2009': 770458, 'gfk german consumer': 349523, 'german consumer confidence': 346219, 'confidence in march': 193899, 'march at lowest': 515287, 'at lowest point': 99644, 'point since 2009': 662624, 'donkey': 255142, 'idea instead': 413094, 'wearing scarf': 974774, 'scarf around': 741064, 'around our': 93440, 'our nose': 624092, 'nose at': 567874, 'just cosplay': 468529, 'cosplay in': 207804, 'in giant': 423312, 'giant animal': 349743, 'animal costume': 76566, 'costume mean': 208373, 'mean imagine': 524493, 'imagine world': 416833, 'have donkey': 380343, 'donkey at': 255143, 'out duck': 625980, 'duck replenishing': 261549, 'replenishing veg': 711688, 'three bear': 893881, 'bear fighting': 118398, 've got an': 953165, 'got an idea': 358402, 'an idea instead': 56129, 'idea instead of': 413095, 'instead of wearing': 440339, 'of wearing scarf': 592979, 'wearing scarf around': 974775, 'scarf around our': 741065, 'around our nose': 93441, 'our nose at': 624093, 'nose at the': 567875, 'the supermarket etc': 868577, 'supermarket etc we': 820217, 'etc we all': 282859, 'we all just': 970336, 'all just cosplay': 43297, 'just cosplay in': 468530, 'cosplay in giant': 207805, 'in giant animal': 423313, 'giant animal costume': 349744, 'animal costume mean': 76567, 'costume mean imagine': 208374, 'mean imagine world': 524494, 'imagine world where': 416834, 'world where you': 1010172, 'you have donkey': 1019040, 'have donkey at': 380344, 'donkey at check': 255144, 'check out duck': 174547, 'out duck replenishing': 625981, 'duck replenishing veg': 261550, 'replenishing veg and': 711689, 'veg and the': 953718, 'and the three': 73615, 'the three bear': 869514, 'three bear fighting': 893882, 'bear fighting over': 118399, 'over toilet roll': 630850, 'ministry cap': 533526, 'cap the': 162447, 'ply amp': 661757, 'amp ply': 54310, 'amp 10': 53308, 'for 200ml': 318740, '200ml during': 13738, '19 capped': 5646, 'capped price': 162880, 'remain till': 709886, 'june 30th': 467998, '30th this': 17541, 'affair ministry cap': 34075, 'ministry cap the': 533527, 'cap the price': 162448, 'of ply amp': 588182, 'ply amp ply': 661758, 'amp ply mask': 54311, 'mask to amp': 519390, 'to amp 10': 900429, 'amp 10 respectively': 53309, 'respectively and the': 715165, 'of sanitizers to': 589314, 'sanitizers to 100': 736421, '100 for 200ml': 1900, 'for 200ml during': 318741, '200ml during the': 13739, 'against 19 capped': 37301, '19 capped price': 5647, 'capped price to': 162881, 'to remain till': 913176, 'remain till june': 709887, 'till june 30th': 896044, 'june 30th this': 467999, '30th this year': 17542, 'some bc': 782388, 'bc dairy': 113225, 'farmer being': 299310, 'milk after': 531541, 'after drop': 35589, 'milk being': 531592, 'bank more': 110011, 'some bc dairy': 782389, 'bc dairy farmer': 113226, 'dairy farmer being': 224977, 'farmer being asked': 299311, 'dump milk after': 262168, 'milk after drop': 531542, 'after drop in': 35590, '19 closure some': 5859, 'closure some milk': 184033, 'some milk being': 783291, 'milk being donated': 531593, 'food bank more': 313600, 'bank more at': 110012, 'follw': 312975, 'enployment': 277792, 'must follw': 546667, 'follw the': 312976, 'danish and': 225839, 'and british': 59209, 'british economic': 140517, 'model otherwise': 535295, 'usa will': 948792, 'into depression': 442511, 'depression like': 237655, 'like 1930s': 489688, '1930s all': 12345, 'again your': 37295, 'your unemployment': 1026245, 'unemployment will': 941317, 'kill demand': 474381, 'negative growth': 556784, 'growth the': 367459, 'of enployment': 583125, 'enployment will': 277793, 'you must follw': 1019918, 'must follw the': 546668, 'follw the danish': 312977, 'the danish and': 852831, 'danish and british': 225840, 'and british economic': 59210, 'british economic model': 140518, 'economic model otherwise': 267173, 'model otherwise the': 535296, 'otherwise the usa': 621878, 'the usa will': 870556, 'usa will go': 948793, 'will go into': 993553, 'go into depression': 353741, 'into depression like': 442512, 'depression like 1930s': 237656, 'like 1930s all': 489689, '1930s all over': 12346, 'over again your': 629952, 'again your unemployment': 37296, 'your unemployment will': 1026246, 'unemployment will kill': 941318, 'will kill demand': 993911, 'kill demand when': 474382, 'demand when we': 236481, 'will have negative': 993655, 'have negative growth': 381561, 'negative growth the': 556785, 'growth the lack': 367460, 'lack of enployment': 478621, 'of enployment will': 583126, 'onepulse': 607559, 'onepulse consumer': 607560, 'data this': 226449, 'link scroll': 493902, 'result do': 717497, 'do kenyan': 249543, 'kenyan expect': 472964, 'expect brand': 290609, 'message how': 529336, 'parent dealing': 641612, 'with homeschooling': 998869, 'homeschooling will': 402953, 'impact job': 417723, 'onepulse consumer data': 607561, 'consumer data this': 197062, 'data this week': 226450, 'this week see': 891261, 'week see link': 976845, 'see link scroll': 745365, 'link scroll down': 493903, 'scroll down for': 742870, 'down for result': 256777, 'for result do': 325186, 'result do kenyan': 717498, 'do kenyan expect': 249544, 'kenyan expect brand': 472965, 'expect brand to': 290610, 'brand to change': 138043, 'change their message': 172310, 'their message how': 873957, 'message how are': 529337, 'are parent dealing': 88979, 'parent dealing with': 641613, 'dealing with homeschooling': 229671, 'with homeschooling will': 998870, 'homeschooling will impact': 402954, 'will impact job': 993783, 'had right': 373456, 'refund under': 706972, 'these term': 880795, 'purchased your': 689817, 'your ticket': 1026156, 'ticket business': 895597, 'term at': 838063, 'at later': 99422, 'later time': 481146, 'to deny': 904176, 'deny you': 237144, 'you refund': 1020881, 'you had right': 1018984, 'had right to': 373457, 'right to refund': 722350, 'to refund under': 913092, 'refund under these': 706973, 'under these term': 940350, 'these term and': 880796, 'and condition at': 60264, 'time you purchased': 898411, 'you purchased your': 1020501, 'purchased your ticket': 689818, 'your ticket business': 1026157, 'ticket business are': 895598, 'not permitted to': 571012, 'permitted to change': 652184, 'change the term': 172303, 'the term at': 869292, 'term at later': 838064, 'at later time': 99423, 'later time to': 481147, 'time to deny': 897974, 'to deny you': 904179, 'deny you refund': 237145, 'our knowledge': 623626, 'knowledge team': 477187, 'regularly updating': 707963, 'updating the': 947486, 'information this': 438004, 'information deal': 437792, 'with affected': 997113, 'affected issue': 34386, 'issue such': 455943, 'such employment': 816472, 'employment benefit': 274584, 'benefit housing': 127003, 'housing personal': 407124, 'our knowledge team': 623627, 'knowledge team are': 477188, 'team are regularly': 835593, 'are regularly updating': 89543, 'regularly updating the': 707965, 'updating the section': 947488, 'our website with': 625358, 'website with advice': 975488, 'with advice amp': 997105, 'amp information this': 53993, 'information this information': 438005, 'this information deal': 888111, 'information deal with': 437793, 'deal with affected': 229531, 'with affected issue': 997114, 'affected issue such': 34387, 'issue such employment': 455944, 'such employment benefit': 816473, 'employment benefit housing': 274585, 'benefit housing personal': 127004, 'housing personal finance': 407125, 'personal finance consumer': 652845, 'marketer beware': 517455, '19 crisis marketer': 6280, 'crisis marketer beware': 217702, 'gone ad': 356188, 'instock handsanitizer': 440491, 'handsanitizer pandemic': 376601, 'sanitizer is sold': 735211, 'here some in': 393580, 'some in stock': 783096, 'stock now get': 802510, 'now get it': 574773, 'get it before': 347397, 'it gone ad': 458287, 'gone ad instock': 356189, 'ad instock handsanitizer': 31125, 'instock handsanitizer pandemic': 440492, 'handsanitizer pandemic coronaoutbreak': 376602, 'arcese': 84034, 'old whose': 598545, 'whose university': 990686, 'university course': 942423, 'online justin': 608456, 'justin arcese': 470473, 'arcese is': 84035, 'is busier': 446309, 'for 19 year': 318716, 'year old whose': 1014879, 'old whose university': 598546, 'whose university course': 990687, 'university course have': 942424, 'course have moved': 211871, 'have moved online': 381521, 'moved online justin': 543826, 'online justin arcese': 608457, 'justin arcese is': 470474, 'arcese is busier': 84036, 'is busier than': 446310, 'busier than you': 143175, 'than you expect': 841489, 'waisted': 964056, 'colorado cause': 186785, 'buy colorado': 148502, 'big blizzard': 129645, 'blizzard lot': 132746, 'power people': 667657, 'colorado waisted': 186820, 'waisted on': 964057, 'in colorado cause': 421563, 'colorado cause massive': 186786, 'cause massive panic': 167647, 'bulk buy colorado': 142256, 'buy colorado big': 148503, 'colorado big blizzard': 186783, 'big blizzard lot': 129646, 'blizzard lot of': 132747, 'no power people': 565160, 'power people in': 667658, 'in colorado waisted': 421571, 'colorado waisted on': 186821, 'waisted on food': 964058, 'report south': 712266, 'east agricultural': 265280, 'agricultural is': 38891, 'increasingly getting': 433778, 'affected infection': 34382, 'infection rise': 436832, 'market report south': 516987, 'report south and': 712267, 'and east agricultural': 61857, 'east agricultural is': 265281, 'agricultural is increasingly': 38892, 'is increasingly getting': 448870, 'increasingly getting more': 433779, 'getting more affected': 349119, 'more affected infection': 538562, 'affected infection rise': 34383, 'infection rise demand': 436833, 'rise demand for': 722822, 'demand for amp': 235375, 'for amp ha': 319259, 'amp ha been': 53897, 'ha been low': 369849, 'been low leading': 121495, 'over fear': 630210, 'spread several': 790784, 'several shopper': 753933, 'hoard food over': 398795, 'food over fear': 315723, 'over fear of': 630211, '19 spread several': 10749, 'spread several shopper': 790785, 'several shopper tell': 753934, 'shopper tell how': 761732, 'tell how they': 836985, 'how they think': 408931, 'they think of': 883562, 'think of panic': 885455, 'and butter': 59321, 'butter herb': 148147, 'herb pasta': 392574, 'sauce and butter': 737135, 'and butter herb': 59322, 'butter herb pasta': 148148, 'jfc': 465411, 'hoard got': 398802, 'so jfc': 777486, 'jfc outofstock': 465412, 'were told the': 980279, 'told the supply': 923710, 'supply chain wa': 825058, 'chain wa fine': 171219, 'fine no need': 307665, 'to hoard got': 907870, 'hoard got to': 398803, 'and buy for': 59336, 'buy for week': 148702, 'or so jfc': 617127, 'so jfc outofstock': 777487, 'leary': 484286, 'in michael': 425283, 'michael leary': 530253, 'leary to': 484287, 'help finalise': 389722, 'finalise deal': 305901, 'be acquired': 113472, 'acquired at': 29168, 'state role': 795908, 'hospital health': 404451, 'insurance bed': 440677, 'bed fellow': 120396, 'fellow should': 303334, 'gov could': 359556, 'bring in michael': 139996, 'in michael leary': 425284, 'michael leary to': 530254, 'leary to help': 484288, 'to help finalise': 907516, 'help finalise deal': 389723, 'finalise deal so': 305902, 'so that hospital': 778375, 'that hospital could': 844370, 'hospital could be': 404360, 'could be acquired': 208836, 'be acquired at': 113473, 'acquired at knock': 29169, 'down price by': 257109, 'price by state': 673041, 'by state role': 154105, 'state role of': 795909, 'role of private': 725123, 'of private hospital': 588446, 'private hospital health': 678919, 'hospital health insurance': 404452, 'health insurance bed': 386543, 'insurance bed fellow': 440678, 'bed fellow should': 120397, 'fellow should be': 303335, 'should be very': 765763, 'very different after': 955106, 'different after gov': 241886, 'after gov could': 35727, 'gov could use': 359557, 'client reveals': 182085, 'reveals insight': 720329, 'into consumer': 442480, 'preference shaped': 669793, 'research from client': 713732, 'from client reveals': 334898, 'client reveals insight': 182086, 'reveals insight into': 720330, 'insight into consumer': 439581, 'into consumer content': 442482, 'advertising preference shaped': 33265, 'preference shaped by': 669794, 'me against': 522364, 'me against the': 522365, 'against the when': 37685, 'the when finally': 871434, 'when finally have': 983419, 'finally have to': 306039, 'so mentally': 777735, 'mentally retarded': 528729, 'think fucking': 885257, 'fucking 19': 339794, 'are so mentally': 90211, 'so mentally retarded': 777736, 'mentally retarded why': 528731, 'hell do you': 389003, 'do you take': 250686, 'supermarket think fucking': 823304, 'think fucking 19': 885258, 'fucking 19 19': 339795, '19 19 australia': 4708, 'surreal moment': 828669, 'day hearing': 227747, 'hearing life': 388210, 'is highway': 448467, 'highway by': 396150, 'by tom': 154566, 'tom cochrane': 923914, 'cochrane in': 185209, 'while surrounded': 987357, 'mask furiously': 518714, 'furiously looking': 341871, 'surreal moment of': 828670, 'moment of the': 536021, 'the day hearing': 852888, 'day hearing life': 227748, 'hearing life is': 388211, 'life is highway': 488808, 'is highway by': 448468, 'highway by tom': 396151, 'by tom cochrane': 154567, 'tom cochrane in': 923915, 'cochrane in the': 185210, 'store while surrounded': 811288, 'while surrounded by': 987358, 'surrounded by people': 828723, 'by people in': 153552, 'people in medical': 648394, 'in medical mask': 425227, 'medical mask furiously': 526259, 'mask furiously looking': 518715, 'furiously looking for': 341872, 'paper and cat': 639816, 'and cat food': 59618, 'general division': 345323, 'protection with': 685690, 'past month nearly': 643572, 'attorney general division': 102635, 'general division of': 345324, 'consumer protection with': 198582, 'protection with complaint': 685691, 'hit economy': 398221, 'but change': 145411, 'change undertaken': 172373, 'undertaken since': 940941, '2014 crisis': 13794, 'current difficulty': 221175, 'difficulty spoke': 242407, 'about reform': 26064, 'reform undertaken': 706735, 'since that': 770850, 'to hit economy': 907843, 'hit economy but': 398222, 'economy but change': 267723, 'but change undertaken': 145412, 'change undertaken since': 172374, 'undertaken since 2014': 940942, 'since 2014 crisis': 770465, '2014 crisis should': 13795, 'crisis should help': 218042, 'should help weather': 766110, 'the current difficulty': 852626, 'current difficulty spoke': 221177, 'difficulty spoke to': 242408, 'to about reform': 899917, 'about reform undertaken': 26065, 'reform undertaken since': 706736, 'undertaken since that': 940943, 'since that will': 770851, 'will help mitigate': 993720, 'help mitigate the': 390102, 'whoa': 990080, 'primeday': 678178, 'extravaganza': 293771, 'whoa hadn': 990081, 'hadn heard': 373853, 'will delay': 993142, 'delay it': 232719, 'annual primeday': 77417, 'primeday online': 678179, 'shopping extravaganza': 762623, 'extravaganza until': 293772, 'least august': 484403, 'august due': 102990, 'whoa hadn heard': 990082, 'hadn heard about': 373854, 'heard about this': 388054, 'about this until': 26668, 'this until now': 890925, 'until now will': 943803, 'now will delay': 576424, 'will delay it': 993143, 'delay it annual': 232720, 'it annual primeday': 456532, 'annual primeday online': 77418, 'primeday online shopping': 678180, 'online shopping extravaganza': 609118, 'shopping extravaganza until': 762624, 'extravaganza until at': 293773, 'at least august': 99467, 'least august due': 484404, 'august due to': 102991, 'someone corrected': 784414, 'corrected the': 207548, 'the grammar': 856692, 'grammar on': 361839, 'socialdistancing sign': 780687, 'sign at': 769096, 'lidl this': 488309, 'this plea': 889611, 'plea the': 659557, 'court lockdown': 211999, 'supermarket foodshopping': 820369, 'foodshopping grammar': 318123, 'someone corrected the': 784415, 'corrected the grammar': 207549, 'the grammar on': 856693, 'grammar on the': 361840, 'on the socialdistancing': 604371, 'the socialdistancing sign': 867429, 'socialdistancing sign at': 780688, 'sign at the': 769097, 'entrance to lidl': 278905, 'to lidl this': 909241, 'lidl this plea': 488310, 'this plea the': 889612, 'plea the court': 659558, 'the court lockdown': 852215, 'court lockdown supermarket': 212000, 'lockdown supermarket foodshopping': 499981, 'supermarket foodshopping grammar': 820370, 'disastrous outcome': 244290, 'pandemic would': 637064, 'global foodcrisis': 351955, 'foodcrisis the': 317885, 'disastrous outcome of': 244291, 'the pandemic would': 863165, 'pandemic would be': 637065, 'would be global': 1011588, 'be global foodcrisis': 115045, 'global foodcrisis the': 351956, 'foodcrisis the former': 317886, 'at who': 101552, 're affecting': 698195, 'affecting please': 34546, 'stop this unnecessary': 805200, 'this unnecessary panic': 890915, 'unnecessary panic buying': 942919, 'buying look at': 150678, 'look at who': 502308, 'at who you': 101553, 'who you re': 990078, 'you re affecting': 1020558, 're affecting please': 698196, 'affecting please stop': 34547, 'everyone remember': 287318, 'home eat': 401117, 'often keep': 596225, 'yourself busy': 1026549, 'busy don': 144892, 'this cov': 886987, 'corona sta': 204190, 'about the well': 26560, 'being of everyone': 125466, 'of everyone remember': 583258, 'everyone remember keep': 287319, 'remember keep social': 710221, 'keep social distance': 471944, 'distance stay home': 246837, 'stay home eat': 796957, 'home eat healthy': 401118, 'healthy food wash': 387637, 'hand often keep': 375122, 'often keep yourself': 596226, 'keep yourself busy': 472294, 'yourself busy don': 1026550, 'busy don panic': 144893, 'panic we can': 638762, 'through this cov': 894809, 'this cov d19': 886988, 'd19 corona sta': 224168, 'nwo': 577815, 'pundit': 689185, 'pretty odd': 671475, 'odd advise': 579172, 'advise by': 33575, 'and nwo': 67907, 'nwo pundit': 577818, 'pundit to': 689188, 'avoid using': 105378, 'use digital': 949156, 'digital instead': 242583, 'instead because': 440149, 'the let': 859302, 'straight virus': 812251, 'virus love': 958475, 'love cash': 504634, 'cash but': 166187, 'not plastic': 571033, 'plastic doorknob': 658836, 'doorknob and': 255814, 'plastic supermarket': 658879, 'supermarket cart': 819541, 'cart contain': 165279, 'contain virus': 200511, 'doe plastic': 251553, 'plastic card': 658827, 'pretty odd advise': 671476, 'odd advise by': 579173, 'advise by government': 33576, 'by government and': 152708, 'government and nwo': 359866, 'and nwo pundit': 67908, 'nwo pundit to': 577819, 'pundit to avoid': 689189, 'to avoid using': 900957, 'avoid using cash': 105380, 'using cash and': 950419, 'cash and use': 166163, 'and use digital': 74774, 'use digital instead': 949157, 'digital instead because': 242584, 'instead because of': 440150, 'of the let': 591187, 'the let me': 859304, 'this straight virus': 890375, 'straight virus love': 812252, 'virus love cash': 958476, 'love cash but': 504635, 'cash but not': 166188, 'but not plastic': 146553, 'not plastic doorknob': 571034, 'plastic doorknob and': 658837, 'doorknob and plastic': 255815, 'and plastic supermarket': 69080, 'plastic supermarket cart': 658880, 'supermarket cart contain': 819542, 'cart contain virus': 165280, 'contain virus so': 200512, 'virus so doe': 958761, 'so doe plastic': 776893, 'doe plastic card': 251554, 'buying feature': 150281, 'feature for': 301540, 'and ahead': 57795, 'of schedule': 589390, 'schedule it': 741441, 'help auto': 389394, 'auto dealer': 103871, 'dealer drive': 229601, 'drive sale': 259141, 'traffic during': 929087, 'pandemic ha launched': 635553, 'ha launched it': 371108, 'launched it consumer': 482004, 'it consumer buying': 457282, 'consumer buying feature': 196704, 'buying feature for': 150282, 'feature for free': 301541, 'for free and': 321704, 'free and ahead': 331640, 'and ahead of': 57796, 'ahead of schedule': 39192, 'of schedule it': 589391, 'schedule it should': 741443, 'it should help': 461035, 'should help auto': 766107, 'help auto dealer': 389395, 'auto dealer drive': 103872, 'dealer drive sale': 229602, 'drive sale and': 259142, 'sale and traffic': 732051, 'and traffic during': 74354, 'traffic during this': 929088, 'immorally': 417294, 'ohio doe': 596536, 'have law': 381265, 'that prohibits': 845875, 'prohibits pricegouging': 683457, 'pricegouging thus': 677863, 'thus people': 895525, 'ohio may': 596547, 'may legally': 521321, 'and clearly': 59968, 'clearly immorally': 181520, 'immorally hoard': 417295, 'and resale': 70290, 'resale them': 713565, 'for unconscionable': 327414, 'unconscionable price': 939869, 'price ohiolockdown': 675622, 'ohio doe not': 596537, 'not have law': 569847, 'have law that': 381266, 'law that prohibits': 482412, 'that prohibits pricegouging': 845877, 'prohibits pricegouging thus': 683458, 'pricegouging thus people': 677864, 'thus people in': 895526, 'people in ohio': 648407, 'in ohio may': 426078, 'ohio may legally': 596548, 'may legally and': 521322, 'legally and clearly': 485910, 'and clearly immorally': 59970, 'clearly immorally hoard': 181521, 'immorally hoard essential': 417296, 'hoard essential item': 398781, 'item and resale': 463072, 'and resale them': 70291, 'resale them for': 713566, 'them for unconscionable': 875730, 'for unconscionable price': 327415, 'unconscionable price ohiolockdown': 939870, 'and initiative': 65242, 'initiative will': 438674, 'coverage aimed': 212329, 'aimed to': 39577, 'news economy': 560381, 'economy oman': 268125, 'measure and initiative': 525100, 'and initiative will': 65243, 'initiative will include': 438675, 'will include the': 993804, 'include the provision': 431643, 'provision of service': 687280, 'of service and': 589529, 'service and insurance': 752092, 'and insurance coverage': 65303, 'insurance coverage aimed': 440713, 'coverage aimed to': 212330, 'aimed to help': 39578, 'to help offset': 907571, 'offset the effect': 596117, 'oil price news': 597200, 'price news economy': 675332, 'news economy oman': 560382, 'romir': 725762, 'thanks romir': 842165, 'romir for': 725763, 'how russian': 408609, 'russian consumer': 728622, 'consumer mood': 198153, 'here data': 392913, 'data mrx': 226309, 'thanks romir for': 842166, 'romir for sharing': 725764, 'sharing insight on': 755546, 'on how russian': 601420, 'how russian consumer': 408610, 'russian consumer mood': 728623, 'consumer mood and': 198154, 'mood and behavior': 538266, 'and behavior have': 58841, 'behavior have changed': 124058, 'have changed due': 379935, '19 read the': 9978, 'insight here data': 439562, 'here data mrx': 392914, 'probably stupid': 679388, 'stupid question': 815450, '30 how': 17076, 'mail get': 508615, 'letter parcel': 487337, 'parcel from': 641501, 'family abroad': 297548, 'abroad parcel': 27164, 'parcel ordered': 641518, 'this is probably': 888362, 'is probably stupid': 451049, 'probably stupid question': 679389, 'stupid question but': 815451, 'banned from march': 110574, 'from march 30': 336349, 'march 30 how': 515235, '30 how doe': 17077, 'international mail get': 441825, 'mail get into': 508616, 'get into australia': 347360, 'australia letter parcel': 103322, 'letter parcel from': 487338, 'parcel from family': 641502, 'from family abroad': 335401, 'family abroad parcel': 297549, 'abroad parcel ordered': 27165, 'parcel ordered from': 641519, 'remember cpl': 710177, 'cpl month': 214641, 'economy seemed': 268203, 'seemed strong': 746721, 'strong why': 814157, 'drop consumer': 260161, 'consumer had': 197696, 'to thrive': 917550, 'thrive bailouts': 894202, 'for rich': 325225, 'not fix': 569439, 'remember cpl month': 710178, 'cpl month ago': 214642, 'month ago when': 537548, 'ago when the': 38548, 'market wa doing': 517308, 'wa doing well': 962011, 'doing well and': 252829, 'well and the': 978027, 'the economy seemed': 854017, 'economy seemed strong': 268204, 'seemed strong why': 746722, 'strong why did': 814158, 'why did it': 990919, 'did it drop': 240660, 'it drop consumer': 457707, 'drop consumer had': 260162, 'consumer had to': 197697, 'home in order': 401419, 'order to survive': 618712, 'to survive pandemic': 916042, 'survive pandemic consumer': 829222, 'pandemic consumer driven': 635189, 'driven economy need': 259316, 'economy need consumer': 268089, 'need consumer to': 554638, 'consumer to thrive': 199330, 'to thrive bailouts': 917552, 'thrive bailouts for': 894203, 'bailouts for rich': 108697, 'for rich people': 325226, 'rich people will': 721251, 'will not fix': 994222, 'not fix it': 569440, 'vermont vt': 954859, 'vt and': 960769, 'minnesota mn': 533616, 'mn plan': 534803, 'vermont vt and': 954860, 'vt and minnesota': 960770, 'and minnesota mn': 67055, 'minnesota mn plan': 533617, 'mn plan to': 534804, 'plan to classify': 658275, 'themarshacrawfordteam': 876692, 'marsha': 518019, 'candisteam': 161311, 'compassrealestate': 191506, 'had hugely': 373195, 'hugely negative': 410277, 'recommend shopping': 704707, 'and beloved': 58883, 'beloved brand': 126529, 'love be': 504615, 'well themarshacrawfordteam': 978671, 'themarshacrawfordteam marsha': 876693, 'marsha candisteam': 518020, 'candisteam compassrealestate': 161312, 'already had hugely': 47395, 'had hugely negative': 373196, 'hugely negative impact': 410278, 'economy and small': 267653, 'small business we': 774900, 'business we recommend': 144639, 'we recommend shopping': 973048, 'recommend shopping online': 704708, 'online at your': 607904, 'local and beloved': 497678, 'and beloved brand': 58884, 'beloved brand and': 126530, 'brand and share': 137732, 'and share the': 71394, 'share the love': 755251, 'the love be': 859764, 'love be safe': 504616, 'stay well themarshacrawfordteam': 797396, 'well themarshacrawfordteam marsha': 978672, 'themarshacrawfordteam marsha candisteam': 876694, 'marsha candisteam compassrealestate': 518021, 'amp welfare': 54826, 'seafood 30': 743118, '30 domestic': 17027, 'domestic amp': 253164, 'amp 70': 53345, '70 export': 21766, 'export leaving': 292658, 'family same': 298204, 'same is': 733127, 'case with': 166114, 'our fisherman': 623089, 'bank amp welfare': 109600, 'amp welfare organisation': 54827, 'organisation the ha': 619280, 'the ha led': 856998, 'for seafood 30': 325398, 'seafood 30 domestic': 743119, '30 domestic amp': 17028, 'domestic amp 70': 253165, 'amp 70 export': 53346, '70 export leaving': 21767, 'export leaving many': 292659, 'their family same': 873267, 'family same is': 298205, 'same is the': 733128, 'the case with': 850470, 'case with our': 166115, 'with our fisherman': 999995, 'outbreak find': 628218, 'million of funding': 532267, 'the outbreak find': 862623, 'outbreak find out': 628219, 'annou': 76831, 'service annou': 752119, 'public service annou': 688300, 'amnesty': 52965, 'daca': 224262, 'reside': 714215, 'breaking nancy': 138993, 'pelosi ha': 646366, 'released another': 709017, 'another revised': 77804, 'revised version': 720650, 'house democrat': 406262, 'democrat coronavirus': 236705, 'coronavirus plan': 206555, 'includes an': 431720, 'an amnesty': 55291, 'amnesty for': 52966, 'nearly 700': 553790, 'to 800': 899853, '00 daca': 155, 'daca illegal': 224265, 'illegal alien': 416195, 'alien who': 41751, 'currently reside': 221651, 'reside in': 714216, 'this monster': 888893, 'monster ha': 537464, 'breaking nancy pelosi': 138994, 'nancy pelosi ha': 551795, 'pelosi ha released': 646367, 'ha released another': 371704, 'released another revised': 709018, 'another revised version': 77805, 'revised version of': 720651, 'version of house': 954915, 'of house democrat': 584786, 'house democrat coronavirus': 406263, 'democrat coronavirus plan': 236706, 'coronavirus plan that': 206556, 'plan that includes': 658242, 'that includes an': 844474, 'includes an amnesty': 431721, 'an amnesty for': 55292, 'amnesty for the': 52967, 'for the nearly': 326577, 'the nearly 700': 861367, 'nearly 700 00': 553791, '700 00 to': 21872, '00 to 800': 536, 'to 800 00': 899854, '800 00 daca': 22651, '00 daca illegal': 156, 'daca illegal alien': 224266, 'illegal alien who': 416197, 'alien who currently': 41752, 'who currently reside': 988537, 'currently reside in': 221652, 'reside in the': 714217, 'the this monster': 869490, 'this monster ha': 888894, 'monster ha no': 537465, 'ha no shame': 371350, '19 what will': 12006, 'unsw': 943609, 'mclaws': 522209, 'hygiene station': 412171, 'station we': 796547, 'exit shop': 290374, 'shop practise': 760678, 'and refrain': 70130, 'from chatting': 334829, 'more extreme': 539190, 'measure say': 525324, 'say unsw': 739424, 'unsw professor': 943610, 'professor mary': 682565, 'mary louise': 518165, 'louise mclaws': 504536, 'mclaws who': 522210, 'who adviser': 988034, 'we use hand': 973613, 'use hand hygiene': 949254, 'hand hygiene station': 375030, 'hygiene station we': 412172, 'station we enter': 796548, 'we enter and': 971467, 'enter and exit': 278228, 'and exit shop': 62472, 'exit shop practise': 290375, 'shop practise social': 760679, 'distancing and refrain': 246993, 'and refrain from': 70131, 'refrain from chatting': 706742, 'from chatting in': 334830, 'chatting in line': 174017, 'in line there': 424777, 'line there is': 493465, 'to take more': 916205, 'take more extreme': 832339, 'more extreme measure': 539191, 'extreme measure say': 293818, 'measure say unsw': 525325, 'say unsw professor': 739425, 'unsw professor mary': 943611, 'professor mary louise': 682566, 'mary louise mclaws': 518166, 'louise mclaws who': 504537, 'mclaws who adviser': 522211, 'careful know': 164408, 'overstock food': 631552, 'illness who': 416409, 'by allow': 151794, 'be careful know': 113989, 'careful know it': 164409, 'buy and overstock': 148330, 'and overstock food': 68585, 'overstock food but': 631553, 'food but keep': 313820, 'but keep in': 146215, 'who are older': 988182, 'chronic illness who': 178236, 'illness who cannot': 416410, 'cannot get by': 161877, 'get by allow': 346728, 'by allow them': 151795, 'them to return': 876501, 'to return home': 913476, 'return home empty': 719851, 'egg couldn': 269838, 'single egg': 771292, 'seriously considering': 751566, 'considering buying': 195363, 'buying chicken': 150110, 'chicken right': 175849, 'egg all': 269751, 'day egg': 227556, 'egg coronacrisisuk': 269832, 'coronacrisisuk supermarket': 204912, 'went to 10': 979134, '10 supermarket food': 1690, 'food store today': 316864, 'today in search': 919690, 'search for some': 743254, 'for some egg': 325737, 'some egg couldn': 782734, 'egg couldn find': 269839, 'find single egg': 307212, 'single egg seriously': 771293, 'egg seriously considering': 269978, 'seriously considering buying': 751567, 'considering buying chicken': 195364, 'buying chicken right': 150111, 'chicken right now': 175850, 'right now egg': 722058, 'now egg all': 574590, 'egg all day': 269752, 'all day egg': 42516, 'day egg coronacrisisuk': 227557, 'egg coronacrisisuk supermarket': 269833, 'doope': 255487, 'halp': 374417, 'be doope': 114577, 'doope online': 255488, 'utter torture': 951436, 'and weirdly': 75388, 'weirdly love': 977831, 'send halp': 749868, 'would be doope': 1011576, 'be doope online': 114578, 'doope online shopping': 255489, 'pure and utter': 689964, 'and utter torture': 74822, 'utter torture and': 951437, 'torture and weirdly': 926058, 'and weirdly love': 75389, 'weirdly love it': 977832, 'it send halp': 460974, 'today most': 919892, 'most canned': 542156, 'gone we': 356444, 'needed toilet': 556554, 'actually got': 30816, 'got pack': 358773, 'roll we': 725589, 'cat treat': 166902, 'treat well': 930918, 'for save': 325350, 'for still': 325903, 'stuff over': 815174, '100 case': 1855, 'my province': 549858, 'province so': 687196, 'store today most': 810856, 'today most canned': 919893, 'most canned food': 542157, 'canned food is': 161517, 'food is gone': 315126, 'is gone we': 448123, 'gone we needed': 356445, 'we needed toilet': 972579, 'needed toilet paper': 556555, 'paper and actually': 639803, 'and actually got': 57653, 'actually got pack': 30817, 'got pack of': 358774, '12 roll we': 2948, 'roll we got': 725590, 'we got milk': 971673, 'got milk and': 358705, 'milk and cat': 531558, 'and cat treat': 59620, 'cat treat well': 166903, 'treat well thank': 930919, 'well thank god': 978645, 'god for save': 354698, 'for save on': 325351, 'save on food': 737602, 'food for still': 314574, 'for still having': 325905, 'still having some': 800679, 'having some stuff': 384280, 'some stuff over': 783984, 'stuff over 100': 815175, 'over 100 case': 629766, '100 case of': 1856, 'in my province': 425615, 'my province so': 549859, 'province so panic': 687197, 'buying is common': 150563, 'marshallaw': 518025, 'breaking californian': 138921, 'californian rush': 155650, 'necessity after': 554157, 'after california': 35445, 'governor declares': 360896, 'declares marshallaw': 231258, 'marshallaw put': 518026, 'all 40': 41902, 'california under': 155597, 'arrest stay': 93779, 'jail get': 464268, 'water now': 969072, 'now calockdown': 574324, 'breaking californian rush': 138922, 'californian rush to': 155651, 'rush to store': 728351, 'on food necessity': 600887, 'food necessity after': 315513, 'necessity after california': 554158, 'after california governor': 35446, 'california governor declares': 155509, 'governor declares marshallaw': 360897, 'declares marshallaw put': 231259, 'marshallaw put all': 518027, 'put all 40': 690498, 'all 40 million': 41903, '40 million resident': 18609, 'million resident of': 532342, 'resident of california': 714337, 'of california under': 581046, 'california under house': 155598, 'house arrest stay': 406202, 'arrest stay in': 93780, 'your home or': 1024365, 'home or go': 401742, 'go to jail': 354323, 'to jail get': 908646, 'jail get food': 464269, 'get food water': 347074, 'food water now': 317513, 'water now calockdown': 969073, 'poop calculator': 664050, 'calculator how': 155336, 'will your': 995402, 'toiletpaper last': 922172, 'last via': 480619, 'via poop': 956178, 'poop calculator how': 664051, 'calculator how long': 155337, 'long will your': 501858, 'will your toiletpaper': 995404, 'your toiletpaper last': 1026180, 'toiletpaper last via': 922173, 'last via poop': 480620, 'loser': 503505, 'hoarding increase': 399384, 'price stimulus': 676654, 'stimulus money': 801565, 'money cause': 536664, 'cause hoarding': 167597, 'hoarding price': 399480, 'steroid winner': 799933, 'winner shareholder': 996041, 'shareholder loser': 755476, 'loser child': 503506, 'child working': 176278, 'family expert': 297771, 'expert respond': 291932, 'respond is': 715299, 'is trillion': 453359, 'right medicine': 721987, 'sick economy': 768426, 'hoarding increase demand': 399385, 'increase demand price': 432739, 'demand price stimulus': 236069, 'price stimulus money': 676655, 'stimulus money cause': 801567, 'money cause hoarding': 536665, 'cause hoarding price': 167598, 'hoarding price gouging': 399481, 'gouging on steroid': 359409, 'on steroid winner': 603667, 'steroid winner shareholder': 799934, 'winner shareholder loser': 996042, 'shareholder loser child': 755477, 'loser child working': 503507, 'child working family': 176279, 'working family expert': 1008621, 'family expert respond': 297772, 'expert respond is': 291933, 'respond is trillion': 715300, 'is trillion the': 453360, 'trillion the right': 932007, 'the right medicine': 865813, 'right medicine for': 721988, 'medicine for sick': 526787, 'for sick economy': 325614, 'future prediction': 342424, 'future prediction for': 342425, 'prediction for post': 669662, 'coronavirus world via': 207110, 'while gas': 986864, 'paper price went': 640614, 'went up while': 979224, 'up while gas': 946595, 'while gas price': 986865, 'provide protective': 686441, 'provide paid': 686422, 'serious symptom': 751478, 'symptom from': 830848, 'to provide protective': 912424, 'provide protective equipment': 686442, 'protective equipment to': 685739, 'equipment to supermarket': 279860, 'employee and provide': 273579, 'and provide paid': 69694, 'provide paid leave': 686423, 'leave to those': 485015, 'those at increased': 891821, 'of serious symptom': 589525, 'serious symptom from': 751479, 'symptom from the': 830849, '19 well done': 11982, 'company official': 190924, 'announced sunday': 77053, 'employee in maryland': 273962, 'died after being': 241505, 'diagnosed with company': 240237, 'with company official': 997703, 'company official announced': 190925, 'official announced sunday': 595750, 'sincerely fear': 771041, 'sincerely fear that': 771042, 'hoarding you asshole': 399671, 'unimaid': 941818, 'price unimaid': 677196, 'unimaid produced': 941819, 'specification guideline': 788298, 'hike price unimaid': 396273, 'price unimaid produced': 677197, 'unimaid produced hand': 941820, 'according to who': 28603, 'to who specification': 918572, 'who specification guideline': 989649, 'specification guideline and': 788299, 'guideline and recommendation': 368396, 'and recommendation and': 70054, 'recommendation and distributed': 704733, 'to the university': 917159, 'the university community': 870432, 'university community and': 942420, 'community and staff': 189724, 'and staff on': 72197, 'best analyzes': 127575, 'analyzes of': 57267, 'resulting lockdown': 717714, 'people ability': 646735, 'particular want': 642649, 'food importing': 314918, 'the best analyzes': 849486, 'best analyzes of': 127576, 'analyzes of the': 57268, 'and the resulting': 73552, 'the resulting lockdown': 865702, 'resulting lockdown on': 717715, 'lockdown on people': 499735, 'on people ability': 602731, 'people ability to': 646736, 'ability to access': 24389, 'access food in': 28120, 'food in particular': 314959, 'in particular want': 426538, 'particular want to': 642650, 'know the chance': 476812, 'chance that supermarket': 171787, 'that supermarket in': 846571, 'supermarket in city': 820879, 'in city in': 421479, 'city in food': 179201, 'in food importing': 422974, 'food importing country': 314919, 'importing country will': 419222, 'stock at any': 801873, 'aa covid': 24079, 'impact georgia': 417675, 'georgia gas': 346031, 'aa covid 19': 24080, 'to impact georgia': 908152, 'impact georgia gas': 417676, 'georgia gas price': 346032, 'they release': 883188, 'release and': 708920, 'virus strip': 958825, 'strip our': 813828, 'load shut': 497295, 'workplace leading': 1009200, 'global depression': 351871, 'depression mass': 237658, 'mass poverty': 519834, 'unrest then': 943369, 'they begin': 881548, 'begin cyber': 123516, 'cyber attack': 223923, 'attack to': 102167, 'down everything': 256742, 'everything who': 288106, 'who nwo': 989354, 'nwo ccp': 577816, 'ccp un': 168470, 'first they release': 309068, 'they release and': 883189, 'release and spread': 708921, 'the virus strip': 870902, 'virus strip our': 958826, 'strip our supermarket': 813829, 'shelf bare by': 756863, 'bare by the': 110879, 'by the bus': 154272, 'the bus load': 850142, 'bus load shut': 143056, 'load shut down': 497296, 'down the workplace': 257313, 'the workplace leading': 871790, 'workplace leading to': 1009201, 'leading to global': 483759, 'to global depression': 906742, 'global depression mass': 351872, 'depression mass poverty': 237659, 'mass poverty and': 519835, 'social unrest then': 780005, 'unrest then they': 943370, 'then they begin': 877652, 'they begin cyber': 881549, 'begin cyber attack': 123517, 'cyber attack to': 223924, 'attack to shut': 102168, 'shut down everything': 767823, 'down everything who': 256744, 'everything who nwo': 288107, 'who nwo ccp': 989355, 'nwo ccp un': 577817, 'were applauded': 979333, 'and handed': 64150, 'handed bouquet': 376062, 'flower during': 311286, 'during trip': 263368, 'belfast northern': 126153, 'northern ireland': 567757, 'care worker were': 164312, 'worker were applauded': 1008164, 'were applauded and': 979334, 'applauded and handed': 82268, 'and handed bouquet': 64151, 'handed bouquet of': 376063, 'of flower during': 583609, 'flower during trip': 311287, 'during trip to': 263369, 'trip to grocery': 932192, 'store in belfast': 808275, 'in belfast northern': 420778, 'belfast northern ireland': 126154, 'be setting': 117105, 'setting off': 753641, 'firework in': 308277, 'front yard': 338686, 'yard to': 1014166, 'll be setting': 496626, 'be setting off': 117106, 'setting off some': 753642, 'off some firework': 594176, 'some firework in': 782831, 'firework in my': 308278, 'in my front': 425578, 'my front yard': 548462, 'front yard to': 338687, 'yard to honor': 1014167, 'else who ha': 271983, 'ha been helping': 369825, 'that moment in': 845201, 'moment in life': 535966, 'in life when': 424714, 'life when going': 489202, 'most exciting trip': 542314, 'exciting trip of': 289612, 'bringing this': 140209, 'to cabinet': 902364, 'cabinet so': 154998, 'be illegal': 115358, 'illegal ford': 416212, 'coming after': 187983, 'we are bringing': 970494, 'are bringing this': 85063, 'bringing this to': 140210, 'this to cabinet': 890728, 'to cabinet so': 902365, 'cabinet so that': 154999, 'to be illegal': 901325, 'be illegal ford': 115359, 'illegal ford say': 416213, 'ford say of': 328787, 'of the gouging': 591071, 'the gouging we': 856481, 'we are coming': 970506, 'are coming after': 85429, 'coming after you': 187984, 'mog': 535541, 'that mirror': 845182, 'mirror what': 533949, 'become emergency': 119978, 'personnel mog': 653138, 'mog stayathome': 535542, 'stayathome maga': 797532, 'announcement that mirror': 77207, 'that mirror what': 845183, 'mirror what we': 533950, 'have become emergency': 379431, 'become emergency personnel': 119979, 'emergency personnel mog': 272867, 'personnel mog stayathome': 653139, 'mog stayathome maga': 535543, 'yankistore': 1014137, 'similar symptom': 769933, 'symptom with': 830951, 'with everyday': 998282, 'everyday illness': 286575, 'like flu': 490247, 'and allergy': 57910, 'allergy be': 45773, 'aware be': 105608, 'careful yankistore': 164460, 'yankistore is': 1014138, 'of bringing': 580883, 'bringing you': 140219, 'you cool': 1018048, 'cool product': 203036, '19 ha very': 7402, 'ha very similar': 372429, 'very similar symptom': 955545, 'similar symptom with': 769934, 'symptom with everyday': 830952, 'with everyday illness': 998284, 'everyday illness like': 286576, 'illness like flu': 416383, 'like flu cold': 490248, 'flu cold and': 311397, 'cold and allergy': 185733, 'and allergy be': 57911, 'allergy be aware': 45774, 'be aware be': 113775, 'aware be careful': 105609, 'be careful yankistore': 114005, 'careful yankistore is': 164461, 'yankistore is still': 1014139, 'is still in': 452288, 'in the business': 429042, 'business of bringing': 144118, 'of bringing you': 580885, 'bringing you cool': 140220, 'you cool product': 1018049, 'cool product at': 203037, 'product at great': 680968, 'great price stayathome': 362919, 'might need them': 531087, 'need them again': 555769, 'have slowed': 382588, 'slowed because': 774483, 'despite increased': 238766, 'food provides': 316071, 'provides food': 686848, '10 county': 1369, 'county area': 211326, 'donation to food': 254707, 'pantry in our': 639613, 'our area have': 622111, 'area have slowed': 92044, 'have slowed because': 382589, 'slowed because of': 774484, '19 despite increased': 6510, 'despite increased demand': 238767, 'for food provides': 321617, 'food provides food': 316072, 'provides food to': 686849, 'in the 10': 428939, 'the 10 county': 847854, '10 county area': 1370, 'county area of': 211327, 'area of west': 92143, 'of west central': 593032, 'west central florida': 980478, 'central florida for': 169386, 'florida for information': 310936, 'for information visit': 322581, 'recent update': 704005, 'majeure possibility': 509217, 'possibility relating': 665549, 'broader practical': 140767, 'practical implication': 668466, 'commercial and': 188670, 'consumer agreement': 196124, 'agreement read': 38789, 'addition to our': 31742, 'to our recent': 911235, 'our recent update': 624558, 'recent update on': 704006, 'on the force': 604128, 'the force majeure': 855681, 'force majeure possibility': 328430, 'majeure possibility relating': 509218, 'possibility relating to': 665550, 'important to consider': 419050, 'consider the broader': 195134, 'the broader practical': 850041, 'broader practical implication': 140768, 'practical implication for': 668467, 'implication for commercial': 418551, 'for commercial and': 320183, 'commercial and consumer': 188671, 'and consumer agreement': 60347, 'consumer agreement read': 196125, 'agreement read here': 38790, 'logisticsrules': 500815, 'sweat logisticsrules': 830058, 'food processor are': 315995, 'processor are dealing': 680062, 'dealing with reduced': 229685, 'no sweat logisticsrules': 565649, 'bo': 133604, 'psa pandemic': 687418, 'pandemic doe': 635321, 'stop our': 804873, 'your bo': 1022981, 'bo at': 133605, 'not foot': 569482, 'psa pandemic doe': 687419, 'pandemic doe not': 635322, 'mean we should': 524766, 'should stop our': 766518, 'stop our personal': 804874, 'our personal hygiene': 624318, 'personal hygiene can': 652874, 'hygiene can smell': 412064, 'smell your bo': 775628, 'your bo at': 1022982, 'bo at the': 133606, 'are definitely not': 85738, 'definitely not foot': 232374, 'not foot away': 569483, 'tr': 928116, 'haveyoursay delivery': 383947, 'delivery work': 234761, 'that warning': 847330, 'still really': 801098, 'really busy': 702041, 'busy parent': 144940, 'kid people': 474078, 'were queuing': 980016, 'queuing before': 694199, 'opening lot': 612875, 'lot were': 504411, 'walking with': 965124, 'full big': 340498, 'big tr': 130081, 'haveyoursay delivery work': 383948, 'delivery work in': 234762, 'in supermarket even': 428592, 'supermarket even after': 820220, 'even after all': 283809, 'after all that': 35333, 'all that warning': 44650, 'that warning it': 847331, 'warning it wa': 967139, 'it wa still': 462199, 'wa still really': 963314, 'still really busy': 801099, 'really busy parent': 702042, 'busy parent were': 144941, 'parent were shopping': 641775, 'were shopping with': 980111, 'their kid people': 873758, 'kid people were': 474079, 'people were queuing': 650218, 'were queuing before': 980017, 'queuing before the': 694200, 'before the opening': 123177, 'the opening lot': 862387, 'opening lot were': 612876, 'lot were walking': 504412, 'were walking with': 980341, 'walking with shopping': 965126, 'with shopping list': 1000697, 'shopping list and': 763180, 'list and full': 494269, 'and full big': 63403, 'full big tr': 340499, 'unpreventable': 943244, 'pandemic need': 636015, 'need stable': 555628, 'stable access': 791887, 'to ppe': 911947, 'ppe testing': 668069, 'treatment if': 931088, 'are indeed': 87513, 'indeed hero': 433992, 'hero doesn': 393974, 'mean their': 524701, 'their higher': 873539, 'inevitable amp': 436362, 'amp unpreventable': 54760, 'grocery worker like': 366182, 'worker like anyone': 1007311, 'like anyone on': 489815, 'this pandemic need': 889406, 'pandemic need stable': 636016, 'need stable access': 555629, 'stable access to': 791888, 'access to ppe': 28269, 'to ppe testing': 911950, 'ppe testing and': 668070, 'and treatment if': 74439, 'treatment if they': 931089, '19 just because': 8201, 'they are indeed': 881308, 'are indeed hero': 87514, 'indeed hero doesn': 433993, 'hero doesn mean': 393975, 'doesn mean their': 251891, 'mean their higher': 524702, 'their higher risk': 873540, 'higher risk is': 395729, 'risk is inevitable': 723642, 'is inevitable amp': 448892, 'inevitable amp unpreventable': 436363, 'kibra': 473776, 'saddening that': 729295, 'two woman': 937393, 'in kibra': 424496, 'kibra have': 473777, 'our history': 623437, 'history when': 398073, 'is battling': 446008, 'battling please': 112870, 'please work': 660780, 'issue purchase': 455897, 'purchase ticket': 689691, 'for specified': 325817, 'specified item': 788305, 'is saddening that': 451609, 'saddening that two': 729296, 'that two woman': 847150, 'two woman in': 937394, 'woman in kibra': 1003516, 'in kibra have': 424497, 'kibra have lost': 473778, 'life at such': 488509, 'at such time': 100685, 'such time in': 816827, 'in our history': 426301, 'our history when': 623438, 'history when the': 398074, 'country is battling': 210796, 'is battling please': 446009, 'battling please work': 112871, 'please work with': 660781, 'work with shop': 1006042, 'with shop and': 1000684, 'and supermarket and': 72702, 'supermarket and issue': 819008, 'and issue purchase': 65475, 'issue purchase ticket': 455898, 'purchase ticket for': 689692, 'ticket for specified': 895619, 'for specified item': 325818, 'specified item that': 788306, 'item that will': 463704, 'will help we': 993737, 'vigorously': 957274, 'taking number': 833465, 'working vigorously': 1009028, 'vigorously to': 957275, 're taking number': 699652, 'taking number of': 833466, 'number of important': 576949, 'of important step': 585006, 'important step to': 418972, 'keep price fair': 471813, 'price fair and': 673760, 'fair and protect': 296312, 'protect our customer': 684891, 'our customer from': 622662, 'customer from those': 222404, 'from those looking': 338026, 'those looking to': 892182, 'looking to exploit': 503028, 'exploit the covid': 292362, 're working vigorously': 699838, 'working vigorously to': 1009029, 'vigorously to combat': 957276, 'gouging in our': 359349, 'an arkansan': 55397, 'arkansan who': 92857, 'been disabled': 120986, 'disabled my': 243925, 'isn right': 454648, 'be excluded': 114724, 'any proposed': 79695, 'proposed stimulus': 684545, 'package price': 633376, 'to tack': 916118, 'tack on': 831549, 'an arkansan who': 55398, 'arkansan who ha': 92858, 'ha been disabled': 369782, 'been disabled my': 120987, 'disabled my entire': 243926, 'entire life it': 278699, 'life it isn': 488825, 'it isn right': 459153, 'isn right for': 454649, 'right for to': 721902, 'for to be': 327215, 'to be excluded': 901241, 'be excluded from': 114725, 'excluded from any': 289628, 'from any proposed': 334552, 'any proposed stimulus': 79696, 'proposed stimulus package': 684546, 'stimulus package price': 801587, 'package price of': 633377, 'of good have': 584221, 'have increased and': 381052, 'increased and you': 433199, 'and you need': 76036, 'need to tack': 556097, 'to tack on': 916119, 'tack on delivery': 831550, 'on delivery for': 600266, 'delivery for covid': 234020, 'dailyheil': 224913, 'competently': 191620, 'few willing': 304179, 'buy newspaper': 148997, 'newspaper others': 561094, 'others may': 621529, 'touched now': 926630, 'now racist': 575634, 'racist dailyheil': 695310, 'dailyheil trying': 224914, 'despite china': 238689, 'china handling': 176701, 'handling more': 376359, 'more competently': 538843, 'competently than': 191621, 'and winning': 75726, 'month squandered': 538012, 'squandered time': 791460, 'time turned': 898147, 'turned it': 935856, 'it copy': 457323, 'copy in': 203461, 'face down': 294407, 'few willing to': 304180, 'willing to buy': 995463, 'to buy newspaper': 902276, 'buy newspaper others': 148998, 'newspaper others may': 561095, 'others may have': 621530, 'may have touched': 521261, 'have touched now': 383378, 'touched now racist': 926631, 'now racist dailyheil': 575635, 'racist dailyheil trying': 695311, 'dailyheil trying to': 224915, 'trying to blame': 934771, 'to blame china': 901842, 'blame china despite': 132246, 'china despite china': 176602, 'despite china handling': 238690, 'china handling more': 176702, 'handling more competently': 376360, 'more competently than': 538844, 'competently than uk': 191622, 'than uk and': 841375, 'uk and winning': 938179, 'and winning the': 75727, 'winning the world': 996090, 'the world two': 871997, 'world two month': 1010120, 'two month squandered': 937064, 'month squandered time': 538013, 'squandered time turned': 791461, 'time turned it': 898148, 'turned it copy': 935857, 'it copy in': 457324, 'copy in my': 203462, 'local supermarket face': 498523, 'supermarket face down': 820262, 'is plot': 450907, 'plot by': 661080, 'sell faster': 748717, 'faster you': 300137, '19 is plot': 8023, 'is plot by': 450908, 'plot by big': 661081, 'by big grocery': 151958, 'make their stock': 510599, 'their stock sell': 874836, 'stock sell faster': 802814, 'sell faster you': 748718, 'faster you heard': 300138, 'you heard it': 1019185, 'heard it here': 388094, 'it here first': 458566, 'income nyc': 432418, 'of income nyc': 585066, 'income nyc smallbusiness': 432419, 'wife which': 992004, 'which bread': 985722, 'bread did': 138445, 'store amp had': 806178, 'amp had to': 53901, 'to call my': 902382, 'call my wife': 156004, 'my wife which': 550607, 'wife which bread': 992005, 'which bread did': 985723, 'bread did you': 138446, 'did you want': 240952, 'me to grab': 523755, 'blog dive': 132915, 'should adapt': 765474, 'adapt business': 31251, 'extend your': 293141, 'your reach': 1025523, 'reach onlineshopping': 699958, 'onlineshopping consumer': 609889, 'consumer pandemic': 198322, 'marketing onlinemarketing': 517668, 'onlinemarketing digitalmarketing': 609840, 'digitalmarketing business': 242759, 'business businessowner': 143463, 'businessowner ecommerce': 144787, 'latest blog dive': 481233, 'blog dive into': 132916, 'into the change': 443103, 'to and how': 900508, 'you should adapt': 1021180, 'should adapt business': 765475, 'adapt business to': 31252, 'business to extend': 144536, 'to extend your': 905532, 'extend your reach': 293142, 'your reach onlineshopping': 1025524, 'reach onlineshopping consumer': 699959, 'onlineshopping consumer pandemic': 609890, 'consumer pandemic marketing': 198323, 'pandemic marketing onlinemarketing': 635932, 'marketing onlinemarketing digitalmarketing': 517669, 'onlinemarketing digitalmarketing business': 609841, 'digitalmarketing business businessowner': 242760, 'business businessowner ecommerce': 143465, 'many scam': 514660, 'facing find': 295469, 'are many scam': 88036, 'many scam around': 514661, 'scam around if': 740051, 'help and give': 389351, 'give you support': 350870, 'you support on': 1021485, 'be facing find': 114778, 'facing find out': 295470, 'how to contact': 408997, 'to contact the': 903358, 'contact the service': 200229, 'supplier so': 824611, 'hi we re': 394766, 'with supplier so': 1001072, 'supplier so we': 824612, 'increase post': 432991, '19 want': 11892, 'my land': 548971, 'land but': 479258, 'will the property': 995154, 'the property price': 864685, 'property price increase': 684331, 'price increase post': 674782, 'increase post 19': 432992, 'post 19 want': 665970, '19 want to': 11893, 'sell my land': 748799, 'my land but': 548972, 'land but everything': 479259, 'due to what': 262023, 'to what do': 918511, 'panicky': 639398, 'soon with': 785903, 'dwindling supply': 263698, 'supply unlawful': 826059, 'unlawful panicky': 942558, 'panicky people': 639399, 'be breaking': 113905, 'breaking into': 138974, 'into closed': 442464, 'raid them': 695620, 'they normally': 882783, 'so massive': 777727, 'massive the': 520144, 'the stockup': 867949, 'stockup lockup': 804183, 'soon with dwindling': 785904, 'with dwindling supply': 998159, 'dwindling supply unlawful': 263699, 'supply unlawful panicky': 826060, 'unlawful panicky people': 942559, 'panicky people will': 639400, 'will be breaking': 992383, 'be breaking into': 113906, 'breaking into closed': 138975, 'into closed store': 442465, 'closed store supermarket': 183350, 'store supermarket to': 810463, 'supermarket to raid': 823401, 'to raid them': 912714, 'raid them they': 695621, 'them they normally': 876420, 'they normally do': 882784, 'normally do during': 567492, 'do during crisis': 249244, 'during crisis so': 262567, 'crisis so massive': 218064, 'so massive the': 777730, 'massive the stockup': 520145, 'the stockup lockup': 867950, 'this host': 887954, 'host burton': 404863, 'burton speaks': 142971, 'they discus': 881947, 'in this host': 429960, 'this host burton': 887955, 'host burton speaks': 404864, 'burton speaks with': 142972, 'speaks with they': 787817, 'with they discus': 1001668, 'they discus where': 881949, 'impressive today': 419495, 'hotel supermarket': 405202, 'and butcher': 59314, 'who insisted': 989042, 'insisted you': 439711, 'impressive today went': 419496, 'to hotel supermarket': 907998, 'hotel supermarket and': 405203, 'supermarket and butcher': 818948, 'and butcher shop': 59315, 'butcher shop every': 148067, 'shop every place': 760154, 'every place had': 286111, 'hand sanitizer who': 375664, 'sanitizer who insisted': 736091, 'who insisted you': 989043, 'insisted you use': 439712, 'or you wouldn': 617868, 'you wouldn get': 1022465, 'wouldn get in': 1012467, 'at find': 98644, 'his handling': 397495, 'pickup are': 655934, 'permitted the': 652179, 'elderly are': 270592, '19 their': 11266, 'people at find': 647170, 'at find his': 98645, 'find his handling': 306965, 'his handling of': 397496, 'closure online purchase': 183987, 'purchase and pickup': 689352, 'and pickup are': 69020, 'pickup are not': 655935, 'not permitted the': 571011, 'permitted the elderly': 652180, 'the elderly are': 854107, 'elderly are forced': 270594, 'home to buy': 402311, 'buy basic product': 148406, 'basic product if': 112032, 'product if the': 681274, 'if the goal': 414976, 'the goal is': 856392, 'covid 19 their': 213932, '19 their policy': 11267, 'effect that': 269117, 'likely yo': 492201, 'yo have': 1016433, 'demand source': 236257, 'source fao': 786477, 'the effect that': 854069, 'effect that the': 269119, 'is likely yo': 449356, 'likely yo have': 492202, 'yo have on': 1016434, 'and demand source': 61170, 'demand source fao': 236258, 'ruing': 727145, 'mothering': 543225, 'hapless': 377045, 'grand old': 361865, 'old scheme': 598458, 'scheme of': 741576, 'great hurt': 362721, 'completely ruing': 192345, 'ruing mothering': 727146, 'mothering sunday': 543226, 'the hapless': 857088, 'hapless dad': 377046, 'dad take': 224384, 'supermarket alone': 818887, 'alone way': 46944, 'always highlight': 49622, 'the grand old': 856696, 'grand old scheme': 361866, 'old scheme of': 598459, 'scheme of thing': 741577, 'of thing it': 591903, 'thing it isn': 884496, 'it isn really': 459152, 'isn really great': 454640, 'really great hurt': 702245, 'great hurt to': 362722, 'hurt to endure': 411621, 'to endure but': 905101, 'endure but this': 276300, '19 thing ha': 11325, 'thing ha completely': 884384, 'ha completely ruing': 370224, 'completely ruing mothering': 192346, 'ruing mothering sunday': 727147, 'mothering sunday in': 543227, 'in the hapless': 429256, 'the hapless dad': 857089, 'hapless dad take': 377047, 'dad take the': 224385, 'the supermarket alone': 868455, 'supermarket alone way': 818888, 'alone way that': 46945, 'way that wa': 969928, 'that wa always': 847271, 'wa always highlight': 961515, 'always highlight of': 49623, 'efra': 269688, 'common efra': 189380, 'efra committee': 269689, 'committee will': 189091, 'hear evidence': 387911, 'evidence from': 288358, 'from range': 337037, 'management expert': 512568, 'expert avoid': 291796, 'pandemic he': 635597, 'also question': 48734, 'question mp': 693652, 'mp george': 544251, 'eustice secretary': 283657, 'for environment': 321075, 'environment food': 279100, 'rural affair': 728211, 'today the house': 920293, 'house of common': 406424, 'of common efra': 581588, 'common efra committee': 189381, 'efra committee will': 269690, 'committee will hear': 189092, 'will hear evidence': 993695, 'hear evidence from': 387912, 'evidence from range': 288361, 'from range of': 337038, 'range of food': 696714, 'supply and management': 824737, 'and management expert': 66624, 'management expert avoid': 512569, 'expert avoid panic': 291797, 'avoid panic buying': 105208, '19 pandemic he': 9345, 'pandemic he will': 635600, 'he will also': 385662, 'will also question': 992264, 'also question mp': 48735, 'question mp george': 693653, 'mp george eustice': 544252, 'george eustice secretary': 345997, 'eustice secretary of': 283658, 'state for environment': 795587, 'for environment food': 321076, 'environment food and': 279101, 'food and rural': 313326, 'and rural affair': 70654, 'hii': 396173, 'tanya': 834290, 'fluschmann': 311547, 'instasouthafrica': 440141, 'afrikaans': 35247, 'capetown': 162630, 'repost with': 712842, 'with repost': 1000464, 'repost hii': 712820, 'hii dis': 396174, 'dis tanya': 243797, 'tanya fluschmann': 834291, 'fluschmann toiletpaper': 311548, 'toiletpaper instasouthafrica': 922126, 'instasouthafrica afrikaans': 440142, 'afrikaans capetown': 35248, 'repost with repost': 712843, 'with repost hii': 1000465, 'repost hii dis': 712821, 'hii dis tanya': 396175, 'dis tanya fluschmann': 243798, 'tanya fluschmann toiletpaper': 834292, 'fluschmann toiletpaper instasouthafrica': 311549, 'toiletpaper instasouthafrica afrikaans': 922127, 'instasouthafrica afrikaans capetown': 440143, 'vela': 954306, 'unsure of': 943580, 'the 4a': 848128, '4a can': 19423, 'can guide': 158541, 'you vela': 1022072, 'vela agency': 954307, 'is member': 449626, 'provide crisis': 686251, 'communication support': 189644, 'unsure of what': 943581, 'to say to': 913848, 'say to customer': 739387, 'to customer during': 903850, 'pandemic the research': 636696, 'the research in': 865566, 'research in this': 713763, 'article from the': 94334, 'from the 4a': 337587, 'the 4a can': 848129, '4a can guide': 19424, 'can guide you': 158542, 'guide you vela': 368383, 'you vela agency': 1022073, 'vela agency is': 954308, 'agency is member': 38030, 'is member and': 449627, 'member and is': 528011, 'and is ready': 65426, 'ready to provide': 700969, 'to provide crisis': 912386, 'provide crisis communication': 686252, 'crisis communication support': 217232, 'communication support to': 189645, 'support to our': 826948, 'week retailer': 976824, 'closed 46': 182951, 'concern via': 193133, 'one week retailer': 607417, 'week retailer closed': 976825, 'retailer closed 46': 719080, 'closed 46 00': 182952, '46 00 store': 19217, '00 store in': 502, 'the over concern': 862762, 'over concern via': 630099, 'hearty': 388484, 'step stock': 799622, 'on ton': 604795, 'quarantine step': 692578, 'step wow': 799710, 'wow we': 1012617, 'food step': 316765, 'step cook': 799521, 'cook multiple': 202759, 'multiple large': 545760, 'large hearty': 479689, 'hearty home': 388487, 'meal every': 524139, 'day step': 228404, 'step oh': 799603, 'food repeat': 316172, 'repeat covid': 711507, 'will stand': 994936, 'pound we': 667411, 'all gain': 42901, 'in weight': 430785, 'step stock up': 799623, 'up on ton': 945635, 'on ton of': 604796, 'the quarantine step': 864977, 'quarantine step wow': 692579, 'step wow we': 799711, 'wow we have': 1012618, 'much food step': 544909, 'food step cook': 316766, 'step cook multiple': 799522, 'cook multiple large': 202760, 'multiple large hearty': 545761, 'large hearty home': 479690, 'hearty home cooked': 388488, 'cooked meal every': 202820, 'meal every day': 524140, 'every day step': 285845, 'day step oh': 228405, 'step oh no': 799604, 'oh no we': 596429, 'no we re': 565877, 'of food repeat': 583762, 'food repeat covid': 316173, 'repeat covid 19': 711508, '19 will stand': 12113, 'will stand for': 994937, 'stand for the': 793523, 'for the number': 326591, 'number of pound': 576976, 'of pound we': 588297, 'pound we all': 667412, 'we all gain': 970326, 'all gain in': 42902, 'gain in weight': 342781, 'great risk': 362973, 'driver are at': 259432, 'are at great': 84665, 'at great risk': 98799, 'great risk of': 362974, 'retail salesperson': 718512, 'salesperson pandemic': 732703, 'your retail salesperson': 1025608, 'retail salesperson pandemic': 718513, 'salesperson pandemic socialdistancing': 732704, 'teambeef': 835844, 'teamsheep': 835886, 'take listen': 832275, 'week podcast': 976761, 'situation around': 772201, 'price listen': 675069, 'now teambeef': 575970, 'teambeef teamsheep': 835845, 'take listen to': 832277, 'to this week': 917476, 'this week podcast': 891250, 'week podcast to': 976763, 'podcast to find': 662323, 'how the beef': 408803, 'lamb market are': 479161, 'market are reacting': 516028, 'current situation around': 221358, 'situation around and': 772202, 'impact this is': 418025, 'this is having': 888275, 'having on price': 384205, 'on price listen': 602914, 'price listen now': 675070, 'listen now teambeef': 494699, 'now teambeef teamsheep': 575971, 'cma launch': 184648, 'launch coronavirus': 481878, 'coronavirus digital': 205818, 'digital task': 242656, 'tackle negative': 831589, 'practice they': 668682, 'emerge find': 272533, 'cma launch coronavirus': 184649, 'launch coronavirus digital': 481879, 'coronavirus digital task': 205819, 'digital task force': 242657, 'force to tackle': 328533, 'to tackle negative': 916133, 'tackle negative impact': 831590, 'negative impact in': 556789, 'impact in sale': 417708, 'pricing practice they': 677966, 'practice they emerge': 668683, 'they emerge find': 882034, 'emerge find out': 272534, 'launching working': 482082, 'prevent company': 671601, 'been told that': 122242, 'that the competition': 846689, 'is launching working': 449245, 'launching working group': 482083, 'working group to': 1008672, 'group to prevent': 366936, 'to prevent company': 912050, 'prevent company from': 671602, 'company from exploiting': 190688, 'hey you': 394561, 'you british': 1017528, 'hey you british': 394562, 'you british consumer': 1017529, 'sure we keep': 827807, 'we keep business': 972128, 'keep business to': 471361, 'business to account': 144528, 'grocerystore there': 366332, 'there simply': 879052, 'simply isn': 770238, 'isn foot': 454511, 'between everyone': 128767, 'average crowded': 104824, 'crowded market': 219327, 'infection popping': 436813, 'store prove': 809691, 'stayathomesavelives physicaldistancing': 797804, 'get from the': 347113, 'from the grocerystore': 337733, 'the grocerystore there': 856840, 'grocerystore there simply': 366333, 'there simply isn': 879053, 'simply isn foot': 770239, 'isn foot of': 454512, 'space between everyone': 787071, 'between everyone in': 128768, 'in the average': 428999, 'the average crowded': 849098, 'average crowded market': 104825, 'crowded market and': 219328, 'and the infection': 73427, 'the infection popping': 858227, 'infection popping up': 436814, 'up in grocery': 945156, 'grocery store prove': 365688, 'store prove it': 809692, 'prove it socialdistancing': 686109, 'it socialdistancing stayathomesavelives': 461151, 'socialdistancing stayathomesavelives physicaldistancing': 780730, 'pharmacy waiting': 654542, '19 supermarket and': 10947, 'and pharmacy waiting': 68984, 'pharmacy waiting time': 654543, 'waiting time groceryshopping': 964394, 'standard are': 793630, 'issuing warning': 456139, 'scammed and': 740506, 'trading standard are': 928924, 'standard are issuing': 793631, 'are issuing warning': 87594, 'issuing warning to': 456140, 'warning to resident': 967229, 'to resident about': 913350, 'resident about people': 714239, 'about people being': 25932, 'people being scammed': 647270, 'being scammed and': 125718, 'scammed and retailer': 740507, 'and retailer hiking': 70459, 'hiking price amid': 396390, 'situation unfolds': 772544, 'unfolds in': 941534, 'week global': 976272, 'affected money': 34394, 'suffering oil': 817330, 'impacted keep': 418131, 'keep cash': 471382, 'cash ready': 166313, 'ready bcz': 700845, 'bcz cash': 113384, 'cash will': 166377, 'king stockmarket': 475306, 'stockmarket investing': 803656, 'investing realestate': 443939, 'see how this': 745257, 'how this situation': 408956, 'this situation unfolds': 890194, 'situation unfolds in': 772545, 'unfolds in next': 941535, 'in next to': 425860, 'next to week': 561634, 'to week global': 918470, 'week global supply': 976273, 'chain is affected': 170829, 'is affected money': 445373, 'affected money is': 34395, 'money is suffering': 536850, 'is suffering oil': 452434, 'suffering oil price': 817331, 'lowest in several': 506177, 'in several year': 427838, 'several year consumer': 753976, 'year consumer confidence': 1014482, 'confidence is impacted': 193910, 'is impacted keep': 448689, 'impacted keep cash': 418132, 'keep cash ready': 471383, 'cash ready bcz': 166314, 'ready bcz cash': 700846, 'bcz cash will': 113385, 'cash will be': 166378, 'be the king': 117627, 'the king stockmarket': 858823, 'king stockmarket investing': 475307, 'stockmarket investing realestate': 803657, 'edw': 268911, 'dwbi': 263645, 'elm': 271568, 'cdvdm': 168692, 'podclass': 662339, 'remotelearning': 710758, 'datavault': 226572, 'upcoming class': 946782, 'class to': 180276, 'about edw': 25156, 'edw dwbi': 268912, 'dwbi and': 263646, 'and elm': 62013, 'elm in': 271569, 'the cdvdm': 850581, 'cdvdm course': 168693, 'certain city': 169977, 'have early': 380405, 'early bird': 264556, 'bird price': 131345, 'you register': 1020888, 'register week': 707625, 'advance podclass': 32911, 'podclass remotelearning': 662340, 'remotelearning socialdistancing': 710759, 'socialdistancing datavault': 780308, 'join in one': 466751, 'of our upcoming': 587584, 'our upcoming class': 625235, 'upcoming class to': 946783, 'class to learn': 180277, 'learn about edw': 483932, 'about edw dwbi': 25157, 'edw dwbi and': 268913, 'dwbi and elm': 263647, 'and elm in': 62014, 'elm in the': 271570, 'in the cdvdm': 429061, 'the cdvdm course': 850582, 'cdvdm course certain': 168694, 'course certain city': 211852, 'certain city have': 169978, 'city have early': 179177, 'have early bird': 380406, 'early bird price': 264557, 'bird price if': 131346, 'if you register': 415507, 'you register week': 1020889, 'register week in': 707626, 'in advance podclass': 420059, 'advance podclass remotelearning': 32912, 'podclass remotelearning socialdistancing': 662341, 'remotelearning socialdistancing datavault': 710760, 'uk show': 938716, 'produce essential': 680253, 'essential fear': 281027, 'an imminent': 56174, 'imminent lockdown': 417277, 'lockdown prompt': 499812, 'prompt panicbuying': 683912, 'panicbuying sainsbury': 639040, 'sainsbury tesco': 731730, 'shocking video from': 759635, 'video from london': 956741, 'london and other': 501015, 'and other area': 68283, 'other area of': 619846, 'the uk show': 870280, 'uk show supermarket': 938717, 'show supermarket shelf': 767162, 'and produce essential': 69552, 'produce essential fear': 680254, 'essential fear of': 281028, 'fear of an': 301222, 'of an imminent': 580117, 'an imminent lockdown': 56176, 'imminent lockdown prompt': 417278, 'lockdown prompt panicbuying': 499813, 'prompt panicbuying sainsbury': 683913, 'panicbuying sainsbury tesco': 639041, 'are volatile': 91495, 'volatile panic': 960056, 'panic ensuing': 638068, 'ensuing what': 277877, 'do see': 250060, 'below investor': 126675, 'are falling market': 86466, 'falling market are': 297300, 'market are volatile': 516034, 'are volatile panic': 91496, 'volatile panic ensuing': 960057, 'panic ensuing what': 638069, 'ensuing what to': 277878, 'to do see': 904550, 'do see below': 250061, 'see below investor': 744960, 'totally terrifying': 926396, 'terrifying shit': 838542, 'totally terrifying shit': 926397, 'terrifying shit report': 838543, 'station is': 796442, 'about facility': 25216, 'facility that': 295379, 'produce pulp': 680405, 'pulp paper': 688965, 'like see': 491149, 'the day grocery': 852884, 'gas station is': 344117, 'station is considered': 796443, 'business and can': 143290, 'and can remain': 59468, 'can remain open': 159427, 'remain open but': 709802, 'open but what': 612133, 'what about facility': 980970, 'about facility that': 25217, 'facility that produce': 295380, 'that produce pulp': 845858, 'produce pulp paper': 680406, 'pulp paper product': 688966, 'paper product like': 640628, 'product like see': 681367, 'like see what': 491150, 'see what this': 746047, 'koenigdistillery': 477319, 'caldwell': 155375, 'idahocovid19': 412981, 'are partnering': 88992, 'with koenigdistillery': 999163, 'koenigdistillery in': 477320, 'in caldwell': 421134, 'caldwell to': 155376, 'produce thousand': 680467, 'sanitizer idahocovid19': 735111, 'we are partnering': 970656, 'are partnering with': 88993, 'partnering with koenigdistillery': 642933, 'with koenigdistillery in': 999164, 'koenigdistillery in caldwell': 477321, 'in caldwell to': 421135, 'caldwell to produce': 155377, 'to produce thousand': 912210, 'produce thousand of': 680468, 'thousand of gallon': 893442, 'gallon of alcohol': 343037, 'of alcohol sanitizer': 579898, 'alcohol sanitizer idahocovid19': 41096, 'icis european': 412757, 'icis european electricity': 412758, 'european electricity price': 283565, 'price to plummet': 677024, 'to plummet due': 911829, 'redefining': 705674, 'spate': 787648, 'datavis': 226573, 'is redefining': 451371, 'redefining the': 705675, 'beauty consumer': 118753, 'consumer spate': 199028, 'spate analyzed': 787649, 'analyzed more': 57254, 'billion online': 130880, 'consumer signal': 198991, 'identify which': 413380, 'which beauty': 985707, 'beauty trend': 118816, 'are slowing': 90177, '19 view': 11778, 'report datavis': 711897, 'home is redefining': 401457, 'is redefining the': 451372, 'redefining the need': 705677, 'of the beauty': 590814, 'the beauty consumer': 849410, 'beauty consumer spate': 118755, 'consumer spate analyzed': 199029, 'spate analyzed more': 787650, 'analyzed more than': 57255, 'than 10 billion': 840143, '10 billion online': 1344, 'billion online consumer': 130881, 'online consumer signal': 608046, 'consumer signal to': 198992, 'signal to identify': 769322, 'to identify which': 908091, 'identify which beauty': 413381, 'which beauty trend': 985708, 'beauty trend are': 118817, 'trend are taking': 931281, 'are taking off': 90727, 'taking off and': 833470, 'off and which': 593653, 'which are slowing': 985694, 'are slowing down': 90178, 'slowing down during': 774536, 'down during covid': 256709, 'covid 19 view': 214031, '19 view the': 11779, 'full report datavis': 340851, 'getting hilarious': 349037, 'hilarious viral': 396452, 'viral video': 957635, 'teenager in': 836548, 'full zombie': 340996, 'zombie makeup': 1027711, 'makeup running': 510912, 'running into': 727983, 'is that any': 452633, 'that any minute': 842678, 'minute now we': 533811, 'now we should': 576356, 'be getting hilarious': 115004, 'getting hilarious viral': 349038, 'hilarious viral video': 396453, 'viral video of': 957637, 'video of group': 956824, 'group of teenager': 366805, 'of teenager in': 590637, 'teenager in full': 836549, 'in full zombie': 423178, 'full zombie makeup': 340997, 'zombie makeup running': 1027712, 'makeup running into': 510913, 'running into crowded': 727984, 'getting wrong': 349460, 'what everyone getting': 981428, 'everyone getting wrong': 286935, 'getting wrong about': 349461, 'still terrified': 801279, 'buying shit': 151016, 'shit ve': 759282, 'two car': 936818, 'car stacked': 163291, 'stacked together': 791993, 'together people': 920896, 'this tell': 890482, 'consume would': 195956, 'would bet': 1011683, 'food purchased': 316085, 'purchased will': 689815, 'will rot': 994724, 'rot coronacrisis': 726162, 'are still terrified': 90489, 'still terrified of': 801280, 'terrified of buying': 838494, 'of buying shit': 581017, 'buying shit ve': 151017, 'shit ve heard': 759285, 'who have two': 988968, 'have two car': 383438, 'two car stacked': 936819, 'car stacked together': 163292, 'stacked together people': 791995, 'together people who': 920897, 'who do thing': 988623, 'like this tell': 491536, 'this tell me': 890484, 'that people literally': 845700, 'people literally have': 648670, 'literally have no': 495018, 'idea how much': 413076, 'much food they': 544911, 'food they actually': 317161, 'they actually consume': 881096, 'actually consume would': 30768, 'consume would bet': 195957, 'would bet that': 1011684, 'bet that more': 128103, 'this food purchased': 887578, 'food purchased will': 316086, 'purchased will rot': 689816, 'will rot coronacrisis': 994725, 'are prioritising': 89227, 'prioritising the': 678424, 'worker wonder': 1008277, 'whether crowd': 985501, 'either group': 270312, 'group could': 366660, 'could inadvertently': 209329, 'inadvertently help': 431226, 've seen number': 953538, 'number of picture': 576973, 'of people queuing': 587970, 'people queuing outside': 649224, 'queuing outside supermarket': 694227, 'outside supermarket while': 629577, 'supermarket while it': 823844, 'while it great': 986968, 'great that big': 363037, 'that big supermarket': 842987, 'chain are prioritising': 170509, 'are prioritising the': 89228, 'prioritising the elderly': 678425, 'and nh worker': 67586, 'nh worker wonder': 562198, 'worker wonder whether': 1008278, 'wonder whether crowd': 1004031, 'whether crowd of': 985502, 'crowd of either': 219216, 'of either group': 583004, 'either group could': 270313, 'group could inadvertently': 366661, 'could inadvertently help': 209330, 'inadvertently help spread': 431227, 'help spread covid': 390553, 'choctaw': 177718, 'urgent psa': 948357, 'psa walmart': 687444, 'in choctaw': 421459, 'choctaw oklahoma': 177719, 'oklahoma ha': 598064, 'lottery walmart': 504468, 'walmart oklahoma': 965376, 'oklahoma walmart': 598081, 'walmart tp': 965450, 'pandemic score': 636407, 'score winning': 742383, 'winning win': 996093, 'win youtube': 995603, 'urgent psa walmart': 948358, 'psa walmart in': 687445, 'walmart in choctaw': 965355, 'in choctaw oklahoma': 421460, 'choctaw oklahoma ha': 177720, 'oklahoma ha toilet': 598065, 'paper it like': 640380, 'it like won': 459388, 'the lottery walmart': 859755, 'lottery walmart oklahoma': 504469, 'walmart oklahoma walmart': 965377, 'oklahoma walmart tp': 598082, 'walmart tp toiletpaper': 965451, 'tp toiletpaper pandemic': 928003, 'toiletpaper pandemic score': 922304, 'pandemic score winning': 636408, 'score winning win': 742384, 'winning win youtube': 996094, 'win youtube youtuber': 995604, 'considering all': 195352, 'open make': 612370, 'make rule': 510408, 'shop every1': 760155, 'every1 else': 286389, 'do store': 250180, 'even provide': 284497, 'them protective': 876195, 'doe not need': 251510, 'be open is': 116246, 'open is considering': 612331, 'is considering all': 446755, 'considering all the': 195353, 'still open make': 800967, 'open make rule': 612371, 'make rule that': 510409, 'that only allows': 845520, 'only allows the': 610071, 'allows the elderly': 46396, 'elderly to shop': 270921, 'to shop every1': 914458, 'shop every1 else': 760156, 'every1 else can': 286390, 'else can do': 271654, 'can do store': 158119, 'do store pickup': 250181, 'store pickup you': 809565, 'pickup you are': 656054, 'are putting your': 89367, 'putting your employee': 691289, 'your employee at': 1023652, 'at risk when': 100416, 'don even provide': 253490, 'even provide them': 284499, 'provide them protective': 686516, 'them protective gear': 876196, 'sandton': 733723, 'midrand': 530773, 'day12': 228847, 'day12oflockdown': 228850, 'facial mask': 295241, 'around sandton': 93471, 'sandton midrand': 733724, 'midrand and': 530774, 'and surround': 72887, 'surround competitive': 828715, 'information much': 437895, 'love day12': 504642, 'day12 day12oflockdown': 228848, 'day12oflockdown lockdownsouthafrica': 228851, 'lockdownsouthafrica tuesdaythoughts': 500389, 'facial mask for': 295243, 'for sale in': 325317, 'sale in and': 732292, 'and around sandton': 58398, 'around sandton midrand': 93472, 'sandton midrand and': 733725, 'midrand and surround': 530775, 'and surround competitive': 72888, 'surround competitive price': 828716, 'competitive price dm': 191780, 'me for information': 522749, 'for information much': 322578, 'information much love': 437896, 'much love day12': 545068, 'love day12 day12oflockdown': 504643, 'day12 day12oflockdown lockdownsouthafrica': 228849, 'day12oflockdown lockdownsouthafrica tuesdaythoughts': 228852, 'lockdownsouthafrica tuesdaythoughts tuesdaymotivation': 500390, 'rugged': 727099, 'up outpacing': 945711, 'outpacing both': 629213, 'both italy': 135947, 'china america': 176464, 'america rugged': 51671, 'rugged individualism': 727101, 'individualism doesn': 435292, 'put others': 690740, 'others above': 621238, 'above themselves': 27112, 'themselves socialdistancing': 876891, 'socialdistancing coronacrisis': 780289, 'is why america': 453957, 'america is going': 51574, 'end up outpacing': 276041, 'up outpacing both': 945712, 'outpacing both italy': 629214, 'both italy and': 135948, 'and china america': 59843, 'china america rugged': 176465, 'america rugged individualism': 51672, 'rugged individualism doesn': 727102, 'individualism doesn allow': 435293, 'doesn allow for': 251694, 'allow for some': 45970, 'people to put': 649930, 'to put others': 912600, 'put others above': 690741, 'others above themselves': 621239, 'above themselves socialdistancing': 27113, 'themselves socialdistancing coronacrisis': 876892, 'something animal': 784852, 'animal animal': 76556, 'animal cat': 76564, 'cat cat': 166839, 'cat thursdaythoughts': 166898, 'thursdaythoughts thursdaymotivation': 895487, 'thursdaymotivation thursdayvibes': 895468, 'need something animal': 555607, 'something animal animal': 784853, 'animal animal cat': 76557, 'animal cat cat': 76565, 'cat cat thursdaythoughts': 166840, 'cat thursdaythoughts thursdaymotivation': 166899, 'thursdaythoughts thursdaymotivation thursdayvibes': 895488, 'facing dramatic': 295450, 'the usda': 870564, 'usda is': 948959, 'is dragging': 447361, 'dragging it': 258191, 'administrative change': 32514, 'allow staff': 46062, 'food faster': 314450, 'bank are facing': 109646, 'are facing dramatic': 86411, 'facing dramatic increase': 295451, 'in demand but': 422111, 'but the usda': 147425, 'the usda is': 870565, 'usda is dragging': 948960, 'is dragging it': 447362, 'dragging it foot': 258192, 'it foot on': 458063, 'foot on an': 318416, 'on an administrative': 599320, 'an administrative change': 55128, 'administrative change that': 32515, 'change that would': 172285, 'that would allow': 847677, 'would allow staff': 1011507, 'allow staff and': 46063, 'and volunteer to': 75035, 'volunteer to distribute': 960349, 'distribute food faster': 247973, 'food faster and': 314451, 'faster and more': 300084, 'and more safely': 67211, 'pay because': 644773, 'town now': 927517, 'kid want': 474157, 'hazard pay because': 384561, 'pay because work': 644774, 'because work for': 119844, 'but don we': 145600, 'don we have': 254059, 'we have confirmed': 971779, 'my town now': 550417, 'town now some': 927518, 'now some of': 575866, 'worker are out': 1006412, 'work to take': 1005905, 'of their kid': 591675, 'their kid want': 873761, 'kid want to': 474158, 'help them please': 390711, 'in q2': 427153, 'q2 2020': 691413, 'from q4': 337010, 'q4 2019': 691440, '2019 following': 13963, 'turbine price in': 935494, 'uk are estimated': 938189, 'estimated to increase': 282310, 'to increase by': 908272, 'increase by in': 432707, 'by in q2': 152885, 'in q2 2020': 427154, 'q2 2020 from': 691414, '2020 from q4': 14320, 'from q4 2019': 337011, 'q4 2019 following': 691441, '2019 following the': 13964, 'tonight no': 924456, 'egg meat': 269914, 'meat bread': 525502, 'milk pasta': 531768, 'rice plus': 721107, 'disinfectant some': 245753, 'some frozen': 782920, 'of snack': 589791, 'snack chip': 776001, 'chip chocolate': 177506, 'chocolate etc': 177669, 'etc sydney': 282780, 'not lot of': 570473, 'food left in': 315292, 'the supermarket tonight': 868868, 'supermarket tonight no': 823508, 'tonight no egg': 924457, 'no egg meat': 564091, 'egg meat bread': 269915, 'meat bread milk': 525503, 'bread milk pasta': 138532, 'milk pasta or': 531769, 'pasta or rice': 643777, 'or rice plus': 616905, 'rice plus of': 721108, 'plus of course': 661642, 'course no toilet': 211907, 'paper or disinfectant': 640548, 'or disinfectant some': 614995, 'disinfectant some frozen': 245754, 'some frozen food': 782921, 'frozen food fruit': 338973, 'fruit and plenty': 339063, 'plenty of snack': 660978, 'of snack chip': 589792, 'snack chip chocolate': 776002, 'chip chocolate etc': 177507, 'chocolate etc sydney': 177670, 'my live': 549085, 'daily london': 224674, 'london update': 501223, 'update footage': 946954, 'footage only': 318475, 'when travelling': 984342, 'seeing from': 746301, 'world coronacrisisuk': 1009453, 'coronacrisisuk londonlockdown': 204891, 'londonlockdown news': 501262, 'my live daily': 549086, 'live daily london': 495782, 'daily london update': 224675, 'london update footage': 501224, 'update footage only': 946955, 'footage only taken': 318476, 'only taken when': 611240, 'taken when travelling': 833124, 'when travelling to': 984343, 'travelling to my': 930696, 'you seeing from': 1021082, 'seeing from where': 746302, 'from where you': 338357, 'the world coronacrisisuk': 871848, 'world coronacrisisuk londonlockdown': 1009454, 'coronacrisisuk londonlockdown news': 204892, 'ransacking': 696825, 'wife pop': 991954, 'there horde': 878482, 'of ransacking': 588739, 'ransacking shelf': 696826, 'their trollies': 875039, 'trollies without': 932529, 'without giving': 1002685, 'giving toss': 351438, 'toss about': 926085, 'so the wife': 778445, 'the wife pop': 871550, 'wife pop into': 991955, 'supermarket after work': 818819, 'after work to': 36572, 'work to try': 1005908, 'and get few': 63573, 'get few essential': 347003, 'few essential but': 303820, 'essential but there': 280877, 'but there horde': 147464, 'there horde of': 878483, 'horde of ransacking': 404003, 'of ransacking shelf': 588740, 'ransacking shelf and': 696827, 'shelf and their': 756769, 'and their trollies': 73723, 'their trollies without': 875040, 'trollies without giving': 932530, 'without giving toss': 1002687, 'giving toss about': 351439, 'novelist': 573830, 'hey writingcommnunity': 394557, 'writingcommnunity wonder': 1012941, 'what dystopian': 981392, 'dystopian novelist': 263950, 'novelist think': 573831, 'think watching': 885757, 'the quarentinelife': 864994, 'quarentinelife unfold': 693217, 'unfold my': 941513, 'is manager': 449564, 'at day': 98411, 'crazy please': 215391, 'hey writingcommnunity wonder': 394558, 'writingcommnunity wonder what': 1012942, 'wonder what dystopian': 1004008, 'what dystopian novelist': 981393, 'dystopian novelist think': 263951, 'novelist think watching': 573832, 'think watching the': 885758, 'watching the quarentinelife': 968805, 'the quarentinelife unfold': 864995, 'quarentinelife unfold my': 693218, 'unfold my day': 941514, 'job is manager': 465903, 'is manager for': 449565, 'and at day': 58471, 'at day it': 98412, 'day it crazy': 227847, 'it crazy please': 457393, 'crazy please be': 215392, 'be safe everyone': 116953, 'people creep': 647582, 'creep in': 216616, 'within ft': 1002365, 'ft rule': 339359, 'when you in': 984572, 'and people creep': 68857, 'people creep in': 647583, 'creep in within': 216617, 'in within ft': 430953, 'within ft rule': 1002366, 'northam nonessential': 567697, 'nonessential business': 566614, 'place people': 657651, 'have guidance': 380854, 'guidance coming': 368211, 'essential nonessential': 281334, 'nonessential grocery': 566619, 'bank all': 109587, 'northam nonessential business': 567698, 'nonessential business must': 566615, 'business must close': 144073, 'of the point': 591343, 'the point is': 863901, 'point is to': 662533, 'is to limit': 453218, 'to limit place': 909294, 'limit place people': 492455, 'place people gather': 657653, 'people gather in': 648028, 'in group have': 423453, 'group have guidance': 366721, 'have guidance coming': 380855, 'guidance coming on': 368212, 'coming on essential': 188155, 'on essential nonessential': 600592, 'essential nonessential grocery': 281335, 'nonessential grocery store': 566620, 'store pharmacy bank': 809534, 'pharmacy bank all': 654247, 'bank all to': 109589, 'all to remain': 45247, 'terrific story': 838480, 'how massive': 408304, 'massive canadian': 519975, 'company come': 190554, 'always great': 49585, 'the ho': 857400, 'ho folk': 398729, 'folk pitching': 312236, 'pitching in': 657018, 'story brings': 811922, 'brings back': 140232, 'back memory': 107145, 'terrific story about': 838481, 'story about how': 811890, 'about how massive': 25454, 'how massive canadian': 408305, 'massive canadian company': 519976, 'canadian company come': 160653, 'company come together': 190555, 'come together remember': 187631, 'together remember when': 920914, 'remember when worked': 710421, 'when worked in': 984515, 'wa always great': 961514, 'always great to': 49586, 'see the ho': 745841, 'the ho folk': 857401, 'ho folk pitching': 398730, 'folk pitching in': 312237, 'pitching in and': 657019, 'in and helping': 420366, 'and helping out': 64495, 'helping out in': 391425, 'out in time': 626404, 'of need great': 586906, 'need great story': 554926, 'great story brings': 363011, 'story brings back': 811923, 'brings back memory': 140233, 'worry tesco': 1010774, 'tesco shelf': 838803, 'all different': 42572, 'different kind': 241978, 'item doe': 463215, 'anyone work': 80651, 'supermarket know': 821252, 'happening over': 377396, 'over delivery': 630143, 'well now starting': 978429, 'starting to worry': 795049, 'to worry tesco': 918841, 'worry tesco shelf': 1010775, 'tesco shelf empty': 838804, 'empty of all': 274977, 'of all different': 579935, 'all different kind': 42573, 'different kind of': 241979, 'kind of item': 474912, 'of item doe': 585480, 'item doe anyone': 463216, 'doe anyone work': 251346, 'anyone work for': 80652, 'for supermarket know': 326016, 'supermarket know what': 821254, 'know what happening': 476957, 'what happening over': 981556, 'happening over delivery': 377397, 'over delivery to': 630144, 'to store staff': 915643, 'store staff in': 810319, 'staff in store': 792558, 'in store don': 428405, 'simply show': 770286, 'bill premier': 130660, 'ford is': 328779, 'cutting daytime': 223718, 'daytime electricity': 228912, '20 monthly': 13184, 'many ontarians': 514417, 'ontarians at': 611570, 'new the saving': 559747, 'saving will simply': 737991, 'will simply show': 994865, 'simply show up': 770287, 'your next bill': 1024998, 'next bill premier': 561297, 'bill premier doug': 130661, 'doug ford is': 256253, 'ford is cutting': 328780, 'is cutting daytime': 447012, 'cutting daytime electricity': 223719, 'daytime electricity price': 228913, 'electricity price by': 271193, 'by about 20': 151727, 'about 20 monthly': 24664, '20 monthly for': 13185, 'monthly for the': 538173, 'the average household': 849102, 'average household with': 104856, 'household with so': 406994, 'so many ontarians': 777684, 'many ontarians at': 514418, 'ontarians at home': 611571, 'home from to': 401274, 'from to during': 338059, 'to during the': 904809, 'seen extreme': 747012, 'extreme volatility': 293842, 'volatility recently': 960092, 'thursday announcement': 895348, 'country could': 210563, 'significant shift': 769517, 'have seen extreme': 382424, 'seen extreme volatility': 747013, 'extreme volatility recently': 293844, 'volatility recently and': 960093, 'recently and thursday': 704045, 'and thursday announcement': 74105, 'thursday announcement from': 895349, 'announcement from the': 77154, 'producing country could': 680752, 'country could see': 210564, 'could see significant': 209640, 'see significant shift': 745687, 'significant shift in': 769518, 'shift in price': 758328, 'keepconnected': 472323, 'crisis people': 217863, 'housing electricity': 407075, '60 community': 20913, 'community orgs': 190025, 'orgs are': 619501, 'people keepconnected': 648583, 'critical that during': 218686, 'during the health': 263136, 'health crisis people': 386344, 'crisis people stay': 217865, 'people stay connected': 649557, 'stay connected to': 796850, 'connected to essential': 194662, 'to essential service': 905261, 'essential service such': 281529, 'service such housing': 752875, 'such housing electricity': 816559, 'housing electricity water': 407076, 'electricity water and': 271223, 'water and phone': 968875, 'and phone more': 68993, 'than 60 community': 840274, '60 community orgs': 20914, 'community orgs are': 190026, 'orgs are calling': 619502, 'calling for government': 156552, 'for government and': 321958, 'government and company': 359860, 'and company to': 60196, 'company to make': 191232, 'sure people keepconnected': 827657, 'strangedaysindeed': 812439, 'actually mail': 30878, 'mail toilet': 508668, 'someone but': 784394, 'are strangedaysindeed': 90551, 'strangedaysindeed lifeinthetimeofcorona': 812440, 'lifeinthetimeofcorona toiletpaper': 489290, 'never thought have': 558225, 'thought have to': 893074, 'have to actually': 383150, 'to actually mail': 900030, 'actually mail toilet': 30879, 'mail toilet paper': 508669, 'paper to someone': 640925, 'to someone but': 914903, 'someone but that': 784395, 'but that where': 147305, 'that where we': 847509, 'we are strangedaysindeed': 970725, 'are strangedaysindeed lifeinthetimeofcorona': 90552, 'strangedaysindeed lifeinthetimeofcorona toiletpaper': 812441, 'varied': 952542, 'bank preparing': 110107, 'date official': 226694, 'official seeing': 595915, 'seeing varied': 746539, 'varied response': 952545, 'response demand': 715672, 'across wellington': 29559, 'wellington county': 978818, 'food bank preparing': 313619, 'bank preparing for': 110108, 'during pandemic to': 262902, 'pandemic to date': 636774, 'to date official': 903936, 'date official seeing': 226695, 'official seeing varied': 595916, 'seeing varied response': 746540, 'varied response demand': 952546, 'response demand at': 715673, 'demand at location': 235043, 'at location across': 99614, 'location across wellington': 498841, 'across wellington county': 29560, 'clever ad': 181861, 'ad from': 31108, 'from cool': 334996, 'cool food': 203005, 'game well': 343282, 'well cash': 978095, 'cash winning': 166379, 'winning supermarket': 996079, 'clever ad from': 181862, 'ad from cool': 31109, 'from cool food': 334997, 'cool food is': 203006, 'food is always': 315110, 'stock in their': 802279, 'in their game': 429742, 'their game well': 873399, 'game well cash': 343283, 'well cash winning': 978096, 'cash winning supermarket': 166380, 'winning supermarket food': 996080, 'supermarket food shortage': 820363, 'yo this': 1016451, 'ellie in': 271561, 'outbreak am': 627973, 'everyone cope': 286794, 'situation share': 772478, 'yo this ellie': 1016452, 'this ellie in': 887359, 'ellie in the': 271562, 'the outbreak am': 862589, 'outbreak am grateful': 627974, 'also police officer': 48670, 'officer firefighter grocery': 595657, 'driver etc who': 259538, 'etc who help': 282884, 'who help they': 988990, 'help they help': 390731, 'they help everyone': 882428, 'help everyone cope': 389661, 'everyone cope with': 286795, 'the situation share': 867276, 'situation share what': 772479, 'facebook from': 294918, 'store unable': 810989, 'purchase tampon': 689663, 'tampon or': 834136, 'publicly ask': 688573, 'have work': 383625, 'their uniform': 875079, 'uniform is': 941768, 'is white': 453943, 'white and': 987812, 'are bleeding': 84991, 'bleeding 19': 132561, 'today saw post': 920144, 'post on facebook': 666251, 'on facebook from': 600703, 'facebook from friend': 294919, 'friend who had': 333899, 'had just returned': 373221, 'returned from her': 719961, 'from her local': 335768, 'grocery store unable': 365896, 'store unable to': 810990, 'unable to purchase': 939344, 'to purchase tampon': 912550, 'purchase tampon or': 689664, 'tampon or toilet': 834137, 'want to publicly': 966093, 'to publicly ask': 912480, 'publicly ask their': 688574, 'ask their friend': 95643, 'their friend for': 873382, 'friend for help': 333606, 'for help because': 322173, 'help because they': 389414, 'they have work': 882404, 'have work the': 383626, 'work the next': 1005814, 'next day and': 561325, 'day and their': 227287, 'and their uniform': 73725, 'their uniform is': 875080, 'uniform is white': 941769, 'is white and': 453944, 'white and they': 987814, 'they are bleeding': 881215, 'are bleeding 19': 84992, 'person sneeze': 652605, 'or scarf': 616976, 'scarf while': 741091, 'mask keep': 518888, 'what happens with': 981570, 'happens with an': 377535, 'infected person sneeze': 436621, 'person sneeze at': 652606, 'mask or scarf': 519076, 'or scarf while': 616978, 'scarf while shopping': 741092, 'while shopping my': 987267, 'shopping my mask': 763313, 'my mask keep': 549209, 'mask keep you': 518890, 'you safe and': 1020970, 'and your mask': 76083, 'your mask keep': 1024787, 'mask keep me': 518889, 'water parent': 969105, 'parent you': 641786, 'not panicking': 570953, 'panicking just': 639349, 'supply parent': 825701, 'parent panicking': 641704, 'panicking will': 639392, 'you anywhere': 1017029, 'anywhere me': 81130, 'me ca': 522552, 'ca parent': 154900, 'parent seriously': 641721, 'seriously calm': 751555, 'down me': 256950, 'and water parent': 75249, 'water parent you': 969106, 'parent you need': 641788, 'need to calm': 555878, 'to calm down': 902393, 'calm down there': 156726, 'down there is': 257328, 'to panic me': 911409, 'panic me not': 638302, 'me not panicking': 523230, 'not panicking just': 570956, 'panicking just making': 639350, 'making sure they': 511392, 'sure they have': 827740, 'enough supply parent': 277652, 'supply parent panicking': 825702, 'parent panicking will': 641705, 'panicking will not': 639393, 'not get you': 569618, 'get you anywhere': 348671, 'you anywhere me': 1017030, 'anywhere me ca': 81131, 'me ca parent': 522553, 'ca parent seriously': 154901, 'parent seriously calm': 641722, 'seriously calm down': 751556, 'calm down me': 156720, 'down me 19': 256951, 'tagtek': 831786, 'brandawareness': 138083, 'tradeshows': 928822, 'buy 3ply': 148261, '3ply face': 18389, 'bacterial filter': 107721, 'filter and': 305752, 'price tagtek': 676744, 'tagtek promotionalproducts': 831787, 'promotionalproducts branding': 683889, 'branding brandawareness': 138125, 'brandawareness giveaway': 138084, 'giveaway tradeshows': 350916, 'tradeshows printing': 928823, 'buy 3ply face': 148262, '3ply face mask': 18390, 'mask with anti': 519577, 'with anti bacterial': 997260, 'anti bacterial filter': 78276, 'bacterial filter and': 107722, 'filter and get': 305753, 'get the best': 348227, 'best deal at': 127663, 'deal at the': 229346, 'lowest price tagtek': 506216, 'price tagtek promotionalproducts': 676745, 'tagtek promotionalproducts branding': 831788, 'promotionalproducts branding brandawareness': 683890, 'branding brandawareness giveaway': 138126, 'brandawareness giveaway tradeshows': 138085, 'giveaway tradeshows printing': 350917, 'the automotive': 849083, 'automotive industry': 104046, 'for electric': 321002, 'electric vehicle': 271129, 'vehicle factory': 954261, 'factory closure': 295935, 'closure signal': 184028, 'signal troubled': 769325, 'troubled path': 932669, 'path ahead': 644012, 'for automaker': 319536, 'automaker while': 103949, 'while low': 987016, 'hit vehicle': 398500, 'vehicle hard': 954267, 'hard electrical': 377908, 'for the automotive': 326311, 'the automotive industry': 849084, 'automotive industry and': 104047, 'industry and even': 435636, 'and even worse': 62355, 'even worse for': 284823, 'worse for electric': 1010930, 'for electric vehicle': 321003, 'electric vehicle factory': 271130, 'vehicle factory closure': 954262, 'factory closure signal': 295938, 'closure signal troubled': 184029, 'signal troubled path': 769326, 'troubled path ahead': 932670, 'path ahead for': 644013, 'ahead for automaker': 39154, 'for automaker while': 319537, 'automaker while low': 103950, 'while low gas': 987017, 'could hit vehicle': 209306, 'hit vehicle hard': 398501, 'vehicle hard electrical': 954268, 'kelantan': 472701, 'kelantan supermarket': 472702, 'supermarket installs': 821052, 'installs covid': 440061, '19 disinfectant': 6566, 'kelantan supermarket installs': 472703, 'supermarket installs covid': 821053, 'installs covid 19': 440062, 'covid 19 disinfectant': 212961, '19 disinfectant tunnel': 6567, 'website and new': 975201, 'and new public': 67556, 'new public service': 559376, 'considering most': 195395, 'most bloke': 542139, 'bloke can': 133081, 'can judge': 158786, 'judge six': 467630, 'six inch': 772654, 'inch it': 431398, 'considering most bloke': 195396, 'most bloke can': 542140, 'bloke can judge': 133082, 'can judge six': 158787, 'judge six inch': 467632, 'six inch it': 772655, 'inch it no': 431399, 'wonder they can': 1003996, 'they can judge': 881644, 'judge six foot': 467631, 'six foot in': 772640, 'foot in supermarket': 318391, 'climateemergency': 182255, 'still positive': 801051, 'positive out': 665394, 'there australia': 878200, 'coronavirus fracking': 205948, 'fracking climateemergency': 330858, 'climateemergency auspol': 182256, 'auspol auspolsocorrupt': 103077, 'are still positive': 90470, 'still positive out': 801052, 'positive out there': 665396, 'out there australia': 627471, 'there australia booming': 878201, 'amid coronavirus fracking': 52421, 'coronavirus fracking climateemergency': 205949, 'fracking climateemergency auspol': 330859, 'climateemergency auspol auspolsocorrupt': 182257, 'employee bus driver': 273686, 'criticize': 218769, 'diverts': 248577, 'diverting': 248574, 'questionable to': 693830, 'see criticize': 745017, 'criticize senate': 218770, 'senate covid': 749694, 'action bill': 29972, 'bill yet': 130740, 'yet call': 1016031, 'call ny': 156013, 'ny frugal': 577862, 'frugal efficient': 339044, 'efficient given': 269421, 'it annually': 456533, 'annually diverts': 77427, 'diverts consumer': 248578, 'consumer paid': 198320, 'paid fee': 634009, 'fee public': 302217, 'safety call': 730489, 'other purpose': 620796, 'purpose stop': 690155, 'stop diverting': 804613, 'diverting fee': 248575, 'fee ny': 302202, 'ny might': 577897, 'have mo': 381486, 'questionable to see': 693831, 'to see criticize': 913996, 'see criticize senate': 745018, 'criticize senate covid': 218771, 'senate covid 19': 749695, '19 action bill': 4802, 'action bill yet': 29973, 'bill yet call': 130741, 'yet call ny': 1016032, 'call ny frugal': 156014, 'ny frugal efficient': 577863, 'frugal efficient given': 339045, 'efficient given it': 269422, 'given it annually': 351031, 'it annually diverts': 456534, 'annually diverts consumer': 77428, 'diverts consumer paid': 248579, 'consumer paid fee': 198321, 'paid fee public': 634010, 'fee public safety': 302218, 'public safety call': 688281, 'safety call for': 730490, 'call for other': 155880, 'for other purpose': 324177, 'other purpose stop': 620797, 'purpose stop diverting': 690156, 'stop diverting fee': 804614, 'diverting fee ny': 248576, 'fee ny might': 302203, 'ny might have': 577898, 'might have mo': 531016, 'see rising': 745644, 'packaged food see': 633482, 'food see rising': 316377, 'see rising demand': 745645, 'rising demand due': 723196, '19 consumer stock': 5988, 'up to prepare': 946414, 'prepare for self': 670083, 'because 48': 118906, 'old cashier': 598178, 'cashier woman': 166671, 'woman ha': 1003493, 'supermarket ha closed': 820621, 'ha closed in': 370171, 'closed in in': 183174, 'in in northern': 423999, 'northern italy because': 567761, 'italy because 48': 462775, 'because 48 year': 118907, 'year old cashier': 1014816, 'old cashier woman': 598179, 'cashier woman ha': 166673, 'woman ha died': 1003495, 'died from 19': 241546, 'everyone keepsafe': 287143, 'help everyone keepsafe': 389665, 'more disrespectful': 539051, 'disrespectful because': 246358, 'there report': 878997, 'fraudulent nh': 331462, 'nh id': 561988, 'id being': 412933, 'early few': 264601, 'few discount': 303804, 'discount have': 244479, 'real id': 701213, 'id didn': 412939, 'tesco this': 838832, 'panic stress': 638644, 'stress stophoarding': 813397, 'you thought people': 1021717, 'thought people could': 893177, 'people could not': 647562, 'not get more': 569598, 'get more disrespectful': 347583, 'more disrespectful because': 539052, 'disrespectful because of': 246359, 'of there report': 591801, 'there report of': 878998, 'report of fraudulent': 712113, 'of fraudulent nh': 583903, 'fraudulent nh id': 331463, 'nh id being': 561989, 'id being made': 412934, 'made to get': 508033, 'get into shop': 347372, 'into shop early': 442981, 'shop early few': 760126, 'early few discount': 264602, 'few discount have': 303805, 'discount have real': 244480, 'have real id': 382176, 'real id didn': 701214, 'id didn go': 412940, 'go to tesco': 354368, 'to tesco this': 916385, 'tesco this morning': 838833, 'morning because do': 541187, 'to panic stress': 911427, 'panic stress stophoarding': 638645, 'up pasta': 945750, 'flour handwash': 311115, 'handwash whatever': 376803, 'an embarrassment': 55665, 'embarrassment to': 272463, 'selfish ignorant': 748144, 'ignorant moron': 415785, 'moron oh': 541610, 'forgot twat': 329420, 'twat panicbuying': 936267, 'just popped into': 469463, 'popped into supermarket': 664504, 'into supermarket for': 443043, 'supermarket for egg': 820393, 'the people hoovering': 863479, 'people hoovering up': 648292, 'hoovering up pasta': 403393, 'up pasta flour': 945751, 'pasta flour handwash': 643719, 'flour handwash whatever': 311116, 'handwash whatever have': 376804, 'whatever have look': 982765, 'are an embarrassment': 84533, 'an embarrassment to': 55666, 'embarrassment to the': 272464, 'are selfish ignorant': 89936, 'selfish ignorant moron': 748145, 'ignorant moron oh': 415786, 'moron oh forgot': 541611, 'oh forgot twat': 596385, 'forgot twat panicbuying': 329421, 'am returning': 50350, 'off wish': 594390, 'luck everyone': 506450, 'everyone work': 287629, 'been swamped': 122115, 'swamped to': 829946, 'max lately': 520757, 'today am returning': 919179, 'am returning to': 50351, 'day off wish': 228132, 'off wish me': 594391, 'me luck everyone': 523126, 'luck everyone work': 506452, 'everyone work for': 287630, 'have been swamped': 379706, 'been swamped to': 122116, 'swamped to the': 829947, 'the max lately': 860303, 'goner': 356457, 'all goner': 42965, 're all goner': 698218, 'vocational': 959912, 'campaign aim': 157196, 'raise vital': 695971, 'vital fund': 959687, 'financial emotional': 306410, 'emotional physical': 273290, 'and vocational': 75011, 'vocational support': 959913, 'be ineligible': 115473, 'ineligible for': 436319, 'the campaign aim': 850303, 'campaign aim to': 157197, 'aim to raise': 39559, 'to raise vital': 912736, 'raise vital fund': 695972, 'vital fund to': 959688, 'fund to provide': 341527, 'provide financial emotional': 686292, 'financial emotional physical': 306411, 'emotional physical and': 273291, 'physical and vocational': 655371, 'and vocational support': 75012, 'vocational support to': 959914, 'support to store': 826952, 'worker who may': 1008219, 'may be ineligible': 520993, 'be ineligible for': 115474, 'ineligible for government': 436320, 'for government support': 321963, 'government support during': 360652, 'support during the': 826461, 'the health emergency': 857182, 'insulting': 440646, 'jersey wa': 465233, 'with terroristic': 1001151, 'other crime': 620041, 'crime on': 216790, 'tuesday after': 935105, 'employee telling': 274270, 'had contracted': 372986, 'contracted the': 201748, 'and insulting': 65300, 'insulting her': 440647, 'man in new': 512115, 'new jersey wa': 558982, 'jersey wa charged': 465234, 'charged with terroristic': 173432, 'with terroristic threat': 1001152, 'terroristic threat and': 838622, 'threat and various': 893641, 'and various other': 74845, 'various other crime': 952619, 'other crime on': 620042, 'crime on tuesday': 216791, 'on tuesday after': 604874, 'tuesday after allegedly': 935106, 'supermarket employee telling': 820137, 'employee telling her': 274271, 'he had contracted': 385044, 'had contracted the': 372987, 'contracted the novel': 201749, '19 and insulting': 5049, 'and insulting her': 65301, 'insulting her and': 440648, 'her and other': 391850, 'philipps': 654750, 'pantry there': 639690, 'everyone president': 287300, 'president jeff': 670840, 'jeff philipps': 465013, 'philipps gave': 654751, 'handling off': 376373, 'chart business': 173820, '19 key': 8225, 'key message': 473349, 'him don': 396584, 'don worry about': 254078, 'worry about stocking': 1010654, 'stocking up your': 803625, 'your pantry there': 1025192, 'pantry there will': 639691, 'for everyone president': 321229, 'everyone president jeff': 287301, 'president jeff philipps': 670841, 'jeff philipps gave': 465014, 'philipps gave me': 654752, 'gave me look': 344643, 'store are handling': 806483, 'are handling off': 86998, 'handling off the': 376374, 'off the chart': 594236, 'the chart business': 850715, 'chart business from': 173821, 'business from covid': 143766, 'covid 19 key': 213316, '19 key message': 8226, 'key message from': 473350, 'from him don': 335805, 'him don panic': 396586, '244': 15736, '887': 23091, '913': 23444, '898': 23113, '343': 17844, 'billion ha': 130828, 'been paid': 121644, 'paid so': 634132, 'far under': 298958, '19 wage': 11884, 'wage subsidy': 963957, 'subsidy scheme': 816019, 'said 244': 730945, '244 887': 15737, '887 worker': 23092, 'paid 72': 633951, '72 913': 22002, '913 application': 23445, 'application had': 82464, 'paid out': 634101, 'out 11': 625520, '11 898': 2475, '898 application': 23114, 'approved and': 83129, '47 343': 19251, '343 to': 17845, 'billion ha been': 130829, 'ha been paid': 369866, 'been paid so': 121646, 'paid so far': 634133, 'so far under': 777063, 'far under the': 298959, 'under the covid': 940297, 'covid 19 wage': 214038, '19 wage subsidy': 11885, 'wage subsidy scheme': 963958, 'subsidy scheme said': 816020, 'scheme said 244': 741585, 'said 244 887': 730946, '244 887 worker': 15738, '887 worker were': 23093, 'worker were paid': 1008168, 'were paid 72': 979966, 'paid 72 913': 633952, '72 913 application': 22003, '913 application had': 23446, 'application had been': 82465, 'had been paid': 372904, 'been paid out': 121645, 'paid out 11': 634102, 'out 11 898': 625521, '11 898 application': 2476, '898 application had': 23115, 'had been approved': 372885, 'been approved and': 120671, 'approved and will': 83131, 'be paid out': 116338, 'paid out 47': 634103, 'out 47 343': 625542, '47 343 to': 19252, '343 to be': 17846, 'to be processed': 901458, 'order regulating': 618536, 'regulating the': 708033, 'sanitizers please': 736368, 'please forward': 660011, 'so mask': 777723, 'date hand': 226638, 'controlled and': 202228, 'not suffer': 571795, 'virus the central': 958881, 'the central government': 850602, 'central government ha': 169391, 'ha issued an': 371001, 'an order regulating': 56705, 'order regulating the': 618537, 'regulating the price': 708034, 'mask and mask': 518347, 'and mask hand': 66751, 'hand sanitizers please': 375714, 'sanitizers please forward': 736369, 'please forward it': 660012, 'forward it to': 329990, 'it to everyone': 461712, 'to everyone so': 905350, 'everyone so mask': 287389, 'so mask price': 777724, 'mask price and': 519139, 'price and mask': 672467, 'to date hand': 903924, 'date hand sanitizers': 226639, 'hand sanitizers should': 375719, 'sanitizers should be': 736393, 'be controlled and': 114226, 'controlled and the': 202230, 'the public should': 864854, 'should not suffer': 766265, 'the adjust': 848350, 'adjust their': 32292, 'hour until': 406055, 'pass what': 643231, 'home now it': 401687, 'it time the': 461698, 'time the adjust': 897844, 'the adjust their': 848351, 'adjust their time': 32293, 'peak hour until': 646071, 'hour until the': 406056, '19 crisis pass': 6297, 'crisis pass what': 217857, 'pass what do': 643232, 'announces new eo': 77270, 'infrequent': 438233, 'putty': 691302, 'for surviving': 326097, 'era if': 280054, 'cheap grocery': 174120, 'store toy': 810928, 'your infrequent': 1024488, 'infrequent trip': 438234, 'not grab': 569739, 'anything perfumed': 80861, 'perfumed my': 651547, 'house smell': 406564, 'six different': 772628, 'different scent': 242047, 'scent of': 741393, 'of silly': 589727, 'silly putty': 769765, 'putty right': 691303, 'pro tip for': 679131, 'tip for surviving': 898786, 'for surviving the': 326098, 'surviving the era': 829373, 'the era if': 854473, 'era if you': 280055, 'buy cheap grocery': 148484, 'cheap grocery store': 174121, 'grocery store toy': 365882, 'store toy on': 810929, 'toy on one': 927688, 'of your infrequent': 593488, 'your infrequent trip': 1024489, 'infrequent trip out': 438236, 'trip out do': 932134, 'do not grab': 249748, 'not grab anything': 569740, 'grab anything perfumed': 361464, 'anything perfumed my': 80862, 'perfumed my house': 651548, 'my house smell': 548743, 'house smell like': 406565, 'smell like six': 775609, 'like six different': 491197, 'six different scent': 772629, 'different scent of': 242048, 'scent of silly': 741394, 'of silly putty': 589728, 'silly putty right': 769766, 'putty right now': 691304, 'noted on': 572871, 'an webinar': 56965, 'webinar this': 975113, 'week broadcast': 976022, 'broadcast network': 140736, 'content therefore': 200848, 'therefore expect': 879427, 'expect more': 290680, 'more music': 539816, 'music programming': 546326, 'programming from': 683361, 'consumer creative': 197010, 'creative perspective': 216159, 'perspective brand': 653192, 'brand messaging': 137909, 'messaging that': 529522, 'but relevant': 146917, 'noted on an': 572872, 'on an webinar': 599339, 'an webinar this': 56966, 'webinar this week': 975114, 'this week broadcast': 891194, 'week broadcast network': 976023, 'broadcast network have': 140737, 'network have shortage': 557724, 'shortage of new': 765123, 'of new content': 586958, 'new content therefore': 558534, 'content therefore expect': 200849, 'therefore expect more': 879428, 'expect more music': 290681, 'more music programming': 539817, 'music programming from': 546327, 'programming from consumer': 683362, 'from consumer creative': 334958, 'consumer creative perspective': 197011, 'creative perspective brand': 216160, 'perspective brand messaging': 653193, 'brand messaging that': 137910, 'messaging that is': 529523, 'that is simple': 844651, 'is simple but': 451924, 'simple but relevant': 769997, 'but relevant to': 146918, 'relevant to current': 709183, 'to current event': 903826, 'current event is': 221188, 'event is resonating': 285004, 'trumppressconf': 934133, 'if gasoline': 414140, 'gasoline is': 344241, '99 if': 23845, 'sure so': 827674, 'cut trumppressconference': 223613, 'trumppressconference trumppressconf': 934149, 'trumppressconf trumpvirus': 934142, 'trumpvirus 19': 934178, 'why doe it': 990951, 'doe it matter': 251435, 'it matter if': 459539, 'matter if gasoline': 520576, 'if gasoline is': 414141, 'gasoline is 99': 344242, 'is 99 if': 445257, '99 if everyone': 23846, 'if everyone is': 414092, 'not driving the': 569113, 'driving the price': 260007, 'back up soon': 107432, 'up soon this': 946052, 'is over for': 450699, 'over for sure': 630232, 'for sure so': 326076, 'sure so this': 827675, 'is no tax': 449980, 'no tax cut': 565668, 'tax cut trumppressconference': 834959, 'cut trumppressconference trumppressconf': 223614, 'trumppressconference trumppressconf trumpvirus': 934150, 'trumppressconf trumpvirus 19': 934143, 'shopper fear': 761502, 'gouging major': 359383, '19 coronaaustralia': 6059, 'coronaaustralia shopping': 204440, 'shopper fear price': 761503, 'price gouging major': 674297, 'gouging major supermarket': 359384, 'major supermarket now': 509492, 'supermarket now allowed': 821662, 'allowed to work': 46255, 'work together 19': 1005915, 'together 19 coronaaustralia': 920662, '19 coronaaustralia shopping': 6060, 'waste my': 968151, 'my dude': 548041, 'dude did': 261583, 'wrote originally': 1013209, 'originally this': 619600, 'course anecdotal': 211838, 'anecdotal but': 76256, 'find seems': 307208, 'opposite that': 613809, 'food wasting': 317500, 'wasting is': 968313, 'actually le': 30866, 'le now': 483040, 'future that not': 342471, 'that not food': 845388, 'not food waste': 569475, 'food waste my': 317484, 'waste my dude': 968152, 'my dude did': 548042, 'dude did you': 261584, 'you read what': 1020814, 'read what wrote': 700657, 'what wrote originally': 982656, 'wrote originally this': 1013210, 'originally this is': 619601, 'this is of': 888341, 'of course anecdotal': 582044, 'course anecdotal but': 211839, 'anecdotal but all': 76257, 'but all can': 145080, 'all can find': 42282, 'can find seems': 158336, 'find seems to': 307209, 'say the opposite': 739295, 'the opposite that': 862418, 'opposite that food': 613810, 'that food wasting': 843918, 'food wasting is': 317501, 'wasting is actually': 968314, 'is actually le': 445334, 'actually le now': 30867, 'ha cratered': 370261, 'cratered my': 215152, 'hygiene even': 412087, 'that meter': 845151, 'home ha cratered': 401324, 'ha cratered my': 370262, 'cratered my hygiene': 215153, 'my hygiene even': 548811, 'hygiene even more': 412088, 'even more but': 284343, 'more but maybe': 538740, 'but maybe this': 146381, 'to respect that': 913373, 'respect that meter': 715059, 'that meter of': 845152, 'piggly': 656469, 'wiggly': 992038, 'hunger task': 411189, 'it regularly': 460683, 'regularly scheduled': 707948, 'scheduled stop': 741516, 'provide healthy': 686344, 'high need': 395174, 'need neighborhood': 555293, 'neighborhood carrying': 557108, 'carrying over': 165206, '50 type': 19895, 'lowest piggly': 506199, 'piggly wiggly': 656470, 'wiggly price': 992039, 'hunger task force': 411190, 'task force is': 834687, 'force is making': 328414, 'is making all': 449534, 'making all it': 510946, 'all it regularly': 43274, 'it regularly scheduled': 460684, 'regularly scheduled stop': 707950, 'scheduled stop to': 741517, 'stop to provide': 805223, 'to provide healthy': 912401, 'provide healthy and': 686345, 'food to high': 317263, 'to high need': 907735, 'high need neighborhood': 395175, 'need neighborhood carrying': 555294, 'neighborhood carrying over': 557109, 'carrying over 50': 165207, 'over 50 type': 629860, '50 type of': 19896, 'type of fresh': 937562, 'fresh food at': 332961, 'food at 25': 313438, 'at 25 discount': 97550, 'discount off the': 244504, 'off the lowest': 594253, 'the lowest piggly': 859817, 'lowest piggly wiggly': 506200, 'piggly wiggly price': 656471, 'rebate': 703246, 'canadian if': 160701, 'if paid': 414588, 'paid through': 634149, 'through gst': 894492, 'gst rebate': 367561, 'rebate great': 703253, 'consumer proposal': 198492, 'proposal or': 684469, 'bankruptcy fund': 110526, 'person estate': 652421, 'the trustee': 870084, 'trustee wrong': 934363, 'financial aid to': 306319, 'aid to canadian': 39468, 'to canadian if': 902418, 'canadian if paid': 160702, 'if paid through': 414589, 'paid through gst': 634150, 'through gst rebate': 894493, 'gst rebate great': 367563, 'rebate great but': 703254, 'great but for': 362546, 'but for people': 145753, 'people in consumer': 648362, 'in consumer proposal': 421713, 'consumer proposal or': 198493, 'proposal or bankruptcy': 684470, 'or bankruptcy fund': 614497, 'bankruptcy fund will': 110527, 'the person estate': 863583, 'person estate and': 652422, 'estate and to': 282093, 'to the trustee': 917146, 'the trustee wrong': 870085, 'clean exit': 180525, 'exit 19': 290362, 'great result this': 362972, 'result this time': 717644, 'this time there': 890700, 'time there is': 897893, 'is no clean': 449916, 'no clean exit': 563814, 'clean exit 19': 180526, 'proposing': 684560, 'is proposing': 451104, 'proposing buy': 684563, 'american mandate': 52085, 'mandate for': 512998, 'drug which': 261157, 'increase shortage': 433055, 'ultimately harming': 939143, 'harming patient': 378464, 'patient today': 644280, 'implement such': 418430, 'such change': 816387, 'administration is proposing': 32485, 'is proposing buy': 451105, 'proposing buy american': 684564, 'buy american mandate': 148304, 'american mandate for': 52086, 'mandate for drug': 512999, 'for drug which': 320870, 'drug which would': 261158, 'which would increase': 986519, 'would increase shortage': 1011951, 'increase shortage and': 433056, 'and price ultimately': 69481, 'price ultimately harming': 677170, 'ultimately harming patient': 939144, 'harming patient today': 378465, 'patient today in': 644281, 'midst of is': 530788, 'of is not': 585324, 'time to implement': 897999, 'to implement such': 908179, 'implement such change': 418431, 'godigital': 354877, 'shopkeeper requested': 761188, 'requested cashless': 713248, 'cashless transaction': 166703, 'transaction it': 929457, 'that awareness': 842906, 'increasing please': 433655, 'reduce cash': 705792, 'cash transaction': 166365, 'transaction so': 929469, 'the doe': 853482, 'spread godigital': 790545, 'morning the shopkeeper': 541490, 'the shopkeeper requested': 867046, 'shopkeeper requested cashless': 761189, 'requested cashless transaction': 713249, 'cashless transaction it': 166704, 'transaction it wa': 929458, 'see that awareness': 745787, 'that awareness about': 842907, 'awareness about the': 105677, 'about the is': 26426, 'the is increasing': 858502, 'is increasing please': 448860, 'increasing please try': 433656, 'try to reduce': 934653, 'to reduce cash': 913014, 'reduce cash transaction': 705793, 'cash transaction so': 166366, 'transaction so that': 929470, 'that the doe': 846707, 'the doe not': 853484, 'doe not spread': 251530, 'not spread godigital': 571679, '4088': 18829, 'in alberta': 420147, 'alberta skyrocket': 40819, 'skyrocket because': 773291, 'calling 877': 156513, '877 427': 23030, '427 4088': 18941, 'if people see': 414629, 'people see price': 649368, 'see price for': 745599, 'for product or': 324774, 'or service in': 617018, 'service in alberta': 752473, 'in alberta skyrocket': 420150, 'alberta skyrocket because': 40820, 'skyrocket because of': 773292, 'they should report': 883383, 'should report it': 766408, 'report it by': 712061, 'it by calling': 456974, 'by calling 877': 152056, 'calling 877 427': 156514, '877 427 4088': 23031, 'fiscalstimulus': 309279, 'navs': 553146, 'fiscalstimulus every': 309280, 'every asset': 285677, 'asset manager': 96445, 'manager money': 512749, 'money manager': 536883, 'manager worth': 512834, 'worth his': 1011371, 'his salt': 397778, 'salt want': 732827, 'want stimulus': 965933, 'stimulus it': 801554, 'in pushing': 427140, 'pushing inflation': 690426, 'inflation up': 437256, 'up supporting': 946107, 'supporting asset': 827106, 'eventually helping': 285157, 'helping navs': 391396, 'navs hope': 553147, 'hope too': 403751, 'fiscalstimulus every asset': 309281, 'every asset manager': 285678, 'asset manager money': 96446, 'manager money manager': 512750, 'money manager worth': 536884, 'manager worth his': 512835, 'worth his salt': 1011372, 'his salt want': 397779, 'salt want stimulus': 732828, 'want stimulus it': 965934, 'stimulus it help': 801555, 'help in pushing': 389900, 'in pushing inflation': 427141, 'pushing inflation up': 690427, 'inflation up supporting': 437257, 'up supporting asset': 946108, 'supporting asset price': 827107, 'price and eventually': 672408, 'and eventually helping': 62364, 'eventually helping navs': 285158, 'helping navs hope': 391397, 'navs hope too': 553148, 'walmart who': 965472, 'employment justice': 274626, 'justice explains': 470410, 'at walmart who': 101483, 'walmart who die': 965474, 'who die because': 988597, 'attorney for employment': 102617, 'for employment justice': 321042, 'employment justice explains': 274627, 'justice explains how': 470411, 'explains how walmart': 292219, 'cma taskforce': 184652, 'taskforce set': 834750, 'combat consumer': 186990, 'exploitation during': 292380, 'discus the cma': 244910, 'the cma taskforce': 851092, 'cma taskforce set': 184653, 'taskforce set up': 834751, 'up to combat': 946364, 'to combat consumer': 902988, 'combat consumer exploitation': 186991, 'consumer exploitation during': 197425, 'exploitation during the': 292381, 'inadequacy': 431196, 'servicing': 753155, 'wage job': 963913, 'is supported': 452471, 'business debt': 143623, 'debt the': 230574, 'the absence': 848250, 'of resilience': 588977, 'resilience and': 714478, 'and inadequacy': 65084, 'inadequacy of': 431197, 'direct cash': 243295, 'payment will': 645780, 'for debt': 320602, 'debt servicing': 230559, 'servicing not': 753156, 'not debt': 568967, 'servicing real': 753161, '19 highlight the': 7530, 'highlight the problem': 395974, 'problem of consumption': 679623, 'of consumption based': 581796, 'based economy which': 111566, 'economy which is': 268347, 'which is full': 986009, 'full of low': 340740, 'low wage job': 505731, 'wage job and': 963914, 'job and the': 465642, 'and the service': 73576, 'the service sector': 866738, 'service sector and': 752793, 'sector and which': 744091, 'and which is': 75559, 'which is supported': 986057, 'is supported by': 452472, 'supported by record': 827046, 'by record level': 153736, 'record level of': 705002, 'and business debt': 59277, 'business debt the': 143624, 'debt the absence': 230575, 'the absence of': 848251, 'absence of resilience': 27193, 'of resilience and': 588978, 'resilience and inadequacy': 714479, 'and inadequacy of': 65085, 'inadequacy of direct': 431198, 'of direct cash': 582635, 'direct cash payment': 243296, 'cash payment will': 166302, 'payment will be': 645781, 'be used primarily': 117921, 'primarily for debt': 678035, 'for debt servicing': 320603, 'debt servicing not': 230560, 'servicing not debt': 753157, 'not debt servicing': 568968, 'debt servicing real': 230561, 'servicing real economy': 753162, 'all company': 42407, 'market would': 517396, 'saved profit': 737757, 'profit bought': 682683, 'bought back': 136509, 'back all': 106834, 'all share': 44295, 'create large': 215674, 'large surplus': 479812, 'economic slow': 267296, 'not affect': 568070, 'stockmarket bit': 803647, 'bit till': 131712, 'till run': 896083, 'food stock market': 316800, 'stock market thought': 802444, 'market thought if': 517222, 'thought if all': 893086, 'if all company': 413789, 'all company who': 42409, 'on the stock': 604385, 'stock market would': 802458, 'market would have': 517397, 'would have saved': 1011891, 'have saved profit': 382396, 'saved profit bought': 737758, 'profit bought back': 682684, 'bought back all': 136510, 'back all share': 106835, 'all share to': 44296, 'share to create': 755303, 'to create large': 903712, 'create large surplus': 215675, 'large surplus of': 479813, 'surplus of money': 828493, 'of money then': 586620, 'money then the': 537069, 'then the economic': 877612, 'the economic slow': 853917, 'economic slow down': 267297, 'slow down from': 774345, 'down from this': 256792, 'from this would': 338019, 'would not affect': 1012071, 'not affect them': 568072, 'affect them or': 34263, 'or the stockmarket': 617399, 'the stockmarket bit': 867935, 'stockmarket bit till': 803648, 'bit till run': 131713, 'till run out': 896084, 'restaurant providing': 716647, 'brewery making': 139448, 'area you': 92292, 'thankful to the': 841932, 'to the many': 916864, 'the many business': 860035, 'many business from': 513843, 'business from restaurant': 143771, 'from restaurant providing': 337093, 'restaurant providing grocery': 716648, 'providing grocery to': 687018, 'grocery to brewery': 366048, 'to brewery making': 902013, 'brewery making hand': 139449, 'sanitizer who are': 736090, 'helping during this': 391315, 'crisis but if': 217149, 'see price gouging': 745600, 'gouging in your': 359355, 'your area you': 1022826, 'area you can': 92293, 'calling 800 621': 156512, 'retailer for': 719152, 'matter are': 520543, 'shop or any': 760610, 'or any retailer': 614358, 'any retailer for': 79762, 'retailer for that': 719154, 'that matter are': 845065, 'matter are hiking': 520544, 'are tv': 91232, 'and electronics': 62004, 'electronics more': 271303, 'colleague his': 186213, 'his multinational': 397627, 'multinational employer': 545711, 'employer refuse': 274531, 'their non': 874062, 'and expects': 62490, 'expects them': 291117, 'why are tv': 990794, 'are tv and': 91233, 'tv and electronics': 936082, 'and electronics more': 62005, 'electronics more important': 271304, 'important than the': 419001, 'than the health': 841245, 'being of my': 125467, 'of my husband': 586781, 'husband and his': 411675, 'his colleague his': 397297, 'colleague his multinational': 186214, 'his multinational employer': 397628, 'multinational employer refuse': 545712, 'employer refuse to': 274532, 'close the door': 182837, 'door of their': 255668, 'of their non': 591683, 'their non essential': 874063, 'store and expects': 806240, 'and expects them': 62491, 'expects them to': 291118, 'them to be': 876455, 'ministry ha': 533528, 'distribute hygiene': 247990, 'mask through': 519383, 'through ration': 894638, 'easy availability': 265660, 'availability sanitizers': 104175, 'sanitizers facemasks': 736274, 'affair ministry ha': 34076, 'ministry ha asked': 533529, 'ha asked state': 369631, 'asked state to': 95827, 'state to distribute': 796016, 'to distribute hygiene': 904445, 'distribute hygiene product': 247991, 'hygiene product such': 412161, 'face mask through': 294599, 'mask through ration': 519384, 'through ration shop': 894639, 'ration shop at': 697724, 'shop at fair': 759944, 'price and easy': 672401, 'and easy availability': 61869, 'easy availability sanitizers': 265662, 'availability sanitizers facemasks': 104176, 'aptito': 83762, 'aptitopos': 83765, 'an apple': 55367, 'apple day': 82319, 'doctor away': 250850, 'food vegan': 317417, 'vegan vegetarian': 953890, 'vegetarian and': 954140, 'other healthy': 620351, 'pandemic restaurant': 636347, 'crisis aptito': 217074, 'aptito aptitopos': 83763, 'aptitopos po': 83766, 'an apple day': 55368, 'apple day keep': 82320, 'day keep the': 227869, 'keep the doctor': 472037, 'the doctor away': 853458, 'doctor away there': 250851, 'there is likely': 878582, 'be an increase': 113608, 'demand for organic': 235466, 'for organic food': 324161, 'organic food vegan': 619216, 'food vegan vegetarian': 317418, 'vegan vegetarian and': 953891, 'vegetarian and other': 954141, 'and other healthy': 68338, 'other healthy food': 620352, 'healthy food result': 387635, 'food result of': 316200, 'the pandemic pandemic': 863047, 'pandemic pandemic restaurant': 636144, 'pandemic restaurant crisis': 636349, 'restaurant crisis aptito': 716408, 'crisis aptito aptitopos': 217075, 'aptito aptitopos po': 83764, 'center turned': 169308, 'turned black': 935835, 'white to': 987911, 'mourn those': 543467, 'coronavirus attack': 205531, 'attack china': 102095, 'china largest online': 176786, 'largest online shopping': 479995, 'online shopping center': 609070, 'shopping center turned': 762346, 'center turned black': 169309, 'turned black and': 935836, 'black and white': 132025, 'and white to': 75579, 'white to mourn': 987912, 'to mourn those': 910291, 'mourn those who': 543468, 'died during the': 241537, 'the coronavirus attack': 851807, 'coronavirus attack china': 205532, 'perishable how': 651989, 'father divine': 300284, 'divine king': 248651, 'king yahuah': 475314, 'store food like': 807770, 'food like bag': 315308, 'those perishable how': 892339, 'perishable how can': 651990, 'can we survive': 160204, 'we survive during': 973465, 'our father divine': 623033, 'father divine king': 300285, 'divine king yahuah': 248652, 'king yahuah who': 475315, 'yahuah who in': 1014055, 'who in heaven': 989028, 'to to provide': 917597, 'provide for our': 686318, 'for our need': 324274, 'coronabonds': 204450, 'eu institution': 283241, 'institution leader': 440466, 'put forward': 690581, 'forward new': 329995, 'new financial': 558737, 'financial instrument': 306475, 'the member': 860459, 'together read': 920906, 'our letter': 623707, 'letter collaboration': 487300, 'collaboration coronabonds': 185925, 'today we call': 920471, 'the eu institution': 854560, 'eu institution leader': 283242, 'institution leader to': 440467, 'leader to work': 483557, 'together and put': 920696, 'and put forward': 69809, 'put forward new': 690582, 'forward new financial': 329996, 'new financial instrument': 558738, 'financial instrument to': 306476, 'instrument to support': 440598, 'support all the': 826337, 'all the member': 44827, 'the member state': 860462, 'member state and': 528197, 'state and their': 795374, 'and their economy': 73684, 'their economy we': 873103, 'economy we are': 268329, 'stronger together read': 814194, 'together read our': 920907, 'read our letter': 700514, 'our letter collaboration': 623708, 'letter collaboration coronabonds': 487301, 'you get coronavirus': 1018764, 'get coronavirus from': 346818, 'coronavirus from the': 205958, 'store the atlantic': 810586, 'socialdistancing my': 780540, 'wife asked': 991898, 'asked man': 95788, 'line he': 493158, 'he replied': 385345, 'replied yes': 711727, 'yes then': 1015558, 'then asked': 877005, 'him six': 396713, 'space while': 787193, 'while he': 986908, 'please he': 660058, 'store are threatening': 806531, 'are threatening to': 91074, 'threatening to go': 893832, 'go to blow': 354283, 'to blow over': 901869, 'blow over socialdistancing': 133344, 'over socialdistancing my': 630628, 'socialdistancing my wife': 780541, 'my wife asked': 550583, 'wife asked man': 991899, 'asked man if': 95789, 'he wa in': 385603, 'in line he': 424754, 'line he replied': 493159, 'he replied yes': 385346, 'replied yes then': 711728, 'yes then asked': 1015559, 'then asked her': 877006, 'asked her to': 95759, 'her to give': 392461, 'to give him': 906687, 'give him six': 350522, 'him six foot': 396714, 'six foot of': 772642, 'of space while': 589954, 'space while he': 787194, 'while he said': 986909, 'he said please': 385373, 'said please he': 731317, 'please he wa': 660059, 'he wa being': 385587, 'wa being dick': 961679, '31 am': 17554, 'am went': 50554, 'opened got': 612731, 'were nice': 979905, 'nice not': 562442, 'day 10 31': 227087, '10 31 am': 1276, '31 am went': 17555, 'am went to': 50555, 'store right when': 809895, 'right when it': 722417, 'when it opened': 983644, 'it opened got': 460129, 'opened got all': 612732, 'got all but': 358391, 'but one or': 146673, 'or two item': 617564, 'two item people': 936986, 'item people were': 463556, 'people were nice': 650215, 'were nice not': 979906, 'nice not all': 562443, 'all is bad': 43248, 'is bad in': 445966, 'immed': 416953, 'alteration': 49152, 'tampering': 834129, 'prev': 671529, 'pol': 662853, 'ldrships': 482812, 'vested': 955693, 'lacked': 478680, 'promised preliminary': 683727, 'preliminary report': 669875, 'report into': 712048, 'into sudden': 443027, 'wheat have': 982984, 'released immed': 709045, 'immed without': 416954, 'without alteration': 1002483, 'alteration tampering': 49153, 'tampering this': 834130, 'unprecedented in': 943146, 'in pak': 426431, 'pak history': 634404, 'history prev': 398046, 'prev pol': 671532, 'pol ldrships': 662855, 'ldrships bec': 482813, 'bec of': 118854, 'their vested': 875125, 'vested interest': 955694, 'interest compromise': 441337, 'compromise lacked': 192660, 'lacked moral': 478681, 'moral courage': 538398, 'order release': 618540, 'release such': 708996, 'such report': 816710, 'promised preliminary report': 683728, 'preliminary report into': 669876, 'report into sudden': 712049, 'into sudden price': 443029, 'sudden price hike': 817032, 'hike of sugar': 396240, 'of sugar wheat': 590385, 'sugar wheat have': 817485, 'wheat have been': 982985, 'been released immed': 121814, 'released immed without': 709046, 'immed without alteration': 416955, 'without alteration tampering': 1002484, 'alteration tampering this': 49154, 'tampering this is': 834131, 'this is unprecedented': 888449, 'is unprecedented in': 453541, 'unprecedented in pak': 943147, 'in pak history': 426432, 'pak history prev': 634405, 'history prev pol': 398047, 'prev pol ldrships': 671533, 'pol ldrships bec': 662856, 'ldrships bec of': 482814, 'bec of their': 118855, 'of their vested': 591713, 'their vested interest': 875126, 'vested interest compromise': 955695, 'interest compromise lacked': 441338, 'compromise lacked moral': 192661, 'lacked moral courage': 478682, 'moral courage to': 538399, 'courage to order': 211789, 'to order release': 911080, 'order release such': 618541, 'release such report': 708997, 'check start': 174624, 'start coming': 794258, 'in warns': 430693, 'proactive ready': 679168, 'scammer predatory': 740614, 'predatory lender': 669533, 'lender we': 486263, 're joining': 698937, 'joining over': 466984, 'over dozen': 630160, 'dozen other': 257904, 'other orgs': 620627, 'to advocate': 900140, 'more financial': 539212, 'stimulus check start': 801525, 'check start coming': 174625, 'start coming in': 794259, 'coming in warns': 188101, 'in warns that': 430694, 'warns that you': 967296, 'be proactive ready': 116546, 'proactive ready for': 679169, 'ready for scammer': 700868, 'for scammer predatory': 325370, 'scammer predatory lender': 740615, 'predatory lender we': 669534, 'lender we re': 486264, 'we re joining': 972903, 're joining over': 698939, 'joining over dozen': 466985, 'over dozen other': 630161, 'dozen other orgs': 257905, 'other orgs to': 620628, 'orgs to advocate': 619510, 'to advocate for': 900141, 'advocate for more': 33835, 'for more financial': 323571, 'more financial protection': 539213, 'our consider': 622513, 'feature highlight': 301548, 'highlight covid': 395909, 'face increased': 294473, 'increased discrimination': 433296, 'discrimination resulting': 244812, 'this week our': 891246, 'week our consider': 976707, 'our consider this': 622514, 'consider this feature': 195160, 'this feature highlight': 887528, 'feature highlight covid': 301549, 'highlight covid 19': 395910, '19 and those': 5126, 'who may face': 989270, 'may face increased': 521170, 'face increased discrimination': 294474, 'increased discrimination resulting': 433297, 'discrimination resulting from': 244813, 'vancouverhomes': 952374, 'vancouverrealestate': 952379, 'smartcities': 775462, 'happycities': 377749, 'could coronavirus': 209050, 'coronavirus vacancy': 207008, 'vacancy push': 951563, 'push airbnb': 690239, 'convert them': 202541, 'into long': 442724, 'rental might': 711246, 'might these': 531139, 'these apartment': 879601, 'apartment be': 81395, 'sold tore': 781795, 'tore vancouverhomes': 925891, 'vancouverhomes vancouverrealestate': 952377, 'vancouverrealestate onpoli': 952380, 'onpoli smartcities': 611534, 'smartcities happycities': 775463, 'could coronavirus vacancy': 209052, 'coronavirus vacancy push': 207009, 'vacancy push airbnb': 951564, 'push airbnb owner': 690240, 'airbnb owner to': 39824, 'owner to convert': 632583, 'to convert them': 903468, 'convert them into': 202542, 'them into long': 875936, 'into long term': 442725, 'long term rental': 501709, 'term rental might': 838263, 'rental might these': 711247, 'might these apartment': 531140, 'these apartment be': 879602, 'apartment be sold': 81396, 'be sold tore': 117289, 'sold tore vancouverhomes': 781796, 'tore vancouverhomes vancouverrealestate': 925892, 'vancouverhomes vancouverrealestate onpoli': 952378, 'vancouverrealestate onpoli smartcities': 952381, 'onpoli smartcities happycities': 611535, 'with coronacrisis': 997791, 'another war': 77947, 'war brewing': 966385, 'brewing with': 139482, 'with capitalism': 997534, 'capitalism company': 162728, 'company shop': 191072, 'personal gain': 652849, 'gain mean': 342792, 'up taking': 946122, 'taking thing': 833611, 'never mind what': 558122, 'mind what is': 532771, 'on with coronacrisis': 605338, 'with coronacrisis there': 997792, 'is another war': 445744, 'another war brewing': 77948, 'war brewing with': 966386, 'brewing with capitalism': 139483, 'with capitalism company': 997535, 'capitalism company shop': 162729, 'company shop hiking': 191073, 'shop hiking up': 760281, 'on basic thing': 599586, 'basic thing for': 112084, 'thing for personal': 884336, 'for personal gain': 324500, 'personal gain mean': 652850, 'gain mean that': 342793, 'mean that people': 524685, 'people will end': 650388, 'end up taking': 276045, 'up taking thing': 946123, 'taking thing into': 833612, 'thing into their': 884458, 'into their own': 443198, 'their own hand': 874181, 'own hand while': 632049, 'hand while they': 375986, 'while they have': 987438, 'partner offering': 642863, 'offering way': 595321, 'need next': 555297, 'your cashier': 1023159, 'the tear': 869217, 'tear tag': 835969, 'our retail partner': 624638, 'retail partner offering': 718384, 'partner offering way': 642864, 'offering way for': 595322, 'way for shopper': 969587, 'shopper to give': 761764, 'give back during': 350400, '19 to our': 11445, 'to our neighbor': 911215, 'in need next': 425755, 'need next time': 555298, 're at your': 698330, 'local store ask': 498456, 'store ask your': 806549, 'ask your cashier': 95683, 'your cashier about': 1023160, 'cashier about the': 166436, 'about the tear': 26536, 'the tear tag': 869219, 'abysmal': 27737, 'hope whatever': 403773, 'whatever 50': 982741, '50 profit': 19824, 'profit sport': 682859, 'direct made': 243351, 'made off': 507880, 'off hiking': 593900, 'company behaved': 190492, 'behaved this': 123813, 'hopefully never': 403870, 'never set': 558185, 'again abysmal': 36871, 'abysmal greed': 27738, 'and appalling': 58247, 'appalling behaviour': 81834, 'hope whatever 50': 403774, 'whatever 50 profit': 982742, '50 profit sport': 19825, 'profit sport direct': 682860, 'sport direct made': 789919, 'direct made off': 243352, 'made off hiking': 507881, 'off hiking their': 593901, 'their price wa': 874434, 'price wa worth': 677341, 'worth it people': 1011381, 'it people will': 460303, 'will remember how': 994641, 'remember how this': 710207, 'how this company': 408945, 'this company behaved': 886820, 'company behaved this': 190493, 'behaved this weather': 123814, 'this weather and': 891161, 'weather and hopefully': 974846, 'and hopefully never': 64728, 'hopefully never set': 403871, 'never set foot': 558186, 'foot in their': 318393, 'their store again': 874845, 'store again abysmal': 806089, 'again abysmal greed': 36872, 'abysmal greed and': 27739, 'greed and appalling': 363359, 'and appalling behaviour': 58248, 'tata group': 834841, 'group firm': 366690, 'firm will': 308455, 'list themselves': 494558, 'on flipkart': 600821, 'flipkart marketplace': 310620, 'seller consumer': 749000, 'pack using': 633185, 'using flipkart': 950486, 'platform report': 659022, 'distributor of the': 248305, 'of the tata': 591523, 'the tata group': 869168, 'tata group firm': 834842, 'group firm will': 366691, 'firm will list': 308458, 'will list themselves': 994022, 'list themselves on': 494559, 'themselves on flipkart': 876859, 'on flipkart marketplace': 600822, 'flipkart marketplace seller': 310621, 'marketplace seller consumer': 517836, 'seller consumer can': 749001, 'consumer can buy': 196720, 'can buy different': 157819, 'combo pack using': 187163, 'pack using flipkart': 633186, 'using flipkart platform': 950487, 'flipkart platform report': 310623, 'interestingfacts': 441650, 'fyi canadian': 342625, 'than american': 840334, 'shopping interestingfacts': 763026, 'fyi canadian are': 342626, 'canadian are washing': 160641, 'hand and staying': 374778, 'staying home more': 798614, 'more than american': 540589, 'than american but': 840335, 'american but american': 51849, 'american are spending': 51816, 'spending more on': 788915, 'more on delivery': 539918, 'on delivery and': 600265, 'online shopping interestingfacts': 609158, 'your puppy': 1025474, 'puppy dm': 689305, 'and stuff for': 72616, 'stuff for your': 815073, 'for your puppy': 328195, 'your puppy dm': 1025475, 'puppy dm to': 689306, 'poured': 667444, 'grandmother wa': 361944, 'wa yelled': 963753, 'wa asian': 961587, 'asian today': 95365, 'sister wa': 771796, 'attacked at': 102181, 'school where': 741975, 'where some': 985181, 'child poured': 176176, 'poured water': 667447, 'her dirty': 391995, 'dirty cunt': 243740, 'cunt racismisavirus': 220372, 'yesterday my grandmother': 1015811, 'my grandmother wa': 548555, 'grandmother wa yelled': 361945, 'wa yelled at': 963754, 'at and accused': 97996, 'and accused of': 57609, 'accused of having': 28949, 'of having covid': 584481, 'just because she': 468290, 'because she wa': 119552, 'she wa asian': 756409, 'wa asian today': 961588, 'asian today my': 95366, 'today my sister': 919906, 'my sister wa': 550118, 'sister wa attacked': 771797, 'wa attacked at': 961612, 'attacked at school': 102182, 'at school where': 100475, 'school where some': 741976, 'where some child': 985182, 'some child poured': 782526, 'child poured water': 176177, 'poured water on': 667448, 'water on her': 969083, 'on her and': 601278, 'her and called': 391845, 'called her dirty': 156339, 'her dirty cunt': 391996, 'dirty cunt racismisavirus': 243741, 'scotus': 742500, 'homeishere': 402712, 'pandemic scotus': 636411, 'scotus must': 742501, 'must postpone': 546806, 'postpone negative': 666769, 'negative decision': 556756, 'on daca': 600203, 'daca people': 224267, 'provide money': 686391, 'with daca': 997913, 'daca homeishere': 224264, 'the pandemic scotus': 863088, 'pandemic scotus must': 636412, 'scotus must postpone': 742502, 'must postpone negative': 546807, 'postpone negative decision': 666770, 'negative decision on': 556757, 'decision on daca': 231069, 'on daca people': 600204, 'daca people are': 224268, 'and are struggling': 58365, 'struggling to provide': 814513, 'to provide money': 912412, 'provide money for': 686392, 'money for rent': 536757, 'for rent bill': 325117, 'rent bill and': 711053, 'bill and food': 130505, 'and food demand': 63036, 'food demand they': 314180, 'demand they stand': 236379, 'they stand with': 883436, 'stand with daca': 793610, 'with daca homeishere': 997914, 'absinthe': 27214, 'soaking': 778883, 'wormwood': 1010455, 'away selling': 106027, 'selling 80': 749141, '80 ethanol': 22567, 'ethanol alcohol': 282960, 'easily make': 265222, 'real absinthe': 701019, 'absinthe by': 27215, 'by soaking': 154054, 'soaking wormwood': 778884, 'wormwood in': 1010456, 'it previously': 460454, 'previously retail': 672054, 'consumer access': 196000, 'anything higher': 80783, '40 wa': 18684, 'wa restricted': 963096, 'you know now': 1019515, 'know now that': 476633, 'now that local': 576005, 'that local brewery': 844924, 'local brewery are': 497741, 'brewery are giving': 139434, 'are giving away': 86853, 'giving away selling': 351243, 'away selling 80': 106028, 'selling 80 ethanol': 749142, '80 ethanol alcohol': 22568, 'ethanol alcohol hand': 282961, 'sanitizer you could': 736165, 'you could easily': 1018083, 'could easily make': 209129, 'easily make real': 265224, 'make real absinthe': 510389, 'real absinthe by': 701020, 'absinthe by soaking': 27216, 'by soaking wormwood': 154055, 'soaking wormwood in': 778885, 'wormwood in it': 1010457, 'in it previously': 424265, 'it previously retail': 460455, 'previously retail consumer': 672055, 'retail consumer access': 717988, 'consumer access to': 196001, 'access to anything': 28218, 'to anything higher': 900635, 'anything higher than': 80784, 'higher than 40': 395750, 'than 40 wa': 840244, '40 wa restricted': 18685, 'closing store in': 183761, 'unitedairlines': 942271, 'if unitedairlines': 415215, 'unitedairlines want': 942272, 'want bailout': 965726, 'bailout suggest': 108660, 'suggest they': 817543, 'not triple': 572270, 'triple their': 932267, 'those attempting': 891826, 'usa from': 948645, 'if unitedairlines want': 415216, 'unitedairlines want bailout': 942273, 'want bailout suggest': 965728, 'bailout suggest they': 108661, 'suggest they not': 817544, 'they not triple': 882792, 'not triple their': 572271, 'triple their price': 932268, 'for those attempting': 327100, 'those attempting to': 891827, 'attempting to come': 102283, 'the usa from': 870540, 'usa from other': 948646, 'eggcellent': 270049, 'easter2020 mask': 265536, 'toiletpaper eastereggs': 921940, 'eastereggs eggcellent': 265555, 'happy easter easter2020': 377605, 'easter easter2020 mask': 265411, 'easter2020 mask toiletpaper': 265537, 'mask toiletpaper eastereggs': 519440, 'toiletpaper eastereggs eggcellent': 921941, 'phone not': 654978, 'not stopped': 571765, 'stopped ringing': 805745, 'ringing milkman': 722554, 'milkman are': 531931, 'the phone not': 863695, 'phone not stopped': 654979, 'not stopped ringing': 571767, 'stopped ringing milkman': 805746, 'ringing milkman are': 722555, 'milkman are in': 531932, 'are in big': 87357, 'in big demand': 420828, 'big demand in': 129753, 'ozone': 632788, 'erected': 280141, '9177300445': 23450, 'sanitizationtunnel': 734157, 'ozonesmarttunnel': 632793, 'automated ozone': 103962, 'ozone smart': 632789, 'smart sanitization': 775415, 'sanitization tunnel': 734153, 'tunnel such': 935479, 'such those': 816821, 'those erected': 891972, 'erected at': 280142, 'of ozone': 587639, 'ozone which': 632791, 'wa thought': 963500, 'disinfect person': 245560, 'whatsapp 9177300445': 982880, '9177300445 sanitizationtunnel': 23451, 'sanitizationtunnel ozonesmarttunnel': 734158, 'ozonesmarttunnel sanitizer': 632794, 'automated ozone smart': 103963, 'ozone smart sanitization': 632790, 'smart sanitization tunnel': 775416, 'sanitization tunnel such': 734154, 'tunnel such those': 935480, 'such those erected': 816822, 'those erected at': 891973, 'erected at of': 280143, 'at of ozone': 99938, 'of ozone which': 587640, 'ozone which wa': 632792, 'which wa thought': 986453, 'wa thought to': 963501, 'thought to disinfect': 893275, 'to disinfect person': 904401, 'disinfect person for': 245561, 'person for up': 652437, 'up to one': 946408, 'to one hour': 910914, 'one hour to': 606440, 'hour to know': 406029, 'know more or': 476607, 'more or whatsapp': 539961, 'or whatsapp 9177300445': 617777, 'whatsapp 9177300445 sanitizationtunnel': 982881, '9177300445 sanitizationtunnel ozonesmarttunnel': 23452, 'sanitizationtunnel ozonesmarttunnel sanitizer': 734159, 'wearing both': 974598, 'both n95': 135977, 'mask wrong': 519600, 'wrong at': 1012996, 'supermarket toss': 823514, 'toss the': 926092, 'mask pal': 519096, 'pal nurse': 634553, 'people wearing both': 650173, 'wearing both n95': 974599, 'both n95 and': 135978, 'n95 and surgical': 551163, 'surgical mask wrong': 828375, 'mask wrong at': 519601, 'wrong at the': 1012997, 'the supermarket toss': 868871, 'supermarket toss the': 823515, 'toss the mask': 926093, 'the mask pal': 860223, 'mask pal nurse': 519097, 'pal nurse doctor': 634554, 'nurse doctor hospital': 577298, 'honduran': 403050, 'achieve greater': 29025, 'greater preventive': 363212, 'preventive control': 671912, 'the honduran': 857477, 'honduran government': 403051, 'government determined': 360019, 'to segment': 914112, 'segment the': 747395, 'population according': 664645, 'the terminal': 869300, 'terminal of': 838368, 'the digit': 853279, 'digit of': 242482, 'their identity': 873618, 'identity card': 413401, 'card passport': 163615, 'passport and': 643457, 'or resident': 616870, 'resident card': 714272, 'card so': 163651, 'order to achieve': 618660, 'to achieve greater': 899987, 'achieve greater preventive': 29026, 'greater preventive control': 363213, 'preventive control of': 671913, 'control of covid': 202067, '19 transmission the': 11547, 'transmission the honduran': 929772, 'the honduran government': 857478, 'honduran government determined': 403052, 'government determined to': 360020, 'determined to segment': 239463, 'to segment the': 914113, 'segment the population': 747396, 'the population according': 864020, 'population according to': 664646, 'to the terminal': 917118, 'the terminal of': 869301, 'terminal of the': 838369, 'of the digit': 590951, 'the digit of': 853280, 'digit of their': 242483, 'of their identity': 591670, 'their identity card': 873619, 'identity card passport': 413402, 'card passport and': 163616, 'passport and or': 643458, 'and or resident': 68227, 'or resident card': 616871, 'resident card so': 714273, 'card so that': 163652, 'citizen can go': 178870, 'placing on': 657949, 'footing follow': 318555, 'but bond': 145305, 'stock crashing': 802031, 'crashing am': 215100, 'am bothered': 49953, 'washing when': 967750, 'money run': 537003, 'run dry': 727609, 'dry all': 261237, 'all demand': 42550, 'supply fuck': 825299, 'fuck that': 339651, 'the looting': 859725, 'the shooting': 866972, 'placing on war': 657950, 'war footing follow': 966435, 'footing follow the': 318556, 'follow the money': 312539, 'the money but': 860807, 'money but bond': 536646, 'but bond stock': 145306, 'bond stock crashing': 134265, 'stock crashing am': 802032, 'crashing am bothered': 215101, 'am bothered about': 49954, 'bothered about hand': 136139, 'about hand washing': 25343, 'hand washing when': 375964, 'washing when the': 967751, 'when the food': 984155, 'the food run': 855598, 'food run out': 316251, 'out the money': 627393, 'the money run': 860823, 'money run dry': 537004, 'run dry all': 727610, 'dry all demand': 261238, 'all demand but': 42551, 'demand but no': 235080, 'but no supply': 146502, 'no supply fuck': 565632, 'supply fuck that': 825300, 'fuck that it': 339653, 'that it more': 844726, 'it more about': 459664, 'about the looting': 26440, 'the looting the': 859726, 'looting the shooting': 503275, 'fantastic scheme': 298607, 'buyer check': 149604, 'buy artwork': 148371, 'artwork for': 94661, 'fantastic scheme for': 298608, 'scheme for artist': 741564, 'for artist and': 319495, 'artist and even': 94587, 'and even better': 62330, 'even better for': 283884, 'better for buyer': 128288, 'for buyer check': 319857, 'buyer check it': 149605, 'it out buy': 460177, 'out buy artwork': 625806, 'buy artwork for': 148373, 'artwork for good': 94662, 'for good price': 321939, 'good price and': 357582, 'and help get': 64452, 'year before': 1014430, 'before heavy': 122851, 'discount in': 244484, 'in housing': 423865, 'price appear': 672608, 'not liquid': 570420, 'liquid asset': 494078, 'asset say': 96472, 'via but': 955837, 'drop are': 260136, 'would take year': 1012312, 'take year before': 832807, 'year before heavy': 1014431, 'before heavy discount': 122852, 'heavy discount in': 388633, 'discount in housing': 244485, 'in housing price': 423866, 'housing price appear': 407128, 'price appear in': 672609, 'appear in because': 82112, 'in because real': 420748, 'because real estate': 119512, 'estate is not': 282142, 'is not liquid': 450126, 'not liquid asset': 570421, 'liquid asset say': 494079, 'asset say via': 96473, 'say via but': 739437, 'via but the': 955838, 'but the drop': 147335, 'the drop are': 853707, 'drop are coming': 260137, 'ensure nation': 277991, 'fed during': 301807, 'pm to meet': 662012, 'meet with supermarket': 527656, 'with supermarket to': 1001067, 'supermarket to ensure': 823370, 'to ensure nation': 905175, 'ensure nation fed': 277992, 'nation fed during': 552172, 'fed during covid': 301808, 'xzbapjoroz': 1013947, 'pandemic persists': 636176, 'persists soybean': 652279, 'price topped': 677095, 'topped the': 925842, 'mark midway': 515799, 'midway through': 530810, 'through last': 894550, 'bushel http': 143146, 'co xzbapjoroz': 185021, 'the pandemic persists': 863054, 'pandemic persists soybean': 636177, 'persists soybean price': 652280, 'soybean price topped': 786993, 'price topped the': 677096, 'topped the mark': 925843, 'the mark midway': 860078, 'mark midway through': 515800, 'midway through last': 530811, 'through last week': 894551, 'per bushel http': 650725, 'bushel http co': 143147, 'http co xzbapjoroz': 409775, 'there line': 878705, 'they loop': 882628, 'loop all': 503144, 'building just': 142096, 'want milk': 965854, 'there line to': 878706, 'and they loop': 73918, 'they loop all': 882629, 'loop all around': 503145, 'the building just': 850099, 'building just want': 142097, 'just want milk': 470224, 'comer': 187802, 'borde': 135211, 'all comer': 42396, 'comer affair': 187803, 'affair some': 34087, 'some businessmen': 782454, 'businessmen have': 144772, 'hoarded essential': 398936, 'beyond their': 129252, 'their reach': 874529, 'reach to': 700003, 'their client': 872790, 'the borde': 849867, 'to all comer': 900237, 'all comer affair': 42397, 'comer affair some': 187804, 'affair some businessmen': 34088, 'some businessmen have': 782455, 'businessmen have hoarded': 144773, 'have hoarded essential': 380967, 'hoarded essential commodity': 398937, 'essential commodity at': 280914, 'at these time': 101209, '19 and selling': 5102, 'selling at exorbitant': 749167, 'exorbitant price pharmacy': 290419, 'price pharmacy are': 675868, 'pharmacy are going': 654234, 'are going beyond': 86880, 'going beyond their': 355065, 'beyond their reach': 129253, 'their reach to': 874530, 'reach to get': 700005, 'get and make': 346555, 'and make these': 66582, 'make these product': 510623, 'these product available': 880554, 'available to their': 104663, 'to their client': 917213, 'their client the': 872792, 'client the borde': 182106, 'above news': 27087, 'news true': 560909, 'is the above': 452718, 'the above news': 848249, 'above news true': 27088, 'ruler': 727432, 'hoaders': 398744, 'fock': 311826, 'our ruler': 624655, 'ruler get': 727435, 'get soo': 348090, 'soo grim': 785575, 'grim at': 363958, 'panic meanwhile': 638303, 'elite are': 271512, 'worst kind': 1011213, 'of hoaders': 584683, 'hoaders ever': 398745, 'ever retweet': 285473, 'elite doing': 271514, 'the fock': 855476, 'fock they': 311827, 'want and': 965706, 'get month': 347576, 'our ruler get': 624657, 'ruler get soo': 727436, 'get soo grim': 348091, 'soo grim at': 785576, 'grim at for': 363959, 'at for hoarding': 98693, 'for hoarding during': 322321, 'hoarding during panic': 399268, 'during panic meanwhile': 262912, 'panic meanwhile the': 638304, 'meanwhile the elite': 525037, 'the elite are': 854200, 'elite are the': 271513, 'the worst kind': 872060, 'worst kind of': 1011214, 'kind of hoaders': 474904, 'of hoaders ever': 584684, 'hoaders ever retweet': 398746, 'ever retweet if': 285474, 'are sick of': 90113, 'of the elite': 590978, 'the elite doing': 854201, 'elite doing whatever': 271515, 'doing whatever the': 252855, 'whatever the fock': 982803, 'the fock they': 855477, 'fock they want': 311828, 'they want and': 883706, 'want and we': 965710, 'and we cant': 75286, 'cant even get': 162283, 'even get month': 284109, 'get month supply': 347577, 'nice hot': 562413, 'hot shower': 405043, 'shower with': 767399, 'soap after': 778893, 'run giving': 727650, 'giving run': 351381, 'nice hot shower': 562414, 'hot shower with': 405044, 'shower with lot': 767400, 'lot of soap': 504283, 'of soap after': 589818, 'soap after grocery': 778894, 'after grocery store': 35739, 'store run giving': 809922, 'run giving run': 727651, 'giving run for': 351382, 'run for it': 727643, 'for it money': 322719, 'it money if': 459652, 'money if it': 536823, 'wa out there': 962882, 'in the large': 429305, 'the large crowd': 858944, 'large crowd of': 479635, 'crowd of local': 219217, 'of local grocery': 585933, 'rose today': 726100, 'cut overshadowed': 223476, 'overshadowed analyst': 631509, 'analyst fear': 57135, 'expected oil': 290916, 'price rose today': 676273, 'rose today hope': 726101, 'today hope that': 919661, 'hope that the': 403655, 'biggest oil producer': 130282, 'agree to production': 38668, 'to production cut': 912226, 'production cut overshadowed': 681999, 'cut overshadowed analyst': 223477, 'overshadowed analyst fear': 631510, 'analyst fear that': 57136, 'fear that global': 301363, 'that global recession': 844018, 'global recession in': 352157, 'coronavirus crisis could': 205746, 'could be deeper': 208858, 'deeper than expected': 231972, 'than expected oil': 840628, 'expected oil price': 290917, 'nurse friend': 577338, 'only really': 611052, '19 environment': 6799, 'environment wearing': 279170, 'about only': 25853, 'only protects': 611028, 'minute apparently': 533733, 'nurse friend of': 577339, 'of mine said': 586558, 'mine said mask': 532920, 'said mask should': 731224, 'mask should only': 519273, 'should only really': 766293, 'only really be': 611053, 'really be worn': 702017, 'worn by those': 1010463, 'work in or': 1005332, 'in or who': 426206, 'are in and': 87354, 'and around covid': 58397, 'covid 19 environment': 213030, '19 environment wearing': 6800, 'environment wearing one': 279171, 'one to the': 607286, 'supermarket or just': 821817, 'or just out': 615889, 'just out about': 469412, 'out about only': 625559, 'about only protects': 25854, 'only protects you': 611029, 'you for 20': 1018621, '20 minute apparently': 13170, 'finkle': 307949, 'finkle covid': 307950, 'remember seeing': 710257, 'with picture': 1000211, 'all except': 42718, 'one full': 606332, 'finkle covid 19': 307951, '19 remember seeing': 10095, 'remember seeing post': 710258, 'seeing post here': 746426, 'post here on': 666156, 'on twitter with': 604932, 'twitter with picture': 936744, 'with picture of': 1000212, 'picture of supermarket': 656172, 'of supermarket with': 590458, 'empty shelf all': 275044, 'shelf all except': 756694, 'all except for': 42719, 'for one full': 324082, 'one full of': 606333, 'realestatelaw': 701555, 'realestatelawyer': 701558, 'even covid': 283982, 'push toronto': 690332, 'toronto area': 925923, 'sale off': 732414, 'cliff real': 182169, 'estate expert': 282117, 'may stall': 521522, 'stall people': 793375, 'pass realestatelaw': 643223, 'realestatelaw housingmarket': 701556, 'housingmarket realestatelawyer': 407179, 'even covid 19': 283983, '19 push toronto': 9886, 'push toronto area': 690333, 'toronto area home': 925924, 'area home sale': 92054, 'home sale off': 402006, 'sale off cliff': 732415, 'off cliff real': 593731, 'cliff real estate': 182170, 'real estate expert': 701143, 'estate expert say': 282118, 'say that while': 739258, 'that while price': 847516, 'while price may': 987172, 'price may stall': 675203, 'may stall people': 521523, 'stall people stay': 793376, 'people stay home': 649561, 'home they will': 402276, 'they will pick': 883871, 'pick up where': 655777, 'up where they': 946586, 'left off once': 485583, 'off once the': 594025, 'the crisis pass': 852425, 'crisis pass realestatelaw': 217856, 'pass realestatelaw housingmarket': 643224, 'realestatelaw housingmarket realestatelawyer': 701557, 'respected pm': 715105, 'sir requesting': 771636, 'india were': 434688, 'india otherwise': 434561, 'respected pm sir': 715107, 'pm sir requesting': 661984, 'sir requesting you': 771637, 'high in india': 395126, 'india the merchant': 434640, 'merchant in india': 529025, 'in india were': 424064, 'india were charging': 434690, 'of india otherwise': 585114, 'india otherwise people': 434562, 'otherwise people will': 621860, 'will die with': 993189, 'socialcommerce': 780033, 'been dubbed': 121050, 'dubbed stay': 261509, 'economy chinamarketing': 267752, 'chinamarketing ecommerce': 177126, 'ecommerce socialcommerce': 266870, 'outbreak ha significantly': 628278, 'ha significantly changed': 371940, 'significantly changed consumer': 769558, 'behavior in china': 124077, 'in china to': 421442, 'china to what': 177008, 'to what ha': 918515, 'ha been dubbed': 369792, 'been dubbed stay': 121051, 'dubbed stay at': 261510, 'home economy chinamarketing': 401125, 'economy chinamarketing ecommerce': 267753, 'chinamarketing ecommerce socialcommerce': 177127, 'serious while': 751514, 'should blow': 765783, 'blow this': 133352, 'this off': 889202, 'off also': 593629, 'hoard that': 398876, 'that stupid': 846540, 'stupid hospital': 815395, 'employee fast': 273840, 'you can please': 1017748, 'can please this': 159262, 'please this covid': 660676, '19 is serious': 8044, 'is serious while': 451794, 'serious while you': 751515, 'while you should': 987595, 'not panic it': 570916, 'panic it doesn': 638237, 'you should blow': 1021185, 'should blow this': 765784, 'blow this off': 133353, 'this off also': 889203, 'off also do': 593630, 'not hoard that': 569985, 'hoard that stupid': 398877, 'that stupid hospital': 846541, 'stupid hospital worker': 815396, 'hospital worker grocery': 404739, 'store employee fast': 807487, 'employee fast food': 273841, 'trucker keeping': 932930, 'keeping america': 472374, 'america supplied': 51688, 'these men': 880295, 'woman deserve': 1003465, 'deserve all': 238026, 'our praise': 624412, 'praise and': 668832, 'safety on': 730662, 'road with': 724548, 'love and big': 504596, 'and big thank': 58966, 'all the trucker': 44958, 'the trucker keeping': 870041, 'trucker keeping america': 932931, 'keeping america supplied': 472376, 'america supplied and': 51689, 'supplied and ready': 824447, '19 these men': 11296, 'these men and': 880297, 'and woman deserve': 75803, 'woman deserve all': 1003466, 'deserve all our': 238028, 'all our praise': 43827, 'our praise and': 624413, 'praise and prayer': 668834, 'prayer for their': 669060, 'their safety on': 874615, 'safety on the': 730663, 'the road with': 865941, 'road with all': 724549, 'manager and worker': 512675, 'mindlessly': 532835, 'afraid people': 35008, 'steal toiletpaper': 799210, 'toiletpaper bet': 921802, 'the fox': 855744, 'news viewer': 560944, 'viewer who': 957197, 'despite believing': 238679, 'believing trump': 126465, 'hoax are': 399702, 'are mindlessly': 88081, 'mindlessly paranoid': 532836, 'paranoid and': 641438, 're afraid people': 698202, 'afraid people will': 35010, 'will come to': 992971, 'to their house': 917241, 'house and steal': 406184, 'and steal toiletpaper': 72333, 'steal toiletpaper bet': 799211, 'toiletpaper bet it': 921803, 'bet it the': 128074, 'it the fox': 461536, 'the fox news': 855745, 'fox news viewer': 330771, 'news viewer who': 560945, 'viewer who despite': 957198, 'who despite believing': 988578, 'despite believing trump': 238681, 'believing trump lie': 126466, 'trump lie that': 933687, 'lie that wa': 488379, 'that wa hoax': 847288, 'wa hoax are': 962318, 'hoax are mindlessly': 399703, 'are mindlessly paranoid': 88082, 'mindlessly paranoid and': 532837, 'paranoid and do': 641439, 'not realize it': 571226, 'big reset': 129956, 'reset we': 714177, 'understand online': 940688, 'stay possibly': 797178, 'possibly disrupting': 665915, 'disrupting grocer': 246424, 'grocer we': 364178, 'we become': 970829, 'become customer': 119960, 'the big reset': 849620, 'big reset we': 129957, 'reset we now': 714178, 'we now understand': 972618, 'now understand online': 576255, 'understand online grocery': 940689, 'shopping is here': 763050, 'to stay possibly': 915308, 'stay possibly disrupting': 797179, 'possibly disrupting grocer': 665916, 'disrupting grocer we': 246425, 'grocer we become': 364179, 'we become customer': 970830, 'become customer of': 119961, 'customer of delivery': 222636, 'of delivery company': 582488, 'parallel49': 641345, 'parallel49brewing': 641348, 'grotta': 366472, 'sanitizer repost': 735652, 'repost parallel49': 712832, 'parallel49 parallel49brewing': 641346, 'parallel49brewing community': 641349, 'community wereallinthistogether': 190215, 'wereallinthistogether helpeachother': 980373, 'helpeachother la': 391040, 'la grotta': 478169, 'grotta wholesale': 366473, 'hand sanitizer repost': 375566, 'sanitizer repost parallel49': 735653, 'repost parallel49 parallel49brewing': 712833, 'parallel49 parallel49brewing community': 641347, 'parallel49brewing community wereallinthistogether': 641350, 'community wereallinthistogether helpeachother': 190216, 'wereallinthistogether helpeachother la': 980374, 'helpeachother la grotta': 391041, 'la grotta wholesale': 478170, 'handsantiser': 376714, 'sel': 747452, 'yeah absolute': 1014230, 'absolute bargain': 27221, 'bargain please': 111059, 'please ebay': 659944, 'sake dont': 731851, 'let these': 487167, 'these criminal': 879831, 'criminal get': 216842, 'it selling': 460969, 'of handsantiser': 584447, 'handsantiser worth': 376715, 'worth for': 1011363, 'such ridiculous': 816722, 'people arent': 647132, 'arent panicbuying': 92624, 'to sel': 914117, 'yeah absolute bargain': 1014231, 'absolute bargain please': 27222, 'bargain please ebay': 111060, 'please ebay for': 659945, 'ebay for goodness': 266460, 'goodness sake dont': 358061, 'sake dont let': 731852, 'dont let these': 255252, 'let these criminal': 487168, 'these criminal get': 879832, 'criminal get away': 216843, 'with it selling': 999081, 'it selling 50ml': 460970, '50ml bottle of': 20186, 'bottle of handsantiser': 136285, 'of handsantiser worth': 584448, 'handsantiser worth for': 376716, 'worth for such': 1011364, 'for such ridiculous': 325974, 'such ridiculous price': 816723, 'ridiculous price people': 721595, 'price people arent': 675847, 'people arent panicbuying': 647133, 'arent panicbuying they': 92625, 'panicbuying they are': 639082, 'are buying to': 85133, 'buying to sel': 151242, '9today': 24041, 'urgent travel': 948372, 'travel warning': 930566, 'warning supermarket': 967197, 'vaccine take': 951771, 'news 9today': 560180, 'urgent travel warning': 948373, 'travel warning supermarket': 930567, 'warning supermarket chaos': 967198, 'supermarket chaos and': 819652, 'chaos and the': 172992, 'and the hunt': 73412, 'hunt for covid': 411359, '19 vaccine take': 11723, 'vaccine take look': 951772, 'coronavirus news 9today': 206316, 'hour 10am': 405343, 'just pick': 469447, 'up essential': 944799, 'during but is': 262484, 'shopper to save': 761773, 'save the first': 737656, 'first hour 10am': 308711, 'hour 10am for': 405344, '10am for senior': 2292, 'panic buy just': 637496, 'buy just pick': 148875, 'just pick up': 469448, 'pick up essential': 655720, 'up essential you': 944800, 'enters confinement': 278477, 'noon today': 566867, 'enters confinement at': 278478, 'confinement at noon': 194055, 'at noon today': 99908, 'noon today here': 566868, 'today here the': 919646, 'voucher warning': 960681, 'email claim': 272141, 'off shopping': 594154, 'quarantine form': 692206, 'claim coupon': 179718, 'coupon actually': 211743, 'card detail': 163509, 'detail scamalert': 239242, 'fake voucher warning': 296741, 'voucher warning from': 960682, 'warning from email': 967129, 'from email claim': 335266, 'email claim to': 272142, 'chain asda and': 170528, 'asda and say': 94908, 'and say you': 71013, 'say you ve': 739521, 'you ve received': 1022061, 've received voucher': 953492, 'voucher for money': 960644, 'for money off': 323496, 'money off shopping': 536922, 'off shopping during': 594155, 'the quarantine form': 864967, 'quarantine form to': 692207, 'form to claim': 329571, 'to claim coupon': 902786, 'claim coupon actually': 179719, 'coupon actually steal': 211744, 'credit card detail': 216336, 'card detail scamalert': 163510, 'datacenter': 226526, 'notebook': 572863, 'pandemic shifting': 636438, 'shifting it': 758543, 'for datacenter': 320551, 'datacenter demand': 226527, 'are remote': 89578, 'work tool': 1005937, 'such notebook': 816653, 'notebook smartphones': 572864, 'smartphones and': 775533, 'electronics demand': 271295, 'and memory': 66942, 'memory giant': 528427, '19 pandemic shifting': 9463, 'pandemic shifting it': 636439, 'shifting it demand': 758544, 'it demand for': 457515, 'demand for datacenter': 235401, 'for datacenter demand': 320552, 'datacenter demand are': 226528, 'demand are remote': 235023, 'are remote work': 89579, 'remote work tool': 710747, 'work tool such': 1005938, 'tool such notebook': 925437, 'such notebook smartphones': 816654, 'notebook smartphones and': 572865, 'smartphones and consumer': 775534, 'consumer electronics demand': 197337, 'electronics demand affecting': 271296, 'affecting the storage': 34569, 'the storage and': 867968, 'storage and memory': 805950, 'and memory giant': 66943, 'and seen': 71173, 'be scary': 117021, 'scary site': 741181, 'chain is strong': 170847, 'is strong despite': 452386, 'strong despite empty': 814015, 'despite empty shelf': 238730, 'shelf the food': 757649, 'the is strong': 858535, 'store recently and': 809772, 'recently and seen': 704044, 'and seen the': 71174, 'the bare shelf': 849281, 'bare shelf it': 110949, 'shelf it can': 757252, 'can be scary': 157681, 'be scary site': 117023, 'it appropriate': 456573, 'appropriate to': 83060, 'your empty': 1023669, 'empty cart': 274835, 'time ask': 896341, 'buyer rude': 149738, 'is it appropriate': 449010, 'it appropriate to': 456574, 'appropriate to put': 83061, 'to put your': 912624, 'put your empty': 690990, 'your empty cart': 1023670, 'empty cart in': 274836, 'cart in the': 165327, 'long line at': 501494, 'just leave it': 469121, 'leave it there': 484848, 'it there to': 461618, 'there to grab': 879185, 'thing at time': 884178, 'at time ask': 101285, 'time ask about': 896342, 'ask about the': 95476, 'about the woman': 26563, 'of me panic': 586339, 'me panic buyer': 523319, 'panic buyer rude': 637600, 'alc': 40874, 'developed the': 239737, 'the sniffle': 867390, 'sniffle today': 776349, 'today feel': 919519, 'like got': 490334, 'cold if': 185764, 'if picked': 414649, 'ago stayed': 38472, 'stayed way': 797878, 'back washed': 107447, 'with 70': 997053, '70 alc': 21714, 'alc spray': 40875, 'still ve': 801368, 've picked': 953436, 'developed the sniffle': 239738, 'the sniffle today': 867391, 'sniffle today feel': 776350, 'today feel like': 919520, 'feel like got': 302717, 'like got cold': 490335, 'got cold if': 358493, 'cold if picked': 185765, 'if picked up': 414650, 'picked up anything': 655809, 'up anything it': 944399, 'anything it wa': 80806, 'store two day': 810979, 'day ago stayed': 227208, 'ago stayed way': 38473, 'stayed way back': 797879, 'way back washed': 969485, 'back washed hand': 107448, 'washed hand with': 967617, 'hand with 70': 376002, 'with 70 alc': 997054, '70 alc spray': 21715, 'alc spray and': 40876, 'spray and still': 790263, 'and still ve': 72392, 'still ve picked': 801369, 've picked up': 953437, 'picked up something': 655819, 'overboard': 631059, 'fucking reacting': 339976, 'reacting over': 700176, 'dude need': 261601, 'also fine': 48212, 'prepared but': 670163, 'but again': 145073, 'again do': 36980, 'go overboard': 354027, 'overboard what': 631060, 'what saying': 982125, 'your panicking': 1025183, 'panicking small': 639373, 'are over fucking': 88909, 'over fucking reacting': 630241, 'fucking reacting over': 339977, 'reacting over covid': 700177, 'like it fine': 490534, 'fine to panic': 307711, 'panic little bit': 638280, 'little bit but': 495252, 'bit but do': 131540, 'not panic so': 570934, 'panic so much': 638608, 'much that you': 545350, 'that you buy': 847714, 'you buy all': 1017561, 'the food like': 855569, 'food like dude': 315309, 'like dude need': 490147, 'dude need to': 261602, 'eat it also': 265957, 'it also fine': 456427, 'also fine to': 48213, 'fine to be': 307709, 'be prepared but': 116514, 'prepared but again': 670164, 'but again do': 145074, 'again do not': 36981, 'not go overboard': 569683, 'go overboard what': 354028, 'overboard what saying': 631061, 'what saying is': 982126, 'saying is keep': 739616, 'keep your panicking': 472281, 'your panicking small': 1025184, 'rule touch': 727392, 'touch something': 926538, 'something outside': 785004, 'outside use': 629634, 'sanitizer don': 734780, 'from coughing': 335038, 'coughing people': 208734, 'wash object': 967524, 'object you': 578429, 'in wash': 430705, 'what those': 982439, 'those object': 892257, 'object touch': 578427, 'touch safe': 926527, 'the rule touch': 866056, 'rule touch something': 727393, 'touch something outside': 926539, 'something outside use': 785005, 'outside use hand': 629635, 'hand sanitizer don': 375377, 'sanitizer don touch': 734781, 'face stay away': 294772, 'away from coughing': 105870, 'from coughing people': 335039, 'coughing people wash': 208735, 'people wash your': 650144, 'get home quarantine': 347248, 'home quarantine or': 401934, 'quarantine or wash': 692411, 'or wash object': 617728, 'wash object you': 967525, 'object you bring': 578430, 'you bring in': 1017526, 'bring in wash': 140003, 'in wash your': 430706, 'hand and what': 374787, 'and what those': 75491, 'what those object': 982440, 'those object touch': 892258, 'object touch safe': 578428, 'available rishi': 104573, 'sunak ha': 818099, 'announced month': 76998, 'you explains': 1018496, 'help available rishi': 389397, 'available rishi sunak': 104574, 'rishi sunak ha': 723136, 'sunak ha announced': 818100, 'ha announced month': 369561, 'announced month mortgage': 76999, 'mortgage break but': 541869, 'break but what': 138693, 'for you explains': 328055, 'you explains all': 1018497, 'consumer believe': 196619, 'believe brand': 126248, 'play critical': 659128, 'brand responding': 137989, 'build consumer': 141961, 'study show consumer': 814957, 'show consumer believe': 766899, 'consumer believe brand': 196620, 'believe brand will': 126249, 'brand will play': 138075, 'will play critical': 994419, 'play critical role': 659129, 'critical role in': 218647, 'in helping all': 423636, 'helping all get': 391260, 'crisis how is': 217502, 'your brand responding': 1023019, 'brand responding to': 137990, 'responding to build': 715578, 'to build consumer': 902084, 'build consumer trust': 141963, 'design incentive': 238239, 'vaccine how': 951715, 'create market': 215678, 'in ventilator': 430552, 'ventilator how': 954569, 'how economist': 407789, 'economist can': 267531, 'help navigate': 390133, 'how to design': 409006, 'to design incentive': 904205, 'design incentive to': 238240, 'develop vaccine how': 239670, 'vaccine how to': 951716, 'how to create': 409003, 'to create market': 903713, 'create market in': 215679, 'market in ventilator': 516582, 'in ventilator how': 430553, 'ventilator how economist': 954570, 'how economist can': 407790, 'economist can help': 267532, 'can help navigate': 158639, 'help navigate the': 390134, 'navigate the covid': 553079, 'advocate across': 33814, 'urging in': 948430, 'we join consumer': 972095, 'consumer advocate across': 196062, 'advocate across the': 33815, 'country in urging': 210782, 'in urging in': 430481, 'urging in response': 948431, 'atx': 102769, 'stressing you': 813544, 'out try': 627733, 'try pop': 934544, 'up market': 945363, 'quickly our': 694563, 'favorite business': 300493, 'these unexpected': 880919, 'unexpected challenge': 941356, 'challenge atx': 171412, 'atx supportlocal': 102770, 'supportlocal hajjarpetersllp': 827262, 'store is stressing': 808534, 'is stressing you': 452377, 'stressing you out': 813545, 'you out try': 1020263, 'out try pop': 627734, 'try pop up': 934545, 'pop up market': 664478, 'up market at': 945364, 'market at your': 516050, 'at your favorite': 101676, 'favorite restaurant we': 300541, 'restaurant we are': 716788, 'are so inspired': 90206, 'inspired by how': 439840, 'by how quickly': 152845, 'how quickly our': 408552, 'quickly our favorite': 694564, 'our favorite business': 623040, 'favorite business have': 300494, 'business have pivoted': 143830, 'have pivoted to': 381940, 'pivoted to meet': 657123, 'meet these unexpected': 527626, 'these unexpected challenge': 880920, 'unexpected challenge atx': 941357, 'challenge atx supportlocal': 171413, 'atx supportlocal hajjarpetersllp': 102771, 'manager appeal': 512676, 'to youth': 919044, 'youth stop': 1026870, 'buying party': 150885, 'party supply': 643042, 'supply celebrating': 824895, 'celebrating his': 168832, 'his market': 397596, 'sell alcohol': 748618, 'alcohol crisp': 40980, 'crisp etc': 218484, 'them seems': 876256, 'the teen': 869242, 'teen do': 836492, 'telling these': 837280, 'entitled brat': 278818, 'brat off': 138199, 'supermarket manager appeal': 821451, 'manager appeal to': 512677, 'appeal to youth': 82084, 'to youth stop': 919045, 'youth stop buying': 1026871, 'stop buying party': 804546, 'buying party supply': 150886, 'party supply celebrating': 643043, 'supply celebrating his': 824896, 'celebrating his market': 168833, 'his market will': 397597, 'longer sell alcohol': 502045, 'sell alcohol crisp': 748619, 'alcohol crisp etc': 40981, 'crisp etc to': 218485, 'etc to them': 282840, 'to them seems': 917312, 'them seems the': 876257, 'seems the teen': 746868, 'the teen do': 869243, 'teen do not': 836493, 'not care bc': 568693, 'care bc they': 163861, 'bc they aren': 113300, 'they aren affected': 881469, 'for telling these': 326192, 'telling these selfish': 837281, 'these selfish entitled': 880646, 'selfish entitled brat': 748086, 'entitled brat off': 278819, 'be thanked': 117568, 'outbreak thanks': 628694, 'keeping everything': 472417, 'everything stocked': 288009, 'during what': 263403, 'ha surely': 372120, 'surely been': 827897, 'unusual time': 944000, 'many people need': 514520, 'to be thanked': 901583, 'be thanked for': 117569, 'the work they': 871741, 'work they are': 1005840, 'are doing amid': 85884, 'doing amid the': 252277, 'coronavirus outbreak thanks': 206412, 'outbreak thanks to': 628695, 'are keeping everything': 87652, 'keeping everything stocked': 472418, 'everything stocked during': 288010, 'stocked during what': 803308, 'during what ha': 263404, 'what ha surely': 981537, 'ha surely been': 372121, 'surely been an': 827898, 'been an unusual': 120657, 'an unusual time': 56914, 'nowadays people': 576532, 'visiting physical': 959543, 'simple commerce': 770004, 'specialty store': 788170, 'nowadays people shop': 576533, 'shop online instead': 760576, 'of visiting physical': 592840, 'visiting physical store': 959544, 'physical store is': 655469, 'store is your': 808550, 'storm we are': 811858, 'we are simple': 970713, 'are simple commerce': 90133, 'simple commerce solution': 770005, 'for specialty store': 325816, 'specialty store ecommerce': 788171, 'favorito': 300565, 'alien have': 41740, 'rona now': 725790, 'my favorito': 548280, 'favorito american': 300566, 'president state': 670906, 'state only': 795836, 'the alien have': 848576, 'alien have sent': 41741, 'have sent the': 382470, 'da rona now': 224239, 'rona now hope': 725791, 'now hope this': 574948, 'news my favorito': 560624, 'my favorito american': 548281, 'favorito american president': 300567, 'american president state': 52144, 'president state only': 670907, 'state only cnn': 795837, 'humped': 410960, 'spike up': 789331, 'lockdown created': 499284, 'created supply': 215900, 'demand humped': 235654, 'humped on': 410961, 'future on': 342409, 'hand expect': 374927, 'phenomenon to': 654669, 'be universal': 117870, 'universal amidst': 942343, 'food inflation is': 315041, 'inflation is going': 437202, 'going to spike': 355714, 'to spike up': 915013, 'spike up due': 789332, 'to lockdown created': 909397, 'lockdown created supply': 499285, 'created supply shortage': 215901, 'food item on': 315221, 'item on one': 463505, 'one hand and': 606398, 'hand and rise': 374769, 'and rise in': 70541, 'rise in their': 722912, 'in their demand': 429735, 'their demand humped': 872999, 'demand humped on': 235655, 'humped on expectation': 410962, 'on expectation of': 600673, 'expectation of their': 290840, 'of their availability': 591641, 'their availability in': 872530, 'availability in future': 104148, 'in future on': 423197, 'future on the': 342411, 'other hand expect': 620339, 'hand expect this': 374928, 'expect this phenomenon': 290762, 'this phenomenon to': 889553, 'phenomenon to be': 654670, 'to be universal': 901612, 'be universal amidst': 117871, 'universal amidst covid': 942344, 'people achieve': 646751, 'achieve social': 29039, '6am it': 21565, 'is urgent': 453597, 'urgent to': 948369, 'find solution': 307222, 'this storage': 890344, 'can people achieve': 159211, 'people achieve social': 646752, 'achieve social distancing': 29040, 'when the only': 984178, 'food is to': 315159, 'is to join': 453214, 'the crowd outside': 852530, 'crowd outside supermarket': 219230, 'outside supermarket at': 629566, 'at 6am it': 97724, '6am it is': 21566, 'it is urgent': 459119, 'is urgent to': 453599, 'urgent to find': 948370, 'to find solution': 905935, 'find solution to': 307223, 'solution to this': 782116, 'to this storage': 917463, 'charge filed': 173229, 'filed over': 305408, 'supermarket incident': 821010, 'is related': 451405, 'assault charge filed': 96314, 'charge filed over': 173230, 'filed over supermarket': 305409, 'over supermarket incident': 630662, 'supermarket incident in': 821011, 'police say is': 663189, 'say is related': 738822, 'is related to': 451406, 'related to physical': 708614, 'am actually': 49850, 'actually he': 30834, 'he sound': 385458, 'sound so': 786335, 'off tbh': 594210, 'tbh and': 835249, 'lockdown rumour': 499872, 'first time am': 309091, 'time am actually': 896237, 'am actually he': 49851, 'actually he sound': 30835, 'he sound so': 385459, 'sound so pissed': 786336, 'pissed off tbh': 656977, 'off tbh and': 594211, 'tbh and when': 835250, 'you consider the': 1018016, 'consider the supermarket': 195144, 'the supermarket hoarding': 868632, 'supermarket hoarding the': 820774, 'hoarding the lockdown': 399586, 'the lockdown rumour': 859628, 'lockdown rumour the': 499873, 'rumour the covid': 727532, '19 scam you': 10354, 'scam you cannot': 740489, 'wa wic': 963703, 'wic baby': 991647, 'baby please': 106681, 'please choose': 659782, 'choose another': 177875, 'another brand': 77518, 'wa wic baby': 963704, 'wic baby please': 991648, 'baby please choose': 106682, 'please choose another': 659783, 'choose another brand': 177876, 'usousd': 950839, 'usoil': 950836, 'price clawed': 673142, 'some loss': 783228, 'after collapsing': 35475, 'collapsing to': 186157, 'getting supported': 349324, 'physical bargain': 655378, 'bargain hunter': 111053, 'hunter and': 411383, 'short covering': 764604, 'covering read': 212484, 'oilprice usousd': 597643, 'usousd usoil': 950840, 'usoil crudeoil': 950837, 'crudeoil forex': 219637, 'oil price clawed': 597077, 'price clawed back': 673143, 'back some loss': 107277, 'some loss after': 783229, 'loss after collapsing': 503630, 'after collapsing to': 35476, 'collapsing to 30': 186158, 'to 30 barrel': 899664, '30 barrel the': 16979, 'barrel the market': 111289, 'market is getting': 516628, 'is getting supported': 448046, 'getting supported by': 349325, 'supported by the': 827049, 'by the physical': 154406, 'the physical bargain': 863709, 'physical bargain hunter': 655379, 'bargain hunter and': 111054, 'hunter and short': 411384, 'and short covering': 71561, 'short covering read': 764605, 'covering read full': 212485, 'report here oilprice': 712013, 'here oilprice usousd': 393404, 'oilprice usousd usoil': 597644, 'usousd usoil crudeoil': 950841, 'usoil crudeoil forex': 950838, 'industry they': 436156, 'still with': 801414, 'with payment': 1000118, 'retail industry they': 718221, 'industry they were': 436157, 'let some people': 487055, 'some people stay': 783537, 'home still with': 402148, 'still with payment': 801415, 'with payment but': 1000119, 'payment but since': 645569, 'but since people': 147060, 'people still go': 649593, 'sundayselfie': 818332, 'rawr': 698012, 'sundayselfie in': 818333, 'new sexy': 559571, 'sexy look': 754230, 'look rawr': 502572, 'rawr pep': 698013, 'pep sexy': 650636, 'sexy socialdistancing': 754232, 'socialdistancing hot': 780429, 'hot smart': 405045, 'smart safe': 775413, 'and sexy': 71351, 'sundayselfie in the': 818334, 'age of went': 37878, 'of went to': 593026, 'after work this': 36571, 'work this is': 1005856, 'my new sexy': 549472, 'new sexy look': 559572, 'sexy look rawr': 754231, 'look rawr pep': 502573, 'rawr pep sexy': 698014, 'pep sexy socialdistancing': 650637, 'sexy socialdistancing hot': 754233, 'socialdistancing hot smart': 780430, 'hot smart safe': 405046, 'smart safe and': 775414, 'safe and sexy': 729479, 'mail like': 508628, 'bare coronapocalypse': 110889, 'the supermarket ad': 868446, 'supermarket ad that': 818776, 'ad that come': 31174, 'the mail like': 859893, 'mail like the': 508629, 'like the stuff': 491398, 'the stuff is': 868328, 'stuff is still': 815107, 'is still there': 452316, 'still there know': 801292, 'know the shelf': 476849, 'are bare coronapocalypse': 84769, 'delfast': 232865, 'delfast is': 232870, 'quarantine sale': 692503, 'sale is': 732311, 'the delfast': 853053, 'delfast bike': 232868, 'bike of': 130417, '2019 with': 14049, 'awesome discount': 106166, 'discount read': 244528, 'delfast anti': 232866, 'anti crisis': 78296, 'crisis offer': 217791, 'offer by': 594545, 'delfast is here': 232871, 'here for all': 392997, 'of you during': 593384, 'you during these': 1018383, 'during these hard': 263237, 'time the quarantine': 897870, 'the quarantine sale': 864974, 'quarantine sale is': 692504, 'sale is on': 732313, 'is on do': 450462, 'on do not': 600367, 'hesitate to buy': 394273, 'buy the delfast': 149292, 'the delfast bike': 853055, 'delfast bike of': 232869, 'bike of 2019': 130418, 'of 2019 with': 579483, '2019 with an': 14050, 'with an awesome': 997206, 'an awesome discount': 55509, 'awesome discount read': 106167, 'discount read more': 244529, 'about the delfast': 26374, 'the delfast anti': 853054, 'delfast anti crisis': 232867, 'anti crisis offer': 78297, 'crisis offer by': 217792, 'offer by following': 594546, 'goza': 361392, 'parent face': 641625, 'face unique': 294829, 'unique financial': 941978, 'emotional stress': 273305, 'stress while': 813424, 'kid right': 474088, 'report dr': 711909, 'dr sara': 258092, 'sara goza': 736712, 'goza offer': 361393, 'of ourselves': 587597, 'parent face unique': 641626, 'face unique financial': 294830, 'unique financial and': 941979, 'financial and emotional': 306323, 'and emotional stress': 62049, 'emotional stress while': 273306, 'stress while staying': 813425, 'staying home with': 798629, 'home with kid': 402527, 'with kid right': 999145, 'kid right now': 474089, 'right now report': 722125, 'now report dr': 575681, 'report dr sara': 711910, 'dr sara goza': 258093, 'sara goza offer': 736713, 'goza offer tip': 361394, 'care of ourselves': 164114, 'of ourselves and': 587598, 'ourselves and each': 625458, 'manage supply': 512432, 'supply sainsbury': 825799, 'sainsbury put': 731707, 'put three': 690918, 'three item': 893965, 'item limit': 463428, 'demand eg': 235283, 'eg uht': 269729, 'uht milk': 938096, 'milk first': 531672, 'hour tomorrow': 406049, '70 only': 21817, 'only plus': 610993, 'plus priority': 661663, 'delivery meat': 234179, 'counter cafe': 210197, 'cafe to': 155137, 'close tesco': 182827, 'longer 24': 501898, 'supermarket to manage': 823389, 'to manage supply': 909799, 'manage supply sainsbury': 512433, 'supply sainsbury put': 825800, 'sainsbury put three': 731708, 'put three item': 690919, 'three item limit': 893966, 'item limit on': 463430, 'limit on all': 492407, 'all grocery and': 43005, 'grocery and two': 364266, 'and two on': 74553, 'two on most': 937099, 'on most in': 602226, 'most in demand': 542434, 'in demand eg': 422122, 'demand eg uht': 235284, 'eg uht milk': 269730, 'uht milk first': 938097, 'milk first hour': 531673, 'first hour tomorrow': 308718, 'hour tomorrow for': 406050, 'tomorrow for over': 924086, 'over 70 only': 629916, '70 only plus': 21818, 'only plus priority': 610994, 'plus priority on': 661664, 'priority on delivery': 678616, 'on delivery meat': 600267, 'delivery meat counter': 234180, 'meat counter cafe': 525529, 'counter cafe to': 210198, 'cafe to close': 155138, 'to close tesco': 902899, 'close tesco no': 182828, 'tesco no longer': 838758, 'no longer 24': 564624, 'longer 24 hour': 501899, '24 hour at': 15612, 'hour at any': 405438, 'ny pay': 577907, 'for med': 323370, 'med equipment': 525886, 'equipment report': 279819, 'report newyorkcity': 712094, 'ny pay inflated': 577908, 'price for med': 673999, 'for med equipment': 323372, 'med equipment report': 525887, 'equipment report newyorkcity': 279820, 'seen guy': 747050, 'today remove': 920112, 'remove his': 710828, 'protective plastic': 685797, 'his teeth': 397852, 'teeth stupid': 836607, 'stupid beyond': 815359, 'seen guy in': 747051, 'guy in supermarket': 369040, 'supermarket today remove': 823462, 'today remove his': 920113, 'remove his covid': 710829, '19 protective plastic': 9861, 'protective plastic glove': 685798, 'plastic glove with': 658852, 'glove with his': 353046, 'with his teeth': 998846, 'his teeth stupid': 397853, 'teeth stupid beyond': 836608, 'stupid beyond belief': 815360, 'minuscule': 533699, 'of tbh': 590612, 'tbh lol': 835255, 'lol disabled': 500896, 'disabled part': 243933, 'time student': 897772, 'and single': 71691, 'risk minuscule': 723685, 'minuscule income': 533700, 'income even': 432328, 'even on': 284421, 'day anxiety': 227305, 'disorder so': 246084, 'having daily': 384025, 'daily panic': 224741, 'attack just': 102123, 'sure how much': 827576, 'much more can': 545101, 'more can take': 538761, 'can take of': 159904, 'take of tbh': 832390, 'of tbh lol': 590613, 'tbh lol disabled': 835256, 'lol disabled part': 500897, 'disabled part time': 243934, 'part time student': 642455, 'time student and': 897773, 'student and single': 814644, 'and single parent': 71692, 'single parent can': 771365, 'get food at': 347031, 'food at risk': 313450, 'at risk minuscule': 100376, 'risk minuscule income': 723686, 'minuscule income even': 533701, 'income even on': 432329, 'even on good': 284422, 'on good day': 601143, 'good day anxiety': 356944, 'day anxiety disorder': 227306, 'anxiety disorder so': 78686, 'disorder so bad': 246085, 'bad now having': 107963, 'now having daily': 574893, 'having daily panic': 384026, 'daily panic attack': 224742, 'panic attack just': 637377, 'attack just done': 102124, 'simplicity': 770164, 'being separated': 125761, 'separated from': 751093, 'from love': 336282, 'one how': 606443, 'in simplicity': 427964, 'dear world how': 229922, 'world how is': 1009643, 'is it being': 449013, 'it being separated': 456831, 'being separated from': 125762, 'separated from love': 751094, 'from love one': 336283, 'love one how': 504744, 'one how is': 606444, 'is the lockdown': 452851, 'the lockdown how': 859602, 'lockdown how is': 499477, 'is it covid': 449017, '19 did you': 6543, 'enough food share': 277410, 'food share in': 316445, 'share in simplicity': 755057, 'cosumption': 208386, 'mahrukat': 508525, 'watan': 968340, 'reflet': 706693, 'gas cosumption': 343801, 'cosumption down': 208387, 'syria amid': 831034, 'lockdown source': 499940, 'run mahrukat': 727701, 'mahrukat company': 508526, 'company tell': 191153, 'tell al': 836900, 'al watan': 40610, 'watan adding': 968341, 'necessarily reflet': 553930, 'reflet in': 706694, 'syria due': 831038, 'gas cosumption down': 343802, 'cosumption down 50': 208388, 'down 50 in': 256423, '50 in syria': 19728, 'in syria amid': 428789, 'syria amid covid': 831035, '19 lockdown source': 8426, 'lockdown source in': 499941, 'source in state': 786497, 'in state run': 428245, 'state run mahrukat': 795913, 'run mahrukat company': 727702, 'mahrukat company tell': 508527, 'company tell al': 191154, 'tell al watan': 836901, 'al watan adding': 40611, 'watan adding that': 968342, 'adding that lower': 31698, 'will not necessarily': 994248, 'not necessarily reflet': 570627, 'necessarily reflet in': 553931, 'reflet in lower': 706695, 'in lower price': 424955, 'lower price in': 505962, 'price in syria': 674740, 'in syria due': 428790, 'syria due to': 831039, 'ru serious': 726895, 'serious feeling': 751380, 'feeling sorry': 303061, 'sorry nba': 786068, 'player living': 659316, 'paycheck right': 645305, 'making around': 510967, '00 yr': 627, 'yr dying': 1027016, 'so police': 778039, 'driver nurse': 259661, 'doctor etc': 250903, 'ru serious feeling': 726896, 'serious feeling sorry': 751381, 'feeling sorry nba': 303063, 'sorry nba player': 786069, 'nba player living': 553210, 'player living paycheck': 659317, 'to paycheck right': 911583, 'paycheck right now': 645306, 'employee making around': 274028, 'making around 25': 510968, 'around 25 00': 93133, '25 00 yr': 15797, '00 yr dying': 628, 'yr dying from': 1027017, '19 so police': 10650, 'so police officer': 778040, 'bus driver nurse': 143021, 'driver nurse doctor': 259663, 'nurse doctor etc': 577291, 'ion': 444445, 'coronacrunch': 204922, 'analysis based': 57022, 'on experience': 600678, 'experience around': 291317, 'world ion': 1009680, 'ion consumer': 444446, 'coronavirus useful': 207004, 'chain planner': 170991, 'planner for': 658494, 'consumer adjusting': 196033, 'normal coronacrunch': 567123, 'coronacrunch supplychain': 204923, 'analysis based on': 57023, 'based on experience': 111677, 'on experience around': 600679, 'experience around the': 291318, 'the world ion': 871898, 'world ion consumer': 1009681, 'ion consumer demand': 444447, 'demand change due': 235127, 'to coronavirus useful': 903571, 'coronavirus useful insight': 207005, 'useful insight for': 950173, 'insight for supply': 439541, 'supply chain planner': 825005, 'chain planner for': 170992, 'planner for consumer': 658495, 'for consumer adjusting': 320237, 'consumer adjusting to': 196034, 'new normal coronacrunch': 559150, 'normal coronacrunch supplychain': 567124, 'coronacrunch supplychain retail': 204924, 'luluguinness': 506655, 'storeopening': 811745, 'coventgarden': 212171, 'new london': 559064, 'london flagship': 501064, 'tomorrow though': 924206, 'ha cancelled': 370050, 'cancelled planned': 161162, 'planned event': 658448, 'precaution in': 669322, 'place luluguinness': 657564, 'luluguinness storeopening': 506656, 'storeopening london': 811746, 'london coventgarden': 501051, 'coventgarden retailnews': 212172, 'retailnews retail': 719526, 'retail fashionnews': 718112, 'fashionnews http': 299889, 'will open it': 994347, 'open it new': 612342, 'it new london': 459790, 'new london flagship': 559065, 'london flagship store': 501065, 'flagship store tomorrow': 309968, 'store tomorrow though': 810900, 'tomorrow though it': 924207, 'though it ha': 892838, 'it ha cancelled': 458382, 'ha cancelled planned': 370051, 'cancelled planned event': 161163, 'planned event and': 658449, 'event and ha': 284945, 'and ha put': 64083, 'ha put safety': 371602, 'put safety precaution': 690802, 'safety precaution in': 730685, 'precaution in place': 669323, 'in place luluguinness': 426745, 'place luluguinness storeopening': 657565, 'luluguinness storeopening london': 506657, 'storeopening london coventgarden': 811747, 'london coventgarden retailnews': 501052, 'coventgarden retailnews retail': 212173, 'retailnews retail fashionnews': 719527, 'retail fashionnews http': 718113, 'proteinbars': 685898, 'pile healthy': 656500, 'healthy delicious': 387574, 'delicious protein': 233024, 'bar cooky': 110698, 'cooky that': 202972, 'sale not': 732370, 'sale stayhealthy': 732549, 'stayhealthy healthyeating': 797900, 'healthyeating proteinbars': 387836, 'proteinbars healthy': 685899, 'healthy coronacrisis': 387564, 'coronacrisis performance': 204705, 'performance protein': 651464, 'bar box': 110683, 'stock pile healthy': 802631, 'pile healthy delicious': 656501, 'healthy delicious protein': 387575, 'delicious protein bar': 233025, 'protein bar cooky': 685880, 'bar cooky that': 110699, 'cooky that are': 202973, 'on sale not': 603270, 'sale not toiletpaper': 732372, 'not toiletpaper sale': 572215, 'toiletpaper sale stayhealthy': 922433, 'sale stayhealthy healthyeating': 732550, 'stayhealthy healthyeating proteinbars': 797901, 'healthyeating proteinbars healthy': 387837, 'proteinbars healthy coronacrisis': 685900, 'healthy coronacrisis performance': 387565, 'coronacrisis performance protein': 204706, 'performance protein bar': 651465, 'protein bar box': 685879, 'bar box of': 110684, 'leave mark': 484862, 'work shop': 1005717, 'socialize perhaps': 781027, 'perhaps permanently': 651629, 'permanently shifting': 652110, 'way many': 969693, 'many service': 514683, 'industry operate': 436031, 'pandemic is almost': 635756, 'is almost sure': 445506, 'almost sure to': 46746, 'sure to leave': 827770, 'to leave mark': 909154, 'leave mark on': 484863, 'people work shop': 650509, 'work shop and': 1005718, 'shop and socialize': 759867, 'and socialize perhaps': 71913, 'socialize perhaps permanently': 781028, 'perhaps permanently shifting': 651630, 'permanently shifting the': 652111, 'shifting the way': 758558, 'the way many': 871164, 'way many service': 969694, 'many service industry': 514684, 'service industry operate': 752500, 'barrons': 111379, 'could wipe': 209830, 'out entire': 626016, 'ha barrons': 369660, 'barrons every': 111380, 'every heard': 285926, 'demand yes': 236529, 'business may': 144035, 'may fail': 521174, 'fail but': 296089, 'the could wipe': 852010, 'could wipe out': 209832, 'wipe out entire': 996348, 'out entire industry': 626017, 'entire industry ha': 278689, 'industry ha barrons': 435861, 'ha barrons every': 369661, 'barrons every heard': 111381, 'every heard about': 285927, 'heard about supply': 388052, 'and demand yes': 61181, 'demand yes many': 236530, 'yes many business': 1015482, 'many business may': 513847, 'business may fail': 144037, 'may fail but': 521175, 'fail but consumer': 296090, 'demand will see': 236505, 'will see new': 994787, 'see new one': 745480, 'new one take': 559203, 'one take their': 607153, 'take their place': 832690, 'their place that': 874314, 'place that how': 657713, 'that how capitalism': 844379, 'alarmingly': 40710, 'received small': 703681, 'supermarket order': 821841, 'make do': 509847, 'more alarmingly': 538578, 'alarmingly the': 40711, 'delivery man': 234169, 'man used': 512285, 'used no': 949971, 'no bag': 563653, 'bag so': 108404, 'he handled': 385066, 'handled every': 376306, 'single item': 771315, 'or protective': 616728, 'gear how': 344956, 'stop spread': 805052, 'just received small': 469578, 'received small supermarket': 703682, 'small supermarket order': 775143, 'supermarket order no': 821842, 'order no loo': 618415, 'loo roll kitchen': 502186, 'roll kitchen towel': 725368, 'kitchen towel etc': 475764, 'towel etc etc': 927322, 'etc etc but': 282517, 'etc but we': 282451, 'will make do': 994077, 'make do more': 509849, 'do more alarmingly': 249595, 'more alarmingly the': 538579, 'alarmingly the delivery': 40712, 'the delivery man': 853068, 'delivery man used': 234170, 'man used no': 512286, 'used no bag': 949972, 'no bag so': 563654, 'bag so he': 108405, 'so he handled': 777276, 'he handled every': 385068, 'handled every single': 376307, 'every single item': 286186, 'single item of': 771317, 'item of shopping': 463495, 'of shopping with': 589674, 'shopping with no': 764440, 'no glove or': 564358, 'glove or protective': 352844, 'or protective gear': 616730, 'protective gear how': 685755, 'gear how doe': 344957, 'this help stop': 887898, 'help stop spread': 390589, 'stop spread covid': 805053, 'cautioned': 168192, 'for anybody': 319430, 'supply relax': 825757, 'relax we': 708838, 'great it': 362777, 'pas president': 643139, 'president cautioned': 670779, 'cautioned against': 168195, 'against stockpiling': 37632, 'stockpiling of': 804033, 'urged american': 948253, 'need for anybody': 554826, 'for anybody in': 319431, 'anybody in the': 80096, 'country to hoard': 211165, 'hoard essential food': 398780, 'essential food supply': 281051, 'food supply relax': 316985, 'supply relax we': 825758, 'relax we re': 708839, 'doing great it': 252429, 'great it all': 362778, 'it all will': 456388, 'all will pas': 45471, 'will pas president': 994379, 'pas president cautioned': 643140, 'president cautioned against': 670780, 'cautioned against stockpiling': 168196, 'against stockpiling of': 37633, 'stockpiling of food': 804035, 'food and urged': 313376, 'and urged american': 74761, 'urged american to': 948254, 'american to remain': 52270, 'remain calm amid': 709711, 'in philadelphia': 426681, 'philadelphia or': 654696, 'another part': 77753, 'of pennsylvania': 587863, 'pennsylvania while': 646591, 'distancing you': 247669, 'still enjoy': 800492, 'favorite drink': 300511, 'drink with': 258907, 'state store': 795952, 'only offering': 610847, 'limited online': 492686, 're in philadelphia': 698880, 'in philadelphia or': 426684, 'philadelphia or another': 654697, 'or another part': 614328, 'another part of': 77754, 'part of pennsylvania': 642371, 'of pennsylvania while': 587864, 'pennsylvania while social': 646592, 'social distancing you': 779776, 'distancing you can': 247670, 'can still enjoy': 159772, 'still enjoy your': 800494, 'enjoy your favorite': 277212, 'your favorite drink': 1023824, 'favorite drink with': 300512, 'drink with the': 258908, 'the state store': 867810, 'state store closed': 795953, 'store closed and': 807056, 'closed and only': 182993, 'and only offering': 68145, 'only offering limited': 610849, 'offering limited online': 595177, 'limited online sale': 492687, 'ironic that': 444939, 'warming could': 966903, 'actually save': 30942, 'get hot': 347258, 'hot soon': 405047, 'all start': 44423, 'start christmas': 794253, 'christmas holiday': 178179, 'holiday shopping': 400354, 'it finished': 458018, 'finished by': 307894, 'on december': 600239, 'december cruise': 230753, 'ironic that global': 444940, 'that global warming': 844019, 'global warming could': 352291, 'warming could actually': 966904, 'could actually save': 208794, 'actually save all': 30943, 'save all hope': 737466, 'all hope it': 43144, 'hope it get': 403515, 'it get hot': 458220, 'get hot soon': 347261, 'hot soon and': 405048, 'soon and wipe': 785624, 'and wipe out': 75739, 'wipe out this': 996352, 'out this covid': 627562, 'let all start': 486571, 'all start christmas': 44424, 'start christmas holiday': 794254, 'christmas holiday shopping': 178180, 'holiday shopping online': 400356, 'online now and': 608590, 'now and have': 574036, 'have it finished': 381148, 'it finished by': 458019, 'finished by the': 307895, 'april 2020 see': 83473, '2020 see you': 14590, 'see you all': 746100, 'you all on': 1016897, 'all on december': 43739, 'on december cruise': 600240, 'consumerlaw': 199724, '19 consumerlaw': 5999, 'consumerlaw consumerprotection': 199725, 'consumerprotection nclc': 199747, 'consumer protection measure': 198545, 'protection measure implemented': 685529, 'implemented to date': 418492, 'date in response': 226657, 'covid 19 consumerlaw': 212844, '19 consumerlaw consumerprotection': 6000, 'consumerlaw consumerprotection nclc': 199726, 'dataismoreexpensivethanrentnow': 226535, 'reduceinternetpricesnow': 706225, 'implement request': 418418, 'negotiate with': 556917, 'reduce internet': 705861, 'under this': 940355, '19 reduceinternetprices': 10021, 'reduceinternetprices dataismoreexpensivethanrentnow': 706217, 'dataismoreexpensivethanrentnow reduceinternetpricesnow': 226536, 'implement request to': 418419, 'request to negotiate': 713216, 'to negotiate with': 910534, 'negotiate with the': 556918, 'with the telco': 1001514, 'telco to reduce': 836658, 'to reduce internet': 913028, 'reduce internet price': 705862, 'internet price now': 441990, 'price now under': 675386, 'now under this': 576252, 'under this pandemic': 940356, 'this pandemic covid': 889380, 'covid 19 reduceinternetprices': 213672, '19 reduceinternetprices dataismoreexpensivethanrentnow': 10022, 'reduceinternetprices dataismoreexpensivethanrentnow reduceinternetpricesnow': 706218, 'in dagenham': 421957, 'dagenham east': 224468, 'early due': 264582, 'demand came': 235098, 'for have': 322125, 'food tonight': 317329, 'have avoided': 379387, 'avoided if': 105415, 'knew people': 476066, 'would ram': 1012150, 'ram the': 696325, 'in dagenham east': 421958, 'dagenham east london': 224469, 'east london ha': 265325, 'london ha shut': 501083, 'ha shut up': 371932, 'up shop early': 945977, 'shop early due': 760125, 'early due to': 264583, 'high demand came': 394995, 'demand came out': 235099, 'came out for': 157045, 'out for have': 626127, 'for have no': 322127, 'no food tonight': 564280, 'food tonight but': 317330, 'tonight but would': 924388, 'but would have': 147946, 'would have avoided': 1011868, 'have avoided if': 379388, 'avoided if knew': 105416, 'if knew people': 414360, 'knew people would': 476068, 'people would ram': 650542, 'would ram the': 1012151, 'ram the place': 696326, 'place up stay': 657795, 'up stay at': 946062, 'you please send': 1020364, 'please send message': 660464, 'local store who': 498486, 'store who feel': 811301, 'current and increase': 221094, 'increase price on': 433010, 'it total': 461813, 'is empty': 447479, 'know it total': 476546, 'it total panic': 461815, 'total panic when': 926223, 'panic when even': 638776, 'when even the': 983386, 'even the vegan': 284669, 'vegan section of': 953885, 'store is empty': 808488, 'folk using': 312287, 'using computer': 950429, 'computer are': 192729, 'scam right': 740338, 'with older': 999866, 'older folk': 598601, 'folk you': 312323, 'recommend they': 704719, 'they subscribe': 883495, 'ftc blog': 339386, 'elderly folk using': 270678, 'folk using computer': 312288, 'using computer are': 950430, 'computer are extremely': 192730, 'vulnerable to scam': 961227, 'to scam right': 913868, 'scam right now': 740339, 'now please share': 575551, 'share this link': 755287, 'this link with': 888651, 'link with older': 493971, 'with older folk': 999867, 'older folk you': 598603, 'folk you know': 312324, 'know and recommend': 476256, 'and recommend they': 70052, 'recommend they subscribe': 704720, 'they subscribe to': 883496, 'subscribe to the': 815857, 'the ftc blog': 855926, 'ftc blog at': 339387, 'it gave': 458204, 'gave chance': 344612, 'to slowly': 914746, 'slowly do': 774589, 'shop australia': 759965, 'elderly an': 270565, 'though it wa': 892845, 'wa just for': 962457, 'just for hour': 468749, 'for hour it': 322395, 'hour it gave': 405712, 'it gave chance': 458205, 'gave chance to': 344613, 'chance to slowly': 171818, 'to slowly do': 914747, 'slowly do our': 774590, 'do our shop': 249950, 'our shop australia': 624748, 'shop australia ha': 759966, 'australia ha given': 103293, 'ha given the': 370715, 'given the elderly': 351135, 'the elderly an': 854105, 'elderly an hour': 270566, 'the morning to': 860920, 'morning to do': 541508, 'shopping so they': 763930, 'they can avoid': 881614, 'can avoid panic': 157559, 'buying caused by': 150104, 'hygienically': 412239, 'food hygienically': 314880, 'hygienically cooked': 412240, 'is supplied': 452465, 'supplied everyday': 824458, 'everyday regular': 286617, 'regular cleaning': 707749, 'cleaning disinfecting': 180935, 'disinfecting is': 245856, 'camp clean': 157172, 'clean hygienic': 180565, 'hygienic such': 412231, 'such measure': 816634, 'measure will': 525431, 'contained from': 200519, 'from further': 335589, 'further spread': 342168, 'there is sufficient': 878636, 'is sufficient stock': 452440, 'of food hygienically': 583715, 'food hygienically cooked': 314881, 'hygienically cooked food': 412241, 'cooked food is': 202814, 'food is supplied': 315156, 'is supplied everyday': 452466, 'supplied everyday regular': 824459, 'everyday regular cleaning': 286618, 'regular cleaning disinfecting': 707750, 'cleaning disinfecting is': 180937, 'disinfecting is carried': 245857, 'is carried out': 446393, 'keep the camp': 472028, 'the camp clean': 850300, 'camp clean hygienic': 157173, 'clean hygienic such': 180566, 'hygienic such measure': 412232, 'such measure will': 816635, 'measure will ensure': 525432, 'that the spread': 846837, 'of is contained': 585316, 'is contained from': 446805, 'contained from further': 200520, 'from further spread': 335590, 'follow kindness': 312439, 'kindness stoppanicbuying': 475223, 'and have announced': 64222, 'have announced special': 379281, 'announced special opening': 77039, 'special opening time': 788011, 'the vulnerable share': 870994, 'vulnerable share with': 961160, 'with your patient': 1002219, 'your patient just': 1025234, 'patient just need': 644202, 'just need and': 469302, 'need and all': 554415, 'supermarket to follow': 823372, 'to follow kindness': 906053, 'follow kindness stoppanicbuying': 312440, 'been sudden': 122095, 'rapid drop': 696910, 'contacted business': 200316, 'there been sudden': 878234, 'been sudden and': 122096, 'sudden and rapid': 816986, 'and rapid drop': 69936, 'rapid drop in': 696911, 'drop in business': 260227, 'consumer activity due': 196020, 'we have contacted': 971781, 'have contacted business': 380090, 'contacted business around': 200317, 'uk to understand': 938830, 'understand how this': 940652, 'this is affecting': 888166, 'affecting them this': 34581, 'bravo for': 138296, 'employee business': 273687, 'bravo for doing': 138297, 'thing by your': 884217, 'customer and your': 222107, 'and your employee': 76072, 'your employee business': 1023653, 'employee business take': 273689, 'business take notice': 144461, 'hand especially': 374914, 'or back': 614473, 'back 21dayslockdown': 106817, '21dayslockdown corona': 15117, 'corona stayhomestaysafe': 204199, 'those hand especially': 892043, 'hand especially if': 374915, 'store or back': 809314, 'or back 21dayslockdown': 614474, 'back 21dayslockdown corona': 106818, '21dayslockdown corona stayhomestaysafe': 15118, 'parkwestvillage': 642147, 'got newly': 358737, 'newly updated': 560122, 'updated info': 947386, 'amazing tenant': 50796, 'tenant check': 837834, 'below parkwestvillage': 126703, 'parkwestvillage bettertogether': 642148, 've got newly': 953190, 'got newly updated': 358738, 'newly updated info': 560123, 'updated info about': 947387, 'info about online': 437406, 'food delivery at': 314108, 'home entertainment and': 401146, 'entertainment and more': 278551, 'and more being': 67151, 'more being provided': 538713, 'being provided by': 125591, 'provided by our': 686575, 'by our amazing': 153476, 'our amazing tenant': 622064, 'amazing tenant check': 50797, 'tenant check it': 837835, 'it out at': 460174, 'link below parkwestvillage': 493803, 'below parkwestvillage bettertogether': 126704, 'harvard': 378599, 'cainiao': 155196, 'harvard business': 378600, 'business review': 144335, 'review talk': 720587, 'how cainiao': 407487, 'cainiao support': 155197, 'merchant with': 529056, 'digital technology': 242660, 'connect the': 194622, 'offline shopping': 596053, 'harvard business review': 378601, 'business review talk': 144336, 'review talk about': 720588, 'about how cainiao': 25424, 'how cainiao support': 407488, 'cainiao support the': 155198, 'support the supply': 826887, 'of the merchant': 591236, 'the merchant with': 860495, 'merchant with digital': 529057, 'with digital technology': 998033, 'digital technology to': 242661, 'technology to connect': 836389, 'to connect the': 903209, 'connect the online': 194624, 'the online and': 862265, 'and offline shopping': 68004, 'offline shopping world': 596055, 'shopping world in': 764468, 'out lol': 626517, 'lol yesterday': 500979, 'yesterday couldn': 1015707, 'couldn wait': 209937, 'supermarket going': 820536, 'crazy with': 215487, 'kid screaming': 474103, 'screaming 24': 742654, 'now you know': 576512, 'know where people': 477015, 'hang out lol': 376937, 'out lol yesterday': 626518, 'lol yesterday couldn': 500980, 'yesterday couldn wait': 1015708, 'couldn wait for': 209938, 'wait for my': 964118, 'husband to come': 411771, 'come home so': 187348, 'home so could': 402082, 'so could take': 776809, 'take break and': 831995, 'break and go': 138676, 'the supermarket going': 868612, 'supermarket going crazy': 820538, 'going crazy with': 355103, 'crazy with kid': 215488, 'with kid screaming': 999146, 'kid screaming 24': 474104, 'calculator will': 155365, 'last factor': 480205, 'factor average': 295872, 'average number': 104872, 'wipe per': 996359, 'per trip': 651058, 'per wipe': 651080, 'wipe sheet': 996365, 'this online toilet': 889266, 'paper calculator will': 640002, 'calculator will tell': 155366, 'tell you just': 837149, 'you just how': 1019425, 'just how long': 468999, 'will last factor': 993941, 'last factor average': 480206, 'factor average number': 295873, 'average number of': 104873, 'number of wipe': 577017, 'of wipe per': 593196, 'wipe per trip': 996360, 'per trip sheet': 651059, 'trip sheet per': 932152, 'sheet per wipe': 756618, 'per wipe sheet': 651081, 'wipe sheet on': 996366, 'sheet on roll': 756612, 'on roll people': 603218, 'roll people in': 725473, 'in house toiletpaper': 423856, 'house toiletpaper calculator': 406639, 'city will': 179462, 'use emergency': 949188, 'power where': 667734, 'where needed': 985049, 'needed watching': 556573, 'watching price': 968780, 'supply yegcc': 826138, 'laughlin say the': 481835, 'the city will': 850967, 'city will only': 179464, 'will only use': 994336, 'only use emergency': 611408, 'use emergency power': 949189, 'emergency power where': 272891, 'power where needed': 667735, 'where needed watching': 985050, 'needed watching price': 556574, 'watching price on': 968782, 'essential supply yegcc': 281634, 'supply yegcc yeg': 826139, 'declare food': 231182, 'manufacturing staff': 513662, 'industry maintain': 435979, 'supply particularly': 825703, 'when school': 983962, 'shut prompting': 767919, 'prompting even': 683958, 'on to declare': 604730, 'to declare food': 904004, 'declare food manufacturing': 231183, 'food manufacturing staff': 315381, 'manufacturing staff key': 513663, 'help our industry': 390233, 'our industry maintain': 623536, 'industry maintain food': 435980, 'food supply particularly': 316979, 'supply particularly when': 825704, 'particularly when school': 642732, 'when school shut': 983964, 'school shut prompting': 741924, 'shut prompting even': 767920, 'prompting even higher': 683959, 'even higher demand': 284181, 'higher demand from': 395576, 'consumerfinance': 199674, 'icymi issue': 412887, 'issue consumerfinance': 455711, 'consumerfinance guidance': 199675, 'guidance extends': 368222, 'extends license': 293257, 'license renewal': 488154, 'renewal deadline': 710999, 'deadline read': 229232, 'more flapol': 539217, 'icymi issue consumerfinance': 412888, 'issue consumerfinance guidance': 455712, 'consumerfinance guidance extends': 199676, 'guidance extends license': 368223, 'extends license renewal': 293258, 'license renewal deadline': 488155, 'renewal deadline read': 711000, 'deadline read more': 229233, 'read more flapol': 700433, 'russia deal': 728458, 'industry my': 435999, 'too energy': 924707, 'energy oilprices': 276524, 'there an opec': 877993, 'an opec russia': 56652, 'opec russia deal': 611961, 'russia deal on': 728459, 'for the energy': 326411, 'energy industry my': 276478, 'industry my discussion': 436000, 'my discussion on': 547998, 'discussion on friday': 245035, 'friday and too': 333197, 'and too energy': 74271, 'too energy oilprices': 924708, 'interviewing hand': 442298, 'interviewing hand sanitizer': 442299, 'sanitizer in 2020': 735124, 'in 2020 19': 419815, 'disunited': 248435, 'truthhurts': 934421, 'state fighting': 795580, 'fighting disunited': 305055, 'disunited battle': 248436, 'against state': 37627, 'equipment federal': 279720, 'govt leaving': 361181, 'leaving state': 485135, 'price america': 672305, 'america no': 51625, 'longer an': 501916, 'to truthhurts': 917808, 'truthhurts usacoronavirus': 934422, 'united state fighting': 942215, 'state fighting disunited': 795581, 'fighting disunited battle': 305056, 'disunited battle against': 248437, 'battle against state': 112776, 'against state bidding': 37628, 'state bidding against': 795424, 'other for medical': 620258, 'medical equipment federal': 526150, 'equipment federal govt': 279721, 'federal govt leaving': 302009, 'govt leaving state': 361182, 'leaving state to': 485136, 'state to drive': 796017, 'up price america': 945804, 'price america no': 672306, 'america no longer': 51626, 'no longer an': 564632, 'longer an example': 501917, 'an example to': 55909, 'example to look': 288991, 'up to truthhurts': 946440, 'to truthhurts usacoronavirus': 917809, 'we moaned': 972385, 'school run': 741908, 'the commute': 851305, 'commute and': 190263, 'weather we': 974914, 'up went': 946560, 'non emergency': 566326, 'and cleaner': 59939, 'were surely': 980205, 'surely not': 827920, 'came keyworker': 157025, 'we moaned about': 972386, 'moaned about the': 534895, 'about the school': 26512, 'the school run': 866491, 'school run the': 741910, 'run the commute': 727822, 'the commute and': 851306, 'commute and the': 190264, 'the weather we': 871259, 'weather we were': 974915, 'we were too': 973817, 'were too busy': 980283, 'too busy to': 924625, 'busy to meet': 144998, 'to meet up': 910064, 'meet up went': 527647, 'up went to': 946561, 'went to for': 979151, 'to for non': 906148, 'for non emergency': 323899, 'non emergency and': 566327, 'emergency and cleaner': 272597, 'and cleaner supermarket': 59943, 'driver were surely': 259849, 'were surely not': 980206, 'surely not our': 827921, 'not our hero': 570858, 'our hero and': 623421, 'hero and then': 393933, 'virus came keyworker': 958029, 'it sell': 460965, 'minute wa': 533890, 'chicken butter': 175763, 'butter etc': 148143, 'etc grocery': 282573, 'food foodshortages': 314503, 'foodshortages hoarding': 318142, 'hoarding shopping': 399518, 'this morning hoping': 888969, 'morning hoping to': 541299, 'hoping to get': 403952, 'paper the manager': 640875, 'me that it': 523618, 'that it sell': 844741, 'it sell out': 460966, 'sell out within': 748845, 'out within minute': 627878, 'within minute wa': 1002390, 'minute wa lucky': 533891, 'wa lucky to': 962607, 'to get but': 906431, 'get but still': 346724, 'but still no': 147174, 'still no egg': 800866, 'no egg chicken': 564090, 'egg chicken butter': 269823, 'chicken butter etc': 175764, 'butter etc grocery': 148144, 'etc grocery toiletpaper': 282574, 'grocery toiletpaper store': 366068, 'toiletpaper store food': 922553, 'store food foodshortages': 807767, 'food foodshortages hoarding': 314504, 'foodshortages hoarding shopping': 318143, 'hygiene company': 412069, 'company rb': 191001, 'rb launched': 698057, 'it rb': 460604, 'rb fight': 698055, 'access fund': 28136, 'fund under': 341532, 'which 32': 985637, '32 million': 17680, 'urgent collective': 948332, 'collective fight': 186503, 'and hygiene company': 64903, 'hygiene company rb': 412070, 'company rb launched': 191002, 'rb launched it': 698058, 'launched it rb': 482006, 'it rb fight': 460605, 'rb fight for': 698056, 'fight for access': 304733, 'for access fund': 318994, 'access fund under': 28137, 'fund under which': 341533, 'under which 32': 940386, 'which 32 million': 985638, '32 million will': 17681, 'million will be': 532422, 'address the urgent': 32046, 'the urgent collective': 870529, 'urgent collective fight': 948333, 'collective fight against': 186504, 'wordstoliveby': 1004636, 'can wordstoliveby': 160237, 'wordstoliveby stophoarding': 1004637, '19 positivity': 9757, 'positivity streetart': 665516, 'streetart stayathome': 813195, 'need give what': 554906, 'give what you': 350835, 'you can wordstoliveby': 1017836, 'can wordstoliveby stophoarding': 160238, 'wordstoliveby stophoarding corona': 1004638, 'stophoarding corona 19': 805374, 'corona 19 positivity': 203781, '19 positivity streetart': 9758, 'positivity streetart stayathome': 665517, 'whistleblower': 987803, 'the upmarket': 870501, 'upmarket supermarket': 947609, 'pay back': 644768, 'back time': 107343, 'time taken': 897798, 'off whistleblower': 594383, 'whistleblower told': 987804, 'the sunday': 868416, 'sunday national': 818241, 'at the upmarket': 101137, 'the upmarket supermarket': 870502, 'upmarket supermarket have': 947610, 'been told they': 122245, 'told they will': 923736, 'to pay back': 911516, 'pay back time': 644770, 'back time taken': 107344, 'time taken off': 897799, 'taken off whistleblower': 833041, 'off whistleblower told': 594384, 'whistleblower told the': 987805, 'told the sunday': 923709, 'the sunday national': 868417, 'getthefuckawayfromme': 348811, 'more practice': 540116, 'practice on': 668620, 'socialdistancing mean': 780525, 'mean getthefuckawayfromme': 524461, 'today also many': 919175, 'also many need': 48517, 'many need more': 514333, 'need more practice': 555262, 'more practice on': 540117, 'practice on what': 668622, 'on what socialdistancing': 605241, 'what socialdistancing mean': 982209, 'socialdistancing mean getthefuckawayfromme': 780526, 'reevaluate': 706463, 'an indicator': 56277, 'value think': 952217, 'the 100k': 847864, '100k job': 2168, 'people told': 649981, 'home pharmacist': 401853, 'pharmacist orderly': 654161, 'orderly supermarket': 619061, 'worker post': 1007611, 'post worker': 666414, 'worker care': 1006603, 'risk still': 723908, 'much maybe': 545075, 'maybe reevaluate': 521785, 'reevaluate what': 706464, 'what we spend': 982566, 'we spend money': 973349, 'spend money on': 788635, 'money on is': 536933, 'on is an': 601628, 'is an indicator': 445674, 'an indicator of': 56278, 'indicator of what': 435050, 'what we value': 982567, 'we value think': 973630, 'value think of': 952218, 'of the 100k': 590759, 'the 100k job': 847865, '100k job of': 2169, 'job of people': 466036, 'of people told': 588008, 'people told to': 649983, 'stay home pharmacist': 796994, 'home pharmacist orderly': 401854, 'pharmacist orderly supermarket': 654162, 'orderly supermarket worker': 619062, 'supermarket worker post': 824073, 'worker post worker': 1007612, 'post worker care': 666415, 'worker care worker': 1006604, 'care worker people': 164298, 'worker people at': 1007556, 'at risk still': 100403, 'risk still working': 723909, 'working but do': 1008544, 'not make much': 570499, 'make much maybe': 510209, 'much maybe reevaluate': 545077, 'maybe reevaluate what': 521786, 'reevaluate what we': 706465, 'bare is': 110910, 'happy her': 377630, 'cereal will': 169947, 'hug to the': 409962, 'to the mom': 916883, 'the mom pop': 860738, 'neighbour who doesn': 557256, 'are bare is': 84773, 'bare is so': 110911, 'so happy her': 777241, 'happy her cereal': 377631, 'her cereal will': 391927, 'cereal will now': 169948, 'will now taste': 994303, 'bare at': 110865, 'walmart but': 965287, 'but smart': 147069, 'smart shopper': 775419, 'still feed': 800520, 'cheap too': 174217, 'making meal': 511209, 'meal during': 524137, 'lot of shelf': 504276, 'of shelf are': 589577, 'are bare at': 84763, 'bare at publix': 110866, 'at publix and': 100222, 'publix and walmart': 688746, 'and walmart but': 75157, 'walmart but smart': 965288, 'but smart shopper': 147070, 'smart shopper can': 775420, 'shopper can still': 761450, 'can still feed': 159774, 'still feed themselves': 800521, 'feed themselves and': 302393, 'family and do': 297586, 'do it cheap': 249468, 'it cheap too': 457117, 'cheap too here': 174218, 'too here are': 924781, 'tip on shopping': 898861, 'on shopping and': 603438, 'shopping and making': 761999, 'and making meal': 66594, 'making meal during': 511210, 'meal during the': 524138, 'worker stocker': 1007828, 'grateful staysafe': 362304, 'store worker stocker': 811589, 'worker stocker and': 1007829, 'stocker and truck': 803493, 'eternally grateful staysafe': 282938, 'grateful staysafe stayhomechallenge': 362305, 'schiff': 741604, 'join today': 466890, 'supporting feeding': 827132, 'neighbor during': 557003, '19 watch': 11909, 'watch food': 968409, 'andrew schiff': 76196, 'schiff talk': 741607, 'join today in': 466892, 'today in supporting': 919695, 'in supporting feeding': 428740, 'supporting feeding our': 827133, 'feeding our neighbor': 302470, 'our neighbor during': 624006, 'neighbor during covid': 557004, 'covid 19 watch': 214048, '19 watch food': 11910, 'watch food bank': 968410, 'bank ceo andrew': 109720, 'ceo andrew schiff': 169651, 'andrew schiff talk': 76197, 'schiff talk about': 741608, 'about the increased': 26423, 'are facing and': 86405, 'facing and what': 295403, 'quick profit': 694347, 'shown how many': 767590, 'many supermarket good': 514761, 'supermarket good are': 820542, 'good are sold': 356774, 'are sold by': 90247, 'sold by local': 781653, 'by local shop': 153080, 'local shop for': 498400, 'shop for quick': 760198, 'for quick profit': 324916, 'another pointless': 77765, 'pointless supermarket': 662776, 'another pointless supermarket': 77766, 'pointless supermarket trip': 662777, 'supermarket trip this': 823553, 'this is shameful': 888396, 'is shameful stophoarding': 451828, 'shameful stophoarding panicbuyinguk': 754703, 'opinion today': 613508, 'today confidence': 919396, 'is waning': 453749, 'waning what': 965592, 'for november': 323952, 'november freefall': 573856, 'freefall in': 332408, 'confidence adapting': 193802, 'house press': 406465, 'conference the': 193763, 'the suburban': 868368, 'suburban vote': 816146, 'vote amplifier': 960462, 'amplifier much': 54899, 'opinion today confidence': 613509, 'today confidence in': 919397, 'confidence in trump': 193902, 'in trump virus': 430308, 'trump virus response': 933954, 'virus response is': 958689, 'response is waning': 715746, 'is waning what': 453750, 'waning what this': 965593, 'mean for november': 524446, 'for november freefall': 323954, 'november freefall in': 573857, 'freefall in consumer': 332409, 'consumer confidence adapting': 196880, 'confidence adapting to': 193803, 'adapting to our': 31349, 'to our new': 911217, 'our new covid': 624026, '19 world how': 12187, 'world how to': 1009645, 'how to fix': 409023, 'fix the white': 309754, 'white house press': 987856, 'house press conference': 406467, 'press conference the': 671038, 'conference the suburban': 193764, 'the suburban vote': 868369, 'suburban vote amplifier': 816148, 'vote amplifier much': 960463, 'amplifier much more': 54900, 'resemblance': 714003, 'vengeance': 954466, 'any resemblance': 79751, 'resemblance between': 714004, 'between asset': 128724, 'price underlying': 677183, 'underlying fundamental': 940481, 'fundamental and': 341552, 'market level': 516684, 'gone however': 356303, 'however fear': 409370, 'price discovery': 673452, 'discovery will': 244739, 'with vengeance': 1001965, 'vengeance over': 954467, 'month dow': 537684, 'dow to': 256341, 'any resemblance between': 79752, 'resemblance between asset': 714005, 'between asset price': 128725, 'asset price underlying': 96463, 'price underlying fundamental': 677184, 'underlying fundamental and': 940482, 'fundamental and stock': 341553, 'stock market level': 802410, 'market level are': 516685, 'level are now': 487512, 'are now gone': 88554, 'now gone however': 574804, 'gone however fear': 356304, 'however fear price': 409371, 'fear price discovery': 301295, 'price discovery will': 673453, 'discovery will return': 244740, 'will return with': 994691, 'return with vengeance': 719952, 'with vengeance over': 1001966, 'vengeance over the': 954468, 'few month dow': 303928, 'month dow to': 537685, 'dow to 12': 256342, 'to 12 00': 899464, 'furthest': 342211, 'store changed': 806948, 'changed my': 172512, 'my reality': 549890, 'process it': 679918, 'the furthest': 856060, 'furthest thing': 342212, 'from denial': 335130, 'it safety': 460848, 'safety procedure': 730694, 'procedure wa': 679827, 'wa eerie': 962053, 'to go so': 906855, 'go so far': 354149, 'far to say': 298951, 'say the trip': 739309, 'the trip just': 869995, 'trip just took': 932107, 'just took to': 470134, 'the store changed': 867994, 'store changed my': 806949, 'changed my reality': 172514, 'my reality and': 549891, 'reality and need': 701699, 'and need some': 67480, 'need some time': 555600, 'time to process': 898033, 'to process it': 912174, 'process it have': 679919, 'it have been': 458501, 'been the furthest': 122162, 'the furthest thing': 856061, 'furthest thing from': 342213, 'thing from denial': 884345, 'from denial about': 335131, 'denial about this': 236936, 'about this pandemic': 26652, 'pandemic but seeing': 635054, 'but seeing grocery': 146992, '19 with all': 12123, 'with all it': 997153, 'all it safety': 43276, 'it safety procedure': 460849, 'safety procedure wa': 730696, 'procedure wa eerie': 679828, 'or under': 617586, 'lockdown can': 499224, 'can perform': 159218, 'usual routine': 951006, 'routine especially': 726507, 'behaviour ha been': 124434, 'forced to immediately': 328636, 'immediately change and': 417071, 'change and change': 171915, 'isolation or under': 455379, 'or under lockdown': 617588, 'under lockdown can': 940148, 'lockdown can perform': 499225, 'can perform their': 159219, 'perform their usual': 651418, 'their usual routine': 875105, 'usual routine especially': 951007, 'routine especially since': 726508, 'becomes latest': 120229, 'announce they': 76888, 're dedicating': 698508, 'dedicating early': 231762, '60 shopper': 20996, 'shopper amp': 761352, 'disabled roche': 243956, 'customer rt': 222778, 'alert friend': 41429, 'new becomes latest': 558384, 'becomes latest mass': 120230, 'to announce they': 900559, 'announce they re': 76889, 'they re dedicating': 883018, 're dedicating early': 698509, 'dedicating early hour': 231763, 'early hour to': 264618, 'to 60 shopper': 899791, '60 shopper amp': 20997, 'shopper amp the': 761353, 'amp the disabled': 54646, 'the disabled roche': 853334, 'disabled roche bros': 243957, 'to to those': 917601, 'those customer rt': 891911, 'customer rt to': 222779, 'rt to alert': 726834, 'to alert friend': 900224, 'seriously ridiculous': 751711, 'is seriously ridiculous': 451799, 'seriously ridiculous stop': 751712, 'hoarding you idiot': 399675, 'you idiot stoppanicbuying': 1019278, 'coronavirus continues': 205696, 'any fraud': 79248, 'fraud that': 331355, 'may arise': 520930, 'arise fbcnews': 92791, 'the coronavirus continues': 851821, 'coronavirus continues to': 205697, 'to grow the': 907041, 'grow the fijian': 367071, 'commission is on': 188850, 'alert for any': 41414, 'for any fraud': 319404, 'any fraud that': 79249, 'fraud that may': 331356, 'that may arise': 845072, 'may arise fbcnews': 520931, 'arise fbcnews fijinews': 92792, 'and masking up': 66773, 'masking up the': 519651, 'up the infection': 946184, 'in renewable': 427381, 'renewable generation': 710974, 'generation worked': 345655, 'of factory': 583372, 'lockdown caused': 499228, 'surge in renewable': 828206, 'in renewable generation': 427382, 'renewable generation worked': 710975, 'generation worked with': 345656, 'worked with low': 1006170, 'with low demand': 999331, 'low demand following': 505237, 'following the closure': 312876, 'closure of factory': 183963, 'of factory and': 583373, 'factory and workplace': 295924, 'the lockdown caused': 859590, 'lockdown caused by': 499229, 'deal these': 229501, 'stayhomesavelives stayhomecanada': 798454, 'stayhomecanada stayathome': 798257, 'such big deal': 816369, 'big deal these': 129744, 'deal these day': 229502, 'these day stayhomesavelives': 879893, 'day stayhomesavelives stayhomecanada': 228400, 'stayhomesavelives stayhomecanada stayathome': 798455, 'profite': 682935, 'incredibly busy': 433889, 'down hard': 256821, 'greedy stockpilers': 363612, 'stockpilers selling': 803887, 'selling online': 749377, 'online corner': 608056, 'price stockpiling': 676674, 'stockpiling profite': 804053, 'are incredibly busy': 87507, 'incredibly busy but': 433890, 'busy but please': 144878, 'but please come': 146795, 'please come down': 659797, 'come down hard': 187274, 'down hard on': 256822, 'hard on the': 377985, 'on the greedy': 604149, 'the greedy stockpilers': 856771, 'greedy stockpilers selling': 363613, 'stockpilers selling online': 803888, 'selling online corner': 749379, 'online corner shop': 608057, 'corner shop who': 203681, 'are selling hand': 89960, 'paper for ridiculous': 640184, 'ridiculous price stockpiling': 721599, 'price stockpiling profite': 676675, '17 since': 4383, 'and within': 75786, 'within travel': 1002452, 'airline spending': 40026, 'down fully': 256796, 'fully 25': 341018, 'travel spending is': 930516, 'spending is down': 788873, 'is down 17': 447339, 'down 17 since': 256380, '17 since the': 4384, 'outbreak in late': 628345, 'in late january': 424613, 'late january and': 480884, 'january and within': 464649, 'and within travel': 75787, 'within travel airline': 1002453, 'travel airline spending': 930244, 'airline spending is': 40027, 'is down fully': 447346, 'down fully 25': 256797, 'the coverage': 852225, 'merchandiser are': 528984, 'helping keep': 391367, 'frontline it great': 338770, 'see the coverage': 745820, 'the coverage in': 852226, 'team of merchandiser': 835741, 'of merchandiser are': 586440, 'merchandiser are helping': 528985, 'are helping keep': 87098, 'helping keep uk': 391370, 'the litter': 859482, 'litter box': 495201, 'box this': 137180, 'bad zero': 108095, 'used the litter': 950014, 'the litter box': 859483, 'litter box this': 495202, 'box this morning': 137181, 'morning not bad': 541380, 'not bad zero': 568328, 'bad zero toilet': 108096, 'accomadation': 28421, 'is friend': 447934, 'is returning': 451500, 'line shes': 493392, 'shes looking': 758098, 'for accomadation': 318998, 'accomadation short': 28422, 'her her': 392106, 'husband guard': 411701, 'guard her': 367804, 'son she': 785438, 'be hand': 115129, 'getting mad': 349108, 'mad high': 507543, 'get twitter': 348550, 'thing help': 884417, 'nurse who is': 577546, 'who is friend': 989075, 'is friend is': 447936, 'friend is returning': 333671, 'is returning to': 451502, 'front line shes': 338603, 'line shes looking': 493393, 'shes looking for': 758099, 'looking for accomadation': 502848, 'for accomadation short': 318999, 'accomadation short term': 28423, 'term for her': 838149, 'for her her': 322222, 'her her husband': 392107, 'her husband guard': 392121, 'husband guard her': 411702, 'guard her son': 367805, 'her son she': 392398, 'son she will': 785439, 'will be hand': 992485, 'be hand on': 115130, 'hand on with': 375147, '19 getting mad': 7206, 'getting mad high': 349109, 'mad high price': 507544, 'high price can': 395238, 'price can we': 673067, 'can we see': 160195, 'we see if': 973159, 'can get twitter': 158468, 'get twitter to': 348551, 'twitter to do': 936729, 'do it thing': 249517, 'it thing help': 461637, '0103641972': 733, 'atheletic': 101750, '0103641972 diamond': 734, 'diamond bank': 240321, 'then pay': 877411, 'pay electricity': 644839, 'buy drug': 148549, 'my atheletic': 547346, 'atheletic foot': 101751, '0103641972 diamond bank': 735, 'diamond bank will': 240322, 'bank will help': 110318, 'food for this': 314580, 'outbreak and then': 628014, 'and then pay': 73790, 'then pay electricity': 877412, 'pay electricity bill': 644840, 'electricity bill and': 271153, 'and buy drug': 59329, 'buy drug for': 148550, 'drug for my': 260955, 'for my atheletic': 323672, 'my atheletic foot': 547347, 'is natural': 449827, 'natural habit': 552838, 'habit shift': 372683, 'shift post': 758388, 'post epidemic': 666110, 'epidemic now': 279418, 'key time': 473425, 'consider upgrading': 195173, 'upgrading for': 947543, 'hygiene concept': 412071, 'concept with': 192878, 'spending power': 788956, 'power significantly': 667681, 'significantly higher': 769579, 'higher read': 395711, 'on organic': 602546, 'organic china': 619212, 'and hygiene is': 64906, 'hygiene is natural': 412113, 'is natural habit': 449829, 'natural habit shift': 552839, 'habit shift post': 372684, 'shift post epidemic': 758389, 'post epidemic now': 666111, 'epidemic now is': 279419, 'now is key': 575074, 'is key time': 449190, 'key time for': 473426, 'brand to consider': 138044, 'to consider upgrading': 903241, 'consider upgrading for': 195174, 'upgrading for health': 947544, 'for health and': 322146, 'and hygiene concept': 64904, 'hygiene concept with': 412072, 'concept with consumer': 192879, 'consumer spending power': 199083, 'spending power significantly': 788957, 'power significantly higher': 667682, 'significantly higher read': 769581, 'higher read on': 395712, 'read on organic': 700482, 'on organic china': 602547, 'resting': 716847, 'head if': 385748, 'more moron': 539806, 'moron wearing': 541645, 'wearing medical': 974731, 'medical gown': 526198, 'gown at': 361370, 'in dirty': 422281, 'clothes resting': 184200, 'resting on': 716848, 'losing my head': 503575, 'my head if': 548633, 'head if see': 385749, 'one more moron': 606691, 'more moron wearing': 539807, 'moron wearing medical': 541646, 'wearing medical gown': 974732, 'medical gown at': 526199, 'gown at the': 361371, 'in the pick': 429453, 'up line the': 945323, 'line the idea': 493452, 'around in dirty': 93343, 'in dirty clothes': 422282, 'dirty clothes resting': 243736, 'clothes resting on': 184201, 'resting on every': 716849, 'migratory': 531251, 'the depression': 853161, 'depression in': 237651, 'will reinforce': 994616, 'reinforce migratory': 708243, 'migratory pressure': 531252, 'europe but perhaps': 283412, 'but perhaps in': 146780, 'perhaps in slow': 651604, 'motion oil the': 543270, 'oil the depression': 597472, 'the depression in': 853162, 'depression in raw': 237652, 'in raw material': 427270, 'material price and': 520407, 'and the contagion': 73296, 'the contagion of': 851645, 'africa will reinforce': 35159, 'will reinforce migratory': 994617, 'reinforce migratory pressure': 708244, 'urging pennsylvania': 948438, 'pennsylvania governor': 646565, 'reconsider closing': 704877, 'all liquor': 43388, 'the council is': 852013, 'council is urging': 209995, 'is urging pennsylvania': 453606, 'urging pennsylvania governor': 948439, 'pennsylvania governor to': 646566, 'governor to reconsider': 361011, 'to reconsider closing': 912966, 'reconsider closing all': 704878, 'closing all liquor': 183575, 'all liquor store': 43389, 'liquor store retail': 494213, 'guestuest': 368186, 'while supporting': 987355, 'supporting black': 827108, 'black owned': 132110, 'owned holistic': 632341, 'holistic business': 400410, 'crisis introducing': 217555, 'introducing special': 443506, 'special guestuest': 787945, 'guestuest kimberly': 368187, 'kimberly johnson': 474774, 'johnson rn': 466616, 'rn via': 724347, 'blog post the': 133001, 'post the importance': 666351, 'importance of shopping': 418711, 'online while supporting': 609725, 'while supporting black': 987356, 'supporting black owned': 827109, 'black owned holistic': 132111, 'owned holistic business': 632342, 'holistic business in': 400411, 'business in wake': 143910, 'of 19 crisis': 579388, '19 crisis introducing': 6266, 'crisis introducing special': 217556, 'introducing special guestuest': 443507, 'special guestuest kimberly': 787946, 'guestuest kimberly johnson': 368188, 'kimberly johnson rn': 474775, 'johnson rn via': 466617, 'syndicated': 830992, 'received several': 703675, 'several brief': 753795, 'brief asking': 139664, 'consumer feeling': 197467, 'feeling and': 302962, 'behaviour relating': 124503, 'to rather': 912755, 'than repeat': 841078, 'repeat identical': 711522, 'identical study': 413311, 'study for': 814889, 'individual client': 435160, 'created syndicated': 215902, 'syndicated approach': 830993, 'approach londonlockdown': 82965, 'londonlockdown marketresearch': 501261, 'week we received': 977200, 'we received several': 973035, 'received several brief': 703676, 'several brief asking': 753796, 'brief asking to': 139665, 'asking to track': 96097, 'to track consumer': 917673, 'track consumer feeling': 928178, 'consumer feeling and': 197468, 'feeling and behaviour': 302963, 'and behaviour relating': 58853, 'behaviour relating to': 124504, 'relating to rather': 708655, 'to rather than': 912756, 'rather than repeat': 697544, 'than repeat identical': 841079, 'repeat identical study': 711523, 'identical study for': 413312, 'study for individual': 814890, 'for individual client': 322549, 'individual client we': 435161, 'client we created': 182127, 'we created syndicated': 971235, 'created syndicated approach': 215903, 'syndicated approach londonlockdown': 830994, 'approach londonlockdown marketresearch': 82966, 'nigeria government': 562744, 'petrol global': 653740, 'plummet litre': 661290, 'litre will': 495194, 'naira down': 551485, 'petroleum minister': 653823, 'nigeria government is': 562745, 'is to cut': 453191, 'of petrol global': 588078, 'petrol global crude': 653741, 'price plummet litre': 675907, 'plummet litre will': 661291, 'litre will cost': 495195, '125 naira down': 3074, 'naira down from': 551486, 'naira the petroleum': 551500, 'the petroleum minister': 863626, 'petroleum minister say': 653824, 'were checking': 979436, 'temperature not': 837383, 'not gun': 569762, 'gun tomorrow': 368753, 'tomorrow start': 924189, 'start gendered': 794309, 'gendered outing': 345264, 'outing only': 628990, 'only men': 610781, 'men tomorrow': 528540, 'then woman': 877772, 'sunday everyone': 818198, 'almost religious': 46731, 'at supermarket they': 100781, 'supermarket they were': 823297, 'they were checking': 883759, 'were checking temperature': 979437, 'checking temperature not': 174848, 'temperature not gun': 837384, 'not gun tomorrow': 569763, 'gun tomorrow start': 368754, 'tomorrow start gendered': 924190, 'start gendered outing': 794310, 'gendered outing only': 345265, 'outing only men': 628991, 'only men tomorrow': 610782, 'men tomorrow then': 528541, 'tomorrow then woman': 924199, 'then woman and': 877773, 'woman and so': 1003403, 'so on sunday': 777941, 'on sunday everyone': 603758, 'sunday everyone home': 818199, 'everyone home almost': 287016, 'home almost religious': 400589, 'youngest': 1022695, 'nearness': 553870, 'bodyguard': 133917, 'my youngest': 550669, 'youngest boy': 1022696, 'boy made': 137267, 'quick visit': 694419, 'or nearness': 616224, 'nearness and': 553871, 'lucky have': 506556, 'have bodyguard': 379817, 'bodyguard over': 133918, 'head but': 385722, 'scarf to': 741085, 'infection take': 436855, 'seriously staysafe': 751730, 'birthday to my': 131460, 'to my youngest': 910453, 'my youngest boy': 550670, 'youngest boy made': 1022697, 'boy made quick': 137268, 'made quick visit': 507936, 'quick visit and': 694420, 'visit and made': 959178, 'and made sure': 66509, 'made sure there': 507976, 'sure there no': 827728, 'there no contact': 878802, 'no contact or': 563890, 'contact or nearness': 200167, 'or nearness and': 616225, 'nearness and lucky': 553872, 'and lucky have': 66481, 'lucky have bodyguard': 506557, 'have bodyguard over': 379818, 'bodyguard over my': 133919, 'over my head': 630421, 'my head but': 548631, 'head but supermarket': 385723, 'but supermarket wa': 147223, 'of people without': 588029, 'glove or scarf': 352846, 'or scarf to': 616977, 'scarf to cover': 741086, 'cover up and': 212311, 'up and prevent': 944360, 'prevent infection take': 671661, 'infection take seriously': 436856, 'take seriously staysafe': 832560, '1918': 12313, 'in 1918': 419716, '1918 america': 12314, 'america adopted': 51438, 'adopted mask': 32691, 'mask wearing': 519522, 'wearing with': 974825, 'greater vengeance': 363264, 'vengeance than': 954469, 'in 1918 america': 419717, '1918 america adopted': 12315, 'america adopted mask': 51439, 'adopted mask wearing': 32692, 'mask wearing with': 519523, 'wearing with greater': 974826, 'with greater vengeance': 998680, 'greater vengeance than': 363265, 'vengeance than anywhere': 954470, 'anywhere else in': 81103, 'kiss the': 475461, 'the navy': 861329, 'ship goodbye': 758672, 'goodbye on': 357996, 'saturday where': 737083, 'where that': 985210, 'woman that': 1003633, 'that coughed': 843336, 'store trumppressconf': 810959, 'trumppressconf trump': 934140, 'corona trump': 204261, 'going to kiss': 355635, 'to kiss the': 908963, 'kiss the navy': 475462, 'the navy hospital': 861330, 'hospital ship goodbye': 404609, 'ship goodbye on': 758673, 'goodbye on saturday': 357997, 'on saturday where': 603309, 'saturday where that': 737084, 'where that woman': 985211, 'that woman that': 847640, 'woman that coughed': 1003634, 'that coughed on': 843337, 'coughed on all': 208620, 'on all that': 599250, 'that food in': 843906, 'grocery store trumppressconf': 365886, 'store trumppressconf trump': 810960, 'trumppressconf trump corona': 934141, 'trump corona trump': 933494, 'hour care': 405482, 'care shift': 164196, 'time got': 896852, 'out everyone': 626033, 'luxury to': 506969, 'visit shop': 959352, 'shop first': 760165, '56 hour care': 20452, 'hour care shift': 405483, 'care shift tonight': 164197, 'do is to': 249457, 'shopping but by': 762244, 'but by the': 145334, 'the time got': 869590, 'time got to': 896854, 'shelf were wiped': 757778, 'wiped out everyone': 996470, 'out everyone need': 626035, 'those that don': 892532, 'that don have': 843598, 'the luxury to': 859836, 'luxury to visit': 506970, 'to visit shop': 918210, 'visit shop first': 959353, 'shop first thing': 760166, 'shopforyou': 761142, '0901': 1164, '454': 19175, '2974': 16520, 'yam': 1014113, 'generalfood': 345512, 'shopforyou stay': 761143, 'call 0901': 155685, '0901 454': 1165, '454 2974': 19176, '2974 quarantine': 16521, 'stayhealthy nigeria': 797903, 'nigeria lagos': 562762, 'lagos business': 478923, 'food stockup': 316825, 'stockup staysafe': 804205, 'staysafe yam': 798965, 'yam rice': 1014114, 'rice generalfood': 721054, 'generalfood foodstuff': 345513, 'shopforyou stay home': 761144, 'stock up call': 803066, 'up call 0901': 944564, 'call 0901 454': 155686, '0901 454 2974': 1166, '454 2974 quarantine': 19177, '2974 quarantine stayhome': 16522, 'quarantine stayhome stayhealthy': 692571, 'stayhome stayhealthy nigeria': 798147, 'stayhealthy nigeria lagos': 797904, 'nigeria lagos business': 562763, 'lagos business food': 478924, 'business food stockup': 143746, 'food stockup staysafe': 316826, 'stockup staysafe yam': 804207, 'staysafe yam rice': 798966, 'yam rice generalfood': 1014115, 'rice generalfood foodstuff': 721055, 'generalfood foodstuff grocery': 345514, 'least expensive': 484458, 'expensive average': 291227, 'wisconsin at': 996604, 'at 43': 97653, '43 gal': 18967, 'gal oklahoma': 342907, 'oklahoma 47': 598058, '47 ohio': 19264, 'ohio 55': 596514, '55 kentucky': 20387, 'kentucky 58': 472842, '58 and': 20521, 'and michigan': 66987, 'michigan 61': 530310, 'the least expensive': 859249, 'least expensive average': 484459, 'expensive average gas': 291228, 'found in wisconsin': 330253, 'in wisconsin at': 430930, 'wisconsin at 43': 996605, 'at 43 gal': 97654, '43 gal oklahoma': 18968, 'gal oklahoma 47': 342908, 'oklahoma 47 ohio': 598059, '47 ohio 55': 19265, 'ohio 55 kentucky': 596515, '55 kentucky 58': 20388, 'kentucky 58 and': 472843, '58 and michigan': 20522, 'and michigan 61': 66988, 'chain having': 170775, 'window wear': 995734, 'they touch': 883581, 'food bag': 313505, 'and debit': 60998, 'card with': 163704, 'touched who': 926651, 'not effective': 569148, 'effective provide': 269295, 'glove co': 352637, 'fast food chain': 299957, 'food chain having': 313910, 'chain having the': 170776, 'having the person': 384317, 'at the window': 101153, 'the window wear': 871599, 'window wear glove': 995735, 'wear glove they': 974348, 'glove they touch': 352958, 'they touch my': 883582, 'touch my food': 926511, 'my food bag': 548378, 'food bag and': 313506, 'bag and debit': 108217, 'and debit card': 60999, 'debit card with': 230377, 'card with the': 163705, 'with the same': 1001465, 'same glove that': 733083, 'glove that ha': 352943, 'that ha touched': 844141, 'ha touched who': 372348, 'touched who know': 926652, 'is not effective': 450069, 'not effective provide': 569149, 'effective provide them': 269296, 'sanitizer at least': 734514, 'least 60 and': 484369, '60 and mask': 20903, 'you can glove': 1017684, 'can glove co': 158486, 'tiptoeing': 899004, 'this horse': 887952, 'horse not': 404219, 'not tiptoeing': 572123, 'tiptoeing to': 899005, 'roll toiletpaperpanic': 725568, 'is this horse': 453097, 'this horse not': 887953, 'horse not tiptoeing': 404220, 'not tiptoeing to': 572124, 'tiptoeing to the': 899006, 'toilet roll toiletpaperpanic': 921617, 'how south': 408726, 'ha avoided': 369649, 'avoided panic': 105421, 'buying despite': 150184, 'via south': 956250, 'korean are': 477514, 'too intelligent': 924804, 'intelligent to': 441033, 'buy result': 149128, 'result there': 717640, 'great nation': 362831, 'how south korea': 408727, 'korea ha avoided': 477477, 'ha avoided panic': 369650, 'avoided panic buying': 105422, 'panic buying despite': 637702, 'buying despite covid': 150185, 'outbreak via south': 628781, 'via south korean': 956251, 'south korean are': 786756, 'korean are too': 477515, 'are too intelligent': 91142, 'too intelligent to': 924805, 'intelligent to panic': 441034, 'panic buy result': 637525, 'buy result there': 149129, 'result there are': 717641, 'shortage in this': 765024, 'in this great': 429954, 'this great nation': 887752, 'great nation panicbuying': 362832, '19 tech': 11050, 'tech idea': 836103, 'covid 19 tech': 213917, '19 tech idea': 11051, 'tech idea consumer': 836104, 'idea consumer report': 413034, 'go shop to': 354101, 'togetherwecan thank': 921091, 'togetherwecan thank you': 921092, 'lwc': 507042, 'lwc make': 507045, 'make temporary': 510544, 'temporary switch': 837710, 'to b2c': 900973, 'b2c model': 106485, 'to lwc': 909529, 'lwc drink': 507043, 'drink ha': 258831, 'temporarily switching': 837561, 'consumer b2c': 196376, 'accepting consumer': 28072, 'consumer order': 198285, 'business vino': 144623, 'vino wine': 957455, 'lwc make temporary': 507046, 'make temporary switch': 510545, 'temporary switch to': 837711, 'switch to b2c': 830515, 'to b2c model': 900974, 'b2c model in': 106487, 'model in reaction': 535265, 'reaction to lwc': 700217, 'to lwc drink': 909530, 'lwc drink ha': 507044, 'drink ha announced': 258832, 'be temporarily switching': 117541, 'temporarily switching to': 837562, 'switching to business': 830575, 'business to consumer': 144535, 'to consumer b2c': 903270, 'consumer b2c model': 196378, 'b2c model are': 106486, 'model are now': 535231, 'are now accepting': 88517, 'now accepting consumer': 573934, 'accepting consumer order': 28073, 'consumer order to': 198286, 'maintain business vino': 508947, 'business vino wine': 144624, 'some spanish': 783908, 'spanish vegetable': 787420, 'vegetable ha': 953997, 'risen sharply': 723121, 'virus foodservice': 958195, 'foodservice spain': 318109, 'of some spanish': 589910, 'some spanish vegetable': 783909, 'spanish vegetable ha': 787421, 'vegetable ha risen': 953998, 'ha risen sharply': 371768, 'risen sharply on': 723122, 'sharply on the': 755757, 'on the domestic': 604072, 'the domestic market': 853529, 'domestic market amid': 253207, 'pandemic consumer stock': 635195, 'up on fresh': 945569, 'produce in bid': 680313, 'bid to ward': 129500, 'ward off the': 966649, 'off the threat': 594276, 'threat of contracting': 893689, 'the virus foodservice': 870832, 'virus foodservice spain': 958196, 'commerce website': 188657, 'website are': 975211, 'soared amid': 779291, 'population lock': 664716, 'down following': 256761, 'commerce website are': 188658, 'website are under': 975212, 'under pressure in': 940205, 'pressure in demand': 671174, 'demand ha soared': 235617, 'ha soared amid': 371980, 'soared amid the': 779292, 'amid the population': 52709, 'the population lock': 864029, 'population lock down': 664717, 'lock down following': 499029, 'down following the': 256762, 'westchestercounty': 980578, 'our pound': 624408, 'pound ridge': 667400, 'ridge ny': 721498, 'ny grocery': 577873, 'store felt': 807710, 'shopper these': 761744, 'were taken': 980215, 'yesterday westchestercounty': 1015949, 'our pound ridge': 624409, 'pound ridge ny': 667401, 'ridge ny grocery': 721499, 'ny grocery store': 577874, 'grocery store felt': 365393, 'store felt the': 807711, 'felt the rush': 303463, 'the rush of': 866085, 'rush of shopper': 728317, 'of shopper these': 589652, 'shopper these were': 761745, 'these were taken': 880958, 'were taken yesterday': 980216, 'taken yesterday westchestercounty': 833129, 'garment': 343696, '2billion': 16560, 'nadu garment': 551385, 'garment hub': 343697, 'hub ha': 409802, 'halt with': 374474, 'with worker': 1002119, 'farmer struggling': 299509, 'created 2billion': 215773, '2billion hole': 16561, 'hole in': 400221, 'india apparel': 434304, 'apparel industry': 81862, 'industry abrupt': 435597, 'abrupt lock': 27177, 'down ha': 256812, 'economic activity in': 266960, 'activity in tamil': 30443, 'tamil nadu garment': 834106, 'nadu garment hub': 551386, 'garment hub ha': 343698, 'hub ha come': 409803, 'come to halt': 187574, 'to halt with': 907110, 'halt with worker': 374475, 'with worker and': 1002120, 'worker and farmer': 1006293, 'and farmer struggling': 62702, 'farmer struggling to': 299510, 'end meet covid': 275877, 'ha created 2billion': 370264, 'created 2billion hole': 215774, '2billion hole in': 16562, 'hole in india': 400222, 'in india apparel': 424022, 'india apparel industry': 434305, 'apparel industry abrupt': 81863, 'industry abrupt lock': 435598, 'abrupt lock down': 27178, 'lock down ha': 499033, 'down ha put': 256814, 'ha put 50m': 371587, 'risk in consumer': 723623, 'in consumer good': 421699, 'elderly londoner': 270740, 'londoner speaks': 501249, 'buying fuckwits': 150394, 'an elderly londoner': 55637, 'elderly londoner speaks': 270741, 'londoner speaks out': 501250, 'speaks out about': 787800, 'panic buying fuckwits': 637745, 'coronacrisis staysafe': 204778, 'do it coronacrisis': 249469, 'it coronacrisis staysafe': 457333, 'really kind': 702368, 'kind but': 474820, 'are complete': 85463, 'utter selfish': 951427, 'should stophoarding': 766527, 'what the crisis': 982304, 'shown is that': 767600, 'are really kind': 89480, 'really kind but': 702369, 'kind but many': 474821, 'but many many': 146356, 'many many are': 514260, 'many are complete': 513753, 'are complete and': 85464, 'and utter selfish': 74821, 'utter selfish idiot': 951428, 'selfish idiot like': 748136, 'idiot like those': 413547, 'those who should': 892671, 'who should stophoarding': 989614, 'are visiting': 91489, 'you are visiting': 1017282, 'are visiting supermarket': 91490, 'visiting supermarket today': 959557, 'supermarket today just': 823450, 'today just take': 919765, 'just take time': 469946, 'time to say': 898058, 'staff working tirelessly': 793119, '985': 23738, '2331': 15464, 'of thursday': 592155, 'our cafe': 622300, 'cafe seating': 155129, 'seating area': 743533, '254 985': 16063, '985 2331': 23739, '2331 and': 15465, 'meat market': 525648, '19 update of': 11672, 'update of thursday': 947099, 'of thursday march': 592156, 'thursday march 19': 895398, 'march 19 our': 515116, '19 our cafe': 9048, 'our cafe seating': 622301, 'cafe seating area': 155130, 'seating area will': 743534, 'area will be': 92280, 'notice we encourage': 573396, 'we encourage folk': 971448, 'folk to call': 312279, 'to call 254': 902373, 'call 254 985': 155696, '254 985 2331': 16064, '985 2331 and': 23740, '2331 and place': 15466, 'and place to': 69051, 'go order the': 353924, 'order the grocery': 618631, 'grocery side of': 365121, 'the store including': 868042, 'including the bakery': 432179, 'bakery meat market': 108868, 'meat market will': 525650, 'bank fear': 109824, 'fear shortage': 301322, 'shortage demand': 764904, 'food bank fear': 313567, 'bank fear shortage': 109825, 'fear shortage demand': 301323, 'shortage demand surge': 764905, 'demand surge during': 236304, 'march economy': 515351, 'coronavirus ha major': 206026, 'ha major impact': 371226, 'in march economy': 425098, 'partech': 642505, 'bullish on': 142464, 'on germany': 601080, 'germany look': 346318, 'like very': 491728, 'good management': 357367, 'plus consumer': 661579, 'is triple': 453361, 'digit growth': 242478, 'growth cc': 367358, 'cc partech': 168399, 'bullish on germany': 142466, 'on germany look': 601081, 'germany look like': 346319, 'look like very': 502525, 'like very good': 491729, 'very good management': 955190, 'good management of': 357368, 'management of crisis': 512600, 'of crisis plus': 582184, 'crisis plus consumer': 217887, 'plus consumer demand': 661580, 'demand for and': 235377, 'for and is': 319326, 'and is triple': 65437, 'is triple digit': 453362, 'triple digit growth': 932243, 'digit growth cc': 242479, 'growth cc partech': 367359, 'phoney': 655090, 'is thin': 453057, 'thin authority': 884049, 'receiving surge': 703804, 'price phoney': 675869, 'phoney cure': 655091, 'across country where': 29303, 'patience is thin': 644108, 'is thin authority': 453058, 'thin authority are': 884050, 'are receiving surge': 89504, 'receiving surge of': 703805, 'surge of report': 828234, 'outrageous price phoney': 629334, 'price phoney cure': 675870, 'phoney cure and': 655092, 'slot rationing': 774254, 'rationing seems': 697866, 'seems wise': 746899, 'wise you': 996708, 'cannot suggest': 162147, 'suggest how': 817513, 'how weak': 409199, 'weak that': 974044, 'without telling': 1002953, 'the plan to': 863793, 'plan to provide': 658309, 'provide food panic': 686308, 'buying is crazy': 150564, 'is crazy and': 446891, 'crazy and supermarket': 215248, 'and supermarket do': 72715, 'delivery slot rationing': 234537, 'slot rationing seems': 774255, 'rationing seems wise': 697868, 'seems wise you': 746900, 'wise you cannot': 996709, 'you cannot suggest': 1017882, 'cannot suggest how': 162148, 'suggest how weak': 817515, 'how weak that': 409200, 'weak that is': 974045, 'that is that': 844663, 'that we isolate': 847377, 'we isolate for': 972089, 'isolate for month': 454858, 'month without telling': 538137, 'without telling how': 1002954, 'telling how we': 837211, 'morphing': 541678, 'is morphing': 449735, 'morphing into': 541679, 'brilliant take': 139893, 'in crash': 421849, 'be advantage': 113499, 'advantage india': 32980, 'can tackle': 159891, 'crisis is morphing': 217580, 'is morphing into': 449736, 'morphing into financial': 541680, 'prakash brilliant take': 668916, 'brilliant take on': 139894, 'take on in': 832403, 'on in crash': 601524, 'in crash in': 421850, 'low rate it': 505570, 'rate it could': 697283, 'could be advantage': 208837, 'be advantage india': 113500, 'advantage india if': 32981, 'india if we': 434457, 'we can tackle': 971028, 'can tackle the': 159892, 'tackle the health': 831608, 'provocation': 687296, 'sardine cost': 736760, 'cost 34': 207832, '34 provocation': 17827, 'provocation should': 687297, 'if commodity': 413967, 'quadruple how': 691654, 'could poor': 209511, 'family older': 298112, 'income afford': 432272, 'those sardine cost': 892422, 'sardine cost 34': 736761, 'cost 34 provocation': 207833, '34 provocation should': 17828, 'provocation should buy': 687298, 'should buy them': 765808, 'to why people': 918592, 'why people hoard': 991287, 'hoard if commodity': 398813, 'if commodity price': 413968, 'commodity price double': 189266, 'or quadruple how': 616760, 'quadruple how could': 691655, 'how could poor': 407631, 'could poor and': 209512, 'class family older': 180185, 'family older people': 298113, 'older people on': 598658, 'people on fixed': 648961, 'fixed income afford': 309801, 'income afford them': 432273, 'bidet2020': 129591, 'like outtake': 490952, 'outtake here': 629721, 'toiletpaper video': 922799, 'video stayhome': 956904, 'quarantine bidet2020': 692052, 'who doesn like': 988640, 'doesn like outtake': 251872, 'like outtake here': 490953, 'outtake here the': 629722, 'the one from': 862201, 'one from last': 606327, 'last week toiletpaper': 480687, 'week toiletpaper video': 977111, 'toiletpaper video stayhome': 922800, 'video stayhome quarantine': 956905, 'stayhome quarantine bidet2020': 798076, 'time suggest': 897779, 'below it': 126680, 'just may': 469232, 'would wear': 1012391, 'coronavirus can linger': 205606, 'can linger in': 158882, 'linger in air': 493693, 'in air for': 420121, 'air for long': 39734, 'long time suggest': 501782, 'time suggest you': 897780, 'suggest you watch': 817561, 'you watch this': 1022188, 'this video on': 890984, 'video on the': 956847, 'on the thread': 604403, 'the thread below': 869507, 'thread below it': 893525, 'below it just': 126681, 'it just may': 459232, 'just may save': 469234, 'your life and': 1024627, 'life and think': 488490, 'and think everyone': 73964, 'think everyone would': 885235, 'everyone would wear': 287645, 'would wear mask': 1012392, 'mask while shopping': 519560, 'supermarket after seeing': 818810, 'after seeing this': 36161, 'seeing this video': 746518, 'from ocha': 336637, 'facilitate access': 295257, 'response in is': 715731, 'call from ocha': 155906, 'from ocha negotiating': 336638, 'to facilitate access': 905587, 'mindspark': 532862, 'mindspark the': 532863, 'lining from': 493736, 'some personal': 783555, 'personal discipline': 652830, 'discipline into': 244361, 'head today': 385839, 'hold my': 399959, 'arm out': 92909, 'an indicative': 56275, 'indicative one': 435041, 'meter length': 529724, 'length people': 486324, 'still close': 800374, 'but trying': 147633, 'trying only': 934724, 'mindspark the silver': 532864, 'silver lining from': 769822, 'lining from this': 493737, 'this is some': 888405, 'is some personal': 452091, 'some personal discipline': 783556, 'personal discipline into': 652831, 'discipline into our': 244362, 'into our head': 442819, 'our head today': 623363, 'head today at': 385840, 'at supermarket had': 100731, 'had to hold': 373698, 'to hold my': 907912, 'hold my arm': 399960, 'my arm out': 547311, 'arm out to': 92910, 'out to show': 627682, 'to show an': 914553, 'show an indicative': 766860, 'an indicative one': 56276, 'indicative one meter': 435042, 'one meter length': 606656, 'meter length people': 529725, 'length people are': 486325, 'are still close': 90405, 'still close but': 800375, 'close but trying': 182579, 'but trying only': 147634, 'trying only two': 934725, 'only two people': 611395, 'two people are': 937134, 'food scotland': 316320, 'scotland rural': 742425, 'economy secretary': 268201, 'secretary ha': 743958, 'and distributor': 61533, 'distributor so': 248316, 'keep calm there': 471379, 'of food scotland': 583769, 'food scotland rural': 316321, 'scotland rural economy': 742426, 'rural economy secretary': 728242, 'economy secretary ha': 268202, 'secretary ha been': 743959, 'been working closely': 122396, 'with supplier and': 1001070, 'supplier and distributor': 824484, 'and distributor so': 61534, 'distributor so there': 248317, 'so there no': 778452, '19 of tuesday': 8892, 'of tuesday march': 592494, 'tuesday march 17': 935164, '17 2020 we': 4316, 'cctv purposely': 168516, 'purposely sneezing': 690182, 'sneezing on': 776325, 'no indication': 564501, 'indication yet': 435034, 'yet whether': 1016328, 'whether she': 985557, 'been identified': 121318, 'identified it': 413332, 'chinese ccp': 177208, 'ccp that': 168468, 'this lady is': 888588, 'lady is caught': 478784, 'is caught on': 446411, 'on cctv purposely': 599849, 'cctv purposely sneezing': 168517, 'purposely sneezing on': 690183, 'sneezing on fresh': 776327, 'produce in sydney': 680318, 'sydney supermarket no': 830714, 'supermarket no indication': 821609, 'no indication yet': 564502, 'indication yet whether': 435035, 'yet whether she': 1016329, 'whether she ha': 985558, 'ha been identified': 369830, 'been identified it': 121319, 'identified it not': 413333, 'only the chinese': 611260, 'the chinese ccp': 850844, 'chinese ccp that': 177209, 'ccp that need': 168469, 'be held to': 115196, 'ha encouraged': 370489, 'encouraged selfishness': 275659, 'decade many': 230690, 'supermarket raider': 822156, 'raider consider': 695647, 'consider their': 195147, 'self reliance': 747885, 'reliance and': 709224, 'putting family': 691115, 'family first': 297800, 'this to country': 890731, 'to country that': 903638, 'that ha encouraged': 844117, 'ha encouraged selfishness': 370490, 'encouraged selfishness for': 275660, 'selfishness for decade': 748351, 'for decade many': 320607, 'decade many supermarket': 230691, 'many supermarket raider': 514763, 'supermarket raider consider': 822157, 'raider consider their': 695648, 'consider their action': 195148, 'their action to': 872463, 'be self reliance': 117051, 'self reliance and': 747886, 'reliance and putting': 709225, 'and putting family': 69833, 'putting family first': 691116, 'family first 19': 297801, '1basketpershopper': 12584, 'supermarket advertising': 818788, 'advertising cut': 33219, 'update last': 947052, 'day thought': 228541, 'plan wa': 658342, 'shopper 1basketpershopper': 761330, 'of supermarket advertising': 590407, 'supermarket advertising cut': 818789, 'advertising cut in': 33220, 'cut in food': 223375, 'food price on': 315961, 'price on tv': 675731, 'tv in between': 936121, 'in between covid': 420805, '19 update last': 11669, 'update last couple': 947053, 'of day thought': 582387, 'day thought the': 228542, 'thought the plan': 893249, 'the plan wa': 863794, 'plan wa to': 658343, 'wa to reduce': 963525, 'of shopper 1basketpershopper': 589633, 'is noo': 450010, 'noo toiletpaper': 566776, 'there is noo': 878598, 'is noo toiletpaper': 450011, 'noo toiletpaper at': 566777, 'wa unleashed': 963606, 'unleashed by': 942581, 'oil so': 597441, 'not enjoy': 569176, 'these dirt': 879928, 'wa unleashed by': 963607, 'unleashed by big': 942582, 'by big oil': 151959, 'big oil so': 129889, 'oil so we': 597442, 'could not enjoy': 209440, 'not enjoy these': 569177, 'enjoy these dirt': 277200, 'these dirt cheap': 879929, 'dirt cheap oil': 243715, 'cheap oil price': 174161, 'call tariff': 156114, 'tariff not': 834605, 'just awesome': 468251, 'awesome this': 106201, 'season all': 743368, 'all didn': 42568, 'didn tell': 241227, 'tell we': 837126, 'were raising': 980024, 'relief where': 709499, 'protection service': 685605, 'service when': 753062, 'are your call': 91890, 'your call tariff': 1023109, 'call tariff not': 156115, 'tariff not just': 834606, 'not just awesome': 570214, 'just awesome this': 468252, 'awesome this season': 106202, 'this season all': 889986, 'season all didn': 743369, 'all didn tell': 42569, 'didn tell we': 241228, 'tell we were': 837128, 'we were raising': 973806, 'were raising money': 980025, 'money for covid': 536747, '19 relief where': 10088, 'relief where consumer': 709500, 'where consumer protection': 984787, 'consumer protection service': 198561, 'protection service when': 685606, 'service when you': 753064, 'asparagus farmer': 96202, 'farmer ha': 299394, 'spring harvest': 791212, 'harvest despite': 378610, 'despite restaurant': 238838, 'restaurant amp': 716264, 'amp outdoor': 54261, 'outdoor market': 628901, 'market shuttered': 517067, 'shuttered by': 768202, 'by direct': 152359, 'booming will': 134909, 'last listen': 480290, 'asparagus farmer ha': 96203, 'farmer ha found': 299395, 'ha found way': 370677, 'to sell the': 914178, 'sell the spring': 748898, 'the spring harvest': 867657, 'spring harvest despite': 791213, 'harvest despite restaurant': 378611, 'despite restaurant amp': 238839, 'restaurant amp outdoor': 716265, 'amp outdoor market': 54262, 'outdoor market shuttered': 628902, 'market shuttered by': 517068, 'shuttered by direct': 768203, 'by direct to': 152360, 'are booming will': 85024, 'booming will it': 134910, 'it last listen': 459299, 'last listen in': 480291, 'in the podcast': 429458, 'uncertainty for': 939686, 'retailer some': 719321, 'some slump': 783889, 'slump and': 774678, 'others surge': 621681, 'firm face': 308350, 'uncertainty the': 939770, 'uncertainty for online': 939688, 'online retailer some': 608886, 'retailer some slump': 719322, 'some slump and': 783890, 'slump and others': 774679, 'and others surge': 68462, 'others surge ecommerce': 621682, 'surge ecommerce firm': 828157, 'ecommerce firm face': 266769, 'firm face uncertainty': 308351, 'face uncertainty the': 294826, 'uncertainty the covid': 939771, '19 outbreak force': 9125, 'outbreak force change': 628231, 'pandemic opec': 636113, 'significant production': 769499, 'demand have': 235624, 'have hurt': 381006, 'effort to stabilize': 269647, 'stabilize price amid': 791856, 'coronavirus pandemic opec': 206480, 'pandemic opec member': 636114, 'opec member and': 611920, 'member and other': 528016, 'agreed to significant': 38748, 'to significant production': 914650, 'significant production cut': 769500, 'arabia and falling': 83854, 'falling demand have': 297237, 'demand have hurt': 235625, 'have hurt the': 381007, 'hurt the market': 411617, 'attached information': 102041, 'with it please': 999079, 'it please use': 460364, 'please use the': 660713, 'use the attached': 949653, 'the attached information': 849021, 'attached information to': 102042, 'keep yourself your': 472298, 'yourself your family': 1026771, 'and our client': 68480, 'our client safe': 622398, 'client safe for': 182089, 'safe for more': 729679, 'than admirable': 840325, 'admirable do': 32550, 'use they': 949716, 'all meaningfully': 43477, 'nhsworkers is more': 562285, 'more than admirable': 540588, 'than admirable do': 840326, 'admirable do not': 32551, 'what word to': 982625, 'word to use': 1004604, 'to use they': 918074, 'use they are': 949717, 'come out on': 187471, 'this situation we': 890195, 'situation we must': 772571, 'them all meaningfully': 875346, 'work medical': 1005466, 'trucker police': 932946, 'fire if': 308091, 'to washington': 918357, 'washington what': 967813, 'telling america': 837185, 'over america are': 629969, 'america are going': 51467, 'to work medical': 918754, 'work medical worker': 1005467, 'worker trucker police': 1008056, 'trucker police and': 932947, 'police and fire': 662901, 'and fire if': 62914, 'fire if you': 308092, 'don go back': 253563, 'back to washington': 107407, 'to washington what': 918359, 'washington what you': 967814, 'you are telling': 1017254, 'are telling america': 90759, 'telling america is': 837186, 'america is that': 51581, 'you are non': 1017178, 'are non essential': 88295, 'curious since': 220985, 'are liquor': 87832, 'store total': 810922, 'total wine': 926273, 'liquor world': 494221, 'world etc': 1009520, 'etc considered': 282480, 'know for': 476382, 'work purpose': 1005634, 'purpose thanks': 690157, 'just curious since': 468548, 'curious since it': 220986, 'at the essential': 100939, 'the essential grocery': 854507, 'store are liquor': 806496, 'are liquor store': 87833, 'liquor store total': 494218, 'store total wine': 810923, 'total wine liquor': 926274, 'wine liquor world': 995836, 'liquor world etc': 494222, 'world etc considered': 1009521, 'etc considered essential': 282481, 'considered essential or': 195290, 'essential or non': 281368, 'essential business need': 280855, 'to know for': 908978, 'know for work': 476388, 'for work purpose': 327927, 'work purpose thanks': 1005635, 'alert fda': 41402, 'fda warning': 300945, 'warning no': 967155, 'test scam': 839162, 'scam kit': 740226, 'consumer alert fda': 196141, 'alert fda warning': 41403, 'fda warning no': 300946, 'warning no at': 967156, 'home coronavirus test': 400952, 'coronavirus test scam': 206884, 'test scam kit': 839163, 'scam kit are': 740227, 'kit are on': 475497, 'oil price while': 597322, 'price while the': 677527, 'ventilation': 954508, 'droplet can': 260467, 'store ventilation': 811053, 'ventilation system': 954513, 'system circulate': 831131, 'circulate air': 178659, 'infection droplet': 436754, 'droplet where': 260489, 'mask trump': 519450, 'trump cdc': 933471, 'cdc maga': 168590, 'and sneeze droplet': 71823, 'sneeze droplet can': 776237, 'droplet can linger': 260468, 'for hour grocery': 322393, 'hour grocery store': 405654, 'grocery store ventilation': 365911, 'store ventilation system': 811054, 'ventilation system circulate': 954514, 'system circulate air': 831132, 'circulate air with': 178660, 'air with infection': 39808, 'with infection droplet': 998997, 'infection droplet where': 436755, 'droplet where are': 260490, 'the mask trump': 860230, 'mask trump cdc': 519451, 'trump cdc maga': 933472, 'glad my': 351509, 'it opening': 460133, 'hour give': 405645, 'give more': 350596, 'poor staff': 664292, 'shelf stoppanicbuying': 757606, 'so glad my': 777172, 'glad my local': 351511, 'supermarket ha reduced': 820645, 'reduced it opening': 706108, 'it opening hour': 460134, 'opening hour give': 612852, 'hour give more': 405646, 'give more time': 350598, 'the poor staff': 863988, 'poor staff to': 664294, 'staff to fill': 792988, 'the shelf stoppanicbuying': 866884, 'seeing increase': 746340, 'bank seeing increase': 110171, 'seeing increase in': 746341, 'did gas': 240611, 'quickly in': 694548, 'word once': 1004546, 'answer demand': 78035, 'demand met': 235859, 'met reality': 529584, 'reality climatechange': 701717, 'climatechange trumpvirus': 182245, 'trumpvirus trumpistheworstpresidentever': 934191, 'why did gas': 990916, 'did gas price': 240612, 'go down so': 353498, 'down so quickly': 257195, 'so quickly in': 778105, 'quickly in other': 694549, 'other word once': 621216, 'word once we': 1004547, 'once we survive': 605784, 'we survive this': 973466, 'survive this coronacrisis': 829259, 'coronacrisis pandemic how': 204686, 'pandemic how to': 635660, 'to use what': 918080, 'use what happened': 949799, 'happened to change': 377276, 'to change our': 902613, 'change our world': 172221, 'our world answer': 625405, 'world answer demand': 1009298, 'answer demand met': 78036, 'demand met reality': 235860, 'met reality climatechange': 529585, 'reality climatechange trumpvirus': 701718, 'climatechange trumpvirus trumpistheworstpresidentever': 182246, 'glue': 353086, 'staff salute': 792818, 'the glue': 856376, 'glue holding': 353088, 'holding the': 400172, 'country together': 211174, 'together right': 920924, 'supermarket staff salute': 822886, 'staff salute you': 792819, 'salute you you': 732875, 'you you re': 1022486, 're the glue': 699690, 'the glue holding': 856377, 'glue holding the': 353089, 'holding the country': 400173, 'the country together': 852170, 'country together right': 211176, 'together right now': 920925, 'through whole': 894908, 'whole process': 990306, 'am no': 50236, 'longer allowed': 501910, 'anywhere publicly': 81143, 'publicly in': 688585, 'my scrub': 550004, 'go through whole': 354257, 'through whole process': 894909, 'whole process to': 990308, 'process to go': 679975, 'because am no': 118929, 'am no longer': 50237, 'no longer allowed': 564629, 'longer allowed to': 501911, 'to go anywhere': 906770, 'go anywhere publicly': 353300, 'anywhere publicly in': 81144, 'publicly in my': 688586, 'in my scrub': 425622, 'dti': 261415, 'sa dti': 728884, 'dti see': 261416, 'see woolworth': 746087, 'woolworth increased': 1004421, 'price two': 677159, 'this buy': 886654, 'every friday': 285905, 'friday are': 333200, 'guy taking': 369166, 'what woolworth': 982622, 'sa dti see': 728885, 'dti see woolworth': 261417, 'see woolworth increased': 746088, 'woolworth increased the': 1004422, 'the price two': 864429, 'price two week': 677160, 'two week back': 937320, 'week back the': 975976, 'back the price': 107315, 'were lower than': 979863, 'lower than this': 506016, 'than this buy': 841313, 'this buy these': 886655, 'buy these thing': 149346, 'these thing every': 880815, 'thing every friday': 884313, 'every friday are': 285906, 'friday are you': 333201, 'you guy taking': 1018975, 'guy taking advantage': 369167, 'current situation or': 221371, 'situation or what': 772429, 'or what woolworth': 617772, 'remember these': 710335, 'these seller': 880655, 'seller during': 749014, 'saving gear': 737876, 'go amazon': 353272, 'remember these seller': 710337, 'these seller during': 880656, 'seller during pandemic': 749015, 'during pandemic they': 262900, 'pandemic they chose': 636733, 'of life saving': 585833, 'life saving gear': 489014, 'saving gear how': 737877, 'gear how low': 344958, 'they go amazon': 882200, 'coolant': 203069, 'arrival': 93885, 'updated some': 947435, 'our shipping': 624745, 'using additional': 950367, 'additional coolant': 31794, 'coolant since': 203070, 'since shipping': 770822, 'shipping service': 758907, 'longer guaranteeing': 501985, 'guaranteeing arrival': 367764, 'arrival date': 93886, 'packing all': 633726, 'enough coolant': 277354, 'coolant to': 203072, 'to easily': 904857, 'day delay': 227512, 'have updated some': 383475, 'updated some of': 947436, 'of our shipping': 587561, 'our shipping price': 624746, 'shipping price to': 758896, 'price to offset': 677021, 'cost of using': 208064, 'of using additional': 592716, 'using additional coolant': 950368, 'additional coolant since': 31795, 'coolant since shipping': 203071, 'since shipping service': 770823, 'shipping service are': 758908, 'service are no': 752137, 'no longer guaranteeing': 564649, 'longer guaranteeing arrival': 501986, 'guaranteeing arrival date': 367765, 'arrival date due': 93887, 'we are packing': 970653, 'are packing all': 88951, 'packing all order': 633727, 'all order with': 43776, 'order with enough': 618783, 'with enough coolant': 998232, 'enough coolant to': 277355, 'coolant to easily': 203073, 'to easily make': 904858, 'easily make it': 265223, 'it through at': 461674, 'least day delay': 484435, 'sona': 785464, 'yomi': 1016550, 'mechuka': 525861, 'monigong': 537267, 'pidi': 656241, 'speaker sona': 787748, 'sona who': 785465, 'who represents': 989541, 'represents shi': 712965, 'shi yomi': 758119, 'yomi had': 1016551, 'had rushed': 373470, 'to mechuka': 909989, 'mechuka on': 525862, 'oversee covid': 631494, 'situation amid': 772169, 'food scarcity': 316312, 'scarcity in': 740834, 'in monigong': 425399, 'monigong and': 537268, 'and pidi': 69025, 'speaker sona who': 787749, 'sona who represents': 785466, 'who represents shi': 989542, 'represents shi yomi': 712966, 'shi yomi had': 758120, 'yomi had rushed': 1016552, 'had rushed to': 373471, 'rushed to mechuka': 728366, 'to mechuka on': 909990, 'mechuka on sunday': 525863, 'sunday to oversee': 818287, 'to oversee covid': 911314, 'oversee covid 19': 631495, '19 situation amid': 10566, 'situation amid report': 772170, 'amid report of': 52621, 'report of food': 712112, 'of food scarcity': 583768, 'food scarcity in': 316313, 'scarcity in monigong': 740835, 'in monigong and': 425400, 'monigong and pidi': 537269, 'is overreacting': 450761, 'overreacting and': 631417, 'stockpiling without': 804126, 'realizing they': 701942, 'leaving nothing': 485117, 'can ration': 159374, 'ration what': 697749, 'buy please': 149089, 'please you': 660784, 'whole damn': 990179, 'damn selection': 225423, 'it really crazy': 460630, 'really crazy that': 702086, 'crazy that everyone': 215437, 'everyone is overreacting': 287095, 'is overreacting and': 450762, 'overreacting and stockpiling': 631418, 'and stockpiling without': 72458, 'stockpiling without realizing': 804127, 'without realizing they': 1002876, 'realizing they re': 701943, 'they re leaving': 883068, 're leaving nothing': 698986, 'leaving nothing for': 485118, 'nothing for those': 573016, 'need it can': 555083, 'it can buy': 457009, 'bulk like you': 142320, 'you can ration': 1017759, 'can ration what': 159375, 'ration what you': 697750, 'what you buy': 982664, 'you buy please': 1017579, 'buy please you': 149091, 'please you don': 660786, 'don need the': 253771, 'need the whole': 555760, 'the whole damn': 871486, 'whole damn selection': 990180, 'hasn and': 378715, 'various others': 952621, 'others switched': 621685, 'switched over': 830542, 'ordering with': 619046, 'with pickup': 1000208, 'seeing bunch': 746242, 'why hasn and': 991047, 'hasn and various': 378716, 'and various others': 74846, 'various others switched': 952622, 'others switched over': 621686, 'switched over to': 830543, 'over to online': 630839, 'online ordering with': 608717, 'ordering with pickup': 619047, 'with pickup only': 1000209, 'pickup only shopping': 655996, 'only shopping once': 611126, 'week and seeing': 975934, 'and seeing bunch': 71158, 'seeing bunch of': 746243, 'people buying only': 647351, 'buying only or': 150826, 'only or thing': 610920, 'greenbelt': 363722, 'how greenbelt': 407937, 'greenbelt co': 363723, '19 richard': 10226, 'richard shown': 721303, 'shown here': 767586, 'is following': 447858, 'following policy': 312814, 'policy by': 663359, 'how greenbelt co': 407938, 'greenbelt co op': 363724, 'co op supermarket': 184916, 'and pharmacy is': 68974, 'pharmacy is responding': 654366, 'covid 19 richard': 213716, '19 richard shown': 10227, 'richard shown here': 721304, 'shown here is': 767587, 'here is following': 393224, 'is following policy': 447859, 'following policy by': 312815, 'policy by wearing': 663360, 'to reiterate': 913121, 'reiterate our': 708294, 'resilient ready': 714531, 'ready we': 700995, 'secure our': 744454, 'is be': 446011, 'other only': 620613, 'only feed': 610429, 'to reiterate our': 913122, 'reiterate our industry': 708295, 'adaptable resilient ready': 31301, 'resilient ready we': 714532, 'ready we will': 700996, 'take to secure': 832741, 'to secure our': 913968, 'secure our food': 744455, 'supply what we': 826095, 'do is be': 249440, 'is be kind': 446012, 'kind and look': 474806, 'each other only': 264203, 'other only get': 620614, 'you need when': 1020057, 'need when you': 556207, 'need it panic': 555100, 'it panic buying': 460250, 'panic buying only': 637831, 'buying only feed': 150825, 'only feed the': 610430, 'feed the problem': 302380, 'mcommerce': 522234, 'retailmarketing': 719501, 'reputationmarketing': 713131, 'why tech': 991398, 'can regain': 159414, 'trust crisis': 934254, 'continues digitalmarketing': 201388, 'ecommerce mcommerce': 266806, 'mcommerce retail': 522235, 'retail retailmarketing': 718478, 'retailmarketing reputationmarketing': 719504, 'reputationmarketing mobilemarketing': 713132, 'why tech company': 991399, 'tech company can': 836060, 'company can regain': 190529, 'can regain consumer': 159415, 'regain consumer trust': 707117, 'consumer trust crisis': 199398, 'trust crisis continues': 934255, 'crisis continues digitalmarketing': 217248, 'continues digitalmarketing ecommerce': 201389, 'digitalmarketing ecommerce mcommerce': 242769, 'ecommerce mcommerce retail': 266807, 'mcommerce retail retailmarketing': 522236, 'retail retailmarketing reputationmarketing': 718479, 'retailmarketing reputationmarketing mobilemarketing': 719505, 'dravely': 258467, 'kwarans': 478041, 'dravely is': 258470, 'helping kwarans': 391374, 'kwarans access': 478042, 'access foodstuff': 28123, 'foodstuff fast': 318164, 'healthcare kit': 387160, 'kit mobile': 475599, 'mobile accessory': 534934, 'accessory during': 28372, 'after with': 36551, 'low 300': 505086, '300 let': 17315, 'let dravely': 486692, 'dravely handle': 258468, 'dravely is committed': 258471, 'to helping kwarans': 907676, 'helping kwarans access': 391375, 'kwarans access foodstuff': 478043, 'access foodstuff fast': 28124, 'foodstuff fast food': 318165, 'fast food healthcare': 299964, 'food healthcare kit': 314805, 'healthcare kit mobile': 387161, 'kit mobile accessory': 475600, 'mobile accessory during': 534935, 'accessory during the': 28373, 'lockdown and after': 499132, 'and after with': 57762, 'after with low': 36552, 'with low 300': 999328, 'low 300 let': 505087, '300 let dravely': 17316, 'let dravely handle': 486693, 'dravely handle the': 258469, 'handle the supply': 376277, 'global lock': 352012, 'down widespread': 257475, 'widespread impact': 991846, 'agriculture production': 39018, 'production dairy': 682007, 'dropped 26': 260507, '26 36': 16140, '36 corn': 18001, 'corn future': 203564, 'future have': 342344, 'dropped 14': 260501, '14 soybean': 3528, 'soybean future': 786979, 'and cotton': 60601, 'cotton future': 208405, 'plummeted 31': 661318, '31 hog': 17573, 'hog future': 399834, 'down 31': 256415, 'global lock down': 352013, 'lock down widespread': 499061, 'down widespread impact': 257476, 'widespread impact on': 991847, 'on agriculture production': 599187, 'agriculture production dairy': 39019, 'production dairy price': 682008, 'have dropped 26': 380371, 'dropped 26 36': 260508, '26 36 corn': 16141, '36 corn future': 18002, 'corn future have': 203565, 'future have dropped': 342345, 'have dropped 14': 380370, 'dropped 14 soybean': 260502, '14 soybean future': 3529, 'soybean future are': 786980, 'future are down': 342261, 'down and cotton': 256490, 'and cotton future': 60602, 'cotton future have': 208406, 'future have plummeted': 342346, 'have plummeted 31': 381971, 'plummeted 31 hog': 661319, '31 hog future': 17574, 'hog future are': 399835, 'are down 31': 85968, 'remuneration': 710915, 'worker migrant': 1007383, 'migrant farmworkers': 531211, 'frontline soldier': 338821, 'soldier in': 781812, 'their tremendous': 875023, 'tremendous contribution': 931215, 'contribution end': 201933, 'their exploitation': 873207, 'exploitation and': 292376, 'just remuneration': 469620, 'remuneration social': 710916, 'social benefit': 779444, 'and decent': 61003, 'decent labor': 230782, 'labor condition': 478400, 'just like nurse': 469152, 'like nurse doctor': 490893, 'doctor and supermarket': 250825, 'supermarket worker migrant': 824049, 'worker migrant farmworkers': 1007384, 'migrant farmworkers are': 531212, 'farmworkers are frontline': 299694, 'are frontline soldier': 86701, 'frontline soldier in': 338822, 'soldier in the': 781813, 'war against it': 966343, 'against it is': 37522, 'time to recognize': 898042, 'recognize their tremendous': 704657, 'their tremendous contribution': 875024, 'tremendous contribution end': 931216, 'contribution end their': 201934, 'end their exploitation': 275985, 'their exploitation and': 873208, 'exploitation and demand': 292377, 'and demand just': 61161, 'demand just remuneration': 235776, 'just remuneration social': 469621, 'remuneration social benefit': 710917, 'social benefit and': 779445, 'benefit and decent': 126917, 'and decent labor': 61004, 'decent labor condition': 230783, 'idea the': 413186, 'la market': 478188, 'shop yes': 761099, 'sound like good': 786300, 'like good idea': 490331, 'good idea the': 357221, 'idea the la': 413187, 'the la market': 858877, 'la market ha': 478189, 'market ha special': 516491, 'ha special hour': 372014, 'to shop yes': 914505, 'shop yes no': 761100, 'insight fix': 439533, 'fix thing': 309755, 'and repeat': 70250, 'repeat here': 711518, 'approach is simply': 82961, 'simply to get': 770306, 'to get insight': 906511, 'get insight fix': 347353, 'insight fix thing': 439534, 'fix thing and': 309756, 'thing and repeat': 884132, 'and repeat here': 70251, 'repeat here step': 711519, 'here step guide': 393603, 'gout': 359518, 'seriousness is': 751813, 'is gout': 448165, 'gout symptom': 359519, 'week eating': 976183, 'drinking whatever': 258951, 'whatever shite': 982794, 'shite can': 759312, 'my left': 548999, 'left foot': 485459, 'foot hurt': 318386, 'hurt like': 411591, 'like fuck': 490288, 'all seriousness is': 44281, 'seriousness is gout': 751814, 'is gout symptom': 448166, 'gout symptom of': 359520, '19 because have': 5328, 'because have been': 119096, 'home now for': 401685, 'now for week': 574730, 'for week eating': 327703, 'week eating and': 976184, 'eating and drinking': 266173, 'and drinking whatever': 61738, 'drinking whatever shite': 258952, 'whatever shite can': 982795, 'shite can find': 759313, 'supermarket and my': 819020, 'and my left': 67376, 'my left foot': 549000, 'left foot hurt': 485460, 'foot hurt like': 318387, 'hurt like fuck': 411592, 'little flu': 495344, 'constantly fleeing': 195665, 'fleeing bombing': 310306, 'bombing no': 134209, 'no land': 564574, 'is sign': 451917, 'for recognized': 325022, 'recognized vulnerable': 704667, 'god spread little': 354804, 'spread little flu': 790611, 'little flu called': 495345, 'is in state': 448817, 'socialdistancing there is': 780802, 'there is part': 878605, 'world that is': 1010044, 'at war constantly': 101491, 'war constantly fleeing': 966400, 'constantly fleeing bombing': 195666, 'fleeing bombing no': 310307, 'bombing no house': 134210, 'house no land': 406415, 'no land occupied': 564575, 'land occupied by': 479275, 'occupied by food': 579008, 'by food this': 152617, 'this is sign': 888398, 'is sign for': 451918, 'sign for recognized': 769124, 'for recognized vulnerable': 325023, 'recognized vulnerable humanity': 704668, 'vendor stock': 954408, 'stock boy': 801934, 'boy me': 137271, 'and bagger': 58653, 'bagger all': 108496, 'all touched': 45276, 'food then': 317143, 'they grabbed': 882230, 'grabbed my': 361566, 'my membership': 549234, 'membership card': 528275, 'card out': 163607, 'to scan': 913875, 'scan it': 740700, 'store the vendor': 810628, 'the vendor stock': 870684, 'vendor stock boy': 954409, 'stock boy me': 801936, 'boy me the': 137272, 'the cashier and': 850481, 'cashier and bagger': 166453, 'and bagger all': 58654, 'bagger all touched': 108497, 'all touched my': 45277, 'touched my food': 926629, 'my food then': 548390, 'food then they': 317145, 'then they grabbed': 877656, 'they grabbed my': 882232, 'grabbed my membership': 361567, 'my membership card': 549235, 'membership card out': 528276, 'card out of': 163608, 'of my hand': 586776, 'hand to scan': 375872, 'to scan it': 913876, 'scan it all': 740701, 'it all with': 456389, 'mysuru': 551023, 'mysuru supermarket': 551026, 'staff arrested': 792220, 'refusing entry': 707081, 'from northeast': 336600, 'northeast mysuru': 567726, 'mysuru racism': 551024, 'racism 21daylockdown': 695268, '21daylockdown northeastindia': 15105, 'mysuru supermarket staff': 551027, 'supermarket staff arrested': 822815, 'staff arrested for': 792221, 'arrested for refusing': 93845, 'for refusing entry': 325068, 'refusing entry to': 707082, 'entry to student': 279035, 'to student from': 915695, 'student from northeast': 814692, 'from northeast mysuru': 336601, 'northeast mysuru racism': 567727, 'mysuru racism 21daylockdown': 551025, 'racism 21daylockdown northeastindia': 695269, 'government the': 360678, 'challenge by': 171419, 'technology expertise': 836292, 'expertise to': 292037, 'develop an': 239624, 'collaboration with the': 185942, 'the government the': 856609, 'government the tech': 360681, 'the tech startup': 869229, 'startup is stepping': 795117, '19 challenge by': 5755, 'challenge by using': 171420, 'by using it': 154649, 'using it technology': 950538, 'it technology expertise': 461454, 'technology expertise to': 836293, 'expertise to develop': 292038, 'to develop an': 904243, 'develop an online': 239625, 'directory for grocery': 243691, 'shopping during lockdown': 762537, 'seen nothing': 747153, 'nothing yet': 573237, 'mind food': 532662, 'any alcohol': 78911, 'see through': 745966, 'it sarscov2': 460869, 'you thought that': 1021719, 'thought that the': 893236, 'bad you ain': 108091, 'ain seen nothing': 39654, 'seen nothing yet': 747154, 'nothing yet never': 573238, 'never mind food': 558117, 'mind food what': 532663, 'cannot get any': 161870, 'get any alcohol': 346570, 'any alcohol to': 78912, 'to help see': 907620, 'help see through': 390500, 'see through it': 745967, 'through it sarscov2': 894541, 'it sarscov2 panicbuying': 460870, 'timeforchange': 898449, 'will read': 994571, 'strongly agree': 814214, 'will anything': 992292, 'anything change': 80707, 'after timeforchange': 36428, 'people that will': 649784, 'that will read': 847603, 'will read this': 994572, 'this and strongly': 886348, 'and strongly agree': 72594, 'strongly agree and': 814215, 'agree and will': 38593, 'and will anything': 75657, 'will anything change': 992293, 'anything change after': 80708, 'change after timeforchange': 171890, 'furlough what': 341904, 'right how': 721942, 'affect you': 34271, 'furlough what are': 341905, 'are your right': 91897, 'your right how': 1025633, 'right how will': 721943, 'it affect you': 456289, 'affect you and': 34272, 'you and how': 1016993, 'it last via': 459305, 'luring': 506833, 'so conditioned': 776778, 'conditioned by': 193573, 'when tempting': 984115, 'tempting deal': 837751, 'deal are': 229342, 'just too': 470126, 'too exciting': 924718, 'exciting for': 289597, 'danger involved': 225656, 'involved cheap': 444344, 'cheap fare': 174106, 'fare luring': 299032, 'luring traveler': 506834, 'traveler to': 930627, 'fly despite': 311605, 'pandemic risk': 636366, 'risk reward': 723852, 'you know we': 1019538, 'are so conditioned': 90193, 'so conditioned by': 776779, 'conditioned by the': 193574, 'good industry when': 357261, 'industry when tempting': 436232, 'when tempting deal': 984116, 'tempting deal are': 837752, 'deal are just': 229343, 'are just too': 87641, 'just too exciting': 470127, 'too exciting for': 924719, 'exciting for to': 289598, 'for to care': 327216, 'to care about': 902457, 'the danger involved': 852825, 'danger involved cheap': 225657, 'involved cheap fare': 444345, 'cheap fare luring': 174107, 'fare luring traveler': 299033, 'luring traveler to': 506835, 'traveler to fly': 930628, 'to fly despite': 906032, 'fly despite pandemic': 311606, 'despite pandemic risk': 238815, 'pandemic risk reward': 636367, 'hear concern': 387897, 'were guarantee': 979709, 'these could': 879813, 'be honored': 115298, 'honored elsewhere': 403276, 'elsewhere or': 272021, 'or refunded': 616824, 'refunded it': 706991, 'could build': 208975, 'give money': 350594, 'hear concern about': 387898, 'concern about purchasing': 192899, 'about purchasing gift': 26029, 'card because some': 163471, 'because some restaurant': 119572, 'some restaurant may': 783753, 'restaurant may not': 716568, 'may not survive': 521391, 'not survive if': 571877, 'survive if there': 829187, 'if there were': 415079, 'there were guarantee': 879317, 'were guarantee that': 979710, 'guarantee that these': 367719, 'that these could': 846912, 'these could be': 879814, 'could be honored': 208881, 'be honored elsewhere': 115299, 'honored elsewhere or': 403277, 'elsewhere or refunded': 272022, 'or refunded it': 616825, 'refunded it could': 706992, 'it could build': 457354, 'could build consumer': 208976, 'build consumer confidence': 141962, 'confidence and give': 193817, 'and give money': 63664, 'give money to': 350595, 'money to local': 537110, 'limittheflowofcustomers': 492895, 'be hour': 115310, 'hour today': 406041, 'with lineup': 999241, 'lineup that': 493677, 'thing guess': 884380, 'guess socialdistancing': 368036, 'socialdistancing limittheflowofcustomers': 780492, 'store is gonna': 808495, 'gonna be hour': 356472, 'be hour today': 115311, 'hour today with': 406042, 'today with lineup': 920554, 'with lineup that': 999242, 'lineup that not': 493678, 'that not bad': 845383, 'not bad thing': 568326, 'bad thing guess': 108042, 'thing guess socialdistancing': 884381, 'guess socialdistancing limittheflowofcustomers': 368037, 'being low': 125403, 'as indoors': 94763, 'all are happy': 42043, 'are happy about': 87009, 'happy about gas': 377575, 'gas price being': 343935, 'price being low': 672896, 'being low but': 125404, 'go is keeping': 353774, 'your as indoors': 1022845, 'pelosibill': 646378, 'pelosimustresign': 646380, 'wearing earring': 974614, 'earring that': 264961, 'are roll': 89737, 'while promoting': 987178, 'promoting her': 683842, 'her package': 392281, 'package she': 633390, 'literally mocking': 495042, 'mocking usa': 535139, 'usa and': 948587, 'face pelosibill': 294699, 'pelosibill pelosimustresign': 646379, 'is wearing earring': 453810, 'wearing earring that': 974615, 'earring that are': 264962, 'that are roll': 842809, 'are roll of': 89738, 'toiletpaper while promoting': 922841, 'while promoting her': 987179, 'promoting her package': 683843, 'her package she': 392282, 'package she is': 633391, 'she is literally': 756156, 'is literally mocking': 449391, 'literally mocking usa': 495043, 'mocking usa and': 535140, 'usa and it': 948588, 'and it citizen': 65496, 'it citizen to': 457140, 'citizen to our': 178985, 'to our face': 911178, 'our face pelosibill': 622976, 'face pelosibill pelosimustresign': 294700, '489': 19356, 'cut most': 223430, 'it crude': 457426, 'crude pricing': 219605, 'pricing hammer': 677930, 'hammer demand': 374571, 'demand noon': 235925, 'price 59': 672168, '59 92': 20560, '92 489': 23464, '489 observe': 19357, 'observe amp': 578571, 'cut most of': 223432, 'of it crude': 585381, 'it crude pricing': 457427, 'crude pricing hammer': 219606, 'pricing hammer demand': 677931, 'hammer demand noon': 374573, 'demand noon price': 235926, 'noon price 59': 566858, 'price 59 92': 672169, '59 92 489': 20561, '92 489 observe': 23465, '489 observe amp': 19358, 'observe amp here': 578572, 'amp here 19': 53938, 'contrarian': 201828, 'contrarian thought': 201829, 'every crisis': 285772, 'been met': 121523, 'solution the': 782084, 'different use': 242120, 'your vacation': 1026263, 'vacation cruiseships': 951582, 'cruiseships airline': 219723, 'hotel for': 405150, 'price same': 676290, 'contrarian thought for': 201830, 'the day every': 852879, 'day every crisis': 227576, 'every crisis ha': 285773, 'crisis ha always': 217431, 'always been met': 49490, 'been met with': 121524, 'met with solution': 529604, 'with solution the': 1000834, 'solution the will': 782085, 'no different use': 564019, 'different use the': 242121, 'use the temporary': 949692, 'the temporary shutdown': 869284, 'temporary shutdown to': 837692, 'shutdown to book': 768113, 'to book your': 901903, 'book your vacation': 134648, 'your vacation cruiseships': 1026264, 'vacation cruiseships airline': 951583, 'cruiseships airline and': 219724, 'airline and hotel': 39919, 'and hotel for': 64769, 'hotel for the': 405152, 'next year at': 561725, 'year at bargain': 1014419, 'bargain price same': 111065, 'price same go': 676291, 'go for the': 353575, 'for the stockmarket': 326707, 'vetted': 955752, 'hope our': 403588, 'only doing': 610349, 'supplier who': 824641, 'been properly': 121714, 'properly vetted': 684218, 'vetted it': 955753, 'be infuriating': 115499, 'infuriating to': 438264, 'govt process': 361245, 'process reward': 679955, 'reward foreign': 720776, 'foreign or': 328996, 'or domestic': 615045, 'domestic bad': 253169, 'actor at': 30570, 'hope our leader': 403590, 'leader are only': 483427, 'are only doing': 88764, 'only doing business': 610350, 'doing business with': 252323, 'business with supplier': 144705, 'with supplier who': 1001074, 'supplier who have': 824643, 'have been properly': 379642, 'been properly vetted': 121715, 'properly vetted it': 684219, 'vetted it would': 955754, 'would be infuriating': 1011608, 'be infuriating to': 115500, 'infuriating to see': 438265, 'see the govt': 745837, 'the govt process': 856671, 'govt process reward': 361246, 'process reward foreign': 679956, 'reward foreign or': 720777, 'foreign or domestic': 328997, 'or domestic bad': 615046, 'domestic bad actor': 253170, 'bad actor at': 107743, 'actor at high': 30571, 'high price if': 395253, 'price if other': 674618, 'if other supplier': 414572, 'other supplier are': 621031, 'supplier are available': 824493, 'are available if': 84710, 'available if possible': 104427, 'knowyoursocial': 477273, 'big story': 130016, 'story coronavirus': 811945, 'hold across': 399885, 'online trend': 609637, 'extend well': 293139, 'well beyond': 978067, 'crisis itself': 217614, 'itself socialmedia': 463955, 'socialmedia knowyoursocial': 781088, 'the big story': 849623, 'big story coronavirus': 130018, 'story coronavirus leading': 811946, 'behavior with 19': 124316, 'with 19 lockdown': 996966, 'lockdown taking hold': 499993, 'taking hold across': 833392, 'hold across the': 399886, 'seeing the emergence': 746492, 'of new online': 586978, 'new online trend': 559215, 'online trend which': 609638, 'trend which may': 931514, 'which may extend': 986137, 'may extend well': 521164, 'extend well beyond': 293140, 'well beyond the': 978068, 'beyond the crisis': 129244, 'the crisis itself': 852396, 'crisis itself socialmedia': 217615, 'itself socialmedia knowyoursocial': 463956, 'stepson': 799822, 'godson': 354898, '2nd walk': 16807, 'walk of': 964836, 'day sunbathing': 228429, 'sunbathing actually': 818114, 'actually getting': 30808, 'your aunty': 1022878, 'aunty stepson': 103018, 'stepson cousin': 799823, 'cousin godson': 212084, 'godson who': 354899, 'government telling': 360666, 'on voice': 605067, 'voice note': 959988, 'that army': 842863, 'army tank': 93045, 'tank are': 834189, '2nd walk of': 16808, 'walk of the': 964837, 'the day sunbathing': 852914, 'day sunbathing actually': 228430, 'sunbathing actually getting': 818115, 'actually getting covid': 30809, '19 your aunty': 12281, 'your aunty stepson': 1022879, 'aunty stepson cousin': 103019, 'stepson cousin godson': 799824, 'cousin godson who': 212085, 'godson who work': 354900, 'the government telling': 856607, 'government telling you': 360668, 'telling you on': 837299, 'you on voice': 1020195, 'on voice note': 605068, 'voice note that': 959989, 'note that army': 572798, 'that army tank': 842864, 'army tank are': 93046, 'tank are coming': 834190, 'coming in to': 188099, 'in to prevent': 430134, 'to prevent you': 912102, 'prevent you going': 671769, 'plummet economy': 661275, 'economy continues': 267779, 'continues shrinking': 201439, 'shrinking the': 767717, 'shutdown continue': 768013, 'felt but': 303366, 'bad consumer': 107817, 'most since': 542745, 'since 2015': 770467, '2015 dropping': 13810, 'march cnbc': 515318, 'cnbc price': 184726, 'consumer price plummet': 198427, 'price plummet economy': 675903, 'plummet economy continues': 661276, 'economy continues shrinking': 267780, 'continues shrinking the': 201440, 'shrinking the effect': 767718, '19 economic shutdown': 6703, 'economic shutdown continue': 267283, 'shutdown continue to': 768014, 'be felt but': 114823, 'felt but for': 303367, 'for consumer it': 320269, 'consumer it not': 197962, 'not all bad': 568100, 'all bad consumer': 42108, 'bad consumer price': 107818, 'the most since': 861036, 'most since 2015': 542746, 'since 2015 dropping': 770469, '2015 dropping in': 13811, 'in march cnbc': 425089, 'march cnbc price': 515319, 'cnbc price had': 184727, 'price had seen': 674397, 'florida aren': 310905, 'ontario ont': 611619, 'ont premier': 611566, 'ford wa': 328789, 'wa critical': 961899, 'critical of': 218621, 'of traveller': 592434, 'canada who': 160612, 'who reportedly': 989536, 'reportedly ignored': 712579, 'ignored advice': 415861, 'home full': 401281, 'full coverage': 340543, 'coverage here': 212355, 'rule in florida': 727263, 'in florida aren': 422936, 'florida aren the': 310906, 'aren the rule': 92556, 'the rule here': 866046, 'rule here in': 727251, 'here in ontario': 393174, 'in ontario ont': 426184, 'ontario ont premier': 611620, 'ont premier doug': 611567, 'doug ford wa': 256256, 'ford wa critical': 328790, 'wa critical of': 961900, 'critical of traveller': 218623, 'of traveller returning': 592435, 'traveller returning to': 930678, 'returning to canada': 720022, 'to canada who': 902415, 'canada who reportedly': 160613, 'who reportedly ignored': 989537, 'reportedly ignored advice': 712580, 'ignored advice to': 415862, 'advice to quarantine': 33534, 'to quarantine in': 912642, 'quarantine in their': 692290, 'their home full': 873563, 'home full coverage': 401282, 'full coverage here': 340544, 'quakertown': 691694, 'quakertown distiller': 691695, 'distiller providing': 247714, 'providing hand': 687022, 'in lancaster': 424579, 'lancaster county': 479235, 'quakertown distiller providing': 691696, 'distiller providing hand': 247715, 'providing hand sanitizer': 687023, 'sanitizer in lancaster': 735144, 'in lancaster county': 424580, 'lancaster county pa': 479236, 'poking': 662850, 'butthole': 148187, 'using le': 950540, 'le toilet': 483209, 'paper given': 640207, 'that finger': 843879, 'finger poking': 307813, 'poking through': 662851, 'to dirty': 904331, 'dirty butthole': 243729, 'butthole anxiety': 148188, 'know we should': 476932, 'be using le': 117942, 'using le toilet': 950541, 'le toilet paper': 483210, 'toilet paper given': 921284, 'paper given the': 640208, 'given the supply': 351162, 'the supply but': 868940, 'supply but that': 824868, 'but that finger': 147287, 'that finger poking': 843880, 'finger poking through': 307814, 'poking through to': 662852, 'through to dirty': 894865, 'to dirty butthole': 904332, 'dirty butthole anxiety': 243730, 'butthole anxiety is': 148189, 'anxiety is for': 78733, 'is for real': 447890, 'for real toiletpaper': 324994, 'biggest order': 130286, 'history click': 398013, 'for the biggest': 326323, 'the biggest order': 849667, 'biggest order of': 130287, 'order of toilet': 618449, 'paper in history': 640322, 'in history click': 423749, 'history click to': 398014, 'click to donate': 181959, 'to donate via': 904657, 'donate via 19': 254282, 'via 19 stayathome': 955779, '19 stayathome toiletpaper': 10815, 'month shoppingcart': 537998, 'shoppingcart personalfinance': 764501, 'went up in': 979217, 'in my country': 425557, 'my country can': 547811, 'country can you': 210540, 'can you compare': 160288, 'you compare price': 1017999, 'compare price in': 191403, 'in your country': 431070, 'your country in': 1023358, 'country in last': 210776, 'in last month': 424604, 'last month shoppingcart': 480341, 'month shoppingcart personalfinance': 537999, 'who run': 989549, 'again what': 37265, 'afford treatment': 34817, 'just die': 468594, 'and can pay': 59464, 'can pay rent': 159204, 'pay rent this': 645086, 'rent this month': 711195, 'this month what': 888923, 'month what happens': 538111, 'people who run': 650336, 'who run out': 989550, 'food during and': 314317, 'during and can': 262452, 'and can stock': 59476, 'stock up again': 803052, 'up again what': 944237, 'again what happens': 37266, 'can afford treatment': 157412, 'afford treatment do': 34818, 'treatment do they': 931063, 'do they just': 250308, 'they just die': 882492, 'on scrap': 603339, 'scrap metal': 742584, '19 it effect': 8133, 'effect on scrap': 269095, 'on scrap metal': 603340, 'scrap metal price': 742585, 'policy list': 663437, 'change because': 171946, 'store return policy': 809884, 'return policy list': 719885, 'policy list of': 663438, 'retailer with change': 719436, 'with change because': 997599, 'change because of': 171947, 'trustedsource': 934358, 'from mintel': 336442, 'mintel expert': 533669, 'expert trusted': 292006, 'source how': 786493, 'wellness reacting': 978852, 'pandemic marketresearch': 635933, 'consumerinsights consumerbehavior': 199698, 'consumerbehavior trustedsource': 199627, 'learn from mintel': 483966, 'from mintel expert': 336443, 'mintel expert trusted': 533670, 'expert trusted source': 292007, 'trusted source how': 934350, 'source how consumer': 786494, 'and wellness reacting': 75424, 'wellness reacting to': 978853, 'the pandemic marketresearch': 863020, 'pandemic marketresearch consumerinsights': 635934, 'marketresearch consumerinsights consumerbehavior': 517853, 'consumerinsights consumerbehavior trustedsource': 199699, 'rmb2': 724277, 'rmb790': 724286, 'coronavirus brings': 205576, 'brings in': 140249, 'in collapse': 421545, 'chinese aluminium': 177186, 'price alumina': 672296, 'by rmb2': 153823, 'rmb2 while': 724278, 'while a00': 986558, 'see never': 745477, 'before plunge': 123015, 'plunge of': 661445, 'of rmb790': 589139, 'rmb790 collapse': 724287, 'collapse chinese': 185983, 'aluminium alumina': 49420, 'alumina a00aluminium': 49411, 'ingot alcircle': 438331, 'coronavirus brings in': 205577, 'brings in collapse': 140250, 'in collapse in': 421546, 'collapse in chinese': 186011, 'in chinese aluminium': 421452, 'chinese aluminium price': 177188, 'aluminium price alumina': 49431, 'price alumina price': 672297, 'alumina price decline': 49415, 'decline by rmb2': 231316, 'by rmb2 while': 153824, 'rmb2 while a00': 724279, 'while a00 aluminium': 986559, 'ingot price see': 438337, 'price see never': 676323, 'see never before': 745478, 'never before plunge': 557914, 'before plunge of': 123016, 'plunge of rmb790': 661446, 'of rmb790 collapse': 589140, 'rmb790 collapse chinese': 724288, 'collapse chinese aluminium': 185984, 'chinese aluminium alumina': 177187, 'aluminium alumina a00aluminium': 49421, 'alumina a00aluminium ingot': 49412, 'a00aluminium ingot alcircle': 24053, 'ingot alcircle news': 438332, 'dear pharmacy': 229847, 'pocket sized': 662202, 'sized handsanitizer': 772826, 'handsanitizer they': 376661, 'better pricegouging': 128428, 'dear pharmacy are': 229848, 'pharmacy are charging': 654233, 'charging for the': 173481, 'for the pocket': 326623, 'the pocket sized': 863888, 'pocket sized handsanitizer': 662203, 'sized handsanitizer they': 772827, 'handsanitizer they tell': 376662, 'they tell me': 883538, 'me you have': 524049, 'so they have': 778472, 'have to pas': 383261, 'to pas it': 911486, 'it on you': 460068, 'do better pricegouging': 249138, 'to trash': 917717, 'woman coughing': 1003455, 'gerrity supermarket forced': 346401, 'forced to trash': 328665, 'to trash 35': 917718, 'after woman coughing': 36558, 'woman coughing prank': 1003456, 'asking your': 96116, 'receive annual': 703440, 'bonus something': 134398, 'something many': 784967, 'got rid': 358819, 'their pay': 874256, 'pay rose': 645100, 'year coronacrisisuk': 1014486, 'retail worker by': 718874, 'worker by asking': 1006569, 'by asking your': 151896, 'asking your store': 96117, 'your store to': 1025995, 'sure they receive': 827743, 'they receive annual': 883165, 'receive annual bonus': 703441, 'annual bonus something': 77388, 'bonus something many': 134399, 'something many store': 784968, 'many store got': 514737, 'store got rid': 807960, 'got rid of': 358820, 'rid of with': 721402, 'of with their': 593212, 'with their pay': 1001590, 'their pay rose': 874258, 'pay rose last': 645101, 'rose last year': 726080, 'last year coronacrisisuk': 480721, 'year coronacrisisuk coronacrisis': 1014487, 'coronacrisisuk coronacrisis retail': 204881, 'news keep': 560575, 'consumer line': 198047, 'line operation': 493334, 'consumer news keep': 198214, 'news keep an': 560576, 'eye on consumer': 294075, 'on consumer news': 600063, 'consumer news for': 198213, 'our consumer line': 622538, 'consumer line operation': 198048, 'line operation during': 493335, 'operation during covid': 613177, 'kir': 475395, 'ranchi ranchi': 696556, 'ranchi sir': 696558, 'of kir': 585653, 'ranchi ranchi sir': 696557, 'ranchi sir please': 696559, 'front of kir': 338640, 'oilprice spell': 597638, 'spell recession': 788526, 'for kazakhstan': 322807, 'kazakhstan gdp': 471170, 'gdp to': 344913, 'fall coronacrisis': 296882, 'oilprice spell recession': 597639, 'spell recession for': 788527, 'recession for kazakhstan': 704274, 'for kazakhstan gdp': 322808, 'kazakhstan gdp to': 471171, 'gdp to fall': 344914, 'to fall coronacrisis': 905626, 'emeka': 272524, 'offor': 596072, 'monetery': 536557, 'emeka offor': 272525, 'offor ha': 596073, 'making monetery': 511221, 'monetery donation': 536558, 'donation regard': 254679, 'regard covid': 707133, 'should rather': 766364, 'rather focus': 697459, 'giving electricity': 351273, 'electricity consumer': 271162, 'money especially': 536728, 'this sit': 890163, 'home period': 401845, 'preserve thier': 670707, 'thier food': 884027, 'emeka offor ha': 272526, 'offor ha no': 596074, 'ha no business': 371330, 'no business making': 563741, 'business making monetery': 144027, 'making monetery donation': 511222, 'monetery donation regard': 536559, 'donation regard covid': 254680, 'regard covid 19': 707134, '19 he should': 7476, 'he should rather': 385440, 'should rather focus': 766365, 'rather focus more': 697460, 'more on giving': 539919, 'on giving electricity': 601095, 'giving electricity consumer': 351274, 'electricity consumer value': 271163, 'consumer value for': 199439, 'value for their': 952127, 'for their money': 326850, 'their money especially': 873998, 'money especially at': 536729, 'at this sit': 101256, 'this sit at': 890164, 'at home period': 99081, 'home period for': 401846, 'period for them': 651766, 'able to preserve': 24522, 'to preserve thier': 912022, 'preserve thier food': 670708, 'thier food stock': 884028, 'latest line': 481421, 'of skin': 589760, 'skin so': 773083, 'so soft': 778240, 'soft product': 781481, 'product today': 681770, 'today buy': 919343, 'current catalog': 221120, 'catalog price': 166914, 'favorite in': 300521, 'store delivered': 807284, 'our facility': 622983, 'facility are': 295302, 'taking utmost': 833657, 'utmost care': 951385, 'see our latest': 745528, 'our latest line': 623668, 'latest line of': 481422, 'line of skin': 493313, 'of skin so': 589761, 'skin so soft': 773084, 'so soft product': 778241, 'soft product today': 781483, 'product today buy': 681771, 'today buy at': 919344, 'buy at current': 148378, 'at current catalog': 98389, 'current catalog price': 221121, 'catalog price and': 166915, 'price and many': 672464, 'many more of': 514310, 'more of your': 539895, 'your favorite in': 1023826, 'favorite in my': 300522, 'my store delivered': 550216, 'store delivered to': 807285, 'your home our': 1024366, 'home our facility': 401801, 'our facility are': 622985, 'facility are taking': 295303, 'are taking utmost': 90739, 'taking utmost care': 833658, 'utmost care with': 951386, 'care with product': 164272, 'with product in': 1000329, 'view of covid': 957122, 'stalled after': 793387, 'fuelled oil': 340357, 'crash more': 215005, 'being delayed': 125027, 'ha stalled after': 372035, 'stalled after the': 793388, 'the coronavirus fuelled': 851855, 'coronavirus fuelled oil': 205971, 'fuelled oil price': 340358, 'price crash more': 673325, 'crash more than': 215006, 'decision are being': 231006, 'are being delayed': 84843, 'being delayed by': 125028, 'how spending': 408732, 'pattern could': 644459, 'the evolves': 854642, 'evolves after': 288528, 'an interesting piece': 56407, 'interesting piece from': 441588, 'piece from look': 656304, 'at how spending': 99231, 'how spending pattern': 408733, 'spending pattern could': 788947, 'pattern could change': 644460, 'change the evolves': 172292, 'the evolves after': 854643, 'evolves after the': 288529, 'mange': 513110, 'whilst appreciating': 987607, 'appreciating need': 82860, 'risk mange': 723679, 'mange exposure': 513111, 'access online': 28165, 'reason hand': 702925, 'there bank': 878204, 'volunteer so': 960333, 'can socialcare': 159659, 'socialcare volunteer': 780031, 'volunteer shop': 960327, 'cash and covid': 166157, '19 whilst appreciating': 12057, 'whilst appreciating need': 987608, 'appreciating need to': 82861, 'need to risk': 556052, 'to risk mange': 913599, 'risk mange exposure': 723680, 'mange exposure to': 513112, '19 many in': 8546, 'many in isolation': 514166, 'isolation can access': 455228, 'can access online': 157355, 'access online shopping': 28166, 'shopping and can': 761969, 'can not for': 159045, 'not for obvious': 569494, 'obvious reason hand': 578799, 'reason hand over': 702926, 'hand over there': 375171, 'over there bank': 630807, 'there bank card': 878205, 'bank card to': 109714, 'card to volunteer': 163689, 'to volunteer so': 918233, 'volunteer so how': 960334, 'how can socialcare': 407517, 'can socialcare volunteer': 159660, 'socialcare volunteer shop': 780032, 'update health': 947017, 'begin random': 123558, 'random virus': 696623, 'live update health': 496096, 'update health ministry': 947018, 'ministry to begin': 533575, 'to begin random': 901713, 'begin random virus': 123559, 'random virus testing': 696624, 'virus testing in': 958858, 'testing in supermarket': 839517, 'more focused': 539227, 'than ny': 840958, 'ny statistic': 577915, 'statistic today': 796595, 'today watch': 920463, 'how enthusiastically': 407806, 'enthusiastically and': 278633, 'engaged he': 276870, 'answer any': 78013, 'trump is more': 933651, 'is more focused': 449707, 'more focused on': 539228, 'focused on energy': 311951, 'on energy market': 600564, 'energy market than': 276499, 'market than ny': 517172, 'than ny statistic': 840959, 'ny statistic today': 577916, 'statistic today watch': 796596, 'today watch how': 920464, 'watch how enthusiastically': 968443, 'how enthusiastically and': 407807, 'enthusiastically and engaged': 278634, 'and engaged he': 62141, 'engaged he answer': 276871, 'he answer any': 384751, 'answer any question': 78014, 'any question on': 79719, 'question on this': 693682, 'on this topic': 604640, 'price the pandemic': 676853, 'facet': 295203, 'january yougov': 464698, 'yougov ha': 1022529, 'been gathering': 121196, 'gathering data': 344452, 'different facet': 241939, 'facet of': 295204, 'it shifting': 461017, 'how voter': 409151, 'voter are': 960573, 'are participating': 88986, 'in democracy': 422175, 'democracy to': 236689, 'impacted explore': 418107, 'explore our': 292491, 'our finding': 623072, 'since january yougov': 770683, 'january yougov ha': 464699, 'yougov ha been': 1022530, 'ha been gathering': 369814, 'been gathering data': 121197, 'gathering data on': 344453, 'on how different': 601394, 'how different facet': 407694, 'different facet of': 241940, 'facet of america': 295205, 'of america are': 580037, 'america are being': 51465, 'are being affected': 84828, '19 from how': 7125, 'from how it': 335960, 'how it shifting': 408140, 'it shifting consumer': 461018, 'behavior to how': 124257, 'to how voter': 908030, 'how voter are': 409152, 'voter are participating': 960574, 'are participating in': 88987, 'participating in democracy': 642569, 'in democracy to': 422176, 'democracy to how': 236690, 'to how brand': 908019, 'brand are impacted': 137746, 'are impacted explore': 87320, 'impacted explore our': 418108, 'explore our finding': 292492, 'idea after': 413001, 'we beat': 970825, 'be joyful': 115579, 'joyful lower': 467541, 'remaining portion': 709977, 'portion to': 665028, 'employee what': 274406, 'celebrate at': 168782, 'happiest place': 377547, 'earth what': 265014, 'you th': 1021552, 'have great idea': 380832, 'great idea after': 362725, 'idea after we': 413002, 'after we beat': 36514, 'we beat the': 970826, 'beat the world': 118566, 'world will be': 1010186, 'will be joyful': 992523, 'be joyful lower': 115580, 'joyful lower your': 467542, 'lower your ticket': 506059, 'your ticket price': 1026158, 'price and give': 672424, 'give the remaining': 350751, 'the remaining portion': 865496, 'remaining portion to': 709978, 'portion to your': 665029, 'to your employee': 918976, 'your employee what': 1023664, 'employee what great': 274407, 'what great way': 981522, 'way to celebrate': 969997, 'to celebrate at': 902551, 'celebrate at the': 168783, 'at the happiest': 100971, 'the happiest place': 857092, 'happiest place on': 377548, 'place on earth': 657615, 'on earth what': 600475, 'earth what do': 265015, 'do you th': 250688, 'paisley say': 634391, 'brad paisley say': 137531, 'paisley say his': 634392, 'say his free': 738761, 'his free grocery': 397450, 'deliver to senior': 233251, 'to senior in': 914234, 'senior in need': 750337, 'hey hoarder': 394415, 'wait hr': 964134, 'hr in': 409631, 'hey hoarder stop': 394416, 'hoarder stop buying': 399110, 'working and by': 1008496, 'is all gone': 445457, 'to wait hr': 918264, 'wait hr in': 964135, 'hr in the': 409633, 'wa forever': 962162, 'forever when': 329157, 'fittest just': 309548, 'until grocery': 943730, 'are after': 84269, 'opportunity to understand': 613735, 'that if this': 844425, 'this wa forever': 891063, 'wa forever when': 962163, 'forever when it': 329158, 'when it survival': 983650, 'it survival of': 461402, 'the fittest just': 855383, 'fittest just wait': 309549, 'wait until grocery': 964241, 'until grocery store': 943731, 'grocery store close': 365286, 'store close because': 807049, 'close because they': 182566, 'they are after': 881193, 'are after all': 84270, 'after all place': 35330, 'all place of': 43965, 'place of gathering': 657600, 'of gathering of': 584058, 'absolutely appalled': 27317, 'appalled that': 81826, 'that vulnerable': 847265, 'serious mental': 751426, 'problem cannot': 679492, 'even shop': 284564, 'bulk have': 142313, 'trouble going': 932617, 'hope shame': 403616, 'am absolutely appalled': 49847, 'absolutely appalled that': 27318, 'appalled that vulnerable': 81828, 'that vulnerable person': 847267, 'vulnerable person with': 961120, 'person with serious': 652748, 'with serious mental': 1000645, 'serious mental health': 751427, 'health problem cannot': 386755, 'problem cannot even': 679493, 'cannot even shop': 161801, 'even shop online': 284565, 'shop online for': 760569, 'for grocery because': 322024, 'the selfish people': 866670, 'selfish people buying': 748206, 'people buying in': 647347, 'in bulk have': 421039, 'bulk have trouble': 142314, 'have trouble going': 383414, 'trouble going out': 932618, 'out so online': 627204, 'so online shopping': 777953, 'shopping is my': 763061, 'my only hope': 549590, 'only hope shame': 610610, 'hope shame on': 403617, 'dhaka': 240092, 'to accessing': 899965, 'accessing healthcare': 28363, 'still top': 801325, 'priority especially': 678563, 'especially here': 280502, 'in bangladesh': 420696, 'bangladesh even': 109502, 'pre time': 669216, 'finding good': 307479, 'good doctor': 356980, 'doctor wa': 251152, 'difficult task': 242269, 'of dhaka': 582572, 'dhaka citizen': 240093, 'consumer demand to': 197170, 'demand to accessing': 236387, 'to accessing healthcare': 899966, 'accessing healthcare is': 28364, 'healthcare is still': 387153, 'is still top': 452320, 'still top priority': 801326, 'top priority especially': 925679, 'priority especially here': 678564, 'especially here in': 280503, 'here in bangladesh': 393135, 'in bangladesh even': 420697, 'bangladesh even in': 109503, 'the pre time': 864201, 'pre time finding': 669217, 'time finding good': 896663, 'finding good doctor': 307480, 'good doctor wa': 356981, 'doctor wa difficult': 251153, 'wa difficult task': 961975, 'difficult task for': 242270, 'majority of dhaka': 509556, 'of dhaka citizen': 582573, 'bury': 142973, 'thx having': 895547, 'having mom': 384164, 'mom on': 535781, 'on whose': 605302, 'whose 27': 990615, '27 yr': 16322, 'daughter died': 226834, 'no parent': 565063, 'should bury': 765800, 'bury their': 142982, 'thx having mom': 895548, 'having mom on': 384165, 'mom on whose': 535782, 'on whose 27': 605303, 'whose 27 yr': 990616, '27 yr old': 16323, 'old daughter died': 598210, 'daughter died from': 226835, 'died from working': 241562, 'from working at': 338425, 'store no parent': 809083, 'no parent should': 565064, 'parent should bury': 641726, 'should bury their': 765801, 'bury their child': 142983, 'opportunist are': 613553, 'making robocalls': 511310, 'offer hvac': 594656, 'hvac duct': 411865, 'duct cleaning': 261562, 'cleaning way': 181122, 'tip federal': 898756, 'federal communication': 301962, 'communication commission': 189584, 'opportunist are also': 613554, 'are also making': 84465, 'also making robocalls': 48510, 'making robocalls to': 511311, 'to offer hvac': 910837, 'offer hvac duct': 594657, 'hvac duct cleaning': 411866, 'duct cleaning way': 261563, 'cleaning way to': 181123, 'protect your home': 685065, 'home and family': 400640, 'and family from': 62660, 'family from the': 297829, 'safety tip federal': 730764, 'tip federal communication': 898757, 'federal communication commission': 301963, 'tunisian': 935469, 'world fight': 1009548, 'in tunisian': 430325, 'tunisian supermarket': 935470, 'sit alone': 771810, 'alone like': 46879, 'like bad': 489852, 'bad leftover': 107917, 'leftover no': 485784, 'the world fight': 871869, 'world fight over': 1009549, 'paper in tunisian': 640334, 'in tunisian supermarket': 430326, 'tunisian supermarket they': 935471, 'supermarket they sit': 823294, 'they sit alone': 883404, 'sit alone like': 771811, 'alone like bad': 46880, 'like bad leftover': 489853, 'bad leftover no': 107918, 'leftover no one': 485785, 'ardene': 84082, 'shopopening': 761284, 'root ardene': 726013, 'ardene and': 84083, 'and simon': 71674, 'simon join': 769966, 'join store': 466842, 'outbreak canada': 628084, 'canada retail': 160547, 'retailnews business': 719511, 'business shopopening': 144371, 'root ardene and': 726014, 'ardene and simon': 84084, 'and simon join': 71675, 'simon join store': 769967, 'join store closure': 466843, '19 outbreak canada': 9094, 'outbreak canada retail': 628085, 'canada retail retailnews': 160548, 'retail retailnews business': 718482, 'retailnews business shopopening': 719512, 'were trading': 980289, 'trading higher': 928865, 'higher this': 395769, 'morning precious': 541405, 'were rising': 980075, 'and buyer': 59360, 'buyer returned': 149734, 'on safe': 603250, 'and human': 64858, 'human cost': 410473, 'and silver price': 71671, 'silver price were': 769856, 'price were trading': 677461, 'were trading higher': 980290, 'trading higher this': 928866, 'higher this morning': 395770, 'this morning precious': 888998, 'morning precious metal': 541406, 'precious metal price': 669474, 'metal price were': 529653, 'price were rising': 677457, 'were rising and': 980077, 'rising and buyer': 723162, 'and buyer returned': 59361, 'buyer returned to': 149735, 'market on safe': 516795, 'on safe haven': 603251, 'haven demand the': 383783, 'demand the economic': 236347, 'economic and human': 266982, 'and human cost': 64859, 'human cost of': 410474, 'consumer authority': 196357, 'authority take': 103790, 'been rise': 121862, 'in rogue': 427528, 'rogue trader': 725033, 'selling false': 749239, 'false product': 297447, 'online borisjohnson': 607948, 'borisjohnson vonderleyen': 135535, 'vonderleyen consumer': 960426, 'consumer fbpe': 197450, 'commission and eu': 188790, 'and eu consumer': 62299, 'eu consumer authority': 283214, 'consumer authority take': 196360, 'authority take action': 103791, 'action against the': 29937, 'spread of fake': 790669, 'of fake product': 583383, 'fake product online': 296693, 'product online there': 681485, 'online there ha': 609546, 'ha been rise': 369907, 'been rise in': 121863, 'rise in rogue': 722908, 'in rogue trader': 427529, 'rogue trader selling': 725034, 'trader selling false': 928763, 'selling false product': 749240, 'false product online': 297448, 'product online borisjohnson': 681479, 'online borisjohnson vonderleyen': 607949, 'borisjohnson vonderleyen consumer': 135536, 'vonderleyen consumer fbpe': 960427, 'stumbled': 815303, 'cutout': 223693, 'musial': 546286, 'supermarket stumbled': 823027, 'stumbled upon': 815304, 'upon this': 947661, 'this cutout': 887142, 'cutout of': 223694, 'of stan': 590031, 'stan musial': 793462, 'musial that': 546287, 'that drew': 843621, 'drew wa': 258725, 'find moment': 307065, 'and pride': 69496, 'pride during': 678014, 'am with': 50564, 'with piece': 1000215, 'of art': 580378, 'art created': 94154, 'created of': 215866, 'stan the': 793464, 'the supermarket stumbled': 868833, 'supermarket stumbled upon': 823028, 'stumbled upon this': 815305, 'upon this cutout': 947663, 'this cutout of': 887143, 'cutout of stan': 223695, 'of stan musial': 590032, 'stan musial that': 793463, 'musial that drew': 546288, 'that drew wa': 843622, 'drew wa able': 258726, 'to find moment': 905919, 'find moment of': 307066, 'of joy and': 585556, 'joy and pride': 467500, 'and pride during': 69497, 'pride during this': 678015, 'pandemic here am': 635619, 'here am with': 392677, 'am with piece': 50565, 'with piece of': 1000216, 'piece of art': 656327, 'of art created': 580379, 'art created of': 94155, 'created of stan': 215867, 'of stan the': 590033, 'stan the man': 793465, 'that deal': 843451, 'deal offer': 229446, 'offer tab': 594818, 'tab in': 831437, 'store turkey': 810971, 'turkey is': 935555, 'is deactivated': 447040, 'deactivated people': 229118, 'is expecting': 447645, 'purchase game': 689465, 'game without': 343298, 'without discounted': 1002591, 'know that deal': 476759, 'that deal offer': 843452, 'deal offer tab': 229447, 'offer tab in': 594819, 'tab in store': 831438, 'in store turkey': 428470, 'store turkey is': 810972, 'turkey is deactivated': 935556, 'is deactivated people': 447041, 'deactivated people are': 229119, 'people are spending': 647082, 'their time at': 874987, 'to and is': 900509, 'and is expecting': 65405, 'is expecting to': 447646, 'expecting to purchase': 291056, 'to purchase game': 912531, 'purchase game without': 689466, 'game without discounted': 343299, 'without discounted price': 1002592, 'discounted price shame': 244602, 'time ultras': 898159, 'ultras in': 939188, 'provided help': 686613, 'staff wage': 793045, 'increased raised': 433442, 'raised money': 696012, 'for italian': 322749, 'italian hospital': 462706, 'hospital spread': 404623, 'spread banner': 790445, 'banner of': 110610, 'of nursing': 587116, 'staff called': 792289, 'for urgent': 327486, 'urgent blood': 948328, 'blood donation': 133102, 'donation football': 254604, 'football ugly': 318517, 'ugly face': 938046, 'in 19 time': 419714, '19 time ultras': 11404, 'time ultras in': 898160, 'ultras in germany': 939189, 'germany have provided': 346307, 'have provided help': 382098, 'provided help to': 686614, 'help to risk': 390790, 'to risk group': 913596, 'risk group called': 723587, 'called for medical': 156319, 'medical staff wage': 526409, 'staff wage to': 793046, 'wage to be': 963970, 'to be increased': 901332, 'be increased raised': 115462, 'increased raised money': 433443, 'raised money for': 696013, 'money for italian': 536750, 'for italian hospital': 322750, 'italian hospital spread': 462707, 'hospital spread banner': 404624, 'spread banner of': 790446, 'banner of support': 110611, 'of support of': 590514, 'support of nursing': 826692, 'of nursing supermarket': 587117, 'nursing supermarket staff': 577636, 'supermarket staff called': 822823, 'staff called for': 792290, 'called for urgent': 156324, 'for urgent blood': 327487, 'urgent blood donation': 948329, 'blood donation football': 133103, 'donation football ugly': 254605, 'football ugly face': 318518, 'panic thankyou': 638671, 'store employee that': 807550, 'without you guy': 1003067, 'you guy we': 1018979, 'guy we would': 369214, 'in panic thankyou': 426491, 'aliexpress': 41753, 'this pr': 889688, 'pr china': 668416, 'gotten over': 359159, '19 aliexpress': 4890, 'aliexpress cannot': 41754, 'even slash': 284582, 'do early': 249250, 'early black': 264558, 'all this pr': 45125, 'this pr china': 889689, 'pr china ha': 668417, 'china ha gotten': 176692, 'ha gotten over': 370753, 'gotten over covid': 359160, 'covid 19 aliexpress': 212608, '19 aliexpress cannot': 4891, 'aliexpress cannot even': 41755, 'cannot even slash': 161802, 'even slash price': 284583, 'slash price or': 773588, 'price or do': 675771, 'or do early': 615014, 'do early black': 249251, 'early black friday': 264559, 'corinnavirus': 203543, 'her boyfriend': 391893, 'them tbh': 876369, 'tbh corinnavirus': 835251, 'corinnavirus koronavirus': 203544, 'sister is nurse': 771761, 'nurse and her': 577200, 'and her boyfriend': 64508, 'her boyfriend work': 391895, 'boyfriend work at': 137434, 'grocery store really': 365706, 'store really worried': 809759, 'worried about them': 1010523, 'about them tbh': 26599, 'them tbh corinnavirus': 876370, 'tbh corinnavirus koronavirus': 835252, 'corrupted seller': 207675, 'corrupted seller are': 207676, 'notably': 572653, 'distorted': 247879, 'retrenchment': 719776, 'post effect': 666103, 'on sub': 603732, 'saharan economy': 730914, 'more disastrous': 539046, 'disastrous than': 244294, 'actual effect': 30646, 'pandemic notably': 636056, 'notably distorted': 572654, 'distorted public': 247880, 'transport system': 929953, 'system acute': 831077, 'acute food': 31034, 'shortage retrenchment': 765199, 'retrenchment demand': 719777, 'demand pull': 236098, 'pull inflation': 688863, 'inflation increase': 437196, 'in nonperforming': 425926, 'loan social': 497536, 'the post effect': 864087, 'post effect of': 666104, '19 on sub': 8966, 'on sub saharan': 603733, 'sub saharan economy': 815688, 'saharan economy are': 730915, 'economy are likely': 267669, 'be more disastrous': 115971, 'more disastrous than': 539047, 'disastrous than the': 244295, 'the actual effect': 848320, 'actual effect of': 30647, 'the pandemic notably': 863036, 'pandemic notably distorted': 636057, 'notably distorted public': 572655, 'distorted public transport': 247881, 'public transport system': 688422, 'transport system acute': 929954, 'system acute food': 831078, 'acute food shortage': 31035, 'food shortage retrenchment': 316602, 'shortage retrenchment demand': 765200, 'retrenchment demand pull': 719778, 'demand pull inflation': 236099, 'pull inflation increase': 688864, 'inflation increase in': 437197, 'increase in nonperforming': 432846, 'in nonperforming loan': 425927, 'nonperforming loan social': 566668, 'loan social safety': 497537, 'ha security': 371814, 'entrance checking': 278870, 'checking everyone': 174819, 'everyone temperature': 287452, 'temperature before': 837367, 'allowing entry': 46282, 'and totally': 74294, 'totally fine': 926334, 'my supermarket ha': 550269, 'supermarket ha security': 820647, 'ha security at': 371815, 'the entrance checking': 854381, 'entrance checking everyone': 278871, 'checking everyone temperature': 174820, 'everyone temperature before': 287453, 'temperature before allowing': 837368, 'before allowing entry': 122620, 'allowing entry and': 46283, 'entry and totally': 278986, 'and totally fine': 74295, 'totally fine with': 926335, 'fine with it': 307728, '19th the': 12542, 'advice information': 33409, 'supermarket educational': 820095, 'educational information': 268890, 'offering advice and': 595010, 'advice and help': 33310, 'and help to': 64478, 'constituent on the': 195738, 'the 19th the': 847966, '19th the page': 12543, 'advice business and': 33334, 'business and employee': 143299, 'and employee advice': 62056, 'employee advice information': 273520, 'advice information on': 33410, 'information on local': 437917, 'local supermarket educational': 498521, 'supermarket educational information': 820096, 'educational information and': 268891, 'information and useful': 437746, 'and useful contact': 74792, 'flashlight': 310047, 'survivingcovid19': 829382, 'colorado everything': 186793, 'everything look': 287912, 'enough candle': 277340, 'candle and': 161314, 'and flashlight': 62957, 'flashlight in': 310048, 'power go': 667613, 'this survivingcovid19': 890461, 'of quarantine in': 588659, 'quarantine in colorado': 692286, 'in colorado everything': 421565, 'colorado everything look': 186794, 'everything look good': 287913, 'look good we': 502396, 'we have good': 971827, 'have good stock': 380808, 'good stock of': 357773, 'have enough candle': 380442, 'enough candle and': 277341, 'candle and flashlight': 161315, 'and flashlight in': 62958, 'flashlight in case': 310049, 'case the power': 166057, 'the power go': 864151, 'power go out': 667614, 'go out think': 353991, 'out think we': 627554, 'can survive this': 159879, 'survive this survivingcovid19': 829271, 'unileverslashing': 941802, 'of hindustan': 584637, 'hindustan unileverslashing': 396881, 'unileverslashing hygiene': 941803, 'proud of hindustan': 686030, 'of hindustan unileverslashing': 584638, 'hindustan unileverslashing hygiene': 396882, 'unileverslashing hygiene price': 941804, 'support on news': 826704, 'been real': 121781, 'and bev': 58923, 'bev people': 128975, 'real in my': 701222, 'in my world': 425649, 'my world and': 550650, 'world and know': 1009283, 'and know it': 65891, 'it been real': 456802, 'been real in': 121782, 'real in so': 701224, 'in so many': 428036, 'so many world': 777720, 'many world if': 514900, 'world if you': 1009649, 'can please sign': 159260, 'petition for food': 653605, 'food and bev': 313185, 'and bev people': 58924, 'bev people in': 128976, 'pakistan need': 634480, 'serious now': 751436, 'now prevention': 575590, 'best cure': 127657, 'cure prevent': 220791, 'home postpone': 401882, 'postpone all': 666756, 'activity today': 30517, 'one safety': 606988, 'pakistan ha seen': 634458, 'seen it first': 747103, 'it first death': 458025, 'first death due': 308623, 'to pandemic people': 911372, 'pandemic people of': 636168, 'of pakistan need': 587679, 'pakistan need to': 634481, 'take this very': 832720, 'this very serious': 890965, 'very serious now': 955519, 'serious now prevention': 751437, 'now prevention is': 575591, 'prevention is best': 671860, 'is best cure': 446139, 'best cure prevent': 127658, 'cure prevent spread': 220792, 'of by staying': 581030, 'at home postpone': 99085, 'home postpone all': 401883, 'postpone all your': 666758, 'your social activity': 1025850, 'social activity today': 779423, 'activity today for': 30518, 'today for your': 919546, 'own and loved': 631883, 'loved one safety': 504921, 'pakistan announces': 634422, 'announces relief': 77287, 'package decrease': 633243, 'india oil': 434548, 'were increased': 979786, 'increased this': 433507, 'in pakistan announces': 426435, 'pakistan announces relief': 634423, 'announces relief package': 77288, 'relief package decrease': 709421, 'package decrease oil': 633244, 'price while in': 677522, 'in india oil': 424047, 'india oil price': 434549, 'price were increased': 677451, 'were increased this': 979788, 'increased this week': 433508, 'kennesaw': 472782, 'in kennesaw': 424462, 'kennesaw ha': 472783, 'an employee of': 55712, 'employee of whole': 274072, 'of whole food': 593139, 'food market in': 315397, 'market in kennesaw': 516559, 'in kennesaw ha': 424463, 'kennesaw ha tested': 472784, 'in quarantine the': 427192, 'quarantine the grocery': 692610, 'grocery chain ha': 364362, 'employee in are': 273955, 'in are starting': 420483, 'annemarie': 76803, 'eastbourne': 265360, 'annemarie field': 76804, 'field look': 304485, 'at life': 99583, 'in eastbourne': 422464, 'eastbourne over': 265363, 'last seven': 480493, 'shop bolstering': 759986, 'bolstering price': 134156, 'sanitisers eastbourne': 734083, 'eastbourne 7days': 265361, '7days week': 22471, 'week stayathome': 976919, 'annemarie field look': 76805, 'field look at': 304486, 'look at life': 502274, 'at life in': 99584, 'life in eastbourne': 488758, 'in eastbourne over': 422465, 'eastbourne over the': 265364, 'the last seven': 859040, 'last seven day': 480494, 'seven day including': 753749, 'day including shop': 227820, 'including shop bolstering': 432146, 'shop bolstering price': 759987, 'bolstering price for': 134157, 'hand sanitisers eastbourne': 375264, 'sanitisers eastbourne 7days': 734084, 'eastbourne 7days week': 265362, '7days week stayathome': 22472, 'wwf': 1013674, 'make when': 510711, 'everywhere wwf': 288289, 'wwf wwe': 1013675, 'wwe 19': 1013667, 'the face you': 854808, 'face you make': 294872, 'you make when': 1019766, 'make when you': 510712, 'to buy hand': 902239, 'sanitizer but they': 734614, 'they are sold': 881411, 'out everywhere wwf': 626041, 'everywhere wwf wwe': 288290, 'wwf wwe 19': 1013676, 'standard but': 793642, 'or greed': 615516, 'greed supermarket': 363440, 'entering at': 278393, 'never over': 558138, 'crowded so': 219346, 'so wait': 778645, 'go into supermarket': 353769, 'supermarket is standard': 821124, 'is standard but': 452218, 'standard but not': 793643, 'but not because': 146528, 'because it for': 119186, 'it for stockpiling': 458095, 'for stockpiling or': 325919, 'stockpiling or greed': 804040, 'or greed supermarket': 615517, 'greed supermarket have': 363441, 'supermarket have limited': 820692, 'have limited the': 381323, 'limited the number': 492748, 'people entering at': 647805, 'entering at any': 278394, 'any time so': 79976, 'so it never': 777474, 'it never over': 459784, 'never over crowded': 558139, 'over crowded so': 630133, 'crowded so wait': 219347, 'so wait and': 778646, 'wait and be': 964073, 'be patient to': 116373, 'patient to go': 644277, 'go in if': 353707, 'in if your': 423970, 'your supermarket is': 1026048, 'supermarket is doing': 821085, 'is doing this': 447293, 'stopbeingselfish': 805312, 'is weekly': 453827, 'adult during': 32818, 'during world': 263419, 'ii let': 415980, 'it sink': 461073, 'minute put': 533825, 'perspective how': 653205, 'how greedy': 407934, 'today generation': 919569, 'generation stoppanicbuying': 345637, 'stoppanicbuying stopbeingselfish': 805624, 'stopbeingselfish thinkofothers': 805313, 'this is weekly': 888461, 'is weekly ration': 453828, 'weekly ration for': 977533, 'ration for an': 697685, 'for an adult': 319269, 'an adult during': 55140, 'adult during world': 32820, 'during world war': 263420, 'war ii let': 966467, 'ii let it': 415981, 'let it sink': 486830, 'it sink in': 461074, 'in for minute': 423019, 'for minute put': 323464, 'minute put into': 533826, 'put into perspective': 690635, 'into perspective how': 442869, 'perspective how greedy': 653206, 'how greedy and': 407935, 'and selfish some': 71199, 'be in today': 115444, 'in today generation': 430157, 'today generation stoppanicbuying': 919570, 'generation stoppanicbuying stopbeingselfish': 345638, 'stoppanicbuying stopbeingselfish thinkofothers': 805625, 'of pop': 588226, 'pop superstar': 664467, 'superstar bts': 824331, 'bts are': 141517, 'group recent': 366854, 'recent comeback': 703837, 'comeback despite': 187707, 'despite concert': 238703, 'concert cancellation': 193259, 'fan of pop': 298530, 'of pop superstar': 588227, 'pop superstar bts': 664468, 'superstar bts are': 824332, 'bts are finding': 141518, 'celebrate the group': 168800, 'the group recent': 856868, 'group recent comeback': 366855, 'recent comeback despite': 703838, 'comeback despite concert': 187708, 'despite concert cancellation': 238704, 'concert cancellation due': 193260, 'grocery store via': 365913, 'out agency': 625588, 'agency calendar': 37994, 'calendar for': 155388, 'for experiential': 321329, 'or contactless': 614806, 'contactless consumer': 200359, 'wiped out agency': 996465, 'out agency calendar': 625589, 'agency calendar for': 37995, 'calendar for experiential': 155389, 'for experiential and': 321330, 'live event for': 495800, 'event for the': 284985, 'them to change': 876460, 'change their business': 172309, 'that have managed': 844220, 'pivot or contactless': 657094, 'or contactless consumer': 614807, 'contactless consumer experience': 200360, 'laboratoire': 478459, 'ricard will': 720980, 'it manufacturing': 459526, 'manufacturing site': 513660, 'france it': 331008, 'it donating': 457663, 'donating 70': 254426, '00 liter': 306, 'of pure': 588612, 'pure alcohol': 689954, 'to laboratoire': 909025, 'laboratoire cooper': 478460, 'cooper for': 203122, 'more action': 538546, 'ricard will make': 720981, 'will make handsanitizer': 994080, 'handsanitizer at all': 376481, 'all it manufacturing': 43272, 'it manufacturing site': 459528, 'manufacturing site to': 513661, 'help fight and': 389705, 'fight and in': 304652, 'and in france': 65051, 'in france it': 423080, 'france it donating': 331009, 'it donating 70': 457664, 'donating 70 00': 254427, '70 00 liter': 21707, '00 liter of': 307, 'liter of pure': 494933, 'of pure alcohol': 588613, 'pure alcohol to': 689957, 'alcohol to laboratoire': 41153, 'to laboratoire cooper': 909026, 'laboratoire cooper for': 478461, 'cooper for sanitizer': 203123, 'for sanitizer more': 325338, 'sanitizer more action': 735377, 'more action against': 538547, 'ganesh': 343385, 'rs30': 726695, '45days': 19195, 'india ganesh': 434419, 'ganesh grain': 343386, 'grain have': 361776, 'increased atta': 433204, 'atta mrp': 102023, 'mrp by': 544452, 'by rs30': 153841, 'rs30 15': 726696, 'increased mrp': 433369, 'mrp in': 544454, 'many product': 514598, '15 45days': 3654, '45days now': 19196, 'now shopkeeper': 575806, 'shopkeeper charging': 761176, 'goi india ganesh': 354962, 'india ganesh grain': 434420, 'ganesh grain have': 343387, 'grain have increased': 361777, 'have increased atta': 381053, 'increased atta mrp': 433205, 'atta mrp by': 102024, 'mrp by rs30': 544453, 'by rs30 15': 153842, 'rs30 15 in': 726697, '15 in lockdown': 3742, 'in lockdown this': 424855, 'lockdown this company': 500032, 'this company ha': 886823, 'company ha increased': 190710, 'ha increased mrp': 370952, 'increased mrp in': 433370, 'mrp in many': 544455, 'in many product': 425061, 'many product in': 514599, 'product in last': 681291, 'in last 15': 424600, 'last 15 45days': 480091, '15 45days now': 3655, '45days now shopkeeper': 19197, 'now shopkeeper charging': 575807, 'shopkeeper charging higher': 761177, 'charging higher price': 173490, 'legostreet': 486084, 'ishop': 454230, 'coffeeshop': 185567, 'businesswise': 144802, 'legocityscene': 486075, 'legomodulars': 486082, 'legocreatorexpert': 486078, 'busy legostreet': 144930, 'legostreet at': 486085, 'first glance': 308692, 'glance but': 351568, 'it kinda': 459276, 'kinda quiet': 475069, 'quiet due': 694682, 'the ishop': 858549, 'ishop supermarket': 454231, 'the coffeeshop': 851136, 'coffeeshop is': 185568, 'closed do': 183068, 'coronacrisis businesswise': 204532, 'businesswise legocityscene': 144803, 'legocityscene legomodulars': 486076, 'legomodulars legocreatorexpert': 486083, 'busy legostreet at': 144931, 'legostreet at first': 486086, 'at first glance': 98656, 'first glance but': 308693, 'glance but actually': 351569, 'but actually it': 145054, 'actually it kinda': 30853, 'it kinda quiet': 459278, 'kinda quiet due': 475070, 'quiet due to': 694683, 'to measure the': 909985, 'measure the ishop': 525367, 'the ishop supermarket': 858550, 'ishop supermarket is': 454232, 'open but the': 612128, 'but the coffeeshop': 147319, 'the coffeeshop is': 851137, 'coffeeshop is closed': 185569, 'is closed do': 446574, 'closed do not': 183069, 'know if the': 476485, 'if the owner': 415009, 'owner will survive': 632608, 'survive the coronacrisis': 829243, 'the coronacrisis businesswise': 851776, 'coronacrisis businesswise legocityscene': 204533, 'businesswise legocityscene legomodulars': 144804, 'legocityscene legomodulars legocreatorexpert': 486077, 'buy vitamin': 149432, 'vitamin in': 959788, 'in packet': 426421, 'packet from': 633694, 'can buy vitamin': 157844, 'buy vitamin in': 149433, 'vitamin in packet': 959789, 'in packet from': 426422, 'packet from your': 633696, 'supermarket or online': 821824, 'or online stayhomesavelives': 616392, 'know 22': 476204, '22 call': 15195, 'to 77': 899837, '77 call': 22278, 'people needing': 648840, 'needing help': 556624, 'connect them': 194625, 'pantry need': 639636, 'went from you': 979022, 'from you know': 338463, 'you know 22': 1019478, 'know 22 call': 476205, '22 call in': 15196, 'call in the': 155943, 'month of february': 537895, 'of february to': 583471, 'february to 77': 301747, 'to 77 call': 899838, '77 call of': 22279, 'call of people': 156017, 'of people needing': 587949, 'people needing help': 648842, 'needing help and': 556625, 'help and asking': 389348, 'and asking to': 58441, 'asking to connect': 96095, 'to connect them': 903210, 'connect them with': 194626, 'them with food': 876648, 'with food pantry': 998501, 'food pantry food': 315778, 'pantry food is': 639582, 'and local pantry': 66301, 'local pantry need': 498251, 'pantry need your': 639637, 'help to help': 390777, 'help others during': 390209, 'others during these': 621372, 'small joy': 775010, 'the small joy': 867365, 'small joy of': 775011, 'joy of life': 467517, 'life in an': 488752, 'an age of': 55183, 'age of toiletpaper': 37877, 'sti': 800016, 'being medical': 125424, 'patient or': 644224, 'or first': 615317, 'responder police': 715509, 'fire what': 308135, 'and sti': 72358, 'hear lot about': 387950, 'risk of being': 723728, 'of being medical': 580652, 'being medical provider': 125425, 'medical provider for': 526349, 'provider for patient': 686719, 'for patient or': 324417, 'patient or first': 644225, 'or first responder': 615318, 'first responder police': 308959, 'responder police fire': 715510, 'police fire what': 663005, 'fire what about': 308136, 'worker they don': 1007963, 'don have mask': 253608, 'sanitizer make minimum': 735334, 'wage and sti': 963817, 'via essentialworkers': 955963, 'essentialworkers work': 281963, 'shopping australia': 762123, 'life of supermarket': 488925, 'coronavirus pandemic via': 206503, 'pandemic via essentialworkers': 636896, 'via essentialworkers work': 955964, 'essentialworkers work grocery': 281964, 'work grocery groceryshopping': 1005219, 'groceryshopping supermarket food': 366285, 'food shopping australia': 316510, '00pm vistek': 702, '2020 please': 14521, 'important notice in': 418902, 'notice in order': 573294, 'order to protect': 618697, '2020 at 00pm': 14156, 'at 00pm vistek': 97365, '00pm vistek will': 703, 'store location across': 808792, 'location across canada': 498839, 'april 2020 please': 83470, '2020 please click': 14522, 'way almost': 969444, 'almost definitely': 46590, 'definitely going': 232344, 'checkout love': 174954, 'so hectic': 777288, 'the way almost': 871139, 'way almost definitely': 969445, 'almost definitely going': 46592, 'definitely going to': 232345, '19 because work': 5339, 'at supermarket at': 100701, 'the checkout love': 850768, 'checkout love that': 174955, 'love that for': 504795, 'that for me': 843935, 'for me so': 323337, 'me so hectic': 523491, 'employee just': 273999, 'although basic': 49303, 'item were': 463805, 'member wa': 528227, 'wa polite': 962957, 'polite and': 663593, 'helpful coronacrisis': 391170, 'supermarket employee just': 820126, 'employee just returned': 274001, 'supermarket and although': 818929, 'and although basic': 57986, 'although basic item': 49304, 'basic item were': 111963, 'item were still': 463807, 'were still out': 980172, 'of stock the': 590195, 'stock the staff': 802942, 'the staff member': 867693, 'staff member wa': 792664, 'member wa polite': 528228, 'wa polite and': 962958, 'polite and helpful': 663594, 'and helpful coronacrisis': 64491, 'given supermarket': 351114, 'their inaction': 873638, 'inaction over': 431188, 'over hoarding': 630296, 'butcher green': 148047, 'dairy that': 225050, 'and yoghurt': 75997, 'yoghurt if': 1016512, 'given supermarket shelf': 351115, 'empty and their': 274777, 'and their inaction': 73694, 'their inaction over': 873639, 'inaction over hoarding': 431189, 'over hoarding just': 630297, 'farm shop in': 299174, 'shop in our': 760312, 'shop butcher green': 760010, 'butcher green grocer': 148048, 'green grocer and': 363666, 'grocer and dairy': 364091, 'and dairy that': 60929, 'dairy that delivers': 225051, 'that delivers milk': 843486, 'egg and yoghurt': 269777, 'and yoghurt if': 75998, 'yoghurt if anything': 1016513, 'alert official': 41475, 'official charge': 595776, 'charge have': 173249, 'been filed': 121142, 'filed against': 305388, 'against fake': 37440, 'albany ny': 40751, 'ny for': 577858, 'for stealing': 325894, 'stealing consumer': 799223, 'consumer money': 198149, 'insurance information': 440757, 'information avoid': 437755, 'this site': 890165, 'and similar': 71672, 'consumer alert official': 196151, 'alert official charge': 41476, 'official charge have': 595777, 'charge have been': 173250, 'have been filed': 379539, 'been filed against': 121143, 'filed against fake': 305390, 'against fake testing': 37442, 'fake testing site': 296723, 'testing site in': 839640, 'site in albany': 771953, 'in albany ny': 420144, 'albany ny for': 40752, 'ny for stealing': 577859, 'for stealing consumer': 325895, 'stealing consumer money': 799224, 'consumer money and': 198151, 'money and health': 536599, 'and health insurance': 64357, 'health insurance information': 386547, 'insurance information avoid': 440758, 'information avoid this': 437756, 'avoid this site': 105349, 'this site and': 890167, 'site and similar': 771877, 'and similar site': 71673, 'essendonfc': 280734, 'mightybombers': 531182, 'repurpose': 713087, 'millionmaskchallenge': 532460, 'miele': 530848, 'essendonfc mightybombers': 280735, 'mightybombers fly': 531183, 'the colour': 851162, 'colour repurpose': 186858, 'repurpose your': 713088, 'scarf wearamask': 741089, 'wearamask when': 974516, 'spread join': 790599, 'the millionmaskchallenge': 860630, 'millionmaskchallenge scarf': 532461, 'scarf mightybombers': 741077, 'mightybombers miele': 531185, 'miele cloth': 530849, 'cloth vacuum': 184119, 'bag inner': 108322, 'inner hot': 438799, 'hot glue': 405018, 'glue gun': 353087, 'essendonfc mightybombers fly': 280736, 'mightybombers fly the': 531184, 'fly the colour': 311632, 'the colour repurpose': 851163, 'colour repurpose your': 186859, 'repurpose your scarf': 713089, 'your scarf wearamask': 1025689, 'scarf wearamask when': 741090, 'wearamask when out': 974517, 'supermarket you may': 824198, 'may be infected': 520994, 'be infected don': 115481, 'infected don spread': 436566, 'don spread join': 253925, 'spread join the': 790600, 'join the millionmaskchallenge': 466860, 'the millionmaskchallenge scarf': 860631, 'millionmaskchallenge scarf mightybombers': 532462, 'scarf mightybombers miele': 741078, 'mightybombers miele cloth': 531186, 'miele cloth vacuum': 530850, 'cloth vacuum bag': 184120, 'vacuum bag inner': 951815, 'bag inner hot': 108323, 'inner hot glue': 438800, 'hot glue gun': 405019, 'motoring': 543349, 'will petrol': 994413, 'falling fuel': 297270, 'threatening filling': 893802, 'station driving': 796382, 'driving motoring': 259980, 'motoring fuel': 543350, 'fuel lockdownuk': 340199, 'will petrol station': 994414, 'station close in': 796374, 'the uk how': 870235, 'uk how the': 938467, 'coronavirus lockdown and': 206239, 'lockdown and falling': 499141, 'and falling fuel': 62641, 'falling fuel price': 297271, 'price are threatening': 672753, 'are threatening filling': 91073, 'threatening filling station': 893803, 'filling station driving': 305621, 'station driving motoring': 796383, 'driving motoring fuel': 259981, 'motoring fuel lockdownuk': 543351, 'making several': 511332, 'several visit': 753956, 'up either': 944780, 'coming straight': 188205, 'almost need': 46697, 'need ticket': 555844, 'ticket system': 895667, 'problem with supermarket': 679762, 'with supermarket rationing': 1001059, 'supermarket rationing is': 822162, 'rationing is that': 697830, 'is that have': 452654, 'that have heard': 844212, 'have heard that': 380918, 'heard that people': 388143, 'are making several': 88003, 'making several visit': 511333, 'several visit to': 753957, 'same supermarket to': 733319, 'supermarket to stock': 823418, 'stock up either': 803077, 'up either that': 944781, 'that or going': 845543, 'out and coming': 625653, 'and coming straight': 60122, 'coming straight back': 188206, 'straight back in': 812207, 'back in almost': 107078, 'in almost need': 420197, 'almost need ticket': 46698, 'need ticket system': 555845, 'll check': 496677, 'heartbreaking heard': 388380, 'she risked': 756298, 'risked her': 724041, 'dollar an': 252946, 'you ll check': 1019643, 'll check out': 496678, 'worker dying from': 1006826, 'dying from our': 263826, 'from our interview': 336783, 'jordan wa heartbreaking': 467300, 'wa heartbreaking heard': 962298, 'heartbreaking heard from': 388381, 'heard from worker': 388086, 'long who told': 501849, 'who told me': 989800, 'me she risked': 523447, 'she risked her': 756299, 'risked her life': 724042, 'her life for': 392162, 'life for ten': 488669, 'for ten dollar': 326202, 'ten dollar an': 837775, 'dollar an hour': 252947, 'important take': 418981, 'how coughing': 407623, 'coughing work': 208775, 'supermarket environment': 820186, 'environment because': 279090, 'cough is': 208493, 'is dry': 447395, 'dry it': 261278, 'doesn fall': 251787, 'floor fast': 310792, 'travel far': 930357, 'far with': 298976, 'with air': 997125, 'air flow': 39729, 'flow please': 311259, 'hey folk this': 394378, 'this is important': 888289, 'is important take': 448732, 'important take look': 418982, 'at how coughing': 99209, 'how coughing work': 407624, 'coughing work in': 208777, 'in supermarket environment': 428591, 'supermarket environment because': 820187, 'environment because the': 279091, 'because the covid': 119618, '19 cough is': 6149, 'cough is dry': 208494, 'is dry it': 447396, 'dry it doesn': 261279, 'it doesn fall': 457629, 'doesn fall on': 251788, 'the floor fast': 855421, 'floor fast but': 310793, 'fast but can': 299925, 'but can stay': 145364, 'and travel far': 74408, 'travel far with': 930358, 'far with air': 298977, 'with air flow': 997126, 'air flow please': 39730, 'flow please stay': 311260, 'equaliser': 279614, 'ostracized': 619746, 'great equaliser': 362652, 'equaliser any': 279615, 'any tourism': 79985, 'tourism season': 927003, 'greece this': 363347, 'summer will': 818022, 'will largely': 993933, 'largely rely': 479864, 'local visitor': 498678, 'visitor who': 959605, 'been ostracized': 121613, 'ostracized in': 619749, 'price greece': 674360, 'greece tourism': 363351, 'the great equaliser': 856719, 'great equaliser any': 362653, 'equaliser any tourism': 279616, 'any tourism season': 79986, 'tourism season in': 927004, 'season in greece': 743404, 'in greece this': 423424, 'greece this summer': 363348, 'this summer will': 890421, 'summer will largely': 818023, 'will largely rely': 993934, 'largely rely on': 479865, 'rely on local': 709643, 'on local visitor': 601897, 'local visitor who': 498679, 'visitor who had': 959606, 'had been ostracized': 372903, 'been ostracized in': 121614, 'ostracized in past': 619750, 'past year due': 643660, 'due to exorbitant': 261779, 'to exorbitant price': 905430, 'exorbitant price greece': 290410, 'price greece tourism': 674361, 'during movement': 262797, 'restriction because': 717229, 'everyone is panicking': 287097, 'panicking about food': 639311, 'food during movement': 314324, 'during movement restriction': 262798, 'movement restriction because': 543926, 'restriction because of': 717230, 'askabc2020': 95696, 'hyste': 412425, 'askabc2020 hand': 95697, 'are antibacterial': 84568, 'antiviral covid': 78585, 'not bacteria': 568317, 'bacteria antibacterial': 107661, 'and antibiotic': 58182, 'antibiotic will': 78400, 'everyone blowing': 286741, 'blowing this': 133386, 'proportion who': 684435, 'benefit out': 127058, 'this fear': 887522, 'and hyste': 64912, 'askabc2020 hand sanitizers': 95698, 'sanitizers are antibacterial': 736211, 'are antibacterial and': 84569, 'antibacterial and not': 78350, 'and not antiviral': 67715, 'not antiviral covid': 568216, 'antiviral covid 19': 78586, '19 is virus': 8079, 'is virus not': 453715, 'virus not bacteria': 958536, 'not bacteria antibacterial': 568318, 'bacteria antibacterial and': 107662, 'antibacterial and antibiotic': 78348, 'and antibiotic will': 58183, 'antibiotic will not': 78401, 'not work why': 572540, 'is everyone blowing': 447582, 'everyone blowing this': 286742, 'blowing this way': 133387, 'this way out': 891134, 'of proportion who': 588544, 'proportion who benefit': 684436, 'who benefit out': 988319, 'benefit out of': 127059, 'all this fear': 45103, 'this fear panic': 887523, 'panic and hyste': 637318, 'mngov': 534829, 'mnleg': 534834, 'suck that': 816933, 'minnesota cannot': 533594, 'this waste': 891117, 'waste too': 968212, 'too or': 924984, 'they mngov': 882688, 'mngov mnleg': 534830, 'suck that food': 816934, 'that food shelf': 843916, 'shelf in minnesota': 757204, 'in minnesota cannot': 425359, 'minnesota cannot help': 533595, 'cannot help with': 161957, 'help with this': 390935, 'with this waste': 1001736, 'this waste too': 891118, 'waste too or': 968213, 'too or can': 924985, 'or can they': 614649, 'can they mngov': 159976, 'they mngov mnleg': 882689, 'just expected': 468681, 'expected and': 290875, 'and suspected': 72907, 'suspected all': 829516, 'purchase stockpiling': 689659, 'directly taken': 243575, 'taken away': 832955, 'need who': 556212, 'pantry good': 639596, 'good fucking': 357116, 'fucking job': 339919, 'just expected and': 468682, 'expected and suspected': 290876, 'and suspected all': 72908, 'suspected all the': 829517, 'the panic purchase': 863214, 'panic purchase stockpiling': 638450, 'purchase stockpiling ha': 689660, 'stockpiling ha directly': 803984, 'ha directly taken': 370390, 'directly taken away': 243576, 'taken away food': 832956, 'away food from': 105840, 'food from those': 314617, 'from those in': 338024, 'in need who': 425784, 'need who rely': 556213, 'food pantry good': 315781, 'pantry good fucking': 639597, 'good fucking job': 357117, 'fucking job people': 339920, 'job people ha': 466089, 'people ha this': 648135, 'ha this made': 372265, 'this made you': 888734, 'made you think': 508079, 'know what food': 476948, 'what food insecurity': 981460, 'drivewyze': 259884, 'ccj': 168428, 'wclo': 970250, 'lowest national': 506189, 'average since': 104897, 'august 2017': 102980, '2017 drivewyze': 13853, 'drivewyze add': 259885, 'add pennsylvania': 31462, 'pennsylvania rest': 646574, 'rest area': 716147, 'area alert': 91920, 'alert listen': 41458, 'listen ccj': 494673, 'ccj editor': 168429, 'editor jason': 268661, 'jason cannon': 464840, 'cannon talk': 161576, 'talk trucking': 833903, 'trucking and': 932981, 'on wclo': 605127, 'wclo run': 970251, 'run through': 727837, 'through wednesday': 894898, 'wednesday daily': 975631, 'daily dispatch': 224576, 'diesel price fall': 241679, 'to lowest national': 909520, 'lowest national average': 506190, 'national average since': 552424, 'average since august': 104898, 'since august 2017': 770514, 'august 2017 drivewyze': 102981, '2017 drivewyze add': 13854, 'drivewyze add pennsylvania': 259886, 'add pennsylvania rest': 31463, 'pennsylvania rest area': 646575, 'rest area alert': 716148, 'area alert listen': 91921, 'alert listen ccj': 41459, 'listen ccj editor': 494674, 'ccj editor jason': 168430, 'editor jason cannon': 268662, 'jason cannon talk': 464841, 'cannon talk trucking': 161577, 'talk trucking and': 833904, 'trucking and covid': 932982, '19 on wclo': 8973, 'on wclo run': 605128, 'wclo run through': 970252, 'run through wednesday': 727838, 'through wednesday daily': 894899, 'wednesday daily dispatch': 975632, 'sick than': 768622, 're having trouble': 698791, 'having trouble buying': 384385, 'general supply be': 345481, 'check out your': 174591, 'out your local': 627913, 'they are no': 881341, 'make you sick': 510748, 'you sick than': 1021248, 'sick than anyone': 768623, 'mean but': 524380, 'had chunky': 372965, 'butter left': 148156, 'left seems': 485629, 'like somethings': 491221, 'somethings up': 785172, 'this mean but': 888805, 'mean but the': 524381, 'only had chunky': 610559, 'had chunky peanut': 372966, 'peanut butter left': 646144, 'butter left seems': 148157, 'left seems like': 485630, 'seems like somethings': 746816, 'like somethings up': 491222, 'somethings up there': 785173, 'that iraq': 844542, 'iraq might': 444777, 'might fall': 530971, 'fall apart': 296841, 'might result': 531110, 'risk that iraq': 723927, 'that iraq might': 844543, 'iraq might fall': 444778, 'might fall apart': 530972, 'fall apart on': 296842, 'challenge that might': 171566, 'that might result': 845164, 'might result in': 531111, 'result in iraq': 717533, 'agitated': 38293, 'gathering supermarket': 344511, 'now high': 574922, 'given ppe': 351079, 'ppe whilst': 668111, 'whilst dealing': 987623, 'with enormous': 998229, 'enormous crowd': 277283, 'of agitated': 579836, 'agitated people': 38294, 'wife contract': 991906, '19 sainsburys': 10293, 'sainsburys are': 731751, 'getting fucking': 348998, 'fucking sued': 340024, 'sued coronacrisis': 817178, 'staff and avoid': 792124, 'and avoid gathering': 58568, 'avoid gathering supermarket': 105119, 'gathering supermarket staff': 344512, 'staff are now': 792199, 'are now high': 88556, 'now high risk': 574923, 'risk but are': 723427, 'not being given': 568534, 'being given ppe': 125187, 'given ppe whilst': 351080, 'ppe whilst dealing': 668112, 'whilst dealing with': 987624, 'dealing with enormous': 229662, 'with enormous crowd': 998230, 'enormous crowd of': 277284, 'crowd of agitated': 219215, 'of agitated people': 579837, 'agitated people if': 38295, 'people if my': 648314, 'if my wife': 414438, 'my wife contract': 550584, 'wife contract covid': 991907, 'covid 19 sainsburys': 213738, '19 sainsburys are': 10294, 'sainsburys are getting': 731752, 'are getting fucking': 86806, 'getting fucking sued': 348999, 'fucking sued coronacrisis': 340025, 'controllable': 202224, 'everything uncertain': 288064, 'uncertain in': 939596, 'moment control': 535905, 'the controllable': 851697, 'controllable don': 202225, 'knock you': 476168, 'off plan': 594072, 'plan use': 658340, 'head down': 385737, 'enjoy keeping': 277143, 'keeping focused': 472423, 'your goal': 1024064, 'goal it': 354575, 'on plan': 602806, 'plan call': 658089, 'with everything uncertain': 998308, 'everything uncertain in': 288065, 'uncertain in the': 939597, 'the moment control': 860746, 'moment control the': 535906, 'control the controllable': 202162, 'the controllable don': 851698, 'controllable don let': 202226, 'let the knock': 487131, 'the knock you': 858844, 'knock you off': 476169, 'you off plan': 1020178, 'off plan use': 594073, 'plan use it': 658341, 'use it chance': 949301, 'chance to keep': 171805, 'your head down': 1024260, 'head down not': 385738, 'down not panic': 256990, 'food and enjoy': 313219, 'and enjoy keeping': 62146, 'enjoy keeping focused': 277144, 'keeping focused on': 472424, 'focused on your': 311971, 'on your goal': 605470, 'your goal it': 1024065, 'goal it the': 354576, 'it the best': 461515, 'be on plan': 116206, 'on plan call': 602807, 'plan call me': 658090, 'concurrent': 193348, 'ntm': 576737, 'ebit': 266524, 'pdx paradox': 645957, 'paradox interactive': 641317, 'interactive ab': 441276, 'ab paradox': 24178, 'interactive paradox': 441293, 'paradox top': 641322, 'top game': 925582, 'game see': 343238, 'see player': 745584, 'player peak': 659325, 'peak increased': 646081, 'consumer leisure': 198024, '19 steam': 10840, 'steam concurrent': 799286, 'concurrent player': 193349, 'player high': 659308, 'for paradox': 324386, 'paradox game': 641315, 'game discount': 343164, 'to avg': 900863, 'avg ntm': 104944, 'ntm ev': 576738, 'ev ebit': 283669, 'ebit no': 266525, 'for estimate': 321132, 'estimate rev': 282262, 'rev equity': 720211, 'pdx paradox interactive': 645958, 'paradox interactive ab': 641318, 'interactive ab paradox': 441277, 'ab paradox interactive': 24179, 'paradox interactive paradox': 641319, 'interactive paradox top': 441294, 'paradox top game': 641323, 'top game see': 925583, 'game see player': 343239, 'see player peak': 745585, 'player peak increased': 659326, 'peak increased consumer': 646082, 'increased consumer leisure': 433251, 'consumer leisure time': 198025, 'leisure time from': 486145, 'time from covid': 896805, 'covid 19 steam': 213863, '19 steam concurrent': 10841, 'steam concurrent player': 799287, 'concurrent player high': 193350, 'player high for': 659309, 'high for paradox': 395093, 'for paradox game': 324387, 'paradox game discount': 641316, 'game discount to': 343165, 'discount to avg': 244557, 'to avg ntm': 900864, 'avg ntm ev': 104945, 'ntm ev ebit': 576739, 'ev ebit no': 283670, 'ebit no need': 266526, 'need for estimate': 554838, 'for estimate rev': 321133, 'estimate rev equity': 282263, 'rev equity stock': 720212, 'austrailia': 103207, 'wefilterfakenews': 977623, 'in austrailia': 420590, 'austrailia university': 103208, 'course to': 211949, 'help re': 390404, 'still worker': 801425, 'on area': 599462, 'national priority': 552589, 'priority cost': 678540, 'cost have': 207962, 'to 74': 899824, '74 wefilterfakenews': 22092, 'wefilterfakenews australia': 977624, 'australia onlinelearning': 103338, 'in austrailia university': 420591, 'austrailia university are': 103209, 'university are cutting': 942411, 'are cutting price': 85692, 'cutting price on': 223765, 'price on online': 675701, 'on online course': 602518, 'online course to': 608066, 'course to help': 211951, 'to help re': 907600, 'help re still': 390405, 're still worker': 699605, 'still worker on': 801426, 'worker on area': 1007484, 'on area of': 599463, 'area of national': 92136, 'of national priority': 586864, 'national priority cost': 552590, 'priority cost have': 678541, 'cost have already': 207963, 'already been reduced': 47223, 'been reduced by': 121796, 'reduced by up': 706038, 'up to 74': 946347, 'to 74 wefilterfakenews': 899825, '74 wefilterfakenews australia': 22093, 'wefilterfakenews australia onlinelearning': 977625, 'gesch': 346419, 'ftsf': 339493, 'hrer': 409690, 'vieler': 957016, 'rkte': 724243, 'rrach': 726679, 'mit': 534500, 'einem': 270231, 'alle': 45634, 'sch': 741412, 'ler': 486417, 'studenten': 814815, 'lasst': 480079, 'zusammenhalten': 1027913, 'aufeinanderachten': 102963, 'gesch ftsf': 346420, 'ftsf hrer': 339494, 'hrer vieler': 409691, 'vieler edeka': 957017, 'edeka rkte': 268477, 'rkte in': 724244, 'in der': 422205, 'der region': 237818, 'region rrach': 707452, 'rrach mit': 726680, 'mit einem': 534501, 'einem aufruf': 270232, 'aufruf an': 102965, 'an alle': 55240, 'alle sch': 45635, 'sch ler': 741413, 'ler und': 486418, 'und studenten': 939927, 'studenten zu': 814816, 'zu lasst': 1027883, 'lasst un': 480080, 'un zusammenhalten': 939310, 'zusammenhalten und': 1027914, 'und aufeinanderachten': 939924, 'gesch ftsf hrer': 346421, 'ftsf hrer vieler': 339495, 'hrer vieler edeka': 409692, 'vieler edeka rkte': 957018, 'edeka rkte in': 268478, 'rkte in der': 724245, 'in der region': 422206, 'der region rrach': 237819, 'region rrach mit': 707453, 'rrach mit einem': 726681, 'mit einem aufruf': 534502, 'einem aufruf an': 270233, 'aufruf an alle': 102966, 'an alle sch': 55241, 'alle sch ler': 45636, 'sch ler und': 741414, 'ler und studenten': 486419, 'und studenten zu': 939928, 'studenten zu lasst': 814817, 'zu lasst un': 1027884, 'lasst un zusammenhalten': 480081, 'un zusammenhalten und': 939311, 'zusammenhalten und aufeinanderachten': 1027915, 'forsaken': 329759, 'ransack': 696801, 'become god': 120009, 'god forsaken': 354702, 'forsaken free': 329760, 'if isn': 414281, 'kill rioting': 474485, 'rioting looting': 722638, 'looting robbery': 503266, 'robbery other': 724673, 'cunt and': 220354, 'will ransack': 994561, 'ransack your': 696804, 'home first': 401192, 'go that way': 354200, 'that way it': 847345, 'way it going': 969673, 'to become god': 901675, 'become god forsaken': 120010, 'god forsaken free': 354703, 'forsaken free for': 329761, 'all if isn': 43178, 'if isn going': 414282, 'to kill rioting': 908939, 'kill rioting looting': 474486, 'rioting looting robbery': 722639, 'looting robbery other': 503267, 'robbery other people': 724674, 'stop being cunt': 804485, 'being cunt and': 125015, 'cunt and panic': 220355, 'god will ransack': 354841, 'will ransack your': 994562, 'ransack your home': 696805, 'your home first': 1024352, 'arohanui': 93075, 'update regarding': 947190, 'regarding temporary': 707277, 'store processing': 809660, 'processing here': 680026, 'care arohanui': 163853, 'arohanui the': 93076, 'the fabric': 854793, 'fabric store': 294243, 'latest update regarding': 481592, 'update regarding temporary': 947191, 'regarding temporary closure': 707278, 'store and our': 806313, 'and our online': 68509, 'online store processing': 609463, 'store processing here': 809661, 'processing here stay': 680027, 'and take good': 72963, 'take good care': 832152, 'good care arohanui': 356866, 'care arohanui the': 163854, 'arohanui the fabric': 93077, 'the fabric store': 854795, 'fabric store team': 294245, 'coronavirus practical': 206567, 'coping with coronavirus': 203396, 'with coronavirus practical': 997809, 'coronavirus practical tip': 206569, 'practical tip for': 668490, 'tip for older': 898775, 'impact rbc': 417934, 'rbc via': 698072, 'collapsing from covid': 186139, '19 impact rbc': 7708, 'impact rbc via': 417935, 'unbearable italy': 939490, 'is becomes': 446025, 'becomes impatient': 120223, 'lockdown social': 499928, 'unrest brew': 943341, 'brew over': 139404, 'over pandemic': 630478, 'pandemic police': 636203, 'people stole': 649640, 'stole food': 804270, 'desperation stayathomeandstaysafe': 238615, 'unbearable italy is': 939491, 'italy is becomes': 462855, 'is becomes impatient': 446026, 'becomes impatient with': 120224, 'with lockdown social': 999293, 'lockdown social unrest': 499929, 'social unrest brew': 779998, 'unrest brew over': 943342, 'brew over pandemic': 139405, 'over pandemic police': 630479, 'pandemic police descend': 636204, 'report people stole': 712171, 'people stole food': 649641, 'stole food to': 804271, 'to desperation stayathomeandstaysafe': 904211, 'thcexchange': 847846, 'zephyrhills': 1027392, 'open til': 612582, 'today come': 919390, 'come stock': 187515, 'drink togo': 258888, 'togo website': 921100, 'website up': 975460, 'by end': 152485, 'day thcexchange': 228478, 'thcexchange coffee': 847847, 'tea cbd': 835343, 'cbd hemp': 168311, 'hemp food': 391701, 'safety closure': 730496, 'closure florida': 183891, 'florida zephyrhills': 311008, 'zephyrhills the': 1027393, 'be open til': 116254, 'open til 4pm': 612583, 'til 4pm today': 895938, '4pm today come': 19508, 'today come stock': 919391, 'come stock up': 187516, 'and get drink': 63568, 'get drink togo': 346908, 'drink togo website': 258889, 'togo website up': 921101, 'website up by': 975461, 'up by end': 944552, 'by end of': 152486, 'of day thcexchange': 582384, 'day thcexchange coffee': 228479, 'thcexchange coffee tea': 847848, 'coffee tea cbd': 185543, 'tea cbd hemp': 835344, 'cbd hemp food': 168312, 'hemp food corona': 391702, 'food corona health': 314018, 'corona health safety': 203985, 'health safety closure': 386818, 'safety closure florida': 730497, 'closure florida zephyrhills': 183892, 'florida zephyrhills the': 311009, 'word if': 1004504, 'are barren': 84782, 'barren try': 111319, 'try rite': 934562, 'aid or': 39430, 'or cv': 614878, 'cv pharmacy': 223846, 'often have': 596204, 'protein shake': 685890, 'shake power': 754421, 'power bar': 667572, 'often other': 596250, 'other non': 620585, 'item along': 463037, 'with necessity': 999691, 'the word if': 871704, 'word if grocery': 1004505, 'shelf are barren': 756791, 'are barren try': 84783, 'barren try rite': 111320, 'try rite aid': 934563, 'rite aid or': 724147, 'aid or cv': 39431, 'or cv pharmacy': 614879, 'cv pharmacy are': 223847, 'pharmacy are still': 654236, 'still open and': 800950, 'open and often': 612067, 'and often have': 68008, 'often have ton': 596205, 'ton of shelf': 924284, 'stable protein shake': 791948, 'protein shake power': 685891, 'shake power bar': 754422, 'power bar and': 667573, 'bar and often': 110670, 'and often other': 68012, 'often other non': 596251, 'other non perishable': 620587, 'perishable item along': 651995, 'item along with': 463038, 'along with necessity': 47067, 'with necessity like': 999692, 'necessity like milk': 554244, 'humanly': 410795, 'see team': 745778, 'team medical': 835724, 'medical prof': 526324, 'prof 1st': 682334, 'responder trucker': 715543, 'farmer grocery': 299390, 'worker fema': 1006927, 'fema national': 303488, 'guard doing': 367794, 'all humanly': 43168, 'humanly possible': 410796, 'see pelosi': 745547, 'pelosi schiff': 646374, 'schiff slap': 741605, 'another ridiculous': 77806, 'ridiculous commission': 721526, 'commission esp': 188811, 'esp considering': 280382, 'we see team': 973170, 'see team medical': 745779, 'team medical prof': 835725, 'medical prof 1st': 526325, 'prof 1st responder': 682335, '1st responder trucker': 12802, 'responder trucker farmer': 715544, 'trucker farmer grocery': 932913, 'farmer grocery store': 299391, 'store worker fema': 811498, 'worker fema national': 1006928, 'fema national guard': 303489, 'national guard doing': 552521, 'guard doing all': 367795, 'doing all humanly': 252268, 'all humanly possible': 43169, 'humanly possible to': 410797, 'possible to fight': 665843, 'fight 19 we': 304600, 'we also see': 970410, 'also see pelosi': 48841, 'see pelosi schiff': 745548, 'pelosi schiff slap': 646375, 'schiff slap them': 741606, 'slap them all': 773549, 'the face another': 854800, 'face another ridiculous': 294310, 'another ridiculous commission': 77807, 'ridiculous commission esp': 721527, 'commission esp considering': 188812, 'world change': 1009410, 'change meanwhile': 172180, 'meanwhile actor': 524943, 'athlete do': 101764, 'or practice': 616665, 'world changed': 1009412, 'changed thank': 172556, 'quickly the world': 694619, 'the world change': 871834, 'world change meanwhile': 1009411, 'change meanwhile actor': 172181, 'meanwhile actor and': 524944, 'actor and professional': 30566, 'and professional athlete': 69592, 'professional athlete do': 682424, 'athlete do not': 101765, 'not work or': 572535, 'work or practice': 1005566, 'or practice the': 616666, 'practice the world': 668677, 'the world changed': 871835, 'world changed thank': 1009413, 'changed thank you': 172557, 'infectiousdisease expert': 436920, 'why federal': 990992, 'official responded': 595890, 'such dire': 816448, 'dire term': 243265, 'coordinator even': 203237, 'even say': 284546, 'avoid pharmacy': 105221, 'infectiousdisease expert on': 436921, 'expert on why': 291903, 'on why federal': 605310, 'why federal official': 990993, 'federal official responded': 302030, 'official responded to': 595891, 'the in such': 858018, 'in such dire': 428524, 'such dire term': 816449, 'dire term this': 243267, 'term this week': 838325, 'week response coordinator': 976815, 'response coordinator even': 715665, 'coordinator even say': 203238, 'even say to': 284548, 'say to avoid': 739386, 'to avoid pharmacy': 900924, 'avoid pharmacy and': 105222, 'and supermarket this': 72743, 'reload': 709603, 'shoponlineifyouhaveinternet': 761283, 'ha queue': 371614, 'queue wait': 694117, 'then once': 877379, 'once on': 605683, 'becoming out': 120329, 'to reload': 913148, 'reload the': 709604, 'page online': 633883, 'shopping fun': 762769, 'fun not': 341197, 'not stayhomeaustralia': 571707, 'stayhomeaustralia shoponlineifyouhaveinternet': 798247, 'the website ha': 871278, 'website ha queue': 975290, 'ha queue wait': 371615, 'queue wait list': 694118, 'list and then': 494275, 'and then once': 73788, 'then once on': 877380, 'once on thing': 605684, 'thing ve put': 884943, 've put in': 953459, 'put in my': 690618, 'in my basket': 425540, 'my basket are': 547406, 'basket are becoming': 112301, 'are becoming out': 84806, 'becoming out of': 120330, 'the time it': 869598, 'time it take': 897085, 'it take me': 461427, 'take me to': 832319, 'me to reload': 523772, 'to reload the': 913149, 'reload the page': 709605, 'the page online': 862863, 'page online shopping': 633884, 'online shopping fun': 609127, 'shopping fun not': 762770, 'fun not stayhomeaustralia': 341198, 'not stayhomeaustralia shoponlineifyouhaveinternet': 571708, 'gwenniffer': 369283, 'gwenniffer is': 369284, 'my cashapp': 547636, 'cashapp really': 166386, 'my rent': 549918, 'panic used': 638748, 'week unemployment': 977139, 'running late': 727988, 'panicking really': 639371, 'bad please': 107984, 'need blessing': 554552, 'gwenniffer is my': 369285, 'is my cashapp': 449786, 'my cashapp really': 547637, 'cashapp really need': 166387, 'really need help': 702435, 'need help to': 554996, 'help to pay': 390786, 'pay my rent': 645008, 'my rent during': 549920, '19 lockdown panic': 8413, 'lockdown panic used': 499768, 'panic used the': 638749, 'used the rest': 950017, 'of my money': 586792, 'my money for': 549297, 'for food for': 321583, 'few week unemployment': 304172, 'week unemployment is': 977140, 'unemployment is running': 941234, 'is running late': 451594, 'running late and': 727989, 'late and panicking': 480851, 'and panicking really': 68676, 'panicking really bad': 639372, 'really bad please': 702003, 'bad please need': 107985, 'please need blessing': 660238, 'botch': 135823, 'it novel': 459945, 'novel experience': 573777, 'experience watching': 291527, 'watching government': 968745, 'government botch': 359943, 'botch pandemic': 135824, 'pandemic contingency': 635203, 'contingency in': 200946, 'it novel experience': 459946, 'novel experience watching': 573778, 'experience watching government': 291528, 'watching government botch': 968746, 'government botch pandemic': 359944, 'botch pandemic contingency': 135825, 'pandemic contingency in': 635204, 'contingency in real': 200947, 'ai supplychain': 39341, 'supplychain risk': 826226, 'risk tracker': 723977, 'center dedicated': 169181, 'manufacturing customer': 513569, 'customer replenish': 222755, 'replenish needed': 711642, 'good faster': 357031, 'faster during': 300094, 'here http': 393119, 'ai supplychain risk': 39342, 'supplychain risk tracker': 826227, 'risk tracker is': 723978, 'tracker is one': 928281, 'thing in our': 884438, 'in our resource': 426334, 'our resource center': 624614, 'resource center dedicated': 714731, 'center dedicated to': 169182, 'dedicated to helping': 231747, 'helping our retail': 391419, 'our retail and': 624630, 'retail and manufacturing': 717830, 'and manufacturing customer': 66659, 'manufacturing customer replenish': 513572, 'customer replenish needed': 222756, 'replenish needed consumer': 711643, 'needed consumer good': 556332, 'consumer good faster': 197614, 'good faster during': 357032, 'faster during this': 300095, 'more here http': 539424, 'standupcomedy': 793865, 'poopoopaper': 664092, 'walt': 965513, 'pop pop': 664452, 'pop paper': 664450, 'nobody get': 566001, 'get hurt': 347273, 'hurt comedy': 411555, 'standup standupcomedy': 793863, 'standupcomedy comic': 793866, 'comic funny': 187941, 'funny laugh': 341759, 'laugh humor': 481731, 'humor quarentine': 410908, 'toiletpaper poopoopaper': 922352, 'poopoopaper joke': 664093, 'joke joking': 467099, 'joking walt': 467202, 'walt disney': 965514, 'disney world': 246049, 'hand over the': 375170, 'over the pop': 630753, 'the pop pop': 864011, 'pop pop paper': 664453, 'pop paper and': 664451, 'paper and nobody': 639842, 'and nobody get': 67658, 'nobody get hurt': 566002, 'get hurt comedy': 347274, 'hurt comedy comedian': 411556, 'comedy comedian standup': 187739, 'comedian standup standupcomedy': 187729, 'standup standupcomedy comic': 793864, 'standupcomedy comic funny': 793867, 'comic funny laugh': 187942, 'funny laugh humor': 341760, 'laugh humor quarentine': 481732, 'humor quarentine corona': 410909, 'quarentine corona toiletpaper': 693173, 'corona toiletpaper poopoopaper': 204252, 'toiletpaper poopoopaper joke': 922353, 'poopoopaper joke joking': 664094, 'joke joking walt': 467100, 'joking walt disney': 467203, 'walt disney world': 965515, 'johor': 466652, 'in johor': 424401, 'johor that': 466653, 'store in johor': 808325, 'in johor that': 424402, 'johor that deliver': 466654, 'here lot': 393319, 'safety folk': 730535, 'this doctor': 887268, 'doctor give': 250929, 'give sound': 350716, 'also put': 48723, 'into practice': 442889, 'health wellbeing': 386947, 'wellbeing wednesdaywisdom': 978803, 'here lot of': 393320, 'lot of information': 504212, 'about safety folk': 26128, 'safety folk this': 730536, 'folk this doctor': 312274, 'this doctor give': 887269, 'doctor give sound': 250930, 'give sound advice': 350717, 'sound advice that': 786259, 'he also put': 384733, 'also put into': 48724, 'put into practice': 690636, 'into practice health': 442890, 'practice health wellbeing': 668584, 'health wellbeing wednesdaywisdom': 386948, 'wellbeing wednesdaywisdom besafe': 978804, 'affected student': 34437, '19 ecq': 6715, 'ecq are': 268407, 'kind upon': 475021, 'upon consultation': 947617, 'consultation most': 195888, 'need such': 555666, 'water according': 968841, 'calling for donation': 156549, 'for donation the': 320833, 'donation the affected': 254702, 'the affected student': 848406, 'affected student of': 34438, 'student of covid': 814743, 'covid 19 ecq': 213005, '19 ecq are': 6716, 'ecq are in': 268408, 'of your support': 593531, 'your support both': 1026081, 'support both in': 826391, 'both in cash': 135938, 'in cash and': 421285, 'cash and in': 166158, 'and in kind': 65058, 'in kind upon': 424512, 'kind upon consultation': 475022, 'upon consultation most': 947618, 'consultation most student': 195889, 'most student have': 542779, 'student have difficulty': 814698, 'have difficulty in': 380276, 'difficulty in providing': 242387, 'in providing their': 427057, 'providing their basic': 687111, 'basic need such': 112016, 'need such food': 555667, 'and water according': 75229, 'water according to': 968842, 'according to them': 28596, 'to them their': 917317, 'them their stock': 876399, 'food will last': 317625, 'shopclickdrive': 761118, 'distance shopping': 246825, 'shopping car': 762286, 'dealer push': 229620, 'push online': 690305, 'loss feel': 503677, 'safer doing': 730355, 'way shopclickdrive': 969863, 'shopclickdrive gm': 761119, 'gm via': 353180, 'social distance shopping': 779522, 'distance shopping car': 246826, 'shopping car dealer': 762287, 'car dealer push': 163055, 'dealer push online': 229621, 'push online sale': 690306, 'sale to make': 732589, 'up for loss': 944944, 'for loss feel': 323109, 'loss feel safer': 503678, 'feel safer doing': 302835, 'safer doing it': 730356, 'doing it this': 252497, 'it this way': 461655, 'this way shopclickdrive': 891137, 'way shopclickdrive gm': 969864, 'shopclickdrive gm via': 761120, 'in ky': 424555, 'ky and': 478065, 'coast plus': 185110, 'story in ky': 812011, 'in ky and': 424556, 'ky and report': 478066, 'and report from': 70262, 'west coast plus': 980486, 'startwithtrust': 795147, 'customer happy': 222433, 'happy during': 377602, 'time gratitude': 896859, 'gratitude 19': 362352, 'bbdelivers startwithtrust': 113169, 'stocked and customer': 803259, 'and customer happy': 60845, 'customer happy during': 222434, 'happy during this': 377603, 'challenging time gratitude': 171638, 'time gratitude 19': 896860, 'gratitude 19 bbdelivers': 362353, '19 bbdelivers startwithtrust': 5314, 'mankind 32': 513255, 'all mankind 32': 43451, 'affect cannabis': 34132, 'behaviour cannabis': 124378, 'the coronavirus affect': 851800, 'coronavirus affect cannabis': 205459, 'affect cannabis consumer': 34133, 'cannabis consumer buying': 161398, 'buying behaviour cannabis': 150019, 'is trust': 453387, 'human lost': 410556, 'socialdistanacing is trust': 780069, 'is trust in': 453388, 'trust in other': 934273, 'in other human': 426243, 'other human lost': 620380, 'insight effect': 439527, 'key insight effect': 473324, 'insight effect of': 439528, 'bko': 132013, 'bko distillery': 132014, 'away hand': 105937, 'recently opened': 704133, 'opened brewery': 612713, 'brewery were': 139466, 'making vodka': 511485, 'vodka so': 959955, 'bko distillery is': 132015, 'distillery is making': 247771, 'making and giving': 510962, 'and giving away': 63676, 'giving away hand': 351241, 'away hand sanitizer': 105938, 'sanitizer the guy': 735869, 'guy who run': 369233, 'who run the': 989551, 'run the recently': 727826, 'the recently opened': 865329, 'recently opened brewery': 704134, 'opened brewery were': 612714, 'brewery were already': 139467, 'already making vodka': 47522, 'making vodka so': 511486, 'vodka so why': 959956, 'why not sanitizer': 991231, 'and closing': 60010, 'inbound shipment': 431247, 'shipment to': 758785, 'to third': 917396, 'can assign': 157532, 'assign staff': 96599, 'deliver much': 233177, 'health item': 386586, 'item faster': 463249, 'faster it': 300108, 'amazon is taking': 51010, 'taking over and': 833492, 'over and closing': 629981, 'and closing it': 60012, 'closing it inbound': 183671, 'it inbound shipment': 458757, 'inbound shipment to': 431248, 'shipment to third': 758787, 'to third party': 917397, 'they can assign': 881612, 'can assign staff': 157533, 'assign staff and': 96600, 'and deliver much': 61085, 'deliver much needed': 233178, 'food and health': 313250, 'and health item': 64359, 'health item faster': 386587, 'item faster it': 463250, 'faster it been': 300109, 'usual supply': 951032, 'shop local not': 760426, 'get your usual': 348743, 'your usual supply': 1026262, 'usual supply from': 951033, 'your supermarket why': 1026068, 'popped to': 664508, 'beer loaf': 122478, 'popped to the': 664510, 'grab some lunch': 361536, 'ginger beer loaf': 350190, 'beer loaf of': 122479, 'kampung': 470759, 'assembly': 96352, 'sampai': 733452, '1st wave': 12826, 'china 2nd': 176443, 'wave local': 969359, 'local mass': 498182, 'gathering 3rd': 344428, '3rd wave': 18450, 'wave supermarket': 969390, 'supermarket balik': 819287, 'balik kampung': 109045, 'kampung transport': 470764, 'transport police': 929930, 'station assembly': 796346, 'assembly 4th': 96353, '4th wave': 19539, 'wave sampai': 969388, 'sampai kampung': 733453, 'kampung rally': 470762, 'rally restricted': 696284, '1st wave from': 12827, 'wave from china': 969349, 'from china 2nd': 334847, 'china 2nd wave': 176444, '2nd wave local': 16812, 'wave local mass': 969360, 'local mass gathering': 498183, 'mass gathering 3rd': 519770, 'gathering 3rd wave': 344429, '3rd wave supermarket': 18452, 'wave supermarket balik': 969391, 'supermarket balik kampung': 819288, 'balik kampung transport': 109047, 'kampung transport police': 470765, 'transport police station': 929931, 'police station assembly': 663211, 'station assembly 4th': 796347, 'assembly 4th wave': 96354, '4th wave sampai': 19540, 'wave sampai kampung': 969389, 'sampai kampung rally': 733454, 'kampung rally restricted': 470763, 'rally restricted movement': 696285, 'drop covid': 260165, 'slows demand': 774637, 'price drop covid': 673566, 'drop covid 19': 260166, '19 slows demand': 10614, 'sundaymotivation': 818316, 'actually score': 30947, 'socialdistancing sundaymotivation': 780769, 'when you actually': 984534, 'you actually score': 1016814, 'actually score some': 30948, 'store socialdistancing sundaymotivation': 810255, 'dangerous taking': 225777, 'all precaution': 44016, 'please kindly': 660162, 'kindly reduce': 475155, 'increasing coverage': 433570, 'these medium': 880293, 'medium channel': 527037, 'channel which': 172948, 'among citizen': 52989, 'respected sir we': 715115, 'sir we understand': 771672, '19 is deadly': 7955, 'is deadly and': 447045, 'deadly and dangerous': 229248, 'and dangerous taking': 60944, 'dangerous taking all': 225778, 'taking all precaution': 833265, 'all precaution by': 44017, 'precaution by staying': 669301, 'home please kindly': 401865, 'please kindly reduce': 660164, 'kindly reduce the': 475156, 'reduce the increasing': 705965, 'the increasing coverage': 858082, 'increasing coverage of': 433571, 'coverage of these': 212370, 'of these medium': 591840, 'these medium channel': 880294, 'medium channel which': 527038, 'channel which is': 172949, 'is creating panic': 446915, 'panic among citizen': 637283, 'among citizen who': 52991, 'citizen who are': 178998, 'are hoarding good': 87202, 'hoarding good and': 399337, 'found menards': 330286, 'illness caused': 416354, 'store rebate': 809762, 'rebate nascar': 703255, 'investigator found menards': 443909, 'found menards is': 330287, 'fear over covid': 301274, 'is the illness': 452825, 'the illness caused': 857882, 'illness caused by': 416355, 'by coronavirus by': 152228, 'by doubling the': 152411, 'doubling the price': 256173, 'in store rebate': 428446, 'store rebate nascar': 809763, 'adapt in': 31259, 'climate will': 182236, 'shop forever': 760216, 'forever check': 329105, 'blog exploring': 132930, 'exploring how': 292546, 'how food': 407875, 'consumer digital': 197200, 'digital subscription': 242654, 'subscription stayhomesavelives': 815910, 'with business looking': 997494, 'business looking for': 144019, 'looking for new': 502883, 'for new way': 323838, 'way to adapt': 969983, 'to adapt in': 900041, 'adapt in the': 31260, 'current climate will': 221132, 'climate will change': 182237, 'we shop forever': 973243, 'shop forever check': 760217, 'forever check out': 329106, 'latest blog exploring': 481234, 'blog exploring how': 132931, 'exploring how food': 292547, 'how food brand': 407876, 'food brand can': 313784, 'brand can take': 137793, 'advantage of direct': 32998, 'to consumer digital': 903289, 'consumer digital subscription': 197201, 'digital subscription stayhomesavelives': 242655, 'something amazing': 784845, 'amazing tomorrow': 50810, 'tomorrow save': 924180, 'to pensioner': 911605, 'pensioner in': 646682, 'risk contracting': 723472, 'basket handle': 112341, 'handle be': 376177, 'use fully': 949228, 'fully extended': 341049, 'extended arm': 293146, 'arm coronacrisis': 92887, 'do something amazing': 250137, 'something amazing tomorrow': 784846, 'amazing tomorrow save': 50811, 'tomorrow save life': 924181, 'life by donating': 488543, 'by donating some': 152407, 'donating some of': 254499, 'your hand gel': 1024191, 'hand gel to': 374983, 'gel to pensioner': 345160, 'to pensioner in': 911606, 'pensioner in your': 646683, 'to risk contracting': 913592, 'risk contracting the': 723475, 'contracting the coronavirus': 201787, 'coronavirus from contaminated': 205956, 'from contaminated shopping': 334983, 'contaminated shopping trolley': 200669, 'and basket handle': 58732, 'basket handle be': 112342, 'handle be sure': 376178, 'to use fully': 918029, 'use fully extended': 949229, 'fully extended arm': 341050, 'extended arm coronacrisis': 293147, 'staff america': 792107, 'incredible the': 433879, 'empty yesterday': 275247, 'already full': 47367, 'full at': 340490, 'entire american': 278646, 'be celebrated': 114039, 'you to your': 1021860, 'store staff america': 810299, 'staff america is': 792108, 'america is incredible': 51575, 'is incredible the': 448878, 'incredible the shelf': 433880, 'that were empty': 847438, 'were empty yesterday': 979579, 'empty yesterday are': 275248, 'yesterday are already': 1015677, 'are already full': 84411, 'already full at': 47368, 'full at my': 340491, 'local store the': 498483, 'the entire american': 854348, 'entire american food': 278647, 'american food supply': 51981, 'supply system should': 825941, 'system should be': 831313, 'should be celebrated': 765581, 'loki': 500858, 'actually made': 30876, 'laugh corona': 481720, 'corona marvel': 204057, 'marvel loki': 518135, 'loki toiletpaper': 500859, 'can please see': 159258, 'please see this': 660458, 'see this it': 745947, 'this it so': 888528, 'it so funny': 461113, 'so funny it': 777150, 'funny it actually': 341754, 'it actually made': 456261, 'actually made me': 30877, 'made me laugh': 507839, 'me laugh corona': 523057, 'laugh corona marvel': 481721, 'corona marvel loki': 204058, 'marvel loki toiletpaper': 518136, 'lie why don': 488398, 'why don you': 990970, 'don you just': 254091, 'public you don': 688506, 'answer is wash': 78066, 'is wash hand': 453768, 'goptaxscam': 358311, 'pandumbic': 637154, 'my 401': 547157, '401 ha': 18790, 'at goptaxscam': 98784, 'goptaxscam inflated': 358312, 'while after': 986574, 'after non': 35959, 'public briefing': 687899, 'briefing you': 139758, 'you dumped': 1018375, 'dumped stock': 262214, 'promote incompetent': 683775, 'incompetent trump': 432543, 'trump pandumbic': 933743, 'pandumbic resign': 637155, 'resign http': 714465, 'glad my 401': 351510, 'my 401 ha': 547158, '401 ha been': 18791, 'ha been buying': 369737, 'been buying stock': 120773, 'buying stock at': 151087, 'stock at goptaxscam': 801877, 'at goptaxscam inflated': 98785, 'goptaxscam inflated price': 358313, 'price for year': 674080, 'for year while': 328021, 'year while after': 1015102, 'while after non': 986575, 'after non public': 35960, 'non public briefing': 566480, 'public briefing you': 687900, 'briefing you dumped': 139759, 'you dumped stock': 1018376, 'dumped stock and': 262215, 'stock and continued': 801807, 'and continued to': 60497, 'continued to promote': 201363, 'to promote incompetent': 912250, 'promote incompetent trump': 683776, 'incompetent trump pandumbic': 432545, 'trump pandumbic resign': 933744, 'pandumbic resign http': 637156, 'avoided it': 105417, 'but tomorrow': 147616, 'fresh thing': 333084, 'thing thinking': 884857, 'milk like': 531720, 'that quarantine': 845926, 'have avoided it': 379389, 'avoided it for': 105418, 'it for week': 458106, 'week but tomorrow': 976044, 'but tomorrow will': 147617, 'to buy fresh': 902231, 'buy fresh thing': 148710, 'fresh thing thinking': 333085, 'thing thinking about': 884858, 'thinking about egg': 885846, 'about egg milk': 25163, 'egg milk like': 269921, 'milk like that': 531721, 'like that quarantine': 491333, 'that quarantine due': 845927, 'quiztimemorningswithamazon': 694963, 'quiztimemorningswithamazon go': 694964, 'game on': 343221, 'amazon app': 50864, 'win some': 995580, 'some exciting': 782786, 'play daily': 659130, 'daily quiz': 224759, 'quiz to': 694960, 'eligible price': 271430, 'quiztimemorningswithamazon go guy': 694965, 'go guy play': 353630, 'guy play the': 369109, 'play the game': 659228, 'the game on': 856124, 'game on amazon': 343222, 'on amazon app': 599271, 'amazon app and': 50865, 'app and win': 81678, 'and win some': 75712, 'win some exciting': 995581, 'some exciting price': 782787, 'exciting price and': 289604, 'price and also': 672361, 'and also play': 57967, 'also play daily': 48658, 'play daily quiz': 659131, 'daily quiz to': 224760, 'quiz to eligible': 694961, 'to eligible price': 904985, 'eligible price and': 271431, 'save life covid': 737536, 'worker seriously': 1007755, 'seriously need': 751674, 'major kudos': 509367, 'kudos wage': 477890, 'increase something': 433075, 'and patron': 68782, 'store yesterday grocery': 811668, 'store worker seriously': 811580, 'worker seriously need': 1007756, 'seriously need some': 751675, 'need some major': 555595, 'some major kudos': 783251, 'major kudos wage': 509368, 'kudos wage increase': 477891, 'wage increase something': 963907, 'increase something they': 433076, 'worker and patron': 1006322, 'new some': 559619, 'about the new': 26460, 'the new some': 861557, 'new some national': 559620, 'hallmark': 374383, 'hallmark is': 374384, 'sending retail': 750083, 'retail merchandiser': 718318, 'merchandiser from': 528986, 'the not': 861892, 'hallmark is sending': 374385, 'is sending retail': 451773, 'sending retail merchandiser': 750084, 'retail merchandiser from': 718319, 'merchandiser from store': 528987, 'store all over': 806138, 'over the not': 630744, 'the not caring': 861893, 'caring about the': 164697, '19 please tweet': 9730, 'please tweet about': 660696, 'tweet about them': 936330, 'about them to': 26601, 'keepyoursenseofhumor': 472688, 'be socialdistance': 117272, 'socialdistance quedateencasa': 780155, 'quedateencasa relax': 693360, 'relax stophoarding': 708829, 'stophoarding dontpanic': 805392, 'dontpanic besmart': 255375, 'besmart stayhealthy': 127546, 'stayhealthy keepyoursenseofhumor': 797902, 'don be socialdistance': 253369, 'be socialdistance quedateencasa': 117273, 'socialdistance quedateencasa relax': 780156, 'quedateencasa relax stophoarding': 693361, 'relax stophoarding dontpanic': 708830, 'stophoarding dontpanic besmart': 805393, 'dontpanic besmart stayhealthy': 255376, 'besmart stayhealthy keepyoursenseofhumor': 127547, 'an anonymous': 55323, 'anonymous poll': 77460, 'poll please': 663848, 'please voter': 660733, 'voter simply': 960586, 'simply curious': 770210, 'curious quarantinediaries': 220983, 'quarantinelife quarentine': 693003, 'quarentine pandemic': 693178, 'pandemic shoppingonline': 636448, 'shoppingonline supermarket': 764527, 'are you food': 91794, 'you food shopping': 1018614, 'food shopping this': 316540, 'shopping this is': 764129, 'is an anonymous': 445642, 'an anonymous poll': 55325, 'anonymous poll please': 77461, 'poll please voter': 663849, 'please voter simply': 660734, 'voter simply curious': 960587, 'simply curious quarantinediaries': 770211, 'curious quarantinediaries quarantinelife': 220984, 'quarantinediaries quarantinelife quarentine': 692908, 'quarantinelife quarentine pandemic': 693004, 'quarentine pandemic shoppingonline': 693179, 'pandemic shoppingonline supermarket': 636449, 'josephkiragu': 467334, 'josephkiragu fighting': 467335, 'like fighting': 490234, 'war you': 966607, 'have weapon': 383564, 'supply seriously': 825811, 'seriously advise': 751521, 'advise all': 33573, 'equipment otherwise': 279800, 'otherwise lot': 621851, 'josephkiragu fighting with': 467336, '19 like fighting': 8327, 'like fighting in': 490235, 'fighting in war': 305092, 'in war you': 430676, 'war you must': 966608, 'you must have': 1019921, 'must have weapon': 546711, 'have weapon and': 383565, 'weapon and supply': 974238, 'and supply seriously': 72811, 'supply seriously advise': 825812, 'seriously advise all': 751522, 'advise all of': 33574, 'of you stock': 593422, 'you stock food': 1021420, 'stock food water': 802154, 'water and personal': 968873, 'and personal protection': 68929, 'protection equipment otherwise': 685416, 'equipment otherwise lot': 279801, 'carry heavy': 165092, 'heavy grocery': 388643, 'live online': 495971, 'tough time single': 926862, 'cannot carry heavy': 161704, 'carry heavy grocery': 165093, 'heavy grocery most': 388644, 'grocery most of': 364739, 'far from where': 298785, 'where live online': 984989, 'live online shopping': 495972, 'shoot 35': 759727, '35 after': 17876, 'trump intervenes': 933633, 'intervenes between': 442168, 'saudi currently': 737255, 'at 28': 97563, '28 oil': 16401, 'oil price shoot': 597254, 'price shoot 35': 676372, 'shoot 35 after': 759728, '35 after trump': 17878, 'after trump intervenes': 36454, 'trump intervenes between': 933634, 'intervenes between russia': 442169, 'and saudi currently': 70936, 'saudi currently at': 737256, 'currently at 28': 221471, 'at 28 oil': 97564, 'shopping dramatically': 762521, 'dramatically shifting': 258372, 'web due': 974942, 'crisis researcher': 217966, 'increased use': 433530, 'payment card': 645576, 'skimming malware': 773041, 'with retail shopping': 1000503, 'retail shopping dramatically': 718563, 'shopping dramatically shifting': 762522, 'dramatically shifting to': 258373, 'shifting to the': 758568, 'to the web': 917182, 'the web due': 871261, 'web due to': 974943, '19 crisis researcher': 6312, 'crisis researcher are': 217967, 'researcher are seeing': 713899, 'an increased use': 56247, 'increased use in': 433531, 'use in online': 949278, 'in online payment': 426170, 'online payment card': 608738, 'payment card skimming': 645577, 'card skimming malware': 163645, 'two important': 936970, 'maintain socialdistancing': 509035, 'supermarket avoid': 819274, 'avoid lengthy': 105174, 'lengthy conversation': 486332, 'conversation put': 202481, 'phone away': 654902, 'away too': 106080, 'perfect there': 651358, 'grateful please': 362296, 'please allow': 659644, 'of foot': 583846, 'continue thank': 201145, 'two important way': 936971, 'important way to': 419101, 'way to maintain': 970048, 'to maintain socialdistancing': 909594, 'maintain socialdistancing in': 509038, 'the supermarket avoid': 868476, 'supermarket avoid lengthy': 819275, 'avoid lengthy conversation': 105175, 'lengthy conversation put': 486333, 'conversation put your': 202482, 'put your phone': 690993, 'your phone away': 1025289, 'phone away too': 654904, 'away too let': 106081, 'too let go': 924850, 'go of the': 353864, 'of the perfect': 591329, 'the perfect there': 863549, 'perfect there is': 651359, 'is food be': 447865, 'food be grateful': 313698, 'be grateful please': 115085, 'grateful please please': 362297, 'please please allow': 660295, 'please allow the': 659645, 'allow the flow': 46074, 'flow of foot': 311251, 'of foot traffic': 583848, 'traffic to continue': 929152, 'to continue thank': 903407, 'continue thank you': 201146, 'of disabled': 582644, 'disabled respondent': 243954, 'respondent who': 715391, 'poorly or': 664387, 'the 47 of': 848126, '47 of disabled': 19262, 'of disabled respondent': 582645, 'disabled respondent who': 243955, 'respondent who have': 715392, '45 believe the': 19070, 'believe the are': 126356, 'the are performing': 848866, 'performing poorly or': 651502, 'poorly or very': 664388, 'or very poorly': 617660, 'nurse working': 577556, 'overtime at': 631620, 'keeping necessity': 472491, 'necessity available': 554177, 'anyone sacrificing': 80501, 'need tremendous': 556140, 'tremendous gratitude': 931224, 'gratitude is': 362376, 'is given': 448056, 'the doctor amp': 853456, 'doctor amp nurse': 250809, 'amp nurse working': 54203, 'nurse working overtime': 577558, 'working overtime at': 1008860, 'overtime at risk': 631621, 'to their health': 917237, 'health to the': 386923, 'store worker keeping': 811534, 'worker keeping necessity': 1007281, 'keeping necessity available': 472492, 'necessity available to': 554178, 'available to anyone': 104639, 'to anyone sacrificing': 900628, 'anyone sacrificing to': 80502, 'sacrificing to help': 729141, 'help others in': 390210, 'others in need': 621475, 'in need tremendous': 425778, 'need tremendous gratitude': 556141, 'tremendous gratitude is': 931225, 'gratitude is given': 362377, 'is given to': 448057, 'wld': 1003264, 'idea stop': 413174, 'at uk': 101384, 'about playing': 25953, 'playing dawn': 659393, 'dawn plea': 227056, 'tannoy at': 834269, 'every min': 286008, 'min wld': 532596, 'wld make': 1003265, 'ashamed change': 95044, 'behaviour also': 124351, 'removing largest': 710901, 'largest trolley': 480038, 'so every1': 776968, 'every1 could': 286385, 'have basket': 379417, 'basket what': 112418, 'an idea stop': 56133, 'idea stop hoarder': 413175, 'stop hoarder at': 804719, 'hoarder at uk': 398992, 'at uk supermarket': 101385, 'uk supermarket how': 938767, 'how about playing': 407297, 'about playing dawn': 25954, 'playing dawn plea': 659394, 'dawn plea over': 227057, 'plea over the': 659556, 'the tannoy at': 869143, 'tannoy at every': 834270, 'every supermarket every': 286248, 'supermarket every min': 820227, 'every min wld': 286009, 'min wld make': 532597, 'wld make people': 1003266, 'make people ashamed': 510312, 'people ashamed change': 647153, 'ashamed change their': 95045, 'their behaviour also': 872586, 'behaviour also how': 124352, 'also how about': 48373, 'how about removing': 407299, 'about removing largest': 26078, 'removing largest trolley': 710902, 'largest trolley so': 480039, 'trolley so every1': 932472, 'so every1 could': 776969, 'every1 could only': 286386, 'could only have': 209482, 'only have basket': 610575, 'have basket what': 379418, 'basket what they': 112419, 'they can carry': 881617, 'quarantine diary': 692142, 'friend set': 333805, 'country before': 210505, 'go have': 353639, 'self quarantine diary': 747852, 'quarantine diary all': 692143, 'diary all my': 240404, 'my friend set': 548447, 'friend set out': 333806, 'out to return': 627678, 'to their country': 917216, 'their country before': 872898, 'country before the': 210506, 'before the border': 123142, 'border were closed': 135294, 'were closed have': 979452, 'closed have no': 183151, 'to go have': 906805, 'go have to': 353640, 'welfare of': 977957, 'in postal': 426866, 'service packing': 752682, 'packing warehouse': 633736, 'warehouse etc': 966720, 'problem shopping': 679669, 'shopping onlineshop': 763514, 'thought about the': 892960, 'about the huge': 26413, 'the huge increase': 857701, 'and the welfare': 73649, 'the welfare of': 871374, 'welfare of people': 977958, 'people in postal': 648419, 'in postal service': 426867, 'postal service packing': 666449, 'service packing warehouse': 752683, 'packing warehouse etc': 633737, 'warehouse etc please': 966721, 'etc please shop': 282709, 'please shop for': 660506, 'for essential people': 321116, 'essential people if': 281379, 'home then don': 402252, 'then don create': 877131, 'don create more': 253448, 'create more problem': 215696, 'more problem shopping': 540144, 'problem shopping onlineshop': 679670, 'is closely': 446599, 'global wheat': 352297, 'wheat trade': 983024, 'trade dynamic': 928485, 'dynamic according': 263899, 'grain trader': 361805, 'wheat more': 983002, 'at http': 99245, 'is closely monitoring': 446600, 'closely monitoring the': 183470, 'monitoring the effect': 537379, 'pandemic on global': 636089, 'on global wheat': 601114, 'global wheat trade': 352298, 'wheat trade dynamic': 983025, 'trade dynamic according': 928486, 'dynamic according to': 263900, 'according to host': 28554, 'to host of': 907989, 'host of grain': 404883, 'of grain trader': 584298, 'grain trader it': 361806, 'trader it is': 928704, 'is too soon': 453286, 'soon to tell': 785872, 'tell the immediate': 837086, 'the immediate effect': 857900, 'immediate effect on': 416986, 'on the international': 604187, 'the international demand': 858366, 'international demand for': 441788, 'for wheat more': 327816, 'wheat more at': 983003, 'more at http': 538666, 'shave': 755803, 'popular belief': 664536, 'belief covid': 126199, 'the frequency': 855795, 'frequency with': 332811, 'which men': 986154, 'men need': 528506, 'to shave': 914388, 'shave also': 755804, 'doesn lead': 251868, 'reduced menstrual': 706115, 'cycle time': 224069, 'shelf suggest': 757620, 'suggest many': 817520, 'to popular belief': 911890, 'popular belief covid': 664537, 'belief covid 19': 126200, 'is not known': 450119, 'not known to': 570322, 'known to increase': 477252, 'increase the frequency': 433104, 'the frequency with': 855796, 'frequency with which': 332812, 'with which men': 1002087, 'which men need': 986155, 'men need to': 528507, 'need to shave': 556067, 'to shave also': 914389, 'shave also doesn': 755805, 'also doesn lead': 48117, 'doesn lead to': 251869, 'lead to reduced': 483382, 'to reduced menstrual': 913054, 'reduced menstrual cycle': 706116, 'menstrual cycle time': 528619, 'cycle time supermarket': 224070, 'supermarket shelf suggest': 822539, 'shelf suggest many': 757621, 'suggest many people': 817521, 'dependancy': 237329, 'increased dependancy': 433294, 'dependancy on': 237330, 'bank please': 110101, 'give whatever': 350836, 'can tesco': 159929, 'sainsbury co': 731656, 'waitrose all': 964436, 'box for': 137063, 'easiest way': 265181, 'help sought': 390550, 'milk tinned': 531863, 'food rice': 316231, 'pasta breakfast': 643699, 'breakfast cereal': 138877, 'washing liquid': 967695, 'with an increased': 997216, 'an increased dependancy': 56242, 'increased dependancy on': 433295, 'dependancy on food': 237331, 'food bank please': 313616, 'bank please give': 110102, 'please give whatever': 660035, 'give whatever you': 350837, 'you can tesco': 1017809, 'can tesco sainsbury': 159930, 'tesco sainsbury co': 838790, 'sainsbury co op': 731657, 'co op and': 184910, 'op and waitrose': 611794, 'and waitrose all': 75127, 'waitrose all have': 964437, 'all have in': 43051, 'have in store': 381038, 'in store donation': 428406, 'store donation box': 807367, 'donation box for': 254565, 'box for the': 137064, 'for the easiest': 326401, 'the easiest way': 853841, 'easiest way to': 265182, 'to help sought': 907632, 'help sought after': 390551, 'after item are': 35846, 'item are long': 463098, 'are long life': 87868, 'life milk tinned': 488876, 'milk tinned food': 531864, 'tinned food rice': 898617, 'food rice pasta': 316232, 'rice pasta breakfast': 721100, 'pasta breakfast cereal': 643700, 'breakfast cereal and': 138878, 'cereal and washing': 169917, 'and washing liquid': 75208, 'someone shouted': 784657, 'and burst': 59257, 'burst out': 142959, 'out cry': 625920, 'cry once': 219895, 'car we': 163338, 'struggling but': 814426, 'need lockdown': 555174, 'someone shouted at': 784658, 'at me in': 99707, 'today and burst': 919197, 'and burst out': 59258, 'burst out cry': 142960, 'out cry once': 625921, 'cry once got': 219896, 'once got to': 605643, 'got to my': 358965, 'to my car': 910379, 'my car we': 547607, 'car we re': 163340, 're all struggling': 698237, 'all struggling but': 44511, 'struggling but there': 814427, 'there wa just': 879245, 'wa just no': 962465, 'just no need': 469315, 'no need lockdown': 564851, '41 supermarket': 18870, 'job many': 465997, 'no medical': 564752, 'care many': 164059, 'have sick': 382544, 'beyond shame': 129232, '41 supermarket employee': 18871, 'supermarket employee have': 820123, 'employee have died': 273918, 'are asking these': 84648, 'asking these people': 96090, 'life for minimum': 488666, 'minimum wage job': 533238, 'wage job many': 963915, 'job many of': 465998, 'them have little': 875825, 'or no medical': 616262, 'no medical care': 564753, 'medical care many': 526083, 'care many of': 164060, 'not have sick': 569872, 'have sick leave': 382545, 'sick leave this': 768507, 'leave this is': 485001, 'this is beyond': 888191, 'is beyond shame': 446163, 'naturalselection': 552936, 'you protest': 1020474, 'protest virus': 685935, 'virus naturalselection': 958517, 'how the fuck': 408826, 'the fuck do': 855961, 'fuck do you': 339544, 'do you protest': 250663, 'you protest virus': 1020475, 'protest virus naturalselection': 685936, 'apple say': 82361, 'say customer': 738545, 'must wait': 546979, 'up repair': 945913, 'repair locked': 711461, 'locked inside': 500493, 'store coronavtj': 807190, 'apple say customer': 82362, 'say customer must': 738546, 'customer must wait': 222610, 'must wait to': 546980, 'wait to pick': 964229, 'pick up repair': 655754, 'up repair locked': 945914, 'repair locked inside': 711462, 'locked inside it': 500494, 'inside it retail': 439297, 'retail store coronavtj': 718629, 'store coronavtj techjunkienews': 807191, 'soju': 781577, 'disguised': 245350, 'when hard': 983518, 'hard liquor': 377964, 'bottle bottled': 136195, 'bottled and': 136366, 'and labeled': 65916, 'labeled like': 478365, 'like spring': 491229, 'and displayed': 61477, 'displayed on': 246216, 'shelf next': 757330, 'the soft': 867449, 'drink especially': 258819, 'especially useful': 280648, 'during quarantinelife': 262948, 'quarantinelife and': 692931, 'time korean': 897110, 'korean soju': 477530, 'soju disguised': 781578, 'disguised spring': 245351, 'water anyone': 968895, 'nice when hard': 562522, 'when hard liquor': 983519, 'hard liquor is': 377965, 'liquor is in': 494179, 'is in plastic': 448801, 'in plastic bottle': 426785, 'plastic bottle bottled': 658822, 'bottle bottled and': 136196, 'bottled and labeled': 136367, 'and labeled like': 65917, 'labeled like spring': 478366, 'like spring water': 491231, 'spring water and': 791252, 'water and displayed': 968858, 'and displayed on': 61478, 'displayed on the': 246217, 'supermarket shelf next': 822500, 'shelf next to': 757331, 'to the soft': 917077, 'the soft drink': 867450, 'soft drink especially': 781469, 'drink especially useful': 258820, 'especially useful during': 280649, 'useful during quarantinelife': 950152, 'during quarantinelife and': 262949, 'quarantinelife and socialdistancing': 692932, 'and socialdistancing time': 71911, 'socialdistancing time korean': 780815, 'time korean soju': 897111, 'korean soju disguised': 477531, 'soju disguised spring': 781579, 'disguised spring water': 245352, 'spring water anyone': 791253, 'knife in': 476109, 'in dispute': 422308, 'dispute over': 246330, 'with knife in': 999161, 'knife in dispute': 476110, 'in dispute over': 422309, 'dispute over corona': 246331, 'over corona rule': 630114, 'pakistan response': 634494, 'response trillion': 715899, 'trillion covid': 931974, '19 package': 9230, 'package govt': 633290, 'govt slash': 361291, 'slash petrol': 773582, 'price stipend': 676659, 'million amp': 532061, 'pakistan response trillion': 634495, 'response trillion covid': 715900, 'trillion covid 19': 931975, 'covid 19 package': 213542, '19 package govt': 9231, 'package govt slash': 633291, 'govt slash petrol': 361292, 'slash petrol price': 773583, 'petrol price stipend': 653775, 'price stipend for': 676660, 'stipend for million': 801690, 'for million amp': 323435, 'million amp more': 532062, 'bezos ceo': 129273, 'jeff bezos ceo': 465000, 'bezos ceo of': 129274, 'ceo of amazon': 169766, 'of amazon is': 580029, 'amazon is donating': 50996, 'is donating 100': 447310, 'donating 100 million': 254415, '100 million to': 1954, 'million to feeding': 532384, 'to feeding america': 905742, 'feeding america to': 302456, 'bank seeing an': 110170, 'wastepaper': 968291, 'recoveredpaper': 705252, 'of waste': 592924, 'waste paper': 968169, 'paper sorting': 640810, 'sorting plant': 786190, 'closed supply': 183355, 'supply shortfall': 825840, 'shortfall and': 765362, 'for recovered': 325030, 'recovered paper': 705239, 'paper expected': 640144, 'expected wastepaper': 291017, 'wastepaper recoveredpaper': 968292, '40 per cent': 18636, 'cent of waste': 169096, 'of waste paper': 592925, 'waste paper sorting': 968170, 'paper sorting plant': 640811, 'sorting plant in': 786191, 'plant in france': 658663, 'france are closed': 330977, 'are closed supply': 85368, 'closed supply shortfall': 183356, 'supply shortfall and': 825841, 'shortfall and rising': 765363, 'price for recovered': 674036, 'for recovered paper': 325031, 'recovered paper expected': 705240, 'paper expected wastepaper': 640145, 'expected wastepaper recoveredpaper': 291018, 'onlineinteraction': 609828, 'consumer behave': 196427, 'behave after': 123765, 'are several': 90006, 'several option': 753909, 'ecommerce increase': 266787, '14 onlineinteraction': 3508, 'onlineinteraction especially': 609829, 'especially social': 280602, 'medium brandexperience': 527023, 'brandexperience question': 138108, 'build trust': 142010, 'will consumer behave': 992998, 'consumer behave after': 196428, 'behave after the': 123767, 'there are several': 878158, 'are several option': 90007, 'several option ecommerce': 753910, 'option ecommerce increase': 614024, 'ecommerce increase of': 266788, 'increase of 14': 432931, 'of 14 onlineinteraction': 579353, '14 onlineinteraction especially': 3509, 'onlineinteraction especially social': 609830, 'especially social medium': 280603, 'social medium brandexperience': 779842, 'medium brandexperience question': 527025, 'brandexperience question to': 138109, 'question to build': 693778, 'to build trust': 902092, 'thesofterthebetter': 881033, 'print might': 678281, 'dead but': 229139, 'paper still': 640829, 'still rule': 801130, 'rule baby': 727213, 'baby toiletpaper': 106720, 'toiletpaperpanic thesofterthebetter': 923256, 'print might be': 678282, 'might be dead': 530888, 'be dead but': 114341, 'dead but toilet': 229140, 'but toilet paper': 147614, 'toilet paper still': 921469, 'paper still rule': 640830, 'still rule baby': 801131, 'rule baby toiletpaper': 727214, 'baby toiletpaper toiletpaperpanic': 106721, 'toiletpaper toiletpaperpanic thesofterthebetter': 922707, 'earh': 264409, 'gobiernodeespana': 354616, 'must tell': 546947, 'regulate low': 707983, 'low mask': 505401, 'will immediately': 993772, 'immediately invade': 417116, 'invade them': 443561, 'by earh': 152443, 'earh sea': 264410, 'air china': 39702, 'china gobiernodeespana': 176676, 'we must tell': 972445, 'must tell the': 546948, 'tell the chinese': 837083, 'the chinese government': 850858, 'chinese government that': 177274, 'government that if': 360673, 'if it doe': 414297, 'doe not regulate': 251523, 'not regulate low': 571287, 'regulate low mask': 707984, 'low mask price': 505402, 'mask price in': 519146, 'price in it': 674700, 'in it online': 424260, 'online store we': 609481, 'store we will': 811187, 'we will immediately': 973872, 'will immediately invade': 993773, 'immediately invade them': 417117, 'invade them by': 443562, 'them by earh': 875513, 'by earh sea': 152444, 'earh sea and': 264411, 'sea and air': 743079, 'and air china': 57809, 'air china gobiernodeespana': 39703, 'the acute': 848331, 'stronger bond': 814168, 'bond 19': 134222, 'pager previously': 633929, 'previously consumer': 672029, 'tool can meet': 925403, 'meet the acute': 527591, 'the acute need': 848332, 'acute need of': 31039, 'need of today': 555348, 'today customer and': 919422, 'customer and forge': 222075, 'forge stronger bond': 329215, 'stronger bond 19': 814169, 'bond 19 expanded': 134223, 'one pager previously': 606828, 'pager previously consumer': 633930, 'previously consumer d2c': 672030, 'beyondfragrance': 129264, 'are warned': 91530, 'encourage more': 275602, 'shopping take': 764046, 'yourself beyondfragrance': 1026545, 'beyondfragrance whole': 129265, 'whole visit': 990371, 'this coronavirus we': 886903, 'coronavirus we are': 207049, 'we are warned': 970756, 'are warned to': 91531, 'warned to follow': 967046, 'to follow these': 906066, 'follow these rule': 312557, 'these rule to': 880619, 'rule to reduce': 727386, 'we encourage more': 971449, 'encourage more online': 275603, 'online shopping take': 609296, 'shopping take care': 764047, 'of yourself beyondfragrance': 593543, 'yourself beyondfragrance whole': 1026546, 'beyondfragrance whole visit': 129266, 'we ut': 973626, 'ut price': 951182, 'hard covid': 377896, 'we ut price': 973627, 'ut price by': 951183, 'by 50 for': 151664, '50 for one': 19693, 'one year to': 607530, 'support small and': 826819, 'medium business during': 527030, 'business during that': 143671, 'during that hard': 263072, 'that hard covid': 844184, 'hard covid 19': 377897, 'that amazing': 842619, 'india do you': 434380, 'know that amazing': 476752, 'that amazing effort': 842620, 'inr': 439016, '550': 20415, '1583916': 3992, 'charge 99': 173183, '99 inr': 23849, 'inr free': 439017, 'shipping for': 758850, 'product whose': 681851, 'whose listed': 990652, 'listed mrp': 494629, 'mrp is': 544456, 'is 550': 445214, '550 inr': 20418, 'inr including': 439019, 'including all': 431866, 'all tax': 44612, 'tax didn': 834966, 'didn knew': 241118, 'knew impacted': 476044, 'impacted price': 418145, 'of usb': 592693, 'usb cable': 948883, 'cable too': 155027, 'too raised': 925025, 'ticket 1583916': 895584, '1583916 stop': 3993, 'in how can': 423874, 'can you charge': 160285, 'you charge 99': 1017918, 'charge 99 inr': 173185, '99 inr free': 23850, 'inr free shipping': 439018, 'free shipping for': 332156, 'shipping for product': 758851, 'for product whose': 324779, 'product whose listed': 681852, 'whose listed mrp': 990653, 'listed mrp is': 494630, 'mrp is 550': 544457, 'is 550 inr': 445215, '550 inr including': 20419, 'inr including all': 439020, 'including all tax': 431868, 'all tax didn': 44613, 'tax didn knew': 834967, 'didn knew impacted': 241119, 'knew impacted price': 476045, 'impacted price of': 418146, 'price of usb': 675599, 'of usb cable': 592694, 'usb cable too': 948884, 'cable too raised': 155028, 'too raised ticket': 925026, 'raised ticket 1583916': 696048, 'ticket 1583916 stop': 895585, '1583916 stop looting': 3994, 'at mid': 99732, 'mid 600': 530547, '600 level': 21095, 'level on': 487668, 'haven crowd': 383776, 'crowd looked': 219199, 'clue from': 184538, 'street where': 813173, 'where stock': 985188, 'price recorded': 676117, 'recorded another': 705091, 'another significant': 77856, 'significant gain': 769454, 'on talk': 603877, 'wa turning': 963585, 'turning the': 935955, 'corner on': 203660, 'despite mounting': 238792, 'mounting death': 543444, 'gold price held': 355958, 'held at mid': 388883, 'at mid 600': 99733, 'mid 600 level': 530548, '600 level on': 21096, 'level on wednesday': 487669, 'wednesday the safe': 975695, 'safe haven crowd': 729737, 'haven crowd looked': 383777, 'crowd looked for': 219200, 'looked for clue': 502723, 'for clue from': 320140, 'clue from wall': 184539, 'from wall street': 338281, 'wall street where': 965194, 'street where stock': 813174, 'where stock price': 985189, 'stock price recorded': 802744, 'price recorded another': 676118, 'recorded another significant': 705092, 'another significant gain': 77857, 'significant gain on': 769455, 'gain on talk': 342802, 'on talk that': 603878, 'talk that the': 833854, 'that the wa': 846863, 'the wa turning': 871018, 'wa turning the': 963586, 'turning the corner': 935956, 'the corner on': 851749, 'corner on covid': 203661, '19 despite mounting': 6511, 'despite mounting death': 238793, 'ipad': 444538, 'multivitamin': 545854, '21stcentury': 15146, 'thisislife': 891644, 'what holding': 981603, 'my ipad': 548883, 'ipad my': 444540, 'the multivitamin': 861137, 'multivitamin are': 545855, 'supermarket 21stcentury': 818744, '21stcentury thisislife': 15147, 'look what holding': 502670, 'what holding up': 981604, 'holding up my': 400188, 'up my ipad': 945432, 'my ipad my': 548884, 'ipad my last': 444541, 'and the multivitamin': 73483, 'the multivitamin are': 861138, 'multivitamin are there': 545856, 'are there because': 90953, 'there because cannot': 878226, 'because cannot buy': 118984, 'food because there': 313715, 'because there isn': 119670, 'isn any at': 454435, 'any at the': 78947, 'the supermarket 21stcentury': 868441, 'supermarket 21stcentury thisislife': 818745, 'powys': 667854, 'in powys': 426889, 'powys mid': 667855, 'mid wale': 530597, 'wale could': 964693, 'about yet': 26965, 'then rearranging': 877462, 'rearranging stock': 702846, 'stock she': 802824, 'she decides': 755973, 'decides which': 230958, 'which chocolate': 985750, 'chocolate egg': 177667, 'egg she': 269980, 'conclusion that supermarket': 193327, 'that supermarket customer': 846566, 'supermarket customer in': 819877, 'customer in powys': 222503, 'in powys mid': 426890, 'powys mid wale': 667856, 'mid wale could': 530598, 'wale could not': 964694, 'could not give': 209444, 'not give ck': 569638, 'ck about yet': 179629, 'about yet another': 26966, 'yet another one': 1015995, 'another one coughing': 77736, 'one coughing into': 606112, 'hand then rearranging': 375832, 'then rearranging stock': 877463, 'rearranging stock she': 702847, 'stock she decides': 802825, 'she decides which': 755974, 'decides which chocolate': 230959, 'which chocolate egg': 985751, 'chocolate egg she': 177668, 'egg she want': 269981, 'state grocery': 795633, 'nepal merchant': 557404, 'hiding product': 394877, 'the ha hit': 856994, 'are hoarding stuff': 87207, 'hoarding stuff like': 399557, 'hell but in': 388991, 'but in country': 146024, 'country like the': 210864, 'united state grocery': 942219, 'state grocery store': 795634, 'store are running': 806518, 'out of product': 626812, 'of product while': 588504, 'product while in': 681847, 'while in nepal': 986950, 'in nepal merchant': 425805, 'nepal merchant are': 557405, 'are hiding product': 87144, 'hiding product by': 394878, 'product by making': 681037, 'by making fake': 153139, 'shortage so they': 765216, 'pandemic what shame': 636973, 'ingles': 438318, 'grantkapp': 362115, 'coronavirus suck': 206841, 'suck there': 816935, 'wa hardly': 962281, 'any beef': 78966, 'or chicken': 614714, 'poultry in': 667322, 'entire ingles': 278691, 'ingles supermarket': 438321, 'supermarket ingles': 821039, 'ingles beef': 438319, 'beef pork': 120537, 'pork greenville': 664796, 'greenville grantkapp': 363769, 'and this coronavirus': 73987, 'this coronavirus suck': 886902, 'coronavirus suck there': 206842, 'suck there wa': 816936, 'there wa hardly': 879242, 'wa hardly any': 962282, 'hardly any beef': 378245, 'any beef or': 78967, 'beef or chicken': 120531, 'or chicken poultry': 614715, 'chicken poultry in': 175839, 'poultry in the': 667323, 'in the entire': 429170, 'the entire ingles': 854359, 'entire ingles supermarket': 278692, 'ingles supermarket ingles': 438322, 'supermarket ingles beef': 821040, 'ingles beef pork': 438320, 'beef pork greenville': 120538, 'pork greenville grantkapp': 664797, 'liquidation': 494115, 'deliveryservices': 234797, 'samedaydelivery': 733434, 'deliveryservice': 234795, 'haultail': 379023, 'retail chapter': 717953, 'chapter 11': 173130, '11 are': 2492, 'pause with': 644620, 'store liquidation': 808770, 'liquidation effectively': 494116, 'effectively impossible': 269355, 'impossible but': 419361, 'but wave': 147733, 'bankruptcy is': 110528, 'coming expert': 188039, 'more deliveryservices': 538985, 'deliveryservices grocerydelivery': 234798, 'grocerydelivery samedaydelivery': 366217, 'samedaydelivery deliveryservice': 733435, 'deliveryservice haultail': 234796, 'some retail chapter': 783756, 'retail chapter 11': 717954, 'chapter 11 are': 173131, '11 are on': 2493, 'are on pause': 88731, 'on pause with': 602716, 'pause with store': 644621, 'with store liquidation': 1000993, 'store liquidation effectively': 808771, 'liquidation effectively impossible': 494117, 'effectively impossible but': 269356, 'impossible but wave': 419362, 'but wave of': 147734, 'of bankruptcy is': 580548, 'bankruptcy is coming': 110529, 'is coming expert': 446654, 'coming expert say': 188040, 'read more deliveryservices': 700430, 'more deliveryservices grocerydelivery': 538986, 'deliveryservices grocerydelivery samedaydelivery': 234799, 'grocerydelivery samedaydelivery deliveryservice': 366218, 'samedaydelivery deliveryservice haultail': 733436, 'once three': 605762, 'mean increased': 524497, 'exposure risk': 292992, 'shopping uk': 764283, 'uk supply': 938784, 'chain simply': 171110, 'simply can': 770193, 'never buy more': 557921, 'than three day': 841326, 'three day supply': 893918, 'day supply and': 228435, 'supply and not': 824741, 'and not more': 67757, 'than once three': 840974, 'once three day': 605763, 'three day even': 893908, 'day even if': 227570, 'even if this': 284221, 'if this mean': 415164, 'this mean increased': 888809, 'mean increased exposure': 524498, 'increased exposure risk': 433316, 'exposure risk to': 292993, 'risk to out': 723968, 'to out shopping': 911263, 'out shopping uk': 627184, 'shopping uk supply': 764284, 'uk supply chain': 938785, 'supply chain simply': 825036, 'chain simply can': 171111, 'simply can cope': 770195, 'cope with higher': 203347, 'with higher demand': 998811, 'higher demand it': 395577, 'demand it really': 235758, 'it really is': 460647, 'really is that': 702354, 'is that simple': 452688, 'attitude are': 102548, 'changing or': 172765, 'test your': 839249, 'product update': 681795, 'update message': 947075, 'or corporate': 614833, 'corporate communication': 207248, 'communication in': 189603, 'dynamic world': 263917, 'world check': 1009414, '19 human': 7626, 'human insight': 410520, 'insight portal': 439618, 'looking for information': 502874, 'behavior and attitude': 123880, 'and attitude are': 58512, 'attitude are changing': 102549, 'are changing or': 85238, 'changing or how': 172766, 'or how to': 615695, 'how to test': 409100, 'to test your': 916399, 'test your product': 839250, 'your product update': 1025447, 'product update message': 681796, 'update message or': 947076, 'message or corporate': 529390, 'or corporate communication': 614834, 'corporate communication in': 207249, 'communication in this': 189606, 'in this dynamic': 429937, 'this dynamic world': 887325, 'dynamic world check': 263918, 'world check out': 1009415, 'covid 19 human': 213234, '19 human insight': 7627, 'human insight portal': 410521, 'security what': 744791, 'supply coronavirus': 825110, 'package impact': 633301, 'farmer food': 299374, 'avoid to': 105351, 'help snap': 390532, 'snap wic': 776124, 'wic beneficiary': 991649, 'beneficiary amp': 126888, 'food security what': 316371, 'security what you': 744792, 'know for information': 476385, 'information on food': 437912, 'food price food': 315942, 'price food supply': 673915, 'food supply coronavirus': 316943, 'supply coronavirus relief': 825111, 'coronavirus relief package': 206644, 'relief package impact': 709422, 'package impact on': 633302, 'on farmer food': 600740, 'farmer food to': 299375, 'to avoid to': 900951, 'avoid to help': 105352, 'to help snap': 907628, 'help snap wic': 390533, 'snap wic beneficiary': 776125, 'wic beneficiary amp': 991650, 'beneficiary amp more': 126889, 'to disabled': 904333, 'this local': 888677, 'local account': 497665, 'account which': 28781, 'which highlight': 985933, 'highlight local': 395933, 'food throughout': 317214, 'throughout ireland': 894943, 'we are focusing': 970567, 'focusing on online': 311998, 'and the delivery': 73319, 'delivery service open': 234454, 'service open to': 752661, 'open to disabled': 612592, 'to disabled people': 904334, 'disabled people and': 243936, 'people and their': 646888, 'their family during': 873252, 'out this local': 627577, 'this local account': 888678, 'local account which': 497666, 'account which highlight': 28783, 'which highlight local': 985934, 'highlight local business': 395934, 'who are delivering': 988130, 'are delivering fresh': 85765, 'delivering fresh food': 233502, 'fresh food throughout': 332980, 'food throughout ireland': 317215, 'people then': 649802, 'selling right': 749427, 'moving sale': 544176, 'sale selling': 732514, 'you believe in': 1017447, 'believe in the': 126293, 'in the impact': 429283, 'impact of your': 417813, 'service and you': 752118, 'know it help': 476531, 'it help people': 458546, 'help people then': 390309, 'people then there': 649804, 'then there no': 877640, 'need to drop': 555911, 'drop price or': 260375, 'price or stop': 675789, 'or stop selling': 617242, 'stop selling right': 804994, 'selling right now': 749428, 'right now keep': 722094, 'now keep it': 575163, 'keep it moving': 471616, 'it moving sale': 459700, 'moving sale selling': 544177, 'scared worry': 741047, 'mom because': 535691, 'she fall': 756025, 'susceptible age': 829433, 'age limit': 37845, 'she may': 756219, 'terrified that': 838507, 'very scared worry': 955505, 'scared worry about': 741048, 'about my mom': 25764, 'my mom because': 549258, 'mom because she': 535692, 'work at major': 1004882, 'at major grocery': 99663, 'store and she': 806344, 'and she fall': 71418, 'she fall within': 756026, 'within the susceptible': 1002441, 'the susceptible age': 869033, 'susceptible age limit': 829434, 'age limit for': 37846, 'limit for covid': 492348, 'how she may': 408661, 'she may get': 756220, 'may get me': 521206, 'get me sick': 347537, 'but terrified that': 147272, 'terrified that she': 838508, 'that she ll': 846241, 'real see': 701349, 'here getting': 393039, 'getting toiletpaper': 349405, 'trump commonsense': 933484, 'commonsense insanity': 189503, 'insanity planet': 439108, 'is real see': 451280, 'real see here': 701350, 'see here getting': 745189, 'here getting toiletpaper': 393040, 'getting toiletpaper trump': 349406, 'toiletpaper trump commonsense': 922768, 'trump commonsense insanity': 933485, 'commonsense insanity planet': 189504, 'insanity planet earth': 439109, 'change result': 172243, 'crisis un': 218280, 'behavioural change result': 124573, 'change result of': 172244, 'the outbreak such': 862702, 'outbreak such panic': 628673, 'such panic buying': 816667, 'buying could lead': 150148, 'food supply crisis': 316944, 'supply crisis un': 825125, 'crisis un warns': 218281, 'weekend when': 977447, 'the earliest': 853814, 'earliest delivery': 264519, 'is 26': 445195, '26 march': 16174, 'march others': 515427, 'can the elderly': 159951, 'vulnerable people self': 961108, 'self isolate from': 747675, 'isolate from the': 454864, 'from the weekend': 337924, 'the weekend when': 871341, 'weekend when they': 977449, 'on food supermarket': 600916, 'food supermarket have': 316911, 'have been stripped': 379697, 'stripped bare and': 813845, 'bare and the': 110861, 'and the earliest': 73338, 'the earliest delivery': 853816, 'earliest delivery slot': 264520, 'slot from my': 774198, 'supermarket is 26': 821065, 'is 26 march': 445196, '26 march others': 16175, 'march others will': 515428, 'others will probably': 621801, 'thepeoplebuilder': 877874, 'grantherbert': 362105, 'emotionalintelligence': 273316, 'beyondcovid19': 129263, 'podcast listen': 662296, 'podcast and': 662255, 'can move': 159012, 'from mindset': 336438, 'to mindset': 910143, 'of faith': 583377, 'faith to': 296540, 'creator thepeoplebuilder': 216252, 'thepeoplebuilder grantherbert': 877875, 'grantherbert leadership': 362106, 'leadership emotionalintelligence': 483601, 'emotionalintelligence beyondcovid19': 273317, 'new podcast listen': 559291, 'podcast listen to': 662297, 'week podcast and': 976762, 'podcast and learn': 662257, 'you can move': 1017730, 'can move from': 159014, 'move from mindset': 543655, 'from mindset of': 336439, 'mindset of fear': 532855, 'of fear to': 583464, 'fear to mindset': 301398, 'to mindset of': 910144, 'mindset of faith': 532854, 'of faith to': 583378, 'faith to move': 296541, 'to move from': 910308, 'move from being': 543652, 'from being consumer': 334675, 'being consumer to': 124992, 'consumer to being': 199309, 'to being creator': 901736, 'being creator thepeoplebuilder': 125011, 'creator thepeoplebuilder grantherbert': 216253, 'thepeoplebuilder grantherbert leadership': 877876, 'grantherbert leadership emotionalintelligence': 362107, 'leadership emotionalintelligence beyondcovid19': 483602, 'colonized': 186710, 'that colonized': 843255, 'colonized the': 186711, 'medicine look': 526830, 'other picture': 620714, 'are united': 91318, 'at the country': 100916, 'country that colonized': 211110, 'that colonized the': 843256, 'colonized the world': 186712, 'the world how': 871889, 'world how are': 1009642, 'are they in': 91007, 'they in panic': 882450, 'panic and fear': 637309, 'and fear and': 62735, 'and medicine look': 66911, 'medicine look at': 526831, 'at the other': 101043, 'the other picture': 862545, 'other picture that': 620715, 'picture that it': 656200, 'that it they': 844751, 'they are united': 881445, 'are united and': 91319, 'united and help': 942146, 'other and distribute': 619822, 'and distribute food': 61509, 'food for free': 314537, 'alone shopper': 46904, 're not glutenfree': 699092, 'glutenfree leave this': 353141, 'leave this food': 484999, 'this food alone': 887573, 'food alone shopper': 313102, 'alone shopper are': 46905, 'shopper are panicking': 761396, 'are panicking over': 88975, 'mahalo': 508467, 'hawai': 384440, 'this stressful': 890382, 'say mahalo': 738908, 'mahalo to': 508468, 'folk from': 312155, 'other profession': 620781, 'profession in': 682386, 'between who': 128960, 'their duty': 873088, 'duty during': 263568, 'pandemic hawai': 635595, 'hawai wouldn': 384441, 'run without': 727868, 'during this stressful': 263321, 'this stressful time': 890383, 'stressful time we': 813524, 'time we just': 898227, 'we just wanted': 972126, 'to say mahalo': 913828, 'say mahalo to': 738909, 'mahalo to the': 508469, 'the folk from': 855485, 'folk from grocery': 312156, 'clerk to healthcare': 181794, 'to healthcare professional': 907381, 'healthcare professional and': 387226, 'professional and other': 682402, 'and other profession': 68389, 'other profession in': 620782, 'profession in between': 682387, 'in between who': 420813, 'between who continue': 128961, 'continue to their': 201275, 'to their duty': 917229, 'their duty during': 873089, 'duty during the': 263569, '19 pandemic hawai': 9344, 'pandemic hawai wouldn': 635596, 'hawai wouldn be': 384442, 'wouldn be able': 1012435, 'able to run': 24536, 'to run without': 913677, 'run without you': 727869, 'socialdistanacing should the': 780095, 'china mobile': 176825, 'mobile sticking': 535026, 'year goal': 1014591, 'goal despite': 354563, 'service 5g': 752025, 'consumer smartphones': 199008, 'china mobile sticking': 176826, 'mobile sticking to': 535027, 'sticking to full': 800106, 'to full year': 906317, 'full year goal': 340991, 'year goal despite': 1014592, 'goal despite impact': 354564, 'despite impact on': 238765, 'impact on service': 417889, 'on service 5g': 603379, 'service 5g consumer': 752026, '5g consumer smartphones': 20663, 'for coffee': 320142, 'meet new': 527536, 'new adorable': 558322, 'adorable furry': 32740, 'furry friend': 341980, 'stop for coffee': 804662, 'for coffee on': 320143, 'way home and': 969633, 'home and meet': 400663, 'and meet new': 66931, 'meet new adorable': 527537, 'new adorable furry': 558323, 'adorable furry friend': 32741, 'furry friend it': 341981, 'smelly': 775637, 'coronac': 204453, 'fuck should': 339638, 'been overcharging': 121629, 'overcharging and': 631099, 'dirty smelly': 243771, 'smelly hole': 775638, 'closed week': 183430, 'ago you': 38560, 'expect me': 290678, 'than shop': 841137, 'price dream': 673547, 'dream on': 258609, 'on wont': 605360, 'wont need': 1004250, 'them later': 875969, 'later either': 481054, 'either pubsclosed': 270361, 'pubsclosed coronac': 688800, 'the fuck should': 855971, 'fuck should they': 339639, 'should they ve': 766588, 've been overcharging': 952913, 'been overcharging and': 121630, 'overcharging and ripping': 631100, 'people off in': 648937, 'off in their': 593927, 'in their dirty': 429737, 'their dirty smelly': 873029, 'dirty smelly hole': 243772, 'smelly hole that': 775639, 'hole that should': 400238, 'that should have': 846285, 'should have closed': 766066, 'have closed week': 380003, 'closed week ago': 183431, 'week ago you': 975867, 'ago you expect': 38561, 'you expect me': 1018480, 'expect me to': 290679, 'me to pay': 523767, 'to pay more': 911543, 'pay more than': 645000, 'more than shop': 540675, 'than shop price': 841138, 'shop price dream': 760681, 'price dream on': 673548, 'dream on wont': 258610, 'on wont need': 605361, 'wont need them': 1004251, 'need them later': 555777, 'them later either': 875970, 'later either pubsclosed': 481055, 'either pubsclosed coronac': 270362, 'and reality': 70002, 'reality hit': 701741, 'like ton': 491651, 'of brick': 580877, 'brick winco': 139594, 'winco place': 995612, 'where shelf': 985171, 'always full': 49567, 'full if': 340634, 'don find': 253514, 'it else': 457788, 'else where': 271977, 'where winco': 985361, 'winco will': 995614, 'today 70': 919131, '70 shelf': 21834, 'today and reality': 919222, 'and reality hit': 70003, 'reality hit me': 701742, 'hit me like': 398320, 'me like ton': 523088, 'like ton of': 491652, 'ton of brick': 924265, 'of brick winco': 580880, 'brick winco place': 139595, 'winco place where': 995613, 'place where shelf': 657835, 'where shelf are': 985172, 'shelf are always': 756788, 'are always full': 84498, 'always full if': 49568, 'full if you': 340637, 'you don find': 1018314, 'don find it': 253515, 'find it else': 306990, 'it else where': 457789, 'else where winco': 271979, 'where winco will': 985362, 'winco will have': 995615, 'will have it': 993642, 'it but today': 456961, 'but today 70': 147598, 'today 70 shelf': 919132, '70 shelf empty': 21835, 'happened how': 377249, 'super rocket': 818572, 'rocket gas': 724948, 'california doing': 155491, '19 happened how': 7429, 'happened how the': 377250, 'how the super': 408879, 'the super rocket': 868430, 'super rocket gas': 818573, 'rocket gas price': 724949, 'price in california': 674670, 'in california doing': 421138, 'california doing right': 155492, 'for upping': 327475, 'upping your': 947713, 'time for upping': 896772, 'for upping your': 327476, 'upping your price': 947714, 'have coworker': 380139, 'coworker getting': 214481, 'essential cellular': 280885, 'cellular retail': 168991, 'had older': 373355, 'for bill': 319681, 'bill pay': 130651, 'simple question': 770080, 'have coworker getting': 380140, 'coworker getting tested': 214482, 'an essential cellular': 55820, 'essential cellular retail': 280886, 'cellular retail store': 168992, 'still have had': 800652, 'have had older': 380869, 'had older people': 373356, 'older people coming': 598643, 'people coming in': 647499, 'coming in for': 188090, 'in for bill': 423011, 'for bill pay': 319683, 'bill pay that': 130653, 'pay that you': 645140, 'do online or': 249935, 'phone and simple': 654885, 'and simple question': 71680, 'simple question that': 770081, 'question that are': 693760, 'blog take': 133020, 'most asked': 542118, 'asked related': 95817, 'question by': 693559, 'by worried': 154769, 'worried homesellers': 1010566, 'homesellers homebuyers': 402960, 'homebuyers will': 402639, 'my latest blog': 548983, 'latest blog take': 481240, 'blog take look': 133021, 'the most asked': 860949, 'most asked related': 542119, 'asked related question': 95818, 'related question by': 708528, 'question by worried': 693560, 'by worried homesellers': 154770, 'worried homesellers homebuyers': 1010567, 'homesellers homebuyers will': 402961, 'homebuyers will coronavirus': 402640, 'ufc': 937920, 'brace yourselves': 137494, 'yourselves ufc': 1026817, 'ufc supermarket': 937921, 'edition is': 268618, 'brace yourselves ufc': 137496, 'yourselves ufc supermarket': 1026818, 'ufc supermarket edition': 937922, 'supermarket edition is': 820091, 'edition is coming': 268619, 'huh my': 410314, 'plan did': 658103, 'did broad': 240574, 'broad pr': 140708, 'pr push': 668443, 'push around': 690243, '19 plan': 9691, 'which saw': 986285, 'saw because': 738066, 'because follow': 119064, 'communication la': 189607, 'la every': 478157, 'company whose': 191325, 'whose email': 990633, 'email list': 272230, 'list belong': 494285, 'belong to': 126519, 'huh my health': 410315, 'my health plan': 548642, 'health plan did': 386739, 'plan did broad': 658104, 'did broad pr': 240575, 'broad pr push': 140709, 'pr push around': 668444, 'push around their': 690244, 'around their covid': 93573, 'covid 19 plan': 213584, '19 plan which': 9695, 'plan which saw': 658350, 'which saw because': 986286, 'saw because follow': 738067, 'because follow the': 119065, 'follow the industry': 312531, 'industry but did': 435706, 'not get consumer': 569581, 'get consumer communication': 346807, 'consumer communication la': 196826, 'communication la every': 189608, 'la every retail': 478158, 'every retail company': 286141, 'retail company whose': 717978, 'company whose email': 191326, 'whose email list': 990634, 'email list belong': 272231, 'list belong to': 494286, 'belong to wonder': 126520, 'to wonder what': 918669, 'wonder what up': 1004017, 'what up with': 982501, 'up with that': 946691, 'twitter help': 936669, 'is employed': 447474, 'va and': 951532, 'to petition': 911685, 'petition them': 653634, 'thought direction': 893018, 'twitter help needed': 936670, 'help needed my': 390140, 'needed my sister': 556441, 'sister is employed': 771757, 'is employed by': 447475, 'employed by giant': 273470, 'by giant supermarket': 152680, 'supermarket in va': 820997, 'in va and': 430516, 'va and she': 951534, 'and she want': 71431, 'want to petition': 966081, 'to petition them': 911686, 'petition them for': 653635, 'them for hazard': 875718, 'hazard pay any': 384559, 'pay any thought': 644750, 'any thought direction': 79964, 'shopping beg': 762187, 'please at': 659681, 'old age': 598120, 'age stop': 37902, 'sending everyone': 750018, 'everyone into': 287056, 'going to assume': 355528, 'assume that adult': 97014, 'adult are responsible': 32803, 'responsible for food': 716032, 'food shopping beg': 316514, 'shopping beg you': 762188, 'beg you please': 123370, 'you please at': 1020353, 'please at your': 659682, 'at your old': 101686, 'your old age': 1025061, 'old age stop': 598121, 'age stop buying': 37904, 'stop buying in': 804540, 'bulk you are': 142377, 'making the situation': 511432, 'worse by sending': 1010901, 'by sending everyone': 153942, 'sending everyone into': 750020, 'everyone into panic': 287057, 'situation increased': 772331, 'increased petrol': 433402, 'price mince': 675246, 'mince meat': 532607, 'meat 20': 525464, '20 kilo': 13119, 'kilo hand': 474739, 'sanitizer insane': 735173, 'why increased': 991091, 'also close': 48030, 'retailer are taking': 719018, 'the situation increased': 867260, 'situation increased petrol': 772332, 'increased petrol price': 433403, 'petrol price mince': 653772, 'price mince meat': 675247, 'mince meat 20': 532608, 'meat 20 kilo': 525465, '20 kilo hand': 13120, 'kilo hand sanitizer': 474740, 'hand sanitizer insane': 375455, 'sanitizer insane price': 735174, 'insane price if': 439062, 'enough food then': 277418, 'food then why': 317146, 'then why increased': 877759, 'why increased price': 991092, 'increased price also': 433409, 'price also close': 672292, 'also close our': 48032, 'british consumerconfidence': 140511, 'consumerconfidence ha': 199656, 'year survey': 1014984, 'survey ha': 828876, 'shown widening': 767635, 'widening shutdown': 991803, 'the hammered': 857048, 'hammered household': 374582, 'household financial': 406800, 'financial hope': 306443, 'british consumerconfidence ha': 140512, 'consumerconfidence ha recorded': 199657, 'ha recorded it': 371674, 'recorded it biggest': 705110, 'biggest fall in': 130240, 'fall in more': 296956, '45 year survey': 19150, 'year survey ha': 1014985, 'survey ha shown': 828877, 'ha shown widening': 371926, 'shown widening shutdown': 767636, 'widening shutdown of': 991804, 'economy to slow': 268298, 'of the hammered': 591089, 'the hammered household': 857049, 'hammered household financial': 374583, 'household financial hope': 406801, 'update free': 946971, 'access price': 28173, 'surge beyond': 828130, 'beyond mean': 129197, 'of dispute': 582705, 'over resort': 630584, 'resort confirm': 714670, 'confirm poor': 194099, 'poor business': 664130, 'business environment': 143701, 'environment our': 279131, 'weekly headline': 977506, 'coronavirus update free': 206991, 'update free access': 946972, 'free access price': 331619, 'access price surge': 28174, 'price surge beyond': 676721, 'surge beyond mean': 828131, 'beyond mean of': 129198, 'mean of dispute': 524582, 'of dispute over': 582706, 'dispute over resort': 246332, 'over resort confirm': 630585, 'resort confirm poor': 714671, 'confirm poor business': 194100, 'poor business environment': 664131, 'business environment our': 143702, 'environment our weekly': 279132, 'our weekly headline': 625366, 'cryptonews': 219997, 'price dip': 673445, 'dip following': 243184, 'following trillion': 312930, 'stimulus deal': 801529, 'by usa': 154644, 'usa congress': 948606, 'congress bitcoin': 194491, 'bitcoin btc': 131803, 'btc cryptocurrency': 141497, 'cryptocurrency cryptonews': 219977, 'bitcoin price dip': 131830, 'price dip following': 673446, 'dip following trillion': 243185, 'following trillion stimulus': 312931, 'trillion stimulus deal': 932003, 'stimulus deal by': 801530, 'deal by usa': 229367, 'by usa congress': 154645, 'usa congress bitcoin': 948607, 'congress bitcoin btc': 194492, 'bitcoin btc cryptocurrency': 131804, 'btc cryptocurrency cryptonews': 141498, 'his ultimate': 397886, 'ultimate control': 939103, 'systemic resulting': 831416, 'in deadly': 422037, 'creation of the': 216116, 'the and his': 848702, 'and his ultimate': 64617, 'his ultimate control': 397887, 'ultimate control of': 939104, 'control of supply': 202074, 'deliberate systemic resulting': 232947, 'systemic resulting in': 831417, 'resulting in deadly': 717704, 'in deadly consequence': 422038, 'bain': 108712, 'bainalerts': 108715, 'bigthreeconsulting bain': 130382, 'bain bainalerts': 108713, 'bainalerts focused': 108716, 'and coordinated': 60544, 'every cpg': 285770, 'cpg ceo': 214588, 'ceo the': 169856, 'even year': 284841, 'bigthreeconsulting bain bainalerts': 130383, 'bain bainalerts focused': 108714, 'bainalerts focused and': 108717, 'focused and coordinated': 311933, 'and coordinated response': 60545, 'coordinated response to': 203203, 'response to should': 715881, 'to should now': 914537, 'now be at': 574193, 'of the agenda': 590782, 'agenda for every': 38118, 'for every cpg': 321164, 'every cpg ceo': 285771, 'cpg ceo the': 214589, 'ceo the industry': 169857, 'be living with': 115784, 'with it consequence': 999064, 'it consequence for': 457265, 'consequence for month': 194856, 'month or even': 537933, 'or even year': 615218, 'ey': 293985, 'ipo grind': 444608, 'grind to': 363991, 'of reduction': 588865, 'most turbulent': 542828, 'condition since': 193522, '2008 severely': 13694, 'impacting ipo': 418232, 'ipo activity': 444604, 'activity according': 30360, 'to ey': 905550, 'ey latest': 293987, 'latest ipo': 481417, 'ipo tracker': 444610, 'tracker ey': 928270, 'ey ipo': 293986, 'ipo grind to': 444609, 'grind to halt': 363992, 'halt the combination': 374461, 'combination of reduction': 187106, 'of reduction in': 588866, 'reduction in oil': 706366, 'ha created the': 370285, 'created the most': 215910, 'the most turbulent': 861051, 'most turbulent market': 542829, 'turbulent market condition': 935512, 'market condition since': 516209, 'condition since the': 193523, 'since the financial': 770880, 'financial crisis in': 306372, 'crisis in 2008': 217526, 'in 2008 severely': 419758, '2008 severely impacting': 13695, 'severely impacting ipo': 754096, 'impacting ipo activity': 418233, 'ipo activity according': 444605, 'activity according to': 30361, 'according to ey': 28539, 'to ey latest': 905551, 'ey latest ipo': 293988, 'latest ipo tracker': 481418, 'ipo tracker ey': 444611, 'tracker ey ipo': 928271, 'two police': 937156, 'free gift': 331872, 'and voucher': 75041, 'voucher courtesy': 960635, 'of kenya': 585598, 'kenya supermarket': 472942, 'two police officer': 937157, 'are the beneficiary': 90800, 'the beneficiary of': 849467, 'beneficiary of free': 126899, 'of free gift': 583914, 'free gift and': 331873, 'gift and voucher': 349926, 'and voucher courtesy': 75042, 'voucher courtesy of': 960636, 'courtesy of kenya': 212051, 'of kenya supermarket': 585600, 'plummet factory': 661277, 'factory halt': 295952, 'halt operation': 374447, 'operation auto': 613149, 'auto market': 103900, 'price plummet factory': 675904, 'plummet factory halt': 661278, 'factory halt operation': 295953, 'halt operation auto': 374448, 'operation auto market': 613150, 'auto market hit': 103901, 'market hit hard': 516523, 'pamybot': 634654, 'fxdailyfx': 342600, 'mbforex': 522060, 'pamybot forex': 634655, 'forex fxdailyfx': 329169, 'fxdailyfx gold': 342603, 'from mbforex': 336382, 'mbforex here': 522061, 'pamybot forex fxdailyfx': 634656, 'forex fxdailyfx gold': 329171, 'fxdailyfx gold price': 342604, 'analysis from mbforex': 57045, 'from mbforex here': 336383, 'your finance we': 1023870, 'finance we ve': 306301, 've just published': 953304, 'mayor declares': 521941, 'declares state': 231266, 'emergency giving': 272732, 'giving city': 351257, 'city power': 179327, 'seize asset': 747426, 'asset restrict': 96470, 'travel distribute': 930338, 'distribute essential': 247970, 'supply evacuate': 825224, 'evacuate people': 283682, 'animal enter': 76584, 'enter place': 278279, 'place without': 657849, 'without warrant': 1003040, 'warrant procure': 967322, 'procure or': 680092, 'mayor declares state': 521942, 'declares state of': 231267, 'state of local': 795809, 'of local emergency': 585929, 'local emergency giving': 497922, 'emergency giving city': 272733, 'giving city power': 351258, 'city power to': 179328, 'power to seize': 667719, 'to seize asset': 914115, 'seize asset restrict': 747427, 'asset restrict travel': 96471, 'restrict travel distribute': 717122, 'travel distribute essential': 930339, 'distribute essential supply': 247971, 'essential supply evacuate': 281620, 'supply evacuate people': 825225, 'evacuate people and': 283683, 'people and animal': 646844, 'and animal enter': 58152, 'animal enter place': 76585, 'enter place without': 278280, 'place without warrant': 657850, 'without warrant procure': 1003041, 'warrant procure or': 967323, 'procure or fix': 680093, 'fix price on': 309747, 'on essential product': 600593, 'how there': 408903, 'wa point': 962953, 'most adventurous': 542066, 'adventurous part': 33122, 'one day ll': 606161, 'day ll get': 227918, 'll get to': 496798, 'get to tell': 348497, 'to tell my': 916347, 'tell my kid': 837042, 'kid how there': 474004, 'how there wa': 408904, 'there wa point': 879264, 'wa point in': 962954, 'point in my': 662522, 'my life where': 549049, 'life where going': 489206, 'store wa the': 811126, 'the most adventurous': 860941, 'most adventurous part': 542067, 'adventurous part of': 33123, 'part of my': 642363, 'use touchscreen': 949771, 'touchscreen and': 926770, 'checkout safely': 174994, 'to use touchscreen': 918077, 'use touchscreen and': 949772, 'touchscreen and self': 926771, 'and self checkout': 71181, 'self checkout safely': 747581, 'checkout safely during': 174995, 'achohol': 29072, 'ncdc': 553311, 'of achohol': 579744, 'achohol based': 29073, 'overlooked this': 631301, 'sanitary measure': 733806, 'measure prescribed': 525291, 'prescribed by': 670470, 'by ncdc': 153307, 'ncdc sanitize': 553318, 'use of achohol': 949397, 'of achohol based': 579745, 'achohol based sanitizer': 29074, 'can be overlooked': 157656, 'be overlooked this': 116311, 'overlooked this period': 631302, 'this period it': 889524, 'period it one': 651805, 'of the sanitary': 591433, 'the sanitary measure': 866341, 'sanitary measure prescribed': 733807, 'measure prescribed by': 525292, 'prescribed by ncdc': 670471, 'by ncdc sanitize': 153308, 'ncdc sanitize your': 553319, 'beverage selling': 129033, 'selling well': 749531, 'pantry but': 639546, 'if many': 414407, 'unemployed that': 941139, 'that boost': 843007, 'boost may': 134979, 'packaged food beverage': 633479, 'food beverage selling': 313747, 'beverage selling well': 129034, 'selling well people': 749533, 'well people stock': 978477, 'people stock their': 649619, 'their pantry but': 874239, 'pantry but if': 639547, 'but if many': 145993, 'if many are': 414408, 'many are unemployed': 513785, 'are unemployed that': 91311, 'unemployed that boost': 941140, 'that boost may': 843008, 'boost may not': 134980, 'viability': 956378, 'flipping': 310639, 'bank market': 109995, 'and lending': 66097, 'lending to': 486297, 'business doe': 143647, 'the viability': 870725, 'viability or': 956379, 'or possibility': 616643, 'of future': 584022, 'business success': 144437, 'success covid': 816189, 'is flipping': 447837, 'flipping business': 310640, 'model and': 535228, 'with changing': 997601, 'behaviour many': 124473, 'different at': 241901, 'other end': 620139, 'central bank market': 169375, 'bank market activity': 109996, 'market activity and': 515913, 'activity and lending': 30376, 'and lending to': 66098, 'lending to business': 486298, 'to business doe': 902131, 'business doe not': 143648, 'doe not guarantee': 251496, 'guarantee the viability': 367726, 'the viability or': 870726, 'viability or possibility': 956380, 'or possibility of': 616644, 'possibility of future': 665546, 'of future business': 584023, 'future business success': 342273, 'business success covid': 144438, 'success covid 19': 816190, '19 is flipping': 7971, 'is flipping business': 447838, 'flipping business model': 310641, 'business model and': 144054, 'model and with': 535229, 'and with changing': 75761, 'with changing consumer': 997602, 'consumer behaviour many': 196585, 'behaviour many business': 124474, 'very different at': 955108, 'different at the': 241902, 'the other end': 862525, 'other end of': 620140, 'started implementing': 794755, 'new shield': 559573, 'shield instore': 758159, 'instore to': 440506, 'worker customer': 1006721, 'breaking supermarket giant': 139053, 'supermarket giant ha': 820502, 'giant ha started': 349788, 'ha started implementing': 372042, 'started implementing new': 794756, 'implementing new shield': 418516, 'new shield instore': 559574, 'shield instore to': 758160, 'instore to protect': 440507, 'to protect worker': 912346, 'protect worker customer': 685043, 'worker customer and': 1006722, 'customer and stop': 222101, 'steadied': 799103, 'sapped': 736693, 'low touch': 505700, 'touch 26': 926442, 'price steadied': 676642, 'steadied on': 799104, 'after slipping': 36214, 'new four': 558763, 'low sapped': 505588, 'sapped by': 736694, 'epidemic brent': 279344, 'crude wa': 219620, 'year low touch': 1014738, 'low touch 26': 505701, 'touch 26 20': 926443, 'oil price steadied': 597273, 'price steadied on': 676643, 'steadied on wednesday': 799105, 'wednesday after slipping': 975607, 'after slipping to': 36215, 'slipping to new': 774062, 'to new four': 910557, 'new four year': 558765, 'year low sapped': 1014731, 'low sapped by': 505589, 'sapped by fear': 736695, 'by fear for': 152569, 'fear for fuel': 301130, 'economy amid travel': 267629, 'by the epidemic': 154320, 'the epidemic brent': 854430, 'epidemic brent crude': 279345, 'brent crude wa': 139337, 'crude wa up': 219621, 'market heartless': 516514, 'heartless people': 388467, 'people worse': 650533, 'they have doubled': 882313, 'have doubled the': 380353, 'the market heartless': 860118, 'market heartless people': 516515, 'heartless people worse': 388468, 'people worse than': 650534, 'veg great': 953750, 'great produce': 362927, 'usual glad': 950950, 'glad we': 351540, 'shop while': 761037, 'the box of': 849921, 'box of fruit': 137121, 'and veg great': 74861, 'veg great produce': 953751, 'great produce and': 362928, 'produce and price': 680185, 'and price usual': 69483, 'price usual glad': 677285, 'usual glad we': 950951, 'glad we can': 351542, 'still shop while': 801188, 'battery on': 112756, 'aid went': 39480, 'went dead': 978981, 'dead simultaneously': 229177, 'simultaneously effectively': 770378, 'effectively wa': 269379, 'deaf negotiating': 229323, 'negotiating the': 556942, 'fogged up from': 312028, 'up from my': 944989, 'from my mask': 336515, 'the battery on': 849343, 'battery on both': 112757, 'on both hearing': 599679, 'hearing aid went': 388191, 'aid went dead': 39481, 'went dead simultaneously': 978982, 'dead simultaneously effectively': 229178, 'simultaneously effectively wa': 770379, 'effectively wa blind': 269380, 'and deaf negotiating': 60975, 'deaf negotiating the': 229324, 'negotiating the street': 556943, 'recover sale': 705192, 'amazon show': 51116, 'that growth': 844096, 'in apparel': 420450, 'apparel sale': 81876, '40 percentage': 18643, 'point between': 662439, 'between mid': 128827, 'ongoing crisis consumer': 607615, 'crisis consumer spending': 217245, 'consumer spending will': 199106, 'spending will continue': 789055, 'continue to decline': 201175, 'to decline and': 904013, 'decline and may': 231299, 'and may take': 66803, 'may take time': 521563, 'to recover sale': 912989, 'recover sale data': 705193, 'sale data from': 732153, 'data from amazon': 226225, 'from amazon show': 334460, 'amazon show that': 51117, 'show that growth': 767184, 'that growth in': 844097, 'growth in apparel': 367393, 'in apparel sale': 420451, 'apparel sale fell': 81877, 'fell by an': 303180, 'by an average': 151822, 'average of 40': 104877, 'of 40 percentage': 579585, '40 percentage point': 18644, 'percentage point between': 651219, 'point between mid': 662440, 'between mid february': 128828, 'mid february and': 530566, 'february and mid': 301687, 'and mid march': 66994, 'payoff': 645789, 'nobuybacks': 566092, 'any stimulus': 79851, 'package passed': 633368, 'passed should': 643296, 'should send': 766455, 'money directly': 536702, 'shareholder or': 755479, 'debt payoff': 230535, 'payoff by': 645790, 'corporation let': 207436, 'not repeat': 571312, 'repeat mistake': 711524, 'mistake of': 534472, '2008 nobuybacks': 13687, 'any stimulus package': 79852, 'stimulus package passed': 801585, 'package passed should': 633369, 'passed should send': 643297, 'should send money': 766456, 'send money directly': 749908, 'money directly to': 536703, 'consumer and not': 196232, 'not to shareholder': 572182, 'to shareholder or': 914377, 'shareholder or debt': 755480, 'or debt payoff': 614905, 'debt payoff by': 230536, 'payoff by big': 645791, 'by big corporation': 151957, 'big corporation let': 129719, 'corporation let not': 207437, 'let not repeat': 486944, 'not repeat mistake': 571313, 'repeat mistake of': 711525, 'mistake of 2008': 534473, 'of 2008 nobuybacks': 579462, 'yeehaw': 1015172, 'shu': 767748, 'price supposed': 676713, 'make feel': 509899, 'better no': 128376, 'money covid': 536682, 'spreading like': 790998, 'like yeehaw': 491857, 'yeehaw going': 1015173, 'to disney': 904409, 'disney oh': 246041, 'wait all': 964068, 'park theater': 642000, 'theater etc': 872248, 'are shu': 90087, 'how are lower': 407406, 'are lower gas': 87941, 'gas price supposed': 344030, 'price supposed to': 676714, 'supposed to make': 827367, 'to make feel': 909661, 'make feel better': 509900, 'feel better no': 302583, 'better no job': 128377, 'no job no': 564540, 'job no medical': 466022, 'no medical supply': 564754, 'medical supply no': 526453, 'no money covid': 564780, 'money covid 19': 536683, '19 spreading like': 10760, 'spreading like yeehaw': 790999, 'like yeehaw going': 491858, 'yeehaw going to': 1015174, 'going to disney': 355572, 'to disney oh': 904410, 'disney oh wait': 246042, 'oh wait all': 596467, 'wait all the': 964069, 'all the park': 44859, 'the park theater': 863296, 'park theater etc': 642001, 'theater etc are': 872249, 'etc are shu': 282424, 'price massively': 675180, 'massively oversold': 520185, 'oversold an': 631529, 'opportunity appears': 613587, 'appears silver': 82201, 'silver producer': 769858, 'to present': 912016, 'with wonderful': 1002117, 'wonderful opportunity': 1004104, 'them gold': 875790, 'profit oil': 682824, 'oil stock': 597453, 'silver price massively': 769852, 'price massively oversold': 675181, 'massively oversold an': 520186, 'oversold an opportunity': 631530, 'an opportunity appears': 56669, 'opportunity appears silver': 613588, 'appears silver producer': 82202, 'silver producer are': 769859, 'producer are about': 680568, 'about to present': 26732, 'to present with': 912018, 'present with wonderful': 670643, 'with wonderful opportunity': 1002118, 'wonderful opportunity to': 1004105, 'opportunity to invest': 613710, 'invest in them': 443766, 'in them gold': 429795, 'them gold silver': 875791, 'market profit oil': 516916, 'profit oil stock': 682825, 'oil stock china': 597454, 'flpublicpower': 311370, 'publicpower': 688614, 'florida utility': 310998, 'via flpublicpower': 955976, 'flpublicpower publicpower': 311371, 'florida utility lower': 310999, 'crisis via flpublicpower': 218314, 'via flpublicpower publicpower': 955977, 'equalizer inequality': 279626, 'inequality kill': 436347, 'kill people': 474472, 'job medical': 466004, 'supermarket salesperson': 822310, 'salesperson and': 732698, 'other manual': 620504, 'manual job': 513351, 'pay protect': 645058, 'is not great': 450097, 'not great equalizer': 569745, 'great equalizer inequality': 362656, 'equalizer inequality kill': 279627, 'inequality kill people': 436348, 'kill people with': 474475, 'people with the': 650474, 'with the lowest': 1001380, 'lowest paid job': 506194, 'paid job medical': 634042, 'job medical worker': 466005, 'medical worker supermarket': 526511, 'worker supermarket salesperson': 1007859, 'supermarket salesperson and': 822311, 'salesperson and other': 732700, 'and other manual': 68357, 'other manual job': 620505, 'manual job that': 513352, 'job that cannot': 466182, 'that cannot be': 843137, 'from home are': 335842, 'home are most': 400727, 'most vulnerable we': 542899, 'vulnerable we do': 961249, 'not pay protect': 570982, 'pay protect and': 645059, 'protect and value': 684786, 'and value them': 74841, 'value them enough': 952210, 'incredible doctor': 433829, 'at guildford': 98826, 'for our incredible': 324260, 'our incredible doctor': 623515, 'incredible doctor and': 433830, 'also for supermarket': 48229, 'worker ve just': 1008096, 'been at guildford': 120702, 'at guildford and': 98827, 'loo roll is': 502183, 'roll is almost': 725349, 'is almost gone': 445501, 'gone and there': 356208, 'are long queue': 87873, 'queue but the': 693901, 'but the staff': 147409, 'staff are just': 792194, 'are just getting': 87624, 'with their work': 1001605, 'also protect': 48704, 'consumer barber': 196393, 'employee certified': 273715, 'business of consumer': 144119, 'of consumer service': 581772, 'must also protect': 546474, 'also protect their': 48706, 'protect their consumer': 684991, 'their consumer barber': 872850, 'consumer barber shop': 196394, 'barber shop are': 110809, 'shop are their': 759919, 'are their employee': 90940, 'their employee certified': 873137, 'employee certified free': 273716, 'certified free of': 170236, 'amorina': 53153, 'acme': 29133, 'supermarket dad': 819886, 'dad amorina': 224284, 'amorina me': 53154, 'left of': 485576, 'that dad': 843427, 'dad acme': 224280, 'acme pet': 29134, 'market me': 516709, 'me dad': 522634, 'dad it': 224357, 'me and this': 522430, 'is my supermarket': 449812, 'my supermarket dad': 550266, 'supermarket dad amorina': 819887, 'dad amorina me': 224285, 'amorina me no': 53155, 'me no to': 523221, 'no to the': 565746, 'the left of': 859267, 'left of that': 485577, 'of that dad': 590717, 'that dad acme': 843428, 'dad acme pet': 224281, 'acme pet market': 29135, 'pet market me': 653418, 'market me dad': 516710, 'me dad it': 522635, 'dad it gonna': 224358, 'gonna be long': 356476, 'be long week': 115812, 'wage either': 963851, 'from age': 334415, 'age 19': 37784, 'urge and': 948158, 'support bill': 826386, 'meal flexibility': 524141, 'flexibility and': 310361, 'of wage either': 592880, 'wage either due': 963852, 'to illness from': 908125, 'illness from age': 416364, 'from age 19': 334416, 'age 19 or': 37786, '19 or the': 9031, 'or the economic': 617372, 'virus will lead': 959043, 'increased demand we': 433290, 'demand we urge': 236462, 'we urge and': 973596, 'urge and support': 948160, 'and support bill': 72834, 'support bill that': 826387, 'bill that includes': 130688, 'that includes support': 844482, 'support for food': 826511, 'bank for school': 109841, 'for school meal': 325388, 'school meal flexibility': 741855, 'meal flexibility and': 524142, 'flexibility and an': 310362, 'mover': 543962, 'film star': 305704, 'star not': 794050, 'banker not': 110379, 'street mover': 813041, 'mover it': 543965, 'real hero it': 701201, 'hero it not': 394027, 'not the film': 571997, 'the film star': 855187, 'film star not': 305705, 'star not the': 794051, 'the banker not': 849264, 'banker not the': 110380, 'not the wall': 572042, 'wall street mover': 965186, 'street mover it': 813042, 'mover it the': 543966, 'nurse the grocery': 577507, 'staff the teacher': 792954, 'happen every': 377077, 'every hospital': 285932, 'hospital nursing': 404527, 'person truck': 652671, 'or person': 616556, 'our ass': 622131, 'ass and': 96245, 'watch netflix': 968485, 'netflix they': 557635, 'receive debt': 703459, 'debt relief': 230546, 'minimum year': 533257, 'year hero': 1014618, 'so here what': 777303, 'here what going': 393808, 'to happen every': 907151, 'happen every hospital': 377078, 'every hospital nursing': 285933, 'hospital nursing home': 404528, 'nursing home grocery': 577616, 'worker delivery person': 1006746, 'delivery person truck': 234335, 'person truck driver': 652672, 'truck driver or': 932789, 'driver or person': 259682, 'or person who': 616557, 'person who made': 652730, 'who made it': 989242, 'made it possible': 507806, 'possible for to': 665652, 'for to sit': 327235, 'sit home on': 771824, 'home on our': 401714, 'on our ass': 602576, 'our ass and': 622132, 'ass and watch': 96247, 'and watch netflix': 75223, 'watch netflix they': 968486, 'netflix they receive': 557636, 'they receive debt': 883166, 'receive debt relief': 703460, 'debt relief and': 230547, 'relief and basic': 709275, 'basic income for': 111951, 'income for minimum': 432344, 'for minimum year': 323458, 'minimum year hero': 533258, 'retail nothing': 718337, 'nothing we': 573215, 'sell in': 748758, 'essential there': 281671, 'currently 14': 221443, '14 people': 3514, 'store mall': 808860, 'mall being': 511759, 'irresponsible stayhomechallenge': 445074, 'work retail nothing': 1005671, 'retail nothing we': 718338, 'nothing we sell': 573217, 'we sell in': 973197, 'sell in my': 748760, 'store is essential': 808489, 'is essential there': 447554, 'essential there currently': 281672, 'there currently 14': 878301, 'currently 14 people': 221444, '14 people in': 3515, 'my store mall': 550224, 'store mall being': 808861, 'mall being open': 511760, 'being open is': 125500, 'open is irresponsible': 612332, 'is irresponsible stayhomechallenge': 448989, 'day got': 227685, '10 day got': 1383, 'day got me': 227686, 'got me like': 358697, 'me like this': 523086, 'fresh grocery': 333008, 'grocery organic': 364818, 'everyday essential': 286555, 'amazon same': 51102, 'delivery possible': 234354, 'possible on': 665727, 'on eligible': 600538, 'eligible order': 271428, 'via selfisolation': 956230, 'buy fresh grocery': 148709, 'fresh grocery organic': 333009, 'grocery organic food': 364819, 'organic food and': 619214, 'food and everyday': 313224, 'and everyday essential': 62392, 'everyday essential online': 286556, 'essential online on': 281356, 'online on amazon': 608610, 'on amazon same': 599288, 'amazon same day': 51103, 'day delivery possible': 227518, 'delivery possible on': 234355, 'possible on eligible': 665728, 'on eligible order': 600539, 'eligible order via': 271429, 'order via selfisolation': 618739, 'via selfisolation lockdown': 956231, 'ghostbikes': 349686, 'with sadness': 1000540, 'sadness we': 729385, 'we announce': 970427, 'announce our': 76856, 'our ghostbikes': 623247, 'ghostbikes retail': 349687, 'government 19': 359810, 'order amp': 618018, 'can delivery': 158049, 'understanding amp': 940856, 'is with sadness': 454015, 'with sadness we': 1000541, 'sadness we announce': 729386, 'we announce our': 970428, 'announce our ghostbikes': 76857, 'our ghostbikes retail': 623248, 'ghostbikes retail store': 349688, 'now closed in': 574403, 'closed in line': 183175, 'the government 19': 856504, 'government 19 guideline': 359811, 'guideline we are': 368497, 'online order amp': 608676, 'order amp can': 618019, 'amp can delivery': 53494, 'can delivery to': 158050, 'delivery to you': 234676, 'your understanding amp': 1026244, 'understanding amp support': 940857, 'wait so': 964189, 'operate store': 613015, 'just choose': 468477, 'choose not': 177898, 'might cost': 530951, 'cost them': 208130, 'them tiny': 876444, 'tiny bit': 898652, 'wait so know': 964190, 'is the safest': 452931, 'way to operate': 970061, 'to operate store': 911024, 'operate store but': 613016, 'they just choose': 882488, 'just choose not': 468478, 'choose not to': 177899, 'not to because': 572133, 'to because it': 901664, 'because it might': 119193, 'it might cost': 459612, 'might cost them': 530952, 'cost them tiny': 208131, 'them tiny bit': 876445, 'tiny bit of': 898653, 'bit of money': 131655, 'what store did': 982263, 'store did you': 807307, 'not disappear': 569036, 'will flourish': 993452, 'instead of making': 440287, 'of making sure': 586127, 'making sure of': 511384, 'sure of our': 827639, 'should take care': 766542, 'our need the': 624001, 'need the system': 555756, 'the system will': 869100, 'system will not': 831384, 'will not disappear': 994208, 'not disappear if': 569037, 'you let it': 1019592, 'let it go': 486826, 'it go it': 458261, 'go it will': 353781, 'it will flourish': 462395, 'julienning': 467797, 'goingcrazy': 355827, 'homechef': 402651, '33 julienning': 17760, 'julienning onion': 467798, 'onion before': 607714, 'stock go': 802199, 'bad sketch': 108010, 'sketch illustration': 772885, 'cartoon comic': 165509, 'comic workfromhome': 187957, 'workfromhome corona': 1008414, 'selfisolation goingcrazy': 748452, 'goingcrazy drawing': 355828, 'drawing food': 258514, 'food onion': 315614, 'onion slice': 607736, 'slice dice': 773865, 'dice cry': 240441, 'cry homechef': 219873, 'homechef hoarder': 402652, 'day 33 julienning': 227145, '33 julienning onion': 17761, 'julienning onion before': 467799, 'onion before the': 607715, 'before the stock': 123191, 'the stock go': 867911, 'stock go bad': 802200, 'go bad sketch': 353356, 'bad sketch illustration': 108011, 'sketch illustration cartoon': 772886, 'illustration cartoon comic': 416452, 'cartoon comic workfromhome': 165510, 'comic workfromhome corona': 187958, 'workfromhome corona quarantine': 1008415, 'corona quarantine isolation': 204125, 'quarantine isolation selfisolation': 692315, 'isolation selfisolation goingcrazy': 455415, 'selfisolation goingcrazy drawing': 748453, 'goingcrazy drawing food': 355829, 'drawing food onion': 258515, 'food onion slice': 315615, 'onion slice dice': 607737, 'slice dice cry': 773866, 'dice cry homechef': 240442, 'cry homechef hoarder': 219874, 'aren struggling': 92534, 'struggling please': 814479, 'or nonprofit': 616278, 'nonprofit the': 566708, 'these service': 880659, 'people way': 650149, 'who aren struggling': 988271, 'aren struggling please': 92535, 'struggling please consider': 814480, 'bank or nonprofit': 110078, 'or nonprofit the': 616279, 'nonprofit the demand': 566709, 'demand for these': 235507, 'for these service': 326979, 'these service will': 880661, 'service will increase': 753076, 'will increase covid': 993810, '19 impact job': 7700, 'impact job and': 417724, 'job and people': 465638, 'and people way': 68889, 'people way of': 650150, 'house reject': 406520, 'reject bailout': 708318, 'service battered': 752175, 'white house reject': 987858, 'house reject bailout': 406521, 'reject bailout for': 708319, 'bailout for postal': 108634, 'for postal service': 324641, 'postal service battered': 666444, 'service battered by': 752176, 'battered by coronavirus': 112743, 'michigander': 530395, 'whitless': 987978, 'michigander are': 530396, 'that governor': 844064, 'governor whitless': 361026, 'whitless ha': 987979, 'banned them': 110603, 'buying garden': 150399, 'seed but': 746138, 'only banned': 610139, 'online giving': 608301, 'giving profit': 351373, 'to jeff': 908658, 'bezos instead': 129279, 'michigander are complaining': 530397, 'are complaining that': 85462, 'complaining that governor': 191905, 'that governor whitless': 844065, 'governor whitless ha': 361027, 'whitless ha banned': 987980, 'ha banned them': 369659, 'banned them from': 110604, 'them from buying': 875746, 'from buying garden': 334776, 'buying garden supply': 150400, 'garden supply and': 343624, 'supply and seed': 824750, 'and seed but': 71154, 'seed but she': 746139, 'she ha only': 756078, 'ha only banned': 371443, 'only banned the': 610140, 'banned the sale': 110601, 'the sale in': 866177, 'sale in retail': 732303, 'retail store they': 718714, 'store they can': 810665, 'still buy online': 800316, 'buy online giving': 149046, 'online giving profit': 608302, 'giving profit to': 351374, 'profit to jeff': 682876, 'to jeff bezos': 908659, 'jeff bezos instead': 465002, 'bezos instead of': 129280, 'instead of local': 440286, 'walk getting': 964787, 'medium attention': 527013, 'attention in': 102450, 'passing to': 643406, 'close picking': 182764, 'back again': 106827, 'close without': 182941, 'any protection': 79699, 'protection stayhomesavelives': 685619, 'stayhomesavelives supermarket': 798471, 'this out for': 889312, 'for walk getting': 327619, 'walk getting lot': 964788, 'lot of medium': 504227, 'of medium attention': 586418, 'medium attention in': 527014, 'attention in my': 102451, 'opinion it worse': 613474, 'it worse in': 462549, 'worse in supermarket': 1010955, 'people are passing': 647046, 'are passing to': 88999, 'passing to close': 643407, 'to close picking': 902892, 'close picking up': 182765, 'up food putting': 944894, 'food putting it': 316093, 'it back again': 456662, 'back again and': 106828, 'again and staff': 36891, 'and staff are': 72191, 'very close without': 955059, 'close without any': 182942, 'without any protection': 1002498, 'any protection stayhomesavelives': 79701, 'protection stayhomesavelives supermarket': 685620, 'stayhomesavelives supermarket socialdistancing': 798472, 'stepped out': 799779, 'grocery cannot': 364338, 'cannot understand': 162198, 'spread meter': 790628, 'how so': 408700, 'thing touched': 884921, 'touched so': 926634, 'people many': 648742, 'many not': 514352, 'mask including': 518845, 'including myself': 432068, 'myself washed': 550970, 'hand foot': 374940, 'foot changed': 318368, 'changed clothes': 172451, 'stepped out for': 799781, 'for grocery cannot': 322027, 'grocery cannot understand': 364339, 'cannot understand how': 162199, 'understand how can': 940639, 'can we control': 160166, 'we control the': 971192, 'the spread meter': 867632, 'spread meter distance': 790629, 'meter distance in': 529709, 'store how so': 808223, 'how so many': 408701, 'so many thing': 777715, 'many thing touched': 514805, 'thing touched so': 884922, 'touched so many': 926635, 'many people many': 514518, 'people many not': 648743, 'many not wearing': 514355, 'wearing mask including': 974694, 'mask including myself': 518846, 'including myself washed': 432069, 'myself washed hand': 550971, 'washed hand foot': 967615, 'hand foot changed': 374941, 'foot changed clothes': 318369, 'changed clothes but': 172452, 'clothes but what': 184152, 'the food packet': 855583, 'iranian rial': 444740, 'point reaching': 662606, 'reaching 160': 700067, 'per dollar': 650823, 'dollar amid': 252944, 'amid rapidly': 52608, 'rapidly worsening': 697041, 'inability of': 431173, 'the iranian rial': 858447, 'iranian rial continued': 444741, 'tuesday at one': 935129, 'one point reaching': 606897, 'point reaching 160': 662607, 'reaching 160 00': 700068, '160 00 per': 4204, '00 per dollar': 429, 'per dollar amid': 650824, 'dollar amid rapidly': 252945, 'amid rapidly worsening': 52609, 'rapidly worsening coronavirus': 697042, 'sanction and the': 733619, 'and the inability': 73421, 'the inability of': 858027, 'inability of the': 431174, '545': 20346, '6600': 21438, 'open demand': 612179, 'hungry ha': 411256, 'risen but': 723101, 'but resource': 146931, 'resource have': 714804, 'declined your': 231453, 'support mean': 826641, 'mean now': 524577, 'food lifeline': 315305, 'lifeline call': 489300, 'call 206': 155692, '206 545': 14864, '545 6600': 20347, '6600 or': 21439, 'we are grocery': 970582, 'store amp an': 806176, 'amp an essential': 53387, 'that will remain': 847604, 'remain open demand': 709805, 'open demand to': 612180, 'the hungry ha': 857753, 'hungry ha risen': 411257, 'ha risen but': 371763, 'risen but resource': 723102, 'but resource have': 146932, 'resource have declined': 714805, 'have declined your': 380203, 'declined your support': 231454, 'your support mean': 1026086, 'support mean now': 826642, 'mean now more': 524578, 'ever to support': 285566, 'support food lifeline': 826500, 'food lifeline call': 315306, 'lifeline call 206': 489301, 'call 206 545': 155693, '206 545 6600': 14865, '545 6600 or': 20348, '6600 or go': 21440, 'aisle go': 40258, 'one direction': 606187, 'direction put': 243478, 'are foot': 86641, 'fail people': 296095, 'one way and': 607366, 'way and made': 969459, 'and made the': 66510, 'the aisle go': 848522, 'aisle go in': 40259, 'in one direction': 426142, 'one direction put': 606189, 'direction put tape': 243479, 'we are foot': 970569, 'are foot apart': 86642, 'people just do': 648557, 'supermarket fail people': 820268, 'the infrastructure': 858263, 'infrastructure could': 438193, 'let adopt': 486542, 'the switchtostandard': 869070, 'lot but the': 504007, 'but the infrastructure': 147347, 'the infrastructure could': 858264, 'infrastructure could be': 438194, 'could be put': 208910, 'be put to': 116644, 'put to the': 690928, 'the test to': 869324, 'test to secure': 839211, 'access for everyone': 28128, 'for everyone let': 321219, 'everyone let adopt': 287155, 'let adopt the': 486543, 'adopt the switchtostandard': 32680, 'the switchtostandard definition': 869071, 'brand relying': 137987, 'on italian': 601699, 'italian factory': 462694, 'factory for': 295946, 'for production': 324780, 'manufacturing are': 513559, 'are grappling': 86939, 'bring with': 140118, 'coronavirus continuing': 205698, 'globally luxury': 352388, 'wave of direct': 969373, 'consumer brand relying': 196659, 'brand relying on': 137988, 'relying on italian': 709676, 'on italian factory': 601700, 'italian factory for': 462695, 'factory for production': 295947, 'for production and': 324781, 'production and manufacturing': 681927, 'and manufacturing are': 66657, 'manufacturing are grappling': 513560, 'are grappling with': 86940, 'grappling with what': 362205, 'what the next': 982345, 'month will bring': 538127, 'will bring with': 992861, 'bring with coronavirus': 140119, 'with coronavirus continuing': 997798, 'coronavirus continuing to': 205699, 'continuing to spread': 201573, 'to spread globally': 915064, 'spread globally luxury': 790544, 'globally luxury luxuryconnect': 352389, 'dragrace': 258202, 'pov you': 667470, 'start having': 794322, 'having minor': 384162, 'minor coughing': 533632, 'fit the': 309498, 'past you': 643663, 'aisle dragrace': 40242, 'pov you shopping': 667471, 'you shopping at': 1021172, 'shopping at ur': 762117, 'supermarket and start': 819071, 'and start having': 72243, 'start having minor': 794323, 'having minor coughing': 384163, 'minor coughing fit': 533633, 'coughing fit the': 208686, 'fit the lady': 309500, 'the lady walking': 858915, 'lady walking past': 478867, 'walking past you': 965087, 'past you in': 643664, 'paper aisle dragrace': 639778, 'promote online': 683786, 'curtail spread': 221781, 'spread job': 790595, '19 government should': 7263, 'government should promote': 360610, 'should promote online': 766340, 'promote online shopping': 683787, 'shopping to curtail': 764171, 'to curtail spread': 903834, 'curtail spread job': 221782, 'spread job loss': 790596, 'florida financial': 310930, 'financial manager': 306492, 'manager should': 512787, 'consumer alert florida': 196143, 'alert florida financial': 41408, 'florida financial manager': 310931, 'financial manager should': 306493, 'manager should be': 512788, 'should be wary': 765769, 'and fraud learn': 63257, 'counterfeiter have': 210316, 'long exploited': 501410, 'exploited consumer': 292411, 'vulnerability to': 960829, 'profit the': 682868, 'counterfeiter have long': 210317, 'have long exploited': 381366, 'long exploited consumer': 501411, 'exploited consumer vulnerability': 292412, 'consumer vulnerability to': 199456, 'vulnerability to make': 960830, 'make quick profit': 510380, 'quick profit the': 694348, 'profit the current': 682869, 'current crisis will': 221164, 'crisis will probably': 218419, 'probably be no': 679216, 'google just': 358170, 'my workplace': 550647, 'workplace location': 1009202, 'supermarket guess': 820606, 'place ve': 657796, 'google just asked': 358171, 'just asked me': 468229, 'asked me to': 95793, 'me to update': 523794, 'update my workplace': 947088, 'my workplace location': 550648, 'workplace location to': 1009203, 'location to the': 498976, 'the supermarket guess': 868616, 'supermarket guess that': 820607, 'only place ve': 610988, 'place ve been': 657797, 've been the': 952942, 'been the past': 122168, 'it plea': 460352, 'those crazy': 891899, 'shopper stop': 761720, 'stop stockpile': 805073, 'think be': 885151, 'empathy rather': 273360, 'than greed': 840709, 'it plea to': 460353, 'plea to all': 659562, 'all those crazy': 45159, 'those crazy supermarket': 891901, 'crazy supermarket shopper': 215434, 'supermarket shopper stop': 822621, 'shopper stop stockpile': 761721, 'stop stockpile and': 805074, 'stockpile and panicking': 803717, 'and panicking over': 68675, 'panicking over lockdown': 639364, 'over lockdown stop': 630366, 'lockdown stop and': 499967, 'and think be': 73961, 'think be considerate': 885152, 'considerate and show': 195210, 'and show empathy': 71610, 'show empathy rather': 766934, 'empathy rather than': 273361, 'rather than greed': 697524, 'to wide': 918597, 'wide off': 991732, 'all individual': 43217, 'individual store': 435259, 'bought grocery': 136588, 'grocery package': 364824, 'it recommended to': 460668, 'recommended to wide': 704809, 'to wide off': 918598, 'wide off all': 991733, 'off all individual': 593623, 'all individual store': 43218, 'individual store bought': 435260, 'store bought grocery': 806755, 'bought grocery package': 136589, 'grocery package and': 364825, 'package and delivered': 633212, 'and delivered food': 61095, 'delivered food who': 233323, 'food who is': 317607, 'affliction': 34648, 'gainer': 342864, 'telecos': 836724, 'human affliction': 410401, 'affliction there': 34649, 'are gainer': 86764, 'gainer and': 342865, 'and loser': 66397, 'loser in': 503508, 'the telecos': 869260, 'telecos are': 836725, 'are gaining': 86766, 'gaining beyond': 342873, 'beyond expectation': 129172, 'internet being': 441914, 'used at': 949868, 'is mind': 449654, 'blowing govt': 133371, 'telco into': 836655, 'into reducing': 442938, 'reducing internet': 706296, 'now reduceinternetprices': 575662, 'in every human': 422681, 'every human affliction': 285943, 'human affliction there': 410402, 'affliction there are': 34650, 'there are gainer': 878109, 'are gainer and': 86765, 'gainer and loser': 342866, 'and loser in': 66398, 'loser in this': 503509, 'in this case': 429916, 'this case of': 886712, '19 the telecos': 11255, 'the telecos are': 869261, 'telecos are gaining': 836726, 'are gaining beyond': 86767, 'gaining beyond expectation': 342874, 'beyond expectation the': 129173, 'expectation the level': 290858, 'level of internet': 487645, 'of internet being': 585262, 'internet being used': 441915, 'being used at': 126016, 'used at this': 949869, 'this moment is': 888875, 'moment is mind': 535970, 'is mind blowing': 449655, 'mind blowing govt': 532629, 'blowing govt need': 133372, 'need to talk': 556100, 'talk the telco': 833858, 'the telco into': 869252, 'telco into reducing': 836656, 'into reducing internet': 442939, 'reducing internet price': 706297, 'price now reduceinternetprices': 675384, 'board also': 133613, 'also agrees': 47825, '20 pay': 13244, 'the board also': 849805, 'board also agrees': 133614, 'also agrees to': 47827, 'agrees to 20': 38824, 'to 20 pay': 899577, '20 pay cut': 13245, 'pay cut the': 644830, 'cut the covid': 223574, 'halebonoe': 374127, 'lesotho': 486431, 'lesotholockdown': 486433, 'industry minister': 435991, 'minister halebonoe': 533377, 'halebonoe set': 374128, 'set abi': 753335, 'abi say': 24342, 'will descend': 993160, 'descend heavily': 237906, 'will inflate': 993850, 'ongoing three': 607700, 'week national': 976552, 'lockdown lesotho': 499588, 'lesotho lesotholockdown': 486432, 'and industry minister': 65184, 'industry minister halebonoe': 435992, 'minister halebonoe set': 533378, 'halebonoe set abi': 374129, 'set abi say': 753336, 'abi say the': 24343, 'government will descend': 360812, 'will descend heavily': 993161, 'descend heavily on': 237907, 'heavily on business': 388592, 'on business that': 599741, 'that will inflate': 847587, 'will inflate price': 993851, 'inflate price during': 436989, 'the ongoing three': 862258, 'ongoing three week': 607701, 'three week national': 894110, 'week national lockdown': 976553, 'national lockdown lesotho': 552556, 'lockdown lesotho lesotholockdown': 499589, 'capitalising': 162708, 'australian supplier': 103556, 'of jacking': 585500, 'shopper struggle': 761724, 'meet amid': 527410, 'supermarket grocer': 820569, 'grocer pharmacist': 364151, 'those allegedly': 891786, 'allegedly capitalising': 45676, 'capitalising on': 162709, 'australian supplier have': 103557, 'supplier have been': 824541, 'have been accused': 379458, 'accused of jacking': 28951, 'of jacking up': 585501, 'jacking up their': 464189, 'their price shopper': 874419, 'price shopper struggle': 676381, 'shopper struggle to': 761725, 'end meet amid': 275874, 'meet amid the': 527411, 'the pandemic supermarket': 863114, 'pandemic supermarket grocer': 636595, 'supermarket grocer pharmacist': 820571, 'grocer pharmacist and': 364152, 'pharmacist and online': 654114, 'and online business': 68100, 'online business are': 607956, 'business are among': 143356, 'among those allegedly': 53095, 'those allegedly capitalising': 891787, 'allegedly capitalising on': 45677, 'capitalising on the': 162711, 'score toiletpaper': 742376, 'toiletpapercrisis sterling': 923072, 'sterling height': 799903, 'height michigan': 388805, 'score toiletpaper toiletpapercrisis': 742377, 'toiletpaper toiletpapercrisis sterling': 922666, 'toiletpapercrisis sterling height': 923073, 'sterling height michigan': 799904, 'pretty small': 671494, 'small budget': 774827, 'one human': 606445, 'someone on pretty': 784590, 'on pretty small': 602897, 'pretty small budget': 671495, 'small budget cannot': 774828, 'essential so to': 281567, 'so to those': 778546, 'of you panic': 593407, 'you panic buying': 1020285, 'buying everything on': 150258, 'shelf from one': 757103, 'from one human': 336684, 'one human being': 606446, 'ha heavily': 370847, 'heavily reliant': 388601, 'through how': 894518, 'demand affected': 234908, 'affected hiring': 34368, 'industry join': 435947, 'join we': 466900, 'we dive': 971320, 'adjusting to our': 32369, 'new normal ha': 559155, 'normal ha heavily': 567170, 'ha heavily reliant': 370848, 'heavily reliant on': 388602, 'reliant on ecommerce': 709254, 'ecommerce and essential': 266710, 'and essential retailer': 62260, 'essential retailer to': 281481, 'retailer to get': 719382, 'get through how': 348435, 'through how ha': 894519, 'how ha this': 407958, 'ha this increase': 372264, 'consumer demand affected': 197109, 'demand affected hiring': 234909, 'affected hiring for': 34369, 'hiring for the': 397099, 'retail industry join': 718219, 'industry join we': 435948, 'join we dive': 466902, 'we dive into': 971321, 'into the data': 443116, '1007': 2141, 'asbury': 94890, '07712': 1046, '832': 22861, '776': 22319, '7979': 22392, 'juicy': 467774, 'kellogg': 472710, 'gouging super': 359460, 'supermarket 1007': 818724, '1007 memorial': 2142, 'memorial dr': 528414, 'dr asbury': 257962, 'asbury park': 94891, 'park nj': 641951, 'nj 07712': 563405, '07712 832': 1047, '832 776': 22862, '776 7979': 22320, '7979 clorox': 22393, 'clorox 49': 182452, '49 juicy': 19391, 'juicy juice': 467775, 'juice 39': 467726, '39 kellogg': 18175, 'kellogg pop': 472711, 'pop cereal': 664417, 'cereal 39': 169914, 'consumer price gouging': 198422, 'price gouging super': 674328, 'gouging super supermarket': 359461, 'super supermarket 1007': 818598, 'supermarket 1007 memorial': 818725, '1007 memorial dr': 2143, 'memorial dr asbury': 528415, 'dr asbury park': 257963, 'asbury park nj': 94892, 'park nj 07712': 641952, 'nj 07712 832': 563406, '07712 832 776': 1048, '832 776 7979': 22863, '776 7979 clorox': 22321, '7979 clorox 49': 22394, 'clorox 49 juicy': 182453, '49 juicy juice': 19392, 'juicy juice 39': 467776, 'juice 39 kellogg': 467727, '39 kellogg pop': 18176, 'kellogg pop cereal': 472712, 'pop cereal 39': 664418, 'employes': 274563, 'sir no': 771613, 'are avail': 84701, 'avail in': 104108, 'ration employes': 697667, 'employes of': 274564, 'ration are': 697638, 'blaming govt': 132334, 'giving stock': 351397, 'proper action': 684083, 'against issue': 37518, 'issue kindly': 455829, 'sir no product': 771614, 'no product are': 565212, 'product are avail': 680931, 'are avail in': 84702, 'avail in ration': 104109, 'in ration employes': 427262, 'ration employes of': 697668, 'employes of ration': 274565, 'of ration are': 588751, 'ration are blaming': 697639, 'are blaming govt': 84986, 'blaming govt for': 132335, 'govt for not': 361126, 'not giving stock': 569662, 'giving stock it': 351398, 'stock it feel': 802321, 'to take proper': 916226, 'take proper action': 832528, 'proper action against': 684084, 'action against issue': 29931, 'against issue kindly': 37519, 'issue kindly help': 455830, 'kindly help the': 475139, 'help the needed': 390668, 'the needed one': 861404, 'presidential guideline': 670990, 'guideline birx': 368402, 'moment to do': 536082, 'do everything that': 249269, 'you can on': 1017735, 'on the presidential': 604300, 'the presidential guideline': 864277, 'presidential guideline birx': 670991, 'guideline birx said': 368403, 'birx said this': 131480, 'bbcpm': 113152, 'die cannot': 241311, 'like else': 490165, 'where but': 984763, 'but socialdistancing': 147084, 'for queue': 324912, 'queue once': 694023, 'till for': 896018, 'walking about': 965007, 'distancing mean': 247309, 'mean ll': 524531, 'll walk': 497092, 'where want': 985332, 'way bbcpm': 969488, 'to die cannot': 904270, 'die cannot say': 241312, 'cannot say what': 162075, 'say what it': 739470, 'it like else': 459357, 'like else where': 490166, 'else where but': 271978, 'where but socialdistancing': 984765, 'but socialdistancing is': 147085, 'socialdistancing is only': 780470, 'is only for': 450538, 'only for queue': 610473, 'for queue once': 324913, 'queue once inside': 694024, 'once inside supermarket': 605662, 'inside supermarket forget': 439396, 'supermarket forget about': 820437, 'forget about it': 329222, 'about it until': 25601, 'it until you': 461949, 'until you get': 943940, 'the till for': 869557, 'till for walking': 896019, 'for walking about': 327634, 'walking about social': 965008, 'social distancing mean': 779659, 'distancing mean ll': 247311, 'mean ll walk': 524532, 'll walk where': 497093, 'walk where want': 964923, 'where want you': 985333, 'want you get': 966180, 'you get out': 1018787, 'of my way': 586829, 'my way bbcpm': 550533, 'already offering': 47535, 'curbside takeout': 220677, 'takeout why': 833196, 'supermarket convert': 819775, 'your operation': 1025083, 'operation into': 613216, 'tip amp': 898698, 'amp trick': 54741, 're already offering': 698254, 'already offering curbside': 47536, 'offering curbside takeout': 595057, 'curbside takeout why': 220678, 'takeout why not': 833197, 'give your customer': 350879, 'customer the opportunity': 222925, 'opportunity to pick': 613715, 'the item they': 858615, 'item they can': 463723, 'local supermarket convert': 498511, 'supermarket convert your': 819776, 'convert your operation': 202547, 'your operation into': 1025084, 'operation into retail': 613217, 'into retail shop': 442947, 'retail shop with': 718556, 'shop with these': 761063, 'these tip amp': 880857, 'tip amp trick': 898699, 'xi': 1013834, 'turk': 935528, 'turchia': 935519, 'week france': 976245, 'france paid': 331016, 'paid china': 633993, 'ventilator that': 954618, 'that belongs': 842983, 'to spain': 914949, 'spain then': 787352, 'call xi': 156246, 'xi and': 1013835, 'were being': 979371, 'to usa': 917999, 'usa with': 948794, 'only turkey': 611389, 'turkey sends': 935569, 'sends medical': 750133, 'to italy': 908625, 'spain free': 787296, 'now dirty': 574526, 'dirty propaganda': 243769, 'propaganda run': 684067, 'run against': 727548, 'against turk': 37716, 'turk turchia': 935529, 'last week france': 480647, 'week france paid': 976246, 'france paid china': 331017, 'paid china for': 633994, 'china for ventilator': 176669, 'for ventilator that': 327542, 'ventilator that belongs': 954619, 'that belongs to': 842984, 'belongs to spain': 126525, 'to spain then': 914950, 'spain then trump': 787353, 'then trump call': 877696, 'trump call xi': 933458, 'call xi and': 156247, 'xi and they': 1013836, 'they were being': 883753, 'were being sold': 979374, 'being sold to': 125837, 'sold to usa': 781791, 'to usa with': 918000, 'usa with higher': 948795, 'with higher price': 998813, 'higher price during': 395673, 'this time only': 890673, 'time only turkey': 897419, 'only turkey sends': 611390, 'turkey sends medical': 935570, 'sends medical equipment': 750134, 'equipment to italy': 279858, 'to italy and': 908626, 'and spain free': 72040, 'spain free but': 787297, 'free but now': 331692, 'but now dirty': 146601, 'now dirty propaganda': 574527, 'dirty propaganda run': 243770, 'propaganda run against': 684068, 'run against turk': 727549, 'against turk turchia': 37717, 'store spur': 810293, 'convenience store spur': 202357, 'store spur ha': 810294, 'worldwar3': 1010292, 'or oilpricewar': 616365, 'oilpricewar either': 597707, 'or drain': 615067, 'drain the': 258218, 'sea channel': 743083, 'channel corona': 172873, 'on ww3': 605394, 'ww3 worldwar3': 1013660, 'look at or': 502280, 'at or oilpricewar': 99993, 'or oilpricewar either': 616366, 'oilpricewar either they': 597708, 'either they have': 270393, 'cut the production': 223579, 'the production or': 864608, 'production or drain': 682173, 'or drain the': 615068, 'drain the oil': 258219, 'the oil into': 862110, 'the sea channel': 866549, 'sea channel corona': 743084, 'channel corona ha': 172874, 'corona ha just': 203972, 'ha just put': 371065, 'just put stop': 469528, 'put stop on': 690836, 'stop on ww3': 804867, 'on ww3 worldwar3': 605395, 'amazon wa': 51177, 'already powerful': 47578, 'powerful the': 667805, 'pandemic cleared': 635153, 'to dominance': 904633, 'dominance the': 253270, 'forced 250': 328553, 'closed clearing': 183045, 'amazon dominance': 50916, 'amazon wa already': 51178, 'wa already powerful': 961490, 'already powerful the': 47579, 'powerful the pandemic': 667806, 'the pandemic cleared': 862933, 'pandemic cleared the': 635154, 'cleared the way': 181439, 'way to dominance': 970016, 'to dominance the': 904634, 'dominance the global': 253271, 'ha forced 250': 370655, 'forced 250 00': 328554, '250 00 store': 16010, 'store closed clearing': 807059, 'closed clearing the': 183046, 'clearing the way': 181480, 'way to amazon': 969986, 'to amazon dominance': 900394, 'some opportunity': 783458, 'can talk': 159911, 'help expose': 389673, 'expose and': 292783, 'fix consumer': 309713, 'gouging help': 359336, 'address waste': 32064, 'and grift': 63964, 'grift in': 363925, 'federal budget': 301961, 'are some opportunity': 90276, 'some opportunity but': 783459, 'opportunity but if': 613594, 'you reach out': 1020806, 'reach out we': 699970, 'out we can': 627793, 'we can talk': 971030, 'can talk about': 159912, 'talk about more': 833747, 'about more help': 25751, 'more help expose': 539400, 'help expose and': 389674, 'expose and fix': 292784, 'and fix consumer': 62953, 'fix consumer scam': 309714, 'consumer scam like': 198871, 'scam like covid': 740234, 'price gouging help': 674284, 'gouging help address': 359337, 'help address waste': 389300, 'address waste and': 32065, 'waste and grift': 968072, 'and grift in': 63965, 'grift in our': 363926, 'in our state': 426339, 'our state and': 624895, 'and federal budget': 62755, 'respons': 715605, 'access southeast': 28193, 'southeast missouri': 786837, 'missouri food': 534426, 'seen tremendous': 747333, 'tremendous increase': 931228, 'food following': 314483, 'following temporary': 312867, 'temporary layoff': 837655, 'closure following': 183893, 'begin offering': 123542, '19 respons': 10137, 'free access southeast': 331620, 'access southeast missouri': 28194, 'southeast missouri food': 786838, 'missouri food bank': 534427, 'bank ha seen': 109888, 'ha seen tremendous': 371847, 'seen tremendous increase': 747334, 'tremendous increase in': 931229, 'for food following': 321582, 'food following temporary': 314485, 'following temporary layoff': 312868, 'temporary layoff and': 837656, 'layoff and school': 482677, 'school closure following': 741749, 'closure following the': 183894, 'following the outbreak': 312898, '19 to respond': 11454, 'respond to that': 715328, 'to that need': 916455, 'bank will begin': 110313, 'will begin offering': 992808, 'begin offering covid': 123543, 'covid 19 respons': 213701, 'fuming': 341119, 'on medication': 602098, 'medication fuming': 526652, 'fuming that': 341120, 'yet again we': 1015976, 'see inflated price': 745310, 'price on medication': 675695, 'on medication fuming': 602099, 'medication fuming that': 526653, 'fuming that company': 341121, 'company are profiteering': 190439, 'are profiteering during': 89264, 'coronacrisis toiletpaperpanic': 204843, 'roll coronacrisis toiletpaperpanic': 725255, 'gro': 364069, 'food hose': 314847, 'hose them': 404244, 'day hoping': 227762, 'coronacrisis gro': 204616, 'other half and': 620333, 'half and my': 374141, 'and my school': 67388, 'my school age': 550000, 'school age daughter': 741675, 'age daughter are': 37814, 'daughter are working': 226827, 'are working at': 91689, 'supermarket to keep': 823382, 'everyone in food': 287039, 'in food hose': 422972, 'food hose them': 314848, 'hose them down': 404245, 'them down at': 875623, 'the day hoping': 852889, 'day hoping we': 227763, 'hoping we ll': 403966, 'all be safe': 42141, 'be safe coronacrisis': 116949, 'safe coronacrisis gro': 729567, 'opened only': 612748, 'disability after': 243805, 'outbreak led': 628416, 'one hour every': 606436, 'day this supermarket': 228537, 'australia is opened': 103314, 'is opened only': 450586, 'opened only to': 612749, 'with disability after': 998054, 'disability after the': 243806, 'the outbreak led': 862658, 'outbreak led to': 628417, 'usagunnation': 948863, 'gotta assume': 359064, 'assume the': 97021, 'next white': 561716, 'white mass': 987875, 'shooting is': 759767, 'happen at': 377058, 'america after': 51442, 'all usa': 45340, 'usa usa': 948783, 'usa quarentinelife': 948728, 'quarentinelife losangeleslockdown': 693197, 'losangeleslockdown fightcovid19': 503411, 'fightcovid19 washingtondc': 304999, 'washingtondc usagunnation': 967822, 'usagunnation cnn': 948864, 'cnn foxnews': 184756, 'foxnews msnbc': 330806, 'you gotta assume': 1018913, 'gotta assume the': 359065, 'assume the next': 97023, 'the next white': 861714, 'next white mass': 561717, 'white mass shooting': 987876, 'mass shooting is': 519854, 'shooting is going': 759768, 'to happen at': 907148, 'happen at grocery': 377059, 'is america after': 445619, 'america after all': 51443, 'after all usa': 35337, 'all usa usa': 45341, 'usa usa usa': 948786, 'usa usa quarentinelife': 948784, 'usa quarentinelife losangeleslockdown': 948729, 'quarentinelife losangeleslockdown fightcovid19': 693198, 'losangeleslockdown fightcovid19 washingtondc': 503412, 'fightcovid19 washingtondc usagunnation': 305000, 'washingtondc usagunnation cnn': 967823, 'usagunnation cnn foxnews': 948865, 'cnn foxnews msnbc': 184757, 'detest': 239477, 'detest fearmongering': 239478, 'fearmongering everyone': 301506, 'supply including': 825417, 'water but': 968930, 'say have': 738723, 'have 30': 379090, 'minimum amp': 533170, 'amp rotate': 54412, 'rotate stock': 726177, 'detest fearmongering everyone': 239479, 'fearmongering everyone should': 301507, 'should have day': 766071, 'have day supply': 380185, 'of emergency supply': 583058, 'emergency supply including': 273005, 'supply including food': 825418, 'including food amp': 431962, 'amp water but': 54808, 'water but say': 968932, 'but say have': 146964, 'say have 30': 738724, 'have 30 day': 379091, 'day supply at': 228436, 'supply at minimum': 824815, 'at minimum amp': 99752, 'minimum amp rotate': 533171, 'amp rotate stock': 54413, 'rotate stock so': 726178, 'stock so it': 802862, 'it never go': 459780, 'never go bad': 558020, 'dble': 228920, 'useful over': 950185, 'at hq': 99241, 'hq one': 409583, 'we figured': 971552, 'that kitchen': 844828, 'roll isn': 725354, 'isn soft': 454672, 'soft on': 781477, 'skin dble': 773060, 'dble quilted': 228921, 'quilted don': 694733, 'same mistake': 733164, 'mistake 19': 534463, 'we are full': 970573, 'full of useful': 340765, 'of useful over': 592712, 'useful over here': 950186, 'over here at': 630280, 'here at hq': 392784, 'at hq one': 99242, 'hq one thing': 409584, 'thing we figured': 884962, 'we figured out': 971553, 'figured out is': 305257, 'out is that': 626436, 'is that kitchen': 452661, 'that kitchen roll': 844829, 'kitchen roll isn': 475746, 'roll isn soft': 725356, 'isn soft on': 454673, 'soft on the': 781478, 'on the skin': 604369, 'the skin dble': 867310, 'skin dble quilted': 773061, 'dble quilted don': 228922, 'quilted don make': 694734, 'don make the': 253720, 'make the same': 510583, 'the same mistake': 866260, 'same mistake 19': 733165, 'cool number': 203026, 'number from': 576880, 'yelp little': 1015292, 'science from': 742110, 'usage who': 948859, 'impact report': 417942, 'report pizzeria': 712172, 'pizzeria yes': 657225, 'yes fastfood': 1015429, 'fastfood ok': 300167, 'ok grocery': 597813, 'grocery yes': 366199, 'some cool number': 782599, 'cool number from': 203027, 'number from yelp': 576881, 'from yelp little': 338443, 'yelp little bit': 1015293, 'bit of science': 131660, 'of science from': 589409, 'science from app': 742111, 'from app usage': 334568, 'app usage who': 81792, 'usage who go': 948860, 'who go up': 988795, 'up and who': 944389, 'who go down': 988787, 'down in economy': 256857, 'in economy impact': 422489, 'economy impact report': 267955, 'impact report pizzeria': 417944, 'report pizzeria yes': 712173, 'pizzeria yes fastfood': 657226, 'yes fastfood ok': 1015430, 'fastfood ok grocery': 300168, 'ok grocery yes': 597814, 'downwards': 257848, 'trend downwards': 931323, 'downwards on': 257849, 'further loss': 342086, 'weak gas': 974019, 'outlook in': 629163, 'term due': 838124, 'of driven': 582823, 'price continued to': 673227, 'continued to trend': 201368, 'to trend downwards': 917770, 'trend downwards on': 931324, 'downwards on tuesday': 257850, 'by further loss': 152654, 'further loss in': 342087, 'loss in oil': 503707, 'oil and eua': 596615, 'and eua price': 62306, 'eua price and': 283300, 'price and weak': 672578, 'and weak gas': 75342, 'weak gas demand': 974020, 'demand outlook in': 235997, 'outlook in the': 629164, 'short term due': 764733, 'term due to': 838125, 'mild weather and': 531356, 'weather and prospect': 974847, 'and prospect of': 69651, 'prospect of driven': 684689, 'of driven cut': 582825, 'cut in energy': 223374, 'reinventingretail': 708275, 'associate continue': 96854, 'well help': 978285, 'via more': 956083, 'more thorough': 540741, 'per news': 650959, 'news reinventingretail': 560739, 'reinventingretail retail': 708276, 'store associate continue': 806563, 'associate continue to': 96855, 'go the extra': 354202, 'the extra mile': 854764, 'mile to keep': 531419, 'keep shelf well': 471926, 'shelf well stocked': 757758, 'daily essential well': 224603, 'essential well help': 281776, 'well help prevent': 978287, '19 via more': 11762, 'via more thorough': 956084, 'more thorough cleaning': 540742, 'cleaning per news': 181016, 'per news reinventingretail': 650960, 'news reinventingretail retail': 560740, 'special april': 787851, 'april commission': 83554, 'commission rt': 188890, 'rt due': 726757, 'offer 15': 594501, '15 discount': 3698, 'slot of': 774241, 'month usual': 538097, 'usual dm': 950926, 'is momentarily': 449683, 'momentarily broken': 536139, 'broken ww': 140927, 'ww thank': 1013639, 'special april commission': 787852, 'april commission rt': 83555, 'commission rt due': 188891, 'rt due to': 726758, 'global pandemic will': 352112, 'happy to offer': 377717, 'to offer 15': 910823, 'offer 15 discount': 594502, '15 discount on': 3699, 'discount on all': 244506, 'on all price': 599243, 'all price for': 44031, 'for the slot': 326689, 'the slot of': 867338, 'slot of this': 774242, 'this month usual': 888920, 'month usual dm': 538098, 'usual dm to': 950927, 'order the form': 618630, 'on the website': 604442, 'website is momentarily': 975321, 'is momentarily broken': 449684, 'momentarily broken ww': 536140, 'broken ww thank': 140928, 'ww thank you': 1013640, 'out isolate': 626439, 'yourself completely': 1026564, 'neighbor call': 556989, 'call any': 155769, 'any vulnerable': 80028, 'relative write': 708759, 'write kind': 1012772, 'kind letter': 474861, 'local nursing': 498220, 'go out isolate': 353962, 'out isolate yourself': 626440, 'isolate yourself completely': 454959, 'yourself completely if': 1026565, 'supermarket check on': 819658, 'on your neighbor': 605482, 'your neighbor call': 1024949, 'neighbor call any': 556990, 'call any vulnerable': 155771, 'any vulnerable elderly': 80029, 'vulnerable elderly relative': 960949, 'elderly relative write': 270870, 'relative write kind': 708760, 'write kind letter': 1012773, 'kind letter to': 474862, 'your local nursing': 1024708, 'local nursing home': 498221, 'because delivery': 119019, 'scheduled out': 741512, 'monday the': 536390, 'counter had': 210219, 'be 80': 113437, 'broken than': 140919, 'than high': 840744, 'morning because delivery': 541186, 'because delivery service': 119020, 'are scheduled out': 89862, 'scheduled out until': 741513, 'out until monday': 627753, 'until monday the': 943785, 'monday the kid': 536392, 'the kid have': 858787, 'meat counter had': 525530, 'counter had to': 210220, 'to be 80': 901082, 'be 80 year': 113438, 'so broken than': 776650, 'broken than high': 140920, 'than high risk': 840745, 'clerk should': 181765, 'now fr': 574739, 'fr dallas': 330838, 'dallas dallascounty': 225122, 'store clerk should': 807025, 'clerk should be': 181766, 'be in hazmat': 115407, 'hazmat suit on': 384620, 'suit on right': 817777, 'right now fr': 722065, 'now fr dallas': 574740, 'fr dallas dallascounty': 330839, 'for seo': 325489, 'seo consultant': 751042, 'to discount': 904355, 'is it good': 449027, 'idea for seo': 413051, 'for seo consultant': 325490, 'seo consultant and': 751043, 'consultant and agency': 195860, 'and agency to': 57777, 'agency to discount': 38087, 'to discount price': 904356, 'discount price because': 244524, 'shift accordingly': 758220, 'accordingly school': 28613, 'dinner more': 243078, 'not greed': 569749, 'greed not': 363410, 'are working from': 91696, 'home the food': 402232, 'food supply need': 316971, 'supply need to': 825579, 'to shift accordingly': 914411, 'shift accordingly school': 758221, 'accordingly school have': 28614, 'school have shut': 741814, 'have shut and': 382541, 'shut and their': 767785, 'and their dinner': 73681, 'their dinner more': 873022, 'dinner more demand': 243079, 'more demand on': 538992, 'demand on the': 235974, 'the supermarket supply': 868834, 'supermarket supply not': 823051, 'supply not greed': 825600, 'not greed not': 569750, 'greed not over': 363411, 'not over buying': 570872, 'heap': 387859, 'been warning': 122348, 'crisis heap': 217480, 'heap pressure': 387862, 've been warning': 952958, 'been warning about': 122349, 'warning about food': 967067, '19 crisis heap': 6259, 'crisis heap pressure': 217481, 'heap pressure on': 387863, 'key threshold': 473423, 'key threshold identified': 473424, 'winner and': 996015, 'loser of': 503510, 'surging and': 828403, 'dwindling ecommerce': 263686, 'the winner and': 871609, 'winner and loser': 996016, 'and loser of': 66399, 'loser of the': 503511, 'pandemic which product': 636987, 'category are surging': 167162, 'are surging and': 90675, 'surging and which': 828404, 'which are dwindling': 985677, 'are dwindling ecommerce': 86035, 'dwindling ecommerce supplychain': 263687, 'ecommerce supplychain shipping': 266881, 'supplychain shipping retail': 826230, 'supply shop': 825823, 'medication 19': 526616, 'or hoard supply': 615657, 'hoard supply shop': 398875, 'supply shop will': 825825, 'shop will remain': 761055, 'remain open so': 709822, 'open so that': 612507, 'that people have': 845694, 'people have access': 648157, 'and medication 19': 66890, 'but anxiety': 145193, '19 but anxiety': 5490, 'but anxiety driven': 145194, 'driven panic can': 259337, 'panic can change': 637991, 'by find': 152588, 'should pause': 766310, 'pause all': 644578, 'all advertising': 41953, 'advertising 49': 33191, '49 want': 19407, 'want ad': 965688, 'ad to': 31183, 'feel informed': 302681, 'and 37': 57458, '37 want': 18086, 'feel warm': 302926, 'warm happy': 966879, 'happy digitalmarketing': 377600, 'digitalmarketing consumerbehavior': 242763, 'new survey by': 559708, 'survey by find': 828829, 'by find that': 152589, 'find that only': 307271, 'that only of': 845524, 'only of consumer': 610837, 'brand should pause': 138009, 'should pause all': 766311, 'pause all advertising': 644580, 'all advertising 49': 41954, 'advertising 49 want': 33192, '49 want ad': 19408, 'want ad to': 965689, 'ad to make': 31184, 'them feel informed': 875684, 'feel informed and': 302682, 'informed and 37': 438077, 'and 37 want': 57459, '37 want ad': 18087, 'them feel warm': 875687, 'feel warm happy': 302927, 'warm happy digitalmarketing': 966880, 'happy digitalmarketing consumerbehavior': 377601, 'anyone posting': 80466, 'posting time': 666702, 'series for': 751250, 'anyone posting time': 80467, 'posting time series': 666703, 'time series for': 897641, 'series for the': 751252, 'for the spot': 326700, 'spot market price': 790076, 'market price of': 516894, 'coffee more': 185516, 'expensive without': 291295, 'enough labourer': 277500, 'labourer brazil': 478538, 'brazil harvest': 138333, 'harvest will': 378642, 'be struggle': 117410, 'struggle that': 814378, 'could cut': 209069, 'cut supply': 223561, 'major exporter': 509322, 'already rising': 47625, 'could make your': 209406, 'make your coffee': 510755, 'your coffee more': 1023251, 'coffee more expensive': 185517, 'more expensive without': 539184, 'expensive without enough': 291296, 'without enough labourer': 1002615, 'enough labourer brazil': 277501, 'labourer brazil harvest': 478539, 'brazil harvest will': 138334, 'harvest will be': 378643, 'will be struggle': 992704, 'be struggle that': 117411, 'struggle that could': 814379, 'that could cut': 843347, 'could cut supply': 209070, 'cut supply from': 223562, 'supply from major': 825292, 'from major exporter': 336303, 'major exporter and': 509323, 'exporter and price': 292744, 'are already rising': 84422, 'raelyn': 695501, 'sacco': 729026, 'friedman raelyn': 333471, 'raelyn davis': 695502, 'davis and': 227024, 'and michael': 66983, 'michael sacco': 530265, 'sacco share': 729027, 'fortify your': 329816, 'business against': 143253, 'ramification of': 696406, 'friedman raelyn davis': 333472, 'raelyn davis and': 695503, 'davis and michael': 227025, 'and michael sacco': 66984, 'michael sacco share': 530266, 'sacco share way': 729028, 'way to fortify': 970030, 'to fortify your': 906207, 'fortify your consumer': 329817, 'your consumer good': 1023319, 'good business against': 356843, 'business against the': 143254, 'against the ramification': 37674, 'the ramification of': 865133, 'ramification of covid': 696407, 'afghan': 34921, 'president we': 670971, 'we afghan': 970295, 'afghan people': 34922, 'people requesting': 649280, 'to seriously': 914253, 'seriously control': 751568, 'disinfecting liquid': 245858, 'liquid at': 494080, 'at kabul': 99352, 'kabul and': 470577, 'other province': 620788, 'province for': 687172, 'mr president we': 544392, 'president we afghan': 670972, 'we afghan people': 970296, 'afghan people requesting': 34923, 'people requesting you': 649281, 'requesting you for': 713287, 'you for team': 1018675, 'for team to': 326163, 'team to seriously': 835806, 'to seriously control': 914254, 'seriously control the': 751569, 'control the increased': 202167, 'the increased price': 858076, 'food and disinfecting': 313212, 'and disinfecting liquid': 61461, 'disinfecting liquid at': 245859, 'liquid at kabul': 494081, 'at kabul and': 99353, 'kabul and other': 470578, 'and other province': 68390, 'other province for': 620789, 'province for to': 687173, 'to control and': 903442, 'control and fight': 201964, 'somebody need': 784274, 'who this': 989782, 'food moronic': 315475, 'moronic panic': 541666, 'somebody need to': 784275, 'find out who': 307159, 'out who this': 627843, 'who this lady': 989783, 'lady is and': 478783, 'is and make': 445709, 'make sure she': 510524, 'sure she get': 827665, 'she get food': 756050, 'get food moronic': 347053, 'food moronic panic': 315476, 'moronic panic buyer': 541667, 'data industry': 226278, 'association provided': 96981, 'for lender': 322943, 'creditor who': 216582, 'who report': 989533, 'report information': 712044, 'whose account': 990617, 'account are': 28634, 'by troutmanpepper': 154596, 'consumer data industry': 197058, 'data industry association': 226279, 'industry association provided': 435672, 'association provided guidance': 96982, 'provided guidance for': 686609, 'guidance for lender': 368232, 'for lender and': 322944, 'and creditor who': 60740, 'creditor who report': 216583, 'who report information': 989534, 'report information about': 712045, 'about consumer whose': 25005, 'consumer whose account': 199534, 'whose account are': 990618, 'account are impacted': 28635, 'impacted by troutmanpepper': 418092, 'price pan': 675829, 'pan india': 634666, 'witnessing steep': 1003180, 'steep 50': 799378, '50 80': 19595, 'percent rise': 651176, 'their sticker': 874825, 'sticker rate': 800090, 'rate thanks': 697384, 'marketing the': 517727, 'induced lockdown': 435470, 'already led': 47502, 'by cigarette': 152122, 'cigarette maker': 178484, 'and subsequent': 72639, 'subsequent supply': 815933, 'side shortage': 768880, 'cigarette price pan': 178487, 'price pan india': 675830, 'pan india are': 634667, 'india are witnessing': 434316, 'are witnessing steep': 91666, 'witnessing steep 50': 1003181, 'steep 50 80': 799379, '50 80 percent': 19596, '80 percent rise': 22623, 'percent rise over': 651178, 'rise over their': 722973, 'over their sticker': 630797, 'their sticker rate': 874826, 'sticker rate thanks': 800091, 'rate thanks to': 697385, 'thanks to black': 842208, 'to black marketing': 901835, 'black marketing the': 132104, 'marketing the virus': 517729, 'virus induced lockdown': 958349, 'induced lockdown ha': 435471, 'lockdown ha already': 499442, 'ha already led': 369512, 'already led to': 47503, 'to the suspension': 917113, 'suspension of production': 829693, 'of production by': 588509, 'production by cigarette': 681949, 'by cigarette maker': 152123, 'cigarette maker and': 178485, 'maker and subsequent': 510814, 'and subsequent supply': 72641, 'subsequent supply side': 815934, 'supply side shortage': 825854, 'side shortage is': 768881, 'shortage is inevitable': 765038, '26 state': 16188, 'reduce layoff': 705868, 'layoff at': 482680, 'at critical': 98369, 'known program': 477241, 'program called': 683219, 'called short': 156442, 'time compensation': 896498, 'compensation or': 191570, 'or shared': 617034, 'shared work': 755466, 'work thread': 1005861, 'business in 26': 143874, 'in 26 state': 419899, '26 state can': 16189, 'state can reduce': 795451, 'can reduce layoff': 159411, 'reduce layoff at': 705869, 'layoff at critical': 482681, 'at critical time': 98370, 'critical time like': 218699, 'this with little': 891461, 'with little known': 999258, 'little known program': 495430, 'known program called': 477242, 'program called short': 683220, 'called short time': 156443, 'short time compensation': 764768, 'time compensation or': 896499, 'compensation or shared': 191571, 'or shared work': 617035, 'shared work thread': 755467, 'work thread on': 1005862, 'thread on how': 893588, 'how this work': 408960, 'this work and': 891494, 'work and it': 1004785, 'and it benefit': 65491, 'it benefit for': 456846, 'benefit for employer': 126966, 'for employer and': 321038, 'employer and worker': 274485, 'death been': 229982, 'been linked': 121464, 'infection while': 436883, 'work how': 1005268, 'worker haven': 1007096, 'have these death': 383083, 'these death been': 879908, 'death been linked': 229983, 'been linked to': 121465, 'linked to contracting': 493991, 'to contracting the': 903433, 'contracting the covid': 201788, '19 infection while': 7864, 'infection while at': 436884, 'at work how': 101603, 'work how many': 1005270, 'supermarket worker haven': 824032, 'worker haven died': 1007097, 'haven died in': 383787, 'died in the': 241574, 'applaude': 82265, 'and politician': 69176, 'politician are': 663703, 'saving letting': 737901, 'letting rot': 487439, 'rot at': 726160, 'lady still': 478830, 'police chase': 662949, 'chase me': 173885, 'because riding': 119521, 'riding bike': 721667, 'bike the': 130423, 'ha virus': 372430, 'child were': 176260, 'were send': 980102, 'people applaude': 646904, 'the police and': 863913, 'police and politician': 662908, 'and politician are': 69177, 'politician are hero': 663704, 'are hero they': 87138, 'are saving letting': 89815, 'saving letting rot': 737902, 'letting rot at': 487440, 'rot at home': 726161, 'home but the': 400850, 'but the old': 147373, 'old lady still': 598327, 'lady still ha': 478831, 'supermarket the police': 823239, 'the police chase': 863916, 'police chase me': 662950, 'chase me because': 173886, 'me because riding': 522502, 'because riding bike': 119522, 'riding bike the': 721669, 'bike the old': 130424, 'man ha virus': 512081, 'ha virus because': 372431, 'virus because the': 957992, 'because the child': 119615, 'the child were': 850827, 'child were send': 176261, 'were send home': 980103, 'home to him': 402324, 'to him and': 907769, 'him and people': 396542, 'and people applaude': 68851, 'vampire': 952279, 'vampire pizza': 952281, 'pizza new': 657185, 'new at': 558361, 'home interactive': 401435, 'interactive food': 441284, 'food experience': 314430, 'angeles that': 76387, 'been designed': 120959, 'designed specifically': 238344, 'life strange': 489067, 'demand strange': 236280, 'strange pizza': 812410, 'pizza sign': 657203, 'sign me': 769149, 'vampire pizza new': 952282, 'pizza new at': 657186, 'new at home': 558362, 'at home interactive': 99016, 'home interactive food': 401436, 'interactive food experience': 441285, 'food experience in': 314431, 'experience in los': 291390, 'los angeles that': 503371, 'angeles that ha': 76388, 'ha been designed': 369774, 'been designed specifically': 120960, 'designed specifically for': 238345, 'specifically for this': 788282, 'for this current': 327021, 'this current covid': 887135, '19 quarantine life': 9913, 'quarantine life strange': 692340, 'life strange time': 489068, 'strange time demand': 812430, 'time demand strange': 896552, 'demand strange pizza': 236281, 'strange pizza sign': 812411, 'pizza sign me': 657204, 'sign me up': 769150, 'because 19': 118904, 'it approved': 456575, 'treatment because 19': 931042, 'because 19 ha': 118905, 'vaccine or drug': 951746, 'drug to prevent': 261122, 'prevent it approved': 671666, 'it approved by': 456576, 'monday teacher': 536386, 'teacher remember': 835500, 'happy monday teacher': 377657, 'monday teacher remember': 536387, 'bf': 129290, 'paranaque': 641418, 'watson': 969325, '19 sm': 10618, 'sm city': 774745, 'city bf': 179069, 'bf paranaque': 129293, 'paranaque will': 641419, 'notice however': 573287, 'however sm': 409452, 'sm supermarket': 774761, 'supermarket watson': 823738, 'watson bdo': 969326, 'bdo and': 113399, 'and carpark': 59576, 'carpark will': 164885, 'open let': 612353, 'fight against spread': 304639, 'covid 19 sm': 213818, '19 sm city': 10619, 'sm city bf': 774746, 'city bf paranaque': 179070, 'bf paranaque will': 129294, 'paranaque will be': 641420, 'further notice however': 342101, 'notice however sm': 573288, 'however sm supermarket': 409453, 'sm supermarket watson': 774762, 'supermarket watson bdo': 823739, 'watson bdo and': 969327, 'bdo and carpark': 113400, 'and carpark will': 59577, 'carpark will remain': 164886, 'remain open let': 709816, 'open let be': 612354, 'let be one': 486618, 'be one in': 116223, 'one in fight': 606470, 'skagit': 772846, 'east county': 265306, 'county resource': 211481, 'in concrete': 421643, 'concrete ha': 193338, 'seen impact': 747065, 'including increased': 432014, 'center emergency': 169189, 'pantry skagit': 639663, 'the east county': 853844, 'east county resource': 265307, 'county resource center': 211482, 'resource center in': 714736, 'center in concrete': 169230, 'in concrete ha': 421644, 'concrete ha seen': 193339, 'ha seen impact': 371828, 'seen impact from': 747066, '19 pandemic including': 9361, 'pandemic including increased': 635717, 'including increased demand': 432015, 'on the center': 604015, 'the center emergency': 850595, 'center emergency food': 169190, 'emergency food pantry': 272708, 'food pantry skagit': 315796, 'zehrs': 1027339, 'caremongering zehrs': 164546, 'zehrs bolton': 1027340, 'bolton grocery': 134165, 'senior most': 750358, 'pandemic caledon': 635081, 'caremongering zehrs bolton': 164547, 'zehrs bolton grocery': 1027341, 'bolton grocery store': 134166, 'store offering special': 809163, 'offering special hour': 595259, 'for senior most': 325467, 'senior most vulnerable': 750359, 'vulnerable to shop': 961232, '19 pandemic caledon': 9281, 'omera': 598883, 'canpara': 162256, 'omera canpara': 598884, 'canpara we': 162257, 'are fairing': 86453, 'fairing so': 296424, 'far well': 298973, 'citizen it': 178924, 'just scramble': 469724, 'supermarket basically': 819312, 'basically their': 112172, 'their are': 872504, 'they filled': 882106, 'filled shelf': 305552, 'shelf them': 757659, 'up everyday': 944811, 'omera canpara we': 598885, 'canpara we are': 162258, 'we are fairing': 970558, 'are fairing so': 86454, 'fairing so far': 296425, 'so far well': 777068, 'far well the': 298974, 'well the uk': 978668, 'uk government is': 938413, 'government is looking': 360261, 'looking after it': 502778, 'after it citizen': 35836, 'it citizen it': 457139, 'citizen it is': 178925, 'only the fear': 611266, 'ha caused food': 370079, 'caused food panic': 167886, 'food panic just': 315751, 'panic just scramble': 638250, 'just scramble for': 469725, 'scramble for food': 742534, 'in supermarket basically': 428562, 'supermarket basically their': 819313, 'basically their are': 112173, 'their are all': 872505, 'empty and yet': 274781, 'yet they filled': 1016274, 'they filled shelf': 882107, 'filled shelf them': 305553, 'shelf them up': 757660, 'them up everyday': 876568, 'it confusing': 457262, 'confusing odd': 194367, 'public store': 688338, 'closed flight': 183116, 'event postponed': 285053, 'postponed we': 666841, 'had help': 373174, 'it confusing odd': 457263, 'confusing odd time': 194368, 'shopping public store': 763698, 'public store are': 688339, 'are closed flight': 85343, 'closed flight are': 183117, 'flight are cancelled': 310431, 'are cancelled and': 85160, 'cancelled and event': 161085, 'and event postponed': 62360, 'event postponed we': 285054, 'postponed we had': 666842, 'we had help': 971709, 'had help answer': 373175, 'council kindly': 210001, 'kindly think': 475175, 'about opening': 25855, 'opening liquor': 612873, 'shop twice': 760981, 'also raising': 48746, 'alcohol with': 41194, 'tax so': 835097, 'some revenue': 783772, 'revenue can': 720388, 'be generated': 114995, 'generated in': 345580, 'be utilised': 117952, 'utilised for': 951246, 'council kindly think': 210002, 'kindly think about': 475176, 'think about opening': 885091, 'about opening liquor': 25856, 'opening liquor shop': 612874, 'liquor shop twice': 494194, 'shop twice week': 760982, 'twice week and': 936555, 'and also raising': 57971, 'also raising the': 48748, 'price of alcohol': 675400, 'of alcohol with': 579905, 'alcohol with higher': 41195, 'with higher tax': 998814, 'higher tax so': 395745, 'tax so that': 835098, 'so that some': 778394, 'that some revenue': 846393, 'some revenue can': 783773, 'revenue can be': 720389, 'can be generated': 157625, 'be generated in': 114996, 'generated in this': 345581, 'in this hard': 429957, 'hard time which': 378046, 'time which can': 898322, 'can be utilised': 157709, 'be utilised for': 117953, 'utilised for fighting': 951247, 'anything covid': 80718, 'only coping': 610271, 'coping mechanism': 203377, 'mechanism are': 525846, 'shopping cry': 762420, 'there is anything': 878527, 'is anything covid': 445772, 'anything covid 19': 80719, '19 ha taught': 7395, 'taught me it': 834897, 'me it that': 523020, 'it that my': 461496, 'my only coping': 549589, 'only coping mechanism': 610272, 'coping mechanism are': 203378, 'mechanism are online': 525847, 'online shopping cry': 609082, 'shopping cry and': 762421, 'cry and drinking': 219847, 'the menace': 860477, 'menace of': 528569, 'direct authority': 243289, 'air fare': 39721, 'fare we': 299041, 'such exorbitant': 816480, 'all suffering': 44531, 'financial crunch': 306388, 'crunch please': 219749, 'help official': 390171, 'all the step': 44922, 'step that you': 799631, 'taking to fight': 833633, 'fight the menace': 304896, 'the menace of': 860478, 'menace of covid': 528570, '19 please direct': 9714, 'please direct authority': 659878, 'direct authority to': 243290, 'authority to regulate': 103806, 'regulate the air': 707992, 'the air fare': 848484, 'air fare we': 39722, 'fare we cannot': 299042, 'afford such exorbitant': 34764, 'such exorbitant price': 816481, 'exorbitant price we': 290425, 'are all suffering': 84357, 'all suffering from': 44532, 'the financial crunch': 855212, 'financial crunch please': 306389, 'crunch please help': 219750, 'please help official': 660075, 'many challenge': 513884, 'challenge how': 171479, 'while meeting': 987051, 'meeting growing': 527708, 'food delivery is': 314134, 'delivery is an': 234133, 'but it come': 146112, 'come with many': 187684, 'with many challenge': 999380, 'many challenge how': 513885, 'challenge how to': 171480, 'safe while meeting': 730141, 'while meeting growing': 987052, 'meeting growing demand': 527709, 'rapid evolution': 696914, 'and assessing': 58446, 'assessing it': 96375, 'entity re': 278857, 'date on how': 226701, 'the is monitoring': 858510, 'is monitoring the': 449693, 'monitoring the rapid': 537381, 'the rapid evolution': 865147, 'rapid evolution of': 696915, '19 and assessing': 4988, 'and assessing it': 58447, 'assessing it impact': 96376, 'impact on bank': 417822, 'bank and other': 109619, 'regulated entity re': 708010, 'petrovietnam': 653872, 'petrovietnam said': 653873, 'considering storing': 195416, 'storing crude': 811763, 'oil amid': 596600, 'it explores': 457910, 'explores measure': 292531, 'war saudi': 966532, 'arabia opec': 83913, 'petrovietnam said on': 653874, 'wednesday it is': 975653, 'it is considering': 458914, 'is considering storing': 446765, 'considering storing crude': 195417, 'storing crude oil': 811764, 'crude oil amid': 219550, 'oil amid low': 596601, 'low price it': 505522, 'price it explores': 674916, 'it explores measure': 457911, 'explores measure to': 292532, 'measure to deal': 525392, 'price war saudi': 677371, 'war saudi arabia': 966533, 'saudi arabia opec': 737206, 'malaysia announced': 511590, 'announced restricted': 77025, 'movement re': 543921, 'country launched': 210854, 'launched into': 481998, 'buying imagine': 150521, 'imagine announcing': 416691, 'announcing threat': 77336, 'threat on': 893706, 'change impact': 172102, 'their govt': 873430, 'their climate': 872793, 'malaysia announced restricted': 511592, 'announced restricted movement': 77026, 'restricted movement re': 717153, 'movement re covid': 543922, 'the country launched': 852108, 'country launched into': 210855, 'launched into panic': 481999, 'into panic buying': 442843, 'panic buying imagine': 637771, 'buying imagine announcing': 150522, 'imagine announcing threat': 416692, 'announcing threat on': 77337, 'threat on food': 893707, 'food security due': 316343, 'due to climate': 261729, 'climate change impact': 182197, 'change impact will': 172103, 'impact will people': 418048, 'will people start': 994404, 'people start panic': 649537, 'start panic buying': 794427, 'buying or will': 150841, 'or will they': 617812, 'will they demand': 995177, 'demand their govt': 236364, 'their govt to': 873431, 'govt to step': 361318, 'step up on': 799694, 'on their climate': 604472, 'their climate action': 872794, 'wa praising': 962975, 'praising the': 668904, 'of turkish': 592506, 'government against': 359840, 'step is': 799577, 'is reduced': 451377, 'reduced vat': 706209, 'vat of': 952732, 'flight another': 310426, 'another action': 77488, 'is reduction': 451383, 'thinking these': 886007, 'wa praising the': 962976, 'praising the action': 668905, 'action of turkish': 30091, 'of turkish government': 592507, 'turkish government against': 935593, 'government against the': 359841, 'outbreak their next': 628730, 'their next step': 874059, 'next step is': 561568, 'step is reduced': 799578, 'is reduced vat': 451378, 'reduced vat of': 706210, 'vat of domestic': 952733, 'of domestic flight': 582785, 'domestic flight another': 253190, 'flight another action': 310427, 'another action is': 77489, 'action is reduction': 30054, 'is reduction of': 451384, 'reduction of house': 706390, 'of house price': 584789, 'house price what': 406511, 'price what have': 677470, 'you been thinking': 1017428, 'been thinking these': 122182, 'thinking these are': 886008, 'not do for': 569059, 'market brentcrude': 516115, 'fear of ha': 301237, 'of ha shaken': 584403, 'shaken the fundamental': 754444, 'fundamental of the': 341560, 'oil market brentcrude': 596941, 'market brentcrude oil': 516116, 'have fallen below': 380564, 'fallen below 30': 297135, 'below 30 per': 126576, 'fear of global': 301235, 'global recession however': 352156, 'recession however lower': 704287, 'however lower price': 409415, 'lower price could': 505956, 'price could have': 673283, 'could have hidden': 209256, 'for india do': 322539, 'you want more': 1022147, 'the pinellas': 863742, 'pinellas sheriff': 656812, 'sheriff suggested': 758083, 'suggested posting': 817577, 'posting notice': 666669, 'notice on': 573325, 'door telling': 255728, 'telling customer': 837189, 'distancing need': 247348, 'follow cdc': 312367, 'cdc rule': 168614, 'the pinellas sheriff': 863743, 'pinellas sheriff suggested': 656813, 'sheriff suggested posting': 758084, 'suggested posting notice': 817578, 'posting notice on': 666670, 'notice on all': 573326, 'on all retail': 599245, 'retail store door': 718632, 'store door telling': 807378, 'door telling customer': 255729, 'telling customer about': 837190, 'customer about the': 222014, 'social distancing need': 779669, 'distancing need to': 247349, 'to follow cdc': 906046, 'follow cdc rule': 312368, 'klima': 475923, 'wirkt': 996590, 'sich': 768341, 'positiv': 665233, 'zumindest': 1027899, 'kurzfristig': 477969, 'langfristigen': 479471, 'folgen': 312077, 'hingegen': 396891, 'rften': 720868, 'alles': 45801, 'andere': 76131, 'umweltfreundlich': 939264, 'sein': 747414, 'klimawandel': 475926, 'energie': 276374, 'auf da': 102957, 'da klima': 224227, 'klima wirkt': 475924, 'wirkt sich': 996591, 'sich positiv': 768342, 'positiv au': 665234, 'au zumindest': 102803, 'zumindest kurzfristig': 1027900, 'kurzfristig die': 477970, 'die langfristigen': 241387, 'langfristigen folgen': 479472, 'folgen hingegen': 312078, 'hingegen rften': 396892, 'rften alles': 720869, 'alles andere': 45802, 'andere al': 76132, 'al umweltfreundlich': 40608, 'umweltfreundlich sein': 939265, 'sein klimawandel': 747415, 'klimawandel energie': 475927, 'auf da klima': 102958, 'da klima wirkt': 224228, 'klima wirkt sich': 475925, 'wirkt sich positiv': 996592, 'sich positiv au': 768343, 'positiv au zumindest': 665235, 'au zumindest kurzfristig': 102804, 'zumindest kurzfristig die': 1027901, 'kurzfristig die langfristigen': 477971, 'die langfristigen folgen': 241388, 'langfristigen folgen hingegen': 479473, 'folgen hingegen rften': 312079, 'hingegen rften alles': 396893, 'rften alles andere': 720870, 'alles andere al': 45803, 'andere al umweltfreundlich': 76133, 'al umweltfreundlich sein': 40609, 'umweltfreundlich sein klimawandel': 939266, 'sein klimawandel energie': 747416, 'just piss': 469449, 'piss me': 656949, 'off anymore': 593657, 'anymore have': 80135, 'store just piss': 808623, 'just piss me': 469450, 'piss me off': 656950, 'me off anymore': 523250, 'off anymore have': 593658, 'anymore have very': 80136, 'hysteria it an': 412457, 'it an annoying': 456465, 'an annoying and': 55319, 'annoying and dangerous': 77361, 'some region': 783712, 'region delivery': 707403, 'truck are': 932726, 'in kilometer': 424508, 'kilometer long': 474752, 'place supermarket': 657704, 'only six': 611147, 'warehouse wholesale': 966804, 'wholesale fruit': 990445, 'farmer cannot': 299318, 'run out in': 727759, 'out in some': 626396, 'in some region': 428099, 'some region delivery': 783713, 'region delivery truck': 707404, 'delivery truck are': 234691, 'truck are in': 932727, 'are in kilometer': 87406, 'in kilometer long': 424509, 'kilometer long queue': 474753, 'long queue in': 501581, 'queue in some': 693960, 'in some place': 428096, 'some place supermarket': 783574, 'place supermarket have': 657705, 'supermarket have only': 820698, 'have only six': 381812, 'only six month': 611148, 'month of stock': 537906, 'stock in warehouse': 802284, 'in warehouse wholesale': 430689, 'warehouse wholesale fruit': 966805, 'wholesale fruit and': 990446, 'and vegetable market': 74889, 'vegetable market are': 954028, 'market are closed': 516014, 'closed so farmer': 183338, 'so farmer cannot': 777072, 'farmer cannot get': 299319, 'get their produce': 348340, 'their produce to': 874461, 'produce to supermarket': 680475, 'to supermarket 19': 915767, 'deplorables': 237437, 'it deplorables': 457524, 'deplorables time': 237440, 'time america': 896244, 'raw unsung': 697998, 'food ship': 316468, 'ship our': 758705, 'shelf pump': 757438, 'hospital fill': 404400, 'water pipe': 969114, 'pipe put': 656878, 'it deplorables time': 457525, 'deplorables time america': 237441, 'time america would': 896245, 'america would collapse': 51753, 'would collapse without': 1011723, 'collapse without the': 186080, 'without the raw': 1002974, 'the raw unsung': 865191, 'raw unsung hero': 697999, 'unsung hero who': 943566, 'hero who grow': 394167, 'our food ship': 623129, 'food ship our': 316469, 'ship our good': 758706, 'our good stock': 623263, 'good stock the': 357776, 'the shelf pump': 866869, 'shelf pump the': 757440, 'pump the oil': 689106, 'the oil supply': 862120, 'oil supply our': 597463, 'supply our hospital': 825693, 'our hospital fill': 623466, 'hospital fill the': 404401, 'fill the water': 305503, 'the water pipe': 871126, 'water pipe put': 969115, 'pipe put out': 656879, 'put out the': 690757, 'out the fire': 627365, 'the fire police': 855260, 'fire police the': 308111, 'police the street': 663241, 'street and maintain': 812896, 'and maintain the': 66529, 'maintain the light': 509062, 'sanitizer available at': 734524, 'kci': 471198, 'kci airport': 471199, 'airport say': 40116, 'say several': 739121, 'several hand': 753858, 'been stolen': 122050, 'airport this': 40126, 'week kansascity': 976449, 'kansascity more': 470833, 'kci airport say': 471200, 'airport say several': 40117, 'say several hand': 739122, 'several hand sanitizer': 753859, 'have been stolen': 379695, 'been stolen from': 122051, 'from the airport': 337595, 'the airport this': 848510, 'airport this week': 40127, 'this week kansascity': 891226, 'week kansascity more': 976450, 'footballskills': 318532, 'kinda kicked': 475054, 'window the': 995723, 'bag out': 108381, 'all streaming': 44507, 'streaming platform': 812836, 'platform including': 658984, 'including instagram': 432018, 'instagram and': 439954, 'and tiktok': 74115, 'tiktok toiletpaper': 895926, 'quarantine toiletpaperchallenge': 692654, 'toiletpaperchallenge footballskills': 922974, 'footballskills football': 318533, 'kinda kicked out': 475055, 'kicked out my': 473817, 'out my window': 626613, 'my window the': 550615, 'window the bag': 995724, 'the bag out': 849180, 'bag out now': 108382, 'now on all': 575417, 'on all streaming': 599249, 'all streaming platform': 44508, 'streaming platform including': 812837, 'platform including instagram': 658985, 'including instagram and': 432019, 'instagram and tiktok': 439955, 'and tiktok toiletpaper': 74116, 'tiktok toiletpaper corona': 895927, 'toiletpaper corona quarantine': 921875, 'corona quarantine toiletpaperchallenge': 204129, 'quarantine toiletpaperchallenge footballskills': 692655, 'toiletpaperchallenge footballskills football': 922975, 'vegetabl': 953910, 'outside it': 629468, 'only protect': 611024, 'yourself but': 1026551, 'really very': 702690, 'to anti': 900594, 'anti covid': 78294, 'and vegetabl': 74873, 'mask if go': 518818, 'if go outside': 414156, 'go outside it': 354014, 'outside it is': 629469, 'not only protect': 570819, 'only protect yourself': 611025, 'protect yourself but': 685085, 'yourself but also': 1026552, 'but also protect': 145135, 'also protect the': 48705, 'protect the member': 684976, 'the member of': 860461, 'the family it': 854896, 'is really very': 451322, 'really very very': 702691, 'very very important': 955646, 'important to wear': 419078, 'mask to anti': 519391, 'to anti covid': 900595, 'anti covid 19': 78295, '19 by everyone': 5558, 'by everyone if': 152508, 'everyone if the': 287028, 'if the people': 415015, 'outside to buy': 629614, 'food and vegetabl': 313378, 'why advertising': 990718, 'still vital': 801376, 'vital message': 959708, 'start conversation': 794264, 'conversation about': 202452, 'marketing on': 517664, 'medium stay': 527293, 'read on why': 700487, 'on why advertising': 605305, 'why advertising in': 990719, 'advertising in these': 33232, 'tough time is': 926855, 'time is still': 897068, 'is still vital': 452327, 'still vital message': 801377, 'vital message to': 959709, 'message to start': 529461, 'to start conversation': 915192, 'start conversation about': 794265, 'conversation about the': 202453, 'importance of marketing': 418705, 'of marketing on': 586245, 'marketing on social': 517665, 'social medium stay': 779884, 'medium stay safe': 527294, 'truely now': 933235, 'now believe': 574245, 'believe 19': 126236, 'wa kicked': 962483, 'after warning': 36505, 'country evil': 210626, 'evil trader': 288468, 'trader hiking': 928691, 'hiking food': 396373, 'pandemic worst': 637062, 'than 19': 840184, 'truely now believe': 933236, 'now believe 19': 574246, 'believe 19 wa': 126237, '19 wa kicked': 11869, 'wa kicked out': 962484, 'out of yesterday': 626880, 'of yesterday after': 593356, 'yesterday after warning': 1015649, 'after warning to': 36506, 'warning to our': 967227, 'to our country': 911165, 'our country evil': 622588, 'country evil trader': 210627, 'evil trader hiking': 288469, 'trader hiking food': 928692, 'hiking food price': 396374, 'food price that': 315979, 'price that pandemic': 676812, 'that pandemic worst': 845641, 'pandemic worst than': 637063, 'worst than 19': 1011273, 'crossword': 219100, 'fzzdj1bx8v': 342659, 'competitionalert have': 191760, 'win nice': 995565, 'nice gift': 562406, 'voucher by': 960633, 'participating here': 642566, 'is follow': 447856, 'page tag': 633895, 'tag at': 831746, 'least friend': 484480, 'correct crossword': 207509, 'crossword answer': 219101, 'address contest': 31959, 'puzzle http': 691318, 'co fzzdj1bx8v': 184847, 'competitionalert have chance': 191761, 'to win nice': 918614, 'win nice gift': 995566, 'nice gift voucher': 562407, 'gift voucher by': 350040, 'voucher by participating': 960634, 'by participating here': 153531, 'participating here all': 642567, 'do is follow': 249443, 'is follow like': 447857, 'follow like our': 312446, 'like our page': 490951, 'our page tag': 624231, 'page tag at': 633896, 'tag at least': 831747, 'at least friend': 99496, 'least friend with': 484481, 'with the correct': 1001249, 'the correct crossword': 851968, 'correct crossword answer': 207510, 'crossword answer dm': 219102, 'answer dm your': 78039, 'dm your email': 248943, 'your email address': 1023641, 'email address contest': 272099, 'address contest alert': 31960, 'competition puzzle http': 191730, 'puzzle http co': 691319, 'http co fzzdj1bx8v': 409762, 'electricty': 271237, 'water electricty': 968979, 'electricty cost': 271238, 'month rent': 537979, 'till dec': 896007, 'dec 2020': 230654, 'transport free': 929889, 'free next': 331995, 'product basic': 681004, 'necessity frozen': 554213, 'frozen country': 338965, 'reported 128': 712445, '128 covid': 3086, 'case 172': 165581, '172 case': 4429, 'govt of guinea': 361227, 'cover water electricty': 212318, 'water electricty cost': 968980, 'electricty cost for': 271239, 'cost for next': 207950, 'next month rent': 561460, 'month rent price': 537980, 'rent price frozen': 711159, 'price frozen till': 674125, 'frozen till dec': 339023, 'till dec 2020': 896008, 'dec 2020 public': 230655, 'public transport free': 688407, 'transport free next': 929890, 'free next month': 331996, 'next month price': 561459, 'month price on': 537966, 'pharmaceutical product basic': 654087, 'product basic necessity': 681005, 'basic necessity frozen': 111995, 'necessity frozen country': 554214, 'frozen country ha': 338966, 'country ha reported': 210723, 'ha reported 128': 371727, 'reported 128 covid': 712446, '128 covid 19': 3087, '19 case 172': 5661, 'case 172 case': 165582, 'falling through': 297348, 'gap that': 343463, 'continue online': 201083, 'year if': 1014642, 'on list': 601875, 'list then': 494560, 'food unless': 317397, 'many disabled people': 514001, 'disabled people that': 243944, 'that are falling': 842748, 'are falling through': 86474, 'falling through the': 297349, 'through the gap': 894740, 'the gap that': 856141, 'gap that need': 343464, 'be on this': 116212, 'this list in': 888657, 'list in order': 494361, 'order to continue': 618673, 'to continue online': 903395, 'continue online supermarket': 201084, 'supermarket shopping they': 822651, 'shopping they have': 764119, 'have done for': 380328, 'done for year': 254845, 'for year if': 328007, 'year if you': 1014644, 'not on list': 570749, 'on list then': 601876, 'list then it': 494561, 'then it impossible': 877281, 'get food unless': 347073, 'evil non': 288452, 'non tax': 566510, 'tax paying': 835061, 'paying global': 645420, 'global corporation': 351825, 'corporation amazon': 207380, 'amazon suspends': 51138, 'suspends new': 829671, 'shipment due': 758749, 'panicbuying technology': 639074, 'technology tax': 836379, 'tax money': 835033, 'money health': 536810, 'consumer monopoly': 198152, 'the evil non': 854634, 'evil non tax': 288453, 'non tax paying': 566511, 'tax paying global': 835062, 'paying global corporation': 645421, 'global corporation amazon': 351826, 'corporation amazon suspends': 207381, 'amazon suspends new': 51139, 'suspends new shipment': 829672, 'new shipment due': 559576, 'shipment due to': 758750, 'to 19 shopping': 899552, '19 shopping panicbuying': 10491, 'shopping panicbuying technology': 763595, 'panicbuying technology tax': 639075, 'technology tax money': 836380, 'tax money health': 835034, 'money health consumer': 536811, 'health consumer monopoly': 386303, '30ml': 17489, 'indus': 435517, 'sanitz': 736550, 'beardoil': 118451, 'naturalbeardoil': 552882, 'indusvalley': 436276, 'freesanitizer': 332493, 'get handy': 347187, 'handy 30ml': 376874, '30ml sanitizer': 17490, 'bottle indus': 136246, 'indus valley': 435518, 'valley sanitz': 951984, 'sanitz free': 736551, 'with indus': 998987, 'valley beard': 951953, 'beard oil': 118439, 'oil beardoil': 596646, 'beardoil naturalbeardoil': 118452, 'naturalbeardoil indusvalley': 552883, 'indusvalley freesanitizer': 436277, 'freesanitizer indiafightcorona': 332494, 'get handy 30ml': 347188, 'handy 30ml sanitizer': 376875, '30ml sanitizer bottle': 17491, 'sanitizer bottle indus': 734585, 'bottle indus valley': 136247, 'indus valley sanitz': 435521, 'valley sanitz free': 951985, 'sanitz free with': 736552, 'free with indus': 332332, 'with indus valley': 998988, 'indus valley beard': 435519, 'valley beard oil': 951954, 'beard oil beardoil': 118440, 'oil beardoil naturalbeardoil': 596647, 'beardoil naturalbeardoil indusvalley': 118453, 'naturalbeardoil indusvalley freesanitizer': 552884, 'indusvalley freesanitizer indiafightcorona': 436278, 'freesanitizer indiafightcorona lockdown': 332495, 'indiafightcorona lockdown staysafestayhome': 434721, 'behavior impact': 124072, 'the consumer behavior': 851498, 'consumer behavior impact': 196486, 'behavior impact of': 124073, 'help everyone keep': 389664, 'everyone keep safe': 287137, 'robocall': 724754, 'get robocall': 347937, 'here some good': 393578, 'some good advice': 782958, 'you get robocall': 1018790, 'closing on': 183707, 'monday because': 536261, 'thought engage': 893029, 'asian supermarket is': 95361, 'supermarket is closing': 821076, 'is closing on': 446612, 'closing on monday': 183708, 'on monday because': 602160, 'monday because of': 536262, '19 so thought': 10655, 'so thought engage': 778514, 'thought engage in': 893030, 'indie bookstore': 435060, 'bookstore virtual': 134788, 'of indie bookstore': 585131, 'indie bookstore virtual': 435061, 'bookstore virtual festival': 134789, 'denominated': 237044, 'challenge due': 171437, 'outflow debt': 628970, 'debt denominated': 230466, 'denominated in': 237045, 'currency larger': 221041, 'larger interest': 479893, 'government debt': 360004, 'debt drop': 230472, 'debt may': 230520, 'become unsustainable': 120179, 'multiple challenge due': 545731, 'challenge due to': 171438, 'capital outflow debt': 162671, 'outflow debt denominated': 628971, 'debt denominated in': 230467, 'denominated in foreign': 237046, 'in foreign currency': 423040, 'foreign currency larger': 328972, 'currency larger interest': 221042, 'larger interest rate': 479894, 'on government debt': 601161, 'government debt drop': 360007, 'debt drop in': 230473, 'tourism debt may': 926980, 'debt may become': 230521, 'may become unsustainable': 521056, 'n100': 551098, 'but couple': 145476, 'me losing': 523117, 'job found': 465831, 'property managed': 684293, 'managed n100': 512480, 'n100 full': 551099, 'full faced': 340588, 'faced mask': 295027, 'giant bottle': 349757, 'almost pure': 46729, 'joke lol': 467105, 'just realized this': 469572, 'realized this but': 701921, 'this but couple': 886639, 'but couple month': 145477, 'couple month prior': 211623, 'prior to me': 678375, 'to me losing': 909940, 'me losing my': 523118, 'my job found': 548913, 'job found these': 465832, 'found these two': 330427, 'these two item': 880896, 'two item on': 936985, 'of the property': 591374, 'the property managed': 864683, 'property managed n100': 684294, 'managed n100 full': 512481, 'n100 full faced': 551100, 'full faced mask': 340589, 'faced mask and': 295028, 'mask and giant': 518328, 'and giant bottle': 63641, 'giant bottle of': 349758, 'bottle of almost': 136275, 'of almost pure': 580012, 'almost pure alcohol': 46730, 'pure alcohol hand': 689956, 'sanitizer no joke': 735416, 'no joke lol': 564547, '2yrs': 16911, 'for 2yrs': 318797, '2yrs they': 16912, 'plenty bread': 660909, 'etc got': 282565, 'got vision': 359006, 'of starving': 590059, 'starving gammon': 795250, 'gammon still': 343374, 'to for 2yrs': 906128, 'for 2yrs they': 318798, '2yrs they ve': 16913, 'got plenty bread': 358789, 'plenty bread milk': 660910, 'egg etc got': 269855, 'etc got vision': 282566, 'got vision of': 359007, 'vision of starving': 959155, 'of starving gammon': 590060, 'starving gammon still': 795251, 'gammon still stubbornly': 343375, 'solidarity4humanity': 781953, 'initial 100': 438507, '100 billion': 1842, 'because sharp': 119539, 'price trade': 677105, 'tourism direct': 926983, 'causing government': 168043, 'government revenue': 360550, 'up fast': 944839, '19 solidarity4humanity': 10690, 'africa need an': 35111, 'need an initial': 554408, 'an initial 100': 56340, 'initial 100 billion': 438508, '100 billion in': 1843, 'billion in financial': 130845, 'in financial support': 422891, 'financial support because': 306611, 'support because sharp': 826383, 'because sharp decline': 119540, 'commodity price trade': 189293, 'price trade and': 677106, 'trade and tourism': 928412, 'and tourism direct': 74321, 'tourism direct result': 926984, 'direct result of': 243376, 'pandemic are causing': 634939, 'are causing government': 85206, 'causing government revenue': 168044, 'government revenue to': 360552, 'revenue to dry': 720487, 'to dry up': 904793, 'dry up fast': 261312, 'up fast 19': 944840, 'fast 19 solidarity4humanity': 299902, '31 is': 17577, 'hosting special': 404970, 'special collective': 787870, 'collective online': 186514, 'shopping event': 762593, 'local hawaii': 498067, 'hawaii brand': 384446, 'brand affected': 137714, 'from march 20': 336347, 'march 20 to': 515137, '20 to march': 13398, 'to march 31': 909840, 'march 31 is': 515243, '31 is hosting': 17578, 'is hosting special': 448559, 'hosting special collective': 404971, 'special collective online': 787871, 'collective online shopping': 186515, 'online shopping event': 609114, 'shopping event to': 762596, 'event to help': 285093, 'support local hawaii': 826627, 'local hawaii brand': 498068, 'hawaii brand affected': 384447, 'brand affected by': 137715, '44th': 19052, 'supportliclocal': 827251, 'bazaar supermarket': 113021, 'northern blvd': 567742, 'blvd is': 133538, 'doing elderly': 252370, 'shopping daily': 762433, 'daily between': 224519, '7am 8am': 22404, '8am city': 23131, 'city chemist': 179099, 'chemist on': 175439, 'on 44th': 599102, '44th dr': 19053, 'dr in': 258032, 'full op': 340780, 'op let': 611810, 'life know': 488833, 'on lic': 601828, 'lic business': 488094, 'business check': 143515, 'site supportliclocal': 772017, 'grocery shopping food': 365021, 'shopping food bazaar': 762650, 'food bazaar supermarket': 313690, 'bazaar supermarket on': 113022, 'supermarket on northern': 821730, 'on northern blvd': 602438, 'northern blvd is': 567743, 'blvd is doing': 133539, 'is doing elderly': 447269, 'doing elderly only': 252371, 'only shopping daily': 611124, 'shopping daily between': 762434, 'daily between 7am': 224520, 'between 7am 8am': 128692, '7am 8am city': 22405, '8am city chemist': 23132, 'city chemist on': 179100, 'chemist on 44th': 175440, 'on 44th dr': 599103, '44th dr in': 19054, 'dr in full': 258033, 'in full op': 423170, 'full op let': 340781, 'op let the': 611811, 'let the senior': 487140, 'the senior in': 866712, 'senior in your': 750338, 'your life know': 1024639, 'life know for': 488834, 'know for more': 476386, 'info on lic': 437530, 'on lic business': 601829, 'lic business check': 488095, 'business check our': 143516, 'check our site': 174529, 'our site supportliclocal': 624789, 'fucker that': 339754, 'decent food': 230776, 'kill it the': 474427, 'it the greedy': 461541, 'the greedy mother': 856768, 'mother fucker that': 543101, 'fucker that are': 339755, 'buying everything so': 150260, 'everything so others': 287999, 'so others have': 777968, 'others have no': 621450, 'have no access': 381607, 'access to decent': 28228, 'to decent food': 903996, 'decent food and': 230777, 'criticise': 218747, 'face supply': 294782, 'brighton over': 139820, 'is unfair': 453485, 'to criticise': 903753, 'criticise price': 218748, 'despite claim': 238691, 'claim price': 179786, 'doubled read': 256138, 'independent grocer say': 434110, 'say they face': 739341, 'they face supply': 882086, 'face supply shortage': 294783, 'supply shortage in': 825833, 'shortage in brighton': 765011, 'in brighton over': 420983, 'brighton over and': 139821, 'over and say': 629992, 'and say it': 71000, 'it is unfair': 459114, 'is unfair to': 453488, 'unfair to criticise': 941444, 'to criticise price': 903754, 'criticise price rise': 218749, 'rise despite claim': 722825, 'despite claim price': 238692, 'claim price of': 179788, 'some item have': 783150, 'item have doubled': 463318, 'have doubled read': 380352, 'doubled read more': 256139, 'watch but': 968373, 'is awful to': 445945, 'awful to watch': 106248, 'to watch but': 918379, 'watch but very': 968375, 'but very important': 147689, 'important message we': 418885, 'message we need': 529476, 'look after one': 502223, 'after one another': 35984, 'changing landscape': 172741, 'hospitality business': 404760, 'offering good': 595129, 'service safely': 752782, 'with the ever': 1001289, 'the ever changing': 854614, 'ever changing landscape': 285252, 'changing landscape of': 172742, 'landscape of covid': 479410, '19 many are': 8543, 'wondering how we': 1004164, 'local business here': 497761, 'list of hospitality': 494444, 'of hospitality business': 584770, 'hospitality business still': 404761, 'business still offering': 144418, 'still offering good': 800924, 'offering good and': 595130, 'and service safely': 71314, 'service safely during': 752783, 'safely during covid': 730278, 'veg limited': 953760, 'small loaf': 775018, 'loaf so': 497378, 'who clear': 988463, 'long hard': 501427, 'spread stophoarding': 790810, 'to local shop': 909387, 'local shop no': 498408, 'shop no potato': 760486, 'no potato rice': 565154, 'potato rice or': 666976, 'rice or pasta': 721095, 'or pasta no': 616518, 'pasta no veg': 643761, 'no veg limited': 565832, 'veg limited to': 953761, 'to one small': 910920, 'one small loaf': 607054, 'small loaf so': 775019, 'loaf so to': 497380, 'to those selfish': 917519, 'bastard who clear': 112517, 'who clear the': 988464, 'the shelf take': 866887, 'shelf take long': 757631, 'take long hard': 832282, 'long hard look': 501429, 'yourselves you will': 1026825, 'you will spread': 1022354, 'will spread stophoarding': 994925, 'no phone': 565102, 'email no': 272245, 'water out': 969101, 'up did': 944711, 'shopping tesco': 764062, 'extremely disappointed in': 293874, 'disappointed in tesco': 244106, 'in tesco no': 428881, 'delivery no phone': 234207, 'no phone call': 565103, 'phone call no': 654928, 'call no email': 156006, 'no email no': 564105, 'email no food': 272246, 'water water out': 969249, 'water out of': 969102, 'of my area': 586729, 'stock up did': 803074, 'up did not': 944712, 'everything advised that': 287674, 'advised that is': 33646, 'that is weekly': 844674, 'is weekly shopping': 453829, 'weekly shopping tesco': 977567, 'shopping tesco clarehall': 764063, 'pandemic perishable': 636174, 'good hit': 357181, 'falling food': 297265, '19 pandemic perishable': 9425, 'pandemic perishable good': 636175, 'perishable good hit': 651982, 'good hit hardest': 357182, 'hardest by falling': 378205, 'by falling food': 152535, 'falling food price': 297266, 'it fashion': 457954, 'fashion off': 299833, 'quarantine but make': 692063, 'but make it': 146340, 'make it fashion': 510032, 'it fashion off': 457955, 'fashion off to': 299834, 'the office and': 862067, 'office and the': 595363, 'maori': 514916, 'wtf how': 1013287, 'did determine': 240588, 'determine that': 239440, 'that maori': 845036, 'maori are': 514917, 'are somehow': 90296, 'somehow different': 784310, 'different when': 242132, 'when talk': 984106, 'covid19 this': 214390, 'complete racist': 192139, 'racist nonsense': 695321, 'wtf how did': 1013288, 'how did determine': 407684, 'did determine that': 240589, 'determine that maori': 239441, 'that maori are': 845037, 'maori are somehow': 514919, 'are somehow different': 90297, 'somehow different when': 784311, 'different when talk': 242134, 'when talk about': 984107, 'talk about covid19': 833734, 'about covid19 this': 25045, 'covid19 this is': 214391, 'is complete racist': 446696, 'complete racist nonsense': 192140, 'only number': 610832, 'uk dairy': 938288, 'farmer were': 299567, 'dump thousand': 262196, 'milk over': 531758, 'play havoc': 659160, 'havoc with': 384438, 'subscriber only number': 815872, 'only number of': 610833, 'number of uk': 577007, 'of uk dairy': 592567, 'uk dairy farmer': 938289, 'dairy farmer were': 224987, 'farmer were forced': 299568, 'to dump thousand': 904804, 'dump thousand of': 262197, 'thousand of litre': 893451, 'of milk over': 586517, 'milk over recent': 531759, 'over recent day': 630563, 'day the covid': 228485, '19 pandemic continues': 9300, 'continues to play': 201487, 'to play havoc': 911793, 'play havoc with': 659161, 'havoc with the': 384439, 'the uk dairy': 870206, 'uk dairy market': 938290, 'canned hand': 161546, 'work immune': 1005291, 'that canned hand': 843134, 'canned hand sanitizers': 161547, 'show me that': 767053, 'me that most': 523620, 'how the system': 408883, 'the system work': 869102, 'system work immune': 831396, 'have successfully': 382830, 'successfully supported': 816275, 'supported the': 827068, 'online stress': 609484, 'shopping everything': 762600, 'sight and': 769028, 'giving myself': 351350, 'myself no': 550912, '19 have successfully': 7454, 'have successfully supported': 382831, 'successfully supported the': 816276, 'supported the economy': 827069, 'economy by online': 267731, 'by online stress': 153437, 'online stress shopping': 609485, 'stress shopping everything': 813393, 'shopping everything in': 762601, 'in sight and': 427939, 'sight and giving': 769029, 'and giving myself': 63680, 'giving myself no': 351351, 'myself no limit': 550913, 'onyamag': 611718, 'buyer continue': 149614, 'bare university': 110976, 'australia sleep': 103380, 'sleep expert': 773768, 'are reminding': 89576, 'it sleep': 461079, 'sleep that': 773794, 'stockpile if': 803759, 'best possible': 127838, 'possible health': 665668, 'pandemic onyamag': 636110, 'panic buyer continue': 637564, 'buyer continue to': 149615, 'continue to leave': 201216, 'to leave supermarket': 909162, 'leave supermarket shelf': 484951, 'shelf bare university': 756872, 'bare university of': 110977, 'university of south': 942452, 'of south australia': 589943, 'south australia sleep': 786690, 'australia sleep expert': 103381, 'sleep expert are': 773769, 'expert are reminding': 291787, 'are reminding people': 89577, 'reminding people that': 710637, 'people that it': 649770, 'that it sleep': 844743, 'it sleep that': 461080, 'sleep that they': 773795, 'to stockpile if': 915474, 'stockpile if they': 803760, 'ensure the best': 278080, 'the best possible': 849541, 'best possible health': 127839, 'possible health during': 665669, 'the pandemic onyamag': 863041, 'ungodly': 941681, 'conspiracy formed': 195574, 'formed by': 329603, 'all spend': 44403, 'an ungodly': 56864, 'ungodly amount': 941682, 'figured it out': 305252, 'it out covid': 460179, 'is conspiracy formed': 446771, 'conspiracy formed by': 195575, 'formed by the': 329604, 'the government in': 856548, 'government in order': 360221, 'order to make': 618691, 'make all spend': 509656, 'all spend an': 44404, 'spend an ungodly': 788575, 'an ungodly amount': 56865, 'ungodly amount of': 941683, 'of money online': 586611, 'dti warns': 261418, 'warns seller': 967286, 'seller not': 749043, 'commodity agenparl': 189117, 'agenparl freeze': 38139, 'freeze good': 332528, 'good iorestoacasa': 357279, 'iorestoacasa price': 444461, 'dti warns seller': 261419, 'warns seller not': 967287, 'seller not to': 749044, 'not to increase': 572160, 'basic commodity agenparl': 111845, 'commodity agenparl freeze': 189118, 'agenparl freeze good': 38140, 'freeze good iorestoacasa': 332529, 'good iorestoacasa price': 357280, 'oilnews': 597594, 'energyindustry': 276635, 'week amid': 975891, 'pandemic oilnews': 636079, 'oilnews oilpricecrash': 597595, 'oilpricecrash oilwar': 597652, 'oilwar energyindustry': 597739, 'fallen dramatically in': 297147, 'dramatically in recent': 258349, 'recent week amid': 704013, 'week amid an': 975892, 'amid an oil': 52387, 'russia and the': 728435, 'industry is dealing': 435930, 'dealing with falling': 229664, 'with falling demand': 998367, 'coronavirus pandemic oilnews': 206477, 'pandemic oilnews oilpricecrash': 636080, 'oilnews oilpricecrash oilwar': 597596, 'oilpricecrash oilwar energyindustry': 597653, 'eastenders is': 265366, 'week coronacrisisuk': 976109, 'eastenders is only': 265367, 'is only on': 450543, 'only on two': 610861, 'on two day': 604934, 'two day week': 936868, 'day week coronacrisisuk': 228690, 'week coronacrisisuk 19': 976110, 'worst customer': 1011164, 'service ever': 752345, 'ever no': 285429, 'expect proper': 290706, 'proper customer': 684095, 'called five': 156308, 'five star': 309659, 'star airline': 794022, 'airline time': 40045, 'to sue': 915730, 'pandemic look': 635913, 'end fight': 275819, 'fight will': 304947, 'start ag': 794190, 'worst customer service': 1011165, 'customer service ever': 222823, 'service ever no': 752346, 'ever no one': 285430, 'one should expect': 607026, 'should expect proper': 765977, 'expect proper customer': 290707, 'proper customer service': 684096, 'customer service from': 222824, 'service from this': 752413, 'from this so': 338011, 'this so called': 890217, 'so called five': 776683, 'called five star': 156309, 'five star airline': 309660, 'star airline time': 794023, 'airline time to': 40046, 'time to sue': 898079, 'to sue them': 915731, 'sue them in': 817169, 'them in consumer': 875898, 'in consumer court': 421689, 'consumer court in': 197006, 'court in this': 211996, 'this pandemic look': 889403, 'pandemic look like': 635914, 'like after end': 489728, 'after end fight': 35623, 'end fight will': 275820, 'fight will start': 304948, 'will start ag': 994939, 'rude they': 727056, 'line too': 493504, 'too publix': 925015, 'publix thankyou': 688785, 'worker and not': 1006316, 'be rude they': 116921, 'rude they re': 727057, 'front line too': 338615, 'line too publix': 493505, 'too publix thankyou': 925016, 'consumer indicates': 197850, 'majority expect': 509540, 'last 12': 480088, 'march 12': 515060, '12 we': 2976, 'next tracker': 561639, 'tracker see': 928294, 'full result': 340857, 'confidence tracker': 193971, 'tracker here': 928274, 'survey of uk': 828914, 'of uk consumer': 592566, 'uk consumer indicates': 938264, 'consumer indicates that': 197851, 'that the majority': 846767, 'the majority expect': 859944, 'majority expect the': 509542, 'expect the impact': 290750, 'of to last': 592218, 'to last 12': 909059, 'last 12 month': 480089, '12 month of': 2902, 'of march 12': 586193, 'march 12 we': 515062, '12 we expect': 2977, 'this to increase': 890739, 'the next tracker': 861707, 'next tracker see': 561640, 'tracker see the': 928296, 'the full result': 856021, 'full result of': 340858, 'coronavirus consumer confidence': 205679, 'consumer confidence tracker': 196928, 'confidence tracker here': 193972, 'ensure texan': 278048, 'you everyone': 1018467, 'everyone across': 286675, 'state appreciates': 795379, 'help texan': 390631, 'texan respond': 839722, 'bless texas': 132592, 'to ensure texan': 905193, 'ensure texan have': 278049, 'texan have the': 839721, 'they need thank': 882761, 'thank you everyone': 841723, 'you everyone across': 1018468, 'everyone across our': 286676, 'across our state': 29424, 'our state appreciates': 624896, 'state appreciates your': 795380, 'appreciates your hard': 82857, 'to help texan': 907644, 'help texan respond': 390632, 'texan respond to': 839723, 'to the god': 916745, 'the god bless': 856399, 'you and god': 1016989, 'god bless texas': 354658, 'pandemiccrisis': 637113, 'melissa on': 527956, 'road what': 724544, 'value price': 952182, 'price public': 676026, 'service uk': 753018, 'uk pandemiccrisis': 938605, 'melissa on the': 527957, 'the road what': 865940, 'road what the': 724545, 'what the meaning': 982339, 'meaning of value': 524826, 'of value price': 592739, 'value price public': 952183, 'price public service': 676027, 'public service uk': 688309, 'service uk pandemiccrisis': 753019, 'slump saudi': 774703, 'russia fight': 728474, 'fell 24': 303157, '58 barrel': 20523, 'barrel to': 111297, '37 their': 18084, 'record down': 704945, 'fall to 18': 297088, 'demand and slump': 235002, 'and slump saudi': 71767, 'slump saudi arabia': 774704, 'and russia fight': 70666, 'russia fight for': 728475, 'fight for market': 304745, 'wti price fell': 1013405, 'price fell 24': 673842, 'fell 24 or': 303158, 'or 58 barrel': 614207, '58 barrel to': 20524, 'barrel to end': 111298, '20 37 their': 12905, '37 their lowest': 18085, 'on record down': 603101, 'record down 54': 704946, 'made thing': 508015, 'thing crazy': 884259, 'and scary': 71055, 'already crazy': 47273, 'scary before': 741135, 'before first': 122801, 'first dog': 308646, 'dog on': 252138, 'ha made thing': 371219, 'made thing crazy': 508016, 'thing crazy and': 884260, 'crazy and scary': 215247, 'and scary and': 71056, 'scary and they': 741131, 'they were already': 883748, 'were already crazy': 979301, 'already crazy and': 47274, 'and scary before': 71057, 'scary before first': 741136, 'before first dog': 122802, 'first dog on': 308647, 'dog on the': 252140, 'on the moon': 604240, 'msrp': 544588, 'woah price': 1003309, 'of parallel': 587774, 'parallel imported': 641343, 'imported nintendo': 419183, 'switch console': 830475, 'console doubled': 195524, 'doubled and': 256098, 'and ring': 70528, 'ring fit': 722517, 'fit adventure': 309459, 'adventure accessory': 33085, 'accessory tripled': 28384, 'china amid': 176466, 'pandemic boxed': 635013, 'boxed version': 137215, 'of acnh': 579746, 'acnh 40': 29139, '40 more': 18615, 'china than': 176973, 'than global': 840695, 'global msrp': 352038, 'woah price of': 1003310, 'price of parallel': 675529, 'of parallel imported': 587775, 'parallel imported nintendo': 641344, 'imported nintendo switch': 419184, 'nintendo switch console': 563324, 'switch console doubled': 830476, 'console doubled and': 195525, 'doubled and ring': 256099, 'and ring fit': 70529, 'ring fit adventure': 722518, 'fit adventure accessory': 309460, 'adventure accessory tripled': 33086, 'accessory tripled in': 28385, 'tripled in china': 932285, 'in china amid': 421385, 'china amid covid': 176467, '19 pandemic boxed': 9276, 'pandemic boxed version': 635014, 'boxed version of': 137216, 'version of acnh': 954911, 'of acnh 40': 579747, 'acnh 40 more': 29140, '40 more expensive': 18616, 'expensive in china': 291254, 'in china than': 421437, 'china than global': 176974, 'than global msrp': 840696, 'just wreaking': 470353, 'now poised': 575564, 'feed middle': 302335, 'east unrest': 265349, 'possibly terrorism': 665959, 'terrorism expert': 838606, 'expert agree': 291763, 'of itself': 585496, 'itself and': 463917, 'resulting lower': 717717, 'will exacerbate': 993358, 'exacerbate problem': 288655, 'and iraq': 65379, 'isn just wreaking': 454581, 'just wreaking havoc': 470354, 'havoc on our': 384432, 'on our health': 602605, 'our health it': 623374, 'health it now': 386585, 'it now poised': 459961, 'now poised to': 575565, 'poised to feed': 662790, 'to feed middle': 905727, 'feed middle east': 302336, 'middle east unrest': 530652, 'east unrest and': 265350, 'unrest and possibly': 943337, 'and possibly terrorism': 69225, 'possibly terrorism expert': 665960, 'terrorism expert agree': 838607, 'expert agree the': 291764, 'agree the one': 38649, 'the one two': 862230, 'punch of itself': 689166, 'of itself and': 585497, 'itself and resulting': 463918, 'and resulting lower': 70422, 'resulting lower oil': 717718, 'price will exacerbate': 677563, 'will exacerbate problem': 993360, 'exacerbate problem in': 288656, 'problem in iran': 679560, 'in iran and': 424145, 'iran and iraq': 444669, 'despises': 238655, 'costco cost': 208218, 'cost currently': 207898, 'currently only': 221618, 'allows one': 46387, 'one crate': 606129, 'egg per': 269951, 'severe food': 754017, 'market despises': 516283, 'despises spy': 238656, 'spy djia': 791399, 'costco cost currently': 208219, 'cost currently only': 207900, 'currently only allows': 221619, 'only allows one': 610070, 'allows one crate': 46388, 'one crate of': 606130, 'crate of egg': 215140, 'of egg per': 582998, 'egg per membership': 269952, 'per membership any': 650940, 'membership any form': 528272, 'form of severe': 329544, 'of severe food': 589551, 'severe food shortage': 754018, 'food shortage could': 316566, 'shortage could lead': 764901, 'lead to major': 483364, 'to major problem': 909609, 'major problem in': 509428, 'problem in the': 679561, 'is the kind': 452839, 'kind of uncertainty': 474950, 'of uncertainty the': 592603, 'uncertainty the stock': 939772, 'stock market despises': 802390, 'market despises spy': 516284, 'despises spy djia': 238657, 'update supermarket': 947230, 'update uk': 947285, 'uk coronacrisis': 938273, 'my supermarket update': 550286, 'supermarket update supermarket': 823621, 'update supermarket update': 947232, 'supermarket update uk': 823622, 'update uk coronacrisis': 947286, 'uk coronacrisis panicbuying': 938274, 'intnl': 442344, 'searchable': 743307, 'those interested': 892128, 'research including': 713764, 'above cochrane': 27054, 'cochrane doe': 185207, 'doe intnl': 251423, 'intnl research': 442345, 'including alternative': 431870, 'alternative medicine': 49241, 'necessarily specific': 553932, 'all peer': 43935, 'reviewed searchable': 720607, 'searchable database': 743308, 'for those interested': 327118, 'those interested in': 892129, 'interested in science': 441466, 'in science research': 427737, 'science research including': 742129, 'research including the': 713766, 'including the above': 432177, 'the above cochrane': 848244, 'above cochrane doe': 27055, 'cochrane doe intnl': 185208, 'doe intnl research': 251424, 'intnl research including': 442346, 'research including alternative': 713765, 'including alternative medicine': 431871, 'alternative medicine not': 49242, 'medicine not necessarily': 526850, 'not necessarily specific': 570628, 'necessarily specific to': 553933, 'specific to covid': 788265, '19 all peer': 4899, 'all peer reviewed': 43936, 'peer reviewed searchable': 646311, 'reviewed searchable database': 720608, 'put few': 690575, 'see shopper': 745672, 'shopper someone': 761697, 'lean in': 483876, 'in steal': 428261, 'steal item': 799184, 'it needle': 459762, 'say security': 739116, 'security did': 744575, 'really the': 702648, 'disgusting coronacrisisuk': 245402, 'went to put': 979186, 'to put few': 912587, 'put few bit': 690576, 'bit in food': 131585, 'bank collection at': 109733, 'collection at the': 186410, 'supermarket only to': 821774, 'turn around to': 935646, 'around to see': 93595, 'to see shopper': 914065, 'see shopper someone': 745673, 'shopper someone lean': 761698, 'someone lean in': 784553, 'lean in steal': 483877, 'in steal item': 428262, 'steal item from': 799185, 'item from it': 463286, 'from it needle': 336124, 'it needle to': 459763, 'to say security': 913835, 'say security did': 739117, 'security did nothing': 744576, 'did nothing is': 240741, 'nothing is this': 573069, 'this really the': 889828, 'really the world': 702650, 'living in it': 496376, 'in it disgusting': 424238, 'it disgusting coronacrisisuk': 457576, 'isolation indulge': 455314, 'in gathering': 423229, 'your industry': 1024477, 'industry study': 436126, 'behaviour due': 124402, 'the austerity': 849053, 'austerity of': 103166, 'do you make': 250645, 'you make the': 1019763, 'most of your': 542571, 'of your time': 593533, 'your time in': 1026163, 'time in isolation': 896994, 'in isolation indulge': 424202, 'isolation indulge in': 455315, 'indulge in gathering': 435505, 'in gathering the': 423230, 'gathering the information': 344515, 'the information on': 858259, 'on your industry': 605474, 'your industry study': 1024478, 'industry study the': 436127, 'study the impact': 814969, 'impact and change': 417546, 'consumer behaviour due': 196565, 'behaviour due to': 124403, 'to the austerity': 916501, 'the austerity of': 849054, 'austerity of the': 103167, 'slot be': 774143, 'kept for': 473038, 'those either': 891954, 'either from': 270304, '19 otherwise': 9043, 'otherwise you': 621889, 'could supermarket delivery': 209737, 'delivery slot be': 234510, 'slot be kept': 774144, 'be kept for': 115596, 'kept for those': 473039, 'for those either': 327111, 'those either from': 891955, 'either from vulnerable': 270305, 'from vulnerable group': 338272, 'vulnerable group or': 960987, 'group or those': 366825, 'those with someone': 892723, 'someone in house': 784515, 'house with covid': 406684, 'covid 19 otherwise': 213529, '19 otherwise you': 9044, 'otherwise you can': 621891, 'to shop thank': 914491, 'city attorney': 179068, 'the city attorney': 850919, 'athlone': 101786, 'shoprite athlone': 764537, 'athlone ha': 101787, 'member ha': 528099, 'and sanitising': 70841, 'sanitising and': 734121, 'is underway': 453475, 'underway they': 940976, 'also informed': 48425, 'informed sa': 438121, 'shoprite athlone ha': 764538, 'athlone ha confirmed': 101788, 'it staff member': 461211, 'staff member ha': 792655, 'member ha tested': 528101, 'the supermarket group': 868615, 'supermarket group say': 820598, 'group say it': 366877, 'it ha closed': 458386, 'store and sanitising': 806335, 'and sanitising and': 70842, 'sanitising and deep': 734122, 'cleaning is underway': 180972, 'is underway they': 453476, 'underway they have': 940977, 'they have also': 882291, 'have also informed': 379214, 'also informed sa': 48426, 'informed sa and': 438122, 'sa and the': 728867, 'very seen': 955510, 'feeling very seen': 303102, 'machine selling': 507401, 'selling glove': 749270, 'and appeared': 58255, 'appeared on': 82147, 'two biggest': 936803, 'biggest city': 130196, 'machine selling glove': 507402, 'selling glove and': 749271, 'glove and appeared': 352552, 'and appeared on': 58256, 'appeared on the': 82148, 'street of two': 813053, 'of two biggest': 592535, 'two biggest city': 936804, 'biggest city and': 130197, 'doing crazy': 252338, 'crazy lol': 215351, 'newweek epidemic': 561158, 'epidemic unitednations': 279465, 'unitednations toiletpaper': 942280, 'seriously what are': 751782, 'people doing crazy': 647690, 'doing crazy lol': 252339, 'crazy lol marketing': 215352, 'monday newweek epidemic': 536340, 'newweek epidemic unitednations': 561159, 'epidemic unitednations toiletpaper': 279466, 'no picture': 565113, 'each coronavirus': 264017, 'death it': 230101, 'the medium need': 860430, 'crisis no picture': 217766, 'no picture of': 565114, 'eulogy for each': 283338, 'for each coronavirus': 320901, 'each coronavirus death': 264018, 'coronavirus death it': 205797, 'death it is': 230102, 'is not done': 450066, 'not done for': 569097, 'done for flu': 254839, 'to prevent panic': 912080, 'prevent panic we': 671696, 'flatmate': 310118, 'telmo': 837302, 'argentina is': 92646, 'lockdown at': 499178, 'midnight until': 530765, 'march my': 515415, 'my now': 549527, 'so temporary': 778339, 'temporary venezuelan': 837717, 'venezuelan flatmate': 954456, 'flatmate went': 310119, 'so swamped': 778324, 'swamped that': 829940, 'police had': 663033, 'to chuck': 902751, 'chuck people': 178280, 'out cycling': 625922, 'cycling home': 224093, 'through san': 894653, 'san telmo': 733569, 'telmo there': 837303, 'were queue': 980014, 'no mob': 564776, 'argentina is going': 92647, 'into lockdown at': 442711, 'lockdown at midnight': 499179, 'at midnight until': 99743, 'midnight until 31': 530766, '31 march my': 17586, 'march my now': 515416, 'my now not': 549528, 'now not so': 575378, 'not so temporary': 571629, 'so temporary venezuelan': 778340, 'temporary venezuelan flatmate': 837718, 'venezuelan flatmate went': 954457, 'flatmate went to': 310120, 'went to stock': 979191, 'up and found': 944324, 'and found the': 63232, 'found the supermarket': 330416, 'wa so swamped': 963266, 'so swamped that': 778325, 'swamped that the': 829941, 'the police had': 863920, 'police had to': 663034, 'had to chuck': 373676, 'to chuck people': 902752, 'chuck people out': 178281, 'people out cycling': 649019, 'out cycling home': 625923, 'cycling home through': 224094, 'home through san': 402297, 'through san telmo': 894654, 'san telmo there': 733570, 'telmo there were': 837304, 'there were queue': 879331, 'were queue but': 980015, 'queue but no': 693899, 'but no mob': 146492, 'it confirmed': 457259, 'confirmed at': 194128, 'food shopping may': 316527, 'shopping may be': 763255, 'may be dangerous': 520970, 'in the it': 429295, 'the it confirmed': 858583, 'it confirmed at': 457260, 'confirmed at least': 194129, 'requisition': 713536, 'to requisition': 913315, 'requisition ppe': 713537, 'seems load': 746825, 'doe the government': 251609, 'government have the': 360188, 'power to requisition': 667718, 'to requisition ppe': 913316, 'requisition ppe equipment': 713538, 'ppe equipment from': 667939, 'equipment from business': 279733, 'business that produce': 144486, 'that produce them': 845859, 'produce them if': 680461, 'them if it': 875881, 'if it come': 414292, 'come to it': 187578, 'to it seems': 908611, 'it seems load': 460948, 'seems load of': 746826, 'load of business': 497260, 'of business are': 580945, 'business are inflating': 143374, 'are inflating price': 87536, 'price of equipment': 675443, 'of equipment that': 583145, 'equipment that the': 279843, 'that the could': 846693, 'the could be': 852001, 'could be using': 208935, 'stressrelief': 813551, 'some but': 782456, 'rona virus': 725798, 'virus wednesday': 959023, 'humpday stressrelief': 410958, 'stressrelief goodvibes': 813552, 'goodvibes mask': 358095, 'n95 ppe': 551221, 'ppe tp': 668090, 'funny funnymemes': 341730, 'lol stayhome': 500953, 'flattenthecurve stayathome': 310205, 'paper and need': 639841, 'buy some but': 149197, 'some but you': 782459, 'but you wanna': 148004, 'you wanna be': 1022117, 'wanna be safe': 965614, 'be safe from': 116958, 'the rona virus': 865967, 'rona virus wednesday': 725799, 'virus wednesday humpday': 959024, 'wednesday humpday stressrelief': 975647, 'humpday stressrelief goodvibes': 410959, 'stressrelief goodvibes mask': 813553, 'goodvibes mask mask': 358096, 'mask mask n95': 518953, 'mask n95 ppe': 518993, 'n95 ppe tp': 551222, 'ppe tp toiletpaper': 668091, 'tp toiletpaper funny': 927996, 'toiletpaper funny funnymemes': 922020, 'funny funnymemes lol': 341731, 'funnymemes lol stayhome': 341825, 'lol stayhome flattenthecurve': 500954, 'stayhome flattenthecurve stayathome': 798006, 'buy animal': 148340, 'crossing for': 219081, 'switch xd': 830527, 'xd and': 1013801, '19 xd': 12238, 'xd wish': 1013805, 'to buy animal': 902178, 'buy animal crossing': 148341, 'animal crossing for': 76571, 'crossing for switch': 219082, 'for switch xd': 326110, 'switch xd and': 830528, 'xd and buy': 1013802, 'food stock because': 316780, 'stock because covid': 801906, 'covid 19 xd': 214102, '19 xd wish': 12239, 'xd wish me': 1013806, 'the wuhanvirus': 872125, 'the inept': 858200, 'earth will': 265018, 'soon forget': 785709, 'forget boyc': 329237, 'million with the': 532426, 'with the wuhanvirus': 1001553, 'the wuhanvirus after': 872126, 'wuhanvirus after the': 1013568, 'after the inept': 36325, 'the inept and': 858201, 'planet earth will': 658401, 'earth will soon': 265019, 'will soon forget': 994893, 'soon forget boyc': 785710, 'makemeasandwich': 510792, 'me super': 523566, 'super excited': 818496, 'excited saying': 289559, 'saying she': 739675, 'bought sandwich': 136699, 'sandwich maker': 733742, 'maker wa': 510881, 'confused because': 194326, 'because really': 119514, 'really dont': 702147, 'another woman': 77982, 'home makemeasandwich': 401579, 'wife wa doing': 991991, 'wa doing online': 962007, 'shopping and turn': 762038, 'turn to me': 935785, 'to me super': 909955, 'me super excited': 523567, 'super excited saying': 818497, 'excited saying she': 289560, 'saying she just': 739677, 'she just bought': 756173, 'just bought sandwich': 468355, 'bought sandwich maker': 136700, 'sandwich maker wa': 733743, 'maker wa confused': 510882, 'wa confused because': 961860, 'confused because really': 194327, 'because really dont': 119515, 'really dont think': 702148, 'dont think we': 255300, 'afford to have': 34798, 'to have another': 907202, 'have another woman': 379289, 'another woman at': 77983, 'woman at home': 1003418, 'at home makemeasandwich': 99041, 'progressed': 683386, 'ny fed': 577853, 'fed survey': 301898, 'expectation sentiment': 290846, 'sentiment fell': 750928, 'fell march': 303211, 'march progressed': 515443, 'progressed more': 683387, 'seeing job': 746350, 'loss worsening': 503804, 'worsening household': 1011098, 'household finance': 406796, 'from the ny': 337811, 'the ny fed': 861995, 'ny fed survey': 577855, 'fed survey of': 301899, 'consumer expectation sentiment': 197400, 'expectation sentiment fell': 290847, 'sentiment fell march': 750929, 'fell march progressed': 303212, 'march progressed more': 515444, 'progressed more people': 683388, 'people are seeing': 647067, 'are seeing job': 89904, 'seeing job loss': 746351, 'job loss worsening': 465988, 'loss worsening household': 503805, 'worsening household finance': 1011099, 'household finance consumer': 406798, 'finance consumer economy': 306179, 'businessgrowth': 144748, 'worldbusiness': 1010221, 'truce world': 932713, 'news world': 560972, 'businessnews businessgrowth': 144777, 'businessgrowth oil': 144750, 'oil worldbusiness': 597525, 'worldbusiness crisis': 1010222, 'war truce world': 966579, 'truce world business': 932714, 'world business news': 1009379, 'business news world': 144098, 'news world business': 560973, 'world business businessnews': 1009378, 'business businessnews businessgrowth': 143462, 'businessnews businessgrowth oil': 144778, 'businessgrowth oil worldbusiness': 144751, 'oil worldbusiness crisis': 597526, 'the elder': 854100, 'elder in': 270534, 'team help': 835672, 'sure you take': 827873, 'of the elder': 590975, 'the elder in': 854101, 'elder in your': 270535, 'your community they': 1023277, 'one who need': 607456, 'need the team': 555758, 'the team help': 869205, 'team help the': 835673, 'this roll': 889918, 'to follower': 906069, 'follower at': 312632, 'midday on': 530608, 'sunday rt': 818263, 'win ll': 995563, 'it anywhere': 456553, 'to give this': 906720, 'give this roll': 350781, 'this roll of': 889919, 'roll of to': 725420, 'of to follower': 592213, 'to follower at': 906070, 'follower at midday': 312633, 'at midday on': 99735, 'midday on sunday': 530609, 'on sunday rt': 603772, 'sunday rt and': 818264, 'rt and follow': 726738, 'follow for chance': 312382, 'to win ll': 918613, 'win ll post': 995564, 'll post it': 496956, 'post it anywhere': 666184, 'it anywhere in': 456554, 'anywhere in the': 81124, 'minimum basic': 533176, 'operation doesn': 613170, 'include welcoming': 431661, 'welcoming customer': 977929, 'customer into': 222531, 'minimum basic operation': 533177, 'basic operation doesn': 112023, 'operation doesn include': 613171, 'doesn include welcoming': 251848, 'include welcoming customer': 431662, 'welcoming customer into': 977930, 'customer into retail': 222532, 'store for normal': 807825, 'for normal operation': 323914, 'have quarter': 382126, 'quarter toiletpaper': 693268, 'anyone have quarter': 80352, 'have quarter toiletpaper': 382127, 'fe8vlt stayathome': 300989, 'cookwme fe8vlt stayathome': 202958, 'bind': 131060, 'clenching': 181602, 'devil went': 239969, 'steal he': 799180, 'in bind': 420839, 'bind clenching': 131061, 'clenching his': 181603, 'his behind': 397239, 'behind he': 124635, 'wa willing': 963705, 'make deal': 509817, 'the devil went': 853235, 'devil went down': 239970, 'down to he': 257369, 'to he wa': 907356, 'he wa looking': 385608, 'looking for roll': 502897, 'for roll to': 325254, 'roll to steal': 725558, 'to steal he': 915362, 'steal he wa': 799181, 'wa in bind': 962359, 'in bind clenching': 420840, 'bind clenching his': 131062, 'clenching his behind': 181604, 'his behind he': 397240, 'behind he wa': 124636, 'he wa willing': 385630, 'wa willing to': 963706, 'willing to make': 995471, 'to make deal': 909646, 'else ha': 271710, 'this yet': 891609, 'but artist': 145228, 'reply with': 711756, 'your commission': 1023260, 'commission example': 188815, 'price let': 675032, 'let try': 487190, 'get thread': 348424, 'thread going': 893551, 'most right': 542712, 'some buyer': 782462, 'know if anyone': 476470, 'if anyone else': 413844, 'anyone else ha': 80263, 'else ha done': 271711, 'ha done this': 370421, 'done this yet': 255061, 'this yet but': 891610, 'yet but artist': 1016018, 'but artist who': 145229, 'artist who have': 94629, 'been or might': 121607, 'might be financially': 530896, 'be financially affected': 114845, 'please reply with': 660384, 'reply with your': 711757, 'with your commission': 1002184, 'your commission example': 1023261, 'commission example and': 188816, 'example and price': 288870, 'and price let': 69461, 'price let try': 675035, 'let try and': 487191, 'and get thread': 63607, 'get thread going': 348425, 'thread going so': 893552, 'going so those': 355464, 'so those who': 778512, 'the most right': 861029, 'most right now': 542713, 'can get some': 158452, 'get some buyer': 348044, 'butter are': 148128, 'up alongside': 944270, 'alongside many': 47097, 'gate other': 344348, 'retail sale of': 718510, 'of milk cheese': 586503, 'cheese butter are': 175179, 'butter are up': 148129, 'are up alongside': 91358, 'up alongside many': 944271, 'alongside many other': 47098, 'the farm gate': 854932, 'farm gate other': 299125, 'gate other hurdle': 344349, 'diageo': 240208, 'demonstraion': 236829, 'diageo hasn': 240209, 'hasn clue': 378737, 'clue clear': 184534, 'clear demonstraion': 181245, 'demonstraion of': 236830, 'how remote': 408576, 'remote they': 710728, 'consumer 19': 195980, 'diageo hasn clue': 240210, 'hasn clue clear': 378738, 'clue clear demonstraion': 184535, 'clear demonstraion of': 181246, 'demonstraion of how': 236831, 'of how remote': 584839, 'how remote they': 408577, 'remote they are': 710729, 'they are from': 881280, 'are from the': 86694, 'the consumer 19': 851488, 'digitalretailing': 242802, 'latest dealer': 481292, 'dealer and': 229593, 'data car': 226165, 'car dealership': 163057, 'dealership can': 229634, 'sell vehicle': 748934, 'vehicle and': 954246, 'keep connected': 471417, 'stayathome our': 797567, 'post provides': 666285, 'provides the': 686900, 'to digitalretailing': 904302, 'digitalretailing dealer': 242803, 'the latest dealer': 859090, 'latest dealer and': 481293, 'dealer and consumer': 229594, 'sentiment data car': 750911, 'data car dealership': 226166, 'car dealership can': 163058, 'dealership can sell': 229635, 'can sell vehicle': 159571, 'sell vehicle and': 748935, 'vehicle and keep': 954247, 'and keep connected': 65756, 'keep connected in': 471418, 'connected in the': 194656, 'age of socialdistancing': 37875, 'of socialdistancing and': 589847, 'socialdistancing and order': 780215, 'and order to': 68249, 'order to stayathome': 618709, 'to stayathome our': 915337, 'stayathome our latest': 797568, 'blog post provides': 132996, 'post provides the': 666286, 'provides the how': 686901, 'the how to': 857672, 'how to digitalretailing': 409008, 'to digitalretailing dealer': 904303, '0169061211': 772, 'samuel': 733509, 'am student': 50447, 'period 0169061211': 651699, '0169061211 gtbank': 773, 'gtbank samuel': 367667, 'please am student': 659656, 'am student and': 50448, 'student and need': 814640, 'and need cash': 67469, 'need cash to': 554594, 'stock food stuff': 802149, 'food stuff in': 316893, 'stuff in this': 815101, '19 period 0169061211': 9641, 'period 0169061211 gtbank': 651700, '0169061211 gtbank samuel': 774, 'uncovid19brief': 939914, 'viralkindness': 957641, 'spray it': 790303, 'it panel': 460243, 'panel comic': 637168, 'comic script': 187948, 'script show': 742852, 'coronavirus boy': 205570, 'boy spray': 137281, 'it uncovid19brief': 461915, 'uncovid19brief flattenthecurve': 939915, 'flattenthecurve safehands': 310193, 'safehands alonetogether': 730245, 'alonetogether viralkindness': 46966, 'viralkindness stopthespread': 957642, 'spray it it': 790304, 'it it panel': 459179, 'it panel comic': 460244, 'panel comic script': 637169, 'comic script show': 187949, 'script show to': 742853, 'show to kill': 767243, 'to kill coronavirus': 908925, 'kill coronavirus boy': 474374, 'coronavirus boy spray': 205571, 'boy spray hand': 137282, 'on it uncovid19brief': 601693, 'it uncovid19brief flattenthecurve': 461916, 'uncovid19brief flattenthecurve safehands': 939916, 'flattenthecurve safehands alonetogether': 310194, 'safehands alonetogether viralkindness': 730246, 'alonetogether viralkindness stopthespread': 46967, 'cerebralpalsy': 169955, 'had cerebralpalsy': 372959, 'cerebralpalsy would': 169958, 'old grocery shop': 598277, 'grocery shop worker': 364981, 'shop worker in': 761089, 'usa ha died': 948657, 'young people die': 1022643, 'die from she': 241354, 'from she had': 337239, 'she had cerebralpalsy': 756095, 'had cerebralpalsy would': 372960, 'cerebralpalsy would that': 169959, 'service experiencing': 752354, 'experiencing delay': 291641, 'delay amid': 232668, 'amid according': 52379, 'spokesperson at': 789784, 'shoprite the': 764557, 'delivery service experiencing': 234436, 'service experiencing delay': 752355, 'experiencing delay amid': 291642, 'delay amid according': 232669, 'amid according to': 52380, 'to spokesperson at': 915034, 'spokesperson at shoprite': 789785, 'at shoprite the': 100521, 'shoprite the demand': 764558, 'shopping service is': 763847, 'service is at': 752515, 'nielson': 562666, 'is motivating': 449752, 'motivating your': 543304, 'now nielson': 575343, 'nielson ha': 562667, 'six consumer': 772626, 'concern check': 192947, 'do you understand': 250692, 'understand what is': 940803, 'what is motivating': 981710, 'is motivating your': 449753, 'motivating your customer': 543305, 'right now nielson': 722106, 'now nielson ha': 575344, 'nielson ha published': 562668, 'ha published the': 371578, 'published the six': 688701, 'the six consumer': 867288, 'six consumer behavior': 772627, 'behavior threshold of': 124251, 'threshold of covid': 894152, '19 concern check': 5917, 'concern check it': 192948, 'treason': 930759, 'actin': 29855, 'your corona': 1023344, 'from somewhere': 337355, 'somewhere other': 785307, 'through congrats': 894379, 'congrats you': 194433, 'committed treason': 189051, 'treason want': 930760, 'license yall': 488166, 'yall stop': 1014096, 'stop actin': 804426, 'actin up': 29858, 'up maryland': 945365, 'you got your': 1018910, 'got your corona': 359040, 'your corona from': 1023345, 'corona from somewhere': 203955, 'from somewhere other': 337356, 'somewhere other than': 785308, 'other than grocery': 621067, 'store or drive': 809329, 'or drive through': 615073, 'drive through congrats': 259175, 'through congrats you': 894380, 'congrats you ve': 194434, 'you ve committed': 1022031, 've committed treason': 953007, 'committed treason want': 189052, 'treason want my': 930761, 'want my license': 965859, 'my license yall': 549009, 'license yall stop': 488167, 'yall stop actin': 1014097, 'stop actin up': 804427, 'actin up maryland': 29859, 'commissioning': 188962, 'too sick': 925062, 'another until': 77925, 'covid panic': 214203, 'panic pass': 638405, 'pass perhaps': 643217, 'perhaps consider': 651578, 'consider commissioning': 194973, 'commissioning me': 188963, 'my job because': 548907, 'job because wa': 465692, 'because wa too': 119783, 'wa too sick': 963555, 'too sick to': 925063, 'sick to work': 768647, 'work and can': 1004765, 'can get another': 158400, 'get another until': 346566, 'another until covid': 77926, 'until covid panic': 943717, 'covid panic pass': 214204, 'panic pass perhaps': 638406, 'pass perhaps consider': 643218, 'perhaps consider commissioning': 651579, 'consider commissioning me': 194974, 'commissioning me so': 188965, 'me so can': 523489, 'so can buy': 776704, 'food and pay': 313304, 'and pay rent': 68803, 'unimelbpursuit': 941821, 'worldwide but': 1010327, 'one consequence': 606093, 'consequence is': 194868, 'at australian': 98074, 'australian petrol': 103521, 'pump for': 689046, 'foreseeable unimelbpursuit': 329074, 'pandemic and global': 634879, 'price war are': 677351, 'war are having': 966368, 'having an economic': 383969, 'an economic impact': 55581, 'economic impact worldwide': 267142, 'impact worldwide but': 418054, 'worldwide but one': 1010328, 'but one consequence': 146667, 'one consequence is': 606094, 'consequence is lower': 194869, 'is lower fuel': 449482, 'price at australian': 672793, 'at australian petrol': 98075, 'australian petrol pump': 103522, 'petrol pump for': 653782, 'pump for the': 689047, 'the foreseeable unimelbpursuit': 855698, 'mcgee': 522175, 'from bandana': 334629, 'bandana mark': 109374, 'mark to': 515835, 'to chip': 902733, 'chip mcgee': 177521, 'mcgee here': 522176, 'during socialdistancing': 263032, 'from bandana mark': 334630, 'bandana mark to': 109375, 'mark to chip': 515836, 'to chip mcgee': 902734, 'chip mcgee here': 177522, 'mcgee here are': 522177, 'are the four': 90830, 'the four people': 855740, 'four people you': 330654, 'people you see': 650578, 'you see at': 1021024, 'store during socialdistancing': 807409, 'vaughan': 952746, 'crisis vaughan': 218307, 'vaughan restaurant': 952747, 'crisis vaughan restaurant': 218308, 'vaughan restaurant now': 952748, 'restaurant now making': 716596, 'sanitizer keep staff': 735249, 'fighting fear': 305065, 'fear with': 301434, 'with beer': 997381, 'beer spur': 122511, 'spur sidewalk': 791336, 'sidewalk sale': 768952, 'sale where': 732646, 'where one': 985067, 'one door': 606208, 'door close': 255548, 'close another': 182546, 'another door': 77588, 'door can': 255542, 'it car': 457061, 'fighting fear with': 305066, 'fear with beer': 301435, 'with beer spur': 997382, 'beer spur sidewalk': 122513, 'spur sidewalk sale': 791337, 'sidewalk sale where': 768953, 'sale where one': 732647, 'where one door': 985068, 'one door close': 606209, 'door close another': 255549, 'close another door': 182547, 'another door can': 77589, 'door can open': 255543, 'can open and': 159144, 'open and brewery': 612051, 'brewery are finding': 139433, 'finding out it': 307522, 'out it car': 626442, 'it car door': 457062, 'thanking the': 841996, 'professional risking': 682489, 'also acknowledge': 47809, 'acknowledge thank': 29104, 'effectively buy': 269341, 'everyone is thanking': 287117, 'is thanking the': 452626, 'thanking the health': 841997, 'the health professional': 857186, 'health professional risking': 386769, 'professional risking their': 682490, 'their life every': 873827, 'every day but': 285795, 'day but like': 227404, 'but like to': 146278, 'like to also': 491572, 'to also acknowledge': 900374, 'also acknowledge thank': 47810, 'acknowledge thank those': 29105, 'thank those at': 841670, 'who are ensuring': 988136, 'ensuring that can': 278191, 'that can safely': 843119, 'can safely and': 159496, 'safely and effectively': 730255, 'and effectively buy': 61954, 'effectively buy the': 269342, 'the essential need': 854513, 'essential need to': 281324, 'hero too thankyou': 394141, 'little calculator': 495279, 'calculator you': 155367, 'extra pack': 293597, 'here little calculator': 393303, 'little calculator you': 495280, 'calculator you can': 155368, 'use to determine': 949754, 'determine if you': 239436, 'need that extra': 555724, 'that extra pack': 843811, 'extra pack or': 293598, 'case of toiletpaper': 165933, 'toiletpapershortageof2020': 923337, 'tonight apparently': 924366, 'apparently meat': 81968, 'paper toiletpapershortageof2020': 640974, 'store tonight apparently': 810905, 'tonight apparently meat': 924367, 'apparently meat is': 81969, 'toilet paper toiletpapershortageof2020': 921501, 'huddle': 409898, 'family huddle': 297904, 'huddle together': 409899, 'staple they': 794000, 'also increasingly': 48419, 'increasingly turning': 433806, 'food trend': 317362, 'trend reflected': 931427, 'food ingredient': 315046, 'ingredient read': 438392, 'read workfromhome': 700669, 'family huddle together': 297905, 'huddle together and': 409900, 'together and stock': 920700, 'on staple they': 603638, 'staple they are': 794001, 'are also increasingly': 84464, 'also increasingly turning': 48420, 'increasingly turning to': 433807, 'turning to home': 935965, 'to home cooked': 907930, 'home cooked food': 400926, 'cooked food trend': 202816, 'food trend reflected': 317363, 'trend reflected in': 931428, 'in the spike': 429560, 'sale of staple': 732408, 'of staple and': 590037, 'staple and food': 793897, 'and food ingredient': 63058, 'food ingredient read': 315047, 'ingredient read workfromhome': 438393, 'still unsafe': 801352, 'unsafe since': 943397, 'since science': 770818, 'science show': 742135, 'show can': 766890, 'survive at': 829129, 'surface why': 828092, 'is still unsafe': 452324, 'still unsafe since': 801353, 'unsafe since science': 943398, 'since science show': 770819, 'science show can': 742136, 'show can survive': 766891, 'can survive at': 159871, 'survive at least': 829130, 'least day on': 484436, 'on surface why': 603851, 'surface why are': 828093, 'are supermarket shelf': 90655, 'stacker not wearing': 792019, 'sanford': 733770, 'dakota ha': 225073, 'seen twice': 747337, 'seeking food': 746644, 'assistance since': 96742, 'crisis profile': 217912, 'profile by': 682607, 'by sanford': 153865, 'sanford stepped': 733771, 'donating 16': 254419, 'feeding south dakota': 302478, 'south dakota ha': 786713, 'dakota ha seen': 225074, 'ha seen twice': 371848, 'seen twice the': 747338, 'twice the demand': 936544, 'people seeking food': 649377, 'seeking food assistance': 746645, 'food assistance since': 313432, 'assistance since the': 96743, '19 crisis profile': 6306, 'crisis profile by': 217913, 'profile by sanford': 682608, 'by sanford stepped': 153866, 'sanford stepped up': 733772, 'stepped up in': 799785, 'up in big': 945149, 'big way by': 130099, 'way by donating': 969514, 'by donating 16': 152399, 'donating 16 00': 254420, '16 00 meal': 4055, 'unsatisfied': 943427, '19 expose': 6906, 'our flaw': 623090, 'flaw profit': 310264, 'before everything': 122784, 'is upside': 453595, 'down logic': 256936, 'logic quality': 500664, 'quality above': 691756, 'our guiding': 623326, 'guiding principle': 368518, 'principle in': 678242, 'in everything': 422702, 'make quality': 510373, 'quality product': 691837, 'not fuel': 569552, 'fuel consumer': 340140, 'consumer hamster': 197698, 'wheel that': 983050, 'leaf everyone': 483798, 'everyone unsatisfied': 287518, 'unsatisfied with': 943428, 'covid 19 expose': 213063, '19 expose our': 6907, 'expose our flaw': 292798, 'our flaw profit': 623091, 'flaw profit before': 310265, 'profit before everything': 682677, 'before everything is': 122785, 'everything is upside': 287889, 'is upside down': 453596, 'upside down logic': 947855, 'down logic quality': 256937, 'logic quality above': 500665, 'quality above all': 691757, 'above all should': 27046, 'should be our': 765682, 'be our guiding': 116276, 'our guiding principle': 623327, 'guiding principle in': 368519, 'principle in everything': 678243, 'in everything we': 422704, 'we do make': 971338, 'do make quality': 249581, 'make quality product': 510374, 'quality product that': 691838, 'product that work': 681704, 'work for everyone': 1005147, 'for everyone not': 321225, 'everyone not fuel': 287214, 'not fuel consumer': 569553, 'fuel consumer hamster': 340141, 'consumer hamster wheel': 197699, 'hamster wheel that': 374657, 'wheel that leaf': 983051, 'that leaf everyone': 844856, 'leaf everyone unsatisfied': 483799, 'everyone unsatisfied with': 287519, 'unsatisfied with everything': 943429, 'keep majority': 471641, 'retail sephora': 718542, 'to keep majority': 908810, 'keep majority of': 471642, 'majority of store': 509568, 'employee retail sephora': 274157, 'edmond': 268696, 'someone just': 784540, 'an edmond': 55602, 'edmond grocery': 268697, 'store bathroom': 806652, 'bathroom without': 112690, 'without washing': 1003042, 'hand 19': 374719, 'someone just walked': 784542, 'of an edmond': 580105, 'an edmond grocery': 55603, 'edmond grocery store': 268698, 'grocery store bathroom': 365239, 'store bathroom without': 806654, 'bathroom without washing': 112691, 'without washing their': 1003044, 'their hand 19': 873468, 'today enjoy': 919477, 'annabelle today enjoy': 76784, 'today enjoy your': 919478, 'to phone': 911707, 'about there': 26607, 'imminent disaster': 417275, 'disaster about': 244182, 'it including': 458768, 'including prime': 432116, 'test no': 839102, 'equipment no': 279789, 'food strategy': 316870, 'listening to phone': 494812, 'to phone call': 911708, 'phone call about': 654921, 'call about there': 155743, 'about there is': 26608, 'is an imminent': 445667, 'an imminent disaster': 56175, 'imminent disaster about': 417276, 'disaster about to': 244183, 'about to hit': 26724, 'to hit britain': 907842, 'hit britain and': 398171, 'britain and some': 140374, 'and some just': 71967, 'some just do': 783161, 'get it including': 347409, 'it including prime': 458769, 'including prime minister': 432117, 'johnson there is': 466634, 'is no support': 449978, 'no support for': 565636, 'support for nh': 826517, 'nh staff being': 562078, 'staff being sent': 792261, 'sent home there': 750759, 'home there is': 402261, 'is no test': 449981, 'no test no': 565684, 'test no equipment': 839103, 'no equipment no': 564130, 'equipment no food': 279790, 'no food strategy': 564274, 'food strategy to': 316871, 'strategy to stop': 812734, 'slippery': 774053, 'thing happens': 884393, 'happens here': 377467, 'here ve': 393764, 'house three': 406618, 'pharmacy since': 654462, 'thing broke': 884202, 'broke we': 140871, 'are granting': 86937, 'granting emergency': 362109, 'sufferer who': 817278, 'who refuse': 989514, 'isolate it': 454879, 'it slippery': 461083, 'slippery slope': 774054, 'slope bu': 774085, 'yes and the': 1015375, 'and the same': 73563, 'same thing happens': 733334, 'thing happens here': 884394, 'happens here ve': 377469, 'here ve only': 393765, 'only left the': 610717, 'the house three': 857642, 'house three time': 406619, 'three time for': 894076, 'time for quick': 896746, 'for quick trip': 324920, 'the grocery pharmacy': 856819, 'grocery pharmacy since': 364850, 'pharmacy since this': 654463, 'since this whole': 770942, 'whole thing broke': 990354, 'thing broke we': 884203, 'broke we are': 140872, 'we are granting': 970580, 'are granting emergency': 86938, 'granting emergency power': 362110, 'emergency power to': 272890, 'power to deal': 667703, '19 sufferer who': 10934, 'sufferer who refuse': 817279, 'who refuse to': 989515, 'refuse to self': 707041, 'self isolate it': 747681, 'isolate it slippery': 454880, 'it slippery slope': 461084, 'slippery slope bu': 774055, 'letschill': 487251, 'the modern': 860724, 'modern era': 535386, 'era equivalent': 280037, 'of fisherman': 583562, 'fisherman posing': 309375, 'posing with': 665145, 'their catch': 872750, 'catch 12': 166973, 'pack not': 633078, 'bad might': 107938, 'these raw': 880571, 'raw humor': 697966, 'humor letschill': 410895, 'letschill smile': 487252, 'smile tp': 775747, 'toiletpaper toiletpaperhunt': 922685, 'toiletpaperhunt stophoarding': 923178, 'the modern era': 860725, 'modern era equivalent': 535387, 'era equivalent of': 280038, 'equivalent of fisherman': 279987, 'of fisherman posing': 583563, 'fisherman posing with': 309376, 'posing with their': 665146, 'with their catch': 1001560, 'their catch 12': 872751, 'catch 12 pack': 166974, '12 pack not': 2924, 'pack not bad': 633079, 'not bad might': 568323, 'bad might have': 107939, 'to have these': 907325, 'have these raw': 383085, 'these raw humor': 880572, 'raw humor letschill': 697967, 'humor letschill smile': 410896, 'letschill smile tp': 487253, 'smile tp toiletpaper': 775748, 'tp toiletpaper toiletpaperhunt': 928010, 'toiletpaper toiletpaperhunt stophoarding': 922686, 'pandemic tip': 636769, 'the pandemic tip': 863129, 'kaiser': 470671, 'did novartis': 240745, 'novartis pay': 573732, 'pay trump': 645199, 'trump lawyer': 933677, 'lawyer million': 482555, 'million look': 532222, 'it drug': 457712, 'price kaiser': 674982, 'kaiser health': 470672, '19 trumpvirus': 11592, 'why did novartis': 990920, 'did novartis pay': 240746, 'novartis pay trump': 573733, 'pay trump lawyer': 645200, 'trump lawyer million': 933678, 'lawyer million look': 482556, 'million look at': 532223, 'at it drug': 99320, 'it drug price': 457713, 'drug price kaiser': 261050, 'price kaiser health': 674983, 'kaiser health news': 470673, 'health news 19': 386667, 'news 19 trumpvirus': 560179, 'clchan': 180436, 'are clchan': 85291, 'clchan yet': 180437, 'every shopping': 286172, 'shopping channel': 762364, 'going are': 355018, 'short money': 764649, 'work someone': 1005753, 'deliver stayhomesavelives': 233212, 'stayhomesavelives stop': 798469, 'crap you': 214920, 'essential shop are': 281544, 'shop are clchan': 759897, 'are clchan yet': 85292, 'clchan yet every': 180438, 'yet every shopping': 1016062, 'every shopping channel': 286173, 'shopping channel is': 762365, 'channel is still': 172898, 'still going are': 800585, 'going are people': 355019, 'are people really': 89047, 'people really think': 649249, 'really think about': 702657, 'about buying thing': 24918, 'buying thing thought': 151209, 'thing thought people': 884872, 'thought people were': 893178, 'people were short': 650221, 'were short money': 980113, 'short money with': 764650, 'money with no': 537183, 'with no work': 999799, 'no work someone': 565930, 'work someone ha': 1005754, 'ha to deliver': 372295, 'to deliver stayhomesavelives': 904113, 'deliver stayhomesavelives stop': 233213, 'stayhomesavelives stop buying': 798470, 'stop buying crap': 804531, 'buying crap you': 150161, 'crap you do': 214921, 'not need online': 570667, 'need online or': 555372, 'or from shopping': 615404, 'from shopping channel': 337273, 'house should': 406554, 'very necessary': 955378, 'example go': 288895, 'not everyday': 569295, 'everyday going': 286565, 'le social': 483127, 'distancing or': 247380, 'none if': 566572, 'live in house': 495867, 'in house should': 423854, 'house should be': 406555, 'should be locked': 765666, 'and go out': 63781, 'go out only': 353973, 'out only to': 626943, 'only to what': 611371, 'what is very': 981735, 'is very necessary': 453684, 'very necessary for': 955379, 'necessary for example': 553989, 'for example go': 321279, 'example go to': 288896, 'supermarket but that': 819459, 'but that is': 147290, 'is not everyday': 450074, 'not everyday going': 569296, 'everyday going to': 286566, 'to work is': 918741, 'work is everyday': 1005372, 'is everyday and': 447579, 'everyday and then': 286534, 'then there is': 877638, 'is le social': 449249, 'le social distancing': 483129, 'social distancing or': 779679, 'distancing or none': 247381, 'or none if': 616275, 'none if there': 566573, 'buying linked': 150658, 'having purchase': 384239, 'it wa inevitable': 462131, 'panic buying linked': 637794, 'buying linked to': 150659, 'linked to ha': 493993, 'to ha led': 907085, 'of food now': 583739, 'food now having': 315568, 'now having purchase': 574896, 'having purchase limit': 384240, 'the ruined': 866035, 'ruined waving': 727143, 'waving at': 969403, 'at toddler': 101339, 'the ruined sneezing': 866036, 'pedophile ruined waving': 646230, 'ruined waving at': 727144, 'waving at toddler': 969404, 'at toddler in': 101340, 'and peanut': 68825, 'butter stayhomechallenge': 148166, 'quarantinelife coronapocolypse': 692942, 'bread and peanut': 138404, 'and peanut butter': 68826, 'peanut butter stayhomechallenge': 646147, 'butter stayhomechallenge quarantinelife': 148167, 'stayhomechallenge quarantinelife coronapocolypse': 798274, 'being canceled': 124919, 'it proof': 460526, 'moment what': 536109, 'aside from sport': 95419, 'league being canceled': 483847, 'being canceled and': 124920, 'canceled and supermarket': 160918, 'and supermarket panic': 72729, 'and it proof': 65573, 'it proof that': 460527, 'the ball in': 849219, 'ball in this': 109061, 'this moment what': 888882, 'moment what wa': 536110, 'full orange': 340786, 'orange jumpsuit': 617924, 'jumpsuit gas': 467974, 'and wellington': 75418, 'wellington in': 978819, 'stop staring': 805062, 'staring and': 794142, 'still raging': 801090, 'raging he': 695558, 'queue stayhomesavelives': 694075, 'guy in full': 369033, 'in full orange': 423171, 'full orange jumpsuit': 340787, 'orange jumpsuit gas': 617925, 'jumpsuit gas mask': 467975, 'mask and wellington': 518390, 'and wellington in': 75419, 'wellington in my': 978820, 'local supermarket no': 498561, 'no one could': 564927, 'one could stop': 606119, 'could stop staring': 209728, 'stop staring and': 805063, 'staring and he': 794143, 'and he wa': 64331, 'he wa still': 385619, 'wa still raging': 963313, 'still raging he': 801091, 'raging he had': 695559, 'had to join': 373701, 'join the queue': 466867, 'the queue stayhomesavelives': 865053, 'got question': 358803, 'running again': 727897, 'shut or': 767915, 'or shorten': 617065, 'shorten ours': 765333, 'ours are': 625433, 'they gonna': 882216, 'gonna jack': 356562, 'their loss': 873886, 'loss how': 503693, 'coronacrisis gonna': 204614, 'gonna effect': 356517, 'effect am': 268963, 'am guess': 50112, 'guess long': 368006, 'bug is': 141897, 'got question what': 358804, 'question what is': 693797, 'is gonna happen': 448130, 'gonna happen when': 356553, 'happen when these': 377205, 'when these store': 984238, 'these store all': 880733, 'store all get': 806133, 'all get back': 42912, 'get back up': 346635, 'back up running': 107430, 'up running again': 945938, 'running again the': 727898, 'again the one': 37213, 'one who had': 607448, 'had to shut': 373727, 'to shut or': 914608, 'shut or shorten': 767916, 'or shorten ours': 617066, 'shorten ours are': 765334, 'ours are they': 625434, 'are they gonna': 91003, 'they gonna jack': 882217, 'gonna jack up': 356563, 'up for their': 944966, 'for their loss': 326846, 'their loss how': 873887, 'loss how long': 503694, 'how long is': 408202, 'long is this': 501457, 'is this coronacrisis': 453078, 'this coronacrisis gonna': 886876, 'coronacrisis gonna effect': 204615, 'gonna effect am': 356518, 'effect am guess': 268964, 'am guess long': 50113, 'guess long after': 368007, 'after the bug': 36290, 'the bug is': 850092, 'bug is gone': 141898, 'reignited': 708215, 'bare we': 110978, 'we prepared': 972738, 'of turned': 592512, 'find those': 307335, 'those loo': 892178, 'experience reignited': 291462, 'reignited our': 708216, 'when the shelf': 984195, 'stripped bare we': 813855, 'bare we prepared': 110981, 'we prepared for': 972739, 'prepared for many': 670198, 'many of turned': 514396, 'of turned to': 592513, 'turned to our': 935887, 'our local shop': 623787, 'local shop to': 498420, 'shop to find': 760945, 'to find those': 905946, 'find those loo': 307336, 'those loo roll': 892179, 'loo roll ha': 502180, 'roll ha the': 725323, 'ha the experience': 372198, 'the experience reignited': 854724, 'experience reignited our': 291463, 'reignited our appreciation': 708217, 'for the corner': 326360, 'california still': 155580, 'there saferathome': 879010, 'saferathome protocol': 730408, 'protocol people': 685994, 'buy coffee': 148499, 'supermarket quit': 822148, 'quit putting': 694807, 'money 2019ncov': 536567, '2019ncov californiashutdown': 14060, 'californiashutdown coronacrisis': 155667, 'hey why are': 394547, 'are all your': 84372, 'your store still': 1025992, 'open in california': 612319, 'in california still': 421148, 'california still open': 155581, 'still open when': 800980, 'open when there': 612667, 'when there saferathome': 984232, 'there saferathome protocol': 879011, 'saferathome protocol people': 730409, 'protocol people can': 685995, 'can buy coffee': 157818, 'buy coffee at': 148500, 'the supermarket quit': 868768, 'supermarket quit putting': 822149, 'quit putting your': 694808, 'your employee in': 1023659, 'employee in harm': 273960, 'make money 2019ncov': 510179, 'money 2019ncov californiashutdown': 536568, '2019ncov californiashutdown coronacrisis': 14061, 'yomestayhome': 1016548, 'these tape': 880785, 'others while': 621776, 'line cov': 493040, 'd19 19': 224163, 'cov virus': 212134, 'virus yomestayhome': 959075, 'yomestayhome washyourhands': 1016549, 'every supermarket or': 286262, 'supermarket or open': 821825, 'or open store': 616401, 'open store keep': 612524, 'store keep an': 808642, 'out for these': 626167, 'for these tape': 326981, 'these tape on': 880786, 'floor to help': 310850, 'from others while': 336753, 'others while waiting': 621777, 'in line cov': 424748, 'line cov d19': 493041, 'cov d19 19': 212114, 'd19 19 corona': 224164, '19 corona cov': 6050, 'corona cov virus': 203899, 'cov virus yomestayhome': 212135, 'virus yomestayhome washyourhands': 959076, 'shiieet': 758578, 'one positive': 606906, 'not spent': 571676, 'on unnecessary': 604975, 'unnecessary consumer': 942898, 'or fast': 615276, 'week sure': 976955, 'negative financially': 556775, 'financially well': 306695, 'but shiieet': 147033, 'shiieet son': 758579, 'son looking': 785409, 'at silver': 100534, 'lining staypositive': 493754, 'one positive of': 606907, 'positive of isolation': 665388, 'of isolation is': 585339, 'isolation is that': 455319, 'have not spent': 381697, 'not spent on': 571677, 'spent on unnecessary': 789155, 'on unnecessary consumer': 604976, 'unnecessary consumer good': 942899, 'consumer good or': 197631, 'good or fast': 357525, 'or fast food': 615277, 'fast food etc': 299960, 'food etc in': 314399, 'etc in over': 282605, 'over week sure': 630916, 'week sure there': 976956, 'is whole bunch': 453952, 'bunch of negative': 142630, 'of negative financially': 586927, 'negative financially well': 556776, 'financially well but': 306696, 'well but shiieet': 978080, 'but shiieet son': 147034, 'shiieet son looking': 758580, 'son looking at': 785410, 'looking at silver': 502822, 'at silver lining': 100535, 'silver lining staypositive': 769828, 'parliamentary': 642173, 'humanrights': 410804, 'power should': 667679, 'definitely face': 232332, 'face parliamentary': 294693, 'parliamentary review': 642174, 'review every': 720559, 'every six': 286199, 'month humanrights': 537778, 'emergency power should': 272889, 'power should definitely': 667680, 'should definitely face': 765907, 'definitely face parliamentary': 232333, 'face parliamentary review': 294694, 'parliamentary review every': 642175, 'review every six': 720560, 'every six month': 286200, 'six month humanrights': 772671, 'take important': 832214, 'know beforehand': 476298, 'driver take important': 259770, 'take important step': 832215, 'and you if': 76026, 'sure you let': 827866, 'the supermarket know': 868664, 'supermarket know beforehand': 821253, 'pandemic led': 635879, 'better toiletpaper': 128575, 'how global pandemic': 407918, 'global pandemic led': 352095, 'pandemic led to': 635880, 'led to toilet': 485305, 'shortage and when': 764833, 'when it get': 983630, 'get better toiletpaper': 346671, 'better toiletpaper via': 128576, 'one distributed': 606196, 'cashier ask': 166479, 'here lockdownmalaysia': 393308, 'possible that we': 665811, 'we can contract': 970925, 'can contract the': 157985, 'virus from the': 958218, 'the one distributed': 862199, 'one distributed by': 606197, 'distributed by the': 248042, 'supermarket cashier ask': 819551, 'cashier ask the': 166480, 'ask the real': 95640, 'real question here': 701326, 'question here lockdownmalaysia': 693610, 'portugal this': 665074, 'week country': 976119, 'country also': 210420, 'no selfishness': 565452, 'selfishness they': 748381, 'they limit': 882567, 'food in portugal': 314962, 'in portugal this': 426848, 'portugal this week': 665075, 'this week country': 891203, 'week country also': 976120, 'country also on': 210421, 'also on lockdown': 48615, 'on lockdown no': 601918, 'lockdown no panic': 499690, 'buying no selfishness': 150761, 'no selfishness they': 565453, 'selfishness they limit': 748382, 'they limit the': 882568, 'in at any': 420551, 'one time if': 607257, 'time if they': 896962, 'do it why': 249526, 'it why can': 462361, 'can we 19': 160155, 'murkowski': 546196, 'capitol': 162854, 'corrected link': 207546, 'link senator': 493906, 'senator lisa': 749768, 'lisa murkowski': 494244, 'murkowski join': 546197, 'of capitol': 581124, 'capitol crude': 162855, 'talk price': 833838, 'how north': 408407, 'north slope': 567679, 'slope output': 774088, 'output could': 629245, 'here 17': 392641, '17 37': 4319, 'corrected link senator': 207547, 'link senator lisa': 493907, 'senator lisa murkowski': 749769, 'lisa murkowski join': 494245, 'murkowski join for': 546198, 'join for bonus': 466710, 'for bonus edition': 319720, 'edition of capitol': 268626, 'of capitol crude': 581125, 'capitol crude to': 162856, 'crude to talk': 219619, 'to talk price': 916286, 'talk price the': 833840, 'price the saudi': 676860, 'the saudi russia': 866381, 'war and how': 966359, 'and how north': 64826, 'how north slope': 408408, 'north slope output': 567680, 'slope output could': 774089, 'output could be': 629246, 'could be hit': 208880, 'be hit by': 115266, 'hit by listen': 398179, 'listen here 17': 494683, 'here 17 37': 392642, 'understand amp': 940590, 'customer priority': 222719, 'priority or': 678622, 'else risk': 271860, 'losing touch': 503605, 'touch they': 926557, 'track changing': 928173, 'behavior build': 123940, 'build insight': 141984, 'then activate': 876964, 'activate campaign': 30218, 'campaign based': 157203, 'marketer must understand': 517472, 'must understand amp': 546964, 'understand amp address': 940591, 'amp address their': 53356, 'address their customer': 32052, 'their customer priority': 872958, 'customer priority or': 222720, 'priority or else': 678623, 'or else risk': 615135, 'else risk losing': 271861, 'risk losing touch': 723671, 'losing touch they': 503606, 'touch they ll': 926558, 'they ll need': 882605, 'to track changing': 917672, 'track changing consumer': 928174, 'consumer behavior build': 196450, 'behavior build insight': 123941, 'build insight amp': 141985, 'insight amp then': 439504, 'amp then activate': 54676, 'then activate campaign': 876965, 'activate campaign based': 30219, 'campaign based on': 157204, 'based on those': 111699, 'on those insight': 604649, 'work child': 1004987, 'child out': 176169, 'crazy even': 215285, 'whole cup': 990177, 'noodle is': 566802, 'gone coronapocolypse': 356243, 'of work child': 593245, 'work child out': 1004988, 'child out of': 176170, 'of school no': 589398, 'school no meat': 741872, 'meat in my': 525618, 'no tp you': 565793, 'tp you ll': 928041, 'you ll go': 1019655, 'll go crazy': 496809, 'go crazy even': 353431, 'crazy even the': 215286, 'even the whole': 284670, 'the whole cup': 871485, 'whole cup of': 990178, 'cup of noodle': 220456, 'of noodle is': 587060, 'noodle is gone': 566803, 'is gone coronapocolypse': 448115, 'hi casey': 394608, 'casey starting': 166140, 'hi casey starting': 394609, 'casey starting on': 166141, 'cebu': 168729, 'naay': 551337, 'silay': 769690, 'delata': 232639, 'upcoming lockdown': 946799, 'of cebu': 581230, 'cebu people': 168730, 'food cant': 313880, 'cant take': 162338, 'so im': 777363, 'trying my': 934717, 'my luck': 549171, 'luck sa': 506470, 'sa watson': 728961, 'watson kung': 969330, 'kung naay': 477924, 'naay ba': 551338, 'ba silay': 106535, 'silay delata': 769691, 'delata lockdown': 232640, 'lockdown cebu': 499232, 'with the upcoming': 1001532, 'the upcoming lockdown': 870496, 'upcoming lockdown of': 946800, 'lockdown of cebu': 499714, 'of cebu people': 581231, 'cebu people are': 168731, 'people are lining': 647014, 'lining up grocery': 493766, 'up food cant': 944884, 'food cant take': 313881, 'cant take to': 162339, 'take to stand': 832742, 'up for hour': 944941, 'for hour just': 322396, 'hour just to': 405718, 'get inside so': 347349, 'inside so im': 439380, 'so im trying': 777366, 'im trying my': 416592, 'trying my luck': 934718, 'my luck sa': 549172, 'luck sa watson': 506471, 'sa watson kung': 728962, 'watson kung naay': 969331, 'kung naay ba': 477925, 'naay ba silay': 551339, 'ba silay delata': 106536, 'silay delata lockdown': 769692, 'delata lockdown cebu': 232641, 'hoarding others': 399466, 'others need': 621538, 'not be that': 568470, 'that person stop': 845722, 'person stop the': 652623, 'the hoarding others': 857418, 'hoarding others need': 399467, 'others need supply': 621539, 'need supply well': 555683, 'coronalogic': 205055, 'public clearly': 687916, 'cannot behave': 161663, 'stockpiling then': 804095, 'then state': 877564, 'state rationing': 795882, 'introduced stoppanicbuying': 443451, 'stoppanicbuying selfish': 805603, 'selfish herdmentality': 748118, 'herdmentality coronalogic': 392635, 'seeing the british': 746488, 'british public clearly': 140577, 'public clearly cannot': 687917, 'clearly cannot behave': 181498, 'cannot behave themselves': 161664, 'behave themselves on': 123796, 'themselves on stockpiling': 876860, 'on stockpiling then': 603681, 'stockpiling then state': 804096, 'then state rationing': 877566, 'state rationing is': 795883, 'rationing is going': 697828, 'be introduced stoppanicbuying': 115534, 'introduced stoppanicbuying selfish': 443452, 'stoppanicbuying selfish herdmentality': 805604, 'selfish herdmentality coronalogic': 748119, 'reassured to': 703212, 'the stranger': 868197, 'are stood': 90533, 'stood shoulder': 804387, 'shoulder for': 766692, 'their impending': 873631, 'impending isolation': 418320, 'isolation winner': 455509, 'reassured to know': 703214, 'know that all': 476750, 'all the stranger': 44929, 'the stranger who': 868198, 'stranger who are': 812504, 'who are stood': 988228, 'are stood shoulder': 90535, 'stood shoulder to': 804388, 'to shoulder for': 914540, 'shoulder for hour': 766693, 'for hour in': 322394, 'queue will have': 694138, 'able to panic': 24516, 'panic buy enough': 637477, 'food to cover': 317242, 'cover their impending': 212303, 'their impending isolation': 873632, 'impending isolation winner': 418321, 'middle upper': 530690, 'class supermarket': 180266, 'choice told': 177818, 'told staff': 923689, 'the middle upper': 860573, 'middle upper class': 530691, 'upper class supermarket': 947687, 'class supermarket of': 180267, 'supermarket of choice': 821698, 'of choice told': 581403, 'choice told staff': 177819, 'told staff to': 923690, 'staff to make': 792991, 'make up time': 510691, 'up time off': 946309, 'off for lockdown': 593831, 'friday even': 333216, 'output icis': 629271, 'chemical petrochemical': 175369, 'company fell on': 190657, 'fell on friday': 303217, 'on friday even': 601000, 'friday even oil': 333217, 'could reach an': 209566, 'agreement to limit': 38804, 'limit output icis': 492439, 'output icis chemical': 629272, 'icis chemical petrochemical': 412751, 'chemical petrochemical oil': 175370, 'cottonworld': 208426, 'member is': 528119, 'our highest': 623435, 'highest priority': 395848, 'priority the': 678675, 'evolves we': 288535, 'close select': 182790, 'select cottonworld': 747461, 'cottonworld retail': 208427, 'store effective': 807438, 'immediately our': 417128, 'currently operating': 221621, 'operating normal': 613084, 'and staff member': 72195, 'staff member is': 792657, 'member is our': 528121, 'is our highest': 450624, 'our highest priority': 623436, 'highest priority the': 395849, 'priority the coronavirus': 678676, '19 outbreak evolves': 9120, 'outbreak evolves we': 628206, 'evolves we ve': 288537, 'to close select': 902894, 'close select cottonworld': 182791, 'select cottonworld retail': 747462, 'cottonworld retail store': 208428, 'retail store effective': 718634, 'store effective immediately': 807439, 'effective immediately our': 269266, 'immediately our online': 417129, 'store is currently': 808481, 'is currently operating': 446998, 'currently operating normal': 221623, 'civilized': 179608, 'strvtin': 814551, 'of saw': 589345, 'saw civilized': 738084, 'civilized people': 179609, 'uk busy': 938226, 'busy stockpiling': 144967, 'stockpiling most': 804025, 'no oil': 564906, 'oil atta': 596631, 'atta vegetable': 102029, 'vegetable bread': 953951, 'bread fruit': 138476, 'fruit rice': 339130, 'rice seems': 721136, 'corona because': 203819, 'of strvtin': 590316, 'strvtin in': 814552, 'impact of saw': 417797, 'of saw civilized': 589346, 'saw civilized people': 738085, 'civilized people struggling': 179610, 'struggling with grocery': 814536, 'with grocery and': 998692, 'grocery and toilet': 364264, 'the uk busy': 870198, 'uk busy stockpiling': 938228, 'busy stockpiling most': 144968, 'stockpiling most supermarket': 804026, 'are empty no': 86159, 'empty no oil': 274963, 'no oil atta': 564907, 'oil atta vegetable': 596632, 'atta vegetable bread': 102030, 'vegetable bread fruit': 953952, 'bread fruit rice': 138477, 'fruit rice seems': 339131, 'rice seems like': 721137, 'seems like people': 746814, 'like people will': 490983, 'from corona because': 335006, 'corona because of': 203820, 'because of strvtin': 119409, 'of strvtin in': 590317, 'strvtin in uk': 814553, 'cheaptravel': 174328, 'travel are': 930269, 'cheap right': 174184, 'generation is': 345620, 'the cheaptravel': 850742, 'cheaptravel but': 174329, 'risk share': 723867, 'price for travel': 674071, 'for travel are': 327325, 'travel are cheap': 930270, 'are cheap right': 85261, 'cheap right now': 174185, 'to the suggestion': 917107, 'the suggestion to': 868402, 'suggestion to not': 817668, 'not travel due': 572259, 'to the the': 917123, 'the the younger': 869410, 'younger generation is': 1022690, 'generation is taking': 345621, 'of the cheaptravel': 590858, 'the cheaptravel but': 850743, 'cheaptravel but is': 174330, 'the risk share': 865881, 'risk share more': 723868, 'share more on': 755103, 'the latest show': 859146, 'far had': 298800, 'situation could': 772227, 'worse soon': 1010996, 'anxiety fueled': 78706, 'in among': 420254, 'among major': 53017, 'importer warned': 419213, 'unfolding pandemic ha': 941526, 'pandemic ha so': 635571, 'so far had': 777033, 'far had little': 298801, 'chain but the': 170568, 'but the situation': 147404, 'the situation could': 867250, 'situation could change': 772228, 'the worse soon': 872032, 'worse soon if': 1010997, 'if anxiety fueled': 413824, 'anxiety fueled panic': 78707, 'fueled panic set': 340334, 'set in among': 753397, 'in among major': 420255, 'among major food': 53018, 'food importer warned': 314917, 'importer warned in': 419214, 'sourland': 786634, 'sourland mountain': 786635, 'mountain spirit': 543427, 'spirit ha': 789467, 'switched from': 830532, 'producing craft': 680757, 'craft spirit': 214776, 'sourland mountain spirit': 786636, 'mountain spirit ha': 543428, 'spirit ha switched': 789468, 'ha switched from': 372134, 'switched from producing': 830533, 'from producing craft': 336985, 'producing craft spirit': 680758, 'craft spirit to': 214777, 'spirit to producing': 789514, 'mass purchasing': 519842, 'ever tho': 285550, 'tho let': 891681, 'crowded hypermarket': 219316, 'hypermarket market': 412341, 'with the mass': 1001384, 'the mass purchasing': 860250, 'mass purchasing at': 519843, 'purchasing at supermarket': 689837, 'at supermarket the': 100780, 'supermarket the potential': 823240, 'potential of covid': 667110, '19 to be': 11415, 'to be spread': 901558, 'be spread is': 117332, 'spread is higher': 790584, 'than ever tho': 840617, 'ever tho let': 285551, 'tho let say': 891682, 'let say that': 487025, 'that if one': 844420, 'one person that': 606869, 'person that get': 652634, 'that get infected': 843999, '19 and went': 5135, 'went to purchase': 979185, 'purchase grocery in': 689481, 'grocery in crowded': 364613, 'in crowded hypermarket': 421917, 'crowded hypermarket market': 219317, 'bch': 113341, 'alexkuptsikevich': 41621, 'avatrade': 104727, 'bitwise': 131912, 'cfgi': 170313, 'cryptofeargreedindex': 219991, 'etoro': 283167, 'extremefear': 293851, 'fxpro': 342605, 'marketupdates': 517882, 'marketsandprices': 517870, 'matthougan': 520691, 'naeemaslam': 551387, 'update trader': 947279, 'trader buck': 928670, 'buck the': 141675, 'the bch': 849370, 'bch alexkuptsikevich': 113342, 'alexkuptsikevich avatrade': 41622, 'avatrade bitwise': 104728, 'bitwise btc': 131913, 'btc cfgi': 141493, 'cfgi cryptofeargreedindex': 170314, 'cryptofeargreedindex eth': 219992, 'eth etoro': 282952, 'etoro extremefear': 283168, 'extremefear fxpro': 293852, 'fxpro marketoutlook': 342606, 'marketoutlook marketupdates': 517793, 'marketupdates marketsandprices': 517883, 'marketsandprices matthougan': 517871, 'matthougan naeemaslam': 520692, 'naeemaslam price': 551388, 'market update trader': 517287, 'update trader buck': 947280, 'trader buck the': 928671, 'buck the bch': 141676, 'the bch alexkuptsikevich': 849371, 'bch alexkuptsikevich avatrade': 113343, 'alexkuptsikevich avatrade bitwise': 41623, 'avatrade bitwise btc': 104729, 'bitwise btc cfgi': 131914, 'btc cfgi cryptofeargreedindex': 141494, 'cfgi cryptofeargreedindex eth': 170315, 'cryptofeargreedindex eth etoro': 219993, 'eth etoro extremefear': 282953, 'etoro extremefear fxpro': 283169, 'extremefear fxpro marketoutlook': 293853, 'fxpro marketoutlook marketupdates': 342607, 'marketoutlook marketupdates marketsandprices': 517794, 'marketupdates marketsandprices matthougan': 517884, 'marketsandprices matthougan naeemaslam': 517872, 'matthougan naeemaslam price': 520693, 'shown up': 767631, 'key job': 473336, 'frankly dear': 331166, 'damn but': 225326, 'personnel refuse': 653150, 'refuse men': 707022, 'woman carers': 1003433, 'carers food': 164583, 'staff nursery': 792699, 'nursery worker': 577578, 'ha shown up': 371924, 'shown up the': 767632, 'up the important': 946183, 'the important thing': 857984, 'important thing in': 419029, 'in life and': 424705, 'life and key': 488482, 'and key job': 65820, 'key job in': 473337, 'job in society': 465880, 'in society the': 428061, 'society the stock': 781328, 'market ha plummeted': 516487, 'ha plummeted and': 371509, 'plummeted and frankly': 661330, 'and frankly dear': 63247, 'frankly dear we': 331167, 'dear we do': 229914, 'give damn but': 350453, 'damn but we': 225327, 'need our hospital': 555399, 'our hospital personnel': 623468, 'hospital personnel refuse': 404558, 'personnel refuse men': 653151, 'refuse men and': 707023, 'and woman carers': 75801, 'woman carers food': 1003434, 'carers food shop': 164584, 'shop staff nursery': 760826, 'staff nursery worker': 792700, 'nursery worker etc': 577579, 'bergneustadt': 127312, 'nordrhein': 567008, 'westfalen': 980662, 'germany bergneustadt': 346273, 'bergneustadt nrw': 127315, 'nrw the': 576653, 'carry blocked': 165070, 'blocked toilet': 132870, 'paper buyer': 639984, 'in bergneustadt': 420793, 'bergneustadt in': 127313, 'in nordrhein': 425930, 'nordrhein westfalen': 567009, 'westfalen the': 980663, 'the 54': 848150, '54 year': 20341, 'old wanted': 598520, 'buy several': 149165, 'several package': 753916, 'the incident': 858038, 'incident on': 431428, 'germany bergneustadt nrw': 346274, 'bergneustadt nrw the': 127316, 'nrw the police': 576654, 'had to carry': 373673, 'to carry blocked': 902466, 'carry blocked toilet': 165071, 'blocked toilet paper': 132871, 'toilet paper buyer': 921215, 'paper buyer from': 639985, 'buyer from consumer': 149651, 'from consumer market': 334963, 'consumer market in': 198099, 'market in bergneustadt': 516551, 'in bergneustadt in': 420794, 'bergneustadt in nordrhein': 127314, 'in nordrhein westfalen': 425931, 'nordrhein westfalen the': 567010, 'westfalen the 54': 980664, 'the 54 year': 848151, '54 year old': 20342, 'year old wanted': 1014874, 'old wanted to': 598521, 'to buy several': 902296, 'buy several package': 149166, 'several package of': 753917, 'paper before the': 639941, 'before the incident': 123171, 'the incident on': 858039, 'incident on wednesday': 431429, 'funnymom': 341828, 'let pause': 486965, 'for little': 323015, 'funny gilligan': 341732, 'gilligan gilligansisland': 350144, 'gilligansisland toiletpaper': 350151, 'toiletpaper ration': 922395, 'ration hoarding': 697695, 'hoarding laugh': 399408, 'laugh funnymom': 481725, 'funnymom pandemic': 341829, 'and now let': 67851, 'now let pause': 575197, 'let pause for': 486966, 'pause for little': 644592, 'for little funny': 323017, 'little funny gilligan': 495363, 'funny gilligan gilligansisland': 341733, 'gilligan gilligansisland toiletpaper': 350145, 'gilligansisland toiletpaper ration': 350152, 'toiletpaper ration hoarding': 922396, 'ration hoarding laugh': 697696, 'hoarding laugh funnymom': 399409, 'laugh funnymom pandemic': 481726, 'rakuten': 696226, 'use rakuten': 949508, 'rakuten to': 696227, 'back go': 107034, '10 onlineshopping': 1586, 'most of are': 542542, 'of are doing': 580343, 'are doing online': 85916, 'shopping now use': 763369, 'now use rakuten': 576284, 'use rakuten to': 949509, 'rakuten to help': 696229, 'you get some': 1018794, 'get some back': 348041, 'some back go': 782368, 'back go to': 107035, 'to the link': 916850, 'below to sign': 126760, 'get 10 onlineshopping': 346455, 'behavior adobe': 123856, 'adobe blog': 32653, 'shopping behavior adobe': 762194, 'behavior adobe blog': 123857, 'totally contained': 926313, 'contained nigeria': 200523, 'nigerian govt must': 562852, 'govt must step': 361209, 'pandemic is totally': 635803, 'is totally contained': 453302, 'totally contained nigeria': 926314, 'hom': 400527, 'meal centre': 524121, 'homeless my': 402760, 'mum run': 545942, 'church being': 178344, 'down indefinitely': 256875, 'lunch for': 506724, 'week depend': 976146, 'donation almost': 254532, 'all volunteer': 45374, 'le for': 482953, 'the hom': 857441, 'wolf the meal': 1003374, 'the meal centre': 860340, 'meal centre for': 524122, 'centre for the': 169495, 'the homeless my': 857470, 'homeless my mum': 402761, 'my mum run': 549381, 'mum run for': 545943, 'for church being': 320084, 'church being shut': 178346, 'shut down indefinitely': 767831, 'down indefinitely due': 256876, 'per lunch for': 650934, 'lunch for day': 506725, 'for day week': 320593, 'day week depend': 228691, 'week depend on': 976147, 'depend on supermarket': 237325, 'supermarket food donation': 820357, 'food donation almost': 314266, 'donation almost all': 254533, 'almost all volunteer': 46543, 'all volunteer now': 45376, 'even le for': 284287, 'le for the': 482954, 'for the hom': 326478, 'madness londonlockdown': 508188, 'londonlockdown uklockdown': 501267, 'complete madness londonlockdown': 192121, 'madness londonlockdown uklockdown': 508189, 'londonlockdown uklockdown 19': 501268, 'kith': 475807, 'kin': 474784, 'kwame': 478034, 'onwuachi': 611715, 'never cried': 557935, 'cried so': 216755, 'much kith': 545032, 'kith kin': 475808, 'kin chef': 474785, 'chef kwame': 175265, 'kwame onwuachi': 478035, 'onwuachi on': 611716, 'on closing': 599944, 'closing his': 183650, 'his restaurant': 397758, 'restaurant more': 716577, 'this tonight': 890801, '11 pm': 2578, 've never cried': 953382, 'never cried so': 557936, 'cried so much': 216756, 'so much kith': 777790, 'much kith kin': 545033, 'kith kin chef': 475809, 'kin chef kwame': 474786, 'chef kwame onwuachi': 175266, 'kwame onwuachi on': 478036, 'onwuachi on closing': 611717, 'on closing his': 599945, 'closing his restaurant': 183651, 'his restaurant more': 397759, 'restaurant more on': 716578, 'on this tonight': 604639, 'this tonight at': 890802, 'tonight at 10': 924370, 'at 10 11': 97397, '10 11 pm': 1229, 'sobriety': 779387, 'gotta respect': 359094, 'dutch sobriety': 263515, 'sobriety shown': 779388, 'shown by': 767577, 'minister in': 533383, 'dutch supermarket': 263520, 'socialdistanacing netherlands': 780080, 'gotta respect and': 359095, 'respect and love': 714964, 'and love the': 66426, 'love the dutch': 504805, 'the dutch sobriety': 853797, 'dutch sobriety shown': 263516, 'sobriety shown by': 779389, 'shown by the': 767579, 'by the prime': 154415, 'prime minister in': 678140, 'minister in dutch': 533384, 'in dutch supermarket': 422429, 'dutch supermarket coronacrisis': 263521, 'supermarket coronacrisis socialdistanacing': 819797, 'coronacrisis socialdistanacing netherlands': 204761, 'given freedom': 351000, 'decision so': 231087, 'kind basically': 474817, 'we are controlled': 970514, 'when given freedom': 983467, 'given freedom of': 351001, 'freedom of choice': 332378, 'of choice we': 581404, 'selfish decision so': 748070, 'decision so we': 231088, 'need an authority': 554402, 'force to be': 328522, 'be kind basically': 115612, 'kind basically we': 474818, 'basically we need': 112181, 'fall to below': 297095, 'to below 26': 901754, 'below 26 the': 126571, '26 the lowest': 16193, 'can then': 159964, 'then be': 877015, 'sanitizer really should': 735640, 'should be secondary': 765722, 'public it isn': 688130, 'it isn possible': 459150, 'isn possible to': 454624, 'hand and sanitizer': 374772, 'and sanitizer can': 70863, 'sanitizer can then': 734629, 'can then be': 159965, 'then be helpful': 877017, 'be helpful 19': 115207, 'helpful 19 healthcare': 391151, 'soar environment': 779242, 'environment the': 279158, 'guardian ado': 367886, 'ado pandemic': 32649, 'foodbanks soar environment': 317843, 'soar environment the': 779243, 'environment the guardian': 279159, 'the guardian ado': 856907, 'guardian ado pandemic': 367887, 'community can': 189774, 'peace hamont': 646000, 'our community can': 622454, 'community can get': 189775, 'their shopping done': 874718, 'shopping done in': 762509, 'done in peace': 254896, 'in peace hamont': 426565, 'security or': 744696, 'or struggling': 617255, 'struggling paycheck': 814475, 'paycheck find': 645283, 'it nearly': 459744, 'of american on': 580068, 'american on social': 52110, 'social security or': 779949, 'security or struggling': 744697, 'or struggling paycheck': 617256, 'struggling paycheck to': 814476, 'to paycheck find': 911581, 'paycheck find it': 645284, 'find it nearly': 307002, 'it nearly impossible': 459745, 'nearly impossible to': 553836, 'impossible to stock': 419407, 'or medication 19': 616111, 'website now': 975363, 'includes page': 431792, 'resource featuring': 714765, 'featuring info': 301592, 'about legal': 25634, 'other assistance': 619853, 'assistance available': 96667, 'resident plus': 714352, 'plus link': 661633, 'service guidance': 752430, 'general office': 345420, 'office more': 595492, 'our website now': 625346, 'website now includes': 975364, 'now includes page': 575028, 'includes page of': 431793, 'page of covid': 633874, '19 consumer resource': 5982, 'consumer resource featuring': 198773, 'resource featuring info': 714766, 'featuring info about': 301593, 'info about legal': 437404, 'about legal service': 25635, 'legal service and': 485894, 'service and other': 752101, 'and other assistance': 68284, 'other assistance available': 619854, 'assistance available to': 96668, 'available to low': 104649, 'income resident plus': 432450, 'resident plus link': 714353, 'plus link to': 661634, 'referral service guidance': 706523, 'service guidance from': 752431, 'from the attorney': 337604, 'attorney general office': 102654, 'general office more': 345425, 'non worker': 566527, 'worker job': 1007267, 'here super': 393619, 'easy super': 265765, 'super cheap': 818479, 'cheap video': 174227, 'store or your': 809383, 'or your essential': 617881, 'your essential but': 1023686, 'essential but non': 280874, 'but non worker': 146514, 'non worker job': 566528, 'worker job here': 1007268, 'job here super': 465864, 'here super easy': 393620, 'super easy super': 818494, 'easy super cheap': 265766, 'super cheap video': 818480, 'heals': 386088, 'crisis an': 217006, 'forgotten once': 329452, 'country heals': 210745, 'heals you': 386091, 'see penny': 745549, 'penny of': 646617, 'money lockdownuk': 536873, 'those shop company': 892460, 'shop company who': 760063, 'company who have': 191318, 'taken the current': 833071, 'current crisis an': 221151, 'crisis an opportunity': 217008, 'price and milk': 672470, 'and milk the': 67020, 'milk the population': 531850, 'the population it': 864027, 'population it will': 664713, 'not be forgotten': 568387, 'be forgotten once': 114928, 'forgotten once the': 329453, 'the country heals': 852092, 'country heals you': 210746, 'heals you will': 386092, 'you will never': 1022344, 'will never see': 994170, 'never see penny': 558167, 'see penny of': 745550, 'penny of my': 646618, 'my money lockdownuk': 549299, 'liberalhypocrisy': 488024, 'bullshitwatch': 142524, 'frontline non': 338799, 'non federal': 566384, 'federal worker': 302080, 'important you': 419114, 'know doctor': 476352, 'clerk stocker': 181774, 'stocker etc': 803506, 'etc liberalhypocrisy': 282637, 'liberalhypocrisy bullshitwatch': 488025, 'how about the': 407307, 'about the frontline': 26401, 'the frontline non': 855882, 'frontline non federal': 338800, 'non federal worker': 566385, 'federal worker or': 302081, 'worker or are': 1007500, 'they not important': 882788, 'not important you': 570075, 'important you know': 419115, 'you know doctor': 1019495, 'know doctor nurse': 476353, 'store clerk stocker': 807027, 'clerk stocker etc': 181775, 'stocker etc etc': 803507, 'etc etc etc': 282519, 'etc etc liberalhypocrisy': 282522, 'etc liberalhypocrisy bullshitwatch': 282638, 'horizon fishery': 404044, 'fishery lower': 309384, 'lower tuna': 506043, 'tuna can': 935375, 'horizon fishery lower': 404045, 'fishery lower tuna': 309385, 'lower tuna can': 506044, 'tuna can price': 935377, 'can price over': 159295, 'price over covid': 675816, 'lidl during': 488286, 'not once': 570756, 'once have': 605648, 'experienced long': 291584, 'queue low': 693982, 'week their': 977013, 'been well': 122369, 'well staffed': 978583, 'staffed well': 793135, 'stocked calm': 803286, 'and pleasant': 69102, 'shoutout to lidl': 766811, 'to lidl during': 909240, 'lidl during this': 488287, 'this pandemic not': 889407, 'pandemic not once': 636054, 'not once have': 570757, 'once have experienced': 605649, 'have experienced long': 380522, 'experienced long queue': 291585, 'long queue low': 501583, 'queue low stock': 693983, 'low stock or': 505644, 'stock or panic': 802589, 'or panic buying': 616489, 'few week their': 304167, 'week their supermarket': 977014, 'their supermarket ha': 874903, 'ha been well': 369983, 'been well staffed': 122370, 'well staffed well': 978584, 'staffed well stocked': 793136, 'well stocked calm': 978593, 'stocked calm and': 803287, 'calm and pleasant': 156691, 'this dire': 887237, 'dire context': 243247, 'context requires': 200916, 'requires sacrifice': 713493, 'sacrifice in': 729092, 'eating pasta': 266282, 'pasta using': 643836, 'even finding': 284064, 'finding paracetamol': 307530, 'paracetamol but': 641231, 'much no': 545181, 'more french': 539287, 'french mustard': 332742, 'mustard at': 547017, 'sugary excuse': 817500, 'for mustard': 323662, 'mustard the': 547028, 'dutch eat': 263499, 'that this dire': 846988, 'this dire context': 887238, 'dire context requires': 243248, 'context requires sacrifice': 200917, 'requires sacrifice in': 713494, 'sacrifice in term': 729093, 'term of eating': 838217, 'of eating pasta': 582943, 'eating pasta using': 266283, 'pasta using toilet': 643837, 'or even finding': 615199, 'even finding paracetamol': 284065, 'finding paracetamol but': 307531, 'paracetamol but this': 641232, 'this is too': 888432, 'is too much': 453283, 'too much no': 924935, 'much no more': 545182, 'no more french': 564806, 'more french mustard': 539288, 'french mustard at': 332743, 'mustard at the': 547018, 'supermarket only the': 821773, 'only the sugary': 611278, 'the sugary excuse': 868399, 'sugary excuse for': 817501, 'excuse for mustard': 289743, 'for mustard the': 323663, 'mustard the dutch': 547029, 'the dutch eat': 853794, 'dutch eat this': 263500, 'eat this ha': 266083, 'making run': 511316, 'today since': 920186, 'usually restock': 951149, 'restock produce': 716892, 'produce on': 680377, 'tuesday going': 935151, 'ordering app': 618946, 'my benefit': 547428, 'much store': 545329, 'wa planning on': 962940, 'planning on making': 658567, 'on making run': 601972, 'making run to': 511317, 'store today since': 810865, 'today since they': 920187, 'since they usually': 770933, 'they usually restock': 883633, 'usually restock produce': 951150, 'restock produce on': 716893, 'produce on tuesday': 680378, 'on tuesday going': 604884, 'tuesday going to': 935152, 'use the online': 949683, 'the online ordering': 862276, 'online ordering app': 608707, 'ordering app for': 618947, 'app for curbside': 81707, 'for curbside pickup': 320486, 'curbside pickup not': 220657, 'pickup not for': 655987, 'not for my': 569493, 'for my benefit': 323677, 'my benefit so': 547429, 'benefit so much': 127085, 'so much store': 777813, 'much store employee': 545330, 'sherbs': 758073, 'pub near': 687731, 'near slashing': 553581, 'encouraging last': 275724, 'night stand': 563082, 'stand could': 793511, 'could genuinely': 209195, 'genuinely trigger': 345909, 'trigger surge': 931893, 'their guard': 873455, 'guard after': 367769, 'few sherbs': 304063, 'load of pub': 497277, 'of pub near': 588582, 'pub near slashing': 687733, 'near slashing price': 553582, 'slashing price and': 773676, 'price and encouraging': 672404, 'and encouraging last': 62109, 'encouraging last night': 275725, 'last night stand': 480392, 'night stand could': 563083, 'stand could genuinely': 793512, 'could genuinely trigger': 209196, 'genuinely trigger surge': 345910, 'trigger surge in': 931894, 'in case people': 421268, 'case people drop': 165955, 'people drop their': 647732, 'drop their guard': 260410, 'their guard after': 873456, 'guard after few': 367770, 'after few sherbs': 35657, 'hig': 394892, 'sir this': 771661, 'regard of': 707142, 'being your': 126075, 'people following': 647935, 'raising to': 696152, 'to peak': 911592, 'peak if': 646073, 'home many': 401582, 'of earn': 582913, 'earn on': 264805, 'basis how': 112244, 'we afford': 970293, 'the hig': 857313, 'hello sir this': 389218, 'sir this is': 771662, 'is in regard': 448807, 'in regard of': 427348, 'regard of covid': 707143, '19 we being': 11920, 'we being your': 970846, 'being your people': 126076, 'your people following': 1025246, 'people following the': 647936, 'the rule to': 866055, 'rule to stay': 727387, 'our need at': 624000, 'are raising to': 89420, 'raising to peak': 696153, 'to peak if': 911593, 'peak if we': 646074, 'at home many': 99043, 'home many of': 401583, 'many of earn': 514371, 'of earn on': 582914, 'earn on daily': 264806, 'daily basis how': 224506, 'basis how can': 112245, 'can we afford': 160157, 'we afford the': 970294, 'afford the hig': 34769, 'coolactionsuit': 203066, 'together if': 920829, 'groundbreaking suit': 366563, 'suit coolactionsuit': 817755, 'coolactionsuit socialdistancing': 203067, 'socialdistancing preventionoverpanic': 780619, 'preventionoverpanic suit': 671905, 'stay away to': 796787, 'away to beat': 106070, 'beat this we': 118574, 'do this together': 250371, 'this together if': 890770, 'together if you': 920830, 'check out at': 174538, 'out at and': 625738, 'at and learn': 98006, 'and learn about': 66035, 'learn about our': 483936, 'about our groundbreaking': 25893, 'our groundbreaking suit': 623315, 'groundbreaking suit coolactionsuit': 366564, 'suit coolactionsuit socialdistancing': 817756, 'coolactionsuit socialdistancing preventionoverpanic': 203068, 'socialdistancing preventionoverpanic suit': 780620, 'raising up': 696156, 'item ect': 463233, 'ect you': 268429, 'hardship in': 378297, 'excuse government': 289750, 'make we': 510706, 'help government': 389822, 'nigerian how market': 562859, 'how market by': 408296, 'market by raising': 516136, 'by raising up': 153716, 'raising up price': 696157, 'food item ect': 315202, 'item ect you': 463234, 'ect you are': 268430, 'corruption and hardship': 207691, 'and hardship in': 64194, 'hardship in the': 378298, 'an excuse government': 55934, 'excuse government help': 289751, 'government help we': 360194, 'help we make': 390864, 'we make we': 972343, 'make we self': 510707, 'we self help': 973188, 'self help government': 747649, 'help government and': 389823, 'weekend please': 977389, 'share image': 755050, 'it fuel': 458174, 'fuel panic': 340213, 'shopping this weekend': 764134, 'this weekend please': 891317, 'weekend please don': 977391, 'please don share': 659922, 'don share image': 253908, 'share image of': 755051, 'empty shelf it': 275075, 'shelf it fuel': 757254, 'it fuel panic': 458175, 'fuel panic buying': 340214, 'virus started': 958799, 'started what': 794911, 'of immunity': 584989, 'immunity have': 417406, 'out gained': 626208, 'gained so': 342856, 'far other': 298875, 'having ton': 384380, 'it changed': 457103, 'serious question for': 751463, 'question for all': 693585, 'people that bought': 649753, 'that bought all': 843019, 'the toiletpaper when': 869738, 'when the virus': 984211, 'the virus started': 870895, 'virus started what': 958800, 'started what kind': 794912, 'kind of immunity': 474907, 'of immunity have': 584990, 'immunity have you': 417407, 'have you out': 383681, 'you out gained': 1020259, 'out gained so': 626209, 'gained so far': 342857, 'so far other': 777047, 'far other than': 298876, 'other than having': 621068, 'than having ton': 840738, 'having ton of': 384381, 'paper how ha': 640296, 'ha it changed': 371014, 'it changed your': 457104, 'changed your life': 172615, 'fbi raid': 300702, 'raid brooklyn': 695595, 'man home': 512100, 'he hoarded': 385090, 'hoarded over': 398957, '500 box': 19951, 'at 700': 97738, '700 mark': 21892, 'mark up': 515837, 'fbi raid brooklyn': 300703, 'raid brooklyn man': 695596, 'brooklyn man home': 140990, 'man home after': 512101, 'home after he': 400567, 'after he hoarded': 35764, 'he hoarded over': 385091, 'hoarded over 500': 398958, 'over 500 box': 629865, '500 box of': 19952, 'box of n95': 137127, 'and wa trying': 75104, 'them at 700': 875429, 'at 700 mark': 97739, '700 mark up': 21893, 'only held': 610594, 'held back': 388886, 'economy is only': 268009, 'is only held': 450540, 'only held back': 610595, 'held back by': 388887, 'back by consumer': 106920, 'secret society': 743932, 'entire government': 278679, 'government system': 360654, 'you nobody': 1020110, 'is sick': 451911, 'up the secret': 946212, 'the secret society': 866606, 'secret society ha': 743933, 'society ha it': 781231, 'ha it entire': 371019, 'it entire government': 457836, 'entire government system': 278680, 'government system are': 360655, 'system are lying': 831116, 'to you nobody': 918910, 'you nobody is': 1020111, 'nobody is sick': 566025, 'shortage toiletpaperpanic': 765275, 'stayathome behavior': 797437, 'behavior confinement': 123977, 'confinement consumer': 194062, 'about the toiletpaper': 26541, 'toiletpaper shortage toiletpaperpanic': 922474, 'shortage toiletpaperpanic stayathome': 765276, 'toiletpaperpanic stayathome behavior': 923244, 'stayathome behavior confinement': 797438, 'behavior confinement consumer': 123978, 'confinement consumer hoarding': 194063, 'ur staff': 948064, 'staff asked': 792226, 'shutdown wa': 768126, 'wa affecting': 961448, 'affecting business': 34496, 'said lot': 731205, 'people cancelling': 647422, 'cancelling booking': 161207, 'booking checked': 134717, 'checked online': 174763, 'demand picked': 236026, 'picked another': 655786, 'another operator': 77742, 'operator since': 613402, 'since ur': 770957, 'ur so': 948062, 'so keen': 777504, 'keen on': 471264, 'on putting': 603031, 'putting peop': 691197, 'speaking with ur': 787783, 'with ur staff': 1001925, 'ur staff asked': 948065, 'staff asked if': 792227, 'asked if the': 95774, 'if the shutdown': 415030, 'the shutdown wa': 867137, 'shutdown wa affecting': 768127, 'wa affecting business': 961449, 'affecting business he': 34497, 'business he said': 143836, 'he said lot': 385367, 'said lot of': 731206, 'of people cancelling': 587883, 'people cancelling booking': 647423, 'cancelling booking checked': 161208, 'booking checked online': 134718, 'checked online and': 174764, 'online and your': 607861, 'and your price': 76093, 'gone up supply': 356431, 'up supply demand': 946103, 'supply demand picked': 825157, 'demand picked another': 236027, 'picked another operator': 655787, 'another operator since': 77743, 'operator since ur': 613403, 'since ur so': 770958, 'ur so keen': 948063, 'so keen on': 777505, 'keen on putting': 471265, 'on putting peop': 603033, 'hi if': 394668, 'if and': 413817, 'stupidity give': 815530, 'you anxiety': 1017024, 'store am': 806158, 'am learning': 50175, 'learning this': 484246, 'way don': 969554, 'me learn': 523063, 'my mistake': 549248, 'hi if and': 394669, 'if and people': 413819, 'and people stupidity': 68884, 'people stupidity give': 649683, 'stupidity give you': 815531, 'give you anxiety': 350850, 'you anxiety don': 1017025, 'anxiety don go': 78688, 'grocery store am': 365189, 'store am learning': 806159, 'am learning this': 50176, 'learning this the': 484247, 'this the hard': 890523, 'hard way don': 378100, 'way don be': 969555, 'be like me': 115739, 'like me learn': 490748, 'me learn from': 523064, 'learn from my': 483967, 'from my mistake': 336516, 'algorithm drive': 41652, 'staff fra': 792471, 'the algorithm drive': 848572, 'algorithm drive up': 41653, 'up price in': 945820, 'price in state': 674736, 'very poor staff': 955419, 'poor staff fra': 664293, 'assistance however': 96702, 'however is': 409398, 'is subject': 452412, 'to whether': 918549, 'good standing': 357760, 'kept up': 473094, 'with monthly': 999546, 'monthly payment': 538185, 'payment definitely': 645592, 'will apply': 992298, 'the financial assistance': 855209, 'financial assistance however': 306331, 'assistance however is': 96703, 'however is subject': 409400, 'is subject to': 452413, 'subject to whether': 815756, 'to whether consumer': 918550, 'whether consumer is': 985498, 'in good standing': 423372, 'good standing with': 357761, 'standing with the': 793836, 'the bank and': 849232, 'bank and ha': 109612, 'and ha kept': 64074, 'ha kept up': 371071, 'kept up with': 473095, 'up with monthly': 946662, 'with monthly payment': 999547, 'monthly payment definitely': 538186, 'payment definitely will': 645593, 'definitely will apply': 232416, 'pakistan understand': 634515, 'out very': 627768, 'very badly': 955005, 'badly please': 108171, 'the avocado': 849112, 'avocado sector': 104986, 'guy stay safe': 369152, '19 is spreading': 8054, 'in pakistan understand': 426448, 'pakistan understand that': 634516, 'it can turn': 457036, 'can turn out': 160069, 'turn out very': 935745, 'out very badly': 627769, 'very badly please': 955007, 'badly please stock': 108172, 'please stock your': 660563, 'stock your home': 803228, 'food the avocado': 317113, 'the avocado sector': 849113, 'avocado sector in': 104987, 'chineseflu': 177412, 'lastly': 480785, 'person told': 652667, 'me coughing': 522612, 'said if': 731131, 'is 11': 445150, '11 chance': 2500, 'chance get': 171727, 'get either': 346932, 'or chineseflu': 614718, 'chineseflu lastly': 177413, 'lastly if': 480790, 'high five': 395084, 'five someone': 309657, '20 risk': 13308, 'everybody because': 286412, 'because twitter': 119758, 'twitter know': 936680, 'another person told': 77758, 'person told me': 652668, 'told me coughing': 923605, 'me coughing on': 522613, 'coughing on someone': 208724, 'on someone is': 603578, 'someone is worse': 784537, 'is worse yet': 454070, 'worse yet another': 1011060, 'yet another said': 1016001, 'another said if': 77825, 'said if you': 731133, 'you get in': 1018779, 'get in line': 347299, 'it is 11': 458853, 'is 11 chance': 445151, '11 chance get': 2501, 'chance get either': 171728, 'get either or': 346933, 'either or chineseflu': 270349, 'or chineseflu lastly': 614719, 'chineseflu lastly if': 177414, 'lastly if you': 480791, 'if you high': 415454, 'you high five': 1019218, 'high five someone': 395085, 'five someone in': 309658, 'someone in 20': 784508, 'in 20 risk': 419741, '20 risk my': 13309, 'risk my point': 723702, 'my point is': 549804, 'listen to everybody': 494733, 'to everybody because': 905320, 'everybody because twitter': 286413, 'because twitter know': 119759, 'kenney now': 472797, 'now speaks': 575875, 'speaks from': 787793, 'legislature today': 486023, '19 adding': 4809, 'jason kenney now': 464848, 'kenney now speaks': 472798, 'now speaks from': 575876, 'speaks from the': 787794, 'alberta legislature today': 40810, 'legislature today we': 486024, 'today we face': 920473, 'we face not': 971517, 'face not one': 294641, 'he say with': 385404, 'say with covid': 739498, 'covid 19 adding': 212581, '19 adding to': 4810, 'whinge': 987720, 'inevitably whinge': 436434, 'whinge tomorrow': 987723, 'tomorrow about': 924003, 'closed supermarket': 183353, 'job under': 466247, 'circumstance particularly': 178738, 'particularly deserve': 642672, 'deserve day': 238044, 'off away': 593673, 'virus worry': 959063, 'worry stayhomesavelives': 1010770, 'stayhomesavelives eastersunday': 798373, 'eastersunday clapforkeyworkers': 265606, 'who will inevitably': 989990, 'will inevitably whinge': 993844, 'inevitably whinge tomorrow': 436435, 'whinge tomorrow about': 987724, 'tomorrow about the': 924004, 'about the supermarket': 26533, 'being closed supermarket': 124965, 'closed supermarket staff': 183354, 'amazing job under': 50726, 'job under difficult': 466248, 'difficult circumstance particularly': 242202, 'circumstance particularly deserve': 178739, 'particularly deserve day': 642673, 'deserve day off': 238045, 'day off away': 228123, 'off away from': 593674, 'away from virus': 105922, 'from virus worry': 338252, 'virus worry stayhomesavelives': 959064, 'worry stayhomesavelives eastersunday': 1010771, 'stayhomesavelives eastersunday clapforkeyworkers': 798374, 'hurriedly': 411498, 'armful': 92963, 'playing game': 659405, 'game not': 343208, 'playing refuse': 659439, 'these government': 880061, 'government experiment': 360076, 'experiment you': 291741, 'safe brother': 729523, 'brother he': 141067, 'say intensely': 738808, 'intensely he': 441089, 'he hurriedly': 385098, 'hurriedly exit': 411499, 'an armful': 55401, 'armful of': 92964, 'of star': 590043, 'war figure': 966431, 'figure stophoarding': 305235, 'not playing game': 571040, 'playing game not': 659406, 'game not playing': 343209, 'not playing refuse': 571041, 'playing refuse to': 659440, 'refuse to take': 707044, 'to take part': 916221, 'in these government': 429843, 'these government experiment': 880062, 'government experiment you': 360077, 'experiment you stay': 291742, 'you stay safe': 1021376, 'stay safe brother': 797215, 'safe brother he': 729524, 'brother he say': 141068, 'he say intensely': 385394, 'say intensely he': 738809, 'intensely he hurriedly': 441090, 'he hurriedly exit': 385099, 'hurriedly exit the': 411500, 'exit the shop': 290378, 'shop with an': 761057, 'with an armful': 997205, 'an armful of': 55402, 'armful of star': 92965, 'of star war': 590044, 'star war figure': 794075, 'war figure stophoarding': 966432, 'dailybriefing': 224903, 'didn trump': 241242, 'one great': 606367, 'he offering': 385272, 'offering government': 595131, 'government protection': 360493, 'drop dailybriefing': 260171, 'didn trump say': 241243, 'trump say one': 933823, 'say one great': 739025, 'one great thing': 606368, 'great thing about': 363046, 'about the wa': 26555, 'the wa low': 871014, 'gas price now': 344004, 'price now he': 675379, 'now he offering': 574905, 'he offering government': 385273, 'offering government protection': 595132, 'government protection against': 360494, 'protection against the': 685296, 'against the drop': 37656, 'the drop dailybriefing': 853708, 'selling share': 749437, 'insidertrading selling share': 439490, 'selling share before': 749438, 'cutthroat': 223706, 'wealthiest': 974189, 'the cutthroat': 852748, 'cutthroat tactic': 223707, 'war risk': 966523, 'crisis worse': 218443, 'selfishness isn': 748363, 'isn surprise': 454689, 'surprise under': 828557, 'the apparent': 848822, 'apparent desperation': 81886, 'desperation of': 238606, 'the wealthiest': 871240, 'wealthiest country': 974190, 'analysis the cutthroat': 57087, 'the cutthroat tactic': 852749, 'cutthroat tactic of': 223708, 'the mask war': 860231, 'mask war risk': 519498, 'war risk making': 966524, 'risk making the': 723676, 'making the covid': 511411, '19 crisis worse': 6357, 'crisis worse for': 218444, 'worse for everyone': 1010931, 'for everyone the': 321242, 'everyone the selfishness': 287467, 'the selfishness isn': 866675, 'selfishness isn surprise': 748364, 'isn surprise under': 454690, 'surprise under the': 828558, 'circumstance but the': 178717, 'but the apparent': 147309, 'the apparent desperation': 848823, 'apparent desperation of': 81887, 'desperation of some': 238607, 'of the wealthiest': 591609, 'the wealthiest country': 871241, 'wealthiest country on': 974191, 'on earth is': 600469, 'deloitteer': 234807, 'by deloitteer': 152322, 'deloitteer on': 234808, 'side moment': 768835, 'moment commodity': 535899, 'confidence on': 193924, 'on mining': 602133, 'mining oilandgas': 533287, 'oilandgas in': 597544, 'article by deloitteer': 94277, 'by deloitteer on': 152323, 'deloitteer on the': 234809, '19 on supply': 8967, 'and demand side': 61168, 'demand side moment': 236214, 'side moment commodity': 768836, 'moment commodity price': 535900, 'price and investor': 672449, 'and investor confidence': 65369, 'investor confidence on': 444138, 'confidence on mining': 193925, 'on mining oilandgas': 602134, 'mining oilandgas in': 533288, 'oilandgas in australia': 597545, 'rejoice': 708345, 'hoarding grandmother': 399340, 'grandmother everywhere': 361928, 'everywhere rejoice': 288251, 'rejoice while': 708346, 'while expired': 986814, 'skyrocket labeled': 773319, 'labeled pre': 478373, 'pre snack': 669207, 'hoarding grandmother everywhere': 399341, 'grandmother everywhere rejoice': 361929, 'everywhere rejoice while': 288252, 'rejoice while expired': 708347, 'while expired food': 986815, 'expired food price': 292063, 'price skyrocket labeled': 676438, 'skyrocket labeled pre': 773320, 'labeled pre snack': 478374, 'imagined live': 416842, 'live dangerously': 495784, 'dangerously would': 225811, 'buy dozen': 148547, 'egg stayathome': 269988, 'quaratinelife quarantineactivities': 693140, 'quarantineactivities sundaythoughts': 692745, 'never imagined live': 558072, 'imagined live dangerously': 416843, 'live dangerously would': 495785, 'dangerously would be': 225812, 'would be going': 1011589, 'to buy dozen': 902217, 'buy dozen egg': 148548, 'dozen egg stayathome': 257874, 'egg stayathome quaratinelife': 269989, 'stayathome quaratinelife quarantineactivities': 797591, 'quaratinelife quarantineactivities sundaythoughts': 693141, 'seeing spike': 746476, 'these key product': 880211, 'key product are': 473374, 'product are seeing': 680948, 'are seeing spike': 89915, 'seeing spike in': 746477, 'spike in consumer': 789293, 'consumer demand retail': 197163, 'shown that we': 767620, 'essential worker for': 281830, 'worker for so': 1006972, 'long we will': 501836, 'the employee of': 854264, 'supermarket and restaurant': 819049, 'and restaurant they': 70394, 'restaurant they deserve': 716749, 'watch hongkongers': 968440, 'watch hongkongers make': 968441, 'high price on': 395265, 'price on youtube': 675739, 'purportedly': 690085, 'hacker are': 372763, 'heightened consumer': 388815, 'target user': 834523, 'user with': 950328, 'phishing campaign': 654805, 'campaign sending': 157249, 'sending malware': 750039, 'malware link': 511902, 'link purportedly': 493889, 'purportedly related': 690086, 'to information': 908389, 'virus phishing': 958629, 'phishing cybersecurity': 654807, 'cybersecurity malware': 224001, 'hacker are taking': 372765, 'advantage of heightened': 33007, 'of heightened consumer': 584530, 'heightened consumer anxiety': 388816, 'the outbreak to': 862714, 'outbreak to target': 628763, 'to target user': 916303, 'target user with': 834524, 'user with email': 950329, 'with email phishing': 998199, 'email phishing campaign': 272269, 'phishing campaign sending': 654806, 'campaign sending malware': 157250, 'sending malware link': 750040, 'malware link purportedly': 511903, 'link purportedly related': 493890, 'purportedly related to': 690087, 'related to information': 708609, 'to information on': 908390, 'the virus phishing': 870878, 'virus phishing cybersecurity': 958630, 'phishing cybersecurity malware': 654808, 'yesterday during': 1015715, 'black saturday': 132119, 'saturday at': 737013, 'yesterday during the': 1015716, 'during the black': 263090, 'the black saturday': 849744, 'black saturday at': 132120, 'saturday at the': 737014, 'local supermarket because': 498503, 'keep even': 471472, 'are designated': 85788, 'designated to': 238313, 'distance superbrugsen': 246841, 'ever to keep': 285563, 'to keep even': 908783, 'keep even when': 471473, 'even when grocery': 284780, 'grocery shopping many': 365051, 'shopping many supermarket': 763245, 'many supermarket are': 514755, 'spread of at': 790652, 'of at this': 580425, 'this supermarket shopper': 890437, 'supermarket shopper are': 822609, 'shopper are designated': 761388, 'are designated to': 85789, 'designated to wait': 238314, 'while keeping distance': 986988, 'keeping distance superbrugsen': 472408, 'distance superbrugsen br': 246842, 'kuwari': 478006, 'inspect': 439757, 'mr ali': 544342, 'ali bin': 41693, 'bin ahmed': 130995, 'ahmed al': 39249, 'al kuwari': 40584, 'kuwari minister': 478007, 'industry toured': 436183, 'toured number': 926946, 'of hypermarket': 584948, 'hypermarket to': 412364, 'to inspect': 908410, 'inspect ass': 439758, 'monitor market': 537301, 'at stable': 100621, 'price qatar': 676038, 'qatar yoursafetyismysafety': 691506, 'mr ali bin': 544343, 'ali bin ahmed': 41694, 'bin ahmed al': 130996, 'ahmed al kuwari': 39250, 'al kuwari minister': 40585, 'kuwari minister of': 478008, 'minister of commerce': 533423, 'of commerce and': 581549, 'commerce and industry': 188515, 'and industry toured': 65186, 'industry toured number': 436184, 'toured number of': 926947, 'number of hypermarket': 576948, 'of hypermarket to': 584949, 'hypermarket to inspect': 412365, 'to inspect ass': 908411, 'inspect ass and': 439759, 'ass and monitor': 96246, 'and monitor market': 67119, 'monitor market and': 537302, 'market and ensure': 515962, 'ensure the availability': 278079, 'consumer good at': 197599, 'good at stable': 356802, 'at stable price': 100622, 'stable price qatar': 791944, 'price qatar yoursafetyismysafety': 676039, 'ache': 29008, 'lose child': 503425, 'child my': 176149, 'heart ache': 388258, 'ache for': 29009, 'this family': 887511, 'family trump': 298340, 'held responsible': 388923, 'told about': 923514, 'last moment so': 480324, 'moment so sad': 536043, 'sad to lose': 729273, 'to lose child': 909455, 'lose child my': 503426, 'child my heart': 176150, 'my heart ache': 548647, 'heart ache for': 388259, 'ache for this': 29011, 'for this family': 327026, 'this family trump': 887516, 'family trump must': 298341, 'trump must be': 933715, 'must be held': 546511, 'be held responsible': 115195, 'held responsible for': 388924, 'for the chaos': 326341, 'the chaos with': 850697, 'chaos with the': 173085, 'with the he': 1001327, 'the he wa': 857160, 'he wa told': 385624, 'wa told about': 963536, 'told about it': 923515, 'it in 2019': 458722, 'ever military': 285413, 'called into': 156353, 'into service': 442972, 'to duty': 904810, 'disease coming': 245108, 'state problem': 795874, 'control something': 202137, 'something stink': 785066, 'gas lowering': 343892, 'lowering and': 506093, 'government using': 360768, 'using diversion': 950464, 'price are lower': 672696, 'than ever military': 840594, 'ever military personnel': 285414, 'military personnel are': 531484, 'being called into': 124913, 'called into service': 156356, 'into service and': 442973, 'service and military': 752097, 'and military personnel': 67009, 'called to duty': 156473, 'to duty is': 904811, 'another disease coming': 77582, 'disease coming from': 245109, 'coming from outside': 188059, 'outside the united': 629605, 'united state problem': 942237, 'state problem created': 795875, 'for control something': 320338, 'control something stink': 202138, 'something stink here': 785067, 'is the gas': 452806, 'the gas lowering': 856170, 'gas lowering and': 343893, 'lowering and call': 506094, 'call to duty': 156173, 'duty is the': 263585, 'the government using': 856619, 'government using diversion': 360769, 'using diversion to': 950465, 'before wa': 123269, 'done because': 254789, 'attack sitting': 102154, 'lot doing': 504034, 'doing breathing': 252314, 'breathing exercise': 139221, 'exercise ve': 290111, 'avoided public': 105424, 'for quite': 324925, 'quite sometime': 694923, 'sometime what': 785181, 'store before wa': 806707, 'before wa done': 123270, 'wa done because': 962017, 'done because of': 254790, 'panic attack sitting': 637381, 'attack sitting in': 102155, 'sitting in the': 772122, 'parking lot doing': 642084, 'lot doing breathing': 504035, 'doing breathing exercise': 252315, 'breathing exercise ve': 139222, 'exercise ve been': 290112, 've been fortunate': 952885, 'to have avoided': 907205, 'have avoided public': 379390, 'avoided public panic': 105425, 'panic for quite': 638123, 'for quite sometime': 324927, 'quite sometime what': 694924, 'sometime what is': 785182, 'evaluate': 283716, 'job held': 465858, 'held by': 388892, 'home compared': 400911, 'to pharmacist': 911689, 'pharmacist care': 654122, 'carers people': 164602, 'not earning': 569128, 'earning much': 264873, 'maybe re': 521781, 're evaluate': 698622, 'evaluate what': 283717, 'the 100 00': 847860, '100 00 job': 1791, '00 job held': 285, 'job held by': 465859, 'held by people': 388893, 'by people forced': 153549, 'at home compared': 98956, 'home compared to': 400912, 'compared to pharmacist': 191437, 'to pharmacist care': 911690, 'pharmacist care worker': 654124, 'supermarket worker postal': 824074, 'worker carers people': 1006611, 'carers people at': 164603, 'working but not': 1008545, 'but not earning': 146535, 'not earning much': 569129, 'earning much maybe': 264874, 'much maybe re': 545076, 'maybe re evaluate': 521782, 're evaluate what': 698623, 'evaluate what we': 283718, 'to 76': 899833, '76 per': 22238, 'carolina gas': 164838, 'since 1993': 770432, '1993 amid': 12498, 'pandemic smartnews': 636490, 'drop to 76': 260422, 'to 76 per': 899834, '76 per gallon': 22239, 'per gallon in': 650849, 'gallon in north': 343026, 'north carolina gas': 567631, 'carolina gas demand': 164839, 'gas demand at': 343813, 'demand at lowest': 235044, 'at lowest level': 99643, 'level since 1993': 487702, 'since 1993 amid': 770433, '1993 amid covid': 12499, '19 pandemic smartnews': 9472, 'so wiped': 778783, 'then touched': 877688, 'that coin': 843251, 'coin chain': 185631, 'chain thing': 171183, 'then used': 877705, 'but touched': 147618, 'touched the': 926644, 'my infected': 548847, 'infected hand': 436579, 'touched grocery': 926615, 'hand which': 375980, 'house anyone': 406190, 'so wiped the': 778784, 'wiped the cart': 996481, 'the cart down': 850444, 'cart down but': 165288, 'but then touched': 147455, 'then touched that': 877690, 'touched that coin': 926641, 'that coin chain': 843252, 'coin chain thing': 185632, 'chain thing then': 171184, 'thing then used': 884842, 'then used my': 877706, 'used my hand': 949967, 'sanitizer but touched': 734615, 'but touched the': 147619, 'touched the bottle': 926645, 'the bottle of': 849897, 'bottle of the': 136299, 'sanitizer with my': 736136, 'with my infected': 999633, 'my infected hand': 548848, 'infected hand then': 436580, 'hand then touched': 375833, 'then touched grocery': 877689, 'touched grocery with': 926616, 'grocery with those': 366151, 'with those hand': 1001749, 'those hand which': 892046, 'hand which are': 375981, 'which are now': 985690, 'my house anyone': 548724, 'house anyone else': 406191, 'just bail': 468259, 'out airline': 625592, 'airline executive': 39947, 'executive shareholder': 289937, 'shareholder without': 755490, 'without labor': 1002751, 'labor consumer': 478401, 'protection assistance': 685336, 'be giveaway': 115018, 'giveaway the': 350914, 'is felt': 447779, 'felt beyond': 303360, 'beyond big': 129141, 'corporation we': 207471, 'ensure worker': 278125, 'we cannot just': 971068, 'cannot just bail': 161977, 'just bail out': 468260, 'bail out airline': 108587, 'out airline executive': 625593, 'airline executive shareholder': 39948, 'executive shareholder without': 289938, 'shareholder without labor': 755491, 'without labor consumer': 1002752, 'labor consumer protection': 478402, 'consumer protection assistance': 198508, 'protection assistance for': 685337, 'assistance for the': 96694, 'for the travel': 326740, 'travel industry can': 930398, 'industry can just': 435715, 'just be giveaway': 468272, 'be giveaway the': 115019, 'giveaway the impact': 350915, '19 is felt': 7970, 'is felt beyond': 447780, 'felt beyond big': 303361, 'beyond big corporation': 129142, 'big corporation we': 129720, 'corporation we need': 207472, 'to ensure worker': 905203, 'ensure worker are': 278126, 'worker are taken': 1006431, 'are taken care': 90705, 'crucially': 219488, 'manhattanites': 513141, 'disdain': 245063, 'just drastic': 468647, 'drastic food': 258403, 'shortage every': 764933, 'every aspect': 285675, 'life most': 488886, 'most crucially': 542226, 'crucially medical': 219489, 'strain by': 812268, 'by sudden': 154153, 'sudden influx': 817009, 'of rich': 589103, 'rich manhattanites': 721237, 'manhattanites panic': 513142, 'panic fleeing': 638101, 'fleeing bringing': 310308, 'bringing disdain': 140155, 'disdain amp': 245064, 'amp disregard': 53654, 'case knowingly': 165845, 'knowingly bringing': 477160, 'not just drastic': 570220, 'just drastic food': 468648, 'drastic food shortage': 258404, 'food shortage every': 316572, 'shortage every aspect': 764934, 'every aspect of': 285676, 'aspect of life': 96217, 'of life most': 585829, 'life most crucially': 488887, 'most crucially medical': 542227, 'crucially medical care': 219490, 'care is under': 164032, 'is under strain': 453466, 'under strain by': 940269, 'strain by sudden': 812269, 'by sudden influx': 154154, 'sudden influx of': 817010, 'influx of rich': 437391, 'of rich manhattanites': 589104, 'rich manhattanites panic': 721238, 'manhattanites panic fleeing': 513143, 'panic fleeing bringing': 638102, 'fleeing bringing disdain': 310309, 'bringing disdain amp': 140156, 'disdain amp disregard': 245065, 'amp disregard for': 53655, 'disregard for the': 246346, 'for the little': 326534, 'the little people': 859492, 'little people in': 495518, 'people in some': 648432, 'some case knowingly': 782488, 'case knowingly bringing': 165846, 'be seeking': 117034, 'buck during': 141660, 'family ve': 298346, 'received some': 703685, 'some worrying': 784236, 'worrying report': 1010832, 'about independent': 25522, 'supermarket hiking': 820754, 'should be seeking': 765723, 'be seeking to': 117035, 'seeking to make': 746660, 'quick buck during': 694287, 'buck during these': 141661, 'these difficult and': 879923, 'difficult and uncertain': 242187, 'and uncertain time': 74603, 'time for so': 896754, 'so many family': 777658, 'many family ve': 514058, 'family ve received': 298347, 've received some': 953491, 'received some worrying': 703686, 'some worrying report': 784237, 'worrying report about': 1010833, 'report about independent': 711782, 'about independent supermarket': 25523, 'independent supermarket hiking': 434141, 'supermarket hiking price': 820755, 'schull': 742063, 'polite request': 663602, 'soon come': 785679, 'end supermarket': 275969, 'are pissed': 89089, 'pissed first': 656965, 'first point': 308877, 'place schull': 657675, 'schull ha': 742064, 'message shared': 529416, 'all village': 45366, 'village stayhomesavelives': 957369, 'polite request to': 663603, 'request to stay': 713221, 'stay away will': 796789, 'away will soon': 106113, 'will soon come': 994892, 'soon come to': 785680, 'come to an': 187553, 'an end supermarket': 55735, 'end supermarket staff': 275970, 'staff are pissed': 792202, 'are pissed first': 89090, 'pissed first point': 656966, 'first point of': 308878, 'point of contact': 662556, 'of contact in': 581801, 'contact in many': 200104, 'in many place': 425060, 'many place schull': 514566, 'place schull ha': 657676, 'schull ha message': 742065, 'ha message shared': 371270, 'message shared by': 529417, 'shared by all': 755396, 'by all village': 151793, 'all village stayhomesavelives': 45367, 'sebastien': 743614, 'boyer': 137411, 'farmwise': 299683, 'penned': 646541, 'sebastien boyer': 743615, 'boyer ceo': 137412, 'of farmwise': 583435, 'farmwise penned': 299684, 'penned this': 646542, 'system price': 831294, 'shortage give': 764972, 'sebastien boyer ceo': 743616, 'boyer ceo of': 137413, 'ceo of farmwise': 169778, 'of farmwise penned': 583436, 'farmwise penned this': 299685, 'penned this article': 646543, 'this article about': 886410, 'outbreak and it': 627997, 'effect on our': 269090, 'production system price': 682218, 'system price and': 831295, 'price and labor': 672453, 'labor shortage give': 478442, 'shortage give it': 764973, 'give it read': 350548, 'it read here': 460610, 'cierretotal': 178461, 'some necessity': 783342, 'necessity supermarket': 554265, 'is restricting': 451483, 'restricting access': 717181, 'access already': 28097, 'already shelf': 47648, 'emptying fast': 275260, 'fast lot': 300004, 'science fiction': 742105, 'fiction movie': 304427, 'movie cierretotal': 543997, 'cierretotal in': 178462, 'just went out': 470279, 'get some necessity': 348065, 'some necessity supermarket': 783344, 'necessity supermarket is': 554266, 'supermarket is restricting': 821120, 'is restricting access': 451484, 'restricting access already': 717182, 'access already shelf': 28098, 'already shelf are': 47649, 'shelf are emptying': 756798, 'are emptying fast': 86179, 'emptying fast lot': 275261, 'fast lot of': 300005, 'of customer with': 582289, 'customer with face': 223102, 'face mask like': 294560, 'mask like in': 518914, 'like in science': 490500, 'in science fiction': 427736, 'science fiction movie': 742106, 'fiction movie cierretotal': 304428, 'movie cierretotal in': 543998, 'cierretotal in chile': 178463, 'growing division': 367175, 'division between': 248667, 'between non': 128836, 'of maintaining': 586103, 'maintaining online': 509119, 'weekly analysis': 977468, 'there is growing': 878568, 'is growing division': 448235, 'growing division between': 367176, 'division between non': 248668, 'between non food': 128837, 'food retailer to': 316227, 'retailer to the': 719387, 'to the ethic': 916680, 'ethic of maintaining': 283054, 'of maintaining online': 586104, 'maintaining online operation': 509120, 'online operation during': 608640, 'operation during the': 613178, '19 crisis week': 6348, 'crisis week of': 218362, 'our weekly analysis': 625363, 'weekly analysis of': 977469, 'retail market is': 718311, 'market is available': 516615, 'is available here': 445919, 'wof': 1003348, 'and garage': 63463, 'garage essential': 343481, 'not are': 568241, 'still enforcing': 800489, 'enforcing having': 276817, 'current warrant': 221426, 'warrant of': 967320, 'of fitness': 583564, 'fitness pensioner': 309528, 'pensioner living': 646684, 'living 36': 496309, '36 km': 18011, 'km from': 475942, 'my wof': 550627, 'wof expires': 1003349, 'expires april': 292079, 'april need': 83645, 'are and garage': 84545, 'and garage essential': 63464, 'garage essential service': 343482, 'essential service if': 281508, 'service if not': 752468, 'if not are': 414487, 'not are we': 568242, 'we still enforcing': 973401, 'still enforcing having': 800490, 'enforcing having current': 276818, 'having current warrant': 384024, 'current warrant of': 221427, 'warrant of fitness': 967321, 'of fitness pensioner': 583565, 'fitness pensioner living': 309529, 'pensioner living 36': 646685, 'living 36 km': 496310, '36 km from': 18012, 'km from the': 475943, 'nearest supermarket my': 553731, 'supermarket my wof': 821564, 'my wof expires': 550628, 'wof expires april': 1003350, 'expires april need': 292080, 'april need the': 83646, 'need the car': 555741, 'scientist develop': 742210, 'develop test': 239661, 'can diagnose': 158060, 'diagnose covid': 240214, 'consumer dna': 197231, 'dna testing': 248993, 'testing service': 839632, 'service developed': 752288, 'by engineer': 152494, 'engineer at': 276956, 'at imperial': 99262, 'college london': 186622, 'scientist develop test': 742211, 'develop test that': 239662, 'test that can': 839191, 'that can diagnose': 843102, 'can diagnose covid': 158061, 'diagnose covid 19': 240215, 'in just over': 424423, 'just over an': 469424, 'an hour the': 56104, 'hour the technology': 405986, 'the technology is': 869234, 'technology is based': 836319, 'on consumer dna': 600042, 'consumer dna testing': 197233, 'dna testing service': 248994, 'testing service developed': 839633, 'service developed by': 752289, 'developed by engineer': 239689, 'by engineer at': 152495, 'engineer at imperial': 276957, 'at imperial college': 99263, 'imperial college london': 418353, 'well morrison': 978404, 'morrison order': 541745, 'say 60': 738372, 'it missing': 459640, 'missing so': 534324, 'so once': 777946, 'once case': 605604, 'case finished': 165738, 'finished at': 307892, 'station today': 796539, 'supermarket somewhere': 822778, 'somewhere that': 785311, 'item village': 463787, 'shop doesn': 760101, 'doesn didn': 251746, 'usual shop': 951011, 'so thanks': 778358, 'well morrison order': 978405, 'morrison order on': 541746, 'order on way': 618461, 'on way and': 605121, 'way and say': 969460, 'and say 60': 70991, 'say 60 of': 738373, '60 of it': 20965, 'of it missing': 585419, 'it missing so': 459641, 'missing so once': 534325, 'so once case': 777948, 'once case finished': 605605, 'case finished at': 165739, 'finished at police': 307893, 'at police station': 100155, 'police station today': 663217, 'station today will': 796540, 'today will have': 920541, 'have to find': 383212, 'find supermarket somewhere': 307263, 'supermarket somewhere that': 822779, 'somewhere that might': 785312, 'that might have': 845160, 'might have some': 531021, 'have some item': 382632, 'some item village': 783156, 'item village shop': 463788, 'village shop doesn': 957367, 'shop doesn didn': 760102, 'doesn didn even': 251747, 'didn even order': 241048, 'even order my': 284445, 'order my usual': 618407, 'my usual shop': 550478, 'usual shop so': 951012, 'shop so thanks': 760808, 'taxcredit': 835136, 'time taxcredit': 897806, 'taxcredit for': 835137, 'janitor etc': 464545, 'etc on': 282684, 'paid society': 634134, 'be one time': 116228, 'one time taxcredit': 607262, 'time taxcredit for': 897807, 'taxcredit for nurse': 835138, 'for nurse doctor': 323993, 'worker janitor etc': 1007258, 'janitor etc on': 464546, 'etc on the': 282685, 'line of they': 493316, 'of they will': 591884, 'will have already': 993612, 'already paid society': 47560, 'wipe lysol': 996312, 'product why': 681853, 'will the store': 995158, 'store get more': 807918, 'get more hand': 347589, 'sanitizer wipe lysol': 736120, 'wipe lysol spray': 996313, 'lysol spray toilet': 507193, 'other product why': 620780, 'product why don': 681854, 'why don report': 990966, 'don report on': 253871, 'report on that': 712153, 'on that more': 603940, 'that more often': 845216, 'more often it': 539902, 'often it kind': 596221, 'kind of important': 474909, 'broome': 141014, 'correspond': 207632, 'help broome': 389438, 'broome county': 141015, 'county crushcovid': 211354, 'crushcovid please': 219792, 'possible new': 665717, 'new socialdistancing': 559615, 'guideline ask': 368400, 'that correspond': 843332, 'correspond to': 207633, 'your even': 1023694, 'or odd': 616344, 'odd birth': 579178, 'birth year': 131409, 'year detail': 1014518, 'help broome county': 389439, 'broome county crushcovid': 141016, 'county crushcovid please': 211355, 'crushcovid please people': 219793, 'please people stay': 660286, 'much possible new': 545245, 'possible new socialdistancing': 665718, 'new socialdistancing guideline': 559616, 'socialdistancing guideline ask': 780396, 'guideline ask that': 368401, 'that you only': 847736, 'you only go': 1020211, 'out to park': 627669, 'to park and': 911465, 'park and the': 641867, 'store on day': 809189, 'on day that': 600227, 'day that correspond': 228470, 'that correspond to': 843333, 'correspond to your': 207634, 'to your even': 918977, 'your even or': 1023695, 'even or odd': 284441, 'or odd birth': 616345, 'odd birth year': 579179, 'birth year detail': 131410, 'show long': 767037, 'park of': 641955, 'saturday just': 737034, 'picture show long': 656194, 'show long line': 767038, 'of people around': 587875, 'around the car': 93525, 'car park of': 163230, 'park of in': 641956, 'of in south': 585044, 'london at 6am': 501033, 'at 6am on': 97725, 'on saturday just': 603298, 'saturday just to': 737036, 'pandemic more on': 635978, 'this story here': 890363, 'president idea': 670831, 'with cost': 997817, 'cost since': 208110, 'since oil': 770771, '25 dollar': 15862, 'dollar barrel': 252955, 'barrel raise': 111272, 'price 50': 672160, '19 cost': 6143, 'are national': 88187, 'debt with': 230613, 'one caveat': 606058, 'caveat when': 168262, 'oil hit': 596859, 'hit 50': 398112, '50 barrel': 19626, 'the th': 869352, 'mr president idea': 544390, 'president idea for': 670832, 'you to help': 1021787, 'help with cost': 390904, 'with cost since': 997819, 'cost since oil': 208111, 'since oil is': 770772, 'oil is around': 596902, 'is around 20': 445807, 'around 20 25': 93124, '20 25 dollar': 12892, '25 dollar barrel': 15863, 'dollar barrel raise': 252956, 'barrel raise gas': 111273, 'gas price 50': 343923, 'price 50 cent': 672161, '50 cent to': 19654, 'cent to bring': 169128, 'bring in revenue': 139999, 'in revenue to': 427491, 'revenue to help': 720488, 'covid 19 cost': 212869, '19 cost and': 6145, 'cost and are': 207853, 'and are national': 58334, 'are national debt': 88188, 'national debt with': 552476, 'debt with one': 230614, 'with one caveat': 999881, 'one caveat when': 606059, 'caveat when oil': 168263, 'when oil hit': 983792, 'oil hit 50': 596860, 'hit 50 barrel': 398113, '50 barrel the': 19627, 'barrel the th': 111292, 'tenant have': 837844, 'them greater': 875796, 'greater protection': 363216, 'protection after': 685287, 'report warned': 712423, 'the dire': 853306, 'dire financial': 243252, 'financial outlook': 306524, 'renter the': 711306, 'the analysis': 848669, 'analysis found': 57041, 'found they': 330428, 'financially harmed': 306676, 'tenant have called': 837845, 'have called on': 379872, 'on the govt': 604148, 'govt to give': 361315, 'give them greater': 350767, 'them greater protection': 875797, 'greater protection after': 363217, 'protection after report': 685288, 'after report warned': 36120, 'report warned about': 712424, 'warned about the': 966986, 'about the dire': 26378, 'the dire financial': 853307, 'dire financial outlook': 243253, 'financial outlook for': 306525, 'outlook for renter': 629157, 'for renter the': 325127, 'renter the analysis': 711307, 'the analysis found': 848670, 'analysis found they': 57042, 'found they re': 330429, 'be financially harmed': 114847, 'financially harmed by': 306677, 'harmed by the': 378433, 'enrollonline': 277854, 'medicaredirect': 526604, 'medigap': 526939, 'medicareadvantage': 526601, 'mapd': 514954, 'home enrollonline': 401143, 'enrollonline medicaredirect': 277855, 'medicaredirect medicare': 526605, 'medicare medigap': 526583, 'medigap medicareadvantage': 526940, 'medicareadvantage mapd': 526602, 'mapd virginia': 514955, 'virginia healthinsurance': 957673, 'healthinsurance insurance': 387469, 'insurance covi': 440715, 'your home enrollonline': 1024351, 'home enrollonline medicaredirect': 401144, 'enrollonline medicaredirect medicare': 277856, 'medicaredirect medicare medigap': 526606, 'medicare medigap medicareadvantage': 526584, 'medigap medicareadvantage mapd': 526941, 'medicareadvantage mapd virginia': 526603, 'mapd virginia healthinsurance': 514956, 'virginia healthinsurance insurance': 957674, 'healthinsurance insurance covi': 387470, 'bigbiz': 130125, 'help facilitate': 389675, 'facilitate free': 295264, 'free tp': 332264, 'tp direct': 927795, 'customer mean': 222599, 'mean human': 524487, 'human the': 410633, 'fear bigbiz': 301061, 'bigbiz these': 130126, 'these corporation': 879809, 'corporation can': 207400, 'spare lotta': 787488, 'lotta square': 504447, 'toiletpaper help facilitate': 922062, 'help facilitate free': 389676, 'facilitate free tp': 295265, 'free tp direct': 332265, 'tp direct to': 927796, 'to consumer customer': 903285, 'consumer customer mean': 197041, 'customer mean human': 222600, 'mean human the': 524488, 'human the people': 410634, 'people buying up': 647355, 'buying up your': 151299, 'up your product': 946751, 'your product like': 1025440, 'product like crazy': 681360, 'like crazy out': 490069, 'crazy out of': 215374, 'of fear bigbiz': 583454, 'fear bigbiz these': 301062, 'bigbiz these corporation': 130127, 'these corporation can': 879810, 'corporation can spare': 207401, 'can spare lotta': 159686, 'spare lotta square': 787489, 'sharelove': 755501, 'someone looked': 784555, 'with mix': 999527, 'mix of': 534606, 'of disdain': 582668, 'disdain and': 245066, 'because said': 119523, 'said hello': 731118, 'hello forgive': 389160, 'forgive you': 329374, 'sir but': 771546, 'that fear': 843844, 'opposite of': 613802, 'love there': 504817, 'can express': 158280, 'express with': 293071, 'our eye': 622969, 'eye alone': 293997, 'alone hello': 46861, 'hello is': 389179, 'them sharelove': 876271, 'someone looked at': 784556, 'at me with': 99715, 'me with mix': 523994, 'with mix of': 999528, 'mix of disdain': 534607, 'of disdain and': 582669, 'disdain and fear': 245067, 'and fear at': 62736, 'fear at the': 301054, 'store because said': 806685, 'because said hello': 119524, 'said hello forgive': 731119, 'hello forgive you': 389161, 'forgive you sir': 329375, 'you sir but': 1021263, 'sir but please': 771547, 'but please know': 146801, 'know that fear': 476762, 'that fear is': 843845, 'is the opposite': 452879, 'the opposite of': 862415, 'opposite of love': 613803, 'of love there': 586034, 'love there are': 504818, 'we can express': 970946, 'can express with': 158281, 'express with our': 293072, 'with our eye': 999993, 'our eye alone': 622970, 'eye alone hello': 293998, 'alone hello is': 46862, 'hello is one': 389180, 'of them sharelove': 591763, 'accrued': 28834, 'pandemicprofiteers': 637131, 'attending senior': 102418, 'store hyvee': 808237, 'hyvee and': 412508, 'and saver': 70967, 'saver screw': 737812, 'screw employee': 742792, 'of accrued': 579738, 'accrued vacation': 28835, 'vacation they': 951596, 'they fire': 882116, 'job amidst': 465610, 'pandemic pandemicprofiteers': 636149, 'attending senior hour': 102419, 'grocery store hyvee': 365478, 'store hyvee and': 808238, 'hyvee and saver': 412509, 'and saver screw': 70968, 'saver screw employee': 737813, 'screw employee out': 742793, 'employee out of': 274097, 'out of accrued': 626673, 'of accrued vacation': 579739, 'accrued vacation they': 28836, 'vacation they fire': 951597, 'they fire them': 882117, 'fire them instead': 308124, 'them instead of': 875930, 'of holding their': 584706, 'holding their job': 400179, 'their job amidst': 873695, 'job amidst the': 465611, 'the pandemic pandemicprofiteers': 863048, 'thanx': 842412, 'brah': 137569, '55gl': 20436, '99gl': 23936, 'tad': 831727, 'thanx for': 842413, 'update brah': 946888, 'brah break': 137570, 'break next': 138773, 'next couple': 561314, 'great opp': 362863, 'opp to': 613536, 'few 55gl': 303704, '55gl barrel': 20437, 'gas diesel': 343821, 'diesel gas': 241663, 'price nose': 675360, 'dive 99gl': 248475, '99gl in': 23937, 'london kentucky': 501105, 'kentucky will': 472865, 'fall long': 296979, 'continues bump': 201380, 'up tad': 946116, 'tad when': 831730, 'when opec': 983807, 'production then': 682226, 'thanx for update': 842414, 'for update brah': 327464, 'update brah break': 946889, 'brah break next': 137571, 'break next couple': 138774, 'next couple week': 561316, 'couple week will': 211709, 'will be great': 992482, 'be great opp': 115092, 'great opp to': 362864, 'opp to buy': 613537, 'buy few 55gl': 148620, 'few 55gl barrel': 303705, '55gl barrel of': 20438, 'barrel of gas': 111253, 'of gas diesel': 584049, 'gas diesel gas': 343822, 'diesel gas price': 241664, 'gas price nose': 344003, 'price nose dive': 675361, 'nose dive 99gl': 567884, 'dive 99gl in': 248476, '99gl in london': 23938, 'in london kentucky': 424885, 'london kentucky will': 501106, 'kentucky will continue': 472866, 'to fall long': 905635, 'fall long covid': 296980, '19 lockdown continues': 8377, 'lockdown continues bump': 499261, 'continues bump up': 201381, 'bump up tad': 142577, 'up tad when': 946117, 'tad when opec': 831731, 'when opec cut': 983808, 'opec cut production': 611864, 'cut production then': 223510, 'ha noticed': 371387, 'noticed pasta': 573460, 'returning back': 719997, 'supermarket egg': 820099, 'find while': 307390, 'flatten this': 310132, 'this curve': 887140, 'curve soon': 221890, 'soon panicshopping': 785789, 'anyone ha noticed': 80343, 'ha noticed pasta': 371388, 'noticed pasta is': 573461, 'pasta is returning': 643744, 'is returning back': 451501, 'returning back to': 719998, 'the supermarket egg': 868569, 'supermarket egg on': 820100, 'egg on the': 269940, 'other hand are': 620338, 'hand are finding': 374798, 'it difficult and': 457549, 'difficult and hard': 242185, 'and hard to': 64187, 'to find while': 905953, 'find while shopping': 307392, 'to flatten this': 906001, 'flatten this curve': 310133, 'this curve soon': 887141, 'curve soon panicshopping': 221891, 'think biway': 885161, 'biway should': 131919, 'yet mainstream': 1016144, 'mainstream distributor': 508906, 'distributor the': 248326, 'the simpson': 867202, 'simpson and': 770325, 'and honest': 64700, 'honest ed': 403058, 'ed while': 268467, 'think biway should': 885162, 'biway should consider': 131920, 'should consider closing': 765856, 'consider closing their': 194971, '19 better yet': 5385, 'better yet mainstream': 128619, 'yet mainstream distributor': 1016145, 'mainstream distributor the': 508907, 'distributor the simpson': 248327, 'the simpson and': 867203, 'simpson and honest': 770326, 'and honest ed': 64701, 'honest ed while': 403059, 'ed while we': 268468, '5560': 20433, 'you homeschooling': 1019244, 'homeschooling your': 402955, 'kid due': 473928, 'deserve break': 238041, 'break book': 138686, 'travel while': 930571, 'low contact': 505200, 'at 610': 97709, '610 466': 21197, '466 5560': 19240, '5560 or': 20434, 'give yourself': 350892, 'yourself something': 1026706, 'are you homeschooling': 91808, 'you homeschooling your': 1019245, 'homeschooling your kid': 402956, 'your kid due': 1024557, 'kid due to': 473929, 'to the you': 917203, 'the you deserve': 872199, 'you deserve break': 1018183, 'deserve break book': 238042, 'break book trip': 138687, 'now for future': 574719, 'for future travel': 321829, 'future travel while': 342487, 'travel while the': 930572, 'are low contact': 87924, 'low contact at': 505201, 'contact at 610': 200025, 'at 610 466': 97710, '610 466 5560': 21198, '466 5560 or': 19241, '5560 or info': 20435, 'info com and': 437451, 'com and give': 186918, 'and give yourself': 63672, 'give yourself something': 350893, 'yourself something to': 1026707, 'walmart sale': 965407, 'over 700': 629927, '700 store': 21902, 'store increased': 808424, 'increased nearly': 433373, '20 over': 13238, 'same period': 733219, 'period last': 651813, 'year online': 1014887, 'rose over': 726089, '30 over': 17168, 'past eight': 643535, 'walmart sale from': 965408, 'sale from it': 732239, 'from it over': 336127, 'it over 700': 460205, 'over 700 store': 629929, '700 store increased': 21903, 'store increased nearly': 808425, 'increased nearly 20': 433374, 'nearly 20 over': 553767, '20 over the': 13239, 'past four week': 643547, 'four week compared': 330700, 'week compared with': 976100, 'the same period': 866276, 'same period last': 733220, 'period last year': 651814, 'last year online': 480731, 'year online sale': 1014888, 'online sale rose': 608926, 'sale rose over': 732501, 'rose over 30': 726090, 'over 30 over': 629819, '30 over the': 17169, 'the past eight': 863353, 'past eight week': 643536, 'eight week 19': 270204, 'runtown': 728163, 'singer runtown': 771192, 'runtown to': 728164, 'share 10': 754902, 'million naira': 532250, 'naira n10m': 551489, 'n10m on': 551104, 'can stockup': 159812, 'survival essential': 829029, 'essential bless': 280831, 'bless up': 132603, 'money giveaway': 536782, 'giveaway nigeria': 350909, 'singer runtown to': 771193, 'runtown to share': 728165, 'to share 10': 914334, 'share 10 million': 754903, '10 million naira': 1528, 'million naira n10m': 532251, 'naira n10m on': 551490, 'n10m on twitter': 551105, 'twitter so that': 936718, 'people can stockup': 647413, 'can stockup on': 159813, 'stockup on survival': 804190, 'on survival essential': 603855, 'survival essential bless': 829030, 'essential bless up': 280832, 'bless up money': 132604, 'up money giveaway': 945396, 'money giveaway nigeria': 536783, 'giveaway nigeria naija': 350910, 'the plummeting': 863858, 'plummeting gas': 661379, 'are due': 86018, 'to kind': 908951, 'storm with': 811864, 'russia partnered': 728535, 'dramatic decrease': 258279, 'the plummeting gas': 863859, 'plummeting gas price': 661380, 'price are due': 672658, 'are due to': 86019, 'due to kind': 261838, 'to kind of': 908952, 'kind of supply': 474946, 'perfect storm with': 651351, 'storm with an': 811865, 'increase in production': 432860, 'production in saudi': 682074, 'and russia partnered': 70677, 'russia partnered with': 728536, 'partnered with the': 642929, 'with the dramatic': 1001273, 'the dramatic decrease': 853659, 'dramatic decrease in': 258280, 'of the around': 590802, 'the around the': 848917, '5dkk': 20641, '135dkk': 3352, 'dane solved': 225608, 'solved supermarket': 782184, 'hoarding they': 399600, 'they priced': 882908, 'priced sanitizers': 677751, 'sanitizers 1x': 736179, '1x 5dkk': 12844, '5dkk but': 20642, 'but 2x': 145033, '2x 135dkk': 16883, '135dkk problem': 3353, 'solved hoardshaming': 782178, 'hoardshaming coronacrisis': 399690, 'dane solved supermarket': 225609, 'solved supermarket hoarding': 782185, 'supermarket hoarding they': 820775, 'hoarding they priced': 399601, 'they priced sanitizers': 882909, 'priced sanitizers 1x': 677752, 'sanitizers 1x 5dkk': 736180, '1x 5dkk but': 12845, '5dkk but 2x': 20643, 'but 2x 135dkk': 145034, '2x 135dkk problem': 16884, '135dkk problem solved': 3354, 'problem solved hoardshaming': 679677, 'solved hoardshaming coronacrisis': 782179, 'likely continue': 491974, 'via retailmarketing': 956215, 'retailmarketing marketing': 719502, 'will likely continue': 993996, 'likely continue after': 491975, 'continue after the': 200992, 'is over via': 450743, 'over via retailmarketing': 630883, 'via retailmarketing marketing': 956216, 'retailmarketing marketing trend': 719503, 'cmcsa': 184665, 'atus': 102754, 'season now': 743415, 'now canceled': 574337, 'canceled we': 160972, 'expect lower': 290673, 'time watching': 898210, 'tv this': 936215, 'negatively effect': 556852, 'effect stock': 269114, 'such cmcsa': 816406, 'cmcsa msg': 184666, 'msg atus': 544520, 'atus and': 102755, 'and dis': 61381, 'dis people': 243795, 'also won': 49107, 'to game': 906356, 'gym either': 369315, 'either all': 270247, 'with the season': 1001469, 'the season now': 866565, 'season now canceled': 743416, 'now canceled we': 574338, 'canceled we can': 160973, 'can expect lower': 158277, 'expect lower consumer': 290674, 'spending and le': 788735, 'and le time': 66017, 'le time watching': 483205, 'time watching tv': 898212, 'watching tv this': 968820, 'tv this will': 936216, 'this will negatively': 891430, 'will negatively effect': 994154, 'negatively effect stock': 556853, 'effect stock such': 269115, 'stock such cmcsa': 802896, 'such cmcsa msg': 816407, 'cmcsa msg atus': 184667, 'msg atus and': 544521, 'atus and dis': 102756, 'and dis people': 61382, 'dis people also': 243796, 'people also won': 646823, 'also won be': 49108, 'go to game': 354310, 'to game or': 906357, 'game or go': 343227, 'the gym either': 856971, 'gym either all': 369316, 'either all due': 270248, 'shop shocked': 760769, 'seen picture': 747196, 'picture but': 656113, 'lot changed': 504017, 'for normal shop': 323916, 'normal shop shocked': 567315, 'shop shocked by': 760770, 've seen picture': 953545, 'seen picture but': 747197, 'picture but when': 656114, 'disappointing lot changed': 244141, 'lot changed in': 504018, 'usual following': 950940, 'following 19': 312664, 'you promote': 1020461, 'brand without': 138078, 'being seen': 125729, 'stick longer': 800036, 'term join': 838191, 'on 20': 599045, 'the new business': 861477, 'new business usual': 558429, 'business usual following': 144603, 'usual following 19': 950941, 'following 19 how': 312665, 'do you promote': 250661, 'you promote your': 1020462, 'promote your brand': 683807, 'your brand without': 1023021, 'brand without being': 138079, 'without being seen': 1002522, 'being seen to': 125730, 'seen to take': 747326, 'situation and with': 772191, 'consumer behaviour what': 196610, 'behaviour what will': 124561, 'what will stick': 982608, 'will stick longer': 994972, 'stick longer term': 800037, 'longer term join': 502065, 'term join our': 838192, 'join our webinar': 466817, 'webinar on 20': 975066, 'on 20 march': 599047, '20 march to': 13144, 'march to find': 515499, 'exception we': 289291, 'what hurt': 981615, 'hurt 20': 411539, '20 or': 13229, 'or 30': 614191, 'kill inside': 474422, 'inside people': 439358, 'sell medical': 748796, 'instrument at': 440590, 'say it but': 738834, 'it but we': 456962, 'human being with': 410447, 'being with exception': 126063, 'with exception we': 998315, 'exception we want': 289292, 'rid of what': 721400, 'of what hurt': 593054, 'what hurt 20': 981616, 'hurt 20 or': 411540, '20 or 30': 13230, 'or 30 people': 614192, '30 people but': 17182, 'people but will': 647326, 'but will kill': 147882, 'will kill inside': 993916, 'kill inside people': 474423, 'inside people sell': 439359, 'people sell medical': 649399, 'sell medical instrument': 748797, 'medical instrument at': 526223, 'instrument at double': 440591, 'at double the': 98487, 'double the price': 256071, 'the price just': 864377, 'to get rich': 906577, '19 watched': 11911, 'watched young': 968682, 'couple stuffing': 211680, 'stuffing raw': 815295, 'raw chicken': 697959, 'chicken into': 175801, 'into suitcase': 443030, 'suitcase staff': 817823, 'shopper speak': 761699, 'locust at': 500557, 'busy edinburgh': 144896, 'edinburgh supermarket': 268574, 'supermarket feeling the': 820296, 'covid 19 watched': 214049, '19 watched young': 11912, 'watched young couple': 968683, 'young couple stuffing': 1022582, 'couple stuffing raw': 211681, 'stuffing raw chicken': 815296, 'raw chicken into': 697960, 'chicken into suitcase': 175802, 'into suitcase staff': 443031, 'suitcase staff and': 817824, 'staff and shopper': 792161, 'and shopper speak': 71531, 'shopper speak of': 761700, 'speak of locust': 787697, 'of locust at': 585972, 'locust at busy': 500558, 'at busy edinburgh': 98174, 'busy edinburgh supermarket': 144897, 'unfunny': 941675, 'coronacomics': 204482, 'funny for': 341726, 'for unfunny': 327442, 'unfunny time': 941676, 'time source': 897723, 'source dana': 786468, 'dana summer': 225554, 'summer coronapocolypse': 817967, 'coronapocolypse coronacomics': 205223, 'coronacomics toiletpaper': 204483, 'funny for unfunny': 341727, 'for unfunny time': 327443, 'unfunny time source': 941677, 'time source dana': 897724, 'source dana summer': 786469, 'dana summer coronapocolypse': 225555, 'summer coronapocolypse coronacomics': 817968, 'coronapocolypse coronacomics toiletpaper': 205224, 'coronacomics toiletpaper toiletpaperpanic': 204485, 'home way': 402447, 'way before': 969491, 'my course': 547833, 'course are': 211840, 'out one': 626931, 'time week': 898249, 'have been staying': 379692, 'been staying home': 122030, 'staying home way': 798627, 'home way before': 402448, 'way before covid': 969492, '19 my course': 8722, 'my course are': 547834, 'course are all': 211841, 'are all online': 84331, 'all online only': 43749, 'online only go': 608629, 'go out one': 353972, 'out one time': 626934, 'one time week': 607264, 'time week for': 898250, 'week for shopping': 976236, 'who accept': 988016, 'accept low': 27967, 'people who accept': 650255, 'who accept low': 988017, 'accept low offer': 27968, 'discrete': 244747, 'those worried': 892752, 'about or': 25863, 'or participating': 616510, 'the lean': 859238, 'lean era': 483872, 'era it': 280058, 'meet huge': 527503, 'huge discrete': 410032, 'discrete increase': 244748, 'read for those': 700339, 'for those worried': 327154, 'those worried about': 892753, 'worried about or': 1010510, 'about or participating': 25864, 'or participating in': 616511, 'participating in grocery': 642572, 'store shopping during': 810132, 'shopping during in': 762536, 'during in the': 262719, 'in the lean': 429311, 'the lean era': 859239, 'lean era it': 483873, 'era it is': 280059, 'difficult to meet': 242340, 'to meet huge': 910029, 'meet huge discrete': 527504, 'huge discrete increase': 410033, 'discrete increase in': 244749, 'demand in store': 235677, 'in store but': 428389, 'store but the': 806812, 'but the supply': 147415, 'socialdistancing went': 780864, 'am there': 50492, 'small pile': 775059, 'of newly': 586997, 'newly delivered': 560102, 'bare sign': 110953, 'sign said': 769201, 'said limit': 731195, 'note from socialdistancing': 572730, 'from socialdistancing went': 337335, 'socialdistancing went to': 780865, '30 am there': 16957, 'am there were': 50493, 'four small pile': 330669, 'small pile of': 775060, 'pile of newly': 656506, 'of newly delivered': 586998, 'newly delivered toilet': 560103, 'wa bare sign': 961637, 'bare sign said': 110954, 'sign said limit': 769202, 'said limit bought': 731196, 'freelancelife': 332438, 'if ve': 415234, 've caught': 952985, 'it solution': 461160, 'solution stayingpositive': 782080, 'stayingpositive fridayfeeling': 798748, 'fridayfeeling freelancelife': 333327, 'freelancelife selfisolating': 332439, 'sure if ve': 827589, 'if ve caught': 415235, 've caught it': 952986, 'caught it solution': 167435, 'it solution stayingpositive': 461161, 'solution stayingpositive fridayfeeling': 782081, 'stayingpositive fridayfeeling freelancelife': 798749, 'fridayfeeling freelancelife selfisolating': 333328, 'publicservants': 688618, 'proudlyservingcanadians': 686086, 'support publicservants': 826777, 'publicservants are': 688619, 'are proudlyservingcanadians': 89309, 'proudlyservingcanadians cerb': 686087, 'our support publicservants': 625047, 'support publicservants are': 826778, 'publicservants are proudlyservingcanadians': 688620, 'are proudlyservingcanadians cerb': 89310, 'edible drink': 268547, 'surge green': 828172, 'green market': 363685, 'quarantine edible drink': 692170, 'edible drink surge': 268548, 'drink surge green': 258879, 'surge green market': 828173, 'green market report': 363686, 'send dm': 749843, 'shelf pack': 757392, 'pack food': 633043, 'parcel distribute': 641488, 'distribute or': 247998, 'or possibly': 616645, 'possibly deliver': 665913, 'deliver parcel': 233190, 'parcel donate': 641490, 'facing unprecedented level': 295651, 'of demand right': 582510, 'now and need': 574046, 'and need your': 67486, 'your help send': 1024308, 'help send dm': 390506, 'send dm if': 749844, 'dm if you': 248898, 'you can receive': 1017761, 'can receive donation': 159398, 'receive donation and': 703466, 'donation and stock': 254544, 'and stock shelf': 72416, 'stock shelf pack': 802834, 'shelf pack food': 757393, 'pack food parcel': 633044, 'food parcel distribute': 315814, 'parcel distribute or': 641489, 'distribute or possibly': 247999, 'or possibly deliver': 616646, 'possibly deliver parcel': 665914, 'deliver parcel donate': 233191, 'parcel donate food': 641491, 'donate food online': 254182, 'food online at': 315618, 'human baking': 410429, 'baking their': 108927, 'their anxiety': 872498, 'their uncertainty': 875067, 'uncertainty away': 939666, 'away socialdistancing': 106033, 'shelf are human': 756807, 'are human baking': 87267, 'human baking their': 410430, 'baking their anxiety': 108928, 'their anxiety and': 872499, 'anxiety and their': 78658, 'and their uncertainty': 73724, 'their uncertainty away': 875068, 'uncertainty away socialdistancing': 939667, 'house recommends': 406518, 'recommends shopper': 704840, 'shopper limit': 761592, 'white house recommends': 987857, 'house recommends shopper': 406519, 'recommends shopper limit': 704841, 'shopper limit trip': 761593, 'humanityfirst': 410785, 'people shout': 649457, 'for stepping': 325898, 'stepping to': 799809, 'to plate': 911783, 'and switching': 72934, 'bulk hand': 142309, '19 humanityfirst': 7628, 'those who support': 892681, 'who support the': 989714, 'support the people': 826881, 'the people shout': 863503, 'people shout out': 649458, 'out to for': 627646, 'to for stepping': 906157, 'for stepping to': 325899, 'stepping to plate': 799810, 'to plate and': 911784, 'plate and switching': 658907, 'and switching production': 72935, 'production to bulk': 682239, 'to bulk hand': 902104, 'bulk hand sanitizer': 142310, 'sanitizer for health': 734909, 'responder 19 humanityfirst': 715397, 'foodland supermarket': 317995, 'supermarket bangkok': 819292, 'bangkok 19': 109487, '19 thailand': 11122, 'thailand asia': 840090, 'asia lockdown': 95190, 'foodland supermarket bangkok': 317996, 'supermarket bangkok 19': 819293, 'bangkok 19 thailand': 109488, '19 thailand asia': 11123, 'thailand asia lockdown': 840091, 'portland chef': 665036, 'chef help': 175261, 'city new': 179267, 'temporary homeless': 837635, 'shelter check': 757908, 'these oregon': 880376, 'oregon folk': 619144, 'folk business': 312115, 'and scarce': 71045, 'scarce time': 740813, 'time inspiring': 897036, 'portland chef help': 665037, 'chef help feed': 175262, 'feed the resident': 302381, 'the city new': 850947, 'city new temporary': 179268, 'new temporary homeless': 559731, 'temporary homeless shelter': 837636, 'homeless shelter check': 402785, 'shelter check out': 757909, 'out all these': 625606, 'all these oregon': 45044, 'these oregon folk': 880377, 'oregon folk business': 619145, 'folk business in': 312116, 'industry are coming': 435660, 'help in these': 389911, 'these uncertain and': 880913, 'uncertain and scarce': 939566, 'and scarce time': 71046, 'scarce time inspiring': 740814, 'lvmh converting': 507018, 'converting perfume': 202569, 'ikea ecommerce': 416041, 'ecommerce strategy': 266877, 'strategy america': 812594, 'america retailer': 51665, 'retailer start': 719325, 'start crowd': 794272, 'beauty stop': 118799, 'stop store': 805086, 'lvmh converting perfume': 507019, 'converting perfume factory': 202570, 'what retail leader': 982104, 'retail leader say': 718270, 'leader say about': 483528, '19 ikea ecommerce': 7675, 'ikea ecommerce strategy': 416042, 'ecommerce strategy america': 266878, 'strategy america retailer': 812595, 'america retailer start': 51666, 'retailer start crowd': 719326, 'start crowd control': 794273, 'ulta beauty stop': 939089, 'beauty stop store': 118800, 'stop store beauty': 805087, 'group am': 366598, 'great idea from': 362728, 'idea from group': 413058, 'from group am': 335707, 'group am in': 366599, 'am in when': 50145, 'in when going': 430847, 'me tissue': 523738, 'wipe so': 996369, 'also is': 48434, 'store safe': 809945, 'safe area': 729498, 'like base': 489875, 'please send me': 660463, 'send me tissue': 749894, 'me tissue and': 523739, 'tissue and wipe': 899127, 'and wipe so': 75740, 'wipe so do': 996370, 'to keep coming': 908771, 'keep coming into': 471412, 'coming into contact': 188108, 'looking for them': 502909, 'for them also': 326890, 'them also is': 875356, 'also is the': 48436, 'grocery store safe': 365736, 'store safe area': 809946, 'safe area is': 729499, 'area is it': 92084, 'is it like': 449035, 'it like base': 459351, 'saddened': 729289, 'wafflehouseindex': 963794, 'bodegaindex': 133795, 'emgtwitter': 273160, 'from trip': 338144, 'wa saddened': 963132, 'saddened to': 729292, 'bodega on': 133789, 'my street': 550240, 'street shuttered': 813108, 'shuttered if': 768208, 'south ha': 786728, 'ha wafflehouseindex': 372436, 'wafflehouseindex nyc': 963795, 'nyc should': 578047, 'have bodegaindex': 379815, 'bodegaindex this': 133796, 'good emgtwitter': 356998, 'just got in': 468860, 'got in from': 358629, 'in from trip': 423130, 'from trip to': 338145, 'store wa saddened': 811123, 'wa saddened to': 963133, 'saddened to see': 729293, 'see the bodega': 745813, 'the bodega on': 849819, 'bodega on my': 133790, 'on my street': 602321, 'my street shuttered': 550241, 'street shuttered if': 813109, 'shuttered if the': 768209, 'if the south': 415032, 'the south ha': 867510, 'south ha wafflehouseindex': 786729, 'ha wafflehouseindex nyc': 372437, 'wafflehouseindex nyc should': 963796, 'nyc should have': 578048, 'should have bodegaindex': 766063, 'have bodegaindex this': 379816, 'bodegaindex this is': 133797, 'not good emgtwitter': 569720, 'great benefit': 362524, 'includes how': 431760, 'sanitizer plus': 735559, 'plus more': 661637, 'more diy': 539058, 'some great benefit': 782983, 'great benefit of': 362525, 'benefit of using': 127053, 'of using essential': 592718, 'essential oil to': 281351, 'oil to stay': 597479, 'stay healthy through': 796923, 'healthy through this': 387789, 'difficult time which': 242320, 'time which includes': 898324, 'which includes how': 985958, 'includes how to': 431761, 'hand sanitizer plus': 375538, 'sanitizer plus more': 735560, 'plus more diy': 661638, 'more diy recipe': 539059, 'get final': 347011, 'final bit': 305826, 'everything gone': 287818, 'gone smh': 356369, 'smh panic': 775680, 'buying time': 151231, 'play cod': 659126, 'cod for': 185310, 'week modernwarfare': 976533, 'modernwarfare callofduty': 535425, 'callofduty panicbuying': 156655, 'to get final': 906480, 'get final bit': 347012, 'final bit of': 305827, 'bit of food': 131642, 'for the fridge': 326452, 'the fridge and': 855808, 'fridge and everything': 333375, 'and everything gone': 62421, 'everything gone smh': 287819, 'gone smh panic': 356370, 'smh panic buying': 775681, 'panic buying time': 637937, 'buying time to': 151233, 'time to play': 898027, 'to play cod': 911788, 'play cod for': 659127, 'cod for two': 185311, 'two week modernwarfare': 937341, 'week modernwarfare callofduty': 976534, 'modernwarfare callofduty panicbuying': 535426, 'step from': 799544, 'facebook to': 295000, 'from massively': 336375, 'price socialmedia': 676546, 'more step from': 540460, 'step from facebook': 799545, 'from facebook to': 335381, 'facebook to prevent': 295002, 'profiteering from massively': 683044, 'from massively inflated': 336376, 'inflated price socialmedia': 437069, 'availability disinfectant': 104135, 'disinfectant mask': 245710, 'affair ha asked': 34048, 'hygiene product like': 412158, 'product like hand': 681363, 'like hand sanitizers': 490368, 'and mask through': 66766, 'easy availability disinfectant': 265661, 'availability disinfectant mask': 104136, 'italianamerican': 462740, 'stress grandmother': 813330, 'grandmother comfort': 361925, 'food solution': 316686, 'solution italianamerican': 782054, 'italianamerican italianfood': 462741, 'time of anxiety': 897313, 'and stress grandmother': 72555, 'stress grandmother comfort': 813331, 'grandmother comfort food': 361926, 'comfort food solution': 187840, 'food solution italianamerican': 316687, 'solution italianamerican italianfood': 782055, 'go though': 354240, 'though me': 892856, 'me correct': 522608, 'correct so': 207524, 'said you do': 731607, 'me to to': 523791, 'to go though': 906869, 'go though me': 354241, 'though me what': 892857, 'mom mom will': 535775, 'mom will die': 535843, 'will die me': 993185, 'die me correct': 241404, 'me correct so': 522609, 'correct so am': 207525, 'so am going': 776488, 'store it true': 808596, 'it true we': 461868, 'true we think': 933215, 'we think she': 973533, 'think she would': 885532, 'would not make': 1012079, 'make it cannot': 510025, 'believe the grocery': 126361, 'store could mean': 807199, 'could mean death': 209409, 'stand anyone': 793488, 'anyone near': 80417, 'near or': 553565, 'it nightmare': 459817, 'nightmare end': 563175, 'up having': 945064, 'and loop': 66382, 'loop back': 503146, 'back when': 107461, 'gone anyway': 356211, 'anyway good': 81013, 'week relax': 976807, 'of time can': 592168, 'time can stand': 896448, 'can stand anyone': 159720, 'stand anyone near': 793489, 'anyone near or': 80418, 'near or next': 553566, 'the supermarket isle': 868648, 'supermarket isle looking': 821145, 'isle looking at': 454368, 'same product on': 733253, 'on shelf now': 603405, 'shelf now it': 757351, 'now it nightmare': 575124, 'it nightmare end': 459818, 'nightmare end up': 563176, 'end up having': 276031, 'up having to': 945066, 'to leave and': 909147, 'leave and loop': 484733, 'and loop back': 66383, 'loop back when': 503147, 'back when they': 107462, 'they are gone': 881287, 'are gone anyway': 86908, 'gone anyway good': 356212, 'anyway good for': 81014, 'another week relax': 77975, '19 update consumer': 11658, 'microorganism': 530476, 'sanitize regularly': 734204, 'regularly here': 707920, 'some advantage': 782263, 'advantage at': 32964, 'work hand': 1005233, 'accessible reduces': 28341, 'reduces bacterial': 706229, 'bacterial count': 107716, 'hand act': 374723, 'kill microorganism': 474446, 'microorganism on': 530477, 'hand staysafe': 375801, 'stayhome sanitize': 798090, 'forget to sanitize': 329330, 'to sanitize regularly': 913754, 'sanitize regularly here': 734205, 'regularly here are': 707921, 'are some advantage': 90256, 'some advantage at': 782264, 'advantage at work': 32965, 'at work hand': 101602, 'work hand sanitizer': 1005234, 'sanitizer is faster': 735188, 'is faster and': 447752, 'faster and easily': 300081, 'and easily accessible': 61851, 'easily accessible reduces': 265185, 'accessible reduces bacterial': 28342, 'reduces bacterial count': 706230, 'bacterial count on': 107717, 'count on hand': 210145, 'on hand act': 601226, 'hand act quickly': 374724, 'quickly to kill': 694627, 'to kill microorganism': 908933, 'kill microorganism on': 474447, 'microorganism on hand': 530478, 'on hand staysafe': 601236, 'hand staysafe stayhome': 375802, 'staysafe stayhome sanitize': 798901, '8120': 22784, 'hardeson': 378199, 'two postal': 937160, 'employee based': 273662, 'service everett': 752347, 'everett hub': 285619, 'hub have': 409804, 'at 8120': 97768, '8120 hardeson': 22785, 'hardeson road': 378200, 'road serf': 724509, 'serf base': 751189, 'base for': 111447, 'for area': 319487, 'area mail': 92101, 'includes retail': 431806, 'two postal service': 937161, 'postal service employee': 666447, 'service employee based': 752325, 'employee based at': 273663, 'based at the': 111515, 'at the service': 101094, 'the service everett': 866734, 'service everett hub': 752348, 'everett hub have': 285620, 'hub have tested': 409805, '19 the post': 11234, 'post office at': 666235, 'office at 8120': 595377, 'at 8120 hardeson': 97769, '8120 hardeson road': 22786, 'hardeson road serf': 378201, 'road serf base': 724510, 'serf base for': 751190, 'base for area': 111448, 'for area mail': 319488, 'area mail carrier': 92102, 'carrier and it': 164946, 'and it includes': 65539, 'it includes retail': 458766, 'includes retail store': 431807, 'latest retired': 481538, 'retired president': 719686, 'jersey grocery': 465209, 'chain dy': 170669, 'coronavirus latest retired': 206209, 'latest retired president': 481539, 'retired president of': 719687, 'president of new': 670868, 'new jersey grocery': 558973, 'jersey grocery store': 465210, 'store chain dy': 806915, 'chain dy from': 170670, 'supermarket shopping time': 822654, 'time for essential': 896704, 'spay': 787664, 'neuter': 557811, 'uterus': 951230, 'there being': 878243, 'being no': 125455, 'water tired': 969211, 'panic tired': 638713, 'of even': 583226, 'even stronger': 284618, 'stronger virus': 814195, 'only answer': 610097, 'answer population': 78094, 'population control': 664668, 'control spay': 202139, 'spay and': 787665, 'and neuter': 67530, 'neuter your': 557812, 'have uterus': 383485, 'uterus did': 951231, 'tired of there': 899054, 'of there being': 591798, 'there being no': 878244, 'being no toilet': 125456, 'paper food or': 640164, 'or water tired': 617732, 'water tired of': 969212, 'of panic tired': 587737, 'panic tired of': 638714, 'tired of even': 899043, 'of even stronger': 583227, 'even stronger virus': 284619, 'stronger virus have': 814196, 'virus have the': 958267, 'have the only': 383005, 'the only answer': 862287, 'only answer population': 610098, 'answer population control': 78095, 'population control spay': 664669, 'control spay and': 202140, 'spay and neuter': 787666, 'and neuter your': 67531, 'neuter your child': 557813, 'your child do': 1023199, 'not have uterus': 569887, 'have uterus did': 383486, 'uterus did my': 951232, 'please to stop': 660686, 'paper anyone': 639877, 'toilet paper anyone': 921190, 'ger is': 346066, 'lg2 to': 487900, 'present research': 670614, 'research examining': 713708, 'examining how': 288855, 'affecting canadian': 34498, 'behavior primarily': 124154, 'primarily online': 678047, 'online learn': 608469, 'ger is partnering': 346067, 'partnering with lg2': 642934, 'with lg2 to': 999207, 'lg2 to present': 487901, 'to present research': 912017, 'present research examining': 670615, 'research examining how': 713709, 'examining how the': 288856, 'crisis is affecting': 217558, 'is affecting canadian': 445383, 'affecting canadian consumer': 34499, 'canadian consumer behavior': 160656, 'consumer behavior primarily': 196502, 'behavior primarily online': 124155, 'primarily online learn': 678048, 'online learn about': 608470, 'learn about post': 483938, 'about post crisis': 25971, 'amazonfail': 51224, 'say company': 738526, 'company isn': 190816, 'providing promised': 687077, 'promised paid': 683725, 'leave amazon': 484726, 'employee paidsickleave': 274102, 'paidsickleave amazonfail': 634195, 'amazonfail consumer': 51225, 'warehouse worker say': 966827, 'worker say company': 1007738, 'say company isn': 738527, 'company isn actually': 190817, 'isn actually providing': 454419, 'actually providing promised': 30925, 'providing promised paid': 687078, 'promised paid sick': 683726, 'sick leave amazon': 768481, 'leave amazon employee': 484727, 'amazon employee paidsickleave': 50933, 'employee paidsickleave amazonfail': 274103, 'paidsickleave amazonfail consumer': 634196, 'mediawatch': 525982, 'across each': 29316, 'each generation': 264086, 'generation during': 345608, 'consuming vast': 199811, 'of mediawatch': 586385, 'mediawatch read': 525983, 'read below': 700304, 'understand each': 940628, 'generation consumer': 345604, 'behaviour marketingstrategy': 124477, 'consumption across each': 199822, 'across each generation': 29317, 'each generation during': 264088, 'generation during it': 345609, 'during it no': 262733, 'surprise that people': 828548, 'people are consuming': 646948, 'are consuming vast': 85536, 'consuming vast amount': 199812, 'amount of mediawatch': 53234, 'of mediawatch read': 586386, 'mediawatch read below': 525984, 'read below to': 700305, 'below to understand': 126761, 'to understand each': 917902, 'understand each generation': 940629, 'each generation consumer': 264087, 'generation consumer behaviour': 345605, 'consumer behaviour marketingstrategy': 196587, 'unmanned': 942824, 'modernization': 535416, 'china development': 176605, 'farm management': 299149, 'management tech': 512642, 'tech online': 836125, 'delivery b2b': 233736, 'b2b procurement': 106468, 'procurement and': 680103, 'and unmanned': 74688, 'unmanned store': 942825, 'show broader': 766884, 'broader trend': 140773, 'of modernization': 586593, 'modernization in': 535417, 'economy agritech': 267620, 'agritech b2b': 39056, 'b2b consumer': 106458, 'consumer drone': 197255, 'china development in': 176606, 'development in farm': 239817, 'in farm management': 422797, 'farm management tech': 299150, 'management tech online': 512643, 'tech online grocery': 836126, 'grocery delivery b2b': 364438, 'delivery b2b procurement': 233737, 'b2b procurement and': 106469, 'procurement and unmanned': 680104, 'and unmanned store': 74689, 'unmanned store show': 942826, 'store show broader': 810177, 'show broader trend': 766885, 'broader trend of': 140774, 'trend of modernization': 931408, 'of modernization in': 586594, 'modernization in the': 535418, 'food economy agritech': 314335, 'economy agritech b2b': 267621, 'agritech b2b consumer': 39057, 'b2b consumer drone': 106459, 'may cripple': 521113, 'cripple orlando': 216933, 'orlando economy': 619627, 'economy commentary': 267767, 'get ready the': 347886, 'ready the coronavirus': 700932, 'coronavirus crisis may': 205758, 'crisis may cripple': 217709, 'may cripple orlando': 521114, 'cripple orlando economy': 216934, 'orlando economy commentary': 619628, 'or support': 617302, 'support shop': 826814, 'and inflate': 65204, 'once the coronacrisis': 605719, 'the coronacrisis is': 851781, 'coronacrisis is over': 204642, 'over will never': 630941, 'will never shop': 994172, 'never shop or': 558193, 'shop or support': 760621, 'or support shop': 617303, 'support shop that': 826815, 'shop that take': 760898, 'that take advantage': 846613, 'of our situation': 587563, 'our situation and': 624793, 'situation and inflate': 772182, 'and inflate price': 65205, 'inflate price on': 436993, 'use delivery': 949153, 'delivery too': 234683, 'too am': 924572, 'am better': 49943, 'go direct': 353465, 'or stick': 617221, 'instruction and': 440538, 'slot lockdown': 774233, 'so the vulnerable': 778443, 'vulnerable elderly cannot': 960945, 'elderly cannot get': 270629, 'cannot get supermarket': 161906, 'slot but we': 774154, 'we re encouraged': 972863, 'encouraged to use': 275674, 'to use delivery': 918022, 'use delivery too': 949155, 'delivery too am': 234684, 'too am better': 924573, 'am better to': 49944, 'better to go': 128562, 'to go direct': 906789, 'go direct to': 353466, 'shop to give': 760947, 'give the delivery': 350735, 'delivery slot to': 234542, 'slot to those': 774282, 'that need them': 845313, 'need them or': 555783, 'them or stick': 876115, 'or stick to': 617222, 'stick to instruction': 800062, 'to instruction and': 908429, 'instruction and try': 440540, 'and get slot': 63600, 'get slot lockdown': 348019, 'valued shopper': 952263, 'shopper fisher': 761512, 'fisher supermarket': 309365, 'supermarket implemented': 820852, 'implemented social': 418483, 'distancing maintaining': 247299, 'maintaining one': 509117, 'or three': 617448, 'three foot': 893928, 'public from': 688020, 'our valued shopper': 625256, 'valued shopper fisher': 952264, 'shopper fisher supermarket': 761513, 'fisher supermarket implemented': 309366, 'supermarket implemented social': 820853, 'implemented social distancing': 418484, 'social distancing maintaining': 779656, 'distancing maintaining one': 247300, 'maintaining one meter': 509118, 'one meter or': 606657, 'meter or three': 529734, 'or three foot': 617449, 'three foot to': 893929, 'foot to the': 318448, 'other customer to': 620065, 'the public from': 864811, 'public from the': 688022, 'from the risk': 337860, 'smartcompany': 775464, 'seven reason': 753764, 'why confident': 990891, 'our property': 624493, 'scare smartcompany': 740913, 'seven reason why': 753765, 'reason why confident': 703057, 'why confident in': 990892, 'confident in our': 194004, 'in our property': 426330, 'our property market': 624494, 'property market despite': 684303, 'market despite the': 516287, 'despite the scare': 238899, 'the scare smartcompany': 866447, 'assured people': 97117, 'are sufficient': 90635, 'urging everyone': 948418, 'buy people': 149083, 'people remain': 649268, 'and form': 63208, 'although the government': 49360, 'ha assured people': 369638, 'assured people that': 97118, 'there are sufficient': 878168, 'are sufficient food': 90636, 'country and is': 210441, 'and is urging': 65440, 'is urging everyone': 453602, 'urging everyone not': 948419, 'panic buy people': 637518, 'buy people remain': 149086, 'people remain open': 649269, 'open and form': 612058, 'and form long': 63209, 'queue at store': 693890, 'at store to': 100664, 'buy essential such': 148578, 'those egypt': 891952, 'egypt ians': 270107, 'ians who': 412558, 'few per': 303995, 'difficult for those': 242232, 'for those egypt': 327110, 'those egypt ians': 891953, 'egypt ians who': 270108, 'ians who live': 412559, 'who live on': 989217, 'live on few': 495955, 'on few per': 600781, 'few per day': 303996, 'per day to': 650812, 'day to stockpile': 228587, 'item like mask': 463416, 'like mask or': 490723, 'mask or soap': 519077, 'or soap price': 617134, 'soap price of': 779087, 'price of sanitary': 675560, 'sanitary product have': 733815, 'product have increased': 681252, 'midst of panic': 530791, 'putting these': 691258, 'these limit': 880238, 'product wa': 681807, 'easy decision': 265680, 'necessary arizona': 553956, 'how arizona': 407424, 'arizona grocery': 92839, 'store are in': 806487, 'customer service business': 222817, 'service business so': 752185, 'business so putting': 144393, 'so putting these': 778094, 'putting these limit': 691259, 'these limit on': 880239, 'limit on these': 492432, 'on these high': 604564, 'these high demand': 880116, 'high demand product': 395024, 'demand product wa': 236089, 'product wa not': 681808, 'not an easy': 568193, 'an easy decision': 55563, 'easy decision but': 265681, 'decision but it': 231011, 'wa necessary arizona': 962692, 'necessary arizona food': 553957, 'alliance said of': 45841, 'said of how': 731271, 'of how arizona': 584807, 'how arizona grocery': 407425, 'arizona grocery store': 92840, 'store are dealing': 806470, 'dealing with panic': 229680, 'absolutely amazing': 27311, 'amazing please': 50761, 'proud let': 686021, 'is absolutely amazing': 445290, 'absolutely amazing please': 27312, 'amazing please rt': 50762, 'you are proud': 1017207, 'are proud let': 89304, 'proud let get': 686022, 'let get over': 486734, 'get over this': 347757, 'official responding': 595892, 'term response': 838270, 'federal official responding': 302031, 'official responding to': 595893, 'responding to this': 715590, 'week in such': 976385, 'dire term response': 243266, 'term response coordinator': 838271, 'collegestudent': 186659, 'ollu': 598764, 'uiw': 938137, 'agtg': 39074, 'utsa': 951399, 'txsu23': 937473, 'tsuupc': 934981, 'pvamu20': 691342, 'pvamu21': 691345, 'shsu': 767740, 'txst': 937468, 'quarantinecats collegestudent': 692791, 'collegestudent hire': 186660, 'essay spring': 280718, '24 ollu': 15662, 'ollu uiw': 598765, 'uiw agtg': 938138, 'agtg utsa': 39075, 'utsa txsu23': 951400, 'txsu23 tsuupc': 937474, 'tsuupc pvamu20': 934982, 'pvamu20 pvamu21': 691343, 'pvamu21 shsu': 691346, 'shsu txst': 767741, 'txst txsu': 937469, 'onlineclasses quarantinecats collegestudent': 609798, 'quarantinecats collegestudent hire': 692792, 'collegestudent hire me': 186661, 'hire me or': 397015, 'me or your': 523291, 'or your assignment': 617874, 'paper essay spring': 640133, 'essay spring class': 280719, 'is 24 ollu': 445190, '24 ollu uiw': 15663, 'ollu uiw agtg': 598766, 'uiw agtg utsa': 938139, 'agtg utsa txsu23': 39076, 'utsa txsu23 tsuupc': 951401, 'txsu23 tsuupc pvamu20': 937475, 'tsuupc pvamu20 pvamu21': 934983, 'pvamu20 pvamu21 shsu': 691344, 'pvamu21 shsu txst': 691347, 'shsu txst txsu': 767742, '13 uni': 3275, 'uni commerce': 941711, 'commerce affiliate': 188509, 'affiliate from': 34614, 'and ugt': 74569, 'ugt have': 938067, 'secured better': 744483, '13 uni commerce': 3276, 'uni commerce affiliate': 941712, 'commerce affiliate from': 188510, 'affiliate from spain': 34615, 'spain and ugt': 787277, 'and ugt have': 74570, 'ugt have secured': 938069, 'have secured better': 382409, 'secured better health': 744484, 'better health and': 128314, 'and safety protection': 70755, 'safety protection for': 730704, 'protection for worker': 685449, 'supermarket for more': 820405, 'retailwork': 719589, 'have pet': 381921, 'pet no': 653424, 'one thinking': 607243, 'we essential': 971476, 'essential idk': 281142, 'idk but': 413662, 'owner if': 632470, 'close retailwork': 182786, 'retailwork corona': 719590, 'don work at': 254073, 'but do work': 145565, 'do work at': 250593, 'work at pet': 1004892, 'at pet store': 100104, 'pet store which': 653461, 'which is important': 986015, 'important to those': 419075, 'who have pet': 988944, 'have pet no': 381922, 'pet no one': 653426, 'no one thinking': 564970, 'one thinking of': 607244, 'thinking of are': 885951, 'of are we': 580359, 'are we essential': 91566, 'we essential idk': 971477, 'essential idk but': 281143, 'idk but am': 413663, 'but am scared': 145164, 'scared of pet': 740998, 'of pet owner': 588070, 'pet owner if': 653430, 'owner if we': 632471, 'were to close': 980264, 'to close retailwork': 902893, 'close retailwork corona': 182787, 'terrorizing': 838627, 'are terrorizing': 90780, 'terrorizing employee': 838628, 'and merchant': 66959, 'merchant into': 529026, 'into raising': 442925, 'outbreak need': 628464, 'raising cost': 696076, 'is then': 452993, 'customer supplier': 222887, 'the culprit': 852563, 'who are terrorizing': 988238, 'are terrorizing employee': 90781, 'terrorizing employee and': 838629, 'employee and merchant': 273570, 'and merchant into': 66960, 'merchant into raising': 529027, 'into raising price': 442926, 'this outbreak need': 889325, 'outbreak need to': 628465, 'remember that it': 710282, 'is the supplier': 452954, 'the supplier who': 868937, 'supplier who are': 824642, 'who are raising': 988203, 'are raising cost': 89416, 'raising cost and': 696077, 'cost and it': 207858, 'it is them': 459099, 'is them who': 452992, 'them who are': 876626, 'raising price unfortunately': 696132, 'price unfortunately this': 677195, 'unfortunately this is': 941658, 'this is then': 888426, 'is then passed': 452994, 'then passed on': 877407, 'the customer supplier': 852734, 'customer supplier are': 222888, 'supplier are the': 824502, 'are the culprit': 90816, 'limpopo first': 492900, 'first visit': 309164, 'fake disinfectant': 296607, 'purchased disinfectant': 689766, 'following limpopo first': 312776, 'limpopo first visit': 492901, 'first visit to': 309165, 'selling fake disinfectant': 749234, 'fake disinfectant and': 296608, 'disinfectant and it': 245608, 'had purchased disinfectant': 373436, 'purchased disinfectant from': 689767, 'disinfectant from madina': 245671, 'rocket96': 724953, 'schizo': 741613, 'rocket96 think': 724954, 'think many': 885389, 'anxious thing': 78868, 'buyer is': 149673, 'is worry': 454062, 'anxiety schizo': 78787, 'schizo affective': 741614, 'affective disorder': 34602, 'disorder miss': 246079, 'boyfriend like': 137421, 'crazy too': 215464, 'rocket96 think many': 724956, 'think many of': 885390, 'of are anxious': 580340, 'are anxious thing': 84574, 'anxious thing like': 78869, 'thing like not': 884547, 'like not getting': 490879, 'not getting enough': 569624, 'because of selfish': 119399, 'of selfish panic': 589481, 'panic buyer is': 637584, 'buyer is worry': 149674, 'is worry for': 454063, 'worry for me': 1010707, 'for me many': 323322, 'of already have': 580014, 'already have med': 47426, 'have med for': 381456, 'med for anxiety': 525896, 'for anxiety schizo': 319392, 'anxiety schizo affective': 78788, 'schizo affective disorder': 741615, 'affective disorder miss': 34603, 'disorder miss my': 246080, 'miss my boyfriend': 534163, 'my boyfriend like': 547523, 'boyfriend like crazy': 137422, 'like crazy too': 490072, 'supermarket survival': 823075, 'survival do': 829027, 'supermarket survival do': 823076, 'survival do not': 829028, 'videogames': 956995, 'twitchstreamer': 936623, 'notmeus': 573586, 'videogaming': 956998, 'okay if': 597983, 'toilet smoking': 921625, 'smoking like': 775911, 'niece house': 562628, 'playing video': 659463, 'game lockdownextension': 343201, '19 twitch': 11603, 'twitch videogames': 936617, 'videogames twitchstreamer': 956996, 'twitchstreamer staysafe': 936624, 'staysafe notmeus': 798853, 'notmeus toiletpaperchallenge': 573587, 'toiletpaper videogaming': 922801, 'okay if you': 597984, 'find the toilet': 307306, 'the toilet smoking': 869712, 'toilet smoking like': 921626, 'smoking like it': 775912, 'like it did': 490529, 'it did at': 457530, 'did at my': 240559, 'at my niece': 99825, 'my niece house': 549493, 'niece house you': 562629, 'house you have': 406711, 'have big problem': 379789, 'big problem you': 129937, 'problem you will': 679780, 'not be playing': 568434, 'be playing video': 116441, 'playing video game': 659464, 'video game lockdownextension': 956758, 'game lockdownextension 19': 343202, 'lockdownextension 19 twitch': 500277, '19 twitch videogames': 11604, 'twitch videogames twitchstreamer': 936618, 'videogames twitchstreamer staysafe': 956997, 'twitchstreamer staysafe notmeus': 936625, 'staysafe notmeus toiletpaperchallenge': 798854, 'notmeus toiletpaperchallenge toiletpaper': 573588, 'toiletpaperchallenge toiletpaper videogaming': 922983, 'stuff came': 815038, 'came about': 156957, 'about lol': 25659, 'time since all': 897663, 'since all this': 770497, '19 stuff came': 10918, 'stuff came about': 815039, 'came about lol': 156958, 'bank learn': 109972, 'canada is monitoring': 160477, 'evolution of and': 288487, 'of and assessing': 580142, 'on bank learn': 599558, 'bank learn more': 109973, 'learn more on': 484034, 'we are responding': 970690, 'this worldwide': 891522, 'worldwide pandemic': 1010402, 'show cancelled': 766894, 'cancelled until': 161189, 'during this worldwide': 263340, 'this worldwide pandemic': 891523, 'worldwide pandemic covid': 1010403, '19 all show': 4902, 'all show cancelled': 44340, 'show cancelled until': 766895, 'cancelled until further': 161190, 'part please support': 642412, 'to online via': 910955, 'online via news': 609676, 'everybody you': 286511, 'buying selfish': 150995, 'paper and household': 639829, 'and household essential': 64783, 'household essential for': 406788, 'essential for everybody': 281056, 'for everybody you': 321187, 'everybody you panic': 286512, 'panic buying selfish': 637876, 'buying selfish cunt': 150997, 'dallaslockdown': 225141, 'save tiktok': 737686, 'tiktok is': 895902, 'best pres': 127858, 'pres ever': 670443, 'ever 19': 285180, '19 dallaslockdown': 6410, 'dallaslockdown poopchallenge': 225142, 'poopchallenge italy': 664078, 'italy notoviptesting': 462877, 'notoviptesting wwg1wga': 573616, 'wwg1wga maga': 1013678, 'sanitizer will save': 736108, 'will save tiktok': 994748, 'save tiktok is': 737687, 'tiktok is the': 895903, 'the best pres': 849544, 'best pres ever': 127859, 'pres ever 19': 670444, 'ever 19 dallaslockdown': 285181, '19 dallaslockdown poopchallenge': 6411, 'dallaslockdown poopchallenge italy': 225143, 'poopchallenge italy notoviptesting': 664079, 'italy notoviptesting wwg1wga': 462878, 'notoviptesting wwg1wga maga': 573617, 'retweet would': 720099, 'love opinion': 504749, 'this haven': 887878, 'haven clue': 383774, 'clue chinesevirus': 184533, 'just thought but': 470059, 'thought but would': 892991, 'but would it': 147947, 'it be possible': 456735, 'possible to stop': 665853, 'to stop buying': 915506, 'stop buying from': 804539, 'buying from china': 150386, 'china and if': 176483, 'so how country': 777336, 'how country or': 407635, 'country or an': 210944, 'or an individual': 614316, 'an individual consumer': 56282, 'individual consumer would': 435166, 'consumer would we': 199579, 'would we do': 1012386, 'we do it': 971335, 'do it please': 249503, 'it please retweet': 460361, 'please retweet would': 660417, 'retweet would love': 720100, 'would love opinion': 1012013, 'love opinion on': 504750, 'on this haven': 604611, 'this haven clue': 887879, 'haven clue chinesevirus': 383775, 'heb 23': 388669, '23 minute': 15410, 'opening stoppanicbuying': 612905, 'stoppanicbuying panicbuying': 805592, 'heb 23 minute': 388670, '23 minute before': 15411, 'minute before opening': 533745, 'before opening stoppanicbuying': 122977, 'opening stoppanicbuying panicbuying': 612906, 'unreal planned': 943296, 'were supposed': 980201, 'happen overnight': 377135, 'overnight no': 631342, 'unreal planned to': 943297, 'planned to be': 658471, 'first thing this': 309078, 'thing this morning': 884866, 'because delivery were': 119021, 'delivery were supposed': 234733, 'were supposed to': 980202, 'supposed to happen': 827360, 'to happen overnight': 907157, 'happen overnight no': 377136, 'overnight no delivery': 631343, 'delivery and huge': 233665, 'and huge line': 64855, 'huge line of': 410089, 'of people no': 587951, 'anyone making': 80415, 'making cash': 510983, 'selling medicine': 749348, 'medicine bog': 526746, 'roll rice': 725487, 'are tw': 91234, 'tw lockdown': 936245, 'if anyone making': 413848, 'anyone making cash': 80416, 'making cash by': 510984, 'by selling medicine': 153927, 'selling medicine bog': 749349, 'medicine bog roll': 526747, 'bog roll kitchen': 133957, 'kitchen roll rice': 475748, 'roll rice or': 725488, 'or pasta at': 616515, 'pasta at inflated': 643691, 'entrepreneur you are': 278964, 'you are tw': 1017272, 'are tw lockdown': 91235, '20 problem': 13281, 'cdc have': 168575, 'administration effort': 32461, 'expand screening': 290467, 'screening to': 742775, 'health lab': 386595, 'lab more': 478275, 'than wks': 841468, 'wks after': 1003233, 'fda granted': 300864, 'granted permission': 362083, 'cdc test': 168626, 'test nationwide': 839097, '20 20 problem': 12874, '20 problem with': 13282, 'problem with coronavirus': 679752, 'with coronavirus test': 997812, 'coronavirus test developed': 206881, 'by the cdc': 154277, 'the cdc have': 850570, 'cdc have delayed': 168576, 'delayed the trump': 232817, 'trump administration effort': 933379, 'administration effort to': 32462, 'effort to expand': 269622, 'to expand screening': 905436, 'expand screening to': 290468, 'screening to state': 742776, 'to state local': 915255, 'state local public': 795748, 'public health lab': 688072, 'health lab more': 386596, 'lab more than': 478276, 'more than wks': 540699, 'than wks after': 841469, 'wks after the': 1003234, 'after the fda': 36313, 'the fda granted': 855017, 'fda granted permission': 300865, 'granted permission to': 362084, 'permission to distribute': 652143, 'to distribute the': 904449, 'distribute the cdc': 248013, 'the cdc test': 850578, 'cdc test nationwide': 168627, 'gourmet': 359510, 'quality hill': 691801, 'hill gourmet': 396474, 'gourmet food': 359511, 'quality hill gourmet': 691802, 'hill gourmet food': 396475, 'gourmet food delivered': 359512, 'food delivered to': 314100, 'to you order': 918914, 'online from our': 608271, 'from our supermarket': 336803, 'our supermarket amp': 625007, 'supermarket amp restaurant': 818913, 'amp restaurant now': 54400, 'restaurant now order': 716597, 'now order now': 575480, 'coronavirus sweet': 206860, 'at ralphs': 100245, 'ralphs supermarket': 696314, 'coronavirus sweet potato': 206861, 'sweet potato at': 830244, 'potato at ralphs': 666910, 'at ralphs supermarket': 100246, 'ralphs supermarket test': 696315, 'niagara': 562310, 'calm drink': 156728, 'drink local': 258855, 'local winery': 498707, 'in niagara': 425866, 'niagara are': 562311, 'hurting during': 411636, 'of winery': 593190, 'winery have': 995953, 'only here': 610599, 'buy niagara': 148999, 'niagara wine': 562315, 'industry viable': 436210, 'viable happy': 956384, 'happy shopping': 377674, 'keep calm drink': 471378, 'calm drink local': 156729, 'drink local winery': 258856, 'local winery in': 498708, 'winery in niagara': 995956, 'in niagara are': 425867, 'niagara are hurting': 562312, 'are hurting during': 87283, 'hurting during the': 411637, 'epidemic the vast': 279454, 'majority of winery': 509572, 'of winery have': 593191, 'winery have been': 995954, 'reduced to online': 706197, 'to online sale': 910948, 'online sale only': 608921, 'sale only here': 732430, 'only here list': 610600, 'list of how': 494446, 'how to buy': 408985, 'to buy niagara': 902277, 'buy niagara wine': 149000, 'niagara wine and': 562316, 'wine and keep': 995766, 'keep the industry': 472049, 'the industry viable': 858193, 'industry viable happy': 436211, 'viable happy shopping': 956385, 'munro': 546114, 'chopping': 177985, 'pickling': 655914, 'munro apparently': 546115, 'apparently lite': 81962, 'lite and': 494909, 'easy are': 265656, 'and ima': 64985, 'ima spend': 416610, 'spend my': 788646, 'weekend chopping': 977331, 'chopping all': 177986, 'my veggie': 550488, 'and freezing': 63292, 'freezing them': 332672, 'or pickling': 616608, 'pickling them': 655915, 'them pass': 876148, 'pass time': 643229, 'beat fucking': 118523, 'fucking hoarder': 339893, 'hoarder auspol': 398993, 'auspol stoppanicbuying': 103095, 'munro apparently lite': 546116, 'apparently lite and': 81963, 'lite and easy': 494910, 'and easy are': 61868, 'easy are still': 265657, 'still delivering and': 800423, 'delivering and ima': 233467, 'and ima spend': 64987, 'ima spend my': 416611, 'spend my weekend': 788648, 'my weekend chopping': 550556, 'weekend chopping all': 977332, 'chopping all my': 177987, 'all my veggie': 43574, 'my veggie and': 550489, 'veggie and freezing': 954166, 'and freezing them': 63293, 'freezing them or': 332673, 'them or pickling': 876113, 'or pickling them': 616609, 'pickling them pass': 655916, 'them pass time': 876150, 'pass time and': 643230, 'time and beat': 896258, 'and beat fucking': 58786, 'beat fucking hoarder': 118524, 'fucking hoarder auspol': 339894, 'hoarder auspol stoppanicbuying': 398994, 'oilseed in': 597734, 'key exporting': 473287, 'exporting nation': 292773, 'nation senior': 552308, 'and agricultural': 57786, 'agricultural analyst': 38867, 'analyst said': 57170, 'and oilseed in': 68026, 'oilseed in key': 597735, 'in key exporting': 424488, 'key exporting nation': 473288, 'exporting nation senior': 292774, 'nation senior economist': 552309, 'senior economist at': 750286, 'economist at and': 267524, 'at and agricultural': 97997, 'and agricultural analyst': 57787, 'agricultural analyst said': 38868, 'the iowa': 858435, 'iowa grocery': 444493, 'association say': 96985, 'say grocer': 738705, 'the iowa grocery': 858437, 'iowa grocery industry': 444494, 'grocery industry association': 364625, 'industry association say': 435673, 'association say grocer': 96986, 'say grocer are': 738706, 'unprecedented demand caused': 943110, 'pandemic but say': 635053, 'but say there': 146967, 'latina': 481648, 'lupehernandez': 506809, 'wa invented': 962425, 'invented by': 443617, 'by latina': 153020, 'latina in': 481649, '1966 lupe': 12408, 'ndez who': 553411, 'wa studying': 963338, 'studying to': 814996, 'become nurse': 120078, 'nurse had': 577352, 'the brilliant': 850002, 'of inventing': 585269, 'inventing hand': 443622, 'handwashing lupehernandez': 376847, 'lupehernandez latina': 506810, 'sanitizer wa invented': 736022, 'wa invented by': 962426, 'invented by latina': 443618, 'by latina in': 153021, 'latina in 1966': 481650, 'in 1966 lupe': 419726, '1966 lupe hern': 12409, 'hern ndez who': 393910, 'ndez who wa': 553412, 'who wa studying': 989916, 'wa studying to': 963339, 'studying to become': 814997, 'to become nurse': 901680, 'become nurse had': 120081, 'nurse had the': 577353, 'had the brilliant': 373610, 'the brilliant idea': 850004, 'brilliant idea of': 139859, 'idea of inventing': 413129, 'of inventing hand': 585270, 'inventing hand sanitizer': 443623, 'sanitizer handsanitizer handwashing': 735034, 'handsanitizer handwashing lupehernandez': 376548, 'handwashing lupehernandez latina': 376848, 'prof international': 682352, 'tv that': 936211, 'deal amidst': 229336, 'amidst huge': 52801, 'huge fall': 410041, 'is pure': 451141, 'pure politics': 689979, 'politics unlikely': 663809, 'change production': 172233, 'production fundamental': 682057, 'prof international energy': 682353, 'international energy analyst': 441795, 'energy analyst say': 276383, 'analyst say on': 57177, 'say on tv': 739022, 'on tv that': 604910, 'tv that trump': 936212, 'that trump promise': 847138, 'trump promise of': 933764, 'promise of global': 683687, 'global oil deal': 352047, 'oil deal amidst': 596729, 'deal amidst huge': 229337, 'amidst huge fall': 52802, 'huge fall of': 410042, 'fall of price': 297005, 'of price during': 588398, '19 is pure': 8030, 'is pure politics': 451142, 'pure politics unlikely': 689980, 'politics unlikely to': 663810, 'unlikely to change': 942764, 'to change production': 902614, 'change production fundamental': 172234, 'did normal': 240705, 'government once': 360421, 'again ha': 37010, 'way behind': 969493, 'behind any': 124594, 'other count': 620010, 'if people did': 414613, 'people did normal': 647642, 'did normal shop': 240706, 'normal shop once': 567314, 'once week then': 605804, 'week then there': 977021, 'then there would': 877644, 'would be plenty': 1011632, 'be plenty food': 116452, 'plenty food ect': 660919, 'ect panic buying': 268426, 'buying is stupid': 150581, 'is stupid selfish': 452410, 'stupid selfish and': 815457, 'selfish and pure': 747990, 'and pure greed': 69793, 'greed and the': 363365, 'the government once': 856573, 'government once again': 360422, 'once again ha': 605566, 'again ha failed': 37011, 'ha failed it': 370581, 'failed it people': 296146, 'it people we': 460300, 'we are way': 970758, 'are way behind': 91546, 'way behind any': 969494, 'behind any other': 124595, 'any other count': 79585, 'stocker every': 803508, 'work worry': 1006062, 'contracting from': 201772, 'or coming': 614769, 'already ha': 47384, 'ha underlying': 372392, 'store stocker every': 810397, 'stocker every day': 803509, 'to work worry': 918809, 'work worry about': 1006063, 'worry about contracting': 1010629, 'about contracting from': 25013, 'contracting from customer': 201773, 'from customer and': 335078, 'life or coming': 488950, 'or coming home': 614770, 'coming home and': 188074, 'who already ha': 988051, 'already ha underlying': 47385, 'ha underlying health': 372393, 'desj': 238440, 'desj you': 238441, 'didn read': 241168, 'first post': 308879, 'post carefully': 666037, 'carefully the': 164484, 'price doesn': 673480, 'doesn necessarily': 251900, 'necessarily have': 553924, 'into drop': 442527, 'everyday buyer': 286540, 'buyer why': 149802, 'it unless': 461934, 'about pe': 25929, 'desj you didn': 238442, 'you didn read': 1018211, 'didn read my': 241169, 'read my first': 700465, 'my first post': 548348, 'first post carefully': 308880, 'post carefully the': 666038, 'carefully the covid': 164485, '19 impact are': 7691, 'impact are real': 417564, 'are real but': 89464, 'real but drop': 701056, 'but drop in': 145624, 'stock price doesn': 802710, 'price doesn necessarily': 673481, 'doesn necessarily have': 251901, 'necessarily have to': 553925, 'have to translate': 383324, 'to translate into': 917710, 'translate into drop': 929701, 'into drop in': 442528, 'majority of everyday': 509558, 'of everyday buyer': 583246, 'everyday buyer why': 286541, 'buyer why would': 149803, 'why would it': 991568, 'would it unless': 1011969, 'it unless you': 461936, 'talking about pe': 833981, 'jesurvivrai': 465278, 'prixdugaz': 679063, 'side is': 768826, 'is plague': 450885, 'incredibly low': 433910, 'around 1996': 93119, '1996 but': 12509, 'price jesurvivrai': 674945, 'jesurvivrai 2020': 465279, '2020 prixdugaz': 14533, 'bright side is': 139792, 'side is plague': 768827, 'is plague mageddon': 450886, 'price are incredibly': 672684, 'are incredibly low': 87509, 'incredibly low no': 433911, 'is not photo': 450153, 'photo from around': 655167, 'from around 1996': 334588, 'around 1996 but': 93120, '1996 but it': 12510, 'the price jesurvivrai': 864375, 'price jesurvivrai 2020': 674946, 'jesurvivrai 2020 prixdugaz': 465280, 'modernart': 535407, 'my art': 547316, 'art humour': 94162, 'humour comic': 410944, 'comic drawing': 187933, 'drawing sketch': 258524, 'sketch modernart': 772887, 'modernart isolation': 535408, 'toiletpaper yellow': 922878, 'yellow art': 1015255, 'buy my art': 148980, 'my art humour': 547317, 'art humour comic': 94163, 'humour comic drawing': 410945, 'comic drawing sketch': 187934, 'drawing sketch modernart': 258525, 'sketch modernart isolation': 772888, 'modernart isolation toiletpaper': 535409, 'isolation toiletpaper yellow': 455471, 'toiletpaper yellow art': 922879, 'and govt': 63892, 'during ongoing': 262829, 'ongoing harvesting': 607638, 'food grain and': 314706, 'grain and govt': 361762, 'and govt of': 63893, 'of india is': 585108, 'india is committed': 434482, 'committed to protect': 189043, 'protect the interest': 684974, 'interest of farmer': 441380, 'of farmer during': 583427, 'farmer during ongoing': 299348, 'during ongoing harvesting': 262830, 'ongoing harvesting season': 607639, 'dave ah': 226957, 'ah but': 39088, 'but data': 145506, 'april guessing': 83613, 'guessing there': 368132, 'be growth': 115109, 'in data': 421996, 'data revenue': 226391, 'nothing especially': 573001, 'especially extraordinary': 280474, 'extraordinary voice': 293755, 'in structural': 428509, 'structural decline': 814288, 'dave ah but': 226958, 'ah but data': 39089, 'but data price': 145507, 'data price dropped': 226358, 'price dropped from': 673592, 'dropped from april': 260569, 'from april guessing': 334578, 'april guessing there': 83614, 'guessing there will': 368134, 'will be growth': 992483, 'be growth in': 115110, 'growth in data': 367395, 'in data revenue': 421997, 'data revenue but': 226392, 'revenue but nothing': 720387, 'but nothing especially': 146590, 'nothing especially extraordinary': 573002, 'especially extraordinary voice': 280475, 'extraordinary voice in': 293756, 'voice in structural': 959986, 'in structural decline': 428510, 'structural decline and': 814289, 'decline and not': 231300, 'not even covid': 569241, '19 will change': 12082, 'will change that': 992919, 'luxury watch': 506975, 'group rise': 366868, 'rise spread': 723010, 'spread slows': 790793, 'of luxury watch': 586082, 'luxury watch group': 506976, 'watch group rise': 968431, 'group rise spread': 366869, 'rise spread slows': 723011, 'critical medicine': 218607, 'medicine supply': 526895, 'not crazy': 568918, 'crazy pandemicprofiteering': 215380, 'the medium focus': 860420, 'focus on people': 311889, 'on people taking': 602754, 'people taking advantage': 649724, 'sanitizer market while': 735346, 'market while bank': 517343, 'pressure healthcare company': 671171, 'company to increase': 191229, 'increase price for': 433003, 'price for critical': 673944, 'for critical medicine': 320456, 'critical medicine and': 218608, 'medicine and medicine': 526720, 'and medicine supply': 66915, 'medicine supply profit': 526896, 'profit are okay': 682666, 'are okay but': 88705, 'okay but not': 597963, 'but not crazy': 146533, 'not crazy pandemicprofiteering': 568919, 'supermarket in 10': 820855, 'day and the': 227286, 'shelf are like': 756810, 'are like this': 87797, 'like this coronacrisis': 491477, 'due imagine': 261658, 'imagine them': 416808, 'when people buy': 983857, 'people buy all': 647329, 'supermarket due imagine': 820040, 'due imagine them': 261659, 'imagine them like': 416809, 'fda we': 300950, 'american public': 52148, 'fda we want': 300951, 'want to alert': 965985, 'alert the american': 41510, 'the american public': 848636, 'american public that': 52150, 'public that at': 688352, 'that at this': 842883, 'time the fda': 897852, 'fda ha not': 300869, 'home for covid': 401225, 'shriveled': 767719, 'want control': 965751, 'control traffic': 202201, 'traffic soar': 929136, 'soar but': 779232, 'but programmatic': 146854, 'ad revenue': 31147, 'ha shriveled': 371927, 'shriveled up': 767720, 'everyone want control': 287551, 'want control traffic': 965752, 'control traffic soar': 202202, 'traffic soar but': 929137, 'soar but programmatic': 779233, 'but programmatic ad': 146855, 'ad price drop': 31145, 'price drop online': 673579, 'drop online ad': 260353, 'online ad revenue': 607776, 'ad revenue ha': 31148, 'revenue ha shriveled': 720433, 'ha shriveled up': 371928, 'shriveled up amid': 767721, 'early sign of': 264690, 'pet well': 653477, 'local feed': 497955, 'feed store': 302370, 'tip for keeping': 898770, 'keeping your pet': 472638, 'your pet safe': 1025275, 'your pet well': 1025279, 'pet well being': 653479, 'well being in': 978060, 'being in case': 125293, 'home or if': 401747, 'your local feed': 1024694, 'local feed store': 497956, 'feed store or': 302371, 'the loaf': 859518, 'bread are': 138410, 'gone remember': 356362, 'bakery to': 108890, 'here freshly': 393022, 'freshly baked': 333131, 'baked every': 108765, 'wish 19': 996741, 'psa if all': 687408, 'all the loaf': 44812, 'the loaf of': 859520, 'of bread are': 580835, 'bread are gone': 138411, 'are gone remember': 86911, 'gone remember to': 356363, 'remember to check': 710369, 'to check at': 902679, 'check at the': 174380, 'at the bakery': 100882, 'the bakery to': 849208, 'bakery to see': 108891, 'see if your': 745288, 'your supermarket ha': 1026045, 'supermarket ha one': 820641, 'ha one here': 371437, 'one here freshly': 606421, 'here freshly baked': 393023, 'freshly baked every': 333132, 'baked every day': 108766, 'every day they': 285850, 'day they will': 228525, 'they will cut': 883835, 'will cut it': 993086, 'cut it for': 223404, 'you wish 19': 1022370, 'florida ding': 310921, 'ditch some': 248446, 'some house': 783058, 'with roll': 1000524, 'an 55': 55020, '55 community': 20368, 'community their': 190157, 'child up': 176243, 'north will': 567692, 'store toiletpapercrisis': 810890, 'toiletpapercrisis socialdistancing': 923062, 'live in florida': 495861, 'in florida ding': 422939, 'florida ding dong': 310922, 'dong ditch some': 255138, 'ditch some house': 248447, 'some house with': 783059, 'house with roll': 406693, 'with roll of': 1000525, 'paper in an': 640313, 'in an 55': 420269, 'an 55 community': 55021, '55 community their': 20369, 'community their child': 190158, 'their child up': 872777, 'child up north': 176244, 'up north will': 945472, 'north will thank': 567693, 'for helping to': 322206, 'keep them out': 472113, 'grocery store toiletpapercrisis': 365873, 'store toiletpapercrisis socialdistancing': 810891, 'toiletpapercrisis socialdistancing toiletpaper': 923063, 'leave updated': 485032, 'off disconnect': 593767, 'leave turn': 485024, 'in fake': 422778, 'leave there': 484989, 'food companionship': 313986, 'companionship love': 190334, 'in and leave': 420373, 'and leave updated': 66065, 'leave updated turn': 485033, 'turn off disconnect': 935713, 'off disconnect and': 593768, 'disconnect and leave': 244410, 'and leave turn': 66064, 'leave turn off': 485025, 'exposure tune in': 293019, 'tune in fake': 935403, 'in fake news': 422779, 'buying leave there': 150639, 'leave there who': 484990, 'there who need': 879349, 'help food companionship': 389742, 'food companionship love': 313987, 'companionship love quarantine': 190335, 'isle should': 454378, 'avoid meeting': 105191, 'meeting giant': 527706, 'giant sneeze': 349863, 'sneeze coming': 776232, 'coming toward': 188251, 'toward you': 927162, 'you floor': 1018600, 'floor marking': 310818, 'guide every': 368315, 'every 2nd': 285648, '2nd isle': 16785, 'direction you': 243491, 'coronacrisis retail store': 204732, 'retail store isle': 718651, 'store isle should': 808553, 'isle should now': 454379, 'now be one': 574203, 'one way so': 607379, 'way so to': 969876, 'so to avoid': 778533, 'to avoid meeting': 900919, 'avoid meeting giant': 105192, 'meeting giant sneeze': 527707, 'giant sneeze coming': 349864, 'sneeze coming toward': 776233, 'coming toward you': 188252, 'toward you floor': 927163, 'you floor marking': 1018601, 'floor marking to': 310820, 'marking to guide': 517920, 'to guide every': 907073, 'guide every 2nd': 368316, 'every 2nd isle': 285649, '2nd isle in': 16786, 'isle in opposite': 454361, 'opposite direction you': 613782, 'direction you heard': 243492, 'woman push': 1003591, 'push her': 690278, 'trolley along': 932357, 'empty pasta': 274999, 'aisle inside': 40281, 'inside tesco': 439404, 'manchester britain': 512933, 'reuters phil': 720206, 'phil noble': 654684, 'woman push her': 1003592, 'push her trolley': 690279, 'her trolley along': 392487, 'trolley along the': 932358, 'along the empty': 47027, 'the empty pasta': 854286, 'empty pasta aisle': 275000, 'pasta aisle inside': 643673, 'aisle inside tesco': 40282, 'inside tesco supermarket': 439405, 'tesco supermarket amid': 838819, 'supermarket amid the': 818906, 'outbreak in manchester': 628347, 'in manchester britain': 425026, 'manchester britain march': 512934, '21 2020 reuters': 14959, '2020 reuters phil': 14577, 'reuters phil noble': 720207, 'here don': 392925, 'system often': 831264, 'often but': 596170, 'is product': 451067, 'of incredible': 585086, 'incredible innovation': 433844, 'important point here': 418930, 'point here don': 662508, 'here don panic': 392926, 'through this know': 894826, 'know people don': 476677, 'don think about': 253971, 'food system often': 317053, 'system often but': 831265, 'often but it': 596171, 'it is product': 459045, 'is product of': 451068, 'product of incredible': 681454, 'of incredible innovation': 585087, 'think closed': 885187, 'site well': 772056, 'well due': 978211, 'all think closed': 45082, 'think closed online': 885188, 'closed online site': 183268, 'online site well': 609374, 'site well due': 772057, 'well due to': 978212, 'due to shopping': 261946, 'trumpisuseless': 934063, 'ethic skip': 283057, 'skip generation': 773128, 'generation trump': 345643, 'trump rip': 933797, 'rip consumer': 722646, 'consumer off': 198254, 'chance note': 171745, 'note trump': 572836, 'trump see': 933832, 'see voter': 746006, 'voter consumer': 960575, 'more ripped': 540270, 'off trumpisuseless': 594351, 'ethic skip generation': 283058, 'skip generation trump': 773129, 'generation trump rip': 345644, 'trump rip consumer': 933798, 'rip consumer off': 722647, 'consumer off every': 198255, 'off every time': 593806, 'every time he': 286309, 'time he get': 896902, 'he get chance': 384983, 'get chance note': 346756, 'chance note trump': 171746, 'note trump see': 572837, 'trump see voter': 933833, 'see voter consumer': 746007, 'voter consumer be': 960576, 'consumer be prepared': 196417, 'prepared to get': 670253, 'get even more': 346960, 'even more ripped': 284375, 'more ripped off': 540271, 'ripped off trumpisuseless': 722706, 'confrim': 194284, 'creat': 215595, 'hey cant': 394344, 'cant confrim': 162274, 'confrim but': 194285, 'know from': 476389, 'camp for': 157176, 'given enough': 350985, 'where not': 985057, 'transport person': 929928, 'to actual': 900025, 'actual place': 30688, 'and dropped': 61765, 'between plz': 128862, 'plz can': 661803, 'check dont': 174419, 'dont wanna': 255313, 'wanna creat': 965623, 'creat panic': 215596, 'hey cant confrim': 394345, 'cant confrim but': 162275, 'confrim but got': 194286, 'but got to': 145811, 'got to know': 358962, 'to know from': 908979, 'know from my': 476390, 'family in up': 297929, 'in up that': 430460, 'up that people': 946151, 'that people in': 845697, 'people in camp': 648354, 'in camp for': 421174, 'camp for quarantine': 157177, 'for quarantine are': 324897, 'quarantine are not': 692037, 'not given enough': 569652, 'given enough food': 350986, 'food and few': 313232, 'and few people': 62816, 'few people where': 303994, 'people where not': 650247, 'where not taken': 985058, 'not taken by': 571916, 'taken by transport': 832977, 'by transport person': 154591, 'transport person to': 929929, 'person to actual': 652653, 'to actual place': 900026, 'actual place and': 30689, 'place and dropped': 657310, 'and dropped in': 61766, 'dropped in between': 260577, 'in between plz': 420808, 'between plz can': 128863, 'plz can you': 661804, 'can you check': 160286, 'you check dont': 1017931, 'check dont wanna': 174420, 'dont wanna creat': 255314, 'wanna creat panic': 965624, 'for cigarette': 320086, 'cigarette excluding': 178482, 'excluding tax': 289637, 'tax not': 835035, 'important volume': 419095, 'just year': 470361, 'date pricing': 226718, 'pricing planned': 677957, '2020 achieved': 14125, 'achieved at': 29050, '60 maintain': 20959, 'maintain guidance': 508975, 'with hsd': 998897, 'moment no material': 536005, 'demand for cigarette': 235391, 'for cigarette excluding': 320087, 'cigarette excluding tax': 178483, 'excluding tax not': 289638, 'tax not important': 835036, 'not important volume': 570074, 'important volume is': 419096, 'volume is down': 960143, 'is down just': 447348, 'down just year': 256909, 'just year to': 470362, 'to date pricing': 903941, 'date pricing planned': 226719, 'pricing planned for': 677958, 'planned for 2020': 658451, 'for 2020 achieved': 318743, '2020 achieved at': 14126, 'achieved at 60': 29051, 'at 60 maintain': 97707, '60 maintain guidance': 20960, 'maintain guidance for': 508976, 'guidance for 2020': 368225, '2020 with hsd': 14731, 'with hsd eps': 998898, 'obeying': 578393, 'ostensibly': 619735, 'is obeying': 450375, 'obeying the': 578396, 'ethical distribution': 283072, 'item then': 463711, 'to socialism': 914839, 'socialism that': 780986, 'had with': 373801, 'with rationing': 1000404, 'rationing in': 697823, 'ww2 under': 1013655, 'under an': 939996, 'an ostensibly': 56717, 'ostensibly conservative': 619736, 'conservative pm': 194915, 'pm borisout': 661869, 'what the shop': 982365, 'shop are doing': 759899, 'are doing is': 85908, 'doing is obeying': 252477, 'is obeying the': 450376, 'obeying the law': 578397, 'law of demand': 482353, 'and supply if': 72793, 'supply if we': 825387, 'we want an': 973743, 'want an ethical': 965704, 'an ethical distribution': 55864, 'ethical distribution of': 283073, 'of essential consumer': 583164, 'essential consumer item': 280941, 'consumer item then': 197969, 'item then we': 463712, 'then we must': 877730, 'we must look': 972426, 'must look to': 546758, 'look to socialism': 502637, 'to socialism that': 914840, 'socialism that what': 780987, 'that what we': 847475, 'what we had': 982553, 'we had with': 971729, 'had with rationing': 373804, 'with rationing in': 1000405, 'rationing in ww2': 697826, 'in ww2 under': 431009, 'ww2 under an': 1013656, 'under an ostensibly': 939999, 'an ostensibly conservative': 56718, 'ostensibly conservative pm': 619737, 'conservative pm borisout': 194916, 'if invested': 414272, 'invested 10th': 443777, '10th of': 2396, 'money he': 536808, 'putting into': 691149, 'into saving': 442964, 'saving property': 737948, 'testing then': 839664, 'our death': 622714, 'from might': 336432, 'be 10th': 113409, 'if invested 10th': 414273, 'invested 10th of': 443778, '10th of the': 2397, 'of the money': 591249, 'the money he': 860813, 'money he is': 536809, 'he is putting': 385140, 'is putting into': 451158, 'putting into saving': 691150, 'into saving property': 442965, 'saving property price': 737949, 'property price into': 684332, 'price into ventilator': 674844, 'into ventilator and': 443275, 'ventilator and testing': 954532, 'and testing then': 73145, 'testing then our': 839665, 'then our death': 877394, 'our death rate': 622715, 'rate from might': 697230, 'from might be': 336433, 'might be 10th': 530877, 'be 10th of': 113410, '10th of what': 2398, 'is probably going': 451044, 'farmer around': 299302, 'time of with': 897378, 'of with glut': 593206, 'with glut in': 998628, 'in supply due': 428729, 'dairy farmer around': 224976, 'farmer around the': 299303, 'around the region': 93553, 'next phase': 561512, 'went the': 979122, 'clipper and': 182374, 'dye are': 263764, 'the next phase': 861688, 'next phase of': 561513, 'phase of first': 654629, 'of first went': 583555, 'first went the': 309180, 'went the disinfectant': 979123, 'the disinfectant and': 853386, 'disinfectant and now': 245609, 'now hair clipper': 574853, 'hair clipper and': 373966, 'clipper and hair': 182375, 'and hair dye': 64112, 'hair dye are': 373980, 'dye are flying': 263765, 'in preston': 426933, 'preston are': 671281, 'and retailer in': 70460, 'retailer in preston': 719202, 'in preston are': 426934, 'preston are being': 671282, 'increase price during': 433001, 'plucky': 661211, 'dunkirk': 262296, 'invasion': 443597, 'the plucky': 863852, 'plucky brit': 661212, 'brit flag': 140335, 'flag waving': 309951, 'waving dunkirk': 969407, 'dunkirk great': 262297, 'britain spirit': 140443, 'people stripping': 649667, 'an invasion': 56439, 'invasion of': 443598, 'of fed': 583472, 'fed locust': 301850, 'locust to': 500575, 'to cocaine': 902937, 'cocaine with': 185202, 'an me': 56504, 'me attitude': 522483, 'attitude rather': 102580, 'happened to the': 377284, 'to the plucky': 916960, 'the plucky brit': 863853, 'plucky brit flag': 661213, 'brit flag waving': 140336, 'flag waving dunkirk': 309952, 'waving dunkirk great': 969408, 'dunkirk great britain': 262298, 'great britain spirit': 362534, 'britain spirit that': 140445, 'spirit that everyone': 789508, 'that everyone wa': 843773, 'everyone wa talking': 287544, 'wa talking about': 963403, 'talking about in': 833974, 'about in recent': 25513, 'recent year and': 704031, 'year and why': 1014410, 'are people stripping': 89053, 'people stripping supermarket': 649668, 'shelf like an': 757283, 'like an invasion': 489774, 'an invasion of': 56440, 'invasion of fed': 443599, 'of fed locust': 583474, 'fed locust to': 301851, 'locust to cocaine': 500576, 'to cocaine with': 902938, 'cocaine with an': 185203, 'with an me': 997222, 'an me me': 56505, 'me me me': 523152, 'me me attitude': 523151, 'me attitude rather': 522485, 'what something': 982223, 'positive what something': 665489, 'what something you': 982224, 'something you ve': 785163, 'you ve learned': 1022049, 've learned to': 953331, 'worker and small': 1006334, 'and small local': 71780, 'samkelo': 733443, 'jus': 468080, 'pta': 687622, 'giv': 350347, 'samkelo any': 733444, 'store dat': 807260, 'dat is': 226094, 'following dis': 312721, 'dis covid': 243789, 'rule law': 727286, 'law should': 482394, 'closed jus': 183202, 'jus like': 468083, 'like shoprite': 491183, 'in pta': 427061, 'pta cbd': 687623, 'cbd do': 168303, 'do dey': 249225, 'dey giv': 240027, 'giv discretion': 350348, 'discretion to': 244759, 'to dat': 903913, 'dat spar': 226104, 'spar and': 787432, 'only spar': 611176, 'spar can': 787436, 'can employee': 158216, 'employee inside': 273981, 'inside de': 439250, 'samkelo any retail': 733445, 'retail store dat': 718631, 'store dat is': 807261, 'dat is not': 226095, 'is not following': 450085, 'not following dis': 569463, 'following dis covid': 312722, 'dis covid 19': 243790, '19 rule law': 10261, 'rule law should': 727287, 'law should be': 482395, 'be closed jus': 114131, 'closed jus like': 183203, 'jus like shoprite': 468084, 'like shoprite in': 491184, 'shoprite in pta': 764551, 'in pta cbd': 427062, 'pta cbd do': 687624, 'cbd do dey': 168304, 'do dey giv': 249226, 'dey giv discretion': 240028, 'giv discretion to': 350349, 'discretion to dat': 244760, 'to dat spar': 903914, 'dat spar and': 226105, 'spar and is': 787433, 'and is not': 65418, 'the only spar': 862344, 'only spar can': 611177, 'spar can employee': 787437, 'can employee inside': 158217, 'employee inside de': 273982, 'filling trollies': 305638, 'trollies to': 932524, 'an unknown': 56870, 'unknown pandemic': 942531, 'bank up': 110275, 'help feed people': 389694, 'feed people during': 302358, 'during the people': 263172, 'are filling trollies': 86559, 'filling trollies to': 305639, 'trollies to try': 932525, 'try to deal': 934616, 'panic of an': 638352, 'of an unknown': 580131, 'an unknown pandemic': 56871, 'unknown pandemic and': 942532, 'pandemic and food': 634878, 'food bank up': 313661, 'bank up and': 110276, 'out this great': 627569, 'this great video': 887757, 'great video on': 363096, 'video on how': 956841, 'to handle item': 907128, 'handle item from': 376220, 'store food take': 807776, 'take out via': 832463, '19au': 12513, 'community connected': 189792, 'connected we': 194668, 'joined with': 466960, 'with 40': 997012, '40 community': 18553, 'orgs calling': 619503, 'from electricity': 335263, 'electricity if': 271182, 'bill on': 130638, 'time during': 896591, 'the 19au': 847961, '19au crisis': 12514, 'keep community connected': 471415, 'community connected we': 189793, 'connected we ve': 194669, 'we ve joined': 973680, 've joined with': 953291, 'joined with 40': 466961, 'with 40 community': 997013, '40 community orgs': 18555, 'community orgs calling': 190027, 'orgs calling on': 619504, 'calling on company': 156608, 'on company and': 599991, 'company and government': 190381, 'and government to': 63891, 'be cut off': 114321, 'cut off from': 223441, 'off from electricity': 593848, 'from electricity if': 335264, 'electricity if they': 271183, 'can pay their': 159206, 'their bill on': 872618, 'bill on time': 130641, 'on time during': 604708, 'time during the': 896594, 'during the 19au': 263079, 'the 19au crisis': 847962, '19au crisis read': 12515, 'causing drop': 168027, 'electricitymarkets it': 271231, 'also perceived': 48652, 'perceived in': 651097, 'of electricity': 583015, 'electricity brentoil': 271157, 'the crisis of': 852417, 'crisis of is': 217786, 'of is causing': 585315, 'is causing drop': 446420, 'causing drop in': 168028, 'price in european': 674682, 'in european electricitymarkets': 422660, 'european electricitymarkets it': 283567, 'electricitymarkets it effect': 271232, 'it effect is': 457767, 'effect is also': 269020, 'is also perceived': 445572, 'also perceived in': 48653, 'perceived in the': 651098, 'price of electricity': 675442, 'of electricity brentoil': 583016, 'electricity brentoil ttf': 271158, 'someone actually': 784356, 'actually took': 30991, 'took pizza': 925316, 'pizza out': 657191, 'friend trolley': 333863, 'trolley while': 932498, 'she wasn': 756452, 'wasn looking': 967997, 'looking selfisolating': 502993, 'selfisolating shop': 748425, 'so we went': 778690, 'other day to': 620084, 'some shopping not': 783863, 'shopping not only': 763353, 'only wa there': 611426, 'wa there almost': 963478, 'the shelf but': 866827, 'shelf but someone': 756905, 'but someone actually': 147118, 'someone actually took': 784357, 'actually took pizza': 30992, 'took pizza out': 925317, 'pizza out of': 657192, 'my friend trolley': 548455, 'friend trolley while': 333864, 'trolley while she': 932499, 'while she wasn': 987256, 'she wasn looking': 756453, 'wasn looking selfisolating': 967998, 'looking selfisolating shop': 502994, 'doe german': 251399, 'merkel do': 529155, 'of germany': 584110, 'germany greatest': 346302, 'ii she': 415986, 'what doe german': 981364, 'doe german chancellor': 251400, 'angela merkel do': 76333, 'merkel do in': 529156, 'midst of germany': 530785, 'of germany greatest': 584111, 'germany greatest challenge': 346303, 'greatest challenge since': 363271, 'challenge since world': 171553, 'war ii she': 966469, 'ii she go': 415987, 'she go supermarket': 756053, 'india more': 434522, 'jantacurfew successful': 464603, 'successful fightcovid19': 816236, 'make india more': 510006, 'india more safe': 434523, 'more safe with': 540296, 'safe with do': 730151, 'with do online': 998100, 'your home via': 1024384, 'this jantacurfew successful': 888538, 'jantacurfew successful fightcovid19': 464604, 'are rightly': 89700, 'rightly focused': 722463, 'stressed about': 813432, 'the vulnerability': 870971, 'vulnerability of': 960819, 'parent skip': 641728, 'we are rightly': 970691, 'are rightly focused': 89701, 'rightly focused on': 722464, 'focused on covid': 311948, '19 and stressed': 5114, 'and stressed about': 72560, 'stressed about empty': 813433, 'about empty supermarket': 25172, 'shelf profiteering and': 757434, 'profiteering and the': 683004, 'and the vulnerability': 73642, 'the vulnerability of': 870972, 'vulnerability of our': 960820, 'our elderly parent': 622869, 'elderly parent skip': 270812, 'parent skip the': 641729, 'skip the line': 773146, 'line and trip': 492954, 'meal people': 524235, 'the community food': 851274, 'bank of seeing': 110054, 'of seeing increased': 589451, 'for meal people': 323356, 'meal people laid': 524236, 'the need help': 861396, 'hazardpaynow': 384600, 'absolutely be': 27325, 'making hazardpaynow': 511112, 'hazardpaynow pay': 384601, 'absolutely includes': 27373, 'includes vendor': 431826, 'the crisis should': 852446, 'crisis should absolutely': 218039, 'should absolutely be': 765469, 'absolutely be making': 27326, 'be making hazardpaynow': 115889, 'making hazardpaynow pay': 511113, 'hazardpaynow pay and': 384602, 'pay and yes': 644744, 'yes this absolutely': 1015569, 'this absolutely includes': 886177, 'absolutely includes vendor': 27374, 'includes vendor and': 431827, 'vendor and grocery': 954342, 'pouch': 667298, 'pricegouging 99': 677782, '99 quart': 23886, 'quart baking': 693224, 'yeast not': 1015150, 'for pouch': 324656, 'pouch at': 667299, 'at dairy': 98402, 'product most': 681419, 'most price': 542657, 'doubled who': 256151, 'who monitoring': 989292, 'monitoring where': 537386, 'where report': 985146, 'pricegouging 99 quart': 677783, '99 quart baking': 23887, 'quart baking yeast': 693225, 'baking yeast not': 108936, 'yeast not in': 1015151, 'not in any': 570084, 'any store 15': 79858, 'store 15 for': 806020, '15 for pouch': 3714, 'for pouch at': 324657, 'pouch at dairy': 667300, 'at dairy product': 98403, 'dairy product most': 225029, 'product most price': 681420, 'most price doubled': 542658, 'price doubled who': 673507, 'doubled who monitoring': 256152, 'who monitoring where': 989293, 'monitoring where report': 537387, 'where report pricegouging': 985147, 'york worker': 1016691, '19 deserve': 6503, 'deserve easy': 238049, 'compensation benefit': 191549, 'benefit share': 127079, 'doctor airport': 250800, 'airport worker': 40138, 'new york worker': 559959, 'york worker who': 1016692, 'are sick with': 90120, 'covid 19 deserve': 212935, '19 deserve easy': 6504, 'deserve easy access': 238050, 'access to worker': 28298, 'to worker compensation': 918813, 'worker compensation benefit': 1006681, 'compensation benefit share': 191550, 'benefit share our': 127080, 'our petition and': 624327, 'petition and join': 653586, 'and join we': 65678, 'join we call': 466901, 'call for all': 155850, 'all worker from': 45501, 'worker from nurse': 1006996, 'from nurse to': 336622, 'nurse to doctor': 577519, 'to doctor airport': 904601, 'doctor airport worker': 250801, 'airport worker to': 40139, 'worker to grocery': 1008007, 'clerk are protected': 181657, 'today needed': 919917, 'needed bread': 556316, 'bread so': 138586, 'get trolley': 348538, 'trolley didnt': 932391, 'didnt get': 241270, 'basket because': 112313, 'bread just': 138510, 'just bread': 468365, 'bread stoppanicbuying': 138597, 'today needed bread': 919918, 'needed bread so': 556318, 'bread so went': 138588, 'the supermarket didn': 868552, 'didn get trolley': 241071, 'get trolley didnt': 348539, 'trolley didnt get': 932392, 'didnt get basket': 241271, 'get basket because': 346651, 'basket because needed': 112314, 'because needed bread': 119269, 'needed bread just': 556317, 'bread just bread': 138511, 'just bread stoppanicbuying': 468366, 'algernon': 41643, 'agn': 38305, 'carolin': 164826, 'xoxoxo': 1013898, 'incredible start': 433871, 'week gold': 976276, 'gold gld': 355898, 'gld price': 351659, 'high bull': 394950, 'bull is': 142401, 'is picking': 450869, 'up steam': 946067, 'steam algernon': 799276, 'algernon agn': 41644, 'agn up': 38306, '70 new': 21795, 'new carolin': 558454, 'carolin lad': 164827, 'lad up': 478719, '30 lot': 17092, 'these volatile': 880934, 'market best': 516103, 'best luck': 127758, 'everyone xoxoxo': 287646, 'incredible start to': 433872, 'the week gold': 871301, 'week gold gld': 976277, 'gold gld price': 355899, 'gld price hit': 351660, 'year high bull': 1014620, 'high bull is': 394951, 'bull is picking': 142402, 'is picking up': 450870, 'picking up steam': 655886, 'up steam algernon': 946068, 'steam algernon agn': 799277, 'algernon agn up': 41645, 'agn up 70': 38307, 'up 70 new': 944202, '70 new carolin': 21796, 'new carolin lad': 558455, 'carolin lad up': 164828, 'lad up 30': 478720, 'up 30 lot': 944151, '30 lot of': 17093, 'lot of cash': 504152, 'cash to be': 166353, 'made in these': 507795, 'in these volatile': 429878, 'these volatile market': 880935, 'volatile market best': 960050, 'market best luck': 516104, 'best luck everyone': 127759, 'luck everyone xoxoxo': 506453, 'that changed': 843199, '19 mindset': 8654, 'the 11 day': 847872, '11 day that': 2513, 'day that changed': 228469, 'that changed the': 843200, 'changed the consumer': 172563, 'the consumer covid': 851519, 'covid 19 mindset': 213437, 'hanoi': 377010, 'hanoi ensures': 377011, 'ensures abundant': 278149, 'distancing vietnam': 247590, 'vietnam hanoi': 957032, 'hanoi supermarket': 377015, 'socialdistancing ncov': 780547, 'ncov pandemic': 553340, 'hanoi ensures abundant': 377012, 'ensures abundant supply': 278150, 'supply of consumer': 825618, 'good in 15': 357238, 'in 15 day': 419698, '15 day social': 3695, 'social distancing vietnam': 779754, 'distancing vietnam hanoi': 247591, 'vietnam hanoi supermarket': 957033, 'hanoi supermarket socialdistancing': 377016, 'supermarket socialdistancing ncov': 822758, 'socialdistancing ncov pandemic': 780548, 'emptied with': 274706, 'interesting blog': 441518, 'blog talk': 133022, 'might learn': 531063, 'ourselves when': 625505, 'time we ve': 898240, 've probably all': 953446, 'probably all seen': 679201, 'all seen supermarket': 44269, 'seen supermarket shelf': 747264, 'shelf being emptied': 756890, 'being emptied with': 125104, 'emptied with panic': 274707, 'buying this interesting': 151220, 'this interesting blog': 888145, 'interesting blog talk': 441519, 'blog talk about': 133023, 'what we might': 982557, 'we might learn': 972373, 'might learn about': 531064, 'learn about ourselves': 483937, 'about ourselves when': 25908, 'ourselves when we': 625506, 'timber': 896166, 'calculated risk': 155309, 'risk update': 723987, 'update future': 946991, 'future timber': 342482, 'timber framing': 896167, 'framing price': 330961, 'yoy here': 1026954, 'another monthly': 77716, 'monthly update': 538217, 'on framing': 600978, 'framing timber': 330967, 'timber price': 896169, 'price lumber': 675135, 'lumber price': 506666, 'from record': 337052, 'early 2018': 264527, '2018 then': 13900, 'then rose': 877490, 'rose until': 726104, 'calculated risk update': 155311, 'risk update future': 723989, 'update future timber': 946992, 'future timber framing': 342483, 'timber framing price': 896168, 'framing price down': 330962, 'down 25 yoy': 256400, '25 yoy here': 16005, 'yoy here another': 1026955, 'here another monthly': 392720, 'another monthly update': 77717, 'monthly update on': 538218, 'update on framing': 947116, 'on framing timber': 600980, 'framing timber price': 330968, 'timber price lumber': 896170, 'price lumber price': 675136, 'lumber price fell': 506668, 'fell sharply from': 303230, 'sharply from record': 755741, 'from record high': 337053, 'high in early': 395123, 'in early 2018': 422445, 'early 2018 then': 264529, '2018 then rose': 13901, 'then rose until': 877491, 'rose until the': 726105, 'responsiblereporting': 716070, 'hey stop': 394512, 'stop reinforcing': 804954, 'reinforcing people': 708260, 'people worry': 650529, 'about bare': 24848, 'them constantly': 875543, 'constantly in': 195679, 'your report': 1025575, 'showing truck': 767542, 'truck being': 932733, 'being unloaded': 126003, 'unloaded and': 942804, 'stocked instead': 803346, 'instead responsiblereporting': 440352, 'responsiblereporting stockpilinguk': 716071, 'hey stop reinforcing': 394513, 'stop reinforcing people': 804955, 'reinforcing people worry': 708262, 'people worry about': 650530, 'worry about bare': 1010625, 'about bare supermarket': 24849, 'shelf by showing': 756918, 'by showing them': 154006, 'showing them constantly': 767534, 'them constantly in': 875544, 'constantly in your': 195680, 'in your report': 431117, 'your report how': 1025576, 'report how about': 712021, 'about showing truck': 26193, 'showing truck being': 767543, 'truck being unloaded': 932734, 'being unloaded and': 126004, 'unloaded and shelf': 942805, 'and shelf stocked': 71450, 'shelf stocked instead': 757583, 'stocked instead responsiblereporting': 803347, 'instead responsiblereporting stockpilinguk': 440353, 'unhealthy': 941695, 'market fallacy': 516379, 'fallacy equity': 297118, 'market only': 516801, 'about earnings': 25144, 'earnings not': 264920, 'economy mike': 268076, 'mike wilson': 531287, 'wilson etc': 995510, 'is unhealthy': 453497, 'unhealthy underlying': 941698, 'underlying economy': 940479, 'be unhealthy': 117864, 'unhealthy and': 941696, 'and dent': 61204, 'dent earnings': 237070, 'earnings corporate': 264891, 'earnings don': 264895, 'don exist': 253495, 'in vacuum': 430521, 'vacuum bearish': 951816, 'bearish dow': 118460, 'market fallacy equity': 516380, 'fallacy equity market': 297119, 'equity market only': 279958, 'market only care': 516802, 'only care about': 610222, 'care about earnings': 163786, 'about earnings not': 25145, 'earnings not the': 264921, 'not the economy': 571993, 'the economy mike': 853995, 'economy mike wilson': 268077, 'mike wilson etc': 531288, 'wilson etc if': 995511, 'etc if consumer': 282600, 'if consumer spending': 413984, 'spending is unhealthy': 788883, 'is unhealthy underlying': 453498, 'unhealthy underlying economy': 941699, 'underlying economy will': 940480, 'will be unhealthy': 992746, 'be unhealthy and': 117865, 'unhealthy and dent': 941697, 'and dent earnings': 61205, 'dent earnings corporate': 237071, 'earnings corporate earnings': 264892, 'corporate earnings don': 207268, 'earnings don exist': 264896, 'don exist in': 253496, 'exist in vacuum': 290240, 'in vacuum bearish': 430522, 'vacuum bearish dow': 951817, 'stockholder': 803530, 'coronacrisis starting': 204765, 'wa indeed': 962396, 'indeed manufactured': 434002, 'manufactured and': 513399, 'then released': 877469, 'chinese with': 177392, 'only goal': 610523, 'goal of': 354577, 'of lowering': 586055, 'lowering worldwide': 506136, 'worldwide stock': 1010425, 'price them': 676870, 'them buying': 875508, 'buying low': 150686, 'become major': 120051, 'major or': 509407, 'or top': 617499, 'top stockholder': 925723, 'stockholder without': 803531, 'without single': 1002916, 'single bullet': 771248, 'bullet fired': 142424, 'coronacrisis starting to': 204766, 'virus wa indeed': 958989, 'wa indeed manufactured': 962397, 'indeed manufactured and': 434003, 'manufactured and then': 513400, 'and then released': 73798, 'then released by': 877470, 'by the chinese': 154282, 'the chinese with': 850872, 'chinese with the': 177393, 'with the only': 1001415, 'the only goal': 862309, 'only goal of': 610524, 'goal of lowering': 354578, 'of lowering worldwide': 586056, 'lowering worldwide stock': 506137, 'worldwide stock price': 1010426, 'stock price them': 802749, 'price them buying': 676871, 'them buying low': 875509, 'buying low so': 150687, 'chinese government could': 177271, 'government could become': 359998, 'could become major': 208952, 'become major or': 120052, 'major or top': 509408, 'or top stockholder': 617500, 'top stockholder without': 925724, 'stockholder without single': 803532, 'without single bullet': 1002917, 'single bullet fired': 771249, 'airforceone': 39900, 'sundaythoughts seems': 818348, 'seems no': 746829, 'trump airforceone': 933392, 'toiletpaperpanic sundaythoughts seems': 923254, 'sundaythoughts seems no': 818349, 'seems no shortage': 746830, 'shortage of toiletpaper': 765142, 'toiletpaper for trump': 922002, 'for trump airforceone': 327366, '7011259210': 21932, '3meds': 18347, 'orderonline': 619069, 'buynow': 151441, 'buy wide': 149473, 'counter medicine': 210239, 'medicine online': 526854, 'price download': 673541, 'app now': 81741, 'now visit': 576307, 'call 7011259210': 155714, '7011259210 3meds': 21933, '3meds medicine': 18348, 'medicine orderonline': 526863, 'orderonline buynow': 619070, 'buynow healthcare': 151442, 'medical indiafightscorona': 526214, 'buy wide range': 149474, 'range of over': 696717, 'the counter medicine': 852028, 'counter medicine online': 210240, 'medicine online at': 526855, 'online at low': 607889, 'low price download': 505509, 'price download the': 673542, 'the app now': 848818, 'app now visit': 81742, 'now visit call': 576308, 'visit call 7011259210': 959209, 'call 7011259210 3meds': 155715, '7011259210 3meds medicine': 21934, '3meds medicine orderonline': 18349, 'medicine orderonline buynow': 526864, 'orderonline buynow healthcare': 619071, 'buynow healthcare medical': 151443, 'healthcare medical indiafightscorona': 387181, 'europe ecommerce': 283429, 'economy magento': 268054, 'magento shopify': 508372, 'shopify onlineshopping': 761161, 'in europe ecommerce': 422634, 'europe ecommerce retail': 283430, 'ecommerce retail economy': 266845, 'retail economy magento': 718060, 'economy magento shopify': 268055, 'magento shopify onlineshopping': 508373, 'beatingcancer': 118630, 'coming this': 188209, 'isolation began': 455217, 'on 16th': 599019, '16th march': 4284, 'am truly': 50511, 'grateful excited': 362254, 'excited smiling': 289561, 'smiling you': 775782, 'you star': 1021349, 'star stayhomesavelives': 794065, 'stayhomesavelives beatingcancer': 798346, 'thank you have': 841743, 'you have my': 1019078, 'have my first': 381543, 'my first delivery': 548337, 'first delivery coming': 308630, 'delivery coming this': 233809, 'coming this week': 188210, 'this week since': 891264, 'week since my': 976877, 'since my self': 770761, 'self isolation began': 747758, 'isolation began on': 455218, 'began on 16th': 123417, 'on 16th march': 599020, '16th march you': 4285, 'march you re': 515546, 're the first': 699689, 'supermarket to step': 823417, 'and help me': 64458, 'help me for': 390065, 'me for this': 522765, 'for this am': 327007, 'this am truly': 886298, 'am truly grateful': 50512, 'truly grateful excited': 933306, 'grateful excited smiling': 362255, 'excited smiling you': 289562, 'smiling you star': 775783, 'you star stayhomesavelives': 1021350, 'star stayhomesavelives beatingcancer': 794066, 'deprtment': 237722, 'aata': 24158, 'copied': 203366, '19 deprtment': 6499, 'deprtment of': 237723, 'should purchase': 766352, 'supplier distributor': 824521, 'distributor then': 248328, 'location at': 498859, 'price wen': 677430, 'wen department': 978901, 'department can': 237188, 'sell rice': 748865, 'and aata': 57528, 'aata then': 24161, 'time copied': 896512, '19 deprtment of': 6500, 'deprtment of consumer': 237724, 'affair and public': 33997, 'public distribution should': 687952, 'distribution should purchase': 248217, 'should purchase mask': 766353, 'purchase mask and': 689547, 'hand sanitizers from': 375694, 'sanitizers from supplier': 736284, 'from supplier distributor': 337516, 'supplier distributor then': 824523, 'distributor then sell': 248329, 'then sell at': 877510, 'sell at different': 748630, 'different location at': 241989, 'location at lower': 498861, 'lower price wen': 505972, 'price wen department': 677431, 'wen department can': 978902, 'department can sell': 237189, 'can sell rice': 159569, 'sell rice and': 748866, 'rice and aata': 720988, 'and aata then': 57529, 'aata then why': 24162, 'then why cannot': 877756, 'cannot they sell': 162182, 'they sell mask': 883312, 'sell mask etc': 748785, 'mask etc this': 518615, 'etc this time': 282826, 'this time copied': 890627, 'watching retailer': 968785, 'being inflated': 125327, 'guy addressed': 368884, 'addressed and': 32072, 'and warned': 75195, 'who is watching': 989127, 'is watching retailer': 453786, 'watching retailer during': 968786, 'are being inflated': 84876, 'being inflated and': 125328, 'inflated and this': 437013, 'is criminal is': 446930, 'hear you guy': 388033, 'you guy addressed': 1018949, 'guy addressed and': 368885, 'addressed and warned': 32073, 'and warned against': 75196, 'warned against this': 966993, 'really did': 702107, 'before trumppressbriefing': 123255, 'store really did': 809757, 'really did miss': 702108, 'did miss this': 240688, 'miss this before': 534205, 'this before trumppressbriefing': 886534, 'ethnic': 283120, 'troublemaker': 932676, 'murdoch': 546186, 'pandemickindness': 637121, 'owner told': 632589, 'shortage wa': 765292, 'to ethnicity': 905270, 'ethnicity when': 283130, 'there she': 879036, 'replied look': 711711, 'fighting ethnic': 305063, 'ethnic and': 283121, 'and troublemaker': 74467, 'troublemaker murdoch': 932677, 'murdoch ha': 546189, 'responsibility 19': 715930, '19 pandemickindness': 9536, 'went to small': 979190, 'to small supermarket': 914763, 'small supermarket and': 775141, 'and the owner': 73507, 'the owner told': 862815, 'owner told me': 632590, 'that the shortage': 846832, 'the shortage wa': 867099, 'shortage wa due': 765293, 'wa due to': 962048, 'due to ethnicity': 261773, 'to ethnicity when': 905271, 'ethnicity when asked': 283131, 'when asked her': 983179, 'asked her how': 95757, 'her how she': 392116, 'how she got': 408659, 'she got there': 756063, 'got there she': 358928, 'there she replied': 879037, 'she replied look': 756293, 'replied look at': 711712, 'all the fighting': 44747, 'the fighting ethnic': 855172, 'fighting ethnic and': 305064, 'ethnic and troublemaker': 283122, 'and troublemaker murdoch': 74468, 'troublemaker murdoch ha': 932678, 'murdoch ha lot': 546190, 'lot of responsibility': 504268, 'of responsibility 19': 589007, 'responsibility 19 pandemickindness': 715931, 'these changing': 879742, 'time part': 897458, 'our precautionary': 624418, 'placed hand': 657882, 'desk entry': 238452, 'entry way': 279040, 'committed to doing': 189036, 'to doing all': 904624, 'doing all we': 252271, 'all we can': 45402, 'can to see': 160014, 'that you your': 847757, 'family are safe': 297630, 'are safe in': 89790, 'in these changing': 429830, 'these changing time': 879743, 'changing time part': 172831, 'time part of': 897459, 'of our precautionary': 587544, 'our precautionary measure': 624420, 'measure we ve': 525424, 'we ve placed': 973695, 've placed hand': 953442, 'placed hand sanitizer': 657883, 'sanitizer station at': 735790, 'station at the': 796352, 'the front desk': 855842, 'front desk entry': 338524, 'desk entry way': 238453, 'entry way of': 279041, 'way of each': 969750, 'of each of': 582902, 'each of our': 264137, 'stock hand': 802217, 'sanitizer ad': 734314, 'ad corona': 31084, 'pandemic sarscov2': 636383, 'sarscov2 wuhan': 736863, 'wuhan flu': 1013479, 'flu coronaoutbreak': 311400, 'in stock hand': 428304, 'stock hand sanitizer': 802218, 'hand sanitizer ad': 375289, 'sanitizer ad corona': 734315, 'ad corona virus': 31085, 'virus pandemic sarscov2': 958608, 'pandemic sarscov2 wuhan': 636384, 'sarscov2 wuhan flu': 736864, 'wuhan flu coronaoutbreak': 1013480, 'flu coronaoutbreak 19': 311401, 'coronaoutbreak 19 coronacrisis': 205102, 'fellow coloradan': 303277, 'coloradan please': 186767, 'also contact': 48060, 'fellow coloradan please': 303278, 'coloradan please consider': 186768, 'fund also contact': 341350, 'also contact your': 48061, 'bank they feel': 110245, 'they feel the': 882104, 'feel the pinch': 302889, 'this stoppanicbuying': 890342, 'stoppanicbuying coronapocolypse': 805553, 'see this stoppanicbuying': 745956, 'this stoppanicbuying coronapocolypse': 890343, 'store feel': 807707, 'feel alot': 302560, 'alot like': 47123, 'during college': 262516, 'college lot': 186623, 'of condiment': 581648, 'condiment and': 193376, 'vegetable but': 953953, 'not alot': 568163, 'grocery store feel': 365392, 'store feel alot': 807708, 'feel alot like': 302561, 'alot like looking': 47124, 'like looking in': 490674, 'the fridge during': 855812, 'fridge during college': 333388, 'during college lot': 262517, 'college lot of': 186624, 'lot of condiment': 504159, 'of condiment and': 581649, 'condiment and vegetable': 193378, 'and vegetable but': 74879, 'vegetable but not': 953954, 'but not alot': 146524, 'not alot of': 568164, 'alot of real': 47132, 'of real food': 588787, 'real food going': 701175, 'food going on': 314682, 'on in that': 601537, 'in that kitchen': 428922, 'are chance': 85225, 'to the there': 917124, 'there are chance': 878080, 'are chance of': 85226, 'chance of petrol': 171765, 'diesel price being': 241675, 'hiked by to': 396308, 'by to read': 154559, 'stopthespreadofcorona': 805931, 'stayprotected': 798773, 'enough sanitize': 277605, 'sanitize sanitize': 734206, 'sanitize and': 734166, 'sanitize wash': 734229, 'hand carefully': 374856, 'carefully frequently': 164469, 'safe stopthespreadofcorona': 730000, 'stopthespreadofcorona sanitizer': 805932, 'sanitize stayathome': 734214, 'staysafe stayprotected': 798914, 'not enough sanitize': 569190, 'enough sanitize sanitize': 277606, 'sanitize sanitize and': 734207, 'sanitize and sanitize': 734167, 'and sanitize wash': 70850, 'sanitize wash your': 734230, 'your hand carefully': 1024174, 'hand carefully frequently': 374857, 'carefully frequently stay': 164470, 'frequently stay home': 332877, 'stay safe stopthespreadofcorona': 797286, 'safe stopthespreadofcorona sanitizer': 730001, 'stopthespreadofcorona sanitizer sanitize': 805933, 'sanitizer sanitize stayathome': 735686, 'sanitize stayathome staysafe': 734215, 'stayathome staysafe stayprotected': 797666, 'amazing did': 50670, '72 year': 22025, 'ha diabetes': 370374, 'diabetes because': 240169, 'brought most': 141178, 'shopping he': 762874, 'out thankyou': 627315, 'thankyou for': 842333, 'of coronacrisisuk': 581909, 'coronacrisisuk staysafestayhome': 204907, 'much you have': 545494, 'been amazing did': 120650, 'amazing did an': 50671, 'an online order': 56624, 'for my 72': 323667, 'my 72 year': 547173, '72 year old': 22026, 'year old dad': 1014821, 'old dad who': 598207, 'dad who ha': 224408, 'who ha diabetes': 988841, 'ha diabetes because': 370375, 'diabetes because you': 240170, 'because you brought': 119862, 'you brought most': 1017534, 'brought most of': 141179, 'our shopping he': 624763, 'shopping he doesn': 762875, 'go out thankyou': 353987, 'out thankyou for': 627316, 'thankyou for taking': 842334, 'for taking care': 326143, 'care of coronacrisisuk': 164096, 'of coronacrisisuk staysafestayhome': 581910, 'coronacrisisuk staysafestayhome stayathome': 204908, 'wallmart': 965236, 'gunshop': 368798, 'quarantena': 691978, 'cad2i129h3': 155057, 'panicbuying around': 638901, 'world everyone': 1009523, 'priority panicshopping': 678626, 'panicshopping supermarket': 639458, 'supermarket carrefour': 819537, 'carrefour wallmart': 164917, 'wallmart coop': 965237, 'coop toiletpaper': 203110, 'toiletpaper notoiletpaper': 922266, 'notoiletpaper medicine': 573595, 'medicine pasta': 526865, 'pasta gun': 643732, 'gun gunshop': 368694, 'gunshop usa': 368799, 'usa france': 948643, 'france uk': 331046, 'italy quarantinelife': 462897, 'quarantinelife quarantena': 692985, 'quarantena italylockdown': 691979, 'italylockdown cad2i129h3': 462971, 'panicbuying around the': 638902, 'the world everyone': 871864, 'world everyone ha': 1009524, 'ha their priority': 372238, 'their priority panicshopping': 874448, 'priority panicshopping supermarket': 678627, 'panicshopping supermarket carrefour': 639459, 'supermarket carrefour wallmart': 819538, 'carrefour wallmart coop': 164918, 'wallmart coop toiletpaper': 965238, 'coop toiletpaper notoiletpaper': 203111, 'toiletpaper notoiletpaper medicine': 922267, 'notoiletpaper medicine pasta': 573596, 'medicine pasta gun': 526866, 'pasta gun gunshop': 643733, 'gun gunshop usa': 368695, 'gunshop usa france': 368800, 'usa france uk': 948644, 'france uk italy': 331047, 'uk italy quarantinelife': 938496, 'italy quarantinelife quarantena': 462898, 'quarantinelife quarantena italylockdown': 692986, 'quarantena italylockdown cad2i129h3': 691980, 'goldfish': 356074, 'molnar': 535665, 'goldfishgod': 356083, 'we sat': 973126, 'with john': 999112, 'john the': 466551, 'the goldfish': 856420, 'goldfish guy': 356081, 'guy molnar': 369090, 'molnar he': 535666, 'good distributor': 356976, 'experiencing huge': 291666, 'many goldfish': 514096, 'goldfish are': 356075, 'produced each': 680513, 'year episode': 1014545, 'episode dropping': 279520, 'soon goldfishgod': 785728, 'we sat down': 973127, 'down with john': 257494, 'with john the': 999113, 'john the goldfish': 466552, 'the goldfish guy': 856421, 'goldfish guy molnar': 356082, 'guy molnar he': 369091, 'molnar he is': 535667, 'he is consumer': 385117, 'is consumer packaged': 446795, 'packaged good distributor': 633489, 'good distributor and': 356977, 'distributor and ha': 248270, 'ha been experiencing': 369803, 'been experiencing huge': 121111, 'experiencing huge surge': 291667, 'surge in his': 828194, 'in his business': 423721, 'his business during': 397264, 'how many goldfish': 408260, 'many goldfish are': 514097, 'goldfish are produced': 356076, 'are produced each': 89251, 'produced each year': 680514, 'each year episode': 264340, 'year episode dropping': 1014546, 'episode dropping soon': 279521, 'dropping soon goldfishgod': 260729, 'people cashing': 647449, 'mean actual': 524348, 'actual local': 30682, 'meat rice': 525724, 'etc thought': 282828, 'together ridiculous': 920923, 'the shop hiking': 867001, 'up price shame': 945832, 'on you do': 605418, 'not mean people': 570552, 'mean people cashing': 524613, 'people cashing in': 647450, 'in on ebay': 426118, 'ebay etc mean': 266451, 'etc mean actual': 282654, 'mean actual local': 524349, 'actual local shop': 30683, 'local shop increasing': 498403, 'of meat rice': 586376, 'meat rice etc': 525725, 'rice etc thought': 721040, 'etc thought we': 282829, 'were all trying': 979289, 'all trying to': 45299, 'this together ridiculous': 890780, 'behaviour list': 124466, 'recent tracker': 703997, 'tracker and': 928260, 'and study': 72611, 'by en': 152481, 'en many': 275386, 'uk market': 938539, 'market mrx': 516737, 'affected consumer attitude': 34334, 'and behaviour list': 58852, 'behaviour list of': 124467, 'list of recent': 494467, 'of recent tracker': 588821, 'recent tracker and': 703998, 'tracker and study': 928261, 'and study by': 72612, 'study by en': 814870, 'by en many': 152482, 'en many more': 275387, 'many more focus': 514300, 'more focus on': 539225, 'current uk market': 221416, 'uk market mrx': 938540, 'market mrx research': 516738, 'mrx research insight': 544497, '19 guess': 7306, 'guess vegan': 368074, 'vegan now': 953875, 'time since covid': 897666, 'covid 19 guess': 213173, '19 guess vegan': 7307, 'guess vegan now': 368075, 'no getting': 564345, 'grocery shopping no': 365057, 'shopping no mask': 763330, 'no mask the': 564714, 'mask the only': 519356, 'the store ain': 867975, 'store ain no': 806106, 'ain no getting': 39636, 'no getting me': 564346, 'start scamming': 794479, 'storekeeper and': 811740, 'to start scamming': 915221, 'start scamming everyone': 794480, 'scamming everyone at': 740670, 'store especially the': 807617, 'especially the storekeeper': 280630, 'the storekeeper and': 868154, 'storekeeper and cashier': 811741, 'tip regularly': 898882, 'and thoroughly': 74015, 'thoroughly wash': 891763, 'water stay': 969162, 'safety tip regularly': 730769, 'tip regularly and': 898883, 'regularly and thoroughly': 707906, 'and thoroughly wash': 74016, 'thoroughly wash your': 891764, 'and water stay': 75254, 'water stay safe': 969163, 'morning tweeps': 541521, 'tweeps queuing': 936303, 'today perhaps': 920036, 'perhaps dozen': 651582, 'dozen out': 257906, 'the brisk': 850014, 'brisk wind': 140311, 'wind infection': 995625, 'rate rise': 697360, 'with scarf': 1000594, 'scarf and': 741062, 'however useless': 409509, 'morning tweeps queuing': 541522, 'tweeps queuing to': 936304, 'time today perhaps': 898105, 'today perhaps dozen': 920037, 'perhaps dozen out': 651583, 'dozen out in': 257907, 'in the brisk': 429038, 'the brisk wind': 850015, 'brisk wind infection': 140312, 'wind infection rate': 995626, 'infection rate rise': 436825, 'rate rise people': 697361, 'rise people are': 722975, 'starting to cover': 795016, 'their face with': 873227, 'face with scarf': 294863, 'with scarf and': 1000595, 'scarf and mask': 741063, 'and mask however': 66754, 'mask however useless': 518810, 'is all fake': 445456, 'all fake food': 42751, 'supermarket and took': 819089, 'took this picture': 925361, 'this picture of': 889581, 'picture of all': 656159, 'the fake stuff': 854861, 'with hotel': 998884, 'hotel being': 405124, 'them profitable': 876186, 'why for': 991000, 'offering slashed': 595246, 'supply hospitalitystrong': 825372, 'solidaritywithhospitality learn': 781958, 'with hotel being': 998885, 'hotel being hit': 405125, 'being hit by': 125251, 'pandemic we want': 636955, 'support hotel and': 826574, 'hotel and help': 405106, 'and help keep': 64455, 'keep them profitable': 472114, 'them profitable during': 876187, 'profitable during tough': 682923, 'tough time which': 926869, 'is why for': 453960, 'why for april': 991001, 'for april we': 319482, 're offering slashed': 699165, 'offering slashed price': 595247, 'on the necessary': 604248, 'the necessary supply': 861382, 'necessary supply hospitalitystrong': 554099, 'supply hospitalitystrong solidaritywithhospitality': 825373, 'hospitalitystrong solidaritywithhospitality learn': 404831, 'solidaritywithhospitality learn more': 781959, 'glove where': 353030, 'fuck else': 339556, 'these good': 880058, 'them amazon': 875363, 'to max': 909898, 'max maybe': 520758, 'maybe idk': 521710, 'amazon have to': 50979, 'have to let': 383239, 'to let people': 909212, 'people buy hand': 647333, 'and glove where': 63748, 'glove where the': 353031, 'the fuck else': 855964, 'fuck else can': 339557, 'else can we': 271656, 'we get these': 971631, 'get these good': 348391, 'these good no': 880060, 'good no store': 357474, 'no store ha': 565588, 'store ha them': 808025, 'ha them amazon': 372240, 'them amazon just': 875364, 'amazon just ha': 51021, 'just ha to': 468895, 'ha to limit': 372308, 'to limit what': 909307, 'limit what can': 492557, 'what can buy': 981169, 'can buy to': 157842, 'buy to max': 149374, 'to max maybe': 909899, 'max maybe idk': 520759, 'maybe idk but': 521711, 'idk but we': 413664, 'that stuff like': 846537, 'stuff like everyone': 815119, 'march retail': 515455, 'hit month': 398328, 'of 91': 579685, '91 on': 23437, 'on lower': 601947, 'lower food': 505861, 'march retail inflation': 515456, 'retail inflation hit': 718226, 'inflation hit month': 437193, 'hit month low': 398329, 'month low of': 537842, 'low of 91': 505435, 'of 91 on': 579686, '91 on lower': 23438, 'on lower food': 601948, 'lower food price': 505863, 'ari': 92769, 'my beautiful': 547416, 'beautiful kind': 118693, 'kind funny': 474841, 'funny niece': 341768, 'niece megan': 562634, 'megan wearing': 527836, 'her uniform': 392493, 'uniform she': 941772, 'on shift': 603416, 'at ari': 98044, 'ari healthcare': 92770, 'help megan': 390095, 'megan her': 527832, 'stayhome protectthenhs': 798073, 'protectthenhs staysafe': 685856, 'staysafe thank': 798932, 'is my beautiful': 449781, 'my beautiful kind': 547417, 'beautiful kind funny': 118694, 'kind funny niece': 474842, 'funny niece megan': 341769, 'niece megan wearing': 562635, 'megan wearing her': 527837, 'wearing her uniform': 974656, 'her uniform she': 392494, 'uniform she is': 941773, 'she is currently': 756149, 'currently on shift': 221611, 'on shift at': 603417, 'shift at ari': 758245, 'at ari healthcare': 98045, 'ari healthcare support': 92771, 'healthcare support worker': 387302, 'support worker am': 827001, 'worker am asking': 1006243, 'am asking you': 49907, 'asking you to': 96115, 'to help megan': 907562, 'help megan her': 390096, 'megan her colleague': 527833, 'her colleague please': 391949, 'colleague please stayhome': 186231, 'please stayhome protectthenhs': 660555, 'stayhome protectthenhs staysafe': 798074, 'protectthenhs staysafe thank': 685857, 'staysafe thank you': 798933, 'think used': 885732, 'run round': 727792, 'weren looking': 980407, 'looking fast': 502843, 'around taking': 93509, 'their when': 875188, 'and to think': 74205, 'to think used': 917390, 'think used to': 885733, 'used to run': 950085, 'to run round': 913671, 'run round supermarket': 727793, 'round supermarket putting': 726355, 'supermarket putting toilet': 822106, 'putting toilet roll': 691274, 'roll in people': 725343, 'in people when': 426604, 'when they weren': 984291, 'they weren looking': 883821, 'weren looking fast': 980408, 'looking fast forward': 502844, 'to the present': 916975, 'the present day': 864246, 'present day going': 670589, 'to run around': 913657, 'run around taking': 727570, 'around taking it': 93510, 'taking it out': 833411, 'of their when': 591716, 'their when they': 875189, 're not looking': 699105, 'update dow': 946936, 'dow and': 256316, 'plunge trading': 661468, 'trading suspended': 928939, 'suspended the': 829633, 'post wallstreet': 666391, 'live update dow': 496092, 'update dow and': 946937, 'dow and oil': 256317, 'price plunge trading': 675932, 'plunge trading suspended': 661469, 'trading suspended the': 928940, 'suspended the washington': 829635, 'washington post wallstreet': 967797, 'milan they': 531314, 'taking people': 833500, 'people temperature': 649733, 'city nightclub': 179269, 'nightclub before': 563138, 'under 38': 939974, '38 to': 18144, 'in milan they': 425314, 'milan they re': 531315, 're taking people': 699654, 'taking people temperature': 833501, 'people temperature before': 649734, 'temperature before they': 837369, 'like the city': 491360, 'the city nightclub': 850948, 'city nightclub before': 179270, 'nightclub before you': 563139, 'be under 38': 117849, 'under 38 to': 939975, '38 to get': 18145, 'who putting': 989484, 'risk each': 723507, 'each amp': 263991, 'amp every': 53754, 'better amp': 128191, 'amp safer': 54425, 'safer place': 730371, 'place every': 657426, 'staff every': 792424, 'every cleaner': 285736, 'cleaner every': 180778, 'you everyone who': 1018469, 'everyone who putting': 287600, 'who putting your': 989485, 'putting your life': 691292, 'your life at': 1024629, 'at risk each': 100356, 'risk each amp': 723508, 'each amp every': 263992, 'amp every day': 53755, 'day to make': 228571, 'make the world': 510591, 'the world better': 871823, 'world better amp': 1009359, 'better amp safer': 128192, 'amp safer place': 54426, 'safer place every': 730372, 'place every hospital': 657427, 'every hospital staff': 285934, 'hospital staff every': 404635, 'staff every medical': 792426, 'every medical staff': 286003, 'medical staff every': 526392, 'staff every cleaner': 792425, 'every cleaner every': 285737, 'cleaner every supermarket': 180779, 'every supermarket employee': 286245, 'supermarket employee every': 820120, 'employee every essential': 273827, 'essential worker you': 281868, 'worker you re': 1008314, 're the true': 699703, 'primary election': 678075, 'olympics are': 598788, 'are officially': 88683, '2021 the': 14790, 'election year': 271078, 'year calendar': 1014455, 'calendar seemed': 155395, 'seemed set': 746717, 'in stone': 428367, 'stone and': 804335, 'primary election are': 678076, 'election are being': 271019, 'being pushed back': 125611, 'pushed back the': 690353, 'back the olympics': 107313, 'the olympics are': 862158, 'olympics are officially': 598789, 'are officially in': 88685, 'officially in 2021': 596006, 'in 2021 the': 419871, '2021 the election': 14791, 'the election year': 854172, 'election year calendar': 271079, 'year calendar seemed': 1014456, 'calendar seemed set': 155396, 'seemed set in': 746718, 'set in stone': 753405, 'in stone and': 428368, 'stone and now': 804336, 'it is up': 459118, 'is up in': 453573, 'now sound': 575871, 'right now sound': 722140, 'now sound like': 575872, 'sound like hell': 786301, 'tw covid': 936237, 'uk apart': 938183, 'key student': 473403, 'be riot': 116892, 'riot because': 722600, 'worse isn': 1010959, 'it scared': 460904, 'tw covid 19': 936238, '19 school are': 10364, 'closing in the': 183659, 'the uk apart': 870192, 'uk apart from': 938184, 'apart from for': 81266, 'from for some': 335533, 'for some key': 325747, 'some key student': 783168, 'key student or': 473404, 'student or something': 814749, 'or something they': 617165, 'are saying there': 89826, 'saying there could': 739718, 'could be riot': 208918, 'be riot because': 116893, 'riot because we': 722601, 'up the demand': 946164, 'is just going': 449131, 'get worse isn': 348654, 'worse isn it': 1010960, 'isn it scared': 454568, 'career have': 164343, 'anyone cancel': 80225, 'my career have': 547615, 'career have seen': 164344, 'have seen anyone': 382420, 'seen anyone cancel': 746947, 'anyone cancel call': 80226, 'my allowance': 547252, 'allowance will': 46127, '19 all my': 4897, 'all my allowance': 43537, 'my allowance will': 547253, 'allowance will be': 46128, 'housewarming': 407032, 'while checking': 986684, 'checking how': 174821, 'longer can': 501954, 'current toilet': 221401, 'week btw': 976024, 'btw found': 141536, 'this housewarming': 887965, 'housewarming gift': 407033, 'gift received': 350011, 'received in': 703629, '2018 this': 13902, 'potentially through': 667250, 'through week': 894900, 'today while checking': 920527, 'while checking how': 986685, 'checking how much': 174822, 'how much longer': 408357, 'much longer can': 545060, 'longer can last': 501955, 'last with my': 480708, 'with my current': 999619, 'my current toilet': 547872, 'current toilet paper': 221402, 'paper supply week': 640853, 'supply week btw': 826083, 'week btw found': 976025, 'btw found this': 141537, 'found this housewarming': 330435, 'this housewarming gift': 887966, 'housewarming gift received': 407034, 'gift received in': 350012, 'received in 2018': 703630, 'in 2018 this': 419793, '2018 this is': 13903, 'exactly what needed': 288763, 'what needed to': 981915, 'get me through': 347542, 'me through the': 523728, 'through the day': 894731, 'day and potentially': 227276, 'and potentially through': 69271, 'potentially through week': 667251, 'through week toiletpaper': 894901, 'g20 energy': 342664, 'minister will': 533500, 'hold virtual': 400046, 'meeting friday': 527699, 'meeting come': 527681, 'expected opec': 290918, 'meeting president': 527749, 'been pressuring': 121699, 'pressuring opec': 671270, 'supply global': 825317, 'have cratered': 380149, 'cratered due': 215150, 'the g20 energy': 856100, 'g20 energy minister': 342665, 'energy minister will': 276507, 'minister will hold': 533502, 'will hold virtual': 993754, 'hold virtual meeting': 400047, 'virtual meeting friday': 957757, 'meeting friday to': 527700, 'friday to address': 333304, 'address the stability': 32045, 'stability of the': 791824, 'of the energy': 590986, 'energy market the': 276500, 'market the meeting': 517191, 'the meeting come': 860450, 'meeting come one': 527682, 'come one day': 187457, 'one day after': 606146, 'day after an': 227176, 'after an expected': 35356, 'an expected opec': 55962, 'expected opec meeting': 290919, 'opec meeting president': 611914, 'meeting president trump': 527750, 'president trump ha': 670938, 'trump ha been': 933589, 'ha been pressuring': 369874, 'been pressuring opec': 121700, 'pressuring opec to': 671271, 'opec to cut': 611979, 'to cut supply': 903889, 'cut supply global': 223563, 'supply global energy': 825318, 'global energy price': 351917, 'price have cratered': 674421, 'have cratered due': 380150, 'cratered due to': 215151, 'hysteria dedicate': 412439, 'dedicate this': 231688, 'staff putting': 792790, 'else before': 271637, '19 hysteria dedicate': 7643, 'hysteria dedicate this': 412440, 'dedicate this to': 231689, 'this to all': 890725, 'the staff putting': 867697, 'staff putting everyone': 792791, 'everyone else before': 286847, 'else before themselves': 271638, 'before themselves and': 123201, 'handle people': 376251, 'people debit': 647611, 'on transmission': 604841, 'transmission risk': 929763, 'with touching': 1001826, 'packaging that': 633573, 'possibly also': 665891, 'other unknown': 621158, 'cannot handle people': 161938, 'handle people debit': 376252, 'people debit credit': 647612, 'etc to cut': 282832, 'down on transmission': 257040, 'on transmission risk': 604842, 'transmission risk of': 929765, 'problem with touching': 679768, 'with touching all': 1001827, 'food packaging that': 315740, 'packaging that ve': 633574, 'that ve also': 847230, 've also touched': 952833, 'touched and possibly': 926598, 'and possibly also': 69217, 'possibly also been': 665892, 'also been touched': 47944, 'touched by other': 926609, 'by other unknown': 153468, 'other unknown person': 621159, 'during not': 262819, 'not cool': 568877, 'cool american': 202983, 'price instead': 674836, 'profit increase': 682780, 'california new': 155541, 'smaller state': 775303, 'state doesn': 795528, 'price during not': 673628, 'during not cool': 262820, 'not cool american': 568878, 'cool american company': 202984, 'american company should': 51879, 'be there for': 117679, 'there for american': 878402, 'for american and': 319241, 'american and drop': 51783, 'drop price instead': 260372, 'price instead of': 674837, 'instead of profit': 440304, 'of profit increase': 588522, 'profit increase price': 682781, 'in california new': 421143, 'california new york': 155542, 'york and lower': 1016575, 'price in smaller': 674732, 'in smaller state': 428030, 'smaller state doesn': 775304, 'state doesn work': 795529, 'ennismore': 277273, 'quite to': 694930, 'store deserve': 807299, 'huge senior': 410187, 'senior population': 750386, 'population ennismore': 664678, 're not quite': 699115, 'not quite to': 571194, 'quite to online': 694931, 'online shopping up': 609323, 'shopping up home': 764296, 'up home but': 945095, 'but the owner': 147379, 'owner of this': 632522, 'of this store': 592043, 'this store deserve': 890348, 'store deserve lot': 807300, 'of credit that': 582136, 'credit that area': 216526, 'that area ha': 842847, 'area ha huge': 92034, 'ha huge senior': 370894, 'huge senior population': 410188, 'senior population ennismore': 750387, 'in plenary': 426802, 'plenary parliament': 660884, 'parliament will': 642169, 'also receive': 48757, 'receive statement': 703543, 'strategy debate': 812635, 'the escalating': 854482, 'and chat': 59768, 'chat way': 173969, 'forward time': 330018, 'time 2pm': 896187, 'in plenary parliament': 426803, 'plenary parliament will': 660885, 'parliament will also': 642170, 'will also receive': 992266, 'also receive statement': 48758, 'receive statement from': 703544, 'statement from on': 796177, 'on the 14': 603950, '14 day lock': 3452, 'lock down strategy': 499053, 'down strategy debate': 257222, 'strategy debate the': 812636, 'debate the escalating': 230321, 'the escalating price': 854484, 'escalating price of': 280284, 'and essential commodity': 62249, 'essential commodity in': 280921, 'commodity in the': 189194, 'the and chat': 848689, 'and chat way': 59769, 'chat way forward': 173970, 'way forward time': 969594, 'forward time 2pm': 330019, 'the forever': 855701, 'change the forever': 172296, 'holding daily': 400103, 'conference urged': 193770, 'resident not': 714331, 'are aggressively': 84275, 'aggressively monitoring': 38266, 'while holding daily': 986921, 'holding daily press': 400104, 'press conference urged': 671040, 'conference urged resident': 193771, 'urged resident not': 948275, 'resident not to': 714332, 'other supply we': 621044, 'supply we are': 826076, 'we are aggressively': 970470, 'are aggressively monitoring': 84276, 'aggressively monitoring the': 38267, 'monitoring the supply': 537382, 'chain we are': 171223, 'we are confident': 970509, 'are confident in': 85485, 'in the ability': 428963, 'ability of food': 24381, 'other grocery item': 620318, 'grocery item to': 364663, 'item to get': 463751, 'store excited': 807672, 'about something': 26234, 'than bullet': 840421, 'bullet in': 142425, 'in chicagoland': 421371, 'chicagoland chicago': 175708, 'grocery store excited': 365383, 'store excited to': 807673, 'excited to worry': 289577, 'worry about something': 1010652, 'about something other': 26235, 'other than bullet': 621060, 'than bullet in': 840422, 'bullet in chicagoland': 142427, 'in chicagoland chicago': 421372, 'frazis warns': 331494, 'margin some': 515638, 'equity but': 279922, 'think gov': 885267, 'if jobless': 414350, 'jobless rate': 466344, 'rate go': 697234, 'into double': 442525, 'on bank of': 599559, 'george frazis warns': 346006, 'frazis warns of': 331495, 'warns of steep': 967273, 'of steep fall': 590117, 'fall in housing': 296953, 'housing price bite': 407130, 'and that at': 73181, 'the margin some': 860067, 'margin some case': 515639, 'some case of': 782491, 'negative equity but': 556769, 'equity but think': 279923, 'but think gov': 147529, 'think gov will': 885268, 'gov will provide': 359739, 'stimulus if jobless': 801548, 'if jobless rate': 414351, 'jobless rate go': 466345, 'rate go into': 697235, 'go into double': 353743, 'into double digit': 442526, 'quandary': 691880, 'gigworker': 350092, 'today quandary': 920088, 'quandary want': 691881, 'and latter': 65969, 'latter via': 481689, 'via tell': 956289, 'me checkout': 522577, 'checkout delivery': 174906, 'delivery unavailable': 234701, 'unavailable meanwhile': 939451, 'meanwhile note': 525011, 'note risk': 572783, 'to gigworker': 906663, 'gigworker shopper': 350093, 'shopper no': 761623, 'good answer': 356758, 'today quandary want': 920089, 'quandary want to': 691882, 'stay home avoid': 796940, 'home avoid contact': 400752, 'avoid contact in': 105047, 'contact in supermarket': 200107, 'supermarket but and': 819440, 'but and latter': 145187, 'and latter via': 65970, 'latter via tell': 481690, 'via tell me': 956290, 'tell me checkout': 837009, 'me checkout delivery': 522578, 'checkout delivery unavailable': 174907, 'delivery unavailable meanwhile': 234702, 'unavailable meanwhile note': 939452, 'meanwhile note risk': 525012, 'note risk to': 572784, 'risk to gigworker': 723960, 'to gigworker shopper': 906664, 'gigworker shopper no': 350094, 'shopper no good': 761624, 'no good answer': 564366, 'around major': 93384, 'major global': 509345, 'global region': 352167, 'region at': 707395, 'at earnings': 98506, 'earnings growth': 264912, 'growth expectation': 367367, 'expectation built': 290803, 'into stock': 443012, 'look around major': 502245, 'around major global': 93385, 'major global region': 509346, 'global region at': 352168, 'region at earnings': 707396, 'at earnings growth': 98507, 'earnings growth expectation': 264913, 'growth expectation built': 367368, 'expectation built into': 290804, 'built into stock': 142190, 'into stock price': 443013, 'stock price result': 802745, 'pandemic the story': 636705, 'thursday mixed': 895400, 'mixed cereal': 534619, 'cereal with': 169949, 'big mug': 129870, 'mug of': 545573, 'strong builder': 813988, 'builder tea': 142030, 'family get': 297845, 'favourite restaurant': 300609, 'birthday due': 131429, 'closed empty': 183099, 'thursday mixed cereal': 895401, 'mixed cereal with': 534620, 'cereal with fresh': 169950, 'fruit and big': 339058, 'and big mug': 58961, 'big mug of': 129871, 'mug of strong': 545574, 'of strong builder': 590310, 'strong builder tea': 813989, 'builder tea for': 142031, 'cancel family get': 160846, 'family get together': 297847, 'get together at': 348509, 'together at our': 920714, 'at our favourite': 100013, 'our favourite restaurant': 623046, 'favourite restaurant this': 300610, 'celebrate birthday due': 168786, 'birthday due to': 131430, '19 school closed': 10365, 'school closed empty': 741730, 'closed empty supermarket': 183100, 'boni': 134313, 'mandaluyong': 512985, 'lowie': 506243, 'quijada': 694729, 'along boni': 46979, 'boni avenue': 134314, 'avenue mandaluyong': 104780, 'mandaluyong city': 512986, 'city they': 179409, 'they wait': 883695, 'been day': 120917, 'luzon took': 507005, 'took effect': 925230, 'effect lowie': 269030, 'lowie quijada': 506244, 'quijada cnn': 694730, 'cnn philippine': 184773, 'customer line up': 222581, 'line up along': 493520, 'up along boni': 944268, 'along boni avenue': 46980, 'boni avenue mandaluyong': 134315, 'avenue mandaluyong city': 104781, 'mandaluyong city they': 512987, 'city they wait': 179411, 'they wait for': 883696, 'store it been': 808565, 'it been day': 456792, 'been day since': 120918, 'day since the': 228357, 'community quarantine in': 190053, 'quarantine in luzon': 692288, 'in luzon took': 424963, 'luzon took effect': 507006, 'took effect lowie': 925231, 'effect lowie quijada': 269031, 'lowie quijada cnn': 506245, 'quijada cnn philippine': 694731, 'they out': 882851, 'of lotl': 586028, 'have any update': 379326, 'any update from': 80003, 'or any shopping': 614361, 'any shopping experience': 79805, 'stock what are': 803175, 'are they out': 91013, 'they out of': 882852, 'out of lotl': 626775, 'kirill': 475418, 'panarin': 634697, 'russia online': 728524, 'advertising market': 33246, 'affected than': 34439, 'example china': 288878, 'china where': 177061, 'the initially': 858283, 'initially occurred': 438569, 'occurred belief': 579036, 'belief kirill': 126206, 'kirill panarin': 475419, 'panarin consumer': 634698, 'tech research': 836135, 'at renaissance': 100291, 'renaissance capital': 710923, 'russia online advertising': 728525, 'online advertising market': 607781, 'advertising market will': 33247, 'le affected than': 482837, 'affected than for': 34440, 'than for example': 840669, 'for example china': 321273, 'example china where': 288879, 'china where the': 177062, 'of the initially': 591149, 'the initially occurred': 858284, 'initially occurred belief': 438570, 'occurred belief kirill': 579037, 'belief kirill panarin': 126207, 'kirill panarin consumer': 475420, 'panarin consumer and': 634699, 'consumer and tech': 196249, 'and tech research': 73066, 'tech research analyst': 836136, 'research analyst at': 713660, 'analyst at renaissance': 57112, 'at renaissance capital': 100292, 'storeclosures': 811711, 'retail storeclosures': 718740, 'storeclosures china': 811712, 'government retail storeclosures': 360549, 'retail storeclosures china': 718741, 'enter to': 278328, 'distance indicates': 246747, 'indicates in': 434988, 'customer max': 222594, 'max 50': 520736, 'uk please note': 938629, 'please note the': 660248, 'note the queue': 572824, 'to enter to': 905229, 'enter to the': 278329, '2m distance indicates': 16681, 'distance indicates in': 246748, 'indicates in the': 434989, 'in the floor': 429205, 'floor and the': 310773, 'and the plastic': 73515, 'the plastic barrier': 863813, 'plastic barrier between': 658815, 'and customer max': 60852, 'customer max 50': 222595, 'max 50 people': 520737, 'inexcusable to': 436445, 'to prey': 912112, 'buck authority': 141649, 'price phony': 675871, 'it is inexcusable': 458989, 'is inexcusable to': 448902, 'inexcusable to prey': 436446, 'to prey on': 912113, 'people in vulnerable': 648449, 'in vulnerable time': 430635, 'quick buck authority': 694284, 'buck authority are': 141650, 'outrageous price phony': 629335, 'price phony cure': 675872, 'phony cure and': 655100, 'for grain': 321980, 'and cereal': 59692, 'cereal slipped': 169940, 'slipped percent': 774049, 'percent export': 651121, 'all cereal': 42332, 'cereal except': 169920, 'except rice': 289217, 'rice fell': 721048, 'amid reduced': 52616, 'reduced level': 706113, 'trade combined': 928437, 'with robust': 1000520, 'robust harvest': 724847, 'price for grain': 673972, 'for grain and': 321981, 'grain and cereal': 361761, 'and cereal slipped': 59693, 'cereal slipped percent': 169941, 'slipped percent export': 774050, 'percent export price': 651122, 'export price of': 292691, 'of all cereal': 579931, 'all cereal except': 42333, 'cereal except rice': 169921, 'except rice fell': 289218, 'rice fell amid': 721049, 'fell amid reduced': 303165, 'amid reduced level': 52617, 'reduced level of': 706114, 'level of trade': 487665, 'of trade combined': 592396, 'trade combined with': 928438, 'combined with robust': 187150, 'with robust harvest': 1000521, 'calgarians': 155411, 'syed': 830737, 'help on': 390183, 'wheel during': 983034, 'delivering free': 233499, 'food hamper': 314760, 'hamper on': 374606, 'our le': 623689, 'fortunate fellow': 329889, 'fellow calgarians': 303271, 'calgarians who': 155412, 'cannot commit': 161721, 'commit how': 188969, 'deliver syed': 233221, 'syed hassan': 830740, 'hassan love': 378814, 'love with': 504875, 'with humanity': 998911, 'help on wheel': 390184, 'on wheel during': 605256, 'wheel during covid': 983035, 'been delivering free': 120946, 'delivering free food': 233500, 'free food hamper': 331831, 'food hamper on': 314761, 'hamper on the': 374607, 'doorstep of our': 255862, 'of our le': 587497, 'our le fortunate': 623690, 'le fortunate fellow': 482958, 'fortunate fellow calgarians': 329890, 'fellow calgarians who': 303272, 'calgarians who are': 155413, 'who are under': 988250, 'under self isolation': 940244, 'high demand we': 395033, 'demand we cannot': 236459, 'we cannot commit': 971052, 'cannot commit how': 161722, 'commit how soon': 188970, 'how soon we': 408725, 'soon we can': 785892, 'we can deliver': 970931, 'can deliver syed': 158046, 'deliver syed hassan': 233222, 'syed hassan love': 830741, 'hassan love with': 378815, 'love with humanity': 504877, 'bashed': 111812, 'slightly confused': 773948, 'confused all': 194324, 'distancing closing': 247083, 'closing pub': 183729, 'stand like': 793545, 'like sheep': 491169, 'sheep in': 756549, 'queue after': 693853, 'having bashed': 383988, 'bashed into': 111815, 'like wetherspoon': 491790, 'pub doe': 687701, 'slightly confused all': 773949, 'confused all for': 194325, 'all for social': 42844, 'social distancing closing': 779583, 'distancing closing pub': 247084, 'closing pub restaurant': 183730, 'pub restaurant etc': 687759, 'restaurant etc but': 716450, 'etc but what': 282452, 'point when we': 662697, 'when we stand': 984468, 'we stand like': 973364, 'stand like sheep': 793546, 'like sheep in': 491170, 'sheep in supermarket': 756550, 'supermarket queue after': 822113, 'queue after having': 693854, 'after having bashed': 35758, 'having bashed into': 383989, 'bashed into each': 111816, 'into each other': 442531, 'the aisle or': 848531, 'aisle or like': 40337, 'or like wetherspoon': 615966, 'like wetherspoon pub': 491791, 'wetherspoon pub doe': 980781, 'pub doe covid': 687702, '19 not spread': 8832, 'not spread in': 571680, 'nhsvscovid19': 562277, 'supermar': 818718, 'aside protected': 95425, 'protected time': 685159, 'allow nh': 46004, 'work varying': 1005963, 'varying shift': 952688, 'work nhsstaff': 1005486, 'nhsstaff keyworker': 562255, 'keyworker ukgoverment': 473586, 'ukgoverment nhsvscovid19': 938958, 'nhsvscovid19 supermar': 562278, 'idea to set': 413207, 'set aside protected': 753347, 'aside protected time': 95426, 'protected time to': 685160, 'to allow nh': 900346, 'allow nh staff': 46005, 'get supply from': 348157, 'supply from the': 825295, 'the shop however': 867002, 'shop however we': 760296, 'however we work': 409519, 'we work varying': 973952, 'work varying shift': 1005964, 'varying shift at': 952689, 'shift at all': 758244, 'at all hour': 97885, 'all hour of': 43154, 'the day so': 852912, 'day so how': 228367, 'so how would': 777345, 'would that work': 1012316, 'that work nhsstaff': 847655, 'work nhsstaff keyworker': 1005487, 'nhsstaff keyworker ukgoverment': 562256, 'keyworker ukgoverment nhsvscovid19': 473587, 'ukgoverment nhsvscovid19 supermar': 938959, 'price extended': 673742, 'wednesday rising': 975681, 'rising alongside': 723154, 'alongside broader': 47093, 'broader financial': 140763, 'hope washington': 403761, 'washington will': 967815, 'approve massive': 83109, 'massive aid': 519960, 'aid package': 39434, 'oil price extended': 597123, 'price extended gain': 673743, 'gain for third': 342772, 'on wednesday rising': 605178, 'wednesday rising alongside': 975682, 'rising alongside broader': 723155, 'alongside broader financial': 47094, 'broader financial market': 140764, 'financial market on': 306510, 'market on hope': 516792, 'on hope washington': 601364, 'hope washington will': 403762, 'washington will soon': 967816, 'soon approve massive': 785628, 'approve massive aid': 83110, 'massive aid package': 519961, 'aid package to': 39435, 'package to stem': 633436, 'to stem the': 915383, 'stem the economic': 799467, 'mee': 527375, 'already affecting': 47179, 'shopping ok': 763382, 'ok somebody': 597892, 'somebody slap': 784278, 'slap mee': 773540, 'mee plss': 527377, 'is already affecting': 445509, 'already affecting the': 47180, 'affecting the online': 34565, 'online shopping ok': 609204, 'shopping ok somebody': 763383, 'ok somebody slap': 597893, 'somebody slap mee': 784279, 'slap mee plss': 773541, '50 major': 19746, 'than 50 major': 840258, '50 major retailer': 19747, 'mingle': 532979, 'full email': 340579, 'email asks': 272127, 'asks others': 96154, 'try shopping': 934568, 'can co': 157923, 'co mingle': 184882, 'mingle other': 532980, 'especially 1st': 280422, 'me let': 523070, 'let order': 486952, 'order pay': 618506, 'then bring': 877040, 'bring grocery': 139979, 'car half': 163114, 'half measure': 374197, 'are onl': 88751, 'your full email': 1024009, 'full email asks': 340580, 'email asks others': 272128, 'asks others to': 96155, 'others to try': 621739, 'to try shopping': 917820, 'try shopping at': 934569, 'shopping at different': 762093, 'at different time': 98438, 'different time can': 242104, 'time can co': 896445, 'can co mingle': 157924, 'co mingle other': 184883, 'mingle other people': 532981, 'other people especially': 620664, 'people especially 1st': 647814, 'especially 1st responder': 280423, '1st responder to': 12800, 'responder to protect': 715540, 'protect people like': 684923, 'like me let': 490749, 'me let order': 523071, 'let order pay': 486953, 'order pay online': 618507, 'pay online then': 645022, 'online then bring': 609542, 'then bring grocery': 877041, 'bring grocery to': 139980, 'grocery to car': 366049, 'to car half': 902452, 'car half measure': 163115, 'half measure are': 374198, 'measure are onl': 525124, 'limiting shopper': 492865, 'item how': 463330, 'come shelf': 187503, 'still bare': 800237, 'bare stophoarding': 110955, 'if the like': 414993, 'like of and': 490901, 'of and and': 580139, 'and and are': 58133, 'and are limiting': 58331, 'are limiting shopper': 87821, 'limiting shopper to': 492866, 'shopper to certain': 761759, 'certain number of': 170066, 'of item how': 585483, 'item how come': 463331, 'how come shelf': 407565, 'come shelf are': 187504, 'are still bare': 90397, 'still bare stophoarding': 800238, 'new cooking': 558537, 'cooking show': 202908, 'show idea': 766997, 'idea make': 413119, 'most creative': 542221, 'creative meal': 216149, 'new cooking show': 558538, 'cooking show idea': 202911, 'show idea make': 766998, 'idea make the': 413120, 'the most creative': 860965, 'most creative meal': 542222, 'creative meal with': 216150, 'meal with whatever': 524310, 'with whatever is': 1002079, 'whatever is left': 982768, 'is left in': 449272, 'demand animal': 235014, 'animal advocate': 76540, 'advocate hope': 33839, 'that pet': 845729, 'not forgotten': 569521, 'bank struggle to': 110213, 'up with growing': 946644, 'with growing demand': 998700, 'growing demand animal': 367161, 'demand animal advocate': 235015, 'animal advocate hope': 76541, 'advocate hope that': 33840, 'hope that pet': 403650, 'that pet are': 845730, 'pet are not': 653360, 'are not forgotten': 88373, 'employee told': 274346, 'told propublica': 923663, 'propublica that': 684597, 'that management': 845011, 'management didn': 512560, 'want cashier': 965743, 'glove saying': 352910, 'would scare': 1012220, 'scare customer': 740868, 'store employee told': 807558, 'employee told propublica': 274348, 'told propublica that': 923664, 'propublica that management': 684598, 'that management didn': 845012, 'management didn want': 512561, 'didn want cashier': 241256, 'want cashier to': 965744, 'wear glove saying': 974345, 'glove saying it': 352911, 'it would scare': 462604, 'would scare customer': 1012221, 'passcode': 643241, 'heard mother': 388108, 'mother telling': 543172, 'her 27': 391811, 'daughter falling': 226836, 'passing away': 643367, 'away worked': 106128, 'paycheck wa': 645315, 'wa 20': 961360, 'she passed': 756260, 'given her': 351012, 'phone back': 654905, 'her passcode': 392290, 'passcode so': 643242, 'find video': 307370, 'just heard mother': 468956, 'heard mother telling': 388109, 'mother telling the': 543173, 'telling the story': 837268, 'story of her': 812063, 'of her 27': 584564, 'her 27 year': 391812, 'old daughter falling': 598211, 'daughter falling ill': 226837, 'falling ill from': 297285, 'ill from covid': 416125, '19 and passing': 5081, 'and passing away': 68747, 'passing away worked': 643368, 'away worked at': 106129, 'worked at grocery': 1006098, 'store last paycheck': 808673, 'last paycheck wa': 480447, 'paycheck wa 20': 645316, 'wa 20 after': 961362, '20 after she': 12936, 'after she passed': 36190, 'she passed away': 756261, 'passed away they': 643252, 'away they were': 106061, 'they were given': 883773, 'were given her': 979682, 'given her phone': 351013, 'her phone back': 392300, 'phone back she': 654906, 'back she had': 107269, 'she had taken': 756104, 'had taken off': 373593, 'taken off her': 833039, 'off her passcode': 593897, 'her passcode so': 392291, 'passcode so they': 643243, 'they could find': 881828, 'could find video': 209181, '3303': 17782, 'letsfightcovid19': 487261, 'stcloud': 799087, 'stcloudmn': 799090, 'cannabisculture': 161467, 'wednesdayvibes': 975736, 'true rumor': 933155, 'rumor handsanitizer': 727484, 'handsanitizer is': 376562, 'order 320': 617989, '320 774': 17707, '774 3303': 22304, '3303 letsfightcovid19': 17783, 'letsfightcovid19 stcloud': 487262, 'stcloud staysafe': 799088, 'staysafe stcloudmn': 798921, 'stcloudmn stayhealthy': 799091, 'stayhealthy stayhomesavelives': 797909, 'stayhomesavelives cannabiscommunity': 798355, 'cannabiscommunity cannabisculture': 161465, 'cannabisculture wednesdayvibes': 161468, 'true rumor handsanitizer': 933156, 'rumor handsanitizer is': 727485, 'handsanitizer is available': 376563, 'for purchase for': 324862, 'purchase for online': 689456, 'for online or': 324108, 'online or phone': 608666, 'or phone order': 616602, 'phone order 320': 654991, 'order 320 774': 617990, '320 774 3303': 17708, '774 3303 letsfightcovid19': 22305, '3303 letsfightcovid19 stcloud': 17784, 'letsfightcovid19 stcloud staysafe': 487263, 'stcloud staysafe stcloudmn': 799089, 'staysafe stcloudmn stayhealthy': 798922, 'stcloudmn stayhealthy stayhomesavelives': 799092, 'stayhealthy stayhomesavelives cannabiscommunity': 797910, 'stayhomesavelives cannabiscommunity cannabisculture': 798356, 'cannabiscommunity cannabisculture wednesdayvibes': 161466, 'commerece': 188767, 'condictions': 193372, 'good having': 357169, 'having website': 384400, 'market your': 517404, 'for commerece': 320185, 'commerece how': 188768, 'that helping': 844311, 'medical condictions': 526105, 'condictions which': 193373, 'it all well': 456386, 'all well and': 45427, 'well and good': 978017, 'and good having': 63830, 'good having website': 357170, 'having website to': 384401, 'website to market': 975447, 'to market your': 909863, 'market your supermarket': 517405, 'your supermarket but': 1026037, 'supermarket but if': 819448, 'people cannot even': 647430, 'even order because': 284443, 'order because it': 618075, 'it not set': 459918, 'not set up': 571541, 'set up for': 753557, 'up for commerece': 944923, 'for commerece how': 320186, 'commerece how is': 188769, 'is that helping': 452656, 'that helping people': 844312, 'helping people with': 391443, 'people with medical': 650461, 'with medical condictions': 999468, 'medical condictions which': 526106, 'condictions which would': 193374, 'which would kill': 986521, 'would kill them': 1011978, 'kill them if': 474530, 'them if they': 875884, 'if they got': 415112, 'they got covid': 882222, 'stop harassing': 804708, 'harassing grocery': 377827, 'when anything': 983156, 'happen nothing': 377125, 'is guaranteed': 448242, 'guaranteed by': 367743, 'supplier we': 824639, 'stop harassing grocery': 804709, 'harassing grocery store': 377828, 'worker we know': 1008144, 'we know item': 972155, 'know item are': 476553, 'stock no we': 802498, 'no we do': 565875, 'know when anything': 476996, 'when anything will': 983157, 'anything will happen': 80943, 'will happen nothing': 993602, 'happen nothing is': 377126, 'nothing is guaranteed': 573063, 'is guaranteed by': 448243, 'guaranteed by our': 367744, 'by our supplier': 153486, 'our supplier we': 625036, 'supplier we have': 824640, 'control over this': 202097, 'existant': 290258, 'you kinda': 1019467, 'kinda hope': 475051, 'hope nothing': 403557, 'guy mean': 369085, 'mean where': 524771, 'fake and': 296568, 'non existant': 566376, 'existant ticket': 290259, 'you kinda hope': 1019468, 'kinda hope nothing': 475052, 'hope nothing happens': 403558, 'nothing happens to': 573034, 'happens to these': 377515, 'to these guy': 917343, 'these guy mean': 880091, 'guy mean where': 369086, 'mean where would': 524772, 'where would we': 985379, 'would we pay': 1012388, 'we pay exorbitant': 972699, 'price for fake': 673963, 'for fake and': 321373, 'fake and non': 296569, 'and non existant': 67670, 'non existant ticket': 566377, 'had drone': 373061, 'we had drone': 971704, 'had drone delivery': 373062, 'drone delivery we': 260069, 'delivery we wouldn': 234728, 'wouldn have to': 1012480, 'and get infected': 63582, 'been busy': 120768, 'busy researching': 144948, 'researching into': 713947, 'into gen': 442583, 'gen reaction': 345229, 'including everything': 431952, 'to brand': 901982, 'brand worth': 138081, 'worth talking': 1011440, 'consumer insight team': 197889, 'insight team have': 439643, 'team have been': 835664, 'have been busy': 379482, 'been busy researching': 120770, 'busy researching into': 144949, 'researching into gen': 713948, 'into gen reaction': 442584, 'gen reaction to': 345230, '19 including everything': 7805, 'including everything from': 431953, 'everything from school': 287805, 'from school closure': 337183, 'closure to brand': 184048, 'to brand worth': 901987, 'brand worth talking': 138082, 'worth talking about': 1011441, 'knowing how': 477117, 'good knowing': 357313, 'something properly': 785021, 'properly is': 684182, 'clean everyone': 180524, 'knowing how to': 477119, 'do something is': 250144, 'something is good': 784950, 'is good knowing': 448146, 'good knowing how': 357314, 'do something properly': 250152, 'something properly is': 785022, 'properly is better': 684183, 'is better here': 446152, 'better here are': 128320, 'here are simple': 392755, 'are simple step': 90135, 'simple step on': 770097, 'step on how': 799607, 'properly use your': 684211, 'use your hand': 949833, 'sanitizer in order': 735150, 'coronavirus stay clean': 206816, 'stay clean everyone': 796831, 'schultz': 742066, 'paper by': 639986, 'and lee': 66076, 'lee schultz': 485329, 'schultz suggests': 742067, 'suggests 20': 817677, 'processing capacity': 680014, 'capacity due': 162515, '19 plant': 9700, 'plant shutdown': 658705, 'reduce cattle': 705794, 'by 26': 151615, '26 and': 16148, 'and hog': 64671, 'hog price': 399838, 'paper by and': 639987, 'by and lee': 151842, 'and lee schultz': 66078, 'lee schultz suggests': 485330, 'schultz suggests 20': 742068, 'suggests 20 reduction': 817678, '20 reduction in': 13297, 'reduction in processing': 706369, 'in processing capacity': 427010, 'processing capacity due': 680015, 'capacity due to': 162516, 'covid 19 plant': 213586, '19 plant shutdown': 9701, 'plant shutdown could': 658706, 'shutdown could reduce': 768019, 'could reduce cattle': 209582, 'reduce cattle price': 705795, 'cattle price by': 167368, 'price by 26': 673006, 'by 26 and': 151617, '26 and hog': 16149, 'and hog price': 64672, 'hog price by': 399839, 'price by 36': 673008, 'retiree at': 719695, 'contaminated trolley': 200676, 'handle make': 376228, 'arm fully': 92894, 'extended coronacrisis': 293152, 'gel to retiree': 345162, 'to retiree at': 913470, 'retiree at your': 719696, 'risk contracting coronavirus': 723473, 'contracting coronavirus from': 201767, 'from contaminated trolley': 334984, 'contaminated trolley and': 200677, 'basket handle make': 112345, 'handle make sure': 376229, 'sure you use': 827875, 'use your arm': 949829, 'your arm fully': 1022829, 'arm fully extended': 92895, 'fully extended coronacrisis': 341051, 'disease some': 245230, 'them zoonotic': 876690, 'zoonotic is': 1027865, 'spread disease some': 790506, 'disease some of': 245231, 'of them zoonotic': 591780, 'them zoonotic is': 876691, 'zoonotic is deeply': 1027866, 'am proposing': 50323, 'proposing hypothesis': 684565, 'may explain': 521160, 'why certain': 990879, 'certain demographic': 169990, 'demographic have': 236789, 'buying tissue': 151236, 'pandemic even': 635396, 'even causing': 283942, 'am proposing hypothesis': 50324, 'proposing hypothesis that': 684566, 'hypothesis that may': 412421, 'that may explain': 845076, 'may explain why': 521161, 'explain why certain': 292132, 'why certain demographic': 990880, 'certain demographic have': 169991, 'demographic have been': 236790, 'panic buying tissue': 637938, 'buying tissue paper': 151237, 'tissue paper during': 899198, 'paper during this': 640117, '19 pandemic even': 9320, 'pandemic even causing': 635397, 'even causing supermarket': 283943, 'causing supermarket brawl': 168105, 'brawl in some': 138314, 'my early': 548050, 'early nobel': 264657, 'prize candidate': 679068, 'candidate dr': 161295, 'my early nobel': 548052, 'early nobel peace': 264658, 'peace prize candidate': 646011, 'prize candidate dr': 679069, 'candidate dr fauci': 161296, '40 sen': 18654, 'sen starting': 749683, 'dropped by almost': 260553, 'by almost 40': 151801, 'almost 40 sen': 46508, '40 sen starting': 18655, 'sen starting tomorrow': 749684, 'how cup': 407652, 'govt this': 361300, 'this against': 886248, 'against ourselves': 37574, 'take enforcement': 832094, 'just rumor': 469658, 'inflation all': 437136, 'increase wit': 433157, 'this how cup': 887969, 'how cup of': 407653, 'cup of everything': 220454, 'of everything look': 583276, 'everything look like': 287914, 'look like now': 502500, 'like now this': 490888, 'not the govt': 572004, 'the govt this': 856675, 'govt this is': 361301, 'is not this': 450207, 'not this against': 572099, 'this against ourselves': 886249, 'against ourselves it': 37575, 'ourselves it take': 625482, 'it take enforcement': 461422, 'take enforcement for': 832095, 'enforcement for to': 276764, 'for to adjust': 327212, 'adjust to decrease': 32298, 'to decrease in': 904033, 'decrease in price': 231577, 'price but just': 672979, 'but just rumor': 146201, 'just rumor of': 469659, 'rumor of inflation': 727495, 'of inflation all': 585182, 'inflation all price': 437137, 'all price would': 44045, 'price would increase': 677662, 'would increase wit': 1011953, 'mitigate 19': 534523, 'to mitigate 19': 910193, 'mitigate 19 effect': 534524, 'creaming': 215592, 'wow see': 1012584, 'the soo': 867482, 'soo when': 785600, 'brother expect': 141055, 'expect his': 290656, 'his pay': 397691, 'rise or': 722968, 'ceo creaming': 169672, 'creaming this': 215593, 'wow see you': 1012585, 'you have hiked': 1019056, 'have hiked up': 380953, 'hiked up your': 396357, 'during the soo': 263196, 'the soo when': 867483, 'soo when can': 785601, 'when can my': 983232, 'can my brother': 159020, 'my brother expect': 547556, 'brother expect his': 141056, 'expect his pay': 290657, 'his pay rise': 397692, 'pay rise or': 645096, 'rise or are': 722969, 'are the ceo': 90806, 'the ceo creaming': 850613, 'ceo creaming this': 169673, 'creaming this during': 215594, 'of penis': 587859, 'penis shaped': 646525, 'shaped pasta': 754874, 'pasta soar': 643811, 'sale of penis': 732404, 'of penis shaped': 587860, 'penis shaped pasta': 646526, 'shaped pasta soar': 754875, 'pasta soar due': 643812, 'gardencentres': 343634, 'springhead': 791280, '01474': 767, '361370': 18038, 'gardencentres gardening': 343635, 'gardening springhead': 343654, 'springhead nursery': 791281, 'nursery kent': 577572, 'kent friendly': 472824, 'friendly family': 333957, 'run business': 727583, 'year always': 1014381, 'always reasonable': 49709, 'are safely': 89796, 'safely delivering': 730273, 'delivering with': 233563, 'pre payment': 669197, 'payment keep': 645663, 'keep sane': 471895, 'sane keep': 733761, 'keep gardening': 471534, 'gardening tel': 343658, 'tel 01474': 836624, '01474 361370': 768, 'gardencentres gardening springhead': 343636, 'gardening springhead nursery': 343655, 'springhead nursery kent': 791282, 'nursery kent friendly': 577573, 'kent friendly family': 472825, 'friendly family run': 333958, 'family run business': 298195, 'run business for': 727584, 'business for over': 143754, 'for over 100': 324322, 'over 100 year': 629771, '100 year always': 2140, 'year always reasonable': 1014382, 'always reasonable price': 49710, 'reasonable price closed': 703115, 'price closed due': 673153, 'but are safely': 145220, 'are safely delivering': 89797, 'safely delivering with': 730274, 'delivering with pre': 233564, 'with pre payment': 1000283, 'pre payment keep': 669198, 'payment keep sane': 645664, 'keep sane keep': 471896, 'sane keep gardening': 733762, 'keep gardening tel': 471535, 'gardening tel 01474': 343659, 'tel 01474 361370': 836625, 'poins': 662396, 'ago new': 38432, 'new poins': 559295, 'poins based': 662397, 'system classified': 831133, 'classified poorly': 180363, 'paid care': 633991, 'nh cleaner': 561922, 'driver low': 259642, 'skilled today': 773007, 'are defined': 85729, 'defined enough': 232285, 'enough said': 277604, 'month ago new': 537536, 'ago new poins': 38433, 'new poins based': 559296, 'poins based system': 662398, 'based system classified': 111764, 'system classified poorly': 831134, 'classified poorly paid': 180364, 'poorly paid care': 664392, 'paid care staff': 633992, 'worker nh cleaner': 1007436, 'nh cleaner and': 561923, 'cleaner and food': 180745, 'delivery driver low': 233922, 'driver low skilled': 259643, 'low skilled today': 505621, 'skilled today they': 773008, 'today they are': 920318, 'they are defined': 881246, 'are defined enough': 85730, 'defined enough said': 232286, 'having explain': 384057, 'explain outbreak': 292112, 'outbreak bill': 628046, 'announce he': 76842, 'he big': 384784, 'big fight': 129782, 'of having explain': 584482, 'having explain outbreak': 384058, 'explain outbreak bill': 292113, 'outbreak bill barr': 628047, 'bill barr is': 130516, 'barr is here': 111171, 'here to announce': 393703, 'to announce he': 900547, 'announce he big': 76843, 'he big fight': 384785, 'big fight against': 129783, 'sunrice is': 818409, 'small harvest': 774985, 'sunrice is preparing': 818410, 'is preparing for': 450995, 'preparing for small': 670337, 'for small harvest': 325665, 'small harvest stock': 774986, 'for opportunity': 324145, 'fund volunteer': 341534, 'volunteer or': 960312, 'blood food': 133107, 'pantry volunteer': 639703, 'and skill': 71716, 'skill colorado': 772947, 'colorado need': 186805, 'your community go': 1023273, 'community go to': 189865, 'to for opportunity': 906151, 'for opportunity to': 324146, 'opportunity to donate': 613703, 'response fund volunteer': 715708, 'fund volunteer or': 341535, 'volunteer or donate': 960313, 'or donate blood': 615051, 'donate blood food': 254166, 'blood food pantry': 133108, 'food pantry volunteer': 315804, 'pantry volunteer and': 639704, 'volunteer and medical': 960214, 'professional are in': 682405, 'high demand if': 395013, 'demand if you': 235663, 'have time and': 383135, 'time and skill': 896296, 'and skill colorado': 71717, 'skill colorado need': 772948, 'colorado need you': 186806, 'bottleneck': 136381, 'ntvnews': 576747, 'basic bicycle': 111833, 'bicycle ha': 129450, 'highlighted one': 395999, 'the bottleneck': 849899, 'bottleneck to': 136384, 'museveni proposal': 546263, 'for ugandan': 327403, 'ugandan to': 938013, 'ride mean': 721450, 'of combating': 581540, '19 ntvnews': 8867, 'of basic bicycle': 580564, 'basic bicycle ha': 111834, 'bicycle ha been': 129451, 'been highlighted one': 121288, 'highlighted one of': 396000, 'of the bottleneck': 590826, 'the bottleneck to': 849900, 'bottleneck to president': 136385, 'to president museveni': 912029, 'president museveni proposal': 670860, 'museveni proposal for': 546264, 'proposal for ugandan': 684460, 'for ugandan to': 327404, 'ugandan to ride': 938014, 'to ride mean': 913519, 'ride mean of': 721451, 'mean of combating': 524580, 'of combating the': 581541, 'combating the spread': 187078, 'covid 19 ntvnews': 213493, 'your legacy': 1024604, 'legacy is': 485828, 'known president': 477239, 'president who': 670973, 'who america': 988069, 'america renamed': 51657, 'renamed to': 710930, 'to trumpvirus': 917804, 'trumpvirus and': 934180, 'sh that': 754301, 'america ran': 51651, 'your legacy is': 1024605, 'legacy is that': 485829, 'be known president': 115644, 'known president who': 477240, 'president who america': 670974, 'who america renamed': 988070, 'america renamed to': 51658, 'renamed to trumpvirus': 710931, 'to trumpvirus and': 917805, 'trumpvirus and the': 934181, 'and the the': 73612, 'the the president': 869395, 'president that wa': 670917, 'wa so full': 963259, 'so full of': 777143, 'of sh that': 589556, 'sh that america': 754302, 'that america ran': 842627, 'america ran out': 51652, 'exploiting covid': 292420, 'facilitate cybercrime': 295262, 'cybercrime opp': 223958, 'opp police': 613534, 'scam aim': 739971, 'fear uncertainty': 301409, 'uncertainty misinformation': 939722, 'fraudsters exploiting covid': 331415, 'exploiting covid 19': 292421, '19 to facilitate': 11425, 'to facilitate cybercrime': 905590, 'facilitate cybercrime opp': 295263, 'cybercrime opp police': 223959, 'opp police warn': 613535, 'police warn that': 663258, 'warn that scam': 966967, 'that scam aim': 846141, 'scam aim to': 739972, 'aim to profit': 39557, 'profit from consumer': 682731, 'from consumer fear': 334960, 'consumer fear uncertainty': 197462, 'fear uncertainty misinformation': 301410, 'paper coronacrisisuk': 640051, 'toilet paper coronacrisisuk': 921241, 'paper coronacrisisuk 19': 640052, 'panicbuying toiletpaper toiletpaperapocalypse': 639094, 'fraud can': 331242, 'address of': 32003, 'business njcoronavirus': 144100, 'and other covid': 68302, 'related fraud can': 708448, 'fraud can file': 331243, 'and the name': 73485, 'the name and': 861191, 'and address of': 57689, 'address of the': 32004, 'the business njcoronavirus': 850176, 'anna news': 76774, 'news correspondent': 560345, 'correspondent visited': 207645, 'damascus to': 225289, 'syria during': 831040, 'the btw': 850067, 'btw toiletpaper': 141552, 'toiletpaper lover': 922212, 'lover have': 505031, 'worry video': 1010793, 'anna news correspondent': 76775, 'news correspondent visited': 560346, 'correspondent visited the': 207646, 'visited the street': 959508, 'the street shop': 868247, 'street shop of': 813102, 'shop of damascus': 760527, 'of damascus to': 582338, 'damascus to see': 225290, 'see what wa': 746049, 'what wa really': 982522, 'wa really happening': 963064, 'happening in syria': 377367, 'in syria during': 428791, 'syria during the': 831041, 'during the btw': 263091, 'the btw toiletpaper': 850068, 'btw toiletpaper lover': 141553, 'toiletpaper lover have': 922213, 'lover have no': 505032, 'have no reason': 381651, 'to worry video': 918843, 'worry video at': 1010794, 'video at 55': 956624, 'thankyouheroes': 842376, 'worker deliver': 1006735, 'deliver guy': 233144, 'and lastly': 65962, 'lastly everyone': 480788, 'who staying': 989668, 'contribute in': 201871, 'their little': 873858, 'little way': 495642, 'way stayhomestaysafe': 969891, 'stayhomestaysafe thankyouheroes': 798534, 'thankyouheroes we': 842377, 'be together': 117742, 'supermarket restaurant worker': 822219, 'restaurant worker deliver': 716814, 'worker deliver guy': 1006736, 'deliver guy and': 233145, 'guy and everyone': 368887, 'everyone who helping': 287593, 'who helping and': 988995, 'helping and contributing': 391269, 'contributing to keep': 201920, 'and well and': 75400, 'well and lastly': 978018, 'and lastly everyone': 65964, 'lastly everyone who': 480789, 'everyone who staying': 287604, 'who staying home': 989669, 'home to contribute': 402315, 'to contribute in': 903435, 'contribute in their': 201873, 'in their little': 429756, 'their little way': 873859, 'little way stayhomestaysafe': 495643, 'way stayhomestaysafe thankyouheroes': 969892, 'stayhomestaysafe thankyouheroes we': 798535, 'thankyouheroes we need': 842378, 'to be together': 901595, 'be together to': 117743, 'equity valuation': 279973, 'valuation face': 952063, 'face deep': 294389, 'deep discount': 231870, 'discount amid': 244440, 'already causing': 47253, 'causing sharp': 168092, 'more bankruptcy': 538701, 'bankruptcy but': 110511, 'true impact': 933111, 'on private': 602927, 'month privateequity': 537969, 'private equity valuation': 678904, 'equity valuation face': 279974, 'valuation face deep': 952064, 'face deep discount': 294390, 'deep discount amid': 231871, 'discount amid virus': 244441, 'amid virus outbreak': 52748, 'virus outbreak the': 958591, 'outbreak the global': 628710, 'pandemic is already': 635757, 'is already causing': 445513, 'already causing sharp': 47254, 'causing sharp fall': 168093, 'and more bankruptcy': 67148, 'more bankruptcy but': 538702, 'bankruptcy but the': 110512, 'but the true': 147423, 'the true impact': 870052, 'true impact on': 933112, 'impact on private': 417880, 'on private market': 602928, 'private market will': 678945, 'market will not': 517360, 'not be known': 568409, 'be known for': 115643, 'known for month': 477218, 'for month privateequity': 323537, 'ag worked': 36856, 'emergency authority': 272608, 'lift specific': 489458, 'specific regulatory': 788247, 'consumer burden': 196664, 'burden related': 142760, 'wv ag worked': 1013620, 'ag worked with': 36857, 'worked with the': 1006174, 'with the governor': 1001318, 'governor to utilize': 361014, 'to utilize the': 918098, 'utilize the governor': 951362, 'governor emergency authority': 360899, 'emergency authority to': 272609, 'authority to lift': 103802, 'to lift specific': 909264, 'lift specific regulatory': 489459, 'specific regulatory and': 788248, 'regulatory and consumer': 708165, 'and consumer burden': 60356, 'consumer burden related': 196665, 'burden related to': 142761, 'telethon': 836834, 'community advocate': 189699, 'advocate amp': 33818, 'founder catherine': 330525, 'catherine hughes': 167295, 'hughes is': 410295, '20 experienced': 13051, 'experienced consumer': 291567, 'amp community': 53547, 'advocate who': 33855, 'have joined': 381182, 'joined australia': 466920, 'australia first': 103279, 'first consumer': 308589, 'consumer reference': 198659, 'reference group': 706491, 'group launched': 366753, 'by telethon': 154227, 'telethon kid': 836835, 'kid here': 473988, 'community advocate amp': 189700, 'advocate amp founder': 33819, 'amp founder catherine': 53838, 'founder catherine hughes': 330526, 'catherine hughes is': 167296, 'hughes is one': 410296, 'one of 20': 606731, 'of 20 experienced': 579450, '20 experienced consumer': 13052, 'experienced consumer amp': 291568, 'consumer amp community': 196187, 'amp community advocate': 53548, 'community advocate who': 189701, 'advocate who have': 33856, 'who have joined': 988931, 'have joined australia': 381183, 'joined australia first': 466921, 'australia first consumer': 103280, 'first consumer reference': 308590, 'consumer reference group': 198660, 'reference group launched': 706492, 'group launched by': 366754, 'launched by telethon': 481971, 'by telethon kid': 154228, 'telethon kid here': 836836, 'kid here why': 473989, 'here why she': 393837, 'why she wanted': 991333, 'she wanted to': 756449, 'employee currently': 273742, 'getting fair': 348965, 'store employee currently': 807473, 'employee currently ha': 273743, 'currently ha high': 221551, 'ha high exposure': 370862, 'and is still': 65431, 'is still working': 452328, 'provide food and': 686302, 'and grocery to': 64006, 'grocery to you': 366062, 'the consumer please': 851574, 'consumer please support': 198378, 'them in getting': 875902, 'in getting fair': 423295, 'getting fair compensation': 348966, 'psychologist break': 687531, 'consumer psychologist break': 198589, 'psychologist break down': 687532, 'break down covid': 138704, 'and their worker': 73727, 'their worker are': 875210, 'worker are continuing': 1006378, 'are continuing their': 85548, 'continuing their vital': 201550, 'their vital service': 875134, 'vital service during': 959720, 'pandemic remember to': 636328, 'remember to be': 710367, 'working for low': 1008641, 'for low wage': 323132, 'low wage to': 505734, 'wage to feed': 963972, 'to feed you': 905737, 'feed you during': 302407, 'you during global': 1018381, 'hoarding soap': 399527, 'soap your': 779195, 'your clean': 1023231, 'hand will': 375992, 'else are': 271628, 'are toiletpaper': 91118, 'toiletpaper stayhomechallenge': 922528, 'stayhomechallenge stockup': 798290, 'stay home take': 797011, 'of yourself and': 593542, 'safe and stop': 729488, 'stop hoarding soap': 804738, 'hoarding soap and': 399528, 'soap and soap': 778927, 'and soap your': 71875, 'soap your clean': 779196, 'your clean hand': 1023232, 'clean hand will': 180554, 'hand will not': 375993, 'matter if no': 520578, 'if no one': 414478, 'one else are': 606231, 'else are toiletpaper': 271629, 'are toiletpaper stayhomechallenge': 91119, 'toiletpaper stayhomechallenge stockup': 922529, 'klaus': 475884, 'ller': 497119, 'consumer activist': 196015, 'activist have': 30345, 'personal bankruptcy': 652793, 'bankruptcy due': 110524, 'two that': 937255, 'happen said': 377153, 'said klaus': 731186, 'klaus ller': 475885, 'ller head': 497120, 'the federation': 855086, 'federation of': 302105, 'germany consumer activist': 346285, 'consumer activist have': 196016, 'activist have warned': 30346, 'have warned of': 383540, 'warned of huge': 967014, 'of huge increase': 584860, 'increase in personal': 432855, 'in personal bankruptcy': 426648, 'personal bankruptcy due': 652794, 'bankruptcy due to': 110525, 'corona crisis if': 203906, 'if the crisis': 414965, 'crisis last longer': 217642, 'last longer than': 480305, 'longer than month': 502073, 'than month or': 840906, 'or two that': 617575, 'two that how': 937256, 'how it will': 408145, 'it will happen': 462399, 'will happen said': 993603, 'happen said klaus': 377154, 'said klaus ller': 731187, 'klaus ller head': 475886, 'ller head of': 497121, 'of the federation': 591018, 'the federation of': 855087, 'federation of german': 302107, 'of german consumer': 584108, 'german consumer organization': 346221, 'crazy look': 215353, 'much this': 545374, 'family shopped': 298219, 'shopped in': 761302, 'an country': 55526, 'family had': 297872, 'bought whole': 136781, 'whole alone': 990140, 'alone apartment': 46823, 'apartment is': 81408, 'crazy look at': 215354, 'at how much': 99226, 'how much this': 408377, 'much this family': 545375, 'this family shopped': 887515, 'family shopped in': 298220, 'shopped in an': 761303, 'in an country': 420288, 'an country during': 55527, 'crisis if this': 217517, 'if this family': 415152, 'this family had': 887513, 'family had bought': 297873, 'had bought whole': 372936, 'bought whole alone': 136782, 'whole alone apartment': 990141, 'alone apartment is': 46824, 'apartment is full': 81409, 'grocery and more': 364248, 'in suffering': 428533, 'suffering working': 817347, 'animal due': 76579, 'our functioning': 623220, 'functioning our': 341330, 'than ten': 841205, 'help in suffering': 389907, 'in suffering working': 428534, 'suffering working on': 817348, 'working on regular': 1008815, 'regular basis to': 707743, 'basis to save': 112284, 'save life of': 737550, 'life of animal': 488918, 'of animal due': 580211, 'animal due to': 76580, 'due to lock': 261850, 'down and fear': 256493, 'are facing lot': 86423, 'lot of difficulty': 504176, 'of difficulty in': 582602, 'difficulty in our': 242385, 'in our functioning': 426295, 'our functioning our': 623221, 'functioning our stock': 341331, 'food will not': 317627, 'not last more': 570328, 'more than ten': 540681, 'than ten day': 841206, 'ten day we': 837773, 'my coworker': 547844, 'coworker just': 214483, 'me his': 522901, 'his debit': 397349, 'card wasn': 163696, 'wasn working': 968043, 'clerk came': 181671, 'and blew': 59009, 'blew on': 132663, 'll cancel': 496673, 'cancel the': 160888, 'my coworker just': 547845, 'coworker just told': 214484, 'told me his': 923608, 'me his debit': 522902, 'his debit card': 397350, 'debit card wasn': 230376, 'card wasn working': 163697, 'wasn working at': 968044, 'and the clerk': 73284, 'the clerk came': 851005, 'clerk came over': 181672, 'came over and': 157050, 'over and blew': 629979, 'and blew on': 59010, 'blew on it': 132664, 'on it tell': 601689, 'it tell that': 461459, 'tell that clerk': 837074, 'that clerk to': 843247, 'clerk to keep': 181795, 'keep it and': 471606, 'it and ll': 456502, 'and ll cancel': 66267, 'll cancel the': 496674, 'cancel the card': 160890, 'url': 948476, 'update url': 947293, 'url it': 948477, 'great disappointment': 362632, 'disappointment that': 244160, 'announce today': 76894, 'beloved pool': 126541, 'pool we': 664028, 'will reassess': 994581, 'reassess opening': 703172, 'opening again': 612794, '19 update url': 11691, 'update url it': 947294, 'url it is': 948478, 'with great disappointment': 998670, 'great disappointment that': 362633, 'disappointment that we': 244161, 'that we announce': 847361, 'we announce today': 970430, 'announce today the': 76895, 'today the closure': 920282, 'of our beloved': 587426, 'our beloved pool': 622183, 'beloved pool we': 126543, 'pool we have': 664029, 'decided to also': 230898, 'to also close': 900376, 'also close the': 48033, 'store until monday': 811011, 'until monday march': 943782, 'monday march 30': 536321, 'march 30 and': 515234, '30 and will': 16967, 'and will reassess': 75687, 'will reassess opening': 994582, 'reassess opening again': 703173, 'opening again on': 612795, 'again on that': 37095, 'on that day': 603933, 'we dove': 971415, 'dove into': 256299, 'how 19': 407258, 'impacting ecommerce': 418211, 'delivery spoiler': 234558, 'spoiler alert': 789700, 'alert accelerating': 41344, 'accelerating based': 27905, 'of 245': 579533, '245 consumer': 15742, 'then we dove': 877725, 'we dove into': 971416, 'dove into how': 256300, 'into how 19': 442650, 'how 19 is': 407259, 'is impacting ecommerce': 448700, 'impacting ecommerce and': 418212, 'ecommerce and grocery': 266711, 'grocery delivery spoiler': 364454, 'delivery spoiler alert': 234559, 'spoiler alert accelerating': 789701, 'alert accelerating based': 41345, 'accelerating based on': 27906, 'on our survey': 602635, 'survey of 245': 828907, 'of 245 consumer': 579534, 'firestorm': 308268, 'stayindoors': 798552, 'need face': 554762, 'got firestorm': 358557, 'firestorm sport': 308269, 'sport mask': 789947, 'staysafe stayindoors': 798911, 'stayindoors stayhealthy': 798553, 'who need face': 989310, 'need face mask': 554763, 'supermarket when you': 823812, 'when you ve': 984612, 've got firestorm': 953176, 'got firestorm sport': 358558, 'firestorm sport mask': 308270, 'sport mask facemask': 789948, 'mask facemask staysafe': 518641, 'facemask staysafe stayindoors': 295105, 'staysafe stayindoors stayhealthy': 798912, 'pmsg': 662080, 'benny': 127242, 'liban': 487994, 'pnpkakampimolabansacovid': 662115, 'stopthespreadofcovid': 805934, 'personnel led': 653128, 'by pmsg': 153603, 'pmsg benny': 662081, 'benny liban': 127243, 'liban continuously': 487995, 'continuously conducted': 201599, 'conducted monitoring': 193673, 'monitoring on': 537361, 'on overpricing': 602658, 'overpricing particularly': 631405, 'particularly on': 642710, 'mask pnpkakampimolabansacovid': 519128, 'pnpkakampimolabansacovid 19': 662116, '19 stopthespreadofcovid': 10879, 'stopthespreadofcovid 19': 805935, 'personnel led by': 653129, 'led by pmsg': 485220, 'by pmsg benny': 153604, 'pmsg benny liban': 662082, 'benny liban continuously': 127244, 'liban continuously conducted': 487996, 'continuously conducted monitoring': 201600, 'conducted monitoring on': 193674, 'monitoring on overpricing': 537362, 'on overpricing particularly': 602659, 'overpricing particularly on': 631406, 'particularly on price': 642711, 'face mask pnpkakampimolabansacovid': 294574, 'mask pnpkakampimolabansacovid 19': 519129, 'pnpkakampimolabansacovid 19 stopthespreadofcovid': 662117, '19 stopthespreadofcovid 19': 10880, 'stopthespreadofcovid 19 stayhomesavelives': 805936, 'secret service': 743930, 'service signed': 752828, 'signed 45': 769351, '00 emergency': 183, 'rent golf': 711105, 'in sterling': 428269, 'sterling va': 799907, 'va home': 951543, 'virginia golf': 957667, 'golf club': 356115, 'club in': 184445, 'such rental': 816708, 'rental have': 711229, 'have preceded': 382016, 'preceded presidential': 669442, 'presidential golf': 670988, 'golf trip': 356147, 'new in the': 558920, 'of pandemic this': 587712, 'pandemic this week': 636749, 'week the secret': 977007, 'the secret service': 866605, 'secret service signed': 743931, 'service signed 45': 752829, 'signed 45 00': 769352, '45 00 emergency': 19058, '00 emergency order': 184, 'emergency order to': 272838, 'order to rent': 618701, 'to rent golf': 913232, 'rent golf cart': 711106, 'golf cart in': 356113, 'cart in sterling': 165325, 'in sterling va': 428270, 'sterling va home': 799908, 'va home of': 951544, 'home of virginia': 401696, 'of virginia golf': 592814, 'virginia golf club': 957668, 'golf club in': 356116, 'club in the': 184446, 'past such rental': 643612, 'such rental have': 816709, 'rental have preceded': 711230, 'have preceded presidential': 382017, 'preceded presidential golf': 669443, 'presidential golf trip': 670989, 'put limitation': 690664, 'meat produce': 525710, 'other high': 620361, 'eat paper': 266023, 'disinfectant grocerystores': 245677, 'grocerystores lockdown': 366369, 'put limitation on': 690665, 'limitation on meat': 492586, 'on meat produce': 602088, 'meat produce and': 525711, 'produce and other': 680184, 'and other high': 68339, 'other high demand': 620362, 'demand food item': 235362, 'food item people': 315224, 'item people cannot': 463553, 'people cannot eat': 647429, 'cannot eat paper': 161773, 'eat paper product': 266024, 'paper product and': 640620, 'product and disinfectant': 680882, 'and disinfectant grocerystores': 61446, 'disinfectant grocerystores lockdown': 245678, 'stopfraudco': 805335, 'cudifference': 220191, 'opportunistic scammer': 613571, 'fear way': 301421, 'to deceive': 903993, 'deceive consumer': 230724, 'avoid criminal': 105065, 'criminal do': 216830, 'link hang': 493845, 'robocalls use': 724778, 'use mfa': 949369, 'mfa for': 530067, 'account stopfraudco': 28751, 'stopfraudco cudifference': 805336, 'cudifference community': 220192, 'community creditunions': 189805, 'opportunistic scammer are': 613572, 'using fear way': 950483, 'fear way to': 301422, 'way to deceive': 970010, 'to deceive consumer': 903994, 'deceive consumer avoid': 230725, 'consumer avoid criminal': 196368, 'avoid criminal do': 105066, 'criminal do not': 216831, 'unknown link hang': 942527, 'link hang up': 493846, 'on robocalls use': 603214, 'robocalls use mfa': 724779, 'use mfa for': 949370, 'mfa for personal': 530068, 'for personal email': 324497, 'personal email and': 652833, 'email and bank': 272109, 'and bank account': 58678, 'bank account stopfraudco': 109557, 'account stopfraudco cudifference': 28752, 'stopfraudco cudifference community': 805337, 'cudifference community creditunions': 220193, 'out let': 626496, 'be out let': 116286, 'out let get': 626497, 'dramatised': 258385, 'netflix already': 557590, 'already drawing': 47306, 'up script': 945952, 'script for': 742850, 'for dramatised': 320848, 'dramatised movie': 258386, 'everybody dumbass': 286427, 'dumbass running': 262129, 'here like': 393296, 'netflix already drawing': 557591, 'already drawing up': 47307, 'drawing up script': 258534, 'up script for': 945953, 'script for dramatised': 742851, 'for dramatised movie': 320849, 'dramatised movie about': 258387, 'movie about and': 543980, 'about and everybody': 24800, 'and everybody dumbass': 62388, 'everybody dumbass running': 286428, 'dumbass running around': 262130, 'running around here': 727915, 'around here like': 93321, 'here like it': 393297, 'like it supermarket': 490555, 'it supermarket sweep': 461367, 'me leave': 523065, 'said be': 730996, 'saw me leave': 738173, 'me leave the': 523066, 'and said be': 70763, 'said be sure': 730997, 'sure to make': 827773, 'mulready': 545642, '405': 18815, '521': 20263, '2828': 16432, 'insurance commissioner': 440693, 'commissioner mulready': 188951, 'mulready to': 545643, 'to oklahoman': 910886, 'oklahoman our': 598093, 'our no': 624080, 'no priority': 565186, 'protection we': 685682, 'want cost': 965753, 'cost sharing': 208108, 'sharing to': 755614, 'serve barrier': 751870, 'have issue': 381131, 'your insurance': 1024500, 'at 405': 97651, '405 521': 18816, '521 2828': 20264, '2828 we': 16433, 'insurance commissioner mulready': 440694, 'commissioner mulready to': 188952, 'mulready to oklahoman': 545644, 'to oklahoman our': 910887, 'oklahoman our no': 598094, 'our no priority': 624081, 'no priority is': 565187, 'priority is consumer': 678592, 'is consumer protection': 446797, 'consumer protection we': 198579, 'protection we do': 685683, 'not want cost': 572436, 'want cost sharing': 965754, 'cost sharing to': 208109, 'sharing to serve': 755615, 'to serve barrier': 914258, 'serve barrier to': 751871, 'barrier to testing': 111369, 'to testing and': 916401, 'and treatment for': 74438, 'you have issue': 1019063, 'have issue with': 381132, 'issue with your': 456023, 'with your insurance': 1002207, 'your insurance company': 1024501, 'insurance company call': 440697, 'company call at': 190512, 'call at 405': 155780, 'at 405 521': 97652, '405 521 2828': 18817, '521 2828 we': 20265, '2828 we re': 16434, 'because most': 119249, 'store because most': 806681, 'because most people': 119250, 'been dramatic': 121037, 'mask continue': 518537, 'confirm more': 194097, 'assure low': 97086, 'income earner': 432320, 'earner that': 264849, 'cheapest far': 174305, 'effective preventive': 269293, 'have been dramatic': 379519, 'been dramatic increase': 121038, 'face mask continue': 294528, 'mask continue to': 518538, 'continue to confirm': 201172, 'to confirm more': 903191, 'confirm more case': 194098, 'covid 19 want': 214041, 'to assure low': 900794, 'assure low income': 97087, 'low income earner': 505346, 'income earner that': 432321, 'earner that hand': 264850, 'that hand washing': 844168, 'hand washing with': 375965, 'the cheapest far': 850738, 'cheapest far more': 174306, 'far more effective': 298849, 'more effective preventive': 539109, 'effective preventive measure': 269294, 'wext': 980808, 'consumer patanjali': 198338, 'patanjali they': 643924, 'were helping': 979732, 'more latest': 539659, 'latest informative': 481402, 'informative update': 438067, 'update go': 947003, 'for notification': 323944, 'notification soap': 573541, 'soap 19': 778889, '19 wext': 11992, 'wext community': 980809, 'godrej consumer patanjali': 354891, 'consumer patanjali they': 198339, 'patanjali they were': 643925, 'they were helping': 883777, 'were helping fight': 979733, 'hygiene product for': 412152, 'product for more': 681202, 'for more latest': 323585, 'more latest informative': 539660, 'latest informative update': 481403, 'informative update go': 438068, 'update go to': 947004, 'go to subscribe': 354364, 'to subscribe for': 915716, 'subscribe for notification': 815850, 'for notification soap': 323945, 'notification soap 19': 573542, 'soap 19 wext': 778890, '19 wext community': 11993, 'chinaliespeopledied': 177122, 'wtf rt': 1013318, 'everywhere wuhancoronavirus': 288287, 'wuhancoronavirus chinaliespeopledied': 1013539, 'chinaliespeopledied chinesevirus19': 177123, 'chinesevirus19 stayhome': 177467, 'wtf rt is': 1013319, 'rt is she': 726779, 'the virus woman': 870926, 'virus woman is': 959056, 'have everywhere wuhancoronavirus': 380506, 'everywhere wuhancoronavirus chinaliespeopledied': 288288, 'wuhancoronavirus chinaliespeopledied chinesevirus19': 1013540, 'chinaliespeopledied chinesevirus19 stayhome': 177124, 'darling just': 226024, 'just popping': 469465, 'popping to': 664517, 'oh coronacrisis': 596374, 'coronacrisis stockpilinguk': 204785, 'darling just popping': 226025, 'just popping to': 469466, 'popping to the': 664518, 'for egg bread': 320969, 'egg bread and': 269799, 'bread and potato': 138405, 'and potato oh': 69250, 'potato oh coronacrisis': 666953, 'oh coronacrisis stockpilinguk': 596375, 'divino': 248655, 'community staff': 190115, 'priority esp': 678561, 'from robust': 337125, 'robust health': 724848, 'shopping know': 763134, 'your tony': 1026183, 'tony divino': 924548, 'divino toyota': 248656, 'toyota family': 927710, 'precautionary health': 669413, 'measure dealer': 525172, 'dealer service': 229622, 'our community staff': 622480, 'community staff is': 190116, 'staff is top': 792580, 'is top priority': 453292, 'top priority esp': 925678, 'priority esp in': 678562, 'midst of from': 530784, 'of from robust': 583968, 'from robust health': 337126, 'robust health measure': 724849, 'health measure to': 386633, 'measure to online': 525400, 'online shopping know': 609167, 'shopping know that': 763135, 'that your tony': 847780, 'your tony divino': 1026184, 'tony divino toyota': 924549, 'divino toyota family': 248657, 'toyota family is': 927711, 'family is here': 297949, 'for you see': 328085, 'you see all': 1021021, 'see all of': 744877, 'our precautionary health': 624419, 'precautionary health measure': 669414, 'health measure dealer': 386632, 'measure dealer service': 525173, 'want better': 965733, 'better map': 128359, 'any others': 79611, 'others dealing': 621357, 'day community': 227467, 'community testing': 190145, 'testing those': 839666, 'with sick': 1000722, 'tell much': 837036, 'about community': 24979, 'community hotspot': 189899, 'hotspot coronavi': 405309, 'you want better': 1022131, 'want better map': 965734, 'better map of': 128360, 'map of covid': 514934, '19 test the': 11085, 'test the supermarket': 839202, 'petrol station worker': 653803, 'station worker and': 796559, 'worker and any': 1006272, 'and any others': 58218, 'any others dealing': 79612, 'others dealing with': 621358, 'dealing with every': 229663, 'with every day': 998272, 'every day community': 285800, 'day community testing': 227468, 'community testing those': 190146, 'testing those who': 839667, 'those who deal': 892627, 'deal with sick': 229575, 'with sick people': 1000724, 'will not tell': 994279, 'not tell much': 571946, 'tell much about': 837037, 'much about community': 544688, 'about community hotspot': 24980, 'community hotspot coronavi': 189900, 'the john': 858683, 'john and': 466511, 'be man': 115895, 'man use': 512283, 'young to': 1022664, 'post toiletpaper': 666377, 're sitting on': 699527, 'sitting on the': 772137, 'on the john': 604194, 'the john and': 858684, 'john and the': 466513, 'paper gone be': 640219, 'gone be man': 356223, 'be man use': 115896, 'man use your': 512284, 'are too young': 91150, 'too young to': 925188, 'young to read': 1022665, 'read my post': 700469, 'my post toiletpaper': 549823, 'post toiletpaper toiletpaperchallenge': 666378, 'employee these': 274303, 'men amp': 528450, 'went could': 978978, 'could sense': 209653, 'clerk tension': 181778, 'tension about': 837973, 'circumstance amp': 178704, 'amp offered': 54212, 'offered word': 594990, 'weekend please be': 977390, 'the store employee': 868014, 'store employee these': 807552, 'employee these men': 274304, 'these men amp': 880296, 'men amp woman': 528451, 'amp woman are': 54857, 'woman are on': 1003410, 'during the the': 263207, 'the the last': 869386, 'time went could': 898260, 'went could sense': 978980, 'could sense the': 209654, 'sense the clerk': 750600, 'the clerk tension': 851006, 'clerk tension about': 181779, 'tension about working': 837974, 'about working under': 26954, 'working under these': 1009021, 'under these circumstance': 940347, 'these circumstance amp': 879757, 'circumstance amp offered': 178705, 'amp offered word': 54213, 'offered word of': 594991, 'word of encouragement': 1004538, 'skyrocket on': 773325, 'anything see': 80874, 'picture send': 656191, 'send it': 749877, 'seen price skyrocket': 747201, 'price skyrocket on': 676440, 'skyrocket on anything': 773326, 'on anything see': 599417, 'anything see any': 80875, 'see any price': 744920, 'any price gouging': 79681, 'gouging in wa': 359354, 'in wa take': 430639, 'wa take picture': 963391, 'take picture send': 832497, 'picture send it': 656192, 'send it to': 749878, 'together which': 921031, 'which bit': 985718, 'bit about': 131525, 'put other': 690738, 'me supermarket': 523568, 'risk please': 723826, 'alone stayhomesavelives': 46910, 'still can believe': 800331, 'can believe that': 157743, 'believe that family': 126338, 'that family are': 843828, 'family are shopping': 297632, 'are shopping together': 90065, 'shopping together which': 764221, 'together which bit': 921032, 'which bit about': 985719, 'bit about stay': 131526, 'about stay at': 26250, 'home don they': 401094, 'don they understand': 253968, 'they understand this': 883604, 'understand this put': 940789, 'this put other': 889765, 'put other shopper': 690739, 'other shopper and': 620899, 'shopper and me': 761369, 'and me supermarket': 66838, 'me supermarket worker': 523569, 'at risk please': 100388, 'risk please please': 723828, 'please please only': 660307, 'please only shop': 660261, 'only shop alone': 611116, 'shop alone stayhomesavelives': 759824, 'proximity situation': 687329, 'with nh': 999722, 'queue early': 693914, 'distancing is all': 247239, 'is all good': 445458, 'and well until': 75415, 'well until you': 978725, 'until you need': 943943, 'you need supply': 1020045, 'need supply and': 555675, 're forced into': 698701, 'forced into close': 328572, 'into close proximity': 442463, 'close proximity situation': 182777, 'proximity situation in': 687330, 'supermarket especially with': 820197, 'especially with nh': 280673, 'with nh worker': 999723, 'nh worker who': 562197, 'are going in': 86889, 'going in early': 355215, 'in early to': 422451, 'early to get': 264728, 'need this from': 555817, 'this from family': 887628, 'from family member': 335403, 'family member in': 298037, 'member in the': 528116, 'the queue early': 865038, 'queue early this': 693915, 'an obsession': 56545, '19 stupid': 10923, 'stupid bitch': 815361, 'have an obsession': 379264, 'an obsession with': 56546, 'shopping now thanks': 763366, 'now thanks covid': 575992, 'covid 19 stupid': 213881, '19 stupid bitch': 10924, 'is coronavirus': 446843, 'panic and over': 637326, 'over stock or': 630649, 'stock or over': 802588, 'over buy here': 630046, 'buy here is': 148786, 'here is coronavirus': 393222, 'is coronavirus grocery': 446845, 'coronavirus grocery list': 206005, 'grocery list the': 364701, 'unwittingly': 944086, 'example when': 289005, 'hope symptomatic': 403637, 'symptomatic so': 830960, 'carry it': 165100, 'store unwittingly': 811013, 'for example when': 321299, 'example when get': 289006, 'when get hope': 983459, 'get hope symptomatic': 347255, 'hope symptomatic so': 403638, 'symptomatic so don': 830961, 'don carry it': 253426, 'carry it to': 165102, 'grocery store unwittingly': 365903, 'this guidance': 887777, 'to your relief': 919021, 'check scammer are': 174614, 'scammer are too': 740547, 'are too and': 91135, 'too and they': 924582, 'you to read': 1021828, 'read this guidance': 700616, 'this guidance from': 887778, 'crisis averted': 217103, 'person cashier': 652352, 'simpson find': 770327, 'find herself': 306959, 'first person cashier': 308859, 'person cashier in': 652353, 'cashier in busy': 166549, 'kayla simpson find': 471146, 'simpson find herself': 770328, 'find herself on': 306960, 'bnecoronavirus': 133579, 'bneeditorspicks coronavirus': 133583, 'recession bne': 704217, 'business bnecoronavirus': 143447, 'bnecoronavirus pandemic': 133580, 'pandemic kazakhstan': 635852, 'kazakhstan see': 471172, 'bneeditorspicks coronavirus oil': 133584, 'toward recession bne': 927149, 'recession bne business': 704218, 'bne business bnecoronavirus': 133577, 'business bnecoronavirus pandemic': 143448, 'bnecoronavirus pandemic kazakhstan': 133581, 'pandemic kazakhstan see': 635853, 'kazakhstan see sample': 471173, 'bliss': 132728, 'stock mask': 802463, 'unnecessarily and': 942844, 'life ignorance': 488745, 'ignorance isn': 415754, 'isn bliss': 454448, 'bliss always': 132729, 'always indiafightscorona': 49633, 'you guy the': 1018976, 'guy the one': 369177, 'one who stock': 607460, 'who stock mask': 989680, 'stock mask and': 802464, 'food item unnecessarily': 315239, 'item unnecessarily and': 463780, 'unnecessarily and disrupt': 942845, 'and disrupt the': 61490, 'disrupt the day': 246378, 'the day to': 852920, 'day life ignorance': 227900, 'life ignorance isn': 488746, 'ignorance isn bliss': 415755, 'isn bliss always': 454449, 'bliss always indiafightscorona': 132730, 'cornucopia': 203745, 'betta': 128163, 'whatdistrictisthemidwest': 982734, 'stepawayfromthepeanutbutterkaren': 799714, 'is kinda': 449211, 'kinda like': 475056, 'like running': 491110, 'the cornucopia': 851759, 'cornucopia in': 203746, 'all betta': 42179, 'betta settle': 128164, 'settle down': 753674, 'down whatdistrictisthemidwest': 257463, 'whatdistrictisthemidwest stepawayfromthepeanutbutterkaren': 982735, 'now is kinda': 575076, 'is kinda like': 449212, 'kinda like running': 475057, 'like running to': 491111, 'to the cornucopia': 916592, 'the cornucopia in': 851760, 'cornucopia in the': 203747, 'in the hunger': 429278, 'hunger game all': 411114, 'game all betta': 343111, 'all betta settle': 42180, 'betta settle down': 128165, 'settle down whatdistrictisthemidwest': 753675, 'down whatdistrictisthemidwest stepawayfromthepeanutbutterkaren': 257464, 'their chloroquine': 872780, 'by taking their': 154208, 'taking their chloroquine': 833602, 'dear spain': 229877, 'spain am': 787267, 'am isolated': 50154, 'isolated in': 455007, 'home see': 402026, 'to nobody': 910627, 'nobody if': 566016, 'outside risk': 629539, 'being fined': 125148, 'fined up': 307765, '00 can': 100, 'sick can': 768400, 'chemist thank': 175450, 'protecting me': 685210, 'dear spain am': 229878, 'spain am isolated': 787268, 'am isolated in': 50155, 'isolated in my': 455008, 'my home see': 548695, 'home see and': 402027, 'see and speak': 744908, 'and speak to': 72058, 'speak to nobody': 787716, 'to nobody if': 910628, 'nobody if go': 566017, 'go outside risk': 354020, 'outside risk being': 629540, 'risk being fined': 723412, 'being fined up': 125149, 'fined up to': 307766, 'up to 00': 946315, 'to 00 can': 899410, '00 can eat': 101, 'can eat the': 158203, 'eat the supermarket': 266068, 'is open if': 450568, 'open if get': 612315, 'get sick can': 347989, 'sick can go': 768401, 'the chemist thank': 850798, 'chemist thank you': 175451, 'you for protecting': 1018661, 'for protecting me': 324821, 'refreshing': 706763, '19 finding': 7013, 'new refreshing': 559424, 'refreshing ipa': 706766, 'ipa have': 444530, 'have otherwise': 381841, 'otherwise ignored': 621845, 'ignored the': 415886, 'this ipa': 888156, 'ipa is': 444532, 'the positive of': 864062, 'positive of 19': 665386, 'of 19 finding': 579391, '19 finding new': 7014, 'finding new refreshing': 307507, 'new refreshing ipa': 559425, 'refreshing ipa have': 706767, 'ipa have otherwise': 444531, 'have otherwise ignored': 381842, 'otherwise ignored the': 621846, 'ignored the supermarket': 415888, 'were empty but': 979564, 'empty but this': 274829, 'but this ipa': 147550, 'this ipa is': 888157, 'ipa is top': 444533, 'businesscontinuity': 144739, 'business new': 144092, 'new small': 559608, 'small online': 775048, 'online big': 607933, 'effort consumer': 269499, 'remain cautious': 709714, 'advantage smallbusiness': 33061, 'smallbusiness businesscontinuity': 775215, 'businesscontinuity businessgrowth': 144740, 'businessgrowth businessnews': 144749, 'best chance for': 127625, 'chance for business': 171722, 'for business new': 319837, 'business new small': 144093, 'new small online': 559609, 'small online big': 775049, 'online big to': 607934, 'big to boost': 130077, 'boost their marketing': 135025, 'their marketing effort': 873920, 'marketing effort consumer': 517588, 'effort consumer it': 269500, 'consumer it would': 197965, 'would be best': 1011557, 'be best to': 113834, 'best to remain': 127961, 'to remain cautious': 913160, 'remain cautious but': 709715, 'cautious but take': 168214, 'but take advantage': 147255, 'take advantage smallbusiness': 831919, 'advantage smallbusiness businesscontinuity': 33062, 'smallbusiness businesscontinuity businessgrowth': 775216, 'businesscontinuity businessgrowth businessnews': 144741, 'brazil is': 138337, 'face period': 294706, 'swing in': 830403, 'price driven': 673551, 'planning support': 658577, 'support measure': 826643, 'measure for': 525196, 'farmer hurt': 299417, 'hurt by': 411553, 'an agriculture': 55201, 'agriculture ministry': 39003, 'ministry official': 533555, 'official told': 595951, 'told reuters': 923671, 'brazil is likely': 138338, 'to face period': 905571, 'face period of': 294707, 'period of large': 651843, 'of large swing': 585716, 'large swing in': 479816, 'swing in food': 830404, 'food price driven': 315934, 'price driven by': 673552, 'driven by the': 259288, 'government is planning': 360268, 'is planning support': 450890, 'planning support measure': 658578, 'support measure for': 826644, 'measure for farmer': 525198, 'for farmer hurt': 321404, 'farmer hurt by': 299418, 'hurt by the': 411554, 'the crisis an': 852343, 'crisis an agriculture': 217007, 'an agriculture ministry': 55202, 'agriculture ministry official': 39004, 'ministry official told': 533556, 'official told reuters': 595952, 'r0': 695044, 'first off': 308819, 'off ha': 593879, 'an r0': 56783, 'r0 of': 695045, 'mean on': 524587, 'average it': 104862, 'it transmitted': 461843, 'is infected': 448903, 'infected to': 436652, 'people nothing': 648880, 'at couldn': 98351, 'couldn resist': 209912, 'the pun': 864909, 'pun but': 689149, 'community errand': 189835, 'run r0': 727785, 'r0 would': 695047, 'first off ha': 308820, 'off ha an': 593880, 'ha an r0': 369548, 'an r0 of': 56784, 'r0 of that': 695046, 'of that mean': 590730, 'that mean on': 845116, 'mean on average': 524588, 'on average it': 599514, 'average it transmitted': 104863, 'it transmitted by': 461844, 'transmitted by someone': 929800, 'by someone who': 154086, 'who is infected': 989084, 'is infected to': 448904, 'infected to two': 436654, 'two other people': 937111, 'other people nothing': 620681, 'people nothing to': 648881, 'nothing to sneeze': 573199, 'to sneeze at': 914791, 'sneeze at couldn': 776230, 'at couldn resist': 98352, 'couldn resist the': 209913, 'resist the pun': 714579, 'the pun but': 864910, 'pun but if': 689150, 'it wa easier': 462106, 'easier to pick': 265161, 'pick up from': 655725, 'up from community': 944984, 'from community errand': 334931, 'community errand like': 189836, 'errand like grocery': 280200, 'store run r0': 809932, 'run r0 would': 727786, 'r0 would be': 695048, 'be much higher': 116023, 'confidence tracked': 193969, 'tracked this': 928253, 'consumer confidence tracked': 196927, 'confidence tracked this': 193970, 'tracked this globally': 928254, 'amen can': 51378, 'granted they': 362093, 'our prayer': 624414, 'gratitude thank': 362389, 'amen can we': 51379, 'have one for': 381788, 'one for supermarket': 606306, 'supermarket worker too': 824103, 'worker too they': 1008041, 'too they too': 925119, 'too are on': 924589, 'crisis but we': 217163, 'but we take': 147765, 'we take them': 973487, 'take them for': 832694, 'them for granted': 875717, 'for granted they': 321999, 'granted they deserve': 362094, 'deserve our prayer': 238091, 'our prayer and': 624415, 'prayer and gratitude': 669047, 'and gratitude thank': 63929, 'gratitude thank you': 362390, 'thank you in': 841751, 'you in advance': 1019298, 'report did': 711902, 'did petition': 240761, 'one seems': 606999, 'seems important': 746797, 'important considering': 418767, 'circumstance tell': 178748, 'no idea that': 564469, 'idea that consumer': 413179, 'consumer report did': 198706, 'report did petition': 711903, 'did petition but': 240762, 'petition but this': 653594, 'this one seems': 889251, 'one seems important': 607000, 'seems important considering': 746798, 'important considering the': 418768, 'considering the circumstance': 195423, 'the circumstance tell': 850903, 'circumstance tell to': 178749, 'tell to protect': 837116, 'to the put': 916996, 'the put people': 864933, 'really fascinating': 702183, 'web ha': 974948, 'ha shift': 371896, 'crisis clear': 217221, 'shift away': 758250, 'from mobile': 336456, 'into website': 443283, 'really fascinating look': 702185, 'in the web': 429667, 'the web ha': 871263, 'web ha shift': 974949, 'ha shift result': 371897, '19 crisis clear': 6227, 'crisis clear shift': 217222, 'clear shift away': 181320, 'shift away from': 758251, 'away from mobile': 105896, 'from mobile apps': 336457, 'mobile apps and': 534946, 'apps and back': 83263, 'back into website': 107117, 'bwg': 151491, 'netelixir founder': 557584, 'sale stay': 732547, 'update netelixir': 947089, 'netelixir bwg': 557582, 'bwg webinar': 151492, 'netelixir founder and': 557585, 'founder and ceo': 330523, 'and ceo is': 59686, 'ceo is live': 169724, 'is live with': 449407, 'live with to': 496123, 'behavior and ecommerce': 123887, 'and ecommerce sale': 61895, 'ecommerce sale stay': 266858, 'sale stay tuned': 732548, 'tuned for live': 935437, 'for live update': 323026, 'live update netelixir': 496099, 'update netelixir bwg': 947090, 'netelixir bwg webinar': 557583, 'redemption': 705678, 'war sink': 966538, 'sink oil': 771478, 'further saudi': 342156, 'nation may': 552254, 'their sovereign': 874763, 'finance this': 306286, 'large redemption': 479771, 'redemption in': 705679, 'large fund': 479666, 'fund creating': 341382, 'creating negative': 216037, 'negative feedback': 556773, 'feedback loop': 302423, 'loop to': 503158, 'havoc on oil': 384431, 'on oil demand': 602489, 'oil war sink': 597504, 'war sink oil': 966539, 'sink oil price': 771479, 'oil price further': 597141, 'price further saudi': 674145, 'further saudi arabia': 342157, 'arabia and other': 83858, 'other oil nation': 620599, 'oil nation may': 596968, 'nation may have': 552255, 'have to turn': 383328, 'turn to their': 935797, 'to their sovereign': 917269, 'their sovereign wealth': 874764, 'wealth fund to': 974164, 'fund to shore': 341529, 'shore up their': 764583, 'up their finance': 946235, 'their finance this': 873317, 'finance this will': 306287, 'lead to large': 483358, 'to large redemption': 909045, 'large redemption in': 479772, 'redemption in many': 705680, 'in many of': 425057, 'of the large': 591172, 'the large fund': 858947, 'large fund creating': 479667, 'fund creating negative': 341383, 'creating negative feedback': 216038, 'negative feedback loop': 556774, 'feedback loop to': 302425, 'loop to the': 503159, 'group two': 366945, 'one child': 606062, 'child from': 176090, 'the superstore': 868929, 'superstore come': 824343, 'difficult concept': 242203, 'people still coming': 649589, 'still coming to': 800385, 'store in group': 808308, 'in group two': 423461, 'group two adult': 366946, 'adult and one': 32797, 'and one child': 68085, 'one child from': 606064, 'child from the': 176092, 'same family in': 733061, 'family in front': 297917, 'into the superstore': 443178, 'the superstore come': 868930, 'superstore come on': 824344, 'come on it': 187437, 'on it not': 601677, 'not that difficult': 571967, 'that difficult concept': 843534, 'difficult concept stayhome': 242204, 'concept stayhome socialdistancing': 192872, 'many cstores': 513963, 'cstores chain': 220073, 'hiring both': 397076, 'well provide': 978515, 'provide job': 686371, 'off here': 593898, 'store hiring': 808158, 'many cstores chain': 513964, 'cstores chain are': 220074, 'chain are now': 170506, 'are now hiring': 88558, 'now hiring both': 574931, 'hiring both to': 397077, 'both to keep': 136079, 'other product well': 620778, 'product well provide': 681823, 'well provide job': 978516, 'provide job in': 686372, 'job in community': 465874, 'in community across': 421614, 'where people have': 985102, 'laid off here': 479022, 'off here list': 593899, 'list of convenience': 494422, 'of convenience store': 581858, 'convenience store hiring': 202350, 'go volunteer': 354466, 'shelf celebrity': 756933, 'shut up and': 767959, 'and go volunteer': 63790, 'go volunteer to': 354468, 'volunteer to stock': 960360, 'to stock grocery': 915437, 'store shelf celebrity': 810065, 'integrity weekly': 440960, 'weekly webinar': 977596, 'trend join': 931381, 'weekly webcast': 977594, 'webcast friday': 974977, '00pm more': 693, 'here consumertrends': 392890, 'consumertrends foodsystems': 199783, 'foodsystems foodindustry': 318226, 'with the center': 1001226, 'food integrity weekly': 315095, 'integrity weekly webinar': 440961, 'weekly webinar regarding': 977597, 'webinar regarding covid': 975086, 'consumer trend join': 199379, 'trend join the': 931382, 'join the weekly': 466872, 'the weekly webcast': 871349, 'weekly webcast friday': 977595, 'webcast friday at': 974978, 'friday at 00pm': 333203, 'at 00pm more': 97363, '00pm more info': 694, 'more info is': 539557, 'info is available': 437505, 'available here consumertrends': 104419, 'here consumertrends foodsystems': 392891, 'consumertrends foodsystems foodindustry': 199784, 'found extortionate': 330203, 'found extortionate price': 330204, '785': 22347, 'toiletpaper stockpile': 922541, 'check billion': 174389, 'and 785': 57508, '785 million': 22348, 'million lack': 532216, 'lack access': 478587, 'to drinking': 904725, 'out about toiletpaper': 625565, 'about toiletpaper stockpile': 26754, 'toiletpaper stockpile good': 922542, 'stockpile good reality': 803753, 'good reality check': 357631, 'reality check billion': 701711, 'check billion people': 174390, 'billion people do': 130888, 'not have toilet': 569884, 'have toilet at': 383349, 'toilet at their': 921130, 'house and 785': 406172, 'and 785 million': 57509, '785 million lack': 22349, 'million lack access': 532217, 'lack access to': 478588, 'access to drinking': 28230, 'to drinking water': 904726, 'the pickup': 863720, 'store model': 808968, 'chain is testing': 170849, 'is testing the': 452621, 'testing the pickup': 839663, 'the pickup only': 863721, 'only store model': 611209, 'store model in': 808969, 'response to surging': 715886, 'for it online': 322721, 'grocery service amid': 364947, 'alcohol will': 41181, 'solve your': 782171, 'your problem': 1025430, 'problem then': 679708, 'again neither': 37082, 'neither will': 557356, 'will milk': 994118, 'milk germany': 531690, 'alcohol will not': 41182, 'not solve your': 571643, 'solve your problem': 782172, 'your problem then': 1025431, 'problem then again': 679709, 'then again neither': 876975, 'again neither will': 37083, 'neither will milk': 557357, 'will milk germany': 994119, 'concern online': 193037, 'online scammer': 608941, 'up fake': 944835, 'website send': 975410, 'send email': 749848, 'or post': 616647, 'from consumer health': 334962, 'consumer health concern': 197723, 'health concern online': 386284, 'concern online scammer': 193038, 'online scammer may': 608942, 'scammer may set': 740596, 'may set up': 521493, 'set up fake': 753554, 'up fake website': 944836, 'fake website send': 296745, 'website send email': 975411, 'send email or': 749849, 'or text or': 617354, 'text or post': 839927, 'or post on': 616649, 'post on social': 666259, 'medium to sell': 527330, 'fake product that': 296696, 'to cure or': 903817, 'cure or prevent': 220786, 'or prevent covid': 616684, 'fscw': 339306, 'of supplying': 590507, 'supplying food': 826283, 'to beneficiary': 901758, 'beneficiary under': 126902, 'under fscw': 940095, 'fscw during': 339307, '19 personally': 9664, 'personally salute': 653045, 'special thanx': 788072, 'thanx to': 842415, 'all labour': 43338, 'and wish': 75751, 'wish good': 996762, 'and th': 73154, 'are the part': 90879, 'of this great': 591980, 'this great work': 887759, 'great work of': 363116, 'work of supplying': 1005521, 'of supplying food': 590508, 'supplying food to': 826288, 'food to beneficiary': 317235, 'to beneficiary under': 901759, 'beneficiary under fscw': 126903, 'under fscw during': 940096, 'fscw during the': 339308, 'panic situation of': 638604, 'covid 19 personally': 213574, '19 personally salute': 9665, 'personally salute to': 653046, 'all my dear': 43551, 'my dear colleague': 547958, 'dear colleague and': 229759, 'colleague and special': 186189, 'and special thanx': 72070, 'special thanx to': 788073, 'thanx to all': 842416, 'to all labour': 900261, 'all labour and': 43339, 'labour and wish': 478514, 'and wish good': 75753, 'wish good health': 996763, 'good health for': 357178, 'health for them': 386454, 'them and th': 875401, 'the tropic': 870021, 'dengue crazy': 236928, 'full suit': 340907, 'will not kill': 994238, 'not kill you': 570284, 'in the tropic': 429630, 'the tropic covid': 870022, '19 dengue crazy': 6493, 'dengue crazy people': 236929, 'crazy people who': 215387, 'people who dress': 650292, 'in full suit': 423175, 'full suit mask': 340908, 'stalk you in': 793347, 'havertys': 383943, 'atlanta based': 101830, 'based furniture': 111593, 'chain havertys': 170773, 'havertys said': 383944, 'location beginning': 498864, 'beginning march': 123633, 'atlanta based furniture': 101831, 'based furniture store': 111594, 'furniture store chain': 341965, 'store chain havertys': 806921, 'chain havertys said': 170774, 'havertys said tuesday': 383945, 'tuesday that in': 935189, 'that in response': 844458, 'outbreak it will': 628395, 'temporarily close it': 837449, 'retail location beginning': 718279, 'location beginning march': 498865, 'beginning march 19': 123634, 'march 19 until': 515118, '19 until april': 11645, 'gotten worse': 359181, 'worse due': 1010919, 'ha gotten worse': 370756, 'gotten worse due': 359182, 'worse due to': 1010920, 'without potato': 1002846, 'pasta without': 643856, 'pasta limited': 643752, 'bastard clearing': 112472, 'look closely': 502327, 'closely you': 183486, 'local store without': 498487, 'store without potato': 811423, 'without potato rice': 1002847, 'or pasta without': 616520, 'pasta without vegetable': 643857, 'without vegetable or': 1003031, 'vegetable or pasta': 954061, 'or pasta limited': 616517, 'pasta limited to': 643753, 'limited to small': 492778, 'to small loaf': 914758, 'loaf so for': 497379, 'for those selfish': 327135, 'selfish bastard clearing': 748016, 'bastard clearing the': 112473, 'clearing the shelf': 181478, 'the shelf look': 866853, 'shelf look closely': 757298, 'look closely you': 502328, 'closely you will': 183487, 'is 62': 445222, '62 working': 21234, '20 higher': 13088, 'higher chance': 395552, 'be retired': 116856, 'retired with': 719692, 'with pension': 1000124, 'pension who': 646670, 'all 60': 41910, 'category but': 167164, 'uk another': 938181, 'sister is 62': 771755, 'is 62 working': 445223, '62 working in': 21235, 'supermarket where she': 823825, 'where she ha': 985165, 'told they are': 923730, 'are at 20': 84660, 'at 20 higher': 97501, '20 higher chance': 13089, 'higher chance of': 395553, '19 she should': 10445, 'should be retired': 765717, 'be retired with': 116857, 'retired with pension': 719693, 'with pension who': 1000125, 'pension who have': 646671, 'who have all': 988906, 'have all 60': 379149, 'all 60 and': 41911, '60 and above': 20898, 'and above in': 57560, 'above in the': 27076, 'vulnerable category but': 960903, 'category but not': 167165, 'the uk another': 870191, 'uk another thing': 938182, 'another thing they': 77904, 'wheeloffortune': 983085, 'quarentineandchill': 693181, 'to spin': 915014, 'spin that': 789396, 'roll like': 725372, 'the wheeloffortune': 871430, 'wheeloffortune now': 983086, 'now turn': 576232, 'like cracking': 490064, 'cracking safe': 214743, 'safe quarentine': 729901, 'quarentine quarentineandchill': 693180, 'used to spin': 950090, 'to spin that': 915015, 'spin that toiletpaper': 789397, 'that toiletpaper roll': 847080, 'toiletpaper roll like': 922418, 'roll like wa': 725373, 'on the wheeloffortune': 604450, 'the wheeloffortune now': 871431, 'wheeloffortune now turn': 983087, 'now turn it': 576234, 'turn it like': 935698, 'it like cracking': 459356, 'like cracking safe': 490065, 'cracking safe quarentine': 214744, 'safe quarentine quarentineandchill': 729902, 'dreamkitchen': 258645, 'reservation only': 714021, 'only marketplace': 610767, 'marketplace came': 517806, 'about upcoming': 26812, 'upcoming safe': 946807, 'safe supply': 730005, 'supply date': 825139, 'date are': 226595, 'are tomorrow': 91130, 'tomorrow saturday': 924177, 'saturday april': 737011, '4th and': 19521, '5th reserve': 20829, 'reserve your': 714120, 'your 30': 1022716, 'minute shopping': 533833, 'window here': 995674, 'online cookathome': 608054, 'cookathome dreamkitchen': 202798, 'dreamkitchen boston': 258646, 'here how the': 393112, 'how the reservation': 408868, 'the reservation only': 865573, 'reservation only marketplace': 714022, 'only marketplace came': 610768, 'marketplace came about': 517807, 'came about upcoming': 156959, 'about upcoming safe': 26813, 'upcoming safe supply': 946808, 'safe supply date': 730006, 'supply date are': 825140, 'date are tomorrow': 226596, 'are tomorrow saturday': 91131, 'tomorrow saturday april': 924178, 'saturday april 4th': 737012, 'april 4th and': 83505, '4th and sunday': 19522, 'and sunday april': 72688, 'april 5th reserve': 83509, '5th reserve your': 20830, 'reserve your 30': 714121, 'your 30 minute': 1022717, '30 minute shopping': 17125, 'minute shopping window': 533834, 'shopping window here': 764422, 'window here online': 995675, 'here online cookathome': 393421, 'online cookathome dreamkitchen': 608055, 'cookathome dreamkitchen boston': 202799, 'mequedoencasa': 528920, 'stocked ish': 803348, 'ish there': 454221, 'but absolutely': 145047, 'wine how': 995823, 'without wine': 1003051, 'wine spain': 995895, 'spain mequedoencasa': 787324, 'supermarket wa fully': 823699, 'fully stocked ish': 341093, 'stocked ish there': 803349, 'ish there even': 454222, 'there even toilet': 878367, 'paper but absolutely': 639963, 'but absolutely no': 145048, 'absolutely no wine': 27407, 'no wine how': 565902, 'wine how am': 995824, 'through this without': 894857, 'this without wine': 891472, 'without wine spain': 1003052, 'wine spain mequedoencasa': 995896, 'dying transit': 263877, 'dying doctor': 263804, 'and nursing': 67902, 'nursing are': 577596, 'dying postal': 263859, 'dying 00': 263774, 'dying day': 263800, 'are dying transit': 86057, 'dying transit worker': 263878, 'transit worker are': 929658, 'are dying doctor': 86045, 'dying doctor and': 263805, 'doctor and nursing': 250821, 'and nursing are': 67903, 'nursing are dying': 577597, 'are dying postal': 86053, 'dying postal worker': 263860, 'postal worker are': 666464, 'are dying 00': 86038, 'dying 00 american': 263775, '00 american are': 60, 'are dying day': 86043, 'dying day from': 263801, 'day from what': 227662, 'from what is': 338341, 'wrong with this': 1013167, 'with this picture': 1001716, 'find large': 307026, 'and application': 58263, 'application this': 82483, 'updated constantly': 947355, 'constantly homeschooling': 195677, 'all this situation': 45133, 'situation we compiled': 772568, 'website for kid': 975273, 'for kid to': 322846, 'kid to use': 474146, 'home please watch': 401870, 'watch and you': 968362, 'will find large': 993443, 'find large number': 307027, 'number of website': 577015, 'website and application': 975194, 'and application this': 58264, 'application this will': 82484, 'be updated constantly': 117888, 'updated constantly homeschooling': 947356, 'constantly homeschooling beelearners': 195678, 'multibillion': 545682, 'the multibillion': 861133, 'multibillion pound': 545683, 'pound supermarket': 667406, 'is letting': 449284, 'outbreak way': 628791, 'from disaster': 335148, 'they pretend': 882906, 'pretend through': 671320, 'their pr': 874347, 'pr they': 668447, 'now caring': 574354, 'caring emergency': 164709, 'the multibillion pound': 861134, 'multibillion pound supermarket': 545684, 'pound supermarket industry': 667407, 'supermarket industry is': 821027, 'industry is letting': 435932, 'is letting people': 449286, 'letting people down': 487435, 'people down they': 647724, 'down they are': 257334, 'putting profit before': 691208, 'before people see': 123009, 'see the outbreak': 745868, 'the outbreak way': 862720, 'outbreak way to': 628792, 'to make huge': 909680, 'make huge profit': 509996, 'profit from disaster': 682734, 'from disaster while': 335149, 'disaster while they': 244265, 'while they pretend': 987440, 'they pretend through': 882907, 'pretend through their': 671321, 'through their pr': 894786, 'their pr they': 874348, 'pr they are': 668448, 'are now caring': 88534, 'now caring emergency': 574355, 'caring emergency service': 164710, 'shut him': 767889, 'him up': 396758, 'up don': 944733, 'die 19': 241291, 'shut him up': 767890, 'him up don': 396759, 'up don care': 944734, 'oil price care': 597073, 'price care about': 673078, 'care about people': 163800, 'going to live': 355644, 'live or die': 495976, 'or die 19': 614962, 'houstoncoronavirus': 407233, 'dude work': 261626, 'risk nothing': 723714, 'but old': 146650, 'wtf they': 1013328, 'home houstoncoronavirus': 401377, 'dude work at': 261627, 'only people here': 610947, 'highest risk nothing': 395858, 'risk nothing but': 723715, 'nothing but old': 572959, 'but old people': 146651, 'old people wtf': 598424, 'people wtf they': 650556, 'wtf they have': 1013329, 'make them stay': 510615, 'them stay at': 876322, 'at home houstoncoronavirus': 99006, 'thing our': 884660, 'lockdown appreciating': 499162, 'appreciating the': 82862, 'quiet sky': 694695, 'sky hearing': 773193, 'hearing more': 388216, 'more bird': 538730, 'bird song': 131350, 'song cooking': 785485, 'cooking together': 202926, 'together more': 920868, 'more checking': 538808, 'checking in': 174828, 'more noticing': 539854, 'noticing kind': 573505, 'kind deed': 474829, 'deed others': 231798, 'do buying': 249166, 'ha home': 370884, 'home bakery': 400757, 'bakery instead': 108860, 'thing our family': 884661, 'been doing during': 121017, 'doing during lockdown': 252365, 'during lockdown appreciating': 262758, 'lockdown appreciating the': 499163, 'appreciating the quiet': 82863, 'the quiet sky': 865070, 'quiet sky hearing': 694696, 'sky hearing more': 773194, 'hearing more bird': 388217, 'more bird song': 538731, 'bird song cooking': 131351, 'song cooking together': 785486, 'cooking together more': 202927, 'together more checking': 920869, 'more checking in': 538809, 'checking in on': 174829, 'in on each': 426117, 'each other more': 264197, 'other more noticing': 620549, 'more noticing kind': 539855, 'noticing kind deed': 573506, 'kind deed others': 474830, 'deed others do': 231799, 'others do buying': 621363, 'do buying bread': 249167, 'buying bread from': 150045, 'bread from man': 138474, 'from man who': 336322, 'man who ha': 512330, 'who ha home': 988851, 'ha home bakery': 370885, 'home bakery instead': 400758, 'bakery instead of': 108861, 'n95mask fda': 551249, 'fda available': 300839, 'for frontlineworkers': 321782, 'n95mask fda available': 551250, 'fda available for': 300840, 'available for frontlineworkers': 104371, 'southafrica largest': 786808, 'supermarket sa': 822287, 'sa will': 728965, 'medicine frantic': 526788, 'frantic shopper': 331190, 'shopper empty': 761498, 'possible isolation': 665688, 'southafrica largest supermarket': 786809, 'largest supermarket sa': 480031, 'supermarket sa will': 822289, 'sa will limit': 728966, 'will limit purchase': 994018, 'limit purchase of': 492465, 'purchase of some': 689587, 'and medicine frantic': 66908, 'medicine frantic shopper': 526789, 'frantic shopper empty': 331191, 'shopper empty shelf': 761499, 'empty shelf to': 275102, 'shelf to prepare': 757702, 'for possible isolation': 324630, 'possible isolation during': 665689, '07121288': 1032, 'to colombo': 902978, 'colombo and': 186700, 'and suburb': 72644, 'suburb order': 816125, 'grocery here': 364588, 'here contact': 392892, 'contact on': 200161, 'on 07121288': 598983, 'at home avoid': 98943, 'home avoid and': 400751, 'avoid and shop': 105001, 'and shop hassle': 71500, 'free online instead': 332026, 'online instead we': 608418, 'instead we deliver': 440383, 'we deliver free': 971261, 'deliver free to': 233136, 'free to colombo': 332237, 'to colombo and': 902979, 'colombo and suburb': 186701, 'and suburb order': 72645, 'suburb order your': 816126, 'order your grocery': 618806, 'your grocery here': 1024125, 'grocery here contact': 364590, 'here contact on': 392893, 'contact on 07121288': 200162, 'shopper being': 761435, 'supermarket report shopper': 822205, 'report shopper being': 712247, 'shopper being abusive': 761436, 'pastime': 643878, 'consumer mobile': 198141, 'app use': 81793, 'spent and': 789110, 'and pastime': 68764, 'pastime preference': 643879, 'preference advertising': 669771, '19 impact consumer': 7694, 'impact consumer mobile': 417609, 'consumer mobile app': 198142, 'mobile app use': 534944, 'app use time': 81794, 'use time spent': 949745, 'time spent and': 897730, 'spent and pastime': 789111, 'and pastime preference': 68765, 'pastime preference advertising': 643880, 'personal journal': 652908, 'journal type': 467396, 'type tweet': 937614, 'tweet thread': 936415, 'thread day': 893537, '19 09': 4700, '09 04': 1147, 'official socialdistancing': 595930, 'physicaldistancing shielding': 655497, 'shielding the': 758204, 'best can': 127618, 'can done': 158144, 'done yesterday': 255128, 'yesterday mum': 1015807, 'mum had': 545906, 'had big': 372924, 'big wobble': 130114, 'wobble she': 1003320, 'difficulty registering': 242399, 'registering with': 707664, 'personal journal type': 652909, 'journal type tweet': 467397, 'type tweet thread': 937615, 'tweet thread day': 936416, 'thread day 19': 893538, 'day 19 09': 227107, '19 09 04': 4701, '09 04 20': 1148, '04 20 of': 916, '20 of official': 13202, 'of official socialdistancing': 587167, 'official socialdistancing physicaldistancing': 595931, 'socialdistancing physicaldistancing shielding': 780603, 'physicaldistancing shielding the': 655498, 'shielding the best': 758205, 'the best can': 849496, 'best can done': 127619, 'can done yesterday': 158145, 'done yesterday mum': 255129, 'yesterday mum had': 1015808, 'mum had big': 545907, 'had big wobble': 372926, 'big wobble she': 130115, 'wobble she is': 1003321, 'she is having': 756152, 'is having difficulty': 448325, 'having difficulty registering': 384031, 'difficulty registering with': 242400, 'registering with supermarket': 707665, 'with supermarket for': 1001053, 'supermarket for priority': 820415, 'for priority delivery': 324742, 'are prioritizing': 89229, 'prioritizing and': 678475, 'see what shopper': 746044, 'what shopper are': 982174, 'shopper are prioritizing': 761397, 'are prioritizing and': 89230, 'prioritizing and buying': 678476, 'and buying online': 59370, 'demandandsupply': 236544, 'few customer': 303760, 'customer come': 222249, 'if demand': 414032, 'also drop': 48134, 'food demandandsupply': 314184, 'very few customer': 955160, 'few customer come': 303761, 'customer come to': 222252, 'market and you': 516006, 'you know if': 1019501, 'know if demand': 476471, 'if demand drop': 414033, 'demand drop the': 235261, 'the price also': 864328, 'price also drop': 672293, 'also drop food': 48135, 'drop food demandandsupply': 260198, 'williams if': 995441, 'crime in': 216784, '24 state': 15687, 'there similar': 879050, 'similar law': 769905, 'which drive': 985835, 'crisis actually': 216976, 'actually neither': 30913, 'neither price': 557341, 'gouging nor': 359395, 'nor hoarding': 566956, 'hoarding should': 399520, 'be crime': 114290, 'williams if price': 995442, 'if price gouging': 414688, 'gouging is crime': 359361, 'is crime in': 446925, 'crime in 24': 216785, 'in 24 state': 419891, '24 state why': 15688, 'state why aren': 796086, 'why aren there': 990805, 'aren there similar': 92559, 'there similar law': 879051, 'similar law against': 769906, 'law against hoarding': 482201, 'against hoarding which': 37497, 'hoarding which drive': 399657, 'which drive up': 985837, 'during crisis actually': 262549, 'crisis actually neither': 216977, 'actually neither price': 30914, 'neither price gouging': 557342, 'price gouging nor': 674303, 'gouging nor hoarding': 359396, 'nor hoarding should': 566957, 'hoarding should be': 399521, 'should be crime': 765595, 'warning there': 967215, 'fda warning there': 300947, 'warning there are': 967216, 'are no at': 88241, 'empirical': 273419, 'purely empirical': 690038, 'empirical observation': 273420, 'observation but': 578538, 'worst panic': 1011240, 'boomer and': 134838, 'whole blitz': 990144, 'blitz mentality': 132738, 'mentality is': 528709, 'in wartime': 430699, 'wartime food': 967386, 'wa rationed': 963047, 'rationed now': 697781, 'greedy person': 363573, 'want everything': 965780, 'purely empirical observation': 690039, 'empirical observation but': 273421, 'observation but in': 578540, 'my opinion the': 549606, 'opinion the worst': 613507, 'the worst panic': 872065, 'worst panic buyer': 1011241, 'buyer are baby': 149565, 'are baby boomer': 84735, 'baby boomer and': 106576, 'boomer and senior': 134840, 'and senior this': 71258, 'senior this whole': 750421, 'this whole blitz': 891375, 'whole blitz mentality': 990145, 'blitz mentality is': 132739, 'mentality is in': 528710, 'is in wartime': 448827, 'in wartime food': 430700, 'wartime food wa': 967387, 'food wa rationed': 317445, 'wa rationed now': 963048, 'rationed now there': 697782, 'of them but': 591727, 'them but you': 875504, 'are an idiot': 84538, 'an idiot and': 56144, 'idiot and greedy': 413449, 'and greedy person': 63950, 'greedy person you': 363574, 'person you want': 652762, 'you want everything': 1022137, 'want everything for': 965781, 'everything for yourself': 287795, 'news coronavirus nurse': 560339, 'clear shelf stoppanicbuying': 181315, 'is dirty': 447190, 'dirty clean': 243733, 'clean frequently': 180536, 'surface throughout': 828078, 'home object': 401689, 'object telephone': 578423, 'telephone table': 836820, 'doorknob with': 255822, 'area around it': 91959, 'around it unless': 93366, 'it unless it': 461935, 'it is dirty': 458930, 'is dirty clean': 447191, 'dirty clean frequently': 243734, 'clean frequently touched': 180537, 'touched surface and': 926637, 'surface and surface': 827986, 'and surface throughout': 72879, 'surface throughout the': 828079, 'throughout the rest': 894981, 'the home object': 857450, 'home object telephone': 401690, 'object telephone table': 578424, 'telephone table countertop': 836821, 'switch doorknob with': 830483, 'doorknob with soap': 255823, 'soap water and': 779155, 'water and then': 968885, 'and then disinfect': 73757, 'caresact suspends': 164634, 'federal studentloans': 302067, 'studentloans until': 814819, '30 but': 16993, 'all loan': 43404, 'loan qualify': 497514, 'qualify urge': 691737, 'urge private': 948212, 'private lender': 678939, 'provide reprieve': 686452, 'reprieve for': 712978, 'for distressed': 320767, 'distressed borrower': 247936, 'borrower we': 135626, 'let treat': 487187, 'treat each': 930827, 'other right': 620857, 'the caresact suspends': 850420, 'caresact suspends payment': 164635, 'on federal studentloans': 600772, 'federal studentloans until': 302068, 'studentloans until 30': 814820, 'until 30 but': 943654, '30 but not': 16994, 'but not all': 146523, 'not all loan': 568116, 'all loan qualify': 43405, 'loan qualify urge': 497515, 'qualify urge private': 691738, 'urge private lender': 948213, 'private lender to': 678940, 'lender to provide': 486258, 'to provide reprieve': 912429, 'provide reprieve for': 686453, 'reprieve for distressed': 712979, 'for distressed borrower': 320768, 'distressed borrower we': 247937, 'borrower we re': 135627, 'together let treat': 920850, 'let treat each': 487188, 'treat each other': 930828, 'each other right': 264215, 'learner': 484161, 'good today': 357906, 'today day': 919426, 'anniversary looking': 76821, 'literally any': 494951, 'moment know': 535978, 'but im': 146005, 'im really': 416572, 'fast learner': 300002, 'learner do': 484164, 'my store closed': 550215, 'store closed for': 807062, 'closed for good': 183127, 'for good today': 321946, 'good today day': 357907, 'today day after': 919427, 'day after my': 227184, 'after my one': 35943, 'one year anniversary': 607523, 'year anniversary looking': 1014414, 'anniversary looking for': 76822, 'looking for literally': 502880, 'for literally any': 323008, 'literally any kind': 494952, 'kind of work': 474954, 'the moment know': 860765, 'moment know it': 535979, 'hard but im': 377879, 'but im really': 146006, 'im really fast': 416573, 'really fast learner': 702189, 'fast learner do': 300003, 'learner do not': 484165, 'stay in retail': 797060, 'retail at all': 717858, 'kbblovesdesign': 471179, 'are evaluating': 86271, 'that building': 843050, 'building material': 142112, 'increase kbblovesdesign': 432890, 'kbblovesdesign supply': 471180, 'company are evaluating': 190422, 'are evaluating their': 86272, 'evaluating their business': 283728, 'their business including': 872682, 'business including their': 143920, 'including their contract': 432194, 'their contract and': 872876, 'contract and preparing': 201633, 'and preparing for': 69375, 'the possibility that': 864070, 'possibility that building': 665552, 'that building material': 843051, 'building material price': 142113, 'material price may': 520409, 'price may increase': 675194, 'may increase kbblovesdesign': 521293, 'increase kbblovesdesign supply': 432891, 'mypov picture': 550795, 'toiletpaper barter': 921781, 'mypov picture of': 550796, 'the day toiletpaper': 852921, 'day toiletpaper barter': 228601, 'trustedblog1': 934355, 'threat arrest': 893644, 'arrest police': 93770, 'police arrest': 662928, 'arrest margaret': 93762, 'cirko 35': 178769, 'before allegedly': 122617, 'purpose forcing': 690125, 'estimated 35': 282276, 'good trustedblog1': 357917, 'virus threat arrest': 958915, 'threat arrest police': 893645, 'arrest police arrest': 93771, 'police arrest margaret': 662929, 'arrest margaret cirko': 93763, 'margaret cirko 35': 515586, 'cirko 35 after': 178770, '35 after she': 17877, 'after she told': 36194, 'she told shopper': 756393, 'told shopper inside': 923679, 'shopper inside grocery': 761571, 'store that she': 810572, 'that she had': 846237, 'had the virus': 373628, 'virus before allegedly': 957999, 'before allegedly coughing': 122618, 'on food on': 600891, 'on purpose forcing': 603025, 'purpose forcing the': 690126, 'forcing the store': 328741, 'store to throw': 810822, 'throw out an': 895040, 'out an estimated': 625636, 'an estimated 35': 55853, 'estimated 35 00': 282277, 'worth of good': 1011409, 'of good trustedblog1': 584244, 'pumping money': 689126, 'into economy': 442533, 'economy lowering': 268050, 'to solve': 914863, 'solve economic': 782147, 'are drawing': 85991, 'drawing fund': 258516, 'government action': 359819, 'pumping money into': 689127, 'money into economy': 536838, 'into economy lowering': 442534, 'economy lowering interest': 268051, 'interest rate is': 441395, 'rate is not': 697276, 'going to solve': 355712, 'to solve economic': 914864, 'solve economic problem': 782148, 'are not earning': 88355, 'not earning they': 569130, 'earning they are': 264880, 'they are drawing': 881258, 'are drawing fund': 85992, 'drawing fund from': 258517, 'fund from the': 341419, 'food government action': 314701, 'government action have': 359820, 'action have stopped': 30035, 'bonfire': 134306, '17hrs': 4463, 'donated their': 254360, 'their empty': 873167, 'empty toiletpaper': 275207, 'my easter': 548055, 'easter bonfire': 265394, 'bonfire last': 134308, 'been here': 121278, 'here 17hrs': 392643, '17hrs only': 4464, 'have 675': 379098, '675 00': 21479, '00 left': 302, 'through bonfire': 894351, 'bonfire isolationlife': 134307, 'everyone who donated': 287588, 'who donated their': 988655, 'donated their empty': 254361, 'their empty toiletpaper': 873168, 'empty toiletpaper roll': 275208, 'toiletpaper roll for': 922416, 'roll for my': 725307, 'for my easter': 323701, 'my easter bonfire': 548056, 'easter bonfire last': 265395, 'bonfire last night': 134309, 'night we ve': 563121, 've been here': 952891, 'been here 17hrs': 121279, 'here 17hrs only': 392644, '17hrs only have': 4465, 'only have 675': 610574, 'have 675 00': 379099, '675 00 left': 21480, '00 left to': 303, 'left to get': 485687, 'get through bonfire': 348430, 'through bonfire isolationlife': 894352, 'food guru': 314737, 'guru thought': 368838, 'thought smaller': 893217, 'smaller store': 775305, 'would attract': 1011538, 'attract smaller': 102702, 'smaller crowd': 775265, 'crowd she': 219241, 'food guru thought': 314738, 'guru thought smaller': 368839, 'thought smaller store': 893218, 'smaller store would': 775307, 'store would attract': 811643, 'would attract smaller': 1011539, 'attract smaller crowd': 102703, 'smaller crowd she': 775266, 'crowd she wa': 219242, 'she wa wrong': 756437, 'propertybubble': 684373, 'ausgov ha': 103062, 'cancelled property': 161164, 'property auction': 684247, 'auction to': 102869, 'selling crashing': 749206, 'price helping': 674502, 'helping propertybubble': 391446, 'propertybubble while': 684374, 'while new': 987080, 'new buyer': 558431, 'denied lower': 236959, 'but protecting': 146862, 'protecting big': 685182, 'big donor': 129764, 'donor property': 255164, 'property developer': 684263, 'developer market': 239760, 'investor asx': 444111, 'asx auspol': 97282, 'ausgov ha cancelled': 103063, 'ha cancelled property': 370052, 'cancelled property auction': 161165, 'property auction to': 684248, 'auction to stop': 102870, 'stop panic selling': 804886, 'panic selling crashing': 638525, 'selling crashing price': 749207, 'crashing price helping': 215123, 'price helping propertybubble': 674503, 'helping propertybubble while': 391447, 'propertybubble while new': 684375, 'while new buyer': 987081, 'new buyer are': 558432, 'buyer are being': 149566, 'being denied lower': 125037, 'denied lower price': 236960, 'lower price this': 505971, 'price this ha': 676911, 'do with but': 250544, 'with but protecting': 997502, 'but protecting big': 146863, 'protecting big donor': 685183, 'big donor property': 129765, 'donor property developer': 255165, 'property developer market': 684264, 'developer market investor': 239761, 'market investor asx': 516610, 'investor asx auspol': 444112, 'school information': 741832, 'information small': 437975, 'you follow': 1018608, 'visit my website': 959305, 'assistance school information': 96739, 'school information small': 741833, 'information small business': 437976, 'protection etc do': 685425, 'etc do you': 282494, 'do you follow': 250632, 'you follow the': 1018609, 'in excise': 422714, 'understandable given': 940840, 'increase in excise': 432834, 'in excise duty': 422715, 'duty on oil': 263601, 'price is understandable': 674898, 'is understandable given': 453470, 'understandable given it': 940841, 'given it spread': 351033, 'it spread but': 461202, 'spread but it': 790458, 'but it must': 146142, 'must be temporary': 546552, 'be temporary measure': 117543, 'amazon may': 51035, 'may decrease': 521117, 'awareness only': 105720, 'far especially': 298768, 'also public': 48717, 'public concern': 687920, 'concern requiring': 193078, 'requiring government': 713524, 'at amazon may': 97950, 'amazon may decrease': 51036, 'may decrease your': 521118, 'decrease your risk': 231616, 'of infection but': 585159, 'infection but the': 436726, 'but the worker': 147429, 'worker in warehouse': 1007210, 'in warehouse are': 430681, 'warehouse are still': 966694, 'are still very': 90499, 'still very much': 801374, 'very much at': 955359, 'much at risk': 544739, 'risk but consumer': 723428, 'but consumer awareness': 145446, 'consumer awareness only': 196373, 'awareness only go': 105721, 'so far especially': 777027, 'far especially in': 298769, 'the coronacrisis this': 851790, 'coronacrisis this is': 204824, 'this is also': 888171, 'is also public': 445575, 'also public concern': 48718, 'public concern requiring': 687921, 'concern requiring government': 193079, 'requiring government action': 713525, 'they restock': 883213, 'tp restock': 927916, 'restock texas': 716919, 'when they restock': 984279, 'they restock the': 883214, 'restock the toiletpaper': 716925, 'the toiletpaper be': 869722, 'toiletpaper be like': 921786, 'be like tp': 115752, 'like tp restock': 491658, 'tp restock texas': 927917, '35kworth': 17982, 'they slap': 883406, 'slap her': 773536, 'with felony': 998410, 'felony for': 303350, 'for terrorizing': 326213, 'terrorizing folk': 838630, 'folk woman': 312314, 'woman played': 1003579, 'played twisted': 659288, 'prank at': 668926, 'at penn': 100087, 'penn grocery': 646532, 'by purposefully': 153696, 'purposefully coughing': 690167, 'about 35kworth': 24706, '35kworth of': 17983, 'said nbc': 731249, 'news reported': 560752, 'hopefully they slap': 403891, 'they slap her': 883407, 'slap her with': 773537, 'her with felony': 392533, 'with felony for': 998411, 'felony for terrorizing': 303351, 'for terrorizing folk': 326214, 'terrorizing folk woman': 838631, 'folk woman played': 312315, 'woman played twisted': 1003580, 'played twisted prank': 659289, 'twisted prank at': 936603, 'prank at penn': 668927, 'at penn grocery': 100088, 'penn grocery store': 646533, 'store by purposefully': 806837, 'by purposefully coughing': 153697, 'purposefully coughing on': 690168, 'coughing on about': 208714, 'on about 35kworth': 599136, 'about 35kworth of': 24707, '35kworth of food': 17984, 'food which had': 317586, 'which had to': 985907, 'to be thrown': 901593, 'be thrown out': 117714, 'thrown out the': 895150, 'the supermarket said': 868782, 'supermarket said nbc': 822296, 'said nbc news': 731250, 'nbc news reported': 553237, 'early estimate': 264589, 'trade rose': 928566, 'early estimate from': 264590, 'retail trade rose': 718804, 'trade rose by': 928567, 'rose by in': 726058, 'very odd': 955390, 'odd an': 579174, 'better nature': 128368, 'nature ha': 552954, 'gov seen': 359691, 'supermarket carnage': 819533, 'carnage time': 164780, 'not please': 571046, 'uk response is': 938667, 'response is very': 715745, 'is very odd': 453685, 'very odd an': 955391, 'odd an appeal': 579175, 'an appeal to': 55364, 'appeal to people': 82079, 'to people better': 911615, 'people better nature': 647278, 'better nature ha': 128369, 'nature ha no': 552955, 'one in gov': 606475, 'in gov seen': 423389, 'gov seen the': 359692, 'the supermarket carnage': 868510, 'supermarket carnage time': 819534, 'carnage time for': 164781, 'for action not': 319005, 'action not please': 30084, 'not please if': 571047, 'if it okay': 414327, 'it okay with': 460024, 'okay with you': 598038, 'putting ourselves': 691192, 'giving whole': 351450, 'whole 20': 990134, 'spend 100': 788550, 'store favor': 807699, 'favor don': 300462, 'for putting ourselves': 324876, 'putting ourselves and': 691193, 'ourselves and our': 625459, 'and our family': 68487, 'our family at': 622992, 'risk my work': 723703, 'work is giving': 1005374, 'is giving whole': 448066, 'giving whole 20': 351451, 'whole 20 off': 990135, 'off if we': 593917, 'if we spend': 415312, 'we spend 100': 973348, 'spend 100 so': 788551, '100 so on': 2081, 'so on that': 777943, 'that note do': 845409, 'note do all': 572719, 'of those working': 592129, 'working at your': 1008533, 'grocery store favor': 365389, 'store favor don': 807700, 'favor don be': 300463, 'be dick to': 114442, 'dick to we': 240477, 'to we do': 918402, 'be there but': 117676, 'there but we': 878263, 'even trip': 284738, 'like taking': 491290, 'new example': 558719, 'example journey': 288914, 'journey map': 467482, 'map show': 514946, 'customer worry': 223114, 'worry at': 1010675, 'feeling safe is': 303051, 'safe is crucial': 729783, 'is crucial now': 446960, 'crucial now more': 219466, 'than ever in': 840584, 'ever in time': 285366, '19 even trip': 6859, 'even trip to': 284739, 'feel like taking': 302748, 'like taking risk': 491291, 'taking risk our': 833548, 'risk our new': 723808, 'our new example': 624031, 'new example journey': 558720, 'example journey map': 288915, 'journey map show': 467483, 'map show how': 514947, 'how to put': 409063, 'to put customer': 912584, 'put customer worry': 690551, 'customer worry at': 223115, 'worry at the': 1010676, 'at the center': 100904, 'get trump': 348543, 'to before': 901701, 'state come': 795463, 'come 1st': 187178, '1st wth': 12833, 'wth ppe': 1013370, 'ventilator million': 954583, 'life depends': 488586, 'hero for': 393991, 'those life': 892164, 'make su': 510496, 'get trump to': 348545, 'trump to make': 933925, 'make the private': 510578, 'sector to bring': 744364, 'bring the price': 140087, 'the price down': 864343, 'down to before': 257363, 'to before covid': 901702, '19 our state': 9062, 'our state come': 624898, 'state come 1st': 795464, 'come 1st wth': 187179, '1st wth ppe': 12834, 'wth ppe ventilator': 1013371, 'ppe ventilator million': 668099, 'ventilator million of': 954584, 'million of life': 532274, 'of life depends': 585820, 'life depends on': 488587, 'depends on this': 237392, 'on this tell': 604636, 'this tell him': 890483, 'tell him he': 836971, 'him he be': 396614, 'he be hero': 384764, 'be hero for': 115238, 'hero for doing': 393992, 'for doing it': 320801, 'doing it those': 252498, 'it those life': 461662, 'those life be': 892165, 'life be on': 488525, 'be on his': 116198, 'his hand people': 397492, 'hand people will': 375177, 'people will make': 650397, 'will make su': 994089, '227': 15315, '187': 4658, '673': 21475, '177': 4448, '226': 15307, 'indonesia 227': 435315, '227 case': 15316, 'case 19': 165583, 'death philippine': 230161, 'philippine 187': 654722, '187 case': 4659, 'case 14': 165577, '14 death': 3466, 'death malaysia': 230122, 'malaysia 673': 511588, '673 case': 21476, 'death thailand': 230222, 'thailand 177': 840086, '177 case': 4449, 'death singapore': 230192, 'singapore 226': 771097, '226 case': 15308, 'death indonesia': 230088, 'indonesia now': 435328, 'southeast asia': 786833, 'asia coronaoutbreak': 95164, 'coronaoutbreak sarscov2': 205130, 'indonesia 227 case': 435316, '227 case 19': 15317, 'case 19 death': 165584, '19 death philippine': 6449, 'death philippine 187': 230162, 'philippine 187 case': 654723, '187 case 14': 4660, 'case 14 death': 165578, '14 death malaysia': 3467, 'death malaysia 673': 230123, 'malaysia 673 case': 511589, '673 case death': 21477, 'case death thailand': 165711, 'death thailand 177': 230223, 'thailand 177 case': 840087, '177 case death': 4450, 'case death singapore': 165710, 'death singapore 226': 230193, 'singapore 226 case': 771098, '226 case death': 15309, 'case death indonesia': 165708, 'death indonesia now': 230089, 'indonesia now ha': 435329, 'of death in': 582420, 'death in southeast': 230082, 'in southeast asia': 428141, 'southeast asia coronaoutbreak': 786834, 'asia coronaoutbreak sarscov2': 95165, 'moistened': 535598, 'endive': 276216, 'open one': 612415, 'those thin': 892552, 'thin plastic': 884066, 'for fruit': 321785, 'finger finally': 307798, 'finally moistened': 306059, 'moistened my': 535599, 'finger tip': 307821, 'small pool': 775065, 'pool of': 664016, 'water collected': 968949, 'collected beneath': 186348, 'beneath the': 126872, 'the freshly': 855805, 'freshly washed': 333139, 'washed endive': 967610, 'endive besafe': 276217, 'difficult to open': 242342, 'to open one': 911001, 'open one of': 612416, 'of those thin': 592122, 'those thin plastic': 892553, 'thin plastic bag': 884067, 'plastic bag for': 658804, 'bag for fruit': 108286, 'for fruit and': 321786, 'store without licking': 811421, 'your finger finally': 1023881, 'finger finally moistened': 307799, 'finally moistened my': 306060, 'moistened my finger': 535600, 'my finger tip': 548328, 'finger tip in': 307822, 'tip in small': 898825, 'in small pool': 428020, 'small pool of': 775066, 'pool of water': 664017, 'of water collected': 592938, 'water collected beneath': 968950, 'collected beneath the': 186349, 'beneath the freshly': 126873, 'the freshly washed': 855806, 'freshly washed endive': 333140, 'washed endive besafe': 967611, 'pandemic payment': 636162, 'machinelearning airline': 507429, 'the pandemic payment': 863052, 'pandemic payment fraudprevention': 636163, 'giftcards machinelearning airline': 350048, 'look are': 502239, 'are asian': 84626, 'asian you': 95381, 'checkout and': 174880, 'through big': 894349, 'box retail': 137147, 'then god': 877211, 'bless your': 132613, 'heart socialdistancing': 388333, 'if your look': 415593, 'your look are': 1024741, 'look are asian': 502240, 'are asian you': 84627, 'asian you are': 95382, 'wearing mask you': 974730, 'mask you do': 519606, 'not know to': 570306, 'know to use': 476906, 'to use self': 918063, 'self checkout and': 747575, 'checkout and you': 174883, 'trying to navigate': 934830, 'to navigate through': 910491, 'navigate through big': 553099, 'through big box': 894350, 'big box retail': 129659, 'box retail store': 137148, 'retail store then': 718713, 'store then god': 810639, 'then god bless': 877212, 'god bless your': 354661, 'bless your heart': 132614, 'your heart socialdistancing': 1024287, 'movethesales': 543967, 'sosmoderetail': 786199, 'thinkglobalactlocal': 885833, 'movethesales sosmoderetail': 543968, 'sosmoderetail be': 786200, 'chain put': 171020, 'put le': 690655, 'le pressure': 483087, 'remove fast': 710822, 'fashion thinkglobalactlocal': 299859, 'movethesales sosmoderetail be': 543969, 'sosmoderetail be one': 786201, 'be one the': 116227, 'one the way': 607205, 'we can support': 971025, 'supply chain put': 825013, 'chain put le': 171021, 'put le pressure': 690656, 'le pressure on': 483088, 'on price to': 602920, 'price to remove': 677033, 'to remove fast': 913219, 'remove fast fashion': 710823, 'fast fashion thinkglobalactlocal': 299952, 'chain opening': 170977, 'allow older': 46012, 'store chain opening': 806931, 'chain opening early': 170978, 'to allow older': 900348, 'allow older customer': 46013, 'older customer to': 598592, 'customer to shop': 222980, 'gearhart': 345020, 'the jane': 858633, 'jane gearhart': 464499, 'gearhart full': 345021, 'full circle': 340526, 'circle food': 178604, 'continues to serve': 201495, 'serve the community': 751945, 'crisis the jane': 218178, 'the jane gearhart': 858634, 'jane gearhart full': 464500, 'gearhart full circle': 345022, 'full circle food': 340527, 'circle food pantry': 178605, 'pantry is still': 639620, 'still in need': 800743, 'need of donation': 555325, 'tremendous thank': 931233, 'employee vendor': 274374, 'vendor provider': 954395, 'provider pharmacy': 686765, 'going bless': 355068, 'tremendous thank you': 931234, 'store employee vendor': 807564, 'employee vendor provider': 274375, 'vendor provider pharmacy': 954396, 'provider pharmacy worker': 686766, 'pharmacy worker restaurant': 654582, 'worker restaurant employee': 1007687, 'keep it going': 471611, 'it going bless': 458279, 'going bless you': 355069, 'bless you all': 132606, 'petfoodshortage': 653581, 'people gotta': 648117, 'gotta be': 359066, 'suck sometimes': 816928, 'sometimes petfoodshortage': 785227, 'do people gotta': 249971, 'people gotta be': 648118, 'gotta be asshole': 359067, 'be asshole and': 113712, 'asshole and hoard': 96509, 'people bought out': 647298, 'of my cat': 586739, 'and are out': 58339, 'least week people': 484697, 'week people can': 976736, 'really suck sometimes': 702633, 'suck sometimes petfoodshortage': 816929, 'make realize': 510392, 'love for nh': 504666, 'for nh carers': 323863, 'but why did': 147859, 'did it take': 240668, 'pandemic to make': 636785, 'to make realize': 909727, 'make realize how': 510393, 'realize how important': 701841, 'important we really': 419106, 'we really are': 973019, 'spring planting': 791232, 'planting survey': 658765, 'prospective planting': 684709, 'planting report': 658758, '31 na': 17595, 'na the': 551323, 'uncertainty associated': 939662, 'associated the': 96931, 'price look': 675092, 'the report the': 865539, 'report the result': 712345, 'of the spring': 591485, 'the spring planting': 867659, 'spring planting survey': 791233, 'planting survey in': 658766, 'in the prospective': 429484, 'the prospective planting': 864704, 'prospective planting report': 684710, 'planting report released': 658759, 'report released on': 712217, 'released on march': 709067, 'on march 31': 602026, 'march 31 na': 515244, '31 na the': 17596, 'na the uncertainty': 551324, 'the uncertainty associated': 870339, 'uncertainty associated the': 939663, 'associated the spread': 96932, 'impact on agricultural': 417816, 'on agricultural price': 599182, 'agricultural price look': 38903, 'price look to': 675095, 'look to stay': 502638, 'stay in place': 797059, 'pa they': 632892, 'saturday nite': 737048, 'county pa they': 211465, 'pa they aren': 632893, 'they aren people': 881481, 'aren people where': 92475, 'help saturday nite': 390480, 'in strong': 428507, 'strong contrast': 813999, 'meat provides': 525722, 'provides clearest': 686836, 'in strong contrast': 428508, 'strong contrast to': 814000, 'contrast to the': 201850, 'the medium hype': 860426, 'medium hype promoting': 527141, 'of meat provides': 586375, 'meat provides clearest': 525723, 'provides clearest indication': 686837, 'is not barometer': 450035, 'series to': 751307, 'way shopper': 969865, 'shopper research': 761664, 'our new update': 624048, 'new update blog': 559808, 'update blog series': 946886, 'blog series to': 133011, 'series to learn': 751308, 'affecting the way': 34574, 'the way shopper': 871185, 'way shopper research': 969866, 'shopper research and': 761665, 'research and buy': 713670, 'sandstone': 733720, '4yo': 19563, 'in sandstone': 427689, 'sandstone cut': 733721, 'off his': 593902, 'his tenant': 397854, 'tenant utility': 837864, 're sheltering': 699494, 'place their': 657726, 'their at': 872522, 'risk 4yo': 723346, '4yo daughter': 19564, 'daughter that': 226912, 'that against': 842523, 'against exec': 37434, 'order mn': 618392, 'mn law': 534799, 'law took': 482430, 'took him': 925248, 'court this': 212013, 'afternoon to': 36725, 'him stop': 396717, 'landlord in sandstone': 479353, 'in sandstone cut': 427690, 'sandstone cut off': 733722, 'cut off his': 223442, 'off his tenant': 593903, 'his tenant utility': 397855, 'tenant utility to': 837865, 'utility to force': 951329, 'to force them': 906175, 'force them out': 328516, 'home while they': 402494, 'they re sheltering': 883123, 're sheltering in': 699495, 'in place their': 426768, 'place their at': 657727, 'their at risk': 872523, 'at risk 4yo': 100333, 'risk 4yo daughter': 723347, '4yo daughter that': 19565, 'daughter that against': 226913, 'that against exec': 842524, 'against exec order': 37435, 'exec order mn': 289827, 'order mn law': 618393, 'mn law took': 534800, 'law took him': 482431, 'took him to': 925249, 'him to court': 396743, 'to court this': 903644, 'court this afternoon': 212014, 'this afternoon to': 886239, 'afternoon to make': 36726, 'to make him': 909674, 'make him stop': 509979, 'troguh': 932333, 'goverm': 359749, 'quality very': 691870, 'very bed': 955010, 'bed this': 120423, 'harmful of': 378449, 'poor person': 664260, 'in present': 426929, 'very oldest': 955392, 'oldest visited': 598702, 'related matter': 708480, 'matter shown': 520625, 'shown troguh': 767629, 'troguh your': 932334, 'your news': 1024994, 'to goverm': 906931, 'food quality very': 316098, 'quality very bed': 691871, 'very bed this': 955011, 'bed this type': 120424, 'type of very': 937592, 'of very harmful': 592787, 'very harmful of': 955219, 'harmful of poor': 378450, 'of poor person': 588223, 'poor person in': 664261, 'person in present': 652487, 'in present time': 426930, 'present time covid': 670633, '19 stock of': 10856, 'food on very': 315609, 'on very oldest': 605040, 'very oldest visited': 955393, 'oldest visited the': 598703, 'visited the shop': 959507, 'shop and related': 759860, 'and related matter': 70183, 'related matter shown': 708481, 'matter shown troguh': 520626, 'shown troguh your': 767630, 'troguh your news': 932335, 'your news channel': 1024995, 'news channel to': 560313, 'channel to goverm': 172939, 'see tweet': 745989, 'tweet suggesting': 936402, 'suggesting is': 817600, 'trial against': 931629, 'against socialism': 37621, 'is idiotic': 448654, 'not owned': 570886, 'when see tweet': 983980, 'see tweet suggesting': 745990, 'tweet suggesting is': 936403, 'suggesting is trial': 817601, 'is trial against': 453352, 'trial against socialism': 931630, 'against socialism it': 37622, 'it what make': 462324, 'what make food': 981847, 'make food price': 509906, 'food price rise': 315968, 'price rise to': 676248, 'rise to think': 723039, 'that is idiotic': 844605, 'is idiotic and': 448655, 'idiotic and show': 413649, 'of knowledge about': 585673, 'knowledge about how': 477167, 'about how capitalism': 25425, 'shop are not': 759905, 'are not owned': 88430, 'not owned by': 570887, 'post largest': 666190, 'largest drop': 479946, 'disruption deflation': 246459, 'price post largest': 675963, 'post largest drop': 666191, 'largest drop in': 479947, 'drop in five': 260247, 'five year amid': 309688, 'year amid disruption': 1014385, 'amid disruption deflation': 52450, 'of toothpaste': 592307, 'toothpaste save': 925502, 'including toothpaste': 432218, 'toothpaste ship': 925504, 'ship directly': 758661, 'socialdistancing shoponline': 780681, 'out of toothpaste': 626862, 'of toothpaste save': 592308, 'toothpaste save yourself': 925503, 'save yourself from': 737716, 'yourself from going': 1026615, 'from going to': 335661, 'to have all': 907197, 'your essential including': 1023690, 'essential including toothpaste': 281166, 'including toothpaste ship': 432219, 'toothpaste ship directly': 925505, 'ship directly to': 758662, 'your home we': 1024386, 'this together stayhome': 890784, 'together stayhome socialdistancing': 920955, 'stayhome socialdistancing shoponline': 798118, 'livecoverage': 496142, 'update amazon': 946853, 'amazon hiring': 50980, 'surge telecom': 828261, 'telecom business': 836671, 'business livecoverage': 144007, 'update amazon hiring': 946854, 'amazon hiring 100': 50981, 'shopping surge telecom': 764037, 'surge telecom business': 828262, 'telecom business livecoverage': 836672, 'product touting': 681777, 'touting false': 927081, 'false coronavirus': 297415, 'coronavirus claim': 205653, 'claim consumer': 179712, 'beware of product': 129093, 'of product touting': 588500, 'product touting false': 681778, 'touting false coronavirus': 927082, 'false coronavirus claim': 297416, 'coronavirus claim consumer': 205654, 'claim consumer report': 179714, 'antifa': 78513, 'what antifa': 981045, 'antifa are': 78514, 'is what antifa': 453863, 'what antifa are': 981046, 'antifa are doing': 78515, 'iamapharmacist': 412538, 'national story': 552618, 'poor grocery': 664185, 'protection iamapharmacist': 685482, 'to be national': 901400, 'be national story': 116050, 'national story on': 552619, 'how the poor': 408864, 'the poor grocery': 863975, 'poor grocery store': 664186, 'and retail pharmacist': 70439, 'retail pharmacist are': 718394, 'pharmacist are dealing': 654118, 'have no protection': 381648, 'no protection iamapharmacist': 565231, 'further pushing': 342142, 'pushing people': 690438, 'shopping who': 764404, 'this wave': 891123, 'is further pushing': 447991, 'further pushing people': 342143, 'pushing people to': 690439, 'people to move': 649921, 'move to online': 543762, 'online shopping who': 609345, 'shopping who will': 764405, 'benefit from this': 126994, 'from this wave': 338016, 'fight corona': 304696, 'corona together': 204243, 'and fight corona': 62827, 'fight corona together': 304697, 're stocked': 699611, 'buying actively': 149855, 'actively discouraged': 30305, 'discouraged it': 244632, 'done to ensure': 255067, 'ensure food and': 277940, 'other essential product': 620172, 'are being re': 84902, 'being re stocked': 125641, 're stocked at': 699612, 'stocked at supermarket': 803278, 'supermarket and panic': 819034, 'panic buying actively': 637630, 'buying actively discouraged': 149856, 'actively discouraged it': 30306, 'discouraged it cannot': 244633, 'cannot be left': 161640, 'left to checkout': 485684, 'to checkout staff': 902703, 'checkout staff to': 175013, 'staff to police': 792995, 'to police the': 911869, 'police the action': 663237, 'action of the': 30090, 'of the selfish': 591449, 'the selfish and': 866659, 'selfish and profiteer': 747989, 'civilorder': 179614, 'thing military': 884588, 'military domestic': 531455, 'domestic deployment': 253183, 'deployment now': 237478, 'now ensures': 574607, 'logistics infrastructure': 500760, 'infrastructure civilorder': 438187, 'civilorder testing': 179615, 'no taxpayer': 565672, 'taxpayer travel': 835209, 'travel bailout': 930279, 'bailout consumer': 108630, 'thing military domestic': 884589, 'military domestic deployment': 531456, 'domestic deployment now': 253184, 'deployment now ensures': 237479, 'now ensures food': 574608, 'ensures food distribution': 278154, 'food distribution logistics': 314230, 'distribution logistics infrastructure': 248162, 'logistics infrastructure civilorder': 500761, 'infrastructure civilorder testing': 438188, 'civilorder testing no': 179616, 'testing no taxpayer': 839577, 'no taxpayer travel': 565673, 'taxpayer travel bailout': 835210, 'travel bailout consumer': 930280, 'bailout consumer travel': 108631, 'consumer travel refund': 199361, 'isn causing': 454457, 'are shelf': 90028, 'isn causing to': 454459, 'causing to run': 168137, 'food but why': 313839, 'why are shelf': 990784, 'are shelf still': 90030, 'shelf still bare': 757571, 'pankaj': 639471, 'kapoor': 470852, 'liases': 487984, 'foras': 328268, '20 across': 12928, 'across geography': 29333, 'geography while': 345957, 'while land': 987001, 'land price': 479287, 'higher reduction': 395715, '30 said': 17214, 'said pankaj': 731305, 'pankaj kapoor': 639472, 'kapoor chief': 470853, 'of consultancy': 581695, 'consultancy firm': 195850, 'firm liases': 308381, 'liases foras': 487985, 'price may come': 675187, 'come down by': 187273, 'down by 10': 256590, 'by 10 20': 151507, '10 20 across': 1245, '20 across geography': 12929, 'across geography while': 29334, 'geography while land': 345958, 'while land price': 987002, 'land price could': 479288, 'price could see': 673295, 'could see an': 209629, 'see an even': 744894, 'an even higher': 55867, 'even higher reduction': 284185, 'higher reduction of': 395716, 'reduction of 30': 706385, 'of 30 said': 579563, '30 said pankaj': 17215, 'said pankaj kapoor': 731306, 'pankaj kapoor chief': 639473, 'kapoor chief executive': 470854, 'executive of consultancy': 289917, 'of consultancy firm': 581696, 'consultancy firm liases': 195851, 'firm liases foras': 308382, 'pressure pharmaceutical': 671223, 'investor and bank': 444104, 'and bank pressure': 58682, 'bank pressure pharmaceutical': 110112, 'pressure pharmaceutical company': 671224, 'drug price follow': 261042, 'price follow our': 673904, 'our live update': 623760, 'update on here': 947117, 'milano nurse': 531320, 'always essential': 49545, 'essential farm': 281025, 'essential postal': 281407, 'essential trucker': 281735, 'always essenti': 49544, 'milano nurse are': 531321, 'nurse are always': 577209, 'are always essential': 84497, 'always essential farm': 49546, 'essential farm worker': 281026, 'always essential postal': 49549, 'essential postal worker': 281408, 'always essential grocery': 49548, 'always essential trucker': 49550, 'essential trucker are': 281736, 'trucker are always': 932900, 'always essential first': 49547, 'responder are always': 715420, 'are always essenti': 84496, 'stable long': 791933, 'lived are': 496152, 'stockpiling staple': 804073, 'self imposed': 747651, 'imposed quarantine': 419309, 'quarantine interest': 692294, 'fresh artisanal': 332926, 'artisanal food': 94571, 'tested consumer': 839282, 'to preserved': 912024, 'preserved shelf': 670718, 'stable product': 791945, 'product that are': 681686, 'that are shelf': 842814, 'are shelf stable': 90029, 'shelf stable long': 757548, 'stable long lived': 791934, 'long lived are': 501518, 'lived are in': 496153, 'demand consumer are': 235162, 'consumer are stockpiling': 196316, 'are stockpiling staple': 90526, 'stockpiling staple in': 804074, 'staple in anticipation': 793958, 'anticipation of state': 78495, 'of state or': 590070, 'state or self': 795841, 'or self imposed': 616993, 'self imposed quarantine': 747652, 'imposed quarantine interest': 419311, 'quarantine interest in': 692295, 'interest in fresh': 441356, 'in fresh artisanal': 423118, 'fresh artisanal food': 332927, 'artisanal food is': 94572, 'food is being': 315115, 'being tested consumer': 125906, 'tested consumer turn': 839283, 'turn to preserved': 935789, 'to preserved shelf': 912025, 'preserved shelf stable': 670719, 'shelf stable product': 757549, 'coffeefilter': 185562, 'update dear': 946928, 'citizen the': 178978, 'the coffeefilter': 851134, 'coffeefilter mask': 185563, 'used if': 949932, 'such hospital': 816554, 'worker construction': 1006685, 'construction supermarket': 195824, 'clerk fooddelivery': 181699, 'fooddelivery clerk': 317894, 'clerk transit': 181799, 'or cashier': 614680, 'update dear citizen': 946929, 'dear citizen the': 229753, 'citizen the coffeefilter': 178979, 'the coffeefilter mask': 851135, 'coffeefilter mask should': 185564, 'mask should not': 519272, 'be used if': 117915, 'used if you': 949933, 'worker such hospital': 1007849, 'such hospital worker': 816555, 'hospital worker construction': 404731, 'worker construction supermarket': 1006686, 'construction supermarket clerk': 195825, 'supermarket clerk fooddelivery': 819714, 'clerk fooddelivery clerk': 181700, 'fooddelivery clerk transit': 317895, 'clerk transit employee': 181800, 'transit employee or': 929635, 'employee or cashier': 274086, 'apocalipsis': 81498, 'the playground': 863830, 'playground is': 659365, 'supermarket help': 820737, 'keep socialdistance': 471946, 'socialdistance apocalipsis': 780134, 'apocalipsis toronto': 81499, 'the new era': 861501, 'new era the': 558709, 'era the playground': 280084, 'the playground is': 863831, 'playground is closed': 659366, 'closed and sign': 182998, 'and sign in': 71655, 'the supermarket help': 868628, 'supermarket help you': 820738, 'you to keep': 1021794, 'to keep socialdistance': 908851, 'keep socialdistance apocalipsis': 471947, 'socialdistance apocalipsis toronto': 780135, 'introvert but': 443520, 'etc were': 282868, 'all shut': 44342, 'father so': 300314, 'to say an': 913806, 'say an introvert': 738419, 'an introvert but': 56434, 'introvert but had': 443521, 'be told the': 117750, 'told the bar': 923701, 'the bar restaurant': 849273, 'bar restaurant bank': 110752, 'restaurant bank etc': 716323, 'bank etc were': 109808, 'etc were all': 282869, 'were all shut': 979287, 'all shut down': 44343, 'down the grocery': 257280, 'open and pharmacy': 612070, 'pharmacy for my': 654316, 'for my father': 323706, 'my father so': 548251, 'father so it': 300315, 'all normal for': 43656, 'normal for me': 567153, 'visit maskup': 959301, 'next grocery store': 561392, 'store visit maskup': 811079, 'disgusting cc': 245400, 'cc rt': 168407, 'rt wall': 726844, 'street pressure': 813071, 'pressure key': 671180, 'disgusting cc rt': 245401, 'cc rt wall': 168408, 'rt wall street': 726845, 'wall street pressure': 965187, 'street pressure key': 813072, 'pressure key healthcare': 671181, 'magavirus': 508326, 'darwinswaitingroom': 226054, 'full before': 340496, 'go magavirus': 353821, 'magavirus darwinswaitingroom': 508327, 'darwinswaitingroom via': 226055, 'how to know': 409037, 'know if your': 476494, 'is full before': 447972, 'full before you': 340497, 'before you go': 123321, 'you go magavirus': 1018859, 'go magavirus darwinswaitingroom': 353822, 'magavirus darwinswaitingroom via': 508328, 'slick': 773878, 'terra': 838381, 'folk hustling': 312183, 'hustling to': 411845, 'their green': 873441, 'green thumb': 363707, 'thumb customer': 895297, 'shopping challenge': 762360, 'challenge great': 171473, 'online offering': 608605, 'offering slick': 595248, 'slick pick': 773879, 'to garden': 906364, 'garden get': 343593, 'to terra': 916377, 'see the good': 745836, 'good folk hustling': 357048, 'folk hustling to': 312184, 'hustling to help': 411846, 'help their green': 390691, 'their green thumb': 873442, 'green thumb customer': 363708, 'thumb customer during': 895298, '19 shopping challenge': 10486, 'shopping challenge great': 762361, 'challenge great online': 171474, 'great online offering': 362861, 'online offering slick': 608606, 'offering slick pick': 595249, 'slick pick up': 773880, 'up service it': 945967, 'service it time': 752534, 'time to garden': 897990, 'to garden get': 906365, 'garden get to': 343594, 'get to terra': 348498, 'inside now': 439327, 'for treasure': 327332, 'treasure in': 930771, 'your library': 1024619, 'library hint': 488071, 'hint dystopian': 396905, 'dystopian novel': 263948, 'novel are': 573742, 'well cc': 978097, 'stuck inside now': 814612, 'inside now the': 439329, 'now the perfect': 576059, 'search for treasure': 743259, 'for treasure in': 327333, 'treasure in your': 930772, 'in your library': 431100, 'your library hint': 1024620, 'library hint dystopian': 488072, 'hint dystopian novel': 396906, 'dystopian novel are': 263949, 'novel are selling': 573743, 'are selling well': 89975, 'selling well cc': 749532, 'catch22': 167064, 'work forced': 1005184, 'at supposed': 100801, 'supposed essential': 827346, 'retail auto': 717864, 'part store': 642428, 'store forced': 807855, 'exposed catch22': 292840, 'catch22 pay': 167065, 'rent be': 711050, 'safe unfair': 730084, 'unfair choice': 941419, 'choice wish': 177832, 'to work forced': 918722, 'work forced to': 1005185, 'work at supposed': 1004903, 'at supposed essential': 100802, 'supposed essential retail': 827347, 'essential retail auto': 281461, 'retail auto part': 717865, 'auto part store': 103906, 'part store forced': 642429, 'store forced to': 807856, 'forced to be': 328618, 'be exposed catch22': 114745, 'exposed catch22 pay': 292841, 'catch22 pay rent': 167066, 'pay rent be': 645080, 'rent be safe': 711051, 'be safe unfair': 116974, 'safe unfair choice': 730085, 'unfair choice no': 941420, 'choice no choice': 177794, 'no choice wish': 563809, 'choice wish me': 177833, 'no toiletpapercrisis': 565767, 'toiletpapercrisis use': 923125, 'last stop': 480508, 'is no toiletpapercrisis': 449986, 'no toiletpapercrisis use': 565768, 'toiletpapercrisis use this': 923126, 'this calculator to': 886667, 'will last stop': 993953, 'last stop panicking': 480509, 'stop panicking and': 804897, 'panicking and hoarding': 639320, 'and hoarding all': 64648, 'our true': 625202, 'true key': 933121, 'were revealed': 980066, 'revealed this': 720283, 'evening not': 284886, 'how our true': 408466, 'our true key': 625203, 'true key worker': 933122, 'worker were revealed': 1008169, 'were revealed this': 980067, 'revealed this evening': 720284, 'this evening not': 887440, 'evening not the': 284887, 'are the nurse': 90869, 'sentieo': 750882, 'arib': 92775, 'researchdifferent': 713888, 'alternativedata': 49288, 'today sentieo': 920156, 'sentieo blog': 750883, 'product arib': 680956, 'arib rahman': 92776, 'rahman looked': 695578, 'to paint': 911358, 'paint more': 634293, 'more accurate': 538540, 'accurate picture': 28906, 'global population': 352131, 'about researchdifferent': 26084, 'researchdifferent alternativedata': 713889, 'alternativedata pandemic': 49289, 'pandemic consumerinsights': 635200, 'in today sentieo': 430165, 'today sentieo blog': 920157, 'sentieo blog post': 750884, 'blog post our': 132995, 'post our vp': 666271, 'vp of product': 960716, 'of product arib': 588483, 'product arib rahman': 680957, 'arib rahman looked': 92777, 'rahman looked at': 695579, 'looked at consumer': 502705, 'at consumer interest': 98319, 'consumer interest to': 197908, 'interest to paint': 441416, 'to paint more': 911359, 'paint more accurate': 634294, 'more accurate picture': 538542, 'accurate picture of': 28907, 'picture of how': 656167, 'the global population': 856317, 'global population is': 352133, 'population is thinking': 664709, 'is thinking about': 453066, 'thinking about researchdifferent': 885855, 'about researchdifferent alternativedata': 26085, 'researchdifferent alternativedata pandemic': 713890, 'alternativedata pandemic consumerinsights': 49290, 'eat cleaner': 265882, 'much plastic': 545235, 'plastic wrapped': 658889, 'wrapped food': 1012676, 'try switching': 934577, 'to reusable': 913482, 'bag instead': 108324, 'plastic one': 658865, 'one environment': 606237, 'try to eat': 934621, 'to eat cleaner': 904876, 'eat cleaner and': 265883, 'cleaner and not': 180746, 'and not buy': 67724, 'too much plastic': 924940, 'much plastic wrapped': 545236, 'plastic wrapped food': 658890, 'wrapped food for': 1012677, 'for your day': 328137, 'your day in': 1023468, 'day in when': 227814, 'in when at': 430846, 'supermarket try switching': 823584, 'try switching to': 934578, 'switching to reusable': 830583, 'to reusable bag': 913483, 'reusable bag instead': 720146, 'bag instead of': 108325, 'instead of plastic': 440301, 'of plastic one': 588159, 'plastic one environment': 658866, 'ecstasy': 268410, 'just refused': 469592, 'young lad': 1022611, 'lad about': 478711, 'old from': 598259, 'taking ecstasy': 833336, 'ecstasy pill': 268411, 'and smoking': 71816, 'smoking weed': 775917, 'weed it': 975762, 'like bloody': 489921, 'bloody party': 133220, 'party for': 642997, 'some lol': 783220, 'lol socialdistancing': 500951, 'socialdistancing lockdownuk': 780500, 'just refused entry': 469593, 'refused entry to': 707056, 'entry to young': 279037, 'to young lad': 918946, 'young lad about': 1022612, 'lad about 18': 478712, 'about 18 year': 24656, 'year old from': 1014827, 'old from supermarket': 598260, 'from supermarket because': 337476, 'supermarket because he': 819334, 'because he been': 119112, 'he been taking': 384776, 'been taking ecstasy': 122133, 'taking ecstasy pill': 833337, 'ecstasy pill and': 268412, 'pill and smoking': 656649, 'and smoking weed': 71817, 'smoking weed it': 775918, 'weed it like': 975763, 'it like bloody': 459355, 'like bloody party': 489922, 'bloody party for': 133221, 'party for some': 642998, 'for some lol': 325751, 'some lol socialdistancing': 783221, 'lol socialdistancing lockdownuk': 500952, 'randomised': 696627, 'supermarket problem': 822065, 'is data': 447034, 'data based': 226136, 'all visit': 45372, 'visit what': 959430, 'is randomised': 451229, 'randomised data': 696628, 'for say': 325355, 'or range': 616777, 'range bc': 696692, 'bc wait': 113305, 'local supermarket problem': 498579, 'supermarket problem with': 822066, 'problem with story': 679761, 'with story is': 1001000, 'story is data': 812020, 'is data based': 447035, 'data based on': 226137, 'based on all': 111667, 'on all visit': 599255, 'all visit what': 45373, 'visit what we': 959431, 'need is randomised': 555072, 'is randomised data': 451230, 'randomised data for': 696629, 'data for say': 226219, 'for say the': 325356, 'say the last': 739284, 'last week or': 480668, 'week or or': 976701, 'or or range': 616410, 'or range bc': 616778, 'range bc wait': 696693, 'bc wait time': 113306, 'wait time are': 964218, 'time are up': 896336, 'latest current': 481281, 'priority hour': 678583, 'well health': 978278, 'by adhering': 151755, 'the latest current': 859087, 'latest current information': 481282, 'current information on': 221236, 'information on supermarket': 437924, 'on supermarket priority': 603802, 'supermarket priority hour': 822062, 'priority hour please': 678584, 'please be fair': 659702, 'be fair and': 114786, 'fair and respectful': 296313, 'respectful to elderly': 715129, 'to elderly and': 904968, 'vulnerable people well': 961115, 'people well health': 650184, 'well health and': 978279, 'health and emergency': 386137, 'service worker when': 753114, 'worker when you': 1008182, 'you shop by': 1021159, 'shop by adhering': 760013, 'by adhering to': 151756, 'adhering to this': 32240, 'govt lift': 361191, 'restriction but': 717233, 'treatment centre': 931048, 'ventilator ppe': 954591, 'out fall': 626053, 'fall sick': 297056, 'sick treat': 768652, 'were the govt': 980239, 'the govt lift': 856662, 'govt lift the': 361192, 'lift the restriction': 489466, 'the restriction but': 865671, 'restriction but also': 717234, 'but also close': 145101, 'also close down': 48031, 'close down all': 182612, '19 treatment centre': 11570, 'treatment centre and': 931049, 'centre and sell': 169482, 'and sell all': 71211, 'all the ventilator': 44972, 'the ventilator ppe': 870686, 'ventilator ppe at': 954592, 'ppe at market': 667916, 'market price go': 516888, 'price go out': 674206, 'go out fall': 353951, 'out fall sick': 626054, 'fall sick treat': 297058, 'sick treat yourself': 768653, 'bigley': 130355, 'play safe': 659209, 'with bigley': 997405, 'bigley upside': 130356, 'upside 30': 947850, '30 500': 16944, 'index vanguard': 434257, 'vanguard is': 952405, 'play safe with': 659210, 'safe with bigley': 730150, 'with bigley upside': 997406, 'bigley upside 30': 130357, 'upside 30 500': 947851, '30 500 index': 16945, '500 index vanguard': 20001, 'index vanguard is': 434258, 'vanguard is most': 952406, 'is most popular': 449743, 'pier morgan': 656394, 'morgan call': 541083, 'out store': 627262, 'much four': 544929, 'four time': 330685, 'time including': 897027, '14 fri': 3474, 'fri 20': 333155, '20 mar': 13138, 'pier morgan call': 656395, 'morgan call out': 541084, 'call out store': 156065, 'out store and': 627263, 'store and seller': 806343, 'and seller that': 71228, 'seller that are': 749087, 'that are inflating': 842767, 'inflating price much': 437119, 'price much four': 675289, 'much four time': 544930, 'four time including': 330686, 'time including toilet': 897028, 'including toilet roll': 432213, 'roll for 14': 725302, 'for 14 fri': 318660, '14 fri 20': 3475, 'fri 20 mar': 333156, '20 mar 2020': 13139, 'unanswered': 939402, 'spread key': 790603, 'remain unanswered': 709893, 'unanswered especially': 939403, 'telecom space': 836695, 'question we': 693788, 'are launching': 87722, 'the tmt': 869666, 'tmt daily': 899374, 'pulse stay': 688994, 'for insight': 322597, 'novel pandemic spread': 573808, 'pandemic spread key': 636528, 'spread key question': 790604, 'key question remain': 473381, 'question remain unanswered': 693718, 'remain unanswered especially': 709894, 'unanswered especially with': 939404, 'especially with regard': 280674, 'the effect it': 854066, 'effect it will': 269025, 'on the tech': 604397, 'the tech medium': 869226, 'tech medium and': 836118, 'and telecom space': 73081, 'telecom space to': 836696, 'space to answer': 787174, 'to answer these': 900589, 'these question we': 880570, 'question we are': 693789, 'we are launching': 970605, 'are launching the': 87723, 'launching the tmt': 482078, 'the tmt daily': 869667, 'tmt daily consumer': 899375, 'daily consumer pulse': 224559, 'consumer pulse stay': 198606, 'pulse stay tuned': 688995, 'tuned for insight': 935436, 'cart give': 165311, 'cough on everyone': 208519, 'on everyone who': 600640, 'everyone who had': 287592, 'who had more': 988884, 'in their cart': 429725, 'their cart give': 872741, 'cart give them': 165312, 'subsidary': 815938, 'their subsidary': 874891, 'subsidary who': 815939, 'who us': 989856, 'us this': 948554, 'profiteer or': 682970, 'must need': 546773, 'be barred': 113814, 'from ever': 335317, 'ever bidding': 285231, 'bidding on': 129517, 'federal contract': 301968, 'it be part': 456734, 'the law that': 859194, 'law that any': 482409, 'that any company': 842673, 'any company or': 79037, 'company or their': 190945, 'or their subsidary': 617416, 'their subsidary who': 874892, 'subsidary who us': 815940, 'who us this': 989857, 'us this crisis': 948555, 'this crisis to': 887100, 'crisis to profiteer': 218251, 'to profiteer or': 912241, 'profiteer or hike': 682971, 'or hike price': 615643, 'hike price especially': 396258, 'price especially for': 673700, 'for the must': 326571, 'the must need': 861161, 'must need item': 546774, 'need item they': 555117, 'item they will': 463728, 'will be barred': 992374, 'be barred from': 113815, 'barred from ever': 111186, 'from ever bidding': 335318, 'ever bidding on': 285232, 'bidding on federal': 129518, 'on federal contract': 600770, 'federal contract and': 301969, 'contract and that': 201634, 'and that applies': 73178, 'credaimchi': 216262, 'realestatemarket': 701560, 'economicsofcorona': 267508, 'will indian': 993837, 'indian real': 434874, 'down post': 257100, '19 credaimchi': 6197, 'credaimchi realestatemarket': 216263, 'realestatemarket lockdowneffect': 701561, 'lockdowneffect economy': 500250, 'economy economicsofcorona': 267829, 'economicsofcorona realestate': 267509, 'will indian real': 993838, 'indian real estate': 434875, 'estate price come': 282175, 'price come down': 673188, 'come down post': 187275, 'down post covid': 257101, 'covid 19 credaimchi': 212886, '19 credaimchi realestatemarket': 6198, 'credaimchi realestatemarket lockdowneffect': 216264, 'realestatemarket lockdowneffect economy': 701562, 'lockdowneffect economy economicsofcorona': 500251, 'economy economicsofcorona realestate': 267830, 'how strange': 408753, 'strange can': 812380, 'queue with': 694140, 'stranger followtherules': 812468, 'how strange can': 408754, 'strange can see': 812381, 'can see my': 159543, 'see my family': 745451, 'my family but': 548188, 'family but can': 297672, 'but can stand': 145363, 'can stand in': 159722, 'supermarket queue with': 822142, 'queue with load': 694142, 'load of stranger': 497283, 'of stranger followtherules': 590285, 'invariably': 443593, '19 thus': 11391, 'thus increased': 895517, 'would invariably': 1011958, 'invariably affect': 443594, 'farmer would': 299582, 'local input': 498121, 'input sourcing': 438990, 'sourcing in': 786616, 'next planting': 561516, 'planting season': 658760, 'would affect': 1011493, 'affect their': 34258, 'their yield': 875255, 'yield and': 1016358, 'maintenance would': 509176, 'be manual': 115907, 'covid 19 thus': 213953, '19 thus increased': 11392, 'thus increased the': 895518, 'of production this': 588513, 'production this would': 682235, 'this would invariably': 891540, 'would invariably affect': 1011959, 'invariably affect the': 443596, 'market also many': 515928, 'also many farmer': 48516, 'many farmer would': 514063, 'farmer would have': 299583, 'depend on local': 237318, 'on local input': 601894, 'local input sourcing': 498122, 'input sourcing in': 438991, 'sourcing in the': 786617, 'the next planting': 861689, 'next planting season': 561517, 'planting season and': 658761, 'season and this': 743375, 'and this would': 74014, 'this would affect': 891531, 'would affect their': 1011494, 'affect their yield': 34260, 'their yield and': 875256, 'yield and maintenance': 1016359, 'and maintenance would': 66539, 'maintenance would have': 509177, 'to be manual': 901386, 'happy anniversary': 377585, 'anniversary baby': 76816, 'baby got': 106631, 'this bouquet': 886602, 'happy anniversary baby': 377586, 'anniversary baby got': 76817, 'baby got you': 106632, 'got you this': 359037, 'you this bouquet': 1021701, 'this bouquet of': 886603, 'bouquet of hand': 136888, 'soulless': 786248, 'pondlife': 663969, 'quid off': 694660, 'off someone': 594178, 'for tin': 327195, 'be soulless': 117316, 'soulless callous': 786249, 'callous greedy': 156666, 'selfish pondlife': 748229, 'pondlife disturbed': 663970, 're involved': 698926, 'hiking come': 396367, '00 others': 398, 'forty quid off': 329940, 'quid off someone': 694661, 'off someone for': 594179, 'someone for tin': 784471, 'for tin of': 327196, 'tin of baby': 898548, 'milk you have': 531920, 'to be soulless': 901556, 'be soulless callous': 117317, 'soulless callous greedy': 786250, 'callous greedy selfish': 156667, 'greedy selfish pondlife': 363594, 'selfish pondlife disturbed': 748230, 'pondlife disturbed if': 663971, 'you re involved': 1020659, 're involved in': 698927, 'in price hiking': 426970, 'price hiking come': 674543, 'hiking come and': 396368, '77 00 others': 22275, '00 others we': 400, 'others we re': 621763, 're all ear': 698213, 'pendamic': 646464, '15 4a': 3656, '4a on': 19427, 'any disaster': 79119, 'or pendamic': 616535, 'pendamic like': 646465, 'life essential': 488629, 'rise specially': 723008, 'specially medicine': 788149, 'case black': 165664, 'marketing over': 517673, 'therefore increasing': 879443, 'an extent': 55996, '15 4a on': 3657, '4a on event': 19428, 'on event of': 600613, 'event of any': 285033, 'of any disaster': 580253, 'any disaster or': 79120, 'disaster or pendamic': 244227, 'or pendamic like': 616536, 'pendamic like covid': 646466, 'the life essential': 859338, 'life essential product': 488630, 'essential product will': 281429, 'product will rise': 681864, 'will rise specially': 994715, 'rise specially medicine': 723009, 'specially medicine in': 788150, 'medicine in this': 526819, 'this case black': 886708, 'case black marketing': 165665, 'black marketing over': 132101, 'marketing over stocking': 517674, 'over stocking and': 630652, 'stocking and waiting': 803544, 'demand to rise': 236402, 'to rise and': 913553, 'rise and therefore': 722786, 'and therefore increasing': 73867, 'therefore increasing the': 879444, 'price to an': 676964, 'to an extent': 900457, 'an extent that': 55997, 'extent that only': 293336, 'aa gas': 24083, 'staying low': 798663, 'aa gas price': 24084, 'gas price staying': 344029, 'price staying low': 676638, 'staying low during': 798664, 'here florida': 392984, 'his state': 397818, 'here florida governor': 392985, 'florida governor on': 310940, 'governor on why': 360959, 'on why he': 605312, 'why he doesn': 991062, 'he doesn think': 384912, 'good idea of': 357219, 'idea of now': 413133, 'of now to': 587098, 'now to tell': 576188, 'to tell everyone': 916340, 'tell everyone in': 836951, 'everyone in his': 287041, 'in his state': 423739, 'his state to': 397820, 'state to stay': 796025, 'empty while': 275236, 'are unpacking': 91330, 'unpacking their': 943015, 'soap try': 779138, 'parent have just': 641642, 'have just returned': 381209, 'are empty while': 86175, 'empty while they': 275237, 'they are unpacking': 881447, 'are unpacking their': 91331, 'unpacking their 22': 943016, 'of soap try': 589829, 'soap try to': 779139, 'try to explain': 934623, 'your dough': 1023595, 'dough related': 256270, 'news german': 560470, 'chain aldi': 170442, 'train to': 929283, 'sure germany': 827557, 'germany ha': 346304, 'enough pasta': 277552, 'today in your': 919703, 'in your dough': 431075, 'your dough related': 1023596, 'dough related news': 256271, 'related news german': 708491, 'news german supermarket': 560471, 'german supermarket chain': 346248, 'supermarket chain aldi': 819590, 'chain aldi is': 170443, 'aldi is sending': 41278, 'is sending special': 451774, 'sending special train': 750093, 'special train to': 788085, 'train to italy': 929285, 'to italy to': 908627, 'italy to make': 462953, 'make sure germany': 510514, 'sure germany ha': 827558, 'germany ha enough': 346305, 'ha enough pasta': 370500, 'enough pasta to': 277553, 'pasta to get': 643829, 'seashell': 743359, 'demolition': 236805, 'use seashell': 949563, 'seashell to': 743360, 'bathroom on': 112655, 'on demolition': 600294, 'demolition man': 236806, 'man asking': 511999, 'friend quarentinelife': 333766, 'quarentinelife toiletpaper': 693216, 'how did they': 407689, 'did they use': 240872, 'they use seashell': 883617, 'use seashell to': 949564, 'seashell to wipe': 743361, 'to wipe after': 918620, 'wipe after using': 996173, 'after using the': 36481, 'using the bathroom': 950690, 'the bathroom on': 849333, 'bathroom on demolition': 112656, 'on demolition man': 600295, 'demolition man asking': 236807, 'man asking for': 512000, 'for friend quarentinelife': 321771, 'friend quarentinelife toiletpaper': 333767, 'our much': 623961, 'needed healthcare': 556384, 'healthy stop': 387780, 'necessary it': 554009, 'it selfish': 460963, 'selfish inconsiderate': 748149, 'ever stoppanicbuying': 285524, 'stoppanicbuying healthcare': 805566, 'keep our much': 471738, 'our much needed': 623962, 'much needed healthcare': 545154, 'needed healthcare worker': 556385, 'healthcare worker working': 387397, 'worker working and': 1008291, 'working and healthy': 1008501, 'and healthy stop': 64401, 'healthy stop hoarding': 387781, 'hoarding and shopping': 399189, 'online when it': 609713, 'when it not': 983641, 'not necessary it': 570637, 'necessary it selfish': 554010, 'it selfish inconsiderate': 460964, 'selfish inconsiderate and': 748150, 'inconsiderate and you': 432558, 'need them now': 555781, 'them now more': 876065, 'than ever stoppanicbuying': 840612, 'ever stoppanicbuying healthcare': 285525, 'stoppanicbuying healthcare worker': 805567, 'healthcare worker coronacrisis': 387351, 'am buying': 49962, 'buying onion': 150816, 'onion for': 607722, 'vendor farmer': 954361, 'farmer selling': 299503, 'selling onion': 749375, 'for kg': 322830, 'kg what': 473676, 'of chain': 581258, 'am buying onion': 49963, 'buying onion for': 150817, 'onion for 40': 607723, 'for 40 kg': 318837, '40 kg from': 18593, 'kg from food': 473655, 'from food vendor': 335517, 'food vendor farmer': 317423, 'vendor farmer selling': 954362, 'farmer selling onion': 299504, 'selling onion for': 749376, 'onion for kg': 607724, 'for kg what': 322831, 'kg what the': 473677, 'what the rest': 982360, 'rest of chain': 716189, 'no healthcare': 564408, 'today million': 919884, 'based coverage': 111546, 'coverage due': 212345, 'cobra rent': 185175, 'bill they': 130696, 'tackle chronic': 831560, 'amp prescription': 54322, 'can fix': 158352, 'in this no': 429985, 'this no job': 889152, 'job no healthcare': 466021, 'no healthcare system': 564410, 'healthcare system today': 387316, 'system today million': 831362, 'today million of': 919885, 'of american will': 580082, 'american will lose': 52312, 'lose their employer': 503483, 'their employer based': 873163, 'employer based coverage': 274492, 'based coverage due': 111547, 'coverage due to': 212346, 'to they won': 917364, 'pay cobra rent': 644813, 'cobra rent bill': 185176, 'rent bill they': 711057, 'bill they still': 130697, 'have to tackle': 383315, 'to tackle chronic': 916125, 'tackle chronic illness': 831561, 'chronic illness amp': 178233, 'illness amp prescription': 416339, 'amp prescription drug': 54323, 'drug price we': 261059, 'we can fix': 970951, 'can fix this': 158353, 'radar we': 695387, 'your recent': 1025531, 'recent order': 703942, 'evolve demand': 288504, 'product continues': 681086, 'evolve shopping': 288512, 'high your': 395532, 'is selected': 451734, 'selected by': 747488, 'by personal': 153569, 'radar we are': 695388, 'very sorry for': 955572, 'problem with your': 679769, 'with your recent': 1002228, 'your recent order': 1025532, 'recent order the': 703943, 'order the covid': 618628, 'health crisis continues': 386328, 'to evolve demand': 905372, 'evolve demand for': 288505, 'demand for both': 235385, 'for both online': 319739, 'online and online': 607830, 'and online product': 68115, 'online product continues': 608809, 'product continues to': 681087, 'to evolve shopping': 905373, 'evolve shopping in': 288513, 'is at record': 445871, 'record high your': 704982, 'high your online': 395533, 'grocery order is': 364812, 'order is selected': 618339, 'is selected by': 451735, 'selected by personal': 747489, 'plantbasedfood': 658740, 'veggieburger': 954232, 'beyondmeat': 129267, 'fakefood': 296747, 'realmeat': 702735, 'meatball': 525805, 'item stocked': 463661, 'stocked cannot': 803290, 'cannot give': 161919, 'away plantbased': 106004, 'plantbased plantbasedfood': 658738, 'plantbasedfood veggieburger': 658741, 'veggieburger beyondmeat': 954233, 'beyondmeat fakefood': 129268, 'fakefood ouch': 296748, 'ouch panic': 621935, 'panic haha': 638158, 'haha beef': 373891, 'beef realmeat': 120546, 'realmeat meat': 702736, 'meat meatball': 525653, 'meatball food': 525806, 'food haha': 314759, 'oh no look': 596426, 'no look the': 564678, 'look the only': 502612, 'only item stocked': 610669, 'item stocked cannot': 463662, 'stocked cannot give': 803291, 'cannot give it': 161920, 'give it away': 350545, 'it away plantbased': 456656, 'away plantbased plantbasedfood': 106005, 'plantbased plantbasedfood veggieburger': 658739, 'plantbasedfood veggieburger beyondmeat': 658742, 'veggieburger beyondmeat fakefood': 954234, 'beyondmeat fakefood ouch': 129269, 'fakefood ouch panic': 296749, 'ouch panic haha': 621936, 'panic haha beef': 638159, 'haha beef realmeat': 373892, 'beef realmeat meat': 120547, 'realmeat meat meatball': 702737, 'meat meatball food': 525654, 'meatball food haha': 525807, 'of delay': 582476, 'at the issue': 100990, 'issue of delay': 455859, 'of delay in': 582477, 'delay in online': 232707, 'bos had': 135667, 'two wks': 937391, 'wks before': 1003239, 'before quit': 123033, 'quit quit': 694809, 'he called': 384802, 'called public': 156420, 'servant knew': 751837, 'knew my': 476060, 'danger now': 225670, 'now battling': 574183, 'battling for': 112859, 'know this at': 476887, 'store job my': 808610, 'job my bos': 466015, 'my bos had': 547505, 'bos had told': 135668, 'had told me': 373751, 'worry about two': 1010659, 'about two wks': 26799, 'two wks before': 937392, 'wks before quit': 1003240, 'before quit quit': 123034, 'quit quit after': 694810, 'quit after he': 694787, 'after he called': 35762, 'he called public': 384804, 'called public servant': 156421, 'public servant knew': 688296, 'servant knew my': 751838, 'knew my life': 476061, 'life wa in': 489180, 'wa in danger': 962363, 'in danger now': 421976, 'danger now battling': 225671, 'now battling for': 574184, 'battling for not': 112860, 'for not right': 323935, 'must run': 546869, 'run two': 727853, 'two operation': 937102, 'operation tomorrow': 613286, 'food funding': 314640, 'funding since': 341613, 'since vancouver': 770963, 'must run two': 546870, 'run two operation': 727854, 'two operation tomorrow': 937103, 'operation tomorrow to': 613287, 'get food funding': 347041, 'food funding since': 314641, 'funding since vancouver': 341614, 'since vancouver corona': 770964, 'sethi': 753606, 'dear sethi': 229863, 'sethi sb': 753607, 'sb pls': 739788, 'product bank': 680998, 'dear sethi sb': 229864, 'sethi sb pls': 753608, 'sb pls have': 739789, 'consumer product bank': 198449, 'product bank employee': 680999, '19 crash': 6189, 'crash home': 214985, 'covid 19 crash': 212882, '19 crash home': 6190, 'crash home price': 214986, 'shopperkit': 761851, 'recent brick': 703824, 'brick meet': 139585, 'meet click': 527435, 'click shopperkit': 181945, 'shopperkit online': 761852, 'shopper survey': 761727, 'survey plus': 828921, 'plus leverage': 661631, 'leverage guidance': 487788, 'guidance perspective': 368269, 'perspective that': 653233, 'shape strategic': 754848, 'strategic decision': 812539, 'decision going': 231029, 'forward register': 330006, 'webinar onlinegrocery': 975084, 'gain insight from': 342784, 'from the recent': 337851, 'the recent brick': 865298, 'recent brick meet': 703825, 'brick meet click': 139586, 'meet click shopperkit': 527436, 'click shopperkit online': 181946, 'shopperkit online shopper': 761853, 'online shopper survey': 609005, 'shopper survey plus': 761728, 'survey plus leverage': 828922, 'plus leverage guidance': 661632, 'leverage guidance perspective': 487789, 'guidance perspective that': 368270, 'perspective that will': 653234, 'will help shape': 993729, 'help shape strategic': 390521, 'shape strategic decision': 754849, 'strategic decision going': 812540, 'decision going forward': 231030, 'going forward register': 355164, 'forward register for': 330007, 'register for this': 707567, 'for this webinar': 327086, 'this webinar onlinegrocery': 891165, 'ahadbuilders': 39114, 'yourtrustourlegacy': 1026826, 'ahadcare': 39117, 'coronasafetytips': 205267, 'site grocery': 771929, 'store 76': 806045, '76 76': 22230, '76 150': 22228, '150 150': 3891, '150 ahadbuilders': 3893, 'ahadbuilders yourtrustourlegacy': 39115, 'yourtrustourlegacy ahadcare': 1026827, 'ahadcare thursdaythoughts': 39118, 'thursdaythoughts corona': 895474, 'staysafe healthcare': 798818, 'healthcare awareness': 387044, 'awareness wellness': 105748, 'wellness coronasafetytips': 978836, 'coronasafetytips socialdistancing': 205268, 'socialdistancing stayhomestaysafe': 780747, 'on site grocery': 603485, 'site grocery store': 771930, 'grocery store 76': 365172, 'store 76 76': 806046, '76 76 150': 22231, '76 150 150': 22229, '150 150 ahadbuilders': 3892, '150 ahadbuilders yourtrustourlegacy': 3894, 'ahadbuilders yourtrustourlegacy ahadcare': 39116, 'yourtrustourlegacy ahadcare thursdaythoughts': 1026828, 'ahadcare thursdaythoughts corona': 39119, 'thursdaythoughts corona stayhome': 895475, 'stayhome staysafe healthcare': 798167, 'staysafe healthcare awareness': 798819, 'healthcare awareness wellness': 387045, 'awareness wellness coronasafetytips': 105749, 'wellness coronasafetytips socialdistancing': 978837, 'coronasafetytips socialdistancing stayhomestaysafe': 205269, 'with housing': 998891, 'housing or': 407122, 'or product': 616712, 'service see': 752804, 'see current': 745021, 'about area': 24827, 'area we': 92254, 'receiving increased': 703773, 'increased enquiry': 433312, 'learn about coronavirus': 483930, 'about coronavirus covid': 25029, 'your right with': 1025638, 'right with housing': 722434, 'with housing or': 998892, 'housing or product': 407123, 'or product service': 616715, 'product service see': 681610, 'service see current': 752805, 'see current information': 745022, 'information about area': 437700, 'about area we': 24828, 'area we are': 92255, 'are receiving increased': 89501, 'receiving increased enquiry': 703774, 'increased enquiry about': 433313, 'enquiry about please': 277806, 'this with anyone': 891457, 'with anyone who': 997285, 'who is uncertain': 989125, 'is uncertain about': 453442, 'uncertain about their': 939562, 'about their right': 26592, 'that community': 843267, 'through action': 894298, 'this tremendous': 890846, 'tremendous resource': 931232, 'vital that community': 959736, 'that community and': 843268, 'and online through': 68127, 'online through action': 609565, 'through action for': 894299, 'for this tremendous': 327080, 'this tremendous resource': 890847, 'reducegreednow': 706213, 'watchyourgreed': 968837, 'information poster': 437950, 'poster download': 666606, 'download print': 257617, 'and display': 61475, 'display outside': 246196, 'shop reducegreednow': 760706, 'reducegreednow watchyourgreed': 706214, 'watchyourgreed panicbuyinguk': 968838, 'free public information': 332086, 'public information poster': 688109, 'information poster download': 437951, 'poster download print': 666607, 'download print and': 257618, 'print and display': 678265, 'and display outside': 61476, 'display outside your': 246197, 'supermarket or shop': 821833, 'or shop reducegreednow': 617056, 'shop reducegreednow watchyourgreed': 760707, 'reducegreednow watchyourgreed panicbuyinguk': 706215, 'watchyourgreed panicbuyinguk london': 968839, 'roughly in': 726291, 'in voter': 430623, 'voter including': 960578, 'including 72': 431858, '72 of': 22021, 'republican favor': 713031, 'favor nationwide': 300464, 'lockdown exemption': 499359, 'pharmacy american': 654204, 'what necessary': 981900, 'combat only': 187023, 'only donald': 610354, 'trump amp': 933403, 'his ego': 397379, 'ego are': 270064, 'roughly in voter': 726292, 'in voter including': 430624, 'voter including 72': 960579, 'including 72 of': 431859, '72 of republican': 22022, 'of republican favor': 588955, 'republican favor nationwide': 713032, 'favor nationwide lockdown': 300465, 'nationwide lockdown exemption': 552740, 'lockdown exemption for': 499360, 'exemption for trip': 290005, 'for trip to': 327348, 'store pharmacy american': 809532, 'pharmacy american are': 654205, 'american are willing': 51823, 'willing to do': 995467, 'do what necessary': 250515, 'what necessary to': 981901, 'necessary to combat': 554111, 'to combat only': 903001, 'combat only donald': 187024, 'only donald trump': 610355, 'donald trump amp': 254106, 'trump amp his': 933405, 'amp his ego': 53945, 'his ego are': 397380, 'ego are not': 270065, 'boston fed': 135791, 'fed rosengren': 301888, 'impacting office': 418236, 'boston fed rosengren': 135792, 'fed rosengren see': 301889, 'rosengren see covid': 726113, '19 impacting office': 7724, 'impacting office price': 418237, 'outbreak full': 628245, 'of stupid': 590338, 'stupid doing': 815384, 'wanted mondaythoughts': 966217, 'mondaythoughts selfishpricks': 536510, 'trip to major': 932194, 'to major supermarket': 909611, 'major supermarket since': 509498, 'the outbreak full': 862630, 'outbreak full of': 628246, 'full of stupid': 340759, 'of stupid doing': 590339, 'stupid doing whatever': 815385, 'doing whatever they': 252856, 'whatever they wanted': 982810, 'they wanted mondaythoughts': 883721, 'wanted mondaythoughts selfishpricks': 966218, 'aba': 24190, 'card hacking': 163538, 'hacking phishing': 372781, 'phishing and': 654796, 'scam pose': 740309, 'financial security': 306574, 'security the': 744767, 'the aba': 848230, 'aba ha': 24191, 'stay ahead': 796749, 'card hacking phishing': 163539, 'hacking phishing and': 372782, 'phishing and even': 654797, 'and even covid': 62336, '19 scam pose': 10347, 'scam pose threat': 740310, 'threat to your': 893744, 'your financial security': 1023874, 'financial security the': 306576, 'security the aba': 744768, 'the aba ha': 848231, 'aba ha compiled': 24192, 'ha compiled list': 370216, 'you stay informed': 1021373, 'informed on how': 438117, 'online scam stay': 608938, 'scam stay informed': 740369, 'stay informed to': 797090, 'informed to stay': 438135, 'to stay ahead': 915269, 'stay ahead of': 796750, 'of the scammer': 591439, 'carpet': 164896, 'they blamed': 881565, 'blamed millenials': 132323, 'millenials for': 531987, 'killing bar': 474659, 'soap where': 779177, 'red carpet': 705567, 'carpet for': 164897, 'saving hand': 737885, 'you little': 1019625, 'little shit': 495562, 'shit asked': 759063, 'know they blamed': 476873, 'they blamed millenials': 881566, 'blamed millenials for': 132324, 'millenials for killing': 531988, 'for killing bar': 322852, 'killing bar of': 474660, 'of soap where': 589832, 'soap where is': 779178, 'is the red': 452918, 'the red carpet': 865381, 'red carpet for': 705568, 'carpet for saving': 164898, 'for saving hand': 325353, 'saving hand sanitizer': 737886, 'sanitizer you little': 736166, 'you little shit': 1019628, 'little shit asked': 495563, 'shit asked for': 759064, 'asked for this': 95751, 'electrifying': 271246, 'most electrifying': 542292, 'electrifying event': 271247, 'event in': 284994, 'in sport': 428208, 'sport entertainment': 789925, 'entertainment will': 278622, 'be starting': 117353, 'ever quarantine': 285459, 'quarantine olympics': 692399, 'olympics stay': 598798, 'stay posted': 797180, 'the most electrifying': 860979, 'most electrifying event': 542293, 'electrifying event in': 271248, 'event in sport': 284996, 'in sport entertainment': 428209, 'sport entertainment will': 789926, 'entertainment will be': 278623, 'will be starting': 992697, 'be starting this': 117354, 'starting this saturday': 795006, 'this saturday the': 889960, 'saturday the first': 737068, 'first ever quarantine': 308664, 'ever quarantine olympics': 285460, 'quarantine olympics stay': 692400, 'olympics stay posted': 598799, 'stay posted for': 797181, 'posted for detail': 666525, 'sing along': 771083, 'along can': 46985, 'sing along can': 771084, 'along can get': 46986, 'true wuhan': 933226, 'wuhan cabbage': 1013463, 'cabbage emergency': 154945, 'emergency pork': 272883, 'pork test': 664825, 'test china': 838956, 'china on': 176858, 'not true wuhan': 572279, 'true wuhan cabbage': 933227, 'wuhan cabbage emergency': 1013464, 'cabbage emergency pork': 154946, 'emergency pork test': 272884, 'pork test china': 664826, 'test china on': 838957, 'china on food': 176859, 'sothini': 786202, 'been standard': 122027, '19 ai': 4870, 'ai sothini': 39340, 'the mask ha': 860215, 'mask ha been': 518772, 'ha been standard': 369932, 'been standard in': 122028, 'our line of': 623747, 'line of work': 493321, 'of work now': 593260, 'work now the': 1005508, 'been pushed up': 121750, 'pushed up because': 690390, 'covid 19 ai': 212599, '19 ai sothini': 4871, 'considering hiring': 195375, 'hiring additional': 397062, 'off reach': 594107, 'manufacturer are considering': 513423, 'are considering hiring': 85510, 'considering hiring additional': 195376, 'hiring additional staff': 397063, 've been laid': 952901, 'laid off reach': 479029, 'off reach out': 594108, 'who are considering': 988122, 'how to wear': 409108, 'glove in supermarket': 352734, 'long weekend': 501839, 'weekend hour': 977349, 'our south': 624852, 'south surrey': 786781, 'surrey store': 828702, 'store enjoy': 807594, 'weekend safely': 977398, 'practice physical': 668629, '19 pay': 9599, 'are the long': 90857, 'the long weekend': 859689, 'long weekend hour': 501841, 'weekend hour of': 977350, 'hour of our': 405802, 'of our south': 587567, 'our south surrey': 624853, 'south surrey store': 786783, 'surrey store enjoy': 828703, 'store enjoy the': 807595, 'enjoy the long': 277190, 'long weekend safely': 501842, 'weekend safely by': 977399, 'safely by continuing': 730265, 'continuing to practice': 201569, 'to practice physical': 911959, 'practice physical distancing': 668630, 'physical distancing to': 655415, 'covid 19 pay': 213559, '19 pay attention': 9600, 'attention to your': 102500, 'to your safety': 919025, 'fury versus': 342227, 'versus joshua': 954945, 'joshua is': 467354, 'fury ha': 342221, 'turned away': 935832, 'boxing in': 137226, 'to drop due': 904768, 'of fury versus': 584021, 'fury versus joshua': 342228, 'versus joshua is': 954946, 'joshua is fantasy': 467355, 'now fury ha': 574759, 'fury ha now': 342222, 'ha now turned': 371409, 'now turned away': 576236, 'turned away from': 935834, 'away from wilder': 105924, 'and boxing in': 59133, 'boxing in general': 137227, 'general all here': 345279, 'mcq': 522244, 'creative while': 216183, 'in confinement': 421651, 'confinement this': 194080, 'the submit': 868355, 'submit covid': 815791, '19 contest': 6019, 'contest this': 200879, 'this involves': 888154, 'involves different': 444374, 'competition such': 191741, 'such essay': 816478, 'essay writing': 280720, 'writing mcq': 1012914, 'mcq question': 522245, 'and selfie': 71188, 'selfie contest': 747960, 'contest the': 200877, 'getting awesome': 348855, 'awesome price': 106188, 'get creative while': 346834, 'creative while in': 216184, 'while in confinement': 986938, 'in confinement this': 421652, 'confinement this week': 194081, 'week we launched': 977194, 'launched the submit': 482043, 'the submit covid': 868356, 'submit covid 19': 815792, 'covid 19 contest': 212852, '19 contest this': 6020, 'contest this involves': 200880, 'this involves different': 888155, 'involves different form': 444375, 'form of competition': 329533, 'of competition such': 581624, 'competition such essay': 191742, 'such essay writing': 816479, 'essay writing mcq': 280721, 'writing mcq question': 1012915, 'mcq question and': 522246, 'question and selfie': 693525, 'and selfie contest': 71189, 'selfie contest the': 747961, 'contest the winner': 200878, 'be getting awesome': 115001, 'getting awesome price': 348856, 'awesome price in': 106189, 'concern seo': 193092, 'nielsen six consumer': 562654, '19 concern seo': 5926, 'concern seo sem': 193093, 'after possibly': 36058, 'possibly world': 665963, 'and routine': 70604, 'routine not': 726521, 'for medium': 323397, 'medium but': 527033, 'for tech': 326166, 'company meeting': 190886, 'my newsletter': 549481, 'newsletter this': 561044, 'out whether': 627828, 'whether someone': 985564, 'what come after': 981228, 'come after possibly': 187189, 'after possibly world': 36059, 'possibly world with': 665964, 'world with new': 1010198, 'with new habit': 999704, 'new habit and': 558840, 'habit and routine': 372561, 'and routine not': 70605, 'routine not only': 726522, 'only for medium': 610468, 'for medium but': 323398, 'medium but also': 527034, 'also for tech': 48230, 'for tech company': 326167, 'tech company meeting': 836064, 'company meeting online': 190887, 'for my newsletter': 323728, 'my newsletter this': 549483, 'newsletter this week': 561045, 'this week wa': 891293, 'week wa trying': 977174, 'find out whether': 307158, 'out whether someone': 627830, 'whether someone know': 985565, 'someone know what': 784551, 'what is coming': 981682, 'marketreport': 517846, 'energyconsultants': 276629, 'acclaimenergy': 28420, 'on mexico': 602116, 'mexico energy': 529996, 'and strategy': 72538, 'strategy marketreport': 812679, 'marketreport strategy': 517847, 'strategy energyconsultants': 812642, 'energyconsultants acclaimenergy': 276630, '19 on mexico': 8955, 'on mexico energy': 602117, 'mexico energy price': 529997, 'price and strategy': 672550, 'and strategy marketreport': 72539, 'strategy marketreport strategy': 812680, 'marketreport strategy energyconsultants': 517848, 'strategy energyconsultants acclaimenergy': 812643, 'guessing we': 368139, 'we there': 973527, 'didn understand': 241246, 'basic math': 111973, 'math if': 520465, 'were quarantined': 980012, 'need 12': 554330, '12 package': 2926, 'right answer': 721765, 'answer toiletpaper': 78138, 'guessing we there': 368140, 'we there are': 973528, 'who didn understand': 988595, 'didn understand basic': 241247, 'understand basic math': 940601, 'basic math if': 111974, 'math if you': 520466, 'you were quarantined': 1022254, 'were quarantined for': 980013, '14 day how': 3448, 'day how much': 227769, 'paper would you': 641115, 'would you need': 1012416, 'you need 12': 1019959, 'need 12 package': 554331, '12 package is': 2927, 'package is not': 633312, 'not the right': 572026, 'the right answer': 865803, 'right answer toiletpaper': 721766, 'my timeline': 550380, 'timeline just': 898469, 'sanitizer above': 734310, 'let kick': 486849, 'uganda staysafeug': 937994, 'morning to everyone': 541511, 'everyone on my': 287232, 'on my timeline': 602325, 'my timeline just': 550381, 'timeline just reminder': 898470, 'just reminder wash': 469619, 'soap and clean': 778908, 'clean water or': 180682, 'water or sanitizer': 969099, 'or sanitizer above': 616947, 'sanitizer above all': 734311, 'above all stay': 27047, 'all stay home': 44444, 'stay safe let': 797249, 'safe let kick': 729802, 'let kick out': 486850, 'kick out of': 473797, 'out of uganda': 626867, 'of uganda staysafeug': 592560, 'asset kelly': 96436, 'million dollar': 532131, 'inside knowledge to': 439306, 'stock and asset': 801800, 'and asset kelly': 58451, 'asset kelly loeffler': 96437, 'sold million dollar': 781700, 'janowski': 464584, '516': 20225, '9591': 23652, 'any janowski': 79376, 'janowski hamburger': 464585, 'hamburger ha': 374546, 'ha plenty': 371504, 'stock call': 801966, 'advance and': 32891, 'phone for': 654953, 'up 516': 944187, '516 764': 20226, '764 9591': 22267, '9591 also': 23653, 'food longisland': 315343, 'for those still': 327141, 'those still looking': 892488, 'still looking for': 800812, 'and can find': 59453, 'find any janowski': 306794, 'any janowski hamburger': 79377, 'janowski hamburger ha': 464586, 'hamburger ha plenty': 374547, 'ha plenty in': 371505, 'in stock call': 428291, 'stock call in': 801968, 'call in advance': 155939, 'in advance and': 420050, 'advance and pay': 32892, 'and pay over': 68801, 'the phone for': 863689, 'phone for curbside': 654954, 'pick up 516': 655698, 'up 516 764': 944188, '516 764 9591': 20227, '764 9591 also': 22268, '9591 also have': 23654, 'also have plenty': 48335, 'bread in stock': 138498, 'in stock food': 428301, 'stock food longisland': 802137, 'of reimbursement': 588898, 'reimbursement for': 708233, 'electric internet': 271113, 'internet waste': 442050, 'well supply': 978625, 'sanitizer drinking': 734793, 'yes toiletpaper': 1015579, 'the pandemic should': 863093, 'should get some': 766039, 'get some form': 348054, 'form of reimbursement': 329543, 'of reimbursement for': 588899, 'reimbursement for their': 708234, 'for their electric': 326821, 'their electric internet': 873122, 'electric internet waste': 271114, 'internet waste and': 442051, 'waste and utility': 968078, 'and utility bill': 74808, 'utility bill well': 951268, 'bill well supply': 130721, 'well supply like': 978626, 'like hand soap': 490369, 'hand soap sanitizer': 375777, 'soap sanitizer drinking': 779106, 'sanitizer drinking water': 734794, 'drinking water and': 258944, 'water and yes': 968892, 'and yes toiletpaper': 75975, 'cull': 220230, 'ewe': 288605, 'who profiting': 989457, 'the amid': 848640, 'uncertainty sheep': 939755, 'gaining record': 342885, 'record cull': 704926, 'cull ewe': 220231, 'ewe price': 288606, 'auction mother': 102857, 'mother worn': 543212, 'worn out': 1010470, 'from breeding': 334733, 'breeding who': 139284, 'they send': 883318, 'guess who profiting': 368099, 'who profiting from': 989458, 'from the amid': 337599, 'the amid the': 848641, 'the uncertainty sheep': 870342, 'uncertainty sheep farmer': 939756, 'sheep farmer are': 756545, 'farmer are gaining': 299278, 'are gaining record': 86768, 'gaining record cull': 342886, 'record cull ewe': 704927, 'cull ewe price': 220232, 'ewe price at': 288607, 'price at auction': 672792, 'at auction mother': 98073, 'auction mother worn': 102858, 'mother worn out': 543213, 'worn out from': 1010471, 'out from breeding': 626192, 'from breeding who': 334734, 'breeding who they': 139285, 'who they send': 989770, 'they send to': 883319, 'send to be': 749976, 'well so': 978561, 'is gm': 448073, 'gm for': 353168, 'are little': 87841, 'little nervous': 495482, 'is well so': 453850, 'well so far': 978562, 'far my husband': 298860, 'husband is considered': 411722, 'is considered an': 446747, 'essential worker because': 281819, 'worker because he': 1006505, 'he is gm': 385124, 'is gm for': 448074, 'gm for grocery': 353169, 'we are little': 970613, 'are little nervous': 87843, 'little nervous about': 495483, 'nervous about the': 557450, 'go dairy': 353442, 'market flattenthecurve': 516391, 'flattenthecurve china': 310158, 'italy agnews': 462758, 'want to listen': 966064, 'to listen in': 909329, 'listen in here': 494688, 'in here you': 423673, 'you go dairy': 1018844, 'go dairy beef': 353443, 'dairy beef pork': 224960, 'beef pork market': 120539, 'pork market flattenthecurve': 664805, 'market flattenthecurve china': 516392, 'flattenthecurve china italy': 310159, 'china italy agnews': 176772, 'last this': 480552, 'handy calculator': 376884, 'long will my': 501855, 'will my toiletpaper': 994142, 'my toiletpaper supply': 550394, 'toiletpaper supply last': 922565, 'supply last this': 825490, 'last this handy': 480553, 'this handy calculator': 887829, 'handy calculator will': 376885, 'consumerdurable': 199668, 'revival': 720670, 'impact consumerdurable': 417614, 'consumerdurable firm': 199669, 'firm hope': 308370, 'for revival': 325214, 'revival in': 720673, 'by may': 153185, 'may lockdown': 521329, '19 impact consumerdurable': 7695, 'impact consumerdurable firm': 417615, 'consumerdurable firm hope': 199670, 'firm hope for': 308371, 'hope for revival': 403484, 'for revival in': 325215, 'revival in demand': 720674, 'in demand by': 422112, 'demand by may': 235092, 'by may lockdown': 153186, 'and soap 19': 71861, 'emedlife': 272522, 'expertadvise': 292035, '19 wash': 11902, 'frequently avoid': 332845, 'avoid mass': 105187, 'gathering maintain': 344485, 'public eat': 687964, 'healthy safety': 387752, 'safety healthcare': 730569, 'healthcare emedlife': 387091, 'emedlife expertadvise': 272523, 'is the key': 452837, 'the key to': 858766, 'key to minimize': 473438, 'covid 19 wash': 214046, '19 wash hand': 11903, 'soap frequently avoid': 779012, 'frequently avoid mass': 332846, 'avoid mass gathering': 105188, 'mass gathering maintain': 519775, 'gathering maintain safe': 344486, 'distance in public': 246743, 'in public eat': 427077, 'public eat nutritious': 687965, 'stay healthy safety': 796916, 'healthy safety healthcare': 387753, 'safety healthcare emedlife': 730570, 'healthcare emedlife expertadvise': 387092, 'repost due': 712812, 'repost due to': 712813, 'heard today': 388165, 'much there': 545361, 'needed had': 556376, 'and cried': 60745, 'cried rightly': 216753, 'are allocated': 84375, 'allocated time': 45883, 'worker forgotten': 1006984, 'heard today of': 388167, 'today of person': 919964, 'after work yesterday': 36575, 'work yesterday and': 1006067, 'yesterday and there': 1015668, 'wa nothing much': 962786, 'nothing much there': 573113, 'much there they': 545362, 'there they needed': 879161, 'they needed had': 882775, 'needed had melt': 556377, 'melt down and': 527979, 'down and cried': 256491, 'and cried rightly': 60746, 'cried rightly so': 216754, 'rightly so elderly': 722480, 'so elderly are': 776942, 'elderly are allocated': 270593, 'are allocated time': 84376, 'allocated time medical': 45884, 'time medical worker': 897203, 'medical worker too': 526512, 'worker too but': 1008038, 'too but other': 924629, 'but other essential': 146713, 'essential worker forgotten': 281831, 'now would': 576485, 'using flushable': 950488, 'flushable wet': 311574, 'your coworkers': 1023370, 'friend roommate': 333777, 'roommate certainly': 725998, 'certainly do': 170150, 'sure ask': 827496, 'for many now': 323227, 'many now would': 514358, 'now would be': 576486, 'to start using': 915231, 'start using flushable': 794623, 'using flushable wet': 950489, 'flushable wet wipe': 311575, 'wet wipe you': 980766, 'wipe you may': 996434, 'you may not': 1019805, 'may not know': 521382, 'know who you': 477044, 'who you are': 990074, 'you are but': 1017079, 'are but your': 85110, 'but your coworkers': 148011, 'your coworkers and': 1023371, 'coworkers and your': 214497, 'your friend roommate': 1023974, 'friend roommate certainly': 333778, 'roommate certainly do': 725999, 'certainly do if': 170151, 're not sure': 699123, 'not sure ask': 571834, 'sure ask them': 827497, 'ask them 19': 95645, 'them 19 toiletpaper': 875300, 'the developing': 853223, 'developing world': 239800, 'hunger in the': 411132, 'in the developing': 429132, 'the developing world': 853225, 'gotta work': 359109, 'like over': 490954, 'week gonna': 976278, 'time next': 897257, 'gotta work at': 359110, 'store for like': 807817, 'for like over': 322981, 'like over 30': 490955, 'over 30 hour': 629818, '30 hour this': 17075, 'hour this week': 406000, 'this week gonna': 891217, 'week gonna have': 976279, 'gonna have covid': 356556, '19 by this': 5579, 'by this time': 154535, 'this time next': 890666, 'time next week': 897258, 'coronashutdown': 205272, 'decatur': 230713, 'wrong shirt': 1013098, 'store coronashutdown': 807185, 'coronashutdown mason': 205273, 'mason mill': 519717, 'mill atlanta': 531959, 'atlanta decatur': 101834, 'probably the wrong': 679406, 'the wrong shirt': 872110, 'wrong shirt to': 1013099, 'shirt to wear': 759015, 'grocery store coronashutdown': 365304, 'store coronashutdown mason': 807186, 'coronashutdown mason mill': 205274, 'mason mill atlanta': 519718, 'mill atlanta decatur': 531960, 'like thank': 491308, 'chain large': 170882, 'small for': 774959, 'filled for': 305536, 'director investor': 243629, 'investor enjoy': 444156, 'their dividend': 873044, 'dividend stayhomesavelives': 248635, 'like thank all': 491309, 'supermarket chain large': 819617, 'chain large and': 170883, 'large and small': 479592, 'and small for': 71776, 'small for keeping': 774960, 'shelf filled for': 757081, 'filled for essential': 305537, 'this period and': 889513, 'period and hope': 651711, 'and hope the': 64719, 'hope the director': 403673, 'the director investor': 853318, 'director investor enjoy': 243630, 'investor enjoy their': 444157, 'enjoy their dividend': 277195, 'their dividend stayhomesavelives': 873047, 'lord will': 503322, 'provide toilet': 686523, 'water into': 969038, 'into psalm': 442904, 'psalm 31': 687454, '31 19': 17546, 'the lord will': 859730, 'lord will provide': 503323, 'will provide toilet': 994521, 'provide toilet paper': 686524, 'paper and turn': 639861, 'and turn your': 74527, 'turn your water': 935819, 'your water into': 1026311, 'water into psalm': 969039, 'into psalm 31': 442905, 'psalm 31 19': 687455, 'rebottling': 703292, 'cuomo lied': 220412, 'lied cuomo': 488409, 'cuomo prison': 220422, 'actually making': 30882, 'than taking': 841197, 'taking existing': 833352, 'existing hand': 290323, 'and rebottling': 70030, 'rebottling it': 703293, 'into packaging': 442831, 'packaging labeled': 633552, 'labeled ny': 478369, 'ny clean': 577844, 'cuomo lied cuomo': 220413, 'lied cuomo prison': 488410, 'cuomo prison worker': 220423, 'not actually making': 568048, 'actually making hand': 30883, 'sanitizer they are': 735881, 'doing nothing more': 252561, 'more than taking': 540679, 'than taking existing': 841199, 'taking existing hand': 833353, 'existing hand sanitizer': 290324, 'sanitizer and rebottling': 734431, 'and rebottling it': 70031, 'rebottling it into': 703294, 'it into packaging': 458826, 'into packaging labeled': 442832, 'packaging labeled ny': 633553, 'labeled ny clean': 478370, 'it adopted': 456275, 'packet in it': 633698, 'in it adopted': 424225, 'it adopted village': 456276, 'cult45': 220261, 'found great': 330224, 'great substitute': 363015, 'substitute in': 816088, 'neighbor house': 557035, 'house trump2020': 406645, 'trump2020 maga': 934003, 'maga kag2020': 508282, 'kag2020 cult45': 470621, 'cult45 voteblue2020': 220262, 'of toiletpaper found': 592264, 'toiletpaper found great': 922009, 'found great substitute': 330225, 'great substitute in': 363016, 'substitute in front': 816089, 'of my neighbor': 586794, 'my neighbor house': 549429, 'neighbor house trump2020': 557036, 'house trump2020 maga': 406646, 'trump2020 maga kag2020': 934005, 'maga kag2020 cult45': 508283, 'kag2020 cult45 voteblue2020': 470622, 'developed coronavirus': 239692, 'hub that': 409823, 'information everyone': 437808, 'report ha developed': 711992, 'ha developed coronavirus': 370369, 'developed coronavirus resource': 239693, 'coronavirus resource hub': 206660, 'resource hub that': 714813, 'hub that is': 409825, 'that is free': 844588, 'is free to': 447929, 'free to everyone': 332240, 'to everyone with': 905360, 'everyone with information': 287624, 'with information everyone': 999008, 'information everyone should': 437809, 'everyone should know': 287378, 'slump drove': 774684, 'drove down': 260791, 'down march': 256943, 'march food': 515361, '19 oil slump': 8909, 'oil slump drove': 597436, 'slump drove down': 774685, 'drove down march': 260792, 'down march food': 256944, 'march food price': 515362, 'his email': 397385, 'email another': 272120, 'another concern': 77542, 'drugstore could': 261186, 'worry this': 1010785, 'raise single': 695947, 'single price': 771385, 'quote from his': 694991, 'from his email': 335812, 'his email another': 397386, 'email another concern': 272121, 'another concern you': 77544, 'may have is': 521241, 'have is that': 381128, 'is that your': 452713, 'that your supermarket': 847777, 'your supermarket or': 1026054, 'or drugstore could': 615085, 'drugstore could raise': 261187, 'could raise price': 209560, 'on the item': 604192, 'item you and': 463862, 'family need most': 298071, 'need most do': 555271, 'most do not': 542261, 'not worry this': 572571, 'worry this will': 1010786, 'not happen at': 569784, 'happen at our': 377060, 'our store we': 624957, 'not raise single': 571207, 'raise single price': 695948, 'single price on': 771386, 'foody': 318270, 'at foody': 98685, 'foody mart': 318271, 'mart chinese': 518041, 'glove me': 352790, 'single mask': 771334, 'glove anywhere': 352589, 'so just went': 777503, 'shopping at foody': 762098, 'at foody mart': 98686, 'foody mart chinese': 318272, 'mart chinese grocery': 518042, 'store everyone ha': 807662, 'everyone ha mask': 286971, 'ha mask and': 371241, 'mask and all': 518306, 'and all staff': 57893, 'all staff have': 44414, 'staff have mask': 792514, 'and glove me': 63730, 'glove me can': 352791, 'me can even': 522562, 'even find single': 284063, 'find single mask': 307214, 'single mask or': 771335, 'or glove anywhere': 615470, 'currently allowing': 221457, 'allowing only': 46313, 'serious food': 751390, 'cause major': 167644, 'market problem': 516911, 'cost currently allowing': 207899, 'currently allowing only': 221458, 'allowing only one': 46314, 'only one case': 610866, 'case of egg': 165902, 'membership any kind': 528274, 'kind of serious': 474938, 'of serious food': 589520, 'serious food shortage': 751391, 'could cause major': 209001, 'cause major market': 167645, 'major market problem': 509387, 'market problem this': 516912, 'bought stupid': 136725, 'stupid amount': 815333, 'soap without': 779185, 'leaving anything': 485073, 'others then': 621707, 'moron and': 541576, 'nh superheroes': 562120, 'superheroes legend': 818683, 'legend coronacrisis': 485926, 'coronacrisis nhsthankyou': 204671, 'buyer who bought': 149800, 'who bought stupid': 988335, 'bought stupid amount': 136726, 'stupid amount of': 815334, 'food and soap': 313336, 'and soap without': 71873, 'soap without leaving': 779186, 'without leaving anything': 1002756, 'leaving anything for': 485074, 'anything for others': 80767, 'for others then': 324201, 'others then you': 621708, 're selfish fucking': 699475, 'selfish fucking moron': 748100, 'fucking moron and': 339953, 'moron and bad': 541578, 'and bad thing': 58638, 'bad thing should': 108044, 'thing should happen': 884743, 'the nh superheroes': 861763, 'nh superheroes legend': 562121, 'superheroes legend coronacrisis': 818684, 'legend coronacrisis nhsthankyou': 485927, 'hoomans': 403361, 'gran': 361843, 'nightshift': 563198, 'brood': 140960, 'hoomans daughter': 403362, 'healthcare looking': 387164, 'amp gran': 53880, 'gran whilst': 361851, 'out stockpiling': 627258, 'stockpiling she': 804063, '12 hr': 2867, 'hr nightshift': 409645, 'nightshift exhausted': 563199, 'exhausted amp': 290149, 'amp needing': 54168, 'empty amp': 274761, 'now shes': 575794, 'shes nothing': 758102, 'her brood': 391896, 'brood 19': 140961, 'hoomans daughter work': 403363, 'work in healthcare': 1005311, 'in healthcare looking': 423608, 'healthcare looking after': 387165, 'after your mum': 36619, 'your mum amp': 1024919, 'mum amp gran': 545869, 'amp gran whilst': 53881, 'gran whilst you': 361852, 're all out': 698226, 'all out stockpiling': 43842, 'out stockpiling she': 627259, 'stockpiling she making': 804064, 'she making sure': 756218, 'sure they wash': 827747, 'hand after 12': 374728, 'after 12 hr': 35270, '12 hr nightshift': 2868, 'hr nightshift exhausted': 409646, 'nightshift exhausted amp': 563200, 'exhausted amp needing': 290150, 'amp needing food': 54169, 'needing food all': 556618, 'were empty amp': 979561, 'empty amp now': 274762, 'amp now shes': 54198, 'now shes nothing': 575795, 'shes nothing to': 758103, 'nothing to feed': 573191, 'feed her brood': 302317, 'her brood 19': 391897, 'behavior during and': 124007, 'outbreak would be': 628838, 'nice to study': 562497, 'is investing': 448976, 'investing right': 443940, 'now inventory': 575053, 'inventory fall': 443663, 'fall crude': 296883, 'rate fluctuate': 697215, 'investment are': 443961, 'are unstable': 91339, 'however always': 409337, 'and so is': 71844, 'so is investing': 777442, 'is investing right': 448977, 'investing right now': 443941, 'right now inventory': 722085, 'now inventory fall': 575054, 'inventory fall crude': 443664, 'fall crude price': 296884, 'fall and other': 296833, 'other rate fluctuate': 620809, 'rate fluctuate price': 697216, 'fluctuate price fall': 311511, 'fall and investment': 296832, 'and investment are': 65361, 'investment are unstable': 443962, 'are unstable however': 91340, 'unstable however always': 943537, 'however always remember': 409338, 'remember that real': 710285, 'happen today': 377191, 'wa basically': 961645, 'guy bulk': 368933, 'card got': 163536, 'got declined': 358521, 'declined karma': 231433, 'karma bitch': 470937, 'bitch buddy': 131751, 'to happen today': 907164, 'happen today wa': 377192, 'today wa basically': 920445, 'wa basically the': 961647, 'basically the guy': 112168, 'the guy bulk': 856954, 'guy bulk buying': 368934, 'buying in front': 150530, 'and when we': 75527, 'when we wanted': 984473, 'wanted to pay': 966265, 'pay his card': 644940, 'his card got': 397275, 'card got declined': 163537, 'got declined karma': 358522, 'declined karma bitch': 231434, 'karma bitch buddy': 470938, 'how planned': 408518, 'preparedness supplychain': 670292, 'inside the story': 439421, 'story of how': 812065, 'of how planned': 584837, 'how planned for': 408519, 'planned for the': 658453, 'the pandemic preparedness': 863061, 'pandemic preparedness supplychain': 636227, 'still some': 801211, 'case slowed': 166015, 'slowed across': 774481, 'hit european': 398223, 'russia europe': 728468, 'europe stock': 283510, 'to be affected': 901095, 'there wa still': 879276, 'wa still some': 963316, 'still some good': 801212, 'good news coronavirus': 357441, 'news coronavirus case': 560335, 'coronavirus case slowed': 205620, 'case slowed across': 166016, 'slowed across the': 774482, 'across the worst': 29535, 'worst hit european': 1011196, 'hit european country': 398224, 'european country oil': 283555, 'country oil saudiarabia': 210934, 'oil saudiarabia russia': 597413, 'saudiarabia russia europe': 737359, 'russia europe stock': 728469, '287': 16441, 'that 287': 842453, '287 people': 16442, 'touched before': 926604, 'anyone say': 80505, 'way why': 970188, 'the fook': 855646, 'fook are': 318277, 'we washing': 973756, 'hand fifty': 374933, 'fifty seven': 304583, 'seven time': 753774, 'then 19': 876954, 'little good that': 495373, 'good that mask': 357820, 'that mask is': 845057, 'do you when': 250695, 'when you touch': 984608, 'you touch the': 1021901, 'touch the handle': 926551, 'handle of that': 376241, 'of that basket': 590712, 'that basket in': 842935, 'basket in the': 112359, 'supermarket that 287': 823177, 'that 287 people': 842454, '287 people touched': 16443, 'people touched before': 649995, 'touched before you': 926605, 'before you and': 123313, 'you and before': 1016979, 'and before anyone': 58821, 'before anyone say': 122643, 'anyone say you': 80507, 'say you cannot': 739515, 'you cannot catch': 1017851, 'cannot catch it': 161710, 'catch it that': 167005, 'that way why': 847354, 'way why the': 970189, 'why the fook': 991416, 'the fook are': 855647, 'fook are we': 318278, 'are we washing': 91599, 'we washing our': 973757, 'our hand fifty': 623348, 'hand fifty seven': 374934, 'fifty seven time': 304584, 'seven time day': 753775, 'time day then': 896540, 'day then 19': 228505, 'ciao': 178446, 'ciao ve': 178447, 'never experienced': 557983, 'experienced empty': 291575, 'government wasn': 360785, 'wasn clear': 967968, 'aspect but': 96209, 'do were': 250506, 'daily no': 224724, 'ciao ve never': 178448, 've never experienced': 953383, 'never experienced empty': 557984, 'experienced empty supermarket': 291576, 'empty supermarket during': 275159, 'supermarket during these': 820060, 'these time our': 880845, 'time our government': 897431, 'our government wasn': 623278, 'government wasn clear': 360786, 'wasn clear on': 967969, 'clear on many': 181296, 'on many aspect': 601994, 'many aspect but': 513799, 'aspect but they': 96211, 'but they do': 147502, 'they do were': 881980, 'do were super': 250507, 'were super clear': 980197, 'super clear on': 818487, 'on the fact': 604108, 'supermarket were going': 823785, 'to be restocked': 901506, 'be restocked daily': 116844, 'restocked daily no': 716947, 'hear local': 387947, 'surge yet': 828286, '19 donor': 6635, 'donor too': 255171, 'for intelligent': 322620, 'intelligent giving': 441025, 'giving in': 351320, 'response cbc': 715646, 'to hear local': 907408, 'hear local food': 387948, 'are not feeling': 88368, 'not feeling the': 569394, 'feeling the surge': 303080, 'the surge yet': 869004, 'surge yet but': 828287, 'yet but are': 1016017, 'but are preparing': 145218, 'preparing for sharp': 670335, 'covid 19 donor': 212978, '19 donor too': 6636, 'donor too need': 255172, 'too need to': 924963, 'need to prepare': 556016, 'to prepare to': 912011, 'prepare to support': 670142, 'to support charity': 915910, 'support charity for': 826410, 'charity for intelligent': 173622, 'for intelligent giving': 322621, 'intelligent giving in': 441026, 'giving in covid': 351321, '19 response cbc': 10142, 'response cbc news': 715647, 'after receiving': 36109, 'enquiry from': 277811, 'from visitor': 338255, 'whether covid': 985499, 'any effect': 79159, 'on holiday': 601347, 'our island': 623584, 'island we': 454322, 'following message': 312792, 'consumer social': 199017, 'social feed': 779786, 'feed to': 302395, 'an informed': 56325, 'informed decision': 438094, 'after receiving many': 36110, 'many enquiry from': 514038, 'enquiry from visitor': 277812, 'from visitor asking': 338256, 'visitor asking about': 959579, 'asking about whether': 95934, 'about whether covid': 26917, 'whether covid 19': 985500, '19 had any': 7409, 'had any effect': 372851, 'any effect on': 79160, 'effect on holiday': 269086, 'on holiday to': 601348, 'holiday to our': 400371, 'to our island': 911196, 'our island we': 623585, 'island we have': 454323, 'put out this': 690758, 'out this following': 627566, 'this following message': 887566, 'following message on': 312793, 'message on our': 529381, 'our consumer social': 622551, 'consumer social feed': 199018, 'social feed to': 779787, 'feed to make': 302396, 'situation here so': 772306, 'here so they': 393570, 'can make an': 158922, 'make an informed': 509683, 'an informed decision': 56327, 'disobeying': 246071, 'did saw': 240790, 'saw lot': 738156, 'declare curfew': 231180, 'curfew tom': 220942, 'tom they': 923929, 'might if': 531045, 'keep disobeying': 471446, 'disobeying kuwait': 246072, 'kuwait corona': 477986, 'why did saw': 990921, 'did saw lot': 240791, 'saw lot of': 738157, 'supermarket today is': 823448, 'today is it': 919721, 'will declare curfew': 993112, 'declare curfew tom': 231181, 'curfew tom they': 220943, 'tom they might': 923930, 'they might if': 882681, 'might if people': 531046, 'people keep disobeying': 648570, 'keep disobeying kuwait': 471447, 'disobeying kuwait corona': 246073, 'kuwait corona virus': 477987, 'aside the': 95438, 'been swarming': 122117, 'swarming like': 830001, 'locust clearing': 500559, 'so inspiring': 777412, 'inspiring during': 439859, 'and generosity': 63522, 'setting aside the': 753622, 'aside the selfish': 95439, 'have been swarming': 379707, 'been swarming like': 122118, 'swarming like plague': 830002, 'of locust clearing': 585973, 'locust clearing out': 500560, 'clearing out our': 181466, 'shelf and refusing': 756756, 'refusing to keep': 707094, 'keep their social': 472095, 'their social distance': 874742, 'social distance what': 779533, 'distance what been': 246889, 'what been so': 981094, 'been so inspiring': 121996, 'so inspiring during': 777413, 'inspiring during the': 439860, 'few week is': 304150, 'is the kindness': 452840, 'the kindness and': 858817, 'kindness and generosity': 475187, 'and generosity of': 63523, 'generosity of others': 345711, 'this profiteering': 889738, 'profiteering normal': 683065, 'pay 20': 644701, 'this bag': 886485, 'bag kg': 108332, 'kg shopping': 473668, 'help socialdistanacing': 390538, 'socialdistanacing but': 780047, 'away uklockdown': 106088, 'uklockdown http': 938995, 'very sad that': 955492, 'sad that you': 729258, 'you are allowing': 1017052, 'are allowing this': 84387, 'allowing this profiteering': 46358, 'this profiteering normal': 889739, 'profiteering normal pay': 683066, 'normal pay 20': 567251, 'pay 20 00': 644702, '20 00 for': 12856, '00 for this': 216, 'for this bag': 327010, 'this bag kg': 886486, 'bag kg shopping': 108333, 'kg shopping with': 473669, 'with you would': 1002172, 'you would help': 1022451, 'would help socialdistanacing': 1011917, 'help socialdistanacing but': 390539, 'socialdistanacing but these': 780048, 'but these price': 147486, 'will turn people': 995256, 'turn people away': 935752, 'people away uklockdown': 647207, 'away uklockdown http': 106089, 'reiterated': 708298, 'delhi good': 232887, 'transport organisation': 929926, 'organisation reiterated': 619273, 'reiterated it': 708299, 'to delhi': 904087, 'delhi lg': 232897, 'lg delhi': 487893, 'delhi cm': 232883, 'cm request': 184630, 'declare lockdown': 231192, 'in delhi': 422083, 'delhi it': 232895, 'combat community': 186988, '19 request': 10109, 'delhi good transport': 232888, 'good transport organisation': 357915, 'transport organisation reiterated': 929927, 'organisation reiterated it': 619274, 'reiterated it demand': 708300, 'it demand made': 457516, 'demand made to': 235829, 'made to delhi': 508031, 'to delhi lg': 904088, 'delhi lg delhi': 232898, 'lg delhi cm': 487894, 'delhi cm request': 232884, 'cm request to': 184631, 'request to declare': 713213, 'to declare lockdown': 904007, 'declare lockdown in': 231193, 'lockdown in delhi': 499501, 'in delhi it': 422085, 'delhi it necessary': 232896, 'to combat community': 902987, 'combat community transmission': 186989, 'covid 19 request': 213692, '19 request to': 10110, 'request to arrange': 713209, 'arrange food help': 93682, 'food help for': 314809, '19 heavily': 7494, 'affected business': 34296, 'should revise': 766425, 'revise the': 720627, 'the understanding': 870363, 'current target': 221395, 'consumer their': 199270, 'have change': 379928, 'understand them': 940780, 'again continue': 36956, 'blog 19': 132895, 'covid 19 heavily': 213198, '19 heavily affected': 7495, 'heavily affected business': 388565, 'affected business and': 34297, 'business and you': 143342, 'you should revise': 1021216, 'should revise the': 766426, 'revise the understanding': 720628, 'the understanding of': 870364, 'understanding of your': 940883, 'of your current': 593457, 'your current target': 1023399, 'current target consumer': 221396, 'target consumer their': 834456, 'consumer their behavior': 199271, 'their behavior have': 872580, 'behavior have change': 124057, 'have change and': 379929, 'change and you': 171928, 'should take action': 766539, 'action to understand': 30179, 'to understand them': 917913, 'understand them again': 940781, 'them again continue': 875326, 'again continue reading': 36957, 'continue reading this': 201116, 'reading this blog': 700807, 'this blog 19': 886572, 'blog 19 consumer': 132896, 'via seniors2020': 956232, 'seniors2020 book': 750463, 'book also': 134459, 'available my': 104498, 'quarantine corona': 692094, 'via via seniors2020': 956355, 'via seniors2020 book': 956233, 'seniors2020 book also': 750464, 'book also available': 134460, 'also available my': 47898, 'available my life': 104499, '2020 quarantinediaries quarantinelife': 14551, 'quarantinediaries quarantinelife quarantine': 692907, 'quarantinelife quarantine corona': 692989, 'quarantine corona quarantinebirthday': 692096, 'natured': 553003, 'at 08': 97385, 'most good': 542349, 'good natured': 357428, 'natured queue': 553004, 'queue music': 693996, 'music playing': 546318, 'playing and': 659381, 'people laughing': 648611, 'chatting whilst': 174027, 'whilst staying': 987687, 'at suitable': 100686, 'suitable distance': 817808, 'one queue': 606932, 'queue like': 693979, 'supermarket at 08': 819225, 'at 08 30': 97387, '08 30 this': 1075, 'world most good': 1009806, 'most good natured': 542350, 'good natured queue': 357429, 'natured queue music': 553005, 'queue music playing': 693997, 'music playing and': 546319, 'playing and people': 659382, 'and people laughing': 68868, 'people laughing and': 648612, 'laughing and chatting': 481805, 'and chatting whilst': 59773, 'chatting whilst staying': 174028, 'whilst staying at': 987688, 'staying at suitable': 798574, 'at suitable distance': 100687, 'suitable distance no': 817809, 'distance no one': 246776, 'no one queue': 564956, 'one queue like': 606933, 'queue like the': 693981, 'like the british': 491354, 'exclusive capital': 289649, 'capital prime': 162677, 'prime market': 678125, 'market brief': 516117, 'brief april': 139662, 'today main': 919849, 'main headline': 508757, 'headline crude': 385994, 'trump intervention': 933635, 'intervention risk': 442199, 'exclusive capital prime': 289650, 'capital prime market': 162678, 'prime market brief': 678126, 'market brief april': 516118, 'brief april 2020': 139663, 'april 2020 today': 83479, '2020 today main': 14666, 'today main headline': 919850, 'main headline crude': 508758, 'headline crude oil': 385995, 'price surged by': 676733, 'surged by on': 828299, 'by on trump': 153424, 'on trump intervention': 604864, 'trump intervention risk': 933636, 'intervention risk warning': 442200, 'new reason': 559410, 'consumer plastic': 198369, 'appeared coronavirus': 82142, 'found alive': 330141, 'on variety': 605018, 'of surface': 590522, 'new reason to': 559411, 'export of post': 292679, 'of post consumer': 588259, 'post consumer plastic': 666056, 'consumer plastic waste': 198370, 'ha appeared coronavirus': 369598, 'appeared coronavirus and': 82143, 'coronavirus and covid': 205485, '19 the virus': 11261, 'is spread from': 452185, 'spread from human': 790537, 'from human contact': 335968, 'human contact and': 410467, 'contact and wa': 200016, 'and wa found': 75085, 'wa found alive': 962165, 'found alive on': 330142, 'alive on variety': 41828, 'on variety of': 605019, 'variety of surface': 952571, 'michiganross': 530401, 'aradhna': 83981, 'krishna': 477686, 'doe crisis': 251369, 'like cause': 489978, 'with wisconsin': 1002108, 'wisconsin public': 996633, 'radio michiganross': 695442, 'michiganross prof': 530402, 'prof aradhna': 682338, 'aradhna krishna': 83982, 'krishna shed': 477687, 'pandemic explaining': 635411, 'why doe crisis': 990949, 'doe crisis like': 251370, 'crisis like cause': 217660, 'like cause shortage': 489979, 'cause shortage in': 167730, 'shortage in toilet': 765025, 'interview with wisconsin': 442269, 'with wisconsin public': 1002109, 'wisconsin public radio': 996634, 'public radio michiganross': 688258, 'radio michiganross prof': 695443, 'michiganross prof aradhna': 530403, 'prof aradhna krishna': 682339, 'aradhna krishna shed': 83983, 'krishna shed light': 477688, 'light on consumer': 489571, 'behavior during pandemic': 124011, 'during pandemic explaining': 262869, 'pandemic explaining the': 635412, 'explaining the shortage': 292191, 'globalhealthemergency': 352322, 'fall globalhealthemergency': 296924, 'globalhealthemergency consumer': 352323, 'closed economic': 183093, 'position credit': 665164, 'bond failure': 134243, 'failure sbc': 296290, 'domino fall globalhealthemergency': 253306, 'fall globalhealthemergency consumer': 296925, 'globalhealthemergency consumer and': 352324, 'supplychain resource are': 826218, 'resource are closed': 714713, 'are closed economic': 85341, 'closed economic position': 183094, 'economic position credit': 267207, 'position credit crack': 665165, 'and bond failure': 59058, 'bond failure sbc': 134244, 'failure sbc 3x': 296291, 'the whitehouse': 871461, 'whitehouse include': 987947, 'include today': 431653, 'when the latest': 984170, 'latest update via': 481594, 'update via the': 947296, 'via the person': 956307, 'in the whitehouse': 429678, 'the whitehouse include': 871462, 'whitehouse include today': 987948, 'include today gas': 431654, 'today gas price': 919565, 'ooh': 611734, 'cha': 170401, 'ching': 177486, 'digetty': 242464, 'like treasure': 491661, 'hunt these': 411372, 'like ooh': 490929, 'ooh found': 611735, 'flour cha': 311084, 'cha ching': 170402, 'ching got': 177487, 'some butter': 782460, 'butter hot': 148149, 'hot digetty': 405006, 'digetty refried': 242465, 'bean ve': 118383, 'who else think': 988686, 'else think going': 271923, 'is like treasure': 449338, 'like treasure hunt': 491662, 'treasure hunt these': 930769, 'hunt these day': 411373, 'these day like': 879881, 'day like ooh': 227909, 'like ooh found': 490930, 'ooh found flour': 611736, 'found flour cha': 330208, 'flour cha ching': 311085, 'cha ching got': 170403, 'ching got some': 177488, 'got some butter': 358847, 'some butter hot': 782461, 'butter hot digetty': 148150, 'hot digetty refried': 405007, 'digetty refried bean': 242466, 'refried bean ve': 706777, 'bean ve never': 118384, 'been so excited': 121992, 'so excited at': 776984, 'excited at the': 289534, 'lakeland': 479072, 'rdg': 698153, 'lakeland rdg': 479075, 'rdg there': 698156, 'ppe getting': 667958, 'through but': 894357, 'affected were': 34458, 'lakeland rdg there': 479076, 'rdg there is': 698157, 'issue with ppe': 456017, 'with ppe getting': 1000275, 'ppe getting through': 667959, 'getting through but': 349387, 'through but there': 894358, 'there no data': 878805, 'no data to': 563966, 'to show if': 914560, 'show if the': 767003, 'if the staff': 415034, 'the staff affected': 867680, 'staff affected were': 792083, 'affected were wearing': 34460, 'were wearing it': 980343, 'wearing it or': 974664, '19 is airborne': 7930, 'is airborne virus': 445437, 'initiative from': 438624, 'time month': 897221, 'security for': 744599, 'using personal': 950596, 'computer more': 192745, 'detail in': 239206, 'the linked': 859449, 'linked post': 493980, 'great initiative from': 362759, 'initiative from during': 438625, 'from during this': 335238, 'this time month': 890662, 'time month free': 897222, 'our consumer internet': 622537, 'maximum security for': 520839, 'security for those': 744602, 'who have staff': 988955, 'have staff working': 382714, 'staff working from': 793114, 'from home using': 335924, 'home using personal': 402416, 'using personal computer': 950597, 'personal computer more': 652810, 'computer more detail': 192746, 'more detail in': 539020, 'detail in the': 239207, 'in the linked': 429324, 'the linked post': 859450, 'bbtips': 113209, 'unprecedented federal': 943141, 'mean check': 524391, 'already taking': 47706, 'ceo article': 169656, 'for bbtips': 319605, 'bbtips to': 113210, 'prevent these': 671742, 'the unprecedented federal': 870456, 'unprecedented federal response': 943142, 'to the mean': 916875, 'the mean check': 860344, 'mean check for': 524392, 'check for most': 174444, 'for most american': 323619, 'most american and': 542087, 'american and scammer': 51786, 'are already taking': 84427, 'already taking advantage': 47707, 'of it read': 585436, 'it read our': 460611, 'read our president': 700517, 'president ceo article': 670782, 'ceo article in': 169657, 'article in the': 94365, 'the for bbtips': 855666, 'for bbtips to': 319606, 'bbtips to spot': 113211, 'spot and prevent': 790032, 'and prevent these': 69414, 'prevent these scam': 671743, 'more sanitizer': 540309, 'provide ppe': 686431, 'ppe dreadful': 667932, 'dreadful treatment': 258579, 'no post': 565149, 'getting more sanitizer': 349125, 'more sanitizer for': 540310, 'for your staff': 328213, 'staff and provide': 792157, 'and provide ppe': 69695, 'provide ppe dreadful': 686432, 'ppe dreadful treatment': 667933, 'dreadful treatment of': 258580, 'of your staff': 593528, 'your staff no': 1025915, 'staff no sanitizer': 792680, 'no sanitizer no': 565412, 'sanitizer no post': 735417, 'no post 19': 565150, 'thatcher': 847786, 'person bulk': 652334, 'food cupboard': 314068, 'cupboard staple': 220494, 'price really': 676109, 'thing charging': 884233, 'charging 15': 173440, 'for kilo': 322854, 'kilo of': 474744, 'most thatcher': 542807, 'thatcher child': 847787, 'child bullshit': 176026, 'bullshit have': 142491, 'seen we': 747348, 'together is': 920840, 'fantasy 19': 298622, 'every person bulk': 286096, 'person bulk buying': 652335, 'buying food cupboard': 150308, 'food cupboard staple': 314069, 'cupboard staple to': 220495, 'staple to sell': 794007, 'sell on ebay': 748824, 'on ebay at': 600488, 'ebay at ridiculous': 266437, 'ridiculous price really': 721597, 'price really hope': 676110, 'really hope karma': 702309, 'hope karma is': 403530, 'karma is thing': 470949, 'is thing charging': 453060, 'thing charging 15': 884234, 'charging 15 for': 173442, '15 for kilo': 3713, 'for kilo of': 322855, 'kilo of flour': 474745, 'of flour is': 583603, 'the most thatcher': 861047, 'most thatcher child': 542808, 'thatcher child bullshit': 847788, 'child bullshit have': 176027, 'bullshit have ever': 142492, 'ever seen we': 285495, 'seen we are': 747349, 'this together is': 890771, 'together is fantasy': 920841, 'is fantasy 19': 447736, 'lndane': 497188, 'takia': 833231, 'azadganj': 106388, 'of lndane': 585920, 'lndane takia': 497189, 'takia azadganj': 833232, 'azadganj free': 106389, 'free are': 331661, 'are trouble': 91203, 'trouble by': 932597, '19 atleast': 5257, 'atleast one': 101893, 'all consumer of': 42434, 'consumer of lndane': 198242, 'of lndane takia': 585921, 'lndane takia azadganj': 497190, 'takia azadganj free': 833233, 'azadganj free are': 106390, 'free are trouble': 331662, 'are trouble by': 91204, 'trouble by covid': 932598, 'covid 19 atleast': 212661, '19 atleast one': 5258, 'atleast one week': 101894, 'meme laugh': 528328, 'laugh believe': 481712, 'hand stayhome': 375799, 'happy friday to': 377624, 'friday to everyone': 333307, 'to everyone hope': 905340, 'everyone hope everyone': 287022, 'ha great day': 370765, 'are some meme': 90272, 'some meme laugh': 783281, 'meme laugh believe': 528329, 'laugh believe we': 481713, 'believe we should': 126408, 'should not lose': 766254, 'not lose our': 570466, 'of humor in': 584895, 'humor in difficult': 410883, 'home and wash': 400710, 'your hand stayhome': 1024226, 'hand stayhome stophoarding': 375800, 'slave': 773715, 'take decision': 832056, 'implement citizen': 418375, 'of hyd': 584932, 'hyd look': 411906, 'like slave': 491199, 'slave just': 773716, 'asking let': 96018, 'their native': 874035, 'native with': 552782, 'need how': 555021, 'gonna stay': 356623, 'city prior': 179333, 'prior info': 678363, 'needed before': 556310, 'before announcing': 122633, 'if take decision': 414912, 'take decision and': 832057, 'decision and implement': 231002, 'and implement citizen': 65019, 'implement citizen of': 418376, 'citizen of hyd': 178935, 'of hyd look': 584933, 'hyd look like': 411907, 'look like slave': 502508, 'like slave just': 491200, 'slave just asking': 773717, 'just asking let': 468235, 'asking let the': 96019, 'to their native': 917256, 'their native with': 874036, 'native with increased': 552783, 'with increased price': 998977, 'of daily need': 582317, 'daily need how': 224713, 'need how we': 555022, 'how we gonna': 409172, 'we gonna stay': 971666, 'gonna stay in': 356624, 'stay in city': 797041, 'in city prior': 421482, 'city prior info': 179334, 'prior info needed': 678364, 'info needed before': 437521, 'needed before announcing': 556311, 'before announcing lockdown': 122634, 'turd': 935520, 'the turd': 870108, 'turd you': 935521, 'you wiped': 1022367, 'wiped from': 996455, 'shoe keyworkers': 759675, 'in supermarket few': 428595, 'supermarket few day': 820300, 'ago wa the': 38533, 'wa the turd': 963475, 'the turd you': 870109, 'turd you wiped': 935522, 'you wiped from': 1022368, 'wiped from your': 996456, 'from your shoe': 338495, 'your shoe keyworkers': 1025757, 'djjdhdjej': 248836, 'be 20': 113417, 'off havent': 593888, 'havent edited': 383936, 'edited the': 268591, 'math djjdhdjej': 520460, 'all my commission': 43548, 'my commission will': 547761, 'commission will now': 188922, 'now be 20': 574191, 'be 20 off': 113419, '20 off havent': 13212, 'off havent edited': 593889, 'havent edited the': 383937, 'edited the price': 268592, 'price in here': 674693, 'in here so': 423671, 'here so please': 393568, 'do the math': 250249, 'the math djjdhdjej': 860291, 'illinois is': 416292, 'begin lockdown': 123532, 'lockdown tomorrow': 500070, 'pharmacy hospital': 654348, 'hospital gas': 404418, 'is deploying': 447128, 'deploying the': 237475, 'guard he': 367802, 'give press': 350658, 'illinois is set': 416293, 'to begin lockdown': 901710, 'begin lockdown tomorrow': 123533, 'lockdown tomorrow saturday': 500071, 'tomorrow saturday due': 924179, 'only time we': 611349, 'can go outside': 158508, 'go outside is': 354013, 'outside is for': 629466, 'for the pharmacy': 326620, 'the pharmacy hospital': 863655, 'pharmacy hospital gas': 654349, 'hospital gas station': 404419, 'store is deploying': 808485, 'is deploying the': 447129, 'deploying the national': 237476, 'national guard he': 552525, 'guard he and': 367803, 'he and to': 384745, 'to give press': 906705, 'give press conference': 350659, 'conference today at': 193768, 'today at 3pm': 919268, 'carpetbagging': 164899, 'increased purchasing': 433440, 'purchasing via': 689943, 'via credit': 955900, 'card coz': 163496, 'coz no': 214542, 'like handling': 490370, 'handling cash': 376337, 'cash during': 166217, 'pandemic shrinking': 636462, 'shrinking bank': 767705, 'allow cc': 45922, 'cc to': 168411, 'increase market': 432904, 'market penetration': 516836, 'penetration and': 646495, 'will profit': 994477, 'yet are': 1016004, 'are carpetbagging': 85180, 'increased purchasing via': 433441, 'purchasing via credit': 689944, 'via credit card': 955901, 'credit card coz': 216332, 'card coz no': 163497, 'coz no one': 214543, 'one like handling': 606601, 'like handling cash': 490371, 'handling cash during': 376338, 'cash during the': 166218, 'the pandemic shrinking': 863094, 'pandemic shrinking bank': 636463, 'shrinking bank account': 767706, 'bank account will': 109560, 'account will allow': 28785, 'will allow cc': 992241, 'allow cc to': 45923, 'cc to increase': 168412, 'to increase market': 908285, 'increase market penetration': 432905, 'market penetration and': 516837, 'penetration and consumer': 646496, 'debt they will': 230580, 'they will profit': 883874, 'will profit from': 994478, '19 yet are': 12255, 'yet are carpetbagging': 1016005, 'your hoarding': 1024326, 'putting me': 691160, 'causing store': 168100, 'more stress': 540478, 'stress groceryworkers': 813334, 'is absolutely necessary': 445296, 'absolutely necessary to': 27393, 'necessary to go': 554117, 'go out your': 354002, 'out your hoarding': 627912, 'your hoarding is': 1024327, 'hoarding is putting': 399395, 'is putting me': 451159, 'putting me and': 691161, 'me and many': 522417, 'many other employee': 514428, 'other employee and': 620134, 'employee and yourself': 273597, 'and yourself at': 76106, 'risk and causing': 723367, 'and causing store': 59647, 'causing store more': 168101, 'store more stress': 808988, 'more stress groceryworkers': 540479, 'find may': 307048, 'surface longer': 828043, 'thought wipe': 893318, 'with cleanser': 997657, 'cleanser wash': 181174, 'frequently use': 332884, 'safe flatteningthecurve': 729663, 'study find may': 814882, 'find may stay': 307049, 'may stay on': 521531, 'stay on surface': 797146, 'on surface longer': 603849, 'surface longer than': 828044, 'previously thought wipe': 672063, 'thought wipe down': 893319, 'wipe down surface': 996239, 'down surface with': 257243, 'surface with cleanser': 828097, 'with cleanser wash': 997658, 'cleanser wash hand': 181175, 'hand frequently use': 374960, 'frequently use sanitizer': 332886, 'use sanitizer be': 949538, 'sanitizer be safe': 734549, 'be safe flatteningthecurve': 116954, 'order yet': 618797, 'for minnesota': 323459, 'minnesota those': 533618, 'those hawking': 892054, 'hawking toilet': 384482, 'no shelter in': 565481, 'place order yet': 657643, 'order yet for': 618798, 'yet for minnesota': 1016075, 'for minnesota those': 323460, 'minnesota those hawking': 533619, 'those hawking toilet': 892055, 'hawking toilet paper': 384483, 'sanitizer at excessive': 734504, 'excessive price could': 289402, 'kalyan': 470722, 'take pledge': 832508, 'our indian': 623526, 'shopping ie': 762941, 'ie rather': 413739, 'rather then': 697569, 'zero contribution': 1027426, 'contribution in': 201938, 'india they': 434645, 'screw take': 742800, 'own nation': 632112, 'nation kalyan': 552237, 'let take pledge': 487104, 'take pledge to': 832509, 'pledge to use': 660861, 'use our indian': 949463, 'our indian company': 623527, 'indian company for': 434795, 'company for online': 190675, 'online shopping ie': 609150, 'shopping ie rather': 762942, 'ie rather then': 413740, 'rather then and': 697570, 'then and due': 876988, 'due to zero': 262039, 'to zero contribution': 919051, 'zero contribution in': 1027427, 'contribution in india': 201939, 'in india they': 424058, 'india they just': 434646, 'they just come': 882490, 'just come to': 468497, 'come to screw': 187595, 'to screw take': 913935, 'screw take the': 742801, 'take the money': 832662, 'the money back': 860806, 'money back to': 536626, 'to their own': 917259, 'their own nation': 874189, 'own nation kalyan': 632113, 'rip off price': 722666, 'blob': 132754, 'that blob': 842997, 'blob of': 132755, 'shit it': 759156, 'people those': 649849, 'be damn': 114325, 'damn hungry': 225366, 'hungry highriskcovid19': 411262, 'highriskcovid19 panicbuy': 396118, 'panicbuy stophoarding': 638840, 'you all really': 1016901, 'all really going': 44129, 'be that blob': 117577, 'that blob of': 842998, 'blob of shit': 132756, 'of shit it': 589601, 'shit it is': 759157, 'and people those': 68887, 'people those of': 649850, 'will be damn': 992417, 'be damn hungry': 114326, 'damn hungry highriskcovid19': 225367, 'hungry highriskcovid19 panicbuy': 411263, 'highriskcovid19 panicbuy stophoarding': 396119, 'queer': 693427, 'professionalism': 682527, 'say everything': 738620, 'that ireland': 844544, 'ireland main': 444835, 'main queer': 508802, 'queer consumer': 693428, 'title is': 899284, 'free published': 332088, 'published with': 688708, 'with terrific': 1001144, 'terrific professionalism': 838478, 'professionalism by': 682528, 'by ireland': 152937, 'ireland oldest': 444839, 'oldest and': 598696, 'voluntary run': 960197, 'run lgbt': 727693, 'lgbt ngo': 487917, 'ngo don': 561845, 'people sign': 649469, 'and become': 58796, 'become supporter': 120151, 'supporter in': 827093, 'crisis community': 217233, 'it say everything': 460888, 'say everything that': 738621, 'everything that ireland': 288027, 'that ireland main': 844545, 'ireland main queer': 444836, 'main queer consumer': 508803, 'queer consumer title': 693429, 'consumer title is': 199302, 'title is available': 899285, 'is available free': 445917, 'available free published': 104396, 'free published with': 332089, 'published with terrific': 688710, 'with terrific professionalism': 1001145, 'terrific professionalism by': 838479, 'professionalism by ireland': 682529, 'by ireland oldest': 152938, 'ireland oldest and': 444840, 'oldest and voluntary': 598697, 'and voluntary run': 75023, 'voluntary run lgbt': 960198, 'run lgbt ngo': 727694, 'lgbt ngo don': 487918, 'ngo don let': 561846, 'let it down': 486824, 'it down people': 457694, 'down people sign': 257086, 'people sign up': 649470, 'up and become': 944308, 'and become supporter': 58798, 'become supporter in': 120152, 'supporter in this': 827094, 'of crisis community': 582153, 'wvnews247': 1013625, 'wvnews247 ag': 1013626, 'wvnews247 ag morrisey': 1013627, 'enjoying describing': 277226, 'describing any': 237971, 'then returning': 877484, 'returning with': 720033, 'enjoying describing any': 277227, 'describing any trip': 237972, 'be out panic': 116289, 'buying and then': 149939, 'and then returning': 73800, 'then returning with': 877485, 'returning with the': 720034, 'gist': 350328, 'saluting': 732878, 'providng': 687152, 'to lighting': 909271, 'lighting candle': 489648, 'candle darkness': 161317, 'darkness fall': 226000, 'fall placing': 297027, 'placing it': 657941, 'the gist': 856268, 'gist small': 350329, 'small way': 775185, 'of saluting': 589254, 'saluting the': 732879, 'men all': 528448, 'all others': 43793, 'on providng': 602995, 'providng vital': 687153, 'forward to lighting': 330030, 'to lighting candle': 909272, 'lighting candle darkness': 489649, 'candle darkness fall': 161318, 'darkness fall placing': 226001, 'fall placing it': 297028, 'placing it in': 657942, 'in the window': 429683, 'the window not': 871594, 'window not that': 995691, 'there is just': 878578, 'just one but': 469373, 'one but you': 606030, 'get the gist': 348248, 'the gist small': 856269, 'gist small way': 350330, 'small way of': 775186, 'way of saluting': 969764, 'of saluting the': 589255, 'saluting the nh': 732880, 'staff the supermarket': 792952, 'staff the bin': 792938, 'bin men all': 131016, 'men all others': 528449, 'all others who': 43794, 'who are carrying': 988113, 'are carrying on': 85186, 'carrying on providng': 165201, 'on providng vital': 602996, 'providng vital service': 687154, 'bd3': 113393, 'catsoftwitter': 167330, 'mycatdoesnthalfgoon': 550695, 'beast of': 118496, 'of bd3': 580587, 'bd3 who': 113396, 'his opinion': 397664, 'buying animal': 149949, 'thus depriving': 895502, 'depriving other': 237713, 'other animal': 619837, 'danger catsoftwitter': 225642, 'catsoftwitter cat': 167331, 'cat mycatdoesnthalfgoon': 166889, 'is the beast': 452734, 'the beast of': 849401, 'beast of bd3': 118497, 'of bd3 who': 580589, 'bd3 who give': 113397, 'who give his': 988784, 'give his opinion': 350525, 'his opinion on': 397666, 'current situation and': 221357, 'situation and on': 772185, 'and on these': 68071, 'on these people': 604573, 'who panic by': 989409, 'panic by buying': 637980, 'by buying animal': 152035, 'buying animal food': 149950, 'animal food and': 76597, 'food and thus': 313362, 'and thus depriving': 74108, 'thus depriving other': 895503, 'depriving other animal': 237714, 'other animal and': 619838, 'animal and putting': 76550, 'and putting them': 69841, 'them in danger': 875899, 'in danger catsoftwitter': 421971, 'danger catsoftwitter cat': 225643, 'catsoftwitter cat mycatdoesnthalfgoon': 167332, 'son joined': 785399, 'against he': 37481, 'just hired': 468970, 'hired stocker': 397044, 'stocker at': 803496, 'store attention': 806609, 'attention crazy': 102434, 'crazy customer': 215277, 'him put': 396695, 'before fight': 122795, 'today my son': 919907, 'my son joined': 550160, 'son joined the': 785400, 'joined the rank': 466955, 'rank of the': 696784, 'of the unsung': 591575, 'war against he': 966342, 'against he wa': 37482, 'he wa just': 385605, 'wa just hired': 962460, 'just hired stocker': 468971, 'hired stocker at': 397045, 'stocker at our': 803497, 'grocery store attention': 365225, 'store attention crazy': 806610, 'attention crazy customer': 102435, 'crazy customer please': 215278, 'customer please let': 222697, 'please let him': 660180, 'let him put': 486796, 'him put the': 396696, 'paper on shelf': 640532, 'on shelf before': 603401, 'shelf before fight': 756884, 'before fight over': 122796, 'fight over it': 304830, 'over it don': 630342, 'it don wanna': 457660, 'don wanna see': 254033, 'wanna see him': 965669, 'ruler are': 727433, 'very harsh': 955220, 'harsh on': 378560, 'worst class': 1011157, 'hoarder that': 399115, 'existed retweet': 290265, 'our ruler are': 624656, 'ruler are very': 727434, 'are very harsh': 91464, 'very harsh on': 955221, 'harsh on for': 378561, 'on for hoarding': 600945, 'the panic meanwhile': 863212, 'the worst class': 872044, 'worst class of': 1011158, 'class of hoarder': 180224, 'of hoarder that': 584690, 'hoarder that ever': 399116, 'that ever existed': 843747, 'ever existed retweet': 285295, 'existed retweet if': 290266, 're sick of': 699520, 'and we cannot': 75285, 'on hindustan': 601312, 'unilever hul': 941793, 'hul they': 410364, 'they increased': 882456, 'difficulty shame': 242403, 'shame news': 754612, 'boycott hul': 137331, 'shame on hindustan': 754624, 'on hindustan unilever': 601313, 'hindustan unilever hul': 396878, 'unilever hul they': 941794, 'hul they increased': 410365, 'they increased price': 882458, 'wash in the': 967508, 'of difficulty shame': 582603, 'difficulty shame news': 242404, 'shame news we': 754613, 'news we must': 560955, 'we must boycott': 972405, 'must boycott hul': 546570, 'punjab show': 689276, 'by announcing': 151861, 'announcing special': 77325, 'special health': 787951, '50 lakh': 19741, 'lakh each': 479103, 'each for': 264078, 'for policeman': 324607, 'policeman and': 663279, 'for procurement': 324761, 'procurement of': 680115, 'medical item': 526230, 'price without': 677632, 'any bureaucratic': 78985, 'bureaucratic hassle': 142822, 'punjab show the': 689277, 'show the way': 767224, 'the way by': 871144, 'way by announcing': 969512, 'by announcing special': 151862, 'announcing special health': 77326, 'special health insurance': 787952, 'health insurance cover': 386545, 'insurance cover of': 440711, 'cover of 50': 212267, 'of 50 lakh': 579611, '50 lakh each': 19743, 'lakh each for': 479104, 'each for policeman': 264079, 'for policeman and': 324608, 'policeman and sanitation': 663280, 'worker and ordered': 1006319, 'and ordered for': 68253, 'ordered for procurement': 618850, 'for procurement of': 324762, 'procurement of emergency': 680116, 'of emergency medical': 583043, 'emergency medical item': 272800, 'medical item at': 526231, 'item at market': 463131, 'market price without': 516908, 'price without any': 677633, 'without any bureaucratic': 1002494, 'any bureaucratic hassle': 78986, 'scam going': 740180, 'read this about': 700606, 'this about the': 886172, 'the covid scam': 852239, 'covid scam going': 214222, 'scam going around': 740181, 'we let': 972186, 'dead employee': 229143, 'employee affect': 273522, 'making those': 511466, 'those point': 892357, 'are the official': 90870, 'why should we': 991345, 'should we let': 766648, 'we let few': 972187, 'few dead employee': 303800, 'dead employee affect': 229144, 'employee affect our': 273523, 'affect our stock': 34205, 'hear that even': 387988, 'that even ha': 843734, 'ha started making': 372044, 'started making those': 794780, 'making those point': 511467, 'thelogicalmauritian': 875292, 'publichealthcare': 688549, 'stockpile month': 803775, 'food stockpiling': 316823, 'buying thelogicalmauritian': 151184, 'thelogicalmauritian mauritius': 875293, 'mauritius publichealthcare': 520725, 'publichealthcare stockpiling': 688550, 'coronavirus think of': 206926, 'those who dont': 892632, 'who dont have': 988658, 'dont have enough': 255227, 'money to stockpile': 537120, 'to stockpile month': 915477, 'stockpile month of': 803776, 'of food stockpiling': 583786, 'food stockpiling will': 316824, 'stockpiling will not': 804122, 'will not save': 994267, 'not save you': 571435, 'save you from': 737706, 'from coronavirus stop': 335022, 'coronavirus stop panic': 206834, 'panic buying thelogicalmauritian': 637927, 'buying thelogicalmauritian mauritius': 151185, 'thelogicalmauritian mauritius publichealthcare': 875294, 'mauritius publichealthcare stockpiling': 520726, 'publichealthcare stockpiling panic': 688551, 'stockpiling panic panicbuying': 804042, 'atar': 101708, 'woefully': 1003343, 'happened enough': 377239, 'enough policy': 277571, 'policy band': 663347, 'aid perhaps': 39439, 'perhaps better': 651570, 'idea scrap': 413165, 'scrap atar': 742576, 'atar woefully': 101709, 'woefully poor': 1003346, 'poor tool': 664310, 'tool look': 925428, 'to finland': 905969, 'finland for': 307953, 'for idea': 322462, 'for education': 320957, 'education reform': 268859, 'reform oz': 706728, 'oz student': 632764, 'student deserve': 814672, 'it happened enough': 458467, 'happened enough policy': 377240, 'enough policy band': 277572, 'policy band aid': 663348, 'band aid perhaps': 109330, 'aid perhaps better': 39440, 'perhaps better idea': 651571, 'better idea scrap': 128334, 'idea scrap atar': 413166, 'scrap atar woefully': 742577, 'atar woefully poor': 101710, 'woefully poor tool': 1003347, 'poor tool look': 664311, 'tool look to': 925429, 'look to finland': 502631, 'to finland for': 905970, 'finland for idea': 307954, 'for idea for': 322463, 'idea for education': 413047, 'for education reform': 320958, 'education reform oz': 268860, 'reform oz student': 706729, 'oz student deserve': 632765, 'student deserve better': 814673, 'projekt': 683591, 'our projekt': 624491, 'projekt it': 683592, 'be web': 118080, 'app indicating': 81726, 'indicating which': 435018, 'are overly': 88925, 'overly crowded': 631309, 'crowded 19': 219287, 'out our projekt': 626988, 'our projekt it': 624492, 'projekt it will': 683593, 'will be web': 992769, 'be web app': 118081, 'web app indicating': 974934, 'app indicating which': 81727, 'indicating which supermarket': 435019, 'which supermarket are': 986353, 'supermarket are overly': 819177, 'are overly crowded': 88926, 'overly crowded 19': 631310, 'normal purchase': 567283, 'cannot self': 162082, 'isolate ask': 454821, 'ask friend': 95542, 'neighbor family': 557007, 'unnecessary but': 942895, 'but serious': 147010, 'serious problem': 751452, 'problem at': 679472, 'not whether': 572498, 'buying make your': 150696, 'make your normal': 510764, 'your normal purchase': 1025029, 'normal purchase if': 567284, 'purchase if you': 689500, 'you cannot self': 1017876, 'cannot self isolate': 162083, 'self isolate ask': 747664, 'isolate ask friend': 454822, 'ask friend neighbor': 95543, 'friend neighbor family': 333721, 'neighbor family member': 557008, 'family member for': 298032, 'member for help': 528083, 'for help you': 322192, 'help you are': 390952, 'are causing unnecessary': 85211, 'causing unnecessary but': 168144, 'unnecessary but serious': 942897, 'but serious problem': 147011, 'serious problem at': 751453, 'problem at time': 679474, 'focusing on not': 311997, 'on not whether': 602443, 'not whether we': 572499, 'whether we can': 985610, 'unisex': 942026, 'shitgotreal': 759320, 'expressyourselfbydon': 293100, 'latest addition': 481198, 'shop 2020': 759791, 'year shit': 1014949, 'real unisex': 701437, 'unisex shirt': 942027, 'shirt woman': 759035, 'woman tee': 1003625, 'tee toiletpaperwars': 836460, 'toiletpaperwars toiletpaper': 923348, 'toiletpaper shitgotreal': 922455, 'shitgotreal expressyourselfbydon': 759321, 'excited to share': 289576, 'the latest addition': 859073, 'latest addition to': 481199, 'addition to my': 31741, 'to my etsy': 910393, 'etsy shop 2020': 283188, 'shop 2020 the': 759792, 'the year shit': 872168, 'year shit got': 1014950, 'shit got real': 759119, 'got real unisex': 358812, 'real unisex shirt': 701438, 'unisex shirt woman': 942028, 'shirt woman tee': 759036, 'woman tee toiletpaperwars': 1003626, 'tee toiletpaperwars toiletpaper': 836461, 'toiletpaperwars toiletpaper shitgotreal': 923349, 'toiletpaper shitgotreal expressyourselfbydon': 922456, 'grinspoon': 364001, 'grinspoon what': 364002, 'what protective': 982062, 'gear doe': 344945, 'he have': 385079, 'should affect': 765480, 'affect his': 34156, 'his decision': 397351, 'of commission': 581560, 'commission it': 188856, 'it invaluable': 458831, 'invaluable service': 443591, 'grinspoon what protective': 364003, 'what protective gear': 982063, 'protective gear doe': 685753, 'gear doe he': 344946, 'doe he have': 251406, 'he have on': 385080, 'have on and': 381763, 'on and access': 599346, 'access to sanitizer': 28276, 'to sanitizer while': 913759, 'sanitizer while on': 736085, 'the job that': 858673, 'job that should': 466185, 'that should affect': 846281, 'should affect his': 765481, 'affect his decision': 34157, 'his decision and': 397352, 'decision and do': 231001, 'do you or': 250654, 'you or any': 1020221, 'or any family': 614342, 'any family member': 79215, 'family member have': 298036, 'member have symptom': 528105, 'symptom of why': 830891, 'you out of': 1020261, 'out of commission': 626702, 'of commission it': 581562, 'commission it invaluable': 188857, 'it invaluable service': 458832, 'invaluable service but': 443592, 'firstfieldsfamily': 309203, 'loveoneanother': 505016, 'commandment': 188342, 'preschool': 670457, 'everyone especially': 286895, 'day love': 227948, 'love field': 504658, 'field firstfieldsfamily': 304471, 'firstfieldsfamily walmart': 309204, 'walmart bekind': 965285, 'bekind loveoneanother': 126103, 'loveoneanother commandment': 505017, 'commandment preschool': 188343, 'preschool worship': 670462, 'love one another': 504742, 'one another good': 605919, 'another good reminder': 77639, 'good reminder for': 357646, 'reminder for everyone': 710553, 'for everyone especially': 321210, 'everyone especially at': 286896, 'these day love': 879883, 'day love field': 227949, 'love field firstfieldsfamily': 504659, 'field firstfieldsfamily walmart': 304472, 'firstfieldsfamily walmart bekind': 309205, 'walmart bekind loveoneanother': 965286, 'bekind loveoneanother commandment': 126104, 'loveoneanother commandment preschool': 505018, 'commandment preschool worship': 188344, 'global view': 352278, 'changing amid': 172637, 'global view of': 352279, 'view of how': 957126, 'of how consumer': 584817, 'is changing amid': 446462, 'changing amid covid': 172638, 'the depleting': 853147, 'depleting stock': 237427, 'water truck': 969231, 'america remain': 51655, 'nation lifeline': 552250, 'lifeline under': 489318, 'current threat': 221399, 'detail click': 239177, 'overtime to replenish': 631649, 'replenish the depleting': 711653, 'the depleting stock': 853148, 'depleting stock of': 237428, 'stock of medical': 802530, 'medical supply food': 526443, 'supply food and': 825247, 'and water truck': 75261, 'water truck driver': 969232, 'truck driver across': 932761, 'driver across america': 259388, 'across america remain': 29250, 'america remain to': 51656, 'remain to be': 709889, 'be the nation': 117638, 'the nation lifeline': 861249, 'nation lifeline under': 552251, 'lifeline under the': 489319, 'the current threat': 852670, 'current threat of': 221400, 'more detail click': 539017, 'detail click here': 239178, 'yesterday asked': 1015679, 'my constituency': 547791, 'constituency which': 195731, 'were increasing': 979789, 'product am': 680850, 'appalled to': 81829, 'learn of': 484045, 'such practice': 816688, 'practice hope': 668588, 'store large': 808666, 'small will': 775189, 'will act': 992188, 'act responsibly': 29761, 'yesterday asked about': 1015680, 'asked about pharmacy': 95711, 'about pharmacy in': 25950, 'pharmacy in my': 654357, 'in my constituency': 425556, 'my constituency which': 547793, 'constituency which were': 195732, 'which were increasing': 986478, 'were increasing the': 979790, 'essential product am': 281413, 'product am appalled': 680851, 'am appalled to': 49896, 'appalled to learn': 81830, 'to learn of': 909134, 'learn of such': 484046, 'of such practice': 590366, 'such practice hope': 816689, 'practice hope and': 668589, 'hope and hope': 403419, 'and hope that': 64718, 'hope that all': 403641, 'that all store': 842566, 'all store large': 44499, 'store large and': 808667, 'and small will': 71784, 'small will act': 775190, 'will act responsibly': 992189, 'creating perfect': 216048, 'lender well': 486265, 'crisis is creating': 217565, 'is creating perfect': 446916, 'creating perfect storm': 216049, 'storm for online': 811802, 'for online lender': 324106, 'online lender well': 608478, 'lender well consumer': 486266, 'are proceeding': 89245, 'proceeding with': 679846, 'with temporary': 1001140, 'due both': 261639, 'to crashing': 903692, 'company are proceeding': 190438, 'are proceeding with': 89246, 'proceeding with temporary': 679847, 'with temporary layoff': 1001141, 'temporary layoff due': 837657, 'layoff due both': 482687, 'due both to': 261640, 'both to crashing': 136078, 'to crashing oil': 903693, 'novel coronavirus that': 573764, 'corona if': 204003, 'if owned': 414586, 'corona if owned': 204004, 'if owned supermarket': 414587, 'dataprices': 226545, 'now wondering': 576467, 'suit to': 817794, 'distancing dataprices': 247090, 'dataprices fightcovid19': 226546, 'ha cut data': 370303, 'so now wondering': 777912, 'now wondering if': 576468, 'wondering if will': 1004182, 'if will follow': 415360, 'will follow suit': 993465, 'follow suit to': 312511, 'suit to encourage': 817795, 'social distancing dataprices': 779585, 'distancing dataprices fightcovid19': 247091, 'australia ever': 103272, 'in australia ever': 420605, 'australia ever 19': 103273, 'underinsured': 940454, 'healthcare cost': 387080, 'please about': 659629, 'about medicaid': 25718, 'medicaid expansion': 526017, 'medical coverage': 526121, 'for uninsured': 327446, 'uninsured and': 941836, 'and underinsured': 74627, 'underinsured medicare': 940455, 'high deductible': 394985, 'deductible and': 231783, 'prescription high': 670512, 'we worry': 973960, 'about medical': 25720, 'news healthcare cost': 560506, 'healthcare cost are': 387081, 'cost are very': 207870, 'are very present': 91473, 'very present in': 955431, 'present in the': 670602, 'mind of all': 532700, 'of all please': 579970, 'all please about': 43977, 'please about medicaid': 659630, 'about medicaid expansion': 25719, 'medicaid expansion and': 526018, 'expansion and medical': 290556, 'and medical coverage': 66872, 'medical coverage for': 526122, 'coverage for uninsured': 212352, 'for uninsured and': 327447, 'uninsured and underinsured': 941837, 'and underinsured medicare': 74628, 'underinsured medicare ha': 940456, 'medicare ha high': 526580, 'ha high deductible': 370861, 'high deductible and': 394986, 'deductible and prescription': 231784, 'and prescription high': 69381, 'prescription high price': 670513, 'price we worry': 677414, 'we worry about': 973961, 'worry about medical': 1010645, 'about medical bill': 25721, 'have we really': 383559, 'we really come': 973021, 'really come to': 702069, 'to this 19': 917400, 'likel': 491925, 'product giant': 681223, 'unilever get': 941789, 'their communication': 872820, 'communication to': 189650, 'must and': 546476, 'do guidance': 249361, 'during note': 262821, 'march 13th': 515067, '13th so': 3368, 'have likel': 381313, 'global consumer product': 351807, 'consumer product giant': 198459, 'product giant unilever': 681224, 'giant unilever get': 349883, 'unilever get it': 941790, 'get it right': 347422, 'it right in': 460778, 'right in their': 721955, 'in their communication': 429727, 'their communication to': 872821, 'communication to all': 189651, 'to all employee': 900244, 'all employee with': 42683, 'employee with the': 274448, 'with the must': 1001396, 'the must and': 861158, 'must and must': 546477, 'not do guidance': 569060, 'do guidance during': 249362, 'guidance during note': 368221, 'during note this': 262822, 'note this wa': 572830, 'this wa from': 891064, 'wa from march': 962176, 'from march 13th': 336343, 'march 13th so': 515068, '13th so they': 3369, 'so they may': 778476, 'may have likel': 521244, 'today meme': 919874, '19 coronamemes': 6071, 'store today meme': 810855, 'today meme 19': 919875, 'meme 19 coronamemes': 528294, 'sponsoredad': 789844, 'from reliable': 337071, 'iconmeals it': 412814, '10 at': 1320, 'jessejames10 sponsoredad': 465251, 'sponsoredad dodge': 789845, 'some people worry': 783550, 'worry about not': 1010649, 'food from reliable': 314613, 'from reliable source': 337072, 'reliable source with': 709214, 'with iconmeals it': 998929, 'iconmeals it the': 412815, 'it the meal': 461557, 'up and save': 944367, 'and save 10': 70947, 'save 10 at': 737460, '10 at with': 1322, 'at with my': 101574, 'with my code': 999614, 'code jessejames10 sponsoredad': 185375, 'jessejames10 sponsoredad dodge': 465252, 'simple food': 770019, 'get the usual': 348308, 'the usual amount': 870583, 'amount of grocery': 53225, 'grocery and simple': 364259, 'and simple food': 71678, 'simple food this': 770021, 'food this week': 317198, 'this week because': 891189, 'week because other': 975988, 'because other people': 119446, 'are hoarding and': 87199, 'every student': 286229, 'had part': 373388, 'every student is': 286230, 'student is wishing': 814714, 'is wishing they': 454007, 'they had part': 882255, 'had part time': 373389, 'time job in': 897092, 'makesnosense': 510890, 'whosagenda': 990612, 'shutdownny': 768144, 'store literally': 808781, 'literally inch': 495026, 'inch away': 431391, 'can workout': 160256, 'workout get': 1009162, 'get haircut': 347176, 'haircut go': 374033, 'to dinner': 904311, 'dinner hmm': 243067, 'hmm agenda': 398668, 'agenda conspiracytheory': 38113, 'conspiracytheory makesnosense': 195591, 'makesnosense whosagenda': 510891, 'whosagenda shutdownny': 990613, 'can stand on': 159723, 'stand on line': 793561, 'grocery store literally': 365532, 'store literally inch': 808782, 'literally inch away': 495027, 'inch away from': 431392, 'away from another': 105859, 'from another person': 334539, 'another person but': 77756, 'person but can': 652339, 'but can workout': 145368, 'can workout get': 160257, 'workout get haircut': 1009163, 'get haircut go': 347177, 'haircut go out': 374034, 'out to dinner': 627637, 'to dinner hmm': 904312, 'dinner hmm agenda': 243068, 'hmm agenda conspiracytheory': 398669, 'agenda conspiracytheory makesnosense': 38114, 'conspiracytheory makesnosense whosagenda': 195592, 'makesnosense whosagenda shutdownny': 510892, 'busken': 144808, 'choose just': 177892, 'just which': 470295, 'be delicious': 114390, 'delicious toilet': 233028, 'paper cake': 639991, 'cake from': 155236, 'or actual': 614255, 'actual toilet': 30702, 'spareasquare cake': 787516, 'cake treat': 155261, 'treat busken': 930807, 'busken bakery': 144809, 'had to choose': 373675, 'to choose just': 902745, 'choose just which': 177893, 'just which would': 470296, 'which would it': 986520, 'it be delicious': 456727, 'be delicious toilet': 114391, 'delicious toilet paper': 233029, 'toilet paper cake': 921218, 'paper cake from': 639992, 'cake from or': 155237, 'from or actual': 336711, 'or actual toilet': 614256, 'actual toilet paper': 30703, 'paper toiletpaper spareasquare': 640955, 'toiletpaper spareasquare cake': 922505, 'spareasquare cake treat': 787517, 'cake treat busken': 155262, 'treat busken bakery': 930808, 'amid the recession': 52712, 'some absolute': 782250, 'danger who': 225709, 'piling which': 656639, 'away essential': 105828, 'vulnerable there': 961202, 'is true wereinthistogether': 453374, 'are some absolute': 90255, 'some absolute danger': 782251, 'absolute danger who': 27232, 'danger who are': 225710, 'stock piling which': 802679, 'piling which take': 656640, 'which take away': 986367, 'take away essential': 831963, 'away essential food': 105829, 'essential food etc': 281042, 'etc for the': 282551, 'the vulnerable there': 871000, 'vulnerable there also': 961203, 'there also employer': 877971, 'bringing some': 140195, 'use ratio': 949514, 'ratio is': 697616, 'will country': 993052, 'country resort': 211008, 'trade restriction': 928564, 'restriction let': 717312, 'bringing some good': 140196, 'good news there': 357461, 'shortage of staple': 765135, 'staple food inventory': 793933, 'food inventory and': 315101, 'inventory and the': 443646, 'stock to use': 803006, 'to use ratio': 918061, 'use ratio is': 949516, 'ratio is close': 697617, 'is close to': 446568, 'to normal the': 910662, 'normal the question': 567358, 'question is will': 693638, 'is will country': 453990, 'will country resort': 993053, 'country resort to': 211009, 'resort to trade': 714680, 'to trade restriction': 917691, 'trade restriction let': 928565, 'restriction let hope': 717313, 'let hope not': 486803, 'hope not food': 403554, 'not food foodsecurity': 569470, 'bloodstream': 133157, 'vaccine that': 951773, 'that automatically': 842897, 'automatically enters': 103995, 'enters into': 278485, 'the bloodstream': 849787, 'bloodstream of': 133158, 'distancing happening': 247192, '19 vaccine that': 11724, 'vaccine that automatically': 951774, 'that automatically enters': 842898, 'automatically enters into': 103996, 'enters into the': 278486, 'into the bloodstream': 443100, 'the bloodstream of': 849788, 'bloodstream of anyone': 133159, 'of anyone who': 580285, 'who go into': 988791, 'into supermarket because': 443037, 'is very little': 453680, 'very little social': 955326, 'social distancing happening': 779628, 'distancing happening at': 247193, 'happening at any': 377329, 'at any of': 98026, 'any of them': 79539, 'your exposure': 1023722, 'novel read': 573814, 'whether you buy': 985617, 'you buy grocery': 1017570, 'grocery online or': 364783, 'simple step you': 770100, 'take to try': 832745, 'limit your exposure': 492571, 'your exposure to': 1023723, 'the novel read': 861922, 'scheme across': 741545, 'country if': 210763, 'family ton': 298333, 'ton inform': 924260, 'inform them': 437671, 'some ongoing': 783436, 'ongoing scam': 607682, 'scam identified': 740193, 'identified by': 413324, 'already there are': 47719, 'are many consumer': 88026, 'many consumer fraud': 513931, 'consumer fraud scheme': 197540, 'fraud scheme across': 331343, 'scheme across the': 741546, 'the country if': 852097, 'country if you': 210764, 'can please retweet': 159257, 'retweet to share': 720093, 'this with friend': 891460, 'friend and your': 333517, 'your family ton': 1023805, 'family ton inform': 298334, 'ton inform them': 924261, 'inform them of': 437672, 'them of some': 876074, 'of some ongoing': 589901, 'some ongoing scam': 783437, 'ongoing scam identified': 607683, 'scam identified by': 740194, 'identified by law': 413325, 'by law enforcement': 153028, 'shoshana': 765399, 'shoshanna': 765402, 'lightweight': 489672, 'friday 03': 333175, '20 shoshana': 13346, 'shoshana say': 765400, 'again shoshanna': 37158, 'shoshanna it': 765403, 'very fun': 955179, 'fun to': 341228, 'say lightweight': 738891, 'lightweight resin': 489673, 'resin earring': 714553, 'earring on': 264959, 'on sterling': 603663, 'sterling ear': 799895, 'ear wire': 264405, 'from 28': 334254, '28 to': 16408, 'to 38': 899701, '38 covid': 18128, 'offer 23': 594503, '23 31': 15368, '31 earring': 17563, 'earring handmade': 264954, 'live friday 03': 495825, 'friday 03 20': 333176, '03 20 shoshana': 855, '20 shoshana say': 13347, 'shoshana say it': 765401, 'say it again': 738830, 'it again shoshanna': 456308, 'again shoshanna it': 37159, 'shoshanna it very': 765405, 'it very fun': 462029, 'very fun to': 955180, 'fun to say': 341231, 'to say lightweight': 913827, 'say lightweight resin': 738892, 'lightweight resin earring': 489674, 'resin earring on': 714554, 'earring on sterling': 264960, 'on sterling ear': 603664, 'sterling ear wire': 799896, 'ear wire price': 264406, 'wire price range': 996563, 'range from 28': 696698, 'from 28 to': 334256, '28 to 38': 16409, 'to 38 covid': 899702, '38 covid 19': 18129, '19 offer 23': 8897, 'offer 23 31': 594504, '23 31 earring': 15369, '31 earring handmade': 17564, 'ripoffs': 722698, 'coronavirus nj': 206323, 'nj scammer': 563455, '19 ripoffs': 10234, 'ripoffs via': 722699, 'coronavirus nj scammer': 206324, 'nj scammer have': 563456, 'scammer have come': 740585, 'have come up': 380034, 'up with these': 946695, 'with these new': 1001647, 'these new covid': 880336, 'covid 19 ripoffs': 213719, '19 ripoffs via': 10235, 'medicine fake': 526775, 'payment fraud': 645628, 'fraud government': 331278, 'maconsumer read': 507464, 'consumer with fake': 199562, 'with fake medicine': 998364, 'fake medicine fake': 296660, 'medicine fake mask': 526776, 'mask payment fraud': 519101, 'payment fraud government': 645629, 'fraud government impersonation': 331279, '19 maconsumer read': 8496, 'maconsumer read more': 507465, 'need once': 555363, 'week hoarding': 976335, 'make multiple': 510212, 'hoarding doesn': 399262, 'people please shop': 649136, 'please shop once': 660508, 'week and then': 975938, 'then go home': 877207, 'go home get': 353665, 'home get what': 401298, 'you need once': 1020023, 'need once week': 555364, 'once week hoarding': 605793, 'week hoarding cause': 976336, 'hoarding cause people': 399248, 'cause people to': 167703, 'to make multiple': 909699, 'make multiple trip': 510213, 'and to multiple': 74186, 'multiple store hoarding': 545794, 'store hoarding doesn': 808160, 'hoarding doesn help': 399263, 'use fear': 949210, 'aka coronavirus': 40479, 'offer treatment': 594855, 'else related': 271858, 'will use fear': 995285, 'use fear surrounding': 949212, '19 aka coronavirus': 4878, 'aka coronavirus keep': 40480, 'coronavirus keep an': 206197, 'out for email': 626112, 'for email text': 321012, 'medium post that': 527235, 'post that offer': 666345, 'that offer treatment': 845462, 'offer treatment vaccine': 594856, 'treatment vaccine or': 931164, 'vaccine or anything': 951745, 'anything else related': 80750, 'else related to': 271859, 'the virus learn': 870858, 'virus learn more': 958455, 'ideal handwashing': 413269, 'handwashing is': 376840, '19 here why': 7518, 'here why wearing': 393841, 'why wearing glove': 991540, 'wearing glove is': 974635, 'is not ideal': 450110, 'not ideal handwashing': 570043, 'ideal handwashing is': 413270, 'handwashing is best': 376841, 'ok out': 597855, 'there coronaoutbreak': 878287, 'coronaoutbreak meme': 205125, 'everyone doing ok': 286821, 'doing ok out': 252571, 'ok out there': 597856, 'out there coronaoutbreak': 627473, 'there coronaoutbreak meme': 878288, 'coronaoutbreak meme toiletpaper': 205126, 'powhatan': 667845, 'always glimmer': 49575, 'one powhatan': 606912, 'powhatan business': 667846, 'business three': 144523, 'three cross': 893900, 'cross distilling': 219003, 'distilling make': 247853, 'free han': 331885, 'han sanitizer': 374693, 'responder this': 715535, 'community coming': 189789, 'dark time there': 225988, 'time there always': 897891, 'there always glimmer': 877977, 'always glimmer of': 49576, 'of hope one': 584745, 'hope one powhatan': 403580, 'one powhatan business': 606913, 'powhatan business three': 667847, 'business three cross': 144524, 'three cross distilling': 893901, 'cross distilling make': 219004, 'distilling make free': 247854, 'make free han': 509921, 'free han sanitizer': 331886, 'han sanitizer for': 374695, 'first responder this': 308969, 'responder this is': 715536, 'example of the': 288951, 'the community coming': 851271, 'community coming together': 189790, 'sanitizers click': 736244, 'and sanitizers click': 70896, 'sanitizers click here': 736245, 'click here 19': 181912, 'saralee': 736726, 'buying excessive': 150262, 'please martin': 660226, 'martin vendor': 518109, 'vendor said': 954401, 'only baking': 610137, 'baking type': 108931, 'and saralee': 70923, 'saralee vendor': 736727, 'said bakery': 730990, 'of ingredient': 585204, 'have wk': 383614, 'wk shut': 1003219, 'down hoarding': 256836, 'hoarding shortage': 399519, 'stop buying excessive': 804534, 'buying excessive amount': 150263, 'food please martin': 315867, 'please martin vendor': 660227, 'martin vendor said': 518110, 'vendor said they': 954403, 'are only baking': 88762, 'only baking type': 610138, 'baking type of': 108932, 'type of product': 937575, 'product to keep': 681750, 'with demand and': 997971, 'demand and saralee': 234996, 'and saralee vendor': 70924, 'saralee vendor said': 736728, 'vendor said bakery': 954402, 'said bakery are': 730991, 'bakery are running': 108838, 'out of ingredient': 626761, 'of ingredient and': 585205, 'ingredient and are': 438344, 'and are about': 58291, 'to have wk': 907338, 'have wk shut': 383615, 'wk shut down': 1003220, 'shut down hoarding': 767829, 'down hoarding shortage': 256837, 'hero out': 394061, 'most grateful': 542354, 'grateful weareinthistogether': 362340, 'the hero out': 857297, 'hero out there': 394063, 'out there we': 627523, 'there we are': 879290, 'we are most': 970632, 'are most grateful': 88136, 'most grateful weareinthistogether': 542355, 'pandemic napa': 636003, 'napa distillery': 551837, 'distillery giving': 247752, 'free homemade': 331907, 'pandemic napa distillery': 636004, 'napa distillery giving': 551838, 'distillery giving out': 247753, 'giving out free': 351365, 'out free homemade': 626183, 'free homemade hand': 331908, 'pasta ok': 643769, 'no custard': 563951, 'supermarket damn': 819888, 'paper can handle': 640007, 'can handle no': 158548, 'handle no pasta': 376238, 'no pasta ok': 565075, 'pasta ok but': 643770, 'ok but no': 597774, 'but no custard': 146481, 'no custard cream': 563952, 'custard cream in': 221947, 'cream in the': 215558, 'the supermarket damn': 868546, 'supermarket damn you': 819889, 'very current': 955093, 'very current information': 955094, 'current information from': 221235, 'from on scam': 336669, 'safe against': 729409, 'against covod19': 37408, 'feel safe against': 302824, 'safe against covod19': 729410, 'when come': 983261, 'my bloke': 547481, 'bloke help': 133083, 'help unpack': 390836, 'unpack and': 943002, 'constantly get': 195667, 'get oh': 347688, 'look another': 502237, 'another pack': 77748, 'cheese we': 175225, 'got now': 358750, 'tomato is': 923952, 'is rubbish': 451582, 'rubbish not': 726993, 'not moaning': 570593, 'moaning now': 534905, 'week for many': 976230, 'for many year': 323243, 'many year when': 514907, 'year when come': 1015096, 'when come back': 983262, 'back from food': 107007, 'from food shopping': 335513, 'food shopping my': 316528, 'shopping my bloke': 763308, 'my bloke help': 547482, 'bloke help unpack': 133084, 'help unpack and': 390837, 'unpack and constantly': 943003, 'and constantly get': 60334, 'constantly get oh': 195668, 'get oh look': 347689, 'oh look another': 596414, 'look another pack': 502238, 'another pack of': 77749, 'of cheese we': 581313, 'cheese we ve': 175226, 'we ve only': 973692, 've only got': 953418, 'only got now': 610537, 'got now or': 358751, 'now or your': 575477, 'or your stock': 617889, 'your stock control': 1025952, 'stock control of': 802018, 'control of tinned': 202076, 'of tinned tomato': 592198, 'tinned tomato is': 898638, 'tomato is rubbish': 923953, 'is rubbish not': 451583, 'rubbish not moaning': 726994, 'not moaning now': 570594, 'moaning now is': 534906, 'now is he': 575072, 'ordering service': 619014, 'service linked': 752573, 'and counter': 60632, 'counter service': 210253, 'else drop': 271677, 'up later': 945289, 'later at': 481029, 'at pre': 100170, 'pre arranged': 669140, 'arranged time': 93704, 'protect supply': 684958, 'health all': 386107, 'supermarket need an': 821585, 'need an online': 554410, 'an online ordering': 56625, 'online ordering service': 608713, 'ordering service linked': 619015, 'service linked to': 752574, 'linked to pickup': 493996, 'to pickup time': 911735, 'pickup time and': 656034, 'time and counter': 896263, 'and counter service': 60633, 'counter service so': 210254, 'service so that': 752841, 'that everyone else': 843764, 'everyone else drop': 286851, 'else drop off': 271678, 'drop off shopping': 260340, 'off shopping list': 594156, 'list and pick': 494272, 'and pick it': 69008, 'it up later': 461962, 'up later at': 945290, 'later at pre': 481030, 'at pre arranged': 100171, 'pre arranged time': 669141, 'arranged time this': 93705, 'help protect supply': 390376, 'protect supply and': 684959, 'supply and health': 824723, 'and health all': 64345, 'health all of': 386108, 'all of covid': 43682, 'shopping hint': 762892, 'ensure secure': 278024, 'secure transaction': 744462, 'transaction onlineshopping': 929465, 'stayhome security': 798100, 'security mt': 744674, 'online shopping hint': 609146, 'shopping hint to': 762893, 'hint to ensure': 396929, 'to ensure secure': 905186, 'ensure secure transaction': 278025, 'secure transaction onlineshopping': 744463, 'transaction onlineshopping stayhome': 929466, 'onlineshopping stayhome security': 609941, 'stayhome security mt': 798101, 'convenient efficient': 202396, 'efficient and': 269415, 'crowd which': 219284, 'the ideal': 857829, 'ideal choice': 413258, 'during coronatime': 262530, 'coronatime but': 205297, 'but majority': 146337, 'internet or': 441978, 'there lockdown': 878729, 'lockdown coronacrisis': 499269, 'shopping is convenient': 763040, 'is convenient efficient': 446827, 'convenient efficient and': 202397, 'efficient and there': 269416, 'are no crowd': 88250, 'no crowd which': 563937, 'crowd which make': 219285, 'make it the': 510059, 'it the ideal': 461546, 'the ideal choice': 857830, 'ideal choice during': 413259, 'choice during coronatime': 177758, 'during coronatime but': 262531, 'coronatime but majority': 205298, 'but majority of': 146338, 'the internet or': 858389, 'internet or bank': 441979, 'or bank card': 614490, 'card to make': 163681, 'purchase and this': 689353, 'this is major': 888312, 'is major problem': 449527, 'major problem if': 509427, 'problem if there': 679555, 'if there lockdown': 415071, 'there lockdown coronacrisis': 878730, 'is hindering': 448477, 'hindering service': 396845, 'increased demand is': 433277, 'demand is hindering': 235729, 'is hindering service': 448478, 'wore homemade': 1004662, 'today think': 920327, 'think other': 885475, 'too felt': 924735, 'felt bit': 303362, 'bit foolish': 131566, 'foolish but': 318334, 'also safer': 48814, 'safer since': 730382, 'since usual': 770959, 'usual people': 950993, 'weren practicing': 980413, 'socialdistancing alberta': 780197, 'wore homemade mask': 1004663, 'homemade mask to': 402839, 'store today think': 810872, 'today think other': 920328, 'think other people': 885476, 'other people were': 620697, 'people were wearing': 650230, 'wearing mask too': 974722, 'mask too felt': 519445, 'too felt bit': 924736, 'felt bit foolish': 303363, 'bit foolish but': 131567, 'foolish but also': 318335, 'but also safer': 145141, 'also safer since': 48815, 'safer since usual': 730383, 'since usual people': 770960, 'usual people weren': 950995, 'people weren practicing': 650234, 'weren practicing socialdistancing': 980414, 'practicing socialdistancing alberta': 668745, 'notificati': 573520, 'virus seller': 958731, 'seller using': 749105, 'of ind': 585090, 'ind notificati': 433965, 'deadly virus seller': 229306, 'virus seller using': 958732, 'seller using your': 749106, 'govt of ind': 361228, 'of ind notificati': 585091, 'thaw': 847836, 'deep freeze': 231887, 'freeze what': 332572, 'it thaw': 461506, 'thaw out': 847837, '19 the housing': 11207, 'market is in': 516632, 'is in deep': 448762, 'in deep freeze': 422068, 'deep freeze what': 231889, 'freeze what happens': 332573, 'happens when it': 377522, 'when it thaw': 983651, 'it thaw out': 461507, 'modwyer': 535534, 'launched taskforce': 482039, 'taskforce to': 834752, 'tackle firm': 831569, 'overcharging it': 631105, 'already contacted': 47270, 'contacted some': 200334, 'some firm': 782833, 'firm over': 308402, 'sanitiser report': 734014, 'report modwyer': 712087, 'market authority ha': 516060, 'ha launched taskforce': 371113, 'launched taskforce to': 482040, 'taskforce to tackle': 834754, 'to tackle firm': 916128, 'tackle firm that': 831570, 'firm that are': 308428, 'are overcharging it': 88917, 'overcharging it ha': 631106, 'it ha already': 458377, 'ha already contacted': 369503, 'already contacted some': 47271, 'contacted some firm': 200335, 'some firm over': 782834, 'firm over the': 308403, 'over the high': 630730, 'high price being': 395235, 'price being charged': 672892, 'charged for hand': 173380, 'hand sanitiser report': 375244, 'sanitiser report modwyer': 734015, 'litterally': 495211, 'we quite': 972804, 'quite litterally': 694890, 'litterally have': 495212, 'get truck': 348541, 'day soo': 228382, 'soo coronapocolypse': 785569, 'where we quite': 985346, 'we quite litterally': 972805, 'quite litterally have': 694891, 'litterally have nothing': 495213, 'not get truck': 569617, 'get truck for': 348542, 'more day soo': 538962, 'day soo coronapocolypse': 228383, 'soo coronapocolypse retail': 785570, 'update supply': 947233, 'and preparedness': 69370, 'preparedness 19': 670273, 'coronavirus update supply': 206999, 'update supply chain': 947234, 'supply chain food': 824960, 'chain food shortage': 170705, 'shortage stock market': 765223, 'market and preparedness': 515982, 'and preparedness 19': 69371, 'kra': 477635, 'this exploitation': 887484, 'consumer just': 197980, 'bought one': 136661, 'one litre': 606606, 'litre dasani': 495143, 'dasani water': 226059, 'water at': 968903, 'at 150': 97476, 'in nakuru': 425665, 'nakuru kra': 551556, 'kra must': 477636, 'must review': 546863, 'review this': 720600, 'if it covid': 414295, '19 causing this': 5727, 'causing this exploitation': 168131, 'this exploitation of': 887485, 'exploitation of we': 292393, 'of we consumer': 592962, 'we consumer just': 971177, 'consumer just bought': 197981, 'just bought one': 468354, 'bought one litre': 136662, 'one litre dasani': 606607, 'litre dasani water': 495144, 'dasani water at': 226060, 'water at 150': 968904, 'at 150 in': 97477, '150 in nakuru': 3915, 'in nakuru kra': 425666, 'nakuru kra must': 551557, 'kra must review': 477637, 'must review this': 546864, 'and realised': 70000, 'realised why': 701641, 'why tinned': 991479, 'tinned ravioli': 898633, 'ravioli cheese': 697943, 'cheese wa': 175223, 'just eating my': 468664, 'eating my tea': 266259, 'my tea and': 550321, 'tea and realised': 835337, 'and realised why': 70001, 'realised why tinned': 701642, 'why tinned ravioli': 991480, 'tinned ravioli cheese': 898634, 'ravioli cheese wa': 697944, 'cheese wa the': 175224, 'overall time': 631038, 'dramatically increased': 258353, 'over march': 630382, 'spending lot': 788892, 'before on': 122969, 'mobile connected': 534955, 'connected tv': 194665, 'and laptop': 65944, 'laptop say': 479571, 'say study': 739188, 'platform unruly': 659051, 'unruly half': 943379, 'overall time spent': 631039, 'spent online in': 789157, 'the ha dramatically': 856993, 'ha dramatically increased': 370441, 'dramatically increased over': 258355, 'increased over march': 433396, 'over march 2020': 630383, 'march 2020 with': 515169, '2020 with consumer': 14729, 'consumer spending lot': 199073, 'spending lot more': 788893, 'lot more time': 504120, 'more time than': 540775, 'time than before': 897817, 'than before on': 840395, 'before on mobile': 122970, 'on mobile connected': 602142, 'mobile connected tv': 534956, 'connected tv and': 194666, 'tv and laptop': 936083, 'and laptop say': 65945, 'laptop say study': 479572, 'say study from': 739189, 'study from video': 814900, 'from video advertising': 338234, 'advertising platform unruly': 33260, 'platform unruly half': 659052, 'unruly half of': 943380, 'half of co': 374222, 'siberia': 768326, 'russian scientist': 728674, 'begun testing': 123729, 'testing prototype': 839622, 'prototype of': 686010, 'potential vaccine': 667166, 'on animal': 599385, 'in laboratory': 424572, 'laboratory in': 478473, 'in siberia': 427928, 'siberia russia': 768327, 'health regulator': 386787, 'regulator said': 708149, 'friday russia': 333281, 'russian scientist have': 728675, 'scientist have begun': 742230, 'have begun testing': 379759, 'begun testing prototype': 123730, 'testing prototype of': 839623, 'prototype of potential': 686011, 'of potential vaccine': 588288, 'potential vaccine against': 667167, 'the new on': 861534, 'new on animal': 559195, 'on animal in': 599387, 'animal in laboratory': 76612, 'in laboratory in': 424573, 'laboratory in siberia': 478474, 'in siberia russia': 427929, 'siberia russia consumer': 768328, 'russia consumer health': 728452, 'consumer health regulator': 197728, 'health regulator said': 386788, 'regulator said on': 708150, 'on friday russia': 601014, 'ved': 953682, 'the ved': 870660, 'ved today': 953683, 'must sterilize': 546911, 'sterilize your': 799864, 'before holding': 122855, 'holding shopping': 400151, 'cart panickbuying': 165355, 'the ved today': 870661, 'ved today when': 953684, 'today when go': 920516, 'you must sterilize': 1019932, 'must sterilize your': 546912, 'sterilize your hand': 799865, 'hand and wear': 374786, 'and wear glove': 75352, 'wear glove before': 974336, 'glove before holding': 352611, 'before holding shopping': 122856, 'holding shopping cart': 400152, 'shopping cart panickbuying': 762310, 'exclusive police': 289690, 'police seen': 663192, 'seen guarding': 747048, 'guarding supermarket': 367912, 'to iceland': 908077, 'iceland amid': 412701, 'exclusive police seen': 289691, 'police seen guarding': 663193, 'seen guarding supermarket': 747049, 'guarding supermarket delivery': 367913, 'supermarket delivery to': 819936, 'delivery to iceland': 234663, 'to iceland amid': 908078, 'iceland amid panic': 412702, 'le well': 483242, 'well ventilated': 978730, 'ventilated place': 954502, 'place much': 657580, 'the survival': 869027, 'survival and': 829017, 'surface deposit': 828008, 'deposit of': 237506, 'bit like the': 131608, 'one in all': 606466, 'sort of le': 786126, 'of le well': 585750, 'le well ventilated': 483243, 'well ventilated place': 978731, 'ventilated place much': 954503, 'place much more': 657581, 'likely to encourage': 492146, 'to encourage the': 905068, 'encourage the survival': 275635, 'the survival and': 869028, 'survival and spread': 829018, 'spread of airborne': 790648, 'of airborne and': 579864, 'airborne and surface': 39835, 'and surface deposit': 72877, 'surface deposit of': 828009, 'deposit of covid': 237507, 'it adopting': 456277, 'adopting curbside': 32701, 'best buy the': 127614, 'buy the largest': 149301, 'electronics chain in': 271286, 'state is temporarily': 795707, 'store it adopting': 808563, 'it adopting curbside': 456278, 'adopting curbside delivery': 32702, 'we produce': 972754, 'produce much': 680369, 'much produce': 545258, 'produce possible': 680396, 'possible harvest': 665666, 'harvest many': 378628, 'chicken possible': 175836, 'said randy': 731329, 'day ceo': 227439, 'of perdue': 588036, 'we produce much': 972757, 'produce much produce': 680370, 'much produce possible': 545259, 'produce possible harvest': 680397, 'possible harvest many': 665667, 'harvest many chicken': 378629, 'many chicken possible': 513893, 'chicken possible and': 175837, 'possible and we': 665577, 'and we work': 75335, 'we work on': 973946, 'work on saturday': 1005540, 'on saturday if': 603296, 'supply said randy': 825797, 'said randy day': 731330, 'randy day ceo': 696671, 'day ceo of': 227440, 'ceo of perdue': 169783, 'of perdue farm': 588037, 'montrealer': 538239, 'fetish': 303623, 'montrealer grocery': 538240, 'full latex': 340651, 'latex fetish': 481612, 'fetish gear': 303624, 'peak quarantine': 646094, 'quarantine mood': 692374, 'mood video': 538291, 'video canada': 956664, 'canada quebec': 160538, 'quebec montreal': 693345, 'montreal 19': 538229, 'montrealer grocery shopping': 538241, 'shopping in full': 762963, 'in full latex': 423167, 'full latex fetish': 340652, 'latex fetish gear': 481613, 'fetish gear is': 303625, 'gear is peak': 344964, 'is peak quarantine': 450829, 'peak quarantine mood': 646095, 'quarantine mood video': 692375, 'mood video canada': 538292, 'video canada quebec': 956665, 'canada quebec montreal': 160539, 'quebec montreal 19': 693346, 'excellent description': 289078, 'description from': 237984, 'from of': 336642, 'threshold or': 894156, 'or phase': 616597, 'an excellent description': 55912, 'excellent description from': 289079, 'description from of': 237985, 'from of the': 336643, 'of the six': 591468, 'the six threshold': 867291, 'six threshold or': 772704, 'threshold or phase': 894157, 'or phase of': 616598, 'phase of consumer': 654627, 'of and what': 580191, 'and what that': 75486, 'mean for and': 524433, 'rapaport': 696881, 'handyman': 376915, 'masbia': 518229, 'many harrowing': 514117, 'harrowing story': 378540, 'story emerging': 811961, 'emerging on': 273137, 'on hunger': 601448, 'hunger please': 411168, 'bank rapaport': 110121, 'rapaport recalled': 696884, 'recalled one': 703367, 'customer handyman': 222431, 'handyman who': 376916, 'who fix': 988747, 'fix amp': 309707, 'amp installs': 54001, 'installs home': 440065, 'home appliance': 400718, 'appliance around': 82408, 'town normally': 927513, 'normally the': 567554, 'man donates': 512049, 'donates to': 254405, 'to masbia': 909872, 'masbia now': 518230, 'of many harrowing': 586179, 'many harrowing story': 514118, 'harrowing story emerging': 378541, 'story emerging on': 811962, 'emerging on hunger': 273138, 'on hunger please': 601449, 'hunger please donate': 411169, 'food bank rapaport': 313622, 'bank rapaport recalled': 110122, 'rapaport recalled one': 696885, 'recalled one new': 703368, 'one new customer': 606714, 'new customer handyman': 558579, 'customer handyman who': 222432, 'handyman who fix': 376917, 'who fix amp': 988748, 'fix amp installs': 309708, 'amp installs home': 54002, 'installs home appliance': 440066, 'home appliance around': 400719, 'appliance around town': 82409, 'around town normally': 93603, 'town normally the': 927514, 'normally the man': 567555, 'the man donates': 859974, 'man donates to': 512050, 'donates to masbia': 254406, 'to masbia now': 909873, 'masbia now the': 518231, 'now the table': 576074, 'the table have': 869108, 'table have turned': 831475, 'support team': 826855, 'been hard': 121257, 'work making': 1005458, 'consumer receive': 198652, 'pandemic the community': 636669, 'the community support': 851299, 'community support team': 190133, 'support team ha': 826856, 'team ha been': 835653, 'ha been hard': 369823, 'been hard at': 121258, 'at work making': 101606, 'work making sure': 1005459, 'sure that our': 827697, 'that our consumer': 845574, 'our consumer receive': 622547, 'consumer receive the': 198653, 'receive the service': 703561, 'service they need': 752948, 'like gamestop': 490296, 'gamestop like': 343334, 'at gamestop': 98736, 'gamestop but': 343321, 'effort your': 269673, 'are everything': 86286, 'nothing without': 573226, 'like gamestop like': 490297, 'gamestop like shopping': 343335, 'shopping at gamestop': 762099, 'at gamestop but': 98737, 'gamestop but will': 343322, 'but will go': 147879, 'go to digital': 354301, 'to digital and': 904294, 'digital and online': 242506, 'and online that': 68125, 'online that will': 609529, 'will not bother': 994191, 'not bother me': 568598, 'bother me not': 136125, 'not even just': 569260, 'even just with': 284272, 'just with covid': 470315, '19 but like': 5511, 'but like in': 146277, 'like in general': 490489, 'in general show': 423257, 'general show some': 345474, 'show some effort': 767146, 'some effort your': 782731, 'effort your employee': 269674, 'your employee are': 1023651, 'employee are everything': 273613, 'are everything and': 86287, 'everything and without': 287692, 'and without them': 75797, 'them you are': 876675, 'you are nothing': 1017180, 'are nothing without': 88506, 'nothing without customer': 573227, 'chain respond': 171046, 'll allow': 496544, 'allow night': 46006, 'night time': 563103, 'allow driver': 45952, 'driver hour': 259604, 'be safely': 116979, 'and temporarily': 73108, 'temporarily extended': 837494, 'extended if': 293169, 'government is helping': 360257, 'is helping the': 448408, 'helping the supermarket': 391500, 'supply chain respond': 825022, 'chain respond to': 171047, 'respond to we': 715335, 'to we ll': 918404, 'we ll allow': 972231, 'll allow night': 496545, 'allow night time': 46007, 'night time delivery': 563104, 'time delivery to': 896550, 'and stand ready': 72220, 'ready to allow': 700938, 'to allow driver': 900333, 'allow driver hour': 45953, 'driver hour to': 259605, 'hour to be': 406014, 'to be safely': 901518, 'be safely and': 116980, 'safely and temporarily': 730258, 'and temporarily extended': 73109, 'temporarily extended if': 837495, 'extended if needed': 293170, 'thing saw': 884725, 'saw tpshortage2020': 738306, 'morning and this': 541169, 'first thing saw': 309077, 'thing saw tpshortage2020': 884726, '19 international': 7908, 'international traveller': 441867, 'traveller guide': 930674, 'guide app': 368306, 'app just': 81734, 'initiative travel': 438666, 'travel company': 930320, 'build deeper': 141966, 'base hotel': 111455, 'hotel news': 405165, 'news resource': 560758, 'the ini': 858275, 'covid 19 international': 213283, '19 international traveller': 7909, 'international traveller guide': 441868, 'traveller guide app': 930675, 'guide app just': 368307, 'app just one': 81735, 'of the initiative': 591150, 'the initiative travel': 858290, 'initiative travel company': 438667, 'travel company are': 930321, 'taking to build': 833630, 'to build deeper': 902086, 'build deeper relationship': 141967, 'deeper relationship with': 231970, 'relationship with their': 708714, 'consumer base hotel': 196402, 'base hotel news': 111456, 'hotel news resource': 405166, 'news resource the': 560759, 'resource the covid': 714894, 'of the ini': 591147, 'be fundamentally': 114986, 'fundamentally different': 341573, 'different for': 241947, 'come tamu': 187518, 'tamu retail': 834143, 'spending is likely': 788878, 'to be fundamentally': 901272, 'be fundamentally different': 114988, 'fundamentally different for': 341574, 'different for many': 241948, 'for many month': 323226, 'many month to': 514291, 'to come tamu': 903048, 'come tamu retail': 187519, 'tamu retail spending': 834144, 'currently sell': 221667, '60 type': 21033, 'sausage we': 737419, 'to fraction': 906216, 'supermarket another': 819119, 'have 20': 379079, '20 different': 13032, 'and style': 72631, 'style of': 815618, 'moving that': 544190, 'six 19': 772621, 'we currently sell': 971241, 'currently sell 60': 221668, 'sell 60 type': 748613, '60 type of': 21034, 'of sausage we': 589331, 'sausage we are': 737420, 'we are moving': 970633, 'are moving to': 88159, 'moving to fraction': 544207, 'to fraction of': 906217, 'fraction of that': 330868, 'of that said': 590740, 'that said one': 846101, 'said one supermarket': 731297, 'one supermarket another': 607137, 'supermarket another said': 819120, 'another said we': 77827, 'said we have': 731567, 'we have 20': 971740, 'have 20 different': 379082, '20 different size': 13033, 'different size and': 242062, 'size and style': 772761, 'and style of': 72632, 'style of pasta': 815620, 'of pasta we': 587814, 'are moving that': 88157, 'moving that to': 544191, 'that to six': 847062, 'to six 19': 914688, 'steinmart': 799444, 'extends temporary': 293265, 'furlough workforce': 341908, 'workforce retail': 1008381, 'retail steinmart': 718598, 'steinmart housewares': 799445, 'extends temporary store': 293266, 'closure furlough workforce': 183901, 'furlough workforce retail': 341909, 'workforce retail steinmart': 1008382, 'retail steinmart housewares': 718599, 'steinmart housewares homeworld': 799446, 'result are': 717476, '60 disclosed': 20941, 'disclosed no': 244384, 'off policy': 594081, 'how the 20': 408799, 'the 20 largest': 847982, 'pandemic the result': 636697, 'the result are': 865688, 'result are not': 717478, 'are not good': 88384, 'good 60 disclosed': 356678, '60 disclosed no': 20942, 'disclosed no paid': 244385, 'no paid time': 565036, 'time off policy': 897387, 'off policy and': 594082, 'more detail best': 539015, 'limb': 492239, 'if risking': 414740, 'risking life': 724078, 'and limb': 66164, 'limb to': 492240, 'those little': 892166, 'little covid': 495303, 'carrier come': 164959, 'come near': 187414, 'll boot': 496655, 'boot them': 135118, 'home because if': 400781, 'because if risking': 119143, 'if risking life': 414741, 'risking life and': 724079, 'life and limb': 488484, 'and limb to': 66165, 'limb to go': 492241, 'of those little': 592100, 'those little covid': 892167, 'little covid 19': 495304, '19 carrier come': 5652, 'carrier come near': 164960, 'come near me': 187415, 'near me ll': 553540, 'me ll boot': 523101, 'll boot them': 496656, 'make 24': 509633, '24 gal': 15599, '48oz make 24': 19373, 'make 24 gal': 509634, '24 gal spray': 15600, 'quicktake': 694652, 'recovery however': 705341, 'however our': 409434, 'recent quicktake': 703964, 'quicktake pointed': 694653, 'it recovery': 460671, 'be hampered': 115127, 'hampered by': 374609, 'business travel': 144572, 'demand internationally': 235708, 'internationally the': 441886, 'china is showing': 176762, 'is showing sign': 451895, 'of recovery however': 588846, 'recovery however our': 705342, 'however our recent': 409435, 'our recent quicktake': 624557, 'recent quicktake pointed': 703965, 'quicktake pointed out': 694654, 'pointed out it': 662735, 'out it recovery': 626449, 'it recovery will': 460672, 'will be hampered': 992484, 'be hampered by': 115128, 'hampered by the': 374611, 'by the shutdown': 154439, 'of business travel': 580973, 'business travel event': 144573, 'travel event and': 930354, 'event and slowing': 284947, 'and slowing consumer': 71757, 'slowing consumer demand': 774530, 'consumer demand internationally': 197144, 'demand internationally the': 235709, 'internationally the virus': 441887, 'virus hit the': 958289, 'hit the rest': 398445, 'fightcoronatogether': 304975, 'dear business': 229747, 'in kampala': 424435, 'kampala do': 470755, 'not lead': 570335, 'lead into': 483292, 'into temptation': 443080, 'temptation but': 837732, 'but deliver': 145518, 'deliver from': 233139, 'from evil': 335339, 'evil if': 288441, 'your found': 1023945, 'found hiking': 330239, 'price your': 677704, 'your license': 1024623, 'license is': 488143, 'revoked for': 720723, 'never trade': 558242, 'trade from': 928498, 'here stayhomestaysafe': 393600, 'stayhomestaysafe fightcoronatogether': 798512, 'dear business men': 229748, 'business men in': 144048, 'men in kampala': 528497, 'in kampala do': 424436, 'kampala do not': 470756, 'do not lead': 249773, 'not lead into': 570336, 'lead into temptation': 483293, 'into temptation but': 443081, 'temptation but deliver': 837733, 'but deliver from': 145519, 'deliver from evil': 233140, 'from evil if': 335340, 'evil if your': 288442, 'if your found': 415580, 'your found hiking': 1023946, 'found hiking price': 330240, 'hiking price your': 396412, 'price your license': 677705, 'your license is': 1024624, 'license is gonna': 488144, 'gonna be revoked': 356480, 'be revoked for': 116877, 'revoked for good': 720724, 'good and you': 356757, 'will never trade': 994175, 'never trade from': 558243, 'trade from here': 928499, 'from here stayhomestaysafe': 335783, 'here stayhomestaysafe fightcoronatogether': 393601, 'wa elderly': 962057, 'an oxygen': 56775, 'oxygen machine': 632675, 'this real': 889813, 'the cashier wa': 850500, 'cashier wa elderly': 166652, 'wa elderly and': 962058, 'elderly and on': 270583, 'and on an': 68052, 'on an oxygen': 599337, 'an oxygen machine': 56776, 'oxygen machine is': 632676, 'machine is this': 507386, 'is this real': 453115, 'this real life': 889815, 'incorporates': 432618, 'it incorporates': 458770, 'incorporates the': 432619, 'latest article we': 481222, 'article we explore': 94496, 'we explore the': 971513, 'explore the lasting': 292495, '19 it incorporates': 8138, 'it incorporates the': 458771, 'incorporates the best': 432620, 'ma gov': 507268, 'bag is': 108326, 'really safer': 702537, 'safer option': 730369, 'option sarscov2': 614091, 'sarscov2 washyourhands': 736862, 'ma gov just': 507269, 'gov just issued': 359619, 'just issued temporary': 469083, 'issued temporary ban': 456100, 'on reusable shopping': 603188, 'shopping bag is': 762145, 'bag is that': 108327, 'is that really': 452684, 'that really safer': 845964, 'really safer option': 702538, 'safer option sarscov2': 730370, 'option sarscov2 washyourhands': 614092, 'interpersonal': 442077, 'face avoid': 294326, 'or close': 614749, 'close interpersonal': 182682, 'interpersonal contact': 442078, 'water regularly': 969136, 'the pandemic together': 863133, 'pandemic together please': 636805, 'together please stay': 920901, 'home amp avoid': 400602, 'amp avoid touching': 53425, 'your face avoid': 1023742, 'face avoid crowded': 294327, 'avoid crowded area': 105073, 'area or close': 92149, 'or close interpersonal': 614750, 'close interpersonal contact': 182683, 'interpersonal contact wash': 442079, 'and water regularly': 75251, 'water regularly or': 969137, 'or use alcohol': 617612, 'thing ab': 884080, 'ab covid': 24174, 'went below': 978968, 'best thing ab': 127925, 'thing ab covid': 884081, 'ab covid 19': 24175, '19 is how': 7990, 'is how gas': 448576, 'price went below': 677433, 'iykykpodcast': 464080, 'iykyk': 464079, 'valuable the': 952052, 'now lot': 575260, 'turned iykykpodcast': 935858, 'iykykpodcast iykyk': 464081, 'at how valuable': 99237, 'how valuable the': 409133, 'valuable the essential': 952053, 'are now lot': 88569, 'now lot of': 575261, 'of people looked': 587940, 'people looked down': 648704, 'down on retail': 257034, 'worker but look': 1006557, 'but look how': 146314, 'how the table': 408884, 'have turned iykykpodcast': 383428, 'turned iykykpodcast iykyk': 935859, 'employee regardless': 274140, 'of participation': 587793, 'participation are': 642577, 'paid their': 634144, 'their full': 873393, 'apple ha confirmed': 82327, 'confirmed that all': 194194, 'that all retail': 842559, 'all retail employee': 44183, 'retail employee regardless': 718075, 'employee regardless of': 274141, 'regardless of participation': 707323, 'of participation are': 587794, 'participation are being': 642578, 'are being paid': 84892, 'being paid their': 125530, 'paid their full': 634145, 'their full salary': 873394, 'full salary and': 340864, 'salary and benefit': 731942, 'store breitbart': 806764, 'grocery store breitbart': 365256, 'stocker cashier': 803500, 'cashier truck': 166644, 'driver school': 259736, 'district food': 248366, 'the grocery stocker': 856826, 'grocery stocker cashier': 365157, 'stocker cashier truck': 803501, 'cashier truck driver': 166645, 'truck driver school': 932794, 'driver school district': 259737, 'school district food': 741772, 'district food worker': 248367, 'food worker and': 317666, 'and the many': 73470, 'the many unsung': 860054, '100k new': 2172, 'consumer using': 199433, 'outbreak warehouse': 628782, 'service position': 752706, 'include cre': 431543, 'cre amazon': 215502, 'hire 100k new': 396977, '100k new worker': 2174, 'new worker at': 559890, 'worker at facility': 1006459, 'across the result': 29519, 'result of consumer': 717584, 'of consumer using': 581782, 'consumer using online': 199434, 'the outbreak warehouse': 862719, 'outbreak warehouse and': 628783, 'delivery service position': 234456, 'service position include': 752707, 'position include cre': 665177, 'include cre amazon': 431544, 'restaurant supplier': 716725, 'alive via': 41846, 'restaurant supplier are': 716726, 'supplier are opening': 824498, 'are opening up': 88815, 'opening up to': 612947, 'public to keep': 688375, 'keep their business': 472082, 'their business alive': 872673, 'business alive via': 143259, 'neoclassical': 557385, 'stipulates': 801691, 'neoclassical economics': 557386, 'economics stipulates': 267483, 'stipulates that': 801692, 'service often': 752639, 'ha value': 372423, 'value above': 952073, 'production cost': 681974, 'cost consumer': 207892, 'product affect': 680834, 'affect it': 34173, 'demand hoarding': 235644, 'neoclassical economics stipulates': 557387, 'economics stipulates that': 267484, 'stipulates that product': 801693, 'that product or': 845864, 'or service often': 617020, 'service often ha': 752640, 'often ha value': 596203, 'ha value above': 372424, 'value above and': 952074, 'beyond it production': 129193, 'it production cost': 460507, 'production cost consumer': 681975, 'cost consumer perception': 207893, 'value of product': 952167, 'of product affect': 588478, 'product affect it': 680835, 'affect it price': 34174, 'and demand hoarding': 61158, 'saying would': 739769, 'the superheroes': 868436, 'superheroes cartoon': 818675, 'food cashier': 313884, 'just saying would': 469718, 'saying would like': 739770, 'see the welcome': 745896, 'the welcome to': 871372, 'to the rank': 917001, 'of the superheroes': 591510, 'the superheroes cartoon': 868437, 'superheroes cartoon for': 818676, 'cartoon for grocery': 165516, 'clerk and fast': 181639, 'fast food cashier': 299956, 'mtg': 544602, 'mtgs': 544605, 'daydream': 228900, 'terraform': 838385, 'is follows': 447860, 'follows wake': 312970, 'up check': 944592, 'check turnip': 174694, 'work covid': 1005017, '19 mtg': 8706, 'mtg more': 544603, 'more mtgs': 539812, 'mtgs about': 544606, '19 daydream': 6434, 'daydream about': 228901, 'about turnip': 26794, 'new terraform': 559735, 'terraform tool': 838386, 'tool while': 925466, 'in mtgs': 425495, 'to day is': 903955, 'day is follows': 227837, 'is follows wake': 447861, 'follows wake up': 312971, 'wake up check': 964621, 'up check turnip': 944593, 'check turnip price': 174695, 'turnip price go': 935998, 'price go to': 674207, 'to work covid': 918703, 'work covid 19': 1005018, 'covid 19 mtg': 213455, '19 mtg more': 8707, 'mtg more mtgs': 544604, 'more mtgs about': 539813, 'mtgs about covid': 544607, 'covid 19 daydream': 212915, '19 daydream about': 6435, 'daydream about turnip': 228902, 'about turnip price': 26795, 'turnip price and': 935995, 'price and new': 672477, 'and new terraform': 67562, 'new terraform tool': 559736, 'terraform tool while': 838387, 'tool while in': 925467, 'while in mtgs': 986949, 'in mtgs about': 425496, 'unsanitized': 943421, 'thankabanker': 841858, '100 we': 2124, 'be dr': 114594, 'dr rn': 258085, 'rn truck': 724343, 'need acknowledge': 554362, 'acknowledge our': 29102, 'our banker': 622163, 'banker money': 110373, 'most unsanitized': 542839, 'unsanitized dirty': 943422, 'dirty item': 243754, 'around banker': 93216, 'banker bank': 110350, 'open then': 612561, 'then cannot': 877060, 'cash thankabanker': 166337, '100 we should': 2125, 'should be dr': 765609, 'be dr rn': 114595, 'dr rn truck': 258086, 'rn truck driver': 724344, 'store employee but': 807465, 'employee but we': 273692, 'also need acknowledge': 48547, 'need acknowledge our': 554363, 'acknowledge our banker': 29103, 'our banker money': 622164, 'banker money is': 110374, 'money is of': 536848, 'is of the': 450402, 'the most unsanitized': 861055, 'most unsanitized dirty': 542840, 'unsanitized dirty item': 943423, 'dirty item out': 243755, 'item out there': 463544, 'there that is': 879140, 'that is spread': 844656, 'is spread around': 452181, 'spread around banker': 790431, 'around banker bank': 93217, 'banker bank cannot': 110351, 'bank cannot open': 109706, 'cannot open then': 162016, 'open then cannot': 612562, 'then cannot get': 877061, 'cannot get cash': 161878, 'get cash thankabanker': 346748, 'massachusetts close': 519904, 'close child': 182585, 'emergency drop': 272673, 'location available': 498862, 'parent guardian': 641638, 'guardian who': 367909, 'responder essential': 715453, 'massachusetts close child': 519905, 'close child care': 182586, 'child care facility': 176038, 'care facility in': 163927, 'facility in response': 295346, 'response to here': 715850, 'to here list': 907717, 'list of emergency': 494428, 'of emergency drop': 583033, 'emergency drop in': 272674, 'drop in location': 260259, 'in location available': 424830, 'location available to': 498863, 'available to parent': 104654, 'to parent guardian': 911461, 'parent guardian who': 641639, 'guardian who are': 367910, 'who are first': 988144, 'first responder essential': 308939, 'responder essential worker': 715454, 'store versus': 811055, 'versus online': 954949, 'by creator': 152259, '19 in store': 7785, 'in store versus': 428472, 'store versus online': 811056, 'versus online shopping': 954950, 'shopping by creator': 762269, 'coverup': 212513, 'cnh': 184741, 'corr': 207493, 'pboc': 645863, 'cny': 184792, 'amp share': 54473, 'share outcome': 755143, 'outcome china': 628858, 'china losing': 176802, 'losing world': 503614, 'world trust': 1010109, 'trust covid': 934252, '19 coverup': 6177, 'coverup china': 212514, 'china ambassador': 176462, 'ambassador appeal': 51282, 'calm 28': 156675, '28 dow': 16390, 'dow biggest': 256318, 'biggest day': 130208, 'day drop': 227542, 'drop cnh': 260159, 'cnh amp': 184742, 'amp spx': 54548, 'spx corr': 791373, 'corr china': 207494, 'china need': 176837, 'consumer alive': 196169, 'alive wud': 41856, 'wud pboc': 1013445, 'pboc prop': 645864, 'up spx': 946055, 'spx like': 791379, 'like cny': 490025, 'china amp share': 176472, 'amp share outcome': 54474, 'share outcome china': 755144, 'outcome china losing': 628859, 'china losing world': 176803, 'losing world trust': 503615, 'world trust covid': 1010110, 'trust covid 19': 934253, 'covid 19 coverup': 212878, '19 coverup china': 6178, 'coverup china ambassador': 212515, 'china ambassador appeal': 176463, 'ambassador appeal for': 51283, 'appeal for calm': 82060, 'for calm 28': 319884, 'calm 28 dow': 156676, '28 dow biggest': 16391, 'dow biggest day': 256319, 'biggest day drop': 130209, 'day drop cnh': 227543, 'drop cnh amp': 260160, 'cnh amp spx': 184743, 'amp spx corr': 54549, 'spx corr china': 791374, 'corr china need': 207495, 'china need consumer': 176838, 'need consumer alive': 554636, 'consumer alive wud': 196170, 'alive wud pboc': 41857, 'wud pboc prop': 1013446, 'pboc prop up': 645865, 'prop up spx': 684050, 'up spx like': 946056, 'spx like cny': 791380, 'remanded': 710093, 'awaits': 105555, 'newzeland': 561249, 'of sneezing': 589799, 'zealand amid': 1027268, 'been remanded': 121816, 'remanded in': 710094, 'in custody': 421942, 'custody he': 221967, 'he awaits': 384759, 'awaits covid': 105556, 'result worldnews': 717661, 'worldnews newzeland': 1010260, 'newzeland more': 561250, 'accused of sneezing': 28954, 'of sneezing and': 589800, 'sneezing and coughing': 776308, 'coughing on people': 208720, 'people in christchurch': 648358, 'in christchurch supermarket': 421463, 'christchurch supermarket in': 178105, 'new zealand amid': 559977, 'zealand amid the': 1027269, 'ha been remanded': 369896, 'been remanded in': 121817, 'remanded in custody': 710095, 'in custody he': 421943, 'custody he awaits': 221968, 'he awaits covid': 384760, 'awaits covid 19': 105557, 'test result worldnews': 839153, 'result worldnews newzeland': 717662, 'worldnews newzeland more': 1010261, 'wearing clothes': 974602, 'clothes quaratineandchill': 184198, 'quaratineandchill quarentinelife': 693112, 'it wa enough': 462107, 'wa enough to': 962076, 'enough to wear': 277730, 'apparently not everyone': 81974, 'not everyone else': 569299, 'everyone else wa': 286886, 'else wa wearing': 271961, 'wa wearing clothes': 963675, 'wearing clothes quaratineandchill': 974603, 'clothes quaratineandchill quarentinelife': 184199, 'goin': 354973, 'maskoff': 519657, 'crafting your': 214794, 'your conspiracy': 1023310, 'theory it': 877856, 'imperative you': 418344, 'by identifying': 152861, 'identifying who': 413394, 'benefit most': 127031, 'most from': 542344, 'say hot': 738769, 'hot woman': 405072, 'who married': 989265, 'married older': 518003, 'older men': 598622, 'men for': 528485, 'these hoe': 880128, 'hoe goin': 399815, 'goin to': 354974, 'supermarket 2x': 818751, '2x day': 16890, 'day maskoff': 227969, 'when crafting your': 983318, 'crafting your conspiracy': 214795, 'your conspiracy theory': 1023311, 'conspiracy theory it': 195583, 'theory it imperative': 877857, 'it imperative you': 458701, 'imperative you start': 418345, 'you start by': 1021354, 'start by identifying': 794241, 'by identifying who': 152862, 'identifying who benefit': 413395, 'who benefit most': 988318, 'benefit most from': 127032, 'most from this': 542346, 'from this say': 338008, 'this say hot': 889967, 'say hot woman': 738770, 'hot woman who': 405073, 'woman who married': 1003682, 'who married older': 989266, 'married older men': 518004, 'older men for': 598623, 'men for money': 528486, 'for money these': 323498, 'money these hoe': 537074, 'these hoe goin': 880129, 'hoe goin to': 399816, 'goin to the': 354976, 'the supermarket 2x': 868442, 'supermarket 2x day': 818752, '2x day maskoff': 16891, 'our our': 624180, 'latest email': 481314, 'second life': 743757, 'while are': 986615, 'shopping donation': 762505, 'donation shopping': 254694, 'at kroger': 99390, 'kroger amazon': 477715, 'more thrift': 540754, 'thrift atlanta': 894176, 'atlanta adopt': 101821, 'check our our': 174528, 'our our latest': 624181, 'our latest email': 623660, 'latest email for': 481315, 'email for update': 272175, 'for update related': 327470, 'can help second': 158653, 'help second life': 390496, 'second life while': 743758, 'life while are': 489209, 'while are our': 986616, 'are our store': 88873, 'are closed online': 85358, 'online shopping donation': 609098, 'shopping donation shopping': 762506, 'donation shopping at': 254695, 'shopping at kroger': 762102, 'at kroger amazon': 99391, 'kroger amazon ebay': 477716, 'amazon ebay and': 50928, 'ebay and more': 266429, 'and more thrift': 67221, 'more thrift atlanta': 540755, 'thrift atlanta adopt': 894177, 'loosens': 503220, 'jersey division': 465197, 'beverage control': 128996, 'control adapts': 201957, 'reality allows': 701692, 'allows distillery': 46373, 'and loosens': 66386, 'loosens other': 503221, 'other regs': 620822, 'regs 19': 707721, '19 nj': 8790, 'new jersey division': 558968, 'jersey division of': 465198, 'division of alcoholic': 248678, 'of alcoholic beverage': 579908, 'alcoholic beverage control': 41207, 'beverage control adapts': 128997, 'control adapts to': 201958, 'adapts to covid': 31363, '19 reality allows': 9982, 'reality allows distillery': 701693, 'allows distillery to': 46374, 'distillery to produce': 247824, 'sanitizer and loosens': 734416, 'and loosens other': 66387, 'loosens other regs': 503222, 'other regs 19': 620823, 'regs 19 nj': 707722, 'coil': 185604, 'can significantly': 159624, 'their electricity': 873123, 'bill by': 130528, 'by cleaning': 152128, 'cleaning refrigeration': 181048, 'refrigeration coil': 706788, 'coil with': 185609, 'exclusive coil': 289653, 'coil cleaning': 185605, 'cleaning technology': 181096, 'technology method': 836334, 'method you': 529803, 'yourself without': 1026766, 'without complication': 1002556, 'complication food': 192484, 'service also': 752051, 'also cstores': 48080, 'cstores grocery': 220078, 'grocery pizzeria': 364860, 'pizzeria too': 657224, 'restaurant in these': 716528, 'time of can': 897316, 'of can significantly': 581074, 'can significantly reduce': 159625, 'significantly reduce their': 769609, 'reduce their electricity': 705984, 'their electricity bill': 873124, 'electricity bill by': 271154, 'bill by cleaning': 130529, 'by cleaning refrigeration': 152129, 'cleaning refrigeration coil': 181049, 'refrigeration coil with': 706790, 'coil with our': 185610, 'our exclusive coil': 622941, 'exclusive coil cleaning': 289654, 'coil cleaning technology': 185607, 'cleaning technology method': 181097, 'technology method you': 836335, 'method you can': 529804, 'do yourself without': 250719, 'yourself without complication': 1026767, 'without complication food': 1002557, 'complication food service': 192485, 'food service also': 316401, 'service also cstores': 752052, 'also cstores grocery': 48081, 'cstores grocery pizzeria': 220079, 'grocery pizzeria too': 364861, 'yesplease': 1015627, 'yesplease guy': 1015628, 'must shop': 546883, 'with precaution': 1000284, 'and clarity': 59919, 'clarity 19': 180093, 'yesplease guy if': 1015629, 'you must shop': 1019930, 'must shop please': 546884, 'do so with': 250108, 'so with precaution': 778793, 'with precaution and': 1000285, 'precaution and clarity': 669272, 'and clarity 19': 59920, 'clarity 19 thing': 180094, 'mmbbl': 534769, 'cut another': 223233, '20 mmbbl': 13178, 'mmbbl to': 534770, 'and cure': 60806, 'to cut another': 903866, 'cut another 10': 223234, 'another 10 20': 77467, '10 20 mmbbl': 1249, '20 mmbbl to': 13179, 'mmbbl to fix': 534771, 'price and cure': 672386, 'and cure covid': 60807, '19 coronalockdown': 6069, 'coronalockdown stayathome': 205045, 'stayathome stayawarestaysafe': 797632, 'coronavirus hit the': 206086, 'confidence via 19': 193976, 'via 19 coronalockdown': 955777, '19 coronalockdown stayathome': 6070, 'coronalockdown stayathome stayawarestaysafe': 205046, 'masculine': 518240, 'pastel': 643872, 'sent boyfriend': 750742, 'boyfriend to': 137429, 'wearing very': 974819, 'very non': 955386, 'non threatening': 566512, 'threatening calming': 893796, 'calming not': 156853, 'not overly': 570878, 'overly masculine': 631319, 'masculine pastel': 518241, 'pastel paisley': 643873, 'paisley face': 634378, 'mask would': 519597, 'put so': 690822, 'much thought': 545378, 'thought into': 893097, 'my white': 550571, 'white son': 987903, 'son thisisamerica': 785447, 'just sent boyfriend': 469765, 'sent boyfriend to': 750743, 'boyfriend to the': 137430, 'store wearing very': 811197, 'wearing very non': 974820, 'very non threatening': 955387, 'non threatening calming': 566513, 'threatening calming not': 893797, 'calming not overly': 156854, 'not overly masculine': 570879, 'overly masculine pastel': 631320, 'masculine pastel paisley': 518242, 'pastel paisley face': 643874, 'paisley face mask': 634379, 'face mask would': 294611, 'mask would not': 519599, 'not have had': 569839, 'to put so': 912612, 'put so much': 690823, 'so much thought': 777819, 'much thought into': 545379, 'thought into it': 893098, 'into it for': 442672, 'it for my': 458086, 'for my white': 323761, 'my white son': 550572, 'white son thisisamerica': 987904, 'underlying cause': 940466, 'increasing unemployment lead': 433730, 'consider the underlying': 195145, 'the underlying cause': 870355, 'underlying cause of': 940467, 'ensuring to': 278204, 'proper arrangement': 684087, 'arrangement to': 93726, 'request people': 713184, 'you 24': 1016756, '24 amp': 15559, 'amp trying': 54746, 'are ensuring to': 86228, 'ensuring to keep': 278205, 'to keep proper': 908835, 'keep proper arrangement': 471826, 'proper arrangement to': 684088, 'arrangement to maintain': 93727, 'to maintain at': 909565, 'maintain at food': 508938, 'at food distribution': 98673, 'food distribution center': 314225, 'distribution center we': 248125, 'center we request': 169319, 'we request people': 973092, 'request people to': 713185, 'people to cooperate': 649889, 'cooperate with amp': 203144, 'with amp not': 997194, 'amp not panic': 54194, 'we are there': 970737, 'for you 24': 328030, 'you 24 amp': 1016757, '24 amp trying': 15560, 'amp trying our': 54747, 'best to reach': 127960, 'reach every person': 699918, 'person in need': 652486, 'come on chicken': 187427, 'mailpac': 508715, 'pricesmart': 677896, 'hilo': 396510, 'robinson outlined': 724748, 'outlined that': 629111, 'that mailpac': 844980, 'mailpac ha': 508716, 'significant jump': 769471, 'jump given': 467858, 'it solves': 461162, 'solves the': 782203, 'still acquiring': 800159, 'acquiring what': 29189, 'is especially': 447537, 'especially true': 280645, 'for mailpac': 323155, 'mailpac local': 508718, 'local which': 498698, 'shop pricesmart': 760683, 'pricesmart and': 677897, 'and hilo': 64581, 'hilo online': 396511, 'robinson outlined that': 724749, 'outlined that mailpac': 629112, 'that mailpac ha': 844981, 'mailpac ha already': 508717, 'already seen significant': 47640, 'seen significant jump': 747227, 'significant jump given': 769472, 'jump given that': 467859, 'that it solves': 844744, 'it solves the': 461163, 'solves the issue': 782204, 'issue of people': 455866, 'home and still': 400692, 'and still acquiring': 72366, 'still acquiring what': 800160, 'acquiring what they': 29190, 'this is especially': 888246, 'is especially true': 447539, 'especially true for': 280646, 'true for mailpac': 933085, 'for mailpac local': 323156, 'mailpac local which': 508719, 'local which allows': 498699, 'which allows people': 985654, 'to shop pricesmart': 914482, 'shop pricesmart and': 760684, 'pricesmart and hilo': 677898, 'and hilo online': 64582, 'using tablet': 950673, 'touchscreen with': 926782, 'germ when using': 346178, 'when using tablet': 984378, 'using tablet laptop': 950674, 'and touchscreen with': 74310, 'touchscreen with health': 926783, 'with health canada': 998746, 'retailworkers what': 719602, 'like behind': 489895, 'retailworkers what it': 719603, 'it like behind': 459352, 'like behind the': 489896, 'the scene in': 866467, 'scene in the': 741334, 'madiness': 508126, 'ha working': 372494, 'working insanely': 1008743, 'insanely hard': 439088, 'working 50': 1008474, '50 hr': 19720, '19 madiness': 8504, 'madiness is': 508127, 'is unimaginable': 453499, 'unimaginable so': 941812, 'her show': 392380, 'some respect': 783741, 'worker next': 1007433, 'opportunity you': 613756, 'throughout the last': 894974, 'few week my': 304154, 'week my wife': 976551, 'wife ha working': 991931, 'ha working insanely': 372495, 'working insanely hard': 1008744, 'insanely hard working': 439089, 'hard working 50': 378137, 'working 50 hr': 1008475, '50 hr in': 19721, 'hr in grocery': 409632, 'covid 19 madiness': 213387, '19 madiness is': 8505, 'madiness is unimaginable': 508128, 'is unimaginable so': 453500, 'unimaginable so much': 941813, 'so much love': 777792, 'much love and': 545067, 'love and respect': 504599, 'and respect for': 70330, 'respect for her': 714993, 'for her show': 322234, 'her show some': 392381, 'show some respect': 767148, 'some respect to': 783743, 'respect to retail': 715084, 'to retail worker': 913454, 'retail worker next': 718897, 'worker next opportunity': 1007434, 'next opportunity you': 561494, 'opportunity you get': 613757, 'been severely': 121932, 'severely damaged': 754077, 'damaged and': 225249, 'likely go': 492003, 'the supply line': 868952, 'and china have': 59852, 'china have been': 176704, 'have been severely': 379679, 'been severely damaged': 121933, 'severely damaged and': 754078, 'damaged and price': 225250, 'will likely go': 994001, 'likely go up': 492004, 'go up result': 354438, 'woah that': 1003311, 'of shuttered': 589706, 'woah that market': 1003312, 'that market of': 845045, 'market of shuttered': 516780, 'of shuttered school': 589707, 'around 25 19': 93134, 'life amid': 488467, 'and drugstore': 61783, 'drugstore worker': 261196, 'worker called': 1006578, 'appreciation that': 82892, 'to life amid': 909247, 'life amid the': 488468, 'supermarket and drugstore': 818966, 'and drugstore worker': 61784, 'drugstore worker called': 261197, 'worker called on': 1006579, 'member with respect': 528254, 'with respect and': 1000480, 'and appreciation that': 58269, 'appreciation that they': 82893, 'that they deserve': 846929, 'the unlikely': 870442, 'outbreak every': 628199, 'are the unlikely': 90927, 'the unlikely hero': 870443, 'unlikely hero of': 942751, 'the outbreak every': 862619, 'outbreak every day': 628200, 'day they put': 228522, 'risk to help': 723962, 'family stay safe': 298252, 'safe by getting': 729534, 'by getting food': 152672, 'amp supply they': 54598, 'minister bread': 533345, 'not rise': 571390, 'agriculture minister bread': 39000, 'minister bread price': 533346, 'bread price must': 138570, 'price must not': 675295, 'must not rise': 546785, 'ready meal': 700905, 'out restaurant': 627111, 'chain sale': 171078, 'for ready meal': 324987, 'ready meal help': 700907, 'meal help out': 524182, 'help out restaurant': 390255, 'out restaurant and': 627112, 'supply chain sale': 825029, 'chain sale during': 171079, 'more lurking': 539735, 'lurking finance': 506844, 'finance issue': 306212, 'issue exposed': 455742, '19 mkt': 8665, 'mkt effect': 534692, 'effect debt': 268990, 'now prudent': 575613, 'prudent gov': 687361, 'gov macro': 359631, 'macro action': 507468, 'exacerbate at': 288653, 'more lurking finance': 539736, 'lurking finance issue': 506845, 'finance issue exposed': 306213, 'issue exposed by': 455743, 'exposed by covid': 292838, 'covid 19 mkt': 213441, '19 mkt effect': 8666, 'mkt effect debt': 534693, 'effect debt of': 268991, 'beast now prudent': 118495, 'now prudent gov': 575614, 'prudent gov macro': 687362, 'gov macro action': 359632, 'macro action are': 507469, 'action are required': 29962, 'are required the': 89612, 'required the crisis': 713388, 'crisis will exacerbate': 218411, 'will exacerbate at': 993359, 'exacerbate at all': 288654, 'people gathering': 648031, 'gathering together': 344518, 'priority it': 678595, 'with quicker': 1000385, 'quicker totally': 694439, 'agree supplying': 38639, 'priority which': 678691, 'stopped way': 805779, 'people gathering together': 648033, 'gathering together like': 344520, 'together like in': 920853, 'like in restaurant': 490499, 'in restaurant is': 427436, 'restaurant is priority': 716539, 'is priority it': 451034, 'priority it how': 678596, 'it how covid': 458649, '19 spread that': 10752, 'spread that should': 790812, 'been dealt with': 120923, 'dealt with quicker': 229722, 'with quicker totally': 1000386, 'quicker totally agree': 694440, 'totally agree supplying': 926303, 'agree supplying food': 38640, 'supplying food is': 826286, 'food is priority': 315144, 'is priority which': 451036, 'priority which is': 678692, 'is why panic': 453972, 'have been stopped': 379696, 'been stopped way': 122055, 'weird that': 977793, 'in indianapolis': 424070, 'indianapolis are': 434931, 'green bean': 363654, 'bean spaghetti': 118365, 'spaghetti noodle': 787247, 'noodle chocolate': 566792, 'milk what': 531908, 'of besides': 580677, 'besides toilet': 127531, 'think it weird': 885359, 'it weird that': 462303, 'weird that the': 977794, 'store in indianapolis': 808320, 'in indianapolis are': 424071, 'indianapolis are out': 434932, 'out of green': 626747, 'of green bean': 584333, 'green bean spaghetti': 363655, 'bean spaghetti noodle': 118366, 'spaghetti noodle chocolate': 787248, 'noodle chocolate milk': 566793, 'chocolate milk what': 177691, 'milk what is': 531909, 'your store out': 1025983, 'out of besides': 626686, 'of besides toilet': 580678, 'besides toilet paper': 127532, 'creditscores': 216592, 'persuaded': 653267, 'no break': 563734, 'consumer creditscores': 197029, 'creditscores credit': 216593, 'industry persuaded': 436038, 'persuaded congress': 653268, 'congress it': 194509, 'who miss': 989290, 'miss payment': 534179, 'payment due': 645602, 'group push': 366848, 'no break for': 563735, 'break for consumer': 138726, 'for consumer creditscores': 320248, 'consumer creditscores credit': 197030, 'creditscores credit industry': 216594, 'credit industry persuaded': 216412, 'industry persuaded congress': 436039, 'persuaded congress it': 653269, 'congress it would': 194510, 'would protect people': 1012129, 'protect people who': 684926, 'people who miss': 650320, 'who miss payment': 989291, 'miss payment due': 534180, 'payment due to': 645603, 'to virus consumer': 918196, 'virus consumer group': 958076, 'consumer group push': 197664, 'group push back': 366849, 'some poorer': 783599, 'find ppl': 307187, 'ppl rushing': 668316, 'rushing for': 728375, 'western eu': 980616, 'country besides': 210512, 'besides basic': 127490, 'long ques': 501574, 'ques for': 693470, 'in some poorer': 428097, 'some poorer country': 783600, 'poorer country you': 664349, 'country you find': 211280, 'you find ppl': 1018574, 'find ppl rushing': 307188, 'ppl rushing for': 668317, 'rushing for food': 728376, 'item in western': 463363, 'in western eu': 430814, 'western eu country': 980617, 'eu country besides': 283218, 'country besides basic': 210513, 'besides basic food': 127491, 'basic food you': 111901, 'food you find': 317710, 'rushing for paper': 728377, 'for paper and': 324378, 'paper and what': 639865, 'do we find': 250472, 'we find in': 971560, 'find in long': 306972, 'in long ques': 424912, 'long ques for': 501575, 'ques for buying': 693471, 'for buying gun': 319862, 'today rice': 920120, 'russia today rice': 728594, 'today rice wheat': 920121, 'so ridiculous': 778134, 'ridiculous those': 721625, 'buying responsibly': 150963, 'responsibly can': 716089, 'find bag': 306825, 'so ridiculous those': 778135, 'ridiculous those of': 721626, 'of who have': 593131, 'have been buying': 379483, 'been buying responsibly': 120772, 'buying responsibly can': 150964, 'responsibly can even': 716090, 'even find bag': 284060, 'find bag of': 306826, 'of flour in': 583602, 'the shop stoppanicbuying': 867027, 'prompted food': 683933, 'boost production': 134998, 'coronavirus ha prompted': 206032, 'ha prompted food': 371554, 'prompted food manufacturer': 683934, 'manufacturer to boost': 513527, 'to boost production': 901927, 'boost production by': 134999, 'digitalisation structural': 242729, 'structural trend': 814292, 'trend could': 931309, 'accelerate because': 27829, 'lockdown during': 499328, 'change people': 172226, 'people behaviour': 647256, 'behaviour permanently': 124492, 'permanently if': 652098, 'app would': 81805, 'digitalisation structural trend': 242730, 'structural trend could': 814293, 'trend could accelerate': 931310, 'could accelerate because': 208788, 'accelerate because of': 27830, 'the lockdown during': 859594, 'lockdown during the': 499329, 'pandemic would it': 637066, 'would it change': 1011964, 'it change people': 457100, 'change people behaviour': 172227, 'people behaviour permanently': 647257, 'behaviour permanently if': 124493, 'permanently if you': 652099, 'use grocery app': 949247, 'grocery app would': 364275, 'app would you': 81806, 'would you visit': 1012427, 'visit the store': 959398, 'amer': 51422, 'this ga': 887667, 'ga told': 342686, 'told these': 923727, 'to amer': 900407, 'amer public': 51423, 'remember this ga': 710346, 'this ga told': 887668, 'ga told these': 342687, 'told these lie': 923728, 'these lie to': 880233, 'lie to amer': 488388, 'to amer public': 900408, 'amer public the': 51424, 'public the consumer': 688359, 'in the be': 429014, 'office handle': 595437, 'handle 572': 376157, 'tuesday evening': 935145, 'evening the': 284910, 'department had': 237200, 'had received': 373450, 'received 572': 703583, '572 complaint': 20500, 'and nessel': 67524, 'office had': 595435, 'had sent': 373486, 'sent cease': 750746, 'three seller': 894058, 'nessel office handle': 557511, 'office handle 572': 595438, 'handle 572 consumer': 376158, 'and scam of': 71031, 'scam of tuesday': 740268, 'of tuesday evening': 592493, 'tuesday evening the': 935146, 'evening the department': 284911, 'the department had': 853142, 'department had received': 237201, 'had received 572': 373451, 'received 572 complaint': 703584, '572 complaint since': 20501, 'complaint since friday': 192031, 'since friday and': 770609, 'friday and nessel': 333195, 'and nessel office': 67525, 'nessel office had': 557510, 'office had sent': 595436, 'had sent cease': 373487, 'sent cease and': 750747, 'desist letter to': 238439, 'letter to at': 487356, 'least three seller': 484667, 'three seller via': 894059, 'where property': 985137, 'may head': 521265, 'head when': 385865, 'end auckland': 275784, 'auckland likely': 102831, 'likely hit': 492021, '19 coronavirus where': 6136, 'coronavirus where property': 207069, 'where property price': 985138, 'property price may': 684334, 'price may head': 675193, 'may head when': 521266, 'head when lockdown': 385866, 'when lockdown end': 983701, 'lockdown end auckland': 499336, 'end auckland likely': 275785, 'auckland likely hit': 102832, 'likely hit hardest': 492022, 'buzz': 151468, 'sht': 767743, 'dagsa': 224472, 'dito': 248457, 'ambot': 51316, 'real buzz': 701057, 'buzz killer': 151469, 'killer lol': 474634, 'lol after': 500862, 'pandemic sht': 636464, 'sht dagsa': 767744, 'dagsa delivery': 224473, 'delivery dito': 233872, 'dito sa': 248458, 'sa unit': 728957, 'unit ambot': 942037, 'shopping is real': 763074, 'is real buzz': 451263, 'real buzz killer': 701058, 'buzz killer lol': 151470, 'killer lol after': 474635, 'lol after this': 500863, '19 pandemic sht': 9468, 'pandemic sht dagsa': 636465, 'sht dagsa delivery': 767745, 'dagsa delivery dito': 224474, 'delivery dito sa': 233873, 'dito sa unit': 248459, 'sa unit ambot': 728958, 'thankyoutesco': 842400, 'sunday 1hr': 818151, '1hr nh': 12615, 'nh exclusive': 561952, 'hour thanks': 405976, 'thanks much': 842143, 'appreciated it': 82823, 'very depressing': 955103, 'after hard': 35751, 'hospital tesco': 404668, 'tesco thankyoutesco': 838827, 'thankyoutesco coronacrisis': 842401, 'sunday 1hr nh': 818152, '1hr nh exclusive': 12616, 'nh exclusive shopping': 561953, 'shopping hour thanks': 762928, 'hour thanks much': 405977, 'thanks much appreciated': 842144, 'much appreciated it': 544723, 'appreciated it wa': 82824, 'wa very depressing': 963637, 'very depressing to': 955104, 'see all supermarket': 744880, 'empty at the': 274795, 'day that too': 228476, 'too after hard': 924568, 'after hard work': 35752, 'hard work all': 378120, 'day at hospital': 227333, 'at hospital tesco': 99193, 'hospital tesco thankyoutesco': 404669, 'tesco thankyoutesco coronacrisis': 838828, '9bn': 23974, 'extra 9bn': 293446, '9bn comment': 23975, 'crisis pressrelease': 217899, 'consumer spend extra': 199033, 'spend extra 9bn': 788605, 'extra 9bn comment': 293447, '9bn comment on': 23976, '19 crisis pressrelease': 6303, 'swarm': 829997, 'financial expectation': 306412, 'consumer swarm': 199206, 'swarm store': 829998, 'pick shelf': 655682, 'shelf clean': 756936, 'clean of': 180589, 'lockdown imposed': 499496, 'imposed across': 419273, 'raised it financial': 696008, 'it financial expectation': 458005, 'financial expectation for': 306413, 'expectation for 2020': 290816, 'for 2020 consumer': 318748, '2020 consumer swarm': 14244, 'consumer swarm store': 199207, 'swarm store to': 829999, 'to pick shelf': 911724, 'pick shelf clean': 655683, 'shelf clean of': 756937, 'clean of food': 180591, 'item and essential': 463054, 'and essential because': 62246, 'essential because of': 280824, 'the lockdown imposed': 859606, 'lockdown imposed across': 499497, 'imposed across the': 419275, 'country to stop': 211171, 'salem and': 732670, 'another dive': 77584, 'dive piece': 248501, 'how reduction': 408570, 'in utility': 430512, 'utility revenue': 951309, 'revenue due': 720405, 'to lowered': 909513, 'lowered demand': 506066, 'demand delayed': 235220, 'delayed bill': 232769, 'salem and here': 732671, 'and here another': 64527, 'here another dive': 392719, 'another dive piece': 77585, 'dive piece on': 248502, 'on how reduction': 601419, 'how reduction in': 408571, 'reduction in utility': 706373, 'in utility revenue': 430513, 'utility revenue due': 951310, 'revenue due to': 720406, 'due to lowered': 261857, 'to lowered demand': 909514, 'lowered demand delayed': 506067, 'demand delayed bill': 235221, 'unwavering': 944067, 'our thought': 625131, 'their unwavering': 875086, 'unwavering courage': 944068, 'courage at': 211777, 'our manager': 623851, 'manager we': 512826, 're nervous': 699064, 'nervous going': 557470, 'nh worker must': 562190, 'worker must remain': 1007404, 'must remain in': 546851, 'remain in our': 709769, 'in our thought': 426346, 'our thought and': 625132, 'for their unwavering': 326880, 'their unwavering courage': 875087, 'unwavering courage at': 944069, 'courage at this': 211778, 'this time but': 890623, 'time but if': 896419, 'but if anyone': 145985, 'anyone can please': 80221, 'can please spare': 159261, 'thought for supermarket': 893048, 'supermarket staff our': 822872, 'staff our manager': 792733, 'our manager we': 623852, 'manager we re': 512827, 'we re nervous': 972923, 're nervous going': 699065, 'nervous going to': 557471, 'work but know': 1004959, 'but know that': 146239, 're not there': 699126, 'not there people': 572060, 'there people won': 878929, 'won get food': 1003817, 'tulsa': 935286, 'having dramatic': 384038, 'get informed': 347337, 'doesn in': 251844, 'marketing today': 517737, 'today learn': 919790, 'use pull': 949506, 'pull marketing': 688867, 'marketing knowing': 517632, 'knowing when': 477153, 'push websitedesign': 690340, 'websitedesign tulsa': 975509, 'tulsa digitalmarketing': 935287, 'is having dramatic': 448326, 'having dramatic impact': 384039, 'behavior it good': 124107, 'good to get': 357879, 'to get informed': 906508, 'get informed and': 347338, 'informed and learn': 438081, 'and learn what': 66041, 'learn what work': 484095, 'what work and': 982630, 'and what doesn': 75462, 'what doesn in': 981377, 'doesn in term': 251845, 'term of marketing': 838222, 'of marketing today': 586247, 'marketing today learn': 517738, 'today learn how': 919791, 'to use pull': 918060, 'use pull marketing': 949507, 'pull marketing knowing': 688868, 'marketing knowing when': 517633, 'knowing when to': 477154, 'when to push': 984327, 'to push websitedesign': 912575, 'push websitedesign tulsa': 690341, 'websitedesign tulsa digitalmarketing': 975510, '19 stand': 10776, 'many lb': 514227, 'lb you': 482779, 'you gain': 1018747, '19 in covid': 7737, 'covid 19 stand': 213853, '19 stand for': 10777, 'stand for how': 793521, 'how many lb': 408267, 'many lb you': 514228, 'lb you gain': 482780, 'you gain from': 1018748, 'gain from panic': 342777, 'from panic eating': 336844, 'panic eating junk': 638058, 'junk food while': 468041, 'food while self': 317595, 'is not single': 450185, 'any supermarket cannot': 79891, 'supermarket cannot go': 819522, 'store because in': 806679, 'because in the': 119162, 'bred': 139260, 'bulk is': 142315, 'trend bred': 931292, 'bred by': 139261, 'the resilience': 865583, 'resilience of': 714489, 'of supplychains': 590505, 'supplychains prevail': 826263, 'prevail company': 671536, 'company keep': 190830, 'equipped during': 279884, 'pandemic trucking': 636846, 'in bulk is': 421040, 'bulk is trend': 142317, 'is trend bred': 453347, 'trend bred by': 931293, 'bred by the': 139262, 'onset of panic': 611549, 'of panic but': 587721, 'panic but the': 637452, 'but the resilience': 147397, 'the resilience of': 865584, 'resilience of supplychains': 714490, 'of supplychains prevail': 590506, 'supplychains prevail company': 826264, 'prevail company keep': 671537, 'company keep up': 190831, 'demand to ensure': 236393, 'ensure that consumer': 278052, 'that consumer across': 843293, 'nation are well': 552129, 'are well equipped': 91610, 'well equipped during': 978228, 'equipped during pandemic': 279885, 'during pandemic trucking': 262904, 'him having': 396611, 'in bus': 421061, 'and na': 67409, 'na that': 551321, 'thing kill': 884515, 'kill am': 474341, 'am la': 50171, 'joke about him': 467045, 'about him having': 25388, 'him having covid': 396612, '19 in bus': 7733, 'in bus and': 421062, 'bus and supermarket': 142997, 'supermarket and na': 819021, 'and na that': 67410, 'na that thing': 551322, 'that thing kill': 846971, 'thing kill am': 884516, 'kill am la': 474342, 'am la la': 50172, 'want no': 965865, 'no smoke': 565529, 'and gloved up': 63754, 'gloved up this': 353062, 'up this grocery': 946277, 'not want no': 572442, 'want no smoke': 965866, 'clearly seeing': 181564, 'seeing make': 746359, 'economy run': 268187, 'run worker': 727870, 'worker hospitality': 1007141, 'out operator': 626946, 'operator teacher': 613404, 'teacher there': 835517, 'union movement': 941913, 'make major': 510106, 'major comeback': 509269, 'who are we': 988258, 'are we now': 91580, 'we now clearly': 972610, 'now clearly seeing': 574388, 'clearly seeing make': 181565, 'seeing make the': 746360, 'make the economy': 510565, 'the economy run': 854014, 'economy run worker': 268188, 'run worker hospitality': 727871, 'worker hospitality staff': 1007142, 'hospitality staff nurse': 404809, 'staff nurse doctor': 792697, 'doctor delivery and': 250886, 'delivery and bus': 233655, 'driver supermarket check': 259763, 'check out operator': 174564, 'out operator teacher': 626947, 'operator teacher there': 613405, 'teacher there is': 835518, 'is huge potential': 448614, 'huge potential for': 410132, 'potential for the': 667078, 'for the union': 326753, 'the union movement': 870408, 'union movement to': 941914, 'movement to make': 543941, 'to make major': 909688, 'make major comeback': 510107, 'proponent': 684416, 'many plus': 514567, 'easy also': 265643, 'also proponent': 48698, 'proponent of': 684417, 'number can': 576843, 'next socialdistancing': 561557, 'the many plus': 860049, 'many plus of': 514568, 'plus of social': 661644, 'distancing one way': 247376, 'way aisle at': 969441, 'store can we': 806864, 'we keep that': 972134, 'keep that when': 472020, 'that when all': 847478, 'over so nice': 630623, 'so nice and': 777876, 'nice and easy': 562339, 'and easy also': 61867, 'easy also proponent': 265644, 'also proponent of': 48699, 'proponent of shopping': 684418, 'of shopping by': 589660, 'shopping by appointment': 762267, 'appointment only to': 82675, 'only to limit': 611362, 'to limit number': 909289, 'limit number can': 492386, 'number can we': 576845, 'do that next': 250222, 'that next socialdistancing': 845338, 'oilprices skid': 597691, 'on slowdown': 603503, 'oilprices skid after': 597692, 'jump on slowdown': 467885, 'dalma': 225154, 'zachary': 1027174, 'cefaratti': 168745, 'dalmacapital': 225158, 'exclusive conversation': 289659, 'with construction': 997744, 'construction week': 195828, 'week dalma': 976132, 'dalma capital': 225155, 'capital ceo': 162645, 'ceo zachary': 169898, 'zachary cefaratti': 1027175, 'cefaratti talk': 168746, 'demand ecommerce': 235276, 'retail dalmacapital': 718024, 'an exclusive conversation': 55927, 'exclusive conversation with': 289660, 'conversation with construction': 202501, 'with construction week': 997745, 'construction week dalma': 195830, 'week dalma capital': 976133, 'dalma capital ceo': 225156, 'capital ceo zachary': 162646, 'ceo zachary cefaratti': 169899, 'zachary cefaratti talk': 1027176, 'cefaratti talk about': 168747, 'about the effect': 26384, 'behavior and demand': 123884, 'and demand ecommerce': 61150, 'demand ecommerce retail': 235277, 'ecommerce retail dalmacapital': 266843, 'haiku': 373935, 'precious like': 669470, 'like diamond': 490118, 'diamond this': 240340, 'daily commodity': 224554, 'commodity tp': 189326, 'tp scarcity': 927929, 'scarcity corona': 740828, 'corona haiku': 203974, 'haiku haiku': 373936, 'haiku poetry': 373938, 'poetry coronapandemie': 662370, 'coronapandemie stayathome': 205159, 'precious like diamond': 669471, 'like diamond this': 490119, 'diamond this daily': 240341, 'this daily commodity': 887150, 'daily commodity tp': 224555, 'commodity tp scarcity': 189327, 'tp scarcity corona': 927930, 'scarcity corona haiku': 740829, 'corona haiku haiku': 203975, 'haiku haiku poetry': 373937, 'haiku poetry coronapandemie': 373939, 'poetry coronapandemie stayathome': 662371, 'coronapandemie stayathome stayhome': 205160, 'stayathome stayhome toiletpaper': 797643, 'stayhome toiletpaper toiletpaperemergency': 798214, 'seconded': 743893, 'wecandothis': 975525, 'reduced instead': 706101, 'of possibly': 588256, 'possibly facing': 665921, 'facing redundancy': 295571, 'redundancy can': 706407, 'be seconded': 117028, 'seconded to': 743894, 'delivery wecandothis': 234729, 'the bus service': 850146, 'bus service are': 143079, 'service are being': 752132, 'are being reduced': 84908, 'being reduced instead': 125656, 'reduced instead of': 706102, 'instead of possibly': 440303, 'of possibly facing': 588257, 'possibly facing redundancy': 665922, 'facing redundancy can': 295572, 'redundancy can the': 706408, 'can the driver': 159950, 'the driver be': 853693, 'driver be seconded': 259456, 'be seconded to': 117029, 'seconded to assist': 743895, 'assist with supermarket': 96654, 'supermarket delivery wecandothis': 819938, '4months': 19493, 'last most': 480352, 'likely 4months': 491938, '4months and': 19494, 'careful to': 164442, 'explore every': 292477, 'every option': 286058, 'option before': 613998, 'before closing': 122694, 'business some': 144398, 'not reopen': 571308, 'this current crisis': 887136, 'current crisis is': 221159, 'going to last': 355637, 'to last most': 909069, 'last most likely': 480353, 'most likely 4months': 542478, 'likely 4months and': 491939, '4months and consumer': 19495, 'will change during': 992909, 'change during that': 172028, 'during that time': 263073, 'time so be': 897690, 'so be very': 776607, 'very careful to': 955041, 'careful to explore': 164443, 'to explore every': 905501, 'explore every option': 292478, 'every option before': 286059, 'option before closing': 613999, 'before closing down': 122696, 'closing down your': 183626, 'down your business': 257527, 'your business some': 1023078, 'business some will': 144399, 'some will not': 784220, 'will not reopen': 994262, 'lok': 500855, 'sabha': 728994, 'if petrol': 414646, 'any further': 79266, 'further reliance': 342148, 'reliance may': 709232, 'off few': 593809, 'few lok': 303905, 'lok sabha': 500856, 'sabha member': 728995, 'member oilpricewar': 528158, 'if petrol price': 414648, 'petrol price drop': 653766, 'price drop any': 673561, 'drop any further': 260132, 'any further reliance': 79267, 'further reliance may': 342149, 'reliance may need': 709233, 'may need to': 521359, 'need to lay': 555983, 'lay off few': 482602, 'off few lok': 593811, 'few lok sabha': 303906, 'lok sabha member': 500857, 'sabha member oilpricewar': 728996, 'wlmu': 1003267, 'claim skyrocketed': 179814, 'new record': 559414, 'million that': 532367, 'impact domestic': 417638, 'demand mg': 235861, 'mg and': 530080, 'what both': 981127, 'producer can': 680584, 'future wlmu': 342531, 'wlmu farmincome': 1003268, 'jobless claim skyrocketed': 466336, 'claim skyrocketed to': 179815, 'skyrocketed to new': 773392, 'to new record': 910573, 'new record million': 559419, 'record million that': 705028, 'million that will': 532368, 'will impact domestic': 993780, 'impact domestic demand': 417639, 'domestic demand mg': 253181, 'demand mg and': 235862, 'mg and will': 530081, 'and will talk': 75701, 'about what both': 26877, 'what both consumer': 981128, 'consumer and producer': 196238, 'and producer can': 69559, 'producer can expect': 680585, 'can expect in': 158276, 'expect in the': 290664, 'near future wlmu': 553513, 'future wlmu farmincome': 342532, 'wlmu farmincome price': 1003269, 'canada an': 160351, 'wa kick': 962481, 'canada an asian': 160352, 'asian woman wa': 95380, 'woman wa kick': 1003648, 'wa kick out': 962482, 'of supermarket for': 590426, 'supermarket for wearing': 820430, 'wearing mask 19': 974678, 'her know': 392154, 'let her know': 486790, 'her know cletus': 392155, 'business then': 144508, 'survive how': 829183, 'owner pay': 632537, 'family putting': 298172, 'local then': 498645, 'then sure': 877587, 'thing is if': 884472, 'is if people': 448658, 'if people aren': 414608, 'aren buying from': 92349, 'local business then': 497778, 'business then they': 144509, 'then they won': 877661, 'they won survive': 883912, 'won survive how': 1003919, 'survive how will': 829184, 'how will shop': 409238, 'will shop owner': 994846, 'shop owner pay': 760648, 'owner pay for': 632538, 'pay for bill': 644869, 'for bill and': 319682, 'bill and feed': 130504, 'and feed their': 62770, 'their family putting': 873263, 'family putting price': 298173, 'price up is': 677240, 'up is bad': 945222, 'is bad but': 445960, 'bad but if': 107797, 'if you support': 415532, 'your local then': 1024724, 'local then sure': 498646, 'then sure they': 877588, 'sure they will': 827748, 'support you be': 827008, 'you be there': 1017402, 'for your community': 328132, 'your community support': 1023276, 'communitymatters': 190252, 'mean pls': 524617, 'bank communitymatters': 109735, 'most of stock': 542559, 'of stock up': 590205, 'and essential let': 62255, 'essential let keep': 281279, 'let keep in': 486843, 'mind the people': 532742, 'option to do': 614120, 'do so if': 250094, 'the mean pls': 860349, 'mean pls consider': 524618, 'pls consider donating': 661122, 'donating some item': 254498, 'item to your': 463771, 'food bank communitymatters': 313541, 'there something rather': 879077, 'be no delivery': 116092, 'pick up time': 655770, 'up time for': 946308, 'time for week': 896776, 'maybe substantially': 521810, 'substantially more': 816075, 'say that saudi': 739250, 'russia will cut': 728606, 'will cut oil': 993087, 'day and maybe': 227270, 'and maybe substantially': 66818, 'maybe substantially more': 521811, 'substantially more price': 816076, 'more price collapse': 540137, 'price collapse due': 673169, 'to price war': 912129, 'nurse having': 577354, 'the marketer': 860181, 'product raise': 681559, 'the is nurse': 858514, 'is nurse having': 450369, 'nurse having to': 577355, 'to wear garbage': 918429, 'garbage bag while': 343511, 'bag while the': 108452, 'while the marketer': 987403, 'the marketer of': 860182, 'marketer of medical': 517478, 'of medical product': 586396, 'medical product raise': 526322, 'product raise their': 681560, 'their price more': 874408, 'price more and': 675268, 'more to take': 540803, 'of the demand': 590941, 'demand and save': 234998, 'and save your': 70961, 'folx': 312983, 'type stuff': 937610, 'stuff out': 815169, 'there many': 878747, 'to folx': 906071, 'folx working': 312984, 'working though': 1008962, 'first job': 308743, 'job wa': 466268, 'how stressful': 408755, 'you grocerystore': 1018942, 'groceryworkers groceryshopping': 366401, 'just did some': 468586, 'did some grocery': 240813, 'shopping it like': 763102, 'it like end': 459358, 'of day type': 582389, 'day type stuff': 228632, 'type stuff out': 937611, 'stuff out there': 815173, 'out there many': 627500, 'there many thanks': 878750, 'thanks to folx': 842223, 'to folx working': 906072, 'folx working though': 312985, 'working though my': 1008963, 'though my first': 892862, 'my first job': 548342, 'first job wa': 308744, 'job wa at': 466269, 'wa at grocery': 961602, 'store can imagine': 806856, 'imagine how stressful': 416735, 'how stressful it': 408756, 'it is right': 459063, 'thank you grocerystore': 841738, 'you grocerystore groceryworkers': 1018943, 'grocerystore groceryworkers groceryshopping': 366312, 'cool company': 203001, 'company policy': 190960, 'moving corporate': 544133, 'this is cool': 888217, 'is cool company': 446833, 'cool company policy': 203002, 'company policy sephora': 190961, 'store and moving': 806297, 'and moving corporate': 67303, 'moving corporate to': 544134, 'corporate to work': 207351, 'worker in full': 1007171, 'full for shift': 340602, 'for shift they': 325545, 'though they aren': 892921, 'working at all': 1008517, 'important development': 418781, 'development indian': 239822, 'important development indian': 418782, 'development indian government': 239823, 'taxation': 835131, 'dowm': 256363, 'spade the': 787237, 'dropping taxation': 260732, 'taxation on': 835134, 'such fuel': 816507, 'fuel this': 340298, 'see matatu': 745402, 'fare go': 299026, 'go dowm': 353480, 'dowm let': 256364, 'part if': 642291, 'serious in': 751413, 'in reducing': 427335, 'reducing covid': 706274, 'spade spade the': 787235, 'spade the government': 787238, 'government ha the': 360170, 'power to reduce': 667717, 'price by dropping': 673018, 'by dropping taxation': 152436, 'dropping taxation on': 260733, 'taxation on petroleum': 835135, 'on petroleum product': 602784, 'petroleum product such': 653836, 'product such fuel': 681655, 'such fuel this': 816508, 'fuel this will': 340299, 'will see matatu': 994783, 'see matatu fare': 745403, 'matatu fare go': 520268, 'fare go dowm': 299027, 'go dowm let': 353481, 'dowm let the': 256365, 'government do it': 360029, 'do it part': 249502, 'it part if': 460265, 'part if it': 642292, 'is serious in': 451787, 'serious in reducing': 751414, 'in reducing covid': 427336, 'reducing covid 19': 706275, '19 infection in': 7853, 'infection in kenya': 436773, 'frighten': 334041, 'ent code': 278213, 'code is': 185371, 'what purpose': 982070, 'purpose doe': 690117, 'this serve': 890047, 'serve other': 751918, 'to frighten': 906258, 'frighten people': 334043, 'you reporting': 1020909, 'reporting th': 712762, 'th number': 840050, 'business gas': 143775, 'station coffee': 796376, 'coffee sh': 185529, 'ent code is': 278214, 'code is it': 185372, 'necessary to report': 554125, 'report that two': 712332, 'that two supermarket': 847149, 'two supermarket employee': 937249, 'supermarket employee tested': 820140, '19 what purpose': 12003, 'what purpose doe': 982071, 'purpose doe this': 690118, 'doe this serve': 251643, 'this serve other': 890048, 'serve other than': 751919, 'than to frighten': 841339, 'to frighten people': 906259, 'frighten people are': 334044, 'are you reporting': 91845, 'you reporting th': 1020910, 'reporting th number': 712763, 'th number of': 840051, 'case in other': 165803, 'in other business': 426236, 'other business gas': 619912, 'business gas station': 143776, 'gas station coffee': 344104, 'station coffee sh': 796377, 'area being': 91961, 'being hardest': 125217, 'michigan am': 530317, 'so life': 777549, 'much hell': 544989, 'hell since': 389062, '10th still': 2401, 'still healthy': 800682, 'healthy far': 387599, 'so live and': 777565, 'and work right': 75860, 'work right in': 1005676, 'right in the': 721954, 'the area being': 848878, 'area being hardest': 91962, 'being hardest hit': 125218, '19 in michigan': 7767, 'in michigan am': 425286, 'michigan am grocery': 530318, 'store employee so': 807537, 'employee so life': 274220, 'so life ha': 777550, 'life ha been': 488702, 'ha been pretty': 369875, 'been pretty much': 121703, 'pretty much hell': 671455, 'much hell since': 544990, 'hell since the': 389063, 'since the 10th': 770853, 'the 10th still': 847870, '10th still healthy': 2402, 'still healthy far': 800683, 'healthy far know': 387600, 'send several': 749941, 'several email': 753831, 'email on': 272249, 'effecting you': 269197, 'family express': 297773, 'express fear': 293035, 'loss no': 503731, 'mortgage ect': 541891, 'ect and': 268416, 'that policy': 845782, 'policy even': 663399, 'if temporary': 414922, 'temporary be': 837586, 'be mandated': 115899, 'mandated asap': 513012, 'asap call': 94865, 'leave message': 484870, 'send several email': 749942, 'several email on': 753832, 'email on how': 272251, '19 is effecting': 7965, 'is effecting you': 447449, 'effecting you your': 269198, 'your family express': 1023778, 'family express fear': 297774, 'express fear of': 293036, 'fear of job': 301244, 'job loss no': 465982, 'loss no money': 503732, 'buy food pay': 148667, 'food pay your': 315828, 'your rent mortgage': 1025564, 'rent mortgage ect': 711132, 'mortgage ect and': 541892, 'ect and demand': 268417, 'and demand that': 61173, 'demand that policy': 236337, 'that policy even': 845783, 'policy even if': 663400, 'even if temporary': 284215, 'if temporary be': 414923, 'temporary be mandated': 837588, 'be mandated asap': 115900, 'mandated asap call': 513013, 'asap call and': 94866, 'call and leave': 155763, 'and leave message': 66055, 'retail edition': 718062, 'mind rn': 532716, 'rn is': 724327, 'that pair': 845634, 'of jean': 585514, 'closing reminded': 183735, '19 retail edition': 10203, 'retail edition fitting': 718063, 'they can try': 881687, 'can try on': 160059, 'worst thing on': 1011284, 'their mind rn': 873976, 'mind rn is': 532717, 'rn is not': 724329, 'to fit in': 905981, 'fit in that': 309480, 'in that pair': 428928, 'that pair of': 845635, 'pair of jean': 634336, 'of jean restaurant': 585515, 'and bar are': 58693, 'bar are closing': 110675, 'are closing reminded': 85396, 'closing reminded of': 183736, 'on listen': 601877, 'webinar on listen': 975075, 'on listen to': 601878, 'listen to him': 494739, 'to him discus': 907770, 'global crisis is': 351839, 'affecting the psychological': 34568, 'overcome and meet': 631122, 'meet consumer concern': 527438, 'supporting society': 827193, 'society through': 781332, 'crisis such': 218112, 'pandemic scott': 636409, 'clarke vp': 180119, 'vp consumer': 960706, 'lead via': 483403, 'product company can': 681072, 'company can play': 190527, 'can play vital': 159249, 'vital role in': 959715, 'role in supporting': 725100, 'in supporting society': 428743, 'supporting society through': 827194, 'society through crisis': 781333, 'through crisis such': 894397, 'crisis such the': 218113, 'such the covid': 816799, '19 pandemic scott': 9456, 'pandemic scott clarke': 636410, 'scott clarke vp': 742444, 'clarke vp consumer': 180120, 'vp consumer product': 960708, 'industry lead via': 435957, 'nomeat': 566264, 'nofish': 566130, 'single lie': 771321, 'lie went': 488393, 'tesco yesterday': 838858, 'fish aisle': 309284, 'empty justsaying': 274931, 'justsaying supermarket': 470517, 'shopping meat': 763269, 'fish nomeat': 309328, 'nomeat nofish': 566265, 'nofish panicbuying': 566131, 'panicbuying soldout': 639049, 'soldout corona': 781839, 'corona seasoning': 204168, 'seasoning selfish': 743496, 'not single lie': 571597, 'single lie went': 771322, 'lie went to': 488394, 'went to tesco': 979194, 'to tesco yesterday': 916388, 'tesco yesterday and': 838859, 'yesterday and meat': 1015663, 'and meat fish': 66854, 'meat fish aisle': 525570, 'fish aisle wa': 309285, 'aisle wa empty': 40421, 'wa empty justsaying': 962071, 'empty justsaying supermarket': 274932, 'justsaying supermarket shopping': 470518, 'supermarket shopping meat': 822642, 'shopping meat fish': 763270, 'meat fish nomeat': 525572, 'fish nomeat nofish': 309329, 'nomeat nofish panicbuying': 566266, 'nofish panicbuying soldout': 566132, 'panicbuying soldout corona': 639050, 'soldout corona seasoning': 781840, 'corona seasoning selfish': 204169, 'bankcards': 110335, 'catastrophe the': 166944, 'german in': 346230, 'they bankcards': 881521, 'bankcards on': 110336, 'supermarket tour': 823525, 'tour ok': 926933, 'ok ok': 597848, 'ok they': 597907, 'own but': 631911, 'but shop': 147040, 'not accept': 568018, 'accept corona': 27948, 'corona cash': 203847, 'cash any': 166165, 'effect of catastrophe': 269043, 'of catastrophe the': 581196, 'catastrophe the german': 166945, 'the german in': 856231, 'german in have': 346231, 'in have finally': 423569, 'have finally started': 380630, 'finally started to': 306107, 'started to pay': 794879, 'to pay with': 911574, 'pay with they': 645235, 'with they bankcards': 1001666, 'they bankcards on': 881522, 'bankcards on their': 110337, 'on their supermarket': 604513, 'their supermarket tour': 874909, 'supermarket tour ok': 823526, 'tour ok ok': 926934, 'ok ok they': 597849, 'ok they didn': 597908, 'didn stop on': 241219, 'stop on their': 804866, 'their own but': 874164, 'own but shop': 631912, 'but shop do': 147041, 'do not accept': 249653, 'not accept corona': 568019, 'accept corona cash': 27949, 'corona cash any': 203848, 'cash any longer': 166166, 'hungarian': 411047, 'dailynewshungary': 224928, 'epidemic stopped': 279445, 'skyrocketing rental': 773451, 'hungary hungarian': 411054, 'hungarian dailynewshungary': 411048, 'the epidemic stopped': 854446, 'epidemic stopped the': 279446, 'stopped the skyrocketing': 805765, 'the skyrocketing rental': 867317, 'skyrocketing rental price': 773452, 'price in hungary': 674696, 'in hungary hungarian': 423919, 'hungary hungarian dailynewshungary': 411055, 'of cornish': 581879, 'cornish farming': 203727, 'farming cornwall': 299612, 'also issue': 48437, 'delivery carrier': 233784, 'carrier report': 165012, 'report issue': 712056, 'structure of cornish': 814308, 'of cornish farming': 581880, 'cornish farming cornwall': 203728, 'farming cornwall report': 299613, 'report also issue': 711793, 'also issue with': 48438, 'issue with delivery': 456009, 'with delivery carrier': 997963, 'delivery carrier report': 233785, 'carrier report issue': 165013, 'report issue with': 712057, 'issue with self': 456019, 'breakingmyheart': 139085, 'lunchtime to': 506770, 'tear saw': 835965, 'saw my': 738181, 'lovely dad': 504954, 'we chatted': 971120, 'chatted for': 173989, 'not hug': 570025, 'hug breakingmyheart': 409949, 'supermarket at lunchtime': 819242, 'at lunchtime to': 99655, 'lunchtime to get': 506772, 'few essential and': 303819, 'essential and came': 280776, 'came home in': 157008, 'home in tear': 401420, 'in tear saw': 428845, 'tear saw my': 835966, 'saw my lovely': 738182, 'my lovely dad': 549169, 'lovely dad in': 504955, 'dad in there': 224347, 'there and we': 878012, 'and we chatted': 75287, 'we chatted for': 971121, 'chatted for bit': 173990, 'for bit from': 319687, 'bit from safe': 131573, 'from safe distance': 337142, 'safe distance on': 729590, 'on the car': 604010, 'car park but': 163215, 'park but we': 641887, 'could not hug': 209446, 'not hug breakingmyheart': 570026, 'new threat': 559752, '19 deflationary': 6470, 'spiral capital': 789418, 'new threat to': 559753, 'threat to higher': 893734, 'to higher gold': 907743, 'gold price covid': 355954, 'covid 19 deflationary': 212925, '19 deflationary spiral': 6471, 'deflationary spiral capital': 232465, 'spiral capital economics': 789419, 'self medicate': 747814, 'doctor due': 250897, 'worker said': 1007727, 'cocktail for': 185233, 'diagnose or self': 240219, 'or self medicate': 616996, 'self medicate rather': 747815, 'going to doctor': 355574, 'to doctor due': 904604, 'doctor due to': 250898, 'to the fear': 916704, 'lack of info': 478628, 'info on where': 437541, 'to get help': 906499, 'get help at': 347205, 'help at affordable': 389387, 'affordable price an': 34872, 'price an aid': 672346, 'aid worker said': 39487, 'worker said on': 1007728, 'said on condition': 731282, 'bad cocktail for': 107809, 'cocktail for sure': 185234, 'avoiding scam during': 105491, 'scam during the': 740142, 'ophthalmology': 613430, 'ophth': 613429, 'lens to': 486359, 'help guard': 389832, 'against infection': 37511, 'infection see': 436839, 'other advice': 619803, 'american academy': 51763, 'academy of': 27783, 'of ophthalmology': 587303, 'ophthalmology ophth': 613431, 'stop wearing contact': 805267, 'contact lens to': 200121, 'lens to help': 486360, 'to help guard': 907532, 'help guard against': 389833, 'guard against infection': 367772, 'against infection see': 37512, 'infection see this': 436840, 'see this and': 745940, 'and other advice': 68279, 'other advice from': 619804, 'from the american': 337598, 'the american academy': 848623, 'american academy of': 51764, 'academy of ophthalmology': 27784, 'of ophthalmology ophth': 587304, 'please disclose': 659881, 'disclose to': 244381, 'your fitting': 1023897, 'room are': 725884, 'closed thank': 183361, 'you are retail': 1017217, 'are retail clothing': 89663, 'retail clothing store': 717968, 'clothing store please': 184292, 'store please disclose': 809584, 'please disclose to': 659882, 'disclose to your': 244382, 'your customer at': 1023406, 'front door that': 338531, 'door that your': 255733, 'that your fitting': 847767, 'your fitting room': 1023898, 'fitting room are': 309560, 'room are closed': 725885, 'are closed thank': 85370, 'closed thank you': 183362, '19 finish': 7015, 'finish idea': 307855, 'idea will': 413248, 'carry it and': 165101, 'it and buy': 456486, 'stock up when': 803131, 'up when covid': 946575, 'covid 19 finish': 213099, '19 finish idea': 7016, 'finish idea will': 307856, 'idea will come': 413249, 'nrg': 576632, 'energyefficiency': 276634, 'nrg share': 576635, 'top five': 925575, 'five way': 309685, 'reduce energy': 705827, 'pandemic energyefficiency': 635384, 'nrg share the': 576636, 'share the top': 755259, 'the top five': 869779, 'top five way': 925577, 'five way to': 309686, 'way to reduce': 970079, 'to reduce energy': 913021, 'reduce energy usage': 705828, 'energy usage in': 276614, 'usage in your': 948834, 'home during pandemic': 401108, 'during pandemic energyefficiency': 262866, 'latest guidance': 481374, 'our latest guidance': 623665, 'latest guidance on': 481375, 'and your finance': 76074, 'lockdownpakistan': 500358, 'grocery general': 364554, 'general store': 345477, 'store fruit': 807889, 'vegetable one': 954055, 'one house': 606441, 'house allowed': 406169, 'buying above': 149849, 'above essential': 27062, 'go deciding': 353446, 'province lockdownpakistan': 687178, 'medical store grocery': 526418, 'store grocery general': 807972, 'grocery general store': 364555, 'general store fruit': 345478, 'store fruit vegetable': 807891, 'fruit vegetable one': 339184, 'vegetable one person': 954056, 'one person from': 606859, 'person from one': 652441, 'from one house': 336683, 'one house allowed': 606442, 'house allowed to': 406170, 'out for buying': 626103, 'for buying above': 319860, 'buying above essential': 149850, 'above essential item': 27063, 'item go deciding': 463298, 'go deciding to': 353447, 'deciding to lockdown': 230965, 'lockdown the province': 500016, 'the province lockdownpakistan': 864730, 'congratulate': 194435, 'plus is': 661625, 'save hundred': 737520, 'energy job': 276492, 'state would': 796108, 'and congratulate': 60303, 'congratulate president': 194438, 'president putin': 670888, 'putin of': 691036, 'and king': 65856, 'salman of': 732762, 'arabia just': 83901, 'office great': 595426, 'the big oil': 849612, 'big oil deal': 129886, 'oil deal with': 596733, 'deal with opec': 229562, 'with opec plus': 999924, 'opec plus is': 611939, 'plus is done': 661626, 'is done this': 447326, 'done this will': 255059, 'will save hundred': 994741, 'save hundred of': 737521, 'thousand of energy': 893435, 'of energy job': 583108, 'energy job in': 276493, 'united state would': 942257, 'state would like': 796109, 'thank and congratulate': 841542, 'and congratulate president': 60304, 'congratulate president putin': 194439, 'president putin of': 670889, 'putin of russia': 691037, 'russia and king': 728429, 'and king salman': 65857, 'king salman of': 475297, 'salman of saudi': 732763, 'saudi arabia just': 737201, 'arabia just spoke': 83902, 'spoke to them': 789738, 'to them from': 917295, 'them from the': 875755, 'from the oval': 337821, 'oval office great': 629738, 'office great deal': 595427, 'copying': 203478, 'the copying': 851731, 'copying machine': 203479, 'machine gonna': 507375, 'the line on': 859415, 'line on monday': 493325, 'monday for the': 536284, 'for the copying': 326359, 'the copying machine': 851732, 'copying machine gonna': 203480, 'machine gonna be': 507376, 'gonna be worse': 356487, 'store for member': 807819, 'dropping which': 260749, 'normally welcome': 567569, 'welcome news': 977887, 'news by': 560287, 'by driver': 152425, 'price social': 676541, 'increasingly stringent': 433802, 'stringent covid': 813804, 'prevention restriction': 671881, 'gasoline price are': 344253, 'are dropping which': 86017, 'dropping which is': 260750, 'which is normally': 986031, 'is normally welcome': 450018, 'normally welcome news': 567570, 'welcome news by': 977888, 'news by driver': 560288, 'by driver but': 152426, 'driver but few': 259472, 'but few can': 145715, 'few can take': 303743, 'low price social': 505538, 'price social distancing': 676542, 'distancing and increasingly': 246975, 'and increasingly stringent': 65138, 'increasingly stringent covid': 433803, 'stringent covid 19': 813805, '19 prevention restriction': 9798, 'prevention restriction are': 671882, 'restriction are keeping': 717220, 'keeping people off': 472519, 'people off of': 648938, 'off of the': 594011, 'is partly': 450807, 'partly to': 642750, 'part it': 642311, 'it aim': 456319, 'encourage panic': 275616, 'showing photo': 767495, 'section while': 744055, 'stocked panicbuying': 803368, 'panicshopping toiletpaper': 639460, 'problem is that': 679571, 'that the medium': 846773, 'medium is partly': 527155, 'is partly to': 450808, 'partly to blame': 642751, 'the second part': 866586, 'second part it': 743788, 'part it aim': 642312, 'it aim to': 456320, 'aim to encourage': 39549, 'to encourage panic': 905063, 'encourage panic buying': 275617, 'buying by showing': 150081, 'by showing photo': 154005, 'showing photo of': 767496, 'of empty food': 583089, 'empty food section': 274877, 'food section while': 316328, 'section while supermarket': 744056, 'well stocked panicbuying': 978601, 'stocked panicbuying panicshopping': 803369, 'panicbuying panicshopping toiletpaper': 639022, 'panicshopping toiletpaper stockpile': 639461, 'india lab': 434502, 'lab have': 478264, 'supplied 10': 824440, '10 thousand': 1708, 'thousand litre': 893413, 'sanitizer same': 735679, 'india lab have': 434503, 'lab have supplied': 478265, 'have supplied 10': 382856, 'supplied 10 thousand': 824441, '10 thousand litre': 1709, 'thousand litre of': 893414, 'of sanitizer same': 589297, 'sanitizer same number': 735680, 'number of mask': 576959, 'mask to to': 519429, 'to to fight': 917589, 'me waking': 523900, 'having panic': 384214, 'attack because': 102088, 'go serve': 354095, 'life ve': 489171, 'pneumonia time': 662104, 'literally what': 495108, 'what killing': 981791, 'got me waking': 358703, 'me waking up': 523901, 'waking up having': 964666, 'up having panic': 945065, 'having panic attack': 384215, 'panic attack because': 637371, 'attack because have': 102089, 'to go serve': 906851, 'go serve people': 354096, 'serve people food': 751928, 'people food at': 647938, 'food at work': 313456, 'work and act': 1004759, 'act like not': 29685, 'like not terrified': 490882, 'not terrified of': 571959, 'terrified of this': 838498, 'virus and ignore': 957931, 'ignore the fact': 415843, 'fact that in': 295800, 'that in my': 844454, 'in my 26': 425528, '26 year of': 16201, 'year of life': 1014784, 'of life ve': 585838, 'life ve already': 489172, 'already had pneumonia': 47398, 'had pneumonia time': 373415, 'pneumonia time and': 662105, 'time and that': 896298, 'and that literally': 73200, 'that literally what': 844901, 'literally what killing': 495110, 'what killing people': 981792, 'killing people with': 474712, 'proactivity': 679180, 'source mckinsey': 786512, 'survey mar': 828901, 'mar 27': 514999, '27 29': 16260, '2020 what': 14708, 'what positive': 982040, 'positive activity': 665249, 'activity keep': 30461, 'well impt': 978309, 'impt to': 419625, 'share idea': 755044, 'ensure proactivity': 278010, 'proactivity in': 679181, 'in mental': 425252, 'wellbeing for': 978789, 'me reading': 523368, 'reading back': 700741, 'to fiction': 905765, 'fiction writing': 304431, 'writing fun': 1012903, 'home dance': 400986, 'dance workout': 225583, 'workout with': 1009182, 'my fianc': 548310, 'source mckinsey consumer': 786513, 'mckinsey consumer survey': 522194, 'consumer survey mar': 199194, 'survey mar 27': 828902, 'mar 27 29': 515000, '27 29 2020': 16261, '29 2020 what': 16455, '2020 what positive': 14710, 'what positive activity': 982041, 'positive activity keep': 665250, 'activity keep you': 30462, 'keep you well': 472251, 'you well impt': 1022232, 'well impt to': 978310, 'impt to share': 419626, 'to share idea': 914347, 'share idea with': 755045, 'idea with our': 413252, 'our community to': 622486, 'community to ensure': 190172, 'to ensure proactivity': 905181, 'ensure proactivity in': 278011, 'proactivity in mental': 679182, 'in mental wellbeing': 425253, 'mental wellbeing for': 528670, 'wellbeing for me': 978790, 'for me reading': 323334, 'me reading back': 523369, 'reading back to': 700742, 'back to fiction': 107365, 'to fiction writing': 905766, 'fiction writing fun': 304432, 'writing fun at': 1012904, 'at home dance': 98968, 'home dance workout': 400987, 'dance workout with': 225584, 'workout with my': 1009183, 'with my fianc': 999624, 'rotorua': 726198, 'beekeeping': 120572, 'coronavirus rotorua': 206687, 'rotorua shopper': 726201, 'shopper wear': 761810, 'wear beekeeping': 974295, 'beekeeping suit': 120573, '19 coronavirus rotorua': 6122, 'coronavirus rotorua shopper': 206688, 'rotorua shopper wear': 726202, 'shopper wear beekeeping': 761811, 'wear beekeeping suit': 974296, 'beekeeping suit to': 120574, 'suit to supermarket': 817797, 'across dunedin': 29314, 'dunedin these': 262282, 'frontline supporting': 338838, 'supporting all': 827104, 'of through': 592150, 'being patient': 125536, 'supermarket worker across': 823980, 'worker across dunedin': 1006201, 'across dunedin these': 29315, 'dunedin these essential': 262283, 'these essential worker': 879974, 'the frontline supporting': 855888, 'frontline supporting all': 338839, 'supporting all of': 827105, 'all of through': 43721, 'of through the': 592151, 'lockdown and it': 499144, 'is hard work': 448306, 'hard work if': 378127, 'the supermarket show': 868802, 'supermarket show them': 822687, 'show them your': 767234, 'them your support': 876684, 'your support by': 1026082, 'support by being': 826398, 'by being patient': 151947, 'being patient and': 125537, 'patient and being': 644130, 'and being kind': 58863, 'current mood': 221262, 'mood of': 538283, 'current mood of': 221263, 'mood of every': 538284, 'of every supermarket': 583243, 'every supermarket colleague': 286243, 'place drive': 657412, 'hi from': 394648, 'afar last': 33964, 'last filled': 480217, 'ago not': 38434, 'house otherwise': 406443, 'otherwise stayhomesavelives': 621868, 'know the only': 476840, 'only place drive': 610981, 'place drive to': 657413, 'drive to now': 259226, 'to now are': 910739, 'store every two': 807655, 'week and to': 975941, 'and to my': 74187, 'mom to drop': 535815, 'drop off her': 260334, 'off her grocery': 593895, 'her grocery and': 392081, 'grocery and say': 364256, 'and say hi': 70997, 'say hi from': 738753, 'hi from afar': 394649, 'from afar last': 334403, 'afar last filled': 33965, 'last filled up': 480218, 'filled up over': 305568, 'up over month': 945726, 'over month ago': 630406, 'month ago not': 537537, 'ago not leaving': 38435, 'not leaving the': 570357, 'the house otherwise': 857622, 'house otherwise stayhomesavelives': 406444, 'almost single': 46736, 'handedly keeping': 376097, 'paid lot': 634070, 'effort really': 269571, 'really am': 701961, 'express how much': 293042, 'are almost single': 84394, 'almost single handedly': 46737, 'single handedly keeping': 771309, 'handedly keeping running': 376098, 'keeping running at': 472538, 'running at this': 727928, 'this point and': 889630, 'point and assume': 662412, 'assume they get': 97026, 'they get paid': 882175, 'get paid lot': 347771, 'paid lot for': 634071, 'lot for their': 504048, 'their effort really': 873111, 'effort really am': 269572, 'really am very': 701962, 'am very grateful': 50533, 'horriple': 404185, 'that horriple': 844366, 'horriple file': 404186, 'file official': 305355, 'official complaint': 595784, 'complaint isn': 191986, 'wow that horriple': 1012600, 'that horriple file': 844367, 'horriple file official': 404187, 'file official complaint': 305356, 'official complaint isn': 595785, 'complaint isn issuing': 191987, 'provision store': 687284, 'yesterday pmo': 1015835, 'pmo asked': 662068, 'asked people': 95809, 'in enough': 422586, 'enough quantity': 277590, 'quantity in': 691920, 'market then': 517202, 'there due': 878342, 'are doing panic': 85918, 'buying in provision': 150537, 'in provision store': 427059, 'provision store just': 687285, 'store just yesterday': 808632, 'just yesterday pmo': 470371, 'yesterday pmo asked': 1015836, 'pmo asked people': 662069, 'asked people not': 95810, 'do it he': 249482, 'it he ha': 458506, 'he ha assured': 385018, 'assured that food': 97125, 'other necessity will': 620573, 'necessity will be': 554297, 'available in enough': 104439, 'in enough quantity': 422587, 'enough quantity in': 277591, 'quantity in market': 691921, 'in market then': 425149, 'market then to': 517203, 'then to still': 877677, 'to still panic': 915411, 'still panic is': 801022, 'panic is there': 638227, 'is there due': 453008, 'there due to': 878343, 'million 10': 532047, 'labor force': 478411, 'force over': 328475, 'dive after': 248477, '19 wave': 11913, 'wave there': 969394, 'decrease many': 231587, 'unemployment claim have': 941181, 'claim have risen': 179740, 'risen to 16': 723128, '16 million 10': 4133, 'million 10 of': 532048, 'of the labor': 591169, 'the labor force': 858886, 'labor force over': 478412, 'force over the': 328476, 'three week consumer': 894101, 'week consumer index': 976103, 'big dive after': 129762, 'dive after the': 248478, 'covid 19 wave': 214050, '19 wave there': 11914, 'wave there will': 969395, 'be high unemployment': 115248, 'high unemployment and': 395494, 'unemployment and demand': 941156, 'gi service will': 349721, 'service will decrease': 753074, 'will decrease many': 993120, 'decrease many patient': 231588, 'granted all': 362061, 'trip where': 932219, 'where didn': 984822, 'before bringing': 122676, 'for granted all': 321988, 'granted all the': 362062, 'store trip where': 810955, 'trip where didn': 932220, 'where didn have': 984823, 'have to lysol': 383247, 'to lysol wipe': 909534, 'lysol wipe everything': 507208, 'wipe everything down': 996254, 'everything down before': 287757, 'down before bringing': 256557, 'before bringing it': 122677, 'bringing it into': 140176, 'serger': 751212, 'seamstress': 743209, 'to hubby': 908039, 'hubby about': 409863, 'about when': 26908, 'hit tx': 398494, 'tx we': 937464, 'week he': 976313, 'could sew': 209661, 'sew some': 754146, 'my machine': 549178, 'and serger': 71281, 'serger are': 751213, 'still set': 801170, 'our plastic': 624363, 'pickup old': 655989, 'old seamstress': 598464, 'seamstress here': 743210, 'talking to hubby': 834045, 'to hubby about': 908040, 'hubby about when': 409864, 'about when the': 26910, '19 really hit': 9986, 'really hit tx': 702300, 'hit tx we': 398495, 'tx we think': 937465, 'we think in': 973531, 'think in about': 885305, 'about week he': 26869, 'week he asked': 976314, 'he asked if': 384754, 'asked if could': 95770, 'if could sew': 414011, 'could sew some': 209662, 'sew some face': 754147, 'face mask of': 294569, 'mask of course': 519036, 'of course my': 582063, 'course my machine': 211901, 'my machine and': 549179, 'machine and serger': 507357, 'and serger are': 71282, 'serger are still': 751214, 'are still set': 90478, 'still set up': 801171, 'set up we': 753586, 'up we have': 946544, 'have our plastic': 381849, 'our plastic glove': 624364, 'plastic glove we': 658851, 'glove we won': 353020, 'won be shopping': 1003748, 'be shopping order': 117155, 'shopping order online': 763563, 'online for pickup': 608235, 'for pickup old': 324549, 'pickup old seamstress': 655990, 'old seamstress here': 598465, 'uncertainty house': 939694, 'uncertainty house price': 939695, 'fall by up': 296875, 'up to 20': 946326, 'to 20 percent': 899579, '20 percent in': 13256, 'percent in ireland': 651133, 'tbcb': 835239, 'digitalcommerce': 242705, 'mobilecommerce': 535052, 'uniquecommerce': 942008, 'customerfocus': 223146, 'tbcb understanding': 835240, 'behavior commerce': 123975, 'ecommerce digitalcommerce': 266751, 'digitalcommerce mobilecommerce': 242706, 'mobilecommerce uniquecommerce': 535053, 'uniquecommerce customerfocus': 942009, 'customerfocus customersatisfaction': 223147, 'tbcb understanding the': 835241, 'shopping behavior commerce': 762200, 'behavior commerce ecommerce': 123976, 'commerce ecommerce digitalcommerce': 188551, 'ecommerce digitalcommerce mobilecommerce': 266752, 'digitalcommerce mobilecommerce uniquecommerce': 242707, 'mobilecommerce uniquecommerce customerfocus': 535054, 'uniquecommerce customerfocus customersatisfaction': 942010, 'that lockdownindia': 844933, 'lockdownindia moment': 500301, 'moment only': 536024, 'area our': 92153, 'outside from': 629431, 'for kindly': 322856, 'kindly keep': 475143, 'distance each': 246695, 'minimum foot': 533189, 'foot wash': 318463, 'please plz': 660318, 'plz pls': 661827, 'guy in that': 369041, 'in that lockdownindia': 428923, 'that lockdownindia moment': 844934, 'lockdownindia moment only': 500302, 'moment only you': 536025, 'only you can': 611508, 'can save your': 159509, 'save your family': 737710, 'your family your': 1023807, 'family your local': 298418, 'your local area': 1024677, 'local area our': 497693, 'area our country': 92154, 'country from you': 210677, 'from you do': 338457, 'go outside from': 354012, 'outside from your': 629433, 'home for kindly': 401234, 'for kindly keep': 322857, 'kindly keep distance': 475144, 'keep distance each': 471450, 'distance each other': 246696, 'other for minimum': 620259, 'for minimum foot': 323454, 'minimum foot wash': 533190, 'foot wash your': 318464, 'hand using soap': 375907, 'using soap sanitizer': 950657, 'soap sanitizer please': 779111, 'sanitizer please plz': 735554, 'please plz pls': 660319, 'the deplorables': 853151, 'deplorables america': 237438, 'the rough': 866002, 'rough unsung': 726265, 'that grow': 844094, 'pump oil': 689073, 'oil staff': 597451, 'pipe with': 656884, 'water put': 969128, 'of the deplorables': 590943, 'the deplorables america': 853152, 'deplorables america would': 237439, 'without the rough': 1002977, 'the rough unsung': 866003, 'rough unsung hero': 726266, 'unsung hero that': 943563, 'hero that grow': 394111, 'that grow our': 844095, 'good stock shelf': 357775, 'stock shelf pump': 802836, 'shelf pump oil': 757439, 'pump oil staff': 689074, 'oil staff our': 597452, 'staff our hospital': 792732, 'fill the pipe': 305500, 'the pipe with': 863748, 'pipe with water': 656885, 'with water put': 1002035, 'water put out': 969129, 'street and keep': 812895, 'outbreak batter': 628037, 'batter the': 112737, 'house sale are': 406541, 'sale are set': 732067, 'set to plunge': 753529, 'plunge by 60': 661420, 'by 60 in': 151691, 'next three month': 561594, 'three month the': 894002, 'month the coronavirus': 538040, 'coronavirus outbreak batter': 206377, 'outbreak batter the': 628038, 'batter the economy': 112738, 'worker need break': 1007419, 'risk american': 723362, 'american can': 51851, 'both get': 135913, 'crowd by': 219135, 'by reserving': 153782, 'this group': 887770, 'chain are making': 170504, 'making sure older': 511385, 'sure older and': 827641, 'older and at': 598574, 'at risk american': 100336, 'risk american can': 723363, 'american can both': 51852, 'can both get': 157779, 'both get the': 135915, 'need and avoid': 554417, 'and avoid crowd': 58563, 'avoid crowd by': 105068, 'crowd by reserving': 219136, 'by reserving special': 153784, 'reserving special hour': 714157, 'for this group': 327031, 'tollroadsnews': 923894, 'trn': 932329, 'google us': 358201, 'us smartphone': 948547, 'smartphone data': 775524, 'gauge pandemic': 344545, 'mobility tollroadsnews': 535096, 'tollroadsnews trn': 923895, 'trn transportation': 932330, 'transportation infrastructure': 930015, 'infrastructure google': 438200, 'google tollroads': 358196, 'google us smartphone': 358202, 'us smartphone data': 948548, 'smartphone data to': 775525, 'data to gauge': 226460, 'to gauge pandemic': 906386, 'gauge pandemic impact': 344546, 'impact on mobility': 417874, 'on mobility tollroadsnews': 602146, 'mobility tollroadsnews trn': 535097, 'tollroadsnews trn transportation': 923896, 'trn transportation infrastructure': 932331, 'transportation infrastructure google': 930016, 'infrastructure google tollroads': 438201, 'news alongside': 560214, 'alongside several': 47103, 'ceo wa interviewed': 169878, 'by news alongside': 153327, 'news alongside several': 560215, 'alongside several other': 47104, 'agency leader to': 38036, 'leader to discus': 483552, 'current crisis check': 221155, 'crisis check it': 217212, 'aa taxi': 24089, 'driver baker': 259451, 'work for hero': 1005153, 'train driver aa': 929247, 'driver aa taxi': 259384, 'aa taxi driver': 24090, 'taxi driver baker': 835152, 'driver baker farmer': 259452, 'cascar': 165566, 'my gma': 548517, 'gma is': 353184, 'selling easter': 749218, 'and cascar': 59599, 'cascar ne': 165567, 'ne but': 553438, '19 simple': 10551, 'rt would': 726851, '65 let': 21362, 'interested thank': 441486, 'hello twitter my': 389237, 'twitter my gma': 936693, 'my gma is': 548518, 'gma is selling': 353185, 'is selling easter': 451753, 'selling easter basket': 749219, 'easter basket and': 265386, 'basket and cascar': 112294, 'and cascar ne': 59600, 'cascar ne but': 165568, 'ne but can': 553439, 'out and sell': 625688, 'sell them because': 748906, 'them because of': 875466, 'covid 19 simple': 213805, '19 simple rt': 10552, 'simple rt would': 770087, 'rt would really': 726852, 'would really help': 1012169, 'really help the': 702278, 'help the price': 390676, 'the price range': 864403, 'range from 65': 696699, 'from 65 let': 334320, '65 let me': 21363, 'let me or': 486905, 'me or know': 523287, 'or know if': 615913, 'know if interested': 476476, 'if interested thank': 414271, 'interested thank you': 441487, 'alley': 45830, 'mango': 513119, 'whatsapp supply': 982910, 'flour they': 311172, 'they once': 882817, 'once did': 605619, 'back alley': 106837, 'alley desi': 45831, 'desi mango': 238201, 'mango distribution': 513120, 'distribution fyi': 248153, 'whatsapp supply chain': 982911, 'chain are taking': 170517, 'taking off for': 833471, 'off for flour': 593828, 'for flour they': 321534, 'flour they once': 311173, 'they once did': 882818, 'once did for': 605620, 'did for back': 240607, 'for back alley': 319562, 'back alley desi': 106838, 'alley desi mango': 45832, 'desi mango distribution': 238202, 'mango distribution fyi': 513121, 'marketingdive': 517769, 'via marketingdive': 956071, '19 via marketingdive': 11761, 'london shopping': 501172, 'wembley london shopping': 978895, 'will notice': 994289, 'brand item': 137880, 'staple category': 793916, 'short term this': 764758, 'term this is': 838324, 'impact on how': 417857, 'how we serve': 409188, 'we serve our': 973206, 'our customer you': 622682, 'customer you will': 223128, 'you will notice': 1022346, 'will notice that': 994290, 'notice that we': 573369, 'are currently out': 85669, 'stock on some': 802564, 'on some brand': 603555, 'some brand item': 782426, 'brand item in': 137881, 'item in household': 463347, 'in household staple': 423863, 'household staple category': 406949, 'ishaan': 454227, 'bbcnewscoronavirus': 113145, 'from ishaan': 336102, 'ishaan my': 454228, 'old get': 598263, 'truck from': 932812, 'quantity street': 691960, 'by street': 154136, 'at set': 100492, 'time avoid': 896357, 'rush streamline': 728330, 'streamline the': 812863, 'home bbcnewscoronavirus': 400766, 'bbcnewscoronavirus londonlockdown': 113146, 'message from ishaan': 529318, 'from ishaan my': 336103, 'ishaan my year': 454229, 'year old get': 1014828, 'old get food': 598264, 'get food delivery': 347036, 'food delivery truck': 314157, 'delivery truck from': 234696, 'truck from all': 932813, 'the supermarket selling': 868790, 'supermarket selling in': 822382, 'selling in small': 749300, 'small quantity street': 775079, 'quantity street by': 691961, 'street by street': 812936, 'by street at': 154137, 'street at set': 812917, 'at set time': 100493, 'set time avoid': 753498, 'time avoid the': 896358, 'the rush streamline': 866087, 'rush streamline the': 728331, 'streamline the food': 812864, 'food supply make': 316967, 'supply make it': 825529, 'easier to stay': 265165, 'at home bbcnewscoronavirus': 98944, 'home bbcnewscoronavirus londonlockdown': 400767, 'etc deserves': 282488, 'deserves all': 238167, 'all afloat': 41959, 'to all essential': 900245, 'essential worker during': 281827, 'time all staff': 896229, 'all staff in': 44415, 'staff in grocery': 792552, 'store restaurant cafe': 809842, 'restaurant cafe etc': 716347, 'cafe etc deserves': 155108, 'etc deserves all': 282489, 'deserves all the': 238168, 'all the support': 44937, 'the support we': 868986, 'can give them': 158482, 'keep all afloat': 471292, 'all afloat during': 41960, 'afloat during this': 34954, 'stop showing': 805026, 'showing empty': 767440, 'shelf making': 757303, 'instead show': 440356, 'show shelf': 767124, 'them reassuring': 876211, 'about you stop': 26979, 'you stop showing': 1021440, 'stop showing empty': 805027, 'showing empty shelf': 767441, 'empty shelf making': 275077, 'shelf making people': 757304, 'making people feel': 511276, 'people feel like': 647894, 'like they need': 491453, 'up before it': 944479, 'gone and instead': 356206, 'and instead show': 65288, 'instead show shelf': 440357, 'show shelf with': 767125, 'shelf with food': 757817, 'with food on': 998499, 'food on them': 315606, 'on them reassuring': 604542, 'them reassuring people': 876212, 'reassuring people that': 703234, 'that food will': 843920, 'be available and': 113751, 'available and when': 104233, 'everyone post': 287291, 'about quarantine': 26034, 'everyone post about': 287292, 'post about quarantine': 665980, 'about quarantine day': 26036, 'quarantine day but': 692133, 'day but work': 227415, 'they ll never': 882606, 'll never shut': 496922, 'never shut down': 558198, 'shut down my': 767836, 'down my job': 256971, 'lovewins': 505042, 'congrats to': 194431, 'engaged at': 276868, 'road apparently': 724405, 'cancelled their': 161179, 'their holiday': 873551, 'iceland where': 412729, 'propose so': 684507, 'iceland the': 412727, 'propose instead': 684499, 'instead goodnews': 440190, 'goodnews lovewins': 358072, 'congrats to the': 194432, 'to the couple': 916605, 'the couple who': 852206, 'couple who just': 211715, 'just got engaged': 468854, 'got engaged at': 358535, 'engaged at the': 276869, 'the road apparently': 865919, 'road apparently they': 724406, 'apparently they cancelled': 82031, 'they cancelled their': 881695, 'cancelled their holiday': 161180, 'their holiday to': 873553, 'holiday to iceland': 400368, 'to iceland where': 908080, 'iceland where the': 412730, 'where the man': 985237, 'man had planned': 512086, 'planned to propose': 658474, 'to propose so': 912279, 'propose so he': 684508, 'he took her': 385540, 'took her to': 925247, 'her to iceland': 392464, 'to iceland the': 908079, 'iceland the supermarket': 412728, 'supermarket to propose': 823398, 'to propose instead': 912276, 'propose instead goodnews': 684500, 'instead goodnews lovewins': 440191, 'programm': 683324, 'start this': 794566, 'your programm': 1025453, 'programm please': 683325, 'please start this': 660540, 'start this on': 794567, 'this on your': 889224, 'on your programm': 605494, 'your programm please': 1025454, 'programm please lift': 683326, 'death is on': 230099, 'state see': 795924, 'see double': 745057, 'digit pump': 242484, 'third of all': 886083, 'of all state': 579978, 'all state see': 44432, 'state see double': 795925, 'see double digit': 745058, 'double digit pump': 256000, 'digit pump price': 242485, 'pump price drop': 689087, 'price drop on': 673577, 'on the week': 604443, 'supermarket add': 818777, 'add an': 31395, 'could all major': 208803, 'major supermarket add': 509481, 'supermarket add an': 818778, 'add an option': 31396, 'an option to': 56687, 'option to online': 614126, 'shopping for customer': 762668, 'customer to donate': 222959, 'to donate item': 904649, 'donate item to': 254198, 'item to foodbanks': 463750, 'resident take': 714374, 'dc resident take': 228971, 'resident take look': 714375, 'panic foodwaste': 638115, 'rising amid coronavirus': 723157, 'amid coronavirus panic': 52427, 'coronavirus panic foodwaste': 206518, 'toronto are': 925920, 'very problematic': 955434, 'like pc': 490975, 'express online': 293051, 'some area of': 782339, 'area of toronto': 92142, 'of toronto are': 592322, 'toronto are very': 925922, 'are very problematic': 91474, 'very problematic for': 955435, 'problematic for online': 679785, 'shopping like pc': 763170, 'like pc express': 490976, 'pc express online': 645885, 'express online food': 293052, 'an extraordinary': 56018, 'extraordinary meeting': 293743, 'eu agriculture': 283192, 'held today': 388941, 'possible disruption': 665626, 'sector due': 744173, 'an extraordinary meeting': 56019, 'extraordinary meeting of': 293744, 'meeting of eu': 527731, 'of eu agriculture': 583203, 'eu agriculture minister': 283193, 'agriculture minister will': 39002, 'minister will be': 533501, 'will be held': 992494, 'be held today': 115197, 'held today to': 388942, 'today to respond': 920366, 'to the possible': 916968, 'the possible disruption': 864073, 'possible disruption to': 665627, 'to the agricultural': 916484, 'agricultural sector due': 38920, 'sector due to': 744174, 'ecommerce online': 266815, 'online mobile': 608548, 'shopping b2c': 762132, 'b2c retail': 106490, 'cx cx': 223906, '19 ecommerce online': 6695, 'ecommerce online mobile': 266816, 'online mobile shopping': 608549, 'mobile shopping b2c': 535024, 'shopping b2c retail': 762133, 'b2c retail cx': 106491, 'retail cx cx': 718022, 'cx cx retail': 223907, 'hold low': 399949, 'low dollar': 505249, 'dollar trudeau': 253104, 'trudeau said': 933019, 'canada canadian': 160386, 'canadian really': 160738, 'take hold low': 832193, 'hold low dollar': 399950, 'low dollar trudeau': 505250, 'dollar trudeau said': 253105, 'trudeau said wa': 933020, 'said wa good': 731553, 'wa good for': 962236, 'good for canada': 357074, 'for canada canadian': 319899, 'canada canadian really': 160387, 'sanitizer going': 734997, 'site shortly': 772009, 'shortly tiktok': 765389, 'tiktok naturalproducts': 895909, 'hand sanitizer going': 375422, 'sanitizer going up': 734998, 'the site shortly': 867235, 'site shortly tiktok': 772010, 'shortly tiktok naturalproducts': 765390, 'newbedfordma': 560016, 'newbedford': 560013, 'dartmouthma': 226045, 'fairhavenma': 296420, 'fallriverma': 297402, 'graphic from': 362166, 'from net': 336562, 'net show': 557565, 'these cost': 879811, 'cost could': 207894, 'like corona': 490045, 'corona food': 203945, 'food newbedfordma': 315530, 'newbedfordma newbedford': 560017, 'newbedford quarantine': 560014, 'quarantine investment': 692298, 'investment insurance': 444015, 'insurance dartmouthma': 440716, 'dartmouthma fairhavenma': 226046, 'fairhavenma fallriverma': 296421, 'much are you': 544730, 'you spending to': 1021325, 'spending to stock': 789025, 'up for week': 944972, 'for week quarantine': 327743, 'week quarantine this': 976782, 'quarantine this graphic': 692626, 'this graphic from': 887748, 'graphic from net': 362167, 'from net show': 336563, 'net show what': 557566, 'show what these': 767275, 'what these cost': 982386, 'these cost could': 879812, 'cost could look': 207895, 'look like corona': 502473, 'like corona food': 490046, 'corona food newbedfordma': 203946, 'food newbedfordma newbedford': 315531, 'newbedfordma newbedford quarantine': 560018, 'newbedford quarantine investment': 560015, 'quarantine investment insurance': 692299, 'investment insurance dartmouthma': 444016, 'insurance dartmouthma fairhavenma': 440717, 'dartmouthma fairhavenma fallriverma': 226047, 'henderson': 391761, '3297': 17732, 'your same': 1025673, 'day cleaning': 227453, 'cleaning today': 181110, 'today service': 920160, 'vega henderson': 953814, 'henderson summerlin': 391762, 'summerlin and': 818029, 'starting 80': 794934, '80 hour': 22583, 'hour cleaner': 405492, 'cleaner keep': 180790, 'the out': 862579, 'and cleanliness': 59951, 'cleanliness in': 181153, 'in easy': 422470, 'easy online': 265743, 'online booking': 607941, 'booking 702': 134703, '702 330': 21936, '330 3297': 17778, 'book your same': 134647, 'your same day': 1025674, 'same day cleaning': 733025, 'day cleaning today': 227454, 'cleaning today service': 181111, 'today service in': 920161, 'service in la': 752478, 'la vega henderson': 478231, 'vega henderson summerlin': 953815, 'henderson summerlin and': 391763, 'summerlin and more': 818030, 'and more price': 67205, 'more price starting': 540141, 'price starting 80': 676618, 'starting 80 hour': 794935, '80 hour cleaner': 22584, 'hour cleaner keep': 405493, 'cleaner keep the': 180791, 'keep the out': 472059, 'the out and': 862580, 'out and cleanliness': 625651, 'and cleanliness in': 59952, 'cleanliness in easy': 181154, 'in easy online': 422471, 'easy online booking': 265744, 'online booking 702': 607942, 'booking 702 330': 134704, '702 330 3297': 21937, 'penalised': 646422, 'mongrel': 537243, 'be penalised': 116384, 'penalised and': 646423, 'for jacking': 322762, 'vital personal': 959712, 'greedy cash': 363500, 'cash grabbing': 166246, 'grabbing mongrel': 361586, 'mongrel make': 537244, 'blood bo': 133101, 'medical supply company': 526433, 'supply company should': 825093, 'should be penalised': 765691, 'be penalised and': 116385, 'penalised and called': 646424, 'and called out': 59428, 'out for jacking': 626133, 'for jacking up': 322763, 'price on vital': 675734, 'on vital personal': 605063, 'vital personal protective': 959713, 'equipment ppe and': 279805, 'ppe and medical': 667902, 'to be greedy': 901283, 'be greedy cash': 115098, 'greedy cash grabbing': 363501, 'cash grabbing mongrel': 166247, 'grabbing mongrel make': 361587, 'mongrel make my': 537245, 'make my blood': 510219, 'my blood bo': 547484, 'manager think': 512811, 'think thief': 885688, 'the manager think': 860001, 'manager think thief': 512812, 'think thief could': 885689, 'thief could ve': 884005, 'could ve done': 209815, 've done it': 953061, 'buying happening in': 150467, 'virginia show': 957679, 'good microwave': 357387, 'microwave safe': 530532, 'or vitamin': 617689, 'importantly toilet': 419154, 'alexandria virginia show': 41609, 'virginia show an': 957680, 'show an empty': 766859, 'canned good microwave': 161539, 'good microwave safe': 357388, 'microwave safe food': 530533, 'safe food medication': 729668, 'food medication or': 315436, 'medication or vitamin': 526667, 'or vitamin and': 617690, 'most importantly toilet': 542430, 'importantly toilet paper': 419155, 'paper are allowed': 639886, 'her organization': 392267, 'been providing': 121732, 'to marginalized': 909843, 'marginalized community': 515654, 'community even': 189837, 'donate to her': 254260, 'to her organization': 907704, 'her organization ha': 392268, 'organization ha been': 619375, 'ha been providing': 369882, 'been providing food': 121733, 'providing food and': 686995, 'and necessity to': 67462, 'necessity to marginalized': 554282, 'to marginalized community': 909844, 'marginalized community even': 515655, 'community even prior': 189838, 'wa norwich': 962752, 'norwich today': 567859, 'today please': 920044, 'selfish leave': 748162, 'leave stock': 484946, 'others bekind': 621305, 'bekind lasted': 126101, 'lasted about': 480751, 'about minute': 25734, 'minute there': 533858, 'stop drove': 804630, 'drove about': 260780, 'about hour': 25415, 'for loaf': 323033, 'bread others': 138556, 'others cannot': 621324, 'it wa norwich': 462158, 'wa norwich today': 962753, 'norwich today please': 567860, 'today please stop': 920046, 'selfish and selfish': 747992, 'and selfish leave': 71194, 'selfish leave stock': 748163, 'leave stock for': 484947, 'stock for others': 802175, 'for others bekind': 324185, 'others bekind lasted': 621306, 'bekind lasted about': 126102, 'lasted about minute': 480752, 'about minute there': 25736, 'minute there is': 533859, 'buy you have': 149488, 'to stop drove': 915519, 'stop drove about': 804631, 'drove about hour': 260781, 'about hour on': 25416, 'hour on saturday': 405820, 'saturday just for': 737035, 'just for loaf': 468751, 'for loaf of': 323034, 'of bread others': 580847, 'bread others cannot': 138557, 'others cannot do': 621325, 'do that stoppanicbuying': 250229, 'desperado': 238498, 'leclerc': 485199, 'of desperado': 582552, 'desperado crazy': 238499, 'crazy grocerystore': 215305, 'grocerystore leclerc': 366317, 'leclerc stayathome': 485200, 'store cart and': 806877, 'cart and load': 165249, 'load of desperado': 497264, 'of desperado crazy': 582553, 'desperado crazy grocerystore': 238500, 'crazy grocerystore leclerc': 215306, 'grocerystore leclerc stayathome': 366318, 'unavailable retailer': 939457, 'retailer cut': 719101, 'by road': 153829, 'road closure': 724437, 'currently unavailable retailer': 221701, 'unavailable retailer cut': 939458, 'retailer cut off': 719102, 'off by road': 593712, 'by road closure': 153830, 'lust': 506860, 'year may': 1014743, 'my lust': 549176, 'lust for': 506861, '19 fault': 6945, 'fault take': 300416, '12 year may': 2996, 'year may have': 1014744, 'may have lost': 521248, 'have lost my': 381383, 'lost my lust': 503892, 'my lust for': 549177, 'lust for work': 506862, 'covid 19 fault': 213077, '19 fault take': 6946, 'fault take some': 300417, 'new of': 559187, 'morning consumerconfidence': 541227, 'consumerconfidence is': 199658, 'we began': 970836, 'january confidence': 464653, 'new of wednesday': 559188, 'of wednesday morning': 592989, 'wednesday morning consumerconfidence': 975664, 'morning consumerconfidence is': 541228, 'consumerconfidence is at': 199659, 'day before this': 227374, 'is new low': 449885, 'point since we': 662627, 'since we began': 770977, 'we began tracking': 970837, 'since january confidence': 770677, 'january confidence ha': 464654, 'some tissue': 784071, 'safe zone': 730173, 'zone is': 1027760, 'me some tissue': 523512, 'some tissue and': 784072, 'people out looking': 649024, 'store safe zone': 809947, 'safe zone is': 730174, 'zone is it': 1027761, 'denting': 237090, 'type2': 937620, '2020 hearing': 14360, 'hearing all': 388192, 'radio ad': 695427, 'from fast': 335421, 'uber high': 937818, 'high calorie': 394958, 'calorie edible': 156892, 'edible no': 268551, 'sense denting': 750508, 'denting the': 237091, 'the obesity': 862011, 'obesity diabetes': 578374, 'diabetes type2': 240189, 'type2 pandemic': 937621, 'pandemic during': 635344, 'panic eh': 638062, '23 2020 hearing': 15362, '2020 hearing all': 14361, 'hearing all the': 388193, 'all the radio': 44880, 'the radio ad': 865098, 'radio ad from': 695428, 'ad from fast': 31110, 'from fast food': 335422, 'place and their': 657323, 'and their offer': 73705, 'their offer for': 874084, 'offer for pickup': 594620, 'for pickup or': 324551, 'pickup or to': 656002, 'or to deliver': 617467, 'to deliver their': 904116, 'deliver their uber': 233242, 'their uber high': 875066, 'uber high calorie': 937819, 'high calorie edible': 394959, 'calorie edible no': 156893, 'edible no sense': 268552, 'no sense denting': 565458, 'sense denting the': 750509, 'denting the obesity': 237092, 'the obesity diabetes': 862012, 'obesity diabetes type2': 578375, 'diabetes type2 pandemic': 240190, 'type2 pandemic during': 937622, 'pandemic during the': 635345, 'the pandemic panic': 863050, 'pandemic panic eh': 636154, 'plant clean': 658634, 'safe ha': 729725, 'greater these': 363252, 'critical spill': 218665, 'spill response': 789370, 'response chemical': 715655, 'chemical storage': 175384, 'storage cleaning': 805959, 'and sanitization': 70844, 'sanitization supply': 734151, 'challenge of keeping': 171513, 'of keeping food': 585589, 'keeping food production': 472428, 'production and processing': 681930, 'and processing plant': 69543, 'processing plant clean': 680035, 'plant clean and': 658635, 'and safe ha': 70714, 'safe ha never': 729726, 'been greater these': 121235, 'greater these critical': 363253, 'these critical spill': 879837, 'critical spill response': 218666, 'spill response chemical': 789371, 'response chemical storage': 715656, 'chemical storage cleaning': 175385, 'storage cleaning and': 805960, 'cleaning and sanitization': 180898, 'and sanitization supply': 70845, 'sanitization supply are': 734152, 'supply are in': 824787, 'stock and available': 801801, 'and available to': 58550, 'available to ship': 104657, 'to ship same': 914431, 'continue you': 201297, 'sudden profit': 817034, 'profit am': 682645, 'am freezing': 50061, 'all salary': 44231, 'salary all': 731938, 'did bottle': 240572, 'our company will': 622501, 'company will continue': 191330, 'continue normal the': 201076, 'normal the work': 567360, 'the work will': 871745, 'work will continue': 1006018, 'will continue you': 993023, 'continue you will': 201298, 'no sudden profit': 565610, 'sudden profit am': 817035, 'profit am freezing': 682646, 'am freezing all': 50062, 'freezing all salary': 332662, 'all salary all': 44232, 'salary all price': 731939, 'all price how': 44035, 'price how much': 674593, 'much did bottle': 544828, 'did bottle of': 240573, 'questionaire': 693832, 'question big': 693550, 'big or': 129895, 'small should': 775122, 'during spring': 263042, 'break am': 138670, 'myself at': 550829, 'safe fill': 729661, 'our questionaire': 624530, 'want to answer': 965986, 'your question big': 1025497, 'question big or': 693551, 'big or small': 129896, 'or small should': 617112, 'small should you': 775123, 'should you drive': 766675, 'you drive during': 1018359, 'drive during spring': 259045, 'during spring break': 263043, 'spring break am': 791170, 'break am putting': 138671, 'am putting myself': 50331, 'putting myself at': 691172, 'myself at risk': 550830, 'risk by going': 723437, 'should get food': 766022, 'delivered and is': 233294, 'it safe fill': 460839, 'safe fill out': 729662, 'fill out our': 305481, 'out our questionaire': 626989, 'rise fear': 722848, 'fear trigger': 301405, 'trigger personal': 931881, 'gun sale rise': 368722, 'sale rise fear': 732497, 'rise fear trigger': 722849, 'fear trigger personal': 301406, 'trigger personal safety': 931882, 'nielsen investigation': 562649, 'investigation ha': 443869, 'identified key': 413334, 'behavior driving': 124002, 'driving increased': 259957, 'household safety': 406928, 'nielsen investigation ha': 562650, 'investigation ha identified': 443871, 'ha identified key': 370902, 'identified key consumer': 413335, 'consumer behavior driving': 196466, 'behavior driving increased': 124003, 'driving increased sale': 259958, 'sale of health': 732394, 'of health household': 584509, 'health household safety': 386509, 'household safety product': 406929, '24 the': 15691, 'twin work': 936581, 'one assistant': 605959, 'assistant manager': 96790, 'ha part': 371469, 'time academic': 896195, 'academic job': 27770, 'job share': 466152, 'an apartment': 55346, 'the psychologist': 864757, 'psychologist 26': 687529, '26 she': 16184, 'she actually': 755843, 'and recovered': 70068, 'mine are 24': 532872, 'are 24 the': 84125, '24 the twin': 15693, 'the twin work': 870134, 'twin work in': 936582, 'same supermarket one': 733317, 'supermarket one assistant': 821751, 'one assistant manager': 605960, 'assistant manager and': 96791, 'manager and the': 512674, 'the other part': 862544, 'part time because': 642445, 'time because she': 896373, 'because she also': 119542, 'also ha part': 48311, 'ha part time': 371470, 'part time academic': 642442, 'time academic job': 896196, 'academic job share': 27771, 'job share an': 466153, 'share an apartment': 754922, 'an apartment and': 55347, 'apartment and the': 81388, 'and the psychologist': 73533, 'the psychologist 26': 864758, 'psychologist 26 she': 687530, '26 she actually': 16185, 'she actually had': 755844, 'actually had covid': 30823, '19 and recovered': 5093, '15m': 4028, 'not world': 572557, 'leading free': 483707, 'economy let': 268035, 'let market': 486890, 'force decide': 328370, 'decide cheap': 230832, 'economy destroyed': 267801, 'destroyed by': 239048, 'by sure': 154178, 'sure most': 827621, 'is grateful': 448181, 'are russia': 89781, 'aramco really': 83997, 'cut 10': 223206, '10 15m': 1241, '15m bpd': 4029, 'should not world': 766270, 'not world leading': 572558, 'world leading free': 1009759, 'leading free market': 483708, 'free market economy': 331953, 'market economy let': 516326, 'economy let market': 268036, 'let market force': 486891, 'market force decide': 516418, 'force decide cheap': 328371, 'decide cheap oil': 230833, 'oil is great': 596906, 'great for consumer': 362679, 'for consumer economy': 320254, 'consumer economy destroyed': 197305, 'economy destroyed by': 267802, 'destroyed by sure': 239049, 'by sure most': 154179, 'sure most of': 827622, 'of the developing': 590948, 'developing world is': 239801, 'world is grateful': 1009701, 'is grateful for': 448182, 'grateful for low': 362268, 'for low fuel': 323126, 'price are russia': 672729, 'are russia saudi': 89782, 'russia saudi aramco': 728556, 'saudi aramco really': 737236, 'aramco really going': 83998, 'going to cut': 355565, 'to cut 10': 903865, 'cut 10 15m': 223207, '10 15m bpd': 1242, 'transparency is': 929829, 'important healthcare': 418818, 'healthcare itself': 387156, 'itself great': 463931, 'great issue': 362775, 'both republican': 136028, 'democrat hopefully': 236721, 'hopefully it': 403861, 'be approved': 113676, 'price transparency is': 677109, 'transparency is so': 929830, 'important for the': 418805, 'people of our': 648923, 'our country in': 622595, 'country in many': 210777, 'many way it': 514858, 'it will prove': 462425, 'to be important': 901328, 'be important healthcare': 115379, 'important healthcare itself': 418819, 'healthcare itself great': 387157, 'itself great issue': 463932, 'great issue for': 362776, 'issue for both': 455755, 'for both republican': 319741, 'both republican and': 136029, 'republican and democrat': 713016, 'and democrat hopefully': 61194, 'democrat hopefully it': 236722, 'hopefully it will': 403863, 'will be approved': 992362, 'tomi': 923982, 'tomi product': 923983, 'product n95': 681423, 'n95 rated': 551225, 'rated mask': 697429, 'mask kn95': 518904, 'kn95 rated': 475976, '60ml to': 21168, 'to 500ml': 899758, '500ml bulk': 20108, 'bulk wholesale': 142371, 'tomi product n95': 923984, 'product n95 rated': 681424, 'n95 rated mask': 551226, 'rated mask kn95': 697430, 'mask kn95 rated': 518905, 'kn95 rated mask': 475977, 'rated mask surgical': 697431, 'mask medical mask': 518973, 'sanitizer 60ml to': 734300, '60ml to 500ml': 21169, 'to 500ml bulk': 899759, '500ml bulk wholesale': 20109, 'hometown no': 402995, 'one deserves': 606177, 'except these': 289240, 'people seriously': 649406, 'what complete': 981238, 'complete piece': 192135, 'this wa taken': 891090, 'wa taken in': 963395, 'taken in grocery': 833013, 'parking lot in': 642091, 'lot in my': 504064, 'my hometown no': 548702, 'hometown no one': 402996, 'no one deserves': 564929, 'one deserves to': 606178, 'deserves to get': 238185, 'one except these': 606264, 'except these people': 289241, 'these people seriously': 880457, 'people seriously what': 649408, 'seriously what complete': 751783, 'what complete piece': 981239, 'complete piece of': 192136, 'abstainfromebgames': 27486, 'online coronacrisis': 608058, 'coronacrisis abstainfromebgames': 204496, 'way to send': 970089, 'to send message': 914216, 'message to is': 529453, 'to is for': 908521, 'is for every': 447881, 'for every consumer': 321162, 'every consumer to': 285755, 'consumer to stop': 199325, 'to stop shopping': 915572, 'stop shopping at': 805020, 'shopping at their': 762115, 'their store and': 874846, 'and online coronacrisis': 68102, 'online coronacrisis abstainfromebgames': 608059, 'coronapanik': 205166, 'indianmarket': 434945, 'brings fmcg': 140241, 'fmcg to': 311747, 'knee coronapanik': 476007, 'coronapanik coronapandemic': 205167, 'coronapandemic indianmarket': 205146, 'brings fmcg to': 140242, 'fmcg to it': 311748, 'it knee coronapanik': 459282, 'knee coronapanik coronapandemic': 476008, 'coronapanik coronapandemic indianmarket': 205168, 'capitalismkills': 162793, 'life critical': 488580, 'thousand time': 893495, 'usual nobody': 950979, 'nobody ever': 565999, 'again tell': 37195, 'for mankind': 323194, 'mankind capitalismkills': 513259, 'price charged for': 673116, 'charged for life': 173381, 'for life critical': 322965, 'life critical item': 488581, 'critical item like': 218599, 'item like face': 463412, 'care professional are': 164158, 'professional are up': 682408, 'up to thousand': 946437, 'to thousand time': 917539, 'thousand time higher': 893496, 'time higher than': 896936, 'than usual nobody': 841397, 'usual nobody ever': 950980, 'nobody ever again': 566000, 'ever again tell': 285192, 'again tell me': 37196, 'me that capitalism': 523607, 'that capitalism and': 843152, 'capitalism and free': 162718, 'and free market': 63274, 'free market are': 331949, 'market are good': 516021, 'good for mankind': 357081, 'for mankind capitalismkills': 323195, 'srimspeak': 791620, 'and charlatan': 59764, 'charlatan stay': 173733, 'sri meter': 791601, 'meter let': 529726, 'together coronafreeworld': 920758, 'coronafreeworld srimspeak': 204951, 'stake including our': 793315, 'including our own': 432093, 'own and our': 631886, 'fraud and charlatan': 331227, 'and charlatan stay': 59765, 'charlatan stay safe': 173734, 'safe sri meter': 729964, 'sri meter let': 791602, 'meter let fight': 529727, 'against corona together': 37380, 'corona together coronafreeworld': 204244, 'together coronafreeworld srimspeak': 920759, 'stabilisation': 791782, 'range slew': 696737, 'of headline': 584499, 'headline pointed': 386009, 'pointed to': 662740, 'potential stabilisation': 667142, 'stabilisation in': 791783, 'aluminium price remained': 49434, 'price remained in': 676174, 'remained in range': 709933, 'in range slew': 427251, 'range slew of': 696738, 'slew of headline': 773855, 'of headline pointed': 584500, 'headline pointed to': 386010, 'pointed to potential': 662741, 'to potential stabilisation': 911932, 'potential stabilisation in': 667143, 'stabilisation in the': 791784, 'the and europe': 848698, 'uk car': 938238, 'car industry': 163140, 'car factory': 163081, 'factory shutdown': 295991, 'globe consumer': 352452, 'consumer event': 197380, 'event cancelled': 284962, 'postponed car': 666800, 'car manufacturer': 163176, 'manufacturer producing': 513506, 'nh drop': 561943, 'news how is': 560518, 'affecting the uk': 34573, 'the uk car': 870200, 'uk car industry': 938239, 'car industry car': 163141, 'industry car factory': 435720, 'car factory shutdown': 163082, 'factory shutdown across': 295992, 'the globe consumer': 856350, 'globe consumer event': 352453, 'consumer event cancelled': 197381, 'event cancelled or': 284964, 'or postponed car': 616655, 'postponed car manufacturer': 666801, 'car manufacturer producing': 163177, 'manufacturer producing ventilator': 513507, 'producing ventilator for': 680817, 'the nh drop': 861738, 'nh drop in': 561944, 'drop in car': 260228, 'in car sale': 421236, 'car sale here': 163274, 'sale here everything': 732276, 'are appointment': 84599, 'only also': 610072, 'available virtual': 104688, 'virtual showroom': 957791, 'showroom tour': 767648, 'email design': 272158, 'design service': 238262, 'service yes': 753122, 'buying cabinet': 150084, 'cabinet luxury': 154984, 'luxury cabinet': 506922, 'cabinet affordable': 154974, 'price regular': 676151, 'regular schedule': 707858, 'schedule saturday': 741459, 'saturday tuesday': 737070, 'tuesday by': 935133, 'appointment wednesday': 82699, 'wednesday friday': 975639, 'friday 10am': 333179, '10am 4pm': 2282, 'we are appointment': 970482, 'are appointment only': 84600, 'appointment only also': 82674, 'only also available': 610073, 'also available virtual': 47899, 'available virtual showroom': 104689, 'virtual showroom tour': 957792, 'showroom tour and': 767649, 'tour and email': 926919, 'and email design': 62027, 'email design service': 272159, 'design service yes': 238263, 'service yes people': 753123, 'are still buying': 90401, 'still buying cabinet': 800321, 'buying cabinet luxury': 150085, 'cabinet luxury cabinet': 154985, 'luxury cabinet affordable': 506923, 'cabinet affordable price': 154975, 'affordable price regular': 34887, 'price regular schedule': 676152, 'regular schedule saturday': 707859, 'schedule saturday tuesday': 741460, 'saturday tuesday by': 737071, 'tuesday by appointment': 935134, 'by appointment wednesday': 151880, 'appointment wednesday friday': 82700, 'wednesday friday 10am': 975640, 'friday 10am 4pm': 333180, 'glencore': 351683, 'mopani': 538371, 'zambia plan': 1027211, 'block glencore': 132778, 'glencore from': 351684, 'from idling': 335997, 'idling mopani': 413697, 'mopani despite': 538374, 'despite there': 238905, 'very legitimate': 955301, 'into care': 442451, 'care maintenance': 164055, 'maintenance you': 509178, 'maybe low': 521744, 'low copper': 505202, 'zambia plan to': 1027212, 'plan to block': 658269, 'to block glencore': 901863, 'block glencore from': 132779, 'glencore from idling': 351685, 'from idling mopani': 335998, 'idling mopani despite': 413698, 'mopani despite there': 538375, 'despite there being': 238906, 'there being very': 878246, 'being very legitimate': 126033, 'very legitimate reason': 955302, 'legitimate reason to': 486057, 'go into care': 353738, 'into care maintenance': 442452, 'care maintenance you': 164056, 'maintenance you know': 509179, 'know like covid': 476569, '19 or something': 9028, 'or something and': 617160, 'something and maybe': 784850, 'and maybe low': 66816, 'maybe low copper': 521745, 'low copper price': 505203, 'motel': 543041, 'on trying': 604868, 'in motel': 425474, 'motel all': 543042, 'some offering': 783423, 'offering pickup': 595211, 'in the working': 429690, 'the working on': 871782, 'working on trying': 1008828, 'on trying to': 604869, 'get home staying': 347249, 'home staying in': 402137, 'staying in motel': 798641, 'in motel all': 425475, 'motel all restaurant': 543043, 'all restaurant closed': 44177, 'restaurant closed some': 716376, 'closed some offering': 183343, 'some offering pickup': 783424, 'offering pickup service': 595212, 'pickup service but': 656011, 'service but lot': 752190, 'but lot ha': 146325, 'lot ha run': 504057, 'food and this': 313360, 'what the supermarket': 982368, 'behind all': 124589, 'all nerd': 43615, 'nerd should': 557429, 'buying paint': 150864, 'paint from': 634285, 'for shifting': 325547, 'all this shit': 45132, 'shit is behind': 759138, 'is behind all': 446055, 'behind all nerd': 124590, 'all nerd should': 43616, 'nerd should be': 557430, 'should be buying': 765575, 'be buying paint': 113943, 'buying paint from': 150865, 'paint from to': 634286, 'from to thank': 338067, 'them for shifting': 875725, 'for shifting to': 325548, 'shifting to hand': 758566, 'need watch': 556174, 'grocery check': 364373, 'together look': 920864, 'our elderly neighbor': 622866, 'elderly neighbor and': 270768, 'neighbor and family': 556976, 'and family need': 62667, 'family need watch': 298074, 'need watch for': 556175, 'watch for folk': 968413, 'for folk at': 321540, 'folk at the': 312111, 'looking for someone': 502903, 'someone to get': 784704, 'get them grocery': 348363, 'them grocery check': 875801, 'grocery check on': 364374, 'your neighbor to': 1024961, 'neighbor to see': 557076, 'need anything we': 554464, 'anything we are': 80933, 'stronger together look': 814192, 'together look out': 920865, 'one another 19': 605912, 'toward it': 927135, 'finding forever': 307471, '19 while still': 12052, 'while still working': 987325, 'still working toward': 801444, 'working toward it': 1009016, 'toward it mission': 927136, 'it mission of': 459643, 'mission of finding': 534370, 'of finding forever': 583545, 'finding forever home': 307472, 'animal in their': 76613, 'in their care': 429724, 'crazed': 215207, 'supermarketsemployees': 824231, 'hard hour': 377943, 'the crazed': 852283, 'crazed general': 215208, 'public salute': 688283, 'you shoutout': 1021236, 'shoutout supermarketsemployees': 766806, 'all those supermarket': 45188, 'those supermarket employee': 892508, 'are working long': 91704, 'working long hard': 1008765, 'long hard hour': 501428, 'hard hour dealing': 377944, 'hour dealing with': 405535, 'with the crazed': 1001254, 'the crazed general': 852284, 'crazed general public': 215209, 'general public salute': 345459, 'public salute you': 688284, 'salute you for': 732873, 'you are providing': 1017208, 'providing to all': 687124, 'to all thank': 900290, 'thank you shoutout': 841809, 'you shoutout supermarketsemployees': 1021237, 'homebody': 402601, '19 spark': 10714, 'spark homebody': 787540, 'homebody economy': 402602, 'the follow': 855490, 'follow retail': 312494, 'trend cre': 931315, 'cre economy': 215507, 'covid 19 spark': 213837, '19 spark homebody': 10715, 'spark homebody economy': 787541, 'homebody economy in': 402603, 'economy in china': 267962, 'china will the': 177075, 'will the follow': 995140, 'the follow retail': 855491, 'follow retail trend': 312495, 'retail trend cre': 718816, 'trend cre economy': 931316, 'ramakrishna': 696350, 'good ramakrishna': 357614, 'ramakrishna garu': 696351, 'garu is': 343727, 'no transparency': 565801, 'transparency in': 929827, 'government when': 360799, 'when medical': 983726, 'and migrant': 67003, 'very good ramakrishna': 955195, 'good ramakrishna garu': 357615, 'ramakrishna garu is': 696352, 'garu is there': 343728, 'there no transparency': 878847, 'no transparency in': 565802, 'transparency in this': 929828, 'in this government': 429953, 'this government when': 887741, 'government when medical': 360800, 'when medical staff': 983727, 'medical staff are': 526386, 'staff are not': 792198, 'getting enough personal': 348954, 'equipment and migrant': 279683, 'and migrant worker': 67004, 'getting food and': 348978, 'food and farmer': 313229, 'farmer are panicking': 299289, 'are panicking in': 88974, 'panicking in this': 639346, 'tbilisimetro': 835262, 'supermarket bit': 819378, 'london underground': 501219, 'underground tbilisi': 940450, 'tbilisi tbilisimetro': 835260, 'tbilisimetro georgia': 835263, 'georgia quarantine': 346043, 'quarantine twitter': 692662, 'the supermarket bit': 868487, 'supermarket bit different': 819379, 'bit different to': 131553, 'different to the': 242113, 'to the london': 916856, 'the london underground': 859668, 'london underground tbilisi': 501220, 'underground tbilisi tbilisimetro': 940451, 'tbilisi tbilisimetro georgia': 835261, 'tbilisimetro georgia quarantine': 835264, 'georgia quarantine twitter': 346044, 'on writer': 605388, 'writer to': 1012816, 'something simple': 785053, 'simple going': 770028, 'about role': 26112, 'role honestly': 725083, 'honestly these': 403146, 'beyond exhausting': 129170, 'exhausting can': 290191, 'how sterile': 408744, 'sterile their': 799847, 'life must': 488892, 'sad really': 729216, 'can always rely': 157482, 'rely on writer': 709658, 'on writer to': 605389, 'writer to make': 1012817, 'to make something': 909741, 'make something simple': 510481, 'something simple going': 785056, 'simple going to': 770029, 'supermarket all about': 818865, 'all about role': 41924, 'about role honestly': 26113, 'role honestly these': 725084, 'honestly these people': 403147, 'people are beyond': 646937, 'are beyond exhausting': 84966, 'beyond exhausting can': 129171, 'exhausting can you': 290192, 'can you just': 160312, 'you just imagine': 1019426, 'just imagine how': 469016, 'imagine how sterile': 416734, 'how sterile their': 408745, 'sterile their life': 799848, 'their life must': 873838, 'life must be': 488893, 'must be sad': 546542, 'be sad really': 116937, 'shared an': 755393, 'older version': 598684, 'chart about': 173813, 'ha if': 370905, 'anything increased': 80797, 'increased news': 433377, 'news tweet': 560915, 'sentiment are': 750901, 'supply glut': 825319, 'glut and': 353094, 'uncertainty continue': 939678, 'shared an older': 755394, 'an older version': 56597, 'older version of': 598685, 'of this chart': 591949, 'this chart about': 886750, 'chart about three': 173814, 'ago and volatility': 38346, 'volatility in oil': 960079, 'price ha if': 674386, 'ha if anything': 370906, 'if anything increased': 413861, 'anything increased news': 80798, 'increased news tweet': 433378, 'news tweet and': 560916, 'tweet and sentiment': 936342, 'and sentiment are': 71274, 'sentiment are driving': 750902, 'driving price the': 259994, 'price the supply': 676862, 'the supply glut': 868949, 'supply glut and': 825320, 'glut and covid': 353095, '19 uncertainty continue': 11624, 'normally think': 567557, 'be wondering': 118129, 'using how': 950514, 'restock more': 716880, 'paper it not': 640381, 'it not something': 459922, 'something you normally': 785161, 'you normally think': 1020114, 'normally think about': 567558, 'think about but': 885078, 'about but these': 24910, 'but these day': 147480, 'these day you': 879904, 'day you might': 228823, 'might be wondering': 530937, 'be wondering how': 118130, 'wondering how much': 1004158, 're using how': 699761, 'using how much': 950515, 'much you need': 545496, 'need and how': 554426, 'how often you': 408424, 'often you ll': 596315, 'to restock more': 913404, 'restock more info': 716881, 'ringgit': 722550, 'cashflows': 166430, 'malaysia begin': 511595, 'begin covid': 123512, 'food smes': 316641, 'smes say': 775651, 'at loss': 99626, 'of ringgit': 589116, 'ringgit cashflows': 722551, 'cashflows are': 166431, 'more support': 540509, 'malaysia begin covid': 511596, 'begin covid 19': 123513, '19 lockdown except': 8383, 'service food smes': 752372, 'food smes say': 316642, 'smes say they': 775652, 'looking at loss': 502813, 'at loss of': 99627, 'loss of hundred': 503746, 'of hundred of': 584903, 'thousand of ringgit': 893461, 'of ringgit cashflows': 589117, 'ringgit cashflows are': 722552, 'cashflows are hit': 166432, 'are hit and': 87191, 'hit and they': 398139, 'and they demand': 73899, 'they demand more': 881889, 'demand more support': 235893, 'more support from': 540511, 'sunday price': 818253, 'these price this': 880544, 'this is double': 888238, 'is double what': 447337, 'on sunday price': 603770, 'sunday price gouging': 818254, 'many client': 513908, 'client happy': 182045, 'happy they': 377693, 'go basically': 353364, 'basically buy': 112118, 'supermarket through': 823332, 'the snack': 867385, 'so many client': 777645, 'many client happy': 513909, 'client happy they': 182046, 'happy they can': 377694, 'can go basically': 158493, 'go basically buy': 353365, 'basically buy whatever': 112119, 'buy whatever they': 149462, 'whatever they need': 982807, 'the supermarket through': 868857, 'supermarket through this': 823333, 'through this situation': 894839, 'situation we do': 772569, 'this for all': 887584, 'for all stay': 319169, 'safe and buy': 729438, 'all the snack': 44912, 'soap from': 779014, 'of soap from': 589823, 'soap from to': 779015, 'from to 20': 338054, 'to 20 taking': 899582, 'the well done': 871378, 'retail result': 718463, '19 user': 11705, 'user put': 950311, 'on vr': 605073, 'headset to': 386052, 'store place': 809568, 'place item': 657538, 'basket to': 112400, 'to either': 904959, 'either bopis': 270265, 'or ship': 617048, 'of retail result': 589050, 'retail result of': 718464, 'covid 19 user': 214011, '19 user put': 11706, 'user put on': 950312, 'put on vr': 690730, 'on vr headset': 605074, 'vr headset to': 960740, 'headset to walk': 386053, 'the store place': 868081, 'store place item': 809569, 'place item in': 657539, 'in their digital': 429736, 'their digital shopping': 873018, 'digital shopping basket': 242647, 'shopping basket to': 762164, 'basket to either': 112401, 'to either bopis': 904960, 'either bopis or': 270266, 'bopis or ship': 135199, 'or ship to': 617049, 'ship to home': 758723, 'punk licking': 689285, 'drugstore saying': 261192, 'saying who': 739762, 'who afraid': 988035, 'punk licking thing': 689286, 'licking thing in': 488258, 'thing in grocery': 884433, 'store or drugstore': 809330, 'or drugstore saying': 615088, 'drugstore saying who': 261193, 'saying who afraid': 739763, 'who afraid of': 988036, 'afraid of corona': 34996, 'corona virus do': 204301, 'touch your mouth': 926589, 'volgograd': 960104, 'stalingrad': 793339, 'hometown of': 402997, 'of volgograd': 592852, 'volgograd stalingrad': 960105, 'stalingrad everything': 793340, 'wa calm': 961781, 'people rushed': 649327, 'buy sugar': 149254, 'sugar buckwheat': 817430, 'buckwheat canned': 141707, 'back in early': 107083, 'in early march': 422450, 'early march in': 264642, 'march in my': 515393, 'my hometown of': 548703, 'hometown of volgograd': 402998, 'of volgograd stalingrad': 592853, 'volgograd stalingrad everything': 960106, 'stalingrad everything wa': 793341, 'everything wa calm': 288072, 'wa calm no': 961782, 'calm no panic': 156773, 'panic and so': 637336, 'and so people': 71851, 'so people rushed': 778002, 'people rushed to': 649329, 'rushed to buy': 728365, 'to buy sugar': 902311, 'buy sugar buckwheat': 149255, 'sugar buckwheat canned': 817431, 'buckwheat canned food': 141708, 'worst part': 1011242, 'buying according': 149851, 'missing it': 534307, 'retail logistics': 718294, 'logistics via': 500814, 'the worst part': 872066, 'worst part is': 1011243, 'part is panic': 642308, 'panic buying according': 637628, 'buying according to': 149852, 'according to supply': 28593, 'of food if': 583716, 'store and something': 806353, 'and something is': 71992, 'something is missing': 784951, 'is missing it': 449669, 'missing it will': 534308, 'be restocked the': 116846, 'restocked the next': 716965, 'next day food': 561328, 'day food supplychain': 227614, 'food supplychain retail': 317026, 'supplychain retail logistics': 826224, 'retail logistics via': 718295, 'morrison recruit': 541749, 'recruit driver': 705462, 'driver during': 259521, 'pandemic morrison': 635982, 'in basingstoke': 420718, 'basingstoke is': 112207, 'recruiting driver': 705490, 'pandemic bizitalk': 635008, 'morrison recruit driver': 541750, 'recruit driver during': 705463, 'driver during covid': 259522, '19 pandemic morrison': 9397, 'pandemic morrison supermarket': 635983, 'supermarket in basingstoke': 820866, 'in basingstoke is': 420720, 'basingstoke is recruiting': 112208, 'is recruiting driver': 451370, 'recruiting driver and': 705491, 'driver and team': 259426, 'and team leader': 73061, 'team leader in': 835721, '19 pandemic bizitalk': 9275, 'eboa': 266538, 'not loose': 570463, 'loose you': 503204, 'for eboa': 320933, 'eboa will': 266539, 'please observe': 660252, 'observe personal': 578591, 'regularly sanitizer': 707946, 'sanitizer your': 736171, 'regularly isolate': 707927, 'yourself practice': 1026683, 'practice doc': 668544, 'doc distancing': 250736, 'did not loose': 240721, 'not loose you': 570464, 'loose you for': 503205, 'you for eboa': 1018633, 'for eboa will': 320934, 'eboa will not': 266540, 'will not loose': 994245, 'loose you to': 503206, 'you to please': 1021820, 'to please observe': 911819, 'please observe personal': 660254, 'observe personal hygiene': 578592, 'personal hygiene wash': 652879, 'hand regularly sanitizer': 375202, 'regularly sanitizer your': 707947, 'sanitizer your hand': 736172, 'hand regularly isolate': 375199, 'regularly isolate yourself': 707928, 'isolate yourself practice': 454962, 'yourself practice doc': 1026684, 'practice doc distancing': 668545, 'doc distancing we': 250737, 'distancing we shall': 247622, 'we shall overcome': 973220, 'shall overcome this': 754541, 'overcome this together': 631139, 'people internet': 648493, 'cart health': 165320, 'product gym': 681236, 'gym equipment': 369317, 'equipment toilet': 279861, 'amp canned': 53498, 'during brown': 262477, 'most popular item': 542640, 'popular item in': 664566, 'item in people': 463350, 'in people internet': 426593, 'people internet shopping': 648495, 'internet shopping cart': 442022, 'shopping cart health': 762303, 'cart health product': 165321, 'health product gym': 386760, 'product gym equipment': 681237, 'gym equipment toilet': 369318, 'equipment toilet paper': 279862, 'toilet paper amp': 921184, 'paper amp canned': 639798, 'amp canned food': 53499, 'canned food shopping': 161521, 'food shopping while': 316545, 'while quarantined here': 987192, 'quarantined here what': 692862, 'here what people': 393817, 'are ordering online': 88840, 'ordering online during': 618994, 'online during brown': 608140, 'group saying': 366880, 'saying ve': 739744, 'got supermarket': 358877, 'coming sat': 188178, 'sat so': 736912, 'support group saying': 826553, 'group saying ve': 366881, 'saying ve got': 739745, 've got supermarket': 953197, 'got supermarket delivery': 358878, 'delivery coming sat': 233808, 'coming sat so': 188179, 'sat so willing': 736913, 'will help this': 993734, 'advertised': 33158, 'wow it': 1012570, 'wa advertised': 961440, 'advertised on': 33159, 'facebook with': 295004, 'direct advertising': 243276, 'purchased both': 689758, 'both item': 135949, 'first for': 308681, 'about seven': 26167, 'facebook online': 294976, 'course quite': 211923, 'quite attractive': 694822, 'attractive during': 102720, 'wow it wa': 1012571, 'it wa advertised': 462059, 'wa advertised on': 961441, 'advertised on facebook': 33160, 'on facebook with': 600717, 'facebook with direct': 295005, 'with direct advertising': 998046, 'direct advertising and': 243277, 'advertising and purchased': 33206, 'and purchased both': 69785, 'purchased both item': 689759, 'both item that': 135950, 'item that first': 463693, 'that first for': 843887, 'first for me': 308682, 'me in about': 522953, 'in about seven': 419981, 'about seven year': 26168, 'seven year on': 753780, 'year on facebook': 1014884, 'on facebook online': 600714, 'facebook online shopping': 294977, 'shopping is of': 763067, 'of course quite': 582067, 'course quite attractive': 211924, 'quite attractive during': 694823, 'attractive during when': 102721, 'during when all': 263406, 'when all store': 983133, 'broug': 141125, 'yes boris': 1015386, 'boris just': 135478, 'just overlooked': 469426, 'overlooked completely': 631290, 'completely the': 192363, 'the highriskcovid19': 857360, 'highriskcovid19 were': 396125, 'just ignored': 469011, 'ignored yet': 415892, 'are selfisolating': 89942, 'selfisolating doing': 748414, 'impossible broug': 419360, 'yes boris just': 1015387, 'boris just overlooked': 135479, 'just overlooked completely': 469427, 'overlooked completely the': 631291, 'completely the highriskcovid19': 192364, 'the highriskcovid19 were': 857361, 'highriskcovid19 were just': 396126, 'were just ignored': 979818, 'just ignored yet': 469012, 'ignored yet we': 415893, 'who are selfisolating': 988213, 'are selfisolating doing': 89943, 'selfisolating doing the': 748415, 'right thing but': 722308, 'thing but having': 884206, 'but having to': 145896, 'having to pay': 384355, 'food can shop': 313873, 'online but even': 607964, 'but even that': 145670, 'even that is': 284643, 'that is impossible': 844607, 'is impossible broug': 448742, 'official semi': 595922, 'farmer department': 299334, 'market worker': 517392, 'the deepest': 853022, 'deepest emotion': 231977, 'heart thank': 388336, 'you helper': 1019213, 'helper phoenix': 391134, 'phoenix arizona': 654857, 'arizona quarantinelife': 92851, 'healthcare worker law': 387365, 'enforcement official semi': 276788, 'official semi truck': 595923, 'semi truck driver': 749627, 'driver farmer department': 259551, 'farmer department store': 299335, 'department store grocery': 237274, 'store grocery market': 807973, 'grocery market worker': 364715, 'market worker from': 517393, 'worker from the': 1006997, 'from the deepest': 337667, 'the deepest emotion': 853023, 'deepest emotion of': 231978, 'emotion of my': 273265, 'my heart thank': 548659, 'heart thank you': 388337, 'thank you helper': 841746, 'you helper phoenix': 1019214, 'helper phoenix arizona': 391135, 'phoenix arizona quarantinelife': 654858, 'arizona quarantinelife quarantine': 92852, 'all saying': 44247, 'should ever': 765970, 'ever make': 285404, 'make fun': 509932, 'before either': 122770, 'either but': 270267, 'still willing': 801412, 'through so': 894677, 'all saying is': 44248, 'saying is no': 739617, 'one should ever': 607025, 'should ever make': 765972, 'ever make fun': 285405, 'make fun of': 509933, 'fun of grocery': 341200, 'store worker after': 811446, 'worker after all': 1006208, 'this before either': 886529, 'before either but': 122771, 'either but now': 270268, 'now you see': 576517, 'you see what': 1021076, 're still willing': 699604, 'still willing to': 801413, 'go through so': 354252, 'through so you': 894678, 'get your damn': 348697, 'your damn toilet': 1023456, 'do sister': 250081, 'sister have': 771748, 'humor yes': 410935, 'have video': 383506, 'do sister have': 250082, 'sister have sense': 771749, 'of humor yes': 584900, 'humor yes we': 410936, 'yes we have': 1015597, 'we have video': 971983, 'have video to': 383509, 'video to prove': 956934, 'how burning': 407474, 'burning man': 142923, 'feel every': 302615, 'year out': 1014896, 'here trying': 393748, 'trade fruit': 928500, 'fruit loop': 339110, 'loop for': 503150, 'tp hell': 927832, 'hell ll': 389032, 'll knit': 496871, 'knit sweater': 476124, 'sweater for': 830066, 'that sweet': 846607, 'sweet ply': 830241, 'ply toiletpaperapocalypse': 661793, 'be like how': 115735, 'like how burning': 490456, 'how burning man': 407475, 'burning man feel': 142924, 'man feel every': 512060, 'feel every year': 302616, 'every year out': 286381, 'year out here': 1014897, 'out here trying': 626301, 'here trying to': 393749, 'trying to trade': 934892, 'to trade fruit': 917689, 'trade fruit loop': 928501, 'fruit loop for': 339111, 'loop for tp': 503151, 'for tp hell': 327299, 'tp hell ll': 927833, 'hell ll knit': 389033, 'll knit sweater': 496872, 'knit sweater for': 476125, 'sweater for that': 830067, 'for that sweet': 326273, 'that sweet ply': 846608, 'sweet ply toiletpaperapocalypse': 830242, 'behaviourchange': 124578, 'their practice': 874349, 'the principle': 864464, 'principle underlying': 678251, 'underlying consumer': 940473, 'consumer behaviourchange': 196616, 'brand are rapidly': 137750, 'are rapidly changing': 89433, 'rapidly changing their': 696968, 'changing their practice': 172821, 'their practice to': 874351, 'practice to align': 668687, 'align with covid': 41761, '19 world we': 12193, 'world we set': 1010150, 'we set out': 973212, 'set out why': 753454, 'out why it': 627847, 'understand the principle': 940768, 'the principle underlying': 864465, 'principle underlying consumer': 678252, 'underlying consumer behaviourchange': 940474, 'helpyourneighbors': 391661, 'heartbreaking selfish': 388402, 'shameless britain': 754720, 'customer helpyourneighbors': 222460, 'helpyourneighbors sainsburys': 391662, 'heartbreaking selfish and': 388403, 'selfish and shameless': 747993, 'and shameless britain': 71373, 'shameless britain this': 754721, 'reality most stock': 701762, 'most stock ha': 542770, 'stripped from supermarket': 813862, 'selfish customer helpyourneighbors': 748067, 'customer helpyourneighbors sainsburys': 222461, 'helpyourneighbors sainsburys news': 391663, 'local bourbon': 497733, 'bourbon distillery': 136898, 'so cool': 776793, 'local bourbon distillery': 497734, 'bourbon distillery is': 136899, 'distillery is providing': 247773, 'is providing with': 451127, 'providing with hand': 687144, 'sanitizer so cool': 735751, '2231133': 15281, 'scam march': 740242, 'alert contact': 41385, 'standard service': 793698, 'service via': 753039, '0808 2231133': 1122, '2231133 scam': 15282, 'scam information': 740209, 'information online': 437931, 'staysafe alert': 798779, 'coronavirus scam march': 206717, 'scam march 2020': 740243, '2020 consumer alert': 14240, 'consumer alert contact': 196139, 'alert contact the': 41386, 'contact the trading': 200232, 'the trading standard': 869870, 'trading standard service': 928932, 'standard service via': 793699, 'service via the': 753040, 'via the citizen': 956301, 'on 0808 2231133': 598990, '0808 2231133 scam': 1123, '2231133 scam information': 15283, 'scam information online': 740210, 'information online staysafe': 437932, 'online staysafe alert': 609432, '65ish': 21406, 'blankly': 132388, 'oy': 632684, 'store man': 808862, 'man 55': 511965, '55 65ish': 20360, '65ish told': 21407, 'worried at': 1010547, 'just flu': 468734, 'flu his': 311418, 'his doc': 397366, 'flu when': 311496, 'when tried': 984347, 'me blankly': 522520, 'blankly oy': 132389, 'oy currently': 632685, 'currently disinfecting': 221514, 'disinfecting my': 245860, 'my cashier at': 547640, 'grocery store man': 365551, 'store man 55': 808863, 'man 55 65ish': 511966, '55 65ish told': 20361, '65ish told me': 21408, 'me he not': 522874, 'he not worried': 385260, 'not worried at': 572561, 'worried at all': 1010548, 'at all just': 97890, 'all just flu': 43299, 'just flu his': 468735, 'flu his doc': 311419, 'his doc said': 397367, 'doc said it': 250755, 'be over in': 116300, 'in month more': 425419, 'month more people': 537867, 'more people die': 540014, 'of the flu': 591035, 'the flu when': 855467, 'flu when tried': 311497, 'when tried to': 984348, 'explain to him': 292125, 'to him he': 907771, 'him he looked': 396617, 'he looked at': 385204, 'at me blankly': 99700, 'me blankly oy': 522521, 'blankly oy currently': 132390, 'oy currently disinfecting': 632686, 'currently disinfecting my': 221515, 'disinfecting my grocery': 245861, 'first production': 308885, 'production volatility': 682270, 'volatility due': 960073, 'recovering pork': 705268, 'pork production': 664821, 'production second': 682205, 'second lack': 743750, 'consumer willingness': 199555, 'from pork': 336948, 'pork to': 664827, 'to chicken': 902714, 'and third': 73980, 'third production': 886096, 'transportation slowdown': 930035, 'slowdown caused': 774426, 'first production volatility': 308886, 'production volatility due': 682271, 'volatility due to': 960074, 'due to report': 261925, 'to report of': 913278, 'report of recovering': 712122, 'of recovering pork': 588844, 'recovering pork production': 705269, 'pork production second': 664822, 'production second lack': 682206, 'second lack of': 743751, 'of consumer willingness': 581786, 'consumer willingness to': 199556, 'willingness to switch': 995494, 'to switch from': 916102, 'switch from pork': 830493, 'from pork to': 336950, 'pork to chicken': 664828, 'to chicken and': 902715, 'chicken and third': 175742, 'and third production': 73981, 'third production and': 886097, 'and transportation slowdown': 74390, 'transportation slowdown caused': 930036, 'slowdown caused by': 774427, 'novel outbreak in': 573804, 'california grocery': 155511, 'frontlines during': 338909, 'pandemic ask': 634956, 'ask gov': 95548, 'gov gavin': 359587, 'newsom to': 561072, 'take executive': 832108, 'executive action': 289851, 'action declaring': 29998, 'declaring these': 231283, 'california grocery and': 155512, 'the frontlines during': 855898, 'frontlines during the': 338910, '19 pandemic ask': 9268, 'pandemic ask gov': 634957, 'ask gov gavin': 95549, 'gov gavin newsom': 359588, 'gavin newsom to': 344688, 'newsom to take': 561073, 'to take executive': 916178, 'take executive action': 832109, 'executive action declaring': 289853, 'action declaring these': 29999, 'declaring these worker': 231284, 'these worker emergency': 880992, 'egg or': 269941, 'or bog': 614567, 'iceland next': 412715, 'door either': 255583, 'bread egg or': 138453, 'egg or bog': 269942, 'or bog roll': 614568, 'roll at iceland': 725199, 'at iceland next': 99255, 'iceland next door': 412716, 'next door either': 561343, 'door either toiletpaper': 255584, 'either toiletpaper toiletpapercrisis': 270398, 'cramming': 214845, 'nickcohen': 562588, 'buyer cramming': 149620, 'cramming supermarket': 214846, 'trolley without': 932507, 'others reflect': 621613, 'reflect mere': 706610, 'mere of': 529091, 'shopper overwhelming': 761637, 'overwhelming majority': 631754, 'item because': 463150, 'they and': 881162, 'family must': 298059, 'now eat': 574581, 'every meal': 285996, 'home nickcohen': 401659, 'picture of panic': 656169, 'panic buyer cramming': 637567, 'buyer cramming supermarket': 149621, 'cramming supermarket trolley': 214847, 'supermarket trolley without': 823570, 'trolley without thought': 932508, 'for others reflect': 324199, 'others reflect mere': 621614, 'reflect mere of': 706611, 'mere of shopper': 529092, 'of shopper overwhelming': 589645, 'shopper overwhelming majority': 761638, 'overwhelming majority of': 631755, 'majority of customer': 509554, 'of customer were': 582287, 'customer were buying': 223057, 'were buying few': 979409, 'buying few extra': 150284, 'extra item because': 293555, 'item because they': 463151, 'because they and': 119688, 'they and their': 881163, 'their family must': 873262, 'family must now': 298060, 'must now eat': 546790, 'now eat every': 574582, 'eat every meal': 265909, 'every meal at': 285997, 'at home nickcohen': 99058, 'family ordered': 298135, 'ordered grocery': 618856, 'using target': 950675, 'target online': 834484, 'sunday over': 818249, 'order wa': 618751, 'later due': 481050, 'shortage must': 765078, 'deciding to stay': 230966, 'at home my': 99054, 'home my family': 401639, 'my family ordered': 548217, 'family ordered grocery': 298136, 'ordered grocery using': 618857, 'grocery using target': 366095, 'using target online': 950676, 'target online in': 834485, 'online in stock': 608401, 'stock when we': 803184, 'when we ordered': 984461, 'we ordered on': 972663, 'ordered on sunday': 618877, 'on sunday over': 603769, 'sunday over half': 818250, 'over half the': 630272, 'half the order': 374273, 'the order wa': 862454, 'order wa not': 618752, 'wa not delivered': 962762, 'not delivered today': 568985, 'delivered today day': 233431, 'today day later': 919428, 'day later due': 227879, 'later due to': 481051, 'to being out': 901740, 'food shortage must': 316588, 'shortage must be': 765079, 'must be worse': 546561, 'worse than they': 1011019, 'they are telling': 881429, 'classed an': 180292, 'lockdown said': 499876, 'expects underlying': 291125, 'underlying pre': 940490, 'pre tax': 669210, 'tax profit': 835068, 'be slightly': 117214, 'above current': 27056, 'market expectation': 516357, 'ha been classed': 369748, 'been classed an': 120822, 'classed an essential': 180293, 'essential retailer during': 281477, 'the lockdown said': 859629, 'lockdown said it': 499877, 'said it expects': 731152, 'it expects underlying': 457898, 'expects underlying pre': 291126, 'underlying pre tax': 940491, 'pre tax profit': 669211, 'tax profit for': 835069, 'profit for the': 682725, 'the full year': 856028, 'full year to': 340993, 'year to be': 1015035, 'to be slightly': 901546, 'be slightly above': 117215, 'slightly above current': 773939, 'above current market': 27057, 'current market expectation': 221252, 'york trump': 1016679, 'trump view': 933951, 'view crown': 957087, 'crown new': 219422, 'outbreak punishes': 628552, 'punishes warren': 689245, 'buffett equity': 141881, 'equity holding': 279946, 'new york trump': 559954, 'york trump view': 1016680, 'trump view crown': 933952, 'view crown new': 957088, 'crown new virus': 219423, 'new virus outbreak': 559838, 'virus outbreak punishes': 958588, 'outbreak punishes warren': 628553, 'punishes warren buffett': 689246, 'warren buffett equity': 967346, 'buffett equity holding': 141882, 'promote handwashing': 683772, 'handwashing an': 376816, 'initial 30': 438509, '00 individual': 276, 'individual deemed': 435171, 'with handwashing': 998735, 'handwashing material': 376849, 'material including': 520392, 'including soap': 432152, 'working with and': 1009050, 'with and health': 997245, 'and health ministry': 64361, 'ministry to promote': 533578, 'to promote handwashing': 912249, 'promote handwashing an': 683773, 'handwashing an initial': 376817, 'an initial 30': 56341, 'initial 30 00': 438510, '30 00 individual': 16919, '00 individual deemed': 277, 'individual deemed to': 435172, 'be at high': 113731, 'risk for will': 723562, 'for will be': 327880, 'will be provided': 992622, 'provided with handwashing': 686667, 'with handwashing material': 998736, 'handwashing material including': 376850, 'material including soap': 520393, 'including soap and': 432153, 'gigantizing': 350079, 'sound too': 786340, 'too dramatic': 924694, 'who panicked': 989410, 'couscous from': 212074, 'from asda': 334591, 'bullshit ll': 142500, 'by gigantizing': 152683, 'gigantizing it': 350080, 'proportion chunky': 684422, 'chunky kitkat': 178321, 'kitkat not': 475816, 'included fucking': 431682, 'to sound too': 914934, 'sound too dramatic': 786341, 'too dramatic but': 924695, 'but to the': 147593, 'person who panicked': 652734, 'who panicked and': 989411, 'panicked and bought': 639246, 'and bought all': 59102, 'the couscous from': 852219, 'couscous from asda': 212075, 'from asda and': 334592, 'couscous bullshit ll': 212072, 'bullshit ll see': 142501, 'll see you': 497001, 'improved by gigantizing': 419565, 'by gigantizing it': 152684, 'gigantizing it beyond': 350081, 'original proportion chunky': 619584, 'proportion chunky kitkat': 684423, 'chunky kitkat not': 178322, 'kitkat not included': 475817, 'not included fucking': 570116, 'included fucking covid': 431683, 'tennessee distillery': 837946, 'distillery can': 247740, 'make 00': 509626, 'day breakingnews': 227395, 'breaking quarantine': 139040, 'tennessee distillery can': 837947, 'distillery can make': 247741, 'can make 00': 158921, 'make 00 gallon': 509627, 'hand sanitizer day': 375364, 'sanitizer day breakingnews': 734726, 'day breakingnews breaking': 227396, 'breakingnews breaking quarantine': 139091, 'breaking quarantine 19': 139041, '19 toilet': 11482, 'economy be': 267691, 'be triggered': 117816, 'what is universal': 981734, 'is universal basic': 453513, 'basic income if': 111952, 'income if you': 432376, 'cannot get an': 161869, 'get an at': 346538, 'an at home': 55462, 'covid 19 toilet': 213961, '19 toilet paper': 11483, 'paper etc will': 640139, 'etc will the': 282896, 'consumer economy be': 197301, 'economy be triggered': 267692, 'be triggered by': 117817, 'triggered by consumer': 931907, 'cross off': 219022, 'list check': 494293, 'online safely': 608904, 'ready to cross': 700948, 'to cross off': 903762, 'cross off few': 219023, 'off few item': 593810, 'few item from': 303888, 'item from your': 463290, 'from your shopping': 338496, 'shopping list check': 763182, 'list check out': 494294, 'these top tip': 880865, 'shop online safely': 760584, 'kidnapped': 474226, 'being kidnapped': 125357, 'kidnapped we': 474227, 'are lifesaver': 87782, 'lifesaver for': 489327, 'supply some': 825875, 'eat due': 265889, 'work longer': 1005444, 'longer service': 502049, 'schedule regulation': 741457, 'supply out': 825695, 'not fail': 569348, 'fail you': 296119, 'you hold': 1019237, 'trucker are being': 932901, 'are being kidnapped': 84878, 'being kidnapped we': 125358, 'kidnapped we are': 474228, 'we are lifesaver': 970608, 'are lifesaver for': 87783, 'lifesaver for supply': 489328, 'for supply some': 326055, 'supply some cannot': 825876, 'some cannot eat': 782478, 'cannot eat due': 161768, 'eat due to': 265890, 'to closure we': 902918, 'closure we work': 184064, 'we work longer': 973945, 'work longer service': 1005445, 'longer service schedule': 502050, 'service schedule regulation': 752789, 'schedule regulation are': 741458, 'regulation are suspended': 708058, 'are suspended in': 90687, 'event of crisis': 285034, 'get the necessary': 348271, 'necessary supply out': 554100, 'supply out we': 825696, 'out we will': 627801, 'will not fail': 994219, 'not fail you': 569349, 'fail you hold': 296120, 'you hold the': 1019238, 'hold the line': 400020, 'ggirl': 349530, 'join ggirl': 466721, 'ggirl mee': 349531, 'puzzle join ggirl': 691325, 'join ggirl mee': 466722, 'moving please': 544169, 'stop ordering': 804871, 'ordering crap': 618952, 'need experienced': 554754, 'experienced trucker': 291617, 'entertain ourselves': 278514, 'trucker are critical': 932902, 'are critical to': 85629, 'critical to keeping': 218708, 'to keeping our': 908888, 'keeping our supply': 472511, 'chain moving please': 170934, 'moving please pray': 544170, 'pray for their': 669006, 'their safety and': 874611, 'safety and stop': 730464, 'and stop ordering': 72480, 'stop ordering crap': 804872, 'ordering crap you': 618953, 'crap you don': 214922, 'don need experienced': 253758, 'need experienced trucker': 554755, 'experienced trucker are': 291618, 'trucker are in': 932904, 'demand and not': 234986, 'and not so': 67771, 'not so we': 571631, 'we can entertain': 970941, 'can entertain ourselves': 158243, 'entertain ourselves with': 278515, 'ourselves with online': 625509, 'using disinfection': 950462, 'disinfection sterilizer': 245918, 'and handy': 64163, 'handy use': 376910, 'our disinfectant': 622764, 'disinfectant tablet': 245768, 'coronavirus by using': 205597, 'by using disinfection': 154647, 'using disinfection sterilizer': 950463, 'disinfection sterilizer spray': 245919, 'angle and handy': 76428, 'and handy use': 64164, 'handy use with': 376911, 'use with our': 949819, 'with our disinfectant': 999988, 'our disinfectant tablet': 622765, 'disinfectant tablet for': 245769, 'emetophobia': 273157, 'obsessive': 578689, 'way due': 969562, 'her emetophobia': 392010, 'emetophobia she': 273158, 'become obsessive': 120084, 'obsessive and': 578690, 'hygiene in': 412107, 'general constantly': 345297, 'constantly washing': 195713, 'washing her': 967684, 'hand wiping': 375997, 'wiping with': 996534, 'which she': 986312, 'she definitely': 755975, 'definitely doe': 232327, '19 and want': 5132, 'that way due': 847343, 'way due to': 969563, 'due to her': 261805, 'to her emetophobia': 907695, 'her emetophobia she': 392011, 'emetophobia she ha': 273159, 'she ha become': 756068, 'ha become obsessive': 369687, 'become obsessive and': 120085, 'obsessive and concerned': 578691, 'concerned about food': 193154, 'about food hygiene': 25255, 'food hygiene in': 314879, 'hygiene in general': 412108, 'in general constantly': 423248, 'general constantly washing': 345298, 'constantly washing her': 195714, 'washing her hand': 967685, 'her hand wiping': 392090, 'hand wiping with': 375998, 'wiping with alcohol': 996535, 'with alcohol and': 997130, 'alcohol and sanitizer': 40908, 'and sanitizer which': 70890, 'sanitizer which she': 736082, 'which she definitely': 986313, 'she definitely doe': 755976, 'high the': 395463, 'crisis heals': 217474, 'heals the': 386089, 'the bedevils': 849412, 'bedevils of': 120440, 'price may remain': 675199, 'may remain high': 521453, 'remain high the': 709762, 'high the 2008': 395464, '2008 crisis heals': 13654, 'crisis heals the': 217475, 'heals the bedevils': 386090, 'the bedevils of': 849413, 'bedevils of covid': 120441, 'ombud': 598866, 'the cpa': 852252, 'cpa and': 214565, 'the view': 870757, 'service ombud': 752643, 'ombud re': 598867, 'related cancellation': 708386, 'that not in': 845391, 'not in keeping': 570096, 'with the cpa': 1001252, 'the cpa and': 852253, 'cpa and the': 214566, 'and the view': 73640, 'the view of': 870759, 'consumer good service': 197638, 'good service ombud': 357715, 'service ombud re': 752644, 'ombud re covid': 598868, '19 related cancellation': 10043, 'brand hospitality': 137858, 'hospitality chain': 404762, 'plate to': 658920, 'crisis retail': 217981, 'retailer consumer brand': 719094, 'consumer brand hospitality': 196655, 'brand hospitality chain': 137859, 'hospitality chain are': 404763, 'chain are stepping': 170515, 'the plate to': 863821, 'plate to support': 658921, 'it most during': 459684, 'most during the': 542277, 'coronavirus crisis retail': 205765, 'can smart': 159643, 'smart thermometer': 775437, 'thermometer track': 879551, 'of fascinating': 583437, 'fascinating article': 299749, 'article connected': 94292, 'connected consumer': 194647, 'health technology': 386897, 'support public': 826775, 'population level': 664714, 'level analysis': 487502, 'can smart thermometer': 159644, 'smart thermometer track': 775438, 'thermometer track the': 879552, 'spread of fascinating': 790670, 'of fascinating article': 583438, 'fascinating article connected': 299750, 'article connected consumer': 94293, 'connected consumer health': 194648, 'consumer health technology': 197734, 'health technology that': 386898, 'technology that support': 836387, 'that support public': 846592, 'support public health': 826776, 'public health at': 688060, 'health at the': 386177, 'at the population': 101054, 'the population level': 864028, 'population level analysis': 664715, 'level analysis of': 487503, 'analysis of data': 57064, 'summarized': 817918, 'skeptic': 772866, 'naturopathy': 553013, 'chiropractic': 177545, 'jimbakker': 465509, 'alexjones': 41620, 'related quackery': 708525, 'quackery misinformation': 691642, 'resource regulatory': 714864, 'regulatory action': 708158, 'action summarized': 30138, 'summarized in': 817919, 'digest 15': 242445, '20 quackery': 13287, 'quackery fakenews': 691640, 'fakenews pseudoscience': 296765, 'pseudoscience skeptic': 687474, 'skeptic naturopathy': 772867, 'naturopathy chiropractic': 553014, 'chiropractic jimbakker': 177546, 'jimbakker alexjones': 465510, '19 related quackery': 10064, 'related quackery misinformation': 708526, 'quackery misinformation consumer': 691643, 'misinformation consumer resource': 534070, 'consumer resource regulatory': 198775, 'resource regulatory action': 714865, 'regulatory action summarized': 708159, 'action summarized in': 30139, 'summarized in consumer': 817920, 'health digest 15': 386380, 'digest 15 20': 242446, '15 20 quackery': 3644, '20 quackery fakenews': 13288, 'quackery fakenews pseudoscience': 691641, 'fakenews pseudoscience skeptic': 296766, 'pseudoscience skeptic naturopathy': 687475, 'skeptic naturopathy chiropractic': 772868, 'naturopathy chiropractic jimbakker': 553015, 'chiropractic jimbakker alexjones': 177547, 'islamicfinance': 454274, 'algeria under': 41638, 'find new': 307092, 'new source': 559621, 'of financing': 583536, 'financing ha': 306735, 'created religious': 215879, 'religious body': 709578, 'body responsible': 133879, 'for islamicfinance': 322676, 'islamicfinance after': 454275, 'pandemic worsening': 637057, 'country financial': 210654, 'algeria under pressure': 41639, 'pressure to find': 671244, 'to find new': 905924, 'find new source': 307094, 'new source of': 559622, 'source of financing': 786523, 'of financing ha': 583537, 'financing ha created': 306736, 'ha created religious': 370280, 'created religious body': 215880, 'religious body responsible': 709580, 'body responsible for': 133880, 'responsible for islamicfinance': 716034, 'for islamicfinance after': 322677, 'islamicfinance after being': 454276, 'after being hit': 35408, 'by the sharp': 154436, 'the pandemic worsening': 863163, 'pandemic worsening the': 637058, 'worsening the country': 1011104, 'the country financial': 852080, 'country financial crisis': 210655, 'losingfamilies': 503619, 'withouthealthcare': 1003082, 'closingbusonesses': 183816, 'ventilatorshortage': 954644, 'hiddenagenda': 394822, 'great we': 363101, 'quarantined losingfamilies': 692868, 'losingfamilies dying': 503620, 'dying sick': 263863, 'sick withouthealthcare': 768685, 'withouthealthcare nomoney': 1003083, 'nofood closingbusonesses': 566141, 'closingbusonesses ventilatorshortage': 183817, 'ventilatorshortage notmypresident': 954645, 'notmypresident sickening': 573592, 'sickening hiddenagenda': 768710, 'hiddenagenda you': 394823, 'nothing is doing': 573058, 'doing great we': 252432, 'great we are': 363102, 'are quarantined losingfamilies': 89374, 'quarantined losingfamilies dying': 692869, 'losingfamilies dying sick': 503621, 'dying sick withouthealthcare': 263864, 'sick withouthealthcare nomoney': 768686, 'withouthealthcare nomoney nofood': 1003084, 'nomoney nofood closingbusonesses': 566286, 'nofood closingbusonesses ventilatorshortage': 566142, 'closingbusonesses ventilatorshortage notmypresident': 183818, 'ventilatorshortage notmypresident sickening': 954646, 'notmypresident sickening hiddenagenda': 573593, 'sickening hiddenagenda you': 768711, 'hiddenagenda you idiot': 394824, 'avoid traveling': 105368, 'traveling if': 930645, 'and avoid traveling': 58580, 'avoid traveling if': 105369, 'traveling if possible': 930646, '100 which': 2126, 'actual cost': 30639, 'or 10': 614171, 'specie on': 788185, 'earth request': 264999, 'of punjab': 588602, 'trader who sell': 928802, 'who sell mask': 989589, 'high price 100': 395227, 'price 100 which': 672103, '100 which is': 2127, 'the actual cost': 848318, 'actual cost or': 30640, 'cost or 10': 208079, 'or 10 people': 614172, '10 people must': 1616, 'people must think': 648806, 'must think that': 546956, 'they are human': 881298, 'are human or': 87271, 'human or other': 410581, 'or other specie': 616450, 'other specie on': 620946, 'specie on earth': 788186, 'on earth request': 600471, 'earth request to': 265000, 'request to provide': 713219, 'provide free mask': 686325, 'free mask to': 331964, 'people of punjab': 648925, 'shoping': 761164, 'made post': 507921, 'when shoping': 984017, 'shoping at': 761165, 'store and made': 806289, 'and made post': 66507, 'made post on': 507922, 'about thing you': 26625, 'be doing when': 114536, 'doing when shoping': 252859, 'when shoping at': 984018, 'shoping at the': 761166, 'my eighth': 548067, 'eighth supermarket': 270216, 'safe if': 729761, 'day searching': 228316, 'into my eighth': 442777, 'my eighth supermarket': 548068, 'eighth supermarket of': 270217, 'supermarket of the': 821701, 'day you cannot': 228818, 'you cannot keep': 1017868, 'cannot keep safe': 161986, 'keep safe if': 471881, 'safe if you': 729763, 're having to': 698790, 'having to spend': 384365, 'to spend the': 914999, 'spend the day': 788683, 'the day searching': 852910, 'day searching for': 228317, 'searching for affordable': 743325, 'for affordable food': 319060, 'affordable food stophoarding': 34845, 'food stophoarding panicbuyinguk': 316833, 'breaking punjab': 139036, 'punjab to': 689278, 'down public': 257129, 'scare indiafightscoronavirus': 740883, 'breaking punjab to': 139037, 'punjab to shut': 689279, 'shut down public': 767847, 'down public transport': 257130, 'public transport in': 688409, 'transport in wake': 929897, 'wake of scare': 964602, 'of scare indiafightscoronavirus': 589385, 'delivery model': 234187, 'model is': 535269, 'broken this': 140925, 'this lead': 888600, 'people missing': 648778, 'missing out': 534318, 'whole supermarket delivery': 990347, 'supermarket delivery model': 819926, 'delivery model is': 234188, 'model is broken': 535270, 'is broken this': 446281, 'broken this lead': 140926, 'this lead to': 888601, 'lead to zero': 483398, 'to zero socialdistancing': 919056, 'zero socialdistancing in': 1027502, 'and people missing': 68874, 'people missing out': 648779, 'missing out on': 534319, 'out on essential': 626904, 'on essential if': 600587, 'essential if we': 281145, 'we get full': 971611, 'get full lockdown': 347125, 'full lockdown then': 340677, 'lockdown then it': 500022, 'taproot': 834404, 'pandemic cv': 635283, 'cv police': 223848, 'it terrible': 461465, 'terrible it': 838410, 'is taproot': 452577, 'taproot psychology': 834405, 'amid pandemic cv': 52571, 'pandemic cv police': 635284, 'cv police officer': 223849, 'attendant it terrible': 102356, 'it terrible it': 461466, 'terrible it necessary': 838411, 'it necessary bad': 459748, 'parenting is taproot': 641799, 'is taproot psychology': 452578, 'soulard': 786243, 'saintlouis': 731827, 'on door': 600393, 'in soulard': 428123, 'soulard stl': 786246, 'stl saintlouis': 801724, 'saintlouis stlouis': 731828, 'stlouis missouri': 801735, 'missouri mo': 534436, 'mo but': 534854, 'respond bc': 715289, 'bc do': 113227, 'have glove': 380779, 'sanitizer soulard': 735774, 'soulard saint': 786244, 'saint louis': 731822, 'posted on door': 666555, 'on door in': 600394, 'door in soulard': 255624, 'in soulard stl': 428124, 'soulard stl saintlouis': 786247, 'stl saintlouis stlouis': 801725, 'saintlouis stlouis missouri': 731829, 'stlouis missouri mo': 801736, 'missouri mo but': 534437, 'mo but could': 534855, 'could not respond': 209453, 'not respond bc': 571347, 'respond bc do': 715290, 'bc do not': 113228, 'not have glove': 569836, 'have glove or': 380781, 'or sanitizer soulard': 616954, 'sanitizer soulard saint': 735775, 'soulard saint louis': 786245, 'all angel': 42021, 'angel have': 76309, 'have wing': 383601, 'wing some': 995988, 'just normal': 469322, 'vitamin to': 959807, 'homeless god': 402749, 'not all angel': 568098, 'all angel have': 42022, 'angel have wing': 76310, 'have wing some': 383602, 'wing some are': 995989, 'some are just': 782321, 'are just normal': 87630, 'just normal people': 469324, 'normal people who': 567257, 'who buy and': 988358, 'buy and distribute': 148317, 'and distribute sanitizer': 61511, 'sanitizer and vitamin': 734451, 'and vitamin to': 75010, 'vitamin to the': 959808, 'the homeless god': 857467, 'homeless god bless': 402750, 'protectivegloves': 685823, 'antwholesale': 78624, 'free toilet': 332256, 'cannot miss': 162012, 'this protectivegloves': 889748, 'protectivegloves toiletpaper': 685824, 'toiletpaper antwholesale': 921741, 'antwholesale disinfectant': 78625, 'hey guy get': 394403, 'get the free': 348245, 'the free toilet': 855771, 'free toilet paper': 332257, 'paper from if': 640197, 'if you looking': 415470, 'you looking the': 1019708, 'looking the toilet': 503016, 'paper you cannot': 641127, 'you cannot miss': 1017870, 'cannot miss this': 162013, 'miss this protectivegloves': 534208, 'this protectivegloves toiletpaper': 889749, 'protectivegloves toiletpaper antwholesale': 685825, 'toiletpaper antwholesale disinfectant': 921742, 'dataset': 226564, 'paper county': 640063, 'level dataset': 487549, 'dataset for': 226565, 'for informing': 322583, 'informing the': 438151, 'state response': 795901, 'figure show': 305228, 'show spike': 767150, 'visit when': 959432, 'house declared': 406260, 'declared national': 231239, 'our paper county': 624251, 'paper county level': 640064, 'county level dataset': 211433, 'level dataset for': 487550, 'dataset for informing': 226566, 'for informing the': 322584, 'informing the united': 438152, 'united state response': 942238, 'state response to': 795902, '19 is available': 7937, 'available here the': 104421, 'here the figure': 393649, 'the figure show': 855175, 'figure show spike': 305230, 'show spike in': 767151, 'spike in grocery': 789299, 'store visit when': 811082, 'visit when the': 959433, 'when the white': 984212, 'white house declared': 987849, 'house declared national': 406261, 'declared national emergency': 231240, 'social enterprise': 779779, 'enterprise during': 278447, 'pandemic recommends': 636309, 'support for social': 826522, 'for social enterprise': 325704, 'social enterprise during': 779780, 'enterprise during the': 278448, '19 pandemic recommends': 9442, 'pandemic recommends helping': 636310, 'way grocery': 969608, 'grocery aisle': 364211, 'aisle lane': 40297, 'lane change': 479443, 'change at': 171937, 'including limiting': 432033, 'one way grocery': 607369, 'way grocery aisle': 969609, 'grocery aisle lane': 364213, 'aisle lane change': 40298, 'lane change at': 479444, 'change at the': 171940, 'because of look': 119368, 'what you will': 982701, 'will see at': 994766, 'see at in': 744945, 'at in our': 99274, 'our area including': 622112, 'area including limiting': 92078, 'including limiting the': 432034, 'fact my': 295750, 'iphone doesn': 444564, 'doesn recognize': 251923, 'store saturdaymorning': 809993, 'saturdaymorning quarantinelife': 737093, 'fun fact my': 341163, 'fact my iphone': 295751, 'my iphone doesn': 548886, 'iphone doesn recognize': 444565, 'doesn recognize my': 251924, 'recognize my face': 704643, 'face when wearing': 294852, 'when wearing mask': 984480, 'mask in grocery': 518832, 'grocery store saturdaymorning': 365746, 'store saturdaymorning quarantinelife': 809994, 'see handsanitizer': 745176, 'purell only see': 690025, 'only see handsanitizer': 611093, 'fcc declares': 300755, 'declares certain': 231254, 'certain call': 169974, 'text regarding': 839934, 'the tcpa': 869185, 'tcpa insurance': 835301, 'fcc declares certain': 300756, 'declares certain call': 231255, 'certain call text': 169975, 'call text regarding': 156118, 'text regarding covid': 839935, '19 are exempt': 5197, 'from the tcpa': 337895, 'the tcpa insurance': 869186, 'consumer poll': 198385, 'poll indicates': 663840, 'expect impact': 290660, 'month at': 537594, '12 march': 2875, 'uk consumer poll': 938266, 'consumer poll indicates': 198386, 'poll indicates the': 663841, 'indicates the majority': 434997, 'majority expect impact': 509541, 'expect impact to': 290661, 'impact to last': 418032, '12 month at': 2899, 'month at 12': 537595, 'at 12 march': 97453, '12 march we': 2876, 'march we expect': 515519, 'increase at the': 432686, 'tracker see full': 928295, 'see full result': 745142, 'makoni': 511517, 'chitungwiza': 177567, '19 screening': 10370, 'at tm': 101321, 'tm supermarket': 899353, 'supermarket makoni': 821442, 'makoni center': 511518, 'center chitungwiza': 169168, 'covid 19 screening': 213753, '19 screening at': 10371, 'screening at tm': 742761, 'at tm supermarket': 101322, 'tm supermarket makoni': 899354, 'supermarket makoni center': 821443, 'makoni center chitungwiza': 511519, 'conflicting': 194268, 'county student': 211495, 'student spent': 814772, 'spent spring': 789167, 'spain with': 787363, 'friend after': 333484, 'party ended': 642994, 'ended two': 276136, 'his traveling': 397873, 'traveling companion': 930638, 'companion tested': 190331, 'his mother': 397622, 'mother join': 543131, 'the conflicting': 851446, 'conflicting advice': 194269, 'advice he': 33398, 'he received': 385339, 'received when': 703711, 'he sought': 385456, 'sought test': 786214, 'cumberland county student': 220324, 'county student spent': 211496, 'student spent spring': 814773, 'spent spring break': 789168, 'spring break in': 791174, 'break in spain': 138751, 'in spain with': 428185, 'spain with friend': 787364, 'with friend after': 998557, 'friend after the': 333485, 'after the party': 36342, 'the party ended': 863321, 'party ended two': 642995, 'ended two of': 276137, 'two of his': 937087, 'of his traveling': 584669, 'his traveling companion': 397874, 'traveling companion tested': 930639, 'companion tested positive': 190332, '19 he and': 7470, 'and his mother': 64605, 'his mother join': 397624, 'mother join to': 543132, 'join to discus': 466886, 'discus the conflicting': 244911, 'the conflicting advice': 851447, 'conflicting advice he': 194270, 'advice he received': 33399, 'he received when': 385340, 'received when he': 703712, 'when he sought': 983545, 'he sought test': 385457, 'seriously why': 751789, 'morrison advertising': 541692, 'advertising mother': 33254, 'day easter': 227552, 'easter if': 265457, 'buy loo': 148922, 'roll due': 725280, 'selfish covid': 748061, 'seriously why are': 751790, 'are supermarket asda': 90649, 'supermarket asda morrison': 819210, 'asda morrison advertising': 94947, 'morrison advertising mother': 541693, 'advertising mother day': 33255, 'mother day easter': 543080, 'day easter if': 227553, 'easter if we': 265458, 'cannot even buy': 161789, 'even buy loo': 283919, 'buy loo roll': 148923, 'loo roll due': 502176, 'roll due to': 725281, 'the selfish covid': 866662, 'selfish covid 19': 748062, 'via via need': 956354, 'journal quarantine corona': 467394, 'leek': 485346, 'tirelessly during': 899078, 'him farmer': 396597, 'farmer wouldn': 299584, 'produce vital': 680480, 'shelf such': 757618, 'such rhubarb': 816716, 'early spring': 264697, 'spring cabbage': 791182, 'cabbage not': 154949, 'mention my': 528773, 'tea tonight': 835376, 'tonight leek': 924434, 'leek and': 485347, 'potato soup': 666978, 'soup true': 786420, 'shoutout to working': 766816, 'to working tirelessly': 918820, 'working tirelessly during': 1008976, 'tirelessly during the': 899079, '19 crisis without': 6356, 'crisis without him': 218436, 'without him farmer': 1002721, 'him farmer wouldn': 396598, 'farmer wouldn have': 299585, 'wouldn have the': 1012479, 'have the good': 382991, 'the good to': 856453, 'good to produce': 357895, 'to produce vital': 912212, 'produce vital food': 680481, 'vital food on': 959684, 'food on our': 315598, 'supermarket shelf such': 822538, 'shelf such rhubarb': 757619, 'such rhubarb and': 816717, 'rhubarb and early': 720915, 'and early spring': 61843, 'early spring cabbage': 264698, 'spring cabbage not': 791183, 'cabbage not to': 154950, 'to mention my': 910089, 'mention my tea': 528774, 'my tea tonight': 550323, 'tea tonight leek': 835377, 'tonight leek and': 924435, 'leek and potato': 485348, 'and potato soup': 69252, 'potato soup true': 666979, 'soup true hero': 786421, 'india storage': 434629, 'high would': 395526, 'convenient at': 202389, 'barrel this': 111295, 'would satisfy': 1012204, 'satisfy indian': 736961, 'indian demand': 434815, 'india storage capacity': 434630, 'storage capacity in': 805957, 'capacity in it': 162531, 'in it strategic': 424273, 'reserve is not': 714074, 'is not high': 450105, 'not high would': 569963, 'high would be': 395527, 'would be convenient': 1011568, 'be convenient at': 114232, 'convenient at this': 202390, 'this point at': 889631, 'point at under': 662425, 'at under 40': 101395, 'under 40 million': 939980, '40 million barrel': 18606, 'million barrel this': 532088, 'barrel this would': 111296, 'this would satisfy': 891545, 'would satisfy indian': 1012205, 'satisfy indian demand': 736962, 'indian demand for': 434816, 'demand for le': 235447, 'for le than': 322913, 'than 10 day': 840145, 'webinar explore': 975034, 'opinion around': 613451, 'part webinar': 642486, 'series delivers': 751242, 'delivers the': 233598, 'demand webinar explore': 236466, 'webinar explore the': 975035, 'explore the latest': 292496, 'latest finding on': 481339, 'finding on global': 307519, 'on global consumer': 601102, 'global consumer opinion': 351805, 'consumer opinion around': 198272, 'opinion around with': 613452, 'around with this': 93645, 'with this the': 1001731, 'this the first': 890520, 'in our three': 426347, 'our three part': 625138, 'three part webinar': 894024, 'part webinar series': 642487, 'webinar series delivers': 975097, 'series delivers the': 751243, 'delivers the insight': 233599, 'the insight you': 858321, 'insight you need': 439668, 'you need during': 1019985, 'soon thanks': 785840, 'sharing have': 755529, 'of kzn': 585689, 'recover soon thanks': 705200, 'soon thanks for': 785841, 'for sharing have': 325524, 'sharing have never': 755530, 'case of kzn': 165914, 'of kzn covid': 585690, '19 cannot the': 5643, 'cannot the government': 162178, 'the government issue': 856554, 'item are not': 463101, 'or the price': 617391, 'price are highly': 672677, 'are highly inflated': 87165, 'on guess': 601204, 'they catch': 881731, 'catch these': 167041, 'these prick': 880548, 'prick sky': 678011, 'coronavirus police': 206560, 'police hunt': 663057, 'hunt pair': 411368, 'pair who': 634344, 'licked hand': 488217, 'and wiped': 75745, 'wiped them': 996483, 'going on guess': 355319, 'on guess we': 601205, 'll never know': 496919, 'never know if': 558091, 'if they catch': 415099, 'they catch these': 881732, 'catch these prick': 167042, 'these prick sky': 880549, 'prick sky news': 678012, 'sky news coronavirus': 773211, 'news coronavirus police': 560341, 'coronavirus police hunt': 206562, 'police hunt pair': 663058, 'hunt pair who': 411369, 'pair who licked': 634345, 'who licked hand': 989200, 'licked hand and': 488218, 'hand and wiped': 374789, 'and wiped them': 75746, 'wiped them on': 996484, 'help spreading': 390555, 'message brighton': 529278, 'brighton we': 139824, 'please share and': 660479, 'share and help': 754925, 'and help spreading': 64469, 'help spreading this': 390556, 'spreading this message': 791068, 'this message brighton': 888839, 'message brighton we': 529279, 'brighton we got': 139825, 'you covered 19': 1018113, 'sunday stay': 818267, 'the bbq': 849366, 'bbq for': 113188, 'only don': 610352, 'go mass': 353829, 'out alone': 625607, 'alone to': 46928, 'buy no': 149001, 'no mate': 564723, 'mate round': 520345, 'round no': 726338, 'no neighbour': 564861, 'neighbour we': 557246, 'sunday stay at': 818268, 'at home get': 98998, 'home get the': 401297, 'get the bbq': 348225, 'the bbq for': 849367, 'bbq for your': 113189, 'your family only': 1023796, 'family only don': 298124, 'only don go': 610353, 'don go mass': 253568, 'go mass shopping': 353830, 'mass shopping go': 519858, 'shopping go out': 762793, 'go out alone': 353931, 'out alone to': 625608, 'alone to supermarket': 46931, 'supermarket no need': 821611, 'panic buy no': 637508, 'buy no mate': 149003, 'no mate round': 564724, 'mate round no': 520346, 'round no neighbour': 726339, 'no neighbour we': 564862, 'neighbour we can': 557247, 'can still have': 159777, 'still have fun': 800650, 'officially the': 596025, 'and minimal': 67044, 'minimal shopping': 533070, 'have place': 381941, 'people throughout': 649863, '19 stayathomesavelives': 10817, 'stayathomesavelives stayhome': 797808, 'officially the uk': 596026, 'uk is in': 938483, 'in lockdown only': 424848, 'lockdown only allowed': 499743, 'only allowed out': 610061, 'out for med': 626139, 'for med and': 323371, 'med and minimal': 525872, 'and minimal shopping': 67045, 'minimal shopping for': 533071, 'for food so': 321631, 'glad have place': 351498, 'have place to': 381942, 'go online to': 353916, 'online to chat': 609579, 'chat to people': 173965, 'to people throughout': 911641, 'people throughout this': 649864, 'throughout this time': 894996, 'time it going': 897079, 'get worse before': 348646, 'get better 19': 346664, 'better 19 stayathomesavelives': 128171, '19 stayathomesavelives stayhome': 10818, 'their should': 874726, 'against people': 37579, 'people selling': 649400, 'exploit people': 292353, 'is crisis': 446931, 'crisis worldwide': 218441, 'worldwide just': 1010390, 'make few': 509901, 'few quid': 304031, 'quid wanker': 694668, 'surely their should': 827946, 'their should be': 874727, 'should be some': 765734, 'sort of law': 786125, 'of law against': 585734, 'law against people': 482202, 'against people selling': 37580, 'people selling hand': 649402, 'sanitiser at extortionate': 733924, 'extortionate price how': 293395, 'price how low': 674592, 'low can you': 505178, 'you be to': 1017403, 'be to exploit': 117729, 'to exploit people': 905496, 'exploit people in': 292355, 'in need when': 425783, 'need when there': 556204, 'there is crisis': 878541, 'is crisis worldwide': 446936, 'crisis worldwide just': 218442, 'worldwide just to': 1010391, 'just to make': 470096, 'to make few': 909662, 'make few quid': 509902, 'few quid wanker': 304032, 'bravenewworld': 138264, 'is bravenewworld': 446256, 'bravenewworld let': 138265, 'this hashtag': 887864, 'hashtag trending': 378707, '19 quarantinediaries': 9922, 'day you go': 228820, 'and risk your': 70562, 'risk your life': 724038, 'your life this': 1024648, 'life this is': 489116, 'this is bravenewworld': 888196, 'is bravenewworld let': 446257, 'bravenewworld let get': 138266, 'get this hashtag': 348408, 'this hashtag trending': 887865, 'hashtag trending 19': 378708, 'trending 19 quarantinediaries': 931528, 'woman tested': 1003629, 'australia serious': 103376, 'think her': 885280, 'her motivation': 392205, 'motivation wa': 543315, 'this woman tested': 891481, 'woman tested positive': 1003630, 'for 19 after': 318696, '19 after she': 4857, 'she wa caught': 756410, 'spitting on produce': 789604, 'sydney supermarket in': 830712, 'in australia serious': 420617, 'australia serious question': 103377, 'question for you': 693591, 'for you what': 328099, 'you what do': 1022269, 'you think her': 1021660, 'think her motivation': 885281, 'her motivation wa': 392206, 'motivation wa to': 543316, 'wa to do': 963518, 'pollen': 663871, 'rva': 728723, 'andromedastrain': 76233, 'obscurescifirferences': 578524, 'pollen spring': 663872, 'spring rva': 791236, 'rva sneezed': 728724, 'sneezed time': 776297, 'the andromedastrain': 848735, 'andromedastrain allergy': 76234, 'allergy spring': 45791, 'spring in': 791218, 'of obscurescifirferences': 587144, 'pollen spring rva': 663873, 'spring rva sneezed': 791237, 'rva sneezed time': 728725, 'sneezed time in': 776298, 'lot and people': 503986, 'looking at me': 502814, 'me like have': 523082, 'like have the': 490387, 'have the andromedastrain': 382960, 'the andromedastrain allergy': 848736, 'andromedastrain allergy spring': 76235, 'allergy spring in': 45792, 'spring in the': 791219, 'age of obscurescifirferences': 37867, 'help fear': 389690, 'forgotten about': 329431, 'panicbuying mayhem': 638988, 'mayhem going': 521911, 'on foodbanks': 600932, 'forget to donate': 329321, 'some food to': 782878, 'bank when you': 110292, 'supermarket there are': 823274, 'there who desperately': 879348, 'desperately need our': 238571, 'our help fear': 623410, 'help fear that': 389691, 'fear that they': 301371, 'been forgotten about': 121177, 'forgotten about with': 329432, 'about with all': 26942, 'all this panicbuying': 45124, 'this panicbuying mayhem': 889469, 'panicbuying mayhem going': 638989, 'mayhem going on': 521912, 'going on foodbanks': 355316, 'kaikohe new': 470667, 'kaikohe new world': 470668, 'world supermarket worker': 1010024, 'supermarket worker test': 824092, 'mass acquiring': 519732, 'acquiring in': 29185, 'depth knowledge': 237764, 'best selling': 127893, 'walmart their': 965433, 'their exact': 873188, 'exact store': 288706, 'spread appreciation': 790428, 'paper quaratinelife': 640646, 'quaratinelife grocerystores': 693125, 'grocerystores 19': 366356, '19 walmart': 11890, 'the mass acquiring': 860237, 'mass acquiring in': 519733, 'acquiring in depth': 29186, 'in depth knowledge': 422203, 'depth knowledge of': 237765, 'knowledge of best': 477177, 'of best selling': 580681, 'best selling good': 127894, 'at the walmart': 101145, 'the walmart their': 871055, 'walmart their exact': 965434, 'their exact store': 873189, 'exact store location': 288707, 'store location and': 808793, 'location and wide': 498856, 'and wide spread': 75643, 'wide spread appreciation': 991762, 'spread appreciation for': 790429, 'appreciation for toilet': 82881, 'toilet paper quaratinelife': 921407, 'paper quaratinelife grocerystores': 640647, 'quaratinelife grocerystores 19': 693126, 'grocerystores 19 walmart': 366357, '19 walmart toiletpaper': 11891, 'shopper close': 761461, 'shopper close their': 761462, 'close their wallet': 182857, 'plunge march': 661441, 'march decline': 515338, 'severe contraction': 753999, 'contraction rather': 201806, 'than temporary': 841203, 'temporary shock': 837683, 'decline are': 231304, 'are sure': 90668, 'follow economy': 312373, 'economy consumerconfidence': 267776, 'consumerconfidence finance': 199654, 'confidence plunge march': 193937, 'plunge march decline': 661442, 'march decline in': 515339, 'decline in confidence': 231344, 'in confidence is': 421647, 'confidence is more': 193911, 'is more in': 449712, 'more in line': 539517, 'line with severe': 493586, 'with severe contraction': 1000657, 'severe contraction rather': 754000, 'contraction rather than': 201807, 'rather than temporary': 697554, 'than temporary shock': 841204, 'temporary shock and': 837684, 'shock and further': 759424, 'and further decline': 63440, 'further decline are': 342023, 'decline are sure': 231306, 'are sure to': 90670, 'sure to follow': 827762, 'to follow economy': 906047, 'follow economy consumerconfidence': 312374, 'economy consumerconfidence finance': 267778, 'consumerconfidence finance consumer': 199655, 'finance consumer money': 306180, 'emory': 273252, 'recently emory': 704089, 'emory together': 273253, 'tech partner': 836127, 'partner vital': 642892, 'vital launched': 959704, 'launched web': 482051, 'web based': 974936, 'based public': 111719, 'public facing': 687989, 'grade specific': 361662, 'specific self': 788249, 'assessment platform': 96401, 'it launch': 459312, 'site had': 771936, 'had gt': 373155, 'gt 600': 367567, '600 00': 21055, '00 hit': 247, 'recently emory together': 704090, 'emory together with': 273254, 'together with tech': 921042, 'with tech partner': 1001134, 'tech partner vital': 836128, 'partner vital launched': 642893, 'vital launched web': 959705, 'launched web based': 482052, 'web based public': 974937, 'based public facing': 111720, 'public facing consumer': 687990, 'facing consumer grade': 295429, 'consumer grade specific': 197645, 'grade specific self': 361663, 'specific self assessment': 788250, 'self assessment platform': 747553, 'assessment platform in': 96402, 'platform in the': 658983, 'first day after': 308611, 'after it launch': 35841, 'it launch the': 459314, 'launch the site': 481956, 'the site had': 867231, 'site had gt': 771937, 'had gt 600': 373156, 'gt 600 00': 367568, '600 00 hit': 21056, '00 hit in': 248, 'hit in 20': 398281, 'in 20 country': 419738, 'coronacrisis boris': 204526, 'boris lot': 135480, 'go rather': 354065, 'than put': 841062, 'on sick': 603460, 'leave price': 484907, 'crashing the': 215131, 'and unemployed': 74649, 'unemployed are': 941109, 'are disproportionately': 85864, 'uk payment': 938615, 'coronacrisis boris lot': 204527, 'boris lot of': 135481, 'have been let': 379595, 'let go rather': 486750, 'go rather than': 354066, 'rather than put': 697542, 'than put on': 841063, 'put on sick': 690725, 'on sick leave': 603461, 'sick leave price': 768502, 'leave price are': 484908, 'soaring the economy': 779343, 'is crashing the': 446884, 'crashing the poor': 215132, 'poor and unemployed': 664113, 'and unemployed are': 74650, 'unemployed are disproportionately': 941110, 'are disproportionately affected': 85865, 'disproportionately affected you': 246308, 'affected you need': 34470, 'give everyone in': 350480, 'the uk payment': 870262, 'uk payment to': 938616, 'payment to save': 645767, 'save the economy': 737655, 'economy and people': 267651, 'and people life': 68869, 'spring theater': 791246, 'question about quarantine': 693505, 'about quarantine africa': 26035, 'the spring theater': 867661, 'brandnew': 138146, 'twotoiletrolls': 937421, 'teabags': 835383, 'sainburys': 731634, 'the brandnew': 849949, 'brandnew saturday': 138147, 'saturday activity': 736994, 'for men': 323406, 'men now': 528511, 'that football': 843930, 'and sport': 72130, 'sport is': 789936, 'cancelled that': 161174, 'right barging': 721799, 'barging through': 111090, 'for twotoiletrolls': 327397, 'twotoiletrolls and': 937422, 'and forty': 63216, 'forty teabags': 329941, 'teabags tesco': 835384, 'morrison sainburys': 541751, 'sainburys panicbuying': 731635, 'uk toiletroll': 938834, 'for the brandnew': 326324, 'the brandnew saturday': 849950, 'brandnew saturday activity': 138148, 'saturday activity for': 736995, 'activity for men': 30427, 'for men now': 323407, 'men now that': 528512, 'now that football': 576002, 'that football and': 843931, 'football and sport': 318487, 'and sport is': 72131, 'sport is cancelled': 789938, 'is cancelled that': 446372, 'cancelled that right': 161175, 'that right barging': 846049, 'right barging through': 721800, 'barging through supermarket': 111091, 'through supermarket for': 894700, 'supermarket for twotoiletrolls': 820429, 'for twotoiletrolls and': 327398, 'twotoiletrolls and forty': 937423, 'and forty teabags': 63217, 'forty teabags tesco': 329942, 'teabags tesco asda': 835385, 'asda morrison sainburys': 94950, 'morrison sainburys panicbuying': 541752, 'sainburys panicbuying uk': 731636, 'panicbuying uk toiletroll': 639102, 'noon port': 566854, 'told wa': 923783, 'cry this': 219920, 'trend how': 931353, 'today at noon': 919278, 'at noon port': 99907, 'noon port melbourne': 566855, 'food aisle wa': 313080, 'aisle wa told': 40423, 'wa told wa': 963548, 'told wa cry': 923784, 'wa cry this': 961909, 'cry this capture': 219921, 'from the first': 337702, 'the first unnecessary': 855361, 'first unnecessary panic': 309147, 'panic buying trend': 637942, 'buying trend how': 151261, 'trend how it': 931354, 'how it need': 408136, 'reality spy': 701791, 'djia qq': 248832, 'qq stock': 691590, 'stock stockmarket': 802886, 'stockmarket cnbc': 803650, 'cnbc recession2020': 184728, 'recession2020 podcast': 704429, 'stock price getting': 802716, 'price getting ahead': 674175, 'ahead of reality': 39191, 'of reality spy': 588798, 'reality spy djia': 701792, 'spy djia qq': 791400, 'djia qq stock': 248833, 'qq stock stockmarket': 691591, 'stock stockmarket cnbc': 802887, 'stockmarket cnbc recession2020': 803651, 'cnbc recession2020 podcast': 184729, 'these oil': 880364, 'expense because': 291180, 'with these oil': 1001649, 'these oil price': 880366, 'going down ll': 355120, 'down ll survive': 256932, 'll survive the': 497056, 'survive the expense': 829249, 'the expense because': 854716, 'expense because the': 291181, 'because the next': 119638, 'pretty comprehensive': 671380, 'comprehensive statement': 192646, 'from galen': 335593, 'weston here': 980700, 'three screen': 894052, 'screen cap': 742684, 'cap cdnpoli': 162412, 'pretty comprehensive statement': 671381, 'comprehensive statement from': 192647, 'statement from galen': 796176, 'from galen weston': 335594, 'galen weston here': 342926, 'weston here on': 980701, 'here on how': 393410, 'on how and': 601382, 'how and will': 407366, 'and will work': 75705, 'will work during': 995365, 'work during need': 1005069, 'during need three': 262812, 'need three screen': 555841, 'three screen cap': 894053, 'screen cap cdnpoli': 742685, '5litre': 20748, 'dad bought': 224297, 'bought 5litre': 136484, '5litre hand': 20749, 'which distributed': 985823, 'distributed into': 248053, 'into smaller': 442991, 'smaller container': 775263, 'thermometer for': 879518, 'my dad bought': 547881, 'dad bought 5litre': 224298, 'bought 5litre hand': 136485, '5litre hand sanitizer': 20750, 'sanitizer which distributed': 736077, 'which distributed into': 985824, 'distributed into smaller': 248054, 'into smaller container': 442992, 'smaller container and': 775264, 'container and thermometer': 200531, 'and thermometer for': 73872, 'thermometer for the': 879519, 'corona pandemic this': 204096, 'pandemic this shit': 636747, 'antenna': 78228, 'weirdest email': 977820, 'email subject': 272306, 'plus paint': 661652, 'paint laundry': 634291, 'laundry tip': 482134, 'tip antenna': 898708, 'of the weirdest': 591612, 'the weirdest email': 871360, 'weirdest email subject': 977821, 'email subject line': 272307, 'subject line go': 815737, 'line go to': 493135, 'go to consumer': 354295, 'consumer report this': 198734, 'report this week': 712378, 'this week covid': 891204, '19 update plus': 11679, 'update plus paint': 947173, 'plus paint laundry': 661653, 'paint laundry tip': 634292, 'laundry tip antenna': 482135, 'rockspringstshirts': 724990, 'customtshirts': 223196, 'customshirts': 223187, 'rockspringstshirts customtshirts': 724991, 'customtshirts customshirts': 223197, 'customshirts 2020': 223188, '2020 tshirts': 14682, 'tshirts shirt': 934937, 'toiletpaper facemask': 921965, 'facemask handsanitizers': 295079, 'handsanitizers check': 376692, 'rockspringstshirts customtshirts customshirts': 724992, 'customtshirts customshirts 2020': 223198, 'customshirts 2020 tshirts': 223189, '2020 tshirts shirt': 14683, 'tshirts shirt toiletpaper': 934938, 'shirt toiletpaper facemask': 759018, 'toiletpaper facemask handsanitizers': 921966, 'facemask handsanitizers check': 295080, 'handsanitizers check out': 376693, 'ops': 613850, 'switch their': 830510, 'their ops': 874129, 'ops to': 613855, 'only pick': 610970, 'up order': 945690, 'protect both': 684791, 'both their': 136070, 'help flattenthecurve': 389731, 'flattenthecurve even': 310163, 'more socialdistancing': 540424, 'employee and urge': 273593, 'and urge and': 74755, 'urge and others': 948159, 'others to switch': 621738, 'to switch their': 916103, 'switch their ops': 830511, 'their ops to': 874130, 'ops to only': 613856, 'to only pick': 910977, 'only pick up': 610971, 'pick up order': 655746, 'up order in': 945691, 'order in order': 618320, 'to protect both': 912294, 'protect both their': 684792, 'both their worker': 136072, 'and customer and': 60834, 'customer and help': 222079, 'and help flattenthecurve': 64450, 'help flattenthecurve even': 389732, 'flattenthecurve even more': 310164, 'even more socialdistancing': 284378, 'get quarantine': 347869, 'and blessed': 59006, 'say your': 739523, 'your welcome': 1026343, 'and we don': 75291, 'we don get': 971382, 'don get quarantine': 253542, 'get quarantine time': 347870, 'time help all': 896912, 'of you get': 593387, 'this and blessed': 886324, 'and blessed to': 59008, 'blessed to say': 132631, 'to say your': 913857, 'say your welcome': 739524, 'rissia': 724135, 'speculate': 788346, 'sewn': 754190, 'rissia in': 724136, 'government produce': 360483, 'all region': 44134, 'to speculate': 914974, 'speculate market': 788347, 'price banned': 672840, 'without certificate': 1002536, 'certificate mask': 170212, 'mask cannot': 518515, 'be sewn': 117118, 'sewn at': 754191, 'rissia in russia': 724137, 'in russia the': 427593, 'russia the government': 728583, 'the government produce': 856586, 'government produce and': 360484, 'produce and buy': 680176, 'buy it product': 148861, 'it product from': 460501, 'product from all': 681214, 'from all region': 334437, 'all region in': 44135, 'region in order': 707427, 'order to speculate': 618708, 'to speculate market': 914975, 'speculate market price': 788348, 'market price banned': 516880, 'price banned the': 672841, 'the sale without': 866183, 'sale without certificate': 732660, 'without certificate mask': 1002537, 'certificate mask cannot': 170213, 'mask cannot be': 518516, 'cannot be sewn': 161646, 'be sewn at': 117119, 'sewn at home': 754192, 'realitychek': 701822, 'hokum': 399866, 'peddled': 646192, 'icymi yesterday': 412919, 'yesterday realitychek': 1015842, 'realitychek post': 701823, 'post exposed': 666122, 'the disgraceful': 853377, 'disgraceful hokum': 245330, 'hokum being': 399867, 'being peddled': 125539, 'peddled by': 646193, 'many importer': 514161, 'importer using': 419211, 'the ccpvirus': 850560, 'ccpvirus an': 168488, 'seek relief': 746603, 'trump china': 933475, 'china tariff': 176967, 'tariff wuhanvirus': 834629, 'wuhanvirus trade': 1013585, 'icymi yesterday realitychek': 412920, 'yesterday realitychek post': 1015843, 'realitychek post exposed': 701824, 'post exposed the': 666123, 'exposed the disgraceful': 292877, 'the disgraceful hokum': 853378, 'disgraceful hokum being': 245331, 'hokum being peddled': 399868, 'being peddled by': 125540, 'peddled by many': 646194, 'by many importer': 153162, 'many importer using': 514162, 'importer using the': 419212, 'using the ccpvirus': 950693, 'the ccpvirus an': 850561, 'ccpvirus an excuse': 168489, 'excuse to seek': 289790, 'to seek relief': 914110, 'seek relief from': 746604, 'relief from trump': 709349, 'from trump china': 338151, 'trump china tariff': 933476, 'china tariff wuhanvirus': 176968, 'tariff wuhanvirus trade': 834630, 'zarqa': 1027243, 'eight shop': 270197, 'in zarqa': 431149, 'zarqa fined': 1027244, 'price jordan': 674949, 'jordan price': 467296, 'price curfew': 673367, 'curfew coronacrisis': 220869, 'eight shop in': 270198, 'shop in zarqa': 760333, 'in zarqa fined': 431150, 'zarqa fined for': 1027245, 'fined for raising': 307747, 'raising price jordan': 696121, 'price jordan price': 674950, 'jordan price curfew': 467297, 'price curfew coronacrisis': 673368, 'stafford': 793169, 'stafford conservative': 793170, 'conservative mp': 194911, 'mp in': 544253, 'uk parliament': 938613, 'parliament is': 642161, 'profiteer during': 682956, 'in letter': 424679, 'johnson he': 466596, 'said those': 731501, 'behaving in': 123830, 'in predatory': 426916, 'predatory vicious': 669539, 'vicious and': 956436, 'uncaring way': 939556, 'stafford conservative mp': 793171, 'conservative mp in': 194912, 'mp in the': 544254, 'the uk parliament': 870261, 'uk parliament is': 938614, 'parliament is calling': 642162, 'calling for emergency': 156550, 'for emergency legislation': 321019, 'legislation to stop': 485996, 'stop profiteer during': 804939, 'profiteer during the': 682957, 'outbreak in letter': 628346, 'in letter to': 424680, 'letter to pm': 487367, 'to pm boris': 911844, 'boris johnson he': 135467, 'johnson he said': 466597, 'he said those': 385379, 'said those who': 731502, 'who are inflating': 988163, 'inflating price are': 437112, 'price are behaving': 672638, 'are behaving in': 84818, 'behaving in predatory': 123831, 'in predatory vicious': 426918, 'predatory vicious and': 669540, 'vicious and uncaring': 956437, 'and uncaring way': 74599, 'police anyone': 662913, 'grocery worker healthcare': 366175, 'healthcare worker police': 387373, 'worker police anyone': 1007598, 'police anyone in': 662914, 'anyone in public': 80379, 'disburse': 244308, 'earliest american': 264515, 'begin receiving': 123560, 'receiving their': 703806, 'direct payment': 243367, 'payment some': 645732, 'wait month': 964159, 'absurd irs': 27503, 'irs must': 445125, 'to disburse': 904343, 'disburse these': 244309, 'these payment': 880416, 'payment right': 645717, 'away people': 105996, 'pocket now': 662184, 'is the earliest': 452778, 'the earliest american': 853815, 'earliest american will': 264516, 'american will begin': 52311, 'will begin receiving': 992812, 'begin receiving their': 123561, 'receiving their direct': 703807, 'their direct payment': 873025, 'direct payment some': 243368, 'payment some will': 645733, 'to wait month': 918266, 'wait month this': 964160, 'month this is': 538067, 'this is absurd': 888164, 'is absurd irs': 445305, 'absurd irs must': 27504, 'irs must move': 445126, 'must move quickly': 546771, 'quickly to disburse': 694625, 'to disburse these': 904344, 'disburse these payment': 244310, 'these payment right': 880417, 'payment right away': 645718, 'right away people': 721790, 'away people need': 105997, 'people need this': 648838, 'need this money': 555820, 'this money in': 888892, 'their pocket now': 874333, 'x10': 1013742, 'x100': 1013747, 'item normal': 463473, 'item 2nd': 463018, '2nd item': 16787, 'item x10': 463850, 'x10 normal': 1013743, 'item 3rd': 463020, '3rd item': 18429, 'item x100': 463852, 'x100 normal': 1013748, 'my suggestion to': 550256, 'suggestion to stop': 817670, 'stop panic and': 804880, 'panic and stockpiling': 637341, 'stockpiling food item': 803960, 'food item normal': 315218, 'item normal price': 463474, 'normal price item': 567275, 'price item 2nd': 674933, 'item 2nd item': 463019, '2nd item x10': 16788, 'item x10 normal': 463851, 'x10 normal price': 1013744, 'price item 3rd': 674934, 'item 3rd item': 463021, '3rd item x100': 18430, 'item x100 normal': 463853, 'x100 normal price': 1013749, 'normal price coronacrisis': 567270, 'nathan': 552084, 'farnham': 299713, 'distancing empty': 247120, 'mad it': 507547, 'be smarter': 117240, 'smarter than': 775472, 'by nathan': 153300, 'nathan farnham': 552085, 'social distancing empty': 779597, 'distancing empty supermarket': 247121, 'shelf the world': 757658, 'gone mad it': 356330, 'mad it easy': 507548, 'easy for fear': 265704, 'for fear to': 321430, 'fear to spread': 301400, 'to spread be': 915054, 'spread be smarter': 790448, 'be smarter than': 117241, 'smarter than the': 775473, 'the virus by': 870807, 'virus by nathan': 958021, 'by nathan farnham': 153301, 'carepackages': 164548, 'emergencykits': 273075, 'helpingpeople': 391569, 'impactinvesting': 418276, 'rencarlton': 710932, 'whatamigoingtodow': 982729, 'paper battling': 639931, 'virus carepackages': 958037, 'carepackages disinfectant': 164549, 'disinfectant emergencykits': 245651, 'emergencykits helpingpeople': 273076, 'helpingpeople impactinvesting': 391570, 'impactinvesting rencarlton': 418277, 'rencarlton sanitize': 710933, 'sanitize toiletpaper': 734225, 'toiletpaper whatamigoingtodow': 922832, 'do with all': 250542, 'of this toilet': 592054, 'toilet paper battling': 921201, 'paper battling the': 639932, 'battling the corona': 112878, 'corona virus carepackages': 204293, 'virus carepackages disinfectant': 958038, 'carepackages disinfectant emergencykits': 164550, 'disinfectant emergencykits helpingpeople': 245652, 'emergencykits helpingpeople impactinvesting': 273077, 'helpingpeople impactinvesting rencarlton': 391571, 'impactinvesting rencarlton sanitize': 418278, 'rencarlton sanitize toiletpaper': 710934, 'sanitize toiletpaper whatamigoingtodow': 734226, 'burberry': 142726, 'autotrader': 104082, 'europe open': 283485, 'open flat': 612230, 'after ecb': 35607, 'ecb unveils': 266611, 'unveils 750bn': 944028, '750bn rescue': 22200, 'rescue programme': 713631, 'programme burberry': 683331, 'burberry store': 142727, '50 autotrader': 19624, 'autotrader introduces': 104083, 'introduces measure': 443471, 'measure follow': 525192, 'blog retail': 133008, 'europe open flat': 283486, 'open flat after': 612231, 'flat after ecb': 310063, 'after ecb unveils': 35608, 'ecb unveils 750bn': 266612, 'unveils 750bn rescue': 944029, '750bn rescue programme': 22201, 'rescue programme burberry': 713632, 'programme burberry store': 683332, 'burberry store sale': 142728, 'store sale down': 809965, 'sale down 40': 732169, 'down 40 50': 256417, '40 50 autotrader': 18517, '50 autotrader introduces': 19625, 'autotrader introduces measure': 104084, 'introduces measure follow': 443472, 'measure follow all': 525193, 'live blog retail': 495753, 'ghanaians': 349602, 'visualizing': 959648, 'security have': 744639, 'production with': 682282, 'led initiative': 485234, 'initiative ghanaians': 438626, 'ghanaians gradually': 349605, 'gradually embraced': 361694, 'embraced rice': 272500, 'rice sadly': 721129, 'sadly we': 729376, 'couldn meet': 209906, 'demand visualizing': 236443, 'visualizing life': 959649, 'our approach': 622098, 'approach invest': 82957, 'in agric': 420112, 'agric now': 38859, 'food security have': 316352, 'security have we': 744640, 'have we done': 383556, 'we done enough': 971407, 'done enough to': 254828, 'enough to boost': 277689, 'boost production with': 135001, 'production with the': 682283, 'with the led': 1001365, 'the led initiative': 859261, 'led initiative ghanaians': 485235, 'initiative ghanaians gradually': 438627, 'ghanaians gradually embraced': 349606, 'gradually embraced rice': 361695, 'embraced rice sadly': 272501, 'rice sadly we': 721130, 'sadly we couldn': 729377, 'we couldn meet': 971226, 'couldn meet demand': 209907, 'meet demand visualizing': 527478, 'demand visualizing life': 236444, 'visualizing life after': 959650, 'be proactive in': 116545, 'proactive in our': 679164, 'in our approach': 426260, 'our approach invest': 622099, 'approach invest in': 82958, 'invest in agric': 443751, 'in agric now': 420113, 'darkphotography': 226016, 'dslrguru': 261353, 'photographyislife': 655312, 'lovenotlooroll': 505011, 'sad very': 729280, 'sad it': 729184, 'sad sad': 729219, 'sad situation': 729233, 'absurd corona': 27493, 'toiletroll panicbuying': 923375, 'panicbuying darkphotography': 638926, 'darkphotography dslrguru': 226017, 'dslrguru supermarket': 261354, 'supermarket dontpanic': 820008, 'dontpanic photography': 255379, 'photography photographyislife': 655302, 'photographyislife lovenotlooroll': 655313, 'it sad very': 460834, 'sad very sad': 729281, 'very sad it': 955489, 'sad it sad': 729186, 'it sad sad': 460828, 'sad sad situation': 729220, 'sad situation and': 729234, 'situation and it': 772183, 'it getting more': 458230, 'getting more and': 349120, 'and more absurd': 67139, 'more absurd corona': 538535, 'absurd corona toiletpaper': 27494, 'corona toiletpaper toiletroll': 204256, 'toiletpaper toiletroll panicbuying': 922733, 'toiletroll panicbuying darkphotography': 923376, 'panicbuying darkphotography dslrguru': 638927, 'darkphotography dslrguru supermarket': 226018, 'dslrguru supermarket dontpanic': 261355, 'supermarket dontpanic photography': 820009, 'dontpanic photography photographyislife': 255380, 'photography photographyislife lovenotlooroll': 655303, 'continue doing': 201022, 'like delivering': 490106, 'delivering order': 233532, 'etc shipping': 282746, 'shipping isolation': 758861, 'so do we': 776888, 'think it ethical': 885328, 'ethical to continue': 283090, 'to continue doing': 903382, 'continue doing thing': 201023, 'doing thing like': 252752, 'thing like delivering': 884541, 'like delivering order': 490107, 'delivering order food': 233533, 'shopping etc shipping': 762585, 'etc shipping isolation': 282747, 'shipping isolation care': 758862, 'package to our': 633433, 'dairyfarmers': 225061, 'skyrocket dairyfarmers': 773297, 'dairyfarmers dairy': 225062, 'milk usa': 531893, 'usa food': 948639, 'drink beverage': 258807, 'beverage farmer': 129000, 'economy store': 268237, 'shopping preppers': 763668, 'preppers prepper': 670404, 'prepper survivalist': 670389, 'demand skyrocket dairyfarmers': 236231, 'skyrocket dairyfarmers dairy': 773298, 'dairyfarmers dairy milk': 225063, 'dairy milk usa': 225014, 'milk usa food': 531894, 'usa food drink': 948640, 'food drink beverage': 314277, 'drink beverage farmer': 258808, 'beverage farmer economy': 129001, 'farmer economy store': 299353, 'economy store shopping': 268238, 'store shopping preppers': 810139, 'shopping preppers prepper': 763669, 'preppers prepper survivalist': 670405, 'introduced and': 443418, 'tackle supermarket': 831603, 'new rule to': 559529, 'rule to be': 727385, 'be introduced and': 115531, 'introduced and law': 443419, 'and law relaxed': 65990, 'law relaxed to': 482380, 'relaxed to tackle': 708876, 'to tackle supermarket': 916138, 'tackle supermarket panic': 831604, 'actually realize': 30934, 'the idiot panic': 857845, 'buying actually realize': 149861, 'actually realize that': 30935, 'more to damage': 540789, 'to damage the': 903902, 'damage the food': 225228, 'haven panicked': 383867, 'bought only': 136666, 'car thanks': 163305, 'who smashed': 989633, 'smashed into': 775566, 'into mine': 442755, 'mine last': 532912, 'kill my': 474453, 'be lack': 115648, 'haven panicked bought': 383868, 'panicked bought only': 639253, 'bought only have': 136667, 'have enough provision': 380465, 'enough provision for': 277588, 'provision for me': 687258, 'me my family': 523191, 'my family for': 548198, 'family for few': 297810, 'few day also': 303767, 'day also do': 227231, 'have car thanks': 379898, 'car thanks to': 163306, 'idiot who smashed': 413645, 'who smashed into': 989634, 'smashed into mine': 775567, 'into mine last': 442756, 'mine last week': 532913, 'last week no': 480662, 'week no online': 976569, 'not be covid': 568367, '19 that kill': 11155, 'that kill my': 844824, 'kill my family': 474455, 'my family it': 548210, 'family it will': 297969, 'will be lack': 992530, 'be lack of': 115649, 'ox': 632646, 'ox have': 632649, 'have lifted': 381311, 'lifted restriction': 489494, 'on access': 599149, 'free travel': 332268, 'travel for': 930365, 'bus pas': 143067, 'holder for': 400068, 'disabled to': 243977, 'ox have lifted': 632650, 'have lifted restriction': 381312, 'lifted restriction on': 489495, 'restriction on access': 717335, 'on access to': 599150, 'access to free': 28236, 'to free travel': 906241, 'free travel for': 332269, 'travel for bus': 930366, 'for bus pas': 319820, 'bus pas holder': 143068, 'pas holder for': 643109, 'holder for the': 400069, 'and disabled to': 61397, 'disabled to be': 243978, 'to do early': 904500, 'do early morning': 249252, 'morning supermarket shopping': 541477, 'state forcing': 795592, 'forcing grocery': 328707, 'store bagger': 806633, 'bagger low': 108513, 'level government': 487568, 'make rent': 510398, 'united state forcing': 942216, 'state forcing grocery': 795593, 'forcing grocery store': 328708, 'grocery store bagger': 365234, 'store bagger low': 806634, 'bagger low level': 108514, 'low level government': 505382, 'level government employee': 487569, 'government employee and': 360057, 'unpaid leave to': 943030, 'to make rent': 909728, 'make rent and': 510399, 'rent and be': 711033, 'pay for healthcare': 644881, '5dayisolation': 20639, 'lasvegaslockdown': 480816, 'day ok': 228139, 'ok after': 597762, 'store 5dayisolation': 806039, '5dayisolation lasvegaslockdown': 20640, 'day ok after': 228140, 'ok after yesterday': 597763, 'after yesterday morning': 36602, 'yesterday morning shopping': 1015803, 'grocery store 5dayisolation': 365171, 'store 5dayisolation lasvegaslockdown': 806040, '2019 seeing': 14009, 'seeing someone': 746473, 'store cking': 806981, 'cking freak': 179662, 'freak call': 331506, 'call security': 156102, 'security 2020': 744519, '2020 seeing': 14591, 'someone without': 784791, '2019 seeing someone': 14010, 'seeing someone with': 746474, 'someone with mask': 784789, 'with mask at': 999403, 'grocery store cking': 365283, 'store cking freak': 806982, 'cking freak call': 179663, 'freak call security': 331507, 'call security 2020': 156103, 'security 2020 seeing': 744520, '2020 seeing someone': 14592, 'seeing someone without': 746475, 'someone without mask': 784792, 'without mask at': 1002770, 'direction would': 243489, 'seeing seller': 746457, 'seller drop': 749010, 'their listing': 873856, 'hasn happened': 378751, 'going to fall': 355595, 'fall the first': 297072, 'step in that': 799566, 'that direction would': 843543, 'direction would be': 243490, 'would be seeing': 1011644, 'be seeing seller': 117033, 'seeing seller drop': 746458, 'seller drop their': 749011, 'drop their listing': 260411, 'their listing price': 873857, 'listing price that': 494877, 'price that hasn': 676803, 'that hasn happened': 844191, 'portland residential': 665038, 'residential maid': 714433, 'maid service': 508548, 'the 26th': 848058, '26th largest': 16240, 'growing city': 367136, 'for professionally': 324785, 'professionally licensed': 682533, 'licensed and': 488169, 'and experienced': 62502, 'experienced maid': 291586, 'service pdx': 752687, 'pdx 19': 645956, 'portland residential maid': 665039, 'residential maid service': 714434, 'maid service price': 508550, 'service price the': 752716, 'price the 26th': 676818, 'the 26th largest': 848059, '26th largest and': 16241, 'largest and the': 479924, 'and the fastest': 73369, 'fastest growing city': 300149, 'growing city in': 367137, 'city in america': 179197, 'america there is': 51702, 'is growing demand': 448234, 'growing demand and': 367160, 'demand and need': 234985, 'and need for': 67471, 'need for professionally': 554866, 'for professionally licensed': 324786, 'professionally licensed and': 682534, 'licensed and experienced': 488170, 'and experienced maid': 62503, 'experienced maid service': 291587, 'maid service pdx': 508549, 'service pdx 19': 752688, 'churn': 178426, 'albany ga': 40747, 'ga town': 342688, 'town stricken': 927557, 'by is': 152939, 'to churn': 902757, 'churn out': 178427, 'america toiletpaper': 51717, 'in albany ga': 420142, 'albany ga town': 40748, 'ga town stricken': 342689, 'town stricken by': 927558, 'stricken by is': 813596, 'by is racing': 152941, 'racing to churn': 695260, 'to churn out': 902758, 'churn out one': 178428, 'out one of': 626933, 'in america toiletpaper': 420241, 'cium': 179487, 'tangan': 834161, 'summore': 818045, 'an account': 55067, 'had physical': 373403, 'physical contact': 655393, 'contact cium': 200047, 'cium tangan': 179488, 'tangan with': 834162, 'bad experience': 107848, 'also her': 48355, 'her gp': 392078, 'gp said': 361412, 'wa alright': 961498, 'alright yeah': 47789, 'yeah go': 1014255, 'buy summore': 149256, 'just read an': 469561, 'read an account': 700273, 'an account of': 55068, 'account of someone': 28732, 'of someone who': 589923, 'who had physical': 988886, 'had physical contact': 373404, 'physical contact cium': 655394, 'contact cium tangan': 200048, 'cium tangan with': 179489, 'tangan with covid': 834163, '19 positive person': 9756, 'positive person and': 665410, 'went to packed': 979178, 'to packed supermarket': 911355, 'packed supermarket the': 633648, 'supermarket the next': 823234, 'next day because': 561326, 'day because she': 227358, 'she had bad': 756091, 'had bad experience': 372873, 'bad experience with': 107849, 'experience with online': 291545, 'shopping and also': 761961, 'and also her': 57957, 'also her gp': 48356, 'her gp said': 392079, 'gp said it': 361413, 'it wa alright': 462061, 'wa alright yeah': 961499, 'alright yeah go': 47790, 'yeah go panic': 1014256, 'go panic buy': 354032, 'panic buy summore': 637533, 'feeling you': 303120, 'get when': 348625, 'someone standing': 784663, 'the feeling you': 855105, 'feeling you get': 303121, 'you get when': 1018809, 'get when someone': 348627, 'when someone standing': 984064, 'someone standing too': 784665, 'store socialdistancing flattenthecurve': 810251, 'mnfctring': 534822, 'bodily': 133804, 'lallu': 479137, 'ecnmic': 266649, 'bina': 131054, 'jine': 465520, 'koi': 477338, 'matlab': 520500, 'rahega': 695572, 'will longer': 994033, 'longer if': 501994, 'can mnfctring': 159003, 'mnfctring unit': 534823, 'unit kept': 942067, 'kept closed': 473030, 'good agricultural': 356701, 'activity ist': 30457, 'ist foremost': 456142, 'foremost we': 329041, 'must alive': 546464, 'alive bodily': 41802, 'bodily are': 133805, 'are lallu': 87707, 'lallu ecnmic': 479138, 'ecnmic activity': 266650, 'activity bina': 30388, 'bina jine': 131055, 'jine ka': 465521, 'ka koi': 470564, 'koi matlab': 477339, 'matlab rahega': 520501, 'rahega kya': 695573, 'that our fight': 845579, '19 will longer': 12103, 'will longer if': 994034, 'longer if yes': 501995, 'if yes then': 415381, 'yes then can': 1015560, 'then can mnfctring': 877058, 'can mnfctring unit': 159004, 'mnfctring unit kept': 534824, 'unit kept closed': 942068, 'kept closed for': 473031, 'closed for longer': 183128, 'longer time supply': 502094, 'time supply of': 897789, 'consumer good agricultural': 197595, 'good agricultural activity': 356702, 'agricultural activity ist': 38865, 'activity ist foremost': 30458, 'ist foremost we': 456143, 'foremost we must': 329042, 'we must alive': 972399, 'must alive bodily': 546465, 'alive bodily are': 41803, 'bodily are lallu': 133806, 'are lallu ecnmic': 87708, 'lallu ecnmic activity': 479139, 'ecnmic activity bina': 266651, 'activity bina jine': 30389, 'bina jine ka': 131056, 'jine ka koi': 465522, 'ka koi matlab': 470565, 'koi matlab rahega': 477340, 'matlab rahega kya': 520502, 'local shopper': 498431, 'shopper feel': 761506, 'always stocking': 49756, 'shelf soo': 757534, 'soo ha': 785577, 'ha distribution': 370403, 'food come': 313965, 'halt there': 374466, 'even something': 284599, 'simple flour': 770017, 'flour help': 311117, 'help emptyshelves': 389633, 'emptyshelves usacoronavirus': 275322, 'this is at': 888181, 'is at local': 445867, 'at local shopper': 99608, 'local shopper feel': 498432, 'shopper feel like': 761507, 'like every time': 490186, 'employee are always': 273603, 'are always stocking': 84509, 'always stocking shelf': 49757, 'stocking shelf soo': 803594, 'shelf soo ha': 757535, 'soo ha distribution': 785578, 'ha distribution of': 370404, 'of food come': 583669, 'food come to': 313966, 'to halt there': 907108, 'halt there not': 374467, 'there not even': 878859, 'not even something': 569277, 'even something simple': 284600, 'something simple flour': 785055, 'simple flour help': 770018, 'flour help emptyshelves': 311118, 'help emptyshelves usacoronavirus': 389634, 'shit get': 759104, 'get major': 347513, 'major depression': 509304, 'today decided that': 919432, 'decided that will': 230892, 'that will determine': 847569, 'will determine the': 993170, 'determine the severity': 239445, 'based on gas': 111681, 'that shit get': 846263, 'shit get major': 759105, 'get major depression': 347514, 'major depression low': 509305, 'inuvik': 443550, 'icewireless': 412734, 'the ice': 857809, 'ice wireless': 412685, 'wireless retail': 996577, 'in inuvik': 424130, 'inuvik nt': 443551, 'nt is': 576729, 'closed effective': 183095, 'notice if': 573291, 'question please': 693698, 'care icewireless': 164012, 'advised that due': 33645, 'to concern over': 903169, 'over the ice': 630733, 'the ice wireless': 857812, 'ice wireless retail': 412686, 'wireless retail store': 996578, 'store in inuvik': 808321, 'in inuvik nt': 424131, 'inuvik nt is': 443552, 'nt is now': 576730, 'now closed effective': 574400, 'closed effective immediately': 183096, 'effective immediately the': 269267, 'immediately the store': 417156, 'further notice if': 342103, 'notice if you': 573292, 'any question please': 79721, 'question please contact': 693699, 'please contact our': 659840, 'our customer care': 622654, 'customer care icewireless': 222235, 'iowa attorney': 444485, 'investigating about': 443839, '50 formal': 19695, 'formal complaint': 329582, 'complaint alleging': 191939, 'alleging price': 45732, 'the iowa attorney': 858436, 'iowa attorney general': 444486, 'general office is': 345424, 'office is investigating': 595457, 'is investigating about': 448970, 'investigating about 50': 443840, 'about 50 formal': 24721, '50 formal complaint': 19696, 'formal complaint alleging': 329583, 'complaint alleging price': 191940, 'alleging price gouging': 45733, 'inseam': 439117, 'spree to': 791140, 'find comfy': 306849, 'comfy jumpsuit': 187915, 'jumpsuit that': 467976, 'reach my': 699948, 'my ankle': 547265, 'ankle few': 76758, 'list inseam': 494368, 'inseam unsure': 439118, 'sad buying': 729152, 'requires ppl': 713491, 'work probably': 1005624, 'more sad': 540291, 'sad socialdistancing': 729237, '30 stayathome': 17227, 'stayathome day': 797468, 'went on an': 979069, 'shopping spree to': 763958, 'spree to find': 791141, 'to find comfy': 905889, 'find comfy jumpsuit': 306850, 'comfy jumpsuit that': 187916, 'jumpsuit that reach': 467977, 'that reach my': 845950, 'reach my ankle': 699949, 'my ankle few': 547266, 'ankle few website': 76759, 'website list inseam': 975343, 'list inseam unsure': 494369, 'inseam unsure about': 439119, 'about the what': 26561, 'of sad buying': 589209, 'sad buying stuff': 729153, 'buying stuff is': 151111, 'stuff is when': 815110, 'when it requires': 983648, 'it requires ppl': 460728, 'requires ppl to': 713492, 'ppl to work': 668357, 'to work probably': 918769, 'work probably not': 1005625, 'probably not ethical': 679337, 'ethical now more': 283083, 'now more sad': 575313, 'more sad socialdistancing': 540292, 'sad socialdistancing day': 729238, 'day 30 stayathome': 227139, '30 stayathome day': 17228, 'stayathome day 16': 797469, 'centred aggressive': 169571, 'aggressive behaviour': 38237, 'behaviour seen': 124517, 'australia thrilled': 103405, 'thrilled we': 894191, 'war or': 966509, 'under immediate': 940126, 'immediate threat': 417038, 'threat people': 893710, 'true self': 933159, 'self emerge': 747618, 'emerge in': 272538, 'stress pressure': 813382, 'pressure failing': 671155, 'failing my': 296211, 'previous lax': 671981, 'lax standard': 482576, 'given the self': 351154, 'the self centred': 866649, 'self centred aggressive': 747566, 'centred aggressive behaviour': 169572, 'aggressive behaviour seen': 38238, 'behaviour seen in': 124518, 'street and grocery': 812893, 'store aisle of': 806117, 'aisle of australia': 40325, 'of australia thrilled': 580456, 'australia thrilled we': 103406, 'thrilled we re': 894192, 'not at war': 568274, 'at war or': 101494, 'war or under': 966510, 'or under immediate': 617587, 'under immediate threat': 940127, 'immediate threat people': 417039, 'threat people true': 893712, 'people true self': 650019, 'true self emerge': 933160, 'self emerge in': 747619, 'emerge in time': 272539, 'of stress pressure': 590300, 'stress pressure failing': 813383, 'pressure failing my': 671156, 'failing my previous': 296212, 'my previous lax': 549836, 'previous lax standard': 671982, 'beatles': 118634, 'playlist what': 659486, 'on yours': 605517, 'yours don': 1026461, 'police get': 663025, 'back beatles': 106899, 'beatles school': 118635, 'school out': 741900, 'out alice': 625594, 'alice cooper': 41726, 'cooper don': 203120, 'need no': 555301, 'doctor ray': 251083, 'ray charles': 698020, 'charles lost': 173742, 'the clash': 850980, 'here my top': 393373, 'my top 20': 550402, 'top 20 covid': 925526, '19 playlist what': 9706, 'playlist what on': 659487, 'what on yours': 981964, 'on yours don': 605518, 'yours don stand': 1026462, 'don stand so': 253930, 'me the police': 523656, 'the police get': 863919, 'police get back': 663026, 'get back beatles': 346630, 'back beatles school': 106900, 'beatles school out': 118636, 'school out alice': 741901, 'out alice cooper': 625595, 'alice cooper don': 41727, 'cooper don need': 203121, 'don need no': 253765, 'need no doctor': 555302, 'no doctor ray': 564036, 'doctor ray charles': 251084, 'ray charles lost': 698021, 'charles lost in': 173743, 'supermarket the clash': 823212, 'surface every': 828018, 'hazard daily': 384546, 'mail shopping': 508654, 'shopping fruit': 762765, 'vegetable health': 954001, 'health healthandsafety': 386484, 'other surface every': 621047, 'surface every surface': 828019, 'is hazard daily': 448343, 'hazard daily mail': 384547, 'daily mail shopping': 224686, 'mail shopping fruit': 508655, 'shopping fruit vegetable': 762766, 'fruit vegetable health': 339181, 'vegetable health healthandsafety': 954002, 'spreading across': 790912, 'world thought': 1010068, 'only appropriate': 610105, 'be spreading across': 117335, 'spreading across the': 790914, 'the world thought': 871989, 'world thought it': 1010069, 'wa only appropriate': 962853, 'only appropriate to': 610106, 'appropriate to reduce': 83062, 'hubby and': 409865, 'have profusely': 382068, 'thanked every': 841869, 'and mini': 67040, 'mini mart': 533009, 'mart chemist': 518039, 'chemist checkout': 175419, 'checkout worker': 175062, 'hubby and have': 409866, 'and have profusely': 64264, 'have profusely thanked': 382069, 'profusely thanked every': 683170, 'thanked every supermarket': 841870, 'supermarket and mini': 819018, 'and mini mart': 67041, 'mini mart chemist': 533010, 'mart chemist checkout': 518040, 'chemist checkout worker': 175420, 'checkout worker we': 175064, 'worker we have': 1008143, 'we have come': 971775, 'have come across': 380026, 'sick via': 768656, 'via coronalockdown': 955884, 'worker sick via': 1007783, 'sick via coronalockdown': 768657, 'is promoting': 451090, 'promoting mental': 683844, 'health center is': 386258, 'center is promoting': 169242, 'is promoting mental': 451091, 'promoting mental health': 683845, '10years': 2422, 'current grocery': 221220, 'store profit': 809673, 'profit were': 682888, 'last 10years': 480086, '10years of': 2423, 'airline they': 40043, 'could bail': 208832, 'only the current': 611262, 'the current grocery': 852638, 'current grocery store': 221221, 'grocery store profit': 365682, 'store profit were': 809674, 'profit were high': 682889, 'were high the': 979741, 'high the last': 395466, 'the last 10years': 858987, 'last 10years of': 480087, '10years of airline': 2424, 'of airline they': 579868, 'airline they could': 40044, 'they could bail': 881815, 'could bail them': 208833, 'icymi kenyan': 412889, 'health startup': 386872, 'startup ha': 795109, 'it artificial': 456596, 'artificial intelligence': 94521, 'intelligence ai': 440983, 'ai and': 39292, 'and blockchain': 59016, 'icymi kenyan health': 412890, 'kenyan health startup': 472972, 'health startup ha': 386873, 'startup ha launched': 795110, 'launched it artificial': 482003, 'it artificial intelligence': 456597, 'artificial intelligence ai': 94522, 'intelligence ai and': 440984, 'ai and blockchain': 39293, 'and blockchain based': 59017, 'blockchain based consumer': 132823, 'based consumer driven': 111544, 'commission put': 188881, 'out part': 627015, 'scam article': 740052, 'article ftc': 94336, 'trade commission put': 928454, 'commission put out': 188882, 'put out part': 690755, 'out part to': 627016, 'part to their': 642475, 'to their covid': 917217, '19 scam article': 10336, 'scam article ftc': 740053, 'article ftc coronavirus': 94337, 'molded': 535645, 'disposablefacemasks': 246274, 'layer molded': 482633, 'molded face': 535646, 'mask limited': 518916, 'supply facemasks': 825234, 'facemasks disposablefacemasks': 295132, 'wholesale price triple': 990482, 'price triple layer': 677124, 'triple layer molded': 932256, 'layer molded face': 482634, 'molded face mask': 535647, 'face mask limited': 294561, 'mask limited supply': 518917, 'limited supply facemasks': 492734, 'supply facemasks disposablefacemasks': 825235, 'tp over': 927899, 'here living': 393306, 'living it': 496403, 'up bidet': 944493, 'everyone so concerned': 287386, 'concerned about tp': 193178, 'about tp over': 26773, 'tp over here': 927900, 'over here living': 630285, 'here living it': 393307, 'living it up': 496404, 'it up bidet': 461957, 'up bidet toiletpaper': 944494, 'fuking': 340386, 'is sainsburys': 451638, 'city stop': 179377, 'or freezer': 615390, 'freezer jus': 332616, 'jus fuking': 468081, 'fuking stop': 340387, 'friend just sent': 333689, 'me this this': 523723, 'this this is': 890577, 'this is sainsburys': 888388, 'is sainsburys in': 451639, 'sainsburys in my': 731762, 'my city stop': 547695, 'city stop panic': 179378, 'panic buying some': 637892, 'buying some of': 151056, 'some of do': 783394, 'not have extra': 569831, 'have extra food': 380540, 'extra food or': 293516, 'food or freezer': 315654, 'or freezer jus': 615391, 'freezer jus fuking': 332617, 'jus fuking stop': 468082, 'fuking stop 19': 340388, 'interesting chart': 441525, 'no see': 565445, 'interesting chart from': 441526, 'chart from on': 173831, 'consumer behavior related': 196507, '19 at our': 5243, 'at our house': 100016, 'our house we': 623485, 'house we re': 406671, 're in no': 698877, 'in no see': 425916, 'no see the': 565446, 'slough': 774305, 'exploitationatitsfinest': 292396, 'your slough': 1025829, 'slough store': 774306, 'disgusted and': 245359, 'and appalled': 58245, 'raised 10': 695983, '10 from': 1440, 'marked pure': 515862, 'pure exploitation': 689969, 'of terrible': 590669, 'terrible situation': 838432, 'situation disgusting': 772242, 'coronacrisisuk exploitationatitsfinest': 204887, 'to your slough': 919028, 'your slough store': 1025830, 'slough store today': 774307, 'store today absolutely': 810830, 'today absolutely disgusted': 919146, 'absolutely disgusted and': 27336, 'disgusted and appalled': 245360, 'and appalled that': 58246, 'appalled that price': 81827, 'price were raised': 677455, 'were raised 10': 980021, 'raised 10 from': 695984, '10 from what': 1441, 'from what wa': 338345, 'what wa marked': 982517, 'wa marked pure': 962620, 'marked pure exploitation': 515863, 'pure exploitation of': 689970, 'exploitation of terrible': 292392, 'of terrible situation': 590670, 'terrible situation disgusting': 838433, 'situation disgusting coronacrisisuk': 772243, 'disgusting coronacrisisuk exploitationatitsfinest': 245403, 'van doing': 952291, 'helping personnel': 391444, 'personnel keep': 653124, 'mobile van doing': 535035, 'van doing the': 952292, 'doing the round': 252724, 'the round in': 866006, 'jalna helping personnel': 464347, 'helping personnel keep': 391445, 'personnel keep themselves': 653125, 'themselves safe from': 876881, 'safe from infection': 729696, 'sanitzfree': 736556, 'growout': 367301, 'hairoil': 374056, 'hairproblems': 374059, 'growouthairoil': 367304, 'haircare': 374021, 'haircaretips': 374024, 'naturalhairoil': 552900, 'dealoftheday': 229706, 'valley sanitzfree': 951986, 'sanitzfree with': 736557, 'valley bio': 951955, 'bio organic': 131157, 'organic growout': 619217, 'growout hairoil': 367302, 'hairoil hairproblems': 374057, 'hairproblems growouthairoil': 374060, 'growouthairoil haircare': 367305, 'haircare haircaretips': 374022, 'haircaretips naturalhairoil': 374025, 'naturalhairoil staysafestayhome': 552901, 'staysafestayhome lockdown': 799003, 'lockdown sanitize': 499879, 'sanitize deal': 734180, 'deal free': 229408, 'offer dealoftheday': 594574, 'dealoftheday indiafightcorona': 229707, 'indus valley sanitzfree': 435522, 'valley sanitzfree with': 951987, 'sanitzfree with indus': 736558, 'indus valley bio': 435520, 'valley bio organic': 951956, 'bio organic growout': 131158, 'organic growout hairoil': 619218, 'growout hairoil hairproblems': 367303, 'hairoil hairproblems growouthairoil': 374058, 'hairproblems growouthairoil haircare': 374061, 'growouthairoil haircare haircaretips': 367306, 'haircare haircaretips naturalhairoil': 374023, 'haircaretips naturalhairoil staysafestayhome': 374026, 'naturalhairoil staysafestayhome lockdown': 552902, 'staysafestayhome lockdown sanitize': 799004, 'lockdown sanitize deal': 499880, 'sanitize deal free': 734181, 'deal free offer': 229409, 'free offer dealoftheday': 332015, 'offer dealoftheday indiafightcorona': 594575, 'cfpb asks': 170347, 'for feedback': 321440, 'feedback for': 302417, 'consumer taskforce': 199220, 'taskforce while': 834755, 'while business': 986662, 'business disruption': 143640, 'disruption continues': 246455, 'cfpb is': 170353, 'is requesting': 451443, 'requesting information': 713271, 'it taskforce': 461441, 'taskforce on': 834746, 'federal consumer': 301966, 'financial law': 306481, 'law do': 482257, 'cfpb asks for': 170348, 'asks for feedback': 96135, 'for feedback for': 321441, 'feedback for consumer': 302418, 'for consumer taskforce': 320293, 'consumer taskforce while': 199221, 'taskforce while business': 834756, 'while business disruption': 986663, 'business disruption continues': 143641, 'disruption continues in': 246456, 'pandemic the consumer': 636671, 'bureau cfpb is': 142776, 'cfpb is requesting': 170354, 'is requesting information': 451444, 'requesting information to': 713272, 'help it taskforce': 389950, 'it taskforce on': 461442, 'taskforce on federal': 834747, 'on federal consumer': 600769, 'federal consumer financial': 301967, 'consumer financial law': 197488, 'financial law do': 306482, 'any outrageous': 79613, 'seen any outrageous': 746943, 'any outrageous price': 79614, 'outrageous price online': 629333, 'price online or': 675750, 'online or at': 608650, 'or at your': 614453, 'and stayhomesavelives': 72313, 'shop coronacrisisuk': 760076, 'stophoarding lockdown': 805420, 'people have heard': 648181, 'have heard the': 380919, 'heard the socialdistancing': 388154, 'the socialdistancing advice': 867424, 'socialdistancing advice and': 780195, 'advice and stayhomesavelives': 33318, 'and stayhomesavelives but': 72314, 'stayhomesavelives but then': 798354, 'then you see': 877794, 'see your local': 746122, 'local shop coronacrisisuk': 498397, 'shop coronacrisisuk stophoarding': 760077, 'coronacrisisuk stophoarding lockdown': 204911, 'stophoarding lockdown 19': 805421, 'essence monetary': 280726, 'monetary stimulus': 536550, 'stimulus being': 801512, 'being transmitted': 125976, 'transmitted to': 929801, 'is start': 452229, 'start but': 794232, 'see rate': 745626, 'is in essence': 448768, 'in essence monetary': 422598, 'essence monetary stimulus': 280727, 'monetary stimulus being': 536551, 'stimulus being transmitted': 801513, 'being transmitted to': 125977, 'transmitted to the': 929802, 'consumer it is': 197959, 'it is start': 459088, 'is start but': 452230, 'start but we': 794234, 'to see rate': 914061, 'see rate cut': 745627, 'rate cut for': 697191, 'cut for consumer': 223345, 'and 00': 57335, 'all credit': 42495, 'business ban': 143418, 'some proposal': 783662, 'all adult and': 41952, 'adult and 00': 32792, 'and 00 for': 57336, 'suspend all credit': 829547, 'all credit payment': 42496, 'credit payment for': 216450, 'payment for consumer': 645619, 'small business ban': 774841, 'business ban all': 143419, 'repossession just some': 712799, 'just some proposal': 469833, 'some proposal to': 783663, 'proposal to address': 684478, 'dollar still': 253079, 'still price': 801067, 'third why': 886114, 'fact in': 295732, 'gouging oilprice': 359405, 'oilprice breaking': 597604, 'breaking marketcrash': 138986, 'price at dollar': 672798, 'at dollar still': 98472, 'dollar still price': 253080, 'still price of': 801068, 'dropped by two': 260556, 'by two third': 154621, 'two third why': 937272, 'third why do': 886115, 'do we always': 250461, 'we always find': 970415, 'always find out': 49556, 'find out after': 307133, 'out after the': 625580, 'the fact in': 854824, 'fact in washington': 295733, 'washington state that': 967809, 'state that someone': 795984, 'someone is price': 784534, 'is price gouging': 451019, 'price gouging oilprice': 674306, 'gouging oilprice breaking': 359406, 'oilprice breaking marketcrash': 597605, 'desylva': 239135, 'desylva john': 239136, 'john you': 466563, 'don pay': 253823, 'used delivery': 949891, 'delivery even': 233980, 'desylva john you': 239137, 'john you should': 466564, 'should do what': 765936, 'what is good': 981695, 'you we don': 1022198, 'we don pay': 971390, 'don pay for': 253824, 'pay for delivery': 644872, 'are not more': 88416, 'more than if': 540633, 'than if we': 840770, 'if we went': 415323, 'we went shopping': 973776, 'went shopping we': 979112, 'shopping we used': 764355, 'we used delivery': 973621, 'used delivery even': 949892, 'delivery even before': 233981, 'those topic': 892562, 'topic here': 925788, 'how volunteer': 409149, 'how locality': 408184, 'locality are': 498737, 've got some': 953195, 'got some resource': 358855, 'some resource on': 783740, 'resource on those': 714847, 'on those topic': 604654, 'those topic here': 892563, 'topic here how': 925789, 'here how volunteer': 393116, 'how volunteer are': 409150, 'volunteer are helping': 960225, 'are helping senior': 87108, 'helping senior and': 391460, 'senior and little': 750203, 'and little more': 66242, 'little more info': 495465, 'on how locality': 601406, 'how locality are': 408185, 'locality are trying': 498738, 'protect them and': 685004, 'them and some': 875399, 'and some store': 71978, 'some store with': 783961, 'with senior only': 1000641, 'stylis': 815640, 'reused': 720181, 'tip instead': 898826, 'same screen': 733279, 'screen hundred': 742698, 'touched checking': 926613, 'store bring': 806765, 'bring universal': 140110, 'universal touchscreen': 942377, 'touchscreen stylis': 926780, 'stylis to': 815641, 'use instead': 949285, 'finger can': 307794, 'be disinfected': 114486, 'and reused': 70481, 'tip instead of': 898827, 'instead of touching': 440333, 'of touching the': 592342, 'touching the same': 926729, 'the same screen': 866294, 'same screen hundred': 733280, 'screen hundred of': 742699, 'hundred of others': 411005, 'of others have': 587394, 'others have touched': 621454, 'have touched checking': 383377, 'touched checking out': 926614, 'grocery store bring': 365257, 'store bring universal': 806766, 'bring universal touchscreen': 140111, 'universal touchscreen stylis': 942378, 'touchscreen stylis to': 926781, 'stylis to use': 815642, 'to use instead': 918037, 'use instead of': 949286, 'instead of your': 440341, 'of your finger': 593473, 'your finger can': 1023880, 'finger can be': 307795, 'can be disinfected': 157613, 'be disinfected and': 114487, 'disinfected and reused': 245831, 'tip stock': 898906, 'on vodka': 605065, 'vodka you': 959963, 'can drink': 158157, 'well use': 978726, 'it sanitizer': 460863, 'cleaning agent': 180889, 'agent quaratinelife': 38184, 'pro tip stock': 679137, 'tip stock up': 898907, 'up on vodka': 945641, 'on vodka you': 605066, 'vodka you can': 959964, 'you can drink': 1017664, 'can drink it': 158158, 'drink it well': 258848, 'it well use': 462310, 'well use it': 978727, 'use it sanitizer': 949311, 'it sanitizer cleaning': 460864, 'sanitizer cleaning agent': 734661, 'cleaning agent quaratinelife': 180890, 'worker yet': 1008306, 'least protected': 484609, 'dozen of grocery': 257893, 'recent week while': 704024, 'week while some': 977240, 'while some of': 987299, 'of have already': 584463, 'already passed away': 47562, 'passed away we': 643253, 'away we are': 106095, 'considered essential worker': 195294, 'essential worker yet': 281867, 'worker yet we': 1008307, 'are the least': 90853, 'the least protected': 859256, 'product every': 681168, 'frontline during this': 338731, 'these employee who': 879963, 'and product every': 69567, 'product every time': 681169, 'every time we': 286326, 'impending midnight': 418327, 'midnight disaster': 530741, 'contagious gathering': 200435, 'the announced': 848753, 'announced measure': 76990, 'to impending midnight': 908165, 'impending midnight disaster': 418328, 'midnight disaster by': 530742, 'disaster by rushing': 244192, 'several highly contagious': 753864, 'highly contagious gathering': 396047, 'contagious gathering the': 200436, 'thing the announced': 884829, 'the announced measure': 848754, 'announced measure are': 76991, 'measure are meant': 525121, 'meant to stop': 524914, 'athx': 101793, 'nnvc': 563550, 'codx': 185423, 'nvax': 577796, 'novn': 573873, 'nby': 553277, 'gril': 363938, 'tast': 834767, 'sxtc': 830651, 'blph': 133412, 'not sleep': 571610, 'sleep on': 773784, 'price athx': 672820, 'athx nnvc': 101794, 'nnvc codx': 563551, 'codx apt': 185424, 'apt nvax': 83758, 'nvax athx': 577797, 'athx novn': 101796, 'novn nby': 573874, 'nby rave': 553278, 'rave gril': 697931, 'gril tast': 363939, 'tast sxtc': 834768, 'sxtc blph': 830652, 'blph novn': 133413, 'do not sleep': 249846, 'not sleep on': 571611, 'sleep on these': 773785, 'on these cheap': 604558, 'these cheap price': 879750, 'cheap price athx': 174174, 'price athx nnvc': 672821, 'athx nnvc codx': 101795, 'nnvc codx apt': 563552, 'codx apt nvax': 185425, 'apt nvax athx': 83759, 'nvax athx novn': 577798, 'athx novn nby': 101797, 'novn nby rave': 573875, 'nby rave gril': 553279, 'rave gril tast': 697932, 'gril tast sxtc': 363940, 'tast sxtc blph': 834769, 'sxtc blph novn': 830653, 'chainstore': 171287, 'chainstore age': 171288, 'age walgreens': 37914, 'walgreens expands': 964717, 'expands consumer': 290523, 'consumer telehealth': 199245, 'chainstore age walgreens': 171289, 'age walgreens expands': 37915, 'walgreens expands consumer': 964718, 'expands consumer telehealth': 290524, 'consumer telehealth service': 199246, 'telehealth service for': 836761, 'service for covid': 752376, 'foofighters': 318273, 'myhero': 550735, 'made hero': 507773, 'clerk think': 181791, 'the foofighters': 855644, 'foofighters put': 318274, 'best myhero': 127775, 'myhero cover': 550736, 'ha made hero': 371208, 'made hero out': 507774, 'hero out of': 394062, 'of so many': 589811, 'people from healthcare': 647992, 'from healthcare worker': 335754, 'store clerk think': 807031, 'clerk think the': 181792, 'think the foofighters': 885632, 'the foofighters put': 855645, 'foofighters put it': 318275, 'put it best': 690641, 'it best myhero': 456856, 'best myhero cover': 127776, 'good option': 357520, 'outbreak just': 628400, 'sure any': 827489, 'make yourself': 510775, 'yourself contain': 1026566, 'contain at': 200466, 'alcohol check': 40953, 'advice page': 33465, 'sanitizers are good': 736216, 'are good option': 86925, 'good option during': 357521, 'option during this': 614021, '19 outbreak just': 9146, 'outbreak just make': 628401, 'just make sure': 469218, 'make sure any': 510505, 'sure any you': 827490, 'any you buy': 80058, 'you buy or': 1017578, 'buy or make': 149058, 'or make yourself': 616043, 'make yourself contain': 510777, 'yourself contain at': 1026567, 'contain at least': 200467, '60 alcohol check': 20887, 'alcohol check out': 40954, 'our consumer advice': 622516, 'consumer advice page': 196047, 'advice page for': 33466, 'on the do': 604067, 'wrong 3m': 1012983, '3m claim': 18311, 'claim distributor': 179722, 'distributor tried': 248330, 'to nyc': 910773, 'for six': 325640, 'price performance': 675860, 'performance price': 651462, 'price quote': 676055, 'quote were': 695010, 'were exorbitant': 979598, 'exorbitant 500': 290388, '600 percent': 21106, 'percent above': 651106, 'above list': 27083, 'so wrong 3m': 778819, 'wrong 3m claim': 1012984, '3m claim distributor': 18312, 'claim distributor tried': 179723, 'distributor tried to': 248331, 'sell mask to': 748787, 'mask to nyc': 519415, 'to nyc official': 910775, 'nyc official for': 578027, 'official for six': 595813, 'for six time': 325642, 'six time the': 772706, 'the price performance': 864395, 'price performance price': 675861, 'performance price quote': 651463, 'price quote were': 676056, 'quote were exorbitant': 695011, 'were exorbitant 500': 979599, 'exorbitant 500 to': 290389, 'to 600 percent': 899797, '600 percent above': 21107, 'percent above list': 651107, 'above list price': 27084, 'endorse': 276268, 'breaking covid': 138935, 'to endorse': 905096, 'endorse sen': 276269, 'sen bernie': 749665, 'sander it': 733687, 'will travel': 995227, 'around spreading': 93488, 'spreading awareness': 790934, 'of m4a': 586092, 'm4a social': 507233, 'inequality and': 436340, 'paying 15': 645365, 'ur grocery': 948006, 'store among': 806171, 'breaking covid 19': 138936, '19 to endorse': 11424, 'to endorse sen': 905097, 'endorse sen bernie': 276270, 'sen bernie sander': 749666, 'bernie sander it': 127384, 'sander it will': 733688, 'it will travel': 462449, 'will travel around': 995228, 'travel around spreading': 930274, 'around spreading awareness': 93489, 'spreading awareness on': 790935, 'awareness on the': 105719, 'importance of m4a': 418704, 'of m4a social': 586093, 'm4a social inequality': 507234, 'social inequality and': 779804, 'inequality and the': 436341, 'importance of paying': 418706, 'of paying 15': 587835, 'paying 15 hour': 645366, '15 hour to': 3731, 'hour to the': 406038, 'to the guy': 916761, 'the guy that': 856963, 'guy that stock': 369173, 'that stock the': 846497, 'shelf at ur': 756856, 'at ur grocery': 101415, 'ur grocery store': 948007, 'grocery store among': 365193, 'store among other': 806172, 'among other issue': 53033, 'retailer increasing': 719212, 'ensures product': 278156, 'be bought': 113892, 'with retailer increasing': 1000506, 'retailer increasing price': 719213, 'increasing price it': 433674, 'it ensures product': 457829, 'ensures product can': 278157, 'can be bought': 157595, 'be bought by': 113893, 'bought by those': 136531, 'value them the': 952212, 'them the most': 876390, 'the most and': 860947, 'employee are afraid': 273601, 'show up during': 767255, 'died from and': 241547, 'from and thousand': 334527, 'zambia please': 1027213, 'note we': 572846, 'necessary safety': 554067, 'precaution frontline': 669316, 'staff ha': 792507, 'issued with': 456112, 'mask rubber': 519204, 'bottle we': 136349, 'implementing handwashing': 418507, 'handwashing station': 376862, 'customer zambia': 223131, 'zambia please take': 1027214, 'take note we': 832382, 'note we are': 572847, 'the necessary safety': 861380, 'necessary safety precaution': 554068, 'safety precaution frontline': 730684, 'precaution frontline staff': 669317, 'frontline staff ha': 338825, 'staff ha been': 792508, 'ha been issued': 369838, 'been issued with': 121417, 'issued with mask': 456113, 'with mask rubber': 999414, 'mask rubber glove': 519205, 'rubber glove hand': 726937, 'spray bottle we': 790278, 'bottle we are': 136350, 'process of implementing': 679931, 'of implementing handwashing': 584998, 'implementing handwashing station': 418508, 'handwashing station for': 376863, 'station for our': 796410, 'our customer zambia': 622683, 'always part': 49686, 'news quarantinelife': 560723, 'quarantinelife stayconnected': 693018, 'know that emotion': 476761, 'is always part': 445599, 'always part of': 49687, 'part of any': 642330, 'besmart news quarantinelife': 127542, 'news quarantinelife stayconnected': 560724, 'much oil': 545203, '19 worry me': 12207, 'worry me but': 1010744, 'me but not': 522536, 'but not much': 146546, 'not much oil': 570611, 'much oil price': 545204, 'syop': 831027, 'thise': 891630, 'yall want': 1014102, 'to syop': 916113, 'syop the': 831028, 'any long': 79427, 'start coughing': 794268, 'coughing randomly': 208742, 'randomly near': 696649, 'like said': 491118, 'it thise': 461657, 'thise idiot': 891631, 'idiot standing': 413590, 'line hoarding': 493173, 'one causing': 606056, 'most spread': 542765, 'spread quarantinelife': 790761, 'yall want to': 1014103, 'want to syop': 966139, 'to syop the': 916114, 'syop the spread': 831029, 'to any long': 900607, 'any long line': 79428, 'supermarket and just': 819010, 'just start coughing': 469870, 'start coughing randomly': 794269, 'coughing randomly near': 208743, 'randomly near them': 696650, 'near them like': 553617, 'them like said': 875989, 'like said it': 491119, 'said it thise': 731168, 'it thise idiot': 461658, 'thise idiot standing': 891632, 'idiot standing in': 413591, 'in line hoarding': 424756, 'line hoarding are': 493174, 'hoarding are the': 399196, 'the one causing': 862194, 'one causing the': 606057, 'causing the most': 168118, 'the most spread': 861039, 'most spread quarantinelife': 542766, 'morning stand': 541458, 'huge row': 410181, 'pay billion': 644786, 'it shareholder': 461009, 'shareholder in': 755474, 'special dividend': 787897, 'dividend following': 248620, 'malaysia mp': 511624, 'in rage': 427237, 'rage over': 695546, 'the 700m': 848185, '700m tax': 21925, 'break tesco': 138797, 'tesco will': 838851, 'good morning stand': 357412, 'morning stand by': 541459, 'stand by for': 793502, 'by for huge': 152622, 'for huge row': 322434, 'huge row over': 410182, 'row over the': 726582, 'plan to pay': 658305, 'to pay billion': 911519, 'pay billion to': 644787, 'billion to it': 130927, 'to it shareholder': 908612, 'it shareholder in': 461010, 'shareholder in special': 755475, 'in special dividend': 428189, 'special dividend following': 787898, 'dividend following the': 248621, 'following the sale': 312906, 'sale of it': 732397, 'store in thailand': 808400, 'in thailand and': 428899, 'and malaysia mp': 66605, 'malaysia mp are': 511625, 'mp are already': 544241, 'already in rage': 47473, 'in rage over': 427238, 'rage over the': 695547, 'over the 700m': 630692, 'the 700m tax': 848186, '700m tax break': 21926, 'tax break tesco': 834944, 'break tesco will': 138798, 'tesco will get': 838852, 'skimmer': 773031, 'lurk': 506836, 'the skimmer': 867305, 'skimmer close': 773032, 'for credit': 320448, 'card skimmer': 163641, 'skimmer on': 773034, 'pump amp': 689020, 'atm but': 101919, 'now lurk': 575264, 'lurk on': 506837, 'the skimmer close': 867306, 'skimmer close to': 773033, 'to home you': 907941, 'home you ve': 402589, 've been warned': 952957, 'warned to look': 967047, 'look for credit': 502355, 'for credit card': 320449, 'credit card skimmer': 216349, 'card skimmer on': 163642, 'skimmer on gas': 773035, 'on gas pump': 601071, 'gas pump amp': 344071, 'pump amp atm': 689021, 'amp atm but': 53419, 'atm but now': 101920, 'but now lurk': 146609, 'now lurk on': 575265, 'lurk on the': 506838, 'on the for': 604127, 'the for shopping': 855671, 'place order for': 657634, 'sk': 772843, 'this session': 890055, 'session again': 753264, 'at sk': 100541, 'sk registration': 772844, 'registration detail': 707676, 'consumer direct': 197207, 'direct food': 243326, 'are offering this': 88682, 'offering this session': 595298, 'this session again': 890056, 'session again on': 753265, 'again on thursday': 37096, '26 at sk': 16153, 'at sk registration': 100542, 'sk registration detail': 772845, 'registration detail are': 707677, 'detail are the': 239159, 'same consumer direct': 733006, 'consumer direct food': 197208, 'direct food delivery': 243327, 'delivery service during': 234434, 'pandemic what you': 636975, 'about food safety': 25261, 'safety and personal': 730458, 'ondoor': 605842, 'possible there': 665820, 'few indoor': 303879, 'indoor store': 435366, 'are authorized': 84699, 'authorized to': 103839, 'be ondoor': 116219, 'ondoor store': 605843, 'store nearby': 809043, 'is possible there': 450952, 'possible there are': 665821, 'only few indoor': 610436, 'few indoor store': 303880, 'indoor store that': 435367, 'that are authorized': 842718, 'are authorized to': 84700, 'authorized to open': 103841, 'to open it': 910993, 'open it is': 612340, 'is because there': 446022, 'because there might': 119673, 'might be ondoor': 530921, 'be ondoor store': 116220, 'ondoor store nearby': 605844, 'dispiriting': 246174, 'atm every': 101927, 'single shift': 771395, 'shift faced': 758284, 'with emptiness': 998214, 'emptiness not': 274722, 'but inside': 146058, 'public continue': 687935, 'food ignore': 314898, 'ignore advice': 415810, 'advice spread': 33506, 'coming feel': 188043, 'feel unreal': 302911, 'unreal dispiriting': 943290, 'dispiriting depressing': 246175, 'depressing good': 237611, 'atm every single': 101928, 'every single shift': 286191, 'single shift faced': 771396, 'shift faced with': 758285, 'faced with emptiness': 295041, 'with emptiness not': 998215, 'emptiness not just': 274723, 'just the shelf': 470011, 'shelf but inside': 756901, 'but inside the': 146059, 'inside the public': 439418, 'the public continue': 864797, 'public continue to': 687936, 'buy food ignore': 148654, 'food ignore advice': 314899, 'ignore advice spread': 415812, 'advice spread this': 33507, 'this virus knowing': 891014, 'virus knowing what': 958445, 'knowing what is': 477148, 'is coming feel': 446655, 'coming feel unreal': 188044, 'feel unreal dispiriting': 302912, 'unreal dispiriting depressing': 943291, 'dispiriting depressing good': 246176, 'depressing good luck': 237612, 'good luck everyone': 357353, 'luck everyone staysafe': 506451, 'sad so': 729235, 'it sad so': 460829, 'sad so sad': 729236, 'so sad it': 778140, 'artforheroes donate': 94207, 'buy art': 148369, 'charitable organisation': 173548, 'organisation hero': 619269, 'hero supporting': 394100, 'supporting welfare': 827231, 'artforheroes donate any': 94208, 'donate any amount': 254157, 'to buy art': 902181, 'buy art at': 148370, 'sale to charitable': 732584, 'to charitable organisation': 902648, 'charitable organisation hero': 173549, 'organisation hero supporting': 619270, 'hero supporting welfare': 394101, 'supporting welfare wellbeing': 827232, 'deserve help': 238064, 'they deserve help': 881895, 'europe to': 283520, 'to unite': 917945, 'in singing': 427976, 'singing of': 771220, 'of liverpool': 585903, 'liverpool anthem': 496237, 'anthem you': 78236, 'show coronavirus': 766904, 'coronavirus togetherness': 206951, 'togetherness youllneverwalkalone': 921082, 'youllneverwalkalone ynwa': 1022552, 'europe to unite': 283521, 'to unite in': 917946, 'unite in singing': 942127, 'in singing of': 427977, 'singing of liverpool': 771221, 'of liverpool anthem': 585904, 'liverpool anthem you': 496238, 'anthem you ll': 78237, 'll never walk': 496924, 'never walk alone': 558259, 'walk alone to': 964733, 'alone to show': 46930, 'to show coronavirus': 914555, 'show coronavirus togetherness': 766905, 'coronavirus togetherness youllneverwalkalone': 206952, 'togetherness youllneverwalkalone ynwa': 921083, 'youllneverwalkalone ynwa afterhours': 1022553, 'ftc issue': 339415, 'issue warning': 455989, 'letter regarding': 487339, 'regarding unsupported': 707307, 'unsupported covid': 943575, 'protection review': 685595, 'fda ftc issue': 300860, 'ftc issue warning': 339416, 'issue warning letter': 455991, 'warning letter regarding': 967145, 'letter regarding unsupported': 487340, 'regarding unsupported covid': 707308, 'unsupported covid 19': 943576, '19 claim consumer': 5827, 'claim consumer protection': 179713, 'consumer protection review': 198558, 'energy fellow': 276456, 'fellow wa': 303344, 'he point': 385299, 'that oil': 845472, 'while highlighting': 986918, 'on indian': 601555, 'indian market': 434855, 'our energy fellow': 622906, 'energy fellow wa': 276457, 'fellow wa quoted': 303345, 'quoted in he': 695017, 'in he point': 423596, 'he point out': 385300, 'out that oil': 627330, 'that oil price': 845473, 'slowdown in economic': 774449, 'economic activity due': 266958, 'to while highlighting': 918562, 'while highlighting the': 986919, 'highlighting the current': 396021, 'current impact of': 221231, 'price on indian': 675684, 'on indian market': 601557, 'bern': 127360, 'steakhouse': 799166, 'wow bern': 1012542, 'bern steakhouse': 127361, 'steakhouse price': 799167, 'price tampa': 676754, 'wow bern steakhouse': 1012543, 'bern steakhouse price': 127362, 'steakhouse price tampa': 799168, 'gov justice': 359621, 'worker wv': 1008304, 'gov justice we': 359622, 'to recognize the': 912959, 'recognize the hero': 704654, 'in our grocery': 426299, 'store worker wv': 811629, 'worker wv wvgov': 1008305, 'perfect plan': 651325, 'your perfect plan': 1025250, 'perfect plan on': 651326, 'check the amp': 174644, 'the amp to': 848664, 'amp to see': 54715, 'guard for': 367798, 'country wheel': 211213, 'turning stepping': 935953, 'to our medical': 911211, 'driver and national': 259420, 'and national guard': 67430, 'national guard for': 552523, 'guard for keeping': 367799, 'for keeping our': 322815, 'our country wheel': 622606, 'country wheel turning': 211214, 'wheel turning stepping': 983057, 'turning stepping up': 935954, 'to the call': 916541, 'the call of': 850286, 'of duty during': 582884, 'duty during this': 263570, 'this outbreak we': 889335, 'outbreak we could': 628795, 'could not do': 209439, 'not do this': 569071, 'do this without': 250373, 'enough hour': 277476, 'marketing impact': 517618, 'assessment medium': 96392, 'landscape consumer': 479396, 'thought piece': 893179, 'day especially': 227560, 'you multiply': 1019904, '50 country': 19659, 'so suppose': 778319, 'suppose won': 827336, 'not enough hour': 569183, 'enough hour in': 277477, 'hour in month': 405691, 'in month to': 425424, 'month to read': 538087, 'to read all': 912821, '19 marketing impact': 8563, 'marketing impact assessment': 517619, 'impact assessment medium': 417572, 'assessment medium landscape': 96393, 'medium landscape consumer': 527166, 'landscape consumer trend': 479397, 'trend and thought': 931275, 'and thought piece': 74053, 'thought piece made': 893180, 'piece made every': 656323, 'made every day': 507728, 'every day especially': 285803, 'day especially if': 227561, 'if you multiply': 415478, 'you multiply by': 1019905, 'multiply by 50': 545830, 'by 50 country': 151662, '50 country so': 19660, 'country so suppose': 211065, 'so suppose won': 778320, 'jm': 465561, 'citizen deal': 178883, 'ease their': 265111, 'fear shopping': 301320, 'reserved exclusively': 714126, 'coronacrisis coronastopkarona': 204580, 'coronastopkarona fridaythoughts': 205279, 'fridaythoughts jm': 333356, 'jm nba': 465562, 'senior citizen deal': 750251, 'citizen deal with': 178884, 'with anxiety about': 997267, 'the coronavirus grocery': 851860, 'other retailer have': 620854, 'retailer have come': 719179, 'way to ease': 970021, 'to ease their': 904856, 'ease their fear': 265112, 'their fear shopping': 873301, 'fear shopping time': 301321, 'shopping time reserved': 764147, 'time reserved exclusively': 897574, 'reserved exclusively for': 714127, 'exclusively for them': 289723, 'for them coronacrisis': 326895, 'them coronacrisis coronastopkarona': 875557, 'coronacrisis coronastopkarona fridaythoughts': 204581, 'coronastopkarona fridaythoughts jm': 205280, 'fridaythoughts jm nba': 333357, 'the plug': 863854, 'plug in': 661219, 'the jug': 858702, 'jug on': 467708, '20 joke': 13116, 'clothes on and': 184184, 'on and march': 599361, 'and march 19': 66688, 'march 19 keep': 515115, '19 keep the': 8218, 'keep the plug': 472061, 'the plug in': 863855, 'plug in the': 661220, 'in the jug': 429297, 'the jug on': 858703, 'jug on facebook': 467709, 'facebook march 20': 294962, 'march 20 joke': 515133, 'cvnts': 223877, 'the cvnts': 852758, 'cvnts hiking': 223878, 'both toilet': 136080, 'all the cvnts': 44710, 'the cvnts hiking': 852759, 'cvnts hiking price': 223879, 'price on both': 675656, 'on both toilet': 599680, 'both toilet roll': 136081, 'roll and paracetamol': 725184, 'digitalads': 242686, 'digitalillustration': 242723, 'digitaldesigns': 242708, 'celheinstinodesigns': 168927, 'peak we': 646115, 'covered get': 212414, 'get digital': 346878, 'digital ad': 242495, 'ad design': 31088, 'design at': 238218, 'digital today': 242662, 'today digitalads': 919447, 'digitalads digitalillustration': 242687, 'digitalillustration digitaldesigns': 242724, 'digitaldesigns celheinstinodesigns': 242709, 'celheinstinodesigns socialmedia': 168928, 'isolation at it': 455209, 'it peak we': 460287, 'peak we got': 646116, 'you covered get': 1018116, 'covered get online': 212415, 'get online get': 347708, 'online get digital': 608292, 'get digital ad': 346879, 'digital ad design': 242496, 'ad design at': 31089, 'design at affordable': 238219, 'affordable price go': 34879, 'price go digital': 674202, 'go digital today': 353464, 'digital today digitalads': 242663, 'today digitalads digitalillustration': 919448, 'digitalads digitalillustration digitaldesigns': 242688, 'digitalillustration digitaldesigns celheinstinodesigns': 242725, 'digitaldesigns celheinstinodesigns socialmedia': 242710, 'distancing gov': 247178, 'gov say': 359687, 'say keep': 738877, 'or foot': 615358, 'apart go': 81282, 'other trying': 621148, 'pay go': 644917, 'go figure': 353533, 'out corvid19uk': 625905, 'corvid19uk socialdistanacing': 207760, 'don get social': 253544, 'social distancing gov': 779622, 'distancing gov say': 247179, 'gov say keep': 359688, 'say keep meter': 738878, 'keep meter or': 471661, 'meter or foot': 529733, 'or foot apart': 615359, 'foot apart go': 318344, 'apart go to': 81283, 'to supermarket everyone': 915794, 'supermarket everyone is': 820234, 'everyone is on': 287092, 'is on top': 450489, 'top of each': 925634, 'each other trying': 264229, 'other trying to': 621149, 'to pay go': 911531, 'pay go figure': 644918, 'go figure that': 353534, 'figure that out': 305241, 'that out corvid19uk': 845604, 'out corvid19uk socialdistanacing': 625906, 'huang': 409779, 'china producer': 176891, 'producer now': 680665, 'restore capacity': 717048, 'ahead but': 39141, 'pandemic slowing': 636487, 'demand worldwide': 236520, 'recovery remain': 705393, 'remain uncertain': 709895, 'uncertain read': 939606, 'read huang': 700366, 'huang quick': 409780, 'after the massive': 36333, 'massive economic damage': 520020, 'economic damage caused': 267043, 'caused by 19': 167825, 'by 19 china': 151564, '19 china producer': 5795, 'china producer now': 176892, 'producer now hope': 680666, 'now hope to': 574949, 'hope to restore': 403743, 'to restore capacity': 913419, 'restore capacity in': 717049, 'capacity in the': 162533, 'week ahead but': 975870, 'ahead but with': 39142, 'the pandemic slowing': 863098, 'pandemic slowing consumer': 636488, 'consumer demand worldwide': 197177, 'demand worldwide the': 236522, 'worldwide the prospect': 1010428, 'the prospect for': 864697, 'prospect for recovery': 684679, 'for recovery remain': 325035, 'recovery remain uncertain': 705394, 'remain uncertain read': 709896, 'uncertain read huang': 939607, 'read huang quick': 700367, 'huang quick take': 409781, 'equitably': 279903, 'can distribute': 158081, 'test equitably': 838985, 'equitably too': 279904, 'only wa in': 611425, 'wa in position': 962381, 'store can manage': 806858, 'can manage to': 158969, 'manage to ration': 512467, 'we can distribute': 970933, 'can distribute covid': 158083, '19 test equitably': 11072, 'test equitably too': 838986, 'coronago': 204963, 'corona warrior': 204382, 'warrior community': 967364, 'community engagement': 189833, 'engagement application': 276890, 'application is': 82470, 'anxiety prevailing': 78779, 'prevailing among': 671543, 'socialdistancing coronago': 780291, 'coronago is': 204965, 'another app': 77495, 'and reward': 70496, 'reward people': 720787, 'shopping coupon': 762410, 'coupon based': 211747, 'their proximity': 874504, 'corona warrior community': 204383, 'warrior community engagement': 967365, 'community engagement application': 189834, 'engagement application is': 276891, 'application is aiming': 82471, 'aiming to curb': 39583, 'curb panic and': 220568, 'and anxiety prevailing': 58204, 'anxiety prevailing among': 78780, 'prevailing among people': 671544, 'among people due': 53049, 'pandemic and socialdistancing': 634904, 'and socialdistancing coronago': 71905, 'socialdistancing coronago is': 780292, 'coronago is yet': 204966, 'yet another app': 1015990, 'another app for': 77496, 'app for socialdistancing': 81711, 'for socialdistancing and': 325708, 'socialdistancing and reward': 780216, 'and reward people': 70497, 'reward people with': 720788, 'people with online': 650466, 'online shopping coupon': 609080, 'shopping coupon based': 762411, 'coupon based on': 211748, 'on their proximity': 604503, 'of pantry': 587752, 'delay plan': 232739, 'for remodels': 325107, 'store traffic and': 810931, 'sale of pantry': 732403, 'of pantry staple': 587753, 'pantry staple are': 639670, 'staple are up': 793911, 'across the chain': 29487, 'the chain but': 850629, 'led to delay': 485276, 'to delay plan': 904085, 'delay plan for': 232740, 'plan for remodels': 658122, 'for remodels and': 325108, 'remodels and new': 710680, 'and new store': 67560, 'new store grocery': 559666, 'lysozyme': 507215, 'sanitizer anywhere': 734472, 'anywhere but': 81094, 'worry had': 1010719, 'been cry': 120907, 'night so': 563078, 'so presumably': 778069, 'presumably we': 671298, 've huge': 953269, 'of tear': 590620, 'perhaps gonna': 651591, 'gonna extract': 356519, 'extract those': 293712, 'those tear': 892521, 'tear into': 835952, 'into lysozyme': 442729, 'lysozyme based': 507216, 'hand sanitizer anywhere': 375305, 'sanitizer anywhere but': 734473, 'anywhere but don': 81095, 'don worry had': 254081, 'worry had been': 1010720, 'had been cry': 372888, 'been cry all': 120908, 'cry all night': 219845, 'all night so': 43643, 'night so presumably': 563079, 'so presumably we': 778070, 'presumably we ve': 671299, 'we ve huge': 973678, 've huge stock': 953270, 'huge stock pile': 410213, 'pile of tear': 656509, 'of tear at': 590621, 'tear at home': 835932, 'home perhaps gonna': 401843, 'perhaps gonna extract': 651592, 'gonna extract those': 356520, 'extract those tear': 293713, 'those tear into': 892522, 'tear into lysozyme': 835953, 'into lysozyme based': 442730, 'chinesecommunistparty': 177401, 'party came': 642980, 'house last': 406390, 'night just': 563020, 'toiletpaper chinesecommunistparty': 921857, 'the chinese communist': 850846, 'communist party came': 189676, 'party came to': 642981, 'came to my': 157068, 'my house last': 548734, 'house last night': 406391, 'last night just': 480380, 'night just to': 563021, 'just to rub': 470103, 'to rub it': 913651, 'it in toiletpaper': 458751, 'in toiletpaper chinesecommunistparty': 430177, 'support older': 826700, 'period know': 651811, 'item more': 463460, 'can support older': 159859, 'support older adult': 826701, 'older adult during': 598564, 'adult during this': 32819, '19 period know': 9646, 'period know what': 651812, 'is taking have': 452544, 'taking have extra': 833381, 'monitor food amp': 537284, 'amp other medical': 54243, 'food item more': 315216, 'item more at': 463461, 'who stockpile': 989689, 'stockpile thing': 803806, 'like calpol': 489952, 'calpol hope': 156911, 'bottle stashed': 136324, 'stashed in': 795307, 'cupboard unused': 220497, 'unused while': 943979, 'any for': 79244, 'who bulk': 988348, 'people who stockpile': 650343, 'who stockpile thing': 989691, 'stockpile thing like': 803807, 'thing like calpol': 884537, 'like calpol hope': 489953, 'calpol hope you': 156912, 'hope you feel': 403796, 'you feel good': 1018537, 'feel good with': 302650, 'good with bottle': 357967, 'with bottle stashed': 997460, 'bottle stashed in': 136325, 'stashed in your': 795308, 'your cupboard unused': 1023392, 'cupboard unused while': 220498, 'unused while others': 943980, 'who need some': 989324, 'need some can': 555587, 'some can get': 782472, 'get any for': 346574, 'any for those': 79245, 'those who bulk': 892615, 'who bulk buy': 988349, 'and sell on': 71217, 'sell on online': 748826, 'on online for': 602520, 'online for ridiculous': 608238, 'ridiculous price have': 721589, 'price have no': 674440, 'have no word': 381666, 'packed many': 633625, 'many violate': 514852, 'violate social': 957482, 'farmer market still': 299455, 'market still packed': 517121, 'still packed many': 801016, 'packed many violate': 633626, 'many violate social': 514853, 'violate social distancing': 957483, 'bestbuy limit': 128019, 'customer walmart': 223036, 'and homedepot': 64690, 'homedepot shorten': 402687, 'shorten hour': 765329, 'hour retailer': 405891, 'brickandmortar bigbox': 139597, 'bigbox retail': 130129, 'bestbuy limit store': 128020, 'limit store customer': 492503, 'store customer walmart': 807252, 'customer walmart and': 223037, 'walmart and homedepot': 965277, 'and homedepot shorten': 64691, 'homedepot shorten hour': 402688, 'shorten hour retailer': 765330, 'hour retailer adjust': 405892, 'retailer adjust to': 718947, 'adjust to brickandmortar': 32295, 'to brickandmortar bigbox': 902019, 'brickandmortar bigbox retail': 139598, 'bigbox retail pandemic': 130130, 'psyching': 687506, 'front room': 338661, 'room psyching': 725954, 'psyching myself': 687507, 'myself up': 550964, 'beat my': 118533, 'anxiety oh': 78763, 'dark but': 225955, 'my sunglass': 550263, 'ok so now': 597887, 'the front room': 855853, 'front room psyching': 338662, 'room psyching myself': 725955, 'psyching myself up': 687508, 'myself up to': 550965, 'do the fuck': 250244, 'the fuck it': 855969, 'fuck it approach': 339597, 'approach to beat': 82980, 'to beat my': 901656, 'beat my anxiety': 118534, 'my anxiety oh': 547278, 'anxiety oh it': 78764, 'oh it dark': 596411, 'it dark but': 457466, 'dark but what': 225956, 'what about my': 980982, 'about my sunglass': 25772, 'guy ripping': 369127, 'why man': 991181, 'heard you guy': 388174, 'you guy ripping': 1018971, 'guy ripping people': 369128, 'off with high': 594397, 'price why man': 677541, 'why man if': 991182, 'man if covid': 512105, 'agenda2030': 38127, 'basically spell': 112162, 'spell it': 788520, 'for frequency': 321752, 'frequency kill': 332807, 'kill they': 474532, 'they destroy': 881908, 'destroy our': 239026, 'toxic human': 927645, 'human would': 410662, 'sick much': 768518, 'damn frequency': 225351, 'frequency in': 332805, 'air agenda2030': 39676, 'agenda2030 socialdistancing': 38128, 'are causing the': 85209, 'causing the they': 168124, 'the they basically': 869434, 'they basically spell': 881525, 'basically spell it': 112163, 'spell it out': 788521, 'it out for': 460181, 'out for frequency': 626123, 'for frequency kill': 321753, 'frequency kill they': 332808, 'kill they destroy': 474533, 'they destroy our': 881909, 'destroy our cell': 239027, 'cell and make': 168942, 'make them toxic': 510617, 'them toxic human': 876546, 'toxic human would': 927646, 'human would not': 410663, 'would not get': 1012076, 'not get sick': 569606, 'get sick much': 347997, 'sick much at': 768519, 'at all if': 97886, 'all if we': 43182, 'if we didn': 415275, 'didn have all': 241083, 'have all these': 379170, 'all these damn': 45030, 'these damn frequency': 879853, 'damn frequency in': 225352, 'frequency in our': 332806, 'in our air': 426258, 'our air agenda2030': 622045, 'air agenda2030 socialdistancing': 39677, 'agenda2030 socialdistancing toiletpaper': 38129, 'and easing': 61854, 'easing people': 265269, 'mind by': 532641, 'some normalcy': 783359, 'normalcy and': 567431, 'with panicked': 1000089, 'healthy unsung': 387799, 'hero panicbuying': 394066, 'you to local': 1021800, 'worker for keeping': 1006969, 'stocked and easing': 803261, 'and easing people': 61855, 'easing people mind': 265270, 'people mind by': 648773, 'mind by giving': 532642, 'by giving some': 152691, 'giving some normalcy': 351393, 'some normalcy and': 783360, 'normalcy and being': 567432, 'and being patient': 58866, 'being patient with': 125538, 'patient with panicked': 644313, 'with panicked shopper': 1000090, 'panicked shopper stay': 639290, 'shopper stay safe': 761709, 'stay healthy unsung': 796925, 'healthy unsung hero': 387800, 'unsung hero panicbuying': 943559, 'fitting the': 309567, 'affecting both': 34491, 'demand re': 236106, 're supply': 699635, 'supply country': 825115, 'country reliant': 210995, 'on imported': 601515, 'imported food': 419173, 'may well': 521610, 'well prioritize': 978507, 'prioritize local': 678446, 'production result': 682201, 'even domestic': 284017, 'domestic level': 253202, 'term challenge': 838087, 'challenge getting': 171471, 'and labour': 65921, 'fitting the covid': 309568, 'is affecting both': 445381, 'affecting both food': 34492, 'both food supply': 135908, 'food demand re': 314175, 'demand re supply': 236107, 're supply country': 699636, 'supply country reliant': 825116, 'country reliant on': 210996, 'reliant on imported': 709256, 'on imported food': 601516, 'imported food may': 419174, 'food may well': 315419, 'may well prioritize': 521612, 'well prioritize local': 978508, 'prioritize local production': 678447, 'local production result': 498306, 'production result but': 682202, 'result but even': 717489, 'but even domestic': 145667, 'even domestic level': 284018, 'domestic level there': 253203, 'level there are': 487730, 'there are short': 878159, 'are short term': 90071, 'short term challenge': 764727, 'term challenge getting': 838088, 'challenge getting food': 171472, 'food to market': 317271, 'market and labour': 515972, 'and labour shortage': 65922, 'monday may': 536323, 'may your': 521624, 'mind be': 532621, 'of creativity': 582124, 'creativity your': 216229, 'your calendar': 1023101, 'calendar full': 155391, 'of project': 588530, 'project and': 683471, 'toiletpaper thestruggleisreal': 922605, 'happy monday may': 377656, 'monday may your': 536324, 'may your mind': 521626, 'your mind be': 1024831, 'mind be full': 532622, 'full of creativity': 340711, 'of creativity your': 582126, 'creativity your calendar': 216230, 'your calendar full': 1023103, 'calendar full of': 155392, 'full of project': 340751, 'of project and': 588531, 'project and your': 683473, 'and your home': 76077, 'home stocked with': 402153, 'stocked with toiletpaper': 803470, 'with toiletpaper thestruggleisreal': 1001810, 'supercomputer': 818640, 'supercomputer model': 818641, 'not encouraging': 569165, 'encouraging 19': 275710, 'supercomputer model show': 818642, 'it not encouraging': 459871, 'not encouraging 19': 569166, 'encouraging 19 via': 275711, 'gloving': 353068, 'high income': 395136, 'income yet': 432507, 'there ensuring': 878362, 'ensuring people': 278181, 'start masking': 794390, 'masking and': 519645, 'and gloving': 63755, 'gloving up': 353069, 'up though': 946293, 'though your': 892950, 'supermarket worker out': 824064, 'out there your': 627531, 'there your not': 879395, 'your not on': 1025043, 'not on high': 570748, 'on high income': 601297, 'high income yet': 395137, 'income yet still': 432508, 'yet still out': 1016246, 'out there ensuring': 627478, 'there ensuring people': 878363, 'ensuring people can': 278182, 'please start masking': 660539, 'start masking and': 794391, 'masking and gloving': 519646, 'and gloving up': 63756, 'gloving up though': 353070, 'up though your': 946294, 'though your life': 892951, 'indiana keep up': 434921, 'good work and': 357976, 'work and help': 1004780, 'lme': 497175, 'decline for': 231329, 'for lme': 323031, 'lme base': 497176, 'pandemic copper': 635219, 'copper down': 203425, 'down 22': 256393, '22 since': 15246, 'steep decline for': 799381, 'decline for lme': 231330, 'for lme base': 323032, 'lme base metal': 497177, 'metal price amid': 529646, 'amid pandemic copper': 52570, 'pandemic copper down': 635220, 'copper down 22': 203426, 'down 22 since': 256394, '22 since jan': 15247, 'anderson township': 76142, 'township mother': 927619, 'mother us': 543193, 'us facebook': 948515, 'people create': 647578, 'create sanitizer': 215730, 'wipe foxnews': 996272, 'anderson township mother': 76143, 'township mother us': 927620, 'mother us facebook': 543194, 'us facebook to': 948516, 'facebook to help': 295001, 'help people create': 390288, 'people create sanitizer': 647579, 'create sanitizer wipe': 215731, 'sanitizer wipe foxnews': 736117, 'overdose': 631169, 'lockdownnigeria': 500328, 'of lemon': 585774, 'ginger are': 350186, 'that lemon': 844868, 'ginger cure': 350195, 'cure infection': 220757, 'infection biko': 436721, 'biko do': 130443, 'harm yourself': 378428, 'an overdose': 56748, 'overdose of': 631170, 'lemon or': 486189, 'or ginger': 615454, 'ginger misinformation': 350207, 'misinformation can': 534064, 'can cost': 158005, 'health lockdownnigeria': 386617, 'lockdownnigeria socialdistancing': 500330, 'price of lemon': 675486, 'of lemon and': 585775, 'and ginger are': 63653, 'ginger are going': 350187, 'going up who': 355798, 'up who started': 946605, 'who started this': 989660, 'started this story': 794862, 'this story that': 890367, 'story that lemon': 812128, 'that lemon and': 844869, 'and ginger cure': 63654, 'ginger cure infection': 350196, 'cure infection biko': 220758, 'infection biko do': 436722, 'biko do not': 130444, 'not harm yourself': 569803, 'harm yourself with': 378429, 'yourself with an': 1026761, 'with an overdose': 997227, 'an overdose of': 56749, 'overdose of lemon': 631171, 'of lemon or': 585776, 'lemon or ginger': 486190, 'or ginger misinformation': 615455, 'ginger misinformation can': 350208, 'misinformation can cost': 534065, 'can cost you': 158006, 'you your health': 1022497, 'your health lockdownnigeria': 1024278, 'health lockdownnigeria socialdistancing': 386618, 'least those': 484664, 'socialdistancing let': 780488, 'let flattenthecuve': 486724, 'flattenthecuve together': 310223, 'let thank all': 487110, 'employee pharmacist and': 274113, 'pharmacist and last': 654113, 'last but certainly': 480128, 'but certainly not': 145405, 'certainly not least': 170172, 'not least those': 570344, 'least those taking': 484665, 'those taking the': 892517, 'taking the necessary': 833593, 'precaution to practice': 669385, 'practice socialdistancing let': 668659, 'socialdistancing let flattenthecuve': 780489, 'let flattenthecuve together': 486725, 'socialdistancing grocery': 780386, 'socialdistancing grocery store': 780387, 'gorey': 358319, 'another video': 77937, 'the dinosaur': 853300, 'dinosaur shopping': 243138, 'in gorey': 423381, 'gorey during': 358320, 'outbreak emerges': 628189, 'emerges online': 273093, 'another video of': 77938, 'of the dinosaur': 590953, 'the dinosaur shopping': 853301, 'dinosaur shopping in': 243139, 'shopping in gorey': 762967, 'in gorey during': 423382, 'gorey during covid': 358321, '19 outbreak emerges': 9118, 'outbreak emerges online': 628190, 'health mutahi': 386655, 'kagwe urge': 470639, 'urge any': 948161, 'spread covid19': 790495, 'covid19 be': 214270, 'health mutahi kagwe': 386656, 'mutahi kagwe urge': 547052, 'kagwe urge any': 470640, 'urge any person': 948162, 'or open air': 616399, 'air market to': 39761, 'market to put': 517240, 'put on mask': 690722, 'on mask to': 602048, 'protect and prevent': 684782, 'the spread covid19': 867623, 'spread covid19 be': 790496, 'covid19 be safe': 214271, 'several retail': 753931, 'retail opportunity': 718360, 'our jobsite': 623602, 'jobsite including': 466363, 'including shelf': 432143, 'stacker across': 792000, 'search our': 743279, 'jobsite here': 466362, 'these crazy time': 879826, 'crazy time ha': 215451, 'time ha several': 896884, 'ha several retail': 371878, 'several retail opportunity': 753932, 'retail opportunity on': 718361, 'opportunity on our': 613665, 'on our jobsite': 602609, 'our jobsite including': 623604, 'jobsite including shelf': 466364, 'including shelf stacker': 432144, 'shelf stacker across': 757552, 'stacker across the': 792001, 'across the search': 29521, 'the search our': 866558, 'search our jobsite': 743280, 'our jobsite here': 623603, 'madeintoronto': 508099, 'madeincanada': 508092, 'sending shipment': 750085, 'our hometown': 623459, 'hometown the': 402999, 'at staysafe': 100640, 'staysafe wereinthistogether': 798957, 'wereinthistogether flattenthecurve': 980383, 'washyourhands stayhome': 967915, 'stayhome the6ix': 798203, 'the6ix madeintoronto': 872233, 'madeintoronto madeincanada': 508100, 'sending shipment of': 750086, 'shipment of our': 758767, 'of our hand': 587483, 'to our hometown': 911189, 'our hometown the': 623460, 'hometown the amazing': 403000, 'worker at staysafe': 1006477, 'at staysafe wereinthistogether': 100642, 'staysafe wereinthistogether flattenthecurve': 798958, 'wereinthistogether flattenthecurve socialdistancing': 980384, 'flattenthecurve socialdistancing washyourhands': 310203, 'socialdistancing washyourhands stayhome': 780856, 'washyourhands stayhome the6ix': 967916, 'stayhome the6ix madeintoronto': 798204, 'the6ix madeintoronto madeincanada': 872234, 'televise': 836847, 'bbc in': 113079, 'cheer up': 175123, 'up televise': 946132, 'televise report': 836848, 'customer instead': 222527, 'give negative': 350606, 'negative report': 556819, 'let have positive': 486774, 'have positive news': 382002, 'positive news from': 665374, 'from the bbc': 337612, 'the bbc in': 849364, 'bbc in the': 113080, '19 cheer up': 5787, 'cheer up televise': 175124, 'up televise report': 946133, 'televise report of': 836849, 'report of supermarket': 712127, 'of supermarket opening': 590436, 'supermarket opening for': 821780, 'opening for nh': 612834, 'worker and limiting': 1006309, 'and limiting purchase': 66191, 'purchase of food': 689579, 'food to per': 317280, 'per customer instead': 650777, 'customer instead of': 222528, 'instead of showing': 440320, 'of showing empty': 589699, 'not give negative': 569643, 'give negative report': 350607, 'credit are': 216311, 'to reckoning': 912949, 'reckoning consumer': 704580, 'bad do': 107829, 'without charging': 1002538, 'charging booze': 173459, 'booze food': 135161, 'household bill': 406744, 'pay everything': 644854, 'everything off': 287939, 'month if': 537779, 'reduce consumption': 705802, 'or increase': 615776, 'your wage': 1026297, 'wage fee': 963858, 'fee advice': 302132, 'generally worth': 345549, 'worth what': 1011460, 'folk who live': 312301, 'live on credit': 495952, 'on credit are': 600159, 'credit are coming': 216312, 'coming to reckoning': 188227, 'to reckoning consumer': 912950, 'reckoning consumer debt': 704581, 'debt is bad': 230509, 'is bad do': 445962, 'bad do without': 107830, 'do without charging': 250584, 'without charging booze': 1002539, 'charging booze food': 173460, 'booze food and': 135162, 'and household bill': 64780, 'household bill pay': 406745, 'bill pay everything': 130652, 'pay everything off': 644855, 'everything off every': 287940, 'off every month': 593804, 'every month if': 286022, 'month if you': 537780, 'you can reduce': 1017763, 'can reduce consumption': 159410, 'reduce consumption or': 705803, 'consumption or increase': 199926, 'or increase your': 615777, 'increase your wage': 433164, 'your wage fee': 1026298, 'wage fee advice': 963859, 'fee advice is': 302133, 'advice is generally': 33417, 'is generally worth': 448013, 'generally worth what': 345550, 'worth what you': 1011461, 'what you paid': 982686, 'finally stop': 306110, 'stop wondering': 805282, 'where bought': 984759, 'bought shirt': 136705, 'shirt when': 759029, 'online drunk': 608135, 'drunk in': 261219, 'night several': 563063, 'wa addressing': 961436, 'can finally stop': 158311, 'finally stop wondering': 306111, 'stop wondering how': 805283, 'wondering how that': 1004161, 'how that one': 408794, 'that one place': 845502, 'one place where': 606882, 'place where bought': 657833, 'where bought shirt': 984760, 'bought shirt when': 136706, 'shirt when wa': 759030, 'when wa shopping': 984407, 'wa shopping online': 963207, 'shopping online drunk': 763424, 'online drunk in': 608136, 'drunk in the': 261220, 'of the night': 591276, 'the night several': 861807, 'night several year': 563064, 'several year ago': 753973, 'year ago wa': 1014368, 'ago wa addressing': 38531, 'wa addressing the': 961437, 'several supermarket': 753939, 'them elderly': 875648, 'health customer': 386363, 'customer crowd': 222280, 'crowd their': 219267, 'panic grocery shopping': 638149, 'necessary and ha': 553951, 'ha put more': 371598, 'put more people': 690696, 'risk we talked': 724007, 'talked to several': 833946, 'to several supermarket': 914313, 'several supermarket employee': 753941, 'supermarket employee some': 820135, 'of them elderly': 591736, 'them elderly who': 875649, 'who are worried': 988261, 'own health customer': 632058, 'health customer crowd': 386364, 'customer crowd their': 222281, 'crowd their store': 219268, 'stateattorneysgeneral': 796118, 'latest notable': 481464, 'notable case': 572645, 'the stateattorneysgeneral': 867825, 'stateattorneysgeneral community': 796119, 'community click': 189786, 'the latest notable': 859132, 'latest notable case': 481465, 'notable case and': 572646, 'case and update': 165630, 'and update from': 74735, 'update from within': 946988, 'from within the': 338396, 'within the stateattorneysgeneral': 1002439, 'the stateattorneysgeneral community': 867826, 'stateattorneysgeneral community click': 796120, 'community click below': 189787, 'largest company': 479931, 'contacted customer': 200323, 'customer individually': 222516, 'individually to': 435304, 'dissuade them': 246611, 'stockpiling customer': 803935, 'customer selfishness': 222808, 'selfishness is': 748358, 'fast covid': 299939, 'local supermarket one': 498566, 'supermarket one of': 821754, 'the largest company': 858959, 'largest company in': 479933, 'which ha contacted': 985880, 'ha contacted customer': 370234, 'contacted customer individually': 200324, 'customer individually to': 222517, 'individually to dissuade': 435305, 'to dissuade them': 904429, 'dissuade them from': 246612, 'them from stockpiling': 875754, 'from stockpiling customer': 337426, 'stockpiling customer selfishness': 803936, 'customer selfishness is': 222809, 'selfishness is spreading': 748362, 'is spreading fast': 452191, 'spreading fast covid': 790968, 'fast covid 19': 299940, '19 please look': 9723, 'please look after': 660209, 'after your community': 36614, 'community and stop': 189725, 'forecast the': 328871, 'economic hit': 267120, 'china chicken': 176558, 'price economist': 673655, 'economist ha': 267560, 'ha analysis': 369550, 'expert are trying': 291788, 'trying to forecast': 934810, 'to forecast the': 906182, 'forecast the economic': 328872, 'the economic hit': 853906, 'economic hit from': 267121, 'hit from by': 398233, 'from by looking': 334786, 'looking at china': 502800, 'at china chicken': 98260, 'china chicken price': 176559, 'chicken price economist': 175845, 'price economist ha': 673656, 'economist ha analysis': 267561, 'it pitiful': 460331, 'pitiful that': 657023, 'money around': 536611, 'them floridashutdown': 875695, 'it pitiful that': 460332, 'pitiful that these': 657024, 'contaminated money around': 200662, 'money around all': 536612, 'all day taking': 42526, 'day taking it': 228454, 'it home with': 458619, 'home with them': 402541, 'with them floridashutdown': 1001611, 'them floridashutdown helpthehelpers': 875696, 'if zombie': 415616, 'apocalypse broke': 81514, 'out pandemic': 627007, 'pandemic start': 636529, 'instead buy': 440158, 'roll yous': 725614, 'quick stayhomesavelives': 694386, 'stayhomesavelives apocalypse': 798342, 'apocalypse 19': 81506, 'one thing the': 607234, 'thing the panic': 884836, 'buying ha taught': 150452, 'it that be': 461485, 'that be safe': 842947, 'be safe if': 116961, 'safe if zombie': 729764, 'if zombie apocalypse': 415617, 'zombie apocalypse broke': 1027690, 'apocalypse broke out': 81515, 'broke out pandemic': 140855, 'out pandemic start': 627008, 'pandemic start and': 636530, 'start and people': 794197, 'and people could': 68856, 'people could buy': 647555, 'could buy food': 208980, 'food but instead': 313816, 'but instead buy': 146064, 'instead buy toilet': 440159, 'toilet roll yous': 921620, 'roll yous are': 725615, 'yous are gonna': 1026835, 'are gonna die': 86915, 'gonna die so': 356509, 'die so quick': 241453, 'so quick stayhomesavelives': 778100, 'quick stayhomesavelives apocalypse': 694387, 'stayhomesavelives apocalypse 19': 798343, 'everything national': 287923, 'banned otherwise': 110590, 'be rid': 116883, 'closed everything national': 183105, 'everything national and': 287924, 'national and international': 552414, 'be banned otherwise': 113812, 'banned otherwise we': 110591, 'otherwise we will': 621887, 'week of just': 976621, 'of just shopping': 585575, 'just shopping and': 469784, 'and we would': 75337, 'would be rid': 1011641, 'be rid of': 116884, 'rid of it': 721390, 'avacados': 104099, 'crumb': 219730, 'made trip': 508043, 'the feed': 855090, 'chicken feed': 175783, 'feed did': 302296, 'some avacados': 782356, 'avacados and': 104100, 'bread crumb': 138441, 'crumb if': 219731, 'the grid': 856784, 'grid should': 363894, 'ever go': 285322, 'down humanity': 256845, 'is screwed': 451692, 'screwed your': 742833, 'your frozen': 1023985, 'pizza will': 657211, 'be toast': 117738, 'toast learn': 919063, 'made trip to': 508044, 'to the feed': 916706, 'the feed store': 855091, 'feed store to': 302372, 'on chicken feed': 599902, 'chicken feed did': 175784, 'feed did have': 302297, 'the the grocery': 869383, 'the grocery for': 856809, 'grocery for some': 364529, 'for some avacados': 325729, 'some avacados and': 782357, 'avacados and bread': 104101, 'and bread crumb': 59165, 'bread crumb if': 138442, 'crumb if the': 219732, 'if the grid': 414981, 'the grid should': 856785, 'grid should ever': 363895, 'should ever go': 765971, 'ever go down': 285323, 'go down humanity': 353490, 'down humanity is': 256846, 'humanity is screwed': 410746, 'is screwed your': 451694, 'screwed your frozen': 742834, 'your frozen pizza': 1023986, 'frozen pizza will': 339008, 'pizza will be': 657212, 'will be toast': 992731, 'be toast learn': 117739, 'toast learn to': 919064, 'consumer mobility': 198145, 'mobility shift': 535094, 'consumption habit': 199882, 'economic volatility': 267365, 'volatility with': 960100, 'dynamic situation': 263910, 'situation company': 772218, 'marketing move': 517654, 'move wisely': 543782, 'wisely to': 996721, 'either mitigate': 270331, 'mitigate downside': 534527, 'or capture': 614664, 'capture all': 162939, 'upside that': 947864, 'the is impacting': 858500, 'impacting consumer mobility': 418196, 'consumer mobility shift': 198146, 'mobility shift in': 535095, 'shift in medium': 758325, 'medium consumption habit': 527060, 'consumption habit and': 199883, 'habit and economic': 372551, 'and economic volatility': 61915, 'economic volatility with': 267366, 'volatility with this': 960101, 'with this dynamic': 1001694, 'this dynamic situation': 887323, 'dynamic situation company': 263911, 'situation company need': 772219, 'need to plan': 556010, 'plan their marketing': 658251, 'their marketing move': 873921, 'marketing move wisely': 517655, 'move wisely to': 543783, 'wisely to either': 996722, 'to either mitigate': 904961, 'either mitigate downside': 270332, 'mitigate downside risk': 534528, 'downside risk or': 257712, 'risk or capture': 723800, 'or capture all': 614665, 'capture all the': 162940, 'all the upside': 44965, 'the upside that': 870515, 'upside that possible': 947865, 'creedence': 216607, 'clearwater': 181594, 'hear fortunate': 387915, 'fortunate son': 329897, 'son by': 785359, 'by creedence': 152262, 'creedence clearwater': 216608, 'clearwater revival': 181595, 'distance getting': 246723, 'getting louder': 349103, 'louder is': 504495, 'this normal': 889163, 'normal convid19uk': 567120, 'supermarket can hear': 819503, 'can hear fortunate': 158598, 'hear fortunate son': 387916, 'fortunate son by': 329898, 'son by creedence': 785360, 'by creedence clearwater': 152263, 'creedence clearwater revival': 216609, 'clearwater revival in': 181596, 'revival in the': 720675, 'in the distance': 429138, 'the distance getting': 853420, 'distance getting louder': 246724, 'getting louder is': 349104, 'louder is this': 504496, 'is this normal': 453105, 'this normal convid19uk': 889164, 'coincide': 185653, 'pandemic had': 635578, 'had really': 373448, 'lot outside': 504337, 'apparently sale': 81996, 'tp coincide': 927780, 'coincide with': 185654, 'confidence the': 193961, 'family depending': 297741, 'meal really': 524267, 'be visited': 118020, 'visited family': 959470, 'poor need': 664228, 'this pandemic had': 889391, 'pandemic had really': 635579, 'had really exposed': 373449, 'exposed lot outside': 292859, 'lot outside the': 504338, 'outside the fact': 629591, 'fact that apparently': 295788, 'that apparently sale': 842698, 'apparently sale of': 81997, 'sale of tp': 732411, 'of tp coincide': 592362, 'tp coincide with': 927781, 'coincide with consumer': 185655, 'with consumer confidence': 997751, 'consumer confidence the': 196925, 'confidence the amount': 193962, 'amount of family': 53221, 'of family depending': 583402, 'family depending on': 297742, 'depending on meal': 237378, 'on meal really': 602079, 'meal really need': 524268, 'to be visited': 901626, 'be visited family': 118021, 'visited family and': 959471, 'working poor need': 1008878, 'poor need support': 664229, 'sadtimes': 729387, 'upsettingtimes': 947843, 'helpothers': 391617, 'offerhelp': 594992, 'buying seeing': 150991, 'seeing elderly': 746280, 'left struggling': 485650, 'upsetting stoppanicbuying': 947837, 'stoppanicbuying thinkofothers': 805653, 'thinkofothers sadtimes': 886047, 'sadtimes upsettingtimes': 729388, 'upsettingtimes helpothers': 947844, 'helpothers offerhelp': 391619, 'panic buying seeing': 637874, 'buying seeing elderly': 150992, 'seeing elderly people': 746281, 'elderly people upset': 270840, 'people upset because': 650057, 'upset because nothing': 947803, 'because nothing left': 119291, 'nothing left struggling': 573087, 'left struggling to': 485651, 'get stuff is': 348140, 'stuff is so': 815106, 'is so upsetting': 452044, 'so upsetting stoppanicbuying': 778618, 'upsetting stoppanicbuying thinkofothers': 947838, 'stoppanicbuying thinkofothers sadtimes': 805654, 'thinkofothers sadtimes upsettingtimes': 886048, 'sadtimes upsettingtimes helpothers': 729389, 'upsettingtimes helpothers offerhelp': 947845, 'all intended': 43235, 'owner buying': 632415, 'moment look': 535980, 'future with': 342529, 'with dread': 998135, 'but you and': 147976, 'you and will': 1017013, 'will not deal': 994204, 'deal with panicbuying': 229567, 'with panicbuying at': 1000087, 'panicbuying at all': 638904, 'at all intended': 97887, 'all intended to': 43236, 'intended to avoid': 441056, 'avoid but due': 105021, 'to hoarder and': 907890, 'hoarder and small': 398979, 'and small shop': 71782, 'small shop owner': 775115, 'shop owner buying': 760642, 'owner buying too': 632416, 'too much stock': 924944, 'much stock will': 545325, 'stock will have': 803195, 'shop at this': 759961, 'this moment look': 888876, 'moment look to': 535981, 'near future with': 553512, 'future with dread': 342530, 'with dread to': 998136, 'droppi': 260655, 'btc rcd': 141509, '2015 droppi': 13808, 'droppi read': 260656, 'btc rcd the': 141510, 'rcd the effect': 698110, 'since 2015 droppi': 770468, '2015 droppi read': 13809, 'droppi read more': 260657, 'closing many': 183688, 'urban and': 948093, 'and urban': 74751, 'area adjustment': 91918, 'adjustment of': 32379, 'our other': 624176, 'from 03': 334154, '18 we': 4596, 'customer healthy': 222455, 'help respond': 390442, 'we are temporarily': 970733, 'temporarily closing many': 837479, 'closing many retail': 183689, 'public in urban': 688103, 'in urban and': 430469, 'urban and urban': 948094, 'and urban area': 74752, 'urban area adjustment': 948097, 'area adjustment of': 91919, 'adjustment of retail': 32380, 'retail store opening': 718674, 'hour in our': 405692, 'in our other': 426323, 'our other store': 624179, 'other store from': 620985, 'store from 03': 807877, 'from 03 18': 334155, '03 18 we': 844, '18 we are': 4597, 'taking this action': 833614, 'this action to': 886191, 'keep our employee': 471731, 'and customer healthy': 60847, 'customer healthy and': 222456, 'healthy and to': 387533, 'to help respond': 907609, 'help respond to': 390443, 'increase in call': 432819, 'watched two': 968676, 'lot load': 504088, 'car pull': 163253, 'pull off': 688871, 'their latex': 873794, 'ground like': 366517, 'like two': 491685, 'two er': 936916, 'called it': 156359, 'family um': 298342, 'um pick': 939204, 'just watched two': 470247, 'watched two people': 968677, 'two people in': 937137, 'parking lot load': 642094, 'lot load up': 504089, 'load up their': 497305, 'their car pull': 872729, 'car pull off': 163254, 'pull off their': 688872, 'off their latex': 594290, 'their latex glove': 873795, 'latex glove and': 481615, 'glove and throw': 352583, 'throw them on': 895058, 'the ground like': 856850, 'ground like two': 366518, 'like two er': 491686, 'two er doctor': 936917, 'er doctor who': 280009, 'doctor who just': 251161, 'who just called': 989140, 'just called it': 468412, 'called it and': 156360, 'it and now': 456505, 'have to tell': 383318, 'tell the family': 837084, 'the family um': 854907, 'family um pick': 298343, 'um pick up': 939205, 'up your shit': 946753, 'gamestop realises': 343338, 'realises it': 701646, 'stop customer': 804605, 'continues gamestop': 201399, 'gamestop gaming': 343327, 'gamestop realises it': 343339, 'realises it is': 701647, 'not essential retail': 569217, 'essential retail will': 281473, 'retail will stop': 718862, 'will stop customer': 994996, 'stop customer access': 804606, 'access to store': 28280, 'to store pandemic': 915637, 'store pandemic continues': 809451, 'pandemic continues gamestop': 635208, 'continues gamestop gaming': 201400, 'key point': 473361, 'understand is': 940661, 'even rural': 284536, 'rural household': 728249, 'have once': 381779, 'once grown': 605644, 'grown all': 367269, 'today typically': 920406, 'typically depend': 937653, 'market where': 517337, 'be rising': 116896, 'key point to': 473363, 'point to understand': 662678, 'to understand is': 917904, 'understand is that': 940662, 'that even rural': 843741, 'even rural household': 284537, 'rural household who': 728250, 'household who may': 406989, 'may have once': 521252, 'have once grown': 381781, 'once grown all': 605645, 'grown all of': 367270, 'own food today': 632003, 'food today typically': 317311, 'today typically depend': 920407, 'typically depend on': 937654, 'depend on market': 237319, 'on market where': 602037, 'market where price': 517338, 'where price will': 985132, 'will be rising': 992656, 'me went': 523924, 'just me went': 469248, 'me went to': 523925, 'alltogether': 46413, 'we retweet': 973101, 'retweet this': 720085, 'this widely': 891398, 'widely possible': 991784, 'supermarket alltogether': 818880, 'can we retweet': 160194, 'we retweet this': 973102, 'retweet this widely': 720087, 'this widely possible': 891399, 'widely possible in': 991785, 'that it make': 844723, 'it make all': 459508, 'make all stop': 509657, 'all stop and': 44480, 'and think supermarket': 73969, 'think supermarket alltogether': 885576, 'don virtue': 254021, 'virtue signal': 957864, 'signal by': 769294, 'by expressing': 152524, 'expressing gratitude': 293084, 'word when': 1004617, 'real gratitude': 701182, 'gratitude by': 362360, 'health outing': 386730, 'outing essentialworker': 628986, 'essentialworker stayhomesavelives': 281946, 'please don virtue': 659926, 'don virtue signal': 254022, 'virtue signal by': 957865, 'signal by expressing': 769295, 'by expressing gratitude': 152525, 'expressing gratitude for': 293085, 'gratitude for essential': 362370, 'essential worker with': 281865, 'worker with just': 1008263, 'with just your': 999130, 'just your word': 470387, 'your word when': 1026367, 'word when you': 1004618, 'you can show': 1017782, 'can show real': 159617, 'show real gratitude': 767103, 'real gratitude by': 701183, 'gratitude by staying': 362361, 'home the grocery': 402235, 'not your mental': 572635, 'mental health outing': 528647, 'health outing essentialworker': 386731, 'outing essentialworker stayhomesavelives': 628987, 'here glimpse of': 393047, 'glimpse of what': 351712, 'new consumer might': 558526, 'pariah': 641821, 'every level': 285977, 'level acted': 487490, 'acted late': 29839, 'happened earlier': 377237, 'earlier sum': 264483, 'the regard': 865416, 'to money': 910226, 'than saving': 841113, 'life globally': 488685, 'become pariah': 120092, 'pariah laughing': 641822, 'laughing stock': 481822, 'food running': 316253, 'fact is the': 295739, 'uk at every': 938198, 'at every level': 98569, 'every level acted': 285978, 'level acted late': 487491, 'acted late in': 29840, 'pandemic the lockdown': 636687, 'the lockdown should': 859631, 'lockdown should have': 499914, 'have happened earlier': 380898, 'happened earlier sum': 377238, 'earlier sum up': 264484, 'sum up the': 817882, 'up the regard': 946206, 'the regard to': 865417, 'regard to money': 707155, 'to money than': 910227, 'money than saving': 537055, 'than saving life': 841114, 'saving life globally': 737910, 'life globally we': 488686, 'globally we have': 352417, 'we have become': 971764, 'have become pariah': 379444, 'become pariah laughing': 120093, 'pariah laughing stock': 641823, 'laughing stock with': 481823, 'stock with basic': 803203, 'basic food running': 111893, 'food running out': 316254, 'the shop coronacrisisuk': 866988, 'you never thought': 1020082, 'thought would wait': 893331, 'would wait in': 1012378, 'so we do': 778663, 'not have much': 569853, 'have much food': 381529, 'much food left': 544907, 'god ve': 354823, 'two why': 937385, 'people stupid': 649680, 'stupid go': 815391, 'own these': 632261, '60 stay': 21011, 'my god ve': 548529, 'god ve just': 354824, 'been for supply': 121168, 'for supply from': 326045, 'supply from supermarket': 825294, 'still going shopping': 800590, 'going shopping in': 355450, 'shopping in two': 762995, 'in two why': 430360, 'two why are': 937386, 'these people stupid': 880459, 'people stupid go': 649681, 'stupid go on': 815392, 'go on your': 353908, 'your own these': 1025165, 'own these people': 632262, 'these people seem': 880456, 'all over 60': 43849, 'over 60 stay': 629880, '60 stay at': 21012, 'home and protect': 400678, 'and protect people': 69660, 'protect people stayhomesavelives': 684925, 'frustrating to': 339258, '20 not': 13195, 'taking any': 833274, 'seriously aware': 751540, 'think nothing': 885428, 'bad can': 107801, 'self absorbed': 747541, 'absorbed before': 27476, 'before marriage': 122938, 'marriage and': 517989, 'but damn': 145499, 'damn they': 225439, 'store and so': 806350, 'and so frustrating': 71841, 'so frustrating to': 777128, 'frustrating to see': 339259, 'in their 20': 429708, 'their 20 not': 872424, '20 not taking': 13196, 'not taking any': 571922, 'taking any of': 833275, 'of this seriously': 592033, 'this seriously aware': 890037, 'seriously aware it': 751541, 'aware it an': 105619, 'it an age': 456464, 'age when you': 37920, 'you think nothing': 1021670, 'think nothing bad': 885429, 'nothing bad can': 572944, 'bad can happen': 107802, 'can happen and': 158556, 'happen and you': 377057, 're self absorbed': 699471, 'self absorbed before': 747542, 'absorbed before marriage': 27477, 'before marriage and': 122939, 'marriage and kid': 517990, 'and kid etc': 65833, 'kid etc but': 473940, 'etc but damn': 282446, 'but damn they': 145502, 'damn they re': 225440, 're spreading it': 699565, 'spreading it if': 790989, 'weaning': 974227, 'goodmorningbritain': 358044, 'im mother': 416555, 'of 5m': 579637, '5m old': 20767, 'do weaning': 250492, 'weaning this': 974228, 'month im': 537781, 'im currently': 416523, 'cough no': 208511, 'letting book': 487399, 'online what': 609709, 'something quick': 785023, 'allow online': 46016, 'shopping gmb': 762788, 'gmb goodmorningbritain': 353193, 'im mother of': 416556, 'mother of 5m': 543144, 'of 5m old': 579638, '5m old who': 20768, 'old who will': 598543, 'who will start': 989998, 'start to do': 794579, 'to do weaning': 904585, 'do weaning this': 250493, 'weaning this month': 974229, 'this month im': 888910, 'month im currently': 537782, 'im currently in': 416524, 'currently in self': 221569, 'self isolation with': 747809, 'isolation with cough': 455511, 'with cough no': 997822, 'cough no supermarket': 208513, 'no supermarket is': 565622, 'supermarket is letting': 821102, 'is letting book': 449285, 'letting book online': 487400, 'book online what': 134582, 'online what should': 609711, 'we do can': 971329, 'do can supermarket': 249176, 'supermarket do something': 819982, 'do something quick': 250153, 'something quick to': 785024, 'quick to allow': 694409, 'to allow online': 900349, 'allow online shopping': 46017, 'online shopping gmb': 609132, 'shopping gmb goodmorningbritain': 762789, 'vermin': 954836, 'coronavirus minister': 206285, 'just inconsiderate': 469060, 'inconsiderate greedy': 432564, 'greedy vermin': 363631, 'vermin panic': 954841, 'buying depriving': 150182, 'depriving people': 237718, 'essential clearing': 280902, 'not paracetamol': 570957, 'sight scum': 769053, 'coronavirus minister say': 206287, 'minister say there': 533455, 'say there isn': 739321, 'pandemic just inconsiderate': 635846, 'just inconsiderate greedy': 469061, 'inconsiderate greedy vermin': 432565, 'greedy vermin panic': 363633, 'vermin panic buying': 954842, 'panic buying depriving': 637701, 'buying depriving people': 150183, 'depriving people of': 237719, 'of essential clearing': 583162, 'essential clearing shelf': 280903, 'clearing shelf of': 181473, 'roll and not': 725178, 'and not paracetamol': 67763, 'not paracetamol in': 570958, 'paracetamol in sight': 641247, 'in sight scum': 427945, 'supermarket later': 821278, 'later stockpilinguk': 481122, 'stockpilinguk 21daylockdown': 804134, 'ready to brave': 700941, 'the supermarket later': 868669, 'supermarket later stockpilinguk': 821279, 'later stockpilinguk 21daylockdown': 481123, 'had action': 372818, 'action like': 30068, 'this labelled': 888580, 'labelled and': 478386, 'prosecuted domestic': 684640, 'domestic terrorism': 253238, 'terrorism even': 838604, 'supermarket food it': 820360, 'food it about': 315176, 'about time we': 26699, 'time we had': 898224, 'we had action': 971698, 'had action like': 372819, 'action like this': 30069, 'like this labelled': 491502, 'this labelled and': 888581, 'labelled and prosecuted': 478387, 'and prosecuted domestic': 69647, 'prosecuted domestic terrorism': 684641, 'domestic terrorism even': 253239, 'terrorism even without': 838605, 'even without covid': 284811, 'this is totally': 888433, 'is totally unacceptable': 453309, 'dodging people in': 251302, 'mbti': 522069, 'enough social': 277619, 'interaction for': 441243, 'week introvert': 976407, 'introvert mbti': 443524, 'supermarket today had': 823446, 'today had enough': 919601, 'had enough social': 373075, 'enough social interaction': 277620, 'social interaction for': 779811, 'interaction for week': 441244, 'for week introvert': 327721, 'week introvert mbti': 976408, 'looking sick': 502999, 'sick asked': 768383, 'ok and': 597764, 'no my': 564840, 'her we': 392513, 'she coughed': 755954, 'coughed everywhere': 208607, 'everywhere please': 288246, 'inside ig': 439285, 'ig youre': 415676, 'youre sick': 1026423, 'my job grocery': 548915, 'and lady came': 65926, 'lady came through': 478748, 'came through my': 157063, 'my line looking': 549070, 'line looking sick': 493243, 'looking sick asked': 503000, 'sick asked her': 768384, 'wa ok and': 962812, 'ok and she': 597765, 'she said no': 756309, 'said no my': 731259, 'no my daughter': 564841, 'daughter ha the': 226853, 'virus and ve': 957948, 've been with': 952964, 'been with her': 122382, 'with her we': 998785, 'her we needed': 392514, 'we needed some': 972577, 'needed some thing': 556495, 'some thing and': 784038, 'thing and she': 884134, 'and she coughed': 71415, 'she coughed everywhere': 755955, 'coughed everywhere please': 208608, 'everywhere please stay': 288247, 'please stay inside': 660550, 'stay inside ig': 797100, 'inside ig youre': 439287, 'ig youre sick': 415677, 'helena': 388960, 'not fabric': 569343, 'not lg': 570385, 'lg grocery': 487895, 'not fed': 569376, 'fed post': 301871, 'office socialdistancing': 595545, 'socialdistancing will': 780874, 'aren protected': 92489, 'protected protecting': 685147, 'protecting montana': 685212, 'montana helena': 537491, 'stop at store': 804464, 'at store only': 100659, 'store only health': 809241, 'only health food': 610592, 'food store employee': 316849, 'store employee had': 807496, 'employee had mask': 273907, 'had mask not': 373285, 'mask not fabric': 519022, 'not fabric store': 569344, 'fabric store mask': 294244, 'store mask making': 808914, 'mask making customer': 518943, 'making customer not': 511011, 'customer not lg': 222625, 'not lg grocery': 570386, 'lg grocery store': 487896, 'store not fed': 809103, 'not fed post': 569377, 'fed post office': 301872, 'post office socialdistancing': 666243, 'office socialdistancing will': 595546, 'socialdistancing will not': 780875, 'work if store': 1005280, 'if store employee': 414881, 'store employee aren': 807459, 'employee aren protected': 273636, 'aren protected protecting': 92490, 'protected protecting montana': 685148, 'protecting montana helena': 685213, 'who pleading': 989429, 'shelf following': 757088, 'following 48': 312666, 'your heart go': 1024284, 'out to this': 627691, 'to this critical': 917416, 'this critical care': 887117, 'nurse who pleading': 577548, 'who pleading for': 989430, 'pleading for the': 659587, 'stop it after': 804778, 'it after being': 456298, 'after being faced': 35406, 'supermarket shelf following': 822471, 'shelf following 48': 757089, 'following 48 hour': 312667, 'safetynet': 730814, 'good step': 357768, 'towards repurposing': 927241, 'repurposing and': 713107, 'and employing': 62073, 'employing safetynet': 274573, 'safetynet to': 730815, 'on livelihood': 601883, 'livelihood other': 496207, 'other existing': 620194, 'existing mechanism': 290329, 'mechanism need': 525852, 'repurposed and': 713093, 'and deployed': 61219, 'deployed to': 237466, '19 ethiopia': 6845, 'ethiopia need': 283111, 'fuel stock': 340285, 'level urgently': 487739, 'urgently more': 948391, 'topic soon': 925819, 'good step towards': 357770, 'step towards repurposing': 799677, 'towards repurposing and': 927242, 'repurposing and employing': 713108, 'and employing safetynet': 62074, 'employing safetynet to': 274574, 'safetynet to help': 730816, 'help mitigate covid': 390100, 'impact on livelihood': 417868, 'on livelihood other': 601884, 'livelihood other existing': 496208, 'other existing mechanism': 620195, 'existing mechanism need': 290330, 'mechanism need to': 525853, 'to be repurposed': 901502, 'be repurposed and': 116810, 'repurposed and deployed': 713094, 'and deployed to': 61220, 'deployed to fight': 237467, 'covid 19 ethiopia': 213040, '19 ethiopia need': 6846, 'ethiopia need to': 283112, 'and fuel stock': 63392, 'fuel stock level': 340286, 'stock level urgently': 802353, 'level urgently more': 487740, 'urgently more on': 948392, 'this topic soon': 890817, 'so obtuse': 777921, 'obtuse people': 578770, 'people choose': 647462, 'idiot cough': 413491, 'my choice': 547683, 'you really so': 1020843, 'really so obtuse': 702606, 'so obtuse people': 777922, 'obtuse people choose': 578771, 'people choose to': 647463, 'choose to smoke': 177916, 'to smoke if': 914777, 'smoke if some': 775866, 'if some idiot': 414845, 'some idiot cough': 783071, 'idiot cough on': 413492, 'cough on me': 208522, 'on me in': 602069, 'supermarket and give': 818989, 'and give me': 63663, 'give me covid': 350569, 'going to tell': 355739, 'wa my choice': 962671, 'nieuws': 562677, 'elkbosje': 271538, 'infection nieuws': 436796, 'nieuws of': 562678, 'in elkbosje': 422532, 'elkbosje in': 271539, '19 infection nieuws': 7856, 'infection nieuws of': 436797, 'nieuws of the': 562679, '14 in the': 3487, 'area in elkbosje': 92066, 'in elkbosje in': 422533, 'elkbosje in citrus': 271540, 'everyone am': 286688, 'in essex': 422608, 'essex and': 281975, 'drop me': 260300, 'me message': 523154, 'or comment': 614771, 'have chat': 379952, 'chat thanks': 173961, 'thanks so': 842181, 'hi everyone am': 394636, 'everyone am looking': 286689, 'am looking to': 50196, 'speak to anyone': 787710, 'supermarket in essex': 820894, 'in essex and': 422609, 'essex and how': 281976, 'how the current': 408813, 'current pandemic is': 221293, 'affecting you drop': 34591, 'you drop me': 1018365, 'drop me message': 260301, 'me message or': 523155, 'message or comment': 529388, 'or comment below': 614772, 'comment below if': 188393, 'to have chat': 907215, 'have chat thanks': 379953, 'chat thanks so': 173962, 'thanks so much': 842182, 'so much and': 777757, 'much and take': 544712, 'to wisely': 918633, 'wisely buy': 996713, 'some canned': 782475, 'the city center': 850923, 'city center to': 179089, 'center to enter': 169304, 'opportunity to wisely': 613737, 'to wisely buy': 918634, 'wisely buy some': 996714, 'buy some canned': 149198, 'some canned good': 782476, 'canned good please': 161542, 'please be reasonable': 659710, 'clubquarantine': 184512, 'sanitation other': 733853, 'other infrastructure': 620429, 'infrastructure worker': 438230, 'people dj': 647674, 'dj nice': 248809, 'nice clubquarantine': 562373, 'clubquarantine is': 184513, 'truly blessing': 933273, 'personnel during covid': 653102, '19 healthcare worker': 7491, 'worker sanitation other': 1007732, 'sanitation other infrastructure': 733854, 'other infrastructure worker': 620430, 'infrastructure worker grocery': 438231, 'worker food delivery': 1006959, 'delivery people dj': 234312, 'people dj nice': 647675, 'dj nice clubquarantine': 248810, 'nice clubquarantine is': 562374, 'clubquarantine is truly': 184514, 'is truly blessing': 453378, 'truly blessing in': 933274, 'blessing in these': 132649, 'oh great': 596401, 'and hording': 64735, 'hording get': 404018, 'get case': 346744, 'poisoning and': 662800, 'extra tp': 293686, 'oh great in': 596402, 'great in world': 362749, 'world of covid': 1009852, 'panic and hording': 637317, 'and hording get': 64736, 'hording get case': 404019, 'get case of': 346745, 'case of food': 165903, 'of food poisoning': 583752, 'food poisoning and': 315877, 'poisoning and actually': 662801, 'and actually need': 57655, 'actually need extra': 30900, 'need extra tp': 554760, 'alert to': 41522, 'american than': 52242, 'before are': 122648, 'remotely if': 710772, 'protect sensitive': 684948, 'from hacker': 335716, 'consumer alert to': 196158, 'alert to slow': 41525, '19 more american': 8676, 'more american than': 538602, 'american than ever': 52243, 'ever before are': 285222, 'before are working': 122649, 'working remotely if': 1008887, 'remotely if you': 710773, 'you are among': 1017057, 'are among them': 84520, 'among them take': 53085, 'them take step': 876364, 'to protect sensitive': 912331, 'protect sensitive information': 684949, 'sensitive information from': 750702, 'information from hacker': 437840, 'seen big': 746973, 'it affecting': 456290, 'mindset from': 532844, 'what considered': 981242, 'convenience to': 202365, 'how ux': 409129, 'ux will': 951512, 'change read': 172239, 'already seen big': 47637, 'seen big shift': 746974, 'daily life from': 224661, 'life from read': 488677, 'from read more': 337045, 'about how it': 25448, 'how it affecting': 408125, 'it affecting the': 456291, 'affecting the consumer': 34558, 'consumer mindset from': 198136, 'mindset from what': 532845, 'from what considered': 338338, 'what considered essential': 981243, 'considered essential in': 195289, 'world of convenience': 1009850, 'of convenience to': 581859, 'convenience to how': 202366, 'to how ux': 908029, 'how ux will': 409130, 'ux will change': 951513, 'will change read': 992916, 'change read more': 172240, 'inte': 440938, 'postman although': 666717, 'although that': 49355, 'that regular': 845983, 'regular occurrence': 707819, 'occurrence when': 579056, 'are solo': 90252, 'solo you': 781973, 'you become': 1017414, 'become used': 120180, 'but workfromhome': 147929, 'workfromhome and': 1008408, 'socialdistancing make': 780509, 'one grateful': 606365, 'any human': 79334, 'human inte': 410524, 'talking to supermarket': 834054, 'to supermarket till': 915849, 'till operator and': 896076, 'operator and the': 613346, 'the postman although': 864110, 'postman although that': 666718, 'although that regular': 49356, 'that regular occurrence': 845984, 'regular occurrence when': 707820, 'occurrence when you': 579057, 'you are solo': 1017239, 'are solo you': 90253, 'solo you become': 781974, 'you become used': 1017416, 'become used to': 120181, 'used to level': 950065, 'to level of': 909230, 'level of isolation': 487646, 'of isolation but': 585334, 'isolation but workfromhome': 455226, 'but workfromhome and': 147930, 'workfromhome and socialdistancing': 1008409, 'and socialdistancing make': 71908, 'socialdistancing make one': 780510, 'make one grateful': 510268, 'one grateful for': 606366, 'grateful for any': 362259, 'for any human': 319408, 'any human inte': 79335, 'reprimanded': 712982, 'about too': 26758, 'far another': 298702, 'another force': 77622, 'force ha': 328401, 'officer reprimanded': 595707, 'reprimanded man': 712983, 'his front': 397461, 'lawn coronavirus': 482502, 'coronavirus cambridge': 205600, 'cambridge police': 156947, 'police check': 662951, 'check no': 174498, 'essential aisle': 280764, 'just going about': 468832, 'going about too': 354988, 'about too far': 26759, 'too far another': 924725, 'far another force': 298703, 'another force ha': 77623, 'force ha had': 328402, 'had to apologise': 373660, 'apologise after an': 81623, 'after an officer': 35360, 'an officer reprimanded': 56566, 'officer reprimanded man': 595708, 'reprimanded man for': 712984, 'man for using': 512070, 'for using his': 327502, 'using his front': 950512, 'his front lawn': 397462, 'front lawn coronavirus': 338551, 'lawn coronavirus cambridge': 482503, 'coronavirus cambridge police': 205601, 'cambridge police check': 156948, 'police check no': 662952, 'check no one': 174499, 'is in non': 448794, 'non essential aisle': 566330, 'essential aisle at': 280765, 'at supermarket stayhomesavelives': 100772, 'frickindistant': 333166, 'frickindistant hey': 333167, 'frickindistant hey john': 333168, 'everyone are': 286706, 'head over': 385806, 'over falling': 630206, 'on stoppanicbuying': 603687, 'so everyone are': 776971, 'everyone are losing': 286707, 'losing their head': 503596, 'their head over': 873505, 'head over falling': 385807, 'over falling down': 630207, 'falling down stair': 297247, '17 00 year': 4302, '00 year or': 617, 'week in uk': 976389, 'in uk coronavirus': 430383, 'your head on': 1024263, 'head on stoppanicbuying': 385795, 'on stoppanicbuying stopstockpiling': 603688, 'll pas': 496941, 'made most': 507855, 'most covid': 542219, 'story live': 812034, 'newsletter faq': 561023, 'faq video': 298684, 'video free': 956735, 'free we': 332309, 'offering week': 595323, 'week subscription': 976945, 'paid ve': 634170, 've offered': 953412, 'who tweet': 989842, 'their receipt': 874533, 'and venmo': 74915, 'll pas along': 496942, 'pas along the': 643080, 'along the message': 47029, 'the message we': 860530, 'message we ve': 529478, 've made most': 953362, 'made most covid': 507856, 'most covid 19': 542220, '19 story live': 10897, 'story live update': 812035, 'live update newsletter': 496100, 'update newsletter faq': 947094, 'newsletter faq video': 561024, 'faq video free': 298685, 'video free we': 956736, 'free we re': 332311, 're also offering': 698269, 'also offering week': 48602, 'offering week subscription': 595324, 'week subscription for': 976946, 'subscription for that': 815890, 'for that how': 326258, 'that how we': 844386, 'how we get': 409171, 'we get paid': 971621, 'get paid ve': 347777, 'paid ve offered': 634171, 've offered to': 953413, 'cover the to': 212297, 'the to those': 869694, 'those who tweet': 892688, 'who tweet me': 989843, 'tweet me their': 936384, 'me their receipt': 523671, 'their receipt and': 874534, 'receipt and venmo': 703399, 'cashier wa an': 166651, 'wa an elderly': 961529, 'elderly person and': 270844, 'person and under': 652312, 'and under an': 74617, 'under an oxygen': 940000, 'is this reality': 453116, 'succumbed': 816293, 'there figure': 878385, 'figure for': 305198, 've succumbed': 953615, 'succumbed to': 816294, 'chemist most': 175435, 'nothing between': 572952, 'are there figure': 90954, 'there figure for': 878386, 'figure for those': 305199, 'who ve succumbed': 989885, 've succumbed to': 953616, 'succumbed to covid': 816295, 'result of working': 717624, 'food store chemist': 316845, 'store chemist most': 806962, 'chemist most food': 175436, 'most food store': 542336, 'food store worker': 316867, 'worker have nothing': 1007089, 'have nothing between': 381706, 'nothing between them': 572953, 'between them and': 128941, 'them and their': 875403, 'tacky': 831658, 'instagram star': 439974, 'star branded': 794032, 'branded tacky': 138098, 'tacky after': 831659, 'she pose': 756268, 'pose on': 665107, 'instagram star branded': 439975, 'star branded tacky': 794033, 'branded tacky after': 138099, 'tacky after she': 831660, 'after she pose': 36191, 'she pose on': 756269, 'pose on empty': 665108, 'supermarket shelf during': 822458, 'shelf during pandemic': 757001, 'afterwork': 36757, 'keeponmoving': 472660, 'what team': 982278, 'team foster': 835643, 'foster in': 330103, 'in discovering': 422293, 'discovering new': 244718, 'skill of': 772967, 'of colleague': 581528, 'colleague afterwork': 186180, 'afterwork workout': 36758, 'workout toiletpaper': 1009180, 'toiletpaper keeponmoving': 922164, 'keeponmoving stretch': 472661, 'stretch homework': 813561, 'what team foster': 982279, 'team foster in': 835644, 'foster in discovering': 330104, 'in discovering new': 422294, 'discovering new skill': 244720, 'new skill of': 559605, 'skill of colleague': 772968, 'of colleague afterwork': 581529, 'colleague afterwork workout': 186181, 'afterwork workout toiletpaper': 36759, 'workout toiletpaper keeponmoving': 1009181, 'toiletpaper keeponmoving stretch': 922165, 'keeponmoving stretch homework': 472662, 'caturday': 167391, 'caturdaymorning': 167399, 'caturdaycuties': 167396, 'bnw': 133601, 'whitecat': 987928, 'whitecatsofinstagram': 987931, 'whitecatsrule': 987933, 'happy caturday': 377596, 'caturday might': 167394, 'might venture': 531161, 'today what': 920511, 'else plan': 271844, 'plan caturday': 658091, 'caturday caturdaymorning': 167392, 'caturdaymorning caturdaycuties': 167400, 'caturdaycuties bnw': 167397, 'bnw whitecat': 133602, 'whitecat whitecatsofinstagram': 987929, 'whitecatsofinstagram whitecatsrule': 987932, 'happy caturday might': 377597, 'caturday might venture': 167395, 'might venture out': 531162, 'supermarket today what': 823479, 'today what everyone': 920512, 'what everyone else': 981426, 'everyone else plan': 286874, 'else plan caturday': 271845, 'plan caturday caturdaymorning': 658092, 'caturday caturdaymorning caturdaycuties': 167393, 'caturdaymorning caturdaycuties bnw': 167401, 'caturdaycuties bnw whitecat': 167398, 'bnw whitecat whitecatsofinstagram': 133603, 'whitecat whitecatsofinstagram whitecatsrule': 987930, 'llabres': 497102, 'chavez': 174039, 'mckee': 522181, 'motive': 543323, 'update antonio': 946874, 'antonio llabres': 78617, 'llabres 19': 497103, 'id suspect': 412954, 'suspect who': 829509, 'who shot': 989608, 'killed man': 474600, 'at chavez': 98235, 'chavez supermarket': 174040, 'on mckee': 602062, 'mckee per': 522182, 'per adding': 650683, 'adding motive': 31682, 'motive unknown': 543324, 'unknown but': 942522, 'not released': 571297, 'to cop': 903503, 'limited interaction': 492663, 'before suspect': 123119, 'suspect opened': 829481, 'opened fire': 612723, 'update antonio llabres': 946875, 'antonio llabres 19': 78618, 'llabres 19 id': 497104, '19 id suspect': 7651, 'id suspect who': 412955, 'suspect who shot': 829510, 'who shot and': 989609, 'shot and killed': 765412, 'and killed man': 65848, 'killed man at': 474601, 'man at chavez': 512002, 'at chavez supermarket': 98236, 'chavez supermarket on': 174041, 'supermarket on mckee': 821727, 'on mckee per': 602063, 'mckee per adding': 522183, 'per adding motive': 650684, 'adding motive unknown': 31683, 'motive unknown but': 543325, 'unknown but that': 942523, 'but that it': 147291, 'wa not released': 962772, 'not released to': 571298, 'released to cop': 709090, 'to cop say': 903504, 'cop say there': 203281, 'say there wa': 739325, 'there wa limited': 879247, 'wa limited interaction': 962563, 'limited interaction between': 492664, 'between the before': 128924, 'the before suspect': 849429, 'before suspect opened': 123120, 'suspect opened fire': 829482, 'keep meaning': 471656, 'sell box': 748652, 'aren with': 92590, 'with normal': 999810, 'shelf long': 757295, 'remain unopened': 709904, 'need refrigeration': 555503, 'refrigeration justathought': 706793, 'thing keep meaning': 884509, 'keep meaning to': 471657, 'meaning to ask': 524845, 'the sell box': 866685, 'sell box of': 748653, 'box of milk': 137126, 'these aren with': 879650, 'aren with normal': 92591, 'with normal jug': 999811, 'just on grocery': 469367, 'store shelf long': 810087, 'shelf long they': 757296, 'they remain unopened': 883195, 'remain unopened they': 709905, 'not need refrigeration': 570671, 'need refrigeration justathought': 555504, 'over meat': 630389, 'destroyed coronapandemie': 239051, 'hand in uk': 375043, 'uk supermarket and': 938756, 'supermarket and wiped': 819107, 'wiped them over': 996485, 'them over meat': 876141, 'over meat fresh': 630390, 'be destroyed coronapandemie': 114425, 'coranovirus': 203491, 'paracetamol to': 641274, '99 19': 23750, 'or baby': 614471, '18 99': 4511, 'down these': 257331, 'greedy absolutely': 363464, 'absolutely shocking': 27446, 'shocking coranovirus': 759596, 'all these small': 45057, 'these small shop': 880703, 'small shop and': 775114, 'shop and company': 759843, 'and company raising': 60194, 'company raising the': 190998, 'price of paracetamol': 675528, 'of paracetamol to': 587770, 'paracetamol to 99': 641275, 'to 99 19': 899883, '99 19 99': 23751, '19 99 or': 4774, '99 or baby': 23873, 'or baby formula': 614472, 'baby formula to': 106620, 'formula to 18': 329721, 'to 18 99': 899528, '18 99 are': 4512, '99 are disgusting': 23781, 'are disgusting the': 85858, 'government should shut': 360612, 'shut down these': 767860, 'down these company': 257332, 'these company for': 879788, 'company for taking': 190676, 'for taking advantage': 326142, 'advantage and being': 32958, 'and being greedy': 58861, 'being greedy absolutely': 125194, 'greedy absolutely shocking': 363465, 'absolutely shocking coranovirus': 27447, 'retail consultant': 717985, 'consultant expects': 195869, 'expects people': 291095, 'to increasingly': 908317, 'increasingly buy': 433759, 'online eat': 608148, 'and postpone': 69246, 'postpone non': 666771, 'social onlineshopping': 779905, 'retail consultant expects': 717986, 'consultant expects people': 195870, 'expects people to': 291096, 'people to increasingly': 649911, 'to increasingly buy': 908318, 'increasingly buy grocery': 433760, 'grocery online eat': 364777, 'online eat at': 608149, 'home more often': 401625, 'more often and': 539897, 'often and postpone': 596157, 'and postpone non': 69247, 'postpone non essential': 666772, 'non essential shopping': 566358, 'essential shopping now': 281553, 'shopping now that': 763367, 'now that health': 576003, 'that health official': 844281, 'health official are': 386699, 'official are encouraging': 595755, 'are encouraging social': 86197, 'encouraging social onlineshopping': 275735, 'chain go': 170739, 'pop side': 664459, 'side store': 768892, 'island ny': 454298, 'ny today': 577921, 'chicken chop': 175767, 'chop meat': 177955, 'meat cold': 525524, 'cold cut': 185747, 'cut salad': 223525, 'salad bread': 731913, 'if you avoid': 415396, 'you avoid the': 1017355, 'avoid the big': 105317, 'supermarket chain go': 819606, 'chain go to': 170740, 'to your mom': 919003, 'your mom pop': 1024849, 'mom pop side': 535789, 'pop side store': 664460, 'side store there': 768893, 'store there food': 810648, 'there food on': 878399, 'food on staten': 315601, 'staten island ny': 796233, 'island ny today': 454299, 'ny today wa': 577922, 'today wa able': 920442, 'to get chicken': 906438, 'get chicken chop': 346769, 'chicken chop meat': 175768, 'chop meat cold': 177956, 'meat cold cut': 525525, 'cold cut salad': 185748, 'cut salad bread': 223526, 'democratshateamerica': 236784, 'lol nancy': 500931, 'pelosi thinking': 646376, 'thinking this': 886014, 'sweep during': 830121, 'the democratsaredestroyingamerica': 853125, 'democratsaredestroyingamerica democratshateamerica': 236780, 'democratshateamerica maga2020': 236785, 'lol nancy pelosi': 500932, 'nancy pelosi thinking': 551797, 'pelosi thinking this': 646377, 'thinking this is': 886015, 'this is like': 888302, 'is like supermarket': 449332, 'supermarket sweep during': 823091, 'sweep during the': 830122, 'during the democratsaredestroyingamerica': 263115, 'the democratsaredestroyingamerica democratshateamerica': 853126, 'democratsaredestroyingamerica democratshateamerica maga2020': 236781, 'wakeupamerica': 964658, 'refund costco': 706885, 'costco hoarder': 208234, 'hoarder discover': 399012, 'discover they': 244668, 'can return': 159478, 'paper chinesevirus': 640024, 'chinesevirus toiletpaper': 177451, 'toiletpaper wakeupamerica': 922811, 'wakeupamerica maga': 964659, 'no refund costco': 565317, 'refund costco hoarder': 706886, 'costco hoarder discover': 208235, 'hoarder discover they': 399013, 'discover they can': 244669, 'they can return': 881670, 'can return toilet': 159479, 'toilet paper chinesevirus': 921227, 'paper chinesevirus toiletpaper': 640025, 'chinesevirus toiletpaper wakeupamerica': 177452, 'toiletpaper wakeupamerica maga': 922812, 'wakeupamerica maga kag': 964660, 'pretty crazy': 671384, 'getting pretty crazy': 349202, 'pretty crazy at': 671385, 'shooter': 759759, 'despise': 238650, 'hear or': 387969, 'read shelter': 700544, 'place what': 657823, 'mind is': 532680, 'active shooter': 30287, 'shooter on': 759760, 'loose this': 503202, '19 reference': 10027, 'reference just': 706493, 'just fuel': 468785, 'fuel uncertainty': 340302, 'uncertainty what': 939777, 'do where': 250532, 'go did': 353458, 'that trip': 847126, 'store infect': 808433, 'infect me': 436498, 'me despise': 522644, 'despise you': 238651, 'when hear or': 983558, 'hear or read': 387970, 'or read shelter': 616788, 'read shelter in': 700545, 'in place what': 426774, 'place what come': 657825, 'what come to': 981232, 'to mind is': 910140, 'mind is an': 532681, 'is an active': 445634, 'an active shooter': 55084, 'active shooter on': 30288, 'shooter on the': 759761, 'on the loose': 604223, 'the loose this': 859722, 'loose this covid': 503203, 'covid 19 reference': 213675, '19 reference just': 10028, 'reference just fuel': 706494, 'just fuel uncertainty': 468786, 'fuel uncertainty what': 340303, 'uncertainty what can': 939778, 'can do where': 158126, 'do where can': 250533, 'where can go': 984768, 'can go did': 158494, 'go did that': 353459, 'did that trip': 240842, 'that trip to': 847127, 'grocery store infect': 365487, 'store infect me': 808434, 'infect me despise': 436499, 'me despise you': 522645, 'deportation': 237487, 'these america': 879591, 'america hating': 51546, 'hating democrat': 378967, 'emergency coronavirus': 272642, 'spending for': 788813, 'for phase': 324525, 'phase funding': 654610, 'funding which': 341632, 'include covid': 431541, '19 funding': 7172, 'all illegal': 43186, 'alien halt': 41738, 'to ice': 908075, 'ice deportation': 412662, 'deportation amp': 237488, 'amp extended': 53766, 'stamp aid': 793399, 'these america hating': 879592, 'america hating democrat': 51547, 'hating democrat are': 378968, 'additional emergency coronavirus': 31819, 'emergency coronavirus relief': 272644, 'coronavirus relief spending': 206645, 'relief spending for': 709462, 'spending for phase': 788815, 'for phase funding': 324526, 'phase funding which': 654611, 'funding which will': 341633, 'will include covid': 993801, 'include covid 19': 431542, 'covid 19 funding': 213135, '19 funding for': 7173, 'funding for all': 341597, 'for all illegal': 319137, 'all illegal alien': 43187, 'illegal alien halt': 416196, 'alien halt to': 41739, 'halt to ice': 374470, 'to ice deportation': 908076, 'ice deportation amp': 412663, 'deportation amp extended': 237489, 'amp extended food': 53767, 'extended food stamp': 293163, 'food stamp aid': 316727, 'peoplegoing': 650605, 'emptiedin': 274708, 'wto panic': 1013414, 'by peoplegoing': 153561, 'peoplegoing into': 650606, 'shelf emptiedin': 757009, 'emptiedin many': 274709, 'country 21daylockdown': 210403, '21daylockdown chinavirus': 15098, 'agriculture organization who': 39009, 'organization who wto': 619447, 'who wto panic': 990070, 'wto panic buying': 1013415, 'buying by peoplegoing': 150078, 'by peoplegoing into': 153562, 'peoplegoing into the': 650607, 'into the fragility': 443127, 'chain supermarket shelf': 171148, 'supermarket shelf emptiedin': 822459, 'shelf emptiedin many': 757010, 'emptiedin many country': 274710, 'many country 21daylockdown': 513944, 'country 21daylockdown chinavirus': 210404, 'get killed': 347456, 'over shipping': 630607, 'cost my': 208024, 'grandmother is': 361934, 'to get killed': 906520, 'get killed over': 347457, 'killed over shipping': 474614, 'over shipping cost': 630608, 'shipping cost my': 758841, 'cost my grandmother': 208025, 'my grandmother is': 548552, 'grandmother is being': 361935, 'is being killed': 446093, 'being killed by': 125360, 'killed by covid': 474567, 'coronavirus phishing': 206549, 'report 19': 711774, 'avoid coronavirus phishing': 105058, 'coronavirus phishing scam': 206550, 'consumer report 19': 198696, 'report 19 coronapocolypse': 711775, 'repackage': 711439, 'bisaustralia': 131496, 'disinfectant sanitisers': 245742, 'sanitisers big': 734069, 'the bi': 849585, 'bi team': 129418, 'who repackage': 989531, 'repackage the': 711440, 'commercial grade': 188708, 'grade disinfectant': 361639, 'cleaner into': 180788, 'pack to': 633172, '19 bisaustralia': 5392, 'bisaustralia disinfectant': 131497, 'disinfectant sanitisers big': 245744, 'sanitisers big shout': 734070, 'to the bi': 916517, 'the bi team': 849586, 'bi team who': 129419, 'team who repackage': 835828, 'who repackage the': 989532, 'repackage the commercial': 711441, 'the commercial grade': 851231, 'commercial grade disinfectant': 188709, 'grade disinfectant sanitisers': 361640, 'disinfectant sanitisers and': 245743, 'sanitisers and cleaner': 734058, 'and cleaner into': 59941, 'cleaner into single': 180789, 'into single pack': 442985, 'single pack to': 771359, 'pack to assist': 633173, 'assist with the': 96655, 'covid 19 bisaustralia': 212705, '19 bisaustralia disinfectant': 5393, 'bisaustralia disinfectant sanitizer': 131498, 'premature': 669881, 'missionaccomplished': 534387, 'our hope': 623461, 'is twelve': 453401, 'twelve week': 936488, 'tide on': 895709, 'possible here': 665670, 'of politician': 588212, 'politician being': 663707, 'being premature': 125571, 'premature washyourhands': 669882, 'washyourhands socialdistanacing': 967907, 'socialdistanacing keepyourdistance': 780070, 'keepyourdistance stopstockpiling': 472684, 'stophoarding missionaccomplished': 805430, 'is raising our': 451213, 'raising our hope': 696102, 'our hope too': 623462, 'hope too much': 403752, 'too much is': 924929, 'much is twelve': 545024, 'is twelve week': 453402, 'twelve week to': 936489, 'week to turn': 977101, 'the tide on': 869542, 'tide on possible': 895710, 'on possible here': 602857, 'possible here an': 665671, 'here an example': 392691, 'example of politician': 288943, 'of politician being': 588213, 'politician being premature': 663708, 'being premature washyourhands': 125572, 'premature washyourhands socialdistanacing': 669883, 'washyourhands socialdistanacing keepyourdistance': 967908, 'socialdistanacing keepyourdistance stopstockpiling': 780071, 'keepyourdistance stopstockpiling stophoarding': 472685, 'stopstockpiling stophoarding missionaccomplished': 805879, 'you fucker': 1018731, 'fucker out': 339749, 'storing whatever': 811781, 'of you fucker': 593386, 'you fucker out': 1018732, 'fucker out there': 339750, 'and storing whatever': 72529, 'storing whatever you': 811782, 'hold of on': 399970, 'people like these': 648651, 'these are needed': 879625, 'alberta are': 40779, 'the dozen': 853641, 'dozen due': 257868, 'dealer in alberta': 229608, 'in alberta are': 420148, 'alberta are laying': 40780, 'are laying off': 87730, 'laying off staff': 482664, 'off staff by': 594184, 'staff by the': 792286, 'by the dozen': 154311, 'the dozen due': 853642, 'dozen due to': 257869, 'to the falling': 916692, 'the falling price': 854876, 'right information': 721961, 'important to share': 419067, 'share the right': 755255, 'the right information': 865812, 'mintel is': 533671, 'action they': 30156, 'mintel is tracking': 533672, 'behavior change due': 123962, '19 get more': 7198, 'more insight into': 539604, 'into what they': 443290, 'they are concerned': 881232, 'concerned about and': 193148, 'about and action': 24794, 'and action they': 57633, 'action they are': 30157, 'extended coronavirus': 293153, 'during the extended': 263124, 'the extended coronavirus': 854749, 'extended coronavirus crisis': 293154, 'thatgoodgood': 847792, 'badbunny': 108113, 'thingsamazonwontdeliver': 885051, 'tough er': 926811, 'er body': 280001, 'body need': 133869, 'need side': 555567, 'side hustle': 768820, 'hustle via': 411832, 'via thatgoodgood': 956295, 'thatgoodgood tp': 847793, 'toiletpaper badbunny': 921779, 'badbunny easterbunny': 108114, 'easterbunny easter': 265548, 'easter2020 thingsamazonwontdeliver': 265538, 'thingsamazonwontdeliver happyeaster': 885052, 'happyeaster rona': 377758, 'rona quarantine': 725794, 'quarantine alonetogether': 692002, 'are tough er': 91170, 'tough er body': 926812, 'er body need': 280002, 'body need side': 133870, 'need side hustle': 555568, 'side hustle via': 768821, 'hustle via thatgoodgood': 411833, 'via thatgoodgood tp': 956296, 'thatgoodgood tp toiletpaper': 847794, 'tp toiletpaper badbunny': 927992, 'toiletpaper badbunny easterbunny': 921780, 'badbunny easterbunny easter': 108115, 'easterbunny easter easter2020': 265549, 'easter easter2020 thingsamazonwontdeliver': 265412, 'easter2020 thingsamazonwontdeliver happyeaster': 265539, 'thingsamazonwontdeliver happyeaster rona': 885053, 'happyeaster rona quarantine': 377759, 'rona quarantine alonetogether': 725795, 'kernel': 473123, 'of popcorn': 588228, 'popcorn kernel': 664487, 'kernel and': 473124, 'my surprise': 550293, 'surprise covid': 828520, 'place comfort': 657389, 'panic what': 638772, 'am almost out': 49863, 'out of popcorn': 626809, 'of popcorn kernel': 588229, 'popcorn kernel and': 664488, 'kernel and it': 473125, 'and it ha': 65535, 'been my surprise': 121556, 'my surprise covid': 550294, 'surprise covid 19': 828521, 'in place comfort': 426728, 'place comfort food': 657390, 'comfort food and': 187835, 'food and now': 313297, 'and now am': 67821, 'now am in': 573996, 'am in panic': 50140, 'in panic what': 426495, 'panic what to': 638773, 'pharm': 654007, 'navarro need': 553047, 'and stfu': 72356, 'stfu he': 800005, 'playing some': 659443, 'game that': 343261, 'that very': 847241, 'likely involves': 492032, 'involves big': 444370, 'big pharm': 129912, 'pharm and': 654008, 'navarro need to': 553048, 'need to sit': 556072, 'to sit down': 914682, 'sit down and': 771820, 'down and stfu': 256516, 'and stfu he': 72357, 'stfu he is': 800006, 'he is playing': 385138, 'is playing some': 450899, 'playing some kind': 659445, 'kind of game': 474900, 'of game that': 584034, 'game that very': 343262, 'that very likely': 847242, 'very likely involves': 955309, 'likely involves big': 492033, 'involves big pharm': 444371, 'big pharm and': 129913, 'pharm and stock': 654009, 'spoofed': 789852, 'using website': 950793, 'product using': 681802, 'using spoofed': 950666, 'spoofed email': 789853, 'text amp': 839871, 'medium requesting': 527254, 'requesting personal': 713275, 'info hang': 437487, 'robocalls amp': 724761, 'amp know': 54053, 'warning about scam': 967070, 'about scam taking': 26142, 'scam taking advantage': 740385, 'of fear about': 583452, 'fear about using': 301008, 'about using website': 26816, 'using website to': 950794, 'website to sell': 975451, 'fake product using': 296697, 'product using spoofed': 681803, 'using spoofed email': 950667, 'spoofed email text': 789854, 'email text amp': 272318, 'text amp social': 839872, 'social medium requesting': 779878, 'medium requesting personal': 527255, 'requesting personal info': 713276, 'personal info hang': 652881, 'info hang up': 437488, 'on robocalls amp': 603212, 'robocalls amp know': 724762, 'amp know who': 54054, 'are buying from': 85120, 'demanding hazard': 236589, 'these stimulus': 880729, 'in demanding hazard': 422172, 'demanding hazard pay': 236590, 'pay for employee': 644873, 'for employee essential': 321031, 'employee essential business': 273820, 'essential business in': 280850, 'business in these': 143906, 'in these stimulus': 429857, 'these stimulus package': 880730, 'to cinema': 902759, 'cinema theater': 178547, 'theater or': 872265, 'restaurant just': 716541, 'just cooking': 468521, 'buying unnecessary': 151281, 'or clothing': 614758, 'clothing we': 184294, 'far much': 298856, 'saving than': 737963, 'you noticed that': 1020150, 'noticed that being': 573477, 'that being at': 842973, 'home not going': 401673, 'going to cinema': 355552, 'to cinema theater': 902760, 'cinema theater or': 178548, 'theater or restaurant': 872266, 'or restaurant just': 616881, 'restaurant just cooking': 716542, 'just cooking your': 468522, 'cooking your own': 202948, 'own food not': 631999, 'food not buying': 315560, 'not buying unnecessary': 568664, 'buying unnecessary stuff': 151283, 'unnecessary stuff or': 942941, 'stuff or clothing': 815165, 'or clothing we': 614759, 'clothing we re': 184295, 'we re spending': 972970, 're spending by': 699559, 'spending by far': 788770, 'by far much': 152551, 'far much le': 298857, 'much le money': 545041, 'le money saving': 483030, 'money saving than': 537008, 'saving than before': 737964, 'zero coverage': 1027428, 'demand zero coverage': 236542, 'at paragon': 100068, 'paragon amp': 641325, 'supply unlike': 826061, 'unlike eve': 942703, 'law being': 482228, 'enforced march': 276715, '21 where': 15037, 'shut except': 767878, 'line at paragon': 492989, 'at paragon amp': 100069, 'paragon amp shelf': 641326, 'food supply unlike': 317010, 'supply unlike eve': 826062, 'unlike eve of': 942704, 'eve of law': 283785, 'of law being': 585736, 'law being enforced': 482229, 'being enforced march': 125109, 'enforced march 21': 276716, 'march 21 where': 515174, '21 where many': 15038, 'where many in': 985010, 'many in store': 514170, 'store across new': 806066, 'across new law': 29406, 'new law requires': 559014, 'law requires all': 482384, 'requires all to': 713455, 'all to shut': 45249, 'to shut except': 914605, 'shut except essential': 767879, 'umpteenth': 939254, 'final breath': 305828, 'breath in': 139173, 'my umpteenth': 550455, 'umpteenth supermarket': 939255, 'shop next': 760481, 'week hope': 976337, 'hope fall': 403465, 'some selfish': 783818, 'hoarding carrying': 399244, 'carrying multiple': 165197, 'multiple pack': 545771, 'roll london': 725374, 'if take my': 414913, 'take my final': 832352, 'my final breath': 548319, 'final breath in': 305829, 'breath in my': 139174, 'in my umpteenth': 425641, 'my umpteenth supermarket': 550456, 'umpteenth supermarket of': 939256, 'day when next': 228725, 'when next shop': 983775, 'next shop next': 561553, 'shop next week': 760482, 'next week hope': 561686, 'week hope fall': 976338, 'hope fall at': 403466, 'at the foot': 100950, 'the foot of': 855653, 'foot of some': 318412, 'of some selfish': 589905, 'some selfish hoarding': 783820, 'selfish hoarding carrying': 748125, 'hoarding carrying multiple': 399245, 'carrying multiple pack': 165198, 'multiple pack of': 545772, 'pack of loo': 633103, 'loo roll london': 502187, 'roll london stophoarding': 725375, 'in korea': 424533, 'korea due': 477467, 'shopping increase by': 763005, 'increase by 25': 432703, 'by 25 in': 151607, '25 in korea': 15887, 'in korea due': 424534, 'korea due to': 477468, 'vermillion': 954833, 'in vermillion': 430556, 'vermillion oh': 954834, 'great little': 362809, 'little beach': 495244, 'beach town': 118247, 'town toiletpaper': 927572, 'toiletpaper takeout': 922574, 'delivery shoplocal': 234490, 'seen in vermillion': 747087, 'in vermillion oh': 430557, 'vermillion oh great': 954835, 'oh great little': 596403, 'great little beach': 362810, 'little beach town': 495245, 'beach town toiletpaper': 118248, 'town toiletpaper takeout': 927573, 'toiletpaper takeout delivery': 922575, 'takeout delivery shoplocal': 833153, 'fvm': 342571, 'safe thing': 730031, 'gotten crazy': 359129, 'crazy due': 215283, 've discounted': 953050, 'discounted all': 244573, 'on fvm': 601061, 'fvm by': 342572, '35 to': 17917, 'help freelance': 389760, 'freelance designer': 332430, 'designer and': 238373, 'others effected': 621373, 'effected thanks': 269182, 'keep creating': 471436, 'creating thankyou': 216080, 'thankyou free': 842335, 'free vector': 332295, 'vector map': 953676, 'doing well out': 252836, 'well out there': 978460, 'there and staying': 878010, 'staying safe thing': 798699, 'safe thing have': 730032, 'thing have gotten': 884404, 'have gotten crazy': 380819, 'gotten crazy due': 359130, 'crazy due to': 215284, 'to ve discounted': 918130, 've discounted all': 953051, 'discounted all price': 244574, 'price on fvm': 675676, 'on fvm by': 601062, 'fvm by up': 342573, 'up to 35': 946335, 'to 35 to': 899697, '35 to help': 17918, 'to help freelance': 907522, 'help freelance designer': 389761, 'freelance designer and': 332431, 'designer and others': 238374, 'and others effected': 68443, 'others effected thanks': 621374, 'effected thanks for': 269183, 'support and keep': 826362, 'and keep creating': 65757, 'keep creating thankyou': 471437, 'creating thankyou free': 216081, 'thankyou free vector': 842336, 'free vector map': 332296, 'today left': 919793, 'who weren': 989973, 'weren wearing': 980424, 'right gear': 721907, 'themselves some': 876893, 'some weren': 784204, 'weren even': 980394, 'glove feel': 352681, 'in doha': 422339, 'doha aren': 252232, 'aren aware': 92339, 'today left the': 919794, 'time the supermarket': 897878, 'supermarket wa filled': 823697, 'people who weren': 650358, 'who weren wearing': 989974, 'weren wearing the': 980425, 'wearing the right': 974801, 'the right gear': 865810, 'right gear to': 721908, 'gear to protect': 344999, 'protect themselves some': 685022, 'themselves some weren': 876894, 'some weren even': 784205, 'weren even wearing': 980395, 'even wearing glove': 284772, 'wearing glove feel': 974632, 'glove feel that': 352682, 'feel that many': 302874, 'people in doha': 648370, 'in doha aren': 422340, 'doha aren aware': 252233, 'aren aware of': 92340, 'confectionary': 193709, 'pla': 657279, 'lockdown lot': 499633, 'of confectionary': 581652, 'confectionary store': 193710, 'the seen': 866642, 'seen if': 747063, 'if lockdown': 414387, 'lockdown increased': 499526, '19 community': 5904, 'spread specially': 790804, 'in class': 421496, 'class city': 180168, 'city emergency': 179134, 'be pla': 116418, 'today just after': 919761, 'just after week': 468172, 'of lockdown lot': 585959, 'lockdown lot of': 499634, 'lot of confectionary': 504160, 'of confectionary store': 581653, 'confectionary store are': 193711, 'of stock how': 590167, 'stock how will': 802251, 'how will be': 409219, 'be the seen': 117654, 'the seen if': 866643, 'seen if lockdown': 747064, 'if lockdown increased': 414388, 'lockdown increased because': 499527, 'covid 19 community': 212831, '19 community spread': 5905, 'community spread specially': 190113, 'spread specially in': 790805, 'specially in class': 788147, 'in class city': 421497, 'class city emergency': 180169, 'city emergency supply': 179135, 'emergency supply chain': 273003, 'to be pla': 901440, 'octt': 579155, 'euets carbon': 283314, 'price race': 676057, 'race up': 695208, 'monday wider': 536420, 'wider market': 991818, 'market rallied': 516930, 'rallied on': 696246, 'slowdown octt': 774458, 'euets carbon price': 283315, 'carbon price race': 163415, 'price race up': 676058, 'race up more': 695209, 'more than to': 540689, 'than to top': 841345, 'to top 20': 917634, 'top 20 on': 925527, '20 on monday': 13225, 'on monday wider': 602193, 'monday wider market': 536421, 'wider market rallied': 991819, 'market rallied on': 516931, 'rallied on sign': 696247, 'of slowdown octt': 589774, 'bicester': 129446, 'message bicester': 529276, 'bicester we': 129447, 'this message bicester': 888838, 'message bicester we': 529277, 'bicester we got': 129448, 'unbelievably': 939519, 'day staying': 228402, 'away finally': 105836, 'finally braved': 305951, 'supermarket observation': 821686, 'observation some': 578559, 'some observing': 783381, 'not bothering': 568602, 'bothering unbelievably': 136149, 'unbelievably some': 939525, 'some walking': 784179, 'phone wandering': 655057, 'wandering aimlessly': 965572, 'aimlessly they': 39590, 'they chat': 881748, 'chat we': 173971, 'of educating': 582976, 'after day staying': 35542, 'day staying away': 228403, 'staying away finally': 798578, 'away finally braved': 105837, 'finally braved the': 305952, 'the supermarket observation': 868721, 'supermarket observation some': 821687, 'observation some observing': 578561, 'some observing social': 783382, 'distancing but many': 247059, 'but many not': 146357, 'many not bothering': 514353, 'not bothering unbelievably': 568603, 'bothering unbelievably some': 136150, 'unbelievably some walking': 939526, 'some walking in': 784180, 'walking in while': 965064, 'in while on': 430880, 'while on their': 987105, 'on their phone': 604497, 'their phone wandering': 874294, 'phone wandering aimlessly': 655058, 'wandering aimlessly they': 965573, 'aimlessly they chat': 39591, 'they chat we': 881749, 'chat we all': 173972, 'job of educating': 466032, 'southafrica biggest': 786799, 'shopper stripped': 761722, 'stripped shelf': 813875, 'southafrica biggest supermarket': 786800, 'biggest supermarket sa': 130334, 'frantic shopper stripped': 331192, 'shopper stripped shelf': 761723, 'stripped shelf to': 813877, 'most wonderful': 542923, 'wonderful time': 1004131, 'line everything': 493080, 'shopping woodland': 764460, 'woodland hill': 1004302, 'hill california': 396467, 'the most wonderful': 861067, 'most wonderful time': 542924, 'wonderful time of': 1004132, 'year to go': 1015043, 'shopping no line': 763328, 'no line everything': 564608, 'line everything in': 493081, 'stock food grocery': 802133, 'food grocery shopping': 314724, 'grocery shopping woodland': 365110, 'shopping woodland hill': 764461, 'woodland hill california': 1004303, 'saturday lunchtime': 737037, 'lunchtime even': 506764, 'aisle on': 40332, 'on pallet': 602682, 'pallet happy': 634590, 'friendly staff': 334003, 'played well': 659292, 'much food in': 544904, 'were full on': 979671, 'full on saturday': 340775, 'on saturday lunchtime': 603299, 'saturday lunchtime even': 737038, 'lunchtime even food': 506765, 'even food in': 284074, 'the aisle on': 848529, 'aisle on pallet': 40333, 'on pallet happy': 602683, 'pallet happy and': 634591, 'happy and friendly': 377582, 'and friendly staff': 63340, 'friendly staff too': 334004, 'staff too well': 793012, 'too well played': 925164, 'well played well': 978485, 'played well played': 659293, 'mean everybody': 524414, 'everybody doing': 286425, 'distancing washing': 247612, 'friend safe and': 333787, 'safe and that': 729490, 'that mean everybody': 845106, 'mean everybody doing': 524415, 'everybody doing the': 286426, 'doing the six': 252728, 'six foot distancing': 772638, 'foot distancing washing': 318378, 'distancing washing your': 247613, 'gas bear': 343774, 'bear keep': 118407, 'keep control': 471422, 'remain below': 709708, 'below seasonal': 126725, 'seasonal norm': 743471, 'norm due': 567033, 'in industrial': 424080, 'commercial sector': 188733, 'sector despite': 744168, 'weather forecast': 974869, 'gas bear keep': 343775, 'bear keep control': 118408, 'keep control of': 471423, 'control of european': 202069, 'of european spot': 583222, 'european spot gas': 283607, 'gas price demand': 343949, 'price demand is': 673424, 'to remain below': 913158, 'remain below seasonal': 709709, 'below seasonal norm': 126726, 'seasonal norm due': 743472, 'norm due to': 567034, 'due to driven': 261767, 'cut in industrial': 223377, 'in industrial and': 424081, 'industrial and commercial': 435531, 'and commercial sector': 60139, 'commercial sector despite': 188734, 'sector despite cold': 744169, 'cold weather forecast': 185811, 'weather forecast for': 974870, 'forecast for next': 328819, 'deniy': 236998, 'responsable': 715606, 'how spice': 408734, 'jet deniy': 465333, 'deniy to': 236999, 'jet is': 465343, 'forcing me': 328713, 'be responsable': 116829, 'responsable for': 715607, 'any issue': 79368, 'issue arise': 455677, 'arise with': 92797, 'me health': 522880, 'health spice': 386861, 'jet forcing': 465337, 'for knocking': 322858, 'knocking door': 476180, 'how spice jet': 408735, 'spice jet deniy': 789206, 'jet deniy to': 465334, 'deniy to refund': 237000, 'to refund the': 913091, 'refund the money': 706961, 'spice jet is': 789209, 'jet is forcing': 465344, 'is forcing me': 447903, 'forcing me to': 328715, 'to travel in': 917733, 'travel in public': 930391, 'in public transport': 427107, 'will be responsable': 992648, 'be responsable for': 116830, 'responsable for any': 715608, 'for any issue': 319410, 'any issue arise': 79369, 'issue arise with': 455678, 'arise with me': 92798, 'with me health': 999443, 'me health spice': 522881, 'health spice jet': 386862, 'spice jet forcing': 789208, 'jet forcing me': 465338, 'forcing me for': 328714, 'me for knocking': 522751, 'for knocking door': 322859, 'knocking door of': 476181, 'door of consumer': 255663, 'of consumer court': 581728, 'increasingly urgent': 433808, 'urgent emphasis': 948340, 'store staple': 810338, 'given the increasingly': 351138, 'the increasingly urgent': 858091, 'increasingly urgent emphasis': 433809, 'urgent emphasis on': 948341, 'certain grocery store': 170029, 'grocery store staple': 365795, 'store staple due': 810339, 'the now might': 861942, 'open people': 612437, 'keep trying': 472164, 'my social': 550137, 'distancing border': 247045, 'border nobody': 135266, 'buying mattress': 150703, 'mattress right': 520701, 'now scomo': 575737, 'scomo lockdownaustralia': 742299, 'lockdownaustralia stayhomeaustralia': 500225, 'fuck is my': 339590, 'is my retail': 449809, 'still open people': 800970, 'open people keep': 612439, 'people keep trying': 648582, 'keep trying to': 472165, 'trying to cross': 934787, 'to cross my': 903761, 'cross my social': 219020, 'my social distancing': 550138, 'social distancing border': 779570, 'distancing border nobody': 247046, 'border nobody should': 135267, 'be buying mattress': 113942, 'buying mattress right': 150704, 'mattress right now': 520702, 'right now scomo': 722128, 'now scomo lockdownaustralia': 575738, 'scomo lockdownaustralia stayhomeaustralia': 742300, 'changing drastically': 172693, 'drastically and': 258423, 'quickly novel': 694559, 'fear have': 301155, 'people rushing': 649330, 'the assures': 848989, 'assures bill': 97136, 'bill even': 130568, 'even ceo': 283944, 'national pork': 552584, 'pork board': 664787, 'buying behavior is': 150015, 'is changing drastically': 446469, 'changing drastically and': 172694, 'drastically and quickly': 258424, 'and quickly novel': 69884, 'quickly novel coronavirus': 694560, '19 fear have': 6957, 'fear have people': 301156, 'have people rushing': 381915, 'people rushing to': 649331, 'rushing to grocery': 728397, 'shortage of meat': 765121, 'in the assures': 428990, 'the assures bill': 848990, 'assures bill even': 97137, 'bill even ceo': 130569, 'even ceo of': 283945, 'the national pork': 861303, 'national pork board': 552585, 'quarantine phase': 692433, 'phase definitely': 654603, 'definitely at': 232305, 'at phase': 100115, 'phase lol': 654618, 'lol quarantinelife': 500945, 'little humor during': 495396, 'humor during this': 410868, 'this quarantine phase': 889777, 'quarantine phase definitely': 692434, 'phase definitely at': 654604, 'definitely at phase': 232306, 'at phase lol': 100116, 'phase lol quarantinelife': 654619, 'lol quarantinelife quarantine': 500946, 'chairwoman': 171355, 'news alert': 560208, 'alert chairwoman': 41378, 'chairwoman call': 171356, 'company not': 190910, 'news alert chairwoman': 560209, 'alert chairwoman call': 41379, 'chairwoman call on': 171357, 'call on drug': 156035, 'on drug company': 600427, 'drug company not': 260920, 'company not to': 190911, 'price for treatment': 674072, 'you shocking': 1021154, 'england show': 277027, 'show kilometer': 767023, 'chain costco': 170623, 'costco tesco': 208270, 'tesco with': 838853, 'lockdown looming': 499631, 'looming uk': 503118, 'near you shocking': 553644, 'you shocking video': 1021155, 'shocking video out': 759637, 'video out of': 956861, 'out of england': 626727, 'of england show': 583122, 'england show kilometer': 277028, 'show kilometer long': 767024, 'supermarket chain costco': 819599, 'chain costco tesco': 170625, 'costco tesco with': 208271, 'tesco with lockdown': 838854, 'with lockdown looming': 999291, 'lockdown looming uk': 499632, 'looming uk 19': 503119, 'uk 19 case': 938144, '19 case spike': 5700, 'of bakery': 580525, 'bakery product': 108875, 'product appreciate': 680925, 'consumer of bakery': 198236, 'of bakery product': 580526, 'bakery product appreciate': 108876, 'product appreciate how': 680926, 'appreciate how the': 82727, 'how the merchant': 408849, 'the merchant service': 860494, 'kingsbj': 475359, 'sbjunpacks': 739812, 'to kingsbj': 908956, 'kingsbj for': 475360, 'for involving': 322647, 'involving me': 444406, 'today sbjunpacks': 920148, 'sbjunpacks podcast': 739813, 'sport right': 789976, 'right owner': 722217, 'owner that': 632574, 'are demonstrating': 85779, 'thanks to kingsbj': 842240, 'to kingsbj for': 908957, 'kingsbj for involving': 475361, 'for involving me': 322648, 'involving me in': 444407, 'me in today': 522981, 'in today sbjunpacks': 430164, 'today sbjunpacks podcast': 920149, 'sbjunpacks podcast to': 739814, 'discus consumer attitude': 244836, 'attitude to brand': 102590, 'to brand and': 901983, 'brand and sport': 137734, 'and sport right': 72132, 'sport right owner': 789977, 'right owner that': 722218, 'owner that are': 632575, 'that are demonstrating': 842739, 'are demonstrating leadership': 85780, 'leadership during the': 483598, 'toulet': 926912, 'isitspringyet': 454249, 'toulet paper': 926913, 'been acquired': 120602, 'acquired quarantine': 29178, 'quarantine coronacation': 692098, 'coronacation socialdistancing': 204459, 'socialdistancing prep': 780617, 'prep ready': 670013, 'ready isitspringyet': 700898, 'isitspringyet toiletpaper': 454250, 'toulet paper ha': 926914, 'paper ha been': 640234, 'ha been acquired': 369706, 'been acquired quarantine': 120603, 'acquired quarantine coronacation': 29179, 'quarantine coronacation socialdistancing': 692099, 'coronacation socialdistancing prep': 204460, 'socialdistancing prep ready': 780618, 'prep ready isitspringyet': 670014, 'ready isitspringyet toiletpaper': 700899, 'affair alert': 33988, 'consumer affair alert': 196074, 'affair alert consumer': 33989, 'alert consumer about': 41383, 'consumer about potential': 195995, 'about potential covid': 25977, '19 scam via': 10352, 'opening time via': 612931, 'nessel provides': 557513, 'provides guidance': 686856, 'on executive': 600663, 'order violation': 618742, 'violation after': 957510, 'intake line': 440929, 'were flooded': 979638, 'flooded with': 310739, 'to violation': 918184, 'state new': 795781, 'rule implemented': 727259, 'implemented result': 418479, 'ag nessel provides': 36813, 'nessel provides guidance': 557514, 'provides guidance on': 686857, 'guidance on executive': 368264, 'on executive order': 600665, 'executive order violation': 289928, 'order violation after': 618743, 'violation after her': 957511, 'after her consumer': 35783, 'protection intake line': 685490, 'intake line were': 440930, 'line were flooded': 493556, 'were flooded with': 979639, 'flooded with phone': 310740, 'with phone call': 1000195, 'phone call related': 654930, 'related to violation': 708623, 'to violation of': 918185, 'the state new': 867795, 'state new rule': 795782, 'new rule implemented': 559522, 'rule implemented result': 727260, 'implemented result of': 418480, 'of emptying': 583096, 'shelf perhaps': 757406, 'perhaps those': 651659, 'instead of emptying': 440259, 'of emptying supermarket': 583097, 'supermarket shelf perhaps': 822509, 'shelf perhaps those': 757407, 'perhaps those who': 651660, 'could start using': 209713, 'all try to': 45295, 'have federal': 380597, 'federal minimum': 302025, 'and genius': 63529, 'genius like': 345792, 'it american': 456457, 'american not': 52099, 'manhattan could': 513131, 'compete labor': 191593, 'labor arbitrage': 478398, 'arbitrage rich': 84007, 'rich limited': 721235, 'reduced but': 706033, 'want global': 965799, 'global corruption': 351827, 'corruption maybe': 207698, 'didn have federal': 241088, 'have federal minimum': 380598, 'federal minimum wage': 302026, 'wage and genius': 963809, 'and genius like': 63530, 'genius like you': 345793, 'you to manage': 1021804, 'to manage it': 909792, 'manage it american': 512399, 'it american not': 456458, 'american not in': 52101, 'not in manhattan': 570100, 'in manhattan could': 425032, 'manhattan could compete': 513132, 'could compete labor': 209037, 'compete labor arbitrage': 191594, 'labor arbitrage rich': 478399, 'arbitrage rich limited': 84008, 'rich limited and': 721236, 'limited and price': 492601, 'and price reduced': 69469, 'price reduced but': 676128, 'reduced but you': 706034, 'you want global': 1022140, 'want global corruption': 965800, 'global corruption maybe': 351828, 'corruption maybe we': 207699, 'maybe we could': 521871, 'we could ask': 971197, 'could ask the': 208825, 'costa food': 208181, 'organization scramble': 619416, 'contra costa food': 201615, 'costa food organization': 208182, 'food organization scramble': 315692, 'organization scramble to': 619417, 'nielsencga': 562662, 'the mandated': 860008, 'mandated closure': 513016, 'the nielsencga': 861794, 'nielsencga have': 562663, 'and perception': 68897, 'perception since': 651250, 'latest velocity': 481595, 'velocity analysis': 954317, 'analysis april': 57019, 'april download': 83576, 'latest free': 481354, 'since the mandated': 770893, 'the mandated closure': 860009, 'mandated closure across': 513017, 'across the nielsencga': 29508, 'the nielsencga have': 861795, 'nielsencga have been': 562664, 'been monitoring the': 121534, 'the impact consumer': 857933, 'behavior and perception': 123898, 'and perception since': 68898, 'perception since the': 651251, 'the latest velocity': 859155, 'latest velocity analysis': 481596, 'velocity analysis april': 954318, 'analysis april download': 57020, 'april download the': 83577, 'download the latest': 257630, 'the latest free': 859105, 'latest free report': 481355, 'free report and': 332095, 'report and insight': 711800, 'and insight here': 65259, 'ask any': 95486, 'found everything': 330201, 'store chinavirus': 806968, 'do not they': 249868, 'not they ask': 572065, 'they ask any': 881497, 'ask any more': 95487, 'any more if': 79486, 'more if found': 539475, 'if found everything': 414126, 'found everything needed': 330202, 'everything needed at': 287931, 'needed at the': 556307, 'grocery store chinavirus': 365282, 'store chinavirus wuhanvirus': 806969, 'site supplychain': 772015, 'scary site supplychain': 741182, 'site supplychain grocery': 772016, 'supplychain grocery retail': 826186, 'dropping 25': 260660, '25 this': 15973, 'sanction severely': 733640, 'severely damaging': 754079, 'isfahani discus': 454210, 'on iranian': 601619, 'iranian politics': 444735, 'price dropping 25': 673600, 'dropping 25 this': 260661, '25 this month': 15974, 'and sanction severely': 70818, 'sanction severely damaging': 733641, 'severely damaging the': 754080, 'salehi isfahani discus': 732668, 'isfahani discus the': 454211, 'discus the lasting': 244923, 'crisis on iranian': 217814, 'on iranian politics': 601620, 'imspoed': 419655, 'against profiteering': 37592, 'profiteering carried': 683018, 'out inspection': 626422, 'inspection of': 439773, 'fine imspoed': 307649, 'imspoed on': 419656, 'price 500': 672162, '500 mask': 20012, 'mask recovered': 519191, 'recovered and': 705220, 'and confiscated': 60291, 'confiscated kp': 194254, 'kp government': 477577, 'government pakistan': 360446, 'pakistan coronaalert': 634436, 'coronafighters frontliners': 204944, 'action against profiteering': 29935, 'against profiteering carried': 37593, 'profiteering carried out': 683019, 'carried out inspection': 164940, 'out inspection of': 626423, 'inspection of medical': 439774, 'of medical store': 586399, 'medical store fine': 526417, 'store fine imspoed': 807730, 'fine imspoed on': 307650, 'imspoed on selling': 419657, 'on selling mask': 603364, 'glove on higher': 352820, 'on higher price': 601303, 'higher price 500': 395660, 'price 500 mask': 672163, '500 mask recovered': 20013, 'mask recovered and': 519192, 'recovered and confiscated': 705222, 'and confiscated kp': 60292, 'confiscated kp government': 194255, 'kp government pakistan': 477578, 'government pakistan coronaalert': 360447, 'pakistan coronaalert coronafighters': 634437, 'coronaalert coronafighters frontliners': 204420, 'yeah how': 1014263, 'you social': 1021292, 'up pre': 945791, 'pre ordered': 669189, 'ordered sub': 618902, 'sub sandwich': 815689, 'anxious scared': 78860, 'yeah how do': 1014264, 'do you social': 250679, 'you social distance': 1021293, 'store or when': 809380, 'you go in': 1018855, 'in to pick': 430132, 'pick up pre': 655749, 'up pre ordered': 945792, 'pre ordered sub': 669190, 'ordered sub sandwich': 618903, 'sub sandwich how': 815690, 'sandwich how do': 733740, 'do this anxious': 250340, 'this anxious scared': 886373, 'on ny': 602467, 'fed consumer': 301792, 'expectation survey': 290850, 'survey sentiment': 828942, 'sentiment dropped': 750917, 'dropped march': 260591, 'march went': 515524, 'see job': 745343, 'more on ny': 539927, 'on ny fed': 602468, 'ny fed consumer': 577854, 'fed consumer expectation': 301793, 'consumer expectation survey': 197402, 'expectation survey sentiment': 290851, 'survey sentiment dropped': 828943, 'sentiment dropped march': 750918, 'dropped march went': 260592, 'march went on': 515525, 'went on more': 979072, 'on more see': 602215, 'more see job': 540338, 'see job loss': 745344, 'via drink': 955931, 'will the post': 995152, '19 consumer look': 5976, 'consumer look like': 198071, 'look like via': 502526, 'like via drink': 491734, 'drug medicalsupplies': 261010, 'medicalsupplies for': 526562, 'greed medicine': 363405, 'critical drug medicalsupplies': 218545, 'drug medicalsupplies for': 261011, 'medicalsupplies for greed': 526563, 'for greed medicine': 322013, '19 coronavirus new': 6110, 'coronavirus new rule': 206313, 'new rule for': 559520, 'rule for online': 727237, 've recovered': 953497, 'after we ve': 36519, 'we ve recovered': 973704, 've recovered from': 953498, 'recovered from the': 705232, 'from the hope': 337745, 'the hope we': 857497, 'appreciation for healthcare': 82879, 'we do without': 971363, '45mins': 19201, 'am you': 50583, '19 quarantined': 9920, 'quarantined flu': 692849, 'flu season': 311453, 'season besides': 743382, 'besides eating': 127496, 'your previously': 1025390, 'previously bought': 672025, 'bought snack': 136709, 'snack online': 776019, 'me 45mins': 522336, '45mins of': 19202, 'of cycling': 582305, 'cycling outside': 224095, 'outside on': 629520, 'on balcony': 599546, 'balcony peloton': 109030, 'peloton app': 646382, 'what am you': 981025, 'am you doing': 50584, 'you doing during': 1018295, 'this 19 quarantined': 886155, '19 quarantined flu': 9921, 'quarantined flu season': 692850, 'flu season besides': 311454, 'season besides eating': 743383, 'besides eating up': 127497, 'up all your': 944263, 'all your previously': 45578, 'your previously bought': 1025391, 'previously bought snack': 672026, 'bought snack online': 136710, 'snack online shopping': 776020, 'shopping me 45mins': 763263, 'me 45mins of': 522337, '45mins of cycling': 19203, 'of cycling outside': 582306, 'cycling outside on': 224096, 'outside on balcony': 629521, 'on balcony peloton': 599547, 'balcony peloton app': 109031, 'perhaps there': 651646, 'found level': 330275, 'understanding and': 940858, 'for cuban': 320478, 'cuban who': 220172, 'have faced': 380547, 'faced international': 295025, 'international sanction': 441850, 'sanction resulting': 733636, 'in similar': 427959, 'similar supermarket': 769931, 'scene for': 741322, 'perhaps there will': 651647, 'will be new': 992571, 'be new found': 116071, 'new found level': 558762, 'found level of': 330276, 'level of understanding': 487667, 'of understanding and': 592616, 'understanding and empathy': 940859, 'and empathy for': 62052, 'empathy for cuban': 273351, 'for cuban who': 320479, 'cuban who have': 220173, 'who have faced': 988922, 'have faced international': 380549, 'faced international sanction': 295026, 'international sanction resulting': 441851, 'sanction resulting in': 733637, 'resulting in similar': 717710, 'in similar supermarket': 427960, 'similar supermarket scene': 769932, 'supermarket scene for': 822339, 'scene for decade': 741323, 'county announcing': 211321, 'announcing health': 77313, 'order called': 618104, 'called safer': 156432, 'home urging': 402407, 'urging resident': 948447, 'make essential': 509881, 'bank hospital': 109907, 'continue practice': 201104, 'la county announcing': 478147, 'county announcing health': 211322, 'announcing health order': 77314, 'health order called': 386717, 'order called safer': 618105, 'called safer at': 156433, 'safer at home': 730344, 'at home urging': 99157, 'home urging resident': 402408, 'urging resident to': 948448, 'only make essential': 610754, 'make essential trip': 509885, 'store bank hospital': 806641, 'bank hospital and': 109908, 'hospital and to': 404289, 'and to continue': 74158, 'to continue practice': 903401, 'continue practice social': 201105, 'stockpile need': 803777, 'in supermarket those': 428693, 'supermarket those people': 823325, 'who stockpile need': 989690, 'stockpile need to': 803778, 'to be le': 901358, 'and stop shopping': 72485, 'stop shopping for': 805022, 'nurse sanitation': 577472, 'actually deserve': 30777, 'deserve for': 238056, 'very fabric': 955150, 'fabric of': 294231, 'together not': 920879, 'seriously we need': 751778, 'we need thousand': 972561, 'need thousand time': 555838, 'thousand time over': 893497, 'time over to': 897442, 'over to pay': 630841, 'to pay our': 911548, 'pay our teacher': 645029, 'our teacher nurse': 625091, 'teacher nurse sanitation': 835491, 'nurse sanitation worker': 577473, 'store cashier what': 806894, 'cashier what they': 166659, 'they actually deserve': 881097, 'actually deserve for': 30778, 'deserve for holding': 238057, 'for holding the': 322333, 'holding the very': 400175, 'the very fabric': 870704, 'very fabric of': 955151, 'fabric of our': 294232, 'society together not': 781340, 'together not only': 920880, 'not only during': 570792, 'only during this': 610378, 'time but all': 896412, 'francisco rent': 331123, 'rise slightly': 723004, 'slightly during': 773954, '19 curbed': 6381, 'curbed sf': 220598, 'coronavirus san francisco': 206696, 'san francisco rent': 733547, 'francisco rent price': 331124, 'rent price rise': 711165, 'price rise slightly': 676246, 'rise slightly during': 723005, 'slightly during covid': 773956, 'covid 19 curbed': 212897, '19 curbed sf': 6382, 'little anxious': 495234, 'anxious afraid': 78833, 'afraid might': 34991, 've contracted': 953016, 'my bf': 547438, 'bf work': 129295, 'thankfully they': 841965, 'me idk': 522933, 'idk just': 413667, 'little anxious afraid': 495235, 'anxious afraid might': 78834, 'afraid might ve': 34992, 'might ve contracted': 531158, 've contracted covid': 953017, '19 my bf': 8721, 'my bf work': 547439, 'bf work at': 129296, 'work at retail': 1004895, 'wa still busy': 963308, 'still busy thankfully': 800307, 'busy thankfully they': 144986, 'thankfully they closed': 841966, 'they closed today': 881770, 'closed today for': 183406, 'today for week': 919544, 'week and maybe': 975923, 'and maybe he': 66814, 'maybe he ha': 521701, 'he ha it': 385027, 'ha it and': 371012, 'it and passed': 456507, 'and passed it': 68745, 'passed it to': 643276, 'to me idk': 909933, 'me idk just': 522934, 'idk just over': 413668, 'just over this': 469425, 'over this situation': 630818, 'chartoftheweek': 173877, 'customervalue': 223175, 'chartoftheweek pandemic': 173878, 'hit high': 398269, 'high ticket': 395475, 'ticket airline': 895588, 'and cruise': 60776, 'cruise alongside': 219688, 'alongside small': 47105, 'small pleasure': 775063, 'pleasure such': 660825, 'such eating': 816460, 'out marketer': 626540, 'marketer reassess': 517489, 'reassess what': 703174, 'constitutes customervalue': 195748, 'customervalue right': 223176, 'how digitalmarketing': 407701, 'digitalmarketing can': 242761, 'chartoftheweek pandemic hit': 173879, 'pandemic hit high': 635639, 'hit high ticket': 398270, 'high ticket airline': 395476, 'ticket airline and': 895589, 'airline and cruise': 39917, 'and cruise alongside': 60777, 'cruise alongside small': 219689, 'alongside small pleasure': 47106, 'small pleasure such': 775064, 'pleasure such eating': 660826, 'such eating out': 816461, 'eating out marketer': 266273, 'out marketer reassess': 626541, 'marketer reassess what': 517490, 'reassess what constitutes': 703175, 'what constitutes customervalue': 981245, 'constitutes customervalue right': 195749, 'customervalue right now': 223177, 'now and how': 574038, 'and how digitalmarketing': 64808, 'how digitalmarketing can': 407702, 'digitalmarketing can help': 242762, 'amazon seller': 51111, '20 would': 13413, 'would buy': 1011701, 'buy damn': 148521, 'damn box': 225324, 'box amazon': 137001, 'amazon kick': 51023, 'your drop': 1023606, 'drop party': 260364, 'and 3rd': 57467, 'seller we': 749110, 'need affordable': 554374, 'affordable to': 34906, 'it that amazon': 461484, 'that amazon seller': 842624, 'amazon seller are': 51113, 'seller are allowed': 748973, 'allowed to jack': 46234, 'mask for 20': 518667, 'for 20 would': 318734, '20 would buy': 13414, 'would buy damn': 1011702, 'buy damn box': 148522, 'damn box amazon': 225325, 'box amazon kick': 137002, 'amazon kick out': 51024, 'kick out your': 473799, 'out your drop': 627909, 'your drop party': 1023607, 'drop party and': 260365, 'party and 3rd': 642970, 'and 3rd party': 57468, 'party seller we': 643035, 'seller we need': 749111, 'we need affordable': 972463, 'need affordable to': 554375, 'affordable to donate': 34908, 'jb': 464903, 'carpls': 164903, 'governor jb': 360930, 'jb pritzker': 464904, 'pritzker carpls': 678775, 'carpls and': 164904, 'organization asked': 619348, 'all automatic': 42091, 'automatic payment': 103980, 'to payday': 911586, 'lender until': 486259, 'may 31': 520882, '31 or': 17603, 'later if': 481073, 'cover measure': 212251, 'letter to governor': 487362, 'to governor jb': 906944, 'governor jb pritzker': 360931, 'jb pritzker carpls': 464905, 'pritzker carpls and': 678776, 'carpls and many': 164905, 'many other organization': 514436, 'other organization asked': 620624, 'organization asked the': 619349, 'asked the governor': 95844, 'governor to stop': 361013, 'stop all automatic': 804437, 'all automatic payment': 42092, 'automatic payment to': 103981, 'payment to payday': 645766, 'to payday lender': 911587, 'payday lender until': 645333, 'lender until may': 486260, 'until may 31': 943770, 'may 31 or': 520884, '31 or later': 17604, 'or later if': 615932, 'later if the': 481074, 'last longer to': 480306, 'longer to cover': 502096, 'to cover measure': 903656, 'cover measure to': 212252, 'measure to stimulate': 525408, 'supply back': 824831, 'back hongkong': 107069, 'hongkong expat': 403218, 'expat ship': 290582, 'ship mask': 758695, 'mask home': 518800, 'with supply back': 1001078, 'supply back hongkong': 824832, 'back hongkong expat': 107070, 'hongkong expat ship': 403219, 'expat ship mask': 290583, 'ship mask home': 758696, 'mask home to': 518801, 'home to hot': 402325, 'to hot spot': 907994, 'so14': 778860, 'so15': 778863, 'so16': 778866, 'so17': 778869, 'so18': 778872, 'so19': 778875, 'delivery tonight': 234681, 'tonight so14': 924494, 'so14 so15': 778861, 'so15 so16': 778864, 'so16 so17': 778867, 'so17 so18': 778870, 'so18 and': 778873, 'and so19': 71858, 'so19 minimum': 778876, 'minimum spend': 533217, 'spend 25': 788560, '25 usual': 15990, 'usual menu': 950973, 'fee starting': 302229, 'from 30pm': 334275, '30pm please': 17515, 'please ring': 660420, 'order thrive': 618651, 'thrive vegan': 894214, 're offering delivery': 699158, 'offering delivery tonight': 595074, 'delivery tonight so14': 234682, 'tonight so14 so15': 924495, 'so14 so15 so16': 778862, 'so15 so16 so17': 778865, 'so16 so17 so18': 778868, 'so17 so18 and': 778871, 'so18 and so19': 778874, 'and so19 minimum': 71859, 'so19 minimum spend': 778877, 'minimum spend 25': 533218, 'spend 25 usual': 788561, '25 usual menu': 15991, 'usual menu price': 950974, 'menu price but': 528898, 'price but no': 672982, 'no delivery fee': 563987, 'delivery fee starting': 233993, 'fee starting from': 302230, 'starting from 30pm': 794957, 'from 30pm please': 334276, '30pm please ring': 17516, 'please ring up': 660421, 'ring up to': 722542, 'up to order': 946409, 'to order thrive': 911088, 'order thrive vegan': 618652, 'dramatic long': 258299, 'habit speeding': 372687, 'retail new': 718327, 'from suggests': 337466, 'suggests read': 817701, 'have dramatic long': 380358, 'dramatic long term': 258300, 'on consumer shopping': 600078, 'shopping habit speeding': 762851, 'habit speeding up': 372688, 'speeding up the': 788488, 'up the shift': 946214, 'to online retail': 910946, 'online retail new': 608871, 'retail new study': 718328, 'new study from': 559682, 'study from suggests': 814897, 'from suggests read': 337467, 'suggests read more': 817702, 'yesterday wearing': 1015938, 'man in melbourne': 512114, 'melbourne supermarket yesterday': 527943, 'supermarket yesterday wearing': 824179, 'yesterday wearing industrial': 1015939, 'price courtesy': 673304, 'spike in vegetable': 789311, 'vegetable price courtesy': 954071, 'interspar': 442133, 'interspar the': 442134, 'asking customer': 95957, 'to 5kg': 899778, '5kg 10': 20723, 'item re': 463602, 'interspar the local': 442135, 'supermarket is asking': 821070, 'is asking customer': 445824, 'asking customer to': 95958, 'customer to limit': 222968, 'to limit purchase': 909297, 'limit purchase to': 492467, 'purchase to 5kg': 689694, 'to 5kg 10': 899779, '5kg 10 piece': 20724, '10 piece of': 1633, 'piece of the': 656348, 'same item re': 733135, 'gaugeonfoods': 344551, 'gauge on': 344543, 'food gaugeonfoods': 314646, 'welcome to gauge': 977904, 'to gauge on': 906385, 'gauge on food': 344544, 'on food gaugeonfoods': 600867, 'reppin': 712857, 'reppin my': 712858, 'my gear': 548483, 'gear from': 344952, 'from go': 335650, 'own all': 631874, 'proceeds go': 679854, 'benefit keeping': 127020, 'neighbor nourished': 557058, 'nourished by': 573676, 'providing access': 686927, 'them meet': 876018, 'reppin my gear': 712859, 'my gear from': 548484, 'gear from go': 344953, 'from go to': 335651, 'your own all': 1025122, 'own all proceeds': 631875, 'all proceeds go': 44054, 'proceeds go to': 679855, 'go to benefit': 354281, 'to benefit keeping': 901763, 'benefit keeping our': 127021, 'keeping our neighbor': 472506, 'our neighbor nourished': 624009, 'neighbor nourished by': 557059, 'nourished by providing': 573677, 'by providing access': 153674, 'providing access to': 686928, 'healthy food help': 387631, 'food help them': 314810, 'help them meet': 390708, 'them meet the': 876020, 'channelsight we': 172972, 'noticed some': 573466, 'interesting product': 441594, 'product combination': 681067, 'combination that': 187110, 'not usually': 572381, 'usually see': 951153, 'behaviour result': 124509, 'basket look': 112366, 'like based': 489876, 'at channelsight we': 98230, 'channelsight we have': 172973, 'we have noticed': 971879, 'have noticed some': 381718, 'noticed some interesting': 573467, 'some interesting product': 783132, 'interesting product combination': 441595, 'product combination that': 681068, 'combination that we': 187111, 'would not usually': 1012082, 'not usually see': 572382, 'usually see in': 951154, 'see in regular': 745296, 'in regular online': 427358, 'shopping behaviour result': 762225, 'behaviour result of': 124510, 'essential basket look': 280821, 'basket look like': 112367, 'look like based': 502463, 'like based on': 489877, 'on the data': 604055, 'between navigating': 128834, 'navigating empty': 553119, 'distancing regulation': 247419, 'regulation how': 708071, 'purchasing priority': 689907, 'priority shifted': 678641, 'shifted in': 758493, 'between navigating empty': 128835, 'navigating empty grocery': 553120, 'empty grocery aisle': 274895, 'grocery aisle and': 364212, 'aisle and social': 40195, 'social distancing regulation': 779697, 'distancing regulation how': 247420, 'regulation how have': 708072, 'how have consumer': 407971, 'have consumer purchasing': 380084, 'consumer purchasing priority': 198624, 'purchasing priority shifted': 689908, 'priority shifted in': 678642, 'shifted in light': 758494, 'water wa': 969245, 'for dasani': 320544, 'dasani whose': 226062, 'whose shelf': 990678, 'abundance encouraging': 27586, 'didn make': 241131, 'make dasani': 509813, 'water bad': 968910, 'bad self': 108004, 'store today all': 810831, 'all the water': 44979, 'the water wa': 871131, 'water wa gone': 969246, 'wa gone except': 962226, 'except for dasani': 289155, 'for dasani whose': 320545, 'dasani whose shelf': 226063, 'whose shelf were': 990679, 'were in abundance': 979770, 'in abundance encouraging': 419993, 'abundance encouraging to': 27587, 'encouraging to know': 275743, 'that this thing': 847002, 'thing didn make': 884266, 'didn make dasani': 241132, 'make dasani water': 509814, 'dasani water bad': 226061, 'water bad self': 968911, 'bad self quarantine': 108005, 'hustled': 411834, 'trickster': 931740, 'warning be': 967093, 'claim do': 179724, 'be hustled': 115334, 'hustled by': 411835, 'by opportunistic': 153449, 'opportunistic trickster': 613575, 'trickster claiming': 931741, 'have miracle': 381477, 'report snake': 712262, 'general issue warning': 345382, 'issue warning be': 455990, 'warning be wary': 967094, 'wary of false': 967407, 'of false coronavirus': 583396, 'coronavirus claim do': 205655, 'claim do not': 179725, 'not be hustled': 568399, 'be hustled by': 115335, 'hustled by opportunistic': 411836, 'by opportunistic trickster': 153450, 'opportunistic trickster claiming': 613576, 'trickster claiming to': 931742, 'to have miracle': 907278, 'have miracle cure': 381478, 'miracle cure there': 533922, '19 he said': 7475, 'he said to': 385380, 'said to report': 731519, 'to report snake': 913285, 'report snake oil': 712263, 'oil scam here': 597417, 'spur curbside': 791326, 'curbside sale': 220669, 'door shuts': 255709, 'shuts another': 768176, 'door may': 255650, 'may open': 521405, 'that car': 843156, 'beer spur curbside': 122512, 'spur curbside sale': 791327, 'curbside sale where': 220670, 'one door shuts': 606210, 'door shuts another': 255710, 'shuts another door': 768177, 'another door may': 77590, 'door may open': 255651, 'may open and': 521406, 'are finding that': 86576, 'finding that car': 307548, 'that car door': 843157, 'essential emergency': 280994, 'worker let': 1007305, 'glove higher': 352720, 'wage better': 963829, 'better benefit': 128213, 'are essential emergency': 86247, 'essential emergency worker': 280995, 'emergency worker let': 273062, 'worker let treat': 1007306, 'let treat them': 487189, 'treat them such': 930897, 'them such mask': 876345, 'such mask glove': 816631, 'mask glove higher': 518736, 'glove higher wage': 352722, 'higher wage better': 395794, 'wage better benefit': 963830, 'better benefit thank': 128214, 'cna': 184708, 'all give': 42924, 'home necessity': 401647, 'necessity before': 554181, 'time cna': 896488, 'you all give': 1016879, 'all give out': 42925, 'out food basket': 626082, 'food basket and': 313687, 'basket and other': 112297, 'and other home': 68340, 'other home necessity': 620365, 'home necessity before': 401648, 'necessity before closing': 554182, 'before closing all': 122695, 'closing all business': 183573, 'all business most': 42236, 'business most people': 144070, 'not make enough': 570494, 'make enough to': 509878, 'up for month': 944947, 'for month at': 323511, 'month at time': 537597, 'at time cna': 101288, 'pacp have': 633758, 'have seized': 382453, 'seized illegal': 747439, 'illegal mask': 416227, 'mask oman': 519041, 'protection pacp have': 685553, 'pacp have seized': 633759, 'have seized illegal': 382454, 'seized illegal mask': 747440, 'illegal mask oman': 416228, 'sparking coronavirus': 787597, 'grocery store threw': 365863, 'in food that': 422991, 'on sparking coronavirus': 603587, 'sparking coronavirus fear': 787598, 'coronavirus fear police': 205917, 'and and other': 58136, 'worker and nh': 1006314, 'and nh hospital': 67582, 'nh hospital staff': 561982, 'staff and care': 792127, 'care worker will': 164314, 'will get little': 993510, 'get little to': 347485, 'little to nothing': 495624, 'to nothing in': 910726, 'nothing in return': 573049, 'lakers': 479086, 'two los': 937016, 'angeles lakers': 76377, 'lakers player': 479087, 'player have': 659306, 'team say': 835768, 'say in': 738794, 'statement both': 796163, 'both player': 136010, 'currently asymptomatic': 221468, 'asymptomatic in': 97311, 'team doctor': 835625, 'two los angeles': 937017, 'los angeles lakers': 503366, 'angeles lakers player': 76378, 'lakers player have': 479088, 'player have tested': 659307, 'for coronavirus the': 320396, 'coronavirus the team': 206916, 'the team say': 869212, 'team say in': 835769, 'say in statement': 738796, 'in statement both': 428250, 'statement both player': 796164, 'both player are': 136011, 'player are currently': 659302, 'are currently asymptomatic': 85657, 'currently asymptomatic in': 221469, 'asymptomatic in quarantine': 97312, 'quarantine and under': 692025, 'and under the': 74620, 'under the care': 940290, 'the care of': 850413, 'of the team': 591525, 'the team doctor': 869203, 'dnt': 249009, 'morning covid': 541231, 'real please': 701306, 'all instruction': 43231, 'distance god': 246727, 'safe under': 730082, 'his shadow': 397785, 'shadow amen': 754337, 'amen dnt': 51380, 'dnt forget': 249010, 'food slide': 316637, 'slide into': 773906, 'our dm': 622786, 'good morning covid': 357403, 'morning covid 19': 541232, 'is real please': 451277, 'real please adhere': 701307, 'adhere to all': 32209, 'to all instruction': 900258, 'all instruction and': 43232, 'instruction and keep': 440539, 'your distance god': 1023533, 'distance god will': 246728, 'god will keep': 354838, 'all safe under': 44225, 'safe under his': 730083, 'under his shadow': 940116, 'his shadow amen': 397786, 'shadow amen dnt': 754338, 'amen dnt forget': 51381, 'dnt forget to': 249011, 'forget to stock': 329333, 'with food slide': 998505, 'food slide into': 316638, 'slide into our': 773907, 'into our dm': 442816, 'total fraud': 926164, 'fraud there': 331360, 'most category': 542165, 'ticket canceled': 895603, 'to commission': 903077, 'is total fraud': 453297, 'total fraud there': 926165, 'fraud there are': 331361, 'are no refund': 88279, 'no refund for': 565318, 'refund for most': 706912, 'for most category': 323620, 'most category of': 542166, 'category of ticket': 167198, 'of ticket canceled': 592158, 'ticket canceled due': 895604, 'due to commission': 261736, 'to commission consumer': 903079, 'being used this': 126021, 'used this moment': 950028, 'disarmament': 244172, 'world 100': 1009248, 'stop life': 804811, 'must gather': 546677, 'gather around': 344370, 'around single': 93480, 'single demand': 771288, 'demand disarmament': 235241, 'disarmament free': 244173, 'health more': 386651, 'more scientific': 540328, 'scientific education': 742171, 'education clean': 268814, 'clean technology': 180644, 'water resource': 969138, 'resource clean': 714749, 'spread to the': 790859, 'the world 100': 871799, 'world 100 and': 1009249, '100 and stop': 1835, 'and stop life': 72478, 'stop life all': 804812, 'life all people': 488452, 'all people must': 43940, 'people must gather': 648803, 'must gather around': 546678, 'gather around single': 344371, 'around single demand': 93481, 'single demand disarmament': 771289, 'demand disarmament free': 235242, 'disarmament free health': 244174, 'free health more': 331899, 'health more scientific': 386652, 'more scientific education': 540329, 'scientific education clean': 742172, 'education clean technology': 268815, 'clean technology clean': 180645, 'technology clean water': 836270, 'clean water resource': 180683, 'water resource clean': 969139, 'resource clean food': 714750, 'clean food 19': 180530, 'fauci issue': 300366, 'people leaving': 648617, 'leaving new': 485111, 'island and': 454278, 'florida about': 310889, 'about one': 25844, 'per thousand': 651044, 'are infected': 87532, 'dr fauci issue': 258020, 'fauci issue warning': 300367, 'issue warning to': 455993, 'warning to people': 967228, 'to people leaving': 911628, 'people leaving new': 648618, 'leaving new york': 485112, 'york city for': 1016589, 'city for place': 179154, 'for place like': 324562, 'place like long': 657555, 'like long island': 490669, 'long island and': 501459, 'island and florida': 454279, 'and florida about': 62981, 'florida about one': 310890, 'about one per': 25845, 'one per thousand': 606851, 'per thousand of': 651045, 'thousand of these': 893468, 'of these individual': 591834, 'individual are infected': 435138, 'following this new': 312920, 'and seriously': 71287, 'seriously leave': 751661, 'clearly have': 181518, 'no concept': 563863, 'and seriously leave': 71288, 'seriously leave your': 751662, 'your kid home': 1024560, 'kid home if': 473998, 'store they run': 810676, 'they run around': 883229, 'run around and': 727569, 'around and touch': 93201, 'touch everything and': 926471, 'everything and clearly': 287683, 'and clearly have': 59969, 'clearly have no': 181519, 'have no concept': 381618, 'no concept of': 563864, 'social distance 19': 779493, 'common via': 189482, 'staple like and': 793969, 'like and cleaning': 489780, 'the and empty': 848695, 'shelf in have': 757197, 'in have been': 423567, 'been common via': 120848, 'sworn': 830635, 'just chatting': 468463, 'chatting to': 174021, 'sainsbury it': 731689, 'nightmare we': 563189, 've shouted': 953568, 'been sworn': 122121, 'sworn at': 830636, 'at ve': 101431, 'never known': 558096, 'known people': 477237, 'just chatting to': 468464, 'chatting to worker': 174024, 'to worker in': 918814, 'worker in local': 1007180, 'in local sainsbury': 424825, 'local sainsbury it': 498363, 'sainsbury it nightmare': 731690, 'it nightmare we': 459819, 'nightmare we ve': 563190, 'we ve shouted': 973712, 've shouted at': 953569, 'shouted at we': 766784, 've been sworn': 952938, 'been sworn at': 122122, 'sworn at ve': 830637, 'at ve never': 101432, 've never known': 953388, 'never known people': 558097, 'known people like': 477238, 'people like it': 648644, 'is job': 449096, 'security it': 744662, 'so in 2020': 777381, 'in 2020 what': 419864, '2020 what is': 14709, 'what is job': 981703, 'is job security': 449097, 'job security it': 466143, 'security it working': 744663, 'it working at': 462532, 'hi this': 394758, 'use plenty': 949485, 'plenty hand': 660925, 'hi this is': 394759, 'this is little': 888306, 'is little reminder': 449404, 'little reminder to': 495543, 'reminder to use': 710605, 'to use plenty': 918056, 'use plenty hand': 949486, 'plenty hand sanitizer': 660926, 'february dollar': 301706, 'general egg': 345329, 'egg wa': 270025, '25 did': 15858, 'it increase': 458772, 'happened at': 377224, 'hope price': 403604, 'doesn stay': 251952, 'way after': 969432, 'quarantine dollargeneral': 692157, 'in february dollar': 422841, 'february dollar general': 301707, 'dollar general egg': 252998, 'general egg wa': 345331, 'egg wa 30': 270026, 'wa 30 but': 961369, '30 but now': 16995, 'now it 25': 575102, 'it 25 did': 456203, '25 did it': 15859, 'did it increase': 240662, 'it increase because': 458773, 'coronavirus ha this': 206039, 'this happened at': 887846, 'happened at other': 377225, 'other store hope': 620987, 'store hope price': 808178, 'hope price doesn': 403606, 'price doesn stay': 673482, 'doesn stay this': 251953, 'stay this way': 797354, 'this way after': 891126, 'way after the': 969434, 'over 19 quarantine': 629798, '19 quarantine dollargeneral': 9907, 'pharma dept': 654027, 'dept consumer': 237730, 'those charging': 891865, 'sanitisers read': 734102, 'pharma dept consumer': 654028, 'dept consumer affair': 237731, 'ministry to take': 533580, 'action against those': 29940, 'against those charging': 37703, 'those charging exorbitant': 891866, 'for mask sanitisers': 323279, 'mask sanitisers read': 519214, 'sanitisers read more': 734103, 'ji lead': 465452, 'way others': 969788, 'follow price': 312488, 'also coming': 48042, 'down together': 257395, 'out up': 627754, 'up govt': 945032, '100 each': 1887, '35 lakh': 17895, 'lakh labourer': 479112, 'labourer say': 478548, 'say cm': 738518, 'cm yogi': 184641, 'ji lead the': 465453, 'the way others': 871173, 'way others need': 969789, 'others need to': 621540, 'to follow price': 906058, 'follow price of': 312489, 'mask also coming': 518290, 'also coming down': 48043, 'coming down together': 188036, 'down together we': 257396, 'will fight it': 993432, 'fight it out': 304788, 'it out up': 460195, 'out up govt': 627755, 'up govt to': 945033, 'to give 100': 906668, 'give 100 each': 350355, '100 each to': 1888, 'each to over': 264303, 'to over 35': 911287, 'over 35 lakh': 629837, '35 lakh labourer': 17896, 'lakh labourer say': 479113, 'labourer say cm': 478549, 'say cm yogi': 738519, 'cm yogi adityanath': 184642, 'hello all': 389122, 'help aid': 389314, 'the protection': 864708, 'facility and': 295297, 'out rapidly': 627090, 'marking price': 517909, 'up remarkably': 945901, 'hello all my': 389123, 'all my company': 43549, 'company ha started': 190718, 'started to manufacture': 794876, 'to help aid': 907445, 'help aid in': 389315, 'in the protection': 429485, 'the protection against': 864709, '19 medical facility': 8616, 'medical facility and': 526172, 'facility and consumer': 295299, 'consumer are running': 196307, 'running out rapidly': 728030, 'out rapidly and': 627091, 'rapidly and other': 696955, 'and other hand': 68336, 'other hand sanitizer': 620340, 'sanitizer manufacturer are': 735339, 'manufacturer are marking': 513429, 'are marking price': 88044, 'marking price up': 517910, 'price up remarkably': 677254, 'customisable': 223178, 'now finished': 574693, 'finished you': 307927, 'next season': 561535, 'way than': 969907, 'new kit': 559002, 'independent customisable': 434099, 'customisable kit': 223179, 'kit company': 475521, '22 50': 15172, 'per kit': 650909, 'kit dm': 475534, 'info football': 437475, 'football kit': 318500, 'kit season': 475631, 'with this season': 1001723, 'this season now': 889990, 'season now finished': 743417, 'now finished you': 574694, 'finished you can': 307928, 'can all start': 157435, 'all start preparing': 44425, 'start preparing for': 794436, 'preparing for next': 670332, 'for next season': 323855, 'next season and': 561536, 'season and what': 743377, 'and what better': 75451, 'better way than': 128599, 'way than to': 969909, 'than to get': 841340, 'get new kit': 347658, 'new kit from': 559003, 'kit from we': 475555, 'from we are': 338304, 'we are independent': 970598, 'are independent customisable': 87518, 'independent customisable kit': 434100, 'customisable kit company': 223180, 'kit company price': 475523, 'company price start': 190973, 'start from 22': 794302, 'from 22 50': 334240, '22 50 per': 15173, '50 per kit': 19810, 'per kit dm': 650910, 'kit dm for': 475535, 'dm for more': 248892, 'more info football': 539553, 'info football kit': 437476, 'football kit season': 318501, 'theviewfromeurope': 881061, 'will damage': 993092, 'damage caribbean': 225182, 'caribbean growth': 164682, 'growth theviewfromeurope': 367463, '19 will damage': 12086, 'will damage caribbean': 993093, 'damage caribbean growth': 225183, 'caribbean growth theviewfromeurope': 164683, 'lagosians fight': 478960, 'fight both': 304679, 'fight while lagosians': 304945, 'while lagosians fight': 986998, 'lagosians fight both': 478961, 'fight both and': 304680, 'everywhere citizen are': 288187, 'citizen are turning': 178856, 'now coronacrisis supermarket': 574454, 'coronacrisis supermarket panicbuying': 204802, 'report stocking': 712280, 'staple ha': 793946, 'ha jumped': 371037, 'jumped from': 467928, 'to 67': 899805, '67 stockpiling': 21471, 'stockpiling panicbuying': 804044, 'panicbuying logistics': 638984, 'logistics supplyanddemand': 500801, 'supplyanddemand grocery': 826155, 'the week since': 871314, 'week since the': 976879, 'the ha spread': 857022, 'ha spread across': 372027, 'country the percentage': 211132, 'the percentage of': 863529, 'percentage of consumer': 651210, 'of consumer who': 581784, 'consumer who report': 199528, 'who report stocking': 989535, 'report stocking up': 712281, 'on staple ha': 603637, 'staple ha jumped': 793947, 'ha jumped from': 371038, 'jumped from 22': 467929, 'from 22 to': 334244, '22 to 67': 15249, 'to 67 stockpiling': 899806, '67 stockpiling panicbuying': 21472, 'stockpiling panicbuying logistics': 804045, 'panicbuying logistics supplyanddemand': 638985, 'logistics supplyanddemand grocery': 500802, '24cts': 15749, 'eventually bringing': 285146, 'retailer lowered': 719238, 'about 24cts': 24677, 'exportation and eventually': 292731, 'and eventually bringing': 62363, 'eventually bringing in': 285147, 'to retailer lowered': 913459, 'retailer lowered price': 719239, 'of about 24cts': 579709, '2033620675': 14836, 'ogunrinde': 596340, 'need 20k': 554342, 'family am': 297572, 'bread winner': 138641, 'winner but': 996020, 'but lock': 146305, 'all money': 43516, 'money realized': 536993, 'realized before': 701890, 'all finished': 42790, 'finished 2033620675': 307883, '2033620675 uba': 14837, 'uba ogunrinde': 937797, 'ogunrinde emeka': 596341, 'just need 20k': 469301, 'need 20k to': 554343, '20k to stock': 14910, 'the family am': 854887, 'family am the': 297573, 'the bread winner': 849966, 'bread winner but': 138642, 'winner but lock': 996021, 'but lock down': 146306, 'down ha locked': 256813, 'ha locked out': 371176, 'locked out of': 500501, 'food stock we': 316817, 'we are just': 970602, 'are just in': 87628, 'the house all': 857591, 'house all money': 406168, 'all money realized': 43517, 'money realized before': 536994, 'realized before covid': 701891, '19 all finished': 4896, 'all finished 2033620675': 42791, 'finished 2033620675 uba': 307884, '2033620675 uba ogunrinde': 14838, 'uba ogunrinde emeka': 937798, 'do huh': 249411, 'distancing in danish': 247223, 'danish supermarket the': 225857, 'supermarket the thing': 823250, 'the thing this': 869467, 'thing this make': 884864, 'this make do': 888745, 'make do huh': 509848, 'spoke earlier': 789716, 'the dir': 853304, 'dir of': 243244, 'emergency medicine': 272803, 'largest hospital': 479963, 'in westchester': 430809, 'westchester who': 980576, 'hospital supply': 404662, 'ppe wa': 668100, 'so dire': 776867, 'dire this': 243268, 'he drove': 384921, 'to brooklyn': 902071, 'brooklyn and': 140971, 'bought 00': 136467, '50 mask': 19748, 'money where': 537164, 'spoke earlier today': 789717, 'earlier today with': 264507, 'with the dir': 1001267, 'the dir of': 853305, 'dir of emergency': 243245, 'of emergency medicine': 583044, 'emergency medicine at': 272804, 'medicine at the': 526733, 'at the largest': 100998, 'the largest hospital': 858966, 'largest hospital in': 479964, 'hospital in westchester': 404475, 'in westchester who': 430810, 'westchester who told': 980577, 'that the hospital': 846746, 'the hospital supply': 857536, 'hospital supply of': 404663, 'supply of ppe': 825641, 'of ppe wa': 588325, 'ppe wa so': 668101, 'wa so dire': 963255, 'so dire this': 776868, 'dire this week': 243269, 'that he drove': 844257, 'he drove to': 384922, 'drove to brooklyn': 260815, 'to brooklyn and': 902072, 'brooklyn and bought': 140972, 'and bought 00': 59101, 'bought 00 mask': 136468, '00 mask at': 318, 'mask at 50': 518411, 'at 50 mask': 97677, '50 mask with': 19749, 'mask with his': 519583, 'his own money': 397677, 'own money where': 632104, 'money where is': 537165, 'is the federal': 452798, 'joke week': 467157, 'netherlands have': 557665, 'virus work': 959058, 'eye this': 294107, 'high risky': 395382, 'risky job': 724118, 'no joke week': 564550, 'joke week since': 467158, 'week since our': 976878, 'since our country': 770777, 'our country the': 622604, 'country the netherlands': 211129, 'the netherlands have': 861454, 'netherlands have this': 557666, 'have this virus': 383111, 'this virus work': 891039, 'virus work in': 959059, 'supermarket for year': 820432, 'for year but': 327999, 'year but in': 1014445, 'my eye this': 548142, 'eye this is': 294108, 'the high risky': 857323, 'high risky job': 395383, 'risky job to': 724119, 'job to be': 466217, 'be in right': 115427, 'now since the': 575835, 'since the corona': 770870, 'corona virus because': 204291, 'virus because of': 957991, 'because of lot': 119370, 'lot of contact': 504163, 'of contact with': 581803, 'parkinson': 642132, 'with parkinson': 1000097, 'parkinson need': 642133, 'what people with': 982019, 'people with parkinson': 650470, 'with parkinson need': 1000098, 'parkinson need to': 642134, 'know about covid': 476210, 'ypo': 1026986, 'liang': 487960, 'meng': 528592, 'ascendent': 94893, 'behavior ypo': 124327, 'ypo member': 1026987, 'member liang': 528122, 'liang meng': 487961, 'meng ascendent': 528593, 'ascendent capital': 94894, 'capital partner': 162673, 'partner chat': 642797, 'the affect long': 848398, 'term consumer behavior': 838095, 'consumer behavior ypo': 196543, 'behavior ypo member': 124328, 'ypo member liang': 1026988, 'member liang meng': 528123, 'liang meng ascendent': 487962, 'meng ascendent capital': 528594, 'ascendent capital partner': 94895, 'capital partner chat': 162674, 'partner chat with': 642798, 'chat with to': 173977, 'with to share': 1001795, 'to share his': 914345, 'share his insight': 755029, 'flouted': 311214, 'facebook global': 294920, 'global ban': 351747, 'on advert': 599164, 'advert for': 33143, 'kit hand': 475563, 'being easily': 125093, 'easily flouted': 265209, 'flouted while': 311215, 'while ebay': 986781, 'ebay is': 266469, 'is listing': 449385, 'listing intensive': 494857, 'care ventilator': 164250, 'facebook global ban': 294921, 'global ban on': 351748, 'ban on advert': 109225, 'on advert for': 599165, 'advert for test': 33144, 'for test kit': 326231, 'test kit hand': 839058, 'kit hand sanitizer': 475564, 'and disinfectant wipe': 61455, 'wipe is being': 996305, 'is being easily': 446080, 'being easily flouted': 125094, 'easily flouted while': 265210, 'flouted while ebay': 311216, 'while ebay is': 986782, 'ebay is listing': 266470, 'is listing intensive': 449386, 'listing intensive care': 494858, 'intensive care ventilator': 441138, 'care ventilator for': 164251, 'ventilator for sale': 954560, 'sale at price': 732091, 'at price of': 100201, 'career change': 164333, 'be supported': 117457, 'supported through': 827071, 'factory person': 295976, 'person porn': 652585, 'porn star': 664837, 'star uber': 794071, 'eats driver': 266369, 'delivery drug': 233961, 'drug dealer': 260929, 'career change that': 164334, 'change that can': 172279, 'can be supported': 157691, 'be supported through': 117458, 'supported through the': 827073, '19 pandemic toilet': 9505, 'paper factory person': 640149, 'factory person porn': 295977, 'person porn star': 652586, 'porn star uber': 664838, 'star uber eats': 794072, 'uber eats driver': 937811, 'eats driver grocery': 266370, 'clerk delivery drug': 181683, 'delivery drug dealer': 233962, 'korean hand': 477524, 'sanitizer export': 734844, 'export increase': 292654, 'increase 12': 432649, '12 fold': 2854, 'fold amid': 312043, 'korean hand sanitizer': 477525, 'hand sanitizer export': 375392, 'sanitizer export increase': 734845, 'export increase 12': 292655, 'increase 12 fold': 432650, '12 fold amid': 2855, 'fold amid pandemic': 312044, 'fijitimes': 305318, '19 trader': 11538, 'trader urged': 928787, 'from unnecessarily': 338189, 'unnecessarily marking': 942866, 'item fijitimes': 463253, 'covid 19 trader': 213974, '19 trader urged': 11540, 'trader urged to': 928788, 'refrain from unnecessarily': 706749, 'from unnecessarily marking': 338190, 'unnecessarily marking up': 942867, 'food item fijitimes': 315205, 'their presented': 874363, 'lose their presented': 503489, 'their presented by': 874364, 'yikes guess': 1016394, 'guess need': 368014, 'mask next': 519002, 'yikes guess need': 1016395, 'guess need mask': 368015, 'need mask next': 555208, 'mask next time': 519003, 'toying': 927706, 'lookie': 502767, 'been toying': 122260, 'toying with': 927707, 'delivers your': 233602, 'doorstep lookie': 255857, 'lookie here': 502768, 'here now': 393393, 'seen over': 747181, 'dream or': 258611, 'about year have': 26961, 'have been toying': 379724, 'been toying with': 122261, 'toying with the': 927708, 'with the idea': 1001340, 'shopping service that': 763849, 'service that delivers': 752918, 'that delivers your': 843487, 'delivers your grocery': 233603, 'your grocery at': 1024118, 'grocery at your': 364289, 'your doorstep lookie': 1023589, 'doorstep lookie here': 255858, 'lookie here now': 502769, 'here now ve': 393395, 'now ve seen': 576296, 've seen over': 953542, 'seen over 10': 747182, 'over 10 new': 629758, '10 new one': 1557, 'new one since': 559202, 'one since covid': 607045, '19 act on': 4798, 'act on your': 29733, 'on your dream': 605459, 'your dream or': 1023598, 'dream or someone': 258612, 'or someone else': 617156, 'someone else will': 784457, 'emphasized': 273385, 'phd is': 654662, 'you bank': 1017382, 'ha emphasized': 370481, 'emphasized that': 273388, 'shock will': 759545, 'lived but': 496154, 'but deep': 145514, 'recession or': 704333, 'my phd is': 549752, 'phd is not': 654663, 'not in economics': 570090, 'economics but will': 267440, 'but will help': 147880, 'help you bank': 390954, 'you bank of': 1017383, 'poloz ha emphasized': 663930, 'ha emphasized that': 370482, 'emphasized that business': 273389, '19 shock will': 10473, 'shock will prove': 759546, 'short lived but': 764643, 'lived but deep': 496155, 'but deep recession': 145515, 'deep recession or': 231920, 'recession or longer': 704334, 'cmos': 184694, 'the cmos': 851094, 'cmos should': 184695, 'should resolve': 766414, 'resolve consumer': 714631, 'complaint efficiently': 191969, 'efficiently with': 269453, 'with fully': 998584, 'equipped team': 279888, 'issue awareness': 455684, 'awareness message': 105704, 'and regional': 70146, 'regional language': 707513, 'language in': 479492, 'spread threat': 790840, 'the cmos should': 851095, 'cmos should resolve': 184696, 'should resolve consumer': 766415, 'resolve consumer complaint': 714632, 'consumer complaint efficiently': 196851, 'complaint efficiently with': 191970, 'efficiently with fully': 269454, 'with fully equipped': 998585, 'fully equipped team': 341040, 'equipped team and': 279889, 'team and issue': 835579, 'and issue awareness': 65472, 'issue awareness message': 455685, 'awareness message in': 105705, 'message in national': 529343, 'in national and': 425690, 'national and regional': 552415, 'and regional language': 70148, 'regional language in': 707514, 'language in wake': 479493, 'wake of spread': 964606, 'of spread threat': 590003, 'restrictedmovementorder': 717179, 'door beginning': 255533, 'tomorrow restrictedmovementorder': 924173, 'petalingjaya are shutting': 653495, 'their door beginning': 873067, 'door beginning tomorrow': 255534, 'beginning tomorrow restrictedmovementorder': 123684, 'public state': 688333, 'state park': 795850, 'park ha': 641921, 'their bathroom': 872563, 'bathroom door': 112645, 'door toiletpaper': 255764, 'shame that public': 754649, 'that public state': 845904, 'public state park': 688334, 'state park ha': 795851, 'park ha to': 641923, 'ha to place': 372313, 'to place sign': 911756, 'place sign like': 657681, 'like this on': 491511, 'this on their': 889219, 'on their bathroom': 604468, 'their bathroom door': 872564, 'bathroom door toiletpaper': 112647, 'open basically': 612116, 'largest tech': 480034, 'tech store': 836152, 'world probably': 1009914, 'asymptomatic case': 97301, 'they talk': 883527, 'guy still open': 369157, 'still open basically': 800953, 'open basically the': 612117, 'basically the largest': 112169, 'the largest tech': 858982, 'largest tech store': 480035, 'tech store in': 836153, 'in the let': 429316, 'the let alone': 859303, 'alone the world': 46925, 'the world probably': 871944, 'world probably you': 1009915, 'probably you guy': 679430, 'you guy may': 1018968, 'may be helping': 520989, 'be helping spread': 115219, 'helping spread covid': 391472, '19 an employee': 4970, 'an employee could': 55705, 'employee could have': 273739, 'have an asymptomatic': 379241, 'an asymptomatic case': 55459, 'asymptomatic case every': 97302, 'case every customer': 165730, 'every customer they': 285777, 'customer they talk': 222939, 'they talk to': 883529, 'talk to could': 833872, 'to could get': 903615, 'could get the': 209208, 'the virus all': 870794, 'stopairingtrumpnow': 805308, 'trump gas': 933572, 'like from': 490284, '1950 99': 12379, 'gallon fact': 343000, 'the 1990': 847956, '1990 it': 12481, 'le bill': 482861, 'bill clinton': 130537, 'clinton wa': 182344, 'wa president': 962985, 'president stopairingtrumpnow': 670908, 'trump gas price': 933573, 'are like from': 87789, 'like from the': 490285, 'from the 1950': 337583, 'the 1950 99': 847943, '1950 99 cent': 12380, 'cent gallon fact': 169062, 'gallon fact check': 343001, 'fact check in': 295694, 'in the 1990': 428946, 'the 1990 it': 847957, '1990 it wa': 12482, 'it wa 99': 462056, 'wa 99 cent': 961403, 'cent gallon and': 169060, 'gallon and le': 342975, 'and le bill': 66010, 'le bill clinton': 482862, 'bill clinton wa': 130538, 'clinton wa president': 182345, 'wa president stopairingtrumpnow': 962987, '005': 643, 'niosh': 563329, 'mask introducing': 518860, 'introducing 100': 443482, '100 transparent': 2103, 'transparent pricing': 929847, 'usa during': 948630, 'amp daily': 53605, 'our manufacturer': 623855, 'china pricing': 176889, '10 above': 1292, 'above our': 27093, 'our cost': 622574, 'cost minimum': 208017, 'minimum 005': 533159, '005 unit': 644, 'unit 30': 942031, '30 50k': 16946, '50k day': 20160, 'capacity niosh': 162549, 'n95 mask introducing': 551197, 'mask introducing 100': 518861, 'introducing 100 transparent': 443483, '100 transparent pricing': 2104, 'transparent pricing in': 929848, 'pricing in response': 677940, 'response to state': 715883, 'to state law': 915254, 'state law in': 795728, 'law in usa': 482316, 'in usa during': 430490, 'usa during amp': 948631, 'during amp daily': 262439, 'amp daily change': 53606, 'price from our': 674115, 'from our manufacturer': 336788, 'our manufacturer in': 623856, 'manufacturer in china': 513470, 'in china pricing': 421427, 'china pricing is': 176890, 'pricing is only': 677944, 'is only 10': 450530, 'only 10 above': 609962, '10 above our': 1294, 'above our cost': 27094, 'our cost minimum': 622575, 'cost minimum 005': 208018, 'minimum 005 unit': 533160, '005 unit 30': 645, 'unit 30 50k': 942032, '30 50k day': 16947, '50k day capacity': 20161, 'day capacity niosh': 227432, 'scamaware': 740497, 'be scamaware': 117009, 'scamaware criminal': 740498, 'cheat the': 174342, 'money advice': 536569, 'advice scotland': 33488, 'be scamaware criminal': 117010, 'scamaware criminal will': 740499, 'will take any': 995062, 'take any opportunity': 831947, 'any opportunity to': 79572, 'opportunity to cheat': 613699, 'to cheat the': 902677, 'cheat the public': 174343, 'scam check the': 740112, 'check the advice': 174643, 'the advice from': 848382, 'advice from money': 33388, 'from money advice': 336463, 'money advice scotland': 536570, 'american living': 52081, 'an american living': 55286, 'american living in': 52082, 'this possible': 889668, 'independent contractor': 434095, 'contractor over': 201817, 'control delivery': 201993, 'sanitizer reuters': 735658, 'is this possible': 453111, 'this possible and': 889669, 'possible and don': 665569, 'and don say': 61638, 'don say they': 253888, 'are independent contractor': 87517, 'independent contractor over': 434096, 'contractor over which': 201818, 'no control delivery': 563896, 'control delivery driver': 201994, 'insurance sanitizer reuters': 440807, 'cussing': 221934, 'some dude': 782712, 'dude wa': 261618, 'wa cussing': 961914, 'cussing at': 221935, 'employee because': 273669, 'him there': 396734, 'water told': 969227, 'bad felt': 107854, 'felt for': 303378, 'me someone': 523514, 'someone hit': 784502, 'hit him': 398271, 'him yesterday': 396784, 'yesterday too': 1015905, 'too wtf': 925180, 'wtf man': 1013304, 'man hate': 512089, 'hate people': 378897, 'store just now': 808622, 'just now and': 469344, 'now and some': 574053, 'and some dude': 71958, 'some dude wa': 782713, 'dude wa cussing': 261619, 'wa cussing at': 961915, 'cussing at one': 221936, 'the employee because': 854257, 'employee because he': 273670, 'because he wa': 119121, 'he wa telling': 385621, 'wa telling him': 963410, 'telling him there': 837206, 'him there wa': 396735, 'there wa per': 879261, 'wa per customer': 962922, 'per customer limit': 650778, 'on water told': 605119, 'water told the': 969228, 'told the employee': 923704, 'the employee how': 854261, 'employee how bad': 273946, 'how bad felt': 407435, 'bad felt for': 107855, 'felt for him': 303379, 'him and he': 396538, 'told me someone': 923618, 'me someone hit': 523515, 'someone hit him': 784503, 'hit him yesterday': 398272, 'him yesterday too': 396785, 'yesterday too wtf': 1015906, 'too wtf man': 925181, 'wtf man hate': 1013305, 'man hate people': 512091, 'really hitting': 702301, 'hitting me': 398577, 'email like': 272228, 'distancing making': 247301, 'stock let': 802346, 'let domino': 486684, 'domino deliver': 253301, 'service are really': 752142, 'are really hitting': 89478, 'really hitting me': 702302, 'hitting me up': 398578, 'me up with': 523865, 'up with email': 946633, 'with email like': 998198, 'email like covid': 272229, 'got you stuck': 359036, 'you stuck at': 1021458, 'at home social': 99112, 'home social distancing': 402093, 'social distancing making': 779657, 'distancing making you': 247302, 'making you avoid': 511500, 'you avoid shopping': 1017353, 'avoid shopping supermarket': 105277, 'shopping supermarket ha': 764016, 'ha nothing in': 371383, 'nothing in stock': 573050, 'in stock let': 428313, 'stock let domino': 802347, 'let domino deliver': 486685, 'domino deliver food': 253302, 'food for you': 314588, 'you go away': 1018842, 'alert numerous': 41471, 'numerous bogus': 577124, 'bogus testing': 134034, 'been popping': 121676, 'kentucky posing': 472853, 'posing legitimate': 665135, 'legitimate one': 486053, 'yourself others': 1026674, 'others insurance': 621489, 'consumer alert numerous': 196150, 'alert numerous bogus': 41472, 'numerous bogus testing': 577125, 'bogus testing site': 134035, 'testing site have': 839638, 'site have been': 771939, 'have been popping': 379636, 'been popping up': 121677, 'up in kentucky': 945163, 'in kentucky posing': 424469, 'kentucky posing legitimate': 472854, 'posing legitimate one': 665136, 'legitimate one know': 486054, 'one know the': 606562, 'know the red': 476844, 'the red flag': 865382, 'flag to watch': 309950, 'come to bogus': 187557, 'to bogus testing': 901878, 'testing site to': 839642, 'help yourself others': 391032, 'yourself others insurance': 1026675, 'others insurance fraud': 621490, 'acknowledges': 29116, 'bor': 135202, 'acknowledges that': 29117, 'not advisable': 568065, 'make statement': 510487, 'that singapore': 846327, 'singapore ha': 771126, 'ha approximately': 369607, 'approximately month': 83256, 'storage while': 806010, 'while pm': 987159, 'pm lee': 661929, 'lee reported': 485323, 'some singaporean': 783878, 'singaporean like': 771171, 'malaysia bor': 511597, 'acknowledges that it': 29118, 'is not advisable': 450028, 'not advisable to': 568066, 'advisable to make': 33568, 'to make statement': 909744, 'make statement that': 510489, 'statement that singapore': 796220, 'that singapore ha': 846328, 'singapore ha approximately': 771128, 'ha approximately month': 369608, 'approximately month of': 83257, 'supply in storage': 825413, 'in storage while': 428376, 'storage while pm': 806011, 'while pm lee': 987160, 'pm lee reported': 661931, 'lee reported that': 485324, 'reported that covid': 712538, '19 is probably': 8026, 'is probably on': 451047, 'probably on for': 679346, '12 month or': 2903, 'or more this': 616189, 'buying for some': 150358, 'for some singaporean': 325766, 'some singaporean like': 783879, 'singaporean like malaysia': 771172, 'like malaysia bor': 490695, 'pliz': 661064, 'some pple': 783613, 'pple dont': 668389, 'dont understand': 255307, 'we facing': 971525, 'facing nation': 295542, 'and pple': 69293, 'pple is': 668393, 'real folk': 701172, 'folk pliz': 312240, 'pliz stay': 661067, 'let leave': 486866, 'leave unnecessary': 485028, 'unnecessary trip': 942957, 'trip pliz': 932142, 'pliz my': 661065, 'my pple': 549826, 'pple stock': 668395, 'home pliz': 401871, 'clearly some pple': 181572, 'some pple dont': 783614, 'pple dont understand': 668390, 'dont understand the': 255308, 'understand the challenge': 940747, 'the challenge we': 850654, 'challenge we facing': 171591, 'we facing nation': 971526, 'facing nation and': 295543, 'nation and pple': 552121, 'and pple is': 69294, 'pple is real': 668394, 'is real folk': 451267, 'real folk pliz': 701173, 'folk pliz stay': 312241, 'pliz stay at': 661068, 'home if can': 401396, 'if can let': 413928, 'can let leave': 158868, 'let leave unnecessary': 486867, 'leave unnecessary trip': 485029, 'unnecessary trip pliz': 942958, 'trip pliz my': 932143, 'pliz my pple': 661066, 'my pple stock': 549827, 'pple stock up': 668396, 'stay home pliz': 796996, 'cardflight': 163736, 'cardflight release': 163737, 'release report': 708992, 'report analyzing': 711795, 'analyzing impact': 57272, 'cardflight release report': 163738, 'release report analyzing': 708993, 'report analyzing impact': 711796, 'analyzing impact of': 57273, 'it deprives': 457526, 'deprives so': 237708, 'example this': 288984, 'this paramedic': 889475, 'paramedic who': 641405, 'finished 48': 307885, 'shift saving': 758400, 'life could': 488571, 'hoarding supply during': 399566, 'because it deprives': 119183, 'it deprives so': 457527, 'deprives so many': 237709, 'many of basic': 514368, 'of basic necessity': 580575, 'basic necessity for': 111994, 'necessity for example': 554211, 'for example this': 321293, 'example this paramedic': 288985, 'this paramedic who': 889476, 'paramedic who just': 641407, 'who just finished': 989141, 'just finished 48': 468727, 'finished 48 hour': 307886, 'hour shift saving': 405921, 'shift saving life': 758401, 'saving life could': 737906, 'life could not': 488573, 'find any real': 306801, 'any real food': 79727, 'boosting hourly': 135074, 'delivering bonus': 233470, 'employee via': 274376, 'via tgt': 956294, 'target is boosting': 834474, 'is boosting hourly': 446235, 'boosting hourly wage': 135075, 'policy and delivering': 663330, 'and delivering bonus': 61101, 'delivering bonus to': 233471, 'thousand of front': 893440, 'of front line': 583971, 'front line store': 338606, 'line store employee': 493431, 'store employee via': 807565, 'employee via tgt': 274377, 'bluewave2020': 133511, 'alcohol part': 41069, 'of problem': 588452, 'item imported': 463337, 'no china': 563801, 'china doe': 176617, 'tariff american': 834589, 'american pay': 52118, 'pay those': 645173, 'those codvid19': 891877, 'codvid19 bluewave2020': 185414, 'sanitizer or alcohol': 735476, 'or alcohol part': 614287, 'alcohol part of': 41070, 'part of problem': 642375, 'of problem are': 588453, 'problem are the': 679467, 'are the trump': 90925, 'the trump tariff': 870068, 'trump tariff on': 933889, 'tariff on item': 834612, 'on item imported': 601705, 'item imported from': 463338, 'imported from china': 419176, 'china and no': 176486, 'and no china': 67603, 'no china doe': 563802, 'china doe not': 176618, 'not pay tariff': 570983, 'pay tariff american': 645132, 'tariff american pay': 834590, 'american pay those': 52119, 'pay those codvid19': 645174, 'those codvid19 bluewave2020': 891878, 'buyer try': 149784, 'buy freezer': 148705, 'have massive': 381446, 'massive food': 520034, 'waste problem': 968173, 'problem when': 679744, 'many go': 514094, 'without please': 1002842, 'panic buyer try': 637610, 'buyer try to': 149785, 'try to panic': 934646, 'and buy freezer': 59337, 'buy freezer to': 148706, 'to store panic': 915638, 'store panic bought': 809456, 'bought food but': 136565, 'are also sold': 84477, 'sold out so': 781748, 'out so the': 627207, 'so the country': 778418, 'to have massive': 907274, 'have massive food': 381447, 'massive food waste': 520035, 'food waste problem': 317489, 'waste problem when': 968174, 'problem when so': 679745, 'so many go': 777662, 'many go without': 514095, 'go without please': 354519, 'without please everyone': 1002843, 'please everyone buy': 659970, 'everyone buy sensibly': 286756, 'buy sensibly and': 149161, 'sensibly and put': 750680, 'and put an': 69805, 'to this madness': 917441, 'doing morning': 252535, 'morning walk': 541531, 'walk amp': 964734, 'amp came': 53487, 'hoarder baseball': 398995, 'cap obviously': 162431, 'obviously take': 578853, 'take laugh': 832259, 'laugh where': 481780, 'doing morning walk': 252536, 'morning walk amp': 541532, 'walk amp came': 964735, 'amp came across': 53488, 'across this toilet': 29545, 'paper hoarder baseball': 640273, 'hoarder baseball cap': 398996, 'baseball cap obviously': 111485, 'cap obviously take': 162432, 'obviously take the': 578854, 'take the situation': 832675, 'the situation very': 867281, 'situation very seriously': 772557, 'very seriously but': 955523, 'seriously but ll': 751552, 'but ll also': 146293, 'll also take': 496549, 'also take laugh': 48945, 'take laugh where': 832260, 'laugh where can': 481781, 'where can get': 984767, 'penne': 646536, 'still annoyed': 800193, 'local nisa': 498208, 'nisa charged': 563365, 'me 00': 522320, '500g bag': 20082, 'of penne': 587861, 'penne today': 646539, 'today hiding': 919651, 'hiding it': 394871, 'receipt non': 703417, 'non vat': 566516, 'vat grocery': 952730, 'grocery only': 364794, 'using bus': 950414, 'supermarket instructed': 821056, 'instructed while': 440533, 'car driver': 163065, 'driver filled': 259560, 'their boot': 872630, 'still annoyed the': 800194, 'annoyed the local': 77356, 'the local nisa': 859563, 'local nisa charged': 498209, 'nisa charged me': 563366, 'charged me 00': 173402, 'me 00 for': 522321, '00 for 500g': 207, 'for 500g bag': 318874, '500g bag of': 20083, 'bag of penne': 108360, 'of penne today': 587862, 'penne today hiding': 646540, 'today hiding it': 919652, 'hiding it on': 394872, 'on the receipt': 604322, 'the receipt non': 865290, 'receipt non vat': 703418, 'non vat grocery': 566517, 'vat grocery only': 952731, 'grocery only went': 364795, 'only went there': 611462, 'went there to': 979126, 'there to avoid': 879179, 'avoid using bus': 105379, 'using bus to': 950415, 'get to big': 348460, 'to big supermarket': 901813, 'big supermarket instructed': 130032, 'supermarket instructed while': 821057, 'instructed while the': 440534, 'while the car': 987373, 'the car driver': 850374, 'car driver filled': 163066, 'driver filled their': 259561, 'filled their boot': 305557, 'noticed there': 573490, 'no matinee': 564727, 'matinee price': 520496, 'these early': 879947, 'early release': 264678, 'release movie': 708967, 'noticed there were': 573491, 'were no matinee': 979909, 'no matinee price': 564728, 'matinee price on': 520497, 'price on these': 675727, 'on these early': 604560, 'these early release': 879948, 'early release movie': 264679, 'new ribbon': 559497, 'ribbon coming': 720959, 'to bumper': 902110, 'bumper everywhere': 142586, 'the new ribbon': 861550, 'new ribbon coming': 559498, 'ribbon coming soon': 720960, 'soon to bumper': 785862, 'to bumper everywhere': 902111, 'how when': 409211, 'stayhomesavelives but how': 798352, 'but how when': 145974, 'how when you': 409212, 'mepolitics': 528916, 'when stocking': 984078, 'ha wic': 372479, 'wic symbol': 991659, 'symbol beside': 830762, 'beside the': 127482, 'else people': 271840, 'wic to': 991661, 'kid cannot': 473896, 'cannot switch': 162157, 'or kind': 615907, 'of wic': 593157, 'wic approved': 991645, 'approved option': 83180, 'handed mepolitics': 376072, 'when stocking up': 984079, 'up for socialdistancing': 944962, 'for socialdistancing if': 325711, 'socialdistancing if an': 780436, 'an item ha': 56496, 'item ha wic': 463308, 'ha wic symbol': 372480, 'wic symbol beside': 991660, 'symbol beside the': 830763, 'beside the price': 127484, 'the price get': 864353, 'price get something': 674172, 'get something else': 348084, 'something else people': 784899, 'else people who': 271841, 'who use wic': 989864, 'use wic to': 949811, 'wic to feed': 991662, 'their kid cannot': 873754, 'kid cannot switch': 473897, 'cannot switch to': 162159, 'switch to another': 830514, 'to another brand': 900566, 'another brand or': 77519, 'brand or kind': 137960, 'or kind of': 615908, 'kind of food': 474895, 'food if store': 314893, 'if store run': 414886, 'out of wic': 626878, 'of wic approved': 593158, 'wic approved option': 991646, 'approved option they': 83181, 'option they will': 614110, 'they will go': 883853, 'will go home': 993551, 'go home empty': 353663, 'empty handed mepolitics': 274902, 'peace during': 645994, 'time hear': 896907, 'care might': 164064, 'coronavirus stophooarding': 206835, 'find my balance': 307077, 'my balance and': 547389, 'balance and continue': 108964, 'continue to find': 201195, 'to find my': 905922, 'find my center': 307078, 'my center of': 547654, 'center of peace': 169274, 'of peace during': 587852, 'peace during the': 645995, 'stressful day every': 813489, 'day every time': 227578, 'every time hear': 286310, 'time hear it': 896908, 'hear it it': 387946, 'the supply food': 868946, 'medical care might': 526084, 'care might need': 164065, 'coming day coronavirus': 188019, 'day coronavirus stophooarding': 227491, 'quantitatively': 691902, 'logarithmic': 500630, 'truly contained': 933283, 'contained or': 200524, 'have quantitatively': 382121, 'quantitatively determined': 691903, 'the logarithmic': 859654, 'logarithmic economic': 500631, 'economic implication': 267143, 'implication have': 418556, 'have subsided': 382824, 'subsided due': 815948, 'to curve': 903838, 'curve flattening': 221856, 'flattening in': 310142, 'non log': 566427, 'log daily': 500607, 'daily marginal': 224688, 'marginal case': 515645, 'case consumer': 165688, 'sentiment will': 751029, 'will improve': 993791, 'improve forced': 419523, 'forced shelter': 328599, 'shelter isolation': 757937, 'isolation order': 455381, 'order lifted': 618364, 'once the outbreak': 605728, 'outbreak is truly': 628385, 'is truly contained': 453379, 'truly contained or': 933284, 'contained or we': 200525, 'or we have': 617739, 'we have quantitatively': 971912, 'have quantitatively determined': 382122, 'quantitatively determined that': 691904, 'determined that the': 239457, 'that the logarithmic': 846764, 'the logarithmic economic': 859655, 'logarithmic economic implication': 500632, 'economic implication have': 267144, 'implication have subsided': 418557, 'have subsided due': 382825, 'subsided due to': 815949, 'due to curve': 261751, 'to curve flattening': 903839, 'curve flattening in': 221857, 'flattening in non': 310143, 'in non log': 425924, 'non log daily': 566428, 'log daily marginal': 500608, 'daily marginal case': 224689, 'marginal case consumer': 515646, 'case consumer sentiment': 165689, 'consumer sentiment will': 198936, 'sentiment will improve': 751032, 'will improve forced': 993793, 'improve forced shelter': 419524, 'forced shelter isolation': 328600, 'shelter isolation order': 757938, 'isolation order lifted': 455382, 'circulate it': 178661, 'to circulate it': 902762, 'circulate it to': 178662, 'to your retail': 919022, 'now doing': 574553, 'doing 20': 252253, 'all none': 43652, 'none essential': 566560, 'the retail clothing': 865712, 'retail clothing company': 717967, 'clothing company work': 184255, 'is now doing': 450280, 'now doing 20': 574554, 'doing 20 off': 252255, 'encourage people into': 275619, 'people into store': 648510, 'into store to': 443021, 'fucking madness you': 339940, 'madness you need': 508224, 'close all none': 182504, 'all none essential': 43653, 'none essential retail': 566562, 'sideshow': 768939, 'clerk trucker': 181803, 'those deemed': 891920, 'the sideshow': 867162, 'sideshow want': 768940, 'store clerk trucker': 807034, 'clerk trucker and': 181804, 'trucker and all': 932895, 'all those deemed': 45161, 'those deemed essential': 891921, 'deemed essential the': 231823, 'essential the sideshow': 281664, 'the sideshow want': 867163, 'sideshow want to': 768941, 'the scapegoat': 866433, 'scapegoat of': 740755, 'increased tax': 433485, 'pandemic is going': 635772, 'be the scapegoat': 117653, 'the scapegoat of': 866434, 'scapegoat of the': 740756, 'of the increased': 591136, 'the increased tax': 858079, 'increased tax and': 433486, 'tax and the': 834930, 'and the increased': 73423, 'worry wa': 1010795, 'and figured': 62838, 'toiletpaper shortage not': 922468, 'shortage not to': 765092, 'to worry wa': 918844, 'worry wa today': 1010796, 'wa today and': 963531, 'today and figured': 919205, 'and figured it': 62839, 'local takeaway': 498634, 'takeaway just': 832878, 'supermarket packaging': 821887, 'packaging you': 633579, 'do contactless': 249203, 'chance getting': 171730, 'getting diarrhea': 348932, 'diarrhea and': 240377, 'poisoning than': 662813, 'll get from': 496786, 'get from your': 347114, 'your local takeaway': 1024723, 'local takeaway just': 498635, 'takeaway just remember': 832879, 'just remember this': 469607, 'this it no': 888523, 'to supermarket packaging': 915825, 'supermarket packaging you': 821888, 'packaging you can': 633580, 'can do contactless': 158099, 'do contactless delivery': 249204, 'contactless delivery you': 200369, 'delivery you can': 234787, 'can wash your': 160149, 'your hand you': 1024247, 'hand you ve': 376032, 'got more chance': 358711, 'more chance getting': 538794, 'chance getting diarrhea': 171731, 'getting diarrhea and': 348933, 'diarrhea and food': 240378, 'and food poisoning': 63076, 'food poisoning than': 315882, 'poisoning than you': 662814, 'gravitate': 362446, 'skipping': 773153, 'that find': 843873, 'we gravitate': 971687, 'gravitate towards': 362447, 'towards some': 927245, 'some comfort': 782558, 'while skipping': 987281, 'skipping others': 773154, 'lacking that find': 478694, 'that find out': 843875, 'out why we': 627852, 'why we gravitate': 991523, 'we gravitate towards': 971688, 'gravitate towards some': 362448, 'towards some comfort': 927246, 'some comfort food': 782559, 'comfort food while': 187842, 'food while skipping': 317597, 'while skipping others': 987282, 'foreward': 329161, 'sanitizers foreward': 736280, 'foreward it': 329162, 'outbreak the central': 628703, 'hand sanitizers foreward': 375693, 'sanitizers foreward it': 736281, 'foreward it to': 329163, 'everyone so that': 287391, 'shall be controlled': 754517, 'controlled and public': 202229, 'and public should': 69747, 'accts': 28845, 'company throwing': 191216, 'throwing major': 895099, 'major deal': 509302, 'deal somebody': 229483, 'freeze my': 332539, 'my accts': 547226, 'shopping problem and': 763679, 'and the fact': 73362, 'fact that covid': 295792, '19 ha all': 7323, 'ha all these': 369484, 'these company throwing': 879795, 'company throwing major': 191217, 'throwing major deal': 895100, 'major deal somebody': 509303, 'deal somebody need': 229484, 'need to freeze': 555946, 'to freeze my': 906246, 'freeze my accts': 332540, 'idlib': 413693, 'world don': 1009496, 'food idlib': 314884, 'idlib people': 413694, 'to poverty': 911942, 'the world don': 871859, 'world don panic': 1009497, 'panic and store': 637342, 'and store food': 72506, 'store food idlib': 807768, 'food idlib people': 314885, 'idlib people cannot': 413695, 'people cannot store': 647438, 'cannot store due': 162144, 'due to poverty': 261910, 'to poverty and': 911943, 'poverty and high': 667480, 'an inconvenience': 56234, 'inconvenience remembering': 432594, 'bring face': 139967, 'up takeaway': 946118, 'be hassle': 115152, 'hassle but': 378817, 'really inconvenient': 702338, 'inconvenient if': 432607, 'you ended': 1018410, 'of you this': 593425, 'you this may': 1021703, 'this may seem': 888796, 'like an inconvenience': 489773, 'an inconvenience remembering': 56235, 'inconvenience remembering to': 432595, 'remembering to bring': 710464, 'to bring face': 902037, 'bring face covering': 139968, 'covering to the': 212502, 'supermarket or picking': 821830, 'picking up takeaway': 655888, 'up takeaway order': 946119, 'takeaway order can': 832898, 'can be hassle': 157627, 'be hassle but': 115153, 'hassle but you': 378818, 'know it would': 476550, 'be really inconvenient': 116713, 'really inconvenient if': 702339, 'inconvenient if you': 432608, 'if you ended': 415429, 'you ended up': 1018411, 'the hospital with': 857542, 'covad19': 212152, 'craftspirits': 214796, 'breaking ttb': 139069, 'ttb give': 934993, 'give distiller': 350457, 'distiller green': 247708, 'produce ethanol': 680257, 'sanitizer full': 734953, 'distillery already': 247724, 'free handsanitizer': 331890, 'handsanitizer included': 376560, 'in story': 428480, 'story covad19': 811947, 'covad19 craftspirits': 212153, 'breaking ttb give': 139070, 'ttb give distiller': 934994, 'give distiller green': 350458, 'distiller green light': 247709, 'light to produce': 489612, 'to produce ethanol': 912191, 'produce ethanol based': 680258, 'ethanol based hand': 282966, 'hand sanitizer full': 375415, 'sanitizer full list': 734954, 'of distillery already': 582718, 'distillery already offering': 247725, 'already offering free': 47537, 'offering free handsanitizer': 595119, 'free handsanitizer included': 331891, 'handsanitizer included in': 376561, 'included in story': 431689, 'in story covad19': 428481, 'story covad19 craftspirits': 811948, 'birx now': 131473, 'now warns': 576328, 'coronavirus hotspot': 206091, 'hotspot set': 405318, 'peak death': 646060, 'dr birx now': 257971, 'birx now warns': 131474, 'now warns american': 576329, 'warns american not': 967248, 'american not to': 52102, 'pharmacy unless it': 654538, 'unless it essential': 942619, 'it essential during': 457850, 'during the next': 263159, '14 day with': 3464, 'day with coronavirus': 228777, 'with coronavirus hotspot': 997801, 'coronavirus hotspot set': 206093, 'hotspot set to': 405319, 'to hit peak': 907850, 'hit peak death': 398371, 'peak death rate': 646061, 'death rate in': 230174, 'rate in week': 697269, 'to weirdo': 918481, 'supermarket cutting': 819884, 'cutting out': 223756, 'out his': 626303, 'his lung': 397591, 'be next to': 116076, 'next to weirdo': 561635, 'to weirdo in': 918482, 'the supermarket cutting': 868545, 'supermarket cutting out': 819885, 'cutting out his': 223757, 'out his lung': 626304, 'whiting': 987972, 'whitingpetroleum': 987975, 'whiting petroleum': 987973, 'petroleum is': 653819, 'seeking chapter': 746642, '11 bankruptcy': 2496, 'bankruptcy protection': 110536, 'protection crude': 685388, 'crash oilandgas': 215017, 'oilandgas bankruptcy': 597536, 'bankruptcy whitingpetroleum': 110548, 'whitingpetroleum oilprice': 987976, 'oilprice wti': 597648, 'whiting petroleum is': 987974, 'petroleum is seeking': 653820, 'is seeking chapter': 451725, 'seeking chapter 11': 746643, 'chapter 11 bankruptcy': 173132, '11 bankruptcy protection': 2497, 'bankruptcy protection crude': 110537, 'protection crude price': 685389, 'crude price crash': 219586, 'price crash oilandgas': 673326, 'crash oilandgas bankruptcy': 215018, 'oilandgas bankruptcy whitingpetroleum': 597537, 'bankruptcy whitingpetroleum oilprice': 110549, 'whitingpetroleum oilprice wti': 987977, 'latest cutting': 481285, 'cutting off': 223746, 'all communication': 42403, 'customer allowing': 222050, 'allowing double': 46278, 'double booking': 255986, 'booking on': 134737, 'on property': 602973, 'and doubling': 61690, 'doubling rental': 256169, 'then offering': 877371, 'offering 50': 595004, 'the 2x': 848082, '2x price': 16896, 'price sad': 676284, 'sad fyi': 729173, 'the latest cutting': 859088, 'latest cutting off': 481286, 'cutting off all': 223747, 'off all communication': 593618, 'all communication to': 42404, 'communication to customer': 189652, 'to customer allowing': 903846, 'customer allowing double': 222051, 'allowing double booking': 46279, 'double booking on': 255987, 'booking on property': 134738, 'on property and': 602974, 'property and doubling': 684235, 'and doubling rental': 61691, 'doubling rental property': 256170, 'rental property price': 711273, 'property price and': 684322, 'and then offering': 73786, 'then offering 50': 877372, 'offering 50 off': 595005, '50 off the': 19784, 'off the 2x': 594227, 'the 2x price': 848083, '2x price sad': 16897, 'price sad fyi': 676285, 'pexels': 653904, 'mortgagelender': 541972, 'service full': 752418, 'article burst': 94271, 'burst pexels': 142961, 'pexels mortgage': 653905, 'mortgage mortgagelender': 541928, 'mortgagelender pandemic': 541973, 'pandemic realestate': 636300, 'visit at for': 959188, 'at for mortgage': 98694, 'for mortgage loan': 323615, 'mortgage loan personal': 541921, 'personal loan and': 652911, 'loan and many': 497390, 'many more financial': 514298, 'more financial service': 539214, 'financial service full': 306584, 'service full article': 752419, 'full article burst': 340483, 'article burst pexels': 94272, 'burst pexels mortgage': 142962, 'pexels mortgage mortgagelender': 653906, 'mortgage mortgagelender pandemic': 541929, 'mortgagelender pandemic realestate': 541974, 'those pushing': 892381, 'open too': 612609, 'soon listen': 785766, 'to science': 913908, 'science save': 742131, 'spreading catching': 790942, 'catching when': 167133, 'out enough': 626014, 'enough test': 277657, 'to those pushing': 917516, 'those pushing to': 892382, 'pushing to open': 690463, 'to open too': 911011, 'open too soon': 612610, 'too soon listen': 925075, 'soon listen to': 785767, 'listen to science': 494748, 'to science save': 913910, 'science save life': 742132, 'save life one': 737551, 'life one thing': 488943, 'one thing need': 607229, 'place before the': 657351, 'before the economy': 123155, 'economy can start': 267740, 'start to thrive': 794601, 'to thrive again': 917551, 'thrive again consumer': 894198, 'again consumer confidence': 36954, 'confidence that they': 193960, 'that they won': 846962, 'won be spreading': 1003751, 'be spreading catching': 117337, 'spreading catching when': 790943, 'catching when out': 167134, 'when out enough': 983830, 'out enough test': 626015, 'enough test will': 277658, 'be needed and': 116057, 'needed and we': 556295, 'and we aren': 75281, 'military called': 531449, 'in shut': 427924, 'border travel': 135285, 'ban school': 109254, 'school nationwide': 741869, 'nationwide closed': 552715, 'closed public': 183305, 'public food': 688007, 'place closed': 657385, 'closed out': 183277, 'crashing sars': 215127, 'sars all': 736791, 'flu nothing': 311437, 'happens this': 377508, 'daily briefing by': 224526, 'briefing by government': 139701, 'by government military': 152711, 'government military called': 360360, 'military called in': 531450, 'called in shut': 156350, 'in shut down': 427925, 'down border travel': 256572, 'border travel ban': 135286, 'travel ban school': 930288, 'ban school nationwide': 109255, 'school nationwide closed': 741870, 'nationwide closed public': 552716, 'closed public food': 183306, 'public food place': 688008, 'food place closed': 315854, 'place closed out': 657386, 'closed out of': 183278, 'paper stock market': 640832, 'stock market crashing': 802387, 'market crashing sars': 516257, 'crashing sars all': 215128, 'sars all type': 736792, 'type of flu': 937559, 'of flu nothing': 583614, 'flu nothing happens': 311438, 'nothing happens this': 573033, 'happens this is': 377509, 'ha dealt': 370314, 'dealt another': 229709, 'vulnerable farm': 960963, 'economy sending': 268205, 'sending crop': 750014, 'tumbling raising': 935349, 'about sudden': 26275, 'sudden labor': 817017, 'shortage record': 765194, 'record flooding': 704965, 'flooding inundated': 310750, 'inundated farmland': 443543, 'farmland and': 299667, 'and destroyed': 61280, 'destroyed harvest': 239059, 'harvest chinavirus': 378608, 'chinavirus maga': 177166, 'maga americafirst': 508270, 'pandemic ha dealt': 635539, 'ha dealt another': 370315, 'dealt another blow': 229710, 'blow to vulnerable': 133362, 'to vulnerable farm': 918246, 'vulnerable farm economy': 960964, 'farm economy sending': 299110, 'economy sending crop': 268206, 'sending crop and': 750015, 'livestock price tumbling': 496282, 'price tumbling raising': 677155, 'tumbling raising concern': 935350, 'raising concern about': 696071, 'concern about sudden': 192900, 'about sudden labor': 26276, 'sudden labor shortage': 817018, 'labor shortage record': 478443, 'shortage record flooding': 765195, 'record flooding inundated': 704966, 'flooding inundated farmland': 310751, 'inundated farmland and': 443544, 'farmland and destroyed': 299668, 'and destroyed harvest': 61281, 'destroyed harvest chinavirus': 239060, 'harvest chinavirus maga': 378609, 'chinavirus maga americafirst': 177167, 'can kind': 158827, 'of see': 589443, 'thing take': 884788, 'hold have': 399939, 'have resisted': 382284, 'resisted so': 714605, 'far mainly': 298838, 'afford lot': 34725, 'but part': 146750, 'me doe': 522669, 'doe want': 251662, 'buy bunch': 148452, 'out panickbuying': 627012, 'can kind of': 158828, 'kind of see': 474936, 'of see how': 589444, 'how this panic': 408952, 'buying thing take': 151207, 'thing take hold': 884789, 'take hold have': 832191, 'hold have resisted': 399940, 'have resisted so': 382285, 'resisted so far': 714606, 'so far mainly': 777041, 'far mainly because': 298839, 'mainly because cannot': 508871, 'because cannot afford': 118983, 'cannot afford lot': 161603, 'afford lot but': 34726, 'lot but part': 504006, 'but part of': 146751, 'of me doe': 586328, 'me doe want': 522670, 'doe want to': 251663, 'to go buy': 906780, 'go buy bunch': 353392, 'buy bunch of': 148453, 'bunch of food': 142626, 'food in case': 314929, 'is none left': 450006, 'none left when': 566585, 'left when run': 485730, 'when run out': 983951, 'run out panickbuying': 727765, 'on onmsft': 602527, 'out here on': 626289, 'here on onmsft': 393411, 'soap do': 778985, 'keep at bay': 471322, 'at bay mygovindia': 98106, 'with soap do': 1000795, 'soap do not': 778986, 'face at all': 294320, 'all cost stay': 42466, 'cost stay home': 208120, 'empty am': 274754, 'so mad': 777620, 'mad and': 507520, 'is pointless': 450920, 'pointless and': 662767, 'the shop this': 867033, 'shop this evening': 760926, 'evening and the': 284849, 'are empty am': 86136, 'empty am so': 274755, 'am so mad': 50408, 'so mad and': 777621, 'mad and disgusted': 507521, 'and disgusted at': 61431, 'at the selfishness': 101093, 'hoarding food this': 399316, 'food this panic': 317196, 'buying is pointless': 150574, 'is pointless and': 450921, 'pointless and out': 662768, 'regularly with an': 707977, 'based disinfectant always': 111555, 'animalrights': 76719, 'response may': 715753, 'in slaughterhouse': 427996, 'slaughterhouse shutdown': 773709, 'be opportunity': 116263, 'the animalrights': 848751, 'animalrights community': 76720, 'help individual': 389923, 'cow you': 214469, 'community aware': 189747, '19 response may': 10155, 'response may result': 715754, 'result in slaughterhouse': 717550, 'in slaughterhouse shutdown': 427997, 'slaughterhouse shutdown will': 773711, 'shutdown will there': 768131, 'there be opportunity': 878218, 'be opportunity for': 116264, 'for the animalrights': 326303, 'the animalrights community': 848752, 'animalrights community to': 76721, 'community to help': 190174, 'to help individual': 907546, 'help individual like': 389925, 'individual like the': 435215, 'like the cow': 491361, 'the cow you': 852251, 'cow you see': 214470, 'you see here': 1021039, 'see here share': 745192, 'here share and': 393551, 'and help make': 64457, 'help make the': 390038, 'make the community': 510560, 'the community aware': 851268, 'community aware of': 189748, 'outsized': 629669, 'handling covid': 376342, '19 outsized': 9219, 'outsized business': 629670, 'business key': 143980, 'him do': 396582, 'about stocking your': 26266, 'stocking your pantry': 803629, 'be enough food': 114685, 'gave me an': 344639, 'me an overview': 522401, 'overview of how': 631683, 'of how local': 584830, 'how local grocery': 408183, 'are handling covid': 86996, 'handling covid 19': 376343, 'covid 19 outsized': 213537, '19 outsized business': 9220, 'outsized business key': 629671, 'business key message': 143981, 'from him do': 335804, 'him do not': 396583, 'of manitoba': 586151, 'manitoba emergency': 513246, 'measure act': 525066, 'act your': 29830, 'in bird': 420857, 'bird hill': 131336, 'hill manitoba': 396482, 'manitoba is': 513250, 'not controlling': 568869, 'customer entering': 222338, 'within manitoba': 1002377, 'manitoba are': 513242, 'moment co': 535898, 'following the province': 312901, 'province of manitoba': 687185, 'of manitoba emergency': 586152, 'manitoba emergency measure': 513247, 'emergency measure act': 272793, 'measure act your': 525067, 'act your store': 29831, 'store in bird': 808276, 'in bird hill': 420858, 'bird hill manitoba': 131337, 'hill manitoba is': 396483, 'manitoba is not': 513251, 'is not controlling': 450050, 'not controlling the': 568870, 'controlling the number': 202281, 'of customer entering': 582271, 'customer entering the': 222340, 'the store while': 868144, 'store while other': 811286, 'store within manitoba': 811414, 'within manitoba are': 1002378, 'manitoba are at': 513243, 'this moment co': 888868, 'quite bizarre': 694831, 'bizarre wuhan': 131974, 'proportion here': 684424, 'now plenty': 575558, 'but number': 146624, 'rising thailand': 723300, 'quite bizarre wuhan': 694832, 'bizarre wuhan report': 131975, 'catastrophic proportion here': 166962, 'proportion here we': 684425, 'here we do': 393786, 'not go very': 569693, 'go very far': 354456, 'very far now': 955157, 'far now plenty': 298870, 'now plenty of': 575559, 'of food no': 583738, 'food no panic': 315548, 'panic but number': 637448, 'but number of': 146625, 'are rising thailand': 89719, 'rising thailand china': 723301, 'crisis although': 216996, 'although home': 49321, 'fact is that': 295738, 'everyone during the': 286835, 'current crisis although': 221150, 'crisis although home': 216997, 'although home demand': 49322, 'home demand will': 401060, 'will be higher': 992499, 'be higher because': 115250, 'because people will': 119484, 'people will eat': 650386, 'will eat at': 993282, 'someone answer': 784365, 'answer me': 78077, 'and active': 57635, 'dollar noticed': 253041, 'someone answer me': 784366, 'answer me this': 78078, 'me this how': 523712, 'this how long': 887972, 'doe the stay': 251622, 'the stay alive': 867848, 'stay alive and': 796759, 'alive and active': 41797, 'and active on': 57636, 'active on the': 30284, 'on the dollar': 604071, 'the dollar noticed': 853521, 'dollar noticed many': 253042, 'noticed many supermarket': 573455, 'supermarket employee wearing': 820149, 'employee wearing face': 274398, 'mask but no': 518493, 'but no glove': 146486, 'is life like': 449294, 'asked we spoke': 95894, 'somone': 785336, 'somone who': 785337, 'please cannot': 659765, 'enough stay': 277628, 'essential keep': 281261, 'like safe': 491116, 'too thank': 925102, 'somone who work': 785338, 'for supermarket my': 326017, 'supermarket my job': 821557, 'job is essential': 465902, 'is essential please': 447550, 'essential please cannot': 281400, 'please cannot stress': 659766, 'this enough stay': 887390, 'enough stay home': 277629, 'stay home only': 796988, 'home only come': 401726, 'only come for': 610254, 'come for the': 187294, 'the essential keep': 854510, 'essential keep yourself': 281262, 'safe and people': 729467, 'and people like': 68870, 'people like safe': 648648, 'like safe too': 491117, 'safe too thank': 730071, 'too thank you': 925104, 'lautoka people': 482172, 'people engaged': 647798, 'buying nearly': 150742, 'nearly emptying': 553822, 'this feel': 887531, 'the recently confirmed': 865326, 'recently confirmed covid': 704068, 'case in lautoka': 165797, 'in lautoka people': 424627, 'lautoka people engaged': 482173, 'people engaged in': 647799, 'engaged in bulk': 276875, 'in bulk buying': 421031, 'bulk buying nearly': 142281, 'buying nearly emptying': 150743, 'nearly emptying the': 553823, 'emptying the supermarket': 275294, 'all this feel': 45104, 'this feel sorry': 887532, 'sorry for those': 786048, 'those senior citizen': 892447, 'senior citizen who': 750259, 'citizen who live': 179001, 'who live and': 989214, 'live and shop': 495721, 'and shop alone': 71489, 'those that may': 892538, 'that may not': 845086, 'their shopping be': 874712, 'shopping be kind': 762167, 'chemistryresponds': 175479, 'njthanksyou': 563485, 'chemistrymatters': 175478, 'you plant': 1020347, 'plant make': 658678, 'make donates': 509853, 'donates 00': 254377, 'fight chemistryfightscovid': 304694, 'chemistryfightscovid chemistryresponds': 175476, 'chemistryresponds inthistogether': 175480, 'inthistogether njthanksyou': 442314, 'njthanksyou chemistrymatters': 563486, 'thank you plant': 841800, 'you plant make': 1020348, 'plant make donates': 658679, 'make donates 00': 509854, 'donates 00 gallon': 254378, 'to fight chemistryfightscovid': 905783, 'fight chemistryfightscovid chemistryresponds': 304695, 'chemistryfightscovid chemistryresponds inthistogether': 175477, 'chemistryresponds inthistogether njthanksyou': 175481, 'inthistogether njthanksyou chemistrymatters': 442315, 'mary fucking': 518157, 'fucking berry': 339810, 'is mary fucking': 449591, 'mary fucking berry': 518158, 'fucking berry shopping': 339811, 'such dave': 816433, 'dave supermarket': 226964, 'continue responding': 201117, 'local store such': 498482, 'store such dave': 810436, 'such dave supermarket': 816434, 'dave supermarket continue': 226965, 'supermarket continue responding': 819767, 'continue responding to': 201118, 'panicking having': 639342, 'having plan': 384223, 'decision flourish': 231025, 'flourish stay': 311198, '19 more worried': 8683, 'people panicking having': 649071, 'panicking having plan': 639343, 'having plan you': 384224, 'plan you re': 658360, 're not panic': 699110, 'on the important': 604174, 'the important issue': 857980, 'key decision flourish': 473269, 'decision flourish stay': 231026, 'flourish stay safe': 311199, 'mother ha': 543107, 'everything by': 287721, 'when necessary': 983758, 'necessary but': 553965, 'poor mother': 664226, 'my mother ha': 549331, 'mother ha been': 543108, 'tried everything by': 931774, 'everything by staying': 287723, 'store when necessary': 811244, 'when necessary but': 983759, 'necessary but shit': 553966, 'my poor mother': 549809, 'poor mother is': 664227, 'mother is now': 543128, 'nha': 562199, '02890391225': 829, 'of nha': 587010, 'nha for': 562200, 'donation coming': 254574, 'coming call': 188012, 'call 02890391225': 155677, '02890391225 to': 830, 'all the donation': 44722, 'the donation to': 853550, 'donation to our': 254714, 'bank the stock': 110242, 'stock is going': 802306, 'going out fast': 355370, 'out fast it': 626061, 'fast it coming': 300000, 'coming in special': 188097, 'in special thank': 428192, 'to all volunteer': 900300, 'all volunteer and': 45375, 'and staff of': 72196, 'staff of nha': 792703, 'of nha for': 587011, 'nha for their': 562201, 'for their help': 326837, 'their help at': 873532, 'help at this': 389390, 'time 19 please': 896180, '19 please keep': 9721, 'please keep the': 660157, 'keep the donation': 472038, 'the donation coming': 853546, 'donation coming call': 254575, 'coming call 02890391225': 188013, 'call 02890391225 to': 155678, '02890391225 to help': 831, 'trump thanks': 933904, 'thanks cashier': 842032, 'clerk which': 181821, 'store whitehousebriefing': 811296, 'trump thanks cashier': 933905, 'thanks cashier and': 842033, 'cashier and clerk': 166454, 'and clerk which': 59973, 'clerk which make': 181822, 'me wonder when': 524009, 'wonder when he': 1004022, 'when he wa': 983549, 'he wa last': 385607, 'wa last in': 962503, 'last in grocery': 480276, 'grocery store whitehousebriefing': 365952, 'place especially': 657424, 'eu what': 283290, 'veg have': 953754, 'have there': 383077, 'been any': 120664, 'in tariff': 428822, 'tariff have': 834597, 'we lost': 972303, 'lost sight': 503915, 'just some for': 469830, 'some for thought': 782893, 'for thought with': 327166, 'thought with taking': 893322, 'with taking place': 1001115, 'taking place especially': 833509, 'place especially here': 657425, 'we just came': 972103, 'of the eu': 590995, 'the eu what': 854569, 'eu what ha': 283291, 'ha happened to': 370827, 'to all price': 900280, 'all price especially': 44028, 'especially for fresh': 280482, 'for fresh fruit': 321758, 'and veg have': 74862, 'veg have there': 953755, 'have there been': 383078, 'there been any': 878231, 'been any change': 120665, 'any change in': 79015, 'change in tariff': 172136, 'in tariff have': 428823, 'tariff have we': 834598, 'have we lost': 383558, 'we lost sight': 972304, 'lost sight of': 503916, 'sight of price': 769052, 'of price change': 588397, 'price change with': 673111, 'week wear': 977206, 'restaurant continue': 716397, 'their pivot': 874309, 'pivot deeper': 657077, 'deeper and': 231953, 'and deeper': 61048, 'deeper into': 231960, 'in trend': 430283, 'that sweeping': 846605, 'sweeping san': 830201, 'francisco many': 331115, 'selling off': 749368, 'case large': 165849, 'large bottle': 479603, 'the week wear': 871321, 'week wear on': 977207, 'wear on bar': 974432, 'on bar and': 599564, 'and restaurant continue': 70372, 'restaurant continue their': 716398, 'continue their pivot': 201150, 'their pivot deeper': 874310, 'pivot deeper and': 657078, 'deeper and deeper': 231954, 'and deeper into': 61049, 'deeper into survival': 231961, 'survival mode in': 829059, 'mode in trend': 535178, 'in trend that': 430284, 'trend that sweeping': 931465, 'that sweeping san': 846606, 'sweeping san francisco': 830202, 'san francisco many': 733543, 'francisco many are': 331116, 'many are selling': 513776, 'are selling off': 89966, 'selling off their': 749371, 'off their inventory': 594289, 'their inventory in': 873681, 'inventory in this': 443678, 'this case large': 886711, 'case large bottle': 165850, 'large bottle of': 479604, 'bottle of at': 136276, 'of at bargain': 580418, 'world surge': 1010030, 'leaf community': 483790, 'community reeling': 190061, 'the world surge': 871979, 'world surge to': 1010031, 'surge to meet': 828269, 'meet demand covid': 527461, '19 leaf community': 8293, 'leaf community reeling': 483791, 'indigo': 435089, 'rono': 725817, 'dutta': 263537, 'paycut': 645319, 'breaking indigo': 138972, 'indigo ceo': 435090, 'ceo rono': 169822, 'rono dutta': 725818, 'dutta to': 263538, 'take 25': 831878, '25 paycut': 15938, 'paycut senior': 645320, 'senior vice': 750434, 'take 20': 831873, '20 15': 12870, '15 paycut': 3807, 'paycut to': 645322, 'fight hit': 304767, 'to airline': 900202, 'airline hope': 39963, 'hope other': 403586, 'other airline': 619811, 'airline follow': 39954, 'follow aviation': 312356, 'breaking indigo ceo': 138973, 'indigo ceo rono': 435091, 'ceo rono dutta': 169823, 'rono dutta to': 725819, 'dutta to take': 263539, 'to take 25': 916150, 'take 25 paycut': 831879, '25 paycut senior': 15939, 'paycut senior vice': 645321, 'senior vice president': 750435, 'vice president vice': 956433, 'president vice president': 670962, 'vice president to': 956432, 'president to take': 670925, 'to take 20': 916149, 'take 20 15': 831874, '20 15 paycut': 12871, '15 paycut to': 3808, 'paycut to fight': 645323, 'to fight hit': 905793, 'fight hit to': 304768, 'hit to airline': 398470, 'to airline hope': 900203, 'airline hope other': 39964, 'hope other airline': 403587, 'other airline follow': 619812, 'airline follow aviation': 39955, 'manor': 513326, '2250': 15302, 'layard': 482611, 'wheel the': 983052, 'in racine': 427233, 'racine tomorrow': 695248, 'at mount': 99779, 'mount pleasant': 543403, 'pleasant manor': 659610, 'manor 2250': 513327, '2250 layard': 15305, 'layard ave': 482612, 'ave racine': 104746, 'racine wi': 695250, 'wi at': 991635, 'at 2pm': 97578, '2pm for': 16843, 'need visit': 556161, 'the mobile market': 860715, 'mobile market is': 534990, 'market is grocery': 516630, 'store on wheel': 809211, 'on wheel the': 605259, 'wheel the come': 983054, 'the come to': 851183, 'come to neighborhood': 187583, 'to neighborhood in': 910538, 'neighborhood in racine': 557130, 'in racine tomorrow': 427234, 'racine tomorrow the': 695249, 'tomorrow the mobile': 924195, 'mobile market will': 534992, 'be at mount': 113735, 'at mount pleasant': 99780, 'mount pleasant manor': 543404, 'pleasant manor 2250': 659611, 'manor 2250 layard': 513328, '2250 layard ave': 15306, 'layard ave racine': 482613, 'ave racine wi': 104747, 'racine wi at': 695251, 'wi at 2pm': 991636, 'at 2pm for': 97581, '2pm for your': 16844, 'your grocery need': 1024129, 'grocery need visit': 364747, 'need visit for': 556162, 'visit for detail': 959250, 'for detail and': 320676, 'detail and other': 239153, 'ilusion': 416496, 'england took': 277033, 'took brexit': 925216, 'brexit boris': 139494, 'boris is': 135461, 'empty bbc': 274798, 'bbc keep': 113083, 'the ilusion': 857888, 'ilusion all': 416497, 'control wonder': 202215, 'wonder until': 1004003, 'until when': 943933, 'england took brexit': 277034, 'took brexit boris': 925217, 'brexit boris is': 139495, 'boris is with': 135463, 'is with covid': 454011, 'shelf in london': 757203, 'london are empty': 501023, 'are empty bbc': 86141, 'empty bbc keep': 274799, 'bbc keep the': 113084, 'keep the ilusion': 472048, 'the ilusion all': 857889, 'ilusion all is': 416498, 'all is under': 43256, 'is under the': 453467, 'under the control': 940294, 'the control wonder': 851696, 'control wonder until': 202216, 'wonder until when': 1004004, 'lisa had': 494242, 'item shopping': 463636, 'centre wa': 169562, 'insane and': 439028, 'and overheard': 68576, 'overheard chatter': 631234, 'chatter of': 174001, 'people either': 647771, 'going party': 355417, 'party over': 643022, 'weekend obviously': 977379, 'obviously people': 578846, 'not clearly': 568766, 'clearly listen': 181527, 'lisa had to': 494243, 'go supermarket today': 354183, 'get few item': 347005, 'few item shopping': 303890, 'item shopping centre': 463637, 'shopping centre wa': 762359, 'centre wa insane': 169563, 'wa insane and': 962408, 'insane and overheard': 439029, 'and overheard chatter': 68577, 'overheard chatter of': 631235, 'chatter of people': 174002, 'of people either': 587903, 'people either going': 647772, 'either going away': 270309, 'going away or': 355039, 'away or going': 105984, 'or going party': 615497, 'going party over': 355418, 'party over the': 643023, 'the weekend obviously': 871333, 'weekend obviously people': 977380, 'obviously people do': 578848, 'do not clearly': 249695, 'not clearly listen': 568767, 'clearly listen to': 181528, 'finra': 308000, 'an investor': 56449, 'investor alert': 444093, 'the finra': 855254, 'finra begin': 308001, 'from regulator': 337063, 'regulator law': 708145, 'enforcement agency': 276736, 'organization around': 619346, 'globe the': 352480, 'clear fraudulent': 181250, 'scheme related': 741582, 'an investor alert': 56450, 'investor alert this': 444094, 'alert this week': 41521, 'this week from': 891215, 'week from the': 976257, 'from the finra': 337699, 'the finra begin': 855255, 'finra begin with': 308002, 'begin with from': 123603, 'with from regulator': 998566, 'from regulator law': 337064, 'regulator law enforcement': 708146, 'law enforcement agency': 482264, 'enforcement agency and': 276737, 'agency and consumer': 37980, 'consumer organization around': 198290, 'organization around the': 619347, 'the globe the': 856363, 'globe the message': 352481, 'the message is': 860519, 'message is clear': 529349, 'is clear fraudulent': 446547, 'clear fraudulent scheme': 181251, 'fraudulent scheme related': 331474, 'scheme related to': 741583, 'pandemic have arrived': 635589, 'embassy': 272465, 'sanitisers can': 734071, 'shop delhi': 760089, 'delhi food': 232885, 'food minister': 315464, 'minister potato': 533440, 'jump at': 467852, '20 amid': 12939, 'buying indian': 150554, 'indian embassy': 434826, 'embassy worldwide': 272468, 'worldwide issue': 1010385, 'issue advisory': 455645, 'advisory for': 33762, 'distressed national': 247942, 'national catch': 552437, 'mask sanitisers can': 519210, 'sanitisers can be': 734072, 'can be sold': 157685, 'be sold at': 117281, 'sold at fair': 781632, 'fair price shop': 296374, 'price shop delhi': 676377, 'shop delhi food': 760090, 'delhi food minister': 232886, 'food minister potato': 315465, 'minister potato price': 533441, 'potato price jump': 666971, 'price jump at': 674956, 'jump at least': 467853, 'least 20 amid': 484338, '20 amid panic': 12940, 'panic buying indian': 637776, 'buying indian embassy': 150555, 'indian embassy worldwide': 434827, 'embassy worldwide issue': 272469, 'worldwide issue advisory': 1010386, 'issue advisory for': 455646, 'advisory for distressed': 33763, 'for distressed national': 320769, 'distressed national catch': 247943, 'national catch the': 552438, 'catch the latest': 167037, 'elisabetta': 271506, 'abrami': 27128, 'outgoing': 628977, 'is breaking': 446260, 'breaking up': 139079, 'boyfriend they': 137427, 'they decided': 881873, 'store five': 807736, 'five foot': 309616, 'apart elisabetta': 81248, 'elisabetta abrami': 271507, 'abrami is': 27129, 'is 32': 445201, '32 single': 17700, 'single outgoing': 771355, 'outgoing and': 628978, 'lockdown mostly': 499673, 'mostly confined': 542946, 'her small': 392390, 'small apartment': 774791, 'apartment in': 81406, 'rome this': 725757, 'is her': 448410, 'of mine is': 586556, 'mine is breaking': 532904, 'is breaking up': 446261, 'breaking up with': 139080, 'up with her': 946648, 'with her boyfriend': 998772, 'her boyfriend they': 391894, 'boyfriend they decided': 137428, 'they decided to': 881874, 'decided to meet': 230924, 'meet up at': 527645, 'up at grocery': 944430, 'grocery store five': 365400, 'store five foot': 807737, 'five foot apart': 309617, 'foot apart elisabetta': 318342, 'apart elisabetta abrami': 81249, 'elisabetta abrami is': 271508, 'abrami is 32': 27130, 'is 32 single': 445202, '32 single outgoing': 17701, 'single outgoing and': 771356, 'outgoing and on': 628979, 'and on lockdown': 68062, 'on lockdown mostly': 601916, 'lockdown mostly confined': 499674, 'mostly confined to': 542947, 'confined to her': 194051, 'to her small': 907707, 'her small apartment': 392391, 'small apartment in': 774792, 'apartment in rome': 81407, 'in rome this': 427541, 'rome this is': 725759, 'this is her': 888277, 'is her new': 448411, 'her new normal': 392228, 'foodsecurity expert': 318074, 'shortage higher': 764998, 'growing nutrition': 367222, 'nutrition gap': 577722, 'foodsecurity expert are': 318075, 'warning the global': 967210, 'global pandemic could': 352079, 'pandemic could lead': 635250, 'lead to supply': 483391, 'to supply shortage': 915887, 'supply shortage higher': 825832, 'shortage higher price': 764999, 'price and growing': 672428, 'and growing nutrition': 64016, 'growing nutrition gap': 367223, 'nutrition gap between': 577723, 'gap between rich': 343435, 'between rich and': 128872, 'rich and poor': 721189, 'whitmer': 987986, 'bloomfield': 133271, 'after whitmer': 36538, 'whitmer order': 987987, 'west bloomfield': 980471, 'bloomfield with': 133272, 'after whitmer order': 36539, 'whitmer order grocery': 987988, 'order grocery store': 618274, 'store in west': 808412, 'in west bloomfield': 430798, 'west bloomfield with': 980472, 'bloomfield with only': 133273, 'with only self': 999915, 'only self checkout': 611096, 'support ken': 826607, 'ken by': 472760, 'signing covid': 769631, 'panic mitigation': 638312, 'mitigation for': 534561, 'deliver copy': 233105, 'copy to': 203476, 'your official': 1025056, 'official too': 595953, 'support ken by': 826608, 'ken by signing': 472761, 'by signing covid': 154017, 'signing covid 19': 769632, '19 panic mitigation': 9555, 'panic mitigation for': 638313, 'mitigation for food': 534562, 'supply and ll': 824732, 'and ll deliver': 66268, 'll deliver copy': 496697, 'deliver copy to': 233106, 'copy to your': 203477, 'to your official': 919010, 'your official too': 1025057, 'official too last': 595954, 'too last delivered': 924828, 'last delivered to': 480193, 'nothing chinese': 572979, 'chinese about': 177182, 'about british': 24893, 'people behaving': 647247, 'behaving badly': 123823, 'badly toward': 108173, 'toward each': 927116, 'shelf little': 757290, 'little self': 495556, 'self accountability': 747544, 'accountability go': 28795, 'also china': 48022, 'china pretty': 176882, 'pretty amazing': 671352, 'amazing covid19': 50668, 'covid19 medical': 214336, 'medical handbook': 526203, 'there nothing chinese': 878869, 'nothing chinese about': 572980, 'chinese about british': 177183, 'about british people': 24894, 'british people behaving': 140559, 'people behaving badly': 647248, 'behaving badly toward': 123824, 'badly toward each': 108174, 'toward each other': 927117, 'other and stripping': 619831, 'supermarket shelf little': 822492, 'shelf little self': 757291, 'little self accountability': 495557, 'self accountability go': 747545, 'accountability go long': 28796, 'long way also': 501818, 'way also china': 969448, 'also china pretty': 48023, 'china pretty amazing': 176883, 'pretty amazing covid19': 671353, 'amazing covid19 medical': 50669, 'covid19 medical handbook': 214337, 'opinion in': 613468, 'survey cpg': 828849, 'is affecting your': 445402, 'your business give': 1023058, 'business give your': 143784, 'give your opinion': 350889, 'your opinion in': 1025086, 'opinion in our': 613469, 'in our short': 426336, 'short survey cpg': 764721, 'harmless': 378469, 'month harmless': 537761, 'harmless looking': 378470, 'country poultry': 210968, 'just month harmless': 469286, 'month harmless looking': 537762, 'harmless looking fake': 378471, 'destroyed the country': 239071, 'the country poultry': 852132, 'country poultry business': 210969, 'poultry business and': 667310, 'buying fiji': 150291, 'fiji ha': 305282, 'one confirmed': 606091, 'fiji consumer': 305276, 'advising consumer': 33699, 'council urge': 210033, '19 stop panic': 10867, 'panic buying fiji': 637731, 'buying fiji ha': 150292, 'fiji ha one': 305285, 'ha one confirmed': 371436, 'one confirmed case': 606092, '19 the fiji': 11192, 'the fiji consumer': 855178, 'fiji consumer council': 305277, 'council is advising': 209993, 'is advising consumer': 445367, 'advising consumer to': 33700, 'consumer to remain': 199323, 'calm and avoid': 156683, 'buying the council': 151164, 'the council urge': 852017, 'council urge consumer': 210034, 'consumer to think': 199329, 'think of other': 885452, 'of other consumer': 587360, 'other consumer during': 619995, 'exploded': 292308, 'on ha': 601217, 'ha exploded': 370564, 'exploded ensure': 292311, 'your organisation': 1025114, 'organisation continues': 619257, 'should with': 766660, 'free spend': 332190, 'spend analysis': 788576, 'demo now': 236675, 'home the demand': 402227, 'demand on ha': 235969, 'on ha exploded': 601218, 'ha exploded ensure': 370565, 'exploded ensure your': 292312, 'ensure your organisation': 278138, 'your organisation continues': 1025115, 'organisation continues to': 619258, 'continues to purchase': 201488, 'to purchase it': 912537, 'purchase it at': 689513, 'it at the': 456628, 'price you should': 677699, 'you should with': 1021231, 'should with get': 766661, 'with get free': 998607, 'get free spend': 347097, 'free spend analysis': 332191, 'spend analysis and': 788577, 'analysis and demo': 57014, 'and demo now': 61192, 'on please': 602823, 'online anyone on': 607866, 'anyone on please': 80444, 'on please pack': 602824, 'also may': 48519, 'safe alternative': 729419, 'option am': 613977, 'am simply': 50395, 'simply asking': 770178, 'asking that': 96071, 'these people more': 880451, 'people more susceptible': 648789, '19 they also': 11300, 'they also may': 881151, 'also may not': 48520, 'not have safe': 569865, 'have safe alternative': 382377, 'safe alternative to': 729421, 'alternative to ensure': 49268, 'ensure they get': 278105, 'they get their': 882182, 'get their food': 348331, 'their food not': 873345, 'food not asking': 315558, 'not asking you': 568261, 'to not use': 910716, 'not use online': 572358, 'shopping option am': 763529, 'option am simply': 613978, 'am simply asking': 50396, 'simply asking that': 770179, 'asking that if': 96072, 'can avoid using': 157561, 'avoid using it': 105381, 'retro': 719787, 'for go': 321903, 'go retro': 354071, 'retro amp': 719788, 'your cab': 1023097, 'cab smelling': 154934, 'smelling sweet': 775635, 'sweet on': 830239, 'these lavender': 880224, 'lavender filled': 482185, 'filled car': 305532, 'car freshies': 163094, 'is for and': 447878, 'for and also': 319316, 'and also for': 57949, 'also for go': 48227, 'for go retro': 321904, 'go retro amp': 354072, 'retro amp keep': 719789, 'amp keep your': 54047, 'keep your cab': 472255, 'your cab smelling': 1023098, 'cab smelling sweet': 154935, 'smelling sweet on': 775636, 'sweet on trip': 830240, 'to the with': 917194, 'the with these': 871642, 'with these lavender': 1001644, 'these lavender filled': 880225, 'lavender filled car': 482186, 'filled car freshies': 305533, 'the admin': 848352, 'admin the': 32424, 'carers farmer': 164581, 'country get': 210682, 'time god': 896848, 'all clapforkeyworkers': 42363, 'clapforkeyworkers stayhomesavelives': 180003, 'the staff the': 867704, 'staff the cleaner': 792941, 'the cleaner the': 850984, 'cleaner the admin': 180847, 'the admin the': 848353, 'admin the supermarket': 32425, 'driver carers farmer': 259478, 'carers farmer and': 164582, 'farmer and everyone': 299254, 'who is helping': 989080, 'is helping our': 448404, 'our country get': 622592, 'country get through': 210684, 'through this awful': 894804, 'awful time god': 106244, 'time god bless': 896849, 'you all clapforkeyworkers': 1016869, 'all clapforkeyworkers stayhomesavelives': 42364, 'vincenzo': 957422, 'my freezer': 548406, 'freezer it': 332614, 'paper stockup': 640838, 'stockup stockingup': 804208, 'stockingup notoiletpaper': 803632, 'notoiletpaper toiletpaper': 573599, 'food fightcoronavirus': 314463, 'fightcoronavirus vincenzo': 304979, 'vincenzo plate': 957423, 'stocking up my': 803621, 'up my freezer': 945427, 'my freezer it': 548407, 'freezer it is': 332615, 'up your freezer': 946736, 'your freezer with': 1023959, 'freezer with food': 332654, 'food and stop': 313346, 'stop buying toilet': 804550, 'toilet paper stockup': 921472, 'paper stockup stockingup': 640839, 'stockup stockingup notoiletpaper': 804209, 'stockingup notoiletpaper toiletpaper': 803633, 'notoiletpaper toiletpaper food': 573600, 'toiletpaper food fightcoronavirus': 921995, 'food fightcoronavirus vincenzo': 314464, 'fightcoronavirus vincenzo plate': 304980, 'hyperinflation start': 412313, 'start when': 794640, 'when country': 983306, 'country government': 210697, 'government begin': 359929, 'begin printing': 123548, 'printing money': 678346, 'money supply': 537046, 'supply price': 825728, 'regular inflation': 707797, 'inflation qe': 437219, 'qe economy': 691535, 'hyperinflation start when': 412314, 'start when country': 794641, 'when country government': 983308, 'country government begin': 210698, 'government begin printing': 359930, 'begin printing money': 123549, 'printing money to': 678347, 'for it spending': 322735, 'it spending it': 461194, 'spending it increase': 788887, 'it increase the': 458774, 'increase the money': 433108, 'the money supply': 860827, 'money supply price': 537047, 'supply price rise': 825729, 'price rise in': 676240, 'rise in regular': 722905, 'in regular inflation': 427357, 'regular inflation qe': 707798, 'inflation qe economy': 437220, 'healthandfitness': 386998, '59m': 20602, '36m': 18059, 'healthandfitness apps': 386999, 'apps set': 83306, 'record at': 704909, 'at 59m': 97695, '59m downloads': 20603, 'and 36m': 57456, '36m in': 18060, 'spend during': 788599, '22 consumer': 15197, 'time indoors': 897031, 'indoors due': 435395, 'mobile for': 534970, 'workout fitness': 1009159, 'healthandfitness apps set': 387000, 'apps set new': 83307, 'set new record': 753434, 'new record at': 559415, 'record at 59m': 704910, 'at 59m downloads': 97696, '59m downloads and': 20604, 'downloads and 36m': 257657, 'and 36m in': 57457, '36m in consumer': 18061, 'in consumer spend': 421721, 'consumer spend during': 199032, 'spend during the': 788601, 'during the week': 263216, 'march 22 consumer': 515179, '22 consumer face': 15198, 'consumer face more': 197429, 'face more time': 294622, 'more time indoors': 540770, 'time indoors due': 897032, 'indoors due to': 435396, 'turning to mobile': 935967, 'to mobile for': 910209, 'mobile for at': 534971, 'for at home': 319516, 'home workout fitness': 402567, 'is me right': 449607, 'me right now': 523398, 'gobeba': 354611, 'home measure': 401607, 'measure creating': 525166, 'platform around': 658945, 'including gobeba': 431986, 'gobeba of': 354614, 'kenya seeing': 472936, 'seeing tripling': 746527, 'tripling of': 932301, 'order especially': 618191, 'more kenyan': 539644, 'kenyan shift': 472984, 'shopping news': 763325, 'distancing stay home': 247502, 'stay home measure': 796984, 'home measure creating': 401608, 'measure creating opportunity': 525167, 'opportunity for ecommerce': 613610, 'for ecommerce platform': 320941, 'ecommerce platform around': 266836, 'platform around the': 658946, 'the world including': 871894, 'world including gobeba': 1009667, 'including gobeba of': 431987, 'gobeba of kenya': 354615, 'of kenya seeing': 585599, 'kenya seeing tripling': 472937, 'seeing tripling of': 746528, 'tripling of order': 932302, 'of order especially': 587333, 'order especially in': 618192, 'especially in food': 280525, 'in food household': 422973, 'household item more': 406867, 'item more kenyan': 463462, 'more kenyan shift': 539645, 'kenyan shift to': 472985, 'online shopping news': 609195, 'small reminder': 775086, 'best bekindtoeachother': 127595, 'bekindtoeachother wereinthistogether': 126127, 'small reminder be': 775087, 'their best bekindtoeachother': 872596, 'best bekindtoeachother wereinthistogether': 127596, 'ever production': 285457, 'said total': 731531, 'total production': 926228, 'would exceed': 1011797, 'see production': 745613, 'production fall': 682034, 'fall rapidly': 297035, 'biggest ever production': 130231, 'ever production cut': 285458, 'production by fifth': 681950, 'fifth after pressure': 304563, 'pressure from trump': 671166, 'from trump said': 338152, 'trump said total': 933809, 'said total production': 731532, 'total production cut': 926229, 'production cut would': 682004, 'cut would exceed': 223638, 'would exceed 20': 1011798, 'exceed 20 million': 289022, 'day and see': 227278, 'and see production': 71142, 'see production fall': 745614, 'production fall rapidly': 682035, 'fall rapidly due': 297036, 'global demand fell': 351865, 'fell by third': 303185, 'naturaldeodorantthatworks': 552885, 'crueltyfree': 219685, 'veganbeauty': 953894, 'next natural': 561469, 'natural deodorant': 552818, 'deodorant you': 237175, 'give try': 350804, 'officially live': 596009, 'so visit': 778633, 'at naturaldeodorantthatworks': 99851, 'naturaldeodorantthatworks crueltyfree': 552886, 'crueltyfree veganbeauty': 219686, 'we hope that': 972034, 'hope that while': 403662, 'online for your': 608248, 'for your next': 328179, 'your next natural': 1025004, 'next natural deodorant': 561470, 'natural deodorant you': 552819, 'deodorant you ll': 237176, 'you ll give': 1019654, 'll give try': 496803, 'give try our': 350806, 'try our new': 934537, 'our new website': 624049, 'website is officially': 975322, 'is officially live': 450437, 'officially live so': 596010, 'live so visit': 496019, 'so visit at': 778634, 'visit at naturaldeodorantthatworks': 959190, 'at naturaldeodorantthatworks crueltyfree': 99852, 'naturaldeodorantthatworks crueltyfree veganbeauty': 552887, 'cause mate': 167649, 'brilliant food': 139844, 'in silverlinings': 427958, 'buying cause mate': 150102, 'cause mate to': 167650, 'mate to discover': 520350, 'to discover the': 904369, 'discover the brilliant': 244666, 'the brilliant food': 850003, 'brilliant food offering': 139845, 'food offering in': 315586, 'offering in silverlinings': 595161, 'black country': 132040, 'under fire': 940086, 'paracetamol from': 641242, 'then changing': 877067, 'after wave': 36511, 'of criticism': 582215, 'the black country': 849740, 'black country ha': 132041, 'country ha come': 210710, 'come under fire': 187643, 'under fire after': 940087, 'fire after increasing': 308055, 'of paracetamol from': 587768, 'paracetamol from 20': 641243, 'from 20 to': 334229, '20 to and': 13392, 'to and then': 900528, 'and then changing': 73750, 'then changing it': 877068, 'changing it again': 172734, 'it again after': 456303, 'again after wave': 36876, 'after wave of': 36512, 'wave of criticism': 969372, 'will wear': 995339, 'the train': 869883, 'to downtown': 904694, 'downtown chicago': 257737, 'chicago top': 175698, 'top china': 925544, 'china scientist': 176929, 'office supply': 595557, 'busy bc': 144871, 'bc pe': 113278, 'yes will wear': 1015612, 'will wear mask': 995340, 'on the train': 604413, 'the train to': 869885, 'train to downtown': 929284, 'to downtown chicago': 904695, 'downtown chicago top': 257738, 'chicago top china': 175699, 'top china scientist': 925545, 'china scientist said': 176930, 'scientist said she': 742253, 'said she did': 731345, 'she did that': 755986, 'did that when': 240843, 'that when first': 847485, 'when first started': 983428, 'first started to': 309018, 'started to office': 794878, 'to office supply': 910862, 'office supply store': 595558, 'supply store which': 825911, 'which are busy': 985674, 'are busy bc': 85096, 'busy bc pe': 144872, 'store when someone': 811248, 'foot to you': 318449, 'to you socialdistancing': 918924, 'moving even': 544141, 'life online': 488944, 'online remote': 608856, 'shopping staying': 763979, 'staying informed': 798657, 'informed keeping': 438105, 'touch guessing': 926487, 'guessing you': 368141, 'those interaction': 892126, 'interaction secure': 441262, 'secure confidential': 744433, 'confidential and': 194020, 'and tamper': 73017, 'tamper proof': 834127, 'proof don': 683993, 'let government': 486755, 'government weaken': 360789, 'huge part of': 410122, 'response is moving': 715744, 'is moving even': 449758, 'moving even more': 544142, 'even more of': 284368, 'our life online': 623731, 'life online remote': 488945, 'online remote working': 608857, 'remote working online': 710756, 'online shopping staying': 609285, 'shopping staying informed': 763980, 'staying informed keeping': 798658, 'informed keeping in': 438106, 'in touch guessing': 430228, 'touch guessing you': 926488, 'guessing you want': 368142, 'keep those interaction': 472136, 'those interaction secure': 892127, 'interaction secure confidential': 441263, 'secure confidential and': 744434, 'confidential and tamper': 194021, 'and tamper proof': 73018, 'tamper proof don': 834128, 'proof don let': 683994, 'don let government': 253690, 'let government weaken': 486756, 'barrel of sanitizer': 111256, 'muntharika': 546117, 'malawi energy': 511572, 'energy regulatory': 276570, 'regulatory authority': 708167, 'authority mera': 103760, 'mera ha': 528922, 'product effective': 681154, 'follows the': 312962, 'the decree': 853011, 'decree by': 231668, 'peter muntharika': 653525, 'muntharika during': 546118, 'his national': 397633, 'national address': 552408, 'of coping': 581873, 'malawi energy regulatory': 511573, 'energy regulatory authority': 276571, 'regulatory authority mera': 708168, 'authority mera ha': 103761, 'mera ha reduced': 528923, 'petroleum product effective': 653835, 'product effective april': 681155, 'effective april 2020': 269224, '2020 this follows': 14654, 'this follows the': 887570, 'follows the decree': 312963, 'the decree by': 853012, 'decree by president': 231669, 'by president peter': 153645, 'president peter muntharika': 670883, 'peter muntharika during': 653526, 'muntharika during his': 546119, 'during his national': 262693, 'his national address': 397634, 'national address on': 552409, 'address on measure': 32006, 'on measure of': 602081, 'measure of coping': 525268, 'of coping with': 581874, 'junction': 467982, 'westseattle': 980719, 'junction online': 467983, 'socialdistancing westseattle': 780866, 'junction online shopping': 467984, 'shopping during socialdistancing': 762542, 'during socialdistancing westseattle': 263033, 'pretty picked': 671477, 'limiting what': 492891, 'novelty grocerystore': 573840, 'grocerystore hoarding': 366313, 'they are pretty': 881366, 'are pretty picked': 89210, 'pretty picked over': 671478, 'picked over and': 655802, 'over and limiting': 629986, 'and limiting what': 66193, 'limiting what one': 492892, 'what one can': 981966, 'one can buy': 606044, 'the novelty grocerystore': 861930, 'novelty grocerystore hoarding': 573841, 'grocerystore hoarding coronapocolypse': 366314, 'online which': 609720, 'temporarily prioritize': 837522, 'prioritize household': 678440, 'staple medical': 793974, 'shopping online which': 763506, 'online which ha': 609721, 'which ha had': 985884, 'ha had an': 370787, 'had an impact': 372838, 'our customer so': 622675, 'customer so in': 222857, 'short term we': 764760, 'term we made': 838340, 'we made the': 972326, 'to temporarily prioritize': 916358, 'temporarily prioritize household': 837523, 'prioritize household staple': 678441, 'household staple medical': 406952, 'staple medical supply': 793975, 'icymi canadian': 412865, 'icymi canadian consumer': 412866, 'dow rally': 256337, 'rally 780': 696251, 'recover covid': 705168, 'rise 2020': 722762, 'dow rally 780': 256338, 'rally 780 point': 696252, '780 point in': 22341, 'point in effort': 662518, 'effort to recover': 269640, 'to recover covid': 912985, 'recover covid 19': 705169, 'price rise 2020': 676228, 'go will': 354504, 'be clapping': 114089, 'cleaner paramedic': 180810, 'paramedic emergency': 641376, 'carers refuge': 164612, 'refuge collector': 706827, 'collector royal': 186580, 'staff everybody': 792427, 'everybody in': 286441, 'between thankyou': 128917, 'thankyou clapforcarers': 842322, 'clapforthenhs stayhomesavelives': 180024, 'minute to go': 533872, 'to go will': 906885, 'go will be': 354505, 'will be clapping': 992397, 'be clapping for': 114090, 'clapping for the': 180044, 'for the nurse': 326592, 'doctor cleaner paramedic': 250873, 'cleaner paramedic emergency': 180811, 'paramedic emergency service': 641377, 'emergency service staff': 272968, 'staff the carers': 792940, 'the carers refuge': 850417, 'carers refuge collector': 164613, 'refuge collector royal': 706828, 'collector royal mail': 186581, 'royal mail delivery': 726631, 'mail delivery driver': 508601, 'supermarket staff everybody': 822840, 'staff everybody in': 792428, 'everybody in between': 286442, 'in between thankyou': 420810, 'between thankyou clapforcarers': 128918, 'thankyou clapforcarers clapforthenhs': 842323, 'clapforcarers clapforthenhs stayhomesavelives': 179990, 'actresponsibly': 30610, 'fathimahypermarket': 300334, 'following simple': 312849, 'simple precaution': 770074, 'precaution measure': 669332, 'measure stayhome': 525343, 'stayhome actresponsibly': 797935, 'actresponsibly abiding': 30611, 'abiding nation': 24365, 'nation fathimahypermarket': 552169, 'fathimahypermarket supermarket': 300335, 'supermarket fightagainstcorona': 820310, 'fightagainstcorona socialdistancing': 304963, 'socialdistancing safetyfirst': 780653, 'others from infection': 621421, 'from infection by': 336055, 'infection by following': 436728, 'by following simple': 152608, 'following simple precaution': 312850, 'simple precaution measure': 770075, 'precaution measure stayhome': 669333, 'measure stayhome actresponsibly': 525344, 'stayhome actresponsibly abiding': 797936, 'actresponsibly abiding nation': 30612, 'abiding nation fathimahypermarket': 24366, 'nation fathimahypermarket supermarket': 552170, 'fathimahypermarket supermarket fightagainstcorona': 300336, 'supermarket fightagainstcorona socialdistancing': 820311, 'fightagainstcorona socialdistancing safetyfirst': 304964, 'really wanna': 702694, 'quarantine timeline': 692634, 'timeline covid': 898457, 'big jump': 129845, 'jump early': 467854, 'really wanna go': 702695, 'wanna go to': 965640, 'supermarket tomorrow but': 823497, 'tomorrow but according': 924047, 'to the quarantine': 916997, 'the quarantine timeline': 864981, 'quarantine timeline covid': 692635, 'timeline covid 19': 898458, '19 is supposed': 8060, 'make big jump': 509739, 'big jump early': 129846, 'jump early this': 467855, 'early this week': 264716, 'sint': 771508, 'annaparochie': 76788, 'friesland': 334029, 'heijn franchise': 388837, 'franchise supermarket': 331073, 'in sint': 427984, 'sint annaparochie': 771509, 'annaparochie friesland': 76789, 'friesland the': 334030, 'netherlands far': 557661, 'reaching measure': 700093, 'protect store': 684954, 'customer video': 223015, 'video via': 956945, 'albert heijn franchise': 40772, 'heijn franchise supermarket': 388838, 'franchise supermarket convenience': 331074, 'convenience store in': 202351, 'store in sint': 808390, 'in sint annaparochie': 427985, 'sint annaparochie friesland': 771510, 'annaparochie friesland the': 76790, 'friesland the netherlands': 334031, 'the netherlands far': 861452, 'netherlands far reaching': 557662, 'far reaching measure': 298899, 'reaching measure to': 700094, 'to protect store': 912333, 'protect store staff': 684955, 'and customer video': 60873, 'customer video via': 223016, 'onlyfoolsandhorses': 611524, 'the trotter': 870023, 'trotter are': 932580, 'out dealing': 625939, 'dealing them': 229650, 'them loo': 876000, 'toiletpaper trotter': 922765, 'trotter onlyfoolsandhorses': 932582, 'the trotter are': 870024, 'trotter are out': 932581, 'are out dealing': 88880, 'out dealing them': 625940, 'dealing them loo': 229651, 'them loo roll': 876001, 'loo roll toiletpaper': 502202, 'roll toiletpaper trotter': 725567, 'toiletpaper trotter onlyfoolsandhorses': 922766, 'working extra': 1008616, 'store are working': 806536, 'are working extra': 91693, 'working extra hard': 1008617, 'extra hard to': 293537, 'with consumer need': 997760, 'consumer need please': 198195, 'mindful of others': 532816, 'crash is': 215001, 'is result': 451486, 'rapidly declining': 696969, 'demand part': 236014, 'industrial nation': 435555, 'nation employ': 552161, 'employ lockdown': 273446, 'price crash is': 673324, 'crash is result': 215002, 'is result of': 451487, 'result of rapidly': 717611, 'of rapidly declining': 588744, 'rapidly declining demand': 696970, 'declining demand part': 231469, 'demand part of': 236015, 'and other industrial': 68348, 'other industrial nation': 620424, 'industrial nation employ': 435556, 'nation employ lockdown': 552162, 'employ lockdown to': 273447, 'lockdown to control': 500051, 'control the pandemic': 202168, 'supoort': 824404, 'in scary': 427725, 'consider donation': 194989, 'that supoort': 846580, 'supoort nutrition': 824405, 'child don': 176065, 'get regular': 347911, 'meal yr': 524318, 'yr round': 1027044, 'that is human': 844603, 'is human in': 448624, 'human in scary': 410515, 'in scary time': 427726, 'income people can': 432431, 'people can panic': 647402, 'can panic buy': 159193, 'buy they can': 149348, 'it consider donation': 457271, 'consider donation to': 194990, 'group that supoort': 366914, 'that supoort nutrition': 846581, 'supoort nutrition program': 824406, 'nutrition program in': 577737, 'program in quarter': 683258, 'in quarter of': 427200, 'our child don': 622364, 'child don get': 176066, 'don get regular': 253543, 'get regular meal': 347913, 'regular meal yr': 707814, 'meal yr round': 524319, 'maskon': 519658, 'thegreattoiletpaperhunt': 872391, 'sam doesn': 732920, '75 minute': 22145, 'are should': 90078, 'workout in': 1009164, 'line maskon': 493256, 'maskon we': 519659, 'that golden': 844034, 'golden role': 356059, 'role tp': 725138, 'toiletpaper thegreattoiletpaperhunt': 922596, 'sam doesn open': 732921, 'doesn open for': 251908, 'open for 75': 612237, 'for 75 minute': 318916, '75 minute but': 22146, 'minute but here': 533748, 'we are should': 970712, 'are should do': 90079, 'should do workout': 765938, 'do workout in': 250600, 'workout in line': 1009165, 'in line maskon': 424761, 'line maskon we': 493257, 'maskon we all': 519660, 'all need that': 43608, 'need that golden': 555726, 'that golden role': 844035, 'golden role tp': 356060, 'role tp toiletpaper': 725139, 'tp toiletpaper thegreattoiletpaperhunt': 928006, 'believe human': 126278, 'can believe human': 157740, 'believe human are': 126279, 'human are this': 410422, 'are this stupid': 91053, 'superspreader': 824322, 'wa thinking': 963489, 'be superspreader': 117451, 'superspreader hour': 824323, 'especially there': 280634, 'moment who': 536118, 'have regular': 382243, 'regular exposure': 707770, 'wa thinking that': 963491, 'thinking that could': 885996, 'could be superspreader': 208927, 'be superspreader hour': 117452, 'superspreader hour especially': 824324, 'hour especially there': 405575, 'especially there is': 280635, 'is no testing': 449982, 'no testing for': 565687, 'testing for nh': 839497, 'nh worker at': 562175, 'the moment who': 860790, 'moment who are': 536119, 'to have regular': 907301, 'have regular exposure': 382245, 'regular exposure to': 707771, '19 am going': 4942, 'am going nowhere': 50088, 'going nowhere near': 355287, 'nowhere near supermarket': 576571, 'near supermarket for': 553588, 'votebluenomatterwho2020': 960539, 'making look': 511174, 'look bad': 502318, 'taking dive': 833329, 'dive or': 248499, 'helping him': 391354, 'him because': 396553, 'you votebluenomatterwho2020': 1022091, 'votebluenomatterwho2020 people': 960540, 'what democraticsocialism': 981309, 'democraticsocialism really': 236777, 'bare nofood': 110930, 'nofood trump2020': 566184, 'is making look': 449549, 'making look bad': 511175, 'look bad because': 502319, 'bad because the': 107779, 'economy is taking': 268016, 'is taking dive': 452539, 'taking dive or': 833330, 'dive or is': 248500, 'is it helping': 449029, 'it helping him': 458558, 'helping him because': 391355, 'him because all': 396554, 'all you votebluenomatterwho2020': 45555, 'you votebluenomatterwho2020 people': 1022092, 'votebluenomatterwho2020 people really': 960541, 'people really see': 649246, 'really see what': 702562, 'see what democraticsocialism': 746027, 'what democraticsocialism really': 981310, 'democraticsocialism really look': 236778, 'really look like': 702385, 'look like because': 502464, 'like because the': 489886, 'are bare nofood': 84774, 'bare nofood trump2020': 110931, 'nofood trump2020 maga': 566185, 'trump2020 maga kag': 934004, 'retai': 717792, 'mazibuk0 let': 522009, 'be accurate': 113468, 'accurate there': 28912, 'buy sanitizers': 149143, 'will other': 994352, 'other get': 620293, 'own retai': 632161, 'mazibuk0 let all': 522010, 'all be accurate': 42125, 'be accurate there': 113469, 'accurate there no': 28913, 'there no panic': 878826, 'you buy sanitizers': 1017580, 'buy sanitizers in': 149144, 'the hell will': 857254, 'hell will other': 389092, 'will other get': 994353, 'other get them': 620294, 'food is if': 315130, 'you own retai': 1020271, 'christianportermp': 178142, 'fairwork': 296478, 'jobkeeper': 466321, 'australia live': 103323, 'update death': 946930, 'toll at': 923833, '34 christianportermp': 17812, 'christianportermp say': 178143, 'say fairwork': 738627, 'fairwork change': 296479, 'change needed': 172186, 'for jobkeeper': 322768, 'jobkeeper package': 466322, 'package latest': 633320, 'australia live update': 103324, 'live update death': 496091, 'update death toll': 946931, 'death toll at': 230247, 'toll at 34': 923834, 'at 34 christianportermp': 97623, '34 christianportermp say': 17813, 'christianportermp say fairwork': 178144, 'say fairwork change': 738628, 'fairwork change needed': 296480, 'change needed for': 172187, 'needed for jobkeeper': 556357, 'for jobkeeper package': 322769, 'jobkeeper package latest': 466323, 'package latest news': 633321, 'latest news auspol': 481452, 'with working': 1002121, 'working any': 1008512, 'job get': 465835, 'right hang': 721924, 'wrong with working': 1013168, 'with working in': 1002124, 'supermarket there nothing': 823278, 'with working any': 1002122, 'working any job': 1008513, 'any job get': 79380, 'job get your': 465836, 'your money right': 1024869, 'money right hang': 537000, 'right hang in': 721925, 'in there say': 429817, 'thank you lot': 841766, 'slid to': 773890, 'exchange registered': 289469, 'warehouse reinforced': 966753, 'demand worry': 236523, 'worry fuelled': 1010715, 'copper price slid': 203443, 'price slid to': 676465, 'slid to three': 773891, 'metal to london': 529661, 'to london metal': 909417, 'metal exchange registered': 529625, 'exchange registered warehouse': 289470, 'registered warehouse reinforced': 707661, 'warehouse reinforced demand': 966754, 'reinforced demand worry': 708256, 'demand worry fuelled': 236524, 'worry fuelled by': 1010716, 'fuelled by the': 340352, 'taking order': 833482, 'on shirt': 603422, 'shirt survived': 759005, 'survived covid': 829315, 'buy didn': 148529, 'didn run': 241183, 'paper didn': 640091, 'food didn': 314203, 'didn shoot': 241196, 'shoot anyone': 759729, 'anyone breaking': 80201, 'house wash': 406665, 'taking order on': 833483, 'order on shirt': 618458, 'on shirt survived': 603423, 'shirt survived covid': 759006, 'survived covid 19': 829316, '19 didn panic': 6546, 'panic buy didn': 637476, 'buy didn run': 148530, 'didn run out': 241184, 'toilet paper didn': 921255, 'paper didn run': 640092, 'of food didn': 583678, 'food didn shoot': 314205, 'didn shoot anyone': 241197, 'shoot anyone breaking': 759730, 'anyone breaking into': 80202, 'breaking into my': 138976, 'my house wash': 548750, 'house wash wash': 406666, 'penelope': 646488, 'splendid': 789642, 'penelope head': 646489, 'looking splendid': 503007, 'splendid and': 789643, 'apart socialdistancing': 81337, 'penelope head out': 646490, 'supermarket looking splendid': 821397, 'looking splendid and': 503008, 'splendid and all': 789644, 'and all set': 57889, 'set to keep': 753526, '2m apart socialdistancing': 16665, 'apart socialdistancing stayhomesavelives': 81339, 'ciudadano': 179484, 'brasile': 138191, 'muestra': 545534, 'sorpresa': 785997, 'positiva': 665236, 'observar': 578525, 'medidas': 526931, 'sanitarias': 733792, 'adoptadas': 32684, 'supermercado': 824282, 'contraste': 201853, 'situaci': 772151, 'solemos': 781878, 'discriminar': 244783, 'pero': 652200, 'tenemos': 837921, 'mucho': 545505, 'aprender': 83379, 'paraguay': 641332, 'dijo': 242843, 'ciudadano brasile': 179485, 'brasile muestra': 138192, 'muestra su': 545535, 'su sorpresa': 815663, 'sorpresa positiva': 785998, 'positiva al': 665237, 'al observar': 40596, 'observar la': 578526, 'la medidas': 478194, 'medidas sanitarias': 526932, 'sanitarias adoptadas': 733793, 'adoptadas en': 32685, 'en un': 275413, 'un supermercado': 939300, 'supermercado del': 824283, 'del pa': 232630, 'pa en': 632846, 'en contraste': 275376, 'contraste con': 201854, 'con la': 192802, 'la situaci': 478213, 'situaci en': 772152, 'en su': 275405, 'su pa': 815661, 'pa los': 632862, 'los solemos': 503381, 'solemos discriminar': 781879, 'discriminar pero': 244784, 'pero tenemos': 652201, 'tenemos mucho': 837922, 'mucho que': 545506, 'que aprender': 693305, 'aprender de': 83380, 'de paraguay': 229093, 'paraguay dijo': 641333, 'ciudadano brasile muestra': 179486, 'brasile muestra su': 138193, 'muestra su sorpresa': 545536, 'su sorpresa positiva': 815664, 'sorpresa positiva al': 785999, 'positiva al observar': 665238, 'al observar la': 40597, 'observar la medidas': 578527, 'la medidas sanitarias': 478195, 'medidas sanitarias adoptadas': 526933, 'sanitarias adoptadas en': 733794, 'adoptadas en un': 32686, 'en un supermercado': 275414, 'un supermercado del': 939301, 'supermercado del pa': 824284, 'del pa en': 232631, 'pa en contraste': 632847, 'en contraste con': 275377, 'contraste con la': 201855, 'con la situaci': 192803, 'la situaci en': 478214, 'situaci en su': 772153, 'en su pa': 275406, 'su pa los': 815662, 'pa los solemos': 632863, 'los solemos discriminar': 503382, 'solemos discriminar pero': 781880, 'discriminar pero tenemos': 244785, 'pero tenemos mucho': 652202, 'tenemos mucho que': 837923, 'mucho que aprender': 545507, 'que aprender de': 693306, 'aprender de paraguay': 83381, 'de paraguay dijo': 229094, 'than gold': 840701, 'gold just': 355920, 'my loo': 549159, 'roll just': 725364, 'just it': 469084, 'supermarket shopped': 822605, 'shopped responsibly': 761317, 'bought just': 136617, 'pack no': 633076, 'buy folk': 148627, 'folk toiletroll': 312283, 'toiletroll london': 923370, 'more than gold': 540624, 'than gold just': 840702, 'gold just got': 355921, 'got my loo': 358727, 'my loo roll': 549160, 'loo roll just': 502185, 'roll just it': 725365, 'just it wa': 469085, 'it wa being': 462075, 'wa being delivered': 961678, 'the supermarket shopped': 868798, 'supermarket shopped responsibly': 822606, 'shopped responsibly and': 761318, 'responsibly and bought': 716077, 'and bought just': 59107, 'bought just one': 136618, 'just one pack': 469381, 'one pack no': 606819, 'pack no need': 633077, 'panic buy folk': 637481, 'buy folk toiletroll': 148628, 'folk toiletroll london': 312284, 'toiletroll london united': 923371, 'retweeting coronavirus': 720109, 'coronavirus song': 206787, 'song it': 785504, 'got 87': 358377, '87 view': 23021, 'view 12': 957058, '12 like': 2873, 'like on': 490919, 'and 27': 57428, '27 view': 16313, 'view like': 957110, 'my french': 548408, 'french one': 332746, 'one toiletpapercrisis': 607294, 'retweeting coronavirus song': 720110, 'coronavirus song it': 206788, 'song it got': 785505, 'it got 87': 458313, 'got 87 view': 358378, '87 view 12': 23022, 'view 12 like': 957059, '12 like on': 2874, 'like on my': 490921, 'youtube channel and': 1026891, 'channel and 27': 172859, 'and 27 view': 57429, '27 view like': 16314, 'view like on': 957111, 'on my french': 602285, 'my french one': 548409, 'french one toiletpapercrisis': 332747, 'one toiletpapercrisis toiletpaperpanic': 607295, 'bloody lockdown': 133210, 'home go to': 401303, 'to work this': 918793, 'is not bloody': 450038, 'not bloody lockdown': 568582, 'safespace': 730420, 'psa reminder': 687426, 'reminder only': 710581, 'in socialdistanacing': 428047, 'socialdistanacing staysafestayhome': 780107, 'staysafestayhome safespace': 799014, 'psa reminder only': 687427, 'reminder only go': 710582, 'come in socialdistanacing': 187374, 'in socialdistanacing staysafestayhome': 428048, 'socialdistanacing staysafestayhome safespace': 780108, 'mentoring': 528866, 'for listing': 323003, 'listing one': 494869, 'offering emotional': 595089, 'emotional and': 273272, 'being support': 125888, 'support while': 826991, 'all socialdistancing': 44382, 'our mentoring': 623912, 'mentoring service': 528867, 'service here': 752457, 'to for listing': 906144, 'for listing one': 323004, 'listing one of': 494870, 'the company offering': 851341, 'company offering emotional': 190920, 'offering emotional and': 595090, 'emotional and well': 273273, 'well being support': 978063, 'being support while': 125889, 'support while we': 826992, 'are all socialdistancing': 84351, 'all socialdistancing and': 44383, 'socialdistancing and in': 780211, 'and in isolation': 65055, 'in isolation more': 424203, 'isolation more on': 455350, 'this and how': 886331, 'of our mentoring': 587513, 'our mentoring service': 623913, 'mentoring service here': 528868, 'and employment': 62075, 'worried about remember': 1010516, 'strong and employment': 813974, 'and employment is': 62076, 'employment is growing': 274618, 'is growing which': 448239, 'shannon': 754815, 'great recap': 362943, 'recap of': 703379, 'yesterday webinar': 1015940, 'by shannon': 153963, 'shannon kelly': 754816, 'great recap of': 362944, 'recap of yesterday': 703380, 'of yesterday webinar': 593359, 'yesterday webinar on': 1015941, 'webinar on the': 975080, '19 on retail': 8961, 'on retail ecommerce': 603177, 'retail ecommerce sale': 718058, 'ecommerce sale and': 266853, 'sale and online': 732044, 'and online shopper': 68121, 'online shopper behavior': 609001, 'shopper behavior by': 761431, 'behavior by shannon': 123951, 'by shannon kelly': 153964, 'say ny': 739005, 'ha purchased': 371582, 'purchased 17': 689746, 'ventilator at': 954539, 'ha firm': 370627, 'firm expectation': 308344, 'that 500': 842463, '500 of': 20029, 'will arrive': 992307, 'arrive over': 93925, 'say high': 738757, 'country state': 211077, 'price slowed': 676483, 'slowed delivery': 774489, 'say ny state': 739006, 'ny state ha': 577914, 'state ha purchased': 795641, 'ha purchased 17': 371583, 'purchased 17 00': 689747, '17 00 ventilator': 4301, '00 ventilator at': 583, 'ventilator at 25': 954540, 'at 25 00': 97546, '25 00 each': 15789, '00 each from': 179, 'each from china': 264084, 'from china ha': 334861, 'china ha firm': 176691, 'ha firm expectation': 370628, 'firm expectation that': 308345, 'expectation that 500': 290853, 'that 500 of': 842464, '500 of them': 20031, 'them will arrive': 876634, 'will arrive over': 992309, 'arrive over the': 93926, 'two week say': 937360, 'week say high': 976839, 'say high demand': 738758, 'demand from other': 235540, 'other country state': 620027, 'country state ha': 211078, 'state ha driven': 795638, 'ha driven up': 370452, 'driven up price': 259373, 'up price slowed': 945834, 'price slowed delivery': 676484, 'were stood': 980183, 'stood around': 804371, 'group chatting': 366643, 'chatting smiling': 174019, 'smiling face': 775772, 'face full': 294447, 'easter time': 265514, 'supermarket people were': 821955, 'people were stood': 650224, 'were stood around': 980184, 'stood around in': 804373, 'around in group': 93345, 'in group chatting': 423452, 'group chatting smiling': 366644, 'chatting smiling face': 174020, 'smiling face full': 775773, 'face full of': 294448, 'of the joy': 591162, 'joy of easter': 467516, 'of easter time': 582928, 'bankrate': 110482, 'is 65': 445226, '65 of': 21372, 'economy no': 268096, 'more dependent': 539001, 'dependent on': 237367, 'for gt': 322078, 'gt more': 367621, 'american cut': 51909, 'spending they': 789010, 'they grapple': 882233, 'grapple uncertainty': 362189, 'regarding bankrate': 707178, 'bankrate survey': 110483, 'consumer is 65': 197932, 'is 65 of': 445227, '65 of economy': 21373, 'of economy no': 582969, 'economy no economy': 268097, 'no economy in': 564084, 'is more dependent': 449702, 'more dependent on': 539002, 'dependent on consumer': 237369, 'consumer spending this': 199097, 'spending this is': 789013, 'news for gt': 560434, 'for gt gt': 322079, 'gt gt more': 367602, 'gt more than': 367622, 'than 50 of': 840260, '50 of american': 19765, 'of american cut': 580057, 'american cut back': 51910, 'cut back on': 223247, 'back on their': 107204, 'on their spending': 604510, 'their spending they': 874777, 'spending they grapple': 789011, 'they grapple uncertainty': 882234, 'grapple uncertainty regarding': 362190, 'uncertainty regarding bankrate': 939750, 'regarding bankrate survey': 707179, 'economist from': 267556, 'nation un': 552359, 'fao told': 298656, 'reuters that': 720208, 'inflation could': 437150, 'be imminent': 115365, 'imminent people': 417279, 'government panic': 360448, 'senior economist from': 750288, 'economist from the': 267557, 'united nation un': 942194, 'nation un food': 552360, 'organization fao told': 619367, 'fao told reuters': 298657, 'told reuters that': 923672, 'reuters that food': 720209, 'that food inflation': 843907, 'food inflation could': 315038, 'inflation could be': 437151, 'could be imminent': 208884, 'be imminent people': 115366, 'imminent people and': 417280, 'people and government': 646862, 'and government panic': 63887, 'government panic hoard': 360449, 'and supply amid': 72774, 'india 100': 434267, '100 spike': 2085, 'such rice': 816718, 'and pulse': 69769, 'pulse due': 688975, '19 lockout': 8454, 'according to trade': 28600, 'to trade promotion': 917690, 'of india 100': 585095, 'india 100 spike': 434268, '100 spike in': 2086, 'in demand of': 422143, 'demand of staple': 235956, 'staple food such': 793938, 'food such rice': 316907, 'such rice wheat': 816719, 'rice wheat and': 721167, 'wheat and pulse': 982969, 'and pulse due': 69770, 'pulse due to': 688976, 'covid 19 lockout': 213370, 'dmarts': 248952, 'naturebasket': 553000, 'fruitstalls': 339215, 'powai': 667527, 'nasik': 552030, 'vashimarket': 952694, 'vegetablevendors': 954136, 'indiadoingwell': 434715, 'oneworldunitedworld': 607579, 'all dmarts': 42584, 'dmarts closed': 248953, 'closed naturebasket': 183234, 'naturebasket open': 553001, 'no fruitstalls': 564319, 'fruitstalls in': 339216, 'in powai': 426880, 'powai mumbai': 667528, 'mumbai vegetable': 546029, 'vegetable come': 953959, 'from nasik': 336541, 'nasik vashimarket': 552031, 'vashimarket closed': 952695, 'closed vegetablevendors': 183420, 'vegetablevendors not': 954137, 'control indiadoingwell': 202033, 'indiadoingwell oneworldunitedworld': 434716, 'all dmarts closed': 42585, 'dmarts closed naturebasket': 248954, 'closed naturebasket open': 183235, 'naturebasket open no': 553002, 'open no fruitstalls': 612399, 'no fruitstalls in': 564320, 'fruitstalls in powai': 339217, 'in powai mumbai': 426881, 'powai mumbai vegetable': 667529, 'mumbai vegetable come': 546030, 'vegetable come from': 953960, 'come from nasik': 187309, 'from nasik vashimarket': 336542, 'nasik vashimarket closed': 552032, 'vashimarket closed vegetablevendors': 952696, 'closed vegetablevendors not': 183421, 'vegetablevendors not charging': 954138, 'not charging higher': 568745, 'higher price price': 395690, 'price price are': 675990, 'are under control': 91276, 'under control indiadoingwell': 940048, 'control indiadoingwell oneworldunitedworld': 202034, 'job unprecedented': 466249, 'relief via': 709493, 'have job unprecedented': 381179, 'job unprecedented demand': 466250, 'food relief via': 316162, 'usdjpy': 948991, 'gbpusd': 344804, 'usdcnh': 948988, 'weekly preview': 977529, 'preview could': 671945, 'light at': 489513, '19 tunnel': 11599, 'tunnel can': 935473, 'can oil': 159103, 'chart are': 173818, 'showing in': 767461, 'this technical': 890480, 'on usdjpy': 604997, 'usdjpy gbpusd': 948992, 'gbpusd usdcnh': 344805, 'usdcnh xauusd': 948989, 'xauusd wti': 1013777, 'wti spx': 1013411, 'spx fx': 791377, 'fx loss': 342592, 'weekly preview could': 977530, 'preview could we': 671946, 'could we finally': 209823, 'we finally see': 971558, 'finally see some': 306091, 'see some light': 745716, 'some light at': 783198, 'light at the': 489514, 'the 19 tunnel': 847932, '19 tunnel can': 11600, 'tunnel can oil': 935474, 'can oil price': 159104, 'price recover soon': 676121, 'recover soon see': 705199, 'soon see what': 785813, 'the chart are': 850714, 'chart are showing': 173819, 'are showing in': 90082, 'showing in this': 767463, 'in this technical': 430023, 'this technical analysis': 890481, 'technical analysis on': 836193, 'analysis on usdjpy': 57073, 'on usdjpy gbpusd': 604998, 'usdjpy gbpusd usdcnh': 948993, 'gbpusd usdcnh xauusd': 344806, 'usdcnh xauusd wti': 948990, 'xauusd wti spx': 1013778, 'wti spx fx': 1013412, 'spx fx loss': 791378, 'fx loss may': 342593, 'unpoppable': 943057, 'in bubble': 421018, 'bubble before': 141588, 'is unpoppable': 453536, 'unpoppable even': 943058, 'economy went': 268337, 'zero due': 1027435, 'some worldwide': 784231, 'worldwide zombie': 1010446, 'apocalypse they': 81566, 'just unleash': 470162, 'were already in': 979304, 'already in bubble': 47464, 'in bubble before': 421019, 'bubble before covid': 141589, 'at the wheel': 101151, 'the wheel the': 871429, 'wheel the bubble': 983053, 'the bubble is': 850070, 'bubble is unpoppable': 141604, 'is unpoppable even': 453537, 'unpoppable even if': 943059, 'if the world': 415050, 'world economy went': 1009513, 'economy went to': 268338, 'went to zero': 979208, 'to zero due': 919052, 'zero due to': 1027436, 'to some worldwide': 914897, 'some worldwide zombie': 784232, 'worldwide zombie apocalypse': 1010447, 'zombie apocalypse they': 1027697, 'apocalypse they could': 81567, 'could just unleash': 209361, 'without you my': 1003070, 'you my life': 1019942, 'my life is': 549024, 'life is empty': 488806, 'is empty the': 447480, 'old british': 598170, 'british spirit': 140596, 'collective effort': 186496, 'effort stophoarding': 269591, 'stoppanicbuying stopit': 805637, 'stop this ridiculous': 805195, 'buying we have': 151325, 'everyone so please': 287390, 'so please stop': 778028, 'stop this selfish': 805197, 'this selfish hoarding': 890020, 'selfish hoarding we': 748128, 'hoarding we re': 399646, 'together so have': 920937, 'so have some': 777263, 'have some good': 382629, 'some good old': 782971, 'good old british': 357490, 'old british spirit': 598171, 'british spirit and': 140597, 'spirit and take': 789451, 'and take some': 72976, 'take some responsibility': 832601, 'responsibility for the': 715948, 'for the collective': 326349, 'the collective effort': 851155, 'collective effort stophoarding': 186497, 'effort stophoarding stoppanicbuying': 269592, 'stophoarding stoppanicbuying stopit': 805486, 'been dodging': 121014, 'dodging grocery': 251299, 'long enough': 501406, 'austin it': 103185, 'zone feel': 1027758, 'team be': 835600, 'have been dodging': 379516, 'been dodging grocery': 121015, 'dodging grocery store': 251300, 'store line for': 808749, 'line for long': 493108, 'for long enough': 323076, 'long enough and': 501407, 'enough and decided': 277319, 'go to in': 354321, 'to in austin': 908218, 'in austin it': 420586, 'austin it look': 103186, 'war zone feel': 966610, 'zone feel for': 1027759, 'feel for their': 302625, 'their team be': 874954, 'team be nice': 835602, 'nice to someone': 562496, 'to someone today': 914910, 'nearly unprecedented': 553868, 'in stockmarket': 428350, 'stockmarket price': 803668, 'gain posted': 342813, 'posted since': 666570, 'wa elected': 962059, 'elected the': 271004, 'stockmarket would': 803682, 'economy today': 268302, 'today without': 920564, 'without those': 1003004, 'those gain': 892022, 'with the nearly': 1001400, 'the nearly unprecedented': 861368, 'nearly unprecedented drop': 553869, 'drop in stockmarket': 260278, 'in stockmarket price': 428351, 'stockmarket price from': 803669, 'the gain posted': 856103, 'gain posted since': 342814, 'posted since wa': 666571, 'since wa elected': 770969, 'wa elected the': 962060, 'elected the stockmarket': 271005, 'the stockmarket would': 867938, 'stockmarket would be': 803683, '103 imagine the': 2245, 'imagine the economy': 416798, 'the economy today': 854029, 'economy today without': 268303, 'today without those': 920565, 'without those gain': 1003005, 'tip you': 898965, 'for smart': 325672, 'smart shopping': 775421, 'plan before': 658077, 'required best': 713353, 'establishment document': 282052, 'document preparing': 251201, 'preparing store': 670355, 'employee cleanliness': 273721, 'cleanliness customer': 181149, 'customer occupancy': 222633, 'occupancy find': 578981, 'some tip you': 784070, 'tip you have': 898966, 'have for smart': 380683, 'for smart shopping': 325673, 'smart shopping during': 775422, '19 make plan': 8522, 'make plan before': 510333, 'plan before heading': 658078, 'before heading out': 122849, 'we have required': 971922, 'have required best': 382280, 'required best practice': 713354, 'practice for retail': 668568, 'for retail establishment': 325191, 'retail establishment document': 718096, 'establishment document preparing': 282053, 'document preparing store': 251202, 'preparing store employee': 670356, 'store employee cleanliness': 807469, 'employee cleanliness customer': 273722, 'cleanliness customer occupancy': 181150, 'customer occupancy find': 222634, 'occupancy find it': 578982, 'teamwork shown': 835909, 'or trying': 617549, 'rip each': 722648, 'other off': 620593, 'am very proud': 50535, 'the teamwork shown': 869216, 'teamwork shown by': 835910, 'shown by my': 767578, 'product or trying': 681498, 'or trying to': 617550, 'trying to rip': 934861, 'to rip each': 913544, 'rip each other': 722649, 'each other off': 264201, 'meatfreemonday': 525815, 'minimise your': 533091, 'already got': 47380, 'these delicious': 879912, 'delicious meatfreemonday': 233016, 'meatfreemonday recipe': 525816, 'recipe are': 704443, 'to spark': 914957, 'spark your': 787566, 'your imagination': 1024451, 'imagination stayhomesavelives': 416684, 'minimise your supermarket': 533093, 'your supermarket visit': 1026066, 'supermarket visit by': 823657, 'visit by using': 959204, 'by using up': 154652, 'using up what': 950784, 'up what you': 946571, 'what you ve': 982696, 've already got': 952822, 'already got at': 47382, 'got at home': 358418, 'at home these': 99142, 'home these delicious': 402265, 'these delicious meatfreemonday': 879913, 'delicious meatfreemonday recipe': 233017, 'meatfreemonday recipe are': 525817, 'recipe are sure': 704444, 'sure to spark': 827783, 'to spark your': 914958, 'spark your imagination': 787567, 'your imagination stayhomesavelives': 1024452, 'fraud fraudalert': 331268, 'fraudalert shopping': 331383, 'and fraud fraudalert': 63256, 'fraud fraudalert shopping': 331269, 'delivery giant': 234055, 'are resisting': 89627, 'resisting call': 714612, 'margin demand': 515624, 'lockdown frustrated': 499412, 'frustrated owner': 339227, 'small food': 774956, 'no win': 565899, 'situation 7news': 772160, 'food delivery giant': 314128, 'delivery giant are': 234056, 'giant are resisting': 349749, 'are resisting call': 89628, 'resisting call to': 714613, 'call to cut': 156171, 'cut their profit': 223586, 'their profit margin': 874489, 'profit margin demand': 682806, 'margin demand surge': 515625, 'coronavirus lockdown frustrated': 206244, 'lockdown frustrated owner': 499413, 'frustrated owner of': 339228, 'of small food': 589785, 'small food business': 774957, 'food business say': 313805, 'in no win': 425919, 'no win situation': 565900, 'win situation 7news': 995574, 'poisonous': 662817, 'after talking': 36269, 'with manufacturer': 999376, 'china there': 176993, 'be massive': 115915, 'massive cottage': 519997, 'cottage industry': 208396, 'industry selling': 436103, 'selling janky': 749324, 'janky fake': 464580, 'fake medical': 296657, 'our desperation': 622746, 'desperation we': 238618, 'up importing': 945140, 'importing fake': 419223, 'sanitizer defective': 734734, 'defective thermometer': 232085, 'and poisonous': 69151, 'poisonous drug': 662820, 'after talking with': 36270, 'talking with manufacturer': 834062, 'with manufacturer in': 999377, 'in china there': 421440, 'china there seems': 176994, 'to be massive': 901387, 'be massive cottage': 115916, 'massive cottage industry': 519998, 'cottage industry selling': 208397, 'industry selling janky': 436104, 'selling janky fake': 749325, 'janky fake medical': 464581, 'fake medical supply': 296658, 'world and in': 1009281, 'and in our': 65061, 'in our desperation': 426282, 'our desperation we': 622747, 'desperation we will': 238619, 'end up importing': 276033, 'up importing fake': 945141, 'importing fake hand': 419224, 'hand sanitizer defective': 375367, 'sanitizer defective thermometer': 734735, 'defective thermometer and': 232086, 'thermometer and poisonous': 879507, 'and poisonous drug': 69152, 'supermarket trollies': 823571, 'trollies basket': 932510, 'take away supermarket': 831971, 'away supermarket trollies': 106040, 'supermarket trollies basket': 823572, 'trollies basket only': 932511, 'basket only then': 112382, 'only then maybe': 611291, 'then maybe we': 877335, 'can all get': 157423, 'all get some': 42915, 'fgnews': 304347, 'ukwheat': 939078, 'shopper stockpiling': 761718, 'stockpiling uk': 804108, 'uk wheat': 938879, 'hit 175': 398089, '175 per': 4446, 'per tonne': 651052, 'tonne high': 924537, 'high fgnews': 395076, 'fgnews stockpiling': 304348, 'stockpiling ukwheat': 804110, 'not just some': 570249, 'just some supermarket': 469834, 'some supermarket shopper': 784010, 'supermarket shopper stockpiling': 822620, 'shopper stockpiling uk': 761719, 'stockpiling uk wheat': 804109, 'uk wheat price': 938880, 'wheat price hit': 983009, 'price hit 175': 674555, 'hit 175 per': 398090, '175 per tonne': 4447, 'per tonne high': 651053, 'tonne high fgnews': 924538, 'high fgnews stockpiling': 395077, 'fgnews stockpiling ukwheat': 304349, 'online should': 609360, 'period quarantine': 651869, 'shopping online should': 763481, 'online should come': 609361, 'should come with': 765847, 'come with free': 187679, 'all order period': 43774, 'order period quarantine': 618510, 'can tip': 159999, 'how can tip': 407526, 'can tip the': 160000, 'tip the cashier': 898917, 'mosul': 543033, 'enterances': 278343, 'mosul2020': 543038, 'curfew spent': 220927, 'spent an': 789108, 'hour out': 405837, 'jump overnight': 467891, 'overnight ppl': 631354, 'are hugely': 87261, 'hugely concerned': 410267, 'concerned upset': 193230, 'govt performance': 361239, 'performance in': 651443, 'more urgent': 540868, 'urgent call': 948330, 'from mosul': 336479, 'mosul to': 543036, 'city down': 179121, 'all enterances': 42691, 'enterances mosul2020': 278344, 'hour left to': 405739, 'the curfew spent': 852596, 'curfew spent an': 220928, 'spent an hour': 789109, 'an hour out': 56095, 'hour out grocery': 405838, 'out grocery price': 626239, 'grocery price jump': 364872, 'price jump overnight': 674957, 'jump overnight ppl': 467892, 'overnight ppl are': 631355, 'ppl are hugely': 668169, 'are hugely concerned': 87262, 'hugely concerned upset': 410268, 'concerned upset of': 193231, 'upset of the': 947816, 'of the govt': 591074, 'the govt performance': 856669, 'govt performance in': 361240, 'performance in the': 651444, 'of crisis more': 582174, 'crisis more urgent': 217732, 'more urgent call': 540869, 'urgent call from': 948331, 'call from mosul': 155905, 'from mosul to': 336480, 'mosul to lock': 543037, 'lock the city': 499080, 'the city down': 850928, 'city down close': 179122, 'down close all': 256643, 'close all enterances': 182500, 'all enterances mosul2020': 42692, 'in dialysis': 422246, 'dialysis and': 240313, 'and transplant': 74379, 'transplant with': 929862, 'our clinical': 622408, 'clinical and': 182320, 'consumer partner': 198336, 'partner coming': 642803, 'guideline are working': 368399, 'working on living': 1008808, 'on living covid': 601887, '19 guidance in': 7310, 'guidance in dialysis': 368245, 'in dialysis and': 422247, 'dialysis and transplant': 240314, 'and transplant with': 74380, 'transplant with our': 929863, 'with our clinical': 999980, 'our clinical and': 622409, 'clinical and consumer': 182321, 'and consumer partner': 60414, 'consumer partner coming': 198337, 'partner coming soon': 642804, 'socialdistancing go': 780380, 'door literally': 255640, 'literally not': 495050, 'not evident': 569310, 'evident auspol': 288411, 'auspol bring': 103078, 'email submission': 272308, 'submission and': 815774, 'more phone': 540066, 'phone consultation': 654937, 'consultation and': 195878, 'washing facility': 967656, 'and socialdistancing go': 71906, 'socialdistancing go out': 780381, 'go out the': 353988, 'the door literally': 853573, 'door literally not': 255641, 'literally not evident': 495051, 'not evident auspol': 569311, 'evident auspol bring': 288412, 'auspol bring in': 103079, 'bring in email': 139993, 'in email submission': 422541, 'email submission and': 272309, 'submission and more': 815775, 'and more phone': 67200, 'more phone consultation': 540067, 'phone consultation and': 654938, 'consultation and load': 195879, 'load of soap': 497280, 'of soap water': 589831, 'water and hand': 968867, 'hand washing facility': 375944, 'washing facility and': 967657, 'facility and sanitizer': 295301, 'herald florida': 392548, 'miami herald florida': 530185, 'purchase hand': 689486, 'sanitizer online': 735468, 'are still plenty': 90469, 'plenty of place': 660967, 'place to purchase': 657765, 'to purchase hand': 912535, 'purchase hand sanitizer': 689487, 'hand sanitizer online': 375514, 'sanitizer online you': 735469, 'online you just': 609776, 'where to look': 985308, 'march covid': 515330, 'in march covid': 425093, 'march covid 19': 515331, 'hairnet': 374053, 'opinion work': 613521, 'don my': 253746, 'my armor': 547312, 'armor against': 92967, '19 scrub': 10373, 'scrub mask': 742902, 'glove he': 352714, 'supermarket deli': 819905, 'deli his': 232926, 'his armor': 397205, 'armor hairnet': 92975, 'hairnet and': 374054, 'an apron': 55382, 'opinion work in': 613522, 'in hospital when': 423822, 'hospital when get': 404712, 'get there don': 348381, 'there don my': 878335, 'don my armor': 253747, 'my armor against': 547313, 'armor against covid': 92968, 'covid 19 scrub': 213755, '19 scrub mask': 10374, 'scrub mask gown': 742903, 'and glove he': 63722, 'glove he work': 352715, 'he work in': 385683, 'in supermarket deli': 428584, 'supermarket deli his': 819906, 'deli his armor': 232927, 'his armor hairnet': 397206, 'armor hairnet and': 92976, 'hairnet and an': 374055, 'and an apron': 58104, 'rioter': 722632, 'maybe there': 521839, 'wa rioter': 963110, 'rioter out': 722633, 'thought don': 893025, 'want new': 965861, 'new huge': 558901, 'huge tv': 410249, 'tv like': 936135, 'read something': 700553, 'that level': 844873, 'disappointment in': 244156, 'feel now': 302787, 'now multiplied': 575324, 'multiplied by': 545821, '10 stophoarding': 1684, 'that maybe there': 845096, 'maybe there wa': 521840, 'there wa rioter': 879268, 'wa rioter out': 963111, 'rioter out there': 722634, 'there who thought': 879350, 'who thought don': 989786, 'thought don want': 893026, 'don want new': 254042, 'want new trainer': 965862, 'new trainer or': 559782, 'trainer or new': 929316, 'or new huge': 616240, 'new huge tv': 558902, 'huge tv like': 410250, 'tv like to': 936136, 'like to read': 491615, 'to read something': 912838, 'read something there': 700554, 'something there wa': 785089, 'wa none of': 962747, 'of that that': 590746, 'that that level': 846651, 'that level of': 844874, 'level of disappointment': 487633, 'of disappointment in': 582650, 'disappointment in people': 244157, 'in people is': 426594, 'people is what': 648528, 'is what feel': 453873, 'what feel now': 981451, 'feel now multiplied': 302788, 'now multiplied by': 575325, 'multiplied by 10': 545822, 'by 10 stophoarding': 151520, '10 stophoarding panicbuyinguk': 1685, 'sir would': 771683, 'also request': 48790, 'consider for': 194997, 'for temporarily': 326196, 'temporarily ban': 837434, 'ban atleast': 109178, 'delivery wine': 234749, 'wine shop': 995889, 'shop food': 760177, 'joint having': 467009, 'having crowd': 384020, 'crowd online': 219227, 'cart etc': 165294, 'sir would also': 771684, 'would also request': 1011516, 'also request you': 48791, 'you to consider': 1021760, 'to consider for': 903224, 'consider for temporarily': 194998, 'for temporarily ban': 326197, 'temporarily ban atleast': 837435, 'ban atleast for': 109179, 'atleast for week': 101884, 'for week on': 327737, 'week on online': 976672, 'on online food': 602519, 'food delivery wine': 314162, 'delivery wine shop': 234750, 'wine shop food': 995890, 'shop food joint': 760178, 'food joint having': 315256, 'joint having crowd': 467010, 'having crowd online': 384021, 'crowd online shopping': 219228, 'shopping cart etc': 762299, 'cart etc to': 165295, 'etc to prevent': 282836, 'to gov': 906929, 'gov pritzker': 359665, 'all auto': 42089, 'auto payment': 103907, 'lender through': 486253, 'crisis go': 217420, 'on longer': 601934, 'shield consumer': 758145, 'consumer stimulus': 199141, 'letter to gov': 487361, 'to gov pritzker': 906930, 'gov pritzker carpls': 359666, 'governor to put': 361010, 'stop to all': 805211, 'to all auto': 900232, 'all auto payment': 42090, 'auto payment to': 103908, 'payday lender through': 645332, 'lender through may': 486254, 'through may 31': 894570, 'the crisis go': 852386, 'crisis go on': 217422, 'go on longer': 353887, 'on longer to': 601935, 'longer to shield': 502098, 'to shield consumer': 914405, 'shield consumer stimulus': 758146, 'consumer stimulus check': 199142, 'distribution uspoli': 248250, 'buying hit the': 150485, 'hit the disrupts': 398427, 'the disrupts food': 853410, 'food distribution uspoli': 314240, 'crisis where': 218381, 'where elderly': 984854, 'disabled are': 243880, 'are genuinely': 86782, 'genuinely struggling': 345905, 'rather let': 697480, 'opportunity this': 613691, 'need kindness': 555133, 'kindness among': 475183, 'among all': 52979, 'buying keepsafe': 150627, 'this crisis where': 887109, 'crisis where elderly': 218382, 'where elderly and': 984855, 'and disabled are': 61388, 'disabled are genuinely': 243881, 'are genuinely struggling': 86783, 'genuinely struggling to': 345906, 'food and would': 313385, 'and would rather': 75932, 'would rather let': 1012157, 'rather let them': 697481, 'let them have': 487156, 'them have the': 875827, 'the opportunity this': 862404, 'opportunity this world': 613692, 'world need kindness': 1009823, 'need kindness among': 555134, 'kindness among all': 475184, 'among all this': 52980, 'all this ridiculous': 45129, 'panic buying keepsafe': 637785, 'ausgov don': 103060, 'just kill': 469100, 'kill franking': 474396, 'privileged bullshit': 679045, 'bullshit that': 142515, 'enables hobby': 275466, 'property baronship': 684249, 'baronship price': 111165, 'price young': 677702, 'housing auspol': 407055, 'hey ausgov don': 394332, 'ausgov don let': 103061, 'rona just kill': 725786, 'just kill franking': 469101, 'kill franking credit': 474397, 'other privileged bullshit': 620760, 'privileged bullshit that': 679046, 'bullshit that enables': 142516, 'that enables hobby': 843707, 'enables hobby property': 275467, 'hobby property baronship': 399776, 'property baronship price': 684250, 'baronship price young': 111166, 'price young people': 677703, 'out of housing': 626758, 'of housing auspol': 584803, 'being conditioned': 124979, 'conditioned to': 193577, 'accept martial': 27971, 'law you': 482458, 'accept mandatory': 27969, 'mandatory vaccination': 513073, 'vaccination you': 951639, 'being played': 125551, 'all being conditioned': 42168, 'being conditioned to': 124980, 'conditioned to accept': 193578, 'to accept martial': 899943, 'accept martial law': 27972, 'martial law you': 518082, 'law you are': 482459, 'to accept mandatory': 899942, 'accept mandatory vaccination': 27970, 'mandatory vaccination you': 513074, 'vaccination you are': 951640, 'are being played': 84893, 'all masturbate': 43467, 'masturbate during': 520245, 'boost our': 134987, 'system fight': 831162, 'off infection': 593928, 'infection doctor': 436746, 'should all masturbate': 765491, 'all masturbate during': 43468, 'masturbate during coronavirus': 520246, 'coronavirus lockdown to': 206254, 'lockdown to boost': 500047, 'to boost our': 901924, 'boost our immune': 134988, 'immune system fight': 417338, 'system fight off': 831163, 'fight off infection': 304813, 'off infection doctor': 593929, 'infection doctor say': 436747, 'hello governor': 389169, 'governor whitmer': 361028, 'whitmer would': 987989, 'share suggestion': 755230, 'suggestion in': 817651, 'shopping perhaps': 763623, 'perhaps instead': 651606, 'customer shop': 222846, 'at customer': 98392, 'customer home': 222470, 'hello governor whitmer': 389170, 'governor whitmer would': 361029, 'whitmer would like': 987990, 'to share suggestion': 914364, 'share suggestion in': 755231, 'suggestion in regard': 817652, 'regard to everyone': 707153, 'to everyone going': 905337, 'everyone going grocery': 286944, 'grocery shopping perhaps': 365067, 'shopping perhaps instead': 763624, 'perhaps instead of': 651607, 'instead of customer': 440250, 'of customer shop': 582283, 'customer shop for': 222847, 'shop for themselves': 760206, 'for themselves why': 326948, 'themselves why do': 876944, 'do not we': 249890, 'we all use': 970372, 'all use the': 45344, 'use the order': 949684, 'the order online': 862453, 'order online and': 618464, 'online and drop': 607812, 'off at customer': 593667, 'at customer home': 98394, 'customer home that': 222471, 'home that way': 402219, 'that way the': 847349, 'way the spread': 969940, 'kritesh': 477707, '8097675586': 22751, 'endcoronavirustogether': 276113, 'kriteshenterprises': 477710, 'kritesh enterprise': 477708, 'enterprise ha': 278452, 'amazing mask': 50739, 'so hurry': 777347, 'up contact': 944639, 'on 8097675586': 599123, '8097675586 for': 22752, 'for placing': 324565, 'placing an': 657939, 'order weareinthistogether': 618758, 'weareinthistogether staysafe': 974551, 'staysafe endcoronavirustogether': 798808, 'endcoronavirustogether kriteshenterprises': 276114, 'kritesh enterprise ha': 477709, 'enterprise ha this': 278453, 'ha this amazing': 372257, 'this amazing mask': 886302, 'amazing mask at': 50740, 'mask at discount': 518416, 'discount price so': 244526, 'price so hurry': 676505, 'so hurry up': 777348, 'hurry up contact': 411527, 'up contact on': 944640, 'contact on 8097675586': 200164, 'on 8097675586 for': 599124, '8097675586 for placing': 22753, 'for placing an': 324566, 'placing an order': 657940, 'an order weareinthistogether': 56707, 'order weareinthistogether staysafe': 618759, 'weareinthistogether staysafe endcoronavirustogether': 974552, 'staysafe endcoronavirustogether kriteshenterprises': 798809, 'had security': 373480, 'guard chase': 367790, 'because apparently': 118937, 'apparently used': 82034, 'wrong door': 1013025, 'door back': 255526, 'wrong hole': 1013042, 'hole not': 400227, 'door but': 255540, 'guess this': 368062, 'now woolworth': 576469, 'had security guard': 373481, 'security guard chase': 744613, 'guard chase me': 367791, 'chase me through': 173887, 'me through supermarket': 523727, 'through supermarket tonight': 894703, 'supermarket tonight because': 823506, 'tonight because apparently': 924379, 'because apparently used': 118938, 'apparently used the': 82035, 'used the wrong': 950019, 'the wrong door': 872101, 'wrong door back': 1013026, 'door back in': 255528, 'back in my': 107090, 'in my day': 425560, 'my day you': 547954, 'day you got': 228821, 'you got in': 1018901, 'got in trouble': 358633, 'in trouble for': 430297, 'trouble for coming': 932612, 'for coming in': 320174, 'in the wrong': 429694, 'the wrong hole': 872102, 'wrong hole not': 1013044, 'hole not the': 400228, 'wrong door but': 1013027, 'door but guess': 255541, 'but guess this': 145830, 'guess this is': 368063, 'this is life': 888301, 'is life now': 449295, 'life now woolworth': 488915, 'chlorinedioxide': 177578, 'any disinfectant': 79125, 'market killing': 516669, 'coronavirus within': 207096, 'within second': 1002420, 'second email': 743707, 'email biocarohk': 272135, 'information disinfectant': 437794, 'who chlorinedioxide': 988452, '100 more effective': 1961, 'effective than any': 269311, 'than any disinfectant': 840347, 'any disinfectant and': 79126, 'disinfectant and sanitizer': 245610, 'and sanitizer product': 70882, 'sanitizer product in': 735594, 'the market killing': 860128, 'market killing covid': 516670, '19 coronavirus within': 6137, 'coronavirus within second': 207097, 'within second email': 1002421, 'second email biocarohk': 743708, 'email biocarohk com': 272136, 'biocarohk com for': 131182, 'more information disinfectant': 539582, 'information disinfectant sanitizer': 437795, 'greendisinfectant who chlorinedioxide': 363734, 'chandigarh': 171859, 'even government': 284134, 'have appealed': 379338, 'appealed for': 82088, 'scare resident': 740907, 'of chandigarh': 581267, 'chandigarh and': 171860, 'and neighbouring': 67513, 'neighbouring punjab': 557297, 'punjab are': 689272, 'bulk due': 142298, 'commodity trader': 189330, 'even government official': 284135, 'government official have': 360412, 'official have appealed': 595833, 'have appealed for': 379339, 'appealed for no': 82089, 'for no panic': 323891, 'of scare resident': 589387, 'scare resident of': 740908, 'resident of chandigarh': 714338, 'of chandigarh and': 581268, 'chandigarh and neighbouring': 171861, 'and neighbouring punjab': 67514, 'neighbouring punjab are': 557298, 'punjab are busy': 689273, 'are busy buying': 85097, 'busy buying grocery': 144883, 'buying grocery in': 150411, 'grocery in bulk': 364611, 'in bulk due': 421034, 'bulk due to': 142299, 'fear of shortage': 301258, 'essential commodity trader': 280933, 'commodity trader said': 189331, 'trader said on': 928758, 'rashan': 697125, 'bittertruth': 131909, 'more better': 538728, 'decrease flour': 231564, 'flour price': 311152, 'country other': 210947, 'than rashan': 841072, 'rashan bag': 697126, 'bag drama': 108264, 'drama corona': 258245, 'corona fund': 203957, 'fund donation': 341392, 'donation atleast': 254553, 'atleast poor': 101895, 'can able': 157344, 'eat roti': 266041, 'roti with': 726196, 'with pani': 1000077, 'pani many': 637233, 'wage labor': 963916, 'labor people': 478429, 'eat now': 265998, 'now bittertruth': 574260, 'bittertruth share': 131910, 'if agree': 413778, 'agree coronafreepakistan': 38600, 'it more better': 459666, 'more better to': 538729, 'better to decrease': 128559, 'to decrease flour': 904032, 'decrease flour price': 231565, 'flour price in': 311153, 'the country other': 852127, 'country other than': 210948, 'other than rashan': 621078, 'than rashan bag': 841073, 'rashan bag drama': 697127, 'bag drama corona': 108265, 'drama corona fund': 258246, 'corona fund donation': 203958, 'fund donation atleast': 341393, 'donation atleast poor': 254554, 'atleast poor can': 101896, 'poor can able': 664135, 'can able to': 157345, 'to eat roti': 904901, 'eat roti with': 266042, 'roti with pani': 726197, 'with pani many': 1000078, 'pani many daily': 637234, 'many daily wage': 513978, 'daily wage labor': 224873, 'wage labor people': 963917, 'labor people have': 478430, 'people have nothing': 648187, 'to eat now': 904895, 'eat now bittertruth': 265999, 'now bittertruth share': 574261, 'bittertruth share if': 131911, 'share if agree': 755047, 'if agree coronafreepakistan': 413779, 'delivered free': 233326, 'of crisis get': 582160, 'crisis get the': 217416, 'get the sun': 348302, 'sun delivered free': 818063, 'delivered free to': 233327, 'free to your': 332253, '635 closed': 21289, 'closed casino': 183039, 'industry of wednesday': 436021, 'of wednesday afternoon': 592988, 'wednesday afternoon the': 975610, 'if 635 closed': 413766, '635 closed casino': 21290, 'closed casino remain': 183040, 'have ventured': 383495, 'essential most': 281315, 'importantly hand': 419121, 'handed so': 376084, 'hole who': 400241, 'have ventured out': 383496, 'ventured out different': 954692, 'out different time': 625955, 'different time the': 242105, 'time the past': 897866, 'few day to': 303794, 'the essential most': 854512, 'essential most importantly': 281316, 'most importantly hand': 542419, 'importantly hand sanitizer': 419122, 'sanitizer disinfectant wipe': 734754, 'disinfectant wipe etc': 245810, 'wipe etc but': 996247, 'etc but keep': 282448, 'but keep coming': 146211, 'keep coming home': 471411, 'coming home empty': 188077, 'empty handed so': 274903, 'handed so to': 376085, 'so to the': 778545, 'to the hole': 916780, 'the hole who': 857433, 'hole who are': 400242, 'are over buying': 88906, 'contamos2020': 200741, 'wecount': 975540, 'family chat': 297700, 'chat jump': 173937, 'jump from': 467856, 'from gas': 335599, 'store stockpiling': 810403, 'stockpiling to': 804100, 'they complete': 881789, 'the census': 850591, 'census contamos2020': 169023, 'contamos2020 wecount': 200742, 'the year when': 872177, 'year when my': 1015098, 'when my family': 983747, 'my family chat': 548190, 'family chat jump': 297701, 'chat jump from': 173938, 'jump from gas': 467857, 'from gas price': 335600, 'price to covid': 676980, 'grocery store stockpiling': 365811, 'store stockpiling to': 810404, 'stockpiling to how': 804101, 'how they complete': 408913, 'they complete the': 881790, 'complete the census': 192168, 'the census contamos2020': 850592, 'census contamos2020 wecount': 169024, '19 fucking': 7157, 'heck have': 388700, 'people booked': 647291, 'in advice': 420067, 'advice literally': 33426, 'literally everything': 494989, 'everything booked': 287713, 'booked till': 134676, 'till like': 896047, 'like next': 490849, 'next thursday': 561597, 'thursday hate': 895381, 'hate going': 378884, 'covid 19 fucking': 213132, '19 fucking up': 7158, 'fucking up my': 340047, 'up my online': 945433, 'online grocery how': 608319, 'grocery how the': 364603, 'the heck have': 857226, 'heck have people': 388701, 'have people booked': 381908, 'people booked week': 647292, 'booked week in': 134690, 'week in advice': 976362, 'in advice literally': 420068, 'advice literally everything': 33427, 'literally everything booked': 494990, 'everything booked till': 287714, 'booked till like': 134677, 'till like next': 896048, 'like next thursday': 490850, 'next thursday hate': 561598, 'thursday hate going': 895382, 'hate going grocery': 378885, 'shopping please don': 763643, 'please don want': 659927, 'to start now': 915209, 'bankrupting': 110550, 'is attacking': 445881, 'with damage': 997915, 'damage pollution': 225216, 'pollution trying': 663918, 'overturn obamacare': 631661, 'obamacare protection': 578346, 'for pre': 324679, 'condition bankrupting': 193411, 'bankrupting the': 110551, 'with insane': 999016, 'insane deficit': 439030, 'deficit and': 232235, 'now higher': 574924, 'fledged war': 310280, 'of putin': 588625, 'trump is attacking': 933640, 'is attacking the': 445882, 'attacking the american': 102201, 'american people with': 52130, 'people with damage': 650439, 'with damage pollution': 997916, 'damage pollution trying': 225217, 'pollution trying to': 663919, 'trying to overturn': 934835, 'to overturn obamacare': 911328, 'overturn obamacare protection': 631662, 'obamacare protection for': 578347, 'protection for pre': 685444, 'for pre existing': 324680, 'existing condition bankrupting': 290295, 'condition bankrupting the': 193412, 'bankrupting the country': 110552, 'the country with': 852185, 'country with insane': 211258, 'with insane deficit': 999017, 'insane deficit and': 439031, 'deficit and now': 232236, 'and now higher': 67842, 'now higher gas': 574925, 'gas price full': 343969, 'price full fledged': 674134, 'full fledged war': 340596, 'fledged war on': 310281, 'war on the': 966507, 'on the american': 603967, 'american people on': 52125, 'people on behalf': 648953, 'behalf of putin': 123760, 'affluenza': 34662, '101 reality': 2230, 'is those': 453136, 'who ignored': 989024, 'will hop': 993757, 'hop off': 403400, 'off flight': 593814, 'flight head': 310484, 'head straight': 385821, 'grab latte': 361501, 'latte there': 481669, 'an affluenza': 55171, 'affluenza outbreak': 34663, 'outbreak riding': 628590, 'riding along': 721665, 'along covid': 46987, '101 reality is': 2231, 'reality is those': 701753, 'is those who': 453137, 'those who ignored': 892644, 'who ignored the': 989025, 'ignored the week': 415889, 'week of warning': 976649, 'of warning to': 592914, 'warning to either': 967225, 'to either stay': 904962, 'either stay home': 270380, 'home or come': 401736, 'or come home': 614765, 'come home are': 187346, 'home are the': 400730, 'who will hop': 989989, 'will hop off': 993758, 'hop off flight': 403401, 'off flight head': 593815, 'flight head straight': 310485, 'head straight to': 385822, 'store and grab': 806251, 'and grab latte': 63903, 'grab latte there': 361502, 'latte there an': 481670, 'there an affluenza': 877987, 'an affluenza outbreak': 55172, 'affluenza outbreak riding': 34664, 'outbreak riding along': 628591, 'riding along covid': 721666, 'along covid 19': 46988, 'adnan': 32640, 'sleiman': 773841, 'industralists': 435526, 'damascus university': 225291, 'university prof': 942457, 'prof adnan': 682336, 'adnan sleiman': 32641, 'sleiman say': 773842, 'increased 40': 433176, '40 60': 18519, 'february with': 301753, 'with al': 997127, 'watan noting': 968343, 'noting in': 573572, 'it report': 460714, 'that merchant': 845147, 'and industralists': 65170, 'industralists have': 435527, 'for partial': 324400, 'partial re': 642519, 'damascus university prof': 225292, 'university prof adnan': 942458, 'prof adnan sleiman': 682337, 'adnan sleiman say': 32642, 'sleiman say food': 773843, 'say food price': 738643, 'have increased 40': 381050, 'increased 40 60': 433177, '40 60 since': 18520, '60 since february': 21001, 'since february with': 770591, 'february with al': 301754, 'with al watan': 997128, 'al watan noting': 40612, 'watan noting in': 968344, 'noting in it': 573573, 'in it report': 424269, 'it report on': 460715, 'report on economic': 712145, 'on economic situation': 600509, 'economic situation that': 267293, 'situation that merchant': 772507, 'that merchant and': 845148, 'merchant and industralists': 528994, 'and industralists have': 65171, 'industralists have called': 435528, 'have called for': 379871, 'called for partial': 156320, 'for partial re': 324401, 'partial re opening': 642520, 're opening of': 699214, 'opening of market': 612884, 'of market amid': 586226, 'market amid covid': 515932, 'pkr': 657263, 'pakwheels': 634549, 'by pkr': 153585, 'pkr 15': 657264, 'liter pakwheels': 494934, 'petroleum price reduced': 653832, 'price reduced by': 676129, 'reduced by pkr': 706036, 'by pkr 15': 153586, 'pkr 15 per': 657265, '15 per liter': 3819, 'per liter pakwheels': 650919, 'australian seem': 103543, 'seem oblivious': 746679, 'whilst they': 987700, 'they panic': 882867, 'having house': 384110, 'house party': 406447, 'school why': 741982, 'so slow': 778224, 'react 19australia': 700121, 'australian seem oblivious': 103544, 'seem oblivious to': 746680, 'risk of 19': 723721, 'of 19 whilst': 579424, '19 whilst they': 12059, 'whilst they panic': 987701, 'they panic buy': 882868, 'paper food they': 640168, 'have not self': 381696, 'not self isolated': 571516, 'isolated and many': 454970, 'are having house': 87035, 'having house party': 384111, 'house party and': 406448, 'party and still': 642973, 'and still sending': 72388, 'still sending their': 801166, 'sending their kid': 750100, 'kid to school': 474142, 'to school why': 913903, 'school why is': 741983, 'is it so': 449060, 'it so slow': 461129, 'so slow to': 778225, 'slow to react': 774406, 'to react 19australia': 912814, 'chickenbreasts': 175887, 'toiletpaper yesterday': 922882, 'yesterday than': 1015875, 'than family': 840638, 'size tray': 772807, 'of chickenbreasts': 581339, 'chickenbreasts the': 175888, 'stayhome staywell': 798183, 'stayhealthy socialdistanacing': 797905, 'socialdistanacing bekind': 780044, 'bekind pandemic': 126108, 'paid more for': 634087, 'more for toiletpaper': 539273, 'for toiletpaper yesterday': 327267, 'toiletpaper yesterday than': 922883, 'yesterday than family': 1015876, 'than family size': 840639, 'family size tray': 298230, 'size tray of': 772808, 'tray of chickenbreasts': 930738, 'of chickenbreasts the': 581340, 'chickenbreasts the world': 175889, 'going to stayhome': 355721, 'to stayhome staywell': 915343, 'stayhome staywell stayhealthy': 798184, 'staywell stayhealthy socialdistanacing': 799084, 'stayhealthy socialdistanacing bekind': 797906, 'socialdistanacing bekind pandemic': 780045, 'australian wind': 103576, 'solar project': 781603, 'project already': 683467, 'already halved': 47402, 'and collapsing': 60073, 'collapsing currency': 186130, 'currency will': 221073, 'imagine slumping': 416777, 'help either': 389625, 'investment in australian': 444010, 'in australian wind': 420626, 'australian wind and': 103577, 'and solar project': 71934, 'solar project already': 781604, 'project already halved': 683468, 'already halved in': 47403, 'halved in 2019': 374516, '2019 and collapsing': 13935, 'and collapsing currency': 60074, 'collapsing currency will': 186131, 'currency will make': 221074, 'worse can imagine': 1010904, 'can imagine slumping': 158721, 'imagine slumping oil': 416778, 'slumping oil and': 774730, 'will help either': 993709, 'jantacurfew even': 464594, 'though only': 892868, 'authority should': 103783, 'giving such': 351401, 'such idea': 816563, 'idea covid': 413038, 'jantacurfew even though': 464595, 'even though only': 284712, 'though only for': 892869, 'only for week': 610478, 'week government authority': 976285, 'government authority should': 359917, 'authority should not': 103784, 'not be giving': 568390, 'be giving such': 115038, 'giving such idea': 351402, 'such idea covid': 816564, 'idea covid 19': 413039, 'for week via': 327761, 'minion world via': 533310, 'supermarket establish': 820206, 'establish quarantine': 282020, 'quarantine zone': 692726, 'zone box': 1027750, 'around cashier': 93246, 'cashier till': 166637, 'told off': 923647, 'foot over': 318419, 'safety line': 730612, 'local sainsbury supermarket': 498364, 'sainsbury supermarket establish': 731725, 'supermarket establish quarantine': 820207, 'establish quarantine zone': 282021, 'quarantine zone box': 692727, 'zone box the': 1027751, 'box the around': 137178, 'the around cashier': 848916, 'around cashier till': 93247, 'cashier till got': 166638, 'till got told': 896029, 'got told off': 358980, 'told off for': 923648, 'off for have': 593829, 'for have my': 322126, 'have my foot': 381544, 'my foot over': 548395, 'foot over the': 318420, 'over the safety': 630762, 'the safety line': 866148, 'bengal amid': 127193, 'least 20 per': 484341, 'cent in west': 169079, 'west bengal amid': 980464, 'bengal amid panic': 127194, 'is increasing during': 448857, 'increasing during the': 433595, 'troubleshoot': 932679, 'responsibili': 715928, 'during if': 262709, 'use ups': 949785, 'ups ground': 947750, 'ground if': 366507, 'likely not': 492061, 'get person': 347809, 'to troubleshoot': 917790, 'troubleshoot or': 932680, 'or refund': 616822, 'ups state': 947770, 'taking responsibili': 833544, 'alert for delivery': 41416, 'delivery during if': 233967, 'during if you': 262710, 'you need delivery': 1019980, 'need delivery do': 554666, 'not use ups': 572364, 'use ups ground': 949786, 'ups ground if': 947751, 'ground if you': 366508, 'do you will': 250696, 'you will likely': 1022341, 'will likely not': 994007, 'likely not get': 492063, 'get your package': 348721, 'your package and': 1025172, 'package and will': 633217, 'to get person': 906560, 'get person to': 347810, 'person to troubleshoot': 652663, 'to troubleshoot or': 917791, 'troubleshoot or refund': 932681, 'or refund ups': 616823, 'refund ups state': 706978, 'ups state it': 947771, 'state it not': 795713, 'it not taking': 459925, 'not taking responsibili': 571929, 'price trumpdemic': 677132, 'up price trumpdemic': 945840, 'monatary': 536208, 'pony': 663986, 'the monatary': 860796, 'monatary donation': 536209, 'who yelled': 990071, 'yelled about': 1015219, 'about bar': 24846, 'restaurant being': 716332, 'wanted them': 966236, 'them closed': 875535, 'paid food': 634011, 'bought essential': 136547, 'on pony': 602836, 'pony up': 663987, 'cash you': 166381, 'will be waiting': 992764, 'be waiting for': 118033, 'for the monatary': 326566, 'the monatary donation': 860797, 'monatary donation from': 536210, 'donation from those': 254618, 'from those of': 338027, 'you who yelled': 1022312, 'who yelled about': 990072, 'yelled about bar': 1015220, 'about bar restaurant': 24847, 'bar restaurant being': 110753, 'restaurant being open': 716333, 'being open and': 125498, 'open and wanted': 612085, 'and wanted them': 75171, 'wanted them closed': 966237, 'them closed we': 875536, 'closed we have': 183429, 'we have bill': 971768, 'have bill that': 379795, 'bill that need': 130689, 'be paid food': 116334, 'paid food that': 634012, 'food that need': 317095, 'to be bought': 901135, 'be bought essential': 113894, 'bought essential to': 136549, 'up on pony': 945605, 'on pony up': 602837, 'pony up some': 663988, 'up some cash': 946029, 'some cash you': 782499, 'cash you got': 166382, 'you got what': 1018909, 'what you wanted': 982698, 'and expand': 62475, 'expand program': 290465, 'or priority': 616701, 'purchase frontline': 689463, 'job let': 465952, 'could you support': 209853, 'support and expand': 826358, 'and expand program': 62477, 'expand program like': 290466, 'program like to': 683269, 'nh and other': 561879, 'and other frontline': 68333, 'frontline worker who': 338874, 'cannot shop or': 162095, 'shop or priority': 760618, 'or priority delivery': 616702, 'priority delivery slot': 678548, 'online purchase frontline': 608822, 'purchase frontline staff': 689464, 'frontline staff are': 338824, 'amazing job let': 50722, 'job let take': 465953, 'teamwork of': 835901, 'fantastic and': 298580, 'and extremely': 62567, 'one convenient': 606100, 'the great teamwork': 856734, 'great teamwork of': 363031, 'teamwork of our': 835902, 'of our colleague': 587436, 'our colleague at': 622428, 'get all our': 346522, 'all our fantastic': 43807, 'our fantastic and': 623010, 'fantastic and extremely': 298581, 'and extremely useful': 62569, 'in one convenient': 426139, 'one convenient place': 606102, 'convenient place bookmark': 202409, 'check already': 174359, 'stuff wanted': 815241, 'me buy': 522541, 'buy brand': 148437, 'studio haha': 814835, 'relief check already': 709300, 'check already have': 174360, 'have the stuff': 383029, 'the stuff wanted': 868336, 'stuff wanted in': 815242, 'let me buy': 486895, 'me buy brand': 522542, 'buy brand new': 148438, 'and buy the': 59353, 'buy the studio': 149308, 'the studio haha': 868320, 'odp7': 579262, 'hahahahahaha': 373919, 'odp7 hahahahahaha': 579263, 'hahahahahaha the': 373920, 'wa thin': 963487, 'odp7 hahahahahaha the': 579264, 'hahahahahaha the grocery': 373921, 'store wa thin': 811127, 'wa thin pickins': 963488, 'persuade': 653262, 'wise to': 996698, 'to persuade': 911678, 'persuade customer': 653263, 'sale current': 732148, 'current ad': 221088, 'ad change': 31079, 'to amazonprime': 900397, 'amazonprime only': 51243, 'it wise to': 462459, 'wise to persuade': 996700, 'to persuade customer': 911679, 'persuade customer into': 653264, 'customer into your': 222533, 'into your store': 443330, 'store with sale': 811399, 'with sale price': 1000557, 'sale price in': 732459, 'in store no': 428433, 'store no sale': 809088, 'no sale current': 565398, 'sale current ad': 732149, 'current ad change': 221089, 'ad change at': 31080, 'change at this': 171941, 'this moment could': 888870, 'moment could really': 535910, 'could really do': 209571, 'really do well': 702129, 'do well to': 250505, 'well to promote': 978701, 'to promote it': 912251, 'promote it delivery': 683780, 'it delivery service': 457511, 'service and add': 752069, 'and add additional': 57670, 'add additional item': 31390, 'item to amazonprime': 463738, 'to amazonprime only': 900398, 'tpapocalypse': 928048, 'cv receipt': 223850, 'receipt toiletpaper': 703423, 'toiletpaper people': 922337, 'are flushing': 86606, 'flushing all': 311584, 'wrong alternative': 1012987, 'alternative during': 49222, 'toiletpaperpanic tpapocalypse': 923299, 'cv receipt toiletpaper': 223851, 'receipt toiletpaper people': 703424, 'toiletpaper people are': 922338, 'people are flushing': 646975, 'are flushing all': 86607, 'flushing all the': 311585, 'all the wrong': 44991, 'the wrong alternative': 872100, 'wrong alternative during': 1012988, 'alternative during shortage': 49223, 'during shortage toiletpaperpanic': 263008, 'shortage toiletpaperpanic tpapocalypse': 765277, 'upp': 947672, '2162565118': 15072, 'wake upp': 964634, 'upp all': 947673, 'new graphic': 558817, 'graphic design': 362159, 'and digital': 61355, 'marketing product': 517685, 'developed new': 239723, 'the effecting': 854073, 'effecting everyone': 269189, 'everyone text': 287454, 'text 2162565118': 839866, '2162565118 to': 15073, 'wake upp all': 964635, 'upp all new': 947674, 'all new graphic': 43624, 'new graphic design': 558818, 'graphic design and': 362160, 'design and digital': 238216, 'and digital marketing': 61357, 'digital marketing product': 242600, 'marketing product are': 517686, 'product are here': 680937, 'are here we': 87123, 'have developed new': 380254, 'developed new price': 239724, 'new price for': 559341, 'time being to': 896393, 'being to help': 125961, 'with the effecting': 1001279, 'the effecting everyone': 854074, 'effecting everyone text': 269190, 'everyone text 2162565118': 287455, 'text 2162565118 to': 839867, '2162565118 to get': 15074, 'fruittree': 339218, 'subscriptionbox': 815916, 'online fruittree': 608279, 'fruittree store': 339219, 'schedule time': 741469, 'your tree': 1026210, 'tree or': 931196, 'or purchase': 616744, 'purchase produce': 689637, 'produce subscriptionbox': 680440, 'subscriptionbox no': 815917, 'allowed due': 46149, 'or foodsecurity': 615357, 'our online fruittree': 624146, 'online fruittree store': 608280, 'fruittree store is': 339220, 'now open please': 575462, 'open please shop': 612452, 'please shop online': 660509, 'online and schedule': 607849, 'and schedule time': 71066, 'schedule time to': 741470, 'time to pick': 898024, 'up your tree': 946759, 'your tree or': 1026211, 'tree or purchase': 931197, 'or purchase produce': 616746, 'purchase produce subscriptionbox': 689638, 'produce subscriptionbox no': 680441, 'subscriptionbox no in': 815918, 'no in person': 564483, 'shopping is allowed': 763030, 'is allowed due': 445483, 'allowed due to': 46150, '19 more detail': 8678, 'more detail at': 539014, 'detail at our': 239161, 'at our website': 100039, 'our website or': 625348, 'website or foodsecurity': 975382, 'miami one': 530192, 'in miami one': 425280, 'miami one hour': 530193, 'one hour after': 606434, 'hour after opening': 405365, 'employed and': 273461, 'offered so': 594966, 'from income': 336031, 'tax delay': 834964, 'small firm': 774952, 'firm explains': 308346, 'explains everything': 292204, 'doe the mean': 251614, 'the mean for': 860345, 'self employed and': 747621, 'employed and is': 273462, 'is what been': 453864, 'what been offered': 981093, 'been offered so': 121592, 'offered so far': 594967, 'so far enough': 777026, 'far enough to': 298767, 'enough to live': 277712, 'live on from': 495956, 'on from income': 601028, 'from income support': 336032, 'support and tax': 826369, 'and tax delay': 73049, 'tax delay to': 834965, 'delay to support': 232754, 'support for small': 826521, 'for small firm': 325664, 'small firm explains': 774953, 'firm explains everything': 308347, 'explains everything you': 292205, 'puzzle sanitizer': 691335, 'join princess': 466821, 'competition puzzle sanitizer': 191733, 'puzzle sanitizer italy': 691336, 'grocery join princess': 364677, 'travelagency': 930582, 'delraybeachflorida': 234822, 'costarica': 208189, 'disneycruise': 246053, 'to doomsday': 904661, 'doomsday hype': 255470, 'hype the': 412277, 'end our': 275930, 'our travelagency': 625187, 'travelagency in': 930583, 'in delraybeachflorida': 422094, 'delraybeachflorida will': 234823, 'survive because': 829131, 'of loyal': 586057, 'book future': 134532, 'future vacation': 342504, 'vacation caribbean': 951580, 'caribbean costarica': 164680, 'costarica disneycruise': 208190, 'disneycruise price': 246054, 'price info': 674828, 'info 561': 437397, 'contrary to doomsday': 201835, 'to doomsday hype': 904662, 'doomsday hype the': 255471, 'hype the world': 412278, 'is not coming': 450047, 'not coming to': 568802, 'coming to an': 188218, 'an end our': 55734, 'end our travelagency': 275931, 'our travelagency in': 625188, 'travelagency in delraybeachflorida': 930584, 'in delraybeachflorida will': 422095, 'delraybeachflorida will survive': 234824, 'will survive because': 995046, 'survive because of': 829132, 'because of loyal': 119373, 'of loyal customer': 586058, 'loyal customer who': 506272, 'customer who continue': 223078, 'continue to book': 201166, 'to book future': 901895, 'book future vacation': 134533, 'future vacation caribbean': 342505, 'vacation caribbean costarica': 951581, 'caribbean costarica disneycruise': 164681, 'costarica disneycruise price': 208191, 'disneycruise price info': 246055, 'price info 561': 674829, 'info 561 501': 437398, 'tag uganda': 831774, 'uganda police': 937984, 'post stopping': 666329, 'stopping exploitation': 805808, 'exploitation begin': 292378, 'tag uganda police': 831775, 'uganda police make': 937985, 'police make sure': 663084, 'forget the name': 329304, 'and location of': 66315, 'location of the': 498942, 'in your social': 431123, 'medium post stopping': 527234, 'post stopping exploitation': 666330, 'stopping exploitation begin': 805809, 'exploitation begin with': 292379, 'begin with you': 123606, 'rigging': 721726, 'pandemic these': 636728, 'these opec': 880374, 'opec country': 611853, 'of rigging': 589109, 'rigging the': 721727, 'world the petroleum': 1010053, 'the petroleum product': 863627, 'petroleum product will': 653837, 'will be offered': 992582, 'be offered at': 116155, 'offered at reasonable': 594909, 'reasonable price in': 703122, 'trying time of': 934753, 'of pandemic these': 587710, 'pandemic these opec': 636729, 'these opec country': 880375, 'opec country should': 611855, 'ashamed of rigging': 95062, 'of rigging the': 589110, 'rigging the oil': 721728, 'oil price shame': 597251, 'shutdown akin': 767981, 'experienced with': 291621, 'test post': 839131, 'economic shutdown akin': 267281, 'shutdown akin to': 767982, 'akin to what': 40527, 'industry experienced with': 435812, 'experienced with stress': 291622, 'with stress test': 1001013, 'stress test post': 813403, 'test post 2008': 839132, 'task activity': 834664, 'allowed all': 46132, 'public or': 688201, 'private gathering': 678913, 'gathering outside': 344495, 'outside are': 629370, 'prohibited religious': 683430, 'religious event': 709581, 'event only': 285042, 'allowed over': 46206, 'over video': 630884, 'video 19': 956594, 'more essential task': 539150, 'essential task activity': 281640, 'task activity like': 834665, 'doctor office is': 251047, 'office is allowed': 595454, 'is allowed all': 445481, 'allowed all public': 46133, 'all public or': 44089, 'public or private': 688202, 'or private gathering': 616704, 'private gathering outside': 678914, 'gathering outside are': 344496, 'outside are prohibited': 629371, 'are prohibited religious': 89271, 'prohibited religious event': 683431, 'religious event only': 709582, 'event only allowed': 285043, 'only allowed over': 610062, 'allowed over video': 46207, 'over video 19': 630885, 'dollar continues': 252969, '2003 we': 13609, 'remain concerned': 709734, 'concerned over': 193209, 'the dollar continues': 853515, 'dollar continues it': 252970, 'since 2003 we': 770449, '2003 we remain': 13610, 'we remain concerned': 973069, 'remain concerned over': 709735, 'concerned over the': 193210, 'over the effect': 630717, 'amp location': 54078, 'location are': 498857, 'telling their': 837270, 'monday despite': 536269, 'despite your': 238931, 'latest executive': 481328, 'order ny': 618432, 'ny guidance': 577875, 'guidance doesn': 368215, 'to deem': 904044, 'deem those': 231809, 'those an': 891792, 'retail store manager': 718660, 'store manager at': 808875, 'manager at at': 512684, 'at at amp': 98062, 'at amp location': 97966, 'amp location are': 54079, 'location are telling': 498858, 'are telling their': 90760, 'telling their employee': 837271, 'their employee to': 873158, 'employee to go': 274326, 'work on monday': 1005537, 'on monday despite': 602162, 'monday despite your': 536270, 'despite your latest': 238932, 'your latest executive': 1024596, 'latest executive order': 481329, 'executive order ny': 289924, 'order ny guidance': 618433, 'ny guidance doesn': 577876, 'guidance doesn appear': 368216, 'appear to deem': 82124, 'to deem those': 904046, 'deem those an': 231810, 'those an essential': 891793, 'essential service are': 281497, 'service are they': 752146, 'birx is': 131468, 'now warning': 576326, 'warning american': 967079, 'hotspot are': 405305, 'their highest': 873541, 'highest death': 395818, 'rate within': 697424, 'dr birx is': 257969, 'birx is now': 131469, 'is now warning': 450355, 'now warning american': 576327, 'warning american not': 967080, '14 day coronavirus': 3445, 'day coronavirus hotspot': 227490, 'coronavirus hotspot are': 206092, 'hotspot are set': 405306, 'set to reach': 753530, 'reach their highest': 699994, 'their highest death': 873542, 'highest death rate': 395819, 'death rate within': 230177, 'rate within week': 697425, 'leveller': 487768, 'great leveller': 362800, 'leveller but': 487769, 'sadly you': 729380, 'you chose': 1017956, 'chose not': 178019, 'get 50k': 346487, '50k job': 20166, 'fault you': 300431, 'tiny flat': 898660, 'flat and': 310067, 'the great leveller': 856725, 'great leveller but': 362801, 'leveller but sadly': 487770, 'but sadly you': 146954, 'sadly you chose': 729381, 'you chose not': 1017957, 'chose not to': 178020, 'study get 50k': 814902, 'get 50k job': 346488, '50k job it': 20167, 'job it your': 465924, 'own fault you': 631992, 'fault you live': 300432, 'in tiny flat': 430095, 'tiny flat and': 898661, 'flat and do': 310068, 'food to self': 317286, 'isolate for week': 454861, 'week and are': 975903, 'and are forced': 58316, 'working and expose': 1008498, 'no great': 564375, 'great demand': 362620, 'for taxi': 326155, 'taxi at': 835145, 'present could': 670584, 'could store': 209731, 'taxi company': 835147, 'more importantly': 539499, 'importantly it': 419129, 'down waiting': 257434, 'delivery co': 233803, 'imagine that there': 416790, 'is no great': 449937, 'no great demand': 564376, 'great demand for': 362621, 'demand for taxi': 235503, 'for taxi at': 326156, 'taxi at present': 835146, 'at present could': 100177, 'present could store': 670585, 'could store not': 209732, 'store not get': 809104, 'get them to': 348375, 'to do home': 904519, 'home delivery this': 401052, 'delivery this way': 234634, 'this way the': 891138, 'way the taxi': 969944, 'the taxi company': 869180, 'taxi company would': 835149, 'company would have': 191361, 'would have some': 1011893, 'have some income': 382631, 'some income and': 783105, 'income and more': 432283, 'and more importantly': 67180, 'more importantly it': 539502, 'importantly it will': 419130, 'it will cut': 462389, 'will cut down': 993084, 'cut down waiting': 223309, 'down waiting time': 257435, 'waiting time for': 964393, 'time for food': 896710, 'food delivery co': 314115, 'lates': 481187, 'ashworth here': 95145, 'market reaction': 516947, 'reaction show': 700205, '2nd great': 16772, 'depression are': 237631, 'are overblown': 88914, 'overblown despite': 631055, 'despite wave': 238921, 'of dividend': 582736, 'dividend cut': 248614, 'cut share': 223532, 'remarkably well': 710124, 'writes read': 1012864, 'his lates': 397568, 'ashworth here on': 95146, 'the market reaction': 860148, 'market reaction show': 516948, 'reaction show that': 700206, 'show that fear': 767182, 'that fear of': 843846, 'fear of 2nd': 301220, 'of 2nd great': 579554, '2nd great depression': 16773, 'great depression are': 362624, 'depression are overblown': 237632, 'are overblown despite': 88915, 'overblown despite wave': 631056, 'despite wave of': 238922, 'wave of dividend': 969374, 'of dividend cut': 582737, 'dividend cut share': 248615, 'cut share price': 223533, 'holding up remarkably': 400189, 'up remarkably well': 945902, 'remarkably well he': 710125, 'well he writes': 978277, 'he writes read': 385706, 'writes read his': 1012865, 'read his lates': 700358, 'interview lockdownextended': 442221, 'exclusive interview lockdownextended': 289674, 'algerian': 41640, 'voice sec': 960000, 'sec analyst': 743622, 'analyst thought': 57184, 'the algerian': 848569, 'algerian military': 41641, 'military regime': 531493, 'regime are': 707341, 'particularly free': 642683, 'can man': 158960, 'voice sec analyst': 960001, 'sec analyst thought': 743623, 'analyst thought the': 57185, 'thought the algerian': 893242, 'the algerian military': 848570, 'algerian military regime': 41642, 'military regime are': 531494, 'regime are busy': 707342, 'busy to fight': 144997, '19 particularly free': 9579, 'particularly free fall': 642684, 'free fall of': 331810, 'price but they': 672990, 'they can man': 881654, 'hole ve': 400239, 'been gradually': 121228, 'gradually bringing': 361688, 'content of': 200829, 'my desk': 547985, 'desk snack': 238463, 'snack drawer': 776003, 'drawer had': 258499, 'and concluded': 60254, 'concluded my': 193311, 'my snack': 550133, 'snack habit': 776013, 'habit make': 372646, 'me ready': 523370, 'ready not': 700908, 'buying food like': 150319, 'food like selfish': 315311, 'like selfish hole': 491156, 'selfish hole ve': 748131, 'hole ve been': 400240, 've been gradually': 952887, 'been gradually bringing': 121229, 'gradually bringing home': 361689, 'home the content': 402226, 'the content of': 851658, 'content of my': 200831, 'of my desk': 586755, 'my desk snack': 547986, 'desk snack drawer': 238464, 'snack drawer had': 776004, 'drawer had look': 258500, 'had look at': 373261, 'it all last': 456358, 'all last night': 43349, 'night and concluded': 562938, 'and concluded my': 60255, 'concluded my snack': 193312, 'my snack habit': 550134, 'snack habit make': 776014, 'habit make me': 372647, 'make me ready': 510139, 'me ready not': 523371, 'ready not just': 700909, 'just for lockdown': 468752, 'for lockdown but': 323063, 'lockdown but for': 499212, 'here picture': 393456, 'of perfectly': 588042, 'perfectly quiet': 651395, 'quiet supermarket': 694699, 'morning some': 541450, 'empty stock': 275140, 'but relaxed': 146915, 'relaxed shopper': 708869, 'and fabulous': 62578, 'fabulous staff': 294266, 'done store': 255026, 'everywhere for': 288207, 'going coronacrisis': 355090, 'here picture of': 393457, 'picture of perfectly': 656171, 'of perfectly quiet': 588044, 'perfectly quiet supermarket': 651396, 'quiet supermarket this': 694700, 'this morning some': 889016, 'morning some empty': 541451, 'some empty stock': 782749, 'empty stock but': 275141, 'stock but relaxed': 801948, 'but relaxed shopper': 146916, 'relaxed shopper and': 708870, 'shopper and fabulous': 761363, 'and fabulous staff': 62579, 'fabulous staff well': 294267, 'staff well done': 793063, 'well done store': 978201, 'done store staff': 255027, 'store staff everywhere': 810313, 'staff everywhere for': 792430, 'everywhere for keeping': 288208, 'for keeping going': 322813, 'keeping going coronacrisis': 472430, 'n50': 551127, 'n500': 551132, 'my disappointment': 547993, 'disappointment the': 244162, 'product had': 681244, 'had increased': 373199, 'from between': 334692, 'between n50': 128831, 'n50 and': 551128, 'and n500': 67404, 'n500 there': 551135, 'no humanity': 564456, 'simply shedding': 770282, 'obvious they': 578807, 'today and to': 919231, 'to my disappointment': 910389, 'my disappointment the': 547994, 'disappointment the price': 244163, 'all essential product': 42701, 'essential product had': 281420, 'product had increased': 681245, 'had increased from': 373200, 'increased from between': 433330, 'from between n50': 334693, 'between n50 and': 128832, 'n50 and n500': 551129, 'and n500 there': 67405, 'n500 there is': 551136, 'is no humanity': 449941, 'no humanity in': 564457, 'country is simply': 210820, 'is simply shedding': 451934, 'simply shedding light': 770283, 'on the obvious': 604257, 'the obvious they': 862021, 'obvious they re': 578808, 're all trying': 698241, 'garrett': 343708, 'callaway': 156272, 'midmo': 530737, 'icymi food': 412877, 'pantry looking': 639628, 'donation covid': 254580, 'by olivia': 153417, 'olivia garrett': 598759, 'garrett via': 343711, 'via callaway': 955843, 'callaway midmo': 156275, 'icymi food pantry': 412878, 'food pantry looking': 315788, 'pantry looking for': 639629, 'for donation covid': 320827, 'donation covid 19': 254581, 'increase demand by': 432736, 'demand by olivia': 235093, 'by olivia garrett': 153418, 'olivia garrett via': 598760, 'garrett via callaway': 343712, 'via callaway midmo': 955844, 'everything and we': 287691, 'are safe nothing': 89791, 'hand of the': 375114, 'store worker 19': 811444, 'what you toilet': 982695, 'paper hoarder have': 640275, 'hoarder have done': 399041, 'done this is': 255056, 'is all your': 445475, 'all your fault': 45565, 'introverting': 443530, 'take until': 832766, 'start writing': 794657, 'writing film': 1012901, 'could probably': 209533, 'probably call': 679228, 'the vacant': 870616, 'vacant supermarket': 951573, 'extreme case': 293778, 'of introverting': 585267, 'introverting death': 443531, 'toll rising': 923879, 'rising toilet': 723310, 'roll decreasing': 725264, 'decreasing any': 231653, 'long it ll': 501467, 'll take until': 497062, 'take until they': 832767, 'until they start': 943896, 'they start writing': 883442, 'start writing film': 794658, 'writing film about': 1012902, 'the coronavirus could': 851823, 'coronavirus could probably': 205711, 'could probably call': 209534, 'probably call it': 679229, 'call it covid': 155953, '19 the vacant': 11260, 'the vacant supermarket': 870617, 'vacant supermarket shelf': 951574, 'world the extreme': 1010049, 'the extreme case': 854776, 'extreme case of': 293779, 'case of introverting': 165911, 'of introverting death': 585268, 'introverting death toll': 443532, 'death toll rising': 230253, 'toll rising toilet': 923880, 'rising toilet roll': 723311, 'toilet roll decreasing': 921565, 'roll decreasing any': 725265, 'decreasing any more': 231654, 'standby': 793728, 'on standby': 603633, 'standby for': 793729, 'who going': 988798, 'supermarket break': 819419, 'them rather': 876204, 'jail and': 464258, 'eat there': 266073, 'hunger lockdownsaextended': 411148, 'and how am': 64799, 'how am gonna': 407344, 'am gonna survive': 50093, 'gonna survive on': 356630, 'survive on this': 829217, 'on this lockdown': 604618, 'this lockdown ll': 888691, 'lockdown ll have': 499599, 'be on standby': 116209, 'on standby for': 603634, 'standby for people': 793730, 'people who going': 650301, 'who going for': 988799, 'going for supermarket': 355150, 'for supermarket break': 326000, 'supermarket break in': 819420, 'in and join': 420370, 'join them rather': 466878, 'them rather go': 876205, 'rather go to': 697466, 'to jail and': 908644, 'jail and eat': 464259, 'and eat there': 61878, 'eat there than': 266074, 'there than die': 879132, 'than die of': 840502, 'of hunger lockdownsaextended': 584910, 'thread my': 893577, 'an ottawa': 56722, 'ottawa grocery': 621904, 'time university': 898167, 'university student': 942465, 'student living': 814719, 'therefore doesn': 879425, 'money socialdistancing': 537025, 'thread my son': 893578, 'at an ottawa': 97991, 'an ottawa grocery': 56723, 'ottawa grocery store': 621905, 'store part time': 809475, 'part time he': 642448, 'time he is': 896903, 'he is full': 385123, 'is full time': 447977, 'full time university': 340948, 'time university student': 898168, 'university student living': 942466, 'student living at': 814720, 'living at home': 496322, 'home and therefore': 400702, 'and therefore doesn': 73863, 'therefore doesn really': 879426, 'doesn really need': 251922, 'the money socialdistancing': 860824, 'airasia': 39810, 'airasia bos': 39811, 'bos hope': 135673, 'hope customer': 403443, 'credit instead': 216416, 'airasia bos hope': 39812, 'bos hope customer': 135674, 'hope customer accept': 403444, 'customer accept credit': 222018, 'accept credit instead': 27951, 'credit instead of': 216417, 'instead of refund': 440312, 'letsbesafe': 487246, 'cleanyourhandsregularly': 181202, 'maskindia': 519643, 'letsbesafe and': 487247, 'all save': 44240, 'save ours': 737617, 'ours cleanyourhandsregularly': 625435, 'cleanyourhandsregularly use': 181203, 'socialdistancing corona': 780287, 'coronapandemic lockdown21': 205147, 'lockdown21 coronalockdown': 500206, 'coronalockdown maskindia': 205036, 'letsbesafe and save': 487248, 'save the life': 737659, 'one we all': 607389, 'we all save': 970357, 'all save ours': 44241, 'save ours cleanyourhandsregularly': 737618, 'ours cleanyourhandsregularly use': 625436, 'cleanyourhandsregularly use soap': 181204, 'or sanitizer to': 616955, 'to clean your': 902817, 'hand use mask': 375902, 'in the situation': 429551, 'situation to go': 772536, 'go out socialdistancing': 353983, 'out socialdistancing corona': 627214, 'socialdistancing corona coronapandemic': 780288, 'corona coronapandemic lockdown21': 203888, 'coronapandemic lockdown21 coronalockdown': 205148, 'lockdown21 coronalockdown maskindia': 500207, 'joined 40': 466912, 'without power': 1002848, 'power if': 667621, 've joined 40': 953289, 'joined 40 community': 466913, '40 community organization': 18554, 'community organization to': 190024, 'organization to call': 619439, 'call on business': 156032, 'one go without': 606354, 'go without power': 354520, 'without power if': 1002849, 'power if they': 667622, 'cannot pay their': 162035, 'majeures': 509227, 'floating storage': 310669, 'storage spike': 805992, 'price spiral': 676578, 'spiral force': 789424, 'force majeures': 328435, 'majeures and': 509228, 'uncertainty chaos': 939676, 'chaos today': 173069, 'the lng': 859513, 'lng market': 497208, 'floating storage spike': 310670, 'storage spike price': 805993, 'spike price spiral': 789325, 'price spiral force': 676579, 'spiral force majeures': 789425, 'force majeures and': 328436, 'majeures and lot': 509229, 'of uncertainty chaos': 592592, 'uncertainty chaos today': 939677, 'chaos today in': 173070, 'in the lng': 429325, 'the lng market': 859514, 'goer': 354907, 'penang': 646456, 'phase2': 654650, 'juststayathome': 470521, 'dudukrumah': 261631, 'nstnation market': 576689, 'market goer': 516465, 'goer on': 354908, 'on penang': 602728, 'penang island': 646457, 'island will': 454328, 'allowed 20': 46130, 'shop mco': 760455, 'mco phase2': 522231, 'phase2 movementcontrolorder': 654651, 'movementcontrolorder juststayathome': 543950, 'juststayathome dudukrumah': 470522, 'nstnation market goer': 576690, 'market goer on': 516466, 'goer on penang': 354909, 'on penang island': 602729, 'penang island will': 646458, 'island will only': 454329, 'be allowed 20': 113560, 'allowed 20 minute': 46131, '20 minute to': 13174, 'minute to shop': 533876, 'to shop mco': 914472, 'shop mco phase2': 760456, 'mco phase2 movementcontrolorder': 522232, 'phase2 movementcontrolorder juststayathome': 654652, 'movementcontrolorder juststayathome dudukrumah': 543951, 'textscore': 839992, 'companywatch': 191369, 'warehouse delivery': 966707, 'avoid shop': 105273, 'giant textscore': 349874, 'textscore ha': 839993, 'been consistently': 120877, 'consistently strong': 195507, 'on companywatch': 599995, '00 warehouse delivery': 594, 'warehouse delivery worker': 966708, 'the to deal': 869672, 'deal with sale': 229573, 'with sale surge': 1000558, 'sale surge during': 732556, 'pandemic consumer avoid': 635187, 'consumer avoid shop': 196369, 'avoid shop the': 105274, 'shop the online': 760903, 'the online retail': 862279, 'online retail giant': 608869, 'retail giant textscore': 718144, 'giant textscore ha': 349875, 'textscore ha been': 839994, 'ha been consistently': 369757, 'been consistently strong': 120878, 'consistently strong on': 195508, 'strong on companywatch': 814078, 'think 10': 885059, '10 pound': 1638, 'pound for': 667371, 'small papaya': 775055, 'papaya is': 639747, 'unfair cannot': 941417, 'cannot support': 162151, 'local fruit': 498002, 'just think 10': 470039, 'think 10 pound': 885060, '10 pound for': 1639, 'pound for small': 667372, 'for small papaya': 325667, 'small papaya is': 775056, 'papaya is unfair': 639748, 'is unfair cannot': 453487, 'unfair cannot support': 941418, 'cannot support my': 162152, 'support my local': 826657, 'my local fruit': 549114, 'local fruit shop': 498003, 'fruit shop like': 339146, 'shop like this': 760410, 'like this the': 491537, 'this the price': 890533, 'the price need': 864387, 'howmuchtoiletpaper': 409543, 'website answer': 975208, 'toiletpaper howmuchtoiletpaper': 922090, 'this website answer': 891169, 'website answer the': 975209, 'question of how': 693665, 'need for quarantine': 554867, 'for quarantine toiletpaper': 324900, 'quarantine toiletpaper howmuchtoiletpaper': 692646, 'family worried': 298403, 'is renewed': 451424, 'renewed interest': 711012, 'in finding': 422894, 'service all': 752049, 'customer including': 222514, 'who utilize': 989869, 'utilize government': 951354, 'government benefit': 359931, 'with family worried': 998386, 'family worried about': 298404, 'worried about and': 1010475, 'about and possible': 24803, 'and possible disruption': 69214, 'disruption to their': 246550, 'to their ability': 917209, 'their ability to': 872447, 'there is renewed': 878613, 'is renewed interest': 451425, 'renewed interest in': 711013, 'interest in finding': 441354, 'in finding way': 422896, 'way to service': 970092, 'to service all': 914281, 'service all customer': 752050, 'all customer including': 42502, 'customer including those': 222515, 'including those who': 432205, 'those who utilize': 892690, 'who utilize government': 989870, 'utilize government benefit': 951355, 'government benefit more': 359932, 'broadcaster from': 140744, 'the justice': 858722, 're stuck it': 699628, 'includes health education': 431759, 'education and child': 268806, 'child care professional': 176040, 'professional journalist and': 682466, 'and broadcaster from': 59214, 'broadcaster from the': 140745, 'from the justice': 337762, 'the justice system': 858723, 'justice system and': 470439, 'system and supermarket': 831107, '135 pop': 3347, 'there limited': 878703, 'done improperly': 254886, 'improperly or': 419512, 'by nonmedical': 153346, 'nonmedical professional': 566656, 'test capitalism': 838954, 'coronavirus testing is': 206888, 'testing is critical': 839520, 'critical but selling': 218520, 'selling them straight': 749496, 'them straight to': 876340, 'straight to consumer': 812242, 'for 135 pop': 318657, '135 pop is': 3348, 'pop is irresponsible': 664435, 'irresponsible there limited': 445081, 'there limited number': 878704, 'test if done': 839028, 'if done improperly': 414063, 'done improperly or': 254887, 'improperly or contaminated': 419513, 'they re done': 883021, 're done by': 698561, 'done by nonmedical': 254806, 'by nonmedical professional': 153347, 'nonmedical professional then': 566657, 'then we re': 877731, 'out on more': 626909, 'on more test': 602216, 'more test capitalism': 540539, 'soar 11': 779214, '11 after': 2483, 'say russia': 739108, 'saudi can': 737249, 'can resolve': 159462, 'resolve dispute': 714633, 'brent crude price': 139335, 'crude price soar': 219597, 'price soar 11': 676522, 'soar 11 after': 779215, '11 after trump': 2484, 'after trump say': 36456, 'trump say russia': 933824, 'say russia saudi': 739109, 'russia saudi can': 728557, 'saudi can resolve': 737250, 'can resolve dispute': 159463, 'family around': 297636, 'world who': 1010175, 'grandmother told': 361942, 'they united': 883605, 'united but': 942152, 'is greed': 448219, 'all the family': 44742, 'the family around': 854888, 'family around the': 297637, 'the world who': 872006, 'world who have': 1010176, 'one to fill': 607273, 'and my grandmother': 67368, 'my grandmother told': 548554, 'grandmother told me': 361943, 'the war they': 871071, 'war they united': 966555, 'they united but': 883606, 'united but today': 942153, 'it is greed': 458967, 'cape so': 162618, 'all hero do': 43107, 'not wear cape': 572470, 'wear cape so': 974301, 'cape so grateful': 162619, 'rt the undervalued': 726820, 'bison': 131518, 'wa herd': 962307, 'of bison': 580721, 'bison walking': 131519, 'right toward': 722366, 'toward me': 927137, 'there wa herd': 879243, 'wa herd of': 962308, 'herd of bison': 392617, 'of bison walking': 580722, 'bison walking right': 131520, 'walking right toward': 965098, 'right toward me': 722367, 'toward me at': 927138, 'me at today': 522480, 'disposablefacemask': 246273, 'respirator face': 715199, 'free worldwide': 332341, 'worldwide shipping': 1010421, 'shipping wholesale': 758944, 'available n95': 104502, 'n95facemask disposablefacemask': 551245, 'respirator face mask': 715200, 'mask with free': 519581, 'with free worldwide': 998542, 'free worldwide shipping': 332342, 'worldwide shipping wholesale': 1010422, 'shipping wholesale price': 758945, 'wholesale price available': 990468, 'price available n95': 672825, 'available n95 n95facemask': 104503, 'n95 n95facemask disposablefacemask': 551214, 'not wuhan': 572585, 'profiling either': 682632, 'either there': 270390, 'so this happened': 778498, 'this happened in': 887847, 'is not wuhan': 450225, 'not wuhan virus': 572586, 'an excuse for': 55933, 'racial profiling either': 695233, 'profiling either there': 682633, 'either there is': 270391, 'leaped': 483921, '241': 15720, 'glove leaped': 352751, 'leaped well': 483922, 'than 600': 840280, '600 receipt': 21110, 'receipt for': 703413, 'for bathroom': 319598, 'bathroom tissue': 112677, 'tissue were': 899240, 'up 241': 944138, '241 relative': 15721, 'relative to': 708749, '2019 average': 13939, 'average in': 104857, 'week leading': 976475, '14 more': 3502, 'more category': 538782, 'sale of hand': 732393, 'and glove leaped': 63729, 'glove leaped well': 352752, 'leaped well hand': 483923, 'sanitizer by more': 734622, 'more than 600': 540572, 'than 600 receipt': 840281, '600 receipt for': 21111, 'receipt for bathroom': 703414, 'for bathroom tissue': 319599, 'bathroom tissue were': 112678, 'tissue were up': 899241, 'were up 241': 980314, 'up 241 relative': 944139, '241 relative to': 15722, 'relative to the': 708751, 'the 2019 average': 848012, '2019 average in': 13940, 'average in the': 104858, 'the week leading': 871304, 'week leading up': 976476, 'up to march': 946397, 'to march 14': 909838, 'march 14 more': 515071, '14 more category': 3503, 'american reveal': 52167, 'reveal spending': 720247, 'pharmacy purchase': 654429, 'purchase amid': 689341, 'american reveal spending': 52168, 'reveal spending priority': 720248, 'spending priority in': 788960, 'priority in supermarket': 678588, 'and pharmacy purchase': 68975, 'pharmacy purchase amid': 654430, 'purchase amid coronavirus': 689342, 'pandemic news via': 636031, 'sean': 743211, 'boyfriend sean': 137425, 'sean shared': 743216, 'shared pizza': 755442, 'tonight bottle': 924383, 'wine sean': 995886, 'sean is': 743212, 'cause working': 167802, 'store reassured': 809760, 'reassured him': 703208, 'that staying': 846471, 'safe sean': 729923, 'sean me': 743214, 'love each': 504648, 'other lovewins': 620487, 'me my boyfriend': 523186, 'my boyfriend sean': 547525, 'boyfriend sean shared': 137426, 'sean shared pizza': 743217, 'shared pizza for': 755443, 'pizza for dinner': 657162, 'dinner tonight bottle': 243105, 'tonight bottle of': 924384, 'bottle of italian': 136288, 'of italian red': 585472, 'italian red wine': 462722, 'red wine sean': 705630, 'wine sean is': 995887, 'sean is really': 743213, 'is really worried': 451324, 'about me getting': 25712, 'me getting covid': 522812, '19 cause working': 5721, 'cause working at': 167803, 'grocery store reassured': 365707, 'store reassured him': 809761, 'reassured him that': 703209, 'him that staying': 396729, 'that staying safe': 846472, 'staying safe sean': 798697, 'safe sean me': 729924, 'sean me really': 743215, 'me really love': 523379, 'really love each': 702394, 'love each other': 504649, 'each other lovewins': 264194, 'profound but': 683151, 'but varied': 147677, 'varied impact': 952543, 'on different': 600316, 'different part': 242015, 'by nervous': 153318, 'having profound but': 384236, 'profound but varied': 683152, 'but varied impact': 147678, 'varied impact on': 952544, 'impact on different': 417841, 'on different part': 600319, 'different part of': 242016, 'chain but most': 170566, 'of the disruption': 590957, 'the disruption is': 853405, 'disruption is due': 246496, 'to hoarding by': 907896, 'hoarding by nervous': 399238, 'by nervous consumer': 153319, 'nervous consumer learn': 557469, 'consumer learn more': 198017, 'about food processing': 25260, 'what fun': 981482, 'fun dealing': 341153, 'old suburban': 598483, 'suburban white': 816149, 'people giving': 648072, 'the awkward': 849128, 'awkward eye': 106279, 'like mother': 490800, 'fucker dont': 339746, 'you either': 1018399, 'know what fun': 476951, 'what fun dealing': 981483, 'fun dealing with': 341154, 'dealing with old': 229679, 'with old suburban': 999865, 'old suburban white': 598484, 'suburban white people': 816150, 'white people giving': 987892, 'people giving me': 648073, 'giving me the': 351343, 'me the awkward': 523637, 'the awkward eye': 849129, 'awkward eye at': 106280, 'store like mother': 808730, 'like mother fucker': 490801, 'mother fucker dont': 543100, 'fucker dont want': 339747, 'be around you': 113683, 'around you either': 93662, 'outoftouchwithreality': 629205, 'boris say': 135488, 'asked how': 95766, 'can ensure': 158232, 'is man': 449562, 'who obviously': 989356, 'not stepped': 571720, 'stepped foot': 799770, 'lately or': 480982, 'or battled': 614503, 'battled to': 112850, 'essential outoftouchwithreality': 281370, 'boris say there': 135490, 'reason for people': 702907, 'to panic bulk': 911387, 'panic bulk buy': 637440, 'buy when asked': 149465, 'when asked how': 983181, 'asked how we': 95768, 'we can ensure': 970940, 'can ensure everyone': 158233, 'ensure everyone ha': 277933, 'everyone ha food': 286964, 'ha food this': 370650, 'this is man': 888314, 'is man who': 449563, 'man who obviously': 512337, 'who obviously not': 989357, 'obviously not stepped': 578843, 'not stepped foot': 571721, 'stepped foot in': 799771, 'in supermarket lately': 428623, 'supermarket lately or': 821277, 'lately or battled': 480983, 'or battled to': 614504, 'battled to find': 112851, 'find essential outoftouchwithreality': 306894, 'aquavit': 83784, 'oslo': 619719, 'ndverksdestilleri': 553431, 'spirit literally': 789482, 'literally from': 495000, 'from aquavit': 334580, 'aquavit to': 83785, 'sanitizer oslo': 735500, 'oslo ndverksdestilleri': 619720, 'ndverksdestilleri ha': 553432, 'ha adapted': 369443, 'adapted it': 31312, 'fight photo': 304844, 'photo via': 655268, 'that the spirit': 846836, 'the spirit literally': 867583, 'spirit literally from': 789483, 'literally from aquavit': 495001, 'from aquavit to': 334581, 'aquavit to hand': 83786, 'hand sanitizer oslo': 375518, 'sanitizer oslo ndverksdestilleri': 735501, 'oslo ndverksdestilleri ha': 619721, 'ndverksdestilleri ha adapted': 553433, 'ha adapted it': 369444, 'adapted it production': 31313, 'it production to': 460511, 'production to help': 682245, 'help fight photo': 389713, 'fight photo via': 304845, 'important motion': 418890, 'includes motion': 431776, 'complete ban': 192066, 'treated consumer': 930944, 'prevent eviction': 671612, 'non payment': 566451, 'but some important': 147097, 'some important motion': 783086, 'important motion were': 418891, 'motion were made': 543275, 'were made this': 979870, 'made this includes': 508022, 'this includes motion': 888074, 'includes motion calling': 431777, 'calling for complete': 156546, 'for complete ban': 320215, 'complete ban on': 192067, 'for rent to': 325122, 'rent to be': 711199, 'be deferred during': 114377, '19 crisis so': 6326, 'crisis so that': 218065, 'be treated consumer': 117805, 'treated consumer debt': 930945, 'debt to prevent': 230585, 'to prevent eviction': 912055, 'prevent eviction based': 671613, 'based on non': 111686, 'on non payment': 602423, 'income better': 432300, 'better enable': 128272, 'enable those': 275442, 'also enables': 48157, 'enables people': 275468, 'maintain consumption': 508952, 'economy happy': 267926, 'basic income better': 111950, 'income better enable': 432301, 'better enable those': 128273, 'enable those who': 275443, 'it also enables': 456426, 'also enables people': 48158, 'enables people to': 275469, 'to maintain consumption': 909569, 'maintain consumption in': 508953, 'consumption in 70': 199891, 'in 70 consumer': 419955, 'based economy happy': 111562, 'economy happy to': 267927, 'here in discussion': 393145, 'hoarding ha': 399346, 'become hot': 120027, 'topic amid': 925772, 'outbreak almost': 627969, 'almost much': 46695, 'illness itself': 416381, 'hoarding ha become': 399347, 'ha become hot': 369682, 'become hot topic': 120028, 'hot topic amid': 405057, 'topic amid the': 925773, 'coronavirus outbreak almost': 206373, 'outbreak almost much': 627970, 'almost much the': 46696, 'much the illness': 545353, 'the illness itself': 857884, 'vm': 959897, 'botswana': 136153, 'vm well': 959898, 'well responded': 978521, 'responded brother': 715345, 'brother we': 141105, 'were taught': 980221, 'taught to': 834901, 'nation especially': 552163, 'the usd': 870561, 'usd era': 948919, 'era we': 280087, 'rely too': 709662, 'import this': 418678, 'be productive': 116564, 'productive and': 682288, 'sufficient botswana': 817374, 'botswana ha': 136154, 'it bor': 456899, 'vm well responded': 959899, 'well responded brother': 978522, 'responded brother we': 715346, 'brother we were': 141106, 'we were taught': 973813, 'were taught to': 980222, 'taught to be': 834902, 'be consumer nation': 114212, 'consumer nation especially': 198174, 'nation especially during': 552164, 'during the usd': 263213, 'the usd era': 870562, 'usd era we': 948920, 'era we rely': 280088, 'we rely too': 973065, 'rely too much': 709663, 'too much on': 924937, 'much on import': 545206, 'on import this': 601512, 'import this covid': 418679, '19 is will': 8083, 'is will teach': 453991, 'teach to be': 835410, 'to be productive': 901462, 'be productive and': 116565, 'productive and self': 682289, 'and self sufficient': 71187, 'self sufficient botswana': 747917, 'sufficient botswana ha': 817375, 'botswana ha closed': 136155, 'closed it bor': 183196, 'cleaning material': 180978, 'material tp': 520430, 'buying year supply': 151397, 'of cleaning material': 581452, 'cleaning material tp': 180980, 'material tp or': 520431, 're selfish idiot': 699476, 'preservative': 670690, 'supermarket potato': 822046, 'potato fruit': 666933, 'vegetable full': 953995, 'of preservative': 588371, 'preservative it': 670691, 'last about': 480103, 'on absolute': 599144, 'shit tool': 759279, 'supermarket potato fruit': 822047, 'potato fruit and': 666934, 'and vegetable full': 74884, 'vegetable full of': 953996, 'full of preservative': 340749, 'of preservative it': 588372, 'preservative it last': 670692, 'it last about': 459298, 'last about day': 480104, 'about day and': 25073, 'and still people': 72385, 'still people are': 801035, 'up on absolute': 945519, 'on absolute shit': 599145, 'absolute shit tool': 27289, 'bladder': 132227, 'store going': 807947, 'what told': 982474, 'bos this': 135707, 'not bladder': 568574, 'bladder problem': 132228, 'problem stop': 679682, 'grocery store going': 365435, 'store going to': 807949, 'tell all what': 836904, 'all what told': 45442, 'what told my': 982475, 'told my bos': 923635, 'my bos this': 547509, 'bos this is': 135708, 'this is respiratory': 888381, 'is respiratory problem': 451470, 'respiratory problem not': 715251, 'problem not bladder': 679613, 'not bladder problem': 568575, 'bladder problem stop': 132229, 'problem stop hoarding': 679683, 'and other paper': 68375, 'other paper good': 620643, 'oprah': 613844, 'releasethebuttholecut': 709111, 'what scarier': 982129, 'scarier oprah': 741099, 'oprah or': 613845, 'link at': 493792, 'how comfortable': 407569, 'comfortable you': 187881, 'be releasethebuttholecut': 116767, 'what scarier oprah': 982130, 'scarier oprah or': 741100, 'oprah or not': 613846, 'or not buying': 616291, 'not buying more': 568661, 'buying more link': 150731, 'more link at': 539702, 'link at these': 493793, 'at these sale': 101206, 'sale price knowing': 732460, 'price knowing how': 675004, 'knowing how comfortable': 477118, 'how comfortable you': 407570, 'comfortable you could': 187882, 'could be releasethebuttholecut': 208916, 'ga please': 342684, 'ga please read': 342685, 'this and limit': 886335, 'and limit yourself': 66185, 'yourself to going': 1026731, 'to going out': 906902, 'out and please': 625684, 'always use hand': 49780, 'and please prepare': 69112, 'please prepare to': 660328, 'prepare to stock': 670141, 'berniebros': 127396, 'socialdistancing got': 780384, 'few look': 303907, 'store funny': 807901, 'funny non': 341770, 'non of': 566444, 'liberal berniebros': 488002, 'berniebros said': 127397, 'said anything': 730977, 'me idea': 522931, 'good day for': 356947, 'day for different': 227622, 'for different type': 320704, 'type of socialdistancing': 937586, 'of socialdistancing got': 589852, 'socialdistancing got few': 780385, 'got few look': 358552, 'few look at': 303908, 'hardware store funny': 378324, 'store funny non': 807902, 'funny non of': 341771, 'non of the': 566445, 'of the liberal': 591188, 'the liberal berniebros': 859318, 'liberal berniebros said': 488003, 'berniebros said anything': 127398, 'said anything to': 730978, 'to me idea': 909932, 'me idea so': 522932, 'idea so good': 413173, 'so good they': 777190, 'good they have': 357836, 'to be mandatory': 901384, 'reddit': 705650, 'dadjokes': 224436, 'using old': 950574, 'newspaper the': 561104, 'are rough': 89746, 'rough reddit': 726258, 'reddit dadjokes': 705653, 'dadjokes march': 224437, 'is sometimes': 452119, 'sometimes called': 785186, 'record joke': 704995, 'joke pun': 467126, 'pun toiletpaper': 689156, 'paper so have': 640788, 'so have begun': 777258, 'begun using old': 123745, 'using old newspaper': 950575, 'old newspaper the': 598392, 'newspaper the time': 561105, 'the time are': 869576, 'time are rough': 896329, 'are rough reddit': 89747, 'rough reddit dadjokes': 726259, 'reddit dadjokes march': 705654, 'dadjokes march 18': 224438, '18 the ny': 4588, 'ny time is': 577920, 'time is sometimes': 897065, 'is sometimes called': 452120, 'sometimes called the': 785188, 'called the toilet': 156461, 'paper of record': 640522, 'of record joke': 588838, 'record joke pun': 704996, 'joke pun toiletpaper': 467127, 'maxie': 520785, 'maxie water': 520786, 'water plan': 969116, 'recovery 200': 705285, 'for adult': 319031, 'payment establish': 645609, 'establish facility': 282018, 'to reimburse': 913119, 'reimburse credit': 708221, 'credit service': 216508, 'lost revenue': 503909, 'expense including': 291196, 'including credit': 431929, 'credit advance': 216297, 'maxie water plan': 520787, 'water plan for': 969117, 'plan for covid': 658117, '19 recovery 200': 10010, 'recovery 200 for': 705286, '200 for adult': 13490, 'for adult 100': 319032, 'adult 100 per': 32781, '100 per child': 2028, 'credit payment establish': 216449, 'payment establish facility': 645610, 'establish facility at': 282019, 'facility at the': 295308, 'at the fed': 100944, 'the fed to': 855068, 'fed to reimburse': 301912, 'to reimburse credit': 913120, 'reimburse credit service': 708222, 'credit service for': 216509, 'service for lost': 752382, 'for lost revenue': 323114, 'lost revenue and': 503910, 'revenue and expense': 720375, 'and expense including': 62497, 'expense including credit': 291197, 'including credit advance': 431930, 'alphabetical': 47157, 'the keyworkers': 858770, 'keyworkers list': 473599, 'into alphabetical': 442385, 'alphabetical order': 47158, 'order or': 618491, 'least supermarket': 484639, 'higher up': 395784, 'list seems': 494526, 'seems we': 746897, 'we feed': 971532, 'constant close': 195606, 'infected keyworker': 436591, 'is the keyworkers': 452838, 'the keyworkers list': 858771, 'keyworkers list they': 473600, 'list they should': 494566, 'should have put': 766090, 'have put it': 382113, 'put it into': 690646, 'it into alphabetical': 458821, 'into alphabetical order': 442386, 'alphabetical order or': 47159, 'order or at': 618492, 'at least supermarket': 99549, 'least supermarket staff': 484640, 'supermarket staff should': 822888, 'should be higher': 765643, 'be higher up': 115254, 'higher up the': 395785, 'up the list': 946190, 'the list seems': 859471, 'list seems we': 494527, 'seems we feed': 746898, 'we feed the': 971535, 'nation and are': 552118, 'in constant close': 421671, 'constant close contact': 195607, 'who may or': 989277, 'not be infected': 568402, 'be infected keyworker': 115483, 'in measure': 425215, 'help over': 390261, '70 disabled': 21753, 'vulnerable fall': 960958, 'these what': 880964, 'what proof': 982058, 'proof do': 683991, 'that priority': 845838, 'priority homedelivery': 678582, 'for bringing in': 319798, 'bringing in measure': 140166, 'in measure to': 425216, 'to help over': 907581, 'help over 70': 390262, 'over 70 disabled': 629904, '70 disabled and': 21754, 'and vulnerable fall': 75053, 'vulnerable fall into': 960959, 'of these what': 591873, 'these what proof': 880965, 'what proof do': 982059, 'proof do you': 683992, 'need for online': 554860, 'shopping to get': 764176, 'to get that': 906611, 'get that priority': 348212, 'that priority homedelivery': 845839, 'mixed following': 534625, 'lockdown crudeoil': 499286, 'were mixed following': 979884, 'mixed following three': 534626, 'and lockdown crudeoil': 66320, 'digitalsignage': 242811, 'bizhour': 131982, 'more customer': 538936, 'website rather': 975391, 'than into': 840786, 'store digitalsignage': 807316, 'digitalsignage can': 242812, 'provide flexible': 686299, 'flexible eye': 310386, 'eye catching': 294016, 'catching way': 167131, 'website retail': 975403, 'shopping marketing': 763248, 'marketing takeaway': 517720, 'takeaway restaurant': 832901, 'restaurant bizhour': 716336, 'need to drive': 555910, 'drive more customer': 259100, 'more customer to': 538938, 'customer to your': 222987, 'to your website': 919035, 'your website rather': 1026326, 'website rather than': 975392, 'rather than into': 697530, 'than into your': 840787, 'your store digitalsignage': 1025969, 'store digitalsignage can': 807317, 'digitalsignage can provide': 242813, 'can provide flexible': 159330, 'provide flexible eye': 686300, 'flexible eye catching': 310387, 'eye catching way': 294017, 'catching way to': 167132, 'people to your': 649967, 'your website retail': 1026327, 'website retail shop': 975404, 'retail shop shopping': 718554, 'shop shopping marketing': 760776, 'shopping marketing takeaway': 763249, 'marketing takeaway restaurant': 517721, 'takeaway restaurant bizhour': 832902, 'flock': 310676, 'what nice': 981936, 'nice bloke': 562357, 'bloke all': 133077, 'to flock': 906013, 'flock to': 310677, 'and caravan': 59551, 'caravan this': 163383, 'on nh': 602403, 'nh not': 562020, 'stock coronacrisis': 802024, 'staysafestayhome panickbuyinguk': 799012, 'panickbuyinguk uklockdown': 639241, 'what nice bloke': 981937, 'nice bloke all': 562358, 'bloke all that': 133078, 'all that been': 44630, 'that been asked': 842958, 'been asked is': 120695, 'asked is for': 95782, 'for people not': 324455, 'not to flock': 572152, 'to flock to': 906014, 'flock to their': 310681, 'to their holiday': 917238, 'their holiday home': 873552, 'holiday home and': 400312, 'home and caravan': 400622, 'and caravan this': 59552, 'caravan this is': 163384, 'to not spread': 910708, 'not spread the': 571685, 'virus not to': 958539, 'not to put': 572176, 'to put pressure': 912606, 'pressure on nh': 671216, 'on nh not': 602404, 'nh not to': 562021, 'on food stock': 600914, 'food stock coronacrisis': 316783, 'stock coronacrisis staysafestayhome': 802025, 'coronacrisis staysafestayhome panickbuyinguk': 204781, 'staysafestayhome panickbuyinguk uklockdown': 799013, 'ferozepur': 303555, 'implementiom': 418534, 'an extensive': 55994, 'extensive meeting': 293306, 'deputy commissioner': 237787, 'commissioner ferozepur': 188943, 'ferozepur to': 303556, 'our preparedness': 624423, 'preparedness to': 670297, 'fight discussed': 304708, 'the implementiom': 857964, 'implementiom of': 418535, 'of effective': 582985, 'facility regular': 295371, 'regular distribution': 707764, 'food along': 313103, 'had an extensive': 372836, 'an extensive meeting': 55995, 'extensive meeting with': 293307, 'meeting with the': 527799, 'with the deputy': 1001264, 'the deputy commissioner': 853171, 'deputy commissioner ferozepur': 237788, 'commissioner ferozepur to': 188944, 'ferozepur to take': 303557, 'to take stock': 916239, 'stock of the': 802548, 'the situation amp': 867241, 'situation amp our': 772174, 'amp our preparedness': 54259, 'our preparedness to': 624424, 'preparedness to fight': 670298, 'to fight discussed': 905787, 'fight discussed the': 304709, 'discussed the implementiom': 244971, 'the implementiom of': 857965, 'implementiom of effective': 418536, 'of effective healthcare': 582986, 'effective healthcare facility': 269261, 'healthcare facility regular': 387107, 'facility regular distribution': 295372, 'regular distribution of': 707765, 'of food along': 583641, 'food along with': 313104, 'with the precaution': 1001434, 'least essential': 484456, 'those type': 892570, 'necessary if': 554003, 'get stopped': 348127, 'police quarantinelife': 663178, 'at least essential': 99490, 'least essential service': 484457, 'essential service will': 281538, 'be allowed so': 113565, 'allowed so we': 46217, 'the bank it': 849246, 'bank it ridiculous': 109959, 'it ridiculous that': 460773, 'ridiculous that actually': 721613, 'that actually have': 842492, 'actually have to': 30833, 'act like going': 29681, 'going to those': 355746, 'to those type': 917530, 'those type of': 892571, 'type of place': 937574, 'of place is': 588139, 'place is necessary': 657527, 'is necessary if': 449846, 'necessary if get': 554004, 'if get stopped': 414148, 'get stopped by': 348128, 'stopped by police': 805691, 'by police quarantinelife': 153608, 'baidu': 108576, 'baidu launch': 108577, 'launch auto': 481864, 'auto focused': 103873, 'focused app': 311935, 'in wager': 430642, 'private vehicle': 678995, 'baidu launch auto': 108578, 'launch auto focused': 481865, 'auto focused app': 103874, 'focused app in': 311936, 'app in wager': 81724, 'in wager that': 430643, 'wager that covid': 964015, '19 drive consumer': 6654, 'drive consumer demand': 259019, 'for private vehicle': 324757, 'wa stay': 963303, 'limited buying': 492612, 'buying imposed': 150525, 'imposed how': 419284, 'dumping of': 262248, 'milk veggie': 531900, 'meat more': 525659, 'lose of': 503459, 'right buying': 721831, 'buying power': 150915, 'how much wa': 408383, 'much wa stay': 545427, 'wa stay home': 963304, 'home order how': 401776, 'order how much': 618302, 'much wa limited': 545426, 'wa limited buying': 962562, 'limited buying imposed': 492613, 'buying imposed how': 150526, 'imposed how much': 419285, 'much wa food': 545424, 'wa food dumping': 962146, 'food dumping of': 314314, 'dumping of milk': 262249, 'of milk veggie': 586524, 'milk veggie meat': 531901, 'veggie meat more': 954193, 'meat more plannedemic': 525660, 'to lose of': 909461, 'lose of civil': 503460, 'of civil right': 581433, 'civil right buying': 179532, 'right buying power': 721832, 'buying power how': 150916, 'scarborough to': 740771, 'citizen with': 179006, 'limbaugh why don': 492245, 'don you go': 254090, 'local publix supermarket': 498321, 'publix supermarket and': 688781, 'bag grocery you': 108309, 'joe scarborough to': 466437, 'scarborough to senior': 740772, 'to senior citizen': 914231, 'senior citizen with': 750261, 'citizen with stage': 179007, '100bn': 2148, '100 agree': 1828, 'agree supposed': 38641, 'supposed cost': 827344, 'cost with': 208163, 'with trade': 1001830, 'trade dislocation': 928483, 'dislocation on': 245971, 'on wto': 605390, 'wto term': 1013416, 'term been': 838067, 'been suffered': 122097, 'suffered already': 817255, 'already by': 47246, 'uk thru': 938818, 'thru but': 895170, 'but hoax': 145948, 'hoax anyway': 399700, 'anyway uk': 81048, 'ha 100bn': 369390, '100bn good': 2149, 'good deficit': 356964, 'deficit wto': 232260, 'term with': 838345, 'few tariff': 304085, 'tariff like': 834601, '10 on': 1584, 'only boost': 610182, 'boost uk': 135029, '100 agree supposed': 1829, 'agree supposed cost': 38642, 'supposed cost with': 827345, 'cost with trade': 208164, 'with trade dislocation': 1001831, 'trade dislocation on': 928484, 'dislocation on wto': 245972, 'on wto term': 605391, 'wto term been': 1013417, 'term been suffered': 838068, 'been suffered already': 122098, 'suffered already by': 817256, 'already by uk': 47247, 'by uk thru': 154627, 'uk thru but': 938819, 'thru but hoax': 895171, 'but hoax anyway': 145949, 'hoax anyway uk': 399701, 'anyway uk ha': 81049, 'uk ha 100bn': 938428, 'ha 100bn good': 369391, '100bn good deficit': 2150, 'good deficit wto': 356965, 'deficit wto term': 232261, 'wto term with': 1013418, 'term with few': 838346, 'with few tariff': 998422, 'few tariff like': 304086, 'tariff like 10': 834602, 'like 10 on': 489678, '10 on car': 1585, 'on car will': 599821, 'will not only': 994250, 'not only boost': 570781, 'only boost uk': 610183, 'helpingeachother': 391559, 'you best': 1017456, 'can shopping': 159609, 'onlineshopping supermarket': 609945, 'supermarket helpingeachother': 820741, 'pandemic we aim': 636929, 'aim to serve': 39561, 'serve you best': 751969, 'you best we': 1017457, 'best we can': 127990, 'we can shopping': 971011, 'can shopping onlineshopping': 159610, 'shopping onlineshopping supermarket': 763517, 'onlineshopping supermarket helpingeachother': 609946, 'grief': 363901, 'thing reflecting': 884708, 'reflecting on': 706655, 'and grief': 63962, 'grief while': 363904, 'while married': 987045, 'professional working': 682525, 'milan and': 531308, 'food scholar': 316316, 'wrote thing reflecting': 1013221, 'thing reflecting on': 884709, 'reflecting on virus': 706657, 'on virus and': 605056, 'virus and grief': 957928, 'and grief while': 63963, 'grief while married': 363905, 'while married to': 987046, 'married to medical': 518006, 'medical professional working': 526341, 'professional working on': 682526, 'line in milan': 493198, 'in milan and': 425312, 'milan and while': 531309, 'and while food': 75567, 'while food scholar': 986849, 'kristo': 477704, 'cryowulf': 219933, 've heavily': 953253, 'digital downloads': 242554, 'comic during': 187935, 'lockdown please': 499804, 'look kristo': 502454, 'kristo silicon': 477705, 'silicon heart': 769724, 'heart cryowulf': 388283, 'cryowulf amp': 219934, 've heavily discounted': 953254, 'heavily discounted all': 388574, 'discounted all the': 244575, 'price on digital': 675665, 'on digital downloads': 600325, 'digital downloads of': 242555, 'downloads of my': 257665, 'of my comic': 586747, 'my comic during': 547749, 'comic during covid': 187936, '19 lockdown please': 8419, 'lockdown please take': 499806, 'please take look': 660632, 'take look kristo': 832294, 'look kristo silicon': 502455, 'kristo silicon heart': 477706, 'silicon heart cryowulf': 769725, 'heart cryowulf amp': 388284, 'food coz': 314050, 'coz we': 214552, 'this near': 889092, 'kenya though': 472945, 'though we': 892943, 'just requesting': 469630, 'anything small': 80884, 'small coz': 774926, 'some food coz': 782856, 'food coz we': 314051, 'coz we are': 214553, 'are in danger': 87372, 'danger of this': 225686, 'of this near': 592011, 'this near by': 889093, 'near by crisis': 553471, 'by crisis of': 152265, 'crisis of covid': 217781, 'which is now': 986033, 'now in our': 575009, 'in our neighbouring': 426316, 'country kenya though': 210845, 'kenya though we': 472946, 'though we are': 892944, 'are just requesting': 87634, 'just requesting to': 469631, 'requesting to anyone': 713282, 'who can manage': 988394, 'manage to help': 512465, 'help with anything': 390897, 'with anything small': 997289, 'anything small coz': 80885, 'small coz we': 774927, 'coz we want': 214554, 'fleecing': 310299, 'caught fleecing': 167418, 'fleecing people': 310300, 'coronacrisis toiletpapercrisis': 204840, 'caught fleecing people': 167419, 'fleecing people stockpilinguk': 310301, 'people stockpilinguk coronacrisisuk': 649638, 'stockpilinguk coronacrisisuk coronacrisis': 804142, 'coronacrisisuk coronacrisis toiletpapercrisis': 204882, 'coronacrisis toiletpapercrisis toiletpaper': 204841, 'ha dimmed': 370386, 'dimmed economic': 242959, 'economic prospect': 267215, 'corn belt': 203558, 'belt farmer': 126796, 'enough food long': 277403, 'food long we': 315342, 'we don panic': 971389, 'buy but covid': 148456, '19 ha dimmed': 7340, 'ha dimmed economic': 370387, 'dimmed economic prospect': 242960, 'economic prospect for': 267216, 'prospect for corn': 684676, 'for corn belt': 320362, 'corn belt farmer': 203559, 'america just': 51587, 'just celebrating': 468455, 'celebrating easter': 168830, 'easter early': 265407, 'early by': 264565, 'easter hunt': 265455, 'hunt at': 411351, 'america just celebrating': 51588, 'just celebrating easter': 468456, 'celebrating easter early': 168831, 'easter early by': 265408, 'early by going': 264566, 'by going on': 152700, 'on an easter': 599324, 'an easter hunt': 55553, 'easter hunt at': 265456, 'hunt at the': 411352, 'to find egg': 905894, 'find egg but': 306882, 'egg but only': 269807, 'but only the': 146695, 'only the lucky': 611270, 'lucky one get': 506566, 'one get to': 606343, 'get to find': 348468, 'to find them': 905945, 'find them thank': 307315, 'them thank covid': 876372, 'buying show': 151028, 'won buy': 1003757, 'bare chickpea': 110882, 'pasta vegan': 643838, 'vegan fake': 953857, 'fake meat': 296655, 'big food': 129786, 'the channel': 850687, 'channel but': 172865, 'panic buying show': 637886, 'buying show what': 151029, 'what people won': 982020, 'people won buy': 650497, 'won buy even': 1003758, 'buy even when': 148585, 'are bare chickpea': 84767, 'bare chickpea pasta': 110883, 'chickpea pasta vegan': 175903, 'pasta vegan fake': 643839, 'vegan fake meat': 953858, 'fake meat and': 296656, 'meat and big': 525471, 'and big food': 58959, 'big food product': 129787, 'food product that': 316032, 'product that stuff': 681699, 'that stuff the': 846538, 'stuff the channel': 815202, 'the channel but': 850688, 'channel but nobody': 172866, 'but nobody want': 146509, 'you show': 1021238, 'center work': 169331, 'get hr': 347264, 'hr raise': 409655, 'raise 19': 695806, 'how you show': 409289, 'you show respect': 1021239, 'respect for front': 714991, 'line worker grocery': 493603, 'and food distribution': 63037, 'distribution center work': 248126, 'center work get': 169332, 'work get hr': 1005209, 'get hr raise': 347265, 'hr raise 19': 409656, 'nm02': 563523, '783': 22344, 'bedridden': 120448, 'ssdi': 791645, 'nm02 why': 563524, 'cannot ssi': 162116, 'recipient get': 704528, 'stimulus social': 801616, 'get 200': 346471, 'more month': 539799, 'we barely': 970807, 'barely survive': 111034, 'on 783': 599116, '783 monthly': 22345, 'monthly it': 538182, 'outrageous some': 629336, 'have help': 380925, 'help anymore': 389369, 'anymore due': 80131, 'and bedridden': 58805, 'bedridden disabled': 120449, 'disabled is': 243919, 'is disabled': 447192, 'disabled ssdi': 243968, 'ssdi or': 791646, 'or ssi': 617193, 'nm02 why cannot': 563525, 'why cannot ssi': 990873, 'cannot ssi recipient': 162117, 'ssi recipient get': 791658, 'recipient get the': 704530, 'get the stimulus': 348295, 'the stimulus social': 867896, 'stimulus social security': 801617, 'security recipient get': 744730, 'recipient get 200': 704529, 'get 200 more': 346472, '200 more month': 13513, 'more month we': 539800, 'month we barely': 538104, 'we barely survive': 970808, 'barely survive on': 111035, 'survive on 783': 829208, 'on 783 monthly': 599117, '783 monthly it': 22346, 'monthly it is': 538183, 'is but now': 446323, 'but now price': 146613, 'are outrageous some': 88898, 'outrageous some of': 629337, 'not have help': 569841, 'have help anymore': 380926, 'help anymore due': 389370, 'anymore due to': 80132, '19 and bedridden': 4991, 'and bedridden disabled': 58806, 'bedridden disabled is': 120450, 'disabled is disabled': 243920, 'is disabled ssdi': 447193, 'disabled ssdi or': 243969, 'ssdi or ssi': 791647, 'with lorry': 999314, 'and lorry': 66395, 'driver working': 259861, 'own in': 632079, 'in cabin': 421122, 'cabin delivering': 154965, 'buying bulk': 150052, 'bulk load': 142321, 'idiot clown': 413488, 'clown chinesevirus': 184359, 'there no issue': 878815, 'issue with lorry': 456014, 'with lorry and': 999315, 'lorry and lorry': 503335, 'and lorry driver': 66396, 'lorry driver working': 503347, 'driver working on': 259862, 'working on their': 1008826, 'their own in': 874184, 'own in cabin': 632080, 'in cabin delivering': 421123, 'cabin delivering food': 154966, 'store and supply': 806361, 'supply is not': 825452, 'not limited or': 570414, 'limited or low': 492691, 'or low so': 616020, 'low so why': 505629, 'so why you': 778764, 'why you all': 991585, 'all stock piling': 44470, 'piling and buying': 656568, 'and buying bulk': 59365, 'buying bulk load': 150053, 'bulk load of': 142322, 'you idiot clown': 1019275, 'idiot clown chinesevirus': 413489, 'beshear': 127468, 'cameron': 157133, 'kentuckian': 472838, 'gov andy': 359535, 'andy beshear': 76240, 'beshear and': 127469, 'and attorney': 58515, 'general daniel': 345315, 'daniel cameron': 225816, 'cameron have': 157138, 'issued scam': 456084, 'warning kentuckian': 967140, 'kentuckian of': 472839, 'gov andy beshear': 359536, 'andy beshear and': 76241, 'beshear and attorney': 127470, 'and attorney general': 58516, 'attorney general daniel': 102633, 'general daniel cameron': 345316, 'daniel cameron have': 225817, 'cameron have issued': 157139, 'have issued scam': 381135, 'issued scam alert': 456085, 'scam alert warning': 739983, 'alert warning kentuckian': 41538, 'warning kentuckian of': 967141, 'kentuckian of potential': 472840, 'potential consumer scam': 667041, 'consumer scam related': 198872, 'today panicshopping': 920023, 'panicshopping hoarding': 639433, 'from today panicshopping': 338080, 'today panicshopping hoarding': 920024, 'panicshopping hoarding toiletpaper': 639434, 'mfers': 530071, 'garlic wa': 343694, 'gone gone': 356291, 'gone do': 356254, 'all mfers': 43504, 'mfers think': 530072, 'work like': 1005434, 'like vampire': 491712, 'vampire californiaquarantine': 952280, 'all the garlic': 44760, 'the garlic wa': 856165, 'garlic wa gone': 343695, 'wa gone gone': 962227, 'gone gone do': 356292, 'gone do all': 356255, 'do all all': 249039, 'all all mfers': 41984, 'all mfers think': 43505, 'mfers think this': 530073, 'think this virus': 885706, 'virus work like': 959060, 'work like vampire': 1005436, 'like vampire californiaquarantine': 491713, 'pti news': 687638, 'news congress': 560326, 'pti news congress': 687639, 'news congress urge': 560327, 'congress urge govt': 194546, 'people amid lockdown': 646830, 'amid lockdown due': 52517, 'mobile banking': 534951, 'banking online': 110447, 'pickup etc': 655959, 'etc socialdistancing': 282757, 'socialdistancing stayhomemn': 780744, 'shoutout to mobile': 766812, 'to mobile banking': 910207, 'mobile banking online': 534952, 'banking online shopping': 110448, 'curbside pickup etc': 220649, 'pickup etc socialdistancing': 655960, 'etc socialdistancing stayhomemn': 282758, '19 trader selling': 11539, 'hike price but': 396254, 'but it burden': 146106, 'embezzling': 272476, 'the awakening': 849119, 'awakening what': 105570, 'to official': 910863, 'official embezzling': 595803, 'embezzling money': 272477, 'outbreak four': 628236, 'official from': 595815, 'minister were': 533494, 'were detained': 979517, 'detained over': 239316, 'over allegedly': 629961, 'the awakening what': 849120, 'awakening what should': 105571, 'done to official': 255074, 'to official embezzling': 910864, 'official embezzling money': 595804, 'embezzling money during': 272478, 'money during this': 536723, '19 outbreak four': 9126, 'outbreak four official': 628237, 'four official from': 330641, 'official from the': 595816, 'of the prime': 591364, 'prime minister were': 678166, 'minister were detained': 533495, 'were detained over': 979518, 'detained over allegedly': 239317, 'over allegedly inflating': 629962, '19 relief food': 10079, 'done at': 254786, 'at 00am': 97357, '00am near': 666, 'people came': 647375, 'just half': 468911, 'queue luxembourg': 693984, 'do not ask': 249671, 'not ask me': 568256, 'ask me what': 95585, 'me what have': 523929, 'have done at': 380325, 'done at 00am': 254787, 'at 00am near': 97358, '00am near the': 667, 'near the supermarket': 553614, 'supermarket but all': 819438, 'these people came': 880428, 'people came to': 647376, 'it just half': 459224, 'just half of': 468912, 'the queue luxembourg': 865044, 'queue luxembourg stayathome': 693985, 'luxembourg stayathome coronacrisis': 506899, 'online vendor': 609665, 'vendor exploiting': 954359, 'to peddle': 911594, 'peddle fake': 646188, 'against online vendor': 37566, 'online vendor exploiting': 609666, 'vendor exploiting fear': 954360, 'exploiting fear around': 292426, 'outbreak to peddle': 628761, 'to peddle fake': 911595, 'peddle fake cure': 646189, 'fake cure or': 296602, 'cure or hike': 220784, 'hike price read': 396270, 'price read about': 676096, 'read about what': 700260, 'turmoil spurred': 935629, 'pandemic triggered': 636840, 'triggered drop': 931912, 'sale last': 732333, 'major sydney': 509508, 'sydney region': 830706, 'region recorded': 707450, 'recorded drop': 705101, 'in median': 425223, 'median price': 525973, 'price realestateau': 676105, 'realestateau nsw': 701542, 'nsw via': 576717, 'economic turmoil spurred': 267346, 'turmoil spurred by': 935630, 'coronavirus pandemic triggered': 206501, 'pandemic triggered drop': 636841, 'triggered drop in': 931913, 'drop in property': 260268, 'in property sale': 427042, 'property sale last': 684358, 'sale last month': 732334, 'month but only': 537628, 'only one major': 610879, 'one major sydney': 606636, 'major sydney region': 509509, 'sydney region recorded': 830707, 'region recorded drop': 707451, 'recorded drop in': 705102, 'drop in median': 260262, 'in median price': 425224, 'median price realestateau': 525974, 'price realestateau nsw': 676106, 'realestateau nsw via': 701543, 'nsw via au': 576718, 'dory': 255917, 'proactively': 679173, 'faith martin': 296522, 'martin and': 518090, 'and dory': 61686, 'dory butcher': 255918, 'butcher member': 148057, 'marketing team': 517722, 'team explore': 835634, 'can proactively': 159301, 'proactively react': 679178, 'new digital': 558631, 'digital first': 242570, 'first reality': 308907, 'faith martin and': 296523, 'martin and dory': 518091, 'and dory butcher': 61687, 'dory butcher member': 255919, 'butcher member of': 148058, 'our digital marketing': 622753, 'digital marketing team': 242601, 'marketing team explore': 517723, 'team explore the': 835635, 'explore the impact': 292494, 'brand can proactively': 137790, 'can proactively react': 159302, 'proactively react and': 679179, 'react and adapt': 700124, 'the new digital': 861495, 'new digital first': 558632, 'digital first reality': 242571, 'full panic': 340792, 'mode when': 535215, 'know shit is': 476710, 'shit is in': 759144, 'in full panic': 423172, 'full panic mode': 340793, 'panic mode when': 638326, 'mode when even': 535216, 'huntsman corp': 411436, 'corp announced': 207183, 'five ton': 309681, 'ton to': 924299, 'the huntsman': 857764, 'huntsman cancer': 411434, 'cancer institute': 161256, 'other university': 621156, 'of utah': 592724, 'utah health': 951194, 'health provider': 386778, 'provider find': 686715, 'in utah': 430510, 'utah here': 951196, 'huntsman corp announced': 411437, 'corp announced it': 207184, 'it is producing': 459044, 'and will donate': 75665, 'will donate the': 993244, 'donate the first': 254234, 'first five ton': 308676, 'five ton to': 309682, 'ton to the': 924300, 'to the huntsman': 916789, 'the huntsman cancer': 857765, 'huntsman cancer institute': 411435, 'cancer institute and': 161257, 'institute and other': 440409, 'and other university': 68427, 'other university of': 621157, 'university of utah': 942454, 'of utah health': 592725, 'utah health provider': 951195, 'health provider find': 386779, 'provider find the': 686716, 'on the in': 604175, 'the in utah': 858022, 'in utah here': 430511, 'solace': 781590, 'fy20': 342609, 'dhamaka': 240096, 'come little': 187404, 'little solace': 495577, 'solace now': 781591, 'shareholder confronted': 755469, 'ago fy20': 38391, 'fy20 looked': 342610, 'looked set': 502744, 'deliver dividend': 233111, 'dividend double': 248616, 'double dhamaka': 255996, 'it may come': 459549, 'may come little': 521095, 'come little solace': 187405, 'little solace now': 495578, 'solace now to': 781592, 'now to shareholder': 576186, 'to shareholder confronted': 914376, 'shareholder confronted with': 755470, 'confronted with steep': 194310, 'with steep fall': 1000965, 'share price due': 755169, 'to but not': 902155, 'but not so': 146563, 'not so many': 571623, 'so many day': 777647, 'many day ago': 513983, 'day ago fy20': 227199, 'ago fy20 looked': 38392, 'fy20 looked set': 342611, 'looked set to': 502745, 'set to deliver': 753510, 'to deliver dividend': 904095, 'deliver dividend double': 233112, 'dividend double dhamaka': 248617, 'are into': 87559, 'but worker': 147927, 'glove nor': 352811, 'provided any': 686570, 'any guidance': 79293, 'lower our': 505930, 'suspect with': 829511, 'extra contact': 293486, 'contact ll': 200125, 'sure how many': 827575, 'many day we': 513985, 'we are into': 970600, 'are into to': 87560, 'into to this': 443242, 'crisis but worker': 217164, 'but worker at': 147928, 'store still haven': 810379, 'still haven been': 800670, 'haven been provided': 383757, 'been provided mask': 121730, 'provided mask or': 686626, 'or glove nor': 615476, 'glove nor have': 352813, 'nor have we': 566955, 'have we been': 383555, 'we been provided': 970834, 'been provided any': 121729, 'provided any guidance': 686571, 'any guidance on': 79294, 'prevent or lower': 671680, 'or lower our': 616025, 'lower our exposure': 505931, 'our exposure to': 622968, 'to the suspect': 917112, 'the suspect with': 869037, 'suspect with all': 829512, 'the extra contact': 854761, 'extra contact ll': 293487, 'contact ll be': 200126, 'll be exposed': 496584, 'safest for': 730422, 'comment also': 188380, 'seen unsafe': 747343, 'unsafe practise': 943395, 'practise regarding': 668769, 'regarding use': 707309, 're customer': 698498, 'the safest for': 866140, 'safest for other': 730423, 'for other supermarket': 324179, 'other supermarket please': 621023, 'supermarket please comment': 822011, 'please comment also': 659801, 'comment also let': 188381, 'also let know': 48472, 'let know if': 486859, 'you have seen': 1019110, 'have seen unsafe': 382450, 'seen unsafe practise': 747344, 'unsafe practise regarding': 943396, 'practise regarding use': 668770, 'regarding use of': 707310, 'use of staff': 949427, 'of staff or': 590024, 'staff or re': 792722, 'or re customer': 616785, 're customer care': 698499, 'forecast predicts': 328855, 'that brent': 843035, 'to barrel': 901052, 'barrel outbreak': 111264, 'outbreak coronacontrol': 628136, 'forecast predicts that': 328856, 'predicts that brent': 669696, 'that brent crude': 843036, 'oil will drop': 597519, 'drop to barrel': 260424, 'to barrel outbreak': 901053, 'barrel outbreak coronacontrol': 111265, 'seatr': 743540, 'psc': 687458, 'insisting': 439716, 'erc': 280118, '14 seater': 3524, 'seater matatus': 743528, 'matatus will': 520277, 'carry passenger': 165142, 'passenger 25': 643315, '25 seatr': 15960, 'seatr psc': 743541, 'psc to': 687459, 'carry 15': 165064, '15 passenger': 3803, '30 plus': 17196, 'plus seater': 661667, 'seater to': 743530, 'maintain 60': 508930, 'percent maximum': 651143, 'sitting capacity': 772099, 'capacity the': 162582, 'same govt': 733086, 'govt insisting': 361158, 'insisting on': 439719, 'on strict': 603721, 'but erc': 145657, 'erc is': 280119, '14 seater matatus': 3525, 'seater matatus will': 743529, 'matatus will carry': 520278, 'will carry passenger': 992883, 'carry passenger 25': 165143, 'passenger 25 seatr': 643316, '25 seatr psc': 15961, 'seatr psc to': 743542, 'psc to carry': 687460, 'to carry 15': 902465, 'carry 15 passenger': 165065, '15 passenger and': 3804, 'passenger and 30': 643320, 'and 30 plus': 57443, '30 plus seater': 17197, 'plus seater to': 661668, 'seater to maintain': 743531, 'to maintain 60': 909562, 'maintain 60 percent': 508931, '60 percent maximum': 20990, 'percent maximum of': 651144, 'maximum of sitting': 520827, 'of sitting capacity': 589749, 'sitting capacity the': 772100, 'capacity the same': 162583, 'the same govt': 866233, 'same govt insisting': 733087, 'govt insisting on': 361159, 'insisting on strict': 439720, 'on strict measure': 603722, 'strict measure but': 813635, 'measure but erc': 525147, 'but erc is': 145658, 'erc is yet': 280120, 'sleepwalking': 773826, 'is sleepwalking': 451964, 'sleepwalking into': 773827, 'an unimaginable': 56866, 'unimaginable disaster': 941806, 'disaster stayathome': 244246, 'for month if': 323523, '19 in tesco': 7790, 'in tesco and': 428877, 'tesco and die': 838657, 'die in few': 241378, 'week this country': 977047, 'country is sleepwalking': 210821, 'is sleepwalking into': 451965, 'sleepwalking into an': 773828, 'into an unimaginable': 442398, 'an unimaginable disaster': 56867, 'unimaginable disaster stayathome': 941807, 'disaster stayathome lockdownuknow': 244247, 'nutella': 577685, 'cavabienaller': 168252, 'many rule': 514655, 'morning hard': 541280, 'hard moment': 377970, 'moment help': 535953, 'value thing': 952215, 'granted like': 362081, 'buy nutella': 149020, 'nutella and': 577686, 'essential stuff': 281601, 'morning stayhome': 541460, 'stayhome cavabienaller': 797963, 'long line and': 501492, 'line and so': 492951, 'so many rule': 777700, 'many rule at': 514656, 'rule at the': 727207, 'this morning hard': 888964, 'morning hard moment': 541281, 'hard moment help': 377971, 'moment help to': 535954, 'help to value': 390799, 'to value thing': 918113, 'value thing that': 952216, 'that we used': 847401, 'have for granted': 380679, 'for granted like': 321997, 'granted like going': 362082, 'to buy nutella': 902278, 'buy nutella and': 149021, 'nutella and other': 577687, 'and other non': 68371, 'other non essential': 620586, 'non essential stuff': 566365, 'essential stuff on': 281602, 'stuff on sunday': 815162, 'on sunday morning': 603766, 'sunday morning stayhome': 818240, 'morning stayhome cavabienaller': 541461, 'foodwales': 318244, 'local grower': 498056, 'grower say': 367111, 'say now': 739000, 'buy welsh': 149450, 'welsh food': 978886, 'supplier the': 824617, 'pandemic expose': 635415, 'expose supermarket': 292802, 'chain flaw': 170702, 'flaw foodwales': 310258, 'local grower say': 498057, 'grower say now': 367112, 'say now is': 739001, 'time for shopper': 896752, 'shopper to buy': 761758, 'to buy welsh': 902335, 'buy welsh food': 149451, 'welsh food direct': 978887, 'food direct from': 314209, 'direct from supplier': 243332, 'from supplier the': 337519, 'supplier the coronavirus': 824618, 'coronavirus pandemic expose': 206458, 'pandemic expose supermarket': 635416, 'expose supermarket supply': 292803, 'supply chain flaw': 824959, 'chain flaw foodwales': 170703, 'y2k': 1013954, 'itsrealthistime': 463990, 'falloutshelter': 297401, 'who built': 988346, 'built shelter': 142197, 'and stockpiled': 72441, 'stockpiled good': 803842, 'that computer': 843278, 'computer clock': 192731, 'clock could': 182398, 'count digit': 210109, 'digit between': 242474, 'between 199': 128675, '199 and': 12464, 'and 200': 57400, '200 are': 13450, 'now y2k': 576491, 'y2k stoppanicbuying': 1013955, 'stoppanicbuying itsrealthistime': 805583, 'itsrealthistime falloutshelter': 463991, 'weirdo who built': 977839, 'who built shelter': 988347, 'built shelter and': 142198, 'shelter and stockpiled': 757901, 'and stockpiled good': 72442, 'stockpiled good because': 803843, 'of the rumor': 591426, 'the rumor that': 866066, 'rumor that computer': 727501, 'that computer clock': 843279, 'computer clock could': 192732, 'clock could not': 182399, 'could not count': 209438, 'not count digit': 568898, 'count digit between': 210110, 'digit between 199': 242475, 'between 199 and': 128676, '199 and 200': 12465, 'and 200 are': 57401, '200 are laughing': 13451, 'are laughing at': 87721, 'laughing at right': 481812, 'right now y2k': 722190, 'now y2k stoppanicbuying': 576492, 'y2k stoppanicbuying itsrealthistime': 1013956, 'stoppanicbuying itsrealthistime falloutshelter': 805584, 'comercio': 187805, '13 spain': 3261, 'spain uni': 787358, 'uni comercio': 941709, 'comercio affiliate': 187806, 'affiliate and': 34608, 'ensured better': 278142, '13 spain uni': 3262, 'spain uni comercio': 787359, 'uni comercio affiliate': 941710, 'comercio affiliate and': 187807, 'affiliate and ugt': 34609, 'ugt have ensured': 938068, 'have ensured better': 380476, 'ensured better health': 278143, 'worker for more': 1006970, 'supermarket certainly': 819586, 'have recipe': 382213, 'regular show': 707869, 'show is': 767015, 'have basic': 379413, 'stay occupied': 797135, 'occupied and': 579005, 'person who bought': 652719, 'who bought all': 988331, 'bought all of': 136488, 'of the flour': 591034, 'the flour at': 855441, 'flour at your': 311077, 'local supermarket certainly': 498509, 'supermarket certainly have': 819587, 'certainly have recipe': 170158, 'have recipe for': 382214, 'recipe for you': 704468, 'for you while': 328100, 'you while our': 1022295, 'while our regular': 987132, 'our regular show': 624575, 'regular show is': 707870, 'show is delayed': 767016, 'due to have': 261799, 'to have basic': 907207, 'have basic and': 379414, 'basic and easy': 111826, 'and easy way': 61871, 'to stay occupied': 915302, 'stay occupied and': 797136, 'occupied and fed': 579006, 'and fed during': 62751, 'fed during isolation': 301809, 'a1c': 24061, 'of t1d': 590564, 't1d according': 831422, 'those t1d': 892513, 't1d are': 831424, 'reasonable a1c': 703080, 'a1c but': 24062, 'but consistently': 145443, 'consistently high': 195497, 'blood sugar': 133146, 'sugar can': 817435, 'risk of t1d': 723782, 'of t1d according': 590565, 't1d according to': 831423, 'according to those': 28598, 'to those t1d': 917528, 'those t1d are': 892514, 't1d are not': 831425, 'not at greater': 568268, 'greater risk if': 363230, 'risk if they': 723619, 'they have reasonable': 882369, 'have reasonable a1c': 382193, 'reasonable a1c but': 703081, 'a1c but consistently': 24063, 'but consistently high': 145444, 'consistently high blood': 195498, 'high blood sugar': 394949, 'blood sugar can': 133147, 'sugar can make': 817436, 'make people more': 510320, 'to infection read': 908363, 'infection the': 436859, 'pandemic brings': 635029, 'out scam': 627152, 'home to try': 402348, 'try to slow': 934666, '19 infection the': 7860, 'infection the pandemic': 436860, 'the pandemic brings': 862923, 'pandemic brings out': 635030, 'brings out scam': 140264, 'out scam artist': 627153, 'scam artist in': 740057, 'artist in full': 94608, 'monkeybar': 537409, 'onestopshopping': 607564, 'shopping avoid': 762128, 'lcbo lineup': 482791, 'lineup wine': 493682, 'beer for': 122458, 'takeout with': 833198, 'email monkeybar': 272237, 'monkeybar ca': 537410, 'ca we': 154911, 'list takeout': 494548, 'wine onestopshopping': 995858, 'onestopshopping dineinathome': 607565, 'dineinathome shoplocal': 242976, 'shoplocal socialdistancing': 761234, 'one stop shopping': 607115, 'stop shopping avoid': 805021, 'shopping avoid the': 762129, 'avoid the lcbo': 105325, 'the lcbo lineup': 859211, 'lcbo lineup wine': 482792, 'lineup wine beer': 493683, 'wine beer for': 995781, 'beer for takeout': 122459, 'for takeout with': 326136, 'takeout with food': 833199, 'with food purchase': 998503, 'food purchase at': 316080, 'purchase at discount': 689365, 'at discount off': 98448, 'discount off of': 244503, 'off of regular': 594008, 'of regular price': 588891, 'regular price email': 707839, 'price email monkeybar': 673675, 'email monkeybar ca': 272238, 'monkeybar ca we': 537411, 'ca we ll': 154912, 'send you the': 749989, 'you the list': 1021602, 'the list takeout': 859472, 'list takeout takeaway': 494549, 'takeout takeaway wine': 833191, 'takeaway wine onestopshopping': 832917, 'wine onestopshopping dineinathome': 995859, 'onestopshopping dineinathome shoplocal': 607566, 'dineinathome shoplocal socialdistancing': 242977, 'shoplocal socialdistancing selfisolation': 761235, 'via no': 956111, 'india new': 434537, 'sputnik india': 791363, 'is observing': 450383, 'observing country': 578650, 'positive coronavirus': 665289, 'case which': 166107, 'via no food': 956112, 'in india new': 424045, 'india new delhi': 434538, 'delhi sputnik india': 232909, 'sputnik india is': 791364, 'india is observing': 434489, 'is observing country': 450384, 'observing country wide': 578651, 'country wide lockdown': 211242, 'wide lockdown due': 991727, 'due to rise': 261928, 'of positive coronavirus': 588250, 'positive coronavirus case': 665290, 'coronavirus case which': 205626, 'case which now': 166108, 'wilton': 995517, 'the resiliency': 865585, 'resiliency of': 714504, 'tiny town': 898676, 'of wilton': 593173, 'wilton uk': 995518, 'who morphed': 989294, 'morphed their': 541676, 'their closed': 872795, 'down pub': 257127, 'pub into': 687717, 'that losing': 844949, 'losing amenity': 503537, 'amenity would': 51420, 'would lessen': 1011985, 'lessen community': 486437, 'community contact': 189796, 'have strengthened': 382804, 'strengthened them': 813262, 'at the resiliency': 101078, 'the resiliency of': 865586, 'resiliency of the': 714505, 'of the tiny': 591545, 'the tiny town': 869650, 'tiny town of': 898677, 'town of wilton': 927524, 'of wilton uk': 593174, 'wilton uk who': 995519, 'uk who morphed': 938892, 'who morphed their': 989295, 'morphed their closed': 541677, 'their closed down': 872796, 'closed down pub': 183082, 'down pub into': 257128, 'pub into grocery': 687718, 'store while it': 811282, 'while it would': 986977, 'appear that losing': 82118, 'that losing amenity': 844950, 'losing amenity would': 503538, 'amenity would lessen': 51421, 'would lessen community': 1011986, 'lessen community contact': 486438, 'community contact in': 189797, 'contact in this': 200109, 'this case it': 886710, 'case it appears': 165834, 'it appears to': 456567, 'to have strengthened': 907316, 'have strengthened them': 382805, 'tritax': 932315, 'bbox': 113184, 'fright': 334038, 'tritax big': 932316, 'box bbox': 137020, 'bbox battered': 113185, 'battered today': 112751, 'today investor': 919714, 'investor took': 444222, 'took fright': 925240, 'fright at': 334039, 'difficulty covid': 242373, 'cause logistics': 167634, 'logistics firm': 500744, 'firm though': 308432, 'extra shift': 293638, 'prompting may': 683964, 'may ultimately': 521587, 'ultimately help': 939145, 'estate fund': 282119, 'tritax big box': 932317, 'big box bbox': 129656, 'box bbox battered': 137021, 'bbox battered today': 113186, 'battered today investor': 112752, 'today investor took': 919715, 'investor took fright': 444223, 'took fright at': 925241, 'fright at the': 334040, 'at the difficulty': 100927, 'the difficulty covid': 853276, 'difficulty covid 19': 242374, 'will cause logistics': 992891, 'cause logistics firm': 167635, 'logistics firm though': 500745, 'firm though the': 308433, 'though the extra': 892909, 'the extra shift': 854767, 'extra shift to': 293639, 'online shopping it': 609162, 'it is prompting': 459049, 'is prompting may': 451094, 'prompting may ultimately': 683965, 'may ultimately help': 521588, 'ultimately help the': 939146, 'help the real': 390680, 'real estate fund': 701144, 'it family': 457945, 'aside time': 95444, 'time twice': 898149, 'twice per': 936539, 'store guest': 807985, 'including older': 432080, 'adult pregnant': 32846, 'and immunocompromised': 65005, 'immunocompromised individual': 417466, 'and it family': 65526, 'it family for': 457946, 'family for retail': 297811, 'for retail store': 325197, 'store will set': 811344, 'will set aside': 994824, 'set aside time': 753349, 'aside time twice': 95445, 'time twice per': 898150, 'twice per week': 936540, 'week for store': 976237, 'for store guest': 325928, 'store guest most': 807987, 'guest most at': 368169, 'of contracting coronavirus': 581832, 'contracting coronavirus covid': 201766, '19 including older': 7807, 'including older adult': 432081, 'older adult pregnant': 598568, 'adult pregnant woman': 32847, 'woman and immunocompromised': 1003398, 'and immunocompromised individual': 65006, 'teva': 839708, 'revel': 720356, 'bet he': 128068, 'he hold': 385094, 'hold stock': 400003, 'in novartis': 425974, 'novartis mylan': 573730, 'mylan teva': 550754, 'teva who': 839711, 'supply 10': 824650, 'chloroquine tablet': 177630, '19 bet': 5381, 'bet 45': 128058, '45 all': 19065, 'congress bought': 194493, 'these co': 879772, 'co will': 185007, 'will revel': 994694, 'revel if': 720357, 'if used': 415228, 'by doc': 152388, 'doc for': 250742, 'bet he hold': 128070, 'he hold stock': 385095, 'hold stock in': 400004, 'stock in novartis': 802268, 'in novartis mylan': 425975, 'novartis mylan teva': 573731, 'mylan teva who': 550755, 'teva who will': 839712, 'who will supply': 990001, 'will supply 10': 995028, 'supply 10 of': 824651, '10 of million': 1571, 'million of chloroquine': 532262, 'of chloroquine tablet': 581389, 'chloroquine tablet to': 177631, 'covid 19 bet': 212700, '19 bet 45': 5382, 'bet 45 all': 128059, '45 all his': 19066, 'all his family': 43120, 'his family friend': 397418, 'family friend in': 297819, 'friend in congress': 333649, 'in congress bought': 421657, 'congress bought stock': 194494, 'stock in these': 802281, 'in these co': 429832, 'these co will': 879773, 'co will revel': 185008, 'will revel if': 994695, 'revel if used': 720358, 'if used by': 415229, 'used by doc': 949877, 'by doc for': 152389, 'message received': 529404, 'received from': 703623, 'the message received': 860524, 'message received from': 529405, 'received from my': 703624, 'before my store': 122956, 'closed for week': 183136, 'that nurse': 845431, 'the invisible': 858426, 'invisible janitor': 444249, 'janitor sanitizing': 464557, 'sanitizing themselves': 736525, 'themselves under': 876918, 'the transit': 869901, 'the immigrant': 857912, 'immigrant who': 417242, 'cry for that': 219867, 'for that nurse': 326264, 'that nurse for': 845433, 'for the invisible': 326510, 'the invisible janitor': 858427, 'invisible janitor sanitizing': 444250, 'janitor sanitizing themselves': 464558, 'sanitizing themselves under': 736526, 'themselves under the': 876919, 'under the weight': 940340, 'their role the': 874601, 'role the grocery': 725132, 'worker the transit': 1007942, 'the transit worker': 869902, 'transit worker the': 929662, 'worker the postal': 1007934, 'the postal worker': 864102, 'postal worker the': 666483, 'worker the immigrant': 1007931, 'the immigrant who': 857914, 'immigrant who do': 417243, 'the help we': 857262, 'do we are': 250462, 'hysteria ve': 412485, 'german language': 346232, 'language idiom': 479490, 'ufe literally': 937940, 'literally it': 495030, 'hamster purchase': 374644, 'purchase really': 689645, 'really it': 702362, 'because actual': 118908, 'actual hamster': 30666, '19 hysteria ve': 7647, 'hysteria ve learned': 412486, 've learned new': 953329, 'new german language': 558801, 'german language idiom': 346233, 'language idiom hamsterk': 479491, 'hamsterk ufe literally': 374669, 'ufe literally it': 937941, 'literally it mean': 495031, 'it mean hamster': 459570, 'mean hamster purchase': 524470, 'hamster purchase really': 374645, 'purchase really it': 689646, 'really it mean': 702363, 'hoarding because actual': 399211, 'because actual hamster': 118909, 'actual hamster are': 30667, 'known for food': 477213, 'for food hoarding': 321590, 'winstonsalem': 996112, 'toiletpaper want': 922814, 'hoarder out': 399088, 'out winstonsalem': 627858, 'winstonsalem nc': 996113, 'omg we finally': 598926, 'we finally found': 971555, 'finally found toiletpaper': 306002, 'found toiletpaper want': 330450, 'toiletpaper want to': 922815, 'to say where': 913854, 'say where but': 739480, 'where but dont': 984764, 'but dont want': 145604, 'help the hoarder': 390657, 'the hoarder out': 857410, 'hoarder out winstonsalem': 399089, 'out winstonsalem nc': 627859, 'during dark': 262584, 'dark and': 225953, 'organization adapt': 619331, 'new growth': 558824, 'growth opportunity': 367435, 'opportunity the': 613686, 'age present': 37888, 'during dark and': 262585, 'dark and uncertain': 225954, 'uncertain time like': 939619, 'these it imperative': 880189, 'imperative that organization': 418338, 'that organization adapt': 845558, 'organization adapt quickly': 619332, 'adapt quickly and': 31266, 'quickly and seek': 694463, 'seek out new': 746595, 'out new growth': 626626, 'new growth opportunity': 558825, 'growth opportunity the': 367436, 'opportunity the reality': 613687, 'reality of changing': 701768, 'the age present': 848437, 'age present huge': 37889, 'opportunity for 19': 613603, 'uk critical': 938286, 'uk critical care': 938287, 'some canadian': 782473, 'here why some': 393838, 'why some canadian': 991362, 'some canadian internet': 782474, 'internet provider have': 441999, 'provider have hiked': 686732, 'hiked price despite': 396331, 'nose wa': 567936, 'running scared': 728051, 'show allergy': 766850, 'it run': 460816, 'run lol': 727695, 'lol allergy': 500866, 'went to shop': 979188, 'shop at an': 759939, 'empty shelf grocery': 275067, 'store and wa': 806392, 'entire time that': 278760, 'time that someone': 897836, 'sick because my': 768391, 'because my nose': 119263, 'my nose wa': 549524, 'nose wa running': 567937, 'wa running scared': 963125, 'running scared to': 728052, 'scared to show': 741028, 'to show allergy': 914552, 'show allergy that': 766851, 'always make it': 49661, 'make it run': 510053, 'it run lol': 460818, 'run lol allergy': 727696, 'is mandating': 449572, 'mandating stayathome': 513028, 'stayathome so': 797614, 'so tonight': 778559, 'not rushing': 571415, 'good chicago': 356883, 'starting tomorrow the': 795061, 'tomorrow the state': 924196, 'state is mandating': 795701, 'is mandating stayathome': 449573, 'mandating stayathome so': 513029, 'stayathome so tonight': 797615, 'so tonight not': 778560, 'tonight not rushing': 924460, 'not rushing to': 571416, 'store don panic': 807364, 'panic don hoard': 638042, 'don hoard and': 253634, 'hoard and we': 398757, 'all be good': 42132, 'be good chicago': 115063, 'kangaroo': 470785, 'struggle of': 814362, 'ghana till': 349590, '19 asked': 5232, 'for boneless': 319716, 'boneless chicken': 134297, 'got boneless': 358441, 'boneless red': 134301, 'meat now': 525669, 'it kangaroo': 459262, 'kangaroo or': 470786, 'or cat': 614684, 'never knew the': 558083, 'knew the struggle': 476080, 'the struggle of': 868305, 'struggle of online': 814363, 'shopping in ghana': 762966, 'in ghana till': 423307, 'ghana till covid': 349591, 'covid 19 asked': 212658, '19 asked for': 5233, 'asked for boneless': 95741, 'for boneless chicken': 319717, 'boneless chicken and': 134298, 'chicken and got': 175739, 'and got boneless': 63845, 'got boneless red': 358442, 'boneless red meat': 134302, 'red meat now': 705602, 'meat now about': 525670, 'now about to': 573930, 'about to find': 26716, 'out if it': 626358, 'if it kangaroo': 414316, 'it kangaroo or': 459263, 'kangaroo or cat': 470787, 'part go': 642284, 'part go to': 642285, 'chinav': 177133, 'honestly at': 403092, 'people gone': 648104, 'gone done': 356258, 'being brave': 124903, 'brave this': 138238, 'quarantine chinav': 692081, 'honestly at this': 403093, 'and freedom to': 63284, 'freedom to see': 332393, 'see people gone': 745558, 'people gone done': 648105, 'gone done being': 356259, 'done being brave': 254794, 'being brave this': 124904, 'brave this is': 138239, 'is stupid quarantine': 452409, 'stupid quarantine chinav': 815448, 'senior pregnant': 750388, 'anyone with': 80646, 'for senior pregnant': 325473, 'senior pregnant woman': 750389, 'woman and anyone': 1003396, 'and anyone with': 58230, 'anyone with compromised': 80647, 'protect against counterfeit': 684760, 'product when purchasing': 681829, 'when purchasing supply': 983913, 'purchasing supply online': 689926, 'supply online during': 825672, 'like yesterday': 491859, 'they coughed': 881812, 'me harassed': 522854, 'harassed me': 377820, 'me faggot': 522711, 'oh now you': 596432, 'you see grocery': 1021038, 'seems like yesterday': 746822, 'like yesterday they': 491860, 'yesterday they coughed': 1015894, 'they coughed on': 881813, 'on me harassed': 602068, 'me harassed me': 522855, 'harassed me and': 377821, 'me and called': 522405, 'and called me': 59426, 'called me faggot': 156371, 'our convenience': 622557, 'of our convenience': 587441, 'our convenience store': 622558, 'convenience store customer': 202344, 'store customer is': 807245, 'customer is responding': 222541, 'ogden': 596322, '3075': 17397, 'ogden own': 596323, 'own distillery': 631942, 'distillery will': 247833, 'tomorrow 21': 923999, '21 from': 15006, '11 3pm': 2457, '3pm 3075': 18399, '3075 grant': 17398, 'grant ave': 362012, 'ave ogden': 104744, 'ogden ut': 596325, 'ut hand': 951176, 'of oz': 587637, 'oz spray': 632760, 'and oz': 68598, 'pump limited': 689065, 'own container': 631926, 'ogden own distillery': 596324, 'own distillery will': 631943, 'distillery will be': 247834, 'open tomorrow 21': 612607, 'tomorrow 21 from': 924000, '21 from 11': 15007, 'from 11 3pm': 334172, '11 3pm 3075': 2458, '3pm 3075 grant': 18400, '3075 grant ave': 17399, 'grant ave ogden': 362013, 'ave ogden ut': 104745, 'ogden ut hand': 596326, 'ut hand sanitizer': 951177, 'sanitizer we have': 736044, 'we have limited': 971856, 'have limited supply': 381322, 'limited supply of': 492737, 'supply of oz': 825639, 'of oz spray': 587638, 'oz spray and': 632761, 'spray and oz': 790262, 'and oz pump': 68599, 'oz pump limited': 632757, 'pump limited to': 689066, 'one per person': 606850, 'per person or': 650977, 'person or you': 652566, 'you can bring': 1017636, 'can bring your': 157802, 'bring your own': 140130, 'your own container': 1025130, 'airsoft': 40142, 'closin': 183564, 'fortheculture': 329801, 'airsofter': 40147, 'speedqb': 788492, 'speedsoft': 788494, 'most airsoft': 542082, 'airsoft field': 40145, 'are closin': 85384, 'closin till': 183565, 'the 31st': 848091, '31st of': 17646, 'goodness for': 358053, 'shopping update': 764297, 'update fortheculture': 946965, 'fortheculture airsoft': 329802, 'airsoft airsofter': 40143, 'airsofter speedqb': 40148, 'speedqb speedsoft': 788493, 'most airsoft field': 542083, 'airsoft field are': 40146, 'field are closin': 304457, 'are closin till': 85385, 'closin till the': 183566, 'till the 31st': 896101, 'the 31st of': 848092, '31st of march': 17647, 'of march retail': 586211, 'march retail store': 515457, 'retail store too': 718718, 'store too thank': 810915, 'too thank goodness': 925103, 'thank goodness for': 841587, 'goodness for online': 358054, 'online shopping update': 609324, 'shopping update fortheculture': 764298, 'update fortheculture airsoft': 946966, 'fortheculture airsoft airsofter': 329803, 'airsoft airsofter speedqb': 40144, 'airsofter speedqb speedsoft': 40149, 'shitty person': 759381, 'pandemic stoppanicbuying': 636563, 'able to gauge': 24485, 'gauge how shitty': 344542, 'how shitty person': 408668, 'shitty person you': 759382, 'you are by': 1017081, 'are by how': 85141, 'by how much': 152844, 'have left over': 381298, 'left over pandemic': 485602, 'over pandemic stoppanicbuying': 630480, 'pandemic stoppanicbuying stayathome': 636564, 'you managed': 1019773, 'register elderly': 707560, 'parent for': 641631, 'shopping phone': 763625, 'phone answered': 654891, 'sec so': 743634, 'pleased live': 660791, 'distance volunteer': 246875, 'can prioritise': 159296, 'not internet': 570164, 'internet savvy': 442009, 'savvy like': 738030, 'parent stayhomesavelives': 641732, 'thank you managed': 841772, 'you managed to': 1019774, 'managed to register': 512507, 'to register elderly': 913101, 'register elderly parent': 707561, 'elderly parent for': 270808, 'parent for online': 641632, 'online shopping phone': 609222, 'shopping phone answered': 763626, 'phone answered in': 654892, 'answered in le': 78175, 'than 20 sec': 840195, '20 sec so': 13319, 'sec so pleased': 743635, 'so pleased live': 778031, 'pleased live at': 660792, 'live at distance': 495733, 'at distance volunteer': 98460, 'distance volunteer can': 246876, 'volunteer can prioritise': 960243, 'can prioritise elderly': 159297, 'prioritise elderly who': 678392, 'are not internet': 88401, 'not internet savvy': 570165, 'internet savvy like': 442010, 'savvy like my': 738031, 'like my parent': 490827, 'my parent stayhomesavelives': 549697, 'pharmacist doe': 654131, 'run all': 727550, 'busy enough': 144898, 'enough even': 277371, 'the shelter': 866913, 'in the pharmacy': 429449, 'pharmacy the pharmacist': 654504, 'the pharmacist doe': 863644, 'pharmacist doe not': 654132, 'time to run': 898057, 'to run all': 913655, 'run all over': 727551, 'place to test': 657776, '19 my retail': 8734, 'store is busy': 808472, 'is busy enough': 446318, 'busy enough even': 144899, 'enough even with': 277372, 'with the shelter': 1001476, 'the shelter in': 866914, 'recession like': 704313, '2008 we': 13698, 'must strike': 546929, 'strike quickly': 813763, 'and fund': 63415, 'fund business': 341374, 'overcome unprecedented': 631140, 'unprecedented loss': 943156, 'loss health': 503689, 'more policy': 540090, 'policy reform': 663476, 'reform the': 706733, '54 causing': 20322, '19 do we': 6599, 'do we expect': 250470, 'we expect an': 971490, 'expect an economic': 290602, 'an economic recession': 55585, 'economic recession like': 267224, 'recession like that': 704314, 'that of 2008': 845443, 'of 2008 we': 579464, '2008 we must': 13699, 'we must strike': 972443, 'must strike quickly': 546930, 'strike quickly build': 813764, 'quickly build consumer': 694486, 'confidence and fund': 193816, 'and fund business': 63416, 'fund business to': 341375, 'business to overcome': 144546, 'to overcome unprecedented': 911301, 'overcome unprecedented loss': 631141, 'unprecedented loss health': 943157, 'loss health care': 503690, 'care and more': 163843, 'and more policy': 67202, 'more policy reform': 540091, 'policy reform the': 663477, 'reform the price': 706734, 'oil ha already': 596851, 'ha already fallen': 369506, 'already fallen by': 47347, 'fallen by 54': 297140, 'by 54 causing': 151680, '54 causing global': 20323, 'causing global economic': 168041, 'irritating': 445112, 'searsroebuckcatalog': 743358, 'stressful and': 813478, 'and irritating': 65385, 'irritating maybe': 445113, 'maybe little': 521739, 'little bathroom': 495242, 'bathroom humor': 112649, 'humor would': 410933, 'help toiletpaper': 390801, 'humor charmin': 410855, 'charmin outhouse': 173802, 'outhouse searsroebuckcatalog': 628982, 'house all day': 406166, 'all day because': 42513, 'day because of': 227356, 'this coronavirus is': 886897, 'coronavirus is stressful': 206175, 'is stressful and': 452371, 'stressful and irritating': 813481, 'and irritating maybe': 65386, 'irritating maybe little': 445114, 'maybe little bathroom': 521740, 'little bathroom humor': 495243, 'bathroom humor would': 112650, 'humor would help': 410934, 'would help toiletpaper': 1011920, 'help toiletpaper humor': 390802, 'toiletpaper humor charmin': 922092, 'humor charmin outhouse': 410856, 'charmin outhouse searsroebuckcatalog': 173803, 'businesspeople': 144790, 'kenyan president': 472980, 'kenyatta call': 473001, 'on businesspeople': 599744, 'businesspeople to': 144791, 'stop hiking': 804714, 'highly immoral': 396068, 'immoral if': 417286, 'an unfortunate': 56862, 'unfortunate situation': 941567, 'make super': 510497, 'super profit': 818564, 'trader because': 928666, 'criminal he': 216846, 'kenyan president uhuru': 472981, 'uhuru kenyatta call': 938103, 'kenyatta call on': 473002, 'call on businesspeople': 156033, 'on businesspeople to': 599745, 'businesspeople to stop': 144792, 'to stop hiking': 915534, 'stop hiking price': 804715, 'hiking price due': 396394, 'is highly immoral': 448465, 'highly immoral if': 396069, 'immoral if you': 417287, 'you take advantage': 1021506, 'advantage of an': 32984, 'of an unfortunate': 580130, 'an unfortunate situation': 56863, 'unfortunate situation to': 941569, 'to make super': 909746, 'make super profit': 510498, 'super profit we': 818566, 'profit we re': 682886, 'action on these': 30097, 'on these trader': 604577, 'these trader because': 880876, 'trader because it': 928667, 'it is criminal': 458919, 'is criminal he': 446929, 'criminal he said': 216847, 'viel': 957013, 'videolinkki': 956999, 'mallinnukseen': 511868, 'tilanteesta': 895953, 'jossa': 467363, 'ihminen': 415950, 'ysk': 1027053, 'isee': 454200, 'tyypillisess': 937711, 'myym': 551083, 'tilassa': 895959, 'hyllyjen': 412250, 'viel videolinkki': 957014, 'videolinkki mallinnukseen': 957000, 'mallinnukseen tilanteesta': 511869, 'tilanteesta jossa': 895954, 'jossa ihminen': 467364, 'ihminen ysk': 415951, 'ysk isee': 1027054, 'isee tyypillisess': 454201, 'tyypillisess myym': 937712, 'myym tilassa': 551084, 'tilassa hyllyjen': 895960, 'hyllyjen li': 412251, 'li koronafi': 487945, 'viel videolinkki mallinnukseen': 957015, 'videolinkki mallinnukseen tilanteesta': 957001, 'mallinnukseen tilanteesta jossa': 511870, 'tilanteesta jossa ihminen': 895955, 'jossa ihminen ysk': 467365, 'ihminen ysk isee': 415952, 'ysk isee tyypillisess': 1027055, 'isee tyypillisess myym': 454202, 'tyypillisess myym tilassa': 937713, 'myym tilassa hyllyjen': 551085, 'tilassa hyllyjen li': 895961, 'hyllyjen li koronafi': 412252, 'analysing': 57009, 'piloted': 656747, 'spyware firm': 791421, 'firm nso': 308394, 'nso build': 576672, 'build software': 142004, 'software tracking': 781551, 'tracking analysing': 928315, 'analysing mobile': 57010, 'map outbreak': 514942, 'being piloted': 125545, 'piloted now': 656748, 'now come': 574411, 'amid mounting': 52537, 'mounting fear': 543449, 'of infringement': 585202, 'privacy state': 678836, 'find infected': 306975, 'israeli spyware firm': 455625, 'spyware firm nso': 791422, 'firm nso build': 308395, 'nso build software': 576673, 'build software tracking': 142005, 'software tracking analysing': 781552, 'tracking analysing mobile': 928316, 'analysing mobile data': 57011, 'mobile data to': 534960, 'data to map': 226465, 'to map outbreak': 909833, 'map outbreak source': 514943, 'told me it': 923611, 'me it being': 523008, 'it being piloted': 456829, 'being piloted now': 125546, 'piloted now come': 656749, 'now come amid': 574412, 'come amid mounting': 187208, 'amid mounting fear': 52538, 'mounting fear of': 543450, 'fear of infringement': 301242, 'of infringement of': 585203, 'infringement of privacy': 438240, 'of privacy state': 588443, 'privacy state use': 678837, 'smartphones to find': 775541, 'to find infected': 905910, 'shopping fulwood': 762767, 'socialdistancing strictly': 780760, 'cleaning every': 180945, 'every trolley': 286339, 'once queue': 605695, 'queue managed': 693986, 'managed well': 512515, 'worth wait': 1011456, 'essential shopping fulwood': 281551, 'shopping fulwood today': 762768, 'today very pleased': 920433, 'very pleased to': 955415, 'see socialdistancing strictly': 745709, 'socialdistancing strictly adhered': 780761, 'adhered to staff': 32219, 'to staff member': 915136, 'staff member on': 792659, 'member on separate': 528161, 'on separate entrance': 603372, 'another cleaning every': 77538, 'cleaning every trolley': 180946, 'every trolley small': 286340, 'small allowed in': 774782, 'allowed in supermarket': 46169, 'at once queue': 99961, 'once queue managed': 605696, 'queue managed well': 693987, 'managed well worth': 512516, 'well worth wait': 978772, 'worth wait even': 1011457, 'these period': 880467, 'period stay': 651883, 'importantly take': 419147, 'during these period': 263238, 'these period stay': 880468, 'period stay safe': 651884, 'healthy and most': 387526, 'most importantly take': 542427, 'importantly take care': 419148, 'news well': 560959, 'first direct': 308638, 'cost covid': 207896, 'big news well': 129876, 'news well is': 560960, 'well is week': 978330, 'away from having': 105886, 'from having the': 335735, 'having the first': 384313, 'the first direct': 855301, 'first direct to': 308639, 'to consumer at': 903268, 'consumer at cost': 196334, 'at cost covid': 98343, 'cost covid 19': 207897, 'available in america': 104433, 'acquaintance': 29151, 'person doesn': 652404, 'would encourage': 1011784, 'encourage for': 275588, 'friend acquaintance': 333482, 'acquaintance to': 29152, 'city state': 179374, 'state country': 795498, 'them alternate': 875359, 'alternate pick': 49188, 'if person doesn': 414640, 'person doesn have': 652405, 'capability to do': 162472, 'online shopping would': 609355, 'shopping would encourage': 764471, 'would encourage for': 1011785, 'encourage for relative': 275589, 'for relative friend': 325087, 'relative friend acquaintance': 708724, 'friend acquaintance to': 333483, 'acquaintance to do': 29153, 'the shopping for': 867061, 'for them if': 326904, 'them if out': 875882, 'if out of': 414584, 'out of city': 626697, 'of city state': 581429, 'city state country': 179375, 'state country and': 795499, 'country and have': 210440, 'have them alternate': 383064, 'them alternate pick': 875360, 'alternate pick up': 49189, 'pick up person': 655748, 'sthelensunited': 800014, 'therewithyou': 879489, 'shop opening': 760607, 'general communityspirit': 345295, 'communityspirit sthelensunited': 190258, 'sthelensunited therewithyou': 800015, 'know about shop': 476221, 'about shop opening': 26183, 'shop opening hour': 760608, 'hour for staff': 405621, 'elderly and in': 270575, 'and in general': 65053, 'in general communityspirit': 423247, 'general communityspirit sthelensunited': 345296, 'communityspirit sthelensunited therewithyou': 190259, 'storm covid': 811796, 'price crisis': 673346, 'crisis stock': 218091, 'start blaming': 794227, 'blaming it': 132340, 'share buyback': 754958, 'buyback now': 149518, 'now company': 574419, 'announcing no': 77319, 'more buyback': 538743, 'buyback leading': 149516, 'more fall': 539192, 'fall can': 296876, 'we solve': 973338, 'solve one': 782151, 'one problem': 606921, 'problem first': 679520, 'before starting': 123100, 'the itch': 858598, 'itch to': 462996, 'blame someone': 132292, 'someone so': 784661, 'we had storm': 971722, 'had storm covid': 373568, 'storm covid 19': 811797, 'oil price crisis': 597096, 'price crisis stock': 673348, 'crisis stock price': 218092, 'fall and we': 296837, 'and we start': 75324, 'we start blaming': 973372, 'start blaming it': 794228, 'blaming it on': 132341, 'it on share': 460056, 'on share buyback': 603390, 'share buyback now': 754960, 'buyback now company': 149519, 'now company are': 574420, 'company are announcing': 190412, 'are announcing no': 84563, 'announcing no more': 77320, 'no more buyback': 564798, 'more buyback leading': 538744, 'buyback leading to': 149517, 'leading to more': 483768, 'to more fall': 910255, 'more fall can': 539193, 'fall can we': 296877, 'can we solve': 160199, 'we solve one': 973339, 'solve one problem': 782152, 'one problem first': 606922, 'problem first before': 679521, 'first before starting': 308538, 'before starting new': 123101, 'starting new one': 794984, 'new one is': 559200, 'is the itch': 452834, 'the itch to': 858599, 'itch to blame': 462997, 'to blame someone': 901848, 'blame someone so': 132293, 'someone so deep': 784662, 'modi janatacurfew': 535464, 'janatacurfew assure': 464485, 'assure milk': 97088, 'vegetable medicine': 954038, 'stopped pl': 805738, 'pl for': 657273, 'god shake': 354799, 'shake do': 754404, 'modi janatacurfew assure': 535465, 'janatacurfew assure milk': 464486, 'assure milk vegetable': 97089, 'milk vegetable medicine': 531897, 'vegetable medicine supply': 954039, 'medicine supply will': 526897, 'supply will not': 826113, 'not be stopped': 568461, 'be stopped pl': 117382, 'stopped pl for': 805739, 'pl for god': 657274, 'for god shake': 321907, 'god shake do': 354800, 'shake do not': 754405, 'not go food': 569676, 'go food stop': 353548, 'onpoli cdnpoli': 611531, 'cdnpoli update': 168668, 'is melting': 449624, 'melting from': 527987, 'the twitter': 870139, 'twitter love': 936683, 'love will': 504873, 'mask someone': 519296, 'me lift': 523076, 'lift to': 489471, 'best honestly': 127718, 'honestly thank': 403135, 'than word': 841470, 'word can': 1004461, 'possibly express': 665920, 'onpoli cdnpoli update': 611532, 'cdnpoli update my': 168669, 'update my heart': 947084, 'heart is melting': 388308, 'is melting from': 449625, 'melting from all': 527988, 'all the twitter': 44959, 'the twitter love': 870140, 'twitter love will': 936684, 'love will now': 504874, 'will now have': 994300, 'now have glove': 574873, 'have glove mask': 380780, 'glove mask someone': 352783, 'mask someone who': 519297, 'give me lift': 350577, 'me lift to': 523077, 'lift to the': 489472, 'store you guy': 811689, 'the best honestly': 849516, 'best honestly thank': 127719, 'honestly thank you': 403136, 'thank you more': 841779, 'you more than': 1019888, 'more than word': 540700, 'than word can': 841471, 'word can possibly': 1004462, 'can possibly express': 159271, 'gauntlet': 344575, 'thanitizer': 841525, 'ultimate gauntlet': 939111, 'gauntlet during': 344576, 'the thanitizer': 869355, 'thanitizer sanitizer': 841526, 'avenger avengersendgame': 104761, 'the ultimate gauntlet': 870312, 'ultimate gauntlet during': 939112, 'gauntlet during the': 344577, 'the the thanitizer': 869401, 'the thanitizer sanitizer': 869356, 'thanitizer sanitizer thanos': 841527, 'thanos avenger avengersendgame': 842410, 'increase whenever': 433153, 'above existing': 27066, 'crisis and warning': 217058, 'and warning of': 75200, 'warning of price': 967160, 'of price increase': 588408, 'price increase whenever': 674794, 'increase whenever federal': 433154, 'than 10 above': 840142, '10 above existing': 1293, 'above existing price': 27067, 'panickbuying panicshopping': 639217, 'panicshopping stoppanicbuying': 639456, 'buying panickbuying panicshopping': 150879, 'panickbuying panicshopping stoppanicbuying': 639218, 'ets': 283179, 'uncompetitive': 939862, 'on ets': 600601, 'ets carbon': 283180, 'to declining': 904019, 'for permit': 324489, 'and aviation': 58553, 'aviation sector': 104961, 'german coal': 346213, 'coal fired': 185055, 'power station': 667691, 'still uncompetitive': 801345, 'uncompetitive compared': 939863, 'to petrol': 911687, 'ha put downward': 371594, 'pressure on ets': 671210, 'on ets carbon': 600602, 'ets carbon price': 283181, 'due to declining': 261755, 'to declining demand': 904021, 'declining demand for': 231468, 'demand for permit': 235472, 'for permit in': 324490, 'permit in the': 652157, 'the energy and': 854317, 'energy and aviation': 276385, 'and aviation sector': 58555, 'aviation sector despite': 104962, 'sector despite this': 744170, 'despite this german': 238914, 'this german coal': 887683, 'german coal fired': 346214, 'coal fired power': 185056, 'fired power station': 308187, 'power station are': 667692, 'station are still': 796345, 'are still uncompetitive': 90494, 'still uncompetitive compared': 801346, 'uncompetitive compared to': 939864, 'compared to petrol': 191436, 'to petrol station': 911688, 'petrol station due': 653791, 'to low gas': 909485, 'beneficiary supermarket': 126900, 'industry toilet': 436177, 'paper hygiene': 640302, 'hygiene pharmaceutical': 412135, 'pharmaceutical industry': 654079, 'industry screwed': 436093, 'screwed everyone': 742820, 'beneficiary supermarket online': 126901, 'shopping industry toilet': 763017, 'industry toilet paper': 436178, 'toilet paper hygiene': 921312, 'paper hygiene pharmaceutical': 640303, 'hygiene pharmaceutical industry': 412136, 'pharmaceutical industry screwed': 654080, 'industry screwed everyone': 436094, 'screwed everyone else': 742821, '19 clamp': 5828, 'demand foodprices': 235366, 'foodprices world': 318040, 'covid 19 clamp': 212806, '19 clamp down': 5829, 'on demand foodprices': 600279, 'demand foodprices world': 235367, 'revised rail': 720642, 'rail service': 695680, 'good continue': 356916, 'their destination': 873014, 'destination and': 238971, 'keep britain': 471353, 'britain moving': 140425, 'to medicine': 910005, 'getting fuel': 349000, 'fuel to': 340300, 'station find': 796404, 'revised rail service': 720643, 'rail service will': 695681, 'service will ensure': 753075, 'will ensure essential': 993323, 'ensure essential good': 277927, 'essential good continue': 281087, 'good continue to': 356917, 'continue to reach': 201241, 'reach their destination': 699993, 'their destination and': 873015, 'destination and keep': 238973, 'and keep britain': 65753, 'keep britain moving': 471354, 'britain moving from': 140426, 'moving from supermarket': 544152, 'from supermarket supply': 337505, 'supply to medicine': 826015, 'to medicine and': 910006, 'medicine and getting': 526715, 'and getting fuel': 63621, 'getting fuel to': 349001, 'fuel to service': 340301, 'to service station': 914284, 'service station find': 752860, 'station find more': 796405, 'any vegetable': 80015, 'vegetable egg': 953975, 'milk amp': 531549, 'amp meat': 54123, 'disadvantaged amp': 244001, 'amp elderly': 53702, 'access grocery': 28138, 'grocery now': 364759, 'australia is ridiculous': 103315, 'is ridiculous there': 451526, 'ridiculous there is': 721620, 'there is barely': 878529, 'is barely any': 445997, 'barely any vegetable': 111005, 'any vegetable egg': 80016, 'vegetable egg milk': 953976, 'egg milk amp': 269917, 'milk amp meat': 531550, 'amp meat in': 54124, 'supermarket have thought': 820710, 'have thought for': 383119, 'for the disadvantaged': 326384, 'the disadvantaged amp': 853339, 'disadvantaged amp elderly': 244002, 'amp elderly who': 53703, 'elderly who might': 270948, 'who might not': 989287, 'to access grocery': 899954, 'access grocery now': 28139, 'grocery now you': 364762, 'you ve emptied': 1022036, 've emptied the': 953075, 'osm': 619722, 'keepsafekeepwell': 472673, 'lovely view': 505002, 'view am': 957066, 'missing coming': 534287, 'to osm': 911106, 'osm for': 619723, 'shopping sticking': 763981, 'local do': 497901, 'think police': 885495, 'police would': 663270, 'say 17': 738366, '17 mile': 4360, 'mile journey': 531394, 'journey is': 467480, 'essential when': 281786, 'supermarket closer': 819725, 'closer in': 183498, 'direction keepsafekeepwell': 243466, 'keepsafekeepwell stayhomesave': 472674, 'lovely view am': 505003, 'view am missing': 957067, 'am missing coming': 50219, 'missing coming down': 534288, 'coming down to': 188035, 'down to osm': 257374, 'to osm for': 911107, 'osm for shopping': 619724, 'for shopping sticking': 325596, 'shopping sticking to': 763982, 'sticking to more': 800108, 'to more local': 910259, 'more local do': 539708, 'local do not': 497902, 'not think police': 572081, 'think police would': 885496, 'police would say': 663271, 'would say 17': 1012211, 'say 17 mile': 738367, '17 mile journey': 4361, 'mile journey is': 531395, 'journey is essential': 467481, 'is essential when': 447558, 'essential when there': 281787, 'there is supermarket': 878637, 'is supermarket closer': 452458, 'supermarket closer in': 819726, 'closer in the': 183499, 'other direction keepsafekeepwell': 620108, 'direction keepsafekeepwell stayhomesave': 243467, 'when pumping': 983907, 'pumping gas': 689124, 'and keypad': 65822, 'keypad can': 473557, 'contaminated so': 200670, 'avoid exposure': 105096, 'exposure consumer': 292968, 'yourself against when': 1026508, 'against when pumping': 37744, 'when pumping gas': 983908, 'pumping gas pump': 689125, 'gas pump handle': 344074, 'pump handle and': 689052, 'handle and keypad': 376167, 'and keypad can': 65823, 'keypad can be': 473558, 'can be contaminated': 157603, 'be contaminated so': 114221, 'contaminated so take': 200671, 'so take precaution': 778330, 'to avoid exposure': 900893, 'avoid exposure consumer': 105097, 'exposure consumer report': 292969, 'bravery': 138270, 'haller healthy': 374372, 'healthy mother': 387693, 'two became': 936799, 'owe her': 631814, 'and 44': 57481, '44 other': 19015, 'people stepping': 649577, 'gratitude may': 362380, 'may their': 521569, 'their bravery': 872642, 'bravery save': 138277, 'jennifer haller healthy': 465099, 'haller healthy mother': 374373, 'healthy mother of': 387694, 'of two became': 592534, 'two became the': 936800, 'test potential vaccine': 839135, 'potential vaccine for': 667168, '19 we owe': 11945, 'we owe her': 972678, 'owe her and': 631815, 'her and 44': 391842, 'and 44 other': 57482, '44 other people': 19016, 'other people stepping': 620686, 'people stepping up': 649578, 'up for human': 944942, 'for human trial': 322446, 'of gratitude may': 584309, 'gratitude may their': 362381, 'may their bravery': 521570, 'their bravery save': 872643, 'bravery save many': 138278, 'who crowded': 988530, 'crowded into': 219325, 'them were': 876598, 'were grabbing': 979699, 'grabbing up': 361596, 'covid at': 214127, 'time their': 897885, 'their selfishness': 874648, 'people who crowded': 650281, 'who crowded into': 988531, 'crowded into the': 219326, 'into the big': 443098, 'the big box': 849598, 'box store and': 137165, 'store and hoarded': 806260, 'and hoarded toilet': 64640, 'their panic just': 874234, 'panic just week': 638252, 'ago how many': 38407, 'of them were': 591771, 'them were grabbing': 876599, 'were grabbing up': 979700, 'grabbing up covid': 361597, 'up covid at': 944669, 'covid at the': 214128, 'same time their': 733368, 'time their selfishness': 897886, 'their selfishness is': 874649, 'selfishness is deadly': 748359, 'it vulnerable': 462049, 'doing it vulnerable': 252500, 'it vulnerable people': 462050, 'any food please': 79240, 'fiji say': 305289, 'say fijian': 738635, 'fijian have': 305301, 'taken drastic': 832987, 'drastic step': 258417, 'have resorted': 382288, 'outbreak fbcnews': 628214, 'of fiji say': 583511, 'fiji say fijian': 305290, 'say fijian have': 738636, 'fijian have taken': 305302, 'have taken drastic': 382911, 'taken drastic step': 832988, 'drastic step and': 258418, 'step and have': 799492, 'and have resorted': 64272, 'have resorted to': 382289, '19 outbreak fbcnews': 9121, 'outbreak fbcnews fijinews': 628215, 'can regina': 159416, 'regina food': 707379, 'bank anticipating': 109629, 'anticipating more': 78480, 'le supply': 483145, 'donation because': 254560, 'you can regina': 1017764, 'can regina food': 159417, 'regina food bank': 707380, 'food bank anticipating': 313518, 'bank anticipating more': 109630, 'anticipating more demand': 78481, 'more demand and': 538988, 'demand and use': 235009, 'and use but': 74769, 'use but le': 949086, 'but le supply': 146255, 'le supply and': 483146, 'supply and donation': 824713, 'and donation because': 61665, 'donation because of': 254561, 'remains key': 710029, 'key necessity': 473353, 'of wherever': 593094, 'farmer today': 299546, 'today ht': 919674, 'continues to fight': 201477, 'fight the food': 304893, 'the food remains': 855595, 'food remains key': 316165, 'remains key necessity': 710030, 'key necessity for': 473354, 'necessity for all': 554209, 'all of wherever': 43725, 'of wherever we': 593095, 'wherever we are': 985472, 'we are nothing': 970639, 'are nothing matter': 88504, 'nothing matter more': 573103, 'matter more than': 520600, 'than our health': 841012, 'health and food': 386141, 'and food let': 63067, 'food let think': 315302, 'let think of': 487174, 'of our farmer': 587469, 'our farmer today': 623027, 'farmer today ht': 299547, 'redesigning': 705696, '408': 18826, 'meet michael': 527529, 'michael gill': 530240, 'gill the': 350141, 'coronavirus proofing': 206604, 'proofing walmart': 684029, 'canada though': 160582, 'though dressed': 892803, 'dressed like': 258699, 'like store': 491246, 'clerk with': 181828, 'tag blue': 831748, 'blue vest': 133482, 'vest the': 955691, 'the 27': 848060, 'old is': 598303, 'of redesigning': 588858, 'redesigning walmart': 705697, 'canada corp': 160405, 'corp 408': 207179, '408 store': 18827, 'coronavirus era': 205886, 'meet michael gill': 527530, 'michael gill the': 530241, 'gill the man': 350142, 'the man in': 859978, 'man in charge': 512108, 'charge of coronavirus': 173289, 'of coronavirus proofing': 581958, 'coronavirus proofing walmart': 206605, 'proofing walmart store': 684030, 'walmart store in': 965417, 'in canada though': 421202, 'canada though dressed': 160583, 'though dressed like': 892804, 'dressed like store': 258700, 'like store clerk': 491247, 'store clerk with': 807041, 'clerk with name': 181830, 'with name tag': 999671, 'name tag blue': 551682, 'tag blue vest': 831749, 'blue vest the': 133483, 'vest the 27': 955692, 'the 27 year': 848061, 'year old is': 1014837, 'old is in': 598304, 'charge of redesigning': 173293, 'of redesigning walmart': 588859, 'redesigning walmart canada': 705698, 'walmart canada corp': 965290, 'canada corp 408': 160406, 'corp 408 store': 207180, '408 store for': 18828, 'the coronavirus era': 851843, 'aircanada': 39860, 'pricego': 677764, 'canceling existing': 160983, 'existing flight': 290317, 'rebook at': 703277, 'at significantly': 100529, 'no recourse': 565306, 'recourse it': 705155, 'wrong my': 1013061, 'criticized same': 218781, 'same flight': 733064, 'flight same': 310533, 'day aircanada': 227222, 'aircanada pricego': 39861, 'is canceling existing': 446367, 'canceling existing flight': 160984, 'existing flight and': 290318, 'flight and forcing': 310422, 'people to rebook': 649933, 'to rebook at': 912896, 'rebook at significantly': 703278, 'at significantly higher': 100530, 'significantly higher price': 769580, 'price to return': 677034, 'return home there': 719855, 'is no recourse': 449966, 'no recourse it': 565308, 'recourse it just': 705156, 'it just feel': 459220, 'feel wrong my': 302941, 'wrong my mother': 1013063, 'my mother and': 549323, 'mother and her': 543052, 'her husband had': 392123, 'husband had just': 411709, 'had just been': 373219, 'just been criticized': 468299, 'been criticized same': 120906, 'criticized same flight': 218782, 'same flight same': 733065, 'flight same day': 310534, 'same day aircanada': 733021, 'day aircanada pricego': 227223, 'mia': 530149, 'ordered essential': 618844, 'or done': 615055, 'to facilitating': 905594, 'facilitating essential': 295279, 'travel mia': 930428, 'mia remains': 530157, 'remains operational': 710048, 'sustain cargo': 829737, 'cargo operation': 164666, 'local amp': 497675, 'amp worldwide': 54863, 'worldwide community': 1010335, 'ordered essential supply': 618845, 'essential supply or': 281626, 'supply or done': 825682, 'or done some': 615056, 'shopping while staying': 764400, 'while staying in': 987317, 'staying in addition': 798634, 'addition to facilitating': 31734, 'to facilitating essential': 905595, 'facilitating essential travel': 295280, 'essential travel mia': 281721, 'travel mia remains': 930429, 'mia remains operational': 530158, 'remains operational to': 710049, 'operational to sustain': 613322, 'to sustain cargo': 916073, 'sustain cargo operation': 829738, 'cargo operation for': 164667, 'operation for our': 613185, 'our local amp': 623764, 'local amp worldwide': 497676, 'amp worldwide community': 54864, 'cooperative society': 203174, 'society activate': 781142, 'activate home': 30220, 'cooperative society activate': 203175, 'society activate home': 781143, 'activate home delivery': 30221, 'service for expat': 752379, 'shoppercentric': 761848, 'rayner': 698046, 'to shoppercentric': 914513, 'shoppercentric jamie': 761849, 'jamie rayner': 464427, 'rayner discus': 698047, 'various regional': 952631, 'regional bbc': 707497, 'radio station': 695458, 'station retail': 796501, 'retail future': 718130, 'future bbcnewscoronavirus': 342266, 'bbcnewscoronavirus supermarket': 113147, 'supermarket mrx': 821546, 'listen to shoppercentric': 494750, 'to shoppercentric jamie': 914514, 'shoppercentric jamie rayner': 761850, 'jamie rayner discus': 464428, 'rayner discus the': 698048, 'retail sector this': 718533, 'sector this morning': 744358, 'morning on various': 541391, 'on various regional': 605022, 'various regional bbc': 952632, 'regional bbc radio': 707498, 'bbc radio station': 113104, 'radio station retail': 695459, 'station retail future': 796502, 'retail future bbcnewscoronavirus': 718131, 'future bbcnewscoronavirus supermarket': 342267, 'bbcnewscoronavirus supermarket mrx': 113148, 'eme': 272518, 'put policy': 690780, 'policy over': 663465, '19 charging': 5775, 'charging me': 173499, 'me 750': 522338, '750 dollar': 22182, 'way rental': 969842, 'rental and': 711212, 'nyc ll': 578011, 'filling complaint': 305599, 'ny attorney': 577840, 'enforce consumer': 276664, 'national eme': 552486, 'you put policy': 1020507, 'put policy over': 690781, 'policy over safety': 663466, 'over safety during': 630597, 'safety during covid': 730517, 'covid 19 charging': 212788, '19 charging me': 5776, 'charging me 750': 173500, 'me 750 dollar': 522339, '750 dollar to': 22183, 'dollar to change': 253093, 'to change to': 902620, 'change to one': 172355, 'to one way': 910926, 'one way rental': 607378, 'way rental and': 969843, 'rental and forcing': 711213, 'and forcing me': 63182, 'return to nyc': 719926, 'to nyc ll': 910774, 'nyc ll be': 578012, 'll be filling': 496587, 'be filling complaint': 114841, 'filling complaint with': 305600, 'the florida and': 855433, 'florida and ny': 310899, 'and ny attorney': 67911, 'ny attorney general': 577841, 'general to enforce': 345491, 'to enforce consumer': 905116, 'enforce consumer right': 276665, 'right during national': 721877, 'during national eme': 262809, 'sneeze practice': 776265, 'distancing avoid': 247024, 'help prevent wash': 390351, 'your face cover': 1023745, 'face cover cough': 294366, 'cover cough and': 212206, 'and sneeze practice': 71826, 'sneeze practice social': 776266, 'social distancing avoid': 779561, 'distancing avoid contact': 247025, 'contact with sick': 200287, 'boubies': 136458, 'perezhilton': 651269, 'is snyder': 451991, 'snyder can': 776438, 'your video': 1026275, 'video boubies': 956641, 'boubies perezhilton': 136459, 'perezhilton toiletpaper': 651270, 'follow me on': 312462, 'on my name': 602298, 'name is snyder': 551647, 'is snyder can': 451992, 'snyder can wait': 776439, 'of your video': 593535, 'your video boubies': 1026276, 'video boubies perezhilton': 956642, 'boubies perezhilton toiletpaper': 136460, 'lifted on': 489492, 'delivery adelaide': 233628, 'restriction lifted on': 717316, 'lifted on sa': 489493, 'on sa supermarket': 603249, 'sa supermarket supply': 728948, 'supermarket supply delivery': 823046, 'supply delivery adelaide': 825146, 'healthvana': 387492, 'handvana': 376743, 'hydroclean': 411966, 'about healthvana': 25362, 'healthvana foam': 387493, 'also called': 47997, 'called handvana': 156333, 'handvana or': 376744, 'or hydroclean': 615701, 'truth about healthvana': 934379, 'about healthvana foam': 25363, 'healthvana foam hand': 387494, 'foam hand sanitizer': 311812, 'sanitizer also called': 734350, 'also called handvana': 47998, 'called handvana or': 156334, 'handvana or hydroclean': 376745, 'in maryland dy': 425161, 'maryland dy after': 518202, 'dy after contracting': 263724, 'kenyan stock': 472990, 'hike from': 396213, 'tomorrow expect': 924075, 'expect total': 290779, 'lockdown especially': 499342, 'like nairobi': 490833, 'nairobi let': 551506, 'the expect': 854701, 'briefing from': 139715, 'state stayhome': 795945, 'stayhome retweet': 798083, 'kenyan stock your': 472991, 'enough food stuff': 277413, 'food stuff before': 316887, 'stuff before the': 815026, 'price hike from': 674529, 'hike from tomorrow': 396214, 'from tomorrow expect': 338096, 'tomorrow expect total': 924076, 'expect total lockdown': 290780, 'total lockdown especially': 926187, 'lockdown especially in': 499343, 'especially in major': 280528, 'major city like': 509267, 'city like nairobi': 179242, 'like nairobi let': 490834, 'nairobi let not': 551507, 'let not joke': 486940, 'not joke with': 570201, 'joke with the': 467170, 'with the expect': 1001291, 'the expect the': 854702, 'expect the press': 290754, 'the press briefing': 864283, 'press briefing from': 671015, 'briefing from the': 139716, 'the state stayhome': 867809, 'state stayhome retweet': 795946, 'store wa slim': 811125, 'wa slim pickins': 963237, 'quarantine senior': 692517, 'senior food': 750296, 'are immediately': 87308, 'immediately confined': 417075, 'is familiar': 447728, 'familiar with': 297535, 'old alone': 598129, 'alone sick': 46906, 'sick without': 768683, 'without help': 1002715, 'quarantine senior food': 692518, 'senior food when': 750297, 'people are asked': 646927, 'asked to quarantine': 95873, 'to quarantine for': 912641, '14 day they': 3461, 'they are immediately': 881300, 'are immediately confined': 87309, 'immediately confined to': 417076, 'their home not': 873567, 'home not everyone': 401671, 'access to supply': 28284, 'to supply or': 915885, 'supply or is': 825686, 'or is familiar': 615831, 'is familiar with': 447729, 'familiar with online': 297536, 'online shopping many': 609181, 'shopping many are': 763243, 'many are old': 513770, 'are old alone': 88708, 'old alone sick': 598130, 'alone sick without': 46907, 'sick without help': 768684, 'without help government': 1002716, 'help government you': 389824, 'government you have': 360838, 'swissforextrading': 830462, 'month government': 537757, 'government assures': 359913, 'epidemic there': 279455, 'the swissforextrading': 869066, 'for month government': 323519, 'month government assures': 537758, 'government assures the': 359914, 'assures the swiss': 97151, 'the swiss authority': 869061, 'swiss authority say': 830447, 'authority say there': 103780, 'are food stock': 86638, 'food stock available': 316779, 'stock available to': 801898, 'available to consumer': 104641, 'consumer for more': 197523, 'more than four': 540621, 'than four month': 840674, 'four month to': 330635, 'month to cope': 538078, 'current coronavirus epidemic': 221145, 'coronavirus epidemic there': 205882, 'epidemic there is': 279456, 'panic over food': 638387, 'food the swissforextrading': 317136, 'with pedro': 1000122, 'perez deputy': 651265, 'chief of': 175949, 'division about': 248659, 'where we speak': 985349, 'speak with pedro': 787730, 'with pedro perez': 1000123, 'pedro perez deputy': 646235, 'perez deputy chief': 651266, 'deputy chief of': 237786, 'chief of the': 175950, 'protection division about': 685396, 'division about how': 248660, 'how to monitor': 409048, 'monitor and report': 537277, 'chiasson': 175623, 'with physical': 1000202, 'distancing implemented': 247216, 'toronto due': 925936, '19 chiasson': 5788, 'chiasson ha': 175624, 'some safe': 783786, 'tip ahead': 898696, 'easter long': 265463, 'weekend canada': 977329, 'chief public': 175961, 'officer say': 595712, 'say wearing': 739461, 'wearing non': 974745, 'with physical distancing': 1000203, 'physical distancing implemented': 655412, 'distancing implemented in': 247217, 'implemented in toronto': 418463, 'in toronto due': 430203, 'toronto due to': 925937, 'covid 19 chiasson': 212793, '19 chiasson ha': 5789, 'chiasson ha some': 175625, 'ha some safe': 371997, 'some safe grocery': 783788, 'shopping tip ahead': 764154, 'tip ahead of': 898697, 'of the easter': 590970, 'the easter long': 853852, 'easter long weekend': 265464, 'long weekend canada': 501840, 'weekend canada chief': 977330, 'canada chief public': 160398, 'chief public health': 175962, 'public health officer': 688076, 'health officer say': 386697, 'officer say wearing': 595713, 'say wearing non': 739462, 'wearing non medical': 974746, 'medical mask can': 526255, 'mask can help': 518511, 'handstoyourself': 376742, 'and observed': 67930, 'observed all': 578604, 'from variety': 338219, 'folk suggest': 312257, 'suggest using': 817551, 'using produce': 950609, 'bag hand': 108310, 'minimize contact': 533102, 'yourself handstoyourself': 1026634, 'yesterday and observed': 1015664, 'and observed all': 67931, 'observed all level': 578605, 'all level of': 43373, 'level of hygiene': 487643, 'of hygiene from': 584943, 'hygiene from variety': 412099, 'from variety of': 338220, 'variety of folk': 952564, 'of folk suggest': 583626, 'folk suggest using': 312258, 'suggest using produce': 817552, 'using produce bag': 950610, 'produce bag hand': 680203, 'bag hand cover': 108311, 'hand cover to': 374885, 'cover to minimize': 212308, 'to minimize contact': 910159, 'minimize contact with': 533103, 'contact with food': 200273, 'with food hand': 998490, 'food hand to': 314766, 'hand to yourself': 375881, 'to yourself handstoyourself': 919038, 'else wondering': 271997, 'year still': 1014974, 'employee premium': 274128, 'life over': 488956, 'store pay': 809479, 'anyone else wondering': 80302, 'else wondering why': 271998, 'wondering why winco': 1004213, 'winco food which': 995610, 'food which make': 317588, 'which make billion': 986125, 'billion year still': 130940, 'year still doesn': 1014975, 'still doesn pay': 800442, 'doesn pay it': 251915, 'pay it employee': 644967, 'it employee premium': 457803, 'employee premium for': 274129, 'premium for risking': 669952, 'their life over': 873842, 'life over this': 488957, 'over this almost': 630813, 'grocery store pay': 365645, 'store pay it': 809480, 'it employee to': 457807, 'employee to risk': 274333, 'electric cost': 271108, 'restaurant hit': 716504, 'by restriction': 153792, 'if staff': 414871, 'do refrigeration': 250038, 'cleaning using': 181120, 'our see': 624698, 'see demo': 745040, 'demo video': 236676, 'at cstores': 98383, 'cstores pizzeria': 220080, 'pizzeria grocery': 657221, 'electric cost in': 271109, 'cost in restaurant': 207977, 'in restaurant hit': 427435, 'restaurant hit by': 716505, 'hit by restriction': 398186, 'by restriction can': 153793, 'restriction can be': 717238, 'can be cut': 157606, 'be cut if': 114320, 'cut if staff': 223370, 'if staff do': 414873, 'staff do refrigeration': 792379, 'do refrigeration coil': 250039, 'refrigeration coil cleaning': 706789, 'coil cleaning using': 185608, 'cleaning using our': 181121, 'using our see': 950584, 'our see demo': 624699, 'see demo video': 745041, 'demo video at': 236677, 'video at cstores': 956625, 'at cstores pizzeria': 98384, 'cstores pizzeria grocery': 220081, 'am meant': 50214, 'healthy critical': 387569, 'nurse break': 577219, 'how am meant': 407345, 'am meant to': 50215, 'meant to stay': 524913, 'stay healthy critical': 796898, 'healthy critical care': 387570, 'care nurse break': 164081, 'nurse break down': 577220, 'break down after': 138701, 'down after finding': 256449, 'after finding empty': 35668, 'finding empty supermarket': 307461, 'mccall': 522093, 'two local': 937013, 'or distribute': 615005, 'distribute good': 247981, 'pandemic those': 636750, 'those two': 892568, 'two company': 936845, 'are mccall': 88053, 'mccall farm': 522094, 'lee flower': 485315, 'flower company': 311285, 'two local company': 937014, 'that produce food': 845856, 'produce food or': 680271, 'food or distribute': 315650, 'or distribute good': 615006, 'distribute good to': 247983, 'good to grocery': 357882, 'store are stepping': 806526, 'meet demand caused': 527460, '19 pandemic those': 9499, 'pandemic those two': 636751, 'those two company': 892569, 'two company are': 936846, 'company are mccall': 190435, 'are mccall farm': 88054, 'mccall farm and': 522095, 'farm and lee': 299086, 'and lee flower': 66077, 'lee flower company': 485316, 'may impact the': 521284, 'impact the real': 418003, '2020 restriction': 14570, 'restriction relaxed': 717366, 'relaxed reason': 708865, 'restriction wa': 717414, 'wa relaxed': 963082, 'relaxed for': 708859, 'for general': 321857, 'from 2pm': 334264, '2pm to': 16849, 'to 10pm': 899447, '10pm civil': 2372, 'servant level': 751839, 'level 12': 487482, '12 from': 2860, 'from 8am': 334346, 'april 2020 restriction': 83472, '2020 restriction relaxed': 14571, 'restriction relaxed reason': 717367, 'relaxed reason to': 708866, 'reason to enable': 703025, 'enable people stock': 275429, 'people stock food': 649613, 'stock food other': 802141, 'food other essential': 315696, 'other essential the': 620181, 'essential the restriction': 281662, 'the restriction wa': 865680, 'restriction wa relaxed': 717415, 'wa relaxed for': 963083, 'relaxed for general': 708860, 'for general public': 321858, 'general public from': 345450, 'public from 2pm': 688021, 'from 2pm to': 334265, '2pm to 10pm': 16850, 'to 10pm civil': 899448, '10pm civil servant': 2373, 'civil servant level': 179543, 'servant level 12': 751840, 'level 12 from': 487483, '12 from 8am': 2861, 'from 8am to': 334348, '8am to pm': 23164, 'changing so': 172796, 'much around': 544733, 'around including': 93352, 'need doe': 554690, 'brand know': 137882, 'is changing so': 446482, 'changing so much': 172797, 'so much around': 777759, 'much around including': 544734, 'around including consumer': 93353, 'including consumer need': 431925, 'consumer need doe': 198188, 'need doe your': 554691, 'doe your brand': 251677, 'your brand know': 1023016, 'brand know how': 137883, 'impct': 418299, 'civilizd': 179605, 'mjrity': 534674, 'shlvs': 759405, 'sems': 749661, 'lke': 496526, 'impct of': 418300, 'of hve': 584930, 'hve sen': 411874, 'sen hw': 749667, 'hw civilizd': 411879, 'civilizd ppl': 179606, 'fighting ovr': 305114, 'ovr food': 631802, 'commodity toilet': 189324, 'in stockpiling': 428354, 'stockpiling mjrity': 804020, 'mjrity of': 534675, 'of superstores': 590461, 'superstores gone': 824357, 'stock shlvs': 802845, 'shlvs empty': 759406, 'rice sems': 721138, 'sems lke': 749662, 'lke ppl': 496527, 'die nt': 241408, 'nt of': 576731, 'corona bt': 203832, 'bt of': 141470, 'impct of hve': 418301, 'of hve sen': 584931, 'hve sen hw': 411875, 'sen hw civilizd': 749668, 'hw civilizd ppl': 411880, 'civilizd ppl fighting': 179607, 'ppl fighting ovr': 668230, 'fighting ovr food': 305115, 'ovr food commodity': 631803, 'food commodity toilet': 313980, 'commodity toilet roll': 189325, 'roll in uk': 725346, 'in uk busy': 430381, 'uk busy in': 938227, 'busy in stockpiling': 144918, 'in stockpiling mjrity': 428355, 'stockpiling mjrity of': 804021, 'mjrity of superstores': 534676, 'of superstores gone': 590462, 'superstores gone out': 824358, 'of stock shlvs': 590190, 'stock shlvs empty': 802846, 'shlvs empty no': 759407, 'fruit rice sems': 339132, 'rice sems lke': 721139, 'sems lke ppl': 749663, 'lke ppl will': 496528, 'ppl will die': 668378, 'will die nt': 993186, 'die nt of': 241409, 'nt of corona': 576732, 'of corona bt': 581887, 'corona bt of': 203833, 'bt of strvtin': 141471, 'tip make': 898834, 'online curbside': 608070, 'up use': 946509, 'cart practice': 165362, 'item ask': 463118, '19 ask': 5230, 'store here are': 808144, 'some tip make': 784066, 'tip make list': 898835, 'list shop online': 494533, 'shop online curbside': 760567, 'online curbside pick': 608071, 'pick up use': 655772, 'up use sanitizer': 946510, 'use sanitizer wipe': 949551, 'sanitizer wipe on': 736122, 'wipe on cart': 996330, 'on cart practice': 599835, 'cart practice social': 165363, 'distancing do not': 247106, 'not hoard item': 569981, 'hoard item ask': 398823, 'item ask for': 463119, 're at high': 698324, 'risk for 19': 723536, 'for 19 ask': 318698, '19 ask someone': 5231, 'ask someone else': 95618, 'else to complete': 271936, 'complete the shopping': 192172, '4l': 19477, 'no 24': 563563, '24 500ml': 15547, '500ml bottle': 20104, 'two 4l': 936763, '4l bottle': 19478, 'bottle on': 136304, 'two per': 937143, 'household not': 406892, 'every two day': 286346, 'two day because': 936862, 'day because there': 227360, 'are no 24': 88240, 'no 24 500ml': 563564, '24 500ml bottle': 15548, '500ml bottle of': 20107, 'water and only': 968871, 'and only two': 68154, 'only two 4l': 611392, 'two 4l bottle': 936764, '4l bottle on': 19479, 'bottle on shelf': 136305, 'on shelf with': 603414, 'shelf with limit': 757818, 'limit of two': 492403, 'of two per': 592544, 'two per household': 937144, 'per household not': 650890, 'household not my': 406893, 'not my idea': 570621, 'my idea of': 548817, 'idea of self': 413136, 'alliving': 45858, 'healthyhome': 387845, 'ha at': 369643, 'when disinfecting': 983344, 'disinfecting product': 245871, 'creative fortunately': 216136, 'most cleaning': 542177, 'cleaning wellness': 181126, 'wellness alliving': 978824, 'alliving healthyhome': 45859, 'the sanitizer everyone': 866353, 'sanitizer everyone ha': 734838, 'everyone ha at': 286959, 'ha at home': 369644, 'and will never': 75678, 'out of when': 626876, 'of when disinfecting': 593087, 'when disinfecting product': 983345, 'disinfecting product are': 245872, 'product are in': 680939, 'short supply you': 764718, 'be creative fortunately': 114286, 'creative fortunately we': 216137, 'fortunately we all': 329920, 'access to one': 28264, 'the most cleaning': 860957, 'most cleaning wellness': 542178, 'cleaning wellness alliving': 181127, 'wellness alliving healthyhome': 978825, 'damn all': 225315, 'people jacking': 648546, 'jacking all': 464175, 'store other': 809393, 'god damn all': 354673, 'damn all these': 225316, 'these people jacking': 880447, 'people jacking all': 648547, 'jacking all the': 464176, 'grocery store other': 365626, 'store other people': 809395, 'need it too': 555113, 'it too ya': 461798, 'albertson': 40842, 'si said': 768316, 'said walmart': 731557, 'walmart sam': 965409, 'club already': 184399, '30am wait': 17439, 'in sam': 427671, 'sam open': 732928, '9am albertson': 23954, 'albertson line': 40843, 'in pic': 426699, 'pic people': 655619, 'still panicbuying': 801024, 'panicbuying insane': 638973, 'insane stoppanicbuying': 439071, 'my si said': 550079, 'si said walmart': 768317, 'said walmart sam': 731558, 'walmart sam club': 965410, 'sam club already': 732913, 'club already had': 184400, 'already had long': 47397, 'had long line': 373259, 'line at 30am': 492977, 'at 30am wait': 97611, '30am wait to': 17440, 'get in sam': 347308, 'in sam open': 427673, 'sam open at': 732929, 'open at 9am': 612098, 'at 9am albertson': 97822, '9am albertson line': 23955, 'albertson line in': 40844, 'line in pic': 493200, 'in pic people': 426701, 'pic people are': 655620, 'are still panicbuying': 90464, 'still panicbuying insane': 801025, 'panicbuying insane stoppanicbuying': 638974, 'insane stoppanicbuying stophoarding': 439072, 'uk my': 938560, 'mum doe': 545889, 'doe work': 251674, 'community kitchen': 189950, 'kitchen and': 475690, 'and tonight': 74267, 'had almost': 372825, 'just doing': 468624, 'doing handout': 252438, 'handout tonight': 376434, 'tonight due': 924402, 'due because': 261637, 'really running': 702527, 'uk my mum': 938561, 'my mum doe': 549371, 'mum doe work': 545890, 'doe work for': 251675, 'work for our': 1005167, 'local community kitchen': 497841, 'community kitchen and': 189951, 'kitchen and tonight': 475693, 'and tonight we': 74268, 'tonight we had': 924520, 'we had almost': 971699, 'had almost nothing': 372826, 'almost nothing to': 46716, 'nothing to give': 573193, 'to give out': 906700, 'give out we': 350636, 'out we were': 627800, 'we were planning': 973804, 'planning on just': 658566, 'on just doing': 601747, 'just doing handout': 468625, 'doing handout tonight': 252439, 'handout tonight due': 376435, 'tonight due because': 924403, 'due because of': 261638, '19 but even': 5496, 'but even then': 145671, 'even then we': 284675, 'then we were': 877732, 'were really running': 980040, 'really running low': 702528, 'low on food': 505456, 'food we ve': 317535, 'merit supermarket': 529136, 'crisis making': 217694, 'even putting': 284505, 'ha taught to': 372165, 'taught to stop': 834904, 'or merit supermarket': 616132, 'merit supermarket staff': 529137, 'taxi driver delivery': 835157, 'driver are the': 259443, 'this crisis making': 887063, 'crisis making sure': 217695, 'have the essential': 382982, 'the essential to': 854524, 'essential to survive': 281710, 'survive on even': 829211, 'on even putting': 600610, 'even putting their': 284506, 'delaware stay': 232659, 'home ordinance': 401791, 'ordinance during': 619075, 'pandemic grow': 635523, 'grow tighter': 367076, 'tighter some': 895874, 'boutique have': 136935, 'moved their': 543830, 'delaware stay at': 232660, 'at home ordinance': 99072, 'home ordinance during': 401792, 'ordinance during the': 619076, '19 pandemic grow': 9340, 'pandemic grow tighter': 635524, 'grow tighter some': 367077, 'tighter some local': 895875, 'and boutique have': 59123, 'boutique have moved': 136936, 'have moved their': 381522, 'moved their sale': 543831, 'their sale online': 874625, 'economy eventually': 267846, 'eventually improves': 285161, 'improves big': 419591, 'tech could': 836069, 'habit gate': 372620, 'gate is': 344338, 'savvy workforce': 738034, 'workforce you': 1008399, 'business successful': 144439, 'successful business': 816232, 'business remotework': 144306, 'remotework technology': 710789, 'technology nyc': 836343, 'the economy eventually': 853965, 'economy eventually improves': 267847, 'eventually improves big': 285162, 'improves big tech': 419592, 'big tech could': 130052, 'tech could benefit': 836070, 'benefit from change': 126980, 'consumer habit gate': 197687, 'habit gate is': 372621, 'gate is here': 344339, 'with the tech': 1001513, 'the tech savvy': 869228, 'tech savvy workforce': 836145, 'savvy workforce you': 738035, 'workforce you need': 1008400, 'your business successful': 1023080, 'business successful business': 144440, 'successful business remotework': 816233, 'business remotework technology': 144307, 'remotework technology nyc': 710790, 'hinakhan': 396829, 'in viral': 430594, 'video hinakhan': 956775, 'hinakhan showed': 396830, 'showed her': 767325, 'her follower': 392051, 'follower the': 312654, 'correct way': 207539, 'using face': 950475, 'mask coronainmaharashtra': 518541, 'in viral video': 430595, 'viral video hinakhan': 957636, 'video hinakhan showed': 956776, 'hinakhan showed her': 396831, 'showed her follower': 767326, 'her follower the': 392053, 'follower the correct': 312655, 'the correct way': 851971, 'correct way of': 207540, 'way of using': 969772, 'of using face': 592719, 'using face mask': 950476, 'face mask coronainmaharashtra': 294530, 'those company': 891881, 'but inflating': 146050, 'over do': 630149, 'to forgive': 906195, 'forgive coronacrisis': 329368, 'for those company': 327104, 'those company and': 891882, 'company and people': 190388, 'and people profiteering': 68875, 'pandemic but inflating': 635046, 'but inflating price': 146051, 'no reason but': 565284, 'reason but to': 702882, 'but to take': 147592, 'will remember who': 994647, 'remember who you': 710430, 'you are once': 1017186, 'are once this': 88744, 'all over do': 43857, 'over do not': 630150, 'not expect to': 569330, 'expect to forgive': 290767, 'to forgive coronacrisis': 906196, 'forgive coronacrisis profiteering': 329369, '18 oilprices': 4569, '23 18 oilprices': 15357, 'convened': 202308, 'kenan': 472773, 'advisory panel': 33774, 'panel convened': 637170, 'convened by': 202309, 'by amp': 151817, 'the kenan': 858742, 'kenan institute': 472774, 'institute will': 440436, 'offering press': 595213, 'dramatic short': 258305, 'downturn on': 257808, 'personal amp': 652778, 'finance join': 306214, 'join tues': 466898, 'tues march': 935095, '24 at': 15565, 'medium advisory panel': 526977, 'advisory panel convened': 33775, 'panel convened by': 637171, 'convened by amp': 202310, 'by amp the': 151818, 'amp the kenan': 54657, 'the kenan institute': 858743, 'kenan institute will': 472775, 'institute will be': 440437, 'be offering press': 116161, 'offering press briefing': 595214, 'press briefing on': 671016, 'on the dramatic': 604079, 'the dramatic short': 853665, 'dramatic short and': 258306, 'the 19 financial': 847917, '19 financial downturn': 7006, 'financial downturn on': 306406, 'downturn on personal': 257809, 'on personal amp': 602771, 'personal amp consumer': 652779, 'amp consumer finance': 53566, 'consumer finance join': 197479, 'finance join tues': 306215, 'join tues march': 466899, 'tues march 24': 935096, 'march 24 at': 515197, '24 at 11': 15566, 'by browsing': 152009, 'browsing through': 141310, 'delivery quarantinelife': 234382, 'chinavirus selfquarantine': 177172, 'just did my': 468583, 'shopping online without': 763511, 'online without panic': 609761, 'without panic at': 1002818, 'panic at just': 637362, 'at just by': 99348, 'just by browsing': 468396, 'by browsing through': 152011, 'browsing through the': 141311, 'through the article': 894719, 'the article it': 848936, 'article it safe': 94377, 'it safe and': 460837, 'and with free': 75770, 'free delivery quarantinelife': 331759, 'delivery quarantinelife chinavirus': 234383, 'quarantinelife chinavirus selfquarantine': 692939, 'china feel': 176651, 'enough information': 277486, 'getting this': 349379, 'full complimentary': 340535, 'complimentary study': 192515, 'analytics consumer': 57218, 'insight research': 439627, 'do consumer in': 249200, 'uk and china': 938166, 'and china feel': 59849, 'china feel they': 176652, 'have enough information': 380454, 'enough information about': 277487, '19 where are': 12029, 'are they getting': 91001, 'they getting this': 882191, 'getting this information': 349380, 'this information the': 888116, 'information the full': 438002, 'the full complimentary': 856003, 'full complimentary study': 340536, 'complimentary study from': 192516, 'study from the': 814898, 'from the strategy': 337891, 'the strategy analytics': 868202, 'strategy analytics consumer': 812600, 'analytics consumer insight': 57219, 'consumer insight research': 197887, 'insight research team': 439628, 'research team is': 713853, 'magistrate': 508407, '19 another': 5149, 'form task': 329561, 'commodity aren': 189133, 'hoarding take': 399574, 'place price': 657665, 'price magistrate': 675146, 'magistrate su': 508408, 'while all the': 986582, 'all the good': 44766, 'the good step': 856449, 'good step are': 357769, 'step are taken': 799497, 'are taken in': 90707, 'taken in light': 833014, 'covid 19 another': 212632, '19 another step': 5150, 'another step must': 77868, 'taken to form': 833100, 'to form task': 906202, 'form task force': 329562, 'force to make': 328526, 'sure the essential': 827710, 'essential commodity aren': 280913, 'commodity aren sold': 189134, 'aren sold on': 92527, 'sold on higher': 781716, 'higher price no': 395682, 'price no hoarding': 675344, 'no hoarding take': 564433, 'hoarding take place': 399575, 'take place price': 832506, 'place price magistrate': 657666, 'price magistrate su': 675147, 'mahon': 508518, 'multiple news': 545765, 'news organization': 560677, 'on increased': 601542, 'ammunition driven': 52939, 'customer concerned': 222267, 'could spur': 209704, 'spur social': 791338, 'unrest or': 943363, 'or interrupt': 615811, 'system ed': 831154, 'ed mahon': 268455, 'multiple news organization': 545766, 'news organization have': 560678, 'organization have reported': 619380, 'reported on increased': 712511, 'on increased demand': 601543, 'demand for gun': 235436, 'for gun and': 322089, 'and ammunition driven': 58079, 'ammunition driven by': 52940, 'driven by customer': 259277, 'by customer concerned': 152281, 'customer concerned that': 222268, 'the outbreak could': 862608, 'outbreak could spur': 628146, 'could spur social': 209705, 'spur social unrest': 791339, 'social unrest or': 780003, 'unrest or interrupt': 943364, 'or interrupt the': 615812, 'interrupt the food': 442105, 'food system ed': 317044, 'system ed mahon': 831155, 'to bitch': 901825, 'bitch about': 131740, 'about whole': 26927, 'whole paycheck': 990298, 'paycheck the': 645309, 'the arrival': 848920, 'arrival of': 93890, 'street ne': 813043, 'ne coupled': 553440, 'merger with': 529111, 'with amazon': 997182, 'amazon which': 51196, 'which lowered': 986122, 'price considerably': 673213, 'considerably changed': 195193, 'used to bitch': 950038, 'to bitch about': 901826, 'bitch about whole': 131741, 'about whole paycheck': 26928, 'whole paycheck the': 990299, 'paycheck the arrival': 645310, 'the arrival of': 848921, 'arrival of on': 93893, 'of on street': 587228, 'on street ne': 603716, 'street ne coupled': 813044, 'ne coupled with': 553441, 'with the merger': 1001388, 'the merger with': 860503, 'merger with amazon': 529112, 'with amazon which': 997183, 'amazon which lowered': 51197, 'which lowered price': 986123, 'lowered price considerably': 506077, 'price considerably changed': 673214, 'considerably changed my': 195194, 'changed my mind': 172513, 'justinrivera': 470483, 'it quarantine': 460574, 'quarantinelife quarantined': 693000, 'quarantined quarantineandchill': 692880, 'quarantineandchill filipino': 692753, 'filipino filipino': 305439, 'filipino asian': 305435, 'asian asia': 95253, 'asia cov': 95166, 'virus stayathome': 958805, 'toiletpaper justinrivera': 922159, 'name it we': 551651, 'it we got': 462276, 'we got it': 971672, 'got it quarantine': 358650, 'it quarantine quarantinelife': 460575, 'quarantine quarantinelife quarantined': 692476, 'quarantinelife quarantined quarantineandchill': 693001, 'quarantined quarantineandchill filipino': 692881, 'quarantineandchill filipino filipino': 692754, 'filipino filipino asian': 305440, 'filipino asian asia': 305436, 'asian asia cov': 95254, 'asia cov d19': 95167, 'd19 virus stayathome': 224194, 'virus stayathome toiletpaper': 958806, 'stayathome toiletpaper justinrivera': 797683, 'holla': 400414, 'for music': 323660, 'then realize': 877460, 'want gin': 965797, 'gin holla': 350173, 'holla seriously': 400415, 'seriously everyone': 751600, 'be sensitive': 117086, 'sensitive be': 750697, 'when you stock': 984604, 'you stock your': 1021422, 'stock your fridge': 803226, 'your fridge with': 1023965, 'fridge with ice': 333442, 'cream for music': 215547, 'for music video': 323661, 'music video and': 546352, 'video and then': 956615, 'and then realize': 73797, 'then realize there': 877461, 'realize there food': 701874, 'there food shortage': 878400, 'buying if anyone': 150513, 'anyone want gin': 80602, 'want gin holla': 965798, 'gin holla seriously': 350174, 'holla seriously everyone': 400416, 'seriously everyone be': 751601, 'everyone be sensitive': 286731, 'be sensitive be': 117087, 'first autonomous': 308522, 'autonomous vehicle': 104063, 'go mainstream': 353825, 'mainstream might': 508915, 'be delivery': 114407, 'delivery drone': 233960, 'the first autonomous': 855280, 'first autonomous vehicle': 308523, 'autonomous vehicle to': 104064, 'vehicle to go': 954288, 'to go mainstream': 906823, 'go mainstream might': 353826, 'mainstream might be': 508916, 'might be delivery': 530890, 'be delivery drone': 114408, 'eldest': 270975, 'anchor': 57310, 'nowwehavefood': 576595, 'wow anxiety': 1012540, 'anxiety level': 78742, 'level way': 487743, 'way high': 969627, 'high just': 395147, 'leave trolley': 485022, 'my eldest': 548077, 'eldest wasn': 270978, 'wasn there': 968031, 'to anchor': 900481, 'anchor me': 57313, 'me sigh': 523467, 'sigh stayhomesavelives': 769022, 'stayhomesavelives wecandothis': 798491, 'wecandothis isolationlife': 975526, 'isolationlife nowwehavefood': 455544, 'wow anxiety level': 1012541, 'anxiety level way': 78744, 'level way high': 487744, 'way high just': 969628, 'high just doing': 395149, 'just doing the': 468626, 'doing the food': 252718, 'shop in big': 760305, 'big supermarket wa': 130037, 'wa so ready': 963264, 'so ready to': 778114, 'ready to leave': 700963, 'to leave trolley': 909168, 'leave trolley there': 485023, 'trolley there and': 932484, 'there and go': 878001, 'go home if': 353668, 'home if my': 401398, 'if my eldest': 414433, 'my eldest wasn': 548079, 'eldest wasn there': 270979, 'wasn there to': 968032, 'there to anchor': 879178, 'to anchor me': 900482, 'anchor me sigh': 57314, 'me sigh stayhomesavelives': 523468, 'sigh stayhomesavelives wecandothis': 769023, 'stayhomesavelives wecandothis isolationlife': 798492, 'wecandothis isolationlife nowwehavefood': 975527, 'dns': 249007, 'by infosec': 152923, 'infosec retail': 438157, 'retail dns': 718039, 'dns consumer': 249008, '19 by infosec': 5561, 'by infosec retail': 152924, 'infosec retail dns': 438158, 'retail dns consumer': 718040, 'done james': 254916, 'james great': 464398, 'great front': 362696, 'we opened': 972656, 'well done james': 978189, 'done james great': 254917, 'james great front': 464399, 'great front of': 362697, 'front of store': 338646, 'of store before': 590243, 'store before we': 806708, 'before we opened': 123289, 'we opened this': 972657, 'offer worker': 594891, 'worker paidsickleave': 1007535, 'leave read': 484913, 'the oag': 862009, 'employer to offer': 274551, 'to offer worker': 910859, 'offer worker paidsickleave': 594892, 'worker paidsickleave which': 1007536, 'take paid sick': 832478, 'sick leave read': 768503, 'leave read our': 484914, 'to the oag': 916913, 'the oag at': 862010, 'about demand': 25094, 'help go': 389814, 'you for having': 1018641, 'for having on': 322132, 'having on to': 384208, 'on to talk': 604767, 'talk about demand': 833735, 'about demand for': 25095, 'food for way': 314585, 'to help go': 907531, 'help go to': 389815, 'giveifyoucan': 350928, 'created sudden': 215898, 'sudden massive': 817020, 'massive unexpected': 520153, 'unexpected unemployment': 941389, 'little immediate': 495399, 'immediate prospect': 417014, 'safe re': 729903, 're employment': 698600, 'employment or': 274636, 'employment let': 274630, 'let contribute': 486657, 'contribute if': 201869, 'support are': 826371, 'demand giveifyoucan': 235567, 'ha created sudden': 370284, 'created sudden massive': 215899, 'sudden massive unexpected': 817021, 'massive unexpected unemployment': 520154, 'unexpected unemployment in': 941390, 'unemployment in our': 941226, 'our community with': 622490, 'community with little': 190237, 'with little immediate': 999257, 'little immediate prospect': 495400, 'immediate prospect for': 417015, 'prospect for safe': 684681, 'for safe re': 325293, 'safe re employment': 729904, 're employment or': 698601, 'employment or self': 274637, 'or self employment': 616992, 'self employment let': 747639, 'employment let contribute': 274631, 'let contribute if': 486658, 'contribute if we': 201870, 'we can food': 970952, 'can food bank': 158368, 'and other community': 68296, 'other community support': 619975, 'community support are': 190130, 'support are in': 826372, 'are in significant': 87438, 'in significant demand': 427954, 'significant demand giveifyoucan': 769425, 'queue for tinned': 693935, 'tinned food at': 898612, 'food at iceland': 313447, 'spent hr': 789132, 'hr on': 409647, 'phone yesterday': 655074, 'switch flight': 830486, 'to earlier': 904831, 'earlier date': 264436, 'date then': 226736, 'cancelled the': 161176, '2nd leg': 16789, 'leg and': 485801, 'only realistic': 611050, 'realistic option': 701668, 'haven airline': 383736, 'airline significantly': 40022, 'significantly lowered': 769591, 'let peo': 486969, 'spent hr on': 789133, 'hr on phone': 409648, 'on phone yesterday': 602792, 'phone yesterday to': 655075, 'yesterday to switch': 1015903, 'to switch flight': 916100, 'switch flight home': 830487, 'flight home to': 310490, 'home to earlier': 402319, 'to earlier date': 904832, 'earlier date then': 264437, 'date then find': 226737, 'find out today': 307155, 'out today you': 627707, 'today you have': 920589, 'you have cancelled': 1019023, 'have cancelled the': 379888, 'cancelled the 2nd': 161177, 'the 2nd leg': 848077, '2nd leg and': 16790, 'leg and only': 485803, 'and only realistic': 68149, 'only realistic option': 611051, 'realistic option are': 701669, 'option are thousand': 613987, 'of dollar more': 582779, 'dollar more why': 253038, 'more why haven': 540980, 'why haven airline': 991058, 'haven airline significantly': 383737, 'airline significantly lowered': 40023, 'significantly lowered price': 769592, 'price to let': 677007, 'to let peo': 909211, 'life seen': 489030, 'look so': 502595, 'mean by': 524385, 'people mean': 648762, 'my life seen': 549034, 'life seen supermarket': 489031, 'seen supermarket look': 747262, 'supermarket look so': 821390, 'look so dead': 502596, 'so dead and': 776845, 'dead and don': 229131, 'and don mean': 61636, 'don mean by': 253730, 'mean by the': 524386, 'of people mean': 587945, 'people mean by': 648763, 'avoid prolonged': 105240, 'prolonged conversation': 683625, 'conversation also': 202454, 'away let': 105962, 'traffic continue': 929070, 'continue moving': 201069, 'moving thank': 544188, 'help maintain socialdistancing': 390027, 'maintain socialdistancing at': 509036, 'store avoid prolonged': 806619, 'avoid prolonged conversation': 105241, 'prolonged conversation also': 683626, 'conversation also put': 202455, 'also put your': 48725, 'phone away let': 654903, 'away let go': 105963, 'go of perfect': 353863, 'of perfect there': 588041, 'please please just': 660306, 'let the flow': 487126, 'foot traffic continue': 318456, 'traffic continue moving': 929071, 'continue moving thank': 201070, 'moving thank you': 544189, 'strained outbreak': 812319, 'infrastructure strained outbreak': 438224, 'strained outbreak spark': 812320, 'market always': 515929, 'getting handout': 349019, 'handout my': 376432, 'usually very': 951167, 'very attentive': 954995, 'attentive and': 102512, 'behaved when': 123815, 'think giving': 885259, 'him food': 396601, 'funny how the': 341744, 'how the stock': 408878, 'stock market always': 802377, 'market always doe': 515930, 'always doe well': 49535, 'doe well when': 251668, 'well when they': 978746, 'when they think': 984285, 're getting handout': 698730, 'getting handout my': 349020, 'handout my dog': 376433, 'dog is usually': 252121, 'is usually very': 453643, 'usually very attentive': 951168, 'very attentive and': 954996, 'attentive and well': 102514, 'and well behaved': 75401, 'well behaved when': 978052, 'behaved when he': 123816, 'when he think': 983546, 'he think giving': 385520, 'think giving him': 885260, 'giving him food': 351312, 'him food too': 396602, 'despite having': 238754, 'month switzerland': 538028, 'switzerland ha': 830606, 'an increasing': 56248, 'like everywhere': 490199, 'else this': 271929, 'despite having enough': 238755, 'having enough for': 384050, 'enough for month': 277435, 'for month switzerland': 323538, 'month switzerland ha': 538029, 'switzerland ha seen': 830607, 'ha seen an': 371821, 'seen an increasing': 746934, 'an increasing demand': 56249, 'demand for supply': 235500, 'for supply just': 326049, 'supply just like': 825480, 'just like everywhere': 469144, 'like everywhere else': 490200, 'everywhere else this': 288199, 'else this is': 271930, 'is the current': 452760, 'situation of the': 772419, 'country food supply': 210661, 'supply chain by': 824922, 'chain by en': 170570, 'company expect': 190635, 'expect shift': 290724, 'shift caused': 758261, 'to spur': 915090, 'spur inventory': 791332, 'demand industrial': 235702, 'industrial property': 435563, 'property operator': 684315, 'to renewed': 913229, 'renewed increase': 711011, 'estate company expect': 282111, 'company expect shift': 190637, 'expect shift caused': 290725, 'shift caused by': 758262, 'caused by corona': 167832, 'by corona virus': 152222, 'corona virus to': 204367, 'virus to spur': 958928, 'to spur inventory': 915092, 'spur inventory demand': 791333, 'inventory demand industrial': 443657, 'demand industrial property': 235703, 'industrial property operator': 435564, 'property operator expect': 684316, 'the disruption in': 853404, 'disruption in consumer': 246490, 'in consumer supply': 421723, 'pandemic to lead': 636783, 'lead to renewed': 483384, 'to renewed increase': 913230, 'just woke': 470320, 'up work': 946709, 'work night': 1005488, 'mac cannot': 507315, 'have costa': 380124, 'costa and': 208177, 'now found': 574735, 'have sausage': 382393, 'sausage roll': 737415, 'are cruel': 85640, 'cruel bitch': 219670, 'just woke up': 470321, 'woke up work': 1003363, 'up work night': 946710, 'work night in': 1005490, 'in supermarket cannot': 428571, 'supermarket cannot have': 819523, 'cannot have big': 161949, 'have big mac': 379787, 'big mac cannot': 129861, 'mac cannot have': 507316, 'cannot have costa': 161950, 'have costa and': 380125, 'costa and now': 208178, 'and now found': 67836, 'now found out': 574736, 'found out cannot': 330320, 'out cannot have': 625830, 'cannot have sausage': 161952, 'have sausage roll': 382394, 'sausage roll from': 737416, 'roll from you': 725314, 'from you are': 338455, 'you are cruel': 1017102, 'are cruel bitch': 85641, 'are tip for': 91093, 'for shopping safely': 325594, 'fountain': 330573, 'indulgent': 435510, 'sanitizer fountain': 734930, 'fountain at': 330574, 'my wedding': 550545, 'wedding wa': 975584, 'kinda indulgent': 475053, 'now that look': 576007, 'that look back': 844944, 'back at it': 106890, 'at it the': 99338, 'it the hand': 461543, 'hand sanitizer fountain': 375411, 'sanitizer fountain at': 734931, 'fountain at my': 330575, 'at my wedding': 99834, 'my wedding wa': 550546, 'wedding wa kinda': 975585, 'wa kinda indulgent': 962496, 'farmer distributor': 299338, 'distributor trucker': 248332, 'the farmer distributor': 854944, 'farmer distributor trucker': 299339, 'distributor trucker and': 248333, 'trucker and supermarket': 932898, 'and supermarket people': 72730, 'supermarket people that': 821953, 'people that supply': 649777, 'that supply with': 846589, 'supply with food': 826122, 'with food every': 998487, 'reason other': 702971, 'shopping then': 764101, 'problem lockdownuk': 679597, 'lockdownuk panicbuying': 500424, 'or hoarding stock': 615661, 'hoarding stock are': 399538, 'stock are the': 801860, 'who are complaining': 988120, 'complaining about empty': 191884, 'empty shelf if': 275072, 'you have gone': 1019051, 'few day for': 303774, 'day for reason': 227632, 'for reason other': 325001, 'reason other than': 702972, 'other than your': 621089, 'than your weekly': 841509, 'your weekly shopping': 1026340, 'weekly shopping then': 977568, 'shopping then you': 764102, 'then you are': 877779, 'the problem lockdownuk': 864518, 'problem lockdownuk panicbuying': 679598, 'retailinnovation': 719485, 'retailindustry': 719467, 'futureofretail': 342549, 'realtime live': 702767, 'live webinar': 496110, '19 wednesday': 11971, '2020 11am': 14086, '11am pt': 2727, 'pt retail': 687609, 'innovation grocery': 438873, 'grocery retailinnovation': 364906, 'retailinnovation groceryindustry': 719486, 'groceryindustry supermarket': 366228, 'retailer retailindustry': 719297, 'retailindustry futureofretail': 719468, 'in realtime live': 427309, 'realtime live webinar': 702768, 'live webinar retail': 496111, 'covid 19 wednesday': 214055, '19 wednesday april': 11972, 'wednesday april 2020': 975619, 'april 2020 11am': 83455, '2020 11am pt': 14087, '11am pt retail': 2728, 'pt retail innovation': 687610, 'retail innovation grocery': 718232, 'innovation grocery retailinnovation': 438874, 'grocery retailinnovation groceryindustry': 364907, 'retailinnovation groceryindustry supermarket': 719487, 'groceryindustry supermarket retailer': 366229, 'supermarket retailer retailindustry': 822236, 'retailer retailindustry futureofretail': 719298, 'minh': 532987, 'phu': 655351, 'minh phu': 532988, 'phu seafood': 655352, 'seafood vietnam': 743157, 'vietnam leading': 957034, 'leading shrimp': 483740, 'shrimp exporter': 767680, 'exporter ha': 292751, 'seen recent': 747204, 'recent surge': 703993, 'foreign retail': 329009, 'shopping seafood': 763820, 'seafood source': 743148, 'source while': 786582, 'while customer': 986734, 'postpone or': 666773, 'or cancel': 614653, 'cancel order': 160874, 'many appear': 513745, 'with larger': 999175, 'larger order': 479899, 'minh phu seafood': 532989, 'phu seafood vietnam': 655353, 'seafood vietnam leading': 743158, 'vietnam leading shrimp': 957035, 'leading shrimp exporter': 483741, 'shrimp exporter ha': 767681, 'exporter ha seen': 292752, 'ha seen recent': 371840, 'seen recent surge': 747205, 'recent surge in': 703994, 'in sale from': 427654, 'sale from foreign': 732238, 'from foreign retail': 335538, 'foreign retail and': 329010, 'online shopping seafood': 609261, 'shopping seafood source': 763821, 'seafood source while': 743149, 'source while customer': 786583, 'while customer in': 986735, 'customer in major': 222497, 'major market had': 509386, 'market had to': 516495, 'to postpone or': 911925, 'postpone or cancel': 666774, 'or cancel order': 614654, 'cancel order due': 160875, '19 many appear': 8542, 'many appear to': 513746, 'to be coming': 901172, 'be coming back': 114152, 'coming back with': 188007, 'back with larger': 107479, 'with larger order': 999176, 'box ha': 137080, '50 during': 19678, 'lockdown say': 499885, 'say community': 738524, 'community initiative': 189926, 'ensure all': 277891, 'where 30': 984710, 'live beneath': 495743, 'beneath national': 126870, 'national poverty': 552587, 'for food box': 321562, 'food box ha': 313778, 'box ha gone': 137081, 'gone up 50': 356411, 'up 50 during': 944185, '50 during lockdown': 19679, 'during lockdown say': 262772, 'lockdown say community': 499886, 'say community initiative': 738525, 'community initiative are': 189927, 'initiative are critical': 438609, 'critical to ensure': 218706, 'to ensure all': 905142, 'ensure all have': 277892, 'to food in': 906082, 'food in lebanon': 314947, 'lebanon where 30': 485197, 'where 30 of': 984711, '30 of ppl': 17146, 'of ppl live': 588334, 'ppl live beneath': 668273, 'live beneath national': 495744, 'beneath national poverty': 126871, 'national poverty line': 552588, 'poverty line my': 667507, 'line my latest': 493269, 'peak stupid': 646102, 'stupid idle': 815400, 'idle teen': 413684, 'teen are': 836472, 'produce amp': 680170, 'amp posting': 54314, 'posting their': 666694, 'their prank': 874352, 'prank online': 668938, 'nation fight': 552174, 'is known': 449222, 'human droplet': 410483, 'droplet spraying': 260483, 'spraying from': 790372, 'from mouth': 336481, 'peak stupid idle': 646103, 'stupid idle teen': 815401, 'idle teen are': 413685, 'teen are participating': 836473, 'participating in disturbing': 642570, 'in disturbing trend': 422325, 'disturbing trend of': 248428, 'trend of coughing': 931407, 'of coughing on': 582010, 'store produce amp': 809663, 'produce amp posting': 680171, 'amp posting their': 54315, 'posting their prank': 666695, 'their prank online': 874353, 'prank online the': 668939, 'online the nation': 609534, 'the nation fight': 861230, 'nation fight the': 552175, 'fight the which': 304908, 'the which is': 871445, 'which is known': 986023, 'is known to': 449223, 'known to spread': 477255, 'to spread from': 915063, 'from human droplet': 335969, 'human droplet spraying': 410484, 'droplet spraying from': 260484, 'spraying from mouth': 790373, 'hi steve': 394736, 'steve starting': 799961, 'hi steve starting': 394737, 'steve starting on': 799962, 'day very': 228646, 'but enjoying': 145653, 'enjoying time': 277247, 'and thankful': 73166, 'thankful we': 841937, 'at home without': 99175, 'home without covid': 402547, 'test result after': 839148, 'result after day': 717472, 'after day very': 35544, 'day very annoyed': 228647, 'very annoyed by': 954992, 'annoyed by that': 77350, 'by that can': 154248, 'store but enjoying': 806790, 'but enjoying time': 145654, 'enjoying time with': 277248, 'family and thankful': 297607, 'and thankful we': 73167, 'thankful we re': 841938, 're getting better': 698727, 'pasta wa': 643844, 'wa eliminated': 962061, 'eliminated how': 271477, 'the pasta wa': 863381, 'pasta wa eliminated': 643846, 'wa eliminated how': 962062, 'eliminated how can': 271478, 'this here tip': 887917, 'here tip from': 393699, 'santoshhospitals': 736651, 'santoshmedicalcollege': 736654, 'ncr': 553359, 'lifeatsantosh': 489257, 'new scare': 559552, 'scare use': 740924, 'else wash': 271964, 'water santoshhospitals': 969147, 'santoshhospitals santoshmedicalcollege': 736652, 'santoshmedicalcollege ncr': 736655, 'ncr delhi': 553360, 'delhi lifeatsantosh': 232899, 'the new scare': 861553, 'new scare use': 559553, 'scare use an': 740925, '60 alcohol or': 20892, 'alcohol or else': 41064, 'or else wash': 615137, 'else wash your': 271965, 'and water santoshhospitals': 75252, 'water santoshhospitals santoshmedicalcollege': 969148, 'santoshhospitals santoshmedicalcollege ncr': 736653, 'santoshmedicalcollege ncr delhi': 736656, 'ncr delhi lifeatsantosh': 553361, 'rohingya': 725040, 'some 200': 782242, '00 rohingya': 476, 'rohingya refugee': 725041, 'refugee are': 706838, '19 movement': 8697, 'some 200 00': 782243, '200 00 rohingya': 13442, '00 rohingya refugee': 477, 'rohingya refugee are': 725042, 'refugee are among': 706839, 'among those impacted': 53098, 'covid 19 movement': 213450, '19 movement control': 8698, 'government plot': 360470, 'plot meant': 661086, 'all home': 43138, 'because nobody': 119278, 'out government': 626229, 'government loan': 360324, 'government lie': 360315, 'lie really': 488368, 'yes the covid': 1015551, 'virus is government': 958377, 'is government plot': 448171, 'government plot meant': 360471, 'plot meant to': 661087, 'meant to keep': 524910, 'keep all home': 471296, 'all home so': 43139, 'home so that': 402087, 'can buy up': 157843, 'everything in store': 287856, 'in store sell': 428452, 'store sell it': 810029, 'sell it back': 748767, 'back to at': 107352, 'to at higher': 900804, 'price and because': 672366, 'and because nobody': 58794, 'because nobody can': 119279, 'nobody can work': 565986, 'can work we': 160253, 'work we will': 1005982, 'take out government': 832447, 'out government loan': 626231, 'government loan to': 360325, 'loan to pay': 497547, 'for it government': 322707, 'it government lie': 458323, 'government lie really': 360316, 'variability': 952523, 'we interviewed': 972083, 'interviewed 500': 442274, '500 chinese': 19959, 'gauge consumer': 344538, 'subsides the': 815967, 'that emerges': 843694, 'emerges is': 273089, 'is broadly': 446277, 'broadly positive': 140781, 'but variability': 147675, 'variability in': 952524, 'some sector': 783811, 'sector suggests': 744340, 'that brand': 843025, 'full recovery': 340840, 'we interviewed 500': 972084, 'interviewed 500 chinese': 442275, '500 chinese consumer': 19960, 'chinese consumer to': 177231, 'consumer to gauge': 199318, 'to gauge consumer': 906383, 'gauge consumer confidence': 344539, 'confidence the crisis': 193963, 'crisis subsides the': 218111, 'subsides the picture': 815968, 'the picture that': 863730, 'picture that emerges': 656199, 'that emerges is': 843695, 'emerges is broadly': 273090, 'is broadly positive': 446278, 'broadly positive but': 140782, 'positive but variability': 665271, 'but variability in': 147676, 'variability in some': 952525, 'in some sector': 428101, 'some sector suggests': 783813, 'sector suggests that': 744341, 'suggests that brand': 817714, 'that brand can': 843027, 'can take full': 159898, 'take full recovery': 832145, 'full recovery in': 340841, 'recovery in demand': 705345, 'demand for granted': 235433, 'edgewater': 268527, 'the edgewater': 854054, 'edgewater drive': 268528, 'drive gas': 259063, 'and repair': 70248, 'to furlough': 906338, 'furlough three': 341902, 'it 10': 456166, '10 worker': 1762, 'worker meanwhile': 1007371, 'meanwhile gas': 524974, 'below 60': 126583, 'part because': 642237, 'the edgewater drive': 854055, 'edgewater drive gas': 268529, 'drive gas station': 259065, 'station and repair': 796337, 'and repair shop': 70249, 'repair shop ha': 711469, 'shop ha had': 760254, 'had to furlough': 373692, 'to furlough three': 906339, 'furlough three of': 341903, 'three of it': 894013, 'of it 10': 585357, 'it 10 worker': 456167, '10 worker meanwhile': 1763, 'worker meanwhile gas': 1007372, 'meanwhile gas could': 524975, 'gas could fall': 343804, 'fall below 60': 296862, 'below 60 in': 126584, '60 in in': 20954, 'in in part': 424000, 'in part because': 426524, 'part because of': 642238, 'hour tearful': 405970, 'tearful nh': 835985, 'coronacrisis newsnight': 204668, 'newsnight nhsworkers': 561053, 'nhsworkers foodshortages': 562282, 'after working for': 36581, 'working for 48': 1008632, '48 hour tearful': 19313, 'hour tearful nh': 405971, 'tearful nh nurse': 835986, 'nh nurse urge': 562027, 'nurse urge people': 577531, 'buying food coronacrisis': 150307, 'food coronacrisis newsnight': 314021, 'coronacrisis newsnight nhsworkers': 204669, 'newsnight nhsworkers foodshortages': 561054, 'support employee via': 826478, 'have mixed': 381483, 'mixed feeling': 534623, 'being happy': 125215, 'being concerned': 124977, 'health hopefully': 386505, 'okay groceryworkers': 597978, 'daughter ha job': 226852, 'store today have': 810843, 'today have mixed': 919617, 'have mixed feeling': 381484, 'mixed feeling about': 534624, 'feeling about being': 302960, 'about being happy': 24865, 'being happy for': 125216, 'happy for her': 377618, 'her and also': 391844, 'and also being': 57942, 'also being concerned': 47948, 'being concerned for': 124978, 'concerned for her': 193199, 'for her health': 322221, 'her health hopefully': 392105, 'health hopefully it': 386507, 'be okay groceryworkers': 116182, 'aprilfools': 83731, 'many aprilfools': 513747, 'aprilfools joke': 83732, 'joke might': 467108, 'fool you': 318319, 'you every': 1018463, 'fear beware': 301059, 'test treatment': 839217, 'treatment stimulus': 931141, 'check work': 174721, 'scheme check': 741555, 'all scam': 44249, 'many aprilfools joke': 513748, 'aprilfools joke might': 83733, 'joke might be': 467109, 'might be canceled': 530882, 'be canceled but': 113964, 'canceled but scammer': 160927, 'looking to fool': 503030, 'to fool you': 906121, 'fool you every': 318320, 'you every day': 1018464, 'every day by': 285796, 'day by using': 227421, 'by using fear': 154648, 'using fear beware': 950482, 'fear beware of': 301060, 'beware of offer': 129088, 'of offer of': 587159, 'offer of test': 594716, 'of test treatment': 590687, 'test treatment stimulus': 839219, 'treatment stimulus check': 931142, 'stimulus check work': 801527, 'check work from': 174722, 'home scheme check': 402018, 'scheme check out': 741556, 'out this site': 627586, 'this site for': 890168, 'site for detail': 771917, 'detail on all': 239227, 'on all scam': 599246, 'beresolute': 127287, 'healthcare hero': 387136, 'hero with': 394174, 'limited edition': 492622, 'edition shirt': 268647, 'shirt sale': 759003, 'proceeds support': 679858, 'support hospital': 826571, 'hospital learn': 404494, 'online healthcareheroes': 608358, 'healthcareheroes beresolute': 387412, 'beresolute tshirts': 127288, 'tshirts shopping': 934939, 'shopping oneworld': 763399, 'oneworld wereinthistogether': 607578, 'support our covid': 826726, '19 healthcare hero': 7487, 'healthcare hero with': 387138, 'hero with limited': 394175, 'with limited edition': 999230, 'limited edition shirt': 492623, 'edition shirt sale': 268648, 'shirt sale proceeds': 759004, 'sale proceeds support': 732474, 'proceeds support hospital': 679859, 'support hospital learn': 826572, 'hospital learn more': 404495, 'learn more order': 484035, 'more order today': 539964, 'order today online': 618719, 'today online healthcareheroes': 919983, 'online healthcareheroes beresolute': 608359, 'healthcareheroes beresolute tshirts': 387413, 'beresolute tshirts shopping': 127289, 'tshirts shopping oneworld': 934940, 'shopping oneworld wereinthistogether': 763400, 'more paper': 539994, 'paper yes': 641118, 'yes just': 1015471, 'asked friend': 95752, 'more sticky': 540464, 'sticky note': 800126, 'them workingfromhome': 876663, 'more paper yes': 539995, 'paper yes just': 641119, 'yes just asked': 1015472, 'just asked friend': 468227, 'asked friend who': 95753, 'friend who wa': 333909, 'who wa shopping': 989915, 'wa shopping to': 963209, 'shopping to find': 764174, 'me some more': 523509, 'some more sticky': 783322, 'more sticky note': 540465, 'sticky note the': 800128, 'note the supermarket': 572827, 'supermarket ha them': 820652, 'ha them workingfromhome': 372245, '19 nationwide': 8745, 'successive day amid': 816286, 'day amid covid': 227244, 'covid 19 nationwide': 213463, '19 nationwide lockdown': 8746, 'nationwide lockdown key': 552743, 'on disabled': 600335, 'impact on disabled': 417844, 'on disabled and': 600336, 'disabled and older': 243876, 'and older people': 68043, 'some lettuce': 783188, 'lettuce yes': 487464, 'yes shelf': 1015527, 'shelf fairly': 757066, 'fairly bare': 296427, 'not totally': 572229, 'totally hoping': 926344, 'hoping video': 403962, 'video had': 956770, 'some impact': 783081, 'impact stophoarding': 417969, 'popped into shop': 664503, 'into shop for': 442982, 'shop for some': 760200, 'for some lettuce': 325749, 'some lettuce yes': 783189, 'lettuce yes shelf': 487465, 'yes shelf fairly': 1015528, 'shelf fairly bare': 757067, 'fairly bare but': 296428, 'bare but not': 110872, 'but not totally': 146577, 'not totally hoping': 572230, 'totally hoping video': 926345, 'hoping video had': 403963, 'video had some': 956771, 'had some impact': 373528, 'some impact stophoarding': 783082, '70ml': 21962, 'way sell': 969859, 'sell 70ml': 748614, '70ml hand': 21963, 'alcohol nd': 41049, 'nd kill': 553389, 'germ 99': 346082, 'just 1k': 468104, 'in ado': 420046, 'ado ekiti': 32646, 'ekiti still': 270429, 'price till': 676948, 'till 12pm': 895972, '12pm noon': 3129, 'noon oo': 566850, 'oo simply': 611727, 'simply send': 770280, 'ur let': 948029, 'safe nd': 729833, 'nd guarded': 553384, 'the way sell': 871183, 'way sell 70ml': 969860, 'sell 70ml hand': 748615, '70ml hand sanitizer': 21964, '70 alcohol nd': 21720, 'alcohol nd kill': 41050, 'nd kill germ': 553390, 'kill germ 99': 474401, 'germ 99 for': 346083, '99 for just': 23825, 'for just 1k': 322787, 'just 1k in': 468105, '1k in ado': 12622, 'in ado ekiti': 420047, 'ado ekiti still': 32647, 'ekiti still working': 270430, 'still working on': 801437, 'working on face': 1008804, 'mask price till': 519154, 'price till 12pm': 676949, 'till 12pm noon': 895973, '12pm noon oo': 3130, 'noon oo simply': 566851, 'oo simply send': 611728, 'simply send dm': 770281, 'send dm to': 749845, 'dm to get': 248935, 'to get ur': 906635, 'get ur let': 348574, 'ur let stay': 948030, 'stay safe nd': 797255, 'safe nd guarded': 729834, 'time thankfully': 897823, 'thankfully organization': 841957, 'this time thankfully': 890697, 'time thankfully organization': 897824, 'thankfully organization like': 841958, 'too they re': 925118, 'sanitation tip': 733866, 'after toiletpaper': 36429, 'toiletpaper washyourhands': 922817, 'washyourhands quarantine': 967895, 'quarantine toilet': 692641, 'paper crisis': 640070, 'crisis 2020': 216957, 'paper and sanitation': 639850, 'and sanitation tip': 70823, 'sanitation tip to': 733867, 'tip to practice': 898934, 'to practice during': 911954, 'practice during quarantine': 668551, 'during quarantine and': 262933, 'quarantine and after': 692007, 'and after toiletpaper': 57759, 'after toiletpaper washyourhands': 36430, 'toiletpaper washyourhands quarantine': 922818, 'washyourhands quarantine toilet': 967896, 'quarantine toilet paper': 692642, 'toilet paper crisis': 921247, 'paper crisis 2020': 640071, 'chinesevirus2020': 177468, 'phillipsvision': 654762, 'impact maryland': 417739, 'maryland cov': 518190, 'pandemic chinesevirus2020': 635141, 'chinesevirus2020 phillipsvision': 177469, 'phillipsvision youtube': 654763, 'youtube cdc': 1026888, 'cdc walmart': 168628, 'walmart dollartree': 965311, 'dollartree disinfectant': 253128, 'disinfectant toiletpaper': 245784, 'shortage empty': 764926, 'empty shutdown': 275125, 'shutdown news': 768059, 'news caring': 560296, 'caring besafe': 164702, '19 coronavirus impact': 6105, 'coronavirus impact maryland': 206109, 'impact maryland cov': 417740, 'maryland cov d19': 518191, 'd19 corona virus': 224170, 'corona virus flu': 204306, 'flu pandemic chinesevirus2020': 311442, 'pandemic chinesevirus2020 phillipsvision': 635142, 'chinesevirus2020 phillipsvision youtube': 177470, 'phillipsvision youtube cdc': 654764, 'youtube cdc walmart': 1026889, 'cdc walmart dollartree': 168629, 'walmart dollartree disinfectant': 965312, 'dollartree disinfectant toiletpaper': 253129, 'disinfectant toiletpaper shortage': 245785, 'toiletpaper shortage empty': 922466, 'shortage empty shutdown': 764927, 'empty shutdown news': 275126, 'shutdown news caring': 768060, 'news caring besafe': 560297, 'tip hoax': 898818, 'check link': 174481, 'kit delivered': 475532, 'delivered overnight': 233373, 'home press': 401884, 'press be': 671012, 'safety tip hoax': 730766, 'tip hoax and': 898819, 'hoax and other': 399695, 'other scam check': 620872, 'scam check link': 740110, 'check link below': 174482, 'link below if': 493802, 'want to receive': 966099, 'receive free testing': 703485, 'testing kit delivered': 839536, 'kit delivered overnight': 475533, 'delivered overnight to': 233374, 'overnight to your': 631365, 'your home press': 1024368, 'home press be': 401885, 'press be safe': 671013, '19 government check': 7261, 'check scam warning': 174611, 'textile sector': 839977, 'sector ebitda': 744175, 'ebitda likely': 266528, 'dip by': 243176, 'fy21 ind': 342615, 'ind ra': 433966, 'ra via': 695127, 'via further': 955997, 'further it': 342082, 'global textile': 352251, 'textile production': 839975, 'and thereby': 73858, 'thereby textile': 879410, 'textile product': 839973, 'textile sector ebitda': 839978, 'sector ebitda likely': 744176, 'ebitda likely to': 266529, 'to dip by': 904317, 'dip by 15': 243177, '15 in fy21': 3740, 'in fy21 ind': 423201, 'fy21 ind ra': 342616, 'ind ra via': 433967, 'ra via further': 695128, 'via further it': 955998, 'further it said': 342083, 'it said the': 460856, 'said the covid': 731428, 'pandemic is likely': 635780, 'continue to impact': 201209, 'to impact the': 908156, 'impact the global': 417996, 'the global textile': 856332, 'global textile production': 352252, 'textile production and': 839976, 'chain and thereby': 170478, 'and thereby textile': 73860, 'thereby textile product': 879411, 'textile product price': 839974, 'fuel which': 340313, 'lockdown all over': 499114, 'world have reduced': 1009627, 'have reduced the': 382234, 'reduced the demand': 706181, 'for fuel which': 321803, 'fuel which ha': 340314, 'led to crash': 485273, 'to crash in': 903686, 'crash in price': 214996, 'price in recent': 674724, 'skyrocket amid 19': 773285, 'amid 19 panic': 52377, 'to close 19': 902854, 'close 19 crisis': 182487, 'goverments': 359757, 'the economist': 853926, 'economist we': 267590, 'of goverments': 584262, 'goverments from': 359758, 'from due': 335231, 'many regime': 514625, 'regime depend': 707347, 'interesting article from': 441511, 'from the economist': 337680, 'the economist we': 853928, 'economist we could': 267591, 'see the collapse': 745818, 'collapse of number': 186040, 'of number of': 587106, 'number of goverments': 576944, 'of goverments from': 584263, 'goverments from due': 359759, 'from due to': 335232, 'to the dramatic': 916652, 'the dramatic fall': 853661, 'commodity price which': 189297, 'price which many': 677513, 'which many regime': 986134, 'many regime depend': 514626, 'regime depend on': 707348, 'chicago where': 175705, 'only 19': 609984, 'case here': 165771, 'lie corporation': 488347, 'corporation only': 207450, 'profit hope': 682763, 'use cash': 949095, 'cash because': 166180, 'one atm': 605973, 'atm had': 101935, 'no did': 564004, 'tell anyone': 836911, 'anyone no': 80431, 'working at large': 1008526, 'store in chicago': 808285, 'in chicago where': 421370, 'chicago where they': 175706, 'where they think': 985288, 'they think it': 883561, 'think it only': 885347, 'it only 19': 460089, 'only 19 case': 609985, '19 case here': 5679, 'case here to': 165772, 'here to tell': 393732, 'you that lie': 1021571, 'that lie corporation': 844877, 'lie corporation only': 488348, 'corporation only care': 207451, 'about profit hope': 26010, 'profit hope they': 682764, 'hope they do': 403705, 'not use cash': 572356, 'use cash because': 949096, 'cash because one': 166181, 'because one atm': 119436, 'one atm had': 605974, 'atm had it': 101936, 'had it they': 373214, 'it they closed': 461626, 'they closed the': 881768, 'store no did': 809073, 'no did they': 564005, 'did they tell': 240871, 'they tell anyone': 883537, 'tell anyone no': 836912, 'remains health': 710018, 'health not': 386673, 'not shelf': 571553, 'shelf issue': 757246, 'up unnecessary': 946494, 'unnecessary duplicate': 942906, 'all act and': 41937, 'act and shop': 29599, 'shop responsibly and': 760709, 'responsibly and try': 716079, 'sure that remains': 827699, 'that remains health': 845995, 'remains health not': 710019, 'health not shelf': 386674, 'not shelf issue': 571554, 'shelf issue please': 757247, 'issue please think': 455894, 'others before picking': 621301, 'picking up unnecessary': 655893, 'up unnecessary duplicate': 946495, 'economy tanking': 268253, 'plowing food': 661101, 'food under': 317386, 'the dirt': 853322, 'dirt in': 243717, 'their field': 873310, 'field seriously': 304515, 'seriously this': 751761, 'happening so': 377408, 'be famine': 114803, 'famine and': 298432, 'and starvation': 72266, 'starvation on': 795176, 'but ultra': 147643, 'price goody': 674227, 'economy tanking and': 268254, 'tanking and farmer': 834251, 'are plowing food': 89119, 'plowing food under': 661102, 'food under the': 317388, 'under the dirt': 940302, 'the dirt in': 853323, 'dirt in their': 243718, 'in their field': 429741, 'their field seriously': 873311, 'field seriously this': 304516, 'seriously this is': 751762, 'this is happening': 888274, 'is happening so': 448289, 'happening so there': 377409, 'so there will': 778455, 'will be famine': 992454, 'be famine and': 114804, 'famine and starvation': 298433, 'and starvation on': 72267, 'starvation on top': 795177, 'top of covid': 925632, '19 but ultra': 5539, 'but ultra low': 147644, 'ultra low oil': 939173, 'oil price goody': 597151, 'about livestock': 25653, 'livestock farming': 496262, 'farming outbreak': 299639, 'at slaughterhouse': 100549, 'slaughterhouse employee': 773705, 'employee rural': 274163, 'plummeting new': 661383, 'essential 19': 280744, '19 zoonotic': 12294, 'zoonotic become': 1027860, 'become vegan': 120182, 'this the right': 890537, 'talk about livestock': 833745, 'about livestock farming': 25654, 'livestock farming outbreak': 496263, 'farming outbreak of': 299640, '19 at slaughterhouse': 5248, 'at slaughterhouse employee': 100550, 'slaughterhouse employee rural': 773706, 'employee rural community': 274164, 'risk demand is': 723492, 'is plummeting new': 450911, 'plummeting new swine': 661384, 'really essential 19': 702165, 'essential 19 zoonotic': 280745, '19 zoonotic become': 12295, 'zoonotic become vegan': 1027861, 'watch live the': 968468, 'racer': 695215, 'chucked': 178282, 'already pretending': 47582, 'pretending the': 671337, 'arrow in': 94042, 'were speed': 980155, 'speed boost': 788430, 'boost so': 135013, 'so dropped': 776923, 'dropped banana': 260539, 'banana behind': 109308, 'other racer': 620806, 'racer and': 695216, 'ensure maximum': 277987, 'maximum social': 520840, 'distancing chucked': 247079, 'chucked can': 178283, 'wa already pretending': 961491, 'already pretending the': 47583, 'pretending the new': 671338, 'the new one': 861535, 'new one way': 559205, 'way arrow in': 969477, 'arrow in my': 94043, 'store aisle were': 806121, 'aisle were speed': 40432, 'were speed boost': 980156, 'speed boost so': 788431, 'boost so dropped': 135014, 'so dropped banana': 776924, 'dropped banana behind': 260540, 'banana behind me': 109309, 'behind me to': 124671, 'me to slow': 523782, 'down the other': 257290, 'the other racer': 862549, 'other racer and': 620807, 'racer and to': 695217, 'to ensure maximum': 905173, 'ensure maximum social': 277988, 'maximum social distancing': 520841, 'social distancing chucked': 779581, 'distancing chucked can': 247080, 'chucked can at': 178284, 'can at them': 157542, 'at them have': 101184, 'shop at another': 759941, 'at another grocery': 98017, 'increased home': 433345, 'cycle amidst': 224031, 'amidst people': 52813, 'switch cut': 830477, 'off internet': 593930, 'ontario stayhome': 611632, 'so increased home': 777394, 'increased home internet': 433346, 'this cycle amidst': 887146, 'cycle amidst people': 224032, 'amidst people cannot': 52814, 'people cannot switch': 647439, 'cannot switch cut': 162158, 'switch cut off': 830478, 'cut off internet': 223443, 'off internet in': 593931, 'the situation ontario': 867269, 'situation ontario stayhome': 772426, 'raptor': 697063, 'oiler': 597570, 'whistler': 987806, 'redvelvet': 706420, 'feminist': 303517, 'lgbta': 487919, 'more young': 541034, 'people age': 646791, '19 70': 4761, '70 prepare': 21826, 'term lock': 838197, 'earth stock': 265003, 'water vancouver': 969239, 'vancouver victoria': 952356, 'victoria raptor': 956545, 'raptor canuck': 697064, 'canuck oiler': 162387, 'oiler whistler': 597573, 'whistler richmond': 987807, 'richmond bts': 721357, 'bts twice': 141521, 'twice redvelvet': 936541, 'redvelvet feminist': 706421, 'feminist lesbian': 303518, 'lesbian lgbta': 486423, 'lgbta stock': 487920, 'stock pei': 802614, '19 killing more': 8240, 'killing more young': 474698, 'more young and': 541035, 'and healthy people': 64396, 'healthy people age': 387723, 'people age 19': 646792, 'age 19 70': 37785, '19 70 prepare': 4762, '70 prepare for': 21827, 'prepare for long': 670076, 'long term lock': 501697, 'term lock down': 838198, 'lock down of': 499042, 'down of every': 256997, 'of every city': 583238, 'every city on': 285735, 'city on earth': 179301, 'on earth stock': 600472, 'earth stock up': 265004, 'up food water': 944906, 'food water vancouver': 317516, 'water vancouver victoria': 969240, 'vancouver victoria raptor': 952357, 'victoria raptor canuck': 956546, 'raptor canuck oiler': 697065, 'canuck oiler whistler': 162388, 'oiler whistler richmond': 597574, 'whistler richmond bts': 987808, 'richmond bts twice': 721358, 'bts twice redvelvet': 141522, 'twice redvelvet feminist': 936542, 'redvelvet feminist lesbian': 706422, 'feminist lesbian lgbta': 303519, 'lesbian lgbta stock': 486424, 'lgbta stock pei': 487921, 'uncertainty can': 939672, 'worry in': 1010733, 'doctor researcher': 251087, 'researcher nurse': 713921, 'nurse em': 577316, 'em even': 272061, 'worker putting': 1007650, 'life going': 488691, 'good happening': 357162, 'too fridaythoughts': 924750, 'we know these': 972160, 'know these time': 476870, 'of uncertainty can': 592591, 'uncertainty can cause': 939673, 'can cause lot': 157884, 'of worry in': 593321, 'worry in people': 1010734, 'in people just': 426595, 'people just remember': 648560, 'just remember the': 469606, 'remember the doctor': 710305, 'the doctor researcher': 853471, 'doctor researcher nurse': 251088, 'researcher nurse em': 713922, 'nurse em even': 577317, 'em even the': 272062, 'even the grocery': 284658, 'store worker putting': 811567, 'worker putting in': 1007651, 'in overtime to': 426393, 'keep our daily': 471727, 'daily life going': 224662, 'life going there': 488694, 'going there lot': 355486, 'of good happening': 584220, 'good happening now': 357163, 'happening now too': 377386, 'now too fridaythoughts': 576209, 'need some grocery': 555591, 'some grocery today': 783008, 'grocery today here': 366064, 'today here list': 919645, 'trade campaigner': 928427, 'campaigner have': 157273, 'live animal': 495723, 'animal shipment': 76656, 'shipment out': 758778, 'of europe': 583215, 'europe possible': 283498, 'possible slaughterhouse': 665780, 'staffing issue': 793157, 'issue put': 455899, 'vulnerable supply': 961190, 'meat trade campaigner': 525785, 'trade campaigner have': 928428, 'campaigner have called': 157274, 'called for the': 156323, 'for the suspension': 326715, 'of all live': 579956, 'all live animal': 43397, 'live animal shipment': 495724, 'animal shipment out': 76657, 'shipment out of': 758779, 'out of europe': 626729, 'of europe possible': 583218, 'europe possible slaughterhouse': 283499, 'possible slaughterhouse shutdown': 665781, 'slaughterhouse shutdown and': 773710, 'shutdown and staffing': 767994, 'and staffing issue': 72207, 'staffing issue put': 793158, 'issue put pressure': 455900, 'pressure on vulnerable': 671221, 'on vulnerable supply': 605078, 'vulnerable supply chain': 961191, 'trying moment': 934715, 'moment please': 536028, 'soap let': 779054, 'together staysafe': 920957, 'stayathome keepsafe': 797517, 'these trying moment': 880889, 'trying moment please': 934716, 'moment please use': 536029, 'please use sanitizer': 660711, 'in the absence': 428964, 'absence of water': 27195, 'and soap let': 71866, 'soap let fight': 779055, 'let fight the': 486718, '19 pandemic together': 9504, 'pandemic together staysafe': 636806, 'together staysafe stayathome': 920958, 'staysafe stayathome keepsafe': 798893, 'vietnamleavesnoonebehind': 957055, 'in hanoi': 423539, 'hanoi fully': 377013, 'mask temperature': 519331, 'checked when': 174784, 'enter closed': 278240, 'space hand': 787112, 'sanitiser everywhere': 733949, 'everywhere bravo': 288175, 'bravo vietnam': 138304, 'vietnam vietnamleavesnoonebehind': 957048, 'vietnamleavesnoonebehind vietnam': 957056, 'paper situation in': 640782, 'situation in hanoi': 772319, 'in hanoi fully': 423540, 'hanoi fully stocked': 377014, 'supermarket shelf just': 822487, 'shelf just about': 757263, 'just about everyone': 468131, 'about everyone is': 25198, 'wearing mask temperature': 974716, 'mask temperature are': 519332, 'temperature are being': 837362, 'are being checked': 84837, 'being checked when': 124945, 'checked when you': 174785, 'you enter closed': 1018425, 'enter closed public': 278241, 'closed public space': 183307, 'public space hand': 688326, 'space hand sanitiser': 787113, 'hand sanitiser everywhere': 375230, 'sanitiser everywhere bravo': 733950, 'everywhere bravo vietnam': 288176, 'bravo vietnam vietnamleavesnoonebehind': 138305, 'vietnam vietnamleavesnoonebehind vietnam': 957049, '15 thank': 3843, 'by 15 thank': 151549, '15 thank news': 3844, 'ypbmf': 1026980, 'ypbmfchampion': 1026983, 'stayhomehealthy': 798304, 'ypbmf stayathome': 1026981, 'stayathome challenge': 797450, 'challenge video': 171584, 'video great': 956766, 'from luke': 336291, 'luke ypbmfchampion': 506639, 'ypbmfchampion and': 1026984, 'chair sharing': 171309, 'sharing his': 755531, 'supermarket change': 819648, 'change opening': 172206, 'time priority': 897521, 'priority group': 678576, 'group social': 366888, 'distancing thread': 247553, 'thread chain': 893529, 'chain specific': 171125, 'specific update': 788266, 'update stayhomehealthy': 947220, 'stayhomehealthy stayhomesavelives': 798305, 'ypbmf stayathome challenge': 1026982, 'stayathome challenge video': 797451, 'challenge video great': 171585, 'video great work': 956767, 'work from luke': 1005194, 'from luke ypbmfchampion': 336292, 'luke ypbmfchampion and': 506640, 'ypbmfchampion and chair': 1026985, 'and chair sharing': 59706, 'chair sharing his': 171310, 'sharing his research': 755533, 'his research on': 397753, 'research on supermarket': 713801, 'on supermarket change': 603782, 'supermarket change opening': 819649, 'change opening time': 172207, 'opening time priority': 612928, 'time priority group': 897522, 'priority group social': 678577, 'group social distancing': 366889, 'social distancing thread': 779744, 'distancing thread chain': 247554, 'thread chain specific': 893530, 'chain specific update': 171126, 'specific update stayhomehealthy': 788267, 'update stayhomehealthy stayhomesavelives': 947221, 'excess stock': 289365, 'yesterday see': 1015855, 'ldn are at': 482804, 'frontline of food': 338805, 'your excess stock': 1023708, 'excess stock we': 289368, 'stock we gave': 803158, 'ours yesterday see': 625449, 'yesterday see for': 1015856, 'see for how': 745128, 'glamorous': 351562, 'diva': 248466, 'duu': 263627, 'store never': 809058, 'never feel': 557989, 'feel glamorous': 302637, 'glamorous but': 351563, 'but diva': 145552, 'diva gotta': 248469, 'what diva': 981337, 'diva got': 248467, 'to duu': 904812, 'duu glam': 263628, 'glam fashion': 351559, 'fashion makeup': 299831, 'makeup stayhome': 510916, 'grocery store never': 365589, 'store never feel': 809059, 'never feel glamorous': 557990, 'feel glamorous but': 302638, 'glamorous but diva': 351564, 'but diva gotta': 145553, 'diva gotta do': 248470, 'do what diva': 250511, 'what diva got': 981338, 'diva got to': 248468, 'got to duu': 358954, 'to duu glam': 904813, 'duu glam fashion': 263629, 'glam fashion makeup': 351560, 'fashion makeup stayhome': 299832, 'makeup stayhome staysafe': 510917, 'in supermarket right': 428657, 'nature and': 552942, 'therefore unlikely': 879469, 'contract negotiation': 201683, 'negotiation which': 556959, 'which last': 986097, 'the price decline': 864341, 'price decline is': 673402, 'decline is short': 231374, 'in nature and': 425693, 'nature and may': 552943, 'and may last': 66800, 'not year it': 572588, 'year it is': 1014679, 'is therefore unlikely': 453045, 'therefore unlikely to': 879470, 'to affect long': 900146, 'term contract negotiation': 838102, 'contract negotiation which': 201684, 'negotiation which last': 556960, 'which last on': 986098, 'last on average': 480418, 'on average around': 599511, 'pushback now': 690349, 'public pushback now': 688252, 'pushback now offering': 690350, 'now offering two': 575405, 'diner by': 242979, 'by foodservice': 152618, 'older diner by': 598594, 'diner by foodservice': 242980, 'and petition': 68948, 'regarding supporting': 707275, 'supporting supermarket': 827201, 'supermarket proud': 822082, 'employee promise': 274130, 'address and petition': 31949, 'and petition on': 68949, 'petition on regarding': 653621, 'on regarding supporting': 603122, 'regarding supporting supermarket': 707276, 'supporting supermarket proud': 827202, 'supermarket proud to': 822083, 'nh employee promise': 561950, 'employee promise to': 274131, 'promise to do': 683698, 'sportsbooks': 790008, 'nfldraftnews': 561784, 'uneven february': 941343, 'february revenue': 301739, 'revenue must': 720458, 'must carry': 546573, 'carry sportsbooks': 165149, 'sportsbooks for': 790009, 'time sportsbooks': 897736, 'sportsbooks socialdistancing': 790011, 'socialdistancing nba': 780545, 'nba nfldraftnews': 553206, 'nfldraftnews once': 561785, 'once sport': 605705, 'sport do': 789923, 'do return': 250046, 'return consumer': 719827, 'predict from': 669564, 'both an': 135844, 'and psychological': 69727, 'psychological point': 687522, 'of view': 592804, 'uneven february revenue': 941344, 'february revenue must': 301740, 'revenue must carry': 720459, 'must carry sportsbooks': 546574, 'carry sportsbooks for': 165150, 'sportsbooks for long': 790010, 'long time sportsbooks': 501780, 'time sportsbooks socialdistancing': 897737, 'sportsbooks socialdistancing nba': 790012, 'socialdistancing nba nfldraftnews': 780546, 'nba nfldraftnews once': 553207, 'nfldraftnews once sport': 561786, 'once sport do': 605706, 'sport do return': 789924, 'do return consumer': 250047, 'return consumer behavior': 719828, 'to predict from': 911989, 'predict from both': 669565, 'from both an': 334712, 'both an economic': 135845, 'economic and psychological': 266985, 'and psychological point': 69728, 'psychological point of': 687523, 'point of view': 662569, 'charlotte grocery': 173770, 'update item': 947046, 'limit hour': 492363, 'cut hiring': 223364, 'please resist': 660397, 'or engage': 615163, 'buying quarentinelife': 150944, 'quarentinelife staythefhome': 693209, 'staythefhome toiletpaperpanic': 799067, 'charlotte grocery store': 173771, 'store update item': 811018, 'update item limit': 947047, 'item limit hour': 463429, 'limit hour cut': 492364, 'hour cut hiring': 405515, 'cut hiring and': 223365, 'hiring and online': 397069, 'online order up': 608702, 'order up please': 618734, 'up please resist': 945778, 'please resist the': 660398, 'resist the urge': 714581, 'urge to stockpile': 948240, 'food or engage': 315652, 'or engage in': 615164, 'panic buying quarentinelife': 637857, 'buying quarentinelife staythefhome': 150945, 'quarentinelife staythefhome toiletpaperpanic': 693210, 'clareb': 180054, 'that clareb': 843239, 'clareb accessory': 180055, 'accessory is': 28374, 'is assisting': 445837, 'assisting customer': 96818, 'shopping easy': 762551, 'convenient you': 202432, 'dear customer be': 229770, 'customer be advised': 222170, 'advised that clareb': 33644, 'that clareb accessory': 843240, 'clareb accessory is': 180056, 'accessory is assisting': 28375, 'is assisting customer': 445838, 'assisting customer to': 96819, 'customer to reduce': 222977, 'by making your': 153148, 'making your shopping': 511509, 'your shopping easy': 1025780, 'shopping easy and': 762552, 'easy and convenient': 265649, 'and convenient you': 60531, 'convenient you can': 202433, 'online and we': 607857, 'will have your': 993687, 'have your item': 383713, 'your item delivered': 1024518, 'initial covid19': 438524, 'covid19 fueled': 214298, 'fueled food': 340330, 'ha calmed': 370048, 'down somewhat': 257198, 'somewhat what': 785283, 'can cpg': 158015, 'consumer navigate': 198179, 'normal get': 567159, 'and foodsystems': 63124, 'foodsystems shopping': 318229, 'watch now the': 968488, 'now the initial': 576047, 'the initial covid19': 858277, 'initial covid19 fueled': 438525, 'covid19 fueled food': 214299, 'fueled food shopping': 340331, 'food shopping surge': 316538, 'shopping surge ha': 764032, 'surge ha calmed': 828175, 'ha calmed down': 370049, 'calmed down somewhat': 156843, 'down somewhat what': 257199, 'somewhat what can': 785284, 'what can cpg': 981171, 'can cpg company': 158016, 'cpg company expect': 214592, 'company expect in': 190636, 'next week consumer': 561674, 'week consumer navigate': 976104, 'consumer navigate the': 198180, 'navigate the new': 553082, 'new normal get': 559153, 'normal get insight': 567160, 'insight from and': 439546, 'from and foodsystems': 334514, 'and foodsystems shopping': 63125, 'capturing': 162956, 'contemporary': 200774, 'series capturing': 751234, 'capturing the': 162959, 'behind online': 124676, 'order apps': 618050, 'apps the': 83314, 'project considers': 683482, 'modern work': 535402, 'in contemporary': 421743, 'contemporary urban': 200775, 'urban life': 948113, 'life sharing': 489034, 'this series': 890031, 'series now': 751262, 'in tribute': 430285, 'essentialworkers keeping': 281957, 'med during': 525885, 'image from my': 416631, 'from my deliverwho': 336505, 'deliverwho series capturing': 233607, 'series capturing the': 751235, 'capturing the people': 162962, 'the people behind': 863457, 'people behind online': 647262, 'behind online order': 124677, 'online order apps': 608678, 'order apps the': 618051, 'apps the project': 83315, 'the project considers': 864646, 'project considers the': 683483, 'considers the change': 195455, 'change in modern': 172123, 'in modern work': 425390, 'modern work and': 535403, 'and shopping in': 71545, 'shopping in contemporary': 762956, 'in contemporary urban': 421744, 'contemporary urban life': 200776, 'urban life sharing': 948114, 'life sharing this': 489035, 'sharing this series': 755610, 'this series now': 890032, 'series now in': 751263, 'now in tribute': 575020, 'in tribute to': 430286, 'to the essentialworkers': 916679, 'the essentialworkers keeping': 854533, 'essentialworkers keeping in': 281958, 'keeping in food': 472448, 'in food med': 422976, 'food med during': 315427, 'buy british': 148446, 'british fish': 140525, 'fish bbc': 309293, 'coronavirus fishing': 205924, 'by plummeting': 153593, 'to buy british': 902194, 'buy british fish': 148447, 'british fish bbc': 140526, 'fish bbc news': 309294, 'news coronavirus fishing': 560337, 'coronavirus fishing industry': 205925, 'hit by plummeting': 398184, 'by plummeting price': 153594, 'audio good': 102923, 'store stew': 810373, 'stew even': 799980, 'even recorded': 284511, 'recorded how': 705103, 'to video': 918165, 'audio good to': 102924, 'good to talk': 357902, 'talk with on': 833922, 'with on this': 999876, 'morning we talked': 541538, 'talked about socialdistancing': 833933, 'about socialdistancing in': 26218, 'socialdistancing in grocery': 780446, 'grocery store stew': 365807, 'store stew even': 810374, 'stew even recorded': 799981, 'even recorded how': 284512, 'recorded how to': 705104, 'how to video': 409106, 'to video and': 918166, 'video and how': 956611, 'chain is doing': 170831, 'keep panic': 471776, 'more easily': 539094, 'easily cannot': 265193, 'mostly out': 542989, 'essential vulnerable': 281747, 'is the thing': 452959, 'the thing ve': 869469, 'thing ve got': 884940, 've got food': 953177, 'got food for': 358566, 'food for now': 314559, 'now but if': 574286, 'people keep panic': 648574, 'keep panic buying': 471777, 'not really have': 571236, 'get more easily': 347584, 'more easily cannot': 539095, 'easily cannot travel': 265195, 'cannot travel the': 162191, 'travel the local': 930527, 'shop are mostly': 759904, 'are mostly out': 88148, 'mostly out of': 542990, 'of stock what': 590210, 'stock what happens': 803177, 'happens in couple': 377478, 'week when out': 977223, 'when out of': 983833, 'of essential vulnerable': 583193, 'really cool': 702076, 'cool panic': 203032, 'buying responsibility': 150962, 'is really cool': 451293, 'really cool panic': 702077, 'cool panic buying': 203033, 'panic buying responsibility': 637864, 'basically houston': 112139, 'houston you': 407230, 'own houstonlockdown': 632074, 'so basically houston': 776598, 'basically houston you': 112140, 'houston you re': 407231, 're on your': 699188, 'your own houstonlockdown': 1025147, 'attention face': 102442, 'period forced': 651768, 'nowhere else': 576555, 'else found': 271694, 'found wearing': 330466, 'face amp': 294290, 'or high': 615631, 'or paranoid': 616500, 'paranoid wear': 641457, 'attention face covering': 102443, 'face covering are': 294372, 'covering are not': 212459, 'are not substitute': 88476, 'not substitute for': 571789, 'substitute for period': 816086, 'for period forced': 324480, 'period forced to': 651769, 'forced to wear': 328668, 'store but nowhere': 806802, 'but nowhere else': 146622, 'nowhere else found': 576556, 'else found wearing': 271695, 'found wearing mask': 330467, 'wearing mask it': 974697, 'mask it made': 518881, 'made me want': 507846, 'my face amp': 548150, 'face amp that': 294291, 'amp that is': 54638, 'that is no': 844622, 'no good if': 564368, 're sick or': 699521, 'sick or high': 768556, 'or high risk': 615633, 'risk or paranoid': 723803, 'or paranoid wear': 616501, 'paranoid wear one': 641458, 'quaranturn': 693098, 'bet majority': 128083, 'yall dont': 1014068, 'dont even': 255214, 'even wash': 284766, 'wash yall': 967578, 'yall hand': 1014080, 'after yall': 36596, 'yall go': 1014074, 'bathroom quaranturn': 112659, 'quaranturn quarantineandchill': 693099, 'stayathome stayathomechallenge': 797629, 'here buying out': 392845, 'buying out all': 150849, 'sanitizer but bet': 734606, 'but bet majority': 145292, 'bet majority of': 128084, 'majority of yall': 509573, 'of yall dont': 593340, 'yall dont even': 1014069, 'dont even wash': 255216, 'even wash yall': 284767, 'wash yall hand': 967579, 'yall hand after': 1014081, 'hand after yall': 374736, 'after yall go': 36597, 'yall go to': 1014075, 'the bathroom quaranturn': 849334, 'bathroom quaranturn quarantineandchill': 112660, 'quaranturn quarantineandchill quarantine': 693100, 'quarantineandchill quarantine lockdown': 692758, 'quarantine lockdown lockdown': 692350, 'lockdown lockdown stayathome': 499606, 'lockdown stayathome stayathomechallenge': 499951, 'oilrig': 597724, 'oilcompanies': 597566, 'plummet oil': 661296, 'rig closure': 721710, 'increasing while': 433742, 'company lose': 190862, 'money bigoil': 536641, 'bigoil 19': 130367, 'lockdown fossilfuels': 499406, 'fossilfuels fossilfuel': 330095, 'fossilfuel oilrig': 330090, 'oilrig oilcompanies': 597725, 'the global lockdown': 856310, 'global lockdown ha': 352015, 'lockdown ha caused': 499444, 'to plummet oil': 911830, 'plummet oil rig': 661297, 'oil rig closure': 597399, 'rig closure are': 721711, 'closure are increasing': 183852, 'are increasing while': 87496, 'increasing while oil': 433744, 'while oil investor': 987098, 'oil investor and': 596899, 'investor and company': 444105, 'and company lose': 60193, 'company lose money': 190863, 'lose money bigoil': 503453, 'money bigoil 19': 536642, 'bigoil 19 lockdown': 130368, '19 lockdown fossilfuels': 8386, 'lockdown fossilfuels fossilfuel': 499407, 'fossilfuels fossilfuel oilrig': 330096, 'fossilfuel oilrig oilcompanies': 330091, 'beach ceo': 118196, 'ceo simon': 169838, 'simon cooper': 769962, 'cooper to': 203128, 'to sacrifice': 913695, 'sacrifice entire': 729085, 'entire salary': 278731, 'salary for': 731971, 'year board': 1014436, 'board take': 133672, '20 cut': 13023, 'in salary': 427642, 'and fee': 62764, 'fee the': 302237, 'good for them': 357090, 'for them on': 326912, 'the beach ceo': 849379, 'beach ceo simon': 118197, 'ceo simon cooper': 169839, 'simon cooper to': 769963, 'cooper to sacrifice': 203129, 'to sacrifice entire': 913696, 'sacrifice entire salary': 729086, 'entire salary for': 278732, 'salary for the': 731972, 'the year board': 872147, 'year board take': 1014437, 'board take 20': 133673, 'take 20 cut': 831875, '20 cut the': 13025, 'cut the board': 223570, 'the board ha': 849809, 'board ha also': 133640, 'ha also agreed': 369518, 'also agreed to': 47824, 'agreed to 20': 38734, 'to 20 cut': 899572, '20 cut in': 13024, 'cut in salary': 223386, 'in salary and': 427643, 'salary and fee': 731943, 'and fee the': 62765, 'fee the fight': 302238, 'naz first': 553178, 'naz first of': 553179, 'meet food': 527492, 'demand grain': 235581, 'grain milk': 361780, 'paper item': 640385, 'rack quick': 695346, 'quick they': 694398, 'restocked after': 716936, 'staple thing': 794002, 'thing flooded': 884324, 'flooded since': 310732, 'store meet food': 808945, 'meet food demand': 527493, 'food demand grain': 314171, 'demand grain milk': 235582, 'grain milk and': 361781, 'milk and paper': 531566, 'and paper item': 68694, 'paper item are': 640386, 'item are taking': 463106, 'taking off the': 833474, 'off the rack': 594262, 'the rack quick': 865093, 'rack quick they': 695347, 'quick they are': 694399, 'they are restocked': 881388, 'are restocked after': 89642, 'restocked after the': 716937, 'after the interest': 36326, 'the interest for': 858348, 'interest for staple': 441349, 'for staple thing': 325872, 'staple thing flooded': 794003, 'thing flooded since': 884325, 'flooded since the': 310733, 'since the world': 770915, 'rally on': 696273, 'on bargain': 599566, 'bargain hunting': 111055, 'demand stock': 236274, 'stock higher': 802235, 'higher trader': 395775, 'trader await': 928664, 'await stimulus': 105537, 'package gold': 633288, 'gold last': 355922, 'last traded': 480595, 'traded at': 928626, 'at 501': 97684, '501 an': 20120, '12 74': 2811, '74 an': 22080, 'gold price rally': 355970, 'price rally on': 676071, 'rally on bargain': 696275, 'on bargain hunting': 599567, 'bargain hunting and': 111056, 'hunting and safe': 411406, 'and safe haven': 70715, 'haven demand stock': 383782, 'demand stock higher': 236275, 'stock higher trader': 802236, 'higher trader await': 395776, 'trader await stimulus': 928665, 'await stimulus package': 105538, 'stimulus package gold': 801581, 'package gold last': 633289, 'gold last traded': 355923, 'last traded at': 480596, 'traded at 501': 928627, 'at 501 an': 97685, '501 an ounce': 20121, 'an ounce silver': 56728, 'ounce silver at': 621972, 'silver at 12': 769791, 'at 12 74': 97452, '12 74 an': 2812, '74 an ounce': 22081, 'olympia': 598782, 'getting done': 348942, 'in olympia': 426103, 'olympia while': 598783, 'against go': 37468, 'time impacting': 896969, 'impacting washington': 418272, 'washington policy': 967784, 'policy around': 663345, 'around insulin': 93354, 'the pink': 863744, 'pink tax': 656824, 'work is still': 1005376, 'is still getting': 452279, 'still getting done': 800565, 'getting done in': 348943, 'done in olympia': 254894, 'in olympia while': 426104, 'olympia while the': 598784, 'while the fight': 987386, 'fight against go': 304622, 'against go on': 37469, 'go on this': 353899, 'on this time': 604637, 'this time impacting': 890651, 'time impacting washington': 896970, 'impacting washington policy': 418273, 'washington policy around': 967785, 'policy around insulin': 663346, 'around insulin price': 93355, 'insulin price the': 440632, 'price the pink': 676855, 'the pink tax': 863745, 'pink tax and': 656825, 'tax and more': 834928, 'giving full': 351299, 'employee an': 273550, 'additional 80': 31772, 'while part': 987144, 'time hourly': 896948, 'hourly employee': 406129, 'use needed': 949387, 'needed til': 556524, 'is giving full': 448062, 'giving full time': 351300, 'time employee an': 896612, 'employee an additional': 273551, 'an additional 80': 55111, 'additional 80 hour': 31773, '80 hour of': 22585, 'paid sick time': 634126, 'sick time while': 768641, 'time while part': 898329, 'while part time': 987145, 'part time hourly': 642449, 'time hourly employee': 896949, 'hourly employee will': 406130, 'employee will get': 274442, 'will get an': 993495, 'get an additional': 346535, 'additional 40 hour': 31769, '40 hour to': 18577, 'hour to use': 406040, 'to use needed': 918050, 'use needed til': 949388, 'needed til the': 556525, 'til the end': 895948, 'naturalgas production': 552895, 'unitedstates is': 942293, 'pace ever': 632927, 'drillers slash': 258777, 'that sending': 846192, 'gas output': 343917, 'naturalgas production in': 552896, 'production in unitedstates': 682076, 'in unitedstates is': 430446, 'unitedstates is expected': 942294, 'by the fastest': 154325, 'fastest pace ever': 300154, 'pace ever in': 632928, 'ever in 2021': 285362, '2021 drillers slash': 14775, 'drillers slash spending': 258778, 'slash spending in': 773598, 'pandemic that sending': 636653, 'that sending oil': 846193, 'low gas output': 505296, 'gas output to': 343918, 'output to fall': 629294, 'to fall by': 905625, 'fall by oott': 296872, 'shied': 758124, 'fellow ugandan': 303342, 'ugandan remember': 938011, 'company business': 190502, 'offering helping': 595142, 'helping hand': 391344, 'or ghosted': 615445, 'ghosted these': 349690, 'these haven': 880105, 'haven shied': 383895, 'shied away': 758125, 'helping when': 391542, 'come know': 187402, 'my fellow ugandan': 548307, 'fellow ugandan remember': 303343, 'ugandan remember the': 938012, 'the company business': 851317, 'company business that': 190503, 'are offering helping': 88668, 'offering helping hand': 595143, 'helping hand during': 391345, 'hand during this': 374911, 'pandemic while others': 636990, 'while others have': 987122, 'others have hiked': 621448, 'hiked price or': 396335, 'price or ghosted': 675775, 'or ghosted these': 615446, 'ghosted these haven': 349691, 'these haven shied': 880106, 'haven shied away': 383896, 'shied away from': 758126, 'away from helping': 105887, 'from helping when': 335761, 'helping when the': 391543, 'time come know': 896495, 'come know who': 187403, 'know who to': 477043, 'who to spend': 989798, 'spend your hard': 788701, 'earned money on': 264832, 'dwp': 263704, 'ryu': 728834, 're can': 698410, 'can dwp': 158175, 'dwp lower': 263705, 'lower water': 506049, 'water rate': 969132, 'rate due': 697203, 'increased hand': 433338, 'washing laundry': 967693, 'laundry etc': 482111, 'there moratorium': 878762, 'on dwp': 600448, 'dwp shutoffs': 263707, 'shutoffs but': 768165, 'but ryu': 146949, 'ryu ha': 728835, 'introduced motion': 443434, 'motion for': 543262, 'for cap': 319925, 'make next': 510240, 'month bill': 537618, 'bill same': 130672, 'same prev': 733237, 'prev month': 671530, 'month county': 537660, 'county waiving': 211526, 'for prop': 324809, 'prop tax': 684040, 're can dwp': 698411, 'can dwp lower': 158176, 'dwp lower water': 263706, 'lower water rate': 506050, 'water rate due': 969133, 'rate due to': 697204, 'to increased hand': 908313, 'increased hand washing': 433339, 'hand washing laundry': 375951, 'washing laundry etc': 967694, 'laundry etc there': 482112, 'etc there moratorium': 282806, 'there moratorium on': 878763, 'moratorium on dwp': 538444, 'on dwp shutoffs': 600449, 'dwp shutoffs but': 263708, 'shutoffs but ryu': 768166, 'but ryu ha': 146950, 'ryu ha also': 728836, 'also introduced motion': 48431, 'introduced motion for': 443435, 'motion for cap': 543263, 'for cap on': 319926, 'cap on price': 162439, 'to make next': 909703, 'make next month': 510241, 'next month bill': 561451, 'month bill same': 537619, 'bill same prev': 130673, 'same prev month': 733238, 'prev month county': 671531, 'month county waiving': 537661, 'county waiving late': 211527, 'fee for prop': 302175, 'for prop tax': 324810, 'prop tax and': 684041, 'tax and utility': 834932, '19with': 12574, 'can shape': 159585, 'shape their': 754853, 'covid 19with': 214115, '19with consumer': 12575, 'pandemic easing': 635350, 'easing slightly': 265271, 'slightly business': 773940, 'business brand': 143453, 'drive positive': 259129, 'positive change': 665283, 'survey here how': 828879, 'here how business': 393097, 'business can shape': 143496, 'can shape their': 159586, 'shape their marketing': 754854, 'their marketing during': 873919, 'marketing during covid': 517579, 'during covid 19with': 262544, 'covid 19with consumer': 214116, '19with consumer fear': 12576, '19 pandemic easing': 9314, 'pandemic easing slightly': 635351, 'easing slightly business': 265272, 'slightly business brand': 773941, 'business brand are': 143454, 'brand are in': 137747, 'are in position': 87425, 'position to drive': 665195, 'to drive positive': 904745, 'drive positive change': 259130, 'positive change that': 665284, '19 is shaping': 8045, 'shaping consumer behavior': 754883, 'spillover': 789384, 'gustin': 368846, 'link between': 493808, 'foodsystem increased': 318221, 'food shrinking': 316622, 'shrinking habitat': 767713, 'habitat specie': 372723, 'specie movement': 788181, 'more spillover': 540436, 'spillover with': 789385, 'with animal': 997255, 'animal disease': 76574, 'disease spreading': 245236, 'to human': 908046, 'human via': 410654, 'via gustin': 956006, 'what the link': 982333, 'the link between': 859436, 'link between and': 493809, 'between and the': 128721, 'and the foodsystem': 73384, 'the foodsystem increased': 855642, 'foodsystem increased demand': 318222, 'for food shrinking': 321630, 'food shrinking habitat': 316623, 'shrinking habitat specie': 767714, 'habitat specie movement': 372724, 'specie movement and': 788182, 'movement and climate': 543852, 'climate change will': 182207, 'change will lead': 172397, 'to more spillover': 910266, 'more spillover with': 540437, 'spillover with animal': 789386, 'with animal disease': 997256, 'animal disease spreading': 76576, 'disease spreading to': 245238, 'spreading to human': 791076, 'to human via': 908048, 'human via gustin': 410655, 'bajaj': 108724, 'bajaj finance': 108725, 'finance should': 306270, 'avoid in': 105156, 'growth at': 367347, 'multi quarter': 545668, 'quarter low': 693249, 'low credit': 505218, 'credit cost': 216363, 'to escalate': 905247, 'escalate is': 280256, 'anticipated fall': 78456, 'growth getting': 367379, 'getting appropriately': 348848, 'appropriately reflected': 83072, 'bajaj finance should': 108726, 'finance should you': 306271, 'you avoid in': 1017350, 'avoid in the': 105157, '19 loan growth': 8355, 'loan growth at': 497449, 'growth at multi': 367349, 'at multi quarter': 99797, 'multi quarter low': 545669, 'quarter low credit': 693250, 'low credit cost': 505219, 'credit cost to': 216364, 'cost to escalate': 208136, 'to escalate is': 905248, 'escalate is the': 280257, 'is the anticipated': 452730, 'the anticipated fall': 848785, 'anticipated fall in': 78457, 'fall in earnings': 296945, 'in earnings growth': 422456, 'earnings growth getting': 264914, 'growth getting appropriately': 367380, 'getting appropriately reflected': 348849, 'appropriately reflected in': 83073, 'italiano': 462745, 'deutsch': 239543, 'lefran': 485367, 'croatian': 218825, 'varazdin': 952518, 'italiano deutsch': 462746, 'deutsch lefran': 239544, 'lefran ai': 485368, 'ai panic': 39326, 'panic reality': 638471, 'reality croatian': 701725, 'croatian supermarket': 218826, 'in varazdin': 430535, 'italiano deutsch lefran': 462747, 'deutsch lefran ai': 239545, 'lefran ai panic': 485369, 'ai panic reality': 39327, 'panic reality croatian': 638472, 'reality croatian supermarket': 701726, 'croatian supermarket shopping': 218827, 'shopping in varazdin': 762996, 'retailer banging': 719027, 'banging price': 109482, 'remembered including': 710448, 'retailer what': 719411, 'around can': 93242, 'can quickly': 159362, 'quickly come': 694501, 'you workingfromhomelife': 1022434, 'for local shop': 323055, 'shop and large': 759852, 'and large retailer': 65955, 'large retailer banging': 479777, 'retailer banging price': 719028, 'banging price up': 109483, 'price up you': 677275, 'up you will': 946729, 'be remembered including': 116783, 'remembered including online': 710449, 'including online retailer': 432086, 'online retailer what': 608890, 'retailer what go': 719412, 'what go around': 981503, 'go around can': 353310, 'around can quickly': 93243, 'can quickly come': 159363, 'quickly come back': 694502, 'come back at': 187233, 'back at you': 106896, 'at you workingfromhomelife': 101666, 'you workingfromhomelife coronacrisis': 1022435, 'asian equity': 95273, 'market began': 516097, 'risen af': 723092, 'af index': 33956, 'asian equity market': 95274, 'equity market began': 279956, 'market began the': 516098, 'began the new': 123439, 'of the corporate': 590898, 'the corporate earnings': 851954, 'season and the': 743374, 'have risen af': 382333, 'risen af index': 723093, 'af index nifty': 33957, 'watch an': 968357, 'to shelf': 914396, 'shelf trying': 757719, 'mention what': 528805, 'behind wa': 124746, 'wa unnecessarily': 963610, 'unnecessarily highly': 942854, 'highly priced': 396085, 'priced price': 677748, 'saddest thing wa': 729307, 'thing wa to': 884952, 'wa to watch': 963529, 'to watch an': 918377, 'watch an elderly': 968358, 'couple in the': 211605, 'supermarket going from': 820539, 'going from shelf': 355174, 'from shelf to': 337245, 'shelf to shelf': 757704, 'to shelf trying': 914397, 'shelf trying to': 757720, 'find something and': 307241, 'something and finding': 784849, 'and finding it': 62900, 'finding it impossible': 307494, 'it impossible not': 458716, 'to mention what': 910097, 'mention what wa': 528806, 'left behind wa': 485425, 'behind wa unnecessarily': 124747, 'wa unnecessarily highly': 963611, 'unnecessarily highly priced': 942855, 'highly priced price': 396086, 'macau': 507328, 'property agent': 684232, 'agent in': 38174, 'city indicated': 179207, 'indicated to': 434983, 'to macau': 909537, 'macau news': 507329, 'news agency': 560201, 'agency mna': 38038, 'mna that': 534812, 'city falling': 179142, 'falling by': 297218, 'some 10': 782235, 'property agent in': 684233, 'agent in the': 38175, 'the city indicated': 850941, 'city indicated to': 179208, 'indicated to macau': 434984, 'to macau news': 909538, 'macau news agency': 507330, 'news agency mna': 560202, 'agency mna that': 38039, 'mna that the': 534813, 'led to rent': 485295, 'to rent price': 913234, 'rent price in': 711161, 'the city falling': 850931, 'city falling by': 179143, 'falling by some': 297220, 'by some 10': 154073, 'some 10 per': 782236, 'massachusetts cbs': 519902, 'coronavirus crisis drive': 205748, 'crisis drive down': 217316, 'drive down gas': 259035, 'down gas price': 256800, 'in massachusetts cbs': 425178, 'massachusetts cbs boston': 519903, 'westpac': 980707, '2mrw': 16744, '4b': 19436, '900m': 23400, 'austrac': 103204, 'divs': 248720, 'calcs': 155289, 'wbc': 970240, 'westpac move': 980708, 'bank reporting': 110131, 'reporting 2mrw': 712657, '2mrw writes': 16745, 'writes down': 1012832, 'down 4b': 256419, '4b 19': 19437, '19 loss': 8473, 'loss not': 503733, 'not estimated': 569224, 'estimated 900m': 282284, '900m austrac': 23401, 'austrac claim': 103205, 'moving 49k': 544110, '49k customer': 19420, 'consumer divs': 197229, 'divs it': 248721, 'interest margin': 441372, 'margin calcs': 515614, 'calcs it': 155290, 'it reporting': 460716, 'reporting template': 712760, 'template wbc': 837419, 'wbc ausbiz': 970241, 'westpac move ahead': 980709, 'move ahead of': 543600, 'ahead of bank': 39174, 'of bank reporting': 580539, 'bank reporting 2mrw': 110132, 'reporting 2mrw writes': 712658, '2mrw writes down': 16746, 'writes down 4b': 1012833, 'down 4b 19': 256420, '4b 19 loss': 19438, '19 loss not': 8474, 'loss not estimated': 503734, 'not estimated 900m': 569225, 'estimated 900m austrac': 282285, '900m austrac claim': 23402, 'austrac claim it': 103206, 'claim it moving': 179756, 'it moving 49k': 459698, 'moving 49k customer': 544111, '49k customer from': 19421, 'customer from business': 222397, 'from business to': 334757, 'to consumer divs': 903291, 'consumer divs it': 197230, 'divs it change': 248722, 'it change it': 457096, 'change it interest': 172158, 'it interest margin': 458811, 'interest margin calcs': 441373, 'margin calcs it': 515615, 'calcs it reporting': 155291, 'it reporting template': 460717, 'reporting template wbc': 712761, 'template wbc ausbiz': 837420, 'wbc ausbiz ausecon': 970242, 'beautician': 118660, 'how said': 408616, 'said had': 731098, 'switch beautician': 830471, 'beautician because': 118661, 'my beautician': 547414, 'beautician tripled': 118663, 'tripled her': 932281, 'well she': 978548, 'went back': 978962, 'her regular': 392325, 'excited think': 289567, 'them done': 875618, 'happy she': 377672, 'home haircare': 401334, 'remember how said': 710206, 'how said had': 408617, 'said had to': 731099, 'had to switch': 373734, 'to switch beautician': 916099, 'switch beautician because': 830472, 'beautician because my': 118662, 'because my beautician': 119256, 'my beautician tripled': 547415, 'beautician tripled her': 118664, 'tripled her price': 932282, 'her price well': 392316, 'price well she': 677428, 'well she went': 978551, 'she went back': 756459, 'went back to': 978963, 'back to her': 107370, 'to her regular': 907705, 'her regular price': 392326, 'regular price because': 707837, 'of the so': 591473, 'the so excited': 867400, 'so excited think': 776991, 'excited think going': 289568, 'get them done': 348357, 'them done this': 875619, 'done this weekend': 255058, 'weekend so happy': 977405, 'so happy she': 777243, 'happy she work': 377673, 'she work from': 756476, 'from home haircare': 335867, 'distincing': 247857, 'realization': 701830, 'self distincing': 747614, 'distincing realization': 247858, 'realization ever': 701831, 'ever notice': 285431, 'notice when': 573404, 'eat salad': 266043, 'salad hour': 731918, 'later you': 481179, 'find price': 307189, 'lettuce in': 487456, 'self distincing realization': 747615, 'distincing realization ever': 247859, 'realization ever notice': 701832, 'ever notice when': 285432, 'notice when you': 573405, 'you eat salad': 1018392, 'eat salad hour': 266044, 'salad hour later': 731919, 'hour later you': 405735, 'later you find': 481180, 'you find price': 1018575, 'find price of': 307190, 'price of lettuce': 675487, 'of lettuce in': 585793, 'lettuce in your': 487457, 'in your teeth': 431132, 'enough cardboard': 277344, 'box in': 137088, 'make either': 509869, 'either fort': 270302, 'fort or': 329779, '19 bunker': 5474, 'enough cardboard box': 277345, 'cardboard box in': 163714, 'box in my': 137090, 'my house from': 548731, 'house from online': 406316, 'to make either': 909656, 'make either fort': 509870, 'either fort or': 270303, 'fort or covid': 329780, 'covid 19 bunker': 212742, 'after consider': 35490, 'consider under': 195169, 'such situation': 816752, 'all egg': 42663, 'egg out': 269943, 'like toiletry': 491648, 'toiletry gonna': 923420, 'gonna fed': 356521, 'fed some': 301892, 'and duck': 61793, 'duck in': 261547, 'my balcony': 547391, 'balcony good': 109025, 'idea uklockdown': 413215, 'uklockdown stopstockpiling': 939011, 'after consider under': 35491, 'consider under such': 195170, 'under such situation': 940282, 'such situation that': 816753, 'situation that all': 772505, 'that all egg': 842542, 'all egg out': 42664, 'egg out of': 269944, 'supermarket like toiletry': 821318, 'like toiletry gonna': 491650, 'toiletry gonna fed': 923421, 'gonna fed some': 356522, 'fed some chicken': 301893, 'some chicken and': 782521, 'chicken and duck': 175738, 'and duck in': 61794, 'duck in my': 261548, 'in my balcony': 425539, 'my balcony good': 547392, 'balcony good idea': 109026, 'good idea uklockdown': 357224, 'idea uklockdown stopstockpiling': 413216, 'buti': 148086, 'nalang': 551564, 'talaga': 833683, 'bukas': 142207, 'yun': 1027109, 'ito': 463895, 'malapit': 511544, 'bahay': 108556, 'loominh': 503120, 'buti nalang': 148087, 'nalang talaga': 551565, 'talaga na': 833684, 'na bukas': 551284, 'bukas yun': 142208, 'yun supermarket': 1027110, 'supermarket na': 821565, 'na ito': 551291, 'ito malapit': 463896, 'malapit sa': 511545, 'sa bahay': 728872, 'bahay they': 108557, 'also implementing': 48390, 'implementing an': 418499, 'an orderly': 56708, 'orderly but': 619053, 'but strict': 147199, 'strict social': 813655, 'measure amidst': 525091, 'the loominh': 859716, 'loominh covid': 503121, 'economic threat': 267337, 'threat also': 893633, 'also only': 48619, 'only bottle': 610184, 'alcohol allowed': 40897, 'allowed per': 46208, 'person which': 652714, 'good kudos': 357315, 'buti nalang talaga': 148088, 'nalang talaga na': 551566, 'talaga na bukas': 833685, 'na bukas yun': 551285, 'bukas yun supermarket': 142209, 'yun supermarket na': 1027111, 'supermarket na ito': 821566, 'na ito malapit': 551292, 'ito malapit sa': 463897, 'malapit sa bahay': 511546, 'sa bahay they': 728873, 'bahay they re': 108558, 're also implementing': 698266, 'also implementing an': 48391, 'implementing an orderly': 418500, 'an orderly but': 56709, 'orderly but strict': 619054, 'but strict social': 147200, 'strict social distancing': 813656, 'distancing measure amidst': 247315, 'measure amidst the': 525092, 'amidst the loominh': 52828, 'the loominh covid': 859717, 'loominh covid 19': 503122, 'and economic threat': 61913, 'economic threat also': 267338, 'threat also only': 893634, 'also only bottle': 48620, 'only bottle of': 610185, 'bottle of alcohol': 136274, 'of alcohol allowed': 579890, 'alcohol allowed per': 40898, 'allowed per person': 46210, 'per person which': 650979, 'person which is': 652715, 'which is good': 986011, 'is good kudos': 448147, 'alwar': 49447, 'rajasthan': 696175, 'varun': 952661, 'in alwar': 420205, 'alwar rajasthan': 49448, 'rajasthan in': 696176, 'in mia': 425273, 'mia company': 530153, 'name varun': 551693, 'varun beverage': 952662, 'beverage limited': 129013, 'limited is': 492665, 'the dealer': 852961, 'so request': 778130, 'request the': 713202, 'action those': 30159, 'in alwar rajasthan': 420206, 'alwar rajasthan in': 49449, 'rajasthan in mia': 696177, 'in mia company': 425274, 'mia company name': 530154, 'company name varun': 190900, 'name varun beverage': 551694, 'varun beverage limited': 952663, 'beverage limited is': 129014, 'limited is selling': 492666, 'is selling good': 451755, 'selling good in': 749276, 'good in black': 357241, 'in black and': 420869, 'black and high': 132023, 'lockdown period to': 499791, 'period to the': 651913, 'to the dealer': 916627, 'the dealer and': 852962, 'dealer and people': 229595, 'and people so': 68878, 'people so request': 649494, 'so request the': 778131, 'request the authority': 713203, 'authority to take': 103809, 'take action those': 831902, 'action those greedy': 30160, 'those greedy people': 892033, 'greedy people those': 363569, 'people those people': 649851, 'hi there to': 394755, 'to it client': 908573, 'it client that': 457176, 'alternative now': 49245, 'temporary icu': 837642, 'icu our': 412849, 'ha met': 371271, 'met greater': 529576, '19 if can': 7657, 'if can hire': 413927, 'smart alternative now': 775330, 'alternative now can': 49246, 'now can we': 574336, 'and temporary icu': 73112, 'temporary icu our': 837643, 'icu our country': 412850, 'our country ha': 622594, 'country ha met': 210720, 'ha met greater': 371272, 'met greater challenge': 529577, 'well promise': 978511, 'mom who': 535839, 'on calpol': 599775, 'calpol baby': 156904, 'well promise looking': 978512, 'looking to talk': 503050, 'talk to mom': 833883, 'to mom who': 910223, 'mom who proudly': 535841, 'up on calpol': 945532, 'on calpol baby': 599776, 'calpol baby milk': 156905, 'baby milk in': 106663, 'pandemic because she': 634988, 'because she put': 119549, 'she put her': 756276, 'amazing news': 50742, 'saudiarabia free': 737334, 'are distributed': 85868, 'distributed at': 248036, 'at traffic': 101358, 'traffic signal': 929134, 'signal where': 769327, 'appreciated human': 82820, 'amazing news from': 50743, 'news from saudiarabia': 560459, 'from saudiarabia in': 337167, 'saudiarabia in saudiarabia': 737341, 'in saudiarabia free': 427710, 'saudiarabia free hand': 737335, 'free hand sanitizers': 331889, 'sanitizers are distributed': 736214, 'are distributed at': 85869, 'distributed at traffic': 248037, 'at traffic signal': 101359, 'traffic signal where': 929135, 'signal where the': 769328, 'where the world': 985257, 'world is increasing': 1009703, 'is increasing price': 448861, 'increasing price much': 433676, 'price much appreciated': 675288, 'much appreciated human': 544722, 'if zoom': 415618, 'zoom toiletpaper': 1027829, 'socialdistancing wipe': 780876, 'and selfisolation': 71206, 'selfisolation aren': 748434, 'aren on': 92464, 'of word': 593234, 'my 300': 547149, '300 follower': 17302, 'follower will': 312658, 'you justsaying': 1019439, 'justsaying what': 470519, 'word would': 1004622, 'if zoom toiletpaper': 415619, 'zoom toiletpaper socialdistancing': 1027830, 'toiletpaper socialdistancing wipe': 922495, 'socialdistancing wipe and': 780877, 'wipe and selfisolation': 996192, 'and selfisolation aren': 71207, 'selfisolation aren on': 748435, 'aren on the': 92465, 'list of word': 494496, 'of word of': 593235, 'word of the': 1004541, 'the year for': 872156, 'year for 2020': 1014561, 'for 2020 me': 318752, '2020 me and': 14439, 'and my 300': 67349, 'my 300 follower': 547150, '300 follower will': 17303, 'follower will have': 312659, 'will have some': 993674, 'have some word': 382646, 'some word for': 784224, 'word for you': 1004489, 'for you justsaying': 328071, 'you justsaying what': 1019440, 'justsaying what word': 470520, 'what word would': 982626, 'word would you': 1004623, 'would you add': 1012402, 'movietwit': 544108, 'that cinema': 843228, 'cinema bar': 178532, 'bar supermarket': 110770, 'more gonna': 539355, 'gonna continue': 356504, 'continue shut': 201131, 'locked myself': 500497, 'to movie': 910328, 'movie next': 544028, 'week kill': 976454, 'kill mee': 474444, 'mee movietwit': 527376, 'realize that cinema': 701849, 'that cinema bar': 843229, 'cinema bar supermarket': 178533, 'bar supermarket and': 110771, 'supermarket and more': 819019, 'and more gonna': 67175, 'more gonna continue': 539356, 'gonna continue shut': 356505, 'continue shut down': 201132, 'down for 22': 256767, '22 day and': 15202, 'day and this': 227290, 'is me that': 449609, 'me that have': 523614, 'have been locked': 379599, 'been locked myself': 121476, 'locked myself in': 500498, 'myself in home': 550879, 'in home for': 423783, 'week and waiting': 975946, 'and waiting to': 75124, 'go to movie': 354329, 'to movie next': 910329, 'movie next week': 544029, 'next week kill': 561691, 'week kill mee': 976455, 'kill mee movietwit': 474445, 'inflation senior': 437235, 'said panicbuying': 731304, 'to the could': 916601, 'the could ignite': 852005, 'food inflation senior': 315044, 'inflation senior economist': 437236, 'analyst said panicbuying': 57171, 'busineess': 143193, 'mexico grocery': 530006, 'do busineess': 249152, 'busineess with': 143194, '20 normal': 13193, 'traffic democrat': 929074, 'democrat gov': 236717, 'gov thank': 359706, 'for fulfilling': 321804, 'fulfilling your': 340435, 'social contract': 779477, 'state neighbor': 795780, 'received this emergency': 703697, 'this emergency alert': 887363, 'emergency alert for': 272589, 'alert for new': 41419, 'for new mexico': 323827, 'new mexico grocery': 559109, 'mexico grocery store': 530007, 'essential business cannot': 280842, 'business cannot do': 143503, 'cannot do busineess': 161757, 'do busineess with': 249153, 'busineess with more': 143195, 'than 20 normal': 840193, '20 normal store': 13194, 'normal store traffic': 567345, 'store traffic democrat': 810933, 'traffic democrat gov': 929075, 'democrat gov thank': 236718, 'gov thank you': 359707, 'you for fulfilling': 1018638, 'for fulfilling your': 321805, 'fulfilling your social': 340436, 'your social contract': 1025851, 'social contract with': 779478, 'contract with your': 201723, 'with your state': 1002236, 'your state neighbor': 1025933, 'product need': 681427, 'our new research': 624043, 'new research on': 559464, 'consumer product need': 198471, 'product need during': 681428, 'in our upcoming': 426349, 'upcoming webinar series': 946818, 'your cancellation': 1023115, 'not comply': 568819, 'with section': 1000611, 'section 17': 743988, '17 of': 4371, 'act or': 29734, 'or government': 615508, 'government policy': 360473, 'policy regarding': 663478, 'your cancellation refund': 1023116, 'cancellation refund policy': 161060, 'refund policy doe': 706948, 'doe not comply': 251484, 'not comply with': 568821, 'comply with section': 192537, 'with section 17': 1000612, 'section 17 of': 743989, '17 of the': 4372, 'protection act or': 685281, 'act or government': 29735, 'or government policy': 615509, 'government policy regarding': 360474, 'policy regarding covid': 663479, 'world isn': 1009723, 'isn falling': 454505, 'apart really': 81327, 'really respect': 702517, 'respect you': 715090, 'you trader': 1021909, 'am bullish': 49957, 'on btc': 599715, 'btc well': 141511, 'can exceed': 158273, 'exceed 8k': 289026, '8k in': 23191, 'environment will': 279176, 'will accumulate': 992186, 'accumulate btc': 28847, 'btc at': 141491, 'price hell': 674492, 'hell yes': 389099, 'way the world': 969947, 'the world isn': 871900, 'world isn falling': 1009724, 'isn falling apart': 454506, 'falling apart really': 297212, 'apart really respect': 81328, 'really respect you': 702518, 'respect you trader': 715091, 'you trader and': 1021910, 'trader and am': 928645, 'and am bullish': 58008, 'am bullish on': 49958, 'bullish on btc': 142465, 'on btc well': 599716, 'btc well just': 141512, 'well just do': 978350, 'think that we': 885616, 'we can exceed': 970944, 'can exceed 8k': 158274, 'exceed 8k in': 289027, '8k in this': 23192, 'this environment will': 887397, 'environment will accumulate': 279177, 'will accumulate btc': 992187, 'accumulate btc at': 28848, 'btc at this': 141492, 'this price hell': 889708, 'price hell yes': 674493, 'hell yes but': 389100, 'yes but think': 1015399, 'khamis': 473698, 'mushait': 546271, 'today talk': 920241, 'daily 11': 224479, 'that arabia': 842708, 'country amp': 210429, 'in khamis': 424494, 'khamis mushait': 473699, 'mushait stay': 546272, 'defeat watch': 232052, 'vlog is online': 959873, 'is online today': 450524, 'online today talk': 609608, 'today talk about': 920242, 'the daily 11': 852771, 'daily 11 hour': 224480, '11 hour curfew': 2533, 'hour curfew that': 405511, 'curfew that arabia': 220935, 'that arabia ha': 842709, 'arabia ha put': 83887, 'ha put on': 371599, 'entire country amp': 278654, 'country amp share': 210430, 'amp share story': 54475, 'share story about': 755228, 'the supermarket went': 868897, 'supermarket went to': 823781, 'went to in': 979164, 'to in khamis': 908225, 'in khamis mushait': 424495, 'khamis mushait stay': 473700, 'mushait stay home': 546273, 'home to defeat': 402318, 'to defeat watch': 904056, 'others even': 621383, 'sick everyone': 768437, 'up other': 945695, 'you could spread': 1018101, 'could spread covid': 209702, '19 to others': 11444, 'to others even': 911133, 'others even if': 621384, 'feel sick everyone': 302842, 'sick everyone should': 768438, 'in public for': 427080, 'public for example': 688011, 'example to the': 288992, 'or to pick': 617473, 'pick up other': 655747, 'up other necessity': 945697, 'which replied': 986263, 'replied we': 711723, 'mandatory state': 513064, 'any medium': 79460, 'outlet to': 629066, 'they replied': 883201, 'replied oh': 711717, 'oh you': 596502, 'say youre': 739525, 'youre going': 1026416, 'they cant': 881722, 'cant proof': 162325, 'proof anything': 683988, 'to which replied': 918558, 'which replied we': 986264, 'replied we are': 711724, 'are under mandatory': 91280, 'under mandatory state': 940163, 'mandatory state lockdown': 513065, 'state lockdown due': 795751, 'you not seen': 1020130, 'seen the news': 747287, 'the news or': 861624, 'news or read': 560675, 'or read any': 616787, 'read any medium': 700287, 'any medium outlet': 79461, 'medium outlet to': 527207, 'outlet to which': 629067, 'to which they': 918560, 'which they replied': 986397, 'they replied oh': 883202, 'replied oh you': 711718, 'oh you can': 596503, 'can still leave': 159781, 'still leave your': 800787, 'your house just': 1024413, 'house just say': 406387, 'just say youre': 469708, 'say youre going': 739526, 'youre going to': 1026417, 'store they cant': 810666, 'they cant proof': 881723, 'cant proof anything': 162326, 'they interviewed': 882473, 'interviewed gas': 442281, 'station owner': 796485, 'owner on': 632525, 'it costing': 457348, 'costing him': 208326, 'him 06': 396518, '06 litre': 993, 'litre he': 495161, 'effectively paying': 269366, 'they interviewed gas': 882474, 'interviewed gas station': 442282, 'gas station owner': 344124, 'station owner on': 796486, 'owner on who': 632526, 'on who say': 605294, 'say that with': 739259, 'that with gas': 847629, 'so low right': 777608, 'right now he': 722075, 'now he ha': 574903, 'he ha reduced': 385032, 'ha reduced hour': 371682, 'reduced hour for': 706096, 'hour for of': 405610, 'for of his': 324019, 'his staff and': 397811, 'staff and it': 792146, 'and it costing': 65505, 'it costing him': 457349, 'costing him 06': 208327, 'him 06 litre': 396519, '06 litre he': 994, 'litre he effectively': 495162, 'he effectively paying': 384927, 'effectively paying people': 269367, 'take the gas': 832650, 'becase': 118900, 'wa pastor': 962915, 'pastor saying': 643886, 'from church': 334882, 'church becase': 178342, 'becase people': 118901, 'pray there': 669023, 'many religious': 514627, 'religious group': 709583, 'infected if': 436585, 'there wa pastor': 879260, 'wa pastor saying': 962916, 'pastor saying that': 643887, 'saying that he': 739699, 'that he just': 844262, 'he just came': 385163, 'came from church': 156995, 'from church becase': 334883, 'church becase people': 178343, 'becase people have': 118902, 'have the necessity': 383004, 'necessity to go': 554281, 'go and pray': 353285, 'and pray there': 69319, 'pray there many': 669024, 'there many religious': 878749, 'many religious group': 514628, 'religious group have': 709584, 'group have been': 366720, 'have been infected': 379579, 'been infected if': 121377, 'infected if you': 436586, 'want to pray': 966085, 'pray do it': 668990, 'it from home': 458155, 'from home quarantine': 335897, 'home quarantine stayhome': 401935, 'it soo': 461174, 'soo funny': 785573, 'funny really': 341782, 'really made': 702398, 'this it soo': 888530, 'it soo funny': 461175, 'soo funny really': 785574, 'funny really made': 341783, 'really made me': 702399, 'too accurate': 924562, 'accurate 19': 28887, 'too accurate 19': 924563, 'indilens': 435092, 'oil soar': 597445, 'soar after': 779216, 'after producer': 36077, 'historic via': 397976, 'via indilens': 956030, 'indilens india': 435093, 'crude oil soar': 219568, 'oil soar after': 597446, 'soar after producer': 779217, 'after producer agree': 36078, 'producer agree to': 680554, 'agree to historic': 38662, 'to historic via': 907833, 'historic via indilens': 397977, 'via indilens india': 956031, 'towards higher': 927207, 'plastic you': 658893, 'pointing towards higher': 662764, 'towards higher level': 927208, 'protect from germ': 684844, 'from germ but': 335614, 'all packaging need': 43898, 'packaging need to': 633566, 'be plastic you': 116436, 'plastic you can': 658894, 'for bright': 319789, 'spot study': 790119, 'that baby': 842912, 'are spared': 90314, 'spared severe': 787523, 'looking for bright': 502853, 'for bright spot': 319790, 'bright spot study': 139802, 'spot study show': 790120, 'show that baby': 767178, 'that baby are': 842913, 'baby are spared': 106569, 'are spared severe': 90315, 'spared severe covid': 787524, 'getting any': 348844, 'any better': 78970, 'for countless': 320415, 'countless supermarket': 210397, 'tall at': 834067, 'need guarantee': 554938, 'guarantee of': 367711, 'of paidsickdays': 587668, 'paidsickdays plain': 634192, 'plain simple': 658020, 'it not getting': 459879, 'not getting any': 569623, 'getting any better': 348845, 'any better for': 78971, 'better for countless': 128289, 'for countless supermarket': 320416, 'countless supermarket worker': 210398, 'are standing tall': 90353, 'standing tall at': 793816, 'tall at this': 834068, 'crisis they need': 218217, 'they need guarantee': 882738, 'need guarantee of': 554939, 'guarantee of paidsickdays': 367712, 'of paidsickdays plain': 587669, 'paidsickdays plain simple': 634193, 'yo my': 1016441, 'is dipping': 447180, 'dipping shopping': 243231, 'disinfectant lmao': 245708, 'lmao they': 497161, 'they wild': 883823, 'yo my supermarket': 1016442, 'my supermarket is': 550271, 'supermarket is dipping': 821083, 'is dipping shopping': 447181, 'dipping shopping cart': 243232, 'cart in disinfectant': 165323, 'in disinfectant lmao': 422307, 'disinfectant lmao they': 245709, 'lmao they wild': 497162, 'anez': 76275, 'econimies': 266939, 'emiratis': 273196, 'considiring': 195461, 'anez econimies': 76276, 'econimies are': 266940, 'suffering globally': 817319, 'globally because': 352376, 'pretty obvious': 671473, 'why saudi': 991327, 'and emiratis': 62044, 'emiratis are': 273197, 'are considiring': 85512, 'considiring to': 195462, 'their oil': 874091, 'anez econimies are': 76277, 'econimies are suffering': 266941, 'are suffering globally': 90630, 'suffering globally because': 817320, 'globally because of': 352377, 'it pretty obvious': 460444, 'pretty obvious why': 671474, 'obvious why saudi': 578817, 'why saudi and': 991328, 'saudi and emiratis': 737173, 'and emiratis are': 62045, 'emiratis are considiring': 273198, 'are considiring to': 85513, 'considiring to sell': 195463, 'sell their oil': 748901, 'their oil at': 874092, 'oil at lower': 596629, 'of nigeria': 587014, 'nigeria ha': 562750, 'engagement of': 276902, 'of 774': 579674, '774 00': 22302, '00 nigerian': 369, 'shock therefore': 759526, 'therefore 100': 879413, '774 lga': 22306, 'lga in': 487905, 'president of nigeria': 670869, 'of nigeria ha': 587015, 'nigeria ha just': 562751, 'ha just approved': 371042, 'just approved the': 468214, 'approved the engagement': 83197, 'the engagement of': 854335, 'engagement of 774': 276903, 'of 774 00': 579675, '774 00 nigerian': 22303, '00 nigerian for': 370, 'nigerian for public': 562845, 'for public work': 324855, 'public work in': 688497, 'work in response': 1005339, 'fiscal shock therefore': 309269, 'shock therefore 100': 759527, 'therefore 100 people': 879414, '100 people will': 2022, 'will be recruited': 992636, 'the 774 lga': 848190, '774 lga in': 22307, 'lga in nigeria': 487906, 'im hiding': 416545, 'hiding my': 394873, 'my stress': 550242, 'stress about': 813288, '19 crap': 6187, 'crap through': 214914, 'think im hiding': 885301, 'im hiding my': 416546, 'hiding my stress': 394874, 'my stress about': 550243, 'stress about all': 813289, 'covid 19 crap': 212881, '19 crap through': 6188, 'crap through some': 214915, 'through some online': 894686, 'china meat': 176821, 'lockdown offer': 499719, 'offer preview': 594751, 'demand pattern': 236019, 'pattern for': 644467, 'world giant': 1009581, 'supplier cargill': 824512, 'cargill say': 164652, 'china meat market': 176822, 'meat market around': 525649, 'market around covid': 516038, '19 lockdown offer': 8410, 'lockdown offer preview': 499720, 'offer preview of': 594752, 'preview of demand': 671950, 'of demand pattern': 582508, 'demand pattern for': 236020, 'pattern for the': 644469, 'the world giant': 871876, 'world giant food': 1009582, 'giant food supplier': 349776, 'food supplier cargill': 316918, 'supplier cargill say': 824513, 'manx': 513705, 'manx key': 513706, 'down whether': 257469, 're teacher': 699667, 'even nurse': 284414, 'doctor get': 250927, 'touch how': 926493, 'manx key worker': 513707, 'worker we want': 1008150, 'we want you': 973752, 'your experience of': 1023718, 'of working on': 593301, 'frontline during lock': 338729, 'lock down whether': 499060, 'down whether you': 257470, 'you re teacher': 1020769, 're teacher delivery': 699668, 'worker or even': 1007504, 'or even nurse': 615210, 'even nurse or': 284415, 'or doctor get': 615026, 'doctor get in': 250928, 'in touch how': 430229, 'touch how is': 926494, 'affecting your work': 34597, '194': 12357, 'receive food': 703476, 'stamp along': 793400, 'our 194': 621981, '194 month': 12358, 'receive food stamp': 703477, 'food stamp along': 316728, 'stamp along with': 793401, 'several other friend': 753913, 'other friend we': 620275, 'friend we have': 333885, 'have found that': 380704, 'found that with': 330403, 'that with this': 847632, '19 going on': 7236, 'on we can': 605131, 'we can barely': 970911, 'barely afford food': 111001, 'afford food with': 34697, 'food with price': 317646, 'with price going': 1000305, 'on our 194': 602569, 'our 194 month': 621982, '194 month so': 12359, 'month so can': 538007, 'you please try': 1020368, 'help with increase': 390915, 'with increase on': 998973, 'increase on the': 432956, 'the food stamp': 855607, 'thing changed': 884231, 'changed within': 172603, 'within couple': 1002341, 'blowing we': 133390, 'we once': 972643, 'once complained': 605610, 'complained of': 191879, 'much traffic': 545411, 'traffic shortage': 929132, 'want in': 965820, 'hope good': 403493, 'all job': 43287, 'job usa': 466253, 'usa crossed': 948614, 'crossed 300': 219056, 'case praying': 165967, 'how thing changed': 408939, 'thing changed within': 884232, 'changed within couple': 172604, 'within couple of': 1002342, 'of week is': 593002, 'week is mind': 976419, 'mind blowing we': 532631, 'blowing we once': 133391, 'we once complained': 972644, 'once complained of': 605611, 'complained of high': 191880, 'of high gas': 584613, 'price too much': 677092, 'too much traffic': 924953, 'much traffic shortage': 545412, 'traffic shortage of': 929133, 'shortage of time': 765139, 'do the thing': 250269, 'the thing now': 869461, 'thing now all': 884628, 'now all we': 573967, 'we want in': 973747, 'want in life': 965822, 'life is hope': 488809, 'is hope good': 448536, 'hope good health': 403494, 'health for all': 386447, 'for all job': 319141, 'all job usa': 43288, 'job usa crossed': 466254, 'usa crossed 300': 948615, 'crossed 300 00': 219057, '300 00 case': 17279, '00 case praying': 113, 'case praying for': 165968, 'for everyone safety': 321233, 'amid fearing': 52477, 'fearing shortage': 301492, 'unrest many': 943359, 'many stock': 514730, 'ammunition in': 52949, 'up in amid': 945144, 'in amid fearing': 420252, 'amid fearing shortage': 52478, 'fearing shortage of': 301493, 'supply and civil': 824708, 'civil unrest many': 179561, 'unrest many stock': 943360, 'many stock up': 514731, 'and ammunition in': 58084, 'ammunition in the': 52950, 'package even': 633260, 'but will your': 147891, 'will your package': 995403, 'your package even': 1025173, 'package even be': 633261, 'even be delivered': 283860, 'how impressed': 408043, 'impressed boris': 419444, 'boris yeltsin': 135503, 'yeltsin would': 1015308, 'wonder how impressed': 1003952, 'how impressed boris': 408044, 'impressed boris yeltsin': 419445, 'boris yeltsin would': 135504, 'yeltsin would be': 1015309, 'would be with': 1011669, 'be with an': 118117, 'with an american': 997203, 'an american supermarket': 55288, 'american supermarket on': 52234, 'supermarket on 20': 821721, 'on 20 2020': 599046, 'changing marketing': 172745, 'marketing forever': 517609, 'is changing marketing': 446474, 'changing marketing forever': 172746, 'sanitizer free gift': 734936, 'free gift for': 331874, 'gift for current': 349975, 'for current situation': 320496, 'alcohal': 40886, 'hi with': 394777, 'having 70': 383959, '70 alcohal': 21716, 'alcohal will': 40887, 'use vodka': 949791, 'vodka for': 959951, 'our through': 625139, 'through while': 894906, 'while virus': 987513, 'virus stayed': 958807, 'stayed at': 797855, 'who ever': 988708, 'ever came': 285243, 'foreign use': 329016, 'for 30days': 318811, '30days while': 17447, 'quarantine india': 692293, 'hi with sanitizer': 394778, 'with sanitizer having': 1000570, 'sanitizer having 70': 735059, 'having 70 alcohal': 383960, '70 alcohal will': 21717, 'alcohal will kill': 40888, 'will kill virus': 993926, 'virus then why': 958894, 'cannot we use': 162224, 'we use vodka': 973619, 'use vodka for': 949792, 'vodka for cleaning': 959952, 'for cleaning our': 320112, 'cleaning our through': 181000, 'our through while': 625141, 'through while virus': 894907, 'while virus stayed': 987514, 'virus stayed at': 958808, 'stayed at our': 797856, 'at our through': 100036, 'our through we': 625140, 'through we can': 894893, 'we can say': 971003, 'can say who': 159520, 'say who ever': 739488, 'who ever came': 988709, 'ever came from': 285244, 'came from foreign': 156998, 'from foreign use': 335539, 'foreign use this': 329017, 'use this for': 949725, 'this for 30days': 887583, 'for 30days while': 318812, '30days while in': 17448, 'in quarantine india': 427183, 'dog while': 252190, 'while enjoying': 986789, 'finally fml': 305992, 'you come home': 1017989, 'come home to': 187349, 'home to check': 402312, 'check on the': 174514, 'on the dog': 604070, 'the dog while': 853502, 'dog while enjoying': 252191, 'while enjoying the': 986790, 'enjoying the and': 277242, 'you just got': 1019421, 'just got you': 468877, 'got you finally': 359031, 'you finally fml': 1018564, 'top doctor': 925560, 'at say': 100468, 'whose panic': 990668, 'left healthcare': 485488, 'worker unable': 1008070, 'the top doctor': 869776, 'top doctor at': 925561, 'doctor at say': 250849, 'at say that': 100469, 'that people whose': 845711, 'people whose panic': 650369, 'whose panic buying': 990669, 'buying ha left': 150440, 'ha left healthcare': 371128, 'left healthcare worker': 485489, 'healthcare worker unable': 387394, 'worker unable to': 1008071, 'buy food should': 148671, 'supermarket receives': 822174, 'receives six': 703737, 'six truckloads': 772710, 'above holiday': 27072, 'completely crazy': 192246, 'local supermarket receives': 498580, 'supermarket receives six': 822175, 'receives six truckloads': 703738, 'six truckloads of': 772711, 'truckloads of stock': 933007, 'still empty of': 800481, '50 above holiday': 19601, 'above holiday shopping': 27073, 'holiday shopping level': 400355, 'buying is unsustainable': 150586, 'and completely crazy': 60234, 'doj': 252903, 'announcing doj': 77311, 'doj is': 252904, 'after industrial': 35820, 'industrial level': 435549, 'level hoarding': 487584, 'hoarding not': 399446, 'not fearful': 569372, 'fearful people': 301465, 'announcing doj is': 77312, 'doj is going': 252905, 'is going after': 448087, 'going after industrial': 354997, 'after industrial level': 35821, 'industrial level hoarding': 435550, 'level hoarding not': 487585, 'hoarding not fearful': 399447, 'not fearful people': 569373, 'fearful people buying': 301466, 'people buying more': 647349, 'coronacrisis quarantinelife': 204719, 'quarantinelife thankschina': 693031, 'thankschina shelterinplace': 842286, 'shelterinplace lawmaker': 758004, 'lawmaker community': 482485, 'leader call': 483437, 'on baker': 599542, 'baker to': 108824, 'order shelter': 618572, 'ma trip': 507283, 'workplace would': 1009217, 'coronacrisis quarantinelife thankschina': 204720, 'quarantinelife thankschina shelterinplace': 693032, 'thankschina shelterinplace lawmaker': 842287, 'shelterinplace lawmaker community': 758005, 'lawmaker community leader': 482486, 'community leader call': 189959, 'leader call on': 483438, 'call on baker': 156031, 'on baker to': 599543, 'baker to order': 108825, 'to order shelter': 911082, 'order shelter in': 618573, 'place in ma': 657509, 'in ma trip': 424973, 'ma trip to': 507284, 'store restaurant for': 809845, 'restaurant for takeout': 716482, 'for takeout food': 326134, 'takeout food essential': 833158, 'food essential workplace': 314390, 'essential workplace would': 281871, 'workplace would all': 1009218, 'would all be': 1011498, 'all be permitted': 42139, 'sleep must': 773780, 'must to': 546957, 'tomorrow or': 924155, 'or thursday': 617458, 'why last': 991161, 'tried grocery': 931785, 'ordered day': 618837, 'advance half': 32898, 'there next': 878791, 'next delivery': 561337, 'delivery pickup': 234338, 'pickup date': 655955, 'is april': 445802, 'after senior': 36166, 'try and sleep': 934454, 'and sleep must': 71743, 'sleep must to': 773781, 'must to go': 546958, 'store tomorrow or': 810899, 'tomorrow or thursday': 924156, 'or thursday why': 617459, 'thursday why last': 895450, 'why last time': 991162, 'time we tried': 898238, 'we tried grocery': 973573, 'tried grocery pick': 931786, 'pick up we': 655773, 'up we ordered': 946546, 'we ordered day': 972661, 'ordered day in': 618839, 'day in advance': 227788, 'in advance half': 420053, 'advance half the': 32899, 'wa not there': 962777, 'not there next': 572059, 'there next delivery': 878792, 'next delivery pickup': 561339, 'delivery pickup date': 234339, 'pickup date is': 655956, 'date is april': 226674, 'is april 19': 445803, 'april 19 fuck': 83436, '19 fuck that': 7153, 'fuck that going': 339652, 'that going after': 844031, 'going after senior': 354999, 'after senior hour': 36167, 'senior hour grocery': 750327, 'course govt': 211866, 'govt realises': 361251, 'need migrant': 555234, 'migrant just': 531213, 'remember many': 710228, 'others also': 621246, 'food make': 315357, 'make delivery': 509822, 'stock medicine': 802473, 'medicine they': 526905, 'all thru': 45209, 'called unskilled': 156478, 'unskilled fuck': 943483, 'the hostileenvironment': 857555, 'hostileenvironment thelockdown': 404942, 'of course govt': 582052, 'course govt realises': 211867, 'govt realises it': 361252, 'realises it need': 701648, 'it need migrant': 459753, 'need migrant just': 555235, 'migrant just so': 531214, 'just so we': 469828, 'so we remember': 778681, 'we remember many': 973077, 'remember many others': 710229, 'many others also': 514446, 'others also work': 621247, 'also work to': 49115, 'work to prepare': 1005899, 'to prepare our': 912008, 'prepare our food': 670118, 'our food make': 623115, 'food make delivery': 315358, 'make delivery stock': 509823, 'delivery stock medicine': 234579, 'stock medicine they': 802474, 'medicine they will': 526906, 'will do this': 993231, 'this all thru': 886275, 'all thru the': 45210, 'thru the crisis': 895230, 'crisis and still': 217052, 'and still be': 72367, 'still be called': 800247, 'be called unskilled': 113952, 'called unskilled fuck': 156479, 'unskilled fuck the': 943484, 'fuck the hostileenvironment': 339658, 'the hostileenvironment thelockdown': 857556, 'kocakes': 477305, 'cakequeen': 155265, 'fightcorona': 304974, 'kid closely': 473904, 'closely they': 183471, 'thing lot': 884569, 'stuff not': 815150, 'soon kocakes': 785764, 'kocakes cakequeen': 477306, 'cakequeen fightcovid19': 155266, 'fightcovid19 fightcorona': 304988, 'watch your kid': 968619, 'your kid closely': 1024555, 'kid closely they': 473905, 'closely they touch': 183472, 'they touch thing': 883583, 'touch thing lot': 926560, 'thing lot buy': 884570, 'lot buy essential': 504010, 'buy essential food': 148571, 'essential food stuff': 281050, 'food stuff not': 316895, 'stuff not panic': 815151, 'buying price might': 150921, 'price might go': 675238, 'might go up': 531000, 'up soon kocakes': 946049, 'soon kocakes cakequeen': 785765, 'kocakes cakequeen fightcovid19': 477307, 'cakequeen fightcovid19 fightcorona': 155267, 'subpoena': 815834, 'gouging investigation': 359358, 'investigation florida': 443865, 'florida ag': 310893, 'ag subpoena': 36842, 'subpoena business': 815835, 'retail site': 718572, 'site via': 772049, 'part of price': 642374, 'price gouging investigation': 674290, 'gouging investigation florida': 359359, 'investigation florida ag': 443866, 'florida ag subpoena': 310894, 'ag subpoena business': 36843, 'subpoena business that': 815836, 'business that sell': 144489, 'that sell product': 846185, 'sell product through': 748854, 'product through the': 681734, 'online retail site': 608874, 'retail site via': 718573, 'create 00': 215598, 'hospitality worker': 404816, 'company announced': 190401, 'announced well': 77117, 'op supermarket is': 611818, 'supermarket is to': 821130, 'to create 00': 903697, 'create 00 job': 215599, 'job in bid': 465873, 'bid to provide': 129495, 'to provide temporary': 912438, 'provide temporary employment': 686504, 'employment for hospitality': 274605, 'for hospitality worker': 322373, 'hospitality worker who': 404817, 'crisis the company': 218164, 'the company announced': 851311, 'company announced well': 190403, 'announced well done': 77118, 'to the co': 916572, 'report early': 711911, 'shopping download': 762517, 'which surveyed': 986362, 'surveyed 100': 828994, '100 to': 2098, 'new report early': 559445, 'report early effect': 711912, 'early effect of': 264588, 'online shopping download': 609103, 'shopping download the': 762518, 'download the which': 257635, 'the which surveyed': 871448, 'which surveyed 100': 986363, 'surveyed 100 to': 828995, '100 to learn': 2100, 'learn what they': 484093, 'need from your': 554894, 'from your brand': 338471, 'your brand during': 1023014, 'brand during these': 137829, 'it meant': 459585, 'meant more': 524886, 'more ve': 540892, 'home whilst': 402497, 'crisis rather': 217938, 'think it meant': 885343, 'it meant more': 459587, 'meant more ve': 524887, 'more ve lost': 540893, 'going to sit': 355707, 'to sit at': 914681, 'at home whilst': 99172, 'home whilst my': 402498, 'whilst my wife': 987660, 'this crisis rather': 887077, 'crisis rather than': 217939, 'rather than working': 697563, 'supermarket is shameful': 821122, 'sharplyy': 755777, 'wonderr': 1004220, 'whyy': 991630, 'about mask': 25703, 'report state': 712276, 'state covid': 795504, 'keep rising': 471858, 'rising sharplyy': 723289, 'sharplyy gee': 755778, 'gee wonderr': 345039, 'wonderr whyy': 1004221, 'whyy american': 991631, 'follow global': 312391, 'global leader': 352001, 'leader with': 483572, 'with greatest': 998681, 'greatest success': 363294, 'success wisdom': 816224, 'know now about': 476632, 'now about mask': 573929, 'about mask and': 25704, 'mask and coronavirus': 518315, 'and coronavirus consumer': 60570, 'consumer report state': 198728, 'report state covid': 712277, 'state covid 19': 795505, '19 number keep': 8869, 'number keep rising': 576906, 'keep rising sharplyy': 471860, 'rising sharplyy gee': 723290, 'sharplyy gee wonderr': 755779, 'gee wonderr whyy': 345040, 'wonderr whyy american': 1004222, 'whyy american must': 991632, 'american must follow': 52095, 'must follow global': 546666, 'follow global leader': 312392, 'global leader with': 352002, 'leader with greatest': 483573, 'with greatest success': 998682, 'greatest success wisdom': 363295, 'all soaring': 44375, 'in united': 430442, 'seafood are all': 743121, 'are all soaring': 84350, 'all soaring in': 44376, 'soaring in united': 779332, 'in united state': 430443, 'state supermarket chain': 795961, '828': 22845, 'are brit': 85064, 'brit panic': 140349, 'produced breakdown': 680508, 'breakdown handwash': 138841, 'handwash 200': 376747, '200 rise': 13538, 'sale paracetamol': 732443, 'paracetamol 388': 641216, '388 loo': 18164, 'roll 301': 725154, '301 pot': 17383, 'noodle 610': 566780, '610 pasta': 21199, 'pasta 828': 643667, '828 cat': 22846, 'food 226': 313016, '226 dog': 15310, 'food 233': 313018, '233 read': 15462, 'product are brit': 680934, 'are brit panic': 85065, 'brit panic buying': 140350, 'buying ha produced': 150447, 'ha produced breakdown': 371543, 'produced breakdown handwash': 680509, 'breakdown handwash 200': 138842, 'handwash 200 rise': 376748, '200 rise in': 13539, 'in sale paracetamol': 427661, 'sale paracetamol 388': 732444, 'paracetamol 388 loo': 641217, '388 loo roll': 18165, 'loo roll 301': 502165, 'roll 301 pot': 725155, '301 pot noodle': 17384, 'pot noodle 610': 666887, 'noodle 610 pasta': 566781, '610 pasta 828': 21200, 'pasta 828 cat': 643668, '828 cat food': 22847, 'cat food 226': 166859, 'food 226 dog': 313017, '226 dog food': 15311, 'dog food 233': 252076, 'food 233 read': 313019, '233 read more': 15463, 'real crisis': 701087, 'florida toiletpaper': 310992, 'store for almost': 807786, 'almost week now': 46767, 'week now what': 976597, 'the real crisis': 865210, 'real crisis in': 701088, 'crisis in south': 217539, 'in south florida': 428130, 'south florida toiletpaper': 786725, 'florida toiletpaper or': 310993, 'wa symptom': 963385, 'challenge all': 171388, 'all charge': 42336, 'charge while': 173344, 'tell my bank': 837039, 'my bank that': 547401, 'bank that my': 110233, 'that my online': 845274, 'shopping wa symptom': 764335, 'wa symptom of': 963386, 'symptom of and': 830880, 'of and would': 580192, 'like to challenge': 491580, 'to challenge all': 902586, 'challenge all charge': 171389, 'all charge while': 42337, 'charge while in': 173345, 'industry fear': 435828, 'fear waste': 301419, 'waste explosion': 968115, 'explosion strain': 292566, 'strain supply': 812298, 'chain look': 170904, 'sale shutdown': 732519, 'creating increased': 216016, 'increased foodwaste': 433323, 'foodwaste strain': 318262, 'the news uk': 861634, 'news uk food': 560919, 'uk food industry': 938366, 'food industry fear': 315013, 'industry fear waste': 435829, 'fear waste explosion': 301420, 'waste explosion strain': 968116, 'explosion strain supply': 292567, 'strain supply chain': 812299, 'supply chain look': 824988, 'chain look at': 170905, 'how the surge': 408881, 'surge in supermarket': 828210, 'in supermarket sale': 428660, 'supermarket sale shutdown': 822309, 'sale shutdown of': 732521, 'sector is creating': 744243, 'is creating increased': 446912, 'creating increased foodwaste': 216017, 'increased foodwaste strain': 433324, 'foodwaste strain on': 318263, 'chain food waste': 170708, 'buy couple': 148509, 'go empty': 353514, 'empty here': 274909, 'honestly feel': 403100, 'very uncomfortable': 955626, 'uncomfortable going': 939850, 'real am': 701028, 'scared wonder': 741045, 'go buy couple': 353393, 'buy couple of': 148510, 'of thing from': 591899, 'supermarket our shelf': 821851, 'our shelf have': 624741, 'shelf have started': 757148, 'started to go': 794871, 'to go empty': 906793, 'go empty here': 353515, 'empty here too': 274910, 'here too and': 393740, 'too and honestly': 924579, 'and honestly feel': 64703, 'honestly feel very': 403101, 'feel very uncomfortable': 302920, 'very uncomfortable going': 955627, 'uncomfortable going out': 939851, 'going out this': 355394, 'out this is': 627574, 'is real am': 451260, 'real am scared': 701029, 'am scared wonder': 50365, 'scared wonder for': 741046, 'wonder for how': 1003947, 'will we live': 995331, 'we live like': 972218, 'live like this': 495912, 'suspiciously': 829728, 'look suspiciously': 502605, 'suspiciously like': 829729, 'using federal': 950484, 'federal system': 302069, 'and taxpayer': 73054, 'taxpayer fund': 835199, 'hoard ventilator': 398905, 'manipulate stock': 513203, 'retail value': 718833, 'gain pandemic': 342807, 'pandemic mask': 635935, 'it look suspiciously': 459460, 'look suspiciously like': 502606, 'suspiciously like and': 829730, 'are using federal': 91419, 'using federal system': 950485, 'federal system and': 302070, 'system and taxpayer': 831108, 'and taxpayer fund': 73055, 'taxpayer fund to': 835200, 'fund to hoard': 341525, 'to hoard ventilator': 907885, 'hoard ventilator and': 398906, 'ventilator and ppe': 954528, 'and ppe in': 69285, 'ppe in bid': 667978, 'bid to manipulate': 129493, 'to manipulate stock': 909810, 'manipulate stock price': 513204, 'price and retail': 672523, 'and retail value': 70448, 'retail value for': 718834, 'value for personal': 952126, 'personal gain pandemic': 652851, 'gain pandemic mask': 342808, 'giant plc': 349845, 'plc said': 659523, 'good giant plc': 357123, 'giant plc said': 349846, 'plc said on': 659524, 'immensity': 417201, 'the immensity': 857910, 'immensity of': 417202, 'human stupidity': 410627, 'this missouri': 888860, 'missouri earthling': 534424, 'earthling will': 265031, 'soon visited': 785885, 'visited by': 959462, 'lovely karma': 504968, 'the immensity of': 857911, 'immensity of human': 417203, 'of human stupidity': 584878, 'human stupidity in': 410628, 'stupidity in time': 815536, 'time of 19': 897308, '19 some show': 10696, 'some show what': 783871, 'show what they': 767276, 're really made': 699359, 'really made of': 702400, 'made of can': 507876, 'of can only': 581073, 'can only hope': 159126, 'only hope this': 610611, 'hope this missouri': 403723, 'this missouri earthling': 888861, 'missouri earthling will': 534425, 'earthling will be': 265032, 'will be soon': 992693, 'be soon visited': 117313, 'soon visited by': 785886, 'visited by the': 959463, 'by the lovely': 154370, 'the lovely karma': 859771, 'ideal for': 413266, 'for primark': 324738, 'primark to': 678060, 'would be ideal': 1011603, 'be ideal for': 115343, 'ideal for primark': 413267, 'for primark to': 324739, 'primark to open': 678061, 'open up online': 612636, 'cuomo error': 220406, 'error in': 280230, 'in sending': 427798, 'after polluting': 36052, 'polluting the': 663892, 'ship there': 758716, 'deny his': 237134, 'his demand': 397354, 'cuomo error in': 220407, 'error in sending': 280231, 'in sending covid': 427799, 'positive patient to': 665403, 'patient to the': 644279, 'the hospital ship': 857533, 'hospital ship wa': 404611, 'ship wa like': 758732, 'wa like coughing': 962542, 'on the vegetable': 604426, 'supermarket after polluting': 818806, 'after polluting the': 36053, 'polluting the ship': 663893, 'the ship there': 866942, 'ship there wa': 758717, 'wa no reason': 962734, 'reason to deny': 703023, 'to deny his': 904177, 'deny his demand': 237135, 'his demand to': 397355, 'demand to use': 236406, 'it for that': 458098, 'for that purpose': 326269, 'zamaqongo': 1027203, 'djsbu': 248838, 'sell disposable': 748682, 'glove overall': 352854, 'overall dust': 631006, 'dust musk': 263453, 'musk sanitizer': 546404, 'sanitizer contact': 734689, 'contact zamaqongo': 200311, 'zamaqongo com': 1027204, 'com djsbu': 186931, 'djsbu flattenthecurve': 248839, 'we sell disposable': 973194, 'sell disposable glove': 748683, 'disposable glove overall': 246248, 'glove overall dust': 352855, 'overall dust musk': 631007, 'dust musk sanitizer': 263454, 'musk sanitizer contact': 546405, 'sanitizer contact zamaqongo': 734690, 'contact zamaqongo com': 200312, 'zamaqongo com djsbu': 1027205, 'com djsbu flattenthecurve': 186932, 'verifiably': 954773, 'greenwashing': 363776, 'moment raise': 536032, 'for csr': 320476, 'csr that': 220065, 'that verifiably': 847237, 'verifiably connected': 954774, 'value brand': 952098, 'brand tomorrow': 138053, 'tomorrow consumer': 924055, 'more savvy': 540315, 'savvy re': 738032, 're greenwashing': 698773, 'greenwashing blockchain': 363777, 'blockchain community': 132830, 'an adoption': 55134, 'adoption moment': 32720, 'for transparency': 327317, 'and accountability': 57602, 'this moment raise': 888880, 'moment raise demand': 536033, 'raise demand for': 695830, 'demand for csr': 235399, 'for csr that': 320477, 'csr that verifiably': 220066, 'that verifiably connected': 847238, 'verifiably connected to': 954775, 'connected to value': 194664, 'to value brand': 918111, 'value brand tomorrow': 952099, 'brand tomorrow consumer': 138054, 'tomorrow consumer will': 924056, 'be more savvy': 115995, 'more savvy re': 540316, 'savvy re greenwashing': 738033, 're greenwashing blockchain': 698774, 'greenwashing blockchain community': 363778, 'blockchain community this': 132831, 'is an adoption': 445636, 'an adoption moment': 55135, 'adoption moment for': 32721, 'moment for tool': 535939, 'for tool for': 327285, 'tool for transparency': 925413, 'for transparency and': 327318, 'transparency and accountability': 929821, 'documenting': 251248, 'bebore': 118846, 'documenting the': 251251, 'my beloved': 547426, 'beloved carrefour': 126531, 'carrefour hypermarket': 164911, 'hypermarket bebore': 412328, 'bebore the': 118847, 'documenting the last': 251252, 'the last trip': 859053, 'last trip to': 480599, 'to my beloved': 910375, 'my beloved carrefour': 547427, 'beloved carrefour hypermarket': 126532, 'carrefour hypermarket bebore': 164912, 'hypermarket bebore the': 412329, 'bebore the home': 118848, 'the home quarantine': 857454, 'home quarantine time': 401937, 'impact pharma': 417924, 'pain price': 634245, 'key input': 473321, 'input soar': 438988, 'soar the': 779269, '19 impact pharma': 7707, 'impact pharma company': 417925, 'pharma company feel': 654022, 'company feel the': 190654, 'the pain price': 862867, 'pain price of': 634246, 'of key input': 585612, 'key input soar': 473322, 'input soar the': 438989, 'soar the economic': 779270, 'global shutdown': 352198, 'fighting without': 305162, 'without crowd': 1002571, 'crowd stop': 219260, 'indoors wash': 435435, 'what bullshit is': 981147, 'bullshit is coronavirus': 142494, 'is coronavirus covid': 446844, 'call it this': 155962, 'it this caused': 461649, 'this caused global': 886721, 'caused global shutdown': 167890, 'global shutdown no': 352199, 'buying and fighting': 149905, 'and fighting without': 62833, 'fighting without crowd': 305163, 'without crowd stop': 1002572, 'crowd stop your': 219261, 'stop your life': 805299, 'your life do': 1024632, 'life do not': 488604, 'make any plan': 509707, 'any plan stay': 79660, 'plan stay indoors': 658228, 'stay indoors wash': 797083, 'indoors wash your': 435436, 'enhancer': 277104, 'period have': 651779, 'mask anywhere': 518392, 'the facial': 854809, 'facial enhancer': 295235, 'enhancer which': 277105, 'use if': 949265, 'or wearing': 617748, 'wearing paranoid': 974755, 'paranoid mask': 641449, 'mask one': 519060, 'for period have': 324481, 'period have to': 651780, 'wear it to': 974371, 'store but could': 806786, 'not find the': 569428, 'find the mask': 307293, 'the mask anywhere': 860211, 'mask anywhere else': 518393, 'anywhere else it': 81104, 'else it make': 271764, 'to touch the': 917653, 'touch the facial': 926549, 'the facial enhancer': 854810, 'facial enhancer which': 295236, 'enhancer which is': 277106, 'which is no': 986030, 'is no use': 449988, 'no use if': 565820, 'use if you': 949267, 'are sick at': 90107, 'sick at risk': 768386, 'risk or wearing': 723805, 'or wearing paranoid': 617749, 'wearing paranoid mask': 974756, 'paranoid mask one': 641450, 'email explaining': 272170, 'explaining 70': 292176, '70 vulnerable': 21853, 'am disabled': 49999, 'book why': 134634, 'available corona': 104302, 'for the email': 326407, 'the email explaining': 854208, 'email explaining 70': 272171, 'explaining 70 vulnerable': 292177, '70 vulnerable can': 21854, 'vulnerable can come': 960898, 'into store today': 443022, 'first hour but': 308712, 'hour but am': 405470, 'but am disabled': 145159, 'am disabled and': 50000, 'disabled and rely': 243878, 'shopping there are': 764104, 'are still no': 90451, 'still no slot': 800876, 'no slot to': 565526, 'slot to book': 774278, 'to book why': 901902, 'book why and': 134635, 'why and when': 990750, 'and when will': 75528, 'when will they': 984508, 'they be available': 881528, 'be available corona': 113753, '852': 22948, 'can ye': 160263, 'ye explain': 1014217, 'rising by': 723176, 'item 852': 463022, '852 2250': 22949, '2250 bush': 15303, 'bush internet': 143137, 'internet radio': 442001, 'radio ha': 695437, '48 99': 19296, '60 99': 20873, '99 would': 23921, 'that ye': 847700, 'ye are': 1014215, 'coronacrisis have': 204620, 'receipt to': 703421, 'can ye explain': 160264, 'ye explain why': 1014218, 'explain why price': 292136, 'why price are': 991297, 'are rising by': 89709, 'rising by 20': 723177, '20 on some': 13226, 'some item 852': 783144, 'item 852 2250': 463023, '852 2250 bush': 22950, '2250 bush internet': 15304, 'bush internet radio': 143138, 'internet radio ha': 442002, 'radio ha jumped': 695439, 'jumped from 48': 467930, 'from 48 99': 334298, '48 99 to': 19297, '99 to 60': 23907, 'to 60 99': 899787, '60 99 would': 20874, '99 would hope': 23922, 'hope that ye': 403663, 'that ye are': 847701, 'ye are not': 1014216, 'are not increasing': 88398, 'not increasing price': 570133, 'increasing price because': 433666, 'the coronacrisis have': 851780, 'coronacrisis have the': 204621, 'have the receipt': 383017, 'the receipt to': 865291, 'receipt to prove': 703422, 'sentenced': 750878, 'baht': 108574, 'five vendor': 309683, 'been sentenced': 121926, 'sentenced to': 750879, 'to between': 901792, 'between six': 128895, 'selling face': 749230, 'while two': 987483, 'got suspended': 358881, 'suspended jail': 829623, 'jail term': 464280, '00 baht': 74, 'baht each': 108575, 'five vendor have': 309684, 'vendor have been': 954375, 'have been sentenced': 379677, 'been sentenced to': 121927, 'sentenced to between': 750880, 'to between six': 901793, 'between six month': 128896, 'six month and': 772666, 'month and 18': 537573, 'and 18 month': 57386, '18 month in': 4559, 'month in jail': 537792, 'jail for selling': 464266, 'for selling face': 325439, 'selling face mask': 749231, 'price while two': 677528, 'while two others': 987485, 'two others have': 937116, 'others have got': 621446, 'have got suspended': 380815, 'got suspended jail': 358882, 'suspended jail term': 829624, 'jail term and': 464281, 'term and fine': 838058, 'fine of 25': 307671, 'of 25 00': 579538, '25 00 baht': 15788, '00 baht each': 75, 'govt cannot': 361089, 'cannot supply': 162149, 'country give': 210685, 'mask ours': 519088, 'ours agree': 625429, 'me only': 523274, 'cost went': 208158, 'up malaysialockdown': 945358, 'yet the govt': 1016254, 'the govt cannot': 856654, 'govt cannot supply': 361090, 'cannot supply mask': 162150, 'supply mask other': 825543, 'mask other country': 519085, 'other country give': 620016, 'country give free': 210686, 'give free mask': 350503, 'free mask ours': 331963, 'mask ours agree': 519089, 'ours agree to': 625430, 'agree to increase': 38663, 'of mask do': 586264, 'tell me only': 837017, 'me only our': 523275, 'only our cost': 610931, 'our cost went': 622576, 'cost went up': 208159, 'went up malaysialockdown': 979218, 'jade': 464233, '51st': 20239, 'kalanchoe': 470696, 'that jade': 844763, 'jade wa': 464234, 'wa piece': 962933, 'that fell': 843858, 'the plant': 863807, 'plant owner': 658686, 'by hobart': 152823, 'hobart brown': 399761, 'brown founder': 141237, 'race which': 695210, 'it 51st': 456212, '51st year': 20240, 'don cancel': 253414, 'flower is': 311301, 'store kalanchoe': 808637, 'kalanchoe that': 470697, 'best care': 127620, 'that jade wa': 844764, 'jade wa piece': 464235, 'wa piece that': 962934, 'piece that fell': 656369, 'that fell off': 843859, 'fell off the': 303215, 'off the plant': 594259, 'the plant owner': 863808, 'plant owner by': 658687, 'owner by hobart': 632418, 'by hobart brown': 152824, 'hobart brown founder': 399762, 'brown founder of': 141238, 'of the race': 591385, 'the race which': 865085, 'race which is': 695211, 'which is coming': 985994, 'is coming up': 446670, 'up on it': 945584, 'on it 51st': 601646, 'it 51st year': 456213, '51st year if': 20241, 'year if don': 1014643, 'if don cancel': 414059, 'don cancel it': 253415, 'cancel it like': 160855, 'it like everything': 459360, 'like everything else': 490197, 'everything else the': 287776, 'else the flower': 271908, 'the flower is': 855454, 'flower is grocery': 311302, 'grocery store kalanchoe': 365500, 'store kalanchoe that': 808638, 'kalanchoe that have': 470698, 'have not taken': 381698, 'not taken the': 571919, 'taken the best': 833069, 'the best care': 849497, 'best care of': 127621, 'people starving': 649553, 'starving it': 795259, 'greed selfish': 363431, 'behavior capitalism': 123954, 'capitalism milk': 162771, 'fall some': 297064, 'curb oversupply': 220565, 'see people starving': 745567, 'people starving it': 649554, 'starving it is': 795260, 'not the result': 572025, 'result of food': 717591, 'food shortage but': 316561, 'shortage but of': 764861, 'but of greed': 146637, 'of greed selfish': 584326, 'greed selfish and': 363432, 'and selfish behavior': 71191, 'selfish behavior capitalism': 748027, 'behavior capitalism milk': 123955, 'capitalism milk price': 162772, 'milk price fall': 531782, 'price fall some': 673798, 'fall some dairy': 297065, 'some dairy farmer': 782655, 'dumping milk to': 262247, 'milk to curb': 531867, 'to curb oversupply': 903802, 'curb oversupply during': 220566, 'the lockdown video': 859637, 'lockdown video courtesy': 500110, 'video courtesy of': 956696, 'sqft': 791431, 'is article': 445813, 'real did': 701108, 'he fact': 384951, 'if measure': 414414, 'implemented firsthand': 418456, 'account indicates': 28702, 'indicates no': 434990, 'mask avail': 518444, 'worker avg': 1006488, 'avg store': 104948, 'store 100k': 806017, '100k sqft': 2175, 'sqft that': 791434, '500 ppl': 20046, 'ppl at': 668184, 'hell they': 389076, 'is article for': 445814, 'article for real': 94322, 'for real did': 324990, 'real did he': 701109, 'did he fact': 240633, 'he fact check': 384952, 'fact check if': 295693, 'check if measure': 174466, 'if measure implemented': 414416, 'measure implemented firsthand': 525223, 'implemented firsthand account': 418457, 'firsthand account indicates': 309209, 'account indicates no': 28703, 'indicates no mask': 434991, 'no mask avail': 564705, 'mask avail for': 518445, 'avail for worker': 104105, 'for worker avg': 327932, 'worker avg store': 1006489, 'avg store 100k': 104949, 'store 100k sqft': 806018, '100k sqft that': 2176, 'sqft that 500': 791435, 'that 500 ppl': 842465, '500 ppl at': 20047, 'ppl at same': 668185, 'same time shopping': 733365, 'for whatever the': 327814, 'whatever the hell': 982804, 'the hell they': 857251, 'hell they want': 389077, 'they want stayhomesavelives': 883715, 'and powerful': 69281, 'powerful united': 667807, 'strong and powerful': 813977, 'and powerful united': 69282, 'powerful united we': 667808, 'pandemiconomy': 637125, 'visualizing the': 959651, 'the pandemiconomy': 863171, 'pandemiconomy what': 637126, 'visualizing the pandemiconomy': 959652, 'the pandemiconomy what': 863172, 'pandemiconomy what are': 637127, '19 even the': 6857, 'rabi': 695144, 'deficity': 232262, 'food department': 314185, 'department to': 237288, 'and preserve': 69387, 'preserve the': 670705, 'the rabi': 865080, 'rabi corp': 695145, 'corp for': 207195, 'up coming': 944615, 'coming time': 188215, 'so special': 778254, 'special attention': 787860, 'attention required': 102473, 'upcoming food': 946791, 'food deficity': 314083, 'deficity in': 232263, 'time to counter': 897972, 'counter the spread': 210268, 'but we should': 147762, 'we should give': 973273, 'should give our': 766042, 'give our attention': 350629, 'our attention to': 622147, 'the food department': 855543, 'food department to': 314186, 'department to collect': 237290, 'to collect and': 902963, 'collect and preserve': 186261, 'and preserve the': 69389, 'preserve the rabi': 670706, 'the rabi corp': 865081, 'rabi corp for': 695146, 'corp for the': 207196, 'for the up': 326755, 'the up coming': 870485, 'up coming time': 944616, 'coming time of': 188216, 'time of world': 897379, 'of world wide': 593315, 'world wide food': 1010180, 'wide food demand': 991717, 'food demand so': 314178, 'demand so special': 236243, 'so special attention': 778255, 'special attention required': 787861, 'attention required to': 102474, 'handle the upcoming': 376278, 'the upcoming food': 870493, 'upcoming food deficity': 946792, 'food deficity in': 314084, 'deficity in the': 232264, 'abound': 24620, 'hype bogus': 412261, 'product coronavirus': 681090, 'scam abound': 739962, 'believe the hype': 126363, 'the hype bogus': 857787, 'hype bogus product': 412262, 'bogus product coronavirus': 134032, 'product coronavirus scam': 681091, 'coronavirus scam abound': 206710, 'unborn': 939530, '19 enquiry': 6790, 'enquiry will': 277815, 'table of': 831490, 'of lawyer': 585744, 'lawyer yet': 482569, 'yet unborn': 1016306, 'unborn those': 939531, 'finished will': 307923, 'government work': 360823, 'at pace': 100055, 'pace to': 632966, 'implement it': 418393, 'it 66': 456220, '66 recommendation': 21426, 'recommendation each': 704742, 'each ye': 264338, 'in year to': 431032, 'year to come': 1015038, 'to come the': 903050, 'come the covid': 187525, 'covid 19 enquiry': 213026, '19 enquiry will': 6791, 'enquiry will put': 277816, 'will put food': 994538, 'the table of': 869110, 'table of lawyer': 831491, 'of lawyer yet': 585745, 'lawyer yet unborn': 482570, 'yet unborn those': 1016307, 'unborn those who': 939532, 'those who see': 892668, 'who see it': 989573, 'see it finished': 745330, 'it finished will': 458020, 'finished will demand': 307924, 'will demand the': 993155, 'the government work': 856630, 'government work at': 360824, 'work at pace': 1004890, 'at pace to': 100057, 'pace to implement': 632967, 'to implement it': 908170, 'implement it 66': 418394, 'it 66 recommendation': 456221, '66 recommendation each': 21427, 'recommendation each ye': 704743, 'over ll': 630362, 'again take': 37193, 'granted handshake': 362075, 'handshake with': 376731, 'stranger or': 812482, 'or hug': 615696, 'hug from': 409950, 'will appreciate': 992299, 'appreciate full': 82719, 'live sport': 496022, 'sport appreciate': 789899, 'the roar': 865942, 'roar of': 724580, 'the stadium': 867678, 'is over ll': 450708, 'over ll never': 630363, 'll never again': 496914, 'never again take': 557854, 'again take for': 37194, 'for granted handshake': 321994, 'granted handshake with': 362076, 'handshake with stranger': 376732, 'with stranger or': 1001005, 'stranger or hug': 812483, 'or hug from': 615697, 'hug from friend': 409951, 'from friend will': 335573, 'friend will appreciate': 333912, 'will appreciate full': 992300, 'appreciate full shelf': 82720, 'full shelf at': 340878, 'supermarket pharmacy will': 821980, 'will be grateful': 992481, 'grateful for live': 362266, 'for live sport': 323024, 'live sport appreciate': 496023, 'sport appreciate the': 789900, 'appreciate the roar': 82763, 'the roar of': 865943, 'roar of the': 724581, 'in the stadium': 429569, 'id really': 412949, 'someone make': 784557, 'sort to': 786155, 'risk healthcare': 723604, 'id really like': 412950, 'really like to': 702379, 'to see someone': 914072, 'see someone make': 745732, 'someone make donation': 784558, 'make donation of': 509857, 'donation of some': 254653, 'of some sort': 589909, 'some sort to': 783905, 'sort to grocery': 786157, 'convenience store worker': 202362, 're working just': 699831, 'just hard and': 468928, 'hard and are': 377860, 'are just at': 87616, 'just at risk': 468247, 'at risk healthcare': 100365, 'risk healthcare professional': 723605, 'been contracted': 120885, 'contracted in': 201742, 'ha been contracted': 369760, 'been contracted in': 120886, 'contracted in the': 201743, 'the mass gathering': 860242, 'gathering in the': 344467, 'begets': 123466, 'hoarding before': 399216, 'before some': 123089, 'starve panic': 795213, 'panic begets': 637401, 'begets more': 123467, 'panic which': 638781, 'creates food': 215943, 'step in and': 799560, 'in and stop': 420390, 'and stop all': 72467, 'food hoarding before': 314824, 'hoarding before some': 399217, 'before some people': 123090, 'some people starve': 783536, 'people starve panic': 649551, 'starve panic begets': 795214, 'panic begets more': 637402, 'begets more panic': 123468, 'more panic which': 539990, 'panic which creates': 638782, 'which creates food': 985792, 'creates food shortage': 215944, 'vulnerable stopstockpiling coronacrisis': 961183, 'chain shop': 171098, 'normally to': 567560, 'message from new': 529320, 'from new zealand': 336569, 'zealand supermarket chain': 1027313, 'supermarket chain shop': 819634, 'chain shop normally': 171099, 'shop normally to': 760498, 'normally to ensure': 567561, 'ensure there are': 278099, 'are enough supply': 86221, 'everyone and be': 286694, 'considerate of other': 195220, 'of other shopper': 587372, 'shopper and supermarket': 761373, 'ruiru': 727160, 'runda': 727872, 'tutashindacorona': 936039, 'which kenyan': 986093, 'that desperately': 843507, 'desperately want': 238584, 'want lockdown': 965844, 'lockdown those': 500036, 'in rongai': 427543, 'rongai ruiru': 725812, 'ruiru or': 727161, 'or runda': 616936, 'runda still': 727873, 'have strategic': 382802, 'strategic plan': 812554, 'won hurt': 1003845, 'nots in': 573631, 'country tutashindacorona': 211196, 'tutashindacorona if': 936040, 'work smart': 1005737, 'smart not': 775400, 'which kenyan are': 986094, 'kenyan are these': 472955, 'are these that': 90981, 'these that desperately': 880806, 'that desperately want': 843508, 'desperately want lockdown': 238585, 'want lockdown those': 965845, 'lockdown those in': 500037, 'those in rongai': 892102, 'in rongai ruiru': 427544, 'rongai ruiru or': 725813, 'ruiru or runda': 727162, 'or runda still': 616937, 'runda still believe': 727874, 'still believe that': 800284, 'believe that lockdown': 126343, 'that lockdown is': 844931, 'lockdown is not': 499549, 'the solution we': 867470, 'solution we need': 782125, 'to have strategic': 907315, 'have strategic plan': 382803, 'strategic plan that': 812555, 'plan that won': 658245, 'that won hurt': 847643, 'won hurt the': 1003846, 'hurt the have': 411615, 'have nots in': 381722, 'nots in this': 573632, 'this country tutashindacorona': 886977, 'country tutashindacorona if': 211197, 'tutashindacorona if we': 936041, 'we work smart': 973947, 'work smart not': 1005738, 'smart not hard': 775401, 'italy outbreak': 462885, 'italy outbreak is': 462886, 'megastore': 527846, 'in megastore': 425245, 'megastore supermarket': 527847, 'cheering quite': 175149, 'emotional really': 273299, 'really coronacrisis': 702080, 'now in megastore': 575007, 'in megastore supermarket': 425246, 'megastore supermarket over': 527848, 'we all show': 970361, 'the staff that': 867703, 'staff that have': 792931, 'that have come': 844202, 'in and everyone': 420361, 'and cheering quite': 59794, 'cheering quite emotional': 175150, 'quite emotional really': 694853, 'emotional really coronacrisis': 273300, 'really coronacrisis frontliners': 702081, 'poveglia': 667472, 'expecting from': 291036, 'from brexit': 334737, 'brexit empty': 139505, 'just shame': 469770, 'cannot escape': 161785, 'to poveglia': 911941, 'some way the': 784189, 'way the coronacrisis': 969934, 'coronacrisis is what': 204645, 'wa expecting from': 962097, 'expecting from brexit': 291037, 'from brexit empty': 334738, 'brexit empty supermarket': 139506, 'shelf and food': 756732, 'shortage it just': 765044, 'it just shame': 459241, 'just shame that': 469771, 'shame that cannot': 754648, 'that cannot escape': 843140, 'cannot escape to': 161786, 'escape to poveglia': 280318, 'mitchmcconnell': 534519, 'greasy': 362472, 'haired': 374050, 'mitchmcconnell the': 534520, 'the rep': 865519, 'rep are': 711411, 'that ring': 846055, 'ring wearing': 722543, 'wearing greasy': 974650, 'greasy haired': 362473, 'haired car': 374051, 'car salesman': 163276, 'salesman seller': 732695, 'the yr': 872216, 'yr award': 1027008, 'award on': 105579, 'his desk': 397358, 'desk according': 238444, 'class american': 180143, 'the overly': 862781, 'overly eager': 631311, 'eager uneducated': 264357, 'uneducated consumer': 941087, 'bus the': 143094, 'stop out': 804875, 'out front': 626199, 'mitchmcconnell the rep': 534521, 'the rep are': 865520, 'rep are like': 711412, 'are like that': 87796, 'like that ring': 491334, 'that ring wearing': 846056, 'ring wearing greasy': 722544, 'wearing greasy haired': 974651, 'greasy haired car': 362474, 'haired car salesman': 374052, 'car salesman seller': 163277, 'salesman seller of': 732696, 'seller of the': 749049, 'of the yr': 591633, 'the yr award': 872217, 'yr award on': 1027009, 'award on his': 105580, 'on his desk': 601317, 'his desk according': 397359, 'desk according to': 238445, 'to them mid': 917306, 'them mid class': 876026, 'mid class american': 530563, 'class american are': 180144, 'american are the': 51821, 'are the overly': 90876, 'the overly eager': 862782, 'overly eager uneducated': 631312, 'eager uneducated consumer': 264358, 'uneducated consumer who': 941088, 'consumer who just': 199523, 'just got off': 468866, 'got off the': 358758, 'the bus the': 850147, 'bus the stop': 143095, 'the stop out': 867959, 'stop out front': 804876, 'low volume': 505721, 'volume time': 960173, 'like early': 490150, 'night one': 563045, 'one epidemiologist': 606238, 'epidemiologist said': 279490, 'said try': 731535, 'maintain physical': 509010, 'you magically': 1019748, 'magically exempt': 508398, 'from viral': 338244, 'viral spread': 957628, 'shopping at low': 762104, 'at low volume': 99634, 'low volume time': 505722, 'volume time like': 960174, 'time like early': 897136, 'like early morning': 490151, 'early morning or': 264652, 'at night one': 99882, 'night one epidemiologist': 563046, 'one epidemiologist said': 606239, 'epidemiologist said try': 279491, 'said try to': 731536, 'try to maintain': 934638, 'to maintain physical': 909586, 'maintain physical distance': 509011, 'physical distance much': 655406, 'distance much you': 246766, 'you can the': 1017810, 'can the grocery': 159954, 'make you magically': 510743, 'you magically exempt': 1019749, 'magically exempt from': 508399, 'exempt from viral': 289974, 'from viral spread': 338245, 'known supermarket': 477245, 'supermarket giving': 820526, 'giving bottle': 351255, 'sanitiser to': 734033, 'nearly made': 553839, 'chaos there': 173065, 'is kindness': 449213, 'kindness bekind': 475189, 'seen an employee': 746928, 'employee of well': 274071, 'well known supermarket': 978365, 'known supermarket giving': 477246, 'supermarket giving bottle': 820527, 'giving bottle of': 351256, 'hand sanitiser to': 375252, 'sanitiser to the': 734035, 'the elderly shopper': 854143, 'elderly shopper to': 270879, 'shopper to make': 761770, 'sure they had': 827739, 'they had one': 882253, 'had one it': 373368, 'one it nearly': 606540, 'it nearly made': 459746, 'nearly made me': 553840, 'made me cry': 507836, 'me cry in': 522631, 'cry in time': 219882, 'time of chaos': 897317, 'of chaos there': 581278, 'chaos there is': 173066, 'there is kindness': 878579, 'is kindness bekind': 449214, 'time uncivilized': 898161, 'uncivilized people': 939811, 'people plea': 649126, 'let our': 486957, 'hero eat': 393985, 'else well': 271972, 'one more time': 606695, 'more time uncivilized': 540777, 'time uncivilized people': 898162, 'uncivilized people plea': 939812, 'people plea for': 649127, 'plea for supermarket': 659546, 'for supermarket panic': 326018, 'supermarket panic buyer': 821901, 'buyer to let': 149779, 'to let our': 909210, 'let our nh': 486959, 'our nh hero': 624066, 'nh hero eat': 561972, 'hero eat every': 393986, 'eat every one': 265910, 'one else well': 606235, 'else well the': 271973, 'well the older': 978665, 'older people those': 598663, 'people those with': 649852, 'those with special': 892724, 'with special dietary': 1000906, 'ever think': 285548, 'think tp': 885719, 'tp would': 928038, 'than barrel': 840379, 'oil toiletpaper': 597482, 'toiletpaper oilprice': 922277, 'you ever think': 1018461, 'ever think tp': 285549, 'think tp would': 885720, 'tp would cost': 928039, 'would cost more': 1011740, 'more than barrel': 540595, 'than barrel of': 840380, 'barrel of canadian': 111251, 'of canadian oil': 581094, 'canadian oil toiletpaper': 160723, 'oil toiletpaper oilprice': 597483, 'my hand from': 548606, 'hand from all': 374964, 'all the washing': 44977, 'the washing and': 871105, 'washing and sanitizer': 967648, 'govt outlook': 361235, 'outlook india': 629165, 'to govt outlook': 906951, 'govt outlook india': 361236, 'landed still': 479317, 'eventual consumer': 285129, 'market misery': 516723, 'misery around': 534006, 'look where the': 502679, 'where the crude': 985221, 'the crude price': 852543, 'have landed still': 381240, 'landed still not': 479318, 'passed on the': 643286, 'on the eventual': 604103, 'the eventual consumer': 854609, 'eventual consumer to': 285130, 'cushion the market': 221919, 'the market misery': 860134, 'market misery around': 516724, 'available found': 104392, 'with imon': 998950, 'care read': 164185, 'stay secure': 797314, 'secure when': 744471, 'now available found': 574156, 'available found out': 104393, 'out about new': 625558, 'about new way': 25796, 'way to connect': 970002, 'connect with imon': 194634, 'with imon customer': 998951, 'imon customer care': 417522, 'customer care read': 222236, 'care read about': 164186, 'read about way': 700259, 'about way scammer': 26849, 'to stay secure': 915315, 'stay secure when': 797315, 'secure when shopping': 744472, 'survey insight': 828889, 'insight mckinsey': 439595, 'consumer survey insight': 199191, 'survey insight mckinsey': 828890, 'slot all': 774096, 'week boot': 976020, 'boot superdrug': 135112, 'superdrug sold': 818646, 'anyway due': 81004, 'asthma so trying': 97210, 'so trying not': 778586, 'delivery slot all': 234503, 'slot all booked': 774097, 'booked up for': 134685, 'up for three': 944969, 'three week boot': 894099, 'week boot superdrug': 976021, 'boot superdrug sold': 135113, 'superdrug sold out': 818647, 'of most thing': 586681, 'to risk it': 913597, 'risk it go': 723652, 'it go to': 458268, 'to shop where': 914500, 'shop where everything': 761030, 'sold out anyway': 781724, 'out anyway due': 625720, 'anyway due to': 81005, 'necessity clearly': 554195, 'clearly everyone': 181508, 'island had': 454288, 'idea got': 413062, 'last box': 480121, '40 pack': 18629, 'death stare': 230212, 'stare got': 794132, 'got were': 359010, 'were terrifying': 980227, 'terrifying had': 838528, 'he left home': 385183, 'left home at': 485498, 'home at 45': 400744, 'at 45 to': 97660, '45 to go': 19146, 'some food and': 782853, 'basic necessity clearly': 111993, 'necessity clearly everyone': 554196, 'clearly everyone on': 181510, 'everyone on long': 287231, 'long island had': 501461, 'island had the': 454289, 'same idea got': 733114, 'idea got the': 413063, 'the last box': 858994, 'last box of': 480122, 'box of 40': 137109, 'of 40 pack': 579584, '40 pack of': 18630, 'pack of water': 633118, 'water and the': 968884, 'and the death': 73317, 'the death stare': 852976, 'death stare got': 230213, 'stare got were': 794133, 'got were terrifying': 359011, 'were terrifying had': 980228, 'terrifying had to': 838529, 'had to hurry': 373699, 'get out 19': 347733, 'quieter': 694713, 'wolf supermarket': 1003370, 'park now': 641953, 'now quieter': 575632, 'quieter between': 694714, 'between 7pm': 128694, '7pm than': 22512, 'wolf supermarket car': 1003371, 'car park now': 163229, 'park now quieter': 641954, 'now quieter between': 575633, 'quieter between 7pm': 694715, 'between 7pm than': 128695, '7pm than pre': 22513, 'caution the': 168177, 'relaxed egg': 708857, 'egg labeling': 269903, 'labeling requirement': 478379, 'started baking': 794688, 'baking our': 108915, 'word of caution': 1004537, 'of caution the': 581222, 'caution the fda': 168178, 'fda ha relaxed': 300870, 'ha relaxed egg': 371700, 'relaxed egg labeling': 708858, 'egg labeling requirement': 269904, 'labeling requirement to': 478382, 'requirement to meet': 713449, 'meet rising consumer': 527564, 'rising consumer demand': 723183, 'consumer demand since': 197166, 'demand since we': 236226, 'we all started': 970362, 'all started baking': 44427, 'started baking our': 794689, 'baking our way': 108916, 'way to comfort': 970000, 'tepid': 838023, 'just tepid': 469969, 'tepid glimpse': 838024, 'revive the': 720685, 'corpse of': 207488, 'of carefree': 581147, 'carefree pre': 164375, 'pre life': 669178, 'here just tepid': 393282, 'just tepid glimpse': 469970, 'tepid glimpse into': 838025, 'glimpse into the': 351706, 'new way people': 559856, 'way people will': 969813, 'world once we': 1009869, 'once we stop': 605783, 'we stop trying': 973430, 'trying to revive': 934860, 'to revive the': 913507, 'revive the corpse': 720686, 'the corpse of': 851962, 'corpse of carefree': 207490, 'of carefree pre': 581148, 'carefree pre life': 164376, 'krone fall': 477796, 'to collapsing': 902959, 'norwegian krone fall': 567851, 'krone fall to': 477797, 'fall to record': 297101, 'record low due': 705009, 'due to collapsing': 261735, 'to collapsing oil': 902961, 'region is': 707428, 'facing negative': 295544, 'the region is': 865432, 'region is facing': 707429, 'is facing negative': 447699, 'facing negative oil': 295545, 'reader of': 700691, 'news learned': 560581, 'learned this': 484152, 'this nearly': 889094, 'ago egg': 38377, 'soar forcing': 779249, 'forcing supermarket': 328735, 'to scramble': 913923, 'scramble via': 742550, 'reader of food': 700692, 'of food business': 583661, 'food business news': 313802, 'business news learned': 144095, 'news learned this': 560582, 'learned this nearly': 484153, 'this nearly two': 889095, 'nearly two week': 553867, 'week ago egg': 975846, 'ago egg price': 38378, 'egg price soar': 269966, 'price soar forcing': 676527, 'soar forcing supermarket': 779250, 'forcing supermarket and': 328736, 'supermarket and farmer': 818978, 'and farmer to': 62703, 'farmer to scramble': 299545, 'to scramble via': 913924, 'duke': 262070, 'duke energy': 262071, 'energy tampa': 276594, 'tampa electric': 834121, 'electric and': 271097, 'and lakeland': 65935, 'lakeland electric': 479073, 'electric have': 271111, 'all announced': 42023, 'to bill': 901814, 'bill cut': 130549, 'financial strain': 306603, 'strain caused': 812270, 'duke energy tampa': 262072, 'energy tampa electric': 276595, 'tampa electric and': 834122, 'electric and lakeland': 271098, 'and lakeland electric': 65936, 'lakeland electric have': 479074, 'electric have all': 271112, 'have all announced': 379150, 'all announced plan': 42024, 'plan to bill': 658268, 'to bill cut': 901815, 'bill cut to': 130550, 'cut to ease': 223598, 'ease the financial': 265105, 'the financial strain': 855228, 'financial strain caused': 306604, 'strain caused by': 812271, 'dsouza26': 261360, 'do american': 249052, 'american expect': 51952, 'expect covid': 290621, 'sentiment around': 750904, 'economy wage': 268326, 'wage stimulus': 963953, 'debt via': 230591, 'via dsouza26': 955934, 'dsouza26 19': 261361, 'how do american': 407707, 'do american expect': 249053, 'american expect covid': 51953, 'expect covid 19': 290622, 'to impact their': 908157, 'impact their finance': 418012, 'their finance we': 873318, 'finance we published': 306299, 'we published this': 972783, 'published this data': 688704, 'this data tracking': 887162, 'data tracking consumer': 226474, 'consumer sentiment around': 198905, 'sentiment around the': 750905, 'around the economy': 93538, 'the economy wage': 854033, 'economy wage stimulus': 268327, 'wage stimulus and': 963954, 'stimulus and debt': 801502, 'and debt via': 61002, 'debt via dsouza26': 230592, 'via dsouza26 19': 955935, 'retweeting for': 720111, 'provide access': 686208, 'our show': 624773, 'show inventory': 767012, 'inventory find': 443665, 'inventory offered': 443696, 'purchase thru': 689689, 'thru may': 895207, '31 click': 17562, 'retweeting for new': 720112, 'for new website': 323839, 'new website amid': 559867, 'website amid concern': 975187, 'working on safe': 1008816, 'on safe way': 603252, 'to provide access': 912375, 'provide access to': 686209, 'to our show': 911241, 'our show inventory': 624774, 'show inventory find': 767013, 'inventory find the': 443666, 'find the show': 307302, 'the show inventory': 867113, 'show inventory offered': 767014, 'inventory offered at': 443697, 'offered at reduced': 594910, 'reduced price with': 706160, 'free delivery on': 331758, 'delivery on purchase': 234253, 'on purchase thru': 603014, 'purchase thru may': 689690, 'thru may 31': 895208, 'may 31 click': 520883, 'consumer require': 198746, 'mask for medical': 518684, 'for medical worker': 323387, 'worker and consumer': 1006281, 'and consumer require': 60422, 'consumer require once': 198747, 'warzone': 967414, 'chief pharmacy': 175953, 'quarantined nursing': 692870, 'care faculty': 163930, 'faculty all': 296041, 'town am': 927428, 'in warzone': 430703, 'warzone with': 967415, 'with bomb': 997445, 'bomb dropping': 134180, 'dropping about': 260662, 'the police chief': 863917, 'police chief pharmacy': 662957, 'chief pharmacy worker': 175954, 'pharmacy worker supermarket': 654583, 'and the quarantined': 73537, 'the quarantined nursing': 864989, 'quarantined nursing care': 692871, 'nursing care faculty': 577605, 'care faculty all': 163931, 'faculty all have': 296042, 'all have the': 43063, 'have the corona': 382969, 'virus in my': 958324, 'my town am': 550407, 'town am in': 927429, 'am in warzone': 50144, 'in warzone with': 430704, 'warzone with bomb': 967416, 'with bomb dropping': 997446, 'bomb dropping about': 134181, 'kshs': 477837, '6500': 21396, 'signature cooking': 769348, 'cooking pot': 202896, 'and pan': 68636, 'pan available': 634660, 'for kshs': 322864, 'kshs 6500': 477840, '6500 make': 21397, 'signature cooking pot': 769349, 'cooking pot and': 202897, 'pot and pan': 666876, 'and pan available': 68637, 'pan available for': 634661, 'available for kshs': 104373, 'for kshs 6500': 322866, 'kshs 6500 make': 477841, '6500 make your': 21398, 'hostpital': 404983, 'hahahahaha': 373916, 'and terry': 73125, 'terry conversation': 838635, 'me did': 522649, 'week terry': 976965, 'terry yes': 838641, 'yes got': 1015446, 'give toilet': 350800, 'the hostpital': 857557, 'hostpital and': 404984, 'paper hahahahaha': 640242, 'me and terry': 522428, 'and terry conversation': 73126, 'terry conversation about': 838636, 'about the me': 26447, 'the me did': 860333, 'me did you': 522650, 'on your food': 605466, 'paper this week': 640907, 'this week terry': 891277, 'week terry yes': 976966, 'terry yes got': 838642, 'yes got my': 1015447, 'got my food': 358724, 'my food for': 548381, 'and they give': 73908, 'they give toilet': 882196, 'give toilet paper': 350801, 'paper but you': 639978, 'but you need': 147994, 'to the hostpital': 916784, 'the hostpital and': 857558, 'hostpital and get': 404985, 'get some toilet': 348077, 'toilet paper hahahahaha': 921296, 'right my': 721999, 'wife purchased': 991962, 'purchased package': 689798, 'for mufc': 323648, 'mufc southampton': 545543, 'southampton 25th': 786817, '25th april': 16103, 'april travel': 83711, 'refund match': 706925, 'match is': 520293, 'postponed not': 666818, 'not cancelled': 568680, 'cancelled will': 161195, 'date whenever': 226755, 'whenever it': 984660, 'anyone know anything': 80401, 'know anything about': 476273, 'anything about consumer': 80675, 'consumer right my': 198821, 'right my wife': 722000, 'my wife purchased': 550597, 'wife purchased package': 991963, 'purchased package from': 689799, 'package from travel': 633285, 'from travel agent': 338138, 'travel agent for': 930240, 'agent for mufc': 38167, 'for mufc southampton': 323649, 'mufc southampton 25th': 545544, 'southampton 25th april': 786818, '25th april travel': 16104, 'april travel agent': 83712, 'agent say no': 38187, 'no refund match': 565319, 'refund match is': 706926, 'match is postponed': 520294, 'is postponed not': 450965, 'postponed not cancelled': 666819, 'not cancelled will': 568681, 'cancelled will have': 161196, 'take the new': 832665, 'the new date': 861491, 'new date whenever': 558597, 'date whenever it': 226756, 'whenever it may': 984661, 'relay': 708904, 'toiletpaperrelay': 923304, 'zoom stunt': 1027825, 'stunt toilet': 815328, 'paper relay': 640671, 'relay stayhomemn': 708905, 'stayhomemn stayathomechallenge': 798312, 'stayathomechallenge stayhomechallenge': 797755, 'stayhomechallenge stayhomestaysafe': 798286, 'stayhomestaysafe zoom': 798542, 'zoom socialdistancing': 1027821, 'toiletpaper toiletpaperrelay': 922716, 'zoom stunt toilet': 1027826, 'stunt toilet paper': 815329, 'toilet paper relay': 921418, 'paper relay stayhomemn': 640672, 'relay stayhomemn stayathomechallenge': 708906, 'stayhomemn stayathomechallenge stayhomechallenge': 798313, 'stayathomechallenge stayhomechallenge stayhomestaysafe': 797756, 'stayhomechallenge stayhomestaysafe zoom': 798287, 'stayhomestaysafe zoom socialdistancing': 798543, 'zoom socialdistancing toiletpaper': 1027822, 'socialdistancing toiletpaper toiletpaperrelay': 780826, 'people overbuy': 649043, 'overbuy it': 631072, 'worse william': 1011050, 'william hill': 995428, 'hill ceo': 396468, 'of after': 579819, 'after uk': 36465, 'uk report': 938664, 'waste after': 968061, 'if people overbuy': 414626, 'people overbuy it': 649044, 'overbuy it just': 631073, 'it just going': 459223, 'going to accelerate': 355518, 'accelerate the problem': 27864, 'the problem and': 864507, 'problem and make': 679455, 'even worse william': 284835, 'worse william hill': 1011051, 'william hill ceo': 995429, 'hill ceo of': 396469, 'ceo of after': 169765, 'of after uk': 579821, 'after uk report': 36466, 'uk report rise': 938665, 'in food waste': 422994, 'food waste after': 317467, 'waste after covid': 968062, 'medicalmarijuana': 526543, 'hey dispensary': 394356, 'dispensary are': 246118, 'of medicalmarijuana': 586403, 'medicalmarijuana the': 526544, 'are hour': 87249, 'no cannabis': 563754, 'cannabis what': 161457, 'disabled community': 243893, 'extra nj': 293587, 'nj price': 563449, 'expensive 500': 291216, '500 an': 19945, 'ounce njcoronavirus': 621963, 'hey dispensary are': 394357, 'dispensary are running': 246119, 'out of medicalmarijuana': 626787, 'of medicalmarijuana the': 586404, 'medicalmarijuana the wait': 526545, 'the wait time': 871030, 'time are hour': 896327, 'are hour to': 87250, 'hour to find': 406022, 'find out there': 307152, 'out there no': 627502, 'there no cannabis': 878799, 'no cannabis what': 563755, 'cannabis what are': 161458, 'you doing for': 1018297, 'doing for the': 252416, 'the disabled community': 853331, 'disabled community we': 243894, 'community we don': 190209, 'don have extra': 253598, 'have extra nj': 380541, 'extra nj price': 293588, 'nj price are': 563450, 'most expensive 500': 542316, 'expensive 500 an': 291217, '500 an ounce': 19946, 'an ounce njcoronavirus': 56726, '19 industry': 7836, 'industry update': 436199, 'retail council': 718007, 'canada cancel': 160388, 'cancel store': 160880, 'store conference': 807138, 'conference grand': 193734, 'prix and': 679060, 'spring event': 791201, 'covid 19 industry': 213264, '19 industry update': 7837, 'industry update retail': 436200, 'update retail council': 947198, 'retail council of': 718008, 'council of canada': 210010, 'of canada cancel': 581077, 'canada cancel store': 160389, 'cancel store conference': 160881, 'store conference grand': 807139, 'conference grand prix': 193735, 'grand prix and': 361872, 'prix and spring': 679061, 'and spring event': 72166, 'scrum': 742934, 'provision go': 687263, 'supermarket elder': 820101, 'elder opening': 270538, 'infectious scrum': 436911, 'scrum stophoarding': 742935, 'people and those': 646891, 'those with other': 892722, 'they left it': 882551, 'left it right': 485533, 'it right there': 460781, 'right there no': 722296, 'there no provision': 878834, 'no provision go': 565239, 'provision go to': 687264, 'to supermarket elder': 915791, 'supermarket elder opening': 820102, 'elder opening just': 270539, 'opening just another': 612869, 'dangerous infectious scrum': 225751, 'infectious scrum stophoarding': 436912, 'scrum stophoarding coronacrisis': 742936, 'worker who is': 1008217, 'who is still': 989115, 'still getting abuse': 800563, 'getting abuse from': 348823, 'from customer for': 335080, 'customer for not': 222388, 'for not enough': 323925, 'while moving': 987070, 'moving through': 544199, 'transmission people': 929759, 'waiting cause': 964302, 'cause higher': 167593, 'sneezing into': 776321, 'into crowd': 442499, 'crowd supermarket': 219262, 'by enforcing social': 152491, 'distancing while moving': 247644, 'while moving through': 987071, 'moving through an': 544200, 'through an aisle': 894319, 'aisle in supermarket': 40278, 'supermarket is actually': 821066, 'is actually going': 445331, 'virus transmission people': 958944, 'transmission people waiting': 929760, 'people waiting cause': 650113, 'waiting cause higher': 964303, 'cause higher chance': 167594, 'chance of person': 171764, 'or sneezing into': 617121, 'sneezing into crowd': 776322, 'into crowd supermarket': 442501, 'worker contract': 1006689, 'die now': 241406, 'have strict': 382809, 'strict no': 813644, 'service policy': 752702, 'enforce them': 276692, 'to see grocery': 914014, 'store worker contract': 811471, 'worker contract covid': 1006690, '19 and die': 5012, 'and die now': 61334, 'die now think': 241407, 'now think the': 576125, 'think the store': 885655, 'should have strict': 766097, 'have strict no': 382810, 'strict no mask': 813645, 'mask no service': 519014, 'no service policy': 565469, 'service policy in': 752703, 'place and enforce': 657311, 'and enforce them': 62132, 'pa ha': 632856, 'ha drastically': 370443, 'drastically restricted': 258461, 'restricted freedom': 717141, 'west bank': 980460, 'bank permitting': 110095, 'permitting people': 652195, 'under handful': 940106, 'of circumstance': 581424, 'circumstance such': 178744, 'supermarket health': 820730, 'health institution': 386537, 'institution among': 440451, 'place palestinian': 657648, 'pa ha drastically': 632857, 'ha drastically restricted': 370445, 'drastically restricted freedom': 258462, 'restricted freedom of': 717142, 'freedom of movement': 332379, 'of movement in': 586695, 'the west bank': 871393, 'west bank permitting': 980462, 'bank permitting people': 110096, 'permitting people to': 652196, 'their home under': 873577, 'home under handful': 402387, 'under handful of': 940107, 'handful of circumstance': 376104, 'of circumstance such': 581425, 'circumstance such going': 178745, 'such going the': 816518, 'the supermarket health': 868626, 'supermarket health institution': 820731, 'health institution among': 386538, 'institution among other': 440452, 'among other place': 53036, 'other place palestinian': 620722, 'house member': 406406, 'member race': 528179, 'race back': 695184, 'washington amid': 967763, 'trillion bill': 931959, 'bill could': 130541, 'delayed democrat': 232776, 'republican leader': 713045, 'leader suddenly': 483543, 'suddenly believe': 817074, 'bill might': 130622, 'distance voice': 246873, 'voice vote': 960008, 'vote scheduled': 960500, 'for friday': 321762, 'house member race': 406407, 'member race back': 528180, 'race back to': 695185, 'to washington amid': 918358, 'washington amid fear': 967764, 'fear the trillion': 301385, 'the trillion bill': 869989, 'trillion bill could': 931960, 'bill could be': 130542, 'could be delayed': 208859, 'be delayed democrat': 114383, 'delayed democrat and': 232777, 'and republican leader': 70283, 'republican leader suddenly': 713046, 'leader suddenly believe': 483544, 'suddenly believe the': 817075, 'believe the bill': 126357, 'the bill might': 849696, 'bill might not': 130623, 'might not pas': 531097, 'not pas by': 570968, 'pas by the': 643094, 'by the long': 154368, 'the long distance': 859675, 'long distance voice': 501396, 'distance voice vote': 246874, 'voice vote scheduled': 960009, 'vote scheduled for': 960501, 'scheduled for friday': 741491, 'fetching': 303620, 'agree this': 38653, 'this chick': 886760, 'chick working': 175723, 'wa fetching': 962114, 'fetching basket': 303621, 'basket asked': 112304, 'wanted some': 966231, 'some glove': 782953, 'glove had': 352703, 'had extra': 373093, 'extra she': 293636, 'thanks save': 842171, 'save it': 737526, 'who paranoid': 989412, 'paranoid had': 641446, 'this rolled': 889920, 'rolled up': 725648, 'and bounced': 59119, 'bounced she': 136832, 'agree this chick': 38654, 'this chick working': 886761, 'chick working at': 175724, 'store wa fetching': 811110, 'wa fetching basket': 962115, 'fetching basket asked': 303622, 'basket asked her': 112305, 'if she wanted': 414783, 'she wanted some': 756448, 'wanted some glove': 966232, 'some glove had': 782954, 'glove had extra': 352704, 'had extra she': 373094, 'extra she said': 293637, 'said no thanks': 731264, 'no thanks save': 565692, 'thanks save it': 842172, 'save it for': 737527, 'it for someone': 458093, 'someone who paranoid': 784765, 'who paranoid had': 989413, 'paranoid had no': 641447, 'had no time': 373340, 'for this rolled': 327061, 'this rolled up': 889921, 'rolled up the': 725649, 'up the window': 946227, 'window and bounced': 995660, 'and bounced she': 59120, 'benifits': 127229, 'pmsir': 662083, 'dear think': 229901, 'think network': 885420, 'the appropriate': 848832, 'appropriate data': 83033, 'data speed': 226428, 'speed in': 788442, 'in village': 430589, 'village compare': 957340, 'to metro': 910105, 'metro city': 529908, 'speed or': 788457, 'or downgrade': 615065, 'downgrade the': 257556, 'plan price': 658208, 'worst network': 1011223, 'network always': 557695, 'always and': 49466, 'the benifits': 849477, 'benifits of': 127230, 'of helpus': 584561, 'helpus pmsir': 391652, 'dear think network': 229902, 'think network operator': 885421, 'network operator are': 557754, 'operator are not': 613349, 'are not provide': 88447, 'not provide the': 571147, 'provide the appropriate': 686507, 'the appropriate data': 848833, 'appropriate data speed': 83034, 'data speed in': 226429, 'speed in village': 788443, 'in village compare': 430590, 'village compare to': 957341, 'compare to metro': 191412, 'to metro city': 910106, 'metro city they': 529909, 'city they should': 179410, 'they should increase': 883371, 'should increase the': 766134, 'increase the speed': 433114, 'the speed or': 867562, 'speed or downgrade': 788458, 'or downgrade the': 615066, 'downgrade the plan': 257557, 'the plan price': 863792, 'plan price is': 658210, 'price is the': 674897, 'the worst network': 872062, 'worst network always': 1011224, 'network always and': 557696, 'always and now': 49467, 'and now getting': 67837, 'now getting the': 574781, 'getting the benifits': 349340, 'the benifits of': 849478, 'benifits of helpus': 127231, 'of helpus pmsir': 584562, 'sandart': 733672, 'puri': 690057, 'alert stayed': 41503, 'my sandart': 549984, 'sandart at': 733673, 'at puri': 100226, 'puri beach': 690058, 'beach india': 118211, 'india stayhome': 434621, 'stay alert stayed': 796757, 'alert stayed at': 41504, 'stayed at work': 797857, 'at work for': 101601, 'home for my': 401240, 'for my sandart': 323746, 'my sandart at': 549985, 'sandart at puri': 733674, 'at puri beach': 100227, 'puri beach india': 690059, 'beach india stayhome': 118212, 'india stayhome staysafe': 434622, 'governor beloved': 360878, 'beloved cashier': 126533, 'near duke': 553478, 'duke university': 262074, 'university cust': 942425, 'cust know': 221940, 'know them': 476860, 're senior': 699483, 'time getting': 896829, 'around take': 93507, 'urge grocery': 948195, 'of program': 588528, 'program senior': 683294, 'governor beloved cashier': 360879, 'beloved cashier in': 126534, 'cashier in my': 166550, 'my store near': 550225, 'store near duke': 809035, 'near duke university': 553479, 'duke university cust': 262075, 'university cust know': 942426, 'cust know me': 221941, 'know me know': 476594, 'me know them': 523045, 'know them they': 476861, 'they re senior': 883121, 're senior who': 699484, 'senior who have': 750445, 'who have hard': 988927, 'hard time getting': 378037, 'time getting around': 896830, 'getting around take': 348852, 'around take the': 93508, 'take the the': 832680, 'the the time': 869403, 'time for them': 896764, 'them but what': 875503, 'do to urge': 250408, 'to urge grocery': 917990, 'urge grocery store': 948196, 'store have some': 808101, 'have some type': 382645, 'type of program': 937576, 'of program senior': 588529, 'like zinc': 491899, 'zinc lead': 1027608, 'lead and': 483262, 'and copper': 60550, 'copper three': 203447, 'month delivery': 537670, 'between 15': 128671, '15 and': 3666, '22 below': 15191, 'inevitable decline': 436376, 'for diamond': 320693, 'diamond the': 240338, 'gdp in': 344891, 'in nam': 425667, 'given the effect': 351134, '19 on commodity': 8936, 'commodity price like': 189278, 'price like zinc': 675050, 'like zinc lead': 491900, 'zinc lead and': 1027609, 'lead and copper': 483263, 'and copper three': 60551, 'copper three month': 203448, 'three month delivery': 893996, 'month delivery price': 537671, 'delivery price are': 234364, 'are between 15': 84961, 'between 15 and': 128672, '15 and 22': 3667, 'and 22 below': 57417, '22 below price': 15192, 'below price at': 126716, 'the year and': 872146, 'and the almost': 73239, 'the almost inevitable': 848593, 'almost inevitable decline': 46679, 'inevitable decline in': 436377, 'demand for diamond': 235403, 'for diamond the': 320694, 'diamond the decline': 240339, 'decline in gdp': 231357, 'in gdp in': 423239, 'gdp in nam': 344892, 'purpose because': 690098, 'outbreak far': 628212, 'putting report': 691212, 'anyone can report': 80222, 'can report business': 159447, 'report business for': 711840, 'for over inflating': 324329, 'on purpose because': 603022, 'purpose because if': 690099, 'because if the': 119145, 'if the outbreak': 415008, 'the outbreak far': 862622, 'outbreak far too': 628213, 'too many company': 924884, 'are putting report': 89360, 'putting report it': 691213, 'dillon': 242889, 'chris dillon': 178050, 'dillon real': 242894, 'estate author': 282102, 'author and': 103638, 'of dillon': 582618, 'dillon communication': 242892, 'communication highlight': 189601, 'unlike during': 942701, 'sars epidemic': 736817, '2003 the': 13603, 'little effect': 495323, 'on hong': 601355, 'kong property': 477400, 'chris dillon real': 178051, 'dillon real estate': 242895, 'real estate author': 701137, 'estate author and': 282103, 'author and founder': 103639, 'and founder of': 63236, 'founder of dillon': 330547, 'of dillon communication': 582619, 'dillon communication highlight': 242893, 'communication highlight that': 189602, 'highlight that unlike': 395963, 'that unlike during': 847186, 'unlike during the': 942702, 'during the sars': 263186, 'the sars epidemic': 866368, 'sars epidemic in': 736818, 'epidemic in 2003': 279389, 'in 2003 the': 419747, '2003 the covid': 13604, 'had little effect': 373250, 'little effect on': 495324, 'effect on hong': 269087, 'on hong kong': 601356, 'hong kong property': 403205, 'kong property price': 477401, 'be especially': 114695, 'have struggled': 382817, 'book home': 134539, 'delivery despite': 233867, 'made priority': 507923, 'thousand of those': 893469, 'of those deemed': 592085, 'those deemed to': 891922, 'to be especially': 901237, 'be especially vulnerable': 114696, 'vulnerable to have': 961221, 'to have struggled': 907317, 'have struggled to': 382819, 'struggled to book': 814407, 'to book home': 901897, 'book home delivery': 134540, 'home delivery despite': 401014, 'delivery despite being': 233868, 'despite being told': 238678, 'being told they': 125969, 'told they have': 923732, 'been made priority': 121512, 'up cannot': 944578, 'cannot think': 162185, 'going to dan': 355566, 'stock up cannot': 803068, 'up cannot think': 944579, 'cannot think of': 162186, 'fedexground': 302124, 'job make': 465993, 'make work': 510724, 'provide enough': 686273, 'enough hand': 277462, 'any pay': 79633, 'rise never': 722940, 'never work': 558280, 'at fedex': 98637, 'fedex fedexground': 302113, 'in this crazy': 429926, 'this crazy time': 887010, 'crazy time my': 215452, 'time my job': 897247, 'my job make': 548921, 'job make work': 465994, 'make work more': 510725, 'work more and': 1005475, 'more and doesn': 538612, 'and doesn even': 61594, 'doesn even provide': 251775, 'even provide enough': 284498, 'provide enough hand': 686274, 'enough hand sanitizer': 277463, 'sanitizer we only': 736046, 'only have hand': 610581, 'sanitizer station or': 735793, 'station or any': 796478, 'or any pay': 614353, 'any pay rise': 79634, 'pay rise never': 645095, 'rise never work': 722941, 'never work at': 558281, 'work at fedex': 1004868, 'at fedex fedexground': 98638, 'lancslive': 479250, 'job available': 465683, 'in lancashire': 424577, 'lancashire now': 479230, 'now morrison': 575318, 'more hire': 539438, 'hire amid': 396996, 'crisis lancslive': 217640, 'the supermarket job': 868658, 'supermarket job available': 821205, 'job available in': 465684, 'available in lancashire': 104443, 'in lancashire now': 424578, 'lancashire now morrison': 479231, 'now morrison tesco': 575319, 'morrison tesco asda': 541765, 'tesco asda and': 838668, 'and more hire': 67177, 'more hire amid': 539439, 'hire amid covid': 396997, '19 crisis lancslive': 6272, 'chinese equivalent': 177253, 'of hrl': 584852, 'hrl that': 409696, 'that continues': 843318, 'the covid defensive': 852231, 'meat stock that': 525755, 'stock that is': 802922, 'that is currently': 844573, 'oversold and the': 631533, 'the chinese equivalent': 850855, 'chinese equivalent of': 177254, 'equivalent of hrl': 279989, 'of hrl that': 584853, 'hrl that continues': 409697, 'that continues to': 843319, 'ambler': 51310, 'ambler campus': 51311, 'campus is': 157335, 'host drive': 404875, 'police paramedic': 663146, 'ambler campus is': 51312, 'campus is set': 157336, 'set to host': 753523, 'to host drive': 907988, 'host drive thru': 404876, 'thru testing site': 895228, 'testing site for': 839636, 'site for for': 771918, 'for for hospital': 321667, 'hospital worker police': 404740, 'worker police paramedic': 1007602, 'police paramedic and': 663147, 'paramedic and grocery': 641372, 'vomiting': 960408, 'start vomiting': 794626, 'vomiting covid': 960409, 'piss before': 656944, 'heading home': 385935, 'their stash': 874811, 'stash while': 795302, 'others struggle': 621672, 'to start vomiting': 915232, 'start vomiting covid': 794627, 'vomiting covid 19': 960410, '19 all over': 4898, 'all over each': 43859, 'their piss before': 874307, 'piss before heading': 656945, 'before heading home': 122848, 'heading home to': 385936, 'on their stash': 604511, 'their stash while': 874812, 'stash while others': 795303, 'while others struggle': 987126, 'others struggle to': 621673, 'struggle to buy': 814381, 'first experience': 308666, 'experience window': 291538, 'delivery collection': 233804, 'collection available': 186411, 'available any': 104234, 'woman have': 1003499, 'have strange': 382800, 'strange idea': 812398, 'my first experience': 548339, 'first experience window': 308667, 'experience window shopping': 291539, 'window shopping today': 995719, 'shopping today no': 764214, 'today no delivery': 919931, 'no delivery collection': 563985, 'delivery collection available': 233805, 'collection available any': 186412, 'available any supermarket': 104235, 'any supermarket woman': 79919, 'supermarket woman have': 823960, 'woman have strange': 1003500, 'have strange idea': 382801, 'strange idea of': 812399, 'idea of fun': 413126, 'slip from': 774016, 'month peak': 537951, 'peak on': 646089, 'slowdown hope': 774442, 'hope gld': 403491, 'gold price slip': 355974, 'price slip from': 676473, 'slip from month': 774017, 'from month peak': 336468, 'month peak on': 537952, 'peak on slowdown': 646090, 'on slowdown hope': 603504, 'slowdown hope gld': 774443, 'hope gld oil': 403492, 'ddarmers': 229017, 'out gap': 626210, 'in govt': 423396, 'govt agri': 361064, 'agri sector': 38846, 'sector policy': 744298, 'policy agri': 663323, 'sector dependent': 744166, 'on middleman': 602120, 'middleman market': 530709, 'market controlled': 516221, 'by society': 154064, 'middleman who': 530713, 'who dictate': 988583, 'dictate term': 240504, 'create infra': 215670, 'infra evacuation': 438171, 'evacuation preservation': 283697, 'preservation of': 670688, 'produce provide': 680401, 'provide ddarmers': 686259, 'ddarmers direct': 229018, 'direct ace': 243274, 'ace market': 28979, 'ha brought out': 370037, 'brought out gap': 141188, 'out gap in': 626211, 'gap in govt': 343446, 'in govt agri': 423397, 'govt agri sector': 361065, 'agri sector policy': 38849, 'sector policy agri': 744299, 'policy agri sector': 663324, 'agri sector dependent': 38848, 'sector dependent on': 744167, 'dependent on middleman': 237371, 'on middleman market': 602121, 'middleman market controlled': 530710, 'market controlled by': 516222, 'controlled by society': 202233, 'by society of': 154065, 'society of middleman': 781281, 'of middleman who': 586487, 'middleman who dictate': 530714, 'who dictate term': 988584, 'dictate term price': 240505, 'term price govt': 838243, 'price govt to': 674357, 'govt to create': 361309, 'to create infra': 903710, 'create infra evacuation': 215671, 'infra evacuation preservation': 438172, 'evacuation preservation of': 283698, 'preservation of produce': 670689, 'of produce provide': 588471, 'produce provide ddarmers': 680402, 'provide ddarmers direct': 686260, 'ddarmers direct ace': 229019, 'direct ace market': 243275, 'whew': 985627, 'am for': 50052, 'tp whew': 928034, 'whew just': 985628, 'just surreal': 469935, 'surreal we': 828682, 'like science': 491143, 'fiction novel': 304429, 'novel or': 573799, 'at am for': 97934, 'am for senior': 50053, 'for senior hour': 325464, 'senior hour got': 750326, 'hour got some': 405651, 'some tp whew': 784107, 'tp whew just': 928035, 'whew just surreal': 985629, 'just surreal we': 469936, 'surreal we are': 828683, 'this it like': 888522, 'it like science': 459373, 'like science fiction': 491144, 'science fiction novel': 742107, 'fiction novel or': 304430, 'novel or something': 573800, '81oz': 22800, 'linen 81oz': 493634, '81oz bottle': 22801, 'crisp linen 81oz': 218488, 'linen 81oz bottle': 493635, 'what think': 982426, 'market risk': 517010, 'money demand': 536693, 'what think is': 982427, 'think is subject': 885315, 'subject to market': 815753, 'to market risk': 909857, 'market risk this': 517011, 'risk this may': 723946, 'this may happen': 888789, 'may happen for': 521227, 'happen for money': 377080, 'for money demand': 323495, 'money demand by': 536694, 'demand by the': 235095, 'finalised': 305905, 'just recently': 469581, 'recently ve': 704172, 've finalised': 953121, 'finalised an': 305906, 'about singaporean': 26196, 'singaporean consumer': 771169, 'period interestingly': 651796, 'interestingly they': 441656, 'item ranging': 463595, 'from condom': 334947, 'condom to': 193613, 'to booze': 901937, 'booze thanks': 135180, 'sharing the': 755591, 'article stayathome': 94470, 'just recently ve': 469582, 'recently ve finalised': 704173, 've finalised an': 953122, 'finalised an article': 305907, 'article about singaporean': 94236, 'about singaporean consumer': 26197, 'singaporean consumer behaviour': 771170, '19 period interestingly': 9644, 'period interestingly they': 651797, 'interestingly they were': 441657, 'they were looking': 883784, 'were looking for': 979853, 'for item ranging': 322758, 'item ranging from': 463596, 'ranging from condom': 696760, 'from condom to': 334948, 'condom to booze': 193614, 'to booze thanks': 901938, 'booze thanks for': 135181, 'thanks for for': 842059, 'for for sharing': 321672, 'for sharing the': 325530, 'sharing the article': 755592, 'the article stayathome': 848943, 'brochure': 140802, 'disappointed because': 244093, 'mother came': 543066, 'came today': 157073, 'buy her': 148783, 'her sale': 392343, 'sale brochure': 732104, 'brochure and': 140803, 'surprised me': 828592, 'not respected': 571341, 'respected this': 715120, 'day end': 227558, 'end treat': 276018, 'customer well': 223051, 'need she': 555553, 'by mistake': 153231, 'disappointed because my': 244094, 'because my elderly': 119259, 'elderly mother came': 270760, 'mother came today': 543067, 'came today to': 157074, 'to buy her': 902242, 'buy her sale': 148784, 'her sale brochure': 392344, 'sale brochure and': 732105, 'brochure and surprised': 140804, 'and surprised me': 72885, 'surprised me the': 828593, 'me the sale': 523658, 'the sale price': 866181, 'sale price were': 732468, 'were not respected': 979923, 'not respected this': 571342, 'respected this will': 715121, 'this will one': 891433, 'one day end': 606154, 'day end treat': 227559, 'end treat customer': 276019, 'treat customer well': 930824, 'customer well his': 223052, 'well his first': 978294, 'his first time': 397435, 'first time this': 309115, 'week to go': 977081, 'for some thing': 325769, 'thing he need': 884414, 'he need and': 385245, 'need and need': 554432, 'and need she': 67479, 'need she by': 555554, 'she by mistake': 755909, 'queencreek': 693401, 'queencreek be': 693402, 'this hoax': 887928, 'hoax going': 399720, 'with letter': 999202, 'mail claiming': 508592, 'from maricopa': 336356, 'maricopa county': 515699, 'county public': 211472, 'queencreek be aware': 693403, 'of this hoax': 591986, 'this hoax going': 887929, 'hoax going around': 399721, 'going around with': 355032, 'around with letter': 93638, 'with letter in': 999203, 'letter in the': 487328, 'the mail claiming': 859892, 'mail claiming to': 508593, 'be from maricopa': 114968, 'from maricopa county': 336357, 'maricopa county public': 515700, 'county public health': 211473, 'public health for': 688068, 'health for more': 386450, 'victim to these': 956525, 'to these scam': 917352, 'these scam visit': 880629, 'scam visit or': 740458, 'wa chased': 961810, 'chased through': 173895, 'by security': 153908, 'guard this': 367846, 'evening because': 284859, 'wa chased through': 961811, 'chased through supermarket': 173896, 'through supermarket by': 894697, 'supermarket by security': 819481, 'by security guard': 153909, 'security guard this': 744627, 'guard this evening': 367847, 'this evening because': 887434, 'evening because apparently': 284860, 'wrong door you': 1013028, 'door you used': 255797, 'you used to': 1022015, 'used to get': 950055, 'get in trouble': 347317, 'for coming through': 320176, 'through the wrong': 894779, 'wrong hole and': 1013043, 'hole and not': 400204, 'have main': 381421, 'would ask those': 1011535, 'those who plan': 892662, 'who plan to': 989428, 'we have main': 971865, 'have main hospital': 381422, 'already changing': 47258, 'we shopped': 973249, 'shopped this': 761323, 'be everything': 114716, 'everything amazon': 287679, 'amazon need': 51039, 'to bury': 902116, 'bury it': 142976, 'it competitor': 457240, 'competitor consumer': 191794, 'up 35': 944161, '35 percent': 17911, 'year according': 1014338, 'to estimate': 905262, 'estimate via': 282272, '19 amazon wa': 4950, 'wa already changing': 961483, 'already changing the': 47259, 'way we shopped': 970180, 'we shopped this': 973250, 'shopped this period': 761324, 'this period could': 889516, 'period could be': 651740, 'could be everything': 208866, 'be everything amazon': 114717, 'everything amazon need': 287680, 'amazon need to': 51040, 'need to bury': 555875, 'to bury it': 902117, 'bury it competitor': 142977, 'it competitor consumer': 457241, 'competitor consumer spending': 191795, 'spending on amazon': 788930, 'on amazon is': 599281, 'amazon is up': 51012, 'is up 35': 453568, 'up 35 percent': 944163, '35 percent from': 17912, 'percent from the': 651125, 'last year according': 480717, 'year according to': 1014339, 'according to estimate': 28536, 'to estimate via': 905263, 'ma working': 507287, 'at farmer': 98628, 'farmer mkt': 299462, 'mkt ordering': 534696, 'through delivery': 894414, 'on this we': 604644, 'for the farmer': 326430, 'the farmer across': 854941, 'across ma working': 29379, 'ma working hard': 507288, 'shopping at farmer': 762097, 'at farmer mkt': 98629, 'farmer mkt ordering': 299463, 'mkt ordering online': 534697, 'or through delivery': 617452, 'wuhanvir': 1013560, 'why american': 990744, 'american don': 51922, 'themselves watch': 876927, 'woman bought': 1003425, 'all mask': 43462, 'she wrote': 756490, 'wrote that': 1013211, 'left no': 485567, 'american chinesevirus': 51863, 'chinesevirus wuhanvir': 177457, 'know why american': 477046, 'why american don': 990745, 'american don have': 51923, 'protect themselves watch': 685024, 'themselves watch this': 876928, 'watch this this': 968582, 'this this woman': 890579, 'this woman bought': 891475, 'woman bought out': 1003426, 'out all mask': 625601, 'all mask from': 43463, 'mask from one': 518705, 'from one supermarket': 336689, 'one supermarket to': 607144, 'supermarket to another': 823353, 'to another supermarket': 900575, 'another supermarket she': 77887, 'supermarket she wrote': 822414, 'she wrote that': 756491, 'wrote that she': 1013212, 'she had left': 756100, 'had left no': 373239, 'left no mask': 485568, 'no mask for': 564706, 'the american chinesevirus': 848626, 'american chinesevirus wuhanvir': 51864, '469': 19244, '544': 20343, '8316': 22858, '972': 23702, '8224': 22833, '214': 15067, '607': 21138, '8437': 22890, 'free review': 332105, 'review and': 720552, 'immediate budget': 416972, 'budget the': 141822, 'best financing': 127689, 'financing plan': 306739, 'plan accessible': 658040, 'accessible price': 28339, 'price confidence': 673206, 'security guaranteed': 744607, 'guaranteed 15': 367733, 'year support': 1014982, 'support send': 826805, 'me text': 523590, 'message whatsapp': 529481, 'call 469': 155703, '469 544': 19245, '544 8316': 20344, '8316 972': 22859, '972 697': 23703, '697 8224': 21535, '8224 214': 22834, '214 607': 15068, '607 8437': 21139, '8437 stayathome': 22891, 'stayathome dallas': 797467, 'free review and': 332106, 'review and immediate': 720554, 'and immediate budget': 64992, 'immediate budget the': 416973, 'budget the best': 141823, 'the best financing': 849512, 'best financing plan': 127690, 'financing plan accessible': 306740, 'plan accessible price': 658041, 'accessible price confidence': 28340, 'price confidence and': 673207, 'confidence and security': 193823, 'and security guaranteed': 71124, 'security guaranteed 15': 744608, 'guaranteed 15 year': 367734, '15 year support': 3877, 'year support send': 1014983, 'support send me': 826806, 'send me text': 749890, 'me text message': 523591, 'text message whatsapp': 839920, 'message whatsapp or': 529482, 'whatsapp or call': 982908, 'or call 469': 614635, 'call 469 544': 155704, '469 544 8316': 19246, '544 8316 972': 20345, '8316 972 697': 22860, '972 697 8224': 23704, '697 8224 214': 21536, '8224 214 607': 22835, '214 607 8437': 15069, '607 8437 stayathome': 21140, '8437 stayathome dallas': 22892, 'lovely saturday': 504980, 'saturday for': 737023, 'quick second': 694370, 'second thing': 743837, 'thing appeared': 884143, 'appeared normal': 82146, 'store on this': 809209, 'on this lovely': 604619, 'this lovely saturday': 888721, 'lovely saturday for': 504981, 'saturday for quick': 737024, 'for quick second': 324918, 'quick second thing': 694371, 'second thing appeared': 743838, 'thing appeared normal': 884144, 'to abandon': 899898, 'abandon supermarket': 24201, 'am staggered': 50425, '70 ve': 21850, 'seen going': 747039, 'usual didn': 950924, 'didn witness': 241261, 'distancing either': 247118, 'anyone taking': 80542, 'seriously coronacrisis': 751570, 'had to abandon': 373657, 'to abandon supermarket': 899899, 'abandon supermarket trip': 24202, 'supermarket trip to': 823554, 'trip to pick': 932201, 'up grocery for': 945041, 'grocery for my': 364528, 'my mom who': 549289, 'mom who is': 535840, 'isolating am staggered': 455050, 'am staggered by': 50426, 'number of over': 576968, 'over 70 ve': 629923, '70 ve seen': 21851, 've seen going': 953531, 'seen going about': 747040, 'going about their': 354987, 'about their business': 26576, 'their business usual': 872693, 'business usual didn': 144601, 'usual didn witness': 950925, 'didn witness any': 241262, 'witness any social': 1003108, 'any social distancing': 79826, 'social distancing either': 779596, 'distancing either is': 247119, 'either is anyone': 270323, 'is anyone taking': 445767, 'anyone taking this': 80544, 'this seriously coronacrisis': 890038, 'if smoker': 414819, 'smoker standing': 775889, 'at entrance': 98548, 'entrance near': 278886, 'trolley are': 932368, 'main vector': 508844, 'vector smoking': 953680, 'smoking put': 775913, 'from odds': 336639, 'odds ratio': 579215, 'ratio 14': 697609, '14 than': 3530, 'factor age': 295866, 'age temperature': 37907, 'temperature respiratory': 837396, 'respiratory failure': 715237, 'failure are': 296263, 'are each': 86061, 'what if smoker': 981636, 'if smoker standing': 414820, 'smoker standing at': 775890, 'standing at entrance': 793745, 'at entrance near': 98549, 'entrance near supermarket': 278887, 'near supermarket trolley': 553596, 'supermarket trolley are': 823560, 'trolley are the': 932370, 'the main vector': 859916, 'main vector smoking': 508845, 'vector smoking put': 953681, 'smoking put you': 775914, 'you at greater': 1017333, 'dying from odds': 263825, 'from odds ratio': 336640, 'odds ratio 14': 579216, 'ratio 14 than': 697610, '14 than any': 3531, 'than any one': 840349, 'any one of': 79557, 'the other factor': 862526, 'other factor age': 620208, 'factor age temperature': 295867, 'age temperature respiratory': 37908, 'temperature respiratory failure': 837397, 'respiratory failure are': 715238, 'failure are each': 296264, 'the farming': 854948, 'the eating': 853861, 'eating raging': 266295, 'raging vegan': 695564, 'vegan so': 953886, 'ignore me': 415829, 'not fake': 569357, 'news he': 560499, 'he trying': 385551, 'impose his': 419238, 'others which': 621774, 'not approve': 568239, 'the farming is': 854950, 'farming is the': 299632, 'the demand part': 853105, 'demand part the': 236016, 'part the eating': 642435, 'the eating raging': 853862, 'eating raging vegan': 266296, 'raging vegan so': 695565, 'vegan so feel': 953887, 'so feel free': 777084, 'free to ignore': 332242, 'to ignore me': 908111, 'ignore me it': 415830, 'it just not': 459235, 'just not fake': 469330, 'not fake news': 569358, 'fake news he': 296670, 'news he trying': 560500, 'he trying to': 385552, 'trying to impose': 934819, 'to impose his': 908194, 'impose his food': 419239, 'his food choice': 397444, 'food choice on': 313933, 'choice on others': 177800, 'on others which': 602567, 'others which do': 621775, 'do not approve': 249669, 'not approve of': 568240, 'approve of but': 83112, 'of but he': 580988, 'are bull': 85082, 'bull shopping': 142410, 'part bid': 642241, 'bid online': 129481, 'phone if': 654961, 'step to be': 799640, 'this situation if': 890180, 'you are bull': 1017076, 'are bull shopping': 85083, 'bull shopping do': 142411, 'shopping do your': 762497, 'your part bid': 1025210, 'part bid online': 642242, 'bid online or': 129482, 'by phone if': 153577, 'phone if possible': 654962, 'andersonsf': 76147, 'andersonsf you': 76148, 'wearing that': 974794, 'you tit': 1021743, 'tit those': 899260, 'those should': 892468, 'be within': 118123, 'within 2m': 1002318, '2m of': 16698, 'patient you': 644324, 'were never': 979901, 'never great': 558034, 'at following': 98669, 'andersonsf you do': 76149, 'do know you': 249555, 'to be wearing': 901633, 'be wearing that': 118079, 'wearing that to': 974795, 'supermarket you tit': 824205, 'you tit those': 1021744, 'tit those should': 899261, 'those should be': 892469, 'reserved for those': 714134, 'must be within': 546560, 'be within 2m': 118124, 'within 2m of': 1002319, '2m of covid': 16699, '19 patient you': 9598, 'patient you were': 644325, 'you were never': 1022252, 'were never great': 979902, 'never great at': 558035, 'great at following': 362516, 'at following the': 98670, 'gorilla': 358325, 'spent so': 789165, 'about gorilla': 25315, 'gorilla tourism': 358326, 'tourism uganda': 927018, 'uganda which': 937999, 'perhaps why': 651669, 'there debtfree': 878310, 'debtfree but': 230626, 'but joke': 146191, 'aside raise': 95429, 'raise many': 695873, 'many interesting': 514199, 'interesting issue': 441573, 'issue about': 455639, 'about neoliberal': 25785, 'neoliberal globalization': 557391, 'globalization consumer': 352351, 'you ve spent': 1022066, 've spent so': 953589, 'spent so much': 789166, 'much money to': 545092, 'money to get': 537100, 'get there say': 348385, 'there say about': 879019, 'say about gorilla': 738384, 'about gorilla tourism': 25316, 'gorilla tourism uganda': 358327, 'tourism uganda which': 927019, 'uganda which is': 938000, 'which is perhaps': 986043, 'is perhaps why': 450856, 'perhaps why ve': 651670, 'why ve never': 991499, 'never been there': 557906, 'been there debtfree': 122177, 'there debtfree but': 878311, 'debtfree but joke': 230627, 'but joke aside': 146192, 'joke aside raise': 467057, 'aside raise many': 95430, 'raise many interesting': 695874, 'many interesting issue': 514200, 'interesting issue about': 441574, 'issue about neoliberal': 455640, 'about neoliberal globalization': 25786, 'neoliberal globalization consumer': 557392, 'globalization consumer capitalism': 352352, 'consumer capitalism and': 196731, 'husband placed': 411748, 'placed an': 657872, 'our shopper': 624756, 'shopper luis': 761602, 'luis traveled': 506622, 'traveled elsewhere': 930601, 'delivered water': 233444, 'water gift': 969010, 'gift we': 350042, 'express our': 293053, 'gratitude enough': 362366, 'such kindness': 816591, 'kindness from': 475200, 'my husband placed': 548789, 'husband placed an': 411749, 'placed an order': 657873, 'an order on': 56702, 'out of water': 626873, 'of water but': 592937, 'water but our': 968931, 'but our shopper': 146733, 'our shopper luis': 624757, 'shopper luis traveled': 761603, 'luis traveled elsewhere': 506623, 'traveled elsewhere and': 930602, 'elsewhere and delivered': 272010, 'and delivered water': 61099, 'delivered water gift': 233446, 'water gift we': 969011, 'gift we cannot': 350043, 'we cannot express': 971058, 'cannot express our': 161817, 'express our gratitude': 293054, 'our gratitude enough': 623298, 'gratitude enough for': 362367, 'enough for such': 277438, 'for such kindness': 325972, 'such kindness from': 816592, 'kindness from the': 475201, 'giant react': 349852, 'supermarket giant react': 820512, 'giant react to': 349853, 'react to coronavirus': 700149, 'to coronavirus challenge': 903543, 'coronavirus challenge retail': 205637, 'delitakeout': 233076, 'have delitakeout': 380224, 'delitakeout well': 233077, 'arrived along': 93940, 'about groceryshopping': 25333, 'groceryshopping and': 366245, 'still have delitakeout': 800645, 'have delitakeout well': 380225, 'delitakeout well more': 233078, 'well more grocery': 978402, 'more grocery item': 539373, 'grocery item which': 364665, 'item which just': 463817, 'which just arrived': 986087, 'just arrived along': 468219, 'arrived along with': 93941, 'with more toiletpaper': 999566, 'more toiletpaper and': 540810, 'toiletpaper and here': 921722, 'is information from': 448919, 'information from consumer': 437837, 'consumer report about': 198697, 'report about groceryshopping': 711781, 'about groceryshopping and': 25334, 'guard arrived': 367783, 'help distribute': 389590, 'distribute supply': 248010, 'pittsburgh food': 657037, 'after 800': 35308, '800 family': 22699, 'family lined': 297989, 'distribution on': 248186, 'monday across': 536226, 'bank experiencing': 109816, 'shortage report': 765196, 'national guard arrived': 552520, 'guard arrived to': 367784, 'to help distribute': 907494, 'help distribute supply': 389592, 'distribute supply at': 248011, 'at the greater': 100966, 'the greater pittsburgh': 856746, 'greater pittsburgh food': 363209, 'pittsburgh food bank': 657038, 'bank after 800': 109575, 'after 800 family': 35309, '800 family lined': 22700, 'family lined up': 297990, 'lined up for': 493629, 'up for emergency': 944926, 'for emergency distribution': 321016, 'emergency distribution on': 272668, 'distribution on monday': 248187, 'on monday across': 602152, 'monday across the': 536227, 'food bank experiencing': 313563, 'bank experiencing increased': 109817, 'increased demand fear': 433270, 'demand fear shortage': 235334, 'fear shortage report': 301324, 'affirming': 34642, 'egypt ministry': 270111, 'market affirming': 515918, 'affirming that': 34643, 'panic regarding': 638473, 'regarding good': 707217, 'egypt ministry of': 270112, 'all food commodity': 42807, 'food commodity at': 313973, 'commodity at market': 189137, 'at market affirming': 99680, 'market affirming that': 515919, 'affirming that there': 34644, 'to panic regarding': 911420, 'panic regarding good': 638474, 'regarding good amid': 707218, 'crisis of coronavirus': 217780, 'faithfully': 296547, 'about 20th': 24669, '20th in': 14934, 'socialdistancing faithfully': 780354, 'faithfully observed': 296550, 'observed surprised': 578628, 'supermarket now about': 821661, 'now about 20th': 573925, 'about 20th in': 24670, '20th in line': 14935, 'in line socialdistancing': 424773, 'line socialdistancing faithfully': 493413, 'socialdistancing faithfully observed': 780356, 'faithfully observed surprised': 296551, 'observed surprised how': 578629, 'surprised how many': 828580, 'people have ppe': 648191, 'have ppe mask': 382013, 'ppe mask where': 668000, 'mask where did': 519551, 'where did they': 984821, 'did they find': 240868, 'they find them': 882112, 'ontarioenergy': 611643, 'suspend time': 829592, 'rate holding': 697255, 'hour ontarioenergy': 405828, 'government is working': 360286, 'working to suspend': 1009004, 'to suspend time': 916071, 'suspend time of': 829593, 'electricity rate holding': 271205, 'rate holding electricity': 697256, 'kilowatt hour ontarioenergy': 474758, 'folk anyone': 312086, 'doing supermarket': 252691, 'shopping think': 764124, 'anything obviously': 80837, 'obviously keeping': 578835, 'keeping some': 472559, 'supermarket staysafestayhome': 822950, 'folk anyone thinking': 312087, 'of doing supermarket': 582771, 'doing supermarket shopping': 252692, 'supermarket shopping think': 822652, 'shopping think of': 764125, 'think of any': 885436, 'of any elderly': 580256, 'any elderly neighbour': 79168, 'elderly neighbour and': 270777, 'neighbour and call': 557182, 'and call them': 59419, 'them to see': 876506, 'need anything obviously': 554458, 'anything obviously keeping': 80838, 'obviously keeping some': 578836, 'keeping some distance': 472561, 'some distance supermarket': 782697, 'distance supermarket staysafestayhome': 246845, 'hello arizona': 389130, 'hello arizona customer': 389131, 'and gift can': 63645, 'gift can still': 349931, 'still be ordered': 800262, 'nbi': 553260, 'nbi fam': 553261, 'fam through': 297516, 'through necessary': 894587, 'platform live': 659000, 'and functioning': 63412, 'functioning we': 341340, 'priority regarding': 678630, 'regarding service': 707256, 'safety keep': 730598, 'your crown': 1023387, 'crown we': 219429, 'nbi fam through': 553262, 'fam through necessary': 297517, 'through necessary precaution': 894588, 'necessary precaution regarding': 554045, 'precaution regarding the': 669350, 'virus we are': 959006, 'keep our online': 471739, 'shopping platform live': 763636, 'platform live and': 659001, 'live and functioning': 495720, 'and functioning we': 63414, 'functioning we keep': 341341, 'we keep you': 972137, 'keep you our': 472244, 'you our customer': 1020250, 'our customer our': 622670, 'customer our main': 222665, 'our main priority': 623839, 'main priority regarding': 508799, 'priority regarding service': 678631, 'regarding service and': 707257, 'service and safety': 752107, 'and safety keep': 70748, 'safety keep your': 730599, 'head up and': 385851, 'up and wear': 944387, 'wear your crown': 974498, 'your crown we': 1023388, 'crown we are': 219430, 'is badass': 445979, 'badass in': 108099, 'more routinely': 540284, 'routinely effective': 726549, 'plain old soap': 658013, 'old soap is': 598470, 'soap is badass': 779043, 'is badass in': 445980, 'badass in the': 108100, 'against coronavirus it': 37390, 'coronavirus it even': 206182, 'even more routinely': 284376, 'more routinely effective': 540285, 'routinely effective than': 726550, 'effective than hand': 269312, 'sanitizer here why': 735082, 'country had': 210727, '100 not': 1975, 'still queuing': 801086, 'crowd small': 219251, 'enter not': 278273, 'knowing they': 477141, 'to paying': 911588, 'paying at': 645386, '10 will': 1760, 'thought this country': 893263, 'this country had': 886955, 'country had bit': 210728, 'had bit more': 372928, 'bit more sense': 131624, 'sense to it': 750606, 'to it 100': 908562, 'it 100 not': 456171, '100 not people': 1976, 'not people still': 570998, 'people still queuing': 649606, 'still queuing at': 801087, 'at supermarket big': 100703, 'supermarket big crowd': 819371, 'big crowd small': 129725, 'crowd small space': 219252, 'small space at': 775131, 'space at least': 787058, 'least one person': 484587, 'supermarket will enter': 823882, 'will enter not': 993328, 'enter not knowing': 278274, 'not knowing they': 570316, 'knowing they have': 477142, '19 by time': 5580, 'by time it': 154547, 'time it come': 897076, 'come to paying': 187588, 'to paying at': 911589, 'paying at least': 645387, 'least 10 will': 484326, '10 will have': 1761, 'emis': 273199, 'vigour': 957277, 'loss liquidity': 503722, 'liquidity crunch': 494134, 'crunch but': 219745, 'paying school': 645476, 'fee emis': 302163, 'emis rent': 273200, 'rent helper': 711109, 'helper salary': 391136, 'salary maid': 731983, 'maid etc': 508546, 'etc lpg': 282646, 'cylinder inflated': 224119, 'food inflated': 315033, 'corona test': 204218, 'test 5k': 838900, '5k still': 20717, 'supporting with': 827233, 'all vigour': 45364, 'vigour hope': 957278, 'hope is': 403510, 'is noticing': 450246, 'is facing job': 447697, 'job loss liquidity': 465980, 'loss liquidity crunch': 503723, 'liquidity crunch but': 494135, 'crunch but paying': 219746, 'but paying school': 146757, 'paying school fee': 645477, 'school fee emis': 741788, 'fee emis rent': 302164, 'emis rent helper': 273201, 'rent helper salary': 711110, 'helper salary maid': 391137, 'salary maid etc': 731984, 'maid etc lpg': 508547, 'etc lpg cylinder': 282647, 'lpg cylinder inflated': 506318, 'cylinder inflated price': 224120, 'inflated price food': 437042, 'price food inflated': 673914, 'food inflated price': 315034, 'inflated price corona': 437034, 'price corona test': 673245, 'corona test 5k': 204219, 'test 5k still': 838901, '5k still supporting': 20718, 'still supporting with': 801263, 'supporting with all': 827234, 'with all vigour': 997167, 'all vigour hope': 45365, 'vigour hope is': 957279, 'hope is noticing': 403511, 'with climate': 997668, 'increased global': 433336, 'global connectivity': 351793, 'connectivity and': 194728, 'increase global': 432798, 'global capacity': 351766, 'forecast infectious': 328838, 'with climate change': 997669, 'change and increased': 171917, 'and increased global': 65116, 'increased global connectivity': 433337, 'global connectivity and': 351794, 'connectivity and food': 194729, 'food demand we': 314182, 'need to increase': 555971, 'to increase global': 908282, 'increase global capacity': 432799, 'global capacity to': 351767, 'capacity to forecast': 162587, 'to forecast infectious': 906180, 'forecast infectious disease': 328839, 'preventcoronavirus': 671781, 'price five': 673883, 'at 250': 97551, '250 station': 16026, 'discourage crowd': 244619, 'crowd preventcoronavirus': 219236, 'preventcoronavirus quarantinelife': 671782, 'quarantinelife stayhomechallenge': 693023, 'stayhomechallenge staysafestayhome': 798288, 'staysafestayhome via': 799037, 'indian railway increase': 434871, 'ticket price five': 895647, 'price five time': 673884, 'five time at': 309669, 'time at 250': 896344, 'at 250 station': 97552, '250 station to': 16027, 'station to discourage': 796535, 'to discourage crowd': 904359, 'discourage crowd preventcoronavirus': 244620, 'crowd preventcoronavirus quarantinelife': 219237, 'preventcoronavirus quarantinelife stayhomechallenge': 671783, 'quarantinelife stayhomechallenge staysafestayhome': 693024, 'stayhomechallenge staysafestayhome via': 798289, 'faraz': 298999, 'rak': 696195, 'these where': 880966, 'where home': 984927, 'delivery ha': 234080, 'become necessity': 120071, 'necessity hero': 554221, 'like faraz': 490222, 'faraz ensure': 299002, 'is received': 451337, 'received on': 703664, 'smile read': 775730, 'of faraz': 583420, 'faraz at': 299000, 'at onlineshopping': 99980, 'onlineshopping homedelivery': 609905, 'homedelivery stayhome': 402682, 'staysafe dubai': 798806, 'dubai rak': 261483, 'like these where': 491443, 'these where home': 880967, 'where home delivery': 984928, 'home delivery ha': 401020, 'delivery ha become': 234081, 'ha become necessity': 369686, 'become necessity hero': 120072, 'necessity hero like': 554222, 'hero like faraz': 394032, 'like faraz ensure': 490223, 'faraz ensure your': 299003, 'ensure your delivery': 278135, 'your delivery is': 1023482, 'delivery is received': 234144, 'is received on': 451338, 'received on the': 703665, 'same day and': 733022, 'day and with': 227296, 'and with smile': 75778, 'with smile read': 1000774, 'smile read the': 775731, 'story of faraz': 812060, 'of faraz at': 583421, 'faraz at onlineshopping': 299001, 'at onlineshopping homedelivery': 99981, 'onlineshopping homedelivery stayhome': 609906, 'homedelivery stayhome staysafe': 402683, 'stayhome staysafe dubai': 798165, 'staysafe dubai rak': 798807, 'nwt': 577820, 'thrilled that': 894186, 'that proactively': 845844, 'proactively applied': 679174, 'since been': 770518, 'reduce overage': 705887, 'expand internet': 290454, 'to nwt': 910768, 'nwt resident': 577821, 'resident at': 714258, 'these benefit': 879686, 'benefit will': 127141, 'applied automatically': 82488, 'automatically more': 104003, 'thrilled that proactively': 894187, 'that proactively applied': 845845, 'proactively applied to': 679175, 'applied to and': 82500, 'to and ha': 900505, 'ha since been': 371949, 'since been approved': 770519, 'been approved to': 120674, 'approved to temporarily': 83203, 'to temporarily reduce': 916360, 'temporarily reduce overage': 837527, 'reduce overage charge': 705888, 'overage charge and': 630984, 'charge and expand': 173198, 'and expand internet': 62476, 'expand internet service': 290455, 'internet service to': 442019, 'service to nwt': 752984, 'to nwt resident': 910769, 'nwt resident at': 577822, 'resident at no': 714259, 'the consumer these': 851609, 'consumer these benefit': 199278, 'these benefit will': 879687, 'benefit will be': 127142, 'be applied automatically': 113667, 'applied automatically more': 82489, 'chem price crash': 175322, 'whitney': 987991, 'jakob': 464331, 'toiletpeopleart': 923358, 'artistsoninstagram': 94636, 'installationart': 440016, 'by whitney': 154736, 'whitney jakob': 987992, 'jakob day': 464332, 'quarantine found': 692210, 'found new': 330301, 'new hobby': 558884, 'hobby toilet': 399781, 'toilet people': 921541, 'people art': 647150, 'art toiletpaper': 94198, 'toiletpaper toiletpeopleart': 922727, 'toiletpeopleart quarantine': 923359, 'selfisolation artistsoninstagram': 748436, 'artistsoninstagram installationart': 94637, 'by whitney jakob': 154737, 'whitney jakob day': 987993, 'jakob day 11': 464333, 'day 11 of': 227095, '11 of corona': 2566, 'of corona quarantine': 581895, 'corona quarantine found': 204123, 'quarantine found new': 692211, 'found new hobby': 330302, 'new hobby toilet': 558885, 'hobby toilet people': 399782, 'toilet people art': 921542, 'people art toiletpaper': 647151, 'art toiletpaper toiletpeopleart': 94199, 'toiletpaper toiletpeopleart quarantine': 922728, 'toiletpeopleart quarantine selfisolation': 923360, 'quarantine selfisolation artistsoninstagram': 692512, 'selfisolation artistsoninstagram installationart': 748437, 'horningsea': 404063, 'horningsea is': 404064, 'caring community': 164707, 'the le': 859212, 'able in': 24437, 'healthy bring': 387544, 'bring purchase': 140054, 'door assist': 255520, 'horningsea is caring': 404065, 'is caring community': 446388, 'caring community let': 164708, 'community let all': 189964, 'let all look': 486562, 'all look after': 43414, 'after the le': 36330, 'the le able': 859213, 'le able in': 482822, 'able in our': 24438, 'village and ensure': 957328, 'and ensure they': 62169, 'ensure they stay': 278110, 'they stay healthy': 883449, 'stay healthy bring': 796892, 'healthy bring purchase': 387545, 'bring purchase to': 140055, 'purchase to their': 689703, 'their door assist': 873066, 'door assist with': 255521, 'assist with online': 96652, 'shopping and self': 762018, 'have symptom or': 382894, 'symptom or have': 830897, 'exposed to someone': 292906, 'who ha them': 988868, 'really buying': 702045, 'buying consumer': 150131, 'good right': 357669, 'just paying': 469441, 'staying fed': 798587, 'fed will': 301936, 'saving what': 737987, 'can since': 159628, 'expect everything': 290640, 'know not really': 476629, 'not really buying': 571232, 'really buying consumer': 702046, 'buying consumer good': 150132, 'consumer good right': 197636, 'good right now': 357670, 'right now just': 722093, 'now just paying': 575157, 'just paying bill': 469442, 'bill and staying': 130507, 'and staying fed': 72319, 'staying fed will': 798588, 'fed will be': 301937, 'be saving what': 117000, 'saving what can': 737988, 'what can since': 981180, 'can since do': 159629, 'not expect everything': 569327, 'expect everything to': 290641, 'everything to just': 288058, 'to just pick': 908727, 'up where we': 946587, 'left off before': 485580, 'off before covid': 593686, 'genius danish': 345775, 'hoarding with': 399665, 'genius danish supermarket': 345776, 'danish supermarket put': 225856, 'supermarket put an': 822097, 'end to hand': 276008, 'hand sanitizer hoarding': 375443, 'sanitizer hoarding with': 735091, 'hoarding with this': 399666, 'with this pricing': 1001720, 'this pricing trick': 889716, 'are submitting': 90616, 'submitting consumer': 815828, 'via or': 956139, 'at learn': 99434, 'chicago consumer are': 175659, 'consumer are aware': 196283, '2019 outbreak and': 13991, 'outbreak and are': 627985, 'and are submitting': 58366, 'are submitting consumer': 90617, 'submitting consumer fraud': 815829, 'complaint via or': 192049, 'via or at': 956140, 'or at learn': 614446, 'at learn more': 99435, 'stank': 793871, 'raunchy': 697897, 'dutty': 263551, 'nasty stank': 552064, 'stank as': 793872, 'as raunchy': 94799, 'raunchy dutty': 697898, 'dutty people': 263552, 'around opening': 93431, 'opening shit': 612899, 'store spitting': 810279, 'in stuff': 428511, 'paper periodt': 640593, 'hope all those': 403415, 'all those nasty': 45172, 'those nasty stank': 892239, 'nasty stank as': 552065, 'stank as raunchy': 793873, 'as raunchy dutty': 94800, 'raunchy dutty people': 697899, 'dutty people who': 263553, 'people who wa': 650354, 'who wa going': 989907, 'wa going around': 962219, 'going around opening': 355028, 'around opening shit': 93432, 'opening shit at': 612900, 'grocery store spitting': 365790, 'store spitting in': 810280, 'spitting in stuff': 789595, 'in stuff and': 428512, 'stuff and putting': 815008, 'it back on': 456671, 'the shelf have': 866844, 'shelf have severe': 757147, 'have severe covid': 382500, '19 and no': 5068, 'and no fucking': 67616, 'no fucking toilet': 564325, 'toilet paper periodt': 921393, 'harassment': 377831, 'with harassment': 998737, 'harassment and': 377832, 'allegedly purposely': 45703, 'on wegmans': 605195, 'wegmans grocery': 977637, 'man wa charged': 512293, 'charged with harassment': 173428, 'with harassment and': 998738, 'harassment and making': 377833, 'and making terroristic': 66599, 'after allegedly purposely': 35345, 'allegedly purposely coughing': 45704, 'coughing on wegmans': 208727, 'on wegmans grocery': 605196, 'wegmans grocery store': 977638, 'employee and saying': 273580, 'and saying he': 71015, 'saying he had': 739601, 'reported what': 712563, 'to apps': 900680, 'apps during': 83275, 'been reported what': 121833, 'reported what are': 712564, 'are your go': 91895, 'go to apps': 354275, 'to apps during': 900681, 'apps during the': 83276, 'the pandemic onlineshopping': 863040, 'pandemic onlineshopping socialdistancing': 636107, 'in where': 430853, 'where trouble': 985321, 'trouble testing': 932642, 'testing fm': 839487, 'fm getgo': 311699, 'getgo now': 348778, 'not test': 571960, 'but ability': 145043, 'ability gt': 24378, 'gt process': 367629, 'resulted gt': 717671, 'gt demand': 367593, 'demand gt': 235595, 'gt cleaning': 367589, 'amp certain': 53513, '19 impacted': 7719, 'impacted supply': 418157, 'in where trouble': 430854, 'where trouble testing': 985322, 'trouble testing fm': 932643, 'testing fm getgo': 839488, 'fm getgo now': 311700, 'getgo now having': 348779, 'now having issue': 574894, 'having issue not': 384123, 'issue not test': 455849, 'not test kit': 571961, 'kit but ability': 475515, 'but ability gt': 145044, 'ability gt process': 24379, 'gt process 19': 367630, 'process 19 ha': 679871, '19 ha resulted': 7379, 'ha resulted gt': 371748, 'resulted gt demand': 717672, 'gt demand gt': 367594, 'demand gt cleaning': 235596, 'gt cleaning supply': 367590, 'cleaning supply amp': 181073, 'supply amp certain': 824691, 'amp certain food': 53514, 'certain food item': 170015, 'food item how': 315210, 'item how ha': 463332, 'covid 19 impacted': 213250, '19 impacted supply': 7720, 'impacted supply chain': 418158, 'sheikh': 756656, 'imra': 419636, 'urgent message': 948346, 'message regarding': 529406, 'regarding raising': 707244, '19 sheikh': 10446, 'sheikh imra': 756657, 'imra via': 419637, 'urgent message regarding': 948347, 'message regarding raising': 529407, 'regarding raising price': 707245, 'covid 19 sheikh': 213779, '19 sheikh imra': 10447, 'sheikh imra via': 756658, 'popping up from': 664520, 'dude sanitizer': 261605, 'like my dude': 490819, 'my dude sanitizer': 548043, 'adjusts some': 32393, 'some strategic': 783966, 'strategic initiative': 812544, 'initiative store': 438649, 'and comp': 60182, 'comp surge': 190316, 'surge target': 828259, 'target retail': 834500, 'adjusts some strategic': 32394, 'some strategic initiative': 783967, 'strategic initiative store': 812545, 'initiative store traffic': 438650, 'traffic and comp': 929046, 'and comp surge': 60183, 'comp surge target': 190317, 'surge target retail': 828260, 'target retail housewares': 834501, 'is unwell': 453563, 'unwell bought': 944074, 'town this': 927566, 'afternoon thanks': 36713, 'total fuckwits': 926168, 'fuckwits who': 340091, 'rest just': 716170, 'all rot': 44206, 'hell stophoarding': 389066, 'son ha he': 785382, 'ha he really': 370839, 'he really is': 385338, 'really is unwell': 702356, 'is unwell bought': 453564, 'unwell bought the': 944075, 'pack of paracetamol': 633106, 'of paracetamol in': 587769, 'paracetamol in the': 641250, 'in the town': 429619, 'the town this': 869830, 'town this afternoon': 927567, 'this afternoon thanks': 886237, 'afternoon thanks to': 36714, 'all the total': 44948, 'the total fuckwits': 869815, 'total fuckwits who': 926169, 'fuckwits who bought': 340092, 'who bought the': 988336, 'bought the rest': 136741, 'the rest just': 865635, 'rest just for': 716171, 'sake of it': 731867, 'of it hope': 585407, 'it hope you': 458628, 'you all rot': 1016903, 'all rot in': 44207, 'rot in hell': 726165, 'in hell stophoarding': 423631, 'simply have': 770234, 'store periodically': 809508, 'periodically chance': 651945, 'your vehicle': 1026271, 'vehicle at': 954250, 'least little': 484534, 'free staysafe': 332195, 'whether you work': 985626, 'job or simply': 466069, 'or simply have': 617090, 'simply have to': 770235, 'have to hit': 383226, 'grocery store periodically': 365650, 'store periodically chance': 809509, 'periodically chance are': 651946, 'chance are you': 171701, 'are you re': 91841, 're still using': 699602, 'still using your': 801367, 'using your vehicle': 950803, 'your vehicle at': 1026272, 'vehicle at least': 954251, 'at least little': 99514, 'least little bit': 484535, 'little bit during': 495253, 'pandemic so how': 636494, 'you keep it': 1019448, 'keep it virus': 471626, 'it virus free': 462043, 'virus free staysafe': 958205, 'coronavirus mp': 206296, 'mp praise': 544266, 'praise scotland': 668866, 'scotland army': 742413, 'coronavirus mp praise': 206297, 'mp praise scotland': 544267, 'praise scotland army': 668867, 'scotland army of': 742414, 'army of store': 93026, 'of store worker': 590272, 'we envision': 971472, 'envision world': 279215, 'live better': 495745, 'better life': 128355, 'animal we': 76679, 'need amplified': 554398, 'unemployment on': 941258, 'rise food': 722857, 'we envision world': 971473, 'envision world where': 279216, 'world where people': 1010171, 'where people live': 985105, 'people live better': 648674, 'live better life': 495746, 'better life with': 128356, 'life with the': 489224, 'with the power': 1001433, 'power of animal': 667649, 'of animal we': 580214, 'animal we think': 76680, 'we think we': 973537, 'we re well': 972999, 're well positioned': 699802, 'positioned to meet': 665222, 'meet need amplified': 527534, 'need amplified by': 554399, 'amplified by the': 54895, 'pandemic with unemployment': 637035, 'with unemployment on': 1001904, 'unemployment on the': 941259, 'the rise food': 865853, 'rise food bank': 722858, 'are seeing more': 89907, 'seeing more demand': 746367, 'thoughtful of': 893356, 'your shopping be': 1025776, 'shopping be considerate': 762166, 'considerate and thoughtful': 195213, 'and thoughtful of': 74057, 'thoughtful of others': 893357, 'of others you': 587416, 'others you do': 621811, 'garcetti emphasized': 343549, 'emphasized social': 273386, 'update tues': 947281, 'tues he': 935093, 'announced la': 76980, 'la will': 478241, 'following step': 312855, 'in loan': 424812, 'business moratorium': 144066, 'commercial eviction': 188700, 'eviction 5k': 288306, '5k mask': 20711, 'worker 10k': 1006178, '10k mask': 2330, 'mayor garcetti emphasized': 521955, 'garcetti emphasized social': 343550, 'emphasized social distancing': 273387, 'distancing in an': 247222, 'in an update': 420336, 'an update tues': 56930, 'update tues he': 947282, 'tues he announced': 935094, 'he announced la': 384747, 'announced la will': 76981, 'la will take': 478242, 'take the following': 832649, 'the following step': 855523, 'following step to': 312856, 'step to respond': 799663, 'respond to 11m': 715313, '11m in loan': 2737, 'in loan to': 424813, 'loan to help': 497545, 'to help small': 907626, 'small business moratorium': 774877, 'business moratorium on': 144067, 'moratorium on commercial': 538442, 'on commercial eviction': 599981, 'commercial eviction 5k': 188701, 'eviction 5k mask': 288307, '5k mask for': 20712, 'store worker 10k': 811443, 'worker 10k mask': 1006179, '10k mask for': 2331, 'mask for 1st': 518666, 'for 1st responder': 318721, 'mobile look': 534985, 'restrict the': 717118, 'capacity inside': 162535, 'inside big': 439233, 'when case': 983237, 'county lead': 211429, 'mobile look to': 534986, 'look to restrict': 502635, 'to restrict the': 913433, 'restrict the capacity': 717119, 'the capacity inside': 850356, 'capacity inside big': 162536, 'inside big box': 439234, 'time when case': 898280, 'when case are': 983238, 'and the county': 73304, 'the county lead': 852194, 'county lead the': 211430, 'lead the state': 483320, 'the state in': 867783, 'proliferating': 683601, 'mule': 545626, 'are proliferating': 89274, 'proliferating watch': 683604, 'vaccine scam': 951765, 'scam victim': 740454, 'victim donation': 956466, 'donation scam': 254689, 'traditional money': 929003, 'money mule': 536897, 'mule recruiting': 545627, 'recruiting tactic': 705500, 'tactic now': 831706, 'coronavirus flavor': 205926, 'flavor here': 310238, 'scam are proliferating': 740042, 'are proliferating watch': 89275, 'proliferating watch out': 683605, 'out for fake': 626117, 'for fake coronavirus': 321375, 'fake coronavirus vaccine': 296591, 'coronavirus vaccine scam': 207011, 'vaccine scam victim': 951766, 'scam victim donation': 740455, 'victim donation scam': 956467, 'donation scam amp': 254690, 'scam amp all': 739987, 'all the traditional': 44951, 'the traditional money': 869875, 'traditional money mule': 929004, 'money mule recruiting': 536898, 'mule recruiting tactic': 545628, 'recruiting tactic now': 705501, 'tactic now in': 831707, 'now in coronavirus': 574994, 'in coronavirus flavor': 421805, 'coronavirus flavor here': 205927, 'flavor here are': 310239, 'dearer': 229930, 'tesco if': 838718, 'ur isolated': 948023, 'isolated with': 455037, 'illness everything': 416359, 'is quid': 451181, 'quid dearer': 694656, 'dearer so': 229931, 'human decency': 410481, 'decency my': 230765, 'my advice': 547233, 'if ave': 413889, 'ave covid': 104738, 'go fucking': 353591, 'fucking shopping': 340002, 'shopping co': 762375, 'tesco just': 838730, 'not do online': 569064, 'shopping with tesco': 764444, 'with tesco if': 1001154, 'tesco if ur': 838719, 'if ur isolated': 415223, 'ur isolated with': 948024, 'isolated with illness': 455038, 'with illness everything': 998940, 'illness everything is': 416360, 'everything is quid': 287882, 'is quid dearer': 451182, 'quid dearer so': 694657, 'dearer so much': 229932, 'much for human': 544919, 'for human decency': 322439, 'human decency my': 410482, 'decency my advice': 230766, 'my advice is': 547234, 'advice is if': 33418, 'is if ave': 448657, 'if ave covid': 413890, 'ave covid 19': 104739, '19 go fucking': 7230, 'go fucking shopping': 353592, 'fucking shopping co': 340003, 'shopping co tesco': 762376, 'co tesco just': 184971, 'tesco just want': 838731, 'want to profit': 966088, 'mother hoarded': 543113, 'hoarded about': 398925, 'about six': 26205, 'happen we': 377199, 'all laughed': 43350, 'her clearly': 391939, 'clearly she': 181566, 'wa genius': 962197, 'genius ahead': 345767, 'my mother hoarded': 549332, 'mother hoarded about': 543114, 'hoarded about six': 398926, 'about six month': 26206, 'six month worth': 772675, 'paper when wa': 641085, 'when wa about': 984398, 'about to happen': 26721, 'to happen we': 907166, 'happen we all': 377200, 'we all laughed': 970338, 'all laughed at': 43351, 'laughed at her': 481794, 'at her clearly': 98886, 'her clearly she': 391940, 'clearly she wa': 181567, 'she wa genius': 756414, 'wa genius ahead': 962198, 'genius ahead of': 345768, 'datapoint': 226542, 'interesting datapoint': 441540, 'datapoint on': 226543, 'any call': 78993, 'effect this': 269134, 'it underscore': 461922, 'interesting datapoint on': 441541, 'datapoint on the': 226544, 'early to make': 264732, 'make any call': 509702, 'any call on': 78994, 'term effect this': 838136, 'effect this is': 269135, 'is likely previous': 449352, 'responding to sale': 715587, 'sale it underscore': 732319, 'it underscore the': 461923, 'underscore the importance': 940566, 'nspx': 576679, 'trbo': 930742, 'decn': 231505, 'nbdr': 553251, 'knos sell': 476196, 'link nspx': 493877, 'nspx trbo': 576680, 'trbo decn': 930743, 'decn nbdr': 231506, 'nbdr spy': 553252, 'knos sell n95': 476197, 'n95 mask now': 551200, 'mask now link': 519030, 'now link nspx': 575221, 'link nspx trbo': 493878, 'nspx trbo decn': 576681, 'trbo decn nbdr': 930744, 'decn nbdr spy': 231507, 'nbdr spy qq': 553253, 'underwrite': 940998, '19 toughest': 11524, 'toughest part': 926904, 'to underwrite': 917923, 'underwrite will': 940999, 'have rolling': 382351, 'rolling infection': 725675, 'infection post': 436817, 'domestic int': 253198, 'int travel': 440917, 'covid 19 toughest': 213969, '19 toughest part': 11525, 'toughest part to': 926905, 'part to underwrite': 642476, 'to underwrite will': 917924, 'underwrite will we': 941000, 'we have rolling': 971927, 'have rolling infection': 382352, 'rolling infection post': 725676, 'infection post lockdown': 436818, 'post lockdown when': 666205, 'towards domestic int': 927186, 'domestic int travel': 253199, 'int travel change': 440918, 'you roll': 1020951, 'you day': 1018150, 'at visit': 101456, 'visit per': 959338, 'or 36': 614195, '36 of': 18020, 'your shelter': 1025746, 'place time': 657741, 'survive the for': 829250, 'the for you': 855676, 'for you roll': 328084, 'you roll will': 1020953, 'will last you': 993958, 'last you day': 480748, 'you day at': 1018151, 'day at visit': 227340, 'at visit per': 101457, 'visit per day': 959339, 'per day or': 650804, 'day or 36': 228168, 'or 36 of': 614196, '36 of your': 18021, 'of your shelter': 593523, 'your shelter in': 1025747, 'in place time': 426770, 'place time think': 657742, 'time think you': 897914, 'passuello': 643464, 'passuello march': 643465, 'passuello march 15': 643466, 'belief scum': 126212, 'earth despicable': 264978, 'beyond belief scum': 129138, 'belief scum of': 126213, 'of the earth': 590968, 'the earth despicable': 853828, 'earth despicable men': 264979, 'avengersassemble': 104768, 'employee educator': 273808, 'educator restaurant': 268903, 'responder everywhere': 715455, 'real avenger': 701043, 'avenger avenger': 104758, 'avenger avengersassemble': 104760, 'professional and hospital': 682401, 'and hospital staff': 64750, 'store employee educator': 807482, 'employee educator restaurant': 273809, 'educator restaurant staff': 268904, 'restaurant staff and': 716708, 'first responder everywhere': 308940, 'responder everywhere in': 715456, 'state are the': 795393, 'the real avenger': 865207, 'real avenger avenger': 701044, 'avenger avenger avengersassemble': 104759, 'devi': 239876, 'jen we': 465066, 'mifi devi': 530853, 'hi jen we': 394683, 'jen we re': 465067, 'and mifi devi': 66999, 'orderly fashion': 619055, 'fashion at': 299791, 'at 1m': 97491, '1m distance': 12655, 'italian not': 462710, 'shopping in in': 762972, 'in in the': 424002, 'age of people': 37870, 'of people stand': 587987, 'line in an': 493191, 'in an orderly': 420328, 'an orderly fashion': 56710, 'orderly fashion at': 619056, 'fashion at 1m': 299792, 'at 1m distance': 97492, '1m distance from': 12656, 'other and wait': 619835, 'and wait until': 75114, 'wait until it': 964242, 'until it their': 943752, 'it their turn': 461598, 'supermarket so much': 822735, 'much for italian': 544920, 'for italian not': 322751, 'italian not following': 462711, 'catching more': 167097, 'every thoughtless': 286291, 'honestly not afraid': 403119, 'of catching more': 581208, 'catching more afraid': 167098, 'afraid of starving': 35005, 'of starving to': 590061, 'death from every': 230050, 'from every thoughtless': 335329, 'every thoughtless panic': 286292, 'money towards': 537133, 'towards your': 927280, 'run banking': 727581, 'banking bank': 110415, 'skip the bank': 773142, 'the bank fee': 849238, 'bank fee and': 109827, 'fee and put': 302139, 'and put that': 69817, 'put that money': 690848, 'that money towards': 845213, 'money towards your': 537134, 'towards your next': 927281, 'store run banking': 809917, 'run banking bank': 727582, 'the jobless': 858679, 'jobless rank': 466342, 'rank swell': 696785, 'swell amid': 830295, '19 scamdemic': 10355, 'property price fall': 684328, 'to 20 the': 899583, '20 the jobless': 13373, 'the jobless rank': 858680, 'jobless rank swell': 466343, 'rank swell amid': 696786, 'swell amid covid': 830296, 'covid 19 scamdemic': 213748, 'missedthat': 534268, 'currently dancing': 221509, 'dancing in': 225598, 'car parked': 163239, 'supermarket window': 823897, 'window closed': 995668, 'you slightly': 1021270, 'concerned stare': 193212, 'stare like': 794134, 'like normally': 490876, 'normally get': 567501, 'when dancing': 983328, 'dancing too': 225600, 'too missedthat': 924908, 'missedthat socialdistancing': 534269, 'currently dancing in': 221510, 'dancing in my': 225599, 'my car parked': 547605, 'car parked up': 163240, 'parked up at': 642046, 'the supermarket window': 868909, 'supermarket window closed': 823898, 'window closed to': 995669, 'closed to it': 183396, 'it is bit': 458887, 'bit like being': 131606, 'like being out': 489902, 'being out there': 125512, 'are people around': 89023, 'around you slightly': 93665, 'you slightly concerned': 1021271, 'slightly concerned stare': 773947, 'concerned stare like': 193213, 'stare like normally': 794135, 'like normally get': 490877, 'normally get when': 567502, 'get when dancing': 348626, 'when dancing too': 983329, 'dancing too missedthat': 225601, 'too missedthat socialdistancing': 924909, 'almena': 46453, 'one almena': 605882, 'almena township': 46454, 'township resident': 927625, 'resident said': 714356, 'stressful watching': 813526, 'he wait': 385633, 'purchase basic': 689375, 'one almena township': 605883, 'almena township resident': 46455, 'township resident said': 927626, 'resident said it': 714357, 'ha been stressful': 369937, 'been stressful watching': 122060, 'stressful watching people': 813527, 'watching people stock': 968777, 'supply at store': 824818, 'at store while': 100666, 'store while he': 811281, 'while he wait': 986910, 'he wait to': 385634, 'wait to have': 964228, 'money to purchase': 537116, 'to purchase basic': 912521, 'purchase basic need': 689376, 'atvthw': 102763, 'at atvthw': 98069, 'atvthw grocery': 102764, 'did yell': 240918, 'at bunch': 98169, 'probably 12': 679195, '14 yr': 3547, 'around touching': 93599, 'stuff told': 815231, 'knock it': 476154, 'their damn': 872972, 'damn hand': 225357, 'now at atvthw': 574125, 'at atvthw grocery': 98070, 'atvthw grocery store': 102765, 'and not bad': 67719, 'not bad at': 568320, 'bad at all': 107770, 'at all but': 97875, 'all but did': 42246, 'but did yell': 145529, 'did yell at': 240919, 'yell at bunch': 1015204, 'at bunch of': 98170, 'bunch of kid': 142629, 'of kid who': 585631, 'kid who were': 474165, 'who were probably': 989965, 'were probably 12': 980000, 'probably 12 14': 679196, '12 14 yr': 2773, '14 yr old': 3548, 'yr old who': 1027039, 'old who were': 598542, 'who were just': 989961, 'were just walking': 979822, 'walking around touching': 965029, 'around touching stuff': 93600, 'touching stuff told': 926718, 'stuff told them': 815232, 'them to knock': 876485, 'to knock it': 908967, 'knock it off': 476155, 'it off and': 459984, 'off and to': 593651, 'to go wash': 906882, 'go wash their': 354478, 'wash their damn': 967548, 'their damn hand': 872973, 'damn hand 19': 225358, 'platedemic': 658931, 'reality cooking': 701721, 'show called': 766888, 'called platedemic': 156412, 'platedemic where': 658932, 'where chef': 984779, 'chef have': 175259, 'the weird': 871357, 'weird item': 977767, 'item remaining': 463605, 'remaining on': 709971, 'the mob': 860709, 'mob have': 534912, 'me out new': 523304, 'out new reality': 626630, 'new reality cooking': 559396, 'reality cooking show': 701722, 'cooking show called': 202909, 'show called platedemic': 766889, 'called platedemic where': 156413, 'platedemic where chef': 658933, 'where chef have': 984780, 'chef have to': 175260, 'have to create': 383187, 'to create meal': 903714, 'create meal from': 215681, 'from the weird': 337925, 'the weird item': 871358, 'weird item remaining': 977768, 'item remaining on': 463606, 'remaining on grocery': 709972, 'store shelf after': 810056, 'shelf after the': 756692, 'after the mob': 36334, 'the mob have': 860710, 'mob have been': 534913, 'have been through': 379718, 'goal isn': 354573, 'website the': 975432, 'business custom': 143604, 'custom website': 221997, 'price know': 674999, 'the goal isn': 856393, 'goal isn to': 354574, 'isn to build': 454739, 'to build website': 902094, 'build website the': 142021, 'website the goal': 975433, 'is to build': 453185, 'to build your': 902095, 'build your business': 142023, 'your business custom': 1023053, 'business custom website': 143605, 'custom website at': 221998, 'website at affordable': 975214, 'affordable price know': 34885, 'price know more': 675000, 'know more here': 476606, 'employee uber': 274359, 'have demanded': 380231, 'demanded hazard': 236550, 'past changed': 643509, 'changed that': 172558, 'pay are': 644758, 'receiving bipartisan': 703749, 'bipartisan support': 131311, 'support reported': 826787, 'reported with': 712565, 'store employee uber': 807562, 'employee uber driver': 274360, 'uber driver and': 937804, 'driver and health': 259415, 'care worker wouldn': 164316, 'worker wouldn have': 1008303, 'wouldn have demanded': 1012476, 'have demanded hazard': 380232, 'demanded hazard pay': 236551, 'hazard pay in': 384569, 'the past changed': 863348, 'past changed that': 643510, 'changed that and': 172559, 'that and the': 842658, 'and the call': 73268, 'call for hazard': 155873, 'hazard pay are': 384560, 'pay are receiving': 644759, 'are receiving bipartisan': 89495, 'receiving bipartisan support': 703750, 'bipartisan support reported': 131312, 'support reported with': 826788, 'week trump': 977125, 'still calling': 800327, '19 hoax': 7562, 'hoax last': 399728, 'gop wa': 358296, 'wa falling': 962106, 'falling in': 297287, 'line later': 493226, 'later last': 481090, 'wa responding': 963092, 'market know': 516671, 'wa strong': 963331, 'gop fell': 358247, 'into line': 442700, 'he in': 385102, 'mode to': 535209, 'last week trump': 480689, 'week trump wa': 977126, 'trump wa still': 933960, 'wa still calling': 963309, 'still calling covid': 800328, 'covid 19 hoax': 213215, '19 hoax last': 7563, 'hoax last week': 399729, 'last week the': 480680, 'week the gop': 976990, 'the gop wa': 856473, 'gop wa falling': 358297, 'wa falling in': 962107, 'falling in line': 297289, 'in line later': 424759, 'line later last': 493227, 'later last week': 481091, 'trump wa responding': 933957, 'wa responding to': 963093, 'market and let': 515973, 'and let the': 66114, 'the market know': 860129, 'market know that': 516672, 'consumer wa strong': 199459, 'wa strong the': 963332, 'strong the gop': 814133, 'the gop fell': 856463, 'gop fell into': 358248, 'fell into line': 303207, 'into line this': 442701, 'line this week': 493471, 'this week he': 891220, 'week he in': 976315, 'he in panic': 385104, 'panic mode to': 638324, 'mode to save': 535210, 'save the market': 737661, 'small village': 775182, 'village in': 957352, 'rural wale': 728276, 'wale can': 964691, 'pavement outside': 644658, 'now busier': 574277, 'pre supermarket': 669208, 'lived here': 496160, 'year where': 1015099, 'people been': 647238, 'been hiding': 121281, 'hiding up': 394886, 'in small village': 428027, 'small village in': 775183, 'village in rural': 957353, 'in rural wale': 427581, 'rural wale can': 728277, 'wale can someone': 964692, 'someone please explain': 784607, 'why the pavement': 991428, 'the pavement outside': 863404, 'pavement outside my': 644659, 'outside my house': 629491, 'is now busier': 450266, 'now busier than': 574278, 'busier than pre': 143172, 'than pre supermarket': 841040, 'pre supermarket ve': 669209, 'supermarket ve lived': 823635, 've lived here': 953343, 'lived here for': 496161, 'here for 12': 392996, 'for 12 year': 318645, '12 year where': 2999, 'year where have': 1015100, 'where have all': 984911, 'these people been': 880426, 'people been hiding': 647239, 'been hiding up': 121282, 'hiding up until': 394887, 'until now stayhomesavelives': 943801, 'abides': 24350, 'tolerance': 923802, 'line making': 493248, 'everyone abides': 286673, 'abides by': 24351, 'zero tolerance': 1027510, 'tolerance to': 923803, 'he certainly': 384831, 'not low': 570476, 'skilled proud': 773003, 'son is working': 785398, 'front line making': 338589, 'line making sure': 493249, 'sure everyone abides': 827540, 'everyone abides by': 286674, 'abides by the': 24352, 'by the social': 154442, 'distancing and zero': 247004, 'and zero tolerance': 76121, 'zero tolerance to': 1027511, 'tolerance to panic': 923804, 'local supermarket he': 498535, 'supermarket he doing': 820722, 'he doing an': 384914, 'doing an essential': 252282, 'essential job and': 281244, 'job and he': 465629, 'and he certainly': 64313, 'he certainly not': 384832, 'certainly not low': 170173, 'not low skilled': 570477, 'low skilled proud': 505619, 'skilled proud of': 773004, 'of him right': 584633, 'right now socialdistancing': 722139, 'panic unnecessarily': 638740, 'unnecessarily guy': 942850, 'still supply': 801253, 'self pickup': 747828, 'pickup staysafe': 656023, 'staysafe hygiene': 798828, 'hygiene our': 412133, 'our outlet': 624184, 'remain operational': 709833, 'operational delivery': 613306, 'yes do not': 1015417, 'not go panic': 569684, 'go panic unnecessarily': 354035, 'panic unnecessarily guy': 638741, 'unnecessarily guy we': 942851, 'guy we can': 369211, 'can still supply': 159796, 'still supply food': 801254, 'supply food via': 825256, 'via delivery self': 955913, 'delivery self pickup': 234419, 'self pickup staysafe': 747829, 'pickup staysafe hygiene': 656024, 'staysafe hygiene our': 798829, 'hygiene our outlet': 412134, 'our outlet will': 624185, 'outlet will remain': 629079, 'will remain operational': 994635, 'remain operational delivery': 709834, 'operational delivery order': 613307, 'delivery order at': 234291, 'station think': 796530, 'immune along': 417303, 'who queue': 989487, 'it worry': 462541, 'think the cashier': 885624, 'at the petrol': 101049, 'petrol station think': 653802, 'station think they': 796531, 'are immune along': 87315, 'immune along with': 417304, 'with everyone who': 998297, 'everyone who go': 287589, 'supermarket and those': 819086, 'those who queue': 892666, 'who queue up': 989488, 'queue up to': 694112, 'get in it': 347298, 'in it worry': 424284, 'forced amazon': 328555, 'create waitlist': 215768, 'waitlist for': 964427, 'new shopper': 559585, 'shopper it': 761578, 'change amazon': 171903, 'making to': 511470, 'business grocery': 143799, 'food delivery during': 314120, 'ha forced amazon': 370656, 'forced amazon to': 328556, 'amazon to create': 51159, 'to create waitlist': 903728, 'create waitlist for': 215769, 'waitlist for new': 964428, 'for new shopper': 323833, 'new shopper it': 559586, 'shopper it part': 761580, 'part of number': 642366, 'of change amazon': 581270, 'change amazon is': 171904, 'amazon is making': 51002, 'is making to': 449560, 'making to it': 511471, 'to it food': 908580, 'delivery business grocery': 233757, 'business grocery supplychain': 143800, 'what classed': 981216, 'worker even': 1006877, 'open having': 612288, 'major anxiety': 509235, 'anxiety single': 78795, 'single mum': 771343, 'mum no': 545930, 'too look': 924870, 'son not': 785417, 'nurse etc': 577324, 'etc work': 282902, 'supermarket clarification': 819704, 'clarification needed': 180063, 'go too': 354395, 'so what classed': 778714, 'what classed key': 981217, 'key worker even': 473482, 'worker even if': 1006878, 'into lockdown my': 442716, 'lockdown my work': 499683, 'still open having': 800962, 'open having major': 612289, 'having major anxiety': 384152, 'major anxiety single': 509236, 'anxiety single mum': 78796, 'single mum no': 771344, 'mum no one': 545931, 'no one too': 564973, 'one too look': 607299, 'too look after': 924871, 'look after my': 502222, 'after my son': 35946, 'my son not': 550165, 'son not nurse': 785418, 'not nurse etc': 570711, 'nurse etc work': 577325, 'etc work in': 282904, 'in supermarket clarification': 428576, 'supermarket clarification needed': 819705, 'clarification needed if': 180064, 'needed if don': 556396, 'if don go': 414060, 'don go too': 253576, 'go too work': 354396, 'too work no': 925174, 'work no pay': 1005494, 'last chapter': 480141, 'the globalization': 856339, 'globalization book': 352349, 'is house': 448563, 'apparently the last': 82019, 'the last chapter': 859000, 'last chapter of': 480142, 'chapter of the': 173136, 'of the globalization': 591067, 'the globalization book': 856340, 'globalization book is': 352350, 'book is house': 134551, 'is house arrest': 448564, 'you proudly': 1020476, 'proudly serving': 686076, 'serving inflated': 753184, 'price bloody': 672936, 'bloody capitalist': 133181, 'capitalist parasite': 162811, 'parasite 19': 641467, 'you proudly serving': 1020477, 'proudly serving inflated': 686077, 'serving inflated price': 753185, 'inflated price bloody': 437031, 'price bloody capitalist': 672937, 'bloody capitalist parasite': 133182, 'capitalist parasite 19': 162812, 'attack way': 102171, 'phishing attack way': 654804, 'attack way hacker': 102172, 'forecourt': 328934, 'stephe': 799728, 'petrol retail': 653785, 'retail gas': 718133, 'store industry': 808430, 'in push': 427138, 'planning digital': 658533, 'transformation to': 929578, 'leverage ai': 487778, 'experience see': 291474, 'of forecourt': 583866, 'forecourt technology': 328935, 'technology magazine': 836328, 'magazine stephe': 508346, 'the petrol retail': 863623, 'petrol retail gas': 653786, 'retail gas station': 718134, 'station and convenience': 796332, 'convenience store industry': 202352, 'store industry are': 808431, 'industry are hard': 435662, 'are hard hit': 87015, 'hard hit by': 377936, '19 while they': 12054, 'while they were': 987446, 'were in push': 979777, 'in push for': 427139, 'push for planning': 690269, 'for planning digital': 324572, 'planning digital transformation': 658534, 'digital transformation to': 242675, 'transformation to leverage': 929579, 'to leverage ai': 909233, 'leverage ai for': 487779, 'ai for customer': 39315, 'for customer experience': 320509, 'customer experience see': 222356, 'experience see the': 291475, 'see the latest': 745852, 'edition of forecourt': 268628, 'of forecourt technology': 583867, 'forecourt technology magazine': 328936, 'technology magazine stephe': 836329, 'newsradio': 561118, 'on newsradio': 602396, 'newsradio speaks': 561119, 'affecting rental': 34548, 'country listen': 210870, 'next on newsradio': 561478, 'on newsradio speaks': 602397, 'newsradio speaks with': 561120, 'speaks with from': 787814, 'with from about': 998565, 'from about how': 334361, 'is affecting rental': 445395, 'affecting rental price': 34549, 'rental price across': 711261, 'the country listen': 852111, 'country listen here': 210871, 'nightly to': 563166, 'else out': 271828, 'keeping belgian': 472387, 'belgian healthy': 126164, 'nightly to thank': 563167, 'worker police supermarket': 1007605, 'police supermarket worker': 663225, 'everyone else out': 286871, 'else out there': 271829, 'there keeping belgian': 878686, 'keeping belgian healthy': 472388, 'belgian healthy and': 126165, 'and safe during': 70709, 'at said': 100443, 'economist at said': 267525, 'close have': 182653, 'or city': 614724, 'city let': 179236, 'uk retail industry': 938674, 'retail industry is': 718218, 'industry is stepping': 435939, 'up their response': 946250, 'to close have': 902874, 'close have you': 182654, 'noticed any store': 573428, 'any store closure': 79861, 'town or city': 927531, 'or city let': 614725, 'city let know': 179237, 'monologue': 537415, 'monologue of': 537416, 'the villain': 870766, 'villain the': 957402, 'evil toilet': 288466, 'monologue of the': 537417, 'of the villain': 591590, 'the villain the': 870767, 'villain the evil': 957403, 'the evil toilet': 854637, 'evil toilet paper': 288467, 'hoarder toiletpaper wuhanvirus': 399135, 'ausgangssperren': 103054, 'highers': 395807, 'ausgangssperren think': 103055, 'not whats': 572488, 'bringing people': 140189, 'this only': 889268, 'only highers': 610603, 'highers the': 395808, 'ausgangssperren think it': 103056, 'it very interesting': 462034, 'see people go': 745557, 'people go grocery': 648081, 'whole family can': 990194, 'family can you': 297687, 'can you not': 160320, 'you not whats': 1020135, 'not whats the': 572489, 'whats the point': 982847, 'point of bringing': 662553, 'of bringing people': 580884, 'bringing people to': 140190, 'supermarket work there': 823975, 'work there and': 1005826, 'there and this': 878011, 'and this only': 74005, 'this only highers': 889269, 'only highers the': 610604, 'highers the risk': 395809, 'suffer significant': 817233, 'amid say': 52638, 'say imf': 738792, 'imf economy': 416897, 'nigeria will suffer': 562826, 'will suffer significant': 995024, 'suffer significant economic': 817234, 'significant economic hit': 769442, 'hit from falling': 398235, 'price amid say': 672319, 'amid say imf': 52639, 'say imf economy': 738793, 'imf economy via': 416898, 'kolata': 477354, 'icc': 412632, 'statement by': 796167, 'by cub': 152271, 'cub ceo': 220154, 'ceo david': 169676, 'david kolata': 226987, 'kolata on': 477355, 'the icc': 857807, 'icc consumer': 412633, 'measure amid': 525088, 'statement by cub': 796168, 'by cub ceo': 152272, 'cub ceo david': 220155, 'ceo david kolata': 169677, 'david kolata on': 226988, 'kolata on the': 477357, 'on the icc': 604168, 'the icc consumer': 857808, 'icc consumer protection': 412634, 'protection measure amid': 685528, 'measure amid the': 525090, '19 supermarketnews': 10964, 'covid 19 supermarketnews': 213890, 'whole group': 990229, 'but older': 146652, 'line felt': 493082, 'felt really': 303441, 'dangerous in': 225747, 'single incident': 771313, 'incident wa': 431444, 'wa result': 963097, 'ignoring socialdistancing': 415920, 'socialdistancing distancing': 780316, 'complain to whole': 191872, 'to whole group': 918579, 'whole group but': 990230, 'group but older': 366627, 'but older people': 146654, 'older people get': 598648, 'people get in': 648051, 'in line felt': 424751, 'line felt really': 493084, 'felt really dangerous': 303442, 'really dangerous in': 702098, 'dangerous in the': 225748, 'supermarket and every': 818972, 'and every single': 62382, 'every single incident': 286185, 'single incident wa': 771314, 'incident wa result': 431446, 'wa result of': 963098, 'result of older': 717604, 'older people ignoring': 598651, 'people ignoring socialdistancing': 648332, 'ignoring socialdistancing distancing': 415921, 'socialdistancing distancing rule': 780318, 'distancing rule in': 247441, 'rule in public': 727267, 'in public not': 427092, 'public not all': 688178, 'not all older': 568120, 'older people know': 598653, 'subsides in': 815959, '19 pandemic subsides': 9485, 'pandemic subsides in': 636585, 'subsides in the': 815960, 'alyssa': 49819, 'shopping alyssa': 761932, 'alyssa going': 49820, 'going broke': 355070, 'broke will': 140875, 'solve covid': 782145, 'online shopping alyssa': 609022, 'shopping alyssa going': 761933, 'alyssa going broke': 49821, 'going broke will': 355071, 'broke will not': 140876, 'not solve covid': 571641, 'solve covid 19': 782146, 'deli bodega': 232918, 'bodega and': 133781, 'and 99': 57526, 'cent store': 169118, 'that cleaning': 843241, 'is supply': 452467, 'side problem': 768868, 'been stocking': 122044, 'stocking their': 803608, 'new the owner': 559746, 'owner of deli': 632511, 'of deli bodega': 582481, 'deli bodega and': 232919, 'bodega and 99': 133782, 'and 99 cent': 57527, '99 cent store': 23798, 'cent store say': 169119, 'store say that': 810003, 'say that cleaning': 739229, 'that cleaning product': 843242, 'cleaning product price': 181036, 'product price gouging': 681542, 'gouging is supply': 359366, 'is supply side': 452468, 'supply side problem': 825852, 'side problem and': 768869, 'problem and that': 679457, 'why they haven': 991454, 'haven been stocking': 383761, 'been stocking their': 122045, 'stocking their shelf': 803610, 'sanitizer amid': 734358, 'maryland distillery producing': 518196, 'distillery producing hand': 247797, 'hand sanitizer amid': 375298, 'sanitizer amid the': 734361, 'the crisis smallbusiness': 852447, 'buying buying': 150072, 'buying fake': 150270, 'could expose': 209153, 'alcohol concentration': 40961, 'concentration anything': 192840, 'anything lower': 80826, '60 would': 21045, 'virus retweet': 958697, 'period of fear': 651840, 'panic buying buying': 637667, 'buying buying fake': 150073, 'buying fake hand': 150271, 'sanitizer could expose': 734709, 'could expose you': 209154, 'you to getting': 1021782, 'to getting infected': 906657, 'with the one': 1001412, 'one thing you': 607239, 'you should look': 1021204, 'should look out': 766201, 'out for is': 626132, 'for is 60': 322663, 'is 60 alcohol': 445219, '60 alcohol concentration': 20888, 'alcohol concentration anything': 40962, 'concentration anything lower': 192841, 'anything lower than': 80827, 'lower than 60': 506006, 'than 60 would': 840279, '60 would not': 21046, 'able to kill': 24497, 'the virus retweet': 870884, 'defireathome': 232433, 'stayathome worry': 797713, 'free fr': 331850, 'fr defireathome': 330840, 'can stayathome worry': 159750, 'stayathome worry free': 797714, 'worry free fr': 1010713, 'free fr defireathome': 331851, 'in despite': 422221, 'business group to': 143805, 'group to grow': 366934, 'fast in despite': 299994, 'in despite the': 422222, 'despite the 19': 238872, 'wonder supermarket': 1003993, 'bare this': 110972, 'ha gotta': 370747, 'gotta stop': 359104, 'so no wonder': 777889, 'no wonder supermarket': 565914, 'wonder supermarket shelf': 1003994, 'shelf are stripped': 756831, 'stripped bare this': 813854, 'bare this ha': 110973, 'this ha gotta': 887804, 'ha gotta stop': 370748, 'an exception': 55918, 'have order': 381826, 'or already': 614298, 'temporarily shift': 837536, 'into small': 442989, 'interim instead': 441678, 'completely close': 192237, 'close thought': 182877, 'wonder if it': 1003971, 'if it would': 414347, 'make an exception': 509680, 'an exception for': 55919, 'exception for restaurant': 289265, 'for restaurant who': 325179, 'restaurant who already': 716800, 'already have order': 47429, 'have order for': 381827, 'order for food': 618227, 'item or already': 463530, 'or already have': 614299, 'have food product': 380662, 'stock to temporarily': 803003, 'to temporarily shift': 916362, 'temporarily shift into': 837537, 'shift into small': 758336, 'into small grocery': 442990, 'the interim instead': 858354, 'interim instead of': 441679, 'having to completely': 384337, 'to completely close': 903145, 'completely close thought': 192238, 'another toiletpaper': 77913, 'toiletpaper junkie': 922154, 'junkie corona': 468056, '19 zombie': 12292, 'zombie junkie': 1027710, 'trump just another': 933667, 'just another toiletpaper': 468204, 'another toiletpaper junkie': 77914, 'toiletpaper junkie corona': 922155, 'junkie corona 19': 468057, 'corona 19 zombie': 203787, '19 zombie junkie': 12293, 'wahab': 964033, 'amshow': 54934, 'security panic': 744702, 'unnecessary abdul': 942886, 'abdul wahab': 24300, 'wahab amshow': 964034, 'food security panic': 316360, 'security panic buying': 744703, 'panic buying unnecessary': 637948, 'buying unnecessary abdul': 151282, 'unnecessary abdul wahab': 942887, 'abdul wahab amshow': 24301, '27x': 16366, 'medical protection': 526342, 'from 3x': 334290, '3x to': 18501, 'to 27x': 899651, '27x de': 16367, 'de price': 229097, 'it mainstream': 459503, 'mainstream in': 508910, 'say ck': 738513, 'ck china': 179633, 'china chinaliedpeopledied': 176564, 'chinaliedpeopledied chinaliedandpeopledied': 177112, 'chinaliedandpeopledied chinavirus': 177099, 'chinavirus ccpvirus': 177145, 'ccpvirus kungflu': 168498, 'china is increasing': 176750, 'of medical protection': 586397, 'medical protection from': 526343, 'protection from 3x': 685454, 'from 3x to': 334291, '3x to 27x': 18502, 'to 27x de': 899652, '27x de price': 16368, 'de price in': 229098, 'february it mainstream': 301729, 'it mainstream in': 459504, 'mainstream in my': 508911, 'my country this': 547816, 'this is enough': 888244, 'to say ck': 913813, 'say ck china': 738514, 'ck china chinaliedpeopledied': 179634, 'china chinaliedpeopledied chinaliedandpeopledied': 176565, 'chinaliedpeopledied chinaliedandpeopledied chinavirus': 177113, 'chinaliedandpeopledied chinavirus ccpvirus': 177100, 'chinavirus ccpvirus kungflu': 177146, 'parisian': 641847, 'france at': 330979, 'war how': 966458, 'how parisian': 408482, 'parisian are': 641848, 'uk next': 938567, 'up cupboard': 944676, 'cupboard or': 220483, 'street panicbuying': 813060, 'retail buy': 717915, 'france at war': 330980, 'at war how': 101493, 'war how parisian': 966459, 'how parisian are': 408483, 'parisian are coping': 641849, 'coping with life': 203401, 'with life under': 999215, 'life under lockdown': 489157, 'under lockdown uk': 940155, 'lockdown uk next': 500087, 'uk next time': 938568, 'next time to': 561609, 'stock up cupboard': 803072, 'up cupboard or': 944677, 'cupboard or face': 220485, 'face fine if': 294439, 'out on street': 626920, 'on street panicbuying': 603717, 'street panicbuying shopping': 813061, 'panicbuying shopping retail': 639046, 'shopping retail buy': 763753, 'retail buy enough': 717916, 'buy enough for': 148564, 'for week food': 327705, 'week food essential': 976219, 'food essential supply': 314388, 'otherwise take': 621873, 'take caution': 832019, 'caution and': 168159, 'and sit': 71698, 'sit your': 771848, 'your arses': 1022835, 'appointment otherwise take': 82682, 'otherwise take caution': 621874, 'take caution and': 832020, 'caution and sit': 168160, 'and sit your': 71699, 'sit your arses': 771849, 'your arses home': 1022836, 'arses home kungfu': 94117, 'just two': 470151, 'china stockpiled': 176956, 'stockpiled around': 803833, 'billion piece': 130892, 'two billion': 936805, 'billion mask': 130866, 'mask australia': 518442, 'australia ccp': 103253, 'ccp are': 168446, 'are hording': 87233, 'hording to': 404029, 'dole th': 252930, 'stamp in just': 793425, 'in just two': 424427, 'just two month': 470152, 'two month china': 937060, 'month china stockpiled': 537643, 'china stockpiled around': 176957, 'stockpiled around billion': 803834, 'around billion piece': 93228, 'billion piece of': 130893, 'piece of protective': 656345, 'equipment including more': 279758, 'than two billion': 841368, 'two billion mask': 936806, 'billion mask australia': 130867, 'mask australia ccp': 518443, 'australia ccp are': 103254, 'ccp are hording': 168447, 'are hording to': 87234, 'hording to drive': 404030, 'to dole th': 904627, 'ruben': 727005, 'nazario': 553183, 'quirk': 694771, 'delf': 232860, 'omni': 598936, 'forever our': 329136, 'own ruben': 632174, 'ruben nazario': 727006, 'nazario ha': 553184, 'written an': 1012951, 'for quirk': 324923, 'quirk that': 694772, 'that delf': 843475, 'delf into': 232863, 'the omni': 862160, 'omni channel': 598937, 'channel landscape': 172899, 'landscape amp': 479389, 'shopping indefinitely': 763014, 'way we shop': 970179, 'shop forever our': 760218, 'forever our own': 329137, 'our own ruben': 624210, 'own ruben nazario': 632175, 'ruben nazario ha': 727007, 'nazario ha written': 553185, 'ha written an': 372499, 'written an article': 1012953, 'article for quirk': 94320, 'for quirk that': 324924, 'quirk that delf': 694773, 'that delf into': 843476, 'delf into how': 232864, 'in the omni': 429416, 'the omni channel': 862161, 'omni channel landscape': 598938, 'channel landscape amp': 172900, 'landscape amp what': 479390, 'amp what it': 54831, 'what it could': 981746, 'could mean for': 209410, 'future of shopping': 342399, 'of shopping indefinitely': 589664, 'stay isolated': 797110, 'isolated anyone': 454975, 'anyone could': 80246, 'also government': 48288, 'government stock': 360641, 'quarantine every': 692177, 'every thick': 286285, 'thick headed': 883983, 'headed person': 385914, 'person best': 652332, 'where hundred': 984933, 'touching essential': 926669, 'ramen genius': 696383, 'government stay isolated': 360631, 'stay isolated anyone': 797111, 'isolated anyone could': 454976, 'anyone could have': 80247, 'could have covid': 209249, '19 also government': 4926, 'also government stock': 48289, 'government stock up': 360642, 'on supply for': 603824, 'supply for self': 825278, 'for self quarantine': 325423, 'self quarantine every': 747855, 'quarantine every thick': 692178, 'every thick headed': 286286, 'thick headed person': 883984, 'headed person best': 385915, 'person best get': 652333, 'best get in': 127711, 'supermarket where hundred': 823821, 'where hundred of': 984934, 'people are touching': 647102, 'are touching essential': 91162, 'touching essential to': 926670, 'paper and ramen': 639848, 'and ramen genius': 69916, 'warmly': 966910, 'deserved recognition': 238158, 'recognition to': 704626, 'incredible healthcare': 433840, 'worker would': 1008298, 'to warmly': 918335, 'warmly thank': 966913, 'supply strong': 825912, 'much well deserved': 545451, 'well deserved recognition': 978153, 'deserved recognition to': 238159, 'recognition to our': 704627, 'to our incredible': 911192, 'our incredible healthcare': 623517, 'incredible healthcare worker': 433841, 'healthcare worker would': 387399, 'worker would also': 1008299, 'like to warmly': 491634, 'to warmly thank': 918336, 'warmly thank the': 966914, 'thank the grocery': 841640, 'of them earn': 591735, 'them earn minimum': 875641, 'wage and keep': 963814, 'keep our food': 471732, 'food supply strong': 316999, 'up panic': 945738, 'panic ordering': 638375, 'the notice': 861898, 'ninety oz': 563303, 'oz that': 632766, 'right kid': 721971, 'kid bought': 473886, 'as can': 94731, 'can oops': 159140, 'you re up': 1020782, 're up panic': 699752, 'up panic ordering': 945739, 'panic ordering food': 638376, 'ordering food because': 618966, 'because of pandemic': 119386, '19 yeah read': 12241, 'carefully just got': 164472, 'just got the': 468870, 'got the notice': 358909, 'the notice that': 861899, 'notice that my': 573364, 'order of 12': 618435, 'of 12 90': 579338, 'delayed ninety oz': 232796, 'ninety oz that': 563304, 'oz that right': 632767, 'that right kid': 846051, 'right kid bought': 721972, 'kid bought the': 473887, 'bought the big': 136734, 'the big as': 849595, 'big as can': 129624, 'as can oops': 94732, 'can oops cancelthat': 159141, 'kryptonite': 477813, 'so pack': 777976, 'virus kryptonite': 958448, 'kryptonite all': 477814, 'wanna return': 965661, 'return all': 719810, 'coronacrisis toiletpaper': 204835, 'so pack are': 777977, 'pack are this': 633020, 'are this virus': 91054, 'this virus kryptonite': 891015, 'virus kryptonite all': 958449, 'kryptonite all wanna': 477815, 'all wanna return': 45386, 'wanna return all': 965662, 'return all that': 719811, 'paper now 19': 640517, 'now 19 coronacrisis': 573894, '19 coronacrisis toiletpaper': 6064, 'polish beef': 663576, 'beef reportedly': 120548, 'reportedly shunned': 712587, 'shunned by': 767774, 'polish beef reportedly': 663577, 'beef reportedly shunned': 120549, 'reportedly shunned by': 712588, 'shunned by supermarket': 767775, 'by supermarket shopper': 154169, 'hold your': 400048, 'breath on': 139178, 'that corruption': 843334, 'corruption is': 207694, 'old adam': 598116, 'adam and': 31209, 'and eve': 62322, 'eve and': 283780, 'imagine even': 416716, 'even america': 283833, 'america inflicted': 51566, 'inflicted price': 437285, 'hold your breath': 400049, 'your breath on': 1023026, 'breath on that': 139180, 'on that corruption': 603932, 'that corruption is': 843335, 'corruption is old': 207695, 'is old adam': 450454, 'old adam and': 598117, 'adam and eve': 31211, 'and eve and': 62323, 'eve and is': 283781, 'and is everywhere': 65402, 'is everywhere can': 447599, 'everywhere can you': 288183, 'you imagine even': 1019293, 'imagine even america': 416717, 'even america inflicted': 283834, 'america inflicted price': 51567, 'inflicted price of': 437286, 'during this era': 263283, 'this era of': 887411, 'fillup': 305651, 'gibbs48 saw': 349907, 'saw 37': 738045, '37 when': 18088, 'in wi': 430903, 'wi who': 991642, 'anyway usually': 81052, 'usually 2x': 951076, '2x week': 16907, 'week fillup': 976212, 'fillup but': 305652, 'get gas': 347131, 'gibbs48 saw 37': 349908, 'saw 37 when': 738046, '37 when wa': 18089, 'when wa out': 984405, 'wa out to': 962883, 'last week here': 480651, 'week here in': 976327, 'here in wi': 393194, 'in wi who': 430905, 'wi who care': 991643, 'who care we': 988442, 'care we do': 164257, 'need it right': 555103, 'right now anyway': 722024, 'now anyway usually': 574075, 'anyway usually 2x': 81053, 'usually 2x week': 951077, '2x week fillup': 16908, 'week fillup but': 976213, 'fillup but haven': 305653, 'but haven needed': 145891, 'to get gas': 906491, 'get gas in': 347133, 'gas in week': 343873, 'in week socialdistancing': 430768, 'conferances': 193712, 'school activity': 741670, 'activity conferances': 30400, 'conferances ha': 193713, 'made hot': 507780, 'hot commodity': 404998, 'commodity love': 189214, 'not lost': 570470, 'their sense': 874652, 'humor made': 410899, 'laugh now': 481747, 'and the closing': 73286, 'closing of school': 183704, 'of school activity': 589393, 'school activity conferances': 741671, 'activity conferances ha': 30401, 'conferances ha made': 193714, 'ha made hot': 371209, 'made hot commodity': 507781, 'hot commodity love': 404999, 'commodity love that': 189215, 'love that people': 504799, 'people have not': 648186, 'have not lost': 381688, 'not lost their': 570471, 'lost their sense': 503931, 'their sense of': 874653, 'of humor made': 584896, 'humor made me': 410900, 'me laugh now': 523059, 'laugh now want': 481748, 'shopping and try': 762037, 'and try this': 74509, 'vox': 960698, 'heroine': 394209, 'lettercarriers': 487393, 'how post': 408524, 'boom vox': 134826, 'vox every': 960699, 'and heroine': 64540, 'heroine every': 394210, 'them lettercarriers': 875982, 'lettercarriers of': 487394, 'how post office': 408525, 'post office are': 666234, 'office are handling': 595368, 'handling the coronavirus': 376392, 'shopping boom vox': 762238, 'boom vox every': 134827, 'vox every one': 960700, 'every one of': 286050, 'of them hero': 591746, 'hero and heroine': 393930, 'and heroine every': 64541, 'heroine every single': 394211, 'of them lettercarriers': 591751, 'them lettercarriers of': 875983, 'dusty miller': 263486, 'miller add': 532036, 'add bold': 31407, 'bold silver': 134095, 'silver color': 769797, 'color to': 186751, 'any container': 79060, 'container arrangement': 200532, 'arrangement or': 93722, 'or garden': 615416, 'garden bed': 343583, 'bed in': 120404, 'easy pickup': 265749, 'dusty miller add': 263487, 'miller add bold': 532037, 'add bold silver': 31408, 'bold silver color': 134096, 'silver color to': 769798, 'color to any': 186752, 'to any container': 900602, 'any container arrangement': 79061, 'container arrangement or': 200533, 'arrangement or garden': 93723, 'or garden bed': 615417, 'garden bed in': 343584, 'bed in stock': 120405, 'ahead for easy': 39155, 'for easy pickup': 320928, 'easy pickup browse': 265750, 'right are': 721773, 'amp letting': 54067, 'customer pick': 222685, 'curbside no': 220635, 'no patron': 565082, 'patron in': 644413, 'not right are': 571384, 'right are beginning': 721774, 'of coronavirus during': 581930, 'of grocery amp': 584342, 'grocery amp letting': 364219, 'amp letting customer': 54068, 'letting customer pick': 487403, 'customer pick up': 222686, 'pick up curbside': 655714, 'up curbside no': 944680, 'curbside no patron': 220636, 'no patron in': 565083, 'patron in store': 644415, 'covit19': 214434, 'week minus': 976531, 'minus to': 533695, 'grocery next': 364752, 'delivery ain': 233633, 'ain putting': 39646, 'nose outside': 567911, 'week covit19': 976123, 'for week minus': 327729, 'week minus to': 976532, 'minus to go': 533696, 'go get medicine': 353612, 'get medicine for': 347560, 'medicine for my': 526786, 'parent and grocery': 641571, 'and grocery next': 63992, 'grocery next will': 364753, 'next will be': 561719, 'home delivery ain': 401007, 'delivery ain putting': 233634, 'ain putting my': 39647, 'putting my nose': 691168, 'my nose outside': 549522, 'nose outside for': 567912, 'next week covit19': 561676, 'fuel meat': 340202, 'meat demand': 525534, 'demand processor': 236077, 'processor raise': 680076, 'raise pay': 695898, 'farmer plant': 299477, 'worker beef': 1006513, 'beef cattle': 120491, 'cattle food': 167345, 'fuel meat demand': 340203, 'meat demand processor': 525535, 'demand processor raise': 236078, 'processor raise pay': 680077, 'raise pay for': 695899, 'pay for north': 644890, 'north american farmer': 567611, 'american farmer plant': 51971, 'farmer plant worker': 299478, 'plant worker beef': 658729, 'worker beef cattle': 1006514, 'beef cattle food': 120492, 'xdd': 1013807, 'xdd high': 1013808, 'high stake': 395420, 'stake poker': 793319, 'poker toiletpaper': 662846, 'xdd high stake': 1013809, 'high stake poker': 395422, 'stake poker toiletpaper': 793320, 'poker toiletpaper via': 662847, 'me be': 522495, 'full of let': 340736, 'of let me': 585787, 'let me be': 486894, 'me be your': 522498, 'levelling': 487771, 'categorised': 167147, 'for levelling': 322956, 'levelling up': 487772, 'treat worker': 930922, 'all sector': 44258, 'sector particularly': 744293, 'those routinely': 892408, 'routinely classed': 726547, 'government low': 360330, 'low skill': 505612, 'skill when': 772986, 'when categorised': 983239, 'categorised purely': 167148, 'purely on': 690043, 'paid keyworkers': 634046, 'and when this': 75524, 'over it time': 630344, 'time for levelling': 896721, 'for levelling up': 322957, 'levelling up of': 487773, 'up of how': 945498, 'we treat worker': 973570, 'treat worker across': 930923, 'worker across all': 1006198, 'across all sector': 29232, 'all sector particularly': 44259, 'sector particularly those': 744294, 'particularly those routinely': 642721, 'those routinely classed': 892409, 'routinely classed by': 726548, 'the government low': 856559, 'government low skill': 360331, 'low skill when': 505613, 'skill when categorised': 772987, 'when categorised purely': 983240, 'categorised purely on': 167149, 'purely on what': 690044, 'on what they': 605245, 'they are paid': 881355, 'are paid keyworkers': 88955, 'stop stop': 805081, 'not entitled': 569205, 'else panicbuying': 271834, 'buying stop stop': 151094, 'stop stop being': 805082, 'all need food': 43595, 'are not entitled': 88358, 'not entitled to': 569206, 'entitled to more': 278835, 'anyone else panicbuying': 80282, 'else panicbuying panicshopping': 271835, 'panicbuying panicshopping stoppanicbuying': 639021, 'panicshopping stoppanicbuying selfish': 639457, 'whaddya': 980924, 'informed my': 438109, 'my 77': 547182, '77 year': 22299, 'doing senior': 252641, 'good whaddya': 357948, 'whaddya need': 980925, 'informed my 77': 438110, 'my 77 year': 547183, '77 year old': 22300, 'old dad that': 598206, 'dad that they': 224392, 'they were doing': 883765, 'were doing senior': 979532, 'doing senior hour': 252642, 'he said good': 385362, 'said good whaddya': 731087, 'good whaddya need': 357949, 'medicine social distancing': 526891, 'distancing no some': 247358, 'admin from': 32416, 'public land': 688134, 'land for': 479266, 'oil drilling': 596753, 'drilling despite': 258782, 'despite cratering': 238717, 'price meaning': 675215, 'meaning trump': 524849, 'basically willing': 112184, 'willing give': 995458, 'our wild': 625378, 'wild public': 992074, 'land via': 479304, 'via sweetheart': 956276, 'the fossil': 855725, 'isn stopping the': 454680, 'stopping the trump': 805832, 'trump admin from': 933373, 'admin from selling': 32417, 'from selling off': 337212, 'selling off public': 749370, 'off public land': 594093, 'public land for': 688135, 'land for oil': 479267, 'for oil drilling': 324034, 'oil drilling despite': 596754, 'drilling despite cratering': 258783, 'despite cratering oil': 238718, 'oil price meaning': 597192, 'price meaning trump': 675218, 'meaning trump is': 524850, 'trump is basically': 933641, 'is basically willing': 446007, 'basically willing give': 112185, 'willing give away': 995459, 'give away our': 350397, 'away our wild': 105991, 'our wild public': 625379, 'wild public land': 992075, 'public land via': 688136, 'land via sweetheart': 479305, 'via sweetheart deal': 956277, 'sweetheart deal for': 830282, 'for the fossil': 326448, 'the fossil fuel': 855726, 'fossil fuel industry': 330081, 'of workout': 593305, 'workout or': 1009174, 'or exercise': 615230, 'get some type': 348078, 'type of workout': 937593, 'of workout or': 593306, 'workout or exercise': 1009175, 'or exercise during': 615231, 'exercise during this': 290047, 'during this crazy': 263273, 'believe them': 126370, 'them toiletpaperemergency': 876540, 'grocery store say': 365748, 'they are out': 881353, 'paper and you': 639867, 'you don believe': 1018307, 'don believe them': 253388, 'believe them toiletpaperemergency': 126371, 'you ride': 1020935, 'please like': 660190, 'post thanks': 666343, 'scriptco member have': 742864, 'member have their': 528106, 'have their medication': 383056, 'while you ride': 987592, 'you ride out': 1020937, 'ride out this': 721458, 'out this pandemic': 627581, 'pandemic please like': 636196, 'please like and': 660191, 'like and share': 489789, 'and share any': 71384, 'our post thanks': 624405, 'northjersey': 567797, 'affair are': 33998, 'pandemic northjersey': 636050, 'consumer affair are': 196077, 'affair are working': 34001, 'consumer from price': 197561, '19 pandemic northjersey': 9409, 'billdesk': 130745, 'paytm': 645831, 'phonepay': 655084, 'meeseva': 527399, 'safe pay': 729879, 'your electricity': 1023638, 'website bill': 975223, 'bill online': 130642, 'online billdesk': 607935, 'billdesk paytm': 130746, 'paytm phonepay': 645832, 'phonepay or': 655085, 'or meeseva': 616121, 'meeseva fightcovid19': 527400, 'dear consumer in': 229766, 'consumer in view': 197839, 'view of spread': 957129, 'pandemic we urge': 636953, 'stay safe pay': 797263, 'safe pay your': 729880, 'pay your electricity': 645254, 'your electricity bill': 1023639, 'electricity bill on': 271156, 'bill on line': 130640, 'on line by': 601854, 'line by visiting': 493023, 'by visiting our': 154678, 'visiting our website': 959540, 'our website bill': 625333, 'website bill online': 975224, 'bill online billdesk': 130643, 'online billdesk paytm': 607936, 'billdesk paytm phonepay': 130747, 'paytm phonepay or': 645833, 'phonepay or meeseva': 655086, 'or meeseva fightcovid19': 616122, 'buy two': 149402, 'two case': 936825, 'claimed she': 179885, 'there two': 879208, 'two limit': 937007, 'limit when': 492560, 'sign everywhere': 769115, 'everywhere stophoarding': 288257, 'tried to buy': 931828, 'to buy two': 902329, 'buy two case': 149403, 'two case of': 936826, 'of water at': 592935, 'water at and': 968905, 'at and claimed': 98000, 'and claimed she': 59913, 'claimed she didn': 179886, 'she didn know': 755990, 'didn know there': 241125, 'know there two': 476866, 'there two limit': 879209, 'two limit when': 937008, 'limit when there': 492561, 'are sign everywhere': 90122, 'sign everywhere stophoarding': 769116, 'consumer concept': 196861, 'concept completely': 192849, 'completely automated': 192218, 'automated grocery': 103956, 'dry and': 261241, 'and packaged': 68613, 'good re': 357618, 're emergence': 698598, 'of butcher': 580995, 'butcher deli': 148043, 'deli dairy': 232922, 'dairy shop': 225043, 'shop fresh': 760219, 'produce shop': 680431, 'bakery concept': 108844, 'concept couple': 192851, 'couple ai': 211554, 'desire buy': 238420, 'local get': 498012, '19 consumer concept': 5961, 'consumer concept completely': 196862, 'concept completely automated': 192850, 'completely automated grocery': 192219, 'automated grocery store': 103957, 'store for dry': 807798, 'for dry and': 320872, 'dry and packaged': 261242, 'and packaged good': 68614, 'packaged good re': 633494, 'good re emergence': 357619, 're emergence of': 698599, 'emergence of butcher': 272571, 'of butcher deli': 580996, 'butcher deli dairy': 148044, 'deli dairy shop': 232923, 'dairy shop fresh': 225044, 'shop fresh produce': 760221, 'fresh produce shop': 333063, 'produce shop and': 680432, 'shop and bakery': 759838, 'and bakery concept': 58665, 'bakery concept couple': 108845, 'concept couple ai': 192852, 'couple ai and': 211555, 'ai and desire': 39294, 'and desire buy': 61252, 'desire buy local': 238421, 'buy local get': 148912, 'local get ready': 498013, 'socialdistancing before': 780244, 'shopping pickup': 763629, 'area get': 92024, 'online is great': 608432, 'maintain socialdistancing before': 509037, 'socialdistancing before you': 780245, 'the store see': 868097, 'see what option': 746039, 'what option for': 981969, 'option for online': 614036, 'online shopping pickup': 609224, 'shopping pickup and': 763630, 'delivery are available': 233712, 'available in your': 104458, 'your area get': 1022819, 'area get more': 92025, 'get more safe': 347599, 'more safe and': 540294, 'safe and smart': 729482, 'and smart shopping': 71790, 'smart shopping tip': 775423, '686': 21503, 'great thanks': 363034, 'price oh': 675620, 'and 21': 57412, '21 686': 14966, '686 have': 21506, '19 any': 5165, 'any comment': 79033, 'great thanks for': 363035, 'thanks for raising': 842072, 'raising the gas': 696144, 'gas price oh': 344006, 'price oh and': 675621, 'oh and 21': 596348, 'and 21 686': 57413, '21 686 have': 14967, '686 have now': 21507, 'now died of': 574523, 'covid 19 any': 212637, '19 any comment': 5166, 'any comment on': 79034, 'comment on that': 188440, 'stranding': 812366, '40m': 18842, 'jeopardising': 465116, '120m': 3038, 'machination': 507344, 'sending 3bn': 750002, '3bn ppl': 18228, 'ppl into': 668264, 'sudden panic': 817029, 'panic stranding': 638641, 'stranding 40m': 812367, '40m migrant': 18843, 'worker jeopardising': 1007263, 'jeopardising the': 465117, 'of 120m': 579347, '120m day': 3039, 'day laborer': 227874, 'laborer is': 478501, 'how responsible': 408580, 'responsible govts': 716044, 'govts work': 361354, 'the machination': 859854, 'machination of': 507345, 'failed paranoid': 296158, 'paranoid leadership': 641448, 'sending 3bn ppl': 750003, '3bn ppl into': 18229, 'ppl into sudden': 668266, 'into sudden panic': 443028, 'sudden panic stranding': 817030, 'panic stranding 40m': 638642, 'stranding 40m migrant': 812368, '40m migrant worker': 18844, 'migrant worker jeopardising': 531231, 'worker jeopardising the': 1007264, 'jeopardising the livelihood': 465118, 'the livelihood of': 859510, 'livelihood of 120m': 496205, 'of 120m day': 579348, '120m day laborer': 3040, 'day laborer is': 227875, 'laborer is not': 478502, 'is not how': 450107, 'not how responsible': 570023, 'how responsible govts': 408581, 'responsible govts work': 716045, 'govts work these': 361355, 'work these are': 1005837, 'are the machination': 90859, 'the machination of': 859855, 'machination of failed': 507346, 'of failed paranoid': 583376, 'failed paranoid leadership': 296159, 'makhura': 510926, 'makhura there': 510927, 'two area': 936785, 'panicking firstly': 639336, 'firstly buying': 309214, 'unnecessary people': 942923, 'also flooding': 48214, 'flooding our': 310754, 'public healthcare': 688087, 'facility sabcnews': 295375, 'makhura there are': 510928, 'are two area': 91243, 'two area where': 936786, 'are panicking firstly': 88973, 'panicking firstly buying': 639337, 'firstly buying food': 309215, 'buying food this': 150338, 'food this level': 317192, 'level of panic': 487651, 'of panic is': 587728, 'panic is unnecessary': 638229, 'is unnecessary people': 453532, 'unnecessary people are': 942924, 'people are also': 646924, 'are also flooding': 84454, 'also flooding our': 48215, 'flooding our public': 310755, 'our public healthcare': 624507, 'public healthcare facility': 688088, 'healthcare facility sabcnews': 387108, 'caution we': 168183, 'surrey retail': 828697, 'any disruption': 79127, 'we service': 973208, 'still implementing': 800732, 'implementing appropriate': 418501, 'appropriate safety': 83049, 'of an abundance': 580098, 'abundance of caution': 27589, 'of caution we': 581223, 'caution we re': 168184, 'making change at': 510986, 'change at our': 171938, 'at our south': 100033, 'south surrey retail': 786782, 'surrey retail store': 828698, 're doing what': 698554, 'can to limit': 160011, 'limit any disruption': 492290, 'any disruption to': 79128, 'disruption to how': 246545, 'how we service': 409189, 'we service you': 973209, 'service you while': 753129, 'you while still': 1022296, 'while still implementing': 987323, 'still implementing appropriate': 800733, 'implementing appropriate safety': 418502, 'appropriate safety precaution': 83050, 'safety precaution to': 730689, 'precaution to limit': 669384, 'beavis': 118835, 'igers': 415709, 'understand his': 940635, 'his frustration': 397463, 'frustration toiletpaper': 339278, 'toiletpaper beavis': 921792, 'beavis tp': 118836, 'tp beavisandbutthead': 927761, 'beavisandbutthead igers': 118839, 'finally understand his': 306126, 'understand his frustration': 940636, 'his frustration toiletpaper': 397464, 'frustration toiletpaper beavis': 339279, 'toiletpaper beavis tp': 921793, 'beavis tp beavisandbutthead': 118837, 'tp beavisandbutthead igers': 927762, 'throughput': 895001, 'springtime': 791289, 'many dairy': 513979, 'milk around': 531578, 'globe many': 352473, 'of processing': 588458, 'processing issue': 680029, '19 esp': 6831, 'esp when': 280413, 'is insatiable': 448933, 'insatiable very': 439115, 'very thankful': 955610, 'far our': 298877, 'awesome co': 106162, 'op ha': 611802, 'keep throughput': 472139, 'throughput rocking': 895002, 'rocking springtime': 724979, 'springtime perhaps': 791290, 'perhaps harder': 651595, 'see many dairy': 745389, 'many dairy farmer': 513980, 'dairy farmer dumping': 224980, 'dumping milk around': 262235, 'milk around the': 531579, 'the globe many': 856359, 'globe many because': 352474, 'because of processing': 119393, 'of processing issue': 588459, 'processing issue due': 680030, 'covid 19 esp': 213036, '19 esp when': 6832, 'esp when supermarket': 280414, 'when supermarket demand': 984093, 'supermarket demand is': 819944, 'demand is insatiable': 235731, 'is insatiable very': 448934, 'insatiable very thankful': 439116, 'very thankful that': 955611, 'thankful that so': 841925, 'so far our': 777048, 'far our awesome': 298878, 'our awesome co': 622155, 'awesome co op': 106163, 'co op ha': 184912, 'op ha been': 611803, 'to keep throughput': 908871, 'keep throughput rocking': 472140, 'throughput rocking springtime': 895003, 'rocking springtime perhaps': 724980, 'springtime perhaps harder': 791291, 'price gained': 674147, 'gained hope': 342848, 'hope rose': 403610, 'rose that': 726091, 'biggest producer': 130300, 'crude will': 219622, 'price gained hope': 674148, 'gained hope rose': 342849, 'hope rose that': 403611, 'rose that the': 726092, 'world biggest producer': 1009368, 'biggest producer of': 130301, 'producer of crude': 680670, 'of crude will': 582233, 'crude will agree': 219623, 'shelter are': 757902, 'left starving': 485646, 'starving after': 795242, 'shelter through': 757951, 'through facebook': 894456, 'animal shelter are': 76655, 'shelter are left': 757903, 'are left starving': 87758, 'left starving after': 485647, 'starving after panic': 795243, 'in store please': 428442, 'store please consider': 809583, 'consider donating food': 194983, 'donating food to': 254455, 'food to shelter': 317288, 'to shelter through': 914400, 'shelter through facebook': 757952, 'bbcnewsnight': 113149, 'bbcnewsnight rt': 113150, 'rt bbcbreakfast': 726745, 'bbcbreakfast message': 113122, 'from dawn': 335104, 'bilbrough she': 130470, 'she critical': 755967, 'here bbcbreakfast': 392802, 'bbcbreakfast stophoarding': 113124, 'bbcnewsnight rt bbcbreakfast': 113151, 'rt bbcbreakfast message': 726746, 'bbcbreakfast message from': 113123, 'message from dawn': 529312, 'from dawn bilbrough': 335105, 'dawn bilbrough she': 227048, 'bilbrough she critical': 130471, 'she critical care': 755968, 'not do her': 569061, 'her shopping due': 392373, 'to panicbuying over': 911441, 'panicbuying over more': 639001, 'over more here': 630413, 'more here bbcbreakfast': 539414, 'here bbcbreakfast stophoarding': 392803, 'irresponsible comment': 445049, 'comment caused': 188401, 'my irresponsible comment': 548891, 'irresponsible comment caused': 445050, 'comment caused panic': 188402, 'buying panicbuying 19': 150873, 'panicbuying 19 toiletpaper': 638892, 'essential via': 281743, 'via usa': 956348, 'pharmacy unless essential': 654537, 'unless essential via': 942603, 'essential via usa': 281744, 'also cut': 48082, 'of film': 583513, 'film pack': 305700, 'pack film': 633039, 'film film': 305676, 'film 10': 305655, 'cinephile stayhome': 178561, 'stayhome some': 798124, 'staythefuckhome we ve': 799075, 'we ve set': 973709, 'on we ve': 605139, 'we ve also': 973637, 've also cut': 952829, 'also cut the': 48083, 'price of film': 675452, 'of film pack': 583514, 'film pack film': 305701, 'pack film film': 633040, 'film film 10': 305677, 'film 10 15': 305656, 'safe cinephile stayhome': 729546, 'cinephile stayhome some': 178562, 'stayhome some title': 798125, 'both millennials': 135972, 'and boomer': 59065, 'boomer have': 134849, 'been slow': 121979, 'virus grows': 958242, 'grows here': 367312, 'talk them': 833859, 'both millennials and': 135973, 'millennials and boomer': 531999, 'and boomer have': 59066, 'boomer have been': 134850, 'have been slow': 379685, 'been slow to': 121980, 'slow to social': 774408, 'social distance the': 779524, 'distance the threat': 246848, '19 virus grows': 11802, 'virus grows here': 958243, 'grows here how': 367313, 'to talk them': 916288, 'talk them into': 833860, 'them into staying': 875938, 'into staying home': 443010, 'propagation': 684076, 'act collectively': 29617, 'collectively due': 186529, 'of propagation': 588534, 'propagation of': 684077, 'declaration the': 231170, 'eu must': 283250, 'help recover': 390414, 'recover economy': 705170, 'society say': 781304, 'single market': 771331, 'must function': 546675, 'one lack': 606565, 'lack food': 478591, 'eu ha not': 283234, 'able to act': 24444, 'to act collectively': 900009, 'act collectively due': 29619, 'collectively due to': 186530, 'to the pace': 916935, 'pace of propagation': 632951, 'of propagation of': 588535, 'propagation of the': 684078, 'of the declaration': 590936, 'the declaration the': 853001, 'declaration the eu': 231171, 'the eu must': 854562, 'eu must be': 283251, 'must be ready': 546536, 'to help recover': 907602, 'help recover economy': 390415, 'recover economy and': 705171, 'economy and society': 267654, 'and society say': 71924, 'society say the': 781306, 'say the single': 739303, 'the single market': 867220, 'single market must': 771332, 'market must function': 516740, 'must function to': 546676, 'function to ensure': 341275, 'ensure that no': 278062, 'no one lack': 564944, 'one lack food': 606566, 'lack food or': 478592, 'lockdown thankfully': 499995, 'thankfully can': 841946, 'longer writing': 502117, 'tomorrow my': 924135, 'my internet': 548877, 'internet ha': 441951, 'slowed significantly': 774499, 'significantly at': 769548, 'about 25am': 24685, '25am afraid': 16074, 'afraid it': 34986, 'up hope': 945101, 'hope wrong': 403784, 'week of the': 976643, 'the now we': 861943, 'on lockdown thankfully': 601921, 'lockdown thankfully can': 499996, 'thankfully can still': 841947, 'still go the': 800581, 'store but how': 806795, 'but how much': 145973, 'much longer writing': 545063, 'longer writing this': 502118, 'writing this now': 1012925, 'this now instead': 889184, 'instead of tomorrow': 440332, 'of tomorrow my': 592302, 'tomorrow my internet': 924136, 'my internet ha': 548878, 'internet ha slowed': 441952, 'ha slowed significantly': 371975, 'slowed significantly at': 774500, 'significantly at about': 769549, 'at about 25am': 97831, 'about 25am afraid': 24686, '25am afraid it': 16075, 'afraid it might': 34987, 'it might not': 459618, 'might not working': 531098, 'not working when': 572556, 'working when get': 1009042, 'when get up': 983463, 'get up hope': 348565, 'up hope wrong': 945102, 'nexxo': 561754, '19 qpay': 9900, 'qpay international': 691586, 'international member': 441832, 'the nexxo': 861718, 'nexxo network': 561755, 'network the': 557770, 'leading financial': 483703, 'financial technology': 306615, 'technology fintech': 836296, 'fintech company': 308019, 'qatar servicing': 691501, 'servicing over': 753159, 'over 15': 629786, '00 qatari': 457, 'qatari small': 691512, 'small fintech': 774951, 'covid 19 qpay': 213640, '19 qpay international': 9901, 'qpay international member': 691587, 'international member of': 441833, 'of the nexxo': 591272, 'the nexxo network': 861719, 'nexxo network the': 561756, 'network the leading': 557771, 'the leading financial': 859232, 'leading financial technology': 483704, 'financial technology fintech': 306616, 'technology fintech company': 836297, 'fintech company in': 308020, 'company in qatar': 190769, 'in qatar servicing': 427161, 'qatar servicing over': 691502, 'servicing over 15': 753160, 'over 15 00': 629787, '15 00 qatari': 3633, '00 qatari small': 458, 'qatari small fintech': 691513, '329': 17729, 'on wellington': 605200, 'wellington city': 978816, 'city mission': 179257, 'mission foodbank': 534357, 'foodbank ha': 317771, 'quadrupled since': 691663, 'period began': 651726, 'the organisation': 862469, 'organisation would': 619295, 'would usually': 1012362, 'usually distribute': 951108, 'distribute 80': 247957, '80 food': 22573, 'bag week': 108447, 'that increased': 844497, 'dramatically to': 258380, 'to 329': 899689, '329 bag': 17730, 'past seven': 643600, 'demand on wellington': 235978, 'on wellington city': 605201, 'wellington city mission': 978817, 'city mission foodbank': 179258, 'mission foodbank ha': 534358, 'foodbank ha quadrupled': 317772, 'ha quadrupled since': 371611, 'quadrupled since the': 691664, '19 lockdown period': 8416, 'lockdown period began': 499789, 'period began the': 651727, 'began the organisation': 123440, 'the organisation would': 862470, 'organisation would usually': 619296, 'would usually distribute': 1012364, 'usually distribute 80': 951109, 'distribute 80 food': 247958, '80 food bag': 22574, 'food bag week': 313507, 'bag week but': 108448, 'week but that': 976042, 'but that increased': 147289, 'that increased dramatically': 844498, 'increased dramatically to': 433303, 'dramatically to 329': 258381, 'to 329 bag': 899690, '329 bag in': 17731, 'the past seven': 863362, 'past seven day': 643601, 'seven day via': 753750, 'danyel': 225911, 'surrency': 828686, 'powerhandz': 667821, 'join april': 466676, '9th at': 24020, 'online discussion': 608107, 'business expert': 143726, 'expert rudy': 291937, 'rudy walker': 727072, 'walker senior': 964999, 'senior vp': 750436, 'banking manager': 110441, 'manager with': 512832, 'with region': 1000438, 'region bank': 707397, 'and danyel': 60946, 'danyel surrency': 225912, 'surrency jones': 828687, 'jones ceo': 467239, 'ceo co': 169670, 'of powerhandz': 588309, 'powerhandz they': 667822, 'impacting independently': 418230, 'join april 9th': 466678, 'april 9th at': 83528, '9th at pm': 24021, 'at pm for': 100143, 'pm for an': 661906, 'an online discussion': 56616, 'online discussion with': 608108, 'discussion with business': 245058, 'with business expert': 997492, 'business expert rudy': 143727, 'expert rudy walker': 291938, 'rudy walker senior': 727073, 'walker senior vp': 965000, 'senior vp consumer': 750437, 'vp consumer banking': 960707, 'consumer banking manager': 196389, 'banking manager with': 110442, 'manager with region': 512833, 'with region bank': 1000439, 'region bank and': 707398, 'bank and danyel': 109606, 'and danyel surrency': 60947, 'danyel surrency jones': 225913, 'surrency jones ceo': 828688, 'jones ceo co': 467240, 'ceo co founder': 169671, 'founder of powerhandz': 330556, 'of powerhandz they': 588310, 'powerhandz they discus': 667823, 'they discus how': 881948, 'is impacting independently': 448707, 'impacting independently owned': 418231, 'independently owned business': 434160, 'consumer yeah': 199580, 'yeah donald': 1014249, 'trump on good': 933737, 'on good for': 601144, 'the consumer yeah': 851628, 'consumer yeah donald': 199581, 'yeah donald trump': 1014250, 'notice lot': 573302, 'more dude': 539083, 'lately they': 480989, 'likely standing': 492102, 'spice section': 789214, 'with confused': 997733, 'confused look': 194342, 'look or': 502560, 'or wandering': 617719, 'wandering in': 965578, 'canned mushroom': 161552, 'mushroom shelterinplace': 546277, 'else notice lot': 271810, 'notice lot more': 573303, 'lot more dude': 504105, 'more dude in': 539084, 'store lately they': 808682, 'lately they re': 480990, 're most likely': 699045, 'most likely standing': 542487, 'likely standing in': 492103, 'in the spice': 429559, 'the spice section': 867573, 'spice section with': 789215, 'section with confused': 744058, 'with confused look': 997734, 'confused look or': 194343, 'look or wandering': 502561, 'or wandering in': 617720, 'wandering in search': 965579, 'search of canned': 743268, 'of canned mushroom': 581109, 'canned mushroom shelterinplace': 161553, 'big trader': 130082, 'trader did': 928674, 'thought price': 893185, 'fell because': 303171, 'increase accordingly': 432653, 'big trader did': 130083, 'trader did that': 928675, 'did that they': 240841, 'that they thought': 846955, 'they thought price': 883567, 'thought price fell': 893186, 'price fell because': 673845, 'fell because of': 303172, 'of low demand': 586041, 'low demand and': 505234, 'demand and when': 235011, 'and when covid': 75508, '19 will go': 12092, 'will go demand': 993546, 'go demand will': 353454, 'will increase accordingly': 993806, 'increase accordingly and': 432654, 'accordingly and price': 28610, 'go up again': 354418, 'stripe': 813840, 'everything approach': 287695, 'approach drove': 82939, 'grade bond': 361633, 'bond and': 134226, 'debt alongside': 230409, 'alongside stock': 47107, 'commodity of': 189235, 'all stripe': 44509, 'the sell everything': 866688, 'sell everything approach': 748701, 'everything approach drove': 287696, 'approach drove down': 82940, 'drove down price': 260793, 'price of investment': 675478, 'investment grade bond': 444000, 'grade bond and': 361634, 'bond and government': 134228, 'and government debt': 63878, 'government debt alongside': 360005, 'debt alongside stock': 230410, 'alongside stock and': 47108, 'stock and commodity': 801806, 'and commodity of': 60155, 'commodity of nearly': 189236, 'of nearly all': 586887, 'nearly all stripe': 553804, 'country attempt': 210495, 'control market': 202049, 'market spread': 517095, 'taken it': 833017, 'affected country attempt': 34341, 'country attempt to': 210496, 'attempt to control': 102240, 'to control market': 903448, 'control market spread': 202050, 'market spread and': 517096, 'spread and public': 790419, 'reaction the rapidly': 700209, 'evolving situation ha': 288584, 'situation ha taken': 772299, 'ha taken it': 372145, 'taken it toll': 833018, 'it toll on': 461786, 'and business we': 59306, 'business we will': 144641, 'will be afraid': 992347, 'of the change': 590856, 'the mine': 860640, 'mine closed': 532881, 'closed then': 183381, 'came look': 157026, 'fragile economy': 330890, 'of appalachian': 580302, 'appalachian mining': 81814, 'mining town': 533297, 'town from': 927467, 'first the mine': 309059, 'the mine closed': 860641, 'mine closed then': 532882, 'closed then came': 183382, 'then came look': 877054, 'came look at': 157027, 'at the fragile': 100953, 'the fragile economy': 855753, 'fragile economy of': 330891, 'economy of appalachian': 268109, 'of appalachian mining': 580303, 'appalachian mining town': 81815, 'mining town from': 533298, 'twitter okay': 936696, 'damn miss': 225394, 'distancing find new': 247149, 'find new friend': 307093, 'on twitter okay': 604923, 'twitter okay but': 936697, 'okay but damn': 597962, 'but damn miss': 145501, 'damn miss the': 225395, 'stay healthy people': 796913, 'healthy people we': 387726, 'people we will': 650166, 'will survive this': 995050, 'survive this shit': 829270, 'go oilprices': 353872, 'oilprices gasprices': 597670, 'gasprices fuelprices': 344291, 'dropping to record': 260746, 'record low with': 705022, 'low with no': 505751, 'with no place': 999777, 'no place for': 565116, 'to go oilprices': 906830, 'go oilprices gasprices': 353873, 'oilprices gasprices fuelprices': 597671, 'important list': 418870, 'list you': 494603, '2020 stance': 14610, 'stance by': 793471, 'formula toilet': 329724, 'rice cooking': 721025, 'more basic': 538703, 'most important list': 542404, 'important list you': 418871, 'list you ll': 494604, 'you ll see': 1019669, 'll see in': 496993, 'see in 2020': 745295, 'in 2020 stance': 419858, '2020 stance by': 14611, 'stance by the': 793472, 'company from hiking': 190690, 'from hiking up': 335802, 'hiking up the': 396429, 'price of baby': 675409, 'of baby formula': 580496, 'baby formula toilet': 106621, 'formula toilet paper': 329725, 'paper rice cooking': 640681, 'rice cooking oil': 721026, 'cooking oil and': 202888, 'oil and more': 596617, 'and more basic': 67149, 'more basic household': 538704, 'know time': 476900, 'are scary': 89859, 'scary for': 741143, 'are sacrificing': 89783, 'sacrificing themselves': 729138, 'we know time': 972162, 'know time are': 476901, 'time are scary': 896330, 'are scary for': 89860, 'scary for everyone': 741144, 'everyone but remember': 286750, 'but remember to': 146929, 'remember to and': 710366, 'to and think': 900529, 'who are sacrificing': 988209, 'are sacrificing themselves': 89784, 'sacrificing themselves to': 729139, 'themselves to help': 876910, 'store omg': 809179, 'grocery store omg': 365609, 'store omg so': 809180, 'glove no clue': 352805, 'clue how far': 184541, 'one generation': 606338, 'generation it': 345622, 'wa send': 963160, 'men out': 528515, 'war now': 966491, 'for one generation': 324083, 'one generation it': 606339, 'generation it wa': 345623, 'it wa send': 462187, 'wa send the': 963161, 'send the men': 749963, 'the men out': 860474, 'men out to': 528516, 'out to war': 627697, 'to war now': 918328, 'war now it': 966492, 'now it send': 575129, 'it send the': 460978, 'platform be': 658947, 'cater effectively': 167240, 'effectively to': 269374, 'demand amidst': 234936, 'and tackle': 72948, 'tackle competition': 831564, 'competition brick': 191677, 'mortar counterpart': 541817, 'counterpart venture': 210343, 'venture into': 954671, 'read informationagainstcovid': 700372, 'will online grocery': 994321, 'grocery delivery platform': 364448, 'delivery platform be': 234343, 'platform be able': 658948, 'able to cater': 24459, 'to cater effectively': 902521, 'cater effectively to': 167241, 'effectively to consumer': 269375, 'consumer demand amidst': 197113, 'demand amidst the': 234937, 'amidst the restriction': 52832, 'the restriction and': 865670, 'restriction and tackle': 717212, 'and tackle competition': 72949, 'tackle competition brick': 831565, 'competition brick and': 191678, 'and mortar counterpart': 67242, 'mortar counterpart venture': 541818, 'counterpart venture into': 210344, 'venture into the': 954672, 'into the online': 443154, 'the online market': 862273, 'online market read': 608523, 'market read informationagainstcovid': 516952, 'my customer': 547873, 'patient please': 644237, 'line moving': 493266, 'moving retail': 544175, 'going on will': 355345, 'on will continue': 605327, 'pharmacy and will': 654229, 'always be there': 49483, 'there for my': 878407, 'for my customer': 323693, 'my customer and': 547874, 'customer and patient': 222094, 'and patient please': 68775, 'patient please be': 644238, 'kind to myself': 475009, 'to myself and': 910456, 'myself and other': 550824, 'of my team': 586820, 'my team we': 550329, 'team we do': 835824, 'keep the store': 472073, 'the store stocked': 868112, 'stocked and line': 803262, 'and line moving': 66197, 'line moving retail': 493267, 'why empty': 990979, 'shelf don': 756989, 'how canada': 407531, 'canada supply': 160569, 'work shopper': 1005719, 'to unprecedented': 917961, 'good even': 357008, 'even grocer': 284139, 'grocer assure': 364108, 'assure canadian': 97078, 'canadian coping': 160662, 'that pl': 845747, 'why empty shelf': 990980, 'empty shelf don': 275058, 'shelf don mean': 756990, 'don mean we': 253733, 'mean we re': 524765, 'food how canada': 314867, 'how canada supply': 407532, 'canada supply chain': 160570, 'chain work shopper': 171260, 'work shopper are': 1005720, 'shopper are facing': 761389, 'are facing empty': 86413, 'shelf at some': 756852, 'some store due': 783955, 'due to unprecedented': 262011, 'to unprecedented demand': 917963, 'other good even': 620305, 'good even grocer': 357010, 'even grocer assure': 284140, 'grocer assure canadian': 364109, 'assure canadian coping': 97079, 'canadian coping with': 160663, 'outbreak that pl': 628700, 'currently plunging': 221633, 'plunging due': 661529, 'full scoop': 340868, 'scoop on': 742310, 'although the global': 49359, 'long term price': 501704, 'term price are': 838242, 'price are currently': 672649, 'are currently plunging': 85672, 'currently plunging due': 221634, 'plunging due to': 661530, 'lower demand caused': 505831, 'latest report ha': 481526, 'report ha the': 711996, 'ha the full': 372200, 'the full scoop': 856022, 'full scoop on': 340869, 'scoop on oil': 742311, 'oil price trend': 597297, 'raiderstrategy': 695651, 'rsecon': 726713, 'front closure': 338519, 'closure quarantine': 184007, 'quarantine order': 692412, 'outbreak commerce': 628119, 'risen large': 723117, 'large online': 479727, 'trend can': 931299, 'can alter': 157474, 'alter consumer': 49147, 'future raiderstrategy': 342439, 'raiderstrategy rsecon': 695652, 'to store front': 915620, 'store front closure': 807886, 'front closure quarantine': 338520, 'closure quarantine order': 184008, 'quarantine order in': 692413, 'order in effect': 618313, 'in effect from': 422506, 'effect from covid': 269005, '19 outbreak commerce': 9102, 'outbreak commerce ha': 628120, 'commerce ha risen': 188569, 'ha risen large': 371766, 'risen large online': 723118, 'large online retailer': 479728, 'online retailer struggle': 608887, 'with demand this': 997993, 'demand this current': 236381, 'this current trend': 887138, 'current trend can': 221406, 'trend can alter': 931300, 'can alter consumer': 157475, 'alter consumer shopping': 49148, 'consumer shopping pattern': 198977, 'shopping pattern in': 763606, 'pattern in the': 644476, 'the future raiderstrategy': 856088, 'future raiderstrategy rsecon': 342440, 'my boss': 547510, 'boss bil': 135737, 'bil and': 130448, 'his two': 397884, 'two son': 937231, 'just test': 469971, 'the bil': 849685, 'bil is': 130450, 'got really': 358813, 'bad my': 107946, 'bos said': 135693, 'she stocked': 756362, 'my boss bil': 547511, 'boss bil and': 135738, 'bil and his': 130449, 'and his two': 64616, 'his two son': 397885, 'two son just': 937232, 'son just test': 785406, 'just test positive': 469972, 'and the bil': 73258, 'the bil is': 849686, 'bil is now': 130451, 'the hospital because': 857517, 'hospital because it': 404321, 'because it got': 119188, 'it got really': 458318, 'got really bad': 358814, 'really bad my': 702001, 'bad my bos': 107947, 'my bos said': 547507, 'bos said she': 135694, 'said she stocked': 731348, 'she stocked the': 756363, 'stocked the school': 803417, 'the school with': 866493, 'school with food': 741990, 'food and if': 313259, 'and if we': 64955, 'need anything to': 554463, 'go there and': 354220, 'there and not': 878007, 'plainly': 658029, 'system plainly': 831286, 'plainly explained': 658030, 'explained wallstreet': 292171, 'wallstreet banker': 965250, 'asking healthcare': 96002, 'drug n95': 261014, 'ventilator supplier': 954608, 'profit over': 682839, 'audio neoliberalism': 102929, 'our economic system': 622834, 'economic system plainly': 267334, 'system plainly explained': 831287, 'plainly explained wallstreet': 658031, 'explained wallstreet banker': 292172, 'wallstreet banker asking': 965251, 'banker asking healthcare': 110348, 'asking healthcare drug': 96003, 'healthcare drug n95': 387088, 'drug n95 mask': 261015, 'mask ventilator supplier': 519478, 'ventilator supplier to': 954609, 'supplier to hike': 824626, 'hike price and': 396253, 'and to figure': 74170, 'how to increase': 409032, 'increase profit over': 433027, 'profit over the': 682841, 'over the crisis': 630712, 'the crisis audio': 852346, 'crisis audio neoliberalism': 217101, 'the intensifies': 858341, 'worker the intensifies': 1007932, 'the intensifies across': 858342, 'also realize': 48753, 'it privilege': 460479, 'can mostly': 159010, 'mostly stay': 543015, 'home because you': 400785, 'you are saving': 1017222, 'are saving life': 89816, 'saving life but': 737905, 'but also realize': 145138, 'also realize that': 48754, 'realize that it': 701855, 'that it privilege': 844734, 'it privilege to': 460480, 'privilege to stay': 679041, 'home and million': 400664, 'of american cannot': 580053, 'american cannot because': 51857, 'cannot because they': 161661, 'because they need': 119711, 'job and they': 465645, 'work so the': 1005743, 'rest of can': 716188, 'of can mostly': 581071, 'can mostly stay': 159011, 'mostly stay at': 543016, 'home and survive': 400697, 'demand than': 236324, 'ever local': 285393, 'bank face': 109818, 'food manpower': 315368, 'manpower the': 513334, 'ha devastated': 370365, 'devastated many': 239570, 'nation homeless': 552209, 'some church': 782537, 'more in demand': 539511, 'in demand than': 422157, 'demand than ever': 236325, 'than ever local': 840590, 'ever local food': 285394, 'food bank face': 313564, 'bank face shortage': 109819, 'of food manpower': 583727, 'food manpower the': 315369, 'manpower the crisis': 513335, 'crisis ha devastated': 217435, 'ha devastated many': 370366, 'devastated many local': 239571, 'many local food': 514242, 'bank who provide': 110306, 'who provide meal': 989468, 'the nation homeless': 861241, 'nation homeless and': 552210, 'homeless and most': 402725, 'vulnerable people some': 961109, 'people some church': 649508, 'some church are': 782538, 'church are stepping': 178339, 'up to fill': 946378, 'isolationmode': 455545, 'fmradio': 311779, 'waybackwithkmac': 970215, 'memesiveseen': 528390, 'else reading': 271852, 'reading gas': 700769, 'it station': 461231, 'station id': 796429, 'id 94': 412922, '94 the': 23550, 'the shell': 866910, 'shell or': 757875, 'me isolationmode': 523004, 'isolationmode gasprices': 455546, 'gasprices fmradio': 344288, 'fmradio waybackwithkmac': 311780, 'waybackwithkmac memesiveseen': 970216, 'anybody else reading': 80072, 'else reading gas': 271853, 'reading gas price': 700770, 'gas price like': 343988, 'price like it': 675046, 'like it station': 490553, 'it station id': 461232, 'station id 94': 796430, 'id 94 the': 412923, '94 the shell': 23551, 'the shell or': 866911, 'shell or is': 757876, 'is that just': 452660, 'that just me': 844792, 'just me isolationmode': 469243, 'me isolationmode gasprices': 523005, 'isolationmode gasprices fmradio': 455547, 'gasprices fmradio waybackwithkmac': 344289, 'fmradio waybackwithkmac memesiveseen': 311781, 'friend your': 333932, 'going good': 355180, 'ha maybe': 371247, 'support stayathome': 826838, 'stayhome netflixandchill': 798047, 'netflixandchill and': 557643, 'reduce bandwidth': 705788, 'bandwidth so': 109433, 'friend your business': 333933, 'is going good': 448091, 'going good those': 355181, 'good those day': 357860, 'those day ha': 891916, 'day ha maybe': 227716, 'ha maybe you': 371248, 'maybe you think': 521899, 'think to support': 885717, 'to support stayathome': 915971, 'support stayathome stayhome': 826839, 'stayathome stayhome netflixandchill': 797638, 'stayhome netflixandchill and': 798048, 'netflixandchill and reduce': 557644, 'and reduce price': 70098, 'you reduce bandwidth': 1020870, 'reduce bandwidth so': 705789, 'bandwidth so it': 109434, 'so it will': 777485, 'will be fair': 992453, 'lot filled': 504043, 'filled every': 305534, 'outbreak where': 628810, 'everyone storing': 287427, 'storing this': 811779, 'parking lot filled': 642088, 'lot filled every': 504044, 'filled every single': 305535, 'single day since': 771281, '19 outbreak where': 9206, 'outbreak where is': 628811, 'where is everyone': 984948, 'is everyone storing': 447590, 'everyone storing this': 287428, 'storing this food': 811780, 'supermarket joy': 821214, 'joy share': 467522, 'daily joy': 224652, 'after three week': 36427, 'of empty aisle': 583088, 'empty aisle at': 274744, 'the supermarket joy': 868660, 'supermarket joy share': 821215, 'joy share your': 467523, 'share your daily': 755374, 'your daily joy': 1023442, 'oman together': 598852, 'crisis plunging': 217883, 'arabia sudden': 83934, 'sudden move': 817022, 'increase output': 432971, 'whammy for': 980932, 'oman we': 598854, 'plan an': 658054, 'it engineer': 457820, 'engineer said': 276975, 'oman together with': 598853, 'the crisis plunging': 852431, 'crisis plunging oil': 217884, 'caused by saudi': 167864, 'saudi arabia sudden': 737214, 'arabia sudden move': 83935, 'sudden move to': 817023, 'move to increase': 543756, 'to increase output': 908290, 'increase output is': 432972, 'output is double': 629278, 'is double whammy': 447336, 'double whammy for': 256089, 'whammy for oman': 980933, 'for oman we': 324061, 'oman we hope': 598855, 'we hope our': 972033, 'hope our government': 403589, 'government ha plan': 360162, 'ha plan an': 371492, 'plan an it': 658055, 'an it engineer': 56489, 'it engineer said': 457821, 'engineer said my': 276976, 'said my latest': 731246, 'my latest report': 548991, 'latest report for': 481525, 'elemental': 271350, 'fiendishly': 304547, 'resistant': 714594, 'unleashed two': 942589, 'two destructive': 936882, 'destructive cycle': 239129, 'once clearing': 605608, 'crashing stock': 215129, 'this elemental': 887353, 'elemental power': 271351, 'to provoke': 912458, 'provoke both': 687300, 'both rampant': 136020, 'rampant spending': 696464, 'recession inducing': 704301, 'inducing shutdown': 435499, 'so fiendishly': 777089, 'fiendishly resistant': 304548, 'coronavirus ha unleashed': 206040, 'ha unleashed two': 372396, 'unleashed two destructive': 942590, 'two destructive cycle': 936883, 'destructive cycle at': 239130, 'cycle at once': 224039, 'at once clearing': 99956, 'once clearing supermarket': 605609, 'shelf and crashing': 756726, 'and crashing stock': 60696, 'crashing stock market': 215130, 'stock market it': 802407, 'it is this': 459102, 'is this elemental': 453084, 'this elemental power': 887354, 'elemental power to': 271352, 'power to provoke': 667715, 'to provoke both': 912459, 'provoke both rampant': 687301, 'both rampant spending': 136021, 'rampant spending and': 696465, 'spending and recession': 788741, 'and recession inducing': 70048, 'recession inducing shutdown': 704302, 'inducing shutdown of': 435500, 'the economy that': 854025, 'economy that help': 268266, 'that help make': 844299, 'help make covid': 390032, '19 so fiendishly': 10642, 'so fiendishly resistant': 777090, 'report reviewed': 712222, 'reviewed facebook': 720605, 'ad statement': 31166, 'will reject': 994618, 'spread misinformation': 790634, 'photo facebookads': 655162, 'consumer report reviewed': 198723, 'report reviewed facebook': 712223, 'reviewed facebook ad': 720606, 'facebook ad statement': 294887, 'ad statement that': 31167, 'statement that it': 796218, 'it will reject': 462430, 'will reject ad': 994619, 'reject ad that': 708317, 'ad that spread': 31177, 'that spread misinformation': 846442, 'spread misinformation about': 790635, '19 and photo': 5084, 'and photo facebookads': 68996, 'hate that': 378914, 'having convo': 384010, 'convo in': 202691, 'minute sneezed': 533835, 'sneezed bitch': 776288, 'bitch wa': 131781, 'gone like': 356322, 'ok sorry': 597896, 'my sneeze': 550135, 'sneeze ain': 776225, 'got nothing': 358746, 'friendly fake': 333955, 'fake bitch': 296572, 'hate that wa': 378915, 'that wa having': 847287, 'wa having convo': 962286, 'having convo in': 384011, 'convo in the': 202692, 'store but minute': 806799, 'but minute sneezed': 146397, 'minute sneezed bitch': 533836, 'sneezed bitch wa': 776289, 'bitch wa gone': 131782, 'wa gone like': 962228, 'gone like ok': 356323, 'like ok sorry': 490912, 'ok sorry but': 597897, 'sorry but my': 786030, 'but my sneeze': 146439, 'my sneeze ain': 550136, 'sneeze ain got': 776226, 'ain got nothing': 39622, 'got nothing to': 358747, '19 wa trying': 11879, 'be friendly fake': 114962, 'friendly fake bitch': 333956, 'and apocalyptic': 58236, 'apocalyptic nonsense': 81602, 'nonsense here': 566730, 'porn and apocalyptic': 664835, 'and apocalyptic nonsense': 58237, 'apocalyptic nonsense here': 81603, 'nonsense here are': 566731, 'are the realistic': 90894, 'of april we': 580333, 'will have recovered': 993665, 'wary of scammer': 967411, 'exploit the visit': 292369, 'not panic there': 570941, 'complicate': 192451, 'hilfiker': 396457, 'export mexican': 292669, 'mexican using': 529985, 'using gas': 950497, 'gas face': 343845, 'face test': 294786, 'in current': 421936, 'market mexico': 516719, 'mexico pacific': 530016, 'pacific limited': 632987, 'limited proposing': 492701, 'proposing up': 684569, 'million mt': 532246, 'mt facility': 544598, 'facility low': 295355, 'price weakened': 677415, 'weakened demand': 974064, 'demand complicate': 235153, 'complicate john': 192452, 'john hilfiker': 466532, 'hilfiker story': 396458, 'competition to export': 191746, 'to export mexican': 905507, 'export mexican using': 292670, 'mexican using gas': 529986, 'using gas face': 950498, 'gas face test': 343846, 'face test in': 294787, 'test in current': 839032, 'in current market': 421937, 'current market mexico': 221253, 'market mexico pacific': 516720, 'mexico pacific limited': 530017, 'pacific limited proposing': 632988, 'limited proposing up': 492702, 'proposing up to': 684570, 'up to 12': 946320, 'to 12 million': 899466, '12 million mt': 2887, 'million mt facility': 532247, 'mt facility low': 544599, 'facility low price': 295356, 'low price weakened': 505549, 'price weakened demand': 677416, 'weakened demand complicate': 974065, 'demand complicate john': 235154, 'complicate john hilfiker': 192453, 'john hilfiker story': 466533, 'wait over': 964176, 'queue stayathome': 694073, 'socialdistancing lockdown': 780495, 'life too short': 489147, 'too short to': 925059, 'short to wait': 764773, 'to wait over': 918271, 'wait over an': 964177, 'an hour on': 56094, 'hour on supermarket': 405822, 'on supermarket queue': 603805, 'supermarket queue stayathome': 822133, 'queue stayathome socialdistancing': 694074, 'stayathome socialdistancing lockdown': 797619, 'fighthunger': 305020, 'bank donate': 109782, 'donate fighthunger': 254174, 'food bank donate': 313556, 'bank donate fighthunger': 109783, 'let send': 487043, 'send collective': 749829, 'collective gratitude': 186505, 'hard putting': 377997, 'humanity especially': 410721, 'especially amazon': 280436, 'amazon trader': 51169, 'joe we': 466450, 'let send collective': 487044, 'send collective gratitude': 749830, 'collective gratitude to': 186506, 'store delivery worker': 807294, 'working hard putting': 1008685, 'hard putting themselves': 377998, 'risk and dealing': 723369, 'with the worst': 1001552, 'worst of humanity': 1011232, 'of humanity especially': 584886, 'humanity especially amazon': 410722, 'especially amazon trader': 280437, 'amazon trader joe': 51170, 'trader joe we': 928723, 'joe we see': 466451, 'appreciate you pas': 82788, 'you pas it': 1020302, 'it on coronacrisis': 460034, 'on coronacrisis lockdown': 600116, 'panicbuyingtoiletpaper': 639124, 'what craziness': 981282, 'craziness the': 215228, 'today panicbuy': 920019, 'panicbuy panicbuying': 638836, 'panicbuying panicbuyingtoiletpaper': 639015, 'panicbuyingtoiletpaper toiletpaperpanic': 639125, 'toiletpapercrisis groceryshopping': 923026, 'groceryshopping hoarding': 366268, 'hoarding toiletpaperhoarding': 399626, 'see what craziness': 746026, 'what craziness the': 981283, 'craziness the grocery': 215229, 'the grocery business': 856805, 'grocery business ha': 364325, 'business ha in': 143810, 'ha in store': 370934, 'for me today': 323345, 'me today panicbuy': 523804, 'today panicbuy panicbuying': 920020, 'panicbuy panicbuying panicbuyingtoiletpaper': 638837, 'panicbuying panicbuyingtoiletpaper toiletpaperpanic': 639016, 'panicbuyingtoiletpaper toiletpaperpanic toiletpapercrisis': 639126, 'toiletpaperpanic toiletpapercrisis groceryshopping': 923282, 'toiletpapercrisis groceryshopping hoarding': 923027, 'groceryshopping hoarding toiletpaperhoarding': 366269, 'photo louis': 655192, 'owner lvmh': 632494, 'perfume production': 651534, 'the see': 866636, 'in photo louis': 426696, 'photo louis vuitton': 655193, 'vuitton owner lvmh': 960795, 'owner lvmh is': 632495, 'lvmh is using': 507029, 'using it perfume': 950532, 'it perfume production': 460313, 'perfume production line': 651535, 'sanitizer in an': 735128, 'protect people against': 684920, 'people against the': 646790, 'against the see': 37676, 'the see more': 866637, 'dreamies': 258644, 'your human': 1024437, 'those dreamies': 891945, 'when your human': 984629, 'your human are': 1024438, 'human are isolating': 410420, 'are isolating but': 87586, 'isolating but you': 455073, 'to have those': 907328, 'have those dreamies': 383114, 'horrible greedy': 404100, 'greedy inhumane': 363537, 'inhumane utter': 438495, 'utter bastard': 951409, 'tobacco essential': 919076, 'essential cleaning': 280898, 'cleaning equipment': 180941, 'be settled': 117107, 'settled well': 753709, 'well karma': 978353, 'is bitch': 446193, 'bitch vulture': 131780, 'horrible greedy inhumane': 404101, 'greedy inhumane utter': 363539, 'inhumane utter bastard': 438496, 'utter bastard the': 951410, 'bastard the people': 112510, 'people who drive': 650293, 'who drive up': 988665, 'roll and tobacco': 725190, 'and tobacco essential': 74213, 'tobacco essential cleaning': 919077, 'essential cleaning equipment': 280899, 'cleaning equipment this': 180942, 'equipment this kind': 279853, 'kind of profit': 474929, 'of profit will': 588524, 'profit will never': 682897, 'never be settled': 557882, 'be settled well': 117108, 'settled well karma': 753710, 'well karma is': 978355, 'karma is bitch': 470947, 'is bitch vulture': 446194, 'seder': 744838, 'passover disruption': 643434, 'disruption by': 246449, 'brings seder': 140270, 'seder in': 744839, 'box consumer': 137038, 'behavior pivot': 124147, 'pivot passover': 657095, 'passover disruption by': 643435, 'disruption by covid': 246450, '19 brings seder': 5449, 'brings seder in': 140271, 'seder in box': 744840, 'in box consumer': 420939, 'box consumer behavior': 137039, 'consumer behavior pivot': 196500, 'behavior pivot passover': 124148, 'still hiring': 800706, 'are still hiring': 90434, 'still hiring during': 800707, 'the pandemic stay': 863107, 'safe and remember': 729475, 'cashed': 166408, 'told it': 923591, 'to rich': 913516, 'rich friend': 721221, 'friend he': 333633, 'he then': 385514, 'then cashed': 877062, 'cashed in': 166409, 'he voted': 385577, 'bill he': 130592, 'he told it': 385535, 'told it to': 923592, 'it to rich': 461749, 'to rich friend': 913517, 'rich friend he': 721222, 'friend he then': 333634, 'he then cashed': 385515, 'then cashed in': 877063, 'cashed in million': 166410, 'in million in': 425327, 'in stock then': 428336, 'stock then he': 802955, 'then he voted': 877242, 'he voted against': 385578, 'voted against the': 960549, 'relief bill he': 709287, 'bill he need': 130593, 'lexingtonva': 487865, 'should instituted': 766139, 'instituted curb': 440439, 'curb pick': 220570, 'grocery location': 364705, 'in lexington': 424685, 'lexington va': 487863, 'va there': 951547, 'many senior': 514681, 'and citizen': 59894, 'general in': 345365, 'avoid coming': 105040, 'time lexingtonva': 897129, 'lexingtonva walmart': 487866, 'walmart 19': 965266, 'you should instituted': 1021200, 'should instituted curb': 766140, 'instituted curb pick': 440440, 'curb pick up': 220571, 'your grocery location': 1024127, 'grocery location in': 364706, 'location in lexington': 498921, 'in lexington va': 424686, 'lexington va there': 487864, 'va there are': 951548, 'are many senior': 88037, 'many senior citizen': 514682, 'citizen and citizen': 178831, 'and citizen in': 59895, 'citizen in general': 178915, 'in general in': 423252, 'general in your': 345366, 'your area who': 1022825, 'area who need': 92276, 'to avoid coming': 900876, 'avoid coming into': 105041, 'this time lexingtonva': 890659, 'time lexingtonva walmart': 897130, 'lexingtonva walmart 19': 487867, 'anonymous donor': 77456, 'donor gave': 255158, 'gave certificate': 344610, 'certificate for': 170206, 'supply allowing': 824675, 'full cart': 340520, 'cart of': 165339, 'supply pantry': 825699, 'pantry if': 639607, 'donate we': 254284, 'need dry': 554711, 'dry dog': 261257, 'dry cat': 261249, 'food cat': 313885, 'cat litter': 166885, 'an anonymous donor': 55324, 'anonymous donor gave': 77457, 'donor gave certificate': 255159, 'gave certificate for': 344611, 'certificate for pet': 170207, 'pet food supply': 653400, 'food supply allowing': 316927, 'supply allowing to': 824676, 'allowing to buy': 46361, 'buy this full': 149360, 'this full cart': 887649, 'full cart of': 340521, 'cart of cat': 165340, 'cat food due': 166864, 'is high demand': 448441, 'for our pet': 324279, 'our pet food': 624324, 'food supply pantry': 316978, 'supply pantry if': 825700, 'pantry if you': 639608, 'can donate we': 158143, 'donate we need': 254286, 'we need dry': 972480, 'need dry dog': 554712, 'dry dog food': 261258, 'dog food dry': 252079, 'food dry cat': 314306, 'dry cat food': 261250, 'cat food cat': 166862, 'food cat litter': 313886, 'takeout for': 833160, 'paper then have': 640887, 'then have we': 877234, 'have we got': 383557, 'got the restaurant': 358912, 'the restaurant takeout': 865662, 'restaurant takeout for': 716734, 'takeout for you': 833161, 'dismantle': 245980, 'momentary': 536143, 'will either': 993288, 'either create': 270280, 'consumer christian': 196798, 'will completely': 992982, 'completely dismantle': 192264, 'dismantle it': 245981, 'real comfort': 701074, 'comfort or': 187852, 'or hope': 615667, 'hope just': 403525, 'just momentary': 469282, 'momentary emotional': 536144, 'emotional happiness': 273284, 'happiness but': 377565, 'but true': 147625, 'true joy': 933119, 'joy come': 467504, 'from deep': 335119, 'deep commitment': 231864, 'jesus and': 465285, 'his kingdom': 397562, 'will either create': 993289, 'either create more': 270281, 'create more consumer': 215692, 'more consumer christian': 538875, 'consumer christian or': 196799, 'christian or will': 178125, 'or will completely': 617805, 'will completely dismantle': 992983, 'completely dismantle it': 192265, 'dismantle it because': 245982, 'because it offer': 119196, 'offer no real': 594710, 'no real comfort': 565278, 'real comfort or': 701075, 'comfort or hope': 187853, 'or hope just': 615668, 'hope just momentary': 403526, 'just momentary emotional': 469283, 'momentary emotional happiness': 536145, 'emotional happiness but': 273285, 'happiness but true': 377566, 'but true joy': 147626, 'true joy come': 933120, 'joy come from': 467505, 'come from deep': 187303, 'from deep commitment': 335120, 'deep commitment to': 231865, 'commitment to jesus': 189006, 'to jesus and': 908665, 'jesus and his': 465287, 'and his kingdom': 64604, 'rebooked': 703283, 'only booked': 610180, 'booked my': 134668, 'my hotel': 548714, 'would progress': 1012122, 'progress especially': 683368, 'hotel price': 405177, 'price rebooked': 676113, 'rebooked last': 703284, 'another night': 77725, 'told this': 923737, 'move me': 543695, 'room it': 725931, 'been reserved': 121836, 'only booked my': 610181, 'booked my hotel': 134669, 'my hotel for': 548715, 'hotel for only': 405151, 'for only day': 324123, 'only day to': 610316, 'how the would': 408895, 'the would progress': 872090, 'would progress especially': 1012123, 'progress especially for': 683369, 'especially for hotel': 280484, 'for hotel price': 322381, 'hotel price rebooked': 405179, 'price rebooked last': 676114, 'rebooked last night': 703285, 'night for another': 562995, 'for another night': 319372, 'another night and': 77726, 'night and wa': 562952, 'wa told this': 963545, 'told this morning': 923738, 'morning they have': 541496, 'to move me': 910312, 'move me from': 543696, 'me from my': 522788, 'from my room': 336524, 'my room it': 549967, 'room it ha': 725932, 'ha been reserved': 369899, 'the squeeze': 867666, 'squeeze job': 791533, 'and missed': 67075, 'missed paycheck': 534246, 'paycheck force': 645287, 'seek food': 746579, 'of between': 580682, 'between 40': 128683, '40 and': 18529, 'country are feeling': 210464, 'feeling the squeeze': 303078, 'the squeeze job': 867667, 'squeeze job loss': 791534, 'loss and missed': 503636, 'and missed paycheck': 67076, 'missed paycheck force': 534247, 'paycheck force many': 645288, 'many to seek': 514823, 'to seek food': 914108, 'seek food assistance': 746580, 'first time at': 309093, 'time at different': 896347, 'different location the': 241991, 'location the central': 498965, 'the central texas': 850604, 'central texas food': 169428, 'is seeing spike': 451720, 'demand of between': 235942, 'of between 40': 580683, 'between 40 and': 128684, '40 and 300': 18530, 'douchebag': 256236, 'this douchebag': 887285, 'douchebag say': 256237, 'him curing': 396576, 'curing covid': 220958, 'drug like': 260992, 'did last': 240673, 'believe what this': 126413, 'what this douchebag': 982432, 'this douchebag say': 887286, 'douchebag say about': 256238, 'say about him': 738385, 'about him curing': 25387, 'him curing covid': 396577, 'curing covid 19': 220959, '19 he gonna': 7472, 'he gonna raise': 385000, 'gonna raise the': 356600, 'on the drug': 604081, 'the drug like': 853736, 'drug like he': 260993, 'like he did': 490396, 'he did last': 384876, 'did last time': 240674, 'following colour': 312703, 'colour for': 186852, 'the following colour': 855501, 'following colour for': 312704, 'colour for your': 186853, 'sector showed': 744327, 'showed covid': 767321, 'outbreak lead': 628409, 'to broad': 902067, 'based reduction': 111721, 'output across': 629224, 'across asian': 29269, 'asian sector': 95330, 'service record': 752750, 'record largest': 704997, 'hit tourism': 398482, 'tourism only': 927001, 'only pharmaceutical': 610966, 'pharmaceutical amp': 654054, 'amp biotech': 53460, 'biotech output': 131282, 'output rise': 629286, 'sector showed covid': 744328, 'showed covid 19': 767322, '19 outbreak lead': 9148, 'outbreak lead to': 628410, 'lead to broad': 483326, 'to broad based': 902068, 'broad based reduction': 140703, 'based reduction in': 111722, 'reduction in output': 706367, 'in output across': 426364, 'output across asian': 629225, 'across asian sector': 29270, 'asian sector consumer': 95331, 'sector consumer service': 744136, 'consumer service record': 198948, 'service record largest': 752751, 'record largest drop': 704998, 'drop in output': 260265, 'in output the': 426366, 'output the virus': 629292, 'virus hit tourism': 958291, 'hit tourism only': 398483, 'tourism only pharmaceutical': 927002, 'only pharmaceutical amp': 610967, 'pharmaceutical amp biotech': 654055, 'amp biotech output': 53461, 'biotech output rise': 131283, 'output rise read': 629287, 'rise read more': 722987, 'nidhi': 562625, 'join sarika': 466832, 'sarika 13': 736773, '13 nidhi': 3243, 'puzzle join sarika': 691332, 'join sarika 13': 466833, 'sarika 13 nidhi': 736774, 'that nh': 845341, 'her could': 391966, 'ha urged to': 372420, 'shelf empty from': 757021, 'empty from york': 274889, 'should stop amp': 766513, 'stop amp think': 804448, 'amp think that': 54692, 'think that nh': 885602, 'that nh staff': 845343, 'staff like her': 792616, 'like her could': 490420, 'her could be': 391967, 'could be looking': 208894, 'looking after them': 502784, 'yesterday am': 1015655, 'am off': 50270, 'have been inside': 379581, 'been inside for': 121386, 'inside for two': 439265, 'week so had': 976888, 'so had house': 777229, 'visitor yesterday am': 959608, 'yesterday am off': 1015656, 'am off to': 50271, 'off to work': 594334, 'load of browser': 497259, 'toor': 925479, 'patelshrewsbury': 643978, 'patel brother': 643963, 'brother why': 141111, 'you jacking': 1019393, 'price toor': 677093, 'toor dal': 925480, 'dal went': 225092, 'on lb': 601804, 'lb pack': 482773, 'pack please': 633133, 'crisis pricegouging': 217906, 'pricegouging patelshrewsbury': 677835, 'patelshrewsbury indian': 643979, 'patel brother why': 643964, 'brother why are': 141112, 'are you jacking': 91813, 'you jacking up': 1019394, 'the price toor': 864426, 'price toor dal': 677094, 'toor dal went': 925481, 'dal went up': 225093, 'up by on': 944557, 'by on lb': 153421, 'on lb pack': 601805, 'lb pack please': 482774, 'pack please do': 633134, 'of crisis pricegouging': 582185, 'crisis pricegouging patelshrewsbury': 217907, 'pricegouging patelshrewsbury indian': 677836, 'store following': 807758, 'foot protocol': 318427, 'protocol feeling': 685984, 'like predator': 491022, 'predator following': 669524, 'following people': 312810, 'need off': 555353, 'shelf socialdistancing': 757531, 'grocery store following': 365406, 'store following the': 807759, 'following the six': 312909, 'six foot protocol': 772643, 'foot protocol feeling': 318428, 'protocol feeling like': 685985, 'feeling like predator': 303013, 'like predator following': 491023, 'predator following people': 669525, 'following people down': 312811, 'people down aisle': 647720, 'down aisle and': 256456, 'aisle and waiting': 40200, 'for my chance': 323686, 'my chance to': 547661, 'chance to get': 171800, 'what need off': 981907, 'need off the': 555354, 'the shelf socialdistancing': 866877, '2gb': 16604, 'on 2gb': 599085, '2gb last': 16605, 'week peter': 976746, 'peter dutton': 653518, 'dutton threatened': 263549, 'threatened the': 893784, 'law on': 482360, 'hoarder but': 398997, 'some explaining': 782792, 'about cruise': 25052, 'ship infecting': 758684, 'infecting the': 436700, 'nation he': 552205, 'unavailable instead': 939449, 'instead border': 440156, 'border force': 135246, 'force must': 328456, 'music without': 546355, 'on 2gb last': 599086, '2gb last week': 16606, 'last week peter': 480671, 'week peter dutton': 976747, 'peter dutton threatened': 653520, 'dutton threatened the': 263550, 'threatened the full': 893785, 'the full force': 856008, 'full force of': 340609, 'force of the': 328467, 'the law on': 859189, 'law on supermarket': 482361, 'on supermarket hoarder': 603791, 'supermarket hoarder but': 820767, 'hoarder but this': 398998, 'but this week': 147561, 'this week when': 891297, 'week when he': 977222, 'when he ha': 983534, 'he ha some': 385034, 'ha some explaining': 371991, 'some explaining to': 782793, 'explaining to do': 292193, 'do about cruise': 249022, 'about cruise ship': 25053, 'cruise ship infecting': 219707, 'ship infecting the': 758685, 'infecting the nation': 436701, 'the nation he': 861239, 'nation he is': 552206, 'he is unavailable': 385153, 'is unavailable instead': 453431, 'unavailable instead border': 939450, 'instead border force': 440157, 'border force must': 135247, 'force must face': 328457, 'must face the': 546650, 'face the music': 294797, 'the music without': 861149, 'music without him': 546356, 'across the are': 29480, 'the are seeing': 848869, 'increased demand because': 433263, 'demand because people': 235061, 'job or stocking': 466070, 'on supply because': 603818, 'can you donate': 160295, '70days': 21959, 'palmsunday2020': 634626, 'why gas': 991006, 'price want': 677342, 'go nowhere': 353860, 'nowhere 70days': 576545, '70days sundaythoughts': 21960, 'sundaythoughts sinceivebeenquarantined': 818350, 'sinceivebeenquarantined palmsunday2020': 771023, 'why gas price': 991007, 'gas price want': 344048, 'price want to': 677343, 'go down when': 353502, 'down when we': 257468, 'cannot go nowhere': 161928, 'go nowhere 70days': 353861, 'nowhere 70days sundaythoughts': 576546, '70days sundaythoughts sinceivebeenquarantined': 21961, 'sundaythoughts sinceivebeenquarantined palmsunday2020': 818351, 'killed with disinfectant': 474620, 'reality meeting': 701758, 'meeting ha': 527710, 'skyrocketed during': 773364, 'attend your': 102326, 'next meeting': 561444, 'in why': 430900, 'why or': 991259, 'or why': 617801, 'interest in virtual': 441362, 'in virtual reality': 430603, 'virtual reality meeting': 957781, 'reality meeting ha': 701759, 'meeting ha skyrocketed': 527711, 'ha skyrocketed during': 371957, 'skyrocketed during the': 773365, 'pandemic would you': 637067, 'want to attend': 965990, 'to attend your': 900822, 'attend your next': 102327, 'your next meeting': 1025003, 'next meeting in': 561445, 'meeting in why': 527715, 'in why or': 430902, 'why or why': 991260, 'or why not': 617802, 'cranny': 214873, 'nook cranny': 566826, 'cranny ha': 214874, 'now animalcrossing': 574072, 'animalcrossingnewhorizons toiletpaper': 76712, 'anyone need toilet': 80426, 'paper the nook': 640876, 'the nook cranny': 861848, 'nook cranny ha': 566827, 'cranny ha it': 214875, 'ha it for': 371020, 'it for great': 458078, 'for great price': 322004, 'great price right': 362917, 'right now animalcrossing': 722023, 'now animalcrossing animalcrossingnewhorizons': 574073, 'animalcrossing animalcrossingnewhorizons toiletpaper': 76696, 'but empty': 145647, 'shelf thanks': 757633, 'thanks borisjohnson': 842026, 'raising fear': 696080, 'anything johnsonmustgo': 80808, 'people still not': 649602, 'still not using': 800910, 'not using mask': 572377, 'using mask or': 950554, 'glove but empty': 352618, 'but empty supermarket': 145648, 'supermarket shelf thanks': 822540, 'shelf thanks borisjohnson': 757634, 'thanks borisjohnson for': 842027, 'borisjohnson for raising': 135524, 'for raising fear': 324949, 'raising fear and': 696081, 'still not doing': 800892, 'doing anything johnsonmustgo': 252298, 'anything johnsonmustgo borisresign': 80809, 'conversion': 202518, 'interesting analyse': 441498, 'analyse by': 56999, 'by impact': 152870, 'behavior online': 124138, 'online most': 608564, 'most notably': 542531, 'notably on': 572656, 'on traffic': 604832, 'traffic conversion': 929072, 'conversion and': 202519, 'spent pattern': 789163, 'across 20': 29216, '20 industry': 13109, 'interesting analyse by': 441499, 'analyse by impact': 57000, 'by impact of': 152871, 'consumer behavior online': 196496, 'behavior online most': 124139, 'online most notably': 608565, 'most notably on': 542532, 'notably on traffic': 572657, 'on traffic conversion': 604833, 'traffic conversion and': 929073, 'conversion and time': 202520, 'and time spent': 74123, 'time spent pattern': 897734, 'spent pattern across': 789164, 'pattern across 20': 644444, 'across 20 industry': 29217, 'ri company': 720928, 'company stepping': 191115, 'up green': 945036, 'green line': 363683, 'line apothecary': 492957, 'apothecary give': 81660, 'give raise': 350670, 'raise to': 695968, 'employee launch': 274011, 'launch hand': 481909, 'sanitizer pay': 735541, 'pay what': 645223, 'ri company stepping': 720929, 'company stepping up': 191116, 'stepping up green': 799815, 'up green line': 945037, 'green line apothecary': 363684, 'line apothecary give': 492958, 'apothecary give raise': 81661, 'give raise to': 350671, 'raise to employee': 695969, 'to employee launch': 905022, 'employee launch hand': 274012, 'launch hand sanitizer': 481910, 'hand sanitizer pay': 375532, 'sanitizer pay what': 735542, 'pay what you': 645224, 'lowest crude': 506154, 'snow in': 776395, 'day 18': 227104, '18 wheeler': 4598, 'wheeler going': 983077, 'going 70': 354982, 'ice 30': 412639, '30 drive': 17029, 'coming barely': 188008, 'be movie': 116016, 'lowest crude oil': 506155, 'price in year': 674752, 'in year covid': 431021, '19 in of': 7772, 'in of snow': 426057, 'of snow in': 589803, 'snow in day': 776396, 'in day 18': 422002, 'day 18 wheeler': 227105, '18 wheeler going': 4599, 'wheeler going 70': 983078, 'going 70 on': 354983, '70 on ice': 21815, 'on ice 30': 601470, 'ice 30 drive': 412640, '30 drive to': 17030, 'to work going': 918728, 'work going coming': 1005215, 'going coming barely': 355084, 'coming barely any': 188009, 'barely any food': 111004, 'the store 2020': 867973, 'store 2020 wa': 806029, '2020 wa supposed': 14697, 'to be movie': 901394, 'our trading': 625181, 'standard took': 793713, 'same stance': 733300, 'stance against': 793467, 'imagine if our': 416743, 'if our trading': 414580, 'our trading standard': 625182, 'trading standard took': 928933, 'standard took the': 793714, 'took the same': 925342, 'the same stance': 866302, 'same stance against': 733301, 'stance against those': 793468, 'those who hiked': 892641, 'who hiked up': 989003, 'hiked up the': 396355, 'store packer': 809448, 'packer on': 633682, 'come face': 187283, 'receiving cash': 703753, 'bonus from': 134380, 'retailer shoprite': 719316, 'cashier and store': 166464, 'and store packer': 72512, 'store packer on': 809449, 'packer on the': 633683, 'line of panic': 493309, 'buying and who': 149943, 'who will come': 989983, 'will come face': 992965, 'come face to': 187284, 'face with shopper': 294864, 'lockdown are receiving': 499167, 'are receiving cash': 89496, 'receiving cash bonus': 703754, 'cash bonus from': 166186, 'bonus from retailer': 134381, 'from retailer shoprite': 337108, 'few retail': 304044, 'category people': 167203, 'agree need': 38624, 'open his': 612302, 'pay should': 645107, 'be relatively': 116757, 'relatively unaffected': 708784, 'unaffected but': 939384, 'much wiggle': 545461, 'wiggle room': 992036, 'room if': 725918, 'he brings': 384794, 'brings home': 140247, 'or flu': 615333, 'flu it': 311428, 'put under': 690957, 'my income': 548841, 'store one of': 809226, 'the few retail': 855123, 'few retail category': 304045, 'retail category people': 717928, 'category people seem': 167204, 'seem to agree': 746690, 'to agree need': 900181, 'agree need to': 38625, 'stay open his': 797158, 'open his pay': 612303, 'his pay should': 397693, 'pay should be': 645108, 'should be relatively': 765710, 'be relatively unaffected': 116758, 'relatively unaffected but': 708785, 'unaffected but we': 939385, 'but we normally': 147755, 'normally do not': 567494, 'have much wiggle': 381537, 'much wiggle room': 545462, 'wiggle room if': 992037, 'room if he': 725919, 'if he brings': 414208, 'he brings home': 384795, 'brings home covid': 140248, '19 or flu': 9019, 'or flu it': 615334, 'flu it could': 311429, 'it could put': 457367, 'could put under': 209548, 'put under without': 690958, 'under without my': 940391, 'without my income': 1002797, 'fell rattled': 303225, 'rattled by': 697895, 'widening pandemic': 991802, 'price fell rattled': 673853, 'fell rattled by': 303226, 'rattled by the': 697896, 'by the widening': 154483, 'the widening pandemic': 871536, 'tomorrow join': 924112, 'join cl': 466692, 'cl and': 179673, 'for telephone': 326183, 'hall on': 374338, 'about eviction': 25208, 'protection thank': 685640, 'for inviting': 322645, 'inviting to': 444296, 'important conversation': 418773, 'tomorrow join cl': 924113, 'join cl and': 466693, 'cl and for': 179674, 'and for telephone': 63160, 'for telephone town': 326184, 'town hall on': 927478, 'hall on your': 374339, 'on your right': 605498, 'your right during': 1025632, 'we will talk': 973914, 'talk about eviction': 833738, 'about eviction foreclosure': 25209, 'foreclosure and consumer': 328912, 'consumer protection thank': 198568, 'protection thank you': 685641, 'to for inviting': 906141, 'for inviting to': 322646, 'inviting to have': 444297, 'have this important': 383102, 'this important conversation': 888022, 'leadership right': 483649, 'eye donald': 294038, 'act state': 29772, 'competing against': 191624, 'etc which': 282874, 'is the failure': 452793, 'of leadership right': 585756, 'leadership right before': 483650, 'right before our': 721809, 'before our eye': 122992, 'our eye donald': 622971, 'eye donald trump': 294039, 'donald trump ha': 254111, 'trump ha failed': 933591, 'failed to use': 296188, 'production act state': 681899, 'act state and': 29773, 'state and hospital': 795366, 'hospital are competing': 404296, 'are competing against': 85458, 'competing against each': 191625, 'other for product': 620260, 'for product such': 324776, 'product such face': 681653, 'face mask etc': 294536, 'mask etc which': 518616, 'etc which is': 282875, 'which is driving': 986004, 'price and cause': 672378, 'and cause price': 59640, 'cause price gouging': 167708, 'how rwanda': 408611, 'rwanda is': 728739, 'managing the': 512896, 'hiking under': 396422, 'seller seek': 749070, 'seek profit': 746601, 'profit amid': 682647, 'scare across': 740861, 'the cont': 851640, 'is how rwanda': 448594, 'how rwanda is': 408612, 'rwanda is managing': 728740, 'is managing the': 449568, 'managing the risk': 512900, 'risk of price': 723769, 'price hiking under': 674546, 'hiking under the': 396423, 'under the crisis': 940298, 'the crisis price': 852433, 'basic food staple': 111894, 'food staple are': 316742, 'staple are rising': 793908, 'rising in africa': 723236, 'in africa consumer': 420083, 'africa consumer stock': 35061, 'consumer stock on': 199145, 'stock on essential': 802557, 'essential and seller': 280788, 'and seller seek': 71227, 'seller seek profit': 749071, 'seek profit amid': 746602, 'profit amid the': 682648, 'the coronavirus scare': 851906, 'coronavirus scare across': 206730, 'scare across the': 740862, 'across the cont': 29490, 'get practical': 347830, 'get practical tip': 347831, 'consumer during crisis': 197270, 'during crisis understanding': 262572, 'it continuing': 457311, 'continuing panic': 201542, 'had leadership': 373232, 'leadership that': 483658, 'creates calm': 215934, 'calm until': 156819, 'until day': 943718, '19 move': 8695, 'move through': 543748, 'kill ten': 474501, 'thousand johnson': 893409, 'johnson doesn': 466586, 'doesn ac': 251685, 'it continuing panic': 457312, 'continuing panic buying': 201543, 'because we haven': 119807, 'we haven had': 971993, 'haven had leadership': 383824, 'had leadership that': 373233, 'leadership that creates': 483659, 'that creates calm': 843393, 'creates calm until': 215935, 'calm until day': 156820, 'until day ago': 943719, 'day ago we': 227214, 'to let covid': 909200, 'covid 19 move': 213449, '19 move through': 8696, 'move through the': 543749, 'through the population': 894763, 'the population and': 864022, 'population and kill': 664650, 'and kill ten': 65843, 'kill ten of': 474502, 'of thousand johnson': 592136, 'thousand johnson doesn': 893410, 'johnson doesn ac': 466587, 'from 21': 334237, 'product sector': 681603, 'learned from 21': 484110, 'from 21 day': 334238, '21 day of': 14995, 'crisis communication in': 217230, 'communication in the': 189605, 'consumer product sector': 198479, 'restaurant via': 716784, 'via rb': 956191, 'rb online': 698059, 'online restaurantnews': 608866, 'restaurantnews consumertrends': 716840, 'behavior in restaurant': 124085, 'in restaurant via': 427442, 'restaurant via rb': 716786, 'via rb online': 956192, 'rb online restaurantnews': 698060, 'online restaurantnews consumertrends': 608867, 'duelling': 262044, 'people duelling': 647736, 'duelling over': 262045, 'roll paint': 725463, 'help social': 390536, 'story of empty': 812059, 'shelf and people': 756752, 'and people duelling': 68862, 'people duelling over': 647737, 'duelling over loo': 262046, 'loo roll paint': 502194, 'roll paint bleak': 725464, 'outbreak but most': 628064, 'pull together and': 688889, 'together and help': 920692, 'and help social': 64467, 'help social distancing': 390537, 'cancelstudentdebt': 161235, 'circumventing': 178765, 'cancelstudentdebt is': 161236, 'well targeted': 978638, 'targeted 6t': 834532, '6t this': 21674, 'is path': 450815, 'path to': 644029, 'to circumventing': 902764, 'circumventing that': 178766, 'it trojan': 461856, 'horse proposal': 404225, 'proposal lump': 684465, 'lump it': 506684, 'tax proposal': 835070, 'rebuild the': 703348, 'economy post': 268152, 'cancelstudentdebt is well': 161237, 'is well targeted': 453853, 'well targeted 6t': 978639, 'targeted 6t this': 834533, '6t this is': 21675, 'this is path': 888354, 'is path to': 450816, 'path to circumventing': 644030, 'to circumventing that': 902765, 'circumventing that it': 178767, 'that it trojan': 844754, 'it trojan horse': 461857, 'trojan horse proposal': 932339, 'horse proposal lump': 404226, 'proposal lump it': 684466, 'lump it consumer': 506685, 'it consumer debt': 457285, 'consumer debt it': 197084, 'debt it isn': 230514, 'it isn it': 459147, 'isn it tax': 454570, 'it tax proposal': 461448, 'tax proposal to': 835071, 'proposal to rebuild': 684483, 'to rebuild the': 912904, 'rebuild the economy': 703349, 'the economy post': 854007, 'make society': 510467, 'society realize': 781294, 'calling essential': 156539, 'essential today': 281712, 'today barely': 919300, 'barely get': 111013, 'get living': 347489, 'worker their': 1007948, 'life their': 489104, 'their paycheck': 874259, 're expendable': 698643, 'sure hope covid': 827568, '19 make society': 8523, 'make society realize': 510468, 'society realize that': 781295, 'that the people': 846798, 're calling essential': 698406, 'calling essential today': 156540, 'essential today barely': 281713, 'today barely get': 919301, 'barely get living': 111014, 'get living wage': 347490, 'wage and benefit': 963805, 'and benefit we': 58897, 'benefit we re': 127134, 're telling grocery': 699670, 'store worker their': 811603, 'worker their work': 1007949, 'their work is': 875203, 'work is critical': 1005370, 'is critical to': 446946, 'critical to life': 218709, 'to life their': 909254, 'life their paycheck': 489105, 'their paycheck is': 874260, 'paycheck is telling': 645294, 'is telling them': 452594, 'they re expendable': 883029, 'piled for': 656537, 'month hope': 537776, 'all pleased': 43981, 'with yourselves': 1002243, 'eat stockpiling': 266059, 'who have stock': 988957, 'have stock piled': 382765, 'stock piled for': 802641, 'piled for month': 656538, 'for month hope': 323522, 'month hope you': 537777, 're all pleased': 698230, 'all pleased with': 43982, 'pleased with yourselves': 660810, 'with yourselves now': 1002244, 'yourselves now there': 1026800, 'who can even': 988380, 'week and vulnerable': 975944, 'who can eat': 988379, 'eat and health': 265846, 'health worker who': 386996, 'worker who can': 1008197, 'can eat stockpiling': 158201, 'bbc business': 113069, 'business correspondent': 143585, 'correspondent moment': 207640, 'see sustained': 745776, 'sustained demand': 829822, 'news coronacrisis': 560332, 'bbc business correspondent': 113070, 'business correspondent moment': 143587, 'correspondent moment ago': 207641, 'moment ago we': 535873, 'ago we re': 38535, 'to see sustained': 914078, 'see sustained demand': 745777, 'sustained demand for': 829823, 'for food are': 321551, 'are you sure': 91867, 'you sure that': 1021494, 'sure that not': 827696, 'that not news': 845395, 'not news coronacrisis': 570693, 'national law': 552548, 'law review': 482386, 'review state': 720585, 'not delay': 568978, 'delay ccpa': 232687, 'ccpa enforcement': 168485, 'enforcement learn': 276775, 'more ccpa': 538785, 'ccpa cybersecurity': 168481, 'cybersecurity data': 223996, 'the national law': 861298, 'national law review': 552549, 'law review state': 482387, 'review state that': 720586, 'state that covid': 795981, 'will not delay': 994205, 'not delay ccpa': 568979, 'delay ccpa enforcement': 232688, 'ccpa enforcement learn': 168486, 'enforcement learn more': 276776, 'learn more ccpa': 484019, 'more ccpa cybersecurity': 538786, 'ccpa cybersecurity data': 168482, 'refilled': 706559, 'great supermarket': 363021, 'initiative what': 438670, 'aisle regularly': 40353, 'regularly refilled': 707944, 'refilled or': 706563, 'collection service': 186468, 'elderly is great': 270724, 'is great supermarket': 448206, 'great supermarket initiative': 363022, 'supermarket initiative what': 821045, 'initiative what about': 438671, 'what about reserved': 980989, 'reserved aisle regularly': 714124, 'aisle regularly refilled': 40354, 'regularly refilled or': 707945, 'refilled or collection': 706564, 'or collection service': 614762, 'collection service for': 186469, 'service for who': 752397, 'for who work': 327862, 'save life from': 737540, 'life from every': 488675, 'from every day': 335322, 'need should': 555561, 'supporting one': 827160, 'another not': 77727, 'not fighting': 569399, 'and pillaging': 69026, 'pillaging the': 656674, 'time we need': 898230, 'we need should': 972540, 'need should be': 555562, 'should be coming': 765586, 'be coming together': 114155, 'coming together and': 188241, 'together and supporting': 920703, 'and supporting one': 72864, 'supporting one another': 827161, 'one another not': 605921, 'another not fighting': 77728, 'not fighting over': 569400, 'paper and pillaging': 639847, 'and pillaging the': 69027, 'pillaging the supermarket': 656675, 'supermarket before any': 819344, 'the elderly poor': 854138, 'global supplychain': 352242, 'supplychain are': 826163, 'felt across': 303356, 'the global supplychain': 856331, 'global supplychain are': 352243, 'supplychain are being': 826164, 'are being felt': 84859, 'being felt across': 125138, 'felt across the': 303357, 'the world thanks': 871982, 'week the demand': 976987, 'for grocery item': 322037, 'grocery item and': 364650, 'item and the': 463078, 'delivery of those': 234239, 'those item is': 892138, 'item is surging': 463390, '316m': 17634, 'shopper spend': 761701, 'spend 316m': 788564, '316m on': 17635, 'ireland amid': 444807, 'shopper spend 316m': 761702, 'spend 316m on': 788565, '316m on grocery': 17636, 'on grocery in': 601184, 'grocery in ireland': 364615, 'in ireland amid': 424156, 'ireland amid covid': 444808, 'price country': 673301, 'country entering': 210617, 'producer may': 680657, 'may pay': 521418, 'pay customer': 644821, 'purchase their': 689674, 'recession is': 704305, 'coming so': 188189, 'so brace': 776642, 'yourselves there': 1026811, 'no escape': 564132, 'price plummeting oil': 675919, 'oil price country': 597090, 'price country entering': 673302, 'country entering into': 210618, 'entering into covid': 278407, 'lock down oil': 499043, 'down oil producer': 257008, 'oil producer may': 597340, 'producer may pay': 680658, 'may pay customer': 521419, 'pay customer to': 644822, 'customer to purchase': 222976, 'to purchase their': 912552, 'purchase their commodity': 689675, 'their commodity the': 872816, 'commodity the recession': 189319, 'the recession is': 865338, 'recession is coming': 704306, 'is coming so': 446665, 'coming so brace': 188190, 'so brace yourselves': 776643, 'brace yourselves there': 137495, 'yourselves there is': 1026812, 'is no escape': 449924, 'no escape to': 564133, 'escape to this': 280319, 'this in 2020': 888036, 'in 2020 via': 419861, 'ourselves amp': 625455, 'sick washing': 768665, 'to play role': 911799, 'role in preventing': 725097, 'in preventing the': 426937, 'spread of let': 790684, 'of let protect': 585788, 'let protect ourselves': 486993, 'protect ourselves amp': 684905, 'ourselves amp the': 625456, 'amp the people': 54664, 'people around from': 647138, 'around from getting': 93298, 'from getting sick': 335634, 'getting sick washing': 349280, 'sick washing hand': 768666, 'soap and running': 778924, 'and running water': 70648, 'running water or': 728132, 'water or alcohol': 969094, 'based sanitizer will': 111742, 'sanitizer will help': 736104, 'any muslim': 79496, 'muslim panic': 546435, 'but dozen': 145614, 'of white': 593120, 'british hoarder': 140536, 'toxic racism': 927653, 'seen any muslim': 746941, 'any muslim panic': 79497, 'muslim panic buying': 546436, 'buying but dozen': 150063, 'but dozen of': 145615, 'dozen of white': 257902, 'of white british': 593121, 'white british hoarder': 987828, 'british hoarder can': 140537, 'seen in any': 747069, 'in any local': 420427, 'any local supermarket': 79424, 'local supermarket don': 498517, 'supermarket don use': 820003, 'don use covid': 254013, 'excuse for spreading': 289747, 'for spreading your': 325843, 'spreading your toxic': 791099, 'your toxic racism': 1026193, 'meat aisle': 525466, 'supermarket affect': 818794, 'meat aisle at': 525467, 'local supermarket affect': 498496, 'supermarket affect and': 818795, 'affect and stupidity': 34117, 'and stupidity of': 72629, 'stupidity of people': 815547, 'interesting somehow': 441614, 'somehow make': 784327, 've traveled': 953634, 'traveled back': 930599, 'and the energy': 73348, 'the energy is': 854322, 'energy is interesting': 276488, 'is interesting somehow': 448955, 'interesting somehow make': 441615, 'somehow make me': 784328, 'me feel like': 522716, 'feel like ve': 302757, 'like ve traveled': 491720, 've traveled back': 953635, 'traveled back in': 930600, 'back in time': 107102, 'arounds': 93672, 'issuesofpandemic': 456119, 'provider lower': 686753, 'demand however': 235652, 'seems home': 746793, 'use would': 949822, 'increase somewhat': 433077, 'somewhat there': 785277, 'some work': 784227, 'work arounds': 1004846, 'arounds to': 93673, 'least donate': 484444, 'some opposed': 783460, 'to dumping': 904805, 'dumping it': 262232, 'all issuesofpandemic': 43261, 'understand the loss': 940763, 'loss of restaurant': 503751, 'service provider lower': 752732, 'provider lower demand': 686754, 'lower demand however': 505836, 'demand however it': 235653, 'however it seems': 409406, 'it seems home': 460946, 'seems home use': 746794, 'home use would': 402413, 'use would increase': 949823, 'would increase somewhat': 1011952, 'increase somewhat there': 433078, 'somewhat there should': 785278, 'be some work': 117301, 'some work arounds': 784228, 'work arounds to': 1004847, 'arounds to at': 93674, 'at least donate': 99484, 'least donate some': 484445, 'donate some opposed': 254229, 'some opposed to': 783461, 'opposed to dumping': 613769, 'to dumping it': 904806, 'dumping it all': 262233, 'it all issuesofpandemic': 456356, 'gouger on': 359221, 'marketplace please': 517827, 'them pricegouging': 876178, 'pricegouging scumbags': 677849, 'scumbags toiletpaper': 743009, 'hey can we': 394342, 'something about these': 784834, 'about these price': 26614, 'these price gouger': 880532, 'price gouger on': 674246, 'gouger on the': 359222, 'on the marketplace': 604229, 'the marketplace please': 860194, 'marketplace please you': 517828, 'please you do': 660785, 'not give the': 569646, 'give the option': 350745, 'option to report': 614130, 'to report them': 913291, 'report them pricegouging': 712361, 'them pricegouging scumbags': 876179, 'pricegouging scumbags toiletpaper': 677850, 'scumbags toiletpaper panicbuying': 743010, 'toiletpaper panicbuying hoarder': 922309, 'can lip': 158884, 'lip sync': 494055, 'sync all': 830975, 'know secretly': 476700, 'secretly battling': 743979, 'battling other': 112868, 'cool too': 203054, 'too socialdistancing': 925073, 'the upside to': 870516, 'upside to wearing': 947869, 'to wearing mask': 918452, 'is now can': 450268, 'now can lip': 574332, 'can lip sync': 158885, 'lip sync all': 494056, 'sync all want': 830976, 'all want and': 45389, 'want and no': 965709, 'one will ever': 607474, 'will ever know': 993345, 'ever know secretly': 285383, 'know secretly battling': 476701, 'secretly battling other': 743980, 'battling other people': 112869, 'other people is': 620674, 'people is totally': 648527, 'is totally cool': 453303, 'totally cool too': 926317, 'cool too socialdistancing': 203055, 'people hand': 648146, 'sanitizers soap': 736401, 'utility price': 951303, 'use the situation': 949688, 'situation and increase': 772181, 'the price shame': 864411, 'on you people': 605433, 'you people hand': 1020321, 'people hand sanitizers': 648147, 'hand sanitizers soap': 375721, 'sanitizers soap and': 736402, 'soap and utility': 778932, 'and utility price': 74812, 'utility price are': 951304, 'thousand who': 893498, 'are sat': 89807, 'sat looking': 736904, 'some dried': 782710, 'pasta wondering': 643858, 'now dotherightthing': 574557, 'dotherightthing coronacrisis': 255957, 'of the thousand': 591540, 'the thousand who': 869504, 'thousand who are': 893499, 'who are sat': 988210, 'are sat looking': 89809, 'sat looking at': 736905, 'at some dried': 100575, 'some dried pasta': 782711, 'dried pasta wondering': 258760, 'pasta wondering what': 643859, 'wondering what the': 1004194, 'what the to': 982369, 'the to do': 869674, 'with it because': 999060, 'it because you': 456766, 'you have never': 1019080, 'have never used': 381586, 'never used it': 558254, 'used it before': 949956, 'it before and': 456810, 'before and have': 122627, 'and have stock': 64281, 'piled food take': 656536, 'food take it': 317060, 'take it to': 832255, 'near you now': 553642, 'you now dotherightthing': 1020155, 'now dotherightthing coronacrisis': 574558, 'dotherightthing coronacrisis corona': 255958, 'only accepting': 610033, 'accepting card': 28068, 'card transaction': 163690, 'virus say': 958722, 'the melbourne': 860457, 'wa told that': 963543, 'were only accepting': 979939, 'only accepting card': 610034, 'accepting card transaction': 28069, 'card transaction to': 163691, 'transaction to minimize': 929476, 'minimize the transmission': 533132, 'deadly virus say': 229305, 'virus say supermarket': 958723, 'say supermarket customer': 739192, 'in the melbourne': 429355, 'the melbourne suburb': 860458, 'saw elderly': 738099, 'elderly pharmacy': 270850, 'supermarket yest': 824161, 'yest said': 1015633, 'said can': 731018, 'would close': 1011719, 'close literally': 182702, 'literally only': 495059, 'only staff': 611185, 'staff broke': 792274, 'is reality': 451284, 'risking own': 724089, 'saw elderly pharmacy': 738101, 'elderly pharmacy staff': 270851, 'spluttering in supermarket': 789681, 'in supermarket yest': 428722, 'supermarket yest said': 824162, 'yest said they': 1015634, 'they said can': 883240, 'said can they': 731019, 'can they would': 159985, 'they would close': 883938, 'would close literally': 1011720, 'close literally only': 182703, 'literally only staff': 495060, 'only staff broke': 611186, 'staff broke this': 792275, 'this is reality': 888372, 'is reality of': 451285, 'reality of nh': 701775, 'of nh and': 587006, 'cut risking own': 223523, 'risking own life': 724090, 'of ebay': 582945, 'mean local': 524533, 'raise price shame': 695927, 'mean people taking': 524615, 'advantage of ebay': 33001, 'of ebay etc': 582946, 'etc mean local': 282655, 'mean local store': 524534, 'local store raising': 498475, 'on meat rice': 602089, 'today full': 919562, 'no socal': 565543, 'socal distancing': 779396, 'tougher with': 926895, 'lockdown stayathomeandstaysafe': 499953, 'supermarket today full': 823444, 'today full of': 919563, 'with no socal': 999790, 'no socal distancing': 565544, 'socal distancing will': 779397, 'distancing will the': 247650, 'uk have to': 938443, 'to get tougher': 906629, 'get tougher with': 348529, 'tougher with the': 926896, 'the lockdown lockdown': 859612, 'lockdown lockdown stayathomeandstaysafe': 499607, 'toy fix': 927678, 'fix in': 309729, 'these hr': 880136, 'hr time': 409667, 'for repost': 325135, 'you need your': 1020062, 'need your toy': 556275, 'your toy fix': 1026196, 'toy fix in': 927679, 'fix in these': 309730, 'in these hr': 429848, 'these hr time': 880137, 'hr time make': 409668, 'time make sure': 897181, 'online store for': 609447, 'store for repost': 807833, 'for repost our': 325136, 'iseestupidpeople': 454203, 'thing heard': 884415, 'the quarentine': 864992, 'quarentine jesuschrist': 693176, 'jesuschrist iseestupidpeople': 465320, 'some stuff the': 783985, 'stuff the thing': 815204, 'the thing heard': 869455, 'thing heard about': 884416, 'heard about and': 388047, 'and the quarentine': 73538, 'the quarentine jesuschrist': 864993, 'quarentine jesuschrist iseestupidpeople': 693177, 'fcc urge': 300777, 'urge fijian': 948185, 'commission fcc urge': 188819, 'fcc urge fijian': 300778, 'urge fijian not': 948186, 'torn': 925906, 'length person': 486326, 'desperation next': 238604, 'judge refugee': 467628, 'refugee immigrant': 706847, 'for fleeing': 321522, 'fleeing poverty': 310310, 'poverty war': 667523, 'war torn': 966572, 'torn land': 925907, 'land etc': 479264, 'etc remember': 282726, 'remember some': 710261, 'paper immigration': 640310, 'immigration daca': 417255, 'daca covid19': 224263, 'of the length': 591185, 'the length person': 859295, 'length person is': 486327, 'person is willing': 652510, 'to in desperation': 908220, 'in desperation next': 422216, 'desperation next time': 238605, 'time you want': 898422, 'want to judge': 966057, 'to judge refugee': 908701, 'judge refugee immigrant': 467629, 'refugee immigrant and': 706848, 'immigrant and others': 417212, 'others for fleeing': 621407, 'for fleeing poverty': 321523, 'fleeing poverty war': 310311, 'poverty war torn': 667524, 'war torn land': 966573, 'torn land etc': 925908, 'land etc remember': 479265, 'etc remember some': 282727, 'remember some people': 710262, 'crazy over toilet': 215379, 'toilet paper immigration': 921316, 'paper immigration daca': 640311, 'immigration daca covid19': 417256, 'necessity online': 554249, 'shopping after covid': 761906, 'on your last': 605476, 'paper roll you': 640701, 'roll you can': 725611, 'can bet that': 157755, 'bet that cybercriminals': 128102, 'buy all kind': 148291, 'kind of necessity': 474921, 'of necessity online': 586897, 'necessity online besafe': 554250, 'actually that': 30971, 'that unfortunately': 847179, 'unfortunately not': 941626, 'actually that unfortunately': 30972, 'that unfortunately not': 847180, 'unfortunately not true': 941627, 'not true for': 572275, 'true for this': 933086, 'for this virus': 327085, 'reckon it': 704566, 'month food': 537723, 'lee informed': 485319, '19 likely': 8332, 'likely on': 492066, 'this likely': 888630, 'singaporean malaysia': 771173, 'reckon it not': 704567, 'it not advisable': 459856, 'singapore ha about': 771127, 'ha about month': 369428, 'about month food': 25747, 'month food supply': 537724, 'supply in store': 825414, 'in store while': 428473, 'store while pm': 811287, 'pm lee informed': 661930, 'lee informed that': 485320, 'informed that the': 438129, 'covid 19 likely': 213355, '19 likely on': 8333, 'likely on for': 492067, 'more this likely': 540738, 'this likely cause': 888631, 'likely cause the': 491965, 'cause the panic': 167762, 'buy for some': 148699, 'some singaporean malaysia': 783880, 'singaporean malaysia bor': 771174, 'ontario watching': 611637, 'watching how': 968749, 'company treat': 191261, 'for focusing': 321537, 'focusing attention': 311985, 'night great': 563003, 'see gov': 745159, 'ontario watching how': 611638, 'watching how insurance': 968750, 'insurance company treat': 440702, 'company treat customer': 191262, 'treat customer during': 930821, 'customer during covid': 222316, 'pandemic thanks for': 636644, 'thanks for focusing': 842058, 'for focusing attention': 321538, 'focusing attention on': 311986, 'attention on this': 102469, 'on this consumer': 604604, 'having fair on': 384061, 'fair on last': 296355, 'on last night': 601789, 'last night great': 480375, 'night great to': 563004, 'to see gov': 914013, 'see gov is': 745160, 'gov is paying': 359609, 'isi': 454236, 'between air': 128702, 'air strike': 39790, 'iraqi government': 444794, 'itself dealing': 463924, 'it greatest': 458344, 'greatest governance': 363278, 'governance challenge': 359774, '2014 isi': 13800, 'isi invasion': 454237, 'between air strike': 128703, 'air strike and': 39791, 'strike and the': 813727, 'crisis the iraqi': 218177, 'the iraqi government': 858449, 'iraqi government may': 444795, 'government may find': 360347, 'may find itself': 521189, 'find itself dealing': 307017, 'itself dealing with': 463925, 'dealing with it': 229673, 'with it greatest': 999067, 'it greatest governance': 458345, 'greatest governance challenge': 363279, 'governance challenge since': 359775, 'challenge since the': 171552, 'since the 2014': 770858, 'the 2014 isi': 848004, '2014 isi invasion': 13801, 'controll': 202222, 'should reveal': 766423, 'reveal the': 720251, 'action plan': 30110, 'plan against': 658046, 'against just': 37528, 'just amazed': 468178, 'amazed that': 50627, 'local executive': 497927, 'executive what': 289948, 'to controll': 903458, 'controll price': 202223, 'govt should reveal': 361282, 'should reveal the': 766424, 'reveal the action': 720252, 'the action plan': 848307, 'action plan against': 30111, 'plan against just': 658047, 'against just amazed': 37529, 'just amazed that': 468179, 'amazed that where': 50628, 'that where is': 847506, 'is the local': 452850, 'the local executive': 859545, 'local executive what': 497928, 'executive what are': 289949, 'are the measure': 90863, 'measure to controll': 525388, 'to controll price': 903459, 'eeriest': 268942, 'the eeriest': 854058, 'eeriest shit': 268943, 'seen friday': 747020, 'folsom on': 312979, 'one car': 606052, 'mile calockdown': 531376, 'calockdown coronacrisis': 156879, 'is the eeriest': 452782, 'the eeriest shit': 854059, 'eeriest shit ve': 268944, 'shit ve ever': 759283, 'ever seen friday': 285487, 'seen friday night': 747021, 'friday night in': 333262, 'night in folsom': 563015, 'in folsom on': 422960, 'folsom on my': 312980, 'store not one': 809110, 'not one car': 570760, 'one car on': 606053, 'car on the': 163195, 'the road in': 865930, 'road in mile': 724459, 'in mile calockdown': 425318, 'mile calockdown coronacrisis': 531377, 'staff security': 792834, 'are champion': 85223, 'praying for healthcare': 669116, 'healthcare professional journalist': 387236, 'store staff security': 810326, 'staff security official': 792835, 'security official and': 744692, 'public you are': 688504, 'you are champion': 1017085, 'are champion of': 85224, 'unanticipated': 939405, 'premium could': 669942, 'could rise': 209606, '40 due': 18569, 'the unanticipated': 870333, 'unanticipated cost': 939406, 'passing those': 643402, 'cost on': 208070, 'already pay': 47564, 'care let': 164046, 'let pas': 486963, 'pas medicare': 643123, 'and eliminate': 62006, 'eliminate premium': 271455, 'health insurance premium': 386549, 'insurance premium could': 440794, 'premium could rise': 669943, 'could rise up': 209609, 'rise up to': 723054, 'up to 40': 946337, 'to 40 due': 899712, '40 due to': 18570, 'to the unanticipated': 917153, 'the unanticipated cost': 870334, 'unanticipated cost of': 939407, '19 pandemic instead': 9367, 'pandemic instead of': 635740, 'instead of passing': 440299, 'of passing those': 587804, 'passing those cost': 643403, 'those cost on': 891892, 'cost on to': 208071, 'on to people': 604752, 'people who already': 650259, 'who already pay': 988053, 'already pay the': 47565, 'pay the highest': 645150, 'highest price for': 395845, 'price for health': 673975, 'health care let': 386239, 'care let pas': 164047, 'let pas medicare': 486964, 'pas medicare for': 643124, 'all and eliminate': 42011, 'and eliminate premium': 62008, 'supermarket fighting': 820312, 'paper coronavirus': 640055, 'crazy what': 215481, 're in supermarket': 698887, 'in supermarket fighting': 428596, 'supermarket fighting over': 820313, 'toilet paper coronavirus': 921242, 'paper coronavirus is': 640056, 'coronavirus is the': 206176, 'your worry it': 1026392, 'worry it crazy': 1010738, 'it crazy what': 457396, 'crazy what happening': 215482, 'these extraordinary': 879986, 'find ourselves': 307129, 'ourselves in': 625478, 'with however': 998895, 'however my': 409420, 'is 67': 445229, '67 and': 21458, 'your mature': 1024795, 'mature staff': 520709, 'understand why you': 940827, 'open during these': 612200, 'during these extraordinary': 263236, 'these extraordinary time': 879987, 'extraordinary time we': 293754, 'time we find': 898220, 'we find ourselves': 971562, 'find ourselves in': 307130, 'ourselves in with': 625479, 'in with however': 430943, 'with however my': 998896, 'however my dad': 409421, 'dad is 67': 224350, 'is 67 and': 445230, '67 and work': 21459, 'for you in': 328068, 'you in retail': 1019316, 'retail store what': 718726, 'to do for': 904509, 'do for your': 249320, 'for your mature': 328175, 'your mature staff': 1024796, '2020 be': 14168, 'like caronavirus': 489965, 'supermarket on saturday': 821733, 'saturday in april': 737031, 'in april 2020': 420463, 'april 2020 be': 83459, '2020 be like': 14169, 'be like caronavirus': 115730, 'pay 15': 644699, '15 99': 3660, '99 month': 23861, '4k service': 19473, 'service understand': 753020, 'quality now': 691823, 'internet health': 441953, 'and ok': 68030, 'pay 15 99': 644700, '15 99 month': 3661, '99 month for': 23862, 'month for 4k': 537726, 'for 4k service': 318856, '4k service understand': 19474, 'service understand that': 753021, 'understand that you': 940740, 'you are lowering': 1017167, 'are lowering the': 87946, 'lowering the quality': 506130, 'the quality now': 864951, 'quality now for': 691824, 'for the internet': 326508, 'the internet health': 858385, 'internet health and': 441954, 'health and ok': 386149, 'and ok with': 68031, 'ok with it': 597945, 'but you should': 147999, 'you should lower': 1021205, 'should lower the': 766203, 'for this month': 327049, 'like never': 490844, 'before excited': 122789, 'like never before': 490845, 'never before excited': 557912, 'before excited about': 122790, 'excited about toiletpaper': 289529, 'about toiletpaper toiletpaperemergency': 26755, 'after fueled': 35691, 'fueled wave': 340338, 'buying briefly': 150046, 'briefly left': 139763, 'left hong': 485500, 'kong supermarket': 477408, 'bare resident': 110943, 'local producer': 498298, 'producer for': 680624, 'city almost': 179040, 'almost entirely': 46613, 'entirely reliant': 278805, 'after fueled wave': 35692, 'fueled wave of': 340339, 'panic buying briefly': 637660, 'buying briefly left': 150047, 'briefly left hong': 139764, 'left hong kong': 485501, 'hong kong supermarket': 403209, 'kong supermarket shelf': 477409, 'shelf bare resident': 756868, 'bare resident are': 110944, 'resident are turning': 714253, 'turning to local': 935966, 'to local producer': 909382, 'local producer for': 498300, 'producer for fresh': 680625, 'for fresh food': 321757, 'food in city': 314930, 'in city almost': 421476, 'city almost entirely': 179041, 'almost entirely reliant': 46614, 'entirely reliant on': 278806, 'reliant on import': 709255, 'violently': 957568, 'overreact': 631413, 'fantastic horrifying': 298590, 'horrifying that': 404181, 've entered': 953079, 'socialdistancing where': 780870, 'in violently': 430592, 'violently overreact': 957569, 'overreact and': 631414, 'more damage': 538943, 'damage than': 225222, 'to man': 909782, 'man grocery': 512075, 'store cash': 806879, 'drive bus': 259000, 'bus good': 143046, 'going guy': 355190, 'fantastic horrifying that': 298591, 'horrifying that we': 404182, 'we ve entered': 973658, 've entered the': 953080, 'entered the stage': 278375, 'the stage of': 867712, 'stage of socialdistancing': 793207, 'of socialdistancing where': 589857, 'socialdistancing where the': 780871, 'the police in': 863924, 'police in violently': 663069, 'in violently overreact': 430593, 'violently overreact and': 957570, 'overreact and cause': 631415, 'cause more damage': 167659, 'more damage than': 538944, 'damage than good': 225223, 'good to people': 357893, 'have to leave': 383238, 'house to man': 406629, 'to man grocery': 909784, 'man grocery store': 512076, 'grocery store cash': 365271, 'store cash register': 806880, 'register or drive': 707596, 'or drive bus': 615071, 'drive bus good': 259001, 'bus good going': 143047, 'good going guy': 357131, 'trippled': 932310, 'trader have': 928687, 'doubled or': 256127, 'or trippled': 617539, 'trippled price': 932313, 'there anyone': 878030, 'taskforce of': 834744, '19 ug': 11609, 'ug responsible': 937960, 'just thinking these': 470048, 'thinking these trader': 886009, 'these trader have': 880877, 'trader have doubled': 928689, 'have doubled or': 380349, 'doubled or trippled': 256130, 'or trippled price': 617540, 'trippled price of': 932314, 'food stuff is': 316894, 'is there anyone': 452998, 'there anyone in': 878032, 'in the taskforce': 429592, 'the taskforce of': 869161, 'taskforce of covid': 834745, 'covid 19 ug': 213992, '19 ug responsible': 11610, 'ug responsible for': 937961, 'for the stability': 326702, 'stability of price': 791823, 'of price just': 588411, 'price just wondering': 674981, 'chrisingham': 178070, 'inghamfamily': 438315, 'pervert': 653304, 'sleepover': 773820, 'cocoonmaldives': 185302, 'is chrisingham': 446530, 'chrisingham of': 178071, 'the inghamfamily': 858265, 'inghamfamily looking': 438316, 'looking healthy': 502930, 'healthy upon': 387801, 'upon his': 947637, 'his return': 397762, 'uk sweating': 938788, 'sweating like': 830069, 'like pervert': 490986, 'pervert at': 653305, 'teenage sleepover': 836528, 'sleepover hope': 773821, 'didn contract': 241023, 'contract during': 201652, 'your stay': 1025935, 'in cocoonmaldives': 421534, 'cocoonmaldives and': 185303, 'all went': 45430, 'supermarket spreader': 822798, 'is chrisingham of': 446531, 'chrisingham of the': 178072, 'of the inghamfamily': 591146, 'the inghamfamily looking': 858266, 'inghamfamily looking healthy': 438317, 'looking healthy upon': 502931, 'healthy upon his': 387802, 'upon his return': 947638, 'his return to': 397763, 'the uk sweating': 870287, 'uk sweating like': 938789, 'sweating like pervert': 830070, 'like pervert at': 490987, 'pervert at teenage': 653306, 'at teenage sleepover': 100834, 'teenage sleepover hope': 836529, 'sleepover hope you': 773822, 'hope you didn': 403793, 'you didn contract': 1018205, 'didn contract during': 241024, 'contract during your': 201653, 'during your stay': 263436, 'your stay in': 1025936, 'stay in cocoonmaldives': 797042, 'in cocoonmaldives and': 421535, 'cocoonmaldives and of': 185304, 'course you all': 211966, 'you all went': 1016922, 'all went straight': 45431, 'the supermarket spreader': 868818, 'coronavirus is here': 206162, 'trumptariffs': 934168, 'trump revers': 933795, 'revers himself': 720512, 'himself after': 396789, 'killed how': 474594, 'now trumptariffs': 576227, 'trumptariffs magavirus': 934169, 'magavirus handsanitizer': 508329, 'trump revers himself': 933796, 'revers himself after': 720513, 'himself after three': 396790, 'week the lack': 976992, 'lack of hand': 478626, 'sanitizer ha killed': 735015, 'ha killed how': 371080, 'killed how many': 474595, 'many people now': 514522, 'people now trumptariffs': 648896, 'now trumptariffs magavirus': 576228, 'trumptariffs magavirus handsanitizer': 934170, 'still encouraged': 800485, 'risk via': 723992, 'buy essential is': 148576, 'essential is one': 281175, 're still encouraged': 699592, 'still encouraged to': 800486, 'encouraged to leave': 275667, 'house to do': 406626, 'to do here': 904517, 'do here how': 249396, 'to minimise your': 910156, 'minimise your risk': 533092, 'your risk via': 1025643, 'predictable': 669593, 'financial medium': 306516, 'medium talking': 527301, 'about giant': 25303, 'disney after': 246027, 'pandemic keep': 635854, 'fear you': 301436, 'your predictable': 1025371, 'predictable spending': 669594, 'reassess your': 703176, 'financial medium talking': 306517, 'medium talking about': 527302, 'talking about giant': 833967, 'about giant like': 25304, 'giant like disney': 349823, 'like disney after': 490123, 'disney after the': 246028, 'the pandemic keep': 863011, 'pandemic keep saying': 635856, 'keep saying the': 471907, 'saying the disruption': 739712, 'the disruption from': 853403, 'disruption from covid': 246476, '19 could lead': 6158, 'lead to change': 483329, 'behavior they fear': 124242, 'they fear you': 882097, 'fear you won': 301437, 'won go back': 1003822, 'to your predictable': 919016, 'your predictable spending': 1025372, 'predictable spending habit': 669595, 'habit after getting': 372542, 'after getting some': 35708, 'getting some time': 349298, 'to reassess your': 912885, 'reassess your priority': 703177, 'key staff': 473396, 'already working': 47765, 'on skeleton': 603493, 'skeleton rate': 772856, 'rate with': 697422, 'level already': 487498, 'your visit': 1026287, 'visit round': 959350, 'round to': 726371, 'neighbour really': 557234, 'really worth': 702719, 'worth causing': 1011347, 'causing that': 168113, 'key worker especially': 473481, 'worker especially the': 1006857, 'especially the worker': 280632, 'postal worker and': 666463, 'other key staff': 620460, 'key staff are': 473397, 'staff are already': 792175, 'are already working': 84433, 'already working on': 47766, 'working on skeleton': 1008819, 'on skeleton rate': 603494, 'skeleton rate with': 772857, 'rate with stress': 697423, 'with stress and': 1001011, 'stress and anxiety': 813297, 'and anxiety level': 58202, 'anxiety level already': 78743, 'level already high': 487499, 'already high is': 47442, 'high is your': 395144, 'is your visit': 454172, 'your visit round': 1026289, 'visit round to': 959351, 'round to your': 726372, 'your neighbour really': 1024978, 'neighbour really worth': 557235, 'really worth causing': 702720, 'worth causing that': 1011348, 'revenue could': 720396, 'could decline': 209073, 'decline 38': 231292, '38 67': 18126, 'billion oil': 130875, 'plummet while': 661313, 'slash demand': 773561, 'arabia oil revenue': 83910, 'oil revenue could': 597394, 'revenue could decline': 720397, 'could decline 38': 209074, 'decline 38 67': 231293, '38 67 billion': 18127, '67 billion oil': 21462, 'billion oil price': 130876, 'price plummet while': 675909, 'plummet while the': 661314, 'while the slash': 987417, 'the slash demand': 867319, 'stock anything': 801841, 'not stock grocery': 571731, 'stock grocery there': 802211, 'cannot afford high': 161601, 'cannot stock anything': 162129, 'stock anything humble': 801842, 'next get': 561381, 'get agro': 346508, 'agro at': 39059, 'just rt': 469653, 'when you next': 984584, 'you next get': 1020092, 'next get agro': 561382, 'get agro at': 346509, 'agro at supermarket': 39060, 'at supermarket just': 100739, 'supermarket just rt': 821228, 'just rt and': 469654, 'rt and chill': 726737, 'claim russia': 179805, 'arabia agree': 83849, 'agree deal': 38603, 'deal it': 229433, 'price surge after': 676719, 'surge after trump': 828117, 'after trump claim': 36452, 'trump claim russia': 933481, 'claim russia and': 179806, 'saudi arabia agree': 737182, 'arabia agree deal': 83850, 'agree deal it': 38604, 'deal it happened': 229434, 'now suffering': 575933, 'from social': 337329, 'mother told': 543185, 'really badly': 702006, 'badly every': 108152, 'parent are now': 641585, 'are now suffering': 88600, 'now suffering from': 575934, 'suffering from social': 817313, 'from social anxiety': 337330, 'anxiety my mother': 78755, 'my mother told': 549342, 'mother told me': 543186, 'thing she wa': 884736, 'she wa so': 756429, 'wa so scared': 963265, 'feel really badly': 302817, 'really badly every': 702007, 'badly every person': 108153, 'virus itself to': 958426, 'itself to her': 463960, 'leanintothegood': 483909, 'indiebrand': 435067, 'lpol': 506333, 'notforeverjustfornow': 572889, 'update see': 947200, 'side folk': 768812, 'meantime please': 524927, 'support independent': 826591, 'independent if': 434116, 'usual at': 950888, 'at leanintothegood': 99432, 'leanintothegood indiebrand': 483910, 'indiebrand lpol': 435068, 'lpol staypositive': 506334, 'staypositive notforeverjustfornow': 798766, '19 update see': 11683, 'update see you': 947201, 'see you on': 746110, 'other side folk': 620914, 'side folk in': 768813, 'folk in the': 312197, 'the meantime please': 860361, 'meantime please support': 524928, 'please support independent': 660613, 'support independent if': 826592, 'independent if you': 434117, 'few week it': 304151, 'business usual at': 144598, 'usual at leanintothegood': 950889, 'at leanintothegood indiebrand': 99433, 'leanintothegood indiebrand lpol': 483911, 'indiebrand lpol staypositive': 435069, 'lpol staypositive notforeverjustfornow': 506335, 'tahoe': 831803, 'rental occupancy': 711248, 'occupancy in': 578985, 'north lake': 567665, 'lake tahoe': 479068, 'tahoe ha': 831804, 'decreased vacation': 231648, 'vacation rental': 951588, 'rental owner': 711252, 'owner comply': 632430, 'with statewide': 1000948, 'statewide order': 796273, 'help control': 389537, 'term rental occupancy': 838264, 'rental occupancy in': 711249, 'occupancy in north': 578986, 'in north lake': 425944, 'north lake tahoe': 567666, 'lake tahoe ha': 479069, 'tahoe ha decreased': 831805, 'ha decreased vacation': 370336, 'decreased vacation rental': 231649, 'vacation rental owner': 951590, 'rental owner comply': 711253, 'owner comply with': 632431, 'comply with statewide': 192539, 'with statewide order': 1000949, 'statewide order to': 796274, 'to help control': 907482, 'help control the': 389538, 'yup at': 1027113, 'together database': 920760, 'active it': 30273, 'hard out': 377986, 'here man': 393331, 'man new': 512163, 'yup at work': 1027114, 'at work we': 101627, 'work we ve': 1005981, 've been putting': 952920, 'been putting together': 121757, 'putting together database': 691267, 'together database of': 920761, 'database of all': 226521, 'all the pantry': 44857, 'the pantry across': 863250, 'across the city': 29488, 'the city that': 850960, 'city that are': 179396, 'still active it': 800163, 'active it hard': 30274, 'it hard out': 458489, 'hard out here': 377987, 'out here man': 626287, 'here man new': 393332, 'man new york': 512164, 'dinning': 243123, 'yourself needing': 1026667, 'needing work': 556640, 'work food': 1005133, 'driver seems': 259743, 'demand considering': 235158, 'state banning': 795416, 'banning dinning': 110622, 'dinning out': 243124, 'out coronapocolypse': 625894, 'find yourself needing': 307417, 'yourself needing work': 1026668, 'needing work food': 556641, 'work food delivery': 1005134, 'delivery driver seems': 233937, 'driver seems like': 259744, 'seems like it': 746812, 'be in high': 115408, 'high demand considering': 395000, 'demand considering all': 235159, 'all the state': 44921, 'the state banning': 867752, 'state banning dinning': 795417, 'banning dinning out': 110623, 'dinning out coronapocolypse': 243125, 'out coronapocolypse stayhome': 625895, '3min': 18350, 'interpreting': 442094, 'raced': 695212, 'one colleague': 606071, 'over 3min': 629842, '3min tv': 18351, 'like world': 491842, 'ii effort': 415974, 'effort required': 269573, 'required ect': 713363, 'ect ect': 268421, 'ect then': 268427, 'vt cut': 960771, 'that resulted': 846031, 'colleague interpreting': 186220, 'interpreting it': 442095, 'ration raced': 697717, 'raced to': 695213, 'some well one': 784203, 'well one colleague': 978439, 'one colleague interpreted': 606073, 'news about panic': 560183, 'buying over 3min': 150855, 'over 3min tv': 629843, '3min tv news': 18352, 'tv news report': 936148, 'news report she': 560751, 'wa like world': 962552, 'like world war': 491843, 'war ii effort': 966465, 'ii effort required': 415975, 'effort required ect': 269574, 'required ect ect': 713364, 'ect ect then': 268422, 'ect then vt': 268428, 'then vt cut': 877712, 'vt cut to': 960772, 'cut to panic': 223607, 'buying that resulted': 151157, 'that resulted in': 846032, 'resulted in my': 717680, 'in my colleague': 425554, 'my colleague interpreting': 547734, 'colleague interpreting it': 186221, 'interpreting it wwii': 442096, 'food ration raced': 316119, 'ration raced to': 697718, 'raced to shop': 695214, 'again these': 37219, 'these politician': 880502, 'politician need': 663724, 'themselves that': 876897, 'practicing self': 668737, 'distancing not': 247359, 'are elected': 86107, 'elected to': 271008, 'hard decision': 377900, 'decision that': 231091, 'that obviously': 845436, 'making themselves': 511448, 'again these politician': 37220, 'these politician need': 880503, 'politician need to': 663725, 'come to retail': 187592, 'to retail store': 913452, 'to see for': 914009, 'see for themselves': 745130, 'for themselves that': 326946, 'themselves that people': 876898, 'are not practicing': 88439, 'not practicing self': 571070, 'practicing self quarantine': 668738, 'social distancing not': 779671, 'distancing not even': 247360, 'not even close': 569240, 'even close they': 283957, 'they are elected': 881260, 'are elected to': 86108, 'elected to make': 271009, 'make the hard': 510570, 'the hard decision': 857102, 'hard decision that': 377901, 'decision that obviously': 231092, 'that obviously people': 845437, 'obviously people are': 578847, 'not making themselves': 570521, 'sandiego': 733697, 'in sandiego': 427687, 'sandiego california': 733700, 'california on': 155551, 'socialdistancing wa': 780847, 'bit tricky': 131726, 'that crowded': 843405, 'store ample': 806183, 'ample food': 54882, 'food stayhome': 316759, 'stayathome update': 797690, 'update photo': 947166, 'sign of early': 769161, 'of early morning': 582911, 'shopping in sandiego': 762987, 'in sandiego california': 427688, 'sandiego california on': 733701, 'california on 25': 155552, 'march 2020 socialdistancing': 515163, '2020 socialdistancing wa': 14607, 'socialdistancing wa bit': 780848, 'wa bit tricky': 961710, 'bit tricky and': 131727, 'tricky and it': 931745, 'it wasn even': 462256, 'wasn even that': 967972, 'even that crowded': 284642, 'that crowded in': 843406, 'crowded in the': 219322, 'the store ample': 867977, 'store ample food': 806184, 'ample food stayhome': 54883, 'food stayhome stayathome': 316760, 'stayhome stayathome update': 798139, 'stayathome update photo': 797691, 'update photo by': 947167, 'onlinedelivery': 609806, 'just managed': 469224, 'with sainsburys': 1000551, 'sainsburys do': 731756, 'panic booked': 637408, 'slot like': 774231, 'like panic': 490962, 'perhaps with': 651671, 'cancel later': 160857, 'later keep': 481088, 'keep looking': 471633, 'looking onlinedelivery': 502981, 'onlinedelivery 19': 609807, 'vulnerable grocery': 960978, 'just managed to': 469225, 'managed to book': 512493, 'to book delivery': 901890, 'book delivery with': 134507, 'delivery with sainsburys': 234753, 'with sainsburys do': 1000552, 'sainsburys do wonder': 731757, 'do wonder whether': 250591, 'wonder whether people': 1004032, 'whether people had': 985551, 'had panic booked': 373384, 'panic booked delivery': 637409, 'booked delivery slot': 134663, 'delivery slot like': 234532, 'slot like panic': 774232, 'like panic buying': 490963, 'buying food perhaps': 150326, 'food perhaps with': 315844, 'perhaps with multiple': 651672, 'with multiple shop': 999600, 'multiple shop only': 545789, 'shop only to': 760600, 'only to cancel': 611356, 'to cancel later': 902427, 'cancel later keep': 160858, 'later keep looking': 481089, 'keep looking onlinedelivery': 471634, 'looking onlinedelivery 19': 502982, 'onlinedelivery 19 supermarket': 609808, '19 supermarket vulnerable': 10961, 'supermarket vulnerable grocery': 823681, 'vulnerable grocery food': 960979, 'please halt': 660048, 'halt construction': 374428, 'ny live': 577889, 'is ton': 453274, 'please halt construction': 660049, 'halt construction in': 374429, 'construction in ny': 195800, 'in ny live': 426004, 'ny live in': 577890, 'there is ton': 878644, 'is ton of': 453275, 'ton of construction': 924266, 'on and don': 599350, 'and don feel': 61632, 'don feel safe': 253510, 'walking around 19': 965019, 'webster': 975519, 'new fastest': 558723, 'fastest grocery': 300144, 'east we': 265351, 'incredibly proud': 433918, 'our 2014': 621983, '2014 champion': 13792, 'champion josh': 171677, 'josh webster': 467348, 'webster ha': 975520, 'meet the new': 527606, 'the new fastest': 861503, 'new fastest grocery': 558724, 'fastest grocery delivery': 300145, 'grocery delivery driver': 364440, 'driver in the': 259616, 'in the east': 429157, 'the east we': 853847, 'east we are': 265352, 'we are incredibly': 970597, 'are incredibly proud': 87510, 'incredibly proud to': 433919, 'proud to see': 686061, 'see that our': 745793, 'that our 2014': 845569, 'our 2014 champion': 621984, '2014 champion josh': 13793, 'champion josh webster': 171678, 'josh webster ha': 467349, 'webster ha stepped': 975521, 'to help his': 907538, 'help his community': 389864, 'his community during': 397302, 'community during these': 189827, 'march or': 515425, 'or april': 614400, 'the harrow': 857127, 'harrow area': 378526, 'area ocado': 92125, 'uk and have': 938172, 'slot available at': 774131, 'all for march': 42839, 'for march or': 323249, 'march or april': 515426, 'or april in': 614401, 'april in the': 83620, 'in the harrow': 429257, 'the harrow area': 857128, 'harrow area ocado': 378527, 'area ocado morrison': 92126, 'out enforcing': 626012, 'enforcing the': 276836, 'queue people': 694042, 'beautiful landscape': 118695, 'are out enforcing': 88882, 'out enforcing the': 626013, 'enforcing the legislation': 276838, 'the legislation that': 859283, 'legislation that ha': 485988, 'been put in': 121752, 'huge supermarket queue': 410222, 'supermarket queue people': 822128, 'queue people in': 694043, 'people in park': 648413, 'our beautiful landscape': 622172, 'beautiful landscape is': 118696, 'landscape is unnecessary': 479407, 'unnecessary we will': 942962, 'gob': 354599, 'the vermin': 870693, 'vermin clearing': 954837, 'selfish tw': 748299, 'tw don': 936239, 'daughter need': 226890, 'need formula': 554880, 'formula nappy': 329712, 'nappy think': 551889, 'you gob': 1018873, 'gob sh': 354600, 'sh te': 754300, 'the vermin clearing': 870694, 'vermin clearing supermarket': 954838, 'shelf are selfish': 756825, 'are selfish tw': 89941, 'selfish tw don': 748300, 'tw don care': 936240, 'care about myself': 163795, 'about myself but': 25775, 'myself but do': 550840, 'but do care': 145557, 'do care for': 249181, 'care for my': 163949, 'for my two': 323756, 'my two year': 550453, 'old daughter need': 598215, 'daughter need formula': 226891, 'need formula nappy': 554881, 'formula nappy think': 329713, 'nappy think of': 551890, 'others you gob': 621812, 'you gob sh': 1018874, 'gob sh te': 354601, 'government immediately': 360203, 'immediately pas': 417132, 'pas relief': 643143, 'package now': 633335, 'provides emergency': 686842, 'emergency funding': 272727, 'funding assistance': 341584, 'cover expense': 212220, 'expense to': 291211, 'to massively': 909887, 'massively test': 520188, 'all homeless': 43140, 'we demand the': 971272, 'demand the federal': 236349, 'federal government immediately': 301994, 'government immediately pas': 360204, 'immediately pas relief': 417133, 'pas relief package': 643144, 'relief package now': 709424, 'package now that': 633336, 'now that provides': 576014, 'that provides emergency': 845892, 'provides emergency funding': 686843, 'emergency funding assistance': 272728, 'funding assistance to': 341585, 'to all state': 900285, 'state to cover': 796013, 'to cover expense': 903651, 'cover expense to': 212221, 'expense to massively': 291212, 'to massively test': 909888, 'massively test the': 520189, 'test the population': 839201, 'the population in': 864026, 'the million and': 860622, 'million and provide': 532067, 'and provide emergency': 69691, 'and shelter to': 71458, 'shelter to all': 757954, 'to all homeless': 900254, 'all homeless and': 43141, 'homeless and poor': 402728, 'supply stay': 825895, 'scared what': 741040, 'kong that': 477410, 'me seriously': 523437, 'people should stock': 649451, 'and supply stay': 72815, 'supply stay at': 825896, 'home so scared': 402086, 'so scared what': 778155, 'scared what is': 741041, 'happening in hong': 377362, 'hong kong that': 403210, 'kong that really': 477412, 'that really scared': 845965, 'scared me seriously': 740981, 'me seriously feel': 523438, 'the world corona': 871846, 'world corona virus': 1009450, 'update 21st': 946835, '21st march': 15144, '2020 55pm': 14117, 'open maintaining': 612368, '19 update 21st': 11652, 'update 21st march': 946836, '21st march 2020': 15145, 'march 2020 55pm': 515145, '2020 55pm deepdale': 14118, 'is open maintaining': 450572, 'open maintaining good': 612369, 'our countryman': 622609, 'of our countryman': 587443, 'our countryman and': 622610, 'countryman and company': 211294, 'focus on sanitizer': 311894, 'on sanitizer production': 603291, 'any anxious': 78933, 'anxious folk': 78854, 'more helpful': 539404, 'helpful than': 391226, 'than rant': 841070, 'rant or': 696849, 'or picture': 616616, 'sharing worry': 755629, 'worry coronacrisis': 1010689, 'reminder for any': 710552, 'for any anxious': 319394, 'any anxious folk': 78934, 'anxious folk out': 78855, 'folk out there': 312231, 'there and much': 878006, 'much more helpful': 545109, 'more helpful than': 539406, 'helpful than rant': 391227, 'than rant or': 841071, 'rant or picture': 696850, 'or picture of': 616617, 'shelf thanks for': 757635, 'for sharing worry': 325535, 'sharing worry coronacrisis': 755630, 'navigating grocery': 553121, 'least 6ft': 484373, '6ft from': 21606, 'fucking challenge': 339826, 'else give': 271704, 'navigating grocery store': 553122, 'at least 6ft': 99456, 'least 6ft from': 484374, '6ft from everyone': 21607, 'from everyone is': 335337, 'everyone is fucking': 287077, 'is fucking challenge': 447958, 'fucking challenge when': 339827, 'challenge when no': 171596, 'one else give': 606232, 'else give shit': 271705, 'toronto much': 925970, 'slightly over': 773969, 'over ask': 630004, 'ask and': 95483, 'holding steady': 400163, 'steady part': 799134, 'selling whatsoever': 749534, 'whatsoever new': 982921, 'listing dried': 494840, 'suspect month': 829475, 'inventory is': 443682, 'low take': 505653, 'in toronto much': 430210, 'toronto much fewer': 925971, 'much fewer sale': 544888, 'selling slightly over': 749445, 'slightly over ask': 773970, 'over ask and': 630005, 'ask and price': 95485, 'are holding steady': 87222, 'holding steady part': 400164, 'steady part of': 799135, 'reason is there': 702946, 'is there is': 453015, 'panic selling whatsoever': 638527, 'selling whatsoever new': 749535, 'whatsoever new listing': 982922, 'new listing dried': 559043, 'listing dried up': 494841, 'up suspect month': 946110, 'suspect month of': 829476, 'month of inventory': 537899, 'of inventory is': 585277, 'inventory is low': 443683, 'is low take': 449478, 'low take the': 505654, 'take the home': 832654, 'the home below': 857443, 'stocked my': 803354, 'today lot': 919840, 'milk still': 531832, 'today though': 920342, 'though panicbuyinguk': 892870, 'panicbuyinguk lockdownuk': 639136, 'pleasantly surprised how': 659624, 'surprised how well': 828582, 'how well stocked': 409207, 'well stocked my': 978600, 'stocked my local': 803355, 'supermarket is today': 821131, 'is today lot': 453260, 'today lot of': 919841, 'veg bread and': 953731, 'and milk still': 67018, 'milk still too': 531833, 'people out and': 649017, 'and about today': 57556, 'about today though': 26744, 'today though panicbuyinguk': 920343, 'though panicbuyinguk lockdownuk': 892871, 'own reusable': 632166, 'bag or': 108379, 'store plastic': 809577, 'bag poll': 108387, 'poll shopping': 663857, 'shopping climatechange': 762370, 'climatechange ecofriendly': 182239, 'ecofriendly mondaythoughts': 266670, 'during when grocery': 263407, 'grocery shopping do': 365015, 'shopping do you': 762496, 'do you use': 250693, 'use your own': 949843, 'your own reusable': 1025156, 'own reusable bag': 632167, 'reusable bag or': 720147, 'bag or store': 108380, 'or store plastic': 617246, 'store plastic bag': 809578, 'plastic bag poll': 658808, 'bag poll shopping': 108388, 'poll shopping climatechange': 663858, 'shopping climatechange ecofriendly': 762371, 'climatechange ecofriendly mondaythoughts': 182240, 'exigency': 290215, 'tragic given': 929192, 'that india': 844502, 'ha large': 371095, 'large buffer': 479609, 'grain precisely': 361788, 'precisely for': 669512, 'for exigency': 321313, 'exigency like': 290216, 'pandemic gandhi': 635486, 'gandhi said': 343377, 'said hw': 731127, 'hw english': 411881, 'this is tragic': 888435, 'is tragic given': 453327, 'tragic given that': 929193, 'given that india': 351122, 'that india ha': 844503, 'india ha large': 434444, 'ha large buffer': 371096, 'large buffer stock': 479610, 'food grain precisely': 314710, 'grain precisely for': 361789, 'precisely for exigency': 669513, 'for exigency like': 321314, 'exigency like the': 290217, 'current pandemic gandhi': 221292, 'pandemic gandhi said': 635487, 'gandhi said hw': 343378, 'said hw english': 731128, 'trapping': 930120, 'hard hitting': 377941, 'hitting journalism': 398573, 'journalism here': 467410, 'here payday': 393445, 'lender ignoring': 486232, 'ignoring health': 415910, 'health law': 386602, 'law usually': 482437, 'usually they': 951163, 'just ignore': 469009, 'ignore consumer': 415821, 'law these': 482417, 'these corp': 879807, 'corp destroy': 207191, 'destroy live': 239016, 'live trapping': 496081, 'trapping people': 930121, 'debt cycle': 230464, 'cycle but': 224040, 'ignoring covid': 415902, '19 law': 8280, 'law also': 482203, 'also via': 49066, 'hard hitting journalism': 377942, 'hitting journalism here': 398574, 'journalism here payday': 467411, 'here payday lender': 393446, 'payday lender ignoring': 645330, 'lender ignoring health': 486233, 'ignoring health law': 415911, 'health law usually': 386603, 'law usually they': 482438, 'usually they just': 951164, 'they just ignore': 882499, 'just ignore consumer': 469010, 'ignore consumer law': 415822, 'consumer law these': 198008, 'law these corp': 482418, 'these corp destroy': 879808, 'corp destroy live': 207192, 'destroy live trapping': 239017, 'live trapping people': 496082, 'trapping people in': 930122, 'people in debt': 648365, 'in debt cycle': 422050, 'debt cycle but': 230465, 'cycle but now': 224041, 'but now they': 146617, 'they re ignoring': 883056, 're ignoring covid': 698854, 'ignoring covid 19': 415903, 'covid 19 law': 213337, '19 law also': 8281, 'law also via': 482204, 'unemploymentbenefits': 941319, 'getyourmoney': 349485, 'tourhomes': 926951, 'risinggunsales': 723329, 'to south': 914945, 'florida consumer': 310913, 'advocacy crazy': 33799, 'crazy lineup': 215349, 'lineup special': 493673, 'special expert': 787918, 'show unemploymentbenefits': 767247, 'unemploymentbenefits getyourmoney': 941320, 'getyourmoney renting': 349486, 'renting tourhomes': 711326, 'tourhomes socialdistancing': 926952, 'socialdistancing risinggunsales': 780648, 'welcome to south': 977907, 'to south florida': 914946, 'south florida consumer': 786722, 'florida consumer advocacy': 310914, 'consumer advocacy crazy': 196058, 'advocacy crazy lineup': 33800, 'crazy lineup special': 215350, 'lineup special thanks': 493674, 'to our special': 911243, 'our special expert': 624860, 'special expert on': 787919, 'expert on today': 291902, 'on today show': 604779, 'today show unemploymentbenefits': 920183, 'show unemploymentbenefits getyourmoney': 767248, 'unemploymentbenefits getyourmoney renting': 941321, 'getyourmoney renting tourhomes': 349487, 'renting tourhomes socialdistancing': 711327, 'tourhomes socialdistancing risinggunsales': 926953, 'notice regarding': 573342, 'important notice regarding': 418904, 'notice regarding temporary': 573343, 'support and understanding': 826370, 'presently': 670678, 'poultry supply': 667346, 'chain worldwide': 171269, 'worldwide presently': 1010410, 'presently it': 670681, 'affect supply': 34229, 'of breeder': 580865, 'breeder stock': 139279, 'affect movement': 34185, 'of chick': 581326, 'chick bird': 175714, 'bird and': 131322, 'decline on': 231384, 'investment this': 444070, 'industrial growth': 435546, '19 outbreak could': 9110, 'outbreak could affect': 628144, 'could affect the': 208799, 'affect the poultry': 34248, 'the poultry supply': 864142, 'poultry supply chain': 667347, 'supply chain worldwide': 825072, 'chain worldwide presently': 171270, 'worldwide presently it': 1010411, 'presently it affect': 670682, 'it affect supply': 456288, 'affect supply of': 34231, 'supply of breeder': 825614, 'of breeder stock': 580866, 'breeder stock in': 139280, 'stock in nigeria': 802267, 'nigeria it affect': 562759, 'it affect movement': 456286, 'affect movement of': 34186, 'movement of chick': 543896, 'of chick bird': 581327, 'chick bird and': 175715, 'bird and feed': 131323, 'and feed and': 62767, 'feed and decline': 302277, 'and decline on': 61020, 'decline on investment': 231385, 'on investment this': 601614, 'investment this would': 444071, 'invariably affect food': 443595, 'affect food safety': 34146, 'safety and industrial': 730454, 'and industrial growth': 65173, 'hashtags': 378711, 'wecansupply': 975531, 'vikanleverera': 957283, 'svenska': 829877, 'leveranser': 487813, 'new hashtags': 558861, 'hashtags to': 378712, 'hero around': 393943, 'world fighting': 1009550, 'fighting join': 305095, 'new wecansupply': 559872, 'wecansupply if': 975532, 'at 2019': 97514, '2019 price': 13999, 'price vikanleverera': 677315, 'vikanleverera svenska': 957284, 'svenska leveranser': 829878, 'hope this may': 403722, 'be the birth': 117598, 'birth of two': 131405, 'of two new': 592542, 'two new hashtags': 937075, 'new hashtags to': 558862, 'hashtags to support': 378713, 'support our healthcare': 826733, 'our healthcare hero': 623386, 'healthcare hero around': 387137, 'hero around the': 393944, 'the world fighting': 871870, 'world fighting join': 1009551, 'fighting join the': 305096, 'join the new': 466862, 'the new wecansupply': 861582, 'new wecansupply if': 559873, 'wecansupply if you': 975533, 'you can supply': 1017802, 'can supply for': 159854, 'free or at': 332034, 'or at 2019': 614440, 'at 2019 price': 97515, '2019 price vikanleverera': 14000, 'price vikanleverera svenska': 677316, 'vikanleverera svenska leveranser': 957285, 'much if': 544999, 'doesn keep': 251856, 'checkout surface': 175020, 'mask doesn do': 518585, 'doesn do much': 251756, 'do much if': 249618, 'much if people': 545000, 'if people don': 414617, 'people don wear': 647714, 'don wear glove': 254064, 'glove and the': 352582, 'store doesn keep': 807347, 'doesn keep the': 251857, 'keep the self': 472069, 'the self checkout': 866651, 'self checkout surface': 747583, 'checkout surface clean': 175021, 'excellent piece': 289103, 'by look': 153092, 'change behaviour': 171950, 'excellent piece by': 289104, 'piece by look': 656283, 'by look at': 153093, 'pandemic could change': 635242, 'could change behaviour': 209008, 'change behaviour for': 171951, 'behaviour for good': 124420, 'for good they': 321945, 'good they turn': 357838, 'frontline fighting': 338742, 'staff paramedic': 792738, 'paramedic fireman': 641383, 'fireman police': 308249, 'the frontline fighting': 855869, 'frontline fighting covid': 338743, 'thank you they': 841828, 'medical staff paramedic': 526401, 'staff paramedic fireman': 792739, 'paramedic fireman police': 641384, 'fireman police officer': 308250, 'officer supermarket employee': 595723, 'so on they': 777945, 'on they are': 604579, 'gigi': 350091, 'improve social': 419537, 'how protect': 408536, 'at gigi': 98759, '19 update have': 11665, 'update have decided': 947016, 'have decided not': 380195, 'appointment to improve': 82695, 'to improve social': 908205, 'improve social distancing': 419538, 'distancing read on': 247414, 'about how protect': 25463, 'how protect my': 408537, 'protect my online': 684871, 'my online purchase': 549581, 'online purchase at': 608818, 'purchase at gigi': 689366, 'flush this': 311559, 'stuff down': 815049, 'toilet but': 921136, 'but great': 145823, 'to stretch': 915669, 'stretch out': 813566, 'towel supply': 927379, 'supply toiletpaper': 826042, 'papertowels coronaoutbreak': 641169, 'not flush this': 569455, 'flush this stuff': 311560, 'this stuff down': 890391, 'stuff down the': 815050, 'the toilet but': 869707, 'toilet but great': 921137, 'but great way': 145824, 'way to stretch': 970107, 'to stretch out': 915670, 'stretch out your': 813567, 'out your paper': 627914, 'your paper towel': 1025196, 'paper towel supply': 641012, 'towel supply toiletpaper': 927380, 'supply toiletpaper papertowels': 826043, 'toiletpaper papertowels coronaoutbreak': 922325, 'volunteer fall': 960254, 'ill after': 416096, 'after drinking': 35585, 'drinking cow': 258921, 'urine bjp': 948468, 'bjp leader': 132006, 'leader arrested': 483431, 'hosting cow': 404952, 'urine party': 948474, 'party against': 642966, 'volunteer fall ill': 960255, 'fall ill after': 296933, 'ill after drinking': 416097, 'after drinking cow': 35586, 'drinking cow urine': 258922, 'cow urine bjp': 214465, 'urine bjp leader': 948469, 'bjp leader arrested': 132007, 'leader arrested for': 483432, 'arrested for hosting': 93843, 'for hosting cow': 322375, 'hosting cow urine': 404953, 'cow urine party': 214468, 'urine party against': 948475, 'intubated': 443536, 'sedative': 744835, 'to sedate': 913976, 'sedate people': 744828, 'be intubated': 115536, 'intubated because': 443537, 'one dose': 606211, 'the sedative': 866630, 'sedative rose': 744836, 'than sad': 841106, 'now we may': 576346, 'we may not': 972353, 'able to sedate': 24540, 'to sedate people': 913977, 'sedate people who': 744829, 'to be intubated': 901341, 'be intubated because': 115537, 'intubated because price': 443538, 'because price for': 119500, 'price for one': 674016, 'for one dose': 324080, 'one dose of': 606212, 'dose of the': 255931, 'of the sedative': 591447, 'the sedative rose': 866631, 'sedative rose from': 744837, 'rose from to': 726068, 'to 20 this': 899584, '20 this is': 13379, 'more than sad': 540669, 'than sad it': 841107, 'sad it disgusting': 729185, 'picture like': 656152, 'be blown': 113878, 'blown up': 133405, 'front window': 338684, 'checkout of': 174963, 'supermarket nationwide': 821569, 'nationwide do': 552726, 'picture like this': 656153, 'like this should': 491525, 'should be blown': 765570, 'be blown up': 113879, 'blown up and': 133406, 'up and put': 944363, 'the front window': 855856, 'front window and': 338685, 'window and door': 995663, 'and door and': 61679, 'door and shelf': 255511, 'and shelf and': 71443, 'shelf and at': 756719, 'the checkout of': 850770, 'checkout of every': 174964, 'every supermarket nationwide': 286259, 'supermarket nationwide do': 821570, 'nationwide do it': 552727, 'it now panicbuying': 459960, 'quarantined due': 692843, 'coronavirus dr': 205845, 'dr amy': 257950, 'amy edward': 54990, 'edward explains': 268917, 'prepare not': 670114, 'panic start': 638617, 'sure adequate': 827481, 'medication are': 526630, 'home should': 402065, 'should two': 766610, 'stay be': 796790, 'be necessary': 116055, 'be quarantined due': 116658, 'quarantined due to': 692844, '19 coronavirus dr': 6099, 'coronavirus dr amy': 205846, 'dr amy edward': 257951, 'amy edward explains': 54991, 'edward explains the': 268918, 'explains the answer': 292228, 'answer is to': 78065, 'is to prepare': 453233, 'to prepare not': 912007, 'prepare not panic': 670115, 'not panic start': 570935, 'panic start by': 638618, 'start by making': 794242, 'making sure adequate': 511373, 'sure adequate food': 827482, 'adequate food and': 32163, 'and medication are': 66892, 'medication are at': 526631, 'at home should': 99107, 'home should two': 402066, 'should two week': 766611, 'two week stay': 937363, 'week stay be': 976915, 'stay be necessary': 796791, 'here simple': 393561, 'simple way': 770133, 'walk stayathomechallenge': 964873, 'stayathomechallenge shelterinplace': 797748, 'here simple way': 393562, 'simple way to': 770134, 'to make yourself': 909769, 'make yourself mask': 510778, 'yourself mask for': 1026665, 'mask for just': 518683, 'for just going': 322792, 'store or taking': 809374, 'or taking walk': 617332, 'taking walk stayathomechallenge': 833665, 'walk stayathomechallenge shelterinplace': 964874, 'like had': 490358, 'dropped into': 260581, 'sweep didn': 830119, 'didn complete': 241018, 'inflatable banana': 436975, 'banana though': 109318, 'though coronacrisis': 892791, 'to tesco today': 916387, 'tesco today felt': 838840, 'felt like had': 303408, 'like had been': 490359, 'had been dropped': 372891, 'been dropped into': 121046, 'dropped into an': 260582, 'into an episode': 442393, 'supermarket sweep didn': 823090, 'sweep didn complete': 830120, 'didn complete the': 241019, 'list for toilet': 494330, 'sanitizer did manage': 734744, 'manage to grab': 512464, 'grab an inflatable': 361458, 'an inflatable banana': 56309, 'inflatable banana though': 436976, 'banana though coronacrisis': 109319, 'hitesh': 398539, 'palta': 634640, 'owner hitesh': 632466, 'hitesh palta': 398540, 'palta for': 634641, 'elderly first': 270674, 'schedule during': 741431, 'crisis kindness': 217637, 'congratulation to supermarket': 194450, 'supermarket owner hitesh': 821875, 'owner hitesh palta': 632467, 'hitesh palta for': 398541, 'palta for taking': 634642, 'for taking the': 326147, 'the lead on': 859221, 'lead on putting': 483300, 'on putting our': 603032, 'putting our elderly': 691188, 'our elderly first': 622865, 'elderly first and': 270675, 'first and giving': 308500, 'and giving them': 63686, 'giving them priority': 351424, 'them priority shopping': 876182, 'priority shopping schedule': 678645, 'shopping schedule during': 763816, 'schedule during the': 741432, 'the crisis kindness': 852398, 'acronym': 29210, 'else starting': 271894, 'anxiety gsa': 78712, 'gsa always': 367535, 'always happy': 49601, 'of mental': 586435, 'health acronym': 386097, 'acronym what': 29211, 'so is anyone': 777438, 'anyone else starting': 80293, 'else starting to': 271895, 'store anxiety gsa': 806424, 'anxiety gsa always': 78713, 'gsa always happy': 367536, 'always happy to': 49602, 'list of mental': 494455, 'of mental health': 586436, 'mental health acronym': 528635, 'health acronym what': 386098, 'acronym what else': 29212, 'what else have': 981409, 'else have got': 271722, 'record electricity': 704960, 'electricity use': 271220, 'use expected': 949200, 'expected this': 290957, 'summer amid': 817951, 'rising temp': 723296, 'temp and': 837315, 'say ercot': 738612, 'record electricity use': 704961, 'electricity use expected': 271221, 'use expected this': 949201, 'expected this summer': 290958, 'this summer amid': 890417, 'summer amid rising': 817952, 'amid rising temp': 52630, 'rising temp and': 723297, 'temp and covid': 837316, 'pandemic say ercot': 636394, 'friend contracted': 333561, 'tuesday keep': 935161, 'fine stop': 307690, 'my friend contracted': 548426, 'friend contracted the': 333562, 'contracted the virus': 201751, 'virus on tuesday': 958553, 'on tuesday keep': 604888, 'tuesday keep clean': 935162, 'keep clean and': 471396, 'from elderly people': 335261, 'elderly people that': 270835, 'people that being': 649752, 'being said there': 125715, 'difficult for senior': 242228, 'senior to get': 750426, 'be fine stop': 114855, 'fine stop panicking': 307691, 'frontlinersph': 338902, 'fyi bank': 342623, 'all open': 43756, 'are exempted': 86315, 'exempted for': 289992, 'who suspended': 989722, 'suspended we': 829642, 'official who': 595971, 'you frontlinersph': 1018724, 'frontlinersph quarantinelife': 338903, 'fyi bank are': 342624, 'bank are all': 109637, 'are all open': 84332, 'all open we': 43757, 'open we are': 612650, 'we are exempted': 970549, 'are exempted for': 86316, 'exempted for those': 289993, 'those who suspended': 892682, 'who suspended we': 989723, 'suspended we are': 829643, 'are in line': 87407, 'health worker grocery': 386979, 'worker grocery supermarket': 1007064, 'grocery supermarket and': 365992, 'other public health': 620792, 'health official who': 386708, 'official who will': 595974, 'who will serve': 989997, 'will serve those': 994819, 'those who is': 892645, 'who is in': 989083, 'in need thank': 425770, 'thank you frontlinersph': 841730, 'you frontlinersph quarantinelife': 1018725, 'toll is': 923847, 'way le': 969683, 'than estimated': 840563, 'estimated this': 282305, 'this hope': 887941, 'hope will': 403781, 'death toll is': 230250, 'toll is way': 923848, 'is way le': 453791, 'way le than': 969684, 'le than estimated': 483169, 'than estimated this': 840564, 'estimated this hope': 282306, 'this hope will': 887942, 'hope will bring': 403782, 'back consumer confidence': 106935, 'variation': 952537, 'variation guess': 952538, 'those potato': 892360, 'potato were': 666999, 'sell fast': 748715, 'in nl': 425905, 'nl mind': 563511, 'lot since': 504362, 'doesn excuse': 251780, 'variation guess those': 952539, 'guess those potato': 368067, 'those potato were': 892361, 'potato were supposed': 667000, 'be sold to': 117288, 'sold to the': 781790, 'to the million': 916881, 'million of place': 532285, 'of place that': 588140, 'place that sell': 657716, 'that sell fast': 846181, 'sell fast food': 748716, 'fast food in': 299965, 'food in nl': 314955, 'in nl mind': 425906, 'nl mind you': 563512, 'mind you there': 532790, 'there lot since': 878736, 'lot since most': 504363, 'since most of': 770752, '19 no more': 8802, 'no more demand': 564801, 'more demand that': 538993, 'demand that doesn': 236333, 'that doesn excuse': 843584, 'doesn excuse the': 251781, 'excuse the fact': 289773, 'fresh off': 333036, 'press share': 671082, 'fresh off the': 333037, 'the press share': 864288, 'press share what': 671083, 'what she learned': 982165, 'she learned from': 756191, 'learned from grocery': 484114, 'worker and how': 1006306, 'protect them they': 685010, 'them they put': 876421, 'joint plant': 467018, 'plant committee': 658644, 'committee during': 189061, 'this nationwide': 889086, 'lockdown urge': 500103, 'distancing share': 247469, 'need near': 555289, 'you everyday': 1018465, 'everyday be': 286536, 'patient practice': 644242, 'practice personal': 668627, 'hygiene do': 412081, 'joint plant committee': 467019, 'plant committee during': 658645, 'committee during this': 189062, 'during this nationwide': 263302, 'this nationwide lockdown': 889087, 'nationwide lockdown urge': 552747, 'lockdown urge all': 500104, 'urge all to': 948152, 'all to check': 45236, 'check the spread': 174654, '19 stay indoors': 10800, 'indoors and practice': 435381, 'social distancing share': 779713, 'distancing share food': 247470, 'share food with': 755007, 'food with at': 317641, 'least one in': 484584, 'in need near': 425754, 'need near you': 555290, 'near you everyday': 553638, 'you everyday be': 1018466, 'everyday be kind': 286537, 'and patient practice': 68776, 'patient practice personal': 644243, 'practice personal hygiene': 668628, 'personal hygiene do': 652875, 'hygiene do not': 412082, 'basiji': 112193, 'claim center': 179710, 'for combat': 320159, 'combat run': 187032, 'by basiji': 151933, 'basiji force': 112194, 'force irgc': 328409, 'irgc department': 444869, 'department helping': 237204, 'video the': 956919, 'the mosque': 860934, 'mosque and': 542023, 'up combat': 944613, 'coronavirus headquarters': 206059, 'headquarters they': 386039, 'sell face': 748705, 'mask booster': 518486, 'booster sterilizer': 135056, 'sterilizer at': 799869, 'price shameful': 676358, 'claim center for': 179711, 'center for combat': 169200, 'for combat run': 320160, 'combat run by': 187033, 'run by basiji': 727592, 'by basiji force': 151934, 'basiji force irgc': 112195, 'force irgc department': 328410, 'irgc department helping': 444870, 'department helping people': 237205, 'helping people in': 391438, 'this video the': 890987, 'video the man': 956920, 'the man say': 859983, 'man say they': 512222, 'say they came': 739335, 'they came out': 881602, 'of the mosque': 591254, 'the mosque and': 860935, 'mosque and set': 542024, 'set up combat': 753549, 'up combat coronavirus': 944614, 'combat coronavirus headquarters': 186997, 'coronavirus headquarters they': 206060, 'headquarters they sell': 386040, 'they sell face': 883310, 'sell face mask': 748706, 'face mask booster': 294521, 'mask booster sterilizer': 518487, 'booster sterilizer at': 135057, 'sterilizer at higher': 799870, 'higher price shameful': 395691, 'supermarket list': 821339, 'list not': 494402, 'not relevant': 571299, 'relevant enough': 709154, 'my supermarket list': 550274, 'supermarket list not': 821340, 'list not relevant': 494403, 'not relevant enough': 571300, 'relevant enough for': 709155, 'me to risk': 523776, 'risk getting covid': 723577, '19 ll need': 8350, 'll need someone': 496909, 'someone to go': 784705, 'go for me': 353565, 'stiglich': 800137, 'source tom': 786572, 'tom stiglich': 923927, 'stiglich coronapocolypse': 800138, 'toiletpaperapocalypse easter2020': 922900, 'time source tom': 897726, 'source tom stiglich': 786573, 'tom stiglich coronapocolypse': 923928, 'stiglich coronapocolypse coronacomics': 800139, 'coronacomics toiletpaper toiletpaperapocalypse': 204484, 'toiletpaper toiletpaperapocalypse easter2020': 922634, 'toiletpaperapocalypse easter2020 easterbunny': 922901, 'informed news': 438111, 'news consumer': 560328, 'consumer never': 198206, 'given explosion': 350991, 'of disinformation': 582692, 'out guide to': 626245, 'guide to being': 368359, 'to being an': 901734, 'being an informed': 124843, 'an informed news': 56328, 'informed news consumer': 438112, 'news consumer never': 560329, 'consumer never more': 198207, 'never more important': 558127, 'than now given': 840954, 'now given explosion': 574791, 'given explosion of': 350992, 'explosion of disinformation': 292563, 'canton': 162370, 'vaud': 952742, 'authority we': 103810, 'our monthey': 623942, 'for canton': 319923, 'canton vaud': 162373, 'vaud hospital': 952743, 'hospital amp': 404271, 'amp pharmacy': 54293, 'make contribution': 509798, 'swiss authority we': 830449, 'authority we re': 103811, 're joining force': 698938, 'to make at': 909625, 'make at our': 509722, 'at our monthey': 100021, 'our monthey site': 623943, 'site for canton': 771916, 'for canton vaud': 319924, 'canton vaud hospital': 162374, 'vaud hospital amp': 952744, 'hospital amp pharmacy': 404274, 'amp pharmacy to': 54294, 'to make contribution': 909640, 'make contribution to': 509799, 'contribution to health': 201942, 'to health service': 907374, 'health service in': 386842, 'service in fighting': 752476, 'jena': 465068, '110k': 2633, 'thuringia': 895313, 'mandatorymasking': 513079, 'maskenpficht': 519634, 'homemademasks': 402861, 'of jena': 585516, 'jena pop': 465069, 'pop 110k': 664407, '110k thuringia': 2634, 'thuringia the': 895314, 'germany introduced': 346314, 'introduced mandatorymasking': 443432, 'mandatorymasking maskenpficht': 513080, 'maskenpficht in': 519635, 'supermarket public': 822092, 'transport homemademasks': 929893, 'homemademasks scarf': 402862, 'scarf etc': 741069, 'considered sufficient': 195329, 'sufficient masks4all': 817387, 'today the city': 920281, 'city of jena': 179281, 'of jena pop': 585517, 'jena pop 110k': 465070, 'pop 110k thuringia': 664408, '110k thuringia the': 2635, 'thuringia the first': 895315, 'first one in': 308830, 'one in germany': 606474, 'in germany introduced': 423281, 'germany introduced mandatorymasking': 346315, 'introduced mandatorymasking maskenpficht': 443433, 'mandatorymasking maskenpficht in': 513081, 'maskenpficht in any': 519636, 'in any kind': 420426, 'kind of shop': 474939, 'of shop supermarket': 589626, 'shop supermarket public': 760867, 'supermarket public transport': 822093, 'public transport homemademasks': 688408, 'transport homemademasks scarf': 929894, 'homemademasks scarf etc': 402863, 'scarf etc are': 741070, 'etc are considered': 282420, 'are considered sufficient': 85507, 'considered sufficient masks4all': 195330, 'from analyse': 334500, 'week on our': 976673, 'on our expert': 602595, 'our expert from': 622956, 'expert from analyse': 291843, 'from analyse the': 334501, 'analyse the impact': 57004, 'impact that the': 417988, 'pandemic could have': 635246, 'on the relationship': 604330, 'the relationship between': 865464, 'relationship between brand': 708689, 'tarek': 834423, 'aliahmad': 41699, 'watch arab': 968365, 'arab news': 83834, 'reporter tarek': 712634, 'tarek ali': 834424, 'ali ahmad': 41689, 'ahmad aliahmad': 39244, 'aliahmad report': 41700, 'socially distant': 781063, 'distant manner': 247679, 'manner more': 513302, 'watch arab news': 968366, 'arab news reporter': 83835, 'news reporter tarek': 560755, 'reporter tarek ali': 712635, 'tarek ali ahmad': 834425, 'ali ahmad aliahmad': 41690, 'ahmad aliahmad report': 39245, 'aliahmad report on': 41701, 'situation in london': 772321, 'in london on': 424892, 'london on day': 501145, 'on day 10': 600220, 'day 10 of': 227089, 'lockdown people queue': 499781, 'supermarket in socially': 820982, 'in socially distant': 428055, 'socially distant manner': 781064, 'distant manner more': 247680, 'manner more on': 513303, 'not claim': 568754, 'responder national': 715495, 'else essential': 271682, 'ignore their': 415848, 'their plea': 874328, 'do not claim': 249693, 'not claim to': 568755, 'claim to support': 179856, 'first responder national': 308954, 'responder national guard': 715496, 'national guard grocery': 552524, 'store staff truck': 810331, 'driver and everyone': 259412, 'everyone else essential': 286853, 'else essential during': 271683, 'this pandemic if': 889394, 'continue to ignore': 201208, 'to ignore their': 908115, 'ignore their plea': 415849, 'their plea to': 874329, 'plea to stay': 659567, 'home stayhome flattenthecurve': 402130, 'hello our': 389203, 'keeping supermarket': 472566, 'available cancel': 104282, 'all agricultural': 41975, 'hello our farmer': 389204, 'farmer are keeping': 299284, 'are keeping supermarket': 87666, 'keeping supermarket shelf': 472567, 'stocked and many': 803263, 'many are at': 513752, 'food supply should': 316993, 'supply should remain': 825844, 'should remain affordable': 766398, 'remain affordable and': 709693, 'affordable and available': 34834, 'and available cancel': 58546, 'available cancel the': 104283, 'cancel the carbon': 160889, 'the carbon tax': 850404, 'carbon tax on': 163420, 'on all agricultural': 599218, 'all agricultural activity': 41976, 'ceo dave': 169674, 'dave lewis': 226961, 'lewis ha': 487836, 'including 30m': 431852, '30m package': 17472, 'community including': 189923, 'including 25m': 431848, '25m food': 16092, 'donation programme': 254675, 'programme plan': 683347, 'increase number': 432927, 'and prioritise': 69508, 'prioritise vulnerable': 678401, 'our ceo dave': 622341, 'ceo dave lewis': 169675, 'dave lewis ha': 226962, 'lewis ha written': 487837, 'ha written to': 372500, 'written to customer': 1012973, 'customer to share': 222979, 'latest on our': 481476, '19 including 30m': 7802, 'including 30m package': 431853, '30m package of': 17473, 'package of support': 633346, 'of support for': 590512, 'support for community': 826509, 'for community including': 320196, 'community including 25m': 189924, 'including 25m food': 431849, '25m food donation': 16093, 'food donation programme': 314272, 'donation programme plan': 254676, 'programme plan to': 683348, 'plan to increase': 658297, 'to increase number': 908288, 'increase number of': 432928, 'number of online': 576966, 'slot and prioritise': 774106, 'and prioritise vulnerable': 69509, 'prioritise vulnerable customer': 678403, '19 smm': 10624, 'smm social': 775832, 'marketing digital': 517570, 'marketing facebook': 517601, 'covid 19 smm': 213821, '19 smm social': 10625, 'smm social medium': 775833, 'medium marketing digital': 527172, 'marketing digital marketing': 517572, 'digital marketing facebook': 242597, 'company respond': 191022, 'normal increased': 567185, 'increased level': 433362, 'of sustained': 590549, 'sustained online': 829826, 'life consumerbehavior': 488564, 'consumerbehavior consumption': 199612, 'consumption cpg': 199854, 'retail retailtrends': 718489, 'cpg company respond': 214595, 'company respond to': 191023, 'respond to new': 715322, 'new normal increased': 559158, 'normal increased level': 567186, 'increased level of': 433363, 'level of sustained': 487664, 'of sustained online': 590550, 'sustained online grocery': 829827, 'grocery shopping will': 365108, 'shopping will continue': 764412, 'long after people': 501319, 'after people return': 36035, 'to their normal': 917258, 'their normal life': 874067, 'normal life consumerbehavior': 567207, 'life consumerbehavior consumption': 488565, 'consumerbehavior consumption cpg': 199613, 'consumption cpg retail': 199855, 'cpg retail retailtrends': 214612, 'retailer reportedly': 719295, 'reportedly full': 712577, 'full parking': 340794, 'lot not': 504125, 'not punished': 571170, 'punished for': 689233, 'for defying': 320617, 'defying socialdistancing': 232514, 'rule those': 727382, 'are essentialservices': 86263, 'essentialservices we': 281930, 'actively monitoring': 30319, 'monitoring store': 537373, 'store working': 811634, 'working local': 1008762, 'health depts': 386377, 'depts store': 237777, 'manager on': 512767, 'store or retailer': 809367, 'or retailer reportedly': 616894, 'retailer reportedly full': 719296, 'reportedly full parking': 712578, 'full parking lot': 340795, 'parking lot not': 642096, 'lot not punished': 504127, 'not punished for': 571171, 'punished for defying': 689234, 'for defying socialdistancing': 320618, 'defying socialdistancing rule': 232515, 'socialdistancing rule those': 780652, 'rule those are': 727383, 'those are essentialservices': 891801, 'are essentialservices we': 86264, 'essentialservices we are': 281931, 'we are actively': 970466, 'are actively monitoring': 84208, 'actively monitoring store': 30320, 'monitoring store working': 537374, 'store working local': 811635, 'working local health': 1008763, 'local health depts': 498070, 'health depts store': 386378, 'depts store manager': 237778, 'store manager on': 808886, 'manager on how': 512768, 'ferragu': 303559, 'equity analyst': 279911, 'analyst pierre': 57164, 'pierre ferragu': 656420, 'ferragu say': 303560, 'supply infrastructure': 825424, 'infrastructure is': 438205, 'to function': 906323, 'function during': 341264, 'pandemic listen': 635892, 'his convo': 397314, 'convo on': 202695, 'tech industry': 836108, 'equity analyst pierre': 279912, 'analyst pierre ferragu': 57165, 'pierre ferragu say': 656421, 'ferragu say consumer': 303561, 'demand is strong': 235742, 'strong and supply': 813981, 'and supply infrastructure': 72795, 'supply infrastructure is': 825425, 'infrastructure is healthy': 438206, 'is healthy but': 448366, 'healthy but both': 387549, 'but both are': 145310, 'both are unable': 135857, 'unable to function': 939330, 'to function during': 906324, 'function during the': 341265, '19 pandemic listen': 9382, 'pandemic listen to': 635893, 'listen to his': 494740, 'to his convo': 907809, 'his convo on': 397315, 'convo on how': 202696, 'how the economic': 408818, 'shutdown will affect': 768129, 'affect the tech': 34255, 'the tech industry': 869224, 'towards food': 927196, 'protectionism and': 685700, 'more nation': 539822, 'security ha': 744637, 'been thrust': 122196, 'thrust into': 895259, 'spotlight foodsecurity': 790167, 'foodsecurity buylocal': 318071, 'with global panic': 998619, 'global panic buying': 352117, 'buying some country': 151054, 'some country moving': 782616, 'country moving towards': 210908, 'moving towards food': 544213, 'towards food protectionism': 927198, 'food protectionism and': 316067, 'protectionism and more': 685701, 'and more nation': 67194, 'more nation going': 539823, 'nation going into': 552195, 'into lockdown during': 442712, 'pandemic food security': 635440, 'food security ha': 316351, 'security ha been': 744638, 'ha been thrust': 369955, 'been thrust into': 122197, 'thrust into the': 895260, 'the spotlight foodsecurity': 867608, 'spotlight foodsecurity buylocal': 790168, 'truly are': 933261, 'are thick': 91033, 'thick in': 883985, 'general you': 345507, 'distant outside': 247682, 'outside queuing': 629537, 'yet miraculously': 1016148, 'miraculously you': 533936, 'supermarket getaway': 820493, 'getaway 2m': 348766, 'people truly are': 650021, 'truly are thick': 933263, 'are thick in': 91034, 'thick in general': 883986, 'in general you': 423258, 'general you have': 345508, 'to be socially': 901552, 'be socially distant': 117278, 'socially distant outside': 781065, 'distant outside queuing': 247683, 'outside queuing to': 629538, 'and yet miraculously': 75987, 'yet miraculously you': 1016149, 'miraculously you seem': 533937, 'to be inside': 901338, 'be inside the': 115514, 'the supermarket getaway': 868607, 'supermarket getaway 2m': 820494, 'than buying': 840427, 'instead please': 440344, 'initiative helping': 438628, 'rather than buying': 697508, 'than buying and': 840428, 'do this instead': 250355, 'this instead please': 888141, 'instead please give': 440345, 'please give what': 660034, 'to this amazing': 917403, 'this amazing initiative': 886301, 'amazing initiative helping': 50717, 'initiative helping the': 438629, 'major store': 509477, 'special for': 787926, 'spread via': 790872, 'the major store': 859936, 'major store chain': 509478, 'running special for': 728077, 'special for the': 787927, 'the spread via': 867642, 'and doing their': 61610, 'their best coronacrisis': 872597, 'local nonprofit': 498212, 'nonprofit are': 566673, 'limit individual': 492371, 'individual from': 435185, 'from job': 336154, 'local nonprofit are': 498213, 'nonprofit are in': 566674, 'need of monetary': 555334, 'of monetary and': 586598, 'monetary and food': 536537, 'and food donation': 63040, 'food donation covid': 314269, '19 limit individual': 8336, 'limit individual from': 492372, 'individual from job': 435186, 'from job and': 336155, 'dickinson': 240489, 'fine try': 307716, 'keep myself': 471690, 'myself busy': 550837, 'duty watching': 263621, 'watching dickinson': 968729, 'dickinson which': 240490, 'also confirm': 48052, 'no member': 564758, 'fine try to': 307717, 'to keep myself': 908815, 'keep myself busy': 471691, 'myself busy in': 550838, 'busy in the': 144919, 'form of call': 329529, 'of call of': 581053, 'of duty watching': 582887, 'duty watching dickinson': 263622, 'watching dickinson which': 968730, 'dickinson which is': 240491, 'is awesome and': 445939, 'awesome and doing': 106154, 'shopping can also': 762275, 'can also confirm': 157453, 'also confirm that': 48053, 'confirm that no': 194103, 'that no member': 845362, 'no member of': 564759, 'family ha tested': 297870, 'about just': 25610, 'quarantine ain': 691998, 'ain for': 39615, 'me long': 523107, 'how about just': 407288, 'about just work': 25611, 'just work during': 470340, 'work during lockdown': 1005068, 'during lockdown and': 262757, 'lockdown and covid': 499137, '19 quarantine ain': 9905, 'quarantine ain for': 691999, 'ain for me': 39616, 'for me long': 323321, 'me long the': 523108, 'long the supermarket': 501730, 'supermarket stay open': 822932, 'caused huge': 167896, 'huge purchase': 410155, 'beauty salon': 118782, 'salon veterinarian': 732789, 'exporting them': 292778, 'them abroad': 875310, 'abroad at': 27152, 'ha caused huge': 370082, 'caused huge purchase': 167898, 'huge purchase of': 410156, 'purchase of alcohol': 689573, 'pharmacy beauty salon': 654251, 'beauty salon veterinarian': 118784, 'salon veterinarian are': 732790, 'and exporting them': 62538, 'exporting them abroad': 292779, 'them abroad at': 875311, 'abroad at premium': 27153, 'really about': 701949, 'isn an': 454429, 'easy fix': 265699, 'toiletpaper shortage it': 922467, 'shortage it isn': 765043, 'isn really about': 454638, 'really about hoarding': 701950, 'about hoarding and': 25400, 'hoarding and there': 399191, 'there isn an': 878661, 'isn an easy': 454430, 'an easy fix': 55564, 'app impact': 81718, 'end market': 275866, 'market were': 517331, 'down sale': 257163, 'the had': 857035, 'center hardware': 169223, 'hardware sale': 378319, 'from app impact': 334566, 'app impact of': 81719, 'the on end': 862165, 'on end market': 600559, 'end market were': 275867, 'market were to': 517333, 'were to pull': 980269, 'to pull down': 912493, 'pull down sale': 688856, 'down sale of': 257164, 'sale of and': 732383, 'of and consumer': 580147, 'consumer in but': 197816, 'in but the': 421098, 'but the had': 147343, 'the had the': 857038, 'had the opposite': 373622, 'opposite effect on': 613787, 'effect on data': 269082, 'on data center': 600215, 'data center hardware': 226168, 'center hardware sale': 169224, 'information read': 437958, 'tip for protecting': 898777, 'for protecting your': 324825, 'protecting your device': 685253, 'your device and': 1023503, 'device and personal': 239894, 'personal information read': 652900, 'information read more': 437959, 'meritasusa': 529138, 'independentlawfirms': 434153, 'fraud act': 331218, 'act applies': 29600, 'applies with': 82542, 'great force': 362688, 'emergency such': 272998, 'current epidemic': 221184, 'epidemic law': 279404, 'law meritasusa': 482338, 'meritasusa independentlawfirms': 529139, 'jersey consumer fraud': 465193, 'consumer fraud act': 197533, 'fraud act applies': 331220, 'act applies with': 29601, 'applies with great': 82543, 'with great force': 998671, 'great force to': 362689, 'force to prevent': 328529, 'of emergency such': 583057, 'emergency such the': 273000, 'such the current': 816800, 'the current epidemic': 852629, 'current epidemic law': 221185, 'epidemic law meritasusa': 279405, 'law meritasusa independentlawfirms': 482339, 'by because': 151939, 'deadly global': 229271, 'get by because': 346729, 'by because of': 151940, 'because of deadly': 119329, 'of deadly global': 582403, 'deadly global pandemic': 229272, '15 hour of': 3728, 'hour of work': 405814, 'work and union': 1004821, 'price tho': 676930, 'we keep these': 972136, 'keep these covid': 472123, 'gas price tho': 344037, 'today more': 919890, 'ever company': 285259, 'company must': 190895, 'the blinder': 849763, 'blinder and': 132703, 'truly develop': 933293, 'develop 360': 239620, '360 degree': 18033, 'degree view': 232579, 'base believe': 111436, 'when say': 983957, 'remember which': 710425, 'were there': 980249, 'today more than': 919891, 'than ever company': 840576, 'ever company must': 285260, 'company must take': 190897, 'must take off': 546942, 'take off the': 832395, 'off the blinder': 594232, 'the blinder and': 849764, 'blinder and truly': 132704, 'and truly develop': 74481, 'truly develop 360': 933294, 'develop 360 degree': 239621, '360 degree view': 18034, 'degree view of': 232580, 'consumer base believe': 196399, 'base believe me': 111437, 'believe me when': 126311, 'me when say': 523942, 'when say that': 983959, 'say that these': 739253, 'that these consumer': 846911, 'these consumer will': 879803, 'will remember which': 994646, 'remember which company': 710426, 'which company were': 985758, 'company were there': 191300, 'were there for': 980250, 'there for them': 878413, 'for them in': 326905, 'england cut': 277010, 'of england cut': 583121, 'england cut interest': 277011, 'cut interest rate': 223391, 'rate to to': 697398, 'fight coronavirus 19': 304699, 'in harare': 423543, 'harare and': 377809, 'and bulawayo': 59248, 'bulawayo please': 142217, 'safe well': 730128, 'now zimbabwe': 576527, 'zimbabwe 21dayslockdown': 1027573, 'and mask available': 66746, 'available in harare': 104442, 'in harare and': 423544, 'harare and bulawayo': 377810, 'and bulawayo please': 59249, 'bulawayo please be': 142218, 'safe and keep': 729456, 'keep your loved': 472276, 'one safe well': 606986, 'safe well get': 730129, 'well get your': 978256, 'get your sanitizer': 348732, 'your sanitizer now': 1025677, 'sanitizer now zimbabwe': 735439, 'now zimbabwe 21dayslockdown': 576528, 'subsitute': 816032, 'rifle': 721701, 'powpow': 667851, 'my gun': 548593, 'gun nut': 368708, 'nut neighbor': 577664, 'neighbor just': 557047, 'just blew': 468337, 'blew through': 132667, 'least 100': 484327, '100 round': 2069, 'of ar': 580335, 'ar bang': 83794, 'bang penis': 109450, 'penis subsitute': 646527, 'subsitute assault': 816033, 'assault rifle': 96323, 'rifle powpow': 721702, 'powpow ammo': 667852, 'warn off': 966947, 'off any': 593655, 'any wheezy': 80044, 'wheezy covid': 983095, 'sufferer ll': 817276, 'he hoarding': 385092, 'and soup': 72019, 'soup that': 786414, 'suddenly missing': 817116, 'of my gun': 586775, 'my gun nut': 548594, 'gun nut neighbor': 368709, 'nut neighbor just': 577665, 'neighbor just blew': 557048, 'just blew through': 468339, 'blew through at': 132668, 'at least 100': 99439, 'least 100 round': 484328, '100 round of': 2070, 'round of ar': 726342, 'of ar bang': 580336, 'ar bang penis': 83795, 'bang penis subsitute': 109451, 'penis subsitute assault': 646528, 'subsitute assault rifle': 816034, 'assault rifle powpow': 96324, 'rifle powpow ammo': 721703, 'powpow ammo for': 667853, 'ammo for what': 52900, 'for what to': 327808, 'what to warn': 982468, 'to warn off': 918339, 'warn off any': 966948, 'off any wheezy': 593656, 'any wheezy covid': 80045, 'wheezy covid 19': 983096, '19 sufferer ll': 10933, 'sufferer ll bet': 817277, 'll bet he': 496651, 'bet he hoarding': 128069, 'he hoarding all': 385093, 'hoarding all of': 399167, 'paper and soup': 639854, 'and soup that': 72021, 'soup that are': 786415, 'that are suddenly': 842823, 'are suddenly missing': 90625, 'suddenly missing from': 817117, 'missing from the': 534301, 'user pay': 950307, 'pay policy': 645049, 'an escalation': 55808, 'shelf penalty': 757399, 'penalty rate': 646451, 'rate hoarder': 697253, 'with user pay': 1001934, 'user pay policy': 950308, 'pay policy you': 645050, 'have noticed an': 381713, 'noticed an escalation': 573422, 'an escalation in': 55809, 'escalation in price': 280288, 'in price at': 426950, 'price at supermarket': 672814, 'at supermarket extra': 100724, 'stock shelf penalty': 802835, 'shelf penalty rate': 757400, 'penalty rate hoarder': 646452, 'rate hoarder take': 697254, '951': 23622, 'ufcw951': 937934, 'ufcw 951': 937924, '951 member': 23625, 'essential ufcw': 281737, 'ufcw ufcw951': 937932, 'ufcw951 1u': 937935, '1u unionstrong': 12842, 'ufcw 951 member': 937925, '951 member and': 23626, 'member and grocery': 528010, 'store worker around': 811456, 'country are making': 210471, 'that the customer': 846698, 'the customer have': 852721, 'customer have what': 222444, 'need here what': 555007, 'help worker at': 390945, 'your essential ufcw': 1023691, 'essential ufcw ufcw951': 281738, 'ufcw ufcw951 1u': 937933, 'ufcw951 1u unionstrong': 937936, 'contradictory': 201822, '2metre': 16729, 'carriage': 164920, 'eac': 263980, 'contradictory advice': 201823, 'from gov': 335671, 'gov expert': 359581, 'expert 2m': 291757, '2m spread': 16722, 'spread impossible': 790567, 'impossible pavement': 419388, 'pavement supermarket': 644660, 'aisle floor': 40248, 'marking le': 517901, 'than 2metre': 840218, '2metre wide': 16730, 'wide tube': 991770, 'tube carriage': 935029, 'carriage only': 164921, 'only hold': 610605, 'hold 100': 399883, 'people seat': 649360, 'seat apart': 743504, 'apart if': 81286, 'all wore': 45487, 'protect eac': 684816, 'contradictory advice from': 201824, 'advice from gov': 33385, 'from gov expert': 335672, 'gov expert 2m': 359582, 'expert 2m spread': 291758, '2m spread impossible': 16723, 'spread impossible pavement': 790568, 'impossible pavement supermarket': 419389, 'pavement supermarket aisle': 644661, 'supermarket aisle floor': 818834, 'aisle floor marking': 40249, 'floor marking le': 310819, 'marking le than': 517902, 'le than 2metre': 483159, 'than 2metre wide': 840219, '2metre wide tube': 16731, 'wide tube carriage': 991771, 'tube carriage only': 935030, 'carriage only hold': 164922, 'only hold 100': 610606, 'hold 100 people': 399884, '100 people seat': 2020, 'people seat apart': 649361, 'seat apart if': 743505, 'apart if we': 81287, 'we all wore': 970378, 'all wore mask': 45488, 'wore mask we': 1004671, 'mask we would': 519515, 'we would protect': 973975, 'would protect eac': 1012127, 'refuse quarantine': 707024, 'distancing that': 247530, 'stand within': 793616, 'within striking': 1002424, 'striking distance': 813782, 'coming keep': 188121, 'who still refuse': 989678, 'still refuse quarantine': 801109, 'refuse quarantine and': 707025, 'social distancing that': 779738, 'distancing that like': 247531, 'that like to': 844887, 'like to stand': 491624, 'to stand within': 915168, 'stand within striking': 793617, 'within striking distance': 1002425, 'striking distance at': 813783, 'store it coming': 808567, 'it coming keep': 457221, 'coming keep it': 188122, 'it up social': 461968, 'tip via': 898951, 'download virus onto': 257638, 'virus onto your': 958567, 'onto your computer': 611691, 'device more tip': 239923, 'more tip via': 540783, 'acityunited against': 29086, '19 man': 8532, 'city united': 179436, 'people fightcovid19': 647903, 'acityunited against 19': 29087, 'against 19 man': 37304, '19 man city': 8533, 'man city united': 512030, 'city united donate': 179437, 'united donate 100': 942155, 'bank meet increased': 110002, 'vulnerable people fightcovid19': 961089, 'christopherwalken': 178223, 'christopher clorox': 178215, 'clorox pt': 182461, 'pt clorox': 687601, 'clorox handsanitizer': 182459, 'handsanitizer comedy': 376503, 'comedy sketch': 187782, 'sketch christopherwalken': 772877, 'christopherwalken corona': 178224, 'corona coronatime': 203889, 'coronatime viral': 205307, 'viral lockdownextension': 957606, 'lockdownextension toiletpaperpanic': 500283, 'toiletpaperpanic toiletrollchallenge': 923297, 'christopher clorox pt': 178216, 'clorox pt clorox': 182462, 'pt clorox handsanitizer': 687602, 'clorox handsanitizer comedy': 182460, 'handsanitizer comedy sketch': 376504, 'comedy sketch christopherwalken': 187783, 'sketch christopherwalken corona': 772878, 'christopherwalken corona coronatime': 178225, 'corona coronatime viral': 203890, 'coronatime viral lockdownextension': 205308, 'viral lockdownextension toiletpaperpanic': 957607, 'lockdownextension toiletpaperpanic toiletrollchallenge': 500284, 'toiletpaperpanic toiletrollchallenge toiletpaperapocalypse': 923298, 'toiletrollchallenge toiletpaperapocalypse toiletpaper': 923396, 'declined by': 231422, 'and benchmark': 58890, 'crude still': 219613, 'trading under': 928949, 'under 32': 939969, '32 per': 17698, 'barrel despite': 111217, 'despite an': 238669, 'to steady': 915356, 'steady market': 799129, 'market pummeled': 516921, 'have declined by': 380199, 'declined by more': 231423, 'than 60 since': 840276, '60 since january': 21002, 'january and benchmark': 464646, 'and benchmark crude': 58891, 'benchmark crude still': 126838, 'crude still trading': 219614, 'still trading under': 801331, 'trading under 32': 928950, 'under 32 per': 939970, '32 per barrel': 17699, 'per barrel despite': 650695, 'barrel despite an': 111218, 'despite an unprecedented': 238670, 'unprecedented deal by': 943104, 'deal by the': 229366, 'by the world': 154485, 'biggest producer to': 130302, 'cut output to': 223474, 'output to steady': 629298, 'to steady market': 915357, 'steady market pummeled': 799130, 'market pummeled by': 516922, 'shelf stoppanicbuying stophoarding': 757607, 'at cardiff': 98198, 'market come': 516189, 'great high': 362719, 'quality fresh': 691788, 'the stall': 867717, 'stall here': 793362, 'here avoid': 392798, 're open again': 699199, 'open again tomorrow': 612024, 'again tomorrow at': 37241, 'tomorrow at cardiff': 924035, 'at cardiff central': 98199, 'central market come': 169411, 'market come and': 516190, 'come and grab': 187216, 'grab some great': 361533, 'some great high': 782988, 'great high quality': 362720, 'high quality fresh': 395314, 'quality fresh produce': 691789, 'produce from all': 680278, 'all the stall': 44920, 'the stall here': 867718, 'stall here avoid': 793363, 'here avoid the': 392799, 'supermarket madness 19': 821424, 'open new': 612393, 'city if': 179191, 'any hand': 79299, 'going to re': 355685, 're open new': 699205, 'open new york': 612395, 'york city if': 1016591, 'city if we': 179193, 'if we still': 415314, 'we still cannot': 973397, 'still cannot buy': 800337, 'buy any hand': 148349, 'any hand sanitizer': 79300, 'coronavirus least': 206220, 'least popular': 484602, 'popular food': 664549, 'item abandoned': 463024, 'abandoned on': 24208, 'shelf cornoravirusus': 756960, 'cornoravirusus cornavirusoutbreak': 203742, 'cornavirusoutbreak corvid19uk': 203614, 'coronavirus least popular': 206221, 'least popular food': 484603, 'popular food item': 664550, 'food item abandoned': 315188, 'item abandoned on': 463025, 'abandoned on supermarket': 24209, 'supermarket shelf cornoravirusus': 822448, 'shelf cornoravirusus cornavirusoutbreak': 756961, 'cornoravirusus cornavirusoutbreak corvid19uk': 203743, 'in eat': 422472, 'eat your': 266123, 'heart out': 388321, 'is the aisle': 452726, 'the aisle at': 848514, 'aisle at our': 40213, 'store in eat': 808299, 'in eat your': 422473, 'eat your heart': 266124, 'your heart out': 1024285, 'pawquafina': 644686, 'iz': 464089, 'purrified': 690196, 'purr': 690189, 'selling twenty': 749518, 'twenty fur': 936493, 'fur pack': 341844, 'of pawquafina': 587827, 'pawquafina limited': 644687, 'supply iz': 825475, 'iz purrified': 464091, 'purrified 16': 690197, '16 pounce': 4159, 'pounce of': 667353, 'water purr': 969126, 'purr bottle': 690190, 'water cat': 968935, 'cat catsofthequarantine': 166841, 'catsofthequarantine toiletpaper': 167329, 'selling twenty fur': 749519, 'twenty fur pack': 936494, 'fur pack of': 341845, 'pack of pawquafina': 633107, 'of pawquafina limited': 587828, 'pawquafina limited supply': 644688, 'limited supply iz': 492735, 'supply iz purrified': 825476, 'iz purrified 16': 464092, 'purrified 16 pounce': 690198, '16 pounce of': 4160, 'pounce of water': 667354, 'of water purr': 592945, 'water purr bottle': 969127, 'purr bottle water': 690191, 'bottle water cat': 136347, 'water cat catsofthequarantine': 968936, 'cat catsofthequarantine toiletpaper': 166842, 'consumer dtc': 197259, 'dtc genetic': 261395, 'genetic testing': 345742, 'testing identify': 839508, 'which type': 986418, 'of dna': 582742, 'dna genetics': 248984, 'impact on direct': 417843, 'to consumer dtc': 903292, 'consumer dtc genetic': 197261, 'dtc genetic testing': 261396, 'genetic testing identify': 345743, 'testing identify which': 839509, 'identify which type': 413382, 'which type of': 986419, 'type of dna': 937555, 'of dna genetics': 582743, 'touted an': 927070, 'spray turn': 790339, 'considered effective': 195279, 'recommends hand': 704830, 'touted an alcohol': 927071, 'an alcohol free': 55228, 'sanitizer spray turn': 735785, 'spray turn out': 790340, 'turn out it': 935736, 'out it not': 626447, 'it not considered': 459866, 'not considered effective': 568837, 'considered effective against': 195280, 'cdc recommends hand': 168609, 'recommends hand sanitizer': 704831, 'is website': 453819, 'here is website': 393258, 'is website used': 453820, 'pandemic coronavirus': 635233, 'helpful brand': 391166, 'importantly in': 419127, 'run read': 727787, 'read corona': 700319, 'coronacrisis commerce': 204556, 'can help during': 158613, 'coronavirus pandemic coronavirus': 206451, 'pandemic coronavirus insight': 635234, 'from google the': 335670, 'google the more': 358193, 'the more helpful': 860884, 'more helpful brand': 539405, 'helpful brand can': 391167, 'brand can be': 137786, 'the better they': 849577, 'better they will': 128553, 'will do now': 993227, 'do now and': 249909, 'now and more': 574043, 'more importantly in': 539501, 'importantly in the': 419128, 'long run read': 501611, 'run read corona': 727788, 'read corona coronacrisis': 700320, 'corona coronacrisis commerce': 203874, '2089 gonna': 14874, 'pandemic bar': 634967, 'tender retail': 837906, 'park worker': 642030, 'kid in 2089': 474012, 'in 2089 gonna': 419880, '2089 gonna get': 14875, 'gonna get test': 356536, 'get test question': 348183, 'test question like': 839142, 'question like what': 693644, 'like what would': 491799, 'what would ve': 982646, 've been considered': 952876, '19 pandemic bar': 9271, 'pandemic bar tender': 634968, 'bar tender retail': 110775, 'tender retail store': 837907, 'retail store cashier': 718622, 'amusement park worker': 54963, 'park worker grocery': 642031, 'splint': 789648, 'hooman': 403358, 'pug': 688843, 'of 35': 579573, '35 in': 17893, 'in splint': 428206, 'splint got': 789649, 'got treat': 358989, 'treat tweet': 930907, 'tweet toy': 936419, 'toy plenty': 927691, 'food hooman': 314837, 'hooman on': 403359, 'demand co': 235144, 'how cool': 407606, 'cool is': 203018, 'that pug': 845905, 'pug for': 688844, 'human leave': 410540, 'for errand': 321086, 'day of 35': 228049, 'of 35 in': 579574, '35 in splint': 17894, 'in splint got': 428207, 'splint got treat': 789650, 'got treat tweet': 358990, 'treat tweet toy': 930908, 'tweet toy plenty': 936420, 'toy plenty of': 927692, 'of food hooman': 583710, 'food hooman on': 314838, 'hooman on demand': 403360, 'on demand co': 600275, 'demand co of': 235145, 'co of how': 184900, 'of how cool': 584818, 'how cool is': 407607, 'cool is that': 203019, 'is that pug': 452682, 'that pug for': 845906, 'pug for company': 688845, 'for company in': 320205, 'event the human': 285087, 'the human leave': 857718, 'human leave for': 410541, 'leave for errand': 484796, 'considering temporarily': 195420, 'outbreak retailnews': 628588, 'businessnews storeclosures': 144781, 'storeclosures retail': 811713, 'retail property': 718427, 'sc is considering': 739848, 'is considering temporarily': 446766, 'considering temporarily closing': 195421, 'coronavirus outbreak retailnews': 206407, 'outbreak retailnews businessnews': 628589, 'retailnews businessnews storeclosures': 719515, 'businessnews storeclosures retail': 144782, 'storeclosures retail property': 811714, 'ftc recorded': 339429, 'loss from': 503681, 'the ftc recorded': 855935, 'ftc recorded million': 339430, 'in loss from': 424929, 'loss from related': 503683, 'from related consumer': 337066, 'related consumer scam': 708402, 'consumer scam in': 198870, 'scam in just': 740201, 'dontbeanasshole': 255331, 'ourseniorsdeservebetter': 625511, 'his 83': 397176, '83 yo': 22856, 'yo blind': 1016423, 'blind wheelchair': 132697, 'wheelchair bound': 983069, 'bound father': 136850, 'luck let': 506464, 'again stop': 37186, 'asshole stophoarding': 96563, 'stophoarding dontbeanasshole': 805390, 'dontbeanasshole ourseniorsdeservebetter': 255332, 'yesterday my husband': 1015812, 'went to different': 979148, 'paper for his': 640179, 'for his 83': 322294, 'his 83 yo': 397177, '83 yo blind': 22857, 'yo blind wheelchair': 1016424, 'blind wheelchair bound': 132698, 'wheelchair bound father': 983070, 'bound father with': 136851, 'father with no': 300326, 'no luck let': 564685, 'luck let say': 506465, 'let say it': 487023, 'it again stop': 456311, 'again stop hoarding': 37187, 'hoarding you fucking': 399674, 'fucking asshole stophoarding': 339804, 'asshole stophoarding dontbeanasshole': 96564, 'stophoarding dontbeanasshole ourseniorsdeservebetter': 805391, 'to condiment': 903184, 'wednesdaythoughts these': 975732, 'is your go': 454147, 'go to condiment': 354294, 'to condiment food': 903185, 'condiment food item': 193381, 'item during food': 463226, 'wednesdaymotivation wednesdaythoughts these': 975720, 'wednesdaythoughts these are': 975733, 'betelnut': 128141, 'moresby': 541073, 'why betelnut': 990838, 'betelnut price': 128142, 'in port': 426842, 'port moresby': 664890, 'here why betelnut': 393833, 'why betelnut price': 990839, 'betelnut price have': 128143, 'price have shot': 674457, 'up in port': 945171, 'in port moresby': 426844, 'weird consequence': 977752, 'help reverse': 390461, 'reverse that': 720524, 'weird consequence of': 977753, 'pandemic food waste': 635443, 'waste is on': 968142, 'can help reverse': 158651, 'help reverse that': 390462, 'these bus': 879703, 'singapore normally': 771136, 'is only because': 450534, 'of these bus': 591812, 'these bus driver': 879704, 'bus driver cleaner': 143017, 'driver cleaner and': 259485, 'cleaner and even': 180744, 'even supermarket staff': 284624, 'staff that we': 792935, 'we can carry': 970920, 'carry on with': 165130, 'on with life': 605344, 'with life in': 999210, 'life in singapore': 488766, 'in singapore normally': 427972, 'where lived': 984997, 'lived have': 496158, 'supermarket near where': 821577, 'near where lived': 553631, 'where lived have': 984998, 'lived have covid': 496159, 'outbreak cautionyespanicno': 628090, 'cautionyespanicno 19': 168203, 'no cancellation': 563752, 'fee will': 302254, '155 canceled': 3978, 'canceled train': 160963, 'train passenger': 929269, 'passenger will': 643359, 'cent refund': 169116, 'refund railway': 706950, 'railway pti': 695712, 'outbreak cautionyespanicno 19': 628091, 'cautionyespanicno 19 no': 168204, '19 no cancellation': 8795, 'no cancellation fee': 563753, 'cancellation fee will': 161019, 'fee will be': 302255, 'charged for 155': 173377, 'for 155 canceled': 318679, '155 canceled train': 3979, 'canceled train passenger': 160964, 'train passenger will': 929270, 'passenger will get': 643361, 'will get 100': 993494, 'get 100 per': 346460, '100 per cent': 2027, 'per cent refund': 650758, 'cent refund railway': 169117, 'refund railway pti': 706951, 'truue': 934428, 'bruh it': 141331, 'so truue': 778580, 'truue choked': 934429, 'spit wearing': 789568, 'yesterday could': 1015705, 'gonna shoot': 356615, 'shoot my': 759740, 'in isle': 424181, 'isle coronamemes': 454352, 'bruh it so': 141332, 'it so truue': 461134, 'so truue choked': 778581, 'truue choked on': 934430, 'own spit wearing': 632224, 'spit wearing my': 789569, 'wearing my mask': 974737, 'store yesterday could': 811666, 'yesterday could not': 1015706, 'someone wa gonna': 784736, 'wa gonna shoot': 962233, 'gonna shoot my': 356616, 'shoot my as': 759741, 'my as clean': 547326, 'clean up in': 180671, 'up in isle': 945161, 'in isle coronamemes': 424182, 'isle coronamemes funny': 454353, 'addressing solve': 32102, 'solve restraint': 782157, '22 no': 15233, 'drug make': 260994, 'make normal': 510249, 'purchase not': 689565, 'purchase avoid': 689373, 'modi addressing solve': 535444, 'addressing solve restraint': 32103, 'solve restraint covid': 782158, 'curfew on march': 220908, 'on march 22': 602018, 'march 22 no': 515182, '22 no shortage': 15234, 'and basic food': 58717, 'basic food drug': 111885, 'food drug make': 314304, 'drug make normal': 260995, 'make normal purchase': 510250, 'normal purchase not': 567285, 'purchase not panic': 689566, 'not panic purchase': 570925, 'panic purchase avoid': 638444, 'purchase avoid public': 689374, 'all bum': 42225, 'bum as': 142534, 'as hanging': 94750, 'hanging outside': 376973, 'my block': 547473, 'block deserve': 132771, 'virus mf': 958501, 'mf don': 530056, 'wanna move': 965653, 'move out': 543712, 'way can': 969516, 'my dutch': 548044, 'dutch bum': 263491, 'as just': 94767, 'just standing': 469866, 'standing blocking': 793752, 'all bum as': 42226, 'bum as hanging': 142535, 'as hanging outside': 94751, 'hanging outside the': 376974, 'on my block': 602264, 'my block deserve': 547474, 'block deserve to': 132772, 'corona virus mf': 204328, 'virus mf don': 958502, 'mf don wanna': 530057, 'don wanna move': 254032, 'wanna move out': 965654, 'move out the': 543714, 'out the way': 627439, 'the way can': 871145, 'way can even': 969517, 'can even pay': 158255, 'even pay for': 284455, 'for my dutch': 323700, 'my dutch bum': 548045, 'dutch bum as': 263492, 'bum as just': 142536, 'as just standing': 94768, 'just standing blocking': 469867, 'standing blocking the': 793753, 'blocking the door': 132888, 'quaratine': 693101, 'china come': 176572, 'of quaratine': 588674, 'quaratine retailer': 693102, 'restart consumer': 716239, 'free voucher': 332300, 'voucher retail': 960664, 'retail jd': 718252, 'jd alibaba': 464928, 'alibaba retail': 41720, 'retail pinduoduo': 718395, 'china come out': 176573, 'out of quaratine': 626816, 'of quaratine retailer': 588675, 'quaratine retailer and': 693103, 'retailer and government': 718966, 'trying to restart': 934858, 'to restart consumer': 913386, 'restart consumer spending': 716240, 'spending with free': 789059, 'with free voucher': 998541, 'free voucher retail': 332301, 'voucher retail jd': 960665, 'retail jd alibaba': 718253, 'jd alibaba retail': 464929, 'alibaba retail pinduoduo': 41721, 'can persist': 159220, 'droplet can persist': 260469, 'can persist in': 159221, 'persist in air': 652263, 'mission possible': 534373, 'possible tip': 665837, 'mission possible tip': 534374, 'possible tip for': 665838, 'for safe grocery': 325288, 'covid 19 india': 213259, '19 india unable': 7818, 'direct have': 243333, 'you mike': 1019859, 'ashley let': 95110, 'all promise': 44073, 've just heard': 953301, 'heard that sport': 388145, 'that sport direct': 846438, 'sport direct have': 789917, 'direct have increased': 243334, 'increased their online': 433499, 'their online price': 874105, 'online price shame': 608797, 'on you mike': 605429, 'you mike ashley': 1019860, 'mike ashley let': 531270, 'ashley let all': 95111, 'let all promise': 486566, 'all promise to': 44074, 'promise to stop': 683703, 'shopping at sport': 762111, '174': 4438, 'delgasprices': 232872, 'average is': 104859, 'is 174': 445171, '174 gal': 4439, 'gal and': 342899, 'lowest average': 506148, 'since late': 770696, 'late 2016': 480838, '2016 but': 13823, 'going much': 355274, 'much lower': 545070, 'lower do': 505842, 'fill delgasprices': 305458, 'national average is': 552423, 'average is 174': 104860, 'is 174 gal': 445172, '174 gal and': 4440, 'gal and going': 342901, 'and going down': 63803, 'going down we': 355124, 'the lowest average': 859805, 'lowest average since': 506149, 'average since late': 104899, 'since late 2016': 770697, 'late 2016 but': 480839, '2016 but we': 13825, 'are going much': 86892, 'going much lower': 355275, 'much lower do': 545071, 'lower do not': 505843, 'be in hurry': 115409, 'hurry to fill': 411522, 'to fill delgasprices': 905839, 'portable uv': 664929, 'uv hand': 951472, 'bacteria travel': 107703, 'travel disinfection': 930336, 'disinfection kill': 245914, 'kill up': 474542, '99 mold': 23859, 'mold bacteria': 535641, 'portable uv hand': 664930, 'uv hand sanitizer': 951473, 'kill bacteria travel': 474354, 'bacteria travel disinfection': 107704, 'travel disinfection kill': 930337, 'disinfection kill up': 245915, 'kill up to': 474543, 'up to 99': 946354, 'to 99 mold': 899888, '99 mold bacteria': 23860, 'more possibility': 540101, 'possibility for': 665535, 'deliver thread': 233245, 'do good': 249350, 'so in these': 777387, 'time of supermarket': 897366, 'supermarket shortage it': 822667, 'shortage it not': 765045, 'not only open': 570813, 'only open up': 610907, 'open up more': 612634, 'up more possibility': 945405, 'more possibility for': 540102, 'possibility for local': 665536, 'local shop but': 498395, 'shop but also': 759996, 'also for good': 48228, 'for good company': 321931, 'company that deliver': 191164, 'that deliver thread': 843481, 'deliver thread about': 233246, 'thread about some': 893516, 'about some company': 26225, 'can be useful': 157708, 'be useful in': 117931, 'useful in time': 950163, 'time of self': 897359, 'isolation and that': 455202, 'that also do': 842602, 'also do good': 48110, 'for shortage': 325605, 'and higher': 64561, 'bank are bracing': 109641, 'bracing for shortage': 137507, 'for shortage and': 325606, 'shortage and higher': 764816, 'and higher demand': 64562, 'higher demand during': 395573, 'banking beyond': 110418, 'consumer banking beyond': 196388, 'banking beyond covid': 110419, 'naifa': 551430, 'scam naifa': 740261, 'naifa consumer': 551431, 'consumer site': 198997, 'site provides': 771991, 'provides individual': 686869, 'individual business': 435149, 'scam tip': 740414, 'contact regarding': 200195, 'regarding health': 707221, 'health claim': 386266, 'claim question': 179791, 'question well': 693790, 'well how': 978300, 'find licensed': 307030, 'licensed ethical': 488173, 'ethical financial': 283076, 'security planning': 744713, 'of scam naifa': 589361, 'scam naifa consumer': 740262, 'naifa consumer site': 551432, 'consumer site provides': 198998, 'site provides individual': 771992, 'provides individual business': 686870, 'individual business with': 435150, 'business with information': 144702, 'with information to': 999010, 'information to avoid': 438007, 'avoid scam tip': 105260, 'scam tip on': 740415, 'tip on who': 898865, 'on who to': 605295, 'who to contact': 989797, 'to contact regarding': 903356, 'contact regarding health': 200196, 'regarding health claim': 707222, 'health claim question': 386267, 'claim question well': 179792, 'question well how': 693791, 'well how to': 978301, 'how to find': 409022, 'to find licensed': 905915, 'find licensed ethical': 307031, 'licensed ethical financial': 488174, 'ethical financial security': 283077, 'financial security planning': 306575, 'being admiring': 124819, 'beautiful weather': 118730, 'fortnightly shop because': 329853, 'shop because it': 759973, 'because it crazy': 119182, 'wa only 30': 962850, 'only 30 minute': 610000, '30 minute queue': 17124, 'minute queue to': 533830, 'time being admiring': 896387, 'being admiring the': 124820, 'admiring the beautiful': 32578, 'the beautiful weather': 849407, 'beautiful weather through': 118731, 'wife during': 991918, 'the coronapandemie': 851794, 'coronapandemie thanks': 205163, 'online loop': 608508, 'loop staysafe': 503156, 'socialdistanacing socialdistanacing': 780097, 'socialdistanacing maskeauf': 780076, 'protected shopping with': 685151, 'my wife during': 550587, 'wife during the': 991919, 'during the coronapandemie': 263103, 'the coronapandemie thanks': 851795, 'coronapandemie thanks to': 205164, 'thanks to online': 842248, 'to online loop': 910937, 'online loop staysafe': 608509, 'loop staysafe stayhealthy': 503157, 'staysafe stayhealthy socialdistanacing': 798897, 'stayhealthy socialdistanacing socialdistanacing': 797907, 'socialdistanacing socialdistanacing maskeauf': 780098, 'delco': 232832, 'chk': 177571, 'pls stayathome': 661182, 'stayathome philly': 797576, 'philly surrounding': 654774, 'like delco': 490102, 'delco grocery': 232833, 'wa nightmare': 962712, 'nightmare only': 563183, 'only half': 610564, 'mask worker': 519592, 'distancing except': 247138, 'except chk': 289134, 'chk out': 177572, 'once do': 605621, 'pls stayathome philly': 661183, 'stayathome philly surrounding': 797577, 'philly surrounding area': 654775, 'surrounding area like': 828734, 'area like delco': 92096, 'like delco grocery': 490103, 'delco grocery shopping': 232834, 'shopping the other': 764089, 'other day wa': 620085, 'day wa nightmare': 228655, 'wa nightmare only': 962713, 'nightmare only half': 563184, 'only half were': 610565, 'half were wearing': 374300, 'wearing mask worker': 974729, 'mask worker with': 519593, 'worker with glove': 1008262, 'with glove only': 998625, 'glove only no': 352835, 'only no social': 610825, 'social distancing except': 779605, 'distancing except chk': 247139, 'except chk out': 289135, 'chk out no': 177573, 'out no limit': 626641, 'no limit on': 564602, 'limit on shopper': 492428, 'on shopper in': 603435, 'at once do': 99957, 'once do better': 605622, 'jamestown': 464418, 'koolaid': 477428, 'only difference': 610334, 'the jamestown': 858629, 'jamestown koolaid': 464419, 'koolaid cult': 477429, 'cult and': 220253, 'trump follower': 933561, 'follower is': 312644, 'somehow trump': 784347, 'is president': 451001, 'consumer anything': 196260, 'trump trump': 933939, 'the only difference': 862303, 'only difference between': 610335, 'between the jamestown': 128931, 'the jamestown koolaid': 858630, 'jamestown koolaid cult': 464420, 'koolaid cult and': 477430, 'cult and trump': 220254, 'and trump follower': 74487, 'trump follower is': 933562, 'follower is that': 312645, 'is that somehow': 452693, 'that somehow trump': 846404, 'somehow trump is': 784348, 'trump is president': 933653, 'is president please': 451002, 'president please do': 670886, 'do not consumer': 249705, 'not consumer anything': 568846, 'consumer anything from': 196261, 'anything from trump': 80773, 'from trump trump': 338154, 'corsair': 207709, 'dna corsair': 248980, 'corsair are': 207710, 'dna corsair are': 248981, 'corsair are predator': 207711, 'comm': 188314, 'commission open': 188872, 'open hii': 612300, 'hii opening': 396176, 'up emergency': 944784, 'emergency comms': 272635, 'comms so': 189521, 'long quarantine': 501572, 'quarantine will': 692704, 'also donate': 48125, 'my earnings': 548053, 'help up': 390838, 'medical foundation': 526181, 'foundation against': 330481, 'thread full': 893549, 'full comm': 340533, 'comm info': 188318, 'commission open hii': 188873, 'open hii opening': 612301, 'hii opening up': 396177, 'opening up emergency': 612944, 'up emergency comms': 944785, 'emergency comms so': 272636, 'comms so that': 189522, 'so that my': 778382, 'that my family': 845263, 'family and can': 297582, 'and can prepare': 59466, 'the month long': 860849, 'month long quarantine': 537837, 'long quarantine will': 501573, 'quarantine will also': 692705, 'will also donate': 992255, 'also donate some': 48126, 'of my earnings': 586759, 'my earnings to': 548054, 'earnings to help': 264935, 'to help up': 907661, 'help up medical': 390839, 'up medical foundation': 945376, 'medical foundation against': 526182, 'foundation against covid': 330482, '19 price in': 9813, 'the thread full': 869508, 'thread full comm': 893550, 'full comm info': 340534, 'comm info here': 188319, 'today retail': 920116, 'retail cpg': 718011, 'cpg supply': 214618, 'chain strain': 171137, 'achieve resiliency': 29035, 'resiliency supplychain': 714508, 'supplychain ai': 826159, 'ai machinelearning': 39323, 'today retail cpg': 920117, 'retail cpg supply': 718012, 'cpg supply chain': 214619, 'supply chain strain': 825042, 'chain strain to': 171138, 'area here are': 92048, 'here are measure': 392745, 'are measure to': 88059, 'measure to achieve': 525381, 'to achieve resiliency': 899989, 'achieve resiliency supplychain': 29036, 'resiliency supplychain ai': 714509, 'supplychain ai machinelearning': 826160, 'tectonic': 836412, 'the tectonic': 869240, 'tectonic shift': 836413, 'psychology older': 687573, 'older consumer': 598588, 'spend restaurant': 788670, 'movie travel': 544089, 'travel cruise': 930328, 'cruise before': 219692, 'before until': 123256, 'we either': 971436, 'either have': 270314, 'have herd': 380932, 'immunity or': 417416, 'these group': 880080, 'group represent': 366858, 'represent 82': 712865, '82 of': 22809, 'of held': 584534, 'held wealth': 388950, 'investor are not': 444108, 'are not pricing': 88441, 'not pricing in': 571090, 'pricing in the': 677941, 'in the tectonic': 429595, 'the tectonic shift': 869241, 'tectonic shift in': 836414, 'in consumer psychology': 421714, 'consumer psychology older': 198599, 'psychology older consumer': 687574, 'older consumer are': 598589, 'consumer are not': 196300, 'and spend restaurant': 72089, 'spend restaurant movie': 788671, 'restaurant movie travel': 716581, 'movie travel cruise': 544090, 'travel cruise before': 930329, 'cruise before until': 219693, 'before until we': 123257, 'until we either': 943922, 'we either have': 971437, 'either have herd': 270315, 'have herd immunity': 380933, 'herd immunity or': 392611, 'immunity or vaccine': 417417, 'or vaccine and': 617637, 'vaccine and these': 951657, 'and these group': 73881, 'these group represent': 880082, 'group represent 82': 366859, 'represent 82 of': 712866, '82 of held': 22810, 'of held wealth': 584535, 'vryburg': 960762, 'small farming': 774949, 'farming town': 299657, 'of vryburg': 592864, 'vryburg in': 960763, 'west ha': 980503, 'ha scored': 371810, 'scored partnership': 742392, 'provide shopping': 686470, 'coronavirus national': 206306, 'start up online': 794619, 'up online store': 945659, 'online store in': 609452, 'the small farming': 867362, 'small farming town': 774950, 'farming town of': 299658, 'town of vryburg': 927523, 'of vryburg in': 592865, 'vryburg in the': 960764, 'in the north': 429403, 'north west ha': 567691, 'west ha scored': 980504, 'ha scored partnership': 371811, 'scored partnership with': 742393, 'partnership with local': 642954, 'with local supermarket': 999286, 'to provide shopping': 912432, 'provide shopping and': 686471, 'delivery service of': 234451, 'service of essential': 752633, 'essential product during': 281418, '19 coronavirus national': 6109, 'coronavirus national lockdown': 206307, 'quebec announces': 693337, 'announces first': 77248, '19 confirmed': 5934, 'to 94': 899878, '94 really': 23548, 'it minion': 459632, 'minion on': 533305, 'quebec announces first': 693338, 'announces first death': 77249, 'first death from': 308624, 'covid 19 confirmed': 212838, '19 confirmed case': 5935, 'case up to': 166090, 'up to 94': 946353, 'to 94 really': 899879, '94 really people': 23549, 'really people need': 702485, 'need to social': 556075, 'social distance themselves': 779525, 'themselves from online': 876814, 'shopping it minion': 763104, 'it minion on': 459633, 'minion on the': 533306, 'front line that': 338611, 'line that have': 493447, 'have to process': 383267, 'to process and': 912171, 'process and deliver': 679879, 'deliver your non': 233276, 'your non essential': 1025023, 'help establish': 389653, 'establish and': 282014, 'and reinforce': 70180, 'reinforce real': 708247, 'help reinforce': 390430, 'reinforce this': 708249, 'really buy': 702043, 'purpose help establish': 690131, 'help establish and': 389654, 'establish and reinforce': 282015, 'and reinforce real': 70181, 'reinforce real meaningful': 708248, 'influencermarketing help reinforce': 437334, 'help reinforce this': 390431, 'reinforce this bond': 708250, 'because people really': 119478, 'people really buy': 649241, 'really buy into': 702044, 'buy into people': 148829, 'into people story': 442863, 'you posting': 1020390, 'posting video': 666706, 'etc saying': 282736, 'saying don': 739584, 'it risking': 460794, 'risking etc': 724065, 'still seeing so': 801156, 'of you posting': 593409, 'you posting video': 1020391, 'posting video at': 666707, 'video at the': 956626, 'supermarket etc saying': 820215, 'etc saying don': 282737, 'saying don want': 739585, 'to catch it': 902500, 'catch it risking': 167003, 'it risking etc': 460795, 'risking etc and': 724066, 'etc and none': 282409, 'none of you': 566604, 'world self': 1009959, 'sweep lockdownuknow': 830137, 'the world self': 871961, 'world self quarantine': 1009960, 'quarantine but the': 692066, 'but the uk': 147424, 'uk supermarket sweep': 938778, 'supermarket sweep lockdownuknow': 823096, 'sweep lockdownuknow 19': 830138, 'degradable': 232540, 'coreychen': 203536, 'stayathome homeessentials': 797501, 'homeessentials toiletpaper': 402695, 'toiletpaper home': 922079, 'home kitchen': 401503, 'kitchen degradable': 475707, 'degradable toilet': 232541, 'tissue soft': 899211, 'soft strong': 781484, 'and highly': 64568, 'highly absorbent': 396031, 'absorbent hand': 27484, 'hand towel': 375893, 'towel 10': 927286, 'by coreychen': 152217, 'coreychen via': 203537, 'stayathome homeessentials toiletpaper': 797502, 'homeessentials toiletpaper home': 402696, 'toiletpaper home kitchen': 922080, 'home kitchen degradable': 401504, 'kitchen degradable toilet': 475708, 'degradable toilet tissue': 232542, 'toilet tissue soft': 921646, 'tissue soft strong': 899212, 'soft strong and': 781485, 'strong and highly': 813975, 'and highly absorbent': 64569, 'highly absorbent hand': 396032, 'absorbent hand towel': 27485, 'hand towel 10': 375894, 'towel 10 roll': 927287, '10 roll by': 1662, 'roll by coreychen': 725233, 'by coreychen via': 152218, 'coronathailand': 205293, 'italy coronathailand': 462800, '19 italy coronathailand': 8166, 'one complaint': 606087, 'complaint target': 192034, 'target hand': 834463, 'manufacturer germ': 513455, 'germ which': 346179, 'allegedly posted': 45701, 'posted misleading': 666550, 'prevent coronavirus': 671605, 'one complaint target': 606088, 'complaint target hand': 192035, 'target hand sanitizer': 834464, 'sanitizer manufacturer germ': 735340, 'manufacturer germ which': 513456, 'germ which ha': 346180, 'which ha allegedly': 985874, 'ha allegedly posted': 369489, 'allegedly posted misleading': 45702, 'posted misleading claim': 666551, 'misleading claim that': 534096, 'claim that it': 179831, 'that it product': 844735, 'it product are': 460499, 'product are able': 680928, 'help prevent coronavirus': 390342, 'prevent coronavirus infection': 671606, 'michelman': 530306, 'michelman how': 530307, 'hurting independent': 411640, 'michelman how is': 530308, 'how is hurting': 408098, 'is hurting independent': 448640, 'he never': 385252, 'never mentioned': 558112, 'mentioned lockdown': 528836, 'still carry': 800347, 'be congregating': 114183, 'congregating herd': 194469, 'herd stayathomesavelives': 392619, 'stayathomesavelives 19': 797796, 'so he never': 777279, 'he never mentioned': 385253, 'never mentioned lockdown': 558114, 'mentioned lockdown and': 528837, 'lockdown and people': 499149, 'can still carry': 159766, 'still carry on': 800348, 'carry on going': 165122, 'supermarket so there': 822742, 'be no change': 116091, 'will be shopping': 992681, 'be shopping people': 117157, 'still be congregating': 800249, 'be congregating herd': 114184, 'congregating herd stayathomesavelives': 194470, 'herd stayathomesavelives 19': 392620, 'lisce': 494253, '19italia': 12527, 'buying set': 151009, 'but italian': 146183, 'not reached': 571215, 'buy penne': 149081, 'penne lisce': 646537, 'lisce 19': 494254, '19 19italia': 4717, '19italia note': 12528, 'the own': 862800, 'brand supermarket': 138022, 'supermarket pasta': 821937, 'left which': 485732, 'which no': 986177, 'want either': 965772, 'breaking news from': 139001, 'news from italy': 560453, 'from italy supermarket': 336135, 'italy supermarket shelf': 462934, 'are emptying out': 86180, 'emptying out panic': 275269, 'panic buying set': 637879, 'buying set in': 151010, 'set in but': 753400, 'in but italian': 421094, 'but italian have': 146184, 'italian have still': 462703, 'still not reached': 800899, 'not reached the': 571216, 'point where they': 662705, 'where they buy': 985273, 'they buy penne': 881593, 'buy penne lisce': 149082, 'penne lisce 19': 646538, 'lisce 19 19italia': 494255, '19 19italia note': 4718, '19italia note the': 12529, 'note the own': 572823, 'the own brand': 862801, 'own brand supermarket': 631904, 'brand supermarket pasta': 138023, 'supermarket pasta to': 821938, 'pasta to the': 643832, 'the left which': 859268, 'left which no': 485733, 'which no one': 986178, 'one want either': 607356, 'fistr': 309453, 'avoid 19': 104992, 'the fistr': 855378, 'fistr online': 309454, 'avoid 19 by': 104993, '19 by shopping': 5574, 'online today with': 609610, 'with the fistr': 1001307, 'the fistr online': 855379, 'fistr online market': 309455, 'online market in': 608522, 'market in rwanda': 516570, 'counterintuitively': 210331, 'afoot': 34962, 'had fascinating': 373103, 'fascinating 2020': 299747, '2020 counterintuitively': 14257, 'counterintuitively falling': 210332, 'hit ha': 398243, 'become horribly': 120025, 'horribly apparent': 404142, 'apparent rebound': 81894, 'now afoot': 573947, 'afoot get': 34963, 'your market': 1024773, 'price have had': 674430, 'have had fascinating': 380863, 'had fascinating 2020': 373104, 'fascinating 2020 counterintuitively': 299748, '2020 counterintuitively falling': 14258, 'counterintuitively falling the': 210333, 'falling the economic': 297346, 'economic hit ha': 267122, 'hit ha become': 398244, 'ha become horribly': 369681, 'become horribly apparent': 120026, 'horribly apparent rebound': 404143, 'apparent rebound is': 81895, 'rebound is now': 703316, 'is now afoot': 450255, 'now afoot get': 573948, 'afoot get your': 34964, 'get your market': 348714, 'your market update': 1024775, 'another example': 77605, 'trump minimizing': 933710, 'minimizing the': 533156, 'another example of': 77606, 'example of trump': 288953, 'of trump minimizing': 592475, 'trump minimizing the': 933711, 'minimizing the coronavirus': 533157, 'coronavirus just spoke': 206194, 'to two people': 917869, 'two people who': 937142, 'it they never': 461631, 'never went to': 558272, 'went to doctor': 979149, 'philanthropic': 654701, 'doing cute': 252345, 'cute thing': 223673, 'their logo': 873880, 'logo brand': 500824, 'take philanthropic': 832487, 'philanthropic action': 654702, 'psychologist say': 687539, 'instead of doing': 440253, 'of doing cute': 582768, 'doing cute thing': 252346, 'cute thing with': 223674, 'thing with their': 885004, 'with their logo': 1001581, 'their logo brand': 873881, 'logo brand should': 500825, 'should take philanthropic': 766553, 'take philanthropic action': 832488, 'philanthropic action during': 654703, 'action during the': 30005, 'pandemic consumer psychologist': 635193, 'consumer psychologist say': 198593, '01449': 761, '77400': 22313, 'donation request': 254681, 'parcel have': 641505, 'risen 600': 723088, '600 since': 21114, 'appealing directly': 82097, 'to eatery': 904913, 'eatery who': 266164, 'call 01449': 155669, '01449 77400': 762, '77400 am': 22314, 'pm mon': 661946, 'mon fri': 536191, 'fri email': 333157, 'email support': 272310, 'support org': 826717, 'org please': 619189, 'plea for food': 659542, 'bank donation request': 109788, 'donation request for': 254682, 'request for food': 713159, 'for food parcel': 321612, 'food parcel have': 315818, 'parcel have risen': 641506, 'have risen 600': 382332, 'risen 600 since': 723089, '600 since we': 21115, 'we are appealing': 970481, 'are appealing directly': 84595, 'appealing directly to': 82098, 'directly to eatery': 243588, 'to eatery who': 904914, 'eatery who have': 266165, 'who have an': 988908, 'have an excess': 379248, 'excess of stock': 289359, 'of stock call': 590146, 'stock call 01449': 801967, 'call 01449 77400': 155670, '01449 77400 am': 763, '77400 am pm': 22315, 'am pm mon': 50314, 'pm mon fri': 661947, 'mon fri email': 536192, 'fri email support': 333158, 'email support org': 272311, 'support org please': 826718, 'y11s': 1013948, 'y13s': 1013951, 'leaver': 485064, 'prom': 683647, 'actually breaking': 30744, 'breaking for': 138947, 'the y11s': 872135, 'y11s and': 1013949, 'and y13s': 75956, 'y13s finishing': 1013952, 'finishing school': 307938, 'school on': 741885, 'friday with': 333323, 'proper send': 684149, 'send off': 749918, 'off no': 593995, 'no leaver': 564589, 'leaver assembly': 485065, 'assembly no': 96355, 'no prom': 565219, 'prom no': 683650, 'no final': 564220, 'final lunchtime': 305846, 'lunchtime on': 506766, 'this over': 889338, 'now pls': 575560, 'heart is actually': 388306, 'is actually breaking': 445328, 'actually breaking for': 30745, 'breaking for the': 138948, 'for the y11s': 326793, 'the y11s and': 872136, 'y11s and y13s': 1013950, 'and y13s finishing': 75957, 'y13s finishing school': 1013953, 'finishing school on': 307939, 'school on friday': 741886, 'on friday with': 601019, 'friday with no': 333324, 'with no proper': 999780, 'no proper send': 565223, 'proper send off': 684150, 'send off no': 749919, 'off no leaver': 593996, 'no leaver assembly': 564590, 'leaver assembly no': 485066, 'assembly no prom': 96356, 'no prom no': 565220, 'prom no final': 683651, 'no final lunchtime': 564221, 'final lunchtime on': 305847, 'lunchtime on the': 506767, 'on the field': 604117, 'the field can': 855143, 'field can this': 304461, 'can this over': 159994, 'this over now': 889340, 'over now pls': 630449, 'buymo': 151438, 'insurance no': 440778, 'in rolla': 427534, 'rolla is': 725619, 'small insurance': 775002, 'missouri taking': 534442, 'taking call': 833293, 'call helping': 155929, 'people apply': 646908, 'please buymo': 659742, 'buymo safely': 151439, 'safely supportlocal': 730322, 'shopping for insurance': 762686, 'for insurance no': 322619, 'insurance no need': 440779, 'it in person': 458740, 'in person in': 426629, 'person in rolla': 652488, 'in rolla is': 427535, 'rolla is one': 725620, 'of the small': 591471, 'the small insurance': 867364, 'small insurance company': 775003, 'insurance company in': 440698, 'company in missouri': 190765, 'in missouri taking': 425380, 'missouri taking call': 534443, 'taking call helping': 833294, 'call helping people': 155930, 'helping people apply': 391433, 'people apply online': 646909, 'apply online please': 82582, 'online please buymo': 608769, 'please buymo safely': 659743, 'buymo safely supportlocal': 151440, 'safely supportlocal during': 730323, 'supportlocal during learn': 827259, 'uk supermarket competition': 938759, 'erdogan pretty': 280130, 'pretty bullish': 671367, 'say turkey': 739412, 'outside china': 629393, 'slump ahead': 774674, 'of expected': 583314, 'expected stimulus': 290944, 'announcement later': 77166, 'today pres': 920061, 'pres call': 670441, 'erdogan pretty bullish': 280131, 'pretty bullish on': 671368, 'bullish on say': 142467, 'on say turkey': 603321, 'say turkey stand': 739413, 'benefit people look': 127063, 'people look for': 648700, 'look for production': 502369, 'for production capacity': 324782, 'capacity outside china': 162558, 'outside china and': 629394, 'price slump ahead': 676490, 'slump ahead of': 774675, 'ahead of expected': 39179, 'of expected stimulus': 583315, 'expected stimulus announcement': 290945, 'stimulus announcement later': 801510, 'announcement later today': 77167, 'later today pres': 481151, 'today pres call': 920062, 'pres call on': 670442, 'call on private': 156042, 'on private sector': 602929, 'work with gov': 1006033, 'with gov to': 998653, 'gov to counter': 359714, 'opening bell': 612809, 'bell stock': 126495, 'stock opened': 802576, 'opened flat': 612724, 'flat grim': 310074, 'grim unemployment': 363972, 'unemployment data': 941194, 'data offset': 226316, 'offset surge': 596111, 'and added': 57675, 'economic ramification': 267219, 'opening bell stock': 612810, 'bell stock opened': 126496, 'stock opened flat': 802577, 'opened flat grim': 612725, 'flat grim unemployment': 310075, 'grim unemployment data': 363973, 'unemployment data offset': 941195, 'data offset surge': 226317, 'offset surge in': 596112, 'surge in oil': 828198, 'price and added': 672357, 'and added to': 57676, 'surrounding the pandemic': 828775, 'and it economic': 65518, 'it economic ramification': 457754, 'svcs': 829872, 'jeopardizing': 465127, 'working healthcare': 1008695, 'delivery svcs': 234593, 'svcs we': 829875, 'you jeopardizing': 1019401, 'jeopardizing ur': 465128, 'who let': 989196, 'let worker': 487207, 'pay thank': 645136, 'hard working healthcare': 378142, 'working healthcare worker': 1008696, 'store worker amp': 811452, 'worker amp restaurant': 1006260, 'amp restaurant who': 54401, 'restaurant who remain': 716802, 'who remain open': 989526, 'open for takeout': 612262, 'for takeout delivery': 326133, 'takeout delivery svcs': 833155, 'delivery svcs we': 234594, 'svcs we appreciate': 829876, 'appreciate you jeopardizing': 82785, 'you jeopardizing ur': 1019402, 'jeopardizing ur own': 465129, 'ur own health': 948047, 'own health to': 632062, 'health to business': 386916, 'to business who': 902139, 'business who let': 144669, 'who let worker': 989198, 'let worker work': 487208, 'worker work home': 1008282, 'work home or': 1005259, 'home or offer': 401750, 'or offer sick': 616352, 'offer sick pay': 594792, 'sick pay thank': 768574, 'pay thank you': 645137, 'forced consumer': 328569, 'do even': 249259, 'that behavior': 842970, 'stick retail': 800046, 'ha forced consumer': 370659, 'forced consumer to': 328570, 'consumer to do': 199317, 'to do even': 904501, 'do even more': 249260, 'shopping online will': 763509, 'online will that': 609733, 'will that behavior': 995120, 'that behavior stick': 842971, 'behavior stick retail': 124204, 'stick retail china': 800047, 'retail china ecommerce': 717956, 'business think': 144519, 'how money': 408328, 'money driven': 536715, 'driven people': 259339, 'be disappointing': 114475, 'disappointing cuz': 244134, 'cuz there': 223821, 'need whatsoever': 556201, 'whatsoever and': 982919, 'ppl panic': 668302, 'buying don': 150202, 'like this business': 491474, 'this business think': 886635, 'business think it': 144520, 'ok to increase': 597924, 'on thing just': 604586, 'thing just go': 884504, 'show how money': 766984, 'how money driven': 408329, 'money driven people': 536716, 'driven people can': 259340, 'can be it': 157635, 'be it really': 115564, 'it really be': 460628, 'really be disappointing': 702011, 'be disappointing cuz': 114476, 'disappointing cuz there': 244135, 'cuz there no': 223822, 'no need whatsoever': 564857, 'need whatsoever and': 556202, 'whatsoever and ppl': 982920, 'and ppl panic': 69292, 'ppl panic buying': 668303, 'panic buying don': 637709, 'buying don get': 150203, 'don get me': 253541, 'incarcerated worker': 431326, 'are employed': 86125, 'employed in': 273482, 'protection that': 685642, 'that avoids': 842904, 'avoids coming': 105509, 'coming infection': 188105, 'infection massacre': 436789, 'massacre in': 519938, 'prison elevate': 678713, 'elevate and': 271362, 'and press': 69390, 'of incarcerated': 585053, 'worker group': 1007068, 'incarcerated worker are': 431327, 'worker are employed': 1006385, 'are employed in': 86126, 'employed in the': 273483, 'food industry we': 315027, 'industry we need': 436221, 'the food movement': 855577, 'food movement to': 315485, 'movement to rise': 543943, 'to rise up': 913582, 'up and demand': 944316, 'and demand covid': 61145, '19 protection that': 9858, 'protection that avoids': 685643, 'that avoids coming': 842905, 'avoids coming infection': 105510, 'coming infection massacre': 188106, 'infection massacre in': 436790, 'massacre in the': 519939, 'the prison elevate': 864476, 'prison elevate and': 678714, 'elevate and press': 271363, 'and press the': 69391, 'press the demand': 671087, 'demand of incarcerated': 235949, 'of incarcerated worker': 585054, 'incarcerated worker group': 431328, 'getting tougher': 349415, 'shopping is getting': 763045, 'is getting tougher': 448049, 'getting tougher by': 349416, 'policy strengthens': 663504, 'strengthens the': 813277, 'iranian and': 444726, 'government their': 360683, 'resulting buzz': 717690, '19 will kill': 12099, 'will kill enough': 993912, 'iranian weaken the': 444744, 'weaken the government': 974056, 'government to force': 360716, 'murderous policy strengthens': 546181, 'policy strengthens the': 663505, 'strengthens the iranian': 813278, 'the iranian and': 858445, 'iranian and the': 444727, 'the government their': 856610, 'government their new': 360684, 'their new year': 874054, 'celebration weather the': 168867, 'weather the perfect': 974902, '19 resulting buzz': 10196, 'business complying': 143560, 'latest measure': 481434, 'safe whilst': 730145, 'manufacture deliver': 513367, 'with labelled': 999165, 'labelled packaged': 478388, 'for business complying': 319826, 'business complying with': 143561, 'the latest measure': 859126, 'latest measure to': 481435, 'we re keeping': 972905, 're keeping our': 698955, 'keeping our staff': 472509, 'our staff safe': 624881, 'staff safe whilst': 792812, 'safe whilst we': 730146, 'hard to manufacture': 378072, 'to manufacture deliver': 909816, 'manufacture deliver the': 513368, 'deliver the necessary': 233232, 'the necessary product': 861377, 'necessary product to': 554054, 'ensure the supermarket': 278091, 'stocked with labelled': 803465, 'with labelled packaged': 999166, 'labelled packaged good': 478389, 'you morrison': 1019890, 'morrison for': 541717, 'government prosecute': 360491, 'prosecute superstores': 684627, 'superstores and': 824355, 'just independent': 469064, 'for profiteering': 324799, 'on you morrison': 605430, 'you morrison for': 1019891, 'morrison for putting': 541718, 'for putting up': 324880, 'putting up the': 691278, 'the price let': 864380, 'price let hope': 675033, 'hope the government': 403678, 'the government prosecute': 856588, 'government prosecute superstores': 360492, 'prosecute superstores and': 684628, 'superstores and not': 824356, 'not just independent': 570229, 'just independent shop': 469065, 'independent shop for': 434135, 'shop for profiteering': 760197, 'for profiteering from': 324800, 'to village': 918180, 'northern spain': 567780, 'saw about': 738051, 'not mobilising': 570595, 'mobilising to': 535067, 'isolate them': 454923, 'them whilst': 876622, 'whilst closing': 987617, 'closing school': 183744, 'and fining': 62909, 'fining jogger': 307842, 'went to village': 979200, 'to village supermarket': 918181, 'village supermarket in': 957371, 'supermarket in northern': 820948, 'in northern spain': 425957, 'northern spain and': 567781, 'spain and saw': 787274, 'and saw about': 70976, 'saw about or': 738052, 'about or people': 25865, 'or people in': 616540, 'group for why': 366701, 'for why are': 327870, 'we not mobilising': 972601, 'not mobilising to': 570596, 'mobilising to isolate': 535068, 'to isolate them': 908544, 'isolate them whilst': 454924, 'them whilst closing': 876623, 'whilst closing school': 987618, 'closing school and': 183745, 'school and fining': 741684, 'and fining jogger': 62910, 'how foodindustry': 407877, 'foodindustry and': 317969, 'advertising industry': 33234, 'alleviate fear': 45807, 'fear foodsafety': 301126, 'foodsafety communication': 318055, 'communication advertising': 189572, 'marketing corvid19': 517565, 'corvid19 corona': 207725, 'corona management': 204054, 'taking the consumer': 833585, 'consumer perspective what': 198362, 'perspective what consumer': 653246, 'worried about when': 1010531, 'about when it': 26909, 'come to safe': 187594, 'to safe food': 913700, 'safe food and': 729667, 'food and how': 313257, 'and how foodindustry': 64813, 'how foodindustry and': 407878, 'foodindustry and advertising': 317970, 'and advertising industry': 57720, 'advertising industry can': 33235, 'industry can help': 435714, 'can help alleviate': 158603, 'help alleviate fear': 389329, 'alleviate fear foodsafety': 45808, 'fear foodsafety communication': 301127, 'foodsafety communication advertising': 318056, 'communication advertising marketing': 189573, 'advertising marketing corvid19': 33249, 'marketing corvid19 corona': 517566, 'corvid19 corona management': 207726, 'just predict': 469488, 'in ca': 421116, 'ca are': 154862, 'spike from': 789284, 'from 900': 334349, '900 to': 23394, 'to 25m': 899644, '25m in': 16094, 'irresponsible but': 445044, 'but stupid': 147205, 'stupid are': 815346, 'latest panic': 481485, 'panic scare': 638513, 'scare probably': 740905, 'to just predict': 908728, 'just predict that': 469489, 'predict that the': 669580, 'case in ca': 165788, 'in ca are': 421117, 'ca are going': 154863, 'to spike from': 915008, 'spike from 900': 789285, 'from 900 to': 334350, '900 to 25m': 23396, 'to 25m in': 899645, '25m in week': 16095, 'week is not': 976421, 'not only irresponsible': 570805, 'only irresponsible but': 610653, 'irresponsible but stupid': 445046, 'but stupid are': 147206, 'stupid are you': 815347, 'food after your': 313051, 'after your latest': 36616, 'your latest panic': 1024597, 'latest panic scare': 481486, 'panic scare probably': 638514, 'scare probably not': 740906, 'just madness': 469212, 'is just madness': 449136, 'northridge': 567812, 'saw real': 738223, 'life miracle': 488881, 'miracle today': 533925, 'hoarding publix': 399491, 'publix super': 688778, 'at northridge': 99915, 'northridge shopping': 567813, 'saw real life': 738224, 'real life miracle': 701251, 'life miracle today': 488882, 'miracle today toiletpaper': 533926, 'today toiletpaper hoarding': 920376, 'toiletpaper hoarding publix': 922075, 'hoarding publix super': 399492, 'publix super market': 688779, 'super market at': 818542, 'market at northridge': 516047, 'at northridge shopping': 99916, 'northridge shopping center': 567814, 'tyrant': 937683, 'itsthelittlethings': 463992, 'taking toiletpaper': 833638, 'toiletpaper out': 922294, 'people cart': 647447, 'cart because': 165270, 'they abuse': 881084, 'any make': 79445, 'like tyrant': 491688, 'tyrant all': 937684, 'powerful loving': 667781, 'loving god': 505055, 'god amazing': 354644, 'amazing power': 50765, 'power trip': 667722, 'trip 10': 932039, '10 10': 1223, '10 itsthelittlethings': 1490, 'itsthelittlethings grocerygames': 463993, 'taking toiletpaper out': 833639, 'toiletpaper out of': 922295, 'of people cart': 587884, 'people cart because': 647448, 'cart because they': 165271, 'because they abuse': 119684, 'they abuse the': 881085, 'abuse the limit': 27665, 'the limit and': 859381, 'limit and giving': 492281, 'and giving it': 63679, 'giving it to': 351330, 'someone who didn': 784753, 'who didn get': 988592, 'didn get any': 241066, 'get any make': 346576, 'any make me': 79446, 'feel like tyrant': 302756, 'like tyrant all': 491689, 'tyrant all powerful': 937685, 'all powerful loving': 44005, 'powerful loving god': 667782, 'loving god amazing': 505056, 'god amazing power': 354645, 'amazing power trip': 50766, 'power trip 10': 667723, 'trip 10 10': 932040, '10 10 itsthelittlethings': 1224, '10 itsthelittlethings grocerygames': 1491, 'business using': 144594, 'unfairly hike': 941455, 'hike their': 396282, 'new name': 559127, 'shame register': 754639, 'register the': 707615, 'sunday telegraph': 818273, 'telegraph can': 836733, 'can reveal': 159482, 'reveal it': 720237, 'come shopper': 187507, 'have inundated': 381119, 'inundated consumer': 443541, 'choice with': 177834, 'complaint list': 191993, 'of offender': 587157, 'business using covid': 144595, '19 condition to': 5933, 'condition to unfairly': 193548, 'to unfairly hike': 917932, 'unfairly hike their': 941456, 'hike their price': 396283, 'be put on': 116642, 'put on new': 690723, 'on new name': 602377, 'new name and': 559128, 'and shame register': 71363, 'shame register the': 754640, 'register the sunday': 707616, 'the sunday telegraph': 868418, 'sunday telegraph can': 818274, 'telegraph can reveal': 836734, 'can reveal it': 159483, 'reveal it come': 720238, 'it come shopper': 457210, 'come shopper have': 187508, 'shopper have inundated': 761543, 'have inundated consumer': 381120, 'inundated consumer group': 443542, 'consumer group choice': 197656, 'group choice with': 366647, 'choice with complaint': 177835, 'with complaint list': 997711, 'complaint list of': 191994, 'list of offender': 494457, 'crisis meet the': 217721, 'meet the easter': 527597, 'the easter shutdown': 853854, 'snaking queue to': 776070, 'queue to the': 694102, 'receives 100k': 703723, '100k from': 2166, 'from foundation': 335547, 'foundation to': 330508, 'help handle': 389839, 'handle increased': 376213, 'receives 100k from': 703724, '100k from foundation': 2167, 'from foundation to': 335548, 'foundation to help': 330509, 'to help handle': 907534, 'help handle increased': 389840, 'handle increased demand': 376214, 'food service in': 316419, 'full article from': 340487, 'article from here': 94329, 'cov although': 212107, 'unclear whether': 939844, 'origin of sars': 619543, 'sars cov although': 736798, 'cov although it': 212108, 'is unclear whether': 453449, 'unclear whether the': 939845, 'human or in': 410580, 'or in an': 615748, 'in an animal': 420278, 'individualistic': 435298, 'airdrop': 39881, 'nocoronavirus': 566102, 'io because': 444429, 'country indonesia': 210786, 'indonesia almost': 435320, 'everyone becomes': 286732, 'becomes individualistic': 120227, 'individualistic and': 435299, 'mask become': 518471, 'become indispensable': 120035, 'indispensable item': 435109, 'soar wallet': 779284, 'wallet airdrop': 965209, 'airdrop giveaway': 39882, 'giveaway nocoronavirus': 350911, 'io because in': 444430, 'my country indonesia': 547815, 'country indonesia almost': 210787, 'indonesia almost everyone': 435321, 'almost everyone becomes': 46627, 'everyone becomes individualistic': 286733, 'becomes individualistic and': 120228, 'individualistic and mask': 435300, 'and mask become': 66747, 'mask become indispensable': 518472, 'become indispensable item': 120036, 'indispensable item and': 435110, 'item and price': 463070, 'and price soar': 69477, 'price soar wallet': 676533, 'soar wallet airdrop': 779285, 'wallet airdrop giveaway': 965210, 'airdrop giveaway nocoronavirus': 39883, 'shorting': 765377, 'drastically reduced': 258455, 'of automobile': 580468, 'automobile traffic': 104030, 'may ethanol': 521146, 'dropped 30': 260509, '30 meanwhile': 17104, 'may corn': 521103, 'only dropped': 610370, 'dropped we': 260653, 'expect these': 290758, 'so trader': 778563, 'trader might': 928739, 'might consider': 530949, 'consider shorting': 195107, 'shorting these': 765378, '19 ha drastically': 7342, 'ha drastically reduced': 370444, 'drastically reduced the': 258458, 'reduced the volume': 706186, 'volume of automobile': 960151, 'of automobile traffic': 580469, 'automobile traffic the': 104031, 'traffic the may': 929146, 'the may ethanol': 860315, 'may ethanol price': 521147, 'ethanol price ha': 283001, 'ha dropped 30': 370456, 'dropped 30 meanwhile': 260510, '30 meanwhile the': 17105, 'meanwhile the may': 525040, 'the may corn': 860314, 'may corn price': 521104, 'corn price ha': 203587, 'ha only dropped': 371445, 'only dropped we': 610371, 'dropped we expect': 260654, 'we expect these': 971502, 'expect these price': 290759, 'these price to': 880545, 'continue to decrease': 201176, 'to decrease so': 904036, 'decrease so trader': 231605, 'so trader might': 778564, 'trader might consider': 928740, 'might consider shorting': 530950, 'consider shorting these': 195108, 'shorting these commodity': 765379, 'the smell': 867379, 'smell of': 775613, 'is it wrong': 449080, 'it wrong that': 462617, 'wrong that the': 1013111, 'that the smell': 846834, 'the smell of': 867380, 'smell of hand': 775614, 'sanitizer is starting': 735212, 'starting to turn': 795046, 'turn me on': 935703, 'donald will': 254119, 'major energy': 509314, 'company friday': 190683, 'discus falling': 244852, 'president donald will': 670803, 'donald will meet': 254120, 'will meet with': 994115, 'meet with ceo': 527652, 'ceo from major': 169707, 'from major energy': 336301, 'major energy company': 509315, 'energy company friday': 276412, 'company friday at': 190684, 'friday at the': 333206, 'at the white': 101152, 'house to discus': 406625, 'to discus falling': 904375, 'discus falling price': 244853, 'falling price due': 297321, 'to collapsing demand': 902960, 'collapsing demand during': 186133, 'renewed sense': 711018, 'of optimism': 587309, 'optimism swept': 613915, 'swept through': 830306, 'through cattle': 894361, 'market following': 516399, 'following widespread': 312942, 'widespread rainfall': 991859, 'rainfall this': 695783, 'this still': 890328, 'still hold': 800718, 'true however': 933107, 'disruption have': 246486, 'bigger picture': 130164, 'renewed sense of': 711019, 'sense of optimism': 750562, 'of optimism swept': 587310, 'optimism swept through': 613916, 'swept through cattle': 830307, 'through cattle market': 894362, 'cattle market following': 167360, 'market following widespread': 516400, 'following widespread rainfall': 312943, 'widespread rainfall this': 991860, 'rainfall this still': 695784, 'this still hold': 890329, 'still hold true': 800719, 'hold true however': 400036, 'true however the': 933108, 'however the reality': 409480, 'and the extent': 73361, 'extent of disruption': 293329, 'of disruption have': 582710, 'disruption have impacted': 246487, 'have impacted the': 381024, 'impacted the bigger': 418160, 'the bigger picture': 849636, 'that grain': 844070, 'grain price': 361790, 'stayed stable': 797874, 'stable since': 791953, 'massive disruption': 520013, '19 detailed': 6520, 'detailed data': 239284, 'data are': 226128, 'show that grain': 767183, 'that grain price': 844071, 'grain price in': 361792, 'in china have': 421403, 'china have stayed': 176707, 'have stayed stable': 382746, 'stayed stable since': 797875, 'stable since january': 791954, 'january 2020 despite': 464632, '2020 despite massive': 14272, 'despite massive disruption': 238785, 'massive disruption of': 520014, 'disruption of covid': 246511, 'covid 19 detailed': 212942, '19 detailed data': 6521, 'detailed data are': 239285, 'data are here': 226129, 'warehouse supplier': 966781, 'working right': 1008895, 'alone mentalhealth': 46886, 'all the truck': 44957, 'worker warehouse supplier': 1008124, 'warehouse supplier and': 966782, 'supplier and anyone': 824483, 'anyone who currently': 80616, 'who currently working': 988538, 'currently working right': 221724, 'working right now': 1008896, 'now in this': 575018, 'this pandemic you': 889453, 'not alone mentalhealth': 568160, 'statistic trying': 796597, 'gather accurate': 344366, 'accurate data': 28892, 'federal employee': 301978, 'employee forced': 273871, 'did pull': 240770, 'pull it': 688865, 'it interesting to': 458816, 'interesting to think': 441638, 'about the bureau': 26346, 'labor statistic trying': 478451, 'statistic trying to': 796598, 'trying to gather': 934812, 'to gather accurate': 906374, 'gather accurate data': 344367, 'accurate data on': 28893, 'data on food': 226323, 'food price with': 315986, 'price with staff': 677622, 'with staff of': 1000935, 'staff of federal': 792702, 'of federal employee': 583477, 'federal employee forced': 301979, 'employee forced to': 273872, 'home but somehow': 400847, 'but somehow they': 147116, 'somehow they did': 784341, 'they did pull': 881922, 'did pull it': 240771, 'pull it off': 688866, 'currently have hand': 221557, 'during visit': 263389, 'news advice': 560192, 'community discussion': 189818, 'discussion related': 245041, 'right during visit': 721880, 'during visit the': 263391, 'visit the hub': 959383, 'the hub for': 857688, 'latest news advice': 481448, 'news advice and': 560193, 'advice and community': 33304, 'and community discussion': 60169, 'community discussion related': 189819, 'discussion related to': 245042, 'at supermarket on': 100755, 'weaponized': 974272, 'alluded': 46415, 'reffering': 706542, 'wa weaponized': 963672, 'weaponized virus': 974273, 'virus similar': 958754, 'what alluded': 981010, 'alluded to': 46416, '2015 wa': 13816, 'wa constantly': 961866, 'constantly reffering': 195691, 'reffering to': 706543, 'consumer our': 198300, 'our insulated': 623566, 'insulated economy': 440617, 'economy china': 267750, 'china suffered': 176962, 'suffered under': 817266, 'under tariff': 940285, 'if the wa': 415045, 'the wa weaponized': 871019, 'wa weaponized virus': 963673, 'weaponized virus similar': 974274, 'virus similar to': 958755, 'to what alluded': 918507, 'what alluded to': 981011, 'alluded to in': 46417, 'to in his': 908222, 'in his back': 423716, 'his back in': 397221, 'in 2015 wa': 419773, '2015 wa constantly': 13817, 'wa constantly reffering': 961867, 'constantly reffering to': 195692, 'reffering to the': 706544, 'to the strength': 917102, 'the consumer our': 851566, 'consumer our country': 198301, 'country and our': 210443, 'and our insulated': 68497, 'our insulated economy': 623567, 'insulated economy china': 440618, 'economy china suffered': 267751, 'china suffered under': 176963, 'suffered under tariff': 817267, 'trump cannot': 933469, 'stand that': 793585, '1990 were': 12485, 'cheaper without': 174298, 'without pandemic': 1002815, 'because bill': 118952, 'president amp': 670755, 'amp balanced': 53428, 'balanced the': 109009, 'trump cannot stand': 933470, 'cannot stand that': 162120, 'stand that gas': 793586, 'the 1990 were': 847958, '1990 were cheaper': 12486, 'were cheaper without': 979435, 'cheaper without pandemic': 174299, 'without pandemic like': 1002816, 'pandemic like 19': 635886, 'like 19 because': 489684, '19 because bill': 5327, 'because bill clinton': 118953, 'wa president amp': 962986, 'president amp balanced': 670756, 'amp balanced the': 53429, 'balanced the budget': 109010, 'urbansketch': 948139, 'nearby corner': 553656, 'ha person': 371485, 'person maximum': 652530, 'maximum in': 520820, 'had social': 373522, 'distancing line': 247289, 'line set': 493390, 'door marked': 255648, 'marked by': 515849, 'by instruction': 152927, 'instruction taped': 440571, 'taped to': 834383, 'to traffic': 917699, 'traffic cone': 929066, 'cone an': 193701, 'employee stood': 274244, 'stood there': 804393, 'explain pencil': 292114, 'pencil socialdistancing': 646462, 'socialdistancing market': 780517, 'market pharmacy': 516848, 'pharmacy urbansketch': 654539, 'my nearby corner': 549415, 'nearby corner grocery': 553657, 'corner grocery pharmacy': 203647, 'grocery pharmacy ha': 364845, 'pharmacy ha person': 654332, 'ha person maximum': 371486, 'person maximum in': 652531, 'maximum in the': 520822, 'they had social': 882261, 'had social distancing': 373523, 'social distancing line': 779652, 'distancing line set': 247290, 'line set up': 493391, 'set up outside': 753569, 'the door marked': 853575, 'door marked by': 255649, 'marked by instruction': 515850, 'by instruction taped': 152928, 'instruction taped to': 440572, 'taped to traffic': 834384, 'to traffic cone': 917700, 'traffic cone an': 929067, 'cone an employee': 193702, 'an employee stood': 55714, 'employee stood there': 274245, 'stood there to': 804394, 'there to explain': 879184, 'to explain pencil': 905476, 'explain pencil socialdistancing': 292115, 'pencil socialdistancing market': 646463, 'socialdistancing market pharmacy': 780518, 'market pharmacy urbansketch': 516849, 'panicking can': 639330, 'can book': 157769, 'shop anywhere': 759885, 'anywhere how': 81117, 'delivery going': 234059, 'longer get': 501978, 'disabled and can': 243873, 'and can drive': 59451, 'can drive and': 158160, 'drive and because': 258980, 'because of everyone': 119338, 'of everyone panicking': 583257, 'everyone panicking can': 287255, 'panicking can book': 639331, 'can book an': 157770, 'online shop anywhere': 608972, 'shop anywhere how': 759886, 'anywhere how are': 81118, 'me who rely': 523970, 'food delivery going': 314129, 'delivery going to': 234060, 'to survive when': 916054, 'survive when we': 829289, 'we can no': 970979, 'no longer get': 564647, 'longer get our': 501980, 'although your': 49383, 'state not': 795785, 'lockdown convincing': 499264, 'convincing customer': 202679, 'retail challenge': 717947, 'challenge you': 171608, 'likely never': 492056, 'never faced': 557985, 'faced before': 295013, 'although your business': 49384, 'your business may': 1023067, 'business may be': 144036, 'be in state': 115433, 'in state not': 428241, 'state not yet': 795786, 'yet in lockdown': 1016105, 'in lockdown convincing': 424837, 'lockdown convincing customer': 499265, 'convincing customer it': 202680, 'customer it safe': 222548, 'safe to shop': 730059, 'store is retail': 808523, 'is retail challenge': 451493, 'retail challenge you': 717948, 'challenge you ve': 171609, 've likely never': 953338, 'likely never faced': 492057, 'never faced before': 557986, 'of all key': 579951, 'key worker at': 473468, 'this time from': 890639, 'time from the': 896811, 'worker were all': 1008163, 'all trying our': 45298, 'senate considers': 749692, 'considers it': 195447, 'bill tonight': 130706, 'tonight amp': 924358, 'amp tomorrow': 54728, 'tomorrow should': 924184, 'in nine': 425895, 'nine american': 563274, 'american struggled': 52223, 'table that': 831504, 'double soon': 256051, 'soon outbreak': 785787, 'senate considers it': 749693, 'considers it 19': 195448, 'it 19 response': 456182, '19 response bill': 10140, 'response bill tonight': 715636, 'bill tonight amp': 130707, 'tonight amp tomorrow': 924359, 'amp tomorrow should': 54729, 'tomorrow should remember': 924185, 'remember that even': 710277, 'that even before': 843732, 'even before this': 283875, 'this crisis one': 887071, 'crisis one in': 217821, 'one in nine': 606480, 'in nine american': 425896, 'nine american struggled': 563275, 'american struggled to': 52224, 'the table that': 869111, 'table that number': 831505, 'number could double': 576855, 'could double soon': 209109, 'double soon outbreak': 256052, 'soon outbreak wreaks': 785788, 'worker around country': 1006445, 'basic cleaning': 111842, 'in kakenews': 424434, 've been asking': 952863, 'asking for supply': 95998, 'of n95 and': 586844, 'surgical mask hand': 828357, 'sanitizer and basic': 734386, 'and basic cleaning': 58714, 'basic cleaning disinfectant': 111843, 'cleaning disinfectant for': 180933, 'disinfectant for week': 245669, 'week now some': 976592, 'now some supply': 575868, 'supply are starting': 824795, 'starting to trickle': 795045, 'trickle in kakenews': 931735, 'over could': 630124, 'could ticket': 209778, 'this cheap': 886756, 'cheap please': 174167, 'is over could': 450694, 'over could ticket': 630125, 'could ticket price': 209779, 'ticket price stay': 895657, 'price stay this': 676629, 'stay this cheap': 797352, 'this cheap please': 886757, 'country brace': 210522, 'while thousand': 987460, 'thousand indefinitely': 893405, 'indefinitely lose': 434046, 'of mandated': 586149, 'closure during': 183878, 'pandemic area': 634952, 'area pantry': 92159, 'the country brace': 852053, 'country brace for': 210523, 'brace for surge': 137490, 'demand while thousand': 236492, 'while thousand indefinitely': 987461, 'thousand indefinitely lose': 893406, 'indefinitely lose their': 434047, 'face of mandated': 294660, 'of mandated closure': 586150, 'mandated closure during': 513018, 'closure during the': 183879, '19 pandemic area': 9267, 'pandemic area pantry': 634953, 'area pantry are': 92160, 'pantry are adjusting': 639528, 'adjusting to ensure': 32366, 'ensure everyone get': 277932, 'everyone get needed': 286931, 'get needed food': 347652, 'affectiva': 34598, 'brand don': 137821, 'change campaign': 171969, 'campaign success': 157257, 'success come': 816187, 'lead with': 483404, 'with authentic': 997342, 'authentic empathy': 103618, 'empathy affectiva': 273343, 'affectiva data': 34599, 'brand don need': 137822, 'to change campaign': 902594, 'change campaign success': 171970, 'campaign success come': 157258, 'success come when': 816188, 'come when they': 187670, 'when they lead': 984267, 'they lead with': 882543, 'lead with authentic': 483405, 'with authentic empathy': 997343, 'authentic empathy affectiva': 103619, 'empathy affectiva data': 273344, 'affectiva data reveals': 34600, 'data reveals key': 226388, 'key insight on': 473328, 'insight on consumer': 439605, 'consumer expectation in': 197397, 'expectation in the': 290827, 'pick nick': 655661, 'nick in': 562582, 'park bike': 641880, 'bike ride': 130419, 'ride in': 721443, 'group walking': 366959, 'walking hand': 965053, 'hand taking': 375815, 'baby to': 106718, 'mouth house': 543519, 'party check': 642982, 'check people': 174594, 'distancing sigh': 247477, 'pick nick in': 655662, 'nick in the': 562583, 'the park bike': 863289, 'park bike ride': 641881, 'bike ride in': 130420, 'ride in large': 721445, 'large group walking': 479685, 'group walking hand': 366960, 'walking hand in': 965054, 'hand in hand': 375038, 'in hand taking': 423528, 'hand taking your': 375816, 'taking your baby': 833670, 'your baby to': 1022892, 'baby to the': 106719, 'supermarket cough without': 819815, 'your mouth house': 1024897, 'mouth house party': 543520, 'house party check': 406449, 'party check people': 642983, 'check people still': 174595, 'social distancing sigh': 779717, 'face asked': 294317, 'zero hard': 1027457, 'argue against': 92684, 'back had that': 107043, 'had that sad': 373603, 'that sad look': 846090, 'her face asked': 392033, 'face asked what': 294318, 'conscience zero hard': 194782, 'zero hard to': 1027458, 'hard to argue': 378049, 'to argue against': 900704, 'argue against it': 92685, 'against it supermarket': 37523, 'it supermarket corvid19uk': 461359, 'overpricing on toilet': 631404, 'roll hand sanitiser': 725328, 'major mail': 509375, 'order supplier': 618605, 'supplier today': 824631, '300 sale': 17345, 'and replenishing': 70254, 'replenishing quickly': 711684, 'notice an': 573247, 're talking to': 699666, 'talking to some': 834051, 'of the major': 591213, 'the major mail': 859931, 'major mail order': 509376, 'mail order supplier': 508639, 'order supplier today': 618606, 'supplier today and': 824632, 'increase of 300': 432933, 'of 300 sale': 579566, '300 sale but': 17346, 'chain and replenishing': 170474, 'and replenishing quickly': 70255, 'replenishing quickly if': 711685, 'you notice an': 1020142, 'notice an out': 573248, 'of stock come': 590149, 'stock come back': 802002, 'from suburban': 337460, 'observation from suburban': 578543, 'from suburban supermarket': 337461, '40mins': 18845, 'fairwaymarket': 296472, 'sister it': 771763, 'took 40mins': 925198, '40mins to': 18846, 'everyone socialdistancing': 287392, 'supermarket fairwaymarket': 820271, 'fairwaymarket sister': 296473, 'sister family': 771738, 'grocery run with': 364921, 'with my sister': 999652, 'my sister it': 550111, 'sister it took': 771764, 'it took 40mins': 461800, 'took 40mins to': 925199, '40mins to get': 18847, 'the supermarket thank': 868843, 'supermarket thank god': 823169, 'god for family': 354695, 'for family stay': 321393, 'safe everyone socialdistancing': 729650, 'everyone socialdistancing supermarket': 287393, 'socialdistancing supermarket fairwaymarket': 780774, 'supermarket fairwaymarket sister': 820272, 'fairwaymarket sister family': 296474, 'sister family shopping': 771739, 'been suspended': 122113, 'other government': 620311, 'owed to new': 631835, 'york state that': 1016670, 'state that ha': 795982, 'ag office ha': 36822, 'office ha been': 595431, 'ha been suspended': 369947, 'been suspended until': 122114, 'can apply for': 157523, 'of other government': 587365, 'other government debt': 620312, 'osterholm': 619743, 'doe sanitizer': 251563, 'sanitizer help': 735075, 'dr michael': 258065, 'michael osterholm': 530260, 'osterholm explains': 619744, 'doe sanitizer help': 251564, 'sanitizer help what': 735076, 'help what about': 390877, 'what about mask': 980981, 'about mask dr': 25705, 'mask dr michael': 518594, 'dr michael osterholm': 258066, 'michael osterholm explains': 530261, 'osterholm explains the': 619745, 'cholesterol': 177859, 'hearthealth': 388455, 'forget over': 329277, '00 shop': 487, 'and site': 71700, 'site will': 772065, 'to heart': 907423, 'heart uk': 388353, 'easyfundraising please': 265816, 'raise much': 695885, 'needed fund': 556369, 'fund thank': 341512, 'you cholesterol': 1017950, 'cholesterol hearthealth': 177860, 'hearthealth health': 388456, 'shopping online don': 763423, 'online don forget': 608127, 'don forget over': 253528, 'forget over 00': 329278, 'over 00 shop': 629753, '00 shop and': 488, 'shop and site': 759866, 'and site will': 71702, 'site will donate': 772066, 'will donate to': 993245, 'donate to heart': 254258, 'to heart uk': 907425, 'heart uk for': 388354, 'uk for free': 938381, 'via easyfundraising please': 955942, 'easyfundraising please sign': 265817, 'please sign up': 660521, 'and help raise': 64465, 'help raise much': 390402, 'raise much needed': 695886, 'much needed fund': 545151, 'needed fund thank': 556371, 'fund thank you': 341513, 'thank you cholesterol': 841709, 'you cholesterol hearthealth': 1017951, 'cholesterol hearthealth health': 177861, 'phoned': 655081, 'just reported': 469624, 'reported my': 712503, 'not cleaning': 568760, 'or keypad': 615905, 'keypad between': 473555, 'customer head': 222449, 'office phoned': 595514, 'phoned the': 655082, 'store immediately': 808255, 'this sorted': 890263, 'sorted do': 786171, 'just reported my': 469625, 'reported my local': 712504, 'supermarket to head': 823377, 'to head office': 907359, 'head office staff': 385790, 'office staff not': 595551, 'staff not cleaning': 792682, 'not cleaning hand': 568761, 'cleaning hand or': 180959, 'hand or keypad': 375153, 'or keypad between': 615906, 'keypad between customer': 473556, 'between customer head': 128759, 'customer head office': 222450, 'head office phoned': 385787, 'office phoned the': 595515, 'phoned the store': 655083, 'the store immediately': 868040, 'store immediately to': 808256, 'immediately to get': 417166, 'get this sorted': 348413, 'this sorted do': 890264, 'sorted do the': 786172, 'outbreak ram': 628566, 'fixed price for': 309823, 'amp sanitizers in': 54442, 'sanitizers in light': 736317, 'light of outbreak': 489561, 'of outbreak ram': 587607, 'outbreak ram vila': 628567, 'dieforthedow': 241615, 'dying4wallstreet': 263889, 'provide funeral': 686329, 'and linked': 66206, 'linked industry': 493978, 'up might': 945382, 'congress buy': 194495, 'them dieforthedow': 875598, 'dieforthedow dying4wallstreet': 241616, 'dying4wallstreet 19': 263890, 'watch the share': 968553, 'price for company': 673939, 'that provide funeral': 845885, 'provide funeral service': 686330, 'service and linked': 752095, 'and linked industry': 66207, 'linked industry go': 493979, 'industry go up': 435852, 'go up might': 354437, 'up might want': 945383, 'want to note': 966072, 'to note if': 910723, 'note if any': 572738, 'if any one': 413831, 'any one in': 79555, 'in congress buy': 421658, 'congress buy them': 194496, 'buy them dieforthedow': 149325, 'them dieforthedow dying4wallstreet': 875599, 'dieforthedow dying4wallstreet 19': 241617, 'amazon isn': 51014, 'struggle with': 814398, 'with fulfillment': 998577, 'fulfillment the': 340451, 'even amazon isn': 283831, 'amazon isn immune': 51015, 'immune to coronavirus': 417364, 'to coronavirus online': 903560, 'coronavirus online only': 206351, 'only retailer such': 611075, 'retailer such amazon': 719342, 'such amazon will': 816312, 'amazon will likely': 51203, 'likely continue to': 491976, 'to struggle with': 915690, 'struggle with fulfillment': 814399, 'with fulfillment the': 998578, 'fulfillment the covid': 340452, 'what behind': 981098, 'shelf and long': 756741, 'and long line': 66350, 'store what behind': 811228, 'what behind the': 981099, 'behind the headline': 124716, 'chat online': 173944, 'with folk': 998471, 'neighbourhood to': 557290, 'great spot': 363002, 'spot to': 790133, 'store ha stock': 808022, 'stock or to': 802593, 'or to chat': 617466, 'to chat online': 902666, 'chat online with': 173946, 'online with folk': 609745, 'with folk in': 998472, 'folk in your': 312198, 'your neighbourhood to': 1024980, 'neighbourhood to see': 557291, 'see how they': 745256, 're doing is': 698540, 'doing is great': 252475, 'is great spot': 448204, 'great spot to': 363003, 'spot to connect': 790135, 'nonsensically': 566753, 'bet money': 128085, 'are fox': 86668, 'believing the': 126461, 'are nonsensically': 88299, 'nonsensically paranoid': 566754, 'paranoid unaware': 641456, 'afraid people are': 35009, 'house to steal': 406633, 'steal their toiletpaper': 799207, 'their toiletpaper bet': 875006, 'toiletpaper bet money': 921804, 'bet money they': 128086, 'money they are': 537077, 'they are fox': 881279, 'are fox news': 86669, 'despite believing the': 238680, 'believing the trump': 126462, 'the trump lie': 870066, 'hoax are nonsensically': 399704, 'are nonsensically paranoid': 88300, 'nonsensically paranoid unaware': 566755, 'the logistical': 859659, 'logistical impossibility': 500705, 'impossibility of': 419347, 'of enforcing': 583113, 'enforcing production': 276825, 'destruction caused': 239103, 'the logistical impossibility': 859661, 'logistical impossibility of': 500706, 'impossibility of enforcing': 419348, 'of enforcing production': 583114, 'enforcing production cut': 276826, 'production cut and': 681988, 'cut and the': 223232, 'and the continued': 73298, 'the continued demand': 851669, 'continued demand destruction': 201309, 'demand destruction caused': 235232, 'destruction caused by': 239104, 'are not issue': 88403, 'not issue that': 570180, 'issue that can': 455958, 'solved by an': 782175, 'by an opec': 151828, 'an opec meeting': 56649, 'enforce limit': 276672, 'of repetitive': 588942, 'repetitive item': 711573, 'item purchased': 463590, 'purchased right': 689804, 'now wiggly': 576420, 'should enforce limit': 765960, 'enforce limit on': 276673, 'number of repetitive': 576985, 'of repetitive item': 588943, 'repetitive item purchased': 711574, 'item purchased right': 463591, 'purchased right now': 689805, 'right now wiggly': 722186, 'pray we': 669036, 'is eventually': 447567, 'eventually over': 285167, 'over history': 630290, 'history will': 398075, 'forever be': 329099, 'our medic': 623890, 'medic while': 526009, 'while remembering': 987211, 'billionaire that': 130965, 'that failed': 843823, 'exponentially and': 292590, 'that contribute': 843322, 'to spreading': 915086, 'pray we all': 669037, 'we all survive': 970368, 'survive this when': 829273, 'this when covid': 891354, '19 is eventually': 7967, 'is eventually over': 447568, 'eventually over history': 285168, 'over history will': 630291, 'history will forever': 398076, 'will forever be': 993476, 'forever be grateful': 329100, 'all our medic': 43815, 'our medic while': 623891, 'medic while remembering': 526010, 'while remembering the': 987212, 'remembering the billionaire': 710460, 'the billionaire that': 849707, 'billionaire that failed': 130966, 'that failed to': 843824, 'failed to help': 296178, 'help the pharmacy': 390674, 'the pharmacy shop': 863664, 'pharmacy shop that': 654455, 'shop that hike': 760894, 'that hike their': 844333, 'their price exponentially': 874395, 'price exponentially and': 673738, 'exponentially and all': 292591, 'all that contribute': 44633, 'that contribute to': 843323, 'contribute to spreading': 201883, 'to spreading the': 915087, 'the virus here': 870841, 'totaljerks': 926287, 'morning bunch': 541203, 'white guy': 987841, 'guy over': 369104, '50 without': 19912, 'glove coronacrisis': 352646, 'coronacrisis totaljerks': 204844, 'guess who saw': 368100, 'who saw at': 989560, 'this morning bunch': 888946, 'morning bunch of': 541204, 'bunch of white': 142641, 'of white guy': 593122, 'white guy over': 987842, 'guy over 50': 369105, 'over 50 without': 629861, '50 without mask': 19913, 'or glove coronacrisis': 615472, 'glove coronacrisis totaljerks': 352647, 'abhimanyu': 24331, 'provided food': 686602, '100 plus': 2037, 'plus underprivileged': 661708, 'underprivileged family': 940547, 'much when': 545452, 'help abhimanyu': 389291, 'abhimanyu added': 24332, 'have also provided': 379218, 'also provided food': 48715, 'provided food and': 686603, 'and ration for': 69947, 'ration for 100': 697682, 'for 100 plus': 318629, '100 plus underprivileged': 2038, 'plus underprivileged family': 661709, 'underprivileged family back': 940548, 'family back home': 297645, 'back home it': 107061, 'home it is': 401472, 'is not much': 450134, 'not much when': 570614, 'much when the': 545453, 'demand is for': 235725, 'is for much': 447885, 'much more but': 545100, 'more but we': 538742, 'to help abhimanyu': 907440, 'help abhimanyu added': 389292, 'you shame': 1021135, 'to you shame': 918919, 'you shame on': 1021136, 'easy life': 265728, 'life can': 488549, 'see how easy': 745227, 'how easy life': 407781, 'easy life can': 265729, 'life can be': 488550, 'yas': 1014179, 'owner people': 632539, 'support also': 826340, 'also small': 48886, 'owner yas': 632613, 'yas pandemic': 1014180, 'shop owner people': 760649, 'owner people should': 632540, 'should stop going': 766516, 'supermarket and support': 819075, 'and support also': 72833, 'support also small': 826341, 'also small shop': 48887, 'shop owner yas': 760655, 'owner yas pandemic': 632614, 'yas pandemic let': 1014181, 'pandemic let put': 635884, 'let put up': 487004, 'put up all': 690960, 'up all our': 944257, 'lass': 480069, 'prue': 687366, 'coincidental': 185674, 'lass prue': 480070, 'prue first': 687367, 'first reported': 308919, 'case nov': 165872, 'nov 17': 573694, '17 may': 4358, 'be coincidental': 114149, 'coincidental but': 185675, 'given russia': 351102, 'russia trashed': 728595, 'trashed oil': 930187, 'sure stock': 827682, 'crashed totally': 215093, 'totally coordinated': 926318, 'coordinated and': 203194, 'of bat': 580583, 'bat league': 112546, 'lass prue first': 480071, 'prue first reported': 687368, 'first reported case': 308920, 'reported case nov': 712476, 'case nov 17': 165873, 'nov 17 may': 573695, '17 may be': 4359, 'may be coincidental': 520962, 'be coincidental but': 114150, 'coincidental but doubt': 185676, 'doubt it given': 256206, 'it given russia': 458244, 'given russia trashed': 351103, 'russia trashed oil': 728596, 'trashed oil price': 930188, 'make sure stock': 510527, 'sure stock market': 827683, 'stock market crashed': 802386, 'market crashed totally': 516254, 'crashed totally coordinated': 215094, 'totally coordinated and': 926319, 'coordinated and way': 203196, 'and way out': 75271, 'out of bat': 626683, 'of bat league': 580584, 'groat': 364075, 'some groat': 782996, 'groat only': 364076, 'buy some groat': 149205, 'some groat only': 782997, 'groat only pasta': 364077, 'day dealing': 227507, 'job problem': 466103, 'it nothing': 459940, 'employee go': 273887, 'through please': 894631, 'deserve so': 238117, 'this nightmare': 889144, 'nightmare but': 563172, 'settle too': 753694, 'too retail': 925033, 'few day dealing': 303772, 'day dealing with': 227508, 'with my job': 999634, 'my job problem': 548926, 'job problem it': 466104, 'problem it nothing': 679579, 'it nothing compared': 459941, 'to what other': 918521, 'what other retail': 981979, 'other retail employee': 620842, 'retail employee go': 718070, 'employee go through': 273888, 'go through please': 354251, 'through please remember': 894632, 'remember that supermarket': 710288, 'worker deserve so': 1006766, 'deserve so much': 238118, 'than they get': 841300, 'get both now': 346696, 'both now in': 135983, 'in this nightmare': 429984, 'this nightmare but': 889145, 'nightmare but when': 563173, 'but when the': 147824, 'dust settle too': 263459, 'settle too retail': 753695, 'technode': 836246, 'but return': 146937, 'normalcy in': 567440, 'not imminent': 570063, 'imminent when': 417281, 'to chinese': 902731, 'habit normalcy': 372655, 'normalcy pre': 567447, 'different online': 242005, 'china trend': 177020, 'trend under': 931492, 'number technode': 577060, 'but return to': 146938, 'to normalcy in': 910672, 'normalcy in china': 567441, 'china and around': 176477, 'is not imminent': 450112, 'not imminent when': 570064, 'imminent when it': 417282, 'come to chinese': 187561, 'to chinese consumer': 902732, 'chinese consumer habit': 177228, 'consumer habit normalcy': 197691, 'habit normalcy pre': 372656, 'normalcy pre and': 567448, 'and post coronavirus': 69227, 'be different online': 114449, 'different online retail': 242006, 'online retail in': 608870, 'in china trend': 421443, 'china trend under': 177021, 'trend under covid': 931493, '19 by the': 5578, 'the number technode': 861962, 'anyone try': 80584, 'seriously if anyone': 751637, 'if anyone try': 413853, 'anyone try to': 80585, 'try to increase': 934633, 'price for me': 673998, 'for me then': 323341, 'me then will': 523674, 'then will cancel': 877766, 'will cancel my': 992876, 'cancel my account': 160869, 'responsible business': 716007, 'glad to note': 351528, 'note that online': 572806, 'acting responsible business': 29897, 'responsible business by': 716008, 'business by following': 143477, 'brigade': 139775, 're terrorizing': 699677, 'terrorizing the': 838632, 'panic brigade': 637437, 'brigade if': 139776, 'buy ridiculous': 149132, 'ridiculous item': 721560, 'be absolutely': 113452, 'during for': 262646, 'empty shelf you': 275114, 'shelf you re': 757850, 'you re terrorizing': 1020773, 're terrorizing the': 699678, 'terrorizing the panic': 838633, 'the panic brigade': 863187, 'panic brigade if': 637438, 'brigade if can': 139778, 'if can walk': 413936, 'can walk into': 160143, 'and buy ridiculous': 59350, 'buy ridiculous item': 149133, 'ridiculous item like': 721561, 'item like this': 463424, 'this then there': 890547, 'then there can': 877636, 'can be absolutely': 157573, 'be absolutely no': 113454, 'absolutely no justification': 27400, 'justification for panic': 470456, 'buying during for': 150213, 'during for stop': 262647, 'for stop it': 325924, 'stop it now': 804788, 'launched large': 482007, 'travel friendly': 930373, 'week in order': 976380, 'now launched large': 575185, 'launched large online': 482008, 'large online sale': 479729, 'that are both': 842723, 'are both home': 85035, 'and travel friendly': 74409, 'cue even': 220195, 'morning out': 541400, 'sheer panic': 756578, 'cue even more': 220196, 'supermarket tomorrow morning': 823501, 'tomorrow morning out': 924131, 'morning out of': 541401, 'out of sheer': 626827, 'of sheer panic': 589575, 'sheer panic about': 756579, 'panic about not': 637259, 'food 19 lockdownnow': 313011, 'physical restriction': 655445, 'restriction due': 717259, 'outbreak mean': 628447, 'that commerce': 843261, 'have unique': 383458, 'unique chance': 941972, 'grab consumer': 361471, 'news ecommerce': 560379, 'ecommerce panicbuying': 266830, 'panicbuying tech': 639073, 'physical restriction due': 655446, 'restriction due to': 717260, '19 outbreak mean': 9155, 'outbreak mean that': 628448, 'mean that commerce': 524674, 'that commerce site': 843263, 'commerce site have': 188634, 'site have unique': 771941, 'have unique chance': 383459, 'unique chance to': 941973, 'chance to grab': 171801, 'to grab consumer': 906959, 'grab consumer spending': 361472, 'consumer spending but': 199047, 'spending but it': 788763, 'not all good': 568109, 'all good news': 42978, 'good news ecommerce': 357442, 'news ecommerce panicbuying': 560380, 'ecommerce panicbuying tech': 266831, 'cfprobs': 170361, 'week some': 976897, 'some up': 784144, 'much support': 545339, 'scary if': 741156, 'if didn': 414039, 'didn cfprobs': 241005, 'cfprobs isolation': 170362, 'so great news': 777207, 'great news for': 362841, 'news for those': 560444, 'in isolation no': 424205, 'isolation no supermarket': 455361, 'no supermarket can': 565618, 'supermarket can deliver': 819500, 'can deliver food': 158042, 'food for at': 314521, 'least week some': 484698, 'week some up': 976898, 'some up to': 784145, 'to week and': 918467, 'and you say': 76044, 'you say people': 1021002, 'say people should': 739055, 'should not stock': 766264, 'stock up so': 803115, 'up so glad': 946015, 'glad have so': 351499, 'so much support': 777816, 'much support from': 545340, 'support from friend': 826534, 'from friend and': 335569, 'and family be': 62653, 'family be scary': 297652, 'be scary if': 117022, 'scary if didn': 741157, 'if didn cfprobs': 414041, 'didn cfprobs isolation': 241006, 'prepare national': 670112, 'sector mre': 744269, 'mre bottled': 544416, 'current degradation': 221167, 'degradation get': 232544, 'this rolling': 889922, 'rolling now': 725677, 'to prepare national': 912006, 'prepare national guard': 670113, 'supply sector mre': 825809, 'sector mre bottled': 744270, 'mre bottled water': 544417, 'meet demand at': 527458, 'demand at current': 235037, 'at current degradation': 98390, 'current degradation get': 221168, 'degradation get this': 232545, 'get this rolling': 348412, 'this rolling now': 889923, 'rolling now to': 725678, 'to the denier': 916634, 'missingthings': 534336, 'that spending': 846433, 'getting haircut': 349014, 'haircut wa': 374035, 'such luxury': 816614, 'luxury stayathome': 506963, 'stayathome newnormal': 797554, 'newnormal missingthings': 560141, 'knew that spending': 476076, 'that spending time': 846434, 'with family friend': 998376, 'family friend or': 297821, 'friend or going': 333743, 'to dinner to': 904313, 'dinner to the': 243101, 'gym or the': 369343, 'supermarket or getting': 821809, 'or getting haircut': 615441, 'getting haircut wa': 349016, 'haircut wa such': 374036, 'wa such luxury': 963348, 'such luxury stayathome': 816615, 'luxury stayathome newnormal': 506964, 'stayathome newnormal missingthings': 797555, 'psychology about': 687541, 'would result': 1012193, 'more sale': 540303, 'all gift': 42920, 'card are': 163459, 'are discounted': 85837, 'discounted 20': 244571, 'card will': 163700, '20 added': 12930, 'added on': 31590, 'free seeing': 332138, 'doing gift': 252422, 'card now': 163586, 'consumer psychology about': 198595, 'psychology about which': 687542, 'about which would': 26923, 'which would result': 986525, 'would result in': 1012194, 'in more sale': 425444, 'more sale all': 540304, 'sale all gift': 732025, 'all gift card': 42921, 'gift card are': 349934, 'card are discounted': 163461, 'are discounted 20': 85838, 'discounted 20 off': 244572, '20 off or': 13215, 'off or all': 594032, 'or all gift': 614289, 'gift card will': 349957, 'card will have': 163701, 'will have 20': 993610, 'have 20 added': 379080, '20 added on': 12931, 'added on for': 31591, 'on for free': 600944, 'for free seeing': 321727, 'free seeing lot': 332139, 'lot of small': 504281, 'small business doing': 774855, 'business doing gift': 143651, 'doing gift card': 252423, 'gift card now': 349947, 'card now during': 163587, 'now during and': 574571, 'during and wondering': 262461, 'and wondering which': 75831, 'wondering which would': 1004206, 'would help most': 1011913, 'focus is': 311847, 'source and': 786443, 'clean product': 180624, 'product texas': 681683, 'texas ceo': 839746, 'ceo meet': 169750, 'meet supplier': 527579, 'supplier need': 824573, 'with innovative': 999011, 'innovative technology': 438934, 'of the focus': 591036, 'the focus is': 855480, 'focus is on': 311848, 'the food source': 855606, 'food source and': 316701, 'source and the': 786445, 'demand for clean': 235392, 'for clean product': 320108, 'clean product texas': 180625, 'product texas ceo': 681684, 'texas ceo meet': 839747, 'ceo meet supplier': 169751, 'meet supplier need': 527580, 'supplier need with': 824575, 'need with innovative': 556227, 'with innovative technology': 999012, 'nervously': 557492, 'omg found': 598899, 'some finally': 782825, 'some look': 783224, 'around nervously': 93412, 'nervously live': 557493, 'alaska 19': 40719, 'toiletpaperapocalypse toiletpapergate': 922946, 'toiletpapergate chinavirus': 923155, 'omg found some': 598900, 'found some finally': 330378, 'some finally found': 782826, 'found some look': 330379, 'some look around': 783225, 'look around nervously': 502246, 'around nervously live': 93413, 'nervously live in': 557494, 'live in alaska': 495845, 'in alaska 19': 420140, 'alaska 19 toiletpaper': 40720, 'toiletpapercrisis toiletpaperapocalypse toiletpapergate': 923092, 'toiletpaperapocalypse toiletpapergate chinavirus': 922947, 'toiletpapergate chinavirus wuhanvirus': 923156, 'clockwise': 182431, 'crisis thread': 218233, 'thread from': 893547, 'from top': 338107, 'top left': 925598, 'left clockwise': 485440, 'clockwise these': 182432, 'are asda': 84624, 'asda the': 94990, 'op waitrose': 611822, 'waitrose and': 964440, 'and morrison': 67237, 'state of uk': 795824, 'of uk online': 592574, 'uk online grocery': 938588, 'the crisis thread': 852464, 'crisis thread from': 218234, 'thread from top': 893548, 'from top left': 338108, 'top left clockwise': 925599, 'left clockwise these': 485441, 'clockwise these are': 182433, 'these are asda': 879608, 'are asda the': 84625, 'asda the co': 94991, 'co op waitrose': 184918, 'op waitrose and': 611823, 'waitrose and morrison': 964441, 'heroism': 394212, 'tutocovers': 936045, 'everyoneinthistogether': 287650, 'sure ever': 827531, 'of heroism': 584599, 'heroism and': 394213, 'and bravery': 59159, 'bravery in': 138275, 'life tutocovers': 489149, 'tutocovers everyoneinthistogether': 936046, 'not sure ever': 571836, 'sure ever thought': 827532, 'ever thought of': 285553, 'thought of going': 893143, 'store an act': 806186, 'act of heroism': 29722, 'of heroism and': 584600, 'heroism and bravery': 394214, 'and bravery in': 59161, 'bravery in my': 138276, 'my life tutocovers': 549046, 'life tutocovers everyoneinthistogether': 489150, 'hauskahome': 379054, 'buyahouse': 149506, 'acceptedoffer': 28064, 'selling we': 749529, 'wipe which': 996424, 'which seem': 986296, 'normal hauskahome': 567171, 'hauskahome buyahouse': 379055, 'buyahouse realestate': 149507, 'realtor sold': 702802, 'sold acceptedoffer': 781616, 'wondering if house': 1004170, 'if house are': 414245, 'house are still': 406199, 'still selling we': 801163, 'selling we are': 749530, 'are practicing socialdistancing': 89174, 'practicing socialdistancing with': 668753, 'socialdistancing with hand': 780879, 'disinfecting wipe which': 245901, 'wipe which seem': 996425, 'which seem to': 986297, 'new normal hauskahome': 559156, 'normal hauskahome buyahouse': 567172, 'hauskahome buyahouse realestate': 379056, 'buyahouse realestate realtor': 149508, 'realestate realtor sold': 701521, 'realtor sold acceptedoffer': 702803, 'here grocery': 393061, 'distancing time': 247557, 'the fewer': 855126, 'hand socialdistancing': 375783, 'socialdistancing groceryshopping': 780391, 'here grocery list': 393062, 'list and some': 494273, 'tip for you': 898791, 'during this social': 263320, 'social distancing time': 779746, 'distancing time remember': 247558, 'time remember the': 897566, 'remember the fewer': 710306, 'the fewer trip': 855128, 'store the better': 810589, 'the better also': 849572, 'better also wash': 128190, 'your hand socialdistancing': 1024223, 'hand socialdistancing groceryshopping': 375784, 'wafer': 963785, 'pandemic semiconductor': 636422, 'semiconductor price': 749638, 'stabilize throughout': 791867, 'industry top': 436181, 'top three': 925739, 'three player': 894031, 'player remain': 659333, 'remain conservative': 709738, 'conservative on': 194913, 'on capital': 599813, 'expenditure and': 291157, 'and wafer': 75107, 'wafer capacity': 963786, '19 pandemic semiconductor': 9460, 'pandemic semiconductor price': 636423, 'semiconductor price are': 749639, 'expected to stabilize': 291004, 'to stabilize throughout': 915124, 'stabilize throughout the': 791868, 'year the industry': 1015000, 'the industry top': 858190, 'industry top three': 436182, 'top three player': 925740, 'three player remain': 894032, 'player remain conservative': 659334, 'remain conservative on': 709739, 'conservative on capital': 194914, 'on capital expenditure': 599814, 'capital expenditure and': 162655, 'expenditure and wafer': 291158, 'and wafer capacity': 75108, 'there thank': 879134, 'with working at': 1002123, 'working at any': 1008518, 'at any job': 98022, 'right hang there': 721926, 'hang there thank': 376945, 'there thank you': 879136, 'is postman': 450961, 'by bos': 151982, 'bos that': 135703, 'sanitizer run': 735673, 'more no': 539846, 'ppe provided': 668037, 'provided worrying': 686672, 'worrying they': 1010837, 'handling everyone': 376344, 'everyone mail': 287176, 'mail packet': 508640, 'globe ppeshortages': 352477, 'dad is postman': 224355, 'is postman and': 450962, 'postman and ha': 666721, 'told by bos': 923537, 'by bos that': 151983, 'bos that when': 135704, 'that when hand': 847486, 'hand sanitizer run': 375573, 'sanitizer run out': 735674, 'run out they': 727769, 'out they aren': 627543, 'aren getting any': 92416, 'getting any more': 348847, 'any more no': 79488, 'more no ppe': 539847, 'no ppe provided': 565167, 'ppe provided worrying': 668040, 'provided worrying they': 686673, 'worrying they are': 1010838, 'are handling everyone': 86997, 'handling everyone mail': 376345, 'everyone mail packet': 287177, 'mail packet from': 508641, 'packet from all': 633695, 'over the globe': 630723, 'the globe ppeshortages': 856361, 'implores': 418594, '19 fg': 6983, 'fg implores': 304338, 'implores telco': 418595, 'call rate': 156086, 'covid 19 fg': 213089, '19 fg implores': 6984, 'fg implores telco': 304339, 'implores telco to': 418596, 'price of data': 675436, 'of data and': 582353, 'data and call': 226119, 'and call rate': 59416, 'call rate for': 156087, 'rate for nigerian': 697225, 'spotted angela': 790176, 'berlin wine': 127355, 'spotted angela merkel': 790177, 'angela merkel shopping': 76338, 'merkel shopping in': 529173, 'shopping in local': 762979, 'supermarket in berlin': 820869, 'in berlin wine': 420799, 'berlin wine and': 127356, 'temporary covid': 837602, 'change have': 172071, 'popular reading': 664593, 'reading to': 700817, 'face wish': 294857, 'unfortunately am': 941575, 'able too': 24573, 'temporary covid 19': 837603, '19 price change': 9806, 'price change have': 673107, 'change have dropped': 172072, 'have dropped the': 380387, 'dropped the price': 260636, 'of my most': 586793, 'my most popular': 549318, 'most popular reading': 542643, 'popular reading to': 664594, 'reading to help': 700818, 'the financial issue': 855219, 'financial issue we': 306480, 'issue we all': 455995, 'all face wish': 42740, 'face wish could': 294858, 'wish could do': 996748, 'could do them': 209103, 'do them all': 250283, 'them all for': 875343, 'for free but': 321707, 'free but unfortunately': 331694, 'but unfortunately am': 147652, 'unfortunately am not': 941576, 'not able too': 568012, 'bombardment': 134201, 'gateway': 344359, 'robocallers': 724755, 'company took': 191253, 'took unprecedented': 925371, 'unprecedented action': 943071, 'scam bombardment': 740087, 'bombardment of': 134202, 'consumer demanding': 197179, 'that gateway': 843985, 'gateway provider': 344360, 'provider turn': 686811, 'off robocallers': 594113, 'robocallers within': 724758, 'losing all': 503535, 'phone network': 654975, 'the company took': 851357, 'company took unprecedented': 191254, 'took unprecedented action': 925372, 'unprecedented action to': 943072, 'action to try': 30178, 'try to stop': 934671, 'stop the scam': 805150, 'the scam bombardment': 866411, 'scam bombardment of': 740088, 'bombardment of american': 134203, 'of american consumer': 580055, 'american consumer demanding': 51887, 'consumer demanding that': 197180, 'demanding that gateway': 236615, 'that gateway provider': 843986, 'gateway provider turn': 344361, 'provider turn off': 686812, 'turn off robocallers': 935716, 'off robocallers within': 594114, 'robocallers within 48': 724759, '48 hour or': 19311, 'hour or risk': 405835, 'risk losing all': 723668, 'losing all access': 503536, 'to the phone': 916953, 'the phone network': 863694, 'heartbreaking that': 388418, '19 nh': 8783, 'will argue': 992303, 'argue at': 92686, 'work others': 1005571, 'know accept': 476231, 'it heartbreaking that': 458521, 'heartbreaking that 19': 388419, 'that 19 nh': 842443, '19 nh staff': 8784, 'nh staff have': 562089, 'staff have died': 792513, 'died from but': 241549, 'from but we': 334768, 'never know where': 558095, 'contracted it some': 201746, 'it some will': 461168, 'some will argue': 784217, 'will argue at': 992304, 'argue at work': 92688, 'at work others': 101610, 'work others in': 1005572, 'supermarket the truth': 823252, 'never know accept': 558086, 'know accept it': 476232, 'amazing postal': 50763, 'many real': 514617, 'behind click': 124615, 'getting card': 348889, 'card delivered': 163507, 'delivered thank': 233402, 'let just take': 486839, 'minute to say': 533874, 'you also to': 1016948, 'to the amazing': 916487, 'the amazing postal': 848616, 'amazing postal worker': 50764, 'postal worker so': 666480, 'so many real': 777697, 'many real people': 514618, 'real people behind': 701298, 'people behind click': 647260, 'behind click of': 124616, 'click of online': 181929, 'shopping and getting': 761988, 'and getting card': 63619, 'getting card delivered': 348890, 'card delivered thank': 163508, 'delivered thank you': 233403, 'have reusable': 382317, 'reusable menstrual': 720165, 'menstrual product': 528620, 'since recently': 770801, 'recently switched': 704159, 'to cup': 903792, 'cup my': 220448, 'my immediate': 548825, 'immediate reaction': 417016, 'to starting': 915238, 'early wa': 264743, 'of perhaps': 588045, 'perhaps not': 651619, 'when social': 984043, 'to have reusable': 907302, 'have reusable menstrual': 382318, 'reusable menstrual product': 720166, 'menstrual product at': 528621, 'product at home': 680973, 'home but since': 400845, 'but since recently': 147061, 'since recently switched': 770802, 'recently switched to': 704160, 'switched to cup': 830552, 'to cup my': 903793, 'cup my immediate': 220449, 'my immediate reaction': 548826, 'immediate reaction to': 417017, 'reaction to starting': 700223, 'to starting early': 915239, 'starting early wa': 794954, 'early wa panic': 264744, 'wa panic at': 962905, 'thought of perhaps': 893149, 'of perhaps not': 588046, 'perhaps not being': 651620, 'being prepared when': 125576, 'prepared when social': 670266, 'when social medium': 984044, 'social medium is': 779861, 'medium is full': 527151, 'full of photo': 340747, 'nickname': 562600, 'they repurposed': 883205, 'repurposed all': 713091, 'during wwii': 263425, 'wwii to': 1013702, 'produce military': 680359, 'military weapon': 531515, 'halted all': 374479, 'the nickname': 861792, 'nickname arsenal': 562601, 'arsenal of': 94109, 'democracy detroit': 236681, 'detroit wa': 239509, 'helped supply': 391100, 'the ally': 848591, 'they repurposed all': 883206, 'repurposed all their': 713092, 'all their factory': 44998, 'factory during wwii': 295941, 'during wwii to': 263426, 'wwii to produce': 1013703, 'to produce military': 912199, 'produce military weapon': 680360, 'military weapon they': 531516, 'weapon they can': 974262, 'it they halted': 461628, 'they halted all': 882275, 'halted all consumer': 374480, 'all consumer product': 42435, 'product during that': 681148, 'that time got': 847043, 'time got the': 896853, 'got the nickname': 358908, 'the nickname arsenal': 861793, 'nickname arsenal of': 562602, 'arsenal of democracy': 94110, 'of democracy detroit': 582517, 'democracy detroit wa': 236682, 'detroit wa the': 239510, 'wa the biggest': 963441, 'the biggest city': 849645, 'biggest city that': 130198, 'city that helped': 179398, 'that helped supply': 844310, 'helped supply the': 391101, 'supply the ally': 825959, 'quarantine little': 692344, 'safe humor': 729756, 'comic comical': 187927, 'comical food': 187962, 'up john and': 945261, 'john and first': 466512, 'and first day': 62931, 'self quarantine little': 747862, 'quarantine little humor': 692345, 'stay safe humor': 797243, 'safe humor laugh': 729758, 'satire comic comical': 736940, 'comic comical food': 187928, 'comical food shopping': 187963, 'food shopping grocery': 316522, 'store quarantine virus': 809717, 'enough are': 277323, 'by boss': 151984, 'sure people have': 827656, 'have enough are': 380438, 'enough are not': 277324, 'not being looked': 568538, 'properly by boss': 684173, 'by boss south': 151985, 'email saying': 272288, 'expect current': 290623, 'current retail': 221340, 'handle all': 376159, 'extra store': 293659, 'store sanitation': 809983, 'such piece': 816676, 'that consistently': 843290, 'consistently put': 195501, 'have also been': 379206, 'also been informed': 47941, 'been informed that': 121383, 'informed that sent': 438128, 'that sent out': 846200, 'out an email': 625634, 'an email saying': 55659, 'email saying they': 272289, 'saying they expect': 739724, 'they expect current': 882064, 'expect current retail': 290624, 'current retail employee': 221341, 'employee to handle': 274327, 'to handle all': 907123, 'handle all of': 376160, 'the extra store': 854769, 'extra store sanitation': 293660, 'store sanitation in': 809984, 'sanitation in light': 733850, '19 this company': 11340, 'company is such': 190811, 'is such piece': 452426, 'such piece of': 816677, 'of shit that': 589604, 'shit that consistently': 759237, 'that consistently put': 843291, 'consistently put their': 195502, 'put their employee': 690876, 'their employee at': 873134, 'my non': 549500, 'existent income': 290279, 'currently supporting': 221684, 'now selfisolating': 575764, 'selfisolating stayhome': 748427, 'my non existent': 549501, 'non existent income': 566380, 'existent income is': 290280, 'income is not': 432388, 'is not currently': 450059, 'not currently supporting': 568946, 'currently supporting my': 221685, 'supporting my online': 827155, 'shopping need right': 763318, 'right now selfisolating': 722130, 'now selfisolating stayhome': 575765, 'named the': 551723, 'it belief': 456836, 'belief they': 126226, 'ha named the': 371313, 'named the two': 551724, 'the two best': 870144, 'buy it belief': 148848, 'it belief they': 456837, 'belief they are': 126227, 'they are best': 881212, 'are best placed': 84953, 'placed to weather': 657919, 'iab reported': 412523, 'reported decline': 712480, 'in advertising': 420064, 'advertising spend': 33276, 'spend streaming': 788675, 'streaming is': 812823, 'iab reported decline': 412524, 'reported decline in': 712481, 'decline in advertising': 231341, 'in advertising spend': 420066, 'advertising spend streaming': 33278, 'spend streaming is': 788676, 'streaming is way': 812824, 'way up and': 970142, 'up and consumer': 944312, 'and consumer purchase': 60420, 'purchase behavior is': 689386, 'behavior is evolving': 124097, 'embarked': 272426, 'announced movement': 77000, 'restriction over': 717358, 'country embarked': 210609, 'embarked on': 272427, 'demand do': 235246, 'want their': 965966, 'malaysia announced movement': 511591, 'announced movement restriction': 77001, 'movement restriction over': 543928, 'restriction over covid': 717359, 'the country embarked': 852069, 'country embarked on': 210610, 'embarked on panic': 272429, 'announcing threat to': 77338, 'impact of climate': 417756, 'of climate change': 581464, 'change will people': 172400, 'buying or demand': 150835, 'or demand do': 614951, 'demand do they': 235247, 'they want their': 883716, 'want their government': 965967, 'their government to': 873427, 'government to step': 360737, 'up it climate': 945236, 'it climate action': 457181, 'cub executive': 220156, 'director david': 243611, 'on icc': 601467, 'by cub executive': 152273, 'cub executive director': 220157, 'executive director david': 289881, 'director david kolata': 243612, 'kolata on icc': 477356, 'on icc consumer': 601468, 'measure amid covid': 525089, 'charge say': 173312, 'fuck will': 339685, 'the moron in': 860923, 'moron in charge': 541599, 'in charge say': 421344, 'charge say everyone': 173313, 'say everyone should': 738619, 'everyone should stay': 287380, 'home except essential': 401172, 'except essential worker': 289144, 'essential worker including': 281839, 'worker including grocery': 1007222, 'worker after week': 1006211, 'week of hoarding': 976618, 'of hoarding the': 584698, 'hoarding the store': 399589, 'store are empty': 806473, 'empty and if': 274768, 'and if no': 64941, 'one can go': 606046, 'go out who': 354000, 'out who the': 627842, 'who the fuck': 989752, 'the fuck will': 855976, 'fuck will go': 339686, 'will go shopping': 993557, 'open am': 612039, 'public am': 687840, 'am long': 50191, 'time customer': 896522, 'online am': 607793, 'am disappointed': 50001, 'concern considering': 192951, 'considering shopping': 195407, 'shopping elsewhere': 762566, 'are your store': 91900, 'still open am': 800949, 'open am concerned': 612040, 'am concerned for': 49971, 'concerned for the': 193201, 'your staff the': 1025919, 'staff the public': 792951, 'the public am': 864785, 'public am long': 687841, 'am long time': 50192, 'long time customer': 501768, 'time customer but': 896523, 'customer but can': 222201, 'can buy my': 157833, 'buy my food': 148981, 'my food from': 548382, 'food from you': 314621, 'from you online': 338467, 'you online am': 1020204, 'online am disappointed': 607794, 'am disappointed by': 50002, 'of concern considering': 581640, 'concern considering shopping': 192952, 'considering shopping elsewhere': 195408, 'terrace': 838382, 'be advertising': 113501, 'advertising this': 33284, 'this seeing': 890004, 'these glorious': 880054, 'glorious gas': 352510, 'the temple': 869279, 'temple terrace': 837426, 'terrace area': 838383, 'area tampa': 92211, 'probably should not': 679377, 'not be advertising': 568350, 'be advertising this': 113502, 'advertising this seeing': 33285, 'this seeing how': 890005, 'seeing how people': 746327, 'how people did': 408499, 'people did the': 647643, 'did the toilet': 240857, 'paper but look': 639970, 'but look at': 146313, 'at these glorious': 101202, 'these glorious gas': 880055, 'glorious gas price': 352511, 'gas price around': 343933, 'around the temple': 93562, 'the temple terrace': 869280, 'temple terrace area': 837427, 'terrace area tampa': 838384, 'all size': 44357, 'this call': 886672, 'any bank': 78962, 'bank you': 110333, 'that special': 846429, 'program and': 683205, 'accommodation are': 28443, 'bank of all': 110046, 'of all size': 579977, 'all size across': 44358, 'size across the': 772754, 'across the have': 29500, 'the have already': 857145, 'done this call': 255054, 'this call any': 886673, 'call any bank': 155770, 'any bank you': 78963, 'bank you ll': 110334, 'find that special': 307272, 'that special program': 846430, 'special program and': 788038, 'program and accommodation': 683206, 'and accommodation are': 57595, 'accommodation are already': 28444, 'already in place': 47472, 'place to help': 657757, 'help individual and': 389924, 'individual and business': 435128, 'and business affected': 59263, 'privacylaw': 678847, 'informationgovernance': 438059, 'ca consumer': 154866, 'on july': 601739, 'july 2020': 467806, 'despite request': 238836, 'from over': 336813, '60 company': 20915, 'general will': 345501, 'not extend': 569339, 'the deadline': 852941, 'deadline privacylaw': 229230, 'privacylaw datasecurity': 678848, 'datasecurity informationgovernance': 226561, 'of the ca': 590841, 'the ca consumer': 850254, 'ca consumer privacy': 154867, 'act is set': 29670, 'set to start': 753537, 'to start on': 915210, 'start on july': 794421, 'on july 2020': 601740, 'july 2020 despite': 467807, '2020 despite request': 14273, 'despite request from': 238837, 'request from over': 713168, 'from over 60': 336814, 'over 60 company': 629874, '60 company the': 20916, 'company the attorney': 191196, 'attorney general will': 102663, 'general will not': 345502, 'will not extend': 994217, 'not extend the': 569340, 'extend the deadline': 293126, 'the deadline privacylaw': 852942, 'deadline privacylaw datasecurity': 229231, 'privacylaw datasecurity informationgovernance': 678849, 'able cancel': 24425, 'cancel your': 160906, 'actually can': 30750, 'can shouldn': 159614, 'fit and able': 309465, 'and able cancel': 57537, 'able cancel your': 24426, 'cancel your online': 160907, 'your online food': 1025071, 'food delivery and': 314105, 'delivery and free': 233663, 'free up the': 332290, 'up the slot': 946216, 'who actually can': 988025, 'actually can shouldn': 30751, 'can shouldn go': 159615, 'shouldn go to': 766733, 'holy shit': 400508, 'is fiat': 447785, 'fiat really': 304380, 'really collapsing': 702065, 'holy shit is': 400509, 'shit is fiat': 759140, 'is fiat really': 447786, 'fiat really collapsing': 304381, 'shopping cnn': 762374, 'panic shopping cnn': 638567, 'escarpment': 280332, 'ontariospirit': 611644, 'naturelovers': 553006, 'on beautiful': 599600, 'beautiful drive': 118681, 'drive took': 259233, 'took up': 925373, 'the niagara': 861779, 'niagara escarpment': 562313, 'escarpment yes': 280333, 'top lol': 925605, 'lol ontariospirit': 500937, 'ontariospirit canadacovid19': 611645, 'canadacovid19 socialdistancingnow': 160620, 'socialdistancingnow naturelovers': 780904, 'naturelovers canada': 553007, 'ontario music': 611615, 'music url': 546350, 'join me on': 466777, 'me on beautiful': 523258, 'on beautiful drive': 599601, 'beautiful drive took': 118682, 'drive took up': 259234, 'took up the': 925374, 'up the niagara': 946197, 'the niagara escarpment': 861780, 'niagara escarpment yes': 562314, 'escarpment yes the': 280334, 'yes the grocery': 1015552, 'the top lol': 869783, 'top lol ontariospirit': 925606, 'lol ontariospirit canadacovid19': 500938, 'ontariospirit canadacovid19 socialdistancingnow': 611646, 'canadacovid19 socialdistancingnow naturelovers': 160621, 'socialdistancingnow naturelovers canada': 780905, 'naturelovers canada ontario': 553008, 'canada ontario music': 160517, 'ontario music url': 611616, 'from advises': 334399, 'advises on': 33688, 'hub at': 409786, 'the information hub': 858256, 'hub from advises': 409799, 'from advises on': 334400, 'advises on consumer': 33689, 'relation to view': 708679, 'view the hub': 957167, 'the hub at': 857687, 'last bit': 480117, 'on graduate': 601168, 'graduate doctor': 361715, 'nurse early': 577314, 'early get': 264612, 'field next': 304489, 'last bit from': 480118, 'bit from on': 131572, 'from on graduate': 336664, 'on graduate doctor': 601169, 'graduate doctor nurse': 361716, 'doctor nurse early': 251009, 'nurse early get': 577315, 'early get them': 264613, 'the field next': 855148, 'field next week': 304490, 'next week 19': 561668, 'epidemic evolves': 279368, 'identified the epidemic': 413348, 'the epidemic evolves': 854435, 'maybe when': 521880, 'over might': 630395, 'they love': 882635, 'world can': 1009393, 'see football': 745125, 'football is': 318496, 'maybe when this': 521881, 'all over might': 43871, 'over might just': 630396, 'might just reduce': 531057, 'reduce price so': 705904, 'people can watch': 647418, 'can watch what': 160153, 'watch what they': 968611, 'what they love': 982406, 'they love the': 882636, 'love the world': 504813, 'the world can': 871829, 'world can see': 1009396, 'can see football': 159534, 'see football is': 745126, 'football is nothing': 318499, 'is nothing without': 450242, 'nothing without fan': 573228, 'pharmacychecker': 654591, 'hey everybody': 394367, 'everybody ask': 286404, 'ask pharmacychecker': 95605, 'pharmacychecker ha': 654592, 'friendly straight': 334007, 'straight shooting': 812232, 'shooting post': 759776, 'about chloroquine': 24963, 'phosphate and': 655103, 'that separate': 846202, 'separate fact': 751072, 'from fiction': 335464, 'fiction if': 304423, 'should change': 765826, 'change something': 172262, 'hey everybody ask': 394368, 'everybody ask pharmacychecker': 286405, 'ask pharmacychecker ha': 95606, 'pharmacychecker ha new': 654593, 'consumer friendly straight': 197548, 'friendly straight shooting': 334008, 'straight shooting post': 812233, 'shooting post about': 759777, 'post about chloroquine': 665976, 'about chloroquine phosphate': 24964, 'chloroquine phosphate and': 177611, 'phosphate and covid': 655104, '19 that separate': 11159, 'that separate fact': 846203, 'separate fact from': 751073, 'fact from fiction': 295722, 'from fiction if': 335465, 'fiction if you': 304424, 'it please pas': 460360, 'please pas it': 660276, 'it on let': 460048, 'on let know': 601826, 'know if we': 476492, 'if we should': 415308, 'we should change': 973262, 'should change something': 765827, 'lockdown good': 499419, 'morning no': 541372, 'supermarket nor': 821630, 'nor am': 566932, 'nh lockdownuk': 562005, 'lockdown good decision': 499420, 'decision and about': 230999, 'and about time': 57555, 'about time but': 26695, 'time but will': 896427, 'be in work': 115450, 'in work in': 430976, 'the morning no': 860915, 'morning no don': 541373, 'no don work': 564041, 'at supermarket nor': 100751, 'supermarket nor am': 821631, 'nor am part': 566933, 'the great people': 856729, 'great people of': 362880, 'the nh lockdownuk': 861747, 'been challenge': 120811, 'challenge here': 171477, 'here amazon': 392681, 'amazon starting': 51130, 'have delay': 380216, 'delay show': 232743, 'norm stayhomesavelives': 567055, 'stayhomesavelives amazon': 798337, 'amazon stop': 51136, 'stop accepting': 804422, 'grocery customer': 364413, 'article amp': 94248, 'amp reuters': 54409, 'food for home': 314540, 'for home ha': 322346, 'home ha been': 401321, 'ha been challenge': 369744, 'been challenge here': 120812, 'challenge here amazon': 171478, 'here amazon starting': 392682, 'amazon starting to': 51131, 'starting to have': 795026, 'to have delay': 907227, 'have delay show': 380217, 'delay show you': 232744, 'you the scale': 1021610, 'scale of demand': 739902, 'of demand the': 582513, 'new norm stayhomesavelives': 559143, 'norm stayhomesavelives amazon': 567056, 'stayhomesavelives amazon stop': 798338, 'amazon stop accepting': 51137, 'stop accepting new': 804423, 'accepting new online': 28082, 'new online grocery': 559211, 'online grocery customer': 608315, 'grocery customer amid': 364414, 'customer amid surging': 222057, 'surging demand article': 828417, 'demand article amp': 235032, 'article amp reuters': 94249, 'deposit read': 237512, 'looking for government': 502869, 'for government check': 321960, 'government check or': 359977, 'direct deposit read': 243314, 'deposit read this': 237513, 'read this first': 700611, 'field laboring': 304483, 'laboring hard': 478508, 'our table': 625064, 'shelf let': 757275, 'let let': 486872, 'pandemic wefeedyou': 636962, 'let hear it': 486777, 'hear it for': 387944, 'for the farm': 326429, 'the farm worker': 854939, 'farm worker the': 299214, 'worker the essential': 1007927, 'still out in': 801008, 'the field laboring': 855146, 'field laboring hard': 304484, 'laboring hard to': 478509, 'on our table': 602637, 'our table and': 625065, 'table and supermarket': 831453, 'supermarket shelf let': 822489, 'shelf let let': 757276, 'let let them': 486873, 'them know how': 875966, 'much we appreciate': 545436, 'work they do': 1005841, 'keep fed during': 471498, 'fed during the': 301810, 'the pandemic wefeedyou': 863151, 'impacted how': 418125, 'ha impacted how': 370914, 'impacted how consumer': 418126, 'how consumer spend': 407599, 'consumer spend their': 199036, 'help theinfiniteage': 390685, 'of help theinfiniteage': 584546, 'help theinfiniteage coronacrisis': 390686, 'oliveoil': 598745, 'evoo': 288592, 'acietedeoliva': 29082, 'aove': 81194, 'spain entered': 787292, 'entered induced': 278358, 'lockdown oliveoil': 499728, 'oliveoil wa': 598746, 'shelf evoo': 757060, 'evoo acietedeoliva': 288593, 'acietedeoliva aove': 29083, 'spain entered induced': 787293, 'entered induced lockdown': 278359, 'induced lockdown oliveoil': 435472, 'lockdown oliveoil wa': 499729, 'oliveoil wa one': 598747, 'supermarket shelf evoo': 822465, 'shelf evoo acietedeoliva': 757061, 'evoo acietedeoliva aove': 288594, 'increasing minute': 433637, 'after minute': 35933, 'is way how': 453790, 'way how price': 969642, 'how price of': 408531, 'of product are': 588482, 'product are increasing': 680940, 'are increasing minute': 87487, 'increasing minute after': 433638, 'minute after minute': 533710, 'top behavior': 925539, 'from marketing': 336367, 'advertising mustread': 33256, 'help during here': 389610, 'are the top': 90921, 'the top behavior': 869774, 'top behavior we': 925540, 'help from marketing': 389772, 'from marketing advertising': 336368, 'marketing advertising mustread': 517512, 'in electrical': 422524, 'electrical item': 271135, 'item retail': 463619, 'been furloughed': 121192, 'furloughed but': 341915, 'then told': 877683, 'box all': 136999, 'any advice for': 78903, 'advice for someone': 33374, 'for someone that': 325779, 'work in electrical': 1005304, 'in electrical item': 422525, 'electrical item retail': 271136, 'item retail and': 463620, 'retail and ha': 717824, 'and ha had': 64072, 'to close his': 902877, 'close his store': 182661, 'his store by': 397829, 'government ha been': 360142, 'ha been furloughed': 369812, 'been furloughed but': 121193, 'furloughed but then': 341916, 'but then told': 147454, 'then told to': 877685, 'told to go': 923750, 'to his store': 907824, 'his store and': 397827, 'store and box': 806207, 'and box all': 59127, 'box all the': 137000, 'all the item': 44798, 'the item up': 858616, 'item up so': 463784, 'up so they': 946019, 'be sold on': 117285, 'sold on ebay': 781714, 'drvd amazing': 261232, 'here major': 393327, 'reported significant': 712526, 'drvd amazing news': 261233, 'amazing news here': 50744, 'news here major': 560510, 'here major food': 393328, 'major food delivery': 509336, 'have reported significant': 382272, 'reported significant increase': 712527, 'in demand all': 422099, 'demand all of': 234919, 'all of driven': 43688, 'of driven consumer': 582824, 'brand have seen': 137854, 'have seen week': 382452, 'piece great': 656308, 'great piece great': 362888, 'piece great point': 656309, 'great point from': 362897, 'point from how': 662490, 'from how and': 335959, 'deliverydrivers': 234792, 'please appreciate': 659666, 'driver well': 259844, 'helping self': 391457, 'safe thankyou': 730012, 'thankyou deliverydrivers': 842325, 'deliverydrivers stayhomesavelives': 234793, 'stayhomesavelives hero': 798391, 'please appreciate your': 659667, 'appreciate your supermarket': 82805, 'your supermarket delivery': 1026039, 'delivery driver well': 233954, 'driver well all': 259845, 'well all the': 978000, 'amazing people who': 50757, 'are helping self': 87107, 'helping self isolate': 391458, 'isolate and stay': 454818, 'stay safe thankyou': 797288, 'safe thankyou deliverydrivers': 730013, 'thankyou deliverydrivers stayhomesavelives': 842326, 'deliverydrivers stayhomesavelives hero': 234794, 'result brought': 717486, 'by surging': 154182, 'surging commodity': 828409, 'cutting initiative': 223735, 'positive result brought': 665424, 'result brought by': 717487, 'brought by surging': 141138, 'by surging commodity': 154183, 'surging commodity price': 828410, 'various cost cutting': 952594, 'cost cutting initiative': 207902, 'cutting initiative africa': 223736, 'socialgood': 780926, 'homeless are': 402733, 'atlanta is': 101841, 'proving them': 687232, 'sanitizer socialgood': 735766, 'socialgood city': 780927, 'the homeless are': 857464, 'homeless are among': 402734, 'pandemic this non': 636746, 'this non profit': 889156, 'non profit in': 566472, 'profit in atlanta': 682773, 'in atlanta is': 420562, 'atlanta is proving': 101842, 'is proving them': 451131, 'proving them with': 687233, 'washing station and': 967722, 'station and sanitizer': 796339, 'and sanitizer socialgood': 70885, 'sanitizer socialgood city': 735767, 'provincewide': 687204, 'represents municipality': 712963, 'municipality of': 546103, 'size provincewide': 772797, 'provincewide backed': 687205, 'backed the': 107540, 'government initiative': 360226, 'initiative on': 438644, 'monday launching': 536311, 'launching it': 482064, 'own ad': 631868, 'ad campaign': 31075, 'the which represents': 871447, 'which represents municipality': 986267, 'represents municipality of': 712964, 'municipality of all': 546104, 'all size provincewide': 44359, 'size provincewide backed': 772798, 'provincewide backed the': 687206, 'backed the government': 107541, 'the government initiative': 856549, 'government initiative on': 360228, 'initiative on monday': 438645, 'on monday launching': 602169, 'monday launching it': 536312, 'launching it own': 482065, 'it own ad': 460216, 'own ad campaign': 631869, 'ad campaign to': 31076, 'campaign to support': 157267, 'support local online': 826630, 'this definitely': 887196, 'definitely look': 232362, 'an evening': 55873, 'evening supermarket': 284906, 'supermarket routine': 822261, 'routine see': 726527, 'before where': 123300, 'this taken': 890474, 'in my experience': 425570, 'my experience this': 548130, 'experience this definitely': 291509, 'this definitely look': 887197, 'definitely look like': 232363, 'look like an': 502458, 'like an evening': 489769, 'an evening supermarket': 55874, 'evening supermarket routine': 284907, 'supermarket routine see': 822262, 'routine see this': 726528, 'see this even': 745945, 'this even before': 887423, 'even before where': 283876, 'before where wa': 123301, 'wa this taken': 963496, 'borno': 135577, 'hon commissioner': 403033, 'commissioner health': 188949, 'health borno': 386199, 'borno state': 135578, 'state emphasizes': 795559, 'emphasizes guideline': 273391, 'of avoid': 580479, 'place wash': 657806, 'into elbow': 442538, 'elbow seek': 270513, 'seek attention': 746567, 'attention immediately': 102448, 'immediately if': 417104, 'if symptom': 414909, 'cough fever': 208471, 'hon commissioner health': 403034, 'commissioner health borno': 188950, 'health borno state': 386200, 'borno state emphasizes': 135579, 'state emphasizes guideline': 795560, 'emphasizes guideline on': 273392, 'guideline on how': 368455, 'how to reduce': 409070, 'risk of avoid': 723726, 'of avoid public': 580480, 'avoid public place': 105247, 'public place wash': 688239, 'place wash hand': 657807, 'soap water use': 779164, 'hand sanitizer cough': 375358, 'sneeze into elbow': 776250, 'into elbow seek': 442539, 'elbow seek attention': 270514, 'seek attention immediately': 746568, 'attention immediately if': 102449, 'immediately if symptom': 417106, 'if symptom of': 414910, 'symptom of cough': 830881, 'of cough fever': 582007, 'constricting': 195775, 'ethiopia the': 283113, 'tax wa': 835115, 'wa waived': 963657, 'waived after': 964523, 'after hand': 35744, 'sanitizer producer': 735590, 'producer filed': 680620, 'filed complaint': 305395, 'ministry that': 533570, 'that stressed': 846523, 'stressed the': 813466, 'tax which': 835121, 'is constricting': 446780, 'constricting their': 195776, 'ethiopia the tax': 283114, 'the tax wa': 869176, 'tax wa waived': 835116, 'wa waived after': 963658, 'waived after hand': 964524, 'after hand sanitizer': 35745, 'hand sanitizer producer': 375547, 'sanitizer producer filed': 735591, 'producer filed complaint': 680621, 'filed complaint to': 305396, 'the ministry that': 860665, 'ministry that stressed': 533571, 'that stressed the': 846524, 'stressed the burden': 813467, 'the burden of': 850126, 'burden of the': 142749, 'the tax which': 869177, 'tax which is': 835122, 'which is constricting': 985996, 'is constricting their': 446781, 'constricting their ability': 195777, 'ability to respond': 24400, 'to the spike': 917084, 'demand since the': 236225, 'since the arrival': 770863, 'arrival of novel': 93892, 'fast you': 300073, 'at ground': 98822, 'zero again': 1027398, 'stayhomesavelives my': 798418, 'such major': 816620, 'major rush': 509451, 'working again': 1008482, 'every state is': 286210, 'state is going': 795696, 'have to open': 383254, 'to open on': 911000, 'open on there': 612414, 'on there own': 604555, 'there own time': 878914, 'own time if': 632268, 'if we open': 415297, 'we open to': 972655, 'open to fast': 612594, 'to fast you': 905685, 'fast you are': 300074, 'you are back': 1017069, 'are back at': 84739, 'back at ground': 106887, 'at ground zero': 98823, 'ground zero again': 366560, 'zero again stayhomesavelives': 1027399, 'again stayhomesavelives my': 37185, 'stayhomesavelives my job': 798419, 'job is not': 465904, 'not worth dying': 572579, 'dying for those': 263815, 'in such major': 428526, 'such major rush': 816621, 'major rush to': 509452, 'rush to start': 728348, 'start working again': 794655, 'working again call': 1008483, 'again call your': 36938, 'in turkey': 430329, 'turkey fighting': 935551, 'buying people in': 150898, 'people in turkey': 648443, 'in turkey fighting': 430331, 'turkey fighting over': 935552, 'quarantine shared': 692523, 'during quarantine shared': 262944, 'quarantine shared by': 692524, 'to countdown': 903620, 'this morn': 888928, 'morn wa': 541119, 'were taking': 980217, 'public preventcoronavirus': 688246, 'went to countdown': 979146, 'to countdown supermarket': 903621, 'countdown supermarket this': 210178, 'supermarket this morn': 823317, 'this morn wa': 888929, 'morn wa good': 541120, 'wa good to': 962242, 'that all staff': 842563, 'all staff were': 44418, 'staff were taking': 793073, 'were taking precaution': 980218, 'precaution and wearing': 669282, 'and wearing disposable': 75358, 'disposable glove while': 246252, 'glove while dealing': 353034, 'the public preventcoronavirus': 864848, 'one gun': 606375, 'metro atlanta': 529901, 'atlanta ha': 101839, 'are six': 90148, 'six and': 772624, 'and eight': 61984, 'people deep': 647619, 'deep just': 231908, 'just grocery': 468885, 'fear gun': 301153, 'ammunition have': 52947, 'started flying': 794736, 'one gun store': 606376, 'gun store in': 368733, 'store in metro': 808340, 'in metro atlanta': 425262, 'metro atlanta ha': 529903, 'atlanta ha had': 101840, 'ha had line': 370790, 'had line that': 373248, 'line that are': 493446, 'that are six': 842816, 'are six and': 90149, 'six and eight': 772625, 'and eight people': 61985, 'eight people deep': 270193, 'people deep just': 647620, 'deep just grocery': 231909, 'just grocery store': 468886, 'bare by fear': 110875, 'by fear gun': 152570, 'fear gun and': 301154, 'and ammunition have': 58083, 'ammunition have started': 52948, 'have started flying': 382721, 'started flying off': 794737, 'milk farmer': 531668, 'up cdnpoli': 944587, 'dumping milk farmer': 262240, 'milk farmer are': 531669, 'price up cdnpoli': 677228, 'vulnerable including': 961020, 'and ndis': 67449, 'ndis recipient': 553420, 'recipient see': 704537, 'major supermarket are': 509483, 'now making their': 575282, 'making their online': 511439, 'and delivery available': 61112, 'the vulnerable including': 870986, 'vulnerable including the': 961021, 'including the elderly': 432183, 'elderly those with': 270915, 'condition and ndis': 193397, 'and ndis recipient': 67450, 'ndis recipient see': 553421, 'recipient see more': 704538, 'see more tip': 745439, 'mohammed bin': 535568, 'bin salman': 131039, 'salman is': 732758, 'fighting war': 305153, 'yemen and': 1015311, 'mohammed bin salman': 535569, 'bin salman is': 131040, 'salman is fighting': 732759, 'is fighting war': 447795, 'fighting war in': 305154, 'in yemen and': 431038, 'yemen and on': 1015312, 'and on covid': 68055, '19 wa this': 11877, 'wa this the': 963497, 'this the time': 890541, 'time to launch': 898011, 'to launch an': 909097, 'launch an oil': 481863, 'the freelancer': 855778, 'freelancer self': 332448, '19 redundant': 10025, 'redundant grateful': 706418, 'grateful thanks': 362308, 'tv worker': 936225, 'love to the': 504857, 'to the freelancer': 916727, 'the freelancer self': 855779, 'freelancer self employed': 332449, 'owner and the': 632379, 'covid 19 redundant': 213674, '19 redundant grateful': 10026, 'redundant grateful thanks': 706419, 'grateful thanks to': 362309, 'care worker the': 164306, 'driver the utility': 259793, 'and the tv': 73626, 'the tv worker': 870125, 'tv worker help': 936226, 'other out much': 620633, 'out much you': 626592, 'resisted the': 714607, 'increased social': 433473, 'noise related': 566229, 'are announcement': 84561, 've resisted the': 953505, 'resisted the increased': 714608, 'the increased social': 858078, 'increased social medium': 433474, 'medium noise related': 527184, 'noise related to': 566230, 'best not to': 127789, 'we are announcement': 970479, 'but fresh': 145774, 'stock but fresh': 801943, 'but fresh fruit': 145775, 'largest pork': 480002, 'processing facility': 680020, 'notice employee': 573264, 'employee fall': 273836, 'closure put': 184005, 'country meat': 210895, 'risk said': 723857, 'of smithfield': 589788, 'smithfield which': 775827, 'operates the': 613051, 'country largest pork': 210852, 'largest pork processing': 480003, 'pork processing facility': 664816, 'processing facility is': 680021, 'facility is closing': 295352, 'is closing until': 446616, 'closing until further': 183805, 'further notice employee': 342099, 'notice employee fall': 573265, 'employee fall ill': 273837, 'fall ill with': 296936, '19 the closure': 11175, 'the closure put': 851057, 'closure put the': 184006, 'the country meat': 852117, 'country meat supply': 210896, 'meat supply at': 525764, 'supply at risk': 824817, 'at risk said': 100392, 'risk said the': 723858, 'said the ceo': 731426, 'ceo of smithfield': 169788, 'of smithfield which': 589790, 'smithfield which operates': 775828, 'which operates the': 986209, 'operates the plant': 613052, 'change only': 172204, 'only due': 610372, 'make producing': 510355, 'producing thing': 680811, 'thing illegal': 884424, 'thus the situation': 895537, 'the situation will': 867283, 'not change only': 568726, 'change only due': 172205, 'only due to': 610373, 'high price people': 395268, 'price people who': 675853, 'people who claim': 650272, 'who claim that': 988454, 'claim that price': 179833, 'because the government': 119626, 'the government make': 856560, 'government make producing': 360335, 'make producing thing': 510356, 'producing thing illegal': 680812, 'thing illegal in': 884425, 'illegal in the': 416222, 'bordertown': 135315, 'from mate': 336377, 'mate who': 520352, 'life there': 489108, 'there good': 878437, 'old bordertown': 598163, 'bordertown fruit': 135316, 'veg butcher': 953735, '1950 auspol': 12381, 'from mate who': 336378, 'mate who life': 520353, 'who life there': 989207, 'life there good': 489109, 'there good old': 878439, 'good old bordertown': 357489, 'old bordertown fruit': 598164, 'bordertown fruit veg': 135317, 'fruit veg butcher': 339166, 'veg butcher bakery': 953736, 'butcher bakery supermarket': 148033, 'bakery supermarket all': 108884, 'supermarket all doing': 818867, 'all doing home': 42607, 'home delivery it': 401026, 'delivery it just': 234154, 'like the 1950': 491343, 'the 1950 auspol': 847944, 'behind at': 124598, 'tell compelling': 836931, 'compelling story': 191523, 'story it': 812026, 'seeing what being': 746554, 'left behind at': 485419, 'behind at grocery': 124599, 'store tell compelling': 810519, 'tell compelling story': 836932, 'compelling story it': 191524, 'story it the': 812027, 'you feeling': 1018547, 'feeling ok': 303039, 'ok rob': 597865, 'are you feeling': 91791, 'you feeling ok': 1018548, 'feeling ok rob': 303041, 'recently improved': 704115, 'improved to': 419572, 'scare our': 740903, 'screwed global': 742822, 'economic etc': 267090, '19 an already': 4969, 'an already existing': 55251, 'virus recently improved': 958675, 'recently improved to': 704116, 'improved to scare': 419573, 'to scare our': 913888, 'scare our elderly': 740904, 'our elderly people': 622870, 'elderly people into': 270826, 'people into going': 648500, 'product so that': 681631, 'so that government': 778373, 'that government can': 844059, 'government can receive': 359963, 'can receive more': 159400, 'world is screwed': 1009718, 'is screwed global': 451693, 'screwed global economic': 742823, 'global economic etc': 351881, 'economic etc have': 267091, 'etc have you': 282585, 'already had it': 47396, 'pinak': 656781, 'ranjan': 696769, 'chakravarty': 171364, 'up pinak': 945770, 'pinak ranjan': 656782, 'ranjan chakravarty': 696770, 'sum up pinak': 817881, 'up pinak ranjan': 945771, 'pinak ranjan chakravarty': 656783, 'joshmchipster': 467350, 'cloutmouse': 184342, 'coronavirus be': 205547, 'be creating': 114282, 'creating new': 216039, 'new dealer': 558608, 'dealer joshmchipster': 229610, 'joshmchipster cloutmouse': 467351, 'cloutmouse coronamemes': 184343, 'coronavirus be creating': 205548, 'be creating new': 114283, 'creating new dealer': 216040, 'new dealer joshmchipster': 558609, 'dealer joshmchipster cloutmouse': 229611, 'joshmchipster cloutmouse coronamemes': 467352, 'cloutmouse coronamemes toiletpaper': 184344, 'coronamemes toiletpaper tp': 205076, 'durable company': 262344, 'suspend manufacturing': 829569, 'manufacturing amid': 513554, 'lockdown download': 499319, 'download mint': 257595, 'mint app': 533655, 'consumer durable company': 197263, 'durable company suspend': 262345, 'company suspend manufacturing': 191138, 'suspend manufacturing amid': 829570, 'manufacturing amid covid': 513555, '19 lockdown download': 8380, 'lockdown download mint': 499320, 'download mint app': 257596, 'mint app for': 533656, 'app for latest': 81708, 'for latest in': 322901, 'latest in business': 481389, 'in business news': 421077, 'buster': 144844, 'teamkentucky': 835873, 'second edition': 743705, 'new healthy': 558873, 'home newsletter': 401657, 'newsletter focus': 561028, 'managing time': 512908, 'home boredom': 400809, 'boredom buster': 135399, 'buster for': 144845, 'for young': 328108, 'read online': 700488, 'online healthyathome': 608360, 'healthyathome teamkentucky': 387829, 'the second edition': 866578, 'second edition of': 743706, 'the new healthy': 861518, 'new healthy at': 558874, 'at home newsletter': 99057, 'home newsletter focus': 401658, 'newsletter focus on': 561029, 'on managing time': 601987, 'managing time when': 512909, 'time when working': 898311, 'from home boredom': 335845, 'home boredom buster': 400810, 'boredom buster for': 135400, 'buster for young': 144846, 'for young people': 328109, 'young people and': 1022637, 'people and online': 646878, 'and online grocery': 68108, 'shopping read online': 763725, 'read online healthyathome': 700489, 'online healthyathome teamkentucky': 608361, 'sadly some': 729357, 'supplier pharmacy': 824588, 'so supply': 778315, 'connect charity': 194599, 'sadly some supplier': 729358, 'some supplier pharmacy': 784016, 'supplier pharmacy and': 824589, 'and shop are': 71491, 'of the shortage': 591461, 'the shortage the': 867097, 'shortage the aim': 765252, 'aim of so': 39541, 'of so supply': 589813, 'so supply is': 778316, 'supply is to': 825460, 'is to connect': 453189, 'to connect charity': 903205, 'connect charity and': 194600, 'charity and company': 173558, 'and company with': 60199, 'company with distributor': 191345, 'with distributor who': 998095, 'distributor who sell': 248337, 'who sell their': 989590, 'sell their product': 748902, 'their product at': 874463, 'product at reasonable': 680980, 'reasonable price now': 703124, 'price now is': 675380, 'time for profiteering': 896744, 'rewrite': 720832, 'buyerpersonas': 149817, 'readapt': 700677, 'mean evolution': 524420, 'evolution or': 288492, 'or adaptation': 614257, 'adaptation company': 31303, 'must rewrite': 546865, 'rewrite their': 720833, 'their buyerpersonas': 872698, 'buyerpersonas from': 149818, 'scratch and': 742604, 'and readapt': 69983, 'readapt corporate': 700678, 'corporate strategic': 207344, 'strategic and': 812535, 'creative process': 216163, 'process kpi6': 679920, 'kpi6 advertising': 477580, 'distancing mean evolution': 247310, 'mean evolution or': 524421, 'evolution or adaptation': 288493, 'or adaptation company': 614258, 'adaptation company must': 31304, 'company must rewrite': 190896, 'must rewrite their': 546866, 'rewrite their buyerpersonas': 720834, 'their buyerpersonas from': 872699, 'buyerpersonas from scratch': 149819, 'from scratch and': 337187, 'scratch and readapt': 742605, 'and readapt corporate': 69984, 'readapt corporate strategic': 700679, 'corporate strategic and': 207345, 'strategic and creative': 812536, 'and creative process': 60720, 'creative process kpi6': 216164, 'process kpi6 advertising': 679921, 'kpi6 advertising digital': 477581, 'advertising digital medium': 33223, 'watch beauty': 968369, 'watch beauty company': 968370, 'over seeing': 630604, 'seeing your': 746559, 'grandparent being': 361964, 'to nip': 910607, 'shop having': 760269, 'having catch': 384004, 'job money': 466008, 'money date': 536688, 'partner nh': 642857, 'thing to appreciate': 884876, 'appreciate more when': 82739, 'more when covid': 540967, 'is over seeing': 450729, 'over seeing your': 630606, 'seeing your grandparent': 746560, 'your grandparent being': 1024098, 'grandparent being able': 361965, 'able to nip': 24509, 'to nip to': 910608, 'nip to the': 563337, 'the shop having': 866998, 'shop having catch': 760270, 'having catch up': 384005, 'the pub with': 864781, 'pub with your': 687810, 'your friend your': 1023978, 'friend your job': 333934, 'your job money': 1024533, 'job money date': 466009, 'money date with': 536689, 'date with your': 226764, 'your partner nh': 1025219, 'partner nh staff': 642858, 'staff teacher supermarket': 792924, 'staff your life': 793130, 'ha finally': 370619, 'finally made': 306053, 'me truly': 523835, 'truly embrace': 933295, 'embrace tradition': 272495, 'tradition grew': 928982, 'up watching': 946538, 'parent practice': 641708, 'neighbor going': 557025, 'and needing': 67489, 'needing something': 556631, 'it ha finally': 458393, 'ha finally made': 370623, 'finally made me': 306054, 'made me truly': 507844, 'me truly embrace': 523836, 'truly embrace tradition': 933297, 'embrace tradition grew': 272496, 'tradition grew up': 928983, 'grew up watching': 363865, 'up watching my': 946539, 'watching my parent': 968764, 'my parent practice': 549695, 'parent practice on': 641709, 'practice on our': 668621, 'on our elderly': 602593, 'elderly neighbor going': 270771, 'neighbor going to': 557026, 'store and needing': 806303, 'and needing something': 67490, 'give donate': 350461, 'pandemic ha partnered': 635558, 'partnered with amp': 642921, 'with amp to': 997195, 'amp to support': 54716, 'support the emergency': 826870, 'can give donate': 158477, 'give donate at': 350462, 'donate at store': 254161, 'at store checkout': 100651, 'grounding': 366580, 'objection': 578431, 'tireddaughter': 899059, 'grounding your': 366581, 'do actually': 249030, 'actually they': 30980, 'of objection': 587142, 'objection to': 578432, 'your reason': 1025527, 'reason tireddaughter': 703017, 'grounding your parent': 366582, 'your parent are': 1025200, 'parent are much': 641584, 'are much harder': 88162, 'much harder to': 544981, 'harder to do': 378192, 'to do actually': 904475, 'do actually they': 249031, 'actually they have': 30981, 'have all kind': 379160, 'kind of objection': 474923, 'of objection to': 587143, 'objection to your': 578433, 'to your reason': 919019, 'your reason tireddaughter': 1025528, 'met warns': 529598, 'most incident': 542441, 'incident involve': 431417, 'involve online': 444335, 'people order': 649003, 'the met warns': 860537, 'met warns the': 529599, 'public about scam': 687828, 'about scam most': 26138, 'scam most incident': 740255, 'most incident involve': 542442, 'incident involve online': 431418, 'involve online shopping': 444336, 'shopping where people': 764383, 'where people order': 985108, 'people order and': 649004, 'pay for personal': 644893, 'then never arrives': 877355, 'said use': 731548, 'time productively': 897523, 'productively ve': 682307, 'produced an': 680504, 'addiction door': 31636, 'door dash': 255566, 'dash dependency': 226069, 'dependency and': 237349, 'sleep schedule': 773788, 'schedule haven': 741439, 'haven attempted': 383742, 'attempted since': 102269, 'since college': 770542, 'college me': 186627, 'the win': 871588, 'win socialdistancing': 995578, 'said use this': 731549, 'this time productively': 890679, 'time productively ve': 897524, 'productively ve produced': 682308, 've produced an': 953454, 'produced an online': 680505, 'shopping addiction door': 761893, 'addiction door dash': 31637, 'door dash dependency': 255567, 'dash dependency and': 226070, 'dependency and sleep': 237350, 'and sleep schedule': 71744, 'sleep schedule haven': 773789, 'schedule haven attempted': 741440, 'haven attempted since': 383743, 'attempted since college': 102270, 'since college me': 770543, 'college me for': 186628, 'for the win': 326781, 'the win socialdistancing': 871589, 'win socialdistancing workfromhome': 995579, 'killing because': 474661, 'food pretty': 315914, '200 le': 13499, 'le two': 483224, 'making killing because': 511161, 'killing because of': 474662, 'panic they are': 638701, '60 day of': 20929, 'of food pretty': 583753, 'food pretty sure': 315915, 'least 200 le': 484347, '200 le two': 13500, 'le two month': 483225, 'local flock': 497957, 'testing station': 839649, 'station after': 796324, 'contract virus': 201714, 'kaikohe local flock': 470665, 'local flock to': 497958, 'flock to covid': 310678, '19 testing station': 11112, 'testing station after': 839650, 'station after supermarket': 796325, 'supermarket worker contract': 824004, 'worker contract virus': 1006691, 'contract virus via': 201715, 'hamsterkaufschlager': 374678, 'wheel are': 983030, 'always important': 49626, 'supermarket hamsterkaufschlager': 820663, 'the wheel are': 871424, 'wheel are always': 983031, 'are always important': 84503, 'always important supermarket': 49627, 'important supermarket hamsterkaufschlager': 418980, 'smart we': 775451, 'via sundaymotivation': 956269, 'calm and shop': 156696, 'and shop smart': 71515, 'shop smart we': 760799, 'smart we did': 775452, 'did the number': 240852, 'the number for': 861954, 'number for you': 576879, 'for you via': 328097, 'you via sundaymotivation': 1022080, 'didn raid': 241166, 'raid the': 695615, 'supermarket toiletpaper': 823484, 'no didn raid': 564010, 'didn raid the': 241167, 'raid the supermarket': 695618, 'the supermarket toiletpaper': 868864, 'supermarket toiletpaper toiletpaperpanic': 823486, 'of misfit': 586570, 'misfit food': 534029, 'by hoarder': 152818, 'via james': 956044, 'haha the island': 373903, 'island of misfit': 454301, 'of misfit food': 586571, 'misfit food what': 534030, 'food what being': 317558, 'the shelf by': 866828, 'shelf by hoarder': 756915, 'by hoarder via': 152819, 'hoarder via james': 399142, 'port of': 664891, 'alaska amid': 40721, 'food fuel and': 314632, 'fuel and other': 340118, 'other necessity are': 620567, 'necessity are still': 554173, 'still coming into': 800384, 'into the port': 443158, 'the port of': 864043, 'port of alaska': 664892, 'of alaska amid': 579877, 'alaska amid the': 40722, 'chargeback': 173354, 'easy chargeback': 265671, 'chargeback and': 173355, 'processor will': 680080, 'not argue': 568243, 'about cancellation': 24926, 'cancellation based': 161007, 'an easy chargeback': 55560, 'easy chargeback and': 265672, 'chargeback and the': 173356, 'payment processor will': 645712, 'processor will not': 680081, 'will not argue': 994186, 'not argue with': 568244, 'with consumer about': 997747, 'consumer about cancellation': 195992, 'about cancellation based': 24927, 'cancellation based on': 161008, 'based on covid': 111672, 'hope the customer': 403672, 'the customer didn': 852717, 'customer didn pay': 222304, 'rumbo': 727466, 'protejete': 685901, 'rumbo al': 727467, 'al supermercado': 40602, 'supermercado on': 824285, 'supermarket protejete': 822080, 'protejete protectyourself': 685902, 'rumbo al supermercado': 727468, 'al supermercado on': 40603, 'supermercado on my': 824286, 'the supermarket protejete': 868763, 'supermarket protejete protectyourself': 822081, 'or staying': 617211, 'staying entertained': 798585, 'entertained while': 278535, 'probably relying': 679359, 'stay supplied': 797337, 'supplied our': 824462, 'our look': 623805, 'what key': 981786, 'key category': 473237, 'category shopper': 167211, 're working from': 699827, 'home or staying': 401758, 'or staying entertained': 617212, 'staying entertained while': 798586, 'entertained while you': 278536, 're probably relying': 699312, 'probably relying on': 679360, 'relying on online': 709679, 'shopping to stay': 764192, 'to stay supplied': 915320, 'stay supplied our': 797338, 'supplied our look': 824463, 'our look at': 623806, 'at what key': 101527, 'what key category': 981787, 'key category shopper': 473238, 'category shopper are': 167212, 'turning to these': 935978, 'to these day': 917338, 'from asymptomatic': 334598, 'asymptomatic sars': 97327, 'sars covid': 736814, 'carrier from': 164983, 'from infecting': 336050, 'infecting other': 436692, 'and contaminating': 60479, 'employee and shopper': 273583, 'and shopper should': 71530, 'should be required': 765714, 'be required to': 116816, 'wear mask this': 974406, 'mask this will': 519379, 'this will reduce': 891440, 'will reduce spread': 994609, 'reduce spread from': 705933, 'spread from asymptomatic': 790536, 'from asymptomatic sars': 334599, 'asymptomatic sars covid': 97328, 'sars covid 19': 736815, '19 carrier from': 5655, 'carrier from infecting': 164984, 'from infecting other': 336051, 'infecting other shopper': 436693, 'and employee and': 62058, 'employee and contaminating': 273560, 'and contaminating food': 60480, 'no grooming': 564381, 'grooming no': 366424, 'no eating': 564077, 'early 20': 264523, 'this growing': 887771, 'no grooming no': 564382, 'grooming no eating': 366425, 'no eating out': 564079, 'eating out no': 266274, 'out no online': 626643, 'online shopping back': 609041, 'shopping back in': 762136, 'in my early': 425567, 'my early 20': 548051, 'early 20 and': 264524, 'all this growing': 45109, 'this growing up': 887772, 'growing up wa': 367254, 'up wa for': 946532, 'wa for nothing': 962158, 'increment': 433933, 'shy': 768301, 'rocketed within': 724964, 'day two': 228628, 'ago refused': 38449, 'at circle': 98270, 'circle because': 178598, 'the increment': 858096, 'increment camel': 433934, 'camel soap': 157091, 'soap sold': 779115, '50 is': 19731, 'now ghs': 574782, 'ghs 50': 349700, '50 the': 19872, 'even shy': 284572, 'shy to': 768304, 'thing ar': 884145, 'sanitiser price sky': 734009, 'price sky rocketed': 676433, 'sky rocketed within': 773219, 'rocketed within day': 724965, 'within day two': 1002349, 'day two day': 228629, 'day ago refused': 227206, 'ago refused to': 38450, 'refused to buy': 707068, 'buy some thing': 149217, 'some thing at': 784039, 'thing at circle': 884174, 'at circle because': 98271, 'circle because of': 178599, 'of the increment': 591137, 'the increment camel': 858097, 'increment camel soap': 433935, 'camel soap sold': 157092, 'soap sold for': 779116, 'for 50 is': 318865, '50 is now': 19732, 'is now ghs': 450290, 'now ghs 50': 574783, 'ghs 50 the': 349701, '50 the woman': 19874, 'the woman wa': 871669, 'woman wa not': 1003649, 'wa not even': 962764, 'not even shy': 569276, 'even shy to': 284573, 'shy to mention': 768305, 'to mention that': 910093, 'mention that because': 528790, '19 thing ar': 11321, 'usps is': 950853, 'always complaining': 49517, 'complaining where': 191915, 'increased shipment': 433465, 'shipment where': 758792, 'another failed': 77610, 'failed example': 296136, 'of goverment': 584260, 'goverment running': 359755, 'running thing': 728104, 'usps is always': 950854, 'is always complaining': 445593, 'always complaining where': 49518, 'complaining where is': 191916, 'where is all': 984945, 'money they made': 537080, 'they made from': 882639, 'made from increased': 507753, 'from increased price': 336034, 'and increased shipment': 65119, 'increased shipment where': 433466, 'shipment where is': 758793, 'is it another': 449008, 'it another failed': 456537, 'another failed example': 77611, 'failed example of': 296137, 'example of goverment': 288933, 'of goverment running': 584261, 'goverment running thing': 359756, 'running thing to': 728105, 'thing to the': 884905, 'surprise it': 828533, 'quite quickly': 694901, 'quickly waitrose': 694632, 'waitrose supermarket': 964487, 'supermarket easterweekend': 820082, 'easterweekend shopping': 265620, 'just standing in': 469868, 'line at and': 492980, 'at and to': 98013, 'to my surprise': 910441, 'my surprise it': 550295, 'surprise it go': 828534, 'it go quite': 458266, 'go quite quickly': 354060, 'quite quickly waitrose': 694902, 'quickly waitrose supermarket': 694633, 'waitrose supermarket easterweekend': 964488, 'supermarket easterweekend shopping': 820083, 'out side': 627191, 'me when finally': 523938, 'go out side': 353982, 'out side to': 627192, 'side to stock': 768908, 'bestsellingauthor': 128051, 'memoir': 528410, 'wrongplacewrongtime': 1013179, 'locale': 498722, 'recee': 703392, 'all involved': 43243, 'follow bestsellingauthor': 312363, 'bestsellingauthor whose': 128052, 'whose memoir': 990658, 'memoir wrongplacewrongtime': 528411, 'wrongplacewrongtime well': 1013180, 'well along': 978002, 'movie pipeline': 544047, 'pipeline corona': 656895, 'corona blocked': 203829, 'blocked some': 132868, 'some locale': 783216, 'locale but': 498723, 'when virus': 984385, 'virus recee': 958672, 're at all': 698321, 'at all involved': 97888, 'all involved in': 43244, 'involved in medium': 444352, 'in medium here': 425238, 'medium here the': 527137, 'here the guy': 393652, 'the guy you': 856967, 'guy you want': 369246, 'want to follow': 966038, 'to follow bestsellingauthor': 906045, 'follow bestsellingauthor whose': 312364, 'bestsellingauthor whose memoir': 128053, 'whose memoir wrongplacewrongtime': 990659, 'memoir wrongplacewrongtime well': 528412, 'wrongplacewrongtime well along': 1013181, 'well along the': 978003, 'along the book': 47025, 'the book to': 849842, 'book to movie': 134617, 'to movie pipeline': 910330, 'movie pipeline corona': 544048, 'pipeline corona blocked': 656896, 'corona blocked some': 203830, 'blocked some locale': 132869, 'some locale but': 783217, 'locale but that': 498724, 'but that will': 147306, 'that will end': 847571, 'end when virus': 276073, 'when virus recee': 984386, 'gov jared': 359614, 'jared polis': 464830, 'polis we': 663573, 'all coloradan': 42387, 'coloradan to': 186769, 'gov jared polis': 359615, 'jared polis we': 464831, 'polis we re': 663574, 're asking all': 698309, 'asking all coloradan': 95936, 'all coloradan to': 42388, 'coloradan to wear': 186770, 'covering when you': 212509, 'and other place': 68381, 'some practical': 783615, 'to stocking': 915463, 'leave out': 484892, 'how to some': 409086, 'to some practical': 914886, 'some practical tip': 783616, 'practical tip to': 668493, 'tip to stocking': 898943, 'to stocking your': 915464, 'pantry and do': 639519, 'not leave out': 570350, 'leave out the': 484893, 'out the comfort': 627356, 'the comfort food': 851188, 'womenshistorymonth': 1003725, 'hernandez': 393911, 'in celebration': 421303, 'of womenshistorymonth': 593224, 'womenshistorymonth hat': 1003726, 'to lupe': 909525, 'lupe hernandez': 506807, 'hernandez of': 393912, 'of bakersfield': 580523, 'bakersfield ca': 108829, 'ca 46': 154858, '46 yr': 19233, 'ago she': 38458, 'made discovery': 507714, 'discovery nursing': 244735, 'student that': 814785, 'that year': 847702, 'later would': 481177, 'would prove': 1012130, 'be life': 115718, 'globe especially': 352456, 'now latina': 575182, 'in celebration of': 421304, 'celebration of womenshistorymonth': 168858, 'of womenshistorymonth hat': 593225, 'womenshistorymonth hat off': 1003727, 'off to lupe': 594323, 'to lupe hernandez': 909526, 'lupe hernandez of': 506808, 'hernandez of bakersfield': 393913, 'of bakersfield ca': 580524, 'bakersfield ca 46': 108830, 'ca 46 yr': 154859, '46 yr ago': 19234, 'yr ago she': 1027005, 'ago she made': 38459, 'she made discovery': 756213, 'made discovery nursing': 507715, 'discovery nursing student': 244736, 'nursing student that': 577634, 'student that year': 814786, 'that year later': 847703, 'year later would': 1014693, 'later would prove': 481178, 'would prove to': 1012131, 'to be life': 901363, 'be life saving': 115719, 'life saving to': 489020, 'saving to people': 737977, 'to people across': 911610, 'the globe especially': 856352, 'globe especially now': 352457, 'especially now latina': 280560, 'gatashe': 344320, 'queue using': 694113, 'distancing outside': 247388, 'outside asda': 629372, 'in gatashe': 423227, 'gatashe northeast': 344321, 'northeast england': 567720, 'shopper queue using': 761655, 'queue using social': 694114, 'social distancing outside': 779682, 'distancing outside asda': 247389, 'outside asda supermarket': 629373, 'supermarket in gatashe': 820902, 'in gatashe northeast': 423228, 'gatashe northeast england': 344322, 'cheaply': 174320, 'is controlling': 446823, 'though sandton': 892878, 'sandton still': 733726, 'two coat': 936840, 'coat to': 185141, 'avoid excess': 105093, 'excess irritation': 289349, 'irritation with': 445118, 'by group': 152733, 'buyer fortunately': 149648, 'still poop': 801049, 'poop cheaply': 664052, 'cheaply flattenthecurve': 174321, 'government is controlling': 360248, 'is controlling the': 446825, 'controlling the price': 202282, 'item that keep': 463696, 'keep safe even': 471877, 'safe even though': 729635, 'even though sandton': 284714, 'though sandton still': 892879, 'sandton still buy': 733727, 'still buy two': 800319, 'buy two coat': 149404, 'two coat to': 936841, 'coat to avoid': 185142, 'to avoid excess': 900892, 'avoid excess irritation': 105094, 'excess irritation with': 289350, 'irritation with toilet': 445119, 'paper shortage caused': 640766, 'caused by group': 167841, 'by group of': 152734, 'group of buyer': 366785, 'of buyer fortunately': 581009, 'buyer fortunately we': 149649, 'fortunately we can': 329922, 'can still poop': 159786, 'still poop cheaply': 801050, 'poop cheaply flattenthecurve': 664053, 'info between': 437431, 'between 9am': 128698, '6pm demo': 21656, 'please contact store': 659842, 'store for info': 807815, 'for info between': 322567, 'info between 9am': 437432, 'between 9am 6pm': 128699, '9am 6pm demo': 23953, '6pm demo day': 21657, 'on april 25th': 599442, 'radiate': 695389, 'store requires': 809831, 'now blast': 574262, 'honestly thats': 403139, 'thats the': 847824, 'energy radiate': 276568, 'radiate make': 695390, 'grocery store requires': 365715, 'store requires me': 809832, 'me to now': 523766, 'to now blast': 910740, 'now blast immigrantsong': 574263, 'because honestly thats': 119132, 'honestly thats the': 403140, 'thats the energy': 847825, 'the energy radiate': 854325, 'energy radiate make': 276569, 'radiate make it': 695391, 'were crazy': 979492, 'they were crazy': 883762, 'were crazy and': 979493, 'worker cook': 1006698, 'cook gas': 202745, 'station folk': 796406, 'folk childcare': 312126, 'worker coffee': 1006669, 'coffee baristas': 185462, 'baristas etc': 111104, 'we insist': 972073, 'insist need': 439691, 'argue don': 92689, 'store worker cook': 811472, 'worker cook gas': 1006699, 'cook gas station': 202746, 'gas station folk': 344111, 'station folk childcare': 796407, 'folk childcare worker': 312127, 'childcare worker coffee': 176314, 'worker coffee baristas': 1006670, 'coffee baristas etc': 185463, 'baristas etc are': 111105, 'etc are the': 282426, 'same folk we': 733067, 'folk we insist': 312293, 'we insist need': 972074, 'insist need to': 439692, 'be at work': 113740, 'at work during': 101597, 'time to keep': 898008, 'keep our life': 471737, 'our life going': 623724, 'life going are': 488692, 'going are the': 355020, 'one you argue': 607538, 'you argue don': 1017304, 'argue don deserve': 92690, 'don deserve living': 253454, 'war amp': 966348, 'amp 2007': 53322, 'skyrocketed when': 773396, 'compete amp': 191583, 'amp stockpile': 54572, 'mask war amp': 519496, 'war amp 2007': 966349, 'amp 2007 08': 53323, 'price skyrocketed when': 676449, 'skyrocketed when country': 773397, 'when country began': 983307, 'country began to': 210509, 'began to compete': 123443, 'to compete amp': 903119, 'compete amp stockpile': 191584, 'amp stockpile on': 54573, 'stockpile on multilateral': 803789, 'multilateral solution for': 545703, 'solution for covid': 782023, 'nigerian uber': 562896, 'stock again': 801768, 'again pls': 37114, 'remembered you': 710456, 'nigerian uber driver': 562897, 'and the isolation': 73432, 'food stock again': 316775, 'stock again pls': 801769, 'again pls nothing': 37115, 'god remembered you': 354790, 'remembered you too': 710457, 'you too in': 1021884, 'too in time': 924803, 'paid via': 634172, 'via gst': 956004, 'rebate but': 703249, 'bankruptcy the': 110540, 'and trustee': 74503, 'trustee fake': 934360, 'assistance to canadian': 96753, 'if paid via': 414590, 'paid via gst': 634173, 'via gst rebate': 956005, 'gst rebate but': 367562, 'rebate but for': 703250, 'or bankruptcy the': 614498, 'bankruptcy the fund': 110541, 'the fund will': 856043, 'estate and trustee': 282094, 'and trustee fake': 74504, 'if tweeps': 415201, 'tweeps have': 936299, 'recent magazine': 703922, 'magazine there': 508349, 'easyfundraising 00': 265812, '00 retailer': 472, 'so much if': 777786, 'much if tweeps': 545001, 'if tweeps have': 415202, 'tweeps have look': 936300, 'at our recent': 100030, 'our recent magazine': 624556, 'recent magazine there': 703923, 'magazine there are': 508350, 'at amazon or': 97952, 'amazon or sign': 51063, 'to easyfundraising 00': 904860, 'easyfundraising 00 retailer': 265813, '00 retailer online': 473, 'retailer online it': 719265, 'online it great': 608444, 'food plenty': 315872, 'tp plenty': 927904, 'buying italy': 150610, 'is few': 447781, 'in spread': 428210, 'ha everything': 370536, 'need except': 554744, 'of food plenty': 583751, 'food plenty of': 315873, 'plenty of tp': 660988, 'of tp plenty': 592378, 'tp plenty of': 927905, 'plenty of alcohol': 660939, 'of alcohol the': 579901, 'alcohol the reason': 41140, 'the reason there': 865277, 'reason there are': 703002, 'are shortage is': 90073, 'shortage is because': 765035, 'panic buying italy': 637780, 'buying italy is': 150611, 'italy is few': 462857, 'is few week': 447784, 'few week ahead': 304130, 'ahead of in': 39183, 'of in spread': 585045, 'in spread and': 428211, 'spread and lockdown': 790413, 'and lockdown but': 66319, 'lockdown but the': 499215, 'grocery are full': 364281, 'are full and': 86722, 'full and everyone': 340475, 'everyone ha everything': 286963, 'ha everything they': 370537, 'everything they need': 288049, 'they need except': 882730, 'need except for': 554745, 'except for hospital': 289162, 'given bonus': 350959, 'be given bonus': 115022, 'given bonus check': 350960, 'bonus check from': 134354, 'check from their': 174451, 'get more essential': 347586, 'more essential during': 539145, 'sears ha': 743352, 'pandemic issuing': 635814, 'issuing another': 456121, 'another financial': 77616, 'financial blow': 306338, 'store retailer': 809881, 'accelerate their': 27865, 'their demise': 873002, 'demise say': 236659, 'say former': 738651, 'exec there': 289838, 'sears ha temporarily': 743353, 'ha temporarily closed': 372171, 'temporarily closed all': 837459, 'it store amid': 461283, 'the pandemic issuing': 863005, 'pandemic issuing another': 635815, 'issuing another financial': 456122, 'another financial blow': 77617, 'financial blow to': 306339, 'department store retailer': 237281, 'store retailer the': 809882, 'retailer the covid': 719364, 'crisis will accelerate': 218402, 'will accelerate their': 992181, 'accelerate their demise': 27866, 'their demise say': 873003, 'demise say former': 236660, 'say former sears': 738652, 'sears exec there': 743349, 'exec there is': 289839, 'rate than': 697381, 'rule which': 727407, 'which hasn': 985912, 'hasn slowed': 378780, 'slowed emission': 774493, '19 at higher': 5240, 'higher rate than': 395710, 'rate than any': 697382, 'group trump ha': 366943, 'trump ha rolled': 933595, 'ha rolled back': 371779, 'economy rule which': 268186, 'rule which hasn': 727408, 'which hasn slowed': 985913, 'hasn slowed emission': 378781, 'slowed emission during': 774494, 'crisis and respiratory': 217045, 'and respiratory virus': 70347, 'virus pandemic you': 958610, 'soar zero': 779286, 'death soar zero': 230198, 'soar zero hedge': 779287, 'plummeted while': 661360, 'be thinking': 117697, 'of covering': 582087, 'covering it': 212474, 'previous profit': 671995, 'loss fiscal': 503679, 'fiscal deficit': 309249, 'deficit by': 232241, 'by maintaining': 153128, 'maintaining current': 509097, 'in balanced': 420671, 'balanced manner': 109005, 'the revival': 865768, 'revival of': 720676, 'slowdown corona': 774428, 'oil price around': 597053, 'world have plummeted': 1009626, 'have plummeted while': 381981, 'plummeted while the': 661361, 'government may be': 360346, 'may be thinking': 521042, 'be thinking of': 117698, 'thinking of covering': 885957, 'of covering it': 582088, 'covering it previous': 212475, 'it previous profit': 460452, 'previous profit and': 671996, 'profit and loss': 682654, 'and loss fiscal': 66406, 'loss fiscal deficit': 503680, 'fiscal deficit by': 309250, 'deficit by maintaining': 232242, 'by maintaining current': 153129, 'maintaining current price': 509098, 'current price it': 221313, 'reduce price in': 705899, 'price in balanced': 674667, 'in balanced manner': 420672, 'balanced manner to': 109006, 'manner to help': 513309, 'stop the revival': 805147, 'the revival of': 865769, 'revival of the': 720677, 'the slowdown corona': 867340, 'enjoy much': 277150, 'needed moment': 556430, 'online togetherness': 609611, 'togetherness alonetogether': 921077, 'fund for the': 341410, 'for the artist': 326307, 'the artist affected': 848945, 'and enjoy much': 62148, 'enjoy much needed': 277151, 'much needed moment': 545161, 'needed moment of': 556431, 'of online togetherness': 587265, 'online togetherness alonetogether': 609612, 'blas': 132398, 'fwyd': 342584, 'consolidated': 195544, 'delivery result': 234394, 'with blas': 997423, 'blas ar': 132399, 'ar fwyd': 83798, 'fwyd to': 342585, 'wide consolidated': 991710, 'consolidated home': 195545, 'local food delivery': 497964, 'food delivery result': 314141, 'delivery result of': 234395, 'pandemic are delighted': 634940, 'delighted to work': 233053, 'work in partnership': 1005334, 'partnership with blas': 642948, 'with blas ar': 997424, 'blas ar fwyd': 132400, 'ar fwyd to': 83799, 'fwyd to offer': 342586, 'offer you uk': 594899, 'you uk wide': 1021955, 'uk wide consolidated': 938898, 'wide consolidated home': 991711, 'consolidated home delivery': 195546, 'with rising': 1000515, 'country high': 210752, 'inflation falling': 437175, 'falling productivity': 297331, 'productivity decreasing': 682312, 'decreasing imported': 231657, 'good rapid': 357616, 'of border': 580787, 'border worsening': 135299, 'worsening international': 1011100, 'trade crisis': 928468, 'crisis economist': 217335, 'economist predict': 267572, 'with rising price': 1000517, 'price of major': 675498, 'of major food': 586111, 'major food in': 509338, 'food in many': 314949, 'many country high': 513948, 'country high rate': 210753, 'high rate of': 395323, 'rate of inflation': 697318, 'of inflation falling': 585183, 'inflation falling productivity': 437176, 'falling productivity decreasing': 297332, 'productivity decreasing imported': 682313, 'decreasing imported good': 231658, 'imported good rapid': 419180, 'good rapid spread': 357617, '19 closure of': 5858, 'closure of border': 183957, 'of border worsening': 580788, 'border worsening international': 135300, 'worsening international trade': 1011101, 'international trade crisis': 441861, 'trade crisis economist': 928469, 'crisis economist predict': 217336, 'economist predict that': 267573, 'notice stark': 573355, 'stark difference': 794159, 'responding globally': 715564, 'novel hear': 573783, 'emptying rapidly': 275272, 'rapidly yet': 697043, 'town outside': 927533, 'outside granada': 629439, 'granada the': 361856, 'full usual': 340958, 'usual curious': 950906, 'curious about': 220970, 'notice stark difference': 573356, 'stark difference in': 794160, 'difference in how': 241850, 'in how people': 423877, 'people are responding': 647060, 'are responding globally': 89633, 'responding globally to': 715565, 'globally to the': 352410, 'the novel hear': 861916, 'novel hear that': 573784, 'hear that supermarket': 387997, 'that supermarket shelf': 846574, 'uk are emptying': 938188, 'are emptying rapidly': 86182, 'emptying rapidly yet': 275273, 'rapidly yet here': 697044, 'yet here in': 1016090, 'in spain in': 428175, 'spain in my': 787309, 'in my small': 425628, 'my small town': 550132, 'small town outside': 775164, 'town outside granada': 927534, 'outside granada the': 629440, 'granada the shelf': 361857, 'are full usual': 86736, 'full usual curious': 340959, 'usual curious about': 950907, 'curious about the': 220971, 'about the difference': 26377, 'congress temporarily': 194533, 'temporarily paralyzed': 837520, 'paralyzed house': 641360, 'house still': 406581, 'still finalizing': 800528, 'finalizing technical': 305926, 'technical correction': 836200, 'bill currently': 130547, 'currently holding': 221561, 'up anyway': 944400, 'anyway insisting': 81019, 'insisting bill': 439717, 'bill be': 130520, 'be read': 116691, 'floor which': 310858, 'require house': 713310, 'house returning': 406532, 'returning senate': 720014, 'senate fighting': 749701, 'fighting about': 305025, 'congress temporarily paralyzed': 194534, 'temporarily paralyzed house': 837521, 'paralyzed house still': 641361, 'house still finalizing': 406582, 'still finalizing technical': 800529, 'finalizing technical correction': 305927, 'technical correction to': 836201, 'correction to coronavirus': 207577, 'to coronavirus bill': 903541, 'coronavirus bill currently': 205561, 'bill currently holding': 130548, 'currently holding it': 221562, 'holding it up': 400127, 'it up anyway': 461955, 'up anyway insisting': 944401, 'anyway insisting bill': 81020, 'insisting bill be': 439718, 'bill be read': 130521, 'be read on': 116693, 'the floor which': 855430, 'floor which would': 310859, 'which would require': 986524, 'would require house': 1012187, 'require house returning': 713311, 'house returning senate': 406533, 'returning senate fighting': 720015, 'senate fighting about': 749702, 'fighting about other': 305026, 'about other issue': 25871, 'in wide': 430908, 'range this': 696747, 'our only': 624156, 'business in new': 143889, 'york and we': 1016578, 'item of all': 463487, 'all kind and': 43319, 'kind and in': 474805, 'and in wide': 65080, 'in wide price': 430909, 'wide price range': 991745, 'price range this': 676081, 'range this is': 696748, 'is our only': 450634, 'our only source': 624157, 'only source of': 611174, 'pulpandpaper': 688969, '2020 outlook': 14495, 'the tissue': 869658, 'tissue industry': 899159, 'industry cited': 435727, 'cited overcapacity': 178783, 'overcapacity the': 631088, 'year what': 1015093, 'difference few': 241834, 'make here': 509972, 'on capacity': 599809, 'capacity price': 162562, 'safety program': 730701, 'program pulpandpaper': 683285, 'our 2020 outlook': 621988, '2020 outlook for': 14496, 'for the tissue': 326733, 'the tissue industry': 869659, 'tissue industry cited': 899160, 'industry cited overcapacity': 435728, 'cited overcapacity the': 178784, 'overcapacity the main': 631089, 'main concern for': 508732, 'the year what': 872176, 'year what difference': 1015094, 'what difference few': 981326, 'difference few month': 241835, 'few month make': 303932, 'month make here': 537847, 'make here how': 509973, 'ha put pressure': 371601, 'pressure on capacity': 671205, 'on capacity price': 599810, 'capacity price and': 162563, 'price and safety': 672530, 'and safety program': 70754, 'safety program pulpandpaper': 730702, 'not why': 572507, 'it tiktok': 461687, 'that not why': 845407, 'not why everyone': 572508, 'why everyone wa': 990987, 'everyone wa over': 287540, 'wa over buying': 962893, 'over buying it': 630052, 'buying it tiktok': 150605, 'it tiktok toiletpaper': 461688, 'still putting': 801082, 'delaying vodafone': 232831, 'you still putting': 1021411, 'still putting up': 801083, 'putting up your': 691282, 'your price most': 1025406, 'price most company': 675275, 'most company are': 542195, 'company are delaying': 190419, 'are delaying vodafone': 85744, 'on premise': 602886, 'premise service': 669937, 'service service': 752813, 'service delivery': 752275, 'delivery became': 233741, 'became essential': 118867, 'essential now': 281339, 'now stayathome': 575893, 'stayathome egypt': 797475, 'extending the online': 293235, 'shopping on premise': 763390, 'on premise service': 602887, 'premise service service': 669938, 'service service delivery': 752814, 'service delivery became': 752276, 'delivery became essential': 233742, 'became essential now': 118868, 'essential now stayathome': 281341, 'now stayathome egypt': 575894, 'buy instead': 148826, 'putting awareness': 691085, 'awareness poster': 105725, 'poster up': 666614, 'just invited': 469070, 'invited the': 444280, 'vulnerable into': 961024, 'have most': 381512, 'staff shopping': 792846, 'shopping rather': 763719, 'till ve': 896123, 'before student': 123113, 'student felt': 814684, 'that way they': 847350, 'they can limit': 881652, 'can limit what': 158878, 'limit what people': 492558, 'what people buy': 982005, 'people buy instead': 647335, 'buy instead of': 148827, 'instead of putting': 440308, 'of putting awareness': 588627, 'putting awareness poster': 691086, 'awareness poster up': 105726, 'poster up and': 666615, 'up and maybe': 944347, 'and maybe just': 66815, 'maybe just invited': 521732, 'just invited the': 469072, 'invited the elderly': 444281, 'and vulnerable into': 75056, 'vulnerable into store': 961025, 'into store have': 443017, 'store have most': 808090, 'have most of': 381514, 'the staff shopping': 867699, 'staff shopping rather': 792847, 'shopping rather than': 763720, 'rather than on': 697537, 'the till ve': 869565, 'till ve done': 896124, 've done this': 953066, 'done this before': 255053, 'this before student': 886532, 'before student felt': 123114, 'student felt like': 814685, 'ilr': 416493, 'just foreign': 468765, 'foreign national': 328992, 'national in': 552539, 'given ilr': 351025, 'ilr but': 416494, 'worker refuge': 1007674, 'refuge worker': 706833, 'cleaner pharmacist': 180812, 'not just foreign': 570224, 'just foreign national': 468766, 'foreign national in': 328993, 'national in the': 552540, 'the nh should': 861761, 'nh should be': 562063, 'be given ilr': 115027, 'given ilr but': 351026, 'ilr but all': 416495, 'but all key': 145084, 'key worker worker': 473530, 'worker worker who': 1008289, 'worker who put': 1008222, 'who put their': 989481, 'the line supermarket': 859419, 'supermarket worker refuge': 824077, 'worker refuge worker': 1007675, 'refuge worker cleaner': 706834, 'worker cleaner pharmacist': 1006651, 'cleaner pharmacist care': 180813, 'pharmacist care home': 654123, 'home worker and': 402559, 'that storing': 846518, 'food correctly': 314029, 'correctly can': 207600, 'longer brit': 501944, 'brit limit': 140345, 'during resource': 262975, 'resource share': 714875, 'longer and': 501918, 'safely share': 730313, 'share surplus': 755236, 'surplus in': 828486, 'know that storing': 476789, 'that storing food': 846519, 'storing food correctly': 811769, 'food correctly can': 314030, 'correctly can make': 207601, 'it last up': 459303, 'to three day': 917545, 'three day longer': 893910, 'day longer brit': 227942, 'longer brit limit': 501945, 'brit limit trip': 140346, 'supermarket during resource': 820056, 'during resource share': 262976, 'resource share tip': 714876, 'for making food': 323177, 'making food last': 511076, 'food last longer': 315282, 'last longer and': 480300, 'longer and how': 501919, 'to safely share': 913721, 'safely share surplus': 730314, 'share surplus in': 755237, 'surplus in your': 828487, 'are the chinese': 90809, 'the chinese national': 850863, 'corporate speak': 207340, 'speak email': 787684, 'been scroll': 121886, 'scroll skim': 742872, 'skim delete': 773026, 'delete in': 232845, 'second this': 743839, 'it professional': 460514, 'professional hit': 682455, 'hit every': 398225, 'concern understands': 193131, 'understands their': 940918, 'their target': 874945, 'target audience': 834440, '99 of corporate': 23865, 'of corporate speak': 581986, 'corporate speak email': 207341, 'speak email on': 787685, 'email on covid': 272250, 'have been scroll': 379671, 'been scroll skim': 121887, 'scroll skim delete': 742873, 'skim delete in': 773027, 'delete in second': 232846, 'in second this': 427769, 'second this one': 743840, 'this one read': 889249, 'one read the': 606939, 'read the whole': 700593, 'the whole thing': 871512, 'thing it professional': 884498, 'it professional hit': 460515, 'professional hit every': 682456, 'hit every consumer': 398226, 'every consumer concern': 285752, 'consumer concern understands': 196873, 'concern understands their': 193132, 'understands their target': 940919, 'their target audience': 874946, 'sanitizers all': 736185, 'use kudos': 949323, 've installed': 953282, 'hand sanitizers all': 375679, 'sanitizers all around': 736186, 'customer employee to': 222330, 'to use kudos': 918041, 'use kudos to': 949324, 'kudos to they': 477888, 'to they ve': 917363, 'they ve installed': 883658, 've installed hand': 953283, 'icelandic': 412731, 'privilege icelandic': 679031, 'icelandic store': 412732, 'said are': 730983, 'often located': 596229, 'poorer area': 664344, 'walker ha called': 964995, 'ha called panic': 370045, 'called panic buying': 156410, '19 social injustice': 10667, 'class privilege icelandic': 180246, 'privilege icelandic store': 679032, 'icelandic store he': 412733, 'he said are': 385359, 'said are often': 730984, 'are often located': 88692, 'often located in': 596230, 'located in poorer': 498814, 'in poorer area': 426834, 'poorer area where': 664345, 'likely exceed': 491993, 'exceed 30': 289024, '30 trillion': 17249, 'trillion after': 931953, 'unprecedented borrowing': 943088, 'borrowing by': 135633, 'and mnuchin': 67092, 'treasury during': 930783, 'reserve could': 714050, 'doing much': 252537, 'the blow': 849795, 'blow is': 133315, 'the national debt': 861290, 'national debt will': 552475, 'debt will likely': 230607, 'will likely exceed': 993998, 'likely exceed 30': 491994, 'exceed 30 trillion': 289025, '30 trillion after': 17250, 'trillion after the': 931954, 'after the unprecedented': 36365, 'the unprecedented borrowing': 870451, 'unprecedented borrowing by': 943089, 'borrowing by the': 135634, 'by the trump': 154462, 'administration and mnuchin': 32450, 'and mnuchin treasury': 67093, 'mnuchin treasury during': 534840, 'treasury during the': 930784, 'crisis the federal': 218171, 'federal reserve could': 302042, 'reserve could be': 714051, 'be doing much': 114523, 'doing much more': 252538, 'more to cushion': 540788, 'cushion the blow': 221916, 'the blow is': 849797, 'blow is consumer': 133316, 'is consumer led': 446794, 'led economy on': 485233, 'pooled': 664033, 'binary': 131057, 'positve': 665523, 'germany will': 346361, 'to factor': 905596, 'factor 10': 295864, 'doing pooled': 252603, 'pooled testing': 664034, 'testing mix': 839564, 'mix 16': 534580, '16 sample': 4163, 'if negative': 414465, 'negative all': 556733, 'are negative': 88205, 'negative otherwise': 556810, 'otherwise binary': 621828, 'binary search': 131058, 'the positve': 864066, 'positve could': 665524, 'could of': 209468, 'course be': 211842, 'used worldwide': 950126, 'testing capacity in': 839464, 'capacity in germany': 162530, 'in germany will': 423286, 'germany will be': 346362, 'be increased by': 115459, 'increased by up': 433238, 'up to factor': 946376, 'to factor 10': 905597, 'factor 10 to': 295865, '10 to up': 1734, 'to 400 00': 899718, '400 00 day': 18707, '00 day by': 158, 'day by doing': 227419, 'by doing pooled': 152395, 'doing pooled testing': 252604, 'pooled testing mix': 664035, 'testing mix 16': 839565, 'mix 16 sample': 534581, '16 sample and': 4164, 'sample and if': 733459, 'and if negative': 64940, 'if negative all': 414466, 'negative all are': 556734, 'all are negative': 42048, 'are negative otherwise': 88206, 'negative otherwise binary': 556811, 'otherwise binary search': 621829, 'binary search for': 131059, 'search for the': 743257, 'for the positve': 326626, 'the positve could': 864067, 'positve could of': 665525, 'could of course': 209469, 'of course be': 582045, 'course be used': 211843, 'be used worldwide': 117928, 'you talk': 1021527, 'plant it': 658672, 'them grow': 875805, 'so toiletpaper': 778555, 'they say if': 883270, 'if you talk': 415535, 'you talk to': 1021529, 'talk to plant': 833886, 'to plant it': 911780, 'plant it help': 658673, 'it help them': 458552, 'help them grow': 390706, 'them grow so': 875806, 'grow so toiletpaper': 367063, 'so toiletpaper coronapocolypse': 778556, 'robinson noted': 724746, 'acquire what': 29165, 'purchase pricesmart': 689635, 'robinson noted that': 724747, 'noted that mailpac': 572881, 'significant jump it': 769473, 'jump it solves': 467877, 'solves the problem': 782205, 'problem of people': 679630, 'home and continuing': 400627, 'continuing to acquire': 201555, 'to acquire what': 900002, 'acquire what they': 29166, 'to purchase pricesmart': 912547, 'purchase pricesmart and': 689636, 'alhamdulillah this': 41686, 'made quality': 507929, 'quality unique': 691866, 'unique and': 941968, 'and classy': 59927, 'classy shoe': 180392, 'shoe give': 759670, 'thank later': 841600, 'later all': 481014, 'all affordable': 41957, 'alhamdulillah this is': 41687, 'our work we': 625400, 'work we made': 1005979, 'we made quality': 972324, 'made quality unique': 507930, 'quality unique and': 691867, 'unique and classy': 941969, 'and classy shoe': 59928, 'classy shoe give': 180393, 'shoe give try': 759671, 'give try and': 350805, 'try and thank': 934458, 'and thank later': 73158, 'thank later all': 841601, 'later all affordable': 481015, 'all affordable price': 41958, 'ebay 19': 266417, 'so this wa': 778504, 'wa on ebay': 962823, 'on ebay 19': 600485, 'ebay 19 corona': 266418, 'india odisha': 434546, 'odisha mask': 579242, 'take necessary': 832355, 'necessary action': 553941, 'action covi': 29995, 'india odisha mask': 434547, 'odisha mask and': 579243, 'high price instead': 395256, 'of helping people': 584559, 'helping people at': 391434, 'profit from it': 682736, 'from it request': 336129, 'request to central': 713212, 'to central and': 902565, 'central and state': 169362, 'to take necessary': 916208, 'take necessary action': 832356, 'necessary action covi': 553943, 'limeade': 492268, 'fucking quarantine': 339974, 'going just': 355253, 'just open': 469391, 'open cat': 612147, 'and barr': 58709, 'barr limeade': 111173, 'limeade fuck': 492269, 'fuck panic': 339628, 'how your fucking': 409301, 'your fucking quarantine': 1024005, 'fucking quarantine going': 339975, 'quarantine going just': 692222, 'going just open': 355254, 'just open cat': 469392, 'open cat food': 612148, 'food and barr': 313181, 'and barr limeade': 58710, 'barr limeade fuck': 111174, 'limeade fuck panic': 492270, 'fuck panic buyer': 339629, 'buyer coronacrisis stayathome': 149617, 'employee sure': 274260, 'missed lot': 534240, 'everyone who continues': 287585, 'continues to work': 201506, 'pandemic from healthcare': 635470, 'station employee sure': 796395, 'employee sure ve': 274261, 've missed lot': 953372, 'missed lot but': 534241, 'lot but we': 504008, 'mcconnell democrat': 522117, 'democrat turning': 236745, 'turning coronavirus': 935913, 'bill into': 130598, 'mcconnell democrat turning': 522118, 'democrat turning coronavirus': 236746, 'turning coronavirus relief': 935914, 'relief bill into': 709288, 'bill into left': 130600, 'month pakistan': 537947, 'pakistan daily': 634441, 'consecutive month pakistan': 194821, 'month pakistan daily': 537948, 'pakistan daily update': 634442, 'daily update 19': 224853, 'update 19 corona': 946830, 'cigna': 178499, 'humana': 410666, 'insurancenews': 440848, 'insurer cigna': 440872, 'cigna and': 178500, 'and humana': 64861, 'humana announced': 410667, 'would waive': 1012379, 'waive consumer': 964505, 'cost associated': 207873, 'treatment while': 931170, 'while aetna': 986572, 'aetna will': 33942, 'will waive': 995308, 'waive cost': 964509, 'patient for': 644171, 'admission related': 32581, 'coronavirus insurance': 206148, 'insurance insurancenews': 440759, 'insurancenews healthcare': 440849, 'insurer cigna and': 440873, 'cigna and humana': 178501, 'and humana announced': 64862, 'humana announced that': 410668, 'they would waive': 883956, 'would waive consumer': 1012380, 'waive consumer cost': 964506, 'consumer cost associated': 196987, 'cost associated with': 207874, '19 treatment while': 11574, 'treatment while aetna': 931171, 'while aetna will': 986573, 'aetna will waive': 33943, 'will waive cost': 995309, 'waive cost to': 964510, 'cost to patient': 208141, 'to patient for': 911499, 'patient for hospital': 644172, 'for hospital admission': 322363, 'hospital admission related': 404263, 'admission related to': 32582, 'the coronavirus insurance': 851872, 'coronavirus insurance insurancenews': 206149, 'insurance insurancenews healthcare': 440760, 'any certified': 79007, 'certified supplier': 170251, 'sell infected': 748763, 'infected meat': 436596, 'no scientist': 565432, 'scientist ha': 742227, 'ever discovered': 285274, 'discovered covid': 244685, 'learn some': 484059, 'basic information': 111956, 'about virus': 26829, 'virus bacteria': 957984, 'doesn survive': 251959, 'any certified supplier': 79008, 'certified supplier distributor': 170252, 'supplier distributor and': 824522, 'distributor and supermarket': 248274, 'and supermarket would': 72754, 'supermarket would not': 824136, 'would not sell': 1012081, 'not sell infected': 571524, 'sell infected meat': 748764, 'infected meat and': 436597, 'meat and no': 525477, 'and no scientist': 67637, 'no scientist ha': 565433, 'scientist ha ever': 742228, 'ha ever discovered': 370523, 'ever discovered covid': 285275, 'discovered covid 19': 244686, '19 from pork': 7134, 'from pork and': 336949, 'pork and learn': 664786, 'and learn some': 66038, 'learn some basic': 484060, 'some basic information': 782384, 'basic information about': 111957, 'information about virus': 437717, 'about virus bacteria': 26831, 'virus bacteria virus': 957985, 'bacteria virus doesn': 107709, 'virus doesn survive': 958144, 'were handing': 979717, 'free corona': 331730, 'corona thought': 204236, 'bit rude': 131689, 'rude since': 727054, 'were minor': 979879, 'minor around': 533630, 'around coronacrisis': 93254, 'supermarket today they': 823470, 'today they were': 920326, 'they were handing': 883775, 'were handing out': 979718, 'handing out free': 376133, 'out free corona': 626181, 'free corona thought': 331731, 'corona thought that': 204237, 'that wa bit': 847276, 'wa bit rude': 961709, 'bit rude since': 131690, 'rude since there': 727055, 'since there were': 770925, 'there were minor': 879322, 'were minor around': 979880, 'minor around coronacrisis': 533631, 'pricelessaycalling': 677882, '19 pas': 9581, 'pas away': 643086, 'away pricelessaycalling': 106010, 'pricelessaycalling pricelessaycalling': 677883, 'it stock up': 461267, 'up food until': 944904, 'food until covid': 317407, 'covid 19 pas': 213555, '19 pas away': 9582, 'pas away pricelessaycalling': 643087, 'away pricelessaycalling pricelessaycalling': 106011, 'pricelessaycalling pricelessaycalling pricelessaycalling': 677884, 'no beer': 563684, 'beer stage': 122514, 'stage home': 793185, 'home brew': 400815, 'brew lockdown': 139403, 'ok so supermarket': 597888, 'so supermarket ha': 778311, 'ha no beer': 371328, 'no beer stage': 563686, 'beer stage home': 122515, 'stage home brew': 793186, 'home brew lockdown': 400816, 'third in': 886077, 'new ha': 558837, 'ha hammered': 370806, 'hammered demand': 374581, 'two third in': 937270, 'third in 2020': 886078, '2020 the covid': 14637, 'pandemic caused by': 635110, 'the new ha': 861513, 'new ha hammered': 558838, 'ha hammered demand': 370807, 'shopping again': 761912, 'but saw': 146961, 'people handling': 648148, 'then putting': 877454, 'back there': 107329, 'big sign': 129995, 'not handle': 569776, 'good better': 356829, 'better still': 128492, 'still if': 800730, 'touch it': 926502, 'it asda': 456600, 'do shopping again': 250076, 'shopping again there': 761913, 'again there wa': 37218, 'panic but saw': 637449, 'but saw many': 146962, 'saw many people': 738168, 'many people handling': 514507, 'people handling food': 648149, 'handling food product': 376353, 'product and then': 680916, 'and then putting': 73796, 'then putting them': 877455, 'them back there': 875459, 'back there should': 107331, 'should be big': 765568, 'be big sign': 113854, 'big sign please': 129997, 'sign please do': 769191, 'do not handle': 249749, 'not handle the': 569777, 'handle the good': 376269, 'the good better': 856429, 'good better still': 356830, 'better still if': 128493, 'still if you': 800731, 'you touch it': 1021898, 'touch it you': 926504, 'it you ve': 462651, 've bought it': 952972, 'bought it asda': 136610, 'someone clear': 784404, 'clear their': 181364, 'their throat': 874980, 'when someone clear': 984054, 'someone clear their': 784405, 'clear their throat': 181365, 'their throat in': 874981, 'throat in line': 894242, 'view from': 957089, 'virus people': 958624, 'being upset': 126009, 'the starbucks': 867727, 'starbucks is': 794095, 'suffer day': 817199, 'without starbucks': 1002937, 'and complaining': 60226, 'out virus': 627772, 'virus retail': 958694, 'retailworkers closethemalls': 719594, 'the view from': 870758, 'view from an': 957090, 'from an open': 334494, 'an open retail': 56657, 'open retail store': 612488, 'in the virus': 429650, 'the virus people': 870877, 'virus people being': 958626, 'people being upset': 647272, 'being upset that': 126010, 'upset that the': 947824, 'that the starbucks': 846839, 'the starbucks is': 867728, 'starbucks is closed': 794096, 'is closed so': 446587, 'closed so they': 183339, 'to suffer day': 915733, 'suffer day without': 817200, 'day without starbucks': 228792, 'without starbucks and': 1002938, 'starbucks and complaining': 794087, 'and complaining that': 60227, 'complaining that we': 191910, 'we can hang': 970957, 'can hang out': 158554, 'hang out virus': 376939, 'out virus retail': 627773, 'virus retail retailworkers': 958695, 'retail retailworkers closethemalls': 718493, 'combating 19': 187062, '19 notice': 8839, 'notice high': 573279, 'uae retail': 937772, 'store report': 809825, 'combating 19 notice': 187063, '19 notice high': 8840, 'notice high price': 573280, 'price in uae': 674748, 'in uae retail': 430368, 'uae retail store': 937773, 'retail store report': 718694, 'store report them': 809826, 'baka': 108738, 'nyo': 578111, 'naranasan': 551894, 'isang': 454189, 'kahig': 470650, 'tuka': 935264, '10 madam': 1508, 'madam baka': 507586, 'baka di': 108739, 'di nyo': 240142, 'nyo naranasan': 578112, 'naranasan ang': 551895, 'ang no': 76290, 'or isang': 615839, 'isang kahig': 454190, 'kahig isang': 470651, 'isang tuka': 454192, 'tuka thats': 935265, 'thats why': 847829, 'why someone': 991365, 'someone still': 784669, 'work realizing': 1005646, 'realizing not': 701934, 'stock hoping': 802244, 'hoping covid': 403919, '10 madam baka': 1509, 'madam baka di': 507587, 'baka di nyo': 108740, 'di nyo naranasan': 240143, 'nyo naranasan ang': 578113, 'naranasan ang no': 551896, 'ang no work': 76291, 'no pay or': 565085, 'pay or isang': 645026, 'or isang kahig': 615840, 'isang kahig isang': 454191, 'kahig isang tuka': 470652, 'isang tuka thats': 454193, 'tuka thats why': 935266, 'thats why someone': 847831, 'why someone still': 991366, 'someone still trying': 784670, 'to work realizing': 918772, 'work realizing not': 1005647, 'realizing not all': 701935, 'not all can': 568102, 'all can have': 42283, 'can have at': 158574, 'least one week': 484590, 'food stock hoping': 316793, 'stock hoping covid': 802245, 'hoping covid 19': 403920, 'will leave our': 993975, 'leave our country': 484890, 'coronahumor': 204972, 'blue russian': 133463, 'via coronavid19': 955889, 'coronacrisis coronahumor': 204572, 'coronahumor coronaoutbreak': 204975, 'blue russian roulette': 133464, 'roulette with toiletpaper': 726309, 'with toiletpaper via': 1001811, 'toiletpaper via coronavid19': 922798, 'via coronavid19 coronacrisis': 955890, 'coronavid19 coronacrisis coronahumor': 205380, 'coronacrisis coronahumor coronaoutbreak': 204573, 'le capable': 482867, 'healthy bringing': 387546, 'bringing shopping': 140193, 'door help': 255614, 'to somebody': 914898, 'the le capable': 859215, 'le capable in': 482868, 'capable in our': 162479, 'stay healthy bringing': 796893, 'healthy bringing shopping': 387547, 'bringing shopping to': 140194, 'shopping to their': 764197, 'their door help': 873071, 'door help with': 255615, 'symptom or been': 830894, 'or been exposed': 614524, 'exposed to somebody': 292905, 'to somebody who': 914899, 'somebody who ha': 784289, 'salisbury is': 732726, 'help older': 390179, 'older shopper': 598674, 'salisbury is the': 732727, 'make some change': 510471, 'change to help': 172347, 'to help older': 907572, 'help older shopper': 390180, 'older shopper during': 598675, 'shopper during covid': 761492, 'refo': 706702, 'iraq the': 444783, 'offer iraq': 594669, 'iraq october': 444779, 'revolution driven': 720740, 'by youth': 154794, 'youth opportunity': 1026864, 'opportunity organize': 613667, 'democratic refo': 236770, 'post examines the': 666119, 'virus spread the': 958793, 'spread the collapse': 790817, 'on iraq the': 601624, 'iraq the crisis': 444785, 'the crisis offer': 852418, 'crisis offer iraq': 217794, 'offer iraq october': 594670, 'iraq october revolution': 444780, 'october revolution driven': 579151, 'revolution driven by': 720741, 'driven by youth': 259291, 'by youth opportunity': 154795, 'youth opportunity organize': 1026865, 'opportunity organize post': 613668, 'enact democratic refo': 275486, 'follows report': 312960, 'company setting': 191066, 'setting excessively': 753627, 'mask read': 519183, 'not to try': 572203, 'the outbreak this': 862712, 'outbreak this follows': 628747, 'this follows report': 887569, 'follows report about': 312961, 'report about some': 711784, 'some company setting': 782571, 'company setting excessively': 191067, 'setting excessively high': 753628, 'price for protective': 674032, 'for protective item': 324831, 'protective item such': 685776, 'item such face': 463671, 'face mask read': 294581, 'mask read more': 519184, 'swabtek': 829915, 'lawenforcement': 482466, 'americaworkstogether': 52350, 'that swabtek': 846603, 'swabtek ha': 829918, 'with stealth': 1000958, 'stealth distillery': 799269, 'government approved': 359892, 'approved hand': 83157, 'handsanitizer swabtek': 376655, 'swabtek distillery': 829916, 'distillery protection': 247798, 'protection lawenforcement': 685515, 'lawenforcement police': 482467, 'police hospital': 663053, 'health ppe': 386750, 'ppe americaworkstogether': 667892, 'happy to announce': 377705, 'announce that swabtek': 76880, 'that swabtek ha': 846604, 'swabtek ha partnered': 829919, 'partnered with stealth': 642927, 'with stealth distillery': 1000959, 'stealth distillery to': 799270, 'distillery to offer': 247823, 'to offer our': 910841, 'offer our own': 594734, 'own government approved': 632023, 'government approved hand': 359893, 'approved hand sanitizer': 83159, 'sanitizer handsanitizer swabtek': 735038, 'handsanitizer swabtek distillery': 376656, 'swabtek distillery protection': 829917, 'distillery protection lawenforcement': 247799, 'protection lawenforcement police': 685516, 'lawenforcement police hospital': 482468, 'police hospital health': 663054, 'hospital health ppe': 404453, 'health ppe americaworkstogether': 386751, 'abhorent': 24336, 'somes': 784819, 'typicaltory': 937669, 'is abhorent': 445260, 'abhorent that': 24337, 'huge somes': 410202, 'somes of': 784820, 'situation selling': 772472, 'disgusting typicaltory': 245476, 'it is abhorent': 458857, 'is abhorent that': 445261, 'abhorent that you': 24338, 'are making huge': 87984, 'making huge somes': 511119, 'huge somes of': 410203, 'somes of money': 784821, 'this situation selling': 890188, 'situation selling covid': 772473, 'kit for inflated': 475543, 'inflated price is': 437048, 'price is disgusting': 674864, 'is disgusting typicaltory': 447227, 'which smallbusinesses': 986326, 'smallbusinesses in': 775241, 'selling giftcards': 749268, 'which smallbusinesses in': 986327, 'smallbusinesses in toronto': 775242, 'in toronto are': 430201, 'toronto are selling': 925921, 'are selling giftcards': 89957, 'selling giftcards online': 749269, 'bookmark pre': 134765, 'order share': 618570, 'papertowels tissue': 641176, 'tissue delivered': 899140, 'panic again': 637271, 'again pandemic': 37106, 'bookmark pre order': 134766, 'pre order share': 669188, 'order share toiletpaper': 618571, 'share toiletpaper papertowels': 755316, 'toiletpaper papertowels tissue': 922328, 'papertowels tissue delivered': 641177, 'tissue delivered to': 899141, 'you no need': 1020105, 'to panic again': 911382, 'panic again pandemic': 637272, 'two little': 937009, 'home she': 402045, 'and theirs': 73729, 'theirs at': 875265, 'already staff': 47672, 'shortage work': 765314, 'way coop': 969527, 'coop is': 203106, 'behaving scare': 123847, 'me co': 522579, 'sister work for': 771803, 'you and ha': 1016991, 'and ha two': 64088, 'ha two little': 372388, 'two little boy': 937010, 'boy at home': 137245, 'at home she': 99102, 'home she put': 402046, 'put her health': 690598, 'her health and': 392103, 'health and theirs': 386161, 'and theirs at': 73730, 'theirs at risk': 875266, 'every day because': 285793, 'is already staff': 445537, 'already staff shortage': 47673, 'staff shortage work': 792858, 'shortage work in': 765315, 'in store myself': 428430, 'the way coop': 871146, 'way coop is': 969528, 'coop is behaving': 203107, 'is behaving scare': 446053, 'behaving scare me': 123848, 'scare me co': 740890, 'kwara': 478037, 'in kwara': 424551, 'kwara state': 478038, 'state over': 795848, 'stuff private': 815179, 'private car': 678871, 'car shop': 163282, 'item fast': 463247, 'shop included': 760334, 'included medicine': 431693, 'medicine shop': 526883, 'be allow': 113557, 'state let': 795731, 'the precautionary': 864212, 'precautionary method': 669435, 'restriction in kwara': 717294, 'in kwara state': 424552, 'kwara state over': 478040, 'state over covid': 795849, 'no need of': 564852, 'need of panic': 555339, 'food stuff private': 316897, 'stuff private car': 815180, 'private car shop': 678872, 'car shop selling': 163283, 'shop selling food': 760748, 'selling food item': 749246, 'food item fast': 315203, 'item fast food': 463248, 'fast food shop': 299978, 'food shop included': 316483, 'shop included medicine': 760335, 'included medicine shop': 431694, 'medicine shop are': 526884, 'to be allow': 901102, 'be allow to': 113558, 'to open for': 910989, 'open for commercial': 612243, 'for commercial activity': 320182, 'commercial activity in': 188666, 'activity in state': 30442, 'in state let': 428240, 'state let just': 795732, 'just take to': 469947, 'to the precautionary': 916973, 'the precautionary method': 864213, 'to be waiting': 901627, 'enough host': 277474, 'host at': 404861, 'survive easter': 829157, 'of this day': 591961, 'this day covid': 887168, 'will have found': 993634, 'have found enough': 380697, 'found enough host': 330199, 'enough host at': 277475, 'host at the': 404862, 'supermarket line to': 821330, 'line to survive': 493495, 'to survive easter': 916026, 'udit steep': 937908, 'ticket is': 895632, 'prevent unnecessary': 671755, 'udit steep rise': 937909, 'platform ticket is': 659034, 'ticket is just': 895633, 'is just to': 449151, 'just to prevent': 470099, 'to prevent unnecessary': 912097, 'prevent unnecessary crowding': 671756, 'crowding at the': 219386, 'at the station': 101108, 'walloped': 965239, 'got laid': 358665, 'at got': 98786, 'got walloped': 359008, 'walloped by': 965240, 'by walk': 154685, 'vanishing from': 952426, 'we thinking': 973538, 'it taking': 461438, 'taking ei': 833340, 'ei to': 270166, 'process claim': 679892, 'claim right': 179799, 'wife got laid': 991927, 'got laid off': 358666, 'work at got': 1004871, 'at got walloped': 98787, 'got walloped by': 359009, 'walloped by walk': 965241, 'by walk in': 154686, 'in business vanishing': 421085, 'business vanishing from': 144612, 'vanishing from covid': 952427, 'are we thinking': 91598, 'we thinking it': 973539, 'thinking it taking': 885938, 'it taking ei': 461439, 'taking ei to': 833341, 'ei to process': 270168, 'to process claim': 912173, 'process claim right': 679893, 'claim right now': 179800, 'watched you': 968680, 'life ripple': 488996, 'ripple out': 722743, 'into infinity': 442663, 're all being': 698206, 'tested you are': 839396, 'you are never': 1017175, 'are never alone': 88215, 'being watched you': 126055, 'watched you will': 968681, 'you will at': 1022323, 'will at some': 992319, 'some point be': 783583, 'point be asked': 662433, 'this life ripple': 888624, 'life ripple out': 488997, 'ripple out into': 722744, 'out into infinity': 626430, 'into infinity be': 442664, 'sick fever': 768444, 'fever cough': 303666, 'cough we': 208580, 'wa probably': 963000, 'probably just': 679303, 'test swab': 839184, 'swab are': 829901, 'available covid': 104305, 'are saturated': 89810, 'saturated online': 736979, 'is saturated': 451644, 'saturated two': 736983, 'of tuna': 592497, 'tuna is': 935382, 'half of my': 374230, 'family is sick': 297955, 'is sick fever': 451912, 'sick fever cough': 768445, 'fever cough we': 303668, 'cough we decided': 208581, 'we decided it': 971246, 'it wa probably': 462174, 'wa probably just': 963001, 'probably just the': 679304, 'the flu test': 855464, 'flu test swab': 311469, 'test swab are': 839185, 'swab are not': 829902, 'not available covid': 568299, 'available covid 19': 104306, '19 call center': 5589, 'call center are': 155815, 'center are saturated': 169163, 'are saturated online': 89811, 'saturated online shopping': 736980, 'shopping is saturated': 763077, 'is saturated two': 451645, 'saturated two week': 736984, 'week of can': 976605, 'of can of': 581072, 'can of tuna': 159094, 'of tuna is': 592500, 'parksandrec': 642141, 'eating lasagna': 266242, 'lasagna and': 480060, 'and muffin': 67311, 'muffin for': 545557, 'feel terrible': 302870, 'terrible me': 838414, 'after eating': 35603, 'pasta because': 643697, 'store parksandrec': 809470, 'parksandrec selfisolation': 642142, 'been eating lasagna': 121064, 'eating lasagna and': 266243, 'lasagna and muffin': 480061, 'and muffin for': 67312, 'muffin for 40': 545558, 'for 40 year': 318838, '40 year and': 18696, 'year and feel': 1014393, 'and feel terrible': 62780, 'feel terrible me': 302871, 'terrible me after': 838415, 'me after eating': 522358, 'after eating too': 35604, 'too much pasta': 924939, 'much pasta because': 545225, 'pasta because it': 643698, 'thing left in': 884530, 'grocery store parksandrec': 365642, 'store parksandrec selfisolation': 809471, 'and recently': 70040, 'recently introduced': 704117, 'gouging prevention': 359435, 'prevention act': 671835, 'protect american': 684773, 'can allow': 157447, 'amp service': 54468, 'colleague and recently': 186187, 'and recently introduced': 70041, 'recently introduced the': 704118, 'introduced the covid': 443457, 'price gouging prevention': 674316, 'gouging prevention act': 359436, 'prevention act to': 671836, 'act to protect': 29801, 'to protect american': 912292, 'protect american consumer': 684775, 'american consumer from': 51890, 'pandemic we can': 636935, 'we can allow': 970905, 'can allow consumer': 157448, 'allow consumer good': 45935, 'consumer good amp': 197596, 'good amp service': 356720, 'amp service to': 54470, 'service to be': 752970, 'sold at excessive': 781629, 'everyday the': 286634, 'increasing and': 433550, 'spreading all': 790915, 'cautious practise': 168229, 'practise good': 668765, 'hygiene eat': 412083, 'eat immune': 265950, 'boosting food': 135072, 'importantly maintain': 419133, 'everyday the corona': 286635, 'virus pandemic is': 958603, 'pandemic is increasing': 635779, 'is increasing and': 448853, 'increasing and spreading': 433551, 'and spreading all': 72152, 'spreading all over': 790916, 'world in these': 1009665, 'trying time let': 934748, 'time let try': 897128, 'let try not': 487192, 'panic just be': 638246, 'just be cautious': 468268, 'be cautious practise': 114035, 'cautious practise good': 168230, 'practise good hygiene': 668766, 'good hygiene eat': 357197, 'hygiene eat immune': 412084, 'eat immune boosting': 265951, 'immune boosting food': 417315, 'boosting food and': 135073, 'most importantly maintain': 542421, 'importantly maintain social': 419134, 'inter city': 441184, 'city public': 179337, 'be same': 116986, 'inter city public': 441185, 'city public transportation': 179338, 'public transportation will': 688436, 'transportation will never': 930053, 'never be same': 557881, 'be same again': 116987, 'same again in': 732956, 'again in india': 37039, 'marin': 515736, 'bank scramble': 110159, 'francisco marin': 331117, 'marin food': 515740, 'opened seven': 612755, 'seven new': 753762, 'new pop': 559311, 'up pantry': 945746, 'fill gap': 305463, 'gap left': 343450, 'by dozen': 152417, 'of site': 589745, 'bay area food': 112910, 'food bank scramble': 313633, 'bank scramble to': 110160, 'their service the': 874665, 'service the san': 752935, 'the san francisco': 866334, 'san francisco marin': 733544, 'francisco marin food': 331118, 'marin food bank': 515741, 'bank ha opened': 109885, 'ha opened seven': 371452, 'opened seven new': 612756, 'seven new pop': 753763, 'new pop up': 559312, 'pop up pantry': 664479, 'up pantry to': 945747, 'pantry to fill': 639700, 'to fill gap': 905842, 'fill gap left': 305464, 'gap left by': 343451, 'left by dozen': 485435, 'by dozen of': 152418, 'dozen of site': 257897, 'of site that': 589746, 'site that have': 772019, 'that have shut': 844235, 'to and volunteer': 900534, 'and volunteer shortage': 75033, 'crisis note': 217768, 'professional health': 682453, 'worker scientific': 1007745, 'scientific researcher': 742175, 'thanks from': 842087, 'heart you': 388362, 'humanity corona': 410713, 'of crisis note': 582177, 'crisis note of': 217769, 'note of thank': 572770, 'medical professional health': 526332, 'professional health care': 682454, 'care worker scientific': 164302, 'worker scientific researcher': 1007746, 'scientific researcher to': 742176, 'researcher to the': 713937, 'worker thanks from': 1007908, 'thanks from the': 842088, 'my heart you': 548663, 'heart you are': 388363, 'hero of humanity': 394047, 'of humanity corona': 584884, 'hard india': 377948, 'it advisable': 456279, 'take highly': 832178, 'experienced personnel': 291594, 'personnel like': 653130, 'and tide': 74113, 'tide the': 895715, 'condition hard india': 193457, 'hard india economy': 377949, 'india economy ha': 434391, 'hard it advisable': 377955, 'it advisable to': 456280, 'advisable to take': 33569, 'to take highly': 916185, 'take highly experienced': 832179, 'highly experienced personnel': 396066, 'experienced personnel like': 291595, 'personnel like rajan': 653131, 'rajan and tide': 696174, 'and tide the': 74114, 'tide the wave': 895716, 'see theme': 745921, 'hoarder make': 399070, 'someone mp': 784573, 'mp set': 544274, 'set national': 753429, 'national penalty': 552580, 'penalty 25k': 646435, '25k fine': 16084, 'fine or': 307676, 'or month': 616157, 'month jail': 537808, 'jail person': 464272, 'person choice': 652361, 'and 1800': 57387, '1800 report': 4633, 'report line': 712074, 'to see theme': 914084, 'see theme to': 745922, 'theme to these': 876716, 'to these hoarder': 917345, 'these hoarder make': 880123, 'hoarder make an': 399071, 'make an example': 509679, 'example of someone': 288947, 'of someone mp': 589921, 'someone mp set': 784574, 'mp set national': 544275, 'set national penalty': 753430, 'national penalty 25k': 552581, 'penalty 25k fine': 646436, '25k fine or': 16085, 'fine or month': 307677, 'or month jail': 616159, 'month jail person': 537809, 'jail person choice': 464273, 'person choice and': 652362, 'choice and 1800': 177727, 'and 1800 report': 57388, '1800 report line': 4634, 'on oil gas': 602490, 'oil gas and': 596824, 'gas and related': 343766, 'and related product': 70185, 'saying it you': 739630, 'it you are': 462637, 'probably more at': 679321, 'risk if you': 723621, 'if you visit': 415550, 'not funny to': 569566, 'funny to hear': 341805, 'hear this if': 388011, 'uvlight': 951499, 'selling uv': 749522, 'light virus': 489619, 'virus killer': 958438, 'killer like': 474632, 'damage uvlight': 225246, 'uvlight doe': 951500, 'to skin': 914691, 'eye fda': 294046, 'company selling uv': 191061, 'selling uv light': 749523, 'uv light virus': 951481, 'light virus killer': 489620, 'virus killer like': 958439, 'killer like this': 474633, 'this one do': 889234, 'one do they': 606202, 'do they know': 250309, 'they know about': 882521, 'about the damage': 26370, 'the damage uvlight': 852809, 'damage uvlight doe': 225247, 'uvlight doe to': 951501, 'doe to skin': 251650, 'to skin and': 914692, 'skin and eye': 773054, 'and eye fda': 62573, 'alb': 40732, 'sqm': 791436, 'nev': 557824, 'alb sqm': 40733, 'sqm ev': 791437, 'ev demand': 283667, 'wa slowing': 963238, 'slowing before': 774525, '19 crippling': 6201, 'crippling effect': 216940, 'while china': 986686, 'china nev': 176840, 'nev subsidy': 557825, 'subsidy were': 816025, 'were extended': 979604, 'extended last': 293173, 'week cut': 976130, 'those rebate': 892386, 'rebate are': 703247, 'table this': 831506, 'that shaped': 846221, 'recovery for': 705327, 'for li': 322960, 'li ion': 487943, 'ion price': 444448, 'likely pipe': 492074, 'dream moreover': 258602, 'moreover given': 541058, 'alb sqm ev': 40734, 'sqm ev demand': 791438, 'ev demand wa': 283668, 'demand wa slowing': 236447, 'wa slowing before': 963239, 'slowing before covid': 774526, 'covid 19 crippling': 212888, '19 crippling effect': 6202, 'crippling effect and': 216941, 'effect and while': 268970, 'and while china': 75566, 'while china nev': 986687, 'china nev subsidy': 176841, 'nev subsidy were': 557826, 'subsidy were extended': 816026, 'were extended last': 979605, 'extended last week': 293174, 'last week cut': 480641, 'week cut to': 976131, 'cut to those': 223612, 'to those rebate': 917517, 'those rebate are': 892387, 'rebate are also': 703248, 'the table this': 869112, 'table this tell': 831507, 'this tell that': 890485, 'tell that shaped': 837075, 'that shaped recovery': 846222, 'shaped recovery for': 754879, 'recovery for li': 705328, 'for li ion': 322961, 'li ion price': 487944, 'ion price is': 444449, 'price is likely': 674873, 'is likely pipe': 449351, 'likely pipe dream': 492075, 'pipe dream moreover': 656875, 'dream moreover given': 258603, 'say retailer': 739102, 'they applaud': 881178, 'effort given': 269520, 'the constraint': 851482, 'constraint with': 195772, 'pickup they': 656027, 'increasingly more': 433789, 'consumer than': 199260, 'analyst say retailer': 57178, 'say retailer are': 739103, 'retailer are struggling': 719017, 'demand but they': 235086, 'but they applaud': 147490, 'they applaud the': 881179, 'applaud the effort': 82255, 'the effort given': 854081, 'effort given the': 269521, 'given the constraint': 351130, 'the constraint with': 851483, 'constraint with pickup': 195774, 'with pickup they': 1000210, 'pickup they say': 656028, 'they say delivery': 883264, 'say delivery time': 738557, 'delivery time are': 234642, 'time are increasingly': 896328, 'are increasingly more': 87503, 'increasingly more important': 433790, 'more important to': 539496, 'important to consumer': 419051, 'to consumer than': 903342, 'consumer than ever': 199261, 'lockdown rising': 499866, 'unemployment falling': 941210, 'be heading': 115165, '19 lockdown rising': 8422, 'lockdown rising unemployment': 499867, 'rising unemployment falling': 723319, 'unemployment falling oil': 941211, 'price etc but': 673707, 'to be heading': 901295, 'be heading in': 115166, 'heading in very': 385939, 'in very different': 430567, 'very different and': 955107, 'energize': 276376, 'stock hurry': 802252, 'hurry dettol': 411505, 'dettol anti': 239519, 'bacterial bar': 107714, 'soap re': 779092, 're energize': 698610, 'energize fresh': 276377, 'fresh 110': 332902, '110 gr': 2622, 'gr 88': 361446, '88 oz': 23056, 'oz pack': 632751, '12 ad': 2815, 'amazon antibacterial': 50860, 'in stock hurry': 428308, 'stock hurry dettol': 802253, 'hurry dettol anti': 411506, 'dettol anti bacterial': 239520, 'anti bacterial bar': 78274, 'bacterial bar soap': 107715, 'bar soap re': 110769, 'soap re energize': 779093, 're energize fresh': 698611, 'energize fresh 110': 276378, 'fresh 110 gr': 332903, '110 gr 88': 2623, 'gr 88 oz': 361447, '88 oz pack': 23057, 'oz pack of': 632752, 'of 12 ad': 579339, '12 ad instock': 2816, 'ordernow amazon antibacterial': 619067, 'amazon antibacterial soap': 50861, 'antibacterial soap handsoap': 78379, 'instead don': 440168, 'trust anything': 934242, 'anything trump': 80921, 'use this instead': 949729, 'this instead don': 888138, 'instead don trust': 440169, 'don trust anything': 253994, 'trust anything trump': 934243, 'anything trump people': 80922, 'trump people will': 933752, 'cfc': 170297, 'idled': 413688, 'yubanet': 1027073, 'cfc allstate': 170298, 'allstate 15': 46409, '15 premium': 3830, 'premium cut': 669946, 'cut good': 223360, 'good first': 357040, 'step much': 799590, 'more relief': 540222, 'relief needed': 709389, 'driver idled': 259608, 'idled by': 413689, 'via yubanet': 956374, 'yubanet sacramento': 1027074, 'sacramento april': 729066, '2020 responding': 14568, 'consumer federation': 197463, 'california education': 155495, 'cfc allstate 15': 170299, 'allstate 15 premium': 46410, '15 premium cut': 3831, 'premium cut good': 669947, 'cut good first': 223361, 'good first step': 357042, 'first step much': 309030, 'step much more': 799591, 'much more relief': 545124, 'more relief needed': 540223, 'relief needed for': 709390, 'needed for driver': 556356, 'for driver idled': 320856, 'driver idled by': 259609, 'idled by covid': 413690, '19 via yubanet': 11766, 'via yubanet sacramento': 956375, 'yubanet sacramento april': 1027075, 'sacramento april 2020': 729067, 'april 2020 responding': 83471, '2020 responding to': 14569, 'responding to call': 715580, 'to call from': 902379, 'call from consumer': 155901, 'from consumer federation': 334961, 'consumer federation of': 197464, 'federation of california': 302106, 'of california education': 581042, 'chain innovation': 170824, 'innovation during': 438871, 'supply chain innovation': 824978, 'chain innovation during': 170825, 'innovation during covid': 438872, '19 lockdown via': 8436, 'well below': 978065, 'gallon across': 342969, 'across sc': 29443, 'sc amid': 739841, 'gas price well': 344049, 'price well below': 677424, 'well below gallon': 978066, 'below gallon across': 126656, 'gallon across sc': 342970, 'across sc amid': 29444, 'sc amid covid': 739842, 'ncpol': 553358, 'hiring like': 397111, 'up ncpol': 945442, 'and food ha': 63055, 'food ha skyrocketed': 314751, 'skyrocketed and store': 773352, 'store are hiring': 806485, 'are hiring like': 87183, 'hiring like crazy': 397112, 'like crazy to': 490071, 'crazy to keep': 215459, 'keep up ncpol': 472176, 'the graph': 856703, 'graph we': 362154, 'sale drastically': 732171, 'drastically increased': 258445, 'more curiosity': 538934, 'curiosity in': 220967, 'the graph we': 856704, 'graph we all': 362155, 'we all wanted': 970373, 'wanted to see': 966269, 'paper sale drastically': 640709, 'sale drastically increased': 732172, 'drastically increased in': 258446, 'increased in march': 433348, 'in march for': 425103, 'march for more': 515367, 'for more curiosity': 323562, 'more curiosity in': 538935, 'curiosity in regard': 220968, 'regard to consumer': 707152, 'to consumer practice': 903323, 'consumer practice during': 198400, 'practice during covid': 668550, 'pandemic in canada': 635694, 'consisting': 195511, 'system consisting': 831135, 'consisting of': 195512, 'pantry meal': 639632, 'meal distribution': 524133, 'distribution site': 248218, 'shelter ha': 757922, 'while adhering': 986568, 'guideline report': 368465, 'the emergency food': 854225, 'emergency food system': 272716, 'food system consisting': 317043, 'system consisting of': 831136, 'consisting of several': 195513, 'several food bank': 753849, 'and pantry meal': 68685, 'pantry meal distribution': 639633, 'meal distribution site': 524134, 'distribution site and': 248219, 'site and shelter': 771876, 'and shelter ha': 71455, 'shelter ha had': 757923, 'had to ramp': 373717, 'ramp up food': 696442, 'supply while adhering': 826102, 'while adhering to': 986569, 'adhering to social': 32238, 'social distancing guideline': 779624, 'distancing guideline report': 247184, 'dailymail': 224919, 'one their': 607206, 'their dailymail': 872970, 'dailymail ha': 224920, 'been flogging': 121161, 'flogging that': 310698, 'that story': 846520, 'mad yet': 507578, 'had promoted': 373431, 'promoted the': 683814, 'usage day': 948823, 'even get me': 284108, 'that one their': 845504, 'one their dailymail': 607207, 'their dailymail ha': 872971, 'dailymail ha been': 224921, 'ha been flogging': 369808, 'been flogging that': 121162, 'flogging that story': 310699, 'that story like': 846522, 'story like mad': 812031, 'like mad yet': 490691, 'mad yet they': 507579, 'yet they had': 1016275, 'they had promoted': 882257, 'had promoted the': 373432, 'promoted the usage': 683815, 'the usage day': 870559, 'usage day before': 948824, 'cannot amount': 161628, 'chishimba noted': 177554, 'that firing': 843883, 'firing more': 308294, 'pandemic cannot amount': 635095, 'cannot amount to': 161629, 'amount to force': 53294, 'the mining company': 860653, 'mining company ha': 533271, 'company ha used': 190719, 'scapegoat chishimba noted': 740754, 'chishimba noted that': 177555, 'noted that firing': 572880, 'that firing more': 843884, 'firing more than': 308295, 'than 11 00': 840169, '11 00 employee': 2433, '00 employee is': 188, 'employee is outrageous': 273990, 'briton step': 140655, 'crisis express': 217365, 'briton step in': 140656, 'step in refusing': 799564, 'refusing to waste': 707102, 'coronavirus crisis express': 205749, 'my drink': 548039, 'be now': 116132, 'tomorrow first': 924077, 'morning nobody': 541374, 'nobody hoarding': 566014, 'hoarding tonic': 399627, 'tonic right': 924339, 'right right': 722256, 'right emptyshelves': 721883, 'decided that my': 230890, 'that my drink': 845262, 'my drink of': 548040, 'drink of choice': 258865, 'of choice during': 581401, 'choice during this': 177760, 'this period will': 889534, 'period will be': 651933, 'will be now': 992578, 'be now going': 116133, 'supermarket tomorrow first': 823498, 'tomorrow first thing': 924078, 'the morning nobody': 860916, 'morning nobody hoarding': 541375, 'nobody hoarding tonic': 566015, 'hoarding tonic right': 399628, 'tonic right right': 924340, 'right right emptyshelves': 722257, 're regularly': 699369, 'updating our': 947482, 'consumer page': 198318, 'finance find': 306194, 'we re regularly': 972946, 're regularly updating': 699370, 'regularly updating our': 707964, 'updating our consumer': 947483, 'our consumer page': 622541, 'consumer page to': 198319, 'you stay aware': 1021370, 'stay aware of': 796779, 'aware of any': 105624, 'of any possible': 580269, 'any possible impact': 79670, 'your finance find': 1023866, 'finance find out': 306195, 'being unfortunately': 126001, 'unfortunately they': 941654, 'and ridiculous': 70518, 'ridiculous behavior': 721520, 'behavior stopthespread': 124206, 'am so ashamed': 50403, 'so ashamed for': 776549, 'ashamed for some': 95051, 'fellow human being': 303295, 'human being unfortunately': 410446, 'being unfortunately they': 126002, 'unfortunately they are': 941655, 'one who do': 607442, 'stoppanicbuying message and': 805590, 'message and message': 529265, 'and message you': 66965, 'message you will': 529493, 'this selfish and': 890017, 'selfish and ridiculous': 747991, 'and ridiculous behavior': 70519, 'ridiculous behavior stopthespread': 721521, 'made very': 508056, 'very lengthy': 955303, 'line to supermarket': 493494, 'italy the distance': 462944, 'distance between the': 246668, 'between the people': 128933, 'the people ha': 863476, 'people ha made': 648132, 'ha made very': 371222, 'made very lengthy': 508057, 'very lengthy queue': 955304, 'part about': 642225, 'about pres': 25983, 'pres speech': 670449, 'speech tonight': 788404, 'tonight wa': 924515, 'wa acknowledging': 961426, 'acknowledging how': 29120, 'badly paid': 108169, 'paid most': 634092, 'most 1st': 542056, '1st amp': 12708, 'amp 2nd': 53328, '2nd line': 16791, 'are health': 87058, 'attendant driver': 102344, 'cleaner amp': 180737, 'worker life': 1007307, 'them must': 876040, 'better post': 128410, 'best part about': 127823, 'part about pres': 642226, 'about pres speech': 25984, 'pres speech tonight': 670450, 'speech tonight wa': 788405, 'tonight wa acknowledging': 924516, 'wa acknowledging how': 961427, 'acknowledging how badly': 29121, 'how badly paid': 407440, 'badly paid most': 108170, 'paid most 1st': 634093, 'most 1st amp': 542057, '1st amp 2nd': 12709, 'amp 2nd line': 53329, '2nd line worker': 16792, 'line worker are': 493597, 'worker are health': 1006393, 'are health care': 87059, 'worker supermarket attendant': 1007854, 'supermarket attendant driver': 819263, 'attendant driver cleaner': 102345, 'driver cleaner amp': 259484, 'cleaner amp other': 180738, 'amp other essential': 54239, 'service worker life': 753101, 'worker life for': 1007309, 'life for them': 488671, 'for them must': 326908, 'them must change': 876041, 'must change for': 546579, 'the better post': 849576, 'better post covid': 128411, 'panamasolidario': 634693, 'president all': 670751, 'staff policeman': 792770, 'policeman military': 663285, 'military firefighter': 531461, 'firefighter canal': 308205, 'canal staff': 160790, 'driver yellow': 259865, 'yellow taxi': 1015270, 'taxi pharmacist': 835170, 'pharmacist security': 654175, 'and ph': 68952, 'ph cleaner': 653973, 'cleaner you': 180871, 'done panama': 254978, 'panama proud': 634691, 'proud panama': 686044, 'panama panamasolidario': 634690, 'to everyone still': 905352, 'everyone still working': 287418, 'still working our': 801438, 'working our president': 1008842, 'our president all': 624428, 'president all hospital': 670752, 'hospital staff policeman': 404642, 'staff policeman military': 792771, 'policeman military firefighter': 663286, 'military firefighter canal': 531462, 'firefighter canal staff': 308206, 'canal staff all': 160791, 'staff all supermarket': 792100, 'bus driver yellow': 143035, 'driver yellow taxi': 259866, 'yellow taxi pharmacist': 1015271, 'taxi pharmacist security': 835171, 'pharmacist security and': 654176, 'security and ph': 744537, 'and ph cleaner': 68953, 'ph cleaner you': 653974, 'cleaner you have': 180872, 'have done panama': 380333, 'done panama proud': 254979, 'panama proud panama': 634692, 'proud panama panamasolidario': 686045, 'vape liquid': 952452, 'liquid manufacturer': 494097, 'manufacturer change': 513440, 'to bottle': 901958, 'vape liquid manufacturer': 952453, 'liquid manufacturer change': 494098, 'manufacturer change course': 513441, 'change course to': 171991, 'course to bottle': 211950, 'to bottle hand': 901959, 'sanitizer amid outbreak': 734359, 'wegmans our': 977641, 'still so': 801207, 'this is picture': 888357, 'picture of wegmans': 656176, 'of wegmans our': 593015, 'wegmans our local': 977642, 'store even in': 807643, 'midst of global': 530786, 'global pandemic america': 352070, 'pandemic america is': 634838, 'america is still': 51580, 'is still so': 452311, 'still so much': 801210, 'much better off': 544758, 'better off than': 128389, 'off than the': 594219, 'than the rest': 841268, 'world on their': 1009866, 'on their best': 604469, 'their best day': 872598, 'best day before': 127660, 'day before coronavirus': 227366, 'before coronavirus 19': 122716, 'reduce or': 705879, 'even eliminate': 284039, 'eliminate non': 271451, 'essential social': 281568, 'activity but': 30392, 'keeping hospital': 472445, 'essential treating': 281729, 'treating election': 930992, 'election non': 271050, 'bad precedent': 107990, 'are in pandemic': 87419, 'in pandemic and': 426456, 'important to significantly': 419068, 'to significantly reduce': 914654, 'significantly reduce or': 769608, 'reduce or even': 705880, 'or even eliminate': 615198, 'even eliminate non': 284040, 'eliminate non essential': 271452, 'non essential social': 566359, 'essential social activity': 281569, 'social activity but': 779422, 'activity but we': 30393, 'are keeping hospital': 87657, 'keeping hospital and': 472446, 'store open because': 809253, 'open because they': 612121, 'are essential treating': 86259, 'essential treating election': 281730, 'treating election non': 930993, 'election non essential': 271051, 'essential in crisis': 281151, 'crisis is very': 217597, 'very bad precedent': 955001, '19 massive': 8570, 'massive sale': 520093, 'sale highly': 732278, 'covid 19 massive': 213408, '19 massive sale': 8571, 'massive sale highly': 520094, 'sale highly disappointed': 732279, 'capitalistic': 162831, 'altar': 49140, 'unquenched': 943278, 'trinity': 932031, 'inhumanity': 438500, 'depravity': 237555, 'wapo behold': 966322, 'behold the': 124772, 'pro life': 679118, 'life republican': 488988, 'republican worshipping': 713077, 'worshipping at': 1011133, 'the capitalistic': 850369, 'capitalistic altar': 162832, 'altar of': 49141, 'of unquenched': 592662, 'unquenched greed': 943279, 'greed death': 363374, 'death million': 230126, 'dead american': 229127, 'american sacrificed': 52173, 'sacrificed to': 729126, 'new holy': 558886, 'holy trinity': 400515, 'trinity trump': 932032, 'trump finally': 933557, 'finally show': 306095, 'show his': 766965, 'his true': 397879, 'color of': 186744, 'of inhumanity': 585208, 'inhumanity depravity': 438501, 'depravity and': 237556, 'and genocide': 63531, 'wapo behold the': 966323, 'behold the pro': 124773, 'the pro life': 864499, 'pro life republican': 679119, 'life republican worshipping': 488989, 'republican worshipping at': 713078, 'worshipping at the': 1011134, 'at the capitalistic': 100900, 'the capitalistic altar': 850370, 'capitalistic altar of': 162833, 'altar of unquenched': 49142, 'of unquenched greed': 592663, 'unquenched greed death': 943280, 'greed death million': 363375, 'death million of': 230127, 'million of dead': 532265, 'of dead american': 582399, 'dead american sacrificed': 229128, 'american sacrificed to': 52174, 'sacrificed to and': 729127, 'to and stock': 900524, 'stock price new': 802736, 'price new holy': 675328, 'new holy trinity': 558887, 'holy trinity trump': 400516, 'trinity trump finally': 932033, 'trump finally show': 933558, 'finally show his': 306096, 'show his true': 766966, 'his true color': 397880, 'true color of': 933048, 'color of inhumanity': 186745, 'of inhumanity depravity': 585209, 'inhumanity depravity and': 438502, 'depravity and genocide': 237557, 'doe if': 251416, 'slot please': 774252, 'do really': 250030, 'not like going': 570394, 'moment who doe': 536120, 'who doe if': 988629, 'doe if you': 251417, 'you have regular': 1019104, 'have regular delivery': 382244, 'regular delivery slot': 707763, 'delivery slot please': 234536, 'slot please ask': 774253, 'please ask yourself': 659680, 'yourself do really': 1026582, 'do really need': 250031, 'need this could': 555812, 'this could go': 886924, 'the supermarket instead': 868646, 'financialtimes': 306718, 'recent oil': 703936, 'crash summed': 215037, 'tweet follow': 936358, 'instagram to': 439978, 'more economiccrisis': 539102, 'economiccrisis financialtimes': 267406, 'financialtimes business': 306719, 'the recent oil': 865316, 'recent oil price': 703937, 'price crash summed': 673328, 'crash summed up': 215038, 'summed up in': 817948, 'up in tweet': 945190, 'in tweet follow': 430344, 'tweet follow the': 936359, 'follow the on': 312541, 'the on instagram': 862170, 'on instagram to': 601590, 'instagram to know': 439979, 'know more economiccrisis': 476605, 'more economiccrisis financialtimes': 539103, 'economiccrisis financialtimes business': 267407, '400ml': 18784, 'our 400ml': 622001, '400ml automatic': 18785, 'automatic liquid': 103978, 'soap dispenser': 778983, 'dispenser on': 246146, 'did you check': 240923, 'you check our': 1017933, 'check our 400ml': 174524, 'our 400ml automatic': 622002, '400ml automatic liquid': 18786, 'automatic liquid soap': 103979, 'liquid soap dispenser': 494106, 'soap dispenser on': 778984, 'dispenser on sale': 246147, 'nurse could': 577252, 'hospital watch': 404704, 'watch her': 968433, 'her emotional': 392014, 'plea asking': 659539, 'stop it this': 804795, 'it this nurse': 461653, 'this nurse could': 889191, 'nurse could not': 577253, 'not find food': 569422, 'find food after': 306901, 'hour shift at': 405912, 'shift at the': 758249, 'at the hospital': 100981, 'the hospital watch': 857540, 'hospital watch her': 404705, 'watch her emotional': 968434, 'her emotional plea': 392015, 'emotional plea asking': 273293, 'plea asking people': 659540, 'vvhat': 961321, 'vvant': 961315, 'svvimming': 829890, 'vvell': 961318, 'vvhat uk': 961322, 'uk day': 938291, 'for attending': 319526, 'attending just': 102410, 'not vvant': 572417, 'vvant to': 961316, 'attend right': 102315, 'right novv': 722011, 'novv the': 573883, 'gym the': 369354, 'the svvimming': 869042, 'svvimming pool': 829891, 'pool vvell': 664026, 'vvell done': 961319, 'done better': 254796, 'better tone': 128578, 'tone deaf': 924312, 'vvhat uk day': 961323, 'uk day than': 938292, 'day than the': 228461, 'than the middle': 841252, 'crisis than to': 218140, 'than to raise': 841343, 'price for attending': 673929, 'for attending just': 319527, 'attending just the': 102411, 'just the sort': 470012, 'sort of place': 786135, 'of place you': 588142, 'place you do': 657856, 'do not vvant': 249883, 'not vvant to': 572418, 'vvant to attend': 961317, 'to attend right': 900821, 'attend right novv': 102316, 'right novv the': 722012, 'novv the gym': 573884, 'the gym the': 856975, 'gym the svvimming': 369355, 'the svvimming pool': 869043, 'svvimming pool vvell': 829892, 'pool vvell done': 664027, 'vvell done better': 961320, 'done better tone': 254798, 'better tone deaf': 128579, 'drop anywhere': 260134, 'anywhere from': 81109, '20 even': 13049, 'even up': 284751, '50 perfect': 19816, 'perfect depending': 651282, 'city due': 179125, 'so soon': 778245, 'soon is': 785749, 'only covid': 610290, '19 hadn': 7415, 'hadn also': 373840, 'also gotten': 48286, 'gotten rid': 359165, 'job millenials': 466006, 'millenials really': 531991, 'really cannot': 702049, 'catch break': 166986, 'break with': 138824, 'market huh': 516535, 'price are estimated': 672659, 'estimated to drop': 282309, 'to drop anywhere': 904765, 'drop anywhere from': 260135, 'anywhere from 20': 81110, 'from 20 even': 334228, '20 even up': 13050, 'even up to': 284752, 'to 50 perfect': 899745, '50 perfect depending': 19817, 'perfect depending on': 651283, 'the city due': 850929, 'city due to': 179126, '19 and so': 5109, 'and so soon': 71853, 'so soon is': 778246, 'soon is the': 785751, 'to buy if': 902246, 'buy if only': 148805, 'if only covid': 414548, 'only covid 19': 610291, 'covid 19 hadn': 213179, '19 hadn also': 7416, 'hadn also gotten': 373841, 'also gotten rid': 48287, 'gotten rid of': 359166, 'of my job': 586783, 'my job millenials': 548922, 'job millenials really': 466007, 'millenials really cannot': 531992, 'really cannot catch': 702050, 'cannot catch break': 161709, 'catch break with': 166987, 'break with the': 138825, 'with the housing': 1001336, 'housing market huh': 407105, 'westlondon': 980679, 'saltandpepper': 732829, 'bootsthechemists': 135133, 'in westlondon': 430819, 'westlondon yesterday': 980680, 'yesterday found': 1015743, 'found queue': 330348, 'small branch': 774819, 'lidl inside': 488290, 'inside many': 439310, 'shelf incl': 757225, 'incl those': 431486, 'for saltandpepper': 325329, 'saltandpepper had': 732830, 'offer there': 594838, 'also queue': 48737, 'customer outside': 222668, 'outside bootsthechemists': 629379, 'bootsthechemists on': 135134, 'shopping in westlondon': 762999, 'in westlondon yesterday': 430820, 'westlondon yesterday found': 980681, 'yesterday found queue': 1015744, 'found queue to': 330349, 'into supermarket small': 443060, 'supermarket small branch': 822718, 'small branch of': 774820, 'of lidl inside': 585807, 'lidl inside many': 488291, 'inside many shelf': 439311, 'many shelf incl': 514690, 'shelf incl those': 757226, 'incl those for': 431487, 'those for saltandpepper': 892016, 'for saltandpepper had': 325330, 'saltandpepper had little': 732831, 'had little to': 373252, 'little to offer': 495625, 'to offer there': 910853, 'offer there wa': 594839, 'there wa also': 879225, 'wa also queue': 961506, 'also queue of': 48738, 'queue of customer': 694018, 'of customer outside': 582276, 'customer outside bootsthechemists': 222669, 'outside bootsthechemists on': 629380, 'bootsthechemists on other': 135135, 'side of road': 768852, 'r97': 695113, '21dayslockdownsouthafrica': 15132, 'wa april': 961571, 'fool but': 318284, 'but spar': 147128, 'spar is': 787448, 'be shy': 117178, 'fake honey': 296640, 'honey at': 403169, '99 currently': 23801, 'currently r97': 221647, 'r97 99': 695114, '99 aprilfoolsday': 23778, 'aprilfoolsday 21dayslockdownsouthafrica': 83735, 'it wa april': 462066, 'wa april fool': 961572, 'april fool but': 83600, 'fool but spar': 318285, 'but spar is': 147129, 'spar is changing': 787449, 'is changing price': 446479, 'changing price do': 172779, 'not be shy': 568455, 'be shy to': 117179, 'shy to sell': 768306, 'sell fake honey': 748709, 'fake honey at': 296641, 'honey at 99': 403170, 'at 99 99': 97817, '99 99 currently': 23761, '99 currently r97': 23802, 'currently r97 99': 221648, 'r97 99 aprilfoolsday': 695115, '99 aprilfoolsday 21dayslockdownsouthafrica': 23779, 'traceable': 928143, 'canada in': 160469, 'china people': 176876, 'the similar': 867194, 'similar app': 769887, 'scan qr': 740706, 'qr code': 691593, 'code before': 185338, 'transit shopping': 929647, 'in mall': 425020, 'supermarket entering': 820175, 'entering any': 278391, 'any office': 79547, 'building you': 142159, 'be traceable': 117781, 'traceable if': 928144, 'found covid': 330184, 'canada in china': 160470, 'in china people': 421425, 'china people must': 176877, 'people must use': 648808, 'use the similar': 949687, 'the similar app': 867195, 'similar app to': 769888, 'app to scan': 81779, 'to scan qr': 913877, 'scan qr code': 740707, 'qr code before': 691595, 'code before taking': 185339, 'before taking any': 123122, 'taking any public': 833276, 'any public transit': 79712, 'public transit shopping': 688399, 'transit shopping in': 929648, 'shopping in mall': 762980, 'in mall or': 425022, 'or supermarket entering': 617278, 'supermarket entering any': 820176, 'entering any office': 278392, 'any office building': 79548, 'office building you': 595383, 'building you can': 142160, 'can be traceable': 157702, 'be traceable if': 117782, 'traceable if they': 928145, 'they found covid': 882140, 'found covid 19': 330185, 'kroger shutting': 477765, 'shutting meat': 768285, 'counter adding': 210188, 'adding new': 31687, 'new end': 558684, 'end cap': 275796, 'cap for': 162419, 'essential hiring': 281130, 'hiring 10': 397054, 'kroger shutting meat': 477766, 'shutting meat and': 768286, 'seafood counter adding': 743129, 'counter adding new': 210189, 'adding new end': 31688, 'new end cap': 558685, 'end cap for': 275797, 'cap for essential': 162420, 'for essential hiring': 321106, 'essential hiring 10': 281131, 'hiring 10 00': 397055, '10 00 extra': 1197, 'worker to deal': 1008002, 'with crisis kroger': 997856, 'broadest': 140775, 'just winner': 470309, 'our interest': 623573, 'interest with': 441432, 'the broadest': 850042, 'broadest filter': 140776, 'filter we': 305781, 'available this': 104628, 'of magic': 586096, 'magic card': 508381, 'card we': 163698, 'just winner in': 470310, 'winner in our': 996027, 'in our interest': 426306, 'our interest with': 623574, 'interest with the': 441433, 'with the broadest': 1001219, 'the broadest filter': 850043, 'broadest filter we': 140777, 'filter we have': 305782, 'have available this': 379384, 'available this may': 104629, 'price of magic': 675496, 'of magic card': 586097, 'magic card we': 508382, 'card we ll': 163699, 'we ll keep': 972259, 'you posted about': 1020387, 'posted about this': 666513, 'about this at': 26630, 'leapfrogging': 483924, 'is leapfrogging': 449257, 'leapfrogging into': 483925, 'heard endlessly': 388073, 'endlessly how': 276253, 'see kid': 745349, 'kid learning': 474033, 'like is leapfrogging': 490515, 'is leapfrogging into': 449258, 'leapfrogging into the': 483926, 've heard endlessly': 953248, 'heard endlessly how': 388074, 'endlessly how 4ir': 276254, 'will see kid': 994780, 'see kid learning': 745350, 'kid learning in': 474034, 'home the rise': 402244, 'in online sale': 426173, 'of food good': 583698, 'food good ready': 314691, 'better fuckin': 128294, 'fuckin not': 339781, 'you better fuckin': 1017462, 'better fuckin not': 128295, 'wow some': 1012591, 'some internet': 783137, 'last 48': 480099, '48 hr': 19317, 'hr even': 409616, 'even friendly': 284087, 'friendly yorkshire': 334022, 'yorkshire folk': 1016723, 'making mint': 511217, 'wow some internet': 1012592, 'some internet price': 783138, 'internet price have': 441989, 'gone up 40': 356410, 'the last 48': 858991, 'last 48 hr': 480100, '48 hr even': 19318, 'hr even friendly': 409617, 'even friendly yorkshire': 284088, 'friendly yorkshire folk': 334023, 'yorkshire folk are': 1016724, 'folk are making': 312094, 'are making mint': 87993, 'making mint out': 511218, 'blockaded': 132810, 'which used': 986428, 'used going': 949924, 'to then': 917324, 'then saw': 877500, 'saw cashier': 738080, 'used of': 949975, 'also blockaded': 47966, 'blockaded the': 132811, 'cashier desk': 166509, 'desk with': 238471, 'with bunch': 997488, 'water box': 968924, 'box had': 137082, 'idea it': 413099, 'struggling of': 814466, 'nearest supermarket which': 553736, 'supermarket which used': 823841, 'which used going': 986429, 'used going to': 949925, 'going to then': 355743, 'to then saw': 917325, 'then saw cashier': 877501, 'saw cashier and': 738081, 'cashier and all': 166449, 'and all employee': 57860, 'all employee wa': 42681, 'employee wa being': 274382, 'wa being used': 961689, 'being used of': 126020, 'used of mask': 949976, 'of mask glove': 586266, 'mask glove they': 518750, 'glove they have': 352957, 'have also blockaded': 379207, 'also blockaded the': 47967, 'blockaded the cashier': 132812, 'the cashier desk': 850485, 'cashier desk with': 166510, 'desk with bunch': 238472, 'with bunch of': 997489, 'bunch of water': 142640, 'of water box': 592936, 'water box had': 968925, 'box had no': 137083, 'no idea it': 564467, 'idea it would': 413100, 'be like that': 115748, 'like that everyone': 491315, 'that everyone had': 843766, 'everyone had their': 286981, 'had their own': 373637, 'own struggling of': 632241, 'struggling of covid': 814467, 'terrible talk': 838440, 'people having': 648216, 'distance knowing': 246755, 're reliant': 699371, 'access right': 28185, 'now appreciate': 574090, 'maintain but': 508948, 'but raising': 146881, 'terrible talk about': 838441, 'talk about trying': 833766, 'of people having': 587921, 'people having to': 648217, 'social distance knowing': 779511, 'distance knowing we': 246756, 'knowing we re': 477145, 'we re reliant': 972947, 're reliant on': 699372, 'reliant on internet': 709257, 'on internet access': 601604, 'internet access right': 441898, 'access right now': 28186, 'right now appreciate': 722026, 'now appreciate that': 574091, 'appreciate that you': 82753, 'have business to': 379860, 'business to maintain': 144542, 'to maintain but': 909568, 'maintain but raising': 508949, 'but raising your': 146882, 'of uncertainty for': 592594, 'uncertainty for everyone': 939687, 'everyone is wrong': 287125, 'by advising': 151762, 'advising people': 33706, 'sight so': 769054, 'limited storage': 492727, 'space do': 787089, 'do it bit': 249466, 'it bit during': 456879, 'bit during time': 131559, 'during time by': 263344, 'time by advising': 896433, 'by advising people': 151764, 'advising people on': 33707, 'people on way': 648979, 'on way to': 605126, 'to store their': 915646, 'store their food': 810632, 'their food after': 873336, 'food after they': 313048, 'bought everything in': 136551, 'in sight so': 427946, 'sight so people': 769055, 'so people with': 778006, 'people with limited': 650457, 'with limited storage': 999234, 'limited storage space': 492728, 'storage space do': 805986, 'space do not': 787090, 'have much to': 381534, 'much to eat': 545391, 'expect ppl': 290700, 'do die': 249227, 'die lost': 241396, 'saving no': 737934, 'do they expect': 250304, 'they expect ppl': 882066, 'expect ppl to': 290701, 'ppl to do': 668351, 'to do die': 904498, 'do die lost': 249228, 'die lost my': 241397, 'job and saving': 465641, 'and saving no': 70972, 'saving no money': 737935, 'sanitize each': 734184, 'give sanitizer': 350684, 'sanitizer kit': 735262, 'country only': 210939, 'this lockdown21': 888697, 'lockdown21 lockdown': 500211, 'need to sanitize': 556056, 'to sanitize each': 913751, 'sanitize each house': 734185, 'each house and': 264094, 'house and give': 406179, 'and give sanitizer': 63666, 'give sanitizer kit': 350685, 'sanitizer kit to': 735264, 'kit to every': 475653, 'whole country only': 990172, 'country only then': 210940, 'only then can': 611290, 'then can we': 877059, 'can we win': 160208, 'we win the': 973925, 'win the war': 995590, 'the war with': 871073, 'war with this': 966605, 'with this lockdown21': 1001710, 'this lockdown21 lockdown': 888698, 'lockdown21 lockdown stayhomesavelives': 500212, 'lockdown stayhomesavelives stayhome': 499961, 'stayhomesavelives stayhome staysafe': 798453, '19 uas': 11607, 'uas may': 937789, 'grace to': 361612, 'thousand china': 893386, 'china found': 176670, 'that drone': 843632, 'drone were': 260087, 'were valuable': 980325, 'valuable not': 952039, 'delivering consumer': 233479, 'for disinfecting': 320755, 'disinfecting neighborhood': 245862, 'carrying sample': 165208, 'sample to': 733487, 'testing lab': 839552, 'world face covid': 1009534, 'covid 19 uas': 213991, '19 uas may': 11608, 'uas may be': 937790, 'may be saving': 521025, 'be saving grace': 116998, 'saving grace to': 737884, 'grace to thousand': 361613, 'to thousand china': 917536, 'thousand china found': 893387, 'china found that': 176671, 'found that drone': 330398, 'that drone were': 843633, 'drone were valuable': 260088, 'were valuable not': 980326, 'valuable not only': 952040, 'only for delivering': 610466, 'for delivering consumer': 320623, 'delivering consumer product': 233480, 'consumer product while': 198485, 'product while social': 681848, 'distancing but for': 247057, 'but for disinfecting': 145744, 'for disinfecting neighborhood': 320756, 'disinfecting neighborhood and': 245863, 'neighborhood and carrying': 557102, 'and carrying sample': 59587, 'carrying sample to': 165209, 'sample to testing': 733488, 'to testing lab': 916404, 'will each': 993275, 'help manchester': 390044, 'manchester food': 512944, 'and city will': 59903, 'city will each': 179463, 'will each donate': 993276, 'each donate 50': 264062, 'to help manchester': 907557, 'help manchester food': 390045, 'manchester food bank': 512945, 'bank meet increasing': 110003, 'increasing demand from': 433583, 'name this': 551689, 'movie winner': 544098, 'winner get': 996024, 'get 3ply': 346479, '3ply roll': 18393, 'roll stayhome': 725519, 'name this movie': 551690, 'this movie winner': 889054, 'movie winner get': 544099, 'winner get 3ply': 996025, 'get 3ply roll': 346480, '3ply roll stayhome': 18394, 'roll stayhome toiletpaper': 725521, 'hope during': 403451, 'time cut': 896524, 'isolation will': 455507, 'increase bill': 432696, 'price selfisolation': 676337, 'so hope during': 777317, 'hope during this': 403452, 'this time cut': 890629, 'time cut back': 896525, 'cut back price': 223248, 'back price during': 107234, 'this pandemic self': 889421, 'self isolation will': 747808, 'isolation will increase': 455508, 'will increase bill': 993807, 'increase bill price': 432697, 'bill price selfisolation': 130664, 'the gofundme': 856405, 'gofundme initiative': 354925, 'initiative building': 438612, 'building platform': 142131, 'fighting the and': 305125, 'the and unethical': 848729, 'and unethical price': 74655, 'gouging of medical': 359403, 'medical supply please': 526455, 'supply please support': 825718, 'please support the': 660620, 'support the gofundme': 826872, 'the gofundme initiative': 856406, 'gofundme initiative building': 354926, 'initiative building platform': 438613, 'building platform to': 142132, 'platform to end': 659044, 'end the supply': 275982, 'the supply shortage': 868958, 'glass direct': 351606, 'direct are': 243287, 'away free': 105849, 'free glass': 331878, 'during mirror': 262791, 'mirror online': 533947, 'online newssuite': 608576, 'glass direct are': 351607, 'direct are giving': 243288, 'giving away free': 351240, 'away free glass': 105851, 'free glass to': 331879, 'glass to nh': 351640, 'nh staff during': 562086, 'staff during mirror': 792397, 'during mirror online': 262792, 'mirror online newssuite': 533948, 'lender via': 486261, 'via sun': 956267, 'payday lender via': 645334, 'lender via sun': 486262, 'via sun time': 956268, 'sobras': 779384, 'juelztheking': 467699, 'podcast la': 662294, 'la sobras': 478217, 'sobras queen': 779385, 'queen of': 693390, 'of podcasts': 588192, 'podcasts ft': 662333, 'ft juelztheking': 339350, 'juelztheking amp': 467700, 'new podcast la': 559290, 'podcast la sobras': 662295, 'la sobras queen': 478218, 'sobras queen of': 779386, 'queen of podcasts': 693391, 'of podcasts ft': 588193, 'podcasts ft juelztheking': 662334, 'ft juelztheking amp': 339351, 'juelztheking amp on': 467701, 'back so': 107272, 'would anyone': 1011524, 'anyone expect': 80312, 'well why would': 978753, 'would you post': 1012418, 'you post that': 1020385, 'post that people': 666348, 'have no job': 381635, 'no job to': 564542, 'job to pay': 466231, 'for it the': 322740, 'it the bank': 461513, 'the bank will': 849259, 'bank will end': 110316, 'up with lot': 946660, 'lot of house': 504206, 'of house the': 584791, 'house the owner': 406607, 'owner will have': 632606, 'have to give': 383219, 'give back so': 350401, 'back so why': 107273, 'why would anyone': 991566, 'would anyone expect': 1011525, 'anyone expect that': 80313, 'expect that house': 290739, 'go up do': 354428, 'up do people': 944725, 'still think that': 801297, 'think that covid': 885590, 'individual severely': 435252, 'and individual severely': 65166, 'individual severely impacted': 435253, 'severely impacted by': 754092, 'line slower': 493405, 'store employee get': 807494, 'get sick or': 347999, 'sick or do': 768554, 'work for fear': 1005148, 'fear of few': 301231, 'of few thing': 583496, 'few thing can': 304094, 'thing can happen': 884224, 'can happen more': 158557, 'make line slower': 510090, 'line slower due': 493406, 'of self checkout': 589466, 'self checkout lane': 747579, 'week 10 00': 975786, 'countless others are': 210387, 'others are likely': 621270, 'don have widely': 253625, 'send multiple': 749912, 'multiple email': 545744, 'express your': 293073, 'job not': 466025, 'mortgage etc': 541893, 'be imposed': 115381, 'imposed soon': 419314, 'possible call': 665600, 'send multiple email': 749913, 'multiple email about': 545745, 'affecting you and': 34589, 'family express your': 297775, 'express your fear': 293074, 'fear of losing': 301249, 'of losing your': 586023, 'your job not': 1024534, 'job not having': 466026, 'having money to': 384170, 'rent mortgage etc': 711133, 'mortgage etc and': 541894, 'etc and demand': 282406, 'that this policy': 847000, 'this policy even': 889653, 'temporary be imposed': 837587, 'be imposed soon': 115382, 'imposed soon possible': 419315, 'soon possible call': 785798, 'possible call and': 665601, '19 delta': 6476, 'delta police': 234828, 'police bust': 662944, 'bust two': 144833, 'two individual': 936977, 'individual reselling': 435242, 'reselling n95': 713996, 'covid 19 delta': 212928, '19 delta police': 6477, 'delta police bust': 234829, 'police bust two': 662945, 'bust two individual': 144834, 'two individual reselling': 936978, 'individual reselling n95': 435243, 'reselling n95 and': 713997, 'goodnews supermarket': 358076, 'supermarket soldier': 822765, 'ensuring shelf': 278187, 'stocked across': 803245, 'america highlight': 51552, 'highlight worker': 395979, 'orleans easter': 619641, 'goodnews supermarket soldier': 358077, 'supermarket soldier are': 822766, 'soldier are ensuring': 781811, 'are ensuring shelf': 86226, 'ensuring shelf are': 278188, 'are stocked across': 90512, 'stocked across america': 803246, 'across america highlight': 29244, 'america highlight worker': 51553, 'highlight worker in': 395980, 'worker in hard': 1007175, 'hard hit new': 377940, 'hit new orleans': 398342, 'new orleans easter': 559236, 'orleans easter easter2020': 619642, 'muddy': 545513, 'the muddy': 861128, 'muddy river': 545516, 'river distillery': 724178, 'responder am': 715402, 'very cool to': 955085, 'see the muddy': 745860, 'the muddy river': 861129, 'muddy river distillery': 545517, 'river distillery manufacturing': 724179, 'distillery manufacturing hand': 247784, 'first responder am': 308927, 'responder am thankful': 715404, 'am thankful for': 50481, 'for the many': 326550, 'many way the': 514862, 'way the community': 969933, 'community is supporting': 189935, 'is supporting one': 452476, 'another in our': 77668, 'mp3': 544292, 'wav': 969338, 'trackouts': 928382, 'make music': 510214, 'music current': 546295, 'non exclusive': 566373, 'exclusive mp3': 289678, 'mp3 non': 544293, 'exclusive wav': 289705, 'wav 10': 969339, '10 unlimited': 1746, 'unlimited trackouts': 942792, 'trackouts 15': 928383, '15 link': 3760, 'home and make': 400659, 'and make music': 66565, 'make music current': 510215, 'music current price': 546296, 'current price non': 221315, 'price non exclusive': 675357, 'non exclusive mp3': 566374, 'exclusive mp3 non': 289679, 'mp3 non exclusive': 544294, 'non exclusive wav': 566375, 'exclusive wav 10': 289706, 'wav 10 unlimited': 969340, '10 unlimited trackouts': 1747, 'unlimited trackouts 15': 942793, 'trackouts 15 link': 928384, '15 link in': 3761, '008': 654, '2382': 15496, '1339': 3323, 'insane new': 439050, 'announced 008': 76899, '008 new': 655, 'to 2382': 899621, '2382 case': 15497, 'case 1339': 165575, '1339 in': 3324, 'nyc alone': 577957, 'insane new york': 439051, 'york state ha': 1016667, 'state ha just': 795639, 'just announced 008': 468189, 'announced 008 new': 76900, '008 new case': 656, 'of in single': 585042, 'in single day': 427979, 'single day taking': 771282, 'day taking the': 228455, 'taking the total': 833598, 'the total to': 869821, 'total to 2382': 926260, 'to 2382 case': 899622, '2382 case 1339': 15498, 'case 1339 in': 165576, '1339 in nyc': 3325, 'in nyc alone': 426015, 'australian price': 103526, '20 that': 13369, 'trigger deep': 931873, 'if unemployment': 415213, 'unemployment surge': 941304, 'past 10': 643486, '10 those': 1706, 'interview who': 442258, 'amazing home': 50703, 'office setup': 595539, 'setup btw': 753729, 'australian price could': 103527, 'fall by 20': 296868, 'by 20 that': 151580, '20 that if': 13370, 'that if the': 844424, 'the pandemic trigger': 863135, 'pandemic trigger deep': 636838, 'trigger deep and': 931874, 'deep and if': 231844, 'and if unemployment': 64954, 'if unemployment surge': 415214, 'unemployment surge past': 941305, 'surge past 10': 828242, 'past 10 those': 643487, '10 those were': 1707, 'were some of': 980152, 'the key point': 858760, 'key point from': 473362, 'point from my': 662491, 'from my interview': 336512, 'my interview who': 548881, 'interview who got': 442259, 'who got an': 988806, 'got an amazing': 358399, 'an amazing home': 55266, 'amazing home office': 50704, 'home office setup': 401708, 'office setup btw': 595540, 'oil patch': 597003, 'patch price': 643942, '19 coronavirus chaos': 6095, 'coronavirus chaos in': 205643, 'chaos in the': 173027, 'the oil patch': 862114, 'oil patch price': 597004, 'patch price plummet': 643943, 'italy declares': 462808, 'declares martial': 231260, 'law stophoarding': 482406, 'stophoarding workingfromhome': 805516, 'workingfromhome fridayfeeling': 1009096, 'fridayfeeling internationaldayofhappiness': 333331, 'italy declares martial': 462809, 'declares martial law': 231261, 'martial law stophoarding': 518081, 'law stophoarding workingfromhome': 482407, 'stophoarding workingfromhome fridayfeeling': 805517, 'workingfromhome fridayfeeling internationaldayofhappiness': 1009097, 'fraud reported': 331336, 'london police': 501156, 'police related': 663181, 'had ordered': 373374, 'which never': 986171, '24 the majority': 15692, '19 fraud reported': 7102, 'fraud reported to': 331337, 'city of london': 179284, 'of london police': 585992, 'london police related': 501157, 'police related to': 663182, 'shopping scam where': 763813, 'scam where people': 740479, 'where people had': 985101, 'people had ordered': 648139, 'had ordered protective': 373375, 'ordered protective face': 618890, 'sanitiser and other': 733916, 'other product which': 620779, 'product which never': 681840, 'which never arrived': 986172, 'grab coffee': 361469, '2pm eastern': 16837, 'eastern 11am': 265571, '11am pacific': 2723, 'pacific we': 632994, 'discus retail': 244905, 'realtime during': 702761, 'll discus': 496706, 'latest happening': 481378, 'our virtual': 625279, 'virtual session': 957787, 'session center': 753275, 'grab coffee and': 361470, 'coffee and join': 185455, 'and join tomorrow': 65677, 'join tomorrow thursday': 466896, 'tomorrow thursday april': 924209, 'thursday april at': 895353, 'april at 2pm': 83548, 'at 2pm eastern': 97579, '2pm eastern 11am': 16838, 'eastern 11am pacific': 265572, '11am pacific we': 2724, 'pacific we discus': 632995, 'we discus retail': 971315, 'discus retail innovation': 244906, 'in realtime during': 427307, 'realtime during the': 702762, 'covid19 pandemic we': 214346, 'pandemic we ll': 636942, 'we ll discus': 972244, 'll discus the': 496707, 'discus the latest': 244924, 'the latest happening': 859110, 'latest happening and': 481379, 'happening and respond': 377319, 'respond to question': 715323, 'to question in': 912663, 'question in our': 693626, 'in our virtual': 426352, 'our virtual session': 625281, 'virtual session center': 957788, 'session center for': 753276, 'way my piece': 969721, 'my piece on': 549773, 'how the vulnerable': 408890, 'the vulnerable will': 871005, 'most via uk': 542858, 'overstuffed': 631564, 'wrestlemania36': 1012742, 'lesson wwe': 486523, 'wwe should': 1013670, 'this wrestlemania': 891550, 'wrestlemania it': 1012734, 'of night': 587019, 'night event': 562989, 'event dig': 284971, 'dig that': 242442, 'an overstuffed': 56758, 'overstuffed hour': 631565, 'hour show': 405932, 'show sellout': 767120, 'sellout night': 749559, 'in stadium': 428223, 'stadium lower': 792061, 'wont see': 1004260, 'see every': 745085, 'every match': 285994, 'hot crowd': 405002, 'whole night': 990275, 'night wrestlemania36': 563134, 'the lesson wwe': 859301, 'lesson wwe should': 486524, 'wwe should take': 1013671, 'should take from': 766545, 'take from this': 832142, 'from this wrestlemania': 338020, 'this wrestlemania it': 891551, 'wrestlemania it the': 1012735, 'it the success': 461579, 'success of night': 816210, 'of night event': 587020, 'night event dig': 562990, 'event dig that': 284972, 'dig that over': 242443, 'that over an': 845616, 'over an overstuffed': 629977, 'an overstuffed hour': 56759, 'overstuffed hour show': 631566, 'hour show sellout': 405933, 'show sellout night': 767121, 'sellout night in': 749560, 'night in stadium': 563018, 'in stadium lower': 428224, 'stadium lower price': 792062, 'lower price since': 505969, 'since you wont': 771019, 'you wont see': 1022414, 'wont see every': 1004261, 'see every match': 745086, 'every match and': 285995, 'match and get': 520281, 'and get hot': 63580, 'get hot crowd': 347259, 'hot crowd the': 405003, 'crowd the whole': 219266, 'the whole night': 871498, 'whole night wrestlemania36': 990276, 'yey': 1016347, 'goner sadly': 356458, 'sadly supermarket': 729359, 'boss some': 135749, 'are liking': 87809, 'happening sale': 377404, 'up yey': 946719, 'yey my': 1016348, 'manager even': 512712, 'even thank': 284639, 'easily put': 265242, 'but hell': 145914, 'will up': 995271, 'sale there': 732572, 'also business': 47984, 'goner sadly supermarket': 356459, 'sadly supermarket boss': 729360, 'supermarket boss some': 819402, 'boss some but': 135750, 'some but not': 782457, 'not all are': 568099, 'all are liking': 42045, 'are liking what': 87810, 'liking what is': 492210, 'is happening sale': 448288, 'happening sale up': 377405, 'sale up yey': 732624, 'up yey my': 946720, 'yey my manager': 1016349, 'my manager even': 549202, 'manager even thank': 512713, 'even thank they': 284640, 'thank they could': 841667, 'they could easily': 881825, 'could easily put': 209130, 'easily put stop': 265243, 'stop on panic': 804864, 'buying hoarding but': 150489, 'hoarding but hell': 399233, 'but hell no': 145915, 'hell no it': 389040, 'no it will': 564536, 'it will up': 462452, 'will up our': 995272, 'up our sale': 945705, 'our sale there': 624671, 'sale there are': 732573, 'are also business': 84445, 'mobilized': 535108, 'army wa': 93053, 'wa mobilized': 962645, 'mobilized to': 535109, 'pack mask': 633072, 'singapore citizen': 771110, 'citizen four': 178898, 'collect free': 186275, 'sanitizer prevents': 735576, 'prevents panic': 671939, 'the army wa': 848913, 'army wa mobilized': 93054, 'wa mobilized to': 962646, 'mobilized to pack': 535110, 'to pack mask': 911345, 'pack mask and': 633073, 'mask and distribute': 518319, 'them to singapore': 876513, 'to singapore citizen': 914668, 'singapore citizen four': 771111, 'citizen four to': 178899, 'four to household': 330690, 'to household and': 908008, 'household and we': 406733, 'are now about': 88516, 'about to collect': 26712, 'to collect free': 902966, 'collect free hand': 186276, 'hand sanitizer prevents': 375544, 'sanitizer prevents panic': 735577, 'prevents panic buying': 671940, 'buying and price': 149924, 'causing vegetable': 168148, 'field poor': 304508, 'poor price': 664270, 'farmer this': 299527, 'who will work': 990008, 'will work despite': 995364, 'work despite the': 1005044, 'despite the labor': 238889, 'the labor shortage': 858888, 'shortage causing vegetable': 764881, 'causing vegetable to': 168149, 'vegetable to rot': 954114, 'the field poor': 855149, 'field poor price': 304509, 'poor price causing': 664271, 'soy price leading': 786974, 'leading to loss': 483764, 'loss farmer this': 503676, 'farmer this is': 299528, 'is how they': 448600, 'paula': 644565, 'scouser': 742517, 'tysm': 937690, 'time paula': 897460, 'paula fb': 644566, 'fb is': 300652, 'asking scouser': 96054, 'scouser donation': 742518, 'of rag': 588717, 'rag old': 695528, 'old book': 598161, 'book which': 134628, 'sell recycling': 748859, 'recycling to': 705555, 'food litter': 315328, 'litter drop': 495205, 'drop at': 260138, 'at 246': 97543, '246 county': 15746, 'county rd': 211474, 'rd liverpool': 698135, 'liverpool tysm': 496250, 'tysm cat': 937691, 'cat catsoftwitter': 166843, 'keep going in': 471544, 'going in these': 355222, 'in these worrying': 429880, 'worrying time paula': 1010844, 'time paula fb': 897461, 'paula fb is': 644567, 'fb is asking': 300653, 'is asking scouser': 445832, 'asking scouser donation': 96055, 'scouser donation of': 742519, 'donation of rag': 254652, 'of rag old': 588718, 'rag old book': 695529, 'old book which': 598162, 'book which they': 134629, 'which they can': 986394, 'they can sell': 881672, 'can sell recycling': 159568, 'sell recycling to': 748860, 'recycling to make': 705556, 'to make to': 909756, 'make to buy': 510661, 'cat food litter': 166870, 'food litter drop': 315330, 'litter drop at': 495206, 'drop at 246': 260139, 'at 246 county': 97544, '246 county rd': 15747, 'county rd liverpool': 211475, 'rd liverpool tysm': 698136, 'liverpool tysm cat': 496251, 'tysm cat catsoftwitter': 937692, 'mom cousin': 535712, 'cousin is': 212089, 'wa infected': 962400, 'glendale eagle': 351689, 'eagle rock': 264379, 'rock if': 724898, 'super please': 818554, 'don that': 253957, 'he wasn': 385649, 'wasn sure': 968017, 'ago he': 38403, 'he showed': 385444, 'showed symptom': 767350, 'so just found': 777493, 'found out my': 330326, 'out my mom': 626605, 'my mom cousin': 549264, 'mom cousin is': 535713, 'cousin is infected': 212090, 'is infected with': 448905, '19 and he': 5040, 'and he work': 64334, 'at supermarket where': 100790, 'where he wa': 984921, 'he wa infected': 385604, 'wa infected this': 962401, 'infected this is': 436651, 'is in glendale': 448773, 'in glendale eagle': 423324, 'glendale eagle rock': 351690, 'eagle rock if': 264380, 'rock if you': 724899, 'if you shop': 415518, 'you shop at': 1021158, 'shop at super': 759957, 'at super please': 100692, 'super please don': 818555, 'please don that': 659925, 'don that where': 253958, 'that where he': 847505, 'he wa working': 385631, 'wa working and': 963727, 'working and he': 1008500, 'and he wasn': 64332, 'he wasn sure': 385650, 'wasn sure how': 968018, 'sure how long': 827574, 'how long ago': 408190, 'long ago he': 501322, 'ago he got': 38404, 'he got it': 385004, 'got it until': 358654, 'it until he': 461946, 'until he showed': 943737, 'he showed symptom': 385445, 'extra resource': 293619, 'resource or': 714848, 'taking serious': 833554, 'health hit': 386498, 'hit asthmatic': 398156, 'asthmatic and': 97218, 'know of extra': 476642, 'of extra resource': 583346, 'extra resource or': 293620, 'resource or benefit': 714849, 'or benefit for': 614541, 'benefit for supermarket': 126970, 'worker my colleague': 1007408, 'colleague are taking': 186200, 'are taking serious': 90733, 'taking serious mental': 833555, 'mental health hit': 528642, 'health hit asthmatic': 386499, 'hit asthmatic and': 398157, 'asthmatic and self': 97219, 'didiza have': 240958, 'to repeat': 913248, 'repeat again': 711501, 'buying such': 151115, 'such buying': 816377, 'buying serf': 151005, 'serf to': 751209, 'didiza have to': 240959, 'have to repeat': 383280, 'to repeat again': 913249, 'repeat again there': 711502, 'panic buying such': 637914, 'buying such buying': 151116, 'such buying serf': 816378, 'buying serf to': 151006, 'serf to create': 751210, 'to create artificial': 903701, 'serious moment': 751430, 'being getting': 125181, 'toiletpaper vote': 922805, 'vote below': 960474, 'moment do not': 535920, 'what the more': 982342, 'the more serious': 860891, 'more serious moment': 540357, 'serious moment of': 751431, 'moment of being': 536011, 'of being getting': 580642, 'being getting infected': 125182, 'infected by or': 436546, 'by or being': 153454, 'or being out': 614535, 'of toiletpaper vote': 592288, 'toiletpaper vote below': 922806, 'worth sharing': 1011436, 'folk rt': 312247, 'rt here': 726768, 'well worth sharing': 978771, 'worth sharing with': 1011437, 'sharing with all': 755627, 'with all work': 997168, 'all work from': 45494, 'from home folk': 335861, 'home folk rt': 401205, 'folk rt here': 312248, 'rt here an': 726769, 'and speaking': 72059, 'speaking common': 787756, 'seems that after': 746853, 'that after year': 842522, 'in the cocoon': 429077, 'up to reality': 946421, 'to reality and': 912858, 'reality and speaking': 701700, 'and speaking common': 72060, 'speaking common sense': 787757, 'through hell': 894500, 'have to sanitize': 383288, 'hand and cart': 374753, 'and cart when': 59594, 'you go into': 1018857, 'reusable bag that': 720149, 'bag that have': 108412, 'been through hell': 122191, 'through hell and': 894501, 'hell and back': 388978, 'crash globally': 214980, 'market crash globally': 516244, 'crash globally amid': 214981, 'globally amid crisis': 352367, 'amid crisis and': 52439, 'crisis and oil': 217038, 'omelet': 598880, 'saw lady': 738148, 'lady pick': 478810, 'brown one': 141252, 'so yall': 778825, 'yall out': 1014084, 'here making': 393329, 'making corona': 511003, 'corona cake': 203841, 'cake having': 155240, 'having neighborhood': 384182, 'neighborhood bake': 557106, 'or practicing': 616667, 'practicing how': 668731, 'make omelet': 510261, 'omelet like': 598881, 'like waffle': 491750, 'waffle house': 963790, 'house groceryshopping': 406335, 'store saw lady': 809997, 'saw lady pick': 738149, 'lady pick up': 478811, 'egg and those': 269772, 'and those were': 74041, 'those were the': 892608, 'were the brown': 980235, 'the brown one': 850057, 'brown one so': 141253, 'one so yall': 607065, 'so yall out': 778826, 'yall out here': 1014085, 'out here making': 626286, 'here making corona': 393330, 'making corona cake': 511004, 'corona cake having': 203842, 'cake having neighborhood': 155241, 'having neighborhood bake': 384183, 'neighborhood bake off': 557107, 'bake off or': 108748, 'off or practicing': 594036, 'or practicing how': 616668, 'practicing how to': 668732, 'to make omelet': 909707, 'make omelet like': 510262, 'omelet like waffle': 598882, 'like waffle house': 491751, 'waffle house groceryshopping': 963791, 'zed': 1027333, 'barra': 111177, 'today wait': 920455, 'wait few': 964102, 'day maybe': 227970, 'maybe till': 521858, 'till all': 895988, 'gone insane': 356314, 'insane have': 439036, 'stopped their': 805767, 'their selfish': 874645, 'selfish shopping': 748256, 'shopping tantrum': 764050, 'tantrum pick': 834287, 'bit plus': 131679, 'plus go': 661613, 'visit local': 959291, 'independent like': 434118, 'like zed': 491897, 'zed barra': 1027334, 'barra pop': 111178, 'pop coronacrisis': 664421, 'stockpiling stopstockpiling': 804082, 'supermarket today wait': 823475, 'today wait few': 920456, 'wait few day': 964103, 'few day maybe': 303782, 'day maybe till': 227971, 'maybe till all': 521859, 'till all the': 895990, 'the people gone': 863475, 'people gone insane': 648106, 'gone insane have': 356315, 'insane have stopped': 439037, 'have stopped their': 382793, 'stopped their selfish': 805768, 'their selfish shopping': 874647, 'selfish shopping tantrum': 748257, 'shopping tantrum pick': 764051, 'tantrum pick up': 834288, 'up few bit': 944852, 'few bit plus': 303727, 'bit plus go': 131680, 'plus go visit': 661614, 'go visit local': 354464, 'visit local independent': 959292, 'local independent like': 498116, 'independent like zed': 434119, 'like zed barra': 491898, 'zed barra pop': 1027335, 'barra pop coronacrisis': 111179, 'pop coronacrisis stockpiling': 664422, 'coronacrisis stockpiling stopstockpiling': 204784, 'had slashed': 373515, 'slashed stock': 773646, 'price nearly': 675314, 'nearly in': 553837, 'half since': 374259, 'it erupted': 457844, 'erupted in': 280242, 'january financial': 464657, 'an inherently': 56337, 'inherently unstable': 438456, 'unstable condition': 943529, 'condition paul': 193505, 'paul craig': 644539, 'craig robert': 214810, 'before the 19': 123138, '19 crisis had': 6256, 'crisis had slashed': 217452, 'had slashed stock': 373516, 'slashed stock price': 773647, 'stock price nearly': 802735, 'price nearly in': 675315, 'nearly in half': 553838, 'in half since': 423515, 'half since it': 374260, 'since it erupted': 770661, 'it erupted in': 457845, 'erupted in january': 280243, 'in january financial': 424357, 'january financial market': 464658, 'financial market were': 306515, 'market were in': 517332, 'were in an': 979771, 'in an inherently': 420314, 'an inherently unstable': 56338, 'inherently unstable condition': 438457, 'unstable condition paul': 943530, 'condition paul craig': 193506, 'paul craig robert': 644540, 'capture these': 162949, 'for history': 322314, 'history ve': 398069, 'in article': 420505, 'eye 19': 293994, 'store today decided': 810839, 'today decided to': 919433, 'decided to capture': 230903, 'to capture these': 902450, 'capture these for': 162950, 'these for myself': 880024, 'for myself for': 323764, 'myself for history': 550859, 'for history ve': 322315, 'history ve seen': 398070, 'seen them in': 747305, 'them in post': 875910, 'in post and': 426857, 'post and in': 665990, 'and in article': 65044, 'in article today': 420506, 'article today saw': 94490, 'today saw with': 920147, 'saw with my': 738326, 'own eye 19': 631979, 'jointly': 467033, '99k': 23939, 'gop bill': 358240, 'immediate check': 416976, 'check 200': 174353, 'person 400': 652288, '400 if': 18740, 'if filing': 414113, 'filing jointly': 305428, 'jointly 500': 467034, 'per kid': 650903, 'kid begin': 473880, 'phase out': 654635, 'out above': 625568, 'above 75k': 27036, '75k phase': 22214, 'out completely': 625871, 'completely above': 192210, 'above 99k': 27038, '99k much': 23940, 'much smaller': 545305, 'of 600': 579645, '600 for': 21087, 'million federal': 532147, 'tax liability': 835029, 'gop bill on': 358241, 'bill on immediate': 130639, 'on immediate check': 601493, 'immediate check 200': 416977, 'check 200 per': 174354, '200 per person': 13532, 'per person 400': 650971, 'person 400 if': 652289, '400 if filing': 18741, 'if filing jointly': 414114, 'filing jointly 500': 305429, 'jointly 500 per': 467035, '500 per kid': 20039, 'per kid begin': 650904, 'kid begin to': 473881, 'begin to phase': 123587, 'to phase out': 911698, 'phase out above': 654636, 'out above 75k': 625569, 'above 75k phase': 27037, '75k phase out': 22215, 'phase out completely': 654637, 'out completely above': 625872, 'completely above 99k': 192211, 'above 99k much': 27039, '99k much smaller': 23941, 'much smaller benefit': 545306, 'smaller benefit of': 775258, 'benefit of 600': 127038, 'of 600 for': 579646, '600 for million': 21088, 'for million federal': 323436, 'million federal tax': 532148, 'federal tax liability': 302072, 'selling supermarket': 749460, 'supermarket vendor': 823636, 'vendor list': 954391, 'list list': 494392, 'list includes': 494364, 'includes shipment': 431808, 'shipment date': 758745, 'paper cleaning': 640028, 'water only': 969087, 'selling supermarket vendor': 749462, 'supermarket vendor list': 823637, 'vendor list list': 954392, 'list list includes': 494393, 'list includes shipment': 494365, 'includes shipment date': 431809, 'shipment date and': 758746, 'date and time': 226592, 'and time so': 74122, 'first to know': 309128, 'know when they': 477007, 'when they ll': 984269, 'll have toilet': 496835, 'toilet paper cleaning': 921229, 'paper cleaning product': 640029, 'product and water': 680918, 'and water only': 75247, 'water only you': 969088, 'point she': 662616, 'becoming depressed': 120290, 'depressed her': 237589, 'off now': 593999, 'she not': 756237, 'food keyworker': 315268, 'is now to': 450348, 'the point she': 863905, 'point she is': 662617, 'she is becoming': 756145, 'is becoming depressed': 446033, 'becoming depressed her': 120291, 'depressed her food': 237590, 'her food stock': 392057, 'food stock drop': 316786, 'stock drop off': 802063, 'drop off now': 260336, 'off now she': 594000, 'now she not': 575790, 'she not eating': 756238, 'not eating well': 569146, 'eating well she': 266337, 'well she didn': 978549, 'buy and now': 148328, 'get food keyworker': 347051, 'nationalfragranceweek': 552654, 'it nationalfragranceweek': 459733, 'nationalfragranceweek shop': 552655, 'own home': 632063, 'in safety': 427624, 'safety store': 730739, 'link coronacrisis': 493819, 'coronacrisis shopping': 204755, 'online onlineshop': 608620, 'onlineshop fragrance': 609874, 'fragrance perfume': 330925, 'perfume stayathome': 651540, 'stayathome workingfromhome': 797711, 'workingfromhome beauty': 1009090, 'beauty cosmetic': 118757, 'cosmetic gift': 207787, 'know it nationalfragranceweek': 476537, 'it nationalfragranceweek shop': 459734, 'nationalfragranceweek shop and': 552656, 'shop and save': 759862, 'and save from': 70949, 'your own home': 1025145, 'own home and': 632064, 'home and in': 400650, 'and in safety': 65067, 'in safety store': 427625, 'safety store link': 730740, 'store link coronacrisis': 808768, 'link coronacrisis shopping': 493820, 'coronacrisis shopping online': 204756, 'shopping online onlineshop': 763464, 'online onlineshop fragrance': 608621, 'onlineshop fragrance perfume': 609875, 'fragrance perfume stayathome': 330926, 'perfume stayathome workingfromhome': 651541, 'stayathome workingfromhome beauty': 797712, 'workingfromhome beauty cosmetic': 1009091, 'beauty cosmetic gift': 118758, 'scumbagcompanies': 742996, 'how spectrum': 408730, 'spectrum response': 788342, 'epidemic isn': 279400, 'or provide': 616731, 'or monthly': 616161, 'monthly forgiveness': 538174, 'forgiveness but': 329380, 'instead add': 440145, 'add 20': 31382, '20 movie': 13189, 'demand service': 236189, 'service scumbagcompanies': 752790, 'scumbagcompanies pricegouging': 742997, 'love how spectrum': 504697, 'how spectrum response': 408731, 'spectrum response to': 788343, 'the epidemic isn': 854441, 'epidemic isn to': 279401, 'isn to lower': 454740, 'lower price or': 505967, 'price or provide': 675785, 'or provide some': 616732, 'provide some type': 686487, 'type of free': 937561, 'of free service': 583924, 'free service or': 332142, 'service or monthly': 752666, 'or monthly forgiveness': 616162, 'monthly forgiveness but': 538175, 'forgiveness but instead': 329381, 'but instead add': 146063, 'instead add 20': 440146, 'add 20 movie': 31383, '20 movie to': 13190, 'movie to it': 544086, 'to it on': 908600, 'it on demand': 460038, 'on demand service': 600287, 'demand service scumbagcompanies': 236190, 'service scumbagcompanies pricegouging': 752791, 'estate were': 282198, 'struggling prior': 814483, '19 gonna': 7244, 'real ugly': 701435, 'ugly in': 938055, 'sector just': 744257, 'just pumping': 469514, 'pumping the': 689134, 'their buddy': 872657, 'buddy at': 141734, 'fund can': 341376, 'can dump': 158171, 'dump stock': 262186, 'retail and commercial': 717814, 'real estate were': 701166, 'estate were already': 282199, 'were already struggling': 979311, 'already struggling prior': 47696, 'struggling prior to': 814484, 'prior to all': 678369, 'covid 19 gonna': 213153, '19 gonna get': 7245, 'gonna get real': 356534, 'get real ugly': 347895, 'real ugly in': 701436, 'ugly in the': 938056, 'discretionary sector just': 244774, 'sector just pumping': 744258, 'just pumping the': 469515, 'pumping the market': 689135, 'market so that': 517078, 'so that their': 778397, 'that their buddy': 846876, 'their buddy at': 872658, 'buddy at the': 141735, 'at the hedge': 100975, 'hedge fund can': 388721, 'fund can dump': 341377, 'can dump stock': 158172, 'dump stock at': 262187, 'stock at better': 801874, 'work parked': 1005594, 'parked my': 642041, 'car so': 163286, 'other car': 619929, 'distancing so much': 247487, 'much that when': 545348, 'that when went': 847498, 'after work parked': 36569, 'work parked my': 1005595, 'parked my car': 642042, 'my car so': 547606, 'car so it': 163287, 'so it wa': 777484, 'it wa social': 462195, 'the other car': 862514, 'recent rise': 703978, 'payment fraudsters': 645632, 'chaos bury': 173003, 'bury said': 142980, 'about the recent': 26497, 'the recent rise': 865321, 'recent rise in': 703979, 'rise in phishing': 722899, 'phishing scam surrounding': 654836, 'scam surrounding covid': 740381, '19 and federal': 5024, 'and federal stimulus': 62761, 'stimulus payment fraudsters': 801602, 'payment fraudsters and': 645633, 'fraudsters and criminal': 331395, 'on chaos bury': 599880, 'chaos bury said': 173004, 'bury said it': 142981, 'said it the': 731166, 'it the perfect': 461565, 'perfect environment for': 651287, 'environment for them': 279105, 'carer for': 164552, 'piling wanker': 656637, 'wanker think': 965605, 'however having': 409383, 'them stockpiling': 876333, 'carer for elderly': 164553, 'elderly parent will': 270813, 'parent will you': 641785, 'will you selfish': 995397, 'you selfish stock': 1021108, 'stock piling wanker': 802678, 'piling wanker think': 656638, 'wanker think of': 965606, 'other people trying': 620693, 'isolate for fear': 454856, 'parent however having': 641652, 'however having to': 409384, 'try and buy': 934440, 'for them stockpiling': 326920, 'waste and insecurity': 968074, 'and insecurity rising': 65252, 'stimulus in': 801550, 'and ours': 68527, 'ours no': 625441, 'pakistan stimulus in': 634507, 'stimulus in place': 801551, 'place and ours': 657319, 'and ours no': 68528, 'ours no where': 625442, 'no where in': 565884, 'where in sight': 984939, 'happening all': 377314, 'coronapocolypse supermarketsweep': 205247, 'supermarketsweep stoppanicbuying': 824263, 'is happening all': 448274, 'happening all over': 377315, 'over the country': 630709, 'right now coronapocolypse': 722047, 'now coronapocolypse supermarketsweep': 574459, 'coronapocolypse supermarketsweep stoppanicbuying': 205248, 'judson': 467696, 'kauffman': 471102, 'looby': 502209, 'founder ryan': 330560, 'ryan campbell': 728806, 'campbell judson': 157295, 'judson kauffman': 467697, 'kauffman and': 471103, 'and brent': 59182, 'brent looby': 139346, 'looby all': 502210, 'all served': 44284, 'military and': 531445, 'they began': 881546, 'began production': 123423, 'fda standard': 300927, 'co founder ryan': 184840, 'founder ryan campbell': 330561, 'ryan campbell judson': 728807, 'campbell judson kauffman': 157296, 'judson kauffman and': 467698, 'kauffman and brent': 471104, 'and brent looby': 59183, 'brent looby all': 139347, 'looby all served': 502211, 'all served in': 44285, 'served in the': 751993, 'in the military': 429361, 'the military and': 860596, 'military and they': 531446, 'say they wanted': 739352, 'wanted to aid': 966242, 'against the so': 37677, 'the so they': 867405, 'so they began': 778465, 'they began production': 881547, 'began production this': 123424, 'production this week': 682234, 'week on making': 976669, 'on making the': 601974, 'making the sanitizer': 511431, 'the sanitizer according': 866349, 'according to and': 28519, 'to and fda': 900498, 'and fda standard': 62732, 'wsismm': 1013245, 'energy drop': 276438, 'all four': 42862, 'four dimension': 330601, 'dimension amid': 242929, '19 wsismm': 12231, 'wsismm ai': 1013246, 'consumer energy drop': 197361, 'energy drop on': 276439, 'drop on all': 260347, 'on all four': 599227, 'all four dimension': 42863, 'four dimension amid': 330602, 'dimension amid covid': 242930, 'covid 19 wsismm': 214100, '19 wsismm ai': 12232, 'kalie': 470709, 'shorr': 764591, 'arcticmonkeys': 84081, 'singer kalie': 771190, 'kalie shorr': 470710, 'shorr contracted': 764592, 'contracted coronavirus': 201736, 'coronavirus despite': 205810, 'quarantined except': 692845, 'people arcticmonkeys': 646912, 'singer kalie shorr': 771191, 'kalie shorr contracted': 470711, 'shorr contracted coronavirus': 764593, 'contracted coronavirus despite': 201737, 'coronavirus despite being': 205811, 'despite being quarantined': 238677, 'being quarantined except': 125627, 'quarantined except for': 692846, 'supermarket trip people': 823549, 'trip people arcticmonkeys': 932140, 'thanksmom': 842309, 'youruaualtable': 1026829, 'approvedtravel': 83214, 'thankyougrocerystoreworkers': 842373, 'turnkeyadventures': 936001, 'gohoos': 354951, 'uva': 951495, 'wahoowa': 964046, 'latest is': 481419, 'attire mask': 102533, 'glove thanksmom': 352940, 'thanksmom youruaualtable': 842310, 'youruaualtable socialdistancing': 1026830, 'socialdistancing approvedtravel': 780228, 'approvedtravel thankyougrocerystoreworkers': 83215, 'thankyougrocerystoreworkers thenewnormal': 842374, 'thenewnormal turnkeyadventures': 877811, 'turnkeyadventures staysafe': 936002, 'staysafe gohoos': 798814, 'gohoos uva': 354952, 'uva wahoowa': 951496, 'the latest is': 859124, 'latest is supermarket': 481420, 'is supermarket attire': 452456, 'supermarket attire mask': 819268, 'attire mask glove': 102534, 'mask glove thanksmom': 518748, 'glove thanksmom youruaualtable': 352941, 'thanksmom youruaualtable socialdistancing': 842311, 'youruaualtable socialdistancing approvedtravel': 1026831, 'socialdistancing approvedtravel thankyougrocerystoreworkers': 780229, 'approvedtravel thankyougrocerystoreworkers thenewnormal': 83216, 'thankyougrocerystoreworkers thenewnormal turnkeyadventures': 842375, 'thenewnormal turnkeyadventures staysafe': 877812, 'turnkeyadventures staysafe gohoos': 936003, 'staysafe gohoos uva': 798815, 'gohoos uva wahoowa': 354953, 'yes week': 1015600, 'line wa': 493542, 'behind man': 124657, 'new restaurant': 559479, 'bought large': 136621, 'no telling': 565676, 'long closing': 501372, 'closing necessary': 183696, 'but ter': 147269, 'yes week ago': 1015601, 'week ago in': 975850, 'ago in grocery': 38411, 'store line wa': 808761, 'line wa behind': 493543, 'wa behind man': 961674, 'behind man with': 124658, 'man with new': 512355, 'with new restaurant': 999712, 'new restaurant in': 559480, 'restaurant in my': 716523, 'my area who': 547306, 'area who just': 92275, 'who just bought': 989139, 'just bought large': 468351, 'bought large stock': 136623, 'large stock of': 479801, 'food and then': 313356, 'and then covid': 73753, 'and he had': 64319, 'close for no': 182642, 'for no telling': 323894, 'no telling how': 565677, 'telling how long': 837208, 'how long closing': 408194, 'long closing necessary': 501373, 'closing necessary but': 183697, 'necessary but ter': 553967, 'procted': 680085, 'not serious': 571530, 'serious with': 751516, 'and careless': 59567, 'about health': 25358, 'their delivering': 872990, 'and rider': 70516, 'rider the': 721490, 'are normal': 88301, 'normal package': 567245, 'package are': 633218, 'and procted': 69545, 'procted we': 680086, 'money from store': 536771, 'from store are': 337438, 'are not serious': 88463, 'not serious with': 571532, 'serious with their': 751517, 'job and careless': 465620, 'and careless about': 59568, 'careless about health': 164532, 'about health is': 25361, 'health is very': 386571, 'is very serious': 453696, 'very serious about': 955517, 'serious about their': 751328, 'about their delivering': 26579, 'their delivering package': 872991, 'delivering package and': 233537, 'package and rider': 633214, 'and rider the': 70517, 'rider the price': 721491, 'price are normal': 672705, 'are normal package': 88302, 'normal package are': 567246, 'package are safe': 633219, 'are safe and': 89786, 'safe and procted': 729469, 'and procted we': 69546, 'procted we can': 680087, 'we can trust': 971034, 'can trust on': 160052, 'fictitious': 304433, 'sars2': 736827, 'fakelimits': 296751, 'much milk': 545078, 'purchase report': 689649, 'actually too': 30989, 'milk right': 531807, 'dump perfectly': 262180, 'milk out': 531756, 'unnecessary and': 942890, 'and fictitious': 62822, 'fictitious limitation': 304434, 'limitation sars2': 492588, 'sars2 fakelimits': 736828, 'store limiting how': 808744, 'limiting how much': 492826, 'how much milk': 408359, 'much milk you': 545080, 'milk you can': 531919, 'can purchase report': 159345, 'purchase report them': 689650, 'report them there': 712363, 'there is actually': 878517, 'is actually too': 445338, 'actually too much': 30990, 'too much milk': 924933, 'much milk right': 545079, 'milk right now': 531808, 'now and dairy': 574031, 'farmer are having': 299281, 'to dump perfectly': 904801, 'dump perfectly good': 262181, 'perfectly good milk': 651390, 'good milk out': 357390, 'milk out because': 531757, 'out because of': 625767, 'because of unnecessary': 119422, 'of unnecessary and': 592653, 'unnecessary and fictitious': 942891, 'and fictitious limitation': 62823, 'fictitious limitation sars2': 304435, 'limitation sars2 fakelimits': 492589, 'share great': 755012, 'advice read': 33471, 'should always': 765510, 'your kitchen': 1024578, 'kitchen for': 475713, 'to spread it': 915066, 'spread it important': 790591, 'important that we': 419012, 'that we share': 847393, 'we share great': 973225, 'share great advice': 755013, 'great advice read': 362491, 'advice read up': 33472, 'item that should': 463699, 'that should always': 846282, 'should always be': 765511, 'always be in': 49478, 'in your kitchen': 431099, 'your kitchen for': 1024580, 'kitchen for emergency': 475714, 'emergency and everyday': 272600, 'and everyday life': 62393, 'everyday life from': 286591, 'life from the': 488678, 'from the time': 337902, 'end restaurant': 275950, 'consider raising': 195078, 'adequately pay': 32194, 'without requiring': 1002881, 'requiring tip': 713534, 'customer inspired': 222525, 'by adam': 151748, 'adam ruin': 31227, 'ruin everything': 727106, 'everything now': 287937, 'on netflix': 602367, 'crisis end restaurant': 217347, 'end restaurant should': 275951, 'restaurant should consider': 716700, 'should consider raising': 765863, 'consider raising their': 195079, 'raising their food': 696150, 'their food price': 873347, 'order to adequately': 618661, 'to adequately pay': 900099, 'adequately pay their': 32195, 'pay their staff': 645162, 'their staff without': 874808, 'staff without requiring': 793104, 'without requiring tip': 1002882, 'requiring tip from': 713535, 'tip from customer': 898796, 'from customer inspired': 335081, 'customer inspired by': 222526, 'inspired by adam': 439836, 'by adam ruin': 151749, 'adam ruin everything': 31228, 'ruin everything now': 727107, 'everything now on': 287938, 'now on netflix': 575429, 'springing': 791283, '19 nature': 8747, 'nature move': 552970, 'spring is': 791220, 'is springing': 452199, 'springing and': 791284, 'have evidence': 380507, 'our hedgehog': 623404, 'hedgehog are': 388733, 'garden after': 343572, 'after winter': 36544, 'winter food': 996123, 'food missing': 315467, 'some present': 783627, 'present so': 670620, 'happy just': 377641, 'despite all that': 238667, 'all that going': 44639, 'covid 19 nature': 213464, '19 nature move': 8748, 'nature move on': 552971, 'move on spring': 543702, 'on spring is': 603616, 'spring is springing': 791221, 'is springing and': 452200, 'springing and we': 791285, 'we have evidence': 971811, 'have evidence that': 380508, 'evidence that our': 288393, 'that our hedgehog': 845583, 'our hedgehog are': 623405, 'hedgehog are back': 388734, 'in the garden': 429229, 'the garden after': 856156, 'garden after winter': 343573, 'after winter food': 36545, 'winter food missing': 996124, 'food missing and': 315468, 'missing and some': 534280, 'and some present': 71975, 'some present so': 783628, 'present so happy': 670621, 'so happy just': 777242, 'happy just need': 377642, 'have plenty food': 381965, 'plenty food for': 660920, 'for them now': 326911, 'them now during': 876064, 'have regained': 382238, 'regained some': 707119, 'price have regained': 674450, 'have regained some': 382239, 'regained some lost': 707120, 'march quarter the': 515450, 'quarter the worst': 693267, 'the worst ever': 872050, 'stark pandemic': 794163, 'shutdown he': 768036, 'clerk and others': 181641, 'others are risking': 621275, 'life to care': 489130, 'care for american': 163941, 'for american amid': 319240, 'amid the stark': 52716, 'the stark pandemic': 867730, 'stark pandemic and': 794164, 'pandemic and economic': 634871, 'economic shutdown he': 267286, 'shutdown he said': 768037, 'holysaturday': 400523, 'it holy': 458607, 'holy saturday': 400506, 'told someone': 923685, 'your holy': 1024333, 'holy day': 400498, 'going holysaturday': 355195, 'holysaturday socialdistancing': 400524, 'it holy saturday': 458608, 'holy saturday and': 400507, 'saturday and just': 737006, 'and just told': 65723, 'just told someone': 470122, 'told someone to': 923686, 'someone to back': 784697, 'back the fuck': 107307, 'fuck up in': 339674, 'middle of crowded': 530675, 'of crowded grocery': 582225, 'store how your': 808225, 'how your holy': 409304, 'your holy day': 1024334, 'holy day going': 400499, 'day going holysaturday': 227679, 'going holysaturday socialdistancing': 355196, 'enough pride': 277579, 'pride to': 678022, 'least some have': 484632, 'some have enough': 783029, 'have enough pride': 380463, 'enough pride to': 277580, 'pride to help': 678023, 'help all hand': 389321, 'trump competition': 933486, 'competition plan': 191723, 'up inventory': 945219, 'distribution are': 248114, 'being coordinated': 124997, 'are uncertainty': 91272, 'inefficiency that': 436302, 'always happen': 49599, 'when free': 983443, 'market try': 517262, 'produce public': 680403, 'good 19': 356672, 'result of trump': 717619, 'of trump competition': 592472, 'trump competition plan': 933487, 'competition plan price': 191724, 'plan price for': 658209, 'supply are going': 824786, 'going up inventory': 355786, 'up inventory and': 945220, 'inventory and distribution': 443642, 'and distribution are': 61525, 'distribution are not': 248115, 'not being coordinated': 568530, 'being coordinated and': 124998, 'coordinated and there': 203195, 'there are uncertainty': 878181, 'are uncertainty and': 91273, 'uncertainty and inefficiency': 939653, 'and inefficiency that': 65190, 'inefficiency that always': 436303, 'that always happen': 842609, 'always happen when': 49600, 'happen when free': 377203, 'when free market': 983444, 'free market try': 331958, 'market try to': 517263, 'try to produce': 934648, 'to produce public': 912206, 'produce public good': 680404, 'public good 19': 688036, 'coronavirus health': 206061, 'crisis did': 217290, 'add grocery': 31433, 'who would make': 990059, 'would make your': 1012028, 'make your list': 510762, 'your list of': 1024665, 'of emergency worker': 583065, 'worker in these': 1007206, 'the coronavirus health': 851864, 'coronavirus health crisis': 206062, 'health crisis did': 386332, 'crisis did you': 217291, 'did you remember': 240944, 'you remember to': 1020901, 'remember to add': 710364, 'to add grocery': 900056, 'add grocery store': 31434, 'anyone tell': 80551, 'why those': 991477, 'their arse': 872510, 'arse all': 94067, 'on universal': 604970, '100 whilst': 2130, 'whilst critical': 987621, 'get absolutely': 346494, 'than empty': 840549, '19 borisjohnson': 5425, 'can anyone tell': 157518, 'anyone tell me': 80552, 'me why those': 523978, 'why those who': 991478, 'who sit on': 989630, 'sit on their': 771834, 'on their arse': 604467, 'their arse all': 872511, 'arse all day': 94068, 'day on universal': 228150, 'on universal credit': 604971, 'universal credit are': 942354, 'credit are getting': 216313, 'extra 100 whilst': 293427, '100 whilst critical': 2131, 'whilst critical worker': 987622, 'critical worker get': 218729, 'worker get absolutely': 1007020, 'get absolutely nothing': 346495, 'absolutely nothing other': 27414, 'other than empty': 621064, 'than empty shelf': 840550, 'shelf by the': 756920, 'it to supermarket': 461758, 'supermarket 19 borisjohnson': 818736, 'special announcement': 787845, 'great supply': 363024, 'ongoing issue': 607652, 'opened our': 612750, 'special announcement to': 787846, 'to all member': 900263, 'public we have': 688461, 'we have great': 971828, 'have great supply': 380836, 'great supply chain': 363025, 'chain and with': 170482, 'food in light': 314948, 'the ongoing issue': 862246, 'ongoing issue of': 607653, 'we have opened': 971885, 'have opened our': 381816, 'please enjoy': 659960, 'are our south': 88872, 'retail store long': 718658, 'store long weekend': 808815, 'weekend hour please': 977351, 'hour please enjoy': 405862, 'please enjoy the': 659961, 'continuing to physical': 201567, 'physical distance to': 655407, 'distance to help': 246864, 'hmcts': 398653, 'come classed': 187256, 'for hmcts': 322316, 'hmcts meaning': 398654, 'meaning am': 524800, 'catching can': 167075, 'uk running': 938690, 'running are': 727910, 'terrified for monday': 838491, 'for monday to': 323490, 'monday to come': 536398, 'to come classed': 903023, 'come classed key': 187257, 'key worker due': 473478, 'due to working': 262033, 'to working for': 918818, 'working for hmcts': 1008640, 'for hmcts meaning': 322317, 'hmcts meaning am': 398655, 'meaning am at': 524801, 'of catching can': 581203, 'catching can imagine': 167076, 'imagine how nh': 416733, 'how nh supermarket': 408405, 'other people helping': 620670, 'people helping keep': 648236, 'helping keep the': 391369, 'keep the uk': 472077, 'the uk running': 870277, 'uk running are': 938691, 'running are feeling': 727911, 'nice post': 562462, 'the likely': 859375, 'work post': 1005618, 'post health': 666151, 'crisis butt': 217165, 'butt up': 148114, 'up nicely': 945456, 'nicely to': 562536, 'own earlier': 631949, 'earlier piece': 264476, 'nice post by': 562463, 'post by on': 666033, 'by on the': 153423, 'on the likely': 604211, 'the likely impact': 859376, 'likely impact that': 492026, 'have on society': 381775, 'on society the': 603546, 'society the way': 781329, 'and work post': 75858, 'work post health': 1005619, 'post health crisis': 666152, 'health crisis butt': 386324, 'crisis butt up': 217166, 'butt up nicely': 148115, 'up nicely to': 945457, 'nicely to my': 562537, 'my own earlier': 549638, 'own earlier piece': 631950, 'indonesian': 435334, 'archipelago': 84047, '2pts': 16853, 'indpol': 435442, 'calm before': 156704, 'storm indonesian': 811809, 'indonesian consumer': 435337, 'the archipelago': 848849, 'archipelago in': 84048, 'feb 2020': 301622, '2020 roy': 14581, 'roy morgan': 726605, 'morgan indonesian': 541089, 'indonesian cc': 435335, 'cc remained': 168405, 'remained high': 709930, 'at 159': 97478, '159 down': 4005, 'down 2pts': 256405, '2pts this': 16854, 'virtually unchanged': 957853, 'unchanged on': 939788, 'feb 2019': 301620, '2019 159': 13915, '159 and': 4003, 'and indpol': 65169, 'calm before the': 156705, 'before the storm': 123193, 'the storm indonesian': 868160, 'storm indonesian consumer': 811810, 'indonesian consumer confidence': 435338, 'confidence high in': 193889, 'high in february': 395125, 'february before covid': 301694, 'hit the archipelago': 398424, 'the archipelago in': 848850, 'archipelago in feb': 84049, 'in feb 2020': 422823, 'feb 2020 roy': 301623, '2020 roy morgan': 14582, 'roy morgan indonesian': 726606, 'morgan indonesian cc': 541090, 'indonesian cc remained': 435336, 'cc remained high': 168406, 'remained high at': 709931, 'high at 159': 394939, 'at 159 down': 97479, '159 down 2pts': 4006, 'down 2pts this': 256406, '2pts this is': 16855, 'this is virtually': 888455, 'is virtually unchanged': 453712, 'virtually unchanged on': 957854, 'unchanged on year': 939789, 'on year ago': 605397, 'year ago in': 1014353, 'ago in feb': 38410, 'in feb 2019': 422822, 'feb 2019 159': 301621, '2019 159 and': 13916, '159 and indpol': 4004, 'serame': 751179, 'taukobong': 834905, 'powerbusiness': 667748, 'on air': 599195, 'air serame': 39784, 'serame taukobong': 751180, 'taukobong head': 834906, 'consumer division': 197227, 'division and': 248661, 'acting cmo': 29861, 'cmo speaks': 184689, 'the entity': 854377, 'entity paying': 278855, 'paying it': 645430, 'employee early': 273804, 'early part': 264670, 'plan powerbusiness': 658207, 'on air serame': 599197, 'air serame taukobong': 39785, 'serame taukobong head': 751181, 'taukobong head of': 834907, 'of consumer division': 581734, 'consumer division and': 197228, 'division and acting': 248662, 'and acting cmo': 57628, 'acting cmo speaks': 29862, 'cmo speaks to': 184690, 'to about the': 899918, 'about the entity': 26389, 'the entity paying': 854378, 'entity paying it': 278856, 'paying it employee': 645431, 'it employee early': 457800, 'employee early part': 273805, 'early part of': 264671, '19 plan powerbusiness': 9694, 'couple american': 211556, 'worker free': 1006986, 'care service': 164191, 'work considering': 1004999, 'couple american state': 211557, 'store worker free': 811509, 'worker free child': 1006987, 'child care service': 176042, 'care service for': 164192, 'commitment to work': 189010, 'to work considering': 918702, 'work considering it': 1005000, 'justnotfeesable': 470506, 'imoffshopping': 417514, 'say ll': 738897, 'starve then': 795225, 'then because': 877019, 'day justnotfeesable': 227866, 'justnotfeesable imoffshopping': 470507, 'avoid going shopping': 105131, 'going shopping they': 355455, 'shopping they say': 764120, 'they say do': 883265, 'say do it': 738580, 'do it online': 249499, 'it online instead': 460082, 'online instead they': 608417, 'instead they say': 440372, 'they say ll': 883275, 'say ll just': 738898, 'll just starve': 496862, 'just starve then': 469881, 'starve then because': 795226, 'then because cannot': 877020, 'because cannot get': 118986, 'delivered to my': 233425, 'for day justnotfeesable': 320574, 'day justnotfeesable imoffshopping': 227867, 'some guidance': 783013, 'here some guidance': 393579, 'some guidance to': 783015, 'help you decide': 390964, 'you decide what': 1018160, 'wa manufacturing': 962614, 'manufacturing economy': 513581, 'economy then': 268277, 'then shareholder': 877526, 'margin became': 515610, 'the shareholder': 866794, 'shareholder get': 755472, 'theirs right': 875275, 'ceo so': 169840, 'cannot last': 161991, 'america wa manufacturing': 51732, 'wa manufacturing economy': 962615, 'manufacturing economy then': 513582, 'economy then shareholder': 268278, 'then shareholder profit': 877527, 'shareholder profit margin': 755482, 'profit margin became': 682805, 'margin became more': 515611, 'important now the': 418909, 'now the shareholder': 576070, 'the shareholder get': 866795, 'shareholder get theirs': 755473, 'get theirs right': 348349, 'theirs right after': 875276, 'after the ceo': 36292, 'the ceo so': 850618, 'ceo so we': 169841, 'we have consumer': 971780, 'have consumer economy': 380083, 'consumer economy that': 197317, 'economy that cannot': 268264, 'that cannot last': 843142, 'cannot last so': 161992, 'decease': 230714, 'when news': 983770, 'news hit': 560513, 'hit you': 398519, 'brick collapse': 139581, 'price 25': 672138, 'unemployment covid': 941190, 'potential decease': 667058, 'decease number': 230715, 'number stay': 577056, 'strong alberta': 813961, 'alberta we': 40825, 'together sincerely': 920934, 'sincerely guy': 771043, 'guy living': 369073, 'when news hit': 983771, 'news hit you': 560514, 'hit you like': 398521, 'you like ton': 1019613, 'of brick collapse': 580878, 'brick collapse of': 139582, 'of global energy': 584151, 'energy price 25': 276535, 'price 25 unemployment': 672140, '25 unemployment covid': 15985, 'unemployment covid 19': 941191, '19 threat and': 11374, 'threat and potential': 893639, 'and potential decease': 69255, 'potential decease number': 667059, 'decease number stay': 230716, 'number stay strong': 577057, 'stay strong alberta': 797330, 'strong alberta we': 813962, 'alberta we re': 40826, 'this together sincerely': 890781, 'together sincerely guy': 920935, 'sincerely guy living': 771044, 'guy living in': 369074, 'living in quebec': 496386, 'am best': 49938, 'east north': 265329, 'north africa': 567600, 'africa heightened': 35085, 'heightened by': 388813, 'am best covid': 49939, 'impact in middle': 417706, 'in middle east': 425301, 'middle east north': 530651, 'east north africa': 265330, 'north africa heightened': 567601, 'africa heightened by': 35086, 'heightened by falling': 388814, 'helped comfort': 391055, 'today helped comfort': 919636, 'helped comfort woman': 391056, 'condition that will': 193536, 'will likely be': 993992, 'likely be fatal': 491953, 'kohima': 477324, 'jotsoma': 467369, 'sanitizer prepared': 735574, 'by kohima': 153001, 'kohima science': 477325, 'college jotsoma': 186618, 'jotsoma thank': 467370, 'this sample': 889950, 'sample very': 733489, 'very thoughtful': 955614, 'thoughtful 19': 893341, '19 19india': 4716, 'hand sanitizer prepared': 375543, 'sanitizer prepared by': 735575, 'prepared by kohima': 670166, 'by kohima science': 153002, 'kohima science college': 477326, 'science college jotsoma': 742094, 'college jotsoma thank': 186619, 'jotsoma thank you': 467371, 'you for this': 1018679, 'for this sample': 327062, 'this sample very': 889951, 'sample very thoughtful': 733490, 'very thoughtful 19': 955615, 'thoughtful 19 19india': 893342, 'it existing': 457892, 'existing buy': 290289, 'online pick': 608752, 'bopis offering': 135191, 'offering with': 595327, 'new free': 558768, 'free curbside': 331740, 'up option': 945672, 'option via': 614137, 'retail customerexperience': 718020, 'how is expanding': 408094, 'expanding it existing': 290505, 'it existing buy': 457893, 'existing buy online': 290290, 'buy online pick': 149048, 'online pick up': 608753, 'store bopis offering': 806747, 'bopis offering with': 135192, 'offering with new': 595328, 'with new free': 999702, 'new free curbside': 558769, 'free curbside pick': 331741, 'pick up option': 655744, 'up option via': 945673, 'option via retail': 614138, 'via retail customerexperience': 956211, 'vauxhall': 952755, 'already queuing': 47600, 'into sainsbury': 442958, 'sainsbury vauxhall': 731736, 'vauxhall this': 952756, 'be fun': 114984, 'like riot': 491097, 'riot broke': 722604, 'during supermarket': 263068, 'people already queuing': 646817, 'already queuing to': 47601, 'get into sainsbury': 347370, 'into sainsbury vauxhall': 442959, 'sainsbury vauxhall this': 731737, 'vauxhall this morning': 952757, 'should be fun': 765631, 'be fun it': 114985, 'fun it will': 341182, 'be like riot': 115743, 'like riot broke': 491098, 'riot broke out': 722605, 'broke out during': 140853, 'out during supermarket': 625989, 'during supermarket sweep': 263069, 'plowing crop': 661099, 'crop under': 218946, 'under because': 940019, 'unimaginable line': 941808, 'citizen at': 178857, 'trillion being': 931957, 'thrown around': 895125, 'the crop': 852504, 'need penny': 555419, 'are plowing crop': 89118, 'plowing crop under': 661100, 'crop under because': 218947, 'under because of': 940020, 'of no restaurant': 587046, 'no restaurant demand': 565350, 'restaurant demand we': 716420, 'demand we see': 236461, 'see unimaginable line': 745996, 'unimaginable line of': 941809, 'line of desperate': 493300, 'desperate citizen at': 238513, 'citizen at food': 178858, 'of the trillion': 591557, 'the trillion being': 869988, 'trillion being thrown': 931958, 'being thrown around': 125957, 'thrown around to': 895126, 'around to buy': 93593, 'buy the crop': 149291, 'the crop from': 852505, 'crop from the': 218923, 'from the farmer': 337691, 'farmer and give': 299257, 'to the citizen': 916561, 'citizen in need': 178917, 'in need penny': 425760, 'concerned to': 193228, 'hear complaint': 387895, 'complaint that': 192036, 'some shop': 783845, 'see evidence': 745093, 'standard gov': 793663, 'we re concerned': 972844, 're concerned to': 698449, 'concerned to hear': 193229, 'to hear complaint': 907401, 'hear complaint that': 387896, 'complaint that some': 192037, 'that some shop': 846394, 'some shop have': 783846, 'their price just': 874404, 'price just ha': 674975, 'just ha begun': 468893, 'begun to spread': 123738, 'to spread please': 915075, 'spread please watch': 790754, 'watch this special': 968579, 'this special message': 890279, 'special message from': 787995, 'message from if': 529316, 'you see evidence': 1021034, 'see evidence of': 745094, 'this report to': 889876, 'report to trading': 712391, 'trading standard gov': 928927, 'standard gov uk': 793664, 'gov uk and': 359726, 'reception': 704185, 'hotel atm': 405120, 'atm there': 101962, 'sanitiser or': 733998, 'at reception': 100265, 'reception cleaning': 704186, 'cleaning up': 181116, 'people waste': 650145, 'waste you': 968220, 'selfish close': 748054, 'close almost': 182511, 'hotel okay': 405171, 'okay health': 597982, 'working at hotel': 1008525, 'at hotel atm': 99197, 'hotel atm there': 405121, 'atm there is': 101963, 'ppe no hand': 668018, 'hand sanitiser or': 375241, 'sanitiser or hand': 733999, 'or hand washing': 615561, 'hand washing in': 375949, 'washing in the': 967688, 'the building and': 850094, 'building and it': 142047, 'still open at': 800951, 'open at reception': 612102, 'at reception cleaning': 100266, 'reception cleaning up': 704187, 'cleaning up people': 181117, 'up people waste': 945760, 'people waste you': 650146, 'waste you will': 968221, 'home and stop': 400695, 'being selfish close': 125736, 'selfish close almost': 748055, 'close almost everything': 182512, 'almost everything except': 46632, 'except the hotel': 289233, 'the hotel okay': 857564, 'hotel okay health': 405172, 'smsf': 775970, 'smsf account': 775971, 'account have': 28689, 'have severely': 382502, 'severely suffered': 754113, 'planning software': 658575, 'software which': 781553, 'falling share': 297335, 'smsf account have': 775972, 'account have severely': 28690, 'have severely suffered': 382503, 'severely suffered from': 754114, 'suffered from you': 817261, 'from you need': 338465, 'you need financial': 1019990, 'need financial planning': 554774, 'financial planning software': 306535, 'planning software which': 658576, 'software which show': 781554, 'you the effect': 1021594, 'of the falling': 591009, 'the falling share': 854877, 'falling share price': 297336, 'price on your': 675738, 'on your fund': 605469, 'goddaughter': 354863, 'expressed her': 293078, 'her horror': 392108, 'horror at': 404189, 'having lived': 384143, 'through rationing': 894640, 'rationing her': 697818, 'her goddaughter': 392074, 'goddaughter work': 354864, 'someone bought': 784388, 'bought 40': 136480, '40 can': 18542, 'tuna yesterday': 935389, 'yesterday why': 1015956, 'why bekind': 990836, 'bekind stoppanicbuying': 126116, 'expressed her horror': 293079, 'her horror at': 392109, 'horror at all': 404190, 'at all those': 97913, 'all those panic': 45174, 'hoarding food having': 399304, 'food having lived': 314792, 'having lived through': 384144, 'lived through rationing': 496174, 'through rationing her': 894641, 'rationing her goddaughter': 697819, 'her goddaughter work': 392075, 'goddaughter work in': 354865, 'work in waitrose': 1005355, 'in waitrose and': 430647, 'waitrose and someone': 964442, 'and someone bought': 71982, 'someone bought 40': 784389, 'bought 40 can': 136481, '40 can of': 18543, 'of tuna yesterday': 592501, 'tuna yesterday why': 935390, 'yesterday why bekind': 1015957, 'why bekind stoppanicbuying': 990837, 'antitrust and': 78575, 'protection compliance': 685383, 'compliance in': 192441, 'antitrust and consumer': 78576, 'consumer protection compliance': 198519, 'protection compliance in': 685384, 'compliance in the': 192442, 'pandemic response by': 636345, 'woodmac': 1004306, 'edgardo': 268485, 'gelsomino': 345191, 'woodmac edgardo': 1004307, 'edgardo gelsomino': 268486, 'gelsomino to': 345192, 'to aluminium': 900384, 'aluminium at': 49422, '00 yuan': 629, 'yuan tonne': 1027071, 'tonne mean': 924539, 'mean nearly': 524561, 'nearly 70': 553788, 'chinese producer': 177328, 'under water': 940374, 'that certainly': 843193, 'not sustainable': 571887, 'woodmac edgardo gelsomino': 1004308, 'edgardo gelsomino to': 268487, 'gelsomino to aluminium': 345193, 'to aluminium at': 900385, 'aluminium at le': 49423, 'at le than': 99426, 'le than 12': 483155, '12 00 yuan': 2761, '00 yuan tonne': 630, 'yuan tonne mean': 1027072, 'tonne mean nearly': 924540, 'mean nearly 70': 524562, 'nearly 70 of': 553789, 'the chinese producer': 850865, 'chinese producer will': 177329, 'producer will be': 680722, 'be under water': 117854, 'under water and': 940375, 'water and that': 968883, 'and that certainly': 73185, 'that certainly not': 843194, 'certainly not sustainable': 170175, 'ocado expected': 578894, 'impose rationing': 419256, 'ocado expected to': 578895, 'expected to impose': 290983, 'to impose rationing': 908195, 'impose rationing on': 419257, 'rationing on more': 697855, 'on more product': 602212, 'more product 19': 540147, 'product 19 corona': 680823, 'taftan': 831738, 'sukkur': 817834, 'is mainly': 449515, 'from taftan': 337532, 'taftan and': 831739, 'in sukkur': 428535, 'in case in': 421261, 'case in pakistan': 165805, 'in pakistan is': 426441, 'pakistan is mainly': 634461, 'is mainly because': 449516, 'mainly because of': 508872, 'who are coming': 988119, 'are coming from': 85434, 'coming from taftan': 188062, 'from taftan and': 337533, 'taftan and being': 831740, 'and being quarantined': 58868, 'being quarantined in': 125629, 'quarantined in sukkur': 692865, 'porch': 664770, 'milk more': 531730, 'essential then': 281668, 'then she': 877528, 'she sat': 756317, 'front porch': 338659, 'porch disinfecting': 664773, 'disinfecting herself': 245854, 'herself and': 394230, 'everything she': 287987, 'bought know': 136619, 'wife went out': 991998, 'store tonight to': 810908, 'tonight to get': 924506, 'dog food milk': 252084, 'food milk more': 315463, 'milk more meat': 531731, 'more meat and': 539767, 'meat and some': 525483, 'some other essential': 783478, 'other essential then': 620182, 'essential then she': 281670, 'then she sat': 877530, 'she sat on': 756318, 'the front porch': 855852, 'front porch disinfecting': 338660, 'porch disinfecting herself': 664774, 'disinfecting herself and': 245855, 'herself and everything': 394231, 'and everything she': 62427, 'everything she bought': 287988, 'she bought know': 755901, 'bought know you': 136620, 'know you do': 477083, 'including greater': 431992, 'minnesota including greater': 533612, 'including greater twin': 431993, 'twin city united': 936572, 'city united way': 179438, 'episode our': 279550, 'our 300th': 621995, '300th episode': 17374, 'episode is': 279530, 'of therapy': 591794, 'therapy session': 877929, 'session than': 753307, 'than celebration': 840441, 'celebration we': 168863, 'end homeschooling': 275841, 'homeschooling adventure': 402933, 'adventure amp': 33087, 'amp mad': 54089, 'max visit': 520777, 'friend listen': 333702, 'brand new episode': 137931, 'new episode our': 558701, 'episode our 300th': 279551, 'our 300th episode': 621996, '300th episode is': 17375, 'episode is here': 279531, 'is here more': 448425, 'here more of': 393351, 'more of therapy': 539887, 'of therapy session': 591795, 'therapy session than': 877930, 'session than celebration': 753308, 'than celebration we': 840442, 'celebration we talk': 168864, 'we talk this': 973495, 'talk this is': 833862, 'is the end': 452786, 'the end homeschooling': 854302, 'end homeschooling adventure': 275842, 'homeschooling adventure amp': 402934, 'adventure amp mad': 33088, 'amp mad max': 54090, 'mad max visit': 507554, 'max visit to': 520778, 'stay safe friend': 797236, 'safe friend listen': 729686, 'friend listen now': 333703, 'baby chicken': 106585, 'chicken wing': 175883, 'wing surplus': 995993, 'surplus ha': 828484, 'reported since': 712528, 'since lot': 770710, 'of sporting': 589993, 'baby chicken wing': 106586, 'chicken wing surplus': 175884, 'wing surplus ha': 995994, 'surplus ha been': 828485, 'been reported since': 121831, 'reported since lot': 712529, 'since lot of': 770711, 'lot of sporting': 504285, 'of sporting event': 589994, 'sporting event cancelled': 789998, 'event cancelled due': 284963, 'to price slashed': 912126, 'supermarket supply of': 823052, 'fcaa': 300738, 'provincial financial': 687208, 'authority fcaa': 103715, 'fcaa sent': 300739, 'warn the': 966970, 'urged extreme': 948257, 'extreme caution': 293780, 'caution regarding': 168169, 'company aggressive': 190359, 'aggressive promotion': 38251, 'the provincial financial': 864738, 'provincial financial and': 687209, 'financial and consumer': 306321, 'consumer affair authority': 196079, 'affair authority fcaa': 34008, 'authority fcaa sent': 103716, 'fcaa sent out': 300740, 'sent out information': 750793, 'out information to': 626421, 'information to warn': 438020, 'to warn the': 918342, 'warn the public': 966972, 'public about this': 687831, 'about this scam': 26657, 'this scam and': 889975, 'scam and urged': 740026, 'and urged extreme': 74762, 'urged extreme caution': 948258, 'extreme caution regarding': 293782, 'caution regarding the': 168170, 'regarding the gold': 707290, 'the gold mining': 856413, 'gold mining company': 355935, 'mining company aggressive': 533269, 'company aggressive promotion': 190360, 'first now': 308806, 'now fake': 574660, 'fake rumor': 296699, 'of hantavirus': 584451, 'hantavirus all': 377032, 'doomsday people': 255472, 'their underground': 875071, 'and massive': 66780, 'first now fake': 308807, 'now fake rumor': 574661, 'fake rumor of': 296700, 'rumor of hantavirus': 727493, 'of hantavirus all': 584452, 'hantavirus all the': 377033, 'the doomsday people': 853554, 'doomsday people in': 255473, 'world are laughing': 1009316, 'laughing at from': 481810, 'at from their': 98712, 'from their underground': 337952, 'their underground bunker': 875072, 'underground bunker and': 940447, 'bunker and massive': 142674, 'and massive supply': 66781, 'another absurd': 77486, 'absurd commission': 27491, 'face another absurd': 294308, 'another absurd commission': 77487, 'absurd commission esp': 27492, '1917': 12310, 'amazonvideo': 51269, 'canada staying': 160561, 'home theater': 402248, 'theater are': 872246, 'closed doe': 183071, 'doe cut': 251371, 'on streamed': 603709, 'streamed content': 812793, 'purchase ck': 689400, 'ck no': 179639, 'hunt 14': 411349, '99 jumanji': 23851, 'jumanji 19': 467822, '99 1917': 23752, '1917 19': 12311, '99 the': 23897, 'invisible man': 444251, 'man 19': 511961, '99 greed': 23836, 'greed amazonvideo': 363357, 'most of america': 542541, 'of america and': 580034, 'america and canada': 51449, 'and canada staying': 59482, 'canada staying at': 160562, 'at home theater': 99139, 'home theater are': 402249, 'theater are closed': 872247, 'are closed doe': 85338, 'closed doe cut': 183072, 'doe cut their': 251372, 'cut their price': 223585, 'price on streamed': 675721, 'on streamed content': 603710, 'streamed content to': 812794, 'content to rent': 200852, 'to rent or': 913233, 'rent or purchase': 711142, 'or purchase ck': 616745, 'purchase ck no': 689401, 'ck no the': 179640, 'no the hunt': 565696, 'the hunt 14': 857759, 'hunt 14 99': 411350, '14 99 jumanji': 3411, '99 jumanji 19': 23852, 'jumanji 19 99': 467823, '19 99 1917': 4770, '99 1917 19': 23753, '1917 19 99': 12312, '19 99 the': 4775, '99 the invisible': 23898, 'the invisible man': 858428, 'invisible man 19': 444252, 'man 19 99': 511962, '19 99 greed': 4773, '99 greed amazonvideo': 23837, 'stayhomeeaster': 798298, 'saw every': 738106, 'lot full': 504051, 'gathering this': 344516, 'easter we': 265520, 'be due': 114616, 'due for': 261654, 'case stayathome': 166037, 'stayhomesavelives stayhomeeaster': 798456, 'drove around the': 260784, 'around the city': 93526, 'city and saw': 179051, 'and saw every': 70980, 'saw every grocery': 738107, 'parking lot full': 642089, 'lot full if': 504052, 'full if people': 340636, 'are cooking for': 85560, 'cooking for family': 202871, 'for family gathering': 321388, 'family gathering this': 297844, 'gathering this easter': 344517, 'this easter we': 887338, 'easter we may': 265521, 'may be due': 520977, 'be due for': 114617, 'due for an': 261655, 'for an explosion': 319292, 'explosion in case': 292558, 'in case stayathome': 421276, 'case stayathome stayhomesavelives': 166038, 'stayathome stayhomesavelives stayhomeeaster': 797652, 'wtf trying': 1013334, 'amp everything': 53762, 'amp instore': 54003, 'instore what': 440508, 'wtf trying to': 1013335, 'dog food amp': 252077, 'food amp everything': 313133, 'amp everything out': 53763, 'everything out of': 287964, 'stock online amp': 802571, 'online amp instore': 607803, 'amp instore what': 54004, 'instore what is': 440509, 'is so unfair': 452042, 'my healthy': 548643, 'healthy neighbor': 387699, 'neighbor by': 556987, 'by delivering': 152319, 'we brought': 970870, 'be beaten': 113816, 'beaten by': 118602, 'by united': 154632, 'united kind': 942174, 'kind people': 474959, 'am not doctor': 50246, 'not doctor or': 569078, 'or nurse who': 616332, 'nurse who are': 577543, 'who are help': 988151, 'are help those': 87084, 'help those infected': 390746, 'those infected to': 892116, 'infected to get': 436653, 'better but can': 128219, 'help the community': 390642, 'the community and': 851266, 'community and my': 189719, 'and my healthy': 67369, 'my healthy neighbor': 548644, 'healthy neighbor by': 387700, 'neighbor by delivering': 556988, 'by delivering the': 152320, 'delivering the grocery': 233550, 'grocery we brought': 366115, 'we brought from': 970871, 'brought from nearby': 141155, 'nearby supermarket the': 553688, 'supermarket the virus': 823256, 'will be beaten': 992375, 'be beaten by': 113817, 'beaten by united': 118603, 'by united kind': 154633, 'united kind people': 942175, 'kind people but': 474960, 'people but not': 647323, 'but not selfish': 146561, 'not selfish moron': 571519, 'vegetable some': 954091, 'stuff took': 815233, 'took trip': 925369, 'shop were': 761021, 'not crowded': 568938, 'crowded some': 219348, 'available just': 104472, 'extra shop': 293640, 'but returned': 146939, 'returned with': 719986, 'full coronastopkarona': 340540, 'since we were': 770985, 'were running out': 980084, 'of milk vegetable': 586523, 'milk vegetable some': 531898, 'vegetable some basic': 954092, 'some basic stuff': 782387, 'basic stuff took': 112067, 'stuff took trip': 815234, 'took trip to': 925370, 'store shop were': 810123, 'shop were not': 761022, 'were not crowded': 979915, 'not crowded some': 568939, 'crowded some basic': 219349, 'some basic food': 782383, 'basic food is': 111889, 'is available just': 445922, 'available just had': 104473, 'had to look': 373705, 'look in some': 502420, 'in some extra': 428088, 'some extra shop': 782801, 'extra shop but': 293641, 'shop but returned': 760002, 'but returned with': 146940, 'returned with bag': 719987, 'with bag full': 997359, 'bag full coronastopkarona': 108298, 'realoverthis': 702750, 'easter 2020': 265371, '2020 look': 14423, 'look lot': 502533, 'like mcdonald': 490734, 'mcdonald sweet': 522150, 'sweet tea': 830256, 'and attempting': 58503, 'homework while': 403010, 'getting distracted': 348938, 'distracted my': 247890, 'target 19': 834427, 'stayhome realoverthis': 798082, 'easter 2020 look': 265372, '2020 look lot': 14424, 'look lot like': 502534, 'lot like mcdonald': 504086, 'like mcdonald sweet': 490735, 'mcdonald sweet tea': 522151, 'sweet tea and': 830257, 'tea and attempting': 835334, 'and attempting to': 58504, 'attempting to do': 102285, 'to do homework': 904520, 'do homework while': 249406, 'homework while getting': 403011, 'while getting distracted': 986871, 'getting distracted my': 348939, 'distracted my online': 247891, 'shopping at target': 762113, 'at target 19': 100825, 'target 19 stayhome': 834428, '19 stayhome realoverthis': 10829, 'rad': 695375, 'mentioned rad': 528842, 'rad some': 695376, 'time ago': 896217, 'ago finally': 38379, 'finally visited': 306132, 'visited one': 959489, 'up reason': 945895, 'reason lol': 702956, 'lol and': 500867, 'and noticed': 67805, 'noticed they': 573492, 'now basically': 574181, 'basically carrying': 112120, 'carrying basically': 165167, 'store ranging': 809735, 'some clothes': 782552, 'following target': 312865, 'target playbook': 834489, 'mentioned rad some': 528843, 'rad some time': 695377, 'some time ago': 784054, 'time ago finally': 896218, 'ago finally visited': 38380, 'finally visited one': 306133, 'visited one of': 959490, 'their store for': 874854, 'store for covid': 807796, '19 stock up': 10859, 'stock up reason': 803111, 'up reason lol': 945896, 'reason lol and': 702957, 'lol and noticed': 500868, 'and noticed they': 67807, 'noticed they are': 573493, 'are now basically': 88526, 'now basically carrying': 574182, 'basically carrying basically': 112121, 'carrying basically everything': 165168, 'basically everything in': 112127, 'their store ranging': 874865, 'store ranging from': 809736, 'ranging from some': 696761, 'from some clothes': 337337, 'some clothes to': 782553, 'clothes to food': 184222, 'to food it': 906084, 'food it almost': 315177, 'they re following': 883038, 're following target': 698696, 'following target playbook': 312866, 'the potato': 864113, 'gone fucking': 356287, 'supermarket and went': 819102, 'all the meat': 44824, 'the meat is': 860383, 'meat is gone': 525633, 'gone all the': 356199, 'all the potato': 44867, 'the potato are': 864114, 'potato are gone': 666907, 'are gone fucking': 86909, 'gone fucking stupid': 356288, 'molecular': 535654, 'if ecg': 414069, 'ecg heart': 266617, 'heart activity': 388260, 'activity measured': 30475, 'measured by': 525444, 'device apple': 239896, 'watch provides': 968518, 'provides any': 686831, 'any signal': 79814, 'allow machine': 45991, 'machine learning': 507388, 'see paper': 745545, 'try can': 934468, 'help then': 390723, 'again rt': 37152, 'rt pcr': 726792, 'pcr molecular': 645918, 'molecular testing': 535657, 'is scaling': 451660, 'scaling quickly': 739940, 'quickly thought': 694620, 'wonder if ecg': 1003967, 'if ecg heart': 414070, 'ecg heart activity': 266618, 'heart activity measured': 388261, 'activity measured by': 30476, 'measured by consumer': 525445, 'by consumer device': 152185, 'consumer device apple': 197192, 'device apple watch': 239897, 'apple watch provides': 82380, 'watch provides any': 968519, 'provides any signal': 686833, 'any signal to': 79815, 'signal to allow': 769321, 'to allow machine': 900342, 'allow machine learning': 45992, 'machine learning to': 507389, 'learning to diagnose': 484251, 'to diagnose covid': 904263, 'not see paper': 571482, 'see paper on': 745546, 'paper on it': 640531, 'on it could': 601652, 'could be worth': 208944, 'be worth try': 118161, 'worth try can': 1011452, 'try can help': 934469, 'can help then': 158664, 'help then again': 390724, 'then again rt': 876976, 'again rt pcr': 37153, 'rt pcr molecular': 726793, 'pcr molecular testing': 645919, 'molecular testing is': 535658, 'testing is scaling': 839522, 'is scaling quickly': 451662, 'scaling quickly thought': 739941, 'pacific cfc': 632979, 'cfc discus': 170300, 'pm pacific cfc': 661956, 'pacific cfc discus': 632980, 'cfc discus auto': 170301, 'seeing 4th': 746200, '4th of': 19529, 'of july': 585561, 'july level': 467814, 'level sale': 487694, 'sale every': 732193, 'day throughout': 228546, 'throughout say': 894958, 'of county': 582034, 'county or': 211455, 'or locality': 615989, 'locality putting': 498743, 'putting restriction': 691214, 'to chaos': 902626, 'chaos say': 173055, 'say durant': 738599, 'store are seeing': 806521, 'are seeing 4th': 89885, 'seeing 4th of': 746201, '4th of july': 19530, 'of july level': 585562, 'july level sale': 467815, 'level sale every': 487695, 'sale every day': 732194, 'every day throughout': 285853, 'day throughout say': 228547, 'throughout say of': 894959, 'say of county': 739008, 'of county or': 582036, 'county or locality': 211456, 'or locality putting': 615990, 'locality putting restriction': 498744, 'putting restriction on': 691215, 'restriction on how': 717343, 'on how many': 601410, 'how many good': 408261, 'many good like': 514100, 'good like toilet': 357334, 'paper would just': 641113, 'would just add': 1011971, 'add to chaos': 31516, 'to chaos say': 902627, 'chaos say durant': 173056, 'suck when': 816947, 'it suck when': 461342, 'suck when going': 816948, 'chastising': 173919, 'are chastising': 85258, 'chastising the': 173920, 'for overreacting': 324339, 'overreacting to': 631421, 'by raiding': 153710, 'raiding supermarket': 695662, 'likely been': 491956, 'been engaging': 121084, 'mongering themselves': 537233, 'over climate': 630088, 'who are chastising': 988114, 'are chastising the': 85259, 'chastising the public': 173921, 'public for overreacting': 688014, 'for overreacting to': 324340, 'overreacting to covid': 631422, '19 by raiding': 5571, 'by raiding supermarket': 153711, 'raiding supermarket shelf': 695663, 'shelf have most': 757144, 'have most likely': 381513, 'most likely been': 542481, 'likely been engaging': 491957, 'been engaging in': 121085, 'engaging in fear': 276917, 'in fear mongering': 422818, 'fear mongering themselves': 301204, 'mongering themselves for': 537234, 'themselves for the': 876805, 'last several year': 480497, 'several year over': 753977, 'year over climate': 1014899, 'over climate change': 630089, 'organising': 619325, 'gocarona': 354633, 'papa and': 639735, 'and mami': 66614, 'mami also': 511939, 'also supporting': 48940, 'supporting jantacurfew': 827144, 'jantacurfew salute': 464598, 'salute for': 732854, 'for organising': 324165, 'organising such': 619328, 'such emotional': 816470, 'emotional moment': 273286, 'moment togetherwecan': 536096, 'togetherwecan 19': 921089, 'stayhomestaysafe stoppanicbuying': 798530, 'stoppanicbuying gocarona': 805564, 'papa and mami': 639736, 'and mami also': 66615, 'mami also supporting': 511940, 'also supporting jantacurfew': 48941, 'supporting jantacurfew salute': 827145, 'jantacurfew salute for': 464599, 'salute for organising': 732855, 'for organising such': 324166, 'organising such emotional': 619329, 'such emotional moment': 816471, 'emotional moment togetherwecan': 273287, 'moment togetherwecan 19': 536097, 'togetherwecan 19 stayathome': 921090, '19 stayathome stayhomestaysafe': 10813, 'stayathome stayhomestaysafe stoppanicbuying': 797657, 'stayhomestaysafe stoppanicbuying gocarona': 798531, 'duma': 262087, 'state duma': 795541, 'duma passed': 262088, 'passed law': 643279, 'at third': 101217, 'third and': 886065, 'last reading': 480467, 'reading that': 700802, 'non vital': 566524, 'vital medicine': 959706, 'device result': 239930, 'result the': 717637, 'more influence': 539541, 'influence on': 437315, 'price regulation': 676153, 'regulation ahk': 708043, 'the state duma': 867767, 'state duma passed': 795542, 'duma passed law': 262089, 'passed law at': 643280, 'law at third': 482224, 'at third and': 101218, 'third and last': 886066, 'and last reading': 65960, 'last reading that': 480468, 'reading that allows': 700803, 'allows the government': 46397, 'government to limit': 360722, 'limit the price': 492515, 'of non vital': 587057, 'non vital medicine': 566526, 'vital medicine and': 959707, 'and medical device': 66873, 'medical device result': 526130, 'device result the': 239931, 'result the state': 717638, 'the state ha': 867781, 'state ha more': 795640, 'ha more influence': 371292, 'more influence on': 539542, 'influence on price': 437316, 'on price regulation': 602917, 'price regulation ahk': 676154, 'regulation ahk liveticker': 708044, 'macro mega': 507474, 'mega thread': 527822, 'of play': 588165, 'play see': 659211, '19 fallout': 6933, 'fallout will': 297399, 'will exert': 993367, 'exert very': 290138, 'strong deflationary': 814007, 'deflationary pressure': 232462, 'both asset': 135860, 'see extreme': 745101, 'extreme and': 293775, 'and escalating': 62231, 'escalating intervention': 280280, 'intervention from': 442185, 'cbs and': 168366, 'offset deflationary': 596099, 'macro mega thread': 507475, 'mega thread here': 527823, 'thread here the': 893559, 'here the state': 393670, 'state of play': 795819, 'of play see': 588166, 'play see it': 659212, 'see it covid': 745327, 'covid 19 fallout': 213072, '19 fallout will': 6935, 'fallout will exert': 297400, 'will exert very': 993368, 'exert very strong': 290139, 'very strong deflationary': 955594, 'strong deflationary pressure': 814008, 'deflationary pressure on': 232463, 'pressure on both': 671203, 'on both asset': 599677, 'both asset price': 135861, 'economy we will': 268331, 'will see extreme': 994774, 'see extreme and': 745102, 'extreme and escalating': 293776, 'and escalating intervention': 62232, 'escalating intervention from': 280281, 'intervention from cbs': 442186, 'from cbs and': 334813, 'cbs and government': 168367, 'and government in': 63884, 'government in attempt': 360219, 'attempt to offset': 102254, 'to offset deflationary': 910871, 'offset deflationary pressure': 596100, 'cdc say': 168617, 'about spreading': 26241, 'through surface': 894704, 'surface my': 828049, 'previous remark': 672001, 'remark and': 710100, 'and conclusion': 60256, 'about sanitizer': 26129, 'sanitizer socialdistancing': 735763, 'socialdistancing appear': 780226, 'wrong cdc': 1013015, 'on what the': 605244, 'what the cdc': 982300, 'the cdc say': 850577, 'cdc say at': 168619, 'say at this': 738445, 'this time about': 890614, 'time about spreading': 896194, 'about spreading through': 26242, 'spreading through surface': 791073, 'through surface my': 894705, 'surface my previous': 828050, 'my previous remark': 549839, 'previous remark and': 672002, 'remark and conclusion': 710101, 'and conclusion about': 60257, 'conclusion about sanitizer': 193318, 'about sanitizer socialdistancing': 26130, 'sanitizer socialdistancing appear': 735764, 'socialdistancing appear to': 780227, 'to be wrong': 901643, 'be wrong cdc': 118169, 'wrong cdc is': 1013016, 'cdc is saying': 168582, 'is saying but': 451655, 'saying but this': 739566, 'main way the': 508850, 'way the virus': 969946, 'india 900': 434275, '00 public': 451, 'sanitizer india': 735164, 'india mask': 434518, 'mask healthcare': 518794, 'the coronavirus in': 851870, 'coronavirus in india': 206120, 'in india 900': 424019, 'india 900 00': 434276, '900 00 public': 23360, '00 public health': 452, 'health worker going': 386977, 'worker going door': 1007046, 'to door without': 904678, 'door without mask': 255788, 'hand sanitizer india': 375452, 'sanitizer india mask': 735165, 'india mask healthcare': 434519, 'mask healthcare worker': 518795, 'getheathy': 348780, 'my previously': 549840, 'shopping 45mins': 761869, 'app getheathy': 81713, 'what am doing': 981015, 'am doing during': 50008, 'all my previously': 43569, 'my previously bought': 549841, 'online shopping 45mins': 609010, 'shopping 45mins of': 761870, 'peloton app getheathy': 646383, 'been avoiding': 120716, 'avoiding grocery': 105459, 'quite long': 694892, 've been avoiding': 952865, 'been avoiding grocery': 120717, 'avoiding grocery store': 105460, 'line for quite': 493110, 'for quite long': 324926, 'quite long time': 694893, 'team be kind': 835601, 'kind to someone': 475011, 'airline company': 39937, 'company increasing': 190780, 'increasing fare': 433607, 'fare to': 299037, 'family apart': 297616, 'apart shame': 81331, 'airline company increasing': 39938, 'company increasing fare': 190781, 'increasing fare to': 433608, 'fare to very': 299038, 'to very high': 918153, 'high price during': 395248, 'price during outbreak': 673629, 'during outbreak keep': 262850, 'outbreak keep family': 628403, 'keep family apart': 471495, 'family apart shame': 297617, 'apart shame on': 81332, '748': 22096, 'ukhad': 938968, 'liya': 496502, 'deke': 232611, 'pappu': 641189, 'in maharashtra': 424983, 'maharashtra rise': 508485, 'to 748': 899826, '748 after': 22097, 'after 113': 35265, '113 positive': 2647, 'state today': 796030, 'maharashtra kya': 508481, 'kya ukhad': 478080, 'ukhad liya': 938969, 'liya mask': 496503, 'sanitizer deke': 734736, 'deke pappu': 232614, 'of positive case': 588249, 'positive case in': 665276, 'case in maharashtra': 165798, 'in maharashtra rise': 424985, 'maharashtra rise to': 508486, 'rise to 748': 723027, 'to 748 after': 899827, '748 after 113': 22098, 'after 113 positive': 35266, '113 positive case': 2648, 'positive case reported': 665279, 'case reported in': 165983, 'the state today': 867817, 'state today so': 796031, 'today so far': 920189, 'far it your': 298825, 'it your government': 462660, 'your government in': 1024080, 'government in maharashtra': 360220, 'in maharashtra kya': 424984, 'maharashtra kya ukhad': 508482, 'kya ukhad liya': 478081, 'ukhad liya mask': 938970, 'liya mask sanitizer': 496504, 'mask sanitizer deke': 519221, 'sanitizer deke pappu': 734737, '10mbd': 2360, 'down despite': 256680, 'massive cut': 520001, 'production following': 682040, 'following opec': 312806, 'the cartel': 850450, 'cartel agreed': 165440, 'by 10mbd': 151527, '10mbd for': 2361, 'month oil': 537915, 'fallen more': 297160, 'more substantially': 540488, 'substantially due': 816071, 'shutdown market': 768058, 'price down despite': 673522, 'down despite massive': 256681, 'despite massive cut': 238784, 'massive cut to': 520002, 'cut to oil': 223605, 'to oil production': 910883, 'oil production following': 597366, 'production following opec': 682041, 'following opec meeting': 312807, 'opec meeting in': 611913, 'meeting in recent': 527714, 'day the cartel': 228482, 'the cartel agreed': 850451, 'cartel agreed to': 165441, 'to reduce output': 913030, 'reduce output by': 705885, 'output by 10mbd': 629239, 'by 10mbd for': 151528, '10mbd for month': 2362, 'for month oil': 323533, 'month oil demand': 537916, 'oil demand ha': 596746, 'demand ha fallen': 235607, 'ha fallen more': 370593, 'fallen more substantially': 297161, 'more substantially due': 540489, 'substantially due to': 816072, '19 shutdown market': 10526, 'had mine': 373306, 'and registered': 70152, 'registered at': 707639, 'vulnerable apparently': 960869, 'which quite': 986255, 'quite excited': 694861, 'if wasn': 415259, 'wasn on': 968003, 'say need': 738968, 've had mine': 953227, 'had mine too': 373307, 'mine too ve': 532934, 'too ve been': 925143, 'been online and': 121604, 'online and registered': 607847, 'and registered at': 70153, 'registered at risk': 707640, 'at risk vulnerable': 100412, 'risk vulnerable apparently': 723997, 'vulnerable apparently it': 960870, 'apparently it get': 81954, 'it get you': 458225, 'get you priority': 348681, 'you priority slot': 1020435, 'priority slot on': 678653, 'slot on supermarket': 774246, 'on supermarket delivery': 603784, 'supermarket delivery which': 819939, 'delivery which quite': 234740, 'which quite excited': 986256, 'quite excited about': 694862, 'excited about if': 289523, 'about if wasn': 25499, 'if wasn on': 415260, 'wasn on 12': 968004, 'on 12 week': 599008, '12 week lockdown': 2985, 'week lockdown say': 976495, 'lockdown say need': 499887, 'say need to': 738969, 'get out more': 347738, 'out more stay': 626576, 'more stay safe': 540454, 'been having': 121261, 'buy bit': 148423, 'grocery every': 364503, 'day just': 227863, 'food aside': 313420, 'for problem': 324758, 'even related': 284520, 'help an': 389345, 've been having': 952888, 'been having to': 121262, 'having to use': 384370, 'use my credit': 949382, 'to buy bit': 902191, 'buy bit of': 148424, 'of grocery every': 584350, 'grocery every day': 364504, 'every day just': 285823, 'day just to': 227865, 'on some kind': 603561, 'of food aside': 583649, 'food aside from': 313421, 'aside from having': 95417, 'from having to': 335736, 'having to seek': 384362, 'to seek medical': 914109, 'seek medical treatment': 746591, 'medical treatment for': 526483, 'treatment for problem': 931078, 'for problem that': 324759, 'problem that aren': 679701, 'aren even related': 92404, 'even related to': 284521, '19 could really': 6160, 'the help an': 857259, 'patenting': 644003, 'try patenting': 934540, 'patenting my': 644004, 'famous vegetable': 298496, 'vegetable phall': 954066, 'phall killer': 653987, 'killer of': 474638, 'to try patenting': 917818, 'try patenting my': 934541, 'patenting my world': 644005, 'world famous vegetable': 1009541, 'famous vegetable phall': 298497, 'vegetable phall killer': 954067, 'phall killer of': 653988, 'killer of covid': 474639, 'guard posted': 367832, 'posted inside': 666540, 'door wtf': 255791, 'shit coronacrisis': 759079, 'local supermarket security': 498583, 'security guard posted': 744623, 'guard posted inside': 367833, 'posted inside the': 666541, 'inside the front': 439413, 'front door wtf': 338536, 'door wtf is': 255792, 'wtf is this': 1013294, 'this shit coronacrisis': 890077, 'dear pls': 229854, 'ur planning': 948048, 'planning board': 658520, 'with agri': 997123, 'agri crisis': 38833, 'india during': 434381, 'ha extensive': 370574, 'extensive deep': 293302, 'deep knowledge': 231910, 'our agri': 622040, 'dear pls have': 229855, 'pls have on': 661139, 'have on ur': 381778, 'on ur planning': 604993, 'ur planning board': 948049, 'planning board to': 658521, 'board to deal': 133678, 'deal with agri': 229532, 'with agri crisis': 997124, 'agri crisis in': 38834, 'crisis in india': 217531, 'in india during': 424031, 'india during covid': 434382, '19 he ha': 7473, 'he ha extensive': 385023, 'ha extensive deep': 370575, 'extensive deep knowledge': 293303, 'deep knowledge to': 231911, 'knowledge to help': 477192, 'help our agri': 390221, 'our agri sector': 622041, 'agri sector and': 38847, 'sector and meet': 744088, 'ftc response': 339437, 'and initial': 65240, 'initial action': 438513, 'action privacy': 30114, 'privacy ftc': 678812, 'ftc via': 339466, 'the ftc response': 855937, 'ftc response to': 339438, 'coronavirus pandemic consumer': 206448, 'pandemic consumer protection': 635192, 'consumer protection priority': 198553, 'protection priority and': 685579, 'priority and initial': 678513, 'and initial action': 65241, 'initial action privacy': 438514, 'action privacy ftc': 30115, 'privacy ftc via': 678813, 'valiquette': 951936, 'chuckled': 178290, 'hello valiquette': 389239, 'valiquette citing': 951937, 'citing the': 178808, 'crisis asked': 217086, 'company whether': 191305, 'product where': 681831, 'there greater': 878440, 'demand valiquette': 236431, 'valiquette then': 951939, 'then chuckled': 877071, 'hello valiquette citing': 389240, 'valiquette citing the': 951938, 'citing the covid': 178809, '19 crisis asked': 6215, 'crisis asked the': 217087, 'asked the company': 95839, 'the company whether': 851360, 'company whether it': 191306, 'whether it could': 985520, 'it could increase': 457360, 'could increase price': 209337, 'the product where': 864601, 'product where there': 681832, 'where there greater': 985263, 'there greater demand': 878441, 'greater demand valiquette': 363169, 'demand valiquette then': 236432, 'valiquette then chuckled': 951940, 'of banning': 580549, 'banning outdoor': 110639, 'outdoor exercise': 628894, 'exercise entirely': 290048, 'entirely will': 278815, 'house going': 406327, 'consequence of banning': 194872, 'of banning outdoor': 580550, 'banning outdoor exercise': 110640, 'outdoor exercise entirely': 628895, 'exercise entirely will': 290049, 'entirely will be': 278816, 'be the increase': 117624, 'of essential shopping': 583188, 'essential shopping trip': 281559, 'shopping trip so': 764255, 'trip so people': 932162, 'excuse to get': 289781, 'the house going': 857610, 'house going shopping': 406328, 'going shopping is': 355451, 'much higher risk': 544995, 'risk and will': 723382, 'chance of supermarket': 171771, 'supermarket worker contracting': 824005, 'to colour': 902982, 'colour with': 186862, 'you reducing': 1020877, 'reducing subscription': 706320, 'you have confirmed': 1019026, 'have confirmed that': 380070, 'confirmed that you': 194200, 'you are reducing': 1017214, 'are reducing the': 89532, 'of video in': 592802, 'video in order': 956784, 'order to colour': 618670, 'to colour with': 902983, 'colour with the': 186863, '19 crisis look': 6278, 'crisis look forward': 217680, 'forward to you': 330047, 'to you reducing': 918916, 'you reducing subscription': 1020878, 'reducing subscription price': 706321, 'pm give': 661910, 'on stayhomesavelives': 603654, 'pm give an': 661911, 'give an important': 350382, 'an important update': 56207, 'important update on': 419089, 'update on stayhomesavelives': 947134, 'marketbasket': 517409, 'me marketbasket': 523142, 'marketbasket toiletpaper': 517410, 'just food shopping': 468740, 'food shopping don': 316519, 'shopping don mind': 762504, 'mind me marketbasket': 532694, 'me marketbasket toiletpaper': 523143, 'religiousliberty': 709596, 'store surrounding': 810481, 'surrounding that': 828764, 'church should': 178407, 'ban her': 109207, 'customer religiousliberty': 222747, 'religiousliberty stayhomesavelives': 709597, 'grocery store surrounding': 365830, 'store surrounding that': 810482, 'surrounding that church': 828765, 'that church should': 843225, 'church should ban': 178408, 'should ban her': 765537, 'ban her to': 109208, 'her to protect': 392468, 'protect it worker': 684861, 'it worker and': 462517, 'and customer religiousliberty': 60860, 'customer religiousliberty stayhomesavelives': 222748, 'report excessive': 711919, 'hoosier to report': 403386, 'to report excessive': 913269, 'report excessive price': 711920, 'pandemic and to': 634913, 'and to file': 74171, 'to override': 911311, 'paper purchase': 640637, 'purchase parenting': 689622, 'parenting selfisolation': 641804, 'using their kid': 950725, 'kid to override': 474140, 'to override the': 911312, 'override the ban': 631439, 'ban on toilet': 109236, 'toilet paper purchase': 921404, 'paper purchase parenting': 640639, 'purchase parenting selfisolation': 689623, 'novice': 573868, 'home novice': 401678, 'novice with': 573869, 'with trick': 1001844, 'trick that': 931710, 'essential 17': 280742, '17 19': 4305, 'help for work': 389757, 'at home novice': 99061, 'home novice with': 401679, 'novice with trick': 573870, 'with trick that': 1001845, 'trick that ll': 931711, 'that ll use': 844916, 'll use if': 497087, 'use if ordered': 949266, 'if ordered to': 414569, 'ordered to work': 618926, 'at home right': 99094, 'right now my': 722105, 'now my job': 575330, 'job is considered': 465900, 'considered essential 17': 195286, 'essential 17 19': 280743, '17 19 19': 4306, 'thronging': 894270, 'discriminating': 244798, 'thousand flocking': 893394, 'to beauty': 901661, 'spot crowd': 790047, 'crowd thronging': 219275, 'thronging supermarket': 894273, 'even discriminating': 284007, 'discriminating against': 244799, 'would work': 1012394, 'nh nh': 562008, 'nh paramedic': 562040, 'paramedic evicted': 641380, 'fear he': 301157, 'would spread': 1012260, 'thousand flocking to': 893395, 'flocking to beauty': 310687, 'to beauty spot': 901662, 'beauty spot crowd': 118797, 'spot crowd thronging': 790048, 'crowd thronging supermarket': 219276, 'thronging supermarket isle': 894274, 'supermarket isle now': 821146, 'isle now some': 454373, 'now some even': 575865, 'some even discriminating': 782768, 'even discriminating against': 284008, 'discriminating against health': 244800, 'against health staff': 37484, 'health staff who': 386869, 'staff who would': 793094, 'who would work': 990066, 'would work in': 1012396, 'the nh nh': 861749, 'nh nh paramedic': 562009, 'nh paramedic evicted': 562041, 'paramedic evicted from': 641381, 'evicted from home': 288304, 'home for fear': 401229, 'for fear he': 321427, 'fear he would': 301158, 'he would spread': 385701, 'would spread covid': 1012261, 'having bought': 383998, 'bought disinfection': 136539, 'disinfection involving': 245912, 'involving ethanol': 444393, 'ethanol tissue': 283012, 'tissue today': 899225, 'japan because': 464712, 'spreading sanitizers': 791036, 'sanitizers disinfection': 736260, 'disinfection tissue': 245924, 'are lack': 87703, 'lack in': 478593, 'world cause': 1009400, 'than how': 840759, 'many they': 514795, 'having bought disinfection': 383999, 'bought disinfection involving': 136540, 'disinfection involving ethanol': 245913, 'involving ethanol tissue': 444394, 'ethanol tissue today': 283013, 'tissue today that': 899226, 'today that were': 920275, 'that were in': 847441, 'were in short': 979780, 'short supply in': 764709, 'supply in japan': 825401, 'in japan because': 424371, 'japan because of': 464713, '19 spreading sanitizers': 10763, 'spreading sanitizers disinfection': 791037, 'sanitizers disinfection tissue': 736261, 'disinfection tissue and': 245925, 'tissue and etc': 899120, 'and etc are': 62281, 'etc are lack': 282423, 'are lack in': 87704, 'lack in the': 478594, 'the world cause': 871831, 'world cause people': 1009401, 'cause people bought': 167701, 'people bought more': 647297, 'bought more than': 136646, 'more than how': 540631, 'than how many': 840761, 'how many they': 408286, 'many they needed': 514796, 'day human': 227772, 'lesson learned in': 486490, 'learned in past': 484124, 'in past few': 426543, 'few day human': 303776, 'day human being': 227773, 'natural demand': 552816, 'sector say': 744322, 'say miguel': 738939, 'gomez associate': 356168, 'marketing you': 517756, 'get anybody': 346583, 'anybody you': 80112, 'some training': 784116, 'training via': 929369, 'there is natural': 878591, 'is natural demand': 449828, 'natural demand for': 552817, 'demand for worker': 235519, 'for worker that': 327942, 'service sector say': 752799, 'sector say miguel': 744323, 'say miguel gomez': 738940, 'miguel gomez associate': 531255, 'gomez associate professor': 356169, 'of food marketing': 583731, 'food marketing you': 315408, 'marketing you can': 517757, 'can just get': 158796, 'just get anybody': 468800, 'get anybody you': 346584, 'anybody you need': 80113, 'need some training': 555601, 'some training via': 784117, 'anyone ever': 80307, 'she only': 756251, 'supermarket again': 818820, 'all owe': 43892, 'owe these': 631824, 'these amazing': 879589, 'gratitude working': 362408, 'keep stocked': 471973, 'supply staysafe': 825899, 'staysafe thankyou': 798936, 'don think we': 253987, 'think we ll': 885766, 'we ll ever': 972248, 'll ever hear': 496743, 'ever hear anyone': 285347, 'hear anyone ever': 387883, 'anyone ever say': 80308, 'ever say he': 285480, 'say he she': 738735, 'he she only': 385435, 'she only work': 756253, 'only work in': 611490, 'in supermarket again': 428555, 'supermarket again we': 818821, 'again we all': 37260, 'we all owe': 970349, 'all owe these': 43893, 'owe these amazing': 631825, 'these amazing people': 879590, 'amazing people so': 50755, 'people so much': 649492, 'much gratitude working': 544958, 'gratitude working so': 362409, 'to keep stocked': 908855, 'keep stocked up': 471974, 'on supply staysafe': 603833, 'supply staysafe thankyou': 825900, 'engineer from': 276964, 'machine in': 507377, 'engineer from ha': 276965, 'from ha made': 335715, 'ha made sanitizer': 371215, 'made sanitizer machine': 507949, 'sanitizer machine in': 735325, 'machine in via': 507378, 'usemask': 950255, 'tripexperts': 932234, 'alexhospitality': 41614, 'spreading chinese': 790946, 'corona covi': 203900, 'd19 stopthespread': 224188, 'stopthespread usemask': 805927, 'usemask washyourhands': 950256, 'chinesevirus tripexperts': 177453, 'tripexperts alexhospitality': 932235, 'alexhospitality ahmedabad': 41615, 'ahmedabad india': 39266, 'stop spreading chinese': 805057, 'spreading chinese virus': 790947, 'chinese virus corona': 177377, 'virus corona covi': 958083, 'corona covi d19': 203901, 'covi d19 stopthespread': 212542, 'd19 stopthespread usemask': 224189, 'stopthespread usemask washyourhands': 805928, 'usemask washyourhands sanitizer': 950257, 'washyourhands sanitizer chinesevirus': 967906, 'sanitizer chinesevirus tripexperts': 734654, 'chinesevirus tripexperts alexhospitality': 177454, 'tripexperts alexhospitality ahmedabad': 932236, 'alexhospitality ahmedabad india': 41616, 'country singer': 211058, 'singer and': 771178, 'paisley own': 634389, 'own free': 632008, 'nashville called': 552010, 'delivering good': 233504, 'his part to': 397689, 'outbreak the country': 628707, 'the country singer': 852154, 'country singer and': 211059, 'singer and his': 771179, 'williams paisley own': 995449, 'paisley own free': 634390, 'own free grocery': 632009, 'in nashville called': 425680, 'nashville called the': 552011, 'called the store': 156460, 'that is now': 844627, 'is now delivering': 450277, 'now delivering good': 574509, 'delivering good to': 233505, 'nwanews': 577809, 'despite most': 238789, 'student being': 814653, 'being off': 125471, 'off campus': 593716, 'campus the': 157337, 'an 87': 55027, '87 percent': 23019, 'demand leaving': 235802, 'leaving shelf': 485127, 'empty nwanews': 274971, 'despite most student': 238791, 'most student being': 542778, 'student being off': 814654, 'being off campus': 125472, 'off campus the': 593717, 'campus the full': 157338, 'the full circle': 856002, 'pantry ha seen': 639600, 'seen an 87': 746925, 'an 87 percent': 55028, '87 percent rise': 23020, 'percent rise in': 651177, 'in demand leaving': 422136, 'demand leaving shelf': 235803, 'leaving shelf empty': 485128, 'shelf empty nwanews': 757024, 'nh we': 562160, 'receive gift': 703490, 'gift showing': 350018, 'yet could': 1016039, 'some be': 782390, 'elderly covid': 270645, 'limited visit': 492790, 'visit increased': 959278, 'increased isolation': 433354, 'and removed': 70236, 'removed online': 710876, 'we rethink': 973097, 'rethink this': 719660, 'this giving': 887699, 'treat to': 930905, 'them just': 875958, 'the nh we': 861770, 'nh we are': 562161, 'grateful to receive': 362326, 'to receive gift': 912920, 'receive gift showing': 703492, 'gift showing appreciation': 350019, 'showing appreciation of': 767422, 'appreciation of challenge': 82884, 'of challenge yet': 581264, 'challenge yet could': 171605, 'yet could some': 1016040, 'could some be': 209684, 'some be focused': 782391, 'focused on the': 311967, 'on the elderly': 604088, 'the elderly covid': 854119, 'elderly covid 19': 270646, '19 ha limited': 7361, 'ha limited visit': 371153, 'limited visit increased': 492791, 'visit increased isolation': 959279, 'increased isolation and': 433355, 'isolation and removed': 455199, 'and removed online': 70237, 'removed online food': 710877, 'food shopping should': 316536, 'shopping should we': 763882, 'should we rethink': 766652, 'we rethink this': 973098, 'rethink this giving': 719661, 'this giving food': 887700, 'giving food and': 351287, 'and treat to': 74423, 'treat to them': 930906, 'to them just': 917304, 'them just thought': 875959, 'parrishable': 642202, 'more parrishable': 539996, 'parrishable food': 642203, 'actual hell': 30670, 'hell hunkerdown': 389022, 'on more parrishable': 602210, 'more parrishable food': 539997, 'parrishable food what': 642204, 'food what in': 317563, 'the actual hell': 848322, 'actual hell hunkerdown': 30671, 'reconcile': 704864, 'social destination': 779483, 'destination for': 238976, 'healthcare but': 387051, 'also risk': 48802, 'era how': 280051, 'we reconcile': 973051, 'reconcile our': 704865, 'avoid important': 105154, 'important insight': 418844, 'it is social': 459082, 'is social destination': 452057, 'social destination for': 779485, 'destination for healthcare': 238977, 'for healthcare but': 322158, 'healthcare but also': 387052, 'but also risk': 145140, 'also risk in': 48804, 'the era how': 854472, 'era how can': 280052, 'can we reconcile': 160190, 'we reconcile our': 973052, 'reconcile our need': 704866, 'the issue to': 858579, 'issue to avoid': 455973, 'to avoid important': 900910, 'avoid important insight': 105155, 'like cole': 490028, 'socialdistancing shoppingonline': 780683, 'shoppingonline isolation': 764521, 'isolation weekend': 455497, 'weekend health': 977344, 'look like cole': 502470, 'like cole supermarket': 490029, 'cole supermarket didn': 185879, 'memo about socialdistancing': 528399, 'about socialdistancing shoppingonline': 26221, 'socialdistancing shoppingonline isolation': 780684, 'shoppingonline isolation weekend': 764522, 'isolation weekend health': 455498, 'online search': 608947, 'habit prior': 372673, 'pandemic indicated': 635729, 'indicated desire': 434977, 'new headquarters': 558867, 'headquarters will': 386041, 'will home': 993755, 'hq become': 409579, 'become part': 120094, 'online search and': 608948, 'and shopping habit': 71544, 'shopping habit prior': 762850, 'habit prior to': 372674, '19 pandemic indicated': 9365, 'pandemic indicated desire': 635730, 'indicated desire to': 434978, 'desire to make': 238429, 'make home the': 509987, 'home the new': 402240, 'the new headquarters': 861516, 'new headquarters will': 558868, 'headquarters will home': 386042, 'will home hq': 993756, 'home hq become': 401387, 'hq become part': 409580, 'become part of': 120095, 'pasteurisation': 643875, 'bacteri': 107655, 'someone shared': 784649, 'shared on': 755436, '19 raw': 9963, 'raw meat': 697982, 'meat sugar': 525761, 'milk an': 531551, 'an engineer': 55750, 'engineer know': 276967, 'for fact': 321363, 'that milk': 845169, 'milk sugar': 531837, 'sugar available': 817428, 'through pasteurisation': 894629, 'pasteurisation process': 643876, 'process bacteri': 679885, 'saw someone shared': 738250, 'someone shared on': 784650, 'shared on what': 755437, 'on what kind': 605230, 'food you should': 317722, 'you should stay': 1021223, 'should stay away': 766495, 'away from during': 105875, 'from during covid': 335236, 'covid 19 raw': 213656, '19 raw meat': 9964, 'raw meat sugar': 697983, 'meat sugar and': 525762, 'sugar and milk': 817424, 'and milk an': 67011, 'milk an engineer': 531552, 'an engineer know': 55752, 'engineer know for': 276968, 'know for fact': 476383, 'for fact that': 321364, 'fact that milk': 295803, 'that milk sugar': 845170, 'milk sugar available': 531838, 'sugar available at': 817429, 'available at supermarket': 104259, 'at supermarket ha': 100730, 'go through pasteurisation': 354250, 'through pasteurisation process': 894630, 'pasteurisation process bacteri': 643877, 'at 90': 97801, '90 55': 23265, '55 falling': 20377, 'it fallen': 457940, 'fallen 23': 297127, '23 16': 15353, '16 since': 4170, 'this morning consumerconfidence': 888951, 'is at 90': 445852, 'at 90 55': 97802, '90 55 falling': 23266, '55 falling from': 20378, 'before it fallen': 122884, 'it fallen 23': 457941, 'fallen 23 16': 297128, '23 16 since': 15354, '16 since january': 4171, 'the tradition': 869872, 'practice with': 668707, 'neighbor heading': 557031, 'truly embrace the': 933296, 'embrace the tradition': 272492, 'the tradition grew': 869873, 'grew up seeing': 363864, 'seeing my parent': 746381, 'parent practice with': 641710, 'practice with our': 668708, 'with our elderly': 999991, 'elderly neighbor heading': 270772, 'neighbor heading to': 557032, 'store need anything': 809049, 'everyrhing': 287660, 'what just': 981782, 'just noticed': 469341, 'nothing getting': 573020, 'getting restocked': 349233, 'restocked nothing': 716955, 'our dem': 622729, 'dem leader': 234874, 'the everyrhing': 854625, 'everyrhing run': 287661, 'because say': 119527, 'what just noticed': 981783, 'just noticed at': 469342, 'noticed at the': 573431, 'grocery store nothing': 365597, 'store nothing getting': 809116, 'nothing getting restocked': 573021, 'getting restocked nothing': 349234, 'restocked nothing so': 716956, 'nothing so my': 573161, 'so my question': 777846, 'question is for': 693630, 'all our dem': 43803, 'our dem leader': 622730, 'dem leader is': 234875, 'leader is what': 483483, 'when the everyrhing': 984150, 'the everyrhing run': 854626, 'everyrhing run out': 287662, 'run out because': 727753, 'out because say': 625769, 'because say there': 119528, 'no more then': 564824, 'more then to': 540724, 'then to week': 877680, 'to week of': 918473, 'week of thing': 976644, 'of thing left': 591905, 'thing left when': 884532, 'left when the': 485731, '40am': 18833, 'bossman': 135774, 'life streatham': 489069, 'streatham aldi': 812869, 'around 40am': 93148, '40am your': 18834, 'local bossman': 497731, 'bossman man': 135775, 'the mini': 860644, 'can be life': 157639, 'be life streatham': 115720, 'life streatham aldi': 489070, 'streatham aldi at': 812870, 'aldi at around': 41257, 'at around 40am': 98050, 'around 40am your': 93149, '40am your local': 18835, 'your local bossman': 1024682, 'local bossman man': 497732, 'bossman man with': 135776, 'with the mini': 1001390, 'the mini supermarket': 860645, 'mini supermarket ha': 533029, 'supermarket ha all': 820613, 'the essential we': 854525, 'essential we need': 281767, 'found really': 330351, 'really cute': 702092, 'cute dress': 223659, 'dress so': 258680, 'so added': 776461, 'cart found': 165305, 'it silk': 461052, 'silk dress': 769730, 'dress and': 258656, 'sadly removed': 729351, 'removed it': 710868, 'because ain': 118912, 'ain high': 39628, 'high society': 395411, 'society enough': 781202, 'fact covid': 295705, 'online and found': 607813, 'and found really': 63231, 'found really cute': 330352, 'really cute dress': 702093, 'cute dress so': 223660, 'dress so added': 258681, 'so added it': 776462, 'added it to': 31575, 'to my cart': 910380, 'my cart found': 547625, 'cart found out': 165306, 'out it silk': 626451, 'it silk dress': 461053, 'silk dress and': 769731, 'dress and sadly': 258657, 'and sadly removed': 70701, 'sadly removed it': 729352, 'removed it because': 710869, 'it because ain': 456746, 'because ain high': 118913, 'ain high society': 39629, 'high society enough': 395412, 'society enough for': 781203, 'enough for that': 277439, 'for that shit': 326271, 'that shit that': 846267, 'shit that and': 759236, 'the fact covid': 854820, 'fact covid 19': 295706, 'is going round': 448100, 'blowjob': 133394, 'igotthetolietpaperplug': 415933, 'life not': 488910, 'to college': 902974, 'me blowjob': 522522, 'blowjob igotthetolietpaperplug': 133395, 'for once in': 324071, 'once in my': 605655, 'my life not': 549028, 'life not going': 488911, 'going to college': 355554, 'to college and': 902975, 'college and working': 186602, 'and working at': 75890, 'store might get': 808956, 'might get me': 530990, 'get me blowjob': 347535, 'me blowjob igotthetolietpaperplug': 522523, 'apartment manasarovar': 81412, 'something ignorant': 784941, 'at this right': 101254, 'this right outside': 889908, 'right outside our': 722210, 'outside our apartment': 629527, 'our apartment manasarovar': 622084, 'apartment manasarovar height': 81413, 'ushodyay supermarket can': 950362, 'supermarket can we': 819515, 'do something ignorant': 250143, 'something ignorant people': 784942, 'ignorant people no': 415793, 'people no socialdistancing': 648857, 'to smile': 914770, 'smile back': 775701, 'realizing there': 701940, 'tell apocalypse2020': 836913, 'apocalypse2020 californialockdown': 81580, 'californialockdown californiashutdown': 155626, 'love how you': 504699, 'how you walk': 409292, 'store and smile': 806348, 'and smile at': 71808, 'smile at people': 775697, 'at people with': 100097, 'people with corona': 650436, 'with corona mask': 997789, 'corona mask on': 204061, 'mask on you': 519059, 'know they are': 476872, 'trying to smile': 934872, 'to smile back': 914772, 'smile back and': 775702, 'back and realizing': 106862, 'and realizing there': 70012, 'realizing there no': 701941, 'there no way': 878848, 'way to tell': 970112, 'to tell apocalypse2020': 916335, 'tell apocalypse2020 californialockdown': 836914, 'apocalypse2020 californialockdown californiashutdown': 81581, 'californialockdown californiashutdown coronacrisis': 155627, 'beautiful black': 118668, 'wa transporting': 963570, 'transporting train': 930070, 'respecting measure': 715140, 'safe pleasure': 729890, 'with dedicatedpeople': 997952, 'rgl our beautiful': 720873, 'our beautiful black': 622171, 'beautiful black woman': 118669, 'black woman wa': 132157, 'woman wa transporting': 1003653, 'wa transporting train': 963571, 'transporting train bringing': 930071, 'while respecting measure': 987216, 'respecting measure to': 715141, 'everyone safe pleasure': 287333, 'safe pleasure to': 729891, 'work with dedicatedpeople': 1006028, 'mean renewal': 524627, 'renewal are': 710995, 'blaming on': 132342, 'check how': 174461, 'have priced': 382040, 'priced many': 677740, 'this mean renewal': 888814, 'mean renewal are': 524628, 'renewal are down': 710996, 'down and they': 256521, 'they are blaming': 881214, 'are blaming on': 84987, 'blaming on covid': 132344, '19 might want': 8651, 'want to check': 966010, 'to check how': 902683, 'check how much': 174462, 'increased price the': 433421, '10 year have': 1768, 'year have priced': 1014610, 'have priced many': 382041, 'priced many people': 677741, 'did what': 240906, 'what hoping': 981607, 'hoping is': 403929, 'last supply': 480528, 'while tonight': 987471, 'tonight grocery': 924417, 'still missing': 800843, 'missing lot': 534312, 'while for': 986851, 'more quarantine': 540175, 'did what hoping': 240907, 'what hoping is': 981608, 'hoping is our': 403930, 'is our last': 450627, 'our last supply': 623649, 'last supply run': 480529, 'supply run for': 825782, 'run for while': 727645, 'for while tonight': 327851, 'while tonight grocery': 987472, 'tonight grocery store': 924418, 'store still missing': 810380, 'still missing lot': 800844, 'missing lot of': 534313, 'lot of key': 504217, 'of key item': 585613, 'key item but': 473333, 'item but wa': 463170, 'but wa able': 147704, 'keep from going': 471525, 'out for while': 626173, 'for while for': 327841, 'while for more': 986852, 'for more quarantine': 323591, 'thisislegalaid': 891641, 'scamprevention': 740681, 'to debt': 903988, 'collection foreclosure': 186431, 'loan visit': 497553, 'fraud thisislegalaid': 331362, 'thisislegalaid scam': 891642, 'scam scamprevention': 740353, 'now more vulnerable': 575317, 'vulnerable to fraud': 961219, 'to fraud related': 906225, 'related to debt': 708601, 'to debt collection': 903989, 'debt collection foreclosure': 230444, 'collection foreclosure and': 186432, 'foreclosure and student': 328915, 'and student loan': 72607, 'student loan visit': 814732, 'loan visit our': 497554, 'more information and': 539575, 'of fraud thisislegalaid': 583896, 'fraud thisislegalaid scam': 331363, 'thisislegalaid scam scamprevention': 891643, 'no scientific': 565430, 'scientific evidence': 742173, 'deyalsingh panic purchase': 240048, 'panic purchase of': 638448, 'purchase of the': 689588, 'the drug chloroquine': 853731, 'is no scientific': 449971, 'no scientific evidence': 565431, 'scientific evidence to': 742174, 'show that it': 767188, 'that it treat': 844753, 'to gotta': 906921, 'papertowel wuhanvirus': 641160, 'wuhanvirus 19': 1013562, 'goin to gotta': 354975, 'to gotta get': 906922, 'get the toiletpaper': 348306, 'the toiletpaper papertowel': 869732, 'toiletpaper papertowel wuhanvirus': 922322, 'papertowel wuhanvirus 19': 641161, 'wuhanvirus 19 coronapocolypse': 1013563, 'trailing': 929219, 'tpocalypse': 928081, 'borrowed': 135608, 'get tackled': 348169, 'tackled for': 831630, 'paper trailing': 641026, 'trailing from': 929220, 'his shoe': 397787, 'shoe tpocalypse': 759690, 'tpocalypse not': 928082, 'my creation': 547853, 'creation do': 216112, 'know original': 476658, 'source borrowed': 786460, 'borrowed from': 135609, 'fb share': 300673, 'share coronapocolypse': 754969, 'coronapocolypse 19': 205217, '19 wednesdaywisdom': 11974, 'wednesdaywisdom toiletpaper': 975743, 'he would get': 385696, 'would get tackled': 1011832, 'get tackled for': 348170, 'tackled for the': 831631, 'toilet paper trailing': 921506, 'paper trailing from': 641027, 'trailing from his': 929221, 'from his shoe': 335817, 'his shoe tpocalypse': 397788, 'shoe tpocalypse not': 759691, 'tpocalypse not my': 928083, 'not my creation': 570617, 'my creation do': 547854, 'creation do not': 216113, 'not know original': 570299, 'know original source': 476659, 'original source borrowed': 619590, 'source borrowed from': 786461, 'borrowed from fb': 135610, 'from fb share': 335430, 'fb share coronapocolypse': 300674, 'share coronapocolypse 19': 754970, 'coronapocolypse 19 wednesdaywisdom': 205218, '19 wednesdaywisdom toiletpaper': 11975, 'upright': 947718, 'supermarket informing': 821037, 'shopper over': 761635, 'week am': 975888, 'am allergic': 49857, 'morning cannot': 541211, 'being upright': 126007, 'upright at': 947719, 'public hahaha': 688050, 'my supermarket informing': 550270, 'supermarket informing me': 821038, 'me that they': 523631, 'for shopper over': 325573, 'shopper over 60': 761636, 'over 60 to': 629882, '60 to help': 21029, '19 to day': 11419, 'to day week': 903957, 'day week am': 228688, 'week am allergic': 975889, 'am allergic to': 49858, 'to morning cannot': 910274, 'morning cannot imagine': 541212, 'cannot imagine being': 161965, 'imagine being upright': 416699, 'being upright at': 126008, 'upright at that': 947720, 'that time much': 847046, 'time much le': 897237, 'much le in': 545040, 'le in public': 482992, 'in public hahaha': 427082, 'it shaping': 461003, 'shaping out': 754885, 'be rough': 116911, 'rough few': 726248, 'for nebraska': 323789, 'nebraska cattle': 553896, 'cattle producer': 167377, 'producer 2019': 680544, '2019 flood': 13961, 'flood caused': 310705, 'caused cattle': 167875, 'cattle death': 167341, 'cost now': 208033, 'now 2020': 573902, '2020 show': 14597, 'show lower': 767039, 'lower cattle': 505807, 'price feed': 673834, 'expense are': 291178, 'up property': 945860, 'property tax': 684364, 'tax have': 834998, 'have mostly': 381516, 'mostly risen': 543003, 'risen and': 723097, 'it shaping out': 461004, 'shaping out to': 754886, 'to be rough': 901513, 'be rough few': 116912, 'rough few year': 726249, 'year for nebraska': 1014565, 'for nebraska cattle': 323790, 'nebraska cattle producer': 553897, 'cattle producer 2019': 167378, 'producer 2019 flood': 680545, '2019 flood caused': 13962, 'flood caused cattle': 310706, 'caused cattle death': 167876, 'cattle death and': 167342, 'death and increased': 229965, 'increased production cost': 433429, 'production cost now': 681976, 'cost now 2020': 208034, 'now 2020 show': 573903, '2020 show lower': 14598, 'show lower cattle': 767040, 'lower cattle price': 505808, 'cattle price feed': 167372, 'price feed and': 673835, 'feed and expense': 302278, 'and expense are': 62495, 'expense are up': 291179, 'are up property': 91368, 'up property tax': 945861, 'property tax have': 684365, 'tax have mostly': 834999, 'have mostly risen': 381517, 'mostly risen and': 543004, 'risen and now': 723098, 'get assistance': 346609, 'assistance with': 96765, 'thing such': 884780, 'such daycare': 816435, 'daycare if': 228894, 'grocery close': 364387, 'or understaffed': 617591, 'understaffed there': 940577, 'designate grocery worker': 238283, 'grocery worker emergency': 366172, 'can get assistance': 158405, 'get assistance with': 346610, 'assistance with thing': 96767, 'with thing such': 1001672, 'thing such daycare': 884781, 'such daycare if': 816436, 'daycare if grocery': 228895, 'if grocery close': 414183, 'grocery close or': 364388, 'close or understaffed': 182749, 'or understaffed there': 617592, 'understaffed there will': 940578, 'dear trucker': 229903, 'stocker delivery': 803502, 'last first': 480219, 'responder thankyou': 715528, 'dear trucker grocery': 229904, 'store stocker delivery': 810395, 'stocker delivery driver': 803503, 'delivery driver amazon': 233887, 'driver amazon and': 259395, 'amazon and every': 50850, 'and every last': 62375, 'every last first': 285974, 'last first responder': 480220, 'first responder thankyou': 308966, '719': 21996, '7554': 22211, 'include handing': 431571, 'out sack': 627128, 'sack lunch': 729051, 'lunch delivering': 506720, 'up donation': 944735, 'in volunteering': 430621, 'volunteering please': 960395, 'call 719': 155716, '719 345': 21997, '345 7554': 17848, 'with the new': 1001402, 'the new level': 861525, 'asking for volunteer': 96001, 'of our service': 587560, 'our service these': 624732, 'service these include': 752944, 'these include handing': 880164, 'include handing out': 431572, 'handing out sack': 376136, 'out sack lunch': 627129, 'sack lunch delivering': 729052, 'lunch delivering food': 506721, 'delivering food and': 233492, 'food and picking': 313307, 'picking up donation': 655876, 'up donation if': 944737, 'donation if you': 254624, 'interested in volunteering': 441470, 'in volunteering please': 430622, 'volunteering please call': 960396, 'please call 719': 659747, 'call 719 345': 155717, '719 345 7554': 21998, 'credit company': 216359, 'or suspend': 617314, 'suspend credit': 829556, 'credit debit': 216372, 'debit processing': 230380, 'processing fee': 680022, 'fee so': 302227, 'so small': 778226, 'can recoup': 159403, 'recoup more': 705150, 'consumer incentive': 197840, 'cash thus': 166350, 'thus doing': 895504, 'limit community': 492309, 'should call on': 765816, 'on the credit': 604049, 'the credit company': 852315, 'credit company to': 216360, 'company to lower': 191230, 'to lower or': 909501, 'lower or suspend': 505929, 'or suspend credit': 617316, 'suspend credit debit': 829557, 'credit debit processing': 216373, 'debit processing fee': 230381, 'processing fee so': 680023, 'fee so small': 302228, 'so small business': 778227, 'business can recoup': 143495, 'can recoup more': 159404, 'recoup more and': 705151, 'more and provide': 538618, 'and provide consumer': 69689, 'provide consumer incentive': 686247, 'consumer incentive to': 197841, 'incentive to stop': 431373, 'stop using cash': 805247, 'using cash thus': 950421, 'cash thus doing': 166351, 'thus doing more': 895505, 'more to limit': 540797, 'to limit community': 909281, 'limit community spread': 492310, 'or certain': 614695, 'disabled sick': 243964, 'not with': 572514, 'likely win': 492195, 'the clientele': 851019, 'clientele of': 182149, 'crisis convid19uk': 217253, 'supermarket chain to': 819642, 'chain to put': 171196, 'to put people': 912603, 'put people before': 690769, 'before profit and': 123027, 'profit and open': 682655, 'and open their': 68165, 'open their store': 612560, 'their store or': 874863, 'store or certain': 809317, 'or certain store': 614696, 'certain store only': 170104, 'the elderly disabled': 854120, 'elderly disabled sick': 270663, 'disabled sick not': 243965, 'sick not with': 768528, 'not with of': 572515, 'with of course': 999847, 'of course and': 582043, 'course and nh': 211837, 'nh worker only': 562192, 'worker only will': 1007498, 'only will be': 611477, 'be hero and': 115233, 'hero and will': 393935, 'and will most': 75676, 'most likely win': 542490, 'likely win the': 492196, 'win the clientele': 995584, 'the clientele of': 851020, 'clientele of the': 182150, 'the people after': 863450, 'the crisis convid19uk': 852361, 'perceive': 651089, 'fauci said': 300376, 'may perceive': 521420, 'perceive the': 651090, 'coronavirus guideline': 206014, 'guideline inconvenient': 368440, 'inconvenient or': 432611, 'going too': 355765, 'far they': 298938, 'they reflect': 883182, 'reflect deteriorating': 706606, 'deteriorating assessment': 239405, 'containment effort': 200597, 'an overreaction': 56750, 'anthony fauci said': 78240, 'fauci said that': 300377, 'that while some': 847518, 'while some people': 987301, 'people may perceive': 648758, 'may perceive the': 521421, 'perceive the new': 651091, 'new coronavirus guideline': 558547, 'coronavirus guideline inconvenient': 206015, 'guideline inconvenient or': 368441, 'inconvenient or going': 432612, 'or going too': 615500, 'going too far': 355766, 'too far they': 924730, 'far they reflect': 298939, 'they reflect deteriorating': 883183, 'reflect deteriorating assessment': 706607, 'deteriorating assessment of': 239406, 'assessment of the': 96398, 'of the containment': 590888, 'the containment effort': 851651, 'containment effort and': 200598, 'effort and should': 269471, 'taken seriously it': 833060, 'seriously it isn': 751656, 'it isn an': 459143, 'isn an overreaction': 454431, 'assures there': 97152, 'massy assures there': 520199, 'assures there will': 97153, 'be no food': 116099, 'thing available': 884180, 'available last': 104476, 'looked were': 502759, 'were ice': 979758, 'and booze': 59075, 'booze the': 135182, 'shut from': 767885, 'so expect': 776995, 'begin tomorrow': 123598, 'tomorrow panicbuyinguk': 924157, 'last two thing': 480605, 'two thing available': 937264, 'thing available last': 884181, 'available last time': 104477, 'time looked were': 897153, 'looked were ice': 502760, 'were ice cream': 979759, 'cream and booze': 215523, 'and booze the': 59076, 'booze the pub': 135183, 'pub are all': 687665, 'are all shut': 84348, 'all shut from': 44344, 'shut from now': 767886, 'now on so': 575434, 'on so expect': 603521, 'so expect the': 776997, 'expect the panicbuying': 290752, 'the panicbuying of': 863239, 'panicbuying of alcohol': 638998, 'alcohol to begin': 41146, 'to begin tomorrow': 901717, 'begin tomorrow panicbuyinguk': 123599, 'tomorrow panicbuyinguk stophoarding': 924159, '19 govt': 7270, 'govt notifies': 361223, 'notifies regulating': 573556, 'act via': 29812, 'via scan': 956221, 'covid 19 govt': 213161, '19 govt notifies': 7272, 'govt notifies regulating': 361224, 'notifies regulating price': 573557, 'commodity act via': 189114, 'act via scan': 29813, 'is beginning': 446048, 'in manitoba': 425036, 'manitoba we': 513252, 'situation continually': 772222, 'continually making': 200968, 'making decision': 511017, 'decision one': 231072, 'time mar': 897191, '18 mar': 4550, '22 our': 15237, 'our taproom': 625081, 'taproom will': 834402, 'kitchen will': 475770, '19 is beginning': 7939, 'is beginning to': 446050, 'beginning to have': 123670, 'to have significant': 907308, 'impact on day': 417838, 'day life in': 227901, 'life in manitoba': 488763, 'in manitoba we': 425037, 'manitoba we have': 513253, 'have made the': 381419, 'decision to ass': 231099, 'ass the situation': 96283, 'the situation continually': 867248, 'situation continually making': 772223, 'continually making decision': 200969, 'making decision one': 511018, 'decision one week': 231073, 'one week at': 607409, 'week at time': 975965, 'at time mar': 101297, 'time mar 18': 897192, 'mar 18 mar': 514975, '18 mar 22': 4551, 'mar 22 our': 514983, '22 our taproom': 15239, 'our taproom will': 625082, 'taproom will be': 834403, 'but our retail': 146732, 'store and kitchen': 806275, 'and kitchen will': 65868, 'kitchen will be': 475771, 'picture 01': 656098, '01 yesterday': 728, 'yesterday last': 1015791, 'night me': 563028, 'dad went': 224404, 'buy simple': 149177, 'people freak': 647973, 'because came': 118970, 'came but': 156982, 'some aisle': 782274, 'picture 01 yesterday': 656099, '01 yesterday last': 729, 'yesterday last night': 1015792, 'last night me': 480383, 'night me and': 563029, 'me and dad': 522406, 'and dad went': 60903, 'dad went to': 224405, 'to buy simple': 902299, 'buy simple thing': 149179, 'simple thing but': 770118, 'thing but we': 884212, 'we were waiting': 973819, 'waiting for some': 964332, 'for some store': 325767, 'some store to': 783960, 'store to calm': 810761, 'calm down of': 156721, 'down of people': 256999, 'of people freak': 587915, 'people freak out': 647974, 'out mode of': 626556, 'mode of buying': 535190, 'of buying stuff': 581018, 'buying stuff they': 151113, 'stuff they do': 815211, 'not need that': 570673, 'that much because': 845243, 'much because came': 544749, 'because came but': 118971, 'came but you': 156983, 'you could say': 1018099, 'could say some': 209624, 'say some aisle': 739155, 'some aisle are': 782275, 'babu': 106553, 'tikegi': 895889, 'indialockdown scenario': 434761, 'after speech': 36235, 'speech everyone': 788394, 'everyone searching': 287352, 'getting panic': 349182, 'panic le': 638262, 'le couple': 482899, 'couple babu': 211566, 'babu ye': 106554, 'ye long': 1014219, 'distance relationship': 246804, 'relationship tikegi': 708706, 'tikegi na': 895890, 'na sarcasm': 551317, 'sarcasm stayathomesavelives': 736745, 'indialockdown scenario after': 434762, 'scenario after speech': 741247, 'after speech everyone': 36236, 'speech everyone searching': 788395, 'everyone searching for': 287353, 'searching for food': 743330, 'for food getting': 321584, 'food getting panic': 314660, 'getting panic le': 349183, 'panic le couple': 638263, 'le couple babu': 482900, 'couple babu ye': 211567, 'babu ye long': 106555, 'ye long distance': 1014220, 'long distance relationship': 501395, 'distance relationship tikegi': 246805, 'relationship tikegi na': 708707, 'tikegi na sarcasm': 895891, 'na sarcasm stayathomesavelives': 551318, 'job solution': 466165, 'solution is': 782052, '19 open': 9008, 'later oh': 481102, 'sure all': 827485, 'student update': 814796, 'update their': 947260, 'availability since': 104179, 'extended spring': 293187, 'break love': 138763, 'guess what my': 368085, 'what my job': 981896, 'my job solution': 548930, 'job solution is': 466166, 'solution is to': 782053, 'help prevent this': 390350, 'prevent this covid': 671747, 'covid 19 open': 213522, '19 open the': 9009, 'open the store': 612555, 'the store one': 868068, 'store one hour': 809223, 'hour later oh': 405732, 'later oh and': 481103, 'oh and make': 596356, 'make sure all': 510503, 'sure all student': 827486, 'all student update': 44521, 'student update their': 814797, 'update their availability': 947261, 'their availability since': 872531, 'availability since we': 104180, 'have an extended': 379251, 'an extended spring': 55988, 'extended spring break': 293188, 'spring break love': 791175, 'break love working': 138764, 'love working retail': 504882, 'curious what': 220992, 'industry just': 435949, 'seeing about': 746202, 'facing small': 295604, 'curious what covid': 220993, '19 is doing': 7961, 'the local service': 859570, 'local service industry': 498386, 'service industry just': 752499, 'industry just published': 435951, 'just published the': 469512, 'published the data': 688699, 'the data we': 852852, 're seeing about': 699448, 'seeing about consumer': 746203, 'about consumer activity': 24995, 'consumer activity across': 196018, 'country and across': 210433, 'and across industry': 57618, 'across industry this': 29357, 'industry this is': 436159, 'is the challenge': 452747, 'challenge facing small': 171451, 'facing small business': 295605, 'saving job': 737899, 'even life': 284294, 'life learn': 488840, 'how national': 408398, 'national hand': 552535, 'sanitizer shortage': 735732, 'shortage led': 765059, 'to creative': 903730, 'creative effort': 216130, 'effort that': 269596, 'helped frontline': 391073, 'worker employee': 1006847, 'saving job and': 737900, 'job and maybe': 465633, 'and maybe even': 66809, 'maybe even life': 521672, 'even life learn': 284295, 'life learn how': 488841, 'learn how national': 483989, 'how national hand': 408399, 'national hand sanitizer': 552536, 'hand sanitizer shortage': 375587, 'sanitizer shortage led': 735734, 'shortage led to': 765060, 'led to creative': 485274, 'to creative effort': 903731, 'creative effort that': 216131, 'effort that helped': 269597, 'that helped frontline': 844309, 'helped frontline worker': 391074, 'frontline worker employee': 338862, 'worker employee of': 1006848, 'employee of local': 274065, 'of local small': 585937, 'the community at': 851267, 'community at large': 189745, 'stockpiled ton': 803864, 'toiletry canned': 923412, 'good etc': 357006, 'etc plz': 282716, 'plz consider': 661807, 'bank shelter': 110185, 'shelter organization': 757943, 'that distribute': 843560, 'distribute grocery': 247984, 'vulnerable ppl': 961134, 'ppl family': 668222, 'family stop': 298257, 'stockpiling plz': 804052, 'you have stockpiled': 1019119, 'have stockpiled ton': 382774, 'stockpiled ton of': 803865, 'supply like toiletry': 825507, 'like toiletry canned': 491649, 'toiletry canned good': 923413, 'canned good etc': 161536, 'good etc plz': 357007, 'etc plz consider': 282717, 'plz consider donating': 661808, 'some to food': 784077, 'food bank shelter': 313639, 'bank shelter organization': 110186, 'shelter organization that': 757944, 'organization that distribute': 619429, 'that distribute grocery': 843561, 'distribute grocery supply': 247985, 'grocery supply to': 366013, 'supply to vulnerable': 826035, 'to vulnerable ppl': 918249, 'vulnerable ppl family': 961135, 'ppl family stop': 668223, 'family stop panic': 298258, 'hoarding stockpiling plz': 399543, 'brazos': 138344, 'brazos valley': 138345, 'valley food': 951963, 'facing rising': 295577, 'donation layoff': 254633, 'and furlough': 63431, 'furlough due': 341884, 'push people': 690309, 'into ever': 442546, 'ever greater': 285329, 'greater financial': 363178, 'financial peril': 306526, 'brazos valley food': 138346, 'valley food bank': 951964, 'are facing rising': 86428, 'facing rising demand': 295578, 'rising demand coupled': 723195, 'coupled with decrease': 211729, 'decrease in food': 231576, 'and donation layoff': 61666, 'donation layoff and': 254634, 'layoff and furlough': 482676, 'and furlough due': 63432, 'furlough due to': 341885, '19 push people': 9885, 'push people into': 690310, 'people into ever': 648497, 'into ever greater': 442547, 'ever greater financial': 285330, 'greater financial peril': 363179, 'global payment': 352121, 'payment giant': 645645, 'giant visa': 349887, 'visa say': 959117, 'it network': 459777, 'is considerably': 446742, 'considerably down': 195195, 'associated movement': 96929, 'shop le': 760398, 'le even': 482947, 'global payment giant': 352122, 'payment giant visa': 645646, 'giant visa say': 349888, 'visa say consumer': 959118, 'say consumer spending': 738536, 'consumer spending via': 199102, 'spending via it': 789041, 'via it network': 956041, 'it network is': 459778, 'network is considerably': 557731, 'is considerably down': 446743, 'considerably down this': 195196, 'down this month': 257343, 'this month the': 888918, 'month the spread': 538046, 'the and associated': 848684, 'and associated movement': 58464, 'associated movement restriction': 96930, 'movement restriction are': 543925, 'restriction are causing': 717217, 'are causing people': 85208, 'to shop le': 914467, 'shop le even': 760399, 'le even online': 482948, 'subaru': 815693, 'woodstock': 1004325, 'one ups': 607328, 'ups subaru': 947773, 'subaru dunkin': 815694, 'dunkin donut': 262293, 'donut starbucks': 255422, 'starbucks black': 794089, 'matter woodstock': 520666, 'woodstock sanctuary': 1004328, 'sanctuary my': 733654, 'my weed': 550549, 'weed store': 975768, 'address hey': 31984, 'hey here': 394413, 're handling': 698780, 'no one ups': 564978, 'one ups subaru': 607329, 'ups subaru dunkin': 947774, 'subaru dunkin donut': 815695, 'dunkin donut starbucks': 262294, 'donut starbucks black': 255423, 'starbucks black life': 794090, 'black life matter': 132081, 'life matter woodstock': 488871, 'matter woodstock sanctuary': 520667, 'woodstock sanctuary my': 1004329, 'sanctuary my grocery': 733655, 'store my weed': 809017, 'my weed store': 550550, 'weed store and': 975769, 'store and every': 806237, 'every other business': 286063, 'other business and': 619909, 'business and organization': 143323, 'and organization that': 68272, 'organization that ha': 619430, 'that ha my': 844124, 'email address hey': 272102, 'address hey here': 31985, 'hey here how': 394414, 'here how we': 393117, 'we re handling': 972889, 're handling covid': 698781, '19 know you': 8252, 'know you wanted': 477092, 'wanted to know': 966258, 'like pricegouging': 491030, 'pricegouging but': 677794, 'fair for': 296333, 'to gouging': 906927, 'law while': 482447, 'get squeezed': 348096, 'squeezed upstream': 791552, 'upstream by': 947877, 'by wholesaler': 154743, 'wholesaler under': 990535, 'under certain': 940029, 'certain margin': 170050, 'margin they': 515640, 'selling 19': 749131, 'don like pricegouging': 253701, 'like pricegouging but': 491031, 'pricegouging but is': 677795, 'is it fair': 449022, 'it fair for': 457934, 'fair for retailer': 296334, 'for retailer to': 325207, 'retailer to be': 719375, 'held to gouging': 388940, 'to gouging law': 906928, 'gouging law while': 359378, 'law while they': 482448, 'they get squeezed': 882179, 'get squeezed upstream': 348097, 'squeezed upstream by': 791553, 'upstream by wholesaler': 947878, 'by wholesaler under': 154744, 'wholesaler under certain': 990536, 'under certain margin': 940030, 'certain margin they': 170051, 'margin they just': 515641, 'they just stop': 882504, 'just stop selling': 469912, 'stop selling 19': 804990, 'become costly': 119954, 'costly in': 208348, 'beyond range': 129219, 'worse part': 1010984, 'that wholesale': 847526, 'wholesale are': 990418, 'closed demand': 183063, 'supply equation': 825215, 'been disturbed': 121012, 'disturbed completely': 248402, 'completely 19': 192207, 'in period everything': 426617, 'period everything ha': 651756, 'everything ha become': 287827, 'ha become costly': 369674, 'become costly in': 119955, 'costly in price': 208349, 'almost all item': 46536, 'all item have': 43283, 'item have gone': 463319, 'gone up rate': 356427, 'up rate are': 945889, 'rate are beyond': 697160, 'are beyond range': 84968, 'beyond range and': 129220, 'range and worse': 696689, 'and worse part': 75916, 'worse part is': 1010985, 'part is that': 642310, 'is that wholesale': 452710, 'that wholesale are': 847527, 'wholesale are closed': 990419, 'are closed demand': 85337, 'closed demand and': 183064, 'and supply equation': 72787, 'supply equation ha': 825216, 'ha been disturbed': 369789, 'been disturbed completely': 121013, 'disturbed completely 19': 248403, 'lakemfa': 479083, 'extraspecial': 293765, 'ooin': 611739, 'dolly': 253140, 'parton': 642959, 'store lakemfa': 808664, 'lakemfa super': 479084, 'super store': 818592, 'shopping made': 763221, 'easy extraspecial': 265697, 'extraspecial ooin': 293766, 'ooin dolly': 611740, 'dolly parton': 253141, 'visit our online': 959328, 'online store lakemfa': 609454, 'store lakemfa super': 808665, 'lakemfa super store': 479085, 'super store online': 818594, 'online shopping made': 609179, 'shopping made easy': 763222, 'made easy extraspecial': 507725, 'easy extraspecial ooin': 265698, 'extraspecial ooin dolly': 293767, 'ooin dolly parton': 611741, 'whitworth': 987999, 'andrew whitworth': 76200, 'whitworth are': 988000, 'each donating': 264064, 'fund million': 341463, 'for angelenos': 319353, 'angelenos in': 76352, 'andrew whitworth are': 76201, 'whitworth are each': 988001, 'are each donating': 86062, 'each donating 250': 264065, 'help fund million': 389787, 'fund million meal': 341464, 'million meal for': 532238, 'meal for angelenos': 524148, 'for angelenos in': 319354, 'angelenos in need': 76353, 'consider he': 195013, 'on lied': 601830, 'consider the possibility': 195142, 'possibility that trump': 665554, 'trump is right': 933657, 'is right on': 451541, 'right on china': 722202, 'on china what': 599910, 'china what is': 177059, 'there to consider': 879182, 'to consider he': 903226, 'consider he is': 195014, 'he is right': 385142, 'right on lied': 722204, 'on lied about': 601831, 'lied about they': 488406, 'about they had': 26620, 'buy up supply': 149415, 'up supply around': 946102, 'nationalized foreign factory': 552678, 'wethe4th': 980773, 'guide by': 368309, 'by help': 152786, 'family navigate': 298063, 'financial life': 306483, 'which incl': 985951, 'incl list': 431476, 'action federal': 30010, 'agency business': 37992, 'taking aid': 833258, 'aid consumer': 39372, 'epidemic wethe4th': 279472, 'wethe4th mapoli': 980774, 'out this guide': 627570, 'this guide by': 887780, 'guide by help': 368310, 'by help family': 152787, 'help family navigate': 389683, 'family navigate their': 298064, 'navigate their financial': 553090, 'their financial life': 873324, 'financial life during': 306484, 'life during these': 488617, 'during these turbulent': 263247, 'turbulent time which': 935518, 'time which incl': 898323, 'which incl list': 985952, 'incl list of': 431477, 'list of action': 494409, 'of action federal': 579751, 'action federal state': 30011, 'federal state agency': 302055, 'state agency business': 795336, 'agency business taking': 37993, 'business taking aid': 144463, 'taking aid consumer': 833259, 'aid consumer during': 39373, 'the epidemic wethe4th': 854449, 'epidemic wethe4th mapoli': 279473, 'negligent': 556890, 'willfull': 995414, 'best negligent': 127777, 'negligent and': 556891, 'worst willfull': 1011308, 'willfull disregard': 995415, 'distancing showing': 247475, 'showing kid': 767470, 'kid hugging': 474005, 'hugging at': 410288, 'at early': 98504, 'early year': 264757, 'huddled in': 409902, 'room people': 725950, 'into together': 443245, 'clear out': 181299, 'the uk response': 870272, 'uk response to': 938668, 'to is at': 908520, 'is at best': 445856, 'at best negligent': 98127, 'best negligent and': 127778, 'negligent and at': 556892, 'and at worst': 58491, 'at worst willfull': 101638, 'worst willfull disregard': 1011309, 'willfull disregard for': 995416, 'for the life': 326531, 'life of their': 488928, 'of their people': 591688, 'their people seems': 874270, 'people seems to': 649386, 'to be no': 901408, 'be no social': 116108, 'social distancing showing': 779716, 'distancing showing kid': 247476, 'showing kid hugging': 767471, 'kid hugging at': 474006, 'hugging at early': 410289, 'at early year': 98505, 'early year end': 264758, 'year end all': 1014541, 'end all huddled': 275762, 'all huddled in': 43165, 'huddled in room': 409903, 'in room people': 427547, 'room people piling': 725951, 'people piling into': 649117, 'piling into together': 656607, 'into together to': 443246, 'together to clear': 920985, 'to clear out': 902832, 'clear out supermarket': 181300, 'is dr': 447358, 'dr who': 258125, 'icu hasn': 412837, 'because by': 118968, 'time her': 896918, 'her long': 392177, 'shift end': 758282, 'empty she': 275039, 'she exhausted': 756019, 'isn eating': 454482, 'eating properly': 266293, 'properly please': 684188, 'reasonable when': 703137, 'sister who is': 771799, 'who is dr': 989068, 'is dr who': 447359, 'dr who work': 258126, 'work in icu': 1005317, 'in icu hasn': 423960, 'icu hasn been': 412838, 'hasn been able': 378722, 'food because by': 313703, 'because by the': 118969, 'the time her': 869595, 'time her long': 896919, 'her long shift': 392178, 'long shift end': 501627, 'shift end the': 758283, 'end the supermarket': 275981, 'are empty she': 86167, 'empty she exhausted': 275040, 'she exhausted and': 756020, 'exhausted and isn': 290153, 'and isn eating': 65448, 'isn eating properly': 454483, 'eating properly please': 266294, 'properly please be': 684189, 'kind and reasonable': 474810, 'and reasonable when': 70023, 'reasonable when you': 703138, 'you shop and': 1021157, 'shop and only': 759857, 'korea online': 477487, 'purchase were': 689721, 'up 93': 944210, '93 yoy': 23530, 'in korea online': 424535, 'korea online food': 477488, 'online food purchase': 608213, 'food purchase were': 316084, 'purchase were up': 689722, 'were up 93': 980317, 'up 93 yoy': 944211, 'itsnotaboutyou': 463978, 'haller the': 374376, 'injected with': 438695, 'the experimental': 854727, 'experimental vaccine': 291750, '19 itsnotaboutyou': 8174, 'itsnotaboutyou stayathome': 463979, 'jennifer haller the': 465101, 'haller the first': 374377, 'world to be': 1010075, 'to be injected': 901336, 'be injected with': 115507, 'injected with the': 438696, 'with the experimental': 1001293, 'the experimental vaccine': 854728, 'experimental vaccine for': 291751, 'vaccine for the': 951705, 'covid 19 itsnotaboutyou': 213302, '19 itsnotaboutyou stayathome': 8175, 'itsnotaboutyou stayathome saferathome': 463980, 'and wholesale': 75609, 'wholesale potato': 990462, 'bengal have': 127197, 'seen jump': 747108, 'jump of': 467880, 'percent amid': 651108, 'buying fearing': 150279, 'fearing shutdown': 301494, 'market source': 517087, 'retail and wholesale': 717840, 'and wholesale potato': 75610, 'wholesale potato price': 990463, 'price in part': 674720, 'part of west': 642393, 'west bengal have': 980465, 'bengal have seen': 127198, 'have seen jump': 382429, 'seen jump of': 747109, 'jump of at': 467882, 'least 20 percent': 484342, '20 percent amid': 13254, 'percent amid panic': 651109, 'panic buying fearing': 637727, 'buying fearing shutdown': 150280, 'fearing shutdown in': 301495, 'shutdown in wake': 768048, 'according to market': 28563, 'to market source': 909858, 'be removing': 116790, 'removing these': 710913, 'charging outrageous': 173508, 'sanitizer cant': 734634, 'really be removing': 702013, 'be removing these': 116791, 'removing these people': 710914, 'people charging outrageous': 647457, 'charging outrageous price': 173509, 'and sanitizer cant': 70865, 'sanitizer cant believe': 734635, 'cant believe people': 162269, 'trust anyone': 934240, 'who offer': 989359, 'you financial': 1018567, 'then asks': 877007, 'information federal': 437814, 'local disaster': 497891, 'disaster worker': 244268, 'receive check': 703454, 'check help': 174456, 'prevent fraud': 671628, 'not trust anyone': 572285, 'trust anyone who': 934241, 'anyone who offer': 80627, 'who offer you': 989360, 'offer you financial': 594896, 'you financial help': 1018568, 'financial help and': 306440, 'help and then': 389361, 'and then asks': 73744, 'then asks you': 877008, 'you for money': 1018657, 'for money or': 323497, 'personal information federal': 652890, 'information federal and': 437815, 'federal and local': 301950, 'and local disaster': 66290, 'local disaster worker': 497892, 'disaster worker will': 244269, 'worker will not': 1008252, 'money or sign': 536958, 'or sign you': 617080, 'sign you up': 769270, 'to receive check': 912912, 'receive check help': 703456, 'check help prevent': 174457, 'help prevent fraud': 390344, 'll open': 496933, 'open pub': 612469, 'pub call': 687681, 'supermarket sell': 822378, 'roll cleaning': 725249, 'pasta lockdown': 643754, 'think ll open': 885380, 'll open pub': 496934, 'open pub call': 612470, 'pub call it': 687682, 'call it supermarket': 155960, 'it supermarket sell': 461365, 'supermarket sell toilet': 822379, 'toilet roll cleaning': 921561, 'roll cleaning product': 725250, 'product and pasta': 680897, 'and pasta lockdown': 68759, 'pasta lockdown coronacrisis': 643755, 'lockdown coronacrisis selfisolating': 499270, 'if eu': 414077, 'eu elderly': 283225, 'elderly die': 270657, 'die it': 241384, 'it cut': 457456, 'it pension': 460288, 'pension deficit': 646652, 'deficit then': 232256, 'working age': 1008485, 'age migrant': 37849, 'migrant waiting': 531224, 'to flood': 906015, 'it win': 462453, 'cut pension': 223480, 'pension up': 646668, 'up productivity': 945858, 'productivity cutting': 682310, 'china benefit': 176522, 'benefit by': 126937, 'by supplying': 154174, 'supplying material': 826297, 'if eu elderly': 414078, 'eu elderly die': 283226, 'elderly die it': 270658, 'die it cut': 241385, 'it cut it': 457457, 'cut it pension': 223409, 'it pension deficit': 460289, 'pension deficit then': 646653, 'deficit then there': 232257, 'be more room': 115994, 'room for the': 725915, 'the working age': 871777, 'working age migrant': 1008486, 'age migrant waiting': 37850, 'migrant waiting to': 531225, 'waiting to flood': 964401, 'to flood in': 906016, 'flood in it': 310710, 'in it win': 424283, 'it win win': 462454, 'win situation if': 995575, 'about it cut': 25573, 'it cut pension': 457458, 'cut pension up': 223481, 'pension up productivity': 646669, 'up productivity cutting': 945859, 'productivity cutting price': 682311, 'cutting price china': 223763, 'price china benefit': 673129, 'china benefit by': 176523, 'benefit by supplying': 126938, 'by supplying material': 154175, 'supplying material and': 826298, 'material and part': 520365, 'travel portable': 930474, 'portable mini': 664920, 'mini hand': 533005, 'anti bacteria': 78270, 'bacteria moisturizing': 107683, 'moisturizing fruit': 535618, 'fruit scented': 339135, 'scented put': 741407, 'part that': 642432, 'washed and': 967606, 'rub the': 726919, 'be sanitizer': 116988, 'hand anti': 374791, 'bacteria portable': 107692, 'portable travel': 664928, 'travel portable mini': 930475, 'portable mini hand': 664921, 'mini hand sanitizer': 533006, 'sanitizer anti bacteria': 734468, 'anti bacteria moisturizing': 78271, 'bacteria moisturizing fruit': 107685, 'moisturizing fruit scented': 535619, 'fruit scented put': 339136, 'scented put the': 741408, 'put the hand': 690856, 'the hand or': 857061, 'hand or the': 375155, 'or the part': 617387, 'the part that': 863306, 'part that need': 642433, 'to be washed': 901630, 'be washed and': 118054, 'washed and rub': 967607, 'and rub the': 70612, 'rub the part': 726920, 'to be sanitizer': 901520, 'be sanitizer hand': 116989, 'sanitizer hand anti': 735023, 'hand anti bacteria': 374792, 'anti bacteria portable': 78272, 'bacteria portable travel': 107693, 'who hamster': 988893, 'hamster toilet': 374654, 'are whole': 91627, 'of scum': 589421, 'scum like': 742978, 'like seriously': 491159, 'seriously show': 751717, 'some compassion': 782574, 'compassion and': 191481, 'people who hamster': 650305, 'who hamster toilet': 988894, 'hamster toilet paper': 374655, 'paper just to': 640395, 'just to sell': 470106, 'it on ebay': 460039, 'ebay for insane': 266461, 'insane price are': 439061, 'price are whole': 672767, 'are whole new': 91628, 'level of scum': 487659, 'of scum like': 589422, 'scum like seriously': 742979, 'like seriously show': 491160, 'seriously show some': 751718, 'show some compassion': 767145, 'some compassion and': 782575, 'compassion and do': 191482, 'gym closed': 369305, 'closed instead': 183190, 'of driving': 582830, 'driving go': 259940, 'long walk': 501815, 'great workout': 363122, 'workout for': 1009160, 'and butt': 59319, 'butt but': 148096, 'back arm': 106875, 'arm shoulder': 92917, 'shoulder while': 766712, 'carrying grocery': 165181, 'bag fitness': 108281, 'fitness socialdistancing': 309532, 'gym closed instead': 369306, 'closed instead of': 183191, 'instead of driving': 440254, 'of driving go': 582831, 'driving go for': 259941, 'go for long': 353563, 'for long walk': 323091, 'long walk to': 501816, 'store great workout': 807969, 'great workout for': 363123, 'workout for the': 1009161, 'for the leg': 326529, 'the leg and': 859272, 'leg and butt': 485802, 'and butt but': 59320, 'butt but it': 148097, 'will also work': 992269, 'also work out': 49114, 'work out your': 1005585, 'out your back': 627906, 'your back arm': 1022894, 'back arm shoulder': 106876, 'arm shoulder while': 92918, 'shoulder while carrying': 766713, 'while carrying grocery': 986675, 'carrying grocery bag': 165182, 'grocery bag fitness': 364299, 'bag fitness socialdistancing': 108282, 'internationallabourorganisation global': 441873, 'global job': 351997, '65 to': 21378, '34 per': 17825, 'about third': 26626, 'this is reported': 888379, 'is reported by': 451435, 'reported by the': 712468, 'by the internationallabourorganisation': 154359, 'the internationallabourorganisation global': 858374, 'internationallabourorganisation global job': 441874, 'global job loss': 351998, 'million the ha': 532370, 'the ha caused': 856983, 'price falling from': 673813, 'falling from 65': 297268, 'from 65 to': 334321, '65 to 34': 21379, 'to 34 per': 899693, '34 per barrel': 17826, 'barrel the beginning': 111287, 'fallen by about': 297142, 'by about third': 151734, 'interceptor': 441302, 'series police': 751289, 'supermarket interceptor': 821058, 'interceptor 19': 441303, 'new series police': 559565, 'series police supermarket': 751290, 'police supermarket interceptor': 663221, 'supermarket interceptor 19': 821059, 'tamiko': 834099, 'syrian medical': 831054, 'company tamiko': 191149, 'tamiko launch': 834100, 'new sanitizer': 559541, 'and prepares': 69372, 'prepares more': 670314, 'syrian medical company': 831055, 'medical company tamiko': 526104, 'company tamiko launch': 191150, 'tamiko launch the': 834101, 'launch the production': 481955, 'production of new': 682149, 'of new sanitizer': 586984, 'new sanitizer and': 559542, 'sanitizer and prepares': 734429, 'and prepares more': 69373, 'prepares more new': 670315, 'more new product': 539838, 'new product to': 559361, 'product to put': 681760, 'the market to': 860172, 'market to tackle': 517245, 'gastrointestinal': 344314, 'weird this': 977801, 'global obsession': 352044, 'why gastrointestinal': 991008, 'gastrointestinal trouble': 344315, 'trouble aren': 932589, 'aren virus': 92578, 'virus symptom': 958847, 'what give': 981498, 'know what weird': 476986, 'what weird this': 982577, 'weird this global': 977802, 'this global obsession': 887707, 'global obsession with': 352045, 'obsession with toiletpaper': 578688, 'with toiletpaper why': 1001812, 'toiletpaper why gastrointestinal': 922850, 'why gastrointestinal trouble': 991009, 'gastrointestinal trouble aren': 344316, 'trouble aren virus': 932590, 'aren virus symptom': 92579, 'virus symptom so': 958848, 'symptom so what': 830928, 'so what give': 778717, 'thankafarmer': 841859, 'in unexpected': 430427, 'unexpected way': 941393, 'way thankafarmer': 969913, 'consumer attitude towards': 196351, 'attitude towards food': 102594, 'towards food in': 927197, 'food in unexpected': 314979, 'in unexpected way': 430428, 'unexpected way thankafarmer': 941394, 'randomization': 696630, 'reminder in': 710563, 'misinformation anecdote': 534060, 'anecdote are': 76265, 'not data': 568959, 'data good': 226249, 'is carefully': 446383, 'carefully measured': 164474, 'measured and': 525442, 'and collected': 60093, 'collected information': 186359, 'information based': 437757, 'on range': 603073, 'of subject': 590351, 'subject dependent': 815729, 'dependent factor': 237365, 'factor including': 295891, 'to controlled': 903460, 'controlled variable': 202263, 'variable meta': 952531, 'meta analysis': 529611, 'and randomization': 69930, 'friendly reminder in': 333992, 'reminder in time': 710564, 'uncertainty and misinformation': 939654, 'and misinformation anecdote': 67062, 'misinformation anecdote are': 534061, 'anecdote are not': 76266, 'are not data': 88347, 'not data good': 568960, 'data good data': 226250, 'good data is': 356942, 'data is carefully': 226285, 'is carefully measured': 446384, 'carefully measured and': 164475, 'measured and collected': 525443, 'and collected information': 60094, 'collected information based': 186360, 'information based on': 437758, 'based on range': 111690, 'on range of': 603074, 'range of subject': 696721, 'of subject dependent': 590352, 'subject dependent factor': 815730, 'dependent factor including': 237366, 'factor including but': 295892, 'limited to controlled': 492770, 'to controlled variable': 903461, 'controlled variable meta': 202264, 'variable meta analysis': 952532, 'meta analysis and': 529612, 'analysis and randomization': 57017, 'my saving': 549991, 'saving there': 737970, 'they expect people': 882065, 'job and my': 465635, 'and my saving': 67387, 'my saving there': 549993, 'saving there is': 737971, 'to waste during': 918366, 'coronavirus crisis impact': 205754, 'crisis impact of': 217522, 'impact of demand': 417768, 'of demand change': 582499, 'demand change in': 235128, '70 will': 21861, 'be selfisolating': 117068, 'selfisolating oh': 748421, 'stupid numpties': 815429, 'numpties panicbuying': 577152, 'but they the': 147520, 'they the over': 883549, 'over 70 will': 629925, '70 will be': 21862, 'will be selfisolating': 992669, 'be selfisolating oh': 117069, 'selfisolating oh you': 748422, 'oh you stupid': 596504, 'you stupid numpties': 1021463, 'stupid numpties panicbuying': 815430, 'wondering did': 1004151, 'did yall': 240916, 'yall raise': 1014088, 'just wondering did': 470329, 'wondering did yall': 1004152, 'did yall raise': 240917, 'yall raise price': 1014089, 'dimas': 242908, 'attached press': 102049, 'release for': 708946, 'san dimas': 733530, 'dimas of': 242909, 'of 18': 579378, '2020 information': 14396, 'hour restaurant': 405886, 'more view': 540908, 'release here': 708950, 'please view the': 660721, 'view the attached': 957164, 'the attached press': 849023, 'attached press release': 102050, 'press release for': 671074, 'release for covid': 708947, 'update in the': 947033, 'of san dimas': 589262, 'san dimas of': 733531, 'dimas of 18': 242910, 'of 18 2020': 579379, '18 2020 information': 4495, '2020 information on': 14397, 'information on grocery': 437914, 'store hour restaurant': 808207, 'hour restaurant and': 405887, 'restaurant and more': 716291, 'and more view': 67226, 'more view the': 540909, 'view the press': 957169, 'the press release': 864287, 'press release here': 671075, 'envious': 279061, 'needthebasics': 556657, 'watching doctor': 968731, 'doctor sleep': 251107, 'sleep amongst': 773747, 'amongst lot': 53132, 'other show': 620908, 'more envious': 539138, 'envious of': 279062, 'store needthebasics': 809052, 'needthebasics grocery': 556658, 'watching doctor sleep': 968732, 'doctor sleep amongst': 251108, 'sleep amongst lot': 773748, 'amongst lot of': 53133, 'of other show': 587373, 'other show and': 620909, 'show and never': 766865, 'and never have': 67537, 'never have been': 558048, 'have been more': 379609, 'been more envious': 121540, 'more envious of': 539139, 'envious of fully': 279063, 'of fully stocked': 584005, 'grocery store needthebasics': 365587, 'store needthebasics grocery': 809053, 'gas price keep': 343986, 'keep going down': 471542, 'going down because': 355113, 'cannot ignore': 161962, 'fact ordinary': 295770, 'have spoken': 382695, 'spoken toilet': 789768, 'maker must': 510841, 'worker panicbuying': 1007543, 'friend we cannot': 333882, 'we cannot ignore': 971067, 'cannot ignore the': 161963, 'the fact ordinary': 854830, 'fact ordinary people': 295771, 'ordinary people people': 619094, 'people people like': 649093, 'like you and': 491867, 'you and me': 1016996, 'and me have': 66835, 'me have spoken': 522863, 'have spoken toilet': 382696, 'spoken toilet paper': 789769, 'paper maker must': 640442, 'maker must be': 510842, 'must be included': 546513, 'included on the': 431696, 'of essential worker': 583194, 'essential worker panicbuying': 281846, 'worker panicbuying toiletpaper': 1007544, 'opal': 611824, 'since1832': 771020, 'favorite ring': 300544, 'ring include': 722522, 'include softer': 431624, 'softer stone': 781513, 'stone like': 804341, 'like pearl': 490979, 'pearl opal': 646164, 'opal if': 611825, 'so handsanitizer': 777232, 'handsanitizer could': 376505, 'could dull': 209123, 'dull the': 262082, 'the shine': 866938, 'shine or': 758612, 'or worst': 617847, 'case damage': 165705, 'the stone': 867951, 'stone we': 804350, 'to skip': 914693, 'sanitizer simply': 735741, 'simply remove': 770272, 'remove your': 710853, 'your ring': 1025639, 'ring before': 722513, 'apply since1832': 82592, 'since1832 washyourhands': 771021, 'do your favorite': 250702, 'your favorite ring': 1023833, 'favorite ring include': 300545, 'ring include softer': 722523, 'include softer stone': 431625, 'softer stone like': 781514, 'stone like pearl': 804342, 'like pearl opal': 490980, 'pearl opal if': 646165, 'opal if so': 611826, 'if so handsanitizer': 414825, 'so handsanitizer could': 777233, 'handsanitizer could dull': 376506, 'could dull the': 209124, 'dull the shine': 262083, 'the shine or': 866939, 'shine or worst': 758613, 'or worst case': 617848, 'worst case damage': 1011155, 'case damage the': 165706, 'damage the stone': 225230, 'the stone we': 867952, 'stone we do': 804351, 'not want you': 572448, 'you to skip': 1021839, 'to skip the': 914696, 'skip the sanitizer': 773148, 'the sanitizer simply': 866357, 'sanitizer simply remove': 735742, 'simply remove your': 770273, 'remove your ring': 710854, 'your ring before': 1025640, 'ring before you': 722514, 'before you apply': 123314, 'you apply since1832': 1017036, 'apply since1832 washyourhands': 82593, 'toiletpaper ll': 922191, 'll smuggle': 497016, 'smuggle out': 775989, 'but have found': 145871, 'have found some': 380703, 'found some toiletpaper': 330383, 'some toiletpaper ll': 784091, 'toiletpaper ll smuggle': 922192, 'll smuggle out': 497017, 'smuggle out roll': 775990, 'out roll for': 627120, 'roll for the': 725308, 'person who come': 652721, 'who come up': 988475, 'the best use': 849561, 'best use for': 127972, 'use for it': 949221, 'bloggersrt': 133065, 'all stuck': 44514, 'post before': 666019, 'earn money': 264799, 'money bloggersrt': 536643, 'bloggersrt blogger': 133066, 'blogger blogging': 133059, 'are all stuck': 84355, 'all stuck at': 44515, 'to the check': 916553, 'this blog post': 886577, 'blog post before': 132984, 'post before you': 666020, 'you start shopping': 1021358, 'shopping online there': 763494, 'some great way': 782993, 'to earn money': 904837, 'earn money bloggersrt': 264800, 'money bloggersrt blogger': 536644, 'bloggersrt blogger blogging': 133067, 'support grow': 826555, 'outlook this': 629189, 'in esg': 422595, 'esg metric': 280362, 'metric support': 529882, 'support about': 826324, 'about 500': 24726, 'canadian family': 160677, 'and contributes': 60509, 'contributes billion': 201900, 'canada economy': 160420, 'government support grow': 360653, 'support grow louder': 826556, 'bleak outlook this': 132552, 'outlook this is': 629190, 'is an industry': 445676, 'an industry that': 56297, 'industry that lead': 436146, 'that lead the': 844853, 'lead the world': 483322, 'world in esg': 1009658, 'in esg metric': 422596, 'esg metric support': 280363, 'metric support about': 529883, 'support about 500': 826325, 'about 500 00': 24727, '500 00 canadian': 19929, '00 canadian family': 104, 'canadian family and': 160678, 'family and contributes': 297584, 'and contributes billion': 60510, 'contributes billion year': 201901, 'billion year to': 130941, 'year to canada': 1015037, 'to canada economy': 902410, 'bonedrygrocerystores': 134293, 'cantfindshit': 162365, 'deathbeforebeans': 230281, 'that dig': 843535, 'dig in': 242432, 'my yard': 550656, 'yard for': 1014154, 'for worm': 327968, 'worm before': 1010451, 'eat bean': 265857, 'bean pandemic': 118345, 'pandemic bean': 634979, 'bean worm': 118389, 'worm picky': 1010453, 'picky food': 656065, 'food bonedrygrocerystores': 313760, 'bonedrygrocerystores panic': 134294, 'panic cantfindshit': 637996, 'cantfindshit empty': 162366, 'empty lockdown': 274942, 'lockdown housearrest': 499473, 'housearrest quarentinelife': 406714, 'quarentinelife deathbeforebeans': 693191, 'just said to': 469672, 'said to people': 731518, 'to people at': 911614, 'people at work': 647188, 'at work that': 101618, 'work that dig': 1005800, 'that dig in': 843536, 'dig in my': 242433, 'in my yard': 425650, 'my yard for': 550657, 'yard for worm': 1014155, 'for worm before': 327969, 'worm before eat': 1010452, 'before eat bean': 122763, 'eat bean pandemic': 265858, 'bean pandemic bean': 118346, 'pandemic bean worm': 634980, 'bean worm picky': 118390, 'worm picky food': 1010454, 'picky food bonedrygrocerystores': 656066, 'food bonedrygrocerystores panic': 313761, 'bonedrygrocerystores panic cantfindshit': 134295, 'panic cantfindshit empty': 637997, 'cantfindshit empty lockdown': 162367, 'empty lockdown housearrest': 274943, 'lockdown housearrest quarentinelife': 499474, 'housearrest quarentinelife deathbeforebeans': 406715, 'shopping yes': 764477, 'so sure': 778321, 'online shopping yes': 609357, 'shopping yes for': 764478, 'yes for health': 1015435, 'health and covid': 386133, '19 strategy in': 10903, 'strategy in not': 812658, 'in not so': 425967, 'not so sure': 571628, 'of spray': 589997, 'your generosity': 1024033, 'generosity thanks': 345712, 'thanks donation': 842042, 'sanitizer alonetogether': 734347, 'to for your': 906160, 'for your donation': 328141, 'your donation of': 1023565, 'donation of spray': 254654, 'of spray bottle': 589998, 'will help our': 993722, 'help our employee': 390229, 'our employee to': 622892, 'to provide service': 912431, 'provide service and': 686466, 'service and product': 752106, 'and product we': 69575, 'product we appreciate': 681816, 'appreciate your generosity': 82797, 'your generosity thanks': 1024034, 'generosity thanks donation': 345713, 'thanks donation sanitizer': 842043, 'donation sanitizer alonetogether': 254688, 'ongoing humanitarian': 607642, 'unfold mckinsey': 941509, 'the pandemic an': 862905, 'pandemic an ongoing': 634854, 'an ongoing humanitarian': 56602, 'ongoing humanitarian crisis': 607643, 'humanitarian crisis continues': 410683, 'continues to unfold': 201505, 'to unfold mckinsey': 917936, 'unfold mckinsey is': 941510, 'when south': 984067, 'implement reserved': 418420, 'reserved hour': 714139, 'idea here for': 413069, 'here for senior': 393010, 'senior only at': 750371, 'only at grocery': 610127, 'at grocery time': 98816, 'grocery time first': 366045, 'time first thing': 896670, 'morning to allow': 541506, 'safely during hour': 730279, 'during hour when': 262702, 'hour when south': 406090, 'when south bay': 984068, 'bay grocery chain': 112940, 'grocery chain zanotto': 364372, 'zanotto implement reserved': 1027227, 'implement reserved hour': 418421, 'reserved hour to': 714140, 'eu hasn': 283235, 'say eu': 738615, 'eu need': 283252, 'help recovery': 390416, 'say single': 739140, 'ensure nobody': 277995, 'nobody run': 566054, 'eu hasn been': 283236, 'act collectively because': 29618, 'of the pace': 591312, 'pace of the': 632952, 'spread of say': 790705, 'of say on': 589349, 'say on say': 739020, 'on say eu': 603318, 'say eu need': 738616, 'eu need to': 283253, 'to help recovery': 907603, 'help recovery of': 390417, 'recovery of economy': 705366, 'of economy and': 582964, 'society say single': 781305, 'say single market': 739141, 'single market need': 771333, 'need to function': 555948, 'to function to': 906325, 'to ensure nobody': 905177, 'ensure nobody run': 277996, 'nobody run out': 566055, 'fun2020diaries': 341256, 'quarantinediaries via': 692915, 'via fun2020diaries': 955995, 'fun2020diaries different': 341257, 'different color': 241921, 'color great': 186736, 'anyone quarantinelife': 80476, 'quarantineactivities coronapandemie': 692739, 'coronapandemie diary': 205155, 'diary quarantinebirthday': 240421, '2020 quarantinediaries via': 14553, 'quarantinediaries via fun2020diaries': 692916, 'via fun2020diaries different': 955996, 'fun2020diaries different color': 341258, 'different color great': 241922, 'color great gift': 186737, 'great gift for': 362702, 'gift for anyone': 349974, 'for anyone quarantinelife': 319444, 'anyone quarantinelife journaling': 80477, 'quarantine quarantineactivities coronapandemie': 692460, 'quarantineactivities coronapandemie diary': 692740, 'coronapandemie diary quarantinebirthday': 205156, 'diary quarantinebirthday toiletpaper': 240422, 'considered consulting': 195277, 'consulting imagine': 195902, 'imagine him': 416728, 'even considered consulting': 283970, 'considered consulting imagine': 195278, 'consulting imagine him': 195903, 'imagine him in': 416729, 'bostonian': 135812, 'employee custodian': 273745, 'custodian and': 221962, 'selfless work': 748536, 'all bostonian': 42202, 'bostonian we': 135813, 'store employee custodian': 807474, 'employee custodian and': 273746, 'custodian and all': 221963, 'all other worker': 43792, 'other worker on': 621223, 'frontlines of your': 338924, 'of your selfless': 593522, 'your selfless work': 1025713, 'selfless work is': 748537, 'work is very': 1005379, 'important to the': 419073, 'to the wellbeing': 917187, 'wellbeing of all': 978796, 'of all bostonian': 579925, 'all bostonian we': 42203, 'bostonian we must': 135814, 'we must practice': 972434, 'must practice for': 546810, 'shockingly': 759640, 'shockingly royal': 759641, 'other courier': 620035, 'were busier': 979398, 'at christmas': 98265, 'christmas if': 178181, 'not critical': 568931, 'critical do': 218540, 'send or': 749922, 'buy with': 149482, 'delivery putting': 234378, 'putting worker': 691285, 'no protective': 565233, 'equipment stayhomesavelives': 279833, 'essential purchase': 281434, 'online mail': 608517, 'shockingly royal mail': 759642, 'royal mail and': 726630, 'mail and other': 508572, 'and other courier': 68301, 'other courier delivery': 620036, 'courier delivery were': 211811, 'delivery were busier': 234731, 'were busier than': 979399, 'busier than they': 143173, 'than they were': 841305, 'they were at': 883750, 'were at christmas': 979352, 'at christmas if': 98267, 'christmas if it': 178182, 'is not critical': 450056, 'not critical do': 568932, 'critical do not': 218541, 'not send or': 571529, 'send or buy': 749923, 'or buy with': 614621, 'buy with delivery': 149483, 'with delivery putting': 997966, 'delivery putting worker': 234379, 'putting worker at': 691286, 'have no protective': 381649, 'no protective equipment': 565235, 'protective equipment stayhomesavelives': 685736, 'equipment stayhomesavelives and': 279834, 'stayhomesavelives and only': 798341, 'make essential purchase': 509884, 'essential purchase online': 281435, 'purchase online mail': 689603, 'help everyone coronacrisis': 389662, 'eating fresh': 266212, 'vegetable consumer': 953961, 'nutritious choice': 577758, 'time keep': 897099, 'don let fear': 253689, 'let fear of': 486706, 'from eating fresh': 335252, 'eating fresh fruit': 266213, 'and vegetable consumer': 74881, 'vegetable consumer resource': 953962, 'consumer resource are': 198770, 'available to keep': 104648, 'informed and help': 438079, 'and help guide': 64453, 'guide you to': 368382, 'you to nutritious': 1021814, 'to nutritious choice': 910766, 'nutritious choice in': 577759, 'choice in difficult': 177782, 'difficult time keep': 242295, 'time keep up': 897101, 'to date here': 903925, 'speedup': 788495, 'massive speedup': 520119, 'speedup amazon': 788496, 'surge caused': 828139, 'massive speedup amazon': 520120, 'speedup amazon announced': 788497, 'amazon announced that': 50858, 'it will hire': 462402, 'delivery worker across': 234766, 'country to handle': 211163, 'handle the online': 376274, 'shopping surge caused': 764029, 'surge caused by': 828140, '729': 22052, 'is 35': 445203, '92 729': 23467, '729 for': 22053, '33 900': 17746, 'test which is': 839235, 'which is 35': 985975, 'is 35 92': 445204, '35 92 729': 17870, '92 729 for': 23468, '729 for test': 22054, 'for test developed': 326227, '51 33 900': 20201, '33 900 for': 17747, '900 for all': 23381, 'this fam': 887509, 'fam decided': 297502, 'house into': 406368, 'this fam decided': 887510, 'fam decided to': 297503, 'decided to change': 230905, 'change his house': 172080, 'his house into': 397524, 'house into supermarket': 406369, 'into supermarket due': 443040, 'ok raising': 597861, 'raising my': 696098, 'friend survival': 333819, 'survival skill': 829078, 'skill he': 772953, 'he managed': 385220, 'egg which': 270032, 'he an': 384739, 'gave him': 344619, 'him pack': 396693, 'free jam': 331931, 'jam donut': 464354, 'donut we': 255424, 'ok raising my': 597862, 'raising my friend': 696099, 'my friend survival': 548450, 'friend survival skill': 333820, 'survival skill he': 829079, 'skill he wa': 772954, 'he wa asked': 385586, 'asked to get': 95865, 'the supermarket he': 868625, 'supermarket he managed': 820726, 'he managed to': 385221, 'and egg which': 61982, 'egg which were': 270034, 'which were being': 986476, 'were being kept': 979372, 'being kept back': 125353, 'kept back of': 473023, 'of store because': 590242, 'store because he': 806677, 'because he an': 119110, 'he an nh': 384741, 'and they gave': 73906, 'they gave him': 882151, 'gave him pack': 344621, 'him pack of': 396694, 'pack of free': 633100, 'of free jam': 583917, 'free jam donut': 331932, 'jam donut we': 464355, 'donut we can': 255425, 'annabel': 76778, 'insidefgould': 439457, 'insideatkins': 439454, 'proudtobuildwhatmatters': 686093, 'against consultant': 37370, 'consultant annabel': 195863, 'annabel on': 76779, 'on hearing': 601265, 'hearing local': 388212, 'local clinic': 497827, 'clinic had': 182299, 'had run': 373466, 'donated 40': 254314, '40 litre': 18601, 'stock thank': 802915, 'your quick': 1025508, 'quick thinking': 694400, 'thinking insidefgould': 885924, 'insidefgould insideatkins': 439458, 'insideatkins inthistogether': 439455, 'inthistogether proudtobuildwhatmatters': 442317, 'our people are': 624307, 'people are joining': 647004, 'are joining the': 87600, 'joining the fight': 466990, 'fight against consultant': 304611, 'against consultant annabel': 37371, 'consultant annabel on': 195864, 'annabel on hearing': 76780, 'on hearing local': 601266, 'hearing local clinic': 388213, 'local clinic had': 497828, 'clinic had run': 182300, 'had run out': 373467, 'sanitizer donated 40': 734783, 'donated 40 litre': 254315, '40 litre from': 18602, 'litre from our': 495156, 'our stock thank': 624924, 'stock thank you': 802916, 'for your quick': 328198, 'your quick thinking': 1025509, 'quick thinking insidefgould': 694401, 'thinking insidefgould insideatkins': 885925, 'insidefgould insideatkins inthistogether': 439459, 'insideatkins inthistogether proudtobuildwhatmatters': 439456, 'lawful': 482472, 'tp toilet': 927986, 'like about': 489716, 'wonderful meme': 1004094, 'meme stay': 528360, 'stay lawful': 797114, 'lawful good': 482473, 'good out': 357533, 'empty of tp': 274985, 'of tp toilet': 592383, 'tp toilet paper': 927987, 'seems like about': 746806, 'like about time': 489717, 'about time to': 26697, 'time to bring': 897957, 'to bring back': 902030, 'bring back this': 139934, 'back this wonderful': 107340, 'this wonderful meme': 891488, 'wonderful meme stay': 1004095, 'meme stay lawful': 528361, 'stay lawful good': 797115, 'lawful good out': 482474, 'good out there': 357534, 'there folk and': 878395, 'folk and stop': 312084, 'stop hoarding all': 804723, 'the tp 19': 869836, 'the pmo': 863883, 'just yesterday the': 470372, 'yesterday the pmo': 1015886, 'the pmo asked': 863884, 'assured that there': 97127, 'is still panic': 452301, 'still panic due': 801021, 'buying seen': 150993, 'uk result': 938671, 'almost surely': 46747, 'surely lead': 827912, 'ultimately unnecessary': 939162, 'waste buy': 968089, 'an exacerbated': 55901, 'exacerbated environmental': 288673, 'environmental crisis': 279186, 'panic buying seen': 637875, 'buying seen across': 150994, 'seen across the': 746919, 'the uk result': 870273, 'uk result of': 938672, 'result of will': 717623, 'of will almost': 593164, 'will almost surely': 992248, 'almost surely lead': 46748, 'surely lead to': 827913, 'lead to mass': 483365, 'to mass and': 909879, 'mass and ultimately': 519738, 'and ultimately unnecessary': 74585, 'ultimately unnecessary food': 939163, 'unnecessary food waste': 942911, 'food waste buy': 317472, 'waste buy what': 968090, 'for others we': 324205, 'others we do': 621762, 'need an exacerbated': 554405, 'an exacerbated environmental': 55902, 'exacerbated environmental crisis': 288674, 'environmental crisis to': 279187, 'crisis to follow': 218245, 'follow on from': 312476, 'on from the': 601030, 'to poisonous': 911862, 'poisonous cure': 662818, 'test beware': 838944, 'beware watch': 129109, 'stabbings to poisonous': 791780, 'to poisonous cure': 911863, 'poisonous cure and': 662819, 'door virus test': 255768, 'virus test beware': 958854, 'test beware watch': 838945, 'beware watch today': 129110, 'today on 19': 919969, 'noon it': 566846, 'stocked hour': 803342, 'later shelterinplace': 481115, 'shelterinplace coronacrisis': 757996, 'store at noon': 806587, 'at noon it': 99906, 'noon it wa': 566847, 'it wa fully': 462115, 'fully stocked hour': 341092, 'stocked hour later': 803343, 'hour later shelterinplace': 405733, 'later shelterinplace coronacrisis': 481116, 'shelterinplace coronacrisis quarantine': 757997, 'stabilising': 791796, 'to stabilising': 915115, 'stabilising market': 791797, 'rate to stabilising': 697397, 'to stabilising market': 915116, 'stabilising market 19': 791798, 'diagnosed via': 240233, 'associate diagnosed via': 96859, 'diagnosed via the': 240234, 'via the news': 956306, 'morrison agrees': 541696, 'agrees safety': 38818, 'morrison agrees safety': 541697, 'agrees safety measure': 38819, 'safety measure for': 730623, 'measure for store': 525199, 'for store staff': 325931, 'store staff supermarket': 810328, 'staff supermarket retail': 792906, 'tequila925': 838026, 'divavodka': 248471, 'dalmore62': 225159, 'buckabeer': 141677, 'incidentally': 431450, 'my conspiracy': 547787, 'while disinfecting': 986757, 'disinfecting tequila925': 245883, 'tequila925 divavodka': 838027, 'divavodka dalmore62': 248472, 'dalmore62 he': 225160, 'he yelled': 385709, 'yelled let': 1015238, 'have buckabeer': 379850, 'buckabeer which': 141678, 'is incidentally': 448836, 'incidentally in': 431453, 'grocery 2f': 364197, '2f 19': 16595, 'my conspiracy theory': 547788, 'theory is that': 877854, 'is that while': 452709, 'that while disinfecting': 847513, 'while disinfecting tequila925': 986758, 'disinfecting tequila925 divavodka': 245884, 'tequila925 divavodka dalmore62': 838028, 'divavodka dalmore62 he': 248473, 'dalmore62 he yelled': 225161, 'he yelled let': 385710, 'yelled let them': 1015239, 'them have buckabeer': 875821, 'have buckabeer which': 379851, 'buckabeer which is': 141679, 'which is incidentally': 986017, 'is incidentally in': 448837, 'incidentally in supermarket': 431454, 'and grocery 2f': 63975, 'grocery 2f 19': 364198, 'chain urged': 171211, 'expand service': 290469, 'disability during': 243822, 'australian supermarket chain': 103551, 'supermarket chain urged': 819643, 'chain urged to': 171212, 'urged to expand': 948289, 'to expand service': 905437, 'expand service to': 290470, 'to people with': 911649, 'with disability during': 998057, 'disability during crisis': 243823, 'during crisis coronavirus': 262555, 'crisis coronavirus outbreak': 217258, 've collected': 952995, 'collected our': 186370, 'be adding': 113484, 'page new': 633871, 'consumer come': 196811, 'we ve collected': 973645, 've collected our': 952996, 'collected our article': 186371, 'article on in': 94407, 'on in one': 601530, 'one place we': 606881, 'place we ll': 657817, 'll be adding': 496566, 'be adding to': 113485, 'the page new': 862861, 'page new information': 633872, 'new information for': 558935, 'for consumer come': 320244, 'consumer come to': 196812, 'come to hand': 187575, 'repetition': 711569, 'of repetition': 588940, 'repetition on': 711570, 'home ringing': 401984, 'ringing phone': 722560, 'can seem': 159556, 'seem tempting': 746686, 'tempting avoiding': 837749, 'thanks ftc': 842089, 'lot of repetition': 504266, 'of repetition on': 588941, 'repetition on this': 711571, 'this but when': 886651, 'you re bored': 1020578, 're bored at': 698379, 'at home ringing': 99095, 'home ringing phone': 401985, 'ringing phone can': 722561, 'phone can seem': 654936, 'can seem tempting': 159557, 'seem tempting avoiding': 746687, 'tempting avoiding ssa': 837750, '19 thanks ftc': 11143, 'why hit': 991070, 'to why hit': 918590, 'why hit some': 991071, 'addressdynamic': 32068, 'arrive during': 93912, 'restriction here': 717283, 'some information': 783119, 'chance if': 171732, 'australia addressdynamic': 103215, 'wondering if your': 1004184, 'if your online': 415600, 'order will arrive': 618779, 'will arrive during': 992308, 'arrive during this': 93913, '19 restriction here': 10177, 'restriction here is': 717284, 'is some information': 452090, 'some information to': 783121, 'have an idea': 379253, 'of your chance': 593450, 'your chance if': 1023178, 'chance if you': 171733, 'living in australia': 496365, 'in australia addressdynamic': 420593, 'serious ve': 751507, 'these last': 880222, 'buy juice': 148872, 'or deli': 614923, 'deli down': 232924, 'street luckily': 813030, 'luckily have': 506503, 'have music': 381538, 'music tv': 546348, 'movie source': 544059, 'entertainment could': 278558, 'this coronavirus covid': 886894, 'is serious ve': 451793, 'serious ve been': 751508, 'home these last': 402266, 'these last few': 880223, 'few day only': 303786, 'day only went': 228164, 'only went out': 611460, 'to buy juice': 902255, 'buy juice at': 148873, 'juice at grocery': 467731, 'store or deli': 809324, 'or deli down': 614924, 'deli down the': 232925, 'the street luckily': 868237, 'street luckily have': 813031, 'luckily have music': 506505, 'have music tv': 381539, 'music tv show': 546349, 'tv show and': 936192, 'and movie source': 67301, 'movie source of': 544060, 'source of entertainment': 786521, 'of entertainment could': 583132, 'entertainment could also': 278559, 'could also use': 208817, 'also use someone': 49051, 'use someone to': 949605, 'someone to talk': 784709, 'the strongest': 868298, 'strongest biggest': 814202, 'biggest will': 130351, 'economic reset': 267252, 'reset per': 714172, 'per design': 650821, 'design amazon': 238211, 'amazon employ': 50930, 'employ further': 273439, 'further 75k': 341989, '75k staff': 22216, 'all low': 43420, 'job bet': 465699, 'bet too': 128120, 'too newworldorder': 924964, 'newworldorder financialcrisis': 561172, 'the strongest biggest': 868299, 'strongest biggest will': 814203, 'biggest will survive': 130352, 'survive this economic': 829262, 'this economic reset': 887344, 'economic reset per': 267253, 'reset per design': 714173, 'per design amazon': 650822, 'design amazon employ': 238212, 'amazon employ further': 50931, 'employ further 75k': 273440, 'further 75k staff': 341990, '75k staff all': 22217, 'staff all low': 792097, 'all low paid': 43421, 'low paid job': 505479, 'paid job bet': 634040, 'job bet too': 465700, 'bet too newworldorder': 128121, 'too newworldorder financialcrisis': 924965, 'and uncontrollable': 74612, 'uncontrollable 19': 939877, 'so angry and': 776513, 'by the selfishness': 154435, 'hoard food this': 398798, 'buying is unnecessary': 150585, 'is unnecessary and': 453531, 'unnecessary and uncontrollable': 942892, 'and uncontrollable 19': 74613, 'matoshree': 520506, 'thackeray': 840069, 'tea stall': 835374, 'stall owner': 793373, 'owner operated': 632529, 'operated 50': 613035, '50 metre': 19750, 'from matoshree': 336379, 'matoshree the': 520507, 'private residence': 678971, 'residence of': 714225, 'of cm': 581485, 'cm thackeray': 184637, 'thackeray and': 840070, 'the tea stall': 869191, 'tea stall owner': 835375, 'stall owner operated': 793374, 'owner operated 50': 632530, 'operated 50 metre': 613036, '50 metre away': 19751, 'away from matoshree': 105894, 'from matoshree the': 336380, 'matoshree the private': 520508, 'the private residence': 864488, 'private residence of': 678972, 'residence of cm': 714226, 'of cm thackeray': 581486, 'cm thackeray and': 184638, 'thackeray and his': 840071, 'heiny': 388851, '989thebull': 23742, 'fitzhappens': 309580, 'up thanks': 946140, 'for obeying': 324009, 'obeying all': 578394, 'guideline did': 368412, 'no heiny': 564417, 'heiny left': 388852, 'behind toiletpaper': 124743, 'toiletpaper 989thebull': 921691, '989thebull fitzhappens': 23743, 'fitzhappens quarantine': 309581, 'we are wiped': 970762, 'are wiped out': 91646, 'wiped out after': 996464, 'after the tp': 36364, 'the tp roll': 869843, 'tp roll up': 927920, 'roll up thanks': 725581, 'up thanks for': 946141, 'thanks for obeying': 842071, 'for obeying all': 324010, 'obeying all socialdistancing': 578395, 'all socialdistancing guideline': 44384, 'socialdistancing guideline did': 780397, 'guideline did you': 368413, 'get your free': 348705, 'your free roll': 1023953, 'free roll there': 332119, 'roll there wa': 725541, 'wa no heiny': 962724, 'no heiny left': 564418, 'heiny left behind': 388853, 'left behind toiletpaper': 485424, 'behind toiletpaper 989thebull': 124744, 'toiletpaper 989thebull fitzhappens': 921692, '989thebull fitzhappens quarantine': 23744, 'now cattle': 574358, 'on trade': 604831, 'when is it': 983615, 'is it the': 449065, 'time to become': 897953, 'to become now': 901678, 'become now cattle': 120074, 'now cattle gridlock': 574359, 'add to strain': 31522, 'strain on trade': 812294, 'supermarketqueue': 824228, 'como': 190281, 'day29': 228871, 'at coronavirus': 98338, 'coronavirus day': 205791, 'queue supermarket': 694078, 'supermarket supermarketqueue': 823038, 'supermarketqueue queue': 824229, 'queue coronavirus': 693906, 'day como': 227469, 'como italy': 190282, 'italy como': 462790, '29 29': 16456, '29 day29': 16473, 'supermarket at coronavirus': 819236, 'at coronavirus day': 98339, 'coronavirus day queue': 205793, 'day queue supermarket': 228267, 'queue supermarket supermarketqueue': 694079, 'supermarket supermarketqueue queue': 823039, 'supermarketqueue queue coronavirus': 824230, 'queue coronavirus day': 693907, 'coronavirus day como': 205792, 'day como italy': 227470, 'como italy como': 190283, 'italy como italy': 462791, 'como italy lockdown': 190284, 'italy lockdown lockdown': 462870, 'lockdown lockdown day': 499604, 'lockdown day 29': 499298, 'day 29 29': 227134, '29 29 day29': 16457, 'food amid covid': 313117, 'our endeavour': 622900, 'are extending': 86379, 'extending support': 293232, 'our adopted': 622024, 'so child': 776755, 'child village': 176247, 'village through': 957377, 'through various': 894885, 'various initiative': 952608, 'of our endeavour': 587461, 'our endeavour to': 622901, 'endeavour to aid': 276122, 'to aid the': 900196, 'aid the community': 39463, 'the community affected': 851265, 'we are extending': 970554, 'are extending support': 86380, 'extending support to': 293233, 'to our adopted': 911148, 'our adopted village': 622025, 'adopted village and': 32696, 'village and so': 957330, 'and so child': 71837, 'so child village': 776756, 'child village through': 176248, 'village through various': 957378, 'through various initiative': 894886, 'various initiative to': 952609, 'initiative to safeguard': 438662, 'safeguard the community': 730214, 'community to know': 190176, 'significantly over': 769599, 'increase significantly over': 433059, 'significantly over the': 769600, 'spare it please': 787487, 'it please donate': 460357, 'breaking opec': 139016, 'nation agree': 552100, 'to nearly': 910502, 'nearly 10': 553750, 'barrel cut': 111206, 'collapsed the': 186114, 'illness it': 416379, 'largely halted': 479856, 'halted global': 374489, 'travel via': 930563, 'breaking opec oil': 139017, 'opec oil nation': 611927, 'oil nation agree': 596966, 'nation agree to': 552101, 'agree to nearly': 38664, 'to nearly 10': 910503, 'nearly 10 million': 553752, 'million barrel cut': 532083, 'barrel cut oil': 111207, 'have collapsed the': 380015, 'collapsed the coronavirus': 186115, '19 illness it': 7679, 'illness it cause': 416380, 'it cause have': 457075, 'cause have largely': 167585, 'have largely halted': 381247, 'largely halted global': 479857, 'halted global travel': 374490, 'global travel via': 352269, 'consumer car': 196735, 'the should suspend': 867108, 'equity consumer car': 279928, 'consumer car and': 196736, 'car and student': 163004, 'loan payment during': 497495, 'all nigerian': 43637, 'nigerian and': 562830, 'you something': 1021306, 'people jack': 648544, 'ma pep': 507277, 'pep guardiola': 650634, 'guardiola etc': 367917, 'donating but': 254442, 'keep exploiting': 471486, 'phase will': 654646, 'surely pas': 827922, 'to all nigerian': 900267, 'all nigerian and': 43638, 'nigerian and taking': 562831, 'of 19 to': 579419, 'to sell sanitizers': 914171, 'exorbitant price let': 290416, 'price let me': 675034, 'tell you something': 837152, 'you something people': 1021307, 'something people jack': 785010, 'people jack ma': 648545, 'jack ma pep': 464108, 'ma pep guardiola': 507278, 'pep guardiola etc': 650635, 'guardiola etc are': 367918, 'etc are donating': 282421, 'are donating but': 85947, 'donating but you': 254443, 'but you keep': 147988, 'you keep exploiting': 1019446, 'keep exploiting people': 471487, 'exploiting people the': 292445, 'people the phase': 649795, 'the phase will': 863670, 'phase will surely': 654647, 'will surely pas': 995039, 'yesterday someone': 1015863, 'someone took': 784718, 'when sneezed': 984036, 'sneezed people': 776295, 'relax mean': 708818, 'mean sneezing': 524645, 'sneezing isn': 776323, 'even symptom': 284629, 'and pretend': 69396, 'lol yesterday someone': 500981, 'yesterday someone took': 1015864, 'someone took step': 784719, 'took step back': 925333, 'step back in': 799506, 'back in line': 107087, 'supermarket when sneezed': 823808, 'when sneezed people': 984037, 'sneezed people need': 776296, 'need to relax': 556039, 'to relax mean': 913131, 'relax mean sneezing': 708819, 'mean sneezing isn': 524646, 'sneezing isn even': 776324, 'isn even symptom': 454502, 'even symptom of': 284630, 'know if someone': 476482, 'if someone get': 414854, 'someone get too': 784480, 'close and pretend': 182536, 'and pretend to': 69397, 'pretend to sneeze': 671324, 'following me': 312789, 'meet friend': 527494, 'park don': 641898, 've so': 953579, 'far avoided': 298711, 'avoided total': 105426, 'are obeying': 88630, 'have tiny': 383141, 'are following me': 86625, 'following me from': 312791, 'uk please please': 938630, 'please please stay': 660314, 'stay home don': 796953, 'home don meet': 401093, 'don meet friend': 253735, 'meet friend don': 527495, 'friend don go': 333583, 'the park don': 863291, 'park don go': 641899, 'go crazy in': 353432, 'supermarket we ve': 823758, 'we ve so': 973713, 've so far': 953580, 'so far avoided': 777013, 'far avoided total': 298712, 'avoided total lockdown': 105427, 'total lockdown here': 926189, 'lockdown here because': 499465, 'here because people': 392806, 'people are obeying': 647030, 'are obeying the': 88631, 'obeying the rule': 578398, 'we have tiny': 971967, 'have tiny bit': 383142, 'bit of hope': 131646, 'pepys': 650660, 'new pepys': 559266, 'pepys social': 650661, 'with supported': 1001087, 'running but': 727937, 'extra local': 293568, 'need brought': 554565, 'our new pepys': 624038, 'new pepys social': 559267, 'pepys social supermarket': 650662, 'social supermarket with': 779983, 'supermarket with supported': 823940, 'with supported by': 1001088, 'supported by and': 827042, 'by and is': 151841, 'and is up': 65439, 'is up and': 453569, 'and running but': 70643, 'running but need': 727938, 'but need help': 146454, 'help to address': 390762, 'address the extra': 32034, 'the extra local': 854763, 'extra local need': 293569, 'local need brought': 498199, 'need brought about': 554566, '19 please donate': 9717, 'disconnection': 244418, 'optus': 614168, 'see join': 745345, 'in committing': 421605, 'keepconnected during': 472324, 'about disconnection': 25102, 'disconnection in': 244419, 'you telecom': 1021536, 'telecom statement': 836697, 'from optus': 336708, 'optus here': 614169, 'to see join': 914031, 'see join in': 745346, 'join in committing': 466745, 'in committing to': 421606, 'committing to ensure': 189097, 'ensure people keepconnected': 278006, 'people keepconnected during': 648584, 'keepconnected during the': 472325, 'health crisis no': 386343, 'crisis no one': 217764, 'worried about disconnection': 1010484, 'about disconnection in': 25103, 'disconnection in this': 244420, 'this time what': 890711, 'time what about': 898268, 'what about you': 980994, 'about you telecom': 26981, 'you telecom statement': 1021537, 'telecom statement from': 836698, 'statement from optus': 796178, 'from optus here': 336709, 'team hr': 835681, 'that 50': 842461, '50 cage': 19643, 'good suddenly': 357796, 'suddenly appears': 817068, 'it roll': 460799, 'off truck': 594349, 'truck supermarket': 932862, 'have one delivery': 381785, 'one delivery per': 606173, 'delivery per department': 234330, 'per department it': 650820, 'department it take': 237221, 'it take the': 461430, 'take the team': 832679, 'the team hr': 869207, 'team hr to': 835682, 'hr to put': 409672, 'put the delivery': 690855, 'the delivery on': 853070, 'delivery on the': 234254, 'shelf there is': 757667, 'no way that': 565869, 'way that 50': 969918, 'that 50 cage': 842462, '50 cage of': 19644, 'cage of good': 155170, 'of good suddenly': 584239, 'good suddenly appears': 357797, 'suddenly appears on': 817069, 'the shelf soon': 866879, 'shelf soon it': 757538, 'soon it roll': 785756, 'it roll off': 460800, 'roll off truck': 725428, 'off truck supermarket': 594350, 'of farm': 583422, 'csas still': 220030, 'running you': 728146, 'get good': 347142, 'good produce': 357591, 'produce without': 680497, 'the crowded': 852533, 'with our list': 1000003, 'list of farm': 494434, 'of farm and': 583423, 'farm and csas': 299082, 'and csas still': 60793, 'csas still up': 220031, 'still up and': 801355, 'and running you': 70650, 'running you can': 728147, 'business and get': 143306, 'and get good': 63575, 'get good produce': 347143, 'good produce without': 357592, 'produce without having': 680498, 'to the crowded': 916615, 'the crowded grocery': 852534, 'hbor': 384640, 'harborside': 377842, 'cannabisnewsdd': 161478, 'hbor address': 384641, 'all relevant': 44144, 'relevant harborside': 709160, 'harborside operation': 377843, 'location remain': 498954, 'operational cannabisnewsdd': 613294, 'cannabisnewsdd potstocks': 161479, 'hbor address and': 384642, 'address and provides': 31951, 'and provides business': 69703, 'business update all': 144589, 'update all relevant': 946850, 'all relevant harborside': 44145, 'relevant harborside operation': 709161, 'harborside operation and': 377844, 'operation and retail': 613135, 'store location remain': 808799, 'location remain fully': 498955, 'remain fully operational': 709751, 'fully operational cannabisnewsdd': 341068, 'operational cannabisnewsdd potstocks': 613295, 'causing farm': 168033, 'farm price': 299159, 'is causing farm': 446421, 'causing farm price': 168034, 'farm price to': 299160, '3wk': 18478, 'fcked': 300792, 'there 1bn': 877938, '1bn more': 12599, 'people house': 648299, 'house than': 406594, 'than there': 841290, 'wa 3wk': 961379, '3wk ago': 18479, 'ago selfish': 38456, 'buyer chill': 149606, 'chill the': 176378, 'can those': 159995, 'them self': 876258, 'shopping spreading': 763949, 'are fcked': 86502, 'there 1bn more': 877939, '1bn more food': 12600, 'more food in': 539244, 'in people house': 426592, 'people house than': 648300, 'house than there': 406595, 'than there wa': 841292, 'there wa 3wk': 879223, 'wa 3wk ago': 961380, '3wk ago selfish': 18480, 'ago selfish panic': 38457, 'panic buyer chill': 637561, 'buyer chill the': 149607, 'chill the out': 176380, 'the out how': 862581, 'out how can': 626318, 'how can those': 407525, 'can those with': 159996, 'those with covid': 892714, '19 or those': 9032, 'or those caring': 617436, 'for them self': 326918, 'them self isolate': 876259, 'self isolate no': 747685, 'isolate no delivery': 454899, 'no delivery grocery': 563988, 'delivery grocery shopping': 234071, 'grocery shopping spreading': 365083, 'shopping spreading the': 763950, 'virus if our': 958314, 'if our key': 414575, 'worker are sick': 1006423, 'are sick we': 90119, 'we are fcked': 970560, 'triad grocer': 931617, 'grocer stock': 364166, 'employee finding': 273846, 'finding them': 307554, 'those displaced': 891933, 'by restaurant': 153789, 'sport team': 789985, 'team hiring': 835677, 'hiring sportsbiz': 397127, 'sportsbiz 19': 790006, 'triad grocer stock': 931618, 'grocer stock up': 364167, 'up on employee': 945552, 'on employee finding': 600545, 'employee finding them': 273847, 'finding them from': 307555, 'them from those': 875758, 'from those displaced': 338023, 'those displaced by': 891934, 'displaced by restaurant': 246179, 'by restaurant hotel': 153791, 'hotel and sport': 405110, 'and sport team': 72133, 'sport team hiring': 789986, 'team hiring sportsbiz': 835678, 'hiring sportsbiz 19': 397128, 'sportsbiz 19 grocery': 790007, 'thinkingaboutothers': 886035, 'method for': 529771, 'positive read': 665417, 'this kindnesspandemic': 888572, 'kindnesspandemic thinkingaboutothers': 475237, 'thinkingaboutothers mentalhealthawareness': 886036, 'kind think about': 474994, 'my method for': 549239, 'method for trying': 529773, 'stay positive read': 797175, 'positive read this': 665418, 'read this kindnesspandemic': 700621, 'this kindnesspandemic thinkingaboutothers': 888573, 'kindnesspandemic thinkingaboutothers mentalhealthawareness': 475238, 'anyone spiking': 80530, 'spiking price': 789356, 'them covid': 875568, 'you see anyone': 1021023, 'see anyone spiking': 744933, 'anyone spiking price': 80531, 'spiking price please': 789357, 'report them covid': 712356, 'them covid 19': 875569, 'do thanks': 250214, 'again all': 36878, 'their extra': 873216, 'pandemic increased': 635724, 'increased service': 433463, 'social more': 779896, 'delivering food every': 233494, 'food every week': 314419, 'every week is': 286363, 'week is what': 976431, 'we do thanks': 971352, 'do thanks again': 250215, 'thanks again all': 842008, 'again all volunteer': 36879, 'all volunteer the': 45377, 'volunteer the their': 960343, 'the their extra': 869418, 'their extra help': 873217, 'extra help we': 293541, 'help we work': 390868, 'we work through': 973948, '19 pandemic increased': 9363, 'pandemic increased service': 635725, 'increased service demand': 433464, 'service demand follow': 752281, 'demand follow on': 235350, 'follow on social': 312479, 'on social more': 603537, 'social more stay': 779897, 'more stay healthy': 540452, 'healthy stay safe': 387775, 'safe stay united': 729976, 'online could': 608061, 'of got': 584254, 'virus whilst': 959036, 'with whilst': 1002090, 'whilst delivering': 987625, 'online could of': 608062, 'could of got': 209470, 'of got the': 584256, 'the virus whilst': 870922, 'virus whilst out': 959037, 'whilst out shopping': 987669, 'out shopping the': 627181, 'shopping the bigger': 764081, 'the bigger issue': 849634, 'bigger issue is': 130158, 'issue is how': 455817, 'people he came': 648221, 'he came into': 384807, 'contact with whilst': 200298, 'with whilst delivering': 1002091, 'whilst delivering food': 987626, 'marketing plan': 517679, 'plan were': 658346, 'just when your': 470294, 'when your marketing': 984634, 'your marketing plan': 1024780, 'marketing plan were': 517680, 'plan were on': 658347, 'were on roll': 979936, 'follow ll': 312449, 'll follow': 496775, 'follow back': 312357, 'strong together': 814144, 'this groceryworkers': 887768, 'you are currently': 1017103, 'are currently working': 85683, 'store please follow': 809585, 'please follow ll': 660005, 'follow ll follow': 312450, 'll follow back': 496776, 'follow back we': 312358, 'back we need': 107453, 'be strong together': 117406, 'strong together and': 814145, 'each other get': 264176, 'other get through': 620295, 'through this groceryworkers': 894818, 'this groceryworkers 19': 887769, 'swap would': 829987, 'trade your': 928623, 'your month': 1024877, 'designer dress': 238376, 'dress via': 258689, 'swap would you': 829988, 'would you trade': 1012425, 'you trade your': 1021908, 'trade your month': 928624, 'your month of': 1024878, 'month of supply': 537908, 'toiletpaper for designer': 921999, 'for designer dress': 320666, 'designer dress via': 238377, 'one billion': 606005, 'pound extra': 667367, 'extra spent': 293646, 'used yet': 950129, 'absolutely ashamed': 27319, 'extent have': 293322, 'have fucking': 380731, 'fucking word': 340055, 'one billion pound': 606006, 'billion pound extra': 130897, 'pound extra spent': 667368, 'extra spent on': 293647, 'spent on food': 789153, 'buying and none': 149920, 'none of it': 566594, 'ha been used': 369976, 'been used yet': 122312, 'used yet you': 950130, 'yet you all': 1016339, 'should be absolutely': 765542, 'be absolutely ashamed': 113453, 'absolutely ashamed of': 27320, 'yourselves and don': 1026781, 'don be saying': 253366, 'be saying you': 117006, 'saying you didn': 739772, 'you didn do': 1018206, 'didn do it': 241036, 'it you all': 462636, 'all did to': 42567, 'did to some': 240886, 'some extent have': 782795, 'extent have fucking': 293323, 'have fucking word': 380733, 'tested that': 839371, 'is school': 451684, 'school baby': 741702, 'baby sitting': 106695, 'sitting service': 772146, 'is infecting': 448906, 'society togetherathome': 781344, 'key worker need': 473499, 'worker need to': 1007430, 'be tested that': 117564, 'tested that may': 839372, 'may include the': 521288, 'include the supermarket': 431644, 'supermarket worker what': 824120, 'worker what good': 1008176, 'good is school': 357285, 'is school baby': 451685, 'school baby sitting': 741703, 'baby sitting service': 106696, 'sitting service if': 772147, 'service if it': 752467, 'it is infecting': 458990, 'is infecting the': 448907, 'infecting the whole': 436702, 'whole of society': 990289, 'of society togetherathome': 589876, 'arabia sending': 83926, 'country agreed to': 210416, 'agreed to historic': 38740, 'support price hit': 826767, 'saudi arabia sending': 737211, 'arabia sending oil': 83927, 'oil price soaring': 597265, 'bollywood amitabh': 134125, 'bachchan unicef': 106806, 'india goodwill': 434425, 'ambassador ha': 51284, 'of bollywood amitabh': 580766, 'bollywood amitabh bachchan': 134126, 'amitabh bachchan unicef': 52865, 'bachchan unicef india': 106807, 'unicef india goodwill': 941721, 'india goodwill ambassador': 434426, 'goodwill ambassador ha': 358101, 'ambassador ha this': 51285, 'warned thousand': 967041, 'reopen they': 711370, 'under intense': 940136, 'pressure before': 671134, 'from weak': 338309, 'demand high': 235635, 'high business': 394952, 'onlineshopping story': 609943, 'expert have warned': 291852, 'have warned thousand': 383544, 'warned thousand of': 967042, 'thousand of shop': 893462, 'of shop will': 589628, 'not reopen they': 571309, 'reopen they were': 711371, 'were already under': 979312, 'already under intense': 47734, 'under intense pressure': 940137, 'intense pressure before': 441082, 'pressure before the': 671135, 'outbreak from weak': 628242, 'from weak consumer': 338310, 'weak consumer demand': 974003, 'consumer demand high': 197139, 'demand high business': 235636, 'high business rate': 394953, 'business rate and': 144286, 'and the rapid': 73541, 'the rapid growth': 865148, 'rapid growth of': 696921, 'growth of onlineshopping': 367433, 'of onlineshopping story': 587272, 'onlineshopping story by': 609944, 'kong and': 477380, 'and singapore': 71687, 'revenue demand': 720401, 'for leisure': 322937, 'activity restaurant': 30491, 'accommodation plummet': 28462, 'plummet this': 661306, 'this weaker': 891158, 'weaker demand': 974101, 'making these': 511449, 'these city': 879761, 'city cheaper': 179097, 'their inhabitant': 873662, 'hong kong and': 403198, 'kong and singapore': 477381, 'and singapore are': 71688, 'singapore are two': 771107, 'city that could': 179397, 'that could see': 843364, 'could see big': 209632, 'see big drop': 744964, 'drop in revenue': 260271, 'in revenue demand': 427488, 'revenue demand for': 720402, 'demand for leisure': 235448, 'for leisure activity': 322938, 'leisure activity restaurant': 486136, 'activity restaurant and': 30492, 'restaurant and accommodation': 716270, 'and accommodation plummet': 57596, 'accommodation plummet this': 28463, 'plummet this weaker': 661307, 'this weaker demand': 891159, 'weaker demand could': 974102, 'demand could drive': 235176, 'could drive down': 209114, 'down price making': 257114, 'price making these': 675162, 'making these city': 511450, 'these city cheaper': 879762, 'city cheaper for': 179098, 'cheaper for their': 174253, 'for their inhabitant': 326842, 'eugh': 283332, 'know am': 476243, 'panicking stockpiling': 639378, 'and stressing': 72567, 'stressing eugh': 813531, 'is because know': 446018, 'because know am': 119219, 'know am going': 476244, 'going into supermarket': 355246, 'people panicking stockpiling': 649073, 'panicking stockpiling and': 639379, 'stockpiling and stressing': 803910, 'and stressing eugh': 72568, 'wedge': 975588, 'adding veg': 31719, 'veg stock': 953786, 'stock two': 803041, 'two chopped': 936834, 'chopped tart': 177979, 'tart apple': 834643, 'and lime': 66166, 'juice throw': 467765, 'the wedge': 871289, 'wedge in': 975589, 'any lime': 79411, 'juice to': 467767, 'can remove': 159436, 'the peel': 863431, 'peel later': 646256, 'adding veg stock': 31720, 'veg stock two': 953787, 'stock two chopped': 803042, 'two chopped tart': 936835, 'chopped tart apple': 177980, 'tart apple and': 834644, 'apple and lime': 82308, 'and lime juice': 66167, 'lime juice throw': 492262, 'juice throw the': 467766, 'throw the wedge': 895053, 'the wedge in': 871290, 'wedge in don': 975590, 'in don want': 422353, 'don want any': 254036, 'want any lime': 965718, 'any lime juice': 79412, 'lime juice to': 492263, 'juice to go': 467768, 'to waste and': 918363, 'waste and can': 968070, 'and can remove': 59469, 'can remove the': 159437, 'remove the peel': 710842, 'the peel later': 863432, 'surge retailer': 828251, 'retailer plan': 719272, 'work prompt': 1005628, 'prompt shutdown': 683916, 'amazon to recruit': 51163, 'cope with coronavirus': 203343, 'with coronavirus induced': 997802, 'coronavirus induced online': 206132, 'shopping surge retailer': 764034, 'surge retailer plan': 828252, 'retailer plan to': 719273, 'focus on providing': 311893, 'to hospitality and': 907984, 'hospitality and service': 404756, 'industry worker who': 436262, 'of work prompt': 593262, 'work prompt shutdown': 1005629, 'comprehension': 192616, 'neverbiden': 558286, 'stooge': 804401, 'bernieforpresident': 127399, 'when pissed': 983883, 'pissed my': 656969, 'my reading': 549888, 'reading comprehension': 700745, 'comprehension ain': 192617, 'ain so': 39657, 'think neverbiden': 885422, 'neverbiden want': 558287, 'want bigpharma': 965735, 'bigpharma to': 130376, 'sick voting': 768660, 'this corporate': 886906, 'corporate stooge': 207342, 'stooge over': 804402, 'over bernieforpresident': 630018, 'when pissed my': 983884, 'pissed my reading': 656970, 'my reading comprehension': 549889, 'reading comprehension ain': 700746, 'comprehension ain so': 192618, 'ain so good': 39658, 'so good but': 777184, 'good but think': 356857, 'but think neverbiden': 147533, 'think neverbiden want': 885423, 'neverbiden want bigpharma': 558288, 'want bigpharma to': 965736, 'bigpharma to set': 130377, 'to set the': 914295, 'set the price': 753489, 'for the cure': 326368, 'the cure all': 852586, 'cure all make': 220695, 'all make me': 43439, 'me sick voting': 523464, 'sick voting for': 768661, 'voting for this': 960604, 'for this corporate': 327017, 'this corporate stooge': 886907, 'corporate stooge over': 207343, 'stooge over bernieforpresident': 804403, 'my malawi': 549194, 'malawi family': 511574, 'overwhelm most': 631706, 'most dont': 542264, 'water can': 968933, 'her up': 392497, 'lockdown come': 499248, 'come then': 187529, 'available thank': 104613, 'for my malawi': 323720, 'my malawi family': 549195, 'malawi family support': 511575, 'will overwhelm most': 994367, 'overwhelm most dont': 631707, 'most dont have': 542265, 'dont have running': 255229, 'running water can': 728129, 'water can stock': 968934, 'can stock her': 159805, 'stock her up': 802232, 'her up before': 392498, 'up before lockdown': 944480, 'before lockdown come': 122915, 'lockdown come then': 499249, 'come then no': 187530, 'then no food': 877360, 'food available thank': 313478, 'available thank you': 104614, 'esteem': 282213, 'announce pay': 76861, 'virtual event': 957739, 'event self': 285071, 'self esteem': 747641, 'esteem coping': 282214, 'coping in': 203373, 'in collective': 421547, 'collective isolation': 186510, 'april 16th': 83427, '16th we': 4290, 'recognize these': 704658, 'feel welcome': 302928, 'welcome info': 977881, 'info mentalhealth': 437515, 'mentalhealth selfcare': 528687, 'to announce pay': 900553, 'announce pay what': 76862, 'you can price': 1017752, 'can price for': 159294, 'for our virtual': 324304, 'our virtual event': 625280, 'virtual event self': 957740, 'event self esteem': 285072, 'self esteem coping': 747642, 'esteem coping in': 282215, 'coping in collective': 203374, 'in collective isolation': 421548, 'collective isolation on': 186511, 'isolation on april': 455367, 'on april 16th': 599433, 'april 16th we': 83428, '16th we recognize': 4291, 'we recognize these': 973043, 'recognize these are': 704659, 'these are hard': 879620, 'are hard time': 87016, 'time and still': 896297, 'and still want': 72394, 'still want everyone': 801385, 'everyone to feel': 287495, 'to feel welcome': 905758, 'feel welcome info': 302929, 'welcome info mentalhealth': 977882, 'info mentalhealth selfcare': 437516, 'can cover': 158011, 'mouth doing': 543505, 'pharmacy if you': 654353, 'breathe through your': 139205, 'through your mask': 894924, 'your mask if': 1024786, 'mask if your': 518821, 'if your mask': 415595, 'your mask can': 1024784, 'mask can cover': 518509, 'can cover your': 158012, 'and mouth doing': 67285, 'mouth doing this': 543506, 'doing this will': 252777, 'you and our': 1017000, 'mayor first': 521949, 'responder beg': 715425, 'beg trump': 123364, 'equipment now': 279791, 'mayor first responder': 521950, 'first responder beg': 308931, 'responder beg trump': 715426, 'beg trump for': 123365, 'trump for protective': 933565, 'for protective equipment': 324830, 'protective equipment now': 685732, 'equipment now to': 279792, 'now to fight': 576167, 'greedytarget': 363637, 'targetistargetingcoronaviruspandemic': 834583, 'pandemic raised': 636283, 'by smh': 154050, 'smh greedytarget': 775670, 'greedytarget targetistargetingcoronaviruspandemic': 363638, 'targetistargetingcoronaviruspandemic smh': 834584, 'smh it': 775674, 'sad just': 729187, 'college point': 186640, 'point target': 662638, 'queen smh': 693394, 'of pandemic raised': 587705, 'pandemic raised price': 636284, 'on everything by': 600647, 'everything by smh': 287722, 'by smh greedytarget': 154051, 'smh greedytarget targetistargetingcoronaviruspandemic': 775671, 'greedytarget targetistargetingcoronaviruspandemic smh': 363639, 'targetistargetingcoronaviruspandemic smh it': 834585, 'smh it really': 775675, 'really sad just': 702532, 'sad just came': 729188, 'came from college': 156996, 'from college point': 334918, 'college point target': 186641, 'point target in': 662639, 'target in queen': 834472, 'in queen smh': 427209, 'good cfo': 356879, 'cfo here': 170333, 'are strategy': 90555, 'strategy from': 812649, 'can implement': 158729, 'implement right': 418422, 'navigate economic': 553062, 'consumer good cfo': 197604, 'good cfo here': 356880, 'cfo here are': 170334, 'here are strategy': 392758, 'are strategy from': 90556, 'strategy from our': 812650, 'our partner you': 624286, 'partner you can': 642914, 'you can implement': 1017701, 'can implement right': 158730, 'implement right now': 418423, 'now to navigate': 576173, 'to navigate economic': 910486, 'navigate economic uncertainty': 553063, 'economic uncertainty in': 267350, 'uncertainty in this': 939700, 'health publichealth': 386780, 'yourself from 19': 1026605, 'from 19 when': 334214, '19 when grocery': 12020, 'or online health': 616390, 'online health publichealth': 608356, 'correspondent just': 207638, 'business correspondent just': 143586, 'correspondent just now': 207639, 'just now we': 469353, 'for food pretty': 321614, 'pretty sure that': 671509, 'tearful appeal': 835979, 'off shift': 594152, 'her family': 392038, 'nurse ha made': 577350, 'ha made tearful': 371216, 'made tearful appeal': 507981, 'tearful appeal to': 835980, 'appeal to member': 82078, 'food after she': 313044, 'she came off': 755915, 'came off shift': 157035, 'off shift and': 594153, 'buy supply for': 149265, 'supply for her': 825266, 'for her family': 322219, 'her family coronacrisis': 392039, 'breaking india': 138970, 'india to': 434651, 'into nationwide': 442793, 'nationwide lock': 552736, 'day primer': 228249, 'primer minister': 678186, 'minister narendra': 533412, 'an address': 55117, 'world 3rd': 1009252, 'oil consumer': 596699, 'consumer only': 198269, 'only behind': 610169, 'china full': 176672, 'breaking india to': 138971, 'india to go': 434652, 'go into nationwide': 353760, 'into nationwide lock': 442794, 'nationwide lock down': 552737, 'down for 21': 256766, '21 day primer': 14997, 'day primer minister': 228250, 'primer minister narendra': 678187, 'minister narendra modi': 533413, 'narendra modi say': 551912, 'modi say in': 535481, 'say in an': 738795, 'in an address': 420271, 'an address to': 55118, 'address to the': 32060, 'nation india is': 552227, 'india is the': 434493, 'the world 3rd': 871801, 'world 3rd largest': 1009253, '3rd largest oil': 18433, 'largest oil consumer': 479989, 'oil consumer only': 596700, 'consumer only behind': 198270, 'only behind the': 610170, 'behind the and': 124707, 'and china full': 59850, 'china full story': 176673, 'on groceryshopping': 601192, 'groceryshopping staysafestayhome': 366283, 'said that mask': 731406, 'that mask and': 845053, 'clothes on groceryshopping': 184186, 'on groceryshopping staysafestayhome': 601193, 'have monitored': 381492, 'monitored the': 537334, 'effective wednesday': 269332, '18 for': 4534, 'constantly evolving': 195659, 'evolving and': 288541, 'may change': 521078, 'we have monitored': 971868, 'have monitored the': 381493, 'monitored the rapidly': 537335, 'rapidly evolving covid': 696980, 'store effective wednesday': 807440, 'effective wednesday march': 269333, 'march 18 for': 515108, '18 for three': 4535, 'week the situation': 977008, 'situation is constantly': 772342, 'is constantly evolving': 446777, 'constantly evolving and': 195660, 'evolving and our': 288542, 'and our plan': 68513, 'our plan may': 624354, 'plan may change': 658167, 'may change if': 521080, 'change if they': 172099, 'they do we': 881979, 'do we ll': 250478, 'we ll let': 972261, 'hollylogan': 400443, 'hahaholly': 373924, 'hollyhittinhollywood': 400440, 'hmlthestar': 398664, 'imakepeoplelaughforfree': 416858, 'costcomeme': 208306, 'ificouldturnbacktime': 415634, 'girl get': 350248, 'some bacon': 782370, 'bacon hollylogan': 107633, 'hollylogan hahaholly': 400444, 'hahaholly hollyhittinhollywood': 373925, 'hollyhittinhollywood hmlthestar': 400441, 'hmlthestar imakepeoplelaughforfree': 398665, 'imakepeoplelaughforfree 2020': 416859, '2020 costco': 14251, 'costco costcomeme': 208220, 'costcomeme stockup': 208307, 'stockup hoarder': 804178, 'hoarder pandemic': 399090, 'pandemic ificouldturnbacktime': 635677, 'ificouldturnbacktime staysafe': 415635, 'toiletpaper bacon': 921778, 'girl get me': 350249, 'me some toilet': 523513, 'paper and some': 639853, 'and some bacon': 71953, 'some bacon hollylogan': 782371, 'bacon hollylogan hahaholly': 107634, 'hollylogan hahaholly hollyhittinhollywood': 400445, 'hahaholly hollyhittinhollywood hmlthestar': 373926, 'hollyhittinhollywood hmlthestar imakepeoplelaughforfree': 400442, 'hmlthestar imakepeoplelaughforfree 2020': 398666, 'imakepeoplelaughforfree 2020 costco': 416860, '2020 costco costcomeme': 14252, 'costco costcomeme stockup': 208221, 'costcomeme stockup hoarder': 208308, 'stockup hoarder pandemic': 804179, 'hoarder pandemic ificouldturnbacktime': 399091, 'pandemic ificouldturnbacktime staysafe': 635678, 'ificouldturnbacktime staysafe toiletpaper': 415636, 'staysafe toiletpaper bacon': 798942, 'people change': 647453, 'thing wont': 885012, 'wont be': 1004237, 'people change thing': 647454, 'change thing change': 172325, 'thing change thing': 884230, 'change thing wont': 172327, 'thing wont be': 885013, 'wont be the': 1004238, 'the commission': 851235, 'all european': 42707, 'european identifying': 283587, 'identifying impact': 413388, 'various area': 952581, 'area policy': 92167, 'policy any': 663339, 'any measure': 79454, 'at eu': 98555, 'eu level': 283248, 'level thank': 487723, 'your prompt': 1025458, 'the commission is': 851236, 'commission is working': 188853, 'working on area': 1008797, 'area of interest': 92134, 'of interest for': 585252, 'interest for all': 441346, 'for all european': 319123, 'all european identifying': 42708, 'european identifying impact': 283588, 'identifying impact on': 413389, 'impact on various': 417899, 'on various area': 605021, 'various area policy': 952582, 'area policy any': 92168, 'policy any measure': 663340, 'any measure in': 79455, 'measure in the': 525232, 'protection at eu': 685341, 'at eu level': 98556, 'eu level thank': 283249, 'level thank you': 487724, 'for your prompt': 328194, 'your prompt action': 1025459, 'with american': 997187, 'american poised': 52137, 'experience their': 291506, 'most abrupt': 542062, 'abrupt liquidity': 27175, 'history now': 398036, 'deploy the': 237455, 'of tool': 592305, 'for addressing': 319021, 'addressing it': 32096, 'say professor': 739078, 'with american poised': 997188, 'american poised to': 52138, 'poised to experience': 662789, 'to experience their': 905463, 'experience their most': 291507, 'their most abrupt': 874009, 'most abrupt liquidity': 542063, 'abrupt liquidity shock': 27176, 'liquidity shock in': 494153, 'shock in history': 759459, 'in history now': 423755, 'history now is': 398037, 'time to deploy': 897975, 'to deploy the': 904187, 'deploy the full': 237456, 'the full range': 856019, 'range of tool': 696724, 'of tool for': 592306, 'tool for addressing': 925409, 'for addressing it': 319022, 'addressing it say': 32097, 'it say professor': 460890, 'say professor of': 739079, 'professor of the': 682581, 'of the practice': 591356, 'the practice at': 864191, 'concern yet': 193142, 'yet keeping': 1016126, 'on original': 602548, 'original opening': 619568, 'providing staff': 687099, 'ppe during': 667934, 'pandemic excellent': 635401, 'excellent display': 289082, 'employee loyalty': 274023, 'loyalty not': 506295, 'not disgrace': 569050, 'posting about customer': 666638, 'about customer safety': 25061, 'customer safety is': 222791, 'is our main': 450629, 'our main concern': 623835, 'main concern yet': 508735, 'concern yet keeping': 193143, 'yet keeping all': 1016127, 'keeping all shop': 472373, 'all shop open': 44320, 'shop open on': 760605, 'open on original': 612411, 'on original opening': 602549, 'original opening hour': 619569, 'hour and not': 405406, 'and not providing': 67767, 'not providing staff': 571163, 'providing staff with': 687100, 'staff with proper': 793101, 'with proper ppe': 1000343, 'proper ppe during': 684127, 'ppe during pandemic': 667935, 'during pandemic excellent': 262868, 'pandemic excellent display': 635402, 'excellent display of': 289083, 'display of employee': 246191, 'of employee loyalty': 583076, 'employee loyalty not': 274024, 'loyalty not disgrace': 506296, 'home cyber': 400980, 'cyber safe': 223933, 'safe stronghold': 730002, 'stronghold if': 814209, 'so safely': 778144, 'make your home': 510759, 'your home cyber': 1024347, 'home cyber safe': 400981, 'cyber safe stronghold': 223934, 'safe stronghold if': 730003, 'stronghold if you': 814210, 'online do so': 608118, 'do so safely': 250103, 'so safely because': 778145, 'might be 2good2btrue': 530878, 'vancouver on': 952343, 'afternoon during': 36685, 'they limited': 882569, 'buy wa': 149434, 'how stocked': 408746, 'stocked it': 803350, 'shopping in downtown': 762961, 'downtown vancouver on': 257764, 'vancouver on saturday': 952344, 'on saturday afternoon': 603293, 'saturday afternoon during': 736997, 'afternoon during this': 36686, 'store wa busy': 811103, 'busy but they': 144880, 'but they limited': 147509, 'they limited the': 882570, 'limited the amount': 492745, 'allowed inside and': 46172, 'inside and have': 439217, 'and have limit': 64253, 'on the amount': 603969, 'amount of some': 53258, 'some item you': 783157, 'can buy wa': 157845, 'buy wa shocked': 149435, 'at how stocked': 99232, 'how stocked it': 408747, 'stocked it wa': 803351, 'doorbell': 255798, 'she brings': 755906, 'brings me': 140259, 'hadn stocked': 373864, 'idiot cannot': 413482, 'my doorbell': 548030, 'doorbell and': 255799, 'ever she brings': 285500, 'she brings me': 755907, 'brings me food': 140260, 'since hadn stocked': 770634, 'hadn stocked up': 373865, 'stocked up like': 803439, 'up like other': 945317, 'other idiot cannot': 620390, 'idiot cannot get': 413483, 'ring my doorbell': 722526, 'my doorbell and': 548031, 'doorbell and we': 255800, 'can talk when': 159914, 'talk when at': 833910, 'idiot make': 413548, 'sick grocery': 768465, 'should enact': 765955, 'enact no': 275487, 'refund or': 706938, 'or return': 616897, 'any receipt': 79736, 'receipt from': 703415, 'outbreak period': 628529, 'these idiot make': 880144, 'idiot make me': 413549, 'me sick grocery': 523462, 'sick grocery store': 768466, 'enforce limit per': 276674, 'limit per customer': 492447, 'customer and should': 222099, 'and should enact': 71590, 'should enact no': 765956, 'enact no refund': 275488, 'no refund or': 565320, 'refund or return': 706939, 'or return on': 616898, 'return on any': 719875, 'on any receipt': 599406, 'any receipt from': 79737, 'receipt from the': 703416, 'the outbreak period': 862676, 'tindie': 898581, 'cheer have': 175108, 'have submitted': 382820, 'submitted support': 815821, 'support ticket': 826937, 'to tindie': 917580, 'tindie but': 898582, 'seems they': 746870, 're excluding': 698639, 'excluding covid': 289635, 'seems unlikely': 746891, 'unlikely also': 942741, 'no faq': 564192, 'faq or': 298678, 'that mention': 845145, 'mention currency': 528749, 'my reference': 549903, 'reference doe': 706489, 'doe price': 251557, 'of thin': 591887, 'cheer have submitted': 175109, 'have submitted support': 382821, 'submitted support ticket': 815822, 'support ticket to': 826938, 'ticket to tindie': 895675, 'to tindie but': 917581, 'tindie but it': 898583, 'it seems they': 460956, 'seems they re': 746871, 'they re excluding': 883028, 're excluding covid': 698640, 'excluding covid 19': 289636, '19 so it': 10645, 'it seems unlikely': 460959, 'seems unlikely also': 746892, 'unlikely also they': 942742, 'also they have': 48998, 'have no faq': 381626, 'no faq or': 564193, 'faq or anything': 298679, 'or anything that': 614381, 'anything that mention': 80897, 'that mention currency': 845146, 'mention currency at': 528750, 'currency at all': 221012, 'all for my': 42840, 'for my reference': 323744, 'my reference doe': 549904, 'reference doe price': 706490, 'doe price of': 251558, 'price of thin': 675588, 'outside customer': 629399, 'here the queue': 393662, 'queue outside customer': 694030, 'outside customer wait': 629400, 'milk or': 531752, 'starving will': 795275, 'life bought': 488532, 'which raised': 986257, 'price seeing': 676327, 'hunger make': 411149, 'have bread milk': 379839, 'bread milk or': 138531, 'milk or egg': 531754, 'or egg my': 615120, 'my kid are': 548940, 'kid are starving': 473868, 'are starving will': 90362, 'starving will we': 795276, 'save life bought': 737533, 'life bought essential': 488533, 'bought essential from': 136548, 'from the corner': 337653, 'corner store which': 203687, 'store which raised': 811276, 'which raised price': 986258, 'raised price seeing': 696031, 'price seeing my': 676328, 'seeing my child': 746378, 'my child die': 547678, 'child die of': 176058, 'of hunger make': 584911, 'hunger make me': 411150, 'want to commit': 966014, 'to commit suicide': 903083, 'hollaa': 400417, 'superannuation to': 818613, 'huge recession': 410166, 'recession reporter': 704346, 'reporter hollaa': 712616, 'hollaa try': 400418, 'what surviving': 982272, 'surviving is': 829357, 'an economics': 55592, 'economics major': 267463, 'from supermarket fight': 337480, 'supermarket fight to': 820309, 'fight to superannuation': 304927, 'to superannuation to': 915762, 'superannuation to fear': 818614, 'fear of huge': 301241, 'of huge recession': 584862, 'huge recession reporter': 410167, 'recession reporter hollaa': 704347, 'reporter hollaa try': 712617, 'hollaa try to': 400419, 'out what surviving': 627812, 'what surviving is': 982273, 'surviving is all': 829358, 'is all about': 445450, 'all about in': 41919, 'about in for': 25511, 'in for an': 423010, 'for an economics': 319278, 'an economics major': 55593, 'walkout': 965137, 'some front': 782918, 'deliver worker': 233270, 'holding strike': 400165, 'and walkout': 75151, 'pandemic some front': 636509, 'some front line': 782919, 'line grocery and': 493142, 'and deliver worker': 61091, 'deliver worker increasingly': 233271, 'worker increasingly concerned': 1007225, 'increasingly concerned over': 433766, 'concerned over their': 193211, 'over their own': 630794, 'safety are holding': 730474, 'are holding strike': 87223, 'holding strike and': 400166, 'strike and walkout': 813728, 'look free': 502378, 'comprehensive analysis': 192620, 'march issue': 515401, 'look free access': 502379, 'to the comprehensive': 916579, 'the comprehensive analysis': 851414, 'comprehensive analysis of': 192621, 'implication of and': 418561, 'price is available': 674857, 'this special 20': 890274, 'special 20 march': 787838, '20 march issue': 13143, 'march issue of': 515402, 'issue of icis': 455862, 'egghunt2020': 270050, 'outside iceland': 629454, 'iceland and': 412703, 'out never': 626621, 'see bouncer': 744972, 'bouncer outside': 136840, 'supermarket found': 820443, 'and roll': 70589, 'lucky chap': 506541, 'chap lockdownlondon': 173108, 'lockdownlondon egghunt2020': 500317, 'queue outside iceland': 694032, 'outside iceland and': 629455, 'iceland and one': 412704, 'one out never': 606807, 'out never thought': 626622, 'thought see bouncer': 893200, 'see bouncer outside': 744973, 'bouncer outside supermarket': 136841, 'outside supermarket found': 629568, 'supermarket found some': 820444, 'found some egg': 330377, 'some egg and': 782733, 'egg and roll': 269768, 'and roll so': 70591, 'roll so am': 725504, 'so am lucky': 776492, 'am lucky chap': 50204, 'lucky chap lockdownlondon': 506542, 'chap lockdownlondon egghunt2020': 173109, 'exactly if': 288739, 'arabia say': 83924, 'say foodstuff': 738645, 'foodstuff good': 318169, 'good abundant': 356683, 'abundant in': 27599, 'in 700': 419957, '700 hypermarket': 21886, 'exactly if you': 288740, 'into lockdown you': 442721, 'lockdown you need': 500183, 'on food medical': 600885, 'medical supply saudi': 526458, 'saudi arabia say': 737210, 'arabia say foodstuff': 83925, 'say foodstuff good': 738646, 'foodstuff good abundant': 318170, 'good abundant in': 356684, 'abundant in 700': 27600, 'in 700 hypermarket': 419958, 'bilyonaryofeatures': 130983, 'supermarket front': 820457, 'line cashier': 493028, 'cashier fear': 166517, 'worst bilyonaryofeatures': 1011150, 'in supermarket front': 428606, 'supermarket front line': 820458, 'front line cashier': 338563, 'line cashier fear': 493029, 'cashier fear the': 166518, 'fear the worst': 301386, 'the worst bilyonaryofeatures': 872041, 'shopping newnormal': 763324, 'grocery shopping newnormal': 365056, 'swindon': 830382, 'cognitive': 185578, 'dissonance': 246605, 'sure my': 827623, 'aunt in': 103001, 'in swindon': 428765, 'swindon think': 830383, 'think boris': 885163, 'she life': 756194, 'so doesn': 776897, 'the fuss': 856062, 'fuss cognitive': 342236, 'cognitive dissonance': 185579, 'dissonance is': 246606, 'possibly more': 665939, 'more infectious': 539539, 'infectious than': 436913, 'be so sure': 117267, 'so sure my': 778323, 'sure my aunt': 827624, 'my aunt in': 547352, 'aunt in swindon': 103002, 'in swindon think': 428766, 'swindon think boris': 830384, 'think boris is': 885164, 'boris is doing': 135462, 'job and there': 465644, 'are no empty': 88255, 'no empty supermarket': 564115, 'supermarket shelf where': 822565, 'shelf where she': 757793, 'where she life': 985167, 'she life so': 756195, 'life so doesn': 489050, 'so doesn understand': 776898, 'doesn understand all': 251984, 'all the fuss': 44759, 'the fuss cognitive': 856063, 'fuss cognitive dissonance': 342237, 'cognitive dissonance is': 185580, 'dissonance is real': 246607, 'real and possibly': 701037, 'and possibly more': 69221, 'possibly more infectious': 665940, 'more infectious than': 539540, 'infectious than covid': 436914, 'management psychology': 512619, 'psychology success': 687581, 'success health': 816201, 'health culture': 386360, '19 business management': 5483, 'business management psychology': 144032, 'management psychology success': 512620, 'psychology success health': 687582, 'success health culture': 816202, 'people filled': 647913, 'still end': 800487, 'how people filled': 408501, 'people filled up': 647914, 'filled up their': 305571, 'house with grocery': 406687, 'grocery and still': 364260, 'and still end': 72373, 'still end up': 800488, 'end up going': 276030, 'up going to': 945026, 'every week quarantinelife': 286366, 'soylentgreen': 787003, 'itspeople': 463987, 'endoftheworld': 276260, 'little worried': 495656, 'worried soylentgreen': 1010579, 'soylentgreen itspeople': 787004, 'itspeople pandemic': 463988, 'pandemic endoftheworld': 635382, 'endoftheworld lockdown': 276261, 'quarantine coronaapocalypse': 692097, 'store ha me': 808012, 'ha me little': 371252, 'me little worried': 523095, 'little worried soylentgreen': 495658, 'worried soylentgreen itspeople': 1010580, 'soylentgreen itspeople pandemic': 787005, 'itspeople pandemic endoftheworld': 463989, 'pandemic endoftheworld lockdown': 635383, 'endoftheworld lockdown quarantine': 276262, 'lockdown quarantine coronaapocalypse': 499822, 'chic': 175629, 'very tricky': 955622, 'tricky imagine': 931747, 'imagine meeting': 416753, 'meeting your': 527804, 'your bf': 1022956, 'bf in': 129291, 'his side': 397793, 'side chic': 768790, 'chic but': 175632, 'can recognize': 159401, 'him coz': 396572, 'coz he': 214533, 'in fuckin': 423145, 'but this corona': 147544, 'this corona time': 886869, 'corona time are': 204239, 'time are very': 896337, 'are very tricky': 91482, 'very tricky imagine': 955623, 'tricky imagine meeting': 931748, 'imagine meeting your': 416754, 'meeting your bf': 527805, 'your bf in': 1022957, 'bf in supermarket': 129292, 'supermarket with his': 823924, 'with his side': 998843, 'his side chic': 397794, 'side chic but': 768791, 'chic but you': 175633, 'you can recognize': 1017762, 'can recognize him': 159402, 'recognize him coz': 704638, 'him coz he': 396573, 'coz he in': 214534, 'he in fuckin': 385103, 'disgusted how': 245366, 'off canadian': 593718, 'canadian even': 160675, 'the mere': 860498, 'mere existence': 529087, 'mankind slam': 513273, 'slam high': 773481, 'end toronto': 276014, 'selling 30': 749132, '30 lysol': 17098, 'wipe ht': 996294, 'absolutely disgusted how': 27338, 'disgusted how you': 245368, 'how you continue': 409277, 'continue to rip': 201245, 'rip off canadian': 722661, 'off canadian even': 593719, 'canadian even in': 160676, 'that threatens the': 847027, 'threatens the mere': 893858, 'the mere existence': 860499, 'mere existence of': 529088, 'existence of mankind': 290273, 'of mankind slam': 586156, 'mankind slam high': 513274, 'slam high end': 773482, 'high end toronto': 395060, 'end toronto grocery': 276015, 'store for selling': 807836, 'for selling 30': 325437, 'selling 30 lysol': 749134, '30 lysol wipe': 17099, 'lysol wipe ht': 507209, 'behaviour the': 124535, 'changed pattern': 172528, 'psychology across': 687543, 'world expert': 1009529, 'say complexity': 738528, 'of variable': 592743, 'variable and': 952527, 'it magnitude': 459501, 'magnitude make': 508446, 'recovery unprecedented': 705414, 'and difficult': 61348, 'consumer behaviour the': 196603, 'behaviour the pandemic': 124536, 'pandemic ha completely': 635537, 'ha completely changed': 370221, 'completely changed pattern': 192231, 'changed pattern of': 172529, 'pattern of consumer': 644487, 'of consumer psychology': 581763, 'consumer psychology across': 198596, 'psychology across the': 687544, 'the world expert': 871865, 'world expert say': 1009530, 'expert say complexity': 291946, 'say complexity of': 738529, 'complexity of the': 192428, 'crisis the number': 218184, 'number of variable': 577011, 'of variable and': 592744, 'variable and it': 952528, 'and it magnitude': 65551, 'it magnitude make': 459502, 'magnitude make consumer': 508447, 'make consumer recovery': 509794, 'consumer recovery unprecedented': 198658, 'recovery unprecedented and': 705415, 'unprecedented and difficult': 943078, 'and difficult to': 61349, 'situation until': 772546, 'real grocerystores': 701184, 'not really scared': 571243, 'really scared of': 702547, 'whole situation until': 990329, 'situation until you': 772547, 'until you take': 943947, 'you take trip': 1021522, 'store that when': 810581, 'it really get': 460637, 'really get real': 702218, 'get real grocerystores': 347890, 'madness of': 508194, 'happened to stop': 377282, 'this madness of': 888740, 'madness of reselling': 508195, 'needed product at': 556467, 'corridor': 207647, 'joe grocery': 466415, 'in street': 428495, 'street corridor': 812941, 'corridor is': 207648, 'the trader joe': 869862, 'trader joe grocery': 928713, 'joe grocery store': 466416, 'store in street': 808396, 'in street corridor': 428496, 'street corridor is': 812942, 'corridor is temporarily': 207649, 'temporarily closed after': 837458, 'closed after an': 182958, 'after an employee': 35354, 'an employee tested': 55716, 'company announced wednesday': 190402, 'else struggling': 271898, 'ground their': 366541, 'badly behaved': 108141, 'anyone else struggling': 80295, 'else struggling to': 271899, 'struggling to ground': 814505, 'to ground their': 907019, 'ground their parent': 366542, 'their parent who': 874247, 'parent who knew': 641779, 'who knew they': 989173, 'knew they be': 476085, 'they be so': 881536, 'be so badly': 117250, 'so badly behaved': 776586, 'are expanding': 86321, 'expanding support': 290515, 'store remaining': 809800, 'coverage you': 212392, 'we are expanding': 970550, 'are expanding support': 86322, 'expanding support for': 290516, 'support for our': 826519, 'our customer amid': 622649, '19 local retail': 8362, 'retail store remaining': 718692, 'store remaining open': 809801, 'remaining open to': 709975, 'open to provide': 612600, 'provide the coverage': 686509, 'the coverage you': 852227, 'coverage you need': 212393, 'you need stop': 1020043, 'need stop by': 555650, 'stop by for': 804556, 'by for assistance': 152620, 'in starvation': 428236, 'country speaks': 211072, 'how excessive': 407824, 'excessive our': 289394, 'fact the there': 295824, 'is demand shock': 447114, 'demand shock on': 236202, 'shock on food': 759489, 'on food but': 600847, 'but no increase': 146487, 'increase in starvation': 432869, 'in starvation in': 428237, 'starvation in this': 795173, 'this country speaks': 886972, 'country speaks to': 211073, 'speaks to how': 787806, 'to how excessive': 908020, 'how excessive our': 407825, 'excessive our life': 289395, 'our life were': 623739, 'life were before': 489198, 'were before covid': 979369, 'america when': 51740, 'store target': 810507, 'please say': 660443, 'harm for': 378395, 'america when you': 51742, 'grocery store target': 365837, 'store target walmart': 810509, 'target walmart costco': 834529, 'or any business': 614338, 'any business that': 78992, 'business that is': 144480, 'that is open': 844634, 'is open please': 450575, 'open please say': 612451, 'please say thank': 660444, 'the employee who': 854272, 'working and making': 1008502, 'for to have': 327221, 'to have what': 907337, 'we need they': 972559, 'life in harm': 488761, 'in harm for': 423555, 'harm for nyc': 378396, 'amazing local': 50734, 'ordering gift': 618974, 'continue supporting our': 201140, 'supporting our amazing': 827165, 'our amazing local': 622060, 'amazing local business': 50735, '19 ordering gift': 9038, 'ordering gift card': 618975, 'card to go': 163679, 'go and shopping': 353287, 'online are some': 607874, 'continue supporting your': 201142, 'supporting your favorite': 827241, 'uhmm': 938092, 'extent enhanced': 293320, 'quarantine could': 692108, 'you uhmm': 1021951, 'uhmm listing': 938093, 'listing item': 494859, 'item based': 463144, 'so mom': 777743, 'mom can': 535705, 'product tomorrow': 681775, '19 quarantinelife': 9923, 'quarantinelife stayathome': 693012, 'stayathome marketcrash': 797537, 'marketcrash stayhomechallenge': 517424, 'what extent enhanced': 981444, 'extent enhanced community': 293321, 'community quarantine could': 190051, 'quarantine could take': 692109, 'could take you': 209753, 'take you uhmm': 832812, 'you uhmm listing': 1021952, 'uhmm listing item': 938094, 'listing item based': 494860, 'item based on': 463145, 'my online window': 549585, 'window shopping so': 995717, 'shopping so mom': 763926, 'so mom can': 777744, 'mom can buy': 535706, 'buy my grocery': 148983, 'my grocery product': 548579, 'grocery product tomorrow': 364880, 'product tomorrow 19': 681776, 'tomorrow 19 quarantinelife': 923998, '19 quarantinelife stayathome': 9924, 'quarantinelife stayathome marketcrash': 693013, 'stayathome marketcrash stayhomechallenge': 797538, 'phoenixrealtor': 654871, 'realestatebroker': 701544, 'realestateinvesting': 701547, 'economyslowdown': 268385, 'economicslowdown': 267500, 'phoenixarizona': 654866, 'dropping real': 260721, 'update phoenixrealtor': 947164, 'phoenixrealtor realestatebroker': 654872, 'realestatebroker housingmarket': 701545, 'housingmarket realestateinvesting': 407177, 'realestateinvesting economyslowdown': 701548, 'economyslowdown economicimpact': 268386, 'economicimpact economicslowdown': 267420, 'economicslowdown arizona': 267501, 'arizona phoenixarizona': 92847, 'phoenixarizona economics': 654867, 'home price dropping': 401899, 'price dropping real': 673605, 'dropping real estate': 260722, 'estate housing market': 282127, 'housing market update': 407113, 'market update phoenixrealtor': 517285, 'update phoenixrealtor realestatebroker': 947165, 'phoenixrealtor realestatebroker housingmarket': 654873, 'realestatebroker housingmarket realestateinvesting': 701546, 'housingmarket realestateinvesting economyslowdown': 407178, 'realestateinvesting economyslowdown economicimpact': 701549, 'economyslowdown economicimpact economicslowdown': 268387, 'economicimpact economicslowdown arizona': 267421, 'economicslowdown arizona phoenixarizona': 267502, 'arizona phoenixarizona economics': 92848, 'hubby sister': 409876, 'sister my': 771776, 'st mary': 791730, 'mary in': 518161, 'high dependency': 395037, 'dependency unit': 237355, 'an induced': 56288, 'induced coma': 435456, 'coma on': 186969, 'on ventilator': 605033, 'ventilator with': 954638, 'fuck indoors': 339583, 'indoors will': 435437, 'after ffs': 35658, 'ffs it': 304308, 'real virus': 701447, 'we just got': 972109, 'phone to my': 655042, 'to my hubby': 910409, 'my hubby sister': 548763, 'hubby sister my': 409877, 'sister my brother': 771777, 'in law is': 424635, 'law is in': 482320, 'is in st': 448816, 'in st mary': 428221, 'st mary in': 791731, 'mary in high': 518162, 'in high dependency': 423682, 'high dependency unit': 395038, 'dependency unit in': 237356, 'unit in an': 942063, 'in an induced': 420310, 'an induced coma': 56289, 'induced coma on': 435457, 'coma on ventilator': 186970, 'on ventilator with': 605035, 'ventilator with this': 954641, '19 just stay': 8208, 'the fuck indoors': 855966, 'fuck indoors will': 339584, 'indoors will you': 435438, 'will you people': 995391, 'you people go': 1020320, 'people go supermarket': 648087, 'go supermarket and': 354175, 'supermarket and go': 818990, 'go home after': 353658, 'home after ffs': 400565, 'after ffs it': 35659, 'ffs it real': 304310, 'it real virus': 460620, 'therefore in': 879439, 'crisis these': 218207, 'cut 16': 223208, 'week adding': 975819, 'it misery': 459638, 'misery these': 534019, 'policy help': 663421, 'company executive': 190633, 'executive not': 289913, 'therefore in the': 879440, 'the crisis these': 852462, 'crisis these trader': 218209, 'trader are making': 928656, 'making effort to': 511037, 'effort to increase': 269629, 'price the ha': 676838, 'the ha cut': 856986, 'ha cut 16': 370301, 'cut 16 million': 223209, '16 million job': 4135, 'million job in': 532214, 'three week adding': 894096, 'week adding to': 975820, 'adding to it': 31710, 'to it misery': 908598, 'it misery these': 459639, 'misery these policy': 534020, 'these policy help': 880500, 'policy help oil': 663422, 'help oil company': 390176, 'oil company executive': 596690, 'company executive not': 190634, 'executive not worker': 289914, 'wickedly': 991684, 'post democrat': 666091, 'is wickedly': 453987, 'wickedly outspoken': 991685, 'all conservative': 42422, 'bank every': 109810, 'what bastard': 981085, 'believe that post': 126347, 'that post democrat': 845798, 'post democrat jane': 666092, 'garibay who is': 343668, 'who is wickedly': 989129, 'is wickedly outspoken': 453988, 'wickedly outspoken against': 991686, 'outspoken against all': 629684, 'against all conservative': 37315, 'all conservative and': 42423, 'coronavirus and went': 205506, 'went to geissler': 979153, 'the bank every': 849237, 'bank every day': 109811, 'day what bastard': 228714, 'improper': 419508, 'garnishment': 343703, 'our firm': 623073, 'firm consumer': 308329, 'attorney will': 102687, 'monitor this': 537325, 'for improper': 322501, 'improper wage': 419509, 'wage garnishment': 963876, 'garnishment and': 343704, 'could harm': 209236, 'harm student': 378415, 'loan borrower': 497402, 'borrower during': 135614, 'our firm consumer': 623074, 'firm consumer protection': 308330, 'protection attorney will': 685346, 'attorney will continue': 102688, 'continue to investigate': 201214, 'investigate and monitor': 443793, 'and monitor this': 67122, 'monitor this situation': 537326, 'situation and be': 772178, 'lookout for improper': 503082, 'for improper wage': 322502, 'improper wage garnishment': 419510, 'wage garnishment and': 963877, 'garnishment and other': 343705, 'and other issue': 68350, 'issue that could': 455960, 'that could harm': 843351, 'could harm student': 209237, 'harm student loan': 378416, 'student loan borrower': 814722, 'loan borrower during': 497403, 'borrower during the': 135615, 'escorted': 280344, 'fraservalley': 331211, 'normal brother': 567101, 'brother escorted': 141053, 'escorted me': 280345, 'store brought': 806769, 'brought everything': 141146, 'everything home': 287839, 'home kept': 401497, 'kept mom': 473057, 'mom out': 535785, 'kitchen while': 475768, 'while wiped': 987566, 'wiped everything': 996452, 'then cleaned': 877072, 'cleaned counter': 180708, 'counter shocked': 210255, 'driving about': 259888, 'about on': 25842, 'the highway': 857364, 'highway for': 396152, 'holiday travel': 400373, 'travel fraservalley': 930370, 'new normal brother': 559148, 'normal brother escorted': 567102, 'brother escorted me': 141054, 'escorted me to': 280346, 'me to grocery': 523756, 'grocery store brought': 365259, 'store brought everything': 806770, 'brought everything home': 141147, 'everything home kept': 287840, 'home kept mom': 401498, 'kept mom out': 473058, 'mom out of': 535786, 'out of kitchen': 626771, 'of kitchen while': 585661, 'kitchen while wiped': 475769, 'while wiped everything': 987567, 'wiped everything down': 996453, 'everything down with': 287762, 'down with soap': 257502, 'water then cleaned': 969203, 'then cleaned counter': 877073, 'cleaned counter shocked': 180709, 'counter shocked at': 210256, 'of people still': 587992, 'people still driving': 649592, 'still driving about': 800467, 'driving about on': 259889, 'about on the': 25843, 'on the highway': 604161, 'the highway for': 857365, 'highway for holiday': 396153, 'for holiday travel': 322336, 'holiday travel fraservalley': 400374, 'roasting': 724610, 'understand people': 940694, 'need coffee': 554612, 'into busy': 442438, 'coffee might': 185514, 'might worry': 531173, 'worry people': 1010762, 'still roasting': 801126, 'roasting coffee': 724611, 'coffee while': 185558, 'following strict': 312857, 'strict hygiene': 813624, 'hygiene cleaning': 412065, 'cleaning method': 180981, 'guideline thank': 368473, 'the tank': 869140, 'tank coffee': 834197, 'coffee team': 185545, 'update we understand': 947311, 'we understand people': 973588, 'understand people need': 940695, 'people need coffee': 648816, 'need coffee at': 554613, 'coffee at home': 185458, 'home and going': 400645, 'going into busy': 355230, 'into busy supermarket': 442439, 'busy supermarket to': 144980, 'to buy coffee': 902207, 'buy coffee might': 148501, 'coffee might worry': 185515, 'might worry people': 531174, 'worry people so': 1010763, 'are still roasting': 90476, 'still roasting coffee': 801127, 'roasting coffee while': 724612, 'coffee while following': 185559, 'while following strict': 986844, 'following strict hygiene': 312858, 'strict hygiene cleaning': 813625, 'hygiene cleaning method': 412066, 'cleaning method in': 180982, 'method in line': 529777, 'line with government': 493577, 'with government guideline': 998655, 'government guideline thank': 360135, 'guideline thank you': 368474, 'you the tank': 1021613, 'the tank coffee': 869141, 'tank coffee team': 834198, 'if fact': 414109, 'to mingle': 910149, 'mingle with': 532982, 'with pensioner': 1000126, 'supermarket laugh': 821280, 'laugh if': 481733, 'weren true': 980422, 'true coronacrisis': 933056, 'if fact we': 414110, 'fact we have': 295841, 'special hour set': 787962, 'hour set aside': 405903, 'aside for you': 95413, 'you to mingle': 1021807, 'to mingle with': 910150, 'mingle with pensioner': 532983, 'with pensioner in': 1000127, 'local supermarket laugh': 498550, 'supermarket laugh if': 821281, 'laugh if it': 481734, 'it weren true': 462319, 'weren true coronacrisis': 980423, 'paid minimum': 634083, 'service worker why': 753116, 'worker why the': 1008244, 'hell are they': 388981, 'they paid minimum': 882866, 'paid minimum wage': 634084, 'untimely': 943954, 'defists': 232434, 'vulgories': 960801, 'prejudiced': 669856, 'sharif': 755506, 'all evil': 42716, 'evil covid': 288435, '19 dollar': 6621, 'dollar rate': 253063, 'price locust': 675085, 'locust untimely': 500577, 'untimely rain': 943955, 'rain sugar': 695756, 'sugar flour': 817453, 'flour wheat': 311187, 'wheat mafia': 982998, 'mafia rising': 508258, 'price vow': 677330, 'vow and': 960691, 'cry of': 219889, 'people incompetent': 648465, 'incompetent government': 432533, 'government tax': 360662, 'tax defists': 834962, 'defists unemployment': 232435, 'unemployment vulgories': 941313, 'vulgories prejudiced': 960802, 'prejudiced stubborn': 669857, 'stubborn attitude': 814561, 'towards opposition': 927225, 'opposition are': 613820, 'to shahbaz': 914320, 'shahbaz sharif': 754384, 'all evil covid': 42717, 'evil covid 19': 288436, 'covid 19 dollar': 212975, '19 dollar rate': 6622, 'dollar rate rising': 253064, 'rate rising price': 697364, 'rising price locust': 723269, 'price locust untimely': 675086, 'locust untimely rain': 500578, 'untimely rain sugar': 943956, 'rain sugar flour': 695757, 'sugar flour wheat': 817455, 'flour wheat mafia': 311188, 'wheat mafia rising': 982999, 'mafia rising price': 508259, 'rising price vow': 723273, 'price vow and': 677331, 'vow and cry': 960692, 'and cry of': 60787, 'cry of poor': 219891, 'poor people incompetent': 664253, 'people incompetent government': 648466, 'incompetent government tax': 432534, 'government tax defists': 360663, 'tax defists unemployment': 834963, 'defists unemployment vulgories': 232436, 'unemployment vulgories prejudiced': 941314, 'vulgories prejudiced stubborn': 960803, 'prejudiced stubborn attitude': 669858, 'stubborn attitude towards': 814562, 'attitude towards opposition': 102595, 'towards opposition are': 927226, 'opposition are all': 613821, 'are all due': 84300, 'due to shahbaz': 261944, 'to shahbaz sharif': 914321, 'of invention': 585271, 'invention so': 443633, 'your direct': 1023512, 'consumer strategy': 199166, 'necessity is the': 554236, 'is the mother': 452868, 'mother of invention': 543146, 'of invention so': 585273, 'invention so is': 443634, 'the time right': 869614, 'time right for': 897586, 'right for you': 721903, 'you to think': 1021850, 'about your direct': 26993, 'your direct to': 1023513, 'to consumer strategy': 903339, 'seeing consumer': 746256, 'habit change': 372584, 'pace that': 632960, 'that frankly': 843953, 'frankly ha': 331171, 'been observed': 121581, 'observed there': 578634, 'no precedent': 565177, 'no playbook': 565126, 'playbook and': 659264, 're seeing consumer': 699452, 'seeing consumer habit': 746257, 'consumer habit change': 197684, 'habit change at': 372585, 'change at pace': 171939, 'at pace that': 100056, 'pace that frankly': 632961, 'that frankly ha': 843954, 'frankly ha never': 331172, 'never been observed': 557901, 'been observed there': 121582, 'observed there no': 578635, 'there no precedent': 878832, 'no precedent for': 565178, 'precedent for this': 669452, 'for this there': 327075, 'there no playbook': 878829, 'no playbook and': 565127, 'playbook and so': 659265, 're just trying': 698948, 'adapt to it': 31283, 'shakira': 754473, 'shakira praise': 754476, 'praise perfume': 668862, 'perfume company': 651515, 'amid global': 52487, 'crisis shakira': 218022, 'shakira perfume': 754474, 'perfume donation': 651517, 'donation handsanitizer': 254619, 'shakira praise perfume': 754477, 'praise perfume company': 668863, 'perfume company making': 651516, 'company making hand': 190873, 'sanitizer for donation': 734899, 'donation amid global': 254535, 'amid global health': 52488, 'health crisis shakira': 386346, 'crisis shakira perfume': 218023, 'shakira perfume donation': 754475, 'perfume donation handsanitizer': 651518, 'locksouthafricadown': 500535, 'were panic': 979968, 'still okay': 800929, 'okay locksouthafricadown': 597992, 'locksouthafricadown stayathomesa': 500536, 'those who were': 892696, 'who were panic': 989964, 'were panic buying': 979969, 'buying is your': 150587, 'is your food': 454146, 'your food still': 1023928, 'food still okay': 316772, 'still okay locksouthafricadown': 800930, 'okay locksouthafricadown stayathomesa': 597993, 'locksouthafricadown stayathomesa stayhomesavelives': 500537, 'not overstock': 570880, 'leave in': 484834, 'in hunger': 423921, 'hunger once': 411159, 'once while': 605810, 'while feed': 986830, 'street dog': 812953, 'dog stayhome': 252168, 'staysafe wishing': 798960, 'everyone peace': 287264, 'peace good': 645998, 'do not overstock': 249792, 'not overstock food': 570881, 'overstock food item': 631554, 'food item so': 315231, 'can be available': 157588, 'available for everyone': 104368, 'everyone we can': 287561, 'can trust our': 160053, 'government to not': 360726, 'to not leave': 910699, 'not leave in': 570348, 'leave in hunger': 484835, 'in hunger once': 423922, 'hunger once while': 411160, 'once while feed': 605811, 'while feed the': 986831, 'feed the street': 302383, 'the street dog': 868223, 'street dog stayhome': 812954, 'dog stayhome staysafe': 252169, 'stayhome staysafe wishing': 798178, 'staysafe wishing everyone': 798961, 'wishing everyone peace': 996878, 'everyone peace good': 287265, 'peace good health': 645999, 'of rampage': 588732, 'rampage but': 696454, 'this anyone': 886377, 'food hope': 314839, 'hope something': 403626, 'something fucking': 784917, 'fucking terrible': 340028, 'terrible happens': 838405, 'you sincerely': 1021259, 'sincerely normal': 771047, 'been without': 122386, 'without egg': 1002607, 'now uklockdown': 576242, 'verge of rampage': 954769, 'of rampage but': 588733, 'rampage but ll': 696455, 'but ll just': 146298, 'll just say': 496861, 'just say this': 469704, 'say this anyone': 739360, 'this anyone who': 886378, 'hoarding food hope': 399305, 'food hope something': 314841, 'hope something fucking': 403627, 'something fucking terrible': 784918, 'fucking terrible happens': 340029, 'terrible happens to': 838406, 'happens to you': 377517, 'to you sincerely': 918922, 'you sincerely normal': 1021260, 'sincerely normal person': 771048, 'normal person who': 567260, 'ha been without': 369987, 'been without egg': 122387, 'without egg milk': 1002608, 'egg milk bread': 269918, 'bread and meat': 138401, 'and meat for': 66855, 'meat for over': 525581, 'for over week': 324333, 'over week now': 630913, 'week now uklockdown': 976595, 'husband said': 411757, 'said le': 731193, 'wearing their': 974803, 'about washington': 26843, 'washington might': 967780, 'might hit': 531039, 'the curb': 852581, 'curb make': 220561, 'optimistic think': 613938, 'problem stayhomesavelives': 679681, 'my husband said': 548792, 'husband said le': 411758, 'said le people': 731194, 'le people wearing': 483072, 'people wearing their': 650181, 'wearing their mask': 974804, 'their mask today': 873928, 'mask today at': 519432, 'store the news': 810608, 'news about washington': 560187, 'about washington might': 26844, 'washington might hit': 967781, 'might hit the': 531040, 'hit the height': 398431, 'height of the': 388808, 'of the curb': 590917, 'the curb make': 852582, 'curb make people': 220562, 'people more optimistic': 648788, 'more optimistic think': 539956, 'optimistic think this': 613939, 'be the huge': 117620, 'the huge problem': 857703, 'huge problem stayhomesavelives': 410145, 'generationalmalpractice': 345670, 'trademarked': 928634, 'markey': 517888, 'sorry generationalmalpractice': 786049, 'generationalmalpractice guru': 345671, 'guru gen': 368832, 'gen wa': 345233, 'taken long': 833025, 'find different': 306876, 'different letter': 241982, 'letter might': 487331, 'might suggest': 531130, 'suggest gen': 817509, 'gen for': 345215, 'virus wait': 958992, 'wait trademarked': 964235, 'trademarked markey': 928635, 'markey marked': 517889, 'sorry generationalmalpractice guru': 786050, 'generationalmalpractice guru gen': 345672, 'guru gen wa': 368833, 'gen wa taken': 345234, 'wa taken long': 963396, 'taken long before': 833026, '19 find different': 7009, 'find different letter': 306877, 'different letter might': 241983, 'letter might suggest': 487332, 'might suggest gen': 531131, 'suggest gen for': 817510, 'gen for virus': 345216, 'for virus wait': 327583, 'virus wait trademarked': 958993, 'wait trademarked markey': 964236, 'trademarked markey marked': 928636, 'markey marked by': 517890, 'marked by me': 515851, 'with input': 999013, 'input of': 438984, 'md liases': 522275, 'on india real': 601553, 'estate price read': 282183, 'price read this': 676102, 'read this piece': 700624, 'this piece with': 889592, 'piece with input': 656387, 'with input of': 999015, 'input of md': 438985, 'of md liases': 586318, 'md liases foras': 522276, 'canada on': 160513, 'get hung': 347269, 'is locked': 449423, 'locked because': 500465, 'ridiculous unimpressed': 721635, 'canada on hold': 160514, 'hold for hour': 399927, 'hour and then': 405421, 'then get hung': 877194, 'get hung up': 347270, 'and for what': 63167, 'for what my': 327803, 'what my card': 981893, 'my card is': 547611, 'card is locked': 163562, 'is locked because': 449424, 'locked because wa': 500466, 'because wa online': 119781, 'wa online shopping': 962848, 'shopping because all': 762174, 'is ridiculous unimpressed': 451529, 'blip': 132725, 'head advice': 385714, 'advice blip': 33330, 'blip in': 132726, 'happening don': 377347, 'don whinge': 254069, 'whinge about': 987721, 'do dont': 249234, 'food wont': 317661, 'wont run': 1004258, 'do spend': 250160, 'love it or': 504712, 'it or hate': 460145, 'or hate it': 615574, 'hate it head': 378891, 'it head advice': 458510, 'head advice blip': 385715, 'advice blip in': 33331, 'blip in our': 132727, 'but it happening': 146128, 'it happening don': 458472, 'happening don whinge': 377348, 'don whinge about': 254070, 'whinge about what': 987722, 'can do dont': 158101, 'do dont panic': 249235, 'buy food wont': 148693, 'food wont run': 317662, 'wont run out': 1004259, 'out do spend': 625969, 'do spend time': 250161, 'family do use': 297745, 'do use common': 250434, 'needing clarity': 556615, 'clarity friend': 180097, 'she isn': 756168, 'isn being': 454444, 'paid should': 634120, 'should she': 766464, 'share she': 755209, 'needing clarity friend': 556616, 'clarity friend of': 180098, 'mine is immunocompromised': 532905, 'is immunocompromised and': 448682, 'immunocompromised and work': 417455, 'had to leave': 373702, 'leave work and': 485046, 'work and stay': 1004809, 'stay home but': 796946, 'home but she': 400844, 'but she isn': 147028, 'she isn being': 756169, 'isn being paid': 454445, 'being paid should': 125529, 'paid should she': 634121, 'should she be': 766465, 'she be paid': 755878, 'be paid through': 116342, 'paid through the': 634151, 'through the government': 894742, '19 support package': 10975, 'support package if': 826748, 'package if you': 633300, 'not know please': 570300, 'know please share': 476687, 'please share she': 660493, 'share she need': 755210, 'she need an': 756229, 'need an answer': 554401, 'sanitizer cartoon': 734640, 'cartoon corona': 165511, 'hand sanitizer cartoon': 375337, 'sanitizer cartoon corona': 734641, 'cartoon corona handsanitizer': 165512, 'idea whatever': 413234, 'good idea whatever': 357225, 'idea whatever your': 413235, 'tracker for': 928272, 'state stopping': 795950, 'stopping dine': 805804, 'out the tracker': 627432, 'the tracker for': 869851, 'tracker for state': 928273, 'for state stopping': 325880, 'state stopping dine': 795951, 'stopping dine in': 805805, 'in service due': 427819, 'derelict': 237852, 'trump pull': 933774, 'tariff threat': 834624, 'to attract': 900827, 'attract vote': 102706, 'vote tariff': 960506, 'tariff never': 834603, 'never achieved': 557848, 'achieved anything': 29048, 'except pushing': 289213, 'up domestic': 944731, 'pressure the': 671237, 'highlight his': 395920, 'his erratic': 397398, 'erratic and': 280213, 'and derelict': 61240, 'derelict behaviour': 237853, 'trump pull out': 933775, 'pull out the': 688878, 'out the tariff': 627429, 'the tariff threat': 869154, 'tariff threat to': 834625, 'threat to attract': 893728, 'to attract vote': 900829, 'attract vote tariff': 102707, 'vote tariff never': 960507, 'tariff never achieved': 834604, 'never achieved anything': 557849, 'achieved anything except': 29049, 'anything except pushing': 80759, 'except pushing up': 289214, 'pushing up domestic': 690466, 'up domestic price': 944732, 'domestic price trump': 253216, 'trump is under': 933660, 'under pressure the': 940208, 'pressure the covid': 671238, 'continues to highlight': 201481, 'to highlight his': 907751, 'highlight his erratic': 395921, 'his erratic and': 397399, 'erratic and derelict': 280214, 'and derelict behaviour': 61241, 'maybe all': 521638, 'all put': 44104, 'down ya': 257514, 'that the fijian': 846729, '19 like that': 8330, 'like that gonna': 491318, 'that gonna happen': 844041, 'gonna happen sa': 356552, 'viti maybe all': 959836, 'maybe all put': 521639, 'all put the': 44106, 'price down ya': 673538, 'down ya dou': 257515, 'crunching': 219758, 'rebounding': 703337, 'gro intelligence': 364070, 'intelligence number': 441003, 'number crunching': 576861, 'crunching point': 219759, 'slowly rebounding': 774615, 'rebounding poultry': 703340, 'poultry price': 667336, 'price key': 674991, 'key indicator': 473314, 'can ramp': 159367, 'ramp back': 696432, 'up ai': 944249, 'gro intelligence number': 364071, 'intelligence number crunching': 441004, 'number crunching point': 576862, 'crunching point to': 219760, 'point to slowly': 662674, 'to slowly rebounding': 914748, 'slowly rebounding poultry': 774616, 'rebounding poultry price': 703341, 'poultry price key': 667337, 'price key indicator': 674992, 'key indicator of': 473315, 'indicator of damage': 435047, 'of damage to': 582334, 'damage to china': 225232, 'china economy and': 176633, 'economy and how': 267646, 'quickly it can': 694551, 'it can ramp': 457029, 'can ramp back': 159368, 'ramp back up': 696433, 'back up ai': 107425, 'bkk': 132010, '22mar': 15331, '12apr': 3100, 'bkk announcement': 132011, 'announcement department': 77138, 'from 22mar': 334245, '22mar to': 15332, 'to 12apr': 899480, '12apr only': 3101, 'supermarket drug': 820034, 'be opened': 116258, 'opened 19': 612699, 'bkk announcement department': 132012, 'announcement department store': 77139, 'store and market': 806293, 'and market closed': 66706, 'market closed from': 516178, 'closed from 22mar': 183139, 'from 22mar to': 334246, '22mar to 12apr': 15333, 'to 12apr only': 899481, '12apr only supermarket': 3102, 'only supermarket drug': 611220, 'supermarket drug store': 820035, 'store and take': 806363, 'and take away': 72958, 'away restaurant can': 106021, 'restaurant can be': 716354, 'can be opened': 157653, 'be opened 19': 116259, 'still joking': 800762, 'about then': 26605, 're seriously': 699487, 'seriously lacking': 751659, 'lacking common': 478684, 'sense do': 750512, 'condone panic': 193628, 'sight but': 769030, 'still making': 800826, 'making joke': 511156, 'joke will': 467166, 'their vulnerable': 875137, 'sick wakeup': 768664, 're still joking': 699595, 'still joking about': 800763, 'joking about then': 467190, 'about then you': 26606, 'you re seriously': 1020741, 're seriously lacking': 699489, 'seriously lacking common': 751660, 'lacking common sense': 478685, 'common sense do': 189456, 'sense do not': 750513, 'not condone panic': 568825, 'condone panic buying': 193629, 'buying food at': 150302, 'food at every': 313442, 'in sight but': 427940, 'sight but people': 769031, 'but people who': 146774, 'are still making': 90447, 'still making joke': 800827, 'making joke will': 511157, 'joke will not': 467167, 'will not find': 994221, 'not find it': 569424, 'find it so': 307005, 'funny when their': 341817, 'when their vulnerable': 984219, 'their vulnerable family': 875138, 'family member get': 298034, 'member get sick': 528093, 'get sick wakeup': 348005, 'crux': 219833, 'virusoutbreak': 959105, 'auto sector': 103917, 'sector at': 744102, 'at crux': 98379, 'crux of': 219834, 'europe manufacturing': 283476, 'industry providing': 436061, 'providing employment': 686977, 'employment to': 274650, 'nearly 14': 553757, '14 million': 3498, 'million virusoutbreak': 532411, 'virusoutbreak led': 959106, 'closure shook': 184026, 'shook supplychains': 759722, 'supplychains weakened': 826269, 'weakened consumer': 974062, 'dealt huge': 229713, 'huge blow': 409983, 'auto sector at': 103918, 'sector at crux': 744103, 'at crux of': 98380, 'crux of europe': 219835, 'of europe manufacturing': 583217, 'europe manufacturing industry': 283477, 'manufacturing industry providing': 513613, 'industry providing employment': 436062, 'providing employment to': 686978, 'employment to nearly': 274652, 'to nearly 14': 910504, 'nearly 14 million': 553758, '14 million virusoutbreak': 3499, 'million virusoutbreak led': 532412, 'virusoutbreak led to': 959107, 'led to factory': 485283, 'to factory closure': 905599, 'factory closure shook': 295937, 'closure shook supplychains': 184027, 'shook supplychains weakened': 759723, 'supplychains weakened consumer': 826270, 'weakened consumer confidence': 974063, 'confidence ha dealt': 193877, 'ha dealt huge': 370316, 'dealt huge blow': 229714, 'huge blow to': 409984, 'blow to industry': 133358, 'dw': 263640, 'purchase two': 689710, 'of papertowels': 587764, 'papertowels both': 641165, 'being removed': 125666, 'box by': 137028, 'employee dw': 273799, 'my local at': 549099, 'local at just': 497706, 'at just the': 99350, 'just the right': 470010, 'right time this': 722328, 'time this morning': 897920, 'morning wa able': 541526, 'to purchase two': 912555, 'purchase two package': 689711, 'two package of': 937124, 'package of toiletpaper': 633349, 'toiletpaper and one': 921726, 'package of papertowels': 633344, 'of papertowels both': 587765, 'papertowels both were': 641166, 'both were flying': 136090, 'off shelf they': 594150, 'shelf they were': 757676, 'were being removed': 979373, 'being removed from': 125667, 'removed from box': 710862, 'from box by': 334722, 'box by employee': 137029, 'by employee dw': 152473, 'rising stayathome': 723291, 'quarantine ration': 692483, 'ration los': 697707, 'of pandemic price': 587704, 'are rising stayathome': 89718, 'rising stayathome quarantine': 723292, 'stayathome quarantine ration': 797585, 'quarantine ration los': 692484, 'ration los angeles': 697708, 'saputo': 736701, 'saputo say': 736704, 'retail amid': 717804, 'saputo say demand': 736705, 'for it product': 322727, 'it product is': 460504, 'product is shifting': 681330, 'is shifting from': 451852, 'shifting from foodservice': 758536, 'to retail amid': 913444, 'retail amid covid': 717805, 'and it working': 65607, 'it working hard': 462533, 'anf': 76278, 'thuisisolatie': 895292, 'didn age': 240971, 'age well': 37916, 'least she': 484622, 'toiletpaper anf': 921736, 'anf bottle': 76279, 'wine merkel': 995843, 'merkel homequarantine': 529162, 'homequarantine thuisisolatie': 402912, 'that didn age': 843525, 'didn age well': 240972, 'age well at': 37917, 'at least she': 99542, 'least she ha': 484623, 'she ha some': 756079, 'ha some toiletpaper': 371999, 'some toiletpaper anf': 784088, 'toiletpaper anf bottle': 921737, 'anf bottle of': 76280, 'bottle of white': 136302, 'of white wine': 593123, 'white wine merkel': 987925, 'wine merkel homequarantine': 995844, 'merkel homequarantine thuisisolatie': 529163, 'source mark': 786506, 'mark knight': 515795, 'knight coronapocolypse': 476116, 'coronapocolypse toiletpaper': 205249, 'time source mark': 897725, 'source mark knight': 786507, 'mark knight coronapocolypse': 515796, 'knight coronapocolypse toiletpaper': 476117, 'coronapocolypse toiletpaper toiletpapercrisis': 205250, 'latest pod': 481494, 'pod discus': 662244, 'discus all': 244822, 'thing related': 884710, 'including hoarder': 432006, 'hoarder what': 399145, 'what trip': 982489, 'lockdown amp': 499129, 'came close': 156984, 'buying ground': 150422, 'turkey meat': 935561, 'market listen': 516689, 'the latest pod': 859137, 'latest pod discus': 481495, 'pod discus all': 662245, 'discus all thing': 244823, 'all thing related': 45077, 'thing related to': 884711, 'to the including': 916800, 'the including hoarder': 858046, 'including hoarder what': 432007, 'hoarder what trip': 399146, 'what trip to': 982490, 'is like on': 449324, 'like on lockdown': 490920, 'on lockdown amp': 601903, 'lockdown amp how': 499130, 'amp how she': 53961, 'how she came': 408656, 'she came close': 755913, 'came close to': 156985, 'close to buying': 182885, 'to buying ground': 902352, 'buying ground turkey': 150423, 'ground turkey meat': 366551, 'turkey meat on': 935562, 'meat on the': 525675, 'black market listen': 132091, 'sanzi': 736663, 'meet baby': 527421, 'baby sanzi': 106689, 'sanzi she': 736667, 'feel alone': 302558, 'the temptation': 869285, 'hoard resource': 398857, 'resource sanzi': 714870, 'sanzi need': 736664, 'need his': 555013, 'meet baby sanzi': 527422, 'baby sanzi she': 106690, 'sanzi she feel': 736668, 'she feel alone': 756028, 'feel alone and': 302559, 'alone and miss': 46813, 'miss her friend': 534148, 'her friend on': 392061, 'supermarket shelf think': 822545, 'shelf think this': 757682, 'pandemic ha everyone': 635543, 'ha everyone going': 370532, 'going crazy but': 355096, 'crazy but avoid': 215260, 'but avoid the': 145253, 'avoid the temptation': 105337, 'the temptation to': 869286, 'temptation to panic': 837740, 'or hoard resource': 615656, 'hoard resource sanzi': 398858, 'resource sanzi need': 714871, 'sanzi need his': 736666, 'need his friend': 555014, 'his friend and': 397457, 'friend and the': 333512, 'got extra': 358547, 'extra cute': 293490, 'meet cute': 527453, 'cute in': 223665, 'of quarantine got': 588657, 'quarantine got extra': 692229, 'got extra cute': 358548, 'extra cute to': 293491, 'cute to go': 223676, 'hope of covid': 403565, '19 meet cute': 8622, 'meet cute in': 527454, 'cute in the': 223666, 'in the empty': 429166, 'the empty bread': 854284, 'keepdistance': 472333, 'stayathome keepdistance': 797515, 'keepdistance socialdistancing': 472334, 'actually spend': 30959, 'or travel': 617520, 'travel maybe': 930426, 'relieve stress': 709538, 'too much online': 924938, 'shopping stayathome keepdistance': 763971, 'stayathome keepdistance socialdistancing': 797516, 'keepdistance socialdistancing when': 472335, 'socialdistancing when you': 780869, 'you find out': 1018573, 'out that you': 627340, 'that you actually': 847708, 'you actually spend': 1016815, 'actually spend more': 30960, 'than you go': 841490, 'out or travel': 626959, 'or travel maybe': 617521, 'travel maybe it': 930427, 'maybe it way': 521729, 'way to relieve': 970080, 'to relieve stress': 913147, 'adphc': 32759, 'label to': 478358, 'alcohol adphc': 40893, 'adphc towards': 32760, 'towards healthy': 927201, 'always check the': 49513, 'check the sanitizer': 174653, 'the sanitizer label': 866354, 'sanitizer label to': 735274, 'label to make': 478359, 'sure it contains': 827596, 'it contains at': 457305, '60 alcohol adphc': 20881, 'alcohol adphc towards': 40894, 'adphc towards healthy': 32761, 'towards healthy and': 927202, 'nothingleft': 573239, 'aisle everywhere': 40245, 'stockpiling emptyshelves': 803951, 'emptyshelves nothingleft': 275310, 'supermarket aisle everywhere': 818833, 'aisle everywhere supermarket': 40246, 'everywhere supermarket supermarket': 288260, 'supermarket supermarket panicbuying': 823036, 'supermarket panicbuying stockpiling': 821915, 'panicbuying stockpiling emptyshelves': 639053, 'stockpiling emptyshelves nothingleft': 803952, 'uglier': 938037, 'which global': 985866, 'an global': 56053, 'global gdp': 351960, 'faster rate': 300117, 'gfc or': 349514, 'depression q2': 237666, 'q2 will': 691429, 'even uglier': 284747, 'uglier with': 938038, 'with growth': 998702, 'europe that': 283513, 'q2 after': 691415, 'which global recession': 985867, 'global recession or': 352160, 'recession or or': 704335, 'or or or': 616409, 'or or for': 616408, 'or for now': 615365, 'it is is': 458993, 'is is an': 448996, 'is an global': 445662, 'an global gdp': 56054, 'global gdp is': 351961, 'gdp is free': 344898, 'is free falling': 447925, 'free falling at': 331814, 'falling at faster': 297214, 'at faster rate': 98634, 'faster rate than': 300118, 'rate than the': 697383, 'than the gfc': 841239, 'the gfc or': 856249, 'gfc or even': 349515, 'or even the': 615215, 'even the great': 284657, 'great depression q2': 362629, 'depression q2 will': 237667, 'q2 will be': 691430, 'will be even': 992448, 'be even uglier': 114711, 'even uglier with': 284748, 'uglier with growth': 938039, 'with growth at': 998703, 'growth at 15': 367348, 'at 15 to': 97475, 'to 20 in': 899574, '20 in europe': 13102, 'in europe that': 422654, 'europe that will': 283514, 'that will limit': 847591, 'limit the recovery': 492517, 'recovery of china': 705365, 'of china in': 581363, 'china in q2': 176729, 'in q2 after': 427155, 'q2 after an': 691416, 'after an in': 35357, 'an in q1': 56221, 'starting that': 795000, 'forget medium': 329273, 'outlet stating': 629060, 'stating the': 796310, 'state suppose': 795965, 'suppose people': 827312, 'under rug': 940229, 'poor farming': 664172, 'farming condition': 299610, 'food blame': 313756, 'trump some': 933854, 'are starting that': 90357, 'starting that the': 795001, 'we forget medium': 971589, 'forget medium outlet': 329274, 'medium outlet stating': 527205, 'outlet stating the': 629061, 'stating the unknown': 796311, 'unknown source that': 942542, 'source that wa': 786555, 'that wa in': 847289, 'the state suppose': 867811, 'state suppose people': 795966, 'suppose people want': 827313, 'it under rug': 461918, 'under rug poor': 940230, 'rug poor farming': 727095, 'poor farming condition': 664173, 'farming condition in': 299611, 'handling of stock': 376370, 'of stock food': 590163, 'stock food blame': 802126, 'food blame trump': 313757, 'blame trump some': 132314, 'downtownomaha omaha': 257773, 'omaha old': 598822, 'shelf at our': 756851, 'at our little': 100018, 'our little neighborhood': 623754, 'little neighborhood grocery': 495478, 'omaha downtownomaha omaha': 598821, 'downtownomaha omaha old': 257774, 'omaha old market': 598823, 'southeastern': 786844, 'wyoming': 1013726, 'wheeler heading': 983079, 'heading west': 385974, 'west on': 980526, 'on interstate': 601606, 'interstate 80': 442137, 'in southeastern': 428146, 'southeastern wyoming': 786845, 'wyoming march': 1013727, '22 2020': 15164, '2020 truck': 14680, 'driver continue': 259492, '18 wheeler heading': 4600, 'wheeler heading west': 983080, 'heading west on': 385975, 'west on interstate': 980527, 'on interstate 80': 601607, 'interstate 80 in': 442138, '80 in southeastern': 22590, 'in southeastern wyoming': 428147, 'southeastern wyoming march': 786846, 'wyoming march 22': 1013728, 'march 22 2020': 515178, '22 2020 truck': 15167, '2020 truck driver': 14681, 'truck driver continue': 932769, 'driver continue to': 259493, 'continue to play': 201232, 'to play vital': 911805, 'delivery of consumer': 234221, 'while fiji': 986832, 'fiji advises': 305272, 'advises consumer': 33680, 'buying while fiji': 151358, 'while fiji ha': 986833, 'fiji ha confirmed': 305283, 'ha confirmed case': 370226, 'of fiji advises': 583509, 'fiji advises consumer': 305273, 'advises consumer to': 33681, 'other consumer in': 620000, 'roving': 726561, 'literally bought': 494960, 'bought almost': 136492, 'pasta cheese': 643705, 'are basically': 84786, 'basically like': 112145, 'crisis starting': 218082, 'think those': 885711, 'those roving': 892410, 'roving murder': 726562, 'murder gang': 546152, 'gang in': 343400, 'dead are': 229134, 'pretty realistic': 671484, 'store today people': 810862, 'today people literally': 920033, 'people literally bought': 648667, 'literally bought almost': 494961, 'bought almost all': 136493, 'the pasta cheese': 863374, 'pasta cheese and': 643706, 'cheese and bread': 175163, 'and bread so': 59170, 'bread so ashamed': 138587, 'ashamed of neighbor': 95059, 'of neighbor who': 586935, 'neighbor who are': 557093, 'who are basically': 988104, 'are basically like': 84787, 'basically like everyone': 112146, 'everyone else during': 286852, 'else during this': 271681, 'this crisis starting': 887085, 'crisis starting to': 218083, 'to think those': 917389, 'think those roving': 885712, 'those roving murder': 892411, 'roving murder gang': 726563, 'murder gang in': 546153, 'gang in the': 343401, 'in the walking': 429654, 'walking dead are': 965041, 'dead are pretty': 229135, 'are pretty realistic': 89211, 'dsg9mujuhn': 261351, 'at lalege': 99401, 'lagov scam': 478971, 'scam http': 740191, 'co dsg9mujuhn': 184832, 'it to our': 461740, 'form at lalege': 329491, 'at lalege lagov': 99402, 'lalege lagov scam': 479133, 'lagov scam http': 478972, 'scam http co': 740192, 'http co dsg9mujuhn': 409759, 'worker asked': 1006451, 'from tray': 338140, 'of prepared': 588363, 'instead he': 440201, 'he stepped': 385471, 'stepped closer': 799768, 'closer coughed': 183496, 'and laughed': 65974, 'laughed saying': 481797, 'store worker asked': 811457, 'worker asked him': 1006452, 'asked him to': 95764, 'him to step': 396751, 'step back from': 799505, 'back from tray': 107018, 'from tray of': 338141, 'tray of prepared': 930739, 'of prepared food': 588364, 'prepared food instead': 670186, 'food instead he': 315086, 'instead he stepped': 440203, 'he stepped closer': 385472, 'stepped closer coughed': 799769, 'closer coughed on': 183497, 'coughed on her': 208626, 'her and laughed': 391848, 'and laughed saying': 65975, 'laughed saying he': 481798, 'saying he wa': 739602, 'wa infected with': 962402, 'something along': 784843, 'ordering everyone': 618958, 'everyone pizza': 287271, 'pizza but': 657153, 'like great': 490341, 'what good way': 981515, 'to support grocery': 915935, 'store medical and': 808939, 'medical and hospital': 526047, 'hospital staff during': 404633, 'this time would': 890716, 'time would normally': 898389, 'would normally think': 1012069, 'normally think of': 567559, 'think of something': 885459, 'of something along': 589926, 'something along the': 784844, 'along the line': 47028, 'line of ordering': 493306, 'of ordering everyone': 587347, 'ordering everyone pizza': 618959, 'everyone pizza but': 287272, 'pizza but that': 657154, 'that doesn seem': 843588, 'seem like great': 746671, 'like great idea': 490343, 'great idea about': 362724, 'idea about now': 412999, 'about now 19': 25823, 'blog highlight': 132946, 'guide we': 368376, 'the guide': 856925, 'guide detail': 368313, 'detail common': 239179, 'common hazard': 189395, 'hazard to': 384583, 'while isolating': 986964, 'latest blog highlight': 481235, 'blog highlight the': 132947, 'highlight the new': 395973, 'consumer guide we': 197673, 'guide we made': 368377, 'we made with': 972327, 'made with and': 508065, 'and the guide': 73404, 'the guide detail': 856926, 'guide detail common': 368314, 'detail common hazard': 239180, 'common hazard to': 189396, 'hazard to watch': 384584, 'for while isolating': 327843, 'while isolating with': 986965, 'isolating with child': 455166, 'with child at': 997621, 'downplays': 257685, 'morrison awareness': 541707, 'awareness advertising': 105678, 'advertising campaign': 33213, 'more akin': 538574, 'to jolly': 908693, 'jolly marketing': 467212, 'marketing exercise': 517596, 'exercise for': 290055, 'for soap': 325698, 'could indeed': 209338, 'indeed secure': 434008, 'secure same': 744457, 'same unlike': 733394, 'unlike campaign': 942697, 'for aid': 319085, 'tobacco the': 919087, 'current marketing': 221256, 'marketing grossly': 517610, 'grossly downplays': 366455, 'downplays the': 257688, 'extreme gravity': 293801, 'of auspol': 580446, 'morrison awareness advertising': 541708, 'awareness advertising campaign': 105679, 'advertising campaign is': 33214, 'campaign is more': 157233, 'is more akin': 449695, 'more akin to': 538575, 'akin to jolly': 40525, 'to jolly marketing': 908694, 'jolly marketing exercise': 467213, 'marketing exercise for': 517597, 'exercise for soap': 290056, 'for soap or': 325699, 'sanitizer if one': 735116, 'if one could': 414537, 'one could indeed': 606115, 'could indeed secure': 209339, 'indeed secure same': 434009, 'secure same unlike': 744458, 'same unlike campaign': 733395, 'unlike campaign for': 942698, 'campaign for aid': 157221, 'for aid and': 319086, 'aid and tobacco': 39358, 'and tobacco the': 74215, 'tobacco the current': 919088, 'the current marketing': 852646, 'current marketing grossly': 221257, 'marketing grossly downplays': 517611, 'grossly downplays the': 366456, 'downplays the extreme': 257689, 'the extreme gravity': 854777, 'extreme gravity of': 293802, 'gravity of auspol': 362455, 'someone mention': 784564, 'mention going': 528759, 'clothes during': 184154, 'when someone mention': 984059, 'someone mention going': 784565, 'mention going out': 528760, 'buy clothes during': 148494, 'clothes during covid': 184155, 'selkirk': 748601, 'the selkirk': 866682, 'selkirk hospital': 748602, 'op grocery': 611800, 'yesterday more': 1015799, '100 ppl': 2046, 'mention actual': 528739, 'actual sick': 30698, 'sick ppl': 768592, 'hospital compare': 404352, 'compare that': 191405, 'of practising': 588346, 'in the selkirk': 429535, 'the selkirk hospital': 866683, 'selkirk hospital and': 748603, 'hospital and co': 404280, 'and co op': 60039, 'co op grocery': 184911, 'op grocery store': 611801, 'store yesterday more': 811670, 'yesterday more than': 1015800, 'than 100 ppl': 840163, '100 ppl at': 2047, 'ppl at time': 668187, 'time in them': 897016, 'in them not': 429796, 'to mention actual': 910082, 'mention actual sick': 528740, 'actual sick ppl': 30699, 'sick ppl in': 768593, 'the hospital compare': 857520, 'hospital compare that': 404353, 'compare that to': 191406, 'that to school': 847061, 'to school where': 913902, 'school where you': 741977, 'the mean of': 860348, 'mean of practising': 524584, 'of practising social': 588347, 'leaked video': 483864, 'video people': 956864, 'keep spitting': 471957, 'one spitting': 607073, 'leaked video people': 483865, 'video people keep': 956865, 'people keep spitting': 648576, 'keep spitting on': 471958, 'spitting on thing': 789608, 'on thing to': 604591, 'thing to spread': 884902, 'virus here another': 958281, 'here another one': 392721, 'another one spitting': 77741, 'one spitting on': 607074, 'spitting on grocery': 789601, 'new bangor': 558375, 'bangor factory': 109522, 'factory start': 295995, 'the nick': 861788, 'nick of': 562584, 'time started': 897748, 'march also': 515260, 'make paper': 510302, 'towel from': 927326, 'from tissue': 338048, 'paper retail': 640677, 'retail assoc': 717853, 'assoc maine': 96833, 'maine see': 508857, 'shortage temporary': 765241, 'temporary ending': 837616, 'ending in': 276179, 'day wks': 228795, 'new bangor factory': 558376, 'bangor factory start': 109523, 'factory start making': 295996, 'start making in': 794380, 'in the nick': 429397, 'the nick of': 861789, 'nick of time': 562585, 'of time started': 592184, 'time started making': 897749, 'started making toilet': 794781, 'paper in march': 640325, 'in march also': 425076, 'march also make': 515261, 'also make paper': 48504, 'make paper towel': 510303, 'paper towel from': 640993, 'towel from tissue': 927327, 'from tissue paper': 338049, 'tissue paper retail': 899200, 'paper retail assoc': 640678, 'retail assoc maine': 717854, 'assoc maine see': 96834, 'maine see shortage': 508858, 'see shortage temporary': 745680, 'shortage temporary ending': 765242, 'temporary ending in': 837617, 'ending in coming': 276180, 'coming day wks': 188026, 'daredevil': 225936, 'hodgens': 399806, 'archiveday': 84065, 'my daredevil': 547914, 'daredevil supermarket': 225937, 'adventure via': 33110, 'via hodgens': 956019, 'hodgens archiveday': 399807, 'archiveday humor': 84066, 'humor stayathome': 410918, 'my daredevil supermarket': 547915, 'daredevil supermarket adventure': 225938, 'supermarket adventure via': 818787, 'adventure via hodgens': 33111, 'via hodgens archiveday': 956020, 'hodgens archiveday humor': 399808, 'archiveday humor stayathome': 84067, 'humor stayathome socialdistancing': 410919, 'protesting': 685950, 'bezos donated': 129277, 'million 08': 532045, '08 of': 1084, 'his 120': 397161, '120 billion': 3003, 'pandemic meanwhile': 635953, 'meanwhile amazon': 524945, 'are protesting': 89301, 'protesting for': 685953, 'jeff bezos donated': 465001, 'bezos donated 100': 129278, 'donated 100 million': 254299, '100 million 08': 1949, 'million 08 of': 532046, '08 of his': 1085, 'of his 120': 584644, 'his 120 billion': 397162, '120 billion to': 3004, 'billion to food': 130925, 'with the spike': 1001487, 'the pandemic meanwhile': 863025, 'pandemic meanwhile amazon': 635954, 'meanwhile amazon worker': 524946, 'amazon worker worldwide': 51213, 'worldwide are protesting': 1010326, 'are protesting for': 89302, 'protesting for hazard': 685954, 'pay and protective': 644737, 'gouging choice': 359286, 'price gouging choice': 674268, 'so prince': 778075, 'prince charles': 678204, 'charles ha': 173736, 'his treatment': 397875, 'treatment should': 931139, 'him down': 396589, 'getting bog': 348873, 'roll do': 725267, 'call 11': 155689, 'so prince charles': 778076, 'prince charles ha': 678205, 'charles ha his': 173737, 'ha his treatment': 370875, 'his treatment should': 397876, 'treatment should be': 931140, 'different to anyone': 242108, 'anyone else if': 80270, 'else if anyone': 271735, 'anyone see him': 80512, 'see him down': 745203, 'him down the': 396591, 'supermarket getting bog': 820496, 'getting bog roll': 348874, 'bog roll do': 133951, 'roll do not': 725268, 'forget to call': 329318, 'to call 11': 902372, 'circu': 178630, 'changing economic': 172701, 'economic circu': 267005, 'world have had': 1009624, 'had to adapt': 373659, 'adapt to rapidly': 31285, 'to rapidly changing': 912753, 'rapidly changing economic': 696965, 'changing economic circu': 172702, 'please turn': 660693, 'off fox': 593841, 're saving': 699422, 'saving might': 737925, 'worker foxnews': 1006985, 'please please turn': 660317, 'please turn off': 660694, 'turn off fox': 935715, 'off fox news': 593842, 'fox news the': 330769, 'news the life': 560868, 'the life you': 859345, 'life you re': 489247, 'you re saving': 1020732, 're saving might': 699423, 'saving might be': 737926, 'might be your': 530939, 'be your own': 118177, 'own or health': 632118, 'or health care': 615609, 'care worker hospital': 164293, 'worker hospital staff': 1007139, 'responder grocery drug': 715471, 'store worker foxnews': 811508, 'lebanese': 485180, 'commence': 188354, 'lebanese national': 485181, 'national stranded': 552620, 'stranded abroad': 812345, 'abroad due': 27156, 'home according': 400550, 'one source': 607069, 'source flight': 786478, 'to commence': 903063, 'commence on': 188355, 'are priced': 89221, 'dollar ranging': 253061, 'from 800': 334344, 'and 900': 57522, '900 in': 23383, 'lebanese national stranded': 485182, 'national stranded abroad': 552621, 'stranded abroad due': 812346, 'abroad due to': 27157, 'pandemic may have': 635941, 'return home according': 719849, 'home according to': 400551, 'to one source': 910921, 'one source flight': 607070, 'source flight are': 786479, 'flight are expected': 310432, 'expected to commence': 290967, 'to commence on': 903064, 'commence on april': 188356, 'on april and': 599445, 'april and are': 83543, 'and are priced': 58344, 'are priced in': 89222, 'priced in dollar': 677739, 'in dollar ranging': 422348, 'dollar ranging from': 253062, 'ranging from 800': 696758, 'from 800 in': 334345, '800 in economy': 22705, 'in economy class': 422488, 'economy class and': 267755, 'class and 900': 180146, 'and 900 in': 57523, '900 in business': 23384, 'reign': 708206, 'irrespective': 445023, 'empty word': 275243, 'word chaos': 1004465, 'chaos reign': 173047, 'reign with': 708207, 'with chaotic': 997606, 'chaotic testing': 173099, 'level centralised': 487533, 'centralised control': 169465, 'survival irrespective': 829047, 'irrespective of': 445024, 'market dogma': 516306, 'trump is offering': 933652, 'is offering the': 450428, 'offering the empty': 595280, 'the empty word': 854293, 'empty word chaos': 275244, 'word chaos reign': 1004466, 'chaos reign with': 173048, 'reign with chaotic': 708208, 'with chaotic testing': 997607, 'chaotic testing and': 173100, 'testing and scramble': 839441, 'scramble for ventilator': 742537, 'for ventilator at': 327539, 'ventilator at the': 954541, 'state level centralised': 795734, 'level centralised control': 487534, 'centralised control of': 169466, 'control of price': 202071, 'price and distribution': 672397, 'of essential is': 583174, 'essential is necessary': 281174, 'is necessary for': 449845, 'necessary for survival': 553992, 'for survival irrespective': 326092, 'survival irrespective of': 829048, 'irrespective of free': 445025, 'of free market': 583918, 'free market dogma': 331952, 'sunday drove': 818188, 'drove out': 260804, 'farm ve': 299206, 've supported': 953617, 'through csa': 894400, 'year wanted': 1015077, 'fridge call': 333385, 'distancing were': 247624, 'were ramping': 980028, 'on sunday drove': 603755, 'sunday drove out': 818189, 'drove out to': 260805, 'the farm ve': 854937, 'farm ve supported': 299207, 've supported through': 953618, 'supported through csa': 827072, 'through csa program': 894401, 'csa program the': 220022, 'program the past': 683302, 'few year wanted': 304194, 'year wanted to': 1015078, 'the fridge call': 855811, 'fridge call for': 333386, 'call for social': 155890, 'social distancing were': 779763, 'distancing were ramping': 247625, 'were ramping up': 980029, 'ramping up due': 696483, '19 affect my': 4835, 'affect my local': 34189, 'my local farmer': 549113, 'local farmer and': 497946, 'called negative': 156387, 'previously only': 672049, 'home overnight': 401809, 'overnight but': 631330, 'lockdown mean': 499645, 'mean some': 524647, 'some home': 783048, 'using clean': 950425, 'clean electricity': 180516, 'so called negative': 776688, 'called negative electricity': 156388, 'price have previously': 674447, 'have previously only': 382034, 'previously only been': 672050, 'only been available': 610163, 'been available to': 120714, 'available to home': 104646, 'to home overnight': 907935, 'home overnight but': 401810, 'overnight but the': 631332, 'the lockdown mean': 859615, 'lockdown mean some': 499646, 'mean some home': 524648, 'some home will': 783049, 'home will be': 402505, 'earn money while': 264801, 'money while using': 537172, 'while using clean': 987505, 'using clean electricity': 950426, 'clean electricity during': 180517, 'electricity during the': 271173, 'me around': 522448, 'around panicked': 93448, 'me around panicked': 522449, 'around panicked shopper': 93449, 'panicked shopper at': 639281, 'solidarity before': 781927, 'the gaza': 856184, 'gaza strip': 344755, 'strip each': 813819, 'donate 10': 254141, '10 ni': 1560, 'ni the': 562308, 'and together': 74234, 'raise awareness': 695817, 'impending catastrophe': 418311, 'stand in solidarity': 793533, 'in solidarity before': 428071, 'solidarity before it': 781928, 'before it will': 122900, 'will be too': 992733, 'be too late': 117764, 'late to stop': 480929, 'stop the in': 805138, 'in the gaza': 429230, 'the gaza strip': 856185, 'gaza strip each': 344756, 'strip each of': 813820, 'each of will': 264139, 'of will donate': 593168, 'will donate 10': 993238, 'donate 10 ni': 254142, '10 ni the': 1561, 'ni the price': 562309, 'price of one': 675522, 'of one bottle': 587235, 'sanitizer and together': 734446, 'and together we': 74235, 'we will raise': 973894, 'will raise awareness': 994550, 'raise awareness to': 695818, 'awareness to the': 105740, 'to the impending': 916797, 'the impending catastrophe': 857953, 'trump will': 933982, 'donald trump will': 254118, 'trump will meet': 933983, 'energy company at': 276410, 'company at the': 190479, 'edmotonians': 268729, 'all edmotonians': 42657, 'edmotonians that': 268730, 'idiot if': 413525, 'it keep': 459264, 'god dammit': 354670, 'dammit edmonton': 225298, 'edmonton alberta': 268705, 'alberta yeg': 40827, 'for all edmotonians': 319121, 'all edmotonians that': 42658, 'edmotonians that have': 268731, 'to touch everything': 917649, 'touch everything with': 926476, 'everything with there': 288115, 'with there hand': 1001628, 'there hand take': 878460, 'hand take it': 375813, 'take it look': 832250, 'it look at': 459457, 'at it and': 99314, 'it and put': 456509, 'you are idiot': 1017144, 'are idiot if': 87289, 'idiot if you': 413526, 'touch it keep': 926503, 'it keep it': 459265, 'keep it god': 471610, 'it god dammit': 458273, 'god dammit edmonton': 354671, 'dammit edmonton alberta': 225299, 'edmonton alberta yeg': 268706, 'rya': 728800, '023': 820, '8060': 22745, '4223': 18932, 'complete some': 192151, 'life admin': 488441, 'admin club': 32412, 'club with': 184502, 'with lease': 999195, 'lease query': 484296, 'query buying': 693454, 'buying selling': 150998, 'selling boat': 749184, 're rya': 699412, 'rya member': 728801, 'member then': 528216, 'our qualified': 624522, 'qualified legal': 691702, 'legal team': 485901, 'help 023': 389280, '023 8060': 821, '8060 4223': 22746, '4223 legal': 18933, 'legal org': 485883, 'time to complete': 897967, 'to complete some': 903137, 'complete some life': 192152, 'some life admin': 783194, 'life admin club': 488442, 'admin club with': 32413, 'club with lease': 184503, 'with lease query': 999196, 'lease query buying': 484297, 'query buying selling': 693455, 'buying selling boat': 150999, 'selling boat in': 749185, 'boat in need': 133722, 'of some consumer': 589892, 'some consumer advice': 782588, 'consumer advice if': 196045, 'you re rya': 1020729, 're rya member': 699413, 'rya member then': 728802, 'member then our': 528217, 'then our qualified': 877396, 'our qualified legal': 624523, 'qualified legal team': 691703, 'legal team are': 485902, 'team are ready': 835592, 'to help 023': 907438, 'help 023 8060': 389281, '023 8060 4223': 822, '8060 4223 legal': 22747, '4223 legal org': 18934, 'legal org uk': 485884, 'steaming': 799296, 'chili': 176341, 'america can': 51479, 'you cook': 1018046, 'yourself huge': 1026641, 'huge steaming': 410206, 'steaming pot': 799297, 'beef chili': 120496, 'chili and': 176342, 'and taco': 72950, 'taco salad': 831672, 'salad to': 731924, 'of epidemic': 583139, 'is paper': 450793, 'only in america': 610632, 'in america can': 420217, 'america can you': 51480, 'can you cook': 160290, 'you cook yourself': 1018047, 'cook yourself huge': 202795, 'yourself huge steaming': 1026642, 'huge steaming pot': 410207, 'steaming pot of': 799298, 'pot of beef': 666891, 'of beef chili': 580612, 'beef chili and': 120497, 'chili and taco': 176343, 'and taco salad': 72951, 'taco salad to': 831673, 'salad to go': 731925, 'go with it': 354511, 'with it in': 999071, 'middle of epidemic': 530678, 'of epidemic the': 583140, 'epidemic the only': 279453, 'only thing my': 611310, 'thing my supermarket': 884606, 'supermarket is out': 821113, 'out of is': 626764, 'of is paper': 585327, 'is paper product': 450794, 'sheriff find': 758077, 'find 18': 306753, 'in stolen': 428365, 'stolen truck': 804306, 'truck pricegouging': 932840, 'pricegouging toiletpaper': 677865, 'sheriff find 18': 758078, 'find 18 00': 306754, '18 00 pound': 4483, 'pound of toilet': 667397, 'other product in': 620772, 'product in stolen': 681297, 'in stolen truck': 428366, 'stolen truck pricegouging': 804307, 'truck pricegouging toiletpaper': 932841, 'pricegouging toiletpaper stophoarding': 677866, 'exclusive sanitizer': 289692, 'sanitizer opposed': 735473, 'opposed by': 613762, 'by kill': 152993, 'kill surrogate': 474499, 'surrogate in': 828710, 'in lab': 424568, 'lab test': 478291, 'test tv': 839220, 'and print': 69504, 'print version': 678304, 'version accessible': 954898, 'accessible here': 28336, 'exclusive sanitizer opposed': 289693, 'sanitizer opposed by': 735474, 'opposed by kill': 613763, 'by kill surrogate': 152994, 'kill surrogate in': 474500, 'surrogate in lab': 828711, 'in lab test': 424569, 'lab test tv': 478292, 'test tv and': 839221, 'tv and print': 936087, 'and print version': 69505, 'print version accessible': 678305, 'version accessible here': 954899, 'zim': 1027569, 'advice please': 33469, 'please want': 660745, 'safely wipe': 730332, 'surface doorknob': 828014, 'doorknob etc': 255818, 'sanitizer whats': 736067, 'that zim': 847782, 'zim likely': 1027570, 'advice please want': 33470, 'please want to': 660746, 'want to safely': 966107, 'to safely wipe': 913723, 'safely wipe down': 730333, 'down surface doorknob': 257242, 'surface doorknob etc': 828015, 'doorknob etc have': 255819, 'etc have no': 282582, 'have no alcohol': 381608, 'no alcohol wipe': 563601, 'alcohol wipe or': 41187, 'hand sanitizer whats': 375658, 'sanitizer whats the': 736068, 'whats the best': 982846, 'thing to use': 884906, 'use that zim': 949648, 'that zim likely': 847783, 'zim likely to': 1027571, 'likely to find': 492154, '8200': 22815, 'korea 8200': 477451, '8200 covid': 22816, 'case malaysia': 165857, 'malaysia 550': 511586, '550 covid': 20416, 'case yet': 166118, 'yet korea': 1016130, 'korea supermarket': 477505, 'never out': 558136, 'while malaysia': 987028, 'malaysia empty': 511606, 'should totally': 766595, 'totally consider': 926311, 'consider on': 195049, 'on limiting': 601849, 'necessity good': 554215, 'korea 8200 covid': 477452, '8200 covid 19': 22817, '19 case malaysia': 5689, 'case malaysia 550': 165858, 'malaysia 550 covid': 511587, '550 covid 19': 20417, '19 case yet': 5708, 'case yet korea': 166120, 'yet korea supermarket': 1016131, 'korea supermarket never': 477506, 'supermarket never out': 821593, 'never out of': 558137, 'stock while malaysia': 803191, 'while malaysia empty': 987029, 'malaysia empty shelf': 511607, 'shelf here and': 757156, 'and there the': 73852, 'government should totally': 360613, 'should totally consider': 766596, 'totally consider on': 926312, 'consider on limiting': 195050, 'on limiting some': 601850, 'limiting some necessity': 492871, 'some necessity good': 783343, 'necessity good to': 554216, 'good to every': 357875, 'anglo govs': 76439, 'govs meanwhile': 361054, 'thread is to': 893572, 'is to learn': 453217, 'lockdown but are': 499211, 'but are still': 145222, 'still taking the': 801275, 'taking the crisis': 833587, 'than anglo govs': 840341, 'anglo govs meanwhile': 76440, 'govs meanwhile in': 361055, 'meanwhile in france': 524989, 'probably all got': 679200, 'all got covid': 42987, '19 from panic': 7133, '11bn': 2732, 'retailer next': 719254, 'next ha': 561393, 'shutdown threatens': 768110, 'wipe more': 996317, 'than 11bn': 840171, '11bn off': 2733, 'off fashion': 593807, 'fashion sale': 299844, 'retailer next ha': 719255, 'next ha taken': 561394, 'ha taken the': 372152, 'close it website': 182696, 'it website the': 462292, 'website the shutdown': 975434, 'the shutdown threatens': 867136, 'shutdown threatens to': 768111, 'threatens to wipe': 893867, 'to wipe more': 918625, 'wipe more than': 996318, 'more than 11bn': 540545, 'than 11bn off': 840172, '11bn off fashion': 2734, 'off fashion sale': 593808, 'fashion sale this': 299845, 'sale this year': 732578, 'blubettysa': 133423, 'blu betty': 133415, 'betty announcement': 128652, 'announcement want': 77223, 'covid19 find': 214294, 'here enjoy': 392956, 'enjoy easy': 277129, 'with blu': 997435, 'betty blubettysa': 128654, 'blu betty announcement': 133416, 'betty announcement want': 128653, 'announcement want to': 77224, 'spread of covid19': 790663, 'of covid19 find': 582099, 'covid19 find out': 214295, 'out here enjoy': 626278, 'here enjoy easy': 392957, 'enjoy easy safe': 277130, 'easy safe online': 265757, 'shopping with blu': 764428, 'with blu betty': 997436, 'blu betty blubettysa': 133417, 'let pray': 486981, 'situation may': 772383, 'lord give': 503306, 'duty praytogether': 263607, 'praytogether bekind': 669122, 'bekindtoeachother bekindtooneanother': 126124, 'let pray for': 486982, 'pray for all': 668995, 'their best in': 872600, 'best in very': 127736, 'in very very': 430573, 'very very difficult': 955644, 'difficult situation may': 242266, 'situation may the': 772384, 'the lord give': 859728, 'lord give them': 503307, 'give them the': 350773, 'them the strength': 876396, 'strength to fulfill': 813236, 'to fulfill their': 906309, 'fulfill their duty': 340424, 'their duty praytogether': 873091, 'duty praytogether bekind': 263608, 'praytogether bekind bekindtoeachother': 669123, 'bekind bekindtoeachother bekindtooneanother': 126090, 'time india': 897029, 'five time india': 309670, 'time india irctc': 897030, 'corporateevent': 207362, 'browardcounty': 141220, 'palmbeachcounty': 634614, 'fortlauderdalecaricatureartist': 329829, '954': 23637, '695': 21530, '6578': 21405, 'your party': 1025221, 'party wedding': 643059, 'wedding corporateevent': 975558, 'corporateevent in': 207363, 'miami browardcounty': 530165, 'browardcounty palmbeachcounty': 141221, 'palmbeachcounty for': 634615, 'after giftcaricatures': 35710, 'giftcaricatures from': 350054, 'photo available': 655131, 'by fortlauderdalecaricatureartist': 152637, 'fortlauderdalecaricatureartist for': 329830, 'information 954': 437697, '954 695': 23638, '695 6578': 21531, 'caricature entertainment for': 164688, 'entertainment for your': 278563, 'for your party': 328187, 'your party wedding': 1025222, 'party wedding corporateevent': 643060, 'wedding corporateevent in': 975559, 'corporateevent in miami': 207364, 'in miami browardcounty': 425276, 'miami browardcounty palmbeachcounty': 530166, 'browardcounty palmbeachcounty for': 141222, 'palmbeachcounty for after': 634616, 'for after giftcaricatures': 319073, 'after giftcaricatures from': 35711, 'giftcaricatures from your': 350055, 'your photo available': 1025299, 'photo available by': 655132, 'available by fortlauderdalecaricatureartist': 104279, 'by fortlauderdalecaricatureartist for': 152638, 'fortlauderdalecaricatureartist for price': 329831, 'price and information': 672444, 'and information 954': 65219, 'information 954 695': 437698, '954 695 6578': 23639, 'reject moratorium': 708322, 'on recording': 603109, 'recording missed': 705132, 'missed and': 534222, 'and late': 65965, 'late payment': 480905, 'outbreak raising': 628564, 'who lose': 989234, 'take lasting': 832257, 'lasting hit': 480768, 'financial industry persuaded': 306457, 'persuaded congress to': 653270, 'congress to reject': 194544, 'to reject moratorium': 913125, 'reject moratorium on': 708323, 'moratorium on recording': 538450, 'on recording missed': 603110, 'recording missed and': 705133, 'missed and late': 534223, 'and late payment': 65966, 'late payment during': 480906, 'payment during the': 645605, 'the outbreak raising': 862684, 'outbreak raising concern': 628565, 'raising concern that': 696073, 'concern that people': 193114, 'people who lose': 650315, 'who lose their': 989235, 'their job will': 873745, 'job will take': 466297, 'will take lasting': 995074, 'take lasting hit': 832258, 'lasting hit to': 480769, 'hit to their': 398479, 'their credit score': 872920, 'in factory': 422770, 'compensation he': 191562, 'deserves you': 238187, 'the investor': 858423, 'work in factory': 1005306, 'in factory and': 422771, 'maybe now he': 521761, 'now he will': 574909, 'he will get': 385667, 'and compensation he': 60216, 'compensation he deserves': 191563, 'he deserves you': 384873, 'deserves you make': 238188, 'make all this': 509659, 'all this work': 45151, 'this work not': 891497, 'work not the': 1005503, 'not the investor': 572006, 'fwd': 342575, 'hockey': 399800, 'in btwn': 421016, 'btwn helping': 141565, 'look fwd': 502382, 'fwd to': 342576, 'to playoff': 911810, 'playoff mode': 659489, 'watch hockey': 968436, 'hockey again': 399801, 'ask all': 95479, 'all fan': 42757, 'our healthcare professional': 623389, 'professional and everyone': 682399, 'everyone in btwn': 287037, 'in btwn helping': 421017, 'btwn helping in': 141566, '19 look fwd': 8469, 'look fwd to': 502383, 'fwd to when': 342578, 'to when we': 918533, 'we can switch': 971027, 'switch to playoff': 830524, 'to playoff mode': 911811, 'playoff mode and': 659490, 'mode and watch': 535156, 'and watch hockey': 75221, 'watch hockey again': 968437, 'hockey again ask': 399802, 'again ask all': 36907, 'ask all fan': 95480, 'all fan and': 42758, 'fan and player': 298501, 'and player to': 69093, 'player to join': 659343, 'in this effort': 429939, 'this effort be': 887349, 'effort be safe': 269482, 'ceidy': 168754, 'ceidy wa': 168755, 'wa emerging': 962063, 'emerging leader': 273127, 'campus at': 157329, 'year class': 1014469, 'class have': 180200, 'online she': 608969, 'she now': 756241, 'now stepping': 575904, 'up leader': 945295, 'by tutoring': 154612, 'tutoring her': 936066, 'her younger': 392545, 'younger brother': 1022679, 'brother grocery': 141063, 'crisis leadership': 217648, 'ceidy wa emerging': 168756, 'wa emerging leader': 962064, 'emerging leader on': 273128, 'leader on campus': 483506, 'on campus at': 599786, 'campus at this': 157330, 'at this year': 101267, 'this year class': 891565, 'year class have': 1014470, 'class have moved': 180201, 'moved online she': 543827, 'online she now': 608970, 'she now stepping': 756242, 'now stepping up': 575905, 'stepping up leader': 799818, 'up leader at': 945296, 'leader at home': 483435, 'at home by': 98953, 'home by tutoring': 400861, 'by tutoring her': 154613, 'tutoring her younger': 936067, 'her younger brother': 392546, 'younger brother grocery': 1022680, 'brother grocery shopping': 141064, 'her family during': 392040, '19 crisis leadership': 6274, 'sport canceled': 789909, 'virus suck': 958833, 'suck quarantinelife': 816918, 'anywhere people are': 81140, 'all sport canceled': 44406, 'sport canceled but': 789910, 'canceled but not': 160926, 'not single zombie': 571603, 'this virus suck': 891028, 'virus suck quarantinelife': 958834, 'jx': 470547, 'cbd can': 168290, 'cure nothing': 220779, 'nothing officially': 573124, 'officially national': 596011, 'consumer league': 198013, 'league in': 483853, 'in dc': 422031, 'dc talk': 228976, 'to jx': 908737, 'jx about': 470548, 'taking cbd': 833306, 'cbd claim': 168295, 'claim with': 179870, 'big grain': 129803, 'grain of': 361783, 'cbd can cure': 168291, 'can cure nothing': 158032, 'cure nothing officially': 220780, 'nothing officially national': 573125, 'officially national consumer': 596012, 'national consumer league': 552456, 'consumer league in': 198014, 'league in dc': 483854, 'in dc talk': 422032, 'dc talk to': 228977, 'talk to jx': 833880, 'to jx about': 908738, 'jx about taking': 470549, 'about taking cbd': 26302, 'taking cbd claim': 833307, 'cbd claim with': 168296, 'claim with big': 179871, 'with big grain': 997399, 'big grain of': 129804, 'grain of salt': 361784, 'porro': 664860, 'lucked': 506487, 'inkedorganics': 438759, 'letsgetthisbread': 487267, 'yeetthiswheat': 1015175, 'buttwatts': 148225, 'glutenpoweredglutes': 353144, 'porro and': 664861, 'and lucked': 66474, 'lucked out': 506488, 'out keep': 626470, 'paper ll': 640422, 'here hoarding': 393089, 'hoarding bread': 399226, 'bread inkedorganics': 138501, 'inkedorganics letsgetthisbread': 438760, 'letsgetthisbread yeetthiswheat': 487268, 'yeetthiswheat buttwatts': 1015176, 'buttwatts glutenpoweredglutes': 148226, 'glutenpoweredglutes organic': 353145, 'organic toiletpaper': 619242, 'porro and lucked': 664862, 'and lucked out': 66475, 'lucked out keep': 506489, 'out keep your': 626472, 'keep your toilet': 472289, 'toilet paper ll': 921339, 'paper ll be': 640423, 'be over here': 116299, 'over here hoarding': 630282, 'here hoarding bread': 393090, 'hoarding bread inkedorganics': 399227, 'bread inkedorganics letsgetthisbread': 138502, 'inkedorganics letsgetthisbread yeetthiswheat': 438761, 'letsgetthisbread yeetthiswheat buttwatts': 487269, 'yeetthiswheat buttwatts glutenpoweredglutes': 1015177, 'buttwatts glutenpoweredglutes organic': 148227, 'glutenpoweredglutes organic toiletpaper': 353146, 'organic toiletpaper hoarder': 619243, 'bank deposit': 109766, 'deposit box': 237493, 'food bank deposit': 313551, 'bank deposit box': 109767, 'deposit box at': 237494, 'supermarket is what': 821137, 'is what what': 453904, 'what what wrong': 982585, 'some people covid': 783509, 'people covid 19': 647570, 'say because': 738453, 'because cauliflower': 118992, 'cauliflower is': 167483, 'this same': 889946, 'chain said': 171076, 'donating million': 254476, 'million each': 532141, 'week until': 977143, 'so go': 777176, 'chain say because': 171084, 'say because cauliflower': 738454, 'because cauliflower is': 118993, 'cauliflower is in': 167484, 'supply at this': 824821, 'the year this': 872173, 'year this same': 1015021, 'this same supermarket': 889949, 'same supermarket chain': 733312, 'supermarket chain said': 819632, 'chain said it': 171077, 'it is donating': 458938, 'is donating million': 447315, 'donating million each': 254477, 'million each week': 532142, 'each week until': 264331, 'week until the': 977144, 'over so go': 630622, 'so go figure': 777177, 'builder and': 142026, 'and landlord': 65941, 'is spilling': 452162, 'spilling over': 789380, 'to builder and': 902097, 'builder and landlord': 142027, 'and landlord assessed': 65942, 'crisis is spilling': 217589, 'is spilling over': 452163, 'spilling over into': 789381, 'over into real': 630331, 'into real estate': 442928, 'estate market and': 282148, 'what this will': 982438, 'this will mean': 891429, 'wcc': 970245, 'home desk': 401071, 'desk after': 238446, 'after calm': 35450, 'calm supermarket': 156807, 'shop wcc': 761016, 'wcc ha': 970246, 'close most': 182725, 'it facility': 457923, 'considering increasing': 195384, 'increasing debt': 433576, 'debt funding': 230486, 'funding of': 341606, 'lower proposed': 505977, 'proposed rate': 684539, 'rate hike': 697249, 'bring you this': 140126, 'you this update': 1021707, 'this update from': 890938, 'update from my': 946982, 'from my work': 336533, 'my work at': 550638, 'at home desk': 98972, 'home desk after': 401072, 'desk after calm': 238447, 'after calm supermarket': 35451, 'calm supermarket shop': 156808, 'supermarket shop wcc': 822599, 'shop wcc ha': 761017, 'wcc ha moved': 970247, 'moved to close': 543834, 'to close most': 902887, 'close most of': 182726, 'of it facility': 585390, 'it facility and': 457924, 'facility and is': 295300, 'and is considering': 65395, 'is considering increasing': 446758, 'considering increasing debt': 195385, 'increasing debt funding': 433577, 'debt funding of': 230487, 'funding of cost': 341607, 'of cost to': 582000, 'cost to lower': 208139, 'to lower proposed': 909507, 'lower proposed rate': 505978, 'proposed rate hike': 684540, 'rate hike of': 697250, 'hike of per': 396238, 'of per cent': 588033, 'hangingstone': 376975, 'sagd': 730889, 'down hangingstone': 256815, 'hangingstone sagd': 376976, 'sagd oilsands': 730890, 'cut staff': 223551, 'staff calgary': 792287, 'calgary athabasca': 155415, 'oil corp': 596703, 'corp is': 207201, 'suspending operation': 829658, 'it hangingstone': 458458, 'oilsands operation': 597727, 'shut down hangingstone': 767828, 'down hangingstone sagd': 256816, 'hangingstone sagd oilsands': 376977, 'sagd oilsands project': 730892, 'oilsands project and': 597730, 'project and cut': 683472, 'and cut staff': 60886, 'cut staff calgary': 223552, 'staff calgary athabasca': 792288, 'calgary athabasca oil': 155416, 'athabasca oil corp': 101739, 'oil corp is': 596704, 'corp is suspending': 207202, 'is suspending operation': 452508, 'suspending operation at': 829659, 'operation at it': 613147, 'at it hangingstone': 99326, 'it hangingstone sagd': 458459, 'sagd oilsands operation': 730891, 'oilsands operation due': 597728, 'company say it': 191050, 'piling you': 656641, 'selfish unfair': 748304, 'unfair on': 941425, 've piled': 953438, 'stock piling you': 802680, 'piling you are': 656642, 'all selfish unfair': 44273, 'selfish unfair on': 748305, 'unfair on people': 941426, 'who genuinely need': 988767, 'you ve piled': 1022055, 've piled up': 953439, 'piled up like': 656552, 'up like it': 945314, 'encourage no': 275608, 'we encourage no': 971450, 'encourage no patent': 275609, 'vaccine rationing due': 951758, 'vta ha': 960776, 'urged for': 948259, 'demand prompted': 236092, 'of transport': 592424, 'the vta ha': 870969, 'vta ha urged': 960777, 'ha urged for': 372415, 'urged for patience': 948260, 'for patience transport': 324414, 'overtime to respond': 631650, 'respond to record': 715325, 'to record consumer': 912974, 'consumer demand prompted': 197158, 'demand prompted by': 236093, 'prompted by we': 683930, 'by we salute': 154703, 'salute the tremendous': 732860, 'tremendous effort of': 931222, 'effort of transport': 269560, 'of transport and': 592425, '19 ain': 4874, 'ain stop': 39659, 'wife from': 991922, 'she love': 756207, 'online access': 607760, 'access north': 28161, 'north la': 567663, 'vega nevada': 953822, 'covid 19 ain': 212601, '19 ain stop': 4875, 'ain stop my': 39660, 'stop my wife': 804845, 'my wife from': 550589, 'wife from what': 991923, 'what she love': 982167, 'she love shopping': 756208, 'love shopping online': 504778, 'shopping online access': 763403, 'online access north': 607761, 'access north la': 28162, 'north la vega': 567664, 'la vega nevada': 478234, 'undrstnd': 941053, 'tking': 899329, 'whch': 982957, 'prdcts': 669130, 'we undrstnd': 973593, 'undrstnd covid': 941054, 'deadly tking': 229295, 'tking every': 899330, 'home bt': 400821, 'bt kindly': 141468, 'ever growing': 285331, 'growing coverage': 367148, 'coverage by': 212336, 'citizen bcz': 178860, 'of whch': 593077, 'whch ppl': 982958, 'food prdcts': 315897, 'prdcts ty': 669131, 'sir we undrstnd': 771673, 'we undrstnd covid': 973594, 'undrstnd covid 19': 941055, 'is deadly tking': 447047, 'deadly tking every': 229296, 'tking every precaution': 899331, 'every precaution by': 286121, 'at home bt': 98951, 'home bt kindly': 400822, 'bt kindly reduce': 141469, 'reduce the ever': 705961, 'the ever growing': 854616, 'ever growing coverage': 285332, 'growing coverage by': 367149, 'coverage by these': 212337, 'by these medium': 154512, 'among citizen bcz': 52990, 'citizen bcz of': 178861, 'bcz of whch': 113390, 'of whch ppl': 593078, 'whch ppl hoarding': 982959, 'ppl hoarding good': 668250, 'and food prdcts': 63077, 'food prdcts ty': 315898, 'for 22nd': 318766, '22nd day': 15341, 'stagnant for 22nd': 793273, 'for 22nd day': 318767, '22nd day today': 15342, 'day today amid': 228595, 'today amid lockdown': 919187, 'virus germany': 958227, 'corona virus germany': 204310, 'virus germany people': 958228, 'germany people across': 346340, 'people across germany': 646755, 'across germany are': 29336, '1977': 12435, 'of part': 587787, 'is 1977': 445177, '1977 and': 12436, 'and star': 72233, 'the theatre': 869412, 'theatre sanfrancisco': 872280, 'sanfrancisco shelterinplace': 733778, 'time of part': 897353, 'of part of': 587788, 'part of waiting': 642391, 'it is 1977': 458855, 'is 1977 and': 445178, '1977 and star': 12437, 'and star war': 72234, 'star war ha': 794076, 'war ha just': 966450, 'in the theatre': 429601, 'the theatre sanfrancisco': 869413, 'theatre sanfrancisco shelterinplace': 872281, 'spain because': 787281, 'only certain': 610233, 'usually queue': 951140, 'walk with': 964924, 'dog no': 252133, 'than 100m': 840166, '100m from': 2191, 'the apt': 848842, 'day in complete': 227793, 'in complete lockdown': 421636, 'complete lockdown in': 192116, 'lockdown in spain': 499514, 'in spain because': 428167, 'spain because of': 787282, 'because of we': 119425, 'supermarket only certain': 821769, 'only certain amount': 610234, 'at time there': 101312, 'time there usually': 897895, 'there usually queue': 879211, 'usually queue the': 951141, 'queue the pharmacy': 694086, 'pharmacy or for': 654398, 'or for short': 615367, 'short walk with': 764787, 'walk with your': 964926, 'with your dog': 1002193, 'your dog no': 1023556, 'dog no further': 252134, 'further than 100m': 342180, 'than 100m from': 840167, '100m from the': 2192, 'from the apt': 337602, 'salty': 732835, 'to showing': 914587, 'showing empathy': 767438, 'and loyalty': 66468, 'loyalty to': 506299, 'difficult world': 242359, 'supermarket loyalty': 821412, 'loyalty salty': 506297, 'salty old': 732838, 'old sea': 598462, 'sea dog': 743090, 'dog businessman': 252051, 'businessman cried': 144759, 'cried with': 216760, 'relief today': 709486, 'today localbusiness': 919822, 'you to showing': 1021837, 'to showing empathy': 914588, 'showing empathy and': 767439, 'empathy and loyalty': 273347, 'and loyalty to': 66469, 'loyalty to their': 506302, 'to their supplier': 917273, 'their supplier in': 874913, 'supplier in difficult': 824556, 'in difficult world': 422264, 'difficult world supermarket': 242360, 'world supermarket loyalty': 1010023, 'supermarket loyalty salty': 821413, 'loyalty salty old': 506298, 'salty old sea': 732839, 'old sea dog': 598463, 'sea dog businessman': 743091, 'dog businessman cried': 252052, 'businessman cried with': 144760, 'cried with relief': 216761, 'with relief today': 1000451, 'relief today localbusiness': 709487, 'chew': 175591, 'penny to': 646631, 'the wsj': 872112, 'wsj that': 1013255, 'destroying crop': 239082, 'to decreased': 904038, 'decreased wholesale': 231650, 'wholesale demand': 990435, 'see san': 745653, 'demand make': 235830, 'sense call': 750501, 'those farmer': 891993, 'farmer up': 299554, 'and chew': 59811, 'chew them': 175592, 'penny to read': 646632, 'to read in': 912830, 'in the wsj': 429695, 'the wsj that': 872113, 'wsj that farmer': 1013256, 'that farmer are': 843841, 'farmer are destroying': 299273, 'are destroying crop': 85799, 'destroying crop due': 239083, 'due to decreased': 261756, 'to decreased wholesale': 904039, 'decreased wholesale demand': 231651, 'wholesale demand but': 990436, 'demand but in': 235077, 'but in same': 146036, 'in same day': 427675, 'same day see': 733031, 'day see san': 228322, 'see san antonio': 745654, 'bank demand make': 109761, 'demand make no': 235831, 'no sense call': 565457, 'sense call those': 750503, 'call those farmer': 156160, 'those farmer up': 891994, 'farmer up and': 299555, 'up and chew': 944309, 'and chew them': 59812, 'chew them out': 175593, 'month accumulating': 537522, 'accumulating reserve': 28864, 'for month accumulating': 323507, 'month accumulating reserve': 537523, 'accumulating reserve will': 28865, 'those globalist': 892024, 'globalist sycophant': 352337, 'sycophant who': 830667, 'yesterday cry': 1015711, 'down business': 256575, 'business over': 144171, 'the cuz': 852754, 'it justtheflu': 459260, 'justtheflu are': 470533, 'like moron': 490792, 'like that those': 491339, 'that those globalist': 847012, 'those globalist sycophant': 892025, 'globalist sycophant who': 352338, 'sycophant who were': 830668, 'were just yesterday': 979825, 'just yesterday cry': 470368, 'yesterday cry about': 1015712, 'cry about why': 219840, 'about why are': 26930, 'we shutting down': 973322, 'shutting down business': 768255, 'down business over': 256576, 'business over the': 144173, 'over the cuz': 630713, 'the cuz it': 852755, 'cuz it justtheflu': 223804, 'it justtheflu are': 459261, 'justtheflu are today': 470534, 'are today looking': 91117, 'today looking like': 919839, 'looking like moron': 502958, 'like moron who': 490794, 'about their stock': 26594, 'stock price instead': 802727, 'of the million': 591245, 'of life at': 585816, 'lockdownkenya': 500305, 'kenya doesn': 472892, 'security system': 744761, 'system or': 831277, 'or manufacturing': 616060, 'lack the': 478678, 'financial muscle': 306520, 'muscle to': 546230, 'we manage': 972344, 'manage mortality': 512405, 'that 25': 842451, '00 life': 304, 'lost lockdownkenya': 503884, 'kenya doesn have': 472893, 'have the social': 383027, 'social security system': 779952, 'security system or': 744762, 'system or manufacturing': 831278, 'or manufacturing capability': 616061, 'capability to battle': 162471, 'to battle covid': 901071, '19 we lack': 11936, 'we lack the': 972170, 'lack the financial': 478679, 'the financial muscle': 855221, 'financial muscle to': 306521, 'muscle to compete': 546231, 'compete with rising': 191604, 'medical supply even': 526441, 'supply even if': 825228, 'if we manage': 415294, 'we manage mortality': 972345, 'manage mortality rate': 512406, 'mortality rate of': 541804, 'rate of that': 697322, 'of that 25': 590706, 'that 25 00': 842452, '25 00 life': 15793, '00 life lost': 305, 'life lost lockdownkenya': 488860, 'want anyone': 965720, 'any bog': 78980, 'roll roll': 725491, 'roll 19': 725153, 'don want anyone': 254037, 'want anyone in': 965721, 'in the getting': 429234, 'the getting any': 856243, 'getting any bog': 348846, 'any bog roll': 78981, 'bog roll roll': 133960, 'roll roll 19': 725492, 'downtownkc': 257769, 'long with': 501859, 'new unit': 559803, 'in progress': 427037, 'progress coming': 683366, 'coming online': 188159, 'online soon': 609403, 'market downtownkc': 516309, 'price had been': 674395, 'had been going': 372892, 'been going up': 121223, 'going up for': 355782, 'up for so': 944961, 'so long with': 777589, 'long with so': 501860, 'many new unit': 514343, 'new unit in': 559804, 'unit in progress': 942064, 'in progress coming': 427038, 'progress coming online': 683367, 'coming online soon': 188160, 'online soon it': 609404, 'soon it will': 785758, 'how the affect': 408801, 'the affect the': 848401, 'affect the rental': 34251, 'rental market downtownkc': 711242, 'fitch ha': 309508, 'slashed india': 773634, 'india growth': 434435, 'business shutdown': 144378, 'spending after': 788722, 'fitch ha slashed': 309509, 'ha slashed india': 371968, 'slashed india growth': 773635, 'india growth forecast': 434436, 'growth forecast to': 367373, 'forecast to for': 328878, 'year 2020 in': 1014332, 'wake of business': 964589, 'of business shutdown': 580967, 'business shutdown and': 144379, 'shutdown and lower': 767988, 'consumer spending after': 199043, 'spending after the': 788723, 'after the breakout': 36289, 'keep motoring': 471679, 'motoring on': 543352, 'safe keep motoring': 729792, 'keep motoring on': 471680, 'homemade toiletpaper': 402854, 'toiletpaper tutorial': 922781, 'tutorial suck': 936061, 'suck staysafe': 816930, 'homemade toiletpaper tutorial': 402855, 'toiletpaper tutorial suck': 922782, 'tutorial suck staysafe': 936062, 'stockvisibility': 804228, 'supportingretail': 827244, 'or dealing': 614894, 'demand retailer': 236146, 'being highly': 125244, 'highly affected': 396033, 'address supply': 32029, 'challenge stockvisibility': 171560, 'stockvisibility supportingretail': 804229, 'supportingretail supplychain': 827245, 'whether it closing': 985519, 'it closing store': 457196, 'closing store or': 183764, 'store or dealing': 809323, 'or dealing with': 614895, 'dealing with high': 229670, 'high demand retailer': 395027, 'demand retailer are': 236148, 'are being highly': 84870, 'being highly affected': 125245, 'highly affected by': 396034, 'consumer behaviour we': 196608, 'behaviour we look': 124554, 'they can address': 881605, 'can address supply': 157377, 'address supply chain': 32030, 'chain challenge stockvisibility': 170589, 'challenge stockvisibility supportingretail': 171561, 'stockvisibility supportingretail supplychain': 804230, 'be toll': 117757, 'hotline to': 405265, 'are unjustified': 91320, 'unjustified minister': 942493, 'patel from': 643969, 'from dti': 335228, 'will be toll': 992732, 'be toll free': 117758, 'free hotline to': 331911, 'hotline to report': 405266, 'price that are': 676794, 'that are unjustified': 842836, 'are unjustified minister': 91321, 'unjustified minister patel': 942494, 'minister patel from': 533437, 'patel from dti': 643970, 'with arrogant': 997310, 'arrogant customer': 94025, 'human too': 410644, 'too bekind': 924608, 'respect for supermarket': 715000, 'deal with arrogant': 229538, 'with arrogant customer': 997311, 'arrogant customer especially': 94026, 'customer especially when': 222346, 'especially when they': 280661, 'are human too': 87272, 'human too bekind': 410645, 'meghan': 527849, 'salle': 732743, 'kyw': 478113, 'dr meghan': 258063, 'meghan pierce': 527850, 'pierce associate': 656402, 'marketing at': 517530, 'la salle': 478209, 'salle university': 732744, 'university and': 942407, 'marketing instructor': 517628, 'instructor for': 440583, 'nonprofit center': 566677, 'center wa': 169314, 'interviewed on': 442285, 'on kyw': 601780, 'kyw news': 478114, 'news radio': 560727, 'marketing amid': 517517, 'dr meghan pierce': 258064, 'meghan pierce associate': 527851, 'pierce associate professor': 656403, 'of marketing at': 586242, 'marketing at la': 517531, 'at la salle': 99399, 'la salle university': 478210, 'salle university and': 732745, 'university and marketing': 942408, 'and marketing instructor': 66726, 'marketing instructor for': 517629, 'instructor for the': 440584, 'for the nonprofit': 326585, 'the nonprofit center': 861844, 'nonprofit center wa': 566678, 'center wa interviewed': 169315, 'wa interviewed on': 962424, 'interviewed on kyw': 442286, 'on kyw news': 601781, 'kyw news radio': 478115, 'news radio yesterday': 560728, 'radio yesterday about': 695469, 'yesterday about consumer': 1015643, 'and marketing amid': 66720, 'marketing amid the': 517518, '19 pandemic take': 9489, 'pandemic take listen': 636616, 'abramovich': 27131, 'millennium': 532027, 'two billionaire': 936807, 'billionaire roman': 130961, 'roman abramovich': 725715, 'abramovich letting': 27132, 'letting nh': 487426, 'staff use': 793033, 'the millennium': 860617, 'millennium hotel': 532028, 'at chelsea': 98256, 'chelsea fc': 175307, 'fc for': 300716, 'isolation he': 455292, 'is covering': 446865, 'covering all': 212453, 'cost richard': 208097, 'branson expects': 138175, 'expects taxpayer': 291109, 'spend billion': 788586, 'keep virgin': 472187, 'virgin atlantic': 957644, 'atlantic afloat': 101858, 'afloat corvid19uk': 34948, 'tale of two': 833703, 'of two billionaire': 592536, 'two billionaire roman': 936808, 'billionaire roman abramovich': 130962, 'roman abramovich letting': 725716, 'abramovich letting nh': 27133, 'letting nh staff': 487427, 'nh staff use': 562109, 'staff use the': 793034, 'use the millennium': 949679, 'the millennium hotel': 860618, 'millennium hotel at': 532029, 'hotel at chelsea': 405118, 'at chelsea fc': 98257, 'chelsea fc for': 175308, 'fc for self': 300717, 'self isolation he': 747775, 'isolation he is': 455293, 'he is covering': 385118, 'is covering all': 446866, 'covering all the': 212454, 'all the cost': 44698, 'the cost richard': 851987, 'cost richard branson': 208098, 'richard branson expects': 721284, 'branson expects taxpayer': 138176, 'expects taxpayer to': 291110, 'taxpayer to spend': 835208, 'to spend billion': 914988, 'spend billion to': 788587, 'billion to keep': 130928, 'to keep virgin': 908875, 'keep virgin atlantic': 472188, 'virgin atlantic afloat': 957645, 'atlantic afloat corvid19uk': 101859, 'problem cause': 679494, 'ha way': 372462, 'no problem cause': 565190, 'problem cause ha': 679495, 'cause ha way': 167581, 'ha way with': 372463, 'and bored': 59081, 'bored you': 135383, 'support rescue': 826789, 'rescue by': 713610, 'at use': 101417, 'code corona': 185351, 'corona for': 203950, 'discount 19': 244439, 'home and bored': 400618, 'and bored you': 59082, 'bored you can': 135384, 'can support rescue': 159861, 'support rescue by': 826790, 'rescue by shopping': 713611, 'store at use': 806597, 'at use code': 101418, 'use code corona': 949119, 'code corona for': 185352, 'corona for 20': 203951, 'for 20 discount': 318727, '20 discount 19': 13035, 'american automaker': 51828, 'just beginning': 468321, 'consumer vehicle': 199442, 'vehicle demand': 954259, 'american automaker are': 51829, 'automaker are just': 103946, 'are just beginning': 87618, 'just beginning to': 468324, 'beginning to feel': 123668, 'pandemic but expert': 635043, 'worst day for': 1011167, 'day for consumer': 227619, 'for consumer vehicle': 320301, 'consumer vehicle demand': 199443, 'vehicle demand and': 954260, 'chain are ahead': 170491, 'seed seller': 746168, 'seller contacted': 749002, 'been replaced': 121818, 'replaced gave': 711602, 'refund that': 706956, 'my backup': 547380, 'backup food': 107609, 'had what': 373794, 'range not': 696709, 'the seed seller': 866640, 'seed seller contacted': 746169, 'seller contacted me': 749003, 'contacted me back': 200329, 'me back they': 522490, 'back they said': 107336, 'they said because': 883239, 'said because of': 731001, 'outbreak their stock': 628731, 'their stock had': 874831, 'stock had been': 802215, 'been in high': 121351, 'high demand had': 395012, 'demand had not': 235621, 'had not been': 373347, 'not been replaced': 568517, 'been replaced gave': 121819, 'replaced gave me': 711603, 'gave me refund': 344645, 'me refund that': 523389, 'refund that wa': 706957, 'wa my backup': 962669, 'my backup food': 547381, 'backup food plan': 107610, 'food plan and': 315858, 'plan and the': 658066, 'thing that had': 884808, 'that had what': 844159, 'had what needed': 373795, 'what needed in': 981912, 'needed in my': 556404, 'in my price': 425614, 'my price range': 549844, 'price range not': 676080, 'range not okay': 696710, 'poolsides': 664036, 'losing summer': 503587, 'summer drinking': 817969, 'drinking occasion': 258935, 'occasion due': 578938, 'to disease': 904388, '19 shutting': 10532, 'down gathering': 256801, 'at beach': 98116, 'and poolsides': 69186, 'poolsides consumer': 664037, 'firm examined': 308339, 'on alcohol': 599208, 'alcohol product': 41080, 'with the risk': 1001459, 'of losing summer': 586020, 'losing summer drinking': 503588, 'summer drinking occasion': 817970, 'drinking occasion due': 258936, 'occasion due to': 578939, 'due to disease': 261762, 'to disease covid': 904389, 'covid 19 shutting': 213797, '19 shutting down': 10533, 'shutting down gathering': 768263, 'down gathering at': 256802, 'gathering at beach': 344439, 'at beach and': 98117, 'beach and poolsides': 118188, 'and poolsides consumer': 69187, 'poolsides consumer intelligence': 664038, 'consumer intelligence firm': 197899, 'intelligence firm examined': 441000, 'firm examined the': 308340, 'examined the potential': 288835, 'of this loss': 592000, 'this loss on': 888713, 'loss on alcohol': 503761, 'on alcohol product': 599209, 'visualizes': 959645, 'this tracker': 890833, 'tracker by': 928264, 'and visualizes': 74998, 'visualizes the': 959646, 'globe and': 352440, 'this tracker by': 890834, 'tracker by and': 928265, 'by and visualizes': 151855, 'and visualizes the': 74999, 'visualizes the daily': 959647, 'the daily economic': 852777, 'daily economic impact': 224590, 'on ecommerce consumer': 600500, 'ecommerce consumer spending': 266741, 'consumer spending across': 199042, 'the globe and': 856346, 'globe and by': 352441, 'and by sector': 59379, 'equipment manufacturer': 279780, 'are demanded': 85771, 'demanded on': 236554, 'on emergency': 600540, 'emergency boost': 272612, 'of mechanical': 586381, 'mechanical ventilator': 525841, 'great peril': 362881, 'peril of': 651681, 'set standard': 753473, 'ventilator without': 954642, 'without license': 1002758, 'license to': 488162, 'product large': 681342, 'government the medical': 360679, 'medical equipment manufacturer': 526157, 'equipment manufacturer are': 279781, 'manufacturer are demanded': 513424, 'are demanded on': 85772, 'demanded on emergency': 236555, 'on emergency boost': 600541, 'emergency boost production': 272613, 'boost production of': 135000, 'production of mechanical': 682148, 'of mechanical ventilator': 586382, 'mechanical ventilator in': 525842, 'ventilator in great': 954574, 'in great peril': 423410, 'great peril of': 362882, 'peril of covid': 651683, '19 to set': 11458, 'to set standard': 914294, 'set standard of': 753474, 'standard of the': 793687, 'of the ventilator': 591586, 'the ventilator without': 870690, 'ventilator without license': 954643, 'without license to': 1002759, 'license to product': 488163, 'to product large': 912222, 'product large amount': 681343, 'amount of them': 53260, 'them at affordable': 875430, 'affordable price 19': 34868, 'worthit': 1011466, 'cream sale': 215575, 'like worthit': 491844, 'for the ice': 326487, 'the ice cream': 857810, 'ice cream sale': 412659, 'cream sale like': 215576, 'sale like worthit': 732340, 'own view': 632290, 'view convid19uk': 957079, 'convid19uk supermarket': 202632, 'my own view': 549662, 'own view convid19uk': 632291, 'view convid19uk supermarket': 957080, 'convid19uk supermarket emptyshelves': 202633, 'tiger carry': 895799, 'carry if': 165096, 'if on': 414532, 'see tiger': 745969, 'tiger roaming': 895805, 'street take': 813134, 'minimum 2m': 533166, 'distance even': 246697, 'mask stay': 519302, 'tiger carry if': 895800, 'carry if on': 165097, 'if on your': 414533, 'on your trip': 605508, 'supermarket or out': 821827, 'or out taking': 616466, 'out taking your': 627295, 'taking your daily': 833673, 'daily exercise and': 224606, 'exercise and you': 290030, 'and you happen': 76023, 'to see tiger': 914089, 'see tiger roaming': 745970, 'tiger roaming the': 895806, 'the street take': 868252, 'street take no': 813135, 'take no risk': 832363, 'no risk please': 565376, 'risk please keep': 723827, 'please keep minimum': 660154, 'keep minimum 2m': 471665, 'minimum 2m distance': 533167, '2m distance even': 16678, 'distance even if': 246698, 'it is wearing': 459127, 'wearing mask stay': 974714, 'mask stay safe': 519303, 'ussteel': 950871, 'industry steel': 436122, 'steel corporation': 799321, 'corporation ha': 207424, 'coronavirus falling': 205903, 'weak balance': 973994, 'sheet ussteel': 756628, 'ussteel pressure': 950872, 'pressure investing': 671177, 'impact the steel': 418008, 'steel industry steel': 799340, 'industry steel corporation': 436123, 'steel corporation ha': 799322, 'corporation ha been': 207425, 'ha been under': 369969, 'been under pressure': 122287, 'under pressure due': 940203, 'the coronavirus falling': 851846, 'coronavirus falling crude': 205904, 'and weak balance': 75339, 'weak balance sheet': 973995, 'balance sheet ussteel': 108988, 'sheet ussteel pressure': 756629, 'ussteel pressure investing': 950873, 'survived rationing': 829327, 'rationing we': 697883, 'end veteran': 276058, 'veteran of': 955721, 'of earlier': 582908, 'earlier trial': 264508, 'trial including': 931646, 'including tell': 432173, 'we survived rationing': 973468, 'survived rationing we': 829328, 'rationing we can': 697884, 'can survive the': 159878, 'survive the pandemic': 829253, 'pandemic the current': 636673, 'be the end': 117610, 'the end veteran': 854310, 'end veteran of': 276059, 'veteran of earlier': 955722, 'of earlier trial': 582909, 'earlier trial including': 264509, 'trial including tell': 931647, 'obscenity': 578516, 'oscar': 619693, 'the monstrous': 860840, 'monstrous obscenity': 537479, 'obscenity of': 578517, 'of kushner': 585685, 'kushner murderous': 477975, 'murderous profit': 546182, 'deadly pandemic': 229280, 'testing monopoly': 839566, 'monopoly oscar': 537438, 'oscar speaks': 619694, 'journey toward': 467490, 'toward coronavirus': 927112, 'coronavirus planning': 206557, 'the monstrous obscenity': 860841, 'monstrous obscenity of': 537480, 'obscenity of kushner': 578518, 'of kushner murderous': 585686, 'kushner murderous profit': 477976, 'murderous profit making': 546183, 'profit making an': 682801, 'making an industry': 510957, 'an industry of': 56295, 'industry of the': 436018, 'the deadly pandemic': 852949, 'deadly pandemic and': 229281, 'pandemic and testing': 634907, 'and testing monopoly': 73144, 'testing monopoly oscar': 839567, 'monopoly oscar speaks': 537439, 'oscar speaks to': 619695, 'speaks to the': 787809, 'the coronavirus experience': 851845, 'coronavirus experience and': 205899, 'consumer journey toward': 197979, 'journey toward coronavirus': 467491, 'toward coronavirus planning': 927113, 'so india': 777402, 'into total': 443249, '12 00am': 2762, '00am midnight': 664, 'midnight this': 530755, 'could spell': 209696, 'spell disaster': 788516, 'so india is': 777403, 'india is gonna': 434486, 'gonna go into': 356544, 'go into total': 353772, 'into total lockdown': 443250, 'total lockdown for': 926188, 'lockdown for 21': 499390, '21 day from': 14988, 'day from 12': 227654, 'from 12 00am': 334180, '12 00am midnight': 2763, '00am midnight this': 665, 'midnight this could': 530756, 'this could spell': 886936, 'could spell disaster': 209697, 'spell disaster for': 788517, 'disaster for lot': 244209, 'lot of low': 504222, 'of low income': 586043, 'income family who': 432337, 'not had the': 569766, 'had the ability': 373605, 'ability to stock': 24405, 'item for such': 463274, 'for such long': 325973, 'such long period': 816604, 'offer healthcare': 594648, 'free transportation': 332266, 'usually raise': 951145, 'price whenever': 677497, 'them give': 875776, 'give something': 350714, 'something back': 784861, 'else think should': 271925, 'think should offer': 885541, 'should offer healthcare': 766286, 'offer healthcare worker': 594649, 'healthcare worker free': 387360, 'worker free transportation': 1006988, 'free transportation to': 332267, 'transportation to and': 930044, 'from work if': 338411, 'work if they': 1005281, 'need it since': 555106, 'it since they': 461070, 'they usually raise': 883632, 'usually raise price': 951146, 'raise price whenever': 695935, 'price whenever they': 677498, 'whenever they feel': 984682, 'they feel like': 882103, 'like it it': 490543, 'it it would': 459186, 'to see them': 914083, 'see them give': 745914, 'them give something': 875777, 'give something back': 350715, 'something back for': 784862, 'back for change': 106990, 'just reckless': 469583, 'reckless buying': 704550, 'vermin depriving': 954839, 'no paracetamol': 565061, 'pandemic just reckless': 635847, 'just reckless buying': 469584, 'reckless buying by': 704551, 'buying by greedy': 150076, 'by greedy greedy': 152729, 'greedy greedy vermin': 363524, 'greedy vermin depriving': 363632, 'vermin depriving people': 954840, 'shelf of paper': 757365, 'of paper roll': 587759, 'paper roll toilet': 640697, 'roll toilet and': 725561, 'toilet and no': 921127, 'and no paracetamol': 67630, 'no paracetamol in': 565062, 'that ppl': 845806, 'panicbuyers auspol': 638849, 'that ppl need': 845807, 'be told that': 117749, 'supermarket and access': 818923, 'and access food': 57583, 'access food even': 28118, 'food even during': 314408, 'even during lockdown': 284026, 'during lockdown that': 262775, 'lockdown that would': 500004, 'would stop the': 1012286, 'stop the panicbuyers': 805144, 'the panicbuyers auspol': 863233, 'it remember': 460704, 'any leftover': 79405, 'leftover food': 485776, 'from irrational': 336087, 'are hoarding rice': 87205, 'hoarding rice and': 399498, 'rice and so': 721001, 'far not eating': 298867, 'not eating it': 569145, 'eating it remember': 266239, 'it remember to': 460705, 'it and any': 456482, 'and any leftover': 58216, 'any leftover food': 79406, 'leftover food you': 485777, 'you have hoarded': 1019057, 'have hoarded to': 380970, '19 resulting from': 10197, 'resulting from irrational': 717693, 'from irrational panic': 336088, 'uae entrepreneur': 937754, 'entrepreneur rush': 278951, 'meet sanitizer': 527568, 'sanitizer demand': 734738, 'demand middle': 235865, 'east battle': 265293, 'uae entrepreneur rush': 937755, 'entrepreneur rush to': 278952, 'to meet sanitizer': 910049, 'meet sanitizer demand': 527569, 'sanitizer demand middle': 734739, 'demand middle east': 235866, 'middle east battle': 530646, 'burnaby dairy': 142906, 'dairy plant': 225018, 'plant see': 658697, 'to saputo': 913762, 'saputo inc': 736702, 'inc say': 431307, 'outbreak retail': 628586, 'but order': 146709, 'service operator': 752662, 'operator fell': 613360, 'fell news': 303213, 'burnaby dairy plant': 142907, 'dairy plant see': 225019, 'plant see skyrocketing': 658698, 'see skyrocketing demand': 745691, 'skyrocketing demand due': 773420, 'due to saputo': 261933, 'to saputo inc': 913763, 'saputo inc say': 736703, 'inc say it': 431308, 'is seeing shift': 451718, 'it product amid': 460498, '19 outbreak retail': 9177, 'outbreak retail sale': 628587, 'retail sale have': 718508, 'sale have skyrocketed': 732271, 'have skyrocketed but': 382573, 'skyrocketed but order': 773356, 'but order from': 146710, 'order from food': 618256, 'from food service': 335511, 'food service operator': 316425, 'service operator fell': 752663, 'operator fell news': 613361, 'fairfield': 296417, 'wearefairfield': 974535, 'this fairfield': 887503, 'fairfield keep': 296418, 'home wearefairfield': 402465, 'wearefairfield wear': 974536, 'wear when': 974492, 'store mondaymood': 808974, 'got this fairfield': 358939, 'this fairfield keep': 887504, 'fairfield keep safe': 296419, 'keep safe keep': 471883, 'safe keep your': 729793, 'your distance and': 1023528, 'distance and stay': 246640, 'stay home wearefairfield': 797024, 'home wearefairfield wear': 402466, 'wearefairfield wear when': 974537, 'wear when buying': 974493, 'when buying essential': 983223, 'grocery store mondaymood': 365573, 'store mondaymood stayhome': 808975, 'mondaymood stayhome socialdistancing': 536438, 'stayhome socialdistancing physicaldistancing': 798116, 'godbless': 354851, 'safe everybody': 729640, 'everybody we': 286500, 'together godbless': 920804, 'so low but': 777601, 'low but what': 505168, 'good is it': 357282, 'is it when': 449074, 'be safe everybody': 116952, 'safe everybody we': 729641, 'everybody we will': 286502, 'this together godbless': 890767, 'full fuck': 340611, 'fuck fuck': 339567, 'quarantine is great': 692302, 'are full fuck': 86727, 'full fuck fuck': 340612, 'fuck fuck covid': 339568, 'employee need mask': 274050, 'need mask glove': 555207, 'sanitizer and hazard': 734410, 'thought how': 893081, 'are brand': 85048, 'brand adapting': 137712, 'for thought how': 327160, 'thought how are': 893082, 'how are brand': 407390, 'are brand adapting': 85049, 'brand adapting to': 137713, 'adapting to consumer': 31344, 'to consumer need': 903317, '19 space': 10709, 'because microdroplets': 119239, 'microdroplets remain': 530465, 'remain suspended': 709874, 'only n95': 610807, 'covid 19 space': 213835, '19 space buffer': 10710, 'doubt it because': 256205, 'it because microdroplets': 456752, 'because microdroplets remain': 119240, 'microdroplets remain suspended': 530466, 'remain suspended in': 709875, 'take is to': 832236, 'infection only n95': 436806, 'only n95 mask': 610808, 'opened earlier': 612717, 'usual giving': 950948, 'pandemic before': 634993, 'opened to': 612772, 'chain in australia': 170799, 'australia opened earlier': 103340, 'opened earlier than': 612718, 'than usual giving': 841395, 'usual giving the': 950949, 'giving the elderly': 351411, 'and disabled dedicated': 61392, 'disabled dedicated hour': 243900, 'dedicated hour to': 231716, 'hour to shop': 406036, 'to shop amid': 914445, 'shop amid the': 759832, 'the pandemic before': 862917, 'pandemic before store': 634994, 'before store opened': 123108, 'store opened to': 809273, 'opened to the': 612774, 'misspelling': 534453, 'vague': 951842, 'some red': 783710, 'flag strange': 309946, 'strange email': 812388, 'address misspelling': 31996, 'misspelling vague': 534454, 'vague greeting': 951843, 'greeting weird': 363816, 'weird link': 977769, 'you re following': 1020623, 're following and': 698694, 'following and for': 312686, 'and for up': 63166, 'date info on': 226661, 'info on covid': 437526, '19 scam if': 10343, 'scam if you': 740199, 'receive suspicious email': 703549, 'suspicious email here': 829716, 'email here are': 272201, 'are some red': 90283, 'some red flag': 783711, 'red flag strange': 705579, 'flag strange email': 309947, 'strange email address': 812389, 'email address misspelling': 272103, 'address misspelling vague': 31997, 'misspelling vague greeting': 534455, 'vague greeting weird': 951844, 'greeting weird link': 363817, 'since green': 770628, 'green alcohol': 363650, 'alcohol before': 40942, 'before alcohol': 122613, 'sanitizer lockdown': 735300, 'ever since green': 285505, 'since green alcohol': 770629, 'green alcohol before': 363651, 'alcohol before alcohol': 40943, 'before alcohol sanitizer': 122614, 'alcohol sanitizer lockdown': 41099, 'sanitizer lockdown quarantine': 735301, 'lockdown quarantine health': 499824, 'prepared covid': 670173, 'rise family': 722846, 'down prolongation': 257125, 'prolongation segovia': 683623, 'be prepared covid': 116515, 'prepared covid 19': 670174, 'case rise family': 165989, 'rise family stock': 722847, 'supply in fear': 825398, 'in fear of': 422819, 'fear of lock': 301247, 'lock down prolongation': 499048, 'down prolongation segovia': 257126, 'half gallon': 374175, 'gallon amp': 342971, 'amp gallon': 53853, 'bad milk': 107940, 'tanking farmer': 834255, 'farmer worried': 299580, 'getting needed': 349142, 'supply keeping': 825481, 'workforce healthy': 1008365, 'dairy in the': 224998, '19 the good': 11198, 'the good demand': 856432, 'good demand for': 356969, 'demand for half': 235437, 'for half gallon': 322097, 'half gallon amp': 374176, 'gallon amp gallon': 342972, 'amp gallon of': 53854, 'milk is up': 531715, 'is up like': 453574, 'up like way': 945318, 'like way way': 491768, 'way way way': 970165, 'way way up': 970164, 'up the bad': 946155, 'the bad milk': 849171, 'bad milk price': 107941, 'price are tanking': 672749, 'are tanking farmer': 90747, 'tanking farmer worried': 834256, 'farmer worried about': 299581, 'about getting needed': 25300, 'getting needed supply': 349143, 'needed supply keeping': 556507, 'supply keeping their': 825482, 'keeping their workforce': 472598, 'their workforce healthy': 875229, 'price inoculated': 674832, 'tumble but': 935299, 'but uncertainty': 147647, 'uncertainty may': 939720, 'lower spot': 505997, 'australian carbon price': 103458, 'carbon price inoculated': 163414, 'price inoculated from': 674833, 'price tumble but': 677145, 'tumble but uncertainty': 935300, 'but uncertainty may': 147648, 'uncertainty may lead': 939721, 'lead to lower': 483363, 'to lower spot': 909511, 'lower spot price': 505998, 'spot price our': 790099, 'price our latest': 675804, 'islamic': 454267, 'arabia suffers': 83936, 'suffers plummeting': 817363, 'time loosing': 897154, 'loosing revenue': 503224, 'for islamic': 322674, 'islamic holy': 454268, 'holy site': 400510, 'site tourism': 772042, 'saudi arabia suffers': 737215, 'arabia suffers plummeting': 83937, 'suffers plummeting oil': 817364, 'due to at': 261707, 'same time loosing': 733361, 'time loosing revenue': 897155, 'loosing revenue for': 503225, 'revenue for islamic': 720412, 'for islamic holy': 322675, 'islamic holy site': 454269, 'holy site tourism': 400511, '0540556339': 967, 'step ahead': 799487, 'coronavirus grab': 206002, 'grab sanitizer': 361527, 'now 0540556339': 573888, 'be step ahead': 117364, 'step ahead of': 799488, 'ahead of fighting': 39181, 'of fighting coronavirus': 583504, 'fighting coronavirus grab': 305050, 'coronavirus grab sanitizer': 206003, 'grab sanitizer now': 361528, 'sanitizer now 0540556339': 735430, 'ramnavami': 696425, 'shaheenabagh': 754385, 'who ignore': 989022, 'ignore advisory': 415813, 'advisory should': 33778, 'with strictly': 1001017, 'strictly whether': 813705, 'is ramnavami': 451220, 'ramnavami celebration': 696426, 'celebration in': 168852, 'or shaheenabagh': 617030, 'shaheenabagh in': 754386, 'delhi you': 232913, 'danger staysafestayhome': 225698, 'those who ignore': 892643, 'who ignore advisory': 989023, 'ignore advisory should': 415814, 'advisory should be': 33779, 'should be dealt': 765596, 'dealt with strictly': 229723, 'with strictly whether': 1001019, 'strictly whether it': 813706, 'it is ramnavami': 459054, 'is ramnavami celebration': 451221, 'ramnavami celebration in': 696427, 'celebration in up': 168853, 'in up or': 430459, 'up or shaheenabagh': 945686, 'or shaheenabagh in': 617031, 'shaheenabagh in delhi': 754387, 'in delhi you': 422087, 'delhi you can': 232914, 'can put life': 159351, 'put life of': 690659, 'life of thousand': 488929, 'people in danger': 648364, 'in danger staysafestayhome': 421981, 'carding': 163761, 'of dark': 582348, 'dark web': 225991, 'web chatter': 974940, 'chatter show': 174003, 'hurting travel': 411652, 'travel fraud': 930371, 'amp bank': 53432, 'bank fraud': 109850, 'fraud money': 331309, 'mule scam': 545629, 'scam but': 740089, 'online carding': 607994, 'carding amp': 163762, 'amp malware': 54099, 'malware distribution': 511892, 'distribution campaign': 248118, 'are helped': 87085, 'helped due': 391069, 'online browsing': 607952, 'browsing shopping': 141306, 'analysis of dark': 57063, 'of dark web': 582349, 'dark web chatter': 225992, 'web chatter show': 974941, 'chatter show covid': 174004, '19 is hurting': 7991, 'is hurting travel': 448643, 'hurting travel fraud': 411653, 'travel fraud scam': 930372, 'fraud scam amp': 331339, 'scam amp bank': 739988, 'amp bank fraud': 53433, 'bank fraud money': 109851, 'fraud money mule': 331310, 'money mule scam': 536899, 'mule scam but': 545630, 'scam but online': 740090, 'but online carding': 146677, 'online carding amp': 607995, 'carding amp malware': 163763, 'amp malware distribution': 54100, 'malware distribution campaign': 511893, 'distribution campaign are': 248119, 'campaign are helped': 157199, 'are helped due': 87086, 'helped due to': 391070, 'in online browsing': 426160, 'online browsing shopping': 607953, 'rohini': 725043, 'pitampura': 656992, 'marktuan': 517946, 'sir trader': 771667, 'are black': 84983, 'hoarding essential': 399280, 'in rohini': 427530, 'rohini and': 725044, 'and pitampura': 69035, 'pitampura area': 656993, 'emergency time': 273026, 'time blanket': 896403, 'blanket direction': 132382, 'and advisory': 57734, 'advisory will': 33786, 'help delhi': 389575, 'delhi news': 232906, 'news lockdown': 560591, 'lockdown consumer': 499258, 'consumer marktuan': 198108, 'dear sir trader': 229873, 'sir trader are': 771668, 'trader are black': 928652, 'are black marketing': 84984, 'marketing and hoarding': 517521, 'and hoarding essential': 64652, 'hoarding essential supply': 399283, 'supply in rohini': 825411, 'in rohini and': 427531, 'rohini and pitampura': 725045, 'and pitampura area': 69036, 'pitampura area in': 656994, 'area in these': 92075, 'in these emergency': 429840, 'these emergency time': 879958, 'emergency time blanket': 273027, 'time blanket direction': 896404, 'blanket direction and': 132383, 'direction and advisory': 243441, 'and advisory will': 57735, 'advisory will help': 33787, 'will help delhi': 993707, 'help delhi news': 389576, 'delhi news lockdown': 232907, 'news lockdown consumer': 560592, 'lockdown consumer marktuan': 499259, 'some stayed': 783944, 'stayed safe': 797872, 'distance but': 246674, 'lot didn': 504027, 'people queued': 649214, 'leeds this': 485344, 'so some stayed': 778244, 'some stayed safe': 783945, 'stayed safe distance': 797873, 'safe distance but': 729586, 'distance but lot': 246675, 'but lot didn': 146324, 'lot didn people': 504028, 'didn people queued': 241160, 'people queued to': 649215, 'queued to get': 694160, 'get into their': 347377, 'into their local': 443197, 'supermarket in leeds': 820921, 'in leeds this': 424668, 'leeds this morning': 485345, 'raja': 696165, 'kali': 470706, 'confounded': 194278, 'raja kali': 696166, 'kali and': 470707, 'major supply': 509504, 'side disruption': 768800, 'disruption are': 246445, 'are confounded': 85492, 'confounded by': 194279, 'fear consumer': 301089, 'will fiscal': 993448, 'fiscal policy': 309259, 'policy be': 663349, 'economy available': 267683, 'raja kali and': 696167, 'kali and major': 470708, 'and major supply': 66543, 'major supply and': 509505, 'demand side disruption': 236211, 'side disruption are': 768801, 'disruption are confounded': 246446, 'are confounded by': 85493, 'confounded by fear': 194280, 'by fear consumer': 152568, 'fear consumer confidence': 301090, 'confidence and plummeting': 193821, 'plummeting stock market': 661394, 'stock market will': 802456, 'market will fiscal': 517358, 'will fiscal policy': 993449, 'fiscal policy be': 309260, 'policy be enough': 663350, 'enough to revive': 277720, 'revive the economy': 720687, 'the economy available': 853937, 'economy available now': 267684, 'also true': 49037, 'true and': 933030, 'door doe': 255574, 'account it': 28709, 'bag but': 108250, 'but transferred': 147622, 'transferred from': 929549, 'delivery tray': 234687, 'tray to': 930740, 'bag you': 108462, 'is also true': 445581, 'also true and': 49038, 'true and the': 933031, 'and the idea': 73414, 'idea that if': 413184, '19 and order': 5075, 'and order online': 68245, 'order online shop': 618479, 'online shop it': 608978, 'shop it is': 760372, 'is left at': 449269, 'left at your': 485402, 'your door doe': 1023575, 'door doe not': 255575, 'doe not take': 251535, 'not take into': 571901, 'into account it': 442366, 'account it is': 28710, 'is not delivered': 450061, 'not delivered in': 568984, 'delivered in bag': 233346, 'in bag but': 420661, 'bag but transferred': 108251, 'but transferred from': 147623, 'transferred from delivery': 929550, 'from delivery tray': 335127, 'delivery tray to': 234688, 'tray to the': 930741, 'to the bag': 916505, 'the bag you': 849183, 'bag you provide': 108463, 'you provide shopping': 1020482, 'provide shopping left': 686472, 'sonny': 785545, 'homeland security': 402716, 'security declared': 744571, 'declared ag': 231217, 'ag critical': 36786, 'industry allowing': 435613, 'allowing it': 46296, 'normal ops': 567238, 'ops during': 613851, 'pandemic usda': 636889, 'usda sec': 948967, 'sec sonny': 743636, 'sonny perdue': 785548, 'perdue report': 651257, 'is performing': 450852, 'performing well': 651510, 'demand not': 235933, 'homeland security declared': 402717, 'security declared ag': 744572, 'declared ag critical': 231218, 'ag critical industry': 36787, 'critical industry allowing': 218584, 'industry allowing it': 435614, 'allowing it to': 46297, 'it to continue': 461708, 'to continue normal': 903394, 'continue normal ops': 201075, 'normal ops during': 567239, 'ops during the': 613852, '19 pandemic usda': 9516, 'pandemic usda sec': 636890, 'usda sec sonny': 948968, 'sec sonny perdue': 743637, 'sonny perdue report': 785549, 'perdue report food': 651258, 'report food system': 711946, 'food system is': 317050, 'system is performing': 831226, 'is performing well': 450853, 'performing well and': 651511, 'well and say': 978024, 'and say empty': 70993, 'say empty shelf': 738608, 'shelf are sign': 756827, 'sign of demand': 769159, 'of demand not': 582506, 'demand not supply': 235934, '925m': 23509, 'foy': 330824, 'also warned': 49077, 'take 925m': 831882, '925m hit': 23510, 'higher recruitment': 395713, 'recruitment and': 705505, 'cost here': 207965, 'what ceo': 981197, 'lewis said': 487840, 'said foy': 731079, 'foy ha': 330825, 'update the supermarket': 947257, 'supermarket ha also': 820614, 'ha also warned': 369530, 'also warned that': 49078, 'warned that it': 967029, 'it could take': 457371, 'could take 925m': 209745, 'take 925m hit': 831883, '925m hit from': 23511, 'hit from higher': 398236, 'from higher recruitment': 335795, 'higher recruitment and': 395714, 'recruitment and distribution': 705506, 'and distribution cost': 61527, 'distribution cost here': 248140, 'cost here what': 207966, 'here what ceo': 393799, 'what ceo dave': 981198, 'dave lewis said': 226963, 'lewis said foy': 487841, 'said foy ha': 731080, 'foy ha more': 330826, 'more here retail': 539431, 'gotta run': 359096, 'precaution stayathome': 669359, 'coronacrisis flattenthecurve': 204596, 'flattenthecurve avengersassemble': 310155, 'gotta run to': 359097, 'store don worry': 807365, 'worry we re': 1010799, 're taking the': 699657, 'proper precaution stayathome': 684134, 'precaution stayathome coronacrisis': 669360, 'stayathome coronacrisis flattenthecurve': 797462, 'coronacrisis flattenthecurve avengersassemble': 204597, 'navycapital': 553160, 'vccirclepremium': 952788, 'navycapital vccirclepremium': 553161, 'vccirclepremium is': 952789, 'causing an': 167987, 'only shift': 611111, 'shift among': 758228, 'startup especially': 795102, 'especially restaurant': 280584, 'navycapital vccirclepremium is': 553162, 'vccirclepremium is causing': 952790, 'is causing an': 446415, 'causing an online': 167988, 'an online only': 56622, 'online only shift': 608632, 'only shift among': 611112, 'shift among consumer': 758229, 'among consumer startup': 52994, 'consumer startup especially': 199128, 'startup especially restaurant': 795103, 'incited': 431458, '19 impossible': 7726, 'together london': 920862, 'tesco msm': 838748, 'msm incited': 544552, 'incited coronavirus': 431459, 'covid 19 impossible': 213252, '19 impossible for': 7727, 'impossible for the': 419377, 'country to come': 211160, 'come together london': 187629, 'together london supermarket': 920863, 'in tesco msm': 428880, 'tesco msm incited': 838749, 'msm incited coronavirus': 544553, 'incited coronavirus panic': 431460, 'monitor update': 537327, 'offering carry': 595032, 'option well': 614145, 'list along': 494261, 'an activity': 55087, 'activity book': 30390, 'book here': 134538, 'to monitor update': 910239, 'monitor update from': 537328, 'update from business': 946975, 'from business offering': 334755, 'business offering carry': 144127, 'offering carry out': 595033, 'out delivery and': 625943, 'delivery and pick': 233672, 'up option well': 945674, 'option well online': 614146, 'well online shopping': 978442, 'health crisis check': 386325, 'our list along': 623750, 'list along with': 494262, 'along with an': 47043, 'with an activity': 997201, 'an activity book': 55088, 'activity book here': 30391, 'watched your': 968684, 'your segment': 1025698, 'segment tonight': 747400, 'insecurity get': 439157, 'get pittsburgh': 347817, 'pittsburgh and': 657031, 'and san': 70814, 'diego they': 241629, 'statewide stay': 796287, 'but nebraska': 146447, 'nebraska doe': 553900, 'have shelter': 382506, 'high amount': 394915, 'the hi': 857310, 'watched your segment': 968685, 'your segment tonight': 1025699, 'segment tonight on': 747401, 'tonight on food': 924463, 'on food insecurity': 600875, 'food insecurity get': 315064, 'insecurity get pittsburgh': 439158, 'get pittsburgh and': 347818, 'pittsburgh and san': 657033, 'and san diego': 70815, 'san diego they': 733529, 'diego they are': 241630, 'they are dealing': 881245, 'dealing with statewide': 229693, 'with statewide stay': 1000950, 'statewide stay at': 796288, 'home and covid': 400629, '19 but nebraska': 5514, 'but nebraska doe': 146448, 'nebraska doe not': 553901, 'not have shelter': 569869, 'have shelter in': 382507, 'in place or': 426753, 'place or high': 657628, 'or high amount': 615632, 'high amount of': 394916, 'amount of covid': 53217, 'of covid case': 582094, 'covid case so': 214136, 'case so why': 166019, 'is the hi': 452819, 'jordan grocery': 467284, 'at age': 97847, 'age 27': 37787, 'said her': 731121, 'provided neither': 686634, 'neither glove': 557325, 'nor hand': 566951, 'working because': 1008536, 'people her': 648241, 'mother received': 543153, 'received leilani': 703632, 'leilani last': 486124, 'paycheck it': 645295, 'just 20': 468106, '20 64': 12912, 'leilani jordan grocery': 486119, 'jordan grocery worker': 467285, 'grocery worker died': 366170, 'worker died at': 1006780, 'died at age': 241513, 'at age 27': 97849, 'age 27 from': 37788, '27 from covid': 16282, '19 she said': 10444, 'she said her': 756306, 'said her store': 731122, 'her store provided': 392410, 'store provided neither': 809694, 'provided neither glove': 686635, 'neither glove nor': 557326, 'glove nor hand': 352812, 'nor hand sanitizer': 566952, 'hand sanitizer she': 375584, 'sanitizer she continued': 735724, 'she continued working': 755949, 'continued working because': 201372, 'working because she': 1008537, 'because she wanted': 119554, 'help people her': 390296, 'people her mother': 648242, 'her mother received': 392201, 'mother received leilani': 543154, 'received leilani last': 703633, 'leilani last paycheck': 486125, 'last paycheck it': 480446, 'paycheck it wa': 645296, 'wa just 20': 962448, 'just 20 64': 468107, 'gvmc close': 369260, 'area according': 91910, '204 from': 14845, 'closed precaution': 183299, 'kindly requesting': 475160, 'requesting help': 713269, 'sir gvmc close': 771575, 'gvmc close supermarket': 369261, 'close supermarket in': 182821, 'vizag area according': 959856, 'area according to': 91911, 'according to go': 28546, 'to go 204': 906758, 'go 204 from': 353239, '204 from 03': 14846, 'from 03 19': 334156, '03 19 2020': 846, '19 2020 only': 4727, '2020 only shopping': 14488, 'only shopping center': 611123, 'center and cinema': 169153, 'remain closed precaution': 709723, 'closed precaution against': 183300, 'precaution against covid': 669268, '19 kindly requesting': 8245, 'kindly requesting help': 475161, 'requesting help in': 713270, 'news metropolitan': 560614, 'metropolitan covid': 529964, 'lagos continues': 478925, 'continues food': 201394, 'distribution resident': 248204, 'news metropolitan covid': 560615, 'metropolitan covid 19': 529965, '19 lagos continues': 8266, 'lagos continues food': 478926, 'continues food distribution': 201395, 'food distribution resident': 314235, 'distribution resident demand': 248205, 'resident demand more': 714288, 'but feel': 145706, 'feel he': 302665, 'only caused': 610231, 'panic during': 638052, '19 address': 4813, 'address for': 31977, 'example week': 289003, 'day travel': 228614, 'travel can': 930305, 'by european': 152503, 'on cargo': 599829, 'cargo lot': 164664, 'sorry but feel': 786028, 'but feel he': 145707, 'feel he only': 302666, 'he only caused': 385281, 'only caused more': 610232, 'caused more panic': 167918, 'more panic during': 539985, 'panic during his': 638053, 'covid 19 address': 212583, '19 address for': 4814, 'address for example': 31978, 'for example week': 321298, 'example week ago': 289004, 'ago when he': 38545, 'when he called': 983529, 'he called for': 384803, 'called for 30': 156313, '30 day travel': 17024, 'day travel can': 228615, 'travel can to': 930306, 'can to the': 160019, 'to the by': 916539, 'the by european': 850242, 'by european and': 152504, 'european and restriction': 283537, 'restriction on cargo': 717338, 'on cargo lot': 599830, 'cargo lot of': 164665, 'polluted': 663886, 'but warehouse': 147725, 'in polluted': 426826, 'polluted warehouse': 663887, 'warehouse district': 966714, 'suffering read': 817336, 'essential piece': 281390, 'tell listen': 836998, 'solution they': 782086, 'is booming but': 446221, 'booming but warehouse': 134872, 'but warehouse worker': 147726, 'worker and people': 1006323, 'and people living': 68871, 'living in polluted': 496384, 'in polluted warehouse': 426827, 'polluted warehouse district': 663888, 'warehouse district are': 966715, 'district are suffering': 248357, 'are suffering read': 90633, 'suffering read this': 817337, 'read this essential': 700610, 'this essential piece': 887417, 'essential piece and': 281391, 'piece and tell': 656269, 'and tell listen': 73094, 'tell listen to': 836999, 'community and deliver': 189714, 'deliver the solution': 233235, 'the solution they': 867467, 'solution they re': 782087, 'global selloff': 352194, 'selloff isn': 749549, 'isn here': 454547, 'here yet': 393851, 'yet with': 1016332, 'economy wrought': 268378, 'bank investor': 109944, 'investor warn': 444226, 'warn how': 966938, 'impact crypto': 417626, 'price ahead': 672250, 'ahead cryptocurrency': 39143, 'cryptocurrency wallstreet': 219986, 'wallstreet blockchain': 965252, 'ethereum money': 283028, 'money gold': 536789, 'stock silver': 802852, 'report the worst': 712349, 'worst of the': 1011235, 'the global selloff': 856325, 'global selloff isn': 352195, 'selloff isn here': 749550, 'isn here yet': 454548, 'here yet with': 393852, 'yet with the': 1016333, 'with the economy': 1001277, 'the economy wrought': 854044, 'economy wrought by': 268379, 'by the bank': 154266, 'the bank investor': 849245, 'bank investor warn': 109945, 'investor warn how': 444227, 'warn how will': 966939, 'will it impact': 993868, 'it impact crypto': 458692, 'impact crypto price': 417627, 'crypto price ahead': 219957, 'price ahead cryptocurrency': 672251, 'ahead cryptocurrency wallstreet': 39144, 'cryptocurrency wallstreet blockchain': 219987, 'wallstreet blockchain bitcoin': 965253, 'blockchain bitcoin ethereum': 132827, 'bitcoin ethereum money': 131816, 'ethereum money gold': 283029, 'money gold stock': 536791, 'gold stock silver': 356018, 'sweep are': 830104, 'smile suit': 775738, 'supermarket sweep are': 823083, 'sweep are finally': 830105, 'are finally paying': 86565, 'off try to': 594354, 'try to laugh': 934635, 'to laugh today': 909095, 'today it will': 919747, 'day smile suit': 228362, 'smile suit you': 775739, 'fool journalist': 318292, 'journalist to': 467453, 'at wh': 101518, 'wh briefing': 980898, 'briefing who': 139756, 'responsible if': 716046, 'get during': 346920, 'during wisconsin': 263415, 'wisconsin voting': 996641, 'voting today': 960618, 'today wth': 920583, 'wth doe': 1013360, 'she hold': 756126, 'hold grocery': 399933, 'store patron': 809476, 'patron responsible': 644420, 'get pharmacy': 347813, 'station how': 796427, 'fool journalist to': 318293, 'journalist to pres': 467454, 'pres trump at': 670452, 'trump at wh': 933426, 'at wh briefing': 101519, 'wh briefing who': 980900, 'briefing who should': 139757, 'who should be': 989611, 'should be held': 765640, 'held responsible if': 388925, 'responsible if someone': 716047, 'someone get during': 784478, 'get during wisconsin': 346921, 'during wisconsin voting': 263416, 'wisconsin voting today': 996642, 'voting today wth': 960619, 'today wth doe': 920584, 'wth doe she': 1013361, 'doe she hold': 251572, 'she hold grocery': 756127, 'hold grocery store': 399934, 'grocery store patron': 365644, 'store patron responsible': 809478, 'patron responsible if': 644421, 'someone get pharmacy': 784479, 'get pharmacy gas': 347814, 'gas station how': 344115, 'station how do': 796428, 'do you prove': 250664, 'this stop': 890338, 'shopping save': 763802, 'money be': 536627, 'be clever': 114111, 'clever don': 181866, 'clothes makeup': 184178, 'makeup anything': 510896, 'sensible know': 750640, 'create happiness': 215657, 'hear this stop': 388012, 'this stop online': 890339, 'online shopping save': 609258, 'shopping save your': 763803, 'save your money': 737713, 'your money be': 1024855, 'money be clever': 536628, 'be clever don': 114112, 'clever don spend': 181867, 'don spend it': 253919, 'it on clothes': 460032, 'on clothes makeup': 599947, 'clothes makeup anything': 184179, 'makeup anything you': 510897, 'anything you don': 80962, 'don need be': 253756, 'need be sensible': 554525, 'be sensible know': 117083, 'sensible know it': 750641, 'know it can': 476521, 'it can create': 457011, 'can create happiness': 158026, 'create happiness but': 215658, 'happiness but we': 377567, 'how the economy': 408819, 'crisis capitalism': 217192, 'finest in': 307773, 'is crisis capitalism': 446933, 'crisis capitalism at': 217193, 'it finest in': 458013, 'finest in desperation': 307774, 'happens when grocery': 377521, 'work it like': 1005388, 'zone more people': 1027769, 'people die grocery': 647652, 'for work essentialworkers': 327924, 'kilburn': 474300, 'cycling thru': 224101, 'thru kilburn': 895203, 'kilburn high': 474301, 'high road': 395384, 'road this': 724521, 'before every': 122780, 'supermarket passed': 821935, 'passed there': 643306, 'wa queue': 963024, 'around 30': 93138, 'people londonlockdown': 648695, 'lockdownuk r4today': 500425, 'r4today schoolclosuresuk': 695103, 'cycling thru kilburn': 224102, 'thru kilburn high': 895204, 'kilburn high road': 474302, 'high road this': 395385, 'road this morning': 724522, 'morning just before': 541332, 'just before every': 468318, 'before every single': 122781, 'single supermarket passed': 771413, 'supermarket passed there': 821936, 'passed there wa': 643307, 'there wa queue': 879266, 'wa queue outside': 963025, 'outside of around': 629501, 'of around 30': 580371, 'around 30 40': 93139, '30 40 people': 16941, '40 people londonlockdown': 18633, 'people londonlockdown lockdownuk': 648696, 'londonlockdown lockdownuk r4today': 501260, 'lockdownuk r4today schoolclosuresuk': 500426, 'kom': 477372, 'meer': 527390, 'bij': 130401, 'ik kom': 416016, 'kom niet': 477373, 'niet meer': 562670, 'meer bij': 527391, 'ik kom niet': 416017, 'kom niet meer': 477374, 'niet meer bij': 562671, 'precaution when': 669402, 'all take precaution': 44595, 'take precaution when': 832516, 'precaution when we': 669403, 'out shopping here': 627180, 'shopping here are': 762884, 'supermarket while practicing': 823846, 'tuning': 935459, 'gouging about': 359234, 'new nyc': 559185, 'nyc report': 578036, 'for harsher': 322119, 'harsher penalty': 378568, 'for tuning': 327379, 'tuning pain': 935462, 'pain into': 634233, 'into profit': 442897, 'cost of price': 208058, 'price gouging about': 674253, 'gouging about to': 359235, 'the people hiking': 863478, 'the price new': 864388, 'price new nyc': 675329, 'new nyc report': 559186, 'nyc report call': 578037, 'call for harsher': 155872, 'for harsher penalty': 322120, 'harsher penalty for': 378569, 'penalty for tuning': 646443, 'for tuning pain': 327381, 'tuning pain into': 935463, 'pain into profit': 634234, 'dying do': 263802, 'line are dying': 492964, 'are dying do': 86044, 'dying do something': 263803, 'go to curbside': 354297, 'to curbside pickup': 903813, 'last item': 480280, 'generally in': 345533, 'health don': 386383, 'it leave': 459323, 'genuinely might': 345896, 'see the last': 745851, 'the last item': 859016, 'last item of': 480281, 'item of something': 463496, 'of something in': 589927, 'something in supermarket': 784945, 'and are generally': 58318, 'are generally in': 86777, 'generally in good': 345534, 'good health don': 357175, 'health don take': 386384, 'don take it': 253951, 'take it leave': 832249, 'it leave it': 459325, 'leave it for': 484847, 'someone who genuinely': 784758, 'who genuinely might': 988766, 'genuinely might need': 345897, 'my shot': 550068, 'shot accuracy': 765409, 'accuracy put': 28884, 'put penguin': 690763, 'penguin in': 646505, 'in net': 425807, 'on my shot': 602317, 'my shot accuracy': 550069, 'shot accuracy put': 765410, 'accuracy put penguin': 28885, 'put penguin in': 690764, 'penguin in net': 646506, 'dustmask': 263477, 'were asking': 979348, 'asking 159': 95926, '159 00': 3999, '00 but': 94, 'about give': 25305, '12 dust': 2850, 'change toiletpaper': 172367, 'toiletpaper dustmask': 921934, 'dustmask thankfulthursday': 263478, 'thankfulthursday currency': 841972, 'know you were': 477093, 'you were asking': 1022241, 'were asking 159': 979349, 'asking 159 00': 95927, '159 00 but': 4000, '00 but how': 95, 'how about give': 407282, 'about give you': 25306, 'give you roll': 350865, 'you roll of': 1020952, 'paper and 12': 639801, 'and 12 dust': 57362, '12 dust mask': 2851, 'dust mask you': 263452, 'mask you keep': 519607, 'keep the change': 472031, 'the change toiletpaper': 850675, 'change toiletpaper dustmask': 172368, 'toiletpaper dustmask thankfulthursday': 921935, 'dustmask thankfulthursday currency': 263479, 'are system': 90699, 'ensure egypt': 277916, 'egypt doesn': 270102, 'doesn run': 251930, 'there are system': 878171, 'are system in': 90700, 'place that will': 657718, 'that will ensure': 847573, 'will ensure egypt': 993322, 'ensure egypt doesn': 277917, 'egypt doesn run': 270103, 'doesn run out': 251931, 'dutchie': 263528, 'comedysong': 187790, 'coronavirus meme': 206282, 'hoarding based': 399206, 'song pas': 785514, 'the dutchie': 853799, 'dutchie by': 263529, 'by musical': 153274, 'musical youth': 546362, 'youth comedy': 1026852, 'comedy comedysong': 187740, 'comedysong meme': 187791, 'meme toiletpaperpanic': 528371, 'toiletpaper memesdaily': 922235, 'coronavirus meme about': 206283, 'paper hoarding based': 640281, 'hoarding based on': 399207, 'on the song': 604373, 'the song pas': 867481, 'song pas the': 785515, 'pas the dutchie': 643155, 'the dutchie by': 853800, 'dutchie by musical': 263530, 'by musical youth': 153275, 'musical youth comedy': 546363, 'youth comedy comedysong': 1026853, 'comedy comedysong meme': 187741, 'comedysong meme toiletpaperpanic': 187792, 'meme toiletpaperpanic toiletpaper': 528372, 'toiletpaperpanic toiletpaper memesdaily': 923264, 'dharavi': 240100, '147': 3587, '2kg': 16641, 'for dharavi': 320689, 'dharavi this': 240101, 'this ngo': 889140, 'ngo ha': 561849, 'ha tied': 372281, 'support 147': 826315, '147 family': 3588, 'with ration': 1000402, 'ration 10kg': 697622, '10kg rice': 2341, 'rice 5kg': 720983, '5kg atta': 20725, 'atta 2kg': 102013, '2kg dal': 16642, 'dal ltr': 225088, 'ltr oil': 506402, 'oil soap': 597443, 'soap they': 779124, 'raise lac': 695871, 'lac soon': 478576, 'soon donation': 785693, 'donation detail': 254584, 'below here': 126665, 'here distribution': 392921, 'distribution start': 248228, 'fund for dharavi': 341404, 'for dharavi this': 320690, 'dharavi this ngo': 240102, 'this ngo ha': 889141, 'ngo ha tied': 561850, 'ha tied up': 372282, 'tied up grocery': 895762, 'to support 147': 915899, 'support 147 family': 826316, '147 family with': 3589, 'family with ration': 298390, 'with ration 10kg': 1000403, 'ration 10kg rice': 697623, '10kg rice 5kg': 2342, 'rice 5kg atta': 720984, '5kg atta 2kg': 20726, 'atta 2kg dal': 102014, '2kg dal ltr': 16643, 'dal ltr oil': 225089, 'ltr oil soap': 506403, 'oil soap they': 597444, 'soap they need': 779125, 'to raise lac': 912724, 'raise lac soon': 695872, 'lac soon donation': 478577, 'soon donation detail': 785694, 'donation detail below': 254585, 'detail below here': 239165, 'below here distribution': 126666, 'here distribution start': 392922, 'distribution start tomorrow': 248229, 'breakspot': 139118, 'fl agriculture': 309901, 'agriculture commissioner': 38944, 'commissioner and': 188931, 'the fl': 855390, 'fl dept': 309905, 'consumer svcs': 199204, 'svcs announced': 829873, 'announced they': 77087, 'activated their': 30231, 'their summer': 874897, 'summer breakspot': 817961, 'breakspot website': 139119, 'where family': 984871, 'under 18': 939958, '18 during': 4528, 'virus closure': 958064, 'fl agriculture commissioner': 309902, 'agriculture commissioner and': 38945, 'commissioner and the': 188932, 'and the fl': 73378, 'the fl dept': 855391, 'fl dept of': 309906, 'dept of agriculture': 237741, 'agriculture consumer svcs': 38952, 'consumer svcs announced': 199205, 'svcs announced they': 829874, 'announced they ve': 77088, 'they ve activated': 883635, 've activated their': 952806, 'activated their summer': 30232, 'their summer breakspot': 874898, 'summer breakspot website': 817962, 'breakspot website where': 139120, 'website where family': 975478, 'where family can': 984872, 'meal for child': 524149, 'for child under': 320062, 'child under 18': 176240, 'under 18 during': 939959, '18 during the': 4529, 'corona virus closure': 204294, 'clothed': 184126, 'massive thank': 520140, 'frontline keyworkers': 338773, 'keyworkers who': 473612, 'fed the': 301904, 'nh clothed': 561924, 'clothed in': 184127, 'in scrub': 427749, 'scrub the': 742910, 'restaurant staying': 716712, 'order clapforcarers': 618131, 'we also say': 970409, 'also say massive': 48830, 'say massive thank': 738923, 'massive thank you': 520141, 'the frontline keyworkers': 855876, 'frontline keyworkers who': 338774, 'keyworkers who do': 473613, 'nh the supermarket': 562140, 'staff keeping you': 792601, 'keeping you fed': 472626, 'you fed the': 1018526, 'fed the factory': 301905, 'factory worker keeping': 296019, 'keeping the nh': 472581, 'the nh clothed': 861733, 'nh clothed in': 561925, 'clothed in scrub': 184128, 'in scrub the': 427750, 'scrub the restaurant': 742912, 'the restaurant staying': 865660, 'restaurant staying open': 716713, 'online order clapforcarers': 608683, 'embark': 272423, 'evolved': 288522, 'key emerging': 473277, 'trend associated': 931284, 'associated impact': 96923, 'can embark': 158214, 'embark on': 272424, 'on transformation': 604839, 'transformation journey': 929572, 'an evolved': 55892, 'evolved consumer': 288523, 'post era': 666112, 'at the key': 100991, 'the key emerging': 858755, 'key emerging consumer': 473278, 'consumer trend associated': 199367, 'trend associated impact': 931285, 'associated impact on': 96924, 'on consumer facing': 600048, 'facing business how': 295414, 'business how business': 143861, 'business can embark': 143492, 'can embark on': 158215, 'embark on transformation': 272425, 'on transformation journey': 604840, 'transformation journey to': 929573, 'journey to cater': 467487, 'cater to an': 167245, 'to an evolved': 900451, 'an evolved consumer': 55893, 'evolved consumer in': 288524, 'the post era': 864088, 'foodbanks plead': 317836, 'plead with': 659572, 'amid fallout': 52465, 'fallout ok': 297389, 'urgent rt': 948359, 'rt time': 726831, 'contact whoever': 200261, 'whoever your': 990131, 'your mp': 1024910, 'mp is': 544255, 'save food': 737502, 'foodbanks torybritain': 317853, 'torybritain coronacrisis': 926079, 'foodbanks plead with': 317837, 'plead with uk': 659573, 'with uk supermarket': 1001886, 'aside supply amid': 95436, 'supply amid fallout': 824686, 'amid fallout ok': 52466, 'fallout ok this': 297390, 'ok this is': 597910, 'this is urgent': 888450, 'is urgent rt': 453598, 'urgent rt time': 948360, 'rt time to': 726832, 'time to contact': 897970, 'to contact whoever': 903360, 'contact whoever your': 200262, 'whoever your mp': 990132, 'your mp is': 1024911, 'mp is and': 544256, 'is and demand': 445701, 'and demand action': 61137, 'demand action to': 234905, 'action to save': 30174, 'to save food': 913778, 'save food for': 737503, 'food for foodbanks': 314535, 'for foodbanks torybritain': 321659, 'foodbanks torybritain coronacrisis': 317854, 'torybritain coronacrisis coronacrisisuk': 926080, 'letdie': 487228, 'food letdie': 315303, 'letdie tesco': 487229, 'tesco londonlockdown': 838738, 'get food letdie': 347052, 'food letdie tesco': 315304, 'letdie tesco londonlockdown': 487230, 'sadday': 729286, 'nomorepeanutbutter': 566293, 'adaywithoutapeanutbutter': 31370, 'theonlythingitrulycareabout': 877830, 'were basically': 979366, 'if peanut': 414603, 'butter sadday': 148164, 'sadday nomorepeanutbutter': 729287, 'nomorepeanutbutter adaywithoutapeanutbutter': 566294, 'adaywithoutapeanutbutter peanutbutter': 31371, 'peanutbutter theonlythingitrulycareabout': 646151, 'wa sad day': 963130, 'sad day at': 729161, 'they were basically': 883751, 'were basically out': 979367, 'basically out if': 112148, 'out if peanut': 626361, 'if peanut butter': 414604, 'peanut butter sadday': 646146, 'butter sadday nomorepeanutbutter': 148165, 'sadday nomorepeanutbutter adaywithoutapeanutbutter': 729288, 'nomorepeanutbutter adaywithoutapeanutbutter peanutbutter': 566295, 'adaywithoutapeanutbutter peanutbutter theonlythingitrulycareabout': 31372, 'asiegercares': 95449, 'asieger': 95448, 'touch any': 926454, 'any object': 79528, 'or surface': 617306, 'surface outside': 828061, 'your abode': 1022722, 'abode washyourhands': 24600, 'washyourhands with': 967943, 'with soapandwater': 1000811, 'soapandwater staysafe': 779203, 'socialdistancing sd': 780663, 'sd chinesevirus': 743022, 'chinesevirus asiegercares': 177424, 'asiegercares who': 95450, 'who asieger': 988275, 'whenever you touch': 984692, 'you touch any': 1021894, 'touch any object': 926455, 'any object or': 79529, 'object or surface': 578414, 'or surface outside': 617307, 'surface outside your': 828062, 'outside your abode': 629658, 'your abode washyourhands': 1022723, 'abode washyourhands with': 24601, 'washyourhands with soapandwater': 967944, 'with soapandwater staysafe': 1000812, 'soapandwater staysafe stayhome': 779204, 'staysafe stayhome sanitizer': 798902, 'stayhome sanitizer socialdistancing': 798093, 'sanitizer socialdistancing sd': 735765, 'socialdistancing sd chinesevirus': 780664, 'sd chinesevirus asiegercares': 743023, 'chinesevirus asiegercares who': 177425, 'asiegercares who asieger': 95451, 'raina': 695762, 'macintyre': 507441, 'right education': 721881, 'properly think': 684204, 'situation particularly': 772436, 'particularly going': 642685, 'shopping prof': 763687, 'prof raina': 682371, 'raina macintyre': 695763, 'long people are': 501553, 'are given the': 86849, 'given the right': 351150, 'the right education': 865809, 'right education on': 721882, 'to use glove': 918030, 'use glove properly': 949237, 'glove properly think': 352876, 'properly think it': 684205, 'think it can': 885322, 'help in some': 389906, 'some situation particularly': 783885, 'situation particularly going': 772437, 'particularly going to': 642686, 'going to big': 355539, 'big supermarket to': 130036, 'grocery shopping prof': 365070, 'shopping prof raina': 763688, 'prof raina macintyre': 682372, 'man that': 512266, 'him cry': 396574, 'cry their': 219916, 'cry they': 219918, 'supermarket the fresh': 823225, 'produce man that': 680344, 'man that ha': 512267, 'ha been serving': 369917, 'called him cry': 156343, 'him cry their': 396575, 'cry their family': 219917, 'are cry they': 85648, 'cry they live': 219919, 'they live in': 882578, 'live in fear': 495860, 'in fear and': 422814, 'fear and they': 301041, 'and they lost': 73919, 'gouging dtic': 359305, 'signed them': 769381, 'them under': 876558, 'act learn': 29676, 'price control on': 673238, 'control on toilet': 202082, 'other good the': 620307, 'good the government': 357828, 'price gouging dtic': 674275, 'gouging dtic minister': 359306, 'patel signed them': 643976, 'signed them under': 769382, 'them under the': 876559, 'management act learn': 512524, 'act learn more': 29677, 'aom': 81182, 'cannt': 162243, 'aom you': 81183, 'you cannt': 1017887, 'cannt compare': 162244, 'had from': 373126, 'from 199': 334217, '199 to': 12475, 'our major': 623841, 'major source': 509464, 'is oil': 450440, 'oil back': 596633, 'had trillion': 373757, 'trillion now': 931992, 'are mess': 88070, 'mess especially': 529224, 'this tim': 890610, 'aom you cannt': 81184, 'you cannt compare': 1017888, 'cannt compare the': 162245, 'compare the resource': 191409, 'the resource we': 865598, 'resource we had': 714928, 'we had from': 971706, 'had from 199': 373127, 'from 199 to': 334218, '199 to what': 12477, 'to what we': 918526, 'what we have': 982554, 'have now our': 381736, 'now our major': 575490, 'our major source': 623842, 'major source of': 509465, 'source of revenue': 786529, 'of revenue is': 589083, 'revenue is oil': 720448, 'is oil back': 450441, 'oil back then': 596634, 'back then and': 107325, 'now we had': 576340, 'we had trillion': 971727, 'had trillion now': 373759, 'trillion now oil': 931993, 'now oil price': 575413, 'price are mess': 672698, 'are mess especially': 88071, 'mess especially in': 529225, 'in this tim': 430026, 'delivery ban': 233738, 'nobody in': 566018, 'government seems': 360579, 'seems able': 746749, 'food delivery ban': 314109, 'delivery ban just': 233739, 'ban just doesn': 109214, 'just doesn make': 468621, 'make sense and': 510433, 'sense and nobody': 750490, 'and nobody in': 67659, 'nobody in government': 566019, 'in government seems': 423395, 'government seems able': 360580, 'seems able to': 746750, 'able to explain': 24478, 'risj': 723340, 'iin': 415999, 'foodgrains': 317924, 'india food': 434407, 'at risj': 100329, 'risj due': 723341, 'lockdown serious': 499897, 'especially iin': 280514, 'iin cash': 416000, 'cash crop': 166206, 'crop demand': 218911, 'crop would': 218950, 'lower whereas': 506051, 'whereas foodgrains': 985419, 'foodgrains would': 317925, 'be preferred': 116510, 'preferred more': 669809, 'india food security': 434409, 'security is at': 744652, 'is at risj': 445872, 'at risj due': 100330, 'risj due to': 723342, 'the lockdown serious': 859630, 'lockdown serious risk': 499898, 'serious risk of': 751472, 'food shortage especially': 316571, 'shortage especially iin': 764929, 'especially iin cash': 280515, 'iin cash crop': 416001, 'cash crop demand': 166207, 'crop demand for': 218912, 'demand for cash': 235388, 'for cash crop': 319949, 'cash crop would': 166208, 'crop would be': 218951, 'would be lower': 1011617, 'be lower whereas': 115849, 'lower whereas foodgrains': 506052, 'whereas foodgrains would': 985420, 'foodgrains would be': 317926, 'would be preferred': 1011635, 'be preferred more': 116511, 'connectedness': 194672, 'epu': 279590, 'ssrn': 791676, 'new paper': 559256, 'time frequency': 896793, 'frequency connectedness': 332803, 'connectedness between': 194673, 'and epu': 62217, 'epu full': 279591, 'full text': 340921, 'text is': 839901, 'at ssrn': 100617, 'ssrn now': 791677, 'delighted to share': 233052, 'to share my': 914353, 'share my new': 755105, 'my new paper': 549469, 'new paper on': 559257, 'paper on time': 640535, 'on time frequency': 604709, 'time frequency connectedness': 896794, 'frequency connectedness between': 332804, 'connectedness between covid': 194674, 'market and epu': 515963, 'and epu full': 62218, 'epu full text': 279592, 'full text is': 340922, 'text is available': 839902, 'available at ssrn': 104258, 'at ssrn now': 100618, 'shorona': 764590, 'because supermarket': 119589, 'bare because': 110867, 'your common': 1023262, 'my shorona': 550064, 'buying because supermarket': 150000, 'because supermarket shelf': 119590, 'are bare supermarket': 84777, 'are bare because': 84764, 'bare because people': 110868, 'buying please use': 150913, 'please use your': 660715, 'use your common': 949831, 'your common sense': 1023263, 'sense people my': 750572, 'people my shorona': 648811, 'today joined': 919756, 'joined premier': 466950, 'premier and': 669888, 'that ontario': 845527, 'outbreak learn': 628414, 'today joined premier': 919757, 'joined premier and': 466951, 'premier and my': 669889, 'colleague to announce': 186248, 'announce that ontario': 76878, 'that ontario is': 845528, '45 day to': 19088, 'day to support': 228588, 'the outbreak learn': 862657, 'outbreak learn more': 628415, 'zines': 1027617, 'organizing': 619490, 'following brand': 312695, 'new zines': 560006, 'zines guide': 1027618, 'wipe guide': 996282, 'when engaging': 983372, 'public while': 688476, 'doing organizing': 252588, 'organizing and': 619491, 'out the following': 627366, 'the following brand': 855499, 'following brand new': 312696, 'brand new zines': 137937, 'new zines guide': 560007, 'zines guide to': 1027619, 'guide to making': 368367, 'and wipe guide': 75736, 'wipe guide to': 996283, 'guide to best': 368360, 'to best practice': 901776, 'practice when engaging': 668701, 'when engaging with': 983373, 'engaging with the': 276927, 'the public while': 864873, 'public while doing': 688477, 'while doing organizing': 986764, 'doing organizing and': 252589, 'organizing and text': 619492, 'and text from': 73149, 'text from 19': 839893, 'consider taking': 195124, 'pet well you': 653480, 'well you consider': 978778, 'you consider taking': 1018015, 'consider taking care': 195125, 'your family it': 1023790, 'family it not': 297965, 'give chance': 350432, 'please give chance': 660026, 'give chance to': 350433, 'chance to others': 171810, 'to others please': 911139, 'others please stop': 621590, 'cra': 214678, 'front location': 338630, 'location important': 498917, 'tax the': 835105, 'the cra': 852258, 'cra ha': 214679, 'the file': 855181, 'file deadline': 305346, 'deadline due': 229214, 'closing what': 183810, 'for block': 319698, 'block to': 132801, 'close store front': 182810, 'store front location': 807888, 'front location important': 338631, 'location important it': 498918, 'is to file': 453203, 'to file tax': 905833, 'file tax the': 305374, 'tax the cra': 835106, 'the cra ha': 852259, 'cra ha extended': 214680, 'extended the file': 293196, 'the file deadline': 855182, 'file deadline due': 305347, 'deadline due to': 229215, '19 most retail': 8693, 'most retail store': 542707, 'are closing what': 85404, 'closing what is': 183811, 'plan for block': 658114, 'for block to': 319699, 'block to ensure': 132802, 'ensure the health': 278085, 'health and safe': 386152, 'store worker fridaymotivation': 811510, 'india just': 434498, 'just dealt': 468557, 'dealt massive': 229717, 'massive blow': 519967, 'trump promotion': 933766, 'of unproven': 592660, 'unproven covid': 943265, 'drug india': 260986, 'india stopped': 434627, 'stopped export': 805699, 'spiked bc': 789337, 'india just dealt': 434499, 'just dealt massive': 468558, 'dealt massive blow': 229718, 'massive blow to': 519968, 'blow to trump': 133361, 'to trump promotion': 917802, 'trump promotion of': 933767, 'promotion of unproven': 683873, 'of unproven covid': 592661, 'unproven covid 19': 943266, '19 drug india': 6663, 'drug india stopped': 260987, 'india stopped export': 434628, 'stopped export to': 805700, 'export to which': 292723, 'to which mean': 918556, 'which mean the': 986149, 'mean the drug': 524694, 'price have spiked': 674463, 'have spiked bc': 382692, 'spiked bc of': 789338, 'bc of trump': 113268, 'hold parade': 399993, 'parade for': 641293, 'to bagger': 900993, 'bagger at': 108504, 'to welfare': 918486, 'welfare worker': 977981, 'think every major': 885229, 'every major city': 285988, 'major city across': 509262, 'need to hold': 555964, 'to hold parade': 907914, 'hold parade for': 399994, 'parade for anyone': 641294, 'anyone who helped': 80621, 'who helped the': 988993, 'helped the rest': 391108, 'rest of through': 716207, 'of through this': 592152, 'through this moment': 894830, 'this moment in': 888874, 'moment in time': 535968, 'in time from': 430081, 'time from medical': 896808, 'from medical staff': 336412, 'staff to bagger': 792980, 'to bagger at': 900994, 'bagger at the': 108505, 'store to welfare': 810827, 'to welfare worker': 918487, 'welfare worker firefighter': 977982, 'worker firefighter and': 1006942, 'firefighter and more': 308196, 'article spotlight': 94466, 'spotlight key': 790169, 'sentiment insight': 750961, 'insight surrounding': 439635, 'surrounding we': 828785, 'data you': 226503, 'you ass': 1017326, 'ass your': 96284, 'today article spotlight': 919254, 'article spotlight key': 94467, 'spotlight key consumer': 790170, 'key consumer purchasing': 473263, 'purchasing behavior and': 689840, 'behavior and sentiment': 123902, 'and sentiment insight': 71275, 'sentiment insight surrounding': 750962, 'insight surrounding we': 439636, 'surrounding we encourage': 828786, 'use this data': 949724, 'this data you': 887163, 'data you ass': 226504, 'you ass your': 1017327, 'ass your strategy': 96285, 'your strategy in': 1026003, 'crammed': 214841, '37 00': 18063, '00 ice': 254, 'ice detainee': 412666, 'detainee in': 239323, 'in private': 427007, 'local jail': 498132, 'jail some': 464278, 'are crammed': 85603, 'crammed in': 214842, 'distancing impossible': 247218, 'impossible many': 419382, 'terrified at': 838486, 'of easy': 582933, 'than 37 00': 840235, '37 00 ice': 18064, '00 ice detainee': 255, 'ice detainee in': 412667, 'detainee in private': 239324, 'in private and': 427008, 'private and local': 678863, 'and local jail': 66296, 'local jail some': 498133, 'jail some are': 464279, 'some are crammed': 782316, 'are crammed in': 85604, 'crammed in making': 214843, 'in making social': 425001, 'social distancing impossible': 779637, 'distancing impossible many': 247220, 'impossible many are': 419383, 'many are terrified': 513781, 'are terrified at': 90777, 'terrified at the': 838487, 'at the lack': 100995, 'lack of easy': 478619, 'of easy access': 582934, 'to soap or': 914808, 'or sanitizer now': 616953, 'sanitizer now there': 735437, 'the first confirmed': 855291, 'first confirmed case': 308585, 'ontariodairyboard': 611642, 'ontarians can': 611572, 'of short': 589678, 'supply impacted': 825392, 'impacted from': 418115, 'related shut': 708572, 'down dont': 256689, 'staple must': 793978, 'must produce': 546814, 'produce product': 680398, 'like yogurt': 491863, 'yogurt cheese': 1016527, 'cheese so': 175215, 'local ontariodairyboard': 498235, 'ontarians can buy': 611573, 'can buy milk': 157832, 'buy milk product': 148958, 'milk product at': 531793, 'product at grocery': 680970, 'at grocery because': 98812, 'because of short': 119400, 'of short supply': 589679, 'short supply impacted': 764708, 'supply impacted from': 825393, 'impacted from covid': 418116, '19 related shut': 10068, 'related shut down': 708573, 'shut down dont': 767818, 'down dont need': 256690, 'dont need to': 255260, 'need to face': 555929, 'to face higher': 905565, 'face higher price': 294460, 'price for staple': 674049, 'for staple must': 325871, 'staple must produce': 793979, 'must produce product': 546815, 'produce product like': 680399, 'product like yogurt': 681370, 'like yogurt cheese': 491864, 'yogurt cheese so': 1016528, 'cheese so we': 175216, 'can buy local': 157829, 'buy local ontariodairyboard': 148917, 'quarantineday5': 692897, 'and dozen': 61706, 'egg guess': 269877, 'feeling felt': 302986, 'returned were': 719984, 'on par': 602697, 'par with': 641205, 'at twd': 101372, 'twd when': 936276, 'someone returned': 784624, 'returned safely': 719974, 'safely from': 730281, 'from successful': 337462, 'successful supply': 816250, 'supply shipment': 825815, 'shipment quarantineday5': 758780, 'husband just got': 411730, 'some fresh produce': 782907, 'produce and dozen': 680181, 'and dozen egg': 61707, 'dozen egg guess': 257873, 'egg guess the': 269878, 'guess the feeling': 368052, 'the feeling felt': 855100, 'feeling felt when': 302987, 'felt when he': 303478, 'when he returned': 983540, 'he returned were': 385352, 'returned were on': 719985, 'were on par': 979935, 'on par with': 602698, 'par with those': 641206, 'with those at': 1001747, 'those at twd': 891825, 'at twd when': 101373, 'twd when someone': 936277, 'when someone returned': 984060, 'someone returned safely': 784625, 'returned safely from': 719975, 'safely from successful': 730282, 'from successful supply': 337463, 'successful supply shipment': 816252, 'supply shipment quarantineday5': 825816, 'hitchhikersguidetothegalaxy': 398535, 'supply socialdistance': 825869, 'socialdistance hitchhikersguidetothegalaxy': 780149, 'for more supply': 323597, 'more supply socialdistance': 540508, 'supply socialdistance hitchhikersguidetothegalaxy': 825870, 'of 73': 579667, '73 in': 22067, 'by outbreak': 153489, 'outbreak ft': 628243, 'ft peterson': 339355, 'peterson poll': 653570, 'poll is': 663842, 'also hitting': 48364, 'hitting professional': 398585, 'professional service': 682495, 'via donaldtrump': 955927, 'donaldtrump gop': 254129, 'income of 73': 432421, 'of 73 in': 579668, '73 in hit': 22068, 'in hit by': 423763, 'hit by outbreak': 398183, 'by outbreak ft': 153490, 'outbreak ft peterson': 628244, 'ft peterson poll': 339356, 'peterson poll is': 653571, 'poll is also': 663843, 'is also hitting': 445559, 'also hitting professional': 48365, 'hitting professional service': 398586, 'professional service and': 682496, 'service and marketing': 752096, 'and marketing company': 66722, 'marketing company that': 517558, 'company that rely': 191186, 'rely on business': 709635, 'on business customer': 599737, 'business customer or': 143613, 'customer or those': 222657, 'or those that': 617438, 'spending via donaldtrump': 789040, 'via donaldtrump gop': 955928, 'thesquids': 881037, 'joeyspatafora': 466487, 'tolietpaperemergency': 923827, 'put 100': 690486, '100 concentration': 1866, 'concentration into': 192844, 'poop safely': 664065, 'safely without': 730334, 'paper did': 640089, 'did adam': 240539, 'eve use': 283789, 'paper nope': 640505, 'nope thesquids': 566914, 'thesquids joeyspatafora': 881038, 'joeyspatafora hoarding': 466488, 'toiletpaperchallenge tolietpaperemergency': 922995, 'you put 100': 1020503, 'put 100 concentration': 690487, '100 concentration into': 1867, 'concentration into it': 192845, 'into it you': 442676, 'you can poop': 1017749, 'can poop safely': 159265, 'poop safely without': 664066, 'safely without toilet': 730335, 'toilet paper did': 921254, 'paper did adam': 640090, 'did adam and': 240540, 'and eve use': 62324, 'eve use toilet': 283790, 'toilet paper nope': 921368, 'paper nope thesquids': 640506, 'nope thesquids joeyspatafora': 566915, 'thesquids joeyspatafora hoarding': 881039, 'joeyspatafora hoarding toiletpaper': 466489, 'hoarding toiletpaper toiletpapercrisis': 399624, 'toiletpapercrisis toiletpaperchallenge tolietpaperemergency': 923098, 'employee pandemic': 274104, 'store employee pandemic': 807519, 'employee pandemic corona': 274105, 'all line': 43382, 'we all line': 970339, 'all line up': 43383, 'line up and': 493521, 'up and keep': 944340, 'safe distance to': 729592, 'distance to get': 246863, 'the store but': 867988, 'but the complete': 147321, 'the complete disregard': 851390, 'disregard for social': 246345, 'stress me socialdistancing': 813362, 'me socialdistancing 19': 523502, 'distancing aimed': 246948, 'at preventing': 100190, 'from depression': 335136, 'social distancing aimed': 779547, 'distancing aimed at': 246949, 'aimed at preventing': 39574, 'at preventing the': 100192, 'on people suffering': 602753, 'people suffering from': 649694, 'suffering from depression': 817309, 'vulnerable right': 961146, 'with related': 1000442, 'scam click': 740116, 'most vulnerable right': 542892, 'vulnerable right now': 961147, 'now with related': 576452, 'with related scam': 1000443, 'related scam click': 708550, 'scam click below': 740117, 'below to learn': 126757, 'about what to': 26903, 'primeday2020': 678181, 'ha amazon': 369534, 'amazon capacity': 50894, 'capacity constrained': 162506, 'constrained primeday2020': 195762, 'shopping ha amazon': 762820, 'ha amazon capacity': 369535, 'amazon capacity constrained': 50895, 'capacity constrained primeday2020': 162507, '19 absolutely': 4781, 'no self': 565447, 'self control': 747593, 'control with': 202213, 'covid 19 absolutely': 212570, '19 absolutely no': 4782, 'absolutely no self': 27403, 'no self control': 565448, 'self control with': 747594, 'control with online': 202214, 'put trump': 690953, 'then when': 877745, 'he coming': 384838, 'virus tell': 958849, 'tested per': 839337, 'guideline then': 368477, 'need ventilator': 556156, 'ventilator tell': 954614, 'ordered those': 618915, 'those month': 892215, 'let put trump': 487003, 'put trump to': 690954, 'trump to work': 933927, 'couple month then': 211624, 'month then when': 538054, 'then when it': 877747, 'when it look': 983638, 'like he coming': 490395, 'he coming down': 384839, '19 virus tell': 11837, 'virus tell him': 958850, 'him he can': 396615, 'can be tested': 157696, 'be tested per': 117561, 'tested per guideline': 839338, 'per guideline then': 650879, 'guideline then when': 368478, 'then when he': 877746, 'when he need': 983538, 'he need ventilator': 385247, 'need ventilator tell': 556157, 'ventilator tell him': 954615, 'tell him we': 836975, 'him we re': 396770, 're sorry but': 699554, 'sorry but you': 786034, 'you should have': 1021195, 'should have ordered': 766088, 'have ordered those': 381832, 'ordered those month': 618916, 'those month ago': 892216, 'gvc decline': 369255, 'decline they': 231407, 'want american': 965698, 'american journalist': 52063, 'journalist in': 467439, '19 investigation': 7919, 'investigation that': 443888, 'be inevitable': 115475, 'western demand from': 980613, 'from consumer and': 334951, 'gpn gvc decline': 361429, 'gvc decline they': 369256, 'decline they also': 231408, 'they also do': 881146, 'not want american': 572434, 'want american journalist': 965699, 'american journalist in': 52064, 'journalist in the': 467440, 'covid 19 investigation': 213288, '19 investigation that': 7920, 'investigation that will': 443889, 'that will take': 847614, 'take place and': 832500, 'place and will': 657328, 'will be inevitable': 992515, 'we joined': 972098, 'joined 30': 466910, '30 other': 17166, 'in recognition': 427329, 'recognition little': 704622, 'little relief': 495539, 'relief will': 709501, 'thousand struggling': 893489, 'action law': 30062, 'center time': 169301, 'energy the': 276600, 'banking sector': 110453, 'we joined 30': 972099, 'joined 30 other': 466911, '30 other organization': 17167, 'other organization in': 620626, 'organization in recognition': 619391, 'in recognition little': 427330, 'recognition little relief': 704623, 'little relief will': 495540, 'relief will go': 709502, 'long way for': 501820, 'way for thousand': 969589, 'for thousand struggling': 327171, 'thousand struggling due': 893490, '19 consumer action': 5949, 'consumer action law': 196013, 'action law center': 30063, 'law center time': 482241, 'center time for': 169302, 'for our energy': 324236, 'our energy the': 622908, 'energy the banking': 276601, 'the banking sector': 849268, 'banking sector to': 110454, 'sector to support': 744368, 'people whenever': 650243, 'around others': 93438, 'others outside': 621573, 'wear mask people': 974399, 'mask people whenever': 519109, 'people whenever you': 650244, 'whenever you are': 984687, 'you are around': 1017063, 'are around others': 84617, 'around others outside': 93439, 'others outside your': 621574, 'outside your home': 629659, 'rt there': 726821, 'rt there is': 726822, 'graft': 361742, 'amp continued': 53576, 'continued oversight': 201331, 'procurement contract': 680111, 'fund well': 341538, 'well inspection': 978323, 'purchased and': 689750, 'and donated': 61653, 'donated supply': 254355, 'supply can': 824880, 'limit graft': 492355, 'graft and': 361743, 'fraud expert': 331264, 'measure along': 525082, 'education must': 268841, 'start 19': 794183, 'close amp continued': 182523, 'amp continued oversight': 53577, 'continued oversight of': 201332, 'oversight of procurement': 631524, 'of procurement contract': 588462, 'procurement contract and': 680112, 'contract and the': 201635, 'and the movement': 73481, 'movement of fund': 543899, 'of fund well': 584013, 'fund well inspection': 341539, 'well inspection of': 978324, 'inspection of purchased': 439775, 'of purchased and': 588606, 'purchased and donated': 689751, 'and donated supply': 61655, 'donated supply can': 254356, 'supply can limit': 824881, 'can limit graft': 158875, 'limit graft and': 492356, 'graft and fraud': 361744, 'and fraud expert': 63255, 'fraud expert say': 331265, 'say these measure': 739330, 'these measure along': 880286, 'measure along with': 525083, 'along with consumer': 47049, 'with consumer education': 997753, 'consumer education must': 197321, 'education must be': 268842, 'in place from': 426736, 'place from the': 657461, 'the start 19': 867734, 'berk': 127324, 'reading eagle': 700757, 'eagle roundup': 264381, 'roundup march': 726422, '26 pa': 16180, 'pa covid': 632840, 'case explode': 165734, 'explode by': 292293, 'by 560': 151682, '560 berk': 20463, 'berk nearly': 127325, 'nearly double': 553813, 'double to': 256077, 'to 36': 899698, '36 senate': 18024, 'senate pass': 749718, 'pass massive': 643210, 'massive coronavirus': 519993, 'coronavirus rescue': 206652, 'package pa': 633366, 'dump 35k': 262156, 'reading eagle roundup': 700758, 'eagle roundup march': 264382, 'roundup march 26': 726423, 'march 26 pa': 515218, '26 pa covid': 16181, 'pa covid 19': 632841, '19 case explode': 5677, 'case explode by': 165735, 'explode by 560': 292294, 'by 560 berk': 151683, '560 berk nearly': 20464, 'berk nearly double': 127326, 'nearly double to': 553815, 'double to 36': 256078, 'to 36 senate': 899700, '36 senate pass': 18025, 'senate pass massive': 749719, 'pass massive coronavirus': 643211, 'massive coronavirus rescue': 519994, 'coronavirus rescue package': 206653, 'rescue package pa': 713629, 'package pa grocery': 633367, 'store dump 35k': 807396, 'dump 35k worth': 262157, 'our civil': 622382, 'servant our': 751843, 'pharmacist our': 654163, 'who provides': 989471, 'provides and': 686829, 'worker our civil': 1007520, 'our civil servant': 622383, 'civil servant our': 179545, 'servant our pharmacist': 751844, 'our pharmacist our': 624335, 'pharmacist our grocery': 654164, 'worker they bring': 1007960, 'they bring out': 881585, 'bring out food': 140040, 'food service thank': 316432, 'everyone who provides': 287598, 'who provides and': 989472, 'provides and keep': 686830, 'and special thank': 72068, 'kind tip': 475000, 'tip use': 898949, 'use socialdistancing': 949596, 'stress facing': 813322, 'facing supermarket': 295611, 'be kind tip': 115632, 'kind tip use': 475001, 'tip use socialdistancing': 898950, 'use socialdistancing and': 949597, 'socialdistancing and understand': 780219, 'understand the stress': 940776, 'the stress facing': 868272, 'stress facing supermarket': 813323, 'facing supermarket employee': 295612, 'cretin': 216671, 'are spitting': 90329, 'on nurse': 602458, 'nurse these': 577511, 'these cretin': 879829, 'cretin should': 216672, 'packed off': 633629, 'off together': 594339, 'small ventilated': 775180, 'ventilated room': 954504, 'perhaps let': 651611, 'let out': 486960, 'year detest': 1014519, 'detest these': 239480, 'these lot': 880254, 'lot coronacrisis': 504021, 'coronacrisis angry': 204511, 'just heard on': 468959, 'the news people': 861625, 'news people are': 560695, 'people are spitting': 647083, 'are spitting on': 90330, 'spitting on nurse': 789602, 'on nurse these': 602459, 'nurse these cretin': 577512, 'these cretin should': 879830, 'cretin should be': 216673, 'should be packed': 765685, 'be packed off': 116326, 'packed off together': 633630, 'off together with': 594340, 'together with those': 921045, 'with those selling': 1001750, 'those selling essential': 892442, 'selling essential at': 749225, 'essential at over': 280807, 'price in small': 674731, 'in small ventilated': 428026, 'small ventilated room': 775181, 'ventilated room and': 954505, 'room and perhaps': 725880, 'and perhaps let': 68907, 'perhaps let out': 651612, 'let out next': 486962, 'out next year': 626637, 'next year detest': 561728, 'year detest these': 1014520, 'detest these lot': 239481, 'these lot coronacrisis': 880255, 'lot coronacrisis angry': 504022, 'item you order': 463868, 'additional tip on': 31888, 'avoid scam during': 105258, 'one adult': 605867, 'ww2 let': 1013649, 'ration for one': 697686, 'for one adult': 324075, 'one adult during': 605868, 'adult during ww2': 32821, 'during ww2 let': 263424, 'ww2 let it': 1013650, 'how greedy selfish': 407936, 'greedy selfish some': 363597, 'just starting': 469876, 'feel impact': 302676, 'chain lie': 170886, 'are just starting': 87640, 'just starting to': 469877, 'to feel impact': 905748, 'feel impact from': 302677, 'supply chain lie': 824985, 'chain lie ahead': 170887, '19 challenge and': 5754, 'challenge and consumer': 171398, 'and consumer food': 60382, 'consumer food safety': 197513, 'pressure company': 671145, 'unacceptable public': 939365, 'than profit': 841050, 'bank are trying': 109660, 'trying to pressure': 934842, 'to pressure company': 912036, 'pressure company to': 671146, 'price on medical': 675694, 'on medical supply': 602095, 'medical supply that': 526460, 'supply that are': 825952, 'that are urgently': 842838, 'are urgently needed': 91390, 'urgently needed to': 948399, 'needed to fight': 556535, 'gouging to take': 359483, 'pandemic is absolutely': 635751, 'absolutely unacceptable public': 27460, 'unacceptable public health': 939366, 'important than profit': 419000, 'via navigate': 956092, 'via navigate to': 956093, 'siren': 771692, 'hahahah': 373911, 'totalchaos': 926277, 'few cop': 303756, 'cop car': 203257, 'car racing': 163255, 'racing with': 695265, 'with light': 999216, 'and siren': 71693, 'siren on': 771693, 'toilet war': 921653, 'war begin': 966372, 'begin hahahah': 123524, 'hahahah totalchaos': 373912, 'just saw few': 469685, 'saw few cop': 738113, 'few cop car': 303757, 'cop car racing': 203258, 'car racing with': 163256, 'racing with light': 695266, 'with light and': 999217, 'light and siren': 489512, 'and siren on': 71694, 'siren on to': 771694, 'local supermarket let': 498551, 'supermarket let the': 821301, 'let the toilet': 487144, 'the toilet war': 869716, 'toilet war begin': 921654, 'war begin hahahah': 966373, 'begin hahahah totalchaos': 123525, 'the pandemic support': 863115, 'pandemic support food': 636603, 'bobo': 133756, 'spread worldwide': 790895, 'worldwide there': 1010430, 'state speaks': 795941, 'ceo bobo': 169660, 'to spread worldwide': 915085, 'spread worldwide there': 790896, 'worldwide there growing': 1010431, 'there growing concern': 878445, 'united state speaks': 942240, 'state speaks with': 795942, 'speaks with ceo': 787813, 'with ceo bobo': 997587, 'hello like': 389187, 'normal fucking': 567157, 'fucking human': 339906, 'being smile': 125804, 're nut': 699148, 'nut wtf': 577672, 'be foot apart': 114904, 'contact and say': 200014, 'and say hello': 70995, 'say hello like': 738744, 'hello like normal': 389188, 'like normal fucking': 490872, 'normal fucking human': 567158, 'fucking human being': 339907, 'human being smile': 410443, 'being smile at': 125805, 'smile at someone': 775698, 'at someone at': 100587, 'someone at walmart': 784381, 'walmart or on': 965383, 'street and they': 812902, 'and they look': 73917, 'they look at': 882624, 'at you like': 101658, 'you like you': 1019615, 'you re nut': 1020685, 're nut wtf': 699149, 'nut wtf socialdistancing': 577673, 'naive': 551524, 'landfill': 479324, 'maybe naive': 521750, 'naive and': 551525, 'understand isn': 940664, 'there way': 879287, 'the landfill': 858931, 'landfill milk': 479325, 'maybe naive and': 521751, 'naive and do': 551526, 'not understand isn': 572320, 'understand isn there': 940665, 'isn there way': 454725, 'there way to': 879288, 'get some of': 348068, 'of this into': 591994, 'this into the': 888153, 'hand of those': 375115, 'who could use': 988511, 'to the landfill': 916833, 'the landfill milk': 858932, 'landfill milk break': 479326, 'online in store': 608402, 'in store grocery': 428418, 'store grocery shopping': 807976, 'gabon': 342690, 'pangolin': 637224, 'falter': 297484, 'ventes': 954496, 'flanchent': 310003, 'avec': 104751, 'in gabon': 423202, 'gabon pangolin': 342693, 'pangolin sale': 637227, 'sale falter': 732207, 'falter with': 297487, 'extent consumer': 293318, 'affected we': 34456, 'and proactive': 69530, 'proactive au': 679150, 'au gabon': 102783, 'gabon le': 342691, 'le ventes': 483228, 'ventes de': 954497, 'de pangolin': 229091, 'pangolin flanchent': 637225, 'flanchent avec': 310004, 'avec le': 104752, 'in gabon pangolin': 423203, 'gabon pangolin sale': 342694, 'pangolin sale falter': 637228, 'sale falter with': 732208, 'falter with covid': 297488, '19 time will': 11405, 'time will tell': 898345, 'will tell how': 995101, 'tell how and': 836978, 'how and to': 407362, 'and to what': 74211, 'what extent consumer': 981443, 'extent consumer behavior': 293319, 'be affected we': 113520, 'affected we remain': 34457, 'we remain vigilant': 973075, 'remain vigilant and': 709910, 'vigilant and proactive': 957237, 'and proactive au': 69531, 'proactive au gabon': 679151, 'au gabon le': 102784, 'gabon le ventes': 342692, 'le ventes de': 483229, 'ventes de pangolin': 954498, 'de pangolin flanchent': 229092, 'pangolin flanchent avec': 637226, 'flanchent avec le': 310005, 'avec le covid': 104753, 'beer left': 122476, 'just boris': 468345, 'boris announces': 135439, 'announces pub': 77285, 'so no beer': 777882, 'no beer left': 563685, 'beer left at': 122477, 'left at supermarket': 485400, 'near me just': 553539, 'me just boris': 523029, 'just boris announces': 468346, 'boris announces pub': 135440, 'announces pub closure': 77286, 'price apr': 672614, '2020 fema': 14304, 'fema supply': 303494, 'chain chief': 170593, 'chief that': 175974, 'up price apr': 945807, 'price apr 2020': 672615, 'apr 2020 fema': 83364, '2020 fema supply': 14305, 'fema supply chain': 303495, 'supply chain chief': 824929, 'chain chief that': 170594, 'chief that normally': 175975, 'myself my': 550910, 'who crashed': 988518, 'crashed into': 215074, 'didn panic bought': 241150, 'panic bought only': 637427, 'me and myself': 522419, 'and myself my': 67397, 'myself my family': 550911, 'have car because': 379893, 'car because of': 163025, 'idiot who crashed': 413639, 'who crashed into': 988519, 'crashed into mine': 215075, '19 that will': 11163, 'will kill my': 993919, 'be the lack': 117628, 'drive some': 259151, 'model instead': 535267, 'ceo angus': 169652, 'angus ward': 76521, 'pandemic could drive': 635245, 'could drive some': 209116, 'drive some service': 259152, 'some service provider': 783832, 'provider to more': 686806, 'to more of': 910261, 'more of business': 539868, 'of business to': 580971, 'business to business': 144532, 'to business model': 902134, 'business model instead': 144057, 'model instead of': 535268, 'to consumer according': 903262, 'according to ceo': 28524, 'to ceo angus': 902573, 'ceo angus ward': 169653, 'line forming': 493117, 'forming again': 329674, 'recommended only': 704790, 'line forming again': 493118, 'forming again at': 329675, 'again at the': 36911, 'morning but remember': 541207, 'but remember it': 146926, 'remember it recommended': 710217, 'it recommended only': 460667, 'recommended only one': 704791, 'per family should': 650835, 'family should go': 298224, 'should go shopping': 766048, 'go shopping to': 354135, 'shopping to prevent': 764188, 'while no': 987082, 'can assume': 157536, 'while no one': 987083, 'no one really': 564957, 'one really know': 606943, 'really know what': 702372, 'world will look': 1010190, '19 we can': 11921, 'we can assume': 970909, 'can assume that': 157537, 'assume that there': 97019, 'shopping event and': 762594, 'theultimatechoice': 881057, 'humor repost': 410910, 'toiletpaper gas': 922025, 'gas theultimatechoice': 344153, 'theultimatechoice life': 881058, 'life 2020': 488437, '2020 humor': 14377, 'stayathome stayhealthy': 797633, 'stayhealthy bekind': 797892, 'bit of humor': 131647, 'of humor repost': 584898, 'humor repost meme': 410911, 'meme toiletpaper gas': 528368, 'toiletpaper gas theultimatechoice': 922026, 'gas theultimatechoice life': 344154, 'theultimatechoice life 2020': 881059, 'life 2020 humor': 488438, '2020 humor stayathome': 14378, 'humor stayathome stayhealthy': 410920, 'stayathome stayhealthy bekind': 797634, 'better video': 128590, 'call workingfromhome': 156242, 'workingfromhome socialdistancing': 1009112, 'from home tip': 335916, 'home tip for': 402302, 'tip for better': 898761, 'for better video': 319663, 'better video call': 128591, 'video call workingfromhome': 956656, 'call workingfromhome socialdistancing': 156243, 'full grown': 340623, 'grown as': 367273, 'as woman': 94833, 'even reducing': 284518, 'reducing hour': 706292, 'feel well': 302930, 'well or': 978446, 'or there': 617419, 'full grown as': 340624, 'grown as woman': 367274, 'as woman my': 94834, 'woman my county': 1003559, 'my county ha': 547824, 'county ha the': 211399, 'case in colorado': 165791, 'colorado and grocery': 186778, 'have to come': 383180, 'into work can': 443301, 'work can afford': 1004967, 'time off my': 897384, 'off my store': 593988, 'my store isn': 550223, 'store isn even': 808557, 'isn even reducing': 454500, 'even reducing hour': 284519, 'reducing hour so': 706293, 'hour so please': 405940, 'you don feel': 1018313, 'don feel well': 253513, 'feel well or': 302931, 'well or there': 978447, 'or there no': 617420, 'redcross': 705647, 'high coronavirus': 394969, 'coronavirus spark': 206791, 'spark stockpiling': 787556, 'stockpiling rice': 804059, 'rice rice': 721125, 'rice food': 721052, 'food unitednations': 317395, 'unitednations un': 942281, 'un redcross': 939297, 'redcross fema': 705648, 'fema republican': 303490, 'republican democrat': 713026, 'democrat congress': 236704, 'rice price surge': 721116, 'surge to year': 828272, 'to year high': 918872, 'year high coronavirus': 1014621, 'high coronavirus spark': 394970, 'coronavirus spark stockpiling': 206792, 'spark stockpiling rice': 787557, 'stockpiling rice rice': 804060, 'rice rice food': 721126, 'rice food unitednations': 721053, 'food unitednations un': 317396, 'unitednations un redcross': 942282, 'un redcross fema': 939298, 'redcross fema republican': 705649, 'fema republican democrat': 303491, 'republican democrat congress': 713027, 'hypermarket revise': 412356, 'revise timing': 720631, 'timing launch': 898513, 'launch priority': 481941, 'lulu hypermarket revise': 506651, 'hypermarket revise timing': 412357, 'revise timing launch': 720632, 'timing launch priority': 898514, 'launch priority counter': 481942, 'theageofcoronavirus': 872236, 'produce idle': 680306, 'idle teenager': 413686, 'trend theageofcoronavirus': 931470, 'store produce idle': 809666, 'produce idle teenager': 680307, 'idle teenager are': 413687, 'teenager are participating': 836536, 'disturbing trend theageofcoronavirus': 248429, 'fallout 76': 297370, '76 fan': 22232, 'and jacking': 65638, 'fallout 76 fan': 297371, '76 fan are': 22233, 'fan are hoarding': 298505, 'paper and jacking': 639832, 'and jacking up': 65639, 'fuckthecoronavirus': 340076, 'igettowipemyass': 415726, 'peopleoverprofits': 650615, 've resorted': 953506, 'my rv': 549977, 'rv forgot': 728714, 'forgot when': 329422, 'me ten': 523588, 'pack sundaythoughts': 633155, 'sundaythoughts fuckthecoronavirus': 818338, 'fuckthecoronavirus igettowipemyass': 340077, 'igettowipemyass toiletpapergate': 415727, 'toiletpapergate peopleoverprofits': 923159, 've resorted to': 953507, 'resorted to using': 714688, 'to using the': 918090, 'using the toiletpaper': 950718, 'the toiletpaper out': 869730, 'of my rv': 586812, 'my rv forgot': 549978, 'rv forgot when': 728715, 'forgot when bought': 329423, 'when bought it': 983205, 'bought it they': 136614, 'it they gave': 461627, 'they gave me': 882152, 'gave me ten': 344647, 'me ten pack': 523589, 'ten pack sundaythoughts': 837798, 'pack sundaythoughts fuckthecoronavirus': 633156, 'sundaythoughts fuckthecoronavirus igettowipemyass': 818339, 'fuckthecoronavirus igettowipemyass toiletpapergate': 340078, 'igettowipemyass toiletpapergate peopleoverprofits': 415728, 'pharamacy': 654004, 'home pharamacy': 401851, 'pharamacy yes': 654005, 'yes grocery': 1015448, 'yes cocktail': 1015408, 'cocktail with': 185249, 'friend no': 333723, 'no basketball': 563670, 'basketball game': 112434, 'game no': 343206, 'no stay': 565573, 'home or not': 401749, 'or not stay': 616311, 'stay home pharamacy': 796993, 'home pharamacy yes': 401852, 'pharamacy yes grocery': 654006, 'yes grocery store': 1015449, 'store yes cocktail': 811661, 'yes cocktail with': 1015409, 'cocktail with friend': 185250, 'with friend no': 998560, 'friend no basketball': 333724, 'no basketball game': 563671, 'basketball game no': 112435, 'game no stay': 343207, 'no stay home': 565574, 'stay home please': 796995, 'sometimes there': 785239, 'well here': 978288, 'best grocery': 127712, 'with time': 1001770, 'delivery stayhome': 234573, 'sometimes there just': 785240, 'there just not': 878682, 'just not enough': 469329, 'not enough time': 569196, 'enough time in': 277682, 'shopping after work': 761911, 'after work well': 36574, 'work well here': 1005989, 'well here list': 978289, 'the best grocery': 849515, 'best grocery delivery': 127713, 'on hand with': 601240, 'hand with time': 376018, 'with time get': 1001771, 'time get away': 896826, 'from you grocery': 338460, 'you grocery shopping': 1018940, 'shopping delivery stayhome': 762465, 'experienced many': 291588, 'none have': 566567, 'sector hard': 744206, 'hard what': 378104, 'the oil world': 862122, 'ha experienced many': 370556, 'experienced many shock': 291589, 'but none have': 146517, 'none have hit': 566569, 'have hit the': 380964, 'hit the sector': 398448, 'the sector hard': 866615, 'sector hard what': 744207, 'hard what we': 378106, 'from the fallout': 337689, 'goair': 354547, 'govt guideline': 361134, 'guideline when': 368504, 'when requested': 983937, 'requested for': 713252, 'for rescheduling': 325139, 'rescheduling goair': 713595, 'goair exploiting': 354548, 'all physically': 43956, 'physically visited': 655525, 'visited counter': 959464, 'information need': 437897, 'help asap': 389383, 'asap goi': 94867, '19 govt guideline': 7271, 'govt guideline when': 361135, 'guideline when requested': 368505, 'when requested for': 983938, 'requested for rescheduling': 713253, 'for rescheduling goair': 325140, 'rescheduling goair exploiting': 713596, 'goair exploiting the': 354549, 'exploiting the consumer': 292451, 'the consumer by': 851505, 'consumer by charging': 196715, 'by charging too': 152105, 'too much support': 924947, 'much support is': 545341, 'at all physically': 97902, 'all physically visited': 43957, 'physically visited counter': 655526, 'visited counter to': 959465, 'counter to get': 210274, 'get the information': 348255, 'the information need': 858258, 'information need help': 437898, 'need help asap': 554973, 'help asap goi': 389384, 'asap goi india': 94868, 'logistician': 500714, 'doctor teacher': 251119, 'teacher cleaner': 835446, 'cleaner transport': 180859, 'transport sector': 929935, 'sector supermarket': 744342, 'nurse logistician': 577411, 'logistician ambulance': 500715, 'ambulance ppl': 51336, 'ppl fire': 668231, 'fire ppl': 308112, 'ppl police': 668308, 'from with love': 338392, 'with love and': 999322, 'respect for those': 715002, 'for those taking': 327143, 'those taking care': 892516, 'care of doctor': 164099, 'of doctor teacher': 582752, 'doctor teacher cleaner': 251120, 'teacher cleaner transport': 835447, 'cleaner transport sector': 180860, 'transport sector supermarket': 929936, 'sector supermarket worker': 744343, 'supermarket worker nurse': 824057, 'worker nurse logistician': 1007466, 'nurse logistician ambulance': 577412, 'logistician ambulance ppl': 500716, 'ambulance ppl fire': 51337, 'ppl fire ppl': 668232, 'fire ppl police': 308113, 'ppl police etc': 668309, 'pang': 637221, 'being pregnant': 125569, 'pregnant with': 669841, 'constant hunger': 195617, 'hunger pang': 411164, 'pang and': 637222, 'great combo': 362580, 'combo rationing': 187166, 'delivery certainly': 233790, 'certainly take': 170184, 'creativity stockpilinguk': 216220, 'being pregnant with': 125570, 'pregnant with constant': 669842, 'with constant hunger': 997741, 'constant hunger pang': 195618, 'hunger pang and': 411165, 'pang and food': 637223, 'food shortage not': 316591, 'shortage not great': 765090, 'not great combo': 569743, 'great combo rationing': 362581, 'combo rationing the': 187167, 'rationing the veg': 697878, 'the veg rice': 870663, 'veg rice and': 953784, 'rice and pasta': 720998, 'and pasta stock': 68762, 'pasta stock until': 643817, 'stock until next': 803046, 'until next delivery': 943794, 'next delivery certainly': 561338, 'delivery certainly take': 233791, 'certainly take lot': 170185, 'lot of creativity': 504167, 'of creativity stockpilinguk': 582125, 'creativity stockpilinguk coronacrisis': 216221, 'nowreading': 576588, 'seneshaw': 750161, 'tamru': 834138, 'bart': 111390, 'minten': 533677, 'igc': 415697, 'nowreading with': 576589, 'with seneshaw': 1000634, 'seneshaw tamru': 750162, 'tamru bart': 834139, 'bart minten': 111391, 'minten find': 533678, 'ethiopia urban': 283117, 'urban demand': 948107, 'veg trade': 953792, 'trade affected': 928396, 'by travel': 154592, 'ban competition': 109184, 'competition price': 191727, 'reduced access': 706017, 'to input': 908404, 'input for': 438975, 'farmer via': 299560, 'via blog': 955814, 'blog igc': 132953, 'nowreading with seneshaw': 576590, 'with seneshaw tamru': 1000635, 'seneshaw tamru bart': 750163, 'tamru bart minten': 834140, 'bart minten find': 111392, 'minten find in': 533679, 'find in ethiopia': 306971, 'in ethiopia urban': 422618, 'ethiopia urban demand': 283118, 'urban demand for': 948108, 'demand for fruit': 235424, 'for fruit veg': 321787, 'fruit veg trade': 339171, 'veg trade affected': 953793, 'trade affected by': 928397, 'affected by travel': 34328, 'by travel ban': 154593, 'travel ban competition': 930284, 'ban competition price': 109185, 'competition price reduced': 191728, 'price reduced access': 676127, 'reduced access to': 706018, 'access to input': 28246, 'to input for': 908405, 'input for farmer': 438976, 'for farmer via': 321408, 'farmer via blog': 299561, 'via blog igc': 955815, 'haih': 373934, 'yall covid': 1014064, 'appliance haih': 82416, 'yall covid 19': 1014065, '19 really made': 9988, 'made me do': 507837, 'me do some': 522663, 'for home appliance': 322341, 'home appliance haih': 400720, 'walking away': 965032, 'of is walking': 585330, 'is walking away': 453745, 'walking away with': 965033, 'away with the': 106124, 'the last piece': 859032, 'piece of tp': 656350, 'tp toiletpaper toiletpapercrisis': 928008, 'only dumped': 610374, 'stock right': 802790, 'after briefing': 35431, 'briefing inhofe': 139721, 'inhofe voted': 438468, 'response act': 715613, 'that fund': 843975, 'family amp': 297576, 'medical leave': 526238, 'leave expands': 484786, 'expands food': 290525, 'amp increase': 53983, 'of medicaid': 586387, 'medicaid and': 526015, 'not only dumped': 570791, 'only dumped his': 610375, 'his stock right': 397825, 'stock right after': 802791, 'right after briefing': 721736, 'after briefing inhofe': 35432, 'briefing inhofe voted': 139722, 'inhofe voted no': 438469, 'no on the': 564910, 'on the response': 604334, 'the response act': 865618, 'response act that': 715614, 'act that fund': 29784, 'that fund free': 843976, 'fund free testing': 341415, 'free testing and': 332212, 'testing and paid': 839440, 'paid sick family': 634124, 'sick family amp': 768440, 'family amp medical': 297577, 'amp medical leave': 54127, 'medical leave expands': 526239, 'leave expands food': 484787, 'expands food security': 290526, 'security program amp': 744723, 'program amp increase': 683203, 'amp increase funding': 53984, 'increase funding of': 432795, 'funding of medicaid': 341608, 'of medicaid and': 586388, 'medicaid and unemployment': 526016, 'mtherfkers': 544611, 'pursuing': 690219, 'these mtherfkers': 880321, 'mtherfkers are': 544612, 'are pursuing': 89336, 'pursuing effort': 690220, 'the slashed': 867322, 'slashed 16m': 773608, '16m job': 4267, 'job this': 466207, 'will compound': 992985, 'compound their': 192593, 'their misery': 873979, 'misery this': 534021, 'so while in': 778740, 'crisis these mtherfkers': 218208, 'these mtherfkers are': 880322, 'mtherfkers are pursuing': 544613, 'are pursuing effort': 89337, 'pursuing effort to': 690221, 'increase oil gas': 432949, 'in the matter': 429346, 'the matter of': 860300, 'matter of three': 520614, 'of three week': 592149, 'week the slashed': 977009, 'the slashed 16m': 867323, 'slashed 16m job': 773609, '16m job this': 4268, 'job this will': 466209, 'this will compound': 891407, 'will compound their': 992986, 'compound their misery': 192594, 'their misery this': 873980, 'misery this policy': 534022, 'this policy help': 889655, 'help oil executive': 390177, 'oil executive not': 596776, 'svp ha': 829883, '10 hostel': 1464, 'hostel around': 404931, 'around ireland': 93356, 'ireland providing': 444843, 'providing bed': 686950, 'any ppe': 79677, 'svp ha 10': 829884, 'ha 10 hostel': 369386, '10 hostel around': 1465, 'hostel around ireland': 404932, 'around ireland providing': 93357, 'ireland providing bed': 444844, 'providing bed and': 686951, 'bed and vital': 120385, 'and vital service': 75003, 'service for many': 752384, 'our society if': 624826, 'society if anyone': 781242, 'anyone can help': 80219, 'help with hand': 390913, 'sanitizer or any': 735477, 'or any ppe': 614355, 'any ppe we': 79678, 'ppe we would': 668106, 'would really appreciate': 1012167, 'appreciate it 19': 82729, 'marvin': 518142, 'now marvin': 575289, 'marvin how': 518143, 'more must': 539818, 'must die': 546618, 'to say now': 913833, 'say now marvin': 739002, 'now marvin how': 575290, 'marvin how many': 518144, 'many more must': 514308, 'more must die': 539819, 'must die for': 546619, 'die for your': 241336, 'for your stock': 328215, 'your stock price': 1025954, 'home suffer': 402171, 'suffer manager': 817216, 'manager tell': 512798, 'food want': 317450, 'their resident': 874558, 'people go out': 648085, 'out and panic': 625682, 'buy people in': 149085, 'people in care': 648355, 'care home suffer': 164003, 'home suffer manager': 402172, 'suffer manager tell': 817217, 'manager tell me': 512799, 'they re struggling': 883136, 'find food want': 306910, 'food want the': 317451, 'want the government': 965958, 'sure their resident': 827723, 'their resident can': 874559, 'resident can eat': 714270, 'snowing': 776409, 'time entertain': 896619, 'need hear': 554968, 'being old': 125483, 'had died': 373029, 'started snowing': 794836, 'snowing sign': 776410, 'sign listen': 769147, 'them stayinghome': 876326, 'every time entertain': 286305, 'time entertain the': 896620, 'supermarket for thing': 820426, 'for thing really': 326997, 'thing really do': 884706, 'not need hear': 570657, 'need hear of': 554969, 'hear of someone': 387967, 'of someone in': 589920, 'in my age': 425531, 'my age group': 547237, 'age group with': 37823, 'group with the': 366977, 'with the underlying': 1001527, 'the underlying condition': 870356, 'underlying condition of': 940470, 'condition of being': 193496, 'of being old': 580653, 'being old who': 125484, 'old who had': 598541, 'who had died': 988877, 'had died from': 373030, 'died from now': 241557, 'from now it': 336609, 'now it started': 575131, 'it started snowing': 461226, 'started snowing sign': 794837, 'snowing sign listen': 776411, 'sign listen to': 769148, 'to them stayinghome': 917315, 'swkzwespsp': 830612, 'on wall': 605094, 'street modest': 813037, '19 http': 7622, 'co swkzwespsp': 184964, 'week on wall': 976677, 'on wall street': 605095, 'wall street modest': 965185, 'street modest decline': 813038, 'covid 19 http': 213232, '19 http co': 7623, 'http co swkzwespsp': 409772, 'have feeling': 380599, 'feeling majority': 303021, 'ha much': 371304, 'shall see': 754552, 'see google': 745157, 'search ranking': 743285, 'ranking algorithm': 696793, 'algorithm update': 41669, 'update march': 947067, '16th 17th': 4282, '17th via': 4472, 'have feeling majority': 380600, 'feeling majority of': 303022, 'majority of this': 509571, 'of this chatter': 591950, 'this chatter ha': 886754, 'chatter ha much': 173997, 'ha much to': 371305, 'much to do': 545390, 'do with changing': 250545, 'the but we': 850205, 'but we shall': 147761, 'we shall see': 973222, 'shall see google': 754553, 'see google search': 745158, 'google search ranking': 358190, 'search ranking algorithm': 743286, 'ranking algorithm update': 696794, 'algorithm update march': 41670, 'update march 16th': 947068, 'march 16th 17th': 515091, '16th 17th via': 4283, 'foregone': 328946, '19 consider': 5940, 'donating the': 254509, 'of foregone': 583868, 'foregone coffee': 328947, 'coffee lunch': 185507, 'many and': 513738, 'struggling demand': 814430, 'from home amid': 335838, 'covid 19 consider': 212840, '19 consider donating': 5941, 'consider donating the': 194987, 'donating the value': 254510, 'value of foregone': 952162, 'of foregone coffee': 583869, 'foregone coffee lunch': 328948, 'coffee lunch to': 185508, 'lunch to to': 506751, 'those in our': 892100, 'community in need': 189917, 'in need food': 425742, 'need food security': 554805, 'security is major': 744655, 'is major concern': 449521, 'concern for many': 192973, 'for many and': 323207, 'many and food': 513739, 'are struggling demand': 90583, 'revoking': 720725, 'perscription': 652243, 'consider revoking': 195086, 'revoking the': 720726, 'on gluten': 601121, 'food prescribing': 315908, 'prescribing and': 670486, 'free back': 331669, 'on perscription': 602768, 'perscription people': 652244, 'government consider revoking': 359990, 'consider revoking the': 195087, 'revoking the medical': 720727, 'decision on gluten': 231070, 'on gluten free': 601122, 'free food prescribing': 331835, 'food prescribing and': 315909, 'prescribing and put': 670487, 'and put all': 69804, 'put all gluten': 690500, 'gluten free back': 353122, 'free back on': 331670, 'back on perscription': 107197, 'on perscription people': 602769, 'perscription people need': 652245, 'income she': 432455, 'refund from': 706915, 'from iceland': 335987, 'iceland before': 412705, 'for selfishness': 325426, 'lot of post': 504254, 'of post from': 588262, 'post from people': 666142, 'from people now': 336885, 'people now saying': 648894, 'now saying they': 575732, 'to get item': 906518, 'get item online': 347445, 'item online shopping': 463519, 'online shopping one': 609206, 'shopping one lady': 763397, 'one lady wa': 606569, 'lady wa on': 478857, 'wa on low': 962827, 'low income she': 505358, 'income she ha': 432456, 'wait for refund': 964120, 'for refund from': 325061, 'refund from iceland': 706916, 'from iceland before': 335988, 'iceland before going': 412706, 'before going shopping': 122828, 'going shopping think': 355456, 'shopping think we': 764126, 'will see many': 994781, 'see many more': 745391, 'of this supermarket': 592046, 'this supermarket not': 890432, 'supermarket not prepared': 821646, 'prepared for selfishness': 670202, 'alert two': 41528, 'two scammer': 937195, 'scammer tried': 740635, 'bogus health': 134023, 'some resident': 783735, 'apartment complex': 81397, 'complex if': 192403, 'one try': 607315, 'police immediately': 663059, 'immediately insurance': 417112, 'consumer alert two': 196160, 'alert two scammer': 41529, 'two scammer tried': 937196, 'scammer tried to': 740636, 'sell bogus health': 748650, 'bogus health insurance': 134024, 'insurance to some': 440828, 'to some resident': 914888, 'some resident of': 783737, 'resident of an': 714334, 'of an apartment': 580102, 'an apartment complex': 55348, 'apartment complex if': 81398, 'complex if any': 192404, 'any one try': 79562, 'one try to': 607316, 'do this say': 250366, 'this say no': 889970, 'say no and': 738979, 'no and call': 563616, 'and call the': 59418, 'call the police': 156138, 'the police immediately': 863923, 'police immediately insurance': 663060, 'immediately insurance fraud': 417113, 'our nhsheroes': 624072, 'nhsheroes nhscovidheroes': 562234, 'nhscovidheroes and': 562212, 'many cleaner': 513904, 'cleaner lorry': 180794, 'officer teacher': 595726, 'teacher who': 835536, 'are essentialworkers': 86265, 'essentialworkers at': 281951, 'to our nhsheroes': 911220, 'our nhsheroes nhscovidheroes': 624073, 'nhsheroes nhscovidheroes and': 562235, 'nhscovidheroes and the': 562213, 'the many cleaner': 860038, 'many cleaner lorry': 513905, 'cleaner lorry driver': 180795, 'lorry driver supermarket': 503343, 'police officer teacher': 663131, 'officer teacher who': 595727, 'teacher who are': 835537, 'who are essentialworkers': 988140, 'are essentialworkers at': 86266, 'essentialworkers at the': 281952, 'change amp': 171909, 'to waste amid': 918362, 'waste amid coronavirus': 968066, 'of on supply': 587229, 'chain demand change': 170643, 'demand change amp': 235125, 'canale': 160796, 'delponti': 234816, 'sergienko': 751215, 'reporting protection': 712741, 'of congress': 581672, 'congress stimulus': 194531, 'bill what': 130722, 'do lender': 249559, 'lender need': 486241, 'comply michael': 192520, 'michael canale': 530226, 'canale john': 160797, 'john delponti': 466522, 'delponti joseph': 234817, 'joseph sergienko': 467332, 'sergienko discus': 751216, 'discus caresact': 244830, 'consumer credit reporting': 197027, 'credit reporting protection': 216493, 'reporting protection are': 712742, 'protection are part': 685335, 'part of congress': 642338, 'of congress stimulus': 581673, 'congress stimulus bill': 194532, 'stimulus bill what': 801518, 'bill what do': 130723, 'what do lender': 981345, 'do lender need': 249560, 'lender need to': 486242, 'to know to': 908999, 'know to comply': 476904, 'to comply michael': 903152, 'comply michael canale': 192521, 'michael canale john': 530227, 'canale john delponti': 160798, 'john delponti joseph': 466523, 'delponti joseph sergienko': 234818, 'joseph sergienko discus': 467333, 'sergienko discus caresact': 751217, 'owner hiking': 632460, 'buck bear': 141651, 'bear in': 118402, 'all those shop': 45187, 'those shop owner': 892462, 'shop owner hiking': 760646, 'owner hiking their': 632461, 'for essential to': 321125, 'quick buck bear': 694285, 'buck bear in': 141652, 'bear in mind': 118403, 'mind this will': 532754, 'not last forever': 570327, 'forever and people': 329095, 'semiconductorsales': 749650, 'semiconductorequipment': 749647, 'analytic': 57201, 'semiconductorsales recovered': 749651, 'recovered rise': 705241, 'unit semiconductor': 942087, 'semiconductor supply': 749642, 'paused read': 644637, 'more semiconductorequipment': 540343, 'semiconductorequipment usa': 749648, 'usa california': 948599, 'california analytic': 155460, 'semiconductorsales recovered rise': 749652, 'recovered rise in': 705242, 'of unit semiconductor': 592637, 'unit semiconductor supply': 942088, 'semiconductor supply demand': 749643, 'the paused read': 863401, 'paused read more': 644638, 'read more semiconductorequipment': 700452, 'more semiconductorequipment usa': 540344, 'semiconductorequipment usa california': 749649, 'usa california analytic': 948600, 'delooroll': 234810, 'shamblesstayathome': 754574, 'jason need': 464856, 'need delooroll': 554668, 'delooroll coronavid19': 234811, 'toiletpaper toiletrollchallenge': 922736, 'toiletrollchallenge corona': 923388, 'lockdownnow shamblesstayathome': 500337, 'jason need delooroll': 464857, 'need delooroll coronavid19': 554669, 'delooroll coronavid19 toiletpaper': 234812, 'coronavid19 toiletpaper toiletrollchallenge': 205399, 'toiletpaper toiletrollchallenge corona': 922737, 'toiletrollchallenge corona lockdownnow': 923389, 'corona lockdownnow shamblesstayathome': 204047, 'packthepantries': 633744, 'our packthepantries': 624227, 'packthepantries virtual': 633745, 'now midwest': 575299, 'or tripled': 617536, 'tripled because': 932279, 'of click': 581458, 'fellow hoosier': 303291, 'hoosier just': 403378, 'just will': 470305, 'will feed': 993420, 'feed family': 302307, 'our packthepantries virtual': 624228, 'packthepantries virtual food': 633746, 'drive is happening': 259081, 'happening now midwest': 377383, 'now midwest food': 575300, 'bank say the': 110153, 'say the need': 739291, 'the need ha': 861395, 'need ha doubled': 554945, 'ha doubled or': 370432, 'doubled or tripled': 256129, 'or tripled because': 617537, 'tripled because of': 932280, 'because of click': 119317, 'of click the': 581459, 'link to support': 493949, 'support our fellow': 826729, 'our fellow hoosier': 623057, 'fellow hoosier just': 303292, 'hoosier just will': 403379, 'just will feed': 470306, 'will feed family': 993421, 'feed family of': 302308, 'family of for': 298097, 'of for day': 583858, 'supermarket yeah': 824152, 'am staying': 50429, 'can spread at': 159701, 'at supermarket yeah': 100791, 'supermarket yeah that': 824153, 'yeah that why': 1014301, 'that why am': 847531, 'why am staying': 990736, 'am staying home': 50430, 'syian': 830747, 'in qom': 427164, 'qom there': 691576, 'neither mask': 557331, 'mask nor': 519015, 'nor alcoholic': 566930, 'alcoholic gel': 41210, 'gel except': 345114, 'the irgc': 858451, 'irgc said': 444873, 'it supplied': 461368, 'supplied pharmacy': 824464, 'and gel': 63503, 'gel that': 345151, 'that entered': 843720, 'entered iran': 278362, 'iran but': 444677, 'real help': 701191, 'to iraqi': 908510, 'iraqi and': 444792, 'and syian': 72936, 'syian pharmacy': 830748, 'pharmacy please': 654420, 'lady talk': 478836, 'in qom there': 427165, 'qom there are': 691577, 'there are neither': 878129, 'are neither mask': 88210, 'neither mask nor': 557332, 'mask nor alcoholic': 519016, 'nor alcoholic gel': 566931, 'alcoholic gel except': 41211, 'gel except in': 345115, 'market at high': 516044, 'price the irgc': 676843, 'the irgc said': 858452, 'irgc said it': 444874, 'said it supplied': 731164, 'it supplied pharmacy': 461369, 'supplied pharmacy and': 824465, 'pharmacy and gel': 654212, 'and gel that': 63504, 'gel that entered': 345152, 'that entered iran': 843721, 'entered iran but': 278363, 'iran but in': 444678, 'but in real': 146033, 'in real help': 427293, 'real help to': 701192, 'help to iraqi': 390778, 'to iraqi and': 908511, 'iraqi and syian': 444793, 'and syian pharmacy': 72937, 'syian pharmacy please': 830749, 'pharmacy please listen': 654421, 'to this lady': 917438, 'this lady talk': 888593, 'cpri': 214645, 'cpri up': 214646, 'up 19': 944126, 'today follows': 919531, 'follows extension': 312952, 'closure thru': 184044, 'thru june': 895201, 'june in': 468006, 'thing maybe': 884584, 'come they': 187536, 'also announced': 47854, 'the furlough': 856053, 'furlough of': 341892, 'of substantially': 590359, 'substantially all': 816066, 'it 7k': 456224, '7k america': 22474, 'and anticipates': 58187, 'anticipates smaller': 78475, 'smaller workforce': 775317, 'workforce it': 1008371, 'is reset': 451456, 'reset post': 714174, 'cpri up 19': 214647, 'up 19 today': 944129, '19 today follows': 11468, 'today follows extension': 919532, 'follows extension of': 312953, 'extension of store': 293288, 'store closure thru': 807109, 'closure thru june': 184045, 'thru june in': 895202, 'june in sign': 468007, 'sign of thing': 769176, 'of thing maybe': 591908, 'thing maybe to': 884585, 'maybe to come': 521861, 'to come they': 903052, 'come they also': 187537, 'they also announced': 881140, 'also announced the': 47855, 'announced the furlough': 77079, 'the furlough of': 856054, 'furlough of substantially': 341893, 'of substantially all': 590360, 'substantially all of': 816067, 'of it 7k': 585360, 'it 7k america': 456225, '7k america retail': 22475, 'america retail employee': 51663, 'retail employee and': 718067, 'employee and anticipates': 273554, 'and anticipates smaller': 58188, 'anticipates smaller workforce': 78476, 'smaller workforce it': 775318, 'workforce it business': 1008372, 'it business is': 456938, 'business is reset': 143958, 'is reset post': 451457, 'groveries': 366995, 'coronahassle': 204967, 'after becoming': 35396, 'in sanitizing': 427694, 'sanitizing started': 736511, 'hold brainstorming': 399898, 'brainstorming session': 137625, 'session where': 753327, 'family strategically': 298259, 'strategically list': 812568, 'list down': 494305, 'the groveries': 856873, 'groveries needed': 366996, 'needed so': 556490, 'supermarket coronahassle': 819802, 'now after becoming': 573951, 'after becoming an': 35397, 'becoming an expert': 120273, 'an expert in': 55971, 'expert in sanitizing': 291861, 'in sanitizing started': 427696, 'sanitizing started to': 736512, 'started to hold': 794873, 'to hold brainstorming': 907907, 'hold brainstorming session': 399899, 'brainstorming session where': 137626, 'session where the': 753328, 'where the family': 985226, 'the family strategically': 854903, 'family strategically list': 298260, 'strategically list down': 812569, 'list down all': 494306, 'all the groveries': 44773, 'the groveries needed': 856874, 'groveries needed so': 366997, 'needed so we': 556492, 'we don go': 971383, 'the supermarket coronahassle': 868531, 'miltimore': 532473, 'why rationing': 991313, 'be exposing': 114749, 'exposing more': 292927, '19 jon': 8194, 'jon miltimore': 467227, 'miltimore via': 532474, 'why rationing food': 991314, 'rationing food instead': 697812, 'of raising price': 588724, 'raising price could': 696110, 'could be exposing': 208868, 'be exposing more': 114750, 'exposing more people': 292928, 'covid 19 jon': 213310, '19 jon miltimore': 8195, 'jon miltimore via': 467228, 'mind stopthemadness': 532730, 'thought say that': 893193, 'say that but': 739227, 'that but 2019': 843061, 'back please people': 107229, 'please people are': 660281, 'their mind stopthemadness': 873977, 'mind stopthemadness stoppanicbuying': 532731, 'decrease the': 231609, 'additional revenue': 31858, 'revenue generated': 720420, 'treat those': 930903, 'affected especially': 34351, 'of keeping in': 585590, 'mind the economic': 532740, 'economic situation of': 267292, 'situation of our': 772417, 'our country would': 622608, 'country would suggest': 211274, 'not decrease the': 568973, 'decrease the oil': 231611, 'price the additional': 676819, 'the additional revenue': 848347, 'additional revenue generated': 31859, 'revenue generated by': 720421, 'generated by oil': 345575, 'by oil should': 153412, 'oil should be': 597430, 'and treat those': 74422, 'treat those affected': 930904, 'those affected especially': 891778, 'affected especially the': 34352, 'effect in': 269014, 'delhi vegetable': 232911, 'price witness': 677634, 'witness minimal': 1003119, 'minimal hike': 533062, 'hike during': 396207, 'lockdown supply': 499983, 'supply affected': 824660, 'affected majorly': 34391, 'effect in delhi': 269016, 'in delhi vegetable': 422086, 'delhi vegetable price': 232912, 'vegetable price witness': 954077, 'price witness minimal': 677635, 'witness minimal hike': 1003120, 'minimal hike during': 533063, 'hike during lockdown': 396208, 'during lockdown supply': 262773, 'lockdown supply affected': 499984, 'supply affected majorly': 824661, 'flatline': 310112, 'not raid': 571202, 'seeing profit': 746432, 'profit flatline': 682720, 'flatline small': 310113, 'experiencing boom': 291633, 'business grocerystores': 143801, 'grocerystores retail': 366377, 'do not raid': 249810, 'not raid the': 571203, 'raid the shelf': 695617, 'the shelf while': 866901, 'shelf while many': 757800, 'while many small': 987037, 'many small business': 514708, 'business owner are': 144178, 'owner are seeing': 632390, 'are seeing profit': 89911, 'seeing profit flatline': 746433, 'profit flatline small': 682721, 'flatline small food': 310114, 'small food market': 774958, 'food market and': 315391, 'chain are experiencing': 170498, 'are experiencing boom': 86338, 'experiencing boom in': 291634, 'in business grocerystores': 421075, 'business grocerystores retail': 143802, 'grocerystores retail business': 366378, 'dear state': 229883, 'and district': 61535, 'district administrator': 248351, 'administrator please': 32534, 'please impose': 660106, 'impose number': 419245, 'in super': 428549, 'see 100': 744857, '100 thronging': 2096, 'thronging at': 894271, 'purchase mostly': 689555, 'mostly that': 543021, 'mostly nonessential': 542982, 'nonessential coimbatore': 566618, 'dear state and': 229884, 'state and district': 795363, 'and district administrator': 61536, 'district administrator please': 248352, 'administrator please impose': 32535, 'please impose number': 660107, 'impose number of': 419246, 'customer in super': 222507, 'in super market': 428550, 'super market we': 818547, 'market we could': 517319, 'could see 100': 209628, 'see 100 thronging': 744858, '100 thronging at': 2097, 'thronging at the': 894272, 'for their purchase': 326863, 'their purchase mostly': 874514, 'purchase mostly that': 689556, 'mostly that are': 543022, 'that are mostly': 842781, 'are mostly nonessential': 88147, 'mostly nonessential coimbatore': 542983, 'in can': 421177, 'nice perk': 562458, 'perk from': 652021, 'these spot': 880716, 'spot via': 790138, 'via time': 956328, 'employee and anyone': 273555, 'anyone else on': 80280, 'the in can': 857997, 'in can get': 421179, 'get some nice': 348066, 'some nice perk': 783356, 'nice perk from': 562459, 'perk from these': 652022, 'from these spot': 337975, 'these spot via': 880717, 'spot via time': 790139, 'stock trend': 803033, 'trend consumerdata': 931303, 'that around 50': 842868, 'around 50 of': 93153, 'affected by out': 34320, 'of stock trend': 590203, 'stock trend consumerdata': 803034, 'trend consumerdata consumerbehavior': 931304, 'sashaying': 736871, 'elegantly': 271325, 'scanky': 740720, 'sashaying elegantly': 736872, 'elegantly around': 271326, 'one heard': 606411, 'ridiculous from': 721542, 'from woman': 338397, 'woman next': 1003561, 'next sentence': 561539, 'sentence wa': 750876, 'on picking': 602799, 'picking jar': 655860, 'jar out': 464817, 'you greedy': 1018937, 'greedy scanky': 363583, 'scanky tosser': 740721, 'tosser buy': 926099, 'buy normal': 149008, 'sashaying elegantly around': 736873, 'elegantly around supermarket': 271327, 'around supermarket today': 93506, 'supermarket today one': 823458, 'today one heard': 919977, 'one heard this': 606412, 'heard this is': 388162, 'is ridiculous from': 451517, 'ridiculous from woman': 721543, 'from woman next': 338398, 'woman next sentence': 1003562, 'next sentence wa': 561540, 'sentence wa on': 750877, 'wa on picking': 962832, 'on picking jar': 602800, 'picking jar out': 655861, 'jar out you': 464818, 'out you better': 627901, 'you better stock': 1017468, 'stock up no': 803100, 'up no you': 945463, 'no you greedy': 565946, 'you greedy scanky': 1018938, 'greedy scanky tosser': 363584, 'scanky tosser buy': 740722, 'tosser buy normal': 926100, 'buy normal it': 149009, 'normal it not': 567194, 'not the zombie': 572047, 'smartkas': 775486, 'involvement': 444366, 'in threatening': 430054, 'threatening time': 893828, 'when basic': 983198, 'our solution': 624841, 'key smartkas': 473392, 'smartkas provides': 775487, 'provides fresh': 686852, 'water without': 969265, 'without human': 1002727, 'human involvement': 410531, 'involvement visit': 444367, 'info corona': 437460, 'corona smartkas': 204177, 'in threatening time': 430055, 'threatening time like': 893829, 'this when basic': 891353, 'when basic need': 983199, 'need are in': 554471, 'short supply because': 764704, '19 our solution': 9061, 'our solution can': 624842, 'solution can be': 782006, 'be the key': 117626, 'the key smartkas': 858763, 'key smartkas provides': 473393, 'smartkas provides fresh': 775488, 'provides fresh food': 686853, 'and water without': 75266, 'water without human': 969266, 'without human involvement': 1002728, 'human involvement visit': 410532, 'involvement visit for': 444368, 'more info corona': 539551, 'info corona smartkas': 437461, 'seeding': 746184, 'saskag': 736879, 'apas': 81432, 'president todd': 670928, 'todd lewis': 920608, 'reduced cash': 706041, 'flow well': 311267, 'well availability': 978037, 'farm input': 299138, 'input at': 438970, 'at seeding': 100480, 'seeding read': 746185, 'more saskag': 540313, 'saskag apas': 736880, 'president todd lewis': 670929, 'todd lewis say': 920609, 'lewis say farmer': 487844, 'farmer are worried': 299299, 'about lower price': 25675, 'price and reduced': 672520, 'and reduced cash': 70101, 'reduced cash flow': 706042, 'cash flow well': 166231, 'flow well availability': 311268, 'well availability of': 978038, 'availability of farm': 104161, 'of farm input': 583424, 'farm input at': 299140, 'input at seeding': 438971, 'at seeding read': 100481, 'seeding read more': 746186, 'read more saskag': 700451, 'more saskag apas': 540314, 'digital after': 242501, 'digital adaptation': 242497, 'adaptation will': 31309, 'definitely speed': 232395, '19 marketing digital': 8560, 'marketing digital after': 517571, 'digital after covid': 242502, 'we live is': 972217, 'live is definitely': 495902, 'is definitely going': 447084, 'going to change': 355550, 'change and digital': 171916, 'and digital adaptation': 61356, 'digital adaptation will': 242498, 'adaptation will definitely': 31310, 'will definitely speed': 993140, 'definitely speed up': 232396, 'speed up after': 788472, 'up after this': 944232, 'into week': 443284, 'store mon': 808970, 'mon man': 536193, 'man shelterinplace': 512227, 'shelterinplace shelteringinplace': 758021, 'shelteringinplace 19': 757977, 'going into week': 355249, 'into week and': 443285, 'the store mon': 868059, 'store mon man': 808971, 'mon man shelterinplace': 536194, 'man shelterinplace shelteringinplace': 512228, 'shelterinplace shelteringinplace 19': 758022, 'shelteringinplace 19 toiletpaper': 757978, 'loaf bread': 497357, 'bread had': 138480, 'had all': 372820, 'been snatched': 121983, 'snatched off': 776174, 'the tortilla': 869808, 'stocked think': 803424, 'the demographic': 853127, 'demographic panic': 236791, 'panic pandemic': 638393, 'day and she': 227280, 'said the loaf': 731436, 'the loaf bread': 859519, 'loaf bread had': 497358, 'bread had all': 138481, 'had all been': 372821, 'all been snatched': 42163, 'been snatched off': 121984, 'snatched off the': 776175, 'shelf but the': 756907, 'but the tortilla': 147419, 'the tortilla were': 869809, 'tortilla were still': 926054, 'were still well': 980177, 'well stocked think': 978608, 'stocked think this': 803425, 'think this say': 885705, 'this say lot': 889968, 'say lot about': 738902, 'about the demographic': 26376, 'the demographic panic': 853128, 'demographic panic pandemic': 236792, 'greed isn': 363395, 'taking rest': 833545, 'rest please': 716215, 'read be': 700300, 'greed isn taking': 363396, 'isn taking rest': 454694, 'taking rest please': 833546, 'rest please read': 716216, 'please read be': 660352, 'read be extra': 700301, 'over am': 629965, 'le wasted': 483236, 'food stayhomechallenge': 316761, 'shopping is over': 763072, 'is over am': 450684, 'over am only': 629966, 'am only buying': 50288, 'buying what need': 151342, 'what need so': 981908, 'need so there': 555579, 'is le wasted': 449252, 'le wasted food': 483237, 'wasted food stayhomechallenge': 968237, 'food stayhomechallenge quarantinelife': 316762, 'urt': 948494, 'virus urt': 958965, 'urt ha': 948495, 'consumer drop': 197257, 'off program': 594090, 'program effective': 683238, '19 virus urt': 11842, 'virus urt ha': 958966, 'urt ha made': 948496, 'temporarily suspend the': 837555, 'suspend the consumer': 829590, 'the consumer drop': 851528, 'consumer drop off': 197258, 'drop off program': 260338, 'off program effective': 594091, 'program effective immediately': 683239, 'warren call': 967348, 'for suspending': 326102, 'suspending consumer': 829650, 'collection moratorium': 186447, 'foreclosure stopping': 328932, 'stopping utility': 805839, 'utility shutoffs': 951316, 'shutoffs increasing': 768171, 'increasing social': 433695, 'security disability': 744581, 'disability payment': 243840, 'payment universal': 645771, 'universal paid': 942369, 'leave protecting': 484909, 'protecting small': 685225, 'corporate raiding': 207329, 'warren call for': 967349, 'call for suspending': 155894, 'for suspending consumer': 326103, 'suspending consumer debt': 829651, 'debt collection moratorium': 230448, 'collection moratorium on': 186448, 'on eviction foreclosure': 600655, 'eviction foreclosure stopping': 288319, 'foreclosure stopping utility': 328933, 'stopping utility shutoffs': 805840, 'utility shutoffs increasing': 951317, 'shutoffs increasing social': 768172, 'increasing social security': 433696, 'social security disability': 779944, 'security disability payment': 744582, 'disability payment universal': 243841, 'payment universal paid': 645772, 'universal paid leave': 942370, 'paid leave protecting': 634062, 'leave protecting small': 484910, 'protecting small business': 685226, 'small business from': 774859, 'business from corporate': 143765, 'from corporate raiding': 335030, 'cigar are': 178465, 'essential cutter': 280956, 'cutter cigar': 223702, 'cigar retail': 178469, 'open 11': 612002, 'monday through': 536395, 'through saturday': 894655, 'saturday closed': 737015, 'cigar are essential': 178466, 'are essential cutter': 86246, 'essential cutter cigar': 280957, 'cutter cigar retail': 223703, 'cigar retail store': 178470, 'remains open 11': 710040, 'open 11 until': 612003, '11 until monday': 2608, 'until monday through': 943786, 'monday through saturday': 536396, 'through saturday closed': 894656, 'saturday closed on': 737016, 'closed on sunday': 183261, 'extraneous': 293725, '06 extraneous': 991, 'extraneous stay': 293726, 'staysafe window': 798959, '06 extraneous stay': 992, 'extraneous stay home': 293727, 'home stayhome dailydrawing': 402129, 'quarantine stockup staysafe': 692585, 'stockup staysafe window': 804206, 'nanny': 551812, 'massage': 519940, 'the nanny': 861198, 'nanny state': 551815, 'no tattoo': 565665, 'tattoo no': 834865, 'no massage': 564719, 'massage and': 519941, 'the nanny state': 861199, 'nanny state is': 551816, 'state is taking': 795706, 'taking over no': 833495, 'over no tattoo': 630438, 'no tattoo no': 565666, 'tattoo no massage': 834866, 'no massage and': 564720, 'massage and now': 519942, 'even buy more': 283920, 'than dozen roll': 840527, 'dozen roll of': 257915, 'roll of at': 725412, 'of at time': 580426, 'ensue': 277863, 'small sample': 775108, 'to ensue': 905136, 'ensue during': 277864, 'chaos will': 173080, 'just small sample': 469816, 'small sample of': 775109, 'sample of the': 733475, 'panic that will': 638678, 'that will continue': 847566, 'continue to ensue': 201187, 'to ensue during': 905137, 'ensue during the': 277865, 'during the chaos': 263095, 'the chaos will': 850696, 'chaos will continue': 173081, 'business remain': 144304, 'what protocol': 982066, 'protocol are': 685974, 'ensure essential business': 277926, 'essential business remain': 280857, 'business remain open': 144305, 'remain open what': 709829, 'open what protocol': 612661, 'what protocol are': 982067, 'protocol are in': 685975, 'in place if': 426740, 'place if grocery': 657502, 'store ha case': 808001, '19 and need': 5067, 'need to shut': 556071, 'shut down in': 767830, 'down in community': 256855, 'croix': 218848, 'by bike': 151961, 'get la': 347463, 'la croix': 478150, 'store by bike': 806829, 'by bike to': 151962, 'bike to get': 130429, 'to get la': 906521, 'get la croix': 347464, 'slamming': 773514, 'restraining': 717083, 'flash forward': 310025, '2020 instead': 14398, 'of slamming': 589764, 'slamming opec': 773515, 'opec for': 611889, 'for artificially': 319491, 'artificially restraining': 94552, 'restraining production': 717084, 'production trump': 682263, 'cartel to': 165461, 'that donald': 843604, 'trump according': 933368, 'to himself': 907781, 'himself is': 396805, 'genius gop': 345781, 'flash forward to': 310026, 'forward to 2020': 330021, 'to 2020 instead': 899598, '2020 instead of': 14399, 'instead of slamming': 440321, 'of slamming opec': 589765, 'slamming opec for': 773516, 'opec for artificially': 611890, 'for artificially restraining': 319492, 'artificially restraining production': 94553, 'restraining production trump': 717085, 'production trump is': 682264, 'trump is urging': 933661, 'urging the cartel': 948452, 'the cartel to': 850452, 'cartel to do': 165462, 'do just that': 249539, 'just that donald': 469981, 'that donald trump': 843605, 'donald trump according': 254105, 'trump according to': 933369, 'according to himself': 28552, 'to himself is': 907782, 'himself is stable': 396806, 'is stable genius': 452210, 'stable genius gop': 791917, 'blindly': 132708, 'careful not': 164412, 'to blindly': 901859, 'blindly accept': 132709, 'accept altruism': 27938, 'altruism in': 49400, 'landlord offering': 479359, 'offering price': 595215, 'freeze their': 332566, 'of contributing': 581838, 'contributing during': 201908, 'freeze now': 332541, 'recession price': 704342, 'may drop': 521136, 'drop far': 260193, 'far below': 298724, 'below where': 126778, 'be careful not': 113990, 'careful not to': 164413, 'not to blindly': 572134, 'to blindly accept': 901860, 'blindly accept altruism': 132710, 'accept altruism in': 27939, 'altruism in some': 49401, 'these business and': 879706, 'business and landlord': 143316, 'and landlord offering': 65943, 'landlord offering price': 479360, 'offering price freeze': 595216, 'price freeze their': 674105, 'freeze their way': 332567, 'their way of': 875156, 'way of contributing': 969747, 'of contributing during': 581839, 'contributing during this': 201909, 'during this they': 263326, 'this they offer': 890558, 'they offer price': 882811, 'offer price freeze': 594755, 'price freeze now': 674102, 'freeze now because': 332542, 'now because in': 574212, 'coming recession price': 188175, 'recession price may': 704343, 'price may drop': 675189, 'may drop far': 521137, 'drop far below': 260194, 'far below where': 298725, 'below where they': 126779, 'news ve': 560934, 'eating oatmeal': 266262, 'oatmeal for': 578308, 'breakfast and': 138872, 'and dinner': 61364, 'because value': 119764, 'value my': 952153, 'news ve been': 560935, 'been eating oatmeal': 121067, 'eating oatmeal for': 266263, 'oatmeal for breakfast': 578309, 'for breakfast and': 319777, 'breakfast and dinner': 138873, 'and dinner to': 61366, 'dinner to avoid': 243099, 'to avoid trip': 900955, 'store because value': 806690, 'because value my': 119765, 'value my life': 952154, '25 company': 15854, 'company reduces': 191008, 'instrument aiding': 440588, 'by 25 company': 151605, '25 company reduces': 15855, 'company reduces retail': 191009, 'by 25 on': 151608, '25 on medical': 15928, 'on medical and': 602094, 'medical and medical': 526049, 'and medical instrument': 66876, 'medical instrument aiding': 526222, 'instrument aiding the': 440589, 'into slowdown': 442987, 'slowdown at': 774424, 'significant speed': 769524, 'speed it': 788448, 'so worried': 778810, 'about estate': 25183, 'agent struggling': 38189, 'struggling it': 814456, 'given then': 351171, 'then four': 877181, 'month 75': 537516, 'fee coronacrisis': 302152, 'is warning the': 453765, 'market is going': 516629, 'going into slowdown': 355244, 'into slowdown at': 442988, 'slowdown at significant': 774425, 'at significant speed': 100528, 'significant speed it': 769525, 'speed it so': 788449, 'it so worried': 461139, 'so worried about': 778811, 'worried about estate': 1010486, 'about estate agent': 25184, 'estate agent struggling': 282088, 'agent struggling it': 38190, 'struggling it given': 814457, 'it given then': 458245, 'given then four': 351172, 'then four month': 877182, 'four month 75': 330629, 'month 75 discount': 537517, 'on fee coronacrisis': 600774, 'right tired': 722330, 'now normally': 575369, 'normally pretty': 567521, 'pretty laid': 671435, 'but yelled': 147957, 'at woman': 101578, 'completely invading': 192310, 'invading my': 443573, 'space lack': 787137, 'consciousness or': 194810, 'or thought': 617443, 'problem there': 679710, 'there pandemic': 878916, 'fat self': 300214, 'that right tired': 846053, 'right tired of': 722331, 'tired of it': 899046, 'of it now': 585423, 'it now normally': 459958, 'now normally pretty': 575370, 'normally pretty laid': 567522, 'pretty laid back': 671436, 'laid back but': 479004, 'back but yelled': 106916, 'but yelled at': 147958, 'yelled at woman': 1015231, 'at woman in': 101579, 'woman in the': 1003524, 'store yesterday who': 811674, 'who wa completely': 989905, 'wa completely invading': 961847, 'completely invading my': 192311, 'invading my space': 443574, 'my space lack': 550177, 'space lack of': 787138, 'lack of consciousness': 478612, 'of consciousness or': 581679, 'consciousness or thought': 194811, 'or thought it': 617445, 'thought it not': 893105, 'the problem there': 864525, 'problem there pandemic': 679711, 'there pandemic of': 878917, 'pandemic of the': 636072, 'of the fat': 591013, 'the fat self': 854977, 'way would': 970197, 'would combat': 1011724, 'combat food': 187011, 'buy stopping': 149243, '10 opening': 1588, 'replenish stock': 711646, 'the way would': 871208, 'way would combat': 970198, 'would combat food': 1011725, 'combat food shortage': 187012, 'supermarket in light': 820922, 'panic is to': 638228, 'to buy stopping': 902308, 'buy stopping the': 149244, 'stopping the 24': 805828, 'hour and going': 405397, 'and going back': 63802, 'back to to': 107403, 'to to 10': 917585, 'to 10 opening': 899429, '10 opening hour': 1589, 'opening hour because': 612848, 'hour because when': 405457, 'because when store': 119830, 'when store close': 984082, 'store close they': 807053, 'to replenish stock': 913257, 'everyone when': 287576, 'chaos please': 173041, 'be disrespectful': 114492, 'men telling': 528535, 'rob our': 724630, 'not enter': 569202, 'enter that': 278307, 'that road': 846065, 'supermarket can speak': 819513, 'can speak for': 159689, 'speak for everyone': 787687, 'for everyone when': 321251, 'everyone when say': 287577, 'when say it': 983958, 'is absolute chaos': 445287, 'absolute chaos please': 27228, 'chaos please do': 173042, 'not be disrespectful': 568373, 'be disrespectful to': 114493, 'disrespectful to the': 246363, 'staff the other': 792950, 'day wa threatened': 228656, 'wa threatened by': 963504, 'threatened by two': 893781, 'by two men': 154620, 'two men telling': 937041, 'men telling me': 528536, 'to rob our': 913613, 'rob our store': 724631, 'store and that': 806370, 'and that should': 73208, 'that should not': 846287, 'should not enter': 766240, 'not enter that': 569203, 'enter that road': 278308, 'european supermarket': 283612, 'giant run': 349855, 'stock threatens': 802981, 'threatens business': 893841, 'zimbabwe shelf': 1027594, 'are forever': 86660, 'forever empty': 329109, 'empty calmness': 274833, 'calmness will': 156874, 'european supermarket giant': 283613, 'supermarket giant run': 820513, 'giant run out': 349856, 'of stock threatens': 590198, 'stock threatens business': 802982, 'threatens business closure': 893842, 'business closure in': 143543, 'closure in zimbabwe': 183914, 'in zimbabwe shelf': 431162, 'zimbabwe shelf are': 1027595, 'shelf are forever': 756801, 'are forever empty': 86661, 'forever empty calmness': 329110, 'empty calmness will': 274834, 'calmness will prevail': 156875, 'metre distancing': 529843, 'distancing worked': 247657, 'worked well': 1006165, 'well many': 978384, 'old way': 598524, 'way singapore': 969867, 'today and didn': 919200, 'and didn think': 61325, 'think the metre': 885640, 'the metre distancing': 860546, 'metre distancing worked': 529844, 'distancing worked well': 247658, 'worked well many': 1006166, 'well many are': 978385, 'are just queuing': 87633, 'just queuing the': 469532, 'queuing the old': 694234, 'the old way': 862145, 'old way singapore': 598525, 'eat thank': 266062, 'stayhomesavelives grocery': 798387, 'grocery thankfulthursday': 366022, 'work there many': 1005832, 'there many have': 878748, 'many have no': 514126, 'mask no hand': 519010, 'but they go': 147505, 'can eat thank': 158202, 'eat thank you': 266063, 'you stayhomesavelives grocery': 1021386, 'stayhomesavelives grocery thankfulthursday': 798388, 'in jp': 424407, 'jp are': 467548, 'so crazy': 776814, 'limit they': 492530, 'safe co': 729552, 'co wear': 185005, 'that awful': 842908, 'awful and': 106218, 'and foolish': 63128, 'foolish must': 318336, 'must spread': 546896, 'spread on': 790727, 'on immediately': 601494, 'people in jp': 648389, 'in jp are': 424408, 'jp are so': 467550, 'are so crazy': 90194, 'so crazy supermarket': 776816, 'crazy supermarket is': 215433, 'people no social': 648856, 'distancing no limit': 247351, 'no limit they': 564603, 'limit they seem': 492531, 'be safe co': 116948, 'safe co wear': 729553, 'co wear mask': 185006, 'wear mask that': 974403, 'mask that awful': 519346, 'that awful and': 842909, 'awful and foolish': 106219, 'and foolish must': 63129, 'foolish must spread': 318337, 'must spread on': 546898, 'spread on immediately': 790728, 'track amp': 928163, 'amp forecast': 53832, 'doe the 19': 251603, 'the 19 economy': 847915, 'to track amp': 917669, 'track amp forecast': 928164, 'amp forecast global': 53833, 'natsec': 552799, 'coronavirus healthcare': 206064, 'healthcare publichealth': 387261, 'publichealth gouging': 688532, 'gouging economy': 359315, 'economy natsec': 268087, 'for coronavirus healthcare': 320382, 'coronavirus healthcare publichealth': 206065, 'healthcare publichealth gouging': 387262, 'publichealth gouging economy': 688533, 'gouging economy natsec': 359316, 'unga': 941678, 'that unga': 847182, 'unga they': 941679, 'pick on': 655663, 'shelf come': 756950, 'from upcountry': 338202, 'upcountry upcountry': 946826, 'upcountry cattle': 946822, 'cattle probably': 167375, 'probably good': 679270, 'at socialdistancing': 100568, 'socialdistancing than': 780786, 'than nairobi': 840920, 'nairobi kenyan': 551505, 'well they dont': 978680, 'they dont know': 882012, 'dont know that': 255243, 'know that unga': 476799, 'that unga they': 847183, 'unga they pick': 941680, 'they pick on': 882879, 'pick on supermarket': 655664, 'supermarket shelf come': 822446, 'shelf come from': 756951, 'come from upcountry': 187318, 'from upcountry upcountry': 338203, 'upcountry upcountry cattle': 946827, 'upcountry cattle probably': 946823, 'cattle probably good': 167376, 'probably good at': 679271, 'good at socialdistancing': 356800, 'at socialdistancing than': 100570, 'socialdistancing than nairobi': 780787, 'than nairobi kenyan': 840921, 'spree gigeconomy': 791136, 'pay price of': 645055, 'price of south': 675574, 'of south korea': 589946, 'south korea online': 786745, 'korea online shopping': 477489, 'shopping spree gigeconomy': 763955, 'sector implication': 744227, 'action planning': 30113, '19 retail consumer': 10200, 'good sector implication': 357703, 'sector implication and': 744228, 'implication and action': 418545, 'and action planning': 57632, 'experiencing hardship due': 291654, '19 customer can': 6396, 'pack going': 633051, 'safe health': 729742, 'is wealth': 453808, 'pack going out': 633052, 'going out at': 355359, 'out at discount': 625740, 'discount price for': 244525, 'weekend stay home': 977413, 'stay safe health': 797241, 'safe health is': 729743, 'health is wealth': 386572, 'it madhouse': 459497, 'madhouse madhouse': 508107, 'madhouse socialdistanacing': 508109, 'socialdistanacing toiletpaperpanic': 780119, 'toiletpaperpanic planetoftheapes': 923231, 'supermarket today it': 823449, 'today it madhouse': 919744, 'it madhouse madhouse': 459498, 'madhouse madhouse socialdistanacing': 508108, 'madhouse socialdistanacing toiletpaperpanic': 508110, 'socialdistanacing toiletpaperpanic planetoftheapes': 780120, 'retail casualty': 717925, 'casualty rip': 166819, 'rip nyc': 722658, 'nyc store': 578053, 'beautiful space': 118712, 'it lasted': 459307, 'the first retail': 855342, 'first retail casualty': 308979, 'retail casualty rip': 717926, 'casualty rip nyc': 166820, 'rip nyc store': 722659, 'nyc store it': 578054, 'wa beautiful space': 961652, 'beautiful space while': 118713, 'space while it': 787195, 'while it lasted': 986972, 'point they': 662655, 'driver picker': 259695, 'picker and': 655830, 'staff right': 792802, 'wage too': 963976, 'too btw': 924619, 'btw esp': 141532, 'esp given': 280391, 'using he': 950509, 'he pandemic': 385287, 'good point they': 357571, 'point they are': 662656, 'they are cry': 881241, 'are cry out': 85646, 'out for driver': 626109, 'for driver picker': 320859, 'driver picker and': 259696, 'picker and shop': 655831, 'and shop staff': 71516, 'shop staff right': 760828, 'staff right now': 792803, 'now too it': 576210, 'too it would': 924816, 'if they agreed': 415090, 'agreed to pay': 38741, 'minimum wage too': 533247, 'wage too btw': 963977, 'too btw esp': 924620, 'btw esp given': 141533, 'esp given how': 280392, 'given how some': 351020, 'how some are': 408713, 'some are using': 782332, 'are using he': 91423, 'using he pandemic': 950510, 'he pandemic an': 385288, 'pandemic an excuse': 634853, 'excuse to raise': 289788, 'this inside': 888129, 'play this inside': 659235, 'this inside supermarket': 888130, 'inside supermarket stop': 439399, 'panic appear': 637349, 'be gripping': 115105, 'seems real': 746842, 'and panic appear': 68644, 'panic appear to': 637350, 'to be gripping': 901285, 'be gripping the': 115106, 'saw all the': 738055, 'shelf and shelf': 756762, 'and shelf of': 71446, 'shelf of empty': 757359, 'empty food in': 274875, 'food in sainsbury': 314968, 'near me it': 553538, 'it seems real': 460952, 'seems real the': 746843, 'real the end': 701391, 'world is approaching': 1009685, 'agree he': 38607, 'did say': 240792, 'it msm': 459702, 'agree he never': 38608, 'he never said': 385254, 'never said it': 558163, 'said it but': 731148, 'we know who': 972166, 'know who did': 477033, 'who did say': 988589, 'did say it': 240793, 'say it msm': 738848, 'shopping either': 762562, 'grocery google': 364560, 'ha function': 370694, 'function where': 341279, 'you type': 1021949, 'location so': 498958, 'see busy': 744986, 'busy time': 144993, 'time physicaldistancing': 897486, 'are going shopping': 86898, 'going shopping either': 355447, 'shopping either at': 762563, 'either at pharmacy': 270256, 'at pharmacy or': 100114, 'or grocery google': 615523, 'grocery google ha': 364561, 'google ha function': 358158, 'ha function where': 370695, 'function where you': 341280, 'where you type': 985399, 'you type in': 1021950, 'type in the': 937539, 'store and location': 806284, 'and location so': 66316, 'location so you': 498959, 'can see busy': 159533, 'see busy time': 744987, 'busy time physicaldistancing': 144995, 'possibly allow': 665889, 'allow single': 46056, 'single n95': 771345, 'mask being': 518475, '99 cad': 23787, 'cad on': 155053, 'site pricegouging': 771988, 'you possibly allow': 1020380, 'possibly allow single': 665890, 'allow single n95': 46057, 'single n95 mask': 771346, 'n95 mask being': 551189, 'mask being sold': 518476, 'for 99 cad': 318961, '99 cad on': 23788, 'cad on your': 155054, 'your site pricegouging': 1025816, 'bae': 108191, 'want snack': 965921, 'snack got': 776011, 'you bae': 1017377, 'store and stock': 806359, 'stock on food': 802558, '19 if want': 7667, 'if want snack': 415253, 'want snack got': 965922, 'snack got you': 776012, 'got you bae': 359027, 'info simon': 437584, 'simon cole': 769960, 'cole director': 185855, 'at recently': 100263, 'recently spoke': 704152, 'spoke at': 789712, 'world webinar': 1010152, 'strong read': 814098, 'whole article': 990142, 'here consumerbehaviour': 392887, 'consumerbehaviour trend': 199639, 'trend challenge': 931301, 'info simon cole': 437585, 'simon cole director': 769961, 'cole director at': 185856, 'director at recently': 243606, 'at recently spoke': 100264, 'recently spoke at': 704153, 'spoke at our': 789713, 'at our consumer': 100009, 'our consumer behaviour': 622525, 'behaviour in covid': 124452, '19 world webinar': 12194, 'world webinar the': 1010153, 'webinar the good': 975112, 'is that consumer': 452636, 'spending is strong': 788881, 'is strong read': 452391, 'strong read the': 814099, 'the whole article': 871479, 'whole article is': 990143, 'article is here': 94373, 'is here consumerbehaviour': 448420, 'here consumerbehaviour trend': 392888, 'consumerbehaviour trend challenge': 199640, 'prayerfully': 669084, 'prayerfully consider': 669085, 'giving gift': 351301, 'low we': 505737, 'send more': 749910, 'prayerfully consider giving': 669086, 'consider giving gift': 195005, 'giving gift to': 351302, 'gift to our': 350034, 'bank our stock': 110084, 'our stock is': 624916, 'stock is running': 802310, 'running low we': 728006, 'low we send': 505738, 'we send more': 973201, 'send more food': 749911, '19 pandemic your': 9532, 'pandemic your support': 637099, 'support is appreciated': 826600, 'is appreciated during': 445794, 'appreciated during this': 82818, 'penney': 646544, 'news retailer': 560762, 'retailer pressured': 719278, 'pressured to': 671262, 'affect beauty': 34128, 'beauty industry': 118763, 'coronavirus penney': 206542, 'penney brings': 646547, 'brings interactive': 140253, 'interactive style': 441297, 'style to': 815633, 'to fitting': 905983, 'room covid': 725901, 'closure coronapocalypse': 183868, 'coronapocalypse ecommerce': 205188, 'today news retailer': 919926, 'news retailer pressured': 560763, 'retailer pressured to': 719279, 'pressured to close': 671263, 'close store covid': 182809, '19 affect beauty': 4830, 'affect beauty industry': 34129, 'beauty industry retail': 118764, 'industry retail in': 436081, 'retail in age': 718200, 'in age of': 420105, 'of coronavirus penney': 581956, 'coronavirus penney brings': 206543, 'penney brings interactive': 646548, 'brings interactive style': 140254, 'interactive style to': 441298, 'style to fitting': 815634, 'to fitting room': 905984, 'fitting room covid': 309562, 'room covid 19': 725902, 'store closure coronapocalypse': 807088, 'closure coronapocalypse ecommerce': 183869, 'coronapocalypse ecommerce retail': 205189, 'alert focus': 41409, 'two fake': 936920, 'have address': 379126, 'address in': 31988, 'the st': 867673, 'louis area': 504517, 'latest consumer alert': 481258, 'consumer alert focus': 196144, 'alert focus on': 41410, 'focus on two': 311903, 'on two fake': 604935, 'two fake medical': 936921, 'supply company that': 825094, 'company that claim': 191163, 'to have address': 907194, 'have address in': 379127, 'address in the': 31989, 'in the st': 429568, 'the st louis': 867674, 'st louis area': 791722, 'louis area and': 504519, 'area and are': 91930, 'capitalize on concern': 162836, 'buying frivolous': 150383, 'frivolous bullshit': 334102, 'and pretending': 69398, 'pretending that': 671335, 'those action': 891772, 'action do': 30000, 'stop buying frivolous': 804538, 'buying frivolous bullshit': 150384, 'frivolous bullshit on': 334103, 'bullshit on the': 142510, 'internet and pretending': 441906, 'and pretending that': 69399, 'pretending that those': 671336, 'that those action': 847010, 'those action do': 891773, 'action do not': 30001, 'not have consequence': 569819, '5lb': 20742, 'matzah': 520712, 'paid costco': 633995, 'costco membership': 208253, 'membership fee': 528279, 'more toiletry': 540811, 'toiletry sold': 923441, 'got 5lb': 358375, '5lb box': 20743, 'of matzah': 586304, 'matzah for': 520713, 'for passover': 324406, 'passover jewish': 643440, 'jewish stockup': 465406, 'stockup wuhanvirus': 804223, 'wuhanvirus coronapocolypse': 1013575, 'paid costco membership': 633996, 'costco membership fee': 208254, 'membership fee to': 528280, 'fee to find': 302243, 'find more toiletry': 307070, 'more toiletry sold': 540812, 'toiletry sold out': 923442, 'out but at': 625786, 'least got 5lb': 484490, 'got 5lb box': 358376, '5lb box of': 20744, 'box of matzah': 137125, 'of matzah for': 586305, 'matzah for passover': 520714, 'for passover jewish': 324407, 'passover jewish stockup': 643441, 'jewish stockup wuhanvirus': 465407, 'stockup wuhanvirus coronapocolypse': 804224, '594 individual': 20589, 'individual have': 435191, 'been frozen': 121184, 'frozen the': 339019, 'of 594 individual': 579633, '594 individual have': 20590, 'individual have been': 435192, 'by authority for': 151917, 'authority for hoarding': 103720, 'for hoarding and': 322320, 'profiteering and manipulating': 682999, 'and manipulating the': 66645, 'basic good while': 111913, 'good while price': 357958, 'while price have': 987171, 'have been frozen': 379552, 'been frozen the': 121185, 'frozen the country': 339020, 'ssc': 791637, 'ufm': 937946, 'hydroxychroloquine': 412030, 'best uv': 127976, 'sanitizer modi': 735372, 'modi ssc': 535485, 'ssc unfair': 791638, 'unfair ufm': 941448, 'ufm 19': 937947, '19 lockdownhouseparty': 8449, 'lockdownhouseparty saturdaythoughts': 500294, 'saturdaythoughts ebola': 737115, 'ebola chinaliedandpeopledied': 266542, 'chinaliedandpeopledied hydroxychroloquine': 177103, 'best uv sanitizer': 127977, 'uv sanitizer modi': 951488, 'sanitizer modi ssc': 735373, 'modi ssc unfair': 535486, 'ssc unfair ufm': 791639, 'unfair ufm 19': 941449, 'ufm 19 lockdownhouseparty': 937948, '19 lockdownhouseparty saturdaythoughts': 8450, 'lockdownhouseparty saturdaythoughts ebola': 500295, 'saturdaythoughts ebola chinaliedandpeopledied': 737116, 'ebola chinaliedandpeopledied hydroxychroloquine': 266543, 'n145': 551106, 'priceofoil': 677885, 'expected open': 290920, 'imported petrol': 419185, 'official pump': 595886, 'of n145': 586841, 'n145 per': 551107, 'litre priceofoil': 495182, 'priceofoil stayathomechallenge': 677886, 'following the fall': 312884, 'price the expected': 676830, 'the expected open': 854709, 'expected open market': 290921, 'open market price': 612380, 'of imported petrol': 585009, 'imported petrol fell': 419186, 'petrol fell below': 653732, 'fell below the': 303176, 'below the official': 126744, 'the official pump': 862098, 'official pump price': 595887, 'pump price of': 689091, 'price of n145': 675513, 'of n145 per': 586842, 'n145 per litre': 551108, 'per litre priceofoil': 650929, 'litre priceofoil stayathomechallenge': 495183, 'globe will': 352491, 'feel glimpse': 302639, 'railway ticket': 695719, 'ticket reservation': 895663, 'reservation system': 714023, 'system while': 831372, 'while looking': 987014, 'slot during': 774169, 'covid19 quarantine': 214356, 'now people around': 575528, 'the globe will': 856367, 'globe will feel': 352492, 'will feel glimpse': 993424, 'feel glimpse of': 302640, 'glimpse of indian': 351710, 'of indian railway': 585126, 'indian railway ticket': 434872, 'railway ticket reservation': 695720, 'ticket reservation system': 895664, 'reservation system while': 714024, 'system while looking': 831373, 'while looking for': 987015, 'looking for online': 502885, 'delivery slot during': 234519, 'slot during covid19': 774170, 'during covid19 quarantine': 262546, 'covid19 quarantine coronacrisis': 214357, 'whith': 987966, 'auspol stayathome': 103093, 'coronacrisis would': 204868, 'would deflation': 1011753, 'deflation high': 232451, 'unemployment caring': 941171, 'caring capitalist': 164705, 'capitalist concept': 162799, 'concept morrison': 192861, 'morrison lnp': 541735, 'lnp govt': 497223, 'govt legacy': 361185, 'legacy whith': 485830, 'whith everything': 987967, 'else blamed': 271645, 'blamed housing': 132321, 'could plunge': 209508, 'auspol stayathome 19': 103094, 'stayathome 19 coronacrisis': 797425, '19 coronacrisis would': 6065, 'coronacrisis would deflation': 204869, 'would deflation high': 1011754, 'deflation high unemployment': 232452, 'high unemployment caring': 395495, 'unemployment caring capitalist': 941172, 'caring capitalist concept': 164706, 'capitalist concept morrison': 162800, 'concept morrison lnp': 192862, 'morrison lnp govt': 541736, 'lnp govt legacy': 497224, 'govt legacy whith': 361186, 'legacy whith everything': 485831, 'whith everything else': 987968, 'everything else blamed': 287769, 'else blamed housing': 271646, 'blamed housing price': 132322, 'housing price could': 407131, 'price could plunge': 673290, 'could plunge by': 209510, 'plunge by 20': 661419, 'cent in coronavirus': 169074, 'in coronavirus recession': 421808, 'coronavirus recession the': 206626, 'recession the new': 704380, 'trying self': 934728, 'quarantine discovered': 692150, 'stock also': 801785, 'sick with cough': 768675, 'with cough so': 997823, 'cough so trying': 208558, 'so trying self': 778587, 'trying self quarantine': 934729, 'self quarantine discovered': 747853, 'quarantine discovered that': 692151, 'discovered that grocery': 244697, 'that grocery ordered': 844087, 'grocery ordered day': 364816, 'ordered day ago': 618838, 'of stock also': 590137, 'stock also no': 801786, 'also no delivery': 48570, 'pickup slot available': 656018, 'slot available anywhere': 774130, 'silverlining': 769871, 'for silverlining': 325624, 'silverlining right': 769874, 'global protein': 352147, 'protein shortage': 685892, 'both beef': 135865, 'pork have': 664798, 'and mg': 66979, 'mg wlmu': 530084, 'we re looking': 972917, 'looking for silverlining': 502901, 'for silverlining right': 325625, 'silverlining right now': 769875, 'now and that': 574060, 'and that still': 73210, 'that still the': 846484, 'still the global': 801289, 'the global protein': 856319, 'global protein shortage': 352148, 'protein shortage this': 685893, 'could be good': 208873, 'good for both': 357073, 'for both beef': 319735, 'both beef and': 135866, 'beef and pork': 120479, 'and pork have': 69203, 'pork have question': 664799, 'have question for': 382132, 'for and mg': 319329, 'and mg wlmu': 66980, 'mg wlmu farmincome': 530085, 'buy roll': 149136, 'and wa allowed': 75077, 'to buy roll': 902293, 'buy roll for': 149137, 'roll for 00': 725301, 'oper': 612966, 'restocking during': 716994, 'fully exposed': 341047, 'work amongst': 1004747, 'amongst such': 53139, 'such volume': 816853, 'customer yet': 223121, 'ha provides': 371572, 'and adjusted': 57698, 'adjusted oper': 32327, 'working on checkout': 1008799, 'on checkout and': 599894, 'checkout and restocking': 174881, 'and restocking during': 70404, 'restocking during the': 716995, 'day are fully': 227316, 'are fully exposed': 86746, 'fully exposed to': 341048, 'exposed to getting': 292895, 'to getting covid': 906656, '19 having to': 7462, 'to work amongst': 918683, 'work amongst such': 1004748, 'amongst such volume': 53140, 'such volume of': 816854, 'volume of customer': 960153, 'of customer yet': 582290, 'customer yet no': 223122, 'yet no supermarket': 1016167, 'no supermarket chain': 565619, 'chain ha provides': 170752, 'ha provides any': 371573, 'provides any protection': 686832, 'any protection for': 79700, 'protection for it': 685441, 'for it worker': 322746, 'worker and adjusted': 1006269, 'and adjusted oper': 57699, 'hardest parent': 378227, 'answer rn': 78103, 'rn are': 724313, 'friend car': 333547, 'car who': 163347, 'by woman': 154760, 'how her': 407993, 'her sister': 392385, 'sister kid': 771768, 'kid babysitter': 473876, 'babysitter dad': 106781, 'dad died': 224315, 'hardest parent to': 378228, 'parent to answer': 641748, 'to answer rn': 900587, 'answer rn are': 78104, 'rn are like': 724314, 'are like got': 87791, 'like got into': 490336, 'got into my': 358641, 'into my friend': 442779, 'my friend car': 548424, 'friend car who': 333548, 'car who wa': 163348, 'who wa at': 989901, 'today and walked': 919233, 'and walked by': 75144, 'walked by woman': 964943, 'by woman that': 154761, 'woman that wa': 1003635, 'that wa talking': 847314, 'about how her': 25443, 'how her sister': 407994, 'her sister kid': 392386, 'sister kid babysitter': 771769, 'kid babysitter dad': 473877, 'babysitter dad died': 106782, 'dad died from': 224316, 'died from it': 241556, 'from it do': 336113, 'it do need': 457601, 'kuehn': 477892, 'ronald': 725800, 'gorsline': 358340, 'blake': 132233, 'hurshell': 411532, 'statelaw': 796149, 'eft': 269691, 'partner rebecca': 642871, 'rebecca kuehn': 703259, 'kuehn katherine': 477893, 'katherine fisher': 471032, 'fisher ronald': 309363, 'ronald gorsline': 725801, 'gorsline blake': 358341, 'blake sims': 132234, 'sims hurshell': 770342, 'hurshell brown': 411533, 'brown and': 141224, 'issue small': 455924, 'dollar lender': 253026, 'lender should': 486247, 'consider right': 195088, 'now consumerprotection': 574437, 'consumerprotection statelaw': 199750, 'statelaw fcra': 796150, 'fcra pp': 300802, 'pp eft': 667868, 'please join my': 660135, 'join my partner': 466792, 'my partner rebecca': 549724, 'partner rebecca kuehn': 642872, 'rebecca kuehn katherine': 703260, 'kuehn katherine fisher': 477894, 'katherine fisher ronald': 471033, 'fisher ronald gorsline': 309364, 'ronald gorsline blake': 725802, 'gorsline blake sims': 358342, 'blake sims hurshell': 132235, 'sims hurshell brown': 770343, 'hurshell brown and': 411534, 'brown and me': 141225, 'and me for': 66834, 'me for webinar': 522769, 'for webinar on': 327677, 'webinar on issue': 975074, 'on issue small': 601643, 'issue small dollar': 455925, 'small dollar lender': 774933, 'dollar lender should': 253027, 'lender should consider': 486248, 'should consider right': 765864, 'consider right now': 195089, 'right now consumerprotection': 722043, 'now consumerprotection statelaw': 574438, 'consumerprotection statelaw fcra': 199751, 'statelaw fcra pp': 796151, 'fcra pp eft': 300803, 'petfood production': 653575, 'prioritized by': 678459, 'petfood production and': 653576, 'and distribution is': 61529, 'distribution is being': 248157, 'is being prioritized': 446097, 'being prioritized by': 125582, 'prioritized by it': 678460, 'by it run': 152946, 'it run at': 460817, 'run at full': 727574, 'full capacity to': 340519, 'capacity to meet': 162591, 'the during the': 853789, 'oliver': 598748, 'alignment': 41768, 'hey good': 394392, 'news everybody': 560392, 'everybody both': 286414, 'west side': 980532, 'side south': 768886, 'south oliver': 786771, 'oliver are': 598749, 'discount of': 244498, 'for tire': 327207, 'tire price': 899017, 'for alignment': 319104, 'alignment service': 41769, 'so call': 776678, 'you fit': 1018593, 'category hero': 167183, 'hey good news': 394393, 'good news everybody': 357443, 'news everybody both': 560393, 'everybody both of': 286415, 'both of our': 135985, 'our location in': 623795, 'location in the': 498928, 'the west side': 871397, 'west side south': 980533, 'side south oliver': 768887, 'south oliver are': 786772, 'oliver are offering': 598750, 'offering discount of': 595079, 'discount of 10': 244499, 'of 10 for': 579307, '10 for tire': 1438, 'for tire price': 327208, 'tire price 20': 899018, 'price 20 for': 672123, '20 for alignment': 13058, 'for alignment service': 319105, 'alignment service for': 41770, 'service for our': 752389, 'for our hero': 324258, 'in the frontline': 429222, '19 situation so': 10593, 'situation so call': 772488, 'so call now': 776679, 'call now if': 156010, 'if you fit': 415441, 'you fit into': 1018594, 'fit into the': 309483, 'into the category': 443102, 'the category hero': 850528, 'it socially': 461155, 'socially acceptable': 781039, 'close small': 182795, 'small trolley': 775170, 'trolley is': 932435, 'not 2m': 567995, '2m long': 16696, 'long socialdistancing': 501641, 'is it socially': 449061, 'it socially acceptable': 461156, 'socially acceptable to': 781040, 'acceptable to ask': 28029, 'people to step': 649945, 'back from you': 107025, 'from you in': 338461, 'you in supermarket': 1019320, 'supermarket queue if': 822122, 'queue if they': 693952, 'are too close': 91137, 'too close small': 924657, 'close small trolley': 182796, 'small trolley is': 775171, 'trolley is not': 932437, 'is not 2m': 450021, 'not 2m long': 567996, '2m long socialdistancing': 16697, 'digitalcollaboration': 242702, 're exploring': 698653, 'exploring consumer': 292542, 'collaboration using': 185936, 'using exclusive': 950473, 'exclusive content': 289657, 'community register': 190062, 'below thursday': 126750, 'thursday 9th': 895331, '9th april': 24018, 'april 3pm': 83499, 'gmt mrx': 353211, 'mrx digitalcollaboration': 544473, 'digitalcollaboration marketresearch': 242703, 'marketresearch stayhomesavelives': 517867, 'we re exploring': 972869, 're exploring consumer': 698654, 'exploring consumer collaboration': 292543, 'consumer collaboration using': 196810, 'collaboration using exclusive': 185937, 'using exclusive content': 950474, 'exclusive content from': 289658, 'content from our': 200806, '19 consumer community': 5960, 'consumer community register': 196830, 'community register below': 190063, 'register below thursday': 707546, 'below thursday 9th': 126751, 'thursday 9th april': 895332, '9th april 3pm': 24019, 'april 3pm gmt': 83500, '3pm gmt mrx': 18408, 'gmt mrx digitalcollaboration': 353212, 'mrx digitalcollaboration marketresearch': 544474, 'digitalcollaboration marketresearch stayhomesavelives': 242704, 'mask ski': 519278, 'ski goggles': 772929, 'and gardening': 63468, 'gardening glove': 343643, 'it barely': 456704, 'barely registered': 111032, 'registered newnormal': 707653, 'today saw man': 920142, 'saw man wearing': 738165, 'man wearing medical': 512313, 'wearing medical mask': 974733, 'medical mask ski': 526261, 'mask ski goggles': 519279, 'ski goggles and': 772930, 'goggles and gardening': 354941, 'and gardening glove': 63469, 'gardening glove at': 343644, 'and it barely': 65488, 'it barely registered': 456705, 'barely registered newnormal': 111033, 'qfc': 691547, 'meyer and': 530031, 'and qfc': 69844, 'qfc store': 691548, 'an understanding': 56841, 'local union': 498668, 'union that': 941946, 'benefit thousand': 127108, 'fred meyer and': 331575, 'meyer and qfc': 530032, 'and qfc store': 69845, 'qfc store have': 691549, 'store have reached': 808095, 'reached an understanding': 700035, 'an understanding with': 56843, 'understanding with local': 940904, 'with local union': 999287, 'local union that': 498669, 'union that will': 941947, 'will benefit thousand': 992824, 'benefit thousand of': 127109, 'new cleaning': 558484, 'cleaning protocol': 181042, 'protocol store': 685998, 'hour policy': 405868, 'inventory update': 443721, 'update offer': 947100, 'offer shopper': 594785, 'shopper peace': 761641, 'store mondaymotivation': 808978, 'new cleaning protocol': 558485, 'cleaning protocol store': 181043, 'protocol store hour': 685999, 'store hour policy': 808206, 'hour policy and': 405869, 'policy and inventory': 663333, 'and inventory update': 65358, 'inventory update offer': 443722, 'update offer shopper': 947101, 'offer shopper peace': 594787, 'shopper peace of': 761642, 'of mind 19': 586542, 'mind 19 socialdistancing': 532612, '19 socialdistancing retail': 10677, 'socialdistancing retail store': 780646, 'retail store mondaymotivation': 718664, 'messager': 529499, 'mobile messager': 534993, 'messager is': 529500, 'for commerce': 320178, 'commerce brand': 188522, 'navigate consumer': 553058, 'behavior surrounding': 124212, 'mobile messager is': 534994, 'messager is sharing': 529501, 'driven insight for': 259324, 'insight for commerce': 439537, 'for commerce brand': 320179, 'commerce brand to': 188523, 'brand to navigate': 138048, 'to navigate consumer': 910485, 'navigate consumer behavior': 553059, 'consumer behavior surrounding': 196518, 'behavior surrounding covid': 124213, 'forget can': 329238, 'through money': 894574, 'money always': 536583, 'always sanitizer': 49735, 'just want all': 470222, 'all to keep': 45242, 'safe and don': 729443, 'don forget can': 253524, 'forget can spread': 329239, 'can spread more': 159708, 'spread more through': 790639, 'more through money': 540757, 'through money always': 894575, 'money always sanitizer': 536584, 'always sanitizer and': 49736, 'ration dropped': 697661, '200 cal': 13460, 'cal day': 155270, 'given how people': 351018, 'food even worse': 314413, 'even worse now': 284830, 'worse now have': 1010977, 'daily ration dropped': 224765, 'ration dropped to': 697662, 'dropped to almost': 260645, 'almost 200 cal': 46492, '200 cal day': 13461, 'ssb': 791634, 'seattle aim': 743548, 'give 800': 350360, 'pandemic funding': 635484, 'from tax': 337548, 'revenue great': 720424, 'initiative that': 438655, 'that ssb': 846443, 'ssb tax': 791635, 'family fight': 297790, 'seattle aim to': 743549, 'aim to give': 39551, 'to give 800': 906670, 'give 800 supermarket': 350361, 'the pandemic funding': 862973, 'pandemic funding will': 635485, 'funding will come': 341636, 'come from tax': 187313, 'from tax revenue': 337549, 'tax revenue great': 835086, 'revenue great initiative': 720425, 'great initiative that': 362762, 'initiative that show': 438656, 'that show that': 846300, 'show that ssb': 767195, 'that ssb tax': 846444, 'ssb tax not': 791636, 'tax not only': 835037, 'only help family': 610597, 'help family fight': 389679, 'family fight but': 297791, 'fight but can': 304686, 'also be used': 47930, 'used to help': 950060, 'help family during': 389678, 'family during crisis': 297757, 'stockpile beer': 803723, 'beer from': 122460, 'supermarket contact': 819764, 'hotel to': 405207, 'their wet': 875186, 'wet stock': 980749, 'need theirs': 555766, 'theirs 19': 875264, 'before you all': 123312, 'you all go': 1016880, 'all go and': 42938, 'go and stockpile': 353290, 'and stockpile beer': 72438, 'stockpile beer from': 803724, 'beer from the': 122461, 'the supermarket contact': 868528, 'supermarket contact your': 819765, 'local pub bar': 498308, 'pub bar restaurant': 687676, 'and hotel to': 64771, 'hotel to ask': 405208, 'ask if they': 95566, 're getting rid': 698734, 'rid of their': 721397, 'of their wet': 591715, 'their wet stock': 875187, 'wet stock they': 980750, 'stock they need': 802968, 'support and once': 826364, 'and once this': 68082, 'is over you': 450750, 'over you re': 630965, 'to need theirs': 910513, 'need theirs 19': 555767, 'terrible especially': 838397, 'in laurel': 424623, 'received wrong': 703715, 'wrong order': 1013073, 'increased treat': 433524, 'treat your': 930924, 'customer badly': 222162, 'badly you': 108181, 'lose customer': 503431, 'bad to terrible': 108057, 'to terrible especially': 916379, 'terrible especially at': 838398, 'studiocity location in': 814848, 'location in laurel': 498920, 'in laurel canyon': 424624, 'canyon you have': 162398, 'increased your price': 433541, 'crisis you have': 218465, 'you have received': 1019102, 'have received wrong': 382205, 'received wrong order': 703716, 'wrong order and': 1013074, 'order and your': 618041, 'have increased treat': 381071, 'increased treat your': 433525, 'treat your customer': 930925, 'your customer badly': 1023408, 'customer badly you': 222163, 'badly you lose': 108182, 'you lose customer': 1019713, 'lose customer jackbox': 503432, 'epid': 279319, 'will hide': 993741, 'real trend': 701431, 'trend but': 931294, 'but crisis': 145485, 'isn due': 454475, 'due epid': 261648, 'epid mia': 279320, 'mia easy': 530155, 'easy capitalism': 265667, 'it path': 460277, 'path economy': 644016, 'trade suffers': 928581, 'suffers first': 817356, 'year drop': 1014527, 'drop since': 260388, 'since financial': 770597, 'the will hide': 871575, 'will hide the': 993742, 'hide the real': 394848, 'the real trend': 865243, 'real trend but': 701432, 'trend but crisis': 931295, 'but crisis isn': 145486, 'crisis isn due': 217601, 'isn due epid': 454476, 'due epid mia': 261649, 'epid mia easy': 279321, 'mia easy capitalism': 530156, 'easy capitalism is': 265668, 'capitalism is in': 162769, 'end of it': 275901, 'of it path': 585427, 'it path economy': 460278, 'path economy global': 644017, 'economy global trade': 267894, 'global trade suffers': 352265, 'trade suffers first': 928582, 'suffers first full': 817357, 'first full year': 308689, 'full year drop': 340988, 'year drop since': 1014528, 'drop since financial': 260390, 'since financial crisis': 770598, 'of confirming': 581662, 'confirming that': 194225, 'massive twat': 520148, 'twat supermarket': 936268, 'been absolutely': 120592, 'absolutely ransacked': 27438, 'ransacked but': 696811, 'list apparently': 494276, 'aren stockpiling': 92532, 'stockpiling dried': 803947, 'dried hibiscus': 258752, 'hibiscus flower': 394789, 'flower panicbuyinguk': 311319, 'fire way of': 308133, 'way of confirming': 969743, 'of confirming that': 581663, 'confirming that massive': 194226, 'that massive twat': 845061, 'massive twat supermarket': 520149, 'twat supermarket had': 936269, 'supermarket had been': 820656, 'had been absolutely': 372883, 'been absolutely ransacked': 120593, 'absolutely ransacked but': 27439, 'ransacked but wa': 696812, 'my list apparently': 549073, 'list apparently people': 494277, 'apparently people aren': 81990, 'people aren stockpiling': 647128, 'aren stockpiling dried': 92533, 'stockpiling dried hibiscus': 803948, 'dried hibiscus flower': 258753, 'hibiscus flower panicbuyinguk': 394790, 'flower panicbuyinguk stockpiling': 311320, 'supermarket im': 820848, 'im dressed': 416527, 'kid walk': 474153, 'say paranoid': 739046, 'paranoid much': 641452, 'much dont': 544842, 'dont you': 255323, 'think walking': 885751, 'which calmly': 985728, 'calmly replied': 156860, 'replied no': 711713, 'no think': 565710, 'your stupid': 1026022, 'stupid 6ft': 815331, '6ft please': 21616, 'so today in': 778550, 'the supermarket im': 868640, 'supermarket im dressed': 820849, 'im dressed like': 416528, 'dressed like this': 258701, 'this and this': 886353, 'and this kid': 73999, 'this kid walk': 888567, 'kid walk up': 474154, 'and say paranoid': 71001, 'say paranoid much': 739047, 'paranoid much dont': 641453, 'much dont you': 544843, 'dont you think': 255325, 'you think walking': 1021686, 'think walking around': 885752, 'walking around like': 965025, 'around like that': 93380, 'like that is': 491325, 'that is stupid': 844661, 'is stupid to': 452411, 'stupid to which': 815485, 'to which calmly': 918552, 'which calmly replied': 985729, 'calmly replied no': 156861, 'replied no think': 711714, 'no think your': 565711, 'think your stupid': 885825, 'your stupid 6ft': 1026023, 'stupid 6ft please': 815332, 'week frm': 976249, 'frm now': 334121, 'no sight': 565506, 'avail future': 104106, 'future date': 342295, 'date ocado': 226689, 'crashed permanently': 215083, 'permanently supermarket': 652112, 'empty people': 275001, 'have no home': 381633, 'for week frm': 327707, 'week frm now': 976250, 'frm now no': 334122, 'now no sight': 575356, 'no sight of': 565507, 'sight of avail': 769048, 'of avail future': 580473, 'avail future date': 104107, 'future date ocado': 342297, 'date ocado site': 226690, 'ocado site ha': 578918, 'site ha crashed': 771933, 'ha crashed permanently': 370260, 'crashed permanently supermarket': 215084, 'permanently supermarket shelf': 652113, 'are empty people': 86163, 'empty people cannot': 275002, 'people cannot go': 647432, 'out do you': 625970, 'this is problem': 888363, 'simulating': 770350, 'intraocular': 443360, 'video simulating': 956896, 'simulating how': 770351, 'might breath': 530942, 'contact eye': 200073, 'eye intraocular': 294051, 'intraocular fluid': 443361, 'fluid residue': 311536, 'residue end': 714458, 'like product': 491037, 'product supermarket': 681665, 'mouth cover': 543499, 'cover essential': 212214, 'prevent spreading': 671721, 'video simulating how': 956897, 'simulating how 19': 770352, 'how 19 spread': 407260, '19 spread apart': 10740, 'spread apart from': 790426, 'apart from fact': 81263, 'from fact you': 335384, 'fact you might': 295845, 'you might breath': 1019850, 'might breath in': 530943, 'breath in or': 139175, 'in or make': 426199, 'or make contact': 616037, 'make contact eye': 509797, 'contact eye intraocular': 200074, 'eye intraocular fluid': 294052, 'intraocular fluid residue': 443362, 'fluid residue end': 311537, 'residue end up': 714459, 'end up on': 276040, 'up on surface': 945625, 'on surface like': 603848, 'surface like product': 828041, 'like product supermarket': 491038, 'product supermarket mouth': 681666, 'supermarket mouth cover': 821542, 'mouth cover essential': 543500, 'cover essential to': 212215, 'help prevent spreading': 390348, 'prevent spreading amp': 671722, 'be perk': 116394, 'perk but': 652019, 'now curbside': 574487, 'to be perk': 901438, 'be perk but': 116395, 'perk but now': 652020, 'but now curbside': 146600, 'now curbside pickup': 574488, 'pickup is becoming': 655980, 'is becoming increasingly': 446035, 'becoming increasingly important': 120307, 'cybersecurity it': 223999, 'cybersecurity it is': 224000, 'only health risk': 610593, 'risk it could': 723650, 'could also be': 208811, 'the ricard': 865774, 'ricard expects': 720976, 'produce about': 680166, 'about 00': 24627, 'it fort': 458122, 'smith facility': 775791, 'facility according': 295288, 'recipe of': 704488, 'of denatured': 582524, 'denatured raw': 236922, 'raw alcohol': 697953, 'alcohol glycerin': 41016, 'glycerin and': 353156, 'and hydrogen': 64897, 'peroxide provided': 652208, 'in the ricard': 429516, 'the ricard expects': 865775, 'ricard expects to': 720977, 'expects to produce': 291123, 'to produce about': 912185, 'produce about 00': 680167, 'about 00 gallon': 24628, 'sanitizer at it': 734511, 'at it fort': 99324, 'it fort smith': 458123, 'fort smith facility': 329783, 'smith facility according': 775792, 'facility according to': 295289, 'according to recipe': 28581, 'to recipe of': 912945, 'recipe of denatured': 704489, 'of denatured raw': 582525, 'denatured raw alcohol': 236923, 'raw alcohol glycerin': 697954, 'alcohol glycerin and': 41017, 'glycerin and hydrogen': 353157, 'and hydrogen peroxide': 64898, 'hydrogen peroxide provided': 411971, 'peroxide provided by': 652209, 'wer': 979239, 'denn': 237036, 'werk': 980428, 'gestern': 346422, 'nachmittag': 551358, 'konnten': 477422, 'anwohner': 78635, 'innen': 438788, 'stadtteil': 792065, 'praunheim': 668979, 'frankfurt': 331153, 'diese': 241635, 'aktion': 40551, 'bestaunen': 128009, 'daf': 224448, 'verantwortlich': 954737, 'unklar': 942506, 'danke': 225865, 'theiss': 875277, 'zusendung': 1027919, 'bild': 130474, 'mak': 509612, 'na wer': 551327, 'wer war': 979242, 'war denn': 966411, 'denn da': 237037, 'da am': 224215, 'am werk': 50556, 'werk gestern': 980429, 'gestern nachmittag': 346423, 'nachmittag konnten': 551359, 'konnten anwohner': 477423, 'anwohner innen': 78636, 'innen de': 438789, 'de stadtteil': 229107, 'stadtteil praunheim': 792066, 'praunheim in': 668980, 'in frankfurt': 423091, 'frankfurt diese': 331154, 'diese aktion': 241636, 'aktion bestaunen': 40552, 'bestaunen wer': 128010, 'wer daf': 979240, 'daf verantwortlich': 224449, 'verantwortlich ist': 954738, 'ist ist': 456146, 'ist unklar': 456148, 'unklar danke': 942507, 'danke an': 225866, 'an melanie': 56506, 'melanie theiss': 527908, 'theiss die': 875278, 'die zusendung': 241497, 'zusendung de': 1027920, 'de fotos': 229062, 'fotos bild': 330125, 'bild elizabeth': 130475, 'elizabeth mak': 271531, 'na wer war': 551328, 'wer war denn': 979243, 'war denn da': 966412, 'denn da am': 237038, 'da am werk': 224216, 'am werk gestern': 50557, 'werk gestern nachmittag': 980430, 'gestern nachmittag konnten': 346424, 'nachmittag konnten anwohner': 551360, 'konnten anwohner innen': 477424, 'anwohner innen de': 78637, 'innen de stadtteil': 438790, 'de stadtteil praunheim': 229108, 'stadtteil praunheim in': 792067, 'praunheim in frankfurt': 668981, 'in frankfurt diese': 423092, 'frankfurt diese aktion': 331155, 'diese aktion bestaunen': 241637, 'aktion bestaunen wer': 40553, 'bestaunen wer daf': 128011, 'wer daf verantwortlich': 979241, 'daf verantwortlich ist': 224450, 'verantwortlich ist ist': 954739, 'ist ist unklar': 456147, 'ist unklar danke': 456149, 'unklar danke an': 942508, 'danke an melanie': 225867, 'an melanie theiss': 56507, 'melanie theiss die': 527909, 'theiss die zusendung': 875279, 'die zusendung de': 241498, 'zusendung de fotos': 1027921, 'de fotos bild': 229063, 'fotos bild elizabeth': 330126, 'bild elizabeth mak': 130476, 'read advice': 700262, 'advice making': 33430, 'round that': 726357, 'say get': 738671, 'check arrive': 174375, 'arrive what': 93933, 'what curious': 981290, 'curious assumption': 220974, 'assumption behind': 97061, 'behind that': 124704, 'that advice': 842505, 'just read advice': 469560, 'read advice making': 700263, 'advice making the': 33431, 'the round that': 866009, 'round that say': 726358, 'that say get': 846135, 'say get food': 738672, 'get food now': 347055, 'food now and': 315566, 'now and stock': 574055, 'before the stimulus': 123190, 'stimulus check arrive': 801522, 'check arrive what': 174376, 'arrive what curious': 93934, 'what curious assumption': 981291, 'curious assumption behind': 220975, 'assumption behind that': 97062, 'behind that advice': 124705, 'lemieux': 486167, 'econlog': 266942, 'way government': 969602, 'bad lemieux': 107919, 'lemieux at': 486168, 'at econlog': 98517, 'lot of way': 504323, 'of way government': 592954, 'way government can': 969603, 'government can control': 359959, 'can control price': 157993, 'control price in': 202115, 'crisis and they': 217056, 're pretty much': 699300, 'much all bad': 544703, 'all bad lemieux': 42109, 'bad lemieux at': 107920, 'lemieux at econlog': 486169, 'now ll': 575233, 'body never': 133871, 'wanted panicbuying': 966221, 'side of people': 768850, 'food is now': 315139, 'is now ll': 450298, 'now ll get': 575234, 'beach body never': 118192, 'body never wanted': 133872, 'never wanted panicbuying': 558265, 'yesterday retail': 1015848, 'wa cashing': 961790, 'cashing out': 166680, 'needed long': 556420, 'long brown': 501359, 'brown chic': 141228, 'chic boot': 175630, 'boot said': 135108, 'believe your': 126429, 'bos hasn': 135669, 're work': 699820, 'well bitch': 978069, 'bitch it': 131761, 'cannot close': 161716, 'at work yesterday': 101630, 'work yesterday retail': 1006068, 'yesterday retail store': 1015849, 'and customer wa': 60874, 'customer wa cashing': 223024, 'wa cashing out': 961791, 'cashing out who': 166681, 'out who desperately': 627840, 'who desperately needed': 988576, 'desperately needed long': 238579, 'needed long brown': 556421, 'long brown chic': 501360, 'brown chic boot': 141229, 'chic boot said': 175631, 'boot said to': 135109, 'said to me': 731517, 'to me cannot': 909923, 'me cannot believe': 522565, 'cannot believe your': 161678, 'believe your bos': 126430, 'your bos hasn': 1023004, 'bos hasn closed': 135670, 'hasn closed and': 378735, 'you re work': 1020797, 're work during': 699821, 'this time well': 890710, 'time well bitch': 898254, 'well bitch it': 978070, 'bitch it because': 131762, 'because people like': 119477, 'are out we': 88892, 'out we cannot': 627794, 'we cannot close': 971051, 'make indonesian': 510008, 'indonesian understand': 435341, 'by seriously': 153948, 'seriously doesn': 751584, 'to make indonesian': 909684, 'make indonesian understand': 510009, 'indonesian understand that': 435342, 'take this covid': 832708, 'seriously and by': 751527, 'and by seriously': 59380, 'by seriously doesn': 153949, 'seriously doesn mean': 751585, 'mean you have': 524787, 'have to empty': 383201, 'empty the whole': 275184, 'supermarket however': 820816, 'aid facebook': 39383, 'group near': 366777, 'near her': 553518, 'her there': 392440, 'be volunteer': 118025, 'volunteer willing': 960374, 'take stuff': 832620, 'house obv': 406420, 'obv there': 578775, 'there level': 878699, 'of trust': 592483, 'if yo': 415383, 'nothing more you': 573108, 'the supermarket however': 868638, 'supermarket however you': 820817, 'however you could': 409533, 'you could look': 1018094, 'could look for': 209391, 'look for covid': 502354, 'mutual aid facebook': 547087, 'aid facebook group': 39384, 'facebook group near': 294931, 'group near her': 366778, 'near her there': 553519, 'her there will': 392441, 'will be volunteer': 992762, 'be volunteer willing': 118026, 'volunteer willing to': 960375, 'willing to shop': 995477, 'shop for her': 760189, 'her and take': 391854, 'and take stuff': 72979, 'take stuff to': 832622, 'stuff to her': 815223, 'to her house': 907698, 'her house obv': 392113, 'house obv there': 406421, 'obv there level': 578776, 'there level of': 878700, 'level of trust': 487666, 'of trust in': 592484, 'trust in it': 934272, 'in it if': 424251, 'it if yo': 458680, 'been feeling': 121136, 'article provides': 94432, 'this seemingly': 890008, 'seemingly unsettling': 746746, 'you been feeling': 1017421, 'been feeling anxious': 121137, 'feeling anxious and': 302965, 'anxious and isolated': 78836, 'and isolated because': 65457, 'isolated because of': 454981, '19 this article': 11338, 'this article provides': 886427, 'article provides some': 94433, 'provides some helpful': 686896, 'helpful tip on': 391238, 'tip on managing': 898855, 'on managing anxiety': 601982, 'during this seemingly': 263316, 'this seemingly unsettling': 890009, 'seemingly unsettling time': 746747, 'quarantinewatchparty': 693067, 'quarantinewatchparty toilet': 693068, 'bulk charmin': 142290, 'paper 96': 639761, '96 roll': 23663, 'roll scott': 725495, 'sanitizer angel': 734465, 'angel soft': 76316, 'towel click': 927308, 'here chicago': 392865, 'chicago california': 175654, 'california nyc': 155549, 'nyc newyork': 578015, 'newyork ohio': 561200, 'ohio colorado': 596532, 'colorado florida': 186795, 'quarantinewatchparty toilet paper': 693069, 'paper bulk charmin': 639960, 'bulk charmin toilet': 142291, 'toilet paper toilet': 921496, 'paper toilet paper': 640941, 'toilet paper 96': 921174, 'paper 96 roll': 639762, '96 roll scott': 23664, 'roll scott toilet': 725496, 'hand sanitizer angel': 375302, 'sanitizer angel soft': 734466, 'angel soft toilet': 76319, 'paper towel click': 640985, 'towel click here': 927309, 'click here chicago': 181913, 'here chicago california': 392866, 'chicago california nyc': 175655, 'california nyc newyork': 155550, 'nyc newyork ohio': 578016, 'newyork ohio colorado': 561201, 'ohio colorado florida': 596533, 'tauranga': 834916, 'coronavirus tauranga': 206873, 'tauranga supermarket': 834917, 'go dark': 353444, 'dark switch': 225981, '19 coronavirus tauranga': 6132, 'coronavirus tauranga supermarket': 206874, 'tauranga supermarket to': 834918, 'supermarket to go': 823375, 'to go dark': 906787, 'go dark switch': 353445, 'dark switch to': 225982, 'switch to online': 830523, 'to online only': 910940, 'online only shopping': 608633, 'only shopping via': 611128, 'every online': 286054, 'ever bought': 285235, 'with sending': 1000632, 'email they': 272336, 'like kill': 490610, 'here sale': 393533, 'sale marginally': 732350, 'marginally le': 515665, 'le annoying': 482849, 'now that every': 575999, 'that every online': 843753, 'every online store': 286055, 'online store have': 609451, 'store have ever': 808081, 'have ever bought': 380489, 'ever bought from': 285236, 'bought from is': 136573, 'from is done': 336096, 'is done with': 447329, 'done with sending': 255121, 'with sending me': 1000633, 'sending me how': 750047, '19 email they': 6748, 'email they are': 272337, 'are now like': 88564, 'now like kill': 575207, 'like kill time': 490611, 'kill time at': 474538, 'home by online': 400859, 'shopping with money': 764438, 'with money you': 999543, 'money you don': 537196, 'don have here': 253602, 'have here sale': 380935, 'here sale marginally': 393534, 'sale marginally le': 732351, 'marginally le annoying': 515666, 'venture outside': 954684, 'pandemic world': 637047, 'world grocery': 1009601, 'visited barely': 959458, 'barely accomplished': 110998, 'accomplished 60': 28498, 'list zero': 494605, 'or clorox': 614746, 'but tissue': 147577, 'sickness do': 768752, 'decided to venture': 230939, 'to venture outside': 918141, 'venture outside in': 954685, 'outside in this': 629464, 'this pandemic world': 889450, 'pandemic world grocery': 637048, 'world grocery store': 1009602, 'store visited barely': 811085, 'visited barely accomplished': 959459, 'barely accomplished 60': 110999, 'accomplished 60 of': 28499, '60 of my': 20966, 'of my list': 586786, 'my list zero': 549076, 'list zero toilet': 494606, 'towel or clorox': 927361, 'or clorox wipe': 614748, 'clorox wipe but': 182471, 'wipe but tissue': 996212, 'but tissue paper': 147578, 'tissue paper available': 899195, 'paper available everywhere': 639915, 'available everywhere what': 104348, 'everywhere what kind': 288282, 'kind of sickness': 474940, 'of sickness do': 589715, 'sickness do people': 768753, 'do people think': 249976, 'hideous': 394857, 'it hideous': 458578, 'hideous allowing': 394858, 'allowing frontline': 46292, 'slot allocate': 774098, 'allocate them': 45870, 'themselves well': 876932, 'well others': 978453, 'personally think it': 653052, 'think it hideous': 885334, 'it hideous allowing': 458579, 'hideous allowing frontline': 394859, 'allowing frontline staff': 46293, 'frontline staff shopping': 338830, 'staff shopping slot': 792848, 'shopping slot allocate': 763898, 'slot allocate them': 774099, 'allocate them free': 45871, 'them free online': 875740, 'free online account': 332022, 'online account and': 607765, 'account and free': 28626, 'and free home': 63273, 'home delivery how': 401022, 'delivery how do': 234099, 'do they even': 250303, 'they even know': 882056, 'even know they': 284281, 'know they have': 476876, 'they have or': 882357, 'have or don': 381824, 'don have covid': 253594, '19 it protecting': 8148, 'it protecting themselves': 460538, 'protecting themselves well': 685240, 'themselves well others': 876933, 'barriefoodbank': 111338, 'barrie food': 111334, 'impact workplace': 418050, 'workplace barrie': 1009188, 'barrie barriefoodbank': 111333, 'barrie food bank': 111335, 'bracing for higher': 137502, 'higher demand covid': 395572, '19 impact workplace': 7717, 'impact workplace barrie': 418051, 'workplace barrie barriefoodbank': 1009189, 'ferr': 303558, 'hmm yet': 398708, 'yet crowd': 1016043, 'crowd on': 219222, 'bus is': 143052, 'okay seems': 597998, 'putting 30': 691079, 'le square': 483134, 'square footage': 791475, 'footage than': 318477, 'more closed': 538825, 'closed off': 183254, 'off then': 594295, 'then parking': 877403, 'lot should': 504360, 'break on': 138777, 'bus or': 143065, 'or ferr': 615294, 'hmm yet crowd': 398709, 'yet crowd on': 1016044, 'crowd on bus': 219223, 'on bus is': 599730, 'bus is okay': 143053, 'is okay seems': 450451, 'okay seems like': 597999, 'seems like putting': 746815, 'like putting 30': 491050, 'putting 30 to': 691080, '30 to 60': 17245, '60 people on': 20985, 'people on bus': 648956, 'on bus that': 599731, 'bus that ha': 143092, 'that ha le': 844122, 'ha le square': 371118, 'le square footage': 483136, 'square footage than': 791476, 'footage than retail': 318478, 'than retail store': 841091, 'and more closed': 67159, 'more closed off': 538826, 'closed off then': 183255, 'off then parking': 594296, 'then parking lot': 877404, 'parking lot should': 642103, 'lot should be': 504361, 'should be looked': 765668, 'looked at or': 502711, 'at or doe': 99991, 'or doe covid': 615031, '19 take break': 11025, 'take break on': 831997, 'break on the': 138778, 'on the inside': 604183, 'the inside of': 858312, 'inside of bus': 439332, 'of bus or': 580939, 'bus or ferr': 143066, 'confirm will': 194116, 'run special': 727810, '17 april': 4338, 'april featuring': 83584, 'featuring both': 301582, 'ceo well': 169882, 'well key': 978356, 'sector response': 744309, 'to confirm will': 903194, 'confirm will run': 194117, 'will run special': 994729, 'run special askusanything': 727811, 'webinar on 17': 975065, 'on 17 april': 599022, '17 april featuring': 4339, 'april featuring both': 83585, 'featuring both ceo': 301583, 'both ceo well': 135878, 'ceo well key': 169883, 'well key consumer': 978357, 'advocacy leader to': 33809, 'leader to explore': 483553, 'explore the utility': 292500, 'the utility sector': 870602, 'utility sector response': 951315, 'sector response to': 744310, 'staysafequ': 798972, 'five thing': 309665, 'driver lifeguard': 259636, 'lifeguard smart': 489283, 'smart news': 775397, 'medium alonetogether': 526980, 'alonetogether weareinthistogether': 46968, 'weareinthistogether staysafequ': 974553, 'staysafequ dateencasa': 798973, 'dateencasa dontpanic': 226783, 'top five thing': 925576, 'five thing grateful': 309666, 'grateful for during': 362263, 'for during these': 320883, 'time all healthcare': 896226, 'all healthcare personnel': 43078, 'healthcare personnel grocery': 387208, 'truck driver lifeguard': 932785, 'driver lifeguard smart': 259637, 'lifeguard smart news': 489284, 'smart news medium': 775398, 'news medium alonetogether': 560607, 'medium alonetogether weareinthistogether': 526981, 'alonetogether weareinthistogether staysafequ': 46969, 'weareinthistogether staysafequ dateencasa': 974554, 'staysafequ dateencasa dontpanic': 798974, 'china case': 176543, 'trump want': 933961, 'want reopened': 965910, 'reopened virus': 711379, 'virus update': 958962, 'china case rise': 176544, 'case rise trump': 165993, 'rise trump want': 723044, 'trump want reopened': 933962, 'want reopened virus': 965911, 'reopened virus update': 711380, 'some foodsafety': 782883, 'foodsafety tip': 318064, 'outbreak including': 628356, 'those immunocompromised': 892087, 'should opt': 766296, 'pre packaging': 669195, 'packaging fruit': 633539, 'some foodsafety tip': 782884, 'foodsafety tip during': 318065, 'tip during the': 898751, 'the outbreak including': 862650, 'outbreak including those': 628357, 'including those immunocompromised': 432202, 'those immunocompromised should': 892088, 'immunocompromised should opt': 417479, 'should opt for': 766297, 'opt for pre': 613861, 'for pre packaging': 324682, 'pre packaging fruit': 669196, 'packaging fruit and': 633540, 'tpsearch': 928090, 'put big': 690535, 'door saying': 255700, 'save lot': 737568, 'leave toiletpaper': 485018, 'toiletpapercrisis staysafestayhome': 923069, 'staysafestayhome tpsearch': 799034, 'can store please': 159834, 'store please put': 809591, 'please put big': 660340, 'put big sign': 690536, 'big sign on': 129996, 'the door saying': 853582, 'door saying they': 255701, 'paper it would': 640384, 'it would save': 462603, 'would save lot': 1012207, 'save lot of': 737569, 'of time from': 592174, 'time from having': 896806, 'having to walk': 384373, 'and then leave': 73778, 'then leave toiletpaper': 877305, 'leave toiletpaper toiletpapercrisis': 485019, 'toiletpaper toiletpapercrisis staysafestayhome': 922665, 'toiletpapercrisis staysafestayhome tpsearch': 923071, 'pacific share': 632992, 'share rise': 755205, 'amid slowdown': 52658, 'case rebound': 165975, 'asia pacific share': 95213, 'pacific share rise': 632993, 'share rise amid': 755206, 'rise amid slowdown': 722776, 'amid slowdown in': 52659, '19 case rebound': 5695, 'case rebound in': 165976, 'rebound in oil': 703314, 'believe thing': 126379, 'be take': 117495, 'craziness in': 215224, 'world atm': 1009334, 'atm think': 101964, 'more gratitude': 539365, 'gratitude grateful': 362374, 'grateful our': 362294, 'our inner': 623552, 'inner circle': 438792, 'circle grateful': 178606, 'grateful health': 362286, 'health grateful': 386464, 'grateful fresh': 362281, 'stock grateful': 802207, 'grateful water': 362336, 'water grateful': 969016, 'grateful shelter': 362300, 'shelter grateful': 757920, 'grateful so': 362302, 'believe thing that': 126380, 'will be take': 992713, 'be take away': 117496, 'all the craziness': 44704, 'the craziness in': 852290, 'craziness in the': 215225, 'the world atm': 871817, 'world atm think': 1009335, 'atm think people': 101965, 'people will learn': 650393, 'will learn more': 993969, 'learn more gratitude': 484027, 'more gratitude grateful': 539367, 'gratitude grateful our': 362375, 'grateful our inner': 362295, 'our inner circle': 623553, 'inner circle grateful': 438793, 'circle grateful health': 178607, 'grateful health grateful': 362287, 'health grateful fresh': 386465, 'grateful fresh food': 362282, 'fresh food stock': 332977, 'food stock grateful': 316791, 'stock grateful water': 802208, 'grateful water grateful': 362337, 'water grateful shelter': 969017, 'grateful shelter grateful': 362301, 'shelter grateful so': 757921, 'grateful so many': 362303, 'many thing 19': 514798, 'are posing': 89146, 'posing significant': 665141, 'significant risk': 769511, 'global mine': 352036, 'mine supply': 532928, 'and project': 69614, 'project development': 683486, 'of the copper': 590892, 'the copper price': 851730, 'copper price and': 203438, 'and the containment': 73297, 'containment measure taken': 200608, 'measure taken for': 525355, 'taken for the': 832996, 'pandemic are posing': 634947, 'are posing significant': 89147, 'posing significant risk': 665142, 'significant risk to': 769512, 'risk to global': 723961, 'to global mine': 906745, 'global mine supply': 352037, 'mine supply and': 532929, 'supply and project': 824748, 'and project development': 69615, 'vermonter': 954863, 'while complaint': 986700, 'complaint coming': 191955, 'program based': 683215, 'shifted since': 758502, 'outbreak dedicated': 628160, 'standing by': 793754, 'to vermonter': 918149, 'vermonter in': 954866, 'while complaint coming': 986701, 'complaint coming into': 191956, 'into the consumer': 443109, 'the consumer assistance': 851494, 'assistance program based': 96732, 'program based at': 683216, 'based at have': 111513, 'at have shifted': 98864, 'have shifted since': 382512, 'shifted since the': 758503, 'the outbreak dedicated': 862611, 'outbreak dedicated team': 628161, 'team is standing': 835704, 'is standing by': 452222, 'standing by to': 793756, 'by to respond': 154560, 'respond to vermonter': 715334, 'to vermonter in': 918150, 'vermonter in need': 954867, 'svpol': 829889, 'swedish police': 830087, 'warn drug': 966929, 'drug related': 261071, 'related offence': 708495, 'offence will': 594461, 'imposed in': 419288, 'stockholm lack': 803534, 'restrict dealer': 717102, 'dealer this': 229625, 'prevent user': 671757, 'user from': 950286, 'getting fix': 348974, 'fix associated': 309709, 'associated crime': 96915, 'crime will': 216811, 'likely occur': 492064, 'occur svpol': 579027, 'swedish police warn': 830088, 'police warn drug': 663256, 'warn drug related': 966930, 'drug related offence': 261072, 'related offence will': 708496, 'offence will increase': 594462, '19 restriction are': 10174, 'restriction are imposed': 717218, 'are imposed in': 87345, 'imposed in stockholm': 419289, 'in stockholm lack': 428346, 'stockholm lack of': 803535, 'lack of freedom': 478625, 'of freedom of': 583928, 'of movement to': 586696, 'movement to restrict': 543942, 'to restrict dealer': 913428, 'restrict dealer this': 717103, 'dealer this will': 229626, 'this will raise': 891438, 'raise price prevent': 695925, 'price prevent user': 675988, 'prevent user from': 671758, 'user from getting': 950287, 'from getting fix': 335627, 'getting fix associated': 348975, 'fix associated crime': 309710, 'associated crime will': 96916, 'crime will likely': 216812, 'will likely occur': 994008, 'likely occur svpol': 492065, 'gas utility': 344171, 'company run': 191040, 'steam due': 799288, 'impact demand': 417630, 'gas utility company': 344172, 'utility company run': 951273, 'company run out': 191041, 'out of steam': 626839, 'of steam due': 590113, 'steam due to': 799289, 'coronavirus impact demand': 206107, 'impact demand destruction': 417631, 'remember to wear': 710393, 'cras': 214942, 'cras the': 214943, 'cfpb issued': 170355, 'issued policy': 456080, 'policy statement': 663500, 'statement recently': 796209, 'recently granting': 704103, 'granting some': 362113, 'some flexibility': 782841, 'in handling': 423530, 'handling consumer': 376339, 'dispute hindered': 246326, 'hindered by': 396840, 'cras the cfpb': 214944, 'the cfpb issued': 850626, 'cfpb issued policy': 170356, 'issued policy statement': 456081, 'policy statement recently': 663501, 'statement recently granting': 796210, 'recently granting some': 704104, 'granting some flexibility': 362114, 'some flexibility in': 782842, 'flexibility in handling': 310369, 'in handling consumer': 423531, 'handling consumer dispute': 376340, 'consumer dispute hindered': 197222, 'dispute hindered by': 246327, 'hindered by covid': 396841, 'hols': 400489, 'belgium receives': 126184, 'receives 16': 703725, 'mask testing': 519333, 'day petrol': 228215, 'again need': 37080, 'work fruit': 1005201, 'picker needed': 655836, 'needed kid': 556416, 'kid won': 474179, 'won spend': 1003905, 'spend summer': 788677, 'summer hols': 817982, 'hols in': 400490, 'school say': 741911, 'say minister': 738943, 'minister more': 533408, 'of brussels': 580918, 'brussels firm': 141387, 'see turnover': 745987, 'turnover fall': 936007, 'fall 75': 296800, 'belgium receives 16': 126185, 'receives 16 million': 703726, '16 million mask': 4136, 'million mask testing': 532236, 'mask testing capacity': 519334, 'testing capacity to': 839466, 'capacity to increase': 162588, 'increase to 10': 433134, '00 day petrol': 159, 'day petrol price': 228216, 'down again need': 256452, 'again need work': 37081, 'need work fruit': 556236, 'work fruit picker': 1005202, 'fruit picker needed': 339124, 'picker needed kid': 655837, 'needed kid won': 556417, 'kid won spend': 474180, 'won spend summer': 1003906, 'spend summer hols': 788678, 'summer hols in': 817983, 'hols in school': 400491, 'in school say': 427733, 'school say minister': 741912, 'say minister more': 738944, 'minister more than': 533409, 'half of brussels': 374219, 'of brussels firm': 580919, 'brussels firm see': 141388, 'firm see turnover': 308416, 'see turnover fall': 745988, 'turnover fall 75': 936008, 'encountered should': 275558, 'act with': 29826, 've encountered should': 953078, 'encountered should call': 275559, 'practice act with': 668516, 'act with the': 29827, 'with the full': 1001313, 'scottcpeterson': 742471, 'are enabling': 86189, 'enabling the': 275477, 'enact temporary': 275497, 'temporary tax': 837712, 'tax relief': 835076, 'relief measure': 709381, 'spur consumer': 791324, 'spending read': 788963, 'from scottcpeterson': 337184, 'scottcpeterson in': 742472, 'emergency measure are': 272794, 'measure are enabling': 525117, 'are enabling the': 86190, 'enabling the federal': 275478, 'the federal state': 855079, 'federal state and': 302056, 'local government to': 498033, 'government to enact': 360712, 'to enact temporary': 905051, 'enact temporary tax': 275498, 'temporary tax relief': 837714, 'tax relief measure': 835077, 'relief measure to': 709382, 'support those impacted': 826933, 'impacted by and': 418076, 'and to spur': 74199, 'to spur consumer': 915091, 'spur consumer spending': 791325, 'consumer spending read': 199084, 'spending read more': 788964, 'more from scottcpeterson': 539308, 'from scottcpeterson in': 337185, '4hours': 19459, '1of': 12670, 'vodk': 959947, 'on basis': 599587, 'basis alcohol': 112214, '2kill ve': 16649, 've self': 953557, 'self prescribed': 747835, 'prescribed your': 670478, 'every 4hours': 285656, '4hours to': 19460, 'if display': 414046, 'display symptom': 246206, 'symptom shall': 830918, 'shall move': 754533, 'casino royale': 166734, 'royale 3of': 726638, '3of gin': 18368, 'gin 1of': 350165, '1of vodk': 12671, 'working on basis': 1008798, 'on basis alcohol': 599588, 'basis alcohol sanitizer': 112215, 'alcohol sanitizer is': 41097, 'sanitizer is required': 735206, 'required 2kill ve': 713344, '2kill ve self': 16650, 've self prescribed': 953558, 'self prescribed your': 747836, 'prescribed your gin': 670479, 'tonic every 4hours': 924335, 'every 4hours to': 285657, '4hours to kill': 19461, 'throat if display': 894239, 'if display symptom': 414047, 'display symptom shall': 246207, 'symptom shall move': 830919, 'shall move 2the': 754534, 'in casino royale': 421289, 'casino royale 3of': 166735, 'royale 3of gin': 726639, '3of gin 1of': 18369, 'gin 1of vodk': 350166, 'oregon gov': 619148, 'gov kate': 359623, 'kate brown': 471017, 'brown on': 141250, 'afternoon ordered': 36705, 'ordered oregon': 618887, 'oregon restaurant': 619156, 'bar to': 110781, 'dining and': 243006, 'oregon gov kate': 619149, 'gov kate brown': 359624, 'kate brown on': 471018, 'brown on monday': 141251, 'on monday afternoon': 602154, 'monday afternoon ordered': 536237, 'afternoon ordered oregon': 36706, 'ordered oregon restaurant': 618888, 'oregon restaurant and': 619157, 'and bar to': 58704, 'bar to stop': 110782, 'stop all on': 804440, 'all on site': 43743, 'site dining and': 771902, 'dining and limit': 243007, 'and limit sale': 66178, 'limit sale to': 492482, 'sale to takeout': 732593, 'to takeout and': 916264, 'pew': 653898, 'susceptibility': 829429, 'panel year': 637208, 'of birth': 580717, 'birth attribute': 131394, 'attribute we': 102742, 'we organized': 972665, 'panelist by': 637211, 'the pew': 863629, 'pew research': 653899, 'research generation': 713741, 'generation so': 345635, 'more closely': 538827, 'closely tie': 183473, 'tie insight': 895741, 'been reporting': 121834, 'regarding age': 707172, 'corona susceptibility': 204210, 'susceptibility externaldata': 829430, 'externaldata demystdata': 293355, 'using the panel': 950707, 'the panel year': 863177, 'panel year of': 637209, 'year of birth': 1014773, 'of birth attribute': 580718, 'birth attribute we': 131395, 'attribute we organized': 102743, 'we organized the': 972666, 'organized the panelist': 619481, 'the panelist by': 863179, 'panelist by the': 637212, 'by the pew': 154405, 'the pew research': 863630, 'pew research generation': 653900, 'research generation so': 713742, 'generation so that': 345636, 'we can more': 970978, 'can more closely': 159009, 'more closely tie': 538828, 'closely tie insight': 183474, 'tie insight to': 895742, 'insight to what': 439650, 'what the medium': 982340, 'the medium ha': 860423, 'medium ha been': 527125, 'ha been reporting': 369898, 'been reporting regarding': 121835, 'reporting regarding age': 712746, 'regarding age group': 707173, 'age group and': 37821, 'group and corona': 366603, 'and corona susceptibility': 60564, 'corona susceptibility externaldata': 204211, 'susceptibility externaldata demystdata': 829431, 'queen new': 693380, 'york located': 1016633, 'hospital ha': 404444, 'ha sick': 371935, 'sick employee': 768431, 'employee green': 273895, 'valley market': 951971, 'in sunnyside': 428545, 'sunnyside new': 818403, 'york 1104': 1016568, '1931 new': 12352, 'in queen new': 427207, 'queen new york': 693381, 'new york located': 559938, 'york located near': 1016634, 'elmhurst hospital ha': 271573, 'hospital ha sick': 404445, 'ha sick employee': 371936, 'sick employee green': 768432, 'employee green valley': 273896, 'green valley market': 363713, 'valley market in': 951972, 'market in sunnyside': 516574, 'in sunnyside 44': 428546, 'ave sunnyside new': 104749, 'sunnyside new york': 818404, 'new york 1104': 559916, 'york 1104 718': 1016569, '752 1931 new': 22210, '1931 new york': 12353, 'appointment pharmacy': 82683, 'cough shortness': 208548, 'breath he': 139169, 'doctor appointment pharmacy': 250833, 'appointment pharmacy and': 82684, 'pharmacy and two': 654227, 'and two grocery': 74550, 'store visit my': 811080, 'visit my husband': 959304, 'my husband wa': 548799, 'husband wa in': 411778, 'hospital with fever': 404723, 'with fever cough': 998414, 'fever cough shortness': 303667, 'cough shortness of': 208549, 'of breath he': 580862, 'breath he still': 139170, 'he still ha': 385476, 'been self isolated': 121906, 'self isolated for': 747705, 'isolated for week': 454996, 'gall': 342933, 'corporationssuck': 207480, 'sister going': 771742, 'work kit': 1005410, 'mask desk': 518566, 'desk spray': 238467, 'spray alcohol': 790258, 'alcohol cleaner': 40959, 'cleaner document': 180774, 'document saying': 251204, 'she essential': 756017, 'essential ha': 281113, 'the gall': 856105, 'gall to': 342934, 'get kicked': 347454, 'kicked of': 473809, 'insurance if': 440747, 'off wks': 594404, 'wks corporationssuck': 1003243, 'my sister going': 550108, 'sister going to': 771743, 'to work kit': 918746, 'work kit hand': 1005411, 'sanitizer wipe glove': 736118, 'wipe glove mask': 996275, 'glove mask desk': 352773, 'mask desk spray': 518567, 'desk spray alcohol': 238468, 'spray alcohol cleaner': 790259, 'alcohol cleaner document': 40960, 'cleaner document saying': 180775, 'document saying she': 251205, 'saying she essential': 739676, 'she essential ha': 756018, 'essential ha the': 281114, 'ha the gall': 372201, 'the gall to': 856106, 'gall to tell': 342935, 'to tell it': 916345, 'tell it employee': 836994, 'it employee they': 457806, 'employee they ll': 274311, 'll get kicked': 496788, 'get kicked of': 347455, 'kicked of insurance': 473810, 'of insurance if': 585235, 'insurance if they': 440748, 'to be off': 901413, 'be off wks': 116151, 'off wks corporationssuck': 594405, 'now wfh': 576373, 'wfh stop': 980859, 'out child': 625851, 'biggest place': 130290, 'trolley which': 932496, 'hand why': 375990, 'provide alcohol': 686215, 'are now wfh': 88616, 'now wfh stop': 576374, 'wfh stop going': 980860, 'going out child': 355365, 'out child at': 625852, 'home the biggest': 402225, 'the biggest place': 849669, 'biggest place to': 130291, 'catch the is': 167036, 'the is at': 858481, 'we are having': 970585, 'use your trolley': 949849, 'your trolley which': 1026220, 'trolley which have': 932497, 'touched by many': 926608, 'by many hand': 153161, 'many hand why': 514116, 'hand why cannot': 375991, 'cannot you provide': 162242, 'you provide alcohol': 1020481, 'provide alcohol wipe': 686216, 'wipe to wipe': 996401, 'shopping affected': 761900, 'retail biz': 717886, 'biz uk': 131958, 'help smallbiz': 390531, 'online shopping affected': 609016, 'shopping affected your': 761901, 'affected your local': 34473, 'your local retail': 1024716, 'local retail biz': 498346, 'retail biz uk': 717887, 'biz uk may': 131959, 'uk may be': 938542, 'to help smallbiz': 907627, 'neighbor from': 557016, 'from packed': 336833, 'packed lidl': 633617, 'she needed': 756235, 'needed anything': 556298, 'anything ooh': 80848, 'ooh let': 611737, 'me see': 523427, 'see he': 745179, 'yes could': 1015410, 'bring me': 140023, 'small red': 775082, 'red onion': 705606, 'onion love': 607725, 'her coronacrisis': 391962, 'coronacrisis accumulation': 204497, 'accumulation stoppanicbuying': 28875, 'called my elderly': 156383, 'elderly neighbor from': 270770, 'neighbor from packed': 557017, 'from packed lidl': 336834, 'packed lidl and': 633618, 'lidl and asked': 488281, 'if she needed': 414779, 'she needed anything': 756236, 'needed anything ooh': 556299, 'anything ooh let': 80849, 'ooh let me': 611738, 'let me see': 486911, 'me see he': 523428, 'see he said': 745180, 'he said yes': 385384, 'said yes could': 731597, 'yes could you': 1015411, 'you please bring': 1020354, 'please bring me': 659737, 'bring me small': 140024, 'me small red': 523483, 'small red onion': 775083, 'red onion love': 705607, 'onion love her': 607726, 'love her coronacrisis': 504683, 'her coronacrisis accumulation': 391963, 'coronacrisis accumulation stoppanicbuying': 204498, 'alok': 46795, 'rdg hi': 698154, 'hi alok': 394590, 'alok business': 46796, 'business minister': 144049, 'minister why': 533498, 'to mr': 910335, 'mr johnson': 544372, 'johnson to': 466636, 'help supermarket': 390603, 'delivery staffing': 234567, 'staffing during': 793152, '19 relax': 10073, 'the learner': 859245, 'learner driver': 484166, 'driver law': 259631, 'so learner': 777530, 'learner can': 484162, 'can driver': 158165, 'own to': 632272, 'very minute': 955349, 'rdg hi alok': 698155, 'hi alok business': 394591, 'alok business minister': 46797, 'business minister why': 144050, 'minister why dont': 533499, 'why dont you': 990974, 'dont you put': 255324, 'you put to': 1020511, 'put to mr': 690926, 'to mr johnson': 910336, 'mr johnson to': 544373, 'johnson to help': 466637, 'to help supermarket': 907640, 'help supermarket with': 390605, 'supermarket with delivery': 823917, 'with delivery staffing': 997968, 'delivery staffing during': 234568, 'staffing during covid': 793153, 'covid 19 relax': 213683, '19 relax the': 10074, 'relax the learner': 708834, 'the learner driver': 859246, 'learner driver law': 484167, 'driver law so': 259632, 'law so learner': 482398, 'so learner can': 777531, 'learner can driver': 484163, 'can driver on': 158166, 'driver on there': 259676, 'there own to': 878915, 'own to help': 632273, 'in need at': 425728, 'this very minute': 890962, 'officially announced': 595984, 'april 30th': 83497, '30th am': 17525, 'file unemployment': 305380, 'unemployment retail': 941284, 'retail sandiego': 718514, 'sandiego 19': 733698, 'california unemployment': 155599, 'now officially announced': 575407, 'officially announced that': 595985, 'announced that my': 77064, 'that my store': 845280, 'my store will': 550232, 'closed at least': 183006, 'least until april': 484680, 'until april 30th': 943695, 'april 30th am': 83498, '30th am going': 17526, 'have to file': 383210, 'to file unemployment': 905835, 'file unemployment retail': 305381, 'unemployment retail sandiego': 941285, 'retail sandiego 19': 718515, 'sandiego 19 california': 733699, '19 california unemployment': 5584, 'anthropology': 78256, 'purity': 690065, 'filled almost': 305524, 'immediately felt': 417089, 'felt cleaner': 303371, 'cleaner my': 180802, 'my tiny': 550384, 'tiny contribution': 898658, 'to explaining': 905480, 'explaining our': 292184, 'current obsession': 221270, 'paper anthropology': 639870, 'anthropology stayathome': 78257, 'toiletpaper purity': 922367, 'purity danger': 690066, 'filled almost half': 305525, 'of the shopping': 591460, 'shopping cart with': 762324, 'cart with cleaning': 165429, 'with cleaning supply': 997656, 'supply and immediately': 824728, 'and immediately felt': 64996, 'immediately felt cleaner': 417090, 'felt cleaner my': 303372, 'cleaner my tiny': 180803, 'my tiny contribution': 550385, 'tiny contribution to': 898659, 'contribution to explaining': 201941, 'to explaining our': 905481, 'explaining our current': 292185, 'our current obsession': 622643, 'current obsession with': 221271, 'obsession with toilet': 578687, 'toilet paper anthropology': 921187, 'paper anthropology stayathome': 639871, 'anthropology stayathome toiletpaper': 78258, 'stayathome toiletpaper purity': 797686, 'toiletpaper purity danger': 922368, 'shop need': 760479, 'hold back': 399896, 'basic stock': 112060, 'shop need to': 760480, 'to hold back': 907906, 'hold back some': 399897, 'back some basic': 107276, 'some basic stock': 782386, 'basic stock and': 112061, 'stock and reserve': 801830, 'and reserve it': 70304, 'reserve it for': 714077, 'it for emergency': 458074, 'for emergency worker': 321023, 'emergency worker it': 273061, 'worker it only': 1007249, 'it only fair': 460097, 'work have': 1005243, 'of who are': 593125, 'risk and cannot': 723366, 'stay home from': 796968, 'from work have': 338408, 'work have asthma': 1005244, 'asthma and work': 97182, 'shopper safe': 761673, 'name without': 551700, 'your permission': 1025257, 'permission survey': 652140, 'to hear about': 907396, 'hear about what': 387875, 'about what store': 26897, 'what store are': 982262, 'store are and': 806457, 'and aren doing': 58381, 'you and shopper': 1017003, 'and shopper safe': 71529, 'shopper safe we': 761674, 'safe we would': 730122, 'we would never': 973973, 'would never use': 1012065, 'never use your': 558252, 'use your name': 949840, 'your name without': 1024930, 'name without your': 551701, 'without your permission': 1003078, 'your permission survey': 1025258, 'permission survey here': 652141, 'survey here or': 828880, 'here or dm': 393425, 'sneering': 776221, 'so straight': 778277, 'straight you': 812257, 'that sneering': 846351, 'sneering look': 776222, 'getting every': 348958, 're within': 699811, 'is gay': 448004, 'gay have': 344710, 'not nice': 570694, 'nice is': 562425, 'stayhomesavelives thursdaythoughts': 798480, 'so straight you': 778278, 'straight you know': 812258, 'know that sneering': 476788, 'that sneering look': 846352, 'sneering look you': 776223, 'look you re': 502690, 're getting every': 698728, 'getting every time': 348959, 'you re within': 1020795, 're within 2m': 699812, '2m of someone': 16701, 'that what is': 847463, 'what is gay': 981692, 'is gay have': 448005, 'gay have had': 344711, 'have had all': 380859, 'had all our': 372822, 'our life not': 623729, 'life not nice': 488912, 'not nice is': 570695, 'nice is it': 562426, 'it 19 stayhomesavelives': 456183, '19 stayhomesavelives thursdaythoughts': 10836, 'wisconsin manufacturer': 996627, 'manufacturer increase': 513475, 'demand company': 235149, 'paper work': 641109, 'overtime plant': 631632, 'plant take': 658709, 'wisconsin manufacturer increase': 996628, 'manufacturer increase production': 513476, 'increase production to': 433024, 'with demand company': 997974, 'demand company making': 235150, 'company making food': 190872, 'making food toilet': 511077, 'toilet paper work': 921533, 'paper work overtime': 641110, 'work overtime plant': 1005592, 'overtime plant take': 631633, 'plant take precaution': 658710, 'take precaution against': 832511, 'precaution against spread': 669270, 'spread of pandemic': 790698, 'ashamed nurse': 95054, 'everyone who hoarded': 287594, 'who hoarded food': 989015, 'hoarded food should': 398944, 'be ashamed nurse': 113696, 'ashamed nurse can': 95055, 'nurse can buy': 577233, 'buy food virus': 148688, 'bowing': 136965, 'make american': 509669, 'american more': 52092, 'more asian': 538652, 'asian culturally': 95269, 'culturally and': 220279, 'mean face': 524422, 'when sick': 984030, 'sick bowing': 768393, 'bowing instead': 136966, 'of handshake': 584449, 'handshake and': 376723, 'and bidet': 58953, 'toiletpaper japan': 922148, 'japan even': 464731, 'intense respect': 441084, 'for cleanliness': 320115, 'cleanliness that': 181157, 'hope this make': 403721, 'this make american': 888743, 'make american more': 509670, 'american more asian': 52093, 'more asian culturally': 538653, 'asian culturally and': 95270, 'culturally and by': 220280, 'and by that': 59382, 'by that mean': 154249, 'that mean face': 845108, 'mean face mask': 524423, 'mask when sick': 519541, 'when sick bowing': 984031, 'sick bowing instead': 768394, 'bowing instead of': 136967, 'instead of handshake': 440270, 'of handshake and': 584450, 'handshake and bidet': 376724, 'and bidet toilet': 58954, 'bidet toilet that': 129578, 'toilet that make': 921630, 'that make have': 844995, 'make have no': 509967, 'for toiletpaper japan': 327258, 'toiletpaper japan even': 922149, 'japan even ha': 464732, 'even ha an': 284147, 'ha an intense': 369546, 'an intense respect': 56389, 'intense respect for': 441085, 'respect for cleanliness': 714987, 'for cleanliness that': 320116, 'cleanliness that the': 181158, 'the could use': 852009, 'could use now': 209806, 'with find': 998440, 'how here': 407995, 'business with find': 144698, 'with find out': 998441, 'out how here': 626325, 'fbdoyzqhci': 300697, 'vegetable aisle': 953916, 'of sainsbury': 589231, 'coombs http': 203087, 'co fbdoyzqhci': 184835, 'people are seen': 647068, 'in the fruit': 429224, 'and vegetable aisle': 74875, 'vegetable aisle of': 953917, 'aisle of sainsbury': 40328, 'of sainsbury supermarket': 589234, 'sainsbury supermarket the': 731728, 'kevin coombs http': 473205, 'coombs http co': 203088, 'http co fbdoyzqhci': 409760, 'in shock': 427888, 'trip how': 932089, 'do poor': 249996, 'people manage': 648739, 'think in shock': 885306, 'in shock after': 427889, 'it wa bad': 462070, 'wa bad trip': 961631, 'bad trip how': 108064, 'trip how bad': 932090, 'bad it going': 107914, 'how do poor': 407723, 'do poor people': 249997, 'poor people manage': 664254, 'rememberinnovember': 710466, 'incompetentbuffoon': 432548, 'control you': 202217, 'about ng': 25802, 'ng oil': 561799, 'are clueless': 85405, 'clueless incompetent': 184573, 'gop rememberinnovember': 358274, 'rememberinnovember incompetentbuffoon': 710467, 'are dying coronavirus': 86042, 'dying coronavirus is': 263798, 'is not under': 450215, 'not under control': 572308, 'under control you': 940053, 'control you re': 202218, 'worried about ng': 1010507, 'about ng oil': 25803, 'ng oil price': 561800, 'oil price you': 597330, 'you are clueless': 1017091, 'are clueless incompetent': 85406, 'clueless incompetent trump': 184574, 'incompetent trump gop': 432544, 'trump gop rememberinnovember': 933583, 'gop rememberinnovember incompetentbuffoon': 358275, 'justwashyourhands': 470537, 'omg guy': 598901, 'found and': 330155, 'gold instead': 355908, 'instead feel': 440178, 'lottery stoppanicbuying': 504462, 'stoppanicbuying sheeple': 805606, 'sheeple justwashyourhands': 756562, 'omg guy wa': 598902, 'guy wa looking': 369197, 'looking for something': 502904, 'for something in': 325790, 'something in my': 784944, 'in my room': 425621, 'room and found': 725874, 'and found and': 63225, 'found and struck': 330157, 'and struck gold': 72597, 'struck gold instead': 814261, 'gold instead feel': 355909, 'instead feel like': 440179, 'the lottery stoppanicbuying': 859752, 'lottery stoppanicbuying sheeple': 504463, 'stoppanicbuying sheeple justwashyourhands': 805607, 'noi': 566214, 'paghiamo': 633931, 'carta': 165433, 'credito': 216572, 'satispay': 736967, 'molti': 535668, 'acquisti': 29199, 'way coronavirus': 969530, 'changing millennials': 172748, 'millennials money': 532017, 'money habit': 536804, 'generation noi': 345626, 'noi paghiamo': 566215, 'paghiamo con': 633932, 'con carta': 192792, 'carta credito': 165434, 'credito con': 216573, 'con satispay': 192812, 'satispay molti': 736968, 'molti acquisti': 535669, 'acquisti online': 29200, 'way coronavirus is': 969531, 'is changing millennials': 446476, 'changing millennials money': 172749, 'millennials money habit': 532018, 'money habit more': 536805, 'any other generation': 79590, 'other generation noi': 620289, 'generation noi paghiamo': 345627, 'noi paghiamo con': 566216, 'paghiamo con carta': 633933, 'con carta credito': 192793, 'carta credito con': 165435, 'credito con satispay': 216574, 'con satispay molti': 192813, 'satispay molti acquisti': 736969, 'molti acquisti online': 535670, 'supermarket dried': 820023, 'else including': 271741, 'tissue the': 899219, 'till said': 896085, 'often no': 596235, 'the supermarket dried': 868562, 'supermarket dried pasta': 820024, 'dried pasta wa': 258758, 'pasta wa sold': 643848, 'out but plenty': 625797, 'everything else including': 287770, 'else including toilet': 271742, 'including toilet tissue': 432214, 'toilet tissue the': 921648, 'tissue the lady': 899220, 'the till said': 869562, 'till said people': 896086, 'said people are': 731308, 'just buying more': 468393, 'buying more so': 150732, 'more so they': 540419, 'shop so often': 760806, 'so often no': 777933, 'often no panic': 596236, 'should facilitate': 765983, 'facilitate smooth': 295272, 'the failure to': 854850, 'properly use the': 684210, 'production act is': 681896, 'act is not': 29668, 'is not acceptable': 450023, 'it should facilitate': 461034, 'should facilitate smooth': 765984, 'facilitate smooth allocation': 295273, 'war do it': 966417, 'do it better': 249465, 'had text': 373597, 'read congratulation': 700315, 'congratulation you': 194455, 'now clear': 574383, 'clear to': 181375, 'and lick': 66133, 'handle regard': 376255, 'regard boris': 707129, 'johnson pretty': 466613, 'first wife': 309186, 'wife lockdown': 991947, 'just had text': 468908, 'had text that': 373598, 'text that read': 839947, 'that read congratulation': 845952, 'read congratulation you': 700316, 'congratulation you are': 194456, 'you are now': 1017181, 'are now clear': 88536, 'now clear to': 574384, 'clear to leave': 181376, 'home at any': 400745, 'any time and': 79969, 'time and lick': 896277, 'and lick supermarket': 66134, 'lick supermarket trolley': 488211, 'supermarket trolley handle': 823565, 'trolley handle regard': 932427, 'handle regard boris': 376256, 'regard boris johnson': 707130, 'boris johnson pretty': 135472, 'johnson pretty sure': 466614, 'sure it from': 827600, 'it from my': 458156, 'my first wife': 548357, 'first wife lockdown': 309187, 'local starting': 498445, 'starting day': 794948, 'result ve': 717647, 'told some': 923683, 'some crazy': 782631, 'crazy quarantine': 215396, 'quarantine strategy': 692588, 'hospital sorry': 404621, 'of curry': 582261, 'curry health': 221739, 'health network': 386661, 'network still': 557768, 'taking cab': 833291, 'cab to': 154936, 'store surely': 810477, 'local starting day': 498446, 'starting day of': 794949, 'day of waiting': 228114, 'waiting for covid': 964314, 'test result ve': 839152, 'result ve been': 717648, 'been told some': 122241, 'told some crazy': 923684, 'some crazy quarantine': 782632, 'crazy quarantine strategy': 215397, 'quarantine strategy by': 692589, 'strategy by our': 812627, 'by our local': 153483, 'our local hospital': 623778, 'local hospital sorry': 498092, 'hospital sorry to': 404622, 'sorry to the': 786100, 'ceo of curry': 169774, 'of curry health': 582262, 'curry health network': 221740, 'health network still': 386662, 'network still not': 557769, 'still not taking': 800908, 'not taking cab': 571924, 'taking cab to': 833292, 'cab to the': 154937, 'grocery store surely': 365828, 'store surely that': 810478, 'product that kill': 681694, 'that kill covid': 844821, 'get box': 346705, 'we get box': 971604, 'get box at': 346706, 'box at each': 137015, 'at each supermarket': 98502, 'each supermarket set': 264287, 'supermarket set up': 822392, 'set up so': 753577, 'nice way of': 562511, 'way of all': 969738, 'of all to': 579990, 'all to show': 45248, 'desolation': 238478, 'these dead': 879905, 'dead land': 229156, 'land desolation': 479262, 'desolation book': 238479, 'the series': 866723, 'series washyourhands': 751311, 'not photo of': 571022, 'photo of visit': 655220, 'this is these': 888428, 'is these dead': 453047, 'these dead land': 879906, 'dead land desolation': 229157, 'land desolation book': 479263, 'desolation book in': 238480, 'book in the': 134547, 'in the series': 429536, 'the series washyourhands': 866724, 'impact livestock': 417735, 'livestock feed': 496264, 'feed industry': 302323, 'industry law': 435954, '19 impact livestock': 7702, 'impact livestock feed': 417736, 'livestock feed industry': 496265, 'feed industry law': 302324, 'flu ect': 311408, 'ect all': 268414, 'call people': 156073, 'ignorant amp': 415768, 'amp hateful': 53907, 'asian flu ect': 95283, 'flu ect all': 311409, 'ect all came': 268415, 'china the entire': 176981, 'entire world need': 278780, 'of china to': 581371, 'china to call': 177001, 'to call people': 902385, 'call people ignorant': 156074, 'people ignorant amp': 648324, 'ignorant amp hateful': 415769, 'amp hateful for': 53908, 'market stabilise': 517097, 'stabilise ecb': 791788, 'launch 750bn': 481856, 'stock market stabilise': 802436, 'market stabilise ecb': 517098, 'stabilise ecb launch': 791789, 'ecb launch 750bn': 266610, 'launch 750bn coronavirus': 481857, '750bn coronavirus 19': 22198, 'here wave': 393780, 'buying strike': 151104, 'strike many': 813745, 'retailer due': 719122, 'supply good': 825329, 'fill empty': 305461, 'of food here': 583707, 'food here wave': 314816, 'here wave of': 393781, 'panic buying strike': 637910, 'buying strike many': 151105, 'strike many of': 813746, 'nation biggest retailer': 552137, 'biggest retailer due': 130314, 'retailer due to': 719123, 'to they work': 917365, 'they work around': 883920, 'clock to transport': 182420, 'to transport and': 917713, 'transport and supply': 929872, 'and supply good': 72791, 'supply good to': 825331, 'good to fill': 357878, 'to fill empty': 905841, 'fill empty shelf': 305462, 'in testing': 428885, 'their humanity': 873614, 'extend our': 293116, 'in testing time': 428887, 'testing time the': 839672, 'those that show': 892543, 'that show their': 846301, 'show their humanity': 767228, 'their humanity by': 873615, 'like to extend': 491590, 'to extend our': 905526, 'extend our thanks': 293118, 'lineup am': 493658, 'line now': 493285, 'faithfully kept': 296548, 'kept amazed': 473017, 'store lineup am': 808764, 'lineup am about': 493659, 'am about 20th': 49843, 'in line now': 424763, 'line now socialdistancing': 493286, 'now socialdistancing faithfully': 575857, 'socialdistancing faithfully kept': 780355, 'faithfully kept amazed': 296549, 'kept amazed how': 473018, 'amazed how many': 50626, 'how many have': 408263, 'many have ppe': 514127, 'considering stockpiling': 195414, 'stockpiling crude': 803933, 'while exploring': 986816, 'exploring measure': 292548, 'the oilpricewar': 862127, 'oilpricewar saudiarabia': 597716, 'is considering stockpiling': 446764, 'considering stockpiling crude': 195415, 'stockpiling crude oil': 803934, 'price while exploring': 677520, 'while exploring measure': 986817, 'exploring measure to': 292549, 'of the oilpricewar': 591289, 'the oilpricewar saudiarabia': 862128, 'oilpricewar saudiarabia opec': 597717, 'try bat': 934460, 'bat soup': 112554, 'of food then': 583796, 'food then you': 317147, 'then you should': 877796, 'you should try': 1021227, 'should try bat': 766604, 'try bat soup': 934461, 'alcohol always': 40899, 'if hand': 414193, 'are visibly': 91487, 'visibly dirty': 959141, '60 alcohol always': 20882, 'alcohol always wash': 40900, 'always wash hand': 49788, 'and water if': 75242, 'water if hand': 969026, 'if hand are': 414194, 'hand are visibly': 374803, 'are visibly dirty': 91488, 'boredinthehouse': 135387, 'trump threw': 933920, 'threw some': 894169, 'some roll': 783780, 'now boredinthehouse': 574267, 'boredinthehouse toiletpaper': 135390, 'if trump threw': 415200, 'trump threw some': 933921, 'threw some roll': 894170, 'some roll of': 783781, 'paper at people': 639900, 'at people that': 100094, 'people that wouldn': 649787, 'that wouldn be': 847693, 'be the worst': 117667, 'worst thing right': 1011285, 'thing right now': 884722, 'right now boredinthehouse': 722034, 'now boredinthehouse toiletpaper': 574268, 'kid organize': 474066, 'organize photo': 619466, 'photo make': 655194, 'make memory': 510161, 'memory box': 528421, 'photo start': 655246, 'or birthday': 614556, 'birthday shopping': 131448, 'online thursdaymotivation': 609573, 'this time at': 890621, 'home to make': 402329, 'make meal with': 510156, 'meal with the': 524309, 'the kid organize': 858792, 'kid organize photo': 474067, 'organize photo make': 619467, 'photo make memory': 655195, 'make memory box': 510162, 'memory box for': 528422, 'box for your': 137065, 'for your kid': 328170, 'your kid with': 1024566, 'kid with the': 474175, 'with the photo': 1001428, 'the photo start': 863704, 'photo start christmas': 655247, 'start christmas shopping': 794255, 'christmas shopping or': 178203, 'shopping or birthday': 763537, 'or birthday shopping': 614557, 'birthday shopping online': 131449, 'shopping online thursdaymotivation': 763498, 'wa restocked': 963094, 'restocked last': 716953, '30 after': 16950, 'customer emptied': 222332, 'shelf fearing': 757074, 'fearing long': 301486, 'supermarket wa restocked': 823705, 'wa restocked last': 963095, 'restocked last night': 716954, 'last night at': 480368, 'at 30 after': 97587, '30 after customer': 16951, 'after customer emptied': 35525, 'customer emptied shelf': 222333, 'emptied shelf fearing': 274696, 'shelf fearing long': 757075, 'fearing long period': 301487, 'period of self': 651850, 'mmo': 534779, 'marine': 515752, 'very comprehensive': 955069, 'comprehensive guide': 192636, 'fish directly': 309306, 'from mmo': 336452, 'mmo marine': 534782, 'marine management': 515753, 'management organization': 512607, 'organization for': 619370, 'the mmo': 860701, 'mmo for': 534780, 'the fisherman': 855374, 'fisherman mission': 309374, 'very comprehensive guide': 955070, 'comprehensive guide to': 192637, 'guide to selling': 368370, 'to selling fresh': 914197, 'selling fresh fish': 749262, 'fresh fish directly': 332951, 'fish directly to': 309307, 'consumer from mmo': 197560, 'from mmo marine': 336453, 'mmo marine management': 534783, 'marine management organization': 515754, 'management organization for': 512608, 'organization for more': 619371, 'from the mmo': 337792, 'the mmo for': 860702, 'mmo for covid': 534781, '19 information and': 7880, 'information and support': 437743, 'and support of': 72845, 'of the fisherman': 591031, 'the fisherman mission': 855375, 'chinesewuhanvirus chinaliedpeopledie': 177475, 'chinaliedpeopledie nsw': 177109, 'by whom': 154745, 'chinesewuhanvirus chinaliedpeopledie nsw': 177476, 'chinaliedpeopledie nsw australia': 177110, 'this by whom': 886664, 'you mind': 1019864, 'mind signing': 532720, 'me during': 522691, 'shit send': 759211, 'newsom today': 561074, 'hey guy would': 394408, 'guy would you': 369241, 'would you mind': 1012415, 'you mind signing': 1019865, 'mind signing this': 532721, 'signing this to': 769653, 'help out grocery': 390251, 'out grocery worker': 626242, 'worker like me': 1007322, 'like me during': 490742, 'me during this': 522692, 'during this whole': 263338, '19 shit send': 10466, 'shit send an': 759212, 'email to governor': 272339, 'to governor newsom': 906945, 'governor newsom today': 360948, 'newsom today to': 561075, 'today to take': 920372, 'executive action and': 289852, 'action and support': 29952, 'support grocery and': 826548, 'idiot buying': 413477, 'buying box': 150041, 'tomato how': 923948, 'need also': 554388, 'oh toilet': 596464, 'paper ill': 640306, 'ill buy': 416104, 'in supermarket look': 428627, 'at that idiot': 100855, 'that idiot buying': 844411, 'idiot buying box': 413478, 'buying box of': 150042, 'box of tinned': 137130, 'tinned tomato how': 898637, 'tomato how many': 923949, 'can you need': 160319, 'you need also': 1019962, 'need also me': 554389, 'also me oh': 48527, 'me oh toilet': 523256, 'oh toilet paper': 596465, 'toilet paper ill': 921314, 'paper ill buy': 640307, 'ill buy pack': 416105, 'buy pack to': 149074, 'pack to go': 633174, '60 only': 20974, '9am the': 23964, 'is checking': 446504, 'checking their': 174855, 'verify their': 954797, 'their age': 872481, 'age 60 only': 37795, '60 only being': 20975, 'only being allowed': 610172, 'allowed into grocery': 46180, 'store from 9am': 807879, 'from 9am the': 334356, '9am the security': 23965, 'security guard is': 744617, 'guard is checking': 367811, 'is checking their': 446505, 'checking their id': 174856, 'their id to': 873617, 'id to verify': 412960, 'to verify their': 918147, 'verify their age': 954798, 'cftc': 170366, 'cftc gear': 170367, '19 cftc': 5749, 'cftc ha': 170369, 'ha geared': 370707, 'client among': 181987, 'ha instituted': 370978, 'instituted measure': 440441, 'virus doe': 958139, 'spread read': 790766, 'cftc gear up': 170368, 'gear up against': 345003, 'up against covid': 944242, 'covid 19 cftc': 212781, '19 cftc ha': 5750, 'cftc ha geared': 170370, 'ha geared up': 370708, 'geared up against': 345015, 'protect it staff': 684860, 'staff member and': 792652, 'member and client': 528005, 'and client among': 59985, 'client among others': 181988, 'among others the': 53040, 'others the consumer': 621702, 'protection agency ha': 685300, 'agency ha instituted': 38016, 'ha instituted measure': 370979, 'instituted measure to': 440442, 'ensure that corona': 278053, 'that corona virus': 843328, 'corona virus doe': 204302, 'virus doe not': 958140, 'not spread read': 571683, 'spread read more': 790767, 'video many': 956813, 'here reporter': 393517, 'reporter actually': 712598, 'actually asked': 30733, 'trump about': 933366, 'about shutting': 26194, 'down essential': 256725, 'seriously here': 751626, 'video many people': 956814, 'people have already': 648159, 'have already pointed': 379197, 'pointed out on': 662737, 'out on here': 626905, 'on here reporter': 601292, 'here reporter actually': 393518, 'reporter actually asked': 712599, 'actually asked trump': 30734, 'asked trump about': 95885, 'trump about shutting': 933367, 'about shutting down': 26195, 'shutting down essential': 768260, 'down essential business': 256726, 'essential business like': 280854, 'business like grocery': 143997, 'grocery store seriously': 365760, 'store seriously here': 810041, 'seriously here that': 751627, 'here that wa': 393637, 'been advise': 120612, 'worth noting': 1011403, 'noting the': 573576, 'chinese doctor': 177244, 'who discovered': 988611, 'now dead': 574499, 'dead said': 229173, 'canada we have': 160606, 'have been advise': 379460, 'been advise to': 120613, 'advise to wear': 33608, 'mask at all': 518412, 'all time when': 45228, 'time when going': 898286, 'when going out': 983482, 'going out think': 355393, 'out think it': 627553, 'think it worth': 885361, 'it worth noting': 462570, 'worth noting the': 1011404, 'noting the chinese': 573577, 'the chinese doctor': 850853, 'chinese doctor who': 177245, 'doctor who discovered': 251159, 'who discovered covid': 988612, '19 who is': 12063, 'is now dead': 450275, 'now dead said': 574500, 'dead said it': 229174, 'wife amp': 991886, 'amp just': 54038, 'made point': 507917, 'all label': 43336, 'label amp': 478326, 'everyone shop': 287364, 'local during': 497908, 'truly help': 933311, 'my wife amp': 550581, 'wife amp just': 991887, 'amp just got': 54039, 'store we made': 811175, 'we made point': 972323, 'made point to': 507918, 'point to look': 662671, 'at all label': 97891, 'all label amp': 43337, 'label amp only': 478327, 'amp only buy': 54227, 'only buy from': 610202, 'buy from our': 148718, 'from our state': 336801, 'our state if': 624902, 'state if everyone': 795674, 'if everyone shop': 414096, 'everyone shop local': 287365, 'shop local during': 760423, 'local during these': 497909, 'we will truly': 973918, 'will truly help': 995241, 'truly help out': 933312, 'out those that': 627599, 'that need their': 845312, 'need their job': 555764, 'their job 19': 873693, 'walton': 965525, 'defuniak': 232497, 'tv there': 936213, '100 local': 1942, 'across nine': 29408, 'nine area': 563276, 'area county': 91982, 'county walton': 211528, 'walton county': 965526, 'county organization': 211459, 'organization hold': 619384, 'hold drive': 399910, 'in defuniak': 422074, 'defuniak spring': 232498, 'spring floridian': 791204, 'floridian stock': 311038, 'ammo during': 52894, 'more tune': 540834, 'up on tv': 945637, 'on tv there': 604911, 'tv there are': 936214, 'than 100 local': 840160, '100 local covid': 1943, '19 case across': 5663, 'case across nine': 165606, 'across nine area': 29409, 'nine area county': 563277, 'area county walton': 91983, 'county walton county': 211529, 'walton county organization': 965527, 'county organization hold': 211460, 'organization hold drive': 619385, 'hold drive thru': 399911, 'thru food pantry': 895192, 'pantry in defuniak': 639611, 'in defuniak spring': 422075, 'defuniak spring floridian': 232499, 'spring floridian stock': 791205, 'floridian stock up': 311039, 'and ammo during': 58072, 'ammo during the': 52895, 'and more tune': 67224, 'more tune in': 540835, 'tune in at': 935402, 'in at 10': 420548, 'adjusting this': 32362, 'panic america': 637279, 'food keepcalm': 315266, 'keepcalm business': 472305, 'economics leadership': 267460, 'chain are adjusting': 170490, 'are adjusting this': 84235, 'adjusting this is': 32363, 'to panic america': 911383, 'panic america is': 637281, 'america is not': 51577, 'of food keepcalm': 583723, 'food keepcalm business': 315267, 'keepcalm business economics': 472306, 'business economics leadership': 143682, 'leilanijordan': 486128, 'jordan kept': 467290, 'people she': 649411, 'she died': 755992, 'died due': 241533, 'coronavirus her': 206068, 'her last': 392156, '64 leilanijordan': 21314, 'leilani jordan kept': 486121, 'jordan kept working': 467291, 'help people she': 390305, 'people she died': 649412, 'she died due': 755993, 'died due to': 241534, 'to coronavirus her': 903552, 'coronavirus her last': 206069, 'her last paycheck': 392157, 'wa 20 64': 961361, '20 64 leilanijordan': 12914, 'coronachallenge': 204468, 'latest corona': 481268, 'corona challenge': 203849, 'challenge anyone': 171404, 'is obviously': 450390, 'obviously an': 578821, 'idiot attention': 413463, 'attention seeker': 102477, 'seeker wonder': 746637, 'he pass': 385295, 'pass on': 643214, 'his virus': 397903, 'others coronavid19': 621343, 'toiletpaper coronachallenge': 921881, 'coronachallenge murder': 204469, 'murder stayathomesavelives': 546162, 'the latest corona': 859084, 'latest corona challenge': 481269, 'corona challenge anyone': 203850, 'challenge anyone who': 171405, 'doe this is': 251635, 'this is obviously': 888340, 'is obviously an': 450391, 'obviously an idiot': 578822, 'an idiot attention': 56145, 'idiot attention seeker': 413464, 'attention seeker wonder': 102478, 'seeker wonder how': 746638, 'wonder how he': 1003951, 'how he will': 407986, 'he will feel': 385666, 'will feel when': 993428, 'feel when he': 302933, 'when he pass': 983539, 'he pass on': 385296, 'pass on his': 643216, 'on his virus': 601329, 'his virus to': 397904, 'virus to others': 958924, 'to others coronavid19': 911132, 'others coronavid19 toiletpaper': 621344, 'coronavid19 toiletpaper coronachallenge': 205397, 'toiletpaper coronachallenge murder': 921882, 'coronachallenge murder stayathomesavelives': 204470, 'kaizer': 470677, 'forced kaizer': 328575, 'kaizer chief': 470678, 'chief into': 175938, 'into further': 442581, 'club continues': 184431, 'ha forced kaizer': 370660, 'forced kaizer chief': 328576, 'kaizer chief into': 470679, 'chief into further': 175939, 'into further closure': 442582, 'further closure the': 342013, 'closure the club': 184040, 'the club continues': 851081, 'club continues to': 184432, 'continues to take': 201503, 'to take precautionary': 916225, 'precautionary measure against': 669420, 'spoke lot': 789718, 'sense he': 750529, 'he noted': 385261, 'risk senior': 723865, 'right spoke lot': 722283, 'spoke lot of': 789719, 'lot of common': 504156, 'common sense he': 189460, 'sense he noted': 750530, 'he noted that': 385262, 'noted that many': 572882, 'that many supermarket': 845032, 'many supermarket checkout': 514757, 'supermarket checkout worker': 819675, 'checkout worker are': 175063, 'worker are high': 1006395, 'high risk senior': 395371, 'risk senior who': 723866, 'senior who feel': 750444, 'who feel obligated': 988735, 'obligated to continue': 578449, 'cg': 170371, 'interesting global': 441554, 'global data': 351851, 'via cg': 955855, 'cg retail': 170374, 'interesting global data': 441555, 'global data on': 351852, 'perception and behavior': 651231, 'and behavior via': 58846, 'behavior via cg': 124287, 'via cg retail': 955856, 'cg retail cx': 170375, 'mass test': 519876, 'employee in mass': 273963, 'in mass test': 425174, 'mass test positive': 519877, 'alert there': 41517, 'are ton': 91132, 'insurance scam': 440808, 'scam stoking': 740376, 'stoking more': 804257, 'more fear': 539204, 'amp anxiety': 53396, 'general say': 345464, 'say our': 739036, 'latest please': 481490, 'of ongoing': 587245, 'ongoing con': 607604, 'consumer alert there': 196157, 'alert there are': 41518, 'there are ton': 878178, 'are ton of': 91133, 'ton of insurance': 924276, 'of insurance scam': 585237, 'insurance scam stoking': 440809, 'scam stoking more': 740377, 'stoking more fear': 804258, 'more fear amp': 539205, 'fear amp anxiety': 301018, 'amp anxiety about': 53397, 'pandemic in general': 635698, 'in general say': 423256, 'general say our': 345465, 'say our latest': 739037, 'our latest please': 623673, 'latest please share': 481491, 'share to beware': 755302, 'beware of ongoing': 129089, 'of ongoing con': 587246, 'trump testing': 933902, 'find who': 307393, 'risk stopthespread': 723910, 'stopthespread the': 805924, 'money sound': 537031, 'sound great': 786290, 'kit medication': 475597, 'medication find': 526645, 'it eliminate': 457786, 'eliminate it': 271447, 'hour work': 406110, 'tomorrow unprotected': 924225, 'unprotected from': 943256, 'from pray': 336968, 'trump testing kit': 933903, 'kit for all': 475541, 'for all we': 319185, 'all we need': 45410, 'to find who': 905954, 'find who is': 307394, 'at risk stopthespread': 100404, 'risk stopthespread the': 723911, 'stopthespread the money': 805925, 'the money sound': 860825, 'money sound great': 537032, 'sound great but': 786291, 'great but please': 362552, 'but please we': 146808, 'we need testing': 972554, 'need testing kit': 555713, 'testing kit medication': 839543, 'kit medication find': 475598, 'medication find it': 526646, 'find it eliminate': 306989, 'it eliminate it': 457787, 'eliminate it eight': 271448, 'it eight hour': 457775, 'eight hour work': 270187, 'hour work in': 406111, 'work in public': 1005338, 'in public supermarket': 427102, 'public supermarket for': 688344, 'for me tomorrow': 323346, 'me tomorrow unprotected': 523817, 'tomorrow unprotected from': 924226, 'unprotected from pray': 943257, 'profitero': 683110, 'pimping': 656763, 'profitero studied': 683111, 'studied keyword': 814824, 'keyword search': 473570, 'search pattern': 743281, 'amazon best': 50874, 'best seller': 127891, 'seller ranking': 749062, 'ranking to': 696797, 'highlight way': 395977, 'are altering': 84490, 'altering their': 49177, 'life such': 489074, 'such pimping': 816678, 'pimping the': 656764, 'office shown': 595541, 'shown below': 767575, 'below download': 126633, 'profitero studied keyword': 683112, 'studied keyword search': 814825, 'keyword search pattern': 473571, 'search pattern and': 743282, 'pattern and amazon': 644447, 'and amazon best': 58043, 'amazon best seller': 50875, 'best seller ranking': 127892, 'seller ranking to': 749063, 'ranking to highlight': 696798, 'to highlight way': 907757, 'highlight way consumer': 395978, 'consumer are altering': 196281, 'are altering their': 84491, 'altering their behavior': 49178, 'behavior and shopping': 123903, 'and shopping pattern': 71549, 'shopping pattern to': 763609, 'pattern to adjust': 644514, 'adjust to quarantine': 32301, 'to quarantine life': 912643, 'quarantine life such': 692341, 'life such pimping': 489075, 'such pimping the': 816679, 'pimping the office': 656765, 'the office shown': 862080, 'office shown below': 595542, 'shown below download': 767576, 'below download the': 126634, 'probably aren': 679207, 'whether you run': 985622, 'you run an': 1020957, 'run an online': 727558, 'online shop or': 608982, 'shop or you': 760623, 'or you ve': 617865, 'online you probably': 609777, 'you probably aren': 1020438, 'probably aren going': 679209, 'to catch virus': 902510, 'catch virus from': 167058, 'virus from your': 958219, 'from your package': 338488, 'facing many': 295534, 'challenge an': 171395, 'agency there': 38084, 'can lend': 158863, 'lend helping': 486203, 'distancing such': 247514, 'such donating': 816454, 'amazon wish': 51205, 'list learn': 494390, 'are facing many': 86424, 'facing many new': 295535, 'many new challenge': 514339, 'new challenge an': 558474, 'challenge an agency': 171396, 'an agency there': 55189, 'agency there are': 38085, 'there are easy': 878097, 'are easy way': 86076, 'easy way you': 265802, 'you can lend': 1017713, 'can lend helping': 158864, 'lend helping hand': 486204, 'helping hand while': 391347, 'hand while still': 375985, 'while still practicing': 987324, 'still practicing social': 801056, 'social distancing such': 779732, 'distancing such donating': 247515, 'such donating online': 816455, 'donating online or': 254493, 'online or shopping': 608668, 'or shopping on': 617063, 'on our amazon': 602574, 'our amazon wish': 622067, 'amazon wish list': 51206, 'wish list learn': 996787, 'list learn more': 494391, 'crisis pushing': 217922, 'pushing gas': 690422, 'coronavirus crisis pushing': 205764, 'crisis pushing gas': 217923, 'pushing gas price': 690423, 'down in massachusetts': 256864, 'good idea la': 357215, 'idea la market': 413108, 'la market offer': 478190, 'market offer special': 516784, 'important information you': 418843, 'information you should': 438054, 'sarbananda': 736739, 'sonowal': 785557, 'pricerise': 677887, 'assam sarbananda': 96304, 'sarbananda sonowal': 736740, 'sonowal urged': 785558, 'trader body': 928668, 'body to': 133904, 'take adequate': 831911, 'adequate step': 32182, 'suffer time8news': 817240, 'time8news assam': 898433, 'assam pricerise': 96303, 'assam sarbananda sonowal': 96305, 'sarbananda sonowal urged': 736741, 'sonowal urged the': 785559, 'urged the trader': 948282, 'the trader body': 869860, 'trader body to': 928669, 'body to take': 133905, 'to take adequate': 916154, 'take adequate step': 831912, 'adequate step for': 32183, 'step for control': 799538, 'for control of': 320336, 'of price so': 588416, 'so that common': 778365, 'that common people': 843266, 'common people do': 189428, 'to suffer time8news': 915738, 'suffer time8news assam': 817241, 'time8news assam pricerise': 898434, 'hello bos': 389134, 'bos please': 135686, 'hello bos please': 389135, 'bos please am': 135687, 'monika': 537270, 'wingate': 995997, 'for starting': 325875, 'starting up': 795067, 'up talked': 946124, 'ceo monika': 169758, 'monika wingate': 537271, 'wingate about': 995998, 'research platform': 713813, 'for starting up': 325876, 'starting up talked': 795068, 'up talked with': 946125, 'talked with ceo': 833949, 'with ceo monika': 997589, 'ceo monika wingate': 169759, 'monika wingate about': 537272, 'wingate about her': 995999, 'about her online': 25377, 'her online consumer': 392256, 'online consumer research': 608045, 'consumer research platform': 198757, 'research platform and': 713814, 'platform and how': 658939, 'how business ha': 407480, 'business ha been': 143808, 'beat you': 118585, 'store old': 809177, 'man dementia': 512043, 'dementia doesnt': 236635, 'doesnt excuse': 252010, 'excuse bad': 289737, 'bad manner': 107936, 'manner quarantinelife': 513306, 'quarantinelife coronalockdown': 692941, 'will beat you': 992784, 'beat you down': 118586, 'you down in': 1018353, 'down in this': 256873, 'in this grocery': 429955, 'grocery store old': 365608, 'store old man': 809178, 'old man dementia': 598343, 'man dementia doesnt': 512044, 'dementia doesnt excuse': 236636, 'doesnt excuse bad': 252011, 'excuse bad manner': 289738, 'bad manner quarantinelife': 107937, 'manner quarantinelife coronalockdown': 513307, 'oeb': 579272, 'oversees': 631505, 'elexion': 271398, 'the oeb': 862043, 'oeb oversees': 579281, 'oversees energy': 631506, 'ontario when': 611639, 'oeb end': 579273, 'end peek': 275937, 'peek pricing': 646249, 'pricing to': 677989, 'consumer budget': 196662, 'to elexion': 904982, 'elexion energy': 271399, 'energy it': 276490, 'that the oeb': 846784, 'the oeb oversees': 862046, 'oeb oversees energy': 579282, 'oversees energy price': 631507, 'energy price in': 276542, 'price in ontario': 674718, 'in ontario when': 426186, 'ontario when will': 611641, 'will the oeb': 995148, 'the oeb end': 862044, 'oeb end peek': 579274, 'end peek pricing': 275938, 'peek pricing to': 646250, 'pricing to help': 677990, 'ease the pressure': 265108, 'on consumer budget': 600030, 'consumer budget during': 196663, 'budget during covid': 141778, 'according to elexion': 28535, 'to elexion energy': 904983, 'elexion energy it': 271400, 'energy it your': 276491, 'it your decision': 462656, 'april some': 83687, 'some million': 783297, 'crude might': 219545, 'might literally': 531069, 'in april some': 420473, 'april some million': 83688, 'some million barrel': 783298, 'per day of': 650803, 'day of homeless': 228076, 'homeless crude might': 402743, 'crude might literally': 219546, 'might literally have': 531070, 'podcast our': 662298, 'retail energy': 718083, 'expert focus': 291837, 'on three': 604656, 'three theme': 894066, 'theme supplier': 876709, 'supplier tariff': 824613, 'tariff offering': 834607, 'regulatory intervention': 708178, 'intervention listen': 442189, 'listen free': 494679, 'free here': 331902, 'here energy': 392954, 'energy supplier': 276591, 'latest podcast our': 481497, 'podcast our retail': 662299, 'our retail energy': 624633, 'retail energy expert': 718084, 'energy expert focus': 276451, 'expert focus on': 291838, 'focus on three': 311902, 'on three theme': 604657, 'three theme supplier': 894067, 'theme supplier tariff': 876710, 'supplier tariff offering': 824614, 'tariff offering the': 834608, 'offering the impact': 595281, 'impact of wholesale': 417811, 'of wholesale price': 593144, 'wholesale price which': 990484, 'price which have': 677511, '19 and regulatory': 5094, 'and regulatory intervention': 70173, 'regulatory intervention listen': 708179, 'intervention listen free': 442190, 'listen free here': 494680, 'free here energy': 331903, 'here energy supplier': 392955, 'what hear you': 981591, 'hear you re': 388036, 'sanitizer do it': 734776, 'the authenticity': 849066, 'authenticity of': 103630, 'charity before': 173584, 'them ignore': 875886, 'ignore online': 415833, 'online offer': 608603, '19 vaccination': 11713, 'vaccination remedy': 951632, 'remedy and': 710144, 'cure they': 220828, 'exist yet': 290256, 'trust visit': 934326, 'verify the authenticity': 954795, 'the authenticity of': 849067, 'authenticity of charity': 103631, 'of charity before': 581294, 'charity before you': 173585, 'before you donate': 123318, 'you donate to': 1018338, 'donate to them': 254270, 'to them ignore': 917300, 'them ignore online': 875887, 'ignore online offer': 415834, 'online offer for': 608604, 'offer for covid': 594618, 'covid 19 vaccination': 214014, '19 vaccination remedy': 11714, 'vaccination remedy and': 951633, 'remedy and cure': 710145, 'and cure they': 60808, 'cure they don': 220829, 'they don exist': 881990, 'don exist yet': 253497, 'exist yet for': 290257, 'yet for more': 1016076, 'more information you': 539598, 'information you can': 438052, 'can trust visit': 160056, 'no store pick': 565589, 'kansan': 470827, 'urging kansan': 948434, 'kansan to': 470828, 'use caution': 949102, 'against new': 37553, 'involving covid': 444391, 'the text': 869346, 'is urging kansan': 453605, 'urging kansan to': 948435, 'kansan to use': 470829, 'to use caution': 918011, 'use caution against': 949103, 'caution against new': 168157, 'against new text': 37554, 'message scam involving': 529411, 'scam involving covid': 740214, 'involving covid 19': 444392, '19 the text': 11256, 'the text phishing': 869347, 'essentialworkerwage': 281965, 'ha suddenly': 372100, 'suddenly decided': 817078, 'cannot operate': 162017, 'operate without': 613031, 'without are': 1002508, 'most poorly': 542637, 'poorly rewarded': 664394, 'rewarded once': 720809, 'gotten through': 359171, 'need respectfully': 555521, 'respectfully high': 715133, 'high essentialworkerwage': 395064, 'essentialworkerwage for': 281966, 'nurse cleaner': 577244, 'cleaner nursery': 180808, 'worker that society': 1007917, 'that society ha': 846378, 'society ha suddenly': 781232, 'ha suddenly decided': 372101, 'suddenly decided it': 817079, 'decided it cannot': 230869, 'it cannot operate': 457052, 'cannot operate without': 162018, 'operate without are': 613032, 'without are often': 1002509, 'often the most': 596287, 'the most poorly': 861016, 'most poorly rewarded': 542638, 'poorly rewarded once': 664395, 'rewarded once we': 720810, 'once we ve': 605786, 'we ve gotten': 973671, 've gotten through': 953211, 'gotten through the': 359172, 'outbreak we need': 628800, 'we need respectfully': 972537, 'need respectfully high': 555522, 'respectfully high essentialworkerwage': 715134, 'high essentialworkerwage for': 395065, 'essentialworkerwage for the': 281967, 'supermarket staff nurse': 822871, 'staff nurse cleaner': 792696, 'nurse cleaner nursery': 577246, 'cleaner nursery worker': 180809, 'cake are': 155218, 'demand germany': 235563, 'germany bakery': 346271, 'bakery restaurant': 108877, 'restaurant toiletpaper': 716766, 'cake dortmund': 155229, 'dortmund food': 255913, 'food pandemic': 315746, 'lockdown toiletpaperpanic': 500069, 'paper roll cake': 640690, 'roll cake are': 725236, 'cake are in': 155219, 'high demand germany': 395011, 'demand germany bakery': 235564, 'germany bakery restaurant': 346272, 'bakery restaurant toiletpaper': 108878, 'restaurant toiletpaper cake': 716767, 'toiletpaper cake dortmund': 921842, 'cake dortmund food': 155230, 'dortmund food pandemic': 255914, 'food pandemic lockdown': 315747, 'pandemic lockdown toiletpaperpanic': 635904, 'not shuttering': 571579, 'shuttering store': 768231, 'food sell': 316388, 'sell 20': 748609, 'stock considered': 802011, 'essential eg': 280990, 'eg durham': 269703, 'durham 17': 262385, '17 aisle': 4328, 'aisle cleaning': 40230, 'cleaning pet': 181017, 'toiletry furloughed': 923418, 'furloughed just': 341923, 'just 40': 468116, '40 staff': 18664, 'staff base': 792249, 'base greed': 111451, 'greed my': 363406, 'both 80': 135832, '80 if': 22586, 'not shuttering store': 571580, 'shuttering store that': 768232, 'store that don': 810549, 'that don sell': 843600, 'don sell food': 253901, 'sell food sell': 748726, 'food sell 20': 316389, 'sell 20 of': 748610, '20 of stock': 13204, 'of stock considered': 590151, 'stock considered essential': 802012, 'considered essential eg': 195287, 'essential eg durham': 280991, 'eg durham 17': 269704, 'durham 17 aisle': 262386, '17 aisle cleaning': 4329, 'aisle cleaning pet': 40231, 'cleaning pet food': 181018, 'pet food toiletry': 653402, 'food toiletry furloughed': 317323, 'toiletry furloughed just': 923419, 'furloughed just 40': 341924, 'just 40 staff': 468117, '40 staff base': 18665, 'staff base greed': 792250, 'base greed my': 111452, 'greed my folk': 363407, 'my folk are': 548368, 'folk are both': 312089, 'are both 80': 85032, 'both 80 if': 135833, '80 if catch': 22587, 'shortage fruit': 764968, 'vegetable could': 953963, 'could rot': 209614, 'field during': 304467, 'food shortage fruit': 316577, 'shortage fruit and': 764969, 'and vegetable could': 74882, 'vegetable could rot': 953964, 'could rot in': 209615, 'in field during': 422871, 'field during covid': 304468, 'sofreakinhappy': 781452, 'scored finally': 742386, 'finally we': 306136, 'toiletpapergate toiletpaperapocalypse': 923166, 'toiletpaperapocalypse winner': 922959, 'winner sofreakinhappy': 996045, 'we scored finally': 973147, 'scored finally we': 742387, 'finally we have': 306137, 'have toiletpaper toiletpaperpanic': 383357, 'toiletpaper toiletpaperpanic toiletpapergate': 922714, 'toiletpaperpanic toiletpapergate toiletpaperapocalypse': 923289, 'toiletpapergate toiletpaperapocalypse winner': 923168, 'toiletpaperapocalypse winner sofreakinhappy': 922960, 'kazakhstan economy': 471166, 'now listening': 575223, 'to webcast': 918458, 'webcast that': 974982, 'list strength': 494544, 'storm low': 811815, 'low debt': 505230, 'debt high': 230494, 'high fiscal': 395082, 'fiscal asset': 309243, 'asset prudent': 96466, 'prudent fiscal': 687359, 'policy the': 663516, 'the rating': 865170, 'outlook at': 629135, 'kazakhstan economy face': 471167, 'economy face perfect': 267861, 'price in 2020': 674651, 'in 2020 but': 419825, '2020 but now': 14205, 'but now listening': 146607, 'now listening to': 575224, 'listening to webcast': 494816, 'to webcast that': 918459, 'webcast that list': 974983, 'that list strength': 844896, 'list strength to': 494545, 'strength to weather': 813239, 'to weather storm': 918455, 'weather storm low': 974895, 'storm low debt': 811816, 'low debt high': 505231, 'debt high fiscal': 230495, 'high fiscal asset': 395083, 'fiscal asset prudent': 309244, 'asset prudent fiscal': 96467, 'prudent fiscal policy': 687360, 'fiscal policy the': 309261, 'policy the rating': 663517, 'the rating agency': 865171, 'rating agency is': 697584, 'agency is keeping': 38029, 'keeping the outlook': 472582, 'the outlook at': 862741, 'outlook at stable': 629136, '386': 18158, 'few update': 304120, 'on state': 603642, 'to number': 910750, 'extended socialdistancing': 293185, 'measure ok': 525275, 'ok ha': 597815, 'protection mandate': 685521, 'insurer related': 440898, 'to case': 902475, 'case 386': 165593, '386 817': 18159, '817 death': 22795, 'death 12': 229944, '12 285': 2792, 'few update on': 304121, 'update on state': 947133, 'on state response': 603643, 'response to number': 715873, 'to number of': 910751, 'number of state': 576997, 'state have extended': 795654, 'have extended socialdistancing': 380536, 'extended socialdistancing measure': 293186, 'socialdistancing measure ok': 780531, 'measure ok ha': 525276, 'ok ha issued': 597816, 'issued consumer protection': 456053, 'consumer protection mandate': 198544, 'protection mandate for': 685522, 'mandate for health': 513000, 'for health insurer': 322151, 'health insurer related': 386559, 'insurer related to': 440899, 'related to case': 708594, 'to case 386': 902476, 'case 386 817': 165594, '386 817 death': 18160, '817 death 12': 22796, 'death 12 285': 229945, 'last people': 480448, 'know or': 476656, 'and courage': 60647, 'courage of': 211781, 'celebrity are the': 168875, 'are the last': 90849, 'the last people': 859031, 'last people want': 480449, 'hear from during': 387921, 'not know or': 570298, 'know or care': 476657, 'or care about': 614671, 'deal with empty': 229548, 'store shelf want': 810107, 'about the power': 26482, 'the power and': 864149, 'power and courage': 667558, 'and courage of': 60648, 'courage of the': 211782, 'that need our': 845306, 'our help coronacrisis': 623409, 'actively creating': 30303, 'creating job': 216018, 'for dislocated': 320759, 'dislocated worker': 245966, 'demand view': 236439, 'view retailer': 957156, 'retailer expanding': 719136, 'expanding job': 290511, 'opportunity across': 613581, 'retailer are actively': 718983, 'are actively creating': 84206, 'actively creating job': 30304, 'creating job for': 216019, 'job for dislocated': 465823, 'for dislocated worker': 320760, 'dislocated worker in': 245967, 'worker in order': 1007191, 'order to meet': 618692, 'consumer demand view': 197172, 'demand view retailer': 236440, 'view retailer expanding': 957157, 'retailer expanding job': 719137, 'expanding job opportunity': 290512, 'job opportunity across': 466058, 'opportunity across the': 613582, 'appendicitis': 82223, 'undertaker': 940944, 'and yr': 76112, 'yr kid': 1027022, 'ha appendicitis': 369601, 'appendicitis but': 82224, 'but hospital': 145963, 'if dead': 414028, 'and undertaker': 74644, 'undertaker too': 940945, 'few if': 303873, 'if too': 415187, 'keep functioning': 471533, 'is not what': 450220, 'not what happens': 572483, 'get it what': 347436, 'it what happens': 462322, 'happens if it': 377472, 'if it spread': 414334, 'it spread and': 461200, 'spread and yr': 790424, 'and yr kid': 76113, 'yr kid ha': 1027023, 'kid ha appendicitis': 473975, 'ha appendicitis but': 369602, 'appendicitis but hospital': 82225, 'but hospital are': 145964, 'hospital are full': 404300, 'are full if': 86728, 'full if dead': 340635, 'if dead are': 414029, 'dead are too': 229136, 'too many and': 924881, 'many and undertaker': 513740, 'and undertaker too': 74645, 'undertaker too few': 940946, 'too few if': 924738, 'few if too': 303874, 'if too many': 415188, 'many are ill': 513764, 'are ill for': 87302, 'ill for supermarket': 416122, 'for supermarket supply': 326027, 'chain to keep': 171193, 'to keep functioning': 908793, 'tbd': 835242, 'ag am': 36771, 'demand front': 235551, 'front seems': 338669, 'seems very': 746895, 'that domestic': 843592, 'may weaken': 521608, 'weaken with': 974057, 'with macroeconomic': 999355, 'macroeconomic weakness': 507488, 'weakness during': 974129, '2020 play': 14519, 'out near': 626614, 'term it': 838189, 'but tbd': 147263, 'tbd that': 835243, 'retail based': 717872, 'based surge': 111761, 'surge more': 828222, 'offset decline': 596097, 'ag am on': 36772, 'am on demand': 50280, 'on demand front': 600281, 'demand front seems': 235552, 'front seems very': 338670, 'seems very likely': 746896, 'very likely that': 955310, 'likely that domestic': 492113, 'that domestic demand': 843593, 'domestic demand may': 253180, 'demand may weaken': 235848, 'may weaken with': 521609, 'weaken with macroeconomic': 974058, 'with macroeconomic weakness': 999356, 'macroeconomic weakness during': 507489, 'weakness during 2020': 974130, 'during 2020 play': 262422, '2020 play out': 14520, 'play out near': 659201, 'out near term': 626615, 'near term it': 553603, 'term it is': 838190, 'possible but tbd': 665594, 'but tbd that': 147264, 'tbd that retail': 835244, 'that retail based': 846034, 'retail based surge': 717873, 'based surge more': 111762, 'surge more than': 828224, 'than offset decline': 840965, 'offset decline in': 596098, 'bill kelly': 130609, 'kelly show': 472723, 'show see': 767118, 'podcast below': 662260, 'retail discussion': 718034, 'discussion start': 245045, '30 retail': 17206, 'store stockmarket': 810401, 'stockmarket liquidity': 803660, 'liquidity ecommerce': 494136, 'interviewed on the': 442287, 'on the bill': 603988, 'the bill kelly': 849695, 'bill kelly show': 130610, 'kelly show see': 472724, 'show see the': 767119, 'see the podcast': 745873, 'the podcast below': 863892, 'podcast below retail': 662261, 'below retail discussion': 126722, 'retail discussion start': 718035, 'discussion start at': 245046, 'start at 24': 794210, 'at 24 30': 97540, '24 30 retail': 15539, '30 retail store': 17207, 'retail store stockmarket': 718706, 'store stockmarket liquidity': 810402, 'stockmarket liquidity ecommerce': 803661, 'liquidity ecommerce consumer': 494137, 'ecommerce consumer finance': 266740, 'much 99': 544685, 'to perfect': 911659, 'state could fall': 795493, 'could fall much': 209169, 'fall much 99': 296992, 'much 99 cent': 544686, 'per gallon due': 650843, 'due to perfect': 261902, 'to perfect storm': 911660, 'storm of supply': 811829, 'and demand caused': 61142, 'slipped back': 774040, 'asian trade': 95367, 'thursday senate': 895422, 'senate vote': 749727, 'the ravaged': 865183, 'ravaged economy': 697920, 'price slipped back': 676478, 'slipped back in': 774041, 'back in asian': 107080, 'in asian trade': 420530, 'asian trade on': 95368, 'trade on thursday': 928538, 'on thursday senate': 604678, 'thursday senate vote': 895423, 'senate vote on': 749728, 'vote on massive': 960497, 'on massive stimulus': 602054, 'stimulus package to': 801594, 'help the ravaged': 390679, 'the ravaged economy': 865184, 'ravaged economy wa': 697921, 'economy wa delayed': 268323, 'supersavertravel': 824316, 'coronatravel': 205317, 'refund costumer': 706887, 'costumer that': 208380, 'stranded due': 812347, 'coronacrisis they': 204818, 'not honor': 570010, 'honor consumer': 403242, 'right supersavertravel': 722292, 'supersavertravel coronatravel': 824317, 'not support this': 571821, 'support this company': 826923, 'company they do': 191206, 'not refund costumer': 571282, 'refund costumer that': 706888, 'costumer that are': 208381, 'that are stranded': 842821, 'are stranded due': 90548, 'stranded due to': 812348, 'the coronacrisis they': 851789, 'coronacrisis they do': 204819, 'do not honor': 249759, 'not honor consumer': 570011, 'honor consumer right': 403243, 'consumer right supersavertravel': 198829, 'right supersavertravel coronatravel': 722293, 'roll tea': 725526, 'tea towel': 835378, 'manage even': 512390, 'more alarming': 538576, 'alarming the': 40706, 'person did': 652396, 'any bag': 78956, 'handled each': 376304, 'each shopping': 264275, 'item without': 463842, 'equipment how': 279748, 'received an order': 703592, 'an order from': 56699, 'order from small': 618259, 'from small supermarket': 337320, 'small supermarket no': 775142, 'supermarket no toilet': 821621, 'toilet roll tea': 921608, 'roll tea towel': 725527, 'tea towel etc': 835380, 'towel etc but': 927321, 'we will manage': 973881, 'will manage even': 994096, 'manage even more': 512391, 'even more alarming': 284339, 'more alarming the': 538577, 'alarming the delivery': 40707, 'delivery person did': 234333, 'person did not': 652397, 'did not use': 240737, 'use any bag': 949051, 'any bag so': 78957, 'he handled each': 385067, 'handled each shopping': 376305, 'each shopping item': 264276, 'shopping item without': 763111, 'item without glove': 463844, 'or protective equipment': 616729, 'protective equipment how': 685728, 'equipment how doe': 279749, 'reccomend': 703385, 'they shipped': 883343, 'shipped the': 758808, 'mask ordered': 519082, 'ordered but': 618829, 'everyone practice': 287293, 'distancing around': 247015, 'family star': 298245, 'star would': 794077, 'would reccomend': 1012170, 'reccomend 19': 703386, '19 mondaythoughts': 8672, 'dont think they': 255299, 'think they shipped': 885686, 'they shipped the': 883344, 'shipped the n95': 758809, 'n95 mask ordered': 551201, 'mask ordered but': 519083, 'ordered but everyone': 618830, 'but everyone practice': 145680, 'everyone practice social': 287294, 'social distancing around': 779559, 'distancing around me': 247016, 'around me at': 93394, 'supermarket even my': 820221, 'even my family': 284396, 'my family star': 548223, 'family star would': 298246, 'star would reccomend': 794078, 'would reccomend 19': 1012171, 'reccomend 19 mondaythoughts': 703387, 'stimulating': 801493, 'stimulating the': 801494, 'wrong prescription': 1013085, 'prescription to': 670542, 'need period': 555426, 'le business': 482865, 'stimulating the economy': 801495, 'economy is the': 268018, 'the wrong prescription': 872107, 'wrong prescription to': 1013086, 'prescription to combat': 670543, 'we need period': 972525, 'need period of': 555427, 'period of le': 651844, 'of le business': 585747, 'le business activity': 482866, 'business activity and': 143220, 'activity and le': 30375, 'and le consumer': 66013, 'le consumer demand': 482890, 'supermarket remains': 822195, 'how about working': 407314, 'about working during': 26951, 'working during lockdown': 1008602, 'not for me': 569492, 'the supermarket remains': 868772, 'supermarket remains open': 822196, 'emergingmarkets': 273149, 'will kenya': 993906, 'kenya oil': 472931, 'pandemic emergingmarkets': 635368, 'emergingmarkets oilprice': 273150, 'will kenya oil': 993907, 'kenya oil price': 472932, 'the pandemic emergingmarkets': 862957, 'pandemic emergingmarkets oilprice': 635369, 'kildee': 474311, 'comprehending': 192610, 'interview show': 442235, 'amp kildee': 54051, 'kildee understand': 474312, 'understand impact': 940657, 'in wrong': 430999, 'wrong context': 1013017, 'context when': 200923, 'use wrong': 949824, 'apply wrong': 82627, 'wrong solution': 1013104, 'here hint': 393087, 'to comprehending': 903155, 'comprehending right': 192611, 'right context': 721850, 'context consumer': 200899, 'interview show you': 442236, 'show you amp': 767290, 'you amp kildee': 1016961, 'amp kildee understand': 54052, 'kildee understand impact': 474313, 'understand impact on': 940658, 'impact on in': 417859, 'on in wrong': 601541, 'in wrong context': 431000, 'wrong context when': 1013019, 'context when you': 200924, 'you use wrong': 1022010, 'use wrong context': 949825, 'wrong context for': 1013018, 'context for problem': 200903, 'for problem you': 324760, 'you re very': 1020785, 're very likely': 699770, 'likely to apply': 492128, 'to apply wrong': 900661, 'apply wrong solution': 82628, 'wrong solution to': 1013105, 'solution to it': 782103, 'to it here': 908585, 'it here hint': 458568, 'here hint to': 393088, 'hint to comprehending': 396928, 'to comprehending right': 903156, 'comprehending right context': 192612, 'right context consumer': 721851, 'context consumer economy': 200900, 'empy': 275329, 'at 17': 97482, '00 17': 24, '17 mar': 4352, 'of empy': 583098, 'empy shelf': 275330, 'toilet kitchen': 921160, 'tea not': 835370, 'not posted': 571061, 'posted beer': 666516, 'beer bin': 122440, 'bin liner': 131013, 'liner two': 493653, 'good cat': 356872, 'food lager': 315276, 'lager and': 478896, 'tesco at 17': 838676, 'at 17 00': 97483, '17 00 17': 4296, '00 17 mar': 25, '17 mar 2020': 4353, 'mar 2020 took': 514979, 'image of empy': 416645, 'of empy shelf': 583099, 'empy shelf of': 275331, 'of toilet kitchen': 592250, 'toilet kitchen roll': 921161, 'kitchen roll pasta': 475747, 'roll pasta noodle': 725469, 'cereal tea not': 169945, 'tea not posted': 835371, 'not posted beer': 571062, 'posted beer bin': 666517, 'beer bin liner': 122441, 'bin liner two': 131014, 'liner two lot': 493654, 'lot of tinned': 504310, 'of tinned good': 592197, 'tinned good cat': 898622, 'good cat food': 356873, 'cat food lager': 166868, 'food lager and': 315277, 'lager and potato': 478897, 'zoning': 1027782, 'high rent': 395338, 'many individual': 514185, 'le stringent': 483143, 'stringent zoning': 813812, 'zoning the': 1027783, 'the fiscal': 855369, 'reserve liquidity': 714082, 'liquidity measure': 494146, 'measure might': 525260, 'high rent price': 395339, 'rent price make': 711162, 'harder for many': 378166, 'for many individual': 323221, 'many individual and': 514186, 'individual and small': 435134, 'business to save': 144554, 'save money if': 737584, 'money if the': 536824, 'if the had': 414985, 'the had le': 857037, 'had le stringent': 373231, 'le stringent zoning': 483144, 'stringent zoning the': 813813, 'zoning the fiscal': 1027784, 'the fiscal stimulus': 855370, 'stimulus and federal': 801503, 'federal reserve liquidity': 302045, 'reserve liquidity measure': 714083, 'liquidity measure might': 494147, 'measure might not': 525261, 'might not need': 531096, 'be so massive': 117261, 'port terminal': 664903, 'terminal were': 838370, 'were shuttered': 980121, 'shuttered fewer': 768206, 'fewer ship': 304237, 'ship loaded': 758693, 'loaded with': 497323, 'american factory': 51960, 'factory set': 295989, 'set sail': 753469, 'sail from': 731622, 'export poultry': 292684, 'and orange': 68237, 'orange were': 617940, 'were piling': 979977, 'piling up': 656634, 'the dock': 853451, 'the port terminal': 864044, 'port terminal were': 664904, 'terminal were shuttered': 838372, 'were shuttered fewer': 980122, 'shuttered fewer ship': 768207, 'fewer ship loaded': 304238, 'ship loaded with': 758694, 'loaded with consumer': 497324, 'with consumer good': 997755, 'good and part': 356743, 'and part for': 68724, 'part for american': 642274, 'for american factory': 319244, 'american factory set': 51962, 'factory set sail': 295990, 'set sail from': 753470, 'sail from china': 731623, 'china and export': 176482, 'and export poultry': 62531, 'export poultry and': 292685, 'poultry and orange': 667306, 'and orange were': 68239, 'orange were piling': 617941, 'were piling up': 979978, 'piling up on': 656636, 'on the dock': 604068, 'glove higher pay': 352721, 'higher pay better': 395650, 'pay better benefit': 644778, 'cutting their': 223778, 'are cutting their': 85695, 'cutting their production': 223779, 'their production and': 874480, 'depiction': 237401, 'medium depiction': 527069, 'depiction of': 237402, 'people realize': 649236, 'the medium depiction': 860419, 'medium depiction of': 527070, 'depiction of the': 237403, 'this crazy food': 887008, 'crazy food hoarding': 215288, 'food hoarding behavior': 314825, 'hoarding behavior people': 399220, 'behavior people realize': 124144, 'people realize that': 649237, 'realize that even': 701851, 'country is locked': 210810, 'is locked down': 449425, 'after nigeria': 35955, 'nigeria confirmed': 562727, 'confirmed it': 194168, 'case two': 166086, 'two market': 937028, 'market staple': 517110, 'staple received': 793983, 'received value': 703703, 'value boost': 952096, 'boost like': 134977, 'history they': 398062, 'mask supermarket': 519318, 'supermarket virus': 823650, 'virus nigeria': 958526, 'naija 9ja': 551434, '9ja lagos': 23988, 'few hour after': 303865, 'hour after nigeria': 405364, 'after nigeria confirmed': 35956, 'nigeria confirmed it': 562729, 'confirmed it first': 194169, 'it first coronavirus': 458024, 'first coronavirus case': 308597, 'coronavirus case two': 205625, 'case two market': 166087, 'two market staple': 937030, 'market staple received': 517111, 'staple received value': 793984, 'received value boost': 703704, 'value boost like': 952097, 'boost like never': 134978, 'never before in': 557913, 'before in history': 122865, 'in history they': 423758, 'history they were': 398063, 'were the hand': 980241, 'sanitizer and the': 734441, 'and the mask': 73472, 'the mask supermarket': 860228, 'mask supermarket virus': 519319, 'supermarket virus nigeria': 823651, 'virus nigeria naija': 958527, 'nigeria naija 9ja': 562771, 'naija 9ja lagos': 551435, 'you complain': 1018000, 'having test': 384308, 'test you': 839247, 'bad panicked': 107970, 'shopper hoarding': 761548, 'supply having': 825349, 'for 327': 318816, '327 million': 17727, 'this soon': 890254, 'possible anywhere': 665578, 'are healthy person': 87067, 'healthy person with': 387730, 'person with no': 652747, 'with no symptom': 999794, 'and you complain': 76008, 'you complain about': 1018001, 'complain about not': 191846, 'not having test': 569906, 'having test you': 384310, 'test you are': 839248, 'just bad panicked': 468258, 'bad panicked shopper': 107971, 'panicked shopper hoarding': 639285, 'shopper hoarding food': 761549, 'and supply having': 72792, 'supply having test': 825350, 'having test available': 384309, 'available for 327': 104356, 'for 327 million': 318817, '327 million people': 17728, 'million people this': 532318, 'people this soon': 649847, 'this soon is': 890255, 'soon is not': 785750, 'not possible anywhere': 571053, 'please treat': 660687, 'dignity amp': 242829, 'amp respect': 54394, 'front line please': 338595, 'line please treat': 493361, 'please treat them': 660688, 'treat them with': 930898, 'them with dignity': 876645, 'with dignity amp': 998037, 'dignity amp respect': 242830, 'amp respect and': 54395, 'respect and do': 714963, 'your part during': 1025213, 'part during from': 642266, 'at zehrs': 101698, 'zehrs woodstock': 1027342, 'woodstock love': 1004326, 'the arrow': 848922, 'keep traffic': 472155, 'traffic moving': 929116, 'direction for': 243461, 'socialdistancing reason': 780639, 'more throughout': 540759, 'employee ignoring': 273949, 'shopping today at': 764204, 'today at zehrs': 919289, 'at zehrs woodstock': 101699, 'zehrs woodstock love': 1027343, 'woodstock love the': 1004327, 'love the arrow': 504802, 'the arrow on': 848924, 'floor to keep': 310851, 'to keep traffic': 908872, 'keep traffic moving': 472156, 'traffic moving in': 929117, 'moving in one': 544159, 'one direction for': 606188, 'direction for socialdistancing': 243463, 'for socialdistancing reason': 325714, 'socialdistancing reason not': 780640, 'reason not fan': 702963, 'fan of the': 298531, 'the two people': 870154, 'in this photo': 429995, 'this photo and': 889556, 'photo and several': 655125, 'and several more': 71339, 'several more throughout': 753904, 'more throughout the': 540760, 'throughout the store': 894985, 'store including employee': 808419, 'including employee ignoring': 431948, 'employee ignoring the': 273950, 'ignoring the arrow': 415925, 'saw bump': 738076, 'likely see': 492098, 'spending set': 788984, 'georgia saw bump': 346047, 'saw bump in': 738077, 'bump in state': 142564, 'say we will': 739460, 'we will likely': 973877, 'will likely see': 994012, 'likely see the': 492099, 'consumer spending set': 199090, 'spending set in': 788985, 'unifor': 941755, 'only side': 611141, 'side using': 768913, '19 bargaining': 5302, 'bargaining chip': 111076, 'the pathetic': 863390, 'pathetic unifor': 644067, 'unifor sheep': 941756, 'sheep check': 756542, 'low noone': 505423, 'noone could': 566870, 'predicted but': 669602, 'you sheep': 1021145, 'sheep accepted': 756536, 'accepted back': 28049, 'november you': 573866, 'the only side': 862340, 'only side using': 611142, 'side using covid': 768914, 'covid 19 bargaining': 212679, '19 bargaining chip': 5303, 'bargaining chip are': 111077, 'chip are the': 177505, 'are the pathetic': 90880, 'the pathetic unifor': 863391, 'pathetic unifor sheep': 644068, 'unifor sheep check': 941757, 'sheep check out': 756543, 'check out oil': 174563, 'out oil price': 626894, 'price now and': 675378, 'now and into': 574039, 'the future at': 856068, 'future at low': 342265, 'at low noone': 99631, 'low noone could': 505424, 'noone could have': 566871, 'have predicted but': 382019, 'predicted but had': 669603, 'but had you': 145848, 'had you sheep': 373816, 'you sheep accepted': 1021146, 'sheep accepted back': 756537, 'accepted back in': 28050, 'back in november': 107091, 'in november you': 425982, 'november you would': 573867, 'ubiquitous': 937852, 'once rare': 605697, 'rare now': 697089, 'now common': 574415, 'what dramatic': 981388, 'walking across': 965009, 'lot before': 503996, 'entering local': 278409, 'wa struck': 963333, 'struck by': 814252, 'of discarded': 582656, 'discarded ubiquitous': 244331, 'ubiquitous shopping': 937855, 'shopping trash': 764240, 'once rare now': 605698, 'rare now common': 697090, 'now common wonder': 574416, 'common wonder what': 189487, 'wonder what dramatic': 1004007, 'what dramatic change': 981389, 'dramatic change we': 258274, 'change we will': 172386, 'will see on': 994789, 'see on the': 745499, 'side of while': 768858, 'of while walking': 593117, 'while walking across': 987532, 'walking across the': 965010, 'across the parking': 29511, 'parking lot before': 642080, 'lot before entering': 503997, 'before entering local': 122776, 'entering local supermarket': 278410, 'supermarket wa struck': 823707, 'wa struck by': 963334, 'struck by the': 814253, 'by the large': 154362, 'number of discarded': 576938, 'of discarded ubiquitous': 582657, 'discarded ubiquitous shopping': 244332, 'ubiquitous shopping trash': 937856, 'shopping trash of': 764241, 'trash of the': 930167, 'store today why': 810881, 'do people need': 249974, 'shop nationwide': 760473, 'nationwide price': 552750, 'skyrocketing like': 773436, 'like nobody': 490863, 'nobody business': 565977, 'business strongly': 144431, 'strongly suggest': 814241, 'intervene and': 442155, 'all shop nationwide': 44319, 'shop nationwide price': 760474, 'nationwide price are': 552751, 'are skyrocketing like': 90166, 'skyrocketing like nobody': 773437, 'like nobody business': 490864, 'nobody business strongly': 565978, 'business strongly suggest': 144432, 'strongly suggest that': 814242, 'suggest that this': 817539, 'for to intervene': 327222, 'to intervene and': 908461, 'intervene and save': 442156, 'save the situation': 737666, 'collector police': 186578, 'video which': 956961, 'is working through': 454049, 'this crisis all': 887016, 'supermarket worker refuse': 824078, 'refuse collector police': 707014, 'collector police and': 186579, 'police and many': 662906, 'many more you': 514328, 'more you are': 541031, 'true hero we': 933103, 'hero we are': 394150, 'on new video': 602386, 'new video which': 559833, 'video which will': 956962, 'be released this': 116764, 'released this week': 709088, 'this week stay': 891270, 'week stay safe': 976918, 'maybe grocery': 521691, 'store rig': 809890, 'rig 19': 721708, 'maybe grocery store': 521692, 'grocery store rig': 365727, 'store rig 19': 809891, 'rig 19 socialdistancing': 721709, '19 socialdistancing mask': 10674, 'online such': 609492, 'close her': 182657, 'her door': 392000, 'she invite': 756139, 'pushing their purchase': 690454, 'their purchase online': 874516, 'purchase online such': 689605, 'online such at': 609493, 'such at green': 816343, 'to close her': 902876, 'close her door': 182658, 'her door yesterday': 392001, 'but she invite': 147026, 'she invite you': 756140, 'you to continue': 1021762, 'them by shopping': 875517, 'clear long': 181279, 'my seasonal': 550005, 'horrible so': 404122, 'sneezing thx': 776331, 'thx to': 895551, 'the moved': 861093, 'moved up': 543842, 'found out how': 330323, 'how to clear': 408993, 'to clear long': 902831, 'clear long line': 181280, 'store my seasonal': 809015, 'my seasonal allergy': 550006, 'allergy are horrible': 45771, 'are horrible so': 87239, 'horrible so wa': 404123, 'so wa coughing': 778639, 'and sneezing thx': 71833, 'sneezing thx to': 776332, 'thx to the': 895552, 'to the moved': 916886, 'the moved up': 861095, 'moved up to': 543844, 'buying 9news': 149848, 'surge amid coronavirus': 828121, 'panic buying 9news': 637627, 'patiently': 644328, 'at sainsbury': 100444, 'sainsbury wa': 731738, 'most british': 542144, 'british thing': 140614, 'seen two': 747339, 'all appropriately': 42033, 'appropriately spaced': 83076, 'spaced apart': 787206, 'apart all': 81222, 'all patiently': 43927, 'patiently waiting': 644329, 'waiting complete': 964304, 'stranger chatting': 812461, 'today at sainsbury': 919283, 'at sainsbury wa': 100447, 'sainsbury wa part': 731739, 'part of one': 642368, 'the most british': 860953, 'most british thing': 542145, 'british thing have': 140615, 'thing have ever': 884402, 'ever seen two': 285494, 'seen two dozen': 747340, 'two dozen of': 936900, 'dozen of queuing': 257894, 'of queuing to': 588696, 'supermarket all appropriately': 818866, 'all appropriately spaced': 42034, 'appropriately spaced apart': 83077, 'spaced apart all': 787207, 'apart all patiently': 81223, 'all patiently waiting': 43928, 'patiently waiting complete': 644330, 'waiting complete stranger': 964305, 'complete stranger chatting': 192156, 'stranger chatting to': 812462, 'chatting to each': 174022, 'other to pas': 621135, 'to pas the': 911488, 'the time socialdistancing': 869620, 'example free': 288893, 'every doctor': 285872, 'office go': 595424, 'get many': 347519, 'many you': 514908, 'on 06': 598977, '06 12': 984, 'for example free': 321278, 'example free covid': 288894, '19 test in': 11075, 'test in every': 839033, 'in every cv': 422674, 'every cv in': 285779, 'cv in every': 223842, 'in every doctor': 422677, 'every doctor office': 285874, 'doctor office go': 251046, 'office go get': 595425, 'go get many': 353611, 'get many you': 347521, 'many you need': 514910, 'need on 06': 555360, 'on 06 12': 598978, 'caution share': 168171, 'share just': 755081, 'got called': 358464, 'his hospital': 397516, 'spreading quickly': 791031, 'cart wear': 165417, 'appropriate measure': 83039, 'measure washyourhands': 525418, 'spirit of caution': 789492, 'of caution share': 581221, 'caution share just': 168172, 'share just spoke': 755082, 'just spoke with': 469852, 'spoke with friend': 789749, 'friend who got': 333898, 'who got called': 988808, 'got called into': 358465, 'called into an': 156354, 'into an emergency': 442392, 'an emergency meeting': 55681, 'emergency meeting at': 272806, 'meeting at his': 527675, 'at his hospital': 98917, 'his hospital he': 397517, 'hospital he said': 404449, 'is spreading quickly': 452197, 'spreading quickly from': 791032, 'quickly from gas': 694531, 'from gas pump': 335601, 'gas pump and': 344072, 'pump and grocery': 689024, 'store shopping cart': 810129, 'shopping cart wear': 762321, 'cart wear glove': 165418, 'glove or take': 352847, 'or take appropriate': 617326, 'take appropriate measure': 831954, 'appropriate measure washyourhands': 83040, 'in yeg': 431033, 'yeg are': 1015179, 'seriously non': 751679, 'forcing worker': 328752, 'each others': 264239, 'others space': 621651, 'space grocery': 787108, 'space refused': 787159, 'refused my': 707061, 'lockdown wish': 500160, 'stop non': 804852, 'people in yeg': 648455, 'in yeg are': 431034, 'yeg are not': 1015180, 'not taking seriously': 571930, 'taking seriously non': 833558, 'seriously non essential': 751680, 'non essential work': 566371, 'essential work is': 281806, 'work is forcing': 1005373, 'is forcing worker': 447906, 'forcing worker into': 328753, 'worker into each': 1007234, 'into each others': 442532, 'each others space': 264241, 'others space grocery': 621652, 'space grocery store': 787109, 'store patron in': 809477, 'patron in each': 644414, 'in each others': 422440, 'others space refused': 621653, 'space refused my': 787160, 'refused my right': 707062, 'my right to': 549951, 'to work today': 918797, 'today and am': 919194, 'and am going': 58015, 'am going into': 50087, 'going into complete': 355232, 'into complete lockdown': 442472, 'complete lockdown wish': 192119, 'lockdown wish would': 500161, 'wish would stop': 996855, 'would stop non': 1012281, 'stop non essential': 804853, 'do senior': 250068, 'hour make': 405758, 'have data': 380181, 'data proving': 226373, 'proving this': 687236, 'preventing spread': 671826, 'if senior': 414769, 'actually better': 30740, 'better spreader': 128481, 'spreader of': 790905, 'coronavirus owing': 206424, 'average weaker': 104909, 'weaker immune': 974109, 'do senior only': 250069, 'store shopping hour': 810136, 'shopping hour make': 762924, 'hour make sense': 405759, 'make sense do': 510437, 'sense do we': 750514, 'we have data': 971791, 'have data proving': 380182, 'data proving this': 226374, 'proving this is': 687237, 'this is effective': 888243, 'is effective at': 447452, 'effective at preventing': 269227, 'at preventing spread': 100191, 'preventing spread of': 671827, 'spread of what': 790721, 'what if senior': 981633, 'if senior are': 414770, 'senior are actually': 750215, 'are actually better': 84212, 'actually better spreader': 30741, 'better spreader of': 128482, 'spreader of coronavirus': 790906, 'of coronavirus owing': 581953, 'coronavirus owing to': 206425, 'owing to on': 631852, 'to on average': 910895, 'on average weaker': 599517, 'average weaker immune': 104910, 'weaker immune system': 974110, 'riaz': 720952, 'hi riaz': 394728, 'riaz checker': 720953, 'checker east': 174796, 'trading again': 928829, 'hi riaz checker': 394729, 'riaz checker east': 720954, 'checker east rand': 174797, 'rand retail is': 696585, 'retail is trading': 718248, 'is trading again': 453324, 'trading again please': 928830, 'again please read': 37113, 'statement here for': 796181, 'here for information': 393004, 'all mortgage': 43521, 'rent consumer': 711064, 'payment be': 645558, 'suspended deferred': 829608, 'economy stimuluspackage': 268232, 'stimuluspackage stimulus': 801647, 'stimulus poll': 801608, 'poll rt': 663855, 'rt lockdown': 726782, 'should all mortgage': 765492, 'all mortgage rent': 43522, 'mortgage rent consumer': 541953, 'rent consumer debt': 711065, 'consumer debt and': 197074, 'debt and tax': 230424, 'and tax payment': 73053, 'tax payment be': 835064, 'payment be suspended': 645559, 'be suspended deferred': 117493, 'suspended deferred for': 829609, 'deferred for april': 232195, 'for april to': 319481, 'april to ease': 83708, 'ease the shock': 265109, 'the shock on': 866965, 'shock on the': 759491, 'the economy 19': 853931, 'economy 19 economy': 267601, '19 economy stimuluspackage': 6714, 'economy stimuluspackage stimulus': 268233, 'stimuluspackage stimulus poll': 801648, 'stimulus poll rt': 801609, 'poll rt lockdown': 663856, 'rt lockdown stayathome': 726783, 'lockdown stayathome stayhome': 499952, 'quarantinecon': 692808, 'nightmarefuel': 563191, 'store outfit': 809408, 'outfit wa': 628954, 'wa black': 961712, 'black void': 132148, 'void post': 960026, 'apocalyptic nightmare': 81600, 'nightmare quaratinelife': 563185, 'quaratinelife quarantinecon': 693142, 'quarantinecon quarantine': 692809, '19 postapocalyptic': 9761, 'postapocalyptic nightmarefuel': 666489, 'grocery store outfit': 365629, 'store outfit wa': 809409, 'outfit wa black': 628955, 'wa black void': 961714, 'black void post': 132149, 'void post apocalyptic': 960027, 'post apocalyptic nightmare': 666000, 'apocalyptic nightmare quaratinelife': 81601, 'nightmare quaratinelife quarantinecon': 563186, 'quaratinelife quarantinecon quarantine': 693143, 'quarantinecon quarantine 19': 692810, 'quarantine 19 postapocalyptic': 691985, '19 postapocalyptic nightmarefuel': 9762, 'of wiping': 593197, 'dorset man accused': 255907, 'accused of wiping': 28959, 'of wiping spit': 593198, 'on supermarket item': 603795, 'supermarket item during': 821192, 'item during crisis': 463225, 'breaking putin': 139038, 'putin ordered': 691038, 'rising tension': 723298, 'tension over': 837991, 'breaking putin ordered': 139039, 'putin ordered to': 691039, 'ordered to revoke': 618924, 'license of pharmacy': 488150, 'of pharmacy that': 588092, 'pharmacy that will': 654501, 'that will raise': 847602, 'price amid rising': 672318, 'amid rising tension': 52631, 'rising tension over': 723299, 'tension over the': 837992, 'aviv': 104977, 'price everywhere': 673722, 'everywhere from': 288209, 'from hong': 335936, 'kong to': 477415, 'to tel': 916330, 'tel aviv': 836626, 'aviv could': 104978, 'see slump': 745695, 'house price everywhere': 406479, 'price everywhere from': 673723, 'everywhere from hong': 288210, 'from hong kong': 335937, 'hong kong to': 403212, 'kong to tel': 477416, 'to tel aviv': 916331, 'tel aviv could': 836627, 'aviv could see': 104979, 'could see slump': 209641, 'also mention': 48532, 'mention why': 528809, 'why utility': 991495, 'utility aren': 951258, 'aren reducing': 92501, 'lowering locked': 506115, 'in interest': 424120, 'let also mention': 486591, 'also mention why': 48533, 'mention why utility': 528810, 'why utility aren': 991496, 'utility aren reducing': 951259, 'aren reducing price': 92502, 'reducing price what': 706317, 'what about lowering': 980980, 'about lowering locked': 25679, 'lowering locked in': 506116, 'locked in interest': 500489, 'in interest rate': 424121, 'ferguson': 303540, 'out ag': 625582, 'ag ferguson': 36792, 'ferguson on': 303541, 'on warning': 605109, 'raising awareness': 696064, 'check out ag': 174532, 'out ag ferguson': 625583, 'ag ferguson on': 36793, 'ferguson on warning': 303542, 'on warning about': 605110, 'scam and also': 739991, 'also raising awareness': 48747, 'important staff': 418965, 'we all how': 970334, 'all how important': 43163, 'how important staff': 408036, 'important staff are': 418966, 'staff are and': 792176, 'are and most': 84548, 'them are probably': 875419, 'are probably only': 89242, 'probably only getting': 679351, 'only getting paid': 610509, 'getting paid the': 349181, 'paid the minimum': 634141, 'minimum wage 19': 533221, 'bank coffee': 109730, 'working they': 1008954, 'they rather': 882980, 'family too': 298335, 'too be': 924603, 'store bank coffee': 806639, 'bank coffee shop': 109731, 'restaurant and etc': 716283, 'and etc please': 62283, 'etc please remember': 282708, 'those working they': 892750, 'working they rather': 1008957, 'they rather be': 882981, 'rather be home': 697438, 'be home with': 115285, 'home with friend': 402523, 'and family too': 62675, 'family too be': 298336, 'too be mindful': 924604, 'quarantinestories': 693063, 'spreadreliefnotcorona': 791109, 'islam': 454259, 'at quarantinestories': 100232, 'quarantinestories spreadreliefnotcorona': 693064, 'spreadreliefnotcorona humanity': 791110, 'humanity islam': 410747, 'islam muslim': 454260, 'muslim homeless': 546425, 'homeless charity': 402738, 'food hunger': 314870, 'hunger poverty': 411170, 'poverty corona': 667491, 'more at quarantinestories': 538668, 'at quarantinestories spreadreliefnotcorona': 100233, 'quarantinestories spreadreliefnotcorona humanity': 693065, 'spreadreliefnotcorona humanity islam': 791111, 'humanity islam muslim': 410748, 'islam muslim homeless': 454261, 'muslim homeless charity': 546426, 'homeless charity volunteer': 402741, 'charity volunteer family': 173712, 'volunteer family struggling': 960258, 'family struggling food': 298262, 'struggling food hunger': 814445, 'food hunger poverty': 314871, 'hunger poverty corona': 411171, 'market wonder': 517390, 'next after': 561279, 'after price': 36068, 'ethanol government': 282978, 'virus lead': 958452, 'low crush': 505223, 'crush margin': 219778, 'flow could': 311227, 'plant closure': 658640, 'closure feature': 183888, 'ethanol market wonder': 282993, 'market wonder what': 517391, 'wonder what next': 1004011, 'what next after': 981927, 'next after price': 561280, 'after price fall': 36070, 'fall and crude': 296829, 'and crude oil': 60769, 'oil price lead': 597179, 'in ethanol government': 422612, 'ethanol government plan': 282979, 'plan to fight': 658290, 'fight virus lead': 304936, 'virus lead to': 958453, 'in demand low': 422137, 'demand low crush': 235824, 'low crush margin': 505224, 'crush margin and': 219779, 'margin and cash': 515606, 'and cash flow': 59604, 'cash flow could': 166227, 'flow could lead': 311228, 'lead to plant': 483378, 'to plant closure': 911777, 'plant closure feature': 658641, 'by handsanitizer': 152756, 'soap health': 779030, 'sanitizer how they': 735098, 'how they work': 408936, 'they work which': 883928, 'work which is': 1006008, 'which is best': 985988, 'is best by': 446138, 'best by handsanitizer': 127616, 'by handsanitizer soap': 152757, 'handsanitizer soap health': 376639, 'soap health science': 779031, 'mussel': 546446, 'shellfish': 757890, 'supermarket someone': 822775, 'someone filling': 784465, 'filling their': 305630, 'the mussel': 861154, 'mussel crab': 546447, 'and lobster': 66285, 'lobster shellfish': 497649, 'shellfish bastard': 757891, 'bastard panicbuying': 112491, 'just seen in': 469741, 'seen in my': 747077, 'local supermarket someone': 498592, 'supermarket someone filling': 822776, 'someone filling their': 784466, 'filling their trolley': 305633, 'trolley with all': 932503, 'all the mussel': 44834, 'the mussel crab': 861155, 'mussel crab and': 546448, 'crab and lobster': 214686, 'and lobster shellfish': 66286, 'lobster shellfish bastard': 497650, 'shellfish bastard panicbuying': 757892, 'bastard panicbuying 19': 112492, 'italy confirmed': 462792, 'their union': 875081, 'is demanding': 447116, 'demanding all': 236567, 'all postal': 43998, 'stop soon': 805040, 'soon god': 785726, 'what keeping': 981784, 'business afloat': 143248, 'afloat god': 34955, 'italy confirmed the': 462793, 'confirmed the death': 194202, 'death of two': 230148, 'of two postal': 592545, 'two postal worker': 937162, 'postal worker of': 666476, 'worker of covid': 1007473, '19 their union': 11268, 'their union is': 875082, 'union is demanding': 941897, 'is demanding all': 447117, 'demanding all postal': 236568, 'all postal service': 43999, 'postal service to': 666452, 'service to stop': 752992, 'to stop soon': 915575, 'stop soon god': 805041, 'soon god help': 785727, 'god help if': 354736, 'help if that': 389886, 'if that happens': 414937, 'that happens here': 844180, 'happens here online': 377468, 'shopping is what': 763087, 'is what keeping': 453883, 'what keeping some': 981785, 'keeping some business': 472560, 'some business afloat': 782444, 'business afloat god': 143249, 'said almost': 730965, 'customer monday': 222603, 'monday wa': 536408, '60 like': 20957, 'like omfg': 490917, 'omfg do': 598887, '19 warm': 11896, 'warm or': 966885, 'or iced': 615704, 'and said almost': 70762, 'said almost every': 730966, 'almost every customer': 46620, 'every customer monday': 285776, 'customer monday wa': 222604, 'monday wa over': 536409, 'wa over 60': 962891, 'over 60 like': 629877, '60 like omfg': 20958, 'like omfg do': 490918, 'omfg do you': 598888, 'you want covid': 1022134, 'covid 19 warm': 214043, '19 warm or': 11897, 'warm or iced': 966886, 'healthcarecentres': 387405, 'wearmask': 974829, 'friend do': 333579, 'or healthcarecentres': 615614, 'healthcarecentres and': 387406, 'maintain minimum': 508991, 'else wearmask': 271970, 'wearmask socialdistancing': 974830, 'hi friend do': 394644, 'friend do not': 333580, 'wear mask whenever': 974413, 'mask whenever you': 519548, 'whenever you visit': 984693, 'visit supermarket pharmacy': 959373, 'pharmacy or healthcarecentres': 654400, 'or healthcarecentres and': 615615, 'healthcarecentres and maintain': 387407, 'and maintain minimum': 66526, 'maintain minimum distance': 508992, 'distance of foot': 246781, 'of foot away': 583847, 'from everyone else': 335335, 'everyone else wearmask': 286887, 'else wearmask socialdistancing': 271971, 'new deadline': 558602, 'deadline to': 229236, 'tax can': 834950, 'can cancel': 157860, 'or reschedule': 616862, 'reschedule reservation': 713577, 'reservation without': 714025, 'without fee': 1002646, 'gym launching': 369327, 'launching relief': 482070, 'pandemic question': 636278, 'have answer': 379290, 'the new deadline': 861492, 'new deadline to': 558603, 'deadline to file': 229237, 'file tax can': 305372, 'tax can cancel': 834951, 'can cancel or': 157861, 'cancel or reschedule': 160873, 'or reschedule reservation': 616863, 'reschedule reservation without': 713578, 'reservation without fee': 714026, 'without fee is': 1002647, 'fee is my': 302190, 'my bank or': 547400, 'bank or gym': 110077, 'or gym launching': 615538, 'gym launching relief': 369328, 'launching relief program': 482071, 'program for the': 683249, '19 pandemic question': 9438, 'pandemic question about': 636279, 'question about and': 693491, 'about and your': 24810, 'we have answer': 971757, 'still produce': 801069, 'produce but': 680218, 'ha brought to': 370039, 'brought to this': 141207, 'world and that': 1009287, 'that it still': 844746, 'it still produce': 461256, 'still produce but': 801070, 'produce but even': 680219, 'type check': 937514, 'out ftc': 626200, 'being potential': 125563, 'of any type': 580273, 'any type check': 79994, 'type check out': 937515, 'check out ftc': 174551, 'out ftc consumer': 626201, 'to report being': 913266, 'report being potential': 711832, 'being potential victim': 125564, 'potential victim of': 667172, '19 info check': 7873, 'info check out': 437439, 'check out grandforksfinest': 174552, 'are cory': 85581, 'cory overall': 207768, 'overall number': 631024, 'world angry': 1009295, 'angry when': 76506, 'hunger daily': 411088, 'these are cory': 879610, 'are cory overall': 85582, 'cory overall number': 207769, 'overall number why': 631025, 'making the world': 511436, 'the world angry': 871812, 'world angry when': 1009296, 'angry when 800': 76507, 'of hunger daily': 584907, 'hunger daily food': 411089, 'worker fast': 1006912, 'worker walmart': 1008117, 'job again those': 465600, 'the dollar store': 853524, 'dollar store worker': 253087, 'store worker fast': 811495, 'worker fast food': 1006913, 'food worker walmart': 317681, 'worker walmart employee': 1008118, 'howtocure': 409547, 'family howtocure': 297902, 'howtocure handsanitizer': 409548, 'handsanitizer co': 376502, 'the store here': 868036, 'store here how': 808147, 'your own share': 1025161, 'own share with': 632205, 'and family howtocure': 62663, 'family howtocure handsanitizer': 297903, 'howtocure handsanitizer co': 409549, 'rnib': 724369, 'visually': 959653, 'from rnib': 337123, 'rnib received': 724370, 'today detail': 919441, 'detail that': 239255, 'that visually': 847258, 'visually impaired': 959654, 'impaired people': 418289, 'email from rnib': 272192, 'from rnib received': 337124, 'rnib received today': 724371, 'received today detail': 703700, 'today detail that': 919442, 'detail that visually': 239256, 'that visually impaired': 847259, 'visually impaired people': 959655, 'impaired people are': 418290, 'supermarket with covid': 823916, 'islington': 454401, 'sad ve': 729278, 'non fresh': 566396, 'empty charity': 274838, 'ever islington': 285375, 'islington food': 454402, 'bank set': 110179, 'to dwindling': 904816, 'dwindling donation': 263683, 'very sad ve': 955495, 'sad ve been': 729279, 'the supermarket time': 868861, 'supermarket time over': 823348, 'time over the': 897441, 'bank but non': 109693, 'but non fresh': 146513, 'non fresh food': 566397, 'fresh food shelf': 332976, 'food shelf were': 316457, 'were empty charity': 979565, 'empty charity are': 274839, 'charity are needed': 173567, 'needed now more': 556449, 'than ever islington': 840588, 'ever islington food': 285376, 'islington food bank': 454403, 'food bank set': 313637, 'bank set to': 110181, 'set to close': 753508, 'due to dwindling': 261769, 'to dwindling donation': 904817, 'everyone suddenly': 287433, 'suddenly grateful': 817102, 'for teacher': 326157, 'teacher garbage': 835468, 'carrier they': 165027, 'together folk': 920785, 'everyone suddenly grateful': 287434, 'suddenly grateful for': 817103, 'grateful for teacher': 362272, 'for teacher garbage': 326158, 'teacher garbage collector': 835469, 'employee and mail': 273567, 'and mail carrier': 66513, 'mail carrier they': 508584, 'carrier they re': 165028, 're holding the': 698821, 'holding the structure': 400174, 'structure of our': 814310, 'society together folk': 781339, 'minim': 533045, 'france all': 330970, 'super organised': 818552, 'organised re': 619316, 'distancing friend': 247159, 'friend report': 333773, 'report few': 711932, 'few gap': 303841, 'no 1st': 563561, '1st hand': 12750, 'hand info': 375045, 'info we': 437610, 'shopped for': 761300, 'week instruction': 976398, 'instruction here': 440556, 'not advice': 568063, 'take minim': 832325, 'here in france': 393148, 'in france all': 423071, 'france all is': 330971, 'all is super': 43254, 'is super organised': 452450, 'super organised re': 818553, 'organised re social': 619317, 'social distancing friend': 779615, 'distancing friend report': 247160, 'friend report few': 333774, 'report few gap': 711933, 'few gap on': 303842, 'gap on supermarket': 343458, 'shelf no 1st': 757335, 'no 1st hand': 563562, '1st hand info': 12751, 'hand info we': 375046, 'info we haven': 437612, 'we haven shopped': 971996, 'haven shopped for': 383899, 'shopped for week': 761301, 'for week instruction': 327720, 'week instruction here': 976399, 'instruction here not': 440557, 'here not advice': 393391, 'not advice is': 568064, 'advice is for': 33416, 'everyone to take': 287507, 'to take minim': 916201, 'target latest': 834477, 'latest safety': 481544, 'are designed': 85790, 'distancing target': 247522, 'target safe': 834504, 'socialdistancing shop': 780679, 'people shopper': 649428, 'shopper protection': 761649, 'protection store': 685623, 'guest guest': 368158, 'guest sick': 368177, 'sick washyourhands': 768667, 'washyourhands healthy': 967877, 'target latest safety': 834478, 'latest safety measure': 481545, 'measure are designed': 525115, 'are designed to': 85791, 'designed to promote': 238361, 'social distancing target': 779734, 'distancing target safe': 247523, 'target safe safetyfirst': 834505, 'safe safetyfirst socialdistancing': 729914, 'safetyfirst socialdistancing shop': 730809, 'socialdistancing shop shopping': 780680, 'shop shopping retail': 760778, 'retail store people': 718681, 'store people shopper': 809495, 'people shopper protection': 649429, 'shopper protection store': 761650, 'protection store guest': 685624, 'store guest guest': 807986, 'guest guest sick': 368159, 'guest sick washyourhands': 368178, 'sick washyourhands healthy': 768668, 'throwbackthursday': 895074, 'stackedshelves': 791998, 'tbt to': 835269, 'those simpler': 892474, 'life throwbackthursday': 489125, 'throwbackthursday toiletpaper': 895079, 'toiletroll supermarket': 923384, 'supermarket stackedshelves': 822803, 'tbt to those': 835270, 'to those simpler': 917523, 'those simpler term': 892475, 'simpler term in': 770151, 'term in life': 838183, 'in life throwbackthursday': 424711, 'life throwbackthursday toiletpaper': 489126, 'throwbackthursday toiletpaper toiletroll': 895080, 'toiletpaper toiletroll supermarket': 922735, 'toiletroll supermarket stackedshelves': 923385, 'moody expects': 538304, 'expects the': 291113, 'quarter by': 693235, 'average between': 104811, '16 due': 4104, 'the scaling': 866407, 'scaling back': 739937, 'to pullback': 912500, 'moody expects the': 538305, 'expects the unemployment': 291116, 'rate to increase': 697393, 'second quarter by': 743798, 'quarter by an': 693236, 'an average between': 55495, 'average between and': 104812, 'between and 16': 128713, 'and 16 due': 57379, '16 due to': 4105, 'to the scaling': 917038, 'the scaling back': 866408, 'scaling back of': 739939, 'back of work': 107178, 'work and business': 1004763, 'and business closure': 59273, 'closure in response': 183911, 'response to pullback': 715879, 'to pullback in': 912501, 'consumer demand from': 197136, 'faffing': 296070, 'nearest mini': 553717, 'mini or': 533012, 'or main': 616032, 'each uk': 264314, 'are faffing': 86443, 'faffing around': 296071, 'these front': 880033, '19 why can': 12066, 'why can the': 990861, 'can the nearest': 159957, 'the nearest mini': 861362, 'nearest mini or': 553718, 'mini or main': 533013, 'or main supermarket': 616033, 'main supermarket next': 508836, 'to each uk': 904830, 'each uk hospital': 264315, 'policed for the': 663275, 'for the hospital': 326482, 'we are faffing': 970557, 'are faffing around': 86444, 'faffing around with': 296072, 'around with solution': 93643, 'for these front': 326966, 'these front line': 880034, 'front line life': 338587, 'line life saver': 493233, 'away respect': 106018, 'supermarkt now': 824271, 'now applies': 574086, 'applies restriction': 82529, 'restriction like': 717317, 'limit entry': 492337, 'entry in': 279000, 'do not rush': 249834, 'not rush is': 571413, 'some people ask': 783506, 'people ask you': 647160, 'stay away respect': 796785, 'away respect them': 106019, 'respect them and': 715069, 'them and slow': 875398, 'down supermarkt now': 257237, 'supermarkt now applies': 824272, 'now applies restriction': 574087, 'applies restriction like': 82530, 'restriction like in': 717318, 'and limit entry': 66171, 'limit entry in': 492338, 'entry in italy': 279001, 'in italy it': 424308, 'real thing': 701393, 'ur all': 947977, 'all total': 45272, 'total asshole': 926127, 'asshole can': 96513, 'even wipe': 284799, 'wipe my': 996319, 'as now': 94782, 'milk there': 531851, 'left amazon': 485373, 'stock thanks': 802917, 'greedy po': 363575, 'po leaving': 662131, 'ur fellow': 947998, 'only real thing': 611049, 'real thing ve': 701395, 'learned from this': 484117, 'is that ur': 452702, 'that ur all': 847197, 'ur all total': 947978, 'all total asshole': 45273, 'total asshole can': 926128, 'asshole can even': 96514, 'can even wipe': 158260, 'even wipe my': 284800, 'wipe my as': 996320, 'my as now': 547329, 'as now or': 94783, 'now or buy': 575469, 'or buy milk': 614617, 'buy milk there': 148959, 'milk there is': 531852, 'food left amazon': 315289, 'left amazon ha': 485374, 'amazon ha nothing': 50970, 'in stock thanks': 428333, 'stock thanks for': 802918, 'for being greedy': 319627, 'being greedy po': 125201, 'greedy po leaving': 363576, 'po leaving nothing': 662132, 'nothing for ur': 573017, 'for ur fellow': 327483, 'ur fellow man': 947999, 'fellow man hate': 303305, 'man hate all': 512090, 'kingdom is': 475334, 'the stubborn': 868311, 'stubborn child': 814563, 'eu still': 283273, 'still includes': 800748, 'includes in': 431762, 'ventilator supply': 954610, 'system am': 831087, 'am convinced': 49984, 'we depend': 971273, 'eu for': 283230, 'maintain strong': 509046, 'strong tie': 814139, 'our close': 622410, 'close neighbor': 182731, 'united kingdom is': 942185, 'kingdom is the': 475335, 'is the stubborn': 452951, 'the stubborn child': 868312, 'stubborn child of': 814564, 'child of europe': 176157, 'of europe and': 583216, 'europe and yet': 283403, 'and yet the': 75994, 'yet the eu': 1016252, 'the eu still': 854564, 'eu still includes': 283274, 'still includes in': 800749, 'includes in the': 431763, 'in the ventilator': 429645, 'the ventilator supply': 870688, 'ventilator supply system': 954611, 'supply system am': 825938, 'system am convinced': 831088, 'am convinced that': 49985, 'convinced that the': 202672, 'current panic is': 221300, 'panic is because': 638214, 'is because we': 446024, 'because we know': 119809, 'much we depend': 545437, 'we depend on': 971274, 'the eu for': 854558, 'eu for our': 283231, 'our food covid': 623104, '19 show how': 10510, 'much we need': 545442, 'need to maintain': 555989, 'to maintain strong': 909597, 'maintain strong tie': 509047, 'strong tie with': 814140, 'tie with our': 895754, 'with our close': 999981, 'our close neighbor': 622411, 'tysonfoods': 937705, 'agriculture community': 38946, 'wouldn surprise': 1012504, 'if large': 414371, 'even tripled': 284740, 'tripled within': 932294, 'year mondaymood': 1014753, 'mondaymood tysonfoods': 536439, 'tysonfoods smithfield': 937706, 'smithfield cargill': 775817, 'cargill agriculture': 164644, 'farmer 19': 299234, 'of the agriculture': 590784, 'the agriculture community': 848462, 'agriculture community and': 38947, 'community and supply': 189726, 'chain it wouldn': 170868, 'it wouldn surprise': 462614, 'wouldn surprise me': 1012505, 'surprise me at': 828536, 'me at all': 522466, 'all if large': 43179, 'if large amount': 414372, 'amount of our': 53242, 'food price doubled': 315933, 'price doubled or': 673506, 'doubled or even': 256128, 'or even tripled': 615217, 'even tripled within': 284741, 'tripled within the': 932295, 'within the next': 1002436, 'next year mondaymood': 561734, 'year mondaymood tysonfoods': 1014754, 'mondaymood tysonfoods smithfield': 536440, 'tysonfoods smithfield cargill': 937707, 'smithfield cargill agriculture': 775818, 'cargill agriculture farmer': 164645, 'agriculture farmer 19': 38969, 'company ceo': 190542, 'just celebrated': 468453, 'celebrated massive': 168814, 'massive tax': 520138, 'cut smartnews': 223538, 'trump is meeting': 933650, 'is meeting with': 449623, 'meeting with oil': 527797, 'with oil company': 999860, 'oil company ceo': 596687, 'company ceo to': 190543, 'ceo to raise': 169862, 'gas price he': 343978, 'price he just': 674481, 'he just celebrated': 385164, 'just celebrated massive': 468454, 'celebrated massive tax': 168815, 'massive tax cut': 520139, 'tax cut smartnews': 834957, 'canada since': 160557, 'friday temporarily': 333288, 'canada restaurant': 160545, 'bar have': 110718, 'distancing movement': 247343, 'of store location': 590256, 'store location have': 808798, 'location have closed': 498911, 'have closed in': 379998, 'closed in canada': 183172, 'in canada since': 421199, 'canada since friday': 160558, 'since friday temporarily': 770611, 'friday temporarily for': 333289, 'temporarily for two': 837498, 'two week or': 937347, 'more in some': 539525, 'part of canada': 642335, 'of canada restaurant': 581088, 'canada restaurant and': 160546, 'and bar have': 58697, 'bar have been': 110719, 'ordered to close': 618920, 'close amid social': 182520, 'social distancing movement': 779667, 're watching': 699784, 'press based': 671010, 'evil price': 288454, 'tripled since': 932288, 'crisis worsened': 218445, 'worsened to': 1011085, 'that mess': 845149, 'mess no': 529233, 'dead why': 229187, 're watching the': 699786, 'watching the press': 968803, 'the press based': 864282, 'press based on': 671011, 'based on is': 111684, 'on is evil': 601631, 'is evil price': 447609, 'evil price have': 288455, 'price have tripled': 674468, 'have tripled since': 383410, 'tripled since the': 932289, 'the crisis worsened': 852485, 'crisis worsened to': 218446, 'worsened to me': 1011086, 'me that mess': 523619, 'that mess no': 845150, 'mess no one': 529234, 'should make profit': 766210, 'make profit off': 510365, 'off the sick': 594269, 'sick and dead': 768362, 'and dead why': 60970, 'dead why we': 229188, 'partner with amp': 642902, 'what italy': 981764, 'italy property': 462895, 'tell about': 836895, 'what italy property': 981765, 'italy property market': 462896, 'property market can': 684301, 'market can tell': 516145, 'can tell about': 159919, 'tell about the': 836897, 'future of uk': 342403, 'of uk house': 592571, 'price property 19': 676014, 'why wait': 991508, 'monday increase': 536305, 'increase rhe': 433045, 'rhe risk': 720881, 'why wait till': 991509, 'wait till monday': 964215, 'till monday increase': 896062, 'monday increase rhe': 536306, 'increase rhe risk': 433046, 'rhe risk of': 720882, 'risk of more': 723764, 'more people going': 540023, 'people going in': 648095, 'going in and': 355213, 'in and spreading': 420387, 'virus for another': 958200, 'for another day': 319368, 'whatever stomach': 982796, 'stomach issue': 804322, 'issue or': 455878, 'post food': 666128, 'poisoning nonsense': 662806, 'nonsense ha': 566726, 'too exhausted': 924720, 'exhausted to': 290183, 'into hypochondriac': 442661, 'hypochondriac panic': 412394, 'whatever stomach issue': 982798, 'stomach issue or': 804323, 'issue or post': 455879, 'or post food': 616648, 'post food poisoning': 666129, 'food poisoning nonsense': 315879, 'poisoning nonsense ha': 662807, 'nonsense ha taken': 566727, 'taken over me': 833046, 'over me is': 630388, 'me is making': 522999, 'making me too': 511204, 'me too exhausted': 523823, 'too exhausted to': 924721, 'exhausted to go': 290184, 'go into hypochondriac': 353753, 'into hypochondriac panic': 442662, 'hypochondriac panic about': 412395, 'know if that': 476484, 'if that good': 414936, 'good thing or': 357849, 'thing or not': 884656, 'still king': 800773, 'king queen': 475293, 'queen even': 693372, 'even moreso': 284393, 'moreso at': 541075, 'not knocking': 570285, 'knocking our': 476187, 'vendor but': 954353, 'current circumstance': 221124, 'circumstance market': 178730, 'done the consumer': 255040, 'consumer is still': 197941, 'is still king': 452291, 'still king queen': 800774, 'king queen even': 475294, 'queen even moreso': 693373, 'even moreso at': 284394, 'moreso at this': 541076, 'this time not': 890669, 'time not knocking': 897292, 'not knocking our': 570286, 'knocking our farmer': 476188, 'our farmer and': 623020, 'farmer and vendor': 299266, 'and vendor but': 74910, 'vendor but given': 954354, 'the current circumstance': 852617, 'current circumstance market': 221125, 'circumstance market price': 178731, 'market price should': 516900, 'should be driven': 765612, 'be driven by': 114607, 'driven by supply': 259287, 'by supply and': 154172, 'and demand no': 61163, 'demand no one': 235920, 'one should seek': 607031, 'breakingnews health': 139094, 'safety should': 730729, 'ever take': 285530, 'take day': 832049, 'during victoria': 263383, 'victoria supermarket': 956549, 'supermarket 1400': 818729, '1400 victoria': 3562, 'victoria park': 956540, 'park toronto': 642013, 'breakingnews health and': 139095, 'and safety should': 70758, 'safety should never': 730730, 'should never ever': 766228, 'never ever take': 557978, 'ever take day': 285531, 'take day off': 832050, 'day off during': 228124, 'off during victoria': 593791, 'during victoria supermarket': 263384, 'victoria supermarket 1400': 956550, 'supermarket 1400 victoria': 818730, '1400 victoria park': 3563, 'victoria park toronto': 956542, 'kibosh': 473773, 'format': 329591, 'pandemic proof': 636247, 'proof store': 684009, 'store design': 807301, 'our learning': 623701, 'pandemic influence': 635731, 'influence accelerate': 437293, 'accelerate or': 27852, 'the kibosh': 858774, 'kibosh on': 473774, 'certain retail': 170091, 'restaurant feature': 716460, 'feature and': 301535, 'and format': 63210, 'pandemic proof store': 636249, 'proof store design': 684010, 'store design how': 807302, 'design how will': 238236, 'will our learning': 994358, 'our learning from': 623702, 'learning from the': 484210, '19 pandemic influence': 9366, 'pandemic influence accelerate': 635732, 'influence accelerate or': 437294, 'accelerate or put': 27853, 'put the kibosh': 690860, 'the kibosh on': 858775, 'kibosh on certain': 473775, 'on certain retail': 599864, 'certain retail and': 170092, 'retail and restaurant': 717835, 'and restaurant feature': 70377, 'restaurant feature and': 716461, 'feature and format': 301536, 'bewildering': 129118, 'limiting milk': 492829, 'milk purchase': 531795, 'higher feed': 395592, 'feed price': 302361, 'price farmer': 673824, 'of bewildering': 580686, 'bewildering you': 129119, 'different opinion': 242008, 'what thing': 982424, 'were two': 980300, 'it is limiting': 459001, 'is limiting milk': 449370, 'limiting milk purchase': 492830, 'milk purchase or': 531797, 'purchase or higher': 689611, 'or higher feed': 615637, 'higher feed price': 395593, 'feed price farmer': 302362, 'price farmer are': 673825, 'pandemic it kind': 635826, 'kind of bewildering': 474875, 'of bewildering you': 580687, 'bewildering you know': 129120, 'you know people': 1019521, 'know people that': 476680, 'people that talk': 649778, 'that talk to': 846622, 'talk to now': 833884, 'to now have': 910744, 'now have completely': 574870, 'have completely different': 380059, 'completely different opinion': 192258, 'different opinion on': 242009, 'on what thing': 605246, 'what thing were': 982425, 'thing were two': 884978, 'were two week': 980301, 'roundtable mckinsey': 726398, 'virtual roundtable mckinsey': 957785, 'commodaties': 189099, 'your initiative': 1024492, 'appreciated pls': 82834, 'pls ensure': 661131, 'that daily': 843429, 'daily commodaties': 224552, 'commodaties and': 189100, 'local dealer': 497880, 'your initiative in': 1024493, 'initiative in combating': 438633, 'is very much': 453683, 'very much appreciated': 955357, 'much appreciated pls': 544724, 'appreciated pls ensure': 82835, 'pls ensure that': 661132, 'ensure that daily': 278055, 'that daily commodaties': 843430, 'daily commodaties and': 224553, 'commodaties and essential': 189101, 'essential item price': 281225, 'item price are': 463582, 'not hiked by': 569971, 'hiked by the': 396307, 'by the local': 154366, 'the local dealer': 859542, 'local dealer and': 497881, 'dealer and supplier': 229596, 'car wreck': 163360, 'wreck going': 1012706, 'store coronavirus': 807188, 'surpasses 00': 828460, 'are still time': 90490, 'still time more': 801314, 'in car wreck': 421239, 'car wreck going': 163361, 'wreck going to': 1012707, 'grocery store coronavirus': 365306, 'store coronavirus death': 807189, 'toll surpasses 00': 923886, 'distancing kid': 247274, 'kid haven': 473984, 'house left': 406394, 'left once': 485594, 'fine doing': 307630, 'doing college': 252332, 'college playing': 186638, 'game board': 343136, 'game just': 343197, 'just hanging': 468922, 'social distancing kid': 779645, 'distancing kid haven': 247275, 'kid haven left': 473985, 'the house left': 857618, 'house left once': 406395, 'left once to': 485595, 'once to go': 605766, 'are doing fine': 85899, 'doing fine doing': 252404, 'fine doing college': 307631, 'doing college playing': 252333, 'college playing video': 186639, 'video game board': 956752, 'game board game': 343137, 'board game just': 133635, 'game just hanging': 343198, 'respectsupermarketstaff': 715179, 'start respecting': 794465, 'staff respectsupermarketstaff': 792797, 'respectsupermarketstaff panickbuying': 715180, 'panickbuying bulkbuying': 639199, 'bulkbuying coronacrisis': 142390, 'we start respecting': 973376, 'start respecting supermarket': 794466, 'respecting supermarket staff': 715146, 'supermarket staff respectsupermarketstaff': 822883, 'staff respectsupermarketstaff panickbuying': 792798, 'respectsupermarketstaff panickbuying bulkbuying': 715181, 'panickbuying bulkbuying coronacrisis': 639200, 'retail world': 718911, 'world bdo': 1009349, '19 retail world': 10210, 'retail world bdo': 718912, 'world bdo canada': 1009350, 'see global': 745153, 'market mess': 516717, 'mess while': 529243, 'india over': 434563, 'over how': 630302, 'indeed have': 433990, 'latest news see': 481459, 'news see global': 560777, 'see global farmed': 745154, 'salmon market mess': 732767, 'market mess while': 516718, 'mess while there': 529244, 'while there some': 987431, 'there some concern': 879071, 'some concern in': 782583, 'concern in india': 192999, 'in india over': 424048, 'india over how': 434564, 'over how low': 630303, 'and indeed have': 65140, 'indeed have fallen': 433991, 'walmart alleging': 965272, 'alleging chicago': 45728, 'notify worker': 573565, 'suing walmart alleging': 817741, 'walmart alleging chicago': 965273, 'alleging chicago area': 45729, 'to notify worker': 910732, 'notify worker after': 573566, 'worker after several': 1006210, 'place specific': 657692, 'empty shelf amp': 275045, 'shelf amp ensuring': 756711, 'amp ensuring essential': 53737, 'ensuring essential good': 278173, 'essential good are': 281085, 'good are available': 356768, 'senior by putting': 750235, 'by putting in': 153701, 'putting in place': 691144, 'in place specific': 426764, 'place specific hour': 657693, 'specific hour to': 788219, '20 can': 12989, 'damn afraid': 225313, 'touch them': 926555, 'safe what': 730131, 'madness glad': 508177, 'glad took': 351533, 'advice seriously': 33491, 'seriously from': 751614, 'roommate to': 726004, 'it scare': 460902, 'have 20 can': 379081, '20 can but': 12990, 'can but damn': 157806, 'but damn afraid': 145500, 'damn afraid to': 225314, 'afraid to touch': 35030, 'to touch them': 917654, 'touch them feel': 926556, 'them feel like': 875685, 'feel like have': 302719, 'them safe to': 876239, 'safe to feel': 730050, 'feel safe what': 302831, 'safe what is': 730132, 'is this madness': 453104, 'this madness glad': 888738, 'madness glad took': 508178, 'glad took the': 351534, 'took the advice': 925339, 'the advice seriously': 848386, 'advice seriously from': 33494, 'seriously from my': 751615, 'from my roommate': 336525, 'my roommate to': 549971, 'roommate to buy': 726005, 'buy more this': 148975, 'more this month': 540739, 'this month do': 888904, 'panic but it': 637447, 'but it scare': 146162, 'it scare me': 460903, 'scare me in': 740891, 'me in any': 522954, 'underestimating': 940433, 'gaza supermarket': 344757, 'no spike': 565565, 'panic yet': 638812, 'yet people': 1016195, 'out perhaps': 627032, 'perhaps most': 651617, 'most aren': 542116, 'taking full': 833370, 'full preventive': 340825, 'measure underestimating': 525414, 'underestimating not': 940434, 'awareness or': 105722, 'gaza supermarket are': 344758, 'still no spike': 800877, 'no spike in': 565566, 'spike in any': 789289, 'in any price': 420433, 'any price no': 79683, 'price no panic': 675348, 'no panic yet': 565048, 'panic yet people': 638813, 'yet people are': 1016196, 'going out perhaps': 355387, 'out perhaps most': 627033, 'perhaps most aren': 651618, 'most aren taking': 542117, 'aren taking full': 92544, 'taking full preventive': 833371, 'full preventive measure': 340826, 'preventive measure underestimating': 671926, 'measure underestimating not': 525415, 'underestimating not sure': 940435, 'sure if it': 827584, 'if it due': 414299, 'of awareness or': 580484, 'awareness or having': 105723, 'or having no': 615596, 'having no fear': 384189, 'covent': 212168, 'feedinglondon': 302502, 'asfreshasitgets': 95018, 'fresdelivery': 332898, 'freshproduce': 333144, 'message well': 529479, 'at new': 99873, 'new covent': 558561, 'covent garden': 212169, 'garden market': 343613, 'market located': 516690, 'london we': 501225, 'covered feedinglondon': 212412, 'feedinglondon asfreshasitgets': 302503, 'asfreshasitgets fresdelivery': 95019, 'fresdelivery freshproduce': 332899, 'freshproduce love': 333145, 'love share': 504774, 'share feeding': 754999, 'feeding food': 302459, 'this message well': 888845, 'message well stocked': 529480, 'stocked here at': 803338, 'here at new': 392787, 'at new covent': 99874, 'new covent garden': 558562, 'covent garden market': 212170, 'garden market located': 343614, 'market located at': 516691, 'located at the': 498805, 'at the heart': 100974, 'heart of london': 388317, 'of london london': 585989, 'london london we': 501126, 'london we got': 501226, 'you covered feedinglondon': 1018115, 'covered feedinglondon asfreshasitgets': 212413, 'feedinglondon asfreshasitgets fresdelivery': 302504, 'asfreshasitgets fresdelivery freshproduce': 95020, 'fresdelivery freshproduce love': 332900, 'freshproduce love share': 333146, 'love share feeding': 504775, 'share feeding food': 755000, 'feeding food stockup': 302460, 'neutralizes': 557821, 'thicker': 883994, 'promoitems': 683764, 'chicagomade': 175710, 'oz 80': 632718, 'content kill': 200817, 'kill neutralizes': 474458, 'neutralizes covid': 557822, '19 compared': 5908, 'other thicker': 621097, 'thicker gel': 883995, 'type sanitizers': 937606, 'sanitizers sold': 736403, 'sold grab': 781673, 'business now': 144111, 'now sale': 575721, 'sale net': 732362, 'net handsanitizer': 557548, 'handsanitizer promoitems': 376611, 'promoitems chicagomade': 683765, 'oz 80 alcohol': 632719, '80 alcohol hand': 22546, 'sanitizer the high': 735871, 'the high alcohol': 857315, 'high alcohol content': 394911, 'alcohol content kill': 40971, 'content kill neutralizes': 200818, 'kill neutralizes covid': 474459, 'neutralizes covid 19': 557823, 'covid 19 compared': 212833, '19 compared to': 5909, 'the other thicker': 862558, 'other thicker gel': 621098, 'thicker gel type': 883996, 'gel type sanitizers': 345165, 'type sanitizers sold': 937607, 'sanitizers sold grab': 736404, 'sold grab some': 781674, 'grab some for': 361532, 'your business now': 1023070, 'business now sale': 144113, 'now sale net': 575722, 'sale net handsanitizer': 732363, 'net handsanitizer promoitems': 557549, 'handsanitizer promoitems chicagomade': 376612, 'likely another': 491944, 'back is likely': 107120, 'is likely another': 449342, 'likely another reason': 491945, 'fdd': 300962, 'revision of': 720660, 'crop budget': 218904, 'induced lower': 435473, 'lower corn': 505820, 'corn and': 203555, 'price fdd': 673833, 'revision of 2020': 720661, 'of 2020 crop': 579491, '2020 crop budget': 14264, 'crop budget with': 218906, 'budget with covid': 141835, '19 induced lower': 7831, 'induced lower corn': 435474, 'lower corn and': 505821, 'corn and soybean': 203557, 'and soybean price': 72036, 'soybean price fdd': 786991, 'are tracking': 91175, 'altering it': 49173, 'it see': 460927, 'what threshold': 982442, 'threshold each': 894139, 'at are tracking': 98042, 'are tracking consumer': 91176, 'tracking consumer behavior': 928325, '19 is altering': 7934, 'is altering it': 445588, 'altering it see': 49174, 'it see what': 460928, 'see what threshold': 746048, 'what threshold each': 982443, 'threshold each country': 894140, 'each country is': 264023, 'is in and': 448751, 'in and more': 420376, 'and more information': 67182, 'get production': 347853, 'sanitizer up': 735988, 'the amazing and': 848609, 'amazing and have': 50642, 'and have managed': 64258, 'to get production': 906567, 'get production of': 347854, 'hand sanitizer up': 375636, 'sanitizer up and': 735989, 'running but they': 727939, 'need help please': 554989, 'help please click': 390322, 'please click below': 659789, 'below for detail': 126644, 'elderlyhour': 270963, 'sainsbury ha': 731672, 'any single': 79816, 'idea by': 413025, 'by sainsbury': 153856, 'sainsbury sainsburys': 731713, 'sainsburys shopping': 731786, 'food elderlyhour': 314343, 'elderlyhour politics': 270964, 'politics uk': 663808, 'sainsbury ha said': 731673, 'it will prioritise': 462421, 'will prioritise vulnerable': 994456, 'prioritise vulnerable and': 678402, 'vulnerable and elderly': 960857, 'elderly people for': 270822, 'people for online': 647955, 'online delivery and': 608079, 'delivery and limit': 233666, 'and limit people': 66174, 'people to only': 649924, 'to only buying': 910967, 'only buying three': 610208, 'buying three of': 151227, 'of any single': 580271, 'any single item': 79817, 'single item is': 771316, 'good idea by': 357208, 'idea by sainsbury': 413026, 'by sainsbury sainsburys': 153857, 'sainsbury sainsburys shopping': 731714, 'sainsburys shopping food': 731787, 'shopping food elderlyhour': 762652, 'food elderlyhour politics': 314344, 'elderlyhour politics uk': 270965, 'police song': 663206, 'song don': 785487, 'stand don': 793513, 'what everybody': 981423, 'everybody should': 286484, 'be singing': 117199, 'the police song': 863929, 'police song don': 663207, 'song don stand': 785488, 'don stand don': 253929, 'stand don stand': 793514, 'is what everybody': 453871, 'what everybody should': 981424, 'everybody should be': 286485, 'should be singing': 765729, 'be singing and': 117200, 'singing and playing': 771210, 'and playing in': 69097, 'playing in every': 659414, 'brilliant people': 139876, 'be recognised': 116728, 'recognised such': 704605, 'the brilliant people': 850005, 'brilliant people working': 139877, 'working in our': 1008726, 'supermarket and store': 819072, 'store are frontline': 806479, 'are frontline worker': 86702, 'worker and need': 1006313, 'to be recognised': 901489, 'be recognised such': 116729, 'don name': 253748, 'name the': 551687, 'baby after': 106559, 'after scott': 36152, 'scott angel': 742438, 'angel charmin': 76301, 'charmin kirkland': 173798, 'kirkland etc': 475426, 'please don name': 659920, 'don name the': 253749, 'name the baby': 551688, 'the baby after': 849131, 'baby after scott': 106560, 'after scott angel': 36153, 'scott angel charmin': 742439, 'angel charmin kirkland': 76302, 'charmin kirkland etc': 173799, 'ha lived': 371167, 'lived with': 496182, 'with since': 1000744, 'people country': 647567, 'country react': 210981, 'react differently': 700128, 'to enough': 905134, 'enough normal': 277529, 'korea ha lived': 477479, 'ha lived with': 371168, 'lived with since': 496183, 'with since january': 1000745, 'the is there': 858539, 'on why people': 605315, 'why people country': 991283, 'people country react': 647568, 'country react differently': 210982, 'react differently to': 700129, 'lead to enough': 483342, 'to enough normal': 905135, 'enough normal food': 277530, 'swanning': 829972, 'tourist in': 927032, 'woman saying': 1003597, 'partner cam': 642791, 'cam we': 156928, 'we fit': 971572, 'fit all': 309461, 'the caravan': 850397, 'caravan later': 163377, 'later swanning': 481126, 'swanning up': 829973, 'aisle no': 40315, 'law wale': 482439, 'wale is': 964697, 'endangering local': 276099, 'resident stayhomesavelives': 714369, 'tourist in our': 927033, 'supermarket woman saying': 823962, 'woman saying to': 1003598, 'saying to partner': 739742, 'to partner cam': 911479, 'partner cam we': 642792, 'cam we fit': 156929, 'we fit all': 971573, 'fit all this': 309463, 'all this into': 45113, 'into the caravan': 443101, 'the caravan later': 850398, 'caravan later swanning': 163378, 'later swanning up': 481127, 'swanning up and': 829974, 'and down aisle': 61695, 'down aisle no': 256457, 'aisle no respect': 40316, 'respect for social': 714999, 'distancing or the': 247382, 'or the law': 617381, 'the law wale': 859197, 'law wale is': 482440, 'wale is closed': 964698, 'closed you are': 183457, 'you are endangering': 1017115, 'are endangering local': 86200, 'endangering local resident': 276100, 'local resident stayhomesavelives': 498332, 'awoke': 106288, 'connects': 194736, 'centredness': 169575, 'awoke at': 106289, 'morning been': 541190, 'been lying': 121504, 'lying there': 507083, 'that connects': 843288, 'connects to': 194737, 'self centredness': 747568, 'centredness wilful': 169576, 'wilful myopia': 992161, 'awoke at 30': 106290, 'this morning been': 888943, 'morning been lying': 541191, 'been lying there': 121505, 'lying there thinking': 507084, 'responsibility how that': 715955, 'how that connects': 408790, 'that connects to': 843289, 'connects to our': 194738, 'greed self centredness': 363430, 'self centredness wilful': 747569, 'centredness wilful myopia': 169577, 'wilful myopia consumer': 992162, 'nationalism': 552663, 'patriot': 644364, 'together fighting': 920782, 'society stripped': 781314, 'it nationalism': 459735, 'nationalism and': 552664, 'and patriot': 68778, 'patriot pride': 644367, 'pride is': 678020, 'that breed': 843033, 'breed every': 139264, 'for himself': 322291, 'himself look': 396812, 'neighbor left': 557049, 'left long': 485542, 'this together fighting': 890763, 'together fighting the': 920783, 'fighting the we': 305135, 'the we wouldn': 871225, 'wouldn have run': 1012477, 'sanitizer our society': 735509, 'our society stripped': 624832, 'society stripped of': 781315, 'stripped of it': 813868, 'of it nationalism': 585420, 'it nationalism and': 459736, 'nationalism and patriot': 552665, 'and patriot pride': 68779, 'patriot pride is': 644368, 'pride is one': 678021, 'is one that': 450511, 'one that breed': 607173, 'that breed every': 843034, 'breed every man': 139265, 'every man for': 285991, 'man for himself': 512067, 'for himself look': 322292, 'himself look out': 396813, 'out for your': 626176, 'your neighbor left': 1024957, 'neighbor left long': 557050, 'left long time': 485543, 'long time ago': 501763, '1st of': 12770, 'to disgraceful': 904392, 'chain are heading': 170501, 'are heading for': 87051, 'heading for record': 385934, 'the 1st of': 847972, '1st of 2020': 12771, 'thanks to disgraceful': 842217, 'ayn': 106349, 'objectivism': 578440, 'galt': 343081, 'gulch': 368624, 'bury ayn': 142974, 'ayn rand': 106350, 'rand objectivism': 696579, 'objectivism deep': 578441, 'deep it': 231906, 'added by': 31551, 'by whomever': 154746, 'whomever wa': 990579, 'wa holed': 962326, 'in galt': 423206, 'galt gulch': 343082, 'gulch but': 368625, 'without warehouse': 1003036, 'nurse janitor': 577397, 'janitor or': 464553, 'other poorly': 620735, 'paid laborer': 634047, 'bury ayn rand': 142975, 'ayn rand objectivism': 106351, 'rand objectivism deep': 696580, 'objectivism deep it': 578442, 'deep it turn': 231907, 'out that no': 627328, 'one would miss': 607514, 'would miss the': 1012038, 'miss the value': 534196, 'value added by': 952076, 'added by whomever': 31552, 'by whomever wa': 154747, 'whomever wa holed': 990580, 'wa holed up': 962327, 'holed up in': 400251, 'up in galt': 945155, 'in galt gulch': 423207, 'galt gulch but': 343083, 'gulch but that': 368626, 'but that we': 147303, 'we cannot do': 971054, 'cannot do without': 161764, 'do without warehouse': 250587, 'without warehouse worker': 1003037, 'warehouse worker grocery': 966821, 'worker grocery clerk': 1007061, 'grocery clerk nurse': 364381, 'clerk nurse janitor': 181743, 'nurse janitor or': 577398, 'janitor or and': 464554, 'or and number': 614320, 'number of other': 576967, 'of other poorly': 587369, 'other poorly paid': 620736, 'poorly paid laborer': 664393, 'publi': 687824, 'general african': 345276, 'demand higher': 235638, 'those publi': 892378, 'general african american': 345277, 'african american need': 35172, 'to demand higher': 904145, 'demand higher pay': 235639, 'higher pay rate': 395652, 'pay rate to': 645075, 'rate to work': 697399, 'work in those': 1005352, 'in those publi': 430053, 'from lady': 336189, 'night 17': 562919, '17 she': 4381, 'said quinine': 731325, 'quinine which': 694751, 'in tonic': 430189, 'heard from lady': 388081, 'from lady in': 336190, 'store just this': 808628, 'just this point': 470054, 'this point last': 889637, 'point last night': 662540, 'last night 17': 480363, 'night 17 she': 562920, '17 she said': 4382, 'she said quinine': 756311, 'said quinine which': 731326, 'quinine which is': 694752, 'which is in': 986016, 'is in tonic': 448823, 'in tonic water': 430190, 'bye have': 154805, 'wa super': 963357, 'be replenished': 116798, 'replenished daily': 711666, 'bye have never': 154806, 'have never experienced': 381579, 'our government wa': 623277, 'government wa not': 360777, 'wa not clear': 962761, 'not clear in': 568764, 'clear in many': 181263, 'in many aspect': 425048, 'aspect but it': 96210, 'it wa super': 462204, 'wa super clear': 963358, 'super clear in': 818485, 'clear in the': 181266, 'in the fact': 429189, 'supermarket wa going': 823700, 'to be replenished': 901501, 'be replenished daily': 116799, 'replenished daily no': 711667, 'to flu': 906023, 'flu triggering': 311483, 'triggering an': 931935, 'disruption no': 246507, '19 to flu': 11427, 'to flu triggering': 906024, 'flu triggering an': 311484, 'triggering an association': 931936, 'being locked in': 125397, 'locked in grocery': 500488, 'grocery store closed': 365287, 'store closed or': 807067, 'closed or supply': 183271, 'or supply chain': 617297, 'chain disruption no': 170653, 'disruption no tp': 246508, 'ceva': 170273, 'ceva logistics': 170274, 'logistics declares': 500739, 'declares force': 231256, 'majeure reserve': 509221, 'modify service': 535508, 'change previously': 172231, 'previously agreed': 672017, 'agreed rate': 38724, 'logistics freight': 500748, 'freight supplychain': 332699, 'ceva logistics declares': 170275, 'logistics declares force': 500740, 'declares force majeure': 231257, 'force majeure reserve': 328432, 'majeure reserve the': 509222, 'reserve the right': 714106, 'right to modify': 722348, 'to modify service': 910218, 'modify service and': 535509, 'service and change': 752072, 'and change previously': 59727, 'change previously agreed': 172232, 'previously agreed rate': 672018, 'agreed rate and': 38725, 'rate and price': 697154, 'and price logistics': 69462, 'price logistics freight': 675088, 'logistics freight supplychain': 500749, 'freight supplychain 19': 332700, 'crank': 214859, 'ieuan': 413757, 'manufacturer can': 513436, 'can crank': 158019, 'crank up': 214862, 'supply all': 824672, 'our staffing': 624886, 'staffing level': 793159, 'are depleted': 85785, 'depleted by': 237408, 'or 40': 614201, '40 know': 18594, 'company we': 191289, 'buying ieuan': 150510, 'ieuan please': 413758, 'listen up the': 494765, 'the food manufacturer': 855574, 'food manufacturer can': 315374, 'manufacturer can crank': 513437, 'can crank up': 158020, 'crank up production': 214863, 'production to supply': 682254, 'to supply all': 915874, 'supply all of': 824673, 'of the with': 591623, 'the with enough': 871636, 'enough food even': 277395, 'even if our': 284209, 'if our staffing': 414578, 'our staffing level': 624887, 'staffing level are': 793160, 'level are depleted': 487509, 'are depleted by': 85786, 'depleted by 30': 237409, 'by 30 or': 151631, '30 or 40': 17163, 'or 40 know': 614202, '40 know because': 18595, 'know because company': 476292, 'because company we': 119005, 'company we supply': 191291, 'we supply all': 973447, 'supply all the': 824674, 'major supermarket stop': 509499, 'supermarket stop panic': 822992, 'panic buying ieuan': 637767, 'buying ieuan please': 150511, 'ieuan please rt': 413759, 'weareone': 974561, 'hospitalstaff': 404849, 'mailcarrier': 508681, 'the dedicated': 853013, 'one weareone': 607398, 'weareone thankful': 974562, 'thankful usa': 841935, 'usa hospitalstaff': 948663, 'hospitalstaff farmer': 404850, 'supermarket trucker': 823574, 'trucker firstresponders': 932916, 'firstresponders mailcarrier': 309221, 'mailcarrier delivery': 508682, 'delivery bank': 233740, 'all the dedicated': 44714, 'the dedicated and': 853014, 'dedicated and amazing': 231696, 'and amazing people': 58040, 'people who continue': 650278, 'continue to come': 201171, 'nation we are': 552369, 'are one weareone': 88750, 'one weareone thankful': 607399, 'weareone thankful usa': 974563, 'thankful usa hospitalstaff': 841936, 'usa hospitalstaff farmer': 948664, 'hospitalstaff farmer supermarket': 404851, 'farmer supermarket trucker': 299513, 'supermarket trucker firstresponders': 823575, 'trucker firstresponders mailcarrier': 932917, 'firstresponders mailcarrier delivery': 309222, 'mailcarrier delivery bank': 508683, 'high say': 395386, 'most bearish': 542135, 'bearish forecaster': 118461, 'forecaster covid': 328892, '19 smash': 10622, 'smash france': 775558, 'france gdp': 330993, 'gdp by': 344869, 'gold price set': 355973, 'price set for': 676348, 'set for record': 753379, 'for record high': 325026, 'record high say': 704980, 'high say most': 395387, 'say most bearish': 738955, 'most bearish forecaster': 542136, 'bearish forecaster covid': 118462, 'forecaster covid 19': 328893, 'covid 19 smash': 213820, '19 smash france': 10623, 'smash france gdp': 775559, 'france gdp by': 330994, '16 50': 4080, '50 price': 19822, 'up single': 946002, 'for 75k': 318919, '75k wa': 22220, 'corona money': 204064, 'money now': 536914, 'gold toiletpaperpanic': 356027, 'toiletpaperpanic coronaapocalypse': 923205, 'should have bought': 766065, 'have bought the': 379830, 'bought the roll': 136742, 'the roll on': 865959, 'ebay for 16': 266455, 'for 16 50': 318682, '16 50 price': 4082, '50 price are': 19823, 'are shooting up': 90051, 'shooting up single': 759784, 'up single roll': 946003, 'single roll for': 771392, 'roll for 75k': 725304, 'for 75k wa': 318920, '75k wa calling': 22221, 'calling it corona': 156586, 'it corona money': 457327, 'corona money now': 204065, 'money now am': 536915, 'now am going': 573995, 'going to call': 355547, 'call it corona': 155952, 'it corona gold': 457326, 'corona gold toiletpaperpanic': 203965, 'gold toiletpaperpanic coronaapocalypse': 356028, 'hotpepesoupjokes': 405299, 'hotpepesoup': 405296, 'noxworldng': 576599, 'noxworld': 576596, 'mrnox': 544448, 'not bath': 568339, 'bath with': 112600, 'sanitizer follow': 734878, 'more hotpepesoupjokes': 539448, 'hotpepesoupjokes hotpepesoup': 405300, 'hotpepesoup lockdown': 405297, 'lockdown cov': 499280, 'corona lagos': 204029, 'lagos nigeria': 478939, 'nigeria curfew': 562730, 'curfew noxworldng': 220903, 'noxworldng noxworld': 576600, 'noxworld mrnox': 576597, 'mrnox april2020': 544449, 'april2020 pandemic': 83727, 'do not bath': 249674, 'not bath with': 568340, 'bath with sanitizer': 112601, 'with sanitizer follow': 1000568, 'sanitizer follow for': 734879, 'for more hotpepesoupjokes': 323576, 'more hotpepesoupjokes hotpepesoup': 539449, 'hotpepesoupjokes hotpepesoup lockdown': 405301, 'hotpepesoup lockdown cov': 405298, 'lockdown cov d19': 499281, 'd19 corona lagos': 224167, 'corona lagos nigeria': 204030, 'lagos nigeria curfew': 478940, 'nigeria curfew noxworldng': 562731, 'curfew noxworldng noxworld': 220904, 'noxworldng noxworld mrnox': 576601, 'noxworld mrnox april2020': 576598, 'mrnox april2020 pandemic': 544450, 'soma': 782215, 'the charging': 850702, 'charging station': 173520, 'station atm': 796353, 'atm vending': 101966, 'machine add': 507348, 'add soma': 31485, 'soma automatic': 782216, 'automatic dispenser': 103972, 'dispenser kit': 246144, 'bank airport': 109583, 'airport hospital': 40103, 'hospital university': 404694, 'university mall': 942440, 'mall event': 511780, 'event sanitizers': 285065, 'sanitizers sanitizer': 736385, 'sanitizer stand': 735786, 'before you touch': 123339, 'touch the charging': 926546, 'the charging station': 850703, 'charging station atm': 173521, 'station atm vending': 796354, 'atm vending machine': 101967, 'vending machine add': 954331, 'machine add soma': 507349, 'add soma automatic': 31486, 'soma automatic dispenser': 782217, 'automatic dispenser kit': 103973, 'dispenser kit to': 246145, 'kit to your': 475655, 'to your business': 918959, 'your business bank': 1023049, 'business bank airport': 143421, 'bank airport hospital': 109584, 'airport hospital university': 40104, 'hospital university mall': 404695, 'university mall event': 942441, 'mall event sanitizers': 511781, 'event sanitizers sanitizer': 285066, 'sanitizers sanitizer stand': 736386, 'tuckercarlsontonight': 935068, 'mr haven': 544366, 'heard many': 388104, 'people call': 647370, 'product made': 681385, 'china seems': 176935, 'an appropriate': 55376, 'appropriate response': 83047, 'their mishandling': 873981, 'virus information': 958353, 'information release': 437966, 'release no': 708978, 'no boycottchina': 563715, 'boycottchina tuckercarlsontonight': 137360, 'mr haven heard': 544367, 'haven heard many': 383833, 'heard many people': 388105, 'many people call': 514494, 'people call for': 647371, 'for consumer boycott': 320242, 'consumer boycott of': 196647, 'boycott of product': 137336, 'of product made': 588491, 'product made in': 681386, 'in china seems': 421434, 'china seems like': 176936, 'seems like an': 746807, 'like an appropriate': 489762, 'an appropriate response': 55377, 'appropriate response to': 83048, 'response to their': 715888, 'to their mishandling': 917254, 'their mishandling of': 873982, 'mishandling of the': 534042, 'the virus information': 870849, 'virus information release': 958354, 'information release no': 437967, 'release no boycottchina': 708979, 'no boycottchina tuckercarlsontonight': 563716, 'low until': 505715, 'somewhat under': 785279, 'think otherwise': 885477, 'virus now': 958542, 'price will remain': 677583, 'will remain low': 994632, 'remain low until': 709783, 'low until the': 505716, 'virus is somewhat': 958403, 'is somewhat under': 452125, 'somewhat under control': 785280, 'under control how': 940045, 'control how can': 202020, 'can anyone think': 157519, 'anyone think otherwise': 80564, 'think otherwise the': 885478, 'otherwise the covid': 621876, '19 virus now': 11822, 'virus now control': 958543, 'now control the': 574443, 'mabs': 507303, 'dublinsouthmabs': 261521, 'moneyadvice': 537201, 'right mabs': 721983, 'mabs dublinsouthmabs': 507304, 'dublinsouthmabs support': 261522, 'weareinthistogether coronacrisis': 974545, 'coronacrisis moneyadvice': 204663, '19 consumer right': 5984, 'consumer right mabs': 198820, 'right mabs dublinsouthmabs': 721984, 'mabs dublinsouthmabs support': 507305, 'dublinsouthmabs support help': 261523, 'support help weareinthistogether': 826565, 'help weareinthistogether coronacrisis': 390872, 'weareinthistogether coronacrisis moneyadvice': 974546, 'atf': 101734, 'bus flight': 143040, 'flight reduction': 310527, 'on diesel': 600312, 'diesel atf': 241649, 'atf may': 101735, 'useful with': 950212, 'low this': 505681, 'will incentivize': 993797, 'incentivize more': 431382, 'more operator': 539951, 'their bus': 872668, 'flight corona': 310457, 'encourage socialdistancing in': 275630, 'socialdistancing in bus': 780445, 'in bus flight': 421063, 'bus flight reduction': 143041, 'flight reduction in': 310528, 'in the tax': 429593, 'the tax on': 869171, 'tax on diesel': 835044, 'on diesel atf': 600313, 'diesel atf may': 241650, 'atf may be': 101736, 'be useful with': 117937, 'useful with the': 950213, 'price being very': 672901, 'being very low': 126034, 'very low this': 955345, 'low this will': 505684, 'this will incentivize': 891421, 'will incentivize more': 993798, 'incentivize more operator': 431383, 'more operator to': 539952, 'operator to bring': 613409, 'to bring out': 902044, 'bring out their': 140043, 'out their bus': 627447, 'their bus and': 872669, 'bus and flight': 142996, 'and flight corona': 62969, 'about disaster': 25100, 'disaster because': 244186, 'newspaper but': 561084, 'this sure': 890443, 'sure suspect': 827686, 'suspect quicker': 829487, 'quicker than': 694437, 'some people will': 783547, 've got coronavirus': 953172, 'got coronavirus we': 358506, 'coronavirus we do': 207050, 'not talk about': 571936, 'talk about that': 833761, 'medium is all': 527149, 'all about disaster': 41916, 'about disaster because': 25101, 'disaster because that': 244187, 'because that sell': 119605, 'that sell newspaper': 846184, 'sell newspaper but': 748809, 'newspaper but we': 561085, 'but we ll': 147751, 'through this sure': 894844, 'this sure suspect': 890445, 'sure suspect quicker': 827687, 'suspect quicker than': 829488, 'quicker than people': 694438, 'than people fear': 841024, 'immediate loss': 417000, 'catastrophic for': 166953, 'for wholesale': 327867, 'and catering': 59629, 'catering according': 167254, 'the immediate loss': 857904, 'immediate loss of': 417001, 'of order is': 587338, 'order is catastrophic': 618332, 'is catastrophic for': 446407, 'catastrophic for wholesale': 166954, 'for wholesale and': 327868, 'wholesale and catering': 990414, 'and catering according': 59630, 'catering according to': 167255, 'the crowding': 852537, 'feel worse': 302937, 'not just making': 570231, 'just making it': 469220, 'but the crowding': 147328, 'the crowding in': 852538, 'crowding in store': 219395, 'in store is': 428422, 'store is creating': 808480, 'is creating huge': 446911, 'creating huge risk': 216014, 'contagion it feel': 200410, 'it feel worse': 457977, 'feel worse than': 302938, 'tesco tell': 838825, 'giant unable': 349880, 'tesco tell people': 838826, 'people to visit': 649962, 'visit store to': 959367, 'food supermarket giant': 316910, 'supermarket giant unable': 820516, 'giant unable to': 349881, 'ha increased online': 370954, '717': 21988, '3476372': 17851, 'beatingcorona': 118631, 'medicalequipement': 526521, 'mask infrared': 518851, 'thermometer glove': 879522, 'sanitizer testing': 735843, 'kit protective': 475614, 'protective clothes': 685714, 'clothes protective': 184194, 'protective glass': 685767, 'glass ffp3': 351614, 'ffp3 mask': 304285, 'mask all': 518282, 'available dm': 104320, 'me whatsapp': 523933, 'whatsapp 717': 982873, '717 3476372': 21989, '3476372 beatingcorona': 17852, 'beatingcorona pandemic': 118632, 'pandemic medicalequipement': 635956, 'n95 mask surgical': 551207, 'surgical mask infrared': 828359, 'mask infrared thermometer': 518852, 'infrared thermometer glove': 438179, 'thermometer glove sanitizer': 879523, 'glove sanitizer testing': 352905, 'sanitizer testing kit': 735844, 'testing kit protective': 839544, 'kit protective clothes': 475615, 'protective clothes protective': 685715, 'clothes protective glass': 184195, 'protective glass ffp3': 685768, 'glass ffp3 mask': 351615, 'ffp3 mask all': 304286, 'mask all available': 518283, 'all available dm': 42094, 'available dm me': 104322, 'dm me whatsapp': 248909, 'me whatsapp 717': 523934, 'whatsapp 717 3476372': 982874, '717 3476372 beatingcorona': 21990, '3476372 beatingcorona pandemic': 17853, 'beatingcorona pandemic medicalequipement': 118633, 'mother aged': 543048, 'aged 88': 37945, '88 took': 23060, 'her during': 392002, 'will transmit': 995225, 'transmit covid': 929784, 'covid to': 214241, 'her 19': 391809, 'my mother aged': 549322, 'mother aged 88': 543049, 'aged 88 took': 37946, '88 took the': 23061, 'me to ask': 523743, 'ask me not': 95583, 'not to visit': 572205, 'to visit her': 918206, 'visit her during': 959272, 'her during the': 392003, 'during the christian': 263097, 'she is afraid': 756143, 'is afraid that': 445407, 'afraid that will': 35015, 'that will transmit': 847617, 'will transmit covid': 995226, 'transmit covid to': 929785, 'covid to her': 214242, 'to her 19': 907687, 'redbeansandrice': 705644, 'quarantineandrelaxation': 692777, 'citygirl': 179479, 'southkitchen': 786889, 'perfect food': 651290, 'will enjoy': 993319, 'the delicious': 853056, 'delicious redbeansandrice': 233026, 'redbeansandrice get': 705645, 'those cabinet': 891853, 'cabinet and': 154978, 'something happen': 784933, 'happen quarantine': 377149, 'quarantine quarantineandrelaxation': 692466, 'quarantineandrelaxation shelterinplace': 692778, 'shelterinplace citygirl': 757994, 'citygirl southkitchen': 179480, 'bean are the': 118298, 'are the perfect': 90883, 'the perfect food': 863536, 'perfect food to': 651291, 'this time tonight': 890705, 'time tonight we': 898119, 'tonight we will': 924522, 'we will enjoy': 973858, 'will enjoy the': 993320, 'enjoy the delicious': 277187, 'the delicious redbeansandrice': 853057, 'delicious redbeansandrice get': 233027, 'redbeansandrice get into': 705646, 'get into those': 347378, 'into those cabinet': 443230, 'those cabinet and': 891854, 'cabinet and make': 154979, 'and make something': 66576, 'make something happen': 510480, 'something happen quarantine': 784934, 'happen quarantine quarantineandrelaxation': 377150, 'quarantine quarantineandrelaxation shelterinplace': 692467, 'quarantineandrelaxation shelterinplace citygirl': 692779, 'shelterinplace citygirl southkitchen': 757995, 'consumergoods the': 199686, 'and consumergoods the': 60450, 'consumergoods the supplychain': 199687, 'have wide': 383595, 'wide variety': 991774, 'hobby essential': 399768, 'tomorrow is our': 924107, 'is our retail': 450640, 'retail store last': 718653, 'store last day': 808671, 'last day before': 480179, 'before the temporary': 123194, 'temporary closure due': 837593, 'we have wide': 971987, 'have wide variety': 383596, 'wide variety of': 991775, 'variety of hobby': 952566, 'of hobby essential': 584703, 'hobby essential and': 399769, 'essential and everything': 280779, 'and everything you': 62433, 'everything you ll': 288136, 'll need 19': 496907, 'overburdened': 631067, 'protect overburdened': 684910, 'overburdened employee': 631068, 'help protect overburdened': 390374, 'protect overburdened employee': 684911, 'trump america': 933400, 'will again': 992219, 'business very': 144615, 'soon lot': 785769, 'lot sooner': 504368, 'that somebody': 846399, 'somebody wa': 784284, 'wa suggesting': 963351, 'suggesting lot': 817602, 'sooner we': 785932, 'cannot let': 161996, 'cure be': 220708, 'problem itself': 679582, 'trump america will': 933402, 'america will again': 51746, 'will again and': 992220, 'again and soon': 36890, 'and soon be': 72000, 'soon be open': 785643, 'for business very': 319847, 'business very soon': 144616, 'very soon lot': 955567, 'soon lot sooner': 785770, 'lot sooner than': 504369, 'sooner than three': 785927, 'than three or': 841330, 'or four month': 615386, 'four month that': 330634, 'month that somebody': 538038, 'that somebody wa': 846400, 'somebody wa suggesting': 784285, 'wa suggesting lot': 963352, 'suggesting lot sooner': 817603, 'lot sooner we': 504370, 'sooner we cannot': 785933, 'we cannot let': 971070, 'cannot let the': 161997, 'let the cure': 487122, 'the cure be': 852587, 'cure be worse': 220709, 'than the problem': 841265, 'the problem itself': 864516, 'more went': 540963, 'morning amp': 541149, 'amp yes': 54865, 'yes some': 1015533, 'many were': 514870, 'were available': 979357, 'new limit': 559036, 'enforced so': 276723, 'the picture of': 863727, 'shelf are making': 756813, 'are making people': 87999, 'making people panic': 511277, 'people panic more': 649060, 'panic more went': 638334, 'more went to': 540964, 'this morning amp': 888937, 'morning amp yes': 541150, 'amp yes some': 54866, 'yes some item': 1015534, 'some item had': 783149, 'item had run': 463311, 'run out but': 727754, 'out but many': 625793, 'but many were': 146363, 'many were available': 514871, 'were available amp': 979358, 'available amp new': 104215, 'amp new limit': 54173, 'new limit are': 559037, 'limit are being': 492293, 'are being enforced': 84854, 'being enforced so': 125110, 'enforced so please': 276724, 'so please don': 778020, 'sit rep': 771838, 'rep there': 711425, 'any main': 79440, 'in newsdesk': 425847, 'newsdesk most': 561011, 'most prioritising': 542659, 'prioritising vulnerable': 678426, 'rightly for': 722465, 'hour there': 405989, 'sit rep there': 771839, 'rep there no': 711426, 'in any main': 420428, 'any main supermarket': 79441, 'supermarket in newsdesk': 820944, 'in newsdesk most': 425848, 'newsdesk most prioritising': 561012, 'most prioritising vulnerable': 542660, 'prioritising vulnerable people': 678427, 'people rightly for': 649308, 'rightly for the': 722466, 'first hour there': 308716, 'hour there no': 405990, 'how did it': 407686, 'did it come': 240658, 'amazonfba': 51226, 'far affected': 298692, 'affected amazon': 34285, 'amazon online': 51053, 'amazon amazonfba': 50839, 'so far affected': 777008, 'far affected amazon': 298693, 'affected amazon online': 34286, 'amazon online shopping': 51054, 'article to find': 94484, 'find out amazon': 307135, 'out amazon amazonfba': 625614, 'mcbroom': 522090, 'online exclusive': 608181, 'exclusive edition': 289665, 'trench allen': 931246, 'allen mcbroom': 45739, 'mcbroom share': 522091, 'his music': 397629, 'normal of': 567227, 'retail shutdown': 718567, 'in this online': 429988, 'this online exclusive': 889262, 'online exclusive edition': 608182, 'exclusive edition of': 289666, 'edition of in': 268630, 'in the trench': 429628, 'the trench allen': 869955, 'trench allen mcbroom': 931247, 'allen mcbroom share': 45740, 'mcbroom share how': 522092, 'share how his': 755037, 'how his music': 408004, 'his music store': 397630, 'music store is': 546341, 'store is adapting': 808462, 'new normal of': 559163, 'normal of retail': 567229, 'of retail shutdown': 589053, 'retail shutdown and': 718568, 'shutdown and social': 767993, 'after yourselves': 36623, 'yourselves another': 1026786, 'another empty': 77599, 'supermarket stophoarding': 822994, 'thank you people': 841798, 'you people of': 1020324, 'people of london': 648920, 'of london for': 585988, 'london for looking': 501070, 'for looking after': 323104, 'looking after yourselves': 502789, 'after yourselves another': 36624, 'yourselves another empty': 1026787, 'another empty supermarket': 77600, 'empty supermarket stophoarding': 275165, 'supermarket stophoarding panicbuyinguk': 822995, 'explicitly': 292285, 'toil': 921119, 'uk only': 938590, 'only 14': 609975, 'you sent': 1021120, 'email explicitly': 272172, 'explicitly warning': 292288, 'warning seller': 967189, 'seller about': 748958, 'about inflating': 25535, 'and profiting': 69607, 'from tragedy': 338124, 'tragedy such': 929181, 'such so': 816760, 're allowing': 698247, 'allowing such': 46340, 'such blatant': 816373, 'price listing': 675071, 'of toil': 592247, 'uk only 14': 938591, 'only 14 day': 609976, '14 day ago': 3440, 'day ago you': 227218, 'ago you sent': 38563, 'you sent out': 1021121, 'an email explicitly': 55655, 'email explicitly warning': 272173, 'explicitly warning seller': 292289, 'warning seller about': 967190, 'seller about inflating': 748959, 'about inflating price': 25536, 'inflating price and': 437111, 'price and profiting': 672507, 'and profiting from': 69608, 'profiting from tragedy': 683129, 'from tragedy such': 338125, 'tragedy such so': 929182, 'such so please': 816761, 'so please can': 778018, 'explain why you': 292142, 'you re allowing': 1020562, 're allowing such': 698248, 'allowing such blatant': 46341, 'such blatant profiteering': 816374, 'blatant profiteering on': 132440, 'profiteering on fixed': 683077, 'on fixed price': 600818, 'fixed price listing': 309824, 'price listing of': 675072, 'listing of toil': 494865, '9200': 23481, '2810': 16426, 'eight employee': 270180, 'separate grocery': 751074, 'location test': 498960, 'the 9200': 848215, '9200 weston': 23482, 'weston road': 980702, 'road location': 724475, 'the 2810': 848062, '2810 major': 16427, 'major mackenzie': 509373, 'mackenzie drive': 507448, 'drive location': 259090, 'eight employee at': 270181, 'at separate grocery': 100489, 'separate grocery store': 751075, 'grocery store location': 365535, 'store location test': 808800, 'location test positive': 498961, '19 in staff': 7784, 'in staff at': 428226, 'at the 9200': 100867, 'the 9200 weston': 848216, '9200 weston road': 23483, 'weston road location': 980703, 'road location and': 724476, 'location and staff': 498855, 'and staff at': 72192, 'at the 2810': 100866, 'the 2810 major': 848063, '2810 major mackenzie': 16428, 'major mackenzie drive': 509374, 'mackenzie drive location': 507449, 'council all': 209954, 'paramedic postal': 641395, 'firefighter carers': 308207, 'carers transport': 164628, 'message cannot': 529282, 'council all these': 209955, 'are putting our': 89356, 'putting our doctor': 691187, 'nurse paramedic postal': 577454, 'paramedic postal worker': 641396, 'postal worker firefighter': 666473, 'worker firefighter carers': 1006943, 'firefighter carers transport': 308208, 'carers transport worker': 164629, 'transport worker refuse': 929983, 'worker and countless': 1006282, 'countless more key': 210381, 'more key worker': 539648, 'key worker life': 473494, 'worker life at': 1007308, 'risk the message': 723931, 'the message cannot': 860514, 'message cannot be': 529283, 'cannot be clearer': 161634, 'yumchina': 1027093, 'yum china': 1027085, 'china re': 176899, 'open most': 612385, 'store yumchina': 811702, 'yumchina food': 1027094, 'yum china re': 1027086, 'china re open': 176900, 're open most': 699204, 'open most store': 612386, 'most store yumchina': 542776, 'store yumchina food': 811703, 'yumchina food store': 1027095, 'food store retail': 316858, 'store retail shopping': 809876, 'servce': 751856, 'expert one': 291904, 'five oilfield': 309648, 'oilfield servce': 597578, 'servce job': 751857, 'job could': 465757, 'cut worldwide': 223635, 'worldwide amid': 1010311, 'amid record': 52612, 'expert one in': 291905, 'one in five': 606472, 'in five oilfield': 422920, 'five oilfield servce': 309649, 'oilfield servce job': 597579, 'servce job could': 751858, 'job could be': 465758, 'be cut worldwide': 114322, 'cut worldwide amid': 223636, 'worldwide amid record': 1010312, 'amid record low': 52613, 'record low price': 705018, 'concurrence': 193345, 'centre issue': 169515, 'issue notification': 455850, 'notification stating': 573543, 'not exceed': 569314, 'exceed from': 289033, 'those prevailing': 892362, 'march without': 515539, 'the concurrence': 851428, 'concurrence of': 193346, 'centre issue notification': 169516, 'issue notification stating': 455851, 'notification stating that': 573544, 'stating that price': 796308, 'of alcohol used': 579904, 'used in manufacturing': 949942, 'in manufacturing hand': 425044, 'manufacturing hand sanitizers': 513597, 'sanitizers shall not': 736391, 'shall not exceed': 754537, 'not exceed from': 569316, 'exceed from those': 289034, 'from those prevailing': 338030, 'those prevailing on': 892363, 'prevailing on march': 671556, 'on march without': 602031, 'march without the': 515540, 'without the concurrence': 1002964, 'the concurrence of': 851429, 'concurrence of it': 193347, 'gleefully': 351680, 'callin': 156501, 'any friend': 79255, 'or follower': 615335, 'follower see': 312652, 'and youre': 76103, 'youre wandering': 1026426, 'aimlessly through': 39592, 'you gleefully': 1018838, 'gleefully spreading': 351681, 'spreading corona': 790950, 'corona onto': 204081, 'onto every': 611656, 'encounter will': 275543, 'will good': 993567, 'good citizen': 356884, 'be callin': 113953, 'callin your': 156502, 'as into': 94765, 'into crimestoppers': 442496, 'for any friend': 319405, 'any friend or': 79256, 'friend or follower': 333742, 'or follower see': 615336, 'follower see who': 312653, 'see who should': 746069, 'in self quarantine': 427784, 'quarantine and youre': 692026, 'and youre wandering': 76104, 'youre wandering aimlessly': 1026427, 'wandering aimlessly through': 965574, 'aimlessly through supermarket': 39593, 'through supermarket or': 894701, 'supermarket or what': 821838, 'or what have': 617766, 'have you gleefully': 383668, 'you gleefully spreading': 1018839, 'gleefully spreading corona': 351682, 'spreading corona onto': 790951, 'corona onto every': 204082, 'onto every item': 611657, 'every item and': 285959, 'item and person': 463065, 'and person you': 68919, 'person you encounter': 652758, 'you encounter will': 1018403, 'encounter will good': 275544, 'will good citizen': 993568, 'good citizen be': 356885, 'citizen be callin': 178863, 'be callin your': 113954, 'callin your as': 156503, 'your as into': 1022847, 'as into crimestoppers': 94766, 'party but': 642978, 'small compared': 774920, 'dad could': 224309, '60th birthday party': 21176, 'birthday party but': 131442, 'party but that': 642979, 'that small compared': 846342, 'small compared to': 774921, 'through empty shelf': 894444, 'in supermarket make': 428629, 'supermarket make me': 821437, 'old dad could': 598204, 'dad could not': 224310, 'not get milk': 569597, 'researching brand': 713943, 'later watch': 481164, 'watch tiktok': 968585, 'dorm room': 255898, 'researching brand and': 713944, 'minute later watch': 533790, 'later watch tiktok': 481165, 'watch tiktok of': 968586, 'college dorm room': 186611, 'the desk': 853190, 'desk of': 238457, 'is the video': 452972, 'the video from': 870746, 'from the desk': 337670, 'the desk of': 853191, 'barely find': 111011, 'shop still': 760840, 'still or': 801001, 'joke people': 467122, 'buying see': 150987, 'see well': 746016, 'well sick': 978557, 'why can barely': 990858, 'can barely find': 157570, 'barely find anything': 111012, 'anything in food': 80791, 'food shop still': 316493, 'shop still or': 760842, 'still or order': 801002, 'order online what': 618483, 'online what joke': 609710, 'what joke people': 981779, 'joke people still': 467123, 'panic buying see': 637872, 'buying see well': 150988, 'see well sick': 746017, 'well sick of': 978558, 'sick of it': 768537, 'tmituesday': 899364, 'normal now': 567223, 'complete nz': 192127, 'nz level': 578193, 'level lock': 487608, 'down start': 257204, '59pm pandemic': 20608, 'it edition': 457761, 'edition tmituesday': 268649, 'new normal now': 559162, 'normal now supermarket': 567224, 'now supermarket shopping': 575939, 'supermarket shopping on': 822644, 'shopping on day': 763387, 'day of complete': 228061, 'of complete nz': 581632, 'complete nz level': 192128, 'nz level lock': 578194, 'level lock down': 487609, 'lock down start': 499051, 'down start tomorrow': 257205, 'start tomorrow wednesday': 794610, 'tomorrow wednesday at': 924241, 'wednesday at 11': 975621, 'at 11 59pm': 97438, '11 59pm pandemic': 2467, '59pm pandemic and': 20609, 'pandemic and society': 634905, 'and society is': 71922, 'society is losing': 781253, 'is losing it': 449458, 'losing it edition': 503562, 'it edition tmituesday': 457762, 'highest iq': 395829, 'create one': 215703, 'aisle dedicated': 40236, 'monitor it': 537291, 'it gradually': 458327, 'gradually throughout': 361706, 'dear supermarket in': 229892, 'the highest iq': 857341, 'highest iq please': 395830, 'please create one': 659867, 'create one or': 215704, 'two aisle dedicated': 936773, 'aisle dedicated to': 40237, 'dedicated to essential': 231745, 'to essential block': 905255, 'block it monitor': 132787, 'it monitor it': 459655, 'monitor it and': 537292, 'it and store': 456515, 'and store it': 72509, 'store it gradually': 808575, 'it gradually throughout': 458328, 'gradually throughout the': 361707, 'the day coronacrisisuk': 852877, 'we doubt': 971413, 'for basmati': 319594, 'basmati this': 112450, 'be visible': 118016, 'visible on': 959137, 'the fifth': 855158, 'fifth part': 304572, 'farmer read': 299489, 'we doubt that': 971414, 'that the farmer': 846722, 'the farmer will': 854947, 'farmer will get': 299574, 'will get fair': 993503, 'price for basmati': 673932, 'for basmati this': 319595, 'basmati this time': 112451, 'time the impact': 897855, 'impact of would': 417812, 'of would soon': 593329, 'would soon be': 1012255, 'soon be visible': 785650, 'be visible on': 118017, 'visible on the': 959138, 'market price read': 516897, 'price read in': 676099, 'in the fifth': 429197, 'the fifth part': 855159, 'fifth part of': 304573, 'on the farmer': 604111, 'the farmer read': 854945, 'sprinted': 791297, 'tried on': 931802, 'on dozen': 600405, 'dozen pair': 257908, 'sunglass have': 818376, 'learned where': 484159, 'the between': 849581, 'between bravery': 128739, 'bravery and': 138271, 'you sprinted': 1021341, 'sprinted across': 791298, 'woman in my': 1003518, 'store who tried': 811310, 'who tried on': 989829, 'tried on dozen': 931803, 'on dozen pair': 600406, 'dozen pair of': 257909, 'of sunglass have': 590399, 'sunglass have learned': 818377, 'have learned where': 381281, 'learned where line': 484160, 'where line the': 984983, 'line the between': 493451, 'the between bravery': 849582, 'between bravery and': 128740, 'bravery and stupidity': 138272, 'and stupidity is': 72628, 'stupidity is and': 815538, 'is and you': 445718, 'and you sprinted': 76047, 'you sprinted across': 1021342, 'sprinted across it': 791299, 'across it why': 29361, 'is passed': 450811, 'passed easily': 643262, 'easily on': 265234, 'on takeaway': 603873, 'is smoking': 451989, 'smoking risk': 775915, 'risk factor': 723531, 'in contracting': 421754, 'contracting are': 201759, 'are property': 89286, 'drop our': 260357, 'expert panel': 291910, 'panel answer': 637161, 'question get': 693595, 'is passed easily': 450812, 'passed easily on': 643263, 'easily on takeaway': 265235, 'on takeaway food': 603874, 'takeaway food is': 832860, 'food is smoking': 315151, 'is smoking risk': 451990, 'smoking risk factor': 775916, 'risk factor in': 723532, 'factor in contracting': 295884, 'in contracting are': 421755, 'contracting are property': 201760, 'are property price': 89287, 'to drop our': 904776, 'drop our expert': 260358, 'our expert panel': 622960, 'expert panel answer': 291911, 'panel answer your': 637162, 'your question get': 1025498, 'question get more': 693596, 'get more on': 347594, 'n5bn': 551137, 'business roundup': 144339, 'roundup covid': 726416, '19 n5bn': 8741, 'n5bn insurance': 551138, 'for lagos': 322875, 'lagos health': 478929, 'worker jerk': 1007265, 'jerk in': 465151, 'other story': 620995, 'our pick': 624344, 'business roundup covid': 144340, 'roundup covid 19': 726417, 'covid 19 n5bn': 213461, '19 n5bn insurance': 8742, 'n5bn insurance cover': 551139, 'cover for lagos': 212230, 'for lagos health': 322876, 'lagos health worker': 478930, 'health worker jerk': 386984, 'worker jerk in': 1007266, 'jerk in oil': 465152, 'oil price see': 597247, 'price see other': 676324, 'see other story': 745518, 'other story that': 620996, 'story that made': 812129, 'that made our': 844975, 'made our pick': 507899, 'we contact': 971178, 'work place': 1005610, 'corona who': 204394, 'sanitizer refuse': 735645, 'implement your': 418444, 'your guideline': 1024148, 'who do we': 988625, 'do we contact': 250467, 'we contact in': 971179, 'contact in our': 200105, 'in our effort': 426285, 'of in regard': 585039, 'regard to work': 707159, 'to work place': 918767, 'work place with': 1005612, 'place with confirmed': 657842, 'of corona who': 581902, 'corona who ha': 204395, 'ha no soap': 371351, 'no soap hand': 565541, 'hand sanitizer refuse': 375562, 'sanitizer refuse to': 735646, 'refuse to implement': 707035, 'to implement your': 908183, 'implement your guideline': 418445, 'your guideline you': 1024149, 'guideline you re': 368513, 'prioritise order': 678395, 'store to prioritise': 810801, 'to prioritise order': 912143, 'prioritise order from': 678396, 'company ha said': 190715, 'can catch': 157875, 'except at': 289127, 'say hmm': 738763, 'hmm coronacrisis': 398675, 'you can catch': 1017639, 'can catch it': 157877, 'catch it everywhere': 167001, 'everywhere except at': 288203, 'except at the': 289128, 'store thing that': 810683, 'you say hmm': 1020998, 'say hmm coronacrisis': 738764, 'high with': 395524, 'gas so': 344095, 'cheap little': 174136, 'little income': 495408, 'closed want': 183422, 'see overall': 745540, 'no way retailer': 565867, 'retailer can keep': 719060, 'can keep their': 158817, 'their price high': 874402, 'price high with': 674514, 'high with the': 395525, 'with the price': 1001438, 'oil gas so': 596831, 'gas so cheap': 344096, 'so cheap little': 776750, 'cheap little income': 174137, 'little income and': 495409, 'income and their': 432285, 'and their store': 73718, 'their store closed': 874853, 'store closed want': 807069, 'closed want to': 183423, 'to see overall': 914057, 'see overall price': 745541, 'overall price drop': 631029, 'charge yahoo': 173350, 'yahoo 19': 1014047, 'terror charge yahoo': 838591, 'charge yahoo 19': 173351, 'world grapple': 1009599, '19 fraudsters': 7105, 'exploit this': 292370, 'our trust': 625204, 'safety architect': 730471, 'architect share': 84053, 'navigate fraud': 553064, 'fraud new': 331311, 'the world grapple': 871883, 'world grapple with': 1009600, 'with the devastating': 1001265, 'covid 19 fraudsters': 213123, '19 fraudsters are': 7106, 'way to exploit': 970027, 'to exploit this': 905499, 'exploit this pandemic': 292371, 'pandemic and consumer': 634868, 'behavior are rapidly': 123913, 'rapidly changing our': 696966, 'changing our trust': 172771, 'our trust and': 625205, 'trust and safety': 934237, 'and safety architect': 70737, 'safety architect share': 730472, 'architect share how': 84054, 'share how to': 755042, 'how to navigate': 409049, 'to navigate fraud': 910487, 'navigate fraud new': 553065, 'fraud new normal': 331312, 'the nyt': 862005, 'nyt looked': 578149, 'looked yes': 502761, 'at whether': 101541, 'whether worker': 985612, 'had sick': 373504, 'leave last': 484856, 'took dive': 925228, '20 restaurant': 13302, 'offering during': 595083, 'the nyt looked': 862006, 'nyt looked yes': 578150, 'looked yes no': 502762, 'yes no at': 1015493, 'no at whether': 563635, 'at whether worker': 101542, 'whether worker had': 985613, 'worker had sick': 1007080, 'had sick leave': 373505, 'sick leave last': 768500, 'leave last year': 484857, 'year we took': 1015089, 'we took dive': 973558, 'took dive into': 925229, 'dive into what': 248492, 'what the top': 982370, 'top 20 restaurant': 925528, '20 restaurant are': 13303, 'restaurant are offering': 716312, 'are offering during': 88664, 'offering during the': 595084, 'and it isn': 65543, 'it isn pretty': 459151, 'one impact': 606461, 're driving': 698570, 'le interesting': 482997, 'interesting idea': 441563, 'from driving': 335216, 'le fewer': 482951, 'fewer crash': 304202, 'crash will': 215053, 'will auto': 992323, 'insurance industry': 440753, 'industry respond': 436076, 'respond by': 715293, 'by lowering': 153111, 'lowering premium': 506123, 'premium insurance': 669958, 'insurance division': 440720, 'division should': 248691, 'at letter': 99578, 'letter here': 487324, 'one impact of': 606462, 'impact of we': 417810, 'we re driving': 972860, 're driving le': 698571, 'driving le interesting': 259966, 'le interesting idea': 482998, 'interesting idea from': 441564, 'idea from driving': 413057, 'from driving le': 335217, 'driving le fewer': 259965, 'le fewer crash': 482952, 'fewer crash will': 304203, 'crash will auto': 215055, 'will auto insurance': 992324, 'auto insurance industry': 103886, 'insurance industry respond': 440754, 'industry respond by': 436077, 'respond by lowering': 715294, 'by lowering premium': 153112, 'lowering premium insurance': 506124, 'premium insurance division': 669959, 'insurance division should': 440721, 'division should look': 248692, 'look at letter': 502273, 'at letter here': 99579, 'just cnn': 468491, 'cnn or': 184771, 'mail that': 508660, 'that excellent': 843786, 'excellent story': 289112, 'should eat': 765948, 'eat fish': 265913, 'tank chemical': 834193, 'so just cnn': 777491, 'just cnn or': 468492, 'cnn or how': 184772, 'or how about': 615689, 'the daily mail': 852782, 'daily mail that': 224687, 'mail that had': 508661, 'that had that': 844156, 'had that excellent': 373601, 'that excellent story': 843787, 'excellent story on': 289113, 'how people should': 408509, 'people should eat': 649442, 'should eat fish': 765949, 'eat fish tank': 265914, 'fish tank chemical': 309342, 'augh': 102969, 'dear snowbird': 229875, 'snowbird and': 776399, 'other traveller': 621141, 'traveller do': 930668, 'this augh': 886457, 'augh signed': 102970, 'signed someone': 769375, 'dear snowbird and': 229876, 'snowbird and other': 776400, 'and other traveller': 68426, 'other traveller do': 621142, 'traveller do not': 930669, 'do this augh': 250342, 'this augh signed': 886458, 'augh signed someone': 102971, 'signed someone who': 769376, 'someone who feel': 784756, 'who feel guilty': 988732, 'feel guilty for': 302660, 'guilty for getting': 368556, 'for getting too': 321871, 'close to some': 182916, 'to some people': 914885, 'enforces': 276805, 'older sister': 598676, 'sister to': 771793, 'some maid': 783245, 'maid and': 508544, 'good essential': 357004, 'are valid': 91442, 'valid for': 951910, 'city enforces': 179136, 'enforces quarantine': 276808, 'of however': 584846, 'but suspicious': 147250, 'suspicious people': 829722, 'spent about': 789102, '100 staysafestayhome': 2087, 'with my older': 999642, 'my older sister': 549565, 'older sister to': 598677, 'sister to buy': 771794, 'buy some maid': 149210, 'some maid and': 783246, 'maid and canned': 508545, 'canned good essential': 161535, 'good essential item': 357005, 'item are valid': 463108, 'are valid for': 91443, 'valid for two': 951911, 'two week our': 937348, 'week our city': 976706, 'our city enforces': 622373, 'city enforces quarantine': 179137, 'enforces quarantine to': 276809, 'quarantine to slow': 692640, 'transmission of however': 929752, 'of however we': 584847, 'however we do': 409515, 'have any case': 379296, 'any case yet': 79000, 'case yet but': 166119, 'yet but suspicious': 1016024, 'but suspicious people': 147251, 'suspicious people we': 829723, 'people we spent': 650163, 'we spent about': 973352, 'spent about 100': 789103, 'about 100 staysafestayhome': 24636, 'across illinois': 29342, 'illinois are': 416276, 'operating special': 613105, 'regular store': 707873, 'store across illinois': 806064, 'across illinois are': 29343, 'illinois are operating': 416277, 'are operating special': 88822, 'operating special hour': 613106, 'senior to help': 750429, 'spread of see': 790706, 'of see if': 589445, 'if your regular': 415605, 'your regular store': 1025551, 'regular store is': 707874, 'keep people healthy': 471788, 'donated critical': 254331, 'such glove': 816513, 'to dema': 904130, 'dema will': 234891, 'will then': 995166, 'then distribute': 877122, 'department other': 237253, 'group responding': 366860, 'donated critical supply': 254332, 'supply such glove': 825919, 'such glove mask': 816514, 'glove mask hand': 352775, 'sanitizer to dema': 735914, 'to dema will': 904131, 'dema will then': 234892, 'will then distribute': 995168, 'then distribute the': 877123, 'distribute the supply': 248015, 'to hospital police': 907977, 'hospital police fire': 404564, 'police fire department': 662999, 'fire department other': 308069, 'department other group': 237254, 'other group responding': 620325, 'group responding to': 366861, 'in cincinnati': 421466, 'cincinnati and': 178514, 'warehouse distribution': 966711, 'distribution shortage': 248212, 'is intentional': 448951, 'intentional higher': 441159, 'price hype': 674607, 'hype hope': 412265, 'hope investigates': 403508, 'investigates it': 443833, 'it distribution': 457592, 'to the popular': 916966, 'the popular grocery': 864015, 'store in cincinnati': 808287, 'in cincinnati and': 421467, 'cincinnati and found': 178515, 'found out from': 330322, 'from the employee': 337683, 'employee that tp': 274291, 'that tp is': 847107, 'tp is on': 927860, 'hold for warehouse': 399930, 'for warehouse distribution': 327645, 'warehouse distribution shortage': 966713, 'distribution shortage of': 248213, 'of supply is': 590485, 'supply is intentional': 825447, 'is intentional higher': 448952, 'intentional higher price': 441160, 'higher price hype': 395678, 'price hype hope': 674608, 'hype hope investigates': 412266, 'hope investigates it': 403509, 'investigates it distribution': 443834, 'kurnool': 477963, 'quintal': 694762, '19 hotspot': 7585, 'hotspot kurnool': 405310, 'kurnool loss': 477964, 'loss mount': 503728, 'mount for': 543401, 'for onion': 324098, 'onion farmer': 607720, 'per quintal': 650996, 'quintal in': 694763, 'covid hotspot': 214174, 'hotspot writes': 405324, 'covid 19 hotspot': 213224, '19 hotspot kurnool': 7586, 'hotspot kurnool loss': 405311, 'kurnool loss mount': 477965, 'loss mount for': 503729, 'mount for onion': 543402, 'for onion farmer': 324099, 'onion farmer the': 607721, 'have dropped to': 380389, 'dropped to 600': 260642, 'to 600 per': 899796, '600 per quintal': 21105, 'per quintal in': 650997, 'quintal in this': 694764, 'this covid hotspot': 886994, 'covid hotspot writes': 214175, 'lager stripped': 478902, 'beer and lager': 122428, 'and lager stripped': 65932, 'lager stripped from': 478903, 'critized': 218796, 'go forward': 353582, 'with closing': 997672, 'done hope': 254880, 'get critized': 346838, 'critized bashed': 218797, 'bashed by': 111813, 'not go forward': 569677, 'go forward with': 353583, 'forward with closing': 330054, 'with closing for': 997673, 'closing for week': 183645, 'this is reason': 888374, 'is reason all': 451326, 'what she done': 982163, 'she done hope': 756010, 'done hope jcpenney': 254881, 'jcpenney get critized': 464921, 'get critized bashed': 346839, 'critized bashed by': 218798, 'bashed by everyone': 111814, 'handsanitizer healthy': 376552, 'sanitizer corona handsanitizer': 734694, 'corona handsanitizer healthy': 203978, 'paralysis': 641354, 'financial compensation': 306349, 'compensation provided': 191574, 'saudi government': 737265, 'citizen resident': 178951, 'resident because': 714264, 'economic paralysis': 267193, 'paralysis high': 641355, 'funding is': 341604, 'is interrupted': 448956, 'interrupted cause': 442107, 'financial compensation provided': 306350, 'compensation provided by': 191575, 'provided by saudi': 686577, 'by saudi government': 153874, 'saudi government to': 737266, 'government to citizen': 360704, 'to citizen resident': 902771, 'citizen resident because': 178952, 'resident because of': 714265, 'because of economic': 119334, 'of economic paralysis': 582955, 'economic paralysis high': 267194, 'paralysis high price': 641356, 'high price funding': 395251, 'price funding is': 674138, 'funding is interrupted': 341605, 'is interrupted cause': 448957, 'interrupted cause of': 442108, 'cause of corona': 167676, 'king and': 475245, 'ever retail': 285470, 'cash is king': 166263, 'is king and': 449216, 'king and now': 475246, 'and now more': 67855, 'now more so': 575314, 'so than ever': 778346, 'than ever retail': 840604, 'medium busted': 527031, 'busted again': 144838, 'again posted': 37118, 'posted fake': 666520, 'fake story': 296712, 'about icu': 25495, 'nurse treating': 577524, 'patient she': 644254, 'hasn worked': 378798, 'medium busted again': 527032, 'busted again posted': 144839, 'again posted fake': 37119, 'posted fake story': 666521, 'fake story about': 296713, 'story about icu': 811891, 'about icu nurse': 25496, 'icu nurse treating': 412848, 'nurse treating coronavirus': 577525, 'treating coronavirus patient': 930986, 'coronavirus patient she': 206541, 'patient she hasn': 644255, 'she hasn worked': 756114, 'hasn worked in': 378799, 'worked in year': 1006125, 'in year read': 431030, 'year read more': 1014922, 'of polluting': 588216, 'the climate': 851021, 'climate catastrophe': 182188, 'catastrophe is': 166937, 'hot on': 405035, 'reduction of polluting': 706391, 'of polluting industry': 588217, 'industry and consumer': 435631, 'to the climate': 916567, 'the climate catastrophe': 851022, 'climate catastrophe is': 182189, 'catastrophe is constantly': 166938, 'now with hot': 576446, 'with hot on': 998882, 'hot on our': 405036, 'hubei': 409880, 'the hubei': 857693, 'hubei retail': 409881, 'store continued': 807159, 'open through': 612578, 'working vehicle': 1009024, 'vehicle such': 954282, 'such ambulance': 816313, 'task vehicle': 834731, 'vehicle thankyou': 954284, 'continuing to highlight': 201564, 'highlight the helper': 395967, 'helper in our': 391128, 'community in china': 189913, 'china the hubei': 176984, 'the hubei retail': 857694, 'hubei retail store': 409882, 'retail store continued': 718628, 'store continued to': 807160, 'continued to stay': 201366, 'stay open through': 797163, 'open through the': 612579, 'pandemic to offer': 636787, 'offer free service': 594629, 'service to working': 752998, 'to working vehicle': 918821, 'working vehicle such': 1009025, 'vehicle such ambulance': 954283, 'such ambulance police': 816314, 'ambulance police and': 51334, 'police and other': 662907, '19 task vehicle': 11039, 'task vehicle thankyou': 834732, 'mask help': 518796, 'now cdc': 574368, 'oh but the': 596372, 'but the mask': 147361, 'the mask help': 860217, 'mask help now': 518797, 'help now cdc': 390150, 'boston community': 135789, 'any effort': 79161, 'effort underway': 269656, 'underway to': 940980, 'frontline responder': 338813, 'thinking doctor': 885897, 'worker folk': 1006953, 'folk keeping': 312203, 'the electrical': 854175, 'electrical grid': 271133, 'grid running': 363892, 'running etc': 727951, 'to the boston': 916523, 'the boston community': 849891, 'boston community are': 135790, 'community are there': 189741, 'there any effort': 878019, 'any effort underway': 79163, 'effort underway to': 269657, 'underway to send': 940981, 'to send food': 914210, 'send food to': 749861, 'our frontline responder': 623201, 'frontline responder of': 338814, 'responder of the': 715501, 'of the thinking': 591537, 'the thinking doctor': 869475, 'thinking doctor nurse': 885898, 'nurse hospital staff': 577371, 'store worker folk': 811503, 'worker folk keeping': 1006954, 'folk keeping the': 312204, 'keeping the electrical': 472577, 'the electrical grid': 854176, 'electrical grid running': 271134, 'grid running etc': 363893, 'crowbar': 219109, 'the much': 861125, 'in water': 430717, 'like crowbar': 490079, 'crowbar it': 219110, 'pull all': 688847, 'thing apart': 884141, 'apart explains': 81255, 'soap take care': 779120, 'of the much': 591257, 'the much like': 861126, 'much like it': 545054, 'like it take': 490556, 'it take care': 461421, 'care of oil': 164110, 'oil in water': 596875, 'in water it': 430718, 'water it almost': 969047, 'almost like crowbar': 46687, 'like crowbar it': 490080, 'crowbar it start': 219111, 'it start to': 461222, 'start to pull': 794592, 'to pull all': 912492, 'pull all the': 688848, 'the thing apart': 869451, 'thing apart explains': 884142, 'recruit thousand': 705469, 'staff asda': 792224, '19 lidl': 8320, 'lidl also': 488277, 'supermarket to recruit': 823403, 'to recruit thousand': 912999, 'recruit thousand of': 705470, 'thousand of staff': 893463, 'of staff asda': 590017, 'staff asda is': 792225, 'asda is to': 94939, 'is to hire': 453210, 'temporary worker who': 837724, 'covid 19 lidl': 213352, '19 lidl also': 8321, 'lidl also say': 488278, 'also say it': 48829, 'say it want': 738864, 'want to recruit': 966100, 'to recruit 500': 912997, 'recruit 500 staff': 705461, '500 staff to': 20056, 'you arrest': 1017309, 'the bastard': 849327, 'bastard and': 112460, 'do volunteer': 250443, 'volunteer work': 960379, 'hospital icu': 404458, 'you arrest the': 1017310, 'arrest the bastard': 93784, 'the bastard and': 849328, 'bastard and have': 112461, 'have them do': 383066, 'them do volunteer': 875613, 'do volunteer work': 250444, 'volunteer work in': 960380, 'in hospital icu': 423810, 'hospital icu with': 404459, 'nasty stinky': 552066, 'stinky raunchy': 801682, 'raunchy people': 697900, 'were opening': 979945, 'spitting stuff': 789611, 'paper period': 640592, 'those nasty stinky': 892240, 'nasty stinky raunchy': 552067, 'stinky raunchy people': 801683, 'raunchy people who': 697901, 'who were opening': 989963, 'were opening shit': 979946, 'store spitting stuff': 810281, 'spitting stuff out': 789612, 'stuff out and': 815170, 'out and putting': 625686, 'toilet paper period': 921392, 'over imagine': 630306, 'imagine when': 416826, 'shortage start': 765221, 'if people do': 414615, 'people do this': 647682, 'do this over': 250362, 'this over imagine': 889339, 'over imagine when': 630307, 'imagine when the': 416827, 'food shortage start': 316603, 'economic setback': 267270, 'setback of': 753601, 'seeing over': 746401, 'shop team': 760881, 'team human': 835685, 'human 100': 410395, 'bank plus': 110103, 'next zoom': 561741, 'the economic setback': 853914, 'economic setback of': 267271, 'setback of covid': 753602, '19 food bank': 7042, 'are seeing over': 89909, 'seeing over 100': 746402, 'over 100 increase': 629769, 'in demand this': 422162, 'demand this month': 236383, 'this month when': 888924, 'month when you': 538117, 'you shop team': 1021166, 'shop team human': 760882, 'team human 100': 835686, 'human 100 of': 410396, 'the profit will': 864622, 'profit will go': 682896, 'will go directly': 993547, 'directly to food': 243591, 'food bank plus': 313617, 'bank plus you': 110104, 'plus you ll': 661726, 'll need something': 496910, 'need something to': 555611, 'something to wear': 785115, 'wear to your': 974489, 'to your next': 919007, 'your next zoom': 1025010, 'next zoom meeting': 561742, 'webinar alert': 975013, 'is rapidly': 451231, 'changing covid': 172682, '19 progress': 9847, 'progress learn': 683376, 'learn key': 484002, 'key tip': 473427, 'business up': 144586, 'commerce success': 188644, 'success during': 816193, 'and predominantly': 69347, 'predominantly online': 669705, 'webinar alert the': 975014, 'alert the business': 41511, 'the business world': 850185, 'business world we': 144724, 'it is rapidly': 459055, 'is rapidly changing': 451232, 'rapidly changing covid': 696964, 'changing covid 19': 172683, 'covid 19 progress': 213620, '19 progress learn': 9848, 'progress learn key': 683377, 'learn key tip': 484003, 'key tip and': 473428, 'trick for how': 931699, 'to set your': 914297, 'your business up': 1023084, 'business up for': 144587, 'up for commerce': 944922, 'for commerce success': 320180, 'commerce success during': 188645, 'success during these': 816194, 'time of social': 897361, 'distancing and predominantly': 246989, 'and predominantly online': 69348, 'predominantly online shopping': 669706, 'storm while': 811862, 'while ecommerce': 986783, 'brand continue': 137811, 'continue business': 201009, 'usual to': 951044, 'extent see': 293332, 'why big': 990842, 'big online': 129893, 'retailer like': 719236, 'amazon stand': 51128, 'gain the': 342829, 'mortar store have': 541840, 'have closed door': 379996, 'closed door to': 183076, 'door to wait': 255759, 'out the storm': 627424, 'the storm while': 868164, 'storm while ecommerce': 811863, 'while ecommerce and': 986784, 'ecommerce and direct': 266709, 'consumer brand continue': 196652, 'brand continue business': 137812, 'continue business usual': 201010, 'business usual to': 144608, 'usual to some': 951045, 'some extent see': 782797, 'extent see why': 293333, 'see why big': 746073, 'why big online': 990843, 'big online retailer': 129894, 'online retailer like': 608883, 'retailer like amazon': 719237, 'like amazon stand': 489754, 'amazon stand to': 51129, 'stand to gain': 793593, 'to gain the': 906354, 'gain the most': 342830, 'the most during': 860976, 'most during outbreak': 542276, 'indonesia temporarily': 435332, 'temporarily banned': 837436, 'banned export': 110563, 'facemasks sanitizers': 295166, 'ensure domestic': 277914, 'ban is': 109211, 'indonesia temporarily banned': 435333, 'temporarily banned export': 837437, 'banned export of': 110564, 'export of facemasks': 292676, 'of facemasks sanitizers': 583366, 'facemasks sanitizers and': 295167, 'sanitizers and other': 736205, 'medical equipment in': 526152, 'equipment in order': 279753, 'to ensure domestic': 905151, 'ensure domestic supply': 277915, 'domestic supply to': 253237, 'combat the surge': 187053, 'the the ban': 869371, 'the ban is': 849225, 'ban is in': 109212, 'is in place': 448800, 'place until june': 657791, 'stayhuman': 798550, 'crisis revives': 217987, 'revives creativity': 720698, 'creativity auchan': 216208, 'auchan is': 102822, 'france creativity': 330986, 'creativity stayhuman': 216218, 'stayhuman france': 798551, 'crisis revives creativity': 217988, 'revives creativity auchan': 720699, 'creativity auchan is': 216209, 'auchan is supermarket': 102823, 'is supermarket chain': 452457, 'chain in france': 170804, 'in france creativity': 423076, 'france creativity stayhuman': 330987, 'creativity stayhuman france': 216219, 'manlyquarantinesurvivaltips': 513278, 'attention everyone': 102439, 'smart wash': 775447, 'frequently or': 332865, 'sanitizer practice': 735570, 'hard quaratinelife': 378001, 'quaratinelife manlyquarantinesurvivaltips': 693133, 'manlyquarantinesurvivaltips stayathome': 513279, 'attention everyone please': 102440, 'everyone please be': 287281, 'be smart wash': 117239, 'smart wash your': 775448, 'hand frequently or': 374956, 'frequently or use': 332866, 'hand sanitizer practice': 375541, 'sanitizer practice social': 735571, 'home so this': 402089, 'so this virus': 778503, 'this virus doesn': 891006, 'doesn spread it': 251948, 'spread it not': 790592, 'that hard quaratinelife': 844186, 'hard quaratinelife manlyquarantinesurvivaltips': 378002, 'quaratinelife manlyquarantinesurvivaltips stayathome': 693134, 'manlyquarantinesurvivaltips stayathome 19': 513280, 'minister peter': 533438, 'dutton say': 263547, 'say joint': 738871, 'joint police': 467020, 'and border': 59077, 'force operation': 328473, 'catch criminal': 166993, 'syndicate which': 830990, 'market within': 517383, 'within australia': 1002335, 'and overseas': 68582, 'overseas amid': 631459, 'affair minister peter': 34071, 'minister peter dutton': 533439, 'peter dutton say': 653519, 'dutton say joint': 263548, 'say joint police': 738872, 'joint police and': 467021, 'police and border': 662898, 'and border force': 59078, 'border force operation': 135248, 'force operation is': 328474, 'operation is under': 613222, 'is under way': 453468, 'under way to': 940378, 'way to catch': 969996, 'to catch criminal': 902498, 'catch criminal syndicate': 166994, 'criminal syndicate which': 216881, 'syndicate which are': 830991, 'which are hoarding': 985684, 'are hoarding supermarket': 87208, 'hoarding supermarket good': 399562, 'supermarket good and': 820541, 'them to black': 876457, 'to black market': 901834, 'black market within': 132097, 'market within australia': 517384, 'within australia and': 1002336, 'australia and overseas': 103224, 'and overseas amid': 68583, 'overseas amid the': 631460, 'thought on impact': 893164, 'seltzer': 749573, 'lot advertising': 503971, 'advertising about': 33193, 'about effectiveness': 25160, 'effectiveness antimalarial': 269384, 'me remain': 523394, 'remain that': 709878, 'first antimalarial': 308507, 'drug it': 260990, 'actually tonic': 30987, 'water that': 969196, 'contains quinine': 200636, 'quinine and': 694747, 'regular seltzer': 707862, 'seltzer price': 749574, 'price enjoy': 673688, 'it lot advertising': 459465, 'lot advertising about': 503972, 'advertising about effectiveness': 33194, 'about effectiveness antimalarial': 25161, 'effectiveness antimalarial drug': 269385, 'antimalarial drug against': 78525, 'drug against let': 260863, 'against let me': 37535, 'let me remain': 486909, 'me remain that': 523395, 'remain that first': 709879, 'that first antimalarial': 843886, 'first antimalarial drug': 308508, 'antimalarial drug it': 78527, 'drug it actually': 260991, 'it actually tonic': 456264, 'actually tonic water': 30988, 'tonic water that': 924345, 'water that contains': 969197, 'that contains quinine': 843313, 'contains quinine and': 200637, 'quinine and it': 694748, 'and it in': 65538, 'every supermarket on': 286261, 'on the regular': 604329, 'the regular seltzer': 865449, 'regular seltzer price': 707863, 'seltzer price enjoy': 749575, 'consortium': 195559, 'blitzspirit': 132743, 'british retail': 140585, 'retail consortium': 717983, 'consortium brc': 195560, 'brc said': 138350, 'staff had': 792509, 'abuse in': 27643, 'that retailer': 846039, 'smoothly possible': 775958, 'famous blitzspirit': 298451, 'blitzspirit eh': 132744, 'the british retail': 850033, 'british retail consortium': 140586, 'retail consortium brc': 717984, 'consortium brc said': 195561, 'brc said staff': 138351, 'said staff had': 731371, 'staff had been': 792510, 'had been the': 372914, 'victim of abuse': 956490, 'of abuse in': 579727, 'abuse in recent': 27644, 'recent day but': 703856, 'but that retailer': 147296, 'that retailer are': 846040, 'retailer are working': 719022, 'with the police': 1001431, 'police to keep': 663252, 'keep store running': 471978, 'store running smoothly': 809942, 'running smoothly possible': 728072, 'smoothly possible that': 775959, 'possible that famous': 665807, 'that famous blitzspirit': 843833, 'famous blitzspirit eh': 298452, 'slug': 774654, 'finally run': 306088, 're planning': 699264, 'planning tomorrow': 658592, 'tomorrow garden': 924090, 'garden hunt': 343604, 'for sunday': 325991, 'sunday dinner': 818184, 'dinner what': 243110, 'the slug': 867346, 'slug soup': 774655, 'soup or': 786400, 'or stew': 617219, 'the meat ha': 860381, 'meat ha finally': 525607, 'ha finally run': 370624, 'finally run out': 306089, 'run out at': 727752, 'you re planning': 1020703, 're planning tomorrow': 699267, 'planning tomorrow garden': 658593, 'tomorrow garden hunt': 924091, 'garden hunt for': 343605, 'hunt for sunday': 411362, 'for sunday dinner': 325992, 'sunday dinner what': 818185, 'dinner what will': 243111, 'with the slug': 1001481, 'the slug soup': 867347, 'slug soup or': 774656, 'soup or stew': 786402, 'many pub': 514606, 'pub cafe': 687679, 'equipment glove': 279738, 'glove apron': 352590, 'apron mask': 83748, 'visor that': 959613, 'certain task': 170107, 'task couldn': 834672, 'couldn they': 209931, 'going nh': 355281, 'nh home': 561976, 'home carers': 400881, 'carers pharmacy': 164606, 'many pub cafe': 514607, 'pub cafe restaurant': 687680, 'cafe restaurant etc': 155128, 'restaurant etc will': 716453, 'etc will have': 282891, 'will have ppe': 993663, 'have ppe equipment': 382012, 'ppe equipment glove': 667940, 'equipment glove apron': 279739, 'glove apron mask': 352591, 'apron mask visor': 83749, 'mask visor that': 519487, 'visor that are': 959614, 'are used for': 91397, 'used for certain': 949900, 'for certain task': 319999, 'certain task couldn': 170108, 'task couldn they': 834673, 'couldn they now': 209932, 'they now be': 882796, 'now be given': 574199, 'be given to': 115034, 'given to the': 351189, 'to the frontline': 916730, 'the frontline staff': 855887, 'frontline staff that': 338831, 'our country going': 622593, 'country going nh': 210694, 'going nh home': 355282, 'nh home carers': 561977, 'home carers pharmacy': 400882, 'carers pharmacy supermarket': 164607, 'pharmacy supermarket worker': 654493, 'worker etc 19': 1006866, 'perceived danger': 651095, 'danger about': 225633, 'uae however': 937758, 'however downplayed': 409360, 'downplayed slightly': 257676, 'slightly by': 773942, 'youth and': 1026846, 'and westerner': 75440, 'westerner the': 980657, 'majority feel': 509543, 'become crisis': 119956, 'but concern': 145439, 'higher among': 395539, 'among youth': 53118, 'local download': 497906, 'download full': 257588, 'perceived danger about': 651096, 'danger about is': 225634, 'about is high': 25552, 'is high in': 448446, 'high in uae': 395135, 'in uae however': 430366, 'uae however downplayed': 937759, 'however downplayed slightly': 409361, 'downplayed slightly by': 257677, 'slightly by the': 773944, 'by the youth': 154488, 'the youth and': 872213, 'youth and westerner': 1026849, 'and westerner the': 75441, 'westerner the majority': 980658, 'the majority feel': 859945, 'majority feel the': 509544, 'feel the state': 302891, 'of the will': 591620, 'the will not': 871579, 'not become crisis': 568498, 'become crisis but': 119957, 'crisis but concern': 217146, 'but concern is': 145440, 'concern is higher': 193005, 'is higher among': 448453, 'higher among youth': 395540, 'among youth and': 53119, 'youth and local': 1026848, 'and local download': 66292, 'local download full': 497907, 'download full report': 257589, 'of dining area': 582625, 'dining area in': 243009, 'area in restaurant': 92069, 'also great': 48290, 'you also great': 1016946, 'also great time': 48292, 'coronavirus hundred': 206102, 'hundred request': 411028, 'request virus': 713230, 'check after': 174357, 'after kaikohe': 35848, 'kaikohe supermarket': 470669, '19 coronavirus hundred': 6104, 'coronavirus hundred request': 206103, 'hundred request virus': 411029, 'request virus check': 713231, 'virus check after': 958054, 'check after kaikohe': 174358, 'after kaikohe supermarket': 35849, 'kaikohe supermarket worker': 470670, 'biso': 131517, 'need biso': 554547, 'of need biso': 586902, 'than by': 840430, 'opening new': 612881, 'new revenue': 559495, 'revenue channel': 720390, 'channel from': 172886, 'effort than by': 269594, 'than by opening': 840432, 'by opening new': 153446, 'opening new revenue': 612882, 'new revenue channel': 559496, 'revenue channel from': 720391, 'channel from this': 172887, 'driven me': 259328, 'to pour': 911939, 'pour yet': 667442, 'toilet roll ha': 921573, 'roll ha driven': 725322, 'ha driven me': 370451, 'driven me to': 259329, 'me to pour': 523770, 'to pour yet': 911940, 'pour yet another': 667443, 'pls one': 661162, 'penalty incase': 646444, 'ji pls one': 465460, 'pls one month': 661163, 'or penalty incase': 616533, 'zoopla': 1027869, 'paralyse': 641351, 'zoopla warns': 1027870, 'warns will': 967314, 'will paralyse': 994372, 'paralyse uk': 641352, 'zoopla warns will': 1027871, 'warns will paralyse': 967315, 'will paralyse uk': 994373, 'paralyse uk property': 641353, 'comparatively': 191383, 'consensus': 194824, 'remain comparatively': 709729, 'comparatively low': 191384, 'if consensus': 413979, 'consensus on': 194825, 'made global': 507761, 'is declining': 447061, 'declining amid': 231456, 'situation expert': 772264, 'may remain comparatively': 521452, 'remain comparatively low': 709730, 'comparatively low even': 191385, 'low even if': 505274, 'even if consensus': 284200, 'if consensus on': 413980, 'consensus on supply': 194826, 'on supply cut': 603822, 'supply cut is': 825135, 'cut is made': 223398, 'is made global': 449506, 'made global demand': 507762, 'global demand especially': 351864, 'demand especially in': 235297, 'especially in is': 280526, 'in is declining': 424167, 'is declining amid': 447062, 'declining amid 19': 231457, 'amid 19 situation': 52378, '19 situation expert': 10574, 'case relate': 165979, 'scam after': 739967, 'people reported': 649277, 'product never': 681434, 'arrived 19': 93938, 'of case relate': 581173, 'case relate to': 165980, 'shopping scam after': 763805, 'scam after people': 739968, 'after people reported': 36034, 'people reported that': 649279, 'reported that their': 712540, 'that their order': 846881, 'their order of': 874138, 'order of face': 618443, 'sanitisers and other': 734064, 'other product never': 620775, 'product never arrived': 681435, 'never arrived 19': 557866, 'ampr': 54914, 'mortimer': 541975, 'callaghan': 156268, 'beginning feature': 123621, 'feature ampr': 301533, 'ampr gary': 54915, 'gary mortimer': 343741, 'mortimer and': 541976, 'school michael': 741867, 'michael callaghan': 530225, 'why the knock': 991423, 'on effect from': 600525, 'is just beginning': 449121, 'just beginning feature': 468323, 'beginning feature ampr': 123622, 'feature ampr gary': 301534, 'ampr gary mortimer': 54916, 'gary mortimer and': 343742, 'mortimer and school': 541977, 'and school michael': 71076, 'school michael callaghan': 741868, 'grown during': 367279, 'crisis now': 217770, 'that overall': 845619, 'overall transaction': 631042, 'transformation read': 929576, 'banking ha grown': 110431, 'ha grown during': 370780, 'grown during this': 367280, 'this crisis now': 887068, 'crisis now that': 217771, 'now that overall': 576012, 'that overall transaction': 845620, 'overall transaction volume': 631043, 'transaction volume is': 929481, 'volume is low': 960144, 'is low it': 449476, 'low it is': 505364, 'is time for': 453162, 'for digital transformation': 320711, 'digital transformation read': 242674, 'transformation read more': 929577, 'organizational': 619456, 'rmcoeh': 724295, 'dr joseph': 258043, 'joseph allen': 467322, 'allen professor': 45741, 'industrial organizational': 435557, 'organizational psychology': 619457, 'psychology here': 687560, 'the rmcoeh': 865911, 'rmcoeh discus': 724296, 'the ethical': 854548, 'ethical and': 283064, 'emotional complexity': 273274, 'input mag': 438981, 'dr joseph allen': 258044, 'joseph allen professor': 467323, 'allen professor of': 45742, 'professor of industrial': 682576, 'of industrial organizational': 585147, 'industrial organizational psychology': 435558, 'organizational psychology here': 619458, 'psychology here at': 687561, 'here at the': 392792, 'at the rmcoeh': 101082, 'the rmcoeh discus': 865912, 'rmcoeh discus the': 724297, 'discus the ethical': 244916, 'the ethical and': 854549, 'ethical and emotional': 283065, 'and emotional complexity': 62047, 'emotional complexity of': 273275, 'complexity of shopping': 192427, 'of shopping amid': 589658, 'pandemic in this': 635711, 'this interview with': 888150, 'interview with input': 442263, 'with input mag': 999014, 'velodomestique': 954319, 'group ride': 366866, 'ride squad': 721461, 'squad last': 791446, 'night friendly': 562999, 'friendly but': 333944, 'too friendly': 924751, 'friendly social': 333999, 'social ride': 779935, 'ride every': 721432, 'wednesday 7pm': 975601, '7pm meet': 22504, 'at keep': 99360, 'out supportlocal': 627286, 'supportlocal velodomestique': 827269, 'velodomestique nighttime': 954320, 'nighttime cycling': 563202, 'group ride squad': 366867, 'ride squad last': 721462, 'squad last night': 791447, 'last night friendly': 480373, 'night friendly but': 563000, 'friendly but not': 333946, 'but not too': 146576, 'not too friendly': 572222, 'too friendly social': 924752, 'friendly social distancing': 334000, 'distancing social ride': 247490, 'social ride every': 779936, 'ride every wednesday': 721433, 'every wednesday 7pm': 286355, 'wednesday 7pm meet': 975602, '7pm meet at': 22505, 'meet at keep': 527419, 'at keep coming': 99361, 'keep coming out': 471413, 'coming out supportlocal': 188164, 'out supportlocal velodomestique': 627287, 'supportlocal velodomestique nighttime': 827270, 'velodomestique nighttime cycling': 954321, 'overweegt': 631690, 'aantal': 24112, 'pakken': 634542, 'klant': 475881, 'beperken': 127272, 'colruyt overweegt': 186871, 'overweegt aantal': 631691, 'aantal pakken': 24113, 'pakken toiletpapier': 634543, 'toiletpapier per': 923354, 'per klant': 650911, 'klant te': 475882, 'te beperken': 835321, 'colruyt overweegt aantal': 186872, 'overweegt aantal pakken': 631692, 'aantal pakken toiletpapier': 24114, 'pakken toiletpapier per': 634544, 'toiletpapier per klant': 923355, 'per klant te': 650912, 'klant te beperken': 475883, 'descent': 237918, 'online one': 608612, 'his time': 397859, 'online documenting': 608120, 'documenting his': 251249, 'his descent': 397356, 'descent into': 237919, 'lockdown life': 499594, 'in dundalk': 422412, 'dundalk please': 262268, 'more time shopping': 540773, 'shopping online one': 763463, 'online one man': 608614, 'one man is': 606638, 'man is spending': 512123, 'is spending his': 452157, 'spending his time': 788848, 'his time online': 397860, 'time online documenting': 897407, 'online documenting his': 608121, 'documenting his descent': 251250, 'his descent into': 397357, 'descent into lockdown': 237920, 'into lockdown life': 442714, 'lockdown life in': 499595, 'life in dundalk': 488756, 'in dundalk please': 422413, 'dundalk please do': 262269, 'please do what': 659903, 'up full': 945000, 'full hazmat': 340625, 'hazmat shopping': 384615, 'dressed up full': 258704, 'up full hazmat': 945001, 'full hazmat shopping': 340626, 'hazmat shopping at': 384616, 'utica': 951233, 'upstate': 947870, '315': 17630, 'boreantine': 135323, 'balognavirus': 109124, 'walkingtour': 965136, 'there seen': 879030, 'store grocerystore': 807979, 'grocerystore utica': 366337, 'utica cny': 951234, 'cny upstate': 184793, 'upstate 315': 947871, '315 quarantine': 17631, 'quarantine quarantine2020': 692456, 'quarantine2020 boreantine': 692729, 'boreantine balognavirus': 135324, 'balognavirus walkingtour': 109125, 'shit getting weird': 759111, 'getting weird it': 349439, 'weird it there': 977766, 'it there seen': 461615, 'there seen at': 879031, 'grocery store grocerystore': 365444, 'store grocerystore utica': 807980, 'grocerystore utica cny': 366338, 'utica cny upstate': 951235, 'cny upstate 315': 184794, 'upstate 315 quarantine': 947872, '315 quarantine quarantine2020': 17632, 'quarantine quarantine2020 boreantine': 692457, 'quarantine2020 boreantine balognavirus': 692730, 'boreantine balognavirus walkingtour': 135325, 'retard': 719627, 'raping': 697045, 'be pasta': 116367, 'and tinned': 74130, 'tinned product': 898631, 'shelf tomorrow': 757713, 'the dick': 853245, 'dick head': 240463, 'head retard': 385813, 'retard panic': 719630, 'buyer will': 149804, 'be raping': 116679, 'raping the': 697046, 'booze shelf': 135178, 'will be pasta': 992601, 'be pasta and': 116368, 'pasta and tinned': 643688, 'and tinned product': 74131, 'tinned product on': 898632, 'supermarket shelf tomorrow': 822551, 'shelf tomorrow and': 757714, 'tomorrow and there': 924025, 'shortage of these': 765138, 'these product the': 880562, 'product the dick': 681707, 'the dick head': 853246, 'dick head retard': 240464, 'head retard panic': 385814, 'retard panic buyer': 719631, 'panic buyer will': 637618, 'buyer will be': 149805, 'will be raping': 992632, 'be raping the': 116680, 'raping the booze': 697047, 'the booze shelf': 849866, 'booze shelf 19': 135179, 'dtc ecommerce': 261393, 'ecommerce more': 266809, 'accelerating digital': 27907, 'digital grocery': 242577, 'grocery hit': 364591, 'hit 23': 398099, '23 billion': 15380, 'were forecast': 979655, 'hit 59': 398114, 'in 2023': 419875, 'dtc ecommerce more': 261394, 'ecommerce more people': 266810, 'the spread the': 867640, 'spread the demand': 790822, 'demand for pickup': 235474, 'delivery is accelerating': 234132, 'is accelerating digital': 445308, 'accelerating digital grocery': 27908, 'digital grocery hit': 242578, 'grocery hit 23': 364592, 'hit 23 billion': 398100, '23 billion in': 15381, 'in sale in': 427657, 'sale in 2018': 732291, '2018 and were': 13875, 'and were forecast': 75434, 'were forecast to': 979656, 'forecast to hit': 328879, 'to hit 59': 907840, 'hit 59 billion': 398115, '59 billion in': 20565, 'billion in 2023': 130838, 'lockdown make': 499635, 'make alcoholic': 509650, 'alcoholic man': 41212, 'man drink': 512051, 'drink hand': 258833, 'sanitiser dy': 733945, 'dy tamilnadu': 263753, 'tamilnadu coimbatore': 834110, 'coimbatore india': 185614, 'india sanitizer': 434600, 'lockdown make alcoholic': 499636, 'make alcoholic man': 509651, 'alcoholic man drink': 41213, 'man drink hand': 512052, 'drink hand sanitiser': 258834, 'hand sanitiser dy': 375228, 'sanitiser dy tamilnadu': 733946, 'dy tamilnadu coimbatore': 263754, 'tamilnadu coimbatore india': 834111, 'coimbatore india sanitizer': 185615, 'india sanitizer 19': 434601, 'asian establishment': 95275, 'establishment quadrupling': 282070, 'quadrupling their': 691678, 'item coronacrisis': 463191, 'me to all': 523742, 'all the south': 44915, 'the south asian': 867507, 'south asian establishment': 786688, 'asian establishment quadrupling': 95276, 'establishment quadrupling their': 282071, 'quadrupling their price': 691679, 'essential item coronacrisis': 281194, 'probl': 679439, 'cnn ha': 184759, 'hysteria we': 412487, 'flu so': 311458, 'more probl': 540142, 'wait cnn ha': 964091, 'cnn ha the': 184760, 'buy food get': 148649, 'food get toilet': 314655, 'paper we are': 641065, 'they spread mass': 883431, 'mass hysteria we': 519792, 'hysteria we have': 412488, 'more people that': 540044, 'that have died': 844204, 'the flu so': 855462, 'flu so far': 311459, 'this year than': 891595, 'year than covid': 1014987, 'panic cause more': 638000, 'cause more probl': 167663, 'time across': 896197, 'need to shop': 556069, 'for grocery here': 322035, 'grocery here are': 364589, 'here are new': 392747, 'are new grocery': 88223, 'store time across': 810740, 'time across the': 896198, 'across the area': 29481, 'the area due': 848879, 'flashpoint': 310050, 'staff ppe': 792778, 'ppe supermarket': 668062, 'now becoming': 574220, 'becoming flashpoint': 120296, 'flashpoint for': 310051, 'for crowd': 320465, 'gathering potentially': 344497, 'be limit': 115755, 'limit in': 492369, 'entering each': 278399, 'you help get': 1019193, 'help get the': 389801, 'message out to': 529393, 'to get supermarket': 906607, 'get supermarket staff': 348148, 'supermarket staff ppe': 822880, 'staff ppe supermarket': 792779, 'ppe supermarket are': 668063, 'are now becoming': 88527, 'now becoming flashpoint': 574221, 'becoming flashpoint for': 120297, 'flashpoint for crowd': 310052, 'for crowd of': 320466, 'of people gathering': 587917, 'people gathering potentially': 648032, 'gathering potentially spreading': 344498, '19 there also': 11284, 'there also need': 877973, 'to be limit': 901366, 'be limit in': 115756, 'limit in the': 492370, 'people entering each': 647806, 'foschinigroup': 330073, 'the foschinigroup': 855723, 'foschinigroup confirmed': 330074, 'suspend store': 829585, 'rental payment': 711254, 'the lockdownsouthafrica': 859642, 'lockdownsouthafrica cre': 500383, 'cre retail': 215511, 'retail commercialrealestate': 717969, 'commercialrealestate realestatenews': 188765, 'realestatenews jse': 701564, 'jse realestate': 467571, 'realestate lockdownsa': 701492, 'lockdownsa convid19': 500365, 'the foschinigroup confirmed': 855724, 'foschinigroup confirmed that': 330075, 'it ha decided': 458389, 'decided to suspend': 230933, 'to suspend store': 916069, 'suspend store rental': 829586, 'store rental payment': 809820, 'rental payment due': 711255, 'to the lockdownsouthafrica': 916855, 'the lockdownsouthafrica cre': 859643, 'lockdownsouthafrica cre retail': 500384, 'cre retail commercialrealestate': 215512, 'retail commercialrealestate realestatenews': 717970, 'commercialrealestate realestatenews jse': 188766, 'realestatenews jse realestate': 701565, 'jse realestate lockdownsa': 467572, 'realestate lockdownsa convid19': 701493, 'advocate say': 33849, 'say congress': 738530, 'congress ha': 194505, 'protect child': 684797, 'or suffering': 617265, 'pandemic societal': 636506, 'consumer advocate say': 196069, 'advocate say congress': 33850, 'say congress ha': 738531, 'congress ha not': 194506, 'ha not done': 371363, 'not done enough': 569096, 'to protect child': 912296, 'protect child from': 684798, 'child from getting': 176091, 'from getting covid': 335626, '19 or suffering': 9030, 'or suffering from': 617266, 'the pandemic societal': 863101, 'pandemic societal impact': 636507, 'unis': 942023, 'other unis': 621154, 'unis in': 942024, 'have transitioned': 383393, 'transitioned to': 929690, 'class except': 180182, 'except mine': 289200, 'mine where': 532941, 'still compulsory': 800391, 'attend face': 102303, 'face lecture': 294498, 'lecture and': 485202, 'and tutorial': 74537, 'tutorial and': 936051, 'rate gonna': 697236, 'all other unis': 43791, 'other unis in': 621155, 'unis in the': 942025, 'the state have': 867782, 'state have transitioned': 795658, 'have transitioned to': 383394, 'transitioned to online': 929691, 'to online class': 910931, 'online class except': 608012, 'class except mine': 180183, 'except mine where': 289201, 'mine where it': 532942, 'where it still': 984973, 'it still compulsory': 461248, 'still compulsory to': 800392, 'compulsory to attend': 192721, 'to attend face': 900818, 'attend face to': 102304, 'to face lecture': 905567, 'face lecture and': 294499, 'lecture and tutorial': 485203, 'and tutorial and': 74538, 'tutorial and also': 936052, 'and also work': 57980, 'also work in': 49112, 'supermarket at this': 819254, 'this rate gonna': 889803, 'rate gonna get': 697237, 'gonna get covid': 356530, 'tupac': 935483, '5th store': 20831, 'if searching': 414755, 'or tupac': 617551, 'tupac at': 935484, 'point stop': 662631, 'stop panicshopping': 804900, '5th store ve': 20832, 'been in and': 121333, 'in and cannot': 420356, 'and cannot remember': 59517, 'cannot remember if': 162058, 'remember if searching': 710213, 'if searching for': 414756, 'searching for toiletpaper': 743337, 'toiletpaper or tupac': 922285, 'or tupac at': 617552, 'tupac at this': 935485, 'this point stop': 889644, 'point stop panicshopping': 662632, 'toystore': 927719, 'wereopen': 980426, 'kidstoys': 474276, 'le toy': 483211, 'toy van': 927702, 'van wooden': 952320, 'wooden toy': 1004292, 'toy back': 927666, 'stock enjoy': 802080, 'enjoy our': 277165, 'our selection': 624702, 'of wood': 593228, 'wood toy': 1004287, 'toy at': 927664, 'price toystore': 677103, 'toystore toy': 927720, 'toy game': 927682, 'game smallbusiness': 343249, 'smallbusiness wereopen': 775236, 'wereopen kidstoys': 980427, 'le toy van': 483212, 'toy van wooden': 927703, 'van wooden toy': 952321, 'wooden toy back': 1004293, 'toy back in': 927667, 'in stock enjoy': 428297, 'stock enjoy our': 802081, 'enjoy our selection': 277166, 'our selection of': 624703, 'selection of wood': 747529, 'of wood toy': 593229, 'wood toy at': 1004288, 'toy at the': 927665, 'lowest price toystore': 506217, 'price toystore toy': 677104, 'toystore toy game': 927721, 'toy game smallbusiness': 927683, 'game smallbusiness wereopen': 343250, 'smallbusiness wereopen kidstoys': 775237, 'panic follow': 638105, 'the ncdc': 861338, 'ncdc amp': 553312, 'amp who': 54841, 'who advice': 988032, 'advice farm': 33359, 'farm fresh': 299120, 'fresh agric': 332909, 'agric product': 38860, 'govt is shutting': 361168, 'shutting down market': 768267, 'down market etc': 256947, 'market etc in': 516343, 'etc in this': 282608, 'in this season': 430008, 'this season to': 889994, 'season to curb': 743452, 'pandemic stay calm': 636537, 'don panic follow': 253803, 'panic follow all': 638106, 'all the ncdc': 44836, 'the ncdc amp': 861339, 'ncdc amp who': 553313, 'amp who advice': 54842, 'who advice farm': 988033, 'advice farm fresh': 33360, 'farm fresh agric': 299121, 'fresh agric product': 332910, 'agric product available': 38861, 'available to stock': 104659, 'adexchanger': 32203, 'stay adexchanger': 796743, 'to stay adexchanger': 915267, 'capt': 162910, 'drug firing': 260946, 'firing ig': 308290, 'ig capt': 415662, 'capt cg': 162911, 'cg 52': 170372, '52 lost': 20249, 'lost battle': 503829, 'virus distraction': 958130, 'failing economy': 296202, 'economy dropping': 267817, 'ask not': 95593, 'smart just': 775390, 'just shiny': 469777, 'shiny useless': 758644, 'useless object': 950238, 'object meant': 578410, 'distract dr': 247883, 'fauci give': 300358, 'give truth': 350802, 'power wh': 667732, 'wh willful': 980913, 'willful ignorance': 995410, 'ignorance kill': 415756, 'kill usn': 474544, 'war on drug': 966503, 'on drug firing': 600428, 'drug firing ig': 260947, 'firing ig capt': 308291, 'ig capt cg': 415663, 'capt cg 52': 162912, 'cg 52 lost': 170373, '52 lost battle': 20250, 'lost battle with': 503830, 'battle with virus': 112846, 'with virus distraction': 1001988, 'virus distraction from': 958131, 'distraction from failing': 247907, 'from failing economy': 335388, 'failing economy dropping': 296203, 'economy dropping oil': 267818, 'at home ask': 98941, 'home ask not': 400740, 'ask not smart': 95594, 'not smart just': 571614, 'smart just shiny': 775391, 'just shiny useless': 469778, 'shiny useless object': 758645, 'useless object meant': 950239, 'object meant to': 578411, 'meant to distract': 524907, 'to distract dr': 904436, 'distract dr fauci': 247884, 'dr fauci give': 258016, 'fauci give truth': 300359, 'give truth to': 350803, 'truth to power': 934412, 'to power wh': 911946, 'power wh willful': 667733, 'wh willful ignorance': 980914, 'willful ignorance kill': 995411, 'ignorance kill usn': 415757, 'wei': 977659, 'the wei': 871350, 'wei market': 977660, 'in milton': 425329, 'milton ha': 532477, 'chain confirmed': 170606, 'confirmed this': 194204, 'employee who worked': 274437, 'at the wei': 101150, 'the wei market': 871351, 'wei market store': 977661, 'store in milton': 808341, 'in milton ha': 425330, 'milton ha been': 532478, 'grocery chain confirmed': 364358, 'chain confirmed this': 170607, 'confirmed this afternoon': 194205, 'do nigerian': 249643, 'nigerian transport': 562894, 'transport manager': 929903, 'manager have': 512723, 'given crisis': 350975, 'increased fuel': 433332, 'hike they': 396286, 'they remove': 883198, 'remove subsidy': 710834, 'subsidy price': 816015, 'hike but': 396198, 'reduced fuel': 706086, 'price nothing': 675375, 'nothing covid': 572989, 'here price': 393473, 'price fucking': 674129, 'fucking hike': 339892, 'why do nigerian': 990931, 'do nigerian transport': 249644, 'nigerian transport manager': 562895, 'transport manager have': 929904, 'manager have thing': 512724, 'thing to hike': 884891, 'hike price in': 396260, 'price in any': 674661, 'in any given': 420424, 'any given crisis': 79277, 'given crisis they': 350976, 'crisis they increased': 218214, 'they increased fuel': 882457, 'increased fuel price': 433333, 'fuel price price': 340247, 'price price hike': 675992, 'price hike they': 674538, 'hike they remove': 396287, 'they remove subsidy': 883200, 'remove subsidy price': 710835, 'subsidy price hike': 816016, 'price hike but': 674527, 'hike but they': 396200, 'but they reduced': 147515, 'they reduced fuel': 883180, 'reduced fuel price': 706087, 'fuel price nothing': 340242, 'price nothing covid': 675376, 'nothing covid 19': 572990, 'is here price': 448427, 'here price fucking': 393475, 'price fucking hike': 674130, 'else over': 271830, 'seeing tv': 746529, 'tv advertising': 936078, 'advertising for': 33228, 'the reminder': 865499, 'anyone else over': 80281, 'else over seeing': 271831, 'over seeing tv': 630605, 'seeing tv advertising': 746530, 'tv advertising for': 936079, 'advertising for food': 33229, 'for food that': 321640, 'of stock do': 590156, 'stock do we': 802050, 'need the reminder': 555753, 'newcomer': 560040, '9057325337': 23416, 'for newcomer': 323843, 'newcomer from': 560041, 'from regarding': 337058, 'suspicious phone': 829724, 'email please': 272274, 'by 9057325337': 151719, '9057325337 org': 23417, 'information for newcomer': 437828, 'for newcomer from': 323844, 'newcomer from regarding': 560042, 'from regarding covid': 337059, 'receive suspicious phone': 703550, 'suspicious phone call': 829725, 'phone call or': 654929, 'or email please': 615147, 'email please do': 272275, 'hesitate to call': 394274, 'to call and': 902375, 'call and ask': 155759, 'ask for advice': 95522, 'for advice we': 319047, 'advice we are': 33551, 'available by 9057325337': 104277, 'by 9057325337 org': 151720, '00 people people': 415, 'social worker you': 780026, 'cinnamontea': 178577, 'cinnamonoil': 178574, 'do except': 249273, 'except relieve': 289215, 'relieve some': 709536, 'some stress': 783970, 'stress with': 813426, 'some corona': 782601, 'virus humor': 958302, 'humor thankfully': 410923, 'thankfully the': 841963, 'still ship': 801174, 'product humor': 681267, 'humor joke': 410888, 'joke cinnamontea': 467069, 'cinnamontea cinnamonoil': 178578, 'cinnamonoil toiletroll': 178575, 'toiletroll toiletpaper': 923386, 'to do except': 904503, 'do except relieve': 249274, 'except relieve some': 289216, 'relieve some stress': 709537, 'some stress with': 783971, 'stress with some': 813427, 'with some corona': 1000839, 'some corona virus': 782603, 'corona virus humor': 204318, 'virus humor thankfully': 958303, 'humor thankfully the': 410924, 'thankfully the post': 841964, 'post office is': 666238, 'office is still': 595463, 'still open so': 800973, 'open so we': 612508, 'can still ship': 159792, 'still ship our': 801175, 'ship our product': 758707, 'our product humor': 624481, 'product humor joke': 681268, 'humor joke cinnamontea': 410889, 'joke cinnamontea cinnamonoil': 467070, 'cinnamontea cinnamonoil toiletroll': 178579, 'cinnamonoil toiletroll toiletpaper': 178576, 'conviva': 202685, 'coronavirus shelter': 206749, 'month nationally': 537875, 'nationally but': 552691, 'already massively': 47523, 'changing thanks': 172805, 'covering conviva': 212464, 'conviva covid': 202686, 'social streaming': 779975, 'streaming report': 812844, 'coronavirus shelter in': 206750, 'place order have': 657636, 'place for le': 657442, 'than month nationally': 840905, 'month nationally but': 537876, 'nationally but consumer': 552692, 'but consumer medium': 145451, 'consumer medium habit': 198118, 'medium habit are': 527129, 'habit are already': 372567, 'are already massively': 84417, 'already massively changing': 47524, 'massively changing thanks': 520171, 'changing thanks to': 172806, 'and for covering': 63137, 'for covering conviva': 320429, 'covering conviva covid': 212465, 'conviva covid 19': 202687, '19 social streaming': 10669, 'social streaming report': 779976, 'employee explains': 273828, 'point supermarket employee': 662635, 'supermarket employee explains': 820121, 'employee explains what': 273829, 'ardmore': 84085, 'ormeau': 619648, 'see ardmore': 744938, 'ardmore pharmacy': 84086, 'on ormeau': 602550, 'ormeau rd': 619649, 'rd selling': 698143, 'calpol at': 156902, 'charge pleasant': 173308, 'pleasant surprise': 659616, 'surprise given': 828522, 'given all': 350942, 'retailer blowing': 719043, 'blowing up': 133388, 'one recipe': 606947, 'recipe they': 704506, 'deserve praise': 238102, 'praise thank': 668868, 'to see ardmore': 913986, 'see ardmore pharmacy': 744939, 'ardmore pharmacy on': 84087, 'pharmacy on ormeau': 654385, 'on ormeau rd': 602551, 'ormeau rd selling': 619650, 'rd selling calpol': 698144, 'selling calpol at': 749191, 'calpol at reduced': 156903, 'price and free': 672418, 'of charge pleasant': 581289, 'charge pleasant surprise': 173309, 'pleasant surprise given': 659617, 'surprise given all': 828523, 'given all the': 350944, 'story of retailer': 812071, 'of retailer blowing': 589063, 'retailer blowing up': 719044, 'blowing up price': 133389, 'recent day while': 703870, 'day while they': 228751, 'are open to': 88807, 'open to one': 612599, 'to one on': 910917, 'one on one': 606784, 'on one recipe': 602513, 'one recipe they': 606948, 'recipe they deserve': 704507, 'they deserve praise': 881903, 'deserve praise thank': 238104, 'praise thank you': 668869, 'recruiting let': 705492, 'buying panicbuy': 150870, 'panicbuy coronacrisis': 638832, 'said it again': 731145, 'it again and': 456304, 'and again there': 57771, 'last the supermarket': 480539, 'open and even': 612056, 'even recruiting let': 284514, 'recruiting let stop': 705493, 'panic buying panicbuy': 637838, 'buying panicbuy coronacrisis': 150871, 'that ration': 845944, 'ration my': 697711, 'one square': 607077, 'square per': 791488, 'per bathroom': 650713, 'bathroom trip': 112682, 'assume use': 97030, 'wipe come': 996213, 'square of': 791485, 'no stayathome': 565575, 'if were to': 415350, 'were to tweet': 980272, 'to tweet that': 917861, 'tweet that ration': 936408, 'that ration my': 845945, 'ration my toiletpaper': 697712, 'my toiletpaper to': 550395, 'toiletpaper to one': 922622, 'to one square': 910922, 'one square per': 607079, 'square per bathroom': 791489, 'per bathroom trip': 650714, 'bathroom trip you': 112683, 'trip you might': 932228, 'you might well': 1019858, 'might well just': 531170, 'well just assume': 978349, 'just assume use': 468241, 'assume use my': 97031, 'use my hand': 949383, 'hand to wipe': 375880, 'to wipe come': 918623, 'wipe come on': 996214, 'on people one': 602744, 'people one square': 648983, 'one square of': 607078, 'square of toilet': 791487, 'paper no stayathome': 640502, 'we brit': 970868, 'brit do': 140331, 'seriously be': 751547, 'careful stayhomechallenge': 164436, 'stayhomechallenge selfquarantine': 798278, 'selfisolation stoppanicbuying': 748499, 'all still need': 44465, 'to laugh because': 909091, 'laugh because that': 481710, 'what we brit': 982541, 'we brit do': 970869, 'brit do best': 140332, 'do best but': 249128, 'but please take': 146806, 'take this advice': 832707, 'this advice seriously': 886219, 'advice seriously be': 33492, 'seriously be careful': 751549, 'be careful stayhomechallenge': 113998, 'careful stayhomechallenge selfquarantine': 164437, 'stayhomechallenge selfquarantine selfisolation': 798279, 'selfquarantine selfisolation stoppanicbuying': 748573, 'moralmoney': 538433, 'on loo': 601936, 'our reader': 624540, 'reader being': 700683, 'being helpful': 125228, 'helpful or': 391214, 'view so': 957159, 'comment of': 188434, 'latest moralmoney': 481438, 'should we stock': 766654, 'up on loo': 945588, 'on loo roll': 601937, 'and pasta to': 68763, 'pasta to help': 643830, 'help our elderly': 390228, 'our elderly neighbour': 622867, 'elderly neighbour is': 270780, 'neighbour is our': 557225, 'is our reader': 450638, 'our reader being': 624541, 'reader being helpful': 700684, 'being helpful or': 125229, 'helpful or putting': 391215, 'or putting others': 616754, 'risk we want': 724008, 'we want your': 973753, 'want your view': 966188, 'your view so': 1026279, 'view so let': 957160, 'so let know': 777544, 'know below and': 476302, 'below and in': 126590, 'the comment of': 851214, 'comment of the': 188435, 'the latest moralmoney': 859128, 'evp': 288595, 'join scott': 466834, 'knaul evp': 475995, 'evp of': 288596, 'retail solution': 718582, 'retail touch': 718797, 'touch point': 926520, 'point tomorrow': 662683, 'tomorrow they': 924202, 'they explore': 882078, 'explore insight': 292485, 'retailer navigating': 719250, 'navigating store': 553125, 'closing layoff': 183684, 'join scott knaul': 466835, 'scott knaul evp': 742453, 'knaul evp of': 475996, 'evp of retail': 288597, 'of retail solution': 589054, 'retail solution and': 718583, 'solution and retail': 781994, 'and retail touch': 70447, 'retail touch point': 718798, 'touch point tomorrow': 926522, 'point tomorrow they': 662684, 'tomorrow they explore': 924203, 'they explore insight': 882079, 'explore insight from': 292486, 'insight from retailer': 439555, 'from retailer navigating': 337107, 'retailer navigating store': 719251, 'navigating store closing': 553126, 'store closing layoff': 807075, 'closing layoff furlough': 183685, 'layoff furlough and': 482695, 'furlough and other': 341881, 'and other challenge': 68291, 'other challenge related': 619936, 'paidsocialmedia': 634203, 'ad auction': 31061, 'auction plunged': 102861, 'plunged between': 661483, 'march paidsocialmedia': 515433, 'paidsocialmedia facebook': 634204, 'facebook 19': 294877, 'price in facebook': 674684, 'facebook ad auction': 294882, 'ad auction plunged': 31062, 'auction plunged between': 102862, 'plunged between february': 661484, 'and march paidsocialmedia': 66689, 'march paidsocialmedia facebook': 515434, 'paidsocialmedia facebook 19': 634205, 'serous': 751823, 'acton': 30553, 'pic in': 655604, 'on gvt': 601212, 'gvt serous': 369275, 'serous acton': 751824, 'acton needed': 30554, 'now staff': 575883, 'staff exhausted': 792431, 'exhausted old': 290165, 'old poor': 598431, 'poor going': 664183, 'hungry heartbroken': 411260, 'this pic in': 889571, 'pic in waitrose': 655605, 'like this please': 491516, 'this please please': 889618, 'please please put': 660309, 'please put pressure': 660344, 'pressure on gvt': 671213, 'on gvt serous': 601213, 'gvt serous acton': 369276, 'serous acton needed': 751825, 'acton needed now': 30555, 'needed now staff': 556450, 'now staff exhausted': 575884, 'staff exhausted old': 792432, 'exhausted old poor': 290166, 'old poor going': 598432, 'poor going hungry': 664184, 'going hungry heartbroken': 355204, 'hungry heartbroken stophoard': 411261, 'nearby is': 553664, 'experiencing massive': 291682, 'aid right': 39454, '700 people': 21898, 'people served': 649409, 'served at': 751983, 'month drive': 537686, 'thru distribution': 895180, 'distribution if': 248154, 'able donate': 24429, 'coronavirus effort': 205868, 'effort here': 269527, 'the nearby is': 861355, 'nearby is experiencing': 553665, 'is experiencing massive': 447649, 'experiencing massive demand': 291683, 'food aid right': 313070, 'aid right now': 39455, 'now with over': 576451, 'with over 700': 1000042, 'over 700 people': 629928, '700 people served': 21899, 'people served at': 649410, 'served at last': 751984, 'at last month': 99417, 'last month drive': 480331, 'month drive thru': 537687, 'drive thru distribution': 259195, 'thru distribution if': 895181, 'distribution if you': 248155, 're able donate': 698168, 'able donate to': 24430, 'donate to these': 254271, 'to these coronavirus': 917336, 'these coronavirus effort': 879805, 'coronavirus effort here': 205869, 'burgled': 142853, 'that appalling': 842693, 'robbed in': 724645, 'or burgled': 614600, 'burgled more': 142854, 'that appalling fear': 842694, 'to be robbed': 901512, 'be robbed in': 116902, 'robbed in the': 724646, 'street or burgled': 813057, 'or burgled more': 614601, 'burgled more often': 142855, 'food the way': 317137, 'are going with': 86904, 'in london panic': 424893, 'selloff sparked': 749554, 'war oott': 966508, 'price rise following': 676236, 'rise following three': 722856, 'day selloff sparked': 228335, 'selloff sparked by': 749555, 'pandemic and saudi': 634898, 'price war oott': 677366, 'berlin germany': 127338, 'germany nobody': 346324, 'wear protection': 974447, 'protection people': 685566, 'themselves but': 876782, 'but above': 145045, 'others flattenthecurve': 621401, 'flattenthecurve staythefuckhome': 310207, 'staythefuckhome corona': 799070, 'virus sarscov2': 958720, 'sarscov2 rewe': 736861, 'in berlin germany': 420796, 'berlin germany nobody': 127339, 'germany nobody want': 346325, 'nobody want to': 566080, 'to wear protection': 918441, 'wear protection people': 974448, 'protection people still': 685567, 'not understand that': 572324, 'do it not': 249496, 'just for themselves': 468762, 'for themselves but': 326940, 'themselves but above': 876783, 'but above all': 145046, 'above all for': 27044, 'all for others': 42843, 'for others flattenthecurve': 324191, 'others flattenthecurve staythefuckhome': 621402, 'flattenthecurve staythefuckhome corona': 310208, 'staythefuckhome corona virus': 799071, 'corona virus sarscov2': 204349, 'virus sarscov2 rewe': 958721, 'after wa': 36498, 'wa turned': 963583, 'having new': 384186, 'new recommended': 559412, 'recommended safety': 704795, 'safety mask': 730614, 'mask thanks': 519340, 'thanks had': 842101, 'quickly adapt': 694449, 'adapt improvise': 31257, 'improvise overcome': 419608, 'overcome usmc': 631142, 'usmc btw': 950814, 'btw that': 141543, 'hot inside': 405024, 'so after wa': 776473, 'after wa turned': 36499, 'wa turned away': 963584, 'away from local': 105892, 'morning for not': 541261, 'not having new': 569901, 'having new recommended': 384187, 'new recommended safety': 559413, 'recommended safety mask': 704796, 'safety mask thanks': 730615, 'mask thanks had': 519341, 'thanks had to': 842102, 'had to quickly': 373715, 'to quickly adapt': 912676, 'quickly adapt improvise': 694450, 'adapt improvise overcome': 31258, 'improvise overcome usmc': 419609, 'overcome usmc btw': 631143, 'usmc btw that': 950815, 'btw that damn': 141544, 'that damn thing': 843434, 'damn thing get': 225442, 'thing get hot': 884357, 'get hot inside': 347260, 'distancing work': 247654, 'in voting': 430625, 'voting line': 960611, 'their logic': 873878, 'logic covid': 500647, 'dangerous when': 225801, 'when voting': 984394, 'voting than': 960616, 'buying milk': 150717, 'hey it funny': 394433, 'funny how do': 341740, 'how do not': 407721, 'that if social': 844423, 'if social distancing': 414839, 'social distancing work': 779771, 'distancing work in': 247655, 'store line it': 808753, 'line it can': 493212, 'work in voting': 1005354, 'in voting line': 430626, 'voting line by': 960612, 'line by their': 493022, 'by their logic': 154497, 'their logic covid': 873879, 'logic covid 19': 500648, 'more dangerous when': 538958, 'dangerous when voting': 225802, 'when voting than': 984395, 'voting than buying': 960617, 'than buying milk': 840429, 'plasticsnews': 658897, 'chemorbis': 175482, 'created confusion': 215804, 'country polymer': 210966, 'polymer market': 663947, 'uncertainty pushing': 939745, 'pushing local': 690428, 'local pe': 498259, 'pe price': 645966, 'fresh low': 333022, 'low plastic': 505489, 'plastic plasticsnews': 658869, 'plasticsnews news': 658898, 'news vietnam': 560942, 'vietnam pe': 957041, 'pe coronavir': 645960, 'coronavir chemorbis': 205417, 'vietnam lockdown to': 957038, 'lockdown to combat': 500048, 'of 19 ha': 579394, 'ha created confusion': 370267, 'created confusion in': 215805, 'the country polymer': 852131, 'country polymer market': 210967, 'polymer market with': 663948, 'market with uncertainty': 517382, 'with uncertainty pushing': 1001892, 'uncertainty pushing local': 939746, 'pushing local pe': 690429, 'local pe price': 498260, 'pe price to': 645967, 'price to fresh': 676993, 'to fresh low': 906251, 'fresh low plastic': 333023, 'low plastic plasticsnews': 505490, 'plastic plasticsnews news': 658870, 'plasticsnews news vietnam': 658900, 'news vietnam pe': 560943, 'vietnam pe coronavir': 957042, 'pe coronavir chemorbis': 645961, 'for plexiglas': 324587, 'plexiglas manufacturer': 661040, 'germany for plexiglas': 346295, 'for plexiglas manufacturer': 324588, 'plexiglas manufacturer claus': 661041, 'publix practically': 688769, 'practically monopoly': 668504, 'manager acting': 512660, 'youth yelling': 1026876, 'have proof': 382079, 'proof they': 684018, 'loathe publix practically': 497570, 'publix practically monopoly': 688770, 'practically monopoly in': 668505, 'florida manager acting': 310962, 'manager acting like': 512661, 'acting like nazi': 29884, 'nazi youth yelling': 553191, 'youth yelling at': 1026877, 'yelling at customer': 1015248, 'at customer arrow': 98393, 'they ve raised': 883675, 'raised price during': 696026, 'this crisis have': 887046, 'crisis have proof': 217460, 'have proof they': 382080, 'proof they do': 684019, 'being utter': 126023, 'utter fuck': 951416, 'fuck nugget': 339610, 'stop being utter': 804502, 'being utter fuck': 126024, 'utter fuck nugget': 951417, 'fuck nugget stoppanicbuying': 339611, 'zhanfu': 1027536, 'in booking': 420908, 'to insufficient': 908431, 'supply caused': 824890, 'even complete': 283966, 'complete suspension': 192162, 'suspension by': 829685, 'global airline': 351734, 'airline say': 40014, 'partner yu': 642916, 'yu zhanfu': 1027064, 'zhanfu about': 1027537, 'air ticket': 39797, 'ticket fare': 895613, 'fare caused': 299017, 'increase in booking': 432818, 'in booking and': 420909, 'booking and price': 134710, 'due to insufficient': 261832, 'to insufficient supply': 908432, 'insufficient supply caused': 440610, 'supply caused by': 824891, 'caused by large': 167848, 'by large scale': 153015, 'large scale and': 479784, 'scale and even': 739870, 'and even complete': 62335, 'even complete suspension': 283967, 'complete suspension by': 192163, 'suspension by global': 829686, 'by global airline': 152693, 'global airline say': 351735, 'airline say our': 40015, 'say our partner': 739038, 'our partner yu': 624287, 'partner yu zhanfu': 642917, 'yu zhanfu about': 1027065, 'zhanfu about the': 1027538, 'about the rise': 26502, 'rise of air': 722943, 'of air ticket': 579859, 'air ticket fare': 39798, 'ticket fare caused': 895614, 'fare caused by': 299018, 'caused by read': 167860, 'by read the': 153729, 'door do': 255572, 'stock easily': 802072, 'easily that': 265249, 'way ensure': 969568, 'ensure hygiene': 277973, 'hygiene plus': 412137, 'plus since': 661672, 'delivered even': 233317, 'better you': 128621, 'can monitor': 159005, 'stock per': 802617, 'household auspol': 406739, 'hey you know': 394563, 'ability to shut': 24403, 'to shut your': 914615, 'shut your door': 767970, 'your door do': 1023574, 'door do online': 255573, 'shopping only you': 763524, 'you can control': 1017653, 'can control stock': 157994, 'control stock easily': 202145, 'stock easily that': 802073, 'easily that way': 265250, 'that way ensure': 847344, 'way ensure hygiene': 969569, 'ensure hygiene plus': 277974, 'hygiene plus since': 412138, 'plus since it': 661673, 'since it delivered': 770660, 'it delivered even': 457504, 'delivered even better': 233318, 'even better you': 283886, 'better you can': 128622, 'you can monitor': 1017729, 'can monitor and': 159006, 'monitor and control': 537276, 'and control stock': 60517, 'control stock per': 202146, 'stock per household': 802618, 'per household auspol': 650886, 'also made': 48499, 'made bread': 507655, 'bread stock': 138595, 'cake comfort': 155225, 'probably doesn': 679250, 'doesn hurt': 251842, 'we also made': 970400, 'also made bread': 48500, 'made bread stock': 507656, 'bread stock and': 138596, 'stock and cake': 801804, 'and cake comfort': 59403, 'cake comfort food': 155226, 'comfort food for': 187837, 'food for covid': 314526, '19 it might': 8143, 'not help but': 569925, 'help but it': 389451, 'but it probably': 146154, 'it probably doesn': 460486, 'probably doesn hurt': 679251, 'stevied': 799976, 'musicvideo': 546393, 'paper stevied': 640827, 'stevied toiletpapershortage': 799977, 'toiletpapershortage musicvideo': 923321, 'musicvideo toiletpaper': 546394, 'message for those': 529309, 'those still hoarding': 892487, 'still hoarding toilet': 800716, 'toilet paper stevied': 921468, 'paper stevied toiletpapershortage': 640828, 'stevied toiletpapershortage musicvideo': 799978, 'toiletpapershortage musicvideo toiletpaper': 923322, 'musicvideo toiletpaper toiletpaperpanic': 546395, 'from run': 337133, 'through scarcity': 894657, 'that accumulate': 842484, 'accumulate more': 28851, 'need unfortunately': 556146, 'were 35': 979254, 'people oaps': 648900, 'oaps walking': 578291, 'cart picking': 165358, 'back from run': 107014, 'from run at': 337134, 'run at the': 727576, 'per customer the': 650784, 'customer the shelf': 222928, 'not through scarcity': 572116, 'through scarcity but': 894658, 'scarcity but through': 740827, 'through hole that': 894510, 'hole that accumulate': 400236, 'that accumulate more': 842485, 'accumulate more than': 28852, 'they need unfortunately': 882767, 'need unfortunately in': 556147, 'there were 35': 879306, 'were 35 year': 979255, 'old and older': 598137, 'older people oaps': 598657, 'people oaps walking': 648901, 'oaps walking with': 578292, 'walking with empty': 965125, 'with empty cart': 998217, 'empty cart picking': 274837, 'cart picking up': 165359, 'panera': 637215, 'panera grocery': 637216, 'latest online': 481481, 'pantry well': 639707, 'order basic': 618069, 'basic from': 111904, 'fruit from': 339094, 'five local': 309632, 'local location': 498162, 'panera grocery is': 637217, 'grocery is the': 364642, 'the latest online': 859135, 'latest online grocery': 481482, 'shopping option to': 763533, 'you safe your': 1020972, 'safe your pantry': 730172, 'your pantry well': 1025193, 'pantry well stocked': 639708, 'well stocked you': 978613, 'stocked you can': 803483, 'can order basic': 159168, 'order basic from': 618070, 'basic from bread': 111905, 'from bread and': 334729, 'milk to fresh': 531868, 'to fresh vegetable': 906252, 'and fruit from': 63371, 'fruit from one': 339095, 'the five local': 855386, 'five local location': 309633, 'on consumer lending': 600059, 'feel haven': 302663, 'that image': 844428, 'image enough': 416627, 'time yet': 898396, 'yet panicbuying': 1016194, 'want to post': 966084, 'photo of supermarket': 655214, 'shelf in it': 757200, 'in it feel': 424243, 'it feel haven': 457972, 'feel haven seen': 302664, 'haven seen that': 383889, 'seen that image': 747272, 'that image enough': 844429, 'image enough time': 416628, 'enough time yet': 277684, 'time yet panicbuying': 898397, '00 lorry': 312, 'uk many': 938537, '50 they': 19877, 'shelf find': 757082, 'one truck': 607313, 'in wiltshire': 430919, 'wiltshire is': 995523, 'them healthy': 875831, '18 30': 4498, 'there are over': 878141, 'are over 50': 88904, '50 00 lorry': 19575, '00 lorry driver': 313, 'lorry driver in': 503341, 'the uk many': 870249, 'uk many of': 938538, 'them over 50': 876139, 'over 50 they': 629858, '50 they keep': 19878, 'they keep supply': 882512, 'keep supply on': 471996, 'supply on supermarket': 825662, 'supermarket shelf find': 822469, 'shelf find out': 757083, 'out how one': 626330, 'how one truck': 408437, 'one truck stop': 607314, 'truck stop in': 932858, 'stop in wiltshire': 804767, 'in wiltshire is': 430920, 'wiltshire is trying': 995524, 'keep them healthy': 472110, 'them healthy during': 875832, 'outbreak on at': 628494, 'on at 18': 599495, 'at 18 30': 97486, 'much more check': 545102, 'my 78': 547184, '78 year': 22331, 'old grandma': 598274, 'grandma with': 361920, 'issue went': 456001, 'my 78 year': 547185, '78 year old': 22332, 'year old grandma': 1014831, 'old grandma with': 598275, 'grandma with underlying': 361921, 'health issue went': 386580, 'issue went to': 456002, 'store and returned': 806331, 'and returned with': 70476, 'returned with this': 719988, 'with this only': 1001714, 'this only the': 889270, 'only the essential': 611264, 'bang me': 109448, 'me lu': 523121, 'lu lu': 506409, 'lu oil': 506411, '10 amid': 1306, 'outbreak oil': 628491, 'storage level': 805971, 'level across': 487488, 'world storage': 1010011, 'storage facility': 805965, 'facility have': 295339, 'have climbed': 379988, 'quarter full': 693241, 'average demand': 104830, 'demand dry': 235264, 'bang me lu': 109449, 'me lu lu': 523122, 'lu lu oil': 506410, 'lu oil price': 506412, 'price could drop': 673278, 'could drop to': 209120, 'drop to 10': 260418, 'to 10 amid': 899421, '10 amid outbreak': 1308, 'amid outbreak oil': 52560, 'outbreak oil storage': 628492, 'oil storage level': 597456, 'storage level across': 805972, 'level across the': 487489, 'the world storage': 871976, 'world storage facility': 1010012, 'storage facility have': 805966, 'facility have climbed': 295340, 'have climbed to': 379989, 'climbed to about': 182276, 'to about three': 899919, 'about three quarter': 26689, 'three quarter full': 894048, 'quarter full on': 693242, 'full on average': 340772, 'on average demand': 599513, 'average demand dry': 104831, 'demand dry up': 235265, 'nasir': 552033, 'rufai': 727081, 'governor nasir': 360943, 'nasir el': 552034, 'el rufai': 270456, 'rufai of': 727082, 'of kaduna': 585583, 'wa appointed': 961563, 'appointed chairman': 82650, 'the sub': 868351, 'sub committee': 815676, 'revenue of': 720460, 'governor nasir el': 360944, 'nasir el rufai': 552035, 'el rufai of': 270457, 'rufai of kaduna': 727083, 'of kaduna state': 585584, 'kaduna state wa': 470599, 'state wa appointed': 796067, 'wa appointed chairman': 961564, 'appointed chairman of': 82651, 'chairman of the': 171350, 'of the sub': 591506, 'the sub committee': 868352, 'sub committee on': 815677, 'committee on covid': 189085, 'in the nigeria': 429399, 'the nigeria economy': 861797, 'nigeria economy and': 562735, 'the revenue of': 865762, 'revenue of state': 720461, 'of state government': 590067, 'american these tip': 52254, 'these tip on': 880860, 'tip on online': 898857, 'on online security': 602523, 'online security are': 608952, 'security are helpful': 744547, 'shortage demonstrates': 764906, 'demonstrates the': 236856, 'the profound': 864635, 'that sudden': 846547, 'sudden change': 816989, 'confidence have': 193882, 'will better': 992826, 'better data': 128254, 'data analysis': 226114, 'forecasting capability': 328901, 'capability help': 162466, 'help retailer': 390453, 'manufacturer be': 513434, 'the current toilet': 852671, 'paper shortage demonstrates': 640769, 'shortage demonstrates the': 764907, 'demonstrates the profound': 236857, 'the profound effect': 864636, 'profound effect that': 683157, 'effect that sudden': 269118, 'that sudden change': 846548, 'sudden change in': 816990, 'consumer confidence have': 196902, 'confidence have on': 193883, 'have on demand': 381766, 'on demand will': 600293, 'demand will better': 236495, 'will better data': 992827, 'better data analysis': 128255, 'data analysis and': 226115, 'and forecasting capability': 63189, 'forecasting capability help': 328902, 'capability help retailer': 162467, 'help retailer and': 390454, 'retailer and manufacturer': 718969, 'and manufacturer be': 66652, 'manufacturer be prepared': 513435, 'prepared for time': 670204, 'for time like': 327189, 'poblano': 662146, 'been cooking': 120889, 'cooking with': 202942, 'my extra': 548133, 'time fridge': 896797, 'freezer full': 332608, 'indian curry': 434813, 'curry and': 221735, 'bean poblano': 118349, 'poblano soup': 662147, 'soup regret': 786410, 'regret not': 707706, 'been cooking with': 120890, 'cooking with my': 202943, 'with my extra': 999621, 'my extra time': 548134, 'extra time fridge': 293676, 'time fridge freezer': 896798, 'fridge freezer full': 333400, 'freezer full of': 332609, 'full of indian': 340732, 'of indian curry': 585124, 'indian curry and': 434814, 'curry and black': 221736, 'and black bean': 58993, 'black bean poblano': 132031, 'bean poblano soup': 118350, 'poblano soup regret': 662148, 'soup regret not': 786411, 'regret not panic': 707707, 'paper at this': 639906, 'this time toiletpaper': 890704, '1080': 2269, 'hippy': 396961, 'blimmin': 132678, 'clare we': 180052, 'with lowest': 999347, 'lowest vaccination': 506238, 'vaccination rate': 951630, 'in sth': 428271, 'sth island': 800010, 'island where': 454324, '19 5g': 4753, '5g where': 20687, 'many anti': 513743, 'anti 1080': 78260, '1080 hippy': 2270, 'hippy hunter': 396962, 'hunter call': 411385, 'chch mosque': 174058, 'mosque massacre': 542027, 'massacre false': 519936, 'false flag': 297429, 'flag about': 309938, 'about ready': 26049, 'the blimmin': 849761, 'blimmin car': 132679, 'car after': 162981, 'clare we live': 180053, 'live in town': 495892, 'in town with': 430254, 'town with lowest': 927594, 'with lowest vaccination': 999348, 'lowest vaccination rate': 506239, 'vaccination rate in': 951631, 'rate in sth': 697267, 'in sth island': 428272, 'sth island where': 800011, 'island where covid': 454325, 'covid 19 5g': 212563, '19 5g where': 4754, '5g where many': 20688, 'where many anti': 985009, 'many anti 1080': 513744, 'anti 1080 hippy': 78261, '1080 hippy hunter': 2271, 'hippy hunter call': 396963, 'hunter call the': 411386, 'call the chch': 156129, 'the chch mosque': 850728, 'chch mosque massacre': 174059, 'mosque massacre false': 542028, 'massacre false flag': 519937, 'false flag about': 297430, 'flag about ready': 309939, 'about ready to': 26050, 'ready to wash': 700986, 'to wash the': 918351, 'wash the blimmin': 967544, 'the blimmin car': 849762, 'blimmin car after': 132680, 'car after trip': 162983, 'trip to our': 932200, 'friend jus': 333685, 'jus send': 468085, 'my friend jus': 548440, 'friend jus send': 333686, 'jus send me': 468086, 'send me this': 749893, 'my town stop': 550421, 'town stop panic': 927555, 'of have no': 584468, 'no food and': 564249, 'and no extra': 67613, 'no extra freezer': 564184, 'extra freezer jus': 293525, 'introduces new delivery': 443474, 'new delivery rule': 558623, 'lockdown how can': 499476, 'can you book': 160282, 'dear store': 229887, 'stop tempting': 805107, 'tempting my': 837753, 'my boredom': 547501, 'boredom with': 135419, 'deal out': 229462, 'bum for': 142537, 'like month': 490790, 'no nope': 564882, 'nope quarantinelife': 566911, 'dear store please': 229889, 'store please stop': 809595, 'please stop tempting': 660591, 'stop tempting my': 805108, 'tempting my boredom': 837754, 'my boredom with': 547502, 'boredom with online': 135420, 'online shopping deal': 609085, 'shopping deal out': 762441, 'deal out of': 229463, 'work and sitting': 1004806, 'and sitting on': 71707, 'sitting on my': 772136, 'on my bum': 602269, 'my bum for': 547575, 'bum for like': 142538, 'for like month': 322980, 'like month no': 490791, 'month no no': 537882, 'no no nope': 564876, 'no nope quarantinelife': 564883, 'signalled': 769334, 'tumble while': 935315, 'while asian': 986617, 'stock across': 801760, 'across asia': 29266, 'rose after': 726050, 'after european': 35629, 'european government': 283578, 'government signalled': 360614, 'signalled they': 769335, 'an easing': 55548, 'easing of': 265267, 'across much': 29397, 'oil price tumble': 597300, 'price tumble while': 677148, 'tumble while asian': 935316, 'while asian stock': 986618, 'asian stock rise': 95345, 'stock rise on': 802794, 'on hope stock': 601361, 'hope stock across': 403634, 'stock across asia': 801761, 'across asia pacific': 29268, 'pacific rose after': 632990, 'rose after european': 726051, 'after european government': 35630, 'european government signalled': 283580, 'government signalled they': 360615, 'signalled they were': 769336, 'they were considering': 883761, 'were considering an': 979478, 'considering an easing': 195356, 'an easing of': 55549, 'easing of lockdown': 265268, 'of lockdown imposed': 585955, 'imposed across much': 419274, 'across much of': 29398, 'of the continent': 590889, 'garrett since': 343709, 'since md': 770733, 'md in': 522271, 'wear disposable': 974309, 'when on': 983795, 'on outside': 602652, 'outside errand': 629413, 'errand essential': 280188, 'only comply': 610256, 'comply so': 192526, 'far would': 298984, 'garrett since md': 343710, 'since md in': 770734, 'md in the': 522272, 'now asking the': 574117, 'asking the public': 96079, 'public to wear': 688382, 'to wear disposable': 918425, 'wear disposable glove': 974310, 'disposable glove when': 246251, 'glove when on': 353027, 'when on outside': 983796, 'on outside errand': 602653, 'outside errand essential': 629414, 'errand essential food': 280189, 'essential food shopping': 281049, 'shopping to reduce': 764189, 'reduce their covid': 705983, 'exposure but only': 292963, 'but only comply': 146686, 'only comply so': 610257, 'comply so far': 192527, 'so far would': 777070, 'far would you': 298985, 'you wear disposable': 1022212, 'newquay': 560166, 'pasty': 643903, 'shopforessentials': 761139, 'supermarket dash': 819890, 'dash complete': 226067, 'complete thank': 192165, 'you newquay': 1020084, 'newquay for': 560167, 'so organised': 777961, 'll stocked': 497043, 'into pasty': 442852, 'pasty day': 643904, 'day cornwall': 227477, 'cornwall shopforessentials': 203759, 'shopforessentials stayhomesavelives': 761140, 'weekly supermarket dash': 977576, 'supermarket dash complete': 819891, 'dash complete thank': 226068, 'complete thank you': 192166, 'thank you newquay': 841784, 'you newquay for': 1020085, 'newquay for being': 560168, 'being so organised': 125821, 'so organised and': 777962, 'organised and we': 619312, 'we ll stocked': 972280, 'll stocked so': 497044, 'stocked so it': 803396, 'so it turned': 777483, 'turned into pasty': 935851, 'into pasty day': 442853, 'pasty day cornwall': 643905, 'day cornwall shopforessentials': 227478, 'cornwall shopforessentials stayhomesavelives': 203760, 'shopforessentials stayhomesavelives keyworkerheroes': 761141, 'delivery activate': 233619, 'activate national': 30222, 'license arizona': 488124, 'arizona for': 92837, 'and communication': 60161, 'communication driver': 189589, 'order restaurant for': 618545, 'for takeout or': 326135, 'or delivery activate': 614931, 'delivery activate national': 233620, 'activate national guard': 30223, 'to help supply': 907641, 'help supply grocery': 390607, 'expiration date for': 292043, 'date for driver': 226631, 'for driver license': 320857, 'driver license arizona': 259634, 'license arizona for': 488125, 'arizona for senior': 92838, 'senior and communication': 750198, 'and communication driver': 60163, 'cadillac is': 155075, 'also out': 48635, 'new message': 559104, 'message amid': 529259, 'amid staying': 52667, 'staying tough': 798720, 'tough and': 926793, 'and sticking': 72363, 'together offer': 920884, 'offer include': 594663, 'include flexible': 431558, 'arrangement crisis': 93713, 'crisis assistance': 217088, 'current owner': 221284, 'cadillac is also': 155076, 'is also out': 445571, 'also out with': 48636, 'out with new': 627869, 'with new message': 999707, 'new message amid': 559105, 'message amid staying': 529260, 'amid staying tough': 52668, 'staying tough and': 798721, 'tough and sticking': 926795, 'and sticking together': 72364, 'sticking together offer': 800112, 'together offer include': 920885, 'offer include flexible': 594665, 'include flexible payment': 431559, 'flexible payment arrangement': 310393, 'payment arrangement crisis': 645552, 'arrangement crisis assistance': 93714, 'crisis assistance for': 217089, 'assistance for current': 96692, 'for current owner': 320495, 'current owner and': 221285, 'owner and online': 632378, 'occasionally': 578953, 'much promise': 545264, 'promise am': 683667, 'everything can': 287726, 'safe staying': 729988, 'home working': 402562, 'only very': 611415, 'very occasionally': 955388, 'occasionally for': 578954, 'essential washing': 281754, 'regularly seeing': 707951, 'seeing no': 746385, 'except online': 289211, 'online following': 608203, 'following all': 312677, 'so much promise': 777805, 'much promise am': 545265, 'promise am doing': 683668, 'am doing everything': 50009, 'doing everything can': 252387, 'everything can to': 287727, 'can to stay': 160016, 'stay safe staying': 797281, 'safe staying at': 729989, 'at home working': 99176, 'home working from': 402563, 'home shopping only': 402061, 'shopping only very': 763523, 'only very occasionally': 611416, 'very occasionally for': 955389, 'occasionally for essential': 578955, 'for essential washing': 321127, 'essential washing hand': 281755, 'washing hand regularly': 967678, 'hand regularly seeing': 375203, 'regularly seeing no': 707952, 'seeing no one': 746387, 'one except online': 606262, 'except online following': 289212, 'online following all': 608204, 'following all the': 312679, 'the rule very': 866057, 'antmiddleton': 78602, 'about positive': 25961, 'thinking here': 885913, 'negative thinking': 556837, 'thinking panic': 885984, 'buying imminent': 150523, 'imminent death': 417273, 'of television': 590651, 'television the': 836871, 'cannot wipe': 162225, 'ass social': 96277, 'medium moan': 527176, 'moan medium': 534890, 'medium scaremongering': 527267, 'scaremongering antmiddleton': 741055, 'antmiddleton coronacrisis': 78603, 'coronacrisis positivity': 204712, 'all about positive': 41923, 'about positive thinking': 25962, 'positive thinking here': 665467, 'thinking here are': 885914, 'are some example': 90264, 'example of negative': 288939, 'of negative thinking': 586930, 'negative thinking panic': 556838, 'thinking panic buying': 885985, 'panic buying imminent': 637772, 'buying imminent death': 150524, 'imminent death of': 417274, 'death of television': 230147, 'of television the': 590653, 'television the food': 836872, 'we cannot wipe': 971091, 'cannot wipe our': 162226, 'wipe our ass': 996343, 'our ass social': 622133, 'ass social medium': 96278, 'social medium moan': 779866, 'medium moan medium': 527177, 'moan medium scaremongering': 534891, 'medium scaremongering antmiddleton': 527268, 'scaremongering antmiddleton coronacrisis': 741056, 'antmiddleton coronacrisis positivity': 78604, 'rawlco': 698009, 'rawlco radio': 698010, 'incredible partner': 433859, 'partner of': 642861, 'the gallery': 856109, 'gallery amp': 342945, 'caring in': 164721, 'bank facing': 109820, 'rawlco radio ha': 698011, 'radio ha been': 695438, 'an incredible partner': 56260, 'incredible partner of': 433860, 'partner of the': 642862, 'of the gallery': 591054, 'the gallery amp': 856110, 'gallery amp they': 342946, 'amp they are': 54683, 'looking for community': 502859, 'for community support': 320198, 'community support today': 190134, 'support today for': 826960, 'today for their': 919543, 'for their day': 326817, 'their day of': 872979, 'of caring in': 581156, 'caring in support': 164722, 'of the amp': 590789, 'the amp food': 848659, 'amp food bank': 53820, 'food bank facing': 313565, 'bank facing increased': 109821, 'are able donate': 84154, 'able donate today': 24431, 'donate today at': 254276, 'jurisdiction': 468070, 'ministery': 533518, 'sir all': 771533, 'all court': 42481, 'delhi have': 232891, 'stopped functioning': 805708, 'functioning due': 341322, 'are functioning': 86751, 'functioning they': 341334, 'not regulated': 571289, 'by high': 152799, 'come jurisdiction': 187399, 'jurisdiction of': 468073, 'of delhi': 582478, 'delhi govt': 232889, 'govt food': 361122, 'supply ministery': 825563, 'ministery hence': 533519, 'hence kindly': 391749, 'kindly pas': 475151, 'pas necessary': 643129, 'necessary direction': 553972, 'sir all court': 771534, 'all court in': 42482, 'court in delhi': 211993, 'in delhi have': 422084, 'delhi have stopped': 232892, 'have stopped functioning': 382787, 'stopped functioning due': 805709, 'functioning due to': 341323, 'to but all': 902146, 'but all consumer': 145081, 'all consumer court': 42428, 'consumer court are': 197004, 'court are functioning': 211974, 'are functioning they': 86752, 'functioning they are': 341335, 'are not regulated': 88454, 'not regulated by': 571290, 'regulated by high': 708006, 'by high court': 152800, 'high court and': 394977, 'court and come': 211971, 'and come jurisdiction': 60110, 'come jurisdiction of': 187400, 'jurisdiction of delhi': 468074, 'of delhi govt': 582479, 'delhi govt food': 232890, 'govt food amp': 361123, 'amp supply ministery': 54596, 'supply ministery hence': 825564, 'ministery hence kindly': 533520, 'hence kindly pas': 391750, 'kindly pas necessary': 475152, 'pas necessary direction': 643130, 'bno': 133595, 'but kill': 146227, 'down school': 257169, 'city shut': 179360, 'down country': 256666, 'country shut': 211052, 'crash market': 215003, 'market run': 517020, 'with bno': 997443, 'bno end': 133596, 'sight stockpile': 769056, 'stockpile now': 803779, 'people but kill': 647321, 'but kill more': 146228, 'kill more 514': 474449, 'restaurant and shop': 716299, 'shut down school': 767851, 'down school shut': 257170, 'shut down city': 767813, 'down city shut': 256640, 'city shut down': 179361, 'shut down country': 767814, 'down country shut': 256667, 'country shut down': 211053, 'market crash market': 516246, 'crash market run': 215004, 'market run out': 517021, 'food with bno': 317642, 'with bno end': 997444, 'bno end in': 133597, 'in sight stockpile': 427947, 'sight stockpile now': 769057, 'shophurstcbd': 761154, 'stayclean': 797843, 'introducing cbd': 443486, 'at blue': 98144, 'blue jay': 133452, 'jay nutraceuticals': 464894, 'nutraceuticals come': 577692, 'this powerful': 889682, 'powerful antiseptic': 667771, 'antiseptic hand': 78559, 'eliminate bacteria': 271441, 'and unwanted': 74722, 'unwanted germ': 944051, 'skin shophurstcbd': 773081, 'shophurstcbd stayclean': 761155, 'introducing cbd hand': 443487, 'sanitizer from our': 734948, 'friend at blue': 333526, 'at blue jay': 98145, 'blue jay nutraceuticals': 133453, 'jay nutraceuticals come': 464895, 'nutraceuticals come this': 577693, 'come this powerful': 187542, 'this powerful antiseptic': 889683, 'powerful antiseptic hand': 667772, 'antiseptic hand sanitizer': 78560, 'to eliminate bacteria': 904988, 'eliminate bacteria and': 271442, 'bacteria and unwanted': 107659, 'and unwanted germ': 74723, 'unwanted germ on': 944052, 'germ on your': 346141, 'on your skin': 605503, 'your skin shophurstcbd': 1025826, 'skin shophurstcbd stayclean': 773082, 'every since': 286175, 'corona feel': 203941, 'every since been': 286176, 'since been home': 770520, 'been home due': 121306, 'to corona feel': 903527, 'corona feel like': 203942, 'like ve made': 491719, 've made more': 953361, 'made more trip': 507854, 'store then the': 810643, 'then the refrigerator': 877622, 'refrigerator in my': 706815, 'my own home': 549646, 'complex with': 192423, 'be familiar': 114797, 'consider doing': 194979, 'this plz': 889624, 'in an apartment': 420279, 'apartment complex with': 81399, 'complex with senior': 192424, 'with senior neighbor': 1000640, 'senior neighbor who': 750364, 'neighbor who might': 557096, 'not be familiar': 568383, 'be familiar with': 114798, 'shopping consider doing': 762392, 'consider doing this': 194980, 'doing this plz': 252770, 'undershoot': 940569, 'sense depth': 750510, 'depth length': 237766, 'fr 20': 330836, 'like 2008': 489696, 'investor slow': 444210, 'return stock': 719901, 'well underperform': 978719, 'underperform high': 940534, 'ratio normalize': 697618, 'normalize if': 567465, 'not undershoot': 572313, 'undershoot via': 940570, 'finally get sense': 306013, 'get sense depth': 347966, 'sense depth length': 750511, 'depth length of': 237767, 'length of recession': 486320, 'of recession stock': 588827, 'stock will rebound': 803198, 'will rebound but': 994584, 'rebound but fr': 703302, 'but fr 20': 145768, 'fr 20 30': 330837, '20 30 below': 12898, 'current price like': 221314, 'price like 2008': 675042, 'like 2008 investor': 489697, '2008 investor slow': 13676, 'investor slow to': 444211, 'slow to return': 774407, 'to return stock': 913479, 'return stock may': 719902, 'stock may well': 802469, 'may well underperform': 521614, 'well underperform high': 978720, 'underperform high ratio': 940535, 'high ratio normalize': 395327, 'ratio normalize if': 697619, 'normalize if not': 567466, 'if not undershoot': 414514, 'not undershoot via': 572314, 'am unaware': 50519, 'supermarket so long': 822733, 'so long is': 777584, 'long is there': 501456, 'there an update': 877994, 'update to the': 947273, '19 situation am': 10565, 'situation am unaware': 772167, 'am unaware of': 50520, 'only in 2020': 610631, 'in 2020 how': 419838, '2020 how to': 14370, 'situation make': 772378, 'you against': 1016847, 'current situation make': 221366, 'situation make you': 772379, 'it you against': 462635, 'you against them': 1016848, 'against them help': 37689, 'bbqs sunbathing': 113207, 'between exercising': 128771, 'exercising standing': 290133, 'having bbqs sunbathing': 383993, 'bbqs sunbathing like': 113208, 'difference between exercising': 241815, 'between exercising standing': 128772, 'exercising standing in': 290134, 'in supermarket que': 428652, 'how closing': 407558, 'america heartbreaking': 51550, 'wsj farmer dump': 1013252, 'demand how closing': 235650, 'how closing of': 407559, 'closing of hospitality': 183699, 'of hospitality industry': 584771, 'hospitality industry are': 404781, 'industry are affecting': 435658, 'are affecting farmer': 84255, 'across america heartbreaking': 29243, 'america heartbreaking reality': 51551, 'reality of supply': 701779, 'from talk': 337544, 'about inflation': 25537, 'down overall': 257074, 'piece from talk': 656306, 'from talk about': 337545, 'talk about inflation': 833741, 'about inflation which': 25538, 'inflation which is': 437263, 'which is down': 986003, 'is down overall': 447351, 'down overall but': 257075, 'risk because of': 723403, 'of supply disruption': 590477, 'supply disruption due': 825173, 'resolved you': 714654, 'talking after': 833997, 'would be resolved': 1011639, 'be resolved you': 116826, 'resolved you know': 714655, 'know that being': 476757, 'that being minister': 842975, 'than just talking': 840822, 'just talking after': 469955, 'talking after problem': 833998, 'problem this must': 679719, 'must be stopped': 546548, 'crisis you still': 218467, 'you still allow': 1021398, 'still allow this': 800180, 'report city': 711864, 'of outbreak report': 587608, 'outbreak report city': 628584, 'hey psa': 394482, 'psa everyone': 687398, 'aren expected': 92407, 'pandemic italy': 635833, 'other hard': 620344, 'area still': 92199, 'may contract': 521101, 'hey psa everyone': 394483, 'psa everyone there': 687399, 'everyone there no': 287474, 'panic buy grocery': 637488, 'buy grocery food': 148750, 'grocery food supply': 364523, 'chain aren expected': 170523, 'aren expected to': 92408, 'the pandemic italy': 863007, 'pandemic italy china': 635834, 'italy china amp': 462784, 'china amp other': 176471, 'amp other hard': 54240, 'other hard hit': 620345, 'hard hit area': 377935, 'hit area still': 398153, 'area still have': 92200, 'still have access': 800642, 'and you may': 76034, 'you may contract': 1019794, 'may contract covid': 521102, '19 while in': 12049, 'line at crowded': 492981, 'at crowded grocery': 98374, 'imhotep': 416924, 'must purchase': 546821, 'purchase hundred': 689496, 'more roll': 540279, 'paper imhotep': 640308, 'imhotep imhotep': 416925, 'imhotep toiletpaper': 416928, 'must purchase hundred': 546822, 'purchase hundred of': 689497, 'hundred of more': 411003, 'of more roll': 586649, 'more roll of': 540280, 'toilet paper imhotep': 921315, 'paper imhotep imhotep': 640309, 'imhotep imhotep imhotep': 416926, 'imhotep imhotep toiletpaper': 416927, 'imhotep toiletpaper toiletpaperpanic': 416929, 'gent': 345830, 'shut on': 767911, 'friday meanwhile': 333258, 'meanwhile braved': 524955, 'where pretty': 985128, 'pretty empty': 671398, 'elderly gent': 270687, 'gent wearing': 345831, 'wa bizarre': 961711, 'all school are': 44251, 'school are to': 741701, 'are to shut': 91114, 'to shut on': 914607, 'shut on friday': 767912, 'on friday meanwhile': 601008, 'friday meanwhile braved': 333259, 'meanwhile braved the': 524956, 'the shelf where': 866900, 'shelf where pretty': 757792, 'where pretty empty': 985129, 'pretty empty also': 671399, 'also saw elderly': 48826, 'saw elderly gent': 738100, 'elderly gent wearing': 270688, 'gent wearing welding': 345832, 'which wa bizarre': 986440, 'one portland': 606904, 'portland cbd': 665034, 'cbd retailer': 168325, 'retailer got': 719164, 'oregon attorney': 619134, 'for falsely': 321378, 'falsely claiming': 297468, 'were cure': 979499, 'one portland cbd': 606905, 'portland cbd retailer': 665035, 'cbd retailer got': 168326, 'retailer got in': 719165, 'in trouble with': 430299, 'trouble with the': 932662, 'with the oregon': 1001416, 'the oregon attorney': 862463, 'oregon attorney general': 619135, 'general for falsely': 345338, 'for falsely claiming': 321379, 'falsely claiming that': 297469, 'claiming that product': 179909, 'that product in': 845862, 'product in his': 681287, 'in his store': 423740, 'his store were': 397834, 'store were cure': 811219, 'were cure for': 979500, '19 for much': 7071, 'recession expected': 704269, 'worst since': 1011262, '1900 the': 12308, 'caused consumer': 167879, 'activity via': 30525, 'the uk economy': 870211, 'for recession expected': 325015, 'recession expected to': 704270, 'the worst since': 872074, 'worst since 1900': 1011263, 'since 1900 the': 770418, '1900 the ha': 12309, 'ha caused consumer': 370076, 'caused consumer demand': 167880, 'to collapse many': 902955, 'collapse many company': 186030, 'or reduce their': 616813, 'reduce their activity': 705982, 'their activity via': 872466, 'our tv': 625216, 'internet going': 441947, 'going saveworkers': 355438, 'saveworkers thursdaythoughts': 737836, 'store worker pharmacy': 811558, 'worker pharmacy worker': 1007573, 'those working to': 892751, 'keep our tv': 471757, 'our tv show': 625217, 'show and internet': 766863, 'and internet going': 65330, 'internet going saveworkers': 441948, 'going saveworkers thursdaythoughts': 355439, 'honestly pretty': 403126, 'pretty glad': 671414, 'glad in': 351503, 'throat is': 894244, 'too sore': 925077, 'mum voice': 545965, 'voice on': 959994, 'buyer workingfromhome': 149811, 'honestly pretty glad': 403127, 'pretty glad in': 671415, 'glad in self': 351504, 'self isolation at': 747755, 'isolation at least': 455210, 'cannot get mad': 161894, 'my throat is': 550367, 'throat is too': 894245, 'is too sore': 453287, 'too sore to': 925078, 'sore to get': 785983, 'get my mum': 347636, 'my mum voice': 549387, 'mum voice on': 545966, 'voice on to': 959995, 'on to selfish': 604760, 'panic buyer workingfromhome': 637620, 'clap supermarket': 179968, 'worker tonight': 1008035, 'food funny': 314642, 'how farm': 407847, 'who uniquely': 989848, 'uniquely will': 942019, 'working while': 1009044, 'while suffering': 987345, 'virus never': 958520, 'never seem': 558169, 'get mention': 347563, 'mention food': 528755, 'food farming': 314447, 'ha just asked': 371044, 'just asked to': 468230, 'asked to clap': 95861, 'to clap supermarket': 902794, 'clap supermarket worker': 179969, 'supermarket worker tonight': 824102, 'worker tonight for': 1008036, 'tonight for providing': 924413, 'for providing our': 324837, 'providing our food': 687064, 'our food funny': 623111, 'food funny how': 314643, 'funny how farm': 341741, 'how farm worker': 407848, 'worker who uniquely': 1008234, 'who uniquely will': 989849, 'uniquely will have': 942020, 'have to carry': 383174, 'on working while': 605377, 'working while suffering': 1009045, 'while suffering from': 987346, 'the virus never': 870863, 'virus never seem': 958521, 'never seem to': 558170, 'to get mention': 906533, 'get mention food': 347564, 'mention food farming': 528756, 'qm': 691563, 'ayesha': 106342, 'oldmargaretian': 598718, 'qmfamily': 691569, 'quitemarvellous': 694943, 'absolutely wonderful': 27468, 'see former': 745132, 'former qm': 329659, 'qm girl': 691564, 'girl ayesha': 350235, 'ayesha showing': 106343, 'true community': 933054, 'lockdown oldmargaretian': 499726, 'oldmargaretian qmfamily': 598719, 'qmfamily quitemarvellous': 691570, 'quitemarvellous friendship': 694944, 'absolutely wonderful to': 27469, 'to see former': 914010, 'see former qm': 745133, 'former qm girl': 329660, 'qm girl ayesha': 691565, 'girl ayesha showing': 350236, 'ayesha showing true': 106344, 'showing true community': 767545, 'true community spirit': 933055, 'community spirit to': 190108, 'spirit to those': 789515, 'coronavirus lockdown oldmargaretian': 206248, 'lockdown oldmargaretian qmfamily': 499727, 'oldmargaretian qmfamily quitemarvellous': 598720, 'qmfamily quitemarvellous friendship': 691571, 'rampid': 696476, 'reed': 706427, 'monticello': 538223, 'pandemic running': 636375, 'running rampid': 728037, 'rampid my': 696477, 'added protective': 31598, 'protective plexiglas': 685799, 'plexiglas in': 661038, 'possible team': 665799, 'team kentucky': 835717, 'kentucky reed': 472855, 'reed grocery': 706428, 'grocery monticello': 364734, 'monticello ky': 538224, '19 pandemic running': 9451, 'pandemic running rampid': 636376, 'running rampid my': 728038, 'rampid my dad': 696478, 'dad ha added': 224335, 'ha added protective': 369450, 'added protective plexiglas': 31599, 'protective plexiglas in': 685800, 'plexiglas in his': 661039, 'his store to': 397833, 'to make his': 909675, 'make his worker': 509984, 'his worker safe': 397926, 'worker safe possible': 1007722, 'safe possible team': 729898, 'possible team kentucky': 665800, 'team kentucky reed': 835718, 'kentucky reed grocery': 472856, 'reed grocery monticello': 706429, 'grocery monticello ky': 364735, 'caused out': 167927, 'didn wear': 241259, 'wear showed': 974453, '19 must': 8712, 'must wear': 546998, 'wa caused out': 961802, 'caused out of': 167928, 'of supermarket because': 590412, 'supermarket because didn': 819332, 'because didn wear': 119028, 'didn wear showed': 241260, 'wear showed no': 974454, 'showed no symptom': 767343, 'covid 19 must': 213457, '19 must wear': 8713, 'must wear mask': 547000, 'mask because going': 518466, 'buy grocery for': 148751, 'heycoronaviruspleaseleaveus': 394569, 'stayhome heycoronaviruspleaseleaveus': 798019, 'out but still': 625799, 'but still can': 147158, 'still can do': 800333, 'do online window': 249939, 'window shopping stayhome': 995718, 'shopping stayhome heycoronaviruspleaseleaveus': 763975, 'crn': 218807, 'the canberra': 850329, 'canberra relief': 160824, 'relief network': 709391, 'network crn': 557714, 'crn is': 218808, 'act government': 29645, 'community overwhelming': 190030, 'overwhelming and': 631736, 'perishable essential': 651967, 'item direct': 463205, 'pandemic ph': 636178, 'ph 1800': 653965, '1800 43': 4627, '43 11': 18953, 'the canberra relief': 850330, 'canberra relief network': 160825, 'relief network crn': 709392, 'network crn is': 557715, 'crn is the': 218809, 'is the act': 452719, 'the act government': 848301, 'act government response': 29646, 'response to our': 715876, 'our community overwhelming': 622472, 'community overwhelming and': 190031, 'overwhelming and increasing': 631737, 'food and non': 313294, 'non perishable essential': 566453, 'perishable essential item': 651968, 'essential item direct': 281197, 'item direct result': 463206, '19 pandemic ph': 9426, 'pandemic ph 1800': 636179, 'ph 1800 43': 653966, '1800 43 11': 4628, '43 11 33': 18954, 'son say': 785432, 'well trained': 978709, 'trained store': 929304, 'store wine': 811353, 'wine shelterinplace': 995888, 'when your son': 984639, 'your son say': 1025871, 'son say he': 785433, 'say he found': 738731, 'he found the': 384975, 'found the good': 330409, 'good stuff at': 357787, 'store well trained': 811212, 'well trained store': 978710, 'trained store wine': 929305, 'store wine shelterinplace': 811354, 'spotted by': 790187, 'store um': 810987, 'um socialdistancing': 939208, 'spotted by friend': 790188, 'by friend in': 152645, 'grocery store um': 365895, 'store um socialdistancing': 810988, 'kill get': 474408, 'get research': 347921, 'key comp': 473248, 'comp sanitizer': 190314, 'doe sanitizer kill': 251565, 'sanitizer kill get': 735259, 'kill get research': 474409, 'get research report': 347922, 'research report with': 713826, 'report with key': 712437, 'with key comp': 999138, 'key comp sanitizer': 473249, 'comp sanitizer handwashing': 190315, 'sanitizer handwashing handsanitizer': 735045, 'today amid covid': 919185, 'daniel ramp': 225827, 'pandemic jack': 635837, 'daniel north': 225825, 'america ceo': 51481, 'ceo john': 169732, 'john hayes': 466530, 'is contributing': 446821, 'jack daniel ramp': 464104, 'daniel ramp up': 225828, 'sanitizer amid pandemic': 734360, 'amid pandemic jack': 52573, 'pandemic jack daniel': 635838, 'jack daniel north': 464103, 'daniel north america': 225826, 'north america ceo': 567605, 'america ceo john': 51482, 'ceo john hayes': 169733, 'john hayes on': 466531, 'hayes on how': 384527, 'company is contributing': 190797, 'is contributing to': 446822, 'to the battle': 916511, 'salvador and': 732890, 'and ordinary': 68261, 'aged 60': 37933, 'receive paid': 703523, 'are monitored': 88100, 'el salvador and': 270461, 'salvador and the': 732891, 'and the precaution': 73525, 'the precaution the': 864209, 'precaution the government': 669372, 'government and ordinary': 359868, 'and ordinary people': 68262, 'ordinary people are': 619092, 'and people aged': 68848, 'people aged 60': 646794, 'aged 60 and': 37934, 'and over will': 68564, 'over will be': 630938, 'will be required': 992646, 'and will receive': 75689, 'will receive paid': 994594, 'receive paid sick': 703524, 'closed and commodity': 182981, 'price are monitored': 672699, 'datafirst': 226529, 'flashy': 310053, 'dalandcuso': 225099, 'crytpo': 220014, 'on datafirst': 600217, 'datafirst and': 226530, 'consumer input': 197880, 'input and': 438966, 'and extraction': 62563, 'data opposed': 226328, 'feature function': 301542, 'function and': 341260, 'and flashy': 62959, 'flashy application': 310054, 'single sustainable': 771414, 'sustainable and': 829792, 'and adaptable': 57665, 'adaptable approach': 31297, 'to developing': 904255, 'and deploying': 61221, 'deploying relevant': 237469, 'relevant digital': 709150, 'experience dalandcuso': 291340, 'dalandcuso crytpo': 225100, 'crytpo code': 220015, 'focusing on datafirst': 311992, 'on datafirst and': 600218, 'datafirst and consumer': 226531, 'and consumer input': 60396, 'consumer input and': 197881, 'input and extraction': 438968, 'and extraction of': 62564, 'extraction of data': 293719, 'of data opposed': 582358, 'data opposed to': 226329, 'opposed to feature': 613770, 'to feature function': 905704, 'feature function and': 301543, 'function and flashy': 341261, 'and flashy application': 62960, 'flashy application is': 310055, 'application is the': 82472, 'is the single': 452938, 'the single sustainable': 867224, 'single sustainable and': 771415, 'sustainable and adaptable': 829793, 'and adaptable approach': 57666, 'adaptable approach to': 31298, 'approach to developing': 82983, 'to developing and': 904256, 'developing and deploying': 239766, 'and deploying relevant': 61222, 'deploying relevant digital': 237470, 'relevant digital experience': 709151, 'digital experience dalandcuso': 242568, 'experience dalandcuso crytpo': 291341, 'dalandcuso crytpo code': 225101, 'supermarket worker wearing': 824117, 'worker wearing ppe': 1008157, 'wearing ppe 19': 974762, 'ppe 19 coronavid19': 667887, 'intercession': 441304, 'stjosephprayforus': 801717, 'the feast': 855045, 'feast of': 301523, 'of st': 590012, 'st joseph': 791712, 'joseph our': 467328, 'our patron': 624297, 'patron we': 644424, 'join online': 466802, '8am for': 23135, 'streaming of': 812829, 'private mass': 678946, 'mass we': 519893, 'we pray': 972728, 'the intercession': 858345, 'intercession of': 441305, 'joseph in': 467326, 'the stjosephprayforus': 867901, 'is the feast': 452797, 'the feast of': 855046, 'feast of st': 301524, 'of st joseph': 590013, 'st joseph our': 791714, 'joseph our patron': 467329, 'our patron we': 624298, 'patron we invite': 644425, 'you to join': 1021793, 'to join online': 908681, 'join online at': 466803, 'online at 8am': 607881, 'at 8am for': 97782, '8am for live': 23136, 'for live streaming': 323025, 'live streaming of': 496036, 'streaming of private': 812830, 'of private mass': 588447, 'private mass we': 678947, 'mass we pray': 519894, 'we pray for': 972730, 'for the intercession': 326507, 'the intercession of': 858346, 'intercession of st': 441306, 'st joseph in': 791713, 'joseph in fighting': 467327, 'in fighting the': 422881, 'fighting the stjosephprayforus': 305133, 'mouthing': 543586, 'sob': 779355, 'my 17': 547127, 'daughter carer': 226830, 'carer is': 164554, 'for 8am': 318941, '8am vulnerable': 23165, 'elderly slot': 270889, 'while cocoon': 986694, 'cocoon myself': 185288, 'car younger': 163364, 'are mouthing': 88152, 'mouthing at': 543587, 'at staff': 100623, 'door one': 255678, 'one guy': 606379, 'just pushed': 469520, 'pushed past': 690381, 'past anyway': 643507, 'anyway just': 81023, 'to sob': 914817, 'sob this': 779356, 'my 17 year': 547128, '17 year old': 4410, 'old daughter carer': 598209, 'daughter carer is': 226831, 'carer is in': 164555, 'is in supermarket': 448820, 'supermarket for 8am': 820381, 'for 8am vulnerable': 318942, '8am vulnerable and': 23166, 'and elderly slot': 61992, 'elderly slot for': 270890, 'slot for me': 774184, 'for me while': 323350, 'me while cocoon': 523959, 'while cocoon myself': 986695, 'cocoon myself in': 185289, 'the car younger': 850394, 'car younger people': 163365, 'younger people are': 1022693, 'people are mouthing': 647024, 'are mouthing at': 88153, 'mouthing at staff': 543588, 'at staff on': 100624, 'the door one': 853579, 'door one guy': 255679, 'one guy just': 606381, 'guy just pushed': 369062, 'just pushed past': 469523, 'pushed past anyway': 690382, 'past anyway just': 643508, 'anyway just want': 81024, 'want to sob': 966122, 'to sob this': 914818, 'sob this is': 779357, 'support re': 826781, 're my': 699052, 'my doc': 548015, 'doc price': 250747, 'gouging 5x': 359232, '5x charging': 20846, 'charging co': 173463, 'co pay': 184942, 'telehealth due': 836744, '19 filed': 6996, 'protection grievance': 685468, 'grievance state': 363911, 'city level': 179238, 'level contacted': 487539, 'contacted my': 200332, 'council rep': 210025, 'rep those': 711427, 'each office': 264141, 'office location': 595478, 'location union': 498979, 'health leader': 386604, 'leader talking': 483547, 'our insurance': 623568, 'the support re': 868983, 'support re my': 826782, 're my doc': 699053, 'my doc price': 548016, 'doc price gouging': 250748, 'price gouging 5x': 674252, 'gouging 5x charging': 359233, '5x charging co': 20847, 'charging co pay': 173464, 'co pay for': 184943, 'pay for telehealth': 644905, 'for telehealth due': 326182, 'telehealth due to': 836745, 'covid 19 filed': 213094, '19 filed consumer': 6997, 'consumer protection grievance': 198533, 'protection grievance state': 685469, 'grievance state and': 363912, 'and city level': 59900, 'city level contacted': 179239, 'level contacted my': 487540, 'contacted my city': 200333, 'my city council': 547689, 'city council rep': 179116, 'council rep those': 210026, 'rep those for': 711428, 'those for each': 892015, 'for each office': 320904, 'each office location': 264142, 'office location union': 595479, 'location union health': 498980, 'union health leader': 941891, 'health leader talking': 386605, 'leader talking to': 483548, 'talking to our': 834050, 'to our insurance': 911194, 'drop another': 260129, 'another cent': 77531, 'gallon gallon': 343009, 'of gasoline': 584053, 'gasoline could': 344220, 'could reportedly': 209594, 'reportedly be': 712567, 'purchased for': 689774, 'low 19': 505078, '19 gallon': 7178, 'gasoline price drop': 344257, 'price drop another': 673560, 'drop another cent': 260130, 'another cent gallon': 77532, 'cent gallon gallon': 169063, 'gallon gallon of': 343010, 'gallon of gasoline': 343041, 'of gasoline could': 584054, 'gasoline could reportedly': 344221, 'could reportedly be': 209595, 'reportedly be purchased': 712568, 'be purchased for': 116630, 'purchased for low': 689775, 'for low 19': 323123, 'low 19 gallon': 505079, '19 gallon in': 7179, 'gallon in houston': 343021, 'expects shift': 291105, 'preference impacted': 669784, 'greater focus': 363182, 'health hygiene': 386511, 'product expects shift': 681174, 'expects shift in': 291106, 'habit and preference': 372560, 'and preference impacted': 69350, 'preference impacted by': 669785, 'pandemic with greater': 637027, 'with greater focus': 998677, 'greater focus on': 363183, 'on health hygiene': 601257, 'health hygiene and': 386512, 'hygiene and protection': 412049, 'howdymodi': 409326, 'yogaduringlockdown': 1016493, 'yogawithmodi': 1016505, 'coronayoga': 207137, 'yogavideo': 1016503, 'bloodyjamadi': 133247, 'how yogi': 409266, 'yogi sanitize': 1016521, 'hand worldhealthday': 376023, 'worldhealthday howdymodi': 1010243, 'howdymodi stayhomestaysafe': 409327, 'stayhomestaysafe coronastopkarona': 798506, 'coronastopkarona yogaduringlockdown': 205281, 'yogaduringlockdown yogawithmodi': 1016494, 'yogawithmodi coronayoga': 1016506, 'coronayoga sanitizer': 207138, 'sanitizer yogavideo': 736160, 'yogavideo bloodyjamadi': 1016504, 'how yogi sanitize': 409267, 'yogi sanitize hand': 1016522, 'sanitize hand worldhealthday': 734194, 'hand worldhealthday howdymodi': 376024, 'worldhealthday howdymodi stayhomestaysafe': 1010244, 'howdymodi stayhomestaysafe coronastopkarona': 409328, 'stayhomestaysafe coronastopkarona yogaduringlockdown': 798507, 'coronastopkarona yogaduringlockdown yogawithmodi': 205282, 'yogaduringlockdown yogawithmodi coronayoga': 1016495, 'yogawithmodi coronayoga sanitizer': 1016507, 'coronayoga sanitizer yogavideo': 207139, 'sanitizer yogavideo bloodyjamadi': 736161, 'from fox': 335551, 'news right': 560764, 'wing medium': 995984, 'those respirator': 892392, 'respirator will': 715222, 'needed because': 556308, 'because trump': 119753, 'keep respiratory': 471854, 'respiratory symptom': 715253, 'bay rest': 112968, 'fucking case': 339824, 'case your': 166131, 'your honor': 1024399, 'text from fox': 839895, 'from fox news': 335552, 'fox news right': 330768, 'news right wing': 560765, 'right wing medium': 722428, 'wing medium consumer': 995985, 'medium consumer who': 527051, 'consumer who say': 199529, 'who say all': 989564, 'say all those': 738406, 'all those respirator': 45182, 'those respirator will': 892393, 'respirator will not': 715223, 'not be needed': 568422, 'be needed because': 116058, 'needed because trump': 556309, 'because trump found': 119754, 'trump found out': 933568, 'found out keep': 330325, 'out keep respiratory': 626471, 'keep respiratory symptom': 471855, 'respiratory symptom at': 715254, 'symptom at bay': 830820, 'at bay rest': 98108, 'bay rest my': 112969, 'rest my fucking': 716174, 'my fucking case': 548468, 'fucking case your': 339825, 'case your honor': 166132, 'whatdayisit': 982733, 'large wall': 479824, 'wall clock': 965160, 'shopping seller': 763831, 'seller right': 749064, 'now whatdayisit': 576388, 'large wall clock': 479825, 'wall clock with': 965161, 'clock with the': 182428, 'with the day': 1001259, 'the week should': 871313, 'be good online': 115073, 'good online shopping': 357517, 'online shopping seller': 609264, 'shopping seller right': 763832, 'seller right now': 749065, 'right now whatdayisit': 722180, 'local heard': 498072, 'heard an': 388059, 'my local heard': 549119, 'local heard an': 498073, 'heard an elderly': 388060, 'elderly couple say': 270642, 'couple say what': 211666, 'say what are': 739467, 'do we ve': 250491, 've come all': 952999, 'come all this': 187198, 'way and we': 969462, 'we cannot seem': 971079, 'virtual consumer': 957731, 'consumer experiential': 197417, 'experiential marketing': 291728, 'marketing say': 517696, 'the nationwide lockdown': 861311, 'nationwide lockdown ha': 552741, 'ha led the': 371125, 'led the company': 485267, 'company to understand': 191249, 'understand the importance': 940760, 'importance of virtual': 418719, 'of virtual consumer': 592818, 'virtual consumer experiential': 957732, 'consumer experiential marketing': 197418, 'experiential marketing say': 291729, 'profit ha': 682753, 'non profit ha': 566471, 'profit ha launched': 682754, 'launched an emergency': 481965, 'bank in to': 109929, 'in to assist': 430101, 'with the overwhelming': 1001419, 'the overwhelming demand': 862798, 'overwhelming demand for': 631742, 'hygiene product to': 412162, 'product to help': 681747, 'in need amid': 425724, 'pandemic it wa': 635831, 'motherboard': 543214, 'freshdirect': 333119, 'motherboard there': 543215, 'them new': 876048, 'and freshdirect': 63305, 'freshdirect warehouse': 333122, 'motherboard there are': 543216, 'of people now': 587954, 'people now online': 648893, 'now online shopper': 575450, 'serve them new': 751954, 'them new case': 876049, 'case of coronavirus': 165897, 'coronavirus at amazon': 205524, 'amazon and freshdirect': 50851, 'and freshdirect warehouse': 63306, 'freshdirect warehouse show': 333123, 'shopping online via': 763504, 'hey supermarket': 394514, 'staff finally': 792450, 'some recognition': 783704, 'recognition due': 704618, 'and tosser': 74292, 'tosser raping': 926101, 'while rome': 987225, 'rome burn': 725744, 'burn thing': 142896, 'is can': 446357, 'own can': 631913, 'even put': 284503, 'put loaf': 690668, 'bread aside': 138412, 'hey supermarket staff': 394515, 'supermarket staff finally': 822844, 'staff finally get': 792451, 'finally get some': 306014, 'get some recognition': 348072, 'some recognition due': 783705, 'recognition due to': 704619, 'to and tosser': 900532, 'and tosser raping': 74293, 'tosser raping the': 926102, 'raping the shelf': 697048, 'shelf while rome': 757802, 'while rome burn': 987226, 'rome burn thing': 725745, 'burn thing is': 142897, 'thing is can': 884462, 'is can take': 446358, 'can take care': 159896, 'their own can': 874165, 'own can even': 631914, 'can even put': 158256, 'even put loaf': 284504, 'put loaf of': 690669, 'of bread aside': 580836, 'bread aside for': 138413, 'aside for their': 95412, 'their family get': 873254, 'family get disciplined': 297846, 'animator': 76737, 'blaise': 132230, 'aladdin': 40631, 'mulan': 545617, 'in animator': 420405, 'animator aaron': 76738, 'aaron blaise': 24143, 'blaise aladdin': 132231, 'aladdin beauty': 40632, 'beast mulan': 118491, 'mulan lion': 545618, 'lion king': 494030, 'king etc': 475261, 'his course': 397323, 'course on': 211914, 'on animation': 599388, 'animation fundamental': 76731, 'fundamental for': 341556, 'well reduced': 978517, 'other course': 620037, '19 recommend': 10005, 'interested in animator': 441452, 'in animator aaron': 420406, 'animator aaron blaise': 76739, 'aaron blaise aladdin': 24144, 'blaise aladdin beauty': 132232, 'aladdin beauty and': 40633, 'beauty and the': 118742, 'and the beast': 73255, 'the beast mulan': 849400, 'beast mulan lion': 118492, 'mulan lion king': 545619, 'lion king etc': 494031, 'king etc is': 475262, 'etc is offering': 282618, 'is offering his': 450421, 'offering his course': 595148, 'his course on': 397324, 'course on animation': 211915, 'on animation fundamental': 599389, 'animation fundamental for': 76732, 'fundamental for free': 341557, 'for free well': 321737, 'free well reduced': 332324, 'well reduced price': 978518, 'on other course': 602553, 'other course in': 620038, 'course in light': 211881, 'covid 19 recommend': 213668, 'offer takeout': 594820, 'takeout operator': 833174, 'need platform': 555434, 'since food and': 770602, 'beverage service are': 129036, 'service are only': 752141, 'allowed to offer': 46239, 'to offer takeout': 910850, 'offer takeout operator': 594821, 'takeout operator need': 833175, 'operator need platform': 613385, 'need platform to': 555435, 'platform to deliver': 659042, 'deliver food in': 233124, 'food in addition': 314922, 'addition to walk': 31754, 'mthingz': 544614, 'shipping by': 758833, 'by mthingz': 153258, 'mthingz store': 544615, 'deliver at': 233093, 'shopping from great': 762754, 'selection at free': 747516, 'at free shipping': 98707, 'free shipping by': 332155, 'shipping by mthingz': 758834, 'by mthingz store': 153259, 'mthingz store shop': 544616, 'shop now stay': 760520, 'now stay home': 575891, 'be safe we': 116976, 'safe we deliver': 730116, 'we deliver at': 971260, 'deliver at your': 233094, 'auditor': 102947, 'onlinecourse': 609803, 'all internal': 43239, 'internal auditor': 441719, 'auditor training': 102948, 'course sale': 211931, 'on take': 603871, 'this excellent': 887474, 'excellent discount': 289080, 'your chosen': 1023218, 'chosen onlinecourse': 178032, 'onlinecourse today': 609804, 'our all internal': 622052, 'all internal auditor': 43240, 'internal auditor training': 441720, 'auditor training course': 102949, 'training course sale': 929331, 'course sale is': 211932, 'sale is now': 732312, 'now on take': 575435, 'on take advantage': 603872, 'of this excellent': 591970, 'this excellent discount': 887475, 'excellent discount and': 289081, 'discount and secure': 244445, 'and secure your': 71122, 'secure your chosen': 744476, 'your chosen onlinecourse': 1023219, 'chosen onlinecourse today': 178033, 'onlinecourse today learn': 609805, 'today learn more': 919792, 'frig': 334032, 'continuing your': 201578, 'can beprepared': 157752, 'beprepared at': 127277, 'this shelterinplace': 890061, 'order frig': 618249, 'frig freezer': 334033, 'freezer are': 332583, 'thankyou to all': 842359, 'employee for continuing': 273860, 'for continuing your': 320328, 'continuing your work': 201579, 'your work so': 1026378, 'we can beprepared': 970915, 'can beprepared at': 157753, 'beprepared at home': 127278, 'home for this': 401245, 'for this shelterinplace': 327064, 'this shelterinplace order': 890062, 'shelterinplace order frig': 758007, 'order frig freezer': 618250, 'frig freezer are': 334034, 'freezer are stocked': 332584, 'vehicle via': 954293, 'private vehicle via': 678996, 'the genius': 856214, 'genius google': 345779, 'google hack': 358160, 'hack to': 372750, 'avoid supermarket': 105303, 'queue during': 693910, 'coronavirus the genius': 206908, 'the genius google': 856215, 'genius google hack': 345780, 'google hack to': 358161, 'hack to avoid': 372751, 'to avoid supermarket': 900944, 'avoid supermarket queue': 105304, 'supermarket queue during': 822119, 'queue during covid': 693911, 'emergency sure': 273010, 'right stateofemergency': 722284, 'out to and': 627619, 'and for raising': 63157, 'price during national': 673627, 'national emergency sure': 552496, 'emergency sure people': 273011, 'sure people are': 827652, 'not being allowed': 568527, 'work but who': 1004961, 'but who care': 147851, 'who care if': 988438, 'can make more': 158939, 'more money right': 539792, 'money right stateofemergency': 537002, 'though national': 892866, 'national grocery': 552516, 'chain might': 170927, 'facing temporary': 295615, 'pandemic local': 635897, 'with shorter': 1000706, 'stayed nimble': 797866, 'nimble and': 563257, 'though national grocery': 892867, 'national grocery store': 552517, 'store chain might': 806929, 'chain might be': 170928, 'be facing temporary': 114780, 'facing temporary shortage': 295616, 'temporary shortage during': 837687, '19 pandemic local': 9384, 'pandemic local food': 635898, 'local food source': 497974, 'food source with': 316704, 'source with shorter': 786588, 'with shorter supply': 1000707, 'chain have stayed': 170772, 'have stayed nimble': 382744, 'stayed nimble and': 797867, 'nimble and in': 563258, 'and in demand': 65047, 'yeah gas': 1014253, 'guy checked': 368960, 'checked your': 174786, 'your mutual': 1024921, 'mutual fund': 547091, 'fund lately': 341448, 'yeah gas price': 1014254, 'great but have': 362548, 'you guy checked': 1018956, 'guy checked your': 368961, 'checked your mutual': 174787, 'your mutual fund': 1024922, 'mutual fund lately': 547092, 'extrapolated': 293757, 'anything research': 80872, 'research you': 713886, 'rather wait': 697577, 'already developed': 47293, 'developed vaccine': 239741, 'an extrapolated': 56020, 'extrapolated price': 293758, 'in research': 427404, 'research they': 713863, 'any payback': 79635, 'payback kenya': 645264, 'this government doesn': 887736, 'government doesn need': 360043, 'doesn need anything': 251903, 'need anything research': 554460, 'anything research you': 80873, 'research you know': 713887, 'why they rather': 991457, 'they rather wait': 882982, 'rather wait and': 697578, 'wait and buy': 964074, 'and buy those': 59355, 'buy those already': 149366, 'those already developed': 891790, 'already developed vaccine': 47294, 'developed vaccine and': 239742, 'vaccine and drug': 951651, 'and drug at': 61778, 'drug at an': 260884, 'at an extrapolated': 97987, 'an extrapolated price': 56021, 'extrapolated price for': 293759, 'for the cartel': 326337, 'cartel to have': 165463, 'have their share': 383061, 'share in research': 755054, 'in research they': 427405, 'research they will': 713864, 'not get any': 569576, 'get any payback': 346580, 'any payback kenya': 79636, 'meat gone': 525595, 'all potato': 44000, 'potato gone': 666935, 'gone bloody': 356228, 'the meat gone': 860380, 'meat gone all': 525596, 'gone all potato': 356197, 'all potato gone': 44001, 'potato gone bloody': 666936, 'gone bloody stupid': 356229, 'acm': 29130, 'kendra': 472779, 'giveback7175': 350923, 'the acm': 848297, 'acm lifting': 29131, 'lifting life': 489499, 'fund while': 341540, 'at kendra': 99369, 'kendra scott': 472780, 'scott shop': 742462, 'code giveback7175': 185369, 'giveback7175 at': 350924, 'access this': 28208, 'amazing opportunity': 50751, 'limited time you': 492762, 'support the acm': 826860, 'the acm lifting': 848298, 'acm lifting life': 29132, 'lifting life covid': 489500, 'response fund while': 715709, 'fund while shopping': 341541, 'online at kendra': 607888, 'at kendra scott': 99370, 'kendra scott shop': 472781, 'scott shop and': 742463, 'shop and use': 759876, 'and use code': 74771, 'use code giveback7175': 949121, 'code giveback7175 at': 185370, 'giveback7175 at checkout': 350925, 'checkout to access': 175040, 'to access this': 899961, 'access this amazing': 28209, 'this amazing opportunity': 886303, 'amazing opportunity for': 50752, 'opportunity for more': 613621, 'becoming fraud': 120298, 'fraud victim': 331372, 'victim during': 956468, 'avoid becoming fraud': 105007, 'becoming fraud victim': 120299, 'fraud victim during': 331373, 'victim during the': 956469, 'big bern': 129641, 'bern supermarket': 127363, 'coping marked': 203375, 'marked space': 515866, 'space outside': 787151, 'limited basket': 492606, 'basket trolley': 112407, 'trolley disinfected': 932393, 'disinfected after': 245827, 'use marked': 949359, 'marked 2m': 515847, 'each till': 264293, 'work very': 1005967, 'is how one': 448591, 'how one big': 408431, 'one big bern': 605999, 'big bern supermarket': 129642, 'bern supermarket is': 127364, 'is coping marked': 446839, 'coping marked space': 203376, 'marked space outside': 515867, 'space outside for': 787152, 'for the queue': 326644, 'get in no': 347304, 'in no of': 425913, 'no of customer': 564900, 'in each shop': 422441, 'each shop is': 264273, 'shop is limited': 760362, 'is limited basket': 449361, 'limited basket trolley': 492607, 'basket trolley disinfected': 112408, 'trolley disinfected after': 932394, 'disinfected after use': 245828, 'after use marked': 36476, 'use marked 2m': 949360, 'marked 2m distance': 515848, '2m distance at': 16677, 'distance at each': 246655, 'at each till': 98503, 'each till it': 264294, 'till it work': 896041, 'it work very': 462509, 'work very well': 1005969, 'very well no': 955667, 'well no crowd': 978421, 'pepper': 650646, 'in limiting': 424739, 'meet pepper': 527553, 'pepper that': 650649, 'that placed': 845751, 'placed in': 657886, 'in famous': 422789, 'shopping ethic': 762587, 'ethic mt': 283050, 'also play role': 48659, 'role in limiting': 725095, 'in limiting the': 424740, 'spread of meet': 790685, 'of meet pepper': 586423, 'meet pepper that': 527554, 'pepper that placed': 650650, 'that placed in': 845752, 'placed in famous': 657888, 'in famous german': 422790, 'german supermarket in': 346251, 'supermarket in order': 820952, 'order to remind': 618700, 'remind people about': 710501, 'the safety precaution': 866151, 'safety precaution and': 730683, 'precaution and shopping': 669279, 'and shopping ethic': 71541, 'shopping ethic mt': 762588, 'touronegro': 927055, 'fujairah': 340377, 'dbn': 228923, 'touronegro yeah': 927056, '50 jet': 19733, 'fuel by': 340134, 'are industry': 87526, 'industry wide': 436244, 'wide number': 991730, 'number even': 576875, '19 peaked': 9610, 'peaked bunker': 646124, 'bunker price': 142686, 'in fujairah': 423152, 'fujairah middle': 340378, 'east were': 265353, '100 ton': 2101, 'ton compared': 924256, 'to dbn': 903959, 'dbn and': 228924, 'to bunker': 902112, 'bunker here': 142681, 'here unless': 393757, 'there term': 879129, 'touronegro yeah it': 927057, 'yeah it is': 1014272, 'it is down': 458939, 'down by about': 256592, 'by about 50': 151731, 'about 50 jet': 24722, '50 jet fuel': 19734, 'jet fuel by': 465340, 'fuel by more': 340135, 'than 70 and': 840294, '70 and these': 21732, 'and these are': 73877, 'these are industry': 879621, 'are industry wide': 87527, 'industry wide number': 436245, 'wide number even': 991731, 'number even before': 576876, 'covid 19 peaked': 213564, '19 peaked bunker': 9611, 'peaked bunker price': 646125, 'bunker price in': 142687, 'price in fujairah': 674688, 'in fujairah middle': 423153, 'fujairah middle east': 340379, 'middle east were': 530653, 'east were more': 265354, 'were more than': 979894, 'than 100 ton': 840164, '100 ton compared': 2102, 'ton compared to': 924257, 'compared to dbn': 191423, 'to dbn and': 903960, 'dbn and so': 228925, 'and so who': 71856, 'so who would': 778747, 'who would want': 990065, 'want to bunker': 966003, 'to bunker here': 902113, 'bunker here unless': 142682, 'here unless there': 393758, 'unless there term': 942645, 'there term contract': 879130, 'term contract in': 838101, 'contract in place': 201668, 'psycho': 687509, 'psychobunnycomix': 687512, 'michelewitchipoo': 530295, 'witchesbrewpress': 996917, 'psycho bunny': 687510, 'bunny sketch': 142707, 'sketch of': 772889, 'week 2020': 975799, 'toiletpaperpanic psychobunnycomix': 923232, 'psychobunnycomix michelewitchipoo': 687513, 'michelewitchipoo witchesbrewpress': 530296, 'witchesbrewpress comic': 996918, 'psycho bunny sketch': 687511, 'bunny sketch of': 142708, 'sketch of the': 772890, 'the week 2020': 871292, 'week 2020 the': 975800, 'year of the': 1014796, 'of the tp': 591553, 'toiletpaper toiletpaperpanic psychobunnycomix': 922701, 'toiletpaperpanic psychobunnycomix michelewitchipoo': 923233, 'psychobunnycomix michelewitchipoo witchesbrewpress': 687514, 'michelewitchipoo witchesbrewpress comic': 530297, 'ebeano': 266521, '19 ebeano': 6692, 'ebeano supermarket': 266522, 'supermarket start': 822917, 'start no': 794400, 'no entrance': 564124, 'entrance policy': 278894, 'covid 19 ebeano': 213000, '19 ebeano supermarket': 6693, 'ebeano supermarket start': 266523, 'supermarket start no': 822918, 'start no mask': 794401, 'mask no entrance': 519007, 'no entrance policy': 564125, 'badnickelbacksongs': 108183, 'everybody ha': 286438, 'ha sanitizer': 371805, 'sanitizer dealer': 734728, 'dealer on': 229616, 'speed dial': 788440, 'dial badnickelbacksongs': 240284, 'everybody ha sanitizer': 286439, 'ha sanitizer dealer': 371806, 'sanitizer dealer on': 734729, 'dealer on speed': 229617, 'on speed dial': 603599, 'speed dial badnickelbacksongs': 788441, 'phillip': 654753, 'wanda': 965560, 'leavitt phillip': 485178, 'phillip thomas': 654754, 'thomas and': 891708, 'and wanda': 75163, 'wanda evans': 965561, 'evans for': 283755, 'leavitt phillip thomas': 485179, 'phillip thomas and': 654755, 'thomas and wanda': 891709, 'and wanda evans': 75164, 'wanda evans for': 965562, 'evans for two': 283756, 'armour': 92979, 'under armour': 940010, 'armour are': 92980, 'and under armour': 74619, 'under armour are': 940011, 'armour are just': 92981, 'on metal': 602113, 'metal industry': 529631, 'industry good': 435853, 'and timely': 74125, 'timely analysis': 898482, 'impact on metal': 417872, 'on metal industry': 602114, 'metal industry good': 529632, 'industry good and': 435854, 'good and timely': 356754, 'and timely analysis': 74126, 'region see': 707454, 'see higher': 745196, 'across region see': 29435, 'region see higher': 707455, 'see higher price': 745197, 'price via realestate': 677311, 'any reasonably': 79734, 'priced site': 677753, 'for weight': 327776, 'and training': 74365, 'training equipment': 929333, 'who hasnt': 988901, 'hasnt doubled': 378805, 'anyone know any': 80400, 'know any reasonably': 476263, 'any reasonably priced': 79735, 'reasonably priced site': 703152, 'priced site for': 677754, 'site for weight': 771924, 'for weight and': 327777, 'weight and training': 977697, 'and training equipment': 74366, 'training equipment one': 929334, 'equipment one who': 279797, 'one who hasnt': 607449, 'who hasnt doubled': 988902, 'hasnt doubled or': 378806, 'or tripled the': 617538, 'gazetting': 344774, 'supermarket hiked': 820752, 'hiked food': 396311, 'the gazetting': 856190, 'gazetting of': 344775, 'of pricing': 588424, 'pricing regulation': 677969, 'regulation under': 708127, 'some supermarket hiked': 784007, 'supermarket hiked food': 820753, 'hiked food price': 396312, 'of the gazetting': 591058, 'the gazetting of': 856191, 'gazetting of pricing': 344776, 'of pricing regulation': 588425, 'pricing regulation under': 677970, 'regulation under the': 708128, 'known corona': 477204, 'virus amazon': 957909, 'monday it': 536307, 'wa adding': 961434, 'it fulfillment': 458177, 'fulfillment and': 340438, '19 also known': 4928, 'also known corona': 48460, 'known corona virus': 477205, 'corona virus amazon': 204283, 'virus amazon announced': 957910, 'amazon announced monday': 50857, 'announced monday it': 76996, 'monday it wa': 536308, 'it wa adding': 462058, 'wa adding 100': 961435, 'worker to it': 1008011, 'to it fulfillment': 908581, 'it fulfillment and': 458178, 'fulfillment and delivery': 340439, 'and delivery network': 61123, 'delivery network to': 234200, 'network to deal': 557775, 'deal with surge': 229578, 'shopping the direct': 764084, 'the direct result': 853311, 'wish zed': 996862, 'zed wa': 1027336, 'wa producer': 963002, 'just consumer': 468515, 'time you wish': 898424, 'you wish zed': 1022374, 'wish zed wa': 996863, 'zed wa producer': 1027337, 'wa producer and': 963003, 'producer and not': 680562, 'not just consumer': 570217, 'just consumer zambia': 468516, 'narrating': 551932, 'penguin national': 646509, 'national damn': 552471, 'damn treasure': 225456, 'treasure want': 930775, 'want penguin': 965893, 'penguin buying': 646501, 'buying reasonable': 150954, 'store want': 811147, 'penguin narrating': 646507, 'narrating documentary': 551933, 'documentary about': 251223, 'about morgan': 25755, 'penguin national damn': 646510, 'national damn treasure': 552472, 'damn treasure want': 225457, 'treasure want penguin': 930776, 'want penguin buying': 965894, 'penguin buying reasonable': 646502, 'buying reasonable amount': 150955, 'amount of toilet': 53262, 'grocery store want': 365928, 'store want penguin': 811148, 'want penguin narrating': 965895, 'penguin narrating documentary': 646508, 'narrating documentary about': 551934, 'documentary about morgan': 251224, 'about morgan freeman': 25756, 'what taught': 982276, 'eat home': 265938, 'made healthy': 507769, 'maintain hygiene': 508979, 'to meditate': 910008, 'meditate to': 526950, 'up junk': 945265, 'unnecessary travel': 942953, 'to stockup': 915491, 'stockup grocery': 804174, 'your spouse': 1025894, 'spouse in': 790225, 'daily chorus': 224545, 'what taught to': 982277, 'taught to stay': 834903, 'and be with': 58774, 'be with family': 118119, 'family to eat': 298324, 'to eat home': 904886, 'eat home made': 265939, 'home made healthy': 401568, 'made healthy food': 507770, 'food to maintain': 317269, 'to maintain hygiene': 909576, 'maintain hygiene to': 508980, 'hygiene to meditate': 412185, 'to meditate to': 910009, 'meditate to give': 526951, 'give up junk': 350815, 'up junk food': 945266, 'junk food to': 468040, 'avoid unnecessary travel': 105377, 'unnecessary travel to': 942954, 'travel to stockup': 930540, 'to stockup grocery': 915492, 'stockup grocery on': 804175, 'grocery on time': 364769, 'on time help': 604710, 'time help your': 896915, 'help your spouse': 391026, 'your spouse in': 1025895, 'spouse in daily': 790226, 'in daily chorus': 421960, 'priceatthepump': 677713, 'icymi talk': 412911, 'how saudi': 408622, 'all pushing': 44102, 'pushing oil': 690434, 'down priceatthepump': 257120, 'icymi talk about': 412912, 'about how saudi': 25466, 'how saudi arabia': 408623, 'arabia russia are': 83920, 'russia are all': 728440, 'are all pushing': 84338, 'all pushing oil': 44103, 'pushing oil price': 690435, 'price and fuel': 672419, 'fuel price down': 340225, 'price down priceatthepump': 673528, 'multiple source': 545791, 'source have': 786488, 'that mandatory': 845013, 'citizen last': 178926, 'last chance': 480139, 'supply supply': 825928, 'supply consider': 825097, 'this warning': 891106, 'warning before': 967095, 'multiple source have': 545792, 'source have learned': 786489, 'learned that mandatory': 484146, 'that mandatory quarantine': 845014, 'mandatory quarantine is': 513051, 'quarantine is coming': 692301, 'is coming this': 446667, 'week for american': 976221, 'for american citizen': 319243, 'american citizen last': 51866, 'citizen last chance': 178927, 'last chance to': 480140, 'chance to stock': 171820, 'and supply supply': 72817, 'supply supply consider': 825929, 'supply consider this': 825098, 'consider this warning': 195165, 'this warning before': 891107, 'warning before it': 967096, 'house these': 406608, 'avoid bringing': 105014, 'you story': 1021451, 'grocery store may': 365557, 'only trip you': 611388, 'trip you re': 932229, 're taking out': 699653, 'taking out of': 833489, 'the house these': 857640, 'house these day': 406609, 'these day take': 879894, 'day take precaution': 228451, 'to avoid bringing': 900870, 'avoid bringing home': 105015, 'bringing home with': 140164, 'with you story': 1002163, 'you story via': 1021452, 'last stayathome': 480506, 'enjoy this low': 277203, 'this low gas': 888725, 'gas price while': 344056, 'price while it': 677523, 'while it last': 986971, 'it last stayathome': 459302, 'last stayathome gasprices': 480507, 'is mandatory': 449574, 'it is mandatory': 459007, 'is mandatory to': 449575, 'see that supermarket': 745799, 'supermarket are responsible': 819182, 'please time': 660679, 'time limit': 897139, 'have store': 382795, 'then hour': 877250, 'day save': 228305, 'there family': 878374, 'please time limit': 660680, 'time limit on': 897140, 'limit on retail': 492426, 'on retail to': 603183, 'retail to limit': 718794, '19 we should': 11951, 'not have store': 569873, 'have store open': 382796, 'open for more': 612251, 'for more then': 323601, 'more then hour': 540721, 'then hour day': 877251, 'hour day save': 405529, 'day save the': 228306, 'save the retail': 737665, 'worker and there': 1006345, 'and there family': 73838, 'there family from': 878375, 'hogging': 399845, 'stay legal': 797116, 'legal good': 485866, 'stop hogging': 804755, 'hogging all': 399846, 'like it time': 490560, 'meme stay legal': 528362, 'stay legal good': 797117, 'legal good friend': 485867, 'good friend and': 357108, 'friend and stop': 333511, 'and stop hogging': 72476, 'stop hogging all': 804756, 'hogging all the': 399847, 'this subsides': 890402, 'subsides can': 815955, 'stop place': 804915, 'from marking': 336369, 'price 10x': 672106, '10x on': 2411, 'on cost': 600134, 'paper resellers': 640676, 'once this subsides': 605759, 'this subsides can': 890403, 'subsides can we': 815956, 'we stop place': 973427, 'stop place like': 804916, 'place like and': 657549, 'like and from': 489784, 'and from marking': 63348, 'from marking up': 336370, 'marking up their': 517925, 'their price 10x': 874370, 'price 10x on': 672107, '10x on cost': 2412, 'on cost like': 600135, 'cost like we': 208004, 'we ve done': 973656, 'to the lysol': 916862, 'the lysol and': 859843, 'lysol and toilet': 507161, 'toilet paper resellers': 921421, 'spotted inflated': 790199, 'competition amp': 191660, 'amp market': 54110, 'authority which': 103812, 'dedicated email': 231704, 'this purpose': 889761, 'purpose find': 690123, 'spotted inflated price': 790200, 'inflated price at': 437027, 'price at shop': 672812, 'at shop the': 100510, 'shop the best': 760900, 'place to report': 657769, 'to report this': 913294, 'report this issue': 712375, 'this issue is': 888508, 'issue is to': 455822, 'is to the': 453254, 'the competition amp': 851373, 'competition amp market': 191661, 'amp market authority': 54111, 'market authority which': 516065, 'authority which ha': 103813, 'which ha set': 985897, 'up dedicated email': 944695, 'dedicated email address': 231705, 'email address for': 272100, 'address for this': 31979, 'for this purpose': 327058, 'this purpose find': 889762, 'purpose find out': 690124, 'tell good': 836958, 'quality sanitizer': 691845, 'sanitizer take': 735841, 'look 19': 502218, 'good morning here': 357406, 'morning here how': 541295, 'how to tell': 409099, 'to tell good': 916342, 'tell good quality': 836959, 'good quality sanitizer': 357607, 'quality sanitizer take': 691846, 'sanitizer take look': 735842, 'take look 19': 832291, 'kitwe': 475837, 'ndola': 553429, 'reduce exposure': 705832, 'or office': 616361, 'office simply': 595543, 'click buy': 181888, 'delivery within': 234755, 'within four': 1002363, 'to eight': 904957, 'hour lusaka': 405752, 'lusaka kitwe': 506847, 'kitwe ndola': 475838, 'reduce exposure to': 705833, 'by shopping all': 153989, 'shopping all your': 761921, 'all your household': 45569, 'your household good': 1024429, 'household good online': 406819, 'good online from': 357515, 'online from the': 608274, 'home or office': 401751, 'or office simply': 616362, 'office simply click': 595544, 'simply click buy': 770204, 'click buy amp': 181889, 'buy amp and': 148309, 'amp and expect': 53392, 'and expect delivery': 62480, 'expect delivery within': 290631, 'delivery within four': 234757, 'within four to': 1002364, 'four to eight': 330689, 'to eight hour': 904958, 'eight hour lusaka': 270186, 'hour lusaka kitwe': 405753, 'lusaka kitwe ndola': 506848, 'hickory': 394793, 'improvised': 419614, 'wildfood': 992124, 'kitchen amidst': 475688, 'pandemic leading': 635869, 'to scarce': 913880, 'scarce grocery': 740788, 'shelf dove': 756995, 'dove with': 256302, 'with hickory': 998796, 'hickory smoked': 394794, 'bacon cut': 107631, 'in make': 424993, 'one heck': 606413, 'heck of': 388704, 'an improvised': 56217, 'improvised ground': 419615, 'ground meat': 366523, 'meat organic': 525684, 'organic wildfood': 619244, 'wildfood stayhomechallenge': 992125, 'getting creative in': 348921, 'creative in my': 216145, 'in my kitchen': 425590, 'my kitchen amidst': 548962, 'kitchen amidst the': 475689, 'the pandemic leading': 863012, 'pandemic leading to': 635870, 'leading to scarce': 483774, 'to scarce grocery': 913881, 'scarce grocery store': 740789, 'store shelf dove': 810069, 'shelf dove with': 756996, 'dove with hickory': 256303, 'with hickory smoked': 998797, 'hickory smoked bacon': 394795, 'smoked bacon cut': 775878, 'bacon cut in': 107632, 'cut in make': 223380, 'in make for': 424994, 'make for one': 509913, 'for one heck': 324084, 'one heck of': 606414, 'heck of an': 388705, 'of an improvised': 580120, 'an improvised ground': 56218, 'improvised ground meat': 419616, 'ground meat organic': 366524, 'meat organic wildfood': 525685, 'organic wildfood stayhomechallenge': 619245, 'one mentioned': 606652, 'mode tough': 535211, 'how devastating': 407676, 'devastating the': 239603, 'some retailer in': 783769, 'retailer in today': 719207, 'in today one': 430160, 'today one mentioned': 919978, 'one mentioned layoff': 606653, 'survival mode tough': 829063, 'mode tough to': 535212, 'tough to do': 926871, 'reminder of just': 710573, 'of just how': 585571, 'just how devastating': 468996, 'how devastating the': 407677, 'devastating the is': 239604, 'derail': 237824, 'enel': 276335, 'francesco': 331057, 'starace': 794079, 'brambilla': 137649, 'won derail': 1003778, 'derail the': 237825, 'green economic': 363661, 'economic transformation': 267342, 'transformation on': 929574, 'which enel': 985846, 'enel is': 276336, 'building it': 142094, 'future ceo': 342281, 'ceo francesco': 169700, 'francesco starace': 331058, 'starace say': 794080, 'via brambilla': 955823, 'blow of the': 133328, 'oil price won': 597326, 'price won derail': 677638, 'won derail the': 1003779, 'derail the green': 237826, 'the green economic': 856775, 'green economic transformation': 363662, 'economic transformation on': 267343, 'transformation on which': 929575, 'on which enel': 605279, 'which enel is': 985847, 'enel is building': 276337, 'is building it': 446294, 'building it future': 142095, 'it future ceo': 458197, 'future ceo francesco': 342282, 'ceo francesco starace': 169701, 'francesco starace say': 331059, 'starace say via': 794081, 'say via brambilla': 739436, 'expectation show': 290848, 'show big': 766876, 'finance inflation': 306208, 'inflation employment': 437169, 'employment expectation': 274596, 'consumer expectation show': 197401, 'expectation show big': 290849, 'show big drop': 766877, 'drop in household': 260255, 'in household finance': 423860, 'household finance inflation': 406799, 'finance inflation employment': 306209, 'inflation employment expectation': 437170, 'employment expectation in': 274597, 'expectation in march': 290826, 'march economy consumer': 515352, 'mandideep': 513088, 'ha initiated': 370973, 'station starting': 796512, 'from mandideep': 336323, 'mandideep police': 513089, 'bhopal for': 129387, 'person india': 652491, 'aisect group ha': 40172, 'group ha initiated': 366712, 'ha initiated distribution': 370974, 'sanitizers to police': 736426, 'to police station': 911868, 'police station starting': 663215, 'station starting from': 796513, 'starting from mandideep': 794959, 'from mandideep police': 336324, 'mandideep police station': 513090, 'in bhopal for': 420817, 'bhopal for the': 129388, 'needy person india': 556700, 'person india aisectfamily': 652492, 'sweep mitch': 830139, 'and nancy': 67415, 'monday relief': 536371, 'vote video': 960524, 'supermarket sweep mitch': 823097, 'sweep mitch mcconnell': 830140, 'crush democrat and': 219775, 'democrat and nancy': 236696, 'and nancy pelosi': 67416, 'before monday relief': 122951, 'monday relief vote': 536372, 'relief vote video': 709496, 'vote video via': 960525, 'scindiaschool': 742281, 'scindians': 742278, 'soba': 779358, 'scindiaagainstcorona': 742277, 'practice any': 668526, 'any day': 79096, 'time sanitizer': 897607, 'handy when': 376912, 'sanitized stay': 734259, 'safe scindiaschool': 729921, 'scindiaschool scindians': 742282, 'scindians soba': 742279, 'soba staysafestayhome': 779359, 'staysafestayhome scindiaagainstcorona': 799015, 'soap is good': 779045, 'is good practice': 448149, 'good practice any': 357577, 'practice any day': 668527, 'any day more': 79097, 'day more so': 227986, 'more so at': 540412, 'so at this': 776567, 'this time sanitizer': 890684, 'time sanitizer come': 897608, 'in handy when': 423538, 'handy when you': 376913, 'you cannot wash': 1017886, 'cannot wash your': 162217, 'hand with water': 376020, 'with water stay': 1002036, 'water stay sanitized': 969164, 'stay sanitized stay': 797309, 'sanitized stay safe': 734260, 'stay safe scindiaschool': 797272, 'safe scindiaschool scindians': 729922, 'scindiaschool scindians soba': 742283, 'scindians soba staysafestayhome': 742280, 'soba staysafestayhome scindiaagainstcorona': 779360, 'relatedly': 708638, 'this potential': 889678, 'potential loss': 667102, 'deal relatedly': 229471, 'relatedly cargill': 708639, 'cargill chief': 164646, 'chief risk': 175965, 'risk officer': 723792, 'officer said': 595709, 'said last': 731190, 'poultry demand': 667312, 'had shifted': 373496, 'shifted from': 758488, 'from 50': 334302, '50 retail': 19834, 'to 85': 899857, '85 15': 22908, 'this potential loss': 889679, 'potential loss of': 667103, 'of restaurant sale': 589022, 'restaurant sale due': 716680, 'is really big': 451290, 'big deal relatedly': 129743, 'deal relatedly cargill': 229472, 'relatedly cargill chief': 708640, 'cargill chief risk': 164647, 'chief risk officer': 175966, 'risk officer said': 723793, 'officer said last': 595710, 'said last week': 731192, 'last week that': 480679, 'week that meat': 976978, 'that meat poultry': 845133, 'meat poultry demand': 525695, 'poultry demand had': 667313, 'demand had shifted': 235622, 'had shifted from': 373497, 'shifted from 50': 758489, 'from 50 50': 334303, '50 50 retail': 19592, '50 retail food': 19835, 'retail food service': 718122, 'food service to': 316436, 'service to 85': 752964, 'to 85 15': 899858, '85 15 in': 22909, '15 in just': 3741, 'in just one': 424422, 'just one week': 469386, 'drivethrurpg': 259878, 'miniature': 533039, 'coloringbook': 186839, 'rpg': 726664, 'ttrpg': 935004, 'off drivethrurpg': 593782, 'drivethrurpg bundle': 259879, 'bundle contains': 142646, 'contains dozen': 200629, 'dozen self': 257918, 'self standing': 747912, 'standing title': 793822, 'title we': 899300, 'have specially': 382679, 'selected for': 747494, 'isolate during': 454848, 'crisis including': 217545, 'including comic': 431919, 'comic fantasy': 187939, 'fantasy fiction': 298623, 'fiction miniature': 304425, 'miniature and': 533040, 'and coloringbook': 60099, 'coloringbook dnd': 186840, 'dnd rpg': 248998, 'rpg ttrpg': 726667, 'this special 90': 890275, '90 off drivethrurpg': 23323, 'off drivethrurpg bundle': 593783, 'drivethrurpg bundle contains': 259880, 'bundle contains dozen': 142647, 'contains dozen self': 200630, 'dozen self standing': 257919, 'self standing title': 747913, 'standing title we': 793823, 'title we have': 899301, 'we have specially': 971946, 'have specially selected': 382680, 'specially selected for': 788156, 'selected for people': 747495, 'for people forced': 324451, 'forced to self': 328652, 'self isolate during': 747671, 'isolate during the': 454849, 'current crisis including': 221158, 'crisis including comic': 217547, 'including comic fantasy': 431920, 'comic fantasy fiction': 187940, 'fantasy fiction miniature': 298624, 'fiction miniature and': 304426, 'miniature and coloringbook': 533041, 'and coloringbook dnd': 60100, 'coloringbook dnd rpg': 186841, 'dnd rpg ttrpg': 248999, 'so horrible': 777326, 'vacation because': 951578, 'attack daily': 102098, 'daily while': 224889, 'our fault': 623035, 'fault be': 300395, 'nice essentialworkers': 562394, 'being so horrible': 125818, 'so horrible to': 777327, 'horrible to grocery': 404136, 'employee essential employee': 273821, 'essential employee currently': 281000, 'employee currently on': 273744, 'currently on vacation': 221615, 'on vacation because': 605012, 'vacation because wa': 951579, 'because wa having': 119780, 'wa having panic': 962289, 'panic attack daily': 637372, 'attack daily while': 102099, 'daily while on': 224890, 'while on break': 987102, 'on break and': 599694, 'break and cry': 138675, 'and cry in': 60785, 'cry in the': 219881, 'the car it': 850382, 'car it not': 163156, 'not our fault': 570856, 'our fault be': 623036, 'fault be nice': 300396, 'be nice essentialworkers': 116081, 'wednesday funny': 975641, 'funny hay': 341734, 'hay farming': 384509, 'farming toiletpaper': 299655, 'toiletpaper montana': 922246, 'montana joke': 537494, 'wednesday funny hay': 975642, 'funny hay farming': 341735, 'hay farming toiletpaper': 384510, 'farming toiletpaper montana': 299656, 'toiletpaper montana joke': 922247, 'rapid and': 696896, 'and widening': 75644, 'widening spread': 991805, 'outbreak deteriorating': 628170, 'deteriorating global': 239411, 'economic outlook': 267183, 'outlook falling': 629145, 'creating severe': 216067, 'severe and': 753987, 'and extensive': 62556, 'extensive credit': 293300, 'credit shock': 216510, 'shock across': 759412, 'sector region': 744303, 'market qanon': 516925, 'the rapid and': 865145, 'rapid and widening': 696897, 'and widening spread': 75645, 'widening spread of': 991806, 'the outbreak deteriorating': 862612, 'outbreak deteriorating global': 628171, 'deteriorating global economic': 239412, 'global economic outlook': 351883, 'economic outlook falling': 267185, 'outlook falling oil': 629146, 'price and asset': 672364, 'asset price decline': 96455, 'price decline are': 673399, 'decline are creating': 231305, 'are creating severe': 85619, 'creating severe and': 216068, 'severe and extensive': 753988, 'and extensive credit': 62557, 'extensive credit shock': 293301, 'credit shock across': 216511, 'shock across many': 759413, 'across many sector': 29384, 'many sector region': 514672, 'sector region and': 744304, 'region and market': 707387, 'and market qanon': 66709, 'further hasten': 342059, 'the woe': 871652, 'woe of': 1003335, 'the residential': 865581, 'residential real': 714441, 'estate sector': 282193, 'sector which': 744394, 'prevailing liquidity': 671551, 'say md': 738929, 'crisis will further': 218412, 'will further hasten': 993484, 'further hasten the': 342060, 'hasten the woe': 378833, 'the woe of': 871653, 'woe of the': 1003337, 'of the residential': 591407, 'the residential real': 865582, 'residential real estate': 714442, 'real estate sector': 701163, 'estate sector which': 282194, 'sector which is': 744395, 'is already reeling': 445533, 'from the negative': 337801, 'of the prevailing': 591361, 'the prevailing liquidity': 864307, 'prevailing liquidity crisis': 671552, 'liquidity crisis say': 494133, 'crisis say md': 218002, 'say md liases': 738930, 'emily': 273175, 'debunking': 230636, 'yes emily': 1015421, 'emily this': 273180, 'need debunking': 554659, 'debunking those': 230637, 'now bus': 574275, 'yes emily this': 1015422, 'emily this is': 273181, 'this is myth': 888326, 'is myth that': 449817, 'myth that need': 551060, 'that need debunking': 845298, 'need debunking those': 554660, 'debunking those on': 230638, 'right now bus': 722036, 'now bus driver': 574276, 'driver nurse and': 259662, 'to and disproportionately': 900494, 'and disproportionately the': 61485, 'disproportionately the lowest': 246314, 'sherrod': 758088, 'debtcollections': 230622, 'businesslaw': 144753, 'sen sherrod': 749681, 'sherrod brown': 758089, 'brown introduced': 141239, 'the smallbusiness': 867369, 'smallbusiness and': 775209, 'collection emergency': 186425, 'relief act': 709265, 'act proposing': 29744, 'proposing amendment': 684561, 'fair debtcollections': 296329, 'debtcollections practice': 230623, 'act discover': 29626, 'discover more': 244657, 'our businesslaw': 622292, 'businesslaw blog': 144754, 'pandemic sen sherrod': 636426, 'sen sherrod brown': 749682, 'sherrod brown introduced': 758090, 'brown introduced the': 141240, 'introduced the smallbusiness': 443459, 'the smallbusiness and': 867370, 'smallbusiness and consumer': 775210, 'debt collection emergency': 230442, 'collection emergency relief': 186426, 'emergency relief act': 272914, 'relief act proposing': 709266, 'act proposing amendment': 29745, 'proposing amendment to': 684562, 'amendment to the': 51411, 'to the fair': 916691, 'the fair debtcollections': 854853, 'fair debtcollections practice': 296330, 'debtcollections practice act': 230624, 'practice act discover': 668515, 'act discover more': 29627, 'discover more on': 244658, 'on our businesslaw': 602581, 'our businesslaw blog': 622293, 'earmarked': 264765, 'sanitizer stock': 735815, 'stock earmarked': 802070, 'earmarked for': 264766, 'you id': 1019272, 'id me': 412947, 'me customer': 522632, 'hand sanitizer stock': 375603, 'sanitizer stock earmarked': 735816, 'stock earmarked for': 802071, 'earmarked for you': 264767, 'for you id': 328066, 'you id me': 1019273, 'id me customer': 412948, 'me customer and': 522633, 'customer and member': 222089, 'having problem': 384233, 'problem getting': 679530, 'or topping': 617503, 'meter take': 529737, 'for guidance': 322084, 're having problem': 698789, 'having problem getting': 384234, 'problem getting to': 679532, 'getting to or': 349396, 'to or topping': 911055, 'or topping up': 617504, 'topping up your': 925851, 'prepayment meter take': 670374, 'meter take look': 529738, 'the website for': 871276, 'website for guidance': 975270, 'for guidance on': 322085, 'sandbox startup': 733678, 'startup explored': 795107, 'explored how': 292512, 'sandbox startup explored': 733679, 'startup explored how': 795108, 'explored how the': 292513, 'current pandemic could': 221290, 'pandemic could affect': 635240, 'affect the consumer': 34241, 'two silver': 937217, 'been cleaner': 120826, 'cleaner possibly': 180818, 'possibly in': 665929, 'are wonderful': 91672, 'wonderful stay': 1004121, 'clean people': 180618, 'two silver lining': 937218, 'lining in this': 493743, 'in this coronacrisis': 429920, 'this coronacrisis people': 886878, 'coronacrisis people have': 204703, 'people have never': 648184, 'never been cleaner': 557891, 'been cleaner possibly': 120827, 'cleaner possibly in': 180819, 'possibly in their': 665930, 'in their entire': 429739, 'their entire life': 873171, 'entire life and': 278697, 'life and gas': 488477, 'price are wonderful': 672768, 'are wonderful stay': 91673, 'wonderful stay safe': 1004122, 'and clean people': 59935, 'sitcom': 771853, 'nostalgia': 567976, 'kotter': 477570, 'we seem': 973183, 'our high': 623432, 'risk relative': 723841, 'relative from': 708726, 'from endless': 335280, 'endless paranoia': 276242, 'paranoia by': 641425, 'by triggering': 154594, 'triggering 70': 931933, '70 sitcom': 21838, 'sitcom nostalgia': 771854, 'nostalgia wa': 567977, 'born in': 135561, 'saying bernie': 739560, 'sander look': 733689, 'mr woodman': 544410, 'woodman on': 1004314, 'on kotter': 601776, 'kotter made': 477571, 'my fil': 548315, 'we seem to': 973184, 'to deliver our': 904110, 'deliver our high': 233187, 'our high risk': 623434, 'high risk relative': 395370, 'risk relative from': 723842, 'relative from endless': 708727, 'from endless paranoia': 335281, 'endless paranoia by': 276243, 'paranoia by triggering': 641426, 'by triggering 70': 154595, 'triggering 70 sitcom': 931934, '70 sitcom nostalgia': 21839, 'sitcom nostalgia wa': 771855, 'nostalgia wa born': 567978, 'wa born in': 961737, 'born in the': 135562, 'the 70 and': 848181, '70 and do': 21730, 'not like them': 570403, 'like them but': 491418, 'them but just': 875496, 'but just saying': 146202, 'just saying bernie': 469712, 'saying bernie sander': 739561, 'bernie sander look': 127385, 'sander look like': 733690, 'look like mr': 502499, 'like mr woodman': 490806, 'mr woodman on': 544411, 'woodman on kotter': 1004315, 'on kotter made': 601777, 'kotter made my': 477572, 'made my fil': 507859, 'highly skilled': 396100, 'skilled politician': 773001, 'msm highly skilled': 544551, 'highly skilled politician': 396101, 'skilled politician this': 773002, 'witnessing in mr': 1003170, 'in mr kenney': 425489, 'kenney he is': 472792, 'he is very': 385154, 'the wh covi': 871412, 'racine the': 695246, 'of racine': 588710, 'racine stock': 695244, 'racine the salvation': 695247, 'army of racine': 93025, 'of racine stock': 588711, 'racine stock of': 695245, 'hygiene product is': 412157, 'product is running': 681328, 'running low due': 727999, 'basically yelled': 112188, 'she unnecessarily': 756399, 'unnecessarily touched': 942883, 'baby watermelon': 106726, 'watermelon sorry': 969297, 'sorry stressed': 786079, 'basically yelled at': 112189, 'yelled at the': 1015229, 'help me at': 390063, 'at the self': 101092, 'self checkout because': 747577, 'checkout because she': 174891, 'because she unnecessarily': 119551, 'she unnecessarily touched': 756400, 'unnecessarily touched my': 942884, 'touched my baby': 926627, 'my baby watermelon': 547374, 'baby watermelon sorry': 106727, 'watermelon sorry stressed': 969298, 'socialdistanacing would': 780127, 'labour party': 478524, 'party have': 642999, 'panicbuyinguk socialdistanacing would': 639171, 'socialdistanacing would the': 780128, 'would the labour': 1012321, 'the labour party': 858895, 'labour party have': 478525, 'party have done': 643000, 'have done better': 380326, 'done better job': 254797, 'of managing this': 586146, 'managing this crisis': 512905, 'shopper enough': 761500, 'about closure': 24971, 'closure stop': 184036, 'empathy instead': 273353, 'supermarket shopper enough': 822612, 'shopper enough of': 761501, 'of the hoarding': 591106, 'the hoarding and': 857414, 'hoarding and panicking': 399185, 'and panicking about': 68674, 'panicking about closure': 639310, 'about closure stop': 24972, 'closure stop and': 184037, 'show empathy instead': 766933, 'empathy instead of': 273354, 'instead of greed': 440267, 'like gang': 490298, 'member saturdaymorning': 528181, 'saturdaymorning lockdown': 737090, 'lockdown groceryworkers': 499432, 'look like gang': 502478, 'like gang member': 490299, 'gang member saturdaymorning': 343407, 'member saturdaymorning lockdown': 528182, 'saturdaymorning lockdown groceryworkers': 737092, 'ioannou': 444431, 'today expected': 919502, 'normal amount': 567083, 'to sunday': 915756, 'sunday restriction': 818259, 'restriction cyprus': 717255, 'cyprus ioannou': 224142, 'store today expected': 810840, 'today expected it': 919503, 'expected it wa': 290905, 'packed with time': 633672, 'with time the': 1001772, 'the normal amount': 861860, 'normal amount of': 567084, 'of people due': 587899, 'due to sunday': 261981, 'to sunday restriction': 915757, 'sunday restriction cyprus': 818260, 'restriction cyprus ioannou': 717256, 'ultravioletsterilizer': 939193, 'mask phone': 519117, 'phone glass': 654959, 'glass regularly': 351637, 'uv sterilizer': 951491, 'sterilizer box': 799871, 'coronavirus period': 206546, 'period ultravioletsterilizer': 651914, 'sterilize your mask': 799867, 'your mask phone': 1024789, 'mask phone glass': 519118, 'phone glass regularly': 654960, 'glass regularly with': 351638, 'regularly with the': 707980, 'with the uv': 1001535, 'the uv sterilizer': 870610, 'uv sterilizer box': 951492, 'sterilizer box in': 799872, 'box in this': 137091, 'this coronavirus period': 886901, 'coronavirus period ultravioletsterilizer': 206548, 'smart be': 775346, 'safe fraudulent': 729683, 'be smart be': 117232, 'smart be safe': 775347, 'be safe fraudulent': 116956, 'safe fraudulent test': 729684, 'pool today': 664024, '30th and': 17529, 're ass': 698315, 'ass opening': 96263, 'we announce the': 970429, 'beloved pool today': 126542, 'pool today we': 664025, 'march 30th and': 515238, '30th and will': 17530, 'will re ass': 994566, 're ass opening': 698316, 'ass opening again': 96264, 'uneccessary': 941075, 'panna': 639474, 'cotta': 208392, 'most ridiculous': 542710, 'ridiculous pathetic': 721580, 'pathetic example': 644052, 'greed never': 363408, 'empty shame': 275037, 'buying uneccessary': 151279, 'uneccessary my': 941076, 'tonight milk': 924445, 'milk panna': 531764, 'panna cotta': 639475, 'cotta cat': 208393, 'food selfishness': 316386, 'selfishness lockdownlondon': 748365, 'the most ridiculous': 861028, 'most ridiculous pathetic': 542711, 'ridiculous pathetic example': 721581, 'pathetic example of': 644053, 'example of human': 288936, 'of human greed': 584873, 'human greed never': 410502, 'greed never seen': 363409, 'so many shelf': 777704, 'many shelf empty': 514689, 'shelf empty shame': 757030, 'empty shame on': 275038, 'shame on those': 754631, 'on those that': 604653, 'panic buying uneccessary': 637947, 'buying uneccessary my': 151280, 'uneccessary my shopping': 941077, 'my shopping for': 550055, 'shopping for tonight': 762722, 'for tonight milk': 327278, 'tonight milk panna': 924446, 'milk panna cotta': 531765, 'panna cotta cat': 639476, 'cotta cat food': 208394, 'cat food selfishness': 166871, 'food selfishness lockdownlondon': 316387, 'imo the': 417503, 'are boomer': 85018, 'wartime wa': 967395, 'greedy nt': 363554, 'nt want': 576735, 'observation but imo': 578539, 'but imo the': 146015, 'imo the worst': 417504, 'buyer are boomer': 149567, 'are boomer and': 85019, 'boomer and older': 134839, 'older people that': 598661, 'people that whole': 649783, 'that whole blitz': 847524, 'whole blitz spirit': 990146, 'blitz spirit is': 132741, 'spirit is food': 789479, 'is food in': 447868, 'food in wartime': 314982, 'in wartime wa': 430702, 'wartime wa rationed': 967396, 'plenty of it': 660956, 'you re greedy': 1020637, 're greedy nt': 698771, 'greedy nt want': 363555, 'nt want it': 576736, 'want it all': 965832, 'all for yourself': 42854, 'sanitizing surface': 736519, 'surface are': 827987, 'overlooked your': 631303, 'car disinfecting': 163059, 'disinfecting your': 245902, 'your ride': 1025621, 'ride go': 721437, 'the steering': 867871, 'steering wheel': 799433, 'hand and sanitizing': 374774, 'and sanitizing surface': 70915, 'sanitizing surface are': 736520, 'surface are important': 827988, 'are important in': 87338, 'important in the': 418834, 'against the but': 37645, 'the but one': 850199, 'but one area': 146665, 'one area you': 605953, 'area you might': 92294, 'might have overlooked': 531018, 'have overlooked your': 381861, 'overlooked your car': 631304, 'your car disinfecting': 1023130, 'car disinfecting your': 163060, 'disinfecting your ride': 245903, 'your ride go': 1025622, 'ride go far': 721438, 'go far beyond': 353525, 'far beyond the': 298729, 'beyond the steering': 129250, 'the steering wheel': 867872, 'food thought': 317206, 'slowdown due': 774429, 'affect or': 34198, 'bit until': 131730, 'stock market food': 802398, 'market food thought': 516403, 'food thought if': 317207, 'all company that': 42408, 'saved profit by': 737759, 'profit by buying': 682686, 'by buying back': 152036, 'buying back all': 149985, 'back all the': 106836, 'stock to create': 802992, 'economic slowdown due': 267302, 'slowdown due to': 774430, 'do them would': 250286, 'them would not': 876669, 'not affect or': 568071, 'affect or the': 34199, 'stockmarket bit until': 803649, 'bit until the': 131731, 'until the run': 943870, 'the run out': 866077, 'bioenergy': 131203, 'could biogas': 208962, 'biogas plant': 131218, 'plant be': 658627, 'food bioenergy': 313754, 'bioenergy read': 131204, 'could biogas plant': 208963, 'biogas plant be': 131219, 'plant be overwhelmed': 658628, 'overwhelmed by panic': 631721, 'by panic bought': 153517, 'bought food bioenergy': 136564, 'food bioenergy read': 313755, 'given over': 351071, 'over thousand': 630821, 'dollar just': 253022, 'within an hour': 1002332, 'an hour people': 56097, 'hour people had': 405851, 'people had given': 648138, 'had given over': 373139, 'given over thousand': 351072, 'over thousand dollar': 630822, 'thousand dollar just': 893393, 'dollar just to': 253023, 'just to say': 470104, 'those people working': 892334, 'people working so': 650520, 'hard at our': 377871, 'easy what': 265803, 'difficult are': 242189, 'like sterilizing': 491237, 'sterilizing every': 799880, 'or sterilizing': 617217, 'sterilizing your': 799886, 'clothes every': 184156, 'in cab': 421120, 'cab or': 154932, 'these not': 880351, 'the thing the': 869466, 'thing the is': 884832, 'is asking people': 445831, '19 are easy': 5196, 'are easy what': 86077, 'easy what are': 265804, 'what are much': 981060, 'much more difficult': 545105, 'more difficult are': 539034, 'difficult are thing': 242190, 'are thing like': 91037, 'thing like sterilizing': 884551, 'like sterilizing every': 491238, 'sterilizing every item': 799881, 'every item you': 285962, 'item you buy': 463864, 'you buy from': 1017568, 'buy from the': 148721, 'supermarket or sterilizing': 821834, 'or sterilizing your': 617218, 'sterilizing your clothes': 799887, 'your clothes every': 1023243, 'clothes every time': 184157, 'time you ride': 898416, 'you ride in': 1020936, 'ride in cab': 721444, 'in cab or': 421121, 'cab or are': 154933, 'are these not': 90977, 'these not really': 880352, 'not really necessary': 571240, 'video doctor': 956707, 'appointment first': 82663, 'first because': 308532, 'worried but': 1010549, 'but anne': 145191, 'anne is': 76799, 'stop her': 804712, 'her worrying': 392539, 'worrying you': 1010846, 'probably picked': 679353, 'station symptom': 796518, 'symptom self': 830916, 'have video doctor': 383508, 'video doctor appointment': 956708, 'doctor appointment first': 250829, 'appointment first because': 82664, 'first because have': 308533, 'because have symptom': 119105, '19 not worried': 8835, 'not worried but': 572562, 'worried but anne': 1010550, 'but anne is': 145192, 'anne is and': 76800, 'is and do': 445702, 'do to stop': 250406, 'to stop her': 915533, 'stop her worrying': 804713, 'her worrying you': 392540, 'worrying you probably': 1010847, 'you probably picked': 1020443, 'probably picked it': 679354, 'picked it up': 655798, 'it up at': 461956, 'gas station symptom': 344129, 'station symptom self': 796519, 'symptom self quarantine': 830917, 'sanitisation': 733884, 'startup develops': 795100, 'develops sanitisation': 239864, 'sanitisation unit': 733885, 'unit uv': 942108, 'off challenge': 593726, 'challenge center': 171423, 'based startup develops': 111748, 'startup develops sanitisation': 795101, 'develops sanitisation unit': 239865, 'sanitisation unit uv': 733886, 'unit uv sanitizer': 942109, 'uv sanitizer to': 951489, 'sanitizer to ward': 735955, 'ward off challenge': 966647, 'off challenge center': 593727, 'basketball no': 112437, 'no golf': 564363, 'golf no': 356139, 'no baseball': 563665, 'baseball no': 111490, 'no wrestlemania': 565940, 'wrestlemania useless': 1012738, 'useless without': 950248, 'fan no': 298524, 'no basketball no': 563672, 'basketball no golf': 112438, 'no golf no': 564364, 'golf no baseball': 356140, 'no baseball no': 563666, 'baseball no wrestlemania': 111491, 'no wrestlemania useless': 565941, 'wrestlemania useless without': 1012739, 'useless without the': 950249, 'without the fan': 1002965, 'the fan no': 854916, 'fan no meat': 298525, 'in the damn': 429121, 'damn supermarket is': 225433, 'is the work': 452978, 'unacceptable is': 939361, 'not rare': 571211, 'rare disease': 697081, 'right letting': 721977, 'letting gilead': 487406, 'gilead have': 350122, 'have complete': 380056, 'any drug': 79146, 'drug or': 261020, 'price however': 674596, 'however high': 409385, 'supply call': 824878, 'you representative': 1020911, 'representative now': 712908, 'is unacceptable is': 453424, 'unacceptable is not': 939362, 'is not rare': 450170, 'not rare disease': 571212, 'rare disease and': 697082, 'disease and they': 245089, 'no right letting': 565368, 'right letting gilead': 721978, 'letting gilead have': 487407, 'gilead have complete': 350123, 'have complete control': 380057, 'of any drug': 580254, 'any drug or': 79147, 'drug or treatment': 261021, 'or treatment for': 617528, 'for this will': 327090, 'will mean they': 994112, 'mean they can': 524712, 'they can set': 881674, 'can set price': 159581, 'set price however': 753462, 'price however high': 674597, 'however high they': 409386, 'high they want': 395471, 'want and limit': 965708, 'limit the supply': 492521, 'the supply call': 868941, 'supply call you': 824879, 'call you representative': 156255, 'you representative now': 1020912, 'thankyouforyourservice': 842371, 'supermarket personnel': 821963, 'personnel for': 653108, 'work along': 1004730, 'aren considered': 92369, 'personnel we': 653172, 'society thankyouforyourservice': 781322, 'the supermarket personnel': 868748, 'supermarket personnel for': 821964, 'personnel for coming': 653109, 'to work along': 918680, 'work along with': 1004731, 'along with all': 47042, 'with all others': 997156, 'others who aren': 621783, 'who aren considered': 988264, 'aren considered emergency': 92370, 'emergency personnel we': 272869, 'personnel we all': 653173, 'all have our': 43058, 'have our part': 381848, 'part to play': 642469, 'in the survival': 429589, 'the survival of': 869029, 'survival of our': 829068, 'our society thankyouforyourservice': 624833, 'hear with': 388025, 'others am': 621248, 'hoarder during': 399019, 'during then': 263226, 'then banging': 877013, 'banging on': 109477, 'on diet': 600314, 'diet say': 241752, 'because shelf': 119556, 'to hear with': 907418, 'hear with the': 388026, 'exception of those': 289277, 'buy for others': 148698, 'for others am': 324183, 'others am talking': 621249, 'food hoarder during': 314819, 'hoarder during then': 399020, 'during then banging': 263227, 'then banging on': 877014, 'banging on they': 109479, 'on they need': 604581, 'go on diet': 353881, 'on diet say': 600315, 'diet say this': 241753, 'say this because': 739361, 'this because shelf': 886518, 'because shelf empty': 119557, 'empty in and': 274919, 'in and still': 420389, 'and still stripped': 72390, 'people returning': 649300, 'march break': 515298, 'break please': 138787, 'isolation seriously': 455421, 'seriously precious': 751699, 'precious life': 669468, 'stake 19': 793299, 'of people returning': 587975, 'people returning from': 649301, 'returning from march': 720006, 'from march break': 336350, 'march break please': 515299, 'break please do': 138788, 'not get home': 569591, 'please take your': 660643, 'take your self': 832828, 'your self isolation': 1025703, 'self isolation seriously': 747796, 'isolation seriously precious': 455422, 'seriously precious life': 751700, 'precious life are': 669469, 'at stake 19': 100626, 'because fuck': 119072, 'fuck everyone': 339558, 'every retailer due': 286144, 'of our worker': 587593, 'our worker please': 625402, 'worker please visit': 1007593, 'online store because': 609444, 'store because fuck': 806674, 'because fuck everyone': 119073, 'fuck everyone in': 339560, 'buying yesterday': 151399, 'saw enough': 738104, 'feed 10': 302264, 'people taken': 649721, 'panic buying yesterday': 637975, 'buying yesterday saw': 151400, 'yesterday saw enough': 1015853, 'saw enough food': 738105, 'to feed 10': 905715, 'feed 10 million': 302265, 'million people taken': 532317, 'people taken from': 649722, 'taken from the': 832999, 'shelf please stop': 757416, 'stop it people': 804789, 'it people it': 460293, 'people it make': 648538, 'trying to follow': 934809, 'the instruction to': 858331, 'instruction to shop': 440575, 'to shop normally': 914476, 'panic there still': 638697, 'there still plenty': 879103, 'am proud': 50325, 'city had': 179171, 'few car': 303744, 'car out': 163205, 'some picking': 783566, 'up takeout': 946120, 'everyone looked': 287168, 'very responsible': 955473, 'am proud of': 50326, 'my city had': 547692, 'city had to': 179172, 'store and only': 806311, 'and only few': 68136, 'only few car': 610435, 'few car out': 303745, 'car out some': 163206, 'out some picking': 627223, 'some picking up': 783567, 'picking up takeout': 655889, 'up takeout food': 946121, 'takeout food and': 833157, 'food and everyone': 313225, 'and everyone looked': 62403, 'everyone looked to': 287170, 'be very responsible': 117983, 'true unsung': 933200, 'the true unsung': 870057, 'true unsung hero': 933201, '19 thing are': 11322, 'thing are grocery': 884155, 'store employee they': 807553, 'they are bearing': 881209, 'of the mania': 591218, 'are fantastic': 86482, 'fantastic would': 298619, 'give shoutout': 350700, 'driver my': 259657, 'hubby is': 409873, 'clock day': 182400, 'coming stoppanicbuying': 188204, 'worker are fantastic': 1006388, 'are fantastic would': 86483, 'fantastic would also': 298620, 'to give shoutout': 906713, 'give shoutout to': 350701, 'to the lorry': 916858, 'the lorry driver': 859734, 'lorry driver my': 503342, 'driver my hubby': 259658, 'my hubby is': 548762, 'hubby is one': 409875, 'of them who': 591775, 'are working round': 91715, 'the clock day': 851031, 'clock day week': 182401, 'the food to': 855616, 'supermarket please stop': 822022, 'buying more food': 150729, 'food is coming': 315118, 'is coming stoppanicbuying': 446666, 'added retail': 31602, 'retail signage': 718569, 'store deal': 807272, 'just added retail': 468154, 'added retail signage': 31603, 'retail signage to': 718571, 'help your store': 391028, 'your store deal': 1025967, 'store deal with': 807273, 'shelf why': 757808, 'try food': 934480, 'with supermarket queue': 1001058, 'empty shelf why': 275112, 'shelf why not': 757809, 'not try food': 572291, 'try food delivery': 934481, 'delivery service from': 234439, 'service from farm': 752406, 'from farm shop': 335412, 'lifejackets': 489291, 'two violinist': 937302, 'violinist dressed': 957575, 'dressed in': 258697, 'in lifejackets': 424715, 'lifejackets played': 489292, 'the titanic': 869660, 'titanic hymn': 899273, 'hymn in': 412254, 'two violinist dressed': 937303, 'violinist dressed in': 957576, 'dressed in lifejackets': 258698, 'in lifejackets played': 424716, 'lifejackets played the': 489293, 'played the titanic': 659286, 'the titanic hymn': 869661, 'titanic hymn in': 899274, 'hymn in front': 412255, 'front of empty': 338637, 'of empty toilet': 583095, 'paper aisle of': 639781, 'aisle of an': 40324, 'of an american': 580101, 'american supermarket amid': 52231, 'an incident': 56227, 'incident up': 431442, 'road at': 724418, 'local where': 498696, 'customer deliberately': 222294, 'staff saying': 792828, 'crap that': 214912, 'agree with just': 38678, 'with just heard': 999127, 'just heard about': 468953, 'heard about an': 388046, 'about an incident': 24792, 'an incident up': 56228, 'incident up the': 431443, 'the road at': 865922, 'road at my': 724419, 'my local where': 549150, 'local where customer': 498697, 'where customer deliberately': 984809, 'customer deliberately coughed': 222295, 'coughed on staff': 208633, 'on staff saying': 603626, 'staff saying they': 792829, 'saying they had': 739725, 'had the crap': 373614, 'the crap that': 852273, 'crap that supermarket': 214913, 'worker have to': 1007094, 'with in normal': 998962, 'normal time is': 567368, 'time is bad': 897051, 'careful care': 164389, 'and stream': 72540, 'stream bollywood': 812776, 'shahenshah amitabhbachchan': 754394, 'safe be careful': 729511, 'be careful care': 113984, 'careful care please': 164390, 'rt and stream': 726742, 'and stream bollywood': 72541, 'stream bollywood shahenshah': 812777, 'bollywood shahenshah amitabhbachchan': 134131, 'shahenshah amitabhbachchan sir': 754395, 'no secret': 565443, 'secret want': 743940, 'awful tory': 106251, 'tory gvt': 926071, 'gvt out': 369271, 'not riot': 571388, 'really tough': 702673, 'tough saw': 926833, 'people almost': 646812, 'almost fighting': 46647, 'over potato': 630514, 'potato scary': 666977, 'it no secret': 459833, 'no secret want': 565444, 'secret want this': 743941, 'want this awful': 965976, 'this awful tory': 886476, 'awful tory gvt': 106252, 'tory gvt out': 926072, 'gvt out but': 369272, 'out but not': 625795, 'but not like': 146543, 'this and hope': 886330, 'and hope we': 64721, 'hope we stay': 403770, 'we stay calm': 973386, 'do not riot': 249830, 'not riot when': 571389, 'riot when thing': 722630, 'thing get really': 884358, 'get really tough': 347899, 'really tough saw': 702674, 'tough saw people': 926834, 'saw people almost': 738206, 'people almost fighting': 646813, 'almost fighting in': 46648, 'supermarket over potato': 821862, 'over potato scary': 630515, 'pleease': 660880, 'some evidence': 782773, 'that paper': 845648, 'towel outer': 927364, 'layer and': 482623, 'ply soft': 661778, 'layer may': 482631, 'an acceptable': 55055, 'acceptable and': 28012, 'and disposable': 61479, 'disposable replacement': 246265, 'for surgical': 326086, 'mask perhaps': 519115, 'folder face': 312068, 'shield can': 758141, 'to lab': 909021, 'lab pleease': 478279, 'pleease test': 660881, 'some evidence from': 782774, 'evidence from hong': 288359, 'kong that paper': 477411, 'that paper towel': 845649, 'paper towel outer': 641006, 'towel outer layer': 927365, 'outer layer and': 628934, 'layer and ply': 482624, 'and ply soft': 69138, 'ply soft tissue': 661779, 'soft tissue inner': 781489, 'inner layer may': 438804, 'layer may be': 482632, 'may be an': 520946, 'be an acceptable': 113588, 'an acceptable and': 55056, 'acceptable and disposable': 28013, 'and disposable replacement': 61480, 'disposable replacement for': 246266, 'replacement for surgical': 711615, 'for surgical mask': 326087, 'surgical mask perhaps': 828364, 'mask perhaps with': 519116, 'perhaps with plastic': 651673, 'with plastic folder': 1000230, 'plastic folder face': 658841, 'folder face shield': 312069, 'face shield can': 294738, 'shield can people': 758142, 'can people with': 159217, 'people with access': 650431, 'access to lab': 28251, 'to lab pleease': 909022, 'lab pleease test': 478280, 'pleease test this': 660882, 'of your fellow': 593472, 'your fellow neighbor': 1023855, 'fellow neighbor and': 303311, 'neighbor and buy': 556973, 'and buy only': 59347, 'only what necessary': 611466, 'coveredinjesusblood': 212451, 'there news': 878789, 'news footage': 560420, 'woman she': 1003603, 'to church': 902753, 'in bodily': 420886, 'bodily fluid': 133807, 'fluid coveredinjesusblood': 311531, 'there news footage': 878790, 'news footage of': 560421, 'footage of this': 318474, 'of this woman': 592073, 'this woman she': 891480, 'woman she go': 1003604, 'go to church': 354290, 'to church and': 902754, 'church and to': 178335, 'store covered in': 807212, 'covered in bodily': 212421, 'in bodily fluid': 420887, 'bodily fluid coveredinjesusblood': 133808, 'ffod': 304270, 'having two': 384391, 'cart piled': 165360, 'piled high': 656539, 'doing stuff': 252686, 'this ffod': 887536, 'ffod being': 304271, 'being bought': 124897, 'bought will': 136783, 'are still panic': 90463, 'panic buying shit': 637882, 'people having two': 648218, 'having two cart': 384392, 'two cart piled': 936821, 'cart piled high': 165361, 'piled high people': 656540, 'high people doing': 395215, 'people doing stuff': 647693, 'doing stuff like': 252687, 'stuff like this': 815122, 'have literally no': 381345, 'literally no idea': 495045, 'bet that well': 128106, 'that well over': 847430, 'well over half': 978463, 'over half of': 630271, 'of this ffod': 591974, 'this ffod being': 887537, 'ffod being bought': 304272, 'being bought will': 124898, 'bought will rot': 136784, 'doctorate': 251180, 'merkel thanked': 529177, 'thanked supermarket': 841887, 'people wake': 650118, 'of icymi': 584961, 'icymi merkel': 412893, 'ha doctorate': 370407, 'doctorate in': 251181, 'in chemistry': 421356, 'angela merkel thanked': 76340, 'merkel thanked supermarket': 529178, 'thanked supermarket staff': 841888, 'staff they truly': 792969, 'they truly are': 883589, 'truly are front': 933262, 'worker people wake': 1007558, 'people wake up': 650119, 'severity of icymi': 754131, 'of icymi merkel': 584962, 'icymi merkel ha': 412894, 'merkel ha doctorate': 529161, 'ha doctorate in': 370408, 'doctorate in chemistry': 251182, 'for property': 324813, 'uk will': 938900, 'by only': 153438, 'rebound next': 703321, 'global consultancy': 351795, 'consultancy knight': 195852, 'bad news good': 107954, 'news good news': 560476, 'news for property': 560440, 'for property market': 324814, 'property market house': 684306, 'market house sale': 516532, 'house sale in': 406543, 'the uk will': 870303, 'uk will collapse': 938902, 'will collapse this': 992956, 'collapse this year': 186065, 'to crisis but': 903742, 'crisis but price': 217152, 'but price will': 146847, 'will fall by': 993405, 'fall by only': 296871, 'by only and': 153439, 'only and will': 610096, 'and will rebound': 75688, 'will rebound next': 994585, 'rebound next year': 703322, 'next year according': 561724, 'according to global': 28545, 'to global consultancy': 906738, 'global consultancy knight': 351796, 'consultancy knight frank': 195853, 'seeing discretionary': 746268, 'discretionary purchase': 244770, 'purchase taking': 689661, 'seeing transaction': 746523, 'transaction which': 929483, 'critical purchase': 218637, 'example we': 289001, 'seeing good': 746305, 'good volume': 357938, 'volume coming': 960125, 'are not seeing': 88462, 'not seeing discretionary': 571495, 'seeing discretionary purchase': 746269, 'discretionary purchase taking': 244771, 'purchase taking place': 689662, 'taking place we': 833517, 'place we are': 657812, 'are seeing transaction': 89918, 'seeing transaction which': 746524, 'transaction which are': 929484, 'which are focused': 985680, 'focused on critical': 311949, 'on critical purchase': 600169, 'critical purchase for': 218638, 'purchase for example': 689454, 'for example we': 321297, 'example we are': 289002, 'are seeing good': 89898, 'seeing good volume': 746306, 'good volume coming': 357939, 'volume coming from': 960126, 'coming from medical': 188058, 'from medical store': 336413, 'medical store and': 526414, 'sharing it': 755547, 'horrible that': 404124, 'using people': 950592, 'fear generosity': 301137, 'generosity for': 345707, 'profit if': 682769, 'for sharing it': 325526, 'sharing it horrible': 755548, 'it horrible that': 458630, 'horrible that scammer': 404125, 'are using people': 91427, 'using people fear': 950593, 'people fear generosity': 647880, 'fear generosity for': 301138, 'generosity for profit': 345708, 'for profit if': 324793, 'profit if you': 682770, 'suspect scam please': 829491, 'scam please report': 740305, 'our online form': 624145, 'online form at': 608255, 'incread': 432642, 'forcefully': 328679, 'lower contact': 505818, 'contact price': 200187, 'the incread': 858061, 'incread you': 432643, 've forcefully': 953131, 'forcefully imposed': 328680, 'imposed imposed': 419286, 'pandemic boycottvodafone': 635015, 'boycottvodafone they': 137401, 'not lower contact': 570479, 'lower contact price': 505819, 'contact price instead': 200188, 'of the incread': 591135, 'the incread you': 858062, 'incread you ve': 432644, 'you ve forcefully': 1022041, 've forcefully imposed': 953132, 'forcefully imposed imposed': 328681, 'imposed imposed during': 419287, 'the pandemic boycottvodafone': 862920, 'pandemic boycottvodafone they': 635016, 'boycottvodafone they only': 137402, 'they only care': 882820, 'are collapsing': 85416, 'collapsing amid': 186124, 'consequence are': 194842, 'are dire': 85825, 'dire via': 243270, 'price are collapsing': 672645, 'are collapsing amid': 85417, 'collapsing amid the': 186125, 'amid the shock': 52714, 'the shock the': 866967, 'shock the economic': 759522, 'economic consequence are': 267023, 'consequence are dire': 194843, 'are dire via': 85826, 'milion': 531436, 'in ruin': 427568, 'ruin right': 727118, 'will resume': 994680, 'resume nothing': 717742, 'before wage': 123271, 'decrease aswell': 231552, 'aswell ticket': 97279, 'longer player': 502029, 'player will': 659352, 'worth 100': 1011318, '100 milion': 1946, 'milion without': 531437, 'without proving': 1002866, 'proving thing': 687234, 'thing massive': 884580, 'massive collapse': 519985, 'in football': 422998, 'football is in': 318498, 'is in ruin': 448809, 'in ruin right': 427569, 'ruin right now': 727119, 'right now when': 722181, 'now when it': 576393, 'it will resume': 462432, 'will resume nothing': 994681, 'resume nothing will': 717743, 'wa before wage': 961672, 'before wage will': 123272, 'wage will decrease': 963997, 'will decrease aswell': 993119, 'decrease aswell ticket': 231553, 'aswell ticket price': 97280, 'ticket price no': 895653, 'price no longer': 675346, 'no longer player': 564657, 'longer player will': 502030, 'player will be': 659353, 'will be worth': 992777, 'be worth 100': 118160, 'worth 100 milion': 1011319, '100 milion without': 1947, 'milion without proving': 531438, 'without proving thing': 1002867, 'proving thing massive': 687235, 'thing massive collapse': 884581, 'massive collapse of': 519986, 'collapse of economy': 186035, 'of economy in': 582966, 'economy in football': 267967, 'in football is': 422999, 'football is coming': 318497, 'tap rising': 834334, 'worldwide due': 1010340, 'can tap rising': 159917, 'tap rising demand': 834335, 'rising demand worldwide': 723203, 'demand worldwide due': 236521, 'worldwide due to': 1010341, 'improbably': 419502, 'homebound canadian': 402607, 'of shape': 589561, 'shape we': 754859, 'ha improbably': 370930, 'improbably emerged': 419503, 'emerged the': 272566, 'shutdown but': 768005, 'but canadian': 145370, 'canadian hunker': 160699, 'homebound canadian are': 402608, 'canadian are on': 160638, 'hunt for stuff': 411361, 'for stuff to': 325954, 'stuff to keep': 815224, 'keep them from': 472108, 'them from getting': 875750, 'from getting bored': 335624, 'getting bored and': 348878, 'bored and out': 135333, 'out of shape': 626826, 'of shape we': 589562, 'shape we all': 754860, 'know that toilet': 476797, 'paper ha improbably': 640236, 'ha improbably emerged': 370931, 'improbably emerged the': 419504, 'emerged the most': 272567, 'sought after consumer': 786205, 'after consumer item': 35499, 'consumer item amid': 197968, '19 shutdown but': 10521, 'shutdown but canadian': 768006, 'but canadian hunker': 145371, 'canadian hunker down': 160700, 'hunker down they': 411338, 'down they re': 257337, 'doordash': 255806, 'doordash is': 255809, 'restaurant with': 716810, 'with safe': 1000542, 'delivery get': 234051, 'off off': 594015, 'off each': 593794, 'order when': 618769, 'you sign': 1021250, 'link ad': 493779, 'ad foodie': 31097, 'foodie twitch': 317959, 'twitch wednesdaymotivation': 936619, 'wednesdaymotivation quarantinelife': 975713, 'doordash is great': 255810, 'support local restaurant': 826632, 'local restaurant with': 498344, 'restaurant with safe': 716811, 'with safe no': 1000543, 'safe no contact': 729836, 'contact delivery get': 200063, 'delivery get 15': 234052, '15 off off': 3792, 'off off each': 594016, 'off each of': 593795, 'of your first': 593474, 'first order when': 308840, 'order when you': 618770, 'when you sign': 984602, 'you sign up': 1021251, 'sign up with': 769260, 'this link ad': 888639, 'link ad foodie': 493780, 'ad foodie twitch': 31098, 'foodie twitch wednesdaymotivation': 317960, 'twitch wednesdaymotivation quarantinelife': 936620, 'wednesdaymotivation quarantinelife socialdistancing': 975714, 'coronavirus federal': 205920, 'information blog': 437772, 'blog ftc': 132943, 'of coronavirus federal': 581935, 'coronavirus federal trade': 205921, 'trade commission consumer': 928443, 'commission consumer information': 188801, 'consumer information blog': 197871, 'information blog ftc': 437773, 'supermarketmadness': 824221, 'ayeartoremember': 106332, 'when would': 984524, 'would queue': 1012144, 'into cool': 442488, 'cool nightclub': 203022, 'nightclub now': 563146, 'wrong supermarketmadness': 1013106, 'supermarketmadness socialdistancing': 824222, 'socialdistancing ayeartoremember': 780240, 'day when would': 228733, 'when would queue': 984525, 'would queue to': 1012145, 'get into cool': 347364, 'into cool nightclub': 442489, 'cool nightclub now': 203023, 'nightclub now am': 563147, 'now am queuing': 573997, 'am queuing to': 50335, 'supermarket where did': 823815, 'where did my': 984820, 'did my life': 240697, 'life go so': 488689, 'go so wrong': 354152, 'so wrong supermarketmadness': 778820, 'wrong supermarketmadness socialdistancing': 1013107, 'supermarketmadness socialdistancing ayeartoremember': 824223, 'zomato': 1027682, 'in procuring': 427012, 'procuring essential': 680132, 'commodity recommend': 189300, 'big bazaar': 129639, 'bazaar and': 113015, 'similar chain': 769891, 'by collaborating': 152146, 'collaborating them': 185919, 'with zomato': 1002252, 'zomato uber': 1027683, 'eats swiggy': 266390, 'swiggy delivery': 830341, '19 all citizen': 4894, 'all citizen are': 42348, 'citizen are facing': 178846, 'facing difficulty in': 295447, 'difficulty in procuring': 242386, 'in procuring essential': 427013, 'procuring essential commodity': 680133, 'essential commodity recommend': 280930, 'commodity recommend that': 189301, 'recommend that the': 704714, 'that the task': 846849, 'task force of': 834693, 'force of supermarket': 328466, 'chain like big': 170890, 'like big bazaar': 489909, 'big bazaar and': 129640, 'bazaar and other': 113016, 'other similar chain': 620921, 'similar chain should': 769892, 'chain should be': 171105, 'should be increased': 765649, 'increased by collaborating': 433231, 'by collaborating them': 152147, 'collaborating them with': 185920, 'them with zomato': 876655, 'with zomato uber': 1002253, 'zomato uber eats': 1027684, 'uber eats swiggy': 937815, 'eats swiggy delivery': 266391, 'swiggy delivery boy': 830342, 'process plant': 679947, 'plant join': 658674, 'join production': 466822, 'at the process': 101064, 'the process plant': 864550, 'process plant join': 679948, 'plant join production': 658675, 'join production effort': 466823, 'taken big': 832964, 'hit at': 398158, 'is fast': 447748, 'fast tracking': 300069, 'tracking it': 928341, 'into direct': 442518, 'and launching': 65983, 'launching online': 482068, 'online pop': 608773, 'up store': 946080, 'melbourne and': 527922, 'sunshine coast': 818427, 'may have taken': 521258, 'have taken big': 382908, 'taken big hit': 832965, 'big hit at': 129820, 'hit at the': 398159, 'at the australian': 100880, 'the australian food': 849061, 'australian food and': 103492, 'food and hospitality': 313254, 'hospitality industry but': 404782, 'industry but is': 435707, 'but is fast': 146074, 'is fast tracking': 447750, 'fast tracking it': 300070, 'tracking it business': 928342, 'it business into': 456937, 'business into direct': 143938, 'into direct to': 442519, 'consumer and launching': 196220, 'and launching online': 65984, 'launching online pop': 482069, 'online pop up': 608774, 'pop up store': 664480, 'up store in': 946081, 'store in melbourne': 808339, 'in melbourne and': 425248, 'melbourne and the': 527923, 'and the sunshine': 73604, 'the sunshine coast': 868421, 'all compact': 42405, 'sport bonus': 789905, 'bonus we': 134421, 'for rerun': 325137, 'rerun every': 713553, 'charge all compact': 173193, 'all compact price': 42406, 'especially people on': 280578, 'people on sport': 648971, 'on sport bonus': 603607, 'sport bonus we': 789906, 'bonus we cannot': 134422, 'we cannot pay': 971075, 'cannot pay for': 162031, 'pay for rerun': 644896, 'for rerun every': 325138, 'rerun every weekend': 713554, 'york gov': 1016617, 'gov andrew': 359533, 'andrew cuomo': 76181, 'cuomo put': 220424, 'pause bank': 644585, 'bank must': 110013, 'consider consumer': 194977, 'and mandatory': 66639, 'mandatory sick': 513062, 'is enacted': 447481, 'enacted the': 275506, 'latest reaction': 481517, 'reaction time': 700211, 'time cover': 896516, 'cover these': 212305, 'legal development': 485858, 'development throughout': 239850, 'new york gov': 559931, 'york gov andrew': 1016618, 'gov andrew cuomo': 359534, 'andrew cuomo put': 76182, 'cuomo put the': 220425, 'put the state': 690868, 'the state on': 867799, 'state on pause': 795833, 'on pause bank': 602714, 'pause bank must': 644586, 'bank must consider': 110014, 'must consider consumer': 546602, 'consider consumer protection': 194978, 'protection and mandatory': 685320, 'and mandatory sick': 66640, 'mandatory sick leave': 513063, 'leave is enacted': 484839, 'is enacted the': 447482, 'enacted the latest': 275507, 'the latest reaction': 859140, 'latest reaction time': 481518, 'reaction time cover': 700212, 'time cover these': 896517, 'cover these story': 212306, 'these story and': 880743, 'story and legal': 811905, 'and legal development': 66088, 'legal development throughout': 485859, 'development throughout the': 239851, 'throughout the nation': 894976, 'shaunofthedead': 755798, 'through they': 894800, 'before after': 122607, 'all shaunofthedead': 44297, 'shaunofthedead dontpanic': 755799, 'few word of': 304189, 'word of advice': 1004534, 'of advice from': 579803, 'advice from to': 33393, 'help get you': 389805, 'you through they': 1021733, 'through they have': 894801, 'this before after': 886526, 'before after all': 122608, 'after all shaunofthedead': 35331, 'all shaunofthedead dontpanic': 44298, 'westinghouse': 980668, 'imaging': 416850, 'and westinghouse': 75442, 'westinghouse always': 980669, 'go hand': 353631, 'simple consumer': 770006, 'consumer television': 199247, 'television or': 836859, 'tech product': 836131, 'with thermal': 1001629, 'thermal imaging': 879492, 'imaging and': 416851, 'and heat': 64422, 'heat measurement': 388494, 'measurement westinghouse': 525456, 'westinghouse ha': 980671, 'it portfolio': 460385, '19 westinghouse': 11988, 'westinghouse thermal': 980673, 'thermal solution': 879496, 'technology and westinghouse': 836260, 'and westinghouse always': 75443, 'westinghouse always go': 980670, 'always go hand': 49579, 'go hand in': 353632, 'in hand be': 423524, 'hand be it': 374822, 'be it simple': 115565, 'it simple consumer': 461057, 'simple consumer television': 770007, 'consumer television or': 199248, 'television or high': 836860, 'or high tech': 615634, 'high tech product': 395449, 'tech product with': 836132, 'product with thermal': 681870, 'with thermal imaging': 1001630, 'thermal imaging and': 879493, 'imaging and heat': 416852, 'and heat measurement': 64423, 'heat measurement westinghouse': 388495, 'measurement westinghouse ha': 525457, 'westinghouse ha it': 980672, 'all in it': 43198, 'in it portfolio': 424263, 'it portfolio to': 460386, 'portfolio to tackle': 665016, 'tackle the outbreak': 831610, 'covid 19 westinghouse': 214059, '19 westinghouse thermal': 11989, 'westinghouse thermal solution': 980674, 'driver demanded': 259507, 'demanded that': 236556, '19 221': 4734, '221 worker': 15269, 'with safety': 1000544, 'equipment health': 279744, 'insurance worth': 440839, 'worth 50': 1011332, 'lakh and': 479093, 'duty hour': 263579, 'the driver demanded': 853694, 'driver demanded that': 259508, 'demanded that all': 236557, 'all the 19': 44655, 'the 19 221': 847908, '19 221 worker': 4735, '221 worker be': 15270, 'worker be provided': 1006503, 'provided with safety': 686670, 'with safety equipment': 1000545, 'safety equipment health': 730524, 'equipment health insurance': 279745, 'health insurance worth': 386554, 'insurance worth 50': 440840, 'worth 50 lakh': 1011333, '50 lakh and': 19742, 'lakh and food': 479094, 'and food during': 63041, 'during their duty': 263222, 'their duty hour': 873090, 'person delivering': 652392, 'driver making': 259649, 'worker processing': 1007629, 'processing freight': 680024, 'freight for': 332684, 'thank your cashier': 841850, 'your cashier at': 1023161, 'store the person': 810614, 'the person delivering': 863582, 'person delivering your': 652393, 'your food truck': 1023933, 'food truck driver': 317368, 'truck driver making': 932787, 'driver making sure': 259650, 'sure our shelf': 827648, 'our shelf are': 624739, 'are stocked and': 90514, 'stocked and warehouse': 803273, 'and warehouse worker': 75186, 'warehouse worker processing': 966825, 'worker processing freight': 1007630, 'processing freight for': 680025, 'freight for store': 332685, 'for store we': 325933, 'free world': 332338, 'leading by': 483686, 'by example': 152514, 'example merkel': 288917, 'merkel bought': 529149, 'merkel toiletpaper': 529179, 'the free world': 855772, 'free world leading': 332339, 'world leading by': 1009757, 'leading by example': 483687, 'by example merkel': 152515, 'example merkel bought': 288918, 'merkel bought one': 529150, 'bought one package': 136663, 'of wine merkel': 593184, 'wine merkel toiletpaper': 995845, 'to the british': 916530, 'british supermarket 19': 140605, 'consumer gas': 197569, 'falling yeah': 297360, 're clown': 698436, 'the consumer gas': 851538, 'consumer gas price': 197570, 'are falling yeah': 86476, 'falling yeah you': 297361, 'yeah you re': 1014323, 'you re clown': 1020589, 'at midwest': 99745, 'bank with': 110323, 'cost projected': 208091, 'reach million': 699946, 'million this': 532375, 'donation drive': 254586, 'benefit midwest': 127027, 'midwest amp': 530818, 'amp continues': 53578, 'food ha doubled': 314747, 'ha doubled at': 370429, 'doubled at midwest': 256101, 'at midwest food': 99746, 'food bank with': 313674, 'bank with cost': 110324, 'with cost projected': 997818, 'cost projected to': 208092, 'projected to reach': 683573, 'to reach million': 912801, 'reach million this': 699947, 'million this month': 532376, 'this month due': 888906, 'coronavirus the donation': 206906, 'the donation drive': 853547, 'donation drive to': 254587, 'drive to benefit': 259218, 'to benefit midwest': 901764, 'benefit midwest amp': 127028, 'midwest amp continues': 530819, 'amp continues all': 53579, 'all day how': 42519, 'day how to': 227770, 'home exposing': 401177, 'talk every': 833791, 'tested before': 839271, 'before working': 123308, 'again otherwise': 37104, 'are promoting': 89282, 'promoting murder': 683846, 'murder go': 546154, 'have the courage': 382971, 'courage to bag': 211788, 'to bag grocery': 900990, 'bag grocery in': 108307, 'grocery in supermarket': 364619, 'supermarket or work': 821840, 'or work in': 617836, 'care home exposing': 163993, 'home exposing yourself': 401178, 'exposing yourself to': 292950, 'yourself to covid': 1026728, '19 then you': 11280, 'you can talk': 1017807, 'can talk every': 159913, 'talk every american': 833792, 'every american need': 285665, 'get tested before': 348186, 'tested before working': 839272, 'before working again': 123309, 'working again otherwise': 1008484, 'again otherwise you': 37105, 'otherwise you are': 621890, 'you are promoting': 1017206, 'are promoting murder': 89283, 'promoting murder go': 683847, 'quarantine not': 692391, 'by working': 154766, 'home visit': 402435, 'purchase covered': 689410, 'covered and': 212400, 'self quarantine not': 747864, 'quarantine not only': 692392, 'only by working': 610215, 'by working from': 154768, 'home but also': 400828, 'but also by': 145099, 'also by shopping': 47994, 'by shopping from': 153993, 'from home visit': 335927, 'home visit our': 402436, 'website to have': 975443, 'to have your': 907341, 'have your purchase': 383718, 'your purchase covered': 1025478, 'purchase covered and': 689411, 'covered and free': 212401, 'and free shipping': 63277, 'clambering': 179935, 'spreading he': 790974, 'would clambering': 1011715, 'clambering store': 179936, 'buy sanitizing': 149145, 'product he': 681257, 'idea he': 413066, 'wa creating': 961896, 'them peddling': 876151, 'peddling them': 646205, 'online exorbitant': 608183, 'right he had': 721929, 'he had no': 385055, 'idea that covid': 413181, '19 wa spreading': 11875, 'wa spreading he': 963293, 'spreading he had': 790975, 'idea that everyone': 413183, 'that everyone would': 843776, 'everyone would clambering': 287642, 'would clambering store': 1011716, 'clambering store buy': 179937, 'store buy sanitizing': 806824, 'buy sanitizing product': 149146, 'sanitizing product he': 736495, 'product he had': 681258, 'no idea he': 564464, 'idea he wa': 413067, 'he wa creating': 385594, 'wa creating shortage': 961897, 'creating shortage by': 216073, 'shortage by hoarding': 764869, 'by hoarding them': 152821, 'hoarding them peddling': 399593, 'them peddling them': 876152, 'peddling them online': 646206, 'them online exorbitant': 876104, 'sequoia': 751173, 'useloom': 950252, 'yoyo': 1026977, 'sequoia rt': 751174, 'rt useloom': 726842, 'useloom it': 950253, 'price removing': 676181, 'making loom': 511178, 'loom free': 503091, 'teacher student': 835507, 'student here': 814702, 'here short': 393554, 'short message': 764647, 'ceo yoyo': 169896, 'yoyo thomas': 1026978, 'thomas more': 891716, 'sequoia rt useloom': 751175, 'rt useloom it': 726843, 'useloom it time': 950254, 'take action in': 831897, 'action in response': 30047, 'the we re': 871219, 'we re cutting': 972852, 're cutting price': 698503, 'cutting price removing': 223766, 'price removing limit': 676182, 'limit and making': 492282, 'and making loom': 66593, 'making loom free': 511179, 'loom free for': 503092, 'free for teacher': 331848, 'for teacher student': 326159, 'teacher student here': 835508, 'student here short': 814703, 'here short message': 393556, 'short message from': 764648, 'from our co': 336760, 'our co founder': 622419, 'co founder ceo': 184837, 'founder ceo yoyo': 330531, 'ceo yoyo thomas': 169897, 'yoyo thomas more': 1026979, 'thomas more here': 891717, 'handset': 376717, 'nectoday': 554315, 'offering mobile': 595189, 'mobile handset': 534977, 'handset at': 376718, 'assist employee': 96624, 'day providing': 228258, 'providing essential': 686983, 'service learn': 752554, 'offer at': 594534, 'our nectoday': 623997, 'nectoday blog': 554316, 'post essentialworkers': 666113, 'essentialworkers thankyou': 281962, 're offering mobile': 699163, 'offering mobile handset': 595190, 'mobile handset at': 534978, 'handset at reduced': 376719, 'reduced price to': 706157, 'price to assist': 676965, 'to assist employee': 900779, 'assist employee who': 96625, 'into work each': 443303, 'work each day': 1005078, 'each day providing': 264049, 'day providing essential': 228259, 'providing essential service': 686985, 'essential service learn': 281513, 'service learn more': 752555, 'about our special': 25900, 'our special offer': 624861, 'special offer at': 788004, 'offer at our': 594536, 'at our nectoday': 100022, 'our nectoday blog': 623998, 'nectoday blog post': 554317, 'blog post essentialworkers': 132986, 'post essentialworkers thankyou': 666114, 'the monkey': 860838, 'monkey are': 537402, 'planet run': 658421, 'answer planetoftheapes': 78091, 'everybody panic it': 286477, 'begun the monkey': 123733, 'the monkey are': 860839, 'monkey are taking': 537403, 'on planet run': 602812, 'planet run by': 658422, 'run by ape': 727590, 'need mass panic': 555216, 'the answer planetoftheapes': 848772, 'pandemy': 637145, 'said pandemy': 731302, 'pandemy and': 637146, 'you understood': 1021972, 'understood famine': 940929, 'famine please': 298440, 'panicking do': 639334, 'arsehole and': 94083, 'everybody break': 286416, 'break also': 138668, 'how wa it': 409158, 'wa it we': 962437, 'it we said': 462282, 'we said pandemy': 973118, 'said pandemy and': 731303, 'pandemy and you': 637147, 'and you understood': 76053, 'you understood famine': 1021973, 'understood famine please': 940930, 'famine please stop': 298441, 'please stop panicking': 660584, 'stop panicking do': 804898, 'panicking do not': 639335, 'be selfish arsehole': 117056, 'selfish arsehole and': 748002, 'arsehole and give': 94084, 'and give everybody': 63658, 'give everybody break': 350474, 'everybody break also': 286417, 'break also big': 138669, 'also big thanks': 47963, 'thanks to supplier': 842263, 'to supplier driver': 915870, 'supplier driver and': 824527, 'supermarket staff you': 822909, 'staff you rock': 793127, 'coloradostrong': 186830, 'help stocking': 390584, 'shelf nothing': 757348, 'fine stay': 307688, 'there america': 877982, 'got each': 358532, 'other coloradostrong': 619960, 'are hero right': 87136, 'need help stocking': 554994, 'help stocking shelf': 390585, 'stocking shelf nothing': 803592, 'shelf nothing is': 757349, 'nothing is running': 573067, 'running out we': 728033, 'be fine stay': 114854, 'fine stay in': 307689, 'stay in there': 797066, 'in there america': 429807, 'there america we': 877983, 'america we got': 51737, 'we got each': 971671, 'got each other': 358533, 'each other coloradostrong': 264166, 'around assure': 93210, 'assure industry': 97084, 'expert amid': 291765, 'amid consumer': 52408, '19 the food': 11194, 'system is strong': 831227, 'strong and there': 813983, 'and there enough': 73837, 'there enough to': 878361, 'go around assure': 353306, 'around assure industry': 93211, 'assure industry expert': 97085, 'industry expert amid': 435814, 'expert amid consumer': 291766, 'amid consumer panic': 52409, 'buying food response': 150328, 'ruffle': 727084, 'alright in': 47777, 'full covid': 340545, 'cat 80': 166825, '80 lb': 22593, 'of litter': 585893, 'litter bag': 495197, 'and 48': 57488, '48 container': 19298, 'of wet': 593041, 'wet food': 980731, 'bought myself': 136652, 'myself bag': 550831, 'baked ruffle': 108777, 'ruffle chip': 727085, 'chip priority': 177527, 'alright in full': 47778, 'in full covid': 423160, 'full covid 19': 340546, '19 panic mode': 9556, 'panic mode and': 638315, 'mode and just': 535155, 'and just bought': 65695, 'just bought the': 468358, 'bought the cat': 136736, 'the cat 80': 850512, 'cat 80 lb': 166826, '80 lb of': 22594, 'lb of litter': 482769, 'of litter bag': 585894, 'litter bag of': 495198, 'of dry food': 582857, 'dry food and': 261262, 'food and 48': 313165, 'and 48 container': 57489, '48 container of': 19299, 'container of wet': 200550, 'of wet food': 593042, 'wet food and': 980732, 'food and bought': 313189, 'and bought myself': 59110, 'bought myself bag': 136653, 'myself bag of': 550832, 'bag of baked': 108345, 'of baked ruffle': 580522, 'baked ruffle chip': 108778, 'ruffle chip priority': 727086, 'is do': 447254, 'have mf': 381464, 'mf breathing': 530054, 'breathing down': 139219, 'my neck': 549419, 'store anymore': 806431, 'of socialdistancing is': 589853, 'socialdistancing is do': 780462, 'is do not': 447255, 'not have mf': 569851, 'have mf breathing': 381465, 'mf breathing down': 530055, 'breathing down my': 139220, 'down my neck': 256972, 'my neck in': 549420, 'neck in line': 554309, 'grocery store anymore': 365205, 'tripping': 932305, 'truly bizarre': 933271, 'bizarre experience': 131965, 'experience to': 291515, 'witness developed': 1003115, 'developed western': 239743, 'western european': 980618, 'people tripping': 650011, 'tripping over': 932308, 'store lengthy': 808705, 'apparent food': 81890, 'thought it ha': 893103, 'been truly bizarre': 122272, 'truly bizarre experience': 933272, 'bizarre experience to': 131967, 'experience to witness': 291516, 'to witness developed': 918658, 'witness developed western': 1003116, 'developed western european': 239744, 'western european country': 980619, 'european country like': 283553, 'uk panic people': 938610, 'panic people tripping': 638412, 'people tripping over': 650012, 'tripping over each': 932309, 'other in grocery': 620407, 'grocery store lengthy': 365519, 'store lengthy queue': 808706, 'and an apparent': 58103, 'an apparent food': 55360, 'apparent food scarcity': 81891, 'don play': 253830, 'of nintendo': 587025, 'switch and': 830469, 'don play video': 253831, 'video game but': 956753, 'game but covid': 343139, 'got me looking': 358698, 'looking at price': 502818, 'price of nintendo': 675518, 'of nintendo switch': 587026, 'nintendo switch and': 563323, 'switch and animal': 830470, 'and animal crossing': 58151, 'sarcastically': 736749, 'man oh': 512168, 'oh hey': 596406, 'hey other': 394471, 'other man': 620502, 'man hey': 512096, 'hey extends': 394374, 'extends hand': 293251, 'shake man': 754413, 'man sarcastically': 512215, 'sarcastically oh': 736750, 'can shake': 159583, 'hand laugh': 375068, 'and shake': 71352, 'hand man': 375082, 'man wife': 512349, 'wife know': 991945, 'know isn': 476514, 'thing stupid': 884778, 'stupid this': 815481, 'dying coronacrisis': 263796, 'store man oh': 808864, 'man oh hey': 512169, 'oh hey other': 596407, 'hey other man': 394472, 'other man hey': 620503, 'man hey extends': 512097, 'hey extends hand': 394375, 'extends hand to': 293252, 'hand to shake': 375873, 'to shake man': 914324, 'shake man sarcastically': 754414, 'man sarcastically oh': 512216, 'sarcastically oh we': 736751, 'oh we can': 596475, 'we can shake': 971007, 'can shake hand': 159584, 'shake hand laugh': 754409, 'hand laugh and': 375069, 'laugh and shake': 481704, 'and shake hand': 71353, 'shake hand man': 754410, 'hand man wife': 375083, 'man wife know': 512350, 'wife know isn': 991946, 'know isn this': 476516, 'isn this whole': 454736, 'whole thing stupid': 990358, 'thing stupid this': 884779, 'stupid this is': 815482, 'why you guy': 991590, 'guy are getting': 368900, 'and dying coronacrisis': 61828, 'wider economy': 991816, 'doe campaign': 251355, 'campaign performance': 157245, 'performance stand': 651466, 'over on': 630457, 'the crew': 852327, 'crew offer': 216702, 'needed clarity': 556329, 'which performance': 986218, 'performance metric': 651450, 'metric you': 529891, '19 ha shaken': 7384, 'ha shaken up': 371884, 'shaken up consumer': 754450, 'up consumer behaviour': 944634, 'and the wider': 73655, 'the wider economy': 871540, 'wider economy but': 991817, 'economy but where': 267727, 'but where doe': 147833, 'where doe campaign': 984838, 'doe campaign performance': 251356, 'campaign performance stand': 157246, 'performance stand in': 651467, 'all this over': 45122, 'this over on': 889341, 'over on our': 630458, 'our blog the': 622228, 'blog the crew': 133028, 'the crew offer': 852328, 'crew offer insight': 216703, 'offer insight and': 594667, 'insight and some': 439509, 'and some much': 71969, 'much needed clarity': 545147, 'needed clarity on': 556330, 'clarity on which': 180102, 'on which performance': 605282, 'which performance metric': 986219, 'performance metric you': 651451, 'metric you should': 529892, 'whisky': 987790, 'martian': 518086, 'and hoped': 64724, 'hoped there': 403829, 'something left': 784960, 'potato no': 666947, 'milk few': 531670, 'few veg': 304122, 'veg don': 953741, 'adopt plenty': 32672, 'plenty whisky': 661009, 'whisky and': 987791, 'wine guess': 995817, 'guess might': 368012, 'learn martian': 484008, 'martian to': 518087, 'plant my': 658680, 'own potato': 632140, 'rushed to supermarket': 728369, 'supermarket and hoped': 819003, 'and hoped there': 64725, 'hoped there would': 403830, 'would be something': 1011649, 'be something left': 117308, 'something left no': 784961, 'left no meat': 485569, 'meat no bread': 525662, 'egg no potato': 269933, 'no potato no': 565153, 'potato no milk': 666948, 'no milk few': 564772, 'milk few veg': 531671, 'few veg don': 304123, 'veg don like': 953742, 'don like but': 253700, 'like but might': 489944, 'have to adopt': 383155, 'to adopt plenty': 900127, 'adopt plenty whisky': 32673, 'plenty whisky and': 661010, 'whisky and wine': 987792, 'and wine guess': 75717, 'wine guess might': 995818, 'guess might need': 368013, 'to learn martian': 909132, 'learn martian to': 484009, 'martian to plant': 518088, 'to plant my': 911781, 'plant my own': 658681, 'my own potato': 549654, 'refund consumer': 706883, 'cbc marketplace are': 168275, 'marketplace are we': 517805, 'fight 19 how': 304597, 'flight refund consumer': 310531, 'refund consumer cheat': 706884, 'dano': 225895, 'accross': 28831, 'lgas': 487911, 'belo': 126515, 'most excited': 542309, 'reach 1800': 699868, '1800 household': 4629, 'with dano': 997925, 'dano milk': 225896, 'milk accross': 531539, 'accross 18': 28832, '18 lgas': 4545, 'lgas in': 487912, 'lagos you': 478955, 'donating belo': 254436, 'are most excited': 88135, 'most excited to': 542310, 'to announce partnership': 900552, 'announce partnership with': 76860, 'with to reach': 1001794, 'to reach 1800': 912787, 'reach 1800 household': 699869, '1800 household with': 4630, 'household with dano': 406993, 'with dano milk': 997926, 'dano milk accross': 225897, 'milk accross 18': 531540, 'accross 18 lgas': 28833, '18 lgas in': 4546, 'lgas in lagos': 487913, 'in lagos you': 424576, 'lagos you too': 478956, 'by donating belo': 152400, 'check under': 174696, 'related resource': 708536, 'resource include': 714824, 'include avoiding': 431526, 'check under consumer': 174697, 'protection resource for': 685592, 'resource for 19': 714776, 'for 19 related': 318712, '19 related resource': 10066, 'related resource the': 708537, 'resource the consumer': 714893, 'protection resource include': 685593, 'resource include avoiding': 714825, 'include avoiding scam': 431527, '19 from link': 7126, 'from link for': 336227, 'link for information': 493834, 'for information from': 322577, 'a2 it': 24065, 'something what': 785137, 'stick pile': 800042, 'pile all': 656481, 'paper especially': 640129, 'know others': 476660, 'day creditchat': 227501, 'a2 it ok': 24066, 'ok to stock': 597928, 'stock up something': 803117, 'up something what': 946044, 'something what but': 785138, 'what but it': 981158, 'but it crazy': 146115, 'crazy to stick': 215461, 'to stick pile': 915396, 'stick pile all': 800043, 'pile all this': 656482, 'toilet paper especially': 921267, 'paper especially when': 640130, 'especially when you': 280664, 'when you know': 984574, 'you know others': 1019519, 'know others will': 476661, 'others will need': 621800, 'need it actually': 555079, 'it actually need': 456263, 'to hit grocery': 907844, 'store in next': 808352, 'in next couple': 425859, 'next couple day': 561315, 'couple day creditchat': 211578, 'gers': 346405, 'unworthy': 944090, 're either': 698591, 'either gers': 270306, 'gers denier': 346406, 'denier or': 236974, 'or somehow': 617152, 'somehow can': 784308, 'can fathom': 158288, 'much trouble': 545413, 'trouble we': 932657, 'in currently': 421938, 'currently with': 221713, 'current oil': 221274, 'given gers': 351002, 'gers figure': 346408, 'figure anyone': 305188, 'anyone suggesting': 80538, 'suggesting we': 817618, 'ok currently': 597783, 'currently is': 221572, 'clearly unworthy': 181587, 'unworthy of': 944091, 'having further': 384088, 'you re either': 1020610, 're either gers': 698592, 'either gers denier': 270307, 'gers denier or': 346407, 'denier or somehow': 236975, 'or somehow can': 617153, 'somehow can fathom': 784309, 'can fathom how': 158289, 'how much trouble': 408381, 'much trouble we': 545414, 'trouble we be': 932658, 'be in currently': 115398, 'in currently with': 421939, 'currently with covid': 221714, '19 and current': 5008, 'and current oil': 60815, 'current oil price': 221275, 'price given gers': 674190, 'given gers figure': 351003, 'gers figure anyone': 346409, 'figure anyone suggesting': 305189, 'anyone suggesting we': 80539, 'suggesting we be': 817619, 'we be doing': 970817, 'be doing ok': 114525, 'doing ok currently': 252569, 'ok currently is': 597784, 'currently is clearly': 221573, 'is clearly unworthy': 446564, 'clearly unworthy of': 181588, 'unworthy of having': 944092, 'of having further': 584483, 'taking time': 833626, 'time shop': 897649, 'shop space': 760812, 'space buying': 787079, 'so they should': 778481, 'not be taking': 568468, 'be taking time': 117515, 'taking time shop': 833628, 'time shop space': 897650, 'shop space buying': 760813, 'space buying them': 787080, 'buying them even': 151188, 'them even if': 875662, 'adding to other': 31711, 'to other essential': 911114, 'other essential shopping': 620175, 'essential shopping and': 281550, 'shopping and this': 762034, '2100': 15051, 'of preventative': 588380, 'preventative shutdown': 671779, 'at 2100': 97525, '2100 hr': 15052, 'out everyday': 626030, 'city canton': 179085, 'canton safe': 162371, 'day of preventative': 228091, 'of preventative shutdown': 588381, 'preventative shutdown in': 671780, 'shutdown in geneva': 768045, 'out at 2100': 625736, 'at 2100 hr': 97526, '2100 hr to': 15053, 'hr to clap': 409671, 'pharmacist supermarket worker': 654180, 'worker who go': 1008213, 'go out everyday': 353949, 'out everyday to': 626032, 'everyday to keep': 286646, 'keep this city': 472130, 'this city canton': 886775, 'city canton safe': 179086, 'canton safe healthy': 162372, 'safe healthy staysafe': 729750, 'stayathome period': 797574, 'safety legislation': 730610, 'food doe': 314255, 'not cause': 568717, 'cause harm': 167582, 'harm or': 378403, 'or injury': 615803, 'injury to': 438722, 'you have recently': 1019103, 'have recently set': 382211, 'up food business': 944882, 'food business during': 313799, 'business during stayathome': 143670, 'during stayathome period': 263057, 'stayathome period you': 797575, 'period you still': 651940, 'have to comply': 383182, 'comply with food': 192533, 'with food safety': 998504, 'food safety legislation': 316272, 'safety legislation to': 730611, 'legislation to make': 485994, 'make sure food': 510513, 'sure food doe': 827555, 'food doe not': 314256, 'doe not cause': 251483, 'not cause harm': 568718, 'cause harm or': 167583, 'harm or injury': 378404, 'or injury to': 615804, 'injury to the': 438723, 'consumer you must': 199586, 'realize health': 701838, 'musician 19': 546368, 'you realize health': 1020828, 'realize health care': 701839, 'famous musician 19': 298479, 'the hacker': 857033, 'hacker news': 372770, 'discount fraud the': 244474, 'fraud the hacker': 331359, 'the hacker news': 857034, 'cesarchavezday': 170255, 'that touched': 847104, 'consumer put': 198629, 'mouth is': 543525, 'is farmworkers': 447744, 'farmworkers hand': 299704, 'worker socialdistancingnow': 1007796, 'socialdistancingnow staysafe': 780909, 'staysafe cesarchavezday': 798789, 'last hand that': 480262, 'hand that touched': 375820, 'that touched that': 847105, 'touched that produce': 926643, 'that produce before': 845854, 'produce before the': 680209, 'before the consumer': 123147, 'the consumer put': 851582, 'consumer put it': 198631, 'in their mouth': 429758, 'their mouth is': 874019, 'mouth is farmworkers': 543526, 'is farmworkers hand': 447745, 'farmworkers hand so': 299705, 'hand so we': 375766, 'so we better': 778659, 'we better care': 970855, 'better care about': 128224, 'care about what': 163809, 'about what happens': 26885, 'these worker socialdistancingnow': 880995, 'worker socialdistancingnow staysafe': 1007797, 'socialdistancingnow staysafe cesarchavezday': 780910, 'also ask': 47883, 'express their': 293067, 'solidarity by': 781929, 'by refraining': 153747, 'including medicine': 432054, 'medicine hoarding': 526805, 'hoarding can': 399240, 'can exacerbate': 158271, 'exacerbate suffering': 288657, 'we also ask': 970395, 'also ask people': 47884, 'people to express': 649899, 'to express their': 905522, 'express their solidarity': 293068, 'their solidarity by': 874755, 'solidarity by refraining': 781930, 'by refraining from': 153748, 'refraining from hoarding': 706753, 'from hoarding essential': 335828, 'hoarding essential item': 399281, 'item including medicine': 463370, 'including medicine hoarding': 432055, 'medicine hoarding can': 526806, 'hoarding can create': 399241, 'shortage of medicine': 765122, 'which can exacerbate': 985732, 'can exacerbate suffering': 158272, 'ebbw': 266518, 'please instruct': 660117, 'instruct store': 440520, 'point which': 662708, 'have disappeared': 380292, 'in ebbw': 422474, 'ebbw vale': 266519, 'vale know': 951876, 'were concern': 979465, 'theft but': 872341, 'sadly plenty': 729347, 'more needy': 539830, 'dear please instruct': 229851, 'please instruct store': 660118, 'instruct store manager': 440521, 'manager to return': 512817, 'to return the': 913480, 'return the food': 719907, 'collection point which': 186457, 'point which have': 662709, 'which have disappeared': 985916, 'have disappeared at': 380293, 'disappeared at least': 244059, 'least in ebbw': 484515, 'in ebbw vale': 422475, 'ebbw vale know': 266520, 'vale know there': 951877, 'know there were': 476867, 'there were concern': 879314, 'were concern about': 979466, 'concern about theft': 192902, 'about theft but': 26571, 'theft but sadly': 872342, 'but sadly plenty': 146953, 'sadly plenty more': 729348, 'plenty more needy': 660936, 'more needy people': 539831, 'needy people now': 556695, 'people now and': 648886, 'now and panic': 574049, 'buying ha ended': 150436, 'distinctive': 247867, 'ever 91': 285184, '91 of': 23435, 'millennials say': 532023, 'amazon than': 51140, 'site here': 771946, 'ceo explains': 169694, 'amazon business': 50880, 'can appeal': 157520, 'this distinctive': 887256, 'distinctive demographic': 247870, '19 crisis consumer': 6231, 'crisis consumer are': 217237, 'online now more': 608595, 'than ever 91': 840568, 'ever 91 of': 285185, '91 of millennials': 23436, 'of millennials say': 586530, 'millennials say they': 532024, 'likely to buy': 492133, 'to buy from': 902233, 'buy from amazon': 148714, 'from amazon than': 334461, 'amazon than other': 51141, 'than other site': 841003, 'other site here': 620924, 'site here our': 771947, 'here our founder': 393430, 'our founder ceo': 623157, 'founder ceo explains': 330529, 'ceo explains how': 169695, 'explains how amazon': 292209, 'how amazon business': 407350, 'amazon business can': 50881, 'business can appeal': 143487, 'can appeal to': 157521, 'appeal to this': 82081, 'to this distinctive': 917421, 'this distinctive demographic': 887257, 'brum': 141338, 'in brum': 421006, 'brum go': 141341, 'shopping anecdote': 762045, 'anecdote might': 76267, 'favourite ever': 300591, 'ever sunday': 285526, 'sunday phone': 818251, 'how the hoarder': 408836, 'the hoarder in': 857408, 'hoarder in brum': 399054, 'in brum go': 421007, 'brum go supermarket': 141342, 'supermarket shopping anecdote': 822628, 'shopping anecdote might': 762046, 'anecdote might be': 76268, 'might be my': 530916, 'my favourite ever': 548286, 'favourite ever sunday': 300592, 'ever sunday phone': 285527, 'sunday phone conversation': 818252, 'conversation with each': 202502, 'with each of': 998163, 'kling': 475928, 'icymi sat': 412905, 'with karina': 999131, 'karina kling': 470924, 'kling on': 475929, 'on capitol': 599815, 'capitol tonight': 162859, 'icymi sat down': 412906, 'down with karina': 257495, 'with karina kling': 999132, 'karina kling on': 470925, 'kling on capitol': 475930, 'on capitol tonight': 599817, 'capitol tonight to': 162860, 'tonight to talk': 924509, 'uk like': 938513, 'staying their': 798718, 'company flat': 190662, 'peterborough or': 653554, 'or with': 617822, 'least other': 484592, 'site ideal': 771948, 'ideal shopping': 413271, 'shopping direct': 762480, 'direct rule': 243382, 'some about': 782248, 'travelling while': 930700, 'seems doesn': 746771, 'operate online': 613007, 'uk like to': 938514, 're staying their': 699584, 'staying their company': 798719, 'their company flat': 872832, 'company flat in': 190663, 'flat in peterborough': 310077, 'in peterborough or': 426667, 'peterborough or with': 653555, 'or with at': 617823, 'at least other': 99533, 'least other people': 484593, 'other people on': 620682, 'on site ideal': 603487, 'site ideal shopping': 771949, 'ideal shopping direct': 413272, 'shopping direct rule': 762481, 'direct rule for': 243383, 'rule for some': 727238, 'for some about': 325727, 'some about not': 782249, 'about not travelling': 25819, 'not travelling while': 572264, 'travelling while for': 930701, 'while for others': 986853, 'others it seems': 621498, 'it seems doesn': 460942, 'seems doesn apply': 746772, 'doesn apply all': 251706, 'apply all these': 82547, 'these company can': 879786, 'company can operate': 190526, 'can operate online': 159153, 'beleive': 126147, 'couldn imagine': 209902, 'society don': 781192, 'but beleive': 145284, 'beleive we': 126148, 'better human': 128330, 'cannot even see': 161800, 'the supermarket door': 868560, 'door and happy': 255507, 'and happy for': 64176, 'happy for it': 377619, 'for it couldn': 322699, 'it couldn imagine': 457374, 'couldn imagine that': 209903, 'imagine that week': 416791, 'that week ago': 847424, 'ago how the': 38408, 'how the thing': 408885, 'the thing change': 869453, 'thing change how': 884229, 'change how this': 172093, 'change the society': 172302, 'the society don': 867440, 'society don know': 781193, 'know but beleive': 476317, 'but beleive we': 145285, 'beleive we ll': 126149, 'll be better': 496573, 'be better human': 113838, 'better human being': 128331, 'hunger launching': 411146, 'virtual spring': 957793, 'spring food': 791206, 'quarantine hunger launching': 692268, 'hunger launching virtual': 411147, 'launching virtual spring': 482081, 'virtual spring food': 957794, 'spring food drive': 791207, 'who back': 988290, 'you mum': 1019906, 'mum love': 545924, 'family mum': 298057, 'mum proud': 545938, 'look who back': 502681, 'who back home': 988291, 'back home after': 107053, 'of you mum': 593403, 'you mum love': 1019907, 'mum love family': 545925, 'love family mum': 504654, 'family mum proud': 298058, 'mum proud welcomehome': 545939, 'meanwhile on': 525015, 'earth toiletpaperapocalypse': 265010, 'toiletpaper stayhomesavelives': 922530, 'meanwhile on earth': 525016, 'on earth toiletpaperapocalypse': 600474, 'earth toiletpaperapocalypse toiletpapercrisis': 265011, 'toiletpaperapocalypse toiletpapercrisis toiletpaper': 922941, 'toiletpapercrisis toiletpaper stayhomesavelives': 923084, 'leftfield': 485762, 'parenthood': 641789, 'parentsinlockdown': 641812, 'the substitute': 868362, 'substitute the': 816100, 'supermarket gave': 820481, 'bit leftfield': 131601, 'leftfield but': 485763, 'go parenthood': 354036, 'parenthood parentsinlockdown': 641790, 'parentsinlockdown lockdowneffect': 641813, 'lockdowneffect joy': 500254, 'joy staypositive': 467524, 'staypositive stayhomesavelives': 798769, 'no problem getting': 565194, 'problem getting my': 679531, 'getting my delivery': 349137, 'my delivery today': 547980, 'delivery today the': 234680, 'today the substitute': 920303, 'the substitute the': 868363, 'substitute the supermarket': 816101, 'the supermarket gave': 868605, 'supermarket gave me': 820482, 'gave me instead': 344642, 'instead of tofu': 440330, 'of tofu is': 592246, 'tofu is bit': 920651, 'is bit leftfield': 446188, 'bit leftfield but': 131602, 'leftfield but ll': 485764, 'but ll give': 146296, 'll give it': 496802, 'it go parenthood': 458265, 'go parenthood parentsinlockdown': 354037, 'parenthood parentsinlockdown lockdowneffect': 641791, 'parentsinlockdown lockdowneffect joy': 641814, 'lockdowneffect joy staypositive': 500255, 'joy staypositive stayhomesavelives': 467525, 'suffice': 817367, 'sabko': 729000, 'surya precisely': 829412, 'precisely and': 669506, 'the hurry': 857768, 'hurry everyone': 411507, 'everyone definitely': 286806, 'definitely had': 232350, 'had food': 373120, 'to suffice': 915740, 'suffice for': 817368, 'then sabko': 877492, 'sabko milega': 729001, 'milega no': 531429, 'one gonna': 606357, 'hunger only': 411161, 'die is': 241382, 'surya precisely and': 829413, 'precisely and what': 669507, 'is the hurry': 452823, 'the hurry everyone': 857769, 'hurry everyone definitely': 411508, 'everyone definitely had': 286807, 'definitely had food': 232351, 'had food item': 373121, 'item to suffice': 463769, 'to suffice for': 915741, 'suffice for this': 817369, 'this week why': 891298, 'week why to': 977247, 'why to panic': 991482, 'to panic then': 911431, 'panic then sabko': 638692, 'then sabko milega': 877493, 'sabko milega no': 729002, 'milega no one': 531430, 'no one gonna': 564936, 'one gonna die': 606358, 'of hunger only': 584915, 'hunger only thing': 411162, 'thing that you': 884827, 'may die is': 521125, 'die is of': 241383, 'hina': 396826, 'isip': 454243, 'payagan': 645260, 'kayo': 471148, 'ang hina': 76284, 'hina ng': 396827, 'ng shopee': 561801, 'shopee ph': 761127, 'ph mag': 653978, 'mag isip': 508263, 'isip lobby': 454244, 'rethink na': 719649, 'na payagan': 551309, 'payagan kayo': 645261, 'kayo because': 471149, 'because now': 119292, 'for filipino': 321474, 'filipino to': 305445, 'shopping use': 764299, 'use ppe': 949493, 'rider social': 721488, 'when delivering': 983332, 'delivering or': 233530, 'ang hina ng': 76285, 'hina ng shopee': 396828, 'ng shopee ph': 561802, 'shopee ph mag': 761128, 'ph mag isip': 653979, 'mag isip lobby': 508264, 'isip lobby the': 454245, 'lobby the government': 497586, 'government to rethink': 360733, 'to rethink na': 913466, 'rethink na payagan': 719650, 'na payagan kayo': 551310, 'payagan kayo because': 645262, 'kayo because now': 471150, 'because now is': 119293, 'perfect time for': 651361, 'time for filipino': 896709, 'for filipino to': 321475, 'filipino to avoid': 305446, 'going out by': 355362, 'out by online': 625815, 'online shopping use': 609325, 'shopping use ppe': 764300, 'use ppe for': 949494, 'ppe for rider': 667950, 'for rider social': 325232, 'rider social distancing': 721489, 'distancing when delivering': 247630, 'when delivering or': 983333, 'delivering or even': 233531, 'or even no': 615209, 'even no cod': 284406, 'being lot': 125401, 'more lax': 539663, 'lax still': 482577, 'still about': 800155, '19 seeing': 10388, 'friend driving': 333587, 'home meeting': 401613, 'meeting up': 527785, 'walk together': 964903, 'barely left': 111017, 'my apartment': 547282, 'apartment go': 81402, 'walk not': 964834, 'near anyone': 553466, 'anyone go': 80333, 'people in australia': 648349, 'australia are being': 103227, 'are being lot': 84883, 'being lot more': 125402, 'lot more lax': 504109, 'more lax still': 539664, 'lax still about': 482578, 'still about covid': 800156, 'covid 19 seeing': 213761, '19 seeing friend': 10389, 'seeing friend driving': 746299, 'friend driving to': 333588, 'driving to each': 260017, 'other home meeting': 620364, 'home meeting up': 401614, 'meeting up to': 527787, 'up to walk': 946446, 'to walk together': 918309, 'walk together it': 964904, 'together it been': 920843, 'been over three': 121628, 'over three week': 630826, 'week and have': 975915, 'and have barely': 64225, 'have barely left': 379411, 'barely left my': 111018, 'left my apartment': 485558, 'my apartment go': 547284, 'apartment go for': 81403, 'for walk not': 327624, 'walk not going': 964835, 'going near anyone': 355279, 'near anyone go': 553467, 'anyone go to': 80334, 'video nice': 956815, 'people influence': 648474, 'influence dispensing': 437301, 'dispensing sound': 246160, 'sound calm': 786273, 'calm simple': 156800, 'simple advice': 769983, 'advice this': 33523, 'these video nice': 880933, 'video nice to': 956816, 'see people influence': 745561, 'people influence dispensing': 648475, 'influence dispensing sound': 437302, 'dispensing sound calm': 246161, 'sound calm simple': 786274, 'calm simple advice': 156801, 'simple advice this': 769984, 'advice this is': 33524, 'world there is': 1010059, 'buy the entire': 149295, 'the entire supermarket': 854368, 'entire supermarket just': 278752, 'reason we re': 703053, 'doing this 19': 252755, 'meantime in': 524923, 'in belgian': 420781, 'belgian supermarket': 126168, 'the meantime in': 860359, 'meantime in belgian': 524924, 'in belgian supermarket': 420782, 'belgian supermarket 19': 126169, 'steady flow': 799120, 'ensure the steady': 278090, 'the steady flow': 867859, 'steady flow of': 799121, 'and to american': 74151, 'american who need': 52306, 'these product more': 880559, 'product more than': 681418, 'paso': 643192, 'abv': 27734, 'pepsi': 650657, 'camomile': 157158, 'echinacea': 266621, 'unconventional covid': 939890, 'stock shortage': 802847, 'supermarket nicotine': 821602, 'nicotine patch': 562623, 'patch and': 643932, 'and gum': 64048, 'gum garlic': 368672, 'garlic chilli': 343682, 'chilli powder': 176403, 'powder old': 667538, 'old el': 598235, 'el paso': 270452, 'paso fajita': 643193, 'fajita kit': 296559, 'kit red': 475620, 'wine but': 995789, 'not white': 572502, 'white white': 987919, 'white cider': 987832, 'special brew': 787864, 'brew abv': 139401, 'abv coke': 27735, 'coke zero': 185712, 'zero but': 1027412, 'not pepsi': 571000, 'pepsi max': 650658, 'max camomile': 520745, 'camomile tea': 157159, 'tea echinacea': 835348, 'echinacea tea': 266622, 'unconventional covid 19': 939891, '19 stock shortage': 10858, 'stock shortage at': 802848, 'shortage at my': 764844, 'local supermarket nicotine': 498560, 'supermarket nicotine patch': 821603, 'nicotine patch and': 562624, 'patch and gum': 643933, 'and gum garlic': 64049, 'gum garlic chilli': 368673, 'garlic chilli powder': 343683, 'chilli powder old': 176404, 'powder old el': 667539, 'old el paso': 598236, 'el paso fajita': 270453, 'paso fajita kit': 643194, 'fajita kit red': 296560, 'kit red wine': 475621, 'red wine but': 705627, 'wine but not': 995790, 'but not white': 146583, 'not white white': 572503, 'white white cider': 987920, 'white cider and': 987833, 'cider and special': 178458, 'and special brew': 72064, 'special brew abv': 787865, 'brew abv coke': 139402, 'abv coke zero': 27736, 'coke zero but': 185713, 'zero but not': 1027414, 'but not pepsi': 146552, 'not pepsi max': 571001, 'pepsi max camomile': 650659, 'max camomile tea': 520746, 'camomile tea echinacea': 157160, 'tea echinacea tea': 835349, 'death see': 230186, 'store is covid': 808479, '19 death see': 6453, 'death see how': 230187, 'see how ridiculous': 745246, 'hdelacerda': 384691, 'hdelacerda oil': 384692, 'caused massive': 167912, 'massive slow': 520115, 'caused layoff': 167901, 'layoff haven': 482699, 'haven worked': 383924, 'worked since': 1006142, 'february just': 301731, 'hdelacerda oil price': 384693, 'price caused massive': 673095, 'caused massive slow': 167913, 'massive slow down': 520116, 'down and now': 256505, 'now the covid': 576036, 'ha caused layoff': 370084, 'caused layoff haven': 167902, 'layoff haven worked': 482700, 'haven worked since': 383926, 'worked since the': 1006143, 'beginning of february': 123646, 'of february just': 583470, 'february just trying': 301732, 'make sure my': 510518, 'sure my wife': 827625, 'daughter are taken': 226826, 'buttpaper': 148219, 'jmfstudios': 465564, 'cottonelle': 208423, 'artislife': 94579, 'contemplating the': 200772, 'of buttpaper': 581003, 'buttpaper 2020': 148220, '2020 jmfstudios': 14414, 'jmfstudios toiletpaper': 465565, 'socialdistancing toiletpapercrisis': 780828, 'crisis cdc': 217201, 'pandemic isolation': 635809, 'isolation cottonelle': 455240, 'cottonelle virus': 208424, 'virus quarantined': 958661, 'quarantined artislife': 692823, 'artislife artist': 94580, 'artist art': 94592, 'contemplating the value': 200773, 'value of buttpaper': 952159, 'of buttpaper 2020': 581004, 'buttpaper 2020 jmfstudios': 148221, '2020 jmfstudios toiletpaper': 14415, 'jmfstudios toiletpaper tp': 465566, 'tp corona quarantine': 927788, 'corona quarantine socialdistancing': 204127, 'quarantine socialdistancing toiletpapercrisis': 692553, 'socialdistancing toiletpapercrisis crisis': 780829, 'toiletpapercrisis crisis cdc': 923020, 'crisis cdc pandemic': 217202, 'cdc pandemic isolation': 168601, 'pandemic isolation cottonelle': 635810, 'isolation cottonelle virus': 455241, 'cottonelle virus quarantined': 208425, 'virus quarantined artislife': 958662, 'quarantined artislife artist': 692824, 'artislife artist art': 94581, 'mentalhealthmatters': 528696, 'some link': 783204, 'situation thread': 772522, 'quarantine mentalhealthmatters': 692373, 'some link for': 783205, 'link for you': 493840, 'you to deal': 1021767, 'with this situation': 1001726, 'this situation thread': 890192, 'situation thread covid': 772523, 'during quarantine mentalhealthmatters': 262941, 'shoppingmalls': 764513, 'thai authority': 840075, 'authority make': 103758, 'all shoppingmalls': 44331, 'shoppingmalls and': 764514, 'bangkok effective': 109489, 'effective 22': 269204, 'april exception': 83580, 'exception is': 289270, 'restaurant inside': 716533, 'inside can': 439242, 'operate only': 613008, 'away 19': 105759, 'thai authority make': 840076, 'authority make decision': 103759, 'make decision to': 509821, 'close all shoppingmalls': 182507, 'all shoppingmalls and': 44332, 'shoppingmalls and market': 764515, 'and market in': 66707, 'market in bangkok': 516550, 'in bangkok effective': 420694, 'bangkok effective 22': 109490, 'effective 22 march': 269205, '22 march 12': 15223, 'march 12 april': 515061, '12 april exception': 2822, 'april exception is': 83581, 'exception is supermarket': 289271, 'is supermarket grocery': 452461, 'supermarket grocery and': 820573, 'drug store that': 261095, 'store that will': 810582, 'open restaurant inside': 612482, 'restaurant inside can': 716534, 'inside can operate': 439243, 'can operate only': 159154, 'operate only for': 613009, 'only for take': 610475, 'for take away': 326123, 'take away 19': 831960, 'survey evidence': 828858, 'evidence and': 288345, 'short run': 764682, 'run economic': 727615, 'news and uncertainty': 560241, 'and uncertainty about': 74606, 'uncertainty about covid': 939639, '19 survey evidence': 10993, 'survey evidence and': 828859, 'evidence and short': 288346, 'and short run': 71564, 'short run economic': 764683, 'run economic impact': 727616, 'retail section': 718520, 'online edition': 608154, 'edition about': 268604, 'behavior your': 124325, 'thought will': 893316, 'help enrich': 389639, 'enrich my': 277824, 'my learning': 548995, 'learning ecommerce': 484195, 'my article in': 547322, 'the retail section': 865727, 'retail section of': 718521, 'section of economic': 744024, 'of economic time': 582958, 'economic time online': 267341, 'time online edition': 897408, 'online edition about': 608155, 'edition about the': 268605, '19 on shopping': 8963, 'shopping behavior your': 762217, 'behavior your thought': 124326, 'your thought will': 1026151, 'thought will help': 893317, 'will help enrich': 993710, 'help enrich my': 389640, 'enrich my learning': 277825, 'my learning ecommerce': 548996, 'learning ecommerce onlineshopping': 484196, 'man is all': 512120, 'all about business': 41915, 'about business now': 24902, 'business now he': 144112, 'he is saying': 385143, 'is saying he': 451656, 'saying he feel': 739599, 'for russia saudi': 325278, 'fight is': 304782, 'see how so': 745248, 'supermarket shelf do': 822454, 'be empty this': 114674, 'empty this fight': 275199, 'this fight is': 887545, 'fight is about': 304783, 'is about everyone': 445272, 'about everyone not': 25199, 'everyone not just': 287215, 'behavior change are': 123961, 'change are here': 171931, 'call grocery': 155919, 'worker unskilled': 1008082, 'unskilled you': 943495, 'how society': 408709, 'society considers': 781176, 'job what': 466279, 'thing unskilled': 884927, 'labor solidarity': 478449, 'know how people': 476452, 'how people call': 408496, 'people call grocery': 647372, 'call grocery store': 155920, 'store worker unskilled': 811612, 'worker unskilled you': 1008083, 'unskilled you know': 943496, 'know how society': 476457, 'how society considers': 408711, 'society considers it': 781177, 'considers it not': 195449, 'essential job what': 281249, 'job what do': 466280, 'about that now': 26322, 'that now there': 845425, 'there no such': 878843, 'no such thing': 565608, 'such thing unskilled': 816815, 'thing unskilled labor': 884928, 'unskilled labor solidarity': 943487, 'essentialshopping': 281932, 'setlimits': 753611, 'latenightthoughts': 481002, 'let thing': 487170, 'this extreme': 887489, 'extreme to': 293838, 'who over': 989391, 'buy not': 149010, 'leaving thing': 485168, 'others these': 621711, 'to type': 917872, 'type here': 937536, 'here essentialshopping': 392958, 'essentialshopping setlimits': 281933, 'setlimits stophoarding': 753612, 'stophoarding latenightthoughts': 805419, 'let not let': 486941, 'not let thing': 570374, 'let thing get': 487171, 'thing get to': 884359, 'get to this': 348500, 'to this extreme': 917423, 'this extreme to': 887490, 'extreme to where': 293839, 'to where our': 918541, 'where our shopping': 985085, 'our shopping time': 624768, 'shopping time is': 764145, 'time is limited': 897058, 'is limited due': 449362, 'due to those': 261998, 'those who over': 892661, 'who over buy': 989393, 'over buy not': 630047, 'buy not leaving': 149012, 'not leaving thing': 570358, 'leaving thing for': 485169, 'thing for others': 884334, 'for others these': 324202, 'others these are': 621712, 'these are my': 879624, 'are my thought': 88182, 'my thought that': 550360, 'thought that didn': 893229, 'didn have room': 241097, 'room to type': 725985, 'to type here': 917873, 'type here essentialshopping': 937537, 'here essentialshopping setlimits': 392959, 'essentialshopping setlimits stophoarding': 281934, 'setlimits stophoarding latenightthoughts': 753613, 'launching daily': 482062, 'daily series': 224796, 'hosting daily': 404954, 'briefing webinars': 139753, 'webinars every': 975154, 'morning releasing': 541417, 'releasing daily': 709115, 'daily analysis': 224492, 'daily email': 224592, 'email newsletter': 272241, 'newsletter learn': 561035, 'is launching daily': 449241, 'launching daily series': 482063, 'daily series of': 224797, 'series of consumer': 751266, 'consumer research for': 198753, 'research for on': 713722, 'for on covid': 324064, 'food service company': 316410, 'service company we': 752251, 'company we ll': 191290, 'll be hosting': 496595, 'be hosting daily': 115308, 'hosting daily briefing': 404955, 'daily briefing webinars': 224529, 'briefing webinars every': 139755, 'webinars every morning': 975155, 'every morning releasing': 286030, 'morning releasing daily': 541418, 'releasing daily analysis': 709116, 'daily analysis and': 224493, 'analysis and we': 57018, 'll send out': 497004, 'send out daily': 749928, 'out daily email': 625926, 'daily email newsletter': 224593, 'email newsletter learn': 272242, 'newsletter learn more': 561036, 'radish': 695478, 'like ready': 491060, 'cook now': 202761, 'now entering': 574609, 'left radish': 485613, 'radish few': 695479, 'few shallot': 304059, 'shallot can': 754563, 'red bean': 705565, 'vegan meatball': 953871, 'meatball let': 525808, 'day like ready': 227910, 'like ready steady': 491061, 'steady cook now': 799116, 'cook now entering': 202762, 'now entering the': 574610, 'supermarket what is': 823793, 'is left radish': 449275, 'left radish few': 485614, 'radish few shallot': 695480, 'few shallot can': 304060, 'shallot can of': 754564, 'can of red': 159091, 'of red bean': 588854, 'red bean and': 705566, 'bean and some': 118292, 'and some vegan': 71980, 'some vegan meatball': 784158, 'vegan meatball let': 953872, 'meatball let be': 525809, 'let be creative': 486615, 'gujarati': 368617, 'cadila healthcare': 155068, 'healthcare gujarati': 387130, 'gujarati company': 368618, 'it recently': 460664, 'recently got': 704101, 'an fda': 56045, 'approval dont': 83088, 'our supreme': 625052, 'supreme leader': 827435, 'are claiming': 85282, 'to finding': 905958, 'cure vaccine': 220845, 'cadila healthcare gujarati': 155069, 'healthcare gujarati company': 387131, 'gujarati company doing': 368619, 'company doing what': 190605, 'doing what now': 252847, 'what now it': 981948, 'now it recently': 575127, 'it recently got': 460665, 'recently got an': 704102, 'got an fda': 358401, 'an fda approval': 56046, 'fda approval dont': 300827, 'approval dont know': 83089, 'dont know if': 255242, 'know if our': 476478, 'if our supreme': 414579, 'our supreme leader': 625053, 'supreme leader ha': 827436, 'leader ha something': 483466, 'with it it': 999073, 'it it share': 459181, 'it share price': 461008, 'price are ramping': 672719, 'ramping up and': 696481, 'up and apparently': 944303, 'they are claiming': 881226, 'are claiming that': 85283, 'claiming that they': 179911, 'they are close': 881228, 'close to finding': 182895, 'to finding cure': 905959, 'finding cure vaccine': 307455, 'cure vaccine for': 220846, 'storytelling': 812172, 'life did': 488592, 'did change': 240578, 'change few': 172045, 'it prepared': 460429, 'prepared me': 670221, 'blog storytelling': 133016, 'storytelling inspiration': 812173, 'inspiration resilient': 439811, 'resilient resilience': 714533, 'resilience toiletpaper': 714495, 'my life did': 549018, 'life did change': 488593, 'did change few': 240579, 'change few year': 172046, 'few year ago': 304191, 'ago and it': 38339, 'and it prepared': 65570, 'it prepared me': 460430, 'prepared me very': 670222, 'me very well': 523880, 'very well for': 955664, 'for the crisis': 326367, 'crisis read my': 217945, 'read my newest': 700468, 'my newest blog': 549479, 'newest blog storytelling': 560057, 'blog storytelling inspiration': 133017, 'storytelling inspiration resilient': 812174, 'inspiration resilient resilience': 439812, 'resilient resilience toiletpaper': 714534, '07pm': 1065, 'thurton': 895494, 'winnipeg': 996098, 'landwork': 479429, 'price march': 675168, 'at 02': 97369, '02 07pm': 796, '07pm by': 1066, 'by david': 152297, 'david thurton': 227000, 'thurton winnipeg': 895495, 'winnipeg landscaping': 996099, 'landscaping landwork': 479425, 'landwork winnipeg': 479430, 'winnipeg trusted': 996101, 'high price march': 395257, 'price march 20': 675169, '20 2020 at': 12880, '2020 at 02': 14158, 'at 02 07pm': 97370, '02 07pm by': 797, '07pm by david': 1067, 'by david thurton': 152298, 'david thurton winnipeg': 227001, 'thurton winnipeg landscaping': 895496, 'winnipeg landscaping landwork': 996100, 'landscaping landwork winnipeg': 479426, 'landwork winnipeg trusted': 479431, 'nestle': 557525, 'nestle ceo': 557526, 'nestle ceo mark': 557527, 'but dividend': 145554, 'dividend are': 248606, 'paid bar': 633979, 'bar one': 110742, 'ha scrapped': 371812, 'scrapped dividend': 742599, 'dividend for': 248622, 'invest long': 443771, 'the dividend': 853432, 'dividend stay': 248633, 'pretty good price': 671422, 'good price are': 357583, 'are down but': 85973, 'down but dividend': 256581, 'but dividend are': 145555, 'dividend are still': 248607, 'still being paid': 800278, 'being paid bar': 125527, 'paid bar one': 633980, 'bar one company': 110743, 'one company bank': 606083, 'company bank which': 190485, 'which ha scrapped': 985895, 'ha scrapped dividend': 371813, 'scrapped dividend for': 742600, 'dividend for 2020': 248623, 'for 2020 due': 318749, '19 invest long': 7918, 'invest long term': 443772, 'long term for': 501686, 'term for the': 838152, 'for the dividend': 326391, 'the dividend stay': 853433, 'dividend stay safe': 248634, 'sir grocery': 771572, 'grocery trader': 366075, 'got chance': 358475, 'for exploiting': 321336, 'exploiting price': 292446, 'common ppl': 189437, 'ppl forced': 668235, 'during during': 262610, 'kindly issue': 475141, 'issue direction': 455722, 'for precautionary': 324685, 'measure lockdown21': 525254, 'pm sir grocery': 661983, 'sir grocery trader': 771573, 'grocery trader have': 366076, 'trader have got': 928690, 'have got chance': 380812, 'got chance for': 358476, 'chance for exploiting': 171725, 'for exploiting price': 321337, 'exploiting price of': 292447, 'of commodity the': 581582, 'commodity the common': 189317, 'the common ppl': 851256, 'common ppl forced': 189438, 'ppl forced to': 668236, 'to buy during': 902218, 'buy during during': 148552, 'during during lockdown': 262611, 'during lockdown for': 262762, '19 kindly issue': 8244, 'kindly issue direction': 475142, 'issue direction for': 455723, 'direction for precautionary': 243462, 'for precautionary measure': 324686, 'precautionary measure lockdown21': 669426, 'becoming panic': 120333, '19 storing': 10887, 'storing excessive': 811765, 'from purchasing': 337003, 'before becoming panic': 122661, 'becoming panic buyer': 120334, 'covid 19 storing': 213873, '19 storing excessive': 10888, 'storing excessive amount': 811766, 'people from purchasing': 648005, 'from purchasing food': 337004, 'purchasing food and': 689862, 'follow in': 312427, 'driven meal': 259330, 'likelihood of nyc': 491932, 'of nyc and': 587124, 'nyc and others': 577959, 'others will follow': 621798, 'will follow in': 993462, 'follow in lockdown': 312428, 'in lockdown will': 424860, 'lockdown will shift': 500155, 'will shift the': 994837, 'shift the restaurant': 758419, 'the restaurant demand': 865650, 'restaurant demand to': 716419, 'demand to even': 236394, 'to even more': 905288, 'even more food': 284356, 'more food at': 539239, 'home and grocery': 400646, 'grocery driven meal': 364474, 'rollingstones': 725690, 'true but': 933038, 'chance can': 171709, 'sanitizer rollingstones': 735663, 'rollingstones humor': 725691, 'true but if': 933040, 'but if can': 145986, 'if can find': 413924, 'can find some': 158337, 'find some hand': 307227, 'sanitizer might have': 735371, 'might have chance': 531010, 'have chance can': 379926, 'chance can get': 171710, 'no sanitizer rollingstones': 565416, 'sanitizer rollingstones humor': 735664, 'rollingstones humor song': 725692, 'son catch': 785361, 'probably die': 679244, 'wake the': 964614, 'inhaler amp': 438431, 'is why if': 453964, 'why if and': 991083, 'if and or': 413818, 'and or my': 68220, 'or my 19': 616211, 'old son catch': 598473, 'son catch this': 785362, 'will most probably': 994127, 'most probably die': 542662, 'probably die and': 679245, 'die and still': 241299, 'still have people': 800658, 'have people telling': 381916, 'telling me am': 837222, 'me am spreading': 522389, 'to wake the': 918289, 'wake the up': 964615, 'the up do': 870486, 'for inhaler amp': 322586, 'inhaler amp food': 438432, 'cranking': 214864, 'wildrye': 992153, '2oz': 16821, 'ste': 799100, '1e': 12601, 'bozeman': 137441, 'are cranking': 85605, 'cranking out': 214865, 'at wildrye': 101563, 'wildrye distilling': 992154, 'distilling if': 247843, 'have 2oz': 379088, '2oz bottle': 16822, 'need wildrye': 556219, 'distilling 11': 247839, '11 oak': 2563, 'oak street': 578258, 'street ste': 813122, 'ste 1e': 799101, '1e bozeman': 12602, 'bozeman mt': 137442, 'we are cranking': 970517, 'are cranking out': 85606, 'cranking out hand': 214866, 'sanitizer at wildrye': 734522, 'at wildrye distilling': 101564, 'wildrye distilling if': 992156, 'distilling if you': 247844, 'you have 2oz': 1019008, 'have 2oz bottle': 379089, '2oz bottle we': 16823, 'in need wildrye': 425785, 'need wildrye distilling': 556220, 'wildrye distilling 11': 992155, 'distilling 11 oak': 247840, '11 oak street': 2564, 'oak street ste': 578259, 'street ste 1e': 813123, 'ste 1e bozeman': 799102, '1e bozeman mt': 12603, 'public almost': 687836, 'almost more': 46693, 'worker being on': 1006523, 'of the they': 591534, 'the public almost': 864784, 'public almost more': 687837, 'almost more than': 46694, 'than other profession': 841001, 'theresa': 879482, 'tam': 834086, 'dr theresa': 258110, 'theresa tam': 879483, 'tam canada': 834087, 'officer by': 595645, 'all mean': 43475, 'mean go': 524464, 'store doc': 807337, 'doc say': 250756, 'outdoors but': 628919, 'return advises': 719806, 'advises no': 33686, 'party or': 643020, 'or sleepover': 617102, 'dr theresa tam': 258111, 'theresa tam canada': 879484, 'tam canada chief': 834088, 'canada chief health': 160396, 'health officer by': 386692, 'officer by all': 595646, 'by all mean': 151789, 'all mean go': 43476, 'mean go out': 524465, 'for walk go': 327620, 'grocery store doc': 365333, 'store doc say': 807338, 'doc say do': 250757, 'say do go': 738579, 'do go outdoors': 249343, 'go outdoors but': 354004, 'outdoors but keep': 628920, 'but keep the': 146218, 'keep the metre': 472056, 'metre rule and': 529868, 'rule and be': 727186, 'and be sure': 58770, 'you return advises': 1020927, 'return advises no': 719807, 'advises no party': 33687, 'no party or': 565070, 'party or sleepover': 643021, 'outbreak thank': 628691, 'employee keeping': 274003, 'thank for the': 841570, 'work they re': 1005844, 're doing amid': 698531, 'coronavirus outbreak thank': 206411, 'outbreak thank you': 628693, 'to those grocery': 917504, 'store employee keeping': 807504, 'employee keeping everything': 274004, 're stupid': 699629, 'ignore official': 415831, 'official guidance': 595824, 'government flock': 360089, 'place then': 657732, 'not whinge': 572500, 'whinge when': 987725, 'daily movement': 224705, 'restricted by': 717132, 'army online': 93030, 'limited not': 492678, 'so smug': 778228, 'smug now': 775982, 'you re stupid': 1020763, 're stupid enough': 699630, 'enough to ignore': 277707, 'to ignore official': 908112, 'ignore official guidance': 415832, 'official guidance from': 595825, 'the government flock': 856538, 'government flock to': 360090, 'flock to public': 310680, 'public place then': 688236, 'place then do': 657733, 'do not whinge': 249892, 'not whinge when': 572501, 'whinge when your': 987726, 'when your daily': 984623, 'your daily movement': 1023443, 'daily movement are': 224706, 'are restricted by': 89652, 'restricted by the': 717133, 'by the army': 154263, 'the army online': 848907, 'army online shopping': 93031, 'shopping is limited': 763057, 'is limited not': 449365, 'limited not so': 492679, 'not so smug': 571626, 'so smug now': 778229, 'smug now are': 775983, 'now are you': 574103, 'are you stayhomesavelives': 91859, 'yet like': 1016135, 'happening out': 377392, 'yet like this': 1016136, 'is happening out': 448285, 'happening out in': 377393, 'out in brampton': 626372, 'conf': 193708, 'wa discussed': 961988, 'discussed running': 244967, 'running up': 728123, 'american didn': 51911, 'own emergency': 631961, 'fund some': 341504, 'said most': 731237, 'american could': 51905, 'afford 400': 34668, '400 emergency': 18732, 'emergency how': 272746, 'how strong': 408757, 'strong will': 814159, 'will american': 992278, 'consumer conf': 196878, 'it wa discussed': 462104, 'wa discussed running': 961989, 'discussed running up': 244968, 'running up to': 728124, 'stock market that': 802442, 'market that the': 517179, 'of american didn': 580058, 'american didn have': 51912, 'didn have their': 241101, 'have their own': 383057, 'their own emergency': 874170, 'own emergency fund': 631962, 'emergency fund some': 272725, 'fund some said': 341505, 'some said most': 783791, 'said most american': 731238, 'most american could': 542089, 'american could not': 51906, 'not afford 400': 568076, 'afford 400 emergency': 34669, '400 emergency how': 18733, 'emergency how strong': 272747, 'how strong will': 408758, 'strong will american': 814160, 'will american consumer': 992279, 'american consumer conf': 51886, 'to click': 902836, 'allow folk': 45958, 'public find': 687999, 'myself going': 550869, 'wouldn it make': 1012486, 'it make sense': 459517, 'sense to allow': 750605, 'to allow to': 900363, 'allow to click': 46100, 'to click and': 902837, 'collect or have': 186308, 'or have more': 615585, 'have more delivery': 381499, 'more delivery slot': 538983, 'slot in order': 774215, 'order to allow': 618664, 'to allow folk': 900336, 'allow folk to': 45959, 'folk to stay': 312281, 'with other member': 999956, 'member of public': 528148, 'of public find': 588587, 'public find myself': 688000, 'find myself going': 307085, 'myself going to': 550870, 'going to going': 355611, 'these the': 880808, 'just crashed': 468537, 'crashed the': 215089, 'the lamb': 858921, 'just batter': 468261, 'batter wa': 112739, 'wa pledging': 962946, 'pledging farming': 660874, 'farming pull': 299641, 'the teeth': 869246, 'teeth of': 836603, 'are these the': 90982, 'these the same': 880810, 'same one that': 733191, 'one that just': 607181, 'that just crashed': 844789, 'just crashed the': 468538, 'crashed the lamb': 215090, 'the lamb price': 858922, 'lamb price just': 479166, 'price just batter': 674970, 'just batter wa': 468262, 'batter wa pledging': 112740, 'wa pledging farming': 962947, 'pledging farming pull': 660875, 'farming pull out': 299642, 'out the stop': 627422, 'stop to meet': 805221, 'to meet food': 910025, 'in the teeth': 429596, 'the teeth of': 869247, 'teeth of this': 836604, '19 crisis wa': 6345, 'crisis wa this': 218328, 'wa this you': 963499, 'delicacy': 232997, 'these wonderful': 880980, 'wonderful delicacy': 1004073, 'delicacy ha': 232998, 'have won': 383616, 'panicshopping morrison': 639439, 'showing these wonderful': 767540, 'these wonderful delicacy': 880981, 'wonderful delicacy ha': 1004074, 'delicacy ha become': 232999, 'come and take': 187221, 'and take look': 72964, 'could have won': 209274, 'have won coronacrisis': 383617, 'won coronacrisis panicshopping': 1003775, 'coronacrisis panicshopping morrison': 204701, 'panicshopping morrison supermarket': 639440, 'nadia': 551380, 'rocha': 724872, 'ruta': 728685, 'country rely': 210997, 'rely heavily': 709628, 'import of': 418647, 'combat export': 187009, 'restriction by': 717235, 'by leading': 153034, 'leading producing': 483726, 'disrupt them': 246380, 'them nadia': 876046, 'nadia rocha': 551381, 'rocha and': 724873, 'and michele': 66985, 'michele ruta': 530293, 'ruta estimate': 728686, 'estimate price': 282260, 'to 23': 899620, 'developing country rely': 239775, 'country rely heavily': 210998, 'rely heavily on': 709629, 'heavily on import': 388595, 'on import of': 601511, 'import of medical': 418649, 'to combat export': 902996, 'combat export restriction': 187010, 'export restriction by': 292694, 'restriction by leading': 717236, 'by leading producing': 153035, 'leading producing country': 483727, 'producing country will': 680756, 'country will disrupt': 211246, 'will disrupt them': 993213, 'disrupt them nadia': 246381, 'them nadia rocha': 876047, 'nadia rocha and': 551382, 'rocha and michele': 724874, 'and michele ruta': 66986, 'michele ruta estimate': 530294, 'ruta estimate price': 728687, 'estimate price could': 282261, 'price could rise': 673294, 'could rise by': 209608, 'rise by up': 722806, 'up to 23': 946327, 'paramount': 641408, 'well paramount': 978471, 'paramount we': 641413, 'govt distribute': 361105, 'distribute these': 248019, 'consumer immediately': 197800, 'well paramount we': 978472, 'paramount we must': 641414, 'we must have': 972418, 'must have the': 546708, 'have the govt': 382993, 'the govt distribute': 856656, 'govt distribute these': 361106, 'distribute these test': 248020, 'these test at': 880801, 'test at no': 838930, 'the consumer immediately': 851547, 'peruvian': 653298, 'past night': 643579, '8pm people': 23228, 'peru come': 653294, 'and clap': 59917, 'clap to': 179970, 'officer the': 595728, 'the peruvian': 863601, 'peruvian military': 653299, 'military grocery': 531471, 'an day': 55528, 'the break': 849970, 'the past night': 863360, 'past night at': 643580, 'night at 8pm': 562962, 'at 8pm people': 97797, '8pm people in': 23229, 'people in peru': 648417, 'in peru come': 426657, 'peru come together': 653295, 'together to their': 921009, 'their window and': 875192, 'window and clap': 995661, 'and clap to': 59918, 'clap to show': 179971, 'show appreciation to': 766873, 'doctor nurse police': 251031, 'police officer the': 663132, 'officer the peruvian': 595729, 'the peruvian military': 863602, 'peruvian military grocery': 653300, 'military grocery store': 531472, 'for working day': 327947, 'day in an': 227790, 'in an day': 420289, 'an day out': 55529, 'day out since': 228182, 'out since the': 627198, 'since the break': 770867, 'the break out': 849971, 'break out of': 138782, 'footstep': 318578, 'following in': 312762, 'the footstep': 855662, 'footstep of': 318579, 'staff 10': 792069, 'cent bonus': 169038, 'work dealing': 1005032, 'with increasingly': 998981, 'increasingly large': 433787, 'are following in': 86624, 'following in the': 312764, 'in the footstep': 429211, 'the footstep of': 855663, 'footstep of and': 318580, 'of and giving': 580157, 'and giving their': 63685, 'their staff 10': 874787, 'staff 10 per': 792070, 'per cent bonus': 650745, 'cent bonus to': 169039, 'bonus to thank': 134413, 'for their hard': 326835, 'hard work dealing': 378126, 'work dealing with': 1005033, 'dealing with increasingly': 229672, 'with increasingly large': 998982, 'increasingly large crowd': 433788, 'large crowd during': 479632, 'pandemic supermarket retail': 636600, 'nodeal': 566121, 'aided': 39505, 'sycophantic': 830669, 'dumbed': 262131, 'electorate': 271093, 'for penny': 324433, 'penny in': 646615, 'for pound': 324660, 'pound the': 667408, 'perfect cover': 651280, 'for nodeal': 323895, 'nodeal brexit': 566122, 'brexit they': 139525, 'then attempt': 877011, 'spin their': 789398, 'out aided': 625590, 'aided by': 39506, 'by sycophantic': 154196, 'sycophantic press': 830670, 'press and': 671004, 'and dumbed': 61799, 'dumbed down': 262132, 'down electorate': 256717, 'electorate only': 271094, 'only event': 610400, 'smash the': 775560, 'in for penny': 423022, 'for penny in': 324434, 'penny in for': 646616, 'in for pound': 423024, 'for pound the': 324661, 'pound the perfect': 667409, 'the perfect cover': 863534, 'perfect cover for': 651281, 'cover for nodeal': 212231, 'for nodeal brexit': 323896, 'nodeal brexit they': 566123, 'brexit they will': 139526, 'they will then': 883897, 'will then attempt': 995167, 'then attempt to': 877012, 'attempt to spin': 102261, 'to spin their': 915016, 'spin their way': 789399, 'their way out': 875158, 'way out aided': 969793, 'out aided by': 625591, 'aided by sycophantic': 39507, 'by sycophantic press': 154197, 'sycophantic press and': 830671, 'press and dumbed': 671005, 'and dumbed down': 61800, 'dumbed down electorate': 262133, 'down electorate only': 256718, 'electorate only event': 271095, 'only event that': 610401, 'event that will': 285083, 'that will smash': 847610, 'will smash the': 994877, 'poundland': 667418, 'needed washing': 556571, 'up liquid': 945326, 'liquid none': 494103, 'or poundland': 616663, 'poundland fortunately': 667419, 'fortunately got': 329913, 'shop stophoarding': 760851, 'needed washing up': 556572, 'washing up liquid': 967745, 'up liquid none': 945327, 'liquid none in': 494104, 'none in asda': 566575, 'in asda or': 420511, 'asda or poundland': 94963, 'or poundland fortunately': 616664, 'poundland fortunately got': 667420, 'fortunately got bottle': 329914, 'got bottle in': 358444, 'bottle in local': 136244, 'corner shop stophoarding': 203677, 'shop stophoarding london': 760852, 'impersonating': 418359, 'email impersonating': 272206, 'impersonating the': 418362, 'organization identified': 619386, 'commission report on': 188887, 'report on new': 712148, 'on new scam': 602382, 'new scam including': 559546, 'scam including fake': 740207, 'including fake email': 431956, 'fake email impersonating': 296615, 'email impersonating the': 272207, 'impersonating the world': 418363, 'health organization identified': 386722, 'organization identified by': 619387, 'consumer know': 197984, 'quarantined with': 692891, 'with exposed': 998345, 'or diagnosed': 614959, 'that 20': 842447, '20 increase': 13107, 'from engine': 335284, 'engine insight': 276938, 'insight also': 439499, 'also reveals': 48796, 'growing impact': 367205, 'consumer ai': 196130, 'ai ad': 39290, 'ad cx': 31087, '34 of consumer': 17823, 'of consumer know': 581750, 'consumer know someone': 197985, 'ha been quarantined': 369886, 'been quarantined with': 121761, 'quarantined with exposed': 692892, 'with exposed to': 998346, 'exposed to or': 292902, 'to or diagnosed': 911049, 'or diagnosed with': 614960, '19 that 20': 11147, 'that 20 increase': 842448, '20 increase in': 13108, 'increase in just': 432842, 'one week this': 607419, 'week this week': 977051, 'this week report': 891258, 'week report from': 976811, 'report from engine': 711976, 'from engine insight': 335285, 'engine insight also': 276939, 'insight also reveals': 439500, 'also reveals the': 48797, 'reveals the growing': 720351, 'the growing impact': 856881, 'growing impact of': 367206, 'on consumer ai': 600024, 'consumer ai ad': 196131, 'ai ad cx': 39291, 'dakakeena': 225069, 'dakakeena is': 225070, '1st online': 12773, 'in mosul': 425472, 'mosul they': 543034, 'offering delivering': 595064, 'stuff home': 815090, 'reduce gathering': 705842, 'gathering enhance': 344458, 'enhance social': 277082, 'distancing mosul2020': 247341, 'mosul2020 stayhome': 543039, 'stayathome socialdistanacing': 797616, 'socialdistanacing mosul2020': 780077, 'dakakeena is the': 225071, 'is the 1st': 452715, 'the 1st online': 847973, '1st online shopping': 12774, 'store in mosul': 808346, 'in mosul they': 425473, 'mosul they are': 543035, 'are offering delivering': 88661, 'offering delivering food': 595065, 'delivering food stuff': 233495, 'food stuff home': 316892, 'stuff home to': 815091, 'home to reduce': 402337, 'to reduce gathering': 913024, 'reduce gathering enhance': 705843, 'gathering enhance social': 344459, 'enhance social distancing': 277083, 'social distancing mosul2020': 779666, 'distancing mosul2020 stayhome': 247342, 'mosul2020 stayhome stayathome': 543040, 'stayhome stayathome socialdistanacing': 798135, 'stayathome socialdistanacing mosul2020': 797617, 'feel strongly': 302864, 'strongly that': 814245, 'to testkits': 916408, 'testkits asap': 839696, 'basis until': 112285, 'available dontbeaspreader': 104328, 'store worker feel': 811496, 'worker feel strongly': 1006921, 'feel strongly that': 302865, 'strongly that the': 814246, 'that the employee': 846716, 'the employee truck': 854270, 'manager of all': 512756, 'should have access': 766060, 'access to testkits': 28288, 'to testkits asap': 916409, 'testkits asap and': 839697, 'asap and be': 94858, 'and be tested': 58771, 'tested for on': 839307, 'for on regular': 324066, 'regular basis until': 707744, 'basis until vaccine': 112286, 'is available dontbeaspreader': 445914, 'heart can': 388279, 'help healthcare': 389850, 'literally risking': 495066, 'risking everything': 724067, 'save realize': 737625, 'realize they': 701875, 'human not': 410575, 'not robot': 571396, 'robot overworked': 724800, 'overworked understaffed': 631797, 'understaffed stay': 940575, 'my heart can': 548652, 'heart can we': 388280, 'also have family': 48329, 'have family but': 380579, 'family but we': 297675, 'we cannot stay': 971083, 'home be responsible': 400775, 'responsible and stay': 716003, 'home because can': 400779, 'because can help': 118977, 'can help healthcare': 158623, 'help healthcare worker': 389851, 'worker are literally': 1006403, 'are literally risking': 87839, 'literally risking everything': 495067, 'risking everything to': 724068, 'everything to save': 288059, 'to save realize': 913790, 'save realize they': 737626, 'realize they are': 701876, 'are human not': 87270, 'human not robot': 410576, 'not robot overworked': 571397, 'robot overworked understaffed': 724801, 'overworked understaffed stay': 631798, 'understaffed stay at': 940576, 'leeway': 485364, 'top philippine': 925661, 'philippine bank': 654726, 'have offered': 381757, 'offered grace': 594924, 'enterprise loan': 278457, 'loan client': 497410, 'client giving': 182039, 'them leeway': 875974, 'leeway during': 485365, 'luzon amid': 506998, 'top philippine bank': 925662, 'philippine bank have': 654727, 'bank have offered': 109895, 'have offered grace': 381758, 'offered grace period': 594925, 'and small and': 71773, 'medium enterprise loan': 527090, 'enterprise loan client': 278458, 'loan client giving': 497411, 'client giving them': 182040, 'giving them leeway': 351422, 'them leeway during': 875975, 'leeway during the': 485366, 'month long lockdown': 537835, 'long lockdown of': 501522, 'lockdown of luzon': 499717, 'of luzon amid': 586084, 'luzon amid the': 506999, 'grain we': 361809, 'have bumper': 379856, 'bumper rabi': 142589, 'rabi harvest': 695149, 'our estimate': 622930, 'year union': 1015063, 'paswan stayhome': 643909, 'shortage of grain': 765114, 'of grain we': 584299, 'grain we now': 361810, 'now have bumper': 574869, 'have bumper rabi': 379857, 'bumper rabi harvest': 142590, 'rabi harvest and': 695150, 'harvest and our': 378605, 'and our estimate': 68486, 'our estimate is': 622931, 'estimate is that': 282251, 'will have adequate': 993611, 'have adequate stock': 379131, 'adequate stock for': 32185, 'stock for up': 802178, 'up to two': 946442, 'two year union': 937413, 'year union minister': 1015064, 'union minister ram': 941910, 'vila paswan stayhome': 957304, 'well work': 978767, 'down no': 256984, 'obviously on': 578844, 'reduced wage': 706211, 'wage still': 963951, 'haven spotted': 383900, 'but baked': 145258, 'all gloom': 42934, 'well work ha': 978768, 'work ha closed': 1005229, 'closed down no': 183080, 'down no idea': 256985, 'no idea when': 564472, 'idea when we': 413240, 'back in and': 107079, 'in and obviously': 420378, 'and obviously on': 67945, 'obviously on reduced': 578845, 'on reduced wage': 603117, 'reduced wage still': 706212, 'wage still haven': 963952, 'still haven spotted': 800676, 'haven spotted any': 383901, 'spotted any toilet': 790180, 'any toilet roll': 79984, 'aisle but baked': 40223, 'but baked bean': 145259, 'baked bean are': 108760, 'bean are in': 118296, 'are in plentiful': 87424, 'in plentiful supply': 426806, 'plentiful supply if': 660900, 'supply if that': 825386, 'if that your': 414948, 'that your thing': 847779, 'your thing so': 1026143, 'thing so it': 884754, 'not all gloom': 568107, 'employee pharmacy': 274116, 'pharmacy clerk': 654278, 'clerk mail': 181731, 'carrier courier': 164965, 'courier cleaning': 211799, 'line helping': 493165, 'appreciate and will': 82712, 'forget the work': 329309, 'work of our': 1005519, 'store employee pharmacy': 807523, 'employee pharmacy clerk': 274117, 'pharmacy clerk mail': 654280, 'clerk mail carrier': 181732, 'mail carrier courier': 508577, 'carrier courier cleaning': 164966, 'courier cleaning crew': 211800, 'crew and others': 216681, 'front line helping': 338582, 'line helping through': 493167, 'these you': 881003, 'of bidet': 580694, 'bidet europe': 129560, 'europe bidet': 283408, 'it time like': 461696, 'like these you': 491444, 'these you understand': 881004, 'value of bidet': 952157, 'of bidet europe': 580695, 'bidet europe bidet': 129561, 'europe bidet toiletpaper': 283409, 'required new': 713380, 'essential flour': 281033, 'amp pulse': 54351, 'pulse pet': 688992, 'home cleaner': 400899, 'baby grooming': 106633, 'grooming and': 366422, 'is required new': 451451, 'required new stock': 713381, 'new stock available': 559658, 'stock available for': 801896, 'available for daily': 104365, 'daily essential flour': 224597, 'essential flour amp': 281034, 'flour amp pulse': 311062, 'amp pulse pet': 54352, 'pulse pet supply': 688993, 'pet supply food': 653464, 'supply food product': 825252, 'food product home': 316023, 'product home cleaner': 681263, 'home cleaner baby': 400900, 'cleaner baby grooming': 180756, 'baby grooming and': 106634, 'grooming and more': 366423, 'and more click': 67158, 'reveals real': 720341, 'world behavioral': 1009353, 'massive consumer study': 519992, 'consumer study reveals': 199173, 'study reveals real': 814953, 'reveals real world': 720342, 'real world behavioral': 701464, 'world behavioral impact': 1009354, '19 across industry': 4793, 'bo jo': 133607, 'jo only': 465579, 'his press': 397724, 'gone online': 356348, 'shopping crazy': 762418, 'crazy only': 215367, 'check when': 174708, 'slot wa': 774289, 'bo jo only': 133608, 'jo only gave': 465580, 'only gave his': 610500, 'gave his press': 344624, 'his press conference': 397725, 'press conference about': 671026, 'conference about minute': 193717, 'about minute ago': 25735, 'minute ago and': 533718, 'and it appears': 65484, 'appears that everyone': 82206, 'ha gone online': 370730, 'gone online shopping': 356349, 'online shopping crazy': 609081, 'shopping crazy only': 762419, 'crazy only wanted': 215368, 'wanted to check': 966247, 'to check when': 902698, 'check when the': 174709, 'delivery slot wa': 234546, 'rubbed': 726925, 'reminder on': 710577, 'store picking': 809556, 'up tp': 946477, 'such when': 816869, 'when saw': 983954, 'saw homeless': 738138, 'homeless man': 402756, 'well approached': 978032, 'approached him': 83005, 'wa anything': 961559, 'he needed': 385248, 'needed he': 556382, 'sign nothing': 769151, 'and rubbed': 70614, 'rubbed tear': 726926, 'tear from': 835945, 'reminder on covid': 710578, 'grocery store picking': 365659, 'store picking up': 809557, 'picking up tp': 655892, 'up tp and': 946478, 'tp and such': 927747, 'and such when': 72655, 'such when saw': 816870, 'when saw homeless': 983955, 'saw homeless man': 738139, 'homeless man who': 402757, 'who wa clearly': 989904, 'wa clearly not': 961824, 'clearly not feeling': 181531, 'not feeling well': 569395, 'feeling well approached': 303106, 'well approached him': 978033, 'approached him and': 83006, 'him and asked': 396536, 'and asked if': 58435, 'asked if there': 95775, 'there wa anything': 879229, 'wa anything he': 961560, 'anything he needed': 80780, 'he needed he': 385249, 'needed he had': 556383, 'had no sign': 373338, 'no sign nothing': 565509, 'sign nothing he': 769152, 'nothing he looked': 573036, 'me for and': 522745, 'for and rubbed': 319340, 'and rubbed tear': 70615, 'rubbed tear from': 726927, 'tear from his': 835946, 'from his eye': 335813, '19 shopper': 10480, 'forever retailtrends': 329144, 'covid 19 shopper': 213788, '19 shopper will': 10482, 'maybe forever retailtrends': 521683, 'haven tweeted': 383917, 'tweeted about': 936433, 'the subject': 868353, 'subject but': 815727, 'me say': 523421, 'or stacking': 617194, 'just support': 469931, 'support adequate': 826328, 'adequate compensation': 32160, 'compensation that': 191576, 'that reflects': 845981, 'reflects that': 706686, 'haven tweeted about': 383918, 'tweeted about at': 936434, 'about at all': 24835, 'all because not': 42151, 'because not an': 119283, 'not an expert': 568197, 'an expert on': 55972, 'on the subject': 604390, 'the subject but': 868354, 'subject but let': 815728, 'but let me': 146264, 'let me say': 486910, 'me say thank': 523422, 'you for continuing': 1018630, 'work for in': 1005154, 'for in hospital': 322511, 'hospital or stacking': 404546, 'or stacking food': 617195, 'stacking food in': 792036, 'supermarket we owe': 823750, 'owe you and': 631829, 'you and you': 1017014, 'and you deserve': 76010, 'you deserve more': 1018185, 'than just support': 840820, 'just support adequate': 469932, 'support adequate compensation': 826329, 'adequate compensation that': 32161, 'compensation that reflects': 191577, 'that reflects that': 845982, 'despite plea': 238819, 'now everything': 574636, 'from green': 335693, 'green to': 363709, 'mustard is': 547023, 'sold how': 781677, 'still panic shopping': 801023, 'shopping in richmond': 762986, 'richmond despite plea': 721360, 'despite plea not': 238820, 'not to stop': 572194, 'stop and now': 804453, 'and now everything': 67830, 'now everything from': 574637, 'everything from green': 287802, 'from green to': 335694, 'green to mustard': 363710, 'to mustard is': 910367, 'mustard is being': 547024, 'being sold how': 125832, 'sold how are': 781678, 'be expected to': 114733, 'expected to isolate': 290985, 'to isolate if': 908538, 'isolate if there': 454873, 'be 26': 113422, '00 who': 597, '00 then': 523, 'then 26': 876957, 'more followed': 539233, 'going until': 355772, 'rate drop': 697201, 'system meet': 831243, 'actually it will': 30854, 'not be 26': 568346, 'be 26 00': 113423, '26 00 who': 16126, '00 who are': 598, 'to die it': 904275, 'die it will': 241386, 'will be 26': 992337, '26 00 then': 16125, '00 then 26': 524, 'then 26 00': 876958, '26 00 more': 16122, '00 more followed': 342, 'more followed by': 539234, 'followed by 26': 312596, 'by 26 00': 151616, '26 00 others': 16123, '00 others keep': 399, 'others keep going': 621506, 'keep going until': 471553, 'going until the': 355773, 'until the infection': 943858, 'the infection rate': 858228, 'infection rate drop': 436822, 'rate drop to': 697202, 'drop to point': 260428, 'point where the': 662703, 'where the health': 985230, 'care system meet': 164225, 'system meet the': 831244, 'the need what': 861401, 'what will that': 982609, 'will that do': 995122, 'that do to': 843573, 'do to share': 250404, 'algeria face': 41636, 'social turmoil': 779993, 'turmoil if': 935620, 'fall expert': 296905, 'dependent country': 237360, 'face year': 294868, 'popular protest': 664587, 'protest political': 685923, 'algeria face economic': 41637, 'and social turmoil': 71899, 'social turmoil if': 779994, 'turmoil if oil': 935622, 'to fall expert': 905631, 'fall expert warn': 296906, 'expert warn the': 292016, 'warn the oil': 966971, 'oil dependent country': 596750, 'dependent country face': 237361, 'country face year': 210637, 'face year of': 294869, 'year of popular': 1014788, 'of popular protest': 588232, 'popular protest political': 664588, 'protest political upheaval': 685925, 'upheaval and now': 947551, 'deffeyes': 232216, '2006': 13622, 'groundwork': 366583, 'read deffeyes': 700323, 'deffeyes book': 232217, 'book beyond': 134485, 'beyond oil': 129210, 'oil pub': 597382, 'in 2006': 419751, '2006 wanted': 13623, 'to compare': 903112, 'compare his': 191395, 'his prediction': 397722, 'prediction today': 669675, 'today cheap': 919368, 'price his': 674550, 'his focus': 397439, 'on tech': 603890, 'tech aspect': 836041, 'aspect laid': 96212, 'laid solid': 479043, 'solid groundwork': 781916, 'groundwork to': 366584, 'discus alternative': 244824, 'alternative today': 49278, 'today low': 919842, 'are political': 89137, 'political aside': 663633, '19 caused': 5722, 'global reduced': 352165, 'reduced consumption': 706045, 'read deffeyes book': 700324, 'deffeyes book beyond': 232218, 'book beyond oil': 134486, 'beyond oil pub': 129211, 'oil pub in': 597383, 'pub in 2006': 687715, 'in 2006 wanted': 419752, '2006 wanted to': 13624, 'wanted to compare': 966248, 'to compare his': 903113, 'compare his prediction': 191396, 'his prediction today': 397723, 'prediction today cheap': 669676, 'today cheap oil': 919369, 'oil price his': 597159, 'price his focus': 674551, 'his focus on': 397440, 'focus on tech': 311899, 'on tech aspect': 603891, 'tech aspect laid': 836042, 'aspect laid solid': 96213, 'laid solid groundwork': 479044, 'solid groundwork to': 781917, 'groundwork to discus': 366585, 'to discus alternative': 904371, 'discus alternative today': 244825, 'alternative today low': 49279, 'today low price': 919843, 'price are political': 672715, 'are political aside': 89138, 'political aside from': 663634, 'aside from covid': 95415, 'covid 19 caused': 212769, '19 caused global': 5723, 'caused global reduced': 167889, 'global reduced consumption': 352166, '19 status': 10793, 'status phone': 796689, 'are active': 84201, 'active retail': 30285, 'covid 19 status': 213859, '19 status phone': 10794, 'status phone order': 796690, 'phone order and': 654992, 'order and operation': 618032, 'and operation are': 68185, 'operation are active': 613139, 'are active retail': 84202, 'active retail store': 30286, 'buyer amp': 149552, 'amp hoarder': 53950, 'meeting for': 527697, 'date the': 226734, 'pub amp': 687657, 'who steal': 989670, 'steal sanitizer': 799198, 'from donation': 335195, 'selfishness amp': 748326, 'amp indifference': 53985, 'indifference frighten': 435071, 'frighten me': 334042, 'panic buyer amp': 637553, 'buyer amp hoarder': 149553, 'amp hoarder the': 53951, 'hoarder the family': 399119, 'the family meeting': 854897, 'family meeting for': 298020, 'meeting for play': 527698, 'play date the': 659135, 'date the people': 226735, 'people who still': 650342, 'who still go': 989675, 'go to pub': 354342, 'to pub amp': 912466, 'pub amp restaurant': 687658, 'amp restaurant amp': 54399, 'restaurant amp those': 716266, 'amp those who': 54702, 'those who steal': 892675, 'who steal sanitizer': 989671, 'steal sanitizer from': 799199, 'from hospital amp': 335944, 'hospital amp food': 404272, 'amp food from': 53822, 'food from donation': 314602, 'from donation box': 335196, 'box than of': 137175, 'than of selfishness': 840962, 'of selfishness amp': 589485, 'selfishness amp indifference': 748327, 'amp indifference frighten': 53986, 'indifference frighten me': 435072, 'please coronavirus': 659859, 'time for panic': 896738, 'buying to stop': 151243, 'to stop please': 915555, 'stop please coronavirus': 804920, 'please coronavirus minister': 659860, 'me publix': 523361, 'publix doe': 688752, 'is air': 445431, 'air they': 39795, 'help me publix': 390074, 'me publix grocery': 523362, 'said publix doe': 731323, 'publix doe not': 688753, 'doe not allow': 251472, 'not allow cashier': 568137, 'mask we are': 519508, 'are following guideline': 86623, 'following guideline help': 312747, 'pandemic is air': 635754, 'is air they': 445432, 'air they need': 39796, 'to change now': 902611, 'change now and': 172189, 'now and protect': 574052, 'protect the cashier': 684965, 'the cashier with': 850502, 'flavouring': 310254, 'kidda': 474196, 'juscome': 468087, 'worryin': 1010807, 'viking': 957293, 'shortagez': 765320, 'never like': 558104, 'these more': 880313, 'more exposure': 539188, 'exposure just': 292982, 'buy tablet': 149272, 'tablet ffs': 831522, 'ffs add': 304291, 'some flavouring': 782839, 'flavouring there': 310255, 'there ya': 879383, 'ya go': 1013996, 'go kidda': 353786, 'kidda new': 474197, 'new flavor': 558743, 'flavor juscome': 310240, 'juscome out': 468088, 'more worryin': 541019, 'worryin thing': 1010808, 'now ffs': 574681, 'ffs cannot': 304295, 'book shopping': 134593, 'visit viking': 959424, 'viking online': 957294, 'no shortagez': 565502, 'shortagez there': 765321, 'will never like': 994168, 'never like these': 558105, 'like these more': 491436, 'these more exposure': 880314, 'more exposure just': 539189, 'exposure just buy': 292983, 'just buy tablet': 468384, 'buy tablet ffs': 149273, 'tablet ffs add': 831523, 'ffs add some': 304292, 'add some flavouring': 31489, 'some flavouring there': 782840, 'flavouring there ya': 310256, 'there ya go': 879384, 'ya go kidda': 1013998, 'go kidda new': 353787, 'kidda new flavor': 474198, 'new flavor juscome': 558744, 'flavor juscome out': 310241, 'juscome out are': 468089, 'out are there': 625727, 'there more worryin': 878770, 'more worryin thing': 541020, 'worryin thing right': 1010809, 'right now ffs': 722062, 'now ffs cannot': 574682, 'ffs cannot even': 304296, 'cannot even book': 161788, 'even book shopping': 283901, 'book shopping people': 134595, 'shopping people visit': 763621, 'people visit viking': 650094, 'visit viking online': 959425, 'viking online no': 957295, 'online no shortagez': 608582, 'no shortagez there': 565503, 'fall amid chaos': 296819, 'rather how': 697472, 'that country': 843377, 'put men': 690688, 'men on': 528513, 'moon cannot': 538328, 'it health': 458514, 'care frontline': 163966, 'dan rather how': 225545, 'rather how is': 697473, 'it that country': 461487, 'that country that': 843378, 'country that can': 211108, 'that can put': 843117, 'can put men': 159352, 'put men on': 690689, 'men on the': 528514, 'the moon cannot': 860868, 'moon cannot get': 538329, 'cannot get enough': 161884, 'get enough mask': 346940, 'enough mask and': 277515, 'mask and gown': 518331, 'and gown for': 63896, 'gown for it': 361377, 'for it health': 322712, 'it health care': 458515, 'health care frontline': 386233, 'care frontline worker': 163967, 'is menace': 449628, 'menace to': 528572, 'global society': 352202, 'is shocking': 451866, 'shocking that': 759626, 'only 13': 609973, '13 of': 3244, 'iot company': 444471, 'have policy': 381994, 'policy download': 663384, 'is menace to': 449629, 'menace to global': 528573, 'to global society': 906747, 'global society in': 352203, 'society in we': 781247, 'in we also': 430728, 'also need good': 48549, 'need good hygiene': 554917, 'good hygiene measure': 357199, 'measure so it': 525337, 'it is shocking': 459076, 'is shocking that': 451867, 'shocking that only': 759627, 'that only 13': 845518, 'only 13 of': 609974, '13 of consumer': 3245, 'of consumer iot': 581747, 'consumer iot company': 197928, 'iot company have': 444472, 'company have policy': 190740, 'have policy download': 381995, 'policy download our': 663385, 'latest research for': 481531, 'research for free': 713720, 'plundered': 661400, 'britain developing': 140394, 'country plundered': 210962, 'plundered by': 661401, 'capitalist military': 162809, 'military clique': 531451, 'scene uk': 741366, 'sanitiser it': 733983, 'replenish supply': 711650, 'supply brexit': 824857, 'deadlier for': 229199, 'britain than': 140452, 'britain developing country': 140395, 'developing country plundered': 239774, 'country plundered by': 210963, 'plundered by capitalist': 661402, 'by capitalist military': 152067, 'capitalist military clique': 162810, 'military clique shocking': 531452, 'shocking scene uk': 759617, 'scene uk supermarket': 741367, 'were stripped of': 980187, 'stripped of toilet': 813870, 'even flour and': 284067, 'flour and sanitiser': 311070, 'and sanitiser it': 70832, 'sanitiser it took': 733984, 'to replenish supply': 913259, 'replenish supply brexit': 711651, 'supply brexit could': 824858, 'be deadlier for': 114344, 'deadlier for britain': 229200, 'for britain than': 319801, 'britain than covid': 140453, 'person 55': 652292, '55 or': 20407, 'early store': 264706, 'opening helpingothers': 612840, 'week for person': 976234, 'for person 55': 324492, 'person 55 or': 652293, '55 or disabled': 20408, 'early for an': 264606, 'for an early': 319275, 'an early store': 55543, 'early store opening': 264707, 'store opening helpingothers': 809278, '19 brand': 5433, 'normal economy': 567143, 'covid 19 brand': 212724, '19 brand are': 5434, 'brand are preparing': 137749, 'preparing for new': 670331, 'for new normal': 323828, 'new normal economy': 559151, 'store next': 809069, 'next putting': 561525, 'putting staff': 691220, 'at unnecessary': 101408, 'by hosting': 152834, 'hosting clothing': 404950, 'clothing sale': 184287, 'staff currently': 792343, 'currently preparing': 221637, 'preparing the': 670357, 'disgusting attitude': 245393, 'next send': 561537, 'staff home': 792533, 'pay uklockdown': 645203, 'retail store next': 718667, 'store next putting': 809070, 'next putting staff': 561526, 'putting staff and': 691221, 'customer at unnecessary': 222148, 'at unnecessary risk': 101409, 'unnecessary risk by': 942930, 'risk by hosting': 723438, 'by hosting clothing': 152835, 'hosting clothing sale': 404951, 'clothing sale in': 184288, 'sale in store': 732305, 'in store staff': 428459, 'store staff currently': 810308, 'staff currently preparing': 792345, 'currently preparing the': 221638, 'preparing the shop': 670358, 'shop floor for': 760172, 'floor for it': 310798, 'for it disgusting': 322703, 'it disgusting attitude': 457575, 'disgusting attitude from': 245394, 'attitude from next': 102557, 'from next send': 336577, 'next send your': 561538, 'send your staff': 749993, 'your staff home': 1025911, 'staff home with': 792534, 'home with full': 402524, 'full pay uklockdown': 340803, 'healthful': 387451, 'the academy': 848278, 'academy launched': 27780, '19 nutrition': 8872, 'nutrition resource': 577739, 'center featuring': 169193, 'featuring article': 301578, 'safety food': 730537, 'security senior': 744743, 'care healthful': 163985, 'healthful eating': 387452, 'eating recipe': 266297, 'the academy launched': 848280, 'academy launched consumer': 27781, 'launched consumer facing': 481977, 'consumer facing covid': 197437, 'covid 19 nutrition': 213496, '19 nutrition resource': 8873, 'nutrition resource center': 577740, 'resource center featuring': 714732, 'center featuring article': 169194, 'featuring article on': 301579, 'article on food': 94405, 'food safety food': 316269, 'safety food security': 730538, 'food security senior': 316366, 'security senior care': 744744, 'senior care healthful': 750241, 'care healthful eating': 163986, 'healthful eating recipe': 387453, 'eating recipe and': 266298, 'recipe and activity': 704440, 'and activity for': 57644, 'activity for kid': 30426, 'friday government': 333227, 'world pledged': 1009894, 'pledged huge': 660863, 'huge injection': 410073, 'rose on friday': 726087, 'on friday government': 601002, 'friday government around': 333228, 'the world pledged': 871938, 'world pledged huge': 1009895, 'pledged huge injection': 660864, 'huge injection of': 410074, 'injection of fund': 438704, 'of fund and': 584010, 'fund and other': 341360, 'and other measure': 68359, 'other measure to': 620518, 'limit the economic': 492509, 'pandemic despite fear': 635296, 'despite fear the': 238740, 'fear the outbreak': 301382, 'outbreak will destroy': 628825, 'will destroy demand': 993165, 'destroy demand for': 239008, 'your representative': 1025584, 'representative demand': 712894, 'here learn': 393290, 'farmer are getting': 299279, 'are getting sidelined': 86823, 'to call your': 902391, 'call your representative': 156265, 'your representative demand': 1025585, 'representative demand action': 712895, 'our petition here': 624329, 'petition here learn': 653610, 'here learn more': 393291, 'ccfa': 168422, 'from deloitte': 335128, 'deloitte and': 234801, 'china chain': 176552, 'store franchise': 807862, 'franchise association': 331063, 'association ccfa': 96949, 'ccfa explores': 168423, 'accelerate digital': 27844, 'transformation in': 929570, 'report from deloitte': 711973, 'from deloitte and': 335129, 'deloitte and the': 234802, 'and the china': 73281, 'the china chain': 850832, 'china chain store': 176553, 'chain store franchise': 171133, 'store franchise association': 807863, 'franchise association ccfa': 331064, 'association ccfa explores': 96950, 'ccfa explores how': 168424, 'explores how retailer': 292528, 'how retailer can': 408592, 'retailer can fight': 719058, 'can fight back': 158296, 'back against 19': 106831, 'against 19 and': 37299, '19 and accelerate': 4979, 'and accelerate digital': 57577, 'accelerate digital transformation': 27845, 'digital transformation in': 242673, 'transformation in response': 929571, 'outbreak stocking': 628659, 'stocking handsanitizer': 803567, 'this outbreak stocking': 889328, 'outbreak stocking handsanitizer': 628660, 'stocking handsanitizer for': 803568, 'bradford': 137538, 'hello your': 389259, 'your talking': 1026107, 'about sport': 26239, 'direct price': 243369, 'to bradford': 901978, 'bradford west': 137539, 'yorkshire see': 1016727, 'be amazed': 113578, 'how high': 407998, 'they match': 882657, 'match sport': 520299, 'direct bos': 243293, 'bos no': 135681, 'hello your talking': 389260, 'your talking about': 1026108, 'talking about sport': 833986, 'about sport direct': 26240, 'sport direct price': 789920, 'direct price come': 243370, 'price come to': 673191, 'come to bradford': 187559, 'to bradford west': 901979, 'bradford west yorkshire': 137540, 'west yorkshire see': 980556, 'yorkshire see the': 1016728, 'see the asian': 745811, 'the asian store': 848966, 'asian store price': 95350, 'store price you': 809650, 'price you be': 677690, 'you be amazed': 1017388, 'be amazed at': 113579, 'at how high': 99216, 'how high they': 407999, 'high they gone': 395470, 'they gone in': 882215, 'gone in covid': 356307, '19 they match': 11312, 'they match sport': 882658, 'match sport direct': 520300, 'sport direct bos': 789916, 'direct bos no': 243294, 'bos no humanity': 135682, 'localheroes': 498734, 'are clapping': 85285, 'support increasing': 826589, 'increasing minimum': 433635, 'them localheroes': 875994, 'localheroes socialdistancing': 498735, 'who are clapping': 988117, 'are clapping for': 85286, 'clapping for delivery': 180042, 'store worker how': 811526, 'worker how many': 1007147, 'to support increasing': 915940, 'support increasing minimum': 826590, 'increasing minimum wage': 433636, 'minimum wage for': 533231, 'wage for them': 963867, 'for them localheroes': 326906, 'them localheroes socialdistancing': 875995, 'greadybusiness': 362471, 'disgusting increasing': 245420, 'increasing broadband': 433556, 'tv price': 936155, 'when ppl': 983899, 'ppl relying': 668314, 'these much': 880323, 'much never': 545175, 'they ought': 882849, 'ought offering': 621941, 'offering extended': 595091, 'extended service': 293183, 'charge like': 173279, 'kid channel': 473900, 'channel free': 172884, 'long school': 501615, 'shut shameless': 767923, 'shameless lockdown': 754724, 'pandemic greadybusiness': 635509, 'disgusting increasing broadband': 245421, 'increasing broadband and': 433557, 'and tv price': 74541, 'tv price when': 936156, 'price when ppl': 677488, 'when ppl relying': 983900, 'ppl relying on': 668315, 'relying on these': 709683, 'on these much': 604571, 'these much never': 880324, 'much never before': 545176, 'never before they': 557916, 'before they ought': 123218, 'they ought offering': 882850, 'ought offering extended': 621942, 'offering extended service': 595092, 'extended service free': 293184, 'of charge like': 581286, 'charge like kid': 173280, 'like kid channel': 490608, 'kid channel free': 473901, 'channel free for': 172885, 'free for long': 331845, 'for long school': 323086, 'long school are': 501616, 'are shut shameless': 90092, 'shut shameless lockdown': 767924, 'shameless lockdown pandemic': 754725, 'lockdown pandemic greadybusiness': 499764, 'via what': 956368, 'via what can': 956369, 'itsallowed': 463901, 'day11': 228841, 'lockdownespa': 500268, '11 flooding': 2526, 'flooding moron': 310752, 'anxiety gin': 78708, 'gin itsallowed': 350175, 'itsallowed day11': 463902, 'day11 lockdownespa': 228842, 'day 11 flooding': 227094, '11 flooding moron': 2527, 'flooding moron and': 310753, 'moron and supermarket': 541579, 'and supermarket anxiety': 72703, 'supermarket anxiety gin': 819123, 'anxiety gin itsallowed': 78709, 'gin itsallowed day11': 350176, 'itsallowed day11 lockdownespa': 463903, 'nrma': 576640, 'dear prime': 229856, 'minister nrma': 533418, 'nrma ha': 576643, 'insurance they': 440821, '19 nrma': 8865, 'nrma can': 576641, 'dear prime minister': 229857, 'prime minister nrma': 678152, 'minister nrma ha': 533419, 'nrma ha also': 576644, 'also increased price': 48415, 'price for car': 673935, 'for car insurance': 319932, 'car insurance they': 163149, 'insurance they should': 440822, 'not increase for': 570120, 'increase for month': 432783, 'covid 19 nrma': 213492, '19 nrma can': 8866, 'nrma can also': 576642, 'can also help': 157460, 'also help of': 48348, 'help of people': 390166, 'at this crucial': 101231, 'this crucial time': 887130, 'drip': 258958, 'being drip': 125082, 'drip fed': 258963, 'fed towards': 301914, 'towards total': 927271, 'medium turning': 527340, 'turning neighbour': 935935, 'neighbour against': 557179, 'irresponsible the': 445077, 'angry need': 76483, 'supermarket riot': 822250, 'riot that': 722622, 'got total': 358985, 'come that': 187520, 're being drip': 698357, 'being drip fed': 125083, 'drip fed towards': 258965, 'fed towards total': 301915, 'towards total lockdown': 927272, 'total lockdown the': 926191, 'lockdown the medium': 500010, 'the medium turning': 860447, 'medium turning neighbour': 527341, 'turning neighbour against': 935936, 'neighbour against each': 557180, 'other for being': 620253, 'for being irresponsible': 319633, 'being irresponsible the': 125342, 'irresponsible the angry': 445078, 'the angry need': 848740, 'angry need to': 76484, 'calm down or': 156722, 'down or it': 257059, 'or it ll': 615846, 'be the supermarket': 117662, 'the supermarket riot': 868778, 'supermarket riot that': 822251, 'riot that kill': 722623, 'that kill more': 844823, 'kill more than': 474452, '19 we still': 11953, 'we still got': 973405, 'still got total': 800607, 'got total lockdown': 358986, 'total lockdown to': 926192, 'lockdown to come': 500049, 'to come that': 903049, 'come that the': 187522, 'toiletpaper solution': 922498, 'toiletpaper solution for': 922499, 'for all use': 319183, 'shawnee': 755825, 'in shawnee': 427870, 'shawnee ok': 755826, 'gas price today': 344041, 'price today in': 677070, 'today in shawnee': 919691, 'in shawnee ok': 427871, 'two kid': 936987, 'so 2x': 776451, '2x value': 16905, 'value incorporate': 952134, 'incorporate more': 432614, 'fun activity': 341123, 'activity among': 30370, 'among more': 53025, 'activity each': 30419, 'day yoga': 228812, 'yoga outdoor': 1016487, 'outdoor game': 628896, 'the yard': 872139, 'yard also': 1014152, 'to have two': 907332, 'have two kid': 383441, 'two kid so': 936989, 'kid so 2x': 474110, 'so 2x value': 776452, '2x value incorporate': 16906, 'value incorporate more': 952135, 'incorporate more fun': 432615, 'more fun activity': 539323, 'fun activity among': 341124, 'activity among more': 30371, 'among more structured': 53026, 'structured activity each': 814318, 'activity each day': 30420, 'each day yoga': 264057, 'day yoga outdoor': 228813, 'yoga outdoor game': 1016488, 'outdoor game in': 628897, 'game in the': 343188, 'in the yard': 429697, 'the yard also': 872140, 'yard also essential': 1014153, 'never noticed': 558132, 'people worked': 650510, 'sad and': 729146, 'danger because': 225635, 'buyer quarantine': 149732, 'quarantine panickbuying': 692427, 'until this week': 943905, 'this week never': 891236, 'week never noticed': 976562, 'never noticed how': 558133, 'noticed how many': 573443, 'how many older': 408277, 'many older people': 514413, 'older people worked': 598668, 'people worked at': 650511, 'very sad and': 955484, 'sad and they': 729147, 'they should get': 883367, 'should get paid': 766030, 'sick leave their': 768506, 'leave their life': 484984, 'their life should': 873845, 'life should not': 489043, 'not be put': 568439, 'put in danger': 690614, 'in danger because': 421969, 'danger because of': 225636, 'panic buyer quarantine': 637599, 'buyer quarantine panickbuying': 149733, 'frederickrealestate': 331598, 'mdrealestate': 522316, 'homeforsale': 402697, 'homeownership': 402896, 'buyahome': 149504, 'housing report': 407144, 'showing what': 767560, 'others expected': 621389, 'expected greater': 290899, 'greater squeeze': 363239, 'squeeze on': 791539, 'on inventory': 601610, 'inventory continued': 443651, 'continued buyer': 201304, 'demand rising': 236157, 'price yoy': 677706, 'yoy frederickrealestate': 1026950, 'frederickrealestate frederick': 331599, 'frederick frederickmd': 331591, 'frederickmd mdrealestate': 331596, 'mdrealestate homeforsale': 522317, 'homeforsale homeownership': 402698, 'homeownership buyahome': 402897, 'buyahome realestateinvesting': 149505, 'march housing report': 515387, 'housing report showing': 407145, 'report showing what': 712259, 'showing what many': 767561, 'what many others': 981853, 'many others expected': 514449, 'others expected greater': 621390, 'expected greater squeeze': 290900, 'greater squeeze on': 363240, 'squeeze on inventory': 791540, 'on inventory continued': 601611, 'inventory continued buyer': 443652, 'continued buyer demand': 201305, 'buyer demand rising': 149626, 'demand rising price': 236158, 'rising price yoy': 723274, 'price yoy frederickrealestate': 677707, 'yoy frederickrealestate frederick': 1026951, 'frederickrealestate frederick frederickmd': 331600, 'frederick frederickmd mdrealestate': 331592, 'frederickmd mdrealestate homeforsale': 331597, 'mdrealestate homeforsale homeownership': 522318, 'homeforsale homeownership buyahome': 402699, 'homeownership buyahome realestateinvesting': 402898, '19 victoria': 11770, 'victoria news': 956539, 'covid 19 victoria': 214028, '19 victoria news': 11771, 'message am': 529257, 'nh consultant': 561928, 'are desperately': 85796, 'this equipment': 887407, 'equipment thank': 279839, 'please retweet this': 660414, 'retweet this message': 720086, 'this message am': 888837, 'message am an': 529258, 'an nh consultant': 56520, 'nh consultant and': 561929, 'consultant and we': 195862, 'we are desperately': 970524, 'are desperately in': 85797, 'need of this': 555346, 'of this equipment': 591969, 'this equipment thank': 887408, 'equipment thank you': 279840, 'via coronoavirus': 955891, 'coronoavirus 19': 207147, 'shelf coronavirus via': 756968, 'coronavirus via coronoavirus': 207014, 'via coronoavirus 19': 955892, 'coronoavirus 19 supermarket': 207148, '19 supermarket health': 10953, 'supermarket health staff': 820732, 'health staff nh': 386867, 'in tough': 430238, 'selfless doctor': 748525, 'employee employee': 273817, 'employee manufacturing': 274032, 'manufacturing needed': 513632, 'in tough time': 430239, 'tough time it': 926856, 'remember that we': 710295, 'we are we': 970759, 'are we must': 91578, 'we must take': 972444, 'must take moment': 546941, 'take moment and': 832329, 'moment and thank': 535878, 'thank the selfless': 841647, 'the selfless doctor': 866680, 'selfless doctor nurse': 748526, 'truck driver postal': 932791, 'supermarket employee employee': 820119, 'employee employee manufacturing': 273818, 'employee manufacturing needed': 274033, 'manufacturing needed supply': 513633, 'needed supply and': 556503, 'supply and all': 824700, 'and all working': 57907, 'all working to': 45515, 'keep safe we': 471894, 'safe we battle': 730115, 'implmted': 418588, 'plenty please': 660992, 'further crowding': 342020, 'already implmted': 47459, 'implmted staggered': 418589, 'staggered opening': 793246, 'city massive': 179253, 'massive data': 520003, 'preparation at': 670030, 'footing level': 318559, 'level is': 487599, 'stock are plenty': 801858, 'are plenty please': 89116, 'plenty please do': 660993, 'buy it could': 148851, 'lead to further': 483345, 'to further crowding': 906343, 'further crowding of': 342021, 'crowding of market': 219401, 'market and spread': 515991, 've already implmted': 952824, 'already implmted staggered': 47460, 'implmted staggered opening': 418590, 'staggered opening of': 793247, 'market in our': 516567, 'our city massive': 622376, 'city massive data': 179254, 'massive data collection': 520004, 'data collection and': 226179, 'collection and preparation': 186400, 'and preparation at': 69359, 'preparation at war': 670031, 'at war footing': 101492, 'war footing level': 966437, 'footing level is': 318560, 'level is on': 487600, 'attack during': 102103, 'federal trace': 302074, 'trace commission': 928126, 'safe from scam': 729699, 'from scam and': 337171, 'scam and phishing': 740011, 'phishing attack during': 654800, 'attack during the': 102104, 'the coronavirus check': 851818, 'coronavirus check out': 205646, 'post on scam': 666258, 'on scam from': 603327, 'the federal trace': 855082, 'federal trace commission': 302075, 'the whatever': 871419, 'whatever fine': 982752, 'fine 13': 307590, '13 that': 3269, 'problem these': 679712, 'asshole should': 96553, 'be stockpiled': 117375, 'stockpiled and': 803826, 'and bombarded': 59054, 'the rotten': 865993, 'rotten food': 726206, 'it the whatever': 461587, 'the whatever fine': 871420, 'whatever fine 13': 982753, 'fine 13 that': 307591, '13 that are': 3270, 'the problem these': 864526, 'problem these selfish': 679713, 'these selfish greedy': 880647, 'selfish greedy asshole': 748110, 'greedy asshole should': 363481, 'asshole should be': 96554, 'should be stockpiled': 765738, 'be stockpiled and': 117376, 'stockpiled and bombarded': 803827, 'and bombarded with': 59055, 'bombarded with the': 134200, 'with the rotten': 1001461, 'the rotten food': 865994, 'rotten food that': 726207, 'uisce': 938125, 'beatha': 118610, 'render': 710938, 'lifehacks': 489285, 'movie do': 544001, 'use irish': 949289, 'irish whiskey': 444899, 'whiskey uisce': 987785, 'uisce beatha': 938126, 'beatha like': 118611, 'sanitizer mostly': 735382, 'mostly because': 542936, 'too tempted': 925100, 'lick it': 488203, 'thus render': 895527, 'render it': 710939, 'it ineffective': 458784, 'ineffective lifehacks': 436291, 'regardless of what': 707327, 'you see in': 1021042, 'the movie do': 861103, 'movie do not': 544002, 'not use irish': 572357, 'use irish whiskey': 949290, 'irish whiskey uisce': 444900, 'whiskey uisce beatha': 987786, 'uisce beatha like': 938127, 'beatha like hand': 118612, 'hand sanitizer mostly': 375494, 'sanitizer mostly because': 735383, 'mostly because you': 542937, 'because you ll': 119871, 'll be too': 496640, 'be too tempted': 117766, 'too tempted to': 925101, 'tempted to lick': 837744, 'to lick it': 909237, 'lick it off': 488204, 'off and thus': 593650, 'and thus render': 74111, 'thus render it': 895528, 'render it ineffective': 710940, 'it ineffective lifehacks': 458785, 'ukretail': 939058, 'sport kit': 789941, 'kit online': 475608, 'store sportsdirect': 810287, 'sportsdirect retailnews': 790015, 'retail ukretail': 718823, 'of sport kit': 589992, 'sport kit online': 789942, 'kit online after': 475609, 'online after it': 607784, 'after it is': 35840, 'it is forced': 458956, 'close it store': 182695, 'it store sportsdirect': 461300, 'store sportsdirect retailnews': 810288, 'sportsdirect retailnews retail': 790016, 'retailnews retail ukretail': 719528, 'over situation': 630616, 'it claimed': 457145, 'claimed wa': 179892, 'wa liberal': 962530, 'liberal hoax': 488009, 'it ha come': 458387, 'this the is': 890525, 'the is advising': 858472, 'is advising everyone': 445368, 'two week over': 937349, 'week over situation': 976717, 'over situation it': 630617, 'situation it claimed': 772358, 'it claimed wa': 457146, 'claimed wa liberal': 179893, 'wa liberal hoax': 962531, 'another loving': 77708, 'loving denier': 505053, 'denier calling': 236968, 'it socialist': 461153, 'socialist hoax': 781013, 'hoax dy': 399717, 'and lysol': 66498, 'lysol you': 507210, 'need common': 554614, 'sense sense': 750588, 'direction faith': 243459, 'faith will': 296542, 'course gun': 211868, 'yet another loving': 1015994, 'another loving denier': 77709, 'loving denier calling': 505054, 'denier calling it': 236969, 'calling it socialist': 156592, 'it socialist hoax': 461154, 'socialist hoax dy': 781014, 'hoax dy of': 399718, 'dy of you': 263752, 'of you don': 593383, 'don need hand': 253760, 'paper and lysol': 639838, 'and lysol you': 66500, 'lysol you need': 507211, 'you need common': 1019975, 'need common sense': 554615, 'common sense sense': 189467, 'sense sense of': 750589, 'sense of direction': 750557, 'of direction faith': 582638, 'direction faith will': 243460, 'faith will to': 296543, 'will to fight': 995208, 'fight and of': 304655, 'of course gun': 582053, 'your existing': 1023711, 'consumer where': 199512, 'for emerging': 321024, 'emerging cpg': 273105, 'operation have': 613198, 'disrupted and': 246388, 'of your existing': 593467, 'your existing customer': 1023712, 'existing customer and': 290303, 'customer and meet': 222088, 'and meet your': 66934, 'meet your consumer': 527660, 'your consumer where': 1023327, 'consumer where they': 199513, 'they are right': 881391, 'are right now': 89696, 'right now this': 722157, 'true for emerging': 933084, 'for emerging cpg': 321025, 'emerging cpg brand': 273106, 'cpg brand at': 214583, 'brand at time': 137764, 'this when store': 891357, 'when store operation': 984084, 'store operation have': 809292, 'operation have been': 613199, 'been disrupted and': 121000, 'disrupted and consumer': 246389, 'and consumer uncertainty': 60440, 'consumer uncertainty is': 199413, 'uncertainty is high': 939708, 'if high': 414228, 'risk patient': 723815, 'not ve': 572385, 'had weak': 373787, 'lung since': 506800, 'wa child': 961812, 'child ve': 176245, 'risk indeed': 723633, 'indeed go': 433988, 'know if high': 476475, 'if high risk': 414229, 'high risk patient': 395368, 'risk patient or': 723816, 'patient or not': 644226, 'or not ve': 616319, 'not ve had': 572386, 've had weak': 953241, 'had weak lung': 373788, 'weak lung since': 974033, 'lung since wa': 506801, 'since wa child': 770968, 'wa child ve': 961813, 'child ve been': 176246, 'at risk indeed': 100372, 'risk indeed go': 723634, 'indeed go to': 433989, 'the supermarket lot': 868686, 'supermarket lot should': 821409, 'should be afraid': 765547, 'person ve': 652679, 'doing amazing': 252274, 'amazing thing': 50802, 'including looking': 432043, 'after older': 35980, 'only person ve': 610963, 'person ve spoken': 652680, 'to today went': 917618, 'went to meet': 979175, 'meet supermarket staff': 527578, 'who ve found': 989879, 've found themselves': 953144, 'found themselves at': 330421, '19 retail staff': 10206, 'retail staff are': 718593, 'are doing amazing': 85883, 'doing amazing thing': 252275, 'amazing thing including': 50804, 'thing including looking': 884448, 'including looking after': 432044, 'looking after older': 502780, 'after older people': 35981, 'if feeling': 414111, 'anxious next': 78858, 'them them': 876401, 'if feeling anxious': 414112, 'feeling anxious next': 302966, 'anxious next time': 78859, 'next time your': 561612, 'time your in': 898426, 'your in grocery': 1024463, 'store think of': 810688, 'work there thank': 1005834, 'there thank them': 879135, 'thank them them': 841662, 'them them on': 876402, 'them on your': 876097, 'on your way': 605511, 'breastfeeding': 139150, 'eldest daughter': 270976, 'daughter pregnant': 226898, 'pregnant breastfeeding': 669831, 'breastfeeding and': 139151, 'creating balloon': 215981, 'balloon garland': 109099, 'garland for': 343671, 'for postman': 324645, 'postman delivery': 666726, 'collector emergency': 186558, 'my eldest daughter': 548078, 'eldest daughter pregnant': 270977, 'daughter pregnant breastfeeding': 226899, 'pregnant breastfeeding and': 669832, 'breastfeeding and creating': 139152, 'and creating balloon': 60715, 'creating balloon garland': 215982, 'balloon garland for': 109100, 'garland for postman': 343672, 'for postman delivery': 324646, 'postman delivery driver': 666727, 'supermarket worker waste': 824115, 'waste collector emergency': 968096, 'collector emergency service': 186559, 'and more 19': 67137, 'callcenter': 156276, 'in callcenter': 421158, 'callcenter the': 156277, 'company still': 191117, 'im very': 416596, 'grandmother and': 361923, 'chile are': 176333, 'work in callcenter': 1005297, 'in callcenter the': 421159, 'callcenter the company': 156278, 'the company still': 851353, 'company still ha': 191118, 'still ha everyone': 800615, 'ha everyone working': 370535, 'the center and': 850594, 'center and im': 169155, 'and im very': 64983, 'im very worried': 416597, 'very worried about': 955671, '19 my grandmother': 8727, 'my grandmother and': 548549, 'grandmother and do': 361924, 'do the supermarket': 250268, 'here in chile': 393142, 'in chile are': 421379, 'chile are closing': 176334, 'closing and the': 183588, 'your reply': 1025572, 'reply yes': 711758, 'do agree': 249036, 'agree guess': 38605, 'guess consumer': 367970, 'consumer touch': 199345, 'point engagement': 662475, 'engagement and': 276888, 'and mode': 67098, 'mode will': 535219, 'change rapidly': 172237, 'rapidly post': 697008, 'for your reply': 328199, 'your reply yes': 1025574, 'reply yes do': 711759, 'yes do agree': 1015415, 'do agree guess': 249037, 'agree guess consumer': 38606, 'guess consumer touch': 367971, 'consumer touch point': 199346, 'touch point engagement': 926521, 'point engagement and': 662476, 'engagement and mode': 276889, 'and mode will': 67099, 'mode will change': 535220, 'will change rapidly': 992915, 'change rapidly post': 172238, 'rapidly post covid': 697009, 'commodity milk': 189229, 'milk food': 531674, 'indian coronaalert': 434798, 'coronaalert janatacurfew': 204427, 'is no scarcity': 449969, 'scarcity of essential': 740842, 'essential commodity milk': 280927, 'commodity milk food': 189230, 'milk food item': 531675, 'item and medicine': 463061, 'and medicine so': 66914, 'medicine so dont': 526886, 'so dont panic': 776917, 'dont panic and': 255263, 'to store said': 915641, 'store said to': 809961, 'said to indian': 731516, 'to indian coronaalert': 908332, 'indian coronaalert janatacurfew': 434799, 'everyone 21daylockdown': 286671, '21dayslockdown lockdown21': 15121, 'lockdown21 coronacrisis': 500204, 'coronacrisis indiafightscorona': 204634, 'to go shop': 906852, 'store while maintaining': 811284, 'while maintaining social': 987023, 'social distance from': 779504, 'distance from everyone': 246714, 'from everyone 21daylockdown': 335333, 'everyone 21daylockdown 21dayslockdown': 286672, '21daylockdown 21dayslockdown lockdown21': 15090, '21dayslockdown lockdown21 coronacrisis': 15122, 'lockdown21 coronacrisis indiafightscorona': 500205, 'imma count': 416945, 'count dis': 210111, 'dis money': 243791, 'while take': 987361, 'imma count dis': 416946, 'count dis money': 210112, 'dis money while': 243792, 'money while take': 537169, 'while take shit': 987362, 'take shit toiletpaper': 832572, 'businessasusual': 144735, '99 store': 23892, 'store bless': 806736, 'still behind': 800270, 'counter cash': 210199, 'register stock': 707613, 'stock including': 802286, 'including truck': 432230, 'driver trying': 259819, 'trying there': 934738, 'there best': 878249, 'enough trucking': 277745, 'trucking retail': 932991, 'isn usual': 454749, 'usual businessasusual': 950895, 'the 99 store': 848223, '99 store bless': 23893, 'store bless them': 806737, 'them all worker': 875354, 'all worker out': 45504, 'out there still': 627513, 'there still behind': 879096, 'still behind the': 800271, 'the counter cash': 852022, 'counter cash register': 210200, 'cash register stock': 166327, 'register stock including': 707614, 'stock including truck': 802287, 'including truck driver': 432231, 'truck driver trying': 932802, 'driver trying there': 259820, 'trying there best': 934739, 'there best we': 878250, 'best we cannot': 127991, 'you enough trucking': 1018421, 'enough trucking retail': 277746, 'trucking retail business': 932992, 'retail business business': 717903, 'business business isn': 143460, 'business isn usual': 143966, 'isn usual businessasusual': 454750, 'feel vulnerable': 302924, 'to redefine': 913004, 'redefine the': 705669, 'all feel vulnerable': 42773, 'feel vulnerable and': 302925, 'vulnerable and once': 960867, 'and once the': 68081, 'is over consumer': 450692, 'over consumer will': 630106, 'consumer will look': 199546, 'will look up': 994045, 'up to brand': 946362, 'to brand to': 901986, 'brand to redefine': 138049, 'to redefine the': 913005, 'redefine the value': 705670, 'value of trust': 952172, 'uruguay': 948497, 'is corona': 446841, 'corona super': 204204, 'super spread': 818587, 'person infected': 652493, 'carrier present': 165010, 'store metro': 808952, 'metro airport': 529894, 'airport train': 40128, 'train large': 929263, 'gathering it': 344473, 'it further': 458194, 'further get': 342051, 'get amplified': 346532, 'by network': 153322, 'network effect': 557716, 'effect case': 268980, 'in point': 426811, 'point uruguay': 662687, 'what is corona': 981683, 'is corona super': 446842, 'corona super spread': 204205, 'super spread one': 818588, 'spread one person': 790732, 'one person infected': 606863, 'person infected or': 652494, 'infected or an': 436609, 'asymptomatic carrier present': 97299, 'carrier present in': 165011, 'present in grocery': 670600, 'grocery store metro': 365567, 'store metro airport': 808953, 'metro airport train': 529895, 'airport train large': 40129, 'train large gathering': 929264, 'large gathering it': 479672, 'gathering it further': 344474, 'it further get': 458195, 'further get amplified': 342052, 'get amplified by': 346533, 'amplified by network': 54894, 'by network effect': 153323, 'network effect case': 557717, 'effect case in': 268981, 'case in point': 165807, 'in point uruguay': 426812, 'butler': 148089, '19 ben': 5368, 'ben butler': 126814, 'butler twitter': 148090, 'covid 19 ben': 212695, '19 ben butler': 5369, 'ben butler twitter': 126815, 'today trust': 920400, 'november free': 573854, 'confidence adjusting': 193804, 'briefing the': 139743, 'vote amp': 960460, 'amp much': 54158, 'opinion today trust': 613510, 'today trust in': 920401, 'trust in trump': 934277, 'response is falling': 715742, 'is falling what': 447724, 'for november free': 323953, 'november free fall': 573855, 'fall in consumer': 296941, 'consumer confidence adjusting': 196881, 'confidence adjusting to': 193805, 'house press briefing': 406466, 'press briefing the': 671018, 'briefing the suburban': 139744, 'suburban vote amp': 816147, 'vote amp much': 960461, 'amp much more': 54159, 'darn': 226028, 'somyszirjy': 785339, 'same darn': 733014, 'darn everywhere': 226029, 'everywhere sold': 288255, 'out none': 626647, 'without supply': 1002945, 'supply frozen': 825297, 'worse microwave': 1010964, 'microwave meal': 530530, 'meal goodbye': 524171, 'goodbye even': 357990, 'even hand': 284155, 'wash greedy': 967472, 'idiot took': 413620, 'all panicshopping': 43911, 'panicshopping convid19uk': 639420, 'panicbuying somyszirjy': 639051, 'the same darn': 866213, 'same darn everywhere': 733015, 'darn everywhere sold': 226030, 'everywhere sold out': 288256, 'sold out none': 781741, 'out none left': 626648, 'none left without': 566586, 'left without supply': 485755, 'without supply frozen': 1002946, 'supply frozen food': 825298, 'frozen food even': 338972, 'even worse microwave': 284828, 'worse microwave meal': 1010965, 'microwave meal goodbye': 530531, 'meal goodbye even': 524172, 'goodbye even hand': 357991, 'even hand wash': 284156, 'hand wash greedy': 375925, 'wash greedy idiot': 967473, 'greedy idiot took': 363533, 'idiot took it': 413621, 'took it all': 925263, 'it all panicshopping': 456367, 'all panicshopping convid19uk': 43912, 'panicshopping convid19uk panicbuyinguk': 639421, 'convid19uk panicbuyinguk panicbuying': 202623, 'panicbuyinguk panicbuying somyszirjy': 639147, 'medium choice': 527039, 'news prof': 560711, 'information nielsen': 437899, 'consumer medium choice': 198116, 'medium choice in': 527040, 'choice in the': 177784, 'normal of covid': 567228, '19 local tv': 8363, 'local tv news': 498664, 'tv news prof': 936147, 'news prof to': 560712, 'the medium of': 860431, 'medium of choice': 527190, 'choice for news': 177770, 'for news and': 323848, 'and information nielsen': 65222, 'but wonder': 147918, 'people saw': 649348, 'wearing n95': 974739, 're use': 699756, 'patient cough': 644153, 'face too': 294817, 'help but wonder': 389456, 'but wonder if': 147919, 'if the one': 415006, 'the one third': 862229, 'third of people': 886089, 'of people saw': 587977, 'people saw at': 649349, 'store wearing n95': 811196, 'wearing n95 mask': 974740, 'n95 mask are': 551186, 'mask are being': 518396, 'forced to re': 328647, 'to re use': 912784, 're use them': 699758, 'them after covid': 875320, '19 patient cough': 9588, 'patient cough in': 644154, 'cough in their': 208486, 'in their face': 429740, 'their face too': 873226, 'northkorea': 567798, 'tre45on': 930748, 'wtf doe': 1013279, 'say northkorea': 738990, 'northkorea say': 567799, 'fight outbreak': 304823, 'here he': 393080, 'help evil': 389669, 'evil dictator': 288437, 'dictator is': 240517, 'gop stand': 358281, 'for tre45on': 327330, 'tre45on impotus': 930749, 'seriously wtf doe': 751799, 'wtf doe this': 1013280, 'this say northkorea': 889971, 'say northkorea say': 738991, 'northkorea say president': 567800, 'trump ha offered': 933593, 'ha offered to': 371421, 'help fight outbreak': 389711, 'fight outbreak we': 304824, 'outbreak we do': 628796, 'even have enough': 284164, 'enough toiletpaper here': 277740, 'toiletpaper here he': 922064, 'here he is': 393081, 'he is offering': 385135, 'is offering to': 450430, 'to help evil': 907509, 'help evil dictator': 389670, 'evil dictator is': 288438, 'dictator is this': 240518, 'this what the': 891348, 'what the gop': 982321, 'the gop stand': 856470, 'gop stand for': 358282, 'stand for tre45on': 793524, 'for tre45on impotus': 327331, 'senseless': 750614, 'awakened': 105563, 'while story': 987337, 'panic chaos': 638005, 'and senseless': 71259, 'senseless stockpiling': 750615, 'stockpiling have': 803988, 'have awakened': 379391, 'awakened people': 105564, 'selfishness during': 748348, 'crisis some': 218072, 'some extraordinary': 782803, 'extraordinary people': 293745, 'discovered way': 244704, 'difference for': 241838, 'while story of': 987338, 'story of hysteria': 812066, 'of hysteria panic': 584952, 'hysteria panic chaos': 412472, 'panic chaos and': 638007, 'chaos and senseless': 172991, 'and senseless stockpiling': 71260, 'senseless stockpiling have': 750616, 'stockpiling have awakened': 803989, 'have awakened people': 379392, 'awakened people selfishness': 105565, 'people selfishness during': 649396, 'selfishness during crisis': 748349, 'during crisis some': 262568, 'crisis some extraordinary': 218073, 'some extraordinary people': 782805, 'extraordinary people in': 293746, 'the community have': 851277, 'community have discovered': 189884, 'have discovered way': 380299, 'discovered way to': 244705, 'to make difference': 909648, 'make difference for': 509832, 'difference for others': 241839, 'gone past': 356355, 'past various': 643635, 'various petrol': 952625, 'station price': 796497, 'around 18': 93112, 'litre drop': 495147, 'substantial when': 816063, 'when doe': 983354, 'get passed': 347788, 'pump or': 689079, 'usual fuck': 950946, 'customer petrol': 222683, 'petrol profiteering': 653778, 'just gone past': 468836, 'gone past various': 356356, 'past various petrol': 643636, 'various petrol station': 952626, 'petrol station price': 653799, 'station price all': 796498, 'price all around': 672265, 'all around 18': 42062, 'around 18 per': 93113, '18 per litre': 4576, 'per litre drop': 650922, 'litre drop in': 495148, 'price is substantial': 674893, 'is substantial when': 452416, 'substantial when doe': 816064, 'when doe this': 983355, 'doe this get': 251632, 'this get passed': 887687, 'get passed on': 347789, 'passed on at': 643284, 'the pump or': 864905, 'pump or are': 689080, 'are the oil': 90871, 'oil company doing': 596689, 'company doing the': 190603, 'doing the usual': 252731, 'the usual fuck': 870586, 'usual fuck the': 950947, 'fuck the customer': 339656, 'the customer petrol': 852728, 'customer petrol profiteering': 222684, 'in koboko': 424529, 'koboko town': 477303, 'northern uganda': 567784, 'uganda for': 937968, 'commodity packet': 189248, 'salt from': 732809, 'from shs': 337286, 'shs 800': 767733, '800 to': 22724, 'to shs': 914596, 'shs 00': 767732, 'four trader have': 330693, 'trader have been': 928688, 'been arrested in': 120687, 'arrested in koboko': 93857, 'in koboko town': 424530, 'koboko town in': 477304, 'town in northern': 927494, 'in northern uganda': 425958, 'northern uganda for': 567785, 'uganda for increasing': 937969, 'their commodity packet': 872815, 'commodity packet of': 189249, 'of salt from': 589253, 'salt from shs': 732810, 'from shs 800': 337287, 'shs 800 to': 767734, '800 to shs': 22725, 'to shs 00': 914597, 'cardvalet': 163774, 'getbeyondmoney': 348773, 'card safety': 163635, 'important fraudsters': 418808, 'fraudsters have': 331419, 'avoided with': 105428, 'with cardvalet': 997544, 'cardvalet learn': 163775, 'here getbeyondmoney': 393035, 'getbeyondmoney socialdistancing': 348774, 'online or making': 608660, 'or making trip': 616048, 'grocery store card': 365267, 'store card safety': 806871, 'card safety is': 163636, 'safety is still': 730594, 'is still important': 452287, 'still important fraudsters': 800735, 'important fraudsters have': 418809, 'fraudsters have taken': 331420, 'advantage of but': 32989, 'of but that': 580990, 'but that can': 147283, 'can be avoided': 157590, 'be avoided with': 113770, 'avoided with cardvalet': 105429, 'with cardvalet learn': 997545, 'cardvalet learn more': 163776, 'more here getbeyondmoney': 539422, 'here getbeyondmoney socialdistancing': 393036, 'riseagain': 723080, 'besafeoutthere': 127455, 'lockdownextended quarantine': 500272, 'quarantine dragrace': 692160, 'dragrace stayhome': 258203, 'stayhome riseagain': 798084, 'riseagain pandemic': 723081, 'pandemic vision': 636906, 'vision toiletpaper': 959158, 'toiletpaper besafeoutthere': 921801, 'lockdownextended quarantine dragrace': 500273, 'quarantine dragrace stayhome': 692161, 'dragrace stayhome riseagain': 258204, 'stayhome riseagain pandemic': 798085, 'riseagain pandemic vision': 723082, 'pandemic vision toiletpaper': 636907, 'vision toiletpaper besafeoutthere': 959159, '35mm': 17985, 'home sign': 402069, 'in brooklyn': 421003, 'brooklyn had': 140984, 'store fyi': 807903, 'fyi 35mm': 342619, '35mm film': 17986, 'film brooklyn': 305666, 'stay home sign': 797002, 'home sign on': 402070, 'sign on store': 769182, 'on store near': 603698, 'store near my': 809038, 'near my home': 553556, 'my home in': 548689, 'home in brooklyn': 401412, 'in brooklyn had': 421005, 'brooklyn had to': 140985, 'grocery store fyi': 365420, 'store fyi 35mm': 807904, 'fyi 35mm film': 342620, '35mm film brooklyn': 17987, 'attleboroma': 102600, 'likely isn': 492037, 'isn helping': 454545, 'helping too': 391535, 'many attleboroma': 513805, 'attleboroma area': 102601, 'area driver': 91990, 'driver with': 259858, 'many holed': 514139, 'finally dipped': 305971, 'dipped below': 243226, 'massachusetts the': 519928, 'april 2016': 83450, 'it likely isn': 459392, 'likely isn helping': 492038, 'isn helping too': 454546, 'helping too many': 391536, 'too many attleboroma': 924883, 'many attleboroma area': 513806, 'attleboroma area driver': 102602, 'area driver with': 91991, 'driver with so': 259860, 'so many holed': 777666, 'many holed up': 514140, 'holed up at': 400249, 'price of gasoline': 675460, 'of gasoline ha': 584055, 'gasoline ha finally': 344236, 'ha finally dipped': 370620, 'finally dipped below': 305972, 'dipped below gallon': 243227, 'gallon in massachusetts': 343023, 'in massachusetts the': 425180, 'massachusetts the first': 519929, 'time since april': 897664, 'since april 2016': 770511, 'wincanton': 995605, 'wincanton ha': 995606, 'reported record': 712518, 'it service': 460990, 'early week': 264749, 'grocery consumer': 364396, 'general haulage': 345346, 'haulage division': 379006, 'wincanton ha reported': 995607, 'ha reported record': 371730, 'reported record demand': 712519, 'for it service': 322733, 'it service from': 460991, 'service from many': 752409, 'from many customer': 336335, 'many customer during': 513974, 'the early week': 853823, 'early week of': 264750, 'pandemic with high': 637029, 'with high level': 998803, 'level of activity': 487626, 'activity in it': 30441, 'in it grocery': 424249, 'it grocery consumer': 458353, 'grocery consumer and': 364397, 'and general haulage': 63508, 'general haulage division': 345347, 'woman workingfromthefrontlines': 1003710, 'wff during': 980824, 'so thankful for': 778355, 'and woman workingfromthefrontlines': 75816, 'woman workingfromthefrontlines wff': 1003711, 'workingfromthefrontlines wff during': 1009127, 'wff during these': 980825, 'challenging time grocery': 171640, 'is like to': 449337, '5m apart': 20757, 'apart credit': 81247, 'friendly reminder to': 333993, 'reminder to all': 710601, 'store who can': 811299, 'who can seem': 988407, 'can seem to': 159558, 'seem to remember': 746699, 'to keep 5m': 908748, 'keep 5m apart': 471281, '5m apart credit': 20758, 'minute rome': 533831, 'lineup rome': 493671, 'morning supermarket line': 541475, 'supermarket line up': 821332, 'it doesn open': 457638, 'open for another': 612240, 'for another 20': 319367, 'another 20 minute': 77476, '20 minute rome': 13173, 'minute rome italy': 533832, 'rome italy supermarket': 725747, 'italy supermarket lineup': 462932, 'supermarket lineup rome': 821334, 'lineup rome italy': 493672, 'yesterday alberta': 1015650, 'alberta fire': 40793, 'fire flood': 308080, 'flood restoration': 310721, 'restoration took': 717045, 'foundation heretohelp': 330490, 'heretohelp sanatizing': 393882, 'sanatizing supportlocal': 733594, 'yesterday alberta fire': 1015651, 'alberta fire flood': 40794, 'fire flood restoration': 308081, 'flood restoration took': 310722, 'restoration took n95': 717046, 'strafford foundation heretohelp': 812198, 'foundation heretohelp sanatizing': 330491, 'heretohelp sanatizing supportlocal': 393883, 'sanatizing supportlocal calgary': 733595, 'calmcovid19': 156834, 'done finally': 254835, 'finally supermarket': 306112, 'with common': 997695, 'protectthevulnerable threeitemsonly': 685863, 'threeitemsonly stoppanicbuying': 894131, 'stoppanicbuying helpothers': 805570, 'helpothers calmcovid19': 391618, 'well done finally': 978178, 'done finally supermarket': 254836, 'finally supermarket with': 306113, 'supermarket with common': 823914, 'with common sense': 997697, 'common sense protectthevulnerable': 189464, 'sense protectthevulnerable threeitemsonly': 750578, 'protectthevulnerable threeitemsonly stoppanicbuying': 685864, 'threeitemsonly stoppanicbuying helpothers': 894132, 'stoppanicbuying helpothers calmcovid19': 805571, 'concern don': 192959, 'don mix': 253742, 'mix well': 534612, 'buying amidst concern': 149891, 'amidst concern don': 52781, 'concern don mix': 192960, 'don mix well': 253743, 'mix well with': 534613, 'well with the': 978759, 'with the fragile': 1001311, 'since greatdepression': 770626, 'rise catch': 722807, 'on economicsinthenews': 600511, 'imf expects the': 416900, 'expects the to': 291115, 'the to bring': 869670, 'bring the worst': 140090, 'downturn since greatdepression': 257814, 'since greatdepression food': 770627, 'to rise catch': 913557, 'rise catch up': 722808, 'up on economicsinthenews': 945551, 'on economicsinthenews passionforeconomics': 600512, 'leaf shelf 19': 483814, 'the dropped': 853717, 'dropped 45': 260511, '45 between': 19072, 'between about': 128700, 'about decade': 25084, 'ago between': 38351, 'between september': 128887, 'september 200': 751157, '200 and': 13448, 'and october': 67952, 'october 2002': 579137, '2002 home': 13573, 'hand appreciated': 374795, 'appreciated nicely': 82830, 'nicely at': 562529, 'based off': 111660, 'similar event': 769895, 'facing today': 295633, 'today housingmarket': 919671, 'the dropped 45': 853718, 'dropped 45 between': 260512, '45 between about': 19073, 'between about decade': 128701, 'about decade ago': 25085, 'decade ago between': 230662, 'ago between september': 38352, 'between september 200': 128888, 'september 200 and': 751158, '200 and october': 13449, 'and october 2002': 67953, 'october 2002 home': 579138, '2002 home price': 13574, 'home price on': 401912, 'other hand appreciated': 620337, 'hand appreciated nicely': 374796, 'appreciated nicely at': 82831, 'nicely at the': 562530, 'time that stock': 897837, 'that stock market': 846492, 'market correction wa': 516231, 'correction wa based': 207581, 'wa based off': 961643, 'based off of': 111661, 'off of similar': 594009, 'of similar event': 589733, 'similar event to': 769896, 'event to what': 285096, 're facing today': 698664, 'facing today housingmarket': 295634, 'way encourage': 969566, 'increasing tip': 433725, 'tip contributing': 898740, 'contributing what': 201926, 'of are affected': 580338, 'affected in some': 34375, 'some way encourage': 784187, 'way encourage you': 969567, 'local economy and': 497913, 'economy and from': 267644, 'and from buying': 63345, 'from buying gift': 334777, 'card to shopping': 163686, 'online to increasing': 609587, 'to increasing tip': 908316, 'increasing tip contributing': 433726, 'tip contributing what': 898741, 'contributing what you': 201927, 'nurse got': 577340, 'someone saw': 784632, 'saw her': 738130, 'had brought': 372941, 'nurse got hit': 577341, 'got hit in': 358611, 'hit in the': 398286, 'when someone saw': 984061, 'someone saw her': 784633, 'saw her scrub': 738131, 'scrub and thought': 742892, 'and thought she': 74054, 'thought she had': 893211, 'she had brought': 756093, 'had brought the': 372942, 'brought the into': 141195, 'the into the': 858407, 'buyer mean': 149683, 'day root': 228289, 'root for': 726017, 'producing toilet roll': 680815, 'toilet roll soap': 921602, 'roll soap food': 725509, 'who deliver it': 988551, 'even if panic': 284210, 'if panic buyer': 414594, 'panic buyer mean': 637588, 'buyer mean empty': 149684, 'the day root': 852908, 'day root for': 228290, 'root for the': 726018, 'for the underdog': 326749, 'woth': 1011481, 'savethesummer': 737828, 'kid covid19': 473916, 'covid19 theme': 214386, 'theme easter': 876696, 'basket complete': 112317, 'with n95': 999667, 'n95 face': 551176, '40 woth': 18693, 'woth of': 1011482, 'paper easterweekend': 640120, 'easterweekend savethesummer': 265619, 'made the kid': 507995, 'the kid covid19': 858782, 'kid covid19 theme': 473917, 'covid19 theme easter': 214387, 'theme easter basket': 876697, 'easter basket complete': 265388, 'basket complete with': 112318, 'complete with n95': 192189, 'with n95 face': 999668, 'n95 face mask': 551177, 'sanitizer and 40': 734377, 'and 40 woth': 57474, '40 woth of': 18694, 'woth of toilet': 1011483, 'toilet paper easterweekend': 921265, 'paper easterweekend savethesummer': 640121, 'york with': 1016687, 'also offer': 48595, 'location in new': 498925, 'new york with': 559957, 'york with ml': 1016688, 'we also offer': 970402, 'also offer you': 48597, 'the best package': 849535, 'hoarder your': 399154, 'internet connection': 441926, 'connection can': 194698, 'down download': 256696, 'download all': 257575, 'content now': 200827, 'your survival': 1026093, 'survival stoppanicbuying': 829082, 'stoppanicbuying 19': 805544, 'to the hoarder': 916778, 'the hoarder your': 857412, 'hoarder your internet': 399155, 'your internet connection': 1024506, 'internet connection can': 441927, 'connection can also': 194699, 'can also go': 157459, 'also go down': 48270, 'go down download': 353488, 'down download all': 256697, 'download all the': 257576, 'the online content': 862268, 'online content now': 608048, 'content now you': 200828, 'now you may': 576514, 'may need it': 521353, 'need it for': 555087, 'for your survival': 328218, 'your survival stoppanicbuying': 1026094, 'survival stoppanicbuying 19': 829083, 'bob ferguson': 133746, 'ferguson want': 303543, 'it snap': 461097, 'snap it': 776098, 'report outrageous': 712159, 'mask report': 519195, 'it link': 459400, 'form in': 329517, 'bob ferguson want': 133747, 'ferguson want you': 303544, 'you to see': 1021833, 'see it snap': 745341, 'it snap it': 461098, 'snap it send': 776099, 'it send it': 460976, 'it to report': 461748, '19 report outrageous': 10107, 'report outrageous price': 712160, 'paper or mask': 640554, 'or mask report': 616073, 'mask report it': 519196, 'report it link': 712064, 'it link to': 459401, 'link to form': 493928, 'to form in': 906201, 'form in article': 329518, 'wiserxcard': 996730, 'prescriptiondiscountcard': 670544, 'your hefty': 1024292, 'hefty medication': 388787, 'medication price': 526674, 'pandemic get': 635488, 'free wise': 332329, 'wise rx': 996692, 'rx prescription': 728786, 'prescription card': 670495, 'your medicine': 1024809, 'medicine wiserxcard': 526927, 'wiserxcard prescriptiondiscountcard': 996731, 'about your hefty': 27002, 'your hefty medication': 1024293, 'hefty medication price': 388788, 'medication price during': 526675, '19 pandemic get': 9336, 'pandemic get free': 635489, 'get free wise': 347101, 'free wise rx': 332330, 'wise rx prescription': 996693, 'rx prescription card': 728787, 'prescription card now': 670496, 'card now to': 163588, 'to get discount': 906457, 'get discount on': 346887, 'discount on your': 244516, 'on your medicine': 605479, 'your medicine wiserxcard': 1024810, 'medicine wiserxcard prescriptiondiscountcard': 526928, 'meadow': 524072, 'worried american': 1010539, 'american pack': 52114, 'pack supermarket': 633157, 'like courtney': 490056, 'courtney meadow': 212068, 'meadow are': 524073, 'at frantic': 98701, 'frantic pace': 331186, 'american fed': 51973, 'worried american pack': 1010540, 'american pack supermarket': 52115, 'pack supermarket aisle': 633158, 'supermarket aisle in': 818836, 'aisle in anticipation': 40273, 'anticipation of quarantine': 78494, 'quarantine and shelter': 692021, 'and shelter in': 71456, 'place order grocery': 657635, 'order grocery worker': 618275, 'worker like courtney': 1007314, 'like courtney meadow': 490057, 'courtney meadow are': 212069, 'meadow are working': 524074, 'working at frantic': 1008521, 'at frantic pace': 98702, 'frantic pace to': 331187, 'pace to keep': 632968, 'keep american fed': 471310, 'american fed and': 51974, 'fed and alive': 301778, 'and alive and': 57851, 'alive and risking': 41800, 'pickup guide': 655970, 'guide store': 368353, 'hour may': 405763, 'changed there': 172580, 'be other': 116273, '19 grocery delivery': 7286, 'curbside pickup guide': 220652, 'pickup guide store': 655971, 'guide store hour': 368354, 'store hour may': 808203, 'hour may have': 405764, 'have changed there': 379947, 'changed there may': 172581, 'may be other': 521015, 'be other item': 116274, 'other item out': 620448, 'stock there may': 802959, 'may be longer': 521003, 'be longer wait': 115816, 'justameme': 470390, 'justjokes': 470495, 'right quick': 722243, 'quick justameme': 694321, 'justameme justjokes': 470391, 'justjokes coronav': 470496, 'supermarket right quick': 822248, 'right quick justameme': 722244, 'quick justameme justjokes': 694322, 'justameme justjokes coronav': 470392, 'justjokes coronav ru': 470497, 'woman looking': 1003552, 'looking over': 502985, 'supermarket took': 823512, 'took there': 925351, 'please back': 659689, 'off metre': 593971, 'rule socialdistancing': 727348, 'not panicbuy': 570949, 'panicbuy and': 638827, 'the woman looking': 871666, 'woman looking over': 1003553, 'looking over my': 502986, 'the supermarket took': 868870, 'supermarket took there': 823513, 'took there plenty': 925352, 'and please back': 69106, 'please back off': 659690, 'back off metre': 107182, 'off metre rule': 593972, 'metre rule socialdistancing': 529870, 'rule socialdistancing coronacrisis': 727349, 'socialdistancing coronacrisis please': 780290, 'coronacrisis please do': 204710, 'do not panicbuy': 249795, 'not panicbuy and': 570950, 'panicbuy and there': 638829, 'and there would': 73857, 'deterrent': 239475, 'older get': 598609, 'prison sound': 678735, 'like deterrent': 490113, 'deterrent panicbuying': 239476, 'and the older': 73499, 'the older get': 862153, 'older get the': 598610, 'get the le': 348261, 'the le life': 859217, 'le life in': 483008, 'life in prison': 488764, 'in prison sound': 427004, 'prison sound like': 678736, 'sound like deterrent': 786299, 'like deterrent panicbuying': 490114, 'flour growing': 311111, 'signing pledge': 769645, 'resist export': 714566, 'export control': 292623, 'other barrier': 619871, 'and flour growing': 62987, 'flour growing number': 311112, 'of country are': 582029, 'country are signing': 210481, 'are signing pledge': 90131, 'signing pledge to': 769646, 'pledge to resist': 660859, 'to resist export': 913358, 'resist export control': 714567, 'export control and': 292624, 'control and other': 201965, 'and other barrier': 68285, 'other barrier to': 619872, 'barrier to the': 111370, 'to the movement': 916887, 'movement of food': 543898, 'this help keep': 887892, 'keep your immune': 472273, 'immune system on': 417348, 'system on alert': 831269, 'bullshit most': 142502, 'every order': 286060, 'staying afloat': 798563, 'afloat stop': 34960, 'to exacerbate': 905381, 'fucking dumb': 339854, 'local restaurant during': 498337, 'restaurant during this': 716439, 'during this bullshit': 263263, 'this bullshit most': 886625, 'bullshit most are': 142503, 'most are giving': 542111, 'away free roll': 105852, 'paper with every': 641101, 'with every order': 998275, 'every order with': 286061, 'order with the': 618787, 'hope of staying': 403577, 'of staying afloat': 590100, 'staying afloat stop': 798564, 'afloat stop going': 34961, 'which is only': 986039, 'going to exacerbate': 355589, 'to exacerbate the': 905382, 'exacerbate the spread': 288660, 'virus people are': 958625, 'so fucking dumb': 777138, 'picking your': 655895, 'nose rubbing': 567919, 'rubbing your': 726980, 'help stopthespread': 390592, 'stopthespread of': 805910, 'handy takeresponsibility': 376904, 'takeresponsibility factsnotfear': 833222, 'avoid picking your': 105231, 'picking your nose': 655896, 'your nose rubbing': 1025037, 'nose rubbing your': 567920, 'rubbing your eye': 726981, 'your eye or': 1023733, 'eye or putting': 294090, 'or putting your': 616755, 'putting your hand': 691291, 'your hand in': 1024196, 'mouth to help': 543572, 'to help stopthespread': 907638, 'help stopthespread of': 390593, 'stopthespread of get': 805912, 'of get an': 584115, 'get an alcohol': 346536, 'hand sanitizer handy': 375432, 'sanitizer handy takeresponsibility': 735050, 'handy takeresponsibility factsnotfear': 376905, 'if shortage': 414798, 'shortage have': 764987, 'forced you': 328670, 'product other': 681502, 'don flush': 253520, 'if shortage have': 414799, 'shortage have forced': 764989, 'have forced you': 380690, 'forced you to': 328671, 'you to turn': 1021852, 'turn to product': 935790, 'to product other': 912223, 'product other than': 681503, 'than that fine': 841209, 'that fine but': 843877, 'fine but don': 307611, 'but don flush': 145589, 'don flush them': 253521, 'flush them down': 311558, 'just signed': 469803, 'signed the': 769379, 'help struggling': 390596, 'struggling people': 814477, 'increasing local': 433632, 'local housing': 498094, 'housing allowance': 407046, 'allowance so': 46120, 'cover average': 212195, 'average rent': 104893, 'via degree': 955908, 'just signed the': 469804, 'signed the petition': 769380, 'the petition calling': 863615, 'calling on and': 156607, 'on and to': 599377, 'to help struggling': 907639, 'help struggling people': 390598, 'struggling people by': 814478, 'people by increasing': 647360, 'by increasing local': 152898, 'increasing local housing': 433633, 'local housing allowance': 498095, 'housing allowance so': 407047, 'allowance so it': 46121, 'so it enough': 777460, 'to cover average': 903648, 'cover average rent': 212196, 'average rent price': 104894, 'rent price via': 711167, 'price via degree': 677305, 'slandering': 773522, 'first tweet': 309139, 'tweet would': 936427, 'the liberty': 859321, 'liberty of': 488047, 'of slandering': 589766, 'slandering the': 773523, 'causing me': 168065, 'stress grocery': 813332, 'worker fuck': 1007001, 'you coronavirus': 1018060, 'my first tweet': 548355, 'first tweet would': 309140, 'tweet would like': 936428, 'take the liberty': 832658, 'the liberty of': 859322, 'liberty of slandering': 488048, 'of slandering the': 589767, 'slandering the coronavirus': 773524, 'the coronavirus for': 851850, 'coronavirus for causing': 205942, 'for causing me': 319973, 'causing me stress': 168066, 'me stress grocery': 523560, 'stress grocery store': 813333, 'store worker fuck': 811513, 'worker fuck you': 1007002, 'fuck you coronavirus': 339698, 'meridian': 529121, 'kosovo': 477557, 'in coordination': 421782, 'coordination with': 203224, 'chain meridian': 170923, 'meridian corporate': 529122, 'corporate and': 207235, 'donated 500': 254316, '500 foodstuff': 19987, 'in kosovo': 424536, 'kosovo for': 477558, 'gender based': 345249, 'based violence': 111779, 'violence amid': 957537, 'blog brings': 132907, 'brings you': 140290, 'in coordination with': 421783, 'coordination with the': 203225, 'supermarket chain meridian': 819623, 'chain meridian corporate': 170924, 'meridian corporate and': 529123, 'corporate and donated': 207236, 'and donated 500': 61654, 'donated 500 foodstuff': 254317, '500 foodstuff to': 19988, 'foodstuff to shelter': 318189, 'shelter in kosovo': 757931, 'in kosovo for': 424537, 'kosovo for victim': 477559, 'for victim of': 327554, 'victim of gender': 956496, 'of gender based': 584076, 'gender based violence': 345250, 'based violence amid': 111780, 'violence amid the': 957538, 'the pandemic our': 863044, 'pandemic our live': 636128, 'live blog brings': 495750, 'blog brings you': 132908, 'brings you the': 140291, 'more deadly': 538966, 'deadly than': 229290, 'that immediately': 844432, 'immediately entered': 417085, 'entered ghana': 278352, 'ghana price': 349582, 'mask inflate': 518849, 'inflate want': 437003, 'kill bury': 474361, 'bury ppl': 142978, 'ppl by': 668199, 'more profit': 540155, 'profit you': 682900, 'deadly now': 229279, 'ppl are more': 668172, 'are more deadly': 88111, 'more deadly than': 538968, 'deadly than the': 229292, 'coronavirus do you': 205837, 'know that immediately': 476767, 'that immediately entered': 844433, 'immediately entered ghana': 417086, 'entered ghana price': 278353, 'ghana price of': 349583, 'sanitizers and nose': 736204, 'and nose mask': 67703, 'nose mask inflate': 567899, 'mask inflate want': 518850, 'inflate want to': 437004, 'to kill bury': 908922, 'kill bury ppl': 474362, 'bury ppl by': 142979, 'ppl by making': 668200, 'by making more': 153142, 'making more profit': 511235, 'more profit you': 540156, 'profit you coronavirus': 682902, 'you coronavirus who': 1018061, 'coronavirus who is': 207075, 'is more deadly': 449700, 'more deadly now': 538967, 'it movie': 459695, 'movie available': 543990, 'worldwide responding': 1010417, 'make it movie': 510043, 'it movie available': 459696, 'movie available at': 543991, 'at home on': 99066, 'home on the': 401716, 'theater worldwide responding': 872274, 'worldwide responding to': 1010418, 'responding to changing': 715581, 'tmtv': 899376, 'collapsed earlier': 186097, 'month designed': 537672, 'russia refused': 728548, 'saudi dominated': 737257, 'dominated opec': 253284, 'cartel ending': 165447, 'ending it': 276181, 'it three': 461670, 'year collaboration': 1014471, 'group under': 366947, 'plus agreement': 661559, 'agreement tmtv': 38801, 'oil price collapsed': 597081, 'price collapsed earlier': 673176, 'collapsed earlier this': 186098, 'this month designed': 888902, 'month designed to': 537673, 'designed to boost': 238350, 'boost oil price': 134985, 'price amid drop': 672312, 'caused by russia': 167862, 'by russia refused': 153853, 'russia refused to': 728549, 'refused to fall': 707072, 'in line behind': 424745, 'line behind the': 493009, 'behind the saudi': 124724, 'the saudi dominated': 866378, 'saudi dominated opec': 737258, 'dominated opec cartel': 253285, 'opec cartel ending': 611849, 'cartel ending it': 165448, 'ending it three': 276182, 'it three year': 461671, 'three year collaboration': 894123, 'year collaboration with': 1014472, 'with the group': 1001322, 'the group under': 856872, 'group under the': 366948, 'under the opec': 940322, 'opec plus agreement': 611937, 'plus agreement tmtv': 661560, 'this deck': 887188, 'deck by': 231130, 'in insanely': 424110, 'insanely good': 439086, 'good great': 357146, 'great data': 362605, 'and visuals': 75000, 'visuals on': 959659, 'this deck by': 887189, 'deck by in': 231131, 'by in insanely': 152882, 'in insanely good': 424111, 'insanely good great': 439087, 'good great data': 357147, 'great data and': 362606, 'data and visuals': 226126, 'and visuals on': 75001, 'visuals on change': 959660, 'due to cc': 261724, 'againstcorona': 37758, 'together againstcorona': 920670, 'againstcorona the': 37759, 'and 3ply': 57465, '10 2ply': 1263, 'at 200ml': 97508, '200ml sanitizer': 13745, 'new rate': 559390, 'be applicable': 113663, 'applicable throughout': 82424, 'country till': 211155, 'till 30': 895979, 'together againstcorona the': 920671, 'againstcorona the government': 37760, 'price of and': 675405, 'of and 3ply': 580138, 'and 3ply surgical': 57466, 'at 10 2ply': 97398, '10 2ply mask': 1264, 'mask at 200ml': 518410, 'at 200ml sanitizer': 97509, '200ml sanitizer at': 13746, 'sanitizer at 100': 734501, 'at 100 the': 97418, '100 the new': 2091, 'the new rate': 861544, 'new rate will': 559391, 'will be applicable': 992360, 'be applicable throughout': 113664, 'applicable throughout the': 82425, 'the country till': 852168, 'country till 30': 211156, 'till 30 june': 895980, 'tickled': 895694, 'tickled by': 895695, 'beat boredom': 118508, 'boredom during': 135401, 'lockdown uh': 500084, 'uh what': 938087, 'have school': 382405, 'age child': 37807, 'or learning': 615949, 'learning curve': 484189, 'curve with': 221906, 'with remote': 1000452, 'work responsibility': 1005659, 'responsibility this': 715983, 'this parent': 889477, 'parent is': 641660, 'being housebound': 125269, 'housebound but': 406722, 'but definitely': 145516, 'tickled by all': 895696, 'by all the': 151791, 'all the article': 44661, 'article on way': 94415, 'way to beat': 969990, 'to beat boredom': 901653, 'beat boredom during': 118509, 'boredom during covid': 135402, '19 lockdown uh': 8434, 'lockdown uh what': 500085, 'uh what they': 938088, 'what they must': 982410, 'they must not': 882706, 'must not have': 546780, 'not have school': 569868, 'have school age': 382406, 'school age child': 741673, 'age child online': 37808, 'child online shopping': 176166, 'shopping need or': 763317, 'need or learning': 555382, 'or learning curve': 615950, 'learning curve with': 484190, 'curve with remote': 221907, 'with remote work': 1000453, 'remote work responsibility': 710744, 'work responsibility this': 1005660, 'responsibility this parent': 715984, 'this parent is': 889478, 'parent is tired': 641661, 'is tired of': 453171, 'of being housebound': 580644, 'being housebound but': 125270, 'housebound but definitely': 406723, 'but definitely not': 145517, 'definitely not bored': 232373, 'announced for': 76945, '31 big': 17558, 'city there': 179407, 'turkey announced for': 935541, 'announced for day': 76946, 'for day in': 320573, 'in 31 big': 419914, '31 big city': 17559, 'big city there': 129705, 'city there seems': 179408, 'be chaos in': 114061, 'street people went': 813070, 'people went out': 650190, 'panic buy not': 637511, 'buy not food': 149011, 'been seeing the': 121895, 'seeing the outbreak': 746503, 'stayhealthyeveryone': 797918, 'kept distance': 473034, 'possible used': 665862, 'down washed': 257438, 'washed food': 967612, 'container before': 200534, 'putting away': 691087, 'away stayhealthyeveryone': 106036, 'went out once': 979092, 'out once in': 626930, 'once in the': 605656, 'week to grocery': 977082, 'wore mask kept': 1004666, 'mask kept distance': 518894, 'kept distance much': 473035, 'much possible used': 545248, 'possible used hand': 665863, 'sanitizer before and': 734560, 'and after wiped': 57761, 'after wiped down': 36547, 'wiped down washed': 996451, 'down washed food': 257439, 'washed food container': 967613, 'food container before': 314006, 'container before putting': 200535, 'before putting away': 123029, 'putting away stayhealthyeveryone': 691089, 'on display': 600345, 'display with': 246210, 'mass emptying': 519757, 'shelf sheer': 757504, 'sheer and': 756568, 'panic whilst': 638786, 'basic miss': 111983, 'worse or': 1010982, 'human greed on': 410503, 'greed on display': 363418, 'on display with': 600346, 'display with mass': 246211, 'with mass emptying': 999420, 'mass emptying of': 519758, 'on shelf sheer': 603408, 'shelf sheer and': 757505, 'sheer and unnecessary': 756569, 'unnecessary panic whilst': 942922, 'panic whilst the': 638787, 'whilst the people': 987696, 'the basic miss': 849315, 'basic miss out': 111984, 'miss out what': 534178, 'out what will': 627818, 'be worse or': 118155, 'worse or the': 1010983, 'chain retail': 171055, 'retail reaction': 718434, 'chain retail reaction': 171056, 'online book': 607939, '19 browsing': 5462, 'browsing overdrive': 141304, 'overdrive collection': 631184, 'collection have': 186435, 'apartment so': 81422, 'restrict my': 717108, 'my physical': 549765, 'physical book': 655382, 'event signed': 285073, 'signed copy': 769361, 'online book shopping': 607940, 'book shopping during': 134594, 'covid 19 browsing': 212737, '19 browsing overdrive': 5463, 'browsing overdrive collection': 141305, 'overdrive collection have': 631185, 'collection have limited': 186436, 'have limited space': 381321, 'space in my': 787120, 'in my apartment': 425534, 'my apartment so': 547285, 'apartment so try': 81423, 'try to restrict': 934657, 'to restrict my': 913430, 'restrict my physical': 717109, 'my physical book': 549766, 'physical book to': 655383, 'book to event': 134615, 'to event signed': 905295, 'event signed copy': 285074, 'see queue': 745622, 'supermarket honestly': 820781, 'honestly who': 403155, 'who parent': 989414, 'because surely': 119593, 'denying in': 237153, 'know some': 476724, 'so kindly': 777512, 'kindly tell': 475173, 'so annoying': 776521, 'my life would': 549051, 'life would think': 489238, 'would think would': 1012334, 'think would see': 885799, 'would see queue': 1012225, 'see queue for': 745623, 'the supermarket honestly': 868634, 'supermarket honestly who': 820782, 'honestly who parent': 403156, 'who parent are': 989415, 'parent are doing': 641582, 'doing this because': 252759, 'this because surely': 886519, 'because surely everyone': 119594, 'surely everyone is': 827907, 'everyone is denying': 287072, 'is denying in': 447126, 'denying in but': 237154, 'in but know': 421095, 'but know some': 146238, 'know some of': 476725, 'of your parent': 593508, 'your parent have': 1025202, 'been doing it': 121021, 'doing it so': 252493, 'it so kindly': 461118, 'so kindly tell': 777513, 'kindly tell them': 475174, 'stop it so': 804791, 'it so annoying': 461100, 'sheffieid': 756635, 'anyone been': 80195, 'sheffield and': 756639, 'it thinking': 461641, 'trip sheffieid': 932154, 'sheffieid coronalockdownuk': 756636, 'coronalockdownuk 19': 205050, 'ha anyone been': 369578, 'anyone been to': 80196, 'supermarket in sheffield': 820976, 'in sheffield and': 427876, 'sheffield and if': 756640, 'so how wa': 777344, 'wa it thinking': 962436, 'it thinking of': 461642, 'thinking of planning': 885968, 'of planning trip': 588152, 'planning trip sheffieid': 658595, 'trip sheffieid coronalockdownuk': 932155, 'sheffieid coronalockdownuk 19': 756637, 'gave the': 344664, 'roll proper': 725485, 'use facebook': 949204, 'least they gave': 484659, 'they gave the': 882153, 'gave the roll': 344665, 'the roll proper': 865961, 'roll proper use': 725486, 'proper use facebook': 684161, 'use facebook instagram': 949205, 'year say': 1014939, 'say govt': 738700, 'govt latest': 361179, 'two year say': 937409, 'year say govt': 1014940, 'say govt latest': 738702, 'govt latest update': 361180, 'lancer': 479241, 'learning is': 484216, 'begin and': 123500, 'coming fast': 188041, 'and furious': 63427, 'furious here': 341855, 'the schedule': 866478, 'class just': 180210, 'keep everything': 471482, 'everything straight': 288017, 'straight good': 812215, 'luck lancer': 506462, 'distance learning is': 246758, 'learning is about': 484217, 'about to begin': 26707, 'to begin and': 901708, 'begin and the': 123501, 'and the email': 73345, 'the email from': 854209, 'email from teacher': 272195, 'from teacher are': 337551, 'teacher are coming': 835432, 'are coming fast': 85432, 'coming fast and': 188042, 'fast and furious': 299912, 'and furious here': 63428, 'furious here the': 341856, 'here the schedule': 393666, 'the schedule of': 866479, 'schedule of class': 741449, 'of class just': 581450, 'class just in': 180211, 'case you need': 166128, 'to keep everything': 908785, 'keep everything straight': 471483, 'everything straight good': 288018, 'straight good luck': 812216, 'good luck lancer': 357357, 'dairy category': 224961, 'it winning': 462455, 'winning combination': 996067, 'health attribute': 386179, 'attribute and': 102736, 'and comfort': 60115, 'comfort may': 187847, 'from changing': 334823, 'attitude of': 102574, 'of culinary': 582240, 'culinary tide': 220229, 'the dairy category': 852791, 'dairy category with': 224962, 'category with it': 167231, 'with it winning': 999092, 'it winning combination': 462456, 'winning combination of': 996068, 'combination of health': 187102, 'of health attribute': 584504, 'health attribute and': 386180, 'attribute and comfort': 102737, 'and comfort may': 60116, 'comfort may benefit': 187848, 'may benefit from': 521060, 'benefit from changing': 126981, 'from changing consumer': 334824, 'changing consumer attitude': 172666, 'consumer attitude of': 196347, 'attitude of culinary': 102575, 'of culinary tide': 582241, 'demand international': 235706, 'flow travel': 311265, 'travel along': 930245, 'severe blow': 753995, 'possible global': 665660, 'the disruption to': 853408, 'chain demand international': 170644, 'demand international trade': 235707, 'international trade flow': 441862, 'trade flow travel': 928491, 'flow travel along': 311266, 'travel along with': 930246, 'along with lockdown': 47060, 'collapse of stock': 186044, 'to is severe': 908528, 'is severe blow': 451813, 'severe blow to': 753996, 'global economy on': 351904, 'on the possible': 604294, 'the possible global': 864075, 'possible global recession': 665661, 'price crumbled': 673361, 'crumbled the': 219738, 'pandemic slashed': 636483, 'slashed global': 773630, 'consumption with': 199969, 'further pressure': 342136, 'cut from': 223348, 'opec producer': 611946, 'oil price crumbled': 597099, 'price crumbled the': 673362, 'crumbled the pandemic': 219739, 'the pandemic slashed': 863097, 'pandemic slashed global': 636484, 'slashed global fuel': 773631, 'global fuel consumption': 351958, 'fuel consumption with': 340146, 'consumption with further': 199970, 'with further pressure': 998590, 'further pressure from': 342137, 'pressure from supply': 671164, 'from supply shock': 337521, 'end of production': 275911, 'production cut from': 681994, 'cut from opec': 223351, 'from opec producer': 336703, 'opec producer and': 611947, 'producer and russia': 680563, 'worker offered': 1007478, 'offered job': 594936, 'stocked worker': 803474, 'job result': 466132, 'offered new': 594950, 'new employment': 558680, 'employment amp': 274576, 'amp training': 54732, 'training under': 929367, 'initiative launched': 438638, 'by are': 151883, 'are ourselves': 88875, '00 worker offered': 610, 'worker offered job': 1007479, 'offered job in': 594937, 'bid to keep': 129491, 'shelf stocked worker': 757591, 'stocked worker who': 803475, 'their job result': 873734, 'job result of': 466134, 'being offered new': 125481, 'offered new employment': 594951, 'new employment amp': 558681, 'employment amp training': 274577, 'amp training under': 54734, 'training under an': 929368, 'under an initiative': 939998, 'an initiative launched': 56345, 'initiative launched by': 438639, 'launched by are': 481970, 'by are ourselves': 151884, 'toiletpaper everything': 921959, 'and toiletpaper everything': 74242, 'toiletpaper everything you': 921960, 'and negative': 67497, 'being destroyed': 125038, 'destroyed because': 239044, 'up nor': 945466, 'nor enough': 566945, 'enough storage': 277639, 'and negative side': 67498, 'is being destroyed': 446076, 'being destroyed because': 125039, 'destroyed because there': 239045, 'pick up nor': 655738, 'up nor enough': 945467, 'nor enough storage': 566946, 'enough storage space': 277640, 'storage space to': 805990, 'breaking uae': 139073, 'uae ministry': 937762, 'economy say': 268197, 'will discount': 993202, 'discount the': 244552, 'several of': 753906, 'support company': 826429, 'breaking uae ministry': 139074, 'uae ministry of': 937763, 'ministry of economy': 533544, 'of economy say': 582970, 'economy say they': 268198, 'they will discount': 883843, 'will discount the': 993203, 'discount the price': 244553, 'price of several': 675568, 'of several of': 589546, 'several of their': 753908, 'their service to': 874666, 'to support company': 915916, 'support company during': 826430, 'company during the': 190623, 'twill': 936563, 'illinois economic': 416280, 'recovery after': 705287, 'recession depends': 704255, 'sentiment expert': 750926, 'say twill': 739414, 'illinois economic recovery': 416281, 'economic recovery after': 267230, 'recovery after covid': 705288, '19 recession depends': 9997, 'recession depends on': 704256, 'on government consumer': 601160, 'government consumer sentiment': 359995, 'consumer sentiment expert': 198911, 'sentiment expert say': 750927, 'expert say twill': 291964, 'worker braving': 1006539, 'braving should': 138283, 'worker given': 1007041, 'glove by': 352623, 'by et': 152501, 'testing thanked': 839657, 'thanked again': 841865, 'supermarket worker braving': 823997, 'worker braving should': 1006540, 'braving should be': 138284, 'key worker given': 473484, 'worker given protective': 1007042, 'mask glove by': 518726, 'glove by et': 352624, 'by et al': 152502, 'to testing thanked': 916407, 'testing thanked again': 839658, 'thanked again and': 841866, 'buying school': 150985, 'school now': 741879, 'now cant': 574350, 'cant provide': 162327, 'with breakfast': 997472, 'club because': 184415, 'now effect': 574585, 'effect working': 269164, 'working parent': 1008866, 'parent getting': 641633, 'still provide': 801075, 'provide dinner': 686263, 'dinner over': 243085, 'week panicbuying': 976728, 'effect of panic': 269057, 'panic buying school': 637871, 'buying school now': 150986, 'school now cant': 741880, 'now cant provide': 574351, 'cant provide the': 162329, 'provide the kid': 686510, 'the kid with': 858798, 'kid with breakfast': 474170, 'with breakfast club': 997473, 'breakfast club because': 138880, 'club because they': 184416, 'any food delivered': 79235, 'food delivered which': 314101, 'delivered which will': 233452, 'which will now': 986500, 'will now effect': 994298, 'now effect working': 574586, 'effect working parent': 269165, 'working parent getting': 1008867, 'parent getting to': 641634, 'getting to and': 349393, 'from work hope': 338410, 'work hope they': 1005263, 'hope they can': 403704, 'can still provide': 159788, 'still provide dinner': 801076, 'provide dinner over': 686264, 'dinner over the': 243086, 'coming week panicbuying': 188284, 'going rate': 355427, 'for prostitute': 324817, 'prostitute but': 684737, 'imagine price': 416767, 'don know the': 253671, 'know the going': 476826, 'the going rate': 856411, 'going rate for': 355428, 'rate for prostitute': 697227, 'for prostitute but': 324818, 'prostitute but imagine': 684738, 'but imagine price': 146008, 'imagine price are': 416768, 'dol nowhere': 252914, 'found grocery': 330226, 'dol nowhere to': 252915, 'be found grocery': 114938, 'found grocery store': 330227, 'reducing potential': 706309, 'about delivery': 25092, 'delivery porch': 234352, 'porch pirate': 664777, 'pirate could': 656932, 'could still': 209719, 'online can help': 607987, 'can help flatten': 158619, 'curve by reducing': 221840, 'by reducing potential': 153743, 'reducing potential exposure': 706310, 'be vigilant about': 117997, 'vigilant about delivery': 957225, 'about delivery porch': 25093, 'delivery porch pirate': 234353, 'porch pirate could': 664778, 'pirate could still': 656933, 'could still be': 209720, 'still be looking': 800259, 'looking for opportunity': 502886, 'coinspeaker': 185692, 'numbersas': 577103, 'coinspeaker dow': 185693, '19 numbersas': 8870, 'numbersas there': 577104, 'there finally': 878387, 'finally appeared': 305942, 'appeared some': 82149, 'about read': 26047, 'coinspeaker dow future': 185694, 'covid 19 numbersas': 213495, '19 numbersas there': 8871, 'numbersas there finally': 577105, 'there finally appeared': 878388, 'finally appeared some': 305943, 'appeared some positive': 82150, 'some positive news': 783606, 'positive news about': 665372, 'news about read': 560185, 'about read more': 26048, 'on suit': 603741, 'like really': 491064, 'really went': 702711, 'went somewhere': 979117, 'somewhere today': 785318, 'today quarantinelife': 920090, 'about to put': 26733, 'put on suit': 690727, 'on suit to': 603742, 'suit to hit': 817796, 'store just to': 808629, 'just to feel': 470089, 'feel like really': 302741, 'like really went': 491065, 'really went somewhere': 702712, 'went somewhere today': 979118, 'somewhere today quarantinelife': 785319, 'franz': 331202, 'sische': 771702, 'supermarktkette': 824276, 'berweist': 127428, 'mitarbeitern': 534503, 'weil': 977728, 'trotz': 932583, 'ihre': 415953, 'pflicht': 653924, 'tun': 935366, 'regierung': 707335, 'befreit': 123349, 'zuschl': 1027916, 'steuer': 799941, 'berichtet': 127322, 'schubert': 742058, 'die franz': 241337, 'franz sische': 331203, 'sische supermarktkette': 771703, 'supermarktkette auchan': 824277, 'auchan berweist': 102818, 'berweist den': 127429, 'den mitarbeitern': 236911, 'mitarbeitern eine': 534504, 'eine pr': 270225, 'pr mie': 668437, 'mie weil': 530846, 'weil sie': 977729, 'sie trotz': 768974, 'trotz de': 932584, 'de ihre': 229074, 'ihre pflicht': 415954, 'pflicht tun': 653925, 'tun die': 935367, 'die regierung': 241446, 'regierung befreit': 707336, 'befreit die': 123350, 'die zuschl': 241495, 'zuschl ge': 1027917, 'ge von': 344927, 'von der': 960417, 'der steuer': 237820, 'steuer berichtet': 799942, 'berichtet schubert': 127323, 'die franz sische': 241338, 'franz sische supermarktkette': 331204, 'sische supermarktkette auchan': 771704, 'supermarktkette auchan berweist': 824278, 'auchan berweist den': 102819, 'berweist den mitarbeitern': 127430, 'den mitarbeitern eine': 236912, 'mitarbeitern eine pr': 534505, 'eine pr mie': 270226, 'pr mie weil': 668438, 'mie weil sie': 530847, 'weil sie trotz': 977730, 'sie trotz de': 768975, 'trotz de ihre': 932585, 'de ihre pflicht': 229075, 'ihre pflicht tun': 415955, 'pflicht tun die': 653926, 'tun die regierung': 935368, 'die regierung befreit': 241447, 'regierung befreit die': 707337, 'befreit die zuschl': 123351, 'die zuschl ge': 241496, 'zuschl ge von': 1027918, 'ge von der': 344928, 'von der steuer': 960418, 'der steuer berichtet': 237821, 'steuer berichtet schubert': 799943, 'invention here': 443629, 'one distillery': 606194, 'distillery got': 247754, 'creative pivoted': 216161, 'pivoted and': 657113, 'of invention here': 585272, 'invention here how': 443630, 'here how one': 393108, 'how one distillery': 408433, 'one distillery got': 606195, 'distillery got creative': 247755, 'got creative pivoted': 358514, 'creative pivoted and': 216162, 'pivoted and began': 657114, 'and began making': 58825, 'began making hand': 123405, 'tilfurthernotice the': 895965, 'offer wa': 594875, 'wa rejected': 963079, 'rejected for': 708335, 'africanart contact': 35234, 'ha along': 369497, 'with civil': 997646, 'mail from': 508613, 'tilfurthernotice the price': 895966, 'of all painting': 579967, 'reasonable offer wa': 703107, 'offer wa rejected': 594876, 'wa rejected for': 963081, 'rejected for africanart': 708336, 'for africanart contact': 319069, 'africanart contact cameroon': 35235, 'now ha along': 574841, 'ha along with': 369498, 'along with civil': 47047, 'with civil war': 997647, 'civil war of': 179566, 'war of over': 966496, 'of over two': 587623, 'two year so': 937410, 'year so time': 1014960, 'so time are': 778523, 'are tough 38': 91166, 'ready to mail': 700964, 'to mail from': 909550, 'mail from boise': 508614, 'think lot': 885383, 'are concern': 85475, 'have anxiety': 379291, 'health med': 386634, 'med schizo': 525914, 'boyfriend lot': 137423, 'lot too': 504400, 'rocket96 think lot': 724955, 'think lot of': 885384, 'like not having': 490880, 'enough food due': 277391, 'selfish panic shopper': 748192, 'shopper are concern': 761385, 'are concern for': 85476, 'concern for me': 192974, 'me and for': 522409, 'and for me': 63148, 'already have anxiety': 47416, 'have anxiety and': 379292, 'anxiety and health': 78653, 'and health med': 64360, 'health med schizo': 386635, 'med schizo affective': 525915, 'my boyfriend lot': 547524, 'boyfriend lot too': 137424, 'owner take': 632569, 'take creative': 832041, 'creative measure': 216151, 'the the novel': 869392, 'novel outbreak supermarket': 573805, 'outbreak supermarket owner': 628675, 'supermarket owner take': 821879, 'owner take creative': 632571, 'take creative measure': 832042, 'creative measure to': 216152, 'protect their staff': 684998, 'spanish retailer': 787410, 'retailer esp': 719132, 'esp ha': 280395, 'that eight': 843684, 'eight more': 270188, 'will exclusively': 993365, 'exclusively process': 289726, 'spanish retailer esp': 787411, 'retailer esp ha': 719133, 'esp ha announced': 280396, 'announced that eight': 77061, 'that eight more': 843685, 'eight more store': 270189, 'more store will': 540477, 'store will exclusively': 811330, 'will exclusively process': 993366, 'exclusively process online': 289727, 'process online order': 679940, 'online order in': 608694, 'order in light': 618315, 'treating home': 931000, 'home workplace': 402569, 'workplace ha': 1009194, 'ha accelerated': 369431, 'accelerated once': 27892, 'pass will': 643233, 'current workfromhome': 221437, 'workfromhome arrangement': 1008410, 'arrangement be': 93711, 'normal or': 567240, 'office what': 595588, 're in lockdown': 698873, 'in lockdown the': 424853, 'lockdown the trend': 500020, 'trend of treating': 931410, 'of treating home': 592439, 'treating home workplace': 931001, 'home workplace ha': 402570, 'workplace ha accelerated': 1009195, 'ha accelerated once': 369432, 'accelerated once the': 27893, 'crisis pass will': 217858, 'pass will the': 643234, 'will the current': 995135, 'the current workfromhome': 852678, 'current workfromhome arrangement': 221438, 'workfromhome arrangement be': 1008411, 'arrangement be the': 93712, 'new normal or': 559165, 'normal or will': 567241, 'or will we': 617815, 'will we all': 995319, 'we all get': 970327, 'the office what': 862083, 'office what do': 595589, 'been significant': 121965, 'shopping result': 763750, 'restriction we': 717416, 'commerce traffic': 188653, 'traffic consumer': 929068, 'consumer embrace': 197348, 'embrace online': 272485, 'shopping these': 764112, 'to launching': 909105, 'launching an': 482060, 'ha been significant': 369923, 'been significant shift': 121967, 'significant shift to': 769519, 'online shopping result': 609247, 'shopping result of': 763751, '19 restriction we': 10186, 'restriction we have': 717417, 'surge in commerce': 828182, 'in commerce traffic': 421598, 'commerce traffic consumer': 188654, 'traffic consumer embrace': 929069, 'consumer embrace online': 197349, 'embrace online shopping': 272486, 'online shopping these': 609305, 'shopping these are': 764113, 'these are easy': 879614, 'are easy step': 86074, 'step to launching': 799653, 'to launching an': 909106, 'launching an commerce': 482061, 'an commerce platform': 55521, 'commerce platform for': 188607, 'platform for your': 658967, 'business to thrive': 144563, 'to thrive during': 917553, 'some info': 783116, 'bank can': 109700, 'here some info': 393581, 'some info about': 783117, 'info about how': 437402, 'how your bank': 409295, 'your bank can': 1022904, 'bank can help': 109701, 'get through 19': 348429, '911': 23441, 'nurse amp': 577190, 'provider police': 686767, 'firefighter emts': 308213, 'emts amp': 275344, 'amp 911': 53347, '911 dispatcher': 23442, 'dispatcher grocery': 246110, 'worker broadband': 1006543, 'broadband phone': 140724, 'phone tech': 655029, 'tech local': 836115, 'tv radio': 936161, 'radio broadcaster': 695433, 'broadcaster construction': 140742, 'construction crew': 195786, 'crew those': 216715, 'keeping light': 472470, 'doctor nurse amp': 250998, 'nurse amp other': 577191, 'amp other healthcare': 54241, 'healthcare provider police': 387255, 'provider police firefighter': 686768, 'police firefighter emts': 663009, 'firefighter emts amp': 308214, 'emts amp 911': 275345, 'amp 911 dispatcher': 53348, '911 dispatcher grocery': 23443, 'dispatcher grocery store': 246111, 'store worker postal': 811562, 'postal worker broadband': 666465, 'worker broadband phone': 1006544, 'broadband phone tech': 140725, 'phone tech local': 655030, 'tech local tv': 836116, 'local tv radio': 498665, 'tv radio broadcaster': 936163, 'radio broadcaster construction': 695434, 'broadcaster construction crew': 140743, 'construction crew those': 195787, 'crew those keeping': 216716, 'those keeping light': 892149, 'keeping light on': 472471, 'light on amp': 489570, 'on amp water': 599317, 'amp water running': 54812, 'water running 19': 969143, 'many mobile': 514285, 'mobile provider': 535017, 'fargo expects': 299052, 'expects retail': 291097, 'impact carrier': 417590, 'carrier subscriber': 165021, 'subscriber growth': 815866, 'but potentially': 146829, 'lower churn': 505809, 'churn wireless': 178429, 'many mobile provider': 514286, 'mobile provider are': 535018, 'provider are closing': 686689, 'retail location in': 718283, 'location in response': 498927, '19 well fargo': 11983, 'well fargo expects': 978238, 'fargo expects retail': 299053, 'expects retail store': 291098, 'closure to impact': 184051, 'to impact carrier': 908148, 'impact carrier subscriber': 417591, 'carrier subscriber growth': 165022, 'subscriber growth but': 815867, 'growth but potentially': 367357, 'but potentially lower': 146830, 'potentially lower churn': 667227, 'lower churn wireless': 505810, 'young american': 1022562, 'american guy': 52011, 'on knowing': 601774, 'knowing about': 477103, 'himself know': 396810, 'and film': 62850, 'film myself': 305694, 'myself running': 550927, 'running my': 728009, 'my tongue': 550399, 'tongue along': 924327, 'medicine on': 526852, 'just seen video': 469745, 'video of young': 956839, 'of young american': 593437, 'young american guy': 1022563, 'american guy who': 52012, 'guy who on': 369232, 'who on knowing': 989373, 'on knowing about': 601775, 'knowing about covid': 477104, '19 thought to': 11370, 'thought to himself': 893277, 'to himself know': 907783, 'himself know ll': 396811, 'know ll go': 476575, 'supermarket and film': 818981, 'and film myself': 62851, 'film myself running': 305695, 'myself running my': 550928, 'running my tongue': 728010, 'my tongue along': 550400, 'tongue along all': 924328, 'all the medicine': 44826, 'the medicine on': 860410, 'medicine on the': 526853, 'the shelf what': 866898, 'shelf what fucking': 757781, 'what fucking idiot': 981481, 'right american': 721746, 'insurance through': 440823, 'can lose': 158905, 'job if': 465867, 'your employer': 1023666, 'employer cut': 274500, 'covid19 which': 214401, 'then mean': 877337, 'insurance which': 440831, 'get treated': 348534, 'treated for': 930954, 'you lost': 1019717, 'so do get': 776882, 'do get this': 249331, 'this right american': 889903, 'right american friend': 721747, 'american friend you': 51989, 'friend you get': 333930, 'you get health': 1018775, 'get health insurance': 347200, 'health insurance through': 386552, 'insurance through your': 440824, 'through your job': 894923, 'your job but': 1024524, 'job but you': 465713, 'you can lose': 1017719, 'can lose your': 158907, 'your job if': 1024530, 'job if your': 465868, 'if your employer': 415575, 'your employer cut': 1023667, 'employer cut cost': 274501, 'cut cost due': 223282, 'to covid19 which': 903677, 'covid19 which then': 214402, 'which then mean': 986388, 'then mean you': 877338, 'mean you ve': 524791, 'you ve lost': 1022051, 've lost your': 953351, 'lost your insurance': 503959, 'your insurance which': 1024502, 'insurance which would': 440832, 'you get treated': 1018803, 'get treated for': 348535, 'treated for the': 930955, 'health crisis you': 386359, 'crisis you lost': 218466, 'you lost your': 1019719, 'your job for': 1024529, 'work work': 1006057, 'nig supermarket': 562693, 'work said': 1005683, 'provide hand': 686341, 'gel but': 345101, 'but mainly': 146335, 'for ch': 320005, 'to work work': 918808, 'work work in': 1006059, 'work in nig': 1005329, 'in nig supermarket': 425871, 'nig supermarket but': 562694, 'supermarket but this': 819462, 'but this person': 147555, 'this person is': 889537, 'person is right': 652507, 'is right my': 451538, 'right my work': 722001, 'my work said': 550645, 'work said they': 1005684, 'said they will': 731490, 'they will provide': 883875, 'will provide hand': 994515, 'provide hand gel': 686342, 'hand gel but': 374975, 'gel but mainly': 345102, 'but mainly for': 146336, 'mainly for ch': 508877, 'knee we': 476017, 'all living': 43400, 'living very': 496469, 'different life': 241984, 'life everything': 488638, 'everything changed': 287728, 'changed going': 172483, 'past people': 643585, 'street school': 813095, 'school uni': 741964, 'uni shop': 941713, 'closed wfh': 183434, 'wfh when': 980863, 'normal to': 567372, 'greet people': 363789, 'people again': 646785, 'with handshake': 998733, 'handshake or': 376729, 'virus ha brought': 958246, 'it knee we': 459283, 'knee we are': 476018, 'are all living': 84324, 'all living very': 43401, 'living very different': 496470, 'very different life': 955112, 'different life everything': 241985, 'life everything changed': 488639, 'everything changed going': 287729, 'changed going to': 172484, 'supermarket walking past': 823720, 'walking past people': 965086, 'past people in': 643586, 'the street school': 868246, 'street school uni': 813096, 'school uni shop': 741965, 'uni shop closed': 941714, 'shop closed wfh': 760051, 'closed wfh when': 183435, 'wfh when will': 980864, 'when will it': 984501, 'it be normal': 456733, 'be normal to': 116123, 'normal to greet': 567374, 'to greet people': 907000, 'greet people again': 363790, 'people again with': 646786, 'again with handshake': 37277, 'with handshake or': 998734, 'handshake or hug': 376730, 'scary am': 741127, 'horrified and': 404159, 'time wondering': 898373, 'low number': 505427, 'new covid19': 558565, 'covid19 case': 214283, 'greece 19': 363338, 'the supermarket never': 868712, 'supermarket never thought': 821594, 'never thought it': 558227, 'be so scary': 117264, 'so scary am': 778157, 'scary am horrified': 741128, 'am horrified and': 50127, 'horrified and at': 404160, 'same time wondering': 733378, 'time wondering how': 898374, 'can have such': 158587, 'have such low': 382836, 'such low number': 816609, 'low number of': 505428, 'of new covid19': 586961, 'new covid19 case': 558566, 'covid19 case in': 214284, 'case in greece': 165793, 'in greece 19': 423421, 'gaza like': 344749, 'of hhs': 584603, 'hhs don': 394579, 'in gaza like': 423237, 'gaza like many': 344750, 'like many place': 490708, 'many place in': 514564, 'world most of': 1009807, 'most of hhs': 542547, 'of hhs don': 584604, 'hhs don have': 394580, 'the capacity and': 850355, 'capacity and mean': 162493, 'and mean to': 66848, 'mean to stock': 524745, 'essential item we': 281235, 'face of this': 294679, 'breaking gilead': 138953, 'ha withdrawn': 372488, 'withdrawn their': 1002276, 'their request': 874554, 'for orphan': 324169, 'designation of': 238325, 'of experimental': 583323, 'experimental covid': 291746, 'drug gilead': 260960, 'gilead received': 350125, 'designation courtesy': 238321, 'fda which': 300953, 'them yr': 876688, 'yr monopoly': 1027024, 'potentially life': 667222, 'saving drug': 737862, 'breaking gilead ha': 138954, 'gilead ha withdrawn': 350119, 'ha withdrawn their': 372489, 'withdrawn their request': 1002277, 'their request for': 874555, 'request for orphan': 713162, 'for orphan drug': 324170, 'drug designation of': 260934, 'designation of experimental': 238326, 'of experimental covid': 583324, 'experimental covid 19': 291747, '19 drug gilead': 6662, 'drug gilead received': 260961, 'gilead received the': 350126, 'received the designation': 703693, 'the designation courtesy': 853184, 'designation courtesy of': 238322, 'courtesy of trump': 212055, 'of trump fda': 592473, 'trump fda which': 933552, 'fda which would': 300954, 'would have given': 1011877, 'given them yr': 351170, 'them yr monopoly': 876689, 'yr monopoly on': 1027025, 'monopoly on amp': 537434, 'on amp the': 599316, 'amp the ability': 54643, 'ability to control': 24390, 'of the potentially': 591353, 'the potentially life': 864134, 'potentially life saving': 667223, 'life saving drug': 489011, 'behavior tracking': 124272, 'unprecedented impact': 943144, 'on cpg': 600150, 'cpg shopping': 214616, 'behavior nielsen': 124124, 'consumer behavior tracking': 196531, 'behavior tracking the': 124273, 'tracking the unprecedented': 928373, 'the unprecedented impact': 870457, 'unprecedented impact of': 943145, '19 on cpg': 8939, 'on cpg shopping': 600151, 'cpg shopping behavior': 214617, 'shopping behavior nielsen': 762208, 'booming industry': 134882, 'amid why': 52760, 'why build': 990850, 'build not': 141994, 'australia booming industry': 103241, 'booming industry stall': 134883, 'price amid why': 672322, 'amid why build': 52761, 'why build not': 990851, 'build not for': 141995, 'not for profit': 569496, 'dampening': 225505, 'rise russia': 722991, 'russia say': 728565, 'output fueling': 629269, 'fueling hope': 340344, 'of historic': 584673, 'cause dramatic': 167541, 'dramatic dampening': 258275, 'dampening in': 225506, 'price rise russia': 676244, 'rise russia say': 722992, 'russia say it': 728566, 'say it ready': 738858, 'it ready to': 460615, 'ready to cut': 700949, 'cut output fueling': 223471, 'output fueling hope': 629270, 'fueling hope of': 340345, 'hope of historic': 403569, 'of historic oil': 584674, 'historic oil deal': 397964, 'oil deal to': 596731, 'deal to slash': 229510, 'to slash global': 914717, 'slash global supply': 773567, 'global supply the': 352240, 'supply the cause': 825960, 'the cause dramatic': 850542, 'cause dramatic dampening': 167542, 'dramatic dampening in': 258276, 'dampening in demand': 225507, 'retail home': 718183, 'furnishing my': 341948, 'woman while': 1003669, 'while coughing': 986721, 'coughing said': 208746, 'everything closed': 287730, 'associate replied': 96890, 'replied well': 711725, 'she rolled': 756300, 'rolled her': 725638, 'so work in': 778807, 'in retail home': 427455, 'retail home furnishing': 718184, 'home furnishing my': 401284, 'furnishing my store': 341949, 'open people are': 612438, 'coming in group': 188091, 'in group one': 423455, 'group one woman': 366820, 'one woman while': 607496, 'woman while coughing': 1003670, 'while coughing said': 986722, 'coughing said why': 208747, 'said why is': 731590, 'is everything closed': 447592, 'everything closed to': 287731, 'closed to which': 183404, 'to which the': 918559, 'which the sale': 986379, 'the sale associate': 866174, 'sale associate replied': 732081, 'associate replied well': 96891, 'replied well covid': 711726, '19 she rolled': 10443, 'she rolled her': 756301, 'rolled her eye': 725639, 'her eye and': 392028, 'time no1': 897274, 'no1 see': 565951, 'fb page': 300663, 'corona time no1': 204240, 'time no1 see': 897275, 'no1 see more': 565952, 'see more on': 745433, 'more on my': 539926, 'my fb page': 548290, 'distri': 247949, 'kenya fm': 472899, 'fm ke': 311703, 'ke the': 471241, 'true reflection': 933153, 'reflection on': 706668, 'leadership character': 483591, 'character good': 173154, 'not hope': 570016, 'elephant will': 271359, 'attack distri': 102100, 'kenya fm ke': 472900, 'fm ke the': 311704, 'ke the measure': 471242, 'the measure put': 860370, 'measure put in': 525298, 'place by your': 657375, 'your government are': 1024079, 'government are true': 359904, 'are true reflection': 91214, 'true reflection on': 933154, 'reflection on your': 706671, 'on your leadership': 605477, 'your leadership character': 1024602, 'leadership character good': 483592, 'character good to': 173155, 'good to go': 357881, 'go but let': 353386, 'let not hope': 486939, 'not hope the': 570017, 'hope the elephant': 403674, 'the elephant will': 854194, 'elephant will attack': 271360, 'will attack distri': 992321, 'tagged': 831779, 'answer sanitizer': 78105, 'puzzle tagged': 691337, 'tagged rma': 831780, 'answer sanitizer italy': 78106, 'competition puzzle tagged': 191734, 'puzzle tagged rma': 691338, 'alternative we are': 49281, 'crisis tie': 218237, 'tie in': 895739, 'in nicely': 425868, 'nicely with': 562538, 'nice post from': 562464, 'post from about': 666140, 'from about the': 334363, 'about the likely': 26436, 'likely impact will': 492028, 'impact will have': 418046, 'and work after': 75845, 'work after the': 1004716, 'after the health': 36322, 'health crisis tie': 386351, 'crisis tie in': 218238, 'tie in nicely': 895740, 'in nicely with': 425869, 'nicely with my': 562539, 'obstruction': 578722, 'the pundit': 864911, 'pundit haven': 689186, 'to supplychain': 915893, 'supplychain disruption': 826173, 'disruption severe': 246521, 'severe obstruction': 754038, 'obstruction to': 578723, 'and importer': 65034, 'importer asia': 419193, 'is something the': 452113, 'something the pundit': 785087, 'the pundit haven': 864912, 'pundit haven been': 689187, 'haven been talking': 383763, 'been talking about': 122139, 'talking about food': 833964, 'shortage in china': 765012, 'china in relation': 176731, 'relation to supplychain': 708677, 'to supplychain disruption': 915894, 'supplychain disruption severe': 826175, 'disruption severe obstruction': 246522, 'severe obstruction to': 754039, 'obstruction to the': 578724, 'to the flow': 916715, 'flow of food': 311250, 'food to china': 317239, 'to china the': 902729, 'china the world': 176990, 'largest food consumer': 479953, 'food consumer and': 313998, 'consumer and importer': 196216, 'and importer asia': 65035, 'importer asia economy': 419194, 'asia economy stock': 95172, 'gone jason': 356320, 'shopper cannot': 761451, 'for stageit': 325860, '19 is gone': 7979, 'is gone jason': 448119, 'gone jason offer': 356321, 'live it very': 495907, 'get food due': 347038, 'panic shopper cannot': 638553, 'shopper cannot risk': 761452, 'it go for': 458260, 'go for stageit': 353573, 'for stageit now': 325861, 'fashionnova': 299891, 'casket': 166736, 'email everyone': 272168, 'else an': 271621, 'update about': 946839, 'policy fashionnova': 663403, 'fashionnova no': 299892, 'just deal': 468555, 'deal down': 229387, 'chill make': 176360, 'open casket': 612145, 'casket today': 166737, 'today 20': 919127, 'my email everyone': 548086, 'email everyone else': 272169, 'everyone else an': 286844, 'else an update': 271622, 'an update about': 56924, 'update about our': 946840, '19 policy fashionnova': 9745, 'policy fashionnova no': 663404, 'fashionnova no toilet': 299893, 'paper just deal': 640391, 'just deal down': 468556, 'deal down for': 229388, 'down for quarantine': 256776, 'for quarantine and': 324896, 'and chill make': 59837, 'chill make sure': 176361, 'sure you look': 827868, 'you look good': 1019696, 'look good in': 502393, 'in the open': 429420, 'the open casket': 862379, 'open casket today': 612146, 'casket today 20': 166738, 'today 20 off': 919128, '20 off our': 13216, 'off our price': 594041, 'and the population': 73518, 'exhibit': 290204, 'the exhibit': 854688, 'exhibit below': 290207, 'below come': 126618, 'italy survey': 462937, 'data collected': 226176, 'collected march': 186365, '21 22': 14960, '2020 crisis': 14261, 'the exhibit below': 854689, 'exhibit below come': 290208, 'below come from': 126619, 'come from italy': 187307, 'from italy survey': 336136, 'italy survey data': 462938, 'survey data collected': 828851, 'data collected march': 226177, 'collected march 21': 186366, 'march 21 22': 515172, '21 22 2020': 14961, '22 2020 crisis': 15166, 'bpl': 137460, 'while 24': 986552, '24 lakh': 15645, 'lakh below': 479097, 'line bpl': 493015, 'bpl family': 137461, 'with eligible': 998195, 'eligible ration': 271432, '11 lakh': 2546, 'lakh family': 479105, 'still under': 801348, 'under process': 940212, 'while 24 lakh': 986553, '24 lakh below': 15646, 'lakh below poverty': 479098, 'poverty line bpl': 667506, 'line bpl family': 493016, 'bpl family in': 137462, 'state are covered': 795384, 'are covered in': 85595, 'the public distribution': 864799, 'public distribution system': 687953, 'distribution system with': 248234, 'system with eligible': 831388, 'with eligible ration': 998196, 'eligible ration card': 271433, 'ration card the': 697658, 'card the application': 163669, 'the application for': 848831, 'application for ration': 82454, 'for ration card': 324964, 'ration card of': 697656, 'card of 11': 163590, 'of 11 lakh': 579333, '11 lakh family': 2547, 'lakh family are': 479106, 'family are still': 297633, 'are still under': 90495, 'still under process': 801349, '10 luzonlockdown': 1504, 'luzonlockdown thing': 507010, 'getting worst': 349458, 'worst number': 1011225, 'supply depleting': 825162, 'depleting when': 237429, 'day 10 luzonlockdown': 227088, '10 luzonlockdown thing': 1505, 'luzonlockdown thing are': 507011, 'are getting worst': 86838, 'getting worst number': 349459, 'worst number are': 1011226, 'going up supermarket': 355794, 'up supermarket supply': 946098, 'supermarket supply depleting': 823047, 'supply depleting when': 825163, 'depleting when will': 237430, 'will this be': 995191, 'this be over': 886501, 'diycleaning': 248787, 'springcleaning': 791271, 'home shine': 402049, 'shine with': 758616, '15 homemade': 3722, 'homemade cleaner': 402820, 'cleaner diy': 180772, 'diy diycleaning': 248731, 'diycleaning springcleaning': 248788, 'springcleaning disinfect': 791272, 'disinfect sanitizer': 245569, 'your home shine': 1024373, 'home shine with': 402050, 'shine with these': 758617, 'with these 15': 1001634, 'these 15 homemade': 879565, '15 homemade cleaner': 3723, 'homemade cleaner diy': 402821, 'cleaner diy diycleaning': 180773, 'diy diycleaning springcleaning': 248732, 'diycleaning springcleaning disinfect': 248789, 'springcleaning disinfect sanitizer': 791273, 'thn': 891667, 'respect ur': 715087, 'ur concern': 947992, 'poor class': 664148, 'class bt': 180158, 'bt once': 141472, 'outbreak thn': 628750, 'thn it': 891668, 'italy think': 462949, 'think shd': 885524, 'shd go': 755837, 'complete lock': 192110, 'bill le': 130611, 'le thn': 483200, 'respect ur concern': 715088, 'ur concern poor': 947993, 'concern poor class': 193059, 'poor class bt': 664149, 'class bt once': 180159, 'bt once this': 141473, 'this outbreak thn': 889332, 'outbreak thn it': 628751, 'thn it will': 891669, 'possible to control': 665842, 'control it happened': 202040, 'it happened in': 458468, 'happened in italy': 377252, 'in italy think': 424320, 'italy think shd': 462950, 'think shd go': 885525, 'shd go for': 755838, 'go for complete': 353553, 'for complete lock': 320217, 'complete lock down': 192111, 'down for week': 256780, 'for week with': 327766, 'week with these': 977268, 'with these thing': 1001662, 'these thing no': 880817, 'thing no utility': 884623, 'utility bill le': 951265, 'bill le thn': 130612, 'comforted': 187895, 'curious you': 220995, 'symptom right': 830910, 'right feel': 721895, 'feel comforted': 302593, 'comforted when': 187896, 'too worried': 925175, 'worried abt': 1010535, 'abt my': 27536, 'item having': 463326, 'having droplet': 384043, 'just curious you': 468549, 'curious you could': 220996, 'could be carrier': 208849, 'be carrier of': 114012, '19 even without': 6860, 'even without the': 284812, 'without the symptom': 1002980, 'the symptom right': 869080, 'symptom right feel': 830911, 'right feel comforted': 721896, 'feel comforted when': 302594, 'comforted when see': 187897, 'when see shopper': 983977, 'see shopper with': 745674, 'shopper with mask': 761837, 'mask on in': 519050, 'supermarket so not': 822737, 'so not too': 777902, 'not too worried': 572226, 'too worried abt': 925176, 'worried abt my': 1010536, 'abt my shopping': 27537, 'my shopping item': 550058, 'shopping item having': 763109, 'item having droplet': 463327, 'care cost': 163900, 'are prominent': 89276, 'prominent worry': 683660, 'many californian': 513857, 'californian in': 155646, 'consumer tracking': 199352, 'tracking poll': 928350, 'poll released': 663851, 'released last': 709057, 'californian surveyed': 155652, 'very or': 955398, 'or somewhat': 617167, 'somewhat worried': 785285, 'health care cost': 386227, 'care cost are': 163901, 'cost are prominent': 207869, 'are prominent worry': 89277, 'prominent worry for': 683661, 'worry for many': 1010706, 'for many californian': 323212, 'many californian in': 513858, 'californian in our': 155647, 'our consumer tracking': 622552, 'consumer tracking poll': 199353, 'tracking poll released': 928351, 'poll released last': 663852, 'released last week': 709058, 'last week one': 480666, 'week one third': 976687, 'third of californian': 886086, 'of californian surveyed': 581049, 'californian surveyed said': 155653, 'they are very': 881451, 'are very or': 91472, 'very or somewhat': 955399, 'or somewhat worried': 617168, 'somewhat worried about': 785286, 'worried about being': 1010476, 'to afford treatment': 900165, 'afford treatment of': 34819, '19 if needed': 7660, 'try voucher': 934684, 'but effort': 145639, 'effort is': 269539, 'is modest': 449679, 'modest compared': 535430, 'to hong': 907946, 'kong united': 477417, 'state china': 795456, 'china try voucher': 177028, 'try voucher to': 934685, 'voucher to boost': 960675, 'boost consumer amid': 134932, 'consumer amid coronavirus': 196180, 'amid coronavirus but': 52415, 'coronavirus but effort': 205585, 'but effort is': 145640, 'effort is modest': 269540, 'is modest compared': 449680, 'modest compared to': 535431, 'compared to hong': 191427, 'to hong kong': 907947, 'hong kong united': 403213, 'kong united state': 477418, 'united state china': 942208, 'state china china': 795457, 'vra': 960756, 'noshortagehere': 567959, 'getawaywithvra': 348769, 'pnw': 662118, 'cda': 168536, 'alwaysprepared': 49814, 'at vra': 101462, 'vra we': 960757, 'always prepared': 49690, 'prepared toiletpaper': 670260, 'toiletpaper noshortagehere': 922264, 'noshortagehere getawaywithvra': 567960, 'getawaywithvra pnw': 348770, 'pnw cda': 662119, 'cda idaho': 168537, 'idaho idahome': 412971, 'idahome tp': 412985, 'tp alwaysprepared': 927735, 'at vra we': 101463, 'vra we are': 960758, 'are always prepared': 84507, 'always prepared toiletpaper': 49691, 'prepared toiletpaper noshortagehere': 670261, 'toiletpaper noshortagehere getawaywithvra': 922265, 'noshortagehere getawaywithvra pnw': 567961, 'getawaywithvra pnw cda': 348771, 'pnw cda idaho': 662120, 'cda idaho idahome': 168538, 'idaho idahome tp': 412972, 'idahome tp alwaysprepared': 412986, 'gosh where': 358346, 'gosh where is': 358347, 'christoph': 178211, 'harrod': 378519, 'christoph mueller': 178212, 'mueller airline': 545528, 'much different': 544830, 'from harrod': 335728, 'harrod it': 378520, 'about revenue': 26101, 'revenue per': 720464, 'per sqft': 651025, 'sqft if': 791432, 'game ticket': 343267, 'for airline': 319089, 'be profitable': 116566, 'christoph mueller airline': 178213, 'mueller airline are': 545529, 'that much different': 845244, 'much different from': 544831, 'different from harrod': 241953, 'from harrod it': 335729, 'harrod it about': 378521, 'it about revenue': 456238, 'about revenue per': 26102, 'revenue per sqft': 720465, 'per sqft if': 651026, 'sqft if social': 791433, 'new rule of': 559523, 'rule of the': 727308, 'the game ticket': 856128, 'game ticket price': 343268, 'ticket price need': 895652, 'up for airline': 944914, 'for airline to': 319090, 'airline to be': 40049, 'to be profitable': 901463, 'raised people': 696020, 'awful who raised': 106255, 'who raised people': 989493, 'raised people that': 696021, 'that do this': 843572, 'great could': 362593, 'great could see': 362594, 'edge across': 268489, 'pandemic ha many': 635557, 'people on edge': 648959, 'on edge across': 600517, 'edge across the': 268490, 'effect under': 269150, 'official order': 595867, 'order jackson': 618349, 'jackson county': 464203, 'county missouri': 211442, 'missouri which': 534446, 'includes kansa': 431768, 'city missouri': 179259, 'missouri for': 534428, 'retail store change': 718623, 'store change in': 806945, 'change in effect': 172117, 'in effect under': 422509, 'effect under official': 269151, 'under official order': 940182, 'official order jackson': 595868, 'order jackson county': 618350, 'jackson county missouri': 464204, 'county missouri which': 211443, 'missouri which includes': 534447, 'which includes kansa': 985959, 'includes kansa city': 431769, 'kansa city missouri': 470807, 'city missouri for': 179260, 'missouri for those': 534429, 'wwg2wga': 1013684, 'whitehousepressconference': 987957, 'ye of': 1014221, 'little brain': 495267, 'brain when': 137605, 'otherwise into': 621847, 'public maybe': 688160, 'll wear': 497099, 'mask just': 518884, 'like rightfully': 491095, 'rightfully suggests': 722454, 'suggests corona': 817689, 'corona wwg2wga': 204404, 'wwg2wga kag': 1013685, 'kag whitehousepressconference': 470619, 'ye of little': 1014222, 'of little brain': 585896, 'little brain when': 495268, 'brain when go': 137606, 'store or otherwise': 809355, 'or otherwise into': 616456, 'otherwise into the': 621848, 'into the general': 443131, 'general public maybe': 345456, 'public maybe then': 688161, 'maybe then he': 521837, 'then he ll': 877240, 'he ll wear': 385202, 'll wear mask': 497100, 'wear mask just': 974391, 'mask just like': 518886, 'just like rightfully': 469155, 'like rightfully suggests': 491096, 'rightfully suggests corona': 722455, 'suggests corona wwg2wga': 817690, 'corona wwg2wga kag': 204405, 'wwg2wga kag whitehousepressconference': 1013686, 'is an excellent': 445661, 'excellent idea this': 289089, 'idea this stuff': 413194, 'stuff is rare': 815105, 'are the tipping': 90920, 'see holiday': 745209, 'changing holiday': 172721, 'or charging': 614704, 'charging huge': 173491, 'is canceled': 446364, 'canceled this': 160961, 'some unite': 784136, 'in difficulty': 422265, 'difficulty others': 242395, 'others benefit': 621307, 'benefit tui': 127126, 'tui self': 935247, 'to see holiday': 914020, 'see holiday company': 745210, 'holiday company raising': 400276, 'to charge for': 902638, 'charge for changing': 173233, 'for changing holiday': 320016, 'changing holiday from': 172722, 'next or charging': 561496, 'or charging huge': 614705, 'charging huge amount': 173492, 'huge amount if': 409975, 'amount if it': 53189, 'it is canceled': 458896, 'is canceled this': 446365, 'canceled this year': 160962, 'year some unite': 1014967, 'some unite in': 784137, 'unite in difficulty': 942125, 'in difficulty others': 422266, 'difficulty others benefit': 242396, 'others benefit tui': 621308, 'benefit tui self': 127127, 'tui self employed': 935248, 'else keep': 271770, 'keep wondering': 472214, 'were president': 979996, 'anyone else keep': 80273, 'else keep wondering': 271771, 'keep wondering how': 472215, 'wondering how it': 1004157, 'how it would': 408147, 'would be different': 1011573, 'be different if': 114446, 'different if were': 241965, 'if were president': 415343, 'percentage drop': 651202, 'coronavirus reduced': 206627, 'weekly percentage drop': 977526, 'percentage drop since': 651203, 'drop since 1991': 260389, 'the coronavirus reduced': 851897, 'coronavirus reduced demand': 206628, 'reduced demand while': 706059, 'auspo': 103068, 'they hate': 882285, 'hate their': 378919, 'and openly': 68175, 'openly lie': 612958, 'product feature': 681179, 'price anyway': 672600, 'anyway why': 81064, 'would contribute': 1011734, 'contribute under': 201888, 'under any': 940003, 'any circumstance': 79022, 'thing harvey': 884397, 'harvey care': 378668, 'world his': 1009637, 'beyond me': 129195, 'me auspo': 522486, 'they hate their': 882286, 'hate their customer': 378920, 'customer and openly': 222091, 'and openly lie': 68176, 'openly lie to': 612959, 'lie to them': 488389, 'to them about': 917285, 'them about product': 875308, 'about product feature': 26002, 'product feature and': 681180, 'feature and special': 301537, 'and special price': 72067, 'special price anyway': 788027, 'price anyway why': 672601, 'anyway why anyone': 81065, 'why anyone would': 990755, 'anyone would contribute': 80662, 'would contribute under': 1011735, 'contribute under any': 201889, 'under any circumstance': 940004, 'any circumstance to': 79023, 'circumstance to the': 178758, 'only thing harvey': 611304, 'thing harvey care': 884398, 'harvey care about': 378669, 'care about in': 163792, 'this world his': 891513, 'world his profit': 1009638, 'his profit is': 397736, 'profit is beyond': 682787, 'is beyond me': 446161, 'beyond me auspo': 129196, 'wpf': 1012635, 'chain wpf': 171275, 'wpf read': 1012636, '19 can impact': 5611, 'can impact global': 158728, 'supply chain wpf': 825074, 'chain wpf read': 171276, 'wpf read story': 1012637, 'latest detail': 481294, 'how fraudsters': 407884, 'take consumer': 832035, 'info learn': 437509, 'our latest detail': 623659, 'latest detail how': 481295, 'detail how fraudsters': 239202, 'how fraudsters are': 407885, 'to take consumer': 916167, 'take consumer money': 832036, 'and personal info': 68925, 'personal info learn': 652883, 'info learn more': 437510, 'mystery where': 551019, 'where message': 985029, 'the mystery': 861173, 'need some relief': 555598, 'some relief and': 783723, 'want to improve': 966054, 'improve your detective': 419557, 'bottle mystery where': 136265, 'mystery where message': 551020, 'where message is': 985030, 'message is found': 529350, 'is found in': 447917, 'found in bottle': 330248, 'find the author': 307280, 'of the mystery': 591259, 'bought safe': 136695, 'safe eco': 729619, 'friendly product': 333984, 'price similar': 676408, 'appreciates the': 82854, 'site convenient': 771897, 'in an online': 420326, 'store and bought': 806206, 'and bought safe': 59111, 'bought safe eco': 136696, 'safe eco friendly': 729620, 'eco friendly product': 266658, 'friendly product at': 333985, 'product at price': 680979, 'at price similar': 100203, 'price similar to': 676409, 'what you pay': 982687, 'pay in store': 644954, 'family appreciates the': 297620, 'appreciates the site': 82855, 'the site convenient': 867230, 'site convenient direct': 771898, 'convenient direct to': 202395, 'direct to home': 243397, 'sheldon': 756666, 'adobeanalytics': 32656, 'adobeexpcloud rt': 32660, 'rt peter': 726794, 'peter sheldon': 653533, 'sheldon online': 756667, 'cold flu': 185755, 'to adobeanalytics': 900123, 'adobeanalytics data': 32657, 'data adobeexpcloud': 226113, 'adobeexpcloud rt peter': 32661, 'rt peter sheldon': 726795, 'peter sheldon online': 653534, 'sheldon online purchase': 756668, '186 cold flu': 4653, 'cold flu product': 185756, 'according to adobeanalytics': 28516, 'to adobeanalytics data': 900124, 'adobeanalytics data adobeexpcloud': 32658, 'krise': 477685, 'rising yield': 723327, 'yield collapsing': 1016365, 'collapsing stock': 186150, 'price mi': 675228, 'mi money': 530132, 'money inflation': 536833, 'inflation crypto': 437153, 'crypto gold': 219950, 'gold europe': 355884, 'europe investing': 283463, 'investing ecb': 443919, 'ecb fed': 266604, 'fed freedom': 301820, 'freedom fed': 332364, 'fed bitcoin': 301786, 'bitcoin krise': 131824, 'rising yield collapsing': 723328, 'yield collapsing stock': 1016366, 'collapsing stock price': 186151, 'stock price mi': 802733, 'price mi money': 675229, 'mi money inflation': 530133, 'money inflation crypto': 536834, 'inflation crypto gold': 437154, 'crypto gold europe': 219951, 'gold europe investing': 355885, 'europe investing ecb': 283464, 'investing ecb fed': 443920, 'ecb fed freedom': 266605, 'fed freedom fed': 301821, 'freedom fed bitcoin': 332365, 'fed bitcoin krise': 301787, 'literate': 495120, 'cann': 161377, 'shopping accommodation': 761878, 'group challenge': 366638, 'be cannot': 113972, 'income accessibility': 432270, 'accessibility requires': 28323, 'requires shopping': 713495, 'efficient they': 269439, 'be computer': 114172, 'computer literate': 192743, 'literate so': 495121, 'so cann': 776735, 'is the state': 452946, 'the state making': 867790, 'state making shopping': 795760, 'making shopping accommodation': 511339, 'shopping accommodation for': 761879, 'accommodation for covid': 28449, '19 at risk': 5245, 'risk group challenge': 723588, 'group challenge may': 366639, 'may be cannot': 520955, 'be cannot stock': 113973, 'up on item': 945585, 'on item on': 601708, 'item on fixed': 463502, 'fixed income accessibility': 309800, 'income accessibility requires': 432271, 'accessibility requires shopping': 28324, 'requires shopping to': 713496, 'be quick and': 116665, 'quick and efficient': 694276, 'and efficient they': 61965, 'efficient they may': 269440, 'not be computer': 568365, 'be computer literate': 114173, 'computer literate so': 192744, 'literate so cann': 495122, 'remove fake': 710818, 'fake claim': 296582, 'joke on': 467119, 'now remove fake': 575674, 'remove fake claim': 710819, 'fake claim news': 296583, 'claim news and': 179767, 'news and racist': 560236, 'racist joke on': 695320, 'gov video': 359728, 'from passenger': 336857, 'passenger showing': 643345, 'showing even': 767442, 'after paying': 36024, 'still left': 800788, 'disarray at': 244176, 'gov video from': 359729, 'video from passenger': 956744, 'from passenger showing': 336858, 'passenger showing even': 643346, 'showing even after': 767443, 'even after paying': 283818, 'after paying the': 36025, 'paying the extortionate': 645496, 'extortionate price they': 293403, 'are still left': 90442, 'still left in': 800789, 'left in disarray': 485512, 'in disarray at': 422286, 'disarray at the': 244177, 'is this grocery': 453091, 'trying to tell': 934890, 'commercial ad': 188668, 'and listing': 66228, 'are now also': 88521, 'sanitizer wipe and': 736115, 'kit in commercial': 475572, 'in commercial ad': 421601, 'commercial ad and': 188669, 'ad and listing': 31056, 'and listing this': 66229, 'against the inflated': 37664, 'the inflated price': 858233, 'behavior we are': 124294, 'not tolerate': 572217, 'exceptional need': 289299, 'need arrest': 554481, 'arrest people': 93766, 'an operation': 56662, 'online seller are': 608958, 'seller are jacking': 748976, 'up price to': 945839, 'price to line': 677009, 'pandemic will not': 637013, 'will not tolerate': 994282, 'not tolerate price': 572218, 'gouging in this': 359353, 'time of exceptional': 897329, 'of exceptional need': 583285, 'exceptional need arrest': 289300, 'need arrest people': 554482, 'arrest people in': 93767, 'people in an': 648345, 'in an operation': 420327, 'are 22': 84119, '22 new': 15231, 'ireland bringing': 444815, 'to 108': 899445, '108 in': 2265, 'largest daily': 479939, 'daily increase': 224643, 'date meanwhile': 226679, 'normal saturday': 567302, 'there are 22': 878054, 'are 22 new': 84120, '22 new positive': 15232, 'new positive case': 559316, 'of in northern': 585035, 'in northern ireland': 425953, 'northern ireland bringing': 567759, 'ireland bringing the': 444816, 'of case to': 581178, 'case to 108': 166070, 'to 108 in': 899446, '108 in the': 2266, 'in the largest': 429306, 'the largest daily': 858961, 'largest daily increase': 479940, 'daily increase to': 224644, 'increase to date': 433136, 'to date meanwhile': 903934, 'date meanwhile your': 226680, 'meanwhile your local': 525057, 'supermarket and shopping': 819063, 'is packed with': 450774, 'packed with family': 633665, 'with family if': 998379, 'family if it': 297909, 'if it normal': 414324, 'it normal saturday': 459843, 'para': 641208, 'aque': 83787, 'in para': 426498, 'para aque': 641209, 'aque city': 83788, 'proper distancing': 684097, 'distancing supermarket in': 247519, 'supermarket in para': 820957, 'in para aque': 426499, 'para aque city': 641210, 'aque city ha': 83789, 'city ha all': 179166, 'all the space': 44916, 'the space to': 867532, 'space to observe': 787178, 'observe the proper': 578602, 'the proper distancing': 864672, 'proper distancing of': 684098, 'distancing of it': 247367, 'it customer in': 457450, 'customer in long': 222496, 'long queue during': 501579, 'queue during the': 693913, 'incredibly morbid': 433914, 'morbid but': 538463, 'first financial': 308672, 'financial shock': 306592, 'shock that': 759517, 'threatens property': 893853, 'most can': 542150, 'to be incredibly': 901334, 'be incredibly morbid': 115470, 'incredibly morbid but': 433915, 'morbid but is': 538464, 'but is one': 146080, 'the first financial': 855307, 'first financial shock': 308673, 'financial shock that': 306593, 'shock that threatens': 759520, 'that threatens property': 847026, 'threatens property price': 893854, 'property price since': 684340, 'price since most': 676416, 'since most can': 770748, 'most can remember': 542152, 'member paying': 528170, 'paying smaller': 645482, 'smaller amp': 775248, 'amp from': 53845, 'from sector': 337200, 'sector vital': 744385, 'demand pay': 236022, 'to see member': 914043, 'see member paying': 745414, 'member paying smaller': 528171, 'paying smaller amp': 645483, 'smaller amp on': 775249, 'amp on amp': 54219, 'on amp from': 599314, 'amp from sector': 53846, 'from sector vital': 337201, 'sector vital to': 744386, 'vital to support': 959745, 'support to meet': 826947, 'increased demand pay': 433285, 'demand pay amp': 236023, 'pay amp keep': 644726, 'amp keep going': 54044, 'keep going 19': 471541, 'australia ppl': 103351, 'ppl volunteering': 668360, 'desperate isolating': 238533, 'isolating ppl': 455138, 'ppl big': 668192, 'chain delivering': 170637, 'local pickup': 498278, 'pickup point': 656007, 'point ppl': 662596, 'can volunteer': 160130, 'nice idea': 562415, 'idea usa': 413217, 'usa can': 948601, 'can copy': 158000, 'copy htt': 203460, 'here in australia': 393134, 'in australia ppl': 420614, 'australia ppl volunteering': 103352, 'ppl volunteering to': 668361, 'volunteering to collect': 960402, 'to collect grocery': 902967, 'collect grocery for': 186282, 'grocery for desperate': 364526, 'for desperate isolating': 320670, 'desperate isolating ppl': 238534, 'isolating ppl big': 455139, 'ppl big chain': 668193, 'big chain delivering': 129690, 'chain delivering to': 170638, 'delivering to local': 233557, 'to local pickup': 909381, 'local pickup point': 498279, 'pickup point ppl': 656008, 'point ppl can': 662597, 'ppl can volunteer': 668204, 'can volunteer to': 160131, 'help do contactless': 389595, 'contactless delivery or': 200367, 'delivery or ask': 234277, 'for it nice': 322720, 'it nice idea': 459803, 'nice idea usa': 562416, 'idea usa can': 413218, 'usa can copy': 948602, 'can copy htt': 158001, 'buyears': 149545, 'panic buyears': 637548, 'buyears coronacrisis': 149546, 'in supermarket selfish': 428664, 'selfish panic buyears': 748187, 'panic buyears coronacrisis': 637549, 'prayforthem': 669100, 'stlcatholic': 801729, 'should praise': 766322, 'praise healthcare': 668847, 'some others': 783484, 'mentioned hvac': 528828, 'hvac worker': 411871, 'still keeping': 800769, 'keeping and': 472379, 'heat on': 388496, 'often must': 596233, 'must enter': 546643, 'enter home': 278258, 'provided prayforthem': 686638, 'prayforthem essentialworker': 669101, 'essentialworker stlcatholic': 281947, 'we should praise': 973285, 'should praise healthcare': 766323, 'praise healthcare worker': 668848, 'worker but why': 1006564, 'are some others': 90279, 'some others never': 783485, 'others never mentioned': 621543, 'never mentioned hvac': 558113, 'mentioned hvac worker': 528829, 'hvac worker are': 411872, 'are still keeping': 90439, 'still keeping and': 800770, 'keeping and heat': 472380, 'and heat on': 64424, 'heat on for': 388497, 'on for and': 600941, 'for and often': 319331, 'and often must': 68010, 'often must enter': 596234, 'must enter home': 546644, 'enter home with': 278259, 'home with no': 402532, 'ppe provided prayforthem': 668038, 'provided prayforthem essentialworker': 686639, 'prayforthem essentialworker stlcatholic': 669102, 'any corner': 79067, 'shop see': 760740, 'ppl ll': 668275, 'be smashing': 117243, 'smashing up': 775579, 'exploit others': 292349, 'you wicked': 1022318, 'wicked fuck': 991671, 'any corner shop': 79068, 'corner shop see': 203675, 'shop see today': 760741, 'see today with': 745973, 'today with inflated': 920553, 'advantage of ppl': 33026, 'of ppl ll': 588335, 'ppl ll be': 668276, 'll be smashing': 496630, 'be smashing up': 117244, 'smashing up your': 775580, 'your store no': 1025977, 'store no shortage': 809089, 'food or reason': 315668, 'or reason to': 616798, 'reason to exploit': 703027, 'to exploit others': 905495, 'exploit others in': 292350, 'others in time': 621482, 'these you wicked': 881005, 'you wicked fuck': 1022319, 'beer company': 122454, 'company anheuser': 190399, 'community once': 190014, 'of distributing': 582722, 'distributing water': 248099, 'is great beer': 448189, 'great beer company': 362522, 'beer company anheuser': 122455, 'company anheuser busch': 190400, 'busch is helping': 143121, 'the community once': 851289, 'community once again': 190015, 'once again but': 605558, 'again but instead': 36930, 'but instead of': 146068, 'instead of distributing': 440252, 'of distributing water': 582723, 'distributing water this': 248100, 'water this time': 969209, 'they will produce': 883873, 'will produce and': 994473, 'and distribute hand': 61510, 'to community in': 903100, 'bought liter': 136630, 'of dasani': 582350, 'kra need': 477638, 'is causing this': 446435, 'exploitation of consumer': 292388, 'of consumer just': 581749, 'just bought liter': 468352, 'bought liter of': 136631, 'liter of dasani': 494931, 'of dasani water': 582351, 'nakuru kra need': 551558, 'kra need to': 477639, 'need to review': 556051, 'to review this': 913499, 'we regularly': 973059, 'regularly shop': 707954, 'at passed': 100077, 'related complication': 708391, 'complication continue': 192480, 'be humbled': 115327, 'sacrifice so': 729106, 'heard today that': 388168, 'today that staff': 920273, 'that staff member': 846451, 'store we regularly': 811178, 'we regularly shop': 973060, 'regularly shop at': 707955, 'shop at passed': 759953, 'at passed away': 100078, 'passed away from': 643251, 'away from covid': 105871, '19 related complication': 10045, 'related complication continue': 708392, 'complication continue to': 192481, 'to be humbled': 901318, 'be humbled by': 115328, 'the sacrifice so': 866114, 'sacrifice so many': 729107, 'are making to': 88010, 'making to keep': 511472, 'rest of fed': 716192, 'of fed and': 583473, 'fed and healthy': 301780, 'your about': 1022724, 'the year it': 872162, 'year it socially': 1014682, 'acceptable to walk': 28031, 'walk in like': 964803, 'in like your': 424730, 'like your about': 491892, 'your about to': 1022725, 'about to rob': 26734, 'handsome': 376738, 'using tech': 950677, 'tech privilege': 836129, 'having someone': 384281, 'someone risk': 784628, 'out plus': 627057, 'plus wanted': 661712, 'how effective': 407793, 'effective online': 269291, 'is didn': 447162, 'expect much': 290682, 'tip will': 898959, 'be handsome': 115134, 'currently using tech': 221710, 'using tech privilege': 950678, 'tech privilege having': 836130, 'privilege having someone': 679027, 'having someone risk': 384282, 'someone risk contracting': 784629, 'risk contracting covid': 723474, '19 on saturday': 8962, 'on saturday night': 603302, 'saturday night to': 737047, 'night to avoid': 563106, 'going out plus': 355388, 'out plus wanted': 627058, 'plus wanted to': 661713, 'see how effective': 745228, 'how effective online': 407794, 'effective online grocery': 269292, 'shopping is didn': 763042, 'is didn expect': 447163, 'didn expect much': 241056, 'expect much but': 290683, 'much but the': 544776, 'but the tip': 147418, 'the tip will': 869653, 'tip will be': 898960, 'will be handsome': 992486, 'of advised': 579805, 'quarantine signed': 692538, 'for sainsburys': 325306, '7th customer': 22520, 'number that': 577063, 'play muzak': 659193, 'confirmed symptom of': 194191, 'symptom of advised': 830879, 'of advised by': 579806, 'to quarantine signed': 912648, 'quarantine signed up': 692539, 'up for sainsburys': 944959, 'for sainsburys online': 325307, 'least april 7th': 484396, 'april 7th customer': 83518, '7th customer service': 22521, 'service number that': 752631, 'number that play': 577064, 'that play muzak': 845768, 'play muzak is': 659194, 'aldi the': 41309, 'most dressed': 542272, 'been hair': 121247, 'up done': 944738, 'done why': 255114, 'why oh': 991250, 'yeah because': 1014236, 'place go': 657465, 'went to aldi': 979137, 'to aldi the': 900219, 'aldi the most': 41310, 'the most dressed': 860975, 'most dressed up': 542273, 'dressed up ve': 258706, 'up ve ever': 946517, 'ever been hair': 285215, 'been hair done': 121248, 'hair done make': 373977, 'done make up': 254932, 'make up done': 510682, 'up done why': 944739, 'done why oh': 255115, 'why oh yeah': 991252, 'oh yeah because': 596497, 'yeah because the': 1014237, 'only place go': 610983, 'place go these': 657466, 'dalo': 225162, 'some one': 783434, 'in fiji': 422883, 'fiji is': 305286, 'making real': 511302, 'real killing': 701243, 'killing out': 474701, 'of 250': 579540, '250 increase': 16020, 'of dalo': 582331, 'dalo 150': 225163, '150 increase': 3917, 'in eggplant': 422515, 'some one in': 783435, 'one in fiji': 606471, 'in fiji is': 422884, 'fiji is making': 305287, 'is making real': 449555, 'making real killing': 511303, 'real killing out': 701244, 'killing out of': 474702, 'out of 250': 626668, 'of 250 increase': 579541, '250 increase in': 16021, 'price of dalo': 675435, 'of dalo 150': 582332, 'dalo 150 increase': 225164, '150 increase in': 3918, 'increase in eggplant': 432832, 'same ppl': 733232, 'piling are': 656571, 'ppl complaining': 668205, 'the same ppl': 866281, 'same ppl who': 733234, 'ppl who are': 668371, 'stock piling are': 802652, 'piling are the': 656572, 'same ppl complaining': 733233, 'ppl complaining about': 668206, 'weekly shop then': 977555, 'shop then you': 760913, 'ncc': 553305, 'lizzy': 496516, 'governor in': 360919, 'in move': 425478, 'move with': 543784, 'with ncc': 999682, 'ncc mtn': 553306, 'mtn to': 544638, 'by lizzy': 153066, 'state governor in': 795624, 'governor in move': 360920, 'in move with': 425479, 'move with ncc': 543785, 'with ncc mtn': 999683, 'ncc mtn to': 553307, 'mtn to deploy': 544639, 'to deploy consumer': 904185, 'deploy consumer data': 237444, 'data to fight': 226458, '19 by lizzy': 5563, 'this hurt': 887979, 'hurt me': 411595, 'know watching': 476921, 'career something': 164357, 've dedicated': 953034, 'dedicated my': 231722, 'life practicing': 488973, 'practicing and': 668721, 'and perfecting': 68899, 'perfecting completely': 651377, 'completely get': 192296, 'get washed': 348594, 'washed away': 967608, 'over some': 630630, 'some virus': 784169, 'by politics': 153614, 'this hurt me': 887981, 'hurt me more': 411596, 'than you know': 841492, 'you know watching': 1019537, 'know watching my': 476922, 'watching my career': 968763, 'my career something': 547618, 'career something ve': 164358, 'something ve dedicated': 785125, 've dedicated my': 953035, 'dedicated my life': 231723, 'my life practicing': 549031, 'life practicing and': 488974, 'practicing and perfecting': 668722, 'and perfecting completely': 68900, 'perfecting completely get': 651378, 'completely get washed': 192297, 'get washed away': 348595, 'washed away all': 967609, 'away all over': 105775, 'all over some': 43878, 'over some virus': 630631, 'some virus caused': 784170, 'caused by politics': 167858, 'tell mass': 837004, 'mass to': 519885, 'buying geonews': 150401, 'outbreak food minister': 628225, 'food minister tell': 315466, 'minister tell mass': 533466, 'tell mass to': 837005, 'mass to refrain': 519886, 'panic buying geonews': 637748, 'ltc': 506379, 'store asking': 806553, 'buy bitcoin': 148425, 'btc ltc': 141499, 'ltc crypto': 506380, 'grocery store asking': 365219, 'store asking customer': 806554, 'customer to avoid': 222955, 'using cash to': 950422, 'cash to help': 166358, 'stop spread of': 805054, 'this is yet': 888475, 'yet another reason': 1015998, 'to buy bitcoin': 902192, 'buy bitcoin btc': 148426, 'bitcoin btc ltc': 131805, 'btc ltc crypto': 141500, 'future spending': 342457, 'fashion will': 299865, 'become super': 120148, 'super thrifty': 818602, 'thrifty will': 894183, 'buying nonessential': 150768, 'nonessential clothing': 566616, 'clothing period': 184276, 'consumer will this': 199554, 'will this covid': 995193, '19 climate change': 5844, 'climate change your': 182208, 'change your future': 172416, 'your future spending': 1024021, 'future spending habit': 342458, 'spending habit for': 788835, 'habit for fashion': 372616, 'for fashion will': 321414, 'fashion will you': 299866, 'will you become': 995380, 'you become super': 1017415, 'become super thrifty': 120150, 'super thrifty will': 818603, 'thrifty will you': 894184, 'will you just': 995389, 'you just stop': 1019433, 'stop buying nonessential': 804545, 'buying nonessential clothing': 150769, 'nonessential clothing period': 566617, 'platform by': 658951, 'on platform by': 602821, 'platform by five': 658952, '19 lockdown your': 8444, 'lockdown your consumer': 500185, 'your consumer question': 1023325, 'consumer question answered': 198634, 'costco report': 208260, 'report should': 712251, 'be warning': 118046, 'sign regarding': 769199, 'costco report should': 208261, 'report should be': 712252, 'should be warning': 765768, 'be warning sign': 118047, 'warning sign regarding': 967196, 'sign regarding consumer': 769200, 'regarding consumer behavior': 707189, 'behavior post socialdistancing': 124153, 'statstory': 796634, 'post anything': 665996, 'else about': 271611, 'paper pretty': 640608, 'pretty wiped': 671523, 'hello im': 389177, 'im toxic': 416589, 'toxic toiletpaper': 927654, 'stayhome toiletpapercrisis': 798216, 'toiletpapercrisis wtf': 923128, 'wtf coronavir': 1013277, 'coronavir lmao': 205420, 'lmao virus': 497163, 'virus statstory': 958801, 'going to post': 355673, 'to post anything': 911907, 'post anything else': 665997, 'anything else about': 80741, 'else about toilet': 271612, 'toilet paper pretty': 921399, 'paper pretty wiped': 640609, 'pretty wiped out': 671524, 'wiped out from': 996471, 'out from it': 626195, 'from it hello': 336117, 'it hello im': 458534, 'hello im toxic': 389178, 'im toxic toiletpaper': 416590, 'toxic toiletpaper corona': 927655, 'corona quarantine funny': 204124, 'quarantine funny socialdistancing': 692215, 'funny socialdistancing stayhome': 341787, 'socialdistancing stayhome toiletpapercrisis': 780740, 'stayhome toiletpapercrisis wtf': 798217, 'toiletpapercrisis wtf coronavir': 923129, 'wtf coronavir lmao': 1013278, 'coronavir lmao virus': 205421, 'lmao virus statstory': 497164, 'pas in': 643111, 'supermarket immune': 820850, 'hoarding use': 399634, 'you are immune': 1017149, 'lady pas in': 478809, 'pas in the': 643112, 'the supermarket immune': 868641, 'supermarket immune try': 820851, 'be selfish for': 117060, 'life stop hoarding': 489065, 'stop hoarding use': 804751, 'hoarding use your': 399635, 'than doubling': 840523, 'doubling your': 256178, 'of lusaka': 586075, 'lusaka to': 506849, 'home absolute': 400546, 'absolute twat': 27306, 'cheer for more': 175104, 'more than doubling': 540610, 'than doubling your': 840524, 'doubling your flight': 256179, 'your flight price': 1023901, 'flight price out': 310525, 'price out of': 675808, 'out of lusaka': 626779, 'of lusaka to': 586076, 'lusaka to the': 506850, 'uk it really': 938490, 'it really help': 460641, 'really help people': 702276, 'help people trying': 390310, 'get home absolute': 347237, 'home absolute twat': 400547, 'tyrannosaurus': 937677, 'to recreate': 912993, 'recreate living': 705431, 'living dinosaur': 496342, 'dinosaur by': 243130, 'now couple': 574470, 'of tyrannosaurus': 592550, 'tyrannosaurus rex': 937678, 'rex roaming': 720845, 'roaming tesco': 724573, 'tesco carpark': 838683, 'carpark would': 164887, 'bring different': 139953, 'different perspective': 242025, 'social isolating': 779817, 'year ago they': 1014364, 'ago they said': 38504, 'they would be': 883936, 'able to recreate': 24534, 'to recreate living': 912994, 'recreate living dinosaur': 705432, 'living dinosaur by': 496343, 'dinosaur by now': 243131, 'by now couple': 153371, 'now couple of': 574471, 'couple of tyrannosaurus': 211649, 'of tyrannosaurus rex': 592551, 'tyrannosaurus rex roaming': 937679, 'rex roaming tesco': 720846, 'roaming tesco carpark': 724574, 'tesco carpark would': 838684, 'carpark would bring': 164888, 'would bring different': 1011693, 'bring different perspective': 139954, 'different perspective to': 242026, 'perspective to social': 653241, 'to social isolating': 914824, 'social isolating and': 779818, 'amp tp': 54730, 'tp doesn': 927800, 'even make': 284318, 'it hoarding': 458601, 'hoarding amp': 399170, 'amp greed': 53884, 'worst so': 1011264, 'know someone that': 476731, 'store who told': 811309, 'me the paper': 523655, 'the paper towel': 863266, 'towel amp tp': 927290, 'amp tp doesn': 54731, 'tp doesn even': 927801, 'doesn even make': 251774, 'even make it': 284319, 'shelf the employee': 757647, 'employee are keeping': 273620, 'are keeping it': 87658, 'keeping it for': 472458, 'it for themselves': 458101, 'themselves and buying': 876749, 'and buying it': 59368, 'buying it hoarding': 150595, 'it hoarding amp': 458602, 'hoarding amp greed': 399171, 'amp greed people': 53885, 'greed people at': 363424, 'people at their': 647184, 'at their worst': 101181, 'their worst so': 875244, 'worst so sad': 1011265, 'councilmember': 210054, 'additional useful': 31893, 'info circulated': 437442, 'circulated by': 178666, 'county councilmember': 211350, 'councilmember yesterday': 210055, 'yesterday regarding': 1015844, 'some additional useful': 782260, 'additional useful info': 31894, 'useful info circulated': 950165, 'info circulated by': 437443, 'circulated by montgomery': 178667, 'montgomery county councilmember': 537508, 'county councilmember yesterday': 211351, 'councilmember yesterday regarding': 210056, 'yesterday regarding supermarket': 1015845, 'regarding supermarket hour': 707273, 'guidance for older': 368233, 'for older resident': 324056, 'older resident support': 598672, 'tip groceryshopping': 898811, 'must go grocery': 546684, 'grocery shopping here': 365034, 'helpful tip groceryshopping': 391236, 'worthy of read': 1011480, 'conundrum': 202298, 'have conundrum': 380108, 'conundrum work': 202299, '100 pocket': 2040, 'pocket cash': 662159, 'cash live': 166266, 'small money': 775034, 'side cashier': 768788, 'cashier now': 166574, 'should quit': 766360, 'quit my': 694799, 'then gone': 877217, 'gone yes': 356452, 'okay have conundrum': 597981, 'have conundrum work': 380109, 'conundrum work in': 202300, 'store day week': 807264, 'day week for': 228694, 'week for over': 976232, 'over 100 pocket': 629770, '100 pocket cash': 2041, 'pocket cash live': 662160, 'cash live with': 166267, 'with family just': 998380, 'family just for': 297973, 'just for small': 468759, 'for small money': 325666, 'small money on': 775035, 'the side cashier': 867159, 'side cashier now': 768789, 'cashier now should': 166575, 'now should quit': 575818, 'should quit my': 766361, 'quit my job': 694800, 'the work my': 871735, 'work my week': 1005483, 'my week then': 550554, 'week then gone': 977019, 'then gone yes': 877218, 'gone yes or': 356453, 'actually not': 30915, 'virus sadly': 958707, 'actually not true': 30916, 'this virus sadly': 891023, 'moscow almost': 541991, 'rice sugar': 721150, 'flour aisle': 311059, 'some evidence of': 782775, 'buying in moscow': 150532, 'in moscow almost': 425461, 'moscow almost empty': 541992, 'in the pasta': 429442, 'the pasta rice': 863377, 'pasta rice sugar': 643799, 'rice sugar flour': 721151, 'sugar flour aisle': 817454, 'flour aisle at': 311060, 'who selfishly': 989582, 'selfishly bought': 748320, 'pasta painkiller': 643779, 'painkiller from': 634266, 'supermarket hope': 820784, 'hope battery': 403425, 'battery run': 112760, 'remote control': 710704, 'second we': 743866, 'everyone who selfishly': 287601, 'who selfishly bought': 989583, 'selfishly bought all': 748321, 'all the milk': 44830, 'milk bread pasta': 531600, 'bread pasta painkiller': 138565, 'pasta painkiller from': 643780, 'painkiller from my': 634267, 'local supermarket hope': 498537, 'supermarket hope battery': 820785, 'hope battery run': 403426, 'battery run out': 112761, 'of your tv': 593534, 'your tv remote': 1026233, 'tv remote control': 936175, 'remote control the': 710705, 'control the second': 202171, 'the second we': 866596, 'second we are': 743867, 'help house': 389874, 'from self': 337202, 'isolation running': 455408, 'delivery spot': 234560, 'spot till': 790131, 'till middle': 896058, 'april noo': 83647, 'noo food': 566768, 'help uklockdown': 390826, 'nofood panicshopping': 566173, 'panicshopping corona': 639422, 'help house in': 389875, 'house in lock': 406358, 'lock down from': 499031, 'down from self': 256790, 'from self isolation': 337203, 'self isolation running': 747793, 'isolation running out': 455409, 'of food can': 583666, 'out for over': 626149, 'over week and': 630908, 'no delivery spot': 563993, 'delivery spot till': 234561, 'spot till middle': 790132, 'till middle of': 896059, 'middle of april': 530672, 'of april noo': 580330, 'april noo food': 83648, 'noo food please': 566769, 'food please help': 315866, 'please help uklockdown': 660088, 'help uklockdown nofood': 390827, 'uklockdown nofood panicshopping': 939002, 'nofood panicshopping corona': 566174, 'voss': 960452, 'increased shopping': 433467, 'shortage doug': 764915, 'doug voss': 256261, 'voss ph': 960455, 'ph professor': 653982, 'logistics say': 500791, 'enough inventory': 277488, 'inventory to': 443716, 'amp dr': 53673, 'dr voss': 258120, 'voss on': 960453, 'increased shopping at': 433468, 'ha caused some': 370101, 'caused some worry': 167961, 'some worry about': 784234, 'food shortage doug': 316569, 'shortage doug voss': 764916, 'doug voss ph': 256262, 'voss ph professor': 960456, 'ph professor of': 653983, 'professor of logistics': 682578, 'of logistics say': 585981, 'logistics say there': 500792, 'is enough inventory': 447513, 'enough inventory to': 277489, 'inventory to continue': 443717, 'stock our store': 802604, 'our store our': 624951, 'store our amp': 809398, 'our amp dr': 622071, 'amp dr voss': 53674, 'dr voss on': 258121, 'voss on supply': 960454, 'str8': 812189, 'grubby': 367509, 'str8 some': 812190, 'all corner': 42456, 'are milking': 88079, 'milking the': 531926, 'profiteering opportunity': 683080, 'opportunity presented': 613671, 'at wholesaler': 101559, 'own grubby': 632035, 'grubby little': 367510, 'little shop': 495564, 'price note': 675372, 'note who': 572853, 'str8 some not': 812191, 'some not all': 783364, 'not all corner': 568104, 'all corner shop': 42457, 'corner shop are': 203668, 'shop are milking': 759903, 'are milking the': 88080, 'milking the profiteering': 531927, 'the profiteering opportunity': 864633, 'profiteering opportunity presented': 683081, 'opportunity presented by': 613672, 'presented by they': 670661, 'by they are': 154515, 'they are emptying': 881261, 'are emptying shelf': 86183, 'emptying shelf at': 275278, 'shelf at wholesaler': 756859, 'at wholesaler and': 101560, 'wholesaler and supermarket': 990510, 'stock their own': 802949, 'their own grubby': 874180, 'own grubby little': 632036, 'grubby little shop': 367511, 'little shop at': 495565, 'shop at inflated': 759947, 'inflated price note': 437054, 'price note who': 675373, 'note who they': 572854, 'are and them': 84550, 'ineptness': 436336, 'grifting': 363935, 'pressers': 671108, 'gop unprecedented': 358293, 'unprecedented ineptness': 943152, 'ineptness fraud': 436337, 'fraud grifting': 331280, 'grifting giving': 363936, 'our ppes': 624410, 'ppes to': 668133, 'it grew': 458349, 'grew here': 363852, 'here firing': 392976, 'firing ic': 308288, 'ic no': 412611, 'testing driving': 839479, 'up leveraging': 945306, 'leveraging equipment': 487807, 'equipment between': 279696, 'state lying': 795754, 'lying at': 507064, 'at pressers': 100188, 'pressers yeah': 671109, 'yeah unprecedented': 1014313, 'unprecedented all': 943073, 'all right': 44194, 'right coro': 721852, 'gop unprecedented ineptness': 358295, 'unprecedented ineptness fraud': 943153, 'ineptness fraud grifting': 436338, 'fraud grifting giving': 331281, 'grifting giving away': 363937, 'away our ppes': 105990, 'our ppes to': 624411, 'ppes to other': 668134, 'other country while': 620030, 'country while it': 211230, 'while it grew': 986969, 'it grew here': 458350, 'grew here firing': 363853, 'here firing ic': 392977, 'firing ic no': 308289, 'ic no testing': 412612, 'no testing driving': 565686, 'testing driving price': 839480, 'price up leveraging': 677244, 'up leveraging equipment': 945307, 'leveraging equipment between': 487808, 'equipment between the': 279697, 'between the state': 128935, 'the state lying': 867788, 'state lying at': 795755, 'lying at pressers': 507065, 'at pressers yeah': 100189, 'pressers yeah unprecedented': 671110, 'yeah unprecedented all': 1014314, 'unprecedented all right': 943074, 'all right coro': 44195, 'commu': 189527, 'lived outside': 496165, 'investigated because': 443815, 'were answering': 979331, 'they aided': 881106, 'aided our': 39508, 'our enemy': 622902, 'enemy commu': 276353, 'the chinese people': 850864, 'chinese people who': 177319, 'people who lived': 650313, 'who lived outside': 989223, 'lived outside china': 496166, 'china and bought': 176479, 'and bought large': 59108, 'bought large quantity': 136622, 'quantity of facial': 691933, 'of facial mask': 583368, 'facial mask at': 295242, 'the outbreak need': 862668, 'to be investigated': 901342, 'be investigated because': 115541, 'investigated because they': 443816, 'they were answering': 883749, 'were answering the': 979332, 'answering the chinese': 78213, 'chinese government order': 177272, 'order in doing': 618312, 'in doing so': 422343, 'doing so they': 252661, 'so they aided': 778462, 'they aided our': 881107, 'aided our enemy': 39509, 'our enemy commu': 622903, 'watauga': 968348, 'watauga county': 968349, 'continues several': 201437, 'several charitable': 753803, 'charitable food': 173542, 'watauga county the': 968350, 'county the covid': 211507, 'pandemic continues several': 635212, 'continues several charitable': 201438, 'several charitable food': 753804, 'charitable food pantry': 173543, 'pantry are changing': 639531, 'node organization': 566119, 'organization of': 619404, 'chain over': 170981, 'vulnerability caused': 960811, 'by political': 153610, 'political social': 663675, 'environmental factor': 279190, 'different node organization': 242004, 'node organization of': 566120, 'organization of the': 619405, 'supply chain over': 825004, 'chain over time': 170982, 'from vulnerability caused': 338270, 'vulnerability caused by': 960812, 'caused by political': 167857, 'by political social': 153611, 'political social and': 663676, 'social and environmental': 779432, 'and environmental factor': 62210, '19 tw': 11601, 'tw had': 936243, 'dad girlfriend': 224326, 'girlfriend about': 350306, 'should risk': 766427, 'his place': 397707, 'period these': 651900, 'of discussion': 582666, 'discussion we': 245053, 'have again': 379139, 'also still': 48906, 'covid 19 tw': 213989, '19 tw had': 11602, 'tw had to': 936244, 'had to have': 373696, 'serious discussion with': 751371, 'discussion with my': 245062, 'my dad girlfriend': 547890, 'dad girlfriend about': 224327, 'girlfriend about whether': 350307, 'about whether or': 26918, 'than one of': 840982, 'one of should': 606763, 'of should risk': 589693, 'should risk going': 766428, 'store in his': 808312, 'in his place': 423734, 'his place not': 397708, 'place not at': 657593, 'not at time': 568273, 'at time period': 101305, 'time period these': 897480, 'period these are': 651901, 'are the kind': 90846, 'kind of discussion': 474888, 'of discussion we': 582667, 'discussion we have': 245054, 'to have again': 907196, 'have again he': 379140, 'again he also': 37017, 'he also still': 384736, 'also still work': 48907, 'warmer': 966895, 'sakura': 731901, 'this earlier': 887326, 'my toilet': 550390, 'paper minus': 640468, 'minus covid': 533684, 'getting warmer': 349434, 'warmer and': 966896, 'many black': 513827, 'here might': 393344, 'might try': 531154, 'them sakura': 876242, 'sakura safe': 731902, 'area quickly': 92173, 'took this earlier': 925356, 'this earlier on': 887328, 'earlier on my': 264468, 'with my toilet': 999655, 'my toilet paper': 550391, 'toilet paper minus': 921359, 'paper minus covid': 640469, 'minus covid 19': 533685, '19 am happy': 4944, 'am happy it': 50115, 'happy it getting': 377639, 'it getting warmer': 458236, 'getting warmer and': 349435, 'warmer and like': 966897, 'like many black': 490704, 'many black folk': 513828, 'black folk here': 132057, 'folk here might': 312179, 'here might try': 393345, 'might try and': 531155, 'try and see': 934452, 'and see them': 71146, 'see them sakura': 745918, 'them sakura safe': 876243, 'sakura safe distance': 731903, 'distance from and': 246709, 'from and just': 334520, 'and just walk': 65726, 'just walk through': 470206, 'through an area': 894321, 'an area quickly': 55390, 'store armed': 806539, 'mask shopper': 519263, 'were sparse': 980153, 'sparse and': 787620, 'still feel': 800522, 'feel uneasy': 302909, 'uneasy please': 941068, 'new permanent': 559268, 'permanent normal': 652062, 'normal not': 567221, 'got up early': 359002, 'up early and': 944766, 'early and went': 264546, 'grocery store armed': 365215, 'store armed with': 806540, 'armed with my': 92957, 'with my sanitizer': 999650, 'my sanitizer and': 549987, 'and mask shopper': 66763, 'mask shopper were': 519264, 'shopper were sparse': 761818, 'were sparse and': 980154, 'sparse and keeping': 787621, 'and keeping their': 65800, 'their distance but': 873031, 'distance but still': 246676, 'but still feel': 147162, 'still feel uneasy': 800523, 'feel uneasy please': 302910, 'uneasy please tell': 941069, 'isn the new': 454711, 'the new permanent': 861539, 'new permanent normal': 559269, 'permanent normal not': 652063, 'normal not on': 567222, 'not on board': 570746, 'pub which': 687804, 'far greater': 298791, 'pub so': 687763, 'so pub': 778085, 'far more people': 298851, 'supermarket than pub': 823164, 'than pub which': 841056, 'pub which mean': 687805, 'which mean you': 986151, 'you have far': 1019045, 'have far greater': 380588, 'far greater chance': 298792, 'chance of contact': 171750, 'than pub so': 841055, 'pub so pub': 687764, 'so pub are': 778086, 'pub are the': 687669, 'are the safer': 90900, 'the safer place': 866138, 'safer place to': 730373, 'pharmac': 654050, 'the pharmac': 863636, 'pharmac arrival': 654051, 'arrival in': 93888, 'pharmacy next': 654379, 'next your': 561739, 'home max': 401591, 'max distance': 520749, 'distance 500': 246619, '500 meter': 20016, 'meter ah': 529680, 'ah sorry': 39101, 'close only': 182742, 'in summary': 428538, 'necessity this': 554275, 'measure bye': 525150, 'bye de': 154802, 'the doctor online': 853468, 'doctor online order': 251056, 'online order the': 608700, 'order the pharmac': 618633, 'the pharmac arrival': 863637, 'pharmac arrival in': 654052, 'arrival in pharmacy': 93889, 'in pharmacy next': 426675, 'pharmacy next your': 654380, 'next your home': 561740, 'your home max': 1024363, 'home max distance': 401592, 'max distance 500': 520750, 'distance 500 meter': 246620, '500 meter ah': 20017, 'meter ah sorry': 529681, 'ah sorry the': 39102, 'sorry the shopping': 786088, 'the shopping is': 867065, 'shopping is close': 763039, 'is close only': 446567, 'close only food': 182743, 'only food and': 610457, 'and water in': 75243, 'water in summary': 969031, 'in summary the': 428539, 'summary the bare': 817944, 'bare necessity this': 110927, 'necessity this the': 554276, 'this the order': 890532, 'the order for': 862449, 'order for precautionary': 618240, 'precautionary measure bye': 669423, 'measure bye de': 525151, 'lifeinquarantine': 489288, 'since 40': 770484, '40 am': 18525, 'my butt': 547585, 'butt is': 148102, 'line do': 493055, 'am lifeinquarantine': 50180, 've been at': 952864, 'store since 40': 810192, 'since 40 am': 770485, '40 am but': 18526, 'am but at': 49960, 'least my butt': 484568, 'my butt is': 547586, 'butt is first': 148103, 'is first in': 447827, 'in line do': 424750, 'line do they': 493056, 'do they open': 250312, 'they open at': 882834, 'open at am': 612099, 'at am lifeinquarantine': 97936, 'gouging los': 359381, 'angeles city': 76368, 'official cracking': 595797, 'severely overcharging': 754102, 'overcharging on': 631109, 'bleach in': 132504, 'price gouging los': 674296, 'gouging los angeles': 359382, 'los angeles city': 503362, 'angeles city official': 76369, 'city official cracking': 179298, 'official cracking down': 595798, 'down on store': 257037, 'on store and': 603691, 'and online seller': 68119, 'who are severely': 988216, 'are severely overcharging': 90010, 'severely overcharging on': 754103, 'overcharging on item': 631110, 'like sanitizer and': 491123, 'sanitizer and bleach': 734388, 'and bleach in': 59002, 'bleach in the': 132505, 'gasbuddy updated': 344197, 'updated gasoline': 947371, 'demand figure': 235344, 'low taking': 505655, 'out last': 626485, 'sunday weak': 818291, 'demand april': 235016, 'some 54': 782246, 'average feb': 104838, 'feb 12': 301613, 'gasbuddy updated gasoline': 344198, 'updated gasoline demand': 947372, 'gasoline demand figure': 344224, 'demand figure show': 235345, 'figure show new': 305229, 'daily low taking': 224680, 'low taking out': 505656, 'taking out last': 833488, 'out last sunday': 626486, 'last sunday weak': 480521, 'sunday weak demand': 818292, 'weak demand april': 974006, 'demand april 12': 235017, 'daily low some': 224679, 'low some 54': 505633, 'some 54 57': 782247, 'daily average feb': 224502, 'average feb 12': 104839, 'st george': 791700, 'george community': 345991, 'hub our': 409819, 'catering team': 167273, 'running community': 727940, 'market targeted': 517160, 'targeted at': 834534, 'at key': 99373, 'may otherwise': 521412, 'otherwise not': 621854, 'start wednesday': 794638, 'wednesday 25': 975597, 'st george community': 791701, 'george community hub': 345992, 'community hub our': 189905, 'hub our facility': 409820, 'our facility and': 622984, 'facility and catering': 295298, 'and catering team': 59631, 'catering team are': 167274, 'team are delighted': 835589, 'delighted to announce': 233048, 'are running community': 89762, 'running community food': 727941, 'community food market': 189850, 'food market targeted': 315404, 'market targeted at': 517161, 'targeted at key': 834535, 'at key worker': 99374, 'who may otherwise': 989278, 'may otherwise not': 521413, 'otherwise not be': 621855, 'to supermarket start': 915838, 'supermarket start wednesday': 822919, 'start wednesday 25': 794639, 'wednesday 25 march': 975598, 'piss during': 656947, 'future advise': 342249, 'advise dont': 33579, 'dont do': 255210, 'business that put': 144488, 'that put price': 845914, 'price up or': 677249, 'up or take': 945688, 'the piss during': 863753, 'piss during this': 656948, 'pandemic of will': 636074, 'of will feel': 593169, 'will feel the': 993427, 'feel the force': 302884, 'the force of': 855682, 'the future advise': 856065, 'future advise dont': 342250, 'advise dont do': 33580, 'dont do it': 255211, 'dartmouth': 226042, 'downtown dartmouth': 257741, 'dartmouth business': 226043, 'close you': 182943, 'certificate take': 170214, 'yourselves all': 1026779, 'downtown dartmouth business': 257742, 'dartmouth business are': 226044, 'adapting to respond': 31350, 'pandemic some have': 636510, 'some have made': 783031, 'made the difficult': 507992, 'temporarily close you': 837456, 'close you can': 182944, 'can support them': 159864, 'by shopping their': 154002, 'shopping their online': 764099, 'online store ordering': 609462, 'store ordering takeout': 809392, 'takeout delivery and': 833149, 'delivery and purchasing': 233674, 'and purchasing gift': 69789, 'purchasing gift certificate': 689870, 'gift certificate take': 349963, 'certificate take care': 170215, 'of yourselves all': 593551, 'ukeleles': 938935, 'bidet ukeleles': 129587, 'ukeleles and': 938936, 'bidet ukeleles and': 129588, 'ukeleles and other': 938937, 'other consumer trend': 620003, 'yeah okay': 1014282, 'be defeated': 114374, 'stop food': 804659, 'are returning': 89669, 'conspiracy the': 195576, 'china deal': 176595, 'deal didn': 229377, 'go planned': 354053, 'yeah okay the': 1014283, 'okay the only': 598018, 'to win is': 918612, 'win is for': 995558, 'is for this': 447894, 'to be defeated': 901194, 'be defeated and': 114375, 'attack stop food': 102159, 'stop food supply': 804660, 'supply are returning': 824791, 'are returning to': 89670, 'hmm conspiracy the': 398674, 'conspiracy the china': 195577, 'the china deal': 850833, 'china deal didn': 176596, 'deal didn go': 229378, 'didn go planned': 241078, 'best ve': 127978, 've experienced': 953101, 'work staysafe': 1005764, 'your socialdistancing distancing': 1025858, 'socialdistancing distancing measure': 780317, 'measure are the': 525129, 'the best ve': 849562, 'best ve experienced': 127979, 've experienced in': 953102, 'experienced in any': 291582, 'any supermarket well': 79917, 'supermarket well done': 823776, 'done to all': 255064, 'your staff putting': 1025918, 'staff putting themselves': 792792, 'every day keep': 285824, 'good work staysafe': 357980, 'whispered': 987795, 'store sad': 809943, 'common courtesy': 189371, 'courtesy people': 212056, 'little old': 495495, 'reach pack': 699972, 'butter brought': 148132, 'she whispered': 756465, 'whispered just': 987796, 'make cooky': 509800, 'grocery store sad': 365735, 'store sad to': 809944, 'see the lack': 745850, 'of common courtesy': 581587, 'common courtesy people': 189372, 'courtesy people have': 212057, 'people have when': 648211, 'have when buying': 383585, 'when buying the': 983227, 'buying the shelf': 151173, 'shelf empty wa': 757040, 'empty wa looking': 275227, 'at the butter': 100899, 'the butter and': 850215, 'butter and little': 148126, 'and little old': 66243, 'little old lady': 495496, 'old lady wa': 598328, 'lady wa trying': 478859, 'to reach pack': 912805, 'reach pack of': 699973, 'pack of butter': 633091, 'of butter brought': 580999, 'butter brought it': 148133, 'brought it down': 141171, 'down for her': 256773, 'and she whispered': 71434, 'she whispered just': 756466, 'whispered just want': 987797, 'to make cooky': 909641, 'esposa': 280686, 'acabou': 27760, 'mascara': 518234, 'vai': 951845, 'precau': 669255, 'precaucao': 669258, 'esposa acabou': 280687, 'acabou mascara': 27761, 'mascara como': 518235, 'como vai': 190285, 'vai no': 951846, 'no mercado': 564766, 'mercado eu': 528929, 'eu wife': 283292, 'wife there': 991978, 'more mask': 539756, 'mask how': 518806, 'supermarket me': 821485, 'me coronacrisisuk': 522606, 'coronacrisisuk safety': 204902, 'precaution precau': 669346, 'precau precaucao': 669256, 'precaucao besafe': 669259, 'esposa acabou mascara': 280688, 'acabou mascara como': 27762, 'mascara como vai': 518236, 'como vai no': 190286, 'vai no mercado': 951847, 'no mercado eu': 564767, 'mercado eu wife': 528930, 'eu wife there': 283293, 'wife there are': 991979, 'no more mask': 564811, 'more mask how': 539757, 'mask how are': 518807, 'the supermarket me': 868698, 'supermarket me coronacrisisuk': 821486, 'me coronacrisisuk safety': 522607, 'coronacrisisuk safety precaution': 204903, 'safety precaution precau': 730686, 'precaution precau precaucao': 669347, 'precau precaucao besafe': 669257, 'ceu': 170270, 'agchem': 37780, 'person ag': 652300, 'ag continuing': 36780, 'continuing ed': 201524, 'ed cancelled': 268445, 'course more': 211898, '19 ceu': 5743, 'ceu course': 170271, 'course price': 211921, 'just 10': 468094, '10 through': 1710, '30 some': 17220, 'some sponsored': 783923, 'by agchem': 151773, 'agchem company': 37781, 'free get': 331870, 'most in person': 542437, 'in person ag': 426621, 'person ag continuing': 652301, 'ag continuing ed': 36781, 'continuing ed cancelled': 201525, 'ed cancelled online': 268446, 'cancelled online course': 161146, 'online course more': 608064, 'course more popular': 211899, 'popular than ever': 664610, 'ever response to': 285469, 'covid 19 ceu': 212778, '19 ceu course': 5744, 'ceu course price': 170272, 'course price just': 211922, 'price just 10': 674969, 'just 10 through': 468096, '10 through april': 1711, 'through april 30': 894335, 'april 30 some': 83496, '30 some sponsored': 17221, 'some sponsored by': 783924, 'sponsored by agchem': 789837, 'by agchem company': 151774, 'agchem company making': 37782, 'company making them': 190875, 'making them free': 511444, 'them free get': 875739, 'free get signed': 331871, 'get signed up': 348011, 'signed up at': 769388, 'than sickness': 841143, 'distancing crap': 247088, 'crap sound': 214910, 'sound good': 786285, 'fill my': 305471, 'stomach vegetable': 804324, 'india on lockdown': 434551, 'on lockdown more': 601915, 'lockdown more worried': 499670, 'more worried by': 541014, 'worried by death': 1010553, 'by death by': 152307, 'death by hunger': 229992, 'by hunger than': 152851, 'hunger than sickness': 411193, 'than sickness this': 841144, 'sickness this social': 768762, 'social distancing crap': 779584, 'distancing crap sound': 247089, 'crap sound good': 214911, 'sound good but': 786286, 'good but it': 356850, 'will not fill': 994220, 'not fill my': 569403, 'fill my stomach': 305472, 'my stomach vegetable': 550212, 'stomach vegetable price': 804325, 'price are hiking': 672679, 'hiking up amidst': 396425, 'up amidst this': 944286, 'amidst this pandemic': 52838, 'be cancelling': 113970, 'online wine': 609736, 'pillitteri will be': 656706, 'will be cancelling': 992388, 'be cancelling all': 113971, 'cancelling all tour': 161206, '19 our winery': 9068, 'offering free shipping': 595125, 'shipping on any': 758880, 'on any online': 599403, 'any online wine': 79567, 'online wine order': 609737, 'wine order at': 995865, 'see analysis': 744902, 'of pump': 588600, 'amp wholesale': 54843, 'being ignored': 125277, 'ignored by': 415867, 'govt amp': 361070, 'amp medium': 54132, 'see analysis of': 744903, 'analysis of month': 57065, 'of month of': 586630, 'month of pump': 537903, 'of pump price': 588601, 'pump price oil': 689092, 'price oil amp': 675624, 'oil amp wholesale': 596604, 'amp wholesale price': 54844, 'wholesale price the': 990479, 'price the profiteering': 676857, 'the profiteering is': 864631, 'profiteering is disgusting': 683058, 'disgusting in our': 245418, 'time of amp': 897311, 'of amp being': 580093, 'amp being ignored': 53444, 'being ignored by': 125278, 'ignored by govt': 415869, 'by govt amp': 152721, 'govt amp medium': 361072, '3m boosting': 18303, 'of respirator': 588992, 'respirator worldwide': 715224, 'sadly must': 729340, 'must dd': 546610, 'dd in': 229011, 'it press': 460435, 'release 3m': 708916, '3m boosting production': 18304, 'boosting production of': 135082, 'production of respirator': 682153, 'of respirator worldwide': 588993, 'respirator worldwide and': 715225, 'worldwide and sadly': 1010320, 'and sadly must': 70700, 'sadly must dd': 729341, 'must dd in': 546611, 'dd in it': 229012, 'in it press': 424264, 'it press release': 460436, 'press release 3m': 671071, 'release 3m ha': 708917, 'jumped more': 467937, 'than monday': 840900, 'up energy': 944791, 'energy battered': 276398, 'price jumped more': 674962, 'jumped more than': 467938, 'more than monday': 540649, 'than monday after': 840901, 'monday after top': 536235, 'output to shore': 629296, 'shore up energy': 764579, 'up energy battered': 944792, 'energy battered by': 276399, 'battered by the': 112747, 'recedes': 703391, 'ai change': 39306, 'crisis recedes': 217951, 'and ai change': 57801, 'ai change consumer': 39307, 'behavior even further': 124026, 'the crisis recedes': 852439, 'spotted in': 790197, 'florida code': 310909, 'code 23': 185331, '23 19': 15358, 'spotted in florida': 790198, 'in florida code': 422937, 'florida code 23': 310910, 'code 23 19': 185332, '23 19 at': 15359, 'thing thankful': 884792, 'responder smart': 715521, 'outlet alonetogether': 629021, 'alonetogether wereinthistogether': 46972, 'wereinthistogether staysafestayhome': 980387, 'staysafestayhome dontpanic': 798991, 'five thing thankful': 309667, 'thing thankful for': 884793, 'thankful for during': 841905, 'challenging time all': 171629, 'first responder smart': 308962, 'responder smart news': 715522, 'smart news outlet': 775399, 'news outlet alonetogether': 560682, 'outlet alonetogether wereinthistogether': 629022, 'alonetogether wereinthistogether staysafestayhome': 46973, 'wereinthistogether staysafestayhome dontpanic': 980388, 's3': 728855, 'azsanderson': 106429, 'barryfromwatford': 111387, 'bennyhope': 127245, 'chinwag': 177493, 'drunkshopping': 261228, 'seagull': 743166, 'podcast s3': 662304, 's3 ep': 728856, 'ep boxing': 279267, 'boxing on': 137230, 'shit ticket': 759259, 'ticket on': 895636, 'apple aussie': 82310, 'aussie australia': 103112, 'australia azsanderson': 103236, 'azsanderson barryfromwatford': 106430, 'barryfromwatford bbc': 111388, 'bbc bennyhope': 113067, 'bennyhope chinwag': 127246, 'chinwag comedy': 177494, 'comedy drunkshopping': 187744, 'drunkshopping funny': 261229, 'funny iphone': 341751, 'iphone roman': 444577, 'roman seagull': 725719, 'seagull supermarket': 743169, 'supermarket tippingpoint': 823349, 'new podcast s3': 559292, 'podcast s3 ep': 662305, 's3 ep boxing': 728857, 'ep boxing on': 279268, 'boxing on for': 137231, 'on for shit': 600951, 'for shit ticket': 325557, 'shit ticket on': 759261, 'ticket on apple': 895637, 'on apple aussie': 599419, 'apple aussie australia': 82311, 'aussie australia azsanderson': 103113, 'australia azsanderson barryfromwatford': 103237, 'azsanderson barryfromwatford bbc': 106431, 'barryfromwatford bbc bennyhope': 111389, 'bbc bennyhope chinwag': 113068, 'bennyhope chinwag comedy': 127247, 'chinwag comedy drunkshopping': 177495, 'comedy drunkshopping funny': 187745, 'drunkshopping funny iphone': 261230, 'funny iphone roman': 341752, 'iphone roman seagull': 444578, 'roman seagull supermarket': 725720, 'seagull supermarket tippingpoint': 743170, 'at unit': 101401, 'unit they': 942100, 're based': 698342, 'toronto and': 925918, 'been negotiating': 121562, 'negotiating wholesale': 556944, 'their manufacturer': 873909, 'manufacturer contact': 513446, 'contact they': 200237, 'personal ventilator': 652993, 'access to covid': 28224, 'kit at unit': 475505, 'at unit they': 101402, 'unit they re': 942101, 'they re based': 883000, 're based in': 698343, 'based in toronto': 111623, 'in toronto and': 430200, 'toronto and have': 925919, 'have been negotiating': 379613, 'been negotiating wholesale': 121563, 'negotiating wholesale price': 556945, 'price with their': 677625, 'with their manufacturer': 1001584, 'their manufacturer contact': 873910, 'manufacturer contact they': 513447, 'contact they also': 200238, 'also have access': 48320, 'to ppe and': 911948, 'ppe and personal': 667904, 'and personal ventilator': 68932, 'gof': 354916, 'tbe': 835245, 'bank warned': 110282, 'uk crisis': 938284, 'will ripoff': 994704, 'ripoff customer': 722690, 'customer whenever': 223064, 'they gof': 882208, 'gof tbe': 354917, 'tbe chance': 835246, 'chance food': 171719, 'retailer already': 718948, 'stuff eg': 815057, 'eg rice': 269721, 'rice egg': 721035, 'bank warned against': 110283, 'warned against profiteering': 966992, 'against profiteering from': 37594, 'profiteering from uk': 683049, 'from uk crisis': 338166, 'uk crisis bank': 938285, 'crisis bank will': 217108, 'bank will ripoff': 110321, 'will ripoff customer': 994705, 'ripoff customer whenever': 722691, 'customer whenever they': 223065, 'whenever they gof': 984683, 'they gof tbe': 882209, 'gof tbe chance': 354918, 'tbe chance food': 835247, 'chance food retailer': 171720, 'food retailer already': 316219, 'retailer already up': 718949, 'already up price': 47743, 'on basic stuff': 599585, 'basic stuff eg': 112065, 'stuff eg rice': 815058, 'eg rice egg': 269722, 'but tweet': 147635, 'post like': 666196, 'like home': 490447, 'ideal time': 413277, 'complete turn': 192180, 'these are difficult': 879613, 'are difficult and': 85820, 'difficult and scary': 242186, 'and scary time': 71059, 'scary time for': 741207, 'time for most': 896728, 'most of but': 542543, 'of but tweet': 580992, 'but tweet and': 147636, 'tweet and post': 936341, 'and post like': 69231, 'post like home': 666197, 'like home due': 490448, 'to now is': 910745, 'now is an': 575061, 'is an ideal': 445664, 'an ideal time': 56141, 'ideal time for': 413278, 'time for online': 896735, 'they are complete': 881230, 'are complete turn': 85465, 'complete turn off': 192181, 'turn off for': 935714, 'off for me': 593832, 'tip earn': 898752, 'earn 3x': 264769, '3x reward': 18492, 'to unforeseen': 917938, 'unforeseen expense': 941542, 'expense make': 291200, 're earning': 698580, 'earning while': 264886, 'quarantined check': 692839, 'managing finance': 512868, 'finance while': 306302, 'socialdistancing getbeyondmoney': 780378, 'tip earn 3x': 898753, 'earn 3x reward': 264770, '3x reward from': 18493, 'reward from online': 720779, 'shopping to unforeseen': 764198, 'to unforeseen expense': 917939, 'unforeseen expense make': 941543, 'expense make sure': 291201, 'you re earning': 1020608, 're earning while': 698581, 'earning while quarantined': 264887, 'while quarantined check': 987191, 'quarantined check out': 692840, 'out more tip': 626579, 'on managing finance': 601983, 'managing finance while': 512869, 'finance while socialdistancing': 306303, 'while socialdistancing getbeyondmoney': 987291, 'marketing dollar': 517576, 'dollar bond': 252959, 'bond document': 134239, 'document show': 251206, 'show following': 766946, 'following qatar': 312827, 'qatar 10': 691475, 'billion debt': 130798, 'debt sale': 230555, 'sale gulf': 732254, 'state raise': 795880, 'raise cash': 695821, 'cash amid': 166150, 'start marketing dollar': 794389, 'marketing dollar bond': 517577, 'dollar bond document': 252960, 'bond document show': 134240, 'document show following': 251207, 'show following qatar': 766947, 'following qatar 10': 312828, 'qatar 10 billion': 691476, '10 billion debt': 1341, 'billion debt sale': 130799, 'debt sale gulf': 230556, 'sale gulf state': 732255, 'gulf state raise': 368649, 'state raise cash': 795881, 'raise cash amid': 695822, 'cash amid low': 166151, 'amid low oil': 52522, 'administration fda ha': 32466, 'fda ha approved': 300867, 'minute the struggle': 533855, 'the struggle to': 868307, 'demand for coronavirus': 235396, 'for coronavirus testing': 320394, 'if trip': 415191, 'are stressful': 90560, 'stressful in': 813497, 'current context': 221141, 'context there': 200921, 'strategy you': 812751, 'implement to': 418440, 'enjoy healthy': 277141, 'healthy nutrient': 387705, 'nutrient rich': 577701, 'rich diet': 721213, 'diet visit': 241764, 'tip nutrition': 898840, 'nutrition health': 577724, 'if trip to': 415192, 'supermarket are stressful': 819186, 'are stressful in': 90561, 'stressful in the': 813498, 'the current context': 852620, 'current context there': 221142, 'context there are': 200922, 'there are strategy': 878167, 'are strategy you': 90557, 'strategy you can': 812752, 'can implement to': 158731, 'implement to limit': 418441, 'limit your visit': 492575, 'your visit and': 1026288, 'visit and still': 959182, 'and still enjoy': 72374, 'still enjoy healthy': 800493, 'enjoy healthy nutrient': 277142, 'healthy nutrient rich': 387706, 'nutrient rich diet': 577702, 'rich diet visit': 721214, 'diet visit our': 241765, 'website for our': 975275, 'for our tip': 324301, 'our tip nutrition': 625151, 'tip nutrition health': 898841, 'nutrition health wellness': 577725, 'realuze': 702808, 'cashier crack': 166505, 'crack joke': 214703, 'cooky realuze': 202970, 'realuze that': 702809, 'it backbreaking': 456676, 'it humanity': 458660, 'store today please': 810863, 'today please see': 920045, 'please see what': 660459, 'the cashier crack': 850484, 'cashier crack joke': 166506, 'crack joke with': 214704, 'the old guy': 862136, 'old guy who': 598281, 'guy who need': 369231, 'the cooky realuze': 851720, 'cooky realuze that': 202971, 'realuze that it': 702810, 'that it backbreaking': 844694, 'it backbreaking work': 456677, 'backbreaking work to': 107511, 'you and see': 1017001, 'it in all': 458723, 'in all it': 420170, 'all it humanity': 43269, 'via drive': 955932, 'thru delivery': 895176, 'delivery carryout': 233786, 'carryout or': 165228, 'pickup be': 655941, 'run hike': 727667, 'hike or': 396245, 'dog twill': 252177, 'station or to': 796482, 'from restaurant via': 337096, 'restaurant via drive': 716785, 'via drive thru': 955933, 'drive thru delivery': 259193, 'thru delivery carryout': 895177, 'delivery carryout or': 233787, 'carryout or curbside': 165229, 'curbside pickup be': 220646, 'pickup be permitted': 655942, 'outside to run': 629621, 'to run hike': 913660, 'run hike or': 727668, 'hike or walk': 396247, 'the dog twill': 853501, 'richards': 721322, 'walmart much': 965368, 'much said': 545285, 'said richards': 731335, 'richards don': 721325, 'then suppose': 877585, 'suppose will': 827334, 'wait think': 964206, 'think everything': 885236, 'little extreme': 495336, 'probably won go': 679423, 'won go shopping': 1003825, 'shopping at walmart': 762118, 'at walmart much': 101475, 'walmart much said': 965369, 'much said richards': 545286, 'said richards don': 731336, 'richards don know': 721326, 'don know so': 253669, 'know so try': 476720, 'to do much': 904530, 'do much online': 249620, 'much online and': 545211, 'go to walmart': 354380, 'walmart then suppose': 965437, 'then suppose will': 877586, 'suppose will have': 827335, 'to wait think': 918275, 'wait think everything': 964207, 'think everything is': 885237, 'everything is getting': 287873, 'getting little extreme': 349095, 'mace': 507340, 'utwebinar': 951461, 'customerempathy': 223132, 'michael mace': 530255, 'mace vp': 507341, 'vp market': 960711, 'strategy caution': 812630, 'against turning': 37718, 'it tends': 461463, 'magnify the': 508437, 'an accurate': 55071, 'accurate indication': 28896, 'customer sentiment': 222812, 'sentiment utwebinar': 751023, 'utwebinar customerempathy': 951462, 'michael mace vp': 530256, 'mace vp market': 507342, 'vp market strategy': 960712, 'market strategy caution': 517134, 'strategy caution against': 812631, 'caution against turning': 168158, 'against turning to': 37719, 'turning to social': 935972, 'medium to understand': 527332, 'understand consumer attitude': 940619, 'consumer attitude about': 196340, 'attitude about covid': 102539, '19 it tends': 8154, 'it tends to': 461464, 'tends to magnify': 837919, 'to magnify the': 909545, 'magnify the extreme': 508438, 'the extreme and': 854775, 'extreme and is': 293777, 'and is likely': 65414, 'is likely not': 449350, 'likely not an': 492062, 'not an accurate': 568189, 'an accurate indication': 55072, 'accurate indication of': 28897, 'your customer sentiment': 1023422, 'customer sentiment utwebinar': 222813, 'sentiment utwebinar customerempathy': 751024, 'rhino': 720898, 'say gilead': 738673, 'gilead had': 350120, 'had developed': 373025, 'developed protective': 239729, 'protective rhino': 685807, 'rhino skin': 720899, 'skin when': 773087, 'patient advocate': 644121, 'advocate dan': 33832, 'dan day': 225528, 'clearly out': 181535, 'create whole': 215770, 'new image': 558908, 'image yes': 416664, 'yes gild': 1015441, 'to say gilead': 913821, 'say gilead had': 738674, 'gilead had developed': 350121, 'had developed protective': 373026, 'developed protective rhino': 239730, 'protective rhino skin': 685808, 'rhino skin when': 720900, 'skin when it': 773088, 'came to price': 157069, 'to price and': 912115, 'price and patient': 672492, 'and patient advocate': 68771, 'patient advocate dan': 644122, 'advocate dan day': 33833, 'dan day is': 225529, 'day is clearly': 227836, 'is clearly out': 446556, 'clearly out to': 181536, 'to create whole': 903729, 'create whole new': 215771, 'whole new image': 990269, 'new image yes': 558909, 'image yes gild': 416665, 'step covi': 799523, 'sold at exorbitant': 781631, 'exorbitant price instead': 290414, 'helping people during': 391435, 'of it request': 585438, 'it request the': 460721, 'request the central': 713204, 'take necessary step': 832357, 'necessary step covi': 554092, 'expert can': 291803, 'impact unemployment': 418034, 'unemployment paid': 941260, 'security allocation': 744530, 'resource immigrant': 714818, 'community housing': 189901, 'housing stability': 407154, 'stability homelessness': 791813, 'homelessness consumer': 402804, 'finance technology': 306276, 'technology early': 836282, 'early childhood': 264567, 'childhood development': 176316, 'expert can discus': 291804, 'can discus how': 158072, 'discus how is': 244866, 'how is likely': 408101, 'likely to impact': 492160, 'to impact unemployment': 908158, 'impact unemployment paid': 418035, 'unemployment paid leave': 941261, 'paid leave food': 634056, 'leave food security': 484791, 'food security allocation': 316337, 'security allocation of': 744531, 'allocation of scarce': 45898, 'scarce medical resource': 740797, 'medical resource immigrant': 526366, 'resource immigrant community': 714819, 'immigrant community housing': 417217, 'community housing stability': 189902, 'housing stability homelessness': 407155, 'stability homelessness consumer': 791814, 'homelessness consumer finance': 402805, 'consumer finance technology': 197486, 'finance technology early': 306277, 'technology early childhood': 836283, 'early childhood development': 264568, 'so watching': 778651, 'watching demolitionman': 968727, 'demolitionman and': 236809, 'shell technique': 757881, 'technique instead': 836239, 'so watching demolitionman': 778652, 'watching demolitionman and': 968728, 'demolitionman and wondering': 236810, 'and wondering why': 75832, 'on toiletpaper when': 604794, 'toiletpaper when we': 922835, 'using the shell': 950714, 'the shell technique': 866912, 'shell technique instead': 757882, 'live pm': 495991, 'pm urge': 662019, 'urge unity': 948242, 'unity among': 942319, 'among political': 53051, 'political leader': 663656, 'live pm urge': 495992, 'pm urge unity': 662020, 'urge unity among': 948243, 'unity among political': 942320, 'among political leader': 53052, 'political leader in': 663657, 'leader in war': 483479, 'in war against': 430674, 'inaugural pipeline': 431241, 'pipeline takeaway': 656914, 'takeaway podcast': 832899, 'economy commodity': 267768, 'the inaugural pipeline': 858031, 'inaugural pipeline takeaway': 431242, 'pipeline takeaway podcast': 656915, 'takeaway podcast talk': 832900, 'podcast talk about': 662311, 'affecting the economy': 34560, 'the economy commodity': 853952, 'economy commodity price': 267769, 'and the different': 73325, 'the different sector': 853270, 'different sector of': 242050, 'heard fella': 388077, 'fella in': 303256, '70 comparing': 21747, 'comparing to': 191456, 'cold the': 185797, 'just heard fella': 468954, 'heard fella in': 388078, 'fella in the': 303257, 'the supermarket clearly': 868519, 'supermarket clearly over': 819710, 'over 70 comparing': 629903, '70 comparing to': 21748, 'comparing to common': 191457, 'to common cold': 903088, 'common cold the': 189370, 'cold the message': 185798, 'message is not': 529351, 'is not getting': 450092, 'not getting through': 569634, 'were socialist': 980145, 'socialist country': 781009, 'not ppl': 571065, 'yet anyway': 1016002, 'anyway don': 81002, 'hoard go': 398800, 'seeing the empty': 746493, 'shelf you think': 757852, 'think we were': 885776, 'we were socialist': 973811, 'were socialist country': 980146, 'socialist country we': 781010, 'country we re': 211212, 're not ppl': 699112, 'not ppl not': 571066, 'ppl not yet': 668291, 'not yet anyway': 572595, 'yet anyway don': 1016003, 'anyway don hoard': 81003, 'don hoard go': 253636, 'hoard go in': 398801, 'go in get': 353706, 'in get what': 423291, 'and leave food': 66052, 'leave food and': 484789, 'rest of 19': 716180, 'intent': 441142, 'pretty likely': 671437, 'there link': 878707, 'point dr': 662471, 'fauci publicly': 300374, 'publicly sounding': 688601, 'alarm signaling': 40677, 'signaling intent': 769332, 'intent to': 441145, 'to mission': 910188, 'mission accomplished': 534338, '1m american': 12646, 'it pretty likely': 460442, 'pretty likely that': 671438, 'likely that there': 492116, 'that there link': 846901, 'there link between': 878708, 'link between these': 493810, 'between these data': 128944, 'these data point': 879863, 'data point dr': 226345, 'point dr fauci': 662472, 'dr fauci publicly': 258021, 'fauci publicly sounding': 300375, 'publicly sounding the': 688602, 'sounding the alarm': 786359, 'the alarm signaling': 848548, 'alarm signaling intent': 40678, 'signaling intent to': 769333, 'intent to mission': 441146, 'to mission accomplished': 910189, 'mission accomplished the': 534339, 'accomplished the covid': 28503, 'outbreak and arguing': 627986, 'and arguing that': 58390, 'arguing that stock': 92739, 'important than 1m': 418984, 'than 1m american': 840186, '1m american life': 12647, 'morning all': 541139, 'in southampton': 428138, 'southampton that': 786819, 'site he': 771942, 'positive they': 665460, 'finger print': 307815, 'print scanner': 678289, 'scanner how': 740733, 'good morning all': 357400, 'morning all my': 541140, 'all my brother': 43544, 'law is working': 482323, 'working on site': 1008818, 'site in southampton': 771957, 'in southampton that': 428139, 'southampton that ha': 786820, 'that ha no': 844125, 'ha no hand': 371341, 'or wipe on': 617819, 'wipe on site': 996331, 'on site he': 603486, 'site he did': 771943, 'he did say': 384877, 'did say one': 240794, 'say one positive': 739027, 'one positive they': 606909, 'positive they don': 665461, 'use the finger': 949663, 'the finger print': 855246, 'finger print scanner': 307816, 'print scanner how': 678290, 'scanner how is': 740734, 'rutgers': 728688, 'princetonu': 678218, 'tcnj': 835287, 'njit': 563480, 'thanksfordelivery': 842288, 'rutgersnewark': 728691, 'of jobless': 585540, 'jobless american': 466325, 'with utility': 1001945, 'bill this': 130698, 'hurt everyone': 411567, 'everyone pas': 287259, 'on rutgers': 603243, 'rutgers princetonu': 728689, 'princetonu tcnj': 678219, 'tcnj njit': 835288, 'njit stayhome': 563481, 'stayhome thanksfordelivery': 798201, 'thanksfordelivery rutgersnewark': 842289, 'rutgersnewark maga2020': 728692, 'maga2020 newark': 508308, 'is pushing for': 451146, 'pushing for higher': 690420, 'when million of': 983734, 'million of jobless': 532272, 'of jobless american': 585541, 'jobless american are': 466326, 'american are coping': 51801, 'coping with utility': 203405, 'with utility bill': 1001946, 'utility bill this': 951267, 'bill this hurt': 130699, 'this hurt everyone': 887980, 'hurt everyone pas': 411569, 'everyone pas it': 287260, 'it on rutgers': 460054, 'on rutgers princetonu': 603244, 'rutgers princetonu tcnj': 728690, 'princetonu tcnj njit': 678220, 'tcnj njit stayhome': 835289, 'njit stayhome thanksfordelivery': 563482, 'stayhome thanksfordelivery rutgersnewark': 798202, 'thanksfordelivery rutgersnewark maga2020': 842290, 'rutgersnewark maga2020 newark': 728693, 'yall even': 1014070, 'even hoarding': 284187, 'hoarding ketchup': 399406, 'ketchup smh': 473176, 'smh this': 775687, 'lol retail': 500947, 'yall even hoarding': 1014071, 'even hoarding ketchup': 284188, 'hoarding ketchup smh': 399407, 'ketchup smh this': 473177, 'smh this is': 775688, 'is my store': 449811, 'my store when': 550231, 'store when left': 811243, 'when left at': 983682, 'left at 9pm': 485393, 'at 9pm today': 97827, '9pm today lol': 24011, 'today lol retail': 919828, 'surge case': 828136, 'increase along': 432664, 'investor interest': 444170, 'commodity goldprice': 189181, 'to surge case': 916001, 'surge case increase': 828137, 'case increase along': 165815, 'increase along with': 432665, 'along with investor': 47058, 'with investor interest': 999036, 'investor interest to': 444172, 'interest to purchase': 441417, 'to purchase this': 912553, 'purchase this commodity': 689681, 'this commodity goldprice': 886813, 'may spell': 521517, 'spell the': 788528, 'private for': 678909, 'profit healthcare': 682759, 'healthcare business': 387049, '40 it': 18587, 'make universal': 510675, 'universal healthcare': 942362, 'healthcare essential': 387098, '19 may spell': 8584, 'may spell the': 521518, 'spell the end': 788529, 'of the private': 591365, 'the private for': 864484, 'private for profit': 678910, 'for profit healthcare': 324791, 'profit healthcare business': 682760, 'healthcare business in': 387050, 'business in america': 143877, 'in america if': 420224, 'america if price': 51558, 'if price go': 414687, 'go up 40': 354417, 'up 40 it': 944171, '40 it make': 18588, 'it make universal': 459519, 'make universal healthcare': 510676, 'universal healthcare essential': 942363, 'pia': 655552, 'urself': 948485, 'pia it': 655553, 'it rip': 460786, 'flight not': 310515, 'commercial one': 188718, 'one check': 606060, 'price urself': 677280, 'urself decide': 948486, 'whether all': 985483, 'pay such': 645123, 'such amount': 816315, 'etc around': 282427, 'penalised for': 646425, 'pia it rip': 655554, 'it rip off': 460787, 'rip off flight': 722663, 'off flight not': 593816, 'flight not commercial': 310516, 'not commercial one': 568807, 'commercial one check': 188719, 'one check the': 606061, 'the price urself': 864432, 'price urself decide': 677281, 'urself decide whether': 948487, 'decide whether all': 230854, 'whether all citizen': 985484, 'all citizen can': 42349, 'citizen can afford': 178868, 'to pay such': 911561, 'pay such amount': 645124, 'such amount if': 816316, 'amount if supermarket': 53191, 'if supermarket etc': 414896, 'supermarket etc around': 820210, 'etc around the': 282428, 'world can be': 1009394, 'can be penalised': 157659, 'be penalised for': 116386, 'penalised for taking': 646426, '19 then why': 11279, 'shopping seems': 763829, 'panicked big': 639250, 'horde are': 403993, 'regional shopping': 707523, 'cole cancelled': 185849, 'grocery shopping seems': 365078, 'shopping seems the': 763830, 'seems the panicked': 746867, 'the panicked big': 863243, 'panicked big city': 639251, 'city horde are': 179189, 'horde are stripping': 403994, 'stripping regional shopping': 813914, 'regional shopping centre': 707524, 'shopping centre of': 762354, 'centre of supply': 169525, 'of supply so': 590498, 'and cole cancelled': 60068, 'cole cancelled online': 185850, 'cancelled online and': 161145, 'online and pickup': 607842, 'and pickup shopping': 69024, 'pickup shopping when': 656015, 'ingrate': 438338, 'with police': 1000250, 'literally lose': 495036, 'lose it': 503441, 'if personally': 414644, 'personally see': 653047, 'those ingrate': 892120, 'ingrate doing': 438339, 'didn have enough': 241087, 'enough to worry': 277732, 'worry about with': 1010661, 'about with police': 26943, 'with police investigating': 1000251, 'store will literally': 811335, 'will literally lose': 994029, 'literally lose it': 495037, 'lose it if': 503442, 'it if personally': 458674, 'if personally see': 414645, 'personally see one': 653048, 'see one of': 745505, 'of those ingrate': 592096, 'those ingrate doing': 892121, 'ingrate doing something': 438340, 'doing something like': 252675, 'true since': 933161, 'never gone': 558028, 'faced no': 295029, 'crowd around': 219124, 'socialdistancing important': 780441, 'so true since': 778574, 'true since lockdown': 933162, 'since lockdown have': 770706, 'lockdown have never': 499459, 'have never gone': 381580, 'never gone to': 558029, 'gone to supermarket': 356396, 'to supermarket still': 915839, 'still have faced': 800647, 'have faced no': 380550, 'faced no shortage': 295030, 'no shortage so': 565501, 'shortage so do': 765214, 'not crowd around': 568936, 'crowd around supermarket': 219125, 'around supermarket socialdistancing': 93504, 'supermarket socialdistancing important': 822757, 'trump putin': 933776, 'putin had': 691027, 'had phone': 373401, 'call monday': 155998, 'monday re': 536367, 'price bought': 672947, 'bought ppe': 136685, 'from russia': 337137, 'russia it': 728506, 'way here': 969625, 'now russia': 575719, 'russia plan': 728537, 'production lower': 682115, 'lower supply': 506003, 'supply higher': 825366, 'oil up': 597493, '25 today': 15980, 'trump putin had': 933777, 'putin had phone': 691028, 'had phone call': 373402, 'phone call monday': 654927, 'call monday re': 155999, 'monday re oil': 536368, 're oil price': 699173, 'oil price bought': 597065, 'price bought ppe': 672948, 'bought ppe from': 136686, 'ppe from russia': 667956, 'from russia it': 337138, 'russia it on': 728507, 'it on way': 460067, 'on way here': 605123, 'way here now': 969626, 'here now russia': 393394, 'now russia plan': 575720, 'russia plan to': 728538, 'oil production lower': 597371, 'production lower supply': 682116, 'lower supply higher': 506004, 'supply higher price': 825367, 'higher price oil': 395686, 'price oil up': 675630, 'oil up 25': 597494, 'up 25 today': 944144, '25 today this': 15981, 'today this boost': 920334, 'this boost oil': 886597, 'boost oil company': 134984, 'law issue': 482324, 'issue across': 455641, 'overview of some': 631684, 'of some corona': 589893, 'some corona related': 782602, 'corona related consumer': 204140, 'related consumer law': 708400, 'consumer law issue': 198001, 'law issue across': 482325, 'issue across the': 455642, 'across the eu': 29497, 'drink corona': 258809, 'corona extra': 203934, 'extra during': 293503, 'normal week': 567401, '24 bottle': 15573, 'extra these': 293670, 'sell double': 748690, 'store people really': 809494, 'people really like': 649244, 'like to drink': 491585, 'to drink corona': 904721, 'drink corona extra': 258810, 'corona extra during': 203935, 'extra during this': 293504, '19 normal week': 8821, 'normal week we': 567402, 'week we sell': 977201, 'we sell box': 973192, 'box of 24': 137108, 'of 24 bottle': 579531, '24 bottle of': 15574, 'bottle of corona': 136278, 'of corona extra': 581888, 'corona extra these': 203936, 'extra these week': 293671, 'these week we': 880952, 'we sell double': 973196, 'sell double the': 748691, 'double the amount': 256068, 'the amount if': 848651, 'amount if not': 53190, 'mount retail': 543407, 'closure mount retail': 183945, 'mount retail retailnews': 543408, 'plastered': 658786, 'ensure adequate': 277889, 'adequate social': 32180, 'ha plastered': 371495, 'plastered it': 658787, 'it floor': 458040, 'floor with': 310862, 'with red': 1000428, 'red dot': 705574, 'dot for': 255944, 'the dot': 853601, 'dot are': 255937, 'are carefully': 85174, 'carefully placed': 164478, 'another it': 77683, 'set plexi': 753457, 'plexi barrier': 661022, 'to ensure adequate': 905141, 'ensure adequate social': 277890, 'adequate social distancing': 32181, 'distancing supermarket ha': 247518, 'supermarket ha plastered': 820643, 'ha plastered it': 371496, 'plastered it floor': 658788, 'it floor with': 458041, 'floor with red': 310863, 'with red dot': 1000429, 'red dot for': 705575, 'dot for people': 255945, 'people to stand': 649942, 'stand on while': 793565, 'on while shopping': 605290, 'while shopping the': 987270, 'shopping the dot': 764085, 'the dot are': 853603, 'dot are carefully': 255938, 'are carefully placed': 85175, 'carefully placed at': 164479, 'placed at safe': 657876, 'distance from another': 246710, 'from another it': 334538, 'another it ha': 77684, 'ha also set': 369528, 'also set plexi': 48863, 'set plexi barrier': 753458, 'plexi barrier for': 661024, 'barrier for cashier': 111359, 'for cashier from': 319952, 'cashier from 19': 166531, 'grocery option': 364798, 'what your online': 982716, 'online grocery option': 608322, 'grocery option are': 364799, 'infectologists': 436924, 'nwangwu': 577810, 'bos mustapha': 135679, 'mustapha lawyer': 547012, 'lawyer head': 482549, 'head the': 385825, 'presidential task': 670996, 'force on': 328468, 'expert epidemiologist': 291825, 'epidemiologist infectologists': 279488, 'infectologists you': 436925, 'you appoint': 1017037, 'appoint misfit': 82645, 'misfit and': 534026, 'and overlook': 68580, 'overlook prof': 631283, 'prof john': 682358, 'john nwangwu': 466542, 'nwangwu google': 577811, 'google him': 358164, 'bos mustapha lawyer': 135680, 'mustapha lawyer head': 547013, 'lawyer head the': 482550, 'head the presidential': 385826, 'the presidential task': 864279, 'presidential task force': 670997, 'task force on': 834694, 'force on in': 328470, 'on in country': 601523, 'in country with': 421831, 'country with public': 211259, 'public health expert': 688066, 'health expert epidemiologist': 386419, 'expert epidemiologist infectologists': 291827, 'epidemiologist infectologists you': 279489, 'infectologists you appoint': 436926, 'you appoint misfit': 1017038, 'appoint misfit and': 82646, 'misfit and overlook': 534028, 'and overlook prof': 68581, 'overlook prof john': 631284, 'prof john nwangwu': 682359, 'john nwangwu google': 466543, 'nwangwu google him': 577812, 'dailyvoice': 224936, 'outbreak grocery': 628256, 'shopper alike': 761341, 'outbreak dailyvoice': 628155, 'staying safe while': 798702, '19 outbreak grocery': 9127, 'outbreak grocery store': 628257, 'and shopper alike': 71523, 'shopper alike are': 761342, 'alike are taking': 41773, 'that all stay': 842564, 'stay safe amid': 797209, 'safe amid the': 729426, 'novel outbreak dailyvoice': 573802, 'still protect': 801073, 'hurry up while': 411529, 'up while you': 946600, 'can still protect': 159787, 'still protect your': 801074, 'protect your life': 685066, 'your life for': 1024634, 'life for only': 488667, 'customer got': 222417, 'be 2m': 113426, 'only outside': 610933, 'also inside': 48427, 'knew covid': 476032, 'passed in': 643271, 'customer got angry': 222418, 'got angry at': 358404, 'angry at me': 76460, 'at me today': 99712, 'me today when': 523806, 'today when told': 920518, 'when told him': 984334, 'told him he': 923573, 'him he had': 396616, 'to be 2m': 901080, 'be 2m away': 113428, 'from people not': 336884, 'people not only': 648872, 'not only outside': 570815, 'only outside but': 610934, 'outside but also': 629386, 'but also inside': 145124, 'also inside of': 48428, 'inside of the': 439337, 'the store who': 868145, 'store who knew': 811305, 'who knew covid': 989166, 'knew covid 19': 476033, 'be passed in': 116364, 'passed in supermarket': 643273, 'ranjangogoi': 696771, 'rajyasabha': 696190, 'nbjp': 553263, 'smooking': 775920, 'ranjangogoi appointment': 696772, 'appointment rajyasabha': 82685, 'rajyasabha mp': 696191, 'shameful moment': 754694, 'moment nbjp': 536000, 'nbjp supporter': 553264, 'supporter also': 827080, 'also give': 48262, 'how congress': 407581, 'congress wa': 194552, 'exact reason': 288701, 'we voted': 973731, 'for twice': 327384, 'twice with': 936558, 'with smooking': 1000779, 'smooking majority': 775921, 'majority so': 509576, 'repeat the': 711535, 'the sin': 867206, 'sin of': 770393, 'ranjangogoi appointment rajyasabha': 696773, 'appointment rajyasabha mp': 82686, 'rajyasabha mp is': 696192, 'mp is shameful': 544257, 'is shameful moment': 451827, 'shameful moment nbjp': 754697, 'moment nbjp supporter': 536001, 'nbjp supporter also': 553265, 'supporter also give': 827081, 'also give an': 48263, 'give an example': 350380, 'of how congress': 584816, 'how congress wa': 407583, 'congress wa doing': 194553, 'doing it it': 252485, 'it it what': 459184, 'it what this': 462326, 'is the exact': 452790, 'the exact reason': 854657, 'exact reason we': 288702, 'reason we voted': 703054, 'we voted for': 973732, 'voted for twice': 960554, 'for twice with': 327385, 'twice with smooking': 936559, 'with smooking majority': 1000780, 'smooking majority so': 775922, 'majority so you': 509578, 'do not repeat': 249820, 'not repeat the': 571314, 'repeat the sin': 711536, 'the sin of': 867207, 'sin of congress': 770394, 'irony in': 444963, 'in being': 420768, 'but neither': 146463, 'neither meat': 557333, 'only person to': 610962, 'person to see': 652661, 'the irony in': 858460, 'irony in being': 444964, 'in being able': 420769, 'bun but neither': 142604, 'but neither meat': 146464, 'neither meat at': 557334, 'socialdistancing much': 780536, 'online simple': 609364, 'are socialdistancing much': 90242, 'socialdistancing much of': 780537, 'done online simple': 254968, 'online simple free': 609365, 'money to for': 537099, 'to for free': 906136, 'for free visit': 321736, 'these report': 880584, 'report be': 711824, 'american just': 52065, 'just plummeted': 469456, 'crisis threatens': 218235, 'threatens deep': 893843, 'recession qanon': 704344, 'could all these': 208805, 'all these report': 45049, 'these report be': 880585, 'report be wrong': 711825, 'be wrong the': 118170, 'wrong the economic': 1013114, 'the economic outlook': 853909, 'economic outlook for': 267186, 'outlook for american': 629149, 'for american just': 319251, 'american just plummeted': 52066, 'just plummeted the': 469457, 'plummeted the most': 661354, 'most since the': 542747, 'financial crisis threatens': 306384, 'crisis threatens deep': 218236, 'threatens deep recession': 893844, 'deep recession qanon': 231921, 'to ayuk': 900969, 'ayuk conversation': 106356, 'pro of': 679120, 'need lower': 555181, 'is stability': 452207, 'listen to ayuk': 494728, 'to ayuk conversation': 900970, 'ayuk conversation with': 106357, 'conversation with on': 202509, 'on the pro': 604305, 'the pro of': 864500, 'pro of the': 679121, 'panic for you': 638128, 'don need lower': 253763, 'need lower price': 555182, 'price or higher': 675779, 'or higher price': 615639, 'higher price what': 395698, 'price what you': 677474, 'need is stability': 555073, 'is stability in': 452208, 'stability in the': 791817, 'tartous': 834649, 'curfew extended': 220876, 'extended in': 293171, 'in regime': 427350, 'regime area': 707343, 'noon pm': 566852, 'pm on': 661952, 'on weekend': 605190, 'weekend tartous': 977421, 'tartous in': 834650, 'western on': 980634, 'specific reason': 788243, 'reason given': 702917, 'given cabinet': 350963, 'cabinet measure': 154986, 'measure try': 525412, 'cope new': 203323, 'new shortage': 559593, 'good rising': 357673, 'curfew extended in': 220877, 'extended in regime': 293172, 'in regime area': 427351, 'regime area to': 707344, 'area to 12': 92234, 'to 12 noon': 899467, '12 noon pm': 2915, 'noon pm on': 566853, 'pm on weekend': 661954, 'on weekend tartous': 605191, 'weekend tartous in': 977422, 'tartous in western': 834651, 'in western on': 430817, 'western on lockdown': 980635, 'lockdown no specific': 499691, 'no specific reason': 565564, 'specific reason given': 788244, 'reason given cabinet': 702918, 'given cabinet measure': 350964, 'cabinet measure try': 154987, 'measure try to': 525413, 'to cope new': 903508, 'cope new shortage': 203324, 'new shortage of': 559594, 'essential good rising': 281098, 'good rising price': 357674, 'pic consumer': 655589, 'durables demand': 262351, 'demand enters': 235291, 'enters uncharted': 278499, 'territory recovery': 838578, 'stretched here': 813573, 'in pic consumer': 426700, 'pic consumer durables': 655590, 'consumer durables demand': 197266, 'durables demand enters': 262352, 'demand enters uncharted': 235292, 'enters uncharted territory': 278500, 'uncharted territory recovery': 939798, 'territory recovery to': 838579, 'recovery to be': 705408, 'to be stretched': 901566, 'be stretched here': 117393, 'stretched here all': 813574, 'all you to': 45554, 'you to need': 1021811, 'the frenzy': 855793, 'frenzy advice': 332774, 'useful item': 950175, 'to get from': 906487, 'amid the frenzy': 52694, 'the frenzy advice': 855794, 'frenzy advice from': 332775, 'advice from people': 33391, 'people in quarantine': 648421, 'in quarantine on': 427186, 'quarantine on the': 692405, 'most useful item': 542846, 'useful item to': 950176, 'item to have': 463754, 'your home right': 1024370, 'significantly but': 769550, 'gas price came': 343940, 'price came down': 673053, 'came down significantly': 156988, 'down significantly but': 257183, 'significantly but we': 769551, 'cannot go anywhere': 161923, 'have largest': 381250, 'monthly decline': 538165, 'year coronavirus': 1014494, 'coronavirus suppresses': 206854, 'suppresses spending': 827418, 'consumer price have': 198423, 'price have largest': 674437, 'have largest monthly': 381251, 'largest monthly decline': 479980, 'monthly decline in': 538166, 'decline in five': 231351, 'five year coronavirus': 309690, 'year coronavirus suppresses': 1014495, 'coronavirus suppresses spending': 206855, 'suppresses spending via': 827419, 'jordan 27': 467272, 'old maryland': 598359, 'maryland grocery': 518204, 'with cerebralpalsy': 997591, 'cerebralpalsy died': 169956, 'mother arm': 543058, 'arm she': 92915, 'helped people': 391092, 'people load': 648688, 'load grocery': 497253, 'grocery into': 364632, 'car but': 163034, 'but wasn': 147729, 'wasn given': 967978, 'sanitizer reported': 735650, 'reported april': 712459, 'april on': 83649, 'leilani jordan 27': 486116, 'jordan 27 yr': 467273, 'yr old maryland': 1027037, 'old maryland grocery': 598360, 'maryland grocery store': 518205, 'clerk with cerebralpalsy': 181829, 'with cerebralpalsy died': 997592, 'cerebralpalsy died of': 169957, 'the in her': 858004, 'in her mother': 423658, 'her mother arm': 392200, 'mother arm she': 543059, 'arm she helped': 92916, 'she helped people': 756120, 'helped people load': 391093, 'people load grocery': 648689, 'load grocery into': 497254, 'grocery into their': 364633, 'into their cart': 443192, 'their cart and': 872739, 'cart and car': 165245, 'and car but': 59545, 'car but wasn': 163035, 'but wasn given': 147730, 'wasn given mask': 967979, 'hand sanitizer reported': 375565, 'sanitizer reported april': 735651, 'reported april on': 712460, '60m': 21156, 'booming is': 134884, 'retail apparently': 717848, 'apparently briton': 81913, 'briton spent': 140653, 'spent 60m': 789094, '60m in': 21157, 'first week': 309175, 'panic alone': 637273, 'alone thank': 46920, 'fed retail': 301886, 'one area of': 605951, 'economy that is': 268267, 'that is booming': 844563, 'is booming is': 446226, 'booming is food': 134885, 'is food retail': 447870, 'food retail apparently': 316204, 'retail apparently briton': 717849, 'apparently briton spent': 81914, 'briton spent 60m': 140654, 'spent 60m in': 789095, '60m in the': 21158, 'the first week': 855367, 'first week of': 309176, 'week of panic': 976635, 'of panic alone': 587716, 'panic alone thank': 637274, 'alone thank you': 46921, 'and fed retail': 62753, 'fed retail employment': 301887, 'retail employment job': 718081, 'wa naive': 962683, 'naive enough': 551528, 'didn look': 241129, 'thing coronacrisisuk': 884245, 'wa naive enough': 962684, 'naive enough to': 551529, 'enough to think': 277728, 'think people didn': 885486, 'people didn look': 647647, 'didn look down': 241130, 'down on supermarket': 257038, 'supermarket worker but': 823999, 'worker but apparently': 1006554, 'but apparently that': 145203, 'apparently that is': 82010, 'that is thing': 844667, 'is thing coronacrisisuk': 453061, 'saga': 730882, 'staff see': 792836, 'see themselves': 745923, 'the saga': 866159, 'saga keyworkers': 730883, 'how supermarket staff': 408767, 'supermarket staff see': 822887, 'staff see themselves': 792837, 'see themselves during': 745924, 'during the saga': 263183, 'the saga keyworkers': 866160, 'unilever going': 941791, 'coronaoutbreak pandemic': 205127, 'hindustan unilever going': 396877, 'unilever going to': 941792, 'drop price of': 260373, 'product to reduce': 681761, 'reduce the effect': 705960, 'of coronavirus coronaoutbreak': 581926, 'coronavirus coronaoutbreak pandemic': 205703, 'pid': 656238, 'rer': 713541, 'projets': 683594, 'selon': 749563, 'pid mie': 656239, 'mie de': 530842, 'de va': 229115, 'va acc': 951530, 'acc rer': 27815, 'rer le': 713542, 'le projets': 483093, 'projets ecommerce': 683595, 'ecommerce de': 266749, 'de entreprises': 229051, 'entreprises selon': 278978, 'selon with': 749564, 'with offline': 999856, 'shopping collapsing': 762377, 'collapsing company': 186128, 'company strategy': 191124, 'on fortifying': 600968, 'fortifying their': 329819, 'their web': 875163, 'case building': 165666, 'pid mie de': 656240, 'mie de va': 530843, 'de va acc': 229116, 'va acc rer': 951531, 'acc rer le': 27816, 'rer le projets': 713543, 'le projets ecommerce': 483094, 'projets ecommerce de': 683596, 'ecommerce de entreprises': 266750, 'de entreprises selon': 229052, 'entreprises selon with': 278979, 'selon with offline': 749565, 'with offline shopping': 999857, 'offline shopping collapsing': 596054, 'shopping collapsing company': 762378, 'collapsing company strategy': 186129, 'company strategy will': 191125, 'strategy will need': 812746, 'focus on fortifying': 311875, 'on fortifying their': 600969, 'fortifying their web': 329820, 'their web presence': 875164, 'web presence and': 974959, 'presence and in': 670551, 'some case building': 782484, 'case building an': 165667, 'building an online': 142043, 'an online business': 56611, 'trader cannot': 928672, 'entire store wa': 278749, 'all the trader': 44950, 'the trader cannot': 869861, 'trader cannot imagine': 928673, 'craziness you re': 215234, 'dealing with right': 229686, 'interval': 442150, 'salakati': 731928, 'addl': 31936, 'rani': 696766, 'sarmah': 736787, 'maintain amp': 508932, 'amp clean': 53527, 'regular interval': 707799, 'interval can': 442151, 'seen generating': 747033, 'generating awareness': 345587, 'on among': 599309, 'among villager': 53108, 'villager at': 957395, 'at salakati': 100450, 'salakati area': 731929, 'video addl': 956601, 'addl sp': 31937, 'sp rosy': 787017, 'rosy rani': 726155, 'rani sarmah': 696767, 'sarmah guiding': 736788, 'guiding villager': 368520, 'maintain amp clean': 508933, 'amp clean hand': 53528, 'clean hand using': 180553, 'hand using hand': 375904, 'with soap at': 1000792, 'soap at regular': 778944, 'at regular interval': 100284, 'regular interval can': 707800, 'interval can be': 442152, 'be seen generating': 117039, 'seen generating awareness': 747034, 'generating awareness on': 345588, 'awareness on among': 105717, 'on among villager': 599310, 'among villager at': 53109, 'villager at salakati': 957396, 'at salakati area': 100451, 'salakati area in': 731930, 'area in in': 92067, 'the video addl': 870738, 'video addl sp': 956602, 'addl sp rosy': 31938, 'sp rosy rani': 787018, 'rosy rani sarmah': 726156, 'rani sarmah guiding': 696768, 'sarmah guiding villager': 736789, 'in mo': 425383, 'mo related': 534864, 'here link': 393298, 'reported said': 712524, 'said several': 731341, 'several investigation': 753867, 'investigation are': 443861, 'gouging in mo': 359347, 'in mo related': 425384, 'mo related to': 534865, '19 here link': 7514, 'here link to': 393299, 'link to where': 493952, 'where it can': 984960, 'be reported said': 116804, 'reported said several': 712525, 'said several investigation': 731342, 'several investigation are': 753868, 'investigation are already': 443862, 'are already underway': 84431, 'outbreak customer': 628153, 'stop relying': 804956, 'relying only': 709685, 'start searching': 794483, 'alternative site': 49257, 'site especially': 771910, 'especially local': 280539, 'local distributor': 497899, 'distributor once': 248306, 'more competition': 538845, 'competition for': 191697, 'the outbreak customer': 862610, 'outbreak customer are': 628154, 'customer are going': 222123, 'to learn to': 909141, 'learn to stop': 484087, 'to stop relying': 915561, 'stop relying only': 804957, 'relying only on': 709686, 'only on amazon': 610853, 'amazon for all': 50947, 'all their online': 45003, 'shopping and start': 762025, 'and start searching': 72246, 'start searching for': 794484, 'searching for alternative': 743326, 'for alternative site': 319220, 'alternative site especially': 49258, 'site especially local': 771911, 'especially local distributor': 280540, 'local distributor once': 497900, 'distributor once this': 248307, 'over we are': 630896, 'to see lot': 914037, 'see lot more': 745375, 'lot more competition': 504103, 'more competition for': 538846, 'competition for the': 191699, 'for the giant': 326458, 'adult ready': 32848, 'meal delivers': 524126, 'delivers to': 233600, 'by real': 153730, 'real chef': 701066, 'chef also': 175249, 'includes vegan': 431824, 'vegan option': 953876, 'option supermarket': 614097, 'foodshortages food': 318139, 'supermarket are low': 819169, 'on stock we': 603679, 'stock we have': 803159, 'have kid and': 381225, 'kid and adult': 473849, 'and adult ready': 57710, 'adult ready meal': 32849, 'ready meal delivers': 700906, 'meal delivers to': 524127, 'delivers to your': 233601, 'home made by': 401563, 'made by real': 507674, 'by real chef': 153731, 'real chef also': 701067, 'chef also includes': 175250, 'also includes vegan': 48405, 'includes vegan option': 431825, 'vegan option supermarket': 953877, 'option supermarket foodshortages': 614098, 'supermarket foodshortages food': 820374, 'lowe close store': 505768, 'close store to': 182815, 'haggle': 373884, 'haggle price': 373885, 'haggle price while': 373886, 'while the kill': 987400, 'spread oilprice': 790726, 'coronavirus spread oilprice': 206806, '392': 18191, 'from attorney': 334610, 'general schmitt': 345466, 'schmitt on': 741629, 'what his': 981601, '800 392': 22668, '392 822': 18192, '822 or': 22829, 'reporting through': 712775, 'new form': 558756, 'to start the': 915228, 'start the week': 794557, 'the week from': 871300, 'week from attorney': 976254, 'from attorney general': 334611, 'attorney general schmitt': 102656, 'general schmitt on': 345467, 'schmitt on what': 741630, 'on what his': 605226, 'what his office': 981602, 'office is doing': 595455, 'you from price': 1018722, 'and scam be': 71027, 'scam be sure': 740073, 'sure to report': 827779, 'calling 800 392': 156511, '800 392 822': 22669, '392 822 or': 18193, '822 or by': 22830, 'or by reporting': 614628, 'by reporting through': 153771, 'reporting through the': 712776, 'through the new': 894753, 'the new form': 861505, 'new form at': 558757, 'without anything': 1002504, 'anything designed': 80728, 'not think can': 572076, 'think can last': 885181, 'can last long': 158832, 'last long without': 480298, 'long without anything': 501862, 'without anything designed': 1002505, 'anything designed route': 80729, 'you building': 1017539, 'building kit': 142098, 'it mask': 459535, 'mask tp': 519446, 'tp how': 927845, 'many roll': 514653, 'are you building': 91771, 'you building kit': 1017540, 'building kit in': 142099, 'kit in preparation': 475574, 'next time what': 561610, 'time what are': 898269, 'are you putting': 91839, 'you putting in': 1020516, 'putting in it': 691142, 'in it mask': 424257, 'it mask tp': 459537, 'mask tp how': 519447, 'tp how many': 927846, 'how many roll': 408282, 'many roll hand': 514654, 'grocerry': 364187, 'reoort': 711344, 'change grocerry': 172063, 'grocerry industry': 364188, 'forever see': 329147, 'the reoort': 865518, 'corona will change': 204398, 'will change grocerry': 992912, 'change grocerry industry': 172064, 'grocerry industry forever': 364189, 'industry forever see': 435837, 'forever see the': 329148, 'see the reoort': 745879, 'like dettol': 490115, 'dettol safeguard': 239531, 'safeguard or': 730209, 'ensure abt': 277884, 'abt overpricing': 27540, 'issue should': 455922, 'should introduce': 766143, 'consumer helping': 197741, 'helping method': 391386, 'the sanitizing': 866363, 'sanitizing item': 736479, 'brand like dettol': 137888, 'like dettol safeguard': 490117, 'dettol safeguard or': 239532, 'safeguard or should': 730210, 'or should ensure': 617068, 'should ensure abt': 765963, 'ensure abt overpricing': 277885, 'abt overpricing of': 27541, 'overpricing of their': 631401, 'their product in': 874467, 'to issue should': 908557, 'issue should introduce': 455923, 'should introduce some': 766145, 'introduce some other': 443400, 'some other consumer': 783476, 'other consumer helping': 619999, 'consumer helping method': 197742, 'helping method for': 391387, 'method for reaching': 529772, 'to the sanitizing': 917037, 'the sanitizing item': 866364, 'using cut': 950443, 'cut up': 223619, 'up old': 945515, 'white tee': 987909, 'tee instead': 836453, 'of kleenex': 585662, 'kleenex or': 475903, 'nose always': 567865, 'have allergy': 379175, 'allergy it': 45777, 'thru can': 895172, 'believe using': 126396, 'using in': 950518, 'started using cut': 794891, 'using cut up': 950444, 'cut up old': 223620, 'up old white': 945516, 'old white tee': 598537, 'white tee instead': 987910, 'tee instead of': 836454, 'instead of kleenex': 440283, 'of kleenex or': 585663, 'kleenex or week': 475904, 'or week ago': 617755, 'ago to blow': 38513, 'my nose always': 549518, 'nose always have': 567866, 'always have allergy': 49608, 'have allergy it': 379176, 'allergy it help': 45778, 'it help cut': 458539, 'help cut down': 389566, 'down on how': 257023, 'how fast you': 407853, 'fast you go': 300075, 'you go thru': 1018867, 'go thru can': 354259, 'thru can believe': 895173, 'can believe using': 157747, 'believe using in': 126397, 'using in 2020': 950519, 'that 62': 842468, '62 of': 21230, 'report spending': 712274, 'medium than': 527308, 'before social': 123087, 'more detailed': 539028, 'detailed consumer': 239282, 'behavior check': 123973, 'result provided': 717631, 'video ad': 956599, 'ad platform': 31139, 'know that 62': 476749, 'that 62 of': 842469, '62 of consumer': 21231, 'of consumer report': 581765, 'consumer report spending': 198727, 'report spending more': 712275, 'social medium than': 779886, 'medium than they': 527309, 'than they did': 841299, 'they did before': 881917, 'did before social': 240566, 'before social distancing': 123088, 'distancing if you': 247215, 'interested in more': 441462, 'in more detailed': 425436, 'more detailed consumer': 539029, 'detailed consumer behavior': 239283, 'consumer behavior check': 196458, 'behavior check out': 123974, 'out the survey': 627428, 'the survey result': 869025, 'survey result provided': 828937, 'result provided by': 717632, 'the video ad': 870737, 'video ad platform': 956600, 'ad platform unruly': 31140, 'our website at': 625331, 'explosive silver': 292573, 'be mind': 115938, 'boggling buy': 133981, 'it socialdistance': 461147, 'explosive silver price': 292574, 'silver price will': 769857, 'will be mind': 992559, 'be mind boggling': 115939, 'mind boggling buy': 532633, 'boggling buy if': 133982, 'find it socialdistance': 307006, 'it socialdistance border': 461148, 'speculator market stock': 788377, 'market stock china': 517123, 'hauser': 379051, 'comprehensible': 192613, 'from michael': 336422, 'michael hauser': 530242, 'hauser look': 379052, 'the comprehensible': 851411, 'comprehensible but': 192614, 'but unnecessary': 147664, 'latest analysis from': 481208, 'analysis from michael': 57046, 'from michael hauser': 336423, 'michael hauser look': 530243, 'hauser look at': 379053, 'look at and': 502254, 'and the comprehensible': 73292, 'the comprehensible but': 851412, 'comprehensible but unnecessary': 192615, 'but unnecessary panic': 147665, 'be impressed': 115386, 'who wipe': 990014, 'down grocery': 256806, 'basket that': 112394, 'that hundred': 844402, 'customer reuse': 222774, 'reuse everyday': 720174, 'everyday begs': 286538, 'this anyway': 886379, 'anyway even': 81008, 'to be impressed': 901329, 'be impressed with': 115387, 'with the effort': 1001280, 'effort of grocery': 269557, 'employee who wipe': 274435, 'who wipe down': 990015, 'wipe down grocery': 996237, 'down grocery cart': 256807, 'grocery cart and': 364343, 'and basket that': 58735, 'basket that hundred': 112395, 'that hundred of': 844403, 'of customer reuse': 582281, 'customer reuse everyday': 222775, 'reuse everyday begs': 720175, 'everyday begs the': 286539, 'the question should': 865023, 'question should not': 693736, 'should not all': 766232, 'all have been': 43043, 'been doing this': 121027, 'doing this anyway': 252758, 'this anyway even': 886380, 'anyway even before': 81009, 'sandpoint': 733717, 'mountain west': 543429, 'it lobby': 459438, 'lobby throughout': 497587, 'throughout id': 894941, 'wa including': 962392, 'including it': 432028, 'it sandpoint': 460861, 'sandpoint branch': 733718, 'branch to': 137699, 'thru window': 895247, 'window will': 995738, 'business lending': 143988, 'lending function': 486274, 'function will': 341281, 'mountain west bank': 543430, 'west bank ha': 980461, 'bank ha temporarily': 109890, 'temporarily closed it': 837466, 'closed it lobby': 183197, 'it lobby throughout': 459439, 'lobby throughout id': 497588, 'throughout id and': 894942, 'id and wa': 412926, 'and wa including': 75088, 'wa including it': 962393, 'including it sandpoint': 432030, 'it sandpoint branch': 460862, 'sandpoint branch to': 733719, 'branch to help': 137700, '19 the bank': 11168, 'the bank drive': 849236, 'drive thru window': 259212, 'thru window will': 895248, 'window will remain': 995739, 'open and consumer': 612054, 'and consumer mortgage': 60404, 'consumer mortgage and': 198158, 'mortgage and business': 541859, 'and business lending': 59287, 'business lending function': 143989, 'lending function will': 486275, 'function will remain': 341282, 'hitting taxi': 398593, 'company hard': 190727, 'new regulated': 559428, 'regulated fare': 708012, 'price licence': 675037, 'licence price': 488111, 'price made': 675144, 'rule safety': 727335, 'of taxi': 590609, 'taxi industry': 835164, 'industry then': 436154, 'then introduced': 877274, 'introduced offshore': 443443, 'offshore company': 596131, 'no boundary': 563713, 'boundary what': 136869, 'give for': 350499, 'hitting taxi company': 398594, 'taxi company hard': 835148, 'company hard what': 190728, 'hard what new': 378105, 'what new regulated': 981923, 'new regulated fare': 559429, 'regulated fare price': 708013, 'fare price licence': 299035, 'price licence price': 675038, 'licence price made': 488112, 'price made the': 675145, 'made the rule': 507998, 'the rule safety': 866050, 'rule safety of': 727336, 'safety of taxi': 730655, 'of taxi industry': 590611, 'taxi industry then': 835165, 'industry then introduced': 436155, 'then introduced offshore': 877275, 'introduced offshore company': 443444, 'offshore company with': 596132, 'company with no': 191347, 'with no boundary': 999736, 'no boundary what': 563714, 'boundary what give': 136870, 'what give for': 981499, 'give for who': 350500, 'for who and': 327859, 'who and for': 988074, 'desktop': 238475, 'desktop pc': 238476, 'pc laptop': 645892, 'laptop ram': 479569, 'ram upgrade': 696327, 'upgrade board': 947529, 'board price': 133668, 'rising are': 723166, 'stock probably': 802765, 'probably large': 679305, 'upgrading their': 947547, 'their kit': 873767, 'china et': 176641, 'are biting': 84981, 'biting again': 131890, 'again during': 36984, 'desktop pc laptop': 238477, 'pc laptop ram': 645893, 'laptop ram upgrade': 479570, 'ram upgrade board': 696328, 'upgrade board price': 947530, 'board price are': 133669, 'are rising are': 89708, 'rising are some': 723167, 'are some are': 90257, 'some are out': 782323, 'of stock probably': 590188, 'stock probably large': 802766, 'probably large demand': 679306, 'large demand from': 479647, 'demand from home': 235538, 'from home worker': 335934, 'home worker who': 402561, 'who are upgrading': 988252, 'are upgrading their': 91382, 'upgrading their kit': 947548, 'their kit to': 873768, 'kit to cope': 475651, 'cope with remote': 203354, 'with remote working': 1000454, 'remote working our': 710757, 'working our dependency': 1008839, 'dependency on supply': 237354, 'on supply line': 603828, 'supply line from': 825510, 'line from china': 493120, 'from china et': 334859, 'china et al': 176642, 'al are biting': 40559, 'are biting again': 84982, 'biting again during': 131891, 'again during the': 36985, 'of doom': 582793, 'gloom some': 352500, 'some glimmer': 782951, 'from pill': 336925, 'pill bottle': 656654, 'bottle but': 136197, 'amongst all the': 53123, 'all the message': 44828, 'the message of': 860522, 'message of doom': 529376, 'of doom and': 582794, 'and gloom some': 63705, 'gloom some glimmer': 352501, 'some glimmer of': 782952, 'something to prevent': 785105, 'prevent it it': 671669, 'it it doesn': 459171, 'doesn come from': 251732, 'come from pill': 187310, 'from pill bottle': 336926, 'pill bottle but': 656655, 'bottle but in': 136198, 'dividendstocks': 248645, 'wpg': 1012638, 'halliburton': 374378, 'what dividend': 981339, 'dividend stock': 248636, 'that pay': 845669, 'you click': 1017973, 'your 1st': 1022714, '1st stock': 12807, 'stock free': 802181, 'short list': 764637, 'great dividendstocks': 362636, 'dividendstocks to': 248646, 'buy price': 149098, 'low ford': 505287, 'ford wpg': 328791, 'wpg halliburton': 1012639, 'halliburton game': 374379, 'game stop': 343253, 'stop energy': 804636, 'energy transfer': 276607, 'transfer stimuluspackage2020': 929528, 'know what dividend': 476945, 'what dividend stock': 981340, 'dividend stock are': 248637, 'stock are stock': 801859, 'are stock that': 90509, 'stock that pay': 802923, 'that pay you': 845673, 'pay you click': 645247, 'you click here': 1017974, 'here to get': 393713, 'get your 1st': 348688, 'your 1st stock': 1022715, '1st stock free': 12808, 'stock free here': 802182, 'free here short': 331904, 'here short list': 393555, 'short list of': 764638, 'of great dividendstocks': 584313, 'great dividendstocks to': 362637, 'dividendstocks to buy': 248647, 'to buy price': 902287, 'buy price are': 149099, 'are low ford': 87926, 'low ford wpg': 505288, 'ford wpg halliburton': 328792, 'wpg halliburton game': 1012640, 'halliburton game stop': 374380, 'game stop energy': 343254, 'stop energy transfer': 804637, 'energy transfer stimuluspackage2020': 276608, 'not flock': 569448, 'his holiday': 397507, 'what good guy': 981513, 'good guy the': 357157, 'guy the only': 369178, 'thing that ha': 884807, 'ha been asked': 369724, 'asked is that': 95783, 'do not flock': 249736, 'not flock to': 569449, 'flock to his': 310679, 'to his holiday': 907815, 'his holiday home': 397508, 'the nh not': 861750, 'last line': 480288, 'of defence': 582461, 'defence for': 232090, 'most disadvantaged': 542255, 'disadvantaged in': 244007, 'donating next': 254483, 'bank are really': 109655, 'really struggling and': 702623, 'struggling and they': 814419, 're the last': 699694, 'the last line': 859019, 'last line of': 480289, 'line of defence': 493298, 'of defence for': 582462, 'defence for many': 232091, 'the most disadvantaged': 860972, 'most disadvantaged in': 542256, 'disadvantaged in our': 244008, 'our community please': 622474, 'community please consider': 190042, 'consider donating next': 194984, 'donating next time': 254484, 'in supermarket foodshortages': 428601, 'very afraid': 954982, 'afraid inslee': 34982, 'inslee promotes': 439733, 'inslee double': 439727, 'panic promoting': 638441, 'promoting staying': 683858, 'charge are': 173203, 'store wakeup': 811133, 'wakeup qanon': 964655, 'be very afraid': 117966, 'very afraid inslee': 954983, 'afraid inslee promotes': 34983, 'inslee promotes the': 439734, 'promotes the apocalypse': 683833, 'the apocalypse instead': 848812, 'fakenews inslee double': 296763, 'inslee double down': 439728, 'down on more': 257027, 'on more panic': 602209, 'more panic promoting': 539987, 'panic promoting staying': 638442, 'promoting staying home': 683859, 'criminal charge are': 216826, 'charge are next': 173205, 'are next the': 88227, 'get the now': 348275, 'the now is': 861939, 'grocery store wakeup': 365923, 'store wakeup qanon': 811134, 'take digital': 832065, 'payment all': 645538, 'market atm': 516051, 'support 21daylockdown': 826318, '21daylockdown but': 15096, 'plan about': 658038, 'thing stopthespreadofcorona': 884775, 'one is ready': 606518, 'to take digital': 916172, 'take digital payment': 832066, 'digital payment all': 242619, 'payment all essential': 645539, 'all essential food': 42697, 'item is out': 463389, 'of stock from': 590165, 'stock from local': 802184, 'from local market': 336254, 'local market atm': 498175, 'market atm is': 516052, 'atm is out': 101938, 'stock we support': 803161, 'we support 21daylockdown': 973451, 'support 21daylockdown but': 826319, '21daylockdown but govt': 15097, 'but govt ha': 145819, 'govt ha to': 361146, 'ha to plan': 372314, 'to plan about': 911763, 'plan about these': 658039, 'about these thing': 26618, 'these thing stopthespreadofcorona': 880818, 'overvalued': 631673, 'happ': 377048, 'agree covid': 38601, 'wa trigger': 963577, 'trigger that': 931895, 'that deflated': 843473, 'deflated overvalued': 232438, 'overvalued stock': 631676, 'feb however': 301646, 'the shutting': 867142, 'the nba': 861333, 'nba closing': 553204, 'school non': 741875, 'triggered an': 931904, 'instant recession': 440115, 'recession this': 704384, 'not happ': 569782, 'agree covid 19': 38602, '19 wa trigger': 11878, 'wa trigger that': 963578, 'trigger that deflated': 931896, 'that deflated overvalued': 843474, 'deflated overvalued stock': 232439, 'overvalued stock price': 631677, 'price in feb': 674685, 'in feb however': 422827, 'feb however the': 301647, 'however the shutting': 409481, 'the shutting down': 867143, 'shutting down of': 768269, 'down of the': 257002, 'of the nba': 591266, 'the nba closing': 861334, 'nba closing school': 553205, 'closing school non': 183746, 'school non essential': 741876, 'essential business wa': 280867, 'business wa black': 144629, 'wa black swan': 961713, 'swan event that': 829961, 'event that triggered': 285082, 'that triggered an': 847124, 'triggered an instant': 931905, 'an instant recession': 56374, 'instant recession this': 440116, 'recession this ha': 704385, 'this ha not': 887811, 'ha not happ': 371365, 'told wealthy': 923788, 'wealthy friend': 974207, 'friend then': 333832, 'cashed out': 166411, 'out cool': 625888, 'cool 4m': 202979, '4m in': 19487, 'then voted': 877709, 'he told wealthy': 385538, 'told wealthy friend': 923789, 'wealthy friend then': 974208, 'friend then cashed': 333833, 'then cashed out': 877064, 'cashed out cool': 166412, 'out cool 4m': 625889, 'cool 4m in': 202980, '4m in stock': 19490, 'stock then voted': 802956, 'then voted against': 877710, 'industry petroleum': 436040, 'dumping oil': 262250, 'phone with friend': 655069, 'with friend in': 998559, 'oil industry petroleum': 596892, 'industry petroleum price': 436041, 'petroleum price are': 653826, 'are dropping the': 86015, 'dropping the saudi': 260737, 'saudi are dumping': 737240, 'are dumping oil': 86026, 'dumping oil in': 262251, 'market ha nothing': 516485, 'distribute 10': 247954, 'million worth': 532431, 'uk foodbanks': 938373, 'foodbanks during': 317823, 'how refreshing': 408572, 'refreshing to': 706768, 'supplier doing': 824524, 'giant morrison is': 349830, 'is to distribute': 453194, 'to distribute 10': 904439, 'distribute 10 million': 247955, '10 million worth': 1534, 'million worth of': 532432, 'the uk foodbanks': 870217, 'uk foodbanks during': 938374, 'foodbanks during the': 317824, 'crisis how refreshing': 217504, 'how refreshing to': 408573, 'refreshing to see': 706769, 'to see one': 914052, 'the big food': 849605, 'big food supplier': 129788, 'food supplier doing': 316919, 'supplier doing their': 824525, 'their bit for': 872622, 'bit for the': 131570, 'for the million': 326563, 'shop locally': 760428, 'reasonable where': 703139, 'only stress': 611210, 'stress supply': 813399, 'donate blood if': 254167, 'you can volunteer': 1017826, 'else when you': 271976, 'local restaurant shop': 498342, 'restaurant shop locally': 716695, 'shop locally in': 760429, 'locally in safe': 498757, 'safe and reasonable': 729473, 'and reasonable where': 70024, 'reasonable where possible': 703140, 'where possible stop': 985122, 'buying it only': 150600, 'it only stress': 460107, 'only stress supply': 611211, 'stress supply line': 813400, 'ultimately lead': 939149, 'of poultry': 588291, 'poultry product': 667342, 'an inevitable': 56299, 'inevitable hike': 436382, 'such critical': 816427, 'time policymakers': 897511, 'policymakers must': 663561, 'these challenge': 879732, 'they order': 882843, 'order stringent': 618603, 'stringent lockdown': 813806, '19 speaking': 10716, 'speaking farmer': 787758, 'it will ultimately': 462451, 'will ultimately lead': 995264, 'ultimately lead to': 939150, 'lead to scarcity': 483387, 'to scarcity of': 913883, 'scarcity of poultry': 740847, 'of poultry product': 588293, 'poultry product and': 667343, 'product and an': 680873, 'and an inevitable': 58118, 'an inevitable hike': 56300, 'inevitable hike in': 436383, 'hike in food': 396218, 'food price at': 315922, 'price at such': 672813, 'at such critical': 100679, 'such critical time': 816428, 'critical time policymakers': 218700, 'time policymakers must': 897512, 'policymakers must put': 663562, 'must put these': 546826, 'put these challenge': 690904, 'these challenge in': 879734, 'challenge in mind': 171485, 'mind they order': 532750, 'they order stringent': 882844, 'order stringent lockdown': 618604, 'stringent lockdown on': 813807, 'lockdown on the': 499736, 'economy in bid': 267961, 'bid to kill': 129492, 'kill the spread': 474522, 'covid 19 speaking': 213838, '19 speaking farmer': 10717, 'ag crack': 36784, 'on 3rd': 599097, 'party amazon': 642967, 'retailer selling': 719312, 'grossly excessive': 366457, 'michigan ag crack': 530312, 'ag crack down': 36785, 'down on 3rd': 257014, 'on 3rd party': 599098, '3rd party amazon': 18439, 'party amazon retailer': 642968, 'amazon retailer selling': 51094, 'retailer selling item': 719313, 'selling item at': 749319, 'item at grossly': 463127, 'at grossly excessive': 98820, 'grossly excessive price': 366458, '2012': 13777, 'imold': 417515, '32isthenew22': 17736, 'helping label': 391376, 'label and': 478328, 'box up': 137191, 'sanitizer through': 735897, 'some contact': 782596, 'contact have': 200091, 'event world': 285114, 'mostly class': 542942, 'of 2012': 579472, '2012 2018': 13778, '2018 2019': 13867, 'and 2020': 57410, '2020 imold': 14383, 'imold handsanitizer': 417516, 'handsanitizer millennials': 376587, 'millennials 32isthenew22': 531997, 'helping label and': 391377, 'label and box': 478329, 'and box up': 59130, 'box up hand': 137192, 'hand sanitizer through': 375625, 'sanitizer through some': 735898, 'through some contact': 894684, 'some contact have': 782597, 'contact have in': 200092, 'the event world': 854606, 'event world etc': 285115, 'world etc just': 1009522, 'etc just found': 282631, 'people working with': 650523, 'working with are': 1009052, 'with are mostly': 997305, 'are mostly class': 88144, 'mostly class of': 542943, 'class of 2012': 180223, 'of 2012 2018': 579473, '2012 2018 2019': 13779, '2018 2019 and': 13868, '2019 and 2020': 13933, 'and 2020 imold': 57411, '2020 imold handsanitizer': 14384, 'imold handsanitizer millennials': 417517, 'handsanitizer millennials 32isthenew22': 376588, 'homelandcu': 402720, 'visit coronavirus': 959220, 'time homelandcu': 896941, 'coronavirus visit coronavirus': 207028, 'visit coronavirus scam': 959221, 'what ftc to': 981476, 'ftc to learn': 339461, 'more about avoiding': 538496, 'this time homelandcu': 890648, 'applies for': 82519, 'every communicable': 285741, 'all thus': 45211, 'far survived': 298924, 'survived more': 829321, 'more scaremongering': 540324, 'scaremongering thing': 741059, 'same applies for': 732965, 'applies for every': 82520, 'for every communicable': 321161, 'every communicable disease': 285742, 'communicable disease we': 189539, 'disease we have': 245273, 'have all thus': 379172, 'all thus far': 45212, 'thus far survived': 895510, 'far survived more': 298925, 'survived more scaremongering': 829322, 'more scaremongering thing': 540325, 'scaremongering thing you': 741060, 'batavia': 112568, 'wny': 1003300, 'detainee at': 239321, 'ice detention': 412668, 'in batavia': 420723, 'batavia say': 112569, 'the design': 853179, 'design of': 238254, 'the facility': 854811, 'facility make': 295357, 'lack soap': 478668, 'sanitizer putting': 735624, '19 buffalo': 5468, 'buffalo wny': 141855, 'wny ny': 1003301, 'detainee at the': 239322, 'at the ice': 100983, 'the ice detention': 857811, 'ice detention center': 412669, 'center in batavia': 169229, 'in batavia say': 420724, 'batavia say that': 112570, 'that the design': 846703, 'the design of': 853180, 'design of the': 238255, 'of the facility': 591006, 'the facility make': 854812, 'facility make social': 295358, 'distancing impossible and': 247219, 'impossible and they': 419355, 'and they lack': 73913, 'they lack soap': 882536, 'lack soap and': 478669, 'hand sanitizer putting': 375556, 'sanitizer putting them': 735625, 'putting them at': 691247, 'covid 19 buffalo': 212739, '19 buffalo wny': 5469, 'buffalo wny ny': 141856, 'essential team': 281644, 'supermarket round': 822259, 'salary bare': 731952, 'minimum facility': 533187, 'facility corona': 295321, 'corona lockdowneffect': 204044, '19 essential team': 6838, 'essential team for': 281645, 'team for supermarket': 835642, 'for supermarket round': 326020, 'supermarket round the': 822260, 'round the with': 726366, 'the with no': 871639, 'with no salary': 999786, 'no salary bare': 565393, 'salary bare minimum': 731953, 'bare minimum facility': 110922, 'minimum facility corona': 533188, 'facility corona lockdowneffect': 295322, 'lest': 486527, 'be tp': 117779, 'shortage mask': 765070, 'shortage hand': 764983, 'lysol shortage': 507188, 'shortage corp': 764897, 'corp of': 207205, 'engineer should': 276977, 'those industry': 892112, 'industry much': 435995, 'much anything': 544718, 'else lest': 271778, 'lest this': 486528, 'the potus': 864137, 'potus saying': 667294, 'saying something': 739682, 'ceo making': 169742, 'making excuse': 511054, 'excuse isn': 289752, 'there should not': 879045, 'not be tp': 568476, 'be tp shortage': 117780, 'tp shortage mask': 927937, 'shortage mask shortage': 765071, 'mask shortage hand': 519269, 'shortage hand sanitizer': 764984, 'sanitizer lysol shortage': 735321, 'lysol shortage corp': 507189, 'shortage corp of': 764898, 'corp of engineer': 207206, 'of engineer should': 583119, 'engineer should be': 276978, 'be on those': 116213, 'on those industry': 604648, 'those industry much': 892113, 'industry much anything': 435996, 'much anything else': 544719, 'anything else lest': 80746, 'else lest this': 271779, 'lest this get': 486529, 'this get even': 887685, 'get even worse': 346961, 'even worse the': 284833, 'worse the potus': 1011028, 'the potus saying': 864138, 'potus saying something': 667295, 'saying something and': 739683, 'something and ceo': 784848, 'and ceo making': 59688, 'ceo making excuse': 169743, 'making excuse isn': 511055, 'excuse isn good': 289753, 'isn good enough': 454529, 'kohl and': 477328, 'and penney': 68839, 'penney join': 646549, 'join macy': 466766, 'macy in': 507507, 'in furloughing': 423185, 'furloughing worker': 341932, 'container store': 200560, 'cut executive': 223323, 'executive pay': 289930, 'kohl and penney': 477329, 'and penney join': 68840, 'penney join macy': 646550, 'join macy in': 466767, 'macy in furloughing': 507508, 'in furloughing worker': 423186, 'furloughing worker while': 341933, 'worker while the': 1008190, 'while the container': 987377, 'the container store': 851649, 'container store ha': 200561, 'store ha reduced': 808017, 'ha reduced store': 371685, 'hour and cut': 405394, 'and cut executive': 60883, 'cut executive pay': 223324, 'article saying': 94451, 'sweden doesn': 830075, 'doesn take': 251960, 'doing errand': 252379, 'errand meeting': 280201, 'friend going': 333620, 'etc pls': 282712, 'pls listen': 661153, 'hospital sake': 404593, 'saw an article': 738058, 'an article saying': 55422, 'article saying that': 94452, 'saying that the': 739704, 'people in sweden': 648435, 'in sweden doesn': 428762, 'sweden doesn take': 830076, 'doesn take covid': 251961, 'still out doing': 801007, 'out doing errand': 625973, 'doing errand meeting': 252380, 'errand meeting friend': 280202, 'meeting friend going': 527702, 'friend going to': 333621, 'supermarket etc pls': 820213, 'etc pls listen': 282713, 'pls listen and': 661154, 'inside for your': 439267, 'for your safety': 328203, 'your safety and': 1025664, 'safety and for': 730452, 'the hospital sake': 857531, 'img': 416915, 'like happened': 490378, 'australia spreading': 103384, 'france bring': 330983, 'and unlike': 74686, 'unlike italy': 942710, 'italy bidet': 462779, 'bidet equipped': 129558, 'equipped the': 279890, 'paper run': 640704, 'stock very': 803146, 'soon expect': 785704, 'expect french': 290642, 'french newspaper': 332744, 'newspaper follow': 561092, 'lead of': 483296, 'of soon': 589933, 'soon img': 785746, 'img google': 416916, 'just like happened': 469145, 'like happened before': 490379, 'happened before in': 377228, 'before in australia': 122864, 'in australia spreading': 420619, 'australia spreading in': 103385, 'spreading in france': 790983, 'in france bring': 423074, 'france bring to': 330984, 'bring to raid': 140103, 'raid supermarket and': 695612, 'supermarket and unlike': 819093, 'and unlike italy': 74687, 'unlike italy bidet': 942711, 'italy bidet equipped': 462780, 'bidet equipped the': 129559, 'equipped the toilet': 279891, 'toilet paper run': 921426, 'paper run out': 640705, 'of stock very': 590206, 'stock very soon': 803147, 'very soon expect': 955565, 'soon expect french': 785705, 'expect french newspaper': 290643, 'french newspaper follow': 332745, 'newspaper follow the': 561093, 'follow the lead': 312534, 'the lead of': 859220, 'lead of soon': 483297, 'of soon img': 589934, 'soon img google': 785747, 'second survey': 743825, 'in see': 427776, 'difference 11': 241805, 'make on': 510263, 'result of second': 717613, 'of second survey': 589435, 'second survey on': 743826, 'survey on consumer': 828917, 'behavior are in': 123912, 'are in see': 87433, 'in see what': 427777, 'see what difference': 746029, 'what difference 11': 981324, 'difference 11 day': 241806, '11 day can': 2511, 'day can make': 227425, 'can make on': 158941, 'coronavirus president': 206580, 'president warning': 670969, 'warning on': 967164, 'on hiking': 601307, 'price becomes': 672872, 'real four': 701180, 'four are': 330586, 'are arrested': 84619, 'arrested museveni': 93861, 'museveni trader': 546265, 'trader national': 928741, 'coronavirus president warning': 206581, 'president warning on': 670970, 'warning on hiking': 967165, 'on hiking price': 601308, 'hiking price becomes': 396392, 'price becomes real': 672873, 'becomes real four': 120250, 'real four are': 701181, 'four are arrested': 330587, 'are arrested museveni': 84620, 'arrested museveni trader': 93862, 'museveni trader national': 546266, 'trader national news': 928742, 'were contact': 979482, 'contact well': 200257, 'get bulk': 346717, 'bulk price': 142341, 'on test': 603913, 'work faster': 1005121, 'real picture': 701302, 'texas texas': 839836, 'texas ha': 839779, 'largest rainy': 480006, 'it pouring': 460404, 'pouring outside': 667455, 'you hadn': 1018988, 'hadn noticed': 373855, 'if were contact': 415341, 'were contact well': 979483, 'contact well to': 200258, 'well to get': 978699, 'to get bulk': 906429, 'get bulk price': 346718, 'bulk price on': 142342, 'price on test': 675723, 'on test kit': 603914, 'kit and work': 475492, 'and work faster': 75851, 'work faster to': 1005122, 'faster to figure': 300136, 'figure out the': 305220, 'the real picture': 865230, 'real picture here': 701303, 'picture here in': 656134, 'in texas texas': 428893, 'texas texas ha': 839837, 'texas ha the': 839780, 'ha the nation': 372214, 'nation largest rainy': 552243, 'largest rainy day': 480007, 'day fund it': 227666, 'fund it pouring': 341445, 'it pouring outside': 460405, 'pouring outside in': 667456, 'outside in case': 629459, 'case you hadn': 166125, 'you hadn noticed': 1018989, 'pound fell': 667369, 'in 35': 419916, 'year against': 1014345, 'american american': 51776, 'american dollar': 51920, 'tumbled uk': 935334, 'uk pound': 938640, 'pound dollar': 667362, 'the british pound': 850028, 'british pound fell': 140566, 'pound fell to': 667370, 'level in 35': 487592, 'in 35 year': 419917, '35 year against': 17922, 'year against the': 1014346, 'against the american': 37641, 'the american american': 848624, 'american american dollar': 51777, 'american dollar and': 51921, 'dollar and oil': 252950, 'price tumbled uk': 677153, 'tumbled uk pound': 935335, 'uk pound dollar': 938641, 'displayfixtures': 246220, 'storedesign': 811724, 'retaildesign': 718933, 'out coronavirus': 625897, 'coronavirus hand': 206052, 'washing fixturescloseup': 967658, 'retailfixtures displayfixtures': 719449, 'displayfixtures storedesign': 246221, 'storedesign retaildesign': 811725, 'retaildesign shoppermarketing': 718934, 'flu sanitizer': 311451, 'clean in clean': 180568, 'in clean out': 421500, 'clean out coronavirus': 180603, 'out coronavirus hand': 625898, 'coronavirus hand washing': 206053, 'hand washing fixturescloseup': 375945, 'washing fixturescloseup storefixtures': 967659, 'storefixtures retailfixtures displayfixtures': 811731, 'retailfixtures displayfixtures storedesign': 719450, 'displayfixtures storedesign retaildesign': 246222, 'storedesign retaildesign shoppermarketing': 811726, 'retaildesign shoppermarketing pandemic': 718935, 'virus flu sanitizer': 958191, 'flu sanitizer sanitizers': 311452, 'sanitizers handsanitizer handwashing': 736299, 'bp': 137443, 'the ftse': 855950, 'and bp': 59140, 'bp share': 137444, '2016 with': 13844, 'uk case': 938242, 'more coronavirus panic': 538900, 'coronavirus panic today': 206527, 'panic today the': 638724, 'today the ftse': 920286, 'the ftse 100': 855951, 'ftse 100 is': 339485, '100 is down': 1930, 'down by and': 256593, 'by and bp': 151833, 'and bp share': 59141, 'bp share price': 137445, 'share price slump': 755182, 'slump to it': 774714, 'level since 2016': 487707, 'since 2016 with': 770474, '2016 with uk': 13845, 'with uk case': 1001885, 'uk case on': 938243, 'looking to the': 503051, 'government for advice': 360097, 'for advice but': 319043, 'advice but where': 33337, 'but where is': 147834, 'act harshly': 29647, 'harshly against': 378576, 'to act harshly': 900012, 'act harshly against': 29648, 'harshly against retailer': 378577, 'against retailer hiking': 37608, 'why vegetable': 991500, 'moment wholesale': 536121, 'vegetable have': 953999, 'risen dramatically': 723107, 'dramatically but': 258327, 'seen it like': 747104, 'it like this': 459379, 'like this why': 491550, 'this why vegetable': 891397, 'why vegetable are': 991501, 'vegetable are so': 953937, 'expensive in australia': 291253, 'in australia at': 420597, 'australia at the': 103232, 'the moment wholesale': 860791, 'moment wholesale price': 536122, 'of some vegetable': 589912, 'some vegetable have': 784161, 'vegetable have risen': 954000, 'have risen dramatically': 382337, 'risen dramatically but': 723108, 'dramatically but the': 258328, 'but the isn': 147350, 'the isn to': 858562, 'isn to blame': 454738, 'blame for everything': 132258, 'they knew': 882518, 'would panic': 1012103, 'lied and': 488407, 'around said': 93469, 'buying increased': 150550, 'increased they': 433505, 'situation from': 772281, 'they caused': 881735, 'by lying': 153115, 'they knew people': 882519, 'people would panic': 650540, 'would panic buy': 1012104, 'buy they lied': 149350, 'they lied and': 882562, 'lied and said': 488408, 'and said they': 70778, 'said they worked': 731491, 'they worked with': 883932, 'worked with supermarket': 1006173, 'with supermarket and': 1001048, 'and supermarket supermarket': 72740, 'supermarket supermarket have': 823034, 'supermarket have turned': 820712, 'have turned around': 383426, 'turned around said': 935829, 'around said no': 93470, 'said no so': 731263, 'no so panic': 565538, 'panic buying increased': 637774, 'buying increased they': 150551, 'increased they could': 433506, 'could have controlled': 209248, 'controlled the situation': 202262, 'the situation from': 867257, 'situation from the': 772282, 'start they caused': 794561, 'they caused panic': 881736, 'caused panic by': 167934, 'panic by lying': 637983, 'prayed': 669042, 'ha anybody': 369573, 'anybody had': 80084, 'had be': 372877, 'careful what': 164449, 'wish for': 996759, 'of prayed': 588348, 'prayed for': 669043, 'extended weekend': 293211, 'weekend money': 977370, 'money without': 537185, 'le ig': 482983, 'ig influencers': 415666, 'influencers cheaper': 437344, 'cheaper flight': 174249, 'flight longer': 310505, 'longer spring': 502055, 'break cancelled': 138694, 'cancelled class': 161101, 'class not': 180220, 'way lord': 969690, 'ha anybody had': 369574, 'anybody had be': 80085, 'had be careful': 372878, 'be careful what': 114002, 'careful what you': 164450, 'what you wish': 982702, 'you wish for': 1022371, 'wish for moment': 996760, 'for moment with': 323487, 'moment with this': 536130, '19 shit like': 10464, 'shit like how': 759166, 'like how many': 490457, 'many of prayed': 514384, 'of prayed for': 588349, 'prayed for lower': 669044, 'gas price extended': 343961, 'price extended weekend': 673744, 'extended weekend money': 293212, 'weekend money without': 977371, 'money without having': 537186, 'to work le': 918748, 'work le ig': 1005419, 'le ig influencers': 482984, 'ig influencers cheaper': 415667, 'influencers cheaper flight': 437345, 'cheaper flight longer': 174250, 'flight longer spring': 310506, 'longer spring break': 502056, 'spring break cancelled': 791172, 'break cancelled class': 138695, 'cancelled class not': 161102, 'class not this': 180221, 'not this way': 572103, 'this way lord': 891130, 'the have announced': 857147, 'kylie': 478091, 'jenner': 465085, 'kylie and': 478092, 'and kris': 65906, 'kris jenner': 477683, 'jenner donate': 465086, 'kylie and kris': 478093, 'and kris jenner': 65907, 'kris jenner donate': 477684, 'jenner donate hand': 465087, 'here solution': 393571, 'done fast': 254833, 'support free': 826531, 'ny available': 577842, '47 stat': 19268, 'here solution can': 393572, 'be done fast': 114556, 'done fast but': 254834, 'fast but need': 299927, 'but need support': 146456, 'need support free': 555686, 'support free at': 826532, 'test kit it': 839061, 'kit it relieve': 475587, 'in ny available': 426001, 'ny available in': 577843, 'in 47 stat': 419936, 'this disaster': 887247, 'disaster is': 244219, 'not man': 570522, 'but dealing': 145508, 'political leadership': 663658, 'leadership everyone': 483605, 'be clear this': 114105, 'clear this disaster': 181373, 'this disaster is': 887248, 'disaster is not': 244220, 'is not man': 450128, 'not man made': 570523, 'man made but': 512150, 'made but dealing': 507664, 'but dealing with': 145509, 'with it ha': 999068, 'it ha become': 458379, 'ha become impossible': 369683, 'become impossible for': 120030, 'impossible for many': 419375, 'for many due': 323216, 'lack of political': 478643, 'of political leadership': 588209, 'political leadership everyone': 663659, 'leadership everyone know': 483606, 'everyone know the': 287150, 'bare by selfish': 110878, 'by selfish panic': 153915, 'gracefully': 361614, 'situation never': 772395, 'before nature': 122957, 'nature strike': 552989, 'strike back': 813731, 'biggest example': 130232, 'slow gracefully': 774359, 'gracefully tomato': 361615, 'also indicate': 48421, 'producing far': 680766, 'required this': 713391, 'everything tech': 288021, 'tech finance': 836085, 'finance agri': 306145, 'ha created situation': 370282, 'created situation never': 215892, 'situation never seen': 772396, 'seen before nature': 746969, 'before nature strike': 122958, 'nature strike back': 552990, 'strike back and': 813732, 'back and this': 106868, 'this is biggest': 888193, 'is biggest example': 446179, 'biggest example it': 130233, 'example it time': 288912, 'down and slow': 256513, 'and slow gracefully': 71751, 'slow gracefully tomato': 774360, 'gracefully tomato price': 361616, 'tomato price also': 923959, 'price also indicate': 672294, 'also indicate that': 48422, 'indicate that we': 434973, 'we are producing': 970669, 'are producing far': 89256, 'producing far more': 680767, 'far more than': 298853, 'than required this': 841084, 'required this applies': 713392, 'applies to everything': 82535, 'to everything tech': 905365, 'everything tech finance': 288022, 'tech finance agri': 836086, 'for detailed': 320685, 'detailed discussion': 239286, 'website for detailed': 975267, 'for detailed discussion': 320686, 'detailed discussion and': 239287, 'discussion and information': 245016, 'for consumer safety': 320288, 'australia cannot': 103251, 'competition competition': 191691, 'competition decreased': 191693, 'australia cannot afford': 103252, 'gfc competition competition': 349512, 'competition competition decreased': 191692, 'competition decreased and': 191694, 'decreased and do': 231622, 'not want covid': 572437, 'idea coming out': 413031, 'of the fintech': 591027, 'haunting regret': 379041, 'regret toiletpaper': 707708, 'haunting regret toiletpaper': 379042, 'regret toiletpaper toiletpaperapocalypse': 707709, 'nationalnutritionmonth': 552701, 'purityintegrativehealth': 690067, 'place demand': 657402, 'demand please': 236036, 'are loading': 87851, 'loading up': 497349, 'on processed': 602935, 'only negatively': 610819, 'negatively impacting': 556863, 'impacting your': 418274, 'system freshproduce': 831179, 'freshproduce nationalnutritionmonth': 333147, 'nationalnutritionmonth purityintegrativehealth': 552702, 'we all stock': 970366, 'case of shelter': 165926, 'of shelter in': 589588, 'in place demand': 426730, 'place demand please': 657403, 'demand please remember': 236038, 'you are loading': 1017163, 'are loading up': 87852, 'loading up on': 497350, 'up on processed': 945606, 'on processed food': 602936, 'processed food during': 679987, 'are only negatively': 88770, 'only negatively impacting': 610820, 'negatively impacting your': 556864, 'impacting your immune': 418275, 'immune system freshproduce': 417339, 'system freshproduce nationalnutritionmonth': 831180, 'freshproduce nationalnutritionmonth purityintegrativehealth': 333148, 'negatively affected': 556848, 'now offering our': 575403, 'offering our help': 595208, 'help to anyone': 390767, 'been negatively affected': 121560, 'negatively affected by': 556849, 'commented from': 188491, 'from ie': 336001, 'ie poll': 413737, 'usual during': 950932, 'just commented from': 468503, 'commented from ie': 188492, 'from ie poll': 336002, 'ie poll are': 413738, 'than usual during': 841393, 'usual during the': 950933, 'crust': 219825, 'doughy': 256277, 'best frozen': 127705, 'pizza from': 657165, 'store best': 806724, 'best sauce': 127889, 'sauce to': 737161, 'to cheese': 902707, 'cheese ratio': 175211, 'ratio and': 697611, 'of topping': 592319, 'topping you': 925852, 'get per': 347807, 'per bite': 650715, 'bite is': 131869, 'perfect the': 651356, 'the crust': 852546, 'crust is': 219828, 'too thin': 925122, 'thin nor': 884058, 'nor too': 566987, 'too thick': 925120, 'thick it': 883987, 'and crunchy': 60778, 'crunchy and': 219762, 'too doughy': 924692, 'doughy highly': 256278, 'the best frozen': 849514, 'best frozen pizza': 127706, 'frozen pizza from': 339003, 'pizza from the': 657166, 'grocery store best': 365245, 'store best sauce': 806725, 'best sauce to': 127890, 'sauce to cheese': 737162, 'to cheese ratio': 902708, 'cheese ratio and': 175212, 'ratio and the': 697612, 'and the amount': 73243, 'amount of topping': 53264, 'of topping you': 592320, 'topping you get': 925853, 'you get per': 1018788, 'get per bite': 347808, 'per bite is': 650716, 'bite is perfect': 131870, 'is perfect the': 450848, 'perfect the crust': 651357, 'the crust is': 852547, 'crust is not': 219829, 'is not too': 450211, 'not too thin': 572225, 'too thin nor': 925123, 'thin nor too': 884059, 'nor too thick': 566988, 'too thick it': 925121, 'thick it nice': 883988, 'nice and crunchy': 562338, 'and crunchy and': 60779, 'crunchy and not': 219763, 'and not too': 67784, 'not too doughy': 572221, 'too doughy highly': 924693, 'doughy highly recommend': 256279, 'freightforwarder': 332705, 'aircargostrong': 39862, 'surcharge ha': 827473, 'been applied': 120666, 'all parcel': 43915, 'parcel freight': 641499, 'freight freightforwarder': 332686, 'freightforwarder service': 332706, 'service offered': 752637, 'cargo airline': 164654, 'airline for': 39956, 'for aircargostrong': 319087, 'aircargostrong price': 39863, 'surcharge ha been': 827474, 'ha been applied': 369720, 'been applied to': 120667, 'applied to all': 82499, 'to all parcel': 900279, 'all parcel freight': 43916, 'parcel freight freightforwarder': 641500, 'freight freightforwarder service': 332687, 'freightforwarder service offered': 332707, 'service offered by': 752638, 'offered by the': 594914, 'by the cargo': 154276, 'the cargo airline': 850423, 'cargo airline for': 164655, 'airline for aircargostrong': 39957, 'for aircargostrong price': 319088, 'aircargostrong price contact': 39864, 'price contact team': 673220, 'mypsafortoday': 550797, 'this program': 889740, 'program please': 683281, 'grocery marked': 364711, 'marked with': 515874, 'the wic': 871528, 'wic logo': 991651, 'logo so': 500836, 'these family': 879996, 'handed they': 376090, 'replace but': 711579, 'can mypsafortoday': 159023, 'mypsafortoday quarantinelife': 550798, 'of this program': 592027, 'this program please': 889741, 'program please leave': 683282, 'please leave grocery': 660170, 'leave grocery marked': 484806, 'grocery marked with': 364712, 'marked with the': 515875, 'with the wic': 1001544, 'the wic logo': 871529, 'wic logo so': 991652, 'logo so these': 500837, 'so these family': 778458, 'these family do': 879997, 'the store empty': 868015, 'empty handed they': 274904, 'handed they do': 376091, 'do not replace': 249821, 'not replace but': 571316, 'replace but you': 711580, 'you can mypsafortoday': 1017731, 'can mypsafortoday quarantinelife': 159024, 'dabble': 224259, 'should dabble': 765893, 'dabble in': 224260, 'of mdma': 586319, 'be whole': 118104, 'everyone should dabble': 287372, 'should dabble in': 765894, 'dabble in bit': 224261, 'in bit of': 420864, 'bit of mdma': 131654, 'of mdma while': 586320, 'crisis there be': 218203, 'there be more': 878216, 'would be whole': 1011668, 'be whole lot': 118105, 'whole lot more': 990256, 'lot more chill': 504102, 'though basic': 892778, 'essential were': 281777, 'out off': 626884, 'employee just came': 274000, 'supermarket and even': 818971, 'even though basic': 284701, 'though basic essential': 892779, 'basic essential were': 111876, 'essential were still': 281779, 'still out off': 801010, 'out off stock': 626886, 'off stock the': 594195, 'stock the member': 802935, 'the member if': 860460, 'member if staff': 528110, 'if staff wa': 414874, 'staff wa polite': 793044, 'mailing': 508697, 'shop entertainment': 760137, 'field veterinarian': 304533, 'veterinarian office': 955736, 'dentist mailing': 237102, 'mailing center': 508698, 'retail restaurant coffee': 718456, 'coffee shop entertainment': 185532, 'shop entertainment venue': 760138, 'the field veterinarian': 855153, 'field veterinarian office': 304534, 'veterinarian office dentist': 955737, 'office dentist mailing': 595404, 'dentist mailing center': 237103, 'mailing center like': 508699, 'reassert': 703163, 'observer hold': 578639, 'will promptly': 994487, 'promptly reassert': 683969, 'reassert itself': 703164, 'demand producing': 236081, 'producing burst': 680743, 'burst in': 142955, 'michigan survey': 530378, 'many observer hold': 514363, 'observer hold that': 578640, 'hold that normal': 400013, 'behavior will promptly': 124312, 'will promptly reassert': 994488, 'promptly reassert itself': 683970, 'reassert itself with': 703165, 'itself with pent': 463970, 'up demand producing': 944704, 'demand producing burst': 236082, 'producing burst in': 680744, 'burst in spending': 142956, 'of michigan survey': 586476, 'michigan survey of': 530379, 'pacp close': 633754, 'close two': 182929, 'two pharmacy': 937148, 'increase mask': 432906, 'price omanobserver': 675640, 'omanobserver oman': 598859, 'pacp close two': 633755, 'close two pharmacy': 182930, 'two pharmacy to': 937149, 'pharmacy to increase': 654519, 'to increase mask': 908286, 'increase mask price': 432907, 'mask price omanobserver': 519148, 'price omanobserver oman': 675641, 'learn how and': 483978, 'and what food': 75465, 'what food to': 981463, 'up on in': 945582, 'on in case': 601522, 'case of an': 165886, 'say know': 738879, 'common way': 189483, 'the c19': 850249, 'c19 virus': 154843, 'virus grocery': 958238, 'station family': 796402, 'member open': 528166, 'open public': 612472, 'area packaging': 92157, 'packaging from': 633537, 'from ups': 338204, 'ups inside': 947754, 'inside hospital': 439279, 'hospital work': 404726, 'percentage what': 651222, 'risk pct': 723817, 'they say know': 883274, 'say know the': 738880, 'know the fact': 476821, 'fact we want': 295843, 'know the most': 476837, 'most common way': 542190, 'common way of': 189484, 'way of contracting': 969746, 'contracting the c19': 201786, 'the c19 virus': 850250, 'c19 virus grocery': 154844, 'virus grocery store': 958239, 'grocery store gas': 365422, 'gas station family': 344110, 'station family member': 796403, 'family member open': 298041, 'member open public': 528167, 'open public area': 612473, 'public area packaging': 687874, 'area packaging from': 92158, 'packaging from ups': 633538, 'from ups inside': 338205, 'ups inside hospital': 947755, 'inside hospital work': 439280, 'hospital work place': 404728, 'work place what': 1005611, 'place what are': 657824, 'are the percentage': 90882, 'the percentage what': 863530, 'percentage what are': 651223, 'are the risk': 90897, 'the risk pct': 865879, 'busy wearing': 145008, 'home thinking': 402283, 'fully prepared': 341074, 'even worry': 284817, 'worry sanitizing': 1010768, 'sanitizing our': 736488, 'which might': 986158, '20 others': 13233, 're so busy': 699535, 'so busy wearing': 776663, 'busy wearing mask': 145009, 'mask and using': 518385, 'and using hand': 74800, 'sanitizer outside of': 735513, 'outside of our': 629510, 'of our home': 587487, 'our home thinking': 623457, 'home thinking that': 402285, 'thinking that we': 886003, 'are fully prepared': 86749, 'fully prepared to': 341075, 'prepared to face': 670251, '19 but then': 5534, 'but then we': 147456, 'then we dont': 877724, 'we dont even': 971411, 'dont even worry': 255217, 'even worry sanitizing': 284818, 'worry sanitizing our': 1010769, 'sanitizing our grocery': 736489, 'our grocery that': 623310, 'grocery that we': 366026, 'that we bought': 847365, 'we bought from': 970863, 'bought from the': 136575, 'supermarket which might': 823837, 'which might have': 986159, 'might have already': 531007, 'already been touched': 47226, 'touched by 20': 926607, 'by 20 others': 151575, 'done full': 254850, 'full stock': 340894, 'check of': 174502, 'obviously created': 578833, 'created board': 215786, 'track it': 928207, 'the menu': 860487, 'menu might': 528887, 'be exciting': 114722, 'but reckon': 146903, 'reckon have': 704561, 'me month': 523161, 've done full': 953059, 'done full stock': 254851, 'full stock check': 340895, 'stock check of': 801978, 'check of food': 174503, 'food in my': 314953, 'cupboard and fridge': 220467, 'and fridge freezer': 63315, 'fridge freezer and': 333397, 'freezer and obviously': 332579, 'and obviously created': 67943, 'obviously created board': 578834, 'created board to': 215787, 'board to track': 133679, 'to track it': 917679, 'track it the': 928208, 'it the menu': 461558, 'the menu might': 860488, 'menu might not': 528888, 'not be exciting': 568379, 'be exciting but': 114723, 'exciting but reckon': 289596, 'but reckon have': 146904, 'reckon have enough': 704562, 'last me month': 480312, 'me month or': 523162, 'concern rise': 193084, 'thing bought': 884198, 'extra box': 293463, 'american stock up': 52220, '19 concern rise': 5925, 'concern rise the': 193085, 'rise the only': 723017, 'only thing bought': 611302, 'thing bought on': 884199, 'bought on this': 136660, 'list is few': 494375, 'is few extra': 447782, 'few extra box': 303830, 'extra box of': 293464, 'box of pasta': 137129, 'remains stable': 710059, 'and infectious': 65198, 'infectious on': 436909, 'cardboard and': 163711, 'long three': 501754, 'day 72': 227164, '72 hr': 22016, 'hr your': 409680, 'super quick': 818567, 'quick courier': 694301, 'well within': 978761, 'within coronavirus': 1002337, 'coronavirus window': 207089, 'of opportunity': 587305, 'inside your': 439452, '19 remains stable': 10093, 'remains stable and': 710060, 'stable and infectious': 791893, 'and infectious on': 65199, 'infectious on cardboard': 436910, 'on cardboard and': 599824, 'cardboard and plastic': 163712, 'and plastic for': 69077, 'plastic for long': 658844, 'for long three': 323089, 'long three day': 501755, 'three day 72': 893905, 'day 72 hr': 227165, '72 hr your': 22018, 'hr your next': 409681, 'your next super': 1025007, 'next super quick': 561578, 'super quick courier': 818568, 'quick courier delivery': 694302, 'courier delivery could': 211807, 'delivery could be': 233831, 'could be well': 208939, 'be well within': 118091, 'well within coronavirus': 978762, 'within coronavirus window': 1002338, 'coronavirus window of': 207090, 'window of opportunity': 995694, 'of opportunity to': 587308, 'opportunity to get': 613705, 'get inside your': 347351, 'inside your home': 439453, 'and do the': 61563, 'do the damage': 250236, 'farmina': 299598, 'always reach': 49705, 'reach through': 699999, 'at be': 98114, 'careful take': 164438, 'precaution together': 669394, 'can defeat': 158039, 'defeat sincerely': 232045, 'sincerely farmina': 771039, 'farmina pet': 299599, 'important update you': 419091, 'update you can': 947335, 'can always reach': 157481, 'always reach through': 49706, 'reach through our': 700000, 'through our social': 894619, 'medium and website': 527000, 'and website at': 75369, 'website at be': 975215, 'at be careful': 98115, 'be careful take': 113999, 'careful take all': 164439, 'take all necessary': 831926, 'all necessary precaution': 43591, 'necessary precaution together': 554049, 'precaution together we': 669395, 'we can defeat': 970930, 'can defeat sincerely': 158040, 'defeat sincerely farmina': 232046, 'sincerely farmina pet': 771040, 'farmina pet food': 299600, 'pet food india': 653388, 'saw 60': 738047, 'lady working': 478874, 'happy can': 377594, 'her wa': 392507, 'wa grateful': 962247, 'her sacrifice': 392337, 'sacrifice she': 729104, 'taking big': 833283, 'big risk': 129967, 'risk told': 723975, 'her my': 392215, 'food sacrifice': 316255, 'sacrifice respect': 729103, 'saw 60 yr': 738048, '60 yr old': 21053, 'yr old lady': 1027036, 'old lady working': 598329, 'lady working at': 478875, 'supermarket she had': 822408, 'she had her': 756098, 'had her mask': 373177, 'her mask and': 392186, 'glove and happy': 352562, 'and happy can': 64175, 'happy can be': 377595, 'can be told': 157700, 'be told her': 117748, 'told her wa': 923571, 'her wa grateful': 392508, 'wa grateful for': 962248, 'grateful for her': 362264, 'for her sacrifice': 322229, 'her sacrifice she': 392338, 'sacrifice she is': 729105, 'she is taking': 756163, 'is taking big': 452535, 'taking big risk': 833284, 'big risk told': 129968, 'risk told her': 723976, 'told her that': 923569, 'her that thanks': 392431, 'that thanks to': 846648, 'thanks to people': 842253, 'to people like': 911630, 'like her my': 490422, 'her my kid': 392216, 'my kid get': 548945, 'kid get to': 473967, 'get to have': 348472, 'have food sacrifice': 380663, 'food sacrifice respect': 316256, 'bashing': 111819, 'my selfisolation': 550016, 'selfisolation flat': 748450, 'flat just': 310080, 'post letter': 666194, 'letter couple': 487302, 'couple blocking': 211568, 'the exit': 854695, 'exit with': 290379, 'with numerous': 999836, 'numerous bag': 577122, 'have toured': 383381, 'toured every': 926944, 'store ensuring': 807596, 'ensuring they': 278202, 'left nothing': 485572, 'else casual': 271660, 'casual about': 166791, 'about bashing': 24850, 'bashing into': 111820, 'greed c4news': 363371, 'left my selfisolation': 485563, 'my selfisolation flat': 550017, 'selfisolation flat just': 748451, 'flat just now': 310081, 'now to post': 576175, 'to post letter': 911913, 'post letter couple': 666195, 'letter couple blocking': 487303, 'couple blocking the': 211569, 'blocking the exit': 132889, 'the exit with': 854696, 'exit with numerous': 290380, 'with numerous bag': 999837, 'numerous bag of': 577123, 'bag of stuff': 108369, 'of stuff must': 590332, 'stuff must have': 815135, 'must have toured': 546709, 'have toured every': 383382, 'toured every supermarket': 926945, 'every supermarket convenience': 286244, 'convenience store ensuring': 202346, 'store ensuring they': 807597, 'ensuring they left': 278203, 'they left nothing': 882552, 'left nothing for': 485574, 'anyone else casual': 80258, 'else casual about': 271661, 'casual about bashing': 166792, 'about bashing into': 24851, 'bashing into me': 111821, 'into me in': 442748, 'me in their': 522979, 'in their greed': 429744, 'their greed c4news': 873438, 'thanns': 842405, '13 need': 3239, 'other daily': 620068, 'salary thanns': 731994, 'thanns for': 842406, 'for th': 326243, 'bats99 13 need': 112721, '13 need to': 3240, 'and other daily': 68307, 'other daily need': 620069, 'daily need due': 224712, 'need due covid': 554714, 'for month no': 323531, 'month no job': 537881, 'job no salary': 466024, 'no salary thanns': 565395, 'salary thanns for': 731995, 'thanns for th': 842407, 'behavior thanks': 124221, 'good article in': 356779, 'article in on': 94364, 'consumer behavior thanks': 196522, 'behavior thanks for': 124222, 'supermarket introduces': 821060, 'introduces tiny': 443479, 'tiny trolley': 898678, 'supermarket introduces tiny': 821061, 'introduces tiny trolley': 443480, 'tiny trolley to': 898679, 'trolley to curb': 932488, 'oil record': 597391, 'record it': 704993, 'third worst': 886119, 'amid threat': 52726, 'recession concern': 704239, 'concern brent': 192939, 'brent fall': 139340, 'oil record it': 597392, 'record it third': 704994, 'it third worst': 461647, 'third worst day': 886120, 'worst day on': 1011169, 'day on record': 228145, 'on record price': 603106, 'record price fall': 705047, 'low amid threat': 505118, 'amid threat to': 52727, 'threat to demand': 893732, 'demand and recession': 234993, 'and recession concern': 70046, 'recession concern brent': 704240, 'concern brent fall': 192940, 'brent fall below': 139341, 'fall below 25': 296860, 'disapproval': 244166, 'park so': 641978, 'can tweet': 160071, 'tweet my': 936385, 'my disapproval': 547995, 'disapproval of': 244167, 'just off to': 469360, 'the park so': 863295, 'park so can': 641979, 'so can tweet': 776729, 'can tweet my': 160072, 'tweet my disapproval': 936386, 'my disapproval of': 547996, 'disapproval of people': 244168, 'who have gone': 988925, 'way because': 969489, 'obsessive level': 578694, 'general and': 345281, 'and particularly': 68729, 'hygiene conscious': 412073, 'conscious constantly': 194796, 'constantly hand': 195673, 'washing alcohol': 967642, 'alcohol wiping': 41190, 'wiping and': 996501, 'sanitising so': 734129, 'that way because': 847340, 'way because of': 969490, 'of her emetophobia': 584571, 'become obsessive level': 120086, 'obsessive level of': 578695, 'level of general': 487640, 'of general and': 584079, 'general and particularly': 345282, 'and particularly food': 68730, 'particularly food hygiene': 642677, 'food hygiene conscious': 314878, 'hygiene conscious constantly': 412074, 'conscious constantly hand': 194797, 'constantly hand washing': 195674, 'hand washing alcohol': 375941, 'washing alcohol wiping': 967643, 'alcohol wiping and': 41191, 'wiping and sanitising': 996502, 'and sanitising so': 70843, 'sanitising so she': 734130, 'so she definitely': 778189, 'president banned': 670768, 'some commodity': 782560, '19 pademic': 9233, 'pademic he': 633806, 'he accelerated': 384705, 'accelerated go': 27882, 'everything related': 287975, 'is hiked': 448469, 'the president banned': 864254, 'president banned the': 670769, 'banned the hiking': 110600, 'hiking of some': 396387, 'of some commodity': 589891, 'some commodity in': 782561, 'commodity in this': 189195, 'this season of': 889991, 'season of covid': 743419, 'covid 19 pademic': 213543, '19 pademic he': 9234, 'pademic he accelerated': 633807, 'he accelerated go': 384706, 'accelerated go to': 27883, 'to supermarket everything': 915795, 'supermarket everything related': 820237, 'everything related to': 287976, '19 prevention is': 9796, 'prevention is hiked': 671862, 'bharati': 129349, 'ak': 40467, 'join 86': 466658, '86 mishra19': 22974, 'mishra19 gunjan': 534051, 'gunjan bharati': 368780, 'bharati ak': 129350, 'grocery join 86': 364670, 'join 86 mishra19': 466660, '86 mishra19 gunjan': 22975, 'mishra19 gunjan bharati': 534052, 'gunjan bharati ak': 368781, 'babywipes': 106785, 'need babywipes': 554512, 'babywipes people': 106786, 'ask you don': 95675, 'don need babywipes': 253755, 'need babywipes people': 554513, 'babywipes people like': 106787, 'you are why': 1017289, 'are why can': 91630, 'why can find': 990860, 'can find wipe': 158346, 'precondition': 669517, 'impact payment': 417918, 'emerging when': 273145, 'when scammer': 983960, 'scammer falsely': 740575, 'falsely promise': 297474, 'promise access': 683663, 'impact fund': 417669, 'fund or': 341474, 'consumer personal': 198358, 'information precondition': 437952, 'precondition for': 669518, 'for receiving': 325012, 'receiving payment': 703797, 'consumer should be': 198981, 'economic impact payment': 267138, 'impact payment scam': 417919, 'payment scam are': 645724, 'scam are emerging': 740038, 'are emerging when': 86121, 'emerging when scammer': 273146, 'when scammer falsely': 983961, 'scammer falsely promise': 740576, 'falsely promise access': 297475, 'promise access to': 683664, 'access to economic': 28231, 'economic impact fund': 267135, 'impact fund or': 417670, 'fund or ask': 341475, 'ask for consumer': 95523, 'for consumer personal': 320277, 'consumer personal information': 198359, 'personal information precondition': 652898, 'information precondition for': 437953, 'precondition for receiving': 669519, 'for receiving payment': 325013, 'responsibility is': 715958, 'is paramount': 450795, 'paramount be': 641409, 'blessed selfisolation': 132626, 'roll and panic': 725183, 'panic buying baby': 637651, 'buying baby food': 149980, 'baby food social': 106610, 'food social responsibility': 316682, 'social responsibility is': 779925, 'responsibility is paramount': 715959, 'is paramount be': 450796, 'paramount be smart': 641410, 'safe stay blessed': 729970, 'stay blessed selfisolation': 796798, 'fascinating how': 299753, 'heb supermarket': 388685, 'texas prepared': 839808, 'be model': 115954, 'really fascinating how': 702184, 'fascinating how heb': 299754, 'how heb supermarket': 407992, 'heb supermarket chain': 388686, 'chain in texas': 170817, 'in texas prepared': 428892, 'texas prepared for': 839809, 'for the hope': 326480, 'will be model': 992562, 'be model for': 115956, 'model for others': 535253, 'fightfoodinsecurity': 305017, 'feedingamerica': 302500, 'final thought': 305883, 'thought consider': 893004, 'dollar go': 253001, 'much further': 544945, 'than yours': 841510, 'service just': 752540, 'just shot': 469788, 'shot through': 765451, 'roof you': 725852, 'also volunteer': 49069, 'volunteer but': 960238, 'but fightfoodinsecurity': 145720, 'fightfoodinsecurity feedingamerica': 305018, 'final thought consider': 305884, 'thought consider donating': 893005, 'food pantry their': 315801, 'pantry their dollar': 639688, 'their dollar go': 873060, 'dollar go much': 253002, 'go much further': 353845, 'much further than': 544947, 'further than yours': 342182, 'than yours and': 841511, 'yours and the': 1026450, 'their service just': 874662, 'service just shot': 752541, 'just shot through': 469789, 'shot through the': 765452, 'the roof you': 865981, 'roof you could': 725853, 'could also volunteer': 208818, 'also volunteer but': 49070, 'volunteer but fightfoodinsecurity': 960239, 'but fightfoodinsecurity feedingamerica': 145721, 'epidemiologist infectious': 279486, 'disease specialist': 245232, 'specialist you': 788126, 'and neglect': 67499, 'neglect professor': 556880, 'professor john': 682559, 'google it': 358167, 'expert epidemiologist infectious': 291826, 'epidemiologist infectious disease': 279487, 'infectious disease specialist': 436904, 'disease specialist you': 245233, 'specialist you appoint': 788127, 'misfit and neglect': 534027, 'and neglect professor': 67500, 'neglect professor john': 556881, 'professor john nwangwu': 682560, 'nwangwu google it': 577813, 'concern drag': 192961, 'drag consumer': 258151, 'kenya ghana': 472904, 'coronavirus concern drag': 205670, 'concern drag consumer': 192962, 'drag consumer confidence': 258152, 'confidence in africa': 193896, 'in africa kenya': 420087, 'africa kenya ghana': 35099, 'brit furious': 140337, 'madness brawl': 508160, 'brawl break': 138307, 'brit furious at': 140338, 'supermarket madness brawl': 821427, 'madness brawl break': 508161, 'brawl break out': 138308, 'are china': 85272, 'china doing': 176619, 'doing xijinping': 252876, 'xijinping is': 1013850, 'how are china': 407392, 'are china doing': 85273, 'china doing xijinping': 176620, 'doing xijinping is': 252877, 'xijinping is now': 1013851, 'is now wearing': 450356, '2001': 13560, 'like 2001': 489694, '2001 lmao': 13561, 'got these gas': 358930, 'gas price looking': 343991, 'price looking like': 675097, 'looking like 2001': 502950, 'like 2001 lmao': 489695, 'confirmed her': 194160, 'coronavirus two': 206979, 'market commodity': 516193, 'commodity received': 189298, 'received boost': 703603, 'value like': 952149, 'nigeria confirmed her': 562728, 'confirmed her first': 194161, 'her first case': 392046, 'of coronavirus two': 581973, 'coronavirus two market': 206980, 'two market commodity': 937029, 'market commodity received': 516195, 'commodity received boost': 189299, 'received boost in': 703604, 'boost in value': 134969, 'in value like': 430524, 'value like never': 952150, 'face mask supermarket': 294594, 'boycotthul in': 137380, 'boycotthul in the': 137381, 'of global fmcg': 584152, 'price of it': 675479, 'of it soap': 585444, 'it soap by': 461142, 'soap by up': 778967, 'to 10 just': 899427, 'just to cash': 470086, 'on the growing': 604152, 'growing demand must': 367165, 'demand must act': 235910, 'must act against': 546451, 'act against this': 29583, 'raising the voice': 696148, 'so because': 776610, 'the karachi': 858731, 'karachi store': 470863, 'not restock': 571357, 'shelf seed': 757484, 'purchased any': 689752, 'too why': 925165, 'would virus': 1012374, 'with stopping': 1000987, 'so because of': 776611, 'of the karachi': 591164, 'the karachi store': 858732, 'karachi store can': 470864, 'store can not': 806859, 'can not restock': 159053, 'not restock the': 571358, 'the shelf seed': 866873, 'shelf seed are': 757485, 'seed are not': 746135, 'be purchased any': 116627, 'purchased any more': 689753, 'any more and': 79484, 'more and forget': 538613, 'forget about online': 329224, 'shopping it out': 763105, 'of stock too': 590202, 'stock too why': 803020, 'too why would': 925166, 'why would virus': 991571, 'would virus have': 1012375, 'virus have any': 958264, 'have any thing': 379324, 'any thing to': 79960, 'do with stopping': 250569, 'with stopping people': 1000988, 'stopping people from': 805822, 'from buying essential': 334774, 'buying essential 19': 150235, 'guess pig': 368027, 'pig can': 656435, 'can transfer': 160029, 'transfer covid': 929505, 'pork price will': 664814, 'up soon they': 946051, 'soon they close': 785853, 'they close it': 881764, 'close it guess': 182690, 'it guess pig': 458366, 'guess pig can': 368028, 'pig can transfer': 656436, 'can transfer covid': 160030, 'transfer covid 19': 929506, '19 to human': 11432, 'earle': 264412, 've hit': 953263, 'hit 200': 398096, '200 registration': 13536, 'registration do': 707678, 'where earle': 984850, 'earle hall': 264413, 'hall will': 374354, 'change following': 172051, '19 secure': 10382, 'spot now': 790080, 'we ve hit': 973677, 've hit 200': 953264, 'hit 200 registration': 398098, '200 registration do': 13537, 'registration do not': 707679, 'out on today': 626922, 'on today free': 604777, 'today free webinar': 919554, 'free webinar where': 332316, 'webinar where earle': 975134, 'where earle hall': 984851, 'earle hall will': 264414, 'hall will discus': 374355, 'discus how business': 244861, 'will change following': 992910, 'change following covid': 172052, 'covid 19 secure': 213759, '19 secure your': 10383, 'secure your spot': 744479, 'your spot now': 1025893, 'our judgement': 623610, 're acting': 698177, 'acting towards': 29912, 'others right': 621619, 'distancing being': 247039, 'being mindful': 125432, 'paper raising': 640650, 'is our judgement': 450625, 'our judgement day': 623611, 'judgement day we': 467658, 'day we re': 228681, 're being tested': 698363, 'we re acting': 972814, 're acting towards': 698178, 'acting towards others': 29913, 'towards others right': 927229, 'others right now': 621620, 'social distancing being': 779568, 'distancing being mindful': 247040, 'being mindful of': 125433, 'of others are': 587383, 'helping those in': 391517, 'need are we': 554475, 'toilet paper raising': 921409, 'paper raising the': 640651, 'of it to': 585458, 'hbr': 384645, 'today environment': 919482, 'environment suggests': 279154, 'that success': 846542, 'success requires': 816216, 'requires an': 713456, 'business basic': 143425, 'basic well': 112101, 'well direct': 978158, 'model leader': 535275, 'leader must': 483493, 'must adapt': 546459, 'new principle': 559344, 'principle learn': 678244, 'these tendency': 880789, 'tendency suggested': 837890, 'suggested by': 817563, 'by hbr': 152771, 'today environment suggests': 919483, 'environment suggests that': 279155, 'suggests that success': 817715, 'that success requires': 846543, 'success requires an': 816217, 'requires an understanding': 713457, 'an understanding of': 56842, 'understanding of business': 940881, 'of business basic': 580946, 'business basic well': 143426, 'basic well direct': 112102, 'well direct to': 978159, 'consumer business model': 196676, 'business model leader': 144058, 'model leader must': 535276, 'leader must adapt': 483494, 'must adapt and': 546460, 'adapt and implement': 31248, 'and implement new': 65021, 'implement new principle': 418405, 'new principle learn': 559345, 'principle learn about': 678245, 'learn about these': 483944, 'about these tendency': 26617, 'these tendency suggested': 880790, 'tendency suggested by': 837891, 'suggested by hbr': 817564, 'clerk kept': 181727, 'via leilanijordan': 956059, 'store clerk kept': 807015, 'clerk kept working': 181728, 'kept working because': 473100, 'people then she': 649803, 'then she died': 877529, 'she died from': 755994, 'died from via': 241561, 'from via leilanijordan': 338231, 'nutri': 577695, 'core area': 203517, 'healthcare remote': 387263, 'education learning': 268835, 'online fitness': 608199, 'fitness amp': 309517, 'amp nutri': 54204, 'nutri program': 577696, 'program commerce': 683227, 'core area that': 203518, 'area that will': 92222, 'will be fundamentally': 992473, 'be fundamentally changed': 114987, 'fundamentally changed forever': 341569, 'changed forever post': 172479, '19 consumer healthcare': 5973, 'consumer healthcare remote': 197738, 'healthcare remote work': 387264, 'work online education': 1005550, 'online education learning': 608160, 'education learning online': 268836, 'learning online fitness': 484226, 'online fitness amp': 608200, 'fitness amp nutri': 309518, 'amp nutri program': 54205, 'nutri program commerce': 577697, 'program commerce supply': 683228, 'chain and logistics': 170468, 'marchingband': 515559, 'who wasn': 989935, 'wasn in': 967990, 'in marching': 425132, 'marching band': 515553, 'band at': 109335, 'stand 6ft': 793480, 'socialdistancing marchingband': 780515, 'marchingband 6ftapart': 515560, 'can tell who': 159925, 'tell who wa': 837139, 'who wa and': 989899, 'and who wasn': 75598, 'who wasn in': 989936, 'wasn in marching': 967991, 'in marching band': 425133, 'marching band at': 515554, 'band at the': 109336, 'how to stand': 409089, 'to stand 6ft': 915152, 'stand 6ft apart': 793481, '6ft apart socialdistancing': 21598, 'apart socialdistancing marchingband': 81338, 'socialdistancing marchingband 6ftapart': 780516, 'vacuous': 951809, 'fuck did': 339540, 'find these': 307322, 'these vacuous': 880927, 'vacuous people': 951810, 'the fuck did': 855960, 'fuck did they': 339541, 'they find these': 882113, 'find these vacuous': 307325, 'these vacuous people': 880928, 'vacuous people from': 951811, 'people from these': 648013, 'from these are': 337972, 'are the type': 90926, 'who panic bought': 989406, 'the food from': 855552, 'from supermarket last': 337491, 'of blatant': 580738, 'blatant racism': 132441, 'racism but': 695281, 'also because': 47932, 'luckily haven': 506506, 'haven experienced': 383800, 'experienced anything': 291556, 'had great': 373149, 'nice people': 562456, 'who smiled': 989635, 'smiled at': 775754, 'asian colleague': 95261, 'sad to be': 729270, 'to be afraid': 901096, 'store not because': 809100, '19 but because': 5492, 'because of blatant': 119313, 'of blatant racism': 580739, 'blatant racism but': 132442, 'racism but also': 695282, 'but also because': 145098, 'also because of': 47933, '19 luckily haven': 8487, 'luckily haven experienced': 506507, 'haven experienced anything': 383801, 'experienced anything and': 291557, 'anything and had': 80683, 'and had great': 64102, 'had great time': 373152, 'great time because': 363058, 'time because there': 896375, 'because there were': 119677, 'there were very': 879334, 'were very nice': 980331, 'very nice people': 955384, 'nice people who': 562457, 'people who smiled': 650340, 'who smiled at': 989636, 'smiled at me': 775755, 'at me but': 99702, 'me but cannot': 522532, 'but cannot say': 145386, 'cannot say the': 162073, 'say the same': 739301, 'same for my': 733071, 'for my asian': 323670, 'my asian colleague': 547335, 'from cv': 335086, 'cv spokesperson': 223852, 'store colleague': 807117, 'colleague who': 186256, 'exposure they': 293000, 'on paid': 602678, 'great where': 363110, 'from cv spokesperson': 335087, 'cv spokesperson for': 223853, 'spokesperson for any': 789791, 'for any store': 319425, 'any store colleague': 79862, 'store colleague who': 807118, 'colleague who is': 186257, 'who is required': 989106, 'required to self': 713406, 'due to potential': 261909, '19 exposure they': 6912, 'exposure they will': 293001, 'be placed on': 116424, 'placed on paid': 657903, 'on paid leave': 602679, 'leave for 14': 484794, 'day that great': 228471, 'that great where': 844078, 'great where the': 363111, 'where the test': 985254, 'the test the': 869322, 'test the for': 839199, 'the for testing': 855673, 'icymi covid': 412871, 'icymi covid 19': 412872, 'irony of covid': 444967, 'so low and': 777600, 'low and you': 505138, 'lestwarog': 486532, 'bc fall': 113231, 'outbreak lestwarog': 628418, 'price in bc': 674668, 'in bc fall': 420738, 'bc fall amid': 113232, 'fall amid the': 296823, '19 outbreak lestwarog': 9149, 'doh': 252228, 'yesterday glove': 1015751, 'time doh': 896573, 'doh that': 252229, 'that video': 847246, 'video also': 956605, 'also reminds': 48784, 'from scrub': 337191, 'green hand': 363668, 'of cross': 582218, 'guy in my': 369037, 'my supermarket yesterday': 550289, 'supermarket yesterday glove': 824169, 'yesterday glove mask': 1015752, 'glove mask on': 352778, 'mask on and': 519044, 'and on his': 68059, 'on his phone': 601326, 'his phone at': 397703, 'phone at the': 654898, 'same time doh': 733353, 'time doh that': 896574, 'doh that video': 252230, 'that video also': 847247, 'video also reminds': 956606, 'also reminds me': 48785, 'me of this': 523248, 'this from scrub': 887632, 'from scrub the': 337192, 'scrub the green': 742911, 'the green hand': 856776, 'green hand of': 363669, 'hand of cross': 375110, 'of cross contamination': 582219, 'getwellsoon': 349482, 'again getwellsoon': 37001, 'getwellsoon to': 349483, 'hospital due': 404385, 'illness including': 416375, 'underlying poor': 940488, 'poor health': 664194, 'health the': 386902, 'old the': 598495, 'bus tube': 143107, 'tube staff': 935047, 'teacher police': 835498, 'police prison': 663167, 'once again getwellsoon': 605565, 'again getwellsoon to': 37002, 'getwellsoon to all': 349484, 'those in hospital': 892094, 'in hospital due': 423808, 'hospital due to': 404386, '19 illness including': 7678, 'illness including those': 416376, 'including those with': 432206, 'with underlying poor': 1001899, 'underlying poor health': 940489, 'poor health the': 664195, 'health the old': 386903, 'the old the': 862144, 'old the doctor': 598496, 'doctor nurse carers': 251003, 'nurse carers and': 577240, 'carers and health': 164566, 'health worker the': 386992, 'worker the bus': 1007921, 'the bus tube': 850149, 'bus tube staff': 143108, 'tube staff supermarket': 935048, 'driver teacher police': 259777, 'teacher police prison': 835499, 'police prison staff': 663168, 'inoculate': 438946, 'three solution': 894060, 'to inoculate': 908401, 'inoculate retail': 438949, 'operation against': 613126, '19 chain': 5751, 'age crm': 37811, 'crm cro': 218803, 'cro retailinnovation': 218813, 'retailinnovation ux': 719488, 'ux via': 951511, 'three solution to': 894061, 'solution to inoculate': 782102, 'to inoculate retail': 908403, 'inoculate retail operation': 438950, 'retail operation against': 718355, 'operation against covid': 613127, 'covid 19 chain': 212782, '19 chain store': 5752, 'store age crm': 806095, 'age crm cro': 37812, 'crm cro retailinnovation': 218804, 'cro retailinnovation ux': 218814, 'retailinnovation ux via': 719489, 'grocery same': 364937, 'but spread': 147136, 'disease note': 245186, 'wait about': 964066, 'day hard': 227727, 'hard choice': 377890, 'choice which': 177828, 'which category': 985740, 'store and spread': 806355, 'and spread 19': 72141, 'spread 19 they': 790384, '19 they get': 11308, 'get their grocery': 348333, 'their grocery same': 873449, 'grocery same day': 364938, 'same day but': 733023, 'day but spread': 227409, 'but spread disease': 147137, 'spread disease note': 790505, 'disease note that': 245187, 'note that if': 572801, 'order online you': 618485, 'online you have': 609775, 'to wait about': 918257, 'wait about day': 964067, 'about day hard': 25074, 'day hard choice': 227728, 'hard choice which': 377891, 'choice which category': 177829, 'which category are': 985741, 'category are you': 167163, 'scientist should': 742256, 'design sanitizer': 238260, 'period then': 651895, 'able not': 24439, 'sanitize our': 734202, 'if put': 414706, 'the entry': 854392, 'and scientist should': 71084, 'scientist should be': 742257, 'able to design': 24470, 'to design sanitizer': 904207, 'design sanitizer that': 238261, 'sanitizer that can': 735857, 'long period then': 501558, 'period then we': 651896, 'be able not': 113443, 'able not only': 24440, 'only to sanitize': 611367, 'to sanitize our': 913753, 'sanitize our hand': 734203, 'hand but our': 374846, 'but our clothes': 146721, 'go this might': 354239, 'might help if': 531032, 'help if put': 389885, 'if put at': 414707, 'put at the': 690519, 'at the entry': 100937, 'the entry and': 854393, 'exit of any': 290369, 'of any entity': 580257, 'encouraging with': 275745, 'supermarket drive': 820027, 'thru 19': 895161, 'encouraging with our': 275746, 'with our supermarket': 1000023, 'our supermarket drive': 625015, 'supermarket drive thru': 820028, 'drive thru 19': 259189, 'czar': 224153, 'that him': 844337, 'there sir': 879054, 'good czar': 356938, 'czar the': 224154, 'that him right': 844338, 'right there sir': 722297, 'there sir the': 879055, 'the good czar': 856431, 'good czar the': 356939, 'czar the strong': 224155, 'strong man for': 814066, 'man for russia': 512068, 'for russia the': 325279, 'biblical': 129439, 'disciple': 244349, 'move our': 543710, 'our church': 622366, 'church from': 178363, 'consumer mentality': 198126, 'mentality go': 528707, 'expect my': 290684, 'be met': 115928, 'met to': 529596, 'to biblical': 901803, 'biblical mentality': 129440, 'mentality we': 528718, 'make disciple': 509840, 'perhaps this covid': 651655, 'crisis will move': 218417, 'will move our': 994134, 'move our church': 543711, 'our church from': 622367, 'church from consumer': 178364, 'from consumer mentality': 334964, 'consumer mentality go': 198127, 'mentality go to': 528708, 'church and expect': 178331, 'and expect my': 62481, 'expect my need': 290685, 'my need and': 549422, 'need and the': 554438, 'need of my': 555336, 'to be met': 901388, 'be met to': 115930, 'met to biblical': 529597, 'to biblical mentality': 901804, 'biblical mentality we': 129441, 'mentality we are': 528719, 'are the church': 90810, 'the church and': 850887, 'church and we': 178336, 'to make disciple': 909650, 'brandgeek': 138112, 'industry using': 436205, 'using brandgeek': 950412, 'brandgeek smg': 138113, 'smg collected': 775662, 'collected feedback': 186352, 'from nearly': 336556, '00 respondent': 467, 'respondent to': 715387, 'restaurant habit': 716490, 'restaurant industry using': 716532, 'industry using brandgeek': 436206, 'using brandgeek smg': 950413, 'brandgeek smg collected': 138114, 'smg collected feedback': 775663, 'collected feedback from': 186353, 'feedback from nearly': 302421, 'from nearly 10': 336557, 'nearly 10 00': 553751, '10 00 respondent': 1208, '00 respondent to': 468, 'respondent to understand': 715388, 'understand how restaurant': 940647, 'how restaurant habit': 408586, 'restaurant habit have': 716491, 'have changed during': 379936, 'paleo': 634571, 'for paleo': 324356, 'paleo friendly': 634572, 'friendly recommendation': 333988, 'during social': 263030, 'your primer': 1025425, 'on nutritious': 602465, 'nutritious shelf': 577773, 'still paleo': 801018, 'looking for paleo': 502888, 'for paleo friendly': 324357, 'paleo friendly recommendation': 634573, 'friendly recommendation to': 333989, 'recommendation to help': 704768, 'up during social': 944759, 'during social distancing': 263031, 'is your primer': 454162, 'your primer on': 1025426, 'primer on nutritious': 678191, 'on nutritious shelf': 602466, 'nutritious shelf stable': 577774, 'shelf stable and': 757543, 'stable and frozen': 791892, 'frozen food option': 338977, 'food option that': 315643, 'option that are': 614103, 'are still paleo': 90462, 'of vibrator': 592795, 'bed desk': 120390, 'desk are': 238450, 'lockdown interesting': 499533, 'so apparently sale': 776535, 'sale of vibrator': 732412, 'of vibrator and': 592796, 'vibrator and bed': 956416, 'and bed desk': 58801, 'bed desk are': 120391, 'desk are up': 238451, 'are up during': 91362, 'the lockdown interesting': 859609, 'emmie': 273240, 'cking wench': 179668, 'wench emmie': 978928, 'emmie shute': 273241, 'remorse for': 710687, 'wasted ck': 968232, 'ck you': 179647, 'to the cking': 916564, 'the cking wench': 850977, 'cking wench emmie': 179669, 'wench emmie shute': 978929, 'emmie shute who': 273242, 'no remorse for': 565331, 'remorse for panic': 710688, 'you wasted ck': 1022186, 'wasted ck you': 968233, 'turkey fight': 935549, 'in turkey fight': 430330, 'turkey fight over': 935550, 'the scotus': 866524, 'their decision': 872984, 'and missing': 67077, 'missing money': 534316, 'they postpone': 882896, 'postpone this': 666787, 'decision homeishere': 231035, 'pandemic the scotus': 636701, 'the scotus must': 866525, 'must postpone their': 546808, 'postpone their decision': 666784, 'their decision on': 872985, 'job and missing': 465634, 'and missing money': 67078, 'missing money for': 534317, 'demand that they': 236339, 'that they postpone': 846943, 'they postpone this': 882897, 'postpone this decision': 666788, 'this decision homeishere': 887185, 'neighbour went': 557248, 'his 20': 397167, 'said should': 731353, 'folk chance': 312124, 'man replied': 512207, 'replied off': 711715, 'my neighbour went': 549443, 'neighbour went to': 557249, 'in his 20': 423712, 'his 20 and': 397168, '20 and said': 12947, 'and said should': 70773, 'said should you': 731354, 'give old folk': 350616, 'old folk chance': 598254, 'folk chance the': 312125, 'the man replied': 859981, 'man replied off': 512208, 'replied off they': 711716, 'zimbabwe heavily': 1027586, 'heavily relies': 388603, 'industry while': 436238, 'while number': 987091, 'including grain': 431990, 'grain are': 361764, 'being imported': 125285, 'imported because': 419167, 'spread deadly': 790499, 'will cripple': 993076, 'cripple the': 216935, 'the importation': 857985, 'importation of': 419161, 'critical raw': 218639, 'zimbabwe heavily relies': 1027587, 'heavily relies on': 388604, 'relies on raw': 709521, 'material import for': 520388, 'import for it': 418633, 'for it manufacturing': 322717, 'it manufacturing industry': 459527, 'manufacturing industry while': 513616, 'industry while number': 436239, 'while number of': 987092, 'number of consumer': 576930, 'good including grain': 357256, 'including grain are': 431991, 'grain are also': 361765, 'also being imported': 47954, 'being imported because': 125286, 'imported because of': 419168, 'the spread deadly': 867624, 'spread deadly covid': 790500, 'this will cripple': 891410, 'will cripple the': 993077, 'cripple the importation': 216936, 'the importation of': 857986, 'importation of critical': 419162, 'of critical raw': 582209, 'critical raw material': 218640, 'raw material and': 697970, 'material and commodity': 520364, 'uk find': 938356, 'mail there': 508662, 'there customer': 878303, 'customer informing': 222518, 'informing price': 438149, 'with everything that': 998306, 'everything that going': 288025, 'world it nice': 1009730, 'know that uk': 476798, 'that uk find': 847162, 'uk find the': 938357, 'find the time': 307305, 'time to mail': 898016, 'to mail there': 909551, 'mail there customer': 508663, 'there customer informing': 878304, 'customer informing price': 222519, 'informing price are': 438150, 'going up 19': 355777, 'funny cartoon': 341710, 'cartoon however': 165522, 'see shelf': 745667, 'it surreal': 461397, 'surreal amp': 828663, 'amp depressing': 53640, 'depressing we': 237617, 'make situation': 510459, 'adding self': 31693, 'inflicted cartoon': 437277, 'cartoon wash': 165533, 'wash state': 967539, 'state journal': 795714, 'journal 2020': 467379, 'funny cartoon however': 341711, 'cartoon however is': 165523, 'however is no': 409399, 'no joke when': 564551, 'joke when you': 467165, 'you see shelf': 1021065, 'see shelf it': 745668, 'shelf it surreal': 757258, 'it surreal amp': 461398, 'surreal amp depressing': 828664, 'amp depressing we': 53641, 'depressing we make': 237618, 'we make situation': 972340, 'make situation worse': 510460, 'worse by adding': 1010894, 'by adding self': 151753, 'adding self inflicted': 31694, 'self inflicted cartoon': 747656, 'inflicted cartoon wash': 437278, 'cartoon wash state': 165534, 'wash state journal': 967540, 'state journal 2020': 795715, 'towardsthesun': 927282, 'familytravelblog': 298428, 'bigusatrip': 130386, 'groundedbycovid19': 366578, 'nottravellingbecauseofcorona': 573652, 'be bit': 113862, 'creative but': 216125, 'make appreciate': 509718, 'appreciate fully': 82721, 'more towardsthesun': 540816, 'towardsthesun familytravelblog': 927283, 'familytravelblog bigusatrip': 298429, 'bigusatrip groundedbycovid19': 130387, 'groundedbycovid19 nottravellingbecauseofcorona': 366579, 'pandemic we still': 636951, 'still have found': 800649, 'have found what': 380710, 'found what we': 330470, 'we need we': 972565, 'need we just': 556186, 'to be bit': 901132, 'be bit more': 113863, 'bit more creative': 131620, 'more creative but': 538921, 'creative but it': 216126, 'but it make': 146138, 'it make appreciate': 459510, 'make appreciate fully': 509719, 'appreciate fully stocked': 82722, 'stocked supermarket lot': 803409, 'supermarket lot more': 821407, 'lot more towardsthesun': 504121, 'more towardsthesun familytravelblog': 540817, 'towardsthesun familytravelblog bigusatrip': 927284, 'familytravelblog bigusatrip groundedbycovid19': 298430, 'bigusatrip groundedbycovid19 nottravellingbecauseofcorona': 130388, 'member test': 528204, 'shopper urged': 761792, 'supermarket staff member': 822868, 'staff member test': 792660, 'member test positive': 528205, '19 shopper urged': 10481, 'shopper urged to': 761793, 'urged to check': 948285, 'check on health': 174509, 'long wrapped': 501868, 'corner nyc': 203653, 'nyc socialdistancing': 578051, 'stayhome alonetogether': 797938, 'but the line': 147353, 'line are way': 492972, 'are way too': 91552, 'way too long': 970127, 'too long wrapped': 924869, 'long wrapped around': 501869, 'wrapped around the': 1012673, 'the corner nyc': 851747, 'corner nyc socialdistancing': 203654, 'nyc socialdistancing stayhome': 578052, 'socialdistancing stayhome alonetogether': 780735, 'you ve found': 1022042, 've found the': 953143, 'are bare you': 84779, 'bare you could': 110993, 'local branch': 497738, 'branch need': 137686, 'facing unprecedented demand': 295650, 'unprecedented demand during': 943112, 'demand during this': 235275, 'difficult time find': 242285, 'out what your': 627821, 'what your local': 982713, 'your local branch': 1024683, 'local branch need': 497739, 'branch need here': 137687, 'asia share': 95225, 'share higher': 755025, 'virus slowdown': 958758, 'oil higher': 596857, 'of output': 587611, 'cut icis': 223366, 'asia virus': 95236, 'virus crude': 958110, 'oil petrochemical': 597005, 'petrochemical price': 653698, 'asia share higher': 95226, 'share higher on': 755026, 'higher on virus': 395641, 'on virus slowdown': 605058, 'virus slowdown oil': 958759, 'slowdown oil higher': 774462, 'oil higher on': 596858, 'higher on hope': 395639, 'hope of output': 403573, 'of output cut': 587612, 'output cut icis': 629253, 'cut icis asia': 223367, 'icis asia virus': 412747, 'asia virus crude': 95237, 'virus crude oil': 958111, 'crude oil petrochemical': 219564, 'oil petrochemical price': 597006, 'petrochemical price stock': 653699, 'fundraising': 341652, 'wow reaching': 1012582, 'reaching 500': 700069, 'of fundraising': 584016, 'fundraising for': 341653, 'really amazing': 701963, 'to refrigerated': 913076, 'refrigerated van': 706782, 'surplus food': 828481, 'wow reaching 500': 1012583, 'reaching 500 on': 700070, '500 on the': 20034, 'day of fundraising': 228070, 'of fundraising for': 584017, 'fundraising for this': 341654, 'is really amazing': 451287, 'really amazing and': 701964, 'amazing and will': 50646, 'and will go': 75668, 'go to refrigerated': 354349, 'to refrigerated van': 913077, 'refrigerated van to': 706783, 'van to deliver': 952313, 'deliver the surplus': 233238, 'the surplus food': 869017, 'surplus food and': 828482, 'food and share': 313330, 'with the people': 1001425, 'the team is': 869208, 'team is in': 835700, 'harwood': 378680, 'great harwood': 362713, 'harwood you': 378681, 'disappointed me': 244109, 'worker apparently': 1006359, 'apparently and': 81907, 'in various': 430536, 'various different': 952596, 'cattle lockdowneffect': 167358, 'great harwood you': 362714, 'harwood you ve': 378682, 'you ve really': 1022060, 've really disappointed': 953484, 'really disappointed me': 702118, 'disappointed me an': 244110, 'me an essential': 522398, 'essential worker apparently': 281815, 'worker apparently and': 1006360, 'apparently and result': 81908, 'and result ve': 70419, 'result ve managed': 717649, 'get food shopping': 347063, 'food shopping in': 316523, 'shopping in various': 762997, 'in various different': 430538, 'various different shop': 952597, 'different shop you': 242057, 'shop you are': 761104, 'only supermarket who': 611226, 'supermarket who treat': 823860, 'who treat customer': 989825, 'treat customer like': 930822, 'customer like cattle': 222574, 'like cattle lockdowneffect': 489976, 'forwarded': 330059, 'boat came': 133718, 'and forwarded': 63218, 'forwarded to': 330060, 'my attorney': 547348, 'same boat came': 732982, 'boat came across': 133719, 'across this and': 29538, 'this and forwarded': 886327, 'and forwarded to': 63219, 'forwarded to my': 330061, 'to my attorney': 910374, 'binnie': 131116, 'wagyu': 964030, 'binnie beef': 131117, 'beef wagyu': 120562, 'wagyu export': 964031, 'export farmer': 292634, 'farmer join': 299429, 'join covid': 466701, 'and newcastle': 67568, 'newcastle retail': 560038, 'land nsw': 479272, 'binnie beef wagyu': 131118, 'beef wagyu export': 120563, 'wagyu export farmer': 964032, 'export farmer join': 292635, 'farmer join covid': 299430, 'join covid 19': 466702, '19 fight with': 6990, 'fight with donation': 304952, 'with donation and': 998118, 'donation and newcastle': 254542, 'and newcastle retail': 67569, 'newcastle retail store': 560039, 'retail store the': 718712, 'store the land': 810605, 'the land nsw': 858929, 'land nsw via': 479273, 'coronahygiene': 204976, 'today crowded': 919415, 'crowded store': 219350, 'were me': 979875, 'asian no': 95314, 'produce department': 680236, 'department or': 237251, 'at register': 100279, 'register coronahygiene': 707553, 'shopping today crowded': 764206, 'today crowded store': 919416, 'crowded store only': 219353, 'store only people': 809245, 'only people wearing': 610949, 'wearing mask were': 974725, 'mask were me': 519528, 'were me and': 979876, 'me and some': 522426, 'and some asian': 71951, 'some asian no': 782343, 'asian no store': 95315, 'no store employee': 565587, 'employee not even': 274054, 'not even in': 569258, 'the produce department': 864568, 'produce department or': 680237, 'department or at': 237252, 'or at register': 614448, 'at register coronahygiene': 100280, 'having friend': 384079, 'friend over': 333748, 'dinner coffee': 243062, 'distancing visiting': 247594, 'visiting family': 959522, 'term care': 838084, 'stopping at': 805794, 'after travel': 36445, 'travel including': 930393, 'including travel': 432226, 'having friend over': 384080, 'friend over for': 333749, 'over for dinner': 630230, 'for dinner coffee': 320717, 'dinner coffee is': 243063, 'coffee is not': 185504, 'social distancing visiting': 779756, 'distancing visiting family': 247595, 'visiting family in': 959523, 'family in long': 297920, 'in long term': 424914, 'long term care': 501674, 'term care home': 838085, 'care home or': 163997, 'home or hospital': 401745, 'or hospital is': 615671, 'hospital is not': 404482, 'not stopping at': 571769, 'stopping at grocery': 805795, 'stock up after': 803051, 'up after travel': 944233, 'after travel including': 36446, 'travel including travel': 930394, 'including travel to': 432227, 'state is not': 795702, 'oil fox': 596810, 'fox report': 330772, 'russia could': 728454, 'cause inventory': 167617, 'to swell': 916089, 'swell by': 830297, 'by 900': 151717, '900 barrel': 23366, 'in severe': 427839, 'severe scenario': 754052, 'scenario if': 741261, 'struggle oil': 814364, 'glut then': 353110, 'then price': 877443, 'to teen': 916327, 'oil fox report': 596811, 'fox report that': 330773, 'that the demand': 846701, 'the demand destruction': 853090, 'and russia could': 70663, 'russia could cause': 728455, 'could cause inventory': 209000, 'cause inventory to': 167618, 'inventory to swell': 443718, 'to swell by': 916090, 'swell by 900': 830298, 'by 900 barrel': 151718, '900 barrel in': 23367, 'barrel in severe': 111236, 'in severe scenario': 427840, 'severe scenario if': 754053, 'scenario if the': 741262, 'the market struggle': 860166, 'market struggle oil': 517140, 'struggle oil glut': 814365, 'oil glut then': 596838, 'glut then price': 353111, 'then price might': 877445, 'have to trade': 383323, 'to trade to': 917693, 'trade to teen': 928594, 'nedina': 554321, 'broadens': 140757, 'nedina broadens': 554322, 'broadens online': 140758, 'benefit customer': 126952, 'customer business': 222198, 'nedina broadens online': 554323, 'broadens online shopping': 140759, 'shopping platform to': 763639, 'platform to benefit': 659038, 'to benefit customer': 901761, 'benefit customer business': 126953, 'customer business in': 222199, 'business in qatar': 143896, 'in qatar yoursafetyismysafety': 427163, 'qatar yoursafetyismysafety qatar': 691507, 'crowntoyalevirus': 219433, 'mycorona': 550696, 'westridge': 980716, 'come crowntoyalevirus': 187265, 'crowntoyalevirus mycorona': 219434, 'mycorona westridge': 550697, 'westridge midtown': 980717, 'midtown market': 530804, 'store here come': 808146, 'here come crowntoyalevirus': 392880, 'come crowntoyalevirus mycorona': 187266, 'crowntoyalevirus mycorona westridge': 219435, 'mycorona westridge midtown': 550698, 'westridge midtown market': 980718, 'still reach': 801094, 'reach via': 700018, 'social handle': 779797, 'at stay': 100638, 'beat sincerely': 118550, 'can still reach': 159790, 'still reach via': 801095, 'reach via our': 700019, 'via our social': 956150, 'our social handle': 624810, 'social handle and': 779798, 'handle and website': 376168, 'website at stay': 975216, 'at stay safe': 100639, 'safe take all': 730008, 'can beat sincerely': 157720, 'beat sincerely farmina': 118551, 'zenobia': 1027379, 'shepard': 758062, 'including zenobia': 432258, 'zenobia shepard': 1027382, 'shepard 27': 758063, 'her message': 392190, 'the pandemic including': 862997, 'pandemic including zenobia': 635719, 'including zenobia shepard': 432259, 'zenobia shepard 27': 1027383, 'shepard 27 year': 758064, 'old daughter who': 598217, 'daughter who died': 226921, 'who died after': 988600, 'after contracting covid': 35503, '19 her message': 7506, 'her message you': 392191, 'message you need': 529491, 'your employee ha': 1023658, 'employee ha more': 273902, 'fabs': 294257, 'primrosehill': 678195, 'that fabs': 843813, 'fabs food': 294258, 'in primrosehill': 426994, 'primrosehill is': 678196, 'is profiting': 451076, 'by scratching': 153892, 'scratching off': 742628, 'off sticker': 594190, 'sticker on': 800086, 'them parasite': 876145, 'disgusting that fabs': 245462, 'that fabs food': 843814, 'fabs food in': 294259, 'food in primrosehill': 314964, 'in primrosehill is': 426995, 'primrosehill is profiting': 678197, 'is profiting from': 451077, 'profiting from by': 683119, 'from by scratching': 334787, 'by scratching off': 153893, 'scratching off sticker': 742629, 'off sticker on': 594191, 'sticker on cleaning': 800087, 'product and putting': 680903, 'putting their own': 691242, 'own price on': 632147, 'price on them': 675726, 'on them parasite': 604539, 'supernatural': 824302, 'before watching': 123278, 'watching supernatural': 968789, 'supernatural covid': 824303, 'everything mass': 287915, 'after watching': 36510, 'before watching supernatural': 123279, 'watching supernatural covid': 968790, 'supernatural covid 19': 824304, '19 is shutting': 8049, 'shutting down everything': 768262, 'down everything mass': 256743, 'everything mass panic': 287916, 'mass panic for': 519827, 'panic for food': 638118, 'and tp after': 74332, 'tp after watching': 927726, 'childhood friend': 176319, 'mine say': 532922, 'that vermonter': 847239, 'vermonter are': 954864, 'also gun': 48301, 'ammo now': 52904, 'there barometer': 878206, 'barometer showing': 111155, 'showing some': 767503, 'some high': 783046, 'high pressure': 395225, 'childhood friend of': 176320, 'of mine say': 586559, 'mine say that': 532923, 'say that vermonter': 739255, 'that vermonter are': 847240, 'vermonter are not': 954865, 'not just panic': 570241, 'and tp but': 74333, 'tp but also': 927774, 'but also gun': 145119, 'also gun and': 48302, 'and ammo now': 58074, 'ammo now there': 52905, 'now there barometer': 576090, 'there barometer showing': 878207, 'barometer showing some': 111156, 'showing some high': 767504, 'some high pressure': 783047, 'my vet': 550497, 'vet we': 955710, 'take preliminary': 832520, 'preliminary precaution': 669873, 'pet related': 653438, 'avoid problem': 105238, 'if more': 414423, 'are implemented': 87328, 'implemented within': 418496, 'got this from': 358940, 'this from my': 887631, 'from my vet': 336532, 'my vet we': 550498, 'vet we recommend': 955711, 'we recommend that': 973049, 'you take preliminary': 1021517, 'take preliminary precaution': 832521, 'preliminary precaution and': 669874, 'precaution and stock': 669281, 'on your pet': 605488, 'your pet food': 1025271, 'pet food medication': 653391, 'food medication and': 315434, 'medication and pet': 526626, 'and pet related': 68945, 'pet related item': 653439, 'related item that': 708472, 'that you know': 847728, 'you will use': 1022360, 'will use to': 995291, 'use to avoid': 949751, 'to avoid problem': 900932, 'avoid problem if': 105239, 'problem if more': 679553, 'if more quarantine': 414424, 'more quarantine measure': 540176, 'quarantine measure are': 692369, 'measure are implemented': 525118, 'are implemented within': 87329, 'implemented within the': 418497, 'within the community': 1002430, 'you resisted': 1020915, 'resisted at': 714602, 'may this': 521577, 'friend stoppanicbuying': 333816, 'buy but what': 148459, 'if you resisted': 415511, 'you resisted at': 1020916, 'resisted at first': 714603, 'at first and': 98653, 'first and go': 308501, 'go to normal': 354331, 'to normal shop': 910657, 'normal shop and': 567313, 'shop and there': 759874, 'if store closed': 414879, 'of staff may': 590022, 'staff may this': 792644, 'may this end': 521578, 'this end soon': 887380, 'end soon stay': 275964, 'safe my friend': 729831, 'my friend stoppanicbuying': 548449, 'dimly': 242953, 'maze': 522005, 'it narrow': 459728, 'narrow dimly': 551957, 'dimly lit': 242954, 'lit aisle': 494902, 'high shelf': 395404, 'shelf can': 756924, 'can feel': 158292, 'those horror': 892067, 'horror maze': 404197, 'maze where': 522006, 'the infected': 858216, 'infected can': 436550, 'can leap': 158845, 'leap out': 483916, 'moment certainly': 535894, 'certainly need': 170166, 'employ all': 273435, 'my ninja': 549498, 'ninja skill': 563314, 'day of trip': 228113, 'the local family': 859546, 'local family run': 497937, 'family run supermarket': 298197, 'run supermarket with': 727817, 'supermarket with it': 823928, 'with it narrow': 999076, 'it narrow dimly': 459729, 'narrow dimly lit': 551958, 'dimly lit aisle': 242955, 'lit aisle and': 494903, 'aisle and high': 40190, 'and high shelf': 64559, 'high shelf can': 395405, 'shelf can feel': 756925, 'can feel like': 158293, 'feel like one': 302735, 'like one of': 490924, 'of those horror': 592091, 'those horror maze': 892068, 'horror maze where': 404198, 'maze where the': 522007, 'where the infected': 985234, 'the infected can': 858219, 'infected can leap': 436551, 'can leap out': 158846, 'leap out at': 483917, 'out at you': 625753, 'at you any': 101653, 'you any moment': 1017027, 'any moment certainly': 79473, 'moment certainly need': 535895, 'certainly need to': 170167, 'need to employ': 555916, 'to employ all': 905015, 'employ all my': 273436, 'all my ninja': 43567, 'my ninja skill': 549499, 'store auspol': 806614, 'messing with people': 529551, 'with people at': 1000135, 'grocery store auspol': 365226, 'risen because': 723099, 'investor have': 444164, 'unemployment ha': 941218, 'ha depressed': 370356, 'term here': 838166, 'ha risen because': 371762, 'risen because investor': 723100, 'because investor have': 119166, 'investor have already': 444165, 'have already priced': 379198, 'economy unemployment ha': 268314, 'unemployment ha depressed': 941219, 'ha depressed consumer': 370357, 'depressed consumer spending': 237581, 'is little concern': 449399, 'little concern that': 495292, 'that the recession': 846816, 'the recession will': 865344, 'recession will get': 704407, 'get worse in': 348653, 'short term here': 764739, 'term here how': 838168, 'here how it': 393105, 'dts': 261433, 'dw8': 263641, 'happened fast': 377243, 'fast that': 300048, 'beverage delivery': 128998, 'difficulty keeping': 242389, 'demand mm': 235875, 'mm dts': 534763, 'dts dw8': 261434, 'in lockdown mean': 424847, 'lockdown mean this': 499647, 'mean this change': 524721, 'this change in': 886737, 'behaviour ha happened': 124437, 'ha happened fast': 370823, 'happened fast so': 377244, 'fast so fast': 300037, 'so fast that': 777080, 'fast that some': 300049, 'that some online': 846391, 'some online food': 783441, 'online food beverage': 608207, 'food beverage delivery': 313742, 'beverage delivery business': 128999, 'delivery business are': 233755, 'business are having': 143369, 'having difficulty keeping': 384030, 'difficulty keeping up': 242390, 'with demand mm': 997983, 'demand mm dts': 235876, 'mm dts dw8': 534764, 'disinfectant additive': 245596, 'additive large': 31931, 'large 90': 479585, 'laundry sanitizer disinfectant': 482127, 'sanitizer disinfectant additive': 734749, 'disinfectant additive large': 245598, 'additive large 90': 31932, 'large 90 oz': 479586, '90 oz bottle': 23331, 'offering fast': 595099, 'nurse offering': 577433, 'give credit': 350444, 'card info': 163554, 'purchasing large': 689879, 'resell at': 713960, 'price fraudsters': 674094, 'fraudsters urging': 331435, 'company offering fast': 190921, 'offering fast covid': 595100, '19 testing people': 11108, 'testing people pretending': 839603, 'be nurse offering': 116137, 'nurse offering your': 577434, 'you give credit': 1018826, 'give credit card': 350445, 'credit card info': 216338, 'card info consumer': 163555, 'info consumer purchasing': 437459, 'consumer purchasing large': 198622, 'purchasing large amount': 689880, 'amount of product': 53249, 'to resell at': 913335, 'resell at high': 713961, 'high price fraudsters': 395250, 'price fraudsters urging': 674095, 'fraudsters urging people': 331436, 'people to invest': 649913, 'invest in new': 443760, 'released list': 709059, 'service ha released': 752439, 'ha released list': 371707, 'released list of': 709060, 'list of where': 494492, 'of where family': 593091, 'their child during': 872769, 'during the school': 263188, 'more detail sd13': 539023, 'think making': 885387, 'making list': 511168, 'but searching': 146986, 'most realistic': 542676, 'realistic in': 701666, 'opinion right': 613498, 'when half': 983510, 'empty creditchat': 274847, 'think making list': 885388, 'making list is': 511170, 'list is great': 494376, 'great but searching': 362554, 'but searching for': 146987, 'searching for best': 743329, 'for best price': 319651, 'best price isn': 127865, 'price isn the': 674905, 'isn the most': 454710, 'the most realistic': 861022, 'most realistic in': 542677, 'realistic in my': 701667, 'my opinion right': 549605, 'opinion right now': 613499, 'now when half': 576392, 'when half the': 983511, 'half the shelf': 374276, 'are empty creditchat': 86145, 'wearenotplaying': 974558, 'wearenotplaying with': 974559, 'store use': 811026, 'cart use': 165413, 'after finish': 35671, 'finish shopping': 307865, 'wearenotplaying with this': 974560, 'with this before': 1001679, 'this before people': 886531, 'before people get': 123006, 'people get close': 648047, 'close to wear': 182922, 'the mask if': 860218, 'grocery store use': 365905, 'store use the': 811027, 'use the cart': 949656, 'the cart use': 850449, 'cart use glove': 165414, 'glove or wash': 352851, 'your hand after': 1024159, 'hand after finish': 374730, 'after finish shopping': 35672, 'ff1': 304258, 'ff1 object': 304259, 'object coming': 578404, 'close close': 182587, 'close approach': 182548, 'watch ca': 968376, 'ff1 object coming': 304260, 'object coming in': 578405, 'in close close': 421509, 'close close approach': 182588, 'close approach watch': 182549, 'approach watch ca': 82998, 'shopping might': 763281, 'new guard': 558826, 'separate amp': 751064, 'should applaud': 765519, 'applaud all': 82247, 'them went': 876596, 'last nite': 480406, 'nite get': 563383, 'go shopping might': 354118, 'shopping might see': 763282, 'might see the': 531119, 'see the new': 745863, 'the new guard': 861512, 'new guard at': 558827, 'guard at separate': 367786, 'at separate amp': 100487, 'separate amp the': 751065, 'amp the we': 54671, 'the we should': 871220, 'we should applaud': 973256, 'should applaud all': 765520, 'applaud all store': 82248, 'all store worker': 44506, 'worker who show': 1008229, 'who show up': 989620, 'show up because': 767253, 'up because we': 944477, 'need them went': 555790, 'them went last': 876597, 'went last nite': 979059, 'last nite get': 480407, 'nite get my': 563384, 'stricter on': 813669, 'rule such': 727357, 'such limiting': 816599, 'shop exercise': 760159, 'exercise if': 290065, 'town city': 927448, 'city then': 179405, 'then mile': 877339, 'mile maximum': 531400, 'maximum if': 520818, 'if rural': 414744, 'rural then': 728265, 'then km': 877297, 'km or': 475946, 'or distance': 615003, 'few idiot': 303871, 'idiot ruin': 413578, 'be stricter on': 117397, 'stricter on 19': 813670, 'on 19 rule': 599033, '19 rule such': 10264, 'rule such limiting': 727358, 'such limiting how': 816600, 'limiting how far': 492824, 'how far from': 407842, 'far from home': 298782, 'home people can': 401833, 'can shop exercise': 159604, 'shop exercise if': 760160, 'exercise if you': 290066, 'are in town': 87454, 'in town city': 430248, 'town city then': 927449, 'city then mile': 179406, 'then mile maximum': 877340, 'mile maximum if': 531401, 'maximum if rural': 520819, 'if rural then': 414745, 'rural then km': 728266, 'then km or': 877298, 'km or distance': 475947, 'or distance to': 615004, 'distance to the': 246869, 'nearest supermarket do': 553728, 'not let few': 570368, 'let few idiot': 486709, 'few idiot ruin': 303872, 'idiot ruin it': 413579, 'percent number': 651150, 'company own': 190950, 'own press': 632143, 'release linked': 708963, 'the retweeted': 865754, 'retweeted article': 720106, 'the to percent': 869686, 'to percent number': 911655, 'percent number is': 651151, 'number is from': 576898, 'the company own': 851345, 'company own press': 190951, 'own press release': 632144, 'press release linked': 671077, 'release linked to': 708964, 'linked to at': 493990, 'of the retweeted': 591419, 'the retweeted article': 865755, 'lockdown isn': 499560, 'isn too': 454742, 'bad guess': 107875, 'guess ok': 368016, 'ok petrol': 597859, 'least convenient': 484424, 'convenient time': 202423, 'car now': 163189, 'doe week': 251664, 'gallon petrolprice': 343057, 'petrolprice stayathomesavelives': 653861, 'the lockdown isn': 859611, 'lockdown isn too': 499561, 'isn too bad': 454743, 'too bad guess': 924597, 'bad guess ok': 107876, 'guess ok petrol': 368017, 'ok petrol price': 597860, 'gone down at': 356261, 'at the least': 101002, 'the least convenient': 859248, 'least convenient time': 484425, 'convenient time but': 202424, 'but the good': 147340, 'news is my': 560556, 'is my car': 449784, 'my car now': 547604, 'car now doe': 163190, 'now doe week': 574549, 'doe week to': 251665, 'week to the': 977098, 'to the gallon': 916740, 'the gallon petrolprice': 856114, 'gallon petrolprice stayathomesavelives': 343058, 'petrolprice stayathomesavelives stayhome': 653862, 'nobigoilbailout': 565969, 'upended daily': 947496, 'and slashed': 71733, 'slashed oil': 773640, 'again prioritized': 37126, 'prioritized fossil': 678463, 'fuel production': 340265, 'considering bailing': 195359, 'industry nobigoilbailout': 436009, 'nobigoilbailout familiesfirst': 565970, 'global pandemic that': 352105, 'that ha upended': 844142, 'ha upended daily': 372411, 'upended daily life': 947497, 'daily life and': 224657, 'life and slashed': 488487, 'and slashed oil': 71734, 'slashed oil price': 773641, 'oil price trump': 597298, 'price trump and': 677127, 'and his team': 64614, 'his team have': 397851, 'team have once': 835667, 'have once again': 381780, 'once again prioritized': 605572, 'again prioritized fossil': 37127, 'prioritized fossil fuel': 678464, 'fossil fuel production': 330083, 'fuel production and': 340266, 'production and are': 681916, 'and are considering': 58303, 'are considering bailing': 85509, 'considering bailing out': 195360, 'gas industry nobigoilbailout': 343877, 'industry nobigoilbailout familiesfirst': 436010, 'futureofmobility': 342547, 'booming due': 134873, '19 futureofmobility': 7176, 'futureofmobility drone': 342548, 'is booming due': 446222, 'booming due to': 134874, 'covid 19 futureofmobility': 213136, '19 futureofmobility drone': 7177, 'really call': 702047, 'virus are in': 957959, 'are in people': 87422, 'in people over': 426598, 'over 65 so': 629894, 'should really call': 766377, 'really call it': 702048, 'it the baby': 461512, 'the baby boomer': 849132, 'baby boomer consumer': 106578, 'mixing': 534654, 'all smaller': 44366, 'smaller supermarket': 775308, 'supermarket located': 821359, 'located close': 498806, 'hospital should': 404614, 'shut turned': 767955, 'supermarket exclusively': 820242, 'service safer': 752784, 'than them': 841286, 'them mixing': 876028, 'mixing with': 534659, 'and ensures': 62170, 'ensures they': 278161, 'all smaller supermarket': 44367, 'smaller supermarket located': 775309, 'supermarket located close': 821360, 'located close to': 498807, 'close to hospital': 182902, 'to hospital should': 907978, 'hospital should be': 404615, 'be shut turned': 117177, 'shut turned into': 767956, 'turned into 24hr': 935844, 'into 24hr supermarket': 442354, '24hr supermarket exclusively': 15764, 'supermarket exclusively for': 820243, 'exclusively for our': 289720, 'for our emergency': 324234, 'emergency service safer': 272967, 'service safer than': 752785, 'safer than them': 730391, 'than them mixing': 841287, 'them mixing with': 876029, 'mixing with the': 534661, 'elderly and ensures': 270570, 'and ensures they': 62172, 'ensures they get': 278162, 'they get what': 882187, 'this holy': 887933, 'holy week': 400517, 'week reference': 976803, 'reference or': 706495, 'is this holy': 453096, 'this holy week': 887934, 'holy week reference': 400518, 'week reference or': 976804, 'reference or new': 706496, 'or new covid': 616239, 'shopping event or': 762595, 'event or none': 285045, 'or none of': 616276, 'of the above': 590775, 'someone tap': 784673, 'tap on': 834330, 'shoulder them': 766702, 'them did': 875593, 'line sir': 493403, 'sir me': 771604, 'what line': 981823, 'line them': 493459, 'the hall': 857044, 'hall out': 374340, 'door me': 255652, 'store today my': 810857, 'today my music': 919903, 'my music in': 549394, 'music in someone': 546312, 'in someone tap': 428114, 'someone tap on': 784674, 'tap on my': 834331, 'on my shoulder': 602318, 'my shoulder them': 550072, 'shoulder them did': 766703, 'them did you': 875594, 'did you wait': 240951, 'the line sir': 859418, 'line sir me': 493404, 'sir me what': 771605, 'me what line': 523930, 'what line them': 981824, 'line them that': 493460, 'that one point': 845503, 'one point to': 606899, 'point to line': 662670, 'to line down': 909316, 'down the hall': 257281, 'the hall out': 857045, 'hall out the': 374341, 'the door me': 853576, 'door me go': 255653, 'me go back': 522818, 'bailoutpeoplenotcorporations': 108672, 'bailoutpeoplenotcorporations corporation': 108673, 'are funding': 86754, 'funding finding': 341594, 'finding vaccine': 307566, 'the corporation': 851958, 'corporation ensure': 207412, 'shelf corporation': 756969, 'corporation even': 207416, 'even ensure': 284043, 'toiletpaper corporation': 921895, 'corporation employ': 207410, 'employ thousand': 273454, 'bailoutpeoplenotcorporations corporation are': 108674, 'corporation are funding': 207386, 'are funding finding': 86755, 'funding finding vaccine': 341595, 'finding vaccine against': 307567, 'against the corporation': 37650, 'the corporation ensure': 851959, 'corporation ensure food': 207413, 'food supply show': 316994, 'supply show up': 825849, 'up on supermarket': 945623, 'supermarket shelf corporation': 822452, 'shelf corporation even': 756970, 'corporation even ensure': 207417, 'even ensure you': 284044, 'ensure you have': 278129, 'enough toiletpaper corporation': 277738, 'toiletpaper corporation employ': 921896, 'corporation employ thousand': 207411, 'cashier during': 166513, 'during have': 262676, 'on seriously': 603376, 'seriously questionable': 751705, 'questionable item': 693826, 'yet nothing': 1016171, 'the dude': 853768, 'dude getting': 261587, 'getting nearly': 349140, 'in canned': 421216, 'canned pineapple': 161555, 'store cashier during': 806886, 'cashier during have': 166514, 'during have seen': 262677, 'have seen people': 382437, 'seen people stocking': 747192, 'up on seriously': 945617, 'on seriously questionable': 603377, 'seriously questionable item': 751706, 'questionable item yet': 693827, 'item yet nothing': 463859, 'yet nothing beat': 1016172, 'nothing beat the': 572947, 'beat the dude': 118558, 'the dude getting': 853769, 'dude getting nearly': 261588, 'getting nearly all': 349141, 'nearly all our': 553801, 'all our stock': 43832, 'our stock in': 624915, 'stock in canned': 802259, 'in canned pineapple': 421217, 'spirit at': 789454, 'staff in good': 792551, 'good spirit at': 357757, 'spirit at one': 789455, 'we are looking': 970617, 'are looking after': 87881, 'looking after this': 502785, 'is our video': 450652, 'our video of': 625270, 'set plan': 753455, 'to restrain': 913422, 'restrain spending': 717079, 'preserve cash': 670694, 'cash meaning': 166276, 'meaning lean': 524814, 'lean inventory': 483878, 'inventory when': 443729, 'eventual recovery': 285133, 'recovery arrives': 705296, 'arrives cotton': 93989, 'cotton recession': 208417, 'company have set': 190743, 'have set plan': 382488, 'set plan to': 753456, 'plan to restrain': 658315, 'to restrain spending': 913423, 'restrain spending and': 717080, 'spending and preserve': 788740, 'and preserve cash': 69388, 'preserve cash meaning': 670695, 'cash meaning lean': 166277, 'meaning lean inventory': 524815, 'lean inventory when': 483879, 'inventory when the': 443730, 'when the eventual': 984149, 'the eventual recovery': 854611, 'eventual recovery arrives': 285134, 'recovery arrives cotton': 705297, 'arrives cotton recession': 93990, 'is text': 452622, 'local regional': 498324, 'this is text': 888422, 'is text message': 452623, 'text message received': 839913, 'my local regional': 549136, 'local regional grocery': 498325, 'one currently': 606137, 'country through': 211150, 'mess making': 529231, 'food worker they': 317679, 're some of': 699548, 'the one currently': 862198, 'one currently carrying': 606138, 'currently carrying the': 221495, 'carrying the country': 165218, 'the country through': 852166, 'country through this': 211152, 'through this mess': 894829, 'this mess making': 888835, 'mess making sure': 529232, 'making sure you': 511394, 'hell rn': 389060, 'rn because': 724315, 'selfish jackass': 748155, 'can believe have': 157738, 'retail hell rn': 718182, 'hell rn because': 389061, 'rn because her': 724316, 'store is refusing': 808521, 'in quarantine because': 427176, 'quarantine because you': 692049, '19 don leave': 6628, 'don leave your': 253686, 'game you selfish': 343307, 'you selfish jackass': 1021104, 'updated memo': 947401, 'memo to': 528406, 'all club': 42379, 'club who': 184497, 'have treated': 383397, 'treated fan': 930952, 'fan like': 298522, 'internal finance': 441725, 'finance of': 306243, 'product matter': 681401, 'matter very': 520645, 'little it': 495418, 'called capitalism': 156290, 'capitalism football': 162749, 'updated memo to': 947402, 'memo to all': 528407, 'to all club': 900236, 'all club who': 42380, 'club who have': 184498, 'who have treated': 988967, 'have treated fan': 383398, 'treated fan like': 930953, 'fan like consumer': 298523, 'like consumer to': 490041, 'consumer to consumer': 199314, 'to consumer of': 903318, 'consumer of product': 198248, 'of product the': 588497, 'product the internal': 681709, 'the internal finance': 858357, 'internal finance of': 441726, 'finance of the': 306244, 'the company making': 851337, 'company making that': 190874, 'making that product': 511405, 'that product matter': 845863, 'product matter very': 681402, 'matter very little': 520646, 'very little it': 955322, 'little it called': 495419, 'it called capitalism': 456992, 'called capitalism football': 156291, 'discovering we': 244723, 'the millionaire': 860628, 'millionaire sport': 532452, 'player we': 659347, 'live out': 495981, 'work everyday': 1005110, 'stocked we': 803452, 'thing we are': 884958, 'we are discovering': 970527, 'are discovering we': 85841, 'discovering we can': 244724, 'we can live': 970974, 'live without the': 496126, 'without the millionaire': 1002970, 'the millionaire sport': 860629, 'millionaire sport player': 532453, 'sport player we': 789967, 'player we can': 659348, 'can live out': 158898, 'live out the': 495982, 'out the minimum': 627391, 'store clerk who': 807039, 'clerk who get': 181825, 'who get up': 988778, 'to work everyday': 918717, 'work everyday to': 1005112, 'shelf stocked we': 757587, 'stocked we know': 803453, 'know who should': 477040, 'also sending': 48856, 'sending our': 750065, 'our heartfelt': 623399, 'heartfelt gratitude': 388449, 'about all of': 24778, '19 also sending': 4931, 'also sending our': 48857, 'sending our heartfelt': 750066, 'our heartfelt gratitude': 623400, 'heartfelt gratitude to': 388450, 'mounting concern': 543442, 'behavior according': 123851, 'from adobe': 334397, 'adobe analytics': 32651, 'analytics which': 57244, 'which monitor': 986164, 'ecommerce transaction': 266883, 'transaction of': 929463, 'of 80': 579676, 'mounting concern over': 543443, 'state is having': 795697, 'shopping behavior according': 762193, 'behavior according to': 123852, 'data from adobe': 226224, 'from adobe analytics': 334398, 'adobe analytics which': 32652, 'analytics which monitor': 57245, 'which monitor the': 986165, 'monitor the ecommerce': 537322, 'the ecommerce transaction': 853882, 'ecommerce transaction of': 266884, 'transaction of 80': 929464, 'of 80 of': 579677, 'against bogus': 37341, 'money amp': 536587, 'insurance info': 440755, 'info avoid': 437423, 'site amp': 771868, 'amp similar': 54506, 'similar one': 769913, 'filed against bogus': 305389, 'against bogus testing': 37342, 'consumer money amp': 198150, 'money amp health': 536588, 'amp health insurance': 53919, 'health insurance info': 386546, 'insurance info avoid': 440756, 'info avoid this': 437424, 'this site amp': 890166, 'site amp similar': 771869, 'amp similar one': 54507, 'deputy editor': 237789, 'of spoke': 589988, 'to tee': 916325, 'tee of': 836457, 'clarify the': 180085, 'what restriction': 982100, 'guideline mean': 368444, 'for listen': 322999, 'here 10': 392639, '10 50': 1281, 'deputy editor of': 237790, 'editor of spoke': 268667, 'of spoke to': 589989, 'spoke to tee': 789736, 'to tee of': 916326, 'tee of to': 836458, 'of to clarify': 592208, 'to clarify the': 902800, 'clarify the position': 180086, 'the position on': 864056, 'position on for': 665188, 'on for essential': 600943, 'essential during and': 280976, 'and what restriction': 75482, 'what restriction and': 982101, 'restriction and government': 717209, 'government guideline mean': 360133, 'guideline mean for': 368445, 'mean for listen': 524443, 'for listen here': 323000, 'listen here 10': 494682, 'here 10 50': 392640, 'biohazard': 131220, 'produce biohazard': 680213, 'store produce biohazard': 809665, 'miami update': 530203, 'miami update supermarket': 530204, 'update supermarket employee': 947231, 'industry affecting': 435607, 'brand marketer': 137900, 'marketer strategist': 517495, 'strategist advertiser': 812577, 'content creator': 200796, 'creator here': 216239, 'here re': 393504, 'also opportunity': 48626, '19 change and': 5762, 'change and response': 171922, 'and response from': 70354, 'response from the': 715697, 'the industry affecting': 858159, 'industry affecting brand': 435608, 'affecting brand marketer': 34494, 'brand marketer strategist': 137901, 'marketer strategist advertiser': 517496, 'strategist advertiser and': 812578, 'advertiser and content': 33172, 'and content creator': 60487, 'content creator here': 200797, 'creator here re': 216240, 'here re the': 393505, 're the major': 699695, 'the major consumer': 859928, 'major consumer behaviour': 509287, 'consumer behaviour change': 196557, 'behaviour change and': 124382, 'change and also': 171913, 'and also opportunity': 57965, 'also opportunity for': 48627, 'opportunity for growth': 613614, 'new mass': 559088, 'gathering is': 344470, 'queue across': 693851, 'country let': 210858, 'ban this': 109277, 'you noticed how': 1020148, 'noticed how the': 573444, 'how the new': 408853, 'the new mass': 861528, 'new mass gathering': 559089, 'mass gathering is': 519774, 'gathering is supermarket': 344472, 'supermarket queue across': 822112, 'queue across the': 693852, 'the country let': 852109, 'country let get': 210859, 'let get the': 486736, 'government to ban': 360701, 'to ban this': 901023, 'ban this right': 109278, 'now please sign': 575552, 'gwala': 369280, 'kidscare': 474265, '0ffers': 1182, 'big sale': 129973, 'visit download': 959236, 'download gwala': 257590, 'gwala mobile': 369281, 'app kid': 81737, 'kid kidscare': 474029, 'kidscare tea': 474266, 'tea grocery': 835360, 'grocery toothpaste': 366073, 'toothpaste kitchen': 925500, 'kitchen 0ffers': 475686, '0ffers aata': 1183, 'aata daal': 24159, 'daal rice': 224254, 'rice soap': 721145, 'soap chocolate': 778970, 'just go with': 468830, 'go with big': 354509, 'with big sale': 997402, 'big sale in': 129974, 'your doorstep visit': 1023592, 'doorstep visit download': 255875, 'visit download gwala': 959237, 'download gwala mobile': 257591, 'gwala mobile app': 369282, 'mobile app kid': 534940, 'app kid kidscare': 81738, 'kid kidscare tea': 474030, 'kidscare tea grocery': 474267, 'tea grocery toothpaste': 835361, 'grocery toothpaste kitchen': 366074, 'toothpaste kitchen 0ffers': 925501, 'kitchen 0ffers aata': 475687, '0ffers aata daal': 1184, 'aata daal rice': 24160, 'daal rice soap': 224255, 'rice soap chocolate': 721146, 'penny reading': 646623, 'reading in': 700780, 'declining wholesale': 231496, 'day doesn': 227530, 'call these': 156152, 'and smooth': 71818, 'smooth them': 775940, 'penny reading in': 646624, 'reading in the': 700781, 'to declining wholesale': 904022, 'declining wholesale demand': 231497, 'demand but seeing': 235082, 'but seeing demand': 146991, 'seeing demand at': 746266, 'at the san': 101089, 'bank the same': 110241, 'same day doesn': 733027, 'day doesn make': 227531, 'make sense call': 510436, 'sense call these': 750502, 'call these farmer': 156153, 'these farmer and': 880001, 'farmer and smooth': 299263, 'and smooth them': 71819, 'smooth them over': 775941, 'morning senate': 541426, 'senate reach': 749722, 'agreement overnight': 38787, 'on trillion': 604853, 'trillion relief': 931998, 'worker gov': 1007049, 'gov beshear': 359542, 'beshear will': 127471, 'order he': 618288, 'll sign': 497012, 'sign trying': 769243, 'low kentucky': 505370, 'kentucky weather': 472861, 'weather is': 974880, 'is warming': 453755, 'warming up': 966909, 'this morning senate': 889007, 'morning senate reach': 541427, 'senate reach agreement': 749723, 'reach agreement overnight': 699890, 'agreement overnight on': 38788, 'overnight on trillion': 631349, 'on trillion relief': 604854, 'trillion relief bill': 931999, 'relief bill for': 709286, 'bill for business': 130573, 'and worker gov': 75873, 'worker gov beshear': 1007050, 'gov beshear will': 359543, 'beshear will give': 127472, 'will give more': 993531, 'give more detail': 350597, 'detail about new': 239148, 'about new order': 25793, 'new order he': 559230, 'order he ll': 618289, 'he ll sign': 385199, 'll sign trying': 497013, 'sign trying to': 769244, 'price at year': 672819, 'year low kentucky': 1014723, 'low kentucky weather': 505371, 'kentucky weather is': 472862, 'weather is warming': 974881, 'is warming up': 453756, 'all avenue': 42096, 'avenue of': 104782, 'employment should': 274647, 'free healthcare': 331900, 'and hazardous': 64309, 'hazardous duty': 384591, 'duty pay': 263603, 'doubt who': 256229, 'else should': 271878, 'this related': 889858, 'related source': 708574, 'essential worker across': 281812, 'across all avenue': 29228, 'all avenue of': 42097, 'avenue of employment': 104783, 'of employment should': 583083, 'employment should have': 274648, 'should have free': 766077, 'have free healthcare': 380713, 'free healthcare access': 331901, 'healthcare access to': 387015, 'test and hazardous': 838915, 'and hazardous duty': 64310, 'hazardous duty pay': 384592, 'duty pay and': 263604, 'pay and without': 644743, 'and without doubt': 75790, 'without doubt who': 1002599, 'doubt who else': 256230, 'who else should': 988685, 'else should do': 271879, 'do this related': 250364, 'this related source': 889859, 'calling used': 156642, 'used video': 950118, 'game store': 343255, 'retail resisting': 718450, 'resisting police': 714614, 'police going': 663027, 'shop ordering': 760624, 'ordering you': 619048, 'close are': 182550, 'fucking mental': 339943, 'mental you': 528671, 'for fine': 321490, 'lawsuit for': 482532, 'for willingly': 327884, 'willingly spreading': 995487, 'to cl': 902783, 'sorry but calling': 786025, 'but calling used': 145339, 'calling used video': 156643, 'used video game': 950119, 'video game store': 956761, 'game store essential': 343256, 'store essential retail': 807622, 'essential retail resisting': 281470, 'retail resisting police': 718451, 'resisting police going': 714615, 'police going to': 663028, 'going to your': 355764, 'to your shop': 919026, 'your shop ordering': 1025767, 'shop ordering you': 760625, 'ordering you to': 619049, 'you to close': 1021759, 'to close are': 902858, 'close are you': 182551, 'you fucking mental': 1018737, 'fucking mental you': 339944, 'mental you guy': 528672, 'guy are at': 368897, 'risk for fine': 723546, 'for fine and': 321491, 'fine and lawsuit': 307599, 'and lawsuit for': 65992, 'lawsuit for willingly': 482533, 'for willingly spreading': 327885, 'willingly spreading covid': 995488, '19 you need': 12274, 'need to cl': 555886, 'ahps': 39275, 'name everyone': 551626, 'few supermarket': 304081, 'teacher nursery': 835492, 'nursery staff': 577574, 'doctor consultant': 250881, 'consultant ahps': 195857, 'ahps all': 39276, 'all giving': 42928, 'for all frontline': 319128, 'all frontline staff': 42884, 'frontline staff too': 338833, 'staff too many': 793011, 'too many to': 924895, 'many to name': 514822, 'to name everyone': 910468, 'name everyone but': 551627, 'everyone but here': 286748, 'but here is': 145923, 'here is few': 393223, 'is few supermarket': 447783, 'few supermarket worker': 304082, 'supermarket worker truck': 824106, 'driver farmer teacher': 259555, 'farmer teacher nursery': 299515, 'teacher nursery staff': 835493, 'nursery staff carers': 577575, 'carers nurse social': 164596, 'social worker pharmacy': 780022, 'pharmacy staff doctor': 654472, 'staff doctor consultant': 792382, 'doctor consultant ahps': 250882, 'consultant ahps all': 195858, 'ahps all giving': 39277, 'all giving it': 42929, 'giving it all': 351327, 'it all 19': 456333, 'mocktails': 535141, 'lol anything': 500873, 'ice sold': 412681, 'sold you': 781805, 'enjoy mocktails': 277148, 'mocktails and': 535142, 'and cocktail': 60044, 'cocktail in': 185236, 'in pouch': 426870, 'pouch in': 667301, 'lol anything in': 500874, 'anything in with': 80796, 'in with ice': 430944, 'with ice sold': 998927, 'ice sold you': 412682, 'sold you re': 781806, 're getting very': 698737, 'getting very good': 349431, 'very good deal': 955187, 'good deal with': 356957, 'with these price': 1001653, 'these price and': 880523, 'price and enjoy': 672405, 'and enjoy mocktails': 62147, 'enjoy mocktails and': 277149, 'mocktails and cocktail': 535143, 'and cocktail in': 60045, 'cocktail in pouch': 185237, 'in pouch in': 426871, 'pouch in the': 667302, 'dived': 248509, 'how five': 407869, 'five listed': 309630, 'listed nz': 494631, 'nz retirement': 578199, 'retirement stock': 719716, 'stock share': 802822, 'price dived': 673465, 'dived what': 248510, 'happen next': 377122, 'next via': 561652, '19 coronavirus how': 6103, 'coronavirus how five': 206098, 'how five listed': 407870, 'five listed nz': 309631, 'listed nz retirement': 494632, 'nz retirement stock': 578200, 'retirement stock share': 719717, 'stock share price': 802823, 'share price dived': 755166, 'price dived what': 673466, 'dived what could': 248511, 'what could happen': 981267, 'could happen next': 209235, 'happen next via': 377124, 'new loan': 559050, 'community bank': 189749, 'bank trust': 110271, 'business client': 143527, 'client impacted': 182049, 'new loan relief': 559052, 'loan relief program': 497518, 'relief program at': 709441, 'program at community': 683213, 'at community bank': 98299, 'community bank trust': 189750, 'bank trust will': 110272, 'trust will help': 934333, 'will help consumer': 993705, 'help consumer and': 389515, 'and business client': 59271, 'business client impacted': 143529, 'client impacted by': 182050, 'an ongoing oil': 56603, 'and the weakened': 73647, 'supply coronaupdates': 825108, 'coronaupdates oil': 205338, 'oil crude': 596722, 'opec reach': 611954, 'reach historic': 699926, 'cut in oil': 223381, 'global supply coronaupdates': 352233, 'supply coronaupdates oil': 825109, 'coronaupdates oil crude': 205339, 'oil crude opec': 596723, 'crude opec reach': 219575, 'opec reach historic': 611955, 'reach historic deal': 699927, 'historic deal to': 397949, 'by 10 amid': 151509, '10 amid falling': 1307, 'amid falling price': 52463, 'norriesstories': 567594, 'popular demand': 664542, 'demand norriesstories': 235929, 'norriesstories is': 567595, 'with episode': 998243, 'she holding': 756128, 'holding nothing': 400132, 'nothing back': 572940, 'back heed': 107047, 'heed her': 388751, 'her word': 392534, 'word people': 1004555, 'people heed': 648232, 'word toiletpaperpanic': 1004607, 'toiletpaperpanic stophoarding': 923251, 'by popular demand': 153618, 'popular demand norriesstories': 664543, 'demand norriesstories is': 235930, 'norriesstories is back': 567596, 'is back with': 445953, 'back with episode': 107477, 'with episode and': 998244, 'episode and she': 279515, 'and she holding': 71422, 'she holding nothing': 756129, 'holding nothing back': 400133, 'nothing back heed': 572941, 'back heed her': 107048, 'heed her word': 388752, 'her word people': 392535, 'word people heed': 1004556, 'people heed her': 648233, 'her word toiletpaperpanic': 392536, 'word toiletpaperpanic stophoarding': 1004608, 'xboxes': 1013788, 'playstations': 659507, 'spanker': 787424, 'be ruled': 116924, 'by bunch': 152016, 'of pussy': 588623, 'pussy playing': 690478, 'playing on': 659428, 'their xboxes': 875247, 'xboxes and': 1013789, 'and console': 60331, 'console playstations': 195530, 'playstations that': 659508, 'done day': 254814, 'constantly isolating': 195681, 'isolating themselves': 455150, 'themselves you': 876951, 'll shop': 497010, 'in minecraft': 425352, 'minecraft town': 532951, 'town while': 927586, 'while drone': 986777, 'drone deliver': 260061, 'for monkey': 323502, 'monkey spanker': 537408, 'corona virus the': 204361, 'soon be ruled': 785645, 'be ruled by': 116925, 'ruled by bunch': 727425, 'by bunch of': 152017, 'bunch of pussy': 142635, 'of pussy playing': 588624, 'pussy playing on': 690479, 'playing on their': 659429, 'on their xboxes': 604523, 'their xboxes and': 875248, 'xboxes and console': 1013790, 'and console playstations': 60332, 'console playstations that': 195531, 'playstations that have': 659509, 'that have never': 844222, 'never done day': 557959, 'done day work': 254815, 'day work that': 228799, 'work that are': 1005799, 'that are constantly': 842730, 'are constantly isolating': 85520, 'constantly isolating themselves': 195682, 'isolating themselves you': 455151, 'themselves you ll': 876952, 'you ll shop': 1019670, 'll shop online': 497011, 'shop online in': 760575, 'online in minecraft': 608398, 'in minecraft town': 425353, 'minecraft town while': 532952, 'town while drone': 927587, 'while drone deliver': 986778, 'drone deliver food': 260062, 'food for monkey': 314552, 'for monkey spanker': 323503, 'who reposted': 989539, 'reposted this': 712850, 'gem toiletpaper': 345203, 'paper are probably': 639889, 'are probably the': 89243, 'people who reposted': 650335, 'who reposted this': 989540, 'reposted this gem': 712851, 'this gem toiletpaper': 887678, 'them going': 875788, 'going they': 355488, 'scared too': 741031, 'so tell': 778337, 'the bank or': 849252, 'bank or grocery': 110076, 'store please thank': 809597, 'please thank the': 660659, 'the worker it': 871753, 'worker it the': 1007252, 'thing that keep': 884815, 'that keep them': 844808, 'keep them going': 472109, 'them going they': 875789, 'going they re': 355489, 're scared too': 699434, 'scared too so': 741032, 'too so tell': 925072, 'so tell them': 778338, 'them that they': 876383, 'is wrap': 454092, 'wrap on': 1012659, 'successful webinar': 816253, 'webinar consumer': 975026, 'we extend': 971514, 'all speaker': 44401, 'and participant': 68727, 'participant for': 642543, 'joining in': 466971, 'their valuable': 875113, 'valuable learning': 952036, 'it is wrap': 459136, 'is wrap on': 454093, 'wrap on very': 1012660, 'on very successful': 605041, 'very successful webinar': 955603, 'successful webinar consumer': 816254, 'webinar consumer brand': 975027, 'consumer brand during': 196653, 'brand during covid': 137826, '19 we extend': 11930, 'we extend our': 971515, 'extend our heartfelt': 293117, 'our heartfelt thanks': 623401, 'to all speaker': 900283, 'all speaker and': 44402, 'speaker and participant': 787736, 'and participant for': 68728, 'participant for joining': 642544, 'for joining in': 322777, 'joining in and': 466972, 'in and sharing': 420386, 'and sharing their': 71401, 'sharing their valuable': 755597, 'their valuable learning': 875114, 'hershey': 394253, 'wgal': 980881, 'the cocoa': 851120, 'cocoa pack': 185260, 'pack program': 633141, 'the hershey': 857308, 'hershey area': 394254, 'now seeing': 575755, 'on wgal': 605206, 'wgal news': 980882, 'the cocoa pack': 851121, 'cocoa pack program': 185261, 'pack program in': 633142, 'program in the': 683260, 'in the hershey': 429265, 'the hershey area': 857309, 'hershey area ha': 394255, 'area ha been': 92033, 'been helping kid': 121277, 'helping kid and': 391372, 'kid and family': 473854, 'and family with': 62679, 'family with food': 298386, 'with food assistance': 998477, 'assistance for year': 96699, 'year but is': 1014446, 'is now seeing': 450331, 'now seeing increased': 575757, '19 the story': 11252, 'story on wgal': 812091, 'on wgal news': 605207, 'wgal news today': 980883, 'noidea': 566217, 'filledup': 305583, 'are appearing': 84597, 'and highstreet': 64572, 'highstreet store': 396137, 'maybe running': 521791, 'have noidea': 381670, 'noidea when': 566218, 'be filledup': 114838, 'filledup urgently': 305584, 'urgently due': 948383, 'shelf are appearing': 756789, 'are appearing in': 84598, 'appearing in local': 82171, 'supermarket and highstreet': 819001, 'and highstreet store': 64573, 'highstreet store supply': 396138, 'store supply maybe': 810474, 'supply maybe running': 825551, 'maybe running low': 521792, 'running low they': 728005, 'they have noidea': 882348, 'have noidea when': 381671, 'noidea when the': 566219, 'will be filledup': 992460, 'be filledup urgently': 114839, 'filledup urgently due': 305585, 'urgently due to': 948384, 'giddy': 349912, 'nbahalloffame': 553225, 'recent episode': 703892, 'podcast bonus': 662262, 'bonus ep': 134363, 'ep still': 279275, 'still giddy': 800570, 'giddy nbahalloffame': 349913, 'nbahalloffame grocery': 553226, 'limit check': 492307, 'the most recent': 861023, 'most recent episode': 542681, 'recent episode of': 703893, 'of my podcast': 586807, 'my podcast bonus': 549799, 'podcast bonus ep': 662263, 'bonus ep still': 134364, 'ep still giddy': 279276, 'still giddy nbahalloffame': 800571, 'giddy nbahalloffame grocery': 349914, 'nbahalloffame grocery store': 553227, 'store shopping limit': 810137, 'shopping limit check': 763174, 'limit check it': 492308, 'supermarket shortage not': 822668, 'shortage not only': 765091, 'only doe it': 610347, 'doe it open': 251437, 'it open up': 460125, 'deliver thread on': 233247, 'thread on some': 893589, 'on some company': 603557, 'company that might': 191180, 'might be helpful': 530902, 'be helpful in': 115210, 'helpful in time': 391189, 'self isolation that': 747800, 'isolation that also': 455451, 'berger production': 127308, 'service never': 752616, 'essence nothing': 280728, 'changed so': 172552, 'why production': 991302, 'adjusted after': 32315, 'berger production of': 127309, 'production of food': 682143, 'food essential service': 314385, 'essential service never': 281516, 'service never stopped': 752617, 'never stopped in': 558209, 'stopped in essence': 805719, 'in essence nothing': 422599, 'essence nothing changed': 280729, 'nothing changed so': 572978, 'changed so why': 172553, 'so why production': 778761, 'why production of': 991303, 'of new stock': 586987, 'new stock price': 559661, 'stock price had': 802720, 'price had to': 674398, 'be adjusted after': 113493, 'adjusted after covid': 32316, 'the rt': 866022, 'than the rt': 841270, 'noticed slowdown': 573464, 'opposite problem': 613806, 'lot of place': 504250, 'of place have': 588138, 'place have noticed': 657484, 'have noticed slowdown': 381717, 'noticed slowdown in': 573465, 'slowdown in business': 774446, 'in business due': 421073, 'ongoing pandemic but': 607669, 'pandemic but some': 635055, 'but some industry': 147098, 'some industry are': 783111, 'facing the opposite': 295623, 'the opposite problem': 862416, 'opener': 612782, 'can opener': 159149, 'opener broke': 612783, 'broke only': 140847, 'last pasta': 480440, 'wa cooked': 961872, 'cooked only': 202824, 'supermarket closed': 819723, 'eaten toiletpapercrisis': 266141, 'only after the': 610043, 'last can opener': 480134, 'can opener broke': 159150, 'opener broke only': 612784, 'broke only after': 140848, 'the last pasta': 859030, 'last pasta wa': 480441, 'pasta wa cooked': 643845, 'wa cooked only': 961873, 'cooked only after': 202825, 'last supermarket closed': 480524, 'supermarket closed down': 819724, 'closed down then': 183085, 'down then will': 257324, 'then will you': 877771, 'will you find': 995384, 'you find that': 1018579, 'find that toilet': 307275, 'paper cannot be': 640013, 'cannot be eaten': 161636, 'be eaten toiletpapercrisis': 114637, 'eaten toiletpapercrisis stayhome': 266142, 'sendhelpandmoney': 749998, 'blame my': 132272, 'my full': 548470, 'just something': 469835, 'something do': 784890, 'not proud': 571134, 'it sendhelpandmoney': 460979, 'want to blame': 965998, 'to blame my': 901847, 'blame my full': 132273, 'my full cart': 548471, 'cart of online': 165341, 'shopping at every': 762095, 'at every store': 98571, 'on the but': 604004, 'the but let': 850197, 'let be real': 486619, 'be real it': 116702, 'real it just': 701234, 'it just something': 459244, 'just something do': 469836, 'something do and': 784891, 'and not proud': 67766, 'not proud of': 571135, 'proud of it': 686033, 'of it sendhelpandmoney': 585442, 'plummeted by': 661332, '20 since': 13352, 'their january': 873690, 'january high': 464663, 'impact them': 418014, 'them further': 875766, 'further but': 342007, 'price weakness': 677417, 'weakness could': 974127, 'lived read': 496167, 'this strategic': 890378, 'strategic note': 812548, 'note via': 572840, 'via wealth': 956364, 'have plummeted by': 381974, 'plummeted by 20': 661333, 'by 20 since': 151578, '20 since their': 13353, 'since their january': 770919, 'their january high': 873691, 'january high and': 464664, 'high and outbreak': 394924, 'and outbreak may': 68540, 'outbreak may impact': 628446, 'may impact them': 521285, 'impact them further': 418016, 'them further but': 875767, 'further but this': 342008, 'this price weakness': 889712, 'price weakness could': 677418, 'weakness could be': 974128, 'could be short': 208921, 'short lived read': 764644, 'lived read more': 496168, 'in this strategic': 430019, 'this strategic note': 890379, 'strategic note via': 812549, 'note via wealth': 572841, 'sloat': 774063, 'also weathering': 49093, 'weathering this': 974925, 'way sloat': 969868, 'sloat compiled': 774064, 'compiled anecdote': 191813, 'anecdote press': 76271, 'press clip': 671023, 'twitter video': 936739, 'in 68': 419952, '68 country': 21487, 'provide snapshot': 686475, 'people in different': 648368, 'in different country': 422253, 'different country are': 241928, 'country are also': 210456, 'are also weathering': 84489, 'also weathering this': 49094, 'weathering this crisis': 974926, 'this crisis in': 887055, 'crisis in different': 217529, 'different way sloat': 242128, 'way sloat compiled': 969869, 'sloat compiled anecdote': 774065, 'compiled anecdote press': 191814, 'anecdote press clip': 76272, 'press clip and': 671024, 'clip and twitter': 182351, 'and twitter video': 74545, 'twitter video from': 936740, 'video from people': 956745, 'people in 68': 648342, 'in 68 country': 419953, '68 country to': 21488, 'country to provide': 211168, 'to provide snapshot': 912433, 'provide snapshot of': 686476, 'snapshot of life': 776160, 'of life under': 585836, 'listen on special': 494703, 'on special episode': 603592, 'the podcast how': 863893, 'podcast how the': 662287, 'supermarket led': 821289, 'worldwide health': 1010371, 'last time supermarket': 480570, 'time supermarket led': 897784, 'supermarket led to': 821290, 'led to worldwide': 485309, 'to worldwide health': 918829, 'sutton': 829841, 'son matthew': 785415, 'matthew richards': 520687, 'richards and': 721323, 'his sister': 397795, 'sister emily': 771734, 'emily made': 273176, 'this banner': 886491, 'banner yesterday': 110612, 'yesterday work': 1015960, 'in sutton': 428754, 'sutton surrey': 829842, 'surrey stayhomesavelives': 828701, 'hi my son': 394707, 'my son matthew': 550164, 'son matthew richards': 785416, 'matthew richards and': 520688, 'richards and his': 721324, 'and his sister': 64611, 'his sister emily': 397796, 'sister emily made': 771735, 'emily made this': 273177, 'made this banner': 508018, 'this banner yesterday': 886492, 'banner yesterday work': 110613, 'yesterday work for': 1015961, 'work for morrison': 1005162, 'supermarket in sutton': 820986, 'in sutton surrey': 428755, 'sutton surrey stayhomesavelives': 829843, 'elizabeth warren': 271532, 'warren again': 967343, 'on target': 603882, 'target but': 834447, 'before consumer': 122704, 'demand return': 236149, 'elizabeth warren again': 271533, 'warren again on': 967344, 'again on target': 37094, 'on target but': 603883, 'target but we': 834448, 'need to beat': 555868, '19 before consumer': 5345, 'before consumer demand': 122705, 'consumer demand return': 197164, 'of veg': 592753, 'veg ha': 953752, 'announced lock': 76986, 'cost 800': 207840, '800 where': 22728, 'price of veg': 675602, 'of veg ha': 592754, 'veg ha gone': 953753, 'gone up since': 356429, 'up since you': 946001, 'you ve announced': 1022025, 've announced lock': 952845, 'announced lock down': 76987, 'down and testing': 256518, 'and testing for': 73143, '19 cost 800': 6144, 'cost 800 where': 207841, '800 where do': 22729, 'where do you': 984835, 'do you stand': 250680, 'day legally': 227894, 'legally armed': 485912, 'armed lockdown': 92942, 'lockdown sanitizer': 499881, 'staysafe handsanitizer': 798816, 'weapon of the': 974251, 'the day legally': 852895, 'day legally armed': 227895, 'legally armed lockdown': 485913, 'armed lockdown sanitizer': 92943, 'lockdown sanitizer stayhome': 499882, 'stayhome staysafe handsanitizer': 798166, 'staysafe handsanitizer handwashing': 798817, 'dedicated grocery': 231710, 'just met': 469264, 'met candy': 529566, 'candy in': 161338, 'hoboken who': 399792, 'working her': 1008697, 'her 10th': 391807, '10th day': 2386, 'at acme': 97837, 'acme with': 29136, 'the dedicated grocery': 853016, 'dedicated grocery store': 231711, 'employee we just': 274392, 'we just met': 972113, 'just met candy': 469265, 'met candy in': 529567, 'candy in hoboken': 161339, 'in hoboken who': 423769, 'hoboken who is': 399793, 'is working her': 454040, 'working her 10th': 1008698, 'her 10th day': 391808, '10th day in': 2387, 'row at acme': 726573, 'at acme with': 97838, 'acme with no': 29137, 'with no break': 999737, 'no break in': 563736, 'break in sight': 138750, 'tahini': 831789, 'psa when': 687449, 'there buying': 878264, 'remember save': 710255, 'the tahini': 869119, 'tahini for': 831792, 'arab all': 83820, 'need tahini': 555701, 'tahini you': 831795, 'want tahini': 965947, 'tahini but': 831790, 'tahini tahini': 831794, 'psa when all': 687450, 'all are out': 42049, 'out there buying': 627472, 'there buying essential': 878265, 'buying essential at': 150236, 'grocery store remember': 365713, 'store remember save': 809806, 'remember save the': 710256, 'save the tahini': 737668, 'the tahini for': 869120, 'tahini for the': 831793, 'for the arab': 326306, 'the arab all': 848844, 'arab all don': 83821, 'all don need': 42618, 'don need tahini': 253770, 'need tahini you': 555702, 'tahini you want': 831796, 'you want tahini': 1022159, 'want tahini but': 965948, 'tahini but need': 831791, 'need the tahini': 555757, 'the tahini tahini': 869121, 'support national': 826664, 'for 21days': 318762, '21days please': 15109, 'service supply': 752883, 'medicine will': 526925, 'continue read': 201113, 'it rt': 460812, 'rt it': 726780, 'not starve': 571697, 'starve at': 795190, 'home hantavirus': 401337, 'support national lockdown': 826665, 'national lockdown announced': 552555, 'lockdown announced by': 499160, 'announced by pm': 76928, 'by pm for': 153601, 'pm for 21days': 661905, 'for 21days please': 318763, '21days please do': 15110, 'not panic essential': 570907, 'essential service supply': 281530, 'service supply of': 752884, 'food medicine will': 315450, 'medicine will continue': 526926, 'will continue read': 993017, 'continue read it': 201114, 'read it share': 700388, 'it share it': 461007, 'share it rt': 755077, 'it rt it': 460813, 'rt it you': 726781, 'will not starve': 994273, 'not starve at': 571698, 'starve at home': 795191, 'at home hantavirus': 99002, 'acquired more': 29176, 'at original': 99998, 'long order': 501544, 'have acquired more': 379115, 'acquired more stock': 29177, 'more stock at': 540469, 'stock at original': 801883, 'at original price': 99999, 'original price this': 619581, 'price this won': 676928, 'last long order': 480297, 'long order now': 501545, 'is continuously': 446814, 'continuously updated': 201605, 'announced since': 77033, 'epidemic courtesy': 279356, 'to start here': 915198, 'start here is': 794329, 'here is continuously': 393221, 'is continuously updated': 446815, 'continuously updated list': 201606, 'updated list of': 947398, 'protection announced since': 685331, 'announced since the': 77034, 'the epidemic courtesy': 854433, 'epidemic courtesy of': 279357, 'politik': 663815, 'politik nothing': 663816, 'nothing change': 572974, 'reasonable supermarket': 703131, 'bank doctor': 109776, 'visited otherwise': 959491, 'are reduced': 89526, 'rule be': 727215, 'it stupidity': 461328, 'stupidity or': 815548, 'or ignorance': 615726, 'ignorance there': 415765, 'is legal': 449280, 'legal basis': 485844, 'basis with': 112287, 'politik nothing change': 663817, 'nothing change for': 572975, 'for the reasonable': 326647, 'the reasonable supermarket': 865286, 'reasonable supermarket bank': 703132, 'supermarket bank doctor': 819297, 'bank doctor pharmacy': 109777, 'doctor pharmacy can': 251078, 'can be visited': 157713, 'be visited otherwise': 118022, 'visited otherwise social': 959492, 'otherwise social contact': 621866, 'social contact are': 779474, 'contact are reduced': 200021, 'are reduced for': 89527, 'reduced for those': 706083, 'not accept the': 568021, 'accept the rule': 28000, 'the rule be': 866042, 'rule be it': 727216, 'be it stupidity': 115566, 'it stupidity or': 461329, 'stupidity or ignorance': 815549, 'or ignorance there': 615727, 'ignorance there is': 415766, 'there is legal': 878581, 'is legal basis': 449281, 'legal basis with': 485845, 'basis with the': 112288, 'with the curfew': 1001257, 'with gold': 998635, 'on with gold': 605341, 'with gold price': 998636, 'gold price people': 355969, 'price people is': 675850, 'invest in gold': 443755, 'in gold stock': 423362, 'gold stock or': 356017, 'stock or it': 802585, 'or it too': 615850, 'person starved': 652612, 'starved to': 795239, 'up poster': 945789, 'poster with': 666616, 'their picture': 874302, 'picture at': 656110, 'disabled person starved': 243948, 'person starved to': 652613, 'starved to death': 795240, 'to death at': 903975, 'death at home': 229979, 'could put up': 209549, 'put up poster': 690966, 'up poster with': 945790, 'poster with their': 666617, 'with their picture': 1001593, 'their picture at': 874303, 'picture at every': 656111, 'you helped to': 1019212, 'helped to kill': 391113, 'cmhc': 184674, 'canada want': 160601, 'emergency commercial': 272633, 'commercial rent': 188729, 'rent relief': 711174, 'program while': 683318, 'and cmhc': 60030, 'cmhc inflate': 184675, 'inflate real': 436996, 'business in canada': 143881, 'in canada want': 421204, 'canada want an': 160602, 'want an emergency': 965703, 'an emergency commercial': 55671, 'emergency commercial rent': 272634, 'commercial rent relief': 188730, 'rent relief program': 711178, 'relief program while': 709446, 'program while the': 683319, 'while the bank': 987371, 'of canada and': 581076, 'canada and cmhc': 160355, 'and cmhc inflate': 60031, 'cmhc inflate real': 184676, 'inflate real estate': 436997, 'estate price to': 282185, 'price to combat': 676977, '515': 20223, '9551': 23643, 'are praying': 89175, 'main focus': 508750, 'focus if': 311845, 'market change': 516163, 'you dm': 1018239, 'at 727': 97740, '727 515': 22038, '515 9551': 20224, 'we are praying': 970666, 'are praying for': 89176, 'praying for all': 669113, 'all those impacted': 45163, 'pandemic in these': 635710, 'difficult time your': 242324, 'time your well': 898428, 'being and protection': 124850, 'and protection is': 69675, 'protection is our': 685497, 'our main focus': 623836, 'main focus if': 508751, 'focus if you': 311846, 'learning about price': 484178, 'and market change': 66705, 'market change or': 516164, 'change or have': 172209, 'or have question': 615588, 'have question we': 382136, 'for you dm': 328050, 'you dm or': 1018240, 'or call me': 614639, 'call me at': 155988, 'me at 727': 522465, 'at 727 515': 97741, '727 515 9551': 22039, 'affecting just': 34527, 'then address': 876969, 'affecting food': 34517, 'is affecting just': 445393, 'affecting just about': 34528, 'about everything in': 25203, 'everything in our': 287852, 'daily life it': 224666, 'life it important': 488824, 'important to think': 419074, 'about and then': 24805, 'and then address': 73739, 'then address the': 876970, 'address the way': 32049, 'way in which': 969659, 'in which it': 430862, 'is affecting food': 445389, 'affecting food insecurity': 34518, 'adapting fast': 31327, 'current challenge': 221122, 'present many': 670608, 'many independent': 514177, 'independent wholesaler': 434149, 'opened their': 612766, 'is adapting fast': 445342, 'adapting fast to': 31328, 'fast to the': 300059, 'the current challenge': 852616, 'current challenge covid': 221123, 'covid 19 present': 213606, '19 present many': 9786, 'present many independent': 670609, 'many independent wholesaler': 514178, 'independent wholesaler have': 434150, 'wholesaler have opened': 990522, 'have opened their': 381818, 'opened their door': 612767, 'general public for': 345449, 'public for the': 688015, 'first time to': 309116, 'with demand on': 997984, 'our supermarket read': 625026, 'supermarket read more': 822168, 'motivates': 543293, 'what motivates': 981888, 'motivates our': 543294, 'our consumerbehavior': 622553, 'consumerbehavior in': 199616, 'crisis quarentinelife': 217931, 'quarentinelife socialdistancing': 693205, 'on what motivates': 605231, 'what motivates our': 981889, 'motivates our consumerbehavior': 543296, 'our consumerbehavior in': 622554, 'consumerbehavior in the': 199617, 'the crisis quarentinelife': 852436, 'crisis quarentinelife socialdistancing': 217933, 'baker production': 108818, 'production clerk': 681965, 'and trucker': 74475, 'item stocking': 463663, 'help put': 390390, 'thank the cashier': 841637, 'the cashier store': 850498, 'butcher baker production': 148031, 'baker production clerk': 108819, 'production clerk and': 681966, 'clerk and trucker': 181648, 'and trucker who': 74476, 'the item stocking': 858613, 'item stocking the': 463664, 'one who help': 607450, 'who help put': 988988, 'help put food': 390391, 'ukltd': 939028, 'ukltd disgusting': 939029, 'disgusting profiting': 245452, 'profiting out': 683137, 'ukltd disgusting profiting': 939030, 'disgusting profiting out': 245453, 'profiting out of': 683138, '19 with inflated': 12133, 'ore 62': 619118, '62 fe': 21224, 'fe price': 300984, 'price trending': 677116, 'trending lower': 931550, 'supply combined': 825085, 'increase port': 432989, 'port storage': 664901, 'storage in': 805969, 'and brazil': 59162, 'iron ore 62': 444920, 'ore 62 fe': 619119, '62 fe price': 21225, 'fe price trending': 300985, 'price trending lower': 677117, 'trending lower the': 931551, 'lower the recovery': 506027, 'recovery of supply': 705367, 'of supply combined': 590474, 'supply combined with': 825086, 'combined with lower': 187146, 'with lower demand': 999343, '19 beginning to': 5351, 'beginning to increase': 123671, 'to increase port': 908292, 'increase port storage': 432990, 'port storage in': 664902, 'storage in australia': 805970, 'australia and brazil': 103223, 'they operate': 882840, 'operate in': 612995, 'category that': 167222, 'seem so': 746684, 'so relevant': 778118, 'relevant during': 709152, 'are the brand': 90804, 'the brand consumer': 849939, 'brand consumer want': 137809, 'hear from even': 387922, 'from even if': 335315, 'if they operate': 415122, 'they operate in': 882841, 'operate in category': 612996, 'in category that': 421296, 'category that may': 167223, 'may not seem': 521389, 'not seem so': 571501, 'seem so relevant': 746685, 'so relevant during': 778119, 'relevant during the': 709153, 'greatest marketing': 363284, 'marketing scheme': 517697, 'scheme ever': 741561, 'seen best': 746971, 'old stock': 598478, 'ending lmaoo': 276183, 'lmaoo stay': 497168, 'll tell': 497065, 'what when': 982586, 'be fresh': 114959, 'fresh hell': 333010, 'hell corona': 388994, 'corona supermarket': 204206, 'virus is probably': 958398, 'probably the greatest': 679399, 'the greatest marketing': 856753, 'greatest marketing scheme': 363285, 'marketing scheme ever': 517698, 'scheme ever seen': 741562, 'ever seen best': 285486, 'seen best way': 746972, 'rid of old': 721393, 'of old stock': 587202, 'old stock is': 598479, 'stock is to': 802313, 'is to tell': 453253, 'tell everyone the': 836953, 'everyone the world': 287468, 'is ending lmaoo': 447491, 'ending lmaoo stay': 276184, 'lmaoo stay safe': 497169, 'out there ll': 627497, 'there ll tell': 878722, 'll tell you': 497066, 'you what when': 1022273, 'what when the': 982587, 'when the new': 984175, 'the new stock': 861562, 'new stock come': 559659, 'stock come in': 802004, 'come in it': 187367, 'in it will': 424282, 'will be fresh': 992469, 'be fresh hell': 114960, 'fresh hell corona': 333011, 'hell corona supermarket': 388995, 'apprehension': 82916, 'earlier to': 264497, 'offer people': 594742, 'aged 65': 37937, 'disability the': 243854, 'or apprehension': 614398, 'apprehension gmsd': 82917, 'will open hour': 994345, 'open hour earlier': 612309, 'hour earlier to': 405561, 'earlier to offer': 264498, 'to offer people': 910843, 'offer people aged': 594743, 'people aged 65': 646795, 'aged 65 and': 37938, '65 and over': 21337, 'and over and': 68556, 'with disability the': 998065, 'disability the opportunity': 243855, 'fear or apprehension': 301269, 'or apprehension gmsd': 614399, 'alert congress': 41380, 'congress recently': 194519, 'passed trillion': 643312, 'trillion coronavirus': 931969, 'this rescue': 889879, 'rescue bill': 713607, 'off floridian': 593817, 'floridian don': 311027, 'trick educate': 931695, 'yourself about': 1026502, 'legislation and': 485964, 'consumer alert congress': 196138, 'alert congress recently': 41381, 'congress recently passed': 194520, 'recently passed trillion': 704137, 'passed trillion coronavirus': 643313, 'trillion coronavirus stimulus': 931971, 'coronavirus stimulus package': 206827, 'stimulus package and': 801575, 'package and scammer': 633215, 'exploit this rescue': 292372, 'this rescue bill': 889880, 'rescue bill to': 713609, 'bill to rip': 130704, 'rip off floridian': 722664, 'off floridian don': 593818, 'floridian don fall': 311028, 'don fall for': 253501, 'fall for their': 296916, 'for their trick': 326877, 'their trick educate': 875026, 'trick educate yourself': 931696, 'educate yourself about': 268777, 'yourself about the': 1026503, 'about the legislation': 26433, 'the legislation and': 859281, 'legislation and how': 485965, 'w221': 961335, 'w221 handwashing': 961336, 'handwashing dr': 376824, 'dr soap': 258100, 'keeping american': 472377, 'american clean': 51868, 'on bath': 599591, 'body soap': 133887, 'soap while': 779179, 'w221 handwashing dr': 961337, 'handwashing dr soap': 376825, 'dr soap is': 258101, 'soap is keeping': 779046, 'is keeping american': 449170, 'keeping american clean': 472378, 'american clean during': 51869, 'clean during covid': 180513, 'visit our retail': 959330, 'store at for': 806582, 'at for special': 98697, 'for special discount': 325809, 'special discount on': 787894, 'discount on bath': 244507, 'on bath and': 599592, 'and body soap': 59042, 'body soap while': 133888, 'soap while supply': 779180, 'global emergency': 351913, 'emergency for': 272719, 'acknowledge who': 29112, 'uk real': 938660, 'funny that it': 341795, 'that it took': 844752, 'took global emergency': 925243, 'global emergency for': 351914, 'emergency for the': 272720, 'government to acknowledge': 360698, 'to acknowledge who': 899998, 'acknowledge who the': 29113, 'who the uk': 989758, 'the uk real': 870271, 'uk real key': 938661, 'worker are nh': 1006407, 'are nh staff': 88230, 'leave without': 485042, 'store earlier lot': 807421, 'warning online that': 967169, 'online that should': 609527, 'should not leave': 766252, 'not leave without': 570353, 'leave without it': 485043, 'without it so': 1002742, 'it so wore': 461138, 'kitsap': 475818, 'kitsap county': 475819, 'keep providing': 471828, 'volunteer food': 960263, 'bank leader': 109970, 'leader expect': 483451, 'kitsap county food': 475820, 'bank are working': 109661, 'to keep providing': 908836, 'keep providing grocery': 471829, 'providing grocery while': 687019, 'grocery while protecting': 366140, 'while protecting their': 987182, 'protecting their client': 685233, 'their client and': 872791, 'client and volunteer': 181996, 'and volunteer food': 75028, 'volunteer food bank': 960264, 'food bank leader': 313595, 'bank leader expect': 109971, 'leader expect the': 483452, 'expect the demand': 290746, 'service to skyrocket': 752989, 'to skyrocket in': 914704, 'skyrocket in the': 773316, 'official check': 595778, 'gauging due': 344562, 'fear via': 301415, 'government official check': 360410, 'official check food': 595779, 'check food price': 174437, 'price gauging due': 674157, 'gauging due to': 344563, 'to 19 fear': 899539, '19 fear via': 6961, 'nursing is': 577622, 'demanding job': 236598, 'still job': 800760, 'am would': 50578, 'never die': 557950, 'that deep': 843469, 'deep my': 231912, 'tho hazard': 891679, 'nursing is demanding': 577623, 'is demanding job': 447119, 'demanding job it': 236599, 'job it still': 465922, 'it still job': 461254, 'still job not': 800761, 'job not who': 466027, 'not who am': 572505, 'who am would': 988068, 'am would never': 50579, 'would never die': 1012057, 'never die to': 557951, 'die to be': 241469, 'be nurse it': 116136, 'nurse it never': 577395, 'it never that': 459785, 'never that deep': 558217, 'that deep my': 843470, 'deep my price': 231913, 'my price went': 549845, 'went up tho': 979221, 'up tho hazard': 946288, 'tho hazard pay': 891680, 'line trying': 493514, 'serve healthcare': 751893, 'staff be': 792251, 'grateful etc': 362253, 'front line trying': 338618, 'line trying to': 493515, 'trying to serve': 934870, 'to serve healthcare': 914263, 'serve healthcare worker': 751894, 'store staff be': 810303, 'staff be kind': 792253, 'kind and grateful': 474802, 'and grateful etc': 63926, 'on london': 601929, 'london instead': 501096, 'food spend': 316713, 'time checking': 896466, 'checking with': 174861, 'ur neighbour': 948041, 'neighbour some': 557238, 'age some': 37896, 'plenty and': 660905, 'come on london': 187439, 'on london instead': 601930, 'london instead of': 501097, 'instead of panic': 440297, 'buying food spend': 150333, 'food spend the': 316714, 'spend the time': 788684, 'the time checking': 869582, 'time checking with': 896467, 'checking with ur': 174862, 'with ur neighbour': 1001924, 'ur neighbour some': 948042, 'neighbour some will': 557239, 'will be isolated': 992520, 'to their age': 917211, 'their age some': 872482, 'age some will': 37897, 'will have lost': 993646, 'their job offer': 873727, 'job offer them': 466045, 'offer them some': 594835, 'them some of': 876304, 'your food you': 1023936, 'food you already': 317704, 'already have plenty': 47430, 'have plenty and': 381963, 'plenty and if': 660906, 'panic we ll': 638764, 'all be fine': 42130, 'it nine': 459820, 'roll toiletrollchallenge': 725569, 'toiletrollchallenge panicbuyinguk': 923390, 'so it nine': 777475, 'it nine supermarket': 459821, 'nine supermarket shop': 563299, 'supermarket shop now': 822589, 'shop now and': 760513, 'now and still': 574054, 'still no loo': 800872, 'loo roll toiletrollchallenge': 502203, 'roll toiletrollchallenge panicbuyinguk': 725570, 'penetrated': 646491, 'weirdasspeople': 977818, 'that willingly': 847620, 'willingly buy': 995483, 'buy ply': 149092, 'paper barely': 639923, 'barely wanna': 111040, 'wanna get': 965631, 'crisis my': 217741, 'finger ripped': 307817, 'ripped through': 722708, 'and penetrated': 68837, 'penetrated my': 646492, 'my asshole': 547338, 'asshole toiletpaper': 96574, 'toiletpaper weirdasspeople': 922824, 'there that willingly': 879143, 'that willingly buy': 847621, 'willingly buy ply': 995484, 'buy ply toilet': 149093, 'ply toilet paper': 661791, 'toilet paper barely': 921198, 'paper barely wanna': 639924, 'barely wanna get': 111041, 'wanna get it': 965632, 'it during crisis': 457721, 'during crisis my': 262559, 'crisis my finger': 217742, 'my finger ripped': 548326, 'finger ripped through': 307818, 'ripped through and': 722709, 'through and penetrated': 894327, 'and penetrated my': 68838, 'penetrated my asshole': 646493, 'my asshole toiletpaper': 547339, 'asshole toiletpaper weirdasspeople': 96575, 'market functional': 516443, 'functional and': 341287, 'in imco': 423981, 'imco we': 416882, 'therefore set': 879459, 'consider necessary': 195040, 'maintaining the internal': 509140, 'internal market functional': 441733, 'market functional and': 516444, 'functional and consumer': 341288, 'consumer protection is': 198540, 'protection is key': 685496, 'is key for': 449185, 'key for the': 473298, '19 in imco': 7754, 'in imco we': 423982, 'imco we have': 416883, 'have therefore set': 383081, 'therefore set out': 879460, 'set out the': 753452, 'out the main': 627388, 'the main point': 859909, 'main point that': 508794, 'point that we': 662646, 'that we consider': 847368, 'we consider necessary': 971171, 'consider necessary at': 195041, 'necessary at this': 553960, 'this moment to': 888881, 'moment to protect': 536087, 'open opening': 612419, 'update some': 947212, 'reassure customer': 703186, 'open including': 612326, 'centre location': 169517, 'location hour': 498913, 'hour attached': 405446, 'attached amp': 102035, 'are open opening': 88796, 'open opening hour': 612420, 'opening hour update': 612862, 'hour update some': 406059, 'update some change': 947213, 'change to hour': 172348, 'to hour this': 908002, 'this week but': 891195, 'but we like': 147750, 'like to reassure': 491616, 'to reassure customer': 912888, 'reassure customer that': 703188, 'customer that our': 222919, 'that our store': 845595, 'our store remain': 624952, 'remain open including': 709813, 'open including all': 612327, 'including all shopping': 431867, 'all shopping centre': 44329, 'shopping centre location': 762352, 'centre location hour': 169518, 'location hour attached': 498914, 'hour attached amp': 405447, 'attached amp online': 102036, 'inclination': 431488, 'democrat unveil': 236747, 'unveil aggressive': 944010, 'aggressive consumer': 38239, 'have gop': 380809, 'gop head': 358253, 'head spinning': 385817, 'spinning despite': 789409, 'despite their': 238903, 'their inclination': 873640, 'inclination to': 431489, 'write blank': 1012760, 'war wall': 966590, 'wall anti': 965150, 'anti immigrant': 78306, 'immigrant policy': 417235, 'etc glove': 282559, 'dropped pandemic': 260619, 'house democrat unveil': 406264, 'democrat unveil aggressive': 236748, 'unveil aggressive consumer': 944011, 'aggressive consumer relief': 38240, 'consumer relief package': 198691, 'likely have gop': 492014, 'have gop head': 380810, 'gop head spinning': 358254, 'head spinning despite': 385818, 'spinning despite their': 789410, 'despite their inclination': 238904, 'their inclination to': 873641, 'inclination to write': 431490, 'to write blank': 918860, 'write blank check': 1012761, 'blank check for': 132370, 'check for war': 174447, 'for war wall': 327641, 'war wall anti': 966591, 'wall anti immigrant': 965151, 'anti immigrant policy': 78307, 'immigrant policy etc': 417236, 'policy etc glove': 663397, 'etc glove dropped': 282560, 'glove dropped pandemic': 352662, 'roll started': 725516, 'started loading': 794771, 'when realised': 983925, 'that loo': 844941, 'were tripled': 980291, 'tripled tiny': 932292, 'sanitiser wa': 734040, 'wa 13': 961348, '13 dropped': 3208, 'basket on': 112379, 'out shameful': 627165, 'went into this': 979052, 'into this shop': 443221, 'this shop today': 890105, 'shop today because': 760964, 'today because they': 919312, 'had toilet roll': 373747, 'toilet roll started': 921604, 'roll started loading': 725517, 'started loading my': 794772, 'loading my basket': 497341, 'my basket when': 547409, 'basket when realised': 112423, 'when realised that': 983926, 'realised that loo': 701630, 'that loo roll': 844942, 'roll and cleaning': 725174, 'product price were': 681549, 'price were tripled': 677462, 'were tripled tiny': 980292, 'tripled tiny bottle': 932293, 'of sanitiser wa': 589280, 'sanitiser wa 13': 734041, 'wa 13 dropped': 961349, '13 dropped my': 3209, 'dropped my basket': 260598, 'my basket on': 547407, 'basket on the': 112380, 'floor and walked': 310775, 'and walked out': 75145, 'walked out shameful': 964967, 'quarantined ha': 692858, 'than can': 840433, 'eat quarantinelife': 266033, 'only thing being': 611301, 'thing being quarantined': 884190, 'being quarantined ha': 125628, 'quarantined ha taught': 692859, 'taught me is': 834896, 'to stock my': 915443, 'house with more': 406690, 'food than can': 317075, 'than can eat': 840435, 'can eat quarantinelife': 158198, 'your greenwich': 1024112, 'greenwich waitrose': 363784, 'waitrose store': 964485, 'absolutely awful': 27323, 'awful today': 106249, 'today zero': 920595, 'were couple': 979490, 'couple it': 211610, 'there shocking': 879038, 'shocking by': 759594, 'worst supermarket': 1011270, 'your greenwich waitrose': 1024113, 'greenwich waitrose store': 363785, 'waitrose store wa': 964486, 'store wa absolutely': 811097, 'wa absolutely awful': 961419, 'absolutely awful today': 27324, 'awful today zero': 106250, 'today zero effort': 920596, 'zero effort being': 1027439, 'being made for': 125410, 'made for social': 507744, 'distancing by some': 247068, 'by some staff': 154081, 'some staff member': 783933, 'member and most': 528014, 'the customer were': 852738, 'customer were couple': 223058, 'were couple it': 979491, 'couple it wa': 211611, 'wa packed in': 962901, 'packed in there': 633614, 'in there shocking': 429818, 'there shocking by': 879039, 'shocking by far': 759595, 'far the worst': 298935, 'the worst supermarket': 872076, 'worst supermarket have': 1011271, 'peoplearestrange': 650593, 'adoptdontshop': 32687, 'amen please': 51384, 'worry buy': 1010681, 'need hoarding': 555015, 'toiletpaper peoplearestrange': 922339, 'peoplearestrange social': 650594, 'distancing washyourhands': 247614, 'washyourhands adoptdontshop': 967853, 'amen please stop': 51385, 'stop hoarding they': 804746, 'hoarding they re': 399602, 're still making': 699597, 'still making toilet': 800829, 'paper not to': 640514, 'to worry buy': 918837, 'worry buy what': 1010682, 'you need hoarding': 1020000, 'need hoarding toiletpaper': 555016, 'hoarding toiletpaper peoplearestrange': 399622, 'toiletpaper peoplearestrange social': 922340, 'peoplearestrange social distancing': 650595, 'social distancing washyourhands': 779761, 'distancing washyourhands adoptdontshop': 247615, 'stupid fuck': 815389, 'fuck we': 339678, 'got thing': 358933, 'are overload': 88921, 'overload please': 631267, 'cooperate it': 203133, 'for eventually': 321154, 'eventually at': 285142, 'stupid fuck we': 815390, 'fuck we got': 339679, 'we got thing': 971678, 'got thing to': 358934, 'do and economy': 249067, 'and economy to': 61926, 'economy to run': 268295, 'are not spending': 88471, 'not spending on': 571675, 'spending on supermarket': 788936, 'on supermarket our': 603800, 'express are overload': 293025, 'are overload please': 88922, 'overload please cooperate': 631268, 'please cooperate it': 659854, 'cooperate it for': 203134, 'it for eventually': 458075, 'for eventually at': 321155, 'eventually at the': 285143, 'boreda': 135385, 'tomorrow 30': 924001, '30 10am': 16926, 'minute ll': 533800, 'be answering': 113637, 'answering your': 78217, 'question shopping': 693730, 'shopping refund': 763734, 'refund travel': 706968, 'plan household': 658148, 'household cost': 406773, 'cost not': 208028, 'have definite': 380214, 'definite answer': 232300, 'informed best': 438083, 'best next': 127781, 'step boreda': 799512, 'tomorrow 30 10am': 924002, '30 10am on': 16927, '10am on for': 2297, 'on for 90': 600939, 'for 90 minute': 318948, '90 minute ll': 23312, 'minute ll be': 533801, 'll be answering': 496569, 'be answering your': 113638, 'answering your consumer': 78218, 'consumer question shopping': 198635, 'question shopping refund': 693731, 'shopping refund travel': 763735, 'refund travel plan': 706969, 'travel plan household': 930470, 'plan household cost': 658149, 'household cost not': 406774, 'cost not all': 208029, 'not all thing': 568128, 'all thing are': 45072, 'thing are clear': 884148, 'are clear if': 85301, 'clear if do': 181260, 'not have definite': 569824, 'have definite answer': 380215, 'definite answer will': 232301, 'answer will give': 78148, 'you an informed': 1016969, 'an informed best': 56326, 'informed best next': 438084, 'best next step': 127782, 'next step boreda': 561565, '791': 22386, 'cathy': 167313, '1200 health': 3026, 'belfast self': 126155, 'because family': 119058, 'ha cv': 370308, 'cv symptom': 223854, 'symptom while': 830947, 'while 791': 986556, '791 off': 22387, 'symptom thats': 830936, 'thats just': 847816, 'just under': 470153, 'under 200': 939963, '200 staff': 13546, 'off ten': 594212, 'ten per': 837801, 'workforce dr': 1008351, 'dr cathy': 257986, 'cathy jack': 167314, 'jack tell': 464120, 'tell mla': 837035, '1200 health staff': 3027, 'health staff in': 386866, 'staff in belfast': 792546, 'in belfast self': 420779, 'belfast self isolating': 126156, 'isolating because family': 455065, 'because family member': 119059, 'family member ha': 298035, 'member ha cv': 528100, 'ha cv symptom': 370309, 'cv symptom while': 223855, 'symptom while 791': 830948, 'while 791 off': 986557, '791 off they': 22388, 'off they are': 594302, 'they are showing': 881408, 'showing symptom thats': 767514, 'symptom thats just': 830937, 'thats just under': 847817, 'just under 200': 470154, 'under 200 staff': 939964, '200 staff off': 13547, 'staff off ten': 792706, 'off ten per': 594213, 'ten per cent': 837802, 'cent of workforce': 169097, 'of workforce dr': 593292, 'workforce dr cathy': 1008352, 'dr cathy jack': 257987, 'cathy jack tell': 167315, 'jack tell mla': 464121, 'coronavirus covid19': 205722, 'covid19 safety': 214370, 'safety kit': 730600, 'kit infrared': 475581, 'thermometer protective': 879537, 'protective surgical': 685816, 'and kn95': 65873, 'respirator all': 715186, 'on ba': 599527, 'ba mall': 106531, 'mall at': 511752, 'visit now': 959312, 'now corona': 574450, 'coronavirus covid19 safety': 205723, 'covid19 safety kit': 214371, 'safety kit infrared': 730601, 'kit infrared thermometer': 475582, 'infrared thermometer protective': 438182, 'thermometer protective surgical': 879538, 'protective surgical mask': 685817, 'mask and kn95': 518341, 'and kn95 respirator': 65874, 'kn95 respirator all': 475979, 'respirator all are': 715187, 'all are available': 42039, 'available on ba': 104527, 'on ba mall': 599528, 'ba mall at': 106532, 'mall at wholesale': 511753, 'wholesale price visit': 990483, 'price visit now': 677319, 'visit now corona': 959313, 'at nh': 99877, 'bank amid': 109594, 'demand increase at': 235684, 'increase at nh': 432685, 'at nh food': 99878, 'food bank amid': 313515, 'bank amid covid': 109595, 'this putting': 889768, 'vulnerable getting': 960975, 'getting hold': 349041, 'basic there': 112079, 'spirit in': 789473, 'the mutual': 861166, 'aid group': 39396, 'around bit': 93230, 'sad that it': 729252, 'to this putting': 917455, 'this putting up': 889769, 'up price is': 945821, 'price is no': 674878, 'different to panic': 242110, 'all stop the': 44483, 'stop the most': 805140, 'most vulnerable getting': 542878, 'vulnerable getting hold': 960976, 'getting hold of': 349042, 'the basic there': 849318, 'basic there so': 112080, 'so much community': 777768, 'community spirit in': 190104, 'spirit in the': 789474, 'in the mutual': 429381, 'the mutual aid': 861167, 'mutual aid group': 547089, 'aid group that': 39397, 'group that have': 366909, 'that have sprung': 844236, 'sprung up let': 791317, 'up let spread': 945303, 'let spread it': 487064, 'it around bit': 456589, 'around bit more': 93231, 'busiest foodbank': 143183, 'foodbank in': 317773, 'increase thanks': 433097, 'morning the charity': 541487, 'below please keep': 126712, 'donating to ensure': 254520, 'to ensure supply': 905192, 'britain busiest foodbank': 140391, 'busiest foodbank in': 143184, 'foodbank in the': 317774, 'few month during': 303929, 'will increase thanks': 993827, 'are morrison': 88129, 'morrison cafe': 541711, 'cafe still': 155135, 'open uk': 612615, 'uk prepares': 938642, 'for nationwide': 323777, 'nationwide supermarket': 552760, 'change trending': 172371, 'trending morrison': 931552, 'are morrison cafe': 88130, 'morrison cafe still': 541712, 'cafe still open': 155136, 'still open uk': 800978, 'open uk prepares': 612616, 'uk prepares for': 938643, 'prepares for nationwide': 670310, 'for nationwide supermarket': 323778, 'nationwide supermarket change': 552761, 'supermarket change trending': 819650, 'change trending morrison': 172372, 'withstands': 1003102, '19 sanction': 10310, 'sanction will': 733644, 'celebration withstands': 168868, 'withstands the': 1003103, 'the humanitarian': 857730, 'crisis resulting': 217979, 'trump hope covid': 933615, 'covid 19 sanction': 213743, '19 sanction will': 10311, 'sanction will kill': 733645, 'year celebration withstands': 1014462, 'celebration withstands the': 168869, 'withstands the perfect': 1003104, 'price the humanitarian': 676840, 'the humanitarian crisis': 857731, 'humanitarian crisis resulting': 410685, 'crisis resulting from': 217980, 'resulting from covid': 717692, '19 make this': 8525, 'make this even': 510638, 'this even more': 887427, 'kid playground': 474080, 'unsafe during': 943388, 'why your kid': 991607, 'your kid playground': 1024563, 'kid playground is': 474081, 'playground is unsafe': 659367, 'is unsafe during': 453551, 'unsafe during covid': 943389, 'opec postpone': 611942, 'postpone important': 666765, 'important meeting': 418878, 'meeting over': 527743, 'and output': 68547, 'output tension': 629288, 'between saudiarabia': 128879, 'russia intensify': 728500, 'intensify amid': 441114, 'amid lowest': 52524, 'opec postpone important': 611943, 'postpone important meeting': 666766, 'important meeting over': 418879, 'meeting over price': 527744, 'over price and': 630519, 'price and output': 672488, 'and output tension': 68548, 'output tension between': 629289, 'tension between saudiarabia': 837981, 'between saudiarabia and': 128880, 'and russia intensify': 70673, 'russia intensify amid': 728501, 'intensify amid lowest': 441115, 'amid lowest oil': 52525, 'is coronavirus to': 446846, 'coronavirus to blame': 206948, 'for the slump': 326690, 'slump in world': 774698, 'price via en': 677306, 'die of report': 241427, 'wa anxious': 961553, 'because wa anxious': 119778, 'wa anxious about': 961554, 'snap wa': 776122, 'wa mostly': 962656, 'mostly sidelined': 543011, 'congress covid': 194497, 'response now': 715760, 'strained food': 812315, 'snap wa mostly': 776123, 'wa mostly sidelined': 962657, 'mostly sidelined in': 543012, 'sidelined in congress': 768929, 'in congress covid': 421659, 'congress covid 19': 194498, '19 response now': 10157, 'response now already': 715761, 'now already strained': 573985, 'already strained food': 47685, 'strained food bank': 812316, 'bank are scrambling': 109657, 'scrambling to meet': 742569, 'the increased need': 858075, 'everyone looking': 287171, 'can chat': 157894, 'chat thank': 173959, 'hello everyone looking': 389153, 'everyone looking to': 287173, 'affecting you send': 34593, 'you send me': 1021116, 'send me message': 749885, 'you can chat': 1017640, 'can chat thank': 157895, 'chat thank you': 173960, 'another shoprite': 77850, 'shoprite employee': 764544, 'another shoprite employee': 77851, 'shoprite employee test': 764545, 'credit news': 216440, 'news regarding': 560735, 'consumer credit news': 197023, 'credit news regarding': 216441, 'news regarding covid': 560736, 'perfect 19': 651272, '19 gif': 7210, 'gif toiletpaperpanic': 349918, 'toiletpaper seinfeld': 922441, 'the perfect 19': 863532, 'perfect 19 gif': 651273, '19 gif toiletpaperpanic': 7211, 'gif toiletpaperpanic toiletpaper': 349919, 'toiletpaperpanic toiletpaper seinfeld': 923266, 'tuk': 935259, 'bingham': 131091, 'rosiemayfoundation': 726128, 'again clapforourcarers': 36949, 'clapforourcarers tonight': 180015, '8pm for': 23218, 'volunteer tuk': 960361, 'tuk tuk': 935262, 'tuk driver': 935260, 'delivering medicine': 233526, 'in bingham': 420841, 'bingham clapforcarers': 131092, 'clapforcarers rosiemayfoundation': 179991, 'rosiemayfoundation community': 726129, 'community nhsheroes': 190002, 'it again clapforourcarers': 456306, 'again clapforourcarers tonight': 36950, 'clapforourcarers tonight at': 180016, 'at 8pm for': 97793, '8pm for teacher': 23219, 'for teacher supermarket': 326160, 'driver the nh': 259789, 'nh we ll': 562162, 'll be thinking': 496637, 'thinking of our': 885967, 'of our volunteer': 587588, 'our volunteer tuk': 625287, 'volunteer tuk tuk': 960362, 'tuk tuk driver': 935263, 'tuk driver delivering': 935261, 'driver delivering medicine': 259501, 'delivering medicine in': 233527, 'medicine in bingham': 526815, 'in bingham clapforcarers': 420842, 'bingham clapforcarers rosiemayfoundation': 131093, 'clapforcarers rosiemayfoundation community': 179992, 'rosiemayfoundation community nhsheroes': 726130, 'malaysiagazette': 511650, 'engineer proudly': 276973, 'proudly wear': 686084, 'supermarket malaysiagazette': 821444, '19 engineer proudly': 6784, 'engineer proudly wear': 276974, 'proudly wear garbage': 686085, 'to supermarket malaysiagazette': 915812, 'publish on': 688635, 'sunday mar': 818230, 'mar 22nd': 514985, '22nd our': 15348, 'our reporter': 624597, 'reporter are': 712600, 'working night': 1008783, 'provide accurate': 686210, 'accurate and': 28888, 'trusted info': 934339, 'community marketing': 189975, 'advertising sa': 33272, 'the is putting': 858520, 'is putting together': 451164, 'putting together comprehensive': 691265, 'friendly guide on': 333964, 'guide on the': 368341, 'on the local': 604218, 'of 19 that': 579415, 'that will publish': 847600, 'will publish on': 994527, 'publish on sunday': 688636, 'on sunday mar': 603764, 'sunday mar 22nd': 818231, 'mar 22nd our': 514986, '22nd our reporter': 15349, 'our reporter are': 624598, 'reporter are working': 712601, 'are working night': 91705, 'working night and': 1008784, 'night and day': 562939, 'and day to': 60966, 'day to provide': 228579, 'to provide accurate': 912376, 'provide accurate and': 686211, 'accurate and trusted': 28890, 'and trusted info': 74502, 'trusted info to': 934340, 'info to our': 437595, 'our community marketing': 622467, 'community marketing advertising': 189976, 'marketing advertising sa': 517513, '21761': 15075, 'gou': 359183, 'up bb': 944463, 'bb urge': 113055, 'to 21761': 899614, '21761 bb': 15076, 'price gou': 674231, 'gou bbdelivers': 359184, 'bb alert coronavirus': 113035, 'alert coronavirus price': 41394, 'coronavirus price gouging': 206589, 'is up bb': 453570, 'up bb urge': 944464, 'bb urge consumer': 113056, 'consumer to report': 199324, 'to report inflated': 913276, 'price to 21761': 676957, 'to 21761 bb': 899615, '21761 bb alert': 15077, 'coronavirus price gou': 206587, 'price gou bbdelivers': 674232, 'egypt cut': 270100, 'cut tax': 223564, 'on dividend': 600358, 'dividend energy': 248618, 'mitigate impact': 534531, 'egypt cut tax': 270101, 'cut tax on': 223565, 'tax on dividend': 835045, 'on dividend energy': 600359, 'dividend energy price': 248619, 'energy price to': 276550, 'price to mitigate': 677015, 'to mitigate impact': 910195, 'mitigate impact of': 534532, 'volatile after': 960031, 'after dramatic': 35581, 'dramatic rebound': 258301, 'rebound from': 703308, 'deadly will': 229313, 'remain volatile after': 709913, 'volatile after dramatic': 960032, 'after dramatic rebound': 35582, 'dramatic rebound from': 258302, 'rebound from multi': 703309, 'from multi year': 336491, 'low but stay': 505163, 'but stay below': 147146, 'on fear the': 600764, 'fear the deadly': 301374, 'the deadly will': 852952, 'deadly will push': 229314, 'will push the': 994535, 'push the world': 690325, 'world into recession': 1009679, 'recession with an': 704411, 'with an oversupply': 997228, 'our financial': 623069, 'current pandemic be': 221289, 'possible read our': 665752, 'read our financial': 700507, 'our financial tip': 623070, 'world noon': 1009838, 'price 92': 672183, '92 86': 23469, '86 405': 22970, '405 watch': 18818, 'price closely': 673155, 'number of confirmed': 576928, 'the world noon': 871924, 'world noon price': 1009839, 'noon price 92': 566862, 'price 92 86': 672184, '92 86 405': 23470, '86 405 watch': 22971, '405 watch these': 18819, 'these price closely': 880527, 'academy is': 27778, 'webinar about': 975011, 'about telehealth': 26306, 'telehealth on': 836752, '26 from': 16165, '00 30': 32, 'ct follow': 220098, 'today log': 919825, 'website first': 975259, 'before adding': 122605, 'webinar is': 975048, 'for academy': 318991, 'academy member': 27782, 'the academy is': 848279, 'academy is hosting': 27779, 'hosting webinar about': 404977, 'webinar about telehealth': 975012, 'about telehealth on': 26307, 'telehealth on thursday': 836753, 'march 26 from': 515216, '26 from 00': 16166, 'from 00 30': 334150, '00 30 pm': 33, '30 pm ct': 17200, 'pm ct follow': 661887, 'ct follow this': 220099, 'to register today': 913106, 'register today log': 707622, 'today log into': 919826, 'log into the': 500616, 'into the website': 443186, 'the website first': 871275, 'website first before': 975260, 'first before adding': 308536, 'before adding the': 122606, 'adding the webinar': 31704, 'the webinar to': 871271, 'webinar to you': 975122, 'to you shopping': 918921, 'you shopping cart': 1021173, 'shopping cart this': 762318, 'cart this webinar': 165396, 'this webinar is': 891164, 'webinar is free': 975049, 'is free for': 447926, 'free for academy': 331840, 'for academy member': 318992, 'best advise': 127564, 'advise ever': 33581, 'ever if': 285359, 'wanna save': 965663, 'save up': 737694, 'up toilet': 946461, 'crisis stop': 218096, 'best advise ever': 127565, 'advise ever if': 33582, 'ever if you': 285360, 'you wanna save': 1022124, 'wanna save up': 965664, 'save up toilet': 737695, 'up toilet paper': 946462, 'this crisis stop': 887088, 'crisis stop panicbuying': 218097, 'stop panicbuying toiletpaper': 804893, 'perfect read': 651329, 'perfect read to': 651330, 'behaviour during this': 124409, 'this pandemic global': 889387, 'pandemic global survey': 635498, 'specialize': 788128, 'ha company': 370211, 'company all': 190361, 'suddenly trading': 817143, 'supply especially': 825220, 'especially mask': 280543, 'mask even': 518617, 'to specialize': 914970, 'specialize in': 788129, 'in footwear': 423002, 'footwear or': 318589, 'part before': 642239, 'before while': 123302, 'are sometimes': 90302, 'sometimes fifty': 785202, 'fifty time': 304585, '2019 more': 13981, 'pandemic ha company': 635536, 'ha company all': 370212, 'company all over': 190362, 'all over suddenly': 43879, 'over suddenly trading': 630658, 'suddenly trading in': 817144, 'trading in medical': 928874, 'in medical supply': 425229, 'medical supply especially': 526440, 'supply especially mask': 825221, 'especially mask even': 280544, 'mask even if': 518618, 'if they used': 415134, 'used to specialize': 950089, 'to specialize in': 914971, 'specialize in footwear': 788130, 'in footwear or': 423003, 'footwear or car': 318590, 'or car part': 614667, 'car part before': 163242, 'part before while': 642240, 'before while price': 123303, 'price are sometimes': 672741, 'are sometimes fifty': 90303, 'sometimes fifty time': 785203, 'fifty time high': 304586, 'time high in': 896930, 'high in december': 395122, 'december 2019 more': 230742, 'gpclentils': 361421, 'gpcpeas': 361423, 'western canada': 980596, 'canada pulse': 160536, 'pulse have': 688977, 'have weathered': 383568, 'pandemic relatively': 636320, 'relatively well': 708788, 'well both': 978071, 'both red': 136024, 'red and': 705563, 'and green': 63955, 'green lentil': 363679, 'lentil price': 486377, '30 pea': 17178, 'pea price': 645981, 'upward though': 947965, 'though le': 892846, 'le steeply': 483137, 'steeply gpclentils': 799420, 'gpclentils gpcpeas': 361422, 'in western canada': 430812, 'western canada pulse': 980597, 'canada pulse have': 160537, 'pulse have weathered': 688978, 'have weathered the': 383569, 'weathered the impact': 974921, '19 pandemic relatively': 9444, 'pandemic relatively well': 636321, 'relatively well both': 708789, 'well both red': 978072, 'both red and': 136025, 'red and green': 705564, 'and green lentil': 63957, 'green lentil price': 363680, 'lentil price are': 486378, 'are up 30': 91351, 'up 30 pea': 944152, '30 pea price': 17179, 'pea price are': 645982, 'are also trending': 84484, 'also trending upward': 49034, 'trending upward though': 931586, 'upward though le': 947966, 'though le steeply': 892847, 'le steeply gpclentils': 483138, 'steeply gpclentils gpcpeas': 799421, 'sanation': 733582, 'oregonproud': 619169, 'eh to': 270139, 'ny front': 577860, 'doctor housekeeping': 250958, 'housekeeping sanation': 407011, 'sanation team': 733583, 'team truck': 835810, 'driver mail': 259644, 'clerk volunteer': 181809, 'up sending': 945960, 'sending love': 750036, 'love healing': 504680, 'healing energy': 386083, 'energy oregonproud': 276525, 'eh to the': 270140, 'the ny front': 861996, 'ny front line': 577861, 'line staff from': 493417, 'staff from nurse': 792480, 'from nurse doctor': 336620, 'nurse doctor housekeeping': 577299, 'doctor housekeeping sanation': 250959, 'housekeeping sanation team': 407012, 'sanation team truck': 733584, 'team truck driver': 835811, 'truck driver mail': 932786, 'driver mail delivery': 259645, 'store clerk volunteer': 807036, 'clerk volunteer to': 181810, 'keep their head': 472088, 'their head up': 873508, 'head up sending': 385854, 'up sending love': 945961, 'sending love healing': 750037, 'love healing energy': 504681, 'healing energy oregonproud': 386084, 'affecting demand': 34505, 'read about out': 700254, 'about out how': 25910, 'is affecting demand': 445385, 'affecting demand and': 34506, 'and price 19': 69435, 'vitally': 959755, 'millionaire and': 532442, 'this cold': 886795, 'cold water': 185805, 'soap available': 778946, 'customer every': 222347, 'time enter': 896617, 'supermarket wash': 823736, 'now vitally': 576309, 'vitally important': 959756, 'of cov': 582084, 'millionaire and customer': 532443, 'and customer how': 60850, 'customer how do': 222473, 'do they wash': 250323, 'their hand is': 873479, 'hand is this': 375054, 'is this cold': 453077, 'this cold water': 886796, 'cold water soap': 185807, 'water soap available': 969156, 'soap available for': 778947, 'available for customer': 104364, 'for customer every': 320508, 'customer every time': 222348, 'every time enter': 286304, 'time enter and': 896618, 'enter and leave': 278229, 'and leave supermarket': 66061, 'leave supermarket wash': 484952, 'supermarket wash my': 823737, 'hand now vitally': 375106, 'now vitally important': 576310, 'vitally important to': 959758, 'important to stop': 419070, 'spread of cov': 790661, 'sani': 733788, 'ha ppl': 371523, 'ppl dropping': 668218, 'just hand': 468913, 'hand everyone': 374923, 'everyone sanitizer': 287344, 'wipe what': 996420, 'one sani': 606991, 'sani wipe': 733789, 'wipe gonna': 996278, 'do come': 249193, 'when ha ppl': 983505, 'ha ppl dropping': 371524, 'ppl dropping like': 668219, 'fly at your': 311601, 'at your job': 101682, 'job but they': 465712, 'but they won': 147523, 'won close they': 1003769, 'close they just': 182868, 'they just hand': 882498, 'just hand everyone': 468914, 'hand everyone sanitizer': 374924, 'everyone sanitizer wipe': 287345, 'sanitizer wipe what': 736127, 'wipe what this': 996421, 'what this one': 982437, 'this one sani': 889250, 'one sani wipe': 606992, 'sani wipe gonna': 733790, 'wipe gonna do': 996279, 'gonna do come': 356512, 'do come on': 249194, 'mccormackmp': 522128, 'australia deputy': 103261, 'deputy prime': 237799, 'minister mccormackmp': 533402, 'mccormackmp is': 522129, 'also right': 48798, 'too that': 925107, 'crazy panicbuying': 215383, 'panicbuying clearing': 638916, 'indeed ridiculous': 434006, 'ridiculous please': 721584, 'this lift': 888625, 'lift auspol': 489428, 'australia deputy prime': 103262, 'deputy prime minister': 237800, 'prime minister mccormackmp': 678148, 'minister mccormackmp is': 533403, 'mccormackmp is also': 522130, 'is also right': 445576, 'also right here': 48799, 'right here too': 721936, 'here too that': 393741, 'too that the': 925108, 'that the crazy': 846696, 'the crazy panicbuying': 852300, 'crazy panicbuying clearing': 215384, 'panicbuying clearing of': 638917, 'clearing of supermarket': 181462, 'shelf are indeed': 756808, 'are indeed ridiculous': 87515, 'indeed ridiculous please': 434007, 'ridiculous please people': 721585, 'please people we': 660288, 'than this lift': 841316, 'this lift auspol': 888626, 'ifcci': 415625, 'ifcci organized': 415626, 'organized webinar': 619483, 'wednesday 8th': 975603, '8th april': 23248, 'insightful session': 439680, '65 participant': 21374, 'participant in': 642545, 'ifcci organized webinar': 415627, 'organized webinar on': 619484, 'good service sector': 357717, 'service sector on': 752798, 'sector on wednesday': 744287, 'on wednesday 8th': 605164, 'wednesday 8th april': 975604, '8th april 2020': 23249, 'april 2020 in': 83465, '2020 in association': 14388, 'association with it': 96994, 'wa an insightful': 961534, 'an insightful session': 56367, 'insightful session with': 439681, 'session with over': 753333, 'with over 65': 1000041, 'over 65 participant': 629893, '65 participant in': 21375, 'participant in an': 642546, 'in an interactive': 420318, 'new definition': 558616, 'definition and': 232419, 'by cabinet': 152045, 'cabinet have': 154982, 'page it': 633865, 'out diy': 625964, 'diy is': 248747, 'new definition and': 558617, 'definition and decision': 232420, 'and decision by': 61016, 'decision by cabinet': 231014, 'by cabinet have': 152046, 'cabinet have been': 154983, 'added to this': 31617, 'to this page': 917449, 'this page it': 889355, 'page it look': 633866, 'look like supermarket': 502512, 'like supermarket delivery': 491269, 'are out diy': 88881, 'out diy is': 625965, 'diy is out': 248748, 'out and liquor': 625675, 'are out for': 88883, 'out for most': 626141, 'of the warehouse': 591601, 'the warehouse will': 871086, 'warehouse will be': 966807, 'although we': 49380, 'mode at': 535158, 'make how': 509992, 'different or': 242013, 'buy differently': 148533, 'differently the': 242165, 'although we are': 49381, 'all in survival': 43205, 'survival mode at': 829056, 'mode at the': 535159, 'moment we need': 536104, 'to start thinking': 915229, 'start thinking about': 794564, 'thinking about what': 885867, 'this will look': 891427, 'like after what': 489732, 'after what change': 36530, 'to make how': 909679, 'make how will': 509993, 'will our customer': 994355, 'our customer be': 622652, 'customer be different': 222171, 'be different or': 114450, 'different or buy': 242014, 'or buy differently': 614614, 'buy differently the': 148534, 'differently the consumer': 242166, 'the barcode': 849275, 'these out': 880382, 'print all the': 678263, 'all the barcode': 44667, 'the barcode label': 849276, 'shopping to we': 764199, 'get these out': 348392, 'these out to': 880383, 'is so we': 452046, 'so we won': 778692, 'we won let': 973936, 'won let you': 1003867, 'down sf': 257175, 'sf rent': 754254, '19 crisis drive': 6238, 'drive down sf': 259041, 'down sf rent': 257176, 'sf rent price': 754255, 'enniskillen': 277270, 'in enniskillen': 422584, 'enniskillen selling': 277271, 'undoubtedly spin': 941049, 'spin off': 789394, 'report that there': 712331, 'people out in': 649022, 'out in enniskillen': 626375, 'in enniskillen selling': 422585, 'enniskillen selling toilet': 277272, 'sanitiser at exorbitant': 733923, 'exorbitant price this': 290423, 'this is undoubtedly': 888444, 'is undoubtedly spin': 453479, 'undoubtedly spin off': 941050, 'spin off from': 789395, 'off from panic': 593851, 'have rubbing': 382365, 'alcohol you': 41196, 'need mix': 555240, 'aloe to': 46787, 'to directly': 904329, 'directly clean': 243529, 'stayathome if': 797505, 'skin moisturize': 773072, 'you have rubbing': 1019108, 'have rubbing alcohol': 382366, 'rubbing alcohol you': 726969, 'alcohol you do': 41197, 'not need mix': 570665, 'need mix it': 555241, 'mix it with': 534603, 'it with aloe': 462464, 'with aloe to': 997177, 'aloe to make': 46788, 'make sanitizer just': 510423, 'sanitizer just use': 735243, 'just use the': 470175, 'use the alcohol': 949651, 'the alcohol to': 848564, 'alcohol to directly': 41147, 'to directly clean': 904330, 'directly clean your': 243530, 'hand stayathome if': 375796, 'stayathome if you': 797506, 'concerned about your': 193181, 'about your skin': 27014, 'your skin moisturize': 1025825, 'resource about': 714694, 'everyone stayhealthy': 287408, 'free resource about': 332101, 'resource about coronavirus': 714695, 'about coronavirus and': 25028, 'coronavirus and health': 205493, 'and health covid': 64353, 'report ha put': 711995, 'together for everyone': 920792, 'for everyone stayhealthy': 321238, 'everyone stayhealthy staysafe': 287409, 'pale': 634568, 'these pale': 880386, 'pale devil': 634569, 'devil are': 239956, 'now beginning': 574234, 'virus weapon': 959012, 'weapon again': 974231, 'again ppl': 37120, 'ppl no': 668287, 'so these pale': 778459, 'these pale devil': 880387, 'pale devil are': 634570, 'devil are now': 239957, 'are now beginning': 88528, 'now beginning to': 574235, 'beginning to use': 123678, 'use the virus': 949694, 'the virus weapon': 870918, 'virus weapon again': 959013, 'weapon again ppl': 974232, 'again ppl no': 37121, 'ppl no need': 668288, 'need to guess': 555954, 'to guess who': 907068, 'guess who they': 368102, 'who they re': 989769, 'this to man': 890741, 'to man charged': 909783, 'get scarce': 347954, 'scarce and': 740775, 'product aren': 680953, 'to get scarce': 906582, 'get scarce and': 347955, 'scarce and some': 740776, 'and some product': 71977, 'some product aren': 783645, 'product aren going': 680954, 'to be available': 901120, 'cousin online': 212092, 'product wash': 681811, 'sanitizer my cousin': 735388, 'my cousin online': 547839, 'cousin online store': 212093, 'online store ha': 609450, 'store ha some': 808020, 'ha some in': 371994, 'in stock they': 428337, 'stock they also': 802966, 'also have all': 48321, 'have all natural': 379162, 'all natural soap': 43581, 'natural soap and': 552867, 'soap and other': 778922, 'other product wash': 620777, 'product wash your': 681812, 'shopafternoon': 761106, 'shopafternoon if': 761107, 'immunocompromised or': 417473, 'other serious': 620887, 'serious underlying': 751503, 'until afternoon': 943675, 'shopafternoon if not': 761108, 'if not elderly': 414494, 'not elderly immunocompromised': 569155, 'elderly immunocompromised or': 270712, 'immunocompromised or having': 417475, 'or having other': 615597, 'having other serious': 384211, 'other serious underlying': 620888, 'serious underlying health': 751504, 'health issue please': 386577, 'issue please stay': 455892, 'grocery store until': 365902, 'store until afternoon': 811009, 'jockstrap': 466392, 'made jockstrap': 507810, 'jockstrap mask': 466393, 'mask tutorial': 519452, 'tutorial because': 936053, 'because ridiculous': 119520, 'made jockstrap mask': 507811, 'jockstrap mask tutorial': 466394, 'mask tutorial because': 519453, 'tutorial because ridiculous': 936054, 'business raised': 144281, 'below they': 126746, 'reported here': 712486, 'you see business': 1021027, 'see business raised': 744984, 'business raised price': 144282, 'raised price report': 696030, 'report them on': 712360, 'link below they': 493805, 'below they can': 126747, 'be reported here': 116803, 'underappreciate': 940403, 'again underappreciate': 37253, 'underappreciate toiletpaper': 940404, 'toiletpaper until': 922791, 'with paper': 1000093, 'towel for': 927324, 'straight hoarder': 812217, 'never again underappreciate': 557855, 'again underappreciate toiletpaper': 37254, 'underappreciate toiletpaper until': 940405, 'toiletpaper until you': 922792, 'until you ve': 943949, 'been wiping your': 122379, 'your as with': 1022855, 'as with paper': 94832, 'with paper towel': 1000094, 'paper towel for': 640992, 'towel for week': 927325, 'for week straight': 327750, 'week straight hoarder': 976940, 'hurry only': 411517, '10 left': 1500, 'left dettol': 485446, 'dettol liquid': 239529, 'wash formulated': 967465, 'formulated for': 329740, 'everyday hand': 286569, 'hand cleaning': 374868, 'cleaning use': 181118, 'hurry only 10': 411518, 'only 10 left': 609965, '10 left dettol': 1501, 'left dettol liquid': 485447, 'dettol liquid hand': 239530, 'liquid hand wash': 494094, 'hand wash formulated': 375922, 'wash formulated for': 967466, 'formulated for everyday': 329741, 'for everyday hand': 321190, 'everyday hand cleaning': 286570, 'hand cleaning use': 374869, 'cleaning use ad': 181119, 'use ad instock': 949013, 'meanwhile in nz': 524992, 'test firefighter': 838992, 'police grocery': 663029, 'test even': 838987, 'can harvey': 158567, 'amp ing': 53996, 'ing weinstein': 438293, 'nurse can get': 577235, 'can get covid': 158412, '19 test firefighter': 11073, 'test firefighter police': 838993, 'firefighter police grocery': 308225, 'police grocery store': 663030, 'store worker etc': 811492, 'worker etc can': 1006868, 'etc can get': 282461, 'can get test': 158456, 'get test even': 348181, 'test even with': 838988, 'with symptom you': 1001111, 'symptom you know': 830956, 'know who can': 477031, 'who can harvey': 988389, 'can harvey amp': 158568, 'harvey amp ing': 378667, 'amp ing weinstein': 53997, 'hoarding daily': 399260, 'use item': 949320, 'product disappear': 681122, 'increase then': 433125, 'cursing the': 221765, 'of people started': 587988, 'people started hoarding': 649544, 'started hoarding daily': 794750, 'hoarding daily use': 399261, 'daily use item': 224860, 'use item this': 949322, 'item this will': 463733, 'if these product': 415087, 'these product disappear': 880556, 'product disappear from': 681123, 'disappear from the': 244039, 'will increase then': 993829, 'increase then people': 433126, 'start cursing the': 794276, 'cursing the government': 221766, 'are now open': 88579, 'for you between': 328040, 'your is': 1024512, 'you taking': 1021524, 'going your is': 355825, 'your is waiting': 1024513, 'for you taking': 328088, 'you taking advantage': 1021525, 'jeep': 464982, 'seems if': 746795, 'car rental': 163265, 'and gagged': 63453, 'gagged at': 342724, 'cheap we': 174232, 'our rental': 624588, 'rental jeep': 711237, 'jeep suv': 464985, 'suv for': 829850, 'for colorado': 320157, 'for pretty': 324704, 'much full': 544939, 'seems if covid': 746796, '19 made the': 8501, 'made the car': 507988, 'the car rental': 850388, 'car rental company': 163266, 'rental company drop': 711217, 'company drop their': 190619, 'their price well': 874436, 'price well and': 677423, 'well and gagged': 978016, 'and gagged at': 63454, 'gagged at how': 342725, 'at how cheap': 99207, 'how cheap we': 407549, 'cheap we got': 174233, 'we got our': 971674, 'got our rental': 358767, 'our rental jeep': 624589, 'rental jeep suv': 711238, 'jeep suv for': 464986, 'suv for colorado': 829851, 'for colorado for': 320158, 'colorado for pretty': 186798, 'for pretty much': 324705, 'pretty much full': 671450, 'much full day': 544940, 'your year': 1026402, 'isn handing': 454532, 'free cooky': 331727, 'cooky due': 202968, 'when your year': 984644, 'your year old': 1026403, 'old get mad': 598265, 'get mad because': 347512, 'mad because the': 507531, 'store isn handing': 808559, 'isn handing out': 454533, 'out free cooky': 626180, 'free cooky due': 331728, 'cooky due to': 202969, 'evolving landscape': 288568, 'health company': 386278, 'unique place': 941992, 'from recognizing': 337050, 'recognizing change': 704672, 'supporting employee': 827130, 'customer company': 222261, 'find opportunity': 307115, 'in the evolving': 429185, 'the evolving landscape': 854648, 'evolving landscape of': 288569, '19 consumer health': 5972, 'consumer health company': 197722, 'health company are': 386279, 'are in unique': 87457, 'in unique place': 430436, 'unique place from': 941993, 'place from recognizing': 657460, 'from recognizing change': 337051, 'recognizing change in': 704673, 'behavior to supporting': 124260, 'to supporting employee': 915992, 'supporting employee and': 827131, 'and customer company': 60837, 'customer company in': 222262, 'the industry can': 858166, 'industry can find': 435713, 'can find opportunity': 158331, 'find opportunity to': 307116, 'opportunity to lead': 613711, 'that rushing': 846077, 'buy trampoline': 149394, 'trampoline hot': 929408, 'hot tub': 405059, 'tub or': 935024, 'or bbq': 614505, 'bbq is': 113190, 'know if people': 476479, 'people are aware': 646932, 'are aware that': 84731, 'aware that rushing': 105661, 'that rushing to': 846078, 'rushing to supermarket': 728399, 'to buy trampoline': 902328, 'buy trampoline hot': 149395, 'trampoline hot tub': 929409, 'hot tub or': 405060, 'tub or bbq': 935025, 'or bbq is': 614506, 'bbq is going': 113191, 'rigged': 721725, 'waiving change': 964559, 'april flight': 83594, 'flight however': 310491, 'however any': 409344, 'any flight': 79222, 'flight you': 310567, 'is miraculously': 449664, 'miraculously more': 533932, 'your original': 1025116, 'original flight': 619564, 'price rigged': 676219, 'is waiving change': 453737, 'waiving change fee': 964560, 'change fee for': 172043, 'fee for april': 302171, 'for april flight': 319478, 'april flight however': 83595, 'flight however any': 310492, 'however any flight': 409345, 'any flight you': 79224, 'flight you want': 310568, 'change to is': 172350, 'to is miraculously': 908525, 'is miraculously more': 449665, 'miraculously more expensive': 533933, 'expensive than your': 291285, 'than your original': 841507, 'your original flight': 1025117, 'original flight so': 619565, 'flight so you': 310537, 'more for the': 539271, 'the flight you': 855408, 'change to are': 172339, 'to are the': 900693, 'the price rigged': 864406, 'consumable': 195917, 'hoarding consumable': 399253, 'consumable product': 195918, 'product eg': 681156, 'eg toilet': 269727, 'paper preserved': 640606, 'preserved food': 670714, 'everyone supply': 287437, 'not diminished': 569029, 'diminished so': 242941, 'habit changed': 372586, 'to poll': 911874, 'encourage all to': 275571, 'all to refrain': 45246, 'refrain from hoarding': 706744, 'from hoarding consumable': 335827, 'hoarding consumable product': 399254, 'consumable product eg': 195919, 'product eg toilet': 681157, 'eg toilet paper': 269728, 'toilet paper preserved': 921398, 'paper preserved food': 640607, 'preserved food so': 670715, 'so that enough': 778368, 'that enough is': 843714, 'enough is available': 277493, 'for everyone supply': 321240, 'everyone supply is': 287438, 'is not diminished': 450063, 'not diminished so': 569030, 'diminished so there': 242942, 'need to artificially': 555861, 'to artificially increase': 900736, 'artificially increase demand': 94548, 'increase demand have': 432738, 'demand have your': 235626, 'have your buying': 383709, 'buying habit changed': 150457, 'habit changed due': 372587, 'due to poll': 261907, 'verily': 954808, 'r120': 695063, 'r83': 695109, 'one absolutely': 605855, 'one yes': 607531, 'yes verily': 1015586, 'verily say': 954809, 'with budget': 997484, 'of r120': 588708, 'r120 buy': 695064, 'buy chicken': 148489, 'breast for': 139134, 'for r83': 324933, 'no one absolutely': 564913, 'one absolutely no': 605856, 'absolutely no one': 27402, 'no one yes': 564988, 'one yes verily': 607532, 'yes verily say': 1015587, 'verily say it': 954810, 'say it no': 738850, 'one with budget': 607484, 'with budget of': 997485, 'budget of r120': 141808, 'of r120 buy': 588709, 'r120 buy chicken': 695065, 'buy chicken breast': 148490, 'chicken breast for': 175756, 'breast for r83': 139135, 'parting': 642734, 'are jumping': 87610, 'panic stirred': 638628, 'into parting': 442850, 'parting with': 642735, 'money those': 537081, 'do fall': 249281, 'unlikely ever': 942745, 'money again': 536571, 'again report': 37144, 'fraudsters are jumping': 331402, 'are jumping on': 87611, 'the panic stirred': 863221, 'panic stirred up': 638629, 'stirred up by': 801704, 'up by to': 944562, 'by to trick': 154565, 'people into parting': 648505, 'into parting with': 442851, 'parting with their': 642736, 'with their money': 1001586, 'their money those': 874004, 'money those that': 537082, 'those that do': 892531, 'that do fall': 843568, 'do fall for': 249282, 'fall for scam': 296914, 'for scam are': 325361, 'scam are unlikely': 740047, 'are unlikely ever': 91323, 'unlikely ever to': 942746, 'ever to see': 285564, 'see their money': 745908, 'their money again': 873992, 'money again report': 536572, 'again report for': 37145, 'intensify purchase': 441124, 'increased according': 433186, 'our buyer': 622296, 'buyer intelligence': 149671, 'intelligence database': 440994, 'database store': 226523, 'visit started': 959362, 'in earnest': 422452, 'earnest around': 264852, 'around march': 93390, 'really took': 702670, 'off last': 593944, 'with visit': 1001993, 'visit peaking': 959336, 'peaking on': 646135, 'pandemic have continued': 635590, 'continued to intensify': 201360, 'to intensify purchase': 908446, 'intensify purchase at': 441125, 'purchase at grocery': 689367, 'and pharmacy have': 68971, 'pharmacy have also': 654334, 'have also increased': 379213, 'also increased according': 48413, 'increased according to': 433187, 'to our buyer': 911157, 'our buyer intelligence': 622297, 'buyer intelligence database': 149672, 'intelligence database store': 440995, 'database store visit': 226524, 'store visit started': 811081, 'visit started to': 959363, 'started to increase': 794875, 'increase in earnest': 432831, 'in earnest around': 422453, 'earnest around march': 264853, 'around march and': 93391, 'march and really': 515275, 'and really took': 70020, 'really took off': 702671, 'took off last': 925303, 'off last week': 593945, 'last week with': 480695, 'week with visit': 977269, 'with visit peaking': 1001994, 'visit peaking on': 959337, 'peaking on march': 646136, 'on march 13': 602008, 'majeura': 509207, 'zambian': 1027219, 'sternly': 799927, 'zwd': 1027925, 'mopani copper': 538372, 'copper mine': 203429, 'declared force': 231227, 'force majeura': 328424, 'majeura citing': 509208, 'of copper': 581875, 'which declaration': 985798, 'declaration wa': 231172, 'rejected by': 708333, 'the zambian': 872218, 'zambian government': 1027220, 'and sternly': 72354, 'sternly warned': 799928, 'warned mopani': 967007, 'mopani that': 538376, 'ahead source': 39209, 'source zwd': 786591, 'mopani copper mine': 538373, 'copper mine ha': 203430, 'mine ha declared': 532895, 'ha declared force': 370326, 'declared force majeura': 231228, 'force majeura citing': 328425, 'majeura citing the': 509209, 'citing the effect': 178810, 'drop of copper': 260320, 'of copper price': 581876, 'copper price which': 203446, 'price which declaration': 677508, 'which declaration wa': 985799, 'declaration wa rejected': 231173, 'wa rejected by': 963080, 'rejected by the': 708334, 'by the zambian': 154489, 'the zambian government': 872219, 'zambian government and': 1027221, 'government and sternly': 359872, 'and sternly warned': 72355, 'sternly warned mopani': 799929, 'warned mopani that': 967008, 'mopani that they': 538377, 'they will face': 883849, 'will face the': 993395, 'face the full': 294794, 'the law should': 859193, 'law should they': 482396, 'should they go': 766583, 'they go ahead': 882199, 'go ahead source': 353258, 'ahead source zwd': 39210, 'misadventure': 533965, 'grata': 362234, 'supermarket pac': 821885, 'distancing misadventure': 247335, 'misadventure cause': 533966, 'cause we': 167792, 'all persona': 43950, 'persona non': 652770, 'non grata': 566406, 'grata at': 362235, 'moment socialdistancing': 536047, '19 blogging': 5410, 'supermarket pac man': 821886, 'pac man and': 632919, 'man and other': 511990, 'and other social': 68409, 'social distancing misadventure': 779664, 'distancing misadventure cause': 247336, 'misadventure cause we': 533967, 'cause we re': 167794, 're all persona': 698228, 'all persona non': 43951, 'persona non grata': 652771, 'non grata at': 566407, 'grata at the': 362236, 'the moment socialdistancing': 860778, 'moment socialdistancing stayhome': 536048, 'socialdistancing stayhome 19': 780734, 'stayhome 19 blogging': 797930, 'epidemic houseprices': 279386, '19 epidemic houseprices': 6808, 'epidemic houseprices propertymarket': 279387, 've rightly': 953508, 'rightly been': 722459, 'health danger': 386365, 'but economic': 145633, 'consumer powered': 198394, 'powered economy': 667764, 'devastating consumer': 239581, 'consumer hunker': 197789, 'down swift': 257244, 'swift wise': 830322, 'wise action': 996667, 'action needed': 30078, 'needed good': 556372, 'we ve rightly': 973706, 've rightly been': 953509, 'rightly been focused': 722460, 'focused on public': 311963, 'on public health': 602999, 'public health danger': 688064, 'health danger of': 386366, 'danger of but': 225675, 'of but economic': 580987, 'but economic effect': 145634, 'economic effect in': 267085, 'effect in consumer': 269015, 'in consumer powered': 421710, 'consumer powered economy': 198395, 'powered economy may': 667765, 'economy may be': 268065, 'may be devastating': 520972, 'be devastating consumer': 114434, 'devastating consumer hunker': 239582, 'consumer hunker down': 197790, 'hunker down swift': 411337, 'down swift wise': 257245, 'swift wise action': 830323, 'wise action needed': 996668, 'action needed good': 30079, 'needed good read': 556373, 'good read via': 357624, 'read via of': 700648, 'craved': 215171, 'making procurement': 511289, 'procurement work': 680127, 'idiot craved': 413497, 'craved bat': 215172, 'meat hypermarket': 525609, 'making procurement work': 511290, 'procurement work in': 680128, 'all because some': 42153, 'because some idiot': 119570, 'some idiot craved': 783072, 'idiot craved bat': 413498, 'craved bat meat': 215173, 'bat meat hypermarket': 112550, 'meat hypermarket cubao': 525610, '19 countless': 6167, 'countless spammer': 210395, 'spammer scam': 787397, 'prey to covid': 672077, 'covid 19 countless': 212874, '19 countless spammer': 6168, 'countless spammer scam': 210396, 'quarantini': 693073, 'ragu': 695566, 'enough recipe': 277596, 'quarantine now': 692393, 'need quarantini': 555494, 'quarantini cooking': 693074, 'cooking repertoire': 202900, 'repertoire lucky': 711567, 'lucky our': 506567, 'ha heap': 370842, 'heap of': 387860, 'make pasta': 510306, 'toiletpaper ragu': 922393, 'have enough recipe': 380466, 'enough recipe for': 277597, 'recipe for lockdown': 704464, 'for lockdown quarantine': 323066, 'lockdown quarantine now': 499825, 'quarantine now just': 692394, 'now just need': 575156, 'just need quarantini': 469306, 'need quarantini cooking': 555495, 'quarantini cooking repertoire': 693075, 'cooking repertoire lucky': 202901, 'repertoire lucky our': 711568, 'lucky our local': 506568, 'our local grocer': 623774, 'local grocer ha': 498044, 'grocer ha heap': 364134, 'ha heap of': 370843, 'heap of produce': 387861, 'of produce and': 588464, 'produce and that': 680187, 'and that everyone': 73188, 'everyone else just': 286864, 'to make pasta': 909714, 'make pasta rice': 510307, 'pasta rice with': 643800, 'rice with toiletpaper': 721177, 'with toiletpaper ragu': 1001807, 'collage': 185948, 'notability': 572639, 'schoology': 742041, 'sure prompt': 827661, 'prompt find': 683900, 'find meme': 307057, 'meme that': 528363, 'online schooling': 608945, 'schooling or': 742039, 'either on': 270339, 'on pic': 602797, 'pic collage': 655587, 'collage or': 185949, 'or notability': 616324, 'notability to': 572640, 'be then': 117670, 'then submitted': 877579, 'submitted to': 815823, 'to schoology': 913906, 'schoology with': 742042, 'with brief': 997478, 'brief summary': 139679, 'the meme': 860463, 'meme sentence': 528357, 'sentence starter': 750872, 'starter this': 794927, 'meme is': 528324, 'sure prompt find': 827662, 'prompt find meme': 683901, 'find meme that': 307058, 'meme that is': 528364, 'is about covid': 445270, '19 online schooling': 8992, 'online schooling or': 608946, 'schooling or panic': 742040, 'or panic shopping': 616492, 'shopping and post': 762011, 'and post it': 69230, 'post it either': 666185, 'it either on': 457778, 'either on pic': 270340, 'on pic collage': 602798, 'pic collage or': 655588, 'collage or notability': 185950, 'or notability to': 616325, 'notability to be': 572641, 'to be then': 901588, 'be then submitted': 117671, 'then submitted to': 877580, 'submitted to schoology': 815824, 'to schoology with': 913907, 'schoology with brief': 742043, 'with brief summary': 997479, 'brief summary of': 139680, 'of the meme': 591235, 'the meme sentence': 860464, 'meme sentence starter': 528358, 'sentence starter this': 750873, 'starter this meme': 794928, 'this meme is': 888831, 'meme is about': 528325, 'how supposed': 408770, 'bilbrough pleaded': 130468, 'shift her': 758309, 'her video': 392503, 'video ha': 956768, 'since gone': 770619, 'viral latest': 957598, 'know how supposed': 476459, 'how supposed to': 408771, 'supposed to stay': 827375, 'dawn bilbrough pleaded': 227047, 'bilbrough pleaded for': 130469, 'food after shift': 313045, 'after shift her': 36198, 'shift her video': 758310, 'her video ha': 392504, 'video ha since': 956769, 'ha since gone': 371950, 'since gone viral': 770620, 'gone viral latest': 356440, 'viral latest on': 957599, 'agchatoz': 37779, 'now change': 574369, 'mla market': 534740, 'market reporting': 516989, 'reporting in': 712698, 'mla covid': 534738, 'effort these': 269602, 'until 27': 943649, '27 april': 16264, 'until otherwise': 943806, 'otherwise advised': 621820, 'advised see': 33641, 'change here': 172077, 'here ausag': 392796, 'ausag agchatoz': 103031, 'are now change': 88535, 'now change to': 574370, 'change to mla': 172354, 'to mla market': 910202, 'mla market reporting': 534741, 'market reporting in': 516990, 'reporting in response': 712699, 'response to mla': 715867, 'to mla covid': 910201, 'mla covid 19': 534739, '19 containment effort': 6011, 'containment effort these': 200599, 'effort these change': 269603, 'change will remain': 172401, 'will remain in': 994630, 'remain in place': 709770, 'place until 27': 657790, 'until 27 april': 943650, '27 april 2020': 16265, 'april 2020 or': 83469, '2020 or until': 14491, 'or until otherwise': 617605, 'until otherwise advised': 943807, 'otherwise advised see': 621821, 'advised see the': 33642, 'see the change': 745816, 'the change here': 850672, 'change here ausag': 172078, 'here ausag agchatoz': 392797, '133': 3320, '157': 3989, 'if special': 414867, 'thing urge': 884933, 'everyone like': 287161, 'category who': 167228, 'who re': 989502, 're chronically': 698425, 'ill immunocompromised': 416138, 'immunocompromised call': 417456, 'stress importance': 813342, 'of including': 585062, 'including 133': 431842, '133 157': 3321, '157 million': 3990, 'million chronically': 532111, 'ill american': 416098, 'if special grocery': 414868, 'grocery store hr': 365476, 'store hr for': 808230, 'for senior will': 325485, 'senior will be': 750449, 'will be thing': 992723, 'be thing urge': 117694, 'thing urge everyone': 884934, 'urge everyone like': 948178, 'everyone like me': 287162, 'me in category': 522959, 'in category who': 421297, 'category who re': 167229, 'who re chronically': 989503, 're chronically ill': 698426, 'chronically ill immunocompromised': 178246, 'ill immunocompromised call': 416139, 'immunocompromised call local': 417457, 'call local grocery': 155977, 'store manager amp': 808872, 'manager amp stress': 512666, 'amp stress importance': 54577, 'stress importance of': 813343, 'importance of including': 418703, 'of including 133': 585063, 'including 133 157': 431843, '133 157 million': 3322, '157 million chronically': 3991, 'million chronically ill': 532112, 'chronically ill american': 178243, 'zep': 1027390, 'spotted handsanitizer': 790193, 'handsanitizer ecommerce': 376523, 'ecommerce instant': 266791, 'gel 500ml': 345084, 'bottle case': 136203, '12 zep': 3000, 'zep via': 1027391, 'spotted handsanitizer ecommerce': 790194, 'handsanitizer ecommerce instant': 376524, 'ecommerce instant hand': 266792, 'sanitizer gel 500ml': 734962, 'gel 500ml bottle': 345085, '500ml bottle case': 20105, 'bottle case of': 136204, 'of 12 zep': 579346, '12 zep via': 3001, 'brotherhood': 141120, 'so odd': 777923, 'odd walking': 579199, 'supermarket fairly': 820269, 'announcement about': 77125, 'staying so': 798710, 'apart part': 81319, 'government guidance': 360128, '19 followed': 7034, 'by save': 153875, 'your kiss': 1024576, 'by brotherhood': 152007, 'brotherhood of': 141121, 'song of': 785512, 'well there nothing': 978676, 'nothing quite so': 573146, 'quite so odd': 694922, 'so odd walking': 777924, 'odd walking around': 579200, 'the supermarket fairly': 868585, 'supermarket fairly empty': 820270, 'fairly empty shelf': 296437, 'empty shelf an': 275046, 'shelf an announcement': 756715, 'an announcement about': 55313, 'announcement about staying': 77126, 'about staying so': 26255, 'staying so far': 798711, 'so far apart': 777011, 'far apart part': 298705, 'apart part of': 81320, 'part of government': 642350, 'of government guidance': 584273, 'government guidance on': 360129, 'covid 19 followed': 213108, '19 followed by': 7035, 'followed by save': 312599, 'by save all': 153876, 'save all your': 737468, 'all your kiss': 45571, 'your kiss for': 1024577, 'kiss for me': 475452, 'me by brotherhood': 522544, 'by brotherhood of': 152008, 'brotherhood of man': 141122, 'man the song': 512270, 'the song of': 867480, 'song of the': 785513, 'family adapting': 297559, 'adapting what': 31354, 'and shes': 71460, 'shes not': 758100, 'not got': 569735, 'got long': 358677, 'long left': 501482, 'buying stophoarding': 151095, 'cant find basic': 162290, 'find basic essential': 306828, 'basic essential to': 111875, 'essential to feed': 281695, 'my family adapting': 548183, 'family adapting what': 297560, 'adapting what little': 31355, 'of all cant': 579929, 'all cant visit': 42303, 'cant visit my': 162351, 'dementia and shes': 236630, 'and shes not': 71461, 'shes not got': 758101, 'not got long': 569736, 'got long left': 358678, 'long left be': 501483, 'left be thankful': 485413, 'be thankful for': 117572, 'thankful for what': 841914, 'have stop panic': 382780, 'panic buying stophoarding': 637906, 'remembered to': 710452, 'calendar to': 155397, 'april only': 83650, 'the 15th': 847899, '15th stayathome': 4048, 'stayhomesavelives lockdownextension': 798410, 'remembered to turn': 710453, 'turn the calendar': 935768, 'the calendar to': 850274, 'calendar to april': 155398, 'to april only': 900686, 'april only to': 83651, 'only thing have': 611305, 'forward to this': 330040, 'to this month': 917442, 'this month is': 888911, 'month is supermarket': 537803, 'is supermarket delivery': 452459, 'supermarket delivery on': 819929, 'on the 15th': 603951, 'the 15th stayathome': 847900, '15th stayathome stayhomesavelives': 4049, 'stayathome stayhomesavelives lockdownextension': 797649, 'making good': 511091, 'at extortionist': 98600, 'killing it making': 474691, 'it making good': 459522, 'making good and': 511092, 'ppe at extortionist': 667915, 'at extortionist price': 98601, 'preventiontips': 671906, 'homemadesanitier': 402864, 'cure stay': 220811, 'safe virus': 730098, 'virus preventiontips': 958648, 'preventiontips lockeddown': 671907, 'lockeddown lucknow': 500511, 'lucknow pune': 506530, 'pune up': 689207, 'up kerala': 945277, 'kerala china': 473106, 'china prevention': 176884, 'prevention cure': 671849, 'treatment handsanitizer': 931084, 'sanitizer homemadesanitier': 735094, 'homemadesanitier mask': 402865, 'precaution is better': 669325, 'than cure stay': 840482, 'cure stay at': 220812, 'be safe virus': 116975, 'safe virus preventiontips': 730099, 'virus preventiontips lockeddown': 958649, 'preventiontips lockeddown lucknow': 671908, 'lockeddown lucknow pune': 500512, 'lucknow pune up': 506531, 'pune up kerala': 689208, 'up kerala china': 945278, 'kerala china prevention': 473107, 'china prevention cure': 176885, 'prevention cure treatment': 671850, 'cure treatment handsanitizer': 220843, 'treatment handsanitizer sanitizer': 931085, 'handsanitizer sanitizer homemadesanitier': 376631, 'sanitizer homemadesanitier mask': 735095, 'carifika': 164690, 'network calling': 557708, 'black business': 132034, 'business coming': 143548, '2020 black': 14176, 'black star': 132125, 'star line': 794048, 'line online': 493327, 'at carifika': 98200, 'carifika canada': 164691, 'facing serious': 295582, 'serious financial': 751382, 'hello everyone please': 389155, 'everyone please share': 287286, 'share this in': 755283, 'in your network': 431109, 'your network calling': 1024985, 'network calling all': 557709, 'calling all black': 156516, 'all black business': 42186, 'black business coming': 132035, 'business coming in': 143549, 'coming in 2020': 188085, 'in 2020 black': 419822, '2020 black star': 14177, 'black star line': 132126, 'star line online': 794049, 'line online shopping': 493328, 'shopping at carifika': 762090, 'at carifika canada': 98201, 'carifika canada we': 164692, 'canada we understand': 160607, 'understand that due': 940727, '19 many business': 8544, 'business are facing': 143364, 'are facing serious': 86429, 'facing serious financial': 295583, 'serious financial challenge': 751383, 'crackhead': 214737, 'drugsarebadmkay': 261177, 'there washing': 879281, 'the crackhead': 852263, 'crackhead outside': 214738, 'place picking': 657655, 'every cigarette': 285731, 'cigarette butt': 178478, 'butt she': 148106, 'the filthy': 855189, 'filthy ground': 305797, 'ground sticking': 366537, 'sticking them': 800103, 'mouth drugsarebadmkay': 543507, 'drugsarebadmkay quarantine': 261178, 'there washing our': 879282, 'sanitizer and wearing': 734458, 'wearing mask then': 974718, 'mask then there': 519363, 'then there the': 877641, 'there the crackhead': 879145, 'the crackhead outside': 852264, 'crackhead outside of': 214739, 'of the pizza': 591337, 'the pizza place': 863764, 'pizza place picking': 657195, 'place picking up': 657656, 'picking up every': 655877, 'up every cigarette': 944805, 'every cigarette butt': 285732, 'cigarette butt she': 178479, 'butt she can': 148107, 'she can find': 755920, 'can find on': 158329, 'find on the': 307110, 'on the filthy': 604119, 'the filthy ground': 855190, 'filthy ground sticking': 305798, 'ground sticking them': 366538, 'sticking them in': 800104, 'them in her': 875905, 'her mouth drugsarebadmkay': 392210, 'mouth drugsarebadmkay quarantine': 543508, 'with overseas': 1000046, 'overseas demand': 631469, 'fresh cut': 332941, 'cut flower': 223333, 'flower plummeting': 311321, '19 thousand': 11371, 'in flower': 422944, 'flower farm': 311288, 'kenya ethiopia': 472896, 'ethiopia have': 283105, 'poverty kenya': 667503, 'ethiopia job': 283109, 'job poverty': 466099, 'poverty food': 667494, 'food flower': 314474, 'with overseas demand': 1000047, 'overseas demand for': 631470, 'for fresh cut': 321755, 'fresh cut flower': 332942, 'cut flower plummeting': 223334, 'flower plummeting due': 311322, 'covid 19 thousand': 213946, '19 thousand of': 11372, 'thousand of woman': 893473, 'of woman in': 593222, 'woman in flower': 1003514, 'in flower farm': 422945, 'flower farm in': 311289, 'farm in kenya': 299135, 'in kenya ethiopia': 424478, 'kenya ethiopia have': 472897, 'ethiopia have lost': 283106, 'of being pushed': 580656, 'being pushed into': 125613, 'into poverty kenya': 442885, 'poverty kenya ethiopia': 667504, 'kenya ethiopia job': 472898, 'ethiopia job poverty': 283110, 'job poverty food': 466100, 'poverty food flower': 667495, '100cns': 2151, 'relavant': 708800, 'have warehouse': 383537, 'la to': 478223, 'to wholesale': 918580, 'wholesale free': 990443, 'price retailer': 676203, 'retailer or': 719268, 'me ask': 522455, 'and moq': 67132, 'moq at': 538388, 'least 100cns': 484329, '100cns all': 2152, 'the relavant': 865473, 'relavant certification': 708801, 'certification are': 170221, 'have warehouse in': 383538, 'warehouse in la': 966735, 'in la to': 424566, 'la to wholesale': 478224, 'to wholesale free': 918581, 'wholesale free wash': 990444, 'free wash hand': 332303, 'sanitizer in very': 735162, 'in very low': 430570, 'low price retailer': 505534, 'price retailer or': 676204, 'retailer or anyone': 719269, 'anyone in can': 80373, 'in can contact': 421178, 'can contact me': 157969, 'contact me ask': 200134, 'me ask for': 522456, 'ask for price': 95534, 'price and moq': 672473, 'and moq at': 67133, 'moq at least': 538389, 'at least 100cns': 99440, 'least 100cns all': 484330, '100cns all the': 2153, 'all the relavant': 44884, 'the relavant certification': 865474, 'relavant certification are': 708802, 'certification are provided': 170222, '19 agenda': 4868, 'agenda social': 38122, 'covid 19 agenda': 212598, '19 agenda social': 4869, 'agenda social distancing': 38123, 'do it right': 249508, 'go back there': 353349, 'back there again': 107330, 'have profited': 382064, 'service checkout': 752231, 'so perhaps': 778008, 'human cashier': 410453, 'cashier stay': 166620, 'them against': 875328, 'against while': 37745, 'customer self': 222806, 'even say this': 284547, 'say this the': 739374, 'this the major': 890528, 'chain have profited': 170767, 'have profited from': 382065, 'profited from self': 682942, 'from self service': 337204, 'self service checkout': 747905, 'service checkout so': 752232, 'checkout so perhaps': 175005, 'so perhaps they': 778009, 'perhaps they can': 651649, 'afford to let': 34800, 'let the human': 487130, 'the human cashier': 857713, 'human cashier stay': 410454, 'cashier stay home': 166621, 'home on paid': 401715, 'leave to protect': 485013, 'protect them against': 685003, 'them against while': 875329, 'against while customer': 37746, 'while customer self': 986736, 'customer self checkout': 222807, 'tweeter': 936459, 'tweeter cbd': 936460, 'tweeter cbd cannot': 936461, 'unproportionally': 943250, 'pandemic unproportionally': 636872, 'unproportionally affect': 943251, 'income population': 432438, 'kenya 84': 472876, '84 of': 22878, 'is informal': 448916, 'informal living': 437686, 'mouth most': 543531, 'food income': 314994, 'directly linked': 243565, '19 pandemic unproportionally': 9511, 'pandemic unproportionally affect': 636873, 'unproportionally affect the': 943252, 'affect the low': 34247, 'the low income': 859776, 'low income population': 505356, 'income population in': 432439, 'population in kenya': 664693, 'in kenya 84': 424474, 'kenya 84 of': 472877, '84 of employment': 22879, 'of employment is': 583081, 'employment is informal': 274619, 'is informal living': 448917, 'informal living hand': 437687, 'to mouth most': 910297, 'mouth most of': 543532, 'most of kenyan': 542550, 'of kenyan are': 585602, 'kenyan are unable': 472956, 'stock food income': 802135, 'food income is': 314995, 'income is directly': 432387, 'is directly linked': 447188, 'directly linked to': 243566, 'linked to access': 493988, 'to access to': 899962, 'economic injustice': 267152, 'injustice look': 438733, 'look healthcare': 502401, 'healthcare assistant': 387040, 'assistant job': 96788, 'ad around': 31059, '19 offering': 8900, '20 hour': 13093, 'hour while': 406095, 'while ceo': 986680, 'industry earn': 435794, 'earn million': 264795, 'to wealth': 918415, 'wealth before': 974147, 'even started': 284603, 'started everyone': 794732, 'everyone deserves': 286808, 'deserves liveable': 238175, 'liveable income': 496136, 'economic injustice look': 267153, 'injustice look healthcare': 438734, 'look healthcare assistant': 502402, 'healthcare assistant job': 387041, 'assistant job ad': 96789, 'job ad around': 465597, 'ad around covid': 31060, 'covid 19 offering': 213507, '19 offering 20': 8901, 'offering 20 hour': 594997, '20 hour while': 13094, 'hour while ceo': 406096, 'while ceo from': 986681, 'ceo from the': 169708, 'supermarket industry earn': 821025, 'industry earn million': 435795, 'earn million and': 264796, 'million and already': 532064, 'and already had': 57934, 'already had access': 47389, 'access to wealth': 28297, 'to wealth before': 918416, 'wealth before covid': 974148, '19 even started': 6856, 'even started everyone': 284604, 'started everyone deserves': 794733, 'everyone deserves liveable': 286809, 'deserves liveable income': 238176, 'everyone cooked': 286792, 'cooked at': 202810, 'empty 24': 274737, '24 food': 15594, 'just imagine if': 469017, 'imagine if everyone': 416742, 'if everyone cooked': 414090, 'everyone cooked at': 286793, 'cooked at home': 202811, 'at home all': 98935, 'time the grocery': 897854, 'store shelf would': 810112, 'be empty 24': 114669, 'empty 24 food': 274738, 'agra': 38583, 'namaste': 551593, 'heartbreaking scene': 388400, 'famine from': 298438, 'from agra': 334417, 'agra where': 38588, 'where poor': 985115, 'poor man': 664220, 'collect milk': 186299, 'milk spilled': 531830, 'spilled on': 789377, 'hungry when': 411326, 'and intensify': 65312, 'intensify namaste': 441120, 'namaste trump': 551595, 'well spend': 978575, 'spend crown': 788597, 'crown on': 219424, 'on flower': 600828, 'his roadshow': 397764, 'heartbreaking scene of': 388401, 'scene of famine': 741347, 'of famine from': 583415, 'famine from across': 298439, 'from across india': 334385, 'across india this': 29350, 'india this one': 434650, 'this one is': 889241, 'one is from': 606508, 'is from agra': 447941, 'from agra where': 334418, 'agra where poor': 38589, 'where poor man': 985116, 'poor man is': 664221, 'man is trying': 512125, 'trying to collect': 934779, 'to collect milk': 902970, 'collect milk spilled': 186300, 'milk spilled on': 531831, 'spilled on the': 789378, 'street is it': 813010, 'it really that': 460657, 'really that hard': 702645, 'that hard to': 844187, 'hard to feed': 378063, 'the hungry when': 857757, 'hungry when we': 411328, 'we can plan': 970988, 'can plan and': 159243, 'plan and intensify': 658061, 'and intensify namaste': 65313, 'intensify namaste trump': 441121, 'namaste trump so': 551596, 'trump so well': 933853, 'so well spend': 778699, 'well spend crown': 978576, 'spend crown on': 788598, 'crown on flower': 219425, 'on flower for': 600829, 'flower for his': 311292, 'for his roadshow': 322310, 'end economic': 275812, 'slower compared': 774504, 'possible oil': 665725, 'the pandemic end': 862958, 'pandemic end economic': 635379, 'end economic recovery': 275813, 'be slower compared': 117223, 'slower compared to': 774505, 'is possible oil': 450950, 'possible oil price': 665726, 'the negative much': 861419, 'is being made': 446094, 'being made worse': 125414, 'just always': 468176, 'always work': 49808, 'out but what': 625803, 'what do ya': 981355, 'do ya know': 250608, 'ya know shit': 1014006, 'know shit just': 476711, 'shit just always': 759159, 'just always work': 468177, 'always work out': 49809, 'work out for': 1005580, 'out for me': 626138, 'for me no': 323327, 'me no pun': 523219, 'finally well': 306138, 'done auspol': 254788, 'finally well done': 306139, 'well done auspol': 978176, 'southphilly': 786905, 'war era': 966424, 'era communist': 280033, 'communist russian': 189680, 'russian bread': 728615, 'or waiting': 617704, 'in southphilly': 428156, 'southphilly lol': 786906, 'lol coronapocolypse': 500889, 'cold war era': 185802, 'war era communist': 966425, 'era communist russian': 280034, 'communist russian bread': 189681, 'russian bread line': 728616, 'bread line or': 138517, 'line or waiting': 493342, 'or waiting to': 617705, 'store in southphilly': 808393, 'in southphilly lol': 428157, 'southphilly lol coronapocolypse': 786907, 'tiernay': 895787, 'chris tiernay': 178062, 'tiernay president': 895788, 'chief operating': 175951, 'operating officer': 613087, 'at coating': 98286, 'coating manufacturer': 185149, 'manufacturer talk': 513520, 'about industry': 25531, 'industry leadership': 435962, 'why oil': 991253, 'big factor': 129774, 'factor to': 295909, 'watch during': 968390, 'any potential': 79675, 'potential recovery': 667128, 'chris tiernay president': 178063, 'tiernay president and': 895789, 'president and chief': 670759, 'and chief operating': 59824, 'chief operating officer': 175952, 'operating officer at': 613088, 'officer at coating': 595640, 'at coating manufacturer': 98287, 'coating manufacturer talk': 185150, 'manufacturer talk to': 513521, 'to about industry': 899913, 'about industry leadership': 25532, 'industry leadership during': 435963, 'crisis and why': 217061, 'and why oil': 75632, 'why oil price': 991254, 'price are big': 672641, 'are big factor': 84975, 'big factor to': 129775, 'factor to watch': 295910, 'to watch during': 918381, 'watch during any': 968391, 'during any potential': 262463, 'any potential recovery': 79676, 'astro': 97248, 'amigouk': 52840, 'astro amigouk': 97249, 'amigouk it': 52841, 'it both': 456906, 'both disgusting': 135894, 'and shameful': 71370, 'shameful to': 754709, 'charge inflated': 173267, 'item intended': 463378, 'astro amigouk it': 97250, 'amigouk it both': 52842, 'it both disgusting': 456907, 'both disgusting and': 135895, 'disgusting and shameful': 245392, 'and shameful to': 71371, 'shameful to charge': 754710, 'to charge inflated': 902642, 'charge inflated price': 173268, 'price for item': 673984, 'for item intended': 322754, 'item intended to': 463379, 'intended to stop': 441062, '19 the government': 11199, 'the government really': 856591, 'government really need': 360511, 'glee': 351677, 'deep down': 231876, 'down think': 257338, 'are rubbing': 89750, 'rubbing their': 726976, 'with glee': 998614, 'glee at': 351678, 'carnage unfolding': 164782, 'unfolding in': 941520, 'deep down think': 231877, 'down think supermarket': 257339, 'think supermarket boss': 885577, 'boss are rubbing': 135735, 'are rubbing their': 89751, 'rubbing their hand': 726977, 'their hand with': 873489, 'hand with glee': 376007, 'with glee at': 998615, 'glee at the': 351679, 'at the carnage': 100901, 'the carnage unfolding': 850431, 'carnage unfolding in': 164783, 'unfolding in their': 941521, 'nevermind': 558302, 'no vegetable': 565834, 'flour no': 311139, 'roll nevermind': 725395, 'nevermind we': 558303, 'starvation covered': 795161, 'in shit': 427887, 'supermarket no vegetable': 821622, 'no vegetable no': 565835, 'vegetable no milk': 954048, 'no flour no': 564239, 'flour no loo': 311140, 'loo roll nevermind': 502190, 'roll nevermind we': 725396, 'nevermind we re': 558304, 'of starvation covered': 590056, 'starvation covered in': 795162, 'covered in shit': 212423, 'londoner defy': 501243, 'defy stay': 232507, 'home instruction': 401433, 'instruction listen': 440561, 'live music': 495926, 'sun today': 818086, 'richmond london': 721364, 'london many': 501131, 'ignored lockdown': 415878, 'sunbathe enjoy': 818104, 'picnic stayhomesavelives': 656080, 'stayhomesavelives staysafestayhome': 798464, 'staysafestayhome licence': 799000, 'licence vid': 488117, 'londoner defy stay': 501244, 'defy stay at': 232508, 'at home instruction': 99015, 'home instruction listen': 401434, 'instruction listen to': 440562, 'listen to live': 494742, 'to live music': 909343, 'live music in': 495927, 'the sun today': 868414, 'sun today in': 818087, 'today in richmond': 919688, 'in richmond london': 427503, 'richmond london many': 721365, 'london many ignored': 501132, 'many ignored lockdown': 514155, 'ignored lockdown guideline': 415879, 'lockdown guideline to': 499438, 'guideline to sunbathe': 368491, 'to sunbathe enjoy': 915754, 'sunbathe enjoy picnic': 818105, 'enjoy picnic stayhomesavelives': 277171, 'picnic stayhomesavelives staysafestayhome': 656081, 'stayhomesavelives staysafestayhome licence': 798465, 'staysafestayhome licence vid': 799001, 'country cre': 210567, 'retail realestate': 718435, 'realestate health': 701479, 'the country cre': 852060, 'country cre retail': 210568, 'cre retail realestate': 215513, 'retail realestate health': 718436, 'production worker': 682284, 'provider include': 686743, 'include them': 431645, 'declaration so': 231168, 'on feeding': 600776, 'crisis ufcw': 218279, 'pharmacy and food': 654211, 'food production worker': 316053, 'production worker are': 682285, 'are emergency service': 86118, 'emergency service provider': 272965, 'service provider include': 752730, 'provider include them': 686744, 'include them in': 431646, 'the emergency declaration': 854223, 'emergency declaration so': 272658, 'declaration so we': 231169, 'keep on feeding': 471701, 'on feeding america': 600777, 'feeding america during': 302453, 'america during this': 51500, 'this crisis ufcw': 887102, 'stop bringing their': 804512, 'news amazon': 560218, 'fox news amazon': 330761, 'news amazon offer': 560219, 'food demand via': 314181, 'michigan so': 530372, 'risk need': 723706, 'themselves what': 876934, 'people kag2020': 648568, 'michigan so if': 530373, 'so if your': 777360, 'or family member': 615267, 'member who is': 528243, 'high risk need': 395364, 'risk need something': 723707, 'need something from': 555609, 'something from grocery': 784914, 'or pharmacy the': 616583, 'pharmacy the just': 654503, 'the just have': 858717, 'get it themselves': 347428, 'it themselves what': 461601, 'themselves what you': 876935, 'what you must': 982683, 'you must help': 1019922, 'must help these': 546715, 'help these people': 390727, 'these people kag2020': 880448, 'door much': 255656, 'everyday make': 286598, 'always on': 49669, 'sanitizer am': 734355, 'nearest future': 553711, 'future 19': 342248, 'in door much': 422368, 'door much you': 255657, 'buy food stuff': 148675, 'stuff and stock': 815009, 'and stock your': 72421, 'stock your kitchen': 803230, 'your kitchen and': 1024579, 'kitchen and if': 475692, 'out everyday make': 626031, 'everyday make sure': 286599, 'sure your face': 827881, 'mask is always': 518864, 'is always on': 445597, 'always on and': 49670, 'on and have': 599357, 'hand sanitizer am': 375297, 'sanitizer am scared': 734357, 'for the nearest': 326576, 'the nearest future': 861359, 'nearest future 19': 553712, 'run during': 727611, 'an era': 55802, 'of lean': 585761, 'lean it': 483880, 'accommodate huge': 28429, 'discrete surge': 244750, 'store run during': 809918, 'run during in': 727612, 'during in an': 262716, 'in an era': 420301, 'an era of': 55803, 'era of lean': 280071, 'of lean it': 585762, 'lean it difficult': 483881, 'difficult to accommodate': 242327, 'to accommodate huge': 899970, 'accommodate huge discrete': 28430, 'huge discrete surge': 410034, 'discrete surge in': 244751, 'demand at store': 235046, 'at store but': 100648, 'chain is still': 170846, 'is still strong': 452314, 'still strong via': 801243, 'goodread': 358081, 'calling love': 156599, 'toiletpaper denver': 921917, 'denver goodread': 237120, 'good read what': 357625, 'read what some': 700654, 'what some are': 982216, 'some are calling': 782313, 'are calling love': 85149, 'calling love and': 156600, 'love and toilet': 504602, 'the coronavirus toiletpaper': 851934, 'coronavirus toiletpaper denver': 206956, 'toiletpaper denver goodread': 921918, 'still shocked': 801183, 'working without': 1009075, 'now employee': 574597, 'asymptomatic while': 97335, 'still shocked by': 801184, 'number of toronto': 577005, 'toronto supermarket employee': 926000, 'employee working without': 274471, 'working without some': 1009076, 'without some sort': 1002926, 'sort of mask': 786129, 'of mask we': 586281, 'mask we all': 519507, 'all know by': 43328, 'know by now': 476321, 'by now employee': 153372, 'now employee can': 574598, 'employee can be': 273703, 'can be asymptomatic': 157585, 'be asymptomatic while': 113723, 'asymptomatic while spreading': 97336, 'brooklynmadison': 140998, 'lalockdown': 479144, 'lockdownmemes': 500321, 'tiktokers': 895930, 'lately all': 480944, 'get cute': 346847, 'store brooklynmadison': 806767, 'brooklynmadison wuhanchina': 140999, 'wuhanchina losangeles': 1013530, 'losangeles lalockdown': 503400, 'lalockdown lockdown2020': 479145, 'lockdown2020 lockdownmemes': 500196, 'lockdownmemes groceryshopping': 500322, 'groceryshopping tiktokers': 366287, 'lately all do': 480945, 'all do is': 42591, 'is get cute': 448019, 'get cute to': 346848, 'grocery store brooklynmadison': 365258, 'store brooklynmadison wuhanchina': 806768, 'brooklynmadison wuhanchina losangeles': 141000, 'wuhanchina losangeles lalockdown': 1013531, 'losangeles lalockdown lockdown2020': 503401, 'lalockdown lockdown2020 lockdownmemes': 479146, 'lockdown2020 lockdownmemes groceryshopping': 500197, 'lockdownmemes groceryshopping tiktokers': 500323, 'plan2020': 658369, 'since economist': 770575, 'economist are': 267521, 'underlying slayer': 940494, 'slayer of': 773732, 'total evaporation': 926160, 'demand except': 235306, 'back must': 107152, 'be through': 117710, 'through demand': 894415, 'demand plan2020': 236032, 'time since economist': 897667, 'since economist are': 770576, 'economist are starting': 267522, 'starting to talk': 795043, 'about the underlying': 26550, 'the underlying slayer': 870357, 'underlying slayer of': 940495, 'slayer of the': 773733, 'economy the total': 268276, 'the total evaporation': 869813, 'total evaporation of': 926161, 'evaporation of demand': 283774, 'of demand except': 582502, 'demand except for': 235307, 'except for hand': 289161, 'paper the way': 640883, 'way back must': 969482, 'back must be': 107153, 'must be through': 546553, 'be through demand': 117711, 'through demand plan2020': 894416, 'from doubling': 335200, 'doubling their': 256174, 'up thought': 946295, 'wa time': 963512, 'selfish is': 748151, 'selfish doe': 748078, 'stop supermarket and': 805091, 'and shop from': 71498, 'shop from doubling': 760223, 'from doubling their': 335201, 'doubling their price': 256175, 'price up thought': 677264, 'up thought this': 946296, 'this wa time': 891092, 'wa time to': 963513, 'time to come': 897966, 'other but no': 619922, 'but no selfish': 146499, 'no selfish is': 565450, 'selfish is selfish': 748152, 'is selfish doe': 451743, 'eattherich': 266398, 'low paying': 505481, 'paying worker': 645526, 'cleaner grocery': 180784, 'store warehouse': 811149, 'worker recently': 1007672, 'recently eattherich': 704085, 'eattherich jeffbezos': 266399, 'you done for': 1018340, 'done for low': 254843, 'for low paying': 323129, 'low paying worker': 505482, 'paying worker like': 645527, 'like nurse cleaner': 490892, 'nurse cleaner grocery': 577245, 'cleaner grocery store': 180785, 'grocery store warehouse': 365929, 'store warehouse worker': 811151, 'warehouse worker recently': 966826, 'worker recently eattherich': 1007673, 'recently eattherich jeffbezos': 704086, 'yorkie': 1016715, 'the yorkie': 872195, 'yorkie and': 1016716, 'read panicshopping': 700530, 'panicbuyinguk asda': 639131, 'asda homebargains': 94926, 'homebargains toiletpapercrisis': 402599, 'toiletpapercrisis handsanitizer': 923028, 'been looking into': 121483, 'looking into panic': 502944, 'uk and issue': 938173, 'and issue caused': 65473, 'caused by it': 167846, 'by it go': 152943, 'it go by': 458257, 'go by the': 353399, 'by the yorkie': 154487, 'the yorkie and': 872196, 'yorkie and give': 1016717, 'it read panicshopping': 460612, 'read panicshopping panicbuyinguk': 700531, 'panicshopping panicbuyinguk asda': 639446, 'panicbuyinguk asda homebargains': 639132, 'asda homebargains toiletpapercrisis': 94927, 'homebargains toiletpapercrisis handsanitizer': 402600, 'added gift': 31562, 'still spoil': 801217, 'spoil your': 789690, 'gift future': 349983, 'future you': 342533, 'spree head': 791137, 've just added': 953293, 'just added gift': 468152, 'added gift card': 31563, 'card to our': 163682, 'to our online': 911224, 'online shop so': 608988, 'shop so you': 760809, 'can still spoil': 159795, 'still spoil your': 801218, 'spoil your friend': 789691, 'and family during': 62657, 'lockdown or gift': 499747, 'or gift future': 615451, 'gift future you': 349984, 'future you with': 342535, 'you with shopping': 1022388, 'with shopping spree': 1000700, 'shopping spree head': 763956, 'spree head over': 791138, 'head over to': 385808, 'over to our': 630840, 'store via the': 811063, 'covering our': 212482, 'we venture': 973721, 'nyc this': 578060, 'what wore': 982627, 'wore to': 1004683, 'yesterday bandana': 1015689, 'mask newnormal': 519000, 'newnormal nyc': 560142, 'be covering our': 114267, 'covering our face': 212483, 'face when we': 294851, 'when we venture': 984471, 'we venture out': 973722, 'venture out in': 954680, 'out in nyc': 626389, 'in nyc this': 426028, 'nyc this is': 578061, 'is what wore': 453906, 'what wore to': 982628, 'wore to the': 1004684, 'supermarket yesterday bandana': 824166, 'yesterday bandana mask': 1015690, 'bandana mask newnormal': 109379, 'mask newnormal nyc': 519001, 'gov ron': 359683, 'desantis continues': 237899, 'resist call': 714562, 'down florida': 256757, 'florida to': 310990, 'with powerful': 1000272, 'powerful constituency': 667773, 'constituency big': 195723, 'gov ron desantis': 359684, 'ron desantis continues': 725771, 'desantis continues to': 237900, 'continues to resist': 201490, 'to resist call': 913356, 'resist call to': 714563, 'call to shut': 156188, 'shut down florida': 767824, 'down florida to': 256758, 'florida to prevent': 310991, 'of coronavirus he': 581943, 'coronavirus he been': 206057, 'been in close': 121337, 'contact with powerful': 200284, 'with powerful constituency': 1000273, 'powerful constituency big': 667774, 'constituency big business': 195724, 'ag on': 36827, 'protection fight': 685436, 'ag on the': 36828, 'consumer protection fight': 198529, 'available dashboard': 104310, 'show such': 767159, 'such impact': 816565, 'selected consumer': 747492, 'good category': 356874, 'country check': 210541, 'is made available': 449504, 'made available dashboard': 507645, 'available dashboard to': 104311, 'dashboard to show': 226086, 'to show such': 914574, 'show such impact': 767160, 'such impact on': 816566, 'impact on commerce': 417831, 'on commerce price': 599978, 'commerce price and': 188617, 'price and product': 672502, 'and product availability': 69564, 'availability for selected': 104139, 'for selected consumer': 325416, 'selected consumer good': 747493, 'consumer good category': 197603, 'good category in': 356875, 'category in 40': 167185, 'in 40 country': 419927, '40 country check': 18557, 'country check it': 210542, 're pleased': 699274, 'pleased that': 660795, 'platform have': 658974, 'have promptly': 382077, 'promptly reacted': 683967, 'we re pleased': 972936, 're pleased that': 699275, 'pleased that online': 660796, 'that online platform': 845511, 'online platform have': 608765, 'platform have promptly': 658975, 'have promptly reacted': 382078, 'promptly reacted to': 683968, 'reacted to commission': 700160, 'to commission and': 903078, 'commission and call': 188789, 'call to stop': 156191, 'stop scam and': 804980, 'scam and protect': 740013, 'protect consumer consumerprotection': 684802, 'biosecurity': 131252, 'shopping good': 762798, 'good being': 356825, 'purchased from': 689776, 'overseas but': 631465, 'good may': 357376, 'permitted they': 652181, 'they pose': 882892, 'pose biosecurity': 665089, 'biosecurity risk': 131253, '19 may lead': 8580, 'online shopping good': 609135, 'shopping good being': 762799, 'good being purchased': 356826, 'being purchased from': 125608, 'purchased from overseas': 689777, 'from overseas but': 336818, 'overseas but some': 631466, 'but some good': 147093, 'some good may': 782969, 'good may not': 357377, 'not be permitted': 568433, 'be permitted they': 116401, 'permitted they pose': 652182, 'they pose biosecurity': 882893, 'pose biosecurity risk': 665090, 'biosecurity risk to': 131254, 'risk to learn': 723965, 'expected that': 290952, 'that bitcoin': 842991, 'rise sharply': 722995, 'and amid': 58069, 'gold it': 355916, 'didn doe': 241038, 'digital gold': 242575, 'gold theory': 356023, 'theory ha': 877847, 'ha proved': 371559, 'proved wrong': 686145, 'necessarily gt': 553920, 'it wa expected': 462108, 'wa expected that': 962092, 'expected that bitcoin': 290953, 'that bitcoin price': 842992, 'bitcoin price would': 131834, 'would rise sharply': 1012199, 'rise sharply with': 722997, 'sharply with news': 755776, 'corona crisis and': 203903, 'crisis and amid': 217012, 'and amid falling': 58070, 'amid falling stock': 52464, 'stock price but': 802706, 'price but like': 672980, 'but like gold': 146274, 'like gold it': 490327, 'gold it didn': 355917, 'it didn doe': 457537, 'didn doe that': 241039, 'that mean the': 845121, 'mean the digital': 524693, 'the digital gold': 853285, 'digital gold theory': 242576, 'gold theory ha': 356024, 'theory ha proved': 877848, 'ha proved wrong': 371560, 'proved wrong not': 686146, 'wrong not necessarily': 1013068, 'not necessarily gt': 570626, 'necessarily gt gt': 553921, 'foodservices': 318117, 'diner foodservices': 242981, 'older diner foodservices': 598595, 'cohosted': 185600, 'next tuesday': 561643, '14 at': 3423, '00pm for': 691, 'for discussion': 320746, 'held online': 388914, 'and cohosted': 60057, 'cohosted with': 185601, 'with register': 1000440, 'join on next': 466798, 'on next tuesday': 602399, 'next tuesday april': 561644, 'april 14 at': 83414, '14 at 00pm': 3424, 'at 00pm for': 97362, '00pm for discussion': 692, 'for discussion on': 320747, 'discussion on the': 245038, 'on the changing': 604018, 'consumer and practice': 196235, 'and practice in': 69302, 'practice in japan': 668591, 'japan in the': 464742, '19 this event': 11342, 'this event will': 887454, 'event will be': 285108, 'be held online': 115193, 'held online and': 388915, 'online and cohosted': 607809, 'and cohosted with': 60058, 'cohosted with register': 185602, 'with register here': 1000441, 'zenobia daughter': 1027380, 'daughter caught': 226832, 'caught working': 167478, 'hospital tried': 404692, 'tried hydroxychloroquine': 931789, 'on continuous': 600095, 'continuous drip': 201592, 'drip but': 258959, 'she asks': 755865, 'asks who': 96171, 'zenobia daughter caught': 1027381, 'daughter caught working': 226833, 'caught working at': 167479, 'working at giant': 1008522, 'she say the': 756325, 'say the hospital': 739282, 'the hospital tried': 857539, 'hospital tried hydroxychloroquine': 404693, 'tried hydroxychloroquine on': 931790, 'hydroxychloroquine on continuous': 412007, 'on continuous drip': 600096, 'continuous drip but': 201593, 'drip but it': 258960, 'but it did': 146117, 'did not work': 240739, 'not work she': 572537, 'work she asks': 1005711, 'she asks who': 755866, 'asks who is': 96172, 'helping the essential': 391492, 'have ground': 380846, 'to virtual': 918190, 'virtual halt': 957747, 'halt in': 374439, 'in stricken': 428501, 'stricken italy': 813601, 'shopping service have': 763844, 'service have ground': 752449, 'have ground to': 380847, 'ground to virtual': 366547, 'to virtual halt': 918191, 'virtual halt in': 957748, 'halt in stricken': 374440, 'in stricken italy': 428502, 'stricken italy it': 813602, 'parlour': 642176, 'one must': 606699, 'close love': 182714, 'how massage': 408302, 'massage parlour': 519943, 'parlour have': 642177, 'been specified': 122012, 'specified your': 788309, 'shoulder etc': 766690, 'remain tight': 709884, 'tight for': 895823, 'list of which': 494493, 'of which consumer': 593101, 'which consumer business': 985764, 'consumer business can': 196670, 'business can open': 143494, 'open and which': 612086, 'which one must': 986201, 'one must close': 606700, 'must close love': 546588, 'close love how': 182715, 'love how massage': 504695, 'how massage parlour': 408303, 'massage parlour have': 519944, 'parlour have been': 642178, 'have been specified': 379690, 'been specified your': 122013, 'specified your shoulder': 788310, 'your shoulder etc': 1025798, 'shoulder etc are': 766691, 'etc are going': 282422, 'have to remain': 383278, 'to remain tight': 913175, 'remain tight for': 709885, 'tight for while': 895824, 'payment fee': 645615, 'and paused': 68785, 'paused disconnection': 644631, 'disconnection to': 244421, 'consumer connected': 196942, 'connected phone': 194658, 'vital during': 959678, 'time action': 896199, 'done to who': 255080, 'to who have': 918570, 'have joined in': 381184, 'joined in waiving': 466939, 'in waiving late': 430652, 'waiving late payment': 964565, 'late payment fee': 480907, 'payment fee and': 645616, 'fee and paused': 302138, 'and paused disconnection': 68786, 'paused disconnection to': 644632, 'disconnection to keep': 244422, 'keep consumer connected': 471421, 'consumer connected phone': 196943, 'connected phone and': 194659, 'and internet service': 65333, 'internet service are': 442018, 'service are vital': 752147, 'are vital during': 91492, 'vital during these': 959679, 'challenging time action': 171628, 'lioh': 494023, 'module': 535528, 'lem': 486161, 'like making': 490692, 'the lioh': 859451, 'lioh canister': 494024, 'canister from': 161369, 'the command': 851205, 'command module': 188325, 'module to': 535529, 'the lem': 859286, 'lem newnormal': 486162, 'newnormal 3dprinting': 560135, '3dprinting sarscov2': 18264, 'store it like': 808582, 'it like making': 459368, 'like making the': 490693, 'making the lioh': 511419, 'the lioh canister': 859452, 'lioh canister from': 494025, 'canister from the': 161370, 'from the command': 337645, 'the command module': 851206, 'command module to': 188326, 'module to work': 535530, 'in the lem': 429314, 'the lem newnormal': 859287, 'lem newnormal 3dprinting': 486163, 'newnormal 3dprinting sarscov2': 560136, 'new uk': 559798, 'uk taskforce': 938793, 'on profiteer': 602961, 'profiteer cma': 682952, 'cma to': 184654, 'against trader': 37713, 'trader raising': 928755, 'new uk taskforce': 559799, 'uk taskforce to': 938794, 'taskforce to crack': 834753, 'down on profiteer': 257032, 'on profiteer cma': 602962, 'profiteer cma to': 682953, 'cma to act': 184655, 'to act against': 900007, 'act against trader': 29585, 'against trader raising': 37714, 'trader raising price': 928756, 'on good such': 601149, 'good such hand': 357793, 'such hand sanitiser': 816538, 'subcultured': 815708, 'brutalized': 141417, 'nurse outside': 577447, 'outside 14': 629357, 'been dismantled': 120994, 'dismantled it': 245984, 'become subcultured': 120142, 'subcultured brutalized': 815709, 'brutalized confrontational': 141418, 'confrontational little': 194298, 'clip of nurse': 182367, 'of nurse outside': 587115, 'nurse outside 14': 577448, 'outside 14 hour': 629358, 'ha been dismantled': 369784, 'been dismantled it': 120995, 'dismantled it doesn': 245985, 'it doesn surprise': 457643, 'surprise me that': 828539, 'that this country': 846986, 'ha become subcultured': 369697, 'become subcultured brutalized': 120143, 'subcultured brutalized confrontational': 815710, 'brutalized confrontational little': 141419, 'confrontational little rock': 194299, 'displeasure': 246226, 'item look': 463436, 'of displeasure': 582699, 'displeasure put': 246227, 'rack cannot': 695342, 'just calculate': 468405, 'will grab': 993569, 'grab on': 361519, 'such item': 816585, 'but unaware': 147645, 'unaware sanitize': 939482, 'where mask': 985017, 'come into supermarket': 187393, 'into supermarket grab': 443045, 'supermarket grab an': 820559, 'grab an item': 361459, 'an item look': 56498, 'item look at': 463437, 'it and because': 456484, 'because of displeasure': 119331, 'of displeasure put': 582700, 'displeasure put it': 246228, 'in the rack': 429495, 'the rack cannot': 865092, 'rack cannot just': 695343, 'cannot just calculate': 161978, 'just calculate how': 468406, 'calculate how many': 155295, 'more will grab': 540988, 'will grab on': 993570, 'grab on such': 361520, 'on such item': 603738, 'such item in': 816586, 'item in day': 463343, 'in day what': 422025, 'day what if': 228715, 'what if am': 981622, 'if am covid': 413803, '19 positive but': 9751, 'positive but unaware': 665270, 'but unaware sanitize': 147646, 'unaware sanitize and': 939483, 'sanitize and where': 734168, 'and where mask': 75538, 'where mask to': 985018, 'mask to supermarket': 519426, 'to supermarket let': 915810, 'supermarket let protect': 821299, 'let protect each': 486992, 'korean government': 477522, 'immediately suspend': 417150, 'suspend vat': 829597, 'vat excise': 952728, 'excise tax': 289518, 'tax duty': 834972, 'duty and': 263555, 'and tariff': 73038, '2020 thereby': 14651, 'thereby instantly': 879406, 'instantly reducing': 440134, 'and benefiting': 58898, 'benefiting everyone': 127160, 'kenya such': 472940, 'such action': 816308, 'now ameliorate': 574001, 'ameliorate the': 51373, 'harsh economic': 378558, 'the korean government': 858854, 'korean government should': 477523, 'government should immediately': 360605, 'should immediately suspend': 766118, 'immediately suspend vat': 417151, 'suspend vat excise': 829598, 'vat excise tax': 952729, 'excise tax duty': 289519, 'tax duty and': 834973, 'duty and tariff': 263556, 'and tariff on': 73039, 'tariff on all': 834610, 'on all good': 599231, 'all good service': 42979, 'good service at': 357709, 'service at least': 752157, 'least until june': 484681, '30 2020 thereby': 16934, '2020 thereby instantly': 14652, 'thereby instantly reducing': 879407, 'instantly reducing price': 440135, 'reducing price across': 706312, 'across the economy': 29494, 'economy and benefiting': 267638, 'and benefiting everyone': 58899, 'benefiting everyone in': 127161, 'everyone in kenya': 287042, 'in kenya such': 424482, 'kenya such action': 472941, 'such action will': 816309, 'action will now': 30202, 'will now ameliorate': 994293, 'now ameliorate the': 574002, 'ameliorate the harsh': 51375, 'the harsh economic': 857130, 'harsh economic effect': 378559, 'personalspace': 653065, 'bubblesoccer': 141635, 'and rolling': 70592, 'rolling hard': 725673, 'hard we': 378102, 'taking social': 833570, 'level great': 487570, 'walk hike': 964796, 'hike and': 396196, 'run shelterinplace': 727798, 'shelterinplace personalspace': 758014, 'personalspace socialdistancing': 653066, 'socialdistancing bubblesoccer': 780257, 'find my family': 307080, 'family and rolling': 297601, 'and rolling hard': 70593, 'rolling hard we': 725674, 'hard we re': 378103, 're taking social': 699656, 'taking social distancing': 833571, 'distancing to the': 247571, 'the next level': 861675, 'next level great': 561428, 'level great for': 487571, 'great for walk': 362686, 'for walk hike': 327621, 'walk hike and': 964797, 'hike and grocery': 396197, 'store run shelterinplace': 809936, 'run shelterinplace personalspace': 727799, 'shelterinplace personalspace socialdistancing': 758015, 'personalspace socialdistancing bubblesoccer': 653067, 'when opened': 983809, 'my largest': 548973, 'had 30': 372805, '30 gallon': 17060, '40 carton': 18544, 'egg panic': 269945, 'creates shortage': 215963, 'shortage even': 764931, 'confinement you': 194082, 'buying when opened': 151348, 'when opened my': 983810, 'opened my largest': 612742, 'my largest grocery': 548974, 'only had 30': 610558, 'had 30 gallon': 372806, '30 gallon of': 17061, 'milk and 40': 531554, 'and 40 carton': 57470, '40 carton of': 18545, 'of egg panic': 582997, 'egg panic buying': 269946, 'buying creates shortage': 150164, 'creates shortage even': 215964, 'shortage even if': 764932, 'are in confinement': 87364, 'in confinement you': 421653, 'confinement you can': 194083, 'can shop just': 159606, 'shop just take': 760381, 'just take some': 469944, 'take some distance': 832598, 'some distance and': 782695, 'distance and everything': 246635, 'kuppy': 477947, 'kuppy what': 477948, 'what were': 982579, 'variable that': 952535, 'that kicked': 844817, 'last tanker': 480532, 'tanker boom': 834245, 'boom cycle': 134805, 'cycle see': 224065, 'see fro': 745136, 'fro ran': 334139, 'ran from': 696496, 'from 2002': 334230, '2002 to': 13579, '2008 but': 13647, 'wa boom': 961729, 'opposite to': 613813, 'today notwithstanding': 919949, 'notwithstanding covid': 573657, 'kuppy what were': 477949, 'what were the': 982580, 'were the variable': 980246, 'the variable that': 870642, 'variable that kicked': 952536, 'that kicked off': 844818, 'kicked off the': 473814, 'off the last': 594251, 'the last tanker': 859045, 'last tanker boom': 480533, 'tanker boom cycle': 834246, 'boom cycle see': 134806, 'cycle see fro': 224066, 'see fro ran': 745137, 'fro ran from': 334140, 'ran from 2002': 696497, 'from 2002 to': 334231, '2002 to 2008': 13580, 'to 2008 but': 899591, '2008 but that': 13648, 'that wa boom': 847277, 'wa boom period': 961730, 'boom period in': 134818, 'period in oil': 651790, 'price and china': 672379, 'and china growth': 59851, 'china growth so': 176685, 'growth so the': 367458, 'so the opposite': 778434, 'the opposite to': 862419, 'opposite to today': 613815, 'to today notwithstanding': 917612, 'today notwithstanding covid': 919950, 'notwithstanding covid 19': 573658, 'swooped': 830626, 'gunfight': 368776, 'maruchan': 518129, 'swooped in': 830627, 'delivery rpg': 234403, 'rpg fortnite': 726665, 'fortnite fun': 329858, 'fun gunfight': 341173, 'gunfight quarantine': 368777, 'quarantine bored': 692054, 'bored relaxation': 135373, 'relaxation airline': 708841, 'airline battle': 39930, 'battle animalcrossing': 112782, 'animalcrossing doometernal': 76697, 'doometernal toiletpaper': 255460, 'toiletpaper dowjones': 921924, 'dowjones stock': 256356, 'stock art': 801867, 'art cdc': 94148, 'cdc poetry': 168602, 'poetry sanitize': 662382, 'sanitize nfl': 734200, 'nba ramennoodles': 553215, 'ramennoodles maruchan': 696395, 'maruchan via': 518130, 'swooped in special': 830628, 'in special delivery': 428188, 'special delivery rpg': 787886, 'delivery rpg fortnite': 234404, 'rpg fortnite fun': 726666, 'fortnite fun gunfight': 329859, 'fun gunfight quarantine': 341174, 'gunfight quarantine bored': 368778, 'quarantine bored relaxation': 692055, 'bored relaxation airline': 135374, 'relaxation airline battle': 708842, 'airline battle animalcrossing': 39931, 'battle animalcrossing doometernal': 112783, 'animalcrossing doometernal toiletpaper': 76698, 'doometernal toiletpaper dowjones': 255461, 'toiletpaper dowjones stock': 921925, 'dowjones stock art': 256357, 'stock art cdc': 801868, 'art cdc poetry': 94149, 'cdc poetry sanitize': 168603, 'poetry sanitize nfl': 662383, 'sanitize nfl nba': 734201, 'nfl nba ramennoodles': 561780, 'nba ramennoodles maruchan': 553216, 'ramennoodles maruchan via': 696396, 'and disparity': 61469, 'disparity circulating': 246093, 'circulating due': 178678, 'the theft': 869414, 'theft of': 872358, 'money identity': 536819, 'identity and': 413399, 'other personal': 620707, 'unfortunately the chaos': 941646, 'chaos and disparity': 172990, 'and disparity circulating': 61470, 'disparity circulating due': 246094, 'circulating due to': 178679, 'coronavirus ha caused': 206020, 'people to fall': 649900, 'to fall victim': 905644, 'victim to many': 956522, 'to many scam': 909830, 'many scam that': 514662, 'scam that result': 740400, 'in the theft': 429602, 'the theft of': 869415, 'theft of money': 872359, 'of money identity': 586608, 'money identity and': 536820, 'identity and other': 413400, 'and other personal': 68379, 'other personal information': 620708, 'figurative': 305175, 'embroidery': 272515, 'fuckthis': 340082, 'of figurative': 583506, 'figurative as': 305176, 'as paper': 94793, 'paper acrylic': 639765, 'acrylic and': 29565, 'and embroidery': 62032, 'embroidery on': 272516, 'canvas toiletpaper': 162392, 'toiletpaper fuckthis': 922018, 'plethora of figurative': 661019, 'of figurative as': 583507, 'figurative as paper': 305177, 'as paper acrylic': 94794, 'paper acrylic and': 639766, 'acrylic and embroidery': 29566, 'and embroidery on': 62033, 'embroidery on canvas': 272517, 'on canvas toiletpaper': 599808, 'canvas toiletpaper fuckthis': 162393, 'question since covid': 693740, '19 outbreak how': 9136, 'outbreak how will': 628321, 'hangin': 376956, 'ireland question': 444845, 'question write': 693816, 'love most': 504724, 'now walk': 576319, 'the prom': 864658, 'prom go': 683648, 'pub stand': 687767, 'supermarket dont': 820006, 'dont bother': 255194, 'bother washing': 136131, 'not hangin': 569780, 'hangin with': 376957, 'ur friend': 948000, 'friend now': 333725, 'now put': 575627, 'put line': 690666, 'line through': 493475, 'through name': 894583, 'let die': 486674, 'die stayathome': 241459, 'ireland question write': 444846, 'question write the': 693817, 'write the name': 1012793, 'name of all': 551658, 'you love most': 1019730, 'love most in': 504725, 'most in the': 542438, 'world now walk': 1009847, 'now walk the': 576320, 'walk the prom': 964880, 'the prom go': 864659, 'prom go to': 683649, 'go to open': 354333, 'to open pub': 911004, 'open pub stand': 612471, 'pub stand close': 687768, 'stand close in': 793507, 'close in supermarket': 182674, 'in supermarket dont': 428586, 'supermarket dont bother': 820007, 'dont bother washing': 255195, 'bother washing hand': 136132, 'washing hand or': 967676, 'hand or not': 375154, 'or not hangin': 616298, 'not hangin with': 569781, 'hangin with ur': 376958, 'with ur friend': 1001923, 'ur friend now': 948001, 'friend now put': 333727, 'now put line': 575628, 'put line through': 690667, 'line through name': 493476, 'through name of': 894584, 'name of those': 551666, 'those who you': 892700, 'who you can': 990075, 'you can let': 1017714, 'can let die': 158866, 'let die stayathome': 486675, 'for trader': 327306, 'joe in': 466419, 'brooklyn american': 140969, 'panic drive': 638044, 'drive them': 259172, 'create dense': 215634, 'dense line': 237055, 'line infront': 493205, 'consumes why': 199795, 'up for trader': 944971, 'for trader joe': 327307, 'trader joe in': 928714, 'joe in brooklyn': 466420, 'in brooklyn american': 421004, 'brooklyn american are': 140970, 'american are asked': 51797, 'asked to practice': 95871, 'distancing the panic': 247535, 'the panic drive': 863199, 'panic drive them': 638045, 'drive them to': 259173, 'them to create': 876466, 'to create dense': 903704, 'create dense line': 215635, 'dense line infront': 237056, 'line infront of': 493206, 'infront of supermarket': 438246, 'and that in': 73193, 'that in country': 844448, 'country that produce': 211118, 'that produce more': 845857, 'food than it': 317077, 'than it consumes': 840796, 'it consumes why': 457297, 'valley oh': 951980, 'cannot hide': 161960, 'hide and': 394828, 'will chicken': 992933, 'hudson valley oh': 409916, 'valley oh we': 951981, 'oh we ll': 596477, 'we ll find': 972251, 'll find you': 496773, 'find you you': 307404, 'you you cannot': 1022480, 'you cannot hide': 1017866, 'cannot hide and': 161961, 'hide and if': 394829, 'do not the': 249866, 'not the will': 572044, 'the will chicken': 871570, 'will chicken shit': 992934, 'brook': 140962, 'succeeds': 816174, 'industry long': 435973, 'term goal': 838159, 'more monopoly': 539797, 'monopoly protection': 537440, 'more opportunity': 539953, 'charge ever': 173220, 'ever higher': 285355, 'price caution': 673099, 'caution prof': 168167, 'prof brook': 682342, 'brook baker': 140963, 'baker if': 108804, 'if industry': 414262, 'industry succeeds': 436128, 'succeeds we': 816175, 'will reap': 994577, 'reap the': 702814, 'the industry long': 858179, 'industry long term': 435974, 'long term goal': 501688, 'term goal are': 838160, 'goal are clear': 354559, 'are clear more': 85305, 'clear more monopoly': 181288, 'more monopoly protection': 539798, 'monopoly protection for': 537441, 'protection for longer': 685442, 'for longer period': 323095, 'of time and': 592165, 'time and more': 896282, 'and more opportunity': 67198, 'more opportunity to': 539954, 'to charge ever': 902635, 'charge ever higher': 173221, 'ever higher price': 285356, 'higher price caution': 395668, 'price caution prof': 673100, 'caution prof brook': 168168, 'prof brook baker': 682343, 'brook baker if': 140964, 'baker if industry': 108805, 'if industry succeeds': 414263, 'industry succeeds we': 436129, 'succeeds we will': 816176, 'we will reap': 973895, 'will reap the': 994578, 'reap the consequence': 702815, 'sb55': 739793, 'call make': 155979, 'it sb55': 460895, 'sb55 right': 739794, 'with in person': 998963, 'loved one let': 504916, 'one let stop': 606593, 'let stop charging': 487085, 'phone call make': 654926, 'call make them': 155980, 'did it sb55': 240667, 'it sb55 right': 460896, 'sb55 right this': 739795, 'right this wrong': 722323, 'london family': 501060, 'child is': 176121, 'meal you': 524315, 'voucher even': 960637, 'holiday please': 400348, 'reminder to london': 710602, 'to london family': 909416, 'london family if': 501061, 'family if your': 297911, 'your child is': 1023202, 'child is eligible': 176122, 'is eligible for': 447468, 'school meal you': 741864, 'meal you can': 524316, 'use the government': 949670, 'supermarket voucher even': 823671, 'voucher even in': 960639, 'in the easter': 429158, 'easter holiday please': 265449, 'holiday please share': 400349, 'share this message': 755288, 'this message in': 888840, 'message in case': 529342, 'case someone you': 166026, 'know is eligible': 476506, 'nutritious recipe': 577771, 'you active': 1016800, 'active maintaining': 30278, 'maintaining strong': 509135, 'strong immunity': 814046, 'immunity is': 417412, 'main precaution': 508795, 'take here': 832176, 'what ll': 981827, 'these nutritious recipe': 880359, 'nutritious recipe and': 577772, 'recipe and food': 704441, 'food supply will': 317018, 'supply will keep': 826111, 'keep you active': 472228, 'you active maintaining': 1016801, 'active maintaining strong': 30279, 'maintaining strong immunity': 509136, 'strong immunity is': 814047, 'immunity is one': 417413, 'the main precaution': 859910, 'main precaution to': 508796, 'to take here': 916184, 'take here what': 832177, 'here what ll': 393814, 'what ll help': 981828, 'help you even': 390969, 'you even we': 1018452, 'all cm': 42381, 'cm please': 184626, 'thing due': 884287, 'suffering about': 817281, 'respected pm and': 715106, 'pm and all': 661853, 'and all cm': 57859, 'all cm please': 42382, 'cm please take': 184627, 'action on home': 30094, 'on home need': 601353, 'home need price': 401650, 'need price there': 555468, 'price there too': 676885, 'much of price': 545196, 'increase in vegetable': 432879, 'in vegetable and': 430545, 'fruit and other': 339062, 'other thing due': 621104, 'thing due to': 884288, '19 people already': 9618, 'people already suffering': 646818, 'already suffering about': 47701, 'suffering about covid': 817282, '19 and again': 4983, 'and again they': 57772, 'again they will': 37224, 'will suffer from': 995022, 'suffer from high': 817207, 'from high rate': 335789, 'rate of homeneeds': 697316, 'homeneeds very soon': 402873, 'brexitdryrun': 139541, 'shopping gone': 762796, 'standstill is': 793853, 'norm brexitdryrun': 567032, 'me this online': 523717, 'this online shopping': 889265, 'online shopping gone': 609134, 'shopping gone crazy': 762797, 'gone crazy and': 356247, 'crazy and came': 215244, 'and came to': 59443, 'came to standstill': 157070, 'to standstill is': 915178, 'standstill is this': 793854, 'new norm brexitdryrun': 559139, 'balaclava': 108956, 'my balaclava': 547386, 'balaclava to': 108957, 'wore my balaclava': 1004674, 'my balaclava to': 547387, 'balaclava to the': 108958, 'grocery store staysafe': 365805, 'odds supermarket': 579217, 'point run': 662612, 'the best analysis': 849485, 'best analysis of': 127573, 'resulting lockdown will': 717716, 'lockdown will have': 500152, 'have on people': 381773, 'know the odds': 476838, 'the odds supermarket': 862041, 'odds supermarket in': 579218, 'importing country at': 419219, 'country at some': 210494, 'some point run': 783588, 'point run out': 662613, 'santiago': 736622, 'cristobal': 218496, 'saavedra': 728985, 'mask queue': 519172, 'cash desk': 166211, 'in santiago': 427702, 'santiago chile': 736623, 'chile aa': 176331, 'aa cristobal': 24081, 'cristobal saavedra': 218497, 'saavedra vogel': 728986, 'customer wearing protective': 223048, 'wearing protective mask': 974771, 'protective mask queue': 685783, 'mask queue at': 519173, 'the cash desk': 850474, 'cash desk of': 166212, 'desk of supermarket': 238458, 'of supermarket following': 590425, 'supermarket following the': 820353, 'outbreak and empty': 627993, 'shelf are seen': 756824, 'seen in santiago': 747082, 'in santiago chile': 427703, 'santiago chile aa': 736624, 'chile aa cristobal': 176332, 'aa cristobal saavedra': 24082, 'cristobal saavedra vogel': 218498, 'bejesus': 126084, 'is homemade': 448529, 'with grain': 998666, 'grain alcohol': 361758, 'alcohol instead': 41035, 'drunk with': 261223, 'the bejesus': 849451, 'bejesus belt': 126085, 'it is homemade': 458977, 'is homemade hand': 448530, 'sanitizer with grain': 736133, 'with grain alcohol': 998667, 'grain alcohol instead': 361759, 'alcohol instead of': 41036, 'isopropyl alcohol so': 455561, 'alcohol so the': 41108, 'so the amazing': 778414, 'the amazing thing': 848618, 'amazing thing about': 50803, 'can sanitize your': 159500, 'hand with it': 376010, 'afternoon and then': 36674, 'then get drunk': 877193, 'get drunk with': 346917, 'drunk with the': 261224, 'with the bejesus': 1001211, 'the bejesus belt': 849452, 'bejesus belt at': 126086, 'belt at night': 126794, 'martinsville': 518117, 'getting tough': 349413, 'tough when': 926878, 'rationing toilet': 697881, 'toiletpaper martinsville': 922221, 'martinsville help': 518118, 'know it getting': 476529, 'it getting tough': 458235, 'getting tough when': 349414, 'tough when is': 926879, 'when is rationing': 983618, 'is rationing toilet': 451242, 'rationing toilet paper': 697882, 'paper toiletpaper martinsville': 640949, 'toiletpaper martinsville help': 922222, 'martinsville help out': 518119, 'food buyer': 313847, 'buyer trying': 149786, 'charm were gone': 173789, 'were gone disappointment': 979693, 'of food buyer': 583663, 'food buyer trying': 313849, 'buyer trying to': 149787, 'change occur in': 172192, 'occur in the': 579019, 'spooking': 789859, 'stockmarkets': 803707, 'sundayreview': 818329, 'sundayintel': 818307, 'sundayreads': 818326, 'sundaymusings': 818320, 'sundaynight': 818323, 'getanalysis the': 348763, 'what spooking': 982231, 'spooking the': 789860, 'the stockmarkets': 867939, 'stockmarkets storeclosures': 803708, 'storeclosures sundaythoughts': 811715, 'sundaythoughts sundayreview': 818354, 'sundayreview sundayintel': 818330, 'sundayintel sundayreads': 818308, 'sundayreads sundaymusings': 818327, 'sundaymusings sundaymotivation': 818321, 'sundaymotivation sundaynight': 818318, 'sundaynight federalreserve': 818324, 'federalreserve usa': 302097, 'getanalysis the worst': 348764, 'worst is still': 1011210, 'is still to': 452318, 'come that what': 187523, 'that what spooking': 847468, 'what spooking the': 982232, 'spooking the stockmarkets': 789861, 'the stockmarkets storeclosures': 867940, 'stockmarkets storeclosures sundaythoughts': 803709, 'storeclosures sundaythoughts sundayreview': 811716, 'sundaythoughts sundayreview sundayintel': 818355, 'sundayreview sundayintel sundayreads': 818331, 'sundayintel sundayreads sundaymusings': 818309, 'sundayreads sundaymusings sundaymotivation': 818328, 'sundaymusings sundaymotivation sundaynight': 818322, 'sundaymotivation sundaynight federalreserve': 818319, 'sundaynight federalreserve usa': 818325, 'socialdistancing pakistan': 780585, 'pakistan trader': 634512, 'customer gather': 222409, 'gather to': 344402, 'to bargain': 901048, 'crowded vegetable': 219374, 'during government': 262666, 'lockdown preventive': 499809, 'in peshawar': 426659, 'peshawar stayathome': 653310, 'stayathome china': 797454, 'socialdistancing pakistan trader': 780586, 'pakistan trader and': 634513, 'trader and customer': 928649, 'and customer gather': 60843, 'customer gather to': 222410, 'gather to bargain': 344403, 'to bargain price': 901049, 'bargain price of': 111063, 'of commodity at': 581567, 'commodity at crowded': 189136, 'at crowded vegetable': 98378, 'crowded vegetable market': 219375, 'vegetable market during': 954030, 'market during government': 516320, 'during government imposed': 262667, 'nationwide lockdown preventive': 552745, 'lockdown preventive measure': 499810, 'against the in': 37663, 'the in peshawar': 858014, 'in peshawar stayathome': 426660, 'peshawar stayathome china': 653311, 'surrounding avoid': 828738, 'scam follow': 740162, 'fear surrounding avoid': 301348, 'surrounding avoid coronavirus': 828739, 'coronavirus scam follow': 206715, 'scam follow these': 740163, 'russian drive': 728627, 'energy decline': 276429, 'energy producer': 276554, 'producer need': 680661, 'and russian drive': 70686, 'russian drive down': 728628, 'drive down oil': 259038, 'demand for energy': 235410, 'for energy decline': 321058, 'energy decline in': 276430, 'decline in response': 231365, 'to the energy': 916673, 'the energy producer': 854324, 'energy producer need': 276556, 'producer need to': 680662, 'know the federal': 476822, 'federal gov support': 301986, 'gov support them': 359705, 'support them one': 826909, 'them one of': 876101, 'do that is': 250221, 'is to ensure': 453201, 'they have access': 882288, 'access to capital': 28220, 'spread truth': 790862, 'truth not': 934406, 'not lie': 570387, 'lie stop': 488374, 'idiot please': 413570, 'car why': 163349, 'why lie': 991167, 'glove then': 352947, 'please spread truth': 660534, 'spread truth not': 790863, 'truth not lie': 934407, 'not lie stop': 570388, 'lie stop treating': 488375, 'stop treating like': 805238, 'treating like idiot': 931005, 'like idiot please': 490473, 'idiot please you': 413571, 'please you wear': 660787, 'wear your glove': 974501, 'your glove when': 1024061, 'you do shopping': 1018270, 'do shopping and': 250077, 'shopping and take': 762028, 'and take them': 72981, 'them off before': 876077, 'off before you': 593689, 'before you get': 123320, 'get in your': 347323, 'your car why': 1023144, 'car why lie': 163350, 'why lie why': 991168, 'lie why are': 488396, 'the doctor wearing': 853475, 'doctor wearing glove': 251155, 'wearing glove then': 974641, 'glove then just': 352948, 'then just stop': 877295, 'just stop please': 469911, 'barricade': 111329, 'okboomer': 598041, 'pandemic climb': 635157, 'climb over': 182269, 'the barricade': 849289, 'barricade on': 111330, 'front sidewalk': 338671, 'to bang': 901027, 'bang knock': 109446, 'knock pull': 476164, 'pull on': 688873, 'that clearly': 843243, 'clearly state': 181575, 'state call': 795444, 'order do': 618170, 'store customerservice': 807253, 'customerservice essentialworker': 223162, 'essentialworker essential': 281939, 'essential okboomer': 281353, 'okboomer retail': 598042, 'people during pandemic': 647743, 'during pandemic climb': 262860, 'pandemic climb over': 635158, 'climb over the': 182270, 'over the barricade': 630696, 'the barricade on': 849290, 'barricade on the': 111331, 'the front sidewalk': 855854, 'front sidewalk to': 338672, 'sidewalk to bang': 768958, 'to bang knock': 901028, 'bang knock pull': 109447, 'knock pull on': 476165, 'pull on the': 688874, 'the door that': 853585, 'door that clearly': 255732, 'that clearly state': 843244, 'clearly state call': 181576, 'state call to': 795446, 'call to place': 156181, 'your order do': 1025101, 'order do not': 618171, 'do not enter': 249726, 'not enter the': 569204, 'the store customerservice': 868005, 'store customerservice essentialworker': 807254, 'customerservice essentialworker essential': 223163, 'essentialworker essential okboomer': 281940, 'essential okboomer retail': 281354, 'strongly feel': 814229, 'they ushering': 883626, 'ushering full': 950356, 'full speed': 340889, 'speed into': 788446, 'into 4ir': 442355, '4ir after': 19463, 'banking remote': 110451, 'learning etc': 484200, 'strongly feel the': 814230, 'feel the same': 302890, 'same they ushering': 733330, 'they ushering full': 883627, 'ushering full speed': 950357, 'full speed into': 340890, 'speed into 4ir': 788447, 'into 4ir after': 442356, '4ir after covid': 19464, 'online banking remote': 607913, 'banking remote working': 110452, 'remote working from': 710754, 'from home online': 335888, 'home online learning': 401723, 'online learning etc': 608473, 'is toiletpapercrisis': 453270, 'stophoarding holdchinaaccountable': 805414, 'still is toiletpapercrisis': 800755, 'is toiletpapercrisis toiletpaper': 453271, 'toiletpapercrisis toiletpaper stophoarding': 923085, 'toiletpaper stophoarding holdchinaaccountable': 922547, 'the television': 869267, 'television that': 836869, 'doe all': 251324, 'damage and': 225175, 'letting outsider': 487432, 'outsider in': 629663, 'it the television': 461580, 'the television that': 869268, 'television that doe': 836870, 'that doe all': 843580, 'doe all the': 251325, 'all the damage': 44711, 'the damage and': 852804, 'damage and they': 225176, 're not letting': 699104, 'not letting outsider': 570382, 'letting outsider in': 487433, 'quarantine adventure': 691991, 'adventure in': 33099, 'in act': 420008, 'act stay': 29774, 'your filthy': 1023861, 'filthy hand': 305799, 'hand adventure': 374725, 'adventure sunshine': 33106, 'sunshine toronto': 818444, 'toronto toiletpaper': 926005, 'quarantine adventure in': 691992, 'adventure in act': 33100, 'in act stay': 420010, 'act stay safe': 29775, 'everyone and wash': 286703, 'wash your filthy': 967586, 'your filthy hand': 1023862, 'filthy hand adventure': 305800, 'hand adventure sunshine': 374726, 'adventure sunshine toronto': 33107, 'sunshine toronto toiletpaper': 818445, 'toronto toiletpaper bogroll': 926006, 'complaint wa': 192050, 'provided citing': 686583, 'citing delay': 178800, 'however hurry': 409387, 'policy before': 663351, 'consumer tat': 199225, 'tat run': 834833, 'to the complaint': 916578, 'the complaint wa': 851388, 'complaint wa not': 192051, 'wa not provided': 962771, 'not provided citing': 571151, 'provided citing delay': 686585, 'citing delay due': 178801, '19 however hurry': 7617, 'however hurry to': 409388, 'of the policy': 591345, 'the policy before': 863939, 'policy before the': 663353, 'the consumer tat': 851605, 'consumer tat run': 199227, 'tat run out': 834834, 'share healthcare': 755018, 'enforcement fireman': 276760, 'fireman em': 308243, 'em grocery': 272065, 'n95 or': 551219, 'higher to': 395773, 'healthy so': 387768, 'please share healthcare': 660484, 'share healthcare worker': 755019, 'law enforcement fireman': 482270, 'enforcement fireman em': 276761, 'fireman em grocery': 308244, 'em grocery store': 272066, 'worker postal service': 1007614, 'postal service we': 666454, 'service we all': 753051, 'all need mask': 43602, 'need mask some': 555211, 'mask some need': 519295, 'some need n95': 783346, 'need n95 or': 555284, 'n95 or higher': 551220, 'or higher to': 615640, 'higher to stay': 395774, 'stay healthy so': 796919, 'healthy so that': 387769, 'they can keep': 881646, 'keep doing their': 471455, 'quarantinememes': 693054, 'quarantine grocery': 692233, 'store quarantinememes': 809719, 'story time quarantine': 812136, 'time quarantine grocery': 897541, 'quarantine grocery store': 692234, 'grocery store quarantinememes': 365695, 'chinese some': 177352, 'creative about': 216118, 'about stealing': 26256, 'stealing grocery': 799232, 'with supermarket shopping': 1001062, 'supermarket shopping cart': 822631, 'cart in short': 165324, 'the chinese some': 850868, 'chinese some shopper': 177353, 'some shopper are': 783850, 'getting creative about': 348920, 'creative about stealing': 216119, 'about stealing grocery': 26257, 'huf': 409933, 'wa visible': 963653, 'visible in': 959135, 'in durables': 422418, 'durables also': 262349, 'also pushed': 48721, 'pushed cpi': 690357, 'cpi higher': 214630, 'the weaker': 871231, 'weaker huf': 974107, 'huf but': 409934, 'huge hungary': 410064, 'the run for': 866075, 'run for food': 727642, 'for food due': 321578, '19 wa visible': 11881, 'wa visible in': 963654, 'visible in the': 959136, 'in the inflation': 429288, 'the inflation food': 858237, 'inflation food price': 437181, 'food price increased': 315950, 'price increased price': 674803, 'increased price change': 433412, 'price change in': 673109, 'change in durables': 172115, 'in durables also': 422419, 'durables also pushed': 262350, 'also pushed cpi': 48722, 'pushed cpi higher': 690358, 'cpi higher due': 214631, 'to the weaker': 917181, 'the weaker huf': 871232, 'weaker huf but': 974108, 'huf but the': 409935, 'fuel price wa': 340258, 'price wa huge': 677335, 'wa huge hungary': 962344, 'nocoronaformedagainstmeshallprosper': 566099, 'new musk': 559125, 'musk hit': 546402, 'hit pta': 398382, 'pta supermarket': 687625, 'new material': 559090, 'material wa': 520436, 'the designer': 853186, 'designer 19': 238371, '19 nocoronaformedagainstmeshallprosper': 8808, 'nocoronaformedagainstmeshallprosper 21dayslockdown': 566100, '21dayslockdown quarantine': 15124, 'new musk hit': 559126, 'musk hit pta': 546403, 'hit pta supermarket': 398383, 'pta supermarket store': 687626, 'supermarket store today': 823013, 'store today new': 810858, 'today new material': 919920, 'new material wa': 559091, 'material wa used': 520437, 'wa used by': 963619, 'used by the': 949880, 'by the designer': 154309, 'the designer 19': 853187, 'designer 19 nocoronaformedagainstmeshallprosper': 238372, '19 nocoronaformedagainstmeshallprosper 21dayslockdown': 8809, 'nocoronaformedagainstmeshallprosper 21dayslockdown quarantine': 566101, 'bringing your': 140221, 'stop bringing your': 804513, 'bringing your kid': 140222, 'the supermarket shop': 868796, 'supermarket shop with': 822600, 're totally defeating': 699726, 'stock collapse': 801999, 'out money': 626559, 'supply damn': 825137, 'damn that': 225435, 'about looting': 25665, 'looting shooting': 503268, 'put on war': 690731, 'bond stock collapse': 134264, 'stock collapse do': 802000, 'collapse do care': 185994, 'do care about': 249180, 'care about hand': 163789, 'run out money': 727761, 'out money is': 626560, 'money is running': 536849, 'running out all': 728022, 'out all demand': 625599, 'demand but not': 235081, 'but not supply': 146566, 'not supply damn': 571816, 'supply damn that': 825138, 'damn that it': 225436, 'more about looting': 538514, 'about looting shooting': 25666, 'most caution': 542167, 'caution supermarket': 168175, 'in salem': 427666, 'salem ma': 732676, 'ma died': 507262, 'if you went': 415559, 'you went to': 1022237, 'went to market': 979173, 'to market basket': 909849, 'market basket be': 516076, 'basket be safe': 112312, 'safe they re': 730030, 'the most caution': 860955, 'most caution supermarket': 542168, 'caution supermarket right': 168176, 'right now especially': 722059, 'especially after an': 280430, 'an employee in': 55711, 'employee in salem': 273969, 'in salem ma': 427668, 'salem ma died': 732677, 'ma died because': 507263, 'died because of': 241517, 'work essential': 1005101, 'exercise maintaining': 290073, 'maintaining safe': 509125, 'out unnecessarily': 627746, 'unnecessarily or': 942870, 'socialise in': 780943, 'currently bad': 221477, 'all play': 43971, 'distancing leaving the': 247280, 'house for work': 406313, 'for work essential': 327923, 'work essential or': 1005102, 'essential or to': 281369, 'to exercise maintaining': 905412, 'exercise maintaining safe': 290074, 'maintaining safe distance': 509126, 'from others is': 336740, 'others is ok': 621493, 'is ok going': 450445, 'ok going out': 597809, 'going out unnecessarily': 355400, 'out unnecessarily or': 627747, 'unnecessarily or to': 942871, 'or to socialise': 617479, 'to socialise in': 914838, 'socialise in group': 780944, 'people is currently': 648514, 'is currently bad': 446986, 'currently bad idea': 221478, 'bad idea let': 107893, 'idea let all': 413114, 'let all play': 486564, 'all play our': 43972, 'the expansion': 854697, 'expansion age': 290550, 'death 10': 229942, 'and nine': 67593, 'nine month': 563289, 'month cause': 537637, 'death covid': 230008, '19 witness': 12155, 'witness the': 1003131, 'the expansion age': 854698, 'expansion age of': 290551, 'age of death': 37865, 'of death 10': 582413, 'death 10 year': 229943, '10 year and': 1765, 'year and nine': 1014398, 'and nine month': 67594, 'nine month cause': 563290, 'month cause of': 537638, 'of death covid': 582416, 'death covid 19': 230009, 'covid 19 witness': 214083, '19 witness the': 12156, 'witness the entire': 1003132, '103097596': 2249, 'yerwada': 1015359, 'wakad': 964572, 'cylinde': 224111, 'my bpcl': 547528, 'bpcl connection': 137447, 'connection with': 194725, 'number 103097596': 576805, '103097596 serviced': 2250, 'serviced by': 753136, 'by pragati': 153638, 'pragati enterprise': 668817, 'my residence': 549930, 'residence from': 714223, 'from yerwada': 338444, 'yerwada area': 1015360, 'to wakad': 918286, 'wakad area': 964573, 'area just': 92092, 'not transfer': 572245, 'transfer the': 929529, 'getting refilled': 349229, 'refilled cylinde': 706562, 'my bpcl connection': 547529, 'bpcl connection with': 137448, 'connection with consumer': 194726, 'with consumer number': 997761, 'consumer number 103097596': 198227, 'number 103097596 serviced': 576806, '103097596 serviced by': 2251, 'serviced by pragati': 753137, 'by pragati enterprise': 153639, 'pragati enterprise have': 668818, 'enterprise have changed': 278455, 'have changed my': 379940, 'changed my residence': 172515, 'my residence from': 549931, 'residence from yerwada': 714224, 'from yerwada area': 338445, 'yerwada area to': 1015361, 'area to wakad': 92240, 'to wakad area': 918287, 'wakad area just': 964574, 'area just before': 92093, '19 lockdown so': 8425, 'lockdown so could': 499925, 'so could not': 776807, 'could not transfer': 209463, 'not transfer the': 572246, 'transfer the agency': 929530, 'the agency need': 848443, 'agency need help': 38045, 'help in getting': 389897, 'in getting refilled': 423298, 'getting refilled cylinde': 349230, 'just those': 470055, 'having the opposite': 384316, 'effect on business': 269079, 'business that make': 144482, 'that make essential': 844992, 'make essential item': 509882, 'essential item or': 281221, 'item or just': 463532, 'or just those': 615895, 'just those we': 470057, 'those we love': 892604, 'blatant pricegouging': 132436, 'pricegouging being': 677791, 'toiletpaper n95masks': 922252, 'n95masks our': 551268, 'professional need': 682472, 'help dotherightthing': 389601, 'is the blatant': 452740, 'the blatant pricegouging': 849757, 'blatant pricegouging being': 132437, 'pricegouging being allowed': 677792, 'allowed to happen': 46233, 'to happen this': 907163, 'happen this is': 377170, 'is where all': 453926, 'the toiletpaper n95masks': 869728, 'toiletpaper n95masks our': 922253, 'n95masks our health': 551269, 'care professional need': 164162, 'professional need are': 682473, 'need are being': 554469, 'sold for exorbitant': 781668, 'exorbitant price help': 290412, 'price help dotherightthing': 674496, 'the neighbour': 861438, 'neighbour have': 557216, 'now coronacrisisuk': 574455, 'the neighbour have': 861439, 'neighbour have it': 557217, 'have it now': 381154, 'it now coronacrisisuk': 459949, 'now coronacrisisuk 19': 574456, 'trump lead': 933679, 'lead new': 483294, 'new briefing': 558420, 'nation response': 552295, 'live president donald': 495994, 'donald trump lead': 254112, 'trump lead new': 933680, 'lead new briefing': 483295, 'new briefing on': 558421, 'the nation response': 861258, 'nation response to': 552296, 'outstripping': 629703, 'mandated lockdown': 513021, 'store surged': 810479, 'surged dramatically': 828302, 'dramatically outstripping': 258360, 'outstripping traditional': 629704, 'traditional pre': 929009, 'pre christmas': 669146, 'shopping tag': 764045, 'government mandated lockdown': 360343, 'mandated lockdown were': 513022, 'introduced in response': 443428, '19 outbreak consumer': 9104, 'outbreak consumer spending': 628127, 'spending in grocery': 788859, 'grocery store surged': 365829, 'store surged dramatically': 810480, 'surged dramatically outstripping': 828303, 'dramatically outstripping traditional': 258361, 'outstripping traditional pre': 629705, 'traditional pre christmas': 929010, 'pre christmas shopping': 669147, 'christmas shopping tag': 178204, 'more national': 539824, 'updated here': 947377, 'several more national': 753903, 'more national retailer': 539825, 'national retailer have': 552610, 'retailer have temporarily': 719187, 'closed their store': 183380, 'their store location': 874859, 'location and others': 498854, 'and others have': 68447, 'others have reduced': 621452, 'have reduced store': 382233, 'the we keep': 871216, 'you updated here': 1021991, 'communistsliepeopledie': 189684, 'ccpvirus ccp': 168492, 'ccp chinacoronavirus': 168454, 'chinacoronavirus communistsliepeopledie': 177087, '19 ccpvirus ccp': 5734, 'ccpvirus ccp chinacoronavirus': 168493, 'ccp chinacoronavirus communistsliepeopledie': 168455, 'there community': 878281, 'uk or': 938594, 'socialdistanacing is there': 780068, 'is there community': 453004, 'there community in': 878282, 'the uk or': 870258, 'uk or just': 938595, 'or just self': 615892, 'awareness level': 105700, 'level here': 487576, 'supermarket offering': 821712, 'offering disposable': 595081, 'is applying': 445791, 'applying bravo': 82632, 'bravo egypt': 138294, 'egypt 19': 270095, 'amount of awareness': 53206, 'of awareness level': 580483, 'awareness level here': 105701, 'level here our': 487577, 'here our local': 393433, 'local supermarket offering': 498564, 'supermarket offering disposable': 821713, 'offering disposable glove': 595082, 'disposable glove and': 246245, 'and sanitizer on': 70878, 'everyone is applying': 287065, 'is applying bravo': 445792, 'applying bravo egypt': 82633, 'bravo egypt 19': 138295, 'identified six': 413344, 'ha identified six': 370904, 'identified six key': 413345, 'around the novel': 93548, 'damn plan': 225412, 'plan address': 658042, 'address illinois': 31986, 'illinois not': 416296, 'want update': 966161, 'update get': 946997, 'to podium': 911854, 'podium and': 662346, 'ridiculous have': 721548, 'lately chinesevirus': 480951, 'chinesevirus illinois': 177443, 'what your damn': 982710, 'your damn plan': 1023454, 'damn plan address': 225413, 'plan address illinois': 658043, 'address illinois not': 31987, 'illinois not the': 416297, 'not the nation': 572015, 'nation we want': 552372, 'we want update': 973751, 'want update get': 966162, 'update get to': 946998, 'get to podium': 348487, 'to podium and': 911855, 'podium and tell': 662347, 'and tell this': 73098, 'tell this is': 837113, 'is ridiculous have': 451519, 'ridiculous have you': 721549, 'store lately chinesevirus': 808680, 'lately chinesevirus illinois': 480952, 'flippin': 310636, '150 flippin': 3910, 'flippin kidding': 310637, 'me come': 522582, 'ebay ban': 266438, 'ban these': 109273, 'idiot for': 413504, 'selling or': 749384, 'or massive': 616076, 'massive profit': 520069, 'profit uk': 682881, 'uk bbcnews': 938209, 'sale for 150': 732227, 'for 150 flippin': 318673, '150 flippin kidding': 3911, 'flippin kidding me': 310638, 'kidding me come': 474206, 'me come on': 522583, 'come on ebay': 187430, 'on ebay ban': 600489, 'ebay ban these': 266439, 'ban these idiot': 109274, 'these idiot for': 880143, 'idiot for inflating': 413505, 'for inflating price': 322562, 'inflating price this': 437125, 'is what cause': 453867, 'what cause panic': 981195, 'cause panic people': 167696, 'panic people stock': 638411, 'piling and selling': 656569, 'and selling or': 71239, 'selling or massive': 749385, 'or massive profit': 616077, 'massive profit uk': 520070, 'profit uk bbcnews': 682882, 'roughly one': 726293, 'stay save': 797310, 'save and': 737474, 'roughly one week': 726294, 'one week in': 607413, 'week in and': 976363, 'in and want': 420397, 'time stay save': 897754, 'stay save and': 797311, 'save and with': 737476, 'registrar': 707668, 'asking domain': 95959, 'domain name': 253154, 'name registrar': 551673, 'registrar for': 707669, 'consumer involving': 197925, 'involving related': 444410, 'related domain': 708426, 'york state attorney': 1016666, 'general is asking': 345377, 'is asking domain': 445825, 'asking domain name': 95960, 'domain name registrar': 253155, 'name registrar for': 551674, 'registrar for help': 707670, 'for help to': 322189, 'help to combat': 390770, 'combat and consumer': 186983, 'and consumer involving': 60397, 'consumer involving related': 197926, 'involving related domain': 444411, 'related domain name': 708427, 'don recommend': 253860, 'recommend it': 704697, 'do recommend': 250033, 'recommend washing': 704725, 'after coming': 35477, 'not transmitted': 572253, 'transmitted via': 929803, 'however transmitted': 409507, 'via people': 956163, 'don recommend it': 253861, 'recommend it do': 704698, 'it do recommend': 457603, 'do recommend washing': 250035, 'recommend washing your': 704726, 'hand and or': 374766, 'and or using': 68235, 'sanitizer after coming': 734323, 'after coming back': 35478, 'store remember that': 809807, 'remember that far': 710278, 'that far we': 843838, 'far we know': 298971, 'is not transmitted': 450213, 'not transmitted via': 572254, 'transmitted via food': 929804, 'via food it': 955980, 'is however transmitted': 448609, 'however transmitted via': 409508, 'transmitted via people': 929805, 'via people so': 956164, 'people so try': 649498, 'warn they': 966975, 'expert warn they': 292017, 'warn they could': 966976, 'they could face': 881827, 'result of falling': 717590, 'of falling price': 583392, 'falling price caused': 297318, 'increas': 432645, 'unprecedented situation': 943187, '19 fmcg': 7032, 'ha speed': 372016, 'meet it': 527517, 'it rising': 460790, 'demand godrej': 235575, 'production itc': 682097, 'itc assured': 462981, 'assured adequate': 97107, 'product amul': 680865, 'amul ha': 54946, 'ha increas': 370937, 'increas production': 432646, '20 hul': 13097, 'an unprecedented situation': 56893, 'unprecedented situation for': 943188, 'situation for covid': 772271, 'covid 19 fmcg': 213107, '19 fmcg firm': 7033, 'fmcg firm ha': 311729, 'firm ha speed': 308365, 'ha speed up': 372017, 'speed up their': 788478, 'up their production': 946248, 'to meet it': 910033, 'meet it rising': 527518, 'it rising demand': 460791, 'rising demand godrej': 723199, 'demand godrej consumer': 235576, 'godrej consumer ha': 354890, 'consumer ha stepped': 197678, 'ha stepped up': 372062, 'up it production': 945245, 'it production itc': 460509, 'production itc assured': 682098, 'itc assured adequate': 462982, 'assured adequate supply': 97108, 'supply of product': 825642, 'of product amul': 588480, 'product amul ha': 680866, 'amul ha increas': 54947, 'ha increas production': 370938, 'increas production by': 432647, 'production by 20': 681948, 'by 20 hul': 151571, '20 hul ha': 13098, 'hul ha hiked': 410348, 'hiked their production': 396346, 'their production facility': 874482, 'everydollarcounts': 286661, 'killbills': 474558, 'consumer crisis': 197031, 'crisis update': 218301, 'update how': 947023, 'relief asap': 709283, 'asap if': 94869, 'crisis everydollarcounts': 217358, 'everydollarcounts killbills': 286662, 'killbills au': 474559, 'consumer crisis update': 197032, 'crisis update how': 218302, 'update how to': 947024, 'get mortgage or': 347611, 'or rent relief': 616848, 'rent relief asap': 711175, 'relief asap if': 709284, 'asap if you': 94870, 've been hit': 952893, 'by the health': 154348, 'health crisis everydollarcounts': 386334, 'crisis everydollarcounts killbills': 217359, 'everydollarcounts killbills au': 286663, 'manuf': 513358, '2be': 16557, 'nygovernor': 578098, 'gouging would': 359500, 'encourage manuf': 275598, 'manuf to': 513359, 'price ppe': 675967, 'ppe government': 667963, 'need 2be': 554346, '2be conserved': 16558, 'increased bc': 433206, 'crisis nygovernor': 217775, 'would encourage price': 1011787, 'price gouging would': 674344, 'gouging would encourage': 359501, 'would encourage manuf': 1011786, 'encourage manuf to': 275599, 'manuf to hike': 513360, 'up price ppe': 945830, 'price ppe government': 675968, 'ppe government resource': 667964, 'resource need 2be': 714833, 'need 2be conserved': 554347, '2be conserved we': 16559, 'conserved we in': 194937, 'we in crisis': 972067, 'is wrong price': 454105, 'wrong price should': 1013091, 'be increased bc': 115458, 'increased bc of': 433207, 'bc of crisis': 113259, 'of crisis nygovernor': 582178, '19 payer': 9601, 'payer moment': 645355, 'covid 19 payer': 213560, '19 payer moment': 9602, 'payer moment of': 645356, 'of truth is': 592487, 'truth is here': 934394, 'guy guy': 369012, 'had toiletpaper': 373748, 'that civilization': 843234, 'civilization just': 179594, 'might survive': 531134, 'the shitpocalypse': 866959, 'guy guy the': 369013, 'guy the store': 369179, 'store had toiletpaper': 808049, 'had toiletpaper today': 373749, 'toiletpaper today think': 922626, 'today think that': 920329, 'think that civilization': 885589, 'that civilization just': 843235, 'civilization just might': 179595, 'just might survive': 469269, 'might survive the': 531135, 'survive the shitpocalypse': 829254, 'reduced cost': 706046, 'need guess': 554942, 'making quick': 511299, 'money supermarket': 537044, 'ha any supermarket': 369572, 'any supermarket reduced': 79908, 'supermarket reduced cost': 822182, 'reduced cost to': 706047, 'cost to help': 208137, 'people and family': 646860, 'of need guess': 586907, 'need guess the': 554943, 'guess the owner': 368057, 'owner of the': 632521, 'the company are': 851313, 'company are making': 190434, 'are making quick': 88001, 'making quick bit': 511300, 'of money supermarket': 586619, 'money supermarket coronacrisis': 537045, 'supermarket coronacrisis panickbuying': 819795, 'bumpier': 142593, 'make bump': 509756, 'april bumpier': 83550, 'bumpier drawing': 142594, 'drawing down': 258510, 'down checking': 256629, 'checking but': 174811, 'up another': 944391, 'so of': 777927, 'stock welcome': 803164, 'the 21st': 848039, '19 land': 8268, 'll make bump': 496893, 'make bump into': 509757, 'bump into april': 142567, 'into april bumpier': 442412, 'april bumpier drawing': 83551, 'bumpier drawing down': 142595, 'drawing down checking': 258511, 'down checking but': 256630, 'checking but went': 174812, 'stock up another': 803058, 'up another week': 944392, 'another week or': 77974, 'or so of': 617129, 'so of food': 777928, 'of food while': 583817, 'food while there': 317600, 'while there wa': 987432, 'wa any left': 961557, 'any left to': 79403, 'left to stock': 485693, 'to stock welcome': 915458, 'stock welcome to': 803165, 'to the 21st': 916477, 'the 21st century': 848040, 'covid 19 land': 213332, 'official the': 595943, 'ending went': 276214, 'it official the': 460001, 'official the world': 595944, 'is ending went': 447492, 'ending went to': 276215, 'more account': 538538, 'and more account': 67140, 'more account for': 538539, 'about 25 supplychain': 24684, 'amg': 52359, 'tema': 837308, 'konongo': 477425, 'odumasi': 579265, 'ghananews': 349607, 'amg general': 52360, 'general mean': 345404, 'mean business': 524378, 'he blessed': 384788, 'blessed tema': 132627, 'tema general': 837309, 'hospital konongo': 404488, 'konongo odumasi': 477426, 'odumasi government': 579266, 'government hospital': 360196, 'the tema': 869274, 'tema healthwise': 837311, 'healthwise medical': 387498, 'center ghana': 169216, 'ghana ghananews': 349570, 'amg general mean': 52361, 'general mean business': 345405, 'mean business he': 524379, 'business he blessed': 143834, 'he blessed tema': 384789, 'blessed tema general': 132628, 'tema general hospital': 837310, 'general hospital konongo': 345354, 'hospital konongo odumasi': 404489, 'konongo odumasi government': 477427, 'odumasi government hospital': 579267, 'government hospital and': 360197, 'and the tema': 73611, 'the tema healthwise': 869275, 'tema healthwise medical': 837312, 'healthwise medical center': 387499, 'medical center ghana': 526090, 'center ghana ghananews': 169217, '00 changing': 130, 'hour spur': 405944, 'spur panic': 791334, 'buying foxnews': 150369, '10 00 changing': 1191, '00 changing store': 131, 'store hour spur': 808208, 'hour spur panic': 405945, 'spur panic buying': 791335, 'panic buying foxnews': 637738, 'america in': 51560, 'of america in': 580041, 'america in call': 51561, 'in call with': 421157, 'time no it': 897271, 'no it not': 564535, 'lawlessness': 482475, 'declared in': 231231, 'in according': 420000, 'according president': 28512, 'president bio': 670770, 'bio this': 131165, 'or engaging': 615165, 'of lawlessness': 585738, 'lawlessness this': 482476, 'not lockdown': 570447, 'been declared in': 120931, 'declared in according': 231232, 'in according president': 420001, 'according president bio': 28513, 'president bio this': 670771, 'bio this is': 131166, 'not an opportunity': 568200, 'opportunity for hiking': 613615, 'for hiking of': 322277, 'price or engaging': 675772, 'or engaging in': 615166, 'engaging in act': 276915, 'in act of': 420009, 'act of lawlessness': 29725, 'of lawlessness this': 585739, 'lawlessness this is': 482477, 'is not lockdown': 450127, 'war potus': 966515, 'potus oil': 667288, 'price war potus': 677367, 'war potus oil': 966516, 'potus oil saudiarabia': 667289, 'florida grocery': 310942, 'store publix': 809703, 'publix using': 688788, 'using one': 950576, 'promote socialdistancing': 683792, 'spread note': 790644, 'note usa': 572838, 'usa public': 948724, 'ha separately': 371860, 'separately been': 751100, 'reduce grocery': 705848, 'pharmacy visit': 654540, 'visit esp': 959240, 'esp this': 280407, 'florida grocery store': 310943, 'grocery store publix': 365690, 'store publix using': 809704, 'publix using one': 688789, 'using one way': 950577, 'way aisle to': 969443, 'aisle to promote': 40405, 'to promote socialdistancing': 912256, 'promote socialdistancing to': 683793, 'socialdistancing to reduce': 780819, 'reduce spread note': 705934, 'spread note usa': 790645, 'note usa public': 572839, 'usa public ha': 948725, 'public ha separately': 688048, 'ha separately been': 371861, 'separately been asked': 751101, 'asked to reduce': 95874, 'to reduce grocery': 913026, 'reduce grocery pharmacy': 705849, 'grocery pharmacy visit': 364851, 'pharmacy visit esp': 654541, 'visit esp this': 959241, 'esp this week': 280408, 'costco assured': 208200, 'assured president': 97119, 'enough good': 277456, 'everyone financial': 286912, 'including walmart target': 432247, 'walmart target and': 965425, 'target and costco': 834434, 'and costco assured': 60594, 'costco assured president': 208201, 'assured president trump': 97120, 'president trump that': 670952, 'trump that the': 933910, 'chain ha enough': 170748, 'ha enough good': 370497, 'enough good for': 277457, 'good for everyone': 357076, 'for everyone financial': 321211, 'store found some': 807859, 'found some milk': 330380, 'some milk but': 783292, 'were gone the': 979695, 'gone the coronavirus': 356382, 'unauthorized': 939429, 'passing right': 643396, 'to repair': 913244, 'repair extends': 711455, 'extends outside': 293259, 'apple or': 82353, 'electronics these': 271315, 'these unauthorized': 880910, 'unauthorized repair': 939430, 'repair are': 711451, 'life imagine': 488747, 'apple manufactured': 82340, 'manufactured these': 513412, 'these machine': 880266, 'note wa': 572842, 'passing right to': 643397, 'right to repair': 722352, 'to repair extends': 913245, 'repair extends outside': 711456, 'extends outside of': 293260, 'outside of apple': 629500, 'of apple or': 580316, 'apple or consumer': 82354, 'or consumer electronics': 614793, 'consumer electronics these': 197343, 'electronics these unauthorized': 271316, 'these unauthorized repair': 880911, 'unauthorized repair are': 939431, 'repair are saving': 711452, 'saving life imagine': 737911, 'life imagine if': 488748, 'imagine if company': 416739, 'if company like': 413974, 'like apple manufactured': 489822, 'apple manufactured these': 82341, 'manufactured these machine': 513413, 'these machine and': 880267, 'machine and that': 507359, 'and that note': 73204, 'that note wa': 845410, 'note wa sent': 572843, 'wa sent to': 963167, 'sent to your': 750849, 'to your loved': 918999, 'loved one 19': 504901, 'electionyear': 271086, 'state employee': 795561, 'and musician': 67338, 'musician electionyear': 546373, 'electionyear quarantinelife': 271087, 'driver and city': 259409, 'and city state': 59902, 'city state employee': 179376, 'state employee are': 795562, 'employee are now': 273623, 'actor and musician': 30564, 'and musician electionyear': 67339, 'musician electionyear quarantinelife': 546374, 'senior read': 750390, 'store in is': 808322, 'in is delivering': 424168, 'is delivering food': 447103, 'to senior read': 914236, 'senior read more': 750391, 'the hypermarket': 857793, 'hypermarket need': 412342, 'unprecedented order': 943174, 'order caused': 618125, 'pandemic fmtnews': 635434, 'fmtnews covdi19': 311784, 'covdi19 mco': 212164, 'the hypermarket need': 857794, 'hypermarket need more': 412343, 'more hand to': 539384, 'hand to meet': 375863, 'meet unprecedented order': 527643, 'unprecedented order caused': 943175, 'order caused by': 618126, '19 pandemic fmtnews': 9329, 'pandemic fmtnews covdi19': 635435, 'fmtnews covdi19 mco': 311785, 'gown glove': 361378, 'wear and': 974286, 'around more': 93401, 'people walmart': 650135, 'everyone is saying': 287107, 'is saying thank': 451658, 'the health worker': 857190, 'health worker but': 386969, 'worker but what': 1006563, 'people that work': 649785, 'walmart or any': 965382, 'any other grocery': 79591, 'risk because they': 723405, 'have mask gown': 381442, 'mask gown glove': 518767, 'gown glove to': 361379, 'glove to wear': 352980, 'to wear and': 918421, 'wear and are': 974287, 'and are around': 58292, 'are around more': 84616, 'around more people': 93402, 'more people walmart': 540049, 'story wti': 812166, 'wti and': 1013379, 'low one': 505470, 'one shocking': 607015, 'shocking piece': 759611, 'for tar': 326153, 'sand producer': 733661, 'producer known': 680651, 'known wcs': 477260, 'wcs plunged': 970257, '19 barrel': 5306, 'oilpricewar with': 597720, 'full story wti': 340904, 'story wti and': 812167, 'wti and brent': 1013380, 'and brent oil': 59184, 'brent oil price': 139350, 'year low one': 1014729, 'low one shocking': 505471, 'one shocking piece': 607016, 'shocking piece of': 759612, 'piece of info': 656336, 'of info in': 585189, 'info in canada': 437500, 'canada the benchmark': 160577, 'the benchmark crude': 849464, 'crude price for': 219590, 'price for tar': 674055, 'for tar sand': 326154, 'tar sand producer': 834410, 'sand producer known': 733662, 'producer known wcs': 680652, 'known wcs plunged': 477261, 'wcs plunged to': 970258, 'plunged to 19': 661507, 'to 19 barrel': 899535, '19 barrel oott': 5307, 'barrel oott oilpricewar': 111263, 'oott oilpricewar with': 611776, 'northpark': 567809, 'relaxing thing': 708897, 'thing did': 884263, 'the northpark': 861884, 'northpark mall': 567810, 'in dallas': 421964, 'it pianist': 460325, 'pianist thanks': 655560, 'live can': 495760, 'still hear': 800684, 'most relaxing thing': 542692, 'relaxing thing did': 708898, 'thing did before': 884264, 'did before covid': 240565, '19 wa go': 11866, 'wa go to': 962217, 'to the northpark': 916906, 'the northpark mall': 861885, 'northpark mall in': 567811, 'mall in dallas': 511789, 'in dallas and': 421965, 'dallas and listen': 225114, 'to it pianist': 908603, 'it pianist thanks': 460326, 'pianist thanks to': 655561, 'thanks to facebook': 842221, 'to facebook live': 905582, 'facebook live can': 294952, 'live can still': 495761, 'can still hear': 159778, 'still hear him': 800685, 'trip those': 932182, 'congress who': 194554, 'the trip those': 869999, 'trip those old': 932183, 'those old people': 892280, 'old people take': 598420, 'people take is': 649718, 'take is there': 832235, 'in congress who': 421661, 'congress who ha': 194555, 'ameri': 51428, 'main article': 508724, 'article worried': 94509, 'keep ameri': 471302, 'ameri see': 51429, 'main article worried': 508725, 'article worried about': 94510, 'future keep ameri': 342370, 'keep ameri see': 471303, 'ameri see more': 51430, 'finishing night': 307936, 'with 55': 997039, 'door feeling': 255587, 'feeling worn': 303114, 'from attempting': 334608, 'attempting food': 102276, 'supermarket after finishing': 818803, 'after finishing night': 35675, 'finishing night shift': 307937, 'be greeted with': 115104, 'greeted with 55': 363802, 'with 55 minute': 997040, '55 minute queue': 20397, 'minute queue just': 533829, 'to the door': 916649, 'the door feeling': 853565, 'door feeling worn': 255588, 'feeling worn out': 303115, 'worn out just': 1010472, 'out just from': 626464, 'just from attempting': 468781, 'from attempting food': 334609, 'attempting food shop': 102277, 'rediclinic': 705702, 'hero bonus': 393951, 'management including': 512584, 'including pharmacist': 432110, 'pharmacist distribution': 654127, 'center management': 169255, 'and rediclinic': 70085, 'rediclinic professional': 705703, 'professional associate': 682415, 'gone above': 356184, 'beyond in': 129188, 'in meeting': 425243, 'meeting customer': 527690, 'associate critical': 96856, 'critical need': 218615, 'hello we announced': 389246, 'announced our hero': 77009, 'our hero bonus': 623422, 'hero bonus for': 393952, 'for our retail': 324285, 'retail store management': 718659, 'store management including': 808867, 'management including pharmacist': 512585, 'including pharmacist distribution': 432111, 'pharmacist distribution center': 654128, 'distribution center management': 248124, 'center management and': 169256, 'management and rediclinic': 512533, 'and rediclinic professional': 70086, 'rediclinic professional associate': 705704, 'professional associate who': 682416, 'associate who have': 96910, 'have gone above': 380786, 'gone above and': 356185, 'and beyond in': 58945, 'beyond in meeting': 129189, 'in meeting customer': 425244, 'meeting customer and': 527691, 'and associate critical': 58458, 'associate critical need': 96857, 'foodinstitute': 317983, 'blueapron': 133488, 'mealkit': 524329, 'meal kit': 524203, 'seeing revival': 746449, 'revival amidst': 720671, 'stock rising': 802795, 'rising 600': 723145, '600 in': 21091, 'food foodinstitute': 314495, 'foodinstitute foodindustry': 317986, 'foodindustry blueapron': 317971, 'blueapron mealkit': 133489, 'mealkit fooddelivery': 524330, 'meal kit company': 524204, 'kit company are': 475522, 'company are seeing': 190449, 'are seeing revival': 89912, 'seeing revival amidst': 746450, 'revival amidst the': 720672, 'amidst the with': 52836, 'the with stock': 871640, 'with stock rising': 1000977, 'stock rising 600': 802796, 'rising 600 in': 723146, '600 in three': 21092, 'three day food': 893909, 'day food foodinstitute': 227612, 'food foodinstitute foodindustry': 314496, 'foodinstitute foodindustry blueapron': 317987, 'foodindustry blueapron mealkit': 317972, 'blueapron mealkit fooddelivery': 133490, 'first batch': 308528, 'little rural': 495548, 'pharmacy pandemiccovid19': 654415, 'made my first': 507860, 'my first batch': 548333, 'first batch of': 308529, 'batch of hand': 112579, 'the little rural': 859493, 'little rural hospital': 495549, 'rural hospital work': 728248, 'hospital work for': 404727, 'for pharmacy pandemiccovid19': 324523, 'coronasverige': 205283, 'sweden coronasverige': 830074, 'some answer about': 782302, 'answer about what': 78002, 'on in sweden': 601536, 'in sweden coronasverige': 428761, 'numerator shopping': 577114, 'showing 14': 767407, 'trending higher': 931542, 'higher 2019': 395537, 'with channel': 997603, 'channel spiking': 172923, 'spiking early': 789352, 'the numerator shopping': 861969, 'numerator shopping behavior': 577115, 'shopping behavior index': 762206, 'behavior index is': 124091, 'index is now': 434213, 'now showing 14': 575823, 'showing 14 of': 767408, 'channel trending higher': 172941, 'trending higher 2019': 931543, 'higher 2019 with': 395538, '2019 with channel': 14051, 'with channel spiking': 997605, 'channel spiking early': 172924, 'spiking early in': 789353, 'early in week': 264625, 'in week stay': 430769, 'giveacucumberahome': 350894, 'humble cucumber': 410812, 'cucumber turn': 220181, 'everyone hate': 286991, 'hate them': 378921, 'them every': 875664, 'whilst everything': 987635, 'is stripped': 452381, 'bare bought': 110869, 'feeling giveacucumberahome': 302990, 'buying please spare': 150912, 'for the humble': 326485, 'the humble cucumber': 857735, 'humble cucumber turn': 410813, 'cucumber turn out': 220182, 'turn out everyone': 935734, 'out everyone hate': 626034, 'everyone hate them': 286992, 'hate them every': 378922, 'them every supermarket': 875666, 'supermarket ha ton': 820654, 'ton of them': 924288, 'of them whilst': 591774, 'them whilst everything': 876624, 'whilst everything else': 987636, 'else is stripped': 271759, 'is stripped bare': 452382, 'stripped bare bought': 813846, 'bare bought two': 110870, 'bought two to': 136773, 'two to save': 937281, 'save their feeling': 737674, 'their feeling giveacucumberahome': 873304, 'fellow australian': 303269, 'australian come': 103461, 'to term': 916375, 'mind blow': 532626, 'day when my': 228724, 'when my fellow': 983749, 'my fellow australian': 548300, 'fellow australian come': 303270, 'australian come to': 103462, 'come to term': 187603, 'to term with': 916376, 'term with the': 838347, 'with the mind': 1001389, 'the mind blow': 860633, 'mind blow of': 532627, 'blow of and': 133324, 'of and go': 580158, 'to normal shopping': 910658, 'normal shopping for': 567319, 'shopping for lettuce': 762687, 'nalanda': 551561, 'roils': 725058, 'vccirclepremium nalanda': 952791, 'nalanda bump': 551562, 'bump exposure': 142559, 'consumer firm': 197494, 'firm roils': 308412, 'roils stock': 725059, 'navycapital vccirclepremium nalanda': 553163, 'vccirclepremium nalanda bump': 952792, 'nalanda bump exposure': 551563, 'bump exposure to': 142560, 'exposure to consumer': 293006, 'to consumer firm': 903300, 'consumer firm roils': 197495, 'firm roils stock': 308413, 'roils stock price': 725060, 'education ve': 268878, 'been compiling': 120849, 'compiling advice': 191830, 'college student': 186649, 'from adaa': 334393, 'adaa on': 31206, 'moment of remote': 536019, 'of remote education': 588924, 'remote education ve': 710710, 'education ve been': 268879, 've been compiling': 952873, 'been compiling advice': 120850, 'compiling advice for': 191831, 'advice for college': 33367, 'for college student': 320154, 'college student and': 186651, 'student and this': 814645, 'and this from': 73991, 'this from adaa': 887626, 'from adaa on': 334394, 'adaa on managing': 31207, 'and isolation is': 65466, 'isolation is one': 455318, 'test frontline': 839006, 'like teacher': 491300, 'rate supermarket': 697379, 'before celebrity': 122688, 'need to test': 556102, 'to test frontline': 916393, 'test frontline staff': 839007, 'frontline staff like': 338828, 'staff like teacher': 792619, 'like teacher and': 491301, 'teacher and nh': 835427, 'worker and even': 1006290, 'even at this': 283851, 'this rate supermarket': 889806, 'rate supermarket worker': 697380, 'worker for virus': 1006975, 'for virus before': 327575, 'virus before celebrity': 958000, '2020 his': 14366, 'his fourth': 397447, 'fourth time': 330728, 'said such': 731379, 'trading licence': 928888, 'the nation on': 861255, 'nation on tuesday': 552283, 'on tuesday march': 604889, 'tuesday march 24': 935166, '24 2020 his': 15530, '2020 his fourth': 14367, 'his fourth time': 397448, 'fourth time in': 330729, 'in week the': 430771, 'week the president': 977002, 'president said such': 670896, 'said such people': 731380, 'such people also': 816673, 'people also risk': 646822, 'also risk losing': 48805, 'risk losing their': 723670, 'losing their trading': 503600, 'their trading licence': 875019, 'effect people': 269102, 'people rush': 649325, 'carry comprehensible': 165074, 'unnecessary writes': 942965, 'writes dr': 1012834, 'dr of': 258071, 'blog barren': 132905, 'effect people rush': 269103, 'people rush to': 649326, 'rush to supermarket': 728352, 'can carry comprehensible': 157871, 'carry comprehensible but': 165075, 'but unnecessary writes': 147666, 'unnecessary writes dr': 942966, 'writes dr of': 1012835, 'dr of in': 258072, 'this blog barren': 886573, 'blog barren shelf': 132906, 'barren shelf and': 111313, 'judie': 467688, 'kuddos': 477868, '5mtrs': 20794, 'dstn': 261365, 'obsvd': 578725, 'eavh': 266403, 'karen tee': 470910, 'tee judie': 836455, 'judie ke': 467689, 'ke curfew': 471225, 'curfew kuddos': 220894, 'kuddos carrefour': 477869, 'carrefour 5mtrs': 164907, '5mtrs dstn': 20795, 'dstn obsvd': 261366, 'obsvd sanitizer': 578726, 'sanitizer eavh': 734806, 'eavh shopper': 266404, 'karen tee judie': 470911, 'tee judie ke': 836456, 'judie ke curfew': 467690, 'ke curfew kuddos': 471226, 'curfew kuddos carrefour': 220895, 'kuddos carrefour 5mtrs': 477870, 'carrefour 5mtrs dstn': 164908, '5mtrs dstn obsvd': 20796, 'dstn obsvd sanitizer': 261367, 'obsvd sanitizer eavh': 578727, 'sanitizer eavh shopper': 734807, 'eavh shopper is': 266405, 'phone wa': 655055, 'wa acting': 961428, 'acting up': 29916, 'it wanted': 462237, 'sanitizer iz': 735237, 'iz good': 464090, 'not my phone': 570622, 'my phone wa': 549759, 'phone wa acting': 655056, 'wa acting up': 961429, 'acting up like': 29917, 'like it wanted': 490564, 'it wanted some': 462238, 'wanted some hand': 966233, 'hand sanitizer iz': 375462, 'sanitizer iz good': 735238, 'uk the time': 938807, 'time to act': 897939, 'to act is': 900015, 'act is now': 29669, 'self take': 747921, 'shower sanitize': 767387, 'phone don': 654945, 'of your self': 593521, 'your self take': 1025706, 'self take care': 747922, 'take shower sanitize': 832580, 'shower sanitize your': 767388, 'your phone don': 1025291, 'phone don touch': 654946, 'californian utility': 155656, 'during california': 262494, 'california covid': 155487, 'californian utility consumer': 155657, 'consumer protection during': 198523, 'protection during california': 685408, 'during california covid': 262495, 'california covid 19': 155488, 'wrecking': 1012719, 'ecomony': 266918, 'gilet': 350130, 'jaune': 464866, 'stopconfinement wrecking': 805318, 'wrecking the': 1012720, 'the ecomony': 853884, 'ecomony is': 266919, 'kill alot': 474339, 'alot more': 47125, 'increase petrol': 432981, 'by alot': 151804, 'the gilet': 856264, 'gilet jaune': 350131, 'jaune were': 464867, 'were protesting': 980006, 'protesting about': 685951, 'about macronout': 25683, 'stopconfinement wrecking the': 805319, 'wrecking the ecomony': 1012721, 'the ecomony is': 853885, 'ecomony is going': 266920, 'to kill alot': 908918, 'kill alot more': 474340, 'alot more people': 47126, 'also increase petrol': 48411, 'increase petrol price': 432982, 'price by alot': 673015, 'by alot more': 151805, 'alot more than': 47127, 'than the gilet': 841240, 'the gilet jaune': 856265, 'gilet jaune were': 350132, 'jaune were protesting': 464868, 'were protesting about': 980007, 'protesting about macronout': 685952, 'kamaljit': 470736, 'kaur': 471108, 'treat themselves': 930899, 'of myth': 586839, 'myth out': 551056, 'say kamaljit': 738875, 'kamaljit kaur': 470737, 'kaur family': 471109, 'family medicine': 298017, 'medicine physician': 526867, 'and telehealth': 73085, 'telehealth professional': 836754, 'professional check': 682434, 'out faq': 626057, 'faq from': 298671, 'of people want': 588021, 'home to treat': 402347, 'to treat themselves': 917760, 'treat themselves and': 930900, 'themselves and think': 876764, 'think there lot': 885670, 'lot of myth': 504235, 'of myth out': 586840, 'myth out there': 551057, 'there say kamaljit': 879020, 'say kamaljit kaur': 738876, 'kamaljit kaur family': 470738, 'kaur family medicine': 471110, 'family medicine physician': 298018, 'medicine physician and': 526868, 'physician and telehealth': 655534, 'and telehealth professional': 73086, 'telehealth professional check': 836755, 'professional check out': 682435, 'check out faq': 174548, 'out faq from': 626058, 'faq from our': 298672, 'from our latest': 336785, 'mild the': 531351, 'if healthy': 414222, 'amp stay': 54560, 'are mild the': 88078, 'mild the bulk': 531352, 'bulk of people': 142329, 'of people recover': 587971, 'especially if healthy': 280507, 'if healthy young': 414223, 'help keep others': 389968, 'safe is stock': 729785, 'is stock up': 452334, 'enough food water': 277421, 'water supply amp': 969183, 'supply amp stay': 824697, 'amp stay home': 54561, 'first you': 309197, 'supply government': 825332, 'now day': 574496, 'this circuit': 886771, 'breaker period': 138863, 'saying those': 739739, 'that stockpiled': 846502, 'stockpiled were': 803866, 'first you tell': 309198, 'you tell people': 1021541, 'tell people not': 837048, 'panic buy because': 637469, 'buy because there': 148410, 'because there enough': 119668, 'there enough supply': 878358, 'enough supply government': 277649, 'supply government plan': 825333, 'government plan now': 360461, 'plan now day': 658185, 'now day before': 574497, 'before this circuit': 123225, 'this circuit breaker': 886772, 'circuit breaker period': 178636, 'breaker period you': 138864, 'period you come': 651939, 'you come out': 1017991, 'out and say': 625687, 'and say this': 71010, 'say this so': 739372, 'this so are': 890216, 'are you saying': 91849, 'you saying those': 1021010, 'saying those that': 739740, 'those that stockpiled': 892544, 'that stockpiled were': 846503, 'stockpiled were right': 803867, 'were right to': 980074, 'right to do': 722338, 'onceaweek': 605828, 'runningerrands': 728150, 'sunnyday': 818398, 'warmweather': 966918, 'store onceaweek': 809218, 'onceaweek stayinghome': 605829, 'stayinghome runningerrands': 798738, 'runningerrands sunnyday': 728151, 'sunnyday warmweather': 818399, 'mom to come': 535814, 'grocery store onceaweek': 365612, 'store onceaweek stayinghome': 809219, 'onceaweek stayinghome runningerrands': 605830, 'stayinghome runningerrands sunnyday': 798739, 'runningerrands sunnyday warmweather': 728152, 'official covid': 595795, 'are anywhere': 84586, 'completely false': 192285, 'false just': 297441, 'in pajama': 426429, 'pajama and': 634397, 'and bathrobe': 58737, 'bathrobe with': 112624, 'red face': 705576, 'bad cough': 107819, 'regular receipt': 707850, 'receipt that': 703419, 'that receive': 845969, 'receive every': 703470, 'the official covid': 862092, 'official covid 19': 595796, 'case number are': 165880, 'number are anywhere': 576827, 'are anywhere near': 84587, 're wrong this': 699851, 'this is completely': 888213, 'is completely false': 446703, 'completely false just': 192286, 'false just saw': 297442, 'store in pajama': 808368, 'in pajama and': 426430, 'pajama and bathrobe': 634398, 'and bathrobe with': 58738, 'bathrobe with red': 112625, 'with red face': 1000430, 'red face and': 705577, 'face and bad': 294297, 'and bad cough': 58634, 'bad cough just': 107820, 'need regular receipt': 555506, 'regular receipt that': 707851, 'receipt that receive': 703420, 'that receive every': 845970, 'receive every month': 703471, 'quarantining or': 693085, 'try some': 934571, 'online socialdistancing': 609396, 're practicing self': 699288, 'practicing self quarantining': 668739, 'self quarantining or': 747879, 'quarantining or if': 693086, 're just worried': 698949, 'store try some': 810964, 'try some of': 934572, 'of these online': 591844, 'these online grocery': 880370, 'delivery service delivery': 234432, 'service delivery online': 752277, 'delivery online socialdistancing': 234262, 'online socialdistancing selfquarantine': 609397, 'of mall': 586133, 'probability of': 679186, '19 breakout': 5439, 'to please look': 911818, 'into the shutdown': 443170, 'shutdown of mall': 768067, 'of mall and': 586134, 'minimize the probability': 533129, 'the probability of': 864502, 'probability of covid': 679187, 'covid 19 breakout': 212727, 'umbrella an': 939222, 'affordable solution': 34902, 'immediately implement': 417108, 'implement foot': 418385, 'foot socialdistancing': 318435, 'pharmacy umbrella': 654533, 'umbrella just': 939226, 'ask american': 95481, 'the umbrella': 870323, 'umbrella in': 939224, 'umbrella an effective': 939223, 'an effective and': 55613, 'effective and affordable': 269217, 'and affordable solution': 57747, 'affordable solution to': 34903, 'solution to immediately': 782100, 'to immediately implement': 908140, 'immediately implement foot': 417109, 'implement foot socialdistancing': 418386, 'foot socialdistancing in': 318436, 'or pharmacy umbrella': 616590, 'pharmacy umbrella just': 654534, 'umbrella just ask': 939227, 'just ask american': 468224, 'ask american to': 95482, 'american to open': 52269, 'open the umbrella': 612556, 'the umbrella in': 870324, 'umbrella in the': 939225, 'hortons face': 404239, 'more criticism': 538926, 'criticism after': 218761, 'after note': 35965, 'note warning': 572844, 'warning employee': 967116, 'edmonton location': 268713, 'location against': 498844, 'against calling': 37352, 'sick wa': 768662, 'tim hortons face': 896158, 'hortons face more': 404240, 'face more criticism': 294620, 'more criticism after': 538927, 'criticism after note': 218762, 'after note warning': 35966, 'note warning employee': 572845, 'warning employee at': 967117, 'employee at an': 273640, 'at an edmonton': 97980, 'an edmonton location': 55606, 'edmonton location against': 268714, 'location against calling': 498845, 'against calling in': 37353, 'in sick wa': 427935, 'sick wa posted': 768663, 'wa posted online': 962967, 'posted online ha': 666562, 'online ha the': 608344, 'history due': 398022, 'to analyst': 900479, 'in history due': 423752, 'history due to': 398023, 'due to analyst': 261702, 'to analyst foxbusiness': 900480, 'professional be': 682426, 'worker ask': 1006449, 'ask neighbor': 95588, 'neighbor how': 557037, 'be positive in': 116471, 'positive in the': 665355, 'the outbreak thank': 862707, 'outbreak thank healthcare': 628692, 'thank healthcare professional': 841595, 'healthcare professional be': 387228, 'professional be kind': 682427, 'store amp pharmacy': 806180, 'amp pharmacy worker': 54295, 'pharmacy worker ask': 654574, 'worker ask neighbor': 1006450, 'ask neighbor how': 95589, 'neighbor how you': 557038, 'misstep': 534456, 'price disrupted': 673461, 'disrupted supply': 246410, 'ministerial misstep': 533516, 'misstep have': 534457, 'falling price disrupted': 297320, 'price disrupted supply': 673462, 'disrupted supply chain': 246411, 'and the destruction': 73321, 'destruction of rural': 239116, 'with ministerial misstep': 999522, 'ministerial misstep have': 533517, 'misstep have left': 534458, 'agricultural sector on': 38922, 'sector on the': 744286, 'about walmart': 26841, 'their politics': 874339, 'not product': 571104, 'pandemic is about': 635750, 'is about walmart': 445281, 'about walmart online': 26842, 'walmart online shopping': 965380, 'shopping and their': 762030, 'and their politics': 73708, 'their politics of': 874340, 'politics of not': 663794, 'of not product': 587085, 'not product available': 571105, 'out tesco': 627305, 'the time trying': 869627, 'get out tesco': 347744, 'out tesco panic': 627306, 'networth': 557787, 'marketcap': 517411, '165millon': 4246, 'xlf': 1013866, 'day bezos': 227377, 'bezos networth': 129281, 'networth grew': 557788, 'billion amzn': 130776, 'amzn marketcap': 55005, 'marketcap went': 517412, 'billion profited': 130901, 'risking employee': 724063, 'employee life': 274013, 'life donated': 488611, 'million bought': 532091, 'bought 165millon': 136471, '165millon home': 4247, 'home coronaupdates': 400944, 'coronaupdates spx': 205340, 'spy tsla': 791410, 'tsla xlf': 934949, 'xlf aapl': 1013867, 'aapl apt': 24128, 'apt dis': 83755, 'in day bezos': 422006, 'day bezos networth': 227378, 'bezos networth grew': 129282, 'networth grew by': 557789, 'grew by billion': 363851, 'by billion amzn': 151966, 'billion amzn marketcap': 130777, 'amzn marketcap went': 55006, 'marketcap went up': 517413, 'by 50 billion': 151660, '50 billion profited': 19635, 'billion profited from': 130902, 'profited from related': 682941, 'from related online': 337068, 'related online shopping': 708500, 'shopping and risking': 762015, 'and risking employee': 70565, 'risking employee life': 724064, 'employee life donated': 274014, 'life donated 100': 488612, '100 million bought': 1950, 'million bought 165millon': 532092, 'bought 165millon home': 136472, '165millon home coronaupdates': 4248, 'home coronaupdates spx': 400945, 'coronaupdates spx spy': 205341, 'spx spy tsla': 791384, 'spy tsla xlf': 791412, 'tsla xlf aapl': 934950, 'xlf aapl apt': 1013868, 'aapl apt dis': 24129, 'at putting': 100230, 'together meal': 920866, 'on volunteer': 605071, 'company canceling': 190531, 'canceling watch': 160994, 'watch to': 968587, 'good folk at': 357046, 'folk at putting': 312110, 'at putting together': 100231, 'putting together meal': 691269, 'together meal for': 920867, 'threatening illness and': 893810, 'illness and can': 416342, 'crisis but they': 217159, 'they are short': 881407, 'are short on': 90070, 'short on volunteer': 764667, 'on volunteer with': 605072, 'volunteer with company': 960377, 'with company canceling': 997701, 'company canceling watch': 190532, 'canceling watch to': 160995, 'watch to learn': 968588, 'vulnerable for': 960965, 'out however': 626342, 'my not': 549525, 'not vunerable': 572415, 'vunerable and': 961305, 'and fit': 62943, 'fit neighbour': 309488, 'neighbour work': 557261, 'tesco headquarters': 838717, 'my household are': 548754, 'household are extremely': 406735, 'extremely vulnerable for': 293940, 'vulnerable for covid': 960966, 'can to not': 160012, 'but we cant': 147742, 'we cant get': 971097, 'cant get any': 162296, 'get any online': 346579, 'shopping slot so': 763908, 'slot so we': 774260, 'go out however': 353958, 'out however my': 626343, 'however my not': 409422, 'my not vunerable': 549526, 'not vunerable and': 572416, 'vunerable and fit': 961306, 'and fit neighbour': 62944, 'fit neighbour work': 309489, 'neighbour work at': 557262, 'at tesco headquarters': 100842, 'alcoholicism': 41222, 'uk brit': 938219, 'brit eat': 140333, 'eat like': 265965, 'like pig': 490998, 'pig should': 656454, 'see during': 745067, 'during christmas': 262500, 'worse thing': 1011035, 'they waste': 883727, 'waste most': 968149, 'those food': 892012, 'no appreciation': 563627, 'appreciation selfish': 82886, 'selfish race': 748237, 'race no': 695191, 'why obesity': 991248, 'and alcoholicism': 57837, 'alcoholicism is': 41223, 'problem stoppanicbuying': 679684, 'stoppanicbuying coronavir': 805554, 'this is uk': 888441, 'is uk brit': 453415, 'uk brit eat': 938220, 'brit eat like': 140334, 'eat like pig': 265966, 'like pig should': 490999, 'pig should come': 656455, 'should come and': 765841, 'and see during': 71132, 'see during christmas': 745068, 'during christmas and': 262501, 'christmas and worse': 178153, 'and worse thing': 75918, 'worse thing is': 1011036, 'thing is they': 884485, 'is they waste': 453055, 'they waste most': 883728, 'waste most of': 968150, 'most of those': 542565, 'of those food': 592089, 'those food they': 892013, 'food they buy': 317165, 'they buy no': 881591, 'buy no appreciation': 149002, 'no appreciation selfish': 563628, 'appreciation selfish race': 82887, 'selfish race no': 748238, 'race no wonder': 695192, 'no wonder why': 565918, 'wonder why obesity': 1004043, 'why obesity and': 991249, 'obesity and alcoholicism': 578366, 'and alcoholicism is': 57838, 'alcoholicism is big': 41224, 'is big problem': 446172, 'big problem stoppanicbuying': 129936, 'problem stoppanicbuying coronavir': 679685, 'korbut': 477447, 'response with': 715923, 'europe said': 283506, 'said alexander': 730955, 'alexander korbut': 41603, 'korbut deputy': 477448, 'deputy head': 237795, 'russian grain': 728646, 'grain union': 361807, 'union oatt': 941915, 'same consumer response': 733007, 'consumer response with': 198791, 'response with toilet': 715924, 'paper in europe': 640318, 'in europe said': 422651, 'europe said alexander': 283507, 'said alexander korbut': 730956, 'alexander korbut deputy': 41604, 'korbut deputy head': 477449, 'deputy head of': 237796, 'of the russian': 591428, 'the russian grain': 866100, 'russian grain union': 728647, 'grain union oatt': 361808, 'yoweri': 1026941, 'yowerimuseveni': 1026944, 'uganda president': 937986, 'president yoweri': 670983, 'yoweri museveni': 1026942, 'foodstuff and': 318156, 'face arrest': 294315, 'arrest yowerimuseveni': 93797, 'uganda president yoweri': 937987, 'president yoweri museveni': 670984, 'yoweri museveni ha': 1026943, 'of foodstuff and': 583834, 'foodstuff and basic': 318157, 'and basic commodity': 58715, 'basic commodity in': 111849, 'face of coronavirus': 294649, 'will face arrest': 993389, 'face arrest yowerimuseveni': 294316, 'openning': 612961, 'dacing': 224269, 'resistir': 714616, 'before openning': 122981, 'openning it': 612962, 'are dacing': 85696, 'dacing amp': 224270, 'amp singing': 54508, 'singing popular': 771224, 'popular hit': 664558, '80 called': 22559, 'called resistir': 156428, 'resistir ll': 714617, 'spanish supermarket few': 787415, 'supermarket few minute': 820302, 'minute before openning': 533746, 'before openning it': 122982, 'openning it door': 612963, 'it door they': 457682, 'they are dacing': 881244, 'are dacing amp': 85697, 'dacing amp singing': 224271, 'amp singing popular': 54509, 'singing popular hit': 771225, 'popular hit from': 664559, 'hit from 80': 398232, 'from 80 called': 334342, '80 called resistir': 22560, 'called resistir ll': 156429, 'resistir ll survive': 714618, 'to moan': 910203, 'moan at': 534888, 'entire group': 278684, 'felt genuinely': 303381, 'genuinely dangerous': 345884, 'wa because': 961654, 'because older': 119433, 'about ignoring': 25501, 'want to moan': 966070, 'to moan at': 910204, 'moan at an': 534889, 'at an entire': 97984, 'an entire group': 55771, 'entire group but': 278685, 'but older folk': 146653, 'older folk get': 598602, 'folk get in': 312162, 'line felt genuinely': 493083, 'felt genuinely dangerous': 303382, 'genuinely dangerous in': 345885, 'incident wa because': 431445, 'wa because older': 961656, 'because older people': 119434, 'were just going': 979817, 'going about ignoring': 354986, 'about ignoring socialdistancing': 25502, 'businesslife': 144755, 'coronaspread': 205275, 'most innovative': 542449, 'innovative sanitizer': 438932, 'spray coronaalert': 790282, 'coronaalert coronaoutbreak': 204422, 'corona businesslife': 203834, 'businesslife wfh': 144756, 'wfh lockdownnow': 980843, 'lockdownnow stayathomeorder': 500340, 'stayathomeorder coronaspread': 797772, 'coronaspread pandemic': 205276, 'most innovative sanitizer': 542450, 'innovative sanitizer spray': 438933, 'sanitizer spray coronaalert': 735782, 'spray coronaalert coronaoutbreak': 790283, 'coronaalert coronaoutbreak corona': 204424, 'coronaoutbreak corona businesslife': 205108, 'corona businesslife wfh': 203835, 'businesslife wfh lockdownnow': 144757, 'wfh lockdownnow stayathomeorder': 980844, 'lockdownnow stayathomeorder coronaspread': 500341, 'stayathomeorder coronaspread pandemic': 797773, '48hrs': 19364, 'after 48hrs': 35298, '48hrs shift': 19365, 'socialdistanacing via': 780122, 'food after 48hrs': 313039, 'after 48hrs shift': 35299, '48hrs shift nh': 19366, 'stockmarket socialdistanacing via': 803672, 'dropping fuel': 260692, 'be fuel': 114975, 'again coming': 36951, 'to attention': 900825, 'unemployment at': 941164, 'risk perhaps': 723823, 'need stimulus': 555645, 'stimulus outside': 801572, 'dropping fuel price': 260693, '19 but should': 5525, 'but should they': 147049, 'they be fuel': 881533, 'be fuel price': 114976, 'price are again': 672629, 'are again coming': 84273, 'again coming to': 36952, 'coming to attention': 188219, 'to attention due': 900826, 'pandemic and with': 634920, 'and with 30': 75758, 'with 30 unemployment': 997001, '30 unemployment at': 17254, 'unemployment at risk': 941165, 'at risk perhaps': 100387, 'risk perhaps we': 723824, 'perhaps we need': 651666, 'we need stimulus': 972547, 'need stimulus outside': 555646, 'stimulus outside the': 801573, 'outside the norm': 629599, 'positivethinking': 665498, 'paragraph': 641329, 'is positivethinking': 450940, 'positivethinking working': 665499, 'nearby park': 553674, 'park how': 641930, 'same paragraph': 733204, 'paragraph in': 641330, 'your appetite': 1022799, 'appetite waning': 82236, 'waning or': 965590, 'or nonexistent': 616277, 'how is positivethinking': 408104, 'is positivethinking working': 450941, 'positivethinking working for': 665500, 'for others is': 324195, 'others is it': 621492, 'it helping you': 458560, 'helping you go': 391553, 'store or go': 809336, 'or go for': 615489, 'walk in nearby': 964804, 'in nearby park': 425708, 'nearby park how': 553675, 'park how about': 641931, 'how about not': 407292, 'about not read': 25818, 'not read the': 571218, 'read the same': 700589, 'the same paragraph': 866273, 'same paragraph in': 733205, 'paragraph in the': 641331, 'the book you': 849843, 'book you ve': 134641, 'been reading for': 121779, 'reading for several': 700763, 'several day what': 753826, 'day what about': 228713, 'what about your': 980995, 'about your appetite': 26987, 'your appetite waning': 1022800, 'appetite waning or': 82237, 'waning or nonexistent': 965591, 'take initiative': 832223, 'pandemic announced': 634922, 'would freeze': 1011824, 'freeze the': 332564, '500 product': 20048, 'product until': 681790, 'retailer take initiative': 719350, 'take initiative to': 832224, 'initiative to support': 438663, 'support their consumer': 826897, 'their consumer during': 872855, 'the pandemic announced': 862907, 'pandemic announced it': 634923, 'announced it would': 76975, 'it would freeze': 462590, 'would freeze the': 1011825, 'freeze the price': 332565, 'price of 500': 675397, 'of 500 product': 579615, '500 product until': 20049, 'product until the': 681791, 'of the period': 591331, 'nice job': 562429, 'job stop': 466169, 'shop northeastern': 760499, 'northeastern grocery': 567733, 'chain give': 170737, 'additional week': 31899, 'paid medical': 634079, 'leave stop': 484948, 'raise additional': 695809, 'additional paid': 31849, 'leave amid': 484728, 'nice job stop': 562430, 'job stop amp': 466170, 'amp shop northeastern': 54492, 'shop northeastern grocery': 760500, 'northeastern grocery store': 567734, 'store chain give': 806919, 'chain give all': 170738, 'give all worker': 350370, 'all worker raise': 45505, 'worker raise and': 1007657, 'raise and additional': 695813, 'and additional week': 57684, 'additional week of': 31900, 'of paid medical': 587665, 'paid medical leave': 634080, 'medical leave stop': 526240, 'leave stop amp': 484949, 'amp shop worker': 54494, 'shop worker receive': 761091, 'worker receive pay': 1007668, 'receive pay raise': 703528, 'pay raise additional': 645067, 'raise additional paid': 695810, 'additional paid sick': 31850, 'sick leave amid': 768482, 'leave amid coronavirus': 484729, 'maidstone': 508561, 'maidstone huge': 508562, 'maidstone huge thanks': 508563, 'supermarket staff for': 822848, 'staff for your': 792470, 'with you coronacrisis': 1002146, 'hopping': 403981, 'ps5reveal': 687389, 'playstation5': 659506, 'be hopping': 115302, 'hopping into': 403982, 'the ps5': 864747, 'ps5 architecture': 687383, 'architecture reveal': 84056, 'reveal thinking': 720257, 'level reveal': 487692, 'reveal is': 720235, 'of realization': 588800, 'realization that': 701833, 'the presentation': 864249, 'gdc not': 344856, 'our under': 625225, 'under uneducated': 940369, 'uneducated non': 941091, 'non developer': 566322, 'developer ass': 239751, 'ass ps5reveal': 96272, 'ps5reveal playstation5': 687390, 'people be hopping': 647227, 'be hopping into': 115303, 'hopping into the': 403983, 'into the ps5': 443160, 'the ps5 architecture': 864748, 'ps5 architecture reveal': 687384, 'architecture reveal thinking': 84057, 'reveal thinking it': 720258, 'thinking it consumer': 885931, 'it consumer level': 457290, 'consumer level reveal': 198036, 'level reveal is': 487693, 'reveal is about': 720236, 'level of realization': 487655, 'of realization that': 588801, 'realization that the': 701834, 'that the had': 846741, 'the had about': 857036, 'had about how': 372812, 'about how serious': 25469, 'is the presentation': 452902, 'the presentation wa': 864250, 'presentation wa for': 670652, 'wa for gdc': 962155, 'for gdc not': 321854, 'gdc not for': 344857, 'not for our': 569495, 'for our under': 324302, 'our under uneducated': 625226, 'under uneducated non': 940370, 'uneducated non developer': 941092, 'non developer ass': 566323, 'developer ass ps5reveal': 239752, 'ass ps5reveal playstation5': 96273, 'scientist find': 742216, 'wa engineered': 962073, 'best of scientist': 127798, 'of scientist find': 589411, 'scientist find no': 742218, 'find no evidence': 307097, '19 wa engineered': 11864, 'amp of essential': 54209, 'hospital demand': 404368, 'fuck your': 339707, 'your it': 1024514, 'that fuckin': 843968, 'fuckin shit': 339784, 'die fucking': 241359, 'fucking vote': 340049, 'hospital demand for': 404369, 'demand for mask': 235451, 'for mask etc': 323268, 'mask etc is': 518614, 'etc is driving': 282616, 'up price fuck': 945815, 'price fuck your': 674128, 'fuck your it': 339708, 'your it is': 1024515, 'for that fuckin': 326255, 'that fuckin shit': 843969, 'fuckin shit to': 339786, 'shit to die': 759263, 'to die fucking': 904273, 'die fucking vote': 241360, 'fucking vote and': 340050, 'vote and stop': 960469, 'and stop this': 72490, 'stop this shit': 805198, 'hurt others': 411603, 'others ashley': 621285, 'didn contain': 241020, 'contain toilet': 200507, 'you who hoard': 1022305, 'who hoard it': 989009, 'hoard it really': 398819, 'it really hurt': 460645, 'really hurt others': 702323, 'hurt others ashley': 411604, 'others ashley preece': 621286, 'wheelchair and ha': 983067, 'and ha her': 64073, 'ha her grocery': 370859, 'her grocery delivered': 392083, 'grocery delivered to': 364430, 'it didn contain': 457536, 'didn contain toilet': 241022, 'contain toilet paper': 200508, 'shopping 12': 761862, 'out during all': 625986, 'during all the': 262435, '19 panic by': 9542, 'panic by working': 637987, 'online shopping 12': 609007, 'shopping 12 hour': 761863, 'manufacturer switching': 513518, 'pandemic face': 635418, 'face number': 294642, 'of unique': 592633, 'unique issue': 941986, 'regarding their': 707297, 'their obligation': 874077, 'obligation under': 578469, 'under australian': 940017, 'law mkinsights': 482340, 'manufacturer switching to': 513519, 'switching to produce': 830582, 'to produce product': 912205, 'produce product that': 680400, '19 pandemic face': 9323, 'pandemic face number': 635419, 'face number of': 294643, 'number of unique': 577009, 'of unique issue': 592634, 'unique issue regarding': 941987, 'issue regarding their': 455909, 'regarding their obligation': 707298, 'their obligation under': 874078, 'obligation under australian': 578470, 'under australian consumer': 940018, 'consumer law mkinsights': 198002, 'skintdodgers': 773123, 'here 45': 392652, 'grab job': 361497, 'job employment': 465813, 'employment asda': 274582, 'sainsburys morrison': 731772, 'morrison skintdodgers': 541754, 'need job here': 555123, 'job here 45': 465862, 'here 45 00': 392653, '45 00 that': 19060, '00 that are': 518, 'that are up': 842837, 'for grab job': 321974, 'grab job employment': 361498, 'job employment asda': 465814, 'employment asda tesco': 274583, 'tesco sainsburys morrison': 838798, 'sainsburys morrison skintdodgers': 731774, 'crest': 216663, 'at crest': 98363, 'crest grocery': 216664, 'store edmond': 807434, 'edmond oklahoma': 268699, 'not riding': 571380, 'riding motorcycle': 721672, 'shopper at crest': 761408, 'at crest grocery': 98364, 'crest grocery store': 216665, 'grocery store edmond': 365357, 'store edmond oklahoma': 807435, 'edmond oklahoma he': 268700, 'oklahoma he wa': 598068, 'wa not riding': 962773, 'not riding motorcycle': 571381, 'behaviour make': 124471, 'after handwash': 35749, 'handwash ha': 376770, 'disappeared it': 244064, 'it washing': 462249, 'liquid turn': 494110, 'disappear stop': 244048, 'selfish wit': 748315, 'wit stophoarding': 996909, 'london your behaviour': 501237, 'your behaviour make': 1022936, 'behaviour make no': 124472, 'sense now after': 750548, 'now after handwash': 573952, 'after handwash ha': 35750, 'handwash ha disappeared': 376771, 'ha disappeared it': 370393, 'disappeared it washing': 244065, 'it washing up': 462250, 'up liquid turn': 945328, 'liquid turn to': 494111, 'turn to disappear': 935778, 'to disappear stop': 904342, 'disappear stop being': 244049, 'being selfish wit': 125750, 'selfish wit stophoarding': 748316, 'wit stophoarding panicbuyinguk': 996910, 'doctor today': 251143, 'said even': 731056, 'out scarf': 627154, 'face said': 294718, 'no co': 563835, 'co you': 185022, 're ugly': 699742, 'ugly bastard': 938041, 'the doctor today': 853474, 'doctor today and': 251144, 'today and he': 919213, 'and he said': 64323, 'he said even': 385361, 'said even when': 731057, 'supermarket out scarf': 821856, 'out scarf around': 627155, 'scarf around your': 741066, 'around your face': 93670, 'your face said': 1023756, 'face said why': 294719, 'said why because': 731588, 'why because of': 990834, 'said no co': 731254, 'no co you': 563836, 'co you re': 185023, 'you re ugly': 1020781, 're ugly bastard': 699743, 'trick you': 931720, 'into sharing': 442974, 'sharing valuable': 755620, 'information such': 437984, 'such account': 816306, 'real example': 701168, 'message to trick': 529464, 'to trick you': 917778, 'trick you into': 931721, 'you into sharing': 1019368, 'into sharing valuable': 442975, 'sharing valuable personal': 755621, 'valuable personal information': 952045, 'personal information such': 652901, 'information such account': 437985, 'such account number': 816307, 'account number ssns': 28725, 'password here is': 643471, 'here is real': 393244, 'is real example': 451266, 'real example of': 701169, 'to be read': 901484, 'be read more': 116692, 'pasture': 643900, 'honest pasture': 403070, 'pasture is': 643901, 'pandemic sponsored': 636522, 'honest pasture is': 403071, 'pasture is working': 643902, 'help all eat': 389319, 'all eat well': 42653, 'the pandemic sponsored': 863103, 'thank health': 841592, 'add primary': 31475, 'primary production': 678085, 'worker generally': 1007017, 'australian thank health': 103561, 'thank health worker': 841593, 'health worker supermarket': 386990, 'worker teacher for': 1007886, 'teacher for working': 835465, '19 pandemic like': 9381, 'to add primary': 900064, 'add primary production': 31476, 'primary production worker': 678086, 'production worker farmer': 682286, 'worker farmer and': 1006905, 'farmer and essential': 299253, 'service worker generally': 753095, 'worker generally to': 1007018, 'the list via': 859474, 'our corona': 622566, 'virus emergency': 958155, 'plan corona': 658097, 'virus australia': 957978, 'pandemic emergency': 635366, 'our corona virus': 622567, 'corona virus emergency': 204303, 'virus emergency plan': 958156, 'emergency plan corona': 272877, 'plan corona virus': 658098, 'corona virus australia': 204288, 'virus australia toiletpaper': 957979, 'australia toiletpaper pandemic': 103413, 'toiletpaper pandemic emergency': 922302, 'pandemic emergency 19': 635367, 'inexperienced': 436455, 'criminal puertorico': 216871, 'puertorico pr': 688825, 'pr pay': 668439, 'price above': 672193, 'above market': 27085, 'to inexperienced': 908348, 'inexperienced company': 436456, 'company owned': 190952, 'his top': 397866, 'top donor': 925565, 'donor for': 255156, 'street would': 813184, 'been full': 121186, 'people demanding': 647629, 'demanding an': 236571, 'the criminal puertorico': 852333, 'criminal puertorico pr': 216872, 'puertorico pr pay': 688826, 'pr pay price': 668440, 'pay price above': 645052, 'price above market': 672194, 'above market value': 27086, 'market value to': 517294, 'value to inexperienced': 952223, 'to inexperienced company': 908349, 'inexperienced company owned': 436457, 'company owned by': 190953, 'owned by some': 632334, 'of his top': 584667, 'his top donor': 397867, 'top donor for': 925566, 'donor for test': 255157, 'for test if': 326230, 'test if there': 839029, 'if there had': 415069, 'there had been': 878456, 'had been no': 372901, 'been no fear': 121570, 'no fear of': 564203, 'fear of disease': 301227, 'disease the street': 245254, 'the street would': 868260, 'street would have': 813185, 'have been full': 379553, 'been full of': 121187, 'of people demanding': 587894, 'people demanding an': 647630, 'demanding an end': 236572, 'end to corruption': 276007, 'get lunch': 347508, '100 deep': 1885, 'deep with': 231927, 'with mug': 999594, 'mug holding': 545569, 'holding trolley': 400184, 'trolley waiting': 932494, 'shelf outside': 757387, 'be doubled': 114582, 'anyone getting': 80329, 'tried to run': 931846, 'run into tesco': 727683, 'into tesco to': 443084, 'to get lunch': 906525, 'get lunch for': 347509, 'lunch for work': 506726, 'for work and': 327918, 'and it 100': 65477, 'it 100 deep': 456170, '100 deep with': 1886, 'deep with mug': 231928, 'with mug holding': 999595, 'mug holding trolley': 545570, 'holding trolley waiting': 400185, 'trolley waiting to': 932495, 'waiting to strip': 964415, 'to strip the': 915681, 'the shelf outside': 866863, 'shelf outside the': 757388, 'outside the price': 629600, 'should be doubled': 765607, 'be doubled for': 114583, 'doubled for anyone': 256111, 'for anyone getting': 319437, 'anyone getting more': 80330, 'getting more than': 349126, 'than 10 item': 840147, '10 item to': 1489, 'murdoch controlled': 546187, 'controlled outlet': 202249, 'outlet violated': 629072, 'law by': 482232, 'falsely and': 297466, 'and deceptively': 61005, 'deceptively disseminating': 230827, 'disseminating news': 246583, 'via cable': 955841, 'news contract': 560330, 'contract that': 201706, 'novel wa': 573825, 'not danger': 568955, 'murdoch controlled outlet': 546188, 'controlled outlet violated': 202250, 'outlet violated the': 629073, 'protection law by': 685507, 'law by falsely': 482234, 'by falsely and': 152540, 'falsely and deceptively': 297467, 'and deceptively disseminating': 61006, 'deceptively disseminating news': 230828, 'disseminating news via': 246584, 'news via cable': 560938, 'via cable news': 955842, 'cable news contract': 155021, 'news contract that': 560331, 'contract that the': 201707, 'the novel wa': 861927, 'novel wa hoax': 573826, 'wa hoax and': 962317, 'hoax and that': 399697, 'virus wa otherwise': 958991, 'wa otherwise not': 962871, 'otherwise not danger': 621856, 'not danger to': 568956, 'danger to public': 225705, 'to public health': 912473, 'apparently butter': 81917, 'paper butter': 639979, 'butter stockup': 148168, 'so apparently butter': 776532, 'apparently butter is': 81918, 'butter is the': 148155, 'toilet paper butter': 921213, 'paper butter stockup': 639980, 'innitiative': 438815, 'great innitiative': 362763, 'innitiative but': 438816, 'if seller': 414767, 'seller stop': 749080, 'price offline': 675618, 'offline urge': 596058, 'all manufacturer': 43456, 'manufacturer and': 513418, 'done great innitiative': 254860, 'great innitiative but': 362764, 'innitiative but what': 438817, 'what if seller': 981632, 'if seller stop': 414768, 'seller stop selling': 749081, 'stop selling online': 804993, 'selling online and': 749378, 'online and sell': 607850, 'sell on high': 748825, 'high price offline': 395263, 'price offline urge': 675619, 'offline urge all': 596059, 'urge all manufacturer': 948151, 'all manufacturer and': 43457, 'manufacturer and seller': 513420, 'and seller of': 71224, 'seller of medical': 749047, 'supply to not': 826019, 'to not profit': 910704, 'not profit from': 571109, 'and help fellow': 64448, 'help fellow human': 389701, 'human in this': 410518, 'role healthcare': 725079, 'playing during': 659399, 'crisis doe': 217300, 'mean these': 524708, 'be exempt': 114726, 'from much': 336486, 'needed work': 556587, 'work health': 1005245, 'condition worker': 193564, 'recognizing the role': 704679, 'the role healthcare': 865954, 'role healthcare and': 725080, 'healthcare and grocery': 387030, 'worker are playing': 1006415, 'are playing during': 89102, 'playing during this': 659400, 'this crisis doe': 887033, 'crisis doe not': 217301, 'not mean these': 570554, 'mean these worker': 524709, 'these worker should': 880994, 'should be exempt': 765618, 'be exempt from': 114727, 'exempt from much': 289971, 'from much needed': 336488, 'much needed work': 545174, 'needed work health': 556588, 'work health policy': 1005246, 'health policy and': 386746, 'policy and working': 663338, 'and working condition': 75893, 'working condition worker': 1008580, 'condition worker need': 193565, 'worker need and': 1007418, 'via pol': 956176, 'pol flapol': 662854, 'confidence via pol': 193978, 'via pol flapol': 956177, 'sid': 768770, 'sidvale': 768969, 'foodbankappeal': 317807, 'sid vale': 768771, 'vale food': 951872, 'bank appeal': 109631, 'donation coronavirus': 254578, 'coronavirus push': 206608, 'demand sidvale': 236217, 'sidvale foodbankappeal': 768970, 'sid vale food': 768772, 'vale food bank': 951873, 'food bank appeal': 313519, 'bank appeal for': 109632, 'appeal for donation': 82061, 'for donation coronavirus': 320826, 'donation coronavirus push': 254579, 'coronavirus push up': 206609, 'push up demand': 690337, 'up demand sidvale': 944706, 'demand sidvale foodbankappeal': 236218, 'vehicle sale': 954279, 'sale expected': 732199, 'rise economy': 722836, 'economy recovers': 268173, 'electric vehicle sale': 271131, 'vehicle sale are': 954280, 'to fall sharply': 905641, 'fall sharply this': 297049, 'bad sale expected': 108003, 'sale expected to': 732200, 'to rise economy': 913563, 'rise economy recovers': 722837, '50 winner': 19910, 'and sponsor': 72125, 'sponsor and': 789821, 'and system': 72940, 'system doing': 831147, 'retailer stock': 719335, 'to see 50': 913979, 'see 50 winner': 744868, '50 winner and': 19911, 'winner and sponsor': 996017, 'and sponsor and': 72126, 'sponsor and system': 789822, 'and system doing': 72941, 'system doing their': 831148, 'to help retailer': 907613, 'help retailer stock': 390456, 'retailer stock their': 719336, 'stock their shelf': 802951, 'their shelf at': 874680, 'gonna pray': 356595, 'gonna worry': 356657, 'worry do': 1010692, 'pray somebody': 669015, 'somebody will': 784290, 'if you gonna': 415446, 'you gonna pray': 1018888, 'gonna pray do': 356596, 'you gonna worry': 1018891, 'gonna worry do': 356658, 'worry do not': 1010693, 'not pray somebody': 571073, 'pray somebody will': 669016, 'somebody will give': 784291, 'progressiveenterprise': 683417, 'countdown introduces': 210159, 'introduces only': 443476, 'anything limit': 80824, 'limit across': 492274, 'product demand': 681114, 'surge countdown': 828145, 'countdown progressiveenterprise': 210169, 'progressiveenterprise newzealand': 683418, 'newzealand supermarket': 561247, 'grocery limit': 364688, 'limit nzpol': 492388, 'countdown introduces only': 210160, 'introduces only two': 443477, 'only two of': 611394, 'two of anything': 937082, 'of anything limit': 580291, 'anything limit across': 80825, 'limit across all': 492275, 'across all product': 29231, 'all product demand': 44062, 'product demand surge': 681117, 'demand surge countdown': 236303, 'surge countdown progressiveenterprise': 828146, 'countdown progressiveenterprise newzealand': 210170, 'progressiveenterprise newzealand supermarket': 683419, 'newzealand supermarket grocery': 561248, 'supermarket grocery limit': 820578, 'grocery limit nzpol': 364689, 'forgets': 329353, 'yesterday with': 1015958, 'on immuno': 601497, 'compromised queued': 192688, 'apart so': 81335, 'let into': 486817, 'everyone instantly': 287054, 'instantly forgets': 440130, 'forgets socialdistancing': 329354, 'socialdistancing people': 780596, 'reaching past': 700108, 'me crowding': 522626, 'crowding round': 219406, 'round desperate': 726324, 'grab th': 361544, 'shopping yesterday with': 764483, 'yesterday with mask': 1015959, 'mask on immuno': 519049, 'on immuno compromised': 601498, 'immuno compromised queued': 417450, 'compromised queued outside': 192689, 'queued outside meter': 694155, 'meter apart so': 529688, 'apart so far': 81336, 'so good let': 777186, 'good let into': 357323, 'let into the': 486818, 'supermarket everyone instantly': 820233, 'everyone instantly forgets': 287055, 'instantly forgets socialdistancing': 440131, 'forgets socialdistancing people': 329355, 'socialdistancing people reaching': 780597, 'people reaching past': 649231, 'reaching past me': 700109, 'past me crowding': 643566, 'me crowding round': 522627, 'crowding round desperate': 219407, 'round desperate to': 726325, 'desperate to grab': 238560, 'to grab th': 906972, 'wrong place': 1013077, 'check any': 174368, 'lot environment': 504039, 'glove lockdownnow': 352759, 'lockdownnow stayhome': 500342, 'healthcare worker must': 387367, 'must be shopping': 546546, 'the wrong place': 872106, 'wrong place for': 1013079, 'place for supply': 657448, 'for supply there': 326056, 'supply there no': 825974, 'shortage of glove': 765112, 'of glove after': 584162, 'glove after all': 352537, 'after all just': 35327, 'all just check': 43295, 'just check any': 468468, 'check any grocery': 174369, 'parking lot environment': 642086, 'lot environment 19': 504040, 'environment 19 glove': 279074, '19 glove lockdownnow': 7226, 'glove lockdownnow stayhome': 352760, 'blouse': 133297, 'word man': 1004520, 'man where': 512315, 'wear that': 974467, 'that blouse': 843001, 'blouse to': 133298, 'to sharon': 914380, 'sharon the': 755662, 'kitchen honest': 475715, 'cope anymore': 203305, 'anymore itvnews': 80138, 'fuck is online': 339591, 'for clothes if': 320138, 'you are have': 1017135, 'are have fucking': 87024, 'fucking word man': 340056, 'word man where': 1004521, 'man where you': 512316, 'where you gonna': 985389, 'you gonna wear': 1018890, 'gonna wear that': 356653, 'wear that blouse': 974468, 'that blouse to': 843002, 'blouse to sharon': 133299, 'to sharon the': 914381, 'sharon the kitchen': 755663, 'the kitchen honest': 858834, 'kitchen honest to': 475716, 'to god can': 906892, 'god can cope': 354663, 'can cope anymore': 157998, 'cope anymore itvnews': 203306, 'wow got': 1012558, 'got advertised': 358383, 'advertised to': 33161, 'bought both': 136521, 'facebook of': 294974, 'pretty attractive': 671356, 'wow got advertised': 1012559, 'got advertised to': 358384, 'advertised to on': 33162, 'to on facebook': 910896, 'advertising and bought': 33202, 'and bought both': 59103, 'bought both the': 136522, 'both the item': 136067, 'in about year': 419986, 'about year on': 26962, 'on facebook of': 600713, 'facebook of course': 294975, 'of course online': 582066, 'course online shopping': 211918, 'shopping is pretty': 763073, 'is pretty attractive': 451006, 'pretty attractive during': 671357, 'faltered': 297489, 'refiner across': 706581, 'asia have': 95180, 'been accumulating': 120598, 'accumulating unwanted': 28868, 'unwanted and': 944045, 'inventory since': 443711, 'early feb': 264598, 'demand faltered': 235321, 'faltered following': 297490, 'refiner across asia': 706582, 'across asia have': 29267, 'asia have been': 95181, 'have been accumulating': 379457, 'been accumulating unwanted': 120599, 'accumulating unwanted and': 28869, 'unwanted and inventory': 944046, 'and inventory since': 65357, 'inventory since early': 443712, 'since early feb': 770572, 'early feb consumer': 264599, 'feb consumer demand': 301640, 'consumer demand faltered': 197131, 'demand faltered following': 235322, 'faltered following the': 297491, 'identitythiefs': 413414, 'read onlineshopping': 700490, 'onlineshopping malware': 609915, 'malware identitythiefs': 511896, 'identitythiefs rt': 413415, 'rt important': 726775, 'good read onlineshopping': 357623, 'read onlineshopping malware': 700491, 'onlineshopping malware identitythiefs': 609916, 'malware identitythiefs rt': 511897, 'identitythiefs rt important': 413416, 'rt important tip': 726776, 'shopping post via': 763665, 'entitlement': 278838, 'regarding snap': 707260, 'snap said': 776116, 'the entitlement': 854375, 'entitlement program': 278839, 'program wa': 683314, 'wa far': 962110, 'more economically': 539100, 'economically efficient': 267385, 'efficient than': 269437, 'than soup': 841156, 'analyst have': 57144, 'have pointed': 381992, 'program provides': 683283, 'provides important': 686867, 'important counter': 418776, 'counter cyclical': 210205, 'cyclical help': 224084, 'regarding snap said': 707261, 'snap said the': 776117, 'said the entitlement': 731430, 'the entitlement program': 854376, 'entitlement program wa': 278840, 'program wa far': 683315, 'wa far more': 962111, 'far more economically': 298848, 'more economically efficient': 539101, 'economically efficient than': 267386, 'efficient than soup': 269438, 'than soup kitchen': 841157, 'soup kitchen and': 786391, 'kitchen and food': 475691, 'pantry and analyst': 639517, 'and analyst have': 58125, 'analyst have pointed': 57146, 'have pointed out': 381993, 'the food program': 855591, 'food program provides': 316057, 'program provides important': 683284, 'provides important counter': 686868, 'important counter cyclical': 418777, 'counter cyclical help': 210206, 'cyclical help in': 224085, 'help in recession': 389901, 'recyclable': 705522, 'shopping had': 762854, 'about recyclable': 26062, 'recyclable bag': 705523, 'bag earlier': 108272, 'cart rarely': 165366, 'rarely use': 697119, 'hand basket': 374818, 'basket well': 112417, 'shopping had the': 762855, 'same thought about': 733341, 'thought about recyclable': 892959, 'about recyclable bag': 26063, 'recyclable bag earlier': 705524, 'bag earlier today': 108273, 'earlier today do': 264501, 'today do not': 919455, 'not use them': 572362, 'use them or': 949710, 'them or shopping': 876114, 'or shopping cart': 617058, 'shopping cart rarely': 762311, 'cart rarely use': 165367, 'rarely use hand': 697120, 'use hand basket': 949253, 'hand basket well': 374820, 'with thought': 1001752, 'and recovering': 70069, 'recovering thanks': 705270, 'care staffer': 164215, 'staffer doctor': 793142, 'dealing with lot': 229675, 'with lot more': 999319, 'lot more with': 504122, 'more with thought': 540998, 'with thought and': 1001753, 'and prayer to': 69327, 'prayer to those': 669077, 'it and recovering': 456511, 'and recovering thanks': 70070, 'recovering thanks to': 705271, 'health care staffer': 386251, 'care staffer doctor': 164216, 'staffer doctor nurse': 793143, 'onumulheres': 611697, 'mj': 534671, 'esplanadadosministerios': 280682, 'paper classic': 640026, 'classic downsizing': 180323, 'downsizing the': 257721, 'super mega': 818548, 'mega roll': 527818, 'normal roll': 567294, 'virus onumulheres': 958568, 'onumulheres mj': 611698, 'mj yomequedoencasa': 534672, 'yomequedoencasa panic': 1016544, 'panic esplanadadosministerios': 638074, 'toilet paper classic': 921228, 'paper classic downsizing': 640027, 'classic downsizing the': 180324, 'downsizing the super': 257722, 'the super mega': 868428, 'super mega roll': 818549, 'mega roll to': 527819, 'roll to normal': 725557, 'to normal roll': 910655, 'normal roll toiletpaper': 567295, 'roll toiletpaper corona': 725564, 'toiletpaper corona virus': 921877, 'corona virus onumulheres': 204337, 'virus onumulheres mj': 958569, 'onumulheres mj yomequedoencasa': 611699, 'mj yomequedoencasa panic': 534673, 'yomequedoencasa panic esplanadadosministerios': 1016545, 'wa struggling': 963336, 'retail retail wa': 718467, 'retail wa struggling': 718840, 'wa struggling before': 963337, 'struggling before the': 814425, 'the weston': 871408, 'weston family': 980698, 'wow good on': 1012556, 'good on the': 357504, 'on the weston': 604449, 'the weston family': 871409, 'weston family thank': 980699, 'employee for keeping': 273865, 'for keeping fed': 322812, 'virtualgrandnational': 957826, 'itv1': 464017, 'not long': 570453, 'long now': 501534, 'the virtualgrandnational': 870788, 'virtualgrandnational 15pm': 957827, '15pm start': 4035, 'but live': 146290, 'on itv1': 601712, 'itv1 from': 464018, '5pm hosted': 20804, 'their amazing': 872492, 'amazing selfless': 50778, 'stayhomesavelives form': 798383, 'form link': 329521, 'our racing': 624533, 'racing team': 695257, 'team tip': 835798, 'not long now': 570454, 'long now until': 501535, 'until the virtualgrandnational': 943875, 'the virtualgrandnational 15pm': 870789, 'virtualgrandnational 15pm start': 957828, '15pm start but': 4036, 'start but live': 794233, 'but live on': 146291, 'live on itv1': 495957, 'on itv1 from': 601713, 'itv1 from 5pm': 464019, 'from 5pm hosted': 334315, '5pm hosted by': 20805, 'hosted by all': 404914, 'by all profit': 151790, 'profit going to': 682746, 'going to for': 355605, 'for their amazing': 326799, 'their amazing selfless': 872493, 'amazing selfless work': 50779, 'selfless work stayhomesavelives': 748538, 'work stayhomesavelives form': 1005761, 'stayhomesavelives form link': 798384, 'form link to': 329522, 'link to price': 493937, 'to price our': 912124, 'price our racing': 675805, 'our racing team': 624534, 'racing team tip': 695258, 'team tip here': 835799, 'hijacking': 396184, 'we trucker': 973575, 'being targeted': 125901, 'targeted for': 834546, 'for hijacking': 322273, 'hijacking we': 396185, 'are lifeline': 87780, 'get meal': 347544, 'meal due': 524135, 'working longer': 1008767, 'service regulation': 752756, 'your needed': 1024944, 'we trucker are': 973576, 'are being targeted': 84933, 'being targeted for': 125902, 'targeted for hijacking': 834547, 'for hijacking we': 322274, 'hijacking we are': 396186, 'we are lifeline': 970607, 'are lifeline for': 87781, 'lifeline for supply': 489310, 'some cannot get': 782479, 'cannot get meal': 161895, 'get meal due': 347545, 'meal due to': 524136, 'closure we re': 184063, 're working longer': 699833, 'working longer hour': 1008768, 'longer hour of': 501993, 'hour of service': 405805, 'of service regulation': 589532, 'service regulation are': 752757, 'suspended in crisis': 829621, 'in crisis we': 421902, 'get your needed': 348717, 'your needed supply': 1024945, 'needed supply out': 556509, 'socialdistancing not': 780563, 'quite wore': 694939, 'glove customer': 352648, 'mask 90': 518272, '90 glove': 23302, 'glove 10': 352526, '20 ft': 13069, 'ft distancing': 339342, 'distancing maybe': 247307, 'maybe 10': 521634, '10 following': 1427, 'following aisle': 312675, 'way marker': 969697, 'marker 25': 515877, 'announcement direction': 77140, 'direction to': 243485, 'follow people': 312485, 'people ignored': 648328, 'ignored it': 415877, 'back from grocery': 107008, 'grocery shopping socialdistancing': 365082, 'shopping socialdistancing not': 763938, 'socialdistancing not quite': 780564, 'not quite wore': 571195, 'quite wore my': 694940, 'wore my face': 1004675, 'and glove customer': 63714, 'glove customer face': 352649, 'customer face mask': 222366, 'face mask 90': 294512, 'mask 90 glove': 518273, '90 glove 10': 23303, 'glove 10 20': 352527, '10 20 ft': 1247, '20 ft distancing': 13070, 'ft distancing maybe': 339343, 'distancing maybe 10': 247308, 'maybe 10 following': 521635, '10 following aisle': 1428, 'following aisle one': 312676, 'one way marker': 607372, 'way marker 25': 969698, 'marker 25 the': 515878, '25 the store': 15970, 'the store announcement': 867980, 'store announcement direction': 806414, 'announcement direction to': 77141, 'direction to follow': 243486, 'to follow people': 906057, 'follow people ignored': 312486, 'people ignored it': 648329, 'thing friend': 884341, 'me guy': 522845, 'guy hit': 369024, 'station by': 796369, 'he worked': 385686, 'the hookup': 857487, 'hookup we': 403356, 'in strange': 428484, '19 thing friend': 11324, 'thing friend just': 884342, 'told me guy': 923606, 'me guy hit': 522846, 'guy hit on': 369025, 'hit on her': 398354, 'on her at': 601279, 'her at the': 391867, 'at the gas': 100958, 'gas station by': 344103, 'station by telling': 796370, 'by telling her': 154231, 'her he worked': 392101, 'he worked at': 385687, 'store so he': 810225, 'so he had': 777275, 'had the hookup': 373618, 'the hookup we': 857488, 'hookup we live': 403357, 'live in strange': 495888, 'in strange time': 428486, 'egungunbecure': 270093, 'bacteria egungunbecure': 107669, 'after using disinfectant': 36478, 'using disinfectant to': 950461, 'disinfectant to kill': 245781, 'bacteria here is': 107677, 'here is of': 393241, 'is of bacteria': 450398, 'of bacteria egungunbecure': 580504, 'impacting economic': 418213, 'scale economic': 739887, 'declined significantly': 231443, 'initial outbreak': 438544, 'outbreak amp': 627975, 'amp surrounding': 54606, 'surrounding asian': 828736, 'asian economy': 95271, 'also feeling': 48201, 'feeling pressure': 303046, 'is impacting economic': 448701, 'impacting economic activity': 418214, 'economic activity on': 266961, 'activity on global': 30481, 'global scale economic': 352186, 'scale economic activity': 739888, 'activity in china': 30440, 'in china ha': 421402, 'china ha declined': 176690, 'ha declined significantly': 370331, 'declined significantly in': 231444, 'of the initial': 591148, 'the initial outbreak': 858279, 'initial outbreak amp': 438545, 'outbreak amp surrounding': 627976, 'amp surrounding asian': 54607, 'surrounding asian economy': 828737, 'asian economy are': 95272, 'economy are also': 267664, 'are also feeling': 84453, 'also feeling pressure': 48202, 'retailer website': 719407, 'for order': 324155, 'company temporarily': 191155, 'closed amid': 182974, 'fashion retailer website': 299843, 'retailer website to': 719408, 'website to reopen': 975449, 'to reopen for': 913241, 'reopen for order': 711360, 'for order this': 324157, 'order this week': 618650, 'week after company': 975823, 'after company temporarily': 35483, 'company temporarily closed': 191156, 'temporarily closed amid': 837460, 'to consumerbehavior': 903346, 'change further': 172061, 'further disrupting': 342035, 'disrupting it': 246426, 'thursday the spread': 895433, 'the could lead': 852007, 'lead to consumerbehavior': 483333, 'to consumerbehavior change': 903347, 'consumerbehavior change further': 199607, 'change further disrupting': 172062, 'further disrupting it': 342036, 'disrupting it business': 246427, 'mschf': 544506, 'antic': 78415, 'meetup': 527812, 'writing more': 1012916, 'that locked': 844935, 'locked indoors': 500491, 'indoors so': 435420, 'out early': 625995, 'week includes': 976391, 'includes my': 431778, 'product experience': 681175, 'healthcare mschf': 387188, 'mschf antic': 544507, 'antic madness': 78416, '19 virtual': 11780, 'virtual meetup': 957761, 'll be writing': 496647, 'be writing more': 118166, 'writing more now': 1012917, 'more now that': 539862, 'now that locked': 576006, 'that locked indoors': 844936, 'locked indoors so': 500492, 'indoors so my': 435421, 'so my newsletter': 777843, 'my newsletter is': 549482, 'is out early': 450659, 'out early this': 625996, 'this week includes': 891224, 'week includes my': 976392, 'includes my thought': 431779, 'thought on building': 893159, 'on building consumer': 599720, 'building consumer product': 142068, 'consumer product experience': 198457, 'product experience for': 681176, 'experience for healthcare': 291363, 'for healthcare mschf': 322161, 'healthcare mschf antic': 387189, 'mschf antic madness': 544508, 'antic madness in': 78417, 'madness in the': 508184, 'covid 19 virtual': 214032, '19 virtual meetup': 11781, 'piece here': 656310, 'to somewhat': 914917, 'somewhat adapt': 785256, 'much uncertainty': 545415, 'uncertainty it': 939710, 'predict what': 669589, 'happen with': 377210, 'behavior she': 124182, 'excellent piece here': 289105, 'piece here in': 656311, 'here in it': 393153, 'in it is': 424252, 'the case that': 850466, 'case that we': 166052, 'going to somewhat': 355713, 'to somewhat adapt': 914918, 'somewhat adapt to': 785257, 'to this if': 917429, 'if it go': 414305, 'it go on': 458263, 'on for long': 600949, 'long time but': 501767, 'time but there': 896424, 'but there so': 147472, 'so much uncertainty': 777823, 'much uncertainty it': 545416, 'uncertainty it hard': 939711, 'hard to predict': 378078, 'to predict what': 911991, 'predict what will': 669590, 'will happen with': 993606, 'happen with people': 377211, 'people behavior she': 647250, 'behavior she say': 124183, 'fraudsters use': 331437, 'into thinking': 443206, 'alert fraudsters use': 41428, 'fraudsters use supermarket': 331438, 'use supermarket branding': 949620, 'people into thinking': 648512, 'into thinking they': 443207, 'offered money on': 594947, 'money on purchase': 536938, 'on purchase the': 603013, 'contains link that': 200632, 'link that aim': 493914, 'financial information more': 306464, 'information more information': 437894, 'slowing effort': 774541, 'american kratom': 52067, 'latest biweekly': 481229, 'biweekly update': 131926, '19 is slowing': 8050, 'is slowing effort': 451976, 'slowing effort to': 774542, 'protect american kratom': 684776, 'american kratom consumer': 52068, 'kratom consumer according': 477654, 'according to learn': 28559, 'our latest biweekly': 623653, 'latest biweekly update': 481230, 'aren tested': 92548, 'literally insane': 495028, 'insane it': 439042, 'is dog': 447258, 'dog chasing': 252059, 'chasing it': 173912, 'own tail': 632256, 'tail the': 831815, 'essential stock': 281584, 'even worse is': 284827, 'is the fact': 452792, 'that the essential': 846720, 'essential worker that': 281856, 'still delivering food': 800424, 'and product aren': 69563, 'product aren tested': 680955, 'aren tested for': 92549, 'the so it': 867403, 'it is literally': 459002, 'is literally insane': 449390, 'literally insane it': 495029, 'insane it is': 439043, 'it is dog': 458936, 'is dog chasing': 447259, 'dog chasing it': 252060, 'chasing it own': 173913, 'it own tail': 460225, 'own tail the': 632257, 'tail the doctor': 831816, 'doctor and hospital': 250819, 'hospital are essential': 404298, 'are essential stock': 86257, 'essential stock up': 281585, 'puredrive': 689993, 'animal is': 76614, 'it puredrive': 460558, 'what animal is': 981043, 'animal is it': 76615, 'is it puredrive': 449053, 'chacunpourtous': 170406, 'british queuing': 140581, 'queuing and': 694192, 'is outside': 450676, 'outside brussels': 629381, 'brussels supermarket': 141396, 'morning chacunpourtous': 541213, 'chacunpourtous solidarity': 170407, 'for the myth': 326572, 'the myth about': 861177, 'myth about british': 551045, 'about british queuing': 24895, 'british queuing and': 140582, 'queuing and respect': 694193, 'and respect this': 70335, 'respect this is': 715075, 'this is outside': 888351, 'is outside brussels': 450677, 'outside brussels supermarket': 629382, 'brussels supermarket it': 141397, 'supermarket it opened': 821177, 'it opened this': 460132, 'this morning chacunpourtous': 888948, 'morning chacunpourtous solidarity': 541214, 'causing for': 168035, 'most sector': 542722, 'sector crash': 744150, 'demand alongside': 234920, 'alongside an': 47091, 'in upstream': 430462, 'upstream price': 947886, 'these result': 880594, 'challenging if': 171615, 'not catastrophic': 568712, 'face of global': 294656, 'pandemic the advent': 636662, 'and the simultaneous': 73585, 'price are causing': 672642, 'are causing for': 85205, 'causing for most': 168036, 'for most sector': 323625, 'most sector crash': 542724, 'sector crash in': 744151, 'crash in demand': 214990, 'in demand alongside': 422100, 'demand alongside an': 234921, 'alongside an increase': 47092, 'increase in upstream': 432878, 'in upstream price': 430463, 'upstream price these': 947887, 'price these result': 676889, 'these result in': 880595, 'result in very': 717554, 'in very challenging': 430565, 'very challenging if': 955048, 'challenging if not': 171616, 'if not catastrophic': 414489, 'italy going': 462834, 'surprisingly calm': 828647, 'no stripped': 565597, 'most certainly': 542169, 'no abusing': 563572, 'abusing staff': 27719, 'every case': 285714, 'usually just': 951130, 'in italy going': 424303, 'italy going to': 462835, 'supermarket is surprisingly': 821127, 'is surprisingly calm': 452497, 'surprisingly calm no': 828648, 'calm no fight': 156772, 'no fight over': 564217, 'over food no': 630222, 'food no stripped': 315552, 'no stripped shelf': 565598, 'stripped shelf and': 813876, 'shelf and most': 756744, 'and most certainly': 67263, 'most certainly no': 542170, 'certainly no abusing': 170169, 'no abusing staff': 563573, 'abusing staff member': 27720, 'staff member for': 792654, 'member for limiting': 528084, 'for limiting food': 322988, 'limiting food or': 492819, 'food or any': 315646, 'or any reason': 614357, 'any reason at': 79730, 'all and in': 42014, 'and in almost': 65042, 'almost every case': 46618, 'every case it': 285715, 'case it usually': 165839, 'it usually just': 462006, 'usually just one': 951131, 'just one person': 469382, 'shopping for household': 762685, 'to toss': 917641, 'toss out': 926090, 'food woman': 317655, 'prank report': 668948, 'report crime': 711895, 'forced to toss': 328664, 'to toss out': 917642, 'toss out 35': 926091, '00 of food': 381, 'of food woman': 583823, 'food woman coughed': 317656, 'in twisted coronavirus': 430349, 'coronavirus prank report': 206574, 'prank report crime': 668949, 'report crime via': 711896, 'thinking we': 886024, 'disinfect our': 245558, 'bought at': 136507, 'have maybe': 381449, 'maybe already': 521640, '20 other': 13231, 'are so busy': 90191, 'sanitizer outside our': 735514, 'outside our home': 629529, 'home thinking we': 402286, 'thinking we are': 886025, 'not even bother': 569236, 'even bother to': 283907, 'bother to disinfect': 136128, 'to disinfect our': 904400, 'disinfect our grocery': 245559, 'we bought at': 970861, 'bought at the': 136508, 'and have maybe': 64259, 'have maybe already': 381450, 'maybe already been': 521641, 'by 20 other': 151574, '20 other people': 13232, 'considered part': 195315, 'clerk are considered': 181653, 'are considered part': 85506, 'considered part of': 195316, 'part of an': 642329, 'essential service then': 281532, 'service then why': 752941, 'then why the': 877762, 'not they deserve': 572066, 'panic cannot': 637994, 'or what is': 617768, 'the panic cannot': 863193, 'panic cannot understand': 637995, 'cannot understand it': 162200, 'last thing would': 480551, 'thing would do': 885024, 'would do what': 1011772, 'do what about': 250509, 'wtf is happening': 1013292, 'disrupts assistance': 246563, 'operation state': 613261, 'member go': 528097, 'without meal': 1002782, 'coronavirus disrupts assistance': 205833, 'disrupts assistance program': 246564, 'assistance program and': 96731, 'program and grocery': 683207, 'grocery store operation': 365619, 'store operation state': 809296, 'operation state and': 613262, 'make sure no': 510519, 'sure no community': 827629, 'no community member': 563856, 'community member go': 189984, 'member go without': 528098, 'go without meal': 354517, 'silkwood': 769736, 'meryl': 529211, 'streep': 812878, 'like karen': 490593, 'karen silkwood': 470902, 'silkwood when': 769737, 'shower tonight': 767397, 'tonight after': 924350, 'after returning': 36126, 'like meryl': 490768, 'meryl streep': 529212, 'streep lockdown': 812879, 'felt like karen': 303410, 'like karen silkwood': 490594, 'karen silkwood when': 470903, 'silkwood when wa': 769738, 'the shower tonight': 867120, 'shower tonight after': 767398, 'tonight after returning': 924353, 'after returning from': 36127, 'returning from the': 720007, 'you for making': 1018655, 'feel like meryl': 302729, 'like meryl streep': 490769, 'meryl streep lockdown': 529213, 'katv7': 471098, 'ar latest': 83800, 'latest food': 481342, 'continue we': 201289, 'buying arnews': 149957, 'arnews katv7': 93068, 'ar latest food': 83801, 'latest food supply': 481343, 'food supply food': 316952, 'supply food supply': 825255, 'supply will continue': 826109, 'will continue we': 993021, 'continue we do': 201290, 'need to engage': 555919, 'panic buying arnews': 637646, 'buying arnews katv7': 149958, 'rampant the': 696467, 'usual butcher': 950898, 'price sorry': 676567, 'morning am and': 541144, 'is rampant the': 451225, 'rampant the usual': 696468, 'the usual butcher': 870584, 'usual butcher shop': 950899, 'butcher shop cost': 148066, 'than double it': 840518, 'double it could': 256024, 'the price sorry': 864418, 'price sorry for': 676568, 'robopony': 724780, 'delivery robot': 234398, 'robot robopony': 724804, 'robopony ha': 724781, 'ha gained': 370699, 'gained popularity': 342854, 'popularity during': 664617, 'china robot': 176916, 'robot deliver': 724793, 'contact cc': 200042, 'grocery delivery robot': 364450, 'delivery robot robopony': 234399, 'robot robopony ha': 724805, 'robopony ha gained': 724782, 'ha gained popularity': 370700, 'gained popularity during': 342855, 'popularity during the': 664618, 'in china robot': 421430, 'china robot deliver': 176917, 'robot deliver grocery': 724794, 'grocery and provide': 364254, 'and provide hand': 69692, 'provide hand sanitizer': 686343, 'sanitizer for people': 734918, 'people without human': 650491, 'without human to': 1002729, 'human to human': 410640, 'to human contact': 908047, 'human contact cc': 410469, 'discover what': 244672, 'what support': 982270, 'lender is': 486236, 'here creditchat': 392907, 'discover what support': 244673, 'what support your': 982271, 'support your lender': 827019, 'your lender is': 1024611, 'lender is offering': 486237, 'is offering during': 450419, 'outbreak here creditchat': 628302, 'bcwi': 113379, 'bcwine': 113382, 'ceo update': 169872, 'new liquor': 559040, 'liquor policy': 494185, 'policy directive': 663378, 'directive extension': 243505, 'delivery hr': 234103, 'for liquor': 322995, 'liquor retail': 494189, 'retail update': 718828, 'update overview': 947152, 'overview federal': 631679, 'federal provincial': 302032, 'provincial govt': 687214, 'support western': 826987, 'western agriculture': 980585, 'agriculture labour': 38993, 'labour initiative': 478517, 'initiative bcwi': 438610, 'bcwi webinar': 113380, 'webinar apr': 975017, '16 hon': 4122, 'hon bcwine': 403030, 'ceo update covid': 169873, '19 new liquor': 8770, 'new liquor policy': 559041, 'liquor policy directive': 494186, 'policy directive extension': 663379, 'directive extension of': 243506, 'of store delivery': 590248, 'store delivery hr': 807290, 'delivery hr for': 234104, 'hr for liquor': 409621, 'for liquor retail': 322996, 'liquor retail update': 494190, 'retail update overview': 718830, 'update overview federal': 947153, 'overview federal provincial': 631680, 'federal provincial govt': 302033, 'provincial govt support': 687215, 'govt support western': 361295, 'support western agriculture': 826988, 'western agriculture labour': 980586, 'agriculture labour initiative': 38994, 'labour initiative bcwi': 478518, 'initiative bcwi webinar': 438611, 'bcwi webinar apr': 113381, 'webinar apr 16': 975018, 'apr 16 hon': 83361, '16 hon bcwine': 4123, 'show 49': 766839, 'in argo': 420492, 'argo curry': 92659, 'curry tesco': 221747, 'amazon up': 51173, 'up till': 946305, 'tuesday soon': 935182, 're told': 699719, 'isolate wednesday': 454939, 'wednesday now': 975669, 'now 79': 573916, '79 99': 22365, '99 everywhere': 23811, 'everywhere shame': 288253, 'you amazon': 1016957, 'echo show 49': 266628, 'show 49 99': 766840, '49 99 for': 19379, '99 for month': 23827, 'month in argo': 537789, 'in argo curry': 420493, 'argo curry tesco': 92660, 'curry tesco and': 221748, 'tesco and amazon': 838656, 'and amazon up': 58050, 'amazon up till': 51174, 'up till tuesday': 946306, 'till tuesday soon': 896122, 'tuesday soon we': 935183, 'we re told': 972991, 're told to': 699721, 'self isolate wednesday': 747694, 'isolate wednesday now': 454940, 'wednesday now 79': 975670, 'now 79 99': 573917, '79 99 everywhere': 22366, '99 everywhere shame': 23812, 'everywhere shame on': 288254, 'on you amazon': 605411, 'uk gov': 938404, 'gov identify': 359601, 'identify vulnerable': 413378, 'vulnerable application': 960871, 'amp pick': 54298, 'england 19': 276995, 'uk gov identify': 938405, 'gov identify vulnerable': 359602, 'identify vulnerable application': 413379, 'vulnerable application for': 960872, 'application for supermarket': 82456, 'for supermarket delivery': 326006, 'supermarket delivery amp': 819915, 'delivery amp pick': 233649, 'amp pick ups': 54300, 'ups only available': 947761, 'available in england': 104438, 'in england 19': 422573, 'lateral': 481181, 'lateral thinking': 481182, 'thinking to': 886016, 'solve problem': 782155, 'problem apparel': 679460, 'apparel manufacturer': 81864, 'manufacturer sewing': 513514, 'sewing facial': 754176, 'mask perfume': 519113, 'perfume maker': 651526, 'maker producing': 510851, 'sanitizer md': 735363, 'md sharing': 522285, 'sharing how': 755536, 'to split': 915021, 'split ventilator': 789664, 'make o2': 510255, 'o2 bubble': 578232, 'bubble from': 141594, 'from plastic': 336934, 'bag 19': 108207, '19 sars': 10319, 'cov innovation': 212125, 'lateral thinking to': 481183, 'thinking to solve': 886017, 'to solve problem': 914866, 'solve problem apparel': 782156, 'problem apparel manufacturer': 679461, 'apparel manufacturer sewing': 81865, 'manufacturer sewing facial': 513515, 'sewing facial mask': 754177, 'facial mask perfume': 295244, 'mask perfume maker': 519114, 'perfume maker producing': 651527, 'maker producing hand': 510852, 'hand sanitizer md': 375488, 'sanitizer md sharing': 735364, 'md sharing how': 522286, 'sharing how to': 755537, 'how to split': 409087, 'to split ventilator': 915023, 'split ventilator for': 789665, 'ventilator for up': 954562, 'up to patient': 946413, 'to patient and': 911498, 'and make o2': 66567, 'make o2 bubble': 510256, 'o2 bubble from': 578233, 'bubble from plastic': 141595, 'from plastic bag': 336935, 'plastic bag 19': 658798, 'bag 19 sars': 108208, '19 sars cov': 10320, 'sars cov innovation': 736802, 'following along': 312680, 'along ft': 46995, 'ft behind': 339330, 'behind couple': 124617, 'middle school': 530688, 'school girl': 741804, 'make about': 509643, 'about run': 26120, 'run each': 727613, 'drive so': 259149, 'or bike': 614555, 'today following along': 919528, 'following along ft': 312681, 'along ft behind': 46996, 'ft behind couple': 339331, 'behind couple of': 124618, 'couple of middle': 211643, 'of middle school': 586484, 'middle school girl': 530689, 'school girl who': 741805, 'girl who are': 350295, 'who are grocery': 988149, 'are grocery shopping': 86967, 'can or don': 159162, 'or don want': 615049, 'the store right': 868093, 'now they said': 576115, 'said they make': 731481, 'they make about': 882644, 'make about run': 509644, 'about run each': 26121, 'run each day': 727614, 'each day they': 264051, 'day they can': 228519, 'they can drive': 881627, 'can drive so': 158161, 'drive so they': 259150, 'so they walk': 778484, 'they walk or': 883699, 'walk or bike': 964845, 'waterless': 969286, 'fashionblogger': 299867, 'takeoffpost': 833132, 'lifestylechange': 489386, '50ml travel': 20187, 'kid anti': 473860, 'moisturizing disposable': 535616, 'disposable waterless': 246271, 'waterless hand': 969287, 'gel handgel': 345127, 'handgel fashionblogger': 376109, 'fashionblogger dallas': 299868, 'dallas takeoffpost': 225134, 'takeoffpost business': 833133, 'business lifestylechange': 143993, 'lifestylechange shoponline': 489387, 'shoponline coronapocolypse': 761268, '50ml travel portable': 20188, 'sanitizer for kid': 734911, 'for kid anti': 322835, 'kid anti bacteria': 473861, 'bacteria moisturizing disposable': 107684, 'moisturizing disposable waterless': 535617, 'disposable waterless hand': 246272, 'waterless hand gel': 969288, 'hand gel handgel': 374980, 'gel handgel fashionblogger': 345128, 'handgel fashionblogger dallas': 376110, 'fashionblogger dallas takeoffpost': 299869, 'dallas takeoffpost business': 225135, 'takeoffpost business lifestylechange': 833134, 'business lifestylechange shoponline': 143994, 'lifestylechange shoponline coronapocolypse': 489388, 'shoponline coronapocolypse shoponline': 761269, 'from anywhere': 334562, 'anywhere due': 81098, 'demand umm': 236425, 'umm little': 939248, 'help boris': 389421, 'boris how': 135459, 'vulnerable supposed': 961192, 'food borisjohnson': 313765, 'out and buy': 625648, 'buy food or': 148665, 'food or order': 315664, 'or order food': 616413, 'order food from': 618214, 'food from anywhere': 314598, 'from anywhere due': 334563, 'anywhere due to': 81099, 'the demand umm': 853116, 'demand umm little': 236426, 'umm little help': 939249, 'little help boris': 495384, 'help boris how': 389422, 'boris how are': 135460, 'the vulnerable supposed': 870998, 'vulnerable supposed to': 961193, 'their food borisjohnson': 873339, 'justincase': 470482, 'not glad': 569665, 'say amongst': 738412, 'amongst those': 53148, 'book acceptable': 134453, 'acceptable we': 28032, 'library after': 488057, 'few in': 303877, 'some behind': 782398, 'behind for': 124627, 'others quarantinelife': 621601, 'quarantinelife justincase': 692967, 'are not glad': 88381, 'not glad to': 569666, 'to say amongst': 913805, 'say amongst those': 738413, 'amongst those panic': 53149, 'buying food but': 150306, 'food but is': 313817, 'is the stockpiling': 452948, 'the stockpiling of': 867948, 'stockpiling of book': 804034, 'of book acceptable': 580774, 'book acceptable we': 134454, 'acceptable we re': 28033, 'we re planning': 972935, 're planning trip': 699268, 'to the library': 916845, 'the library after': 859324, 'library after school': 488058, 'after school to': 36149, 'school to get': 741958, 'get few in': 347004, 'few in if': 303878, 'in if it': 423966, 'if it still': 414335, 'it still open': 461255, 'open we promise': 612653, 'we promise to': 972763, 'promise to leave': 683701, 'to leave some': 909159, 'leave some behind': 484931, 'some behind for': 782399, 'behind for others': 124628, 'for others quarantinelife': 324198, 'others quarantinelife justincase': 621602, 'be zero': 118182, 'zero bottle': 1027410, 'good ol': 357486, 'ol aussie': 598100, 'aussie tomato': 103142, 'sauce on': 737157, 'shelf buy': 756911, 'panicbuying be': 638906, 'kind stayathome': 474976, 'stayathome cole': 797455, 'day there would': 228514, 'would be zero': 1011674, 'be zero bottle': 118183, 'zero bottle of': 1027411, 'bottle of good': 136282, 'of good ol': 584230, 'good ol aussie': 357487, 'ol aussie tomato': 598101, 'aussie tomato sauce': 103143, 'tomato sauce on': 923967, 'sauce on the': 737158, 'supermarket shelf buy': 822436, 'shelf buy what': 756912, 'need please stop': 555443, 'please stop panicbuying': 660583, 'stop panicbuying be': 804889, 'panicbuying be kind': 638907, 'be kind stayathome': 115625, 'kind stayathome cole': 474977, 'stayathome cole woollies': 797456, 'office real': 595525, 'will plummet': 994423, 'plummet once': 661300, 'once american': 605588, 'american get': 51994, 'term taste': 838309, '100 remote': 2060, 'work thanks': 1005796, '19 100': 4702, 'work arrangement': 1004848, 'arrangement will': 93728, 'become tool': 120174, 'attract and': 102693, 'and retain': 70466, 'retain employee': 719607, 'for out': 324315, 'house daycare': 406256, 'daycare will': 228898, 'will le': 993961, 'office real estate': 595526, 'price will plummet': 677577, 'will plummet once': 994424, 'plummet once american': 661301, 'once american get': 605589, 'american get long': 51995, 'get long term': 347500, 'long term taste': 501715, 'term taste of': 838310, 'taste of 100': 834788, 'of 100 remote': 579322, '100 remote work': 2061, 'remote work thanks': 710746, 'work thanks to': 1005797, 'covid 19 100': 212551, '19 100 remote': 4703, 'remote work arrangement': 710739, 'work arrangement will': 1004850, 'arrangement will become': 93729, 'will become tool': 992803, 'become tool to': 120175, 'tool to attract': 925445, 'to attract and': 900828, 'attract and retain': 102694, 'and retain employee': 70467, 'retain employee demand': 719608, 'demand for out': 235468, 'for out of': 324316, 'of house daycare': 584785, 'house daycare will': 406257, 'daycare will le': 228899, 'pm et': 661899, 'on relief today': 603139, 'relief today online': 709488, 'today online or': 919984, 'by phone at': 153575, 'phone at 00': 654894, '00 pm et': 441, 'pm et 11a': 661900, 'in 300': 419911, '300 argo': 17286, 'argo store': 92669, 'they arent': 881489, 'arent essential': 92616, 'it ok for': 460017, 'ok for hundred': 597800, 'shopping in 300': 762952, 'in 300 argo': 419912, '300 argo store': 17287, 'argo store across': 92670, 'country that are': 211107, 'that are allowed': 842714, 'remain open even': 709809, 'open even though': 612216, 'though they arent': 892922, 'they arent essential': 881490, 'arent essential retailer': 92617, 'essential retailer online': 281479, 'retailer online stayhomesavelives': 719266, 'supermarket stuff': 823025, 'stuff run': 815183, 'jerk at': 465141, 'breast soda': 139140, 'soda water': 781420, 'the normal supermarket': 861867, 'normal supermarket stuff': 567349, 'supermarket stuff run': 823026, 'stuff run out': 815184, 'run out and': 727751, 'looking like jerk': 502957, 'like jerk at': 490576, 'jerk at the': 465142, 'duck breast soda': 261540, 'breast soda water': 139141, 'soda water and': 781421, 'socialisolating': 780996, 'sat with': 736916, 'with cuppa': 997874, 'cuppa and': 220515, 'and reflecting': 70126, 'word phrase': 1004557, 'phrase that': 655345, 'until week': 943929, 'ago weren': 38541, 'weren in': 980403, 'everyday vocabulary': 286651, 'vocabulary socialdistancing': 959905, 'socialdistancing socialisolating': 780707, 'socialisolating pandemic': 780997, 'what week': 982572, 'sat with cuppa': 736917, 'with cuppa and': 997875, 'cuppa and reflecting': 220516, 'and reflecting on': 70127, 'reflecting on the': 706656, 'on the word': 604458, 'the word phrase': 871715, 'word phrase that': 1004558, 'phrase that up': 655346, 'that up until': 847195, 'up until week': 946502, 'until week ago': 943930, 'week ago weren': 975865, 'ago weren in': 38542, 'weren in our': 980404, 'our everyday vocabulary': 622939, 'everyday vocabulary socialdistancing': 286652, 'vocabulary socialdistancing socialisolating': 959906, 'socialdistancing socialisolating pandemic': 780708, 'socialisolating pandemic toiletpaper': 780998, 'pandemic toiletpaper what': 636821, 'toiletpaper what week': 922830, 'badvirusfaqs': 108188, 'badvirusfaqs if': 108189, 'an upper': 56939, 'upper respiratory': 947698, 'respiratory thing': 715259, 'need lung': 555185, 'lung sanitizer': 506796, 'someone drowning': 784437, 'drowning from': 260820, 'having wet': 384402, 'wet finger': 980730, 'badvirusfaqs if is': 108190, 'if is an': 414275, 'is an upper': 445694, 'an upper respiratory': 56940, 'upper respiratory thing': 947699, 'respiratory thing then': 715260, 'thing then do': 884839, 'not we need': 572468, 'we need lung': 972508, 'need lung sanitizer': 555186, 'lung sanitizer instead': 506797, 'instead of hand': 440269, 'hand sanitizer ve': 375641, 'sanitizer ve never': 736006, 'heard of someone': 388125, 'of someone drowning': 589917, 'someone drowning from': 784438, 'drowning from having': 260821, 'from having wet': 335737, 'having wet finger': 384403, 'lockdown very': 500105, 'enter from': 278252, 'any gate': 79273, 'gate it': 344340, 'honorable pm ji': 403268, 'pm ji online': 661922, 'should be lockdown': 765665, 'be lockdown very': 115796, 'lockdown very soon': 500106, 'soon it too': 785757, 'it too harmful': 461791, 'too harmful to': 924777, 'harmful to citizen': 378456, 'to citizen because': 902770, 'can enter from': 158235, 'enter from any': 278253, 'from any gate': 334547, 'any gate it': 79274, 'gate it an': 344341, 'it an invisible': 456476, 'll understand my': 497084, 'worstpresidentinhistory': 1011312, 'job left': 465948, 'right per': 722229, 'usual more': 950975, 'with corporate': 997813, 'profit than': 682864, 'were elected': 979554, 'to represent': 913304, 'represent worstpresidentinhistory': 712882, 'worstpresidentinhistory co': 1011313, 'trying to raise': 934848, 'during pandemic when': 262908, 'pandemic when people': 636980, 'their job left': 873722, 'job left and': 465949, 'and right per': 70523, 'right per the': 722230, 'per the usual': 651043, 'the usual more': 870588, 'usual more concerned': 950976, 'concerned with corporate': 193233, 'with corporate profit': 997814, 'corporate profit than': 207328, 'profit than the': 682865, 'than the people': 841259, 'people you were': 650582, 'you were elected': 1022245, 'were elected to': 979555, 'elected to represent': 271010, 'to represent worstpresidentinhistory': 913305, 'represent worstpresidentinhistory co': 712883, 'genitals': 345761, 'eternity': 282940, 'anyone thrown': 80575, 'thrown any': 895123, 'any excess': 79196, 'they over': 882853, 'bought may': 136634, 'your genitals': 1024038, 'genitals be': 345762, 'be pox': 116495, 'pox ridden': 667860, 'ridden for': 721413, 'all eternity': 42706, 'anyone thrown any': 80576, 'thrown any excess': 895124, 'any excess food': 79197, 'excess food away': 289338, 'food away this': 313492, 'away this week': 106066, 'week that they': 976981, 'that they over': 846941, 'they over panic': 882855, 'over panic bought': 630482, 'panic bought may': 637424, 'bought may your': 136635, 'may your genitals': 521625, 'your genitals be': 1024039, 'genitals be pox': 345763, 'be pox ridden': 116496, 'pox ridden for': 667861, 'ridden for all': 721414, 'for all eternity': 319122, 'abuelos': 27566, 'our abuelos': 622014, 'you for taking': 1018674, 'of our abuelos': 587420, 'okc': 598045, 'cao': 162401, 'nguyen': 561853, 'classen': 180309, 'okc friend': 598046, 'did most': 240691, 'super cao': 818477, 'cao nguyen': 162402, 'nguyen on': 561854, 'on classen': 599931, 'classen and': 180310, 'were stocked': 980178, 'had fab': 373097, 'fab price': 294198, 'produce plus': 680394, 'it local': 459440, 'support asian': 826373, 'asian owned': 95318, 'racism of': 695288, 'okc friend we': 598047, 'friend we did': 333883, 'we did most': 971293, 'did most of': 240692, 'our grocery shopping': 623308, 'shopping at super': 762112, 'at super cao': 100690, 'super cao nguyen': 818478, 'cao nguyen on': 162403, 'nguyen on classen': 561855, 'on classen and': 599932, 'classen and they': 180311, 'they were stocked': 883805, 'were stocked on': 980180, 'on everything and': 600645, 'everything and had': 287684, 'and had fab': 64099, 'had fab price': 373098, 'fab price on': 294199, 'price on produce': 675709, 'on produce plus': 602943, 'produce plus that': 680395, 'plus that it': 661689, 'that it local': 844722, 'it local and': 459441, 'local and you': 497685, 'can support asian': 159856, 'support asian owned': 826374, 'asian owned business': 95319, 'owned business hit': 632327, 'business hit by': 143848, 'by the racism': 154419, 'the racism of': 865088, 'racism of this': 695289, 'this country due': 886949, 'message if': 529338, 'visiting don': 959520, 'don holiday': 253645, 'holiday is': 400320, 'welcome visitor': 977912, 'visitor but': 959583, 'one hospital': 606431, 'hospital about': 404256, '15 critical': 3688, 'bed supermarket': 120421, 'empty pub': 275013, 'closing stay': 183755, 'away thank': 106042, 'you cornwall': 1018050, 'important message if': 418883, 'message if you': 529339, 'thinking of visiting': 885975, 'of visiting don': 592838, 'visiting don holiday': 959521, 'don holiday is': 253646, 'holiday is not': 400321, 'not essential travel': 569219, 'essential travel we': 281727, 'travel we love': 930570, 'love to welcome': 504858, 'to welcome visitor': 918484, 'welcome visitor but': 977913, 'visitor but one': 959584, 'but one hospital': 146668, 'one hospital about': 606432, 'hospital about 15': 404257, 'about 15 critical': 24647, '15 critical care': 3689, 'care bed supermarket': 163869, 'bed supermarket shelf': 120422, 'shelf empty pub': 757028, 'empty pub restaurant': 275014, 'pub restaurant closing': 687757, 'restaurant closing stay': 716382, 'closing stay safe': 183756, 'safe stay away': 729969, 'stay away thank': 796786, 'away thank you': 106043, 'thank you cornwall': 841712, 'wedding is': 975568, 'cancelled bride': 161092, 'bride should': 139610, 'feel special': 302862, 'special highlighting': 787955, 'meet who': 527649, 'sure bride': 827502, 'bride to': 139612, 'be can': 113961, 'still celebrate': 800355, 'if the wedding': 415046, 'the wedding is': 871288, 'wedding is cancelled': 975569, 'is cancelled bride': 446370, 'cancelled bride should': 161093, 'bride should still': 139611, 'should still get': 766505, 'get to feel': 348466, 'to feel special': 905756, 'feel special highlighting': 302863, 'special highlighting more': 787956, 'we meet who': 972362, 'meet who with': 527650, 'who with amp': 990019, 'with amp more': 997193, 'amp more are': 54146, 'more are making': 538643, 'making sure bride': 511374, 'sure bride to': 827503, 'bride to be': 139613, 'to be can': 901147, 'be can still': 113962, 'can still celebrate': 159767, 'sanitizer oz': 735523, 'oz buck': 632730, 'hand sanitizer oz': 375527, 'sanitizer oz buck': 735524, 'or look': 616008, 'up hospital': 945107, 'type your': 937618, 'local store run': 498478, 'supply or look': 825688, 'or look up': 616009, 'look up hospital': 502650, 'up hospital and': 945108, 'coronavirus requires you': 206651, 'requires you to': 713514, 'to get medical': 906531, 'get medical service': 347554, 'service type your': 753017, 'type your location': 937619, 'if tiktok': 415179, 'tiktok created': 895897, 'what if tiktok': 981640, 'if tiktok created': 415180, 'tiktok created covid': 895898, '19 just to': 8211, 'boost their consumer': 135024, 'frontline dear': 338723, 'dear nurse': 229839, 'police ambulance': 662892, 'ambulance staff': 51346, 'from team': 337554, 'the frontline dear': 855865, 'frontline dear nurse': 338724, 'dear nurse doctor': 229840, 'doctor police ambulance': 251081, 'police ambulance staff': 662893, 'ambulance staff firefighter': 51347, 'staff firefighter supermarket': 792457, 'worker cleaner amp': 1006646, 'cleaner amp others': 180739, 'amp others thank': 54256, 'for keeping this': 322819, 'country going from': 210691, 'going from team': 355175, '5gb': 20689, '5hours': 20702, '17mins': 4466, '45seconds': 19209, 'better cut': 128252, 'day 5gb': 227156, '5gb last': 20690, 'day 5hours': 227158, '5hours 17mins': 20703, '17mins and': 4467, 'and 45seconds': 57486, '45seconds reduceinternetprices': 19210, 'reduceinternetprices lockdownnigeria': 706219, 'lockdownnigeria extension': 500329, 'you better cut': 1017461, 'better cut down': 128253, 'price we got': 677401, 'we got another': 971669, 'got another 14': 358409, '14 day 5gb': 3438, 'day 5gb last': 227157, '5gb last for': 20691, 'last for only': 480232, 'only day 5hours': 610312, 'day 5hours 17mins': 227159, '5hours 17mins and': 20704, '17mins and 45seconds': 4468, 'and 45seconds reduceinternetprices': 57487, '45seconds reduceinternetprices lockdownnigeria': 19211, 'reduceinternetprices lockdownnigeria extension': 706220, 'use bandana': 949062, 'bandana anything': 109364, 'else make': 271790, 'glass fog': 351616, 'fog up': 312023, 'me tripping': 523833, 'tripping in': 932306, 'supermarket followed': 820348, 'by broken': 152004, 'broken hip': 140895, 'hip and': 396938, 'and ambulance': 58058, 'ambulance ride': 51340, 'ride to': 721465, 'certainly contract': 170144, 'contract cov': 201645, 'use bandana anything': 949063, 'bandana anything else': 109365, 'anything else make': 80747, 'else make my': 271791, 'make my glass': 510222, 'my glass fog': 548509, 'glass fog up': 351617, 'fog up which': 312024, 'up which will': 946590, 'which will lead': 986494, 'lead to me': 483367, 'to me tripping': 909965, 'me tripping in': 523834, 'tripping in the': 932307, 'the local not': 859564, 'local not so': 498217, 'not so supermarket': 571627, 'so supermarket followed': 778309, 'supermarket followed by': 820349, 'followed by broken': 312597, 'by broken hip': 152006, 'broken hip and': 140896, 'hip and ambulance': 396939, 'and ambulance ride': 58059, 'ambulance ride to': 51341, 'ride to the': 721466, 'the hospital where': 857541, 'hospital where would': 404716, 'where would certainly': 985376, 'would certainly contract': 1011710, 'certainly contract cov': 170145, 'ableg': 24583, 'abhealth': 24327, 'issue recession': 455905, 'recession collapse': 704234, '19 ableg': 4779, 'ableg abhealth': 24584, 'three big issue': 893884, 'big issue recession': 129837, 'issue recession collapse': 455906, 'recession collapse of': 704235, 'energy price covid': 276539, 'covid 19 ableg': 212569, '19 ableg abhealth': 4780, 'amazing empty': 50682, 'shelf yesterday': 757841, 'already filled': 47356, 'filled at': 305530, 'your grocery staff': 1024135, 'grocery staff america': 365146, 'america is amazing': 51571, 'is amazing empty': 445608, 'amazing empty shelf': 50683, 'empty shelf yesterday': 275113, 'shelf yesterday are': 757842, 'are already filled': 84410, 'already filled at': 47357, 'filled at my': 305531, 'supply system is': 825940, 'system is to': 831228, 'to be celebrated': 901159, 'lockdown read': 499840, 'the lockdown read': 859626, 'lockdown read more': 499841, 'uae are': 937736, 'being reassured': 125642, 'reassured that': 703210, 'time uae': 898151, 'uae panicbuying': 937771, 'people in uae': 648444, 'in uae are': 430365, 'uae are being': 937737, 'are being reassured': 84903, 'being reassured that': 125643, 'reassured that there': 703211, 'buying all food': 149877, 'all time uae': 45227, 'time uae panicbuying': 898152, 'banded': 109406, 'tradesagainstthevirus': 928817, 'builder merchant': 142028, 'merchant have': 529019, 'have banded': 379402, 'banded together': 109407, 'create trade': 215761, 'trade against': 928400, 'virus group': 958240, 'by replenishing': 153766, 'bank nationwide': 110015, 'nationwide tradesagainstthevirus': 552768, 'tradesagainstthevirus by': 928818, 'builder merchant have': 142029, 'merchant have banded': 529020, 'have banded together': 379403, 'banded together to': 109408, 'together to create': 920988, 'to create trade': 903726, 'create trade against': 215762, 'trade against the': 928401, 'the virus group': 870836, 'virus group that': 958241, 'group that look': 366910, 'that look to': 844946, 'look to support': 502639, 'need by replenishing': 554586, 'by replenishing stock': 153767, 'stock in food': 802263, 'food bank nationwide': 313601, 'bank nationwide tradesagainstthevirus': 110016, 'nationwide tradesagainstthevirus by': 552769, 'recommendation out': 704762, 'limit risk': 492478, 'condition high': 193459, 'taking medtwitter': 833441, 'any recommendation out': 79740, 'recommendation out there': 704763, 'there for supermarket': 878410, 'avoid limit risk': 105177, 'limit risk of': 492479, 'have underlying condition': 383450, 'underlying condition high': 940469, 'condition high risk': 193460, 'these employee be': 879960, 'employee be taking': 273666, 'be taking medtwitter': 117513, 'multiplayer': 545722, 'packman': 633738, 'real multiplayer': 701268, 'multiplayer packman': 545723, 'packman game': 633739, 'game shopping': 343242, 'shopping virtualreality': 764322, 'today shopping in': 920176, 'supermarket is real': 821119, 'is real multiplayer': 451273, 'real multiplayer packman': 701269, 'multiplayer packman game': 545724, 'packman game shopping': 633740, 'game shopping virtualreality': 343243, 'will demings': 993156, 'demings issue': 236651, 'that potentially': 845804, 'potentially could': 667198, 'happen here': 377087, 'will demings issue': 993157, 'demings issue an': 236652, 'issue an order': 455661, 'an order requiring': 56706, 'store customer to': 807251, 'spread of that': 790714, 'that is something': 844655, 'something that potentially': 785080, 'that potentially could': 845805, 'potentially could happen': 667199, 'could happen here': 209234, 'happen here it': 377088, 'here it ha': 393266, 'it ha happened': 458395, 'ha happened in': 370824, 'happened in miami': 377253, 'long could': 501377, 'could crush': 209062, 'crush consumer': 219767, 'here how long': 393106, 'how long could': 408195, 'long could crush': 501378, 'could crush consumer': 209063, 'crush consumer spending': 219768, 'point how': 662510, 'those handling': 892048, 'handling your': 376410, 'taking also': 833270, 'or touching': 617508, 'touching pin': 926710, 'pad when': 633787, 'you make good': 1019757, 'make good point': 509945, 'good point how': 357568, 'point how do': 662511, 'know if those': 476491, 'if those handling': 415176, 'those handling your': 892049, 'handling your food': 376411, 'your food have': 1023916, 'food have it': 314785, 'have it you': 381159, 'you don it': 1018320, 'don it chance': 253655, 'it chance you': 457093, 'chance you are': 171836, 'are taking also': 90713, 'taking also by': 833271, 'also by going': 47993, 'store and waiting': 806394, 'and waiting in': 75122, 'long line or': 501501, 'line or touching': 493341, 'or touching pin': 617509, 'touching pin pad': 926711, 'pin pad when': 656778, 'pad when you': 633788, 'you pay you': 1020310, 'pay you just': 645250, 'you just don': 1019419, 'today her': 919640, 'her observation': 392236, 'observation wa': 578566, 'not mid': 570576, 'mid age': 530549, 'age or': 37883, 'or young': 617869, 'young theory': 1022662, 'sit all': 771808, 'day watch': 228666, 'watch medium': 968474, 'ending hoarding': 276176, 'store today her': 810845, 'today her observation': 919641, 'her observation wa': 392237, 'observation wa that': 578567, 'wa that it': 963433, 'that it the': 844750, 'older people hoarding': 598650, 'hoarding and not': 399182, 'and not mid': 67756, 'not mid age': 570577, 'mid age or': 530550, 'age or young': 37885, 'or young theory': 617870, 'young theory is': 1022663, 'theory is they': 877855, 'is they sit': 453054, 'they sit all': 883403, 'sit all day': 771809, 'all day watch': 42531, 'day watch medium': 228667, 'watch medium and': 968475, 'medium and think': 526997, 'is ending hoarding': 447490, 'sadec': 729317, 'patel emphasise': 643965, 'emphasise that': 273378, 'the transportation': 869912, 'food across': 313030, 'the sadec': 866126, 'sadec region': 729318, 'region will': 707479, 'working normal': 1008789, 'ensure sufficient': 278038, 'sufficient supply': 817398, 'of lockdownsa': 585968, 'ebrahim patel emphasise': 266572, 'patel emphasise that': 643966, 'emphasise that people': 273379, 'that people should': 845706, 'buying the transportation': 151178, 'the transportation of': 869913, 'transportation of food': 930019, 'of food across': 583634, 'food across all': 313031, 'across all the': 29235, 'all the sadec': 44896, 'the sadec region': 866127, 'sadec region will': 729319, 'region will still': 707480, 'still be working': 800267, 'be working normal': 118145, 'working normal to': 1008790, 'normal to ensure': 567373, 'to ensure sufficient': 905190, 'ensure sufficient supply': 278039, 'sufficient supply during': 817399, 'day of lockdownsa': 228080, 'mangere': 513116, 'budgeting': 141841, 'seeing massive': 746363, 'lockdown mangere': 499637, 'mangere budgeting': 513117, 'budgeting charity': 141842, 'charity food': 173619, 'under massive': 940164, 'massive stress': 520130, 'stress their': 813410, 'supply slowly': 825862, 'slowly dwindles': 774591, 'dwindles due': 263672, 'are seeing massive': 89906, 'seeing massive increase': 746364, '19 lockdown mangere': 8401, 'lockdown mangere budgeting': 499638, 'mangere budgeting charity': 513118, 'budgeting charity food': 141843, 'charity food bank': 173620, 'bank is under': 109954, 'is under massive': 453463, 'under massive stress': 940165, 'massive stress their': 520131, 'stress their food': 813411, 'food supply slowly': 316996, 'supply slowly dwindles': 825863, 'slowly dwindles due': 774592, 'dwindles due to': 263673, 'mybigfatgreekwedding': 550685, 'everythin': 287663, 'putsomewindexonit': 691072, 'irelandvscovid': 444859, 'in dublin': 422405, 'dublin ireland': 261514, 'ireland eu': 444825, 'eu they': 283283, 'they saw': 883257, 'your film': 1023859, 'film mybigfatgreekwedding': 305692, 'mybigfatgreekwedding and': 550686, 'believe will': 126418, 'will disinfect': 993207, 'on everythin': 600641, 'everythin putsomewindexonit': 287664, 'putsomewindexonit irelandlockdown': 691073, 'irelandlockdown irelandvscovid': 444857, 'irelandvscovid chinavirus': 444860, 'store in dublin': 808297, 'in dublin ireland': 422406, 'dublin ireland eu': 261515, 'ireland eu they': 444826, 'eu they saw': 283284, 'they saw your': 883258, 'saw your film': 738344, 'your film mybigfatgreekwedding': 1023860, 'film mybigfatgreekwedding and': 305693, 'mybigfatgreekwedding and believe': 550687, 'and believe will': 58878, 'believe will disinfect': 126419, 'will disinfect your': 993208, 'your hand it': 1024197, 'hand it work': 375058, 'work on everythin': 1005531, 'on everythin putsomewindexonit': 600642, 'everythin putsomewindexonit irelandlockdown': 287665, 'putsomewindexonit irelandlockdown irelandvscovid': 691074, 'irelandlockdown irelandvscovid chinavirus': 444858, 'bottle everyone': 136218, 'bulk happy': 142311, 'ml bottle everyone': 534711, 'bottle everyone need': 136219, 'everyone need it': 287204, 'in bulk happy': 421038, 'bulk happy to': 142312, 'treatment being': 931044, 'being developed': 125042, 'all republican': 44158, 'republican held': 713035, 'funding in': 341600, 'sure bigpharma': 827500, 'bigpharma would': 130378, 'gouge price': 359194, 'rather than taking': 697553, 'than taking action': 841198, 'taking action to': 833246, 'action to control': 30166, 'control the cost': 202163, 'cost of vaccine': 208065, 'of vaccine treatment': 592734, 'vaccine treatment being': 951783, 'treatment being developed': 931045, 'being developed in': 125043, 'developed in response': 239713, 'to this outbreak': 917447, 'ensure access for': 277887, 'for all republican': 319165, 'all republican held': 44159, 'republican held up': 713036, 'held up funding': 388948, 'up funding in': 945005, 'funding in order': 341601, 'make sure bigpharma': 510506, 'sure bigpharma would': 827501, 'bigpharma would still': 130379, 'would still be': 1012271, 'able to gouge': 24488, 'to gouge price': 906926, 'who from': 988759, 'behind looked': 124653, 'looked just': 502728, 'dad found': 224322, 'myself following': 550855, 'him at': 396551, '19 distance': 6582, 'bit just': 131591, 'eye wanted': 294119, 'his memory': 397602, 'memory in': 528428, 'in solid': 428068, 'solid form': 781914, 'form even': 329506, 'store today who': 810880, 'today who from': 920534, 'who from behind': 988760, 'from behind looked': 334667, 'behind looked just': 124654, 'looked just like': 502729, 'just like my': 469151, 'like my dad': 490817, 'my dad found': 547888, 'dad found myself': 224323, 'found myself following': 330296, 'myself following him': 550856, 'following him at': 312756, 'him at safe': 396552, 'at safe covid': 100433, 'covid 19 distance': 212966, '19 distance for': 6583, 'distance for bit': 246706, 'for bit just': 319689, 'bit just because': 131592, 'just because my': 468286, 'because my eye': 119260, 'my eye wanted': 548145, 'eye wanted to': 294120, 'to see his': 914019, 'see his memory': 745207, 'his memory in': 397603, 'memory in solid': 528429, 'in solid form': 428069, 'solid form even': 781915, 'form even for': 329507, 'even for just': 284079, 'for just few': 322790, 'just few minute': 468706, 'and hurricane': 64884, 'katrina are': 471066, 'are large': 87711, 'large external': 479660, 'with overvalued': 1000050, 'overvalued housing': 631674, 'market excessive': 516351, 'excessive leverage': 289390, 'leverage or': 487790, 'or sudden': 617263, 'confidence let': 193916, 'about hurricane': 25487, '19 and hurricane': 5046, 'and hurricane katrina': 64885, 'hurricane katrina are': 411480, 'katrina are large': 471067, 'are large external': 87712, 'large external shock': 479661, 'external shock that': 293353, 'shock that have': 759518, 'that have nothing': 844224, 'do with overvalued': 250563, 'with overvalued housing': 1000051, 'overvalued housing market': 631675, 'housing market excessive': 407102, 'market excessive leverage': 516352, 'excessive leverage or': 289391, 'leverage or sudden': 487791, 'or sudden drop': 617264, 'consumer confidence let': 196909, 'confidence let me': 193917, 'tell you more': 837150, 'you more about': 1019886, 'more about hurricane': 538511, 'about hurricane katrina': 25488, 'vaccine high': 951713, 'high turnip': 395491, 'in animal': 420401, 'want is covid': 965826, '19 vaccine high': 11720, 'vaccine high turnip': 951714, 'high turnip price': 395492, 'turnip price in': 935999, 'price in animal': 674659, 'in animal crossing': 420402, 'crossing and bernie': 219077, 'and bernie sander': 58903, 'sander is that': 733686, 'too much to': 924949, 'much to ask': 545388, 'calcutta': 155369, 'exclaimed': 289617, 'blurting': 133530, 'today random': 920091, 'random male': 696606, 'male stranger': 511691, 'stranger asked': 812455, 'my improvised': 548829, 'improvised mask': 419617, 'from calcutta': 334791, 'calcutta passed': 155370, 'passed him': 643269, 'another isle': 77680, 'isle he': 454358, 'he exclaimed': 384936, 'exclaimed what': 289618, 'it priti': 460477, 'patel blurting': 643961, 'blurting shopping': 133531, 'supermarket today random': 823461, 'today random male': 920092, 'random male stranger': 696607, 'male stranger asked': 511692, 'stranger asked if': 812456, 'asked if my': 95772, 'if my improvised': 414436, 'my improvised mask': 548830, 'improvised mask wa': 419618, 'mask wa from': 519489, 'wa from calcutta': 962175, 'from calcutta passed': 334792, 'calcutta passed him': 155371, 'passed him in': 643270, 'him in another': 396636, 'in another isle': 420409, 'another isle he': 77681, 'isle he exclaimed': 454359, 'he exclaimed what': 384937, 'exclaimed what going': 289619, 'on here it': 601288, 'here it priti': 393270, 'it priti patel': 460478, 'priti patel blurting': 678770, 'patel blurting shopping': 643962, 'blurting shopping socialdistancing': 133532, 'reshaping consumer behaviour': 714205, 'year essential': 1014551, 'worker disabled': 1006785, 'disabled black': 243884, 'woman sacrificed': 1003593, 'ache for the': 29010, '27 year essential': 16318, 'year essential worker': 1014552, 'essential worker disabled': 281825, 'worker disabled black': 1006786, 'disabled black woman': 243885, 'black woman sacrificed': 132155, 'woman sacrificed by': 1003594, 'safetyproducts': 730817, 'drdo helping': 258559, 'worker fighting': 1006929, '19 facemasks': 6923, 'sanitizer lockdown21': 735302, 'lockdown21 safetyproducts': 500215, 'safetyproducts safetyfirst': 730818, 'safetyfirst india': 730802, 'drdo helping hand': 258560, 'helping hand for': 391346, 'hand for health': 374945, 'health worker fighting': 386973, 'worker fighting 19': 1006930, 'fighting 19 facemasks': 305023, '19 facemasks sanitizer': 6924, 'facemasks sanitizer lockdown21': 295164, 'sanitizer lockdown21 safetyproducts': 735303, 'lockdown21 safetyproducts safetyfirst': 500216, 'safetyproducts safetyfirst india': 730819, 'store during my': 807404, 'during my lunch': 262803, 'lunch break the': 506715, 'break the guy': 138806, 'the guy waiting': 856964, 'implemented regulation': 418477, 'only elder': 610383, 'to 12am': 899478, '12am past': 3098, 'go rapidly': 354063, 'rapidly out': 696998, 'supermarket have implemented': 820689, 'have implemented regulation': 381028, 'implemented regulation on': 418478, 'regulation on their': 708088, 'on their customer': 604474, 'their customer amid': 872943, 'customer amid the': 222058, 'the crisis only': 852423, 'crisis only elder': 217825, 'only elder people': 610384, 'elder people have': 270543, 'the food store': 855609, 'food store from': 316850, 'store from 10': 807878, '10 to 12am': 1727, 'to 12am past': 899479, '12am past this': 3099, 'past this time': 643623, 'this time each': 890633, 'time each customer': 896596, 'each customer can': 264028, 'can buy limited': 157828, 'product that go': 681691, 'that go rapidly': 844025, 'go rapidly out': 354064, 'rapidly out of': 696999, 'of stock like': 590173, 'stock like toilet': 802358, 'available child': 104293, 'child arguing': 176010, 'arguing cannot': 92726, 'eat my': 265991, 'chocolate for': 177673, 'of stayhomechallenge': 590095, 'of isolation no': 585340, 'isolation no online': 455360, 'no online grocery': 564992, 'is available child': 445910, 'available child arguing': 104294, 'child arguing cannot': 176011, 'arguing cannot eat': 92727, 'cannot eat my': 161770, 'eat my secret': 265992, 'stash of chocolate': 795291, 'of chocolate for': 581394, 'chocolate for fear': 177674, 'for fear my': 321428, 'fear my family': 301212, 'family will see': 298382, 'will see it': 994779, 'see it staying': 745342, 'it staying at': 461243, 'challenge for all': 171457, 'all of stayhomechallenge': 43708, 'of stayhomechallenge quarantinelife': 590096, 'novascotia': 573736, 'hrm': 409707, 'novascotia halifax': 573737, 'halifax hrm': 374319, 'hrm ppe': 409708, 'ppe n95': 668008, 'mask canada': 518513, 'canada mask': 160491, 'novascotia halifax hrm': 573738, 'halifax hrm ppe': 374320, 'hrm ppe n95': 409709, 'ppe n95 mask': 668009, 'n95 mask canada': 551190, 'mask canada mask': 518514, 'canada mask supplier': 160492, 'letterbox': 487387, 'epochtimes it': 279568, 'it ccp': 457085, 'my letterbox': 549002, 'letterbox human': 487388, 'the epochtimes it': 854456, 'epochtimes it ccp': 279569, 'it ccp chinese': 457086, 'in my letterbox': 425592, 'my letterbox human': 549003, 'letterbox human pandemic': 487389, 'nirmalasitharaman': 563361, 'more coordination': 538892, 'coordination from': 203218, 'from state': 337414, 'state required': 795897, 'ensure 95': 277882, 'gear supply': 344986, 'supply care': 824888, 'care india': 164023, 'india cfo': 434338, 'cfo nirmalasitharaman': 170335, 'nirmalasitharaman mask': 563362, 'supply sanitizer': 825801, 'more coordination from': 538893, 'coordination from state': 203219, 'from state required': 337415, 'state required to': 795898, 'required to ensure': 713396, 'to ensure 95': 905139, 'ensure 95 mask': 277883, '95 mask protective': 23589, 'mask protective gear': 519162, 'protective gear supply': 685762, 'gear supply care': 344987, 'supply care india': 824889, 'care india cfo': 164024, 'india cfo nirmalasitharaman': 434339, 'cfo nirmalasitharaman mask': 170336, 'nirmalasitharaman mask supply': 563363, 'mask supply sanitizer': 519324, 'hysteria isn': 412454, 'successfully deal': 816260, 'majority contracting': 509536, 'see mild': 745419, 'flu symptom': 311464, 'mass hysteria isn': 519788, 'hysteria isn going': 412455, 'going to successfully': 355729, 'to successfully deal': 915725, 'successfully deal with': 816261, 'the majority contracting': 859943, 'majority contracting covid': 509537, '19 will see': 12110, 'will see mild': 994784, 'see mild flu': 745420, 'mild flu symptom': 531331, 'flu symptom so': 311465, 'symptom so no': 830927, 'on weekly': 605192, 'advertising item': 33239, 'buyer covid': 149618, 'chain should stop': 171107, 'should stop spending': 766523, 'stop spending money': 805048, 'spending money on': 788906, 'money on weekly': 536943, 'on weekly ad': 605193, 'week because there': 975991, 'is no point': 449958, 'point in advertising': 662513, 'in advertising item': 420065, 'advertising item when': 33240, 'item when they': 463810, 'stock for all': 802163, 'panic buyer covid': 637566, 'buyer covid 19': 149619, 'new favourite': 558727, 'favourite thing': 300613, 'stuff nobody': 815142, 'want even': 965775, 'buy mode': 148960, 'my new favourite': 549458, 'new favourite thing': 558728, 'favourite thing to': 300614, 'to do during': 904499, 'do during covid': 249243, 'is to look': 453222, 'to look around': 909432, 'look around the': 502247, 'the stuff nobody': 868331, 'stuff nobody want': 815143, 'nobody want even': 566077, 'want even in': 965776, 'even in panic': 284244, 'panic buy mode': 637502, 'scarf over': 741083, 'mouth need': 543534, 'definitely wash': 232413, 'supermarket people wearing': 821954, 'people wearing scarf': 650179, 'wearing scarf over': 974776, 'scarf over their': 741084, 'over their mouth': 630793, 'their mouth need': 874020, 'mouth need to': 543535, 'that the stick': 846841, 'the stick to': 867882, 'to the fabric': 916689, 'the fabric for': 854794, 'fabric for quite': 294224, 'long time so': 501779, 'time so soon': 897699, 'so soon they': 778247, 'soon they get': 785854, 'they get home': 882165, 'get home they': 347250, 'home they should': 402275, 'they should definitely': 883359, 'should definitely wash': 765909, 'definitely wash it': 232414, 'wash it uk': 967513, 'it uk supermarket': 461900, 'window once': 995697, 'coming your': 188303, 'are endless': 86203, 'endless people': 276244, 'seriously enough': 751593, 'enough fear': 277375, 'distancing go out': 247171, 'the window once': 871596, 'window once you': 995698, 'once you enter': 605819, 'supermarket the opportunity': 823235, 'the opportunity for': 862399, '19 coming your': 5897, 'coming your way': 188304, 'your way are': 1026313, 'way are endless': 969470, 'are endless people': 86204, 'endless people are': 276245, 'are just not': 87631, 'just not taking': 469337, 'this seriously enough': 890040, 'seriously enough fear': 751594, 'enough fear this': 277376, 'fear this is': 301396, 'pruning': 687372, 'headcount': 385884, 'seattle born': 743556, 'born retailer': 135565, 'extending store': 293228, 'closure pruning': 184001, 'pruning corporate': 687373, 'corporate headcount': 207289, 'headcount for': 385885, 'and pausing': 68787, 'pausing ceo': 644642, 'ceo pay': 169800, 'pay retail': 645089, 'pain of the': 634242, 'ha the seattle': 372226, 'the seattle born': 866572, 'seattle born retailer': 743557, 'born retailer extending': 135566, 'retailer extending store': 719144, 'extending store closure': 293229, 'store closure pruning': 807102, 'closure pruning corporate': 184002, 'pruning corporate headcount': 687374, 'corporate headcount for': 207290, 'headcount for six': 385886, 'for six week': 325643, 'six week and': 772717, 'week and pausing': 975929, 'and pausing ceo': 68788, 'pausing ceo pay': 644643, 'ceo pay retail': 169801, 'pandemic accelerates': 634793, 'accelerates new': 27899, 'supplier sa': 824607, 'sa sa': 728927, '19 pandemic accelerates': 9250, 'pandemic accelerates new': 634794, 'accelerates new online': 27900, 'shopping pattern for': 763604, 'pattern for grocery': 644468, 'for grocery chain': 322028, 'grocery chain and': 364356, 'food supplier sa': 316922, 'supplier sa sa': 824608, 'and met': 66970, 'met several': 529590, 'several hero': 753860, 'hero along': 393922, 'way police': 969819, 'officer an': 595623, 'an ambulance': 55276, 'ambulance team': 51348, 'team electric': 835630, 'electric company': 271104, 'company crew': 190577, 'crew garbage': 216692, 'truck all': 932718, 'open creatively': 612170, 'creatively coronacrisis': 216196, 'coronacrisis hero': 204628, 'supermarket and met': 819017, 'and met several': 66971, 'met several hero': 529591, 'several hero along': 753861, 'hero along the': 393923, 'the way police': 871176, 'way police officer': 969820, 'police officer an': 663113, 'officer an ambulance': 595624, 'an ambulance team': 55278, 'ambulance team electric': 51349, 'team electric company': 835631, 'electric company crew': 271105, 'company crew garbage': 190578, 'crew garbage truck': 216693, 'garbage truck all': 343537, 'truck all the': 932719, 'all the equipment': 44736, 'the equipment in': 854460, 'equipment in the': 279754, 'store small business': 810207, 'owner who stay': 632602, 'who stay open': 989664, 'stay open creatively': 797155, 'open creatively coronacrisis': 612171, 'creatively coronacrisis hero': 216197, 'pommard': 663957, 'cane': 161358, 'madebynature': 508082, 'burgundy': 142859, 'day pommard': 228234, 'pommard sheltering': 663958, 'here while': 393830, 'francisco most': 331121, 'our activity': 622022, 'the vineyard': 870774, 'vineyard team': 957446, 'is tying': 453407, 'tying down': 937494, 'the cane': 850336, 'cane in': 161359, 'the sap': 866365, 'sap to': 736682, 'rise madebynature': 722930, 'madebynature burgundy': 508083, 'burgundy wine': 142860, 'wine quarantine': 995879, 'quarantine day pommard': 692135, 'day pommard sheltering': 228235, 'pommard sheltering in': 663959, 'in place here': 426738, 'place here while': 657491, 'here while my': 393831, 'while my family': 987075, 'family is back': 297947, 'back in san': 107094, 'san francisco most': 733546, 'francisco most of': 331122, 'of our activity': 587421, 'our activity are': 622023, 'activity are shut': 30383, 'down the vineyard': 257311, 'the vineyard team': 870775, 'vineyard team is': 957447, 'team is tying': 835707, 'is tying down': 453408, 'tying down the': 937495, 'down the cane': 257268, 'the cane in': 850337, 'cane in preparation': 161360, 'for the sap': 326670, 'the sap to': 866366, 'sap to rise': 736683, 'to rise madebynature': 913570, 'rise madebynature burgundy': 722931, 'madebynature burgundy wine': 508084, 'burgundy wine quarantine': 142861, 'lot two': 504401, 'two friend': 936936, 'friend meeting': 333711, 'up basketball': 944461, 'game we': 343280, 'parking lot two': 642109, 'lot two friend': 504402, 'two friend meeting': 936937, 'friend meeting up': 333712, 'meeting up basketball': 527786, 'up basketball game': 944462, 'basketball game we': 112436, 'game we re': 343281, 're not used': 699128, 'not used to': 572370, 'to these thing': 917356, 'these thing being': 880814, 'thing being so': 884191, 'being so dangerous': 125815, 'so dangerous and': 776840, 'dangerous and just': 225720, 'and just pray': 65713, 'just pray we': 469482, 'pray we can': 669038, 'steelmaker': 799371, 'tenaris': 837866, 'unfavorable': 941481, 'mexico focused': 530000, 'focused steelmaker': 311980, 'steelmaker tenaris': 799372, 'tenaris sa': 837867, 'suspending some': 829662, 'some operation': 783451, 'an unfavorable': 56858, 'unfavorable scenario': 941482, 'price unprecedented': 677209, 'unprecedented operational': 943172, 'operational constraint': 613301, 'constraint of': 195770, 'of oversupply': 587631, 'oversupply caused': 631583, 'mexico focused steelmaker': 530001, 'focused steelmaker tenaris': 311981, 'steelmaker tenaris sa': 799373, 'tenaris sa is': 837868, 'sa is suspending': 728901, 'is suspending some': 452510, 'suspending some operation': 829663, 'some operation due': 783452, 'to an unfavorable': 900474, 'an unfavorable scenario': 56859, 'unfavorable scenario of': 941483, 'scenario of lower': 741279, 'gas price unprecedented': 344046, 'price unprecedented operational': 677210, 'unprecedented operational constraint': 943173, 'operational constraint of': 613302, 'constraint of oversupply': 195771, 'of oversupply caused': 587632, 'oversupply caused by': 631584, 'shutaustraliadown': 767972, 'earthquake storm': 265048, 'storm non': 811819, 'non seasonal': 566492, 'seasonal rain': 743473, 'rain lockdown': 695746, 'lockdown earth': 499331, 'literally telling': 495089, 'telling human': 837212, 'busy snatching': 144956, 'snatching toiletpaper': 776177, 'stayathome coronavid19': 797465, 'coronavid19 shutaustraliadown': 205389, 'shutaustraliadown flattenthecurve': 767973, 'flattenthecurve humanity': 310170, 'humanity pandemia': 410760, 'earthquake storm non': 265049, 'storm non seasonal': 811820, 'non seasonal rain': 566493, 'seasonal rain lockdown': 743474, 'rain lockdown earth': 695747, 'lockdown earth is': 499332, 'earth is literally': 264990, 'is literally telling': 449396, 'literally telling human': 495090, 'telling human to': 837213, 'human to fuck': 410638, 'to fuck off': 906283, 'fuck off but': 339613, 'off but they': 593703, 're still busy': 699590, 'still busy snatching': 800306, 'busy snatching toiletpaper': 144957, 'snatching toiletpaper stayathome': 776178, 'toiletpaper stayathome coronavid19': 922516, 'stayathome coronavid19 shutaustraliadown': 797466, 'coronavid19 shutaustraliadown flattenthecurve': 205390, 'shutaustraliadown flattenthecurve humanity': 767974, 'flattenthecurve humanity pandemia': 310171, 'thread interested': 893568, 'thing result': 884715, 'isolation eg': 455259, 'eg how': 269711, 'online behaviour': 607926, 'and stick': 72359, 'stick online': 800040, 'service medium': 752592, 'thread interested to': 893569, 'interested to see': 441492, 'see what impact': 746034, 'what impact ha': 981646, 'impact ha on': 417691, 'ha on number': 371433, 'of thing result': 591911, 'thing result of': 884716, 'of working at': 593296, 'at home self': 99100, 'self isolation eg': 747766, 'isolation eg how': 455260, 'eg how will': 269712, 'how will online': 409234, 'will online behaviour': 994319, 'online behaviour change': 607927, 'change and stick': 171925, 'and stick online': 72360, 'stick online shopping': 800041, 'delivery service medium': 234448, 'service medium consumption': 752593, '10mins': 2363, 'in 10mins': 419687, '10mins doe': 2364, 'anything remember': 80870, 'heading to costco': 385958, 'to costco in': 903605, 'costco in 10mins': 208239, 'in 10mins doe': 419688, '10mins doe anyone': 2365, 'doe anyone need': 251340, 'need anything remember': 554459, 'anything remember this': 80871, 'is the place': 452895, 'place to bulk': 657749, 'buy and not': 148327, 'and not your': 67793, 'not your local': 572633, 'leadership management': 483630, 'management meaningfulgrowth': 512595, 'geniouxmg look': 345759, 'this rule': 889930, 'rule physical': 727325, 'physical separation': 655450, 'separation every': 751114, 'respect physical': 715038, 'separation at': 751112, 'park street': 641988, 'street etc': 812961, 'leadership management meaningfulgrowth': 483631, 'management meaningfulgrowth geniouxmg': 512596, 'meaningfulgrowth geniouxmg look': 524867, 'geniouxmg look at': 345760, 'at this rule': 101255, 'this rule physical': 889931, 'rule physical separation': 727326, 'physical separation every': 655452, 'separation every person': 751115, 'every person must': 286100, 'person must respect': 652542, 'must respect physical': 546858, 'respect physical separation': 715039, 'physical separation at': 655451, 'separation at least': 751113, 'least foot even': 484465, 'even at home': 283849, 'home or at': 401735, 'the workplace supermarket': 871792, 'workplace supermarket park': 1009214, 'supermarket park street': 821929, 'park street etc': 641989, 'spread world': 790893, 'leader get': 483457, 'tough price': 926827, 'the spread world': 867645, 'spread world leader': 790894, 'world leader get': 1009752, 'leader get tough': 483458, 'get tough price': 348525, 'tough price collapse': 926828, 'amid covid19': 52434, 'covid19 price': 214354, '14 why': 3542, 'why april': 990756, 'huge we': 410262, 'perfect image': 651305, 'come read': 187488, 'bio or': 131155, 'or toronto': 617505, 'estate market amid': 282147, 'market amid covid19': 515933, 'amid covid19 price': 52435, 'covid19 price were': 214355, 'were up 14': 980313, 'up 14 why': 944118, '14 why april': 3543, 'why april 2020': 990757, 'the coronavirus effect': 851840, 'coronavirus effect on': 205866, 'effect on toronto': 269099, 'estate market wa': 282159, 'market wa huge': 517309, 'wa huge we': 962346, 'huge we ll': 410263, 'll see the': 496997, 'see the perfect': 745872, 'the perfect image': 863538, 'perfect image in': 651306, 'image in the': 416637, 'to come read': 903044, 'come read more': 187489, 'more at in': 538667, 'at in bio': 99271, 'in bio or': 420851, 'bio or toronto': 131156, 'kafu': 470608, 'brekko': 139303, 'someone update': 784730, 'update me': 947071, 'it located': 459442, 'located kafu': 498815, 'kafu socialdistanacing': 470609, 'socialdistanacing brekko': 780046, 'shop in this': 760329, 'in this supermarket': 430021, 'this supermarket can': 890426, 'supermarket can someone': 819512, 'can someone update': 159677, 'someone update me': 784731, 'update me where': 947072, 'me where it': 523952, 'where it located': 984966, 'it located kafu': 459443, 'located kafu socialdistanacing': 498816, 'kafu socialdistanacing brekko': 470610, 'whenever see': 984674, 'see bare': 744953, 'supermarket picture': 821992, 'picture the': 656202, 'move stock': 543729, 'supermarket retailworkers': 822242, 'whenever see bare': 984675, 'see bare shelf': 744954, 'in supermarket picture': 428648, 'supermarket picture the': 821993, 'picture the family': 656203, 'the family owned': 854902, 'family owned supermarket': 298147, 'owned supermarket worker': 632360, 'worker in me': 1007185, 'in me get': 425204, 'me get excited': 522804, 'get excited about': 346973, 'excited about not': 289525, 'not having to': 569908, 'having to move': 384353, 'to move stock': 910317, 'move stock to': 543730, 'stock to clean': 802991, 'clean the shelf': 180653, 'the shelf supermarket': 866886, 'shelf supermarket retailworkers': 757627, 'cannot with': 162227, 'constant staying': 195633, 'is burden': 446304, 'burden cannot': 142734, 'cannot bear': 161654, 'bear it': 118404, 'my 7th': 547190, '7th day': 22522, 'row working': 726591, 'cannot fucking': 161862, 'fucking bear': 339808, 'it switch': 461409, 'switch place': 830502, 'me stayhome': 523543, 'just cannot with': 468437, 'cannot with the': 162228, 'with the constant': 1001242, 'the constant staying': 851478, 'constant staying home': 195634, 'home is burden': 401449, 'is burden cannot': 446305, 'burden cannot bear': 142735, 'cannot bear it': 161655, 'bear it on': 118405, 'on my 7th': 602259, 'my 7th day': 547191, '7th day in': 22523, 'in row working': 427562, 'row working at': 726592, 'you cannot fucking': 1017862, 'cannot fucking bear': 161863, 'fucking bear it': 339809, 'bear it switch': 118406, 'it switch place': 461410, 'switch place with': 830503, 'place with me': 657844, 'with me stayhome': 999452, 'aleaprotects': 41327, 'aleaprotects choice': 41328, 'choice include': 177785, 'include law': 431587, 'enforcement local': 276777, 'local county': 497867, 'county official': 211453, 'official consumer': 595790, 'team business': 835605, 'team general': 835648, 'general constituent': 345299, 'constituent response': 195739, 'view full': 957094, 'full press': 340823, 'view guidance': 957096, 'for law': 322905, 'aleaprotects choice include': 41329, 'choice include law': 177786, 'include law enforcement': 431588, 'law enforcement local': 482274, 'enforcement local county': 276778, 'local county official': 497868, 'county official consumer': 211454, 'official consumer response': 595791, 'consumer response team': 198788, 'response team business': 715804, 'team business response': 835606, 'business response team': 144322, 'response team general': 715805, 'team general constituent': 835649, 'general constituent response': 345300, 'constituent response team': 195740, 'response team to': 715809, 'team to view': 835808, 'to view full': 918170, 'view full press': 957095, 'full press release': 340824, 'press release to': 671081, 'release to view': 709004, 'to view guidance': 918171, 'view guidance for': 957097, 'guidance for law': 368231, 'for law enforcement': 322906, 'fdi': 300963, 'fdiinindia': 300980, 'fdiindia': 300977, 'decrease demand': 231560, 'fell read': 303227, 'more fdi': 539202, 'fdi fdiinindia': 300964, 'fdiinindia fdiindia': 300981, 'fdiindia investment': 300978, 'investment banking': 443971, 'banking investmentbanking': 110438, 'in global food': 423332, 'saw price decrease': 738220, 'price decrease demand': 673409, 'decrease demand fell': 231561, 'demand fell read': 235338, 'fell read more': 303228, 'read more fdi': 700432, 'more fdi fdiinindia': 539203, 'fdi fdiinindia fdiindia': 300965, 'fdiinindia fdiindia investment': 300982, 'fdiindia investment banking': 300979, 'investment banking investmentbanking': 443972, 'extend special': 293121, 'pandemic nurse': 636064, 'responder law': 715490, 'enforcement grocery': 276765, 'others thankyou': 621691, 'thankyou appreciation': 842321, 'on we want': 605140, 'want to extend': 966032, 'to extend special': 905527, 'extend special thanks': 293122, 'this pandemic nurse': 889409, 'pandemic nurse doctor': 636065, 'nurse doctor first': 577294, 'first responder law': 308952, 'responder law enforcement': 715491, 'law enforcement grocery': 482271, 'enforcement grocery store': 276766, 'many many others': 514263, 'many others thankyou': 514456, 'others thankyou appreciation': 621692, 'war threaten': 966559, 'to worsen': 918849, 'mask war threaten': 519499, 'war threaten to': 966560, 'threaten to worsen': 893766, 'to worsen the': 918850, 'worsen the covid': 1011074, '19 crisis for': 6249, 'crisis for everyone': 217390, 'the selfishness is': 866674, 'selfishness is no': 748361, 'no surprise given': 565642, 'surprise given the': 828524, 'given the circumstance': 351129, 'the richest country': 865790, 'richest country on': 721341, 'area adjusting': 91916, 'adjusting retail': 32351, 'store starting': 810349, 'starting 18': 794930, 'urban area adjusting': 948096, 'area adjusting retail': 91917, 'adjusting retail store': 32352, 'hour at our': 405442, 'at our other': 100025, 'other store starting': 620990, 'store starting 18': 810350, 'starting 18 we': 794931, 'customer healthy to': 222457, 'healthy to help': 387793, 'help answer the': 389367, 'answer the increase': 78112, 'increase of call': 432936, 'organization debt': 619362, 'american household': 52036, 'household impacted': 406839, 'response sign': 715789, 'holding organization debt': 400138, 'organization debt relief': 619363, 'debt relief for': 230548, 'relief for american': 709337, 'for american household': 319247, 'american household impacted': 52037, 'household impacted by': 406840, '19 response sign': 10162, 'response sign the': 715790, 'eohed': 279255, '211': 15057, 'ma business': 507256, 'resource can': 714726, 'find update': 307361, 'the eohed': 854416, 'eohed website': 279256, 'website our': 975383, 'site additional': 771862, 'additional tool': 31889, 'tool become': 925396, 'available continue': 104299, 'continue following': 201035, 'and 211': 57414, '211 for': 15058, 'update mabiz': 947060, 'ma business looking': 507257, 'looking for resource': 502894, 'for resource can': 325157, 'resource can find': 714728, 'can find update': 158344, 'find update on': 307362, 'on the eohed': 604096, 'the eohed website': 854417, 'eohed website our': 279257, 'website our team': 975384, 'will be updating': 992751, 'be updating the': 117898, 'updating the site': 947489, 'the site additional': 867229, 'site additional tool': 771863, 'additional tool become': 31890, 'tool become available': 925397, 'become available continue': 119930, 'available continue following': 104300, 'continue following and': 201036, 'following and 211': 312685, 'and 211 for': 57415, '211 for update': 15059, 'for update mabiz': 327468, 'farm sup': 299192, 'sup ply': 818461, 'ply line': 661768, 'and country': 60642, 'are restricting': 89655, 'restricting export': 717188, 'export covid': 292627, 'longer last': 502012, 'last ing': 480278, 'ing change': 438280, 'grain market': 361778, 'market larger': 516673, 'larger strategic': 479905, 'strategic food': 812542, 'le reliance': 483099, 'on stream': 603707, 'farm sup ply': 299193, 'sup ply line': 818462, 'ply line are': 661769, 'line are being': 492963, 'are being disrupted': 84849, 'being disrupted and': 125059, 'disrupted and country': 246390, 'and country are': 60643, 'country are restricting': 210478, 'are restricting export': 89656, 'restricting export covid': 717189, 'export covid 19': 292628, 'lead to longer': 483361, 'to longer last': 909428, 'longer last ing': 502013, 'last ing change': 480279, 'ing change in': 438281, 'in the grain': 429241, 'the grain market': 856688, 'grain market larger': 361779, 'market larger strategic': 516674, 'larger strategic food': 479906, 'strategic food reserve': 812543, 'food reserve and': 316181, 'reserve and le': 714033, 'and le reliance': 66016, 'le reliance on': 483100, 'reliance on stream': 709241, 'on stream of': 603708, 'stream of import': 812785, 'thenoutbid': 877815, 'really you': 702723, 'you tel': 1021534, 'tel gov': 836630, 'source thenoutbid': 786559, 'thenoutbid them': 877816, 'them price': 876176, 'always component': 49519, 'fed ok': 301859, 'probably why': 679417, 'dying you': 263887, 'you piece': 1020336, 'really you tel': 702725, 'you tel gov': 1021535, 'tel gov to': 836631, 'gov to source': 359716, 'to source thenoutbid': 914940, 'source thenoutbid them': 786560, 'thenoutbid them price': 877817, 'them price are': 876177, 'are always component': 84495, 'always component of': 49520, 'component of that': 192554, 'of that also': 590708, 'that also and': 842601, 'also and maybe': 47852, 'and maybe that': 66820, 'maybe that why': 521824, 'why you lost': 991591, 'you lost to': 1019718, 'to the fed': 916705, 'the fed ok': 855064, 'fed ok that': 301860, 'ok that probably': 597904, 'that probably why': 845850, 'probably why trump': 679418, 'why trump said': 991494, 'trump said people': 933805, 'are dying you': 86060, 'dying you piece': 263888, 'you piece of': 1020337, 'm2': 507217, 'socialdistancing take': 780779, 'note people': 572778, 'uk most': 938554, 'most seem': 542725, 'be ignoring': 115356, 'ignoring it': 415912, 'selfish pathetic': 748201, 'pathetic idiot': 644054, 'idiot simple': 413587, 'many we': 514866, 'can cram': 158017, 'que or': 693318, 'many into': 514203, 'into m2': 442731, 'm2 of': 507218, 'of park': 587779, 'park space': 641984, 'space idiot': 787118, '19 socialdistancing take': 10682, 'socialdistancing take note': 780780, 'take note people': 832378, 'note people of': 572779, 'the uk most': 870251, 'uk most seem': 938555, 'most seem to': 542726, 'to be ignoring': 901324, 'be ignoring it': 115357, 'ignoring it you': 415913, 'it you lot': 462645, 'you lot are': 1019721, 'lot are selfish': 503991, 'are selfish pathetic': 89937, 'selfish pathetic idiot': 748202, 'pathetic idiot simple': 644055, 'idiot simple that': 413588, 'simple that let': 770114, 'that let see': 844872, 'how many we': 408289, 'many we can': 514867, 'we can cram': 970929, 'can cram into': 158018, 'cram into supermarket': 214830, 'into supermarket que': 443056, 'supermarket que or': 822109, 'que or how': 693319, 'how many into': 408265, 'many into m2': 514204, 'into m2 of': 442732, 'm2 of park': 507219, 'of park space': 587780, 'park space idiot': 641985, 'earnest the': 264860, 'organization served': 619418, 'served about': 751981, 'week almost': 975880, 'almost overnight': 46724, 'number ha': 576882, 'crisis began in': 217125, 'began in earnest': 123391, 'in earnest the': 422454, 'earnest the organization': 264861, 'the organization served': 862476, 'organization served about': 619419, 'served about 30': 751982, 'about 30 to': 24699, '30 to 40': 17243, 'to 40 of': 899714, '40 of these': 18625, 'of these worker': 591876, 'these worker and': 880989, 'their family day': 873250, 'family day three': 297738, 'day three day': 228544, 'three day week': 893920, 'day week almost': 228687, 'week almost overnight': 975881, 'almost overnight that': 46726, 'overnight that number': 631359, 'that number ha': 845429, 'number ha tripled': 576883, 'bulldozed': 142416, 'china south': 176951, 'japan were': 464774, 'on bad': 599536, 'bad trajectory': 108059, 'but managed': 146346, 'through socialdistancing': 894681, 'socialdistancing their': 780794, 'their culture': 872930, 'culture have': 220292, 'have discipline': 380294, 'discipline respect': 244363, 'elderly authority': 270607, 'get bulldozed': 346719, 'bulldozed in': 142417, 'china south korea': 176952, 'south korea singapore': 786751, 'singapore japan were': 771133, 'japan were all': 464775, 'were all on': 979285, 'all on bad': 43738, 'on bad trajectory': 599537, 'bad trajectory with': 108060, 'trajectory with the': 929392, 'with the but': 1001221, 'the but managed': 850198, 'but managed to': 146347, 'managed to stop': 512513, 'stop it through': 804796, 'it through socialdistancing': 461677, 'through socialdistancing their': 894682, 'socialdistancing their culture': 780795, 'their culture have': 872931, 'culture have discipline': 220293, 'have discipline respect': 380295, 'discipline respect for': 244364, 'respect for the': 715001, 'the elderly authority': 854111, 'elderly authority the': 270608, 'authority the west': 103795, 'west is going': 980510, 'to get bulldozed': 906430, 'get bulldozed in': 346720, 'bulldozed in week': 142418, 'thing ecommerce': 884299, 'are thing ecommerce': 91036, 'thing ecommerce business': 884300, 'wasted at': 968230, 'gate due': 344332, 'pandemic bring': 635027, 'bring sea': 140064, 'sea change': 743081, 'agricultural landscape': 38895, 'appalled at the': 81823, 'food that being': 317087, 'that being wasted': 842978, 'being wasted at': 126050, 'wasted at the': 968231, 'farm gate due': 299123, 'gate due to': 344333, '19 change in': 5764, 'change in demand': 172113, 'demand consumer what': 235166, 'be do to': 114507, 'to help will': 907667, 'help will this': 390893, 'will this pandemic': 995198, 'this pandemic bring': 889373, 'pandemic bring sea': 635028, 'bring sea change': 140065, 'sea change to': 743082, 'the agricultural landscape': 848456, 'trump team': 933896, 'team initial': 835692, 'initial response': 438550, 'tell coronavirus': 836937, 'coronavirus would': 207111, 'american job': 52059, 'remember even': 710185, 'even month': 284336, 'later er': 481058, 'er doc': 280005, 'doc re': 250751, 're wash': 699780, 'wash paper': 967529, 'ration hand': 697693, 'family lose': 298000, 'lose loved': 503448, 'never forget the': 558006, 'forget the trump': 329308, 'the trump team': 870069, 'trump team initial': 933897, 'team initial response': 835693, 'initial response wa': 438551, 'response wa to': 715913, 'wa to tell': 963528, 'to tell coronavirus': 916339, 'tell coronavirus would': 836938, 'coronavirus would be': 207112, 'good for american': 357071, 'for american job': 319250, 'american job they': 52060, 'job they don': 466201, 'you to remember': 1021829, 'to remember even': 913183, 'remember even month': 710186, 'even month later': 284337, 'month later er': 537817, 'later er doc': 481059, 'er doc re': 280006, 'doc re wash': 250752, 're wash paper': 699781, 'wash paper mask': 967530, 'mask and ration': 518359, 'and ration hand': 69948, 'ration hand sanitizer': 697694, 'sanitizer and thousand': 734444, 'of family lose': 583408, 'family lose loved': 298001, 'lose loved one': 503449, 'scranton': 742572, 'wilkes': 992165, 'barre': 111180, 'the scumbag': 866544, 'scumbag new': 742991, 'yorkers who': 1016713, 'the scranton': 866530, 'scranton wilkes': 742573, 'wilkes barre': 992166, 'barre area': 111181, 'area fuck': 92022, 'risk exposing': 723524, 'exposing all': 292921, 'to the scumbag': 917043, 'the scumbag new': 866545, 'scumbag new yorkers': 742992, 'new yorkers who': 559971, 'yorkers who are': 1016714, 'to the scranton': 917042, 'the scranton wilkes': 866531, 'scranton wilkes barre': 742574, 'wilkes barre area': 992167, 'barre area fuck': 111182, 'area fuck you': 92023, 'fuck you fuck': 339699, 'you fuck you': 1018730, 'fuck you and': 339696, 'you and everything': 1016985, 'do your state': 250712, 'your state ha': 1025932, 'state ha the': 795644, 'the most case': 860954, 'most case of': 542163, 'to risk exposing': 913594, 'risk exposing all': 723525, 'exposing all of': 292922, 'of these grocery': 591827, 'food worker for': 317671, 'worker for what': 1006977, 'gobankingrates': 354602, 'consumertrack': 199775, 'powerful medium': 667783, 'medium photography': 527217, 'photography here': 655290, 'here giving': 393043, 'giving you': 351456, 'consumer life': 198039, 'by affected': 151769, 'affected stimulusbill': 34429, 'stimulusbill stimuluspackage': 801633, 'stimuluspackage historyinthemaking': 801645, 'historyinthemaking by': 398080, 'by gobankingrates': 152697, 'gobankingrates and': 354603, 'and consumertrack': 60453, 'consumertrack inc': 199776, 'most powerful medium': 542647, 'powerful medium photography': 667784, 'medium photography here': 527218, 'photography here giving': 655291, 'here giving you': 393044, 'giving you look': 351458, 'you look into': 1019697, 'how consumer life': 407595, 'consumer life ha': 198040, 'affected by affected': 34302, 'by affected stimulusbill': 151770, 'affected stimulusbill stimuluspackage': 34430, 'stimulusbill stimuluspackage historyinthemaking': 801634, 'stimuluspackage historyinthemaking by': 801646, 'historyinthemaking by gobankingrates': 398081, 'by gobankingrates and': 152698, 'gobankingrates and consumertrack': 354604, 'and consumertrack inc': 60454, 'team will update': 835832, 'will update the': 995275, 'update the site': 947256, 'available continue to': 104301, 'continue to follow': 201197, 'follow and 211': 312350, 'million coronavirus': 532115, 'coronavirus antibody': 205509, 'antibody test': 78411, 'test health': 839017, 'uk ha bought': 938429, 'ha bought million': 370024, 'bought million coronavirus': 136637, 'million coronavirus antibody': 532116, 'coronavirus antibody test': 205510, 'antibody test health': 78412, 'test health minister': 839018, 'supermarket store you': 823016, 'store you live': 811692, 'everywhere that': 288264, 'go including': 353724, 'guideline from': 368432, 'safe and everywhere': 729444, 'and everywhere that': 62436, 'everywhere that you': 288265, 'that you go': 847724, 'you go including': 1018856, 'go including the': 353725, 'store follow these': 807757, 'follow these guideline': 312555, 'these guideline from': 880085, 'guideline from the': 368433, 'the to shop': 869690, 'shop safely during': 760729, 'new alberta': 558333, 'beginning measure': 123636, 'stay financially': 796864, 'financially afloat': 306657, 'including 50': 431854, 'million right': 532345, 'new alberta is': 558334, 'alberta is beginning': 40801, 'is beginning measure': 446049, 'beginning measure to': 123637, 'people stay financially': 649558, 'stay financially afloat': 796865, 'financially afloat during': 306658, 'afloat during the': 34953, '19 crisis including': 6264, 'crisis including 50': 217546, 'including 50 million': 431855, '50 million right': 19756, 'million right away': 532346, 'right away for': 721787, 'away for those': 105848, 'our just': 623614, 'still adjusting': 800164, 'delay will': 232759, 'product manufacturer': 681392, 'manufacturer that': 513522, '24 doug': 15586, 'baker of': 108814, 'of org': 587351, 'america ha enough': 51543, 'food but our': 313827, 'but our just': 146725, 'our just in': 623615, 'is still adjusting': 452260, 'still adjusting to': 800165, '19 we estimate': 11928, 'we estimate the': 971481, 'estimate the delay': 282270, 'the delay will': 853049, 'delay will be': 232760, 'will be about': 992340, 'be about day': 113446, 'about day we': 25077, 'day we have': 228677, 'we have product': 971907, 'have product manufacturer': 382061, 'product manufacturer that': 681393, 'manufacturer that are': 513523, 'open 24 doug': 612007, '24 doug baker': 15587, 'doug baker of': 256245, 'baker of org': 108815, 'medical ppe': 526300, 'ppe have': 667967, 'become commodity': 119950, 'commodity with': 189340, 'in sheesh': 427874, 'other medical ppe': 620525, 'medical ppe have': 526301, 'ppe have become': 667968, 'have become commodity': 379428, 'become commodity with': 119951, 'commodity with price': 189341, 'with price being': 1000300, 'price being driven': 672893, 'being driven up': 125086, 'driven up in': 259372, 'up in sheesh': 945177, 'demand surely': 236297, 'their beloved': 872590, 'beloved when': 126544, 'they hike': 882434, 'when busy': 983217, 'busy or': 144938, 'emergency hypocrite': 272751, 'hypocrite cor': 412406, 'why are up': 990796, 'arm about this': 92877, 'about this supply': 26666, 'this supply demand': 890442, 'supply demand surely': 825159, 'demand surely they': 236298, 'surely they do': 827952, 'to have problem': 907291, 'problem with their': 679766, 'with their beloved': 1001558, 'their beloved when': 872591, 'beloved when they': 126545, 'when they hike': 984265, 'they hike price': 882435, 'hike price when': 396275, 'price when busy': 677479, 'when busy or': 983218, 'busy or at': 144939, 'or at time': 614451, 'of emergency hypocrite': 583038, 'emergency hypocrite cor': 272752, 'redistribute surplus': 705733, 'and redistribute surplus': 70088, 'redistribute surplus stock': 705734, 'surplus stock to': 828502, 'stock to those': 803005, 'need it during': 555085, 'coronavirus outbreak find': 206386, 'uklockeddown': 939026, 'wednesday anyone': 975615, 'see shopping': 745675, 'ha anything': 369594, 'getting punch': 349207, 'punch in': 689160, 'throat from': 894234, 'me uklockdown': 523847, 'uklockdown uklockeddown': 939015, 'uklockeddown cornavirusoutbreak': 939027, 'am back in': 49920, 'back in work': 107105, 'in work supermarket': 430978, 'work supermarket on': 1005780, 'on wednesday anyone': 605168, 'wednesday anyone see': 975616, 'anyone see shopping': 80515, 'see shopping that': 745676, 'shopping that ha': 764077, 'that ha anything': 844108, 'ha anything other': 369595, 'than essential in': 840560, 'essential in their': 281160, 'in their trolley': 429786, 'their trolley is': 875035, 'trolley is getting': 932436, 'is getting punch': 448037, 'getting punch in': 349208, 'punch in the': 689161, 'the throat from': 869526, 'throat from me': 894235, 'from me uklockdown': 336402, 'me uklockdown uklockeddown': 523848, 'uklockdown uklockeddown cornavirusoutbreak': 939016, 'au for': 102781, 'faced heavy': 295023, 'heavy opposition': 388649, 'opposition from': 613824, 'from brick': 334739, 'mortar business': 541813, 'industry enough': 435798, 'seeing drove': 746274, 'drove of': 260800, 'of temporarily': 590656, 'temporarily shut': 837538, 'down restaurant': 257146, 'move onto': 543705, 'onto their': 611684, 'au for some': 102782, 'some time have': 784057, 'time have faced': 896893, 'have faced heavy': 380548, 'faced heavy opposition': 295024, 'heavy opposition from': 388650, 'opposition from brick': 613825, 'from brick mortar': 334741, 'brick mortar business': 139588, 'mortar business for': 541814, 'business for not': 143753, 'for not paying': 323932, 'not paying the': 570992, 'paying the industry': 645497, 'the industry enough': 858170, 'industry enough of': 435799, 'enough of cut': 277542, 'of cut are': 582294, 'cut are now': 223239, 'are now seeing': 88593, 'now seeing drove': 575756, 'seeing drove of': 746275, 'drove of temporarily': 260801, 'of temporarily shut': 590657, 'temporarily shut down': 837539, 'shut down restaurant': 767850, 'down restaurant due': 257147, 'due to move': 261869, 'to move onto': 910313, 'move onto their': 543706, 'onto their platform': 611685, 'uk free': 938388, 'free le': 331941, 'le man': 483018, 'man archive': 511992, 'archive ton': 84063, 'to additional': 900077, 'additional channel': 31782, 'channel week': 172943, 'free premium': 332072, 'premium time': 669974, 'others offer': 621558, 'entertainment how': 278571, 'we raise': 972808, 'this time uk': 890707, 'time uk free': 898154, 'uk free le': 938389, 'free le man': 331942, 'le man archive': 483019, 'man archive ton': 511993, 'archive ton of': 84064, 'ton of free': 924273, 'access to additional': 28213, 'to additional channel': 900078, 'additional channel week': 31783, 'channel week of': 172945, 'week of free': 976615, 'of free premium': 583922, 'free premium time': 332073, 'premium time many': 669976, 'time many others': 897190, 'many others offer': 514452, 'others offer free': 621559, 'free service and': 332141, 'service and access': 752068, 'access to home': 28243, 'to home entertainment': 907932, 'home entertainment how': 401148, 'entertainment how about': 278572, 'about we raise': 26855, 'we raise the': 972809, 'for david': 320557, 'david murray': 226992, 'murray ey': 546218, 'ey uk': 293991, 'product leader': 681349, 'leader discus': 483439, 'discus action': 244820, 'action food': 30016, 'keep supplying': 471999, 'supplying the': 826307, 'nation throughout': 552343, 'this article for': 886414, 'article for david': 94317, 'for david murray': 320558, 'david murray ey': 226993, 'murray ey uk': 546219, 'ey uk consumer': 293992, 'uk consumer product': 938267, 'consumer product leader': 198467, 'product leader discus': 681350, 'leader discus action': 483440, 'discus action food': 244821, 'action food producer': 30017, 'food producer can': 316002, 'producer can take': 680586, 'take to stay': 832743, 'stay resilient and': 797200, 'resilient and keep': 714517, 'and keep supplying': 65783, 'keep supplying the': 472000, 'supplying the nation': 826308, 'the nation throughout': 861268, 'nation throughout the': 552344, 'throughout the crisis': 894969, 'when word': 984512, 'been fully': 121188, 'when word get': 984513, 'word get out': 1004501, 'get out that': 347745, 'have been fully': 379554, 'been fully stocked': 121189, 'sahm': 730930, 'tough right': 926831, 'need mom': 555242, 'is homeschooling': 448531, 'homeschooling sahm': 402945, 'sahm dad': 730931, 'immunocompromised from': 417462, 'from kidney': 336173, 'transplant wish': 929858, 'list venmo': 494580, 'venmo grocery': 954482, 'card size': 163639, 'size diaper': 772771, 'thing are tough': 884166, 'are tough right': 91172, 'tough right now': 926832, 'help please share': 390325, 'please share family': 660483, 'share family is': 754993, 'family is in': 297952, 'in need mom': 425753, 'need mom is': 555243, 'mom is homeschooling': 535755, 'is homeschooling sahm': 448532, 'homeschooling sahm dad': 402946, 'sahm dad is': 730932, 'dad is immunocompromised': 224352, 'is immunocompromised from': 448683, 'immunocompromised from kidney': 417463, 'from kidney transplant': 336174, 'kidney transplant wish': 474246, 'transplant wish list': 929859, 'wish list venmo': 996788, 'list venmo grocery': 494581, 'venmo grocery store': 954483, 'gift card size': 349954, 'card size diaper': 163640, 'size diaper baby': 772772, 'breaking european': 138945, 'spending europe': 788806, 'breaking european market': 138946, 'european market take': 283591, 'market take massive': 517157, 'take massive hit': 832310, 'massive hit over': 520038, 'hit over and': 398363, 'over and lack': 629984, 'consumer spending europe': 199059, 'xox': 1013895, 'xox unless': 1013896, 'xox unless you': 1013897, 'newsbite': 561003, 'newsbite pres': 561004, 'pres put': 670447, 'arrest culprit': 93754, 'culprit 19': 220246, 'newsbite pres put': 561005, 'pres put those': 670448, 'put those hiking': 690916, 'the spot to': 867604, 'spot to arrest': 790134, 'to arrest culprit': 900725, 'arrest culprit 19': 93755, 'aren thing': 92566, 'thing crappy': 884257, 'crappy enough': 214930, 'enough with': 277769, 'win for': 995550, 'citizen consumer': 178875, 'like decade': 490098, 'we calling': 970893, 'on saudi': 603310, 'can rise': 159488, 'aren thing crappy': 92567, 'thing crappy enough': 884258, 'crappy enough with': 214931, 'enough with but': 277770, 'with but one': 997501, 'but one small': 146675, 'one small win': 607057, 'small win for': 775192, 'win for citizen': 995551, 'for citizen consumer': 320091, 'citizen consumer is': 178876, 'consumer is that': 197943, 'are down like': 85979, 'down like decade': 256918, 'like decade ago': 490099, 'decade ago so': 230663, 'ago so the': 38466, 'so the fuck': 778426, 'fuck are we': 339527, 'are we calling': 91561, 'we calling on': 970894, 'calling on saudi': 156614, 'on saudi arabia': 603311, 'russia to cut': 728586, 'by 10 just': 151514, '10 just so': 1493, 'just so gas': 469821, 'price can rise': 673065, 'can rise again': 159489, 'in colombia': 421556, 'colombia people': 186694, 'currently clapping': 221498, 'celebrating outside': 168834, 'window all': 995657, 'medical industry': 526215, 'industry cleaning': 435729, 'people garbage': 648024, 'work outside': 1005586, 'in colombia people': 421557, 'colombia people are': 186695, 'are currently clapping': 85660, 'currently clapping and': 221499, 'clapping and celebrating': 180036, 'and celebrating outside': 59661, 'celebrating outside their': 168835, 'outside their window': 629610, 'their window all': 875191, 'window all people': 995658, 'all people in': 43939, 'the medical industry': 860398, 'medical industry cleaning': 526216, 'industry cleaning people': 435730, 'cleaning people garbage': 181012, 'people garbage collector': 648025, 'worker all people': 1006224, 'to work outside': 918764, 'work outside during': 1005587, 'what reid': 982092, 'open everyday': 612217, 'everyday 11am': 286516, '11am 11pm': 2714, 'of what reid': 593060, 'what reid distillery': 982093, 'distillery would look': 247837, '19 on and': 8928, 'on and all': 599347, 'the other small': 862555, 'now open everyday': 575460, 'open everyday 11am': 612218, 'everyday 11am 11pm': 286517, 'probably heard': 679288, 'out relief': 627101, 'check part': 174592, 'know amp': 476247, 'yourself protected': 1026687, 've probably heard': 953448, 'probably heard the': 679289, 'heard the news': 388151, 'the news by': 861607, 'news by now': 560289, 'by now the': 153375, 'is sending out': 451771, 'sending out relief': 750072, 'out relief check': 627102, 'relief check part': 709305, 'check part of': 174593, 'to know amp': 908971, 'know amp keep': 476248, 'amp keep yourself': 54048, 'keep yourself protected': 472296, 'did entire': 240596, 'family leave': 297983, 'home mean': 401605, 'mean mom': 524549, 'how damn': 407662, 'damn irresponsible': 225374, 'irresponsible that': 445075, 'rest have': 716162, 'spreading why': 791088, 'why britain': 990848, 'battle grr': 112799, 'for grocery why': 322059, 'grocery why did': 366144, 'why did entire': 990915, 'did entire family': 240597, 'entire family leave': 278675, 'family leave home': 297984, 'leave home mean': 484822, 'home mean mom': 401606, 'mean mom dad': 524550, 'mom dad and': 535717, 'dad and all': 224287, 'all the child': 44686, 'the child how': 850820, 'child how damn': 176111, 'how damn irresponsible': 407663, 'damn irresponsible that': 225375, 'irresponsible that is': 445076, 'is they do': 453053, 'do not all': 249660, 'go the rest': 354209, 'the rest have': 865634, 'rest have to': 716163, 'at home only': 99068, 'home only person': 401729, 'only person ha': 610956, 'ha to enter': 372297, 'to enter that': 905226, 'enter that why': 278309, 'that why it': 847536, 'why it spreading': 991147, 'it spreading why': 461208, 'spreading why britain': 791089, 'why britain is': 990849, 'britain is losing': 140415, 'is losing the': 449459, 'losing the battle': 503592, 'the battle grr': 849348, 'story gt': 811995, 'employee are putting': 273625, 'sure the public': 827718, 'the public ha': 864816, 'public ha the': 688049, 'and supply they': 72820, '19 pandemic full': 9335, 'full story gt': 340899, 'story gt gt': 811996, 'hmm let': 398688, 'station exposure': 796400, 'exposure the': 292998, 'supermarket exposure': 820255, 'shop exposure': 760161, 'the takeaway': 869129, 'takeaway drive': 832853, 'thru exposure': 895188, 'way there': 969948, 'hmm let see': 398689, 'see the trip': 745893, 'to the petrol': 916951, 'petrol station exposure': 653793, 'station exposure the': 796401, 'exposure the trip': 292999, 'the supermarket exposure': 868584, 'supermarket exposure the': 820256, 'to the bottle': 916525, 'bottle shop exposure': 136319, 'shop exposure the': 760162, 'to the takeaway': 917115, 'the takeaway drive': 869130, 'takeaway drive thru': 832854, 'drive thru exposure': 259196, 'thru exposure and': 895189, 'exposure and that': 292960, 'that just on': 844793, 'the way there': 871195, 'package face': 633268, 'face hurdle': 294462, 'hurdle amid': 411447, 'coronavirus package face': 206427, 'package face hurdle': 633269, 'face hurdle amid': 294463, 'hurdle amid gop': 411448, 'frontlines fighting': 338915, 'or related': 616836, 'related field': 708438, 'field therapist': 304521, 'therapist are': 877904, 'discount session': 244534, 'session to': 753316, 'anxiety panic': 78773, 'panic depression': 638029, 'depression fear': 237647, 'or stress': 617251, 'are you on': 91827, 'the frontlines fighting': 855900, 'frontlines fighting in': 338916, 'the healthcare first': 857193, 'employee or related': 274089, 'or related field': 616837, 'related field therapist': 708439, 'field therapist are': 304522, 'therapist are offering': 877905, 'offering discount session': 595080, 'discount session to': 244535, 'session to help': 753317, 'with your anxiety': 1002177, 'your anxiety panic': 1022795, 'anxiety panic depression': 78774, 'panic depression fear': 638030, 'depression fear or': 237648, 'fear or stress': 301271, 'protectyourworld': 685875, 'cyberprotect': 223980, 'doubt many': 256210, 'to onlineshopping': 910962, 'onlineshopping for': 609901, 'all manner': 43454, 'manner of': 513304, 'service whatever': 753060, 'your level': 1024617, 'and note': 67794, 'of protectyourworld': 588560, 'protectyourworld cyberprotect': 685876, 'no doubt many': 564053, 'doubt many of': 256211, 'many of during': 514370, '19 situation will': 10600, 'situation will turn': 772592, 'will turn to': 995258, 'turn to onlineshopping': 935788, 'to onlineshopping for': 910963, 'onlineshopping for all': 609902, 'for all manner': 319147, 'all manner of': 43455, 'manner of good': 513305, 'and service whatever': 71323, 'service whatever your': 753061, 'whatever your level': 982826, 'your level of': 1024618, 'level of experience': 487634, 'of experience in': 583317, 'in this do': 429934, 'this do please': 887265, 'do please take': 249993, 'please take time': 660642, 'to read and': 912824, 'read and note': 700280, 'and note the': 67795, 'note the advice': 572818, 'advice of protectyourworld': 33449, 'of protectyourworld cyberprotect': 588561, 'want lesson': 965840, 'be mug': 116030, 'mug let': 545571, 'know my': 476616, 'anyone want lesson': 80603, 'want lesson on': 965841, 'lesson on how': 486499, 'to be mug': 901396, 'be mug let': 116031, 'mug let me': 545572, 'me know my': 523043, 'know my price': 476617, 'nest': 557519, 'publix employee': 688758, 'the miami': 860555, 'miami lake': 530187, 'lake grocery': 479057, 'on eagle': 600456, 'eagle nest': 264377, 'nest lane': 557520, 'lane ha': 479454, 'publix employee at': 688759, 'at the miami': 101020, 'the miami lake': 860556, 'miami lake grocery': 530188, 'lake grocery store': 479058, 'store on eagle': 809191, 'on eagle nest': 600457, 'eagle nest lane': 264378, 'nest lane ha': 557521, 'lane ha tested': 479455, 'the is reporting': 858523, 'theresistance': 879485, 'tariff contributing': 834595, 'disinfectant resist': 245736, 'resist maga': 714570, 'maga theresistance': 508297, 'trump tariff contributing': 933888, 'tariff contributing to': 834596, 'contributing to shortage': 201923, 'and disinfectant resist': 61452, 'disinfectant resist maga': 245737, 'resist maga theresistance': 714571, '917': 23447, 'conversation changing': 202467, 'changing to': 172833, 'with 917': 997069, '917 toilet': 23448, 'roll overflowing': 725459, 'overflowing fridge': 631217, 'freezer could': 332599, 'see the tone': 745891, 'the tone of': 869755, 'tone of conversation': 924323, 'of conversation changing': 581861, 'conversation changing to': 202468, 'changing to helping': 172834, 'to helping people': 907678, 'helping people now': 391440, 'people now if': 648890, 'now if the': 574973, 'the people with': 863522, 'people with 917': 650430, 'with 917 toilet': 997070, '917 toilet roll': 23449, 'toilet roll overflowing': 921596, 'roll overflowing fridge': 725460, 'overflowing fridge and': 631218, 'fridge and freezer': 333376, 'and freezer could': 63289, 'freezer could stop': 332600, 'could stop going': 209724, 'bc ferry': 113233, 'ferry announces': 303571, 'announces fuel': 77257, 'fuel rebate': 340273, 'rebate for': 703251, 'bc ferry announces': 113234, 'ferry announces fuel': 303572, 'announces fuel rebate': 77258, 'fuel rebate for': 340274, 'rebate for customer': 703252, 'for customer due': 320505, 'fuel price amid': 340218, 'have loan': 381359, 've been financially': 952884, 'may have loan': 521246, 'have loan relief': 381360, 'are wearing glove': 91603, 'wearing glove while': 974647, 'glove while using': 353037, 'while using their': 987507, 'using their phone': 950731, 'their phone at': 874292, 'metairie': 529615, 'grocery metairie': 364726, 'metairie louisiana': 529616, 'instead of mask': 440289, 'of mask now': 586274, 'mask now going': 519029, 'like this grocery': 491492, 'this grocery metairie': 887765, 'grocery metairie louisiana': 364727, 'quarantine watching': 692687, 'sweep on': 830146, 'part where': 642492, 'all running': 44215, 'around buying': 93240, 'buying much': 150738, 'stuff possible': 815177, 'possible is': 665686, 'some experience': 782790, 'experience over': 291452, 'week reality': 976793, 'reality game': 701739, 'show for': 766950, 'day 23 of': 227123, '23 of the': 15420, 'the quarantine watching': 864985, 'quarantine watching supermarket': 692688, 'supermarket sweep on': 823099, 'sweep on the': 830147, 'on the television': 604401, 'the television the': 869269, 'television the part': 836873, 'the part where': 863307, 'part where they': 642493, 'are all running': 84343, 'all running around': 44216, 'running around buying': 727914, 'around buying much': 93241, 'buying much stuff': 150739, 'much stuff possible': 545334, 'stuff possible is': 815178, 'possible is close': 665687, 'to some experience': 914875, 'some experience over': 782791, 'experience over the': 291453, 'three week reality': 894114, 'week reality game': 976794, 'reality game show': 701740, 'game show for': 343247, 'show for covid': 766951, 'water refill': 969134, 'refill prescription': 706551, 'med sign': 525918, 'for alert': 319100, 'local gov': 498018, 'gov toiletry': 359718, 'toiletry hand': 923422, 'sanitizer first': 734869, 'kit pet': 475610, 'longer see': 502043, 'week food amp': 976217, 'amp water refill': 54811, 'water refill prescription': 969135, 'refill prescription medication': 706552, 'counter med sign': 210237, 'med sign up': 525919, 'up for alert': 944915, 'for alert from': 319101, 'alert from local': 41432, 'from local gov': 336251, 'local gov toiletry': 498019, 'gov toiletry hand': 359719, 'toiletry hand sanitizer': 923423, 'hand sanitizer first': 375404, 'sanitizer first aid': 734870, 'aid kit pet': 39412, 'kit pet food': 475611, 'pet food amp': 653380, 'food amp what': 313155, 'amp what you': 54833, 'few week or': 304160, 'week or longer': 976699, 'or longer see': 616005, 'employee or service': 274090, 'other id to': 620384, 'get free membership': 347092, 'of your hard': 593481, 'pandem': 634737, 'it however': 458653, 'however on': 409429, 'side downstream': 768804, 'downstream demand': 257727, 'for steel': 325896, 'steel product': 799357, 'than expectation': 840623, 'expectation company': 290807, 'company reporting': 191018, 'reporting low': 712712, 'low profit': 505557, 'profit due': 682710, 'falling domestic': 297241, 'and shrinking': 71628, 'shrinking export': 767711, '19 pandem': 9243, 'it however on': 458654, 'however on the': 409430, 'demand side downstream': 236212, 'side downstream demand': 768805, 'downstream demand recovery': 257728, 'demand recovery for': 236116, 'recovery for steel': 705329, 'for steel product': 325897, 'steel product is': 799359, 'product is slower': 681331, 'slower than expectation': 774513, 'than expectation company': 840624, 'expectation company reporting': 290808, 'company reporting low': 191019, 'reporting low profit': 712713, 'low profit due': 505558, 'profit due to': 682711, 'to falling domestic': 905648, 'falling domestic price': 297242, 'price and shrinking': 672539, 'and shrinking export': 71629, 'shrinking export market': 767712, 'export market due': 292665, 'covid 19 pandem': 213548, 'it track': 461833, 'track 21dayslockdown': 928159, 'just reminder of': 469617, 'supermarket let stop': 821300, 'let stop this': 487087, 'stop this virus': 805201, 'virus in it': 958323, 'in it track': 424280, 'it track 21dayslockdown': 461834, 'track 21dayslockdown corona': 928160, 'preoccupied': 669986, 'are preoccupied': 89191, 'preoccupied with': 669987, 'these issue': 880185, 'these tragic': 880878, 'ever find': 285304, 'ask lawmaker': 95575, 'punishes person': 689243, 'you are preoccupied': 1017201, 'are preoccupied with': 89192, 'preoccupied with the': 669988, 'excellent job on': 289092, 'job on these': 466052, 'on these issue': 604567, 'these issue in': 880186, 'issue in these': 455804, 'in these tragic': 429868, 'these tragic time': 880879, 'tragic time can': 929201, 'time can you': 896450, 'can you ever': 160297, 'you ever find': 1018456, 'ever find the': 285306, 'to ask lawmaker': 900756, 'ask lawmaker to': 95576, 'lawmaker to propose': 482498, 'severely punishes person': 754108, 'punishes person or': 689244, 'lgive': 487927, 'level asap': 487514, 'asap people': 94873, 'place lgive': 657546, 'lgive the': 487928, 'paper staff': 640820, 'staff rest': 792799, 'to be moved': 901393, 'be moved to': 116015, 'moved to level': 543837, 'to level asap': 909227, 'level asap people': 487515, 'asap people are': 94874, 'still not listening': 800896, 'listening and going': 494789, 'going to crowded': 355563, 'to crowded place': 903772, 'crowded place lgive': 219337, 'place lgive the': 657547, 'lgive the nurse': 487929, 'doctor supermarket and': 251114, 'supermarket and toilet': 819088, 'toilet paper staff': 921464, 'paper staff rest': 640821, 'littlegiant': 495667, 'wa simpler': 963229, 'time back': 896359, 'then toiletpaper': 877681, 'toiletpaper littlegiant': 922190, 'it wa simpler': 462192, 'wa simpler time': 963230, 'simpler time back': 770153, 'time back then': 896360, 'back then toiletpaper': 107328, 'then toiletpaper littlegiant': 877682, 'before laying': 122901, 'laying blanket': 482654, 'blanket of': 132386, 'judgment on': 467677, 'see out': 745536, 'world try': 1010111, 'light the': 489607, 'internet water': 442052, 'water cell': 968939, 'are maintained': 87964, 'maintained by': 509083, 'by technician': 154221, 'technician trade': 836232, 'trade worker': 928621, 'service getting': 752420, 'getting shit': 349263, 'shit done': 759090, 'before laying blanket': 122902, 'laying blanket of': 482655, 'blanket of judgment': 132387, 'of judgment on': 585560, 'judgment on every': 467678, 'on every person': 600620, 'every person you': 286104, 'person you see': 652761, 'you see out': 1021056, 'see out and': 745537, 'and about in': 57550, 'the world try': 871996, 'world try to': 1010112, 'try to remember': 934655, 'remember the light': 710310, 'the light the': 859358, 'light the internet': 489608, 'the internet water': 858395, 'internet water cell': 442053, 'water cell phone': 968940, 'cell phone all': 168956, 'phone all of': 654876, 'of these wonderful': 591875, 'these wonderful thing': 880982, 'wonderful thing and': 1004129, 'thing and much': 884127, 'much more are': 545096, 'more are maintained': 538642, 'are maintained by': 87965, 'maintained by technician': 509084, 'by technician trade': 154222, 'technician trade worker': 836233, 'trade worker and': 928622, 'people in service': 648428, 'in service getting': 427820, 'service getting shit': 752421, 'getting shit done': 349264, 'scarymask': 741220, 'indulged': 435507, 'caremongering scarymask': 164544, 'scarymask 19': 741221, '19 unlike': 11641, 'unlike indian': 942707, 'indian who': 434907, 'who indulged': 989032, 'indulged in': 435508, 'buying canadian': 150088, 'canadian crowd': 160668, 'crowd marijuana': 219205, 'caremongering scarymask 19': 164545, 'scarymask 19 unlike': 741222, '19 unlike indian': 11642, 'unlike indian who': 942708, 'indian who indulged': 434908, 'who indulged in': 989033, 'indulged in panic': 435509, 'panic buying canadian': 637671, 'buying canadian crowd': 150089, 'canadian crowd marijuana': 160669, 'crowd marijuana store': 219206, 'marijuana store to': 515726, 'to reduce stress': 913041, 'reduce stress level': 705944, 'electricvehicle': 271240, 'uncertain by': 939569, 'the electricvehicle': 854183, 'electricvehicle industry': 271241, 'now uncertain by': 576245, 'uncertain by the': 939570, 'the the looming': 869388, 'what the effect': 982309, 'the effect is': 854065, 'effect is on': 269022, 'on the electricvehicle': 604089, 'the electricvehicle industry': 854184, 'heightening': 388833, 'collective responsibility': 186520, 'responsibility heightening': 715951, 'heightening our': 388834, 'our hygiene': 623497, 'measure significantly': 525334, 'significantly reduces': 769613, 'reduces risk': 706249, 'infection if': 436768, 'access sanitizer': 28187, 'water would': 969270, 'our hand with': 623355, 'water is our': 969043, 'is our collective': 450615, 'our collective responsibility': 622435, 'collective responsibility heightening': 186521, 'responsibility heightening our': 715952, 'heightening our hygiene': 388835, 'our hygiene measure': 623498, 'hygiene measure significantly': 412123, 'measure significantly reduces': 525335, 'significantly reduces risk': 769614, 'reduces risk of': 706250, 'of infection if': 585165, 'infection if you': 436769, 'you cannot access': 1017844, 'cannot access sanitizer': 161588, 'access sanitizer soap': 28188, 'and water would': 75267, 'water would do': 969271, '263chat': 16215, 'twimbos': 936564, '263chat picture': 16216, 'people engage': 647796, 'threat twimbos': 893745, 'twimbos zimbabwe': 936565, '263chat picture from': 16217, 'picture from local': 656122, 'local supermarket people': 498572, 'supermarket people engage': 821949, 'people engage in': 647797, '19 threat twimbos': 11377, 'threat twimbos zimbabwe': 893746, 'thejamesandkatahshow': 875283, 'guard suck': 367842, 'suck her': 816894, 'her thejamesandkatahshow': 392439, 'touching item so': 926690, 'item so the': 463649, 'so the security': 778438, 'security guard suck': 744625, 'guard suck her': 367843, 'suck her thejamesandkatahshow': 816895, 'officially off': 596013, 'however would': 409528, 'police still': 663218, 'coughing like': 208697, 'like trooper': 491670, 'trooper and': 932554, 'been dragged': 121035, 'dragged through': 258188, 'through hedge': 894498, 'hedge backwards': 388717, 'backwards would': 107620, 'would clear': 1011717, 'clear any': 181225, 'in won': 430959, 'am officially off': 50273, 'officially off self': 596014, 'off self isolating': 594136, 'self isolating from': 747725, 'isolating from tomorrow': 455103, 'from tomorrow if': 338097, 'tomorrow if went': 924099, 'if went out': 415338, 'went out however': 979086, 'out however would': 626345, 'however would be': 409529, 'would be met': 1011619, 'be met with': 115931, 'met with the': 529605, 'the police still': 863930, 'police still coughing': 663219, 'still coughing like': 800403, 'coughing like trooper': 208698, 'like trooper and': 491671, 'trooper and look': 932555, 'like have been': 490383, 'have been dragged': 379518, 'been dragged through': 121036, 'dragged through hedge': 258189, 'through hedge backwards': 894499, 'hedge backwards would': 388718, 'backwards would clear': 107621, 'would clear any': 1011718, 'clear any supermarket': 181226, 'any supermarket if': 79901, 'supermarket if went': 820839, 'if went in': 415337, 'went in won': 979042, 'in won be': 430960, 'won be going': 1003741, 'god ny': 354778, 'ny hospital': 577880, 'already overwhelmed': 47553, 'double venting': 256085, 'venting patient': 954657, 'patient patient': 644233, 'patient sharing': 644252, 'same ventilator': 733398, 'massive surge': 520136, 'my god ny': 548526, 'god ny hospital': 354779, 'ny hospital is': 577881, 'hospital is already': 404481, 'is already overwhelmed': 445529, 'already overwhelmed with': 47554, 'overwhelmed with patient': 631733, 'with patient and': 1000111, 'patient and is': 644133, 'and is double': 65401, 'is double venting': 447335, 'double venting patient': 256086, 'venting patient patient': 954658, 'patient patient sharing': 644234, 'patient sharing the': 644253, 'sharing the same': 755594, 'the same ventilator': 866317, 'same ventilator and': 733399, 'ventilator and this': 954533, 'beginning of massive': 123649, 'of massive surge': 586294, 'massive surge of': 520137, 'surge of patient': 828233, 'of patient please': 587821, 'patient please stayhome': 644239, 'omuntu': 598952, 'wawansi': 969414, 'your excellence': 1023701, 'excellence we': 289064, 'that happening': 844177, 'happening why': 377435, 'they increasing': 882459, 'of utility': 592726, 'utility yet': 951346, 'yet their': 1016262, 'very customer': 955095, 'help omuntu': 390181, 'omuntu wawansi': 598953, 'your excellence we': 1023702, 'excellence we need': 289065, 'help with these': 390933, 'with these retail': 1001654, 'these retail shop': 880599, 'shop with everything': 761058, 'everything that happening': 288026, 'that happening why': 844178, 'happening why are': 377436, 'are they increasing': 91008, 'they increasing the': 882460, 'price of utility': 675600, 'of utility yet': 592728, 'utility yet their': 951347, 'yet their very': 1016263, 'their very customer': 875124, 'very customer are': 955096, 'customer are the': 222131, '19 please kindly': 9722, 'please kindly help': 660163, 'kindly help omuntu': 475138, 'help omuntu wawansi': 390182, 'still inadequate': 800746, 'inadequate to': 431210, 'though demand': 892794, 'been artificially': 120690, 'artificially crushed': 94543, 'implication is': 418558, 'seeing any': 746230, 'any prospect': 79697, 'of experiencing': 583319, 'experiencing any': 291627, 'any do': 79133, 'supply is still': 825456, 'is still inadequate': 452289, 'still inadequate to': 800747, 'inadequate to meet': 431211, 'meet demand even': 527465, 'demand even though': 235305, 'even though demand': 284704, 'though demand ha': 892796, 'ha been artificially': 369723, 'been artificially crushed': 120691, 'artificially crushed by': 94544, 'crushed by the': 219800, 'and the measure': 73475, 'taken to control': 833095, 'control it the': 202045, 'it the implication': 461547, 'the implication is': 857969, 'implication is that': 418559, 'still not seeing': 800904, 'not seeing any': 571493, 'seeing any prospect': 746231, 'any prospect of': 79698, 'prospect of experiencing': 684690, 'of experiencing any': 583320, 'experiencing any do': 291628, 'lidluk': 488321, 'there alongside': 877964, 'alongside the': 47109, 'support staff': 826832, 'staff sure': 792911, 'service am': 752053, 'am indebted': 50146, 'you sainsburys': 1020980, 'asda lidluk': 94940, 'lidluk aldi': 488322, 'supermarket people you': 821958, 'you are up': 1017278, 'are up there': 91369, 'up there alongside': 946258, 'there alongside the': 877965, 'alongside the nh': 47110, 'the nh doctor': 861736, 'nh doctor nurse': 561940, 'nurse and support': 577206, 'and support staff': 72852, 'support staff sure': 826833, 'staff sure you': 792912, 'sure you didn': 827855, 'you didn sign': 1018212, 'for this so': 327066, 'your service am': 1025727, 'service am indebted': 752054, 'am indebted to': 50147, 'indebted to each': 433972, 'to each and': 904819, 'and every one': 62377, 'of you sainsburys': 593418, 'you sainsburys tesco': 1020981, 'sainsburys tesco morrison': 731800, 'morrison asda lidluk': 541705, 'asda lidluk aldi': 94941, 'hoax of': 399732, 'of indefinite': 585092, 'indefinite curfew': 434027, 'curfew and': 220858, 'in agra': 420106, 'agra have': 38584, 'local rushing': 498358, 'hoax of indefinite': 399734, 'of indefinite curfew': 585093, 'indefinite curfew and': 434028, 'curfew and shortage': 220859, 'food in agra': 314923, 'in agra have': 420107, 'agra have sent': 38585, 'sent the local': 750824, 'the local rushing': 859569, 'local rushing to': 498359, 'economy ministry': 268078, 'ministry is': 533533, 'taking legal': 833420, 'owner exploiting': 632449, 'the economy ministry': 853996, 'economy ministry is': 268079, 'ministry is taking': 533534, 'is taking legal': 452550, 'taking legal action': 833421, 'legal action against': 485834, 'action against business': 29928, 'against business owner': 37346, 'business owner exploiting': 144184, 'owner exploiting the': 632450, 'crisis to raise': 218252, 'to raise food': 912721, 'superstar brad': 824329, 'music superstar brad': 546344, 'superstar brad paisley': 824330, 'paisley free supermarket': 634382, 'andrew austin': 76177, 'austin executive': 103181, 'chairman the': 171353, 'left well': 485719, 'weak commodity': 973999, 'andrew austin executive': 76178, 'austin executive chairman': 103182, 'executive chairman the': 289867, 'chairman the success': 171354, 'success of last': 816209, 'year ha left': 1014601, 'ha left well': 371134, 'left well placed': 485720, 'placed to meet': 657918, 'meet the twin': 527616, 'twin challenge of': 936568, '19 and weak': 5134, 'and weak commodity': 75340, 'weak commodity price': 974000, 'shamble': 754571, 'doingthedragsteroncouncilofficecarpet': 252898, 'takeadumpinasdacarpark': 832840, 'allowing re': 46321, 'at inflate': 99297, 'uk shamble': 938705, 'shamble asda': 754572, 'asda toiletroll': 94995, 'toiletroll doingthedragsteroncouncilofficecarpet': 923362, 'doingthedragsteroncouncilofficecarpet boris': 252899, 'boris dotherightthing': 135455, 'dotherightthing takeadumpinasdacarpark': 255961, 'ebay allowing re': 266420, 'allowing re selling': 46322, 're selling of': 699479, 'selling of toilet': 749367, 'toilet roll from': 921572, 'roll from supermarket': 725312, 'supermarket at inflate': 819239, 'at inflate price': 99298, 'inflate price it': 436990, 'price it the': 674927, 'can buy now': 157834, 'buy now in': 149015, 'the uk shamble': 870279, 'uk shamble asda': 938706, 'shamble asda toiletroll': 754573, 'asda toiletroll doingthedragsteroncouncilofficecarpet': 94996, 'toiletroll doingthedragsteroncouncilofficecarpet boris': 923363, 'doingthedragsteroncouncilofficecarpet boris dotherightthing': 252900, 'boris dotherightthing takeadumpinasdacarpark': 135456, 'on washing': 605111, 'touching our': 926704, 'nose eye': 567887, 'face 19': 294275, '19 wearecput': 11965, 'keep on washing': 471711, 'on washing those': 605112, 'those hand with': 892047, 'with water and': 1002033, 'and soap or': 71868, 'soap or clean': 779070, 'or clean them': 614733, 'clean them with': 180660, 'with sanitizer that': 1000572, '60 alcohol before': 20885, 'alcohol before touching': 40944, 'before touching our': 123250, 'touching our mouth': 926705, 'our mouth nose': 623952, 'mouth nose eye': 543538, 'nose eye and': 567888, 'eye and face': 294001, 'and face 19': 62581, 'face 19 wearecput': 294276, '19 wearecput wearecputmedia': 11966, 'the ormeau': 862495, 'price pleasant': 675877, 'retailer scalping': 719306, 'scalping price': 739948, 'while open': 987109, 'out basis': 625762, 'prescription they': 670540, 'pharmacy on the': 654386, 'on the ormeau': 604267, 'the ormeau rd': 862496, 'reduced price pleasant': 706155, 'price pleasant surprise': 675878, 'of retailer scalping': 589065, 'retailer scalping price': 719307, 'scalping price in': 739949, 'day while open': 228749, 'while open on': 987110, 'open on one': 612410, 'on one in': 602511, 'one out basis': 606804, 'out basis for': 625763, 'basis for prescription': 112241, 'for prescription they': 324699, 'prescription they deserve': 670541, 'spca ha': 787668, 'reduced pet': 706139, '19 college': 5883, 'closure since': 184030, 'since wfh': 770988, 'now could': 574468, 'the spca ha': 867542, 'spca ha reduced': 787669, 'ha reduced pet': 371684, 'reduced pet adoption': 706140, 'covid 19 college': 212825, '19 college and': 5884, 'business closure since': 143545, 'closure since wfh': 184031, 'since wfh now': 770989, 'wfh now could': 980850, 'now could be': 574469, 'cobbler': 185166, 'ten supermarket': 837805, 'and express': 62550, 'including and': 431878, 'flour to': 311176, 'make cobbler': 509779, 'cobbler for': 185167, 'dinner nothing': 243080, 'anywhere who': 81170, 'buying flour': 150295, 'been to ten': 122228, 'to ten supermarket': 916374, 'ten supermarket and': 837806, 'supermarket and express': 818976, 'and express store': 62551, 'express store including': 293064, 'store including and': 808417, 'including and trying': 431881, 'of flour to': 583605, 'flour to make': 311177, 'to make cobbler': 909636, 'make cobbler for': 509780, 'cobbler for dinner': 185168, 'for dinner nothing': 320721, 'dinner nothing anywhere': 243081, 'nothing anywhere who': 572932, 'anywhere who panic': 81171, 'who panic buying': 989408, 'panic buying flour': 637732, 'of dept': 582546, 'fear costing': 301092, 'costing you': 208338, 'money report': 536997, 'report possible': 712180, '822 we': 22831, 'county of dept': 211450, 'of dept of': 582547, 'affair are fear': 34000, 'are fear costing': 86504, 'fear costing you': 301093, 'costing you money': 208339, 'you money report': 1019884, 'money report possible': 536998, 'report possible price': 712181, 'gouging to at': 359478, 'to at 800': 900800, '593 822 we': 20585, '822 we can': 22832, 'scam and understand': 740024, 'and understand your': 74638, 'understand your consumer': 940834, 'right if you': 721951, 'my general': 548485, 'general practitioner': 345436, 'practitioner told': 668804, 'same no': 733178, 'clothing let': 184266, 'alone test': 46918, 'my general practitioner': 548486, 'general practitioner told': 345437, 'practitioner told me': 668805, 'me the same': 523659, 'the same no': 866265, 'same no protective': 733179, 'no protective clothing': 565234, 'protective clothing let': 685719, 'clothing let alone': 184267, 'let alone test': 486585, 'alone test he': 46919, 'test he can': 839015, 'he can even': 384814, 'even get his': 284106, 'get his hand': 347231, 'his hand on': 397491, 'hand on sanitizer': 375142, 'civics': 179500, 'wa sharing': 963178, 'prove his': 686105, 'his credibility': 397329, 'credibility he': 216273, 'he commented': 384840, 'commented in': 188493, 'in civics': 421490, 'civics class': 179501, 'class so': 180260, 'store wa sharing': 811124, 'wa sharing his': 963179, 'sharing his insight': 755532, 'his insight on': 397540, 'insight on to': 439611, 'on to prove': 604755, 'to prove his': 912366, 'prove his credibility': 686106, 'his credibility he': 397330, 'credibility he commented': 216274, 'he commented in': 384841, 'commented in civics': 188494, 'in civics class': 421491, 'civics class so': 179502, 'class so know': 180261, 'so know what': 777521, 'know what talking': 476978, 'stock pm': 802692, 'enough food essential': 277393, 'food essential item': 314382, 'in stock pm': 428323, 'biproduct': 131313, 'notforever': 572888, 'surprising biproduct': 828624, 'biproduct of': 131314, 'socially awkward': 781041, 'awkward if': 106281, 'am smiling': 50399, 'you beneath': 1017454, 'beneath my': 126868, 'curb my': 220563, 'my natural': 549410, 'natural response': 552859, 'talk notforever': 833823, 'surprising biproduct of': 828625, 'biproduct of socialdistancing': 131315, 'socialdistancing is me': 780469, 'is me being': 449605, 'me being socially': 522509, 'being socially awkward': 125825, 'socially awkward if': 781042, 'awkward if see': 106282, 'see you at': 746101, 'supermarket please know': 822018, 'know that am': 476751, 'that am smiling': 842614, 'am smiling at': 50400, 'at you beneath': 101654, 'you beneath my': 1017455, 'beneath my mask': 126869, 'my mask that': 549210, 'mask that still': 519348, 'that still working': 846486, 'working out how': 1008848, 'how to curb': 409004, 'to curb my': 903801, 'curb my natural': 220564, 'my natural response': 549411, 'natural response to': 552860, 'response to be': 715830, 'you when we': 1022281, 'when we talk': 984469, 'we talk notforever': 973494, '19 latex': 8278, 'off get': 593863, 'we run': 973113, 'covid 19 latex': 213336, '19 latex glove': 8279, 'latex glove are': 481616, 'glove are 50': 352593, '50 off get': 19780, 'off get them': 593864, 'get them now': 348367, 'them now before': 876062, 'now before we': 574233, 'before we run': 123290, 'we run out': 973114, 'concern reply': 193076, 'about employment': 25168, 'employment during': 274592, 'be answered': 113635, 'answered on': 78181, 'coming up will': 188264, 'up will be': 946609, 'will be joining': 992522, 'joining live tomorrow': 466977, 'live tomorrow to': 496078, 'tomorrow to answer': 924212, 'answer your consumer': 78153, 'your consumer concern': 1023317, 'consumer concern reply': 196870, 'concern reply with': 193077, 'with your question': 1002226, 'question about employment': 693499, 'about employment during': 25169, 'employment during the': 274593, 'pandemic and they': 634911, 'may be answered': 520947, 'be answered on': 113636, 'answered on air': 78182, 'belgiumlockdown': 126195, 'pick his': 655653, 'trolley again': 932355, 'be joking': 115577, 'joking right': 467194, 'right belgiumlockdown': 721814, 'see that one': 745792, 'that one guy': 845495, 'one guy in': 606380, 'supermarket pick his': 821988, 'pick his nose': 655654, 'his nose and': 397647, 'nose and touch': 567873, 'and touch the': 74301, 'touch the trolley': 926554, 'the trolley again': 870004, 'trolley again you': 932356, 'to be joking': 901349, 'be joking right': 115578, 'joking right belgiumlockdown': 467195, 'we cancelstudentdebt': 971044, 'cancelstudentdebt it': 161238, 'facing labor': 295520, 'labor shock': 478435, 'shock free': 759451, 'if we cancelstudentdebt': 415270, 'we cancelstudentdebt it': 971045, 'cancelstudentdebt it would': 161239, 'people facing labor': 647861, 'facing labor shock': 295521, 'labor shock free': 478436, 'shock free up': 759452, 'hungavirus': 411064, 'really dealing': 702101, 'get get': 347134, 'strong pls': 814085, 'pls need': 661157, 'just stock': 469900, 'food b4': 313495, 'b4 get': 106508, 'get hungavirus': 347271, 'hungavirus which': 411065, 'this stay at': 890309, 'home is really': 401456, 'is really dealing': 451295, 'really dealing with': 702102, 'dealing with me': 229676, 'with me no': 999446, 'me no money': 523218, 'to get get': 906492, 'get get food': 347135, 'food and at': 313179, 'critical time food': 218698, 'time food is': 896681, 'food is needed': 315137, 'is needed to': 449867, 'needed to stay': 556549, 'stay strong pls': 797335, 'strong pls need': 814086, 'pls need the': 661158, 'money to just': 537108, 'to just stock': 908730, 'just stock up': 469901, 'with food b4': 998479, 'food b4 get': 313496, 'b4 get hungavirus': 106509, 'get hungavirus which': 347272, 'hungavirus which is': 411066, 'panicbuyersuk': 638888, 'headline august': 385987, 'august 2020': 102984, '2020 supermarket': 14622, 'listening panicbuyinguk': 494798, 'panicbuying panicbuyersuk': 639012, 'headline august 2020': 385988, 'august 2020 supermarket': 102985, '2020 supermarket shopper': 14624, 'supermarket shopper urged': 822623, 'urged to not': 948291, 'buy people are': 149084, 'not listening panicbuyinguk': 570433, 'listening panicbuyinguk panicbuying': 494799, 'panicbuyinguk panicbuying panicbuyersuk': 639146, 'littleproudmp writing': 495681, 'writing in': 1012907, 'in appreciate': 420456, 'appreciate people': 82745, 'disease by': 245098, 'littleproudmp writing in': 495682, 'writing in appreciate': 1012908, 'in appreciate people': 420457, 'appreciate people are': 82746, 'danger of catching': 225676, 'the disease by': 853358, 'disease by their': 245099, 'by their action': 154491, 'ever are of': 285202, 'are of running': 88645, '303k': 17385, 'update gas': 946993, 'year italy': 1014684, 'toll surge': 923883, 'surge world': 828284, 'top 303k': 925531, '303k case': 17386, 'coronavirus update gas': 206993, 'update gas price': 946994, 'price at lowest': 672803, 'at lowest in': 99642, 'in year italy': 431026, 'year italy death': 1014685, 'italy death toll': 462807, 'death toll surge': 230255, 'toll surge world': 923884, 'surge world top': 828285, 'world top 303k': 1010103, 'top 303k case': 925532, 'doing crook': 252340, 'crook fbi': 218868, 'fbi scamwarning': 300706, 'scamwarning sk': 740688, 'is doing crook': 447266, 'doing crook fbi': 252341, 'crook fbi scamwarning': 218869, 'fbi scamwarning sk': 300707, 're in hyderabad': 698869, 'continue shopping from': 201129, 'shopping from their': 762763, 'their online portal': 874103, 'swab or': 829908, 'product swept': 681675, 'nation demand': 552155, 'everything seen': 287985, 'seen disinfectant': 746996, 'disinfectant against': 245601, 'and average': 58551, 'consumer alike': 196168, 'alcohol and alcohol': 40902, 'and alcohol swab': 57832, 'alcohol swab or': 41125, 'swab or wipe': 829909, 'or wipe are': 617817, 'wipe are the': 996199, 'the latest product': 859139, 'latest product swept': 481514, 'product swept up': 681676, 'swept up by': 830310, 'by the nation': 154382, 'the nation demand': 861225, 'nation demand for': 552156, 'demand for anything': 235379, 'and everything seen': 62426, 'everything seen disinfectant': 287986, 'seen disinfectant against': 746997, 'disinfectant against the': 245602, 'novel coronavirus by': 573754, 'coronavirus by hospital': 205593, 'by hospital and': 152832, 'hospital and average': 404277, 'and average consumer': 58552, 'average consumer alike': 104818, 'report use': 712407, 'hand genius': 374984, 'genius 19': 345765, 'then alcohol': 876979, 'alcohol should': 41104, 'should kill': 766173, 'germ in': 346124, 'throat and': 894231, 'great invention': 362773, 'invention to': 443635, 'report use alcohol': 712408, 'based sanitizer to': 111741, 'kill germ on': 474404, 'your hand genius': 1024192, 'hand genius 19': 374985, 'genius 19 if': 345766, '19 if alcohol': 7656, 'can kill germ': 158822, 'germ on hand': 346137, 'on hand then': 601237, 'hand then alcohol': 375829, 'then alcohol should': 876980, 'alcohol should kill': 41105, 'should kill the': 766174, 'kill the germ': 474517, 'the germ in': 856227, 'germ in the': 346125, 'the throat and': 869525, 'throat and this': 894233, 'how the great': 408830, 'the great invention': 856723, 'great invention to': 362774, 'invention to cure': 443636, 'to cure the': 903818, 'cure the 19': 220820, 'the 19 came': 847909, '19 came about': 5596, 'carsalesman': 165232, 'made killer': 507812, 'killer meme': 474636, 'meme today': 528365, 'today carsalesman': 919364, 'carsalesman hoarder': 165233, 'made killer meme': 507813, 'killer meme today': 474637, 'meme today carsalesman': 528366, 'today carsalesman hoarder': 919365, 'carsalesman hoarder toiletpaper': 165234, 'supermarket increasing': 821021, 'from tragic': 338126, 'tragic impact': 929196, 'that lost': 844951, 'without how': 1002725, 'safe wit': 730147, 'you doing about': 1018292, 'doing about supermarket': 252261, 'about supermarket increasing': 26285, 'supermarket increasing price': 821022, 'increasing price to': 433683, 'money from tragic': 536774, 'from tragic impact': 338128, 'tragic impact of': 929197, '19 supermarket chain': 10949, 'chain are hiking': 170502, 'hiking price meaning': 396401, 'price meaning people': 675216, 'meaning people that': 524829, 'people that lost': 649771, 'that lost income': 844952, 'lost income are': 503871, 'income are forced': 432290, 'to go without': 906887, 'go without how': 354516, 'without how can': 1002726, 'can they stay': 159980, 'they stay safe': 883452, 'stay safe wit': 797299, 'of witnessed': 593218, 'witnessed live': 1003154, 'crowded every': 219312, 'mean every': 524412, 'too strong': 925093, 'fear of witnessed': 301264, 'of witnessed live': 593219, 'witnessed live today': 1003155, 'live today went': 496075, 'shopping and even': 761981, 'though the store': 892914, 'store wa crowded': 811108, 'wa crowded every': 961904, 'crowded every single': 219313, 'single person and': 771374, 'person and mean': 652307, 'and mean every': 66844, 'mean every single': 524413, 'person wa trying': 652692, 'trying to maintain': 934826, 'to maintain social': 909593, 'distancing the fear': 247534, 'the fear is': 855035, 'fear is too': 301176, 'is too strong': 453288, 'protectallworkers': 685109, 'made 3d': 507615, 'airborne particle': 39850, 'talk getmeppe': 833798, 'getmeppe protectallworkers': 348795, 'finland have made': 307960, 'have made 3d': 381405, 'made 3d model': 507616, 'showing how is': 767459, 'how is transported': 408117, 'small airborne particle': 774777, 'airborne particle when': 39851, 'or talk getmeppe': 617335, 'talk getmeppe protectallworkers': 833799, 'consumer responding': 198780, 'are consumer responding': 85528, 'consumer responding to': 198781, 'lookafter': 502693, 'ok sir': 597879, 'front fighter': 338539, 'fighter of': 305011, 'nation also': 552113, 'to lookafter': 909444, 'lookafter agriculture': 502694, 'allow food': 45960, 'demand situation': 236227, 'situation pl': 772442, 'pl plan': 657275, 'too once': 924982, 'again thank': 37199, 'ok sir thanks': 597880, 'thanks for and': 842048, 'and the front': 73388, 'the front fighter': 855844, 'front fighter of': 338540, 'fighter of our': 305012, 'our nation also': 623975, 'nation also we': 552114, 'also we have': 49087, 'have to lookafter': 383245, 'to lookafter agriculture': 909445, 'lookafter agriculture production': 502695, 'agriculture production we': 39020, 'production we should': 682278, 'we should allow': 973254, 'should allow food': 765496, 'allow food demand': 45961, 'food demand situation': 314176, 'demand situation pl': 236228, 'situation pl plan': 772443, 'pl plan that': 657276, 'plan that too': 658244, 'that too once': 847100, 'too once again': 924983, 'once again thank': 605577, 'again thank for': 37200, 'thank for your': 841572, 'your action against': 1022740, 'action against covid': 29929, 'with brilliant': 997480, 'brilliant pricing': 139881, 'stop hand': 804702, 'but genius': 145786, 'denmark come up': 237009, 'up with brilliant': 946618, 'with brilliant pricing': 997481, 'brilliant pricing trick': 139882, 'to stop hand': 915531, 'stop hand sanitizer': 804703, 'sanitizer hoarding via': 735090, 'hoarding via no': 399640, 'via no idea': 956113, 'idea if it': 413083, 'it true but': 461864, 'true but genius': 933039, 'month my': 537873, 'risen 25': 723085, '25 just': 15896, 'another little': 77700, 'little thing': 495611, 'hurt billionaire': 411547, 'billionaire but': 130951, 'truly hurt': 933318, 'is here my': 448426, 'here my friend': 393361, 'friend in month': 333651, 'in month my': 425420, 'month my grocery': 537874, 'my grocery price': 548578, 'grocery price have': 364871, 'have risen 25': 382330, 'risen 25 just': 723086, '25 just another': 15897, 'just another little': 468203, 'another little thing': 77701, 'little thing that': 495613, 'thing that doesn': 884799, 'that doesn hurt': 843585, 'doesn hurt billionaire': 251843, 'hurt billionaire but': 411548, 'billionaire but can': 130952, 'but can truly': 145365, 'can truly hurt': 160048, 'truly hurt everyone': 933319, 'hurt everyone else': 411568, 'state resume': 795903, 'resume some': 717748, 'state resume some': 795904, 'resume some online': 717749, 'and spirit via': 72116, 'fissure': 309439, 'need teacher': 555706, 'collector gas': 186566, 'attendant oregon': 102359, 'oregon only': 619154, 'more all': 538592, 'our crack': 622623, 'and fissure': 62941, 'fissure are': 309440, 'are evident': 86293, 'evident we': 288421, 'job paying': 466081, 'paying and': 645384, 'worker supportlocalbusiness': 1007867, 'we need teacher': 972553, 'need teacher nurse': 555707, 'teacher nurse grocery': 835490, 'garbage collector gas': 343521, 'collector gas pump': 186567, 'pump attendant oregon': 689031, 'attendant oregon only': 102360, 'oregon only local': 619155, 'only local business': 610738, 'business and more': 143321, 'and more all': 67141, 'more all our': 538593, 'all our crack': 43800, 'our crack and': 622624, 'crack and fissure': 214692, 'and fissure are': 62942, 'fissure are evident': 309441, 'are evident we': 86294, 'evident we need': 288422, 'better job paying': 128347, 'job paying and': 466082, 'paying and supporting': 645385, 'and supporting our': 72865, 'supporting our essential': 827170, 'essential worker supportlocalbusiness': 281854, 'dishrag': 245524, 'wheresdora': 985448, 'mykarenislestory': 550741, 'of humble': 584890, 'humble dishrag': 410814, 'dishrag grocery': 245525, 'store realized': 809754, 'realized standing': 701906, 'hair gel': 373986, 'gel isle': 345131, 'isle am': 454341, 'am hot': 50129, 'hot and': 404988, 'december stopped': 230756, 'stopped using': 805773, 'using deodorant': 950453, 'deodorant around': 237169, 'time coincidence': 896491, 'coincidence wheresdora': 185672, 'wheresdora mykarenislestory': 985449, 'from the house': 337748, 'house of humble': 406425, 'of humble dishrag': 584891, 'humble dishrag grocery': 410815, 'dishrag grocery store': 245526, 'grocery store realized': 365705, 'store realized standing': 809755, 'realized standing in': 701907, 'in the hair': 429251, 'the hair gel': 857040, 'hair gel isle': 373987, 'gel isle am': 345132, 'isle am hot': 454342, 'am hot and': 50130, 'hot and the': 404989, 'and the whole': 73654, 'the whole pandemic': 871501, 'whole pandemic started': 990295, 'pandemic started in': 636533, 'started in december': 794761, 'in december stopped': 422062, 'december stopped using': 230757, 'stopped using deodorant': 805774, 'using deodorant around': 950454, 'deodorant around that': 237170, 'around that time': 93518, 'that time coincidence': 847041, 'time coincidence wheresdora': 896492, 'coincidence wheresdora mykarenislestory': 185673, 'over70': 630980, 'selfisolat': 748399, '70 from': 21770, 'you messaged': 1019843, 'messaged my': 529497, 'parent saying': 641715, 'saying dont': 739586, 'dont qualify': 255277, 'qualify they': 691735, 'in 80': 419965, '80 type': 22643, 'and heart': 64415, 'heart failure': 388289, 'failure they': 296294, 'week nofood': 976572, 'nofood over70': 566171, 'over70 selfisolat': 630981, 'you say delivery': 1020997, 'say delivery slot': 738556, 'slot for over': 774187, 'over 70 from': 629909, '70 from today': 21771, 'from today but': 338074, 'today but you': 919342, 'but you messaged': 147992, 'you messaged my': 1019844, 'messaged my parent': 529498, 'my parent saying': 549696, 'parent saying dont': 641716, 'saying dont qualify': 739587, 'dont qualify they': 255278, 'qualify they are': 691736, 'are in 80': 87351, 'in 80 type': 419966, '80 type diabetes': 22644, 'type diabetes and': 937519, 'diabetes and heart': 240166, 'and heart failure': 64416, 'heart failure they': 388290, 'failure they cannot': 296295, 'out and have': 625666, 'and have had': 64247, 'no food this': 564278, 'this week nofood': 891238, 'week nofood over70': 976573, 'nofood over70 selfisolat': 566172, 'rudd': 727024, 'milkpowder': 531943, 'rudd do': 727025, 'just milkpowder': 469274, 'milkpowder chinavirus': 531944, 'chinavirus 2gb': 177138, '2gb mp': 16607, 'rudd do you': 727026, 'do you sell': 250677, 'sell toiletpaper or': 748928, 'toiletpaper or just': 922282, 'or just milkpowder': 615887, 'just milkpowder chinavirus': 469275, 'milkpowder chinavirus 2gb': 531945, 'chinavirus 2gb mp': 177139, 'amidst all': 52773, 'ridiculous food': 721540, 'panic behave': 637403, 'behave folk': 123774, 'folk frustration': 312157, 'frustration at': 339267, 'at leader': 99428, 'leader anxiety': 483419, 'anxiety our': 78769, 'vulnerable pressure': 961138, 'pressure faced': 671153, 'faced by': 295014, 'need sometimes': 555613, 'it light': 459345, 'light 19': 489509, 'amidst all the': 52774, 'all the ridiculous': 44890, 'the ridiculous food': 865797, 'ridiculous food hoarding': 721541, 'food hoarding panic': 314829, 'hoarding panic behave': 399471, 'panic behave folk': 637404, 'behave folk frustration': 123775, 'folk frustration at': 312158, 'frustration at leader': 339268, 'at leader anxiety': 99429, 'leader anxiety our': 483420, 'anxiety our vulnerable': 78770, 'our vulnerable pressure': 625293, 'vulnerable pressure faced': 961139, 'pressure faced by': 671154, 'faced by those': 295016, 'work in area': 1005295, 'in area of': 420489, 'area of need': 92138, 'of need sometimes': 586915, 'need sometimes good': 555614, 'sometimes good to': 785210, 'good to keep': 357887, 'keep it light': 471614, 'it light 19': 459346, 'fall 24': 296796, 'wti price fall': 1013404, 'price fall 24': 673771, 'fall 24 or': 296797, 'item american': 463041, 'buy amid': 148305, 'ha jeopardized': 371029, 'jeopardized the': 465125, 'food homeless': 314835, 'in depend': 422193, 'depend upon': 237328, 'competition for basic': 191698, 'for basic grocery': 319586, 'basic grocery item': 111916, 'grocery item american': 364649, 'item american panic': 463042, 'panic buy amid': 637465, 'buy amid the': 148306, 'pandemic ha jeopardized': 635552, 'ha jeopardized the': 371030, 'jeopardized the supply': 465126, 'of food homeless': 583709, 'food homeless shelter': 314836, 'homeless shelter in': 402787, 'shelter in depend': 757930, 'in depend upon': 422194, 'kantar report': 470837, 'report diagnosis': 711900, 'diagnosis consumer': 240252, '19 prognosis': 9845, 'prognosis health': 683187, 'maybe be': 521646, 'be sick': 117180, 'term prognosis': 838247, 'many brand': 513833, 'uncertain if': 939594, 'kantar report diagnosis': 470838, 'report diagnosis consumer': 711901, 'diagnosis consumer response': 240253, 'covid 19 prognosis': 213619, '19 prognosis health': 9846, 'prognosis health of': 683188, 'health of brand': 386681, 'of brand that': 580829, 'brand that don': 138033, 'that don the': 843601, 'don the world': 253961, 'world maybe be': 1009795, 'maybe be sick': 521647, 'be sick but': 117181, 'sick but the': 768399, 'but the long': 147354, 'long term prognosis': 501705, 'term prognosis for': 838248, 'prognosis for many': 683186, 'for many brand': 323210, 'many brand will': 513834, 'will be uncertain': 992743, 'be uncertain if': 117846, 'uncertain if they': 939595, 'employee stress': 274250, 'circumstance and': 178706, 'he offered': 385270, 'go shopping this': 354133, 'please be very': 659716, 'be very kind': 117978, 'very kind to': 955290, 'went could feel': 978979, 'could feel the': 209175, 'feel the employee': 302882, 'the employee stress': 854267, 'employee stress about': 274251, 'stress about working': 813290, 'these circumstance and': 879758, 'circumstance and he': 178707, 'and he offered': 64322, 'he offered word': 385271, 'lower because': 505803, 'prospect still': 684695, 'still look': 800808, 'look great': 502397, 'great machinelearning': 362818, 'share price might': 755176, 'might be lower': 530912, 'be lower because': 115845, 'lower because of': 505804, 'outbreak but their': 628068, 'but their long': 147434, 'their long term': 873884, 'term prospect still': 838251, 'prospect still look': 684696, 'still look great': 800809, 'look great machinelearning': 502398, 'complete calamity': 192070, 'calamity causing': 155283, 'causing chaotic': 168007, 'chaotic change': 173091, '19 is complete': 7947, 'is complete calamity': 446692, 'complete calamity causing': 192071, 'calamity causing chaotic': 155284, 'causing chaotic change': 168008, 'chaotic change to': 173092, 'spending in all': 788854, 'cumming': 220328, 'death grocery': 230058, 'owner died': 632441, 'from cumming': 335065, 'cumming to': 220329, 'death when': 230273, 'saw his': 738134, 'his monthly': 397618, 'sale report': 732490, 'another 19 related': 77473, '19 related death': 10047, 'related death grocery': 708411, 'death grocery store': 230059, 'store owner died': 809428, 'owner died from': 632442, 'died from cumming': 241553, 'from cumming to': 335066, 'cumming to death': 220330, 'to death when': 903987, 'death when he': 230274, 'he saw his': 385388, 'saw his monthly': 738135, 'his monthly sale': 397619, 'monthly sale report': 538199, 'sale report for': 732491, 'report for march': 711954, '130 people': 3300, 'in nt': 425992, 'nt remote': 576733, 'community face': 189841, '130 people in': 3301, 'people in nt': 648406, 'in nt remote': 425993, 'nt remote community': 576734, 'remote community face': 710702, 'community face food': 189842, 'food shortage via': 316615, 'tink': 898596, 'job former': 465829, 'former chef': 329621, 'chef nathan': 175269, 'nathan tink': 552086, 'tink wa': 898597, 'of aussie': 580447, 'aussie to': 103140, 'already landed': 47498, 'landed new': 479313, 'what shaping': 982156, 'be pandemic': 116347, 'proof industry': 683995, 'industry full': 435840, 'job former chef': 465830, 'former chef nathan': 329622, 'chef nathan tink': 175270, 'nathan tink wa': 552087, 'tink wa one': 898598, 'one of thousand': 606769, 'thousand of aussie': 893424, 'of aussie to': 580448, 'aussie to lose': 103141, 'but he already': 145898, 'he already landed': 384725, 'already landed new': 47499, 'landed new role': 479314, 'new role in': 559512, 'role in what': 725104, 'in what shaping': 430833, 'what shaping up': 982157, 'to be pandemic': 901433, 'be pandemic proof': 116348, 'pandemic proof industry': 636248, 'proof industry full': 683996, 'industry full story': 435841, 'conversation keep': 202471, '19 sport': 10736, 'sport religion': 789972, 'religion getting': 709557, 'haircut buying': 374030, 'restaurant all': 716260, 'all stifled': 44459, 'stifled by': 800133, 'matter what you': 520656, 'what you talk': 982693, 'you talk about': 1021528, 'about the conversation': 26359, 'the conversation keep': 851708, 'conversation keep coming': 202472, 'back to covid': 107360, 'covid 19 sport': 213846, '19 sport religion': 10737, 'sport religion getting': 789973, 'religion getting haircut': 709558, 'getting haircut buying': 349015, 'haircut buying pasta': 374031, 'buying pasta at': 150888, 'pasta at the': 643693, 'the supermarket restaurant': 868775, 'supermarket restaurant all': 822214, 'restaurant all stifled': 716261, 'all stifled by': 44460, 'stifled by the': 800134, 'the shutdown and': 867130, 'shutdown and panic': 767991, 'done for doing': 254838, 'employee business pay': 273688, 'business pay attention': 144204, 'gearsoftheworld': 345029, 'today highlight': 919655, 'highlight cleaner': 395903, 'cleaner postoffice': 180822, 'postoffice worker': 666752, 'worker vendor': 1008098, 'vendor grocery': 954370, 'worker laundromat': 1007297, 'laundromat bus': 482090, 'sanitation etc': 733842, 'exposed working': 292916, 'when socialdistancing': 984045, 'be liveable': 115778, 'liveable gearsoftheworld': 496135, 'but today highlight': 147601, 'today highlight cleaner': 919656, 'highlight cleaner postoffice': 395904, 'cleaner postoffice worker': 180823, 'postoffice worker vendor': 666753, 'worker vendor grocery': 1008099, 'vendor grocery liquor': 954371, 'liquor store worker': 494220, 'store worker laundromat': 811536, 'worker laundromat bus': 1007298, 'laundromat bus train': 482091, 'bus train driver': 143105, 'train driver sanitation': 929248, 'driver sanitation etc': 259734, 'sanitation etc who': 733843, 'are exposed working': 86374, 'exposed working so': 292917, 'working so that': 1008915, 'that when socialdistancing': 847493, 'when socialdistancing is': 984046, 'socialdistancing is done': 780463, 'done the world': 255046, 'world will still': 1010193, 'still be liveable': 800258, 'be liveable gearsoftheworld': 115779, 'conversational': 202513, 'by week': 154713, 'week conversational': 976105, 'conversational topic': 202514, 'more socialmedia': 540427, 'here the week': 393672, 'the week by': 871297, 'week by week': 976055, 'by week conversational': 154714, 'week conversational topic': 976106, 'conversational topic related': 202515, 'to coronavirus learn': 903557, 'coronavirus learn more': 206219, 'learn more socialmedia': 484039, 'more socialmedia branding': 540428, 'finhealth': 307838, 'can your': 160342, 'business address': 143233, 'the finhealth': 855247, 'finhealth impact': 307839, 'find data': 306870, 'and example': 62450, 'how can your': 407530, 'can your business': 160343, 'your business address': 1023046, 'business address the': 143234, 'address the finhealth': 32035, 'the finhealth impact': 855248, 'finhealth impact of': 307840, 'impact of find': 417773, 'of find data': 583539, 'find data strategy': 306871, 'data strategy and': 226432, 'strategy and example': 812609, 'and example of': 62452, 'of how organization': 584833, 'how organization are': 408447, 'organization are meeting': 619344, 'meeting consumer need': 527686, 'consumer need in': 198191, 'need in our': 555049, 'new resource hub': 559472, 'varanasi': 952515, 'sir every': 771561, 'every food': 285902, 'in varanasi': 430533, 'varanasi is': 952516, 'sold approximately': 781622, 'approximately 40': 83241, '40 above': 18521, 'above their': 27110, 'their printed': 874444, 'printed retail': 678316, 'outbreak an': 627979, 'stopped from': 805706, 'this dirty': 887243, 'dirty job': 243756, 'sir every food': 771562, 'every food and': 285903, 'and medical item': 66877, 'medical item in': 526232, 'item in varanasi': 463362, 'in varanasi is': 430534, 'varanasi is sold': 952517, 'is sold approximately': 452067, 'sold approximately 40': 781623, 'approximately 40 above': 83242, '40 above their': 18522, 'above their printed': 27111, 'their printed retail': 874445, 'printed retail price': 678317, 'retail price the': 718417, 'price the retail': 676858, 'retail shop owner': 718553, 'shop owner are': 760640, 'owner are looking': 632388, 'are looking the': 87887, 'looking the covid': 503014, '19 outbreak an': 9081, 'outbreak an opportunity': 627980, 'an opportunity they': 56675, 'opportunity they must': 613690, 'be stopped from': 117381, 'stopped from this': 805707, 'from this dirty': 337993, 'this dirty job': 887244, 'dirty job please': 243757, 'notessential': 572886, 'arent supposed': 92628, 'to argo': 900699, 'argo exclusively': 92661, 'exclusively and': 289708, 'only supposed': 611229, 'argo part': 92667, 'argo notessential': 92663, 'online no because': 608580, 'no because people': 563681, 'because people arent': 119469, 'people arent supposed': 647134, 'arent supposed to': 92629, 'going to argo': 355524, 'to argo exclusively': 900700, 'argo exclusively and': 92662, 'exclusively and are': 289709, 'and are only': 58338, 'are only supposed': 88775, 'only supposed to': 611230, 'to argo part': 900702, 'argo part of': 92668, 'for food which': 321652, 'food which the': 317590, 'which the police': 986376, 'police are now': 662919, 'starting to check': 795015, 'are only going': 88769, 'to argo notessential': 900701, 'syracuse': 831030, 'upstate medical': 947873, 'medical university': 526490, 'university thinking': 942467, 'thinking outside': 885982, 'box sanitizer': 137154, 'sanitizer hero': 735083, 'hero ppe': 394071, 'ppe what': 668107, 'the syracuse': 869081, 'syracuse crunch': 831031, 'crunch sanitizing': 219751, 'sanitizing machine': 736484, 'upstate medical university': 947874, 'medical university thinking': 526491, 'university thinking outside': 942468, 'thinking outside the': 885983, 'the box sanitizer': 849922, 'box sanitizer hero': 137155, 'sanitizer hero ppe': 735084, 'hero ppe what': 394072, 'ppe what you': 668108, 'about the syracuse': 26535, 'the syracuse crunch': 869082, 'syracuse crunch sanitizing': 831032, 'crunch sanitizing machine': 219752, 'sanitizing machine and': 736485, 'machine and the': 507360, 'and the fight': 73375, 'first lot': 308775, 'sweet and': 830219, 'craft delivery': 214769, 'delivery ready': 234386, 'ready our': 700914, 'our party': 624289, 'party in': 643001, '10 elite': 1413, 'the first lot': 855326, 'first lot of': 308776, 'lot of sweet': 504296, 'of sweet and': 590556, 'sweet and craft': 830221, 'and craft delivery': 60681, 'craft delivery ready': 214770, 'delivery ready our': 234387, 'ready our party': 700915, 'our party in': 624290, 'party in box': 643002, 'in box can': 420938, 'box can be': 137031, 'can be for': 157623, 'be for just': 114911, 'for just one': 322795, 'just one child': 469374, 'one child and': 606063, 'child and price': 175998, 'and price start': 69478, 'start from just': 794303, 'from just 10': 336162, 'just 10 elite': 468095, 'month digital': 537674, 'digital issue': 242585, 'of champion': 581265, 'champion woman': 171683, 'front lining': 338628, 'lining the': 493755, 'right behind': 721810, 'nh our': 562034, 'supermarket advisor': 818792, 'advisor tfl': 33743, 'tfl staff': 840019, 'all shot': 44333, 'shot on': 765434, 'zoom facetime': 1027801, 'facetime for': 295217, 'special issue': 787974, 'cover of this': 212270, 'this month digital': 888903, 'month digital issue': 537675, 'digital issue of': 242586, 'issue of champion': 455855, 'of champion woman': 581266, 'champion woman who': 171684, 'who are front': 988145, 'are front lining': 86698, 'front lining the': 338629, 'lining the fight': 493756, '19 right behind': 10232, 'right behind the': 721813, 'behind the nh': 124721, 'the nh our': 861753, 'nh our supermarket': 562035, 'our supermarket advisor': 625006, 'supermarket advisor tfl': 818793, 'advisor tfl staff': 33744, 'tfl staff delivery': 840020, 'on all shot': 599248, 'all shot on': 44334, 'shot on zoom': 765435, 'on zoom facetime': 605535, 'zoom facetime for': 1027802, 'facetime for this': 295218, 'for this special': 327067, 'this special issue': 890277, 'toguether': 921102, 'your always': 1022772, 'my sweet': 550296, 'sweet friend': 830231, 'spreading lot': 791000, 'spain we': 787361, 'pharmacy toguether': 654526, 'toguether we': 921103, 'for your always': 328116, 'your always support': 1022773, 'always support my': 49760, 'support my sweet': 826659, 'my sweet friend': 550297, 'sweet friend the': 830232, 'friend the covid': 333830, 'is spreading lot': 452195, 'spreading lot in': 791001, 'lot in spain': 504066, 'in spain we': 428184, 'spain we have': 787362, 'very careful and': 955040, 'careful and we': 164382, 'leave home just': 484821, 'home just to': 401485, 'just to go': 470093, 'or pharmacy toguether': 616588, 'pharmacy toguether we': 654527, 'toguether we will': 921104, 'hungry got': 411252, 'got mouth': 358717, 'available click': 104295, 'slot maybe': 774237, 'starve instead': 795203, 'instead stoppanicbuying': 440364, 'stophoarding hungry': 805418, 're hungry got': 698846, 'hungry got mouth': 411253, 'got mouth to': 358718, 'and no available': 67601, 'no available click': 563647, 'available click and': 104296, 'delivery slot maybe': 234533, 'slot maybe should': 774238, 'just starve instead': 469879, 'starve instead stoppanicbuying': 795204, 'instead stoppanicbuying stophoarding': 440365, 'stoppanicbuying stophoarding hungry': 805636, 'everything let': 287902, 'let look': 486878, 'another folk': 77618, 'of everything let': 583275, 'everything let look': 287903, 'let look out': 486880, 'one another folk': 605916, 'another folk and': 77619, 'folk and we': 312085, '50inch': 20156, 'suprise': 827447, 'year shopper': 1014951, 'shopper ram': 761656, 'ram raid': 696321, 'raid store': 695609, 'buy 50inch': 148265, '50inch tv': 20157, 'any suprise': 79928, 'suprise they': 827448, 're stripping': 699622, 'every year shopper': 286382, 'year shopper ram': 1014952, 'shopper ram raid': 761657, 'ram raid store': 696322, 'raid store to': 695610, 'to buy 50inch': 902171, 'buy 50inch tv': 148266, '50inch tv is': 20158, 'tv is it': 936128, 'it any suprise': 456542, 'any suprise they': 79929, 'suprise they re': 827449, 'they re stripping': 883135, 're stripping the': 699623, 'pantry experiencing': 639573, 'experiencing perfect': 291690, 'with oregon': 999941, 'food pantry experiencing': 315775, 'pantry experiencing perfect': 639574, 'experiencing perfect storm': 291691, 'storm with oregon': 811866, '760': 22250, 'pricegouger': 677765, 'howdoyousleepatnight': 409322, 'disgusting ve': 245477, 've reported': 953501, 'this seller': 890024, 'to 760': 899835, '760 for': 22251, 'allowed toiletpaper': 46257, 'toiletpaper pricegouger': 922355, 'pricegouger howdoyousleepatnight': 677766, 'absolutely disgusting ve': 27345, 'disgusting ve reported': 245478, 've reported this': 953502, 'reported this seller': 712553, 'this seller and': 890025, 'seller and listing': 748966, 'and listing to': 66230, 'listing to 760': 494889, 'to 760 for': 899836, '760 for 72': 22252, 'for 72 roll': 318912, 'paper how is': 640297, 'is this allowed': 453071, 'this allowed toiletpaper': 886280, 'allowed toiletpaper pricegouger': 46258, 'toiletpaper pricegouger howdoyousleepatnight': 922356, 'dont touch': 255303, 'dont touch my': 255304, 'touch my toiletpaper': 926513, 'while almost': 986586, 'every avenue': 285682, 'while almost every': 986587, 'almost every avenue': 46617, 'every avenue of': 285683, 'avenue of our': 104784, 'our society ha': 624825, 'society ha changed': 781230, 'ha changed amid': 370116, '19 pandemic farmer': 9325, 'pandemic farmer are': 635426, 'still working diligently': 801434, 'diligently to provide': 242882, 'food to their': 317299, 'restockers': 716976, 'store restockers': 809854, 'restockers the': 716977, 'grocery store restockers': 365720, 'store restockers the': 809855, 'restockers the unsung': 716978, 'imask': 416870, 'under please': 940194, 'food imask': 314904, 'imask launching': 416871, 'launching soon': 482072, 'now under please': 576251, 'under please make': 940195, 'hand and stock': 374779, 'on food imask': 600872, 'food imask launching': 314905, 'imask launching soon': 416872, 'this announcement': 886366, 'the scammer do': 866426, 'scammer do not': 740564, 'not take off': 571904, 'take off during': 832392, 'off during pandemic': 593788, 'during pandemic please': 262886, 'pandemic please see': 636197, 'see this announcement': 745941, 'this announcement from': 886368, 'ftc about coronavirus': 339369, 'scam and how': 740002, 'to identify them': 908089, 'the maximum': 860306, 'maximum retail': 520836, 'fish seafood': 309335, 'seafood vegetable': 743155, 'applicable until': 82428, '31 any': 17556, 'such decision': 816437, 'decision will': 231119, 'strictly qatar': 813702, 'and industry ha': 65180, 'industry ha set': 435866, 'ha set the': 371871, 'set the maximum': 753487, 'the maximum retail': 860308, 'maximum retail price': 520837, 'retail price for': 718409, 'price for fish': 673965, 'for fish seafood': 321507, 'fish seafood vegetable': 309336, 'seafood vegetable and': 743156, 'and fruit at': 63369, 'fruit at the': 339072, 'the local market': 859562, 'local market to': 498179, 'market to be': 517229, 'to be applicable': 901111, 'be applicable until': 113665, 'applicable until march': 82429, 'march 31 any': 515241, '31 any violation': 17557, 'any violation of': 80022, 'violation of such': 957520, 'of such decision': 590363, 'such decision will': 816438, 'decision will be': 231120, 'with strictly qatar': 1001018, 'it mother': 459691, 'in kazakhstan': 424450, 'kazakhstan 300': 471164, 'mile from': 531388, 'back am': 106841, 'apartment with': 81424, 'supermarket miss': 821520, 'scared fuck': 740967, 'it mother day': 459692, 'mother day am': 543079, 'day am in': 227240, 'am in kazakhstan': 50136, 'in kazakhstan 300': 424451, 'kazakhstan 300 mile': 471165, '300 mile from': 17325, 'mile from home': 531389, 'with no idea': 999760, 'idea when will': 413241, 'get back am': 346629, 'back am working': 106842, 'am working from': 50575, 'working from my': 1008656, 'from my apartment': 336498, 'my apartment with': 547286, 'apartment with occasional': 81425, 'with occasional visit': 999845, 'the supermarket miss': 868703, 'supermarket miss my': 821521, 'miss my boy': 534162, 'my boy and': 547517, 'boy and am': 137239, 'and am scared': 58028, 'am scared fuck': 50362, 'scared fuck you': 740968, 'fuck you 19': 339695, 'knowles': 477194, 'beawareshowyoucare': 118841, 'basyc': 112532, '6feet': 21588, 'communitylove': 190249, 'peacesign': 646037, 'kinderreminder': 475095, 'you jason': 1019399, 'jason knowles': 464854, 'knowles consumer': 477195, 'reporter for': 712610, 'for abc': 318973, 'abc chicago': 24258, 'chicago we': 175700, 'like share': 491162, 'share post': 755149, 'post beawareshowyoucare': 666017, 'beawareshowyoucare basyc': 118842, 'basyc 6feet': 112533, '6feet socialdistancing': 21589, 'flattenthecurve communitylove': 310160, 'communitylove peacesign': 190250, 'peacesign kinderreminder': 646038, 'thank you jason': 841758, 'you jason knowles': 1019400, 'jason knowles consumer': 464855, 'knowles consumer investigative': 477196, 'investigative reporter for': 443903, 'reporter for abc': 712611, 'for abc chicago': 318974, 'abc chicago we': 24259, 'chicago we appreciate': 175701, 'your support like': 1026085, 'support like share': 826614, 'like share post': 491163, 'share post beawareshowyoucare': 755150, 'post beawareshowyoucare basyc': 666018, 'beawareshowyoucare basyc 6feet': 118843, 'basyc 6feet socialdistancing': 112534, '6feet socialdistancing flattenthecurve': 21590, 'socialdistancing flattenthecurve communitylove': 780366, 'flattenthecurve communitylove peacesign': 310161, 'communitylove peacesign kinderreminder': 190251, 'redstates': 705775, 'bluestates': 133505, 'hey redstates': 394490, 'redstates trumpsupporters': 705776, 'trumpsupporters guy': 934163, 'guy see': 369135, 'on bluestates': 599659, 'bluestates who': 133506, 'are richer': 89685, 'richer are': 721332, 'while guy': 986894, 'your governor': 1024084, 'enact the': 275499, 'defenseproductionact justsaying': 232155, 'hey redstates trumpsupporters': 394491, 'redstates trumpsupporters guy': 705777, 'trumpsupporters guy see': 934164, 'guy see what': 369136, 'going on bluestates': 355307, 'on bluestates who': 599660, 'bluestates who are': 133507, 'who are richer': 988207, 'are richer are': 89686, 'richer are able': 721333, 'buy supply even': 149264, 'even at higher': 283848, 'higher price while': 395700, 'price while guy': 677521, 'while guy can': 986895, 'guy can maybe': 368952, 'can maybe it': 158978, 'time for your': 896778, 'for your governor': 328158, 'your governor to': 1024085, 'governor to force': 361007, 'force to enact': 328524, 'to enact the': 905052, 'enact the defenseproductionact': 275500, 'the defenseproductionact justsaying': 853036, 'truce bbc': 932705, 'oilpricewar oil price': 597711, 'war truce bbc': 966575, 'plan ha': 658142, 'ha microsoft': 371273, 'employee helping': 273934, 'way despite': 969545, 'despite closed': 238697, 'emergency plan ha': 272878, 'plan ha microsoft': 658143, 'ha microsoft store': 371274, 'microsoft store employee': 530514, 'store employee helping': 807498, 'employee helping people': 273935, 'people in new': 648402, 'in new way': 425833, 'new way despite': 559853, 'way despite closed': 969546, 'despite closed door': 238698, 'confused how': 194334, 'confused how people': 194335, 'people are online': 647032, 'shopping but have': 762246, 'go do all': 353470, 'all of that': 43714, 'of that when': 590754, '19 shit is': 10463, 'shit is over': 759146, 'been cooped': 120893, 'past several': 643602, 'grocery deli': 364418, 'deli store': 232934, 've been cooped': 952877, 'been cooped up': 120894, 'cooped up at': 203114, 'home these past': 402268, 'these past several': 880414, 'past several day': 643603, 'several day only': 753824, 'at grocery deli': 98813, 'grocery deli store': 364419, 'deli store down': 232935, 'entertainment could use': 278560, 'could use someone': 209808, 'talk to well': 833896, 're outta': 699229, 'outta quarantine': 629714, 'quarantine knowing': 692333, 'knowing damn': 477107, 'damn well': 225462, 'well imma': 978307, 'imma gain': 416947, 'gain that': 342827, 'shopping for when': 762731, 'we re outta': 972932, 're outta quarantine': 699230, 'outta quarantine knowing': 629715, 'quarantine knowing damn': 692334, 'knowing damn well': 477108, 'damn well imma': 225463, 'well imma gain': 978308, 'imma gain that': 416948, 'gain that covid': 342828, 'incrementally': 433938, 'have incrementally': 381074, 'incrementally drip': 433939, 'fed information': 301838, 'now instruction': 575049, 'order not': 618420, 'panic global': 638137, 'population at': 664654, 'moment global': 535946, 'chain power': 171002, 'communication are': 189578, 'still patent': 801028, 'ha been clear': 369749, 'been clear that': 120830, 'they have incrementally': 882330, 'have incrementally drip': 381075, 'incrementally drip fed': 433940, 'drip fed information': 258964, 'fed information and': 301839, 'information and advice': 437733, 'and advice and': 57726, 'advice and now': 33314, 'and now instruction': 67847, 'now instruction in': 575050, 'instruction in order': 440559, 'in order not': 426216, 'order not to': 618421, 'to panic global': 911398, 'panic global population': 638138, 'global population at': 352132, 'population at the': 664655, 'the moment global': 860757, 'moment global food': 535947, 'supply chain power': 825008, 'chain power and': 171003, 'power and communication': 667557, 'and communication are': 60162, 'communication are still': 189579, 'are still patent': 90466, 'stayhome but': 797959, 'touch little': 926505, 'little possible': 495525, 'sanitize all': 734163, 'stuff you': 815265, 'stayhome but when': 797960, 'go out here': 353957, 'good advice if': 356692, 'the store touch': 868129, 'store touch little': 810926, 'touch little possible': 926506, 'little possible and': 495526, 'possible and sanitize': 665574, 'and sanitize all': 70847, 'sanitize all the': 734165, 'the stuff you': 868339, 'stuff you buy': 815266, 'you buy when': 1017589, 'buy when you': 149470, 'cray': 215193, 'elonmusk': 271591, 'even ford': 284083, 'and gm': 63763, 'gm cannot': 353166, 'cannot deliver': 161748, 'deliver that': 233223, 'that shi': 846253, 'shi is': 758115, 'is cray': 446887, 'cray ventilator': 215194, 'ventilator elonmusk': 954550, 'elonmusk gm': 271592, 'ford bored': 328767, 'bored home': 135350, 'home lockdown': 401545, 'water medical': 969059, 'medical emergency': 526141, 'emergency help': 272744, 'help goodnews': 389818, 'goodnews positive': 358073, 'positive love': 665363, 'love aid': 504586, 'aid isolation': 39409, 'isolation wal': 455489, 'when even ford': 983384, 'even ford and': 284084, 'ford and gm': 328759, 'and gm cannot': 63764, 'gm cannot deliver': 353167, 'cannot deliver that': 161750, 'deliver that shi': 233224, 'that shi is': 846254, 'shi is cray': 758116, 'is cray ventilator': 446888, 'cray ventilator elonmusk': 215195, 'ventilator elonmusk gm': 954551, 'elonmusk gm ford': 271593, 'gm ford bored': 353172, 'ford bored home': 328768, 'bored home lockdown': 135351, 'home lockdown toiletpaper': 401546, 'lockdown toiletpaper water': 500068, 'toiletpaper water medical': 922821, 'water medical emergency': 969060, 'medical emergency help': 526142, 'emergency help goodnews': 272745, 'help goodnews positive': 389819, 'goodnews positive love': 358074, 'positive love aid': 665364, 'love aid isolation': 504587, 'aid isolation wal': 39410, 'storen': 811744, 'giving household': 351318, 'household more': 406881, 'spend at': 788584, 'best policy': 127836, 'policy option': 663463, 'hungry say': 411307, 'say commissioner': 738522, 'commissioner duke': 188941, 'duke storen': 262073, 'giving household more': 351319, 'household more money': 406882, 'more money to': 539795, 'to spend at': 914987, 'spend at the': 788585, 'store is our': 808511, 'is our best': 450613, 'our best policy': 622196, 'best policy option': 127837, 'policy option to': 663464, 'option to prevent': 614128, 'people from going': 647991, 'from going hungry': 335658, 'going hungry say': 355206, 'hungry say commissioner': 411308, 'say commissioner duke': 738523, 'commissioner duke storen': 188942, 'mailer': 508692, 'trumpmadness': 934092, 'my cdc': 547648, 'cdc mailer': 168591, 'mailer on': 508695, 'only toiletpaper': 611377, 'toiletpaper available': 921773, 'amazon arrived': 50868, 'arrived coincidence': 93953, 'coincidence trumpmadness': 185671, 'got my cdc': 358722, 'my cdc mailer': 547649, 'cdc mailer on': 168592, 'mailer on the': 508696, 'same day that': 733036, 'day that the': 228475, 'the only toiletpaper': 862353, 'only toiletpaper available': 611378, 'toiletpaper available on': 921774, 'available on amazon': 104526, 'on amazon arrived': 599273, 'amazon arrived coincidence': 50869, 'arrived coincidence trumpmadness': 93954, 'unviable': 944041, 'milk beef': 531590, 'dropped dramatically': 260559, 'minister announce': 533329, 'announce in': 76844, 'crisis statement': 218084, 'statement nvz': 796192, 'it unviable': 461950, 'unviable for': 944042, 'keep suckler': 471985, 'milk beef lamb': 531591, 'beef lamb price': 120520, 'have dropped dramatically': 380379, 'dropped dramatically due': 260560, 'what doe our': 981368, 'doe our minister': 251545, 'our minister announce': 623923, 'minister announce in': 533330, 'announce in her': 76845, 'coronavirus crisis statement': 205769, 'crisis statement nvz': 218085, 'statement nvz and': 796193, 'make it unviable': 510065, 'it unviable for': 461951, 'unviable for me': 944043, 'me to keep': 523760, 'to keep suckler': 908857, 'keep suckler herd': 471986, 'impacting everyone': 418218, 'any group': 79289, 'group more': 366766, 'shelf mean': 757318, 'anyone coronacrisisuk': 80244, 'buying is impacting': 150568, 'is impacting everyone': 448703, 'impacting everyone not': 418219, 'everyone not any': 287213, 'not any one': 568221, 'any one or': 79558, 'one or any': 606794, 'or any group': 614347, 'any group more': 79290, 'group more than': 366767, 'anyone else no': 80276, 'else no food': 271801, 'the shelf mean': 866857, 'shelf mean no': 757319, 'for anyone coronacrisisuk': 319434, 'anyone coronacrisisuk coronacrisis': 80245, 'sanitisers on': 734098, 'up uganda': 946490, 'fake hand sanitisers': 296635, 'hand sanitisers on': 375267, 'sanitisers on market': 734099, 'go up uganda': 354444, 'lrt': 506339, 'exceptionally': 289312, 'lrt still': 506340, 'young disabled': 1022586, 'wa grocery': 962259, 'her dying': 392004, 'have her': 380930, 'paycheck be': 645272, '20 67': 12917, '67 seems': 21469, 'seems exceptionally': 746778, 'exceptionally cruel': 289313, 'cruel wouldn': 219683, 'any corporate': 79069, 'corporate entity': 207277, 'entity about': 278842, 'your fam': 1023769, 'fam like': 297510, 'lrt still thinking': 506341, 'still thinking about': 801302, 'thinking about that': 885858, 'about that young': 26326, 'that young disabled': 847759, 'young disabled woman': 1022587, 'disabled woman who': 243987, 'who wa grocery': 989908, 'wa grocery store': 962261, 'worker and her': 1006303, 'and her dying': 64510, 'her dying from': 392005, 'to have her': 907251, 'have her last': 380931, 'last paycheck be': 480444, 'paycheck be 20': 645273, 'be 20 67': 113418, '20 67 seems': 12918, '67 seems exceptionally': 21470, 'seems exceptionally cruel': 746779, 'exceptionally cruel wouldn': 289314, 'cruel wouldn want': 219684, 'hear from any': 387920, 'from any corporate': 334545, 'any corporate entity': 79070, 'corporate entity about': 207278, 'entity about how': 278843, 'we re family': 972873, 're family you': 698669, 'family you treat': 298415, 'you treat your': 1021923, 'treat your fam': 930926, 'your fam like': 1023770, 'fam like shit': 297511, '886': 23085, '011': 736, '802': 22738, '066': 1007, 'uk of': 938576, 'of 67': 579652, '67 886': 21456, '886 011': 23086, '011 uk': 737, 'uk population': 938638, 'population 67': 664643, '67 802': 21454, '802 066': 22739, '066 are': 1008, 'are untested': 91345, 'untested and': 943620, 'lockdown many': 499639, 'key support': 473409, 'england uk of': 277038, 'uk of 67': 938577, 'of 67 886': 579653, '67 886 011': 21457, '886 011 uk': 23087, '011 uk population': 738, 'uk population 67': 938639, 'population 67 802': 664644, '67 802 066': 21455, '802 066 are': 22740, '066 are untested': 1009, 'are untested and': 91346, 'untested and potentially': 943621, 'and potentially spreading': 69270, 'spreading the lockdown': 791056, 'the lockdown many': 859614, 'lockdown many are': 499640, 'many are key': 513766, 'are key support': 87676, 'shelve stacker': 758042, 'driver an': 259404, 'an postman': 56779, 'postman people': 666732, 'little thanks': 495605, 'infrastructure running': 438215, 'running want': 728125, 'want statue': 965929, 'people erected': 647811, 'erected when': 280144, 'here is to': 393254, 'to the shelve': 917056, 'the shelve stacker': 866920, 'shelve stacker and': 758043, 'stacker and supermarket': 792005, 'supermarket worker here': 824035, 'worker here is': 1007120, 'to the bus': 916533, 'bus driver an': 143013, 'driver an postman': 259405, 'an postman people': 56780, 'postman people who': 666733, 'their life with': 873850, 'life with little': 489222, 'with little thanks': 999266, 'little thanks to': 495606, 'thanks to keep': 842239, 'keep our infrastructure': 471735, 'our infrastructure running': 623549, 'infrastructure running want': 438216, 'running want statue': 728126, 'want statue of': 965930, 'statue of these': 796649, 'these people erected': 880433, 'people erected when': 647812, 'erected when all': 280145, 'once when': 605808, 'when self': 983984, 'isolation amp': 455186, 've panic': 953428, 'worth and': 1011336, 'few week once': 304159, 'week once when': 976683, 'once when self': 605809, 'when self isolation': 983985, 'self isolation amp': 747753, 'isolation amp is': 455187, 'amp is over': 54020, 'over people won': 630494, 'people won need': 650500, 'food because they': 313716, 'they ve panic': 883670, 've panic bought': 953429, 'panic bought month': 637425, 'month worth and': 538145, 'worth and will': 1011337, 'will have cash': 993620, 'have cash to': 379907, 'buy stuff they': 149251, 'stuff they probably': 815213, 'don need here': 253761, 'need here how': 555005, 'how to capitalize': 408988, 'capitalize on this': 162841, 'eynon': 294157, 'nir': 563349, 'releaseing': 709108, 'busniesses': 144810, 'eynon hi': 294158, 'hi nir': 394710, 'nir we': 563350, 'are releaseing': 89557, 'releaseing local': 709109, 'local economic': 497910, 'package valued': 633450, 'valued at': 952254, 'support city': 826417, 'city business': 179075, 'local busniesses': 497788, 'busniesses from': 144811, 'if available': 413887, 'encourage your': 275647, 'eynon hi nir': 294159, 'hi nir we': 394711, 'nir we are': 563351, 'we are releaseing': 970685, 'are releaseing local': 89558, 'releaseing local economic': 709110, 'local economic stimulus': 497911, 'stimulus package valued': 801597, 'package valued at': 633451, 'valued at more': 952255, 'at more than': 99770, 'than 10 million': 840148, 'million to support': 532391, 'to support city': 915913, 'support city business': 826418, 'city business affected': 179076, 'support local busniesses': 826621, 'local busniesses from': 497789, 'busniesses from home': 144812, 'from home try': 335919, 'home try shopping': 402374, 'try shopping online': 934570, 'online if available': 608386, 'if available and': 413888, 'available and encourage': 104222, 'and encourage your': 62100, 'encourage your friend': 275648, 'offer coronacrisis': 594558, 'chinesewuhanvirus convid19uk': 177480, 'supermarket job offer': 821206, 'job offer coronacrisis': 466044, 'offer coronacrisis chinesewuhanvirus': 594559, 'coronacrisis chinesewuhanvirus convid19uk': 204548, 'buying watch': 151319, 'watch who': 968612, 'touch please': 926518, 'panic buying watch': 637955, 'buying watch who': 151320, 'watch who you': 968613, 'who you touch': 990079, 'you touch please': 1021899, 'touch please stop': 926519, 'englishman': 277063, 'king kong': 475272, 'kong it': 477392, 'treat over': 930862, 'fellow englishman': 303287, 'englishman behave': 277064, 'behave have': 123776, 'scared when': 741043, 'seeing very': 746543, 'king kong it': 475273, 'kong it not': 477393, 'not only about': 570774, 'only about how': 610026, '19 treat over': 11564, 'treat over the': 930863, 'week but also': 976030, 'but also how': 145122, 'also how our': 48378, 'how our fellow': 408458, 'our fellow englishman': 623056, 'fellow englishman behave': 303288, 'englishman behave have': 277065, 'behave have to': 123777, 'to admit to': 900122, 'admit to being': 32616, 'to being scared': 901743, 'being scared when': 125722, 'scared when visiting': 741044, 'visiting supermarket and': 959554, 'and seeing very': 71165, 'seeing very little': 746544, 'very little on': 955325, 'little on the': 495500, 'belgie': 126170, 'us clever': 948509, 'clever price': 181868, 'hoarding belgie': 399223, 'denmark us clever': 237032, 'us clever price': 948510, 'clever price trick': 181869, 'sanitiser hoarding belgie': 733969, 'you stocked': 1021423, 'your period': 1025255, 'period necessity': 651826, 'necessity both': 554187, 'both pain': 136002, 'pain medication': 634237, 'do also': 249047, 'consider switching': 195122, 'cup since': 220458, 'face situation': 294755, 'dispose off': 246292, 'off garbage': 593861, 'day well': 228708, 'otherwise also': 621822, 'woman have you': 1003501, 'have you stocked': 383694, 'you stocked up': 1021424, 'on your period': 605487, 'your period necessity': 1025256, 'period necessity both': 651827, 'necessity both pain': 554188, 'both pain medication': 136003, 'pain medication and': 634238, 'medication and sanitary': 526627, 'sanitary product please': 733818, 'product please do': 681527, 'please do also': 659890, 'do also consider': 249048, 'also consider switching': 48056, 'consider switching to': 195123, 'switching to cup': 830577, 'to cup since': 903794, 'cup since we': 220459, 'since we may': 770980, 'we may face': 972351, 'may face situation': 521173, 'face situation where': 294756, 'situation where there': 772583, 'one to dispose': 607272, 'to dispose off': 904415, 'dispose off garbage': 246293, 'off garbage for': 593862, 'garbage for few': 343530, 'few day well': 303797, 'day well but': 228709, 'well but otherwise': 978079, 'but otherwise also': 146716, 'otherwise also get': 621823, 'also get your': 48259, 'way impressed': 969652, 'including 00': 431838, 'payment freezing': 645636, 'report grant': 711986, 'the way impressed': 871161, 'way impressed by': 969653, 'impressed by the': 419449, 'by the sweeping': 154455, 'committee including 00': 189071, 'including 00 month': 431839, '00 month adult': 335, 'cc payment freezing': 168402, 'payment freezing of': 645637, 'freezing of credit': 332665, 'of credit report': 582134, 'credit report grant': 216483, 'report grant for': 711987, 'cher': 175516, 'cdc ha': 168572, 'number enjoy': 576873, 'enjoy cher': 277128, 'apparently the cdc': 82013, 'the cdc ha': 850569, 'cdc ha the': 168573, 'same number enjoy': 733182, 'number enjoy cher': 576874, 'leslieville': 486428, 'torontoblog': 926007, 'torontolife': 926016, 'see humanity': 745268, 'humanity leslieville': 410754, 'leslieville torontoblog': 486429, 'torontoblog toronto': 926008, 'toronto 19': 925913, '19 selfisolating': 10400, 'selfisolating actsofkindness': 748408, 'actsofkindness torontolife': 30624, 'torontolife toiletpaper': 926017, 'toiletpaper healthyliving': 922058, 'time so nice': 897697, 'to see humanity': 914024, 'see humanity leslieville': 745269, 'humanity leslieville torontoblog': 410755, 'leslieville torontoblog toronto': 486430, 'torontoblog toronto 19': 926009, 'toronto 19 selfisolating': 925914, '19 selfisolating actsofkindness': 10401, 'selfisolating actsofkindness torontolife': 748409, 'actsofkindness torontolife toiletpaper': 30625, 'torontolife toiletpaper healthyliving': 926018, '19 ambulance': 4951, 'ambulance worker': 51352, 'worker association': 1006453, 'strike in': 813741, 'demand protective': 236096, 'gear the': 344990, 'covid 19 ambulance': 212622, '19 ambulance worker': 4952, 'ambulance worker association': 51353, 'worker association on': 1006454, 'association on strike': 96976, 'on strike in': 603724, 'strike in up': 813742, 'in up demand': 430458, 'up demand protective': 944705, 'demand protective gear': 236097, 'protective gear the': 685764, 'gear the driver': 344991, 'overbearing': 631049, 'systemchange': 831408, 'show limit': 767031, 'to humanity': 908049, 'humanity it': 410749, 'the overbearing': 862773, 'overbearing global': 631050, 'hunger for': 411111, 'for raw': 324969, 'material consumer': 520376, 'the associated': 848987, 'associated destruction': 96919, 'of nature': 586878, 'nature systemchange': 552991, 'systemchange to': 831409, 'clean renewableenergy': 180628, 'show limit to': 767032, 'limit to humanity': 492537, 'to humanity it': 908050, 'humanity it urgent': 410751, 'it urgent to': 461985, 'urgent to rethink': 948371, 'rethink the overbearing': 719657, 'the overbearing global': 862774, 'overbearing global hunger': 631051, 'global hunger for': 351981, 'hunger for raw': 411112, 'for raw material': 324970, 'raw material consumer': 697972, 'material consumer behavior': 520377, 'and the associated': 73247, 'the associated destruction': 848988, 'associated destruction of': 96920, 'destruction of nature': 239115, 'of nature systemchange': 586879, 'nature systemchange to': 552992, 'systemchange to clean': 831410, 'to clean renewableenergy': 902812, 'sternberg': 799924, 'existing health': 290325, 'condition not': 193491, 'only face': 610418, 'face greater': 294453, 'risk greater': 723581, 'greater violation': 363266, 'right daniel': 721859, 'daniel sternberg': 225829, 'sternberg consumer': 799925, 'watchdog staff': 968641, 'pre existing health': 669169, 'existing health condition': 290326, 'health condition not': 386295, 'condition not only': 193492, 'not only face': 570794, 'only face greater': 610419, 'face greater risk': 294454, 'greater risk due': 363228, 'also risk greater': 48803, 'risk greater violation': 723582, 'greater violation of': 363267, 'violation of civil': 957518, 'civil right daniel': 179534, 'right daniel sternberg': 721860, 'daniel sternberg consumer': 225830, 'sternberg consumer watchdog': 799926, 'consumer watchdog staff': 199487, 'watchdog staff attorney': 968642, 'somaliland': 782223, 'kaahin': 470571, 'push many': 690296, 'many pple': 514579, 'pple to': 668397, 'world somaliland': 1009991, 'somaliland gov': 782224, 'gov issue': 359610, 'seller anyone': 748969, 'anyone food': 80321, 'that caught': 843177, 'caught of': 167440, 'face justice': 294489, 'justice their': 470443, 'down said': 257161, 'said sl': 731357, 'sl interior': 773466, 'interior minister': 441687, 'minister mohamed': 533406, 'mohamed kaahin': 535561, '19 push many': 9883, 'push many pple': 690298, 'many pple to': 514580, 'pple to panic': 668398, 'the world somaliland': 871969, 'world somaliland gov': 1009992, 'somaliland gov issue': 782225, 'gov issue warning': 359611, 'warning to local': 967226, 'local food seller': 497972, 'food seller anyone': 316391, 'seller anyone food': 748970, 'anyone food seller': 80322, 'food seller that': 316393, 'seller that caught': 749088, 'that caught of': 843178, 'caught of raising': 167441, 'of raising the': 588726, 'raising the food': 696143, 'the food price': 855588, 'price will face': 677564, 'will face justice': 993390, 'face justice their': 294490, 'justice their business': 470444, 'be closed down': 114125, 'closed down said': 183084, 'down said sl': 257162, 'said sl interior': 731358, 'sl interior minister': 773467, 'interior minister mohamed': 441688, 'minister mohamed kaahin': 533407, 'to cast': 902485, 'cast trainfailure': 166766, 'are staggering': 90347, 'large truck': 479820, 'm6 transporting': 507239, 'everyone shake': 287358, 'shake their': 754426, 'returning from an': 720005, 'from an unexpected': 334499, 'an unexpected trip': 56855, 'crewe to cast': 216723, 'to cast trainfailure': 902486, 'cast trainfailure there': 166767, 'trainfailure there are': 929320, 'there are staggering': 878165, 'are staggering number': 90348, 'of very large': 592788, 'very large truck': 955293, 'large truck on': 479821, 'the m6 transporting': 859849, 'm6 transporting food': 507240, 'transporting food so': 930069, 'so everyone shake': 776979, 'everyone shake their': 287359, 'shake their head': 754427, 'their head and': 873498, 'head and stop': 385719, 'chain tell': 171153, 'food despite': 314195, 'tv by': 936097, 'by letter': 153044, 'supermarket chain tell': 819638, 'chain tell people': 171154, 'get food despite': 347037, 'food despite government': 314196, 'despite government telling': 238753, 'government telling people': 360667, 'home on tv': 401717, 'on tv by': 604902, 'tv by letter': 936098, 'by letter and': 153045, 'letter and text': 487287, 'doctor said': 251089, 'said healthy': 731116, 'question brings': 693554, 'brings the': 140276, 'the debate': 852979, 'debate over': 230315, 'the broad': 850036, 'broad use': 140710, 'mask tip': 519387, 'the pandemic doctor': 862950, 'pandemic doctor said': 635320, 'doctor said healthy': 251090, 'said healthy people': 731117, 'healthy people do': 387725, 'wear mask but': 974378, 'mask but now': 518494, 'now that advice': 575995, 'that advice is': 842506, 'advice is called': 33415, 'is called into': 446348, 'called into question': 156355, 'into question brings': 442919, 'question brings the': 693555, 'brings the latest': 140277, 'on the debate': 604058, 'the debate over': 852981, 'debate over the': 230316, 'over the broad': 630698, 'the broad use': 850037, 'broad use of': 140711, 'of mask tip': 586279, 'mask tip from': 519388, 'we heard': 972005, 'sector today': 744371, 'up gear': 945012, 'gear with': 345009, 'screen installed': 742702, 'at supervalu': 100796, 'supervalu store': 824368, 'spread of yesterday': 790724, 'of yesterday we': 593358, 'yesterday we heard': 1015934, 'we heard about': 972006, 'heard about social': 388051, 'distancing measure in': 247324, 'the essential retail': 854519, 'essential retail sector': 281471, 'retail sector today': 718535, 'sector today one': 744372, 'today one supermarket': 919980, 'one supermarket chain': 607138, 'chain is stepping': 170845, 'stepping up gear': 799814, 'up gear with': 945013, 'gear with protective': 345010, 'with protective screen': 1000350, 'protective screen installed': 685811, 'screen installed at': 742703, 'installed at supervalu': 440022, 'at supervalu store': 100797, 'tormund': 925903, 'giantsbane': 349898, 'ireland close': 444819, 'it pub': 460549, 'store sold': 810258, 'cheese nip': 175207, 'nip and': 563331, 'take tormund': 832751, 'tormund the': 925904, 'only decent': 610321, 'decent part': 230791, 'season giantsbane': 743397, 'giantsbane from': 349899, 'from feel': 335453, 'feel personally': 302807, 'personally attacked': 653022, 'ireland close it': 444820, 'close it pub': 182693, 'it pub the': 460550, 'pub the grocery': 687778, 'grocery store sold': 365784, 'store sold out': 810259, 'out of cheese': 626694, 'of cheese nip': 581311, 'cheese nip and': 175208, 'nip and now': 563332, '19 is trying': 8072, 'to take tormund': 916252, 'take tormund the': 832752, 'tormund the only': 925905, 'the only decent': 862302, 'only decent part': 610322, 'decent part of': 230792, 'part of season': 642378, 'of season giantsbane': 589429, 'season giantsbane from': 743398, 'giantsbane from feel': 349900, 'from feel personally': 335454, 'feel personally attacked': 302808, 'personally attacked by': 653023, 'attacked by this': 102186, 'this virus 19': 890995, 'mckinsey company': 522188, 'company roundtable': 191036, 'check this mckinsey': 174676, 'this mckinsey company': 888798, 'mckinsey company roundtable': 522189, 'company roundtable tactical': 191037, 'gas during from': 343829, 'paper lysol': 640432, 'lysol are': 507162, 'than diamond': 840497, 'diamond lysol': 240325, 'strange time when': 812434, 'time when toilet': 898308, 'toilet paper lysol': 921344, 'paper lysol are': 640433, 'lysol are more': 507163, 'are more rare': 88120, 'rare than diamond': 697103, 'than diamond lysol': 840498, 'diamond lysol toiletpaper': 240326, 'giving supermarket': 351403, 'buy big': 148419, 'big quantity': 129940, 'quantity it': 691924, 'fault and': 300393, 'risk sainsburys': 723859, 'asda management': 94943, 'management back': 512542, 'staff coronacrisis': 792338, 'stop the abuse': 805121, 'abuse they are': 27672, 'are giving supermarket': 86862, 'giving supermarket staff': 351404, 'they want or': 883711, 'want or cannot': 965882, 'or cannot buy': 614662, 'cannot buy big': 161689, 'buy big quantity': 148420, 'big quantity it': 129941, 'quantity it not': 691925, 'their fault and': 873286, 'fault and they': 300394, 'at risk sainsburys': 100393, 'risk sainsburys tesco': 723860, 'tesco asda management': 838669, 'asda management back': 94944, 'management back up': 512543, 'back up your': 107437, 'up your staff': 946756, 'your staff coronacrisis': 1025906, 'be closely': 114138, 'taking stern': 833578, 'stern measure': 799920, 'who create': 988520, 'artificial price': 94525, 'agriculture input': 38989, 'input agriculture': 438965, 'urge to resist': 948239, 'buying we will': 151330, 'will be closely': 992400, 'be closely monitoring': 114139, 'monitoring the cost': 537378, 'cost of food': 208047, 'food and taking': 313354, 'and taking stern': 73002, 'taking stern measure': 833579, 'stern measure against': 799921, 'measure against trader': 525077, 'against trader who': 37715, 'trader who create': 928799, 'who create artificial': 988521, 'create artificial price': 215613, 'artificial price inflation': 94526, 'price inflation on': 674825, 'inflation on food': 437213, 'and agriculture input': 57790, 'agriculture input agriculture': 38990, 'touching other': 926702, 'infection so': 436847, 'could stockpile': 209721, 'stockpile incase': 803763, 'incase they': 431348, 'they contract': 881804, 'what and': 981040, 'fuck 19uk': 339507, '19uk stockpiling': 12565, 'stockpiling moron': 804024, 'there wa video': 879279, 'wa video of': 963650, 'people fighting to': 647908, 'fighting to get': 305147, 'into supermarket they': 443061, 'they were touching': 883811, 'were touching other': 980287, 'touching other people': 926703, 'people and risking': 646882, 'and risking covid': 70564, '19 infection so': 7858, 'infection so they': 436848, 'they could stockpile': 881841, 'could stockpile incase': 209722, 'stockpile incase they': 803764, 'incase they contract': 431349, 'they contract covid': 881805, '19 what and': 11997, 'what and cannot': 981041, 'enough the fuck': 277668, 'the fuck 19uk': 855955, 'fuck 19uk stockpiling': 339508, '19uk stockpiling moron': 12566, 'at walmarts': 101484, 'walmarts and': 965493, 'and costcos': 60595, 'seems deserted': 746767, 'while people line': 987152, 'up at walmarts': 944445, 'at walmarts and': 101485, 'walmarts and costcos': 965494, 'and costcos the': 60596, 'my town seems': 550420, 'town seems deserted': 927545, 'seems deserted people': 746768, 'changing your': 172845, 'hour and how': 405399, 'they are changing': 881222, 'are changing your': 85246, 'changing your shopping': 172847, 'shopper moving': 761615, 'moving online': 544163, 'to pandemic more': 911371, 'pandemic more shopper': 635979, 'more shopper moving': 540385, 'shopper moving online': 761616, 'moving online 19': 544164, 'omo': 598951, 'govt that': 361296, 'pay her': 644927, 'her civil': 391937, 'servant salary': 751845, 'them stock': 876331, '19 refuse': 10032, 'them hunger': 875869, 'hunger should': 411187, 'do omo': 249921, 'this same govt': 889947, 'same govt that': 733088, 'govt that is': 361297, 'yet to pay': 1016293, 'to pay her': 911533, 'pay her civil': 644928, 'her civil servant': 391938, 'civil servant salary': 179546, 'servant salary and': 751846, 'salary and give': 731944, 'and give no': 63665, 'no notice to': 564894, 'notice to allow': 573383, 'allow them stock': 46082, 'them stock food': 876332, 'home so if': 402083, 'covid 19 refuse': 213677, '19 refuse to': 10033, 'refuse to kill': 707036, 'kill them hunger': 474529, 'them hunger should': 875870, 'hunger should do': 411188, 'should do omo': 765928, 'thug smash': 895287, 'smash door': 775554, 'sainsbury capital': 731654, 'capital approach': 162641, 'approach lockdown': 82963, 'thug smash door': 895288, 'smash door of': 775555, 'door of london': 255664, 'of london supermarket': 585994, 'london supermarket sainsbury': 501194, 'supermarket sainsbury capital': 822299, 'sainsbury capital approach': 731655, 'capital approach lockdown': 162642, 'approach lockdown lockdownuk': 82964, 'lockdown lockdownuk fightcovid19': 499622, 'our preston': 624434, 'preston foodbank': 671283, 'foodbank saw': 317792, 'response continues': 715661, 'continues 80': 201375, 'parcel were': 641532, 'were handed': 979715, 'bank running': 110145, 'running read': 728039, 'last week our': 480669, 'week our preston': 976709, 'our preston foodbank': 624435, 'preston foodbank saw': 671284, 'foodbank saw double': 317793, 'saw double the': 738096, 'double the number': 256069, 'visit the response': 959395, 'the response continues': 865620, 'response continues 80': 715662, 'continues 80 food': 201376, '80 food parcel': 22575, 'food parcel were': 315822, 'parcel were handed': 641533, 'were handed out': 979716, 'handed out to': 376079, 'out to family': 627643, 'and individual in': 65163, 'individual in need': 435199, 'in need big': 425729, 'need big thank': 554542, 'food bank running': 313629, 'bank running read': 110147, 'running read more': 728040, 'there field': 878383, 'field do': 304465, 'also working': 49116, 'those damn': 891913, 'damn spam': 225427, 'message could': 529288, 'guy not': 369097, 'medical worker hero': 526505, 'worker hero grocery': 1007123, 'delivery people etc': 234313, 'people etc all': 647819, 'etc all work': 282399, 'all work there': 45496, 'work there field': 1005829, 'there field do': 878384, 'field do you': 304466, 'who is also': 989056, 'is also working': 445583, 'also working in': 49117, 'working in this': 1008736, 'this crisis those': 887099, 'crisis those damn': 218229, 'those damn spam': 891914, 'damn spam and': 225428, 'spam and text': 787379, 'text message could': 839907, 'message could you': 529289, 'could you guy': 209847, 'you guy not': 1018969, 'guy not for': 369098, 'not for few': 569488, 'limo': 492896, 'big hearted': 129815, 'hearted limo': 388439, 'limo driver': 492897, 'take elderly': 832090, 'free daily': 331742, 'big hearted limo': 129816, 'hearted limo driver': 388440, 'limo driver with': 492898, 'driver with no': 259859, '19 offer to': 8899, 'offer to take': 594853, 'to take elderly': 916175, 'take elderly shopping': 832091, 'elderly shopping for': 270881, 'shopping for free': 762676, 'for free daily': 321712, 'free daily mail': 331743, 'mail online 19': 508635, 'serious is': 751419, 'taking just': 833418, 'woman bring': 1003427, 'bring her': 139982, 'own trolley': 632278, 'know how serious': 476454, 'how serious is': 408645, 'serious is taking': 751420, 'is taking just': 452549, 'taking just saw': 833419, 'saw woman bring': 738329, 'woman bring her': 1003428, 'bring her own': 139984, 'her own trolley': 392280, 'own trolley to': 632279, 'supply health': 825353, 'health clinic': 386268, 'and diagnostic': 61306, 'diagnostic service': 240261, 'service bank': 752170, 'atm ecommerce': 101925, 'the indialockdown': 858116, 'indialockdown for': 434753, 'for refer': 325048, 'to ministry': 910178, 'affair directive': 34027, 'directive save': 243512, 'save for': 737504, 'panic shop selling': 638546, 'selling food grocery': 749245, 'grocery medicine milk': 364725, 'medicine milk supply': 526842, 'milk supply health': 531844, 'supply health clinic': 825354, 'health clinic and': 386269, 'clinic and diagnostic': 182295, 'and diagnostic service': 61307, 'diagnostic service bank': 240262, 'service bank and': 752171, 'bank and atm': 109603, 'and atm ecommerce': 58497, 'atm ecommerce and': 101926, 'ecommerce and delivery': 266708, 'service will remain': 753078, 'during the indialockdown': 263142, 'the indialockdown for': 858117, 'indialockdown for refer': 434754, 'for refer to': 325049, 'refer to ministry': 706476, 'to ministry of': 910179, 'ministry of home': 533549, 'of home affair': 584714, 'home affair directive': 400561, 'affair directive save': 34028, 'directive save for': 243513, 'save for others': 737506, 'copingwithcovid': 203409, 'retailbestpractices': 718920, 'with being': 997384, 'being small': 125799, 'now cbd': 574364, 'cbd copingwithcovid': 168301, 'copingwithcovid retailbestpractices': 203410, 'retailbestpractices retail': 718921, 'in our ongoing': 426320, 'our ongoing series': 624140, 'ongoing series on': 607687, 'series on how': 751284, 'cope with being': 203341, 'with being small': 997385, 'being small business': 125800, 'small business or': 774883, 'business or retailer': 144161, 'or retailer in': 616893, 'trying to tackle': 934887, 'tackle the question': 831612, 'the question that': 865024, 'question that retailer': 693764, 'that retailer have': 846041, 'retailer have most': 719183, 'have most right': 381515, 'right now cbd': 722040, 'now cbd copingwithcovid': 574365, 'cbd copingwithcovid retailbestpractices': 168302, 'copingwithcovid retailbestpractices retail': 203411, 'everyone having': 287000, 'awesome tuesday': 106207, 'and surviving': 72900, 'hope everyone having': 403462, 'everyone having an': 287001, 'having an awesome': 383968, 'an awesome tuesday': 55513, 'awesome tuesday and': 106208, 'tuesday and surviving': 935117, 'and surviving the': 72901, 'surviving the toiletpaperblues': 829374, 'farmer facing': 299367, 'ever for': 285309, 'vegetable beef': 953949, 'crisis retailer': 217982, 'enjoying some': 277236, 'highest profit': 395850, 'margin ever': 515628, 'are farmer facing': 86495, 'farmer facing some': 299369, 'facing some of': 295608, 'price ever for': 673715, 'ever for fruit': 285310, 'for fruit vegetable': 321788, 'fruit vegetable beef': 339179, 'vegetable beef and': 953950, 'beef and dairy': 120477, 'and dairy product': 60926, 'dairy product during': 225028, '19 crisis retailer': 6313, 'crisis retailer are': 217983, 'retailer are enjoying': 718995, 'are enjoying some': 86218, 'enjoying some of': 277237, 'the highest profit': 857348, 'highest profit margin': 395851, 'profit margin ever': 682807, 'margin ever thought': 515629, 'ever thought we': 285555, 'were all in': 979284, 'notice regarding the': 573344, 'regarding the temporary': 707295, 'godrej ha': 354894, 'it protekt': 460541, 'protekt handwashes': 685904, 'handwashes after': 376809, 'after peer': 36026, 'peer hul': 646306, 'hul for': 410343, 'and itc': 65626, 'itc for': 462985, 'it savlon': 460880, 'savlon handwashes': 738005, 'handwashes announced': 376811, 'announced price': 77021, 'reduction last': 706378, 'godrej ha reduced': 354895, 'of it protekt': 585435, 'it protekt handwashes': 460542, 'protekt handwashes after': 685905, 'handwashes after peer': 376810, 'after peer hul': 36027, 'peer hul for': 646307, 'hul for it': 410344, 'for it lifebuoy': 322716, 'lifebuoy and itc': 489267, 'and itc for': 65627, 'itc for it': 462986, 'for it savlon': 322731, 'it savlon handwashes': 460881, 'savlon handwashes announced': 738006, 'handwashes announced price': 376812, 'announced price reduction': 77022, 'price reduction last': 676136, 'reduction last week': 706379, 'army troop': 93051, 'troop on': 932543, 'dhaka to': 240094, 'grocery where': 366133, '20 customer': 13021, 'crowded city': 219302, 'city now': 179275, 'into ghost': 442588, 'town hope': 927489, 'change soon': 172263, 'soon shut': 785818, 'down dhaka': 256682, 'army troop on': 93052, 'troop on the': 932544, 'street of dhaka': 813046, 'of dhaka to': 582574, 'dhaka to force': 240095, 'to force people': 906171, 'for essential grocery': 321104, 'essential grocery where': 281110, 'grocery where only': 366134, 'where only 20': 985072, 'only 20 customer': 609989, '20 customer were': 13022, 'customer were allowed': 223056, 'were allowed at': 979291, 'time the most': 897861, 'the most crowded': 860966, 'most crowded city': 542224, 'crowded city now': 219303, 'city now turn': 179276, 'now turn into': 576233, 'turn into ghost': 935688, 'into ghost town': 442589, 'ghost town hope': 349677, 'town hope this': 927490, 'hope this situation': 403726, 'situation will change': 772587, 'will change soon': 992918, 'change soon shut': 172264, 'soon shut down': 785819, 'shut down dhaka': 767816, 'advice talk': 33515, 'neighbour family': 557204, 'exchange phone': 289460, 'number create': 576857, 'create contact': 215626, 'contact list': 200123, 'list with': 494599, 'of neighbour': 586938, 'neighbour school': 557236, 'school employer': 741780, 'employer chemist': 274496, 'chemist gp': 175427, 'gp set': 361414, 'if po': 414653, 'po adequate': 662122, 'regular med': 707815, 'med but': 525879, 'over order': 630463, 'advice talk to': 33516, 'talk to your': 833898, 'your neighbour family': 1024974, 'neighbour family to': 557205, 'family to exchange': 298326, 'to exchange phone': 905399, 'exchange phone number': 289461, 'phone number create': 654981, 'number create contact': 576858, 'create contact list': 215627, 'contact list with': 200124, 'list with phone': 494600, 'with phone number': 1000196, 'phone number of': 654983, 'number of neighbour': 576964, 'of neighbour school': 586939, 'neighbour school employer': 557237, 'school employer chemist': 741781, 'employer chemist gp': 274497, 'chemist gp set': 175428, 'gp set up': 361415, 'account if po': 28696, 'if po adequate': 414654, 'po adequate supply': 662123, 'supply of regular': 825643, 'of regular med': 588890, 'regular med but': 707816, 'med but not': 525880, 'but not over': 146551, 'not over order': 570873, 'tonaton': 924305, 'energy you': 276624, 'to insult': 908433, 'insult why': 440641, 'same energy': 733050, 'of generator': 584084, 'generator and': 345680, 'power bank': 667570, 'jumia tonaton': 467827, 'tonaton that': 924306, 'know coronacrisis': 476337, 'the energy you': 854328, 'energy you re': 276625, 're using to': 699766, 'using to insult': 950764, 'to insult why': 908434, 'insult why do': 440642, 'not you use': 572623, 'use that same': 949646, 'that same energy': 846106, 'same energy to': 733051, 'energy to check': 276605, 'check price of': 174601, 'price of generator': 675461, 'of generator and': 584085, 'generator and power': 345681, 'and power bank': 69277, 'power bank on': 667571, 'bank on jumia': 110065, 'on jumia tonaton': 601743, 'jumia tonaton that': 467828, 'tonaton that help': 924307, 'that help you': 844306, 'help you know': 390979, 'you know coronacrisis': 1019493, 'nh doing': 561941, 'job don': 465797, 'cape tesco': 162622, 'well the nh': 978664, 'the nh doing': 861737, 'nh doing great': 561942, 'great job don': 362785, 'job don forget': 465798, 'forget the worker': 329310, 'wear cape tesco': 974303, 'cape tesco supermarket': 162623, 'supply production': 825737, 'production struggle': 682215, 'demand medium': 235855, 'report indicate': 712038, 'and respirator': 70343, 'respirator on': 715204, 'of is driving': 585317, 'medical supply production': 526457, 'supply production struggle': 825738, 'production struggle to': 682216, 'meet demand medium': 527471, 'demand medium report': 235856, 'medium report indicate': 527250, 'report indicate that': 712039, 'indicate that price': 434972, 'mask and respirator': 518362, 'and respirator on': 70344, 'respirator on amazon': 715205, 'on amazon have': 599279, 'amazon have increased': 50977, 'have increased time': 381070, 'increased time since': 433511, 'news bos': 560275, 'say buying': 738477, 'limit will': 492564, 'remain for': 709746, 'news bos of': 560276, 'bos of supermarket': 135684, 'of supermarket say': 590442, 'supermarket say buying': 822324, 'say buying limit': 738478, 'buying limit will': 150657, 'limit will remain': 492565, 'will remain for': 994629, 'remain for now': 709747, 'attention biz': 102430, 'owner nyc': 632504, 'nyc announced': 577961, 'emergency rule': 272940, 'make price': 510350, 'gouging illegal': 359342, 'attention biz owner': 102431, 'biz owner nyc': 131951, 'owner nyc announced': 632505, 'nyc announced an': 577962, 'announced an emergency': 76915, 'an emergency rule': 55687, 'emergency rule under': 272941, 'protection law that': 685514, 'law that make': 482411, 'that make price': 845000, 'make price gouging': 510352, 'price gouging illegal': 674287, 'gouging illegal for': 359343, 'service that is': 752922, 'treat the new': 930892, 'thanks costco': 842034, 'costco you': 208298, 'da best': 224217, 'best fuck': 127707, 'those as': 891811, 'as hat': 94752, 'hat that': 378855, 'everything only': 287954, 'to resale': 913318, 'price socialdistanacing': 676543, 'thanks costco you': 842035, 'costco you da': 208299, 'you da best': 1018140, 'da best fuck': 224218, 'best fuck all': 127708, 'fuck all those': 339520, 'all those as': 45157, 'those as hat': 891812, 'as hat that': 94753, 'hat that bought': 378856, 'that bought everything': 843020, 'bought everything only': 136553, 'everything only to': 287955, 'only to resale': 611366, 'to resale at': 913319, 'resale at ridiculous': 713558, 'ridiculous price socialdistanacing': 721598, 'price socialdistanacing staysafestayhome': 676544, 'do key': 249545, 'driver pharmacist': 259690, 'staff feel': 792446, 'how do key': 407717, 'do key worker': 249546, 'key worker delivery': 473477, 'delivery driver pharmacist': 233927, 'driver pharmacist and': 259691, 'supermarket staff feel': 822843, 'staff feel about': 792447, 'feel about having': 302545, 'about having to': 25353, 'are contestant': 85541, 'contestant on': 200892, 'all wild': 45465, 'wild for': 992057, 'for chef': 320039, 'boyardee 19': 137305, 'shopping like they': 763171, 'they are contestant': 881234, 'are contestant on': 85542, 'contestant on supermarket': 200893, 'sweep ha all': 830126, 'ha all wild': 369485, 'all wild for': 45466, 'wild for chef': 992058, 'for chef boyardee': 320040, 'chef boyardee 19': 175252, 'all file': 42788, 'retail like': 718274, 'guaranteed and': 367735, 'yourself wa': 1026742, 'told may': 923599, 'closed hope': 183159, 'my you': 550667, 've pop': 953443, 'pop off': 664444, 'off soon': 594180, 'soon yikes': 785909, 'all file for': 42789, 'for unemployment in': 327435, 'unemployment in your': 941228, 'your state because': 1025929, 'state because if': 795420, 'because if you': 119147, 'in retail like': 427460, 'retail like me': 718275, 'like me your': 490761, 'me your job': 524055, 'is not guaranteed': 450099, 'not guaranteed and': 569761, 'guaranteed and you': 367736, 'protect yourself wa': 685103, 'yourself wa just': 1026743, 'just told may': 470120, 'told may get': 923600, 'may get laid': 521204, 'off because the': 593684, 'is closed hope': 446578, 'closed hope my': 183160, 'hope my you': 403545, 'my you ve': 550668, 'you ve pop': 1022056, 've pop off': 953444, 'pop off soon': 664445, 'off soon yikes': 594181, 'interview today': 442249, 'also worrying': 49121, 'hopefully everything': 403851, 'okay grocery': 597976, 'job interview today': 465894, 'interview today at': 442250, 'at supermarket have': 100732, 'supermarket have mixed': 820694, 'and also worrying': 57981, 'also worrying about': 49122, 'worrying about her': 1010813, 'about her health': 25375, 'health hopefully everything': 386506, 'hopefully everything will': 403852, 'be okay grocery': 116181, 'okay grocery worker': 597977, 'gobby': 354608, 'robertjenrick': 724717, 'andrewneil': 76207, 'do mouth': 249613, 'mouth sanitizer': 543556, 'these gobby': 880056, 'gobby moron': 354609, 'moron robertjenrick': 541629, 'robertjenrick andrewneil': 724718, 'do they do': 250302, 'they do mouth': 881967, 'do mouth sanitizer': 249614, 'mouth sanitizer for': 543557, 'sanitizer for all': 734893, 'for all these': 319177, 'all these gobby': 45035, 'these gobby moron': 880057, 'gobby moron robertjenrick': 354610, 'moron robertjenrick andrewneil': 541630, 'buying crisis if': 150166, 'you are hoarding': 1017140, 'patrolled': 644395, 'penhill': 646516, 'marlborough': 517959, 'lamorbey': 479201, 'danson': 225902, 'patrolled park': 644396, 'park amp': 641855, 'park today': 642011, 'today including': 919704, 'including penhill': 432104, 'penhill park': 646517, 'park marlborough': 641945, 'marlborough park': 517960, 'park lamorbey': 641941, 'lamorbey park': 479202, 'park goat': 641915, 'goat field': 354597, 'field amp': 304450, 'amp danson': 53607, 'danson park': 225903, 'park pictured': 641968, 'pictured also': 656226, 'also patrol': 48646, 'patrol throughout': 644393, 'throughout our': 894954, 'street it': 813014, 'ward and': 966628, 'surrounding are': 828730, 'government instruction': 360231, 'patrolled park amp': 644397, 'park amp supermarket': 641856, 'amp supermarket car': 54585, 'car park today': 163237, 'park today including': 642012, 'today including penhill': 919705, 'including penhill park': 432105, 'penhill park marlborough': 646518, 'park marlborough park': 641946, 'marlborough park lamorbey': 517961, 'park lamorbey park': 641942, 'lamorbey park goat': 479203, 'park goat field': 641916, 'goat field amp': 354598, 'field amp danson': 304451, 'amp danson park': 53608, 'danson park pictured': 225904, 'park pictured also': 641969, 'pictured also patrol': 656227, 'also patrol throughout': 48647, 'patrol throughout our': 644394, 'throughout our street': 894955, 'our street it': 624970, 'street it seems': 813015, 'seems everyone on': 746777, 'the ward and': 871075, 'ward and surrounding': 966629, 'and surrounding are': 72890, 'surrounding are following': 828731, 'are following government': 86622, 'following government instruction': 312741, 'are angry': 84557, 'there on': 878891, 'crowded condition': 219304, 'condition every': 193448, 'probably making': 679313, 'making minimum': 511215, 'wage they': 963967, 'they ar': 881184, 'to thank grocery': 916426, 'store employee too': 807559, 'employee too know': 274350, 'too know people': 924821, 'people are angry': 646926, 'are angry about': 84558, 'angry about the': 76452, 'shelf but these': 756908, 'but these folk': 147481, 'putting themselves out': 691254, 'out there on': 627503, 'there on the': 878892, 'line in crowded': 493194, 'in crowded condition': 421915, 'crowded condition every': 219305, 'condition every day': 193449, 'every day probably': 285839, 'day probably making': 228252, 'probably making minimum': 679314, 'making minimum wage': 511216, 'minimum wage they': 533245, 'wage they ar': 963968, '19 virus crisis': 11796, 'virus crisis drive': 958105, 'suzy': 829863, 'asksuzy': 96180, 'suzy is': 829864, 'with real': 1000410, 'hub well': 409841, 'well hosting': 978298, 'hosting weekly': 404981, 'weekly webinars': 977598, 'and category': 59625, 'specific insight': 788222, 'insight please': 439616, 'help asksuzy': 389385, 'suzy is continuing': 829865, 'continuing to help': 201563, 'to help company': 907478, 'help company navigate': 389505, 'company navigate this': 190904, 'this crisis with': 887112, 'crisis with real': 218429, 'with real time': 1000411, 'time consumer insight': 896505, 'consumer insight via': 197890, 'insight via our': 439655, 'via our covid': 956147, '19 hub well': 7625, 'hub well hosting': 409842, 'well hosting weekly': 978299, 'hosting weekly webinars': 404982, 'weekly webinars and': 977599, 'webinars and category': 975146, 'and category specific': 59626, 'category specific insight': 167219, 'specific insight please': 788223, 'insight please get': 439617, 'please get in': 660018, 'touch if we': 926496, 'can help asksuzy': 158605, 'legitimacy': 486043, 'beyond immediate': 129186, 'security through': 744774, 'through different': 894419, 'different pathway': 242017, 'pathway rising': 644096, 'govt legitimacy': 361187, 'legitimacy more': 486044, 'more illicit': 539481, 'illegal activity': 416193, 'activity read': 30487, 'blog et': 132921, 'al for': 40567, 'solution waterpeacesecurity': 782121, 'beyond immediate threat': 129187, 'immediate threat the': 417040, 'threat the pandemic': 893726, 'global security through': 352191, 'security through different': 744775, 'through different pathway': 894420, 'different pathway rising': 242018, 'pathway rising food': 644097, 'food price loss': 315956, 'loss of govt': 503745, 'of govt legitimacy': 584286, 'govt legitimacy more': 361188, 'legitimacy more illicit': 486045, 'more illicit and': 539482, 'illicit and illegal': 416273, 'and illegal activity': 64976, 'illegal activity read': 416194, 'activity read this': 30488, 'read this blog': 700609, 'this blog et': 886574, 'blog et al': 132922, 'et al for': 282350, 'al for more': 40568, 'for more for': 323574, 'more for solution': 539270, 'for solution waterpeacesecurity': 325724, 'data flowing': 226209, 'flowing out': 311361, 'europe highlighting': 283450, 'continuing negative': 201533, 'gold price could': 355953, 'could rise again': 209607, 'rise again this': 722770, 'again this week': 37229, 'week with data': 977261, 'with data flowing': 997928, 'data flowing out': 226210, 'flowing out from': 311362, 'and europe highlighting': 62308, 'europe highlighting the': 283451, 'highlighting the continuing': 396020, 'the continuing negative': 851680, 'continuing negative impact': 201534, 'laxman': 482585, 'klaxman': 475890, 'bjp laxman': 132004, 'laxman asks': 482586, 'asks kcr': 96148, 'kcr to': 471211, 'commodity klaxman': 189205, 'klaxman kcr': 475891, 'kcr bjp': 471207, 'bjp hyderabad': 132003, 'bjp laxman asks': 132005, 'laxman asks kcr': 482587, 'asks kcr to': 96149, 'kcr to control': 471212, 'essential commodity klaxman': 280924, 'commodity klaxman kcr': 189206, 'klaxman kcr bjp': 475892, 'kcr bjp hyderabad': 471208, 'bfr': 129308, 'up whatever': 946572, 'whatever need': 982788, 'busy asking': 144867, 'asking silly': 96060, 'question someone': 693744, 'asking what': 96104, 'what provision': 982068, 'provision ha': 687267, 'ha govt': 370757, 'govt made': 361194, 'made beggar': 507649, 'beggar attitude': 123470, 'attitude like': 102566, 'food bfr': 313750, 'bfr covid': 129309, 'stock up whatever': 803130, 'up whatever need': 946573, 'whatever need they': 982789, 'are busy asking': 85095, 'busy asking silly': 144868, 'asking silly question': 96061, 'silly question someone': 769769, 'question someone is': 693745, 'someone is asking': 784526, 'is asking what': 445836, 'asking what provision': 96105, 'what provision ha': 982069, 'provision ha govt': 687268, 'ha govt made': 370758, 'govt made beggar': 361195, 'made beggar attitude': 507650, 'beggar attitude like': 123471, 'attitude like they': 102567, 'like they had': 491452, 'had plenty food': 373411, 'plenty food bfr': 660917, 'food bfr covid': 313751, 'bfr covid 19': 129310, 'nessel extends': 557504, 'extends consumer': 293243, 'hotline operation': 405255, 'track price': 928215, 'news sport': 560806, 'sport job': 789939, 'job daily': 465770, 'daily mining': 224701, 'mining gazette': 533280, 'ag nessel extends': 36812, 'nessel extends consumer': 557505, 'extends consumer protection': 293244, 'protection hotline operation': 685481, 'hotline operation to': 405256, 'operation to track': 613285, 'to track price': 917680, 'track price gouging': 928216, 'gouging complaint related': 359294, '19 news sport': 8779, 'news sport job': 560807, 'sport job daily': 789940, 'job daily mining': 465772, 'daily mining gazette': 224702, 'extremely irresponsible': 293900, 'selfish from': 748095, 'better maybe': 128363, 'maybe head': 521702, 'to lend': 909182, 'lend hand': 486202, 'extremely irresponsible and': 293901, 'irresponsible and selfish': 445035, 'and selfish from': 71192, 'selfish from someone': 748096, 'someone who should': 784769, 'know better maybe': 476308, 'better maybe head': 128364, 'maybe head over': 521703, 'your local hospital': 1024700, 'local hospital or': 498090, 'hospital or supermarket': 404547, 'or supermarket to': 617288, 'supermarket to lend': 823383, 'to lend hand': 909183, 'thiss': 891663, 'but thiss': 147563, 'about and toiletpaper': 24807, 'and toiletpaper but': 74241, 'toiletpaper but thiss': 921832, 'so silly': 778218, 'silly about': 769744, 'panic planting': 638421, 'planting some': 658763, 'some kale': 783163, 'kale and': 470700, 'and spinach': 72111, 'spinach covid': 789401, '19 threatens': 11383, 'threatens food': 893847, 'chain farm': 170695, 'farm worry': 299216, 'about worker': 26947, 'not feel so': 569387, 'feel so silly': 302857, 'so silly about': 778219, 'silly about panic': 769745, 'about panic planting': 25922, 'panic planting some': 638422, 'planting some kale': 658764, 'some kale and': 783164, 'kale and spinach': 470701, 'and spinach covid': 72112, 'spinach covid 19': 789402, 'covid 19 threatens': 213950, '19 threatens food': 11384, 'threatens food supply': 893848, 'supply chain farm': 824956, 'chain farm worry': 170696, 'farm worry about': 299217, 'worry about worker': 1010662, 'about worker falling': 26948, 'anaerobicdigestion': 56982, 'unprecedented amount': 943075, 'foodwaste apparently': 318250, 'apparently heading': 81941, 'energy plant': 276528, 'plant process': 658695, 'equipment face': 279718, 'face very': 294841, 'time panicbuying': 897454, 'panicbuying renewables': 639037, 'renewables energy': 710986, 'energy anaerobicdigestion': 276380, 'with unprecedented amount': 1001912, 'unprecedented amount of': 943076, 'amount of foodwaste': 53223, 'of foodwaste apparently': 583842, 'foodwaste apparently heading': 318251, 'apparently heading to': 81942, 'heading to waste': 385968, 'waste to energy': 968209, 'to energy plant': 905110, 'energy plant process': 276529, 'plant process and': 658696, 'process and equipment': 679880, 'and equipment face': 62225, 'equipment face very': 279719, 'face very tough': 294842, 'tough time panicbuying': 926859, 'time panicbuying renewables': 897455, 'panicbuying renewables energy': 639038, 'renewables energy anaerobicdigestion': 710987, '10 bonus': 1348, 'bonus is': 134382, 'deserved and': 238148, 'overdue recognition': 631200, 'recognition for': 704620, 'worker providing': 1007638, 'providing vitally': 687133, 'important public': 418931, 'service role': 752778, 'role mandate': 725114, 'mandate call': 512994, 'follow tesco': 312516, 'tesco example': 838700, 'reward their': 720791, 'workforce for': 1008357, 'this 10 bonus': 886144, '10 bonus is': 1349, 'bonus is well': 134383, 'well deserved and': 978149, 'deserved and long': 238149, 'and long overdue': 66351, 'long overdue recognition': 501551, 'overdue recognition for': 631201, 'recognition for group': 704621, 'of worker providing': 593281, 'worker providing vitally': 1007640, 'providing vitally important': 687134, 'vitally important public': 959757, 'important public service': 418932, 'public service role': 688308, 'service role mandate': 752779, 'role mandate call': 725115, 'mandate call on': 512995, 'all other retailer': 43787, 'other retailer to': 620856, 'retailer to follow': 719381, 'to follow tesco': 906064, 'follow tesco example': 312517, 'tesco example and': 838701, 'example and reward': 288871, 'and reward their': 70498, 'reward their workforce': 720792, 'their workforce for': 875228, 'workforce for stepping': 1008358, 'for stepping up': 325900, 'quantam': 691886, 'from quantam': 337016, 'quantam metric': 691887, 'metric traditional': 529889, 'seen meaningful': 747137, 'meaningful increase': 524856, 'shopping revenue': 763765, 'revenue seo': 720471, 'data from quantam': 226237, 'from quantam metric': 337017, 'quantam metric traditional': 691888, 'metric traditional retailer': 529890, 'traditional retailer with': 929017, 'with online store': 999906, 'store have seen': 808098, 'have seen meaningful': 382434, 'seen meaningful increase': 747138, 'meaningful increase in': 524857, 'online shopping revenue': 609251, 'shopping revenue seo': 763766, 'revenue seo sem': 720472, 'mobileappdevelopment digitalmarketing ecommerce': 535044, 'digitalmarketing ecommerce retail': 242770, 'ani': 76534, 'prnewswire': 679085, 'naspers': 552038, 'prosus commits': 684743, 'response hi': 715719, 'hi india': 394670, 'delhi india': 232893, 'india april': 434310, '10 ani': 1318, 'ani prnewswire': 76537, 'prnewswire prosus': 679086, 'prosus the': 684745, 'internet group': 441949, 'of naspers': 586855, 'naspers ha': 552039, 'committed 100': 189029, 'prosus commits 100': 684744, 'commits 100 crore': 189020, 'crore to india': 218974, 'to india covid': 908326, '19 response hi': 10150, 'response hi india': 715720, 'hi india new': 394671, 'new delhi india': 558619, 'delhi india april': 232894, 'india april 10': 434311, 'april 10 ani': 83392, '10 ani prnewswire': 1319, 'ani prnewswire prosus': 76538, 'prnewswire prosus the': 679087, 'prosus the global': 684746, 'the global consumer': 856292, 'global consumer internet': 351803, 'consumer internet group': 197914, 'internet group of': 441950, 'group of naspers': 366797, 'of naspers ha': 586856, 'naspers ha committed': 552040, 'ha committed 100': 370209, 'committed 100 crore': 189030, 'and encountered': 62094, 'encountered number': 275550, 'crew power': 216709, 'power company': 667584, 'truck the': 932865, 'entire crew': 278660, 'crew at': 216682, 'creatively staying': 216200, 'open coronacrisis': 612164, 'store and encountered': 806234, 'and encountered number': 62095, 'encountered number of': 275551, 'number of hero': 576947, 'of hero on': 584595, 'an ambulance crew': 55277, 'ambulance crew power': 51328, 'crew power company': 216710, 'power company crew': 667585, 'garbage truck the': 343539, 'truck the entire': 932866, 'the entire crew': 854350, 'entire crew at': 278661, 'crew at the': 216683, 'store the small': 810623, 'the small business': 867358, 'small business people': 774885, 'who are creatively': 988127, 'are creatively staying': 85625, 'creatively staying open': 216201, 'staying open coronacrisis': 798673, 'open coronacrisis hero': 612165, 'via ht': 956022, 'ht toiletpaper': 409746, 'panickbuying psychology': 639219, 'psychology medium': 687566, 'paper panic via': 640573, 'panic via ht': 638751, 'via ht toiletpaper': 956023, 'ht toiletpaper panickbuying': 409747, 'toiletpaper panickbuying psychology': 922313, 'panickbuying psychology medium': 639220, 'who delivered': 988554, 'delivered huge': 233341, 'huge package': 410118, 'christmas damn': 178163, 'to walmart who': 918317, 'walmart who delivered': 965473, 'who delivered huge': 988555, 'delivered huge package': 233342, 'huge package of': 410119, 'package of charmin': 633340, 'price if it': 674617, 'if it more': 414321, 'message me if': 529367, 'nearby today wa': 553693, 'today wa like': 920449, 'like christmas damn': 490001, 'christmas damn this': 178164, 'damn this is': 225449, 'nanjing': 551805, '228': 15318, 'nanjing is': 551806, 'is implementing': 448721, 'implementing flexible': 418505, 'hour together': 406043, 'been suppressed': 122107, 'suppressed by': 827407, 'recent epidemic': 703890, 'city aim': 179036, 'achieve sale': 29037, 'of 228': 579522, '228 billion': 15319, 'including catering': 431905, 'retail this': 718789, 'nanjing is implementing': 551807, 'is implementing flexible': 448722, 'implementing flexible working': 418506, 'flexible working hour': 310402, 'working hour together': 1008703, 'hour together with': 406044, 'with other measure': 999954, 'measure to boost': 525386, 'boost consumer spending': 134935, 'spending which ha': 789048, 'ha been suppressed': 369945, 'been suppressed by': 122108, 'suppressed by the': 827408, 'the recent epidemic': 865307, 'recent epidemic the': 703891, 'epidemic the city': 279451, 'the city aim': 850916, 'city aim to': 179037, 'aim to achieve': 39543, 'to achieve sale': 899990, 'achieve sale of': 29038, 'sale of 228': 732381, 'of 228 billion': 579523, '228 billion in': 15320, 'billion in industry': 130847, 'in industry including': 424084, 'industry including catering': 435907, 'including catering and': 431906, 'catering and retail': 167258, 'and retail this': 70446, 'retail this year': 718790, 'walz': 965528, 'walz classifies': 965529, 'walz classifies grocery': 965530, 'allowing them free': 46354, 'them free child': 875736, 'ohio and': 596516, 'share your appreciation': 755369, 'your appreciation of': 1022805, 'the many grocery': 860040, 'worker in central': 1007166, 'in central ohio': 421311, 'central ohio and': 169414, 'ohio and across': 596517, 'the country during': 852066, 'out moment': 626557, 'street parking': 813062, 'man reminds': 512203, 'birdbox birdbox': 131360, 'went out moment': 979090, 'out moment ago': 626558, 'moment ago to': 535872, 'ago to buy': 38514, 'food the street': 317133, 'the street parking': 868242, 'street parking lot': 813063, 'lot and supermarket': 503987, 'scary man reminds': 741162, 'man reminds me': 512204, 'of the movie': 591256, 'the movie birdbox': 861101, 'movie birdbox birdbox': 543993, 'birdbox birdbox staysafestayhome': 131361, 'know the damage': 476816, 'doe to the': 251651, 'to the skin': 917069, 'about fever': 25230, 'know about fever': 476211, 'about fever and': 25231, 'fever and covid': 303652, '19 consumer report': 5980, 'and external': 62558, 'observed multiple': 578620, 'enforcement and external': 276744, 'and external government': 62559, 'agency have observed': 38021, 'have observed multiple': 381750, 'observed multiple attempt': 578621, '19 scam at': 10337, 'law three': 482423, 'three key': 893967, 'key compliance': 473252, 'compliance challenge': 192437, 'and the australian': 73249, 'the australian consumer': 849059, 'consumer law three': 198009, 'law three key': 482424, 'three key compliance': 893968, 'key compliance challenge': 473253, 'compliance challenge for': 192438, 'msme': 544560, 'future economy': 342311, 'is collapsed': 446635, 'collapsed gdp': 186099, 'gdp fall': 344879, 'sharply stock': 755766, 'is crashed': 446878, 'crashed unemployment': 215095, 'of msme': 586711, 'msme is': 544561, 'crisis post': 217891, 'to face severe': 905572, 'face severe crisis': 294730, 'severe crisis in': 754005, 'crisis in near': 217535, 'near future economy': 553501, 'future economy is': 342312, 'economy is collapsed': 267993, 'is collapsed gdp': 446636, 'collapsed gdp fall': 186100, 'gdp fall sharply': 344880, 'fall sharply stock': 297048, 'sharply stock market': 755767, 'market is crashed': 516621, 'is crashed unemployment': 446879, 'crashed unemployment rate': 215096, 'rate is very': 697279, 'very high the': 955237, 'high the condition': 395465, 'condition of msme': 193498, 'of msme is': 586712, 'msme is not': 544562, 'not good and': 569718, 'good and most': 356740, 'is possibility of': 450943, 'of food crisis': 583673, 'food crisis post': 314060, 'crisis post lockdown': 217892, 'post lockdown of': 666201, 'lockdown of covid': 499715, 'that fool': 843928, 'fool trump': 318304, '90 thats': 23343, 'thats crazy': 847798, 'crazy those': 215447, 'price havent': 674476, 'havent been': 383933, 'since what': 770990, 'what 1950': 980952, '1950 seen': 12388, '90 am': 23269, 'am cry': 49992, 'cry right': 219910, 'that fool trump': 843929, 'fool trump said': 318305, 'trump said the': 933808, 'said the gas': 731432, 'gas price would': 344062, 'price would be': 677657, 'be at 90': 113728, 'at 90 thats': 97803, '90 thats crazy': 23344, 'thats crazy those': 847799, 'crazy those price': 215448, 'those price havent': 892366, 'price havent been': 674477, 'havent been seen': 383934, 'been seen since': 121900, 'seen since what': 747234, 'since what 1950': 770991, 'what 1950 seen': 980953, '1950 seen gas': 12389, 'seen gas for': 747031, 'gas for that': 343857, 'for that price': 326268, 'that price in': 845828, 'in the 90': 428962, 'the 90 am': 848211, '90 am cry': 23270, 'am cry right': 49993, 'cry right now': 219911, 'hello if': 389175, 'not implemented': 570069, 'hello if measure': 389176, 'if measure are': 414415, 'measure are not': 525123, 'are not implemented': 88394, 'not implemented to': 570070, 'implemented to stop': 418494, 'buying hoarding food': 150491, 'essential item more': 281214, 'item more people': 463463, 'end up dying': 276028, 'up dying from': 944763, 'dying from hunger': 263822, 'from hunger than': 335983, 'hunger than from': 411192, 'than from infection': 840680, 'day 02': 227081, '02 of': 801, 'lockdown am': 499124, 'am somewhat': 50418, 'somewhat running': 785273, 'food yet': 317696, 'other look': 620485, 'airline price': 39996, 'going international': 355226, 'international happens': 441815, 'date got': 226634, 'got passport': 358780, 'day 02 of': 227082, '02 of this': 802, 'of this lockdown': 591999, 'this lockdown am': 888685, 'lockdown am somewhat': 499125, 'am somewhat running': 50419, 'somewhat running low': 785274, 'on food yet': 600931, 'food yet my': 317697, 'yet my parent': 1016155, 'parent are arguing': 641579, 'are arguing with': 84611, 'arguing with each': 92741, 'each other look': 264193, 'other look at': 620486, 'at airline price': 97856, 'airline price not': 39999, 'not sure when': 571852, 'sure when the': 827825, 'over but going': 630041, 'but going international': 145802, 'going international happens': 355227, 'international happens to': 441816, 'best time for': 127933, 'time for future': 896711, 'for future date': 321825, 'future date got': 342296, 'date got passport': 226635, 'got passport and': 358781, 'passport and well': 643459, 'prepare an': 670053, 'kit that': 475643, 'includes 30': 431712, 'of medication': 586407, 'food designate': 314193, 'designate an': 238279, 'emergency caregiver': 272621, 'can care': 157866, 'supply prepare an': 825724, 'prepare an emergency': 670054, 'an emergency kit': 55679, 'emergency kit that': 272771, 'kit that includes': 475644, 'that includes 30': 844473, 'includes 30 day': 431713, 'supply of medication': 825635, 'of medication for': 586408, 'medication for your': 526649, 'for your pet': 328190, 'pet well at': 653478, 'of food designate': 583677, 'food designate an': 314194, 'designate an emergency': 238280, 'an emergency caregiver': 55669, 'emergency caregiver who': 272622, 'caregiver who can': 164517, 'who can care': 988375, 'can care for': 157867, 'care for you': 163958, 'you in case': 1019301, 'unable to care': 939324, 'start stock': 794518, 'homeless starving': 402790, 'starving cause': 795246, 'the extension': 854752, 'extension is': 293280, 'employed anc': 273459, 'want vote': 966163, 'vote so': 960502, 'so taking': 778333, 'better start stock': 128487, 'start stock piling': 794519, 'piling for more': 656595, 'the homeless starving': 857472, 'homeless starving cause': 402791, 'starving cause the': 795247, 'cause the extension': 167760, 'the extension is': 854753, 'extension is killing': 293281, 'people employed anc': 647776, 'employed anc want': 273460, 'anc want vote': 57301, 'want vote so': 966164, 'vote so taking': 960503, 'so taking the': 778334, 'taking the moral': 833592, 'stab': 791759, 'hypodermic': 412411, 'arrested because': 93820, 'live person': 495985, 'around asda': 93208, 'suit shouting': 817788, 'shouting have': 766792, 'virus deliberately': 958118, 'deliberately scaring': 232976, 'people second': 649362, 'person arrested': 652320, 'to stab': 915107, 'stab supermarket': 791760, 'guard with': 367870, 'with dirty': 998049, 'dirty hypodermic': 243752, 'hypodermic needle': 412412, 'more people were': 540050, 'people were arrested': 650195, 'were arrested because': 979340, 'arrested because of': 93821, 'of where live': 593092, 'where live person': 984990, 'live person wa': 495986, 'person wa running': 652690, 'wa running around': 963123, 'running around asda': 727913, 'around asda in': 93209, 'asda in hazmat': 94931, 'hazmat suit shouting': 384621, 'suit shouting have': 817789, 'shouting have the': 766793, 'the virus deliberately': 870821, 'virus deliberately scaring': 958119, 'deliberately scaring people': 232977, 'scaring people second': 741111, 'people second person': 649363, 'second person arrested': 743793, 'person arrested for': 652321, 'arrested for trying': 93848, 'trying to stab': 934876, 'to stab supermarket': 915108, 'stab supermarket security': 791761, 'security guard with': 744633, 'guard with dirty': 367871, 'with dirty hypodermic': 998050, 'dirty hypodermic needle': 243753, '19 should wear': 10505, 'stay tough': 797356, 'tough after': 926789, 'doe chinese': 251359, 'product survive': 681671, 'survive ain': 829120, 'ain we': 39666, 'avoid buying': 105023, 'store god': 807945, 'bless everyone': 132582, 'and stay tough': 72304, 'stay tough after': 797357, 'tough after all': 926790, 'all it chinese': 43264, 'long doe chinese': 501401, 'doe chinese product': 251360, 'chinese product survive': 177331, 'product survive ain': 681672, 'survive ain we': 829121, 'ain we don': 39667, 'panic and avoid': 637297, 'and avoid buying': 58560, 'avoid buying the': 105024, 'buying the entire': 151167, 'grocery store god': 365434, 'store god bless': 807946, 'god bless everyone': 354655, 'this stephen': 890324, 'stephen we': 799747, 'currently for': 221534, 're sorry about': 699553, 'sorry about this': 786006, 'about this stephen': 26663, 'this stephen we': 890325, 'stephen we re': 799748, 'demand currently for': 235198, 'currently for more': 221535, 'info please see': 437555, 'sederplate': 744841, 'jigsaw': 465469, 'traditional one': 929007, 'the sederplate': 866632, 'sederplate ha': 744842, 'the symbol': 869074, 'situation netflix': 772393, 'netflix jigsaw': 557613, 'jigsaw puzzle': 465470, 'puzzle face': 691316, 'course roll': 211927, 'paper happy': 640254, 'happy passover': 377664, 'passover may': 643442, 'plague pas': 657980, 'pas over': 643137, 'like the traditional': 491403, 'the traditional one': 869876, 'traditional one the': 929008, 'one the sederplate': 607202, 'the sederplate ha': 866633, 'sederplate ha the': 744843, 'ha the symbol': 372229, 'the symbol of': 869075, 'symbol of our': 830770, 'of our current': 587446, 'our current situation': 622645, 'current situation netflix': 221368, 'situation netflix jigsaw': 772394, 'netflix jigsaw puzzle': 557614, 'jigsaw puzzle face': 465471, 'puzzle face mask': 691317, 'sanitizer and of': 734422, 'of course roll': 582069, 'course roll of': 211928, 'toilet paper happy': 921300, 'paper happy passover': 640255, 'happy passover may': 377665, 'passover may the': 643443, 'may the plague': 521567, 'the plague pas': 863785, 'plague pas over': 657981, 'pas over your': 643138, 'over your house': 630971, 'off american': 593633, 'that run': 846075, 'and whose': 75617, 'whose unemployment': 990684, 'unemployment hasn': 941220, 'approved because': 83132, 'demand concerned': 235157, 'so what will': 778726, 'happen to laid': 377182, 'laid off american': 479011, 'off american that': 593634, 'american that run': 52247, 'that run out': 846076, 'food and whose': 313383, 'and whose unemployment': 75618, 'whose unemployment hasn': 990685, 'unemployment hasn been': 941221, 'hasn been approved': 378725, 'been approved because': 120672, 'approved because of': 83133, 'high demand concerned': 394999, 'read our response': 700519, 'clayton': 180433, 'protip for': 685961, 'buying idiot': 150508, 'idiot there': 413614, 'or good': 615502, 'australia either': 103270, 'either now': 270334, 'prospect hoarding': 684682, 'both pointless': 136014, 'and un': 74586, 'australian rn': 103541, 'rn clayton': 724322, 'clayton vic': 180434, 'protip for panic': 685962, 'panic buying idiot': 637766, 'buying idiot there': 150509, 'idiot there is': 413615, 'food or good': 315655, 'or good in': 615503, 'good in australia': 357240, 'in australia either': 420604, 'australia either now': 103271, 'either now or': 270335, 'now or in': 575472, 'or in prospect': 615757, 'in prospect hoarding': 427046, 'prospect hoarding is': 684683, 'hoarding is both': 399388, 'is both pointless': 446242, 'both pointless and': 136015, 'pointless and un': 662769, 'and un australian': 74587, 'un australian rn': 939272, 'australian rn clayton': 103542, 'rn clayton vic': 724323, 'paper kylie': 640401, 'kylie jenner': 478094, 'jenner makeup': 465088, 'makeup wipe': 510920, 'hey remember if': 394493, 'toilet paper kylie': 921332, 'paper kylie jenner': 640402, 'kylie jenner makeup': 478095, 'jenner makeup wipe': 465089, 'makeup wipe are': 510921, 'wipe are only': 996198, 'are only 10': 88758, 'f10': 294176, 'invoice': 444300, 'watson f10': 969328, 'f10 they': 294177, 'provide no': 686403, 'no invoice': 564523, 'invoice or': 444301, 'or receipt': 616799, 'watson f10 they': 969329, 'f10 they sell': 294179, 'mask at high': 518419, 'price and provide': 672510, 'and provide no': 69693, 'provide no invoice': 686404, 'no invoice or': 564524, 'invoice or receipt': 444302, 'risk houston': 723610, 'houston real': 407219, 'inventory up': 443719, 'yoy most': 1026965, 'happening prior': 377398, 'closed sale': 183315, 'for contract': 320329, 'contract signed': 201697, 'signed largely': 769368, 'largely in': 479860, 'calculated risk houston': 155310, 'risk houston real': 723611, 'houston real estate': 407220, 'yoy inventory up': 1026964, 'inventory up yoy': 443720, 'up yoy most': 946764, 'yoy most of': 1026966, 'is happening prior': 448286, 'happening prior to': 377399, '19 closed sale': 5851, 'closed sale in': 183316, 'sale in march': 732299, 'in march are': 425082, 'march are for': 515282, 'are for contract': 86645, 'for contract signed': 320330, 'contract signed largely': 201698, 'signed largely in': 769369, 'largely in january': 479861, 'in january and': 424355, 'emperor': 273364, 'tumbled trump': 935332, 'trump spoke': 933863, 'spoke during': 789714, 'heard what': 388169, 'all heard': 43086, 'an emperor': 55697, 'emperor with': 273365, 'no clothes': 563829, 'price tumbled trump': 677152, 'tumbled trump spoke': 935333, 'trump spoke during': 933864, 'spoke during the': 789715, 'during the they': 263208, 'the they heard': 869436, 'they heard what': 882423, 'heard what we': 388170, 'we all heard': 970333, 'all heard an': 43087, 'heard an emperor': 388061, 'an emperor with': 55698, 'emperor with no': 273366, 'with no clothes': 999740, 'bbcyourquestions why': 113166, '19 especially': 6833, 'bbcyourquestions why aren': 113167, 'aren all key': 92310, 'key worker getting': 473483, 'worker getting tested': 1007037, 'covid 19 especially': 213037, '19 especially supermarket': 6834, 'especially supermarket staff': 280616, 'staff they can': 792964, 'contact with hundred': 200275, 'moron running': 541631, 'store instead': 808439, 'functioning it': 341326, 'are these moron': 90976, 'these moron running': 880318, 'moron running to': 541632, 'the gun store': 856950, 'gun store instead': 368734, 'store instead of': 808440, 'stop functioning it': 804677, 'functioning it will': 341327, 'cape sometimes': 162620, 'wear supermarket': 974465, 'supermarket apron': 819139, 'wear cape sometimes': 974302, 'cape sometimes they': 162621, 'sometimes they wear': 785244, 'they wear supermarket': 883737, 'wear supermarket apron': 974466, 'of eat': 582935, 'our meal': 623883, 're making the': 699027, 'making the rest': 511428, 'rest of eat': 716191, 'of eat out': 582937, 'eat out for': 266018, 'out for our': 626148, 'for our meal': 324269, 'our meal and': 623884, 'meal and this': 524095, 'this probably more': 889721, 'probably more likely': 679322, 'limited customer': 492616, 'buy 2kg': 148254, '2kg of': 16644, 'sugar each': 817447, 'each this': 264291, 'give every': 350471, 'household fair': 406790, 'fair access': 296306, 'item responding': 463611, 'sudden demand': 816995, 'of purchasing': 588608, 'bulk to': 142364, 'market update the': 517286, 'update the government': 947249, 'government ha limited': 360157, 'ha limited customer': 371147, 'limited customer to': 492617, 'to buy 2kg': 902168, 'buy 2kg of': 148255, '2kg of sugar': 16645, 'of sugar each': 590383, 'sugar each this': 817448, 'each this is': 264292, 'this is designed': 888230, 'designed to give': 238357, 'to give every': 906683, 'give every household': 350472, 'every household fair': 285939, 'household fair access': 406791, 'fair access to': 296307, 'essential item responding': 281227, 'item responding to': 463612, 'the sudden demand': 868383, 'sudden demand increase': 816996, 'demand increase of': 235690, 'increase of purchasing': 432945, 'of purchasing food': 588609, 'in bulk to': 421049, 'bulk to prepare': 142366, 'not earn': 569126, 'earn due': 264781, 'while quarantining': 987194, 'so you tell': 778851, 'you tell me': 1021539, 'me you do': 524047, 'not expect me': 569328, 'online and spend': 607851, 'and spend all': 72086, 'spend all the': 788571, 'do not earn': 249722, 'not earn due': 569127, 'earn due to': 264782, '19 while quarantining': 12051, 'ahlam': 39237, 'madhoun': 508101, 'to isolation': 908548, 'isolation said': 455410, 'said ahlam': 730953, 'ahlam al': 39238, 'al madhoun': 40586, 'madhoun 45': 508102, '45 she': 19131, 'she shopped': 756339, 'world understand': 1010127, 'isolation they': 455456, 'same what': 733418, 'under for': 940093, 'have become used': 379450, 'used to isolation': 950063, 'to isolation said': 908549, 'isolation said ahlam': 455411, 'said ahlam al': 730954, 'ahlam al madhoun': 39239, 'al madhoun 45': 40587, 'madhoun 45 she': 508103, '45 she shopped': 19132, 'she shopped in': 756340, 'shopped in supermarket': 761305, 'food will the': 317633, 'will the world': 995160, 'the world understand': 871998, 'world understand that': 1010128, 'understand that the': 940733, 'that the isolation': 846756, 'the isolation they': 858569, 'isolation they live': 455457, 'in for 14': 423007, '14 day is': 3450, 'the same what': 866322, 'same what we': 733419, 'have been living': 379597, 'been living under': 121470, 'living under for': 496466, 'under for 14': 940094, 'get shout': 347984, 'than medical': 840878, 'can get shout': 158449, 'get shout out': 347985, 'contact with more': 200279, 'people than medical': 649745, 'than medical worker': 840879, 'it mistake': 459645, 'mistake second': 534476, 'it choice': 457134, 'choice take': 177812, 'take lesson': 832271, 'from history': 335820, 'country stay': 211079, 'first time it': 309103, 'time it mistake': 897084, 'it mistake second': 459646, 'mistake second time': 534477, 'second time it': 743847, 'time it choice': 897075, 'it choice take': 457135, 'choice take lesson': 177813, 'take lesson from': 832272, 'lesson from history': 486480, 'from history and': 335821, 'history and the': 398004, 'and the experience': 73359, 'experience of other': 291437, 'of other country': 587361, 'other country stay': 620028, 'country stay at': 211080, 'home people stophoarding': 401837, 'for cell': 319984, 'phone retail': 655009, 'open you': 612693, 'math writingcommunity': 520481, 'writingcommunity corona': 1012944, 'work for cell': 1005142, 'for cell phone': 319985, 'cell phone retail': 168962, 'phone retail store': 655010, 'stay open you': 797166, 'open you do': 612694, 'the math writingcommunity': 860295, 'math writingcommunity corona': 520482, 'despite property': 238824, 'for fall': 321376, 'fall this': 297078, 'final quarter': 305865, 'despite property price': 238825, 'property price being': 684323, 'track for fall': 928190, 'for fall this': 321377, 'fall this summer': 297079, 'the final quarter': 855200, 'final quarter of': 305866, 'wheeler not': 983081, 'have basically': 379415, 'basically been': 112114, 'been abiding': 120586, 'abiding by': 24359, 'place framework': 657456, 'framework on': 330951, 'own since': 632210, 'store hoping': 808180, 'hoping this': 403946, 'lived after': 496144, 'of extreme': 583348, 'isolation new': 455356, 'number day': 576865, 'day should': 228351, 'wheeler not happy': 983082, 'happy about it': 377576, 'we have basically': 971762, 'have basically been': 379416, 'basically been abiding': 112115, 'been abiding by': 120587, 'abiding by the': 24360, 'by the shelter': 154437, 'in place framework': 426735, 'place framework on': 657457, 'framework on our': 330952, 'on our own': 602618, 'our own since': 624215, 'own since last': 632211, 'last friday just': 480245, 'friday just going': 333251, 'grocery store hoping': 365471, 'store hoping this': 808181, 'hoping this is': 403947, 'this is short': 888397, 'is short lived': 451879, 'short lived after': 764640, 'lived after week': 496145, 'week of extreme': 976612, 'of extreme isolation': 583350, 'extreme isolation new': 293812, 'isolation new case': 455357, 'new case number': 558463, 'case number day': 165881, 'number day should': 576866, 'calm if': 156749, 'will rush': 994731, 'rush towards': 728353, 'towards market': 927213, 'is an humble': 445663, 'request to those': 713224, 'stock of daily': 802520, 'use item please': 949321, 'item please stay': 463574, 'stay calm if': 796813, 'calm if we': 156750, 'if we will': 415325, 'we will rush': 973902, 'will rush towards': 994732, 'rush towards market': 728354, 'towards market and': 927214, 'market and buy': 515951, 'buy all these': 148294, 'all these thing': 45060, 'these thing then': 880819, 'thing then these': 884841, 'then these thing': 877647, 'thing will disappear': 884989, 'from market and': 336359, 'market and there': 515999, 'and there price': 73851, 'there price will': 878960, 'price will skyrocket': 677587, 'said fact': 731066, 'fact medicine': 295746, 'not sanctioned': 571424, 'sanctioned the': 733649, 'regime itself': 707359, 'preventing access': 671800, 'access regime': 28179, 'regime amp': 707339, 'amp irgc': 54017, 'irgc affiliated': 444867, 'affiliated entity': 34624, 'entity are': 278846, 'hoarding drug': 399264, 'drug amp': 260867, 'at marked': 99677, 'marked up': 515872, 'well said fact': 978535, 'said fact medicine': 731067, 'fact medicine is': 295747, 'medicine is not': 526822, 'is not sanctioned': 450180, 'not sanctioned the': 571425, 'sanctioned the regime': 733650, 'the regime itself': 865421, 'regime itself is': 707360, 'itself is preventing': 463942, 'is preventing access': 451014, 'preventing access regime': 671801, 'access regime amp': 28180, 'regime amp irgc': 707340, 'amp irgc affiliated': 54018, 'irgc affiliated entity': 444868, 'affiliated entity are': 34625, 'entity are hoarding': 278847, 'are hoarding drug': 87200, 'hoarding drug amp': 399265, 'drug amp other': 260868, 'amp other critical': 54238, 'other critical medical': 620044, 'critical medical product': 218605, 'medical product that': 526323, 'product that they': 681701, 'they can then': 881683, 'can then sell': 159966, 'sell at marked': 748636, 'at marked up': 99678, 'marked up price': 515873, 'obstruct': 578714, 'war sparked': 966543, 'sparked concern': 787578, 'would obstruct': 1012085, 'obstruct an': 578715, 'opec push': 611950, 'seen wildcard': 747356, 'wildcard geopolitical': 992099, 'price war sparked': 677374, 'war sparked concern': 966544, 'sparked concern that': 787579, 'the would obstruct': 872089, 'would obstruct an': 1012086, 'obstruct an opec': 578716, 'an opec push': 56650, 'opec push to': 611951, 'push to balance': 690330, 've seen wildcard': 953555, 'seen wildcard geopolitical': 747357, 'wildcard geopolitical move': 992100, 'officer hand': 595662, 'during australia': 262469, 'australia outbreak': 103344, 'police officer hand': 663120, 'officer hand out': 595663, 'hand out roll': 375163, 'calm shopper during': 156798, 'shopper during australia': 761491, 'during australia outbreak': 262470, 'wear facemasks': 974319, 'facemasks they': 295170, 'care industry': 164025, 'and cdc': 59655, 'cdc do': 168555, 'not recommend': 571263, 'recommend face': 704691, 'industry publix': 436063, 'are not allowing': 88318, 'not allowing their': 568154, 'allowing their employee': 46350, 'to wear facemasks': 918428, 'wear facemasks they': 974321, 'facemasks they are': 295171, 'are in very': 87460, 'in very high': 430569, 'very high demand': 955229, 'high demand especially': 395006, 'especially for those': 280487, 'in the health': 429261, 'health care industry': 386237, 'care industry the': 164026, 'industry the fda': 436149, 'the fda and': 855013, 'fda and cdc': 300824, 'and cdc do': 59656, 'cdc do not': 168556, 'do not recommend': 249816, 'not recommend face': 571264, 'recommend face mask': 704692, 'mask for those': 518691, 'food industry publix': 315022, 'fishy': 309430, 'trusttheplan': 934370, 'is professional': 451069, 'professional certified': 682432, 'certified help': 170237, 'help being': 389415, 'being turned': 125989, 'bank something': 110199, 'something smell': 785059, 'smell fishy': 775602, 'fishy with': 309431, 'that creating': 843395, 'creating needle': 216035, 'needle panic': 556645, 'panic trusttheplan': 638734, 'trusttheplan wwg1wga': 934371, 'why is professional': 991117, 'is professional certified': 451070, 'professional certified help': 682433, 'certified help being': 170238, 'help being turned': 389416, 'being turned away': 125990, 'turned away and': 935833, 'away and told': 105784, 'and told to': 74261, 'to go volunteer': 906879, 'go volunteer at': 354467, 'volunteer at local': 960231, 'at local food': 99602, 'food bank something': 313643, 'bank something smell': 110200, 'something smell fishy': 785060, 'smell fishy with': 775603, 'fishy with this': 309432, 'this virus scam': 891024, 'virus scam that': 958728, 'scam that creating': 740397, 'that creating needle': 843396, 'creating needle panic': 216036, 'needle panic trusttheplan': 556646, 'panic trusttheplan wwg1wga': 638735, 'positive action across': 665247, 'action across key': 29922, 'part everything': 642271, 'stock except': 802097, 'noodle toilet': 566821, 'wipe did': 996219, 'go vegan': 354453, 'vegan lol': 953870, 'most part everything': 542603, 'part everything is': 642272, 'in stock except': 428299, 'stock except rice': 802098, 'except rice noodle': 289219, 'rice noodle toilet': 721086, 'noodle toilet paper': 566822, 'paper and sanitizing': 639852, 'and sanitizing wipe': 70918, 'sanitizing wipe did': 736532, 'wipe did not': 996220, 'did not pay': 240726, 'not pay attention': 570976, 'price of produce': 675544, 'of produce if': 588467, 'produce if those': 680310, 'if those price': 415178, 'those price remain': 892368, 'remain stable this': 709861, 'stable this might': 791964, 'this might be': 888851, 'to go vegan': 906877, 'go vegan lol': 354454, 'beckley': 119900, 'beckley auto': 119901, 'auto mall': 103896, 'mall will': 511860, 'limited that': 492742, 'implementing way': 418532, 'go about': 353242, 'beckley auto mall': 119902, 'auto mall will': 103897, 'mall will keep': 511861, 'to customer but': 903848, 'customer but their': 222204, 'but their operation': 147436, 'operation are limited': 613141, 'are limited that': 87814, 'limited that why': 492743, 'why they re': 991458, 'also implementing way': 48392, 'implementing way that': 418533, 'way that people': 969924, 'can go about': 158488, 'go about buying': 353243, 'about buying car': 24913, 'car from home': 163098, 'own 19': 631860, '19 btw': 5466, 'btw you': 141562, 'awesome job': 106176, 'your guidance': 1024146, 'guidance we': 368301, 'hold of hand': 399966, 'sanitizer so making': 735754, 'so making my': 777630, 'my own 19': 549632, 'own 19 btw': 631861, '19 btw you': 5467, 'btw you re': 141563, 're doing an': 698532, 'doing an awesome': 252280, 'an awesome job': 55511, 'awesome job thank': 106177, 'for your guidance': 328160, 'your guidance we': 1024147, 'guidance we will': 368302, 'are within': 91657, 'customer day': 222291, 'glove surely': 352934, 'change lockdown': 172169, 'spoke to someone': 789735, 'to someone that': 914908, 'checkout in major': 174934, 'major supermarket they': 509502, 'supermarket they told': 823295, 'they are within': 881462, 'are within foot': 91658, 'within foot of': 1002359, 'foot of hundred': 318409, 'of customer day': 582269, 'customer day and': 222292, 'day and haven': 227265, 'been given mask': 121210, 'or glove surely': 615478, 'glove surely this': 352935, 'surely this need': 827959, 'to change lockdown': 902610, 'paper mystery': 640482, 'mystery finally': 551007, 'finally solved': 306099, 'toilet paper mystery': 921362, 'paper mystery finally': 640483, 'mystery finally solved': 551008, 'finally solved toiletpaperapocalypse': 306100, 'toiletpaperapocalypse toiletpaper toiletpapercrisis': 922933, 'toiletpapercrisis toiletpaperpanic grocery': 923113, 'toiletpaperpanic grocery what': 923213, 'grocery what everyone': 366128, 'what confinement': 981240, 'confinement look': 194072, 'france movement': 331014, 'necessary travel': 554132, 'available ever': 104342, 'ever temporary': 285532, 'opened including': 612737, 'it hotel': 458638, 'is what confinement': 453868, 'what confinement look': 981241, 'confinement look like': 194073, 'like in france': 490488, 'in france movement': 423082, 'france movement is': 331015, 'to necessary travel': 910507, 'necessary travel food': 554133, 'travel food is': 930364, 'almost available ever': 46561, 'available ever temporary': 104343, 'ever temporary shortage': 285533, 'many shop can': 514696, 'be opened including': 116260, 'opened including it': 612738, 'including it hotel': 432029, 'it hotel and': 458639, 'spacex make': 787220, 'and donates': 61656, 'donates hand': 254394, 'shield to': 758178, 'spacex make and': 787221, 'make and donates': 509688, 'and donates hand': 61657, 'donates hand sanitizer': 254395, 'sanitizer face shield': 734848, 'face shield to': 294745, 'shield to stop': 758180, 'and fought': 63220, 'fought over': 330131, 'our mom': 623937, 'mom how': 535749, 'going helpus': 355191, 'helpus so': 391653, 'my sister and': 550103, 'sister and fought': 771715, 'and fought over': 63221, 'fought over who': 330132, 'store with our': 811395, 'with our mom': 1000006, 'our mom how': 623938, 'mom how your': 535750, 'how your quarantine': 409306, 'your quarantine going': 1025488, 'quarantine going helpus': 692221, 'going helpus so': 355192, 'concerned about that': 193175, 'that she tweeted': 846244, 'maybe your': 521901, 'your small': 1025833, 'ftc kick': 339417, 'off series': 594139, 'of blog': 580745, 'with tip': 1001775, 'tip about': 898689, 'you been laid': 1017425, 'the coronavirus or': 851885, 'coronavirus or maybe': 206360, 'or maybe your': 616093, 'maybe your small': 521902, 'your small business': 1025834, 'small business shut': 774892, 'shut down today': 767863, 'down today the': 257394, 'the ftc kick': 855932, 'ftc kick off': 339418, 'kick off series': 473795, 'off series of': 594140, 'series of blog': 751265, 'of blog with': 580746, 'blog with tip': 133048, 'with tip about': 1001776, 'tip about handling': 898691, 'about handling the': 25346, 'handling the financial': 376396, 'of the learn': 591182, 'the brief': 849992, 'brief chain': 139666, 'age survey': 37905, 'take the brief': 832639, 'the brief chain': 849993, 'brief chain store': 139667, 'store age survey': 806100, 'age survey on': 37906, 'survey on the': 828920, 'of on your': 587232, 'on your retail': 605497, 'your retail operation': 1025607, 'push eu': 690260, 'eu carbon': 283209, '16 month': 4138, 'push eu carbon': 690261, 'eu carbon price': 283210, 'carbon price to': 163416, 'to 16 month': 899518, '16 month low': 4139, 'psa there': 687438, 'purchase don': 689430, 'psa there is': 687439, 'consumer purchase don': 198615, 'purchase don fall': 689431, 'chaloo': 171658, 'ahe': 39126, 'mpp': 544334, 'customer life': 222570, 'increase from': 432789, 'from 1st': 334223, 'april save': 83672, 'save upto': 737696, 'upto 65': 947928, '65 lakh': 21360, 'lakh by': 479099, 'buying term': 151139, 'term plan': 838239, 'plan today': 658331, 'today click': 919378, 'click marketing': 181925, 'marketing by': 517542, 'by merchant': 153204, 'merchant of': 529034, 'death chaloo': 230004, 'chaloo ahe': 171659, 'ahe mpp': 39127, 'mpp merchant': 544335, 'merchant people': 529038, 'people party': 649079, 'dear customer life': 229771, 'customer life insurance': 222571, 'life insurance price': 488788, 'insurance price are': 440797, 'set to increase': 753525, 'to increase from': 908281, 'increase from 1st': 432790, 'from 1st april': 334224, '1st april save': 12716, 'april save upto': 83673, 'save upto 65': 737697, 'upto 65 lakh': 947929, '65 lakh by': 21361, 'lakh by buying': 479100, 'by buying term': 152042, 'buying term plan': 151140, 'term plan today': 838240, 'plan today click': 658332, 'today click marketing': 919379, 'click marketing by': 181926, 'marketing by merchant': 517543, 'by merchant of': 153205, 'merchant of death': 529035, 'of death chaloo': 582415, 'death chaloo ahe': 230005, 'chaloo ahe mpp': 171660, 'ahe mpp merchant': 39128, 'mpp merchant people': 544336, 'merchant people party': 529039, 'caused progressive': 167942, 'progressive economic': 683410, 'population due': 664672, 'gap continued': 343441, 'because of hunger': 119355, 'of hunger unavailability': 584922, 'market the outbreak': 517196, 'ha caused progressive': 370095, 'caused progressive economic': 167943, 'progressive economic crisis': 683411, 'among the population': 53070, 'the population due': 864025, 'population due to': 664673, 'to which it': 918554, 'which it can': 986074, 'near future that': 553509, 'future that huge': 342469, 'huge gap continued': 410047, 'kineticsquirrel': 475241, 'kineticsquirrel asked': 475242, 'kineticsquirrel asked the': 475243, 'asked the supermarket': 95847, 'juss': 468090, 'sayinn': 739778, 'outofwork': 629206, 'retail peep': 718390, 'peep who': 646298, 'are outta': 88900, 'outta work': 629716, 'your schedule': 1025690, 'schedule just': 741444, 'incase ya': 431350, 'ya store': 1014027, 'store decides': 807280, 'what hour': 981609, 'for juss': 322783, 'juss sayinn': 468091, 'sayinn retail': 739779, 'retail outofwork': 718372, 'all my retail': 43570, 'my retail peep': 549948, 'retail peep who': 718391, 'peep who are': 646299, 'who are outta': 988187, 'are outta work': 88901, 'outta work and': 629717, 'work and still': 1004810, 'and still getting': 72375, 'still getting paid': 800566, 'getting paid if': 349179, 'to take picture': 916222, 'take picture of': 832495, 'picture of your': 656178, 'of your schedule': 593520, 'your schedule just': 1025691, 'schedule just incase': 741445, 'just incase ya': 469059, 'incase ya store': 431351, 'ya store decides': 1014028, 'store decides to': 807281, 'decides to try': 230957, 'to try your': 917824, 'try your life': 934694, 'your life when': 1024652, 'life when it': 489203, 'to what hour': 918517, 'what hour they': 981610, 'hour they pay': 405993, 'they pay you': 882875, 'pay you for': 645249, 'you for juss': 1018650, 'for juss sayinn': 322784, 'juss sayinn retail': 468092, 'sayinn retail outofwork': 739780, 'it cull': 457430, 'cull of': 220233, 'weakest didn': 974118, 'so hopefully': 777323, 'hopefully there': 403886, 'tight ride': 895839, 'ride it': 721446, 'just feel the': 468698, 'feel the government': 302885, 'not care it': 568697, 'care it cull': 164035, 'it cull of': 457431, 'cull of the': 220234, 'of the weakest': 591608, 'the weakest didn': 871235, 'weakest didn stock': 974119, 'didn stock pile': 241212, 'pile food cause': 656492, 'food cause not': 313890, 'cause not selfish': 167673, 'pig so hopefully': 656458, 'so hopefully there': 777325, 'hopefully there enough': 403887, 'so just need': 777499, 'sit tight ride': 771847, 'tight ride it': 895840, 'ride it out': 721447, 'out and hope': 625670, 'the killed': 858806, 'killed the': 474615, 'myth of': 551054, 'the trickle': 869982, 'trickle down': 931729, 'job creator': 465764, 'creator yet': 216254, 'ignore right': 415835, 'now isn': 575093, 'ha the killed': 372205, 'the killed the': 858807, 'killed the myth': 474616, 'the myth of': 861179, 'myth of the': 551055, 'of the trickle': 591556, 'the trickle down': 869983, 'trickle down economy': 931731, 'down economy and': 256714, 'the job creator': 858655, 'job creator yet': 465765, 'creator yet the': 216255, 'yet the importance': 1016255, 'class is pretty': 180209, 'is pretty hard': 451011, 'pretty hard to': 671429, 'hard to ignore': 378068, 'to ignore right': 908113, 'ignore right now': 415836, 'right now isn': 722088, 'now isn it': 575094, 'chain being': 170550, 'food itself': 315245, 'itself from': 463930, 'not just supply': 570253, 'supply chain being': 824916, 'chain being tested': 170551, 'being tested by': 125905, 'tested by covid': 839278, 'but our relationship': 146731, 'with food itself': 998497, 'food itself from': 315246, 'corona epidemic': 203929, 'epidemic corona': 279354, 'have at my': 379377, 'my house corona': 548726, 'house corona epidemic': 406241, 'corona epidemic corona': 203930, 'epidemic corona washyourhands': 279355, 'kenya commerce': 472888, 'platform gobeba': 658968, 'gobeba ha': 354612, 'recorded tripling': 705122, 'order during': 618181, 'during on': 262825, 'store according': 806058, 'in kenya commerce': 424475, 'kenya commerce platform': 472889, 'commerce platform gobeba': 188608, 'platform gobeba ha': 658969, 'gobeba ha recorded': 354613, 'ha recorded tripling': 371676, 'recorded tripling of': 705123, 'of order during': 587331, 'order during on': 618182, 'during on going': 262826, '19 crisis more': 6285, 'crisis more kenyan': 217729, 'online shopping rather': 609243, 'rather than visiting': 697559, 'than visiting store': 841414, 'visiting store according': 959550, 'store according to': 806059, '77 consumer': 22282, 'from 77 consumer': 334335, '77 consumer slash': 22283, 'expectation about': 290792, 'about economy': 25154, 'economy housing': 267946, 'housing recession': 407142, 'recession were': 704397, 'were fluid': 979642, 'fluid and': 311529, 'and dynamic': 61831, 'dynamic the': 263912, 'developing threat': 239796, 'march thursdaythoughts': 515495, 'thursdaythoughts economics': 895476, 'economics insight': 267458, 'consumer expectation about': 197391, 'expectation about economy': 290793, 'about economy housing': 25155, 'economy housing recession': 267947, 'housing recession were': 407143, 'recession were fluid': 704398, 'were fluid and': 979643, 'fluid and dynamic': 311530, 'and dynamic the': 61832, 'dynamic the developing': 263913, 'the developing threat': 853224, 'developing threat during': 239797, 'threat during the': 893660, 'of march thursdaythoughts': 586214, 'march thursdaythoughts economics': 515496, 'thursdaythoughts economics insight': 895477, 'takeabasketnotatrolley': 832838, 'friday ve': 333315, 'week really': 976795, 'anything desperately': 80730, 'desperately my': 238568, 'new mantra': 559080, 'mantra is': 513346, 'take basket': 831985, 'basket not': 112373, 'not trolley': 572272, 'supermarket panicbuyinguk': 821916, 'panicbuyinguk takeabasketnotatrolley': 639177, 'takeabasketnotatrolley toiletroll': 832839, 'normally do weekly': 567496, 'do weekly supermarket': 250498, 'supermarket shop on': 822591, 'shop on friday': 760545, 'on friday ve': 601017, 'friday ve left': 333316, 'left it two': 485535, 'it two week': 461895, 'two week really': 937356, 'week really don': 976796, 'really don need': 702142, 'need anything desperately': 554455, 'anything desperately my': 80731, 'desperately my new': 238569, 'my new mantra': 549466, 'new mantra is': 559081, 'mantra is take': 513347, 'is take basket': 452524, 'take basket not': 831986, 'basket not trolley': 112374, 'not trolley supermarket': 572273, 'trolley supermarket panicbuyinguk': 932476, 'supermarket panicbuyinguk takeabasketnotatrolley': 821917, 'panicbuyinguk takeabasketnotatrolley toiletroll': 639178, 'provokes': 687304, 'soul destroying': 786220, 'destroying uk': 239091, 'uk foodbank': 938371, 'foodbank broken': 317760, 'and ransacked': 69933, 'ransacked covid': 696813, 'outbreak provokes': 628550, 'provokes panic': 687305, 'how awful': 407432, 'awful food': 106227, 'in tory': 430214, 'tory britain': 926067, 'britain hope': 140408, 'karma get': 470944, 'them good': 875792, 'soul destroying uk': 786221, 'destroying uk foodbank': 239092, 'uk foodbank broken': 938372, 'foodbank broken into': 317761, 'into and ransacked': 442402, 'and ransacked covid': 69934, 'ransacked covid 19': 696814, '19 outbreak provokes': 9171, 'outbreak provokes panic': 628551, 'provokes panic over': 687306, 'panic over supply': 638391, 'over supply how': 630670, 'supply how awful': 825376, 'how awful food': 407433, 'awful food that': 106228, 'food that much': 317093, 'that much needed': 845246, 'much needed in': 545157, 'needed in tory': 556407, 'in tory britain': 430215, 'tory britain hope': 926068, 'britain hope karma': 140409, 'hope karma get': 403529, 'karma get them': 470945, 'get them good': 348362, 'traveling cross': 930640, 'cross country': 218997, 'country day': 210569, 'day illinois': 227784, 'illinois iowa': 416290, 'iowa missouri': 444497, 'missouri leaving': 534434, 'leaving illinois': 485094, 'illinois the': 416313, 'of statewide': 590076, 'order low': 618370, 'price buffalo': 672963, 'buffalo statue': 141853, 'statue know': 796642, 'traveling cross country': 930641, 'cross country day': 218998, 'country day illinois': 210570, 'day illinois iowa': 227785, 'illinois iowa missouri': 416291, 'iowa missouri leaving': 444498, 'missouri leaving illinois': 534435, 'leaving illinois the': 485095, 'illinois the day': 416314, 'day of statewide': 228104, 'of statewide stay': 590077, 'home order low': 401778, 'order low gas': 618371, 'gas price buffalo': 343938, 'price buffalo statue': 672964, 'buffalo statue know': 141854, 'statue know how': 796643, 'destabilize': 238955, 'around guy': 93310, 'about any': 24817, 'that nonsense': 845373, 'nonsense fear': 566722, 'about foodshortages': 25269, 'foodshortages highlight': 318140, 'economic anxiety': 266989, 'anxiety most': 78751, 'feeling today': 303088, 'to destabilize': 904212, 'destabilize nation': 238956, 'nation already': 552111, 'panic before': 637399, 'go around guy': 353313, 'around guy do': 93311, 'worry about any': 1010624, 'about any of': 24818, 'of that nonsense': 590732, 'that nonsense fear': 845374, 'nonsense fear about': 566723, 'fear about foodshortages': 301005, 'about foodshortages highlight': 25270, 'foodshortages highlight the': 318141, 'highlight the economic': 395966, 'the economic anxiety': 853894, 'economic anxiety most': 266990, 'anxiety most american': 78752, 'are feeling today': 86523, 'feeling today it': 303089, 'today it doesn': 919737, 'it doesn take': 457644, 'doesn take much': 251963, 'take much to': 832346, 'much to destabilize': 545389, 'to destabilize nation': 904213, 'destabilize nation already': 238957, 'nation already in': 552112, 'already in panic': 47471, 'in panic before': 426475, 'panic before this': 637400, 'before this outbreak': 123231, 'this outbreak began': 889318, 'retailer drop': 719120, 'drop iphone': 260281, 'chinese retailer drop': 177342, 'retailer drop iphone': 719121, 'drop iphone 11': 260282, '11 price to': 2581, 'price to boost': 676971, 'to boost sale': 901929, 'boost sale amid': 135007, 'sale amid covid': 732028, 'pandemic via com': 636894, 'nonprofit service': 566700, 'immense spoke': 417189, 'the york': 872193, 'county covid': 211352, 'demand for nonprofit': 235461, 'for nonprofit service': 323910, 'nonprofit service especially': 566701, 'service especially food': 752335, 'especially food and': 280477, 'shelter is immense': 757935, 'is immense spoke': 448678, 'immense spoke with': 417190, 'spoke with and': 789745, 'with and about': 997238, 'and about how': 57549, 'how the york': 408896, 'the york county': 872194, 'york county covid': 1016601, 'county covid 19': 211353, 'response fund will': 715710, 'fund will help': 341545, 'acl': 29127, 'offing': 596035, 'also breach': 47974, 'breach of': 138361, 'law which': 482445, 'which their': 986382, 'their state': 874813, 'affair body': 34009, 'body would': 133915, 'an acl': 55073, 'acl violation': 29128, 'violation in': 957515, 'the offing': 862101, 'and it also': 65482, 'it also breach': 456421, 'also breach of': 47975, 'breach of consumer': 138362, 'of consumer law': 581751, 'consumer law which': 198010, 'law which their': 482446, 'which their state': 986383, 'their state consumer': 874814, 'state consumer affair': 795478, 'consumer affair body': 196080, 'affair body would': 34010, 'body would be': 133916, 'be interested in': 115520, 'interested in there': 441469, 'in there an': 429808, 'there an acl': 877986, 'an acl violation': 55074, 'acl violation in': 29129, 'violation in the': 957516, 'in the offing': 429413, 'war didn': 966413, 'didn significantly': 241203, 'change until': 172375, 'also doe': 48114, 'mention whether': 528807, 'stop import': 804761, 'usa price': 948721, 'lying about china': 507059, 'about china trade': 24960, 'trade war didn': 928607, 'war didn significantly': 966414, 'didn significantly change': 241204, 'significantly change until': 769556, 'change until hit': 172376, 'trump also doe': 933398, 'also doe not': 48115, 'doe not mention': 251509, 'not mention whether': 570572, 'mention whether the': 528808, 'whether the will': 985587, 'the will stop': 871582, 'will stop import': 994998, 'stop import from': 804762, 'china and the': 176492, 'and the production': 73531, 'the production in': 864606, 'the usa price': 870551, 'raked': 696211, 'is cancelling': 446373, 'cancelling existing': 161211, 'recourse feel': 705153, 'feel just': 302691, 'husband were': 411786, 'just raked': 469549, 'raked over': 696212, 'coal same': 185069, 'is cancelling existing': 446374, 'cancelling existing flight': 161212, 'get home no': 347246, 'home no recourse': 401664, 'no recourse feel': 565307, 'recourse feel just': 705154, 'feel just wrong': 302692, 'just wrong my': 470357, 'wrong my mom': 1013062, 'mom and her': 535682, 'her husband were': 392127, 'husband were just': 411787, 'were just raked': 979820, 'just raked over': 469550, 'raked over the': 696213, 'over the coal': 630703, 'the coal same': 851112, 'coal same flight': 185070, 'parted': 642506, 'sang': 733780, 'bayarealockdown': 112987, 'heaven parted': 388551, 'parted sang': 642507, 'sang down': 733781, 'down finally': 256751, 'finally fucking': 306005, 'fucking found': 339869, 'toiletpaper shelterathome': 922450, 'shelterathome californialockdown': 757964, 'californialockdown bayarealockdown': 155624, 'bayarealockdown toiletpaperapocalypse': 112988, 'today the heaven': 920292, 'the heaven parted': 857219, 'heaven parted sang': 388552, 'parted sang down': 642508, 'sang down finally': 733782, 'down finally fucking': 256752, 'finally fucking found': 306006, 'fucking found toiletpaper': 339870, 'found toiletpaper shelterathome': 330447, 'toiletpaper shelterathome californialockdown': 922451, 'shelterathome californialockdown bayarealockdown': 757965, 'californialockdown bayarealockdown toiletpaperapocalypse': 155625, 'bayarealockdown toiletpaperapocalypse toiletpaperemergency': 112989, 'world but panic': 1009382, 'spread is making': 790585, 'peep if': 646282, 'food save': 316302, 'getting carry': 348891, 'into lock': 442706, 'peep if you': 646283, 'buying food save': 150330, 'food save it': 316303, 'save it support': 737528, 'it support the': 461384, 'support the restaurant': 826885, 'the restaurant by': 865647, 'by getting carry': 152671, 'getting carry out': 348892, 'carry out they': 165141, 'out they need': 627549, 'go into lock': 353755, 'into lock down': 442707, 'fearless': 301500, 'put mask': 690678, 'the fearless': 855043, 'fearless girl': 301501, 'girl the': 350285, 'statue capturing': 796637, 'and noticing': 67808, 'the raindrop': 865118, 'raindrop they': 695776, 'like fever': 490230, 'saddest part': 729303, 'part though': 642439, 'though is': 892833, 'mask wasted': 519502, 'wasted when': 968275, 'hospital image': 404462, 'someone put mask': 784615, 'put mask on': 690679, 'mask on the': 519056, 'on the fearless': 604114, 'the fearless girl': 855044, 'fearless girl the': 301502, 'girl the statue': 350287, 'the statue capturing': 867843, 'statue capturing the': 796638, 'capturing the face': 162961, 'face of our': 294664, 'economy now and': 268104, 'now and noticing': 574048, 'and noticing the': 67809, 'noticing the raindrop': 573513, 'the raindrop they': 865119, 'raindrop they look': 695777, 'look like fever': 502476, 'like fever the': 490231, 'fever the saddest': 303691, 'the saddest part': 866122, 'saddest part though': 729304, 'part though is': 642440, 'though is the': 892834, 'is the mask': 452860, 'the mask wasted': 860232, 'mask wasted when': 519503, 'wasted when every': 968276, 'when every last': 983392, 'every last one': 285976, 'the hospital image': 857524, 'adamasuniversity have': 31233, 'created cost': 215811, 'been prepared': 121691, 'guideline educationplus': 368416, 'of adamasuniversity have': 579770, 'adamasuniversity have created': 31234, 'have created cost': 380158, 'created cost effective': 215812, 'sanitizer to combat': 735910, 'sanitizer ha been': 735013, 'ha been prepared': 369872, 'been prepared per': 121692, 'per guideline educationplus': 650877, 'business chinesecoronavirus': 143520, 'chinesecoronavirus chinesewuhanvirus': 177405, 'other business chinesecoronavirus': 619911, 'business chinesecoronavirus chinesewuhanvirus': 143521, 'calculator toiletpaper': 155358, 'toiletpaper rona': 922420, 'paper the coronavirus': 640873, 'the coronavirus toilet': 851933, 'paper calculator toiletpaper': 640000, 'calculator toiletpaper rona': 155359, 'to basically': 901066, 'basically panic': 112150, 'afford to basically': 34788, 'to basically panic': 901067, 'basically panic buy': 112151, 'normal weekly shopping': 567405, 'weekly shopping where': 977570, 'shopping where the': 764385, 'hell do they': 389002, 'do they put': 250314, 'they put all': 882948, 'put all this': 690504, 'all this stop': 45136, 'this stop panic': 890340, 'nmgc': 563529, 'monopoly are': 537424, 'always bad': 49473, 'consumer move': 198165, 'to nmgc': 910612, 'nmgc no': 563530, 'fee no': 302200, 'no string': 565595, 'attached unlike': 102057, 'unlike amazon': 942691, 'amazon amzn': 50845, 'amzn some': 55011, 'some amazon': 782283, 'delivery wait': 234720, 'wait are': 964078, 'long month': 501529, 'monopoly are always': 537425, 'are always bad': 84493, 'always bad for': 49474, 'the consumer move': 851563, 'consumer move to': 198166, 'move to nmgc': 543760, 'to nmgc no': 910613, 'nmgc no fee': 563531, 'no fee no': 564210, 'fee no string': 302201, 'no string attached': 565596, 'string attached unlike': 813790, 'attached unlike amazon': 102058, 'unlike amazon amzn': 942692, 'amazon amzn some': 50846, 'amzn some amazon': 55012, 'some amazon prime': 782284, 'amazon prime delivery': 51074, 'prime delivery wait': 678110, 'delivery wait are': 234721, 'wait are long': 964079, 'are long month': 87870, 'long month on': 501530, 'month on some': 537926, 'shoprespectfully': 764530, 'thanked too': 841894, 'emergency planning': 272881, 'group nh': 366779, 'staff shoprespectfully': 792849, 'shoprespectfully supermarket': 764531, 'should be thanked': 765748, 'be thanked too': 117570, 'thanked too for': 841895, 'too for their': 924745, 'their emergency planning': 873128, 'emergency planning and': 272882, 'planning and support': 658515, 'and support for': 72838, 'support for vulnerable': 826527, 'for vulnerable group': 327601, 'vulnerable group nh': 960985, 'group nh staff': 366780, 'nh staff shoprespectfully': 562101, 'staff shoprespectfully supermarket': 792850, 'shoprespectfully supermarket food': 764532, 'across any': 29258, 'charging inflated': 173495, 'them complain': 875537, 'authority coronacrisis': 103702, 'if you come': 415410, 'come across any': 187183, 'across any shop': 29259, 'any shop charging': 79794, 'shop charging inflated': 760032, 'charging inflated price': 173496, 'for essential such': 321123, 'essential such toilet': 281609, 'paper soap hand': 640795, 'soap hand gel': 779021, 'gel etc you': 345113, 'etc you can': 282917, 'report them complain': 712354, 'them complain to': 875538, 'market authority coronacrisis': 516058, 'stoop': 804409, 'night online': 563047, 'in exciting': 422716, 'exciting package': 289601, 'strange shape': 812417, 'shape arriving': 754820, 'arriving on': 94011, 'the stoop': 867953, 'stoop now': 804410, 'it whatever': 462329, 'whatever grocery': 982756, 'grocery could': 364410, 'could think': 209766, 'after staying': 36245, 'up late': 945287, 'late enough': 480862, 'have lb': 381269, 'of organic': 587352, 'organic spinach': 619237, 'late night online': 480899, 'night online shopping': 563048, 'online shopping used': 609326, 'used to result': 950084, 'result in exciting': 717527, 'in exciting package': 422717, 'exciting package in': 289602, 'package in strange': 633305, 'in strange shape': 428485, 'strange shape arriving': 812418, 'shape arriving on': 754821, 'arriving on the': 94012, 'on the stoop': 604386, 'the stoop now': 867954, 'stoop now it': 804411, 'now it whatever': 575137, 'it whatever grocery': 462330, 'whatever grocery could': 982757, 'grocery could think': 364411, 'could think of': 209767, 'think of after': 885433, 'of after staying': 579820, 'after staying up': 36246, 'staying up late': 798725, 'up late enough': 945288, 'late enough to': 480863, 'enough to get': 277704, 'slot we now': 774294, 'now have lb': 574875, 'have lb of': 381270, 'lb of organic': 482770, 'of organic spinach': 587354, 'rivalry': 724172, 'new outbreak': 559240, 'could intensify': 209346, 'intensify the': 441126, 'the rivalry': 865897, 'rivalry between': 724173, 'between alibaba': 128704, 'group holding': 366729, 'holding ltd': 400130, 'ltd and': 506382, 'and tencent': 73117, 'tencent holding': 837870, 'the new outbreak': 861536, 'new outbreak ha': 559241, 'china and could': 176480, 'and could intensify': 60616, 'could intensify the': 209347, 'intensify the rivalry': 441127, 'the rivalry between': 865898, 'rivalry between alibaba': 724174, 'between alibaba group': 128705, 'alibaba group holding': 41712, 'group holding ltd': 366730, 'holding ltd and': 400131, 'ltd and tencent': 506383, 'and tencent holding': 73118, 'tencent holding ltd': 837871, 'global dairy': 351848, 'fourth consecutive': 330714, 'consecutive time': 194822, 'dairy trade': 225054, 'trade auction': 928419, 'auction last': 102850, 'global dairy price': 351849, 'dairy price fell': 225021, 'for the fourth': 326449, 'the fourth consecutive': 855742, 'fourth consecutive time': 330715, 'consecutive time at': 194823, 'at the global': 100961, 'the global dairy': 856297, 'global dairy trade': 351850, 'dairy trade auction': 225055, 'trade auction last': 928420, 'auction last week': 102851, 'zealand today': 1027316, 'today under': 920408, 'under order': 940186, 'from prime': 336977, 'minister kiwi': 533395, 'government aim': 359851, 'coronavirus want': 207042, 'thank people': 841624, 'home 7news': 400543, 'over in new': 630315, 'new zealand today': 559999, 'zealand today under': 1027317, 'today under order': 920409, 'under order from': 940187, 'order from prime': 618258, 'from prime minister': 336978, 'prime minister kiwi': 678145, 'minister kiwi are': 533396, 'kiwi are in': 475842, 'in an enforced': 420297, 'enforced lockdown the': 276713, 'the government aim': 856508, 'government aim to': 359852, 'aim to prevent': 39556, 'of coronavirus want': 581975, 'coronavirus want to': 207043, 'to thank people': 916431, 'thank people for': 841625, 'people for staying': 647958, 'at home 7news': 98929, 'screamed': 742645, 'wa walking': 963659, 'woman cry': 1003461, 'cry to': 219922, 'her buy': 391907, 'said your': 731614, 'she screamed': 756333, 'screamed need': 742651, 'wa walking out': 963660, 'store and saw': 806337, 'and saw woman': 70989, 'saw woman cry': 738331, 'woman cry to': 1003462, 'cry to the': 219924, 'police to let': 663253, 'to let her': 909204, 'let her buy': 486789, 'her buy grocery': 391908, 'buy grocery but': 148748, 'grocery but the': 364329, 'but the officer': 147372, 'the officer said': 862088, 'officer said your': 595711, 'said your husband': 731615, 'your husband is': 1024443, 'husband is positive': 411726, '19 and she': 5103, 'and she screamed': 71426, 'she screamed need': 756334, 'screamed need to': 742652, 'laurent': 482162, 'lanthier': 479517, 'controller': 202267, 'resident laurent': 714321, 'laurent lanthier': 482163, 'lanthier his': 479518, 'son robin': 785428, 'robin pose': 724734, 'pose behind': 665085, 'toiletpaper game': 922023, 'game controller': 343158, 'controller object': 202268, 'object significant': 578419, 'significant to': 769530, 'during imposed': 262713, 'the belgian': 849455, 'belgian government': 126162, 'resident laurent lanthier': 714322, 'laurent lanthier his': 482164, 'lanthier his son': 479519, 'his son robin': 397803, 'son robin pose': 785429, 'robin pose behind': 724735, 'pose behind the': 665086, 'behind the window': 124729, 'window of their': 995695, 'their home with': 873582, 'home with toiletpaper': 402542, 'with toiletpaper game': 1001805, 'toiletpaper game controller': 922024, 'game controller object': 343159, 'controller object significant': 202269, 'object significant to': 578420, 'significant to them': 769531, 'them during imposed': 875635, 'during imposed by': 262714, 'by the belgian': 154268, 'the belgian government': 849456, 'belgian government in': 126163, 'government in an': 360218, 'attempt to slow': 102260, 'down the outbreak': 257291, 'outbreak in brussels': 628337, 'dudley': 261628, 'crowd form': 219160, 'form outside': 329555, 'in dudley': 422407, 'dudley in': 261629, 'midland after': 530729, 'door early': 255580, 'helping tackle': 391480, 'about click': 24969, 'crowd form outside': 219161, 'form outside tesco': 329556, 'outside tesco store': 629582, 'tesco store in': 838815, 'store in dudley': 808298, 'in dudley in': 422408, 'dudley in the': 261630, 'west midland after': 980523, 'midland after it': 530730, 'after it opened': 35842, 'it opened it': 460130, 'it door early': 457677, 'door early for': 255581, 'early for nh': 264607, 'are helping tackle': 87110, 'helping tackle the': 391481, 'the outbreak for': 862625, 'for more about': 323552, 'more about click': 538499, 'about click here': 24970, 'the musician': 861150, 'musician union': 546385, 'union seem': 941936, 'be above': 113450, 'above doing': 27058, 'doing ordinary': 252586, 'ordinary job': 619087, 'is beneath': 446130, 'beneath them': 126874, 'song while': 785525, 'for nowt': 323988, 'the musician union': 861151, 'musician union seem': 546386, 'union seem to': 941937, 'to be above': 901086, 'be above doing': 113451, 'above doing ordinary': 27059, 'doing ordinary job': 252587, 'ordinary job they': 619088, 'job they seem': 466203, 'to think supermarket': 917385, 'think supermarket work': 885578, 'supermarket work is': 823974, 'work is beneath': 1005366, 'is beneath them': 446132, 'beneath them they': 126875, 'them they want': 876425, 'isolate and play': 454814, 'and play song': 69089, 'play song while': 659217, 'song while the': 785526, 'rest of work': 716211, 'work and make': 1004789, 'sure they get': 827738, 'they get money': 882172, 'get money for': 347572, 'money for nowt': 536755, 'contango': 200746, 'forwardation': 330056, 'gold not': 355939, 'last contango': 480156, 'contango the': 200749, 'virus sweeping': 958843, 'particularly gold': 642687, 'gold contango': 355873, 'contango also': 200747, 'also sometimes': 48896, 'called forwardation': 156325, 'forwardation is': 330057, 'gold not the': 355940, 'not the last': 572009, 'the last contango': 859003, 'last contango the': 480157, 'contango the covid': 200750, '19 virus sweeping': 11836, 'virus sweeping the': 958844, 'globe is having': 352472, 'impact on asset': 417820, 'on asset and': 599488, 'asset and commodity': 96413, 'commodity price particularly': 189282, 'price particularly gold': 675837, 'particularly gold contango': 642688, 'gold contango also': 355874, 'contango also sometimes': 200748, 'also sometimes called': 48897, 'sometimes called forwardation': 785187, 'called forwardation is': 156326, 'forwardation is situation': 330058, 'is situation where': 451950, 'industry call': 435709, 'calm latin': 156762, '19 food industry': 7044, 'food industry call': 315009, 'industry call for': 435710, 'for calm latin': 319887, 'calm latin american': 156763, 'latin american panic': 481645, 'feeling overwhelmed': 303044, 'isolation life': 455331, 'life check': 488558, 'this resource': 889884, 'by mental': 153202, 'health charity': 386262, 'charity mind': 173654, 'on mental': 602107, 'you re feeling': 1020620, 're feeling overwhelmed': 698680, 'feeling overwhelmed by': 303045, 'news the tale': 560871, 'tale of empty': 833699, 'threat of self': 893698, 'self isolation life': 747781, 'isolation life check': 455332, 'life check out': 488559, 'out this resource': 627584, 'this resource prepared': 889885, 'prepared by mental': 670167, 'by mental health': 153203, 'mental health charity': 528638, 'health charity mind': 386263, 'charity mind for': 173655, 'mind for tip': 532667, 'for tip and': 327203, 'tip and advice': 898701, 'advice on mental': 33456, 'on mental health': 602108, 'haphazard': 377042, 'in hi': 423674, 'hi everybody': 394633, 'everybody wa': 286496, 'and haphazard': 64170, 'haphazard hazmat': 377043, 'suit it': 817767, 'more reality': 540193, 'reality than': 701795, 'than wa': 841415, 'wa ready': 963051, 'for am': 319224, 'am afraid': 49854, 'since the at': 770865, 'the at home': 848997, 'order in hi': 618314, 'in hi everybody': 423675, 'hi everybody wa': 394634, 'everybody wa in': 286497, 'wa in mask': 962375, 'mask and haphazard': 518334, 'and haphazard hazmat': 64171, 'haphazard hazmat suit': 377044, 'hazmat suit it': 384619, 'suit it wa': 817768, 'it wa more': 462150, 'wa more reality': 962650, 'more reality than': 540194, 'reality than wa': 701796, 'than wa ready': 841416, 'wa ready for': 963052, 'ready for am': 700855, 'for am afraid': 319225, 'tx should': 937450, 'should order': 766298, 'essential state': 281578, 'home txlege': 402384, 'governor tx should': 361019, 'tx should order': 937452, 'should order all': 766299, 'non essential state': 566362, 'essential state employee': 281579, 'state employee to': 795563, 'employee to work': 274343, 'from home txlege': 335922, 'article immediate': 94360, 'immediate readiness': 417018, 'readiness before': 700724, 'sentiment kick': 750969, 'for b2b': 319555, 'b2b venture': 106476, 'venture covid': 954666, 'impact via': 418038, 'latest article immediate': 481218, 'article immediate readiness': 94361, 'immediate readiness before': 417019, 'readiness before consumer': 700725, 'before consumer sentiment': 122706, 'consumer sentiment kick': 198919, 'sentiment kick in': 750970, 'kick in even': 473789, 'in even for': 422665, 'even for b2b': 284077, 'for b2b venture': 319557, 'b2b venture covid': 106477, 'venture covid 19': 954667, '19 impact via': 7715, 'getting much': 349133, 'item onto': 463527, 'put product': 690793, 'product restriction': 681577, 'by larger': 153016, 'full letter': 340657, 'ceo here': 169717, 'we are focused': 970566, 'focused on getting': 311953, 'on getting much': 601084, 'getting much food': 349134, 'much food and': 544896, 'essential item onto': 281220, 'item onto shelf': 463528, 'onto shelf we': 611673, 'shelf we possibly': 757752, 'possibly can we': 665903, 'have put product': 382117, 'put product restriction': 690794, 'product restriction in': 681578, 'place to make': 657759, 'make sure these': 510533, 'sure these product': 827732, 'bought by larger': 136529, 'by larger number': 153017, 'of customer read': 582280, 'customer read the': 222742, 'the full letter': 856013, 'full letter from': 340659, 'letter from our': 487318, 'from our ceo': 336759, 'our ceo here': 622343, 'germ make': 346128, 'of germ make': 584097, 'germ make you': 346129, 'demand reported': 236132, 'reported cnn': 712478, 'the demand reported': 853107, 'demand reported cnn': 236133, 'karlstefanovic': 470932, 'whim': 987713, 'heartbreaking supermarket': 388414, 'incident prompted': 431432, 'prompted the': 683945, 'host to': 404898, 'address our': 32008, 'storage crisis': 805961, 'crisis karlstefanovic': 217629, 'karlstefanovic hoarding': 470933, 'hoarding whim': 399659, 'heartbreaking supermarket incident': 388415, 'supermarket incident prompted': 821012, 'incident prompted the': 431433, 'prompted the today': 683946, 'the today host': 869698, 'today host to': 919666, 'host to address': 404899, 'to address our': 900091, 'address our storage': 32010, 'our storage crisis': 624937, 'storage crisis karlstefanovic': 805962, 'crisis karlstefanovic hoarding': 217630, 'karlstefanovic hoarding whim': 470934, 'part small': 642424, 'small positive': 775069, 'positive step': 665441, 'step add': 799485, 'conquer stay': 194757, 'safe stop': 729998, 'buying fight': 150287, 'everyone to play': 287500, 'their part small': 874251, 'part small positive': 642425, 'small positive step': 775070, 'positive step add': 665442, 'step add up': 799486, 'add up we': 31529, 'up we will': 946547, 'will conquer stay': 992990, 'conquer stay at': 194758, 'stay safe stop': 797285, 'safe stop wasting': 729999, 'stop wasting food': 805259, 'wasting food say': 968308, 'food say no': 316308, 'no to panic': 565744, 'panic buying fight': 637729, 'buying fight against': 150288, 'aplaudoanuestrosheroes': 81474, 'usaquen': 948872, 'motiva': 543284, 'quedarse': 693354, 'bogotaencasa': 134000, 'bogotasequedaencasa': 134002, 'aplaudoanuestrosheroes usaquen': 81475, 'usaquen 8pm': 948873, '8pm esto': 23214, 'esto motiva': 282321, 'motiva quedarse': 543285, 'quedarse en': 693355, 'casa yomequedoencasa': 165557, 'yomequedoencasa bogotaencasa': 1016539, 'bogotaencasa bogotasequedaencasa': 134001, 'aplaudoanuestrosheroes usaquen 8pm': 81476, 'usaquen 8pm esto': 948874, '8pm esto motiva': 23215, 'esto motiva quedarse': 282322, 'motiva quedarse en': 543286, 'quedarse en casa': 693356, 'en casa yomequedoencasa': 275371, 'casa yomequedoencasa bogotaencasa': 165558, 'yomequedoencasa bogotaencasa bogotasequedaencasa': 1016540, 'creative with': 216185, 'including thing': 432196, 'way isle': 969669, 'isle instore': 454363, 'instore socialdistancing': 440504, 'walmart is getting': 965360, 'is getting creative': 448023, 'getting creative with': 348924, 'creative with their': 216186, 'with their social': 1001599, 'rule including thing': 727273, 'including thing like': 432197, 'thing like one': 884548, 'like one way': 490925, 'one way isle': 607370, 'way isle instore': 969670, 'isle instore socialdistancing': 454364, 'instore socialdistancing retail': 440505, 'medium social': 527286, 'medium usage': 527342, 'large increase': 479701, 'to user': 918083, 'user battling': 950267, 'battling loneliness': 112863, 'loneliness and': 501291, 'during physical': 262922, 'physical isolation': 655428, 'expected the covid': 290955, 'ha had big': 370788, 'had big change': 372925, 'big change on': 129698, 'change on consumer': 172201, 'behavior and consumption': 123882, 'and consumption of': 60461, 'consumption of medium': 199916, 'of medium social': 586420, 'medium social medium': 527287, 'social medium usage': 779893, 'medium usage ha': 527343, 'usage ha seen': 948829, 'ha seen large': 371832, 'seen large increase': 747114, 'large increase due': 479702, 'due to user': 262014, 'to user battling': 918084, 'user battling loneliness': 950268, 'battling loneliness and': 112864, 'loneliness and boredom': 501292, 'and boredom during': 59084, 'boredom during physical': 135403, 'during physical isolation': 262923, 'what upset': 982502, 'issue wa': 455987, 'wa people': 962919, 'people traveled': 650003, 'traveled outside': 930605, 'brought this': 141200, 'receiving extensive': 703765, 'extensive care': 293298, 'care while': 164267, 'never follow': 558000, 'follow airport': 312341, 'airport road': 40114, 'economic suffering': 267328, 'suffering all': 817283, 'these covid19': 879820, 'covid19 patient': 214349, 'need firing': 554776, 'firing squad': 308296, 'what upset me': 982503, 'upset me about': 947810, 'me about this': 522350, '19 issue wa': 8119, 'issue wa people': 455988, 'wa people traveled': 962920, 'people traveled outside': 650004, 'traveled outside the': 930606, 'outside the country': 629588, 'country and brought': 210434, 'and brought this': 59226, 'brought this virus': 141201, 'this virus are': 890999, 'virus are receiving': 957961, 'are receiving extensive': 89497, 'receiving extensive care': 703766, 'extensive care while': 293299, 'care while those': 164268, 'while those who': 987459, 'those who never': 892659, 'who never follow': 989338, 'never follow airport': 558001, 'follow airport road': 312342, 'airport road are': 40115, 'road are paying': 724413, 'price of lockdown': 675493, 'lockdown and economic': 499139, 'and economic suffering': 61912, 'economic suffering all': 267329, 'suffering all these': 817284, 'all these covid19': 45029, 'these covid19 patient': 879821, 'covid19 patient need': 214350, 'patient need firing': 644217, 'need firing squad': 554777, 'it april 10': 456578, '10 2020 at': 1254, 'investigate app': 443795, 'because mask': 119235, 'dollar pricegouging': 253059, 'pricegouging toiletpaperapocalypse': 677867, 'to investigate app': 908489, 'investigate app because': 443796, 'app because mask': 81687, 'because mask hand': 119236, 'sanitizer wipe toilet': 736125, 'paper are all': 639885, 'are all selling': 84347, 'selling for hundred': 749257, 'hundred of dollar': 410998, 'of dollar pricegouging': 582781, 'dollar pricegouging toiletpaperapocalypse': 253060, '161': 4224, 'greece to': 363349, 'monday due': 536275, 'out said': 627134, 'minister offender': 533433, 'offender will': 594474, 'fined 150': 307736, '150 euro': 3908, 'euro 161': 283346, '161 45': 4225, 'greece to ban': 363350, 'to ban all': 901018, 'ban all non': 109170, 'starting monday due': 794977, 'monday due to': 536276, 'due to only': 261886, 'to only people': 910975, 'their doctor are': 873051, 'doctor are permitted': 250838, 'go out said': 353979, 'out said the': 627135, 'said the prime': 731448, 'prime minister offender': 678154, 'minister offender will': 533434, 'offender will be': 594475, 'will be fined': 992463, 'be fined 150': 114857, 'fined 150 euro': 307737, '150 euro 161': 3909, 'euro 161 45': 283347, 'family nearly': 298067, 'all fresh': 42868, 'acting if': 29872, 'wrong nobody': 1013064, 'nobody wearing': 566081, 'mask bar': 518463, 'busy next': 144936, 'be shock': 117147, 'back from walk': 107021, 'from walk to': 338278, 'my family nearly': 548214, 'family nearly all': 298068, 'nearly all fresh': 553799, 'all fresh meat': 42869, 'fresh meat is': 333030, 'meat is sold': 525635, 'sold out however': 781735, 'out however other': 626344, 'however other than': 409433, 'than the food': 841237, 'are acting if': 84190, 'acting if nothing': 29873, 'nothing is wrong': 573071, 'is wrong nobody': 454102, 'wrong nobody wearing': 1013065, 'nobody wearing mask': 566082, 'wearing mask bar': 974683, 'mask bar and': 518464, 'and restaurant still': 70391, 'restaurant still busy': 716715, 'still busy next': 800305, 'busy next week': 144937, 'next week will': 561708, 'will be shock': 992680, 'be shock for': 117148, 'shock for most': 759448, 'the brit': 850016, 'brit love': 140347, 'love queuing': 504760, 'queuing so': 694231, 'the brit love': 850018, 'brit love queuing': 140348, 'love queuing so': 504761, 'queuing so with': 694232, 'siapai': 768323, 'siapai law': 768324, 'demand stated': 236269, 'if worsens': 415372, 'worsens here': 1011113, 'here which': 393828, 'pray doe': 668992, 'happen price': 377147, 'skyrocket producing': 773330, 'producing another': 680741, 'another major': 77710, 'siapai law of': 768325, 'and demand stated': 61171, 'demand stated by': 236270, 'stated by if': 796130, 'by if worsens': 152865, 'if worsens here': 415373, 'worsens here which': 1011114, 'here which we': 393829, 'which we pray': 986466, 'we pray doe': 972729, 'pray doe not': 668993, 'doe not happen': 251497, 'not happen price': 569789, 'happen price of': 377148, 'household item would': 406873, 'item would skyrocket': 463848, 'would skyrocket producing': 1012247, 'skyrocket producing another': 773331, 'producing another major': 680742, 'another major food': 77711, 'major food crisis': 509335, 'sure consumer': 827519, 'wa when': 963696, 'border close': 135226, 'or interstate': 615813, 'interstate travel': 442143, 'travel be': 930293, 'restricted when': 717177, 'will bankruptcy': 992333, 'bankruptcy law': 110530, 'law change': 482244, 'change these': 172318, 'asking in': 96014, 'are people so': 89049, 'people so sure': 649497, 'so sure consumer': 778322, 'sure consumer sentiment': 827520, 'sentiment will bounce': 751030, 'bounce back to': 136809, 'back to what': 107409, 'to what it': 918520, 'it wa when': 462221, 'wa when will': 963698, 'when will state': 984505, 'will state border': 994956, 'state border close': 795430, 'border close or': 135227, 'close or interstate': 182745, 'or interstate travel': 615814, 'interstate travel be': 442144, 'travel be restricted': 930294, 'be restricted when': 116853, 'restricted when will': 717178, 'when will bankruptcy': 984497, 'will bankruptcy law': 992334, 'bankruptcy law change': 110531, 'law change these': 482245, 'change these are': 172319, 'these are question': 879631, 'are question people': 89380, 'question people will': 693693, 'will be asking': 992366, 'be asking in': 113707, 'asking in the': 96015, 'that mixing': 845190, 'mixing the': 534657, 'vulnerable with': 961260, 'to proper': 912265, 'during special': 263036, 'just stupid': 469919, 'stupid but': 815364, 'but criminally': 145483, 'else think that': 271926, 'think that mixing': 885600, 'that mixing the': 845191, 'mixing the elderly': 534658, 'and vulnerable with': 75067, 'vulnerable with nh': 961261, 'access to proper': 28271, 'to proper ppe': 912266, 'proper ppe and': 684126, 'ppe and may': 667901, 'and may be': 66797, 'may be exposed': 520981, 'be exposed every': 114746, 'day to covid': 228561, '19 during special': 6675, 'during special supermarket': 263037, 'special supermarket hour': 788062, 'supermarket hour is': 820802, 'hour is not': 405708, 'not just stupid': 570251, 'just stupid but': 469920, 'stupid but criminally': 815365, 'but criminally irresponsible': 145484, 'disagrees': 244025, 'exclusive no': 289682, 'score credit': 742350, 'group disagrees': 366666, 'disagrees push': 244026, 'back cdnpoli': 106928, 'cdnpoli vanpoli': 168671, 'bcpoli canada': 113357, 'exclusive no break': 289683, 'consumer credit score': 197028, 'credit score credit': 216504, 'score credit industry': 742351, 'congress to protect': 194542, 'to consumer group': 903305, 'consumer group disagrees': 197658, 'group disagrees push': 366667, 'disagrees push back': 244027, 'push back cdnpoli': 690248, 'back cdnpoli vanpoli': 106929, 'cdnpoli vanpoli bcpoli': 168672, 'vanpoli bcpoli canada': 952438, 'needtogetoutmore': 556662, 'isolationblues': 455525, 'you needtogetoutmore': 1020067, 'needtogetoutmore when': 556663, 'you bump': 1017541, 'sister in': 771752, 'you skip': 1021266, 'skip home': 773130, 'on cloud': 599953, 'cloud stayhomesavelives': 184321, 'stayhomesavelives isolationblues': 798398, 'know you needtogetoutmore': 477086, 'you needtogetoutmore when': 1020068, 'needtogetoutmore when you': 556664, 'when you bump': 984542, 'you bump into': 1017542, 'bump into your': 142571, 'into your sister': 443329, 'your sister in': 1025811, 'sister in law': 771753, 'in law at': 424629, 'law at the': 482223, 'you re so': 1020749, 're so thankful': 699538, 'so thankful that': 778356, 'thankful that you': 841926, 'that you skip': 847744, 'you skip home': 1021267, 'skip home on': 773131, 'home on cloud': 401712, 'on cloud stayhomesavelives': 599954, 'cloud stayhomesavelives isolationblues': 184322, 'article presenting': 94430, 'presenting our': 670672, 'transforming the': 929604, 'shopping see the': 763828, 'see the article': 745810, 'the article presenting': 848940, 'article presenting our': 94431, 'presenting our view': 670673, 'our view on': 625273, '19 is transforming': 8070, 'is transforming the': 453335, 'transforming the grocery': 929605, 'seeing reduction': 746440, 'donation while': 254731, 'while more': 987060, 'continues the': 201447, 'profit agency': 682643, 'also taken': 48947, 'is seeing reduction': 451717, 'seeing reduction in': 746441, 'reduction in donation': 706361, 'in donation while': 422363, 'donation while more': 254732, 'while more demand': 987061, 'more demand is': 538991, 'is expected the': 447643, 'crisis continues the': 217250, 'continues the non': 201448, 'non profit agency': 566468, 'profit agency ha': 682644, 'agency ha also': 38015, 'ha also taken': 369529, 'also taken step': 48948, 'porsche': 664863, 'panamera': 634694, 'decorated': 231535, 'porschepanamera': 664870, 'porsche panamera': 664866, 'panamera is': 634695, 'is decorated': 447064, 'decorated with': 231536, 'in hollywood': 423775, 'hollywood porsche': 400466, 'porsche porschepanamera': 664868, 'porschepanamera toiletpaper': 664871, 'handsanitizer via': 376671, 'porsche panamera is': 664867, 'panamera is decorated': 634696, 'is decorated with': 447065, 'decorated with toilet': 231537, 'paper and bottle': 639810, 'sanitizer is seen': 735209, 'seen in hollywood': 747072, 'in hollywood porsche': 423777, 'hollywood porsche porschepanamera': 400467, 'porsche porschepanamera toiletpaper': 664869, 'porschepanamera toiletpaper handsanitizer': 664872, 'toiletpaper handsanitizer via': 922055, 'holographic': 400486, 'adequate air': 32154, 'air ventilation': 39804, 'ventilation in': 954509, 'philadelphia elevator': 654692, 'elevator just': 271383, 'prayer elevator': 669057, 'elevator in': 271381, 'china us': 177034, 'us holographic': 948526, 'holographic button': 400487, 'button amid': 148200, 'no no hand': 564875, 'sanitizer no adequate': 735411, 'no adequate air': 563589, 'adequate air ventilation': 32155, 'air ventilation in': 39805, 'ventilation in philadelphia': 954510, 'in philadelphia elevator': 426683, 'philadelphia elevator just': 654693, 'elevator just prayer': 271384, 'just prayer elevator': 469484, 'prayer elevator in': 669058, 'elevator in china': 271382, 'in china us': 421444, 'china us holographic': 177035, 'us holographic button': 948527, 'holographic button amid': 400488, 'hey shopper': 394508, 'by forcing': 152631, 'you potentially': 1020394, 'day stayhomechallenge': 228398, 'hey shopper feel': 394509, 'worse by forcing': 1010896, 'by forcing grocery': 152632, 'worker to interact': 1008010, 'interact with hundred': 441207, 'hundred of you': 411023, 'of you potentially': 593410, 'you potentially infected': 1020395, 'infected people every': 436614, 'people every day': 647827, 'every day stayhomechallenge': 285844, 'unfortunately because': 941579, 'need childcare': 554606, 'with still': 1000968, 'not flexible': 569446, 'enough which': 277766, 'which understand': 986420, 'understand so': 940712, 'tried to apply': 931824, 'apply for supermarket': 82565, 'for supermarket but': 326001, 'supermarket but unfortunately': 819463, 'but unfortunately because': 147653, 'unfortunately because would': 941580, 'because would need': 119856, 'would need childcare': 1012048, 'need childcare and': 554607, 'childcare and my': 176288, 'partner and his': 642765, 'and his parent': 64609, 'his parent who': 397685, 'parent who live': 641780, 'who live with': 989221, 'live with still': 496121, 'with still work': 1000970, 'still work not': 801422, 'work not flexible': 1005500, 'not flexible enough': 569447, 'flexible enough which': 310385, 'enough which understand': 277767, 'which understand so': 986421, 'understand so need': 940713, 'so need help': 777861, 'cause fever': 167564, 'coughing result': 208744, 'paper wonder': 641105, 'would had': 1011853, 'had happen': 373163, 'wa causing': 961803, 'causing diarrhea': 168024, 'cause fever and': 167565, 'fever and coughing': 303651, 'and coughing result': 60609, 'coughing result the': 208745, 'result the supermarket': 717639, 'the supermarket run': 868780, 'supermarket run out': 822275, 'toilet paper wonder': 921531, 'paper wonder what': 641106, 'wonder what would': 1004018, 'what would had': 982643, 'would had happen': 1011854, 'had happen if': 373164, 'happen if it': 377095, 'it wa causing': 462087, 'wa causing diarrhea': 961804, 'business spending': 144402, 'stay cautious': 796820, 'gap we': 343471, 'the tap': 869148, 'tap too': 834341, 'early like': 264634, 'is wrong the': 454106, 'economic hit of': 267123, 'hit of the': 398347, 'the will last': 871578, 'last for year': 480234, 'for year consumer': 328000, 'year consumer and': 1014480, 'and business spending': 59302, 'business spending will': 144403, 'spending will stay': 789057, 'will stay cautious': 994960, 'stay cautious but': 796821, 'cautious but the': 168215, 'but the state': 147410, 'the state can': 867756, 'state can fill': 795448, 'can fill the': 158307, 'the gap we': 856143, 'gap we must': 343472, 'must not turn': 546786, 'not turn off': 572301, 'turn off the': 935718, 'off the tap': 594275, 'the tap too': 869150, 'tap too early': 834342, 'too early like': 924705, 'early like in': 264635, 'like in 2010': 490486, '85yr': 22962, 'kingdom going': 475323, 'bed early': 120392, 'sure up': 827793, 'my 85yr': 547200, '85yr old': 22963, 'mum loaf': 545922, 'bread with': 138643, 'no guarantee': 564387, 'guarantee ll': 367709, 'united kingdom going': 942180, 'kingdom going to': 475324, 'going to bed': 355536, 'to bed early': 901692, 'bed early to': 120393, 'make sure up': 510537, 'sure up early': 827794, 'early to go': 264730, 'get my 85yr': 347625, 'my 85yr old': 547201, '85yr old mum': 22964, 'old mum loaf': 598378, 'mum loaf of': 545923, 'of bread with': 580851, 'bread with no': 138644, 'with no guarantee': 999757, 'no guarantee ll': 564388, 'guarantee ll be': 367710, 'get her one': 347216, 'her one what': 392254, 'one what the': 607424, 'visibly le': 959146, 'in center': 421307, 'center no': 169268, 'everyone speaks': 287396, 'speaks about': 787787, 'shopping craze': 762416, 'up non': 945464, 'the turnover': 870119, 'turnover of': 936011, 'visibly le people': 959147, 'le people in': 483070, 'people in center': 648356, 'in center no': 421308, 'center no sign': 169269, 'panic but everyone': 637445, 'but everyone speaks': 145681, 'everyone speaks about': 287397, 'speaks about the': 787788, 'about the shopping': 26520, 'the shopping craze': 867060, 'shopping craze in': 762417, 'craze in the': 215199, 'supermarket one week': 821757, 'one week ago': 607408, 'buying up non': 151294, 'up non perishable': 945465, 'perishable food now': 651974, 'food now it': 315570, 'now it toilet': 575134, 'paper and meat': 639840, 'and meat the': 66861, 'meat the turnover': 525772, 'the turnover of': 870120, 'turnover of shop': 936012, 'of shop ha': 589620, 'shop ha doubled': 760252, '602': 21127, '264': 16218, '4357': 18992, 'of arizona': 580363, 'arizona now': 92845, 'ha 24': 369408, 'hour helpline': 405671, 'helpline for': 391589, 'shop 602': 759793, '602 264': 21128, '264 4357': 16219, 'state of arizona': 795795, 'of arizona now': 580364, 'arizona now ha': 92846, 'now ha 24': 574839, 'ha 24 hour': 369409, '24 hour helpline': 15618, 'hour helpline for': 405672, 'helpline for senior': 391590, 'senior who cannot': 750443, 'cannot shop 602': 162092, 'shop 602 264': 759794, '602 264 4357': 21129, 'carnage that': 164778, 'that unfolding': 847172, 'the carnage that': 850430, 'carnage that unfolding': 164779, 'that unfolding in': 847173, 'nature work': 552998, 'in mysterious': 425651, 'mysterious way': 550995, 'seeing another': 746228, 'another historic': 77655, 'historic event': 397952, 'are ruining': 89752, 'ruining the': 727151, 'waste driven': 968103, 'driven society': 259358, 'society this': 781330, 'different my': 242000, 'week iamlegend': 976346, 'mother nature work': 543141, 'nature work in': 552999, 'work in mysterious': 1005326, 'in mysterious way': 425652, 'mysterious way think': 550996, 'way think we': 969973, 'are seeing another': 89888, 'seeing another historic': 746229, 'another historic event': 77656, 'historic event that': 397953, 'event that tell': 285081, 'that tell we': 846630, 'tell we are': 837127, 'we are ruining': 970693, 'are ruining the': 89753, 'ruining the world': 727152, 'world by being': 1009388, 'by being consumer': 151942, 'being consumer waste': 124993, 'consumer waste driven': 199479, 'waste driven society': 968104, 'driven society this': 259359, 'society this covid': 781331, '19 really is': 9987, 'really is making': 702351, 'making me think': 511203, 'me think how': 523696, 'think how different': 885288, 'how different my': 407695, 'different my life': 242001, 'my life could': 549017, 'life could be': 488572, 'be in matter': 115417, 'of day week': 582390, 'day week iamlegend': 228695, 'more delicate': 538978, 'delicate organ': 233001, 'sanitizer unlike': 735986, 'monster on': 537470, 'lung are far': 506783, 'are far more': 86487, 'far more delicate': 298846, 'more delicate organ': 538979, 'delicate organ to': 233002, 'component of sanitizer': 192553, 'of sanitizer unlike': 589301, 'sanitizer unlike the': 735987, 'way to our': 970063, 'to our lung': 911207, 'becomes monster on': 120236, 'monster on our': 537471, 'on our hand': 602604, 'opec covid': 611856, '19 output': 9215, 'april trader': 83709, 'trader hope': 928693, 'opec will': 611985, 'catalyst for opec': 166922, 'for opec covid': 324135, 'opec covid 19': 611857, 'covid 19 output': 213535, '19 output cut': 9216, 'rose on april': 726086, 'on april trader': 599452, 'april trader hope': 83710, 'trader hope that': 928694, 'hope that member': 403647, 'that member of': 845142, 'member of opec': 528145, 'of opec will': 587290, 'opec will agree': 611986, 'meeting on april': 527736, 'on april read': 599451, 'evidently': 288427, 'worst on': 1011238, 'day restaurant': 228279, 'leave evidently': 484785, 'restaurant and grocery': 716287, 'the worst on': 872064, 'worst on good': 1011239, 'good day restaurant': 356948, 'day restaurant and': 228280, 'are always going': 84499, 'to work sick': 918780, 'work sick they': 1005726, 'sick leave evidently': 768490, '25million': 16099, 'announced 25million': 76909, '25million fund': 16100, 'organisation to': 619281, 'ha announced 25million': 369556, 'announced 25million fund': 76910, '25million fund for': 16101, 'fund for food': 341405, 'for food redistribution': 321620, 'redistribution organisation to': 705748, 'organisation to help': 619282, 'hopcoms': 403402, 'mangalore': 513107, 'marnamikatte': 517973, 'comoaring': 190287, 'hopcoms mangalore': 403403, 'mangalore near': 513108, 'near marnamikatte': 553533, 'marnamikatte wa': 517974, 'completely looting': 192316, 'by utilising': 154653, 'utilising the': 951251, 'high about': 394902, '200 300': 13444, '300 comoaring': 17292, 'comoaring to': 190288, 'hopcoms mangalore near': 403404, 'mangalore near marnamikatte': 513109, 'near marnamikatte wa': 553534, 'marnamikatte wa completely': 517975, 'wa completely looting': 961848, 'completely looting the': 192317, 'looting the people': 503274, 'the people by': 863461, 'people by utilising': 647367, 'by utilising the': 154654, 'utilising the covid': 951252, '19 lockdown who': 8441, 'lockdown who will': 500141, 'into this price': 443220, 'this price are': 889706, 'are high about': 87147, 'high about 200': 394903, 'about 200 300': 24666, '200 300 comoaring': 13445, '300 comoaring to': 17293, 'comoaring to other': 190289, 'to other retailer': 911120, 'tag business': 831750, 'use tag business': 949626, 'tag business in': 831751, 'philosophical': 654784, 'insert': 439204, 'thelittlethings': 875287, 'my philosophical': 549754, 'philosophical thought': 654785, 'no insert': 564505, 'insert whatever': 439205, 'flower thelittlethings': 311334, 'thelittlethings internationaldayofhappiness': 875288, 'my philosophical thought': 549755, 'philosophical thought of': 654786, 'the week if': 871303, 'week if there': 976357, 'are no insert': 88263, 'no insert whatever': 564506, 'insert whatever it': 439206, 'it is you': 459138, 'is you re': 454125, 'the supermarket buy': 868499, 'supermarket buy flower': 819467, 'buy flower thelittlethings': 148626, 'flower thelittlethings internationaldayofhappiness': 311335, 'find enough': 306888, 'shit on': 759176, 'the selfish moron': 866667, 'moron who panic': 541651, 'panic bought toilet': 637436, 'paper cannot find': 640015, 'cannot find enough': 161836, 'find enough food': 306889, 'enough food on': 277407, 'the shelf to': 866893, 'shelf to shit': 757705, 'to shit on': 914434, 'have clothes': 380004, 'on stayathome': 603652, 'and glove wa': 63744, 'glove wa enough': 353006, 'store so why': 810241, 'doe everyone else': 251390, 'everyone else have': 286859, 'else have clothes': 271721, 'have clothes on': 380005, 'clothes on stayathome': 184187, 'on stayathome quaratinelife': 603653, 'virul': 957879, 'cdc bos': 168548, 'bos downplays': 135658, 'downplays death': 257686, 'death estimate': 230028, 'estimate can': 282236, 'store virul': 811071, 'virul vigilante': 957880, 'vigilante are': 957266, 'are shaming': 90015, 'shaming neighbor': 754754, 'cdc bos downplays': 168549, 'bos downplays death': 135659, 'downplays death estimate': 257687, 'death estimate can': 230029, 'estimate can you': 282237, 'grocery store virul': 365915, 'store virul vigilante': 811072, 'virul vigilante are': 957881, 'vigilante are shaming': 957267, 'are shaming neighbor': 90016, 'shaming neighbor in': 754755, 'neighbor in small': 557044, 'small town and': 775159, 'town and more': 927433, 'out our daily': 626972, 'our daily coronavirus': 622686, 'daily coronavirus roundup': 224565, 'have reopened': 382265, 'reopened quickly': 711377, 'government promotes': 360485, 'promotes normal': 683828, 'normal return': 567290, 'after but': 35441, 'mall see': 511826, 'see consumer': 745007, 'purse string': 690209, 'string tight': 813797, 'tight or': 895833, 'and other store': 68415, 'other store in': 620988, 'store in china': 808286, 'china have reopened': 176706, 'have reopened quickly': 382266, 'reopened quickly the': 711378, 'quickly the government': 694617, 'the government promotes': 856587, 'government promotes normal': 360486, 'promotes normal return': 683829, 'normal return to': 567291, 'return to business': 719913, 'to business after': 902127, 'business after but': 143251, 'after but the': 35442, 'but the mall': 147358, 'the mall see': 859968, 'mall see consumer': 511827, 'see consumer stay': 745008, 'and keep their': 65785, 'keep their purse': 472094, 'their purse string': 874520, 'purse string tight': 690210, 'string tight or': 813798, 'tight or shop': 895834, 'or shop online': 617055, 'shop online new': 760577, 'is chaotic': 446485, 'or mortgage': 616192, 'payment student': 645741, 'other outstanding': 620634, 'outstanding debt': 629693, 're hosting': 698836, 'hosting facebook': 404958, 'live discussion': 495786, 'discussion wednesday': 245055, 'first director': 308640, 'this is chaotic': 888206, 'is chaotic time': 446486, 'chaotic time for': 173105, 'many of how': 514375, 'of how best': 584810, 'best to deal': 127943, 'deal with rent': 229570, 'with rent or': 1000458, 'rent or mortgage': 711141, 'or mortgage payment': 616193, 'mortgage payment student': 541939, 'payment student loan': 645742, 'student loan or': 814728, 'loan or other': 497490, 'or other outstanding': 616439, 'other outstanding debt': 620635, 'outstanding debt to': 629694, 'debt to help': 230583, 'we re hosting': 972897, 're hosting facebook': 698837, 'hosting facebook live': 404959, 'facebook live discussion': 294953, 'live discussion wednesday': 495787, 'discussion wednesday with': 245056, 'wednesday with the': 975705, 'with the first': 1001306, 'the first director': 855302, 'first director of': 308641, 'erdogan speaks': 280132, 'from rising': 337121, 'rising production': 723275, 'president erdogan speaks': 670809, 'erdogan speaks about': 280133, 'benefit from rising': 126991, 'from rising production': 337122, 'rising production demand': 723276, 'wholesaler across': 990503, 'it known': 459284, 'known jobseekerswednesday': 477231, 'opportunity supermarket and': 613680, 'and supermarket wholesaler': 72752, 'supermarket wholesaler across': 823864, 'wholesaler across america': 990504, 'across america need': 29247, 'help now make': 390151, 'now make it': 575270, 'make it known': 510041, 'it known jobseekerswednesday': 459285, 'known jobseekerswednesday hiringnow': 477232, 'month wa': 538099, 'of bipartisan': 580713, 'bipartisan group': 131307, 'for fda': 321423, 'on distiller': 600352, 'of fda': 583448, 'testing paul': 839599, 'paul mentioned': 644555, 'agency again': 37977, 'this month wa': 888921, 'month wa part': 538100, 'part of bipartisan': 642334, 'of bipartisan group': 580714, 'bipartisan group that': 131308, 'group that called': 366908, 'that called for': 843086, 'called for fda': 156316, 'for fda to': 321425, 'fda to ease': 300938, 'restriction on distiller': 717340, 'on distiller making': 600353, 'hand sanitizer he': 375436, 'sanitizer he also': 735062, 'he also been': 384727, 'also been critical': 47940, 'been critical of': 120902, 'critical of fda': 218622, 'of fda on': 583449, 'fda on testing': 300894, 'on testing paul': 603918, 'testing paul mentioned': 839600, 'paul mentioned the': 644556, 'mentioned the agency': 528847, 'the agency again': 848440, 'agency again today': 37978, 'again today when': 37239, 'today when asked': 920514, 'when asked about': 983177, 'asked about hydroxychloroquine': 95710, 'about receiving': 26055, 'receiving item': 703779, 'item ordered': 463540, 'shopping receiving': 763730, 'receiving daily': 703759, 'daily milk': 224699, 'milk newspaper': 531738, 'newspaper risky': 561098, 'risky well': 724133, 'well coronacrisis': 978125, 'what about receiving': 980987, 'about receiving item': 26056, 'receiving item ordered': 703780, 'item ordered by': 463541, 'ordered by online': 618833, 'online shopping receiving': 609245, 'shopping receiving daily': 763731, 'receiving daily milk': 703760, 'daily milk newspaper': 224700, 'milk newspaper risky': 531739, 'newspaper risky well': 561099, 'risky well coronacrisis': 724134, '00 confirmed': 141, 'over 16': 629790, 'death globally': 230053, 'globally coupled': 352380, 'with plunging': 1000240, 'barrel have': 111229, 'set nigeria': 753436, 'nigeria on': 562775, 'second recession': 743808, 'pandemic with almost': 637023, 'with almost 400': 997171, '400 00 confirmed': 18706, '00 confirmed case': 142, 'confirmed case and': 194136, 'case and over': 165628, 'and over 16': 68554, 'over 16 00': 629791, '16 00 death': 4054, '00 death globally': 162, 'death globally coupled': 230054, 'globally coupled with': 352381, 'coupled with plunging': 211736, 'with plunging oil': 1000241, 'oil price 30': 597029, 'price 30 per': 672148, 'per barrel have': 650699, 'barrel have set': 111230, 'have set nigeria': 382487, 'set nigeria on': 753437, 'nigeria on the': 562776, 'the path to': 863388, 'path to second': 644031, 'to second recession': 913957, 'second recession in': 743809, 'recession in four': 704296, 'speak about': 787682, 'facebook live from': 294955, 'live from join': 495830, 'from join epstein': 336157, 'drive to speak': 259229, 'to speak about': 914960, 'speak about staying': 787683, 'and well during': 75406, 'brady': 137552, 'unpayable': 943039, 'debtby': 230619, 'hudsoneven': 409922, 'brady bond': 137553, 'bond solution': 134257, 'america unpayable': 51726, 'unpayable corporate': 943040, 'corporate debtby': 207261, 'debtby michael': 230620, 'michael hudsoneven': 530244, 'hudsoneven before': 409923, 'condition year': 193568, 'brady bond solution': 137554, 'bond solution for': 134258, 'solution for america': 782022, 'for america unpayable': 319238, 'america unpayable corporate': 51727, 'unpayable corporate debtby': 943041, 'corporate debtby michael': 207262, 'debtby michael hudsoneven': 230621, 'michael hudsoneven before': 530245, 'hudsoneven before the': 409924, 'crisis ha slashed': 217449, 'ha slashed stock': 371969, 'unstable condition year': 943531, 'condition year of': 193569, 'line drug': 493061, 'doctor from': 250923, 'the landon': 858933, 'medicine bbc': 526742, 'bbc video': 113111, 'video jagan': 956798, 'personal hate': 652860, 'hate tho': 378927, 'first line drug': 308762, 'line drug to': 493062, 'drug to cure': 261119, 'drug doctor from': 260939, 'doctor from the': 250924, 'from the landon': 337766, 'the landon school': 858934, 'tropical medicine bbc': 932575, 'medicine bbc video': 526743, 'bbc video jagan': 113112, 'video jagan meedha': 956799, 'vunna personal hate': 961313, 'personal hate tho': 652861, 'hate tho prajala': 378928, 'initiative hindustan': 438630, 'great initiative hindustan': 362760, 'initiative hindustan unilever': 438631, '8pm no': 23226, 'shopping hospital': 762905, 'hospital hour': 404454, 'hour start': 405948, 'end after': 275759, 'after hmm': 35793, 'hmm from': 398678, 'on hcw': 601249, 'hcw panicshopping': 384671, '8am and close': 23123, 'and close at': 59999, 'close at 8pm': 182555, 'at 8pm no': 97796, '8pm no online': 23227, 'online shopping hospital': 609148, 'shopping hospital hour': 762906, 'hospital hour start': 404455, 'hour start at': 405949, 'start at 30': 794211, 'at 30 and': 97589, '30 and end': 16962, 'and end after': 62111, 'end after hmm': 275760, 'after hmm from': 35794, 'hmm from now': 398679, 'now on hcw': 575424, 'on hcw panicshopping': 601250, 'cornavirusupdate': 203622, 'store mega': 808948, 'thread including': 893566, 'including closing': 431915, 'closing reduced': 183733, 'ceo statement': 169844, 'statement please': 796207, 'share cornavirusupdate': 754967, 'cornavirusupdate crisiscommunications': 203623, 'here retail store': 393525, 'retail store mega': 718663, 'store mega thread': 808949, 'mega thread including': 527824, 'thread including closing': 893567, 'including closing reduced': 431916, 'closing reduced hour': 183734, 'reduced hour and': 706094, 'hour and more': 405404, 'and more link': 67188, 'more link to': 539704, 'link to ceo': 493924, 'to ceo statement': 902575, 'ceo statement please': 169845, 'statement please rt': 796208, 'rt and share': 726740, 'and share cornavirusupdate': 71386, 'share cornavirusupdate crisiscommunications': 754968, 'service answer': 752128, 'answer 12': 77998, '12 question': 2940, 'virus agenparl': 957899, 'agenparl cancelled': 38133, 'cancelled iorestoacasa': 161129, 'iorestoacasa situation': 444464, 'situation ticket': 772526, 'ticket travel': 895676, 'consumer advice service': 196048, 'advice service answer': 33496, 'service answer 12': 752129, 'answer 12 question': 77999, '12 question on': 2941, 'on the corona': 604040, 'corona virus agenparl': 204282, 'virus agenparl cancelled': 957900, 'agenparl cancelled iorestoacasa': 38134, 'cancelled iorestoacasa situation': 161130, 'iorestoacasa situation ticket': 444465, 'situation ticket travel': 772527, 'upturn': 947947, 'client solicitor': 182097, 'solicitor are': 781893, 'an upturn': 56952, 'upturn in': 947948, 'activity around': 30384, 'around will': 93633, 'outbreak becomes': 628039, 'becomes increasingly': 120225, 'increasingly serious': 433801, 'private client solicitor': 678877, 'client solicitor are': 182098, 'solicitor are seeing': 781894, 'seeing an upturn': 746222, 'an upturn in': 56953, 'upturn in activity': 947949, 'in activity around': 420019, 'activity around will': 30385, 'around will the': 93634, 'will the 19': 995127, '19 outbreak becomes': 9086, 'outbreak becomes increasingly': 628040, 'becomes increasingly serious': 120226, 'lady giving': 478768, 'giving each': 351269, 'other big': 619890, 'big hug': 129825, 'hug in': 409952, 'aisle today': 40407, 'while complaining': 986698, 'restriction they': 717395, 'two elderly lady': 936910, 'elderly lady giving': 270732, 'lady giving each': 478769, 'giving each other': 351270, 'each other big': 264160, 'other big hug': 619891, 'big hug in': 129826, 'hug in the': 409953, 'in the crowded': 429112, 'the crowded supermarket': 852536, 'crowded supermarket aisle': 219355, 'supermarket aisle today': 818850, 'aisle today while': 40408, 'today while complaining': 920528, 'while complaining about': 986699, 'complaining about the': 191894, 'about the restriction': 26499, 'the restriction they': 865678, 'restriction they re': 717396, 're not really': 699116, 'not really getting': 571235, 'really getting it': 702221, 'have charged': 379950, 'charged margaret': 173399, '35 with': 17919, 'she claimed': 755939, 'have amp': 379234, 'amp intentionally': 54005, 'coughed spit': 208647, 'police have charged': 663041, 'have charged margaret': 379951, 'charged margaret cirko': 173400, 'cirko 35 with': 178771, '35 with making': 17920, 'threat after they': 893632, 'after they say': 36392, 'they say she': 883278, 'say she claimed': 739127, 'she claimed to': 755940, 'claimed to have': 179891, 'to have amp': 907199, 'have amp intentionally': 379235, 'amp intentionally coughed': 54006, 'intentionally coughed spit': 441167, 'coughed spit on': 208648, 'spit on food': 789560, 'food in grocery': 314939, 'store store threw': 810417, '00 of product': 385, 'india issue': 434494, 'issue gazette': 455766, 'of india issue': 585109, 'india issue gazette': 434495, 'issue gazette of': 455767, 'foundational': 330513, 'gouging foundational': 359323, 'foundational principle': 330514, 'principle bank': 678238, 'gouging foundational principle': 359324, 'foundational principle bank': 330515, 'principle bank pressure': 678239, 'modi no': 535471, 'about essential': 25180, 'essential india': 281167, 'medicine pmoindia': 526869, 'pm modi no': 661943, 'modi no need': 535472, 'worry about essential': 1010633, 'about essential india': 25181, 'essential india ha': 281168, 'of everything from': 583270, 'food to medicine': 317272, 'to medicine pmoindia': 910007, 'to snap': 914784, 'recipient in': 704533, 'six state': 772689, 'more flexible': 539219, 'flexible with': 310397, 'grocery shopping available': 364998, 'shopping available to': 762126, 'available to snap': 104658, 'to snap recipient': 914785, 'snap recipient in': 776111, 'recipient in only': 704534, 'in only six': 426179, 'only six state': 611149, 'six state governor': 772690, 'state governor are': 795621, 'governor are pushing': 360869, 'are pushing the': 89345, 'pushing the department': 690448, 'of agriculture to': 579849, 'agriculture to be': 39041, 'be more flexible': 115975, 'more flexible with': 539220, 'flexible with food': 310398, 'with food stamp': 998506, 'tambo': 834095, 'no formed': 564295, 'formed against': 329600, 'against shall': 37613, 'shall prosper': 754546, 'prosper where': 684719, 'my slay': 550125, 'slay queen': 773725, 'queen at': 693370, 'at dm': 98467, 'or tambo': 617336, 'no formed against': 564296, 'formed against shall': 329601, 'against shall prosper': 37614, 'shall prosper where': 754547, 'prosper where my': 684720, 'where my slay': 985044, 'my slay queen': 550126, 'slay queen at': 773726, 'queen at dm': 693371, 'at dm for': 98468, 'price or tambo': 675791, 'baloga': 109121, 'pfma': 653930, 'ceo alex': 169632, 'alex baloga': 41572, 'baloga spoke': 109122, 'time leader': 897114, 'industry pfma': 436042, 'pfma member': 653931, 'sponsor gerrity': 789829, 'supermarket featured': 820289, 'featured well': 301576, 'our president and': 624429, 'and ceo alex': 59683, 'ceo alex baloga': 169633, 'alex baloga spoke': 41573, 'baloga spoke to': 109123, 'to the time': 917132, 'the time leader': 869601, 'time leader about': 897115, 'leader about new': 483409, 'about new normal': 25792, 'food industry pfma': 315020, 'industry pfma member': 436043, 'pfma member and': 653932, 'member and sponsor': 528019, 'and sponsor gerrity': 72127, 'sponsor gerrity supermarket': 789830, 'gerrity supermarket featured': 346400, 'supermarket featured well': 820290, 'ha creative': 370288, 'combat hoarding': 187017, 'this supermarket ha': 890429, 'supermarket ha creative': 820624, 'ha creative way': 370289, 'way to combat': 969999, 'to combat hoarding': 902999, 'the story covad19': 868175, 'winmoreknows': 996006, 'growyourbusiness': 367496, 'that ordering': 845551, 'takeout increased': 833169, 'by 285': 151621, 'march business': 515300, 'opportunity winmoreknows': 613750, 'winmoreknows stayhome': 996007, 'stayhome usa': 798224, 'usa business': 948595, 'business restaurant': 144324, 'restaurant marketing': 716564, 'economy growyourbusiness': 267913, 'growyourbusiness money': 367497, 'know that ordering': 476777, 'that ordering takeout': 845552, 'ordering takeout increased': 619036, 'takeout increased by': 833170, 'increased by 285': 433225, 'by 285 since': 151622, 'of march business': 586202, 'march business owner': 515301, 'business owner take': 144193, 'owner take advantage': 632570, 'of this opportunity': 592019, 'this opportunity winmoreknows': 889281, 'opportunity winmoreknows stayhome': 613751, 'winmoreknows stayhome usa': 996008, 'stayhome usa business': 798225, 'usa business restaurant': 948596, 'business restaurant marketing': 144325, 'restaurant marketing economy': 716565, 'marketing economy growyourbusiness': 517586, 'economy growyourbusiness money': 267914, 'hungerchallenger': 411211, 'how hungerchallenger': 408021, 'hungerchallenger partner': 411212, 'partner hope': 642830, 'of urban': 592685, 'urban gardening': 948111, 'gardening during': 343641, 'by ramping': 153719, 'soul fire': 786222, 'city program': 179335, 'connect city': 194601, 'dweller with': 263656, 'install home': 439994, 'home garden': 401288, 'garden in': 343606, 'learn how hungerchallenger': 483983, 'how hungerchallenger partner': 408022, 'hungerchallenger partner hope': 411213, 'partner hope to': 642831, 'hope to help': 403739, 'demand of urban': 235958, 'of urban gardening': 592686, 'urban gardening during': 948112, 'gardening during by': 343642, 'during by ramping': 262493, 'by ramping up': 153720, 'ramping up their': 696489, 'up their soul': 946252, 'their soul fire': 874758, 'soul fire in': 786223, 'fire in the': 308097, 'the city program': 850955, 'city program to': 179336, 'program to connect': 683305, 'to connect city': 903206, 'connect city dweller': 194602, 'city dweller with': 179131, 'dweller with volunteer': 263657, 'with volunteer to': 1002002, 'volunteer to install': 960354, 'to install home': 908418, 'install home garden': 439995, 'home garden in': 401289, 'garden in urban': 343607, 'living below': 496324, 'line who': 493571, 'now their': 576082, 'wage have': 963887, 'many people living': 514516, 'people living below': 648683, 'living below the': 496325, 'poverty line who': 667509, 'line who were': 493572, 'who were unable': 989969, 'because they did': 119696, 'have the resource': 383018, 'resource to do': 714906, 'so and now': 776507, 'and now their': 67865, 'now their wage': 576083, 'their wage have': 875142, 'wage have stopped': 963888, 'superb': 818618, '2fi': 16598, 'superb advice': 818619, 'advice true': 33541, 'true supermarket': 933176, 'supermarket hotbed': 820792, 'hotbed better': 405083, 'better advice': 128182, 'advice than': 33517, 'govt sadly': 361265, 'sadly not': 729342, 'in practice': 426897, 'practice few': 668558, 'few rule': 304049, 'rule supermarket': 727363, 'even given': 284119, 'glove never': 352802, 'mind mask': 532686, 'are impossible': 87348, 'impossible 2fi': 419350, 'superb advice true': 818620, 'advice true supermarket': 33542, 'true supermarket hotbed': 933177, 'supermarket hotbed better': 820793, 'hotbed better advice': 405084, 'better advice than': 128183, 'advice than uk': 33518, 'than uk govt': 841376, 'uk govt sadly': 938421, 'govt sadly not': 361266, 'sadly not easy': 729343, 'not easy in': 569134, 'easy in practice': 265718, 'in practice few': 426898, 'practice few rule': 668559, 'few rule supermarket': 304050, 'rule supermarket worker': 727365, 'supermarket worker not': 824056, 'worker not even': 1007451, 'not even given': 569249, 'even given glove': 284120, 'given glove never': 351006, 'glove never mind': 352803, 'never mind mask': 558119, 'mind mask which': 532687, 'which are impossible': 985685, 'are impossible 2fi': 87349, 'quarantinechallenge': 692797, 'shortage toiletpaper': 765273, 'toiletpaperpanic hilarious': 923217, 'hilarious joke': 396441, 'joke joke': 467097, 'funny quarantine': 341778, 'quarantinelife quarantinechallenge': 692997, 'quarantinechallenge socialdistancing': 692798, 'socialdistancing tech': 780784, 'paper shortage toiletpaper': 640777, 'shortage toiletpaper toiletpaperpanic': 765274, 'toiletpaper toiletpaperpanic hilarious': 922695, 'toiletpaperpanic hilarious joke': 923218, 'hilarious joke joke': 396442, 'joke joke funny': 467098, 'joke funny quarantine': 467086, 'funny quarantine quarantineandchill': 341779, 'quarantineandchill quarantinelife quarantinechallenge': 692763, 'quarantinelife quarantinechallenge socialdistancing': 692998, 'quarantinechallenge socialdistancing tech': 692799, 'chung': 178310, 'cheung': 175577, 'jeane': 464956, 'perrin': 652236, 'emarketer research': 272408, 'analyst man': 57151, 'man chung': 512026, 'chung cheung': 178311, 'cheung senior': 175578, 'senior researcher': 750394, 'researcher jeane': 713919, 'jeane han': 464957, 'han and': 374687, 'and principal': 69500, 'analyst nicole': 57159, 'nicole perrin': 562614, 'perrin discus': 652237, 'the newest': 861591, 'newest strain': 560066, 'emarketer research analyst': 272409, 'research analyst man': 713662, 'analyst man chung': 57152, 'man chung cheung': 512027, 'chung cheung senior': 178312, 'cheung senior researcher': 175579, 'senior researcher jeane': 750395, 'researcher jeane han': 713920, 'jeane han and': 464958, 'han and principal': 374688, 'and principal analyst': 69501, 'principal analyst nicole': 678228, 'analyst nicole perrin': 57160, 'nicole perrin discus': 562615, 'perrin discus how': 652238, 'how the newest': 408854, 'the newest strain': 861592, 'newest strain of': 560067, 'strain of the': 812285, 'the will change': 871568, 'will change consumer': 992908, 'people receive': 649250, 'message stoppanicbuying': 529426, 'buying food when': 150345, 'food when will': 317575, 'will people receive': 994403, 'people receive the': 649251, 'receive the message': 703558, 'the message stoppanicbuying': 860527, 'nervous system are': 557480, 'system are affected': 831112, 'opined': 613432, 'in initial': 424104, 'claim underscore': 179859, 'underscore our': 940563, 'month our': 537939, 'our analyst': 622076, 'have opined': 381819, 'opined on': 613433, 'this continuing': 886854, 'continuing rise': 201544, 'amp finance': 53795, 'spike in initial': 789304, 'in initial unemployment': 424105, 'initial unemployment claim': 438561, 'unemployment claim underscore': 941187, 'claim underscore our': 179860, 'underscore our expectation': 940564, 'our expectation that': 622950, 'that the unemployment': 846858, 'unemployment rate will': 941281, 'rate will rise': 697419, 'will rise sharply': 994714, 'rise sharply in': 722996, 'sharply in coming': 755745, 'in coming month': 421587, 'coming month our': 188140, 'month our analyst': 537940, 'our analyst have': 622077, 'analyst have opined': 57145, 'have opined on': 381820, 'opined on the': 613434, 'of this continuing': 591954, 'this continuing rise': 886855, 'continuing rise on': 201545, 'rise on the': 722961, 'the credit quality': 852318, 'credit quality of': 216469, 'quality of consumer': 691826, 'of consumer bank': 581710, 'consumer bank amp': 196385, 'bank amp finance': 109598, 'amp finance company': 53796, 'arty': 94669, '19 arty': 5226, 'arty bee': 94670, 'bee is': 120467, 'notice including': 573296, 'normal stay': 567333, 'covid 19 arty': 212656, '19 arty bee': 5227, 'arty bee is': 94671, 'bee is now': 120468, 'further notice including': 342105, 'notice including online': 573297, 'see you when': 746117, 'you when thing': 1022279, 'to normal stay': 910660, 'normal stay home': 567334, 'to labor': 909023, 'precaution around': 669285, 'good meat': 357380, 'produce etc': 680255, 'fluctuate in': 311506, 'current difficulty in': 221176, 'due to labor': 261839, 'to labor issue': 909024, 'labor issue and': 478419, 'issue and precaution': 455670, 'and precaution around': 69334, 'precaution around covid': 669286, '19 most supermarket': 8694, 'most supermarket good': 542790, 'supermarket good meat': 820546, 'good meat produce': 357381, 'meat produce etc': 525712, 'produce etc can': 680256, 'etc can be': 282460, 'can be expected': 157619, 'expected to fluctuate': 290978, 'to fluctuate in': 906027, 'fluctuate in price': 311507, 'productive to': 682302, 'not sterilize': 571722, 'sanitizer staysafe': 735804, 'for something productive': 325792, 'something productive to': 785020, 'productive to do': 682303, 'do during lockdown': 249245, 'during lockdown why': 262779, 'lockdown why not': 500144, 'why not sterilize': 991236, 'not sterilize your': 571723, 'sterilize your home': 799866, 'home to lessen': 402327, 'to lessen the': 909191, 'lessen the chance': 486444, 'chance of spreading': 171769, 'spreading the do': 791054, 'hand sanitizer staysafe': 375601, 'oar': 578293, '19 oar': 8878, 'oar open': 578294, 'open mini': 612381, 'mart selling': 518061, 'basic take': 112077, 'meal adelaide': 524082, 'covid 19 oar': 213499, '19 oar open': 8879, 'oar open mini': 578295, 'open mini mart': 612382, 'mini mart selling': 533011, 'mart selling supermarket': 518062, 'selling supermarket basic': 749461, 'supermarket basic take': 819311, 'basic take home': 112078, 'take home meal': 832205, 'home meal adelaide': 401603, 'vote yet': 960530, 'you who say': 1022309, 'who say if': 989565, 'say if can': 738782, 'we go vote': 971657, 'go vote yet': 354472, 'vote yet just': 960531, 'yet just because': 1016122, 'christianliving': 178137, 'awesome what': 106211, 'store monday': 808972, 'not lucky': 570482, 'been washed': 122350, 'washed in': 967618, 'blood of': 133128, 'christ guess': 178074, 'those mother': 892228, 'mother father': 543093, 'father sister': 300312, 'brother grandparent': 141061, 'grandparent aunty': 361962, 'aunty uncle': 103020, 'uncle just': 939820, 'luck christianliving': 506444, 'christianliving coronav': 178138, 'awesome what about': 106212, 'grocery store monday': 365572, 'store monday not': 808973, 'monday not lucky': 536349, 'not lucky enough': 570483, 'have been washed': 379742, 'been washed in': 122351, 'washed in the': 967619, 'in the blood': 429030, 'the blood of': 849785, 'blood of christ': 133129, 'of christ guess': 581412, 'christ guess those': 178075, 'guess those mother': 368065, 'those mother father': 892229, 'mother father sister': 543094, 'father sister brother': 300313, 'sister brother grandparent': 771720, 'brother grandparent aunty': 141062, 'grandparent aunty uncle': 361963, 'aunty uncle just': 103021, 'uncle just out': 939821, 'just out of': 469414, 'of luck christianliving': 586065, 'luck christianliving coronav': 506445, 'been pandemic': 121648, 'there been pandemic': 878233, 'time lot': 897156, 'of taped': 590597, 'taped line': 834379, 'for 2m': 318792, '2m spacing': 16720, 'spacing some': 787231, 'customer issue': 222542, 'staff issue': 792581, 'issue interesting': 455809, 'interesting evening': 441548, 'evening shift': 284896, 'day of limited': 228078, 'of limited number': 585862, 'customer in supermarket': 222508, 'supermarket at one': 819247, 'one time lot': 607258, 'time lot of': 897157, 'lot of taped': 504299, 'of taped line': 590598, 'taped line for': 834380, 'line for 2m': 493096, 'for 2m spacing': 318793, '2m spacing some': 16721, 'spacing some customer': 787232, 'some customer issue': 782647, 'customer issue some': 222543, 'issue some staff': 455928, 'some staff issue': 783932, 'staff issue interesting': 792582, 'issue interesting evening': 455810, 'interesting evening shift': 441549, 'anyone realise': 80484, 'those face': 891982, 'look really': 502578, 'stupid because': 815356, 'my solution': 550146, 'ppe crisis': 667929, 'doe anyone realise': 251342, 'anyone realise that': 80485, 'realise that wearing': 701607, 'that wearing those': 847419, 'wearing those face': 974812, 'those face mask': 891983, 'the supermarket make': 868691, 'you look really': 1019700, 'look really stupid': 502581, 'really stupid because': 702628, 'stupid because they': 815357, 'they don work': 882008, 'don work here': 254074, 'work here is': 1005254, 'is my solution': 449810, 'my solution to': 550147, 'to the ppe': 916971, 'the ppe crisis': 864167, 'omg now': 598908, 'saying maybe': 739642, 'worker caught': 1006620, 'virus outside': 958593, 'outside work': 629648, 'work unbelievably': 1005949, 'unbelievably insensitive': 939520, 'omg now saying': 598909, 'now saying maybe': 575731, 'saying maybe those': 739643, 'maybe those nh': 521854, 'those nh worker': 892252, 'nh worker caught': 562180, 'worker caught the': 1006621, 'the virus outside': 870874, 'virus outside work': 958594, 'outside work unbelievably': 629649, 'work unbelievably insensitive': 1005950, 'opening with': 612950, 'safer environment': 730361, 'environment we': 279168, 'popular one': 664575, 'try remember': 934555, 'several supermarket and': 753940, 'supermarket and chain': 818957, 'and chain that': 59704, 'chain that sell': 171162, 'that sell food': 846182, 'sell food are': 748723, 'food are opening': 313411, 'are opening with': 88816, 'opening with special': 612951, 'special hour so': 787964, 'hour so that': 405941, 'so that our': 778388, 'that our senior': 845593, 'our senior can': 624713, 'senior can shop': 750239, 'shop in safer': 760321, 'in safer environment': 427623, 'safer environment we': 730362, 'environment we all': 279169, 'all face the': 42738, 'face the threat': 294801, 'most popular one': 542641, 'popular one that': 664576, 'one that you': 607195, 'can try remember': 160060, 'try remember to': 934556, 'grade thermal': 361668, 'thermal tech': 879497, 'tech won': 836167, 'won work': 1003935, 'fever this': 303694, 'body temp': 133893, 'temp is': 837328, 'discovery consumer grade': 244731, 'consumer grade thermal': 197646, 'grade thermal tech': 361669, 'thermal tech won': 879498, 'tech won work': 836168, 'won work for': 1003936, '19 fever this': 6976, 'fever this is': 303695, 'action body temp': 29977, 'body temp is': 133894, 'temp is way': 837329, 'package read': 633384, 'stimulus package read': 801589, 'package read more': 633385, 'fomc': 312986, 'fomc minute': 312987, 'minute alarm': 533722, 'alarm over': 40675, 'activity sparked': 30498, 'sparked the': 787592, 'action volatility': 30184, 'fomc minute alarm': 312988, 'minute alarm over': 533723, 'alarm over the': 40676, 'over the disruption': 630714, 'disruption in economic': 246492, 'economic activity sparked': 266963, 'activity sparked the': 30499, 'sparked the action': 787593, 'the action volatility': 848308, 'action volatility in': 30185, 'volatility in asset': 960076, 'in asset price': 420540, 'asset price rate': 96458, 'price rate will': 676084, 'ceo make': 169740, 'how corporate': 407614, 'corporate is': 207299, 'is encouraged': 447483, 'but associate': 145237, 'everyday no': 286603, 'no antibacterial': 563623, 'soap no': 779066, 'customer no': 222620, 'ceo make statement': 169741, 'make statement about': 510488, 'statement about how': 796155, 'about how corporate': 25427, 'how corporate is': 407615, 'corporate is encouraged': 207300, 'is encouraged to': 447484, 'encouraged to work': 275676, 'home but associate': 400829, 'but associate are': 145238, 'associate are expected': 96845, 'expected to still': 291006, 'to still come': 915407, 'still come to': 800380, 'work everyday no': 1005111, 'everyday no hand': 286604, 'sanitizer no antibacterial': 735412, 'no antibacterial soap': 563624, 'antibacterial soap no': 78380, 'soap no hand': 779067, 'hand wipe no': 375996, 'wipe no limit': 996324, 'limit on customer': 492411, 'on customer no': 600195, 'customer no social': 222621, 'distancing at register': 247022, 'some cottonworld': 782610, 'cottonworld store': 208429, 'operating normally': 613086, 'top priority the': 925685, 'evolves we have': 288536, 'to close some': 902895, 'close some cottonworld': 182798, 'some cottonworld store': 782611, 'cottonworld store effective': 208430, 'currently operating normally': 221624, 'glued': 353090, 'hi suggestion': 394740, 'suggestion ft': 817645, 'ft socialdistancing': 339362, 'socialdistancing impossible': 780442, 'impossible in': 419380, 'grocery isle': 364645, 'isle have': 454356, 'considered one': 195313, 'way kin': 969681, 'kin to': 474787, 'way street': 969895, 'street walmart': 813164, 'ha 6ft': 369418, '6ft message': 21610, 'message glued': 529331, 'glued to': 353091, 'floor you': 310866, 'sanitizing cart': 736466, 'cart counting': 165281, 'counting limiting': 210358, 'hi suggestion ft': 394741, 'suggestion ft socialdistancing': 817646, 'ft socialdistancing impossible': 339363, 'socialdistancing impossible in': 780443, 'impossible in grocery': 419381, 'in grocery isle': 423438, 'grocery isle have': 364646, 'isle have you': 454357, 'you considered one': 1018018, 'considered one way': 195314, 'one way kin': 607371, 'way kin to': 969682, 'kin to one': 474788, 'one way street': 607380, 'way street walmart': 969896, 'street walmart ha': 813165, 'walmart ha 6ft': 965344, 'ha 6ft message': 369419, '6ft message glued': 21611, 'message glued to': 529332, 'glued to the': 353092, 'the floor you': 855431, 'floor you walk': 310867, 'walk in sanitizing': 964808, 'in sanitizing cart': 427695, 'sanitizing cart counting': 736467, 'cart counting limiting': 165282, 'counting limiting in': 210359, 'multipack': 545719, 'ha attacked': 369645, 'attacked tesco': 102189, 'extra watford': 293693, 'watford but': 969318, 'they splitting': 883424, 'up multipack': 945415, 'multipack product': 545720, 'individual content': 435167, 'content at': 200783, 'at drastically': 98492, 'drastically inflated': 258447, 'this illegal': 888004, 'ha attacked tesco': 369646, 'attacked tesco extra': 102190, 'tesco extra watford': 838704, 'extra watford but': 293694, 'watford but why': 969319, 'are they splitting': 91026, 'they splitting up': 883425, 'splitting up multipack': 789673, 'up multipack product': 945416, 'multipack product and': 545721, 'and selling the': 71242, 'selling the individual': 749478, 'the individual content': 858144, 'individual content at': 435168, 'content at drastically': 200784, 'at drastically inflated': 98493, 'drastically inflated price': 258448, 'inflated price isn': 437049, 'price isn this': 674906, 'isn this illegal': 454732, 'johnson stop': 466624, 'boris johnson stop': 135474, 'johnson stop in': 466625, 'stop in person': 804766, 'person shopping all': 652599, 'shopping all grocery': 761919, 'all grocery shopping': 43011, 'made online to': 507892, 'online to contain': 609581, 'business revenue': 144333, '80 among': 22548, 'among caterer': 52985, 'caterer retail': 167251, 'good all': 356707, 'business type': 144582, 'type have': 937534, 'experienced significant': 291600, 'significant decrease': 769417, 'sale blacktwitter': 732099, 'bad news food': 107952, 'news food business': 560416, 'food business revenue': 313804, 'business revenue ha': 144334, 'revenue ha decreased': 720431, 'ha decreased by': 370333, 'decreased by much': 231625, 'much 80 among': 544683, '80 among caterer': 22549, 'among caterer retail': 52986, 'caterer retail business': 167252, 'retail business and': 717901, 'business and producer': 143325, 'and producer of': 69560, 'producer of consumer': 680669, 'packaged good all': 633486, 'good all business': 356708, 'all business type': 42238, 'business type have': 144583, 'type have experienced': 937535, 'have experienced significant': 380523, 'experienced significant decrease': 291601, 'significant decrease in': 769418, 'decrease in sale': 231581, 'in sale blacktwitter': 427648, 'delivery info': 234124, 'is uncertainty': 453444, 'receive product': 703532, 'same great': 733089, 'great cup': 362601, 'online delivery info': 608084, 'delivery info we': 234125, 'info we understand': 437614, 'there is uncertainty': 878646, 'is uncertainty surrounding': 453445, 'ability to receive': 24399, 'to receive product': 912930, 'receive product while': 703533, 'product while we': 681850, 'we all stayathome': 970364, 'all stayathome our': 44447, 'stayathome our online': 797569, 'our online order': 624149, 'online order are': 608679, 'order are still': 618056, 'for delivery so': 320647, 'delivery so you': 234557, 'to enjoy the': 905132, 'enjoy the same': 277192, 'the same great': 866234, 'same great cup': 733090, 'great cup of': 362602, 'of coffee at': 581505, 'coffee at affordable': 185457, 'for cashless': 319954, 'society along': 781148, 'must reject': 546847, 'reject saying': 708325, 'money spread': 537033, 'ridiculous every': 721534, 'trolley one': 932451, 'used hundred': 949930, 'the is being': 858483, 'used to push': 950080, 'to push for': 912568, 'push for cashless': 690266, 'for cashless society': 319955, 'cashless society along': 166701, 'society along with': 781149, 'along with both': 47044, 'with both of': 997457, 'of which we': 593112, 'which we must': 986464, 'we must reject': 972439, 'must reject saying': 546848, 'reject saying that': 708326, 'saying that money': 739703, 'that money spread': 845211, 'money spread virus': 537034, 'spread virus is': 790876, 'is ridiculous every': 451516, 'ridiculous every time': 721535, 'to supermarket you': 915864, 'supermarket you get': 824192, 'you get shopping': 1018791, 'get shopping trolley': 347981, 'shopping trolley one': 764266, 'trolley one that': 932452, 'one that would': 607194, 'been used hundred': 122309, 'used hundred of': 949931, 'hundred of time': 411018, 'the latest 19': 859072, 'latest 19 update': 481191, 'from the fda': 337694, 'stoney': 804367, 'migrating': 531240, 'stoney hi': 804368, 'hi craig': 394618, 'craig this': 214811, 'multiple reason': 545778, 'reason including': 702939, 'are migrating': 88074, 'migrating our': 531241, 'our user': 625243, 'user to': 950324, 'new hardware': 558855, 'hardware price': 378317, 'moment due': 535924, 'stoney hi craig': 804369, 'hi craig this': 394619, 'craig this is': 214812, 'because of multiple': 119378, 'of multiple reason': 586721, 'multiple reason including': 545779, 'reason including the': 702940, 'including the fact': 432184, 'we are migrating': 970628, 'are migrating our': 88075, 'migrating our user': 531242, 'our user to': 625244, 'user to new': 950325, 'to new hardware': 910558, 'new hardware price': 558856, 'hardware price and': 378318, 'price and there': 672562, 'high demand at': 394992, 'the moment due': 860750, 'moment due to': 535925, 'stayunitedforcorona': 799079, 'customersupport': 223170, 'post such': 666333, 'such gesture': 816511, 'gesture motivates': 346439, 'motivates to': 543297, 'of surat': 590520, 'surat more': 827464, 'indiafightscorona stayunitedforcorona': 434735, 'stayunitedforcorona staysafe': 799080, 'supermarket customersupport': 819880, 'customersupport customersatisfaction': 223171, 'for this post': 327057, 'this post such': 889676, 'post such gesture': 666334, 'such gesture motivates': 816512, 'gesture motivates to': 346440, 'motivates to serve': 543298, 'serve people of': 751929, 'people of surat': 648926, 'of surat more': 590521, 'surat more more': 827465, 'more more in': 539803, 'more in better': 539507, 'in better way': 420803, 'better way thank': 128600, 'thank you indiafightscorona': 841752, 'you indiafightscorona stayunitedforcorona': 1019333, 'indiafightscorona stayunitedforcorona staysafe': 434736, 'stayunitedforcorona staysafe stayhome': 799081, 'dhirajsons supermarket customersupport': 240117, 'supermarket customersupport customersatisfaction': 819881, 'god guy': 354726, 'my god guy': 548523, 'god guy wa': 354727, 'found and found': 330156, 'and found gold': 63226, 'found gold instead': 330221, 'coming thursday': 188213, 'thursday ag': 895338, 'store perspective': 809524, 'perspective with': 653247, 'with cecil': 997580, 'manager co': 512702, 'owner carly': 632420, 'coming thursday ag': 188214, 'thursday ag issue': 895339, 'pgm at small': 653963, 'at small business': 100559, 'grocery store perspective': 365653, 'store perspective with': 809525, 'perspective with cecil': 653248, 'with cecil hometown': 997581, 'hometown market store': 402994, 'market store manager': 517130, 'store manager co': 808877, 'manager co owner': 512703, 'co owner carly': 184934, 'owner carly whorton': 632421, 'profiteer consumer': 682954, 'crackdown usa': 214720, '19 profiteer consumer': 9838, 'profiteer consumer group': 682955, 'despite crackdown usa': 238716, 'ottpoli': 621930, 'who argue': 988273, 'argue that': 92693, 'high housing': 395112, 'fixed by': 309784, 'increasing housing': 433620, 'housing supply': 407160, 'supply assume': 824806, 'assume housing': 97005, 'housing is': 407090, 'is priced': 451020, 'priced for': 677731, 'use value': 949789, 'it priced': 460471, 'priced on': 677744, 'of exchange': 583293, 'exchange value': 289487, 'have housing': 380986, 'housing distribution': 407073, 'distribution problem': 248202, 'supply cdnpoli': 824893, 'onpoli ottpoli': 611533, 'folk who argue': 312298, 'who argue that': 988274, 'argue that high': 92696, 'that high housing': 844324, 'high housing price': 395113, 'price are fixed': 672667, 'are fixed by': 86598, 'fixed by increasing': 309785, 'by increasing housing': 152897, 'increasing housing supply': 433621, 'housing supply assume': 407161, 'supply assume housing': 824807, 'assume housing is': 97006, 'housing is priced': 407091, 'is priced for': 451021, 'priced for it': 677732, 'for it use': 322743, 'it use value': 461995, 'use value it': 949790, 'value it not': 952143, 'it not it': 459890, 'not it priced': 570187, 'it priced on': 460472, 'priced on the': 677745, 'basis of exchange': 112261, 'of exchange value': 583294, 'exchange value we': 289488, 'value we have': 952235, 'we have housing': 971838, 'have housing distribution': 380987, 'housing distribution problem': 407074, 'distribution problem not': 248203, 'problem not supply': 679616, 'not supply cdnpoli': 571814, 'supply cdnpoli onpoli': 824894, 'cdnpoli onpoli ottpoli': 168665, 'nosocialdistance': 567965, 'kidsattheplayground': 474262, 'menhangingout': 528598, 'itsapartyoutthere': 463904, 'pharmacy people': 654416, 'all back': 42104, 'back nosocialdistance': 107158, 'nosocialdistance kidsattheplayground': 567966, 'kidsattheplayground menhangingout': 474263, 'menhangingout itsapartyoutthere': 528599, 'itsapartyoutthere losangeles': 463905, 'the pharmacy people': 863660, 'pharmacy people in': 654417, 'my town are': 550408, 'town are having': 927440, 'are having good': 87033, 'having good time': 384094, 'good time people': 357865, 'time people at': 897464, 'store touch everything': 810925, 'everything and put': 287687, 'put it all': 690639, 'it all back': 456336, 'all back nosocialdistance': 42105, 'back nosocialdistance kidsattheplayground': 107159, 'nosocialdistance kidsattheplayground menhangingout': 567967, 'kidsattheplayground menhangingout itsapartyoutthere': 474264, 'menhangingout itsapartyoutthere losangeles': 528600, 'he admitted': 384713, 'stealing glove': 799230, 'cleaner an': 180740, 'department said': 237257, 'he admitted to': 384714, 'to stealing glove': 915373, 'stealing glove hand': 799231, 'bleach cleaner an': 132490, 'cleaner an automatic': 180741, 'hand sanitizer machine': 375480, 'sanitizer machine and': 735323, 'machine and toilet': 507361, 'week the department': 976988, 'the department said': 853145, 'day brain': 227387, 'the day brain': 852872, 'day brain nervous': 227388, 'disputing': 246337, '19 taught': 11040, 'taught how': 834892, 'many work': 514892, 'work meeting': 1005468, 'meeting were': 527791, 'were unnecessary': 980310, 'much personal': 545231, 'personal stuff': 652975, 'home 100': 400532, '100 way': 2122, 'behind on': 124674, 'twitter slack': 936713, 'slack chat': 773469, 'shopping writing': 764473, 'writing yelp': 1012929, 'yelp review': 1015294, 'and disputing': 61486, 'disputing insurance': 246338, 'insurance cable': 440681, 'cable phone': 155022, 'phone bill': 654911, 'bill 19': 130484, 'only ha covid': 610553, 'covid 19 taught': 213912, '19 taught how': 11041, 'taught how many': 834893, 'how many work': 408291, 'many work meeting': 514893, 'work meeting were': 1005469, 'meeting were unnecessary': 527792, 'were unnecessary but': 980311, 'unnecessary but how': 942896, 'how much personal': 408367, 'much personal stuff': 545232, 'personal stuff we': 652976, 'stuff we got': 815245, 'we got done': 971670, 'got done in': 358528, 'done in the': 254897, 'the office now': 862075, 'office now home': 595496, 'now home 100': 574943, 'home 100 way': 400533, '100 way behind': 2123, 'way behind on': 969495, 'behind on twitter': 124675, 'on twitter slack': 604925, 'twitter slack chat': 936714, 'slack chat online': 773470, 'chat online shopping': 173945, 'online shopping writing': 609356, 'shopping writing yelp': 764474, 'writing yelp review': 1012930, 'yelp review and': 1015295, 'review and disputing': 720553, 'and disputing insurance': 61487, 'disputing insurance cable': 246339, 'insurance cable phone': 440682, 'cable phone bill': 155023, 'phone bill 19': 654912, 'baron': 111159, 'fascist': 299781, 'disgusting these': 245468, 'oil baron': 596637, 'baron are': 111160, 'convince fascist': 202646, 'fascist to': 299782, 'sacrifice more': 729096, 'fuel blood': 340132, 'blood money': 133126, 'either want': 270403, 'bailout or': 108648, 'economic restriction': 267258, 'restriction during': 717261, 'is disgusting these': 447226, 'disgusting these oil': 245469, 'these oil baron': 880365, 'oil baron are': 596638, 'baron are trying': 111161, 'trying to convince': 934784, 'to convince fascist': 903472, 'convince fascist to': 202647, 'fascist to sacrifice': 299783, 'to sacrifice more': 913697, 'sacrifice more human': 729097, 'more human life': 539460, 'human life for': 410547, 'life for fossil': 488663, 'fossil fuel blood': 330079, 'fuel blood money': 340133, 'blood money it': 133127, 'money it no': 536858, 'it no coincidence': 459825, 'no coincidence that': 563846, 'coincidence that with': 185668, 'that with lower': 847630, 'with lower than': 999346, 'than low gas': 840858, 'price they either': 676895, 'they either want': 882031, 'either want bailout': 270404, 'want bailout or': 965727, 'bailout or to': 108649, 'or to end': 617468, 'to end economic': 905076, 'end economic restriction': 275814, 'economic restriction during': 267259, 'restriction during or': 717262, 'during or both': 262835, 'supply try': 826053, 'offer those': 594842, 'those option': 892294, 'option especially': 614026, 'need supply try': 555682, 'supply try online': 826054, 'try online ordering': 934528, 'ordering and at': 618941, 'at home delivery': 98969, 'delivery if your': 234110, 'your store offer': 1025979, 'store offer those': 809158, 'offer those option': 594843, 'those option especially': 892295, 'option especially if': 614027, 'sick or ask': 768551, 'or ask neighbor': 614436, 'ask neighbor or': 95590, 'neighbor or friend': 557066, 'friend to pick': 333848, 'up the item': 946185, 'out the top': 627431, 'the top thing': 869796, 'to buy to': 902321, 'buy to prepare': 149375, 'encash': 275519, 'de few': 229058, 'common product': 189439, 'to encash': 905053, 'encash the': 275520, 'this practice': 889690, 'practice is': 668597, 'unfair and': 941413, 'and inhuman': 65236, 'inhuman in': 438478, 'struggling time': 814492, 'de few grocery': 229059, 'few grocery store': 303851, 'store have increased': 808085, 'of common product': 581591, 'common product to': 189440, 'product to encash': 681744, 'to encash the': 905054, 'encash the critical': 275521, 'the critical situation': 852497, 'critical situation of': 218664, '19 this practice': 11350, 'this practice is': 889691, 'practice is unfair': 668598, 'is unfair and': 453486, 'unfair and inhuman': 941414, 'and inhuman in': 65237, 'inhuman in the': 438479, 'in the struggling': 429581, 'the struggling time': 868310, 'struggling time please': 814493, 'the necessary action': 861372, 'coronavirus laura': 206211, 'ashley set': 95116, 'retail crisis': 718016, 'coronavirus laura ashley': 206212, 'laura ashley set': 482139, 'ashley set to': 95117, 'set to become': 753503, 'to become first': 901674, 'become first victim': 119994, 'victim of retail': 956499, 'of retail crisis': 589045, 'to abuse': 899923, 'team had': 835657, 'had leave': 373234, 'leave today': 485016, 'tear doubt': 835940, 'back got': 107036, 'got followed': 358562, 'followed to': 312619, 'and screamed': 71090, 'screamed at': 742646, 'too rather': 925027, 'rather take': 697498, 'stress than': 813406, 'getting co': 348908, 'think it fun': 885330, 'it fun to': 458187, 'fun to abuse': 341229, 'to abuse supermarket': 899924, 'abuse supermarket team': 27661, 'supermarket team had': 823142, 'team had leave': 835658, 'had leave today': 373235, 'leave today in': 485017, 'today in tear': 919696, 'in tear doubt': 428839, 'tear doubt they': 835941, 'come back got': 187238, 'back got followed': 107037, 'got followed to': 358563, 'followed to my': 312620, 'my car and': 547595, 'car and screamed': 163002, 'and screamed at': 71091, 'screamed at and': 742647, 'at and out': 98008, 'and out too': 68538, 'out too rather': 627724, 'too rather take': 925028, 'rather take the': 697501, 'take the financial': 832648, 'the financial stress': 855229, 'financial stress than': 306607, 'stress than the': 813407, 'of getting co': 584119, 'pandemic issue': 635812, 'issue this': 455967, 'statement addressing': 796157, 'addressing store': 32104, 'their cherished': 872766, 'cherished selection': 175530, 'of pandemic issue': 587701, 'pandemic issue this': 635813, 'issue this official': 455968, 'official statement addressing': 595938, 'statement addressing store': 796158, 'addressing store closure': 32105, 'enjoy their cherished': 277194, 'their cherished selection': 872767, 'cherished selection bathandbodyworks': 175531, 'spirit everyone': 789465, 'wa banging': 961633, 'cocaine fuelled': 185190, 'fuelled locust': 340355, 'locust with': 500581, 'attitude instead': 102563, 'britain spirit everyone': 140444, 'spirit everyone wa': 789466, 'everyone wa banging': 287534, 'wa banging on': 961634, 'banging on about': 109478, 'on about in': 599139, 'people stripping the': 649669, 'plague of cocaine': 657972, 'of cocaine fuelled': 581497, 'cocaine fuelled locust': 185191, 'fuelled locust with': 340356, 'locust with me': 500582, 'with me me': 999445, 'me attitude instead': 522484, 'chugging': 178307, 'and slowed': 71754, 'other energy': 620141, 'energy chugging': 276403, 'chugging sector': 178308, 'such manufacturing': 816624, 'global travel and': 352267, 'travel and slowed': 930259, 'and slowed down': 71755, 'slowed down other': 774492, 'down other energy': 257064, 'other energy chugging': 620142, 'energy chugging sector': 276404, 'chugging sector such': 178309, 'sector such manufacturing': 744338, 'ssga': 791648, 'covid pandemic': 214200, 'still accepting': 800157, 'accepting animal': 28066, 'animal donation': 76577, 'the ssga': 867671, 'ssga beef': 791649, 'beef drive': 120503, 'provide nutritious': 686405, 'nutritious beef': 577756, 'across sk': 29452, 'unprecedented demand due': 943111, 'the covid pandemic': 852237, 'covid pandemic with': 214201, 'pandemic with the': 637034, 'with the support': 1001507, 'support of we': 826697, 'are still accepting': 90388, 'still accepting animal': 800158, 'accepting animal donation': 28067, 'animal donation for': 76578, 'donation for the': 254609, 'for the ssga': 326701, 'the ssga beef': 867672, 'ssga beef drive': 791650, 'beef drive to': 120504, 'drive to provide': 259228, 'to provide nutritious': 912416, 'provide nutritious beef': 686406, 'nutritious beef to': 577757, 'beef to the': 120559, 'bank across sk': 109568, '823': 22836, 'believe death': 126256, 'is greater': 448214, 'greater tragedy': 363254, 'tragedy than': 929183, 'than lower': 840860, 'lower stock': 505999, 'price death': 673395, '19 rose': 10252, 'rose 40': 726044, '40 today': 18680, 'today out': 920005, 'ever died': 285272, 'disease perished': 245203, 'perished today': 652016, 'today total': 920392, 'case rose': 165997, '26 to': 16196, 'to 54': 899766, '54 823': 20315, '823 out': 22837, 'people diagnosed': 647638, 'diagnosed today': 240232, 'who still believe': 989673, 'still believe death': 800283, 'believe death is': 126257, 'death is greater': 230096, 'is greater tragedy': 448216, 'greater tragedy than': 363255, 'tragedy than lower': 929184, 'than lower stock': 840861, 'lower stock price': 506000, 'stock price death': 802709, 'price death from': 673396, 'covid 19 rose': 213722, '19 rose 40': 10253, 'rose 40 today': 726045, '40 today out': 18681, 'today out of': 920006, 'out of every': 626730, 'of every american': 583234, 'every american who': 285668, 'american who ever': 52304, 'who ever died': 988710, 'ever died from': 285273, 'the disease perished': 853371, 'disease perished today': 245204, 'perished today total': 652017, 'today total case': 920393, 'total case rose': 926141, 'case rose by': 165998, 'rose by 26': 726057, 'by 26 to': 151618, '26 to 54': 16197, 'to 54 823': 899767, '54 823 out': 20316, '823 out of': 22838, 'of every case': 583237, 'every case were': 285716, 'case were people': 166101, 'were people diagnosed': 979972, 'people diagnosed today': 647639, 'joevs': 466484, 'not line': 570418, 'of joevs': 585547, 'joevs grocery': 466485, 'over capacity': 630065, 'not line to': 570419, 'get inside of': 347348, 'inside of joevs': 439335, 'of joevs grocery': 585548, 'joevs grocery store': 466486, 'because they over': 119712, 'they over capacity': 882854, 'are cashier': 85192, 'cashier not': 166572, 'why are cashier': 990764, 'are cashier not': 85193, 'cashier not given': 166573, 'not given glove': 569653, 'stop after': 804432, 'peak oil': 646087, 'affect ab': 34103, 'ab more': 24176, 'more could': 538904, 'for cdn': 319980, 'cdn oil': 168651, 'oil ableg': 596588, 'economic downturn will': 267081, 'downturn will not': 257823, 'not stop after': 571751, 'stop after covid': 804433, '19 peak oil': 9609, 'peak oil crash': 646088, 'oil crash will': 596715, 'crash will affect': 215054, 'will affect ab': 992210, 'affect ab more': 34104, 'ab more could': 24177, 'more could hit': 538905, 'could hit negative': 209304, 'hit negative price': 398339, 'negative price for': 556817, 'price for cdn': 673936, 'for cdn oil': 319981, 'cdn oil ableg': 168652, 'oil ableg abhealth': 596589, 'for agricultural': 319080, 'spain due': 787288, 'demand for agricultural': 235374, 'for agricultural product': 319081, 'agricultural product in': 38912, 'product in spain': 681295, 'in spain due': 428169, 'spain due to': 787289, 'to fear about': 905693, 'novel outbreak ha': 573803, 'outbreak ha seen': 628276, 'ha seen price': 371839, 'seen price soar': 747202, 'this quaratinelife': 889785, 'wonder why people': 1004044, 'are hoarding toiletpaper': 87214, 'hoarding toiletpaper it': 399619, 'toiletpaper it because': 922145, 'because they stock': 119719, 'up on stuff': 945622, 'on stuff like': 603729, 'like this quaratinelife': 491520, 'cpt': 214652, 'marius': 515761, 'paun': 644574, 'cptmarkets': 214655, 'weekly article': 977470, 'from cpt': 335051, 'cpt market': 214653, 'market uk': 517269, 'uk senior': 938703, 'senior dealer': 750270, 'dealer marius': 229614, 'marius paun': 515762, 'paun thursday': 644575, 'thursday 2nd': 895329, 'repeat of': 711530, '2008 for': 13665, 'for silver': 325622, 'price cptmarkets': 673309, 'cptmarkets economic': 214656, 'economic finance': 267098, 'finance investment': 306210, 'investment stockmarket': 444061, 'stockmarket market': 803662, 'silver bond': 769795, 'bond coronabonds': 134233, 'coronabonds price': 204451, 'weekly article from': 977471, 'article from cpt': 94327, 'from cpt market': 335052, 'cpt market uk': 214654, 'market uk senior': 517270, 'uk senior dealer': 938704, 'senior dealer marius': 750271, 'dealer marius paun': 229615, 'marius paun thursday': 515763, 'paun thursday 2nd': 644576, 'thursday 2nd april': 895330, 'april 2020 is': 83466, '2020 is this': 14408, 'is this repeat': 453118, 'this repeat of': 889872, 'repeat of 2008': 711531, 'of 2008 for': 579460, '2008 for silver': 13666, 'for silver price': 325623, 'silver price cptmarkets': 769850, 'price cptmarkets economic': 673310, 'cptmarkets economic finance': 214657, 'economic finance investment': 267099, 'finance investment stockmarket': 306211, 'investment stockmarket market': 444062, 'stockmarket market money': 803663, 'market money gold': 516726, 'money gold silver': 536790, 'gold silver bond': 356006, 'silver bond coronabonds': 769796, 'bond coronabonds price': 134234, 'testament': 839251, 'and testament': 73135, 'testament to': 839252, 'massive value': 520159, 'value ot': 952176, 'ot bring': 619765, 'healthcare pdf': 387202, 'pdf version': 645950, 'version available': 954900, 'really great selection': 702247, 'selection of advice': 747524, 'advice from for': 33384, 'from for those': 335534, 'may be self': 521027, 'to great work': 906993, 'great work and': 363113, 'work and testament': 1004813, 'and testament to': 73136, 'testament to the': 839253, 'the massive value': 860275, 'massive value ot': 520160, 'value ot bring': 952177, 'ot bring to': 619766, 'bring to healthcare': 140102, 'to healthcare pdf': 907380, 'healthcare pdf version': 387203, 'pdf version available': 645951, 'version available here': 954901, 'woodwork': 1004330, 'withstand generation': 1003096, 'generation worth': 345657, 'use learn': 949335, 'wonderful product': 1004108, 'line here': 493168, 'at woodwork': 101580, 'woodwork due': 1004331, 'furniture is built': 341958, 'built to withstand': 142202, 'to withstand generation': 918655, 'withstand generation worth': 1003097, 'generation worth of': 345658, 'worth of use': 1011420, 'of use learn': 592701, 'use learn more': 949336, 'about this wonderful': 26675, 'this wonderful product': 891489, 'wonderful product line': 1004109, 'product line here': 681381, 'line here at': 493169, 'here at woodwork': 392794, 'at woodwork due': 101581, 'woodwork due to': 1004332, 'shove': 766817, 'when push': 983914, 'push come': 690256, 'to shove': 914547, 'shove the': 766820, 'taught that': 834899, 'important are': 418736, 'actually most': 30886, 'important today': 419079, 'today being': 919315, 'being doctor': 125066, 'seller supermarket': 749082, 'being millionaire': 125431, 'when push come': 983915, 'push come to': 690257, 'come to shove': 187598, 'to shove the': 914548, 'shove the pandemic': 766821, 'pandemic ha taught': 635573, 'ha taught that': 372164, 'taught that job': 834900, 'that job which': 844776, 'job which we': 466288, 'which we thought': 986467, 'we thought were': 973543, 'thought were not': 893308, 'were not important': 979920, 'not important are': 570072, 'important are actually': 418737, 'are actually most': 84216, 'actually most important': 30887, 'most important today': 542415, 'important today being': 419080, 'today being doctor': 919316, 'being doctor nurse': 125067, 'nurse food seller': 577334, 'food seller supermarket': 316392, 'seller supermarket clerk': 749083, 'supermarket clerk are': 819713, 'clerk are more': 181655, 'important than being': 418986, 'than being millionaire': 840401, 'qvm': 695043, 'at qvm': 100236, 'fresh food today': 332982, 'today at qvm': 919280, 'supermarket offer senior': 821709, 'for elderly customer': 320990, 'elderly customer amid': 270648, 'customer amid outbreak': 222056, 'coronapocalypse with': 205207, 'the ubiquitous': 870179, 'ubiquitous facemasks': 937853, 'facemasks latex': 295148, 'glove plexiglas': 352868, 'barrier and': 111342, 'forced socialdistancing': 328605, 'socialdistancing tape': 780782, 'tape all': 834347, 'floor it': 310811, 'obvious we': 578813, 'severe pandemic': 754044, 'of unchecked': 592605, 'unchecked obsessive': 939805, 'obsessive compulsive': 578692, 'compulsive disorder': 192709, 'disorder ocd': 246081, 'coronapocalypse with the': 205208, 'with the ubiquitous': 1001524, 'the ubiquitous facemasks': 870180, 'ubiquitous facemasks latex': 937854, 'facemasks latex glove': 295149, 'latex glove plexiglas': 481622, 'glove plexiglas barrier': 352869, 'plexiglas barrier and': 661034, 'barrier and forced': 111344, 'and forced socialdistancing': 63178, 'forced socialdistancing tape': 328606, 'socialdistancing tape all': 780783, 'tape all over': 834348, 'supermarket floor it': 820339, 'floor it obvious': 310812, 'it obvious we': 459976, 'obvious we re': 578814, 'grip of severe': 364027, 'of severe pandemic': 589553, 'severe pandemic of': 754045, 'pandemic of unchecked': 636073, 'of unchecked obsessive': 592606, 'unchecked obsessive compulsive': 939806, 'obsessive compulsive disorder': 578693, 'compulsive disorder ocd': 192710, 'one brave': 606013, 'brave trucker': 138242, 'trucker one': 932936, 'one fearless': 606283, 'fearless nurse': 301503, 'humble stocker': 410830, 'them count': 875566, 'count more': 210137, 'everyone re': 287310, 'one brave trucker': 606014, 'brave trucker one': 138243, 'trucker one fearless': 932937, 'one fearless nurse': 606284, 'fearless nurse humble': 301504, 'nurse humble stocker': 577376, 'humble stocker at': 410831, 'stocker at supermarket': 803498, 'at supermarket all': 100696, 'supermarket all of': 818872, 'of them count': 591731, 'them count more': 875567, 'count more at': 210138, 'this time than': 890695, 'time than half': 897818, 'our nation yet': 623988, 'yet again they': 1015975, 'deserve everyone re': 238052, 'ford capping': 328773, 'capping hydro': 162887, 'doug ford capping': 256252, 'ford capping hydro': 328774, 'capping hydro price': 162888, 'off peak time': 594059, 'peak time during': 646106, 'time during covid': 896592, 'government neglect': 360378, 'manage covid': 512384, 'distancing and year': 247002, 'year of government': 1014778, 'of government neglect': 584276, 'government neglect have': 360379, 'will manage covid': 994095, 'manage covid 19': 512385, 'opportunistic increase': 613568, 'increase soap': 433069, 'price 10': 672098, '10 amp': 1309, 'amp 25': 53326, 'during news': 262814, 'opportunistic increase soap': 613570, 'increase soap price': 433070, 'soap price 10': 779083, 'price 10 amp': 672099, '10 amp 25': 1310, 'amp 25 in': 53327, '25 in india': 15886, 'india during news': 434383, 'staysixfeetback': 799048, 'neighborhood socially': 557154, 'distanced grocery': 246914, 'store staysixfeetback': 810371, 'staysixfeetback socialdistancing': 799049, 'newnormal safe': 560144, 'just your friendly': 470383, 'friendly neighborhood socially': 333973, 'neighborhood socially distanced': 557155, 'socially distanced grocery': 781055, 'distanced grocery store': 246915, 'grocery store staysixfeetback': 365806, 'store staysixfeetback socialdistancing': 810372, 'staysixfeetback socialdistancing newnormal': 799050, 'socialdistancing newnormal safe': 780553, 'newnormal safe healthy': 560145, 'safe healthy flattenthecurve': 729747, 'repurposed soviet': 713099, 'soviet joke': 786956, 'no tesco': 565678, 'website your': 975502, 'is 7am': 445243, '7am 10pm': 22402, '10pm on': 2378, 'on may': 602058, 'may 2021': 520878, '2021 check': 14769, 'check diary': 174413, 'diary damn': 240406, 'damn ve': 225458, 'testing appointment': 839445, 'appointment that': 82689, 'local election': 497918, 'election that': 271064, 'repurposed soviet joke': 713100, 'soviet joke no': 786957, 'joke no tesco': 467114, 'no tesco online': 565679, 'shopping website your': 764365, 'website your next': 975503, 'your next available': 1024997, 'slot is 7am': 774222, 'is 7am 10pm': 445244, '7am 10pm on': 22403, '10pm on may': 2379, 'on may 2021': 602059, 'may 2021 check': 520879, '2021 check diary': 14770, 'check diary damn': 174414, 'diary damn ve': 240407, 'damn ve got': 225459, 'got to report': 358966, 'to report for': 913270, 'report for my': 711956, '19 testing appointment': 11097, 'testing appointment that': 839446, 'appointment that day': 82690, 'that day and': 843445, 'day and they': 227289, 'they are voting': 881453, 'are voting for': 91503, 'voting for me': 960603, 'the local election': 859544, 'local election that': 497919, 'election that day': 271065, 'that day too': 843447, 'adjuster': 32341, 'got ruler': 358826, 'ruler socialdistancing': 727439, 'pandemic insurance': 635741, 'news adjuster': 560190, 'adjuster fun': 32342, 'fun chill': 341145, 'chill weekend': 176387, 'he got ruler': 385006, 'got ruler socialdistancing': 358827, 'ruler socialdistancing pandemic': 727440, 'socialdistancing pandemic insurance': 780589, 'pandemic insurance claim': 635742, 'insurance claim news': 440690, 'claim news adjuster': 179766, 'news adjuster fun': 560191, 'adjuster fun chill': 32343, 'fun chill weekend': 341146, 'make near': 510236, 'near enough': 553494, 'take such': 832623, 'such risk': 816726, 'these worker do': 880991, 'not make near': 570500, 'make near enough': 510237, 'near enough money': 553495, 'money to take': 537123, 'to take such': 916242, 'take such risk': 832624, 'shelf shopping': 757508, 'food and emptying': 313218, 'supermarket shelf shopping': 822528, 'ireland retail': 444849, 'retail do': 718041, 'provide even': 686277, 'even basic': 283857, 'recently shopped': 704148, 'at employee': 98534, 'wasn his': 967986, 'his responsibility': 397756, 'store atm': 806599, 'atm screen': 101956, 'screen clean': 742688, 'ireland retail do': 444850, 'retail do not': 718042, 'not provide even': 571141, 'provide even basic': 686278, 'even basic hand': 283858, 'basic hand sanitiser': 111921, 'sanitiser in the': 733980, 'store have recently': 808096, 'have recently shopped': 382212, 'recently shopped at': 704149, 'shopped at employee': 761296, 'at employee told': 98535, 'employee told me': 274347, 'me it wasn': 523023, 'it wasn his': 462258, 'wasn his responsibility': 967987, 'his responsibility to': 397757, 'keep his store': 471584, 'his store atm': 397828, 'store atm screen': 806600, 'atm screen clean': 101958, 'this tosser': 890822, 'tosser think': 926103, 'by thing': 154517, 'overseas that': 631491, 'hey everyone this': 394372, 'everyone this tosser': 287484, 'this tosser think': 890823, 'tosser think that': 926104, 'spread by thing': 790462, 'by thing from': 154518, 'thing from overseas': 884347, 'from overseas that': 336822, 'overseas that you': 631492, 'buy in supermarket': 148819, 'moccasin': 535118, 'gould': 359502, 'sting': 801663, 'moccasin 95': 535119, '95 gould': 23581, 'gould the': 359505, 'hoax crowd': 399711, 'be proven': 116589, 'proven down': 686156, 'right stupid': 722290, 'normal unless': 567383, 'med to': 525930, 'eradicate covid': 280092, 'better get': 128298, 'get cracking': 346828, 'cracking this': 214747, 'have bad': 379398, 'bad sting': 108020, 'sting to': 801664, 'moccasin 95 gould': 535120, '95 gould the': 23583, 'gould the it': 359506, 'the it hoax': 858584, 'it hoax crowd': 458604, 'hoax crowd are': 399712, 'crowd are about': 219122, 'to be proven': 901467, 'be proven down': 116590, 'proven down right': 686157, 'down right stupid': 257156, 'right stupid we': 722291, 'stupid we cannot': 815494, 'cannot get back': 161874, 'to normal unless': 910665, 'normal unless we': 567384, 'unless we all': 942657, 'take the med': 832661, 'the med to': 860391, 'med to eradicate': 525931, 'to eradicate covid': 905241, 'eradicate covid 19': 280093, 'and we better': 75283, 'we better get': 970856, 'better get cracking': 128300, 'get cracking this': 346829, 'cracking this will': 214748, 'will have bad': 993615, 'have bad sting': 379399, 'bad sting to': 108021, 'sting to it': 801665, 'squad20': 791448, 'kidcrafts': 474193, 'kid busy': 473890, 'busy ha': 144908, 'many option': 514419, 'price use': 677282, 'code squad20': 185398, 'squad20 to': 791449, 'order 49': 617997, '49 stayhome': 19405, 'stayhome kidcrafts': 798029, 'kidcrafts homeschooling': 474194, 'homeschooling stayathome': 402947, 'been keeping your': 121426, 'keeping your kid': 472637, 'your kid busy': 1024553, 'kid busy ha': 473891, 'busy ha so': 144909, 'ha so many': 371978, 'so many option': 777685, 'many option at': 514420, 'option at great': 613990, 'great price use': 362922, 'price use code': 677283, 'use code squad20': 949122, 'code squad20 to': 185399, 'squad20 to receive': 791450, 'receive free shipping': 703484, 'on any order': 599404, 'any order 49': 79577, 'order 49 stayhome': 617998, '49 stayhome kidcrafts': 19406, 'stayhome kidcrafts homeschooling': 798030, 'kidcrafts homeschooling stayathome': 474195, 'homeschooling stayathome stayathomechallenge': 402948, 'article leadership': 94378, 'model consumer': 535237, 'latest article leadership': 481219, 'article leadership during': 94379, '19 crisis be': 6220, 'crisis be model': 217118, 'be model consumer': 115955, 'model consumer via': 535238, 'kohl decision': 477332, 'certainly mean': 170164, 'will postpone': 994431, 'postpone plan': 666775, 'kohl decision to': 477333, 'close store across': 182807, 'country in response': 210779, 'crisis will almost': 218404, 'almost certainly mean': 46574, 'certainly mean the': 170165, 'mean the retailer': 524698, 'the retailer will': 865746, 'retailer will postpone': 719434, 'will postpone plan': 994432, 'postpone plan to': 666776, 'to open new': 910997, 'open new store': 612394, 'new store in': 559668, 'store in rome': 808381, 'rome this fall': 725758, 'dealing with hand': 229669, 'sanitizer shortage here': 735733, 'shortage here how': 764996, 'edmonds': 268701, 'edmonds eu': 268702, 'eu if': 283237, 'it anything': 456548, 'true number': 933141, 'market impact': 516541, 'confidence am': 193808, 'and fatality': 62716, 'fatality that': 300255, 'edmonds eu if': 268703, 'eu if it': 283238, 'if it anything': 414287, 'it anything like': 456549, 'anything like here': 80820, 'like here in': 490427, 'the it possible': 858589, 'it possible they': 460393, 'possible they didn': 665825, 'they didn want': 881936, 'know the true': 476854, 'the true number': 870054, 'true number due': 933142, 'to market impact': 909853, 'market impact and': 516542, 'consumer confidence am': 196883, 'confidence am sure': 193809, 'sure there are': 827726, 'plenty of covid': 660946, 'case and fatality': 165622, 'and fatality that': 62717, 'three police': 894037, 'st charles': 791689, 'charles mandatory': 173744, 'shutdown illinoislockdown': 768042, 'three police car': 894038, 'police car and': 662947, 'car and line': 162996, 'and line outside': 66198, 'store in st': 808395, 'in st charles': 428219, 'st charles mandatory': 791690, 'charles mandatory shutdown': 173745, 'mandatory shutdown illinoislockdown': 513060, 'awarness': 105750, 'purblic': 689320, 'jaganath': 464247, 'retail medicine': 718314, 'my few': 548308, 'to awarness': 900965, 'awarness purblic': 105751, 'purblic about': 689321, 'about odisha': 25831, 'odisha india': 579238, 'war jai': 966477, 'jai jaganath': 464254, 'have retail medicine': 382308, 'retail medicine store': 718315, 'medicine store this': 526894, 'is my few': 449793, 'my few step': 548309, 'few step to': 304074, 'step to awarness': 799639, 'to awarness purblic': 900966, 'awarness purblic about': 105752, 'purblic about odisha': 689322, 'about odisha india': 25832, 'odisha india will': 579239, 'india will win': 434695, 'will win the': 995351, 'the war jai': 871069, 'war jai jaganath': 966478, 'could plummet': 209506, 'plummet 30': 661245, 'high should': 395406, 'should social': 766480, 'market remain': 516976, 'for prolonged': 324805, 'period say': 651876, 'say data': 738549, 'data house': 226269, 'house sqm': 406572, 'sqm research': 791439, 'property price could': 684324, 'price could plummet': 673289, 'could plummet 30': 209507, 'plummet 30 per': 661246, 'cent from current': 169056, 'from current high': 335071, 'current high should': 221228, 'high should social': 395407, 'should social distancing': 766481, 'distancing restriction on': 247427, 'housing market remain': 407110, 'market remain in': 516977, 'place for prolonged': 657446, 'for prolonged period': 324806, 'prolonged period say': 683637, 'period say data': 651877, 'say data house': 738550, 'data house sqm': 226270, 'house sqm research': 406573, 'ancestry': 57307, '5c': 20634, 'these charge': 879744, 'consumer eg': 197323, 'eg some': 269725, 'some often': 783425, 'often of': 596239, 'foreign ancestry': 328957, 'ancestry at': 57308, 'at aldi': 97861, 'aldi checkout': 41260, 'operator short': 613400, 'short change': 764602, 'by 5c': 151688, '5c but': 20635, 'one 5c': 605849, '5c short': 20637, 'short you': 764792, 'grocery auspol': 364290, 'these charge are': 879745, 'charge are never': 173204, 'are never in': 88219, 'never in favour': 558076, 'favour of the': 300574, 'the consumer eg': 851530, 'consumer eg some': 197324, 'eg some often': 269726, 'some often of': 783426, 'often of foreign': 596240, 'of foreign ancestry': 583871, 'foreign ancestry at': 328958, 'ancestry at aldi': 57309, 'at aldi checkout': 97862, 'aldi checkout operator': 41261, 'checkout operator short': 174972, 'operator short change': 613401, 'short change customer': 764603, 'change customer by': 171999, 'customer by 5c': 222212, 'by 5c but': 151689, '5c but if': 20636, 'the one 5c': 862186, 'one 5c short': 605850, '5c short you': 20638, 'short you do': 764793, 'your grocery auspol': 1024119, 'after no': 35957, 'more second': 540330, 'second hand': 743730, 'hand clothes': 374872, 'for instacart': 322603, 'instacart even': 439918, 'higher popularity': 395656, 'amazon le': 51025, 'le luxury': 483016, 'luxury buying': 506921, 'how market may': 408297, 'market may change': 516707, 'may change after': 521079, 'change after no': 171887, 'after no more': 35958, 'no more second': 564817, 'more second hand': 540331, 'second hand clothes': 743731, 'hand clothes shopping': 374873, 'clothes shopping more': 184206, 'grocery shopping good': 365029, 'shopping good for': 762800, 'good for instacart': 357077, 'for instacart even': 322604, 'instacart even higher': 439919, 'even higher popularity': 284182, 'higher popularity of': 395657, 'popularity of amazon': 664620, 'of amazon le': 580030, 'amazon le luxury': 51026, 'le luxury buying': 483017, 'help shop': 390522, 'responsibly new': 716105, 'measure inc': 525234, 'inc item': 431290, 'item restricted': 463615, 'ceo we': 169880, 'not business': 568637, 'supermarket staff cannot': 822824, 'staff cannot work': 792303, 'home and need': 400668, 'and need our': 67476, 'our help shop': 623412, 'help shop responsibly': 390523, 'shop responsibly new': 760714, 'responsibly new measure': 716106, 'new measure inc': 559097, 'measure inc item': 525235, 'inc item restricted': 431291, 'item restricted to': 463616, 'restricted to per': 717169, 'to per person': 911653, 'per person ceo': 650972, 'person ceo we': 652358, 'ceo we have': 169881, 'been doing everything': 121018, 'business usual but': 144599, 'but we now': 147756, 'have to accept': 383147, 'accept it is': 27966, 'is not business': 450042, 'not business usual': 568639, 'doing webinar': 252826, '22 about': 15179, 'about marketing': 25701, 'marketing in': 517620, 'some original': 783472, 'original research': 619586, 'share pretty': 755153, 'pretty excited': 671402, 're doing webinar': 698553, 'doing webinar on': 252827, 'webinar on 22': 975067, 'on 22 about': 599065, '22 about marketing': 15180, 'about marketing in': 25702, 'marketing in the': 517621, 'got some original': 358853, 'some original research': 783473, 'original research on': 619587, 'behavior to share': 124259, 'to share pretty': 914359, 'share pretty excited': 755154, 'pretty excited about': 671403, 'about this so': 26660, 'this so please': 890220, 'so please sign': 778027, 'please on': 660255, 'attend 20': 102297, '20 address': 12932, 'address each': 31971, 'each per': 264244, 'opinion please on': 613492, 'please on why': 660256, 'on why supermarket': 605317, 'why supermarket delivery': 991390, 'are not been': 88332, 'they attend 20': 881511, 'attend 20 address': 102298, '20 address each': 12933, 'address each per': 31972, 'each per day': 264245, '19 widespread': 12070, 'made business': 507661, 'price lagos': 675010, 'lagos resident': 478943, 'resident daily': 714279, 'time nigeria': 897266, 'covid 19 widespread': 214074, '19 widespread panic': 12071, 'buying ha made': 150441, 'ha made business': 371205, 'made business to': 507662, 'business to hike': 144539, 'hike price lagos': 396263, 'price lagos resident': 675011, 'lagos resident daily': 478944, 'resident daily time': 714280, 'daily time nigeria': 224838, 'go one': 353909, 'let the line': 487132, 'supermarket go one': 820532, 'go one by': 353910, 'one and play': 605906, 'and play minute': 69087, 'audjpy': 102950, 'aussie and': 103110, 'nzd maintain': 578220, 'maintain monday': 508995, 'monday rally': 536365, 'rally most': 696271, 'most volatile': 542861, 'volatile pair': 960054, 'pair at': 634324, '00 gmt': 233, 'gmt is': 353209, 'is audjpy': 445893, 'audjpy global': 102951, 'with optimism': 999930, 'reached global': 700042, 'global peak': 352123, 'peak gold': 646066, 'gold remains': 355988, 'remains firm': 710011, 'firm despite': 308335, 'current risk': 221344, 'risk on': 723794, 'on scenario': 603335, 'scenario oil': 741281, 'aussie and nzd': 103111, 'and nzd maintain': 67916, 'nzd maintain monday': 578221, 'maintain monday rally': 508996, 'monday rally most': 536366, 'rally most volatile': 696272, 'most volatile pair': 542862, 'volatile pair at': 960055, 'pair at at': 634325, 'at at 00': 98061, 'at 00 gmt': 97351, '00 gmt is': 234, 'gmt is audjpy': 353210, 'is audjpy global': 445894, 'audjpy global stock': 102952, 'global stock are': 352219, 'stock are on': 801856, 'rise with optimism': 723074, 'with optimism that': 999931, 'optimism that covid': 613918, '19 ha reached': 7376, 'ha reached global': 371635, 'reached global peak': 700043, 'global peak gold': 352124, 'peak gold remains': 646067, 'gold remains firm': 355989, 'remains firm despite': 710012, 'firm despite the': 308336, 'despite the current': 238877, 'the current risk': 852660, 'current risk on': 221345, 'risk on scenario': 723795, 'on scenario oil': 603336, 'scenario oil price': 741282, 'up by in': 944554, 'fuzzpugz': 342563, 'find fuzzpugz': 306934, 'fuzzpugz viruscorona': 342564, 'viruscorona viral': 959101, 'guess ll go': 368001, 'what can find': 981173, 'can find fuzzpugz': 158322, 'find fuzzpugz viruscorona': 306935, 'fuzzpugz viruscorona viral': 342565, 'combined total': 187140, 'pandemic city': 635149, 'donated combined total': 254330, 'combined total of': 187141, 'coronavirus pandemic city': 206446, 'pandemic city united': 635150, 'coronavirus small': 206776, 'small bright': 774825, 'like today': 491637, 'today every': 919495, 'the coronavirus small': 851915, 'coronavirus small bright': 206777, 'small bright spot': 774826, 'bright spot on': 139801, 'spot on day': 790086, 'on day like': 600221, 'day like today': 227912, 'like today every': 491638, 'today every one': 919496, 'every one is': 286049, 'one is welcome': 606533, 'rapture': 697066, 'rationing out': 697856, 'the rapture': 865155, 'rapture is': 697067, 'here closetheschoolsnow': 392872, 'my state border': 550193, 'state border are': 795429, 'closed and my': 182990, 'and my supermarket': 67391, 'supermarket is rationing': 821118, 'is rationing out': 451240, 'rationing out food': 697857, 'out food the': 626091, 'food the rapture': 317128, 'the rapture is': 865156, 'rapture is here': 697068, 'is here closetheschoolsnow': 448419, 'depositor': 237521, 'lirafication': 494231, '300mm': 17370, 'smallest': 775319, '118': 2687, 'analysis showing': 57078, 'showing depositor': 767436, 'depositor face': 237522, 'their deposit': 873006, 'to lirafication': 909321, 'lirafication or': 494232, 'or conversion': 614820, 'conversion to': 202521, 'share wa': 755335, 'wa criticized': 961901, 'criticized too': 218785, 'too pessimistic': 924997, 'pessimistic ask': 653328, 'gov can': 359548, 'even return': 284530, 'return 300mm': 719804, '300mm to': 17371, 'to smallest': 914764, 'smallest depositor': 775320, 'depositor in': 237524, 'remaining 118': 709955, '118 bn': 2688, 'our analysis showing': 622075, 'analysis showing depositor': 57079, 'showing depositor face': 767437, 'depositor face the': 237523, 'face the loss': 294796, 'loss of 70': 503736, 'of 70 of': 579660, '70 of their': 21808, 'of their deposit': 591658, 'their deposit to': 873007, 'deposit to lirafication': 237520, 'to lirafication or': 909322, 'lirafication or conversion': 494233, 'or conversion to': 614821, 'conversion to bank': 202522, 'to bank share': 901035, 'bank share wa': 110184, 'share wa criticized': 755336, 'wa criticized too': 961902, 'criticized too pessimistic': 218786, 'too pessimistic ask': 924998, 'pessimistic ask if': 653329, 'ask if gov': 95563, 'if gov can': 414168, 'gov can even': 359549, 'can even return': 158257, 'even return 300mm': 284531, 'return 300mm to': 719805, '300mm to smallest': 17372, 'to smallest depositor': 914765, 'smallest depositor in': 775321, 'depositor in do': 237525, 'in do really': 422336, 'do really think': 250032, 'really think it': 702659, 'it can for': 457017, 'can for the': 158375, 'the remaining 118': 865493, 'remaining 118 bn': 709956, 'ke please': 471235, 'presidential directive': 670986, 'directive all': 243494, 'be revised': 116871, 'revised downward': 720636, 'downward due': 257830, 'ke please adhere': 471236, 'to the presidential': 916977, 'the presidential directive': 864276, 'presidential directive all': 670987, 'directive all price': 243495, 'all price should': 44041, 'should be revised': 765718, 'be revised downward': 116872, 'revised downward due': 720637, 'downward due to': 257831, 'defenseproductionact to': 232156, 'company get': 190695, 'bidder he': 129506, 'actually bidding': 30742, 'state drive': 795535, 'insane trump': 439079, 'trump should': 933839, 'be demanding': 114409, 'demanding stock': 236610, 'labor we': 478457, 'paying top': 645514, 'top dollar': 925562, 'the is using': 858545, 'is using the': 453637, 'using the defenseproductionact': 950698, 'the defenseproductionact to': 853037, 'defenseproductionact to help': 232157, 'help company get': 389504, 'company get the': 190696, 'get the highest': 348252, 'highest bidder he': 395814, 'bidder he actually': 129507, 'he actually bidding': 384708, 'actually bidding against': 30743, 'bidding against state': 129515, 'against state drive': 37629, 'state drive the': 795536, 'drive the price': 259169, 'up that insane': 946149, 'that insane trump': 844522, 'insane trump should': 439080, 'trump should be': 933840, 'should be demanding': 765598, 'be demanding stock': 114410, 'demanding stock price': 236611, 'stock price labor': 802731, 'price labor we': 675009, 'labor we shouldn': 478458, 'shouldn be paying': 766727, 'be paying top': 116383, 'paying top dollar': 645515, 'office work': 595599, 'prevent scam': 671709, 'being committed': 124970, 'committed by': 189031, 'my office work': 549552, 'office work hard': 595600, 'hard to prevent': 378079, 'to prevent scam': 912086, 'prevent scam from': 671710, 'scam from being': 740173, 'from being committed': 334674, 'being committed by': 124971, 'committed by people': 189032, 'by people who': 153560, 'people who want': 650356, 'advantage of them': 33035, 'them in time': 875921, 'would sign': 1012241, 'sign 360': 769081, '360 deal': 18031, 'meant getting': 524884, 'getting toilet': 349403, 'who would sign': 990062, 'would sign 360': 1012242, 'sign 360 deal': 769082, '360 deal if': 18032, 'deal if it': 229423, 'if it meant': 414320, 'it meant getting': 459586, 'meant getting toilet': 524885, 'getting toilet tissue': 349404, 'and the cure': 73309, 'name one': 551667, 'as other': 94791, 'than tp': 841354, 'towel napkin': 927347, 'napkin or': 551857, 'tissue going': 899151, 'plastic grocery': 658853, 'bag toiletpaper': 108434, '19 tp': 11530, 'name one thing': 551668, 'house you could': 406710, 'could use to': 209811, 'use to wipe': 949764, 'your as other': 1022850, 'as other than': 94792, 'other than tp': 621086, 'than tp paper': 841355, 'paper towel napkin': 641001, 'towel napkin or': 927348, 'napkin or tissue': 551858, 'or tissue going': 617462, 'tissue going with': 899152, 'going with plastic': 355814, 'with plastic grocery': 1000231, 'plastic grocery bag': 658854, 'grocery bag toiletpaper': 364302, 'bag toiletpaper 19': 108435, 'toiletpaper 19 tp': 921682, 'ministry set': 533564, 'set retail': 753466, 'fish fruit': 309316, 'vegetable moci': 954042, 'moci qatar': 535124, 'ministry set retail': 533565, 'set retail price': 753467, 'for fish fruit': 321506, 'fish fruit and': 309317, 'and vegetable moci': 74891, 'vegetable moci qatar': 954043, 'prioritises': 678414, 'portability': 664909, 'prioritises streaming': 678415, 'public announcement': 687864, 'announcement prohibits': 77192, 'prohibits mobile': 683455, 'mobile number': 535002, 'number portability': 577036, 'portability during': 664910, 'prioritises streaming of': 678416, 'streaming of public': 812831, 'of public announcement': 588585, 'public announcement prohibits': 687865, 'announcement prohibits mobile': 77193, 'prohibits mobile data': 683456, 'mobile data price': 534959, 'price and mobile': 672472, 'and mobile number': 67096, 'mobile number portability': 535003, 'number portability during': 577037, 'portability during lockdown': 664911, 'how influence': 408066, 'influence gdp': 437305, 'gdp food': 344881, 'market rural': 517024, 'rural village': 728272, 'village livestock': 957356, 'livestock amp': 496257, 'special insight': 787968, 'insight issue': 439587, 'issue current': 455713, 'normal value': 567389, 'value amp': 952082, 'amp higher': 53940, 'in 08': 419673, 'learn how influence': 483984, 'how influence gdp': 408067, 'influence gdp food': 437306, 'gdp food market': 344882, 'food market rural': 315402, 'market rural village': 517025, 'rural village livestock': 728273, 'village livestock amp': 957357, 'livestock amp more': 496258, 'amp more from': 54147, 'more from special': 539309, 'from special insight': 337373, 'special insight issue': 787969, 'insight issue current': 439588, 'issue current global': 455714, 'current global food': 221209, 'global food stock': 351950, 'use ratio are': 949515, 'ratio are close': 697614, 'close to their': 182919, 'their normal value': 874069, 'normal value amp': 567390, 'value amp higher': 952083, 'amp higher than': 53941, 'higher than in': 395755, 'than in 08': 840773, 'dissing': 246596, 'were dissing': 979527, 'dissing supermarket': 246597, 'reason now': 702965, 'look would': 502686, 'all the year': 44992, 'the year people': 872167, 'year people were': 1014906, 'people were dissing': 650200, 'were dissing supermarket': 979528, 'dissing supermarket worker': 246598, 'worker for no': 1006971, 'no reason now': 565294, 'reason now look': 702966, 'now look would': 575254, 'look would you': 502687, 'would you look': 1012414, 'look at god': 502264, 'the frustrating': 855916, 'is half': 448253, 'of cupboard': 582246, 'or boxed': 614576, 'boxed up': 137213, 'and stored': 72523, 'stored elsewhere': 811720, 'used then': 950022, 'get chucked': 346774, 'chucked out': 178285, 'idiot that': 413610, 'it realise': 460621, 'realise it': 701598, 'the frustrating thing': 855917, 'frustrating thing is': 339256, 'thing is half': 884471, 'is half of': 448254, 'this panic bought': 889457, 'bought food will': 136569, 'food will end': 317623, 'end up at': 276023, 'back of cupboard': 107170, 'of cupboard or': 582247, 'cupboard or boxed': 220484, 'or boxed up': 614577, 'boxed up and': 137214, 'up and stored': 944377, 'and stored elsewhere': 72524, 'stored elsewhere and': 811721, 'elsewhere and not': 272012, 'and not used': 67787, 'not used then': 572369, 'used then it': 950023, 'it will get': 462396, 'will get chucked': 993499, 'get chucked out': 346775, 'chucked out when': 178286, 'the idiot that': 857847, 'idiot that bought': 413611, 'that bought it': 843021, 'bought it realise': 136613, 'it realise it': 460622, 'realise it out': 701600, 'waken': 964646, 'supermarket garage': 820475, 'garage no': 343493, 'socialdistancing all': 780198, 'four till': 330683, 'till going': 896025, 'than metre': 840886, 'apart six': 81333, 'six people': 772683, 'queue standing': 694069, 'standing on': 793793, 'others coat': 621334, 'coat tail': 185139, 'tail when': 831817, 'to waken': 918291, 'waken up': 964647, 'am just back': 50159, 'local supermarket garage': 498528, 'supermarket garage no': 820476, 'garage no socialdistancing': 343494, 'no socialdistancing all': 565551, 'socialdistancing all four': 780199, 'all four till': 42864, 'four till going': 330684, 'till going and': 896026, 'going and no': 355010, 'and no more': 67625, 'more than metre': 540646, 'than metre apart': 840887, 'metre apart six': 529827, 'apart six people': 81334, 'six people in': 772684, 'the queue standing': 865052, 'queue standing on': 694070, 'standing on each': 793794, 'on each others': 600454, 'each others coat': 264240, 'others coat tail': 621335, 'coat tail when': 185140, 'tail when are': 831818, 'going to waken': 355755, 'to waken up': 918292, 'waken up and': 964648, 'up and realise': 944364, 'and realise what': 69999, 'going on coronacrisis': 355310, 'what greed': 981523, 'greed look': 363399, 'is what greed': 453875, 'what greed look': 981524, 'greed look like': 363400, 'tissue being': 899132, 'being incredibly': 125314, 'incredibly high': 433903, 'high bb': 394941, 'bb is': 113045, 'warning business': 967101, 'may report': 521455, 'to bb': 901076, 'bb or': 113047, 'office bb': 595378, 'bb read': 113049, 'for product like': 324773, 'sanitizers and tissue': 736208, 'and tissue being': 74145, 'tissue being incredibly': 899133, 'being incredibly high': 125315, 'incredibly high bb': 433904, 'high bb is': 394942, 'bb is warning': 113046, 'is warning business': 453759, 'warning business to': 967102, 'business to resist': 144553, 'to resist the': 913361, 'urge to raise': 948238, 'raise price you': 695938, 'price you may': 677695, 'you may report': 1019810, 'may report price': 521456, 'gouging to bb': 359479, 'to bb or': 901077, 'bb or your': 113048, 'or your state': 617888, 'general office bb': 345423, 'office bb read': 595379, 'bb read here': 113050, 'cfpb ha': 170351, 'created number': 215864, 'impact caused': 417592, 'click or': 181938, 'or copy': 614826, 'paste the': 643867, 'view resource': 957154, 'bureau cfpb ha': 142775, 'cfpb ha created': 170352, 'ha created number': 370277, 'created number of': 215865, 'number of step': 576998, 'of step you': 590121, 'protect yourself or': 685101, 'yourself or loved': 1026671, 'loved one from': 504912, 'financial impact caused': 306448, 'impact caused by': 417593, '19 click or': 5839, 'click or copy': 181940, 'or copy paste': 614827, 'copy paste the': 203473, 'paste the link': 643868, 'below to view': 126762, 'to view resource': 918175, 'view resource to': 957155, 'you stay protected': 1021375, 'what nancy': 981898, 'pelosi house': 646370, 'representative did': 712896, 'did today': 240888, 'today 10': 919118, '00 42': 34, 'am convened': 49982, 'convened in': 202311, 'house 10': 406152, '10 02': 1219, '02 37': 798, '37 am': 18065, 'am adjourned': 49852, 'adjourned one': 32276, 'and 55': 57498, '55 second': 20411, 'second of': 743774, 'and pelosi': 68831, 'pelosi had': 646368, 'include 25': 431501, 'additional salary': 31860, 'salary expense': 731969, 'expense for': 291190, 'her bill': 391883, 'bill shameful': 130681, 'here what nancy': 393815, 'what nancy pelosi': 981899, 'nancy pelosi house': 551796, 'pelosi house of': 646371, 'of representative did': 588949, 'representative did today': 712897, 'did today 10': 240889, 'today 10 00': 919119, '10 00 42': 1188, '00 42 am': 35, '42 am convened': 18899, 'am convened in': 49983, 'convened in the': 202312, 'the house 10': 857588, 'house 10 02': 406153, '10 02 37': 1220, '02 37 am': 799, '37 am adjourned': 18066, 'am adjourned one': 49853, 'adjourned one minute': 32277, 'one minute and': 606670, 'minute and 55': 533727, 'and 55 second': 57499, '55 second of': 20412, 'second of work': 743776, 'work and pelosi': 1004793, 'and pelosi had': 68832, 'pelosi had the': 646369, 'had the audacity': 373607, 'the audacity to': 849042, 'audacity to include': 102898, 'to include 25': 908243, 'include 25 00': 431502, '25 00 00': 15786, '00 in additional': 259, 'in additional salary': 420040, 'additional salary expense': 31861, 'salary expense for': 731970, 'expense for the': 291191, 'the house in': 857615, 'house in her': 406357, 'in her bill': 423650, 'her bill shameful': 391884, 'situation do': 772244, 'way remind': 969840, 'remind others': 710496, 'others about': 621235, 'current situation do': 221361, 'situation do not': 772245, 'care what other': 164262, 'what other people': 981978, 'other people think': 620690, 'people think and': 649829, 'think and in': 885140, 'and in fact': 65050, 'in fact this': 422766, 'is way remind': 453794, 'way remind others': 969841, 'remind others about': 710497, 'others about the': 621237, 'step that must': 799630, 'that must be': 845257, 'taken to curb': 833096, 'bacp': 107651, 'soliciting': 781887, 'of chicago': 581324, 'chicago department': 175663, 'affair consumer': 34015, 'protection bacp': 685352, 'bacp is': 107652, 'is soliciting': 452075, 'soliciting your': 781890, 'feedback they': 302433, 'they develop': 881910, 'develop resource': 239657, 'city of chicago': 179278, 'of chicago department': 581325, 'chicago department of': 175664, 'department of business': 237232, 'of business affair': 580942, 'business affair consumer': 143244, 'affair consumer protection': 34016, 'consumer protection bacp': 198512, 'protection bacp is': 685353, 'bacp is soliciting': 107654, 'is soliciting your': 452076, 'soliciting your feedback': 781891, 'your feedback they': 1023847, 'feedback they develop': 302434, 'they develop resource': 881911, 'develop resource and': 239658, 'resource and measure': 714703, 'suzukitamilnadu': 829860, 'suzukimotorcycle': 829857, 'sanitizer suzukitamilnadu': 735839, 'suzukitamilnadu suzukimotorcycle': 829861, 'suzukimotorcycle stayhome': 829858, 'sanitizer cleanhands': 734659, 'hand sanitizer suzukitamilnadu': 375612, 'sanitizer suzukitamilnadu suzukimotorcycle': 735840, 'suzukitamilnadu suzukimotorcycle stayhome': 829862, 'suzukimotorcycle stayhome staysafe': 829859, 'stayhome staysafe corona': 798163, 'staysafe corona sanitizer': 798794, 'corona sanitizer cleanhands': 204161, 'smt': 775973, 'nirmala': 563358, 'sitaraman': 771850, 'seditious': 744850, 'doesn mr': 251896, 'mr modi': 544378, 'modi or': 535473, 'or smt': 617113, 'smt nirmala': 775974, 'nirmala sitaraman': 563359, 'sitaraman do': 771851, 'some talking': 784025, 'talking and': 834001, 'and lift': 66145, 'lift up': 489473, 'been battered': 120729, 'battered far': 112749, 'other market': 620508, 'reported ten': 712534, 'infection seditious': 436837, 'seditious behaviour': 744851, 'why doesn mr': 990958, 'doesn mr modi': 251897, 'mr modi or': 544379, 'modi or smt': 535474, 'or smt nirmala': 617114, 'smt nirmala sitaraman': 775975, 'nirmala sitaraman do': 563360, 'sitaraman do some': 771852, 'do some talking': 250134, 'some talking and': 784026, 'talking and lift': 834002, 'and lift up': 66146, 'lift up the': 489474, 'up the stock': 946219, 'market in india': 516558, 'in india indian': 424042, 'india indian stock': 434473, 'indian stock price': 434886, 'have been battered': 379475, 'been battered far': 120730, 'battered far more': 112750, 'than is seen': 840793, 'seen in other': 747078, 'in other market': 426244, 'other market that': 620509, 'market that have': 517176, 'that have reported': 844230, 'have reported ten': 382273, 'reported ten of': 712535, 'thousand of infection': 893448, 'of infection seditious': 585171, 'infection seditious behaviour': 436838, 'seditious behaviour here': 744852, 'increase age': 432660, 'closure increase age': 183916, 'increase age of': 432661, 'age of chain': 37861, 'of chain store': 581260, 'chain store retail': 171135, 'store retail cre': 809870, 'discriminatory': 244816, 'how frontline': 407890, 'amp most': 54154, 'shown in': 767592, 'practical plan': 668475, 'mitigation discriminatory': 534559, 'discriminatory amp': 244817, 'amp impractical': 53975, 'impractical advice': 419434, 'how frontline worker': 407891, 'frontline worker amp': 338857, 'worker amp most': 1006259, 'amp most at': 54155, 'risk shown in': 723876, 'shown in practical': 767593, 'in practical plan': 426895, 'practical plan england': 668476, 'whately mitigation discriminatory': 982739, 'mitigation discriminatory amp': 534560, 'discriminatory amp impractical': 244818, 'amp impractical advice': 53976, 'impractical advice service': 419435, 'hoped covid': 403825, 'important every': 418795, 'more argument': 538648, 'than whom': 841458, 'whom for': 990552, 'had hoped covid': 373189, 'hoped covid 19': 403826, 'how important every': 408034, 'important every person': 418796, 'create more argument': 215690, 'more argument about': 538649, 'argument about who': 92747, 'important than whom': 419003, 'than whom for': 841459, 'whom for the': 990553, 'on to continue': 604729, 'enclosed': 275522, 'continual': 200960, 'politicising': 663765, 'retailer warehouse': 719400, 'warehouse packed': 966749, 'an enclosed': 55726, 'enclosed environment': 275524, 'environment it': 279121, 'about acting': 24757, 'responsibly not': 716107, 'this tired': 890722, 'tired continual': 899030, 'continual politicising': 200961, 'politicising of': 663766, 'useful or': 950183, 'or constructive': 614790, 'constructive it': 195838, 'it woul': 462577, 'the supermarket retailer': 868776, 'supermarket retailer warehouse': 822239, 'retailer warehouse packed': 719401, 'warehouse packed full': 966750, 'packed full of': 633608, 'in an enclosed': 420296, 'an enclosed environment': 55728, 'enclosed environment it': 275525, 'environment it about': 279122, 'it about acting': 456235, 'about acting responsibly': 24758, 'acting responsibly not': 29903, 'responsibly not sure': 716108, 'not sure this': 571849, 'sure this tired': 827756, 'this tired continual': 890723, 'tired continual politicising': 899031, 'continual politicising of': 200962, 'politicising of covid': 663767, '19 is useful': 8077, 'is useful or': 453622, 'useful or constructive': 950184, 'or constructive it': 614791, 'constructive it woul': 195839, 'imodium': 417509, 'holdingit': 400196, 'taking imodium': 833398, 'imodium like': 417512, 'it candy': 457044, 'candy toiletpaper': 161351, 'toiletpaper imodium': 922113, 'imodium holdingit': 417510, 'holdingit costco': 400197, 'costco toiletpapercrisis': 208280, 'humor hollywood': 410880, 'hollywood socialmedia': 400470, 'taking imodium like': 833399, 'imodium like it': 417513, 'like it candy': 490527, 'it candy toiletpaper': 457045, 'candy toiletpaper imodium': 161352, 'toiletpaper imodium holdingit': 922114, 'imodium holdingit costco': 417511, 'holdingit costco toiletpapercrisis': 400198, 'costco toiletpapercrisis meme': 208281, 'comedy humor hollywood': 187753, 'humor hollywood socialmedia': 410881, 'hollywood socialmedia cosplay': 400471, 'the git': 856270, 'git who': 350338, 'by 500': 151677, '500 bollock': 19949, 'bollock to': 134122, 'your local retailer': 1024717, 'local retailer what': 498356, 'retailer what the': 719413, 'what the git': 982319, 'the git who': 856271, 'git who ha': 350339, 'who ha increased': 988852, 'ha increased his': 370948, 'increased his price': 433344, 'his price by': 397729, 'price by 500': 673010, 'by 500 bollock': 151678, '500 bollock to': 19950, 'bollock to that': 134123, 'measuring the': 525461, 'service some': 752847, 'pandemic customer': 635281, 'from knowing': 336180, 'full score': 340870, 'each prior': 264258, 'measuring the quality': 525462, 'quality of service': 691827, 'of service some': 589533, 'service some online': 752848, 'some online and': 783439, 'online and grocery': 607815, 'the pandemic customer': 862943, 'pandemic customer would': 635282, 'customer would benefit': 223118, 'benefit from knowing': 126989, 'from knowing the': 336181, 'knowing the delivery': 477139, 'delivery on time': 234255, 'on time amp': 604705, 'time amp in': 896247, 'amp in full': 53978, 'in full score': 423174, 'full score of': 340871, 'score of each': 742361, 'of each prior': 582905, 'each prior to': 264259, 'prior to purchasing': 678378, 'to purchasing supply': 912560, 'the overpricing': 862783, 'issue it': 455823, 'introduce other': 443390, 'other method': 620539, 'consumer reach': 198638, 'reach disinfectant': 699911, 'disinfectant item': 245701, 'should ensure the': 765966, 'ensure the overpricing': 278088, 'the overpricing of': 862784, 'to the issue': 916819, 'the issue it': 858573, 'issue it should': 455824, 'it should introduce': 461036, 'should introduce other': 766144, 'introduce other method': 443391, 'other method to': 620540, 'method to help': 529798, 'help the consumer': 390644, 'the consumer reach': 851583, 'consumer reach disinfectant': 198639, 'reach disinfectant item': 699912, 'blame oil': 132274, 'oil or': 596991, 'money ha': 536802, 'lost this': 503934, 'week throughout': 977056, 'entire market': 278700, 'market either': 516330, 'way keep': 969679, 'keep ya': 472225, 'ya head': 1014001, 'drop even': 260189, 'even lower': 284310, 'bet hmu': 128071, 'hmu mfa': 398723, 'sure if should': 827586, 'should blame oil': 765780, 'blame oil or': 132275, 'oil or the': 596992, 'or the reaction': 617393, 'reaction of on': 700202, 'of on how': 587219, 'how much money': 408360, 'much money ha': 545086, 'money ha been': 536803, 'been lost this': 121489, 'lost this week': 503935, 'this week throughout': 891283, 'week throughout the': 977058, 'throughout the entire': 894971, 'the entire market': 854361, 'entire market either': 278701, 'market either way': 516331, 'either way keep': 270408, 'way keep ya': 969680, 'keep ya head': 472226, 'ya head up': 1014002, 'up and take': 944378, 'time to watch': 898098, 'to watch price': 918389, 'watch price drop': 968514, 'price drop even': 673572, 'drop even lower': 260190, 'even lower this': 284311, 'lower this week': 506037, 'week if anyone': 976352, 'anyone ha some': 80344, 'some safe bet': 783787, 'safe bet hmu': 729522, 'bet hmu mfa': 128072, 'scent bleach': 741389, 'bleach 41': 132474, 'linen scent bleach': 493645, 'scent bleach 41': 741390, 'bleach 41 fl': 132475, 'fl oz bottle': 309917, 'innovates': 438844, 'fiddle': 304439, 'local nh': 498206, 'nh company': 561926, 'company switched': 191142, 'switched their': 830549, 'entire production': 278725, 'production process': 682189, 'process almost': 679874, 'overnight another': 631326, 'another small': 77862, 'business innovates': 143925, 'innovates and': 438845, 'and pitch': 69037, 'while big': 986651, 'trump continue': 933490, 'to fiddle': 905767, 'fiddle rome': 304440, 'this local nh': 888679, 'local nh company': 498207, 'nh company switched': 561927, 'company switched their': 191143, 'switched their entire': 830550, 'their entire production': 873172, 'entire production process': 278726, 'production process almost': 682190, 'process almost overnight': 679875, 'almost overnight another': 46725, 'overnight another small': 631327, 'another small business': 77863, 'small business innovates': 774868, 'business innovates and': 143926, 'innovates and pitch': 438846, 'and pitch in': 69038, 'pitch in while': 657011, 'in while big': 430878, 'while big business': 986652, 'business and trump': 143339, 'and trump continue': 74486, 'trump continue to': 933491, 'continue to fiddle': 201193, 'to fiddle rome': 905768, 'fiddle rome burn': 304441, 'globalwebindex': 352434, 'impact by': 417582, 'by globalwebindex': 152696, 'consumer impact by': 197802, 'impact by globalwebindex': 417583, 'april crude': 83568, 'on production': 602958, 'cut brace': 223253, 'gain against': 342752, 'the yen': 872185, 'yen and': 1015326, 'currency british': 221016, 'british prime': 140568, 'minister johnson': 533391, 'to know at': 908973, 'know at the': 476282, 'monday april crude': 536254, 'april crude oil': 83569, 'due to doubt': 261765, 'to doubt about': 904684, 'doubt about an': 256182, 'about an agreement': 24790, 'agreement on production': 38786, 'on production cut': 602959, 'production cut brace': 681990, 'cut brace for': 223254, 'week stock will': 976930, 'stock will open': 803197, 'will open higher': 994344, 'dollar gain against': 252993, 'gain against the': 342753, 'against the yen': 37686, 'the yen and': 872186, 'yen and emerging': 1015327, 'and emerging market': 62043, 'market currency british': 516265, 'currency british prime': 221017, 'british prime minister': 140569, 'prime minister johnson': 678143, 'minister johnson taken': 533392, 'islandwide': 454335, 'shop caribbean': 760021, 'caribbean online': 164684, 'and islandwide': 65444, 'islandwide delivery': 454336, 'move check': 543630, 'shop caribbean online': 760022, 'caribbean online grocery': 164685, 'shopping and islandwide': 761995, 'and islandwide delivery': 65445, 'islandwide delivery service': 454337, 'service is on': 752520, 'the move check': 861083, 'move check out': 543631, 'song heal': 785498, 'worship were': 1011130, 'wa kind': 962493, 'crisis hay': 217467, 'hay covid': 384501, 'store earlier the': 807422, 'earlier the song': 264490, 'the song heal': 867478, 'song heal the': 785499, 'and worship were': 75924, 'worship were on': 1011131, 'ghaad wa kind': 349543, 'wa kind of': 962494, 'kind of re': 474932, 'of re evaluating': 588764, 'this crisis hay': 887047, 'crisis hay covid': 217468, 'hay covid 19': 384502, 'leveragedloans': 487803, 'senator ha': 749749, 'about leveragedloans': 25636, 'leveragedloans the': 487804, 'debt ha': 230492, 'than 17': 840182, '17 this': 4390, 'amid volatility': 52751, 'senator ha asked': 749750, 'ha asked for': 369629, 'asked for information': 95745, 'information about leveragedloans': 437710, 'about leveragedloans the': 25637, 'leveragedloans the price': 487805, 'of the debt': 590933, 'the debt ha': 852987, 'debt ha fallen': 230493, 'fallen more than': 297162, 'more than 17': 540550, 'than 17 this': 840183, '17 this month': 4391, 'this month amid': 888896, 'month amid volatility': 537565, 'amid volatility caused': 52752, 'more by via': 538752, 'slaved': 773718, 'folk imagine': 312189, 'imagine you': 416835, 'were supermarket': 980199, '20 yes': 13429, 've slaved': 953577, 'slaved for': 773719, 'healthcare sick': 387275, 'sick day': 768410, 'day treated': 228616, 'treated worst': 930981, 'than shit': 841135, 'shit then': 759246, 'order everyone': 618196, 'work bc': 1004920, 'folk imagine you': 312190, 'imagine you were': 416836, 'you were supermarket': 1022257, 'were supermarket stock': 980200, 'supermarket stock clerk': 822964, 'stock clerk or': 801991, 'clerk or cashier': 181746, 'or cashier for': 614681, 'cashier for 20': 166522, 'for 20 yes': 318736, '20 yes you': 13430, 'yes you ve': 1015625, 'you ve slaved': 1022065, 've slaved for': 953578, 'slaved for minimum': 773720, 'minimum wage no': 533240, 'wage no healthcare': 963928, 'no healthcare sick': 564409, 'healthcare sick day': 387276, 'sick day treated': 768412, 'day treated worst': 228617, 'treated worst than': 930982, 'worst than shit': 1011275, 'than shit then': 841136, 'shit then come': 759247, 'the government order': 856576, 'government order everyone': 360432, 'order everyone to': 618198, 'home but you': 400854, 'but you you': 148008, 'you you they': 1022488, 'you they order': 1021638, 'they order to': 882845, 'order to work': 618717, 'to work bc': 918694, 'work bc you': 1004921, 'you re essential': 1020615, 'on clothing': 599951, 'update impact': 947029, 'on foot': 600935, 'traffic sale': 929130, 'sale competitive': 732136, 'competitive landscape': 191776, 'landscape in': 479403, 'non mall': 566431, 'mall apparel': 511745, 'apparel retail': 81872, 'retail payroll': 718388, 'payroll cost': 645822, 'and front': 63355, 'front end': 338537, 'end operational': 275926, 'change same': 172251, 'and redacted': 70083, 'redacted hour': 705635, 'hour 2020': 405346, 'interview on clothing': 442226, 'on clothing retail': 599952, 'clothing retail update': 184284, 'retail update impact': 718829, 'update impact on': 947030, 'impact on foot': 417852, 'on foot traffic': 600936, 'foot traffic sale': 318460, 'traffic sale competitive': 929131, 'sale competitive landscape': 732137, 'competitive landscape in': 191777, 'landscape in mall': 479404, 'in mall and': 425021, 'mall and non': 511737, 'and non mall': 67674, 'non mall apparel': 566432, 'mall apparel retail': 511746, 'apparel retail payroll': 81873, 'retail payroll cost': 718389, 'payroll cost and': 645823, 'cost and front': 207856, 'and front end': 63356, 'front end operational': 338538, 'end operational change': 275927, 'operational change same': 613300, 'change same store': 172252, 'same store sale': 733306, 'store sale shutdown': 809971, 'sale shutdown and': 732520, 'shutdown and redacted': 767992, 'and redacted hour': 70084, 'redacted hour 2020': 705636, 'scary think': 741199, 'for bbq': 319603, 'bbq sausage': 113196, 'sausage essential': 737405, 'child it': 176123, 'risk stayhomesavelives': 723905, 'is so scary': 452033, 'so scary think': 778159, 'scary think about': 741200, 'go to asda': 354276, 'asda for bbq': 94918, 'for bbq sausage': 319604, 'bbq sausage essential': 113197, 'sausage essential only': 737406, 'essential only for': 281362, 'only for child': 610464, 'for child it': 320054, 'child it really': 176124, 'it really not': 460652, 'really not worth': 702462, 'the risk stayhomesavelives': 865882, 'whopping': 990597, 'charge 09': 173179, 'for bottle': 319745, 'but charge': 145415, 'charge whopping': 173346, 'whopping 95': 990598, 'bottle now': 136270, 'do toilet': 250414, 'paper pi': 640594, 'this store in': 890349, 'store in charge': 808283, 'in charge 09': 421335, 'charge 09 for': 173180, '09 for bottle': 1156, 'for bottle of': 319747, 'sanitizer but charge': 734607, 'but charge whopping': 145416, 'charge whopping 95': 173347, 'whopping 95 for': 990599, '95 for bottle': 23579, 'for bottle now': 319746, 'bottle now do': 136271, 'now do toilet': 574541, 'do toilet paper': 250415, 'toilet paper pi': 921394, 'sas': 736868, 'begun teenager': 123727, 'with smaller': 1000771, 'smaller body': 775259, 'body get': 133850, 'get le': 347471, 'square adult': 791463, 'adult get': 32824, 'more square': 540440, 'square those': 791500, 'those teenager': 892523, 'teenager who': 836560, 'who sas': 989557, 'sas me': 736869, 'me lose': 523115, 'lose square': 503475, 'square the': 791496, 'new punishment': 559377, 'punishment you': 689258, 'me shit': 523450, 'shit you': 759307, 'square for': 791477, 'shit quarantine': 759197, 'toiletpaper rationing in': 922398, 'rationing in our': 697824, 'our home ha': 623450, 'home ha begun': 401322, 'ha begun teenager': 369999, 'begun teenager with': 123728, 'teenager with smaller': 836564, 'with smaller body': 1000772, 'smaller body get': 775260, 'body get le': 133851, 'get le square': 347473, 'le square adult': 483135, 'square adult get': 791464, 'adult get more': 32825, 'get more square': 347601, 'more square those': 540441, 'square those teenager': 791501, 'those teenager who': 892524, 'teenager who sas': 836561, 'who sas me': 989558, 'sas me lose': 736870, 'me lose square': 523116, 'lose square the': 503477, 'square the new': 791497, 'the new punishment': 861543, 'new punishment you': 559378, 'punishment you give': 689259, 'give me shit': 350581, 'me shit you': 523451, 'shit you lose': 759308, 'you lose square': 1019715, 'lose square for': 503476, 'square for your': 791478, 'for your shit': 328207, 'your shit quarantine': 1025752, 'set flying': 753373, 'flying out': 311684, 'out still': 627254, 'left dm': 485448, 'price include': 674758, 'include uk': 431657, 'uk delivery': 938296, 'your front': 1023981, 'set flying out': 753374, 'flying out still': 311685, 'out still plenty': 627255, 'plenty of all': 660940, 'of all left': 579954, 'all left dm': 43359, 'left dm and': 485449, 'dm and get': 248869, 'yours today price': 1026488, 'today price include': 920069, 'price include uk': 674760, 'include uk delivery': 431658, 'uk delivery to': 938297, 'to your front': 918985, 'your front door': 1023982, 'shopee5878a': 761131, 'with mall': 999372, 'time shopee': 897651, 'shopee user': 761129, 'user use': 950326, 'code shopee5878a': 185394, 'shopee5878a for': 761132, 'min order': 532563, 'hi friend with': 394647, 'friend with mall': 333917, 'with mall closing': 999373, 'mall closing due': 511770, 'shopping is our': 763070, 'our best friend': 622191, 'best friend if': 127702, 'you are first': 1017123, 'are first time': 86587, 'first time shopee': 309110, 'time shopee user': 897652, 'shopee user use': 761130, 'user use the': 950327, 'use the code': 949658, 'the code shopee5878a': 851127, 'code shopee5878a for': 185395, 'shopee5878a for off': 761133, 'for off with': 324026, 'off with 15': 594393, 'with 15 min': 996951, '15 min order': 3769, 'imposed purchase': 419307, 'discourage panic': 244623, 'ha imposed purchase': 370928, 'imposed purchase limit': 419308, 'purchase limit to': 689532, 'limit to discourage': 492536, 'to discourage panic': 904360, 'discourage panic buying': 244624, 'or arguing': 614427, 'over packet': 630476, 'pasta can': 643701, 'can paint': 159190, 'paint grim': 634287, 'grim picture': 363966, 'also act': 47811, 'have inspired': 381095, 'inspired thousand': 439851, 'supermarket shelf or': 822505, 'shelf or arguing': 757382, 'or arguing over': 614428, 'arguing over packet': 92736, 'over packet of': 630477, 'of pasta can': 587808, 'pasta can paint': 643702, 'can paint grim': 159191, 'paint grim picture': 634288, 'grim picture of': 363967, 'coronavirus outbreak but': 206379, 'outbreak but there': 628069, 'are also act': 84437, 'also act of': 47812, 'kindness that have': 475225, 'that have inspired': 844217, 'have inspired thousand': 381096, 'inspired thousand of': 439852, 'thousand of others': 893457, 'guarrantee': 367926, 'mutated': 547056, 'heart the': 388338, 'their strength': 874876, 'of spirit': 589980, 'wartime guarrantee': 967388, 'guarrantee you': 367927, 'peace today': 646020, 'the lonely': 859672, 'lonely the': 501309, 'lifeline with': 489320, 'with hiked': 998818, 'have nobody': 381668, 'talk too': 833901, 'too about': 924560, 'it mutated': 459711, 'mutated into': 547057, 'into who': 443292, 'my heart the': 548660, 'heart the one': 388339, 'one who through': 607461, 'who through their': 989791, 'through their strength': 894787, 'their strength of': 874877, 'strength of spirit': 813230, 'of spirit in': 589981, 'spirit in wartime': 789475, 'in wartime guarrantee': 430701, 'wartime guarrantee you': 967389, 'guarrantee you live': 367928, 'live in peace': 495879, 'in peace today': 426569, 'peace today the': 646021, 'today the old': 920299, 'old the lonely': 598497, 'the lonely the': 859673, 'lonely the vulnerable': 501310, 'the vulnerable local': 870988, 'vulnerable local shop': 961036, 'local shop is': 498404, 'shop is lifeline': 760361, 'is lifeline with': 449299, 'lifeline with hiked': 489321, 'with hiked up': 998820, 'up price amp': 945805, 'price amp they': 672343, 'amp they have': 54685, 'they have nobody': 882347, 'have nobody to': 381669, 'nobody to talk': 566068, 'to talk too': 916290, 'talk too about': 833902, 'too about it': 924561, 'about it mutated': 25584, 'it mutated into': 459712, 'mutated into who': 547058, 'into who we': 443293, 'for thursday': 327182, 'latest coronavirus update': 481276, 'coronavirus update from': 206992, 'update from me': 946981, 'from me for': 336392, 'me for thursday': 522766, 'for thursday night': 327183, 'ab alberta': 24164, 'alberta wa': 40823, 'facing recessionary': 295569, 'recessionary pressure': 704433, 'pressure plunging': 671227, 'govt austerity': 361080, 'austerity public': 103168, 'sector layoff': 744259, 'layoff weakened': 482718, 'weakened housing': 974068, 'certainly will': 170192, 'ab alberta wa': 24165, 'alberta wa already': 40824, 'wa already facing': 961485, 'already facing recessionary': 47342, 'facing recessionary pressure': 295570, 'recessionary pressure plunging': 704434, 'pressure plunging price': 671228, 'plunging price govt': 661545, 'price govt austerity': 674355, 'govt austerity public': 361081, 'austerity public sector': 103169, 'public sector layoff': 688291, 'sector layoff weakened': 744260, 'layoff weakened housing': 482719, 'weakened housing market': 974069, 'housing market covid': 407101, '19 almost certainly': 4916, 'almost certainly will': 46576, 'certainly will put': 170193, 'will put in': 994539, 'put in deep': 690615, 'in deep recession': 422070, 'idiot the': 413612, 'idiot the lot': 413613, 'them do they': 875612, '19 stay away': 10797, 'away from supermarket': 105914, 'from supermarket queue': 337497, 'denim': 236990, 'observe etiquette': 578579, 'etiquette staying': 283160, 'staying inside': 798659, 'inside when': 439448, 'often good': 596199, 'good running': 357680, 'in denim': 422179, 'denim cutoff': 236991, 'cutoff singing': 223689, 'singing want': 771232, 'break free': 138729, 'full volume': 340971, 'and grinding': 63968, 'grinding on': 363994, 'you lock': 1019682, 'lock eye': 499066, 'eye with': 294129, 'terrified staff': 838505, 'staff faux': 792442, 'please observe etiquette': 660253, 'observe etiquette staying': 578580, 'etiquette staying inside': 283161, 'staying inside when': 798661, 'inside when possible': 439449, 'when possible and': 983892, 'possible and washing': 665576, 'and washing hand': 75207, 'washing hand often': 967674, 'hand often good': 375121, 'often good running': 596200, 'good running through': 357681, 'supermarket in denim': 820887, 'in denim cutoff': 422180, 'denim cutoff singing': 236992, 'cutoff singing want': 223690, 'singing want to': 771233, 'want to break': 966002, 'to break free': 902001, 'break free at': 138730, 'free at full': 331664, 'at full volume': 98727, 'full volume and': 340972, 'volume and grinding': 960118, 'and grinding on': 63969, 'grinding on the': 363995, 'on the tinned': 604406, 'the tinned good': 869645, 'tinned good you': 898624, 'good you lock': 357986, 'you lock eye': 1019683, 'lock eye with': 499067, 'eye with terrified': 294130, 'with terrified staff': 1001148, 'terrified staff faux': 838506, 'staff faux pa': 792443, 'thankyouthursday': 842402, 'and firstresponders': 62933, 'firstresponders volunteer': 309223, 'during thankyouthursday': 263070, 'thanks to healthcare': 842232, 'to healthcare provider': 907382, 'healthcare provider and': 387246, 'provider and worker': 686687, 'and worker government': 75874, 'worker government employee': 1007052, 'government employee police': 360058, 'employee police and': 274124, 'police and firstresponders': 662903, 'and firstresponders volunteer': 62934, 'firstresponders volunteer grocery': 309224, 'many others during': 514448, 'others during thankyouthursday': 621370, 'pathmaticsexplorer': 644072, 'consumer electronic': 197326, 'electronic brand': 271259, 'like whose': 491815, 'whose highest': 990643, 'highest spending': 395863, 'spending ad': 788720, 'ad is': 31127, 'currently free': 221536, 'free digital': 331764, 'digital learning': 242589, 'learning event': 484201, 'event resource': 285061, '19 pathmaticsexplorer': 9585, 'some consumer electronic': 782593, 'consumer electronic brand': 197327, 'electronic brand are': 271260, 'lead in social': 483290, 'in social responsibility': 428045, 'responsibility like whose': 715966, 'like whose highest': 491816, 'whose highest spending': 990644, 'highest spending ad': 395864, 'spending ad is': 788721, 'ad is currently': 31128, 'is currently free': 446992, 'currently free digital': 221537, 'free digital learning': 331765, 'digital learning event': 242590, 'learning event resource': 484202, 'event resource for': 285062, 'covid 19 pathmaticsexplorer': 213557, '10hr': 2323, 'wre': 1012690, 'posted few': 666522, 'these this': 880823, 'morning work': 541552, 'work 10hr': 1004689, '10hr shift': 2324, 'can pop': 159266, 'pop by': 664415, 'few elderly': 303816, 'who wre': 990067, 'wre stuck': 1012691, 'stuck hopefully': 814588, 'le scared': 483107, 'all helpingothers': 43097, 'helpingothers neighbour': 391568, 'posted few of': 666523, 'few of these': 303961, 'of these this': 591865, 'these this morning': 880824, 'this morning work': 889040, 'morning work 10hr': 541553, 'work 10hr shift': 1004690, '10hr shift but': 2325, 'shift but can': 758259, 'but can pop': 145359, 'can pop by': 159267, 'pop by supermarket': 664416, 'by supermarket on': 154167, 'supermarket on my': 821729, 'from work we': 338418, 'have few elderly': 380609, 'few elderly neighbour': 303817, 'neighbour who wre': 557260, 'who wre stuck': 990068, 'wre stuck hopefully': 1012692, 'stuck hopefully they': 814589, 'hopefully they will': 403893, 'they will feel': 883850, 'will feel little': 993425, 'feel little le': 302770, 'little le scared': 495440, 'le scared every': 483108, 'scared every little': 740958, 'little help and': 495383, 'and all helpingothers': 57866, 'all helpingothers neighbour': 43098, '212th': 15064, 'maitland': 509187, 'clay': 180429, 'bobbleheadcam': 133753, 'distinguished': 247874, '212th edition': 15065, 'monday with': 536422, 'with maitland': 999359, 'maitland series': 509188, 'series clay': 751236, 'clay provides': 180431, 'provides his': 686862, '19 opec': 9006, 'worldwide from': 1010353, 'coronavirus bunker': 205578, 'bunker via': 142690, 'via bobbleheadcam': 955817, 'bobbleheadcam where': 133754, 'he welcome': 385653, 'welcome some': 977895, 'some distinguished': 782702, 'distinguished visitor': 247875, '212th edition in': 15066, 'edition in the': 268617, 'in the monday': 429368, 'the monday with': 860801, 'monday with maitland': 536423, 'with maitland series': 999360, 'maitland series clay': 509189, 'series clay provides': 751237, 'clay provides his': 180432, 'provides his latest': 686863, 'his latest thought': 397571, 'latest thought on': 481577, 'thought on covid': 893160, 'covid 19 opec': 213521, '19 opec the': 9007, 'opec the saudi': 611977, 'saudi russia and': 737296, 'russia and energy': 728426, 'energy price worldwide': 276551, 'price worldwide from': 677650, 'worldwide from his': 1010354, 'from his coronavirus': 335811, 'his coronavirus bunker': 397317, 'coronavirus bunker via': 205579, 'bunker via bobbleheadcam': 142691, 'via bobbleheadcam where': 955818, 'bobbleheadcam where he': 133755, 'where he welcome': 984922, 'he welcome some': 385654, 'welcome some distinguished': 977896, 'some distinguished visitor': 782703, 'your contract': 1023334, 'booking agent': 134707, 'must deal': 546612, 'your query': 1025491, 'query your': 693464, 'your travel': 1026204, 'have cancellation': 379883, 'excess charge': 289331, 'charge usually': 173334, 'usually around': 951088, 'around 150': 93111, 'your contract is': 1023335, 'contract is with': 201676, 'with the booking': 1001215, 'the booking agent': 849847, 'booking agent and': 134708, 'agent and they': 38153, 'and they must': 73921, 'they must deal': 882703, 'must deal with': 546613, 'deal with your': 229588, 'with your query': 1002225, 'your query your': 1025492, 'query your travel': 693465, 'your travel insurance': 1026206, 'travel insurance will': 930408, 'insurance will help': 440835, 'you have cancellation': 1019022, 'have cancellation policy': 379884, 'cancellation policy but': 161051, 'policy but this': 663358, 'but this may': 147552, 'subject to an': 815747, 'to an excess': 900452, 'an excess charge': 55921, 'excess charge usually': 289332, 'charge usually around': 173335, 'usually around 150': 951089, 'rura': 728205, '19 rura': 10268, 'rura fix': 728206, 'fix gas': 309725, 'covid 19 rura': 213729, '19 rura fix': 10269, 'rura fix gas': 728207, 'fix gas price': 309726, 'gas price amid': 343927, 'amid price hike': 52601, '8oz': 23202, 'la palm': 478200, 'palm hand': 634605, 'sanitizer 8oz': 734308, '8oz is': 23203, 'today handsanitizer': 919610, 'handwashing gelii': 376830, 'gelii stayhome': 345186, 'la palm hand': 478201, 'palm hand sanitizer': 634606, 'hand sanitizer 8oz': 375287, 'sanitizer 8oz is': 734309, '8oz is now': 23204, 'is now back': 450263, 'now back in': 574174, 'in stock stock': 428331, 'stock stock up': 802885, 'up today handsanitizer': 946456, 'today handsanitizer handwashing': 919611, 'handsanitizer handwashing gelii': 376546, 'handwashing gelii stayhome': 376831, 'gelii stayhome stayathome': 345187, 'sharma hope': 755649, 'finance also': 306146, 'that production': 845865, 'vegetable is': 954019, 'on the agricultural': 603963, 'agricultural sector agri': 38919, 'devendra sharma hope': 239873, 'sharma hope for': 755650, 'hope for package': 403482, 'package for the': 633278, 'for the agriculture': 326298, 'of finance also': 583526, 'finance also share': 306147, 'share that production': 755240, 'that production of': 845866, 'production of fruit': 682144, 'and vegetable is': 74887, 'vegetable is high': 954020, 'is high but': 448440, 'high but price': 394956, 'weak because there': 973998, 'are no buyer': 88243, 'awardsformillennials': 105597, 'average napkin': 104870, 'napkin and': 551853, 'and towel': 74324, 'price stayhomechallenge': 676634, 'stayhomechallenge bathroom': 798261, 'bathroom awareness': 112635, 'awareness awardsformillennials': 105689, 'awardsformillennials parent': 105598, 'parent online': 641696, 'towel are better': 927299, 'better than your': 128545, 'your average napkin': 1022885, 'average napkin and': 104871, 'napkin and towel': 551854, 'and towel at': 74325, 'towel at great': 927303, 'great price stayhomechallenge': 362920, 'price stayhomechallenge bathroom': 676635, 'stayhomechallenge bathroom awareness': 798262, 'bathroom awareness awardsformillennials': 112636, 'awareness awardsformillennials parent': 105690, 'awardsformillennials parent online': 105599, 'parent online shopping': 641697, 'another out': 77746, 'do stupid': 250187, 'stupid stuff': 815470, 'enough worry': 277779, 'about especially': 25178, 'hospital stayhomesavelives': 404650, 'stayhomesavelives stayhomehealthy': 798457, 'one another out': 605923, 'another out do': 77747, 'not do stupid': 569068, 'do stupid stuff': 250188, 'stupid stuff now': 815471, 'stuff now is': 815154, 'the time nor': 869607, 'time nor the': 897281, 'nor the place': 566986, 'the place people': 863773, 'place people have': 657654, 'have enough worry': 380474, 'enough worry about': 277780, 'worry about especially': 1010632, 'about especially if': 25179, 'or hospital stayhomesavelives': 615675, 'hospital stayhomesavelives stayhomehealthy': 404651, 'groc': 364078, 'nung': 577163, 'nagpunta': 551404, 'mmc': 534772, 'cguro': 170389, 'maiintindihan': 508564, 'responsible till': 716062, 'till such': 896095, 'testing act': 839422, 'have covid19': 380137, 'covid19 kaya': 214330, 'kaya stop': 471139, 'or groc': 615520, 'groc kung': 364079, 'kung si': 477926, 'si senator': 768318, 'senator naka': 749772, 'naka mask': 551543, 'mask man': 518944, 'man lng': 512144, 'lng nung': 497209, 'nung nagpunta': 577164, 'nagpunta sa': 551405, 'sa mmc': 728908, 'mmc cguro': 534773, 'cguro maiintindihan': 170390, 'be responsible till': 116839, 'responsible till such': 716063, 'till such time': 896096, 'such time that': 816828, 'time that there': 897839, 'there no mass': 878819, 'no mass testing': 564718, 'mass testing act': 519879, 'testing act like': 839423, 'you have covid19': 1019033, 'have covid19 kaya': 380138, 'covid19 kaya stop': 214331, 'kaya stop telling': 471140, 'stop telling people': 805105, 'telling people not': 837250, 'to use mask': 918046, 'supermarket or groc': 821811, 'or groc kung': 615521, 'groc kung si': 364080, 'kung si senator': 477927, 'si senator naka': 768319, 'senator naka mask': 749773, 'naka mask man': 551544, 'mask man lng': 518945, 'man lng nung': 512145, 'lng nung nagpunta': 497210, 'nung nagpunta sa': 577165, 'nagpunta sa mmc': 551406, 'sa mmc cguro': 728909, 'mmc cguro maiintindihan': 534774, 'and disinfectant quarantine': 61451, 'disinfectant quarantine stayhome': 245735, 'if worker': 415368, 'if worker at': 415369, 'they being paid': 881552, 'being paid minimum': 125528, 'do pickup': 249983, 'people crowded': 647589, 'crowded together': 219372, 'to do pickup': 904544, 'do pickup and': 249984, 'pickup and the': 655930, 'of people crowded': 587892, 'people crowded together': 647590, 'crowded together and': 219373, 'together and taking': 920704, 'and taking off': 73001, 'american supermarket with': 52236, '20yrs': 14941, 'invest at': 443748, 'price seen': 676335, 'seen now': 747155, 'come again': 187194, 'next 20yrs': 561267, '20yrs start': 14942, 'start investing': 794351, 'to invest at': 908484, 'invest at low': 443749, 'low price seen': 505536, 'price seen now': 676336, 'seen now will': 747156, 'now will not': 576431, 'not come again': 568793, 'come again in': 187195, 'again in the': 37041, 'the next 20yrs': 861647, 'next 20yrs start': 561268, '20yrs start investing': 14943, 'doe choose': 251361, 'rescue the': 713637, 'airline themselves': 40041, 'just their': 470021, 'buying equity': 150230, 'equity in': 279947, 'already reflect': 47610, 'of bailout': 580518, 'government doe choose': 360036, 'doe choose to': 251362, 'choose to rescue': 177914, 'to rescue the': 913328, 'rescue the airline': 713638, 'the airline themselves': 848502, 'airline themselves and': 40042, 'themselves and not': 876757, 'not just their': 570257, 'just their worker': 470022, 'their worker it': 875216, 'worker it should': 1007251, 'it should do': 461033, 'so by buying': 776674, 'by buying equity': 152037, 'buying equity in': 150231, 'equity in the': 279948, 'the company at': 851314, 'company at price': 190477, 'price that don': 676799, 'that don already': 843596, 'don already reflect': 253339, 'already reflect the': 47611, 'reflect the possibility': 706629, 'possibility of bailout': 665541, 'accustomed': 28975, 'by design': 152343, 'design is': 238244, 'the newworldorder': 861640, 'newworldorder globalists': 561175, 'globalists get': 352344, 'get accustomed': 346500, 'accustomed to': 28976, 'the crappy': 852274, 'crappy living': 214933, 'll face': 496751, 'face after': 294285, 'they kill': 882514, 'our capitalist': 622311, 'capitalist free': 162805, 'toiletpaper hording': 922086, 'hording emptyshelves': 404015, 'empty by design': 274832, 'by design is': 152344, 'design is this': 238245, 'is this how': 453098, 'this how the': 887973, 'how the newworldorder': 408855, 'the newworldorder globalists': 861641, 'newworldorder globalists get': 561176, 'globalists get accustomed': 352345, 'get accustomed to': 346501, 'accustomed to the': 28977, 'to the crappy': 916608, 'the crappy living': 852275, 'crappy living condition': 214934, 'living condition we': 496332, 'condition we ll': 193557, 'we ll face': 972250, 'll face after': 496752, 'face after they': 294287, 'after they kill': 36387, 'they kill our': 882515, 'kill our capitalist': 474469, 'our capitalist free': 622312, 'capitalist free society': 162806, 'free society toiletpaper': 332185, 'society toiletpaper hording': 781346, 'toiletpaper hording emptyshelves': 922087, 'happyeaster2020': 377760, 'weareunstoppable': 974573, 'happyeaster2020 to': 377761, 'everyone particularly': 287257, 'particularly the': 642714, 'worked over': 1006136, 'hospital supplied': 404660, 'equipment they': 279847, 'you together': 1021865, 'together weareunstoppable': 921030, 'happyeaster2020 to everyone': 377762, 'to everyone particularly': 905347, 'everyone particularly the': 287258, 'particularly the trucker': 642717, 'the trucker who': 870043, 'trucker who have': 932968, 'who have worked': 988970, 'have worked over': 383631, 'worked over the': 1006137, 'over the easter': 630715, 'easter holiday to': 265451, 'holiday to keep': 400369, 'the hospital supplied': 857535, 'hospital supplied with': 404661, 'supplied with the': 824479, 'with the equipment': 1001287, 'the equipment they': 854461, 'equipment they need': 279848, 'fight and to': 304659, 'and to put': 74192, 'shelf we salute': 757754, 'salute you together': 732874, 'you together weareunstoppable': 1021866, 'careful out': 164420, 'here coronachallenge': 392897, 'coronachallenge toiletpaperchallenge': 204471, 'comedy worldstar': 187788, 'worldstar 19': 1010280, 'be careful out': 113993, 'careful out here': 164421, 'out here coronachallenge': 626275, 'here coronachallenge toiletpaperchallenge': 392898, 'coronachallenge toiletpaperchallenge toiletpaper': 204472, 'toiletpaperchallenge toiletpaper comedy': 922981, 'toiletpaper comedy worldstar': 921865, 'comedy worldstar 19': 187789, 'asked upon': 95889, 'maintain 2m': 508928, 'since 1995': 770434, 'asked upon entering': 95890, 'upon entering supermarket': 947629, 'entering supermarket to': 278422, 'supermarket to maintain': 823387, 'to maintain 2m': 909561, 'maintain 2m distance': 508929, '2m distance from': 16679, 'other people ve': 620694, 'people ve been': 650087, 'do that since': 250226, 'that since 1995': 846324, 'cincinnati found': 178522, 'employee tp': 274351, 'by warehouse': 154691, 'distribution short': 248210, 'gouging hope': 359338, 'went to popular': 979183, 'to popular grocery': 911891, 'in cincinnati found': 421468, 'cincinnati found out': 178523, 'out from employee': 626193, 'from employee tp': 335273, 'employee tp is': 274352, 'tp is being': 927855, 'being held by': 125224, 'held by warehouse': 388894, 'by warehouse distribution': 154692, 'warehouse distribution short': 966712, 'distribution short supply': 248211, 'short supply is': 764710, 'higher price gouging': 395676, 'price gouging hope': 674285, 'gouging hope will': 359339, 'hope will look': 403783, 'look into their': 502436, 'into their distribution': 443193, 'before supermarket': 123117, 'delivery follow': 234004, 'suit panicbuyinguk': 817779, 'long before supermarket': 501354, 'before supermarket home': 123118, 'home delivery follow': 401015, 'delivery follow suit': 234005, 'follow suit panicbuyinguk': 312510, 'airbnbs': 39825, 'homeaways': 402593, '725': 22034, '8869': 23088, 'northlasvegas': 567804, 'cleaning here': 180962, 'joke simple': 467134, 'simple no': 770062, 'no rush': 565386, 'rush booking': 728284, 'booking cleaning': 134719, 'cleaning company': 180925, 'trust specializing': 934309, 'in vacation': 430519, 'rental airbnbs': 711210, 'airbnbs homeaways': 39826, 'homeaways and': 402594, 'maid 77': 508542, '77 725': 22276, '725 33': 22035, '33 8869': 17744, '8869 lasvegas': 23089, 'lasvegas henderson': 480811, 'summerlin northlasvegas': 818033, 'essential cleaning here': 280900, 'cleaning here the': 180963, 'here the is': 393653, 'the is no': 858512, 'no joke simple': 564549, 'joke simple no': 467135, 'simple no rush': 770063, 'no rush booking': 565387, 'rush booking cleaning': 728285, 'booking cleaning company': 134720, 'cleaning company you': 180926, 'can trust specializing': 160054, 'trust specializing in': 934310, 'specializing in vacation': 788138, 'in vacation rental': 430520, 'vacation rental airbnbs': 951589, 'rental airbnbs homeaways': 711211, 'airbnbs homeaways and': 39827, 'homeaways and much': 402595, 'much more price': 545121, 'hour maid 77': 405757, 'maid 77 725': 508543, '77 725 33': 22277, '725 33 8869': 22036, '33 8869 lasvegas': 17745, '8869 lasvegas henderson': 23090, 'lasvegas henderson summerlin': 480812, 'henderson summerlin northlasvegas': 391764, 'bosa': 135718, 'pranking': 668959, 'hahahaha': 373913, 'nick bosa': 562578, 'bosa follows': 135719, 'follows private': 312958, 'private instagram': 678924, 'instagram account': 439952, 'that joked': 844781, 'the pranking': 864195, 'pranking panicked': 668960, 'pandemic hahahaha': 635580, 'hahahaha epic': 373914, 'epic prank': 279307, 'prank comment': 668932, 'comment the': 188460, 'nick bosa follows': 562579, 'bosa follows private': 135720, 'follows private instagram': 312959, 'private instagram account': 678925, 'instagram account that': 439953, 'account that joked': 28755, 'that joked about': 844782, 'joked about the': 467177, 'about the pranking': 26484, 'the pranking panicked': 864196, 'pranking panicked supermarket': 668961, 'supermarket shopper during': 822611, 'the pandemic hahahaha': 862979, 'pandemic hahahaha epic': 635581, 'hahahaha epic prank': 373915, 'epic prank comment': 279308, 'prank comment the': 668933, 'comment the account': 188461, '793': 22389, '793 have': 22390, 'hour thats': 405980, 'thats every': 847800, 'every 109': 285640, '109 second': 2275, 'second it': 743746, 'last pint': 480453, 'pint before': 656848, 'panic queuing': 638456, 'queuing from': 694213, '8am at': 23127, '793 have died': 22391, 'from in italy': 336024, 'italy in the': 462853, '24 hour thats': 15626, 'hour thats every': 405981, 'thats every 109': 847801, 'every 109 second': 285641, '109 second it': 2276, 'second it time': 743747, 'seriously and stop': 751529, 'and stop running': 72483, 'stop running out': 804965, 'running out for': 728024, 'for one last': 324086, 'one last pint': 606576, 'last pint before': 480454, 'pint before the': 656849, 'before the pub': 123185, 'the pub close': 864766, 'pub close or': 687688, 'close or panic': 182747, 'or panic queuing': 616491, 'panic queuing from': 638457, 'queuing from 8am': 694214, 'from 8am at': 334347, '8am at the': 23128, 'couldnt': 209947, 'lockdown resulted': 499862, 'roll notoriously': 725402, 'notoriously frozen': 573606, 'since pub': 770799, 'pub closed': 687689, 'closed beer': 183015, 'beer cider': 122448, 'cider wine': 178459, 'wine result': 995882, 'result empty': 717501, 'supermarket couldnt': 819833, 'couldnt match': 209948, 'match supply': 520301, 'the impending lockdown': 857958, 'impending lockdown resulted': 418323, 'lockdown resulted in': 499863, 'resulted in panic': 717682, 'tinned food loo': 898614, 'loo roll notoriously': 502191, 'roll notoriously frozen': 725403, 'notoriously frozen food': 573607, 'frozen food since': 338979, 'food since pub': 316631, 'since pub closed': 770800, 'pub closed beer': 687690, 'closed beer cider': 183016, 'beer cider wine': 122449, 'cider wine result': 178460, 'wine result empty': 995883, 'result empty shelf': 717502, 'shelf supermarket couldnt': 757625, 'supermarket couldnt match': 819834, 'couldnt match supply': 209949, 'match supply with': 520302, 'supply with demand': 826120, 'slot am': 774100, 'am unable': 50517, 'no slot am': 565520, 'slot am unable': 774102, 'am unable to': 50518, 'to go alone': 906764, 'isolate but need': 454834, 'eat not the': 265997, 'not the sort': 572032, 'the sort to': 867491, 'sort to ask': 786156, 'go unscathed': 354414, 'unscathed but': 943439, 'but history': 145942, 'history show': 398053, 'be surprisingly': 117488, 'surprisingly resilient': 828657, 'most sector are': 542723, 'sector are likely': 744100, 'likely to feel': 492153, 'feel the effect': 302881, 'the pandemic over': 863046, 'pandemic over the': 636139, 'coming month and': 188135, 'month and uk': 537586, 'and uk house': 74576, 'house price may': 406497, 'price may not': 675197, 'may not go': 521376, 'not go unscathed': 569692, 'go unscathed but': 354415, 'unscathed but history': 943440, 'but history show': 145943, 'history show the': 398054, 'show the housing': 767210, 'housing market can': 407098, 'market can be': 516143, 'can be surprisingly': 157693, 'be surprisingly resilient': 117489, 'account quarantinelife': 28747, 'bank account quarantinelife': 109556, 'hating on': 378971, 'raided the': 695643, 'up high': 945081, 'evening are': 284852, 'pub uk': 687797, 'hating on any': 378972, 'on any people': 599405, 'any people right': 79642, 'right now who': 722183, 'now who have': 576412, 'who have raided': 988947, 'have raided the': 382148, 'raided the supermarket': 695644, 'the supermarket stocking': 868829, 'supermarket stocking their': 822975, 'stocking their cupboard': 803609, 'their cupboard up': 872934, 'cupboard up high': 220500, 'up high but': 945082, 'high but this': 394957, 'but this evening': 147547, 'this evening are': 887431, 'evening are sat': 284853, 'are sat in': 89808, 'sat in the': 736901, 'the pub uk': 864779, 'wherein': 985435, 'wherein remind': 985436, 'must worry': 547009, 'about far': 25220, 'than whether': 841452, 'paper stayhomechallenge': 640826, 'wherein remind myself': 985437, 'myself that there': 550947, 'who must worry': 989305, 'must worry about': 547010, 'worry about far': 1010634, 'about far more': 25221, 'more than whether': 540698, 'than whether the': 841453, 'whether the local': 985583, 'store ha toilet': 808028, 'toilet paper stayhomechallenge': 921467, 'splashfm1055': 789638, 'surface or': 828059, 'or object': 616338, 'object that': 578425, 'mouth therefore': 543567, 'therefore wash': 879471, 'staysafe splashfm1055': 798888, 'spread by touching': 790463, 'by touching surface': 154580, 'touching surface or': 926720, 'surface or object': 828060, 'or object that': 616339, 'object that have': 578426, 'on them and': 604527, 'then touching the': 877694, 'touching the eye': 926727, 'the eye nose': 854789, 'or mouth therefore': 616199, 'mouth therefore wash': 543568, 'therefore wash your': 879472, 'sanitizer staysafe splashfm1055': 735807, 'plummeted during': 661336, 'house price have': 406487, 'have plummeted during': 381975, 'plummeted during the': 661337, 'price coronachainscare': 673246, 'these price coronachainscare': 880529, 'behindtheback': 124765, 'sniping': 776359, 'lyingdown': 507093, 'glorykills': 352519, 'elroy': 271607, 'the sniper': 867392, 'sniper cod': 776355, 'cod knife': 185312, 'knife behindtheback': 476103, 'behindtheback callofduty': 124766, 'callofduty toiletpaper': 156658, 'toiletpaper roof': 922421, 'roof sniping': 725842, 'sniping lyingdown': 776360, 'lyingdown sneak': 507094, 'sneak poetry': 776195, 'poetry art': 662366, 'art backside': 94140, 'backside glorykills': 107590, 'glorykills doom': 352520, 'doom brown': 255441, 'nfl cleveland': 561776, 'ohio peaceful': 596549, 'peaceful bored': 646029, 'bored recreation': 135371, 'recreation todo': 705444, 'todo elroy': 920626, 'elroy via': 271608, 'behind the back': 124708, 'the back to': 849152, 'to the sniper': 917073, 'the sniper cod': 867393, 'sniper cod knife': 776356, 'cod knife behindtheback': 185313, 'knife behindtheback callofduty': 476104, 'behindtheback callofduty toiletpaper': 124767, 'callofduty toiletpaper roof': 156659, 'toiletpaper roof sniping': 922422, 'roof sniping lyingdown': 725843, 'sniping lyingdown sneak': 776361, 'lyingdown sneak poetry': 507095, 'sneak poetry art': 776196, 'poetry art backside': 662367, 'art backside glorykills': 94141, 'backside glorykills doom': 107591, 'glorykills doom brown': 352521, 'doom brown nfl': 255442, 'brown nfl cleveland': 141247, 'nfl cleveland ohio': 561777, 'cleveland ohio peaceful': 181852, 'ohio peaceful bored': 596550, 'peaceful bored recreation': 646030, 'bored recreation todo': 135372, 'recreation todo elroy': 705445, 'todo elroy via': 920627, 'is discussing': 447207, 'pre slaughter': 669205, 'slaughter logistic': 773702, 'is challenged': 446454, 'today the guardian': 920289, 'the guardian is': 856909, 'guardian is discussing': 367895, 'is discussing the': 447208, 'discussing the complexity': 245004, 'of the pre': 591357, 'the pre slaughter': 864200, 'pre slaughter logistic': 669206, 'slaughter logistic chain': 773703, 'logistic chain and': 500694, 'chain and how': 170466, 'it is challenged': 458901, 'is challenged by': 446455, 'challenged by the': 171613, 'current situation world': 221378, 'situation world wide': 772604, 'joke staff': 467136, 'example do': 288885, 'in gel': 423241, 'gel from': 345121, 'plate in': 658916, 'nearest person': 553719, 'not joke staff': 570200, 'joke staff please': 467137, 'staff please help': 792760, 'please help and': 660063, 'help and help': 389352, 'help the following': 390652, 'following for example': 312732, 'for example do': 321276, 'example do not': 288886, 'not buy all': 568644, 'the alcohol in': 848561, 'alcohol in gel': 41029, 'in gel from': 423242, 'gel from the': 345122, 'from the plate': 337833, 'the plate in': 863820, 'plate in the': 658917, 'supermarket the nearest': 823232, 'the nearest person': 861363, 'nearest person you': 553720, 'person you may': 652760, 'may be with': 521051, 'be with covid': 118118, 'following and their': 312689, 'their family too': 873274, 'family too stay': 298337, 'too stay home': 925084, 'stay home safe': 796999, 'hope chn': 403435, 'be mentioned': 115926, 'and considered': 60323, 'considered maybe': 195309, 'voucher of': 960653, '20 perhaps': 13260, 'eats no': 266377, 'hope chn and': 403436, 'will be mentioned': 992555, 'be mentioned and': 115927, 'mentioned and considered': 528820, 'and considered maybe': 60324, 'considered maybe supermarket': 195310, 'supermarket voucher of': 823673, 'voucher of the': 960654, 'value 20 perhaps': 952072, '20 perhaps in': 13261, 'perhaps in cafe': 651603, 'in cafe just': 421127, 'child eats no': 176072, 'eats no matter': 266378, 'no matter when': 564734, 'matter when school': 520659, 'when school open': 983963, 'school open edutwitter': 741891, 'this pop': 889662, 'over facebook': 630202, 'facebook in': 294941, 'various community': 952587, 'cannot call': 161700, 'call box': 155793, 'of formula': 583876, 'formula toll': 329726, 'number tell': 577061, 'infant free': 436482, 'free it': 331924, 'so ve seen': 778627, 've seen this': 953551, 'seen this pop': 747319, 'this pop up': 889663, 'pop up all': 664474, 'all over facebook': 43861, 'over facebook in': 630203, 'facebook in various': 294942, 'in various community': 430537, 'various community group': 952588, 'community group you': 189876, 'group you cannot': 366982, 'you cannot call': 1017850, 'cannot call box': 161701, 'call box of': 155794, 'box of formula': 137119, 'of formula toll': 583878, 'formula toll free': 329727, 'free number tell': 332006, 'number tell them': 577062, 'tell them you': 837109, 'them you cannot': 876677, 'cannot find formula': 161839, 'find formula at': 306917, 'formula at retail': 329700, 'send you full': 749983, 'you full case': 1018741, 'full case of': 340524, 'case of formula': 165904, 'of formula for': 583877, 'formula for infant': 329707, 'for infant free': 322558, 'infant free it': 436483, 'free it hoax': 331925, 'only occasionally': 610834, 'occasionally shopping': 578956, 'regularly not': 707935, 'seeing anyone': 746232, 'rule carefully': 727221, 'very much promise': 955366, 'much promise to': 545266, 'do everything can': 249264, 'safe staying home': 729990, 'staying home working': 798630, 'from home only': 335889, 'home only occasionally': 401728, 'only occasionally shopping': 610835, 'occasionally shopping for': 578957, 'essential washing my': 281756, 'my hand regularly': 548612, 'hand regularly not': 375200, 'regularly not seeing': 707936, 'not seeing anyone': 571494, 'seeing anyone except': 746233, 'anyone except online': 80311, 'following all rule': 312678, 'all rule carefully': 44211, 'village town': 957381, 'about response': 26090, 'another world': 77986, 'life in small': 488767, 'small village town': 775184, 'village town in': 957382, 'town in spain': 927495, 'spain and work': 787278, 'ha been telling': 369951, 'telling me about': 837221, 'me about response': 522346, 'about response to': 26091, '19 another world': 5151, 'the moaning': 860707, 'moaning at': 534900, 'fact people': 295774, 'staying meter': 798665, 'see the moaning': 745858, 'the moaning at': 860708, 'moaning at the': 534901, 'the government when': 856627, 'government when they': 360801, 'when they put': 984274, 'they put on': 882953, 'put on an': 690711, 'on an extended': 599328, 'an extended lockdown': 55986, 'for the simple': 326687, 'the simple fact': 867200, 'simple fact people': 770016, 'fact people not': 295776, 'people not staying': 648875, 'not staying meter': 571714, 'staying meter apart': 798666, 'meter apart when': 529694, 'apart when going': 81374, 'or supermarket and': 617275, 'and not staying': 67773, 'not staying at': 571710, 'at home thinking': 99146, 'home thinking it': 402284, 'thinking it jolly': 885936, 'it jolly up': 459206, 'jolly up it': 467215, 'up it serious': 945248, 'industry shift': 436109, 'shift under': 758457, 'under surge': 940283, 'space via': 787184, 'food industry shift': 315026, 'industry shift under': 436110, 'shift under surge': 758458, 'under surge in': 940284, 'in online demand': 426164, 'online demand increased': 608096, 'demand increased demand': 235695, 'storage space via': 805991, 'joblessness': 466349, 'demand joblessness': 235771, 'joblessness number': 466350, 'number skyrocketed': 577050, 'skyrocketed thursday': 773388, 'thursday all': 895340, 'jersey family': 465201, 'family lost': 298002, 'be lifeline': 115721, 'coming up food': 188259, 'country are grappling': 210466, 'grappling with spike': 362204, 'in demand joblessness': 422134, 'demand joblessness number': 235772, 'joblessness number skyrocketed': 466351, 'number skyrocketed thursday': 577051, 'skyrocketed thursday all': 773389, 'thursday all member': 895341, 'member of one': 528144, 'of one new': 587238, 'one new jersey': 606715, 'new jersey family': 558969, 'jersey family lost': 465202, 'family lost their': 298003, 'job and consider': 465622, 'and consider the': 60316, 'consider the local': 195140, 'pantry to be': 639699, 'to be lifeline': 901364, 'bce': 113322, 'cosco': 207775, 'the clown': 851073, 'clown saying': 184377, 'saying ppl': 739663, 'ppl should': 668323, 'church bce': 178340, 'bce someone': 113323, 'to cosco': 903590, 'cosco gas': 207776, 'station home': 796423, 'depot lowes': 237539, 'lowes grocery': 506141, 'it elsewhere': 457790, 'all the clown': 44688, 'the clown saying': 851074, 'clown saying ppl': 184378, 'saying ppl should': 739664, 'ppl should not': 668324, 'to church bce': 902755, 'church bce someone': 178341, 'bce someone may': 113324, 'someone may die': 784562, 'die of then': 241432, 'of then stop': 591792, 'then stop going': 877572, 'going to cosco': 355559, 'to cosco gas': 903591, 'cosco gas station': 207777, 'gas station home': 344113, 'station home depot': 796424, 'home depot lowes': 401063, 'depot lowes grocery': 237540, 'lowes grocery store': 506142, 'distancing in one': 247231, 'one place you': 606883, 'place you should': 657861, 'should be smart': 765731, 'be smart enough': 117234, 'do it elsewhere': 249474, 'worth 2001': 1011324, '2001 price': 13562, 'barrel amazing': 111191, 'now worth 2001': 576482, 'worth 2001 price': 1011325, '2001 price 20': 13563, 'price 20 barrel': 672122, '20 barrel amazing': 12962, 'accordion': 28617, 'bon dia': 134219, 'dia while': 240154, 'ago stumbled': 38478, 'beautiful moment': 118697, 'moment midday': 535992, 'midday accordion': 530606, 'accordion concert': 28618, 'concert played': 193277, 'played from': 659277, 'the balcony': 849215, 'bon dia while': 134220, 'dia while walking': 240155, 'while walking to': 987535, 'the supermarket few': 868590, 'few minute ago': 303914, 'minute ago stumbled': 533719, 'ago stumbled upon': 38479, 'upon this beautiful': 947662, 'this beautiful moment': 886513, 'beautiful moment midday': 118698, 'moment midday accordion': 535993, 'midday accordion concert': 530607, 'accordion concert played': 28619, 'concert played from': 193278, 'played from the': 659278, 'from the balcony': 337609, 'brine': 139909, 'normally produce': 567523, 'produce salt': 680422, 'salt and': 732801, 'and brine': 59198, 'brine remover': 139910, 'company that normally': 191182, 'that normally produce': 845379, 'normally produce salt': 567524, 'produce salt and': 680423, 'salt and brine': 732802, 'and brine remover': 59199, 'brine remover is': 139911, 'remover is switching': 710891, 'is switching up': 452518, 'switching up production': 830586, 'production to make': 682247, 'sanitizer now that': 735436, 'now that store': 576018, 'that store are': 846513, 'store are facing': 806475, 'facing shortage the': 295597, 'shortage the story': 765259, 'story at 30': 811912, 'at 30 on': 97593, 'marketplace and': 517800, 'tackle unscrupulous': 831619, 'seller attempting': 748986, 'amazon marketplace and': 51033, 'marketplace and ebay': 517801, 'and ebay are': 61886, 'ebay are failing': 266433, 'failing to tackle': 296238, 'to tackle unscrupulous': 916140, 'tackle unscrupulous seller': 831620, 'unscrupulous seller attempting': 943458, 'seller attempting to': 748987, 'from the epidemic': 337686, 'the consumer group': 851542, 'lvr': 507033, 'stayconnectedtogether': 797848, 'kxnt': 478059, 'southern nevada': 786866, 'nevada home': 557830, 'record lvr': 705024, 'lvr vega': 507034, 'vega stayconnectedtogether': 953828, 'stayconnectedtogether kxnt': 797849, 'kxnt realestate': 478060, 'realestate via': 701533, 'southern nevada home': 786867, 'nevada home price': 557831, 'home price hit': 401906, 'price hit new': 674561, 'hit new record': 398343, 'new record lvr': 559418, 'record lvr vega': 705025, 'lvr vega stayconnectedtogether': 507035, 'vega stayconnectedtogether kxnt': 953829, 'stayconnectedtogether kxnt realestate': 797850, 'kxnt realestate via': 478061, 'favorite food': 300513, 'still get your': 800561, 'get your favorite': 348703, 'your favorite food': 1023825, 'favorite food just': 300514, 'food just in': 315261, 'different way than': 242129, 'way than before': 969908, 'food cov': 314046, 'when stock up': 984077, 'on food cov': 600852, 'food cov d19': 314047, 'd19 corona 19': 224166, 'is ample': 445629, 'ample it': 54884, 'it limited': 459398, 'limited transport': 492784, 'labor disruption': 478403, 'disruption that': 246528, 'are impacting': 87323, 'world raising': 1009921, 'staple such': 793993, 'such wheat': 816867, 'rice hunger': 721062, 'hunger 19': 411068, 'production is ample': 682084, 'is ample it': 445630, 'ample it limited': 54885, 'it limited transport': 459399, 'limited transport and': 492785, 'transport and labor': 929867, 'and labor disruption': 65919, 'labor disruption that': 478404, 'disruption that are': 246529, 'that are impacting': 842762, 'are impacting food': 87324, 'impacting food security': 418226, 'the world raising': 871945, 'world raising price': 1009922, 'of key staple': 585617, 'key staple such': 473400, 'staple such wheat': 793994, 'such wheat and': 816868, 'and rice hunger': 70503, 'rice hunger 19': 721063, 'hunger 19 via': 411069, 'violent': 957565, 'shit isn': 759153, 'going past': 355419, 'past may': 643562, 'may can': 521068, 'getting downright': 348944, 'downright violent': 257693, 'violent in': 957566, 'before widespread': 123304, 'widespread social': 991867, 'unrest begin': 943339, 'occur which': 579028, 'will lea': 993962, 'this shit isn': 890083, 'shit isn going': 759155, 'isn going past': 454522, 'going past may': 355420, 'past may can': 643563, 'may can tell': 521069, 'you that virus': 1021581, 'that virus or': 847254, 'virus or no': 958574, 'or no virus': 616268, 'no virus people': 565842, 'are getting downright': 86800, 'getting downright violent': 348945, 'downright violent in': 257694, 'violent in the': 957567, 'place it just': 657536, 'it just matter': 459231, 'time before widespread': 896384, 'before widespread social': 123305, 'widespread social unrest': 991868, 'social unrest begin': 779997, 'unrest begin to': 943340, 'begin to occur': 123585, 'to occur which': 910807, 'occur which will': 579029, 'which will lea': 986493, 'sucker': 816955, 'these fart': 880002, 'fart sucker': 299731, 'sucker taking': 816960, 'my of': 549543, 'are cut': 85688, 'half during': 374157, 'spend covid': 788595, 'at these fart': 101200, 'these fart sucker': 880003, 'fart sucker taking': 299732, 'sucker taking advantage': 816961, 'advantage of good': 33006, 'of good deal': 584215, 'deal with my': 229560, 'with my of': 999641, 'my of price': 549544, 'of price are': 588396, 'price are cut': 672650, 'are cut in': 85689, 'cut in half': 223376, 'in half during': 423509, 'half during this': 374158, 'time so we': 897702, 'we can spend': 971016, 'can spend covid': 159695, 'spend covid 19': 788596, '19 together from': 11477, 'together from afar': 920801, 'cloromax': 182448, 'clorox regular': 182463, 'regular bleach': 707745, 'bleach 16': 132469, 'bottle cleaning': 136206, 'cleaning sanitizer': 181054, 'sanitizer new': 735403, 'new cloromax': 558488, 'cloromax lot': 182449, 'clorox regular bleach': 182464, 'regular bleach 16': 707746, 'bleach 16 fl': 132470, 'oz bottle cleaning': 632727, 'bottle cleaning sanitizer': 136207, 'cleaning sanitizer new': 181055, 'sanitizer new cloromax': 735404, 'new cloromax lot': 558489, 'cloromax lot of': 182450, 'karmaisreal': 470955, 'it habit': 458423, 'and caring': 59571, 'caring only': 164723, 'money want': 537147, 'know karma': 476555, 'eventually be': 285144, 'to karmaisreal': 908745, 'making it habit': 511141, 'it habit of': 458424, 'habit of being': 372659, 'of being selfish': 580658, 'being selfish hoarding': 125743, 'selfish hoarding supply': 748127, 'hoarding supply from': 399568, 'supermarket and caring': 818954, 'and caring only': 59573, 'caring only about': 164724, 'only about themselves': 610029, 'themselves and money': 876756, 'and money want': 67116, 'money want you': 537148, 'to know karma': 908984, 'know karma is': 476556, 'karma is very': 470950, 'very real thing': 955457, 'real thing that': 701394, 'you will eventually': 1022330, 'will eventually be': 993337, 'eventually be introduced': 285145, 'be introduced to': 115535, 'introduced to karmaisreal': 443465, 'what brit': 981141, 'seriously folk': 751610, 'folk stay': 312253, 'safe stayhomechallenge': 729983, 'that what brit': 847457, 'what brit do': 981142, 'take the advice': 832636, 'advice seriously folk': 33493, 'seriously folk stay': 751611, 'folk stay safe': 312254, 'stay safe stayhomechallenge': 797279, 'safe stayhomechallenge selfquarantine': 729984, 'jermyn': 465176, 'thes': 879558, 'hi jermyn': 394684, 'jermyn we': 465177, 'administration food': 32468, 'food code': 313953, 'glove our': 352852, 'in prepared': 426927, 'food environment': 314366, 'environment are': 279084, 'while performing': 987153, 'performing job': 651497, 'job duty': 465809, 'duty but': 263558, 'in thes': 429826, 'hi jermyn we': 394685, 'jermyn we follow': 465178, 'we follow the': 971582, 'follow the food': 312525, 'drug administration food': 260852, 'administration food code': 32469, 'food code for': 313954, 'code for the': 185364, 'for the use': 326759, 'of glove our': 584164, 'glove our associate': 352853, 'our associate who': 622138, 'associate who work': 96911, 'work in prepared': 1005337, 'in prepared food': 426928, 'prepared food environment': 670185, 'food environment are': 314367, 'environment are required': 279085, 'wear glove while': 974351, 'glove while performing': 353035, 'while performing job': 987154, 'performing job duty': 651498, 'job duty but': 465810, 'duty but associate': 263559, 'but associate who': 145239, 'associate who don': 96909, 'who don work': 988652, 'don work in': 254075, 'work in thes': 1005349, 'origami': 619535, 'toiletpaperhumour': 923176, 'bored during': 135344, 'using ply': 950604, 'make origami': 510279, 'origami figure': 619536, 'figure toiletpapercrisis': 305246, 'toiletpaperchallenge toiletpapergate': 922990, 'coronacrisis toiletpaperhumour': 204842, 'might be bored': 530881, 'be bored during': 113887, 'bored during covid': 135345, 'self quarantine if': 747859, 'you start using': 1021361, 'start using ply': 794624, 'using ply toilet': 950605, 'paper to make': 640921, 'to make origami': 909710, 'make origami figure': 510280, 'origami figure toiletpapercrisis': 619537, 'figure toiletpapercrisis toiletpaperchallenge': 305247, 'toiletpapercrisis toiletpaperchallenge toiletpapergate': 923097, 'toiletpaperchallenge toiletpapergate toiletpaper': 922991, 'toiletpapergate toiletpaper coronacrisis': 923164, 'toiletpaper coronacrisis toiletpaperhumour': 921884, 'hampshire': 374625, 'new hampshire': 558848, 'hampshire attorney': 374626, 'of wave': 592948, 'anxiety that': 78800, 'that naturally': 845287, 'naturally arises': 552912, 'arises from': 92800, 'event more': 285025, 'new hampshire attorney': 558849, 'hampshire attorney general': 374627, 'warning of wave': 967162, 'of wave of': 592949, 'related scam related': 708556, 'to federal stimulus': 905713, 'the anxiety that': 848795, 'anxiety that naturally': 78801, 'that naturally arises': 845288, 'naturally arises from': 552913, 'arises from current': 92801, 'current event more': 221189, 'event more detail': 285026, 'town where': 927583, 'where costco': 984793, '10 mile': 1520, 'radius which': 695494, 'nowhere why': 576579, 'you value': 1022020, 'value your': 952251, 'waste hour': 968132, 'save few': 737495, 'buck covid': 141658, 'hasn made': 378758, 'made checking': 507681, 'out any': 625714, 'longer just': 502006, 'just le': 469118, 'le sel': 483109, 'unless you live': 942670, 'in town where': 430253, 'town where costco': 927584, 'where costco is': 984794, 'costco is the': 208246, 'only supermarket in': 611223, 'in 10 mile': 419681, '10 mile radius': 1522, 'mile radius which': 531412, 'radius which is': 695495, 'which is nowhere': 986034, 'is nowhere why': 450364, 'nowhere why would': 576580, 'would you value': 1012426, 'you value your': 1022021, 'value your time': 952252, 'time so little': 897694, 'so little to': 777562, 'little to waste': 495627, 'to waste hour': 918369, 'waste hour to': 968133, 'hour to save': 406034, 'to save few': 913777, 'save few buck': 737496, 'few buck covid': 303736, 'buck covid 19': 141659, '19 hasn made': 7441, 'hasn made checking': 378759, 'made checking out': 507682, 'checking out any': 174837, 'out any longer': 625715, 'any longer just': 79433, 'longer just le': 502007, 'just le sel': 469119, 'limited volunteer': 492794, 'to group': 907020, 'taking volunteer': 833661, 'ha limited volunteer': 371155, 'limited volunteer to': 492795, 'volunteer to group': 960352, 'to group of': 907021, 'of 10 due': 579306, 'to but they': 902156, 're still taking': 699600, 'still taking volunteer': 801276, 'taking volunteer who': 833662, 'volunteer who want': 960373, 'help distribute food': 389591, 'distribute food my': 247976, 'food my latest': 315494, 'the recreational': 865375, 'recreational park': 705454, 'and trail': 74358, 'trail on': 929208, 'mother to': 543180, 'store hundred': 808233, 'gathering walking': 344527, 'walking riding': 965094, 'bike in': 130413, 'group picked': 366839, 'picked my': 655799, 'wife up': 991988, '7am hospital': 22418, 'hospital traffic': 404690, 'traffic wa': 929158, 'passed the recreational': 643304, 'the recreational park': 865376, 'recreational park and': 705455, 'park and trail': 641868, 'and trail on': 74359, 'trail on my': 929209, 'to take my': 916207, 'take my mother': 832354, 'my mother to': 549340, 'mother to work': 543182, 'grocery store hundred': 365477, 'store hundred of': 808234, 'people gathering walking': 648034, 'gathering walking riding': 344528, 'walking riding bike': 965095, 'riding bike in': 721668, 'bike in group': 130414, 'in group picked': 423456, 'group picked my': 366840, 'picked my wife': 655800, 'my wife up': 550602, 'wife up from': 991989, 'up from work': 944995, 'from work this': 338417, 'work this morning': 1005858, 'morning 7am hospital': 541134, '7am hospital traffic': 22419, 'hospital traffic wa': 404691, '20 shoshanna': 13348, 'shoshanna say': 765406, 'so fun': 777145, '28 38': 16374, 'sale 23': 732013, 'friday 20 shoshanna': 333186, '20 shoshanna say': 13349, 'shoshanna say it': 765407, 'shoshanna it so': 765404, 'it so fun': 461112, 'so fun to': 777146, 'from 28 38': 334255, '28 38 covid': 16375, '19 sale 23': 10298, 'sale 23 31': 732014, 'heeding': 388760, 'tx tx': 937460, 'saving their': 737968, 'their population': 874341, 'population from': 664683, 'from ve': 338224, 'any universal': 79998, 'universal precaution': 942375, 'precaution or': 669342, 'or heeding': 615622, 'heeding warning': 388763, 'warning time': 967221, 'follow ny': 312473, 'nj ca': 563420, 'ca ct': 154868, 'ct order': 220104, 'home tx': 402382, 'tx healthcare': 937444, 'healthcare ca': 387053, 'tx tx should': 937461, 'tx should be': 937451, 'should be leader': 765657, 'be leader is': 115679, 'leader is saving': 483482, 'is saving their': 451652, 'saving their population': 737969, 'their population from': 874342, 'population from ve': 664684, 'from ve been': 338225, 'store no is': 809080, 'no is using': 564527, 'is using any': 453633, 'using any universal': 950392, 'any universal precaution': 79999, 'universal precaution or': 942376, 'precaution or heeding': 669343, 'or heeding warning': 615623, 'heeding warning time': 388764, 'warning time to': 967222, 'to follow ny': 906055, 'follow ny nj': 312474, 'ny nj ca': 577900, 'nj ca ct': 563421, 'ca ct order': 154869, 'ct order everyone': 220105, 'order everyone home': 618197, 'everyone home tx': 287019, 'home tx healthcare': 402383, 'tx healthcare ca': 937445, 'paper and basic': 639809, 'gaunt': 344572, 'are anyone': 84582, 'anyone not': 80432, 'looking gaunt': 502922, 'gaunt basically': 344573, 'basically stophoarding': 112164, 'give it week': 350553, 'it week or': 462294, 'or two we': 617577, 'two we ll': 937313, 'we ll know': 972260, 'll know who': 496876, 'know who the': 477041, 'who the hoarder': 989753, 'hoarder are anyone': 398985, 'are anyone not': 84583, 'anyone not looking': 80434, 'not looking gaunt': 570461, 'looking gaunt basically': 502923, 'gaunt basically stophoarding': 344574, 'basically stophoarding panicbuyinguk': 112165, 'suzette': 829854, 'hi suzette': 394744, 'suzette we': 829855, 'hi suzette we': 394745, 'suzette we want': 829856, 'done all': 254761, 'bastard in': 112483, 'them pani': 876144, 'putting in 12': 691138, 'in 12 hour': 419691, 'shift and by': 758232, 're done all': 698560, 'done all the': 254763, 'the selfish greedy': 866664, 'selfish greedy bastard': 748111, 'greedy bastard in': 363485, 'bastard in society': 112484, 'in society and': 428058, 'society and there': 781156, 'are many of': 88031, 'them have emptied': 875823, 'shelf how will': 757171, 'will you help': 995387, 'you help them': 1019204, 'help them pani': 390710, 'dealz': 229725, 'evidencing': 288407, 'the dealz': 852963, 'dealz ky': 229726, 'ky notice': 478075, 'notice wa': 573391, 'wa issued': 962428, 'state seller': 795926, 'to michigan': 910111, 'consumer filed': 197469, 'supplied documentation': 824456, 'documentation evidencing': 251235, 'evidencing her': 288408, 'her allegation': 391833, 'allegation the': 45647, 'other three': 621123, 'three notice': 894007, 'notice were': 573400, 'were issued': 979808, 'the dealz ky': 852964, 'dealz ky notice': 229727, 'ky notice wa': 478076, 'notice wa issued': 573392, 'wa issued to': 962429, 'issued to an': 456106, 'to an out': 900468, 'of state seller': 590071, 'state seller who': 795927, 'seller who sold': 749116, 'who sold to': 989640, 'sold to michigan': 781789, 'to michigan consumer': 910112, 'michigan consumer at': 530328, 'consumer at grossly': 196335, 'excessive price that': 289409, 'price that consumer': 676797, 'that consumer filed': 843298, 'consumer filed complaint': 197470, 'filed complaint with': 305397, 'general office and': 345421, 'office and supplied': 595362, 'and supplied documentation': 72764, 'supplied documentation evidencing': 824457, 'documentation evidencing her': 251236, 'evidencing her allegation': 288409, 'her allegation the': 391834, 'allegation the other': 45648, 'the other three': 862560, 'other three notice': 621124, 'three notice were': 894008, 'notice were issued': 573401, 'modern super': 535398, 'power can': 667580, 'thin air': 884047, 'air can': 39692, 'face 2m': 294277, '2m forcefield': 16688, 'forcefield push': 328677, 'push human': 690282, 'human out': 410584, 'watch on': 968489, 'minute can': 533751, 'sleep for': 773770, 'time isolation': 897073, 'modern super power': 535399, 'super power can': 818557, 'power can produce': 667581, 'can produce hand': 159310, 'out of thin': 626854, 'of thin air': 591888, 'thin air can': 884048, 'air can go': 39693, 'can go all': 158490, 'day without touching': 228794, 'without touching their': 1003016, 'touching their face': 926733, 'their face 2m': 873220, 'face 2m forcefield': 294278, '2m forcefield push': 16689, 'forcefield push human': 328678, 'push human out': 690283, 'human out of': 410585, 'way can find': 969518, 'can find something': 158338, 'something to watch': 785114, 'to watch on': 918387, 'watch on netflix': 968490, 'on netflix in': 602368, 'netflix in le': 557606, 'than one minute': 840981, 'one minute can': 606671, 'minute can sleep': 533752, 'can sleep for': 159639, 'sleep for week': 773771, 'at time isolation': 101295, '75 news': 22151, 'news president': 560709, 'trump directs': 933515, 'directs agriculture': 243698, 'agriculture chief': 38942, 'chief to': 175976, 'up relief': 945897, 'farmer many': 299437, 'shed surplus': 756518, 'lockdown trump': 500080, '75 news president': 22152, 'news president trump': 560710, 'president trump directs': 670937, 'trump directs agriculture': 933516, 'directs agriculture chief': 243699, 'agriculture chief to': 38943, 'chief to speed': 175979, 'to speed up': 914981, 'speed up relief': 788475, 'up relief for': 945898, 'relief for farmer': 709341, 'for farmer many': 321405, 'farmer many are': 299438, 'many are forced': 513758, 'forced to shed': 328654, 'to shed surplus': 914392, 'shed surplus stock': 756519, 'surplus stock and': 828499, 'stock and cattle': 801805, 'cattle price plummet': 167374, 'plummet amid lockdown': 661252, 'amid lockdown trump': 52520, 'lockdown trump news': 500081, 'making everyone': 511052, 'your couch': 1023354, 'couch and': 208432, 'my magecart': 549182, 'magecart webinar': 508363, 'is making everyone': 449542, 'making everyone stay': 511053, 'everyone stay at': 287401, 'home these day': 402264, 'these day online': 879887, 'shopping is becoming': 763035, 'is becoming more': 446037, 'becoming more important': 120322, 'than ever there': 840616, 'ever there no': 285542, 'there no better': 878797, 'time to sit': 898067, 'to sit on': 914685, 'sit on your': 771835, 'on your couch': 605455, 'your couch and': 1023355, 'couch and join': 208433, 'and join my': 65674, 'join my magecart': 466791, 'my magecart webinar': 549183, 'amnesia': 52962, 'trauma survivor': 930209, 'survivor normally': 829399, 'for date': 320555, 'date or': 226706, 'might trigger': 531151, 'trigger normally': 931877, 'grocery money': 364732, 'money normally': 536908, 'have amnesia': 379232, 'amnesia it': 52963, 'it coping': 457321, 'mechanism we': 525857, 'weren prepared': 980415, 'ha been tough': 369961, 'been tough for': 122256, 'tough for those': 926816, 'those with anxiety': 892711, 'anxiety and trauma': 78659, 'and trauma survivor': 74399, 'trauma survivor normally': 930210, 'survivor normally we': 829400, 'normally we can': 567566, 'we can prepare': 970991, 'prepare for date': 670072, 'for date or': 320556, 'date or thing': 226707, 'or thing that': 617432, 'that might trigger': 845166, 'might trigger normally': 531152, 'trigger normally we': 931878, 'normally we stock': 567568, 'we stock pile': 973419, 'pile food grocery': 656493, 'food grocery money': 314720, 'grocery money normally': 364733, 'money normally we': 536909, 'normally we also': 567565, 'also have amnesia': 48322, 'have amnesia it': 379233, 'amnesia it coping': 52964, 'it coping mechanism': 457322, 'coping mechanism we': 203379, 'mechanism we weren': 525858, 'we weren prepared': 973823, 'top health': 925588, 'official warns': 595967, 'against going': 37470, 'case soar': 166020, 'soar official': 779261, 'official urge': 595957, 'urge american': 948156, 'avoid yourself': 105400, 'virus usa': 958967, 'top health official': 925589, 'health official warns': 386707, 'official warns against': 595968, 'warns against going': 967245, 'against going to': 37472, 'every day coronavirus': 285801, 'day coronavirus case': 227488, 'coronavirus case soar': 205621, 'case soar official': 166021, 'soar official urge': 779262, 'official urge american': 595958, 'urge american to': 948157, 'american to do': 52266, 'do anything you': 249093, 'anything you can': 80961, 'protect yourself to': 685102, 'yourself to avoid': 1026727, 'to avoid yourself': 900962, 'avoid yourself from': 105401, 'yourself from getting': 1026614, 'from getting this': 335637, 'getting this virus': 349381, 'this virus usa': 891035, 'husband died': 411699, 'the coronovirus': 851947, 'coronovirus he': 207150, 'had liver': 373253, 'liver and': 496225, 'kidney problem': 474240, 'problem before': 679477, 'wa therefore': 963485, 'therefore more': 879451, 'most what': 542908, 'friend could': 333563, 'his funeral': 397465, 'funeral stay': 341669, 'my friend husband': 548434, 'friend husband died': 333640, 'husband died this': 411700, 'to the coronovirus': 916596, 'the coronovirus he': 851948, 'coronovirus he had': 207151, 'he had liver': 385054, 'had liver and': 373254, 'liver and kidney': 496226, 'and kidney problem': 65839, 'kidney problem before': 474241, 'problem before this': 679478, 'before this and': 123224, 'this and wa': 886355, 'and wa therefore': 75102, 'wa therefore more': 963486, 'therefore more at': 879452, 'at risk than': 100405, 'risk than most': 723919, 'than most what': 840913, 'most what people': 542909, 'not see is': 571478, 'see is that': 745322, 'is that my': 452670, 'that my friend': 845264, 'my friend could': 548427, 'friend could not': 333564, 'could not see': 209456, 'not see him': 571476, 'see him and': 745201, 'and he will': 64333, 'also be alone': 47914, 'be alone to': 113573, 'alone to mourn': 46929, 'to mourn and': 910289, 'mourn and will': 543464, 'to his funeral': 907813, 'his funeral stay': 397466, 'funeral stay home': 341670, 'astonished': 97231, 'blatantly': 132443, 'dictating': 240513, 'what astonished': 981074, 'astonished me': 97232, 'most when': 542910, 'when had': 983507, 'many adult': 513715, 'adult blatantly': 32808, 'blatantly ignored': 132444, 'giant arrow': 349751, 'ground dictating': 366493, 'dictating which': 240514, 'which direction': 985817, 'direction each': 243455, 'used absurd': 949858, 'absurd disregard': 27497, 'for safeguard': 325295, 'safeguard is': 730202, 'sickening socialdistancing': 768716, 'what astonished me': 981075, 'astonished me most': 97233, 'me most when': 523177, 'most when had': 542911, 'when had to': 983509, 'how many adult': 408240, 'many adult blatantly': 513716, 'adult blatantly ignored': 32809, 'blatantly ignored the': 132445, 'ignored the giant': 415887, 'the giant arrow': 856252, 'giant arrow on': 349752, 'the ground dictating': 856847, 'ground dictating which': 366494, 'dictating which direction': 240515, 'which direction each': 985818, 'direction each aisle': 243456, 'each aisle should': 263989, 'be used absurd': 117910, 'used absurd disregard': 949859, 'absurd disregard for': 27498, 'disregard for safeguard': 246344, 'for safeguard is': 325296, 'safeguard is sickening': 730203, 'is sickening socialdistancing': 451916, 'though all': 892767, 'these 19 gas': 879568, 'price though all': 676934, 'are box': 85044, 'of nitrile': 587027, 'the buying': 850227, 'there are box': 878071, 'are box of': 85045, 'box of nitrile': 137128, 'of nitrile glove': 587028, 'nitrile glove on': 563394, 'glove on amazon': 352817, 'on amazon price': 599284, 'amazon price have': 51071, 'have been jacked': 379588, 'jacked up some': 464152, 'up some but': 946028, 'some but they': 782458, 'for the buying': 326328, 'the buying time': 850229, 'to think outside': 917379, 'box to get': 137186, 'the small store': 867368, 'small store open': 775138, 'store open right': 809263, 'now see lot': 575747, 'different people every': 242021, 'day and touch': 227292, 'of thing so': 591912, 'thing so feel': 884753, 'and now like': 67852, 'now like ugh': 575210, 'such bad': 816350, 'bad culinary': 107823, 'reputation that': 713126, 'having such bad': 384293, 'such bad culinary': 816351, 'bad culinary reputation': 107824, 'culinary reputation that': 220226, 'reputation that people': 713127, 'not even buy': 569237, 'jalapeno': 464342, 'inadvertent': 431220, 'can praise': 159281, 'praise covid': 668837, 'buy sourdough': 149223, 'sourdough with': 786629, 'with jalapeno': 999099, 'jalapeno yesterday': 464343, 'yesterday bread': 1015696, 'bread supply': 138600, 'supply were': 826088, 'supermarket bloody': 819382, 'bloody brilliant': 133179, 'brilliant stuff': 139891, 'stuff anyone': 815013, 'else made': 271788, 'some inadvertent': 783098, 'inadvertent food': 431221, 'food discovery': 314215, 'least can praise': 484420, 'can praise covid': 159282, 'praise covid 19': 668838, 'for this had': 327033, 'this had to': 887821, 'to buy sourdough': 902305, 'buy sourdough with': 149224, 'sourdough with jalapeno': 786630, 'with jalapeno yesterday': 999100, 'jalapeno yesterday bread': 464344, 'yesterday bread supply': 1015697, 'bread supply were': 138601, 'supply were running': 826089, 'running low in': 728000, 'low in my': 505337, 'local supermarket bloody': 498505, 'supermarket bloody brilliant': 819383, 'bloody brilliant stuff': 133180, 'brilliant stuff anyone': 139892, 'stuff anyone else': 815014, 'anyone else made': 80275, 'else made some': 271789, 'made some inadvertent': 507957, 'some inadvertent food': 783099, 'inadvertent food discovery': 431222, 'food editor': 314339, 'been writing': 122408, 'writing about': 1012883, 'well even': 978230, 'eating emergency': 266199, 'supply she': 825813, 'food editor of': 314340, 'editor of time': 268668, 'of time ha': 592175, 'ha been writing': 369990, 'been writing about': 122409, 'writing about how': 1012884, 'eat well even': 266102, 'well even when': 978231, 're eating emergency': 698584, 'eating emergency supply': 266200, 'emergency supply she': 273006, 'supply she gave': 825814, 'she gave some': 756046, 'gave some tip': 344658, 'tip on what': 898864, 'look for when': 502375, 'you re stocking': 1020760, 'week march': 976504, 'at 06': 97380, '06 00am': 978, 'by cbc': 152083, 'news winnipeg': 560968, 'this week march': 891229, 'week march 22': 976505, '22 2020 at': 15165, '2020 at 06': 14160, 'at 06 00am': 97381, '06 00am by': 980, '00am by cbc': 662, 'by cbc news': 152084, 'cbc news winnipeg': 168285, 'news winnipeg landscaping': 560969, 'were carton': 979423, 'today could': 919411, 'taken both': 832966, 'only picked': 610972, 'why other': 991263, 'there were carton': 879312, 'were carton of': 979424, 'of egg in': 582996, 'store today could': 810838, 'today could have': 919412, 'could have taken': 209267, 'have taken both': 382909, 'taken both but': 832967, 'both but only': 135872, 'but only picked': 146693, 'only picked up': 610973, 'picked up do': 655811, 'know why other': 477053, 'why other family': 991264, 'other family need': 620216, 'eat too coronacrisis': 266089, 'too coronacrisis stopstockpiling': 924674, 'fccpc': 300781, 'federal competition': 301964, 'commission fccpc': 188820, 'fccpc say': 300782, 'will prosecute': 994489, 'prosecute any': 684615, 'any manufacturer': 79449, 'manufacturer supplier': 513516, 'item who': 463822, 'use opportunity': 949450, 'opportunity of': 613662, 'the federal competition': 855071, 'federal competition and': 301965, 'protection commission fccpc': 685382, 'commission fccpc say': 188821, 'fccpc say it': 300783, 'it will prosecute': 462424, 'will prosecute any': 994490, 'prosecute any manufacturer': 684616, 'any manufacturer supplier': 79450, 'manufacturer supplier and': 513517, 'and retailer of': 70462, 'retailer of medical': 719258, 'of medical item': 586392, 'medical item who': 526233, 'item who use': 463823, 'who use opportunity': 989860, 'use opportunity of': 949451, 'opportunity of the': 613663, 'crisis to exploit': 218244, 'quarantinelife makro': 692972, 'at the rise': 101080, 'food price quarantinelife': 315964, 'price quarantinelife makro': 676047, 'even larger': 284283, 'larger company': 479888, 'from even larger': 335316, 'even larger company': 284284, 'larger company that': 479889, 'ndc': 553399, 'the ndc': 861342, 'ndc called': 553400, 'recorded single': 705118, 'single case': 771254, 'ghana thing': 349588, 'still normal': 800886, 'when the ndc': 984174, 'the ndc called': 861343, 'ndc called for': 553401, 'called for reduction': 156321, 'for reduction of': 325047, 'fuel price we': 340259, 'price we had': 677402, 'we had not': 971717, 'had not recorded': 373352, 'not recorded single': 571269, 'recorded single case': 705119, 'single case of': 771255, '19 in ghana': 7745, 'in ghana thing': 423306, 'ghana thing were': 349589, 'thing were still': 884977, 'were still normal': 980170, 'hand written': 376026, 'written sign': 1012966, 'truck near': 932832, 'near cherry': 553472, 'cherry beach': 175537, 'beach in': 118208, 'toronto march': 925964, 'hand written sign': 376027, 'written sign in': 1012967, 'window of truck': 995696, 'of truck near': 592466, 'truck near cherry': 932833, 'near cherry beach': 553473, 'cherry beach in': 175538, 'beach in toronto': 118210, 'in toronto march': 430209, 'toronto march 15': 925965, 'execpay': 289844, 'anything differently': 80734, 'differently about': 242154, 'about annual': 24813, 'annual equity': 77392, 'equity award': 279920, 'award to': 105583, 'price execpay': 673726, 'execpay compensation': 289845, 'compensation corpgov': 191553, 'doing anything differently': 252297, 'anything differently about': 80735, 'differently about annual': 242155, 'about annual equity': 24814, 'annual equity award': 77393, 'equity award to': 279921, 'award to account': 105584, 'for the extreme': 326423, 'the extreme volatility': 854781, 'extreme volatility in': 293843, 'volatility in share': 960083, 'share price execpay': 755170, 'price execpay compensation': 673727, 'execpay compensation corpgov': 289846, 'cannibal': 161570, 'people pillaging': 649118, 'pillaging every': 656672, 'radius will': 695496, 'complaining when': 191913, 'are cannibal': 85167, 'cannibal in': 161571, 'their bush': 872670, 'bush supermarket': 143139, 'assume the same': 97024, 'same people pillaging': 733214, 'people pillaging every': 649119, 'pillaging every supermarket': 656673, 'every supermarket within': 286272, 'supermarket within 20': 823945, '20 mile radius': 13159, 'mile radius will': 531413, 'radius will be': 695497, 'same people complaining': 733212, 'people complaining when': 647511, 'complaining when there': 191914, 'there are cannibal': 878076, 'are cannibal in': 85168, 'cannibal in their': 161572, 'in their bush': 429721, 'their bush supermarket': 872671, 'with employee': 998210, 'employee back': 273658, 'demand spiking': 236265, 'spiking up': 789361, 'to pent': 911607, 'want china': 965749, 'for bounce': 319750, 'or setback': 617029, 'with employee back': 998211, 'employee back and': 273659, 'back and consumer': 106852, 'consumer demand spiking': 197167, 'demand spiking up': 236266, 'spiking up thanks': 789362, 'up thanks to': 946142, 'thanks to pent': 842252, 'to pent up': 911608, 'pent up buying': 646701, 'up buying need': 944536, 'buying need and': 150747, 'need and want': 554443, 'and want china': 75166, 'want china is': 965750, 'china is on': 176758, 'track for bounce': 928188, 'for bounce back': 319751, 'back but it': 106914, 'is not without': 450222, 'not without it': 572518, 'without it change': 1002739, 'it change or': 457098, 'change or setback': 172211, 'in characteristic': 421332, 'characteristic iranian': 173166, 'iranian act': 444724, 'defiance the': 232225, 'the tehran': 869248, 'risen 62': 723090, 'price raw': 676086, 'material cannot': 520373, 'in characteristic iranian': 421333, 'characteristic iranian act': 173167, 'iranian act of': 444725, 'of defiance the': 582470, 'defiance the tehran': 232226, 'the tehran stock': 869249, 'exchange ha risen': 289452, 'ha risen 62': 371761, 'risen 62 since': 723091, 'and despite falling': 61269, 'despite falling stock': 238736, 'stock price raw': 802742, 'price raw material': 676087, 'raw material cannot': 697971, 'material cannot make': 520374, 'cantkeepmyhandsofthecookiejar': 162368, 'keep finishing': 471506, 'finishing all': 307932, 'it ffs': 457988, 'ffs cantkeepmyhandsofthecookiejar': 304297, 'cantkeepmyhandsofthecookiejar food': 162369, 'keep buying food': 471371, 'house but keep': 406222, 'but keep finishing': 146213, 'keep finishing all': 471507, 'finishing all of': 307933, 'of it ffs': 585392, 'it ffs cantkeepmyhandsofthecookiejar': 457989, 'ffs cantkeepmyhandsofthecookiejar food': 304298, 'and wall': 75152, 'street want': 813166, 'want bailouts': 965729, 'bailouts while': 108706, 'they simultaneously': 883400, 'simultaneously are': 770374, 'pushing firm': 690416, 'hospital provider': 404575, 'and banker and': 58684, 'banker and wall': 110345, 'and wall street': 75153, 'wall street want': 965193, 'street want bailouts': 813167, 'want bailouts while': 965730, 'bailouts while they': 108707, 'while they simultaneously': 987444, 'they simultaneously are': 883401, 'simultaneously are pushing': 770375, 'are pushing firm': 89343, 'pushing firm to': 690417, '19 supply and': 10966, 'supply and drug': 824714, 'and drug to': 61780, 'drug to the': 261124, 'the hospital provider': 857530, 'census2020': 169027, 'an administration': 55125, 'administration which': 32511, 'which tried': 986414, 'to sabotage': 913693, 'sabotage census2020': 729007, 'census2020 long': 169028, 'much about is': 544689, 'about is very': 25557, 'very bad this': 955002, 'bad this news': 108047, 'this news is': 889133, 'news is very': 560562, 'is very bad': 453666, 'very bad an': 954998, 'bad an administration': 107756, 'an administration which': 55126, 'administration which tried': 32512, 'which tried to': 986415, 'tried to sabotage': 931847, 'to sabotage census2020': 913694, 'sabotage census2020 long': 729008, 'census2020 long before': 169029, 'not be getting': 568388, 'be getting creative': 115002, 'creative to save': 216177, 'to save it': 913782, 'deliver safetyfirst': 233205, 'shall deliver safetyfirst': 754526, 'buy making': 148933, 'sure nobody': 827631, 'nobody take': 566064, 'best buy making': 127613, 'buy making sure': 148934, 'making sure nobody': 511383, 'sure nobody take': 827632, 'nobody take their': 566065, 'take their hand': 832689, 'their hand sanitizer': 873483, 'are unsurprisingly': 91343, 'unsurprisingly very': 943596, 'long however': 501445, 'just rang': 469555, 'rang local': 696675, 'delivered amp': 233289, 'amp ordered': 54232, 'ordered lot': 618862, 'of decently': 582436, 'decently priced': 230811, 'priced fresh': 677733, 'milk soup': 531826, 'soup etc': 786376, 'tuesday check': 935135, 'the supermarket waiting': 868889, 'supermarket waiting list': 823714, 'waiting list for': 964358, 'list for delivery': 494325, 'for delivery are': 320628, 'delivery are unsurprisingly': 233726, 'are unsurprisingly very': 91344, 'unsurprisingly very long': 943597, 'very long however': 955332, 'long however we': 501446, 'however we just': 409517, 'we just rang': 972118, 'just rang local': 469556, 'rang local farm': 696676, 'farm shop to': 299178, 'shop to see': 760953, 'if they delivered': 415106, 'they delivered amp': 881883, 'delivered amp ordered': 233290, 'amp ordered lot': 54233, 'ordered lot of': 618863, 'lot of decently': 504172, 'of decently priced': 582437, 'decently priced fresh': 230812, 'priced fresh fruit': 677734, 'veg milk soup': 953767, 'milk soup etc': 531827, 'soup etc it': 786377, 'etc it coming': 282623, 'it coming on': 457222, 'coming on tuesday': 188158, 'on tuesday check': 604879, 'tuesday check out': 935136, 'out the farm': 627364, 'the farm shop': 854935, 'whole sale': 990316, 'top quality face': 925703, 'quality face mask': 691781, 'mask at whole': 518436, 'at whole sale': 101556, 'whole sale price': 990317, 'suddenly shouting': 817131, 'revealing how': 720292, 'important all': 418727, 'one suddenly': 607132, 'suddenly discovering': 817080, 'discovering it': 244714, 'reminder you take': 710619, 'you take note': 1021514, 'note of all': 572766, 'the people suddenly': 863507, 'people suddenly shouting': 649689, 'suddenly shouting at': 817132, 'shouting at that': 766791, 'at that the': 100862, 'the is revealing': 858524, 'is revealing how': 451504, 'revealing how important': 720293, 'how important all': 408032, 'important all the': 418728, 'they re so': 883126, 're so upset': 699539, 'so upset because': 778615, 'upset because it': 947802, 'because it fresh': 119187, 'it fresh for': 458136, 'fresh for them': 332989, 'the one suddenly': 862224, 'one suddenly discovering': 607133, 'suddenly discovering it': 817081, 'discovering it we': 244715, 'it we knew': 462278, 'we knew they': 972144, 'knew they didn': 476086, 'following up': 312934, 'immediate economic': 416980, 'response deloitte': 715670, 'deloitte india': 234805, '19 following up': 7038, 'following up on': 312935, 'on the immediate': 604171, 'the immediate economic': 857899, 'immediate economic response': 416981, 'economic response deloitte': 267255, 'response deloitte india': 715671, 'deloitte india consumer': 234806, 'india consumer via': 434356, 'no handwash': 564401, 'handwash never': 376784, 'mind hand': 532670, 'gel no': 345139, 'no porridge': 565145, 'porridge either': 664854, 'either stophoarding': 270382, 'no handwash never': 564402, 'handwash never mind': 376785, 'never mind hand': 558118, 'mind hand gel': 532671, 'hand gel no': 374981, 'gel no porridge': 345140, 'no porridge either': 565146, 'porridge either stophoarding': 664855, 'either stophoarding panicbuyinguk': 270383, 'deforestation': 232470, 'aren seeing': 92513, 'seeing change': 746252, 'in agricultural': 420114, 'price significant': 676403, 'significant enough': 769444, 'global deforestation': 351857, 'deforestation of': 232473, 'crisis global': 217418, 'global commodity': 351784, 'and deforestation': 61060, 'deforestation read': 232475, 'we still aren': 973396, 'still aren seeing': 800208, 'aren seeing change': 92514, 'seeing change in': 746253, 'change in agricultural': 172105, 'in agricultural commodity': 420115, 'commodity price significant': 189286, 'price significant enough': 676404, 'significant enough to': 769445, 'enough to affect': 277686, 'to affect global': 900144, 'affect global deforestation': 34152, 'global deforestation of': 351858, 'deforestation of on': 232474, '19 crisis global': 6253, 'crisis global commodity': 217419, 'global commodity market': 351785, 'commodity market and': 189217, 'market and deforestation': 515960, 'and deforestation read': 61061, 'deforestation read the': 232476, 'cost about': 207844, 'make one but': 510266, 'one but ink': 606024, 'example cost about': 288881, 'cost about to': 207845, 'sell for about': 748730, 'for about 50': 318980, 'about 50 so': 24725, 'buying nurse': 150780, 'in tearful': 428850, 'please the effect': 660664, 'of the selfishness': 591450, 'selfishness of panic': 748368, 'panic buying nurse': 637825, 'buying nurse in': 150781, 'nurse in tearful': 577384, 'in tearful plea': 428851, 'plea after being': 659537, 'buy food following': 148646, 'food following her': 314484, 'hour shift 19': 405910, 'shift 19 via': 758214, 'drawbridge': 258491, 'everydayheroes': 286657, 'felt totally': 303468, 'totally shaken': 926390, 'shaken by': 754436, 'whole experience': 990189, 'experience back': 291321, 'the drawbridge': 853674, 'drawbridge is': 258492, 'is again': 445415, 'again up': 37255, 'line everydayheroes': 493077, 'been out to': 121623, 'supermarket and felt': 818979, 'and felt totally': 62801, 'felt totally shaken': 303469, 'totally shaken by': 926391, 'shaken by the': 754437, 'by the whole': 154482, 'the whole experience': 871488, 'whole experience back': 990190, 'experience back in': 291322, 'safety of home': 730648, 'of home the': 584723, 'home the drawbridge': 402228, 'the drawbridge is': 853675, 'drawbridge is again': 258493, 'is again up': 445416, 'again up and': 37256, 'up and have': 944330, 'and have even': 64237, 'have even more': 380486, 'even more gratitude': 284358, 'more gratitude for': 539366, 'essential service out': 281518, 'front line everydayheroes': 338571, 'not unprecedented': 572340, 'unprecedented this': 943191, 'cause an': 167492, 'an inflationary': 56313, 'inflationary upwards': 437269, 'upwards pressure': 947972, 'every kind': 285971, 'household there': 406968, 'example throughout': 288986, 'history coronacrisis': 398017, 'socialism is not': 780962, 'is not unprecedented': 450216, 'not unprecedented pandemic': 572341, 'unprecedented pandemic are': 943181, 'pandemic are not': 634945, 'are not unprecedented': 88490, 'not unprecedented this': 572342, 'unprecedented this is': 943192, 'to cause an': 902531, 'cause an inflationary': 167493, 'an inflationary upwards': 56314, 'inflationary upwards pressure': 437270, 'upwards pressure on': 947973, 'price and every': 672409, 'and every kind': 62374, 'every kind of': 285972, 'kind of living': 474916, 'of living cost': 585910, 'living cost for': 496335, 'cost for all': 207940, 'for all household': 319135, 'all household there': 43160, 'household there are': 406969, 'are numerous example': 88622, 'numerous example throughout': 577133, 'example throughout history': 288987, 'throughout history coronacrisis': 894940, 'tomorrow there': 924200, 'product mentally': 681407, 'retarded panic': 719633, 'will raid': 994547, 'alcohol shelf': 41102, 'tomorrow there will': 924201, 'pasta and canned': 643677, 'canned good on': 161541, 'good on supermarket': 357503, 'shelf and there': 756771, 'these product mentally': 880558, 'product mentally retarded': 681408, 'mentally retarded panic': 528730, 'retarded panic buyer': 719634, 'buyer will raid': 149807, 'will raid the': 994548, 'raid the alcohol': 695616, 'the alcohol shelf': 848563, 'alcohol shelf 19': 41103, 'many impact': 514159, 'the many impact': 860043, 'many impact the': 514160, 'impact the spread': 418006, 'on the community': 604030, 'is the increased': 452831, 'usa grocery': 948651, 'usa grocery store': 948652, 'if unnecessarily': 415217, 'ur house': 948017, 'house think': 406612, 'about poor': 25957, 'basis if': 112246, 'market empty': 516332, 'survive dont': 829151, 'dont killer': 255237, 'killer plz': 474642, 'plz responsible': 661828, 'share if unnecessarily': 755048, 'if unnecessarily stock': 415218, 'unnecessarily stock food': 942875, 'food in ur': 314980, 'in ur house': 430466, 'ur house think': 948018, 'house think about': 406613, 'think about poor': 885096, 'about poor people': 25958, 'poor people they': 664257, 'people they buy': 649816, 'buy food item': 148660, 'item on daily': 463500, 'daily basis if': 224507, 'basis if market': 112247, 'if market empty': 414412, 'market empty how': 516333, 'they survive dont': 883514, 'survive dont killer': 829152, 'dont killer plz': 255238, 'killer plz responsible': 474643, 'plz responsible citizen': 661829, 'healthtipoftheday': 387484, 'healthtipoftheday cover': 387485, 'nose tissue': 567927, 'sneeze throw': 776275, 'throw used': 895061, 'used tissue': 950030, 'in lined': 424788, 'lined trash': 493625, 'trash can': 930142, 'can immediately': 158724, 'immediately wash': 417174, 'sanitizer 60': 734296, 'healthtipoftheday cover your': 387486, 'mouth nose tissue': 543539, 'nose tissue when': 567928, 'tissue when you': 899244, 'you cough sneeze': 1018070, 'cough sneeze throw': 208555, 'sneeze throw used': 776276, 'throw used tissue': 895063, 'used tissue in': 950031, 'tissue in lined': 899157, 'in lined trash': 424789, 'lined trash can': 493626, 'trash can immediately': 930143, 'can immediately wash': 158725, 'immediately wash your': 417175, 'soap water for': 779157, 'second or use': 743784, 'hand sanitizer 60': 375283, 'sanitizer 60 alcohol': 734297, 'today shopper': 920173, 'they anxiously': 881172, 'anxiously get': 78885, 'need exit': 554750, 'exit your': 290381, 'store safely': 809948, 'safely consider': 730269, 'consider shifting': 195096, 'shifting your': 758573, 'your messaging': 1024823, 'to exterior': 905533, 'exterior signage': 293341, 'signage thursdaythoughts': 769287, 'thursdaythoughts 19': 895470, 'retailer today shopper': 719390, 'today shopper are': 920174, 'shopper are wearing': 761404, 'wearing mask they': 974719, 'mask they anxiously': 519369, 'they anxiously get': 881173, 'anxiously get what': 78886, 'they need exit': 882731, 'need exit your': 554751, 'exit your store': 290382, 'your store safely': 1025989, 'store safely consider': 809949, 'safely consider shifting': 730270, 'consider shifting your': 195097, 'shifting your messaging': 758574, 'your messaging to': 1024824, 'messaging to exterior': 529527, 'to exterior signage': 905534, 'exterior signage retail': 293342, 'signage retail signage': 769282, 'retail signage thursdaythoughts': 718570, 'signage thursdaythoughts 19': 769288, 'lowkey': 506249, 'is occurring': 450392, 'occurring is': 579068, 'is lowkey': 449487, 'lowkey disgusting': 506250, 'store while this': 811289, 'while this covid': 987452, '19 is occurring': 8015, 'is occurring is': 450394, 'occurring is lowkey': 579069, 'is lowkey disgusting': 449488, 'ongc': 607586, '00cr': 672, 'tabligijamaat': 831545, 'lockdownlessons': 500306, 'islamiccoronajehad': 454272, 'ongc to': 607587, 'lose 00cr': 503417, '00cr on': 673, 'new gas': 558795, 'price seek': 676329, 'seek freeing': 746581, 'freeing of': 332424, 'price tabligijamaat': 676742, 'tabligijamaat stayhome': 831546, 'flattenthecurve lockdownlessons': 310179, 'lockdownlessons coronaalert': 500307, 'coronaalert islamiccoronajehad': 204425, 'islamiccoronajehad coronaupdate': 454273, 'ongc to lose': 607588, 'to lose 00cr': 909454, 'lose 00cr on': 503418, '00cr on new': 674, 'on new gas': 602375, 'new gas price': 558796, 'gas price seek': 344020, 'price seek freeing': 676330, 'seek freeing of': 746582, 'freeing of gas': 332425, 'gas price tabligijamaat': 344031, 'price tabligijamaat stayhome': 676743, 'tabligijamaat stayhome flattenthecurve': 831547, 'stayhome flattenthecurve lockdownlessons': 798004, 'flattenthecurve lockdownlessons coronaalert': 310180, 'lockdownlessons coronaalert islamiccoronajehad': 500308, 'coronaalert islamiccoronajehad coronaupdate': 204426, 'family activity': 297557, 'home over': 401807, 'over easter': 630173, 'easter have': 265444, 'devised some': 239981, 'some game': 782935, 'game amp': 343115, 'amp quiz': 54359, 'quiz and': 694952, 'kid can': 473894, 'big easter': 129770, 'egg hunt': 269889, 'hunt colour': 411355, 'colour in': 186854, 'looking for family': 502865, 'for family activity': 321383, 'family activity to': 297558, 'at home over': 99076, 'home over easter': 401808, 'over easter have': 630174, 'easter have devised': 265445, 'have devised some': 380257, 'devised some game': 239982, 'some game amp': 782936, 'game amp quiz': 343116, 'amp quiz and': 54360, 'quiz and the': 694953, 'and the kid': 73436, 'the kid can': 858780, 'kid can take': 473895, 'can take part': 159905, 'part in big': 642296, 'in big easter': 420829, 'big easter egg': 129771, 'easter egg hunt': 265421, 'egg hunt colour': 269890, 'hunt colour in': 411356, 'colour in an': 186855, 'in an egg': 420293, 'an egg for': 55625, 'egg for your': 269863, 'for your window': 328226, 'visit source': 959358, 'source california': 786462, 'alert about price': 41341, 'gouging and how': 359247, 'to report it': 913277, 'report it for': 712062, 'it for more': 458085, 'please visit source': 660728, 'visit source california': 959359, 'source california department': 786463, '19 amanda': 4946, 'amanda today': 50594, 'wa by': 961775, 'worst hardest': 1011189, 'hardest day': 378210, 'covid 19 amanda': 212620, '19 amanda today': 4947, 'amanda today wa': 50595, 'today wa by': 920446, 'wa by far': 961776, 'the worst hardest': 872053, 'worst hardest day': 1011190, 'hardest day working': 378211, 'day working in': 228803, 'hancock think': 374710, 'even seen': 284555, 'picture bbcbreakfast': 656112, 'matt hancock think': 520523, 'hancock think you': 374711, 'think you can': 885809, 'can shop without': 159608, 'shop without getting': 761072, 'without getting close': 1002681, 'close to others': 182912, 'to others ha': 911134, 'others ha he': 621438, 'ha he been': 370837, 'he been near': 384771, 'near supermarket or': 553592, 'supermarket or even': 821804, 'or even seen': 615211, 'even seen the': 284556, 'seen the picture': 747288, 'the picture bbcbreakfast': 863724, 'arrived but': 93951, 'bag being': 108244, 'being filled': 125144, 'disposable latex': 246258, 'facemasks my': 295152, 'my solicitor': 550144, 'solicitor say': 781897, 'say could': 738541, 'could claim': 209017, 'claim for': 179732, 'for mi': 323420, 'mi sold': 530139, 'sold ppe': 781763, 'my online supermarket': 549584, 'shopping ha just': 762828, 'ha just arrived': 371043, 'just arrived but': 468220, 'arrived but instead': 93952, 'the bag being': 849176, 'bag being filled': 108245, 'being filled with': 125145, 'grocery item they': 364662, 'item they were': 463727, 'they were full': 883772, 'were full of': 979670, 'full of disposable': 340717, 'of disposable latex': 582703, 'disposable latex glove': 246259, 'and facemasks my': 62594, 'facemasks my solicitor': 295153, 'my solicitor say': 550145, 'solicitor say could': 781898, 'say could claim': 738542, 'could claim for': 209018, 'claim for mi': 179733, 'for mi sold': 323421, 'mi sold ppe': 530140, 'news global': 560472, 'news global impact': 560473, 'wade': 963779, 'company wade': 191278, 'wade into': 963780, 'into coronavirus': 442490, 'testing to': 839675, 'gap via': 343470, 'to consumer company': 903281, 'consumer company wade': 196841, 'company wade into': 191279, 'wade into coronavirus': 963781, 'into coronavirus testing': 442491, 'coronavirus testing to': 206891, 'testing to fill': 839676, 'fill gap via': 305465, '4r': 19513, '4rcommunity': 19516, 'yourworkingpartner': 1026832, 'part online': 642396, 'with 4r': 997026, '4r customer': 19514, 'customer portal': 222704, 'portal you': 664964, 'part you': 642500, 'here 4rcommunity': 392654, '4rcommunity yourworkingpartner': 19517, 'have safe shopping': 382379, 'shopping experience by': 762608, 'experience by buying': 291330, 'by buying your': 152044, 'buying your part': 151415, 'your part online': 1025215, 'part online with': 642397, 'online with 4r': 609741, 'with 4r customer': 997027, '4r customer portal': 19515, 'customer portal you': 222705, 'portal you can': 664965, 'get the part': 348278, 'the part you': 863308, 'part you need': 642501, '19 start shopping': 10780, 'start shopping here': 794498, 'shopping here 4rcommunity': 762883, 'here 4rcommunity yourworkingpartner': 392655, 'qur': 695024, 'mankind holy': 513266, 'holy qur': 400504, 'qur an': 695025, 'an 32': 55018, '32 may': 17678, 'allah grant': 45598, 'grant blessing': 362014, 'working effortlessly': 1008608, 'others through': 621719, 'this spread': 890288, 'staff soldier': 792874, 'soldier petrol': 781818, 'petrol attendant': 653712, 'attendant supermarket': 102379, 'staff many': 792638, 'and whoever save': 75601, 'they ve saved': 883683, 've saved all': 953517, 'saved all mankind': 737728, 'all mankind holy': 43452, 'mankind holy qur': 513267, 'holy qur an': 400505, 'qur an 32': 695026, 'an 32 may': 55019, '32 may allah': 17679, 'may allah grant': 520902, 'allah grant blessing': 45599, 'grant blessing to': 362015, 'be working effortlessly': 118140, 'working effortlessly to': 1008609, 'help others through': 390218, 'others through this': 621720, 'through this spread': 894842, 'this spread the': 890289, 'spread the medical': 790826, 'medical staff soldier': 526404, 'staff soldier petrol': 792875, 'soldier petrol attendant': 781819, 'petrol attendant supermarket': 653713, 'attendant supermarket staff': 102380, 'supermarket staff many': 822866, 'staff many more': 792639, 'stop handsanitizer': 804704, 'handsanitizer hoarding': 376553, 'hoarding bored': 399224, 'bored panda': 135367, 'to stop handsanitizer': 915532, 'stop handsanitizer hoarding': 804705, 'handsanitizer hoarding bored': 376554, 'hoarding bored panda': 399225, 'charm place': 173785, 'connected with': 194670, 'supermarket ha lost': 820636, 'it charm place': 457114, 'charm place to': 173786, 'stay connected with': 796851, 'connected with humanity': 194671, 'sodastream': 781424, '60l': 21153, '30l': 17462, '19 irrelevant': 7923, 'irrelevant question': 445012, 'question all': 693513, 'new sodastream': 559617, 'sodastream machine': 781425, 'machine come': 507371, 'with 60l': 997049, '60l gas': 21154, 'gas canister': 343778, 'canister supermarket': 161373, 'only exchange': 610410, 'exchange 30l': 289438, '30l gas': 17463, 'canister you': 161375, 'just exchange': 468679, 'exchange you': 289500, 'website either': 975251, 'or hardware': 615570, 'twitter have covid': 936668, 'covid 19 irrelevant': 213290, '19 irrelevant question': 7924, 'irrelevant question all': 445013, 'question all new': 693514, 'all new sodastream': 43626, 'new sodastream machine': 559618, 'sodastream machine come': 781426, 'machine come with': 507372, 'come with 60l': 187674, 'with 60l gas': 997050, '60l gas canister': 21155, 'gas canister supermarket': 343779, 'canister supermarket will': 161374, 'supermarket will only': 823887, 'will only exchange': 994330, 'only exchange 30l': 610411, 'exchange 30l gas': 289439, '30l gas canister': 17464, 'gas canister you': 343780, 'canister you cannot': 161376, 'cannot buy one': 161696, 'buy one from': 149037, 'supermarket just exchange': 821225, 'just exchange you': 468680, 'exchange you cannot': 289501, 'from the website': 337922, 'the website either': 871274, 'website either or': 975252, 'either or hardware': 270350, 'or hardware store': 615571, 'hardware store wtf': 378333, 'behaviour they': 124537, 'they attempt': 881506, 'recent data': 703852, 'been behaving': 120733, 'their behaviour they': 872588, 'behaviour they attempt': 124538, 'they attempt to': 881507, 'attempt to adapt': 102235, 'to the unfolding': 917156, 'unfolding situation using': 941529, 'using recent data': 950622, 'recent data on': 703853, 'trend we share': 931502, 'on how italian': 601404, 'have been behaving': 379476, 'been behaving in': 120734, 'behaving in these': 123832, 'inhumane and': 438485, 'absolute bastard': 27223, 'roll essential': 725288, 'material this': 520423, 'never settle': 558187, 'settle well': 753698, 'greedy inhumane and': 363538, 'inhumane and absolute': 438486, 'and absolute bastard': 57563, 'absolute bastard the': 27224, 'who are jacking': 988165, 'price for loo': 673991, 'loo roll essential': 502178, 'roll essential cleaning': 725289, 'essential cleaning material': 280901, 'cleaning material this': 180979, 'material this sort': 520424, 'sort of profit': 786136, 'will never settle': 994171, 'never settle well': 558188, 'settle well karma': 753699, 'well karma bitch': 978354, 'karma bitch vulture': 470939, 'any bill': 78974, 'bill receipt': 130669, 'f10 they are': 294178, 'price and not': 672479, 'providing any bill': 686943, 'any bill receipt': 78975, 'kidsactivities': 474254, 'bust boredom': 144823, 'boredom for': 135404, 'day kidsactivities': 227872, 'kidsactivities dfwparents': 474255, 'bust boredom for': 144824, 'boredom for day': 135405, 'for day kidsactivities': 320575, 'day kidsactivities dfwparents': 227873, 'kidsactivities dfwparents parenting': 474256, 'drastically transformed': 258463, 'everyday customer': 286549, 'digital ecommerce': 242556, 'ha drastically transformed': 370446, 'drastically transformed the': 258464, 'transformed the everyday': 929595, 'the everyday customer': 854618, 'everyday customer to': 286550, 'customer to the': 222982, 'to the digital': 916640, 'the digital ecommerce': 853283, 'digital ecommerce online': 242557, 'ecommerce online shopping': 266817, 'shopping world and': 764467, 'world and it': 1009282, 'it may have': 459551, 'may have long': 521247, 'paper ration': 640654, 'ration last': 697703, 'last toiletpaper': 480588, 'family making our': 298009, 'making our toilet': 511260, 'toilet paper ration': 921411, 'paper ration last': 640656, 'ration last toiletpaper': 697704, 'bought ticket': 136759, 'official seller': 595917, 'seller you': 749122, 'refund find': 706905, 'if the event': 414971, 'the event you': 854607, 'event you re': 285118, 'heading to ha': 385960, 'been cancelled due': 120787, 'to and you': 900540, 'and you bought': 76005, 'you bought ticket': 1017510, 'bought ticket from': 136760, 'ticket from an': 895621, 'from an official': 334492, 'an official seller': 56569, 'official seller you': 595919, 'seller you should': 749123, 'should get refund': 766033, 'get refund find': 347908, 'refund find our': 706906, 'find our latest': 307127, 'latest consumer advice': 481257, 'qatarunited': 691522, 'moci set': 535125, 'sanitisers disinfectant': 734079, 'disinfectant qatarunited': 245731, 'qatarunited yoursafetyismysafety': 691523, 'moci set price': 535126, 'hand sanitisers disinfectant': 375262, 'sanitisers disinfectant qatarunited': 734080, 'disinfectant qatarunited yoursafetyismysafety': 245732, 'mean only': 524594, 'store socialdistancingworks': 810257, '19 rule of': 10263, 'rule of social': 727307, 'distancing mean only': 247312, 'mean only one': 524595, 'of the household': 591112, 'the household go': 857655, 'household go to': 406815, 'grocery store socialdistancingworks': 365783, 'heartlessly': 388473, 'are heartlessly': 87074, 'heartlessly increasingly': 388474, 'increasingly price': 433795, '19 give an': 7213, 'give an opportunity': 350383, 'opportunity for ppl': 613626, 'ppl to show': 668354, 'we are ppl': 970664, 'are ppl are': 89168, 'ppl are heartlessly': 668168, 'are heartlessly increasingly': 87075, 'heartlessly increasingly price': 388475, 'increasingly price by': 433796, 'price by more': 673025, 'truncation': 934217, 'oems': 579286, 'prolonged truncation': 683638, 'truncation of': 934218, 'seen significantly': 747229, 'significantly affecting': 769544, 'affecting auto': 34485, 'auto manufacturer': 103898, 'manufacturer oems': 513488, 'oems revenue': 579287, 'prolonged truncation of': 683639, 'truncation of consumer': 934219, 'lockdown is seen': 499555, 'is seen significantly': 451732, 'seen significantly affecting': 747230, 'significantly affecting auto': 769545, 'affecting auto manufacturer': 34486, 'auto manufacturer oems': 103899, 'manufacturer oems revenue': 513489, 'oems revenue and': 579288, 'revenue and cash': 720374, 'infects': 436927, 'household deliberately': 406780, 'deliberately staying': 232980, 'away covid': 105808, 'average person': 104886, 'person infects': 652495, 'infects people': 436928, 'social condition': 779466, 'condition just': 193478, 'supermarket for day': 820388, 'day and there': 227288, 'there are of': 878135, 'are of in': 88642, 'of in my': 585034, 'my household deliberately': 548755, 'household deliberately staying': 406781, 'deliberately staying away': 232981, 'staying away covid': 798577, 'away covid 19': 105809, 'explode in london': 292299, 'in london the': 424900, 'london the average': 501199, 'the average person': 849105, 'average person infects': 104887, 'person infects people': 652496, 'infects people when': 436929, 'people when out': 650241, 'out in normal': 626387, 'in normal social': 425933, 'normal social condition': 567325, 'social condition just': 779467, 'condition just don': 193479, 'by survey': 154186, 'country spain': 211070, 'spain india': 787311, 'india uk': 434661, 'germany italy': 346316, 'italy portugal': 462891, 'portugal south': 665069, 'south arabia': 786683, 'arabia south': 83928, 'africa uae': 35149, 'uae customer': 937744, 'customer trend': 222996, 'crisis by survey': 217179, 'by survey by': 154187, 'survey by country': 828828, 'by country spain': 152246, 'country spain india': 211071, 'spain india uk': 787312, 'india uk france': 434662, 'uk france germany': 938385, 'france germany italy': 330996, 'germany italy portugal': 346317, 'italy portugal south': 462892, 'portugal south arabia': 665070, 'south arabia south': 786684, 'arabia south africa': 83929, 'south africa uae': 786663, 'africa uae customer': 35150, 'uae customer trend': 937745, 'also wear': 49089, 'staff should also': 792860, 'should also wear': 765509, 'also wear mask': 49090, 'wear mask mask': 974395, 'homies': 403021, 'frontline from': 338744, 'too nurse': 924976, 'philadelphia doctor': 654690, 'at pharmacist': 100109, 'pharmacist at': 654120, 'at atlantic': 98065, 'atlantic care': 101860, 'care hospital': 164010, 'the homies': 857475, 'homies pushing': 403022, 'pushing cart': 690398, 'and ringing': 70530, 'ringing people': 722558, 'shoprite or': 764553, 'or wawa': 617733, 'the frontline from': 855870, 'frontline from my': 338746, 'medical field to': 526180, 'field to grocery': 304526, 'store too nurse': 810913, 'too nurse in': 924977, 'nurse in philadelphia': 577382, 'in philadelphia doctor': 426682, 'philadelphia doctor at': 654691, 'doctor at pharmacist': 250848, 'at pharmacist at': 100110, 'pharmacist at atlantic': 654121, 'at atlantic care': 98066, 'atlantic care hospital': 101861, 'care hospital and': 164011, 'hospital and all': 404276, 'all the homies': 44785, 'the homies pushing': 857476, 'homies pushing cart': 403023, 'pushing cart and': 690399, 'cart and ringing': 165253, 'and ringing people': 70531, 'ringing people out': 722559, 'people out at': 649018, 'out at shoprite': 625747, 'at shoprite or': 100520, 'shoprite or wawa': 764554, 'farmer delivery': 299332, 'people factory': 647864, 'nightmare coronacrisis': 563174, 'you to nh': 1021812, 'to nh supermarket': 910594, 'supermarket staff farmer': 822842, 'staff farmer delivery': 792440, 'farmer delivery people': 299333, 'delivery people factory': 234314, 'people factory worker': 647865, 'factory worker pharmacy': 296020, 'are working really': 91712, 'keep going through': 471551, 'through this nightmare': 894832, 'this nightmare coronacrisis': 889146, 'oregano': 619130, 'thyme': 895556, 'diyskincare': 248800, 'diyrecipes': 248797, 'aromatherapy': 93078, 'alcohol made': 41043, 'lemon clove': 486178, 'clove oregano': 184348, 'oregano thyme': 619131, 'thyme essential': 895557, 'oil with': 597521, 'with antiseptic': 997264, 'antiseptic antibacterial': 78555, 'antibacterial antiviral': 78351, 'antiviral property': 78595, 'property diy': 684265, 'diy diyskincare': 248733, 'diyskincare handsanitizer': 248801, 'handsanitizer diyrecipes': 376514, 'diyrecipes aromatherapy': 248798, 'aromatherapy via': 93079, 'diy recipe for': 248768, 'recipe for natural': 704465, 'for natural hand': 323781, 'with alcohol made': 997135, 'alcohol made with': 41044, 'made with lemon': 508068, 'with lemon clove': 999198, 'lemon clove oregano': 486179, 'clove oregano thyme': 184349, 'oregano thyme essential': 619132, 'thyme essential oil': 895558, 'essential oil with': 281352, 'oil with antiseptic': 597522, 'with antiseptic antibacterial': 997265, 'antiseptic antibacterial antiviral': 78556, 'antibacterial antiviral property': 78352, 'antiviral property diy': 78596, 'property diy diyskincare': 684266, 'diy diyskincare handsanitizer': 248734, 'diyskincare handsanitizer diyrecipes': 248802, 'handsanitizer diyrecipes aromatherapy': 376515, 'diyrecipes aromatherapy via': 248799, 'greed selfishness': 363434, 'american elderly': 51940, 'supermarket port': 822043, 'melbourne after': 527920, 'after arr': 35380, 'arr in': 93678, 'selfish buyer': 748040, 'buyer bulk': 149595, 'having real': 384241, 'no lesson': 564591, 'greed selfishness of': 363435, 'of some american': 589889, 'some american elderly': 782287, 'american elderly woman': 51941, 'tear at cole': 835930, 'at cole supermarket': 98293, 'cole supermarket port': 185883, 'supermarket port melbourne': 822044, 'port melbourne after': 664886, 'melbourne after arr': 527921, 'after arr in': 35381, 'arr in the': 93679, 'food aisle to': 313077, 'aisle to bare': 40402, 'to bare shelf': 901047, 'bare shelf stripped': 110950, 'stripped of product': 813869, 'of product by': 588486, 'product by selfish': 681038, 'by selfish buyer': 153913, 'selfish buyer bulk': 748041, 'buyer bulk buying': 149596, 'bulk buying is': 142279, 'buying is having': 150567, 'is having real': 448335, 'having real impact': 384242, 'impact on vulnerable': 417900, 'on vulnerable people': 605077, 'vulnerable people no': 961100, 'people no lesson': 648852, 'no lesson learned': 564592, 'stacker nursing': 792020, 'and whomever': 75615, 'whomever on': 990575, 'all amazing': 41995, 'we own': 972683, 'own you': 632319, 'you great': 1018932, 'deal staysafestayhome': 229490, 'the teacher nurse': 869196, 'nurse doctor the': 577309, 'doctor the grocery': 251126, 'and shelf stacker': 71448, 'shelf stacker nursing': 757560, 'stacker nursing home': 792021, 'staff and whomever': 792170, 'and whomever on': 75616, 'whomever on duty': 990576, 'are all amazing': 84286, 'all amazing and': 41996, 'and we own': 75313, 'we own you': 972684, 'own you great': 632321, 'you great deal': 1018933, 'great deal staysafestayhome': 362616, 'ha criticized': 370292, 'criticized panic': 218779, 'by several': 153953, 'are fueling': 86719, 'fueling consumer': 340342, 'choice ha criticized': 177774, 'ha criticized panic': 370293, 'criticized panic marketing': 218780, 'tactic by several': 831691, 'by several major': 153954, 'several major brand': 753883, 'they say are': 883260, 'say are fueling': 738435, 'are fueling consumer': 86720, 'fueling consumer anxiety': 340343, 'nation frontline': 552189, 'frontline fighter': 338740, 'fighter we': 305013, 'account the': 28758, 'situation plan': 772444, 'you again': 1016845, 'sir thanks to': 771654, 'and our nation': 68506, 'our nation frontline': 623979, 'nation frontline fighter': 552190, 'frontline fighter we': 338741, 'fighter we also': 305014, 'care of agricultural': 164092, 'of agricultural production': 579841, 'agricultural production we': 38915, 'production we must': 682276, 'must take into': 546939, 'into account the': 442369, 'account the food': 28760, 'demand situation plan': 236229, 'situation plan that': 772445, 'that too thank': 847101, 'thank you again': 841685, 'you again for': 1016846, 'again for your': 36997, 'dyimasks': 263772, 'make couple': 509803, 'found tea': 330387, 'use even': 949194, 'some elastic': 782736, 'elastic hiding': 270493, 'hiding in': 394869, 'my sewing': 550030, 'sewing box': 754174, 'box fyi': 137072, 'fyi sewing': 342642, 'sewing these': 754184, 'hand suck': 375808, 'nothing stayhomesavelives': 573164, 'stayhomesavelives dyimasks': 798371, 'starting to make': 795031, 'to make couple': 909643, 'make couple of': 509804, 'couple of cloth': 211636, 'of cloth face': 581476, 'store found tea': 807860, 'found tea towel': 330388, 'tea towel and': 835379, 'towel and bed': 927292, 'and bed sheet': 58802, 'bed sheet to': 120419, 'sheet to use': 756627, 'to use even': 918026, 'use even had': 949195, 'even had some': 284151, 'had some elastic': 373527, 'some elastic hiding': 782737, 'elastic hiding in': 270494, 'hiding in my': 394870, 'in my sewing': 425625, 'my sewing box': 550031, 'sewing box fyi': 754175, 'box fyi sewing': 137073, 'fyi sewing these': 342643, 'sewing these by': 754185, 'these by hand': 879712, 'by hand suck': 152751, 'hand suck but': 375809, 'suck but it': 816888, 'but it better': 146103, 'it better than': 456864, 'than nothing stayhomesavelives': 840952, 'nothing stayhomesavelives dyimasks': 573165, 'distancing between': 247043, 'will you protect': 995394, 'will you limit': 995390, 'you limit the': 1019619, 'allow distancing between': 45950, 'distancing between staff': 247044, 'partner is great': 642842, 'koro': 477538, 'unprecedented inept': 943150, 'inept fraudulent': 436329, 'fraudulent fraudulent': 331458, 'fraudulent we': 331479, 'we distribute': 971318, 'distribute our': 248000, 'growing here': 367201, 'here chip': 392869, 'chip launch': 177517, 'launch lack': 481920, 'hike interstate': 396229, 'interstate use': 442145, 'equipment lying': 279778, 'the pressers': 864291, 'pressers yes': 671111, 'yes unprecedented': 1015584, 'unprecedented okay': 943170, 'okay koro': 597991, 'gop unprecedented inept': 358294, 'unprecedented inept fraudulent': 943151, 'inept fraudulent fraudulent': 436330, 'fraudulent fraudulent we': 331459, 'fraudulent we distribute': 331480, 'we distribute our': 971319, 'distribute our ppes': 248001, 'country while they': 211231, 'are growing here': 86974, 'growing here chip': 367202, 'here chip launch': 392870, 'chip launch lack': 177518, 'launch lack of': 481921, 'of testing price': 590691, 'testing price hike': 839618, 'price hike interstate': 674532, 'hike interstate use': 396230, 'interstate use of': 442146, 'use of equipment': 949406, 'of equipment lying': 583144, 'equipment lying at': 279779, 'lying at the': 507066, 'at the pressers': 101061, 'the pressers yes': 864292, 'pressers yes unprecedented': 671112, 'yes unprecedented okay': 1015585, 'unprecedented okay koro': 943171, 'venezueala': 954425, 'nothing complicated': 572987, 'complicated about': 192455, 'trump before': 933437, 'before trump': 123253, 'trump met': 933707, 'met talked': 529594, 'screw venezueala': 742809, 'venezueala iran': 954426, 'iran russia': 444705, 'russia nigerian': 728518, 'nigerian child': 562839, 'china lower': 176808, 'wrong there is': 1013118, 'is nothing complicated': 450234, 'nothing complicated about': 572988, 'complicated about trump': 192457, 'about trump before': 26784, 'trump before trump': 933438, 'before trump met': 123254, 'trump met talked': 933708, 'met talked with': 529595, 'talked with mb': 833950, 'mb and asked': 522021, 'and asked him': 58434, 'him to increase': 396744, 'to increase production': 908295, 'increase production in': 433021, 'attempt to screw': 102259, 'to screw venezueala': 913936, 'screw venezueala iran': 742810, 'venezueala iran russia': 954427, 'iran russia nigerian': 444706, 'russia nigerian child': 728519, 'nigerian child and': 562840, 'child and china': 175995, 'and china lower': 59857, 'china lower price': 176809, 'lower price for': 505959, 'for american family': 319245, 'and conference': 60273, 'conference new': 193745, 'research point': 713815, 'person business': 652336, 'meeting and conference': 527669, 'and conference new': 60274, 'conference new research': 193746, 'new research point': 559466, 'research point to': 713816, 'point to strong': 662675, 'to strong consumer': 915683, 'industry and desire': 435633, 'desire to return': 238430, 'return to in': 719918, 'to in person': 908232, 'in person business': 426622, 'person business event': 652337, 'when physical distancing': 983880, 'shop lucky': 760436, 'lucky foodmaxx': 506552, 'foodmaxx and': 318008, 'save mart': 737572, 'mart supermarket': 518065, 'supermarket announce': 819114, 'announce additional': 76835, 'additional hour': 31829, 'after announcing special': 35373, 'announcing special hour': 77327, 'to shop lucky': 914470, 'shop lucky foodmaxx': 760437, 'lucky foodmaxx and': 506553, 'foodmaxx and save': 318009, 'and save mart': 70953, 'save mart supermarket': 737573, 'mart supermarket announce': 518066, 'supermarket announce additional': 819115, 'announce additional hour': 76836, 'additional hour for': 31830, 'hour for first': 405603, 'alongside with': 47112, 'set low': 753423, 'oil moving': 596963, 'moving down': 544137, 'down rakamoto': 257134, 'alongside with the': 47113, 'world is observing': 1009709, 'is observing the': 450385, 'observing the oil': 578663, 'arabia ha set': 83889, 'ha set low': 371869, 'set low oil': 753424, 'for oil moving': 324038, 'oil moving down': 596964, 'moving down rakamoto': 544138, 'down rakamoto wednesdaythoughts': 257135, 'fn': 311788, 'wpa': 1012632, 'you fn': 1018604, 'fn kidding': 311789, 'kidding 00': 474200, 'really obvious': 702466, 'allowing his': 46294, 'donor to': 255168, 'gouge american': 359186, 'of activating': 579754, 'activating the': 30243, 'the wpa': 872093, 'wpa where': 1012633, 'are you fn': 91793, 'you fn kidding': 1018605, 'fn kidding 00': 311790, 'kidding 00 for': 474201, '00 for mask': 211, 'for mask it': 323275, 'mask it now': 518882, 'it now really': 459963, 'now really obvious': 575649, 'really obvious that': 702467, 'obvious that is': 578805, 'that is allowing': 844551, 'is allowing his': 445487, 'allowing his donor': 46295, 'his donor to': 397370, 'donor to gouge': 255169, 'to gouge american': 906924, 'gouge american during': 359187, 'american during covid': 51929, 'instead of activating': 440228, 'of activating the': 579755, 'activating the wpa': 30244, 'the wpa where': 872094, 'wpa where price': 1012634, 'will be controlled': 992408, 'our friend are': 623180, 'friend are working': 333522, 'working with team': 1009072, 'opinion and concern': 613450, 'and concern about': 60244, 'share it far': 755073, 'it far and': 457950, 'comoetitive': 190295, 'other bailouts': 619869, 'bailouts because': 108686, 'end govt': 275831, 'will collect': 992957, 'making india': 511128, 'extent le': 293326, 'le comoetitive': 482877, 'comoetitive on': 190296, 'scale already': 739867, 'already hike': 47443, 'hike by': 396201, '15 came': 3677, 'came stockmarketcrash2020': 157055, 'stockmarketcrash2020 economiccrisis': 803694, 'economiccrisis recession2020': 267411, 'india should avoid': 434607, 'should avoid other': 765532, 'avoid other bailouts': 105200, 'other bailouts because': 619870, 'bailouts because at': 108687, 'because at the': 118943, 'the end govt': 854300, 'end govt will': 275832, 'govt will collect': 361334, 'will collect from': 992958, 'collect from higher': 186279, 'from higher oil': 335793, 'oil price making': 597187, 'price making india': 675158, 'making india to': 511129, 'india to some': 434654, 'some extent le': 782796, 'extent le comoetitive': 293327, 'le comoetitive on': 482878, 'comoetitive on global': 190297, 'global scale already': 352183, 'scale already hike': 739868, 'already hike by': 47444, 'hike by 15': 396202, 'by 15 came': 151544, '15 came stockmarketcrash2020': 3678, 'came stockmarketcrash2020 economiccrisis': 157056, 'stockmarketcrash2020 economiccrisis recession2020': 803695, 'wuhan grocer': 1013482, 'grocer participate': 364149, 'great fishing': 362670, 'fishing competition': 309401, 'italy wuhan grocer': 462966, 'wuhan grocer participate': 1013483, 'grocer participate in': 364150, 'participate in this': 642559, 'this great fishing': 887751, 'great fishing competition': 362671, 'finance set': 306268, 'up religious': 945899, 'of islamicfinance': 585331, 'being badly': 124881, 'pandemic deepening': 635290, 'deepening the': 231947, 'source of finance': 786522, 'of finance set': 583530, 'finance set up': 306269, 'set up religious': 753574, 'up religious body': 945900, 'religious body in': 709579, 'body in charge': 133859, 'charge of islamicfinance': 173291, 'of islamicfinance after': 585332, 'after being badly': 35400, 'being badly hit': 124882, 'badly hit by': 108156, 'the pandemic deepening': 862945, 'pandemic deepening the': 635291, 'deepening the country': 231948, 'billion agriculture': 130770, 'shortage explains': 764944, '50 billion agriculture': 19632, 'billion agriculture industry': 130771, 'agriculture industry is': 38987, 'potential labor shortage': 667094, 'labor shortage explains': 478441, 'shortage explains why': 764945, 'eskridgelaw': 280373, '5jobs': 20705, 'some mondaymotivation': 783309, 'mondaymotivation coming': 536457, 'from eskridgelaw': 335301, 'eskridgelaw 5jobs': 280374, '5jobs togetherapart': 20706, 'togetherapart togetherathome': 921064, 'togetherathome mypandemicsurvivalplan': 921067, 'mypandemicsurvivalplan quarantineandchill': 550778, 'quarantineandchill panicbuying': 692755, 'some mondaymotivation coming': 783310, 'mondaymotivation coming your': 536458, 'your way from': 1026315, 'way from eskridgelaw': 969599, 'from eskridgelaw 5jobs': 335302, 'eskridgelaw 5jobs togetherapart': 280375, '5jobs togetherapart togetherathome': 20707, 'togetherapart togetherathome mypandemicsurvivalplan': 921065, 'togetherathome mypandemicsurvivalplan quarantineandchill': 921068, 'mypandemicsurvivalplan quarantineandchill panicbuying': 550779, 'quarantineandchill panicbuying toiletpaper': 692756, 'buzzing': 151478, 'jubilant': 467597, 'buzzing stock': 151481, 'stock jubilant': 802330, 'jubilant food': 467598, 'food suspends': 317037, 'suspends dine': 829669, 'in facility': 422754, 'across domino': 29308, 'domino 39': 253295, '39 pizza': 18179, 'restaurant share': 716691, 'buzzing stock jubilant': 151482, 'stock jubilant food': 802331, 'jubilant food suspends': 467599, 'food suspends dine': 317038, 'suspends dine in': 829670, 'dine in facility': 242971, 'in facility across': 422755, 'facility across domino': 295291, 'across domino 39': 29309, 'domino 39 pizza': 253296, '39 pizza restaurant': 18180, 'pizza restaurant share': 657200, 'restaurant share fall': 716692, 'extralarge': 293723, 'didyouknow our': 241288, 'our superior': 625003, 'superior cleansing': 818693, 'cleansing cloth': 181182, 'cloth are': 184076, 'clean kill': 180574, 'and nourish': 67813, 'nourish the': 573672, 'skin available': 773056, 'low minimum': 505413, 'minimum bulk': 533180, 'order toiletpaper': 618725, 'extrasaturation extralarge': 293763, 'extralarge 19': 293724, 'didyouknow our superior': 241289, 'our superior cleansing': 625004, 'superior cleansing cloth': 818694, 'cleansing cloth are': 181183, 'cloth are designed': 184077, 'designed to clean': 238351, 'to clean kill': 902810, 'clean kill germ': 180575, 'kill germ and': 474402, 'germ and nourish': 346088, 'and nourish the': 67814, 'nourish the skin': 573673, 'the skin available': 867309, 'skin available to': 773057, 'to purchase in': 912536, 'purchase in low': 689503, 'in low minimum': 424950, 'low minimum bulk': 505414, 'minimum bulk order': 533181, 'bulk order toiletpaper': 142335, 'order toiletpaper emergencypreparedness': 618726, 'emergencypreparedness extrasaturation extralarge': 273081, 'extrasaturation extralarge 19': 293764, 'with continuing': 997777, 'nation retail': 552299, 'with continuing to': 997778, 'to spread throughout': 915082, 'spread throughout the': 790852, 'throughout the the': 894987, 'the the nation': 869391, 'the nation retail': 861260, 'nation retail chain': 552300, 'retail chain are': 717937, 'chain are working': 170520, 'the virus via': 870913, 'to curbing': 903808, 'curbing bad': 220608, 'towards employee': 927192, 'collective consumer': 186493, 'must form': 546671, 'online group': 608338, 'make demand': 509827, 'all pledge': 43983, 'from date': 335100, 'date if': 226653, 'answer to curbing': 78129, 'to curbing bad': 903809, 'curbing bad behaviour': 220609, 'bad behaviour towards': 107787, 'behaviour towards employee': 124547, 'towards employee in': 927193, 'employee in response': 273968, 'to the is': 916818, 'the is collective': 858485, 'is collective consumer': 446644, 'collective consumer power': 186495, 'consumer power consumer': 198391, 'power consumer must': 667588, 'consumer must form': 198171, 'must form online': 546672, 'form online group': 329554, 'online group of': 608339, 'group of hundred': 366792, 'people and make': 646870, 'and make demand': 66550, 'make demand and': 509828, 'demand and all': 234949, 'and all pledge': 57884, 'all pledge to': 43984, 'pledge to boycott': 660856, 'to boycott the': 901970, 'boycott the company': 137345, 'the company from': 851327, 'company from date': 190687, 'from date if': 335101, 'date if company': 226654, 'if company doe': 413973, 'doe not agree': 251471, 'doesn happen': 251814, 'happen pet': 377139, 'will bottleneck': 992843, 'bottleneck in': 136382, 'store straining': 810420, 'straining supply': 812336, 'and spiking': 72107, 'this doesn happen': 887274, 'doesn happen pet': 251815, 'happen pet food': 377140, 'essential supply will': 281633, 'supply will bottleneck': 826108, 'will bottleneck in': 992844, 'bottleneck in grocery': 136383, 'grocery store straining': 365817, 'store straining supply': 810421, 'straining supply and': 812337, 'supply and spiking': 824751, 'and spiking price': 72108, 'spiking price what': 789358, 'price what do': 677469, 'quickmaths': 694651, 'buying property': 150934, 'property managing': 684297, 'managing department': 512861, 'stress quickmaths': 813386, 'baby in week': 106643, 'middle of buying': 530674, 'of buying property': 581016, 'buying property managing': 150935, 'property managing department': 684298, 'managing department in': 512862, 'department in supermarket': 237210, '19 stress quickmaths': 10912, 'grandson': 361996, 'thiscantbelife': 891627, 'compositionbookchronicles': 192582, 'cqcomics': 214664, 'me telling': 523586, 'my grandson': 548563, 'grandson about': 361997, '2020 thiscantbelife': 14657, 'thiscantbelife compositionbookchronicles': 891628, 'compositionbookchronicles cqcomics': 192583, 'cqcomics toiletpaper': 214665, 'toiletpapercrisis 2020': 923005, 'me telling my': 523587, 'telling my grandson': 837235, 'my grandson about': 548564, 'grandson about the': 361998, 'and panic of': 68659, 'panic of 2020': 638351, 'of 2020 thiscantbelife': 579507, '2020 thiscantbelife compositionbookchronicles': 14658, 'thiscantbelife compositionbookchronicles cqcomics': 891629, 'compositionbookchronicles cqcomics toiletpaper': 192584, 'cqcomics toiletpaper toiletpapercrisis': 214666, 'toiletpaper toiletpapercrisis 2020': 922649, 'seeing across': 746204, 'amazon today': 51165, 're covering': 698474, 'food category': 313887, 'to impact our': 908155, 'impact our daily': 417911, 'daily life we': 224670, 'life we re': 489194, 'seeing consumer shopping': 746258, 'shopping behavior change': 762199, 'change in real': 172130, 'real time over': 701413, 'going to share': 355701, 'share the impact': 755249, 'impact that we': 417989, 're seeing across': 699449, 'seeing across category': 746205, 'across category on': 29292, 'category on amazon': 167200, 'on amazon today': 599294, 'amazon today we': 51166, 'we re covering': 972848, 're covering the': 698475, 'covering the food': 212496, 'the food category': 855537, 'quaker': 691691, 'stated on': 796138, 'this open': 889275, 'open platform': 612447, 'platform how': 658978, 'ha looted': 371182, 'looted indian': 503241, 'of quaker': 588643, 'quaker oat': 691692, 'oat by': 578301, '25 shame': 15962, 'you boycottpepsi': 1017513, 'have stated on': 382737, 'stated on this': 796139, 'on this open': 604625, 'this open platform': 889276, 'open platform how': 612448, 'platform how ha': 658979, 'how ha looted': 407953, 'ha looted indian': 371183, 'looted indian in': 503242, 'indian in this': 434849, 'this pandemic your': 889454, 'pandemic your company': 637096, 'your company should': 1023289, 'ashamed of raising': 95061, 'price of quaker': 675549, 'of quaker oat': 588644, 'quaker oat by': 691693, 'oat by 25': 578302, 'by 25 shame': 151610, '25 shame on': 15963, 'on you boycottpepsi': 605414, '10 emerging': 1414, 'emerging consumption': 273101, 'world marketresearch': 1009786, 'marketresearch pandemic': 517864, 'virus 10 emerging': 957885, '10 emerging consumption': 1415, 'emerging consumption trend': 273102, 'consumption trend for': 199960, 'coronavirus world marketresearch': 207108, 'world marketresearch pandemic': 1009787, 'build food': 141972, 'and neighbor': 67505, 'neighbor noonegoeshungry': 557057, 'hoarding you are': 399670, 'are doing your': 85942, 'part to build': 642462, 'to build food': 902087, 'build food security': 141973, 'food security for': 316349, 'security for friend': 744600, 'for friend and': 321766, 'friend and neighbor': 333505, 'and neighbor noonegoeshungry': 67507, 'motherfuck': 543220, 'whole motherfuck': 990263, 'motherfuck shove': 543221, 'shove it': 766818, 'up yr': 946766, 'yr as': 1027006, 'as bc': 94721, 'it filthy': 457997, 'haven used hand': 383921, 'this whole motherfuck': 891380, 'whole motherfuck shove': 990264, 'motherfuck shove it': 543222, 'shove it up': 766819, 'it up yr': 461973, 'up yr as': 946767, 'yr as bc': 1027007, 'as bc it': 94722, 'bc it filthy': 113246, '6mo': 21640, 'accelerating adoption': 27903, 'of vr': 592862, 'vr technical': 960747, 'technical circle': 836196, 'were buzzing': 979413, 'buzzing on': 151479, 'on oculus': 602473, 'oculus few': 579157, 'ago seems': 38454, 'made real': 507937, 'real consumer': 701080, 'consumer progress': 198490, 'progress if': 683372, 're quarantined': 699340, 'for 6mo': 318902, '6mo people': 21641, 'people itch': 648542, 'itch for': 462992, 'novelty might': 573842, 'on accelerating adoption': 599147, 'accelerating adoption of': 27904, 'adoption of vr': 32725, 'of vr technical': 592863, 'vr technical circle': 960748, 'technical circle were': 836197, 'circle were buzzing': 178625, 'were buzzing on': 979414, 'buzzing on oculus': 151480, 'on oculus few': 602474, 'oculus few month': 579158, 'month ago seems': 537540, 'ago seems like': 38455, 'like it made': 490547, 'it made real': 459495, 'made real consumer': 507938, 'real consumer progress': 701081, 'consumer progress if': 198491, 'progress if we': 683373, 'we re quarantined': 972942, 're quarantined for': 699341, 'quarantined for 6mo': 692853, 'for 6mo people': 318903, '6mo people itch': 21642, 'people itch for': 648543, 'itch for visual': 462993, 'visual novelty might': 959629, 'novelty might be': 573843, 'might be tipping': 530934, 'having look': 384145, 'newly release': 560116, 'release flight': 708944, 'flight dubai': 310464, 'dubai to': 261492, 'to brazil': 901992, 'increase flight': 432765, 'this imagine': 888010, 'many area': 513789, 'there low': 878737, 'low competition': 505193, 'competition post': 191725, 'having look at': 384146, 'at the newly': 101033, 'the newly release': 861597, 'newly release flight': 560117, 'release flight dubai': 708945, 'flight dubai to': 310465, 'dubai to brazil': 261493, 'to brazil and': 901993, 'brazil and it': 138329, 'like they ve': 491457, 'they ve taken': 883687, 've taken this': 953623, 'taken this opportunity': 833083, 'to increase flight': 908278, 'increase flight price': 432766, 'flight price anyone': 310523, 'price anyone else': 672598, 'else notice this': 271812, 'notice this imagine': 573378, 'this imagine this': 888011, 'imagine this might': 416811, 'the case in': 850460, 'case in many': 165799, 'in many area': 425047, 'many area where': 513790, 'area where there': 92263, 'where there low': 985265, 'there low competition': 878738, 'low competition post': 505194, 'competition post covid': 191726, 'low status': 505637, 'status worker': 796709, 'such carers': 816381, 'carers or': 164600, 'if society': 414841, 'society couldn': 781182, 'couldn operate': 209908, 'without worker': 1003057, 'worker labour': 1007293, 'labour why': 478530, 'why couldn': 990900, 'couldn worker': 209943, 'worker run': 1007714, 'run society': 727807, 'boss altogether': 135732, 'out that low': 627325, 'that low status': 844966, 'low status worker': 505638, 'status worker such': 796710, 'worker such carers': 1007844, 'such carers or': 816382, 'carers or supermarket': 164601, 'or supermarket checkout': 617276, 'checkout staff are': 175011, 'staff are critical': 792183, 'critical to people': 218710, 'people life but': 648634, 'life but if': 488537, 'but if society': 145995, 'if society couldn': 414842, 'society couldn operate': 781183, 'couldn operate without': 209909, 'operate without worker': 613033, 'without worker labour': 1003058, 'worker labour why': 1007294, 'labour why couldn': 478531, 'why couldn worker': 990903, 'couldn worker run': 209944, 'worker run society': 1007715, 'run society without': 727808, 'society without the': 781367, 'without the boss': 1002962, 'the boss altogether': 849887, 'lyiv': 507100, 'kyiv city': 478086, 'council announced': 209961, 'transport without': 929975, 'people maximum': 648746, 'lot lyiv': 504097, 'lyiv ukraine': 507101, 'kyiv city council': 478087, 'city council announced': 179112, 'council announced that': 209962, 'that it won': 844759, 'it won let': 462493, 'won let people': 1003866, 'let people into': 486975, 'people into public': 648508, 'into public transport': 442909, 'public transport without': 688425, 'transport without mask': 929976, 'mask and 10': 518303, 'and 10 people': 57347, '10 people maximum': 1615, 'people maximum in': 648747, 'maximum in one': 520821, 'in one but': 426137, 'one but there': 606028, 'are no mask': 88268, 'no mask in': 564708, 'mask in pharmacy': 518833, 'pharmacy and online': 654218, 'and online price': 68113, 'online price were': 608798, 'were raised by': 980022, 'raised by lot': 695994, 'by lot lyiv': 153099, 'lot lyiv ukraine': 504098, 'side friend': 768814, 'meantime support': 524933, 'be usual': 117950, 'usual on': 950986, 'on leanintothegood': 601810, 'other side friend': 620915, 'side friend in': 768815, 'the meantime support': 860363, 'meantime support independent': 524934, 'will be usual': 992757, 'be usual on': 117951, 'usual on leanintothegood': 950987, 'on leanintothegood indiebrand': 601811, 'sanding': 733703, 'powersanding': 667838, 'fixingupthehouse': 309870, 'bestnorthamptonrealtors': 128035, 'doing today': 252805, 'today power': 920059, 'power sanding': 667675, 'sanding or': 733704, 'store selfcare': 810025, 'selfcare socialdistancing': 747934, 'socialdistancing powersanding': 780614, 'powersanding fixingupthehouse': 667839, 'fixingupthehouse bestnorthamptonrealtors': 309871, 'bestnorthamptonrealtors realtor': 128036, 'realtor realestate': 702794, 'realestateagent realestatebroker': 701537, 'am doing today': 50012, 'doing today power': 252806, 'today power sanding': 920060, 'power sanding or': 667676, 'sanding or going': 733705, 'grocery store selfcare': 365756, 'store selfcare socialdistancing': 810026, 'selfcare socialdistancing powersanding': 747935, 'socialdistancing powersanding fixingupthehouse': 780615, 'powersanding fixingupthehouse bestnorthamptonrealtors': 667840, 'fixingupthehouse bestnorthamptonrealtors realtor': 309872, 'bestnorthamptonrealtors realtor realestate': 128037, 'realtor realestate realestateagent': 702795, 'realestate realestateagent realestatebroker': 701516, 'ha alcohol': 369478, 'sure your hand': 827883, 'sanitizer ha alcohol': 735010, 'ha alcohol at': 369479, 'degan': 232519, 'hygien': 412038, 'degan no': 232520, 'no fridge': 564307, 'the african': 848412, 'own measure': 632098, 'use western': 949796, 'western lockdown': 980626, 'lockdown tactic': 499987, 'tactic it': 831696, 'one fit': 606296, 'all solution': 44388, 'solution sanitation': 782071, 'proper hygien': 684111, 'degan no fridge': 232521, 'no fridge or': 564308, 'fridge or pantry': 333417, 'or pantry to': 616495, 'pantry to stock': 639702, 'on food the': 600919, 'food the african': 317112, 'the african country': 848413, 'african country need': 35189, 'their own measure': 874187, 'own measure to': 632099, 'try to curb': 934614, 'and not use': 67786, 'not use western': 572365, 'use western lockdown': 949797, 'western lockdown tactic': 980627, 'lockdown tactic it': 499988, 'tactic it not': 831697, 'it not one': 459904, 'not one fit': 570764, 'one fit all': 606297, 'fit all solution': 309462, 'all solution sanitation': 44389, 'solution sanitation and': 782072, 'sanitation and proper': 733832, 'and proper hygien': 69627, 'spit saliva': 789564, 'the woolworth': 871693, 'woolworth supermarket': 1004428, 'by australian': 151911, 'australian police': 103525, 'woman wa tested': 1003652, 'the and spit': 848722, 'and spit saliva': 72118, 'spit saliva on': 789565, 'saliva on banana': 732734, 'banana at the': 109307, 'at the woolworth': 101156, 'the woolworth supermarket': 871694, 'woolworth supermarket and': 1004429, 'and wa arrested': 75080, 'wa arrested by': 961583, 'arrested by australian': 93823, 'by australian police': 151912, 'parent opened': 641698, 'the orleans': 862493, 'orleans whole': 619645, 'the innovative': 858304, 'innovative way': 438938, 'continue safely': 201121, 'safely providing': 730297, 'era npr': 280066, '45 year ago': 19148, 'year ago my': 1014355, 'ago my parent': 38428, 'my parent opened': 549693, 'parent opened the': 641699, 'opened the orleans': 612762, 'the orleans whole': 862494, 'orleans whole food': 619646, 'food store so': 316860, 'store so proud': 810234, 'of the innovative': 591151, 'the innovative way': 858305, 'innovative way they': 438939, 'way they and': 969951, 'employee have found': 273920, 'have found to': 380708, 'found to continue': 330442, 'to continue safely': 903405, 'continue safely providing': 201122, 'safely providing food': 730298, '19 era npr': 6822, 'bd3 holding': 113394, 'holding forth': 400111, 'forth with': 329799, 'so depriving': 776854, 'risk catsoftwitter': 723458, 'of bd3 holding': 580588, 'bd3 holding forth': 113395, 'holding forth with': 400112, 'forth with his': 329800, 'with his opinion': 998839, 'his opinion of': 397665, 'opinion of the': 613481, 'situation and those': 772188, 'and so depriving': 71838, 'so depriving other': 776855, 'depriving other pet': 237715, 'other pet and': 620710, 'pet and putting': 653357, 'at risk catsoftwitter': 100346, 'risk catsoftwitter cat': 723459, 'cue panic': 220203, 'the mil': 860590, 'mil high': 531295, 'vulnerable lose': 961037, 'cue panic buying': 220204, 'while the mil': 987405, 'the mil high': 860591, 'mil high risk': 531296, 'risk vulnerable lose': 723999, 'vulnerable lose out': 961038, 'lose out just': 503465, 'out just like': 626466, 'like with food': 491829, 'wa setting': 963172, 'online sport': 609414, 'sport and': 789896, 'and fitness': 62945, 'fitness retail': 309530, 'with blog': 997431, 'etc unfortunately': 282852, 'are imported': 87341, 'china so': 176949, 'delay opening': 232731, 'sure everything': 827544, '19 wa setting': 11874, 'wa setting up': 963173, 'an online sport': 56636, 'online sport and': 609415, 'sport and fitness': 789897, 'and fitness retail': 62946, 'fitness retail store': 309531, 'store with blog': 811367, 'with blog etc': 997432, 'blog etc unfortunately': 132925, 'etc unfortunately many': 282853, 'unfortunately many of': 941622, 'the product are': 864584, 'product are imported': 680938, 'are imported from': 87342, 'from china so': 334868, 'china so ve': 176950, 'so ve had': 778624, 'had to delay': 373683, 'to delay opening': 904084, 'delay opening it': 232732, 'opening it so': 612867, 'it so ve': 461136, 'so ve been': 778623, 'on making sure': 601973, 'making sure everything': 511379, 'sure everything is': 827545, 'everything is good': 287875, 'dip put': 243208, 'consumer price dip': 198417, 'price dip put': 673447, 'dip put chill': 243209, 'chill on spending': 176365, 'britain where': 140472, 'including to': 432207, 'in britain where': 420993, 'britain where more': 140473, 'work including to': 1005359, 'including to supermarket': 432208, 'also thousand': 49009, 'are balancing': 84750, 'balancing the': 109016, 'chain your': 171280, 'milkman kirana': 531939, 'owner cleaner': 632426, 'their collective': 872803, 'the doctor hospital': 853464, 'hospital staff also': 404626, 'staff also thousand': 792104, 'also thousand who': 49010, 'who are balancing': 988103, 'are balancing the': 84751, 'balancing the demand': 109017, 'demand supply food': 236294, 'supply food chain': 825248, 'food chain your': 313920, 'chain your local': 171281, 'your local milkman': 1024705, 'local milkman kirana': 498186, 'milkman kirana store': 531940, 'store owner cleaner': 809427, 'owner cleaner and': 632427, 'cleaner and transport': 180748, 'and transport worker': 74384, 'transport worker it': 929980, 'worker it their': 1007253, 'it their collective': 461593, 'their collective effort': 872804, 'collective effort that': 186498, 'effort that will': 269599, 'will see through': 994797, 'see through this': 745968, 'wsj via': 1013259, 'break egg coronavirus': 138715, 'coronavirus restaurant closing': 206668, 'demand wsj via': 236527, 'blubbery': 133420, 'globule': 352493, 'hero wa': 394147, 'huge blubbery': 409985, 'blubbery sneeze': 133421, 'sneeze which': 776279, 'been disgusting': 120992, 'disgusting even': 245406, 'even pre': 284485, 'the globule': 856368, 'globule hang': 352494, 'are hero wa': 87140, 'hero wa in': 394148, 'wa in store': 962384, 'in store today': 428468, 'today and customer': 919199, 'customer in check': 222492, 'out line with': 626508, 'line with huge': 493579, 'with huge blubbery': 998900, 'huge blubbery sneeze': 409986, 'blubbery sneeze which': 133422, 'sneeze which would': 776280, 'have been disgusting': 379514, 'been disgusting even': 120993, 'disgusting even pre': 245407, 'even pre and': 284486, 'pre and the': 669139, 'and the globule': 73397, 'the globule hang': 856369, 'globule hang in': 352495, 'scamwarning the': 740689, 'the asd': 848956, 'security center': 744563, 'center acsc': 169147, 'via sm': 956243, 'sm we': 774763, 'several report': 753927, 'scamwarning the asd': 740690, 'the asd australian': 848957, 'cyber security center': 223940, 'security center acsc': 744564, 'center acsc is': 169148, 'distributed via sm': 248066, 'via sm we': 956244, 'sm we understand': 774764, 'that the australian': 846664, 'ha received several': 371668, 'received several report': 703678, 'several report of': 753928, 'everyone eat': 286838, 'help everyone eat': 389663, 'everyone eat well': 286839, 'are winning': 91643, 'big with': 130112, 'while many store': 987038, 'are closed some': 85367, 'closed some are': 183341, 'some are winning': 782333, 'are winning big': 91644, 'winning big with': 996066, 'big with high': 130113, 'hunger virus': 411205, 'virus kill': 958435, 'kill 800': 474326, 'child day': 176051, 'supermarket kmc': 821251, 'the hunger virus': 857749, 'hunger virus kill': 411206, 'virus kill 800': 958436, 'kill 800 child': 474327, '800 child day': 22689, 'child day and': 176052, 'day and we': 227293, 'and we worry': 75336, 'worry about no': 1010648, 'about no toilet': 25806, 'and pasta in': 68758, 'the supermarket kmc': 868663, 'maintaining your': 509149, 'essential way': 281759, 'minimize your': 533142, 'are shared': 90019, 'shared in': 755415, 'article mentalhealth': 94388, 'anxiety quarentine': 78783, 'maintaining your mental': 509150, 'mental health during': 528640, 'pandemic is essential': 635767, 'is essential way': 447556, 'essential way to': 281760, 'way to minimize': 970054, 'to minimize your': 910172, 'minimize your anxiety': 533143, 'your anxiety are': 1022793, 'anxiety are shared': 78664, 'are shared in': 90020, 'shared in this': 755416, 'this article mentalhealth': 886423, 'article mentalhealth anxiety': 94389, 'mentalhealth anxiety quarentine': 528677, 'anxiety quarentine pandemic': 78784, 'inequitable': 436354, 'real risk': 701343, 'risk now': 723718, 'government set': 360586, 'set term': 753483, 'term to': 838327, 'pay so': 645109, 'so inequitable': 777404, 'inequitable that': 436355, 'brings mass': 140257, 'mass social': 519861, 'unrest the': 943367, 'never spent': 558202, 'spent more': 789146, 'helping but': 391284, 'bill asks': 130510, 'asks via': 96166, 'the real risk': 865236, 'real risk now': 701344, 'risk now is': 723719, 'the government set': 856599, 'government set term': 360587, 'set term to': 753484, 'term to pay': 838328, 'to pay so': 911558, 'pay so inequitable': 645110, 'so inequitable that': 777405, 'inequitable that it': 436356, 'that it brings': 844698, 'it brings mass': 456922, 'brings mass social': 140258, 'mass social unrest': 519862, 'social unrest the': 780004, 'unrest the government': 943368, 'government ha never': 360158, 'ha never spent': 371322, 'never spent more': 558203, 'spent more in': 789147, 'more in helping': 539515, 'in helping but': 423639, 'helping but who': 391285, 'the bill asks': 849691, 'bill asks via': 130511, 'parent the': 641743, 'emergency childcare': 272629, 'childcare may': 176302, 'may simply': 521505, 'simply be': 770180, 'be unmanageable': 117878, 'unmanageable in': 942822, 'for working parent': 327953, 'working parent the': 1008868, 'parent the cost': 641744, 'cost of emergency': 208043, 'of emergency childcare': 583030, 'emergency childcare may': 272630, 'childcare may simply': 176303, 'may simply be': 521506, 'simply be unmanageable': 770181, 'be unmanageable in': 117879, 'unmanageable in on': 942823, 'on the cost': 604043, 'cost of school': 208061, 'of school closing': 589397, 'school closing for': 741739, 'closing for family': 183642, 'for family during': 321387, 'family during 19': 297754, 'panipuris': 639468, 'pav': 644646, 'toiletpaper gujarati': 922040, 'gujarati in': 368620, 'mumbai have': 546002, 'up panipuris': 945744, 'panipuris and': 639469, 'and pav': 68789, 'pav bread': 644647, 'bread be': 138423, 'or festival': 615295, 'festival janatacurfew': 303601, 'janatacurfew lockdown': 464491, 'mumbailockdown indiafightscoronavirus': 546043, 'forget toiletpaper gujarati': 329342, 'toiletpaper gujarati in': 922041, 'gujarati in mumbai': 368621, 'in mumbai have': 425514, 'mumbai have stocked': 546003, 'stocked up panipuris': 803441, 'up panipuris and': 945745, 'panipuris and pav': 639470, 'and pav bread': 68790, 'pav bread be': 644648, 'bread be like': 138424, 'be like is': 115737, 'like is this': 490517, 'is this pandemic': 453109, 'this pandemic or': 889411, 'pandemic or festival': 636120, 'or festival janatacurfew': 615296, 'festival janatacurfew lockdown': 303602, 'janatacurfew lockdown mumbailockdown': 464492, 'lockdown mumbailockdown indiafightscoronavirus': 499678, 'some insight': 783124, 'how impacted': 408029, 'impacted retail': 418147, 'sale 20': 732011, '2020 store': 14618, 'increase after': 432658, 'after falling': 35646, 'by 80': 151709, '80 gdp': 22581, 'gdp will': 344918, 'likely contract': 491977, 'q1 for': 691406, 'in 50': 419940, 'year retail': 1014932, 'some insight into': 783125, 'into how impacted': 442653, 'how impacted retail': 408030, 'impacted retail in': 418148, 'in china retail': 421429, 'china retail sale': 176913, 'retail sale 20': 718501, 'sale 20 in': 732012, '20 in jan': 13103, 'jan feb 2020': 464462, 'feb 2020 store': 301624, '2020 store foot': 14619, 'foot traffic ha': 318458, 'traffic ha started': 929097, 'to increase after': 908266, 'increase after falling': 432659, 'after falling by': 35647, 'falling by 80': 297219, 'by 80 gdp': 151710, '80 gdp will': 22582, 'gdp will likely': 344919, 'will likely contract': 993997, 'likely contract in': 491978, 'contract in q1': 201669, 'in q1 for': 427151, 'q1 for the': 691407, '1st time in': 12815, 'time in 50': 896976, 'in 50 year': 419941, '50 year retail': 19919, 'we strive': 973433, 'manufacturer provide': 513508, 'provide stability': 686493, 'we strive to': 973434, 'strive to help': 813927, 'large manufacturer provide': 479712, 'manufacturer provide stability': 513509, 'provide stability for': 686494, 'stability for consumer': 791809, 'product during an': 681144, 'during an unstable': 262447, 'keep encouraging': 471468, 'encouraging my': 275726, 'but gun': 145832, 'all fair': 42745, 'but wtf': 147951, 'eat when': 266108, 'longer bullet': 501946, 'bullet pandemic': 142428, 'everyone keep encouraging': 287135, 'keep encouraging my': 471469, 'encouraging my mother': 275727, 'mother to stock': 543181, 'weapon and ammo': 974236, 'and ammo not': 58073, 'ammo not food': 52903, 'not food or': 569472, 'food or health': 315656, 'health care supply': 386252, 'care supply but': 164222, 'supply but gun': 824864, 'but gun that': 145833, 'gun that all': 368743, 'that all fair': 842544, 'all fair and': 42746, 'fair and well': 296315, 'and well but': 75403, 'well but wtf': 978082, 'but wtf are': 147952, 'wtf are we': 1013269, 'suppose to eat': 827326, 'to eat when': 904910, 'eat when in': 266109, 'when in quarantine': 983590, 'in quarantine for': 427180, 'quarantine for month': 692201, 'month or longer': 537934, 'or longer bullet': 616002, 'longer bullet pandemic': 501947, 'starve during': 795194, 'likely to starve': 492178, 'to starve during': 915244, 'starve during week': 795195, 'week lockdown we': 976497, 'thanks to panic': 842250, '19 changed their': 5770, '2099': 14876, 'weirdworld': 977847, 'cheappetrolmelbourne': 174324, 'today bought': 919325, 'bought petrol': 136683, 'petrol gas': 653738, 'car 04': 162972, '04 litre': 922, 'litre feel': 495149, 'like back': 489850, 'in 199': 419728, '199 for': 12466, 'in 2099': 419881, '2099 for': 14877, 'virus disaster': 958124, 'disaster weirdworld': 244261, 'weirdworld cheappetrolmelbourne': 977848, 'today bought petrol': 919326, 'bought petrol gas': 136684, 'petrol gas for': 653739, 'gas for my': 343856, 'for my car': 323683, 'my car 04': 547594, 'car 04 litre': 162973, '04 litre feel': 923, 'litre feel like': 495150, 'feel like back': 302700, 'like back in': 489851, 'back in 199': 107075, 'in 199 for': 419729, '199 for petrol': 12467, 'for petrol price': 324520, 'price and in': 672440, 'and in 2099': 65041, 'in 2099 for': 419882, '2099 for virus': 14878, 'for virus disaster': 327576, 'virus disaster weirdworld': 958125, 'disaster weirdworld cheappetrolmelbourne': 244262, 'disaster and': 244184, 'and upset': 74748, 'upset forgot': 947805, 'bring my': 140028, 'my coupon': 547831, 'coupon to': 211767, 'of disaster and': 582652, 'disaster and upset': 244185, 'and upset forgot': 74750, 'upset forgot to': 947806, 'forgot to bring': 329414, 'to bring my': 902042, 'bring my coupon': 140029, 'my coupon to': 547832, 'coupon to the': 211768, 'this help prevent': 887896, 'join am': 466671, 'best webinar': 127994, 'on mena': 602105, 'mena market': 528558, 'market april': 516009, 'april 9am': 83525, '9am gmt': 23958, 'gmt 10am': 353205, '10am bst': 2289, 'bst and': 141450, 'how mena': 408312, 'mena insurer': 528556, 'by reduced': 153738, 'join am best': 466672, 'am best webinar': 49940, 'best webinar impact': 127995, 'oil price movement': 597197, 'price movement and': 675281, 'movement and covid': 543853, '19 on mena': 8954, 'on mena market': 602106, 'mena market april': 528559, 'market april 9am': 516010, 'april 9am gmt': 83526, '9am gmt 10am': 23959, 'gmt 10am bst': 353206, '10am bst and': 2290, 'bst and learn': 141451, 'learn how mena': 483988, 'how mena insurer': 408313, 'mena insurer are': 528557, 'insurer are impacted': 440870, 'impacted by reduced': 418088, 'by reduced oil': 153740, 'reduced oil price': 706123, 'and economic slowdown': 61911, 'the pandemic insurance': 863001, 'ore than': 619128, 'with hunger': 998917, 'hunger here': 411125, 'all across': 41934, 'demand learn': 235800, 'bank do': 109774, 'best feed': 127685, 'ore than 37': 619129, '37 million people': 18079, 'million people struggle': 532316, 'people struggle with': 649672, 'struggle with hunger': 814400, 'with hunger here': 998918, 'hunger here in': 411126, 'the and now': 848711, 'now food bank': 574708, 'food bank all': 313514, 'bank all across': 109588, 'all across the': 41935, 'country are facing': 210463, 'facing great demand': 295485, 'great demand learn': 362622, 'demand learn more': 235801, 'help our food': 390231, 'food bank do': 313554, 'bank do what': 109775, 'do what they': 250516, 'they do best': 881955, 'do best feed': 249129, 'best feed our': 127686, 'feed our neighbor': 302352, 'doingmypartco': 252892, 'off toiletpaper': 594343, 'need doingmypartco': 554692, 'dropped off toiletpaper': 260610, 'off toiletpaper and': 594344, 'toiletpaper and treat': 921732, 'and treat for': 74417, 'treat for friend': 930836, 'for friend in': 321769, 'friend in need': 333652, 'in need doingmypartco': 425736, 'here brilliant': 392830, 'brilliant toiletpaper': 139897, 'no shortage here': 565492, 'shortage here brilliant': 764995, 'here brilliant toiletpaper': 392831, 'uae combat': 937742, '19 ded': 6464, 'ded fine': 231679, 'fine 14': 307592, 'merchant dubai': 529012, 'dubai for': 261474, 'uae combat covid': 937743, 'covid 19 ded': 212922, '19 ded fine': 6465, 'ded fine 14': 231680, 'fine 14 merchant': 307593, '14 merchant dubai': 3495, 'merchant dubai for': 529013, 'dubai for hiking': 261475, 'whiter': 987961, 'should care': 765822, 'about during': 25135, 'own image': 632077, 'image matter': 416641, 'up whiter': 946601, 'whiter than': 987962, 'than snow': 841147, 'desperate attempt': 238504, 'lift amid': 489426, 'amid dramatic': 52451, 'decrease of': 231589, 'help everyone but': 389660, 'everyone but who': 286752, 'but who are': 147849, 'first one should': 308831, 'one should care': 607024, 'should care about': 765823, 'care about during': 163784, 'about during but': 25136, 'during but for': 262483, 'but for his': 145745, 'for his own': 322308, 'his own image': 397676, 'own image matter': 632078, 'image matter more': 416642, 'matter more of': 520598, 'more of course': 539870, 'course he want': 211875, 'show up whiter': 767262, 'up whiter than': 946602, 'whiter than snow': 987963, 'than snow in': 841148, 'snow in desperate': 776397, 'in desperate attempt': 422212, 'desperate attempt to': 238505, 'attempt to lift': 102250, 'to lift amid': 909259, 'lift amid dramatic': 489427, 'amid dramatic decrease': 52452, 'dramatic decrease of': 258281, 'decrease of oil': 231590, 'blacklivesmatter': 132186, 'trumpviruscoverup mondaythoughts': 934206, 'mondaythoughts blacklivesmatter': 536498, 'blacklivesmatter socialdistancing': 132187, 'socialdistancing trumppressconf': 780832, 'trumppressconf stayathome': 934136, 'stayathome report': 797596, 'morning people': 541402, 'more guess': 539378, 'before pelosi': 123003, 'trumpviruscoverup mondaythoughts blacklivesmatter': 934207, 'mondaythoughts blacklivesmatter socialdistancing': 536499, 'blacklivesmatter socialdistancing trumppressconf': 132188, 'socialdistancing trumppressconf stayathome': 780833, 'trumppressconf stayathome report': 934137, 'stayathome report this': 797597, 'report this morning': 712376, 'this morning people': 888997, 'morning people at': 541403, 'online more guess': 608559, 'more guess who': 539379, 'guess who bought': 368094, 'who bought stock': 988334, 'stock in amazon': 802258, 'in amazon in': 420212, 'amazon in just': 50986, 'in just before': 424414, 'just before pelosi': 468319, 'weezy': 977611, 'barz': 111424, 'realshit': 702751, 'house got': 406329, 'got 10': 358361, '10 bathroom': 1334, 'bathroom can': 112639, 'day weezy': 228706, 'weezy barz': 977612, 'barz fact': 111425, 'fact toiletpaper': 295835, 'toiletpaper realshit': 922402, 'realshit true': 702752, 'got all the': 358394, 'paper at his': 639895, 'at his house': 98918, 'his house got': 397522, 'house got 10': 406330, 'got 10 bathroom': 358362, '10 bathroom can': 1335, 'bathroom can shit': 112640, 'can shit all': 159595, 'shit all day': 759052, 'all day weezy': 42532, 'day weezy barz': 228707, 'weezy barz fact': 977613, 'barz fact toiletpaper': 111426, 'fact toiletpaper realshit': 295836, 'toiletpaper realshit true': 922403, 'oystermen': 632704, 'the oystermen': 862817, 'oystermen wa': 632705, 'wa named': 962685, 'named best': 551715, 'best restaurant': 127885, 'london last': 501109, 'from 180': 334205, '180 customer': 4616, 'transforming into': 929602, 'into mini': 442757, 'sell among': 748624, 'thing toilet': 884911, 'the oystermen wa': 862818, 'oystermen wa named': 632706, 'wa named best': 962686, 'named best restaurant': 551716, 'best restaurant in': 127886, 'restaurant in london': 716522, 'in london last': 424886, 'london last year': 501110, 'last year but': 480720, 'year but after': 1014443, 'but after going': 145068, 'after going from': 35717, 'going from 180': 355171, 'from 180 customer': 334206, '180 customer day': 4617, 'customer day to': 222293, 'day to it': 228569, 'is now is': 450296, 'now is transforming': 575089, 'is transforming into': 453334, 'transforming into mini': 929603, 'into mini supermarket': 442758, 'mini supermarket that': 533031, 'supermarket that sell': 823195, 'that sell among': 846179, 'sell among other': 748625, 'other thing toilet': 621114, 'thing toilet paper': 884912, 'paper no joke': 640497, 'tarrytown': 834638, 'to hearing': 907421, 'bread hoarding': 138488, 'hoarding foodshortages': 399321, 'foodshortages humor': 318144, 'humor tarrytown': 410921, 'tarrytown new': 834639, 'wa my response': 962680, 'my response to': 549937, 'response to hearing': 715849, 'to hearing that': 907422, 'that my grocery': 845266, 'of bread hoarding': 580843, 'bread hoarding foodshortages': 138489, 'hoarding foodshortages humor': 399322, 'foodshortages humor tarrytown': 318145, 'humor tarrytown new': 410922, 'tarrytown new york': 834640, 'amason': 50609, 'case my': 165866, 'sister could': 771726, 'in amason': 420209, 'amason and': 50610, 'wa handling': 962270, 'handling returned': 376386, 'returned clothes': 719958, 'clothes bought': 184148, 'bought online': 136664, 'online stop': 609438, 'awhile maybe': 106265, 'if that could': 414932, 'the case my': 850462, 'case my little': 165867, 'little sister could': 495571, 'sister could have': 771727, 'could have contracted': 209247, 'have contracted the': 380100, 'contracted the said': 201750, 'the said covid': 866164, '19 though she': 11364, 'though she is': 892884, 'is now she': 450333, 'now she worked': 575791, 'she worked in': 756480, 'worked in amason': 1006119, 'in amason and': 420210, 'amason and wa': 50611, 'and wa handling': 75087, 'wa handling returned': 962271, 'handling returned clothes': 376387, 'returned clothes bought': 719959, 'clothes bought online': 184149, 'bought online stop': 136665, 'online stop online': 609439, 'shopping for awhile': 762659, 'for awhile maybe': 319552, 'isolate collect': 454838, 'collect their': 186332, 'cannot isolate': 161972, 'let people who': 486977, 'to isolate collect': 908536, 'isolate collect their': 454839, 'collect their essential': 186333, 'buying the most': 151170, 'people cannot isolate': 647434, 'cannot isolate when': 161973, 'isolate when you': 454944, 'you take all': 1021507, 'also substitute': 48926, 'substitute based': 816083, 'stock availability': 801892, 'availability so': 104181, 'again not': 37086, 'is necessarily': 449840, 'approach for': 82945, 'just ge': 468796, 'supermarket delivery also': 819914, 'delivery also substitute': 233643, 'also substitute based': 48927, 'substitute based on': 816084, 'based on stock': 111696, 'on stock availability': 603671, 'stock availability so': 801893, 'availability so again': 104182, 'so again not': 776477, 'again not convinced': 37087, 'not convinced that': 568873, 'convinced that going': 202670, 'store and potentially': 806321, '19 is necessarily': 8010, 'is necessarily the': 449841, 'necessarily the best': 553935, 'best approach for': 127583, 'approach for just': 82946, 'for just ge': 322791, 'so friend': 777121, 'mine at': 532876, 'at division': 98465, 'supply her': 825355, 'own glove': 632018, 'equipment grocery': 279740, 'so friend of': 777122, 'of mine at': 586553, 'mine at division': 532877, 'at division of': 98466, 'division of ha': 248682, 'of ha to': 584404, 'ha to supply': 372320, 'to supply her': 915882, 'supply her own': 825356, 'her own glove': 392276, 'own glove and': 632019, 'glove and safety': 352575, 'and safety equipment': 70744, 'safety equipment grocery': 730522, 'equipment grocery store': 279741, 'and the mean': 73474, 'mean to protect': 524740, 'supplychain innovation': 826195, 'solution 19': 781982, '19 facebook': 6917, 'facebook retailer': 294992, 'retailer groceryindustry': 719168, 'real time retail': 701416, 'time retail during': 897577, 'retail during the': 718053, 'covid19 pandemic retail': 214344, 'pandemic retail grocery': 636358, 'grocery supermarket supplychain': 366006, 'supermarket supplychain innovation': 823059, 'supplychain innovation technology': 826196, 'innovation technology solution': 438905, 'technology solution 19': 836373, 'solution 19 facebook': 781983, '19 facebook retailer': 6918, 'facebook retailer groceryindustry': 294993, 'shop start': 760830, 'start charging': 794251, 'price extortionate': 673745, 'when your local': 984633, 'local shop start': 498417, 'shop start charging': 760831, 'start charging extortionate': 794252, 'extortionate price extortionate': 293392, 'cuny faculty': 220384, 'faculty and': 296043, 'and graduate': 63913, 'student demand': 814670, 'demand tt': 236418, 'tt funding': 934987, 'funding expansion': 341592, 'expansion let': 290559, 'recently laid': 704121, 'worker calling': 1006580, 'on cuny': 600180, 'cuny to': 220391, 'cuny faculty and': 220385, 'faculty and graduate': 296044, 'and graduate student': 63914, 'graduate student demand': 361723, 'student demand tt': 814671, 'demand tt funding': 236419, 'tt funding expansion': 934988, 'funding expansion let': 341593, 'expansion let all': 290560, 'all support the': 44568, 'support the recently': 826883, 'the recently laid': 865328, 'recently laid off': 704122, 'off worker calling': 594421, 'worker calling on': 1006581, 'calling on cuny': 156610, 'on cuny to': 600181, 'cuny to continue': 220392, 'continue paying it': 201097, 'paying it food': 645432, 'worker can get': 1006587, 'get paid during': 347763, 'dome': 253156, 'setting alarm': 753618, 'alarm for': 40669, 'for 05': 318606, '05 00': 943, 'my thunder': 550369, 'thunder dome': 895308, 'dome supermarket': 253157, 'sweep run': 830154, 'run firstworldpandemicproblems': 727639, 'setting alarm for': 753619, 'alarm for 05': 40670, 'for 05 00': 318607, '05 00 for': 944, '00 for my': 212, 'for my thunder': 323753, 'my thunder dome': 550370, 'thunder dome supermarket': 895309, 'dome supermarket sweep': 253158, 'supermarket sweep run': 823102, 'sweep run firstworldpandemicproblems': 830155, 'to remote': 913209, 'working ha': 1008673, 'been smooth': 121981, 've been very': 952955, 'been very lucky': 122332, 'lucky that the': 506574, 'that the transition': 846853, 'transition to remote': 929684, 'to remote working': 913210, 'remote working ha': 710755, 'working ha been': 1008674, 'ha been smooth': 369926, 'been smooth for': 121982, 'me but it': 522534, 'everyone so it': 287388, 'how other company': 408453, 'in employee and': 422555, 'and consumer initiative': 60395, 'monument': 538245, 'restauranteurs': 716831, 'covfefe19': 212529, 'more statue': 540449, 'statue monument': 796644, 'monument and': 538246, 'public art': 687875, 'art celebrating': 94150, 'celebrating truck': 168845, 'owner restauranteurs': 632553, 'restauranteurs etc': 716832, 'etc covfefe19': 282482, 'covfefe19 coronapocalypse': 212530, 'more statue monument': 540450, 'statue monument and': 796645, 'monument and public': 538247, 'and public art': 69737, 'public art celebrating': 687876, 'art celebrating truck': 94151, 'celebrating truck driver': 168846, 'driver farmer factory': 259553, 'factory worker supermarket': 296023, 'supermarket worker shop': 824082, 'worker shop owner': 1007767, 'shop owner restauranteurs': 760651, 'owner restauranteurs etc': 632554, 'restauranteurs etc covfefe19': 716833, 'etc covfefe19 coronapocalypse': 282483, 'rushed on': 728360, 'panic scared': 638515, 'people rushed on': 649328, 'rushed on toilet': 728361, 'to panic scared': 911424, 'panic scared what': 638516, 'scared what will': 741042, 'happen if the': 377099, 'if the food': 414973, 'don exactly': 253493, 'exactly know': 288743, 'supermarket and realized': 819047, 'realized that we': 701914, 'not doing well': 569091, 'doing well at': 252830, 'well at all': 978035, 'all it if': 43270, 'it if we': 458679, 'we don exactly': 971380, 'don exactly know': 253494, 'exactly know the': 288744, 'know the gravity': 476828, 'gravity of this': 362457, 'pandemic please stop': 636199, 'please stop coming': 660572, 'stop coming on': 804576, 'medium to talk': 527331, '19 just do': 8202, 'just do something': 468618, 'do something good': 250142, 'something good for': 784926, 'for the society': 326697, 'o3': 578236, 'rs35': 726698, 'take nose': 832364, 'dive to': 248507, 'in 2002': 419744, '2002 o3': 13577, 'o3 petrolprice': 578237, 'petrolprice wa': 653863, 'around rs35': 93465, 'rs35 00': 726699, 'government pas': 360452, 'hike again': 396190, 'again bjp': 36922, 'crude price take': 219599, 'price take nose': 676749, 'take nose dive': 832365, 'nose dive to': 567886, 'dive to around': 248508, 'to around 25': 900714, '25 00 now': 15794, '00 now we': 378, 'we had this': 971724, 'had this price': 373643, 'this price in': 889709, 'price in 2002': 674649, 'in 2002 o3': 419745, '2002 o3 petrolprice': 13578, 'o3 petrolprice wa': 578238, 'petrolprice wa around': 653864, 'wa around rs35': 961578, 'around rs35 00': 93466, 'rs35 00 will': 726700, '00 will our': 601, 'will our government': 994357, 'our government pas': 623274, 'government pas the': 360453, 'pas the benefit': 643153, 'the benefit to': 849476, 'benefit to people': 127120, 'are struggling due': 90584, 'to crisis or': 903746, 'crisis or can': 217831, 'we expect price': 971498, 'expect price hike': 290704, 'price hike again': 674524, 'hike again bjp': 396191, 'hardship across': 378269, 'america brought': 51471, 'book cheap': 134498, 'cheap distributor': 174092, 'to financial hardship': 905868, 'financial hardship across': 306427, 'hardship across america': 378270, 'across america brought': 29240, 'america brought on': 51472, 'by the have': 154346, 'the have lowered': 857149, 'have lowered the': 381396, 'all my book': 43543, 'my book cheap': 547495, 'book cheap distributor': 134499, 'cheap distributor will': 174093, 'distributor will let': 248340, 'will let me': 993980, 'virus than': 958863, 'for virus than': 327579, 'virus than can': 958864, 'than can be': 840434, 'killed by hand': 474569, 'by hand sanitizer': 152750, 'fenton': 303534, 'in fenton': 422857, 'fenton ignore': 303535, 'ignore amp': 415817, 'amp warning': 54802, 'warning by': 967105, 'company gave': 190692, 'is got': 448161, 'got 19': 358367, 'worker in fenton': 1007169, 'in fenton ignore': 422858, 'fenton ignore amp': 303536, 'ignore amp warning': 415818, 'amp warning by': 54803, 'warning by not': 967106, 'by not wearing': 153368, 'or glove while': 615482, 'glove while stocking': 353036, 'shelf they told': 757675, 'me the company': 523642, 'the company gave': 851328, 'company gave them': 190694, 'gave them the': 344673, 'them the option': 876391, 'option to wear': 614133, 'mask the good': 519354, 'news is got': 560555, 'is got 19': 448162, 'also prefer': 48682, 'shop restaurant etc': 760719, 'restaurant etc remember': 716451, 'etc remember to': 282729, 'are working they': 91721, 'working they also': 1008955, 'they also prefer': 881155, 'also prefer to': 48683, 'prefer to be': 669754, 'home with their': 402540, 'their friend and': 873380, 'family be aware': 297650, 'from along': 334445, 'recent oversupply': 703947, 'oversupply are': 631579, 'driving fast': 259925, 'deep drop': 231880, 'in oilprices': 426092, 'oilprices crisis': 597664, 'economics tcbasia': 267485, 'demand from along': 235531, 'from along with': 334446, 'along with recent': 47077, 'with recent oversupply': 1000416, 'recent oversupply are': 703948, 'oversupply are driving': 631580, 'are driving fast': 86000, 'driving fast and': 259926, 'fast and deep': 299910, 'and deep drop': 61044, 'deep drop in': 231881, 'drop in oilprices': 260264, 'in oilprices crisis': 426094, 'oilprices crisis economics': 597665, 'crisis economics tcbasia': 217334, 'theatrical': 872286, 'to refugee': 913078, 'refugee and': 706836, 'showing free': 767448, 'online theatrical': 609539, 'theatrical performance': 872287, 'performance covid': 651439, 'volunteer movement': 960296, 'help combat': 389496, 'combat it': 187018, 'elderly people delivering': 270819, 'people delivering grocery': 647622, 'grocery to refugee': 366058, 'to refugee and': 913079, 'refugee and showing': 706837, 'and showing free': 71624, 'showing free online': 767449, 'free online theatrical': 332029, 'online theatrical performance': 609540, 'theatrical performance covid': 872288, 'performance covid 19': 651440, 'spreading fast but': 790967, 'fast but so': 299928, 'but so is': 147076, 'is the volunteer': 452974, 'the volunteer movement': 870957, 'volunteer movement to': 960297, 'movement to help': 543940, 'to help combat': 907476, 'help combat it': 389497, 'combat it report': 187019, 'retires': 719723, 'pursues': 690216, 'pjm': 657234, 'mopr': 538382, 'last coal': 480150, 'coal plant': 185063, 'york retires': 1016659, 'retires the': 719724, 'state pursues': 795878, 'pursues carbon': 690217, 'free by': 331695, 'by 2040': 151593, '2040 pjm': 14852, 'pjm submits': 657235, 'submits mopr': 815808, 'mopr natural': 538383, 'slid last': 773884, 'week power': 976766, 'flat to': 310101, 'to down': 904686, 'destruction resulting': 239120, 'the last coal': 859001, 'last coal plant': 480151, 'coal plant in': 185064, 'plant in new': 658666, 'new york retires': 559948, 'york retires the': 1016660, 'retires the state': 719725, 'the state pursues': 867805, 'state pursues carbon': 795879, 'pursues carbon free': 690218, 'carbon free by': 163399, 'free by 2040': 331696, 'by 2040 pjm': 151594, '2040 pjm submits': 14853, 'pjm submits mopr': 657236, 'submits mopr natural': 815809, 'mopr natural gas': 538384, 'natural gas and': 552831, 'gas and power': 343765, 'and power price': 69279, 'power price slid': 667664, 'price slid last': 676463, 'slid last week': 773885, 'last week power': 480672, 'week power price': 976767, 'power price were': 667667, 'were flat to': 979637, 'flat to down': 310102, 'to down in': 904687, 'face of ongoing': 294663, 'of ongoing demand': 587247, 'ongoing demand destruction': 607623, 'demand destruction resulting': 235237, 'destruction resulting from': 239121, 'prepared had': 670209, 'saving consumer': 737858, 'get ahead': 346510, 'of whats': 593075, 'whats coming': 982839, 'coming 19': 187979, 'ill prepared had': 416169, 'prepared had no': 670210, 'or saving consumer': 616969, 'saving consumer spending': 737859, 'spending is what': 788884, 'what will kill': 982602, 'pandemic there is': 636724, 'is still time': 452317, 'govt to get': 361314, 'to get ahead': 906405, 'get ahead of': 346511, 'ahead of whats': 39198, 'of whats coming': 593076, 'whats coming 19': 982840, 'coming 19 canada': 187980, 'stavtion': 796729, 'vulnerable from': 960969, 'from stavtion': 337416, 'stavtion because': 796730, 'of lack': 585700, 'hunger not': 411155, 'vulnerable from stavtion': 960970, 'from stavtion because': 337417, 'stavtion because of': 796731, 'because of lack': 119364, 'of lack of': 585701, 'lack of supermarket': 478659, 'of supermarket home': 590428, 'slot we ll': 774293, 'll all die': 496541, 'of hunger not': 584913, 'hunger not covid': 411156, 'yesterday released': 1015846, 'released fiscal': 709036, 'stimulus proposal': 801610, 'proposal putting': 684473, 'putting during': 691106, 'epidemic it': 279402, 'includes at': 431723, 'least 2k': 484356, 'amp 1k': 53318, '1k child': 12618, 'child suspension': 176214, 'reporting more': 712716, 'detail check': 239175, 'check below': 174388, 'yesterday released fiscal': 1015847, 'released fiscal stimulus': 709037, 'fiscal stimulus proposal': 309277, 'stimulus proposal putting': 801611, 'proposal putting during': 684474, 'putting during the': 691107, 'the epidemic it': 854442, 'epidemic it includes': 279403, 'it includes at': 458762, 'includes at least': 431724, 'at least 2k': 99450, 'least 2k month': 484357, '2k month for': 16624, 'adult amp 1k': 32790, 'amp 1k child': 53319, '1k child suspension': 12619, 'child suspension of': 176215, 'suspension of consumer': 829689, 'of consumer credit': 581730, 'credit reporting more': 216491, 'reporting more detail': 712717, 'more detail check': 539016, 'detail check below': 239176, 'order amazon': 618013, '00 to keep': 545, 'up with surge': 946689, 'surge in order': 828200, 'in order amazon': 426210, 'order amazon said': 618014, 'curb crowd': 220552, 'crowd railway': 219239, 'to curb crowd': 903799, 'curb crowd railway': 220553, 'crowd railway increase': 219240, 'zava': 1027252, 'only best': 610174, 'just download': 468645, 'the zava': 872220, 'zava app': 1027253, 'experience the only': 291504, 'the only best': 862289, 'only best online': 610175, 'shopping just download': 763116, 'just download the': 468646, 'download the zava': 257636, 'the zava app': 872221, 'zava app and': 1027254, 'app and shop': 81676, 'and shop at': 71492, 'shop at affordable': 759938, 'hemingway': 391686, 'sale slightly': 732529, 'slightly used': 773980, 'used take': 950008, 'that hemingway': 844313, 'hemingway toiletpaper': 391687, 'paper for sale': 640185, 'for sale slightly': 325326, 'sale slightly used': 732530, 'slightly used take': 773981, 'used take that': 950009, 'take that hemingway': 832631, 'that hemingway toiletpaper': 844314, 'instabeer': 439890, 'craftbeer': 214783, 'pour any': 667429, 'any draft': 79142, 'draft beer': 258139, 'into 500ml': 442357, '500ml can': 20110, '30 off': 17149, 'drink or': 258869, 'container see': 200553, 'you tonight': 1021879, 'yourselves afterwards': 1026777, 'afterwards with': 36755, 'love beer': 504617, 'beer windsor': 122536, 'windsor instabeer': 995754, 'instabeer craftbeer': 439891, 'pour any draft': 667430, 'any draft beer': 79143, 'draft beer into': 258140, 'beer into 500ml': 122471, 'into 500ml can': 442358, '500ml can to': 20111, 'can to take': 160018, 'to take away': 916162, 'take away for': 831966, 'away for 30': 105844, 'for 30 off': 318805, '30 off the': 17153, 'off the price': 594261, 'of the drink': 590964, 'the drink or': 853685, 'drink or fill': 258870, 'or fill your': 615307, 'fill your own': 305521, 'own container see': 631927, 'container see you': 200555, 'see you some': 746112, 'of you tonight': 593428, 'you tonight and': 1021880, 'tonight and take': 924365, 'of yourselves afterwards': 593550, 'yourselves afterwards with': 1026778, 'afterwards with love': 36756, 'with love beer': 999323, 'love beer windsor': 504618, 'beer windsor instabeer': 122537, 'windsor instabeer craftbeer': 995755, 'employment and': 274578, 'training opportunity': 929349, 'opportunity under': 613739, 'under our': 940188, 'new initiative': 558938, 'initiative with': 438676, 'new employment and': 558682, 'employment and training': 274579, 'and training opportunity': 74367, 'training opportunity under': 929350, 'opportunity under our': 613740, 'under our new': 940189, 'our new initiative': 624035, 'new initiative with': 558939, 'in far': 422791, 'be sense': 117079, 'of perspective': 588066, 'are in far': 87381, 'in far more': 422793, 'far more danger': 298845, 'more danger of': 538951, 'danger of exposure': 225680, '19 by going': 5560, 'supermarket than doing': 823160, 'than doing that': 840511, 'doing that there': 252709, 'to be sense': 901530, 'be sense of': 117080, 'sense of perspective': 750565, 'of perspective to': 588067, 'perspective to risk': 653240, 'every facebook': 285892, 'post offering': 666228, 'worker guarantee': 1007069, 'guarantee there': 367727, 'someone making': 784559, 'fucking competition': 339836, 'competition what': 191751, 'about bus': 24898, 'driver what': 259850, 'about postman': 25972, 'postman why': 666742, 'think oh': 885467, 'oh what': 596483, 'nice gesture': 562402, 'gesture 19': 346430, 'on every facebook': 600617, 'every facebook post': 285893, 'facebook post offering': 294990, 'post offering discount': 666229, 'offering discount for': 595077, 'discount for nh': 244472, 'nh worker guarantee': 562186, 'worker guarantee there': 1007070, 'guarantee there is': 367728, 'is someone making': 452101, 'someone making it': 784560, 'making it fucking': 511140, 'it fucking competition': 458167, 'fucking competition what': 339837, 'competition what about': 191752, 'about supermarket worker': 26290, 'worker what about': 1008173, 'what about bus': 980961, 'about bus driver': 24899, 'bus driver what': 143034, 'driver what about': 259851, 'what about postman': 980985, 'about postman why': 25973, 'postman why can': 666743, 'we just think': 972123, 'just think oh': 470044, 'think oh what': 885468, 'oh what nice': 596484, 'what nice gesture': 981938, 'nice gesture 19': 562403, 'airway no': 40163, 'no airway': 563597, 'airway ha': 40160, 'some choice': 782535, 'choice here': 177778, 'because ba': 118946, 'ba chooses': 106523, 'during travel': 263364, 'ban fake': 109202, 'fake wrong': 296746, 'airway no airway': 40164, 'no airway ha': 563598, 'airway ha some': 40162, 'ha some choice': 371990, 'some choice here': 782536, 'choice here price': 177779, 'here price are': 393474, 'are higher because': 87155, 'higher because ba': 395542, 'because ba chooses': 118947, 'ba chooses to': 106524, 'chooses to raise': 177936, 'price for people': 674022, 'for people trying': 324467, 'trying to return': 934859, 'return home during': 719850, 'home during travel': 401111, 'during travel ban': 263365, 'travel ban fake': 930286, 'ban fake wrong': 109203, 'marx4congress': 518145, 'remind pa14': 710498, 'pa14 that': 632905, 'your congressman': 1023306, 'congressman voted': 194570, 'against allowing': 37318, 'other medication': 620528, 'medication affordable': 526617, 'in sw': 428756, 'sw pa': 829896, 'pa notthatguy': 632867, 'notthatguy marx4congress': 573645, 'marx4congress demcast': 518146, 'time to remind': 898048, 'to remind pa14': 913202, 'remind pa14 that': 710499, 'pa14 that your': 632906, 'that your congressman': 847763, 'your congressman voted': 1023307, 'congressman voted against': 194571, 'voted against allowing': 960547, 'against allowing the': 37319, 'allowing the government': 46344, 'government to negotiate': 360725, 'negotiate lower drug': 556909, 'drug price which': 261060, 'which would make': 986523, 'would make any': 1012020, 'make any vaccine': 509710, 'and other medication': 68361, 'other medication affordable': 620529, 'medication affordable to': 526618, 'affordable to so': 34909, 'many in sw': 514172, 'in sw pa': 428757, 'sw pa notthatguy': 829897, 'pa notthatguy marx4congress': 632868, 'notthatguy marx4congress demcast': 573646, 'it walking': 462231, 'dog going': 252103, 'or visiting': 617685, 'elderly here': 270702, 'practice outside': 668625, 'whether it walking': 985535, 'it walking the': 462232, 'the dog going': 853494, 'dog going to': 252104, 'store or visiting': 809378, 'or visiting the': 617686, 'visiting the elderly': 959561, 'the elderly here': 854125, 'elderly here how': 270703, 'how to practice': 409053, 'to practice outside': 911958, 'practice outside of': 668626, 'outside of your': 629519, 'eoi': 279258, 'about program': 26011, 'program we': 683316, 'an eoi': 55790, 'eoi also': 279259, 'also 19': 47801, '19 telehealth': 11056, 'telehealth mb': 836748, 'mb item': 522033, 'also new': 48563, 'consumer representative': 198742, 'representative opportunity': 712911, 'opportunity at': 613591, 'date with our': 226761, 'with our to': 1000027, 'our to find': 625153, 'out about program': 625561, 'about program we': 26012, 'program we are': 683317, 'for in to': 322517, 'in to submit': 430138, 'submit an eoi': 815785, 'an eoi also': 55791, 'eoi also 19': 279260, 'also 19 telehealth': 47802, '19 telehealth mb': 11057, 'telehealth mb item': 836749, 'mb item there': 522034, 'item there also': 463714, 'there also new': 877974, 'also new on': 48565, 'new on amp': 559194, 'on amp consumer': 599312, 'amp consumer representative': 53571, 'consumer representative opportunity': 198743, 'representative opportunity at': 712912, 'to sourcing': 914943, 'sourcing we': 786624, 'offer assistance': 594532, 'with transportation': 1001836, 'and storage': 72497, 'storage of': 805977, 'inventory if': 443674, 'necessary let': 554021, 'know covoid19': 476342, 'covoid19 hospitality': 214445, 'know if there': 476486, 'is anything we': 445774, 'anything we can': 80934, 'time in addition': 896977, 'addition to sourcing': 31747, 'to sourcing we': 914944, 'sourcing we can': 786625, 'can also offer': 157464, 'also offer assistance': 48596, 'offer assistance with': 594533, 'assistance with transportation': 96768, 'with transportation of': 1001837, 'transportation of other': 930020, 'other food related': 620247, 'food related item': 316153, 'related item and': 708469, 'item and storage': 463074, 'and storage of': 72498, 'storage of excess': 805978, 'of excess inventory': 583290, 'excess inventory if': 289347, 'inventory if necessary': 443675, 'if necessary let': 414445, 'necessary let know': 554022, 'let know covoid19': 486855, 'know covoid19 hospitality': 476343, 'everyone finding': 286913, 'finding grocery': 307481, 'gta went': 367660, 'went about': 978947, 'ago then': 38497, 'then ordered': 877389, 'ordered twice': 618931, 'twice online': 936536, 'pretty backlogged': 671360, 'backlogged planning': 107570, 'going this': 355492, 'so how is': 777340, 'how is everyone': 408093, 'is everyone finding': 447584, 'everyone finding grocery': 286914, 'finding grocery shopping': 307482, 'shopping the past': 764092, 'the gta went': 856895, 'gta went about': 367661, 'went about week': 978948, 'week ago then': 975858, 'ago then ordered': 38498, 'then ordered twice': 877390, 'ordered twice online': 618932, 'twice online order': 936537, 'order are pretty': 618055, 'are pretty backlogged': 89208, 'pretty backlogged planning': 671361, 'backlogged planning on': 107571, 'planning on going': 658565, 'on going this': 601136, 'going this week': 355493, 'this week quarantinelife': 891253, 'week quarantinelife stayhomesavelives': 976784, 'change closing': 171975, 'closing home': 183652, 'will change closing': 992907, 'change closing home': 171976, 'closing home price': 183653, 'home price and': 401892, 'benefit innovation': 127018, 'innovation ha': 438875, 'consumer listen': 198050, 'to communication': 903096, 'manager seed': 512783, 'seed at': 746136, 'at agro': 97850, 'agro fr': 39063, 'fr to': 330852, 'obliged to and': 578480, 'to and wondering': 900538, 'and wondering what': 75830, 'wondering what benefit': 1004190, 'what benefit innovation': 981109, 'benefit innovation ha': 127019, 'innovation ha for': 438876, 'ha for you': 370653, 'for you consumer': 328047, 'you consumer listen': 1018026, 'consumer listen to': 198051, 'listen to communication': 494731, 'to communication manager': 903097, 'communication manager seed': 189610, 'manager seed at': 512784, 'seed at agro': 746137, 'at agro fr': 97851, 'agro fr to': 39064, 'fr to find': 330853, 'one refreshing': 606949, 'refreshing change': 706764, 'supermarket pleasant': 822005, 'pleasant and': 659598, 'common issue': 189401, 'actually looking': 30874, 'of into': 585265, 'one refreshing change': 606950, 'refreshing change of': 706765, '19 people at': 9621, 'local supermarket pleasant': 498574, 'supermarket pleasant and': 822006, 'pleasant and chatting': 659599, 'and chatting to': 59772, 'chatting to me': 174023, 'to me about': 909913, 'me about the': 522347, 'about the common': 26354, 'the common issue': 851252, 'common issue of': 189402, 'issue of lack': 455863, 'lack of some': 478657, 'some item people': 783152, 'item people actually': 463551, 'people actually looking': 646768, 'actually looking up': 30875, 'looking up instead': 503061, 'instead of into': 440280, 'of into their': 585266, 'into their phone': 443200, 'jamie oliver': 464424, 'oliver launch': 598753, 'daily channel': 224543, 'channel cooking': 172871, 'era entitled': 280035, 'entitled keep': 278824, 'jamie oliver launch': 464426, 'oliver launch daily': 598754, 'launch daily channel': 481888, 'daily channel cooking': 224544, 'channel cooking show': 172872, 'cooking show for': 202910, 'show for the': 766952, 'coronavirus era entitled': 205887, 'era entitled keep': 280036, 'entitled keep cooking': 278825, 'carry on every': 165120, 'on every day': 600616, 'every day next': 285833, 'next week at': 561671, 'week at 30pm': 975957, 'luckier': 506490, 'hud': 409893, 'apts': 83767, 'superglue': 818666, 'lacquer': 478697, 'luckier than': 506491, 'most living': 542491, 'in hud': 423890, 'hud supported': 409896, 'supported retirement': 827062, 'retirement apts': 719706, 'apts supermarket': 83768, 'supermarket rx': 822284, 'rx in': 728781, 'distance couple': 246686, 'couple year': 211722, 'year back': 1014420, 'back ended': 106975, 'hospital short': 404612, 'breath working': 139187, 'working wood': 1009079, 'wood superglue': 1004283, 'superglue mask': 818667, 'now wear': 576360, 'wear an': 974284, 'n95 every': 551174, 'time use': 898171, 'use lacquer': 949325, 'lacquer outside': 478698, 'luckier than most': 506492, 'than most living': 840912, 'most living on': 542492, 'living on in': 496430, 'on in hud': 601528, 'in hud supported': 423891, 'hud supported retirement': 409897, 'supported retirement apts': 827063, 'retirement apts supermarket': 719707, 'apts supermarket rx': 83769, 'supermarket rx in': 822285, 'rx in walking': 728782, 'in walking distance': 430666, 'walking distance couple': 965045, 'distance couple year': 246687, 'couple year back': 211723, 'year back ended': 1014422, 'back ended up': 106976, 'in hospital short': 423818, 'hospital short of': 404613, 'short of breath': 764657, 'of breath working': 580864, 'breath working wood': 139188, 'working wood superglue': 1009080, 'wood superglue mask': 1004284, 'superglue mask now': 818668, 'mask now wear': 519034, 'now wear an': 576361, 'wear an n95': 974285, 'an n95 every': 56515, 'n95 every time': 551175, 'every time use': 286323, 'time use lacquer': 898172, 'use lacquer outside': 949326, 'welcome move': 977885, 'move if': 543662, 'see chemist': 744994, 'chemist your': 175464, 'area engaging': 91998, 'predatory pricing': 669537, 'pricing please': 677959, 'welcome move if': 977886, 'move if you': 543663, 'you see chemist': 1021028, 'see chemist your': 744995, 'chemist your area': 175465, 'your area engaging': 1022817, 'area engaging in': 91999, 'engaging in predatory': 276918, 'in predatory pricing': 426917, 'predatory pricing please': 669538, 'pricing please know': 677960, 'know that it': 476771, 'bodaga': 133774, 'porportions': 664846, 'nyc area': 577965, 'must find': 546655, 'find mini': 307063, 'mini store': 533026, 'store bodaga': 806742, 'bodaga to': 133775, 'in mini': 425354, 'mini porportions': 533016, 'porportions or': 664847, 'all delivered': 42544, 'the nyc area': 862001, 'nyc area and': 577966, 'area and if': 91937, 'you cannot go': 1017864, 'of the socialdistancing': 591476, 'the socialdistancing during': 867426, 'socialdistancing during the': 780340, 'during the damn': 263113, 'the damn you': 852820, 'damn you must': 225469, 'you must find': 1019917, 'must find mini': 546656, 'find mini store': 307064, 'mini store bodaga': 533027, 'store bodaga to': 806743, 'bodaga to buy': 133776, 'food in mini': 314951, 'in mini porportions': 425355, 'mini porportions or': 533017, 'porportions or order': 664848, 'or order your': 616417, 'your grocery online': 1024131, 'grocery online and': 364773, 'online and have': 607817, 'it all delivered': 456344, 'all delivered to': 42545, 'public greed': 688039, 'selfishness are': 748336, 'service worker were': 753113, 'worker were at': 1008165, 'were at breaking': 979351, 'breaking point before': 139028, 'pandemic today the': 636800, 'today the demand': 920283, 'demand on all': 235962, 'on all service': 599247, 'all service is': 44288, 'service is unprecedented': 752526, 'unprecedented we are': 943218, 'end of 12': 275886, 'of 12 hour': 579340, 'hour shift the': 405922, 'shift the public': 758418, 'the public greed': 864814, 'public greed and': 688040, 'and selfishness are': 71202, 'selfishness are an': 748337, 'rejecting': 708339, 'to complaint': 903133, 'complaint not': 191996, 'citing covid': 178798, 'related delay': 708413, 'delay yet': 232761, 'yet prompt': 1016207, 'prompt in': 683904, 'in rejecting': 427363, 'rejecting policy': 708340, 'tat is': 834827, 'over way': 630893, 'response to complaint': 715835, 'to complaint not': 903134, 'complaint not provided': 191997, 'provided citing covid': 686584, 'citing covid 19': 178799, '19 related delay': 10048, 'related delay yet': 708414, 'delay yet prompt': 232762, 'yet prompt in': 1016208, 'prompt in rejecting': 683905, 'in rejecting policy': 427364, 'rejecting policy before': 708341, 'policy before consumer': 663352, 'before consumer tat': 122707, 'consumer tat is': 199226, 'tat is over': 834828, 'is over way': 450744, 'over way to': 630894, 'avoiding increasing': 105463, 'price substantially': 676688, 'substantially what': 816078, 'what tool': 982478, 'tool do': 925404, 'prevent them': 671740, 'for now many': 323976, 'now many supermarket': 575287, 'many supermarket and': 514754, 'supermarket and seller': 819058, 'seller are avoiding': 748974, 'are avoiding increasing': 84725, 'avoiding increasing their': 105464, 'their price substantially': 874424, 'price substantially what': 676689, 'substantially what tool': 816079, 'what tool do': 982479, 'tool do government': 925405, 'government have to': 360189, 'have to prevent': 383266, 'to prevent them': 912093, 'prevent them from': 671741, 'them from doing': 875748, 'from doing it': 335180, 'doing it in': 252484, 'it in future': 458731, 'don overpay': 253787, 'personal household': 652868, 'these kind': 880218, 'don overpay for': 253788, 'overpay for personal': 631381, 'for personal household': 324501, 'personal household good': 652869, 'or service that': 617026, 'needed to treat': 556551, 'treat or limit': 930858, 'on these kind': 604568, 'these kind of': 880219, 'kind of good': 474902, 'amp service by': 54469, 'service by 10': 752195, '2349027271699': 15474, 'n5': 551124, 'n6': 551140, 'n7': 551143, 'n8': 551150, 'get custom': 346845, 'custom wall': 221995, 'wall frame': 965162, 'frame at': 330938, 'office dm': 595405, 'whatsapp 2349027271699': 982871, '2349027271699 by': 15475, '10 n5': 1553, 'n5 00': 551125, '00 10': 16, '12 n6': 2910, 'n6 500': 551141, '500 12': 19939, '12 by': 2833, '12 n7': 2912, 'n7 00': 551144, '00 12': 20, '16 n7': 4140, '00 16': 22, '16 by': 4100, '16 n8': 4142, 'n8 00': 551151, '00 putin': 455, 'putin 19': 691002, 'get custom wall': 346846, 'custom wall frame': 221996, 'wall frame at': 965163, 'frame at affordable': 330939, 'for your room': 328202, 'room and office': 725879, 'and office dm': 67996, 'office dm or': 595406, 'dm or whatsapp': 248916, 'or whatsapp 2349027271699': 617776, 'whatsapp 2349027271699 by': 982872, '2349027271699 by 10': 15476, 'by 10 n5': 151517, '10 n5 00': 1554, 'n5 00 10': 551126, '00 10 by': 17, '10 by 10': 1351, '10 by 12': 1352, 'by 12 n6': 151534, '12 n6 500': 2911, 'n6 500 12': 551142, '500 12 by': 19940, '12 by 12': 2834, 'by 12 n7': 151535, '12 n7 00': 2913, 'n7 00 12': 551145, '00 12 by': 21, '12 by 16': 2835, 'by 16 n7': 151554, '16 n7 00': 4141, 'n7 00 16': 551146, '00 16 by': 23, '16 by 16': 4101, 'by 16 n8': 151555, '16 n8 00': 4143, 'n8 00 putin': 551152, '00 putin 19': 456, 'quarantine elderly': 692173, 'elderly food': 270679, 'away homebound': 105941, 'homebound not': 402623, 'know online': 476654, 'we govt': 971683, 'quarantine elderly food': 692174, 'elderly food when': 270680, 'are right away': 89694, 'right away homebound': 721788, 'away homebound not': 105942, 'homebound not everyone': 402624, 'supply or know': 825687, 'or know online': 615914, 'know online shopping': 476655, 'without help we': 1002717, 'help we govt': 390862, 'we govt need': 971684, 'social to': 779991, 'promote whether': 683804, 'it ordering': 460152, 'ordering to': 619042, 'will be sharing': 992677, 'be sharing on': 117128, 'sharing on our': 755563, 'website and social': 975205, 'and social to': 71898, 'social to promote': 779992, 'to promote whether': 912261, 'promote whether it': 683805, 'whether it ordering': 985531, 'it ordering to': 460153, 'ordering to go': 619043, 'go or shopping': 353920, 'shopping online use': 763501, 'online use to': 609657, 'use to show': 949761, 'show how you': 766996, 'how you are': 409272, 'are supporting local': 90664, 'enter any': 278231, 'store allowed': 806144, 'allowed open': 46197, 'rico policestate': 721384, 'are now required': 88588, 'mask to enter': 519401, 'to enter any': 905211, 'enter any grocery': 278232, 'store pharmacy only': 809543, 'pharmacy only store': 654391, 'only store allowed': 611206, 'store allowed open': 806145, 'allowed open in': 46198, 'open in puerto': 612323, 'puerto rico policestate': 688819, 'destination but': 238974, 'in era': 422593, 'to reconcile': 912961, 'address amp': 31942, 'avoid major': 105183, 'major insight': 509366, 'the is health': 858499, 'is health amp': 448361, 'health amp social': 386123, 'amp social destination': 54523, 'social destination but': 779484, 'destination but also': 238975, 'risk in era': 723625, 'in era how': 422594, 'era how to': 280053, 'how to reconcile': 409069, 'to reconcile our': 912962, 'to address amp': 900082, 'address amp to': 31943, 'amp to avoid': 54710, 'to avoid major': 900918, 'avoid major insight': 105184, 'busting': 144847, 'playstation2': 659503, 'myself being': 550835, 'semi self': 749622, 'about busting': 24904, 'busting out': 144848, 'my playstation2': 549792, 'playstation2 and': 659504, 'off should': 594159, 'should though': 766594, 'with myself being': 999663, 'myself being in': 550836, 'being in semi': 125304, 'in semi self': 427797, 'semi self quarantine': 749623, 'self quarantine still': 747870, 'quarantine still work': 692582, 'still work in': 801421, 'retail and go': 717822, 'thinking about busting': 885843, 'about busting out': 24905, 'busting out my': 144849, 'out my playstation2': 626608, 'my playstation2 and': 549793, 'playstation2 and playing': 659505, 'and playing some': 69098, 'playing some game': 659444, 'some game on': 782937, 'game on my': 343223, 'day off should': 228130, 'off should though': 594160, 'your wife': 1026352, 'wife need': 991950, 'need teeth': 555708, 'teeth pulled': 836605, 'pulled all': 688906, 'is soup': 452136, 'every can': 285710, 'soup is': 786384, 'about gone': 25313, 'gone at': 356213, '19 hoarder': 7558, 'hoarder you': 399152, 'own from': 632012, 'scratch roasted': 742612, 'when your wife': 984643, 'your wife need': 1026353, 'wife need teeth': 991951, 'need teeth pulled': 555709, 'teeth pulled all': 836606, 'pulled all of': 688907, 'the sudden and': 868379, 'sudden and all': 816982, 'and all she': 57890, 'all she can': 44300, 'she can eat': 755919, 'eat is soup': 265954, 'is soup and': 452137, 'soup and every': 786369, 'and every can': 62369, 'every can of': 285711, 'of soup is': 589939, 'soup is about': 786385, 'is about gone': 445275, 'about gone at': 25314, 'gone at the': 356214, 'store thanks to': 810541, 'covid 19 hoarder': 213213, '19 hoarder you': 7559, 'hoarder you make': 399153, 'your own from': 1025139, 'own from scratch': 632013, 'from scratch roasted': 337189, 'away anytime': 105785, 'soon cause': 785673, 'cause starting': 167743, 'gas other': 343915, 'rising again': 723149, 'again investing': 37042, 'finance money': 306237, 'is going away': 448088, 'going away anytime': 355038, 'away anytime soon': 105786, 'anytime soon cause': 80973, 'soon cause starting': 785674, 'cause starting to': 167744, 'to see gas': 914012, 'see gas other': 745151, 'gas other stock': 343916, 'other stock price': 620974, 'stock price rising': 802747, 'price rising again': 676253, 'rising again investing': 723150, 'again investing finance': 37043, 'investing finance money': 443924, 'britain america': 140369, 'toiletry for': 923416, 'normally stop': 567546, 'buying convid19uk': 150142, 'britain america are': 140370, 'america are first': 51466, 'are first world': 86588, 'enough food toiletry': 277420, 'food toiletry for': 317322, 'toiletry for everyone': 923417, 'you shop normally': 1021162, 'shop normally stop': 760496, 'normally stop panic': 567547, 'panic buying convid19uk': 637686, 'buying convid19uk coronacrisis': 150143, 'mid week': 530599, 'week driver': 976171, 'driver covid': 259496, 'and boris': 59087, 'mid week driver': 530600, 'week driver covid': 976172, 'driver covid 19': 259497, 'price and russia': 672529, 'russia and boris': 728425, 'and boris johnson': 59088, 'packaging could': 633526, 'spreading who': 791086, 'who touched': 989809, 'them home': 875859, 'delivery parcel': 234301, 'parcel need': 641511, 'better system': 128509, 'allow sanitizing': 46050, 'sanitizing free': 736473, 'from hazardous': 335740, 'hazardous chemical': 384590, 'packaging could be': 633527, 'could be mean': 208896, 'be mean of': 115920, 'mean of spreading': 524586, 'of spreading who': 590009, 'spreading who touched': 791087, 'who touched the': 989810, 'touched the product': 926646, 'supermarket before you': 819355, 'you take them': 1021520, 'take them home': 832695, 'them home what': 875860, 'home what about': 402477, 'about your mail': 27005, 'your mail delivery': 1024762, 'mail delivery parcel': 508603, 'delivery parcel need': 234302, 'parcel need better': 641512, 'need better system': 554537, 'better system to': 128510, 'system to distribute': 831351, 'to distribute good': 904443, 'distribute good that': 247982, 'good that allow': 357817, 'that allow sanitizing': 842586, 'allow sanitizing free': 46051, 'sanitizing free from': 736474, 'free from hazardous': 331862, 'from hazardous chemical': 335741, 'bludgeon': 133427, 'mcdonald withdraws': 522154, 'withdraws forecast': 1002283, 'forecast after': 328802, '19 bludgeon': 5411, 'bludgeon sale': 133428, 'mcdonald withdraws forecast': 522155, 'withdraws forecast after': 1002284, 'forecast after covid': 328803, 'covid 19 bludgeon': 212715, '19 bludgeon sale': 5412, 'profit merchant': 682811, 'must unite': 546967, 'unite to': 942131, 'this is crisis': 888222, 'is crisis and': 446932, 'crisis and not': 217036, 'and not an': 67714, 'huge profit merchant': 410151, 'profit merchant need': 682812, 'hiking price we': 396411, 'price we must': 677406, 'we must unite': 972449, 'must unite to': 546969, 'unite to fight': 942132, 'fight this deadly': 304916, 'this deadly virus': 887175, 'from pioneer': 336927, 'pioneer day': 656863, 'rolling over': 725683, 'in graf': 423400, 'graf laughing': 361737, 'at 21st': 97527, 'century er': 169614, 'er we': 280022, 'panic because': 637397, 'own child': 631918, 'and teach': 73056, 'home ve': 402420, 'some call': 782468, 'people from pioneer': 648002, 'from pioneer day': 336928, 'pioneer day are': 656864, 'day are rolling': 227317, 'are rolling over': 89743, 'rolling over in': 725684, 'over in graf': 630312, 'in graf laughing': 423401, 'graf laughing at': 361738, 'laughing at 21st': 481809, 'at 21st century': 97528, '21st century er': 15142, 'century er we': 169615, 'er we panic': 280023, 'we panic because': 972689, 'panic because we': 637398, 'we have stay': 971949, 'have stay home': 382740, 'stay home work': 797032, 'home work from': 402556, 'from home make': 335877, 'home make our': 401577, 'own food take': 632001, 'food take care': 317059, 'our own child': 624200, 'own child and': 631919, 'child and teach': 176001, 'and teach them': 73057, 'teach them from': 835404, 'them from home': 875751, 'from home ve': 335925, 'home ve even': 402421, 've even heard': 953087, 'even heard some': 284179, 'heard some call': 388135, 'some call it': 782469, 'during most': 262795, 'most snap': 542753, 'recipient can': 704526, 'buying your grocery': 151413, 'grocery online during': 364776, 'online during most': 608143, 'during most snap': 262796, 'most snap recipient': 542754, 'snap recipient can': 776110, 'recipient can now': 704527, 'can now some': 159074, 'now some state': 575867, 'some state are': 783938, 'state are trying': 795394, 'trying to change': 934777, 'to change that': 902616, 'change that from': 172282, 'hitherto': 398545, 'fake drug': 296611, 'might hitherto': 531041, 'hitherto cure': 398546, 'alleviate it': 45809, 'it disease': 457568, 'catch them': 167039, 'too is': 924806, 'drug have': 260966, 'have unnecessarily': 383462, 'unnecessarily sky': 942872, 'producing fake drug': 680764, 'fake drug that': 296612, 'drug that might': 261111, 'that might hitherto': 845162, 'might hitherto cure': 531042, 'hitherto cure the': 398547, 'cure the or': 220822, 'the or perhaps': 862439, 'perhaps alleviate it': 651564, 'alleviate it disease': 45810, 'it disease that': 457569, 'disease that can': 245247, 'that can catch': 843096, 'can catch them': 157879, 'catch them too': 167040, 'them too is': 876544, 'too is it': 924807, 'not enough that': 569194, 'enough that price': 277665, 'of drug have': 582848, 'drug have unnecessarily': 260967, 'have unnecessarily sky': 383463, 'unnecessarily sky rocketed': 942873, 'long chaotic': 501368, 'chaotic supermarket': 173097, 'buying is like': 150569, 'is like long': 449322, 'like long chaotic': 490668, 'long chaotic supermarket': 501369, 'chaotic supermarket sweeping': 173098, 'the writing': 872097, 'wall say': 965172, 'ago thing': 38506, 'got get': 358583, 'weird panic': 977776, 'store gun': 807988, 'surge store': 828255, 'business alike': 143255, 'alike closing': 41777, 'closing door': 183618, 'new enemy': 558686, 'enemy to': 276368, 'world hope': 1009639, 'week shed': 976859, 'shed good': 756505, 'good light': 357327, 'light during': 489523, 'time mondaymotivaton': 897218, 'the writing in': 872098, 'writing in the': 1012909, 'in the wall': 429655, 'the wall say': 871048, 'wall say it': 965173, 'it all week': 456385, 'all week ago': 45420, 'week ago thing': 975860, 'ago thing got': 38507, 'thing got get': 884374, 'got get weird': 358584, 'get weird panic': 348610, 'weird panic buying': 977777, 'grocery store gun': 365446, 'store gun sale': 807989, 'sale surge store': 732557, 'surge store and': 828256, 'and business alike': 59264, 'business alike closing': 143256, 'alike closing door': 41778, 'closing door due': 183619, 'to this new': 917443, 'this new enemy': 889113, 'new enemy to': 558687, 'enemy to the': 276369, 'the world hope': 871888, 'world hope this': 1009640, 'this week shed': 891263, 'week shed good': 976860, 'shed good light': 756506, 'good light during': 357328, 'light during dark': 489524, 'during dark time': 262586, 'dark time mondaymotivaton': 225987, 'selfish take': 748282, 'being selfish take': 125748, 'selfish take care': 748283, 'uhuru say': 938110, 'see employee': 745072, 'or forced': 615374, 'take half': 832158, 'half pay': 374249, 'uhuru say covid': 938111, '19 is crisis': 7953, 'is crisis that': 446935, 'crisis that might': 218151, 'that might see': 845165, 'might see employee': 531118, 'see employee laid': 745073, 'off or forced': 594033, 'or forced to': 615375, 'forced to take': 328661, 'to take half': 916183, 'take half pay': 832159, 'snapshot bcg': 776154, 'sentiment snapshot bcg': 750996, 'twitterblack': 936746, 'among catering': 52987, 'catering company': 167261, 'company retail': 191028, 'good producer': 357593, 'producer all': 680557, 'sale twitterblack': 732606, 'decreased by up': 231626, 'to 80 among': 899849, '80 among catering': 22550, 'among catering company': 52988, 'catering company retail': 167262, 'company retail company': 191029, 'retail company and': 717972, 'company and consumer': 190375, 'packaged good producer': 633493, 'good producer all': 357594, 'producer all type': 680558, 'type of company': 937549, 'of company have': 581608, 'company have seen': 190742, 'have seen significant': 382440, 'seen significant decline': 747225, 'significant decline in': 769415, 'in sale twitterblack': 427664, 'elmo': 271584, 'know st': 476738, 'st elmo': 791695, 'elmo ha': 271585, 'least march': 484544, 'march 31st': 515246, '31st to': 17652, 'team during': 835628, 'open purchasing': 612474, 'purchasing our': 689899, 'retail product': 718422, 'you know st': 1019526, 'know st elmo': 476739, 'st elmo ha': 791696, 'elmo ha closed': 271586, 'ha closed until': 370178, 'closed until at': 183414, 'at least march': 99519, 'least march 31st': 484545, 'march 31st to': 515248, '31st to help': 17653, '19 and lot': 5059, 'people have asked': 648162, 'have asked how': 379364, 'asked how they': 95767, 'help and our': 389355, 'our team during': 625100, 'team during this': 835629, 'time our store': 897435, 'our store is': 624947, 'is open purchasing': 450577, 'open purchasing our': 612475, 'purchasing our retail': 689900, 'our retail product': 624639, 'retail product is': 718424, 'faruki': 299738, 'pll': 661069, 'ohio bill': 596524, 'bill would': 130738, 'state authority': 795405, 'customer purchase': 222731, 'emergency faruki': 272695, 'faruki pll': 299739, 'pll ohio': 661070, 'ohio bill would': 596525, 'bill would give': 130739, 'would give the': 1011840, 'give the state': 350753, 'the state authority': 867748, 'state authority to': 795406, 'authority to limit': 103803, 'limit customer purchase': 492324, 'customer purchase and': 222732, 'purchase and control': 689349, 'price of high': 675468, 'of high demand': 584611, 'demand product during': 236084, 'pandemic and other': 634886, 'and other emergency': 68314, 'other emergency faruki': 620130, 'emergency faruki pll': 272696, 'faruki pll ohio': 299740, 'now refusing': 575665, 'refusing return': 707085, 'costco is now': 208245, 'is now refusing': 450324, 'now refusing return': 575666, 'refusing return on': 707086, 'return on high': 719876, 'petrol ha': 653742, 'gone below': 356224, 'following the drop': 312882, 'imported petrol ha': 419187, 'petrol ha gone': 653743, 'ha gone below': 370721, 'gone below the': 356225, 'million for': 532159, 'it plant': 460340, 'based liquid': 111640, 'liquid meal': 494099, 'meal kate': 524199, 'kate farm': 471019, 'farm push': 299163, 'push into': 690286, 'healthcare coronapocolypse': 387078, 'coronapocolypse stayathome': 205243, 'with 23 million': 996986, '23 million for': 15408, 'million for it': 532160, 'for it plant': 322724, 'it plant based': 460341, 'plant based liquid': 658624, 'based liquid meal': 111641, 'liquid meal kate': 494100, 'meal kate farm': 524200, 'kate farm push': 471020, 'farm push into': 299164, 'push into consumer': 690287, 'into consumer and': 442481, 'consumer and healthcare': 196215, 'and healthcare coronapocolypse': 64374, 'healthcare coronapocolypse stayathome': 387079, 'work may': 1005462, 'again coronavirus': 36959, 'coronavirus shift': 206751, 'behaviour help': 124441, 'business boom': 143449, 'boom au': 134798, 'live work may': 496130, 'work may never': 1005463, 'may never be': 521362, 'same again coronavirus': 732955, 'again coronavirus shift': 36960, 'coronavirus shift consumer': 206752, 'consumer behaviour help': 196576, 'behaviour help some': 124442, 'help some business': 390541, 'some business boom': 782447, 'business boom au': 143450, 'pandemic predicted': 636219, 'worsen this': 1011076, 'force leader': 328422, 'leader urge': 483560, 'contain trip': 200509, 'minimum by': 533182, 'declaring this': 231285, '19 pandemic predicted': 9433, 'pandemic predicted to': 636220, 'predicted to worsen': 669631, 'to worsen this': 918851, 'worsen this week': 1011077, 'this week coronavirus': 891201, 'week coronavirus task': 976115, 'task force leader': 834691, 'force leader urge': 328423, 'leader urge american': 483561, 'american to contain': 52264, 'to contain trip': 903370, 'contain trip to': 200510, 'trip to bare': 932186, 'bare minimum by': 110921, 'minimum by declaring': 533183, 'by declaring this': 152311, 'declaring this is': 231286, 'grocery store grocery': 365442, 'one silverlining': 607040, 'silverlining of': 769872, 'experience rush': 291466, 'of overwhelming': 587633, 'overwhelming gratitude': 631748, 'gratitude on': 362385, 'on seeing': 603355, 'seeing box': 746240, 'one silverlining of': 607041, 'silverlining of covid': 769873, '19 experience rush': 6895, 'experience rush of': 291467, 'rush of overwhelming': 728315, 'of overwhelming gratitude': 587634, 'overwhelming gratitude on': 631749, 'gratitude on seeing': 362386, 'on seeing box': 603356, 'seeing box of': 746241, 'box of tissue': 137131, 'of tissue on': 592202, 'tissue on the': 899182, 'it the little': 461555, 'the little thing': 859496, 'now behind': 574236, 'behind china': 124612, 'rate austria': 697166, 'austria germany': 103599, 'germany norway': 346327, 'norway are': 567836, 'right learn': 721975, 'stophoarding highriskcovid19': 805412, 'highriskcovid19 coronauk': 396114, 'coronauk uklockdown': 205325, 'uk is now': 938485, 'is now behind': 450264, 'now behind china': 574237, 'behind china in': 124613, 'china in the': 176732, 'in the mortality': 429373, 'mortality rate austria': 541802, 'rate austria germany': 697167, 'austria germany norway': 103600, 'germany norway are': 346328, 'norway are doing': 567837, 'it right learn': 460779, 'right learn from': 721976, 'from them coronacrisis': 337957, 'coronacrisis stophoarding highriskcovid19': 204788, 'stophoarding highriskcovid19 coronauk': 805413, 'highriskcovid19 coronauk uklockdown': 396115, 'support ca': 826403, 'ca ebt': 154874, 'ebt online': 266586, 'online pilot': 608760, 'pilot please': 656739, 'without expose': 1002624, 'expose to': 292817, 'support ca ebt': 826404, 'ca ebt online': 154875, 'ebt online pilot': 266587, 'online pilot please': 608761, 'pilot please it': 656740, 'please it pandemic': 660125, 'it pandemic situation': 460241, 'pandemic situation now': 636476, 'situation now and': 772407, 'now and ppl': 574051, 'and ppl need': 69291, 'ppl need online': 668285, 'shopping without expose': 764450, 'without expose to': 1002625, 'expose to the': 292818, 'line retail': 493374, 'worker becoming': 1006511, 'becoming ill': 120300, 'also more': 48534, 'onto others': 611668, 'beginning of more': 123650, 'of more front': 586642, 'front line retail': 338598, 'line retail worker': 493375, 'retail worker becoming': 718873, 'worker becoming ill': 1006512, 'becoming ill or': 120301, 'dying from and': 263817, 'from and also': 334505, 'and also more': 57964, 'also more shopper': 48535, 'more shopper being': 540383, 'shopper being infected': 761437, 'being infected and': 125322, 'passing it onto': 643381, 'it onto others': 460118, '40 wine': 18691, 'liquor ha': 494174, 'the grape': 856701, 'grape grown': 362130, 'grown in': 367283, 'in napa': 425672, 'valley in': 951969, 'napa distillery that': 551839, 'distillery that produce': 247818, 'produce more than': 680368, 'than 40 wine': 840245, '40 wine and': 18692, 'and liquor ha': 66216, 'liquor ha started': 494175, 'started producing hand': 794816, 'sanitizer from the': 734950, 'from the grape': 337729, 'the grape grown': 856702, 'grape grown in': 362131, 'grown in napa': 367284, 'in napa valley': 425673, 'napa valley in': 551842, 'valley in response': 951970, 'weareworldvision': 974574, 'distributing item': 248085, 'such soap': 816762, 'partner network': 642855, 'of church': 581418, 'church school': 178401, 'community faith': 189843, 'faith based': 296496, 'organization weareworldvision': 619443, 'staff is responding': 792579, 'the by distributing': 850241, 'by distributing item': 152377, 'distributing item such': 248086, 'item such soap': 463674, 'such soap hand': 816763, 'wipe and mask': 996189, 'mask to our': 519417, 'to our partner': 911230, 'our partner network': 624281, 'partner network of': 642856, 'network of church': 557748, 'of church school': 581419, 'church school community': 178402, 'school community faith': 741759, 'community faith based': 189844, 'faith based organization': 296497, 'based organization weareworldvision': 111708, 'wtfisthis': 1013349, 'trade toilet': 928595, 'game huh': 343185, 'huh ll': 410312, 'pas wtfisthis': 643177, 'wtfisthis foot': 1013350, 'foot toe': 318450, 'toe toiletpaper': 920642, 'toiletpaper hysteria': 922106, 'hysteria trade': 412481, 'trade videogames': 928601, 'trade toilet paper': 928596, 'paper for video': 640189, 'video game huh': 956756, 'game huh ll': 343186, 'huh ll pas': 410313, 'll pas wtfisthis': 496943, 'pas wtfisthis foot': 643178, 'wtfisthis foot toe': 1013351, 'foot toe toiletpaper': 318451, 'toe toiletpaper hysteria': 920643, 'toiletpaper hysteria trade': 922107, 'hysteria trade videogames': 412482, 'news front': 560462, 'front we': 338682, 'bidet toiletpaperapocalypse': 129581, 'good news front': 357445, 'news front we': 560463, 'front we now': 338683, 'now have bidet': 574866, 'have bidet toiletpaperapocalypse': 379784, 'bidet toiletpaperapocalypse toiletpaper': 129582, 'martinlewis': 518116, 'think housing': 885284, 'or decrease': 614918, 'economy being': 267700, 'scotland sure': 742431, 'answer thanks': 78107, 'thanks in': 842113, 'advance martinlewis': 32903, 'you think housing': 1021662, 'think housing price': 885285, 'will increase or': 993821, 'increase or decrease': 432965, 'or decrease in': 614920, 'decrease in the': 231584, 'coming month with': 188147, 'month with the': 538132, 'the economy being': 853941, 'economy being affected': 267701, 're in scotland': 698883, 'in scotland sure': 427745, 'scotland sure that': 742432, 'sure that make': 827694, 'that make difference': 844991, 'make difference to': 509837, 'difference to your': 241877, 'to your answer': 918949, 'your answer thanks': 1022788, 'answer thanks in': 78108, 'thanks in advance': 842114, 'in advance martinlewis': 420056, 'calculator tell': 155350, 'last toiletpaperpanic': 480589, 'coronacrisis coronavid19': 204582, 'online calculator tell': 607982, 'calculator tell you': 155351, 'will last toiletpaperpanic': 993954, 'last toiletpaperpanic toiletpapergate': 480590, 'toiletpaperpanic toiletpapergate toiletpaper': 923288, 'toiletpapergate toiletpaper 19': 923163, 'toiletpaper 19 coronacrisis': 921671, 'coronacrisis coronacrisis coronavid19': 204566, 'kaw': 471120, '19 wait': 11886, 'for kaw': 322805, 'kaw kaw': 471121, 'kaw sale': 471123, '19 buy': 5546, 'covid 19 wait': 214039, '19 wait for': 11887, 'wait for kaw': 964116, 'for kaw kaw': 322806, 'kaw kaw sale': 471122, 'kaw sale after': 471124, 'sale after covid': 732022, 'covid 19 buy': 212745, '19 buy the': 5548, 'trumpandemic': 934024, 'trumppresser': 934151, 'ubs now': 937868, 'see deep': 745033, 'recession by': 704232, 'by july': 152968, 'july due': 467812, 'pandemic trumpandemic': 636849, 'trumpandemic trumpistheworstpresidentever': 934025, 'trumpistheworstpresidentever trumppresser': 934062, 'ubs now see': 937869, 'now see deep': 575745, 'see deep recession': 745034, 'deep recession by': 231918, 'recession by july': 704233, 'by july due': 152969, 'july due to': 467813, 'the pandemic trumpandemic': 863138, 'pandemic trumpandemic trumpistheworstpresidentever': 636850, 'trumpandemic trumpistheworstpresidentever trumppresser': 934026, 'nflx': 561787, 'time window': 898347, 'window is': 995682, 'closing breaking': 183599, 'wheel netflix': 983040, 'netflix social': 557627, 'social resurrection': 779931, 'resurrection nflx': 717786, 'the time window': 869634, 'time window is': 898349, 'window is closing': 995683, 'is closing breaking': 446604, 'closing breaking the': 183600, 'breaking the wheel': 139066, 'the wheel netflix': 871426, 'wheel netflix social': 983041, 'netflix social resurrection': 557628, 'social resurrection nflx': 779932, 'pane': 637157, 'dystopian movie': 263944, 'movie going': 544007, 'today number': 919956, 'glove so': 352919, 'little ppl': 495529, 'other giant': 620296, 'giant pane': 349839, 'pane in': 637158, 'cashier life': 166562, 'lockdown greece': 499426, 'being in dystopian': 125299, 'in dystopian movie': 422433, 'dystopian movie going': 263945, 'movie going to': 544008, 'supermarket today number': 823457, 'today number to': 919957, 'number to get': 577071, 'get in wearing': 347320, 'wearing glove so': 974639, 'glove so little': 352920, 'so little ppl': 777561, 'little ppl and': 495530, 'ppl and at': 668159, 'and at distance': 58472, 'at distance from': 98455, 'each other giant': 264177, 'other giant pane': 620297, 'giant pane in': 349840, 'pane in front': 637159, 'of the cashier': 590850, 'the cashier life': 850490, 'cashier life in': 166563, 'life in lockdown': 488762, 'in lockdown greece': 424842, 'clamber': 179932, 'bellend': 126504, 'do worry': 250602, 'people intelligence': 648487, 'intelligence social': 441005, 'mean clamber': 524393, 'clamber over': 179933, 'my trolley': 550432, 'your preferred': 1025373, 'preferred brand': 669805, 'coffee you': 185560, 'absolute tool': 27300, 'tool bellend': 925398, 'really do worry': 702130, 'do worry about': 250603, 'worry about some': 1010651, 'about some people': 26230, 'some people intelligence': 783521, 'people intelligence social': 648488, 'intelligence social distancing': 441006, 'in supermarket doe': 428585, 'not mean clamber': 570550, 'mean clamber over': 524394, 'clamber over my': 179934, 'over my trolley': 630426, 'my trolley to': 550433, 'trolley to get': 932489, 'get your preferred': 348727, 'your preferred brand': 1025374, 'preferred brand of': 669806, 'brand of coffee': 137943, 'of coffee you': 581510, 'coffee you absolute': 185561, 'you absolute tool': 1016780, 'absolute tool bellend': 27301, 'hit oil': 398348, 'producer state': 680695, 'state hard': 795649, 'hard coupled': 377894, 'an oilprice': 56580, 'oilprice war': 597645, 'pandemic amount': 634844, 'storm price': 811832, 'over barrel': 630014, 'barrel quick': 111270, 'quick thread': 694404, 'thread oott': 893590, 'hit oil producer': 398349, 'oil producer state': 597345, 'producer state hard': 680696, 'state hard coupled': 795650, 'hard coupled with': 377895, 'with an oilprice': 997225, 'an oilprice war': 56581, 'oilprice war the': 597646, 'war the pandemic': 966549, 'the pandemic amount': 862903, 'pandemic amount to': 634845, 'amount to perfect': 53298, 'perfect storm price': 651349, 'storm price are': 811833, 'free fall and': 331803, 'fall and below': 296827, 'and below 30': 58886, 'below 30 now': 126574, '30 now so': 17137, 'now so who': 575855, 'so who over': 778745, 'who over barrel': 989392, 'over barrel quick': 630015, 'barrel quick thread': 111271, 'quick thread oott': 694405, 'inventy': 443732, 'keep improve': 471589, 'manufacturing sanitizing': 513651, 'solution improved': 782042, 'improved online': 419568, 'banking platform': 110449, 'platform supermarket': 659026, 'with updated': 1001918, 'updated inventy': 947391, 'inventy for': 443733, 'delivery reliable': 234392, 'reliable food': 709201, 'which allow': 985648, 'we should keep': 973277, 'should keep improve': 766167, 'keep improve on': 471590, 'improve on post': 419531, 'on post covid': 602861, 'covid 19 manufacturing': 213398, '19 manufacturing sanitizing': 8539, 'manufacturing sanitizing solution': 513652, 'sanitizing solution improved': 736507, 'solution improved online': 782043, 'improved online banking': 419569, 'online banking platform': 607912, 'banking platform supermarket': 110450, 'platform supermarket website': 659027, 'supermarket website with': 823769, 'website with updated': 975493, 'with updated inventy': 1001919, 'updated inventy for': 947392, 'inventy for online': 443734, 'shopping amp pick': 761954, 'amp pick up': 54299, 'up delivery reliable': 944700, 'delivery reliable food': 234393, 'reliable food delivery': 709202, 'delivery service which': 234480, 'service which allow': 753068, 'which allow for': 985649, 'allow for credit': 45964, 'nantes': 551823, 'monoprix': 537444, 'johm': 466508, 'before french': 122812, 'imposed near': 419299, 'human movement': 410563, 'movement on': 543907, 'saw exhibit': 738110, 'exhibit awareness': 290205, 'in nantes': 425670, 'nantes wa': 551824, 'wa shopper': 963201, 'local monoprix': 498190, 'monoprix supermarket': 537445, 'supermarket writes': 824142, 'writes johm': 1012847, 'johm richardson': 466509, 'before french president': 122813, 'french president macron': 332752, 'president macron imposed': 670851, 'macron imposed near': 507497, 'imposed near total': 419300, 'near total lockdown': 553625, 'total lockdown on': 926190, 'lockdown on human': 499732, 'on human movement': 601444, 'human movement on': 410564, 'movement on march': 543908, '16 the only': 4177, 'only person saw': 610960, 'person saw exhibit': 652594, 'saw exhibit awareness': 738111, 'exhibit awareness of': 290206, 'awareness of the': 105714, 'here in nantes': 393167, 'in nantes wa': 425671, 'nantes wa shopper': 551825, 'wa shopper at': 963202, 'check out of': 174562, 'my local monoprix': 549128, 'local monoprix supermarket': 498191, 'monoprix supermarket writes': 537446, 'supermarket writes johm': 824143, 'writes johm richardson': 1012848, 'largest shopping': 480019, 'the largest shopping': 858977, 'largest shopping center': 480020, 'center in my': 169234, 'is closed however': 446579, 'closed however the': 183165, 'however the store': 409484, 'where work is': 985368, 'ealing': 264386, 'uxbridge': 951514, 'you investigate': 1019369, 'independent market': 434120, 'market stall': 517106, 'stall shop': 793377, 'west ealing': 980493, 'ealing uxbridge': 264387, 'uxbridge road': 951515, 'road they': 724519, 'have explained': 380530, 'explained this': 292167, 'the doubt': 853615, 'can you investigate': 160311, 'you investigate the': 1019370, 'investigate the increase': 443806, 'in price by': 426954, 'price by the': 673042, 'by the independent': 154357, 'the independent market': 858105, 'independent market stall': 434121, 'market stall shop': 517107, 'stall shop in': 793378, 'shop in west': 760331, 'in west ealing': 430802, 'west ealing uxbridge': 980494, 'ealing uxbridge road': 264388, 'uxbridge road they': 951516, 'road they have': 724520, 'they have explained': 882317, 'have explained this': 380531, 'explained this increase': 292168, 'this increase due': 888080, 'to the doubt': 916650, 'the doubt that': 853616, 'doubt that profiteering': 256218, 'allcannedout': 45631, 'aluminumcan': 49439, 'donotforgetthecanopener': 255180, 'lone anonymous': 501275, 'anonymous mystery': 77458, 'mystery can': 551004, 'can among': 157489, 'today anonymous': 919241, 'anonymous allcannedout': 77450, 'allcannedout aluminumcan': 45632, 'aluminumcan donotforgetthecanopener': 49440, 'lone anonymous mystery': 501276, 'anonymous mystery can': 77459, 'mystery can among': 551005, 'can among the': 157491, 'among the only': 53069, 'left at local': 485397, 'supermarket today anonymous': 823434, 'today anonymous allcannedout': 919242, 'anonymous allcannedout aluminumcan': 77451, 'allcannedout aluminumcan donotforgetthecanopener': 45633, 'meanwhile last': 525002, 'ditch attempt': 248439, 'at saving': 100466, 'saving stock': 737961, 'meanwhile last ditch': 525003, 'last ditch attempt': 480197, 'ditch attempt at': 248440, 'attempt at saving': 102215, 'at saving stock': 100467, 'saving stock price': 737962, 'price from collapsing': 674111, 'rea': 699861, 'smartline': 775492, 'restriction nerida': 717326, 'conisbee chief': 194575, 'economist for': 267554, 'for rea': 324976, 'rea group': 699862, 'group present': 366843, 'for smartline': 325674, 'interested in finding': 441457, 'in finding out': 422895, 'finding out what': 307525, '19 restriction nerida': 10180, 'restriction nerida conisbee': 717327, 'nerida conisbee chief': 557435, 'conisbee chief economist': 194576, 'chief economist for': 175917, 'economist for rea': 267555, 'for rea group': 324977, 'rea group present': 699863, 'group present the': 366844, 'present the latest': 670628, 'update for smartline': 946962, 'handsanitizer amp': 376474, 'were ignored': 979762, 'college one': 186635, 'bought cool': 136534, 'cool car': 202997, 'car amp': 162988, 'amp bike': 53456, 'bike then': 130425, 'handsanitizer amp toilet': 376475, 'amp toilet paper': 54722, 'paper are the': 639891, 'guy who were': 369234, 'who were ignored': 989960, 'were ignored by': 979763, 'ignored by everyone': 415868, 'by everyone in': 152509, 'everyone in college': 287038, 'in college one': 421552, 'college one day': 186636, 'one day they': 606166, 'day they bought': 228518, 'they bought cool': 881575, 'bought cool car': 136535, 'cool car amp': 202998, 'car amp bike': 162989, 'amp bike then': 53457, 'bike then this': 130426, 'then this happened': 877667, 'you feared': 1018523, 'feared the': 301443, 'stockmarket at': 803643, 'why were': 991542, 'you investing': 1019371, 'investing at': 443916, 'their historical': 873545, 'historical high': 397985, 'when investor': 983609, 'investor pushed': 444195, 'up premium': 945795, 'for earnings': 320913, 'earnings 50': 264889, 'year into': 1014664, 'natural death': 552814, 'and volatile': 75015, 'if you feared': 415437, 'you feared the': 1018524, 'feared the stockmarket': 301444, 'the stockmarket at': 867934, 'stockmarket at these': 803644, 'low price why': 505551, 'price why were': 677546, 'why were you': 991544, 'were you investing': 980364, 'you investing at': 1019372, 'investing at their': 443917, 'at their historical': 101167, 'their historical high': 873546, 'historical high when': 397986, 'high when investor': 395518, 'when investor pushed': 983610, 'investor pushed up': 444196, 'pushed up premium': 690392, 'up premium for': 945796, 'premium for earnings': 669951, 'for earnings 50': 320914, 'earnings 50 year': 264890, '50 year into': 19917, 'year into the': 1014665, 'the future you': 856098, 'future you were': 342534, 'you were at': 1022242, 'risk of natural': 723765, 'of natural death': 586876, 'natural death more': 552815, 'death more than': 230132, 'than the the': 841276, 'the the market': 869389, 'market is still': 516643, 'still cheap and': 800364, 'cheap and volatile': 174079, 'is gold': 448106, 'haven status': 383902, 'status taking': 796695, 'investor currently': 444148, 'currently prefer': 221635, 'prefer cash': 669732, 'china india': 176736, 'india demand': 434372, 'being pummeled': 125605, 'high domestic': 395041, 'domestic bullion': 253173, 'bullion price': 142454, 'price slowing': 676485, 'slowing growth': 774551, 'growth metal': 367421, 'is gold safe': 448107, 'gold safe haven': 356000, 'safe haven status': 729740, 'haven status taking': 383903, 'status taking hit': 796696, 'hit from the': 398238, 'from the investor': 337759, 'the investor currently': 858425, 'investor currently prefer': 444149, 'currently prefer cash': 221636, 'prefer cash and': 669733, 'cash and china': 166156, 'and china india': 59855, 'china india demand': 176737, 'india demand is': 434373, 'is being pummeled': 446100, 'being pummeled by': 125606, 'pummeled by high': 689007, 'by high domestic': 152801, 'high domestic bullion': 395042, 'domestic bullion price': 253174, 'bullion price slowing': 142455, 'price slowing growth': 676486, 'slowing growth metal': 774553, 'nobody at': 565975, 'will shake': 994827, 'shake my': 754417, 'nobody at the': 565976, 'store will shake': 811345, 'will shake my': 994828, 'shake my hand': 754418, 'dead long': 229160, 'live tap': 496039, 'tap and': 834314, 'and indian': 65150, 'indian takeaway': 434891, 'takeaway have': 832871, 'all killed': 43316, 'killed cash': 474576, 'impact of cash': 417755, 'of cash is': 581183, 'cash is dead': 166261, 'is dead long': 447043, 'dead long live': 229161, 'long live tap': 501516, 'live tap and': 496040, 'tap and go': 834315, 'and go supermarket': 63784, 'go supermarket cafe': 354177, 'supermarket cafe and': 819484, 'cafe and indian': 155092, 'and indian takeaway': 65151, 'indian takeaway have': 434892, 'takeaway have all': 832872, 'have all killed': 379159, 'all killed cash': 43317, 'killed cash in': 474577, 'low shocking': 505600, 'shocking news': 759609, 'year low shocking': 1014732, 'low shocking news': 505601, 'shocking news in': 759610, 'news in canada': 560528, 'to 19 per': 899549, '19 per barrel': 9636, 'per barrel oott': 650705, 'driver sitting': 259745, 'idle lot': 413682, 'isolating folk': 455090, 'solution here': 782040, 'here ukgoverment': 393755, 'lot of taxi': 504300, 'of taxi driver': 590610, 'taxi driver sitting': 835160, 'driver sitting idle': 259746, 'sitting idle lot': 772115, 'idle lot of': 413683, 'lot of elderly': 504182, 'of elderly and': 583008, 'elderly and self': 270587, 'self isolating folk': 747723, 'isolating folk in': 455091, 'folk in need': 312195, 'delivery and supermarket': 233679, 'and supermarket that': 72741, 'that can cope': 843099, 'demand is there': 235745, 'is there solution': 453034, 'there solution here': 879065, 'solution here ukgoverment': 782041, 'weighted': 977717, 'gowanus': 361359, 'baruch': 111418, 'feldheim': 303135, 'just weighted': 470268, 'weighted him': 977720, 'down dumped': 256706, 'dumped him': 262206, 'the gowanus': 856678, 'gowanus canal': 361360, 'canal baruch': 160788, 'baruch feldheim': 111419, 'feldheim of': 303136, 'of brooklyn': 580908, 'brooklyn busted': 140977, 'busted for': 144840, 'hoarding ppe': 399478, 'ppe selling': 668048, 'on fbi': 600754, 'should have just': 766083, 'have just weighted': 381211, 'just weighted him': 470269, 'weighted him down': 977721, 'him down dumped': 396590, 'down dumped him': 256707, 'dumped him in': 262207, 'in the gowanus': 429240, 'the gowanus canal': 856679, 'gowanus canal baruch': 361361, 'canal baruch feldheim': 160789, 'baruch feldheim of': 111420, 'feldheim of brooklyn': 303137, 'of brooklyn busted': 580909, 'brooklyn busted for': 140978, 'busted for hoarding': 144841, 'for hoarding ppe': 322325, 'hoarding ppe selling': 399479, 'ppe selling it': 668049, 'it to health': 461722, 'professional at inflated': 682418, 'inflated price he': 437045, 'price he coughed': 674480, 'coughed on fbi': 208623, 'on fbi agent': 600755, 'agent and said': 38152, 'yippee': 1016401, 'toiletpaper stock': 922539, 'absolutely free': 27361, 'free they': 332220, 'not susceptible': 571882, 'hoarding needed': 399436, 'needed yippee': 556589, 'yippee and': 1016402, 'accessed from': 28314, 'from literally': 336237, 'literally anywhere': 494953, 'instead of toiletpaper': 440331, 'of toiletpaper stock': 592280, 'toiletpaper stock up': 922540, 'on these good': 604563, 'these good news': 880059, 'good news they': 357462, 'news they are': 560881, 'are absolutely free': 84169, 'absolutely free they': 27362, 'free they are': 332221, 'are not susceptible': 88481, 'not susceptible to': 571883, 'susceptible to shortage': 829445, 'to shortage no': 914530, 'shortage no hoarding': 765084, 'no hoarding needed': 564430, 'hoarding needed yippee': 399437, 'needed yippee and': 556590, 'yippee and they': 1016403, 'be accessed from': 113464, 'accessed from literally': 28315, 'from literally anywhere': 336238, 'hyping': 412382, 'dontripusoff': 255391, 'befair': 122573, 'shop hyping': 760297, 'hyping price': 412383, 'again dontripusoff': 36982, 'dontripusoff lookaftereachother': 255392, 'lookaftereachother befair': 502697, 'shop hyping price': 760298, 'hyping price will': 412384, 'will not buy': 994193, 'not buy and': 568645, 'buy and will': 148339, 'will never go': 994166, 'never go to': 558024, 'to this store': 917464, 'this store again': 890346, 'store again dontripusoff': 806090, 'again dontripusoff lookaftereachother': 36983, 'dontripusoff lookaftereachother befair': 255393, 'snowmaggedon': 776412, 'favourite local': 300597, 'delivery after': 233629, 'after snowmaggedon': 36220, 'snowmaggedon and': 776413, '19 shut': 10516, 'distancing am': 246952, 'am nervous': 50231, 'nervous we': 557485, 'lose even': 503435, 'supporting we': 827229, 'bring each': 139963, 'other up': 621164, 'are your favourite': 91893, 'your favourite local': 1023838, 'favourite local small': 300598, 'that have online': 844225, 'shopping or take': 763555, 'out delivery after': 625942, 'delivery after snowmaggedon': 233630, 'after snowmaggedon and': 36221, 'snowmaggedon and now': 776414, 'covid 19 shut': 213795, '19 shut down': 10517, 'down and social': 256515, 'social distancing am': 779549, 'distancing am nervous': 246953, 'am nervous we': 50232, 'nervous we re': 557486, 'going to lose': 355649, 'to lose even': 909459, 'lose even more': 503436, 'even more who': 284389, 'more who should': 540976, 'who should we': 989615, 'we be supporting': 970822, 'be supporting we': 117464, 'supporting we need': 827230, 'need to bring': 555872, 'to bring each': 902035, 'bring each other': 139964, 'each other up': 264230, 'worldsquare': 1010276, 'coonavirusoutbreak': 203092, 'yep no': 1015340, 'at world': 101633, 'world square': 1009994, 'square cole': 791469, 'cole sydney': 185884, 'sydney worldsquare': 830733, 'worldsquare supermarket': 1010277, 'supermarket cole': 819729, 'cole panicbuying': 185868, 'panicbuying coonavirusoutbreak': 638920, 'yep no panic': 1015341, 'buying here at': 150481, 'here at world': 392795, 'at world square': 101634, 'world square cole': 1009995, 'square cole sydney': 791470, 'cole sydney worldsquare': 185885, 'sydney worldsquare supermarket': 830734, 'worldsquare supermarket cole': 1010278, 'supermarket cole panicbuying': 819730, 'cole panicbuying coonavirusoutbreak': 185869, 'when coronavirus came': 983289, 'coronavirus came to': 205604, 'ontario premier': 611621, 'ford called': 328771, 'apple who': 82382, 'these dark': 879858, 'ontario premier doug': 611622, 'doug ford called': 256251, 'ford called out': 328772, 'called out the': 156408, 'out the bad': 627351, 'the bad apple': 849170, 'bad apple who': 107766, 'apple who are': 82383, 'price and trying': 672571, 'advantage of vulnerable': 33043, 'during these dark': 263234, 'these dark day': 879859, 'dearest': 229935, 'dearest can': 229936, 'thank hun': 841598, 'hun primark': 410967, 'primark stayathome': 678059, 'dearest can we': 229937, 'we have online': 971884, 'shopping now please': 763365, 'now please thank': 575555, 'please thank hun': 660658, 'thank hun primark': 841599, 'hun primark stayathome': 410968, 'rican71': 720972, 'rican71 this': 720973, 'is line': 449375, 'week old': 976661, 'old line': 598332, 'exist before': 290226, 'rican71 this is': 720974, 'this is line': 888304, 'is line outside': 449376, 'store this photo': 810701, 'photo is week': 655185, 'is week old': 453824, 'week old line': 976662, 'old line outside': 598333, 'grocery store didn': 365329, 'store didn exist': 807310, 'didn exist before': 241053, 'exist before covid': 290227, 'guttenberg': 368873, 'guttenberg because': 368874, 'had stable': 373542, 'stable supply': 791957, 'good what': 357950, 'wa worse': 963742, 'worse then': 1011029, 'buying x10': 151392, 'x10 now': 1013745, 'guttenberg because we': 368875, 'have had stable': 380875, 'had stable supply': 373543, 'stable supply of': 791958, 'of good what': 584245, 'good what happens': 357951, 'happens if covid': 377471, '19 wa worse': 11883, 'wa worse then': 963744, 'worse then what': 1011030, 'then what it': 877744, 'it is panic': 459034, 'panic buying x10': 637973, 'buying x10 now': 151393, 'x10 now you': 1013746, 'can find food': 158318, 'find food and': 306902, 'and everyone want': 62412, 'everyone want your': 287553, 'want your food': 966186, 'your food what': 1023935, 'mum having': 545908, 'having having': 384103, 'wa new': 962703, 'new panicbuying': 559254, 'just gossip': 468843, 'gossip while': 358358, 'food january': 315247, 'january wa': 464693, 'could panicbuy': 209488, 'our jar': 623594, 'jar of': 464813, 'coffee for': 185483, 'year last': 1014687, 'thing anyone': 884139, 'up crazy': 944672, 'crazy shopper': 215415, 'shopper auspol': 761416, 'my mum having': 549376, 'mum having having': 545909, 'having having panic': 384104, 'panic attack in': 637376, 'attack in january': 102118, 'january when wa': 464697, 'when wa new': 984403, 'wa new panicbuying': 962704, 'new panicbuying wa': 559255, 'panicbuying wa just': 639113, 'wa just gossip': 962458, 'just gossip while': 468844, 'gossip while we': 358359, 'wait for food': 964115, 'for food january': 321602, 'food january wa': 315248, 'january wa when': 464694, 'wa when we': 963697, 'we could panicbuy': 971215, 'could panicbuy and': 209489, 'panicbuy and be': 638828, 'be safe with': 116978, 'safe with our': 730153, 'with our jar': 1000001, 'our jar of': 623595, 'jar of coffee': 464814, 'of coffee for': 581507, 'coffee for the': 185484, 'the year last': 872163, 'year last thing': 1014688, 'last thing anyone': 480541, 'thing anyone need': 884140, 'anyone need is': 80422, 'is to end': 453199, 'end up crazy': 276027, 'up crazy shopper': 944673, 'crazy shopper auspol': 215416, '07 04': 1011, '20 press': 13279, 'local vegetable': 498672, '07 04 20': 1012, '04 20 press': 917, '20 press release': 13280, 'press release covid': 671072, '19 price soar': 9818, 'price soar for': 676526, 'soar for local': 779247, 'for local vegetable': 323057, 'backlash': 107558, '3321b': 17788, 'mask rise': 519201, 'rapidly some': 697020, '19 designer': 6505, 'designer is': 238382, 'facing backlash': 295406, 'backlash for': 107559, 'selling 32': 749135, '32 face': 17666, 'aren certified': 92354, 'certified medical': 170243, 'medical grade': 526200, 'grade comm': 361635, 'comm 3321b': 188315, 'sanitizer soap toilet': 735761, 'paper and mask': 639839, 'and mask rise': 66761, 'mask rise rapidly': 519202, 'rise rapidly some': 722983, 'rapidly some people': 697021, 'way to profit': 970072, 'covid 19 designer': 212936, '19 designer is': 6506, 'designer is facing': 238383, 'is facing backlash': 447689, 'facing backlash for': 295407, 'backlash for selling': 107560, 'for selling 32': 325438, 'selling 32 face': 749136, '32 face mask': 17667, 'face mask that': 294595, 'mask that aren': 519345, 'that aren certified': 842851, 'aren certified medical': 92355, 'certified medical grade': 170244, 'medical grade comm': 526201, 'grade comm 3321b': 361636, 'soared so': 779301, 'store kroger': 808660, 'overwhelmed existing': 631723, 'existing staff': 290344, 'need day': 554657, 'business ha soared': 143813, 'ha soared so': 371984, 'soared so much': 779302, 'much at grocery': 544738, 'grocery store kroger': 365507, 'store kroger is': 808661, 'kroger is hiring': 477746, 'is hiring 10': 448481, '00 people fast': 409, 'people fast it': 647872, 'fast it can': 299999, 'it can store': 457032, 'can store are': 159832, 'store are overwhelmed': 806507, 'are overwhelmed existing': 88936, 'overwhelmed existing staff': 631724, 'existing staff need': 290345, 'staff need day': 792672, 'need day off': 554658, 'thirdpartyrisk': 886125, 'supplychainattacks': 826245, 'formjacking': 329684, 'reflectiz': 706672, 'clientsidesecurity': 182158, 'appsecurity': 83338, 'malware by': 511890, 'by skimming': 154031, 'skimming thirdpartyrisk': 773043, 'thirdpartyrisk supplychainattacks': 886126, 'supplychainattacks magecart': 826246, 'magecart formjacking': 508360, 'formjacking reflectiz': 329685, 'reflectiz clientsidesecurity': 706673, 'clientsidesecurity appsecurity': 182159, 'skimming malware by': 773042, 'malware by skimming': 511891, 'by skimming thirdpartyrisk': 154032, 'skimming thirdpartyrisk supplychainattacks': 773044, 'thirdpartyrisk supplychainattacks magecart': 886127, 'supplychainattacks magecart formjacking': 826247, 'magecart formjacking reflectiz': 508361, 'formjacking reflectiz clientsidesecurity': 329686, 'reflectiz clientsidesecurity appsecurity': 706674, 'congratulation dear': 194441, 'dear have': 229801, 'congratulation dear have': 194442, 'dear have this': 229802, 'have this bouquet': 383100, 'supermarketsushi': 824247, 'ootd': 611754, 'visit excitement': 959242, 'excitement of': 289587, 'week milk': 976527, 'egg butter': 269808, 'butter fruit': 148145, 'fruit supermarketsushi': 339156, 'supermarketsushi ugh': 824248, 'ugh socialdistancing': 938028, 'socialdistancing california': 780267, 'california cali': 155472, 'cali socal': 155437, 'socal lifestyle': 779400, 'lifestyle life': 489368, 'life ootd': 488946, 'ootd style': 611757, 'style irvine': 815605, 'irvine california': 445128, 'supermarket visit excitement': 823658, 'visit excitement of': 959243, 'excitement of the': 289588, 'the week milk': 871305, 'week milk bread': 976528, 'bread egg butter': 138451, 'egg butter fruit': 269809, 'butter fruit supermarketsushi': 148146, 'fruit supermarketsushi ugh': 339157, 'supermarketsushi ugh socialdistancing': 824249, 'ugh socialdistancing california': 938029, 'socialdistancing california cali': 780268, 'california cali socal': 155473, 'cali socal lifestyle': 155438, 'socal lifestyle life': 779401, 'lifestyle life ootd': 489369, 'life ootd style': 488947, 'ootd style irvine': 611758, 'style irvine california': 815606, 'darksideofthering': 226019, 'nyccoronavirus': 578074, 'quarantinelife wwe': 693048, 'wwe toiletpaper': 1013672, 'toiletpaper darksideofthering': 921906, 'darksideofthering washyourhands': 226021, 'washyourhands nyccoronavirus': 967887, 'nyccoronavirus warning': 578075, 'warning please': 967183, 'caution while': 168185, 'while fast': 986824, 'and furiously': 63429, 'furiously heading': 341869, 'corn teen': 203596, 'teen yourself': 836518, 'may hurt': 521278, 'quarantine quarantinelife wwe': 692478, 'quarantinelife wwe toiletpaper': 693049, 'wwe toiletpaper darksideofthering': 1013673, 'toiletpaper darksideofthering washyourhands': 921907, 'darksideofthering washyourhands nyccoronavirus': 226022, 'washyourhands nyccoronavirus warning': 967888, 'nyccoronavirus warning please': 578076, 'warning please use': 967184, 'please use caution': 660706, 'use caution while': 949104, 'caution while fast': 168186, 'while fast and': 986825, 'fast and furiously': 299913, 'and furiously heading': 63430, 'furiously heading home': 341870, 'home to corn': 402316, 'to corn teen': 903520, 'corn teen yourself': 203597, 'teen yourself it': 836519, 'yourself it sound': 1026653, 'sound like this': 786307, 'like this may': 491505, 'this may hurt': 888790, 'stopprofiteering': 805843, 'like opportunism': 490931, 'opportunism in': 613549, '19 stopprofiteering': 10876, 'stopprofiteering stophooarding': 805846, 'stophooarding stoppanicbuying': 805526, 'nothing like opportunism': 573098, 'like opportunism in': 490932, 'opportunism in global': 613550, 'in global health': 423333, 'health crisis 19': 386321, 'crisis 19 stopprofiteering': 216954, '19 stopprofiteering stophooarding': 10878, 'stopprofiteering stophooarding stoppanicbuying': 805847, 'unityinourcommunity': 942333, 'unityinourcommunity thank': 942334, 'to phoenix': 911705, 'phoenix resource': 654864, 'centre harlow': 169502, 'harlow for': 378382, 'meaning that': 524836, 'afford basic': 34676, 'item harlow': 463314, 'harlow essex': 378381, 'unityinourcommunity thank you': 942335, 'you to phoenix': 1021819, 'to phoenix resource': 911706, 'phoenix resource centre': 654865, 'resource centre harlow': 714744, 'centre harlow for': 169503, 'harlow for providing': 378383, 'for providing essential': 324835, 'providing essential item': 686984, 'item at cost': 463122, 'cost price meaning': 208085, 'price meaning that': 675217, 'meaning that anyone': 524837, 'that anyone can': 842684, 'anyone can afford': 80216, 'can afford basic': 157395, 'afford basic item': 34677, 'basic item harlow': 111960, 'item harlow essex': 463315, 'the wheat': 871421, 'wheat complex': 982978, 'complex soared': 192415, 'soared this': 779303, 'morning amid': 541147, 'amid strengthening': 52673, 'strengthening mill': 813266, 'mill demand': 531961, 'flour panicked': 311146, 'grocery domestic': 364466, 'bread amid': 138388, 'greater influence': 363188, 'the wheat complex': 871422, 'wheat complex soared': 982979, 'complex soared this': 192416, 'soared this morning': 779304, 'this morning amid': 888936, 'morning amid strengthening': 541148, 'amid strengthening mill': 52674, 'strengthening mill demand': 813267, 'mill demand for': 531962, 'demand for bread': 235386, 'for bread and': 319773, 'bread and flour': 138397, 'and flour panicked': 62989, 'flour panicked consumer': 311147, 'panicked consumer stockpile': 639267, 'consumer stockpile grocery': 199151, 'stockpile grocery domestic': 803755, 'grocery domestic demand': 364467, 'for bread amid': 319772, 'bread amid covid': 138389, '19 will likely': 12102, 'likely have greater': 492015, 'have greater influence': 380840, 'greater influence on': 363189, 'on price in': 602913, 'the short run': 867082, 'rsvp': 726725, 'interesed': 441318, 'industry 2020': 435591, 'new audience': 558365, 'audience segment': 102914, 'consumer join': 197975, 'april 22nd': 83485, '22nd for': 15343, 'special virtual': 788088, 'panel to': 637198, 'how leading': 408163, 'reality please': 701783, 'please rsvp': 660422, 'rsvp here': 726726, 'if interesed': 414268, '19 impacting every': 7723, 'impacting every industry': 418217, 'every industry 2020': 285956, 'industry 2020 ha': 435592, '2020 ha introduced': 14353, 'introduced new audience': 443439, 'new audience segment': 558366, 'audience segment the': 102915, 'segment the stay': 747397, 'home consumer join': 400920, 'consumer join april': 197976, 'join april 22nd': 466677, 'april 22nd for': 83486, '22nd for special': 15344, 'for special virtual': 325812, 'special virtual panel': 788089, 'virtual panel to': 957772, 'panel to learn': 637199, 'learn how leading': 483985, 'how leading brand': 408164, 'leading brand are': 483683, 'brand are adjusting': 137740, 'new reality please': 559403, 'reality please rsvp': 701784, 'please rsvp here': 660423, 'rsvp here if': 726727, 'here if interesed': 393123, 'here round': 393529, 'today headline': 919628, 'here round up': 393530, 'up of today': 945509, 'of today headline': 592234, 'allowing older': 46307, 'have protected': 382088, 'be welcomed': 118082, 'really impressed with': 702333, 'impressed with response': 419457, 'with response to': 1000490, '19 allowing older': 4912, 'allowing older people': 46308, 'older people to': 598664, 'people to have': 649907, 'to have protected': 907294, 'have protected shopping': 382089, 'and priority online': 69513, 'priority online delivery': 678619, 'to be welcomed': 901634, 'reported and': 712455, 'general paxton': 345429, 'paxton advises': 644690, 'advises all': 33678, 'website txlege': 975457, 'been reported and': 121827, 'reported and attorney': 712456, 'attorney general paxton': 102655, 'general paxton advises': 345430, 'paxton advises all': 644691, 'advises all texan': 33679, 'all texan to': 44616, 'fraudulent website txlege': 331484, 'but protracted': 146864, 'protracted pandemic': 686015, 'quickly put': 694577, 'shipping retailer': 758905, 'shelf remain stocked': 757462, 'remain stocked for': 709866, 'now but protracted': 574291, 'but protracted pandemic': 146865, 'protracted pandemic crisis': 686016, 'could quickly put': 209554, 'quickly put strain': 694578, 'plant shipping retailer': 658704, 'shipping retailer and': 758906, 'retailer and more': 718970, 'remember telling': 710270, 'cashier how': 166544, 'how truly': 409115, 'grateful wa': 362334, 'her work': 392537, 'easier make': 265150, 'thankyou thankfulthursday': 842355, 'week wa at': 977170, 'store and remember': 806328, 'and remember telling': 70220, 'remember telling the': 710271, 'telling the cashier': 837264, 'the cashier how': 850488, 'cashier how truly': 166545, 'how truly grateful': 409116, 'truly grateful wa': 933308, 'grateful wa for': 362335, 'for her work': 322238, 'her work when': 392538, 'stocking up or': 803624, 'up or just': 945683, 'or just seeing': 615891, 'just seeing people': 469732, 'seeing people make': 746408, 'people make your': 648730, 'make your life': 510761, 'life easier make': 488621, 'easier make sure': 265151, 'say thankyou thankfulthursday': 739224, 'yarn': 1014171, 'britishwool': 140631, 'buying yarn': 151394, 'yarn supply': 1014172, 'money more': 536893, 'considerate spend': 195228, 'by supporting': 154176, 'seller these': 749093, 'these micro': 880304, 'micro business': 530416, 'business hang': 143818, 'balance use': 108998, 'or lose': 616012, 'lose them': 503490, 'them shoplocal': 876279, 'shoplocal shopsmall': 761232, 'shopsmall knitting': 764563, 'knitting crochet': 476129, 'crochet britishwool': 218831, 'buying yarn supply': 151395, 'yarn supply make': 1014173, 'supply make your': 825531, 'make your money': 510763, 'your money more': 1024865, 'money more considerate': 536894, 'more considerate spend': 538865, 'considerate spend by': 195229, 'spend by supporting': 788590, 'by supporting small': 154177, 'supporting small local': 827188, 'small local producer': 775023, 'local producer and': 498299, 'producer and seller': 680564, 'and seller these': 71229, 'seller these micro': 749094, 'these micro business': 880305, 'micro business hang': 530417, 'business hang in': 143819, 'in the balance': 429007, 'the balance use': 849214, 'balance use them': 108999, 'them or lose': 876112, 'or lose them': 616013, 'lose them shoplocal': 503491, 'them shoplocal shopsmall': 876280, 'shoplocal shopsmall knitting': 761233, 'shopsmall knitting crochet': 764564, 'knitting crochet britishwool': 476130, 'this halloween': 887822, 'halloween im': 374400, 'im pretty': 416568, 'sure were': 827814, 'up sanitizer': 945942, 'hey all this': 394316, 'all this halloween': 45110, 'this halloween im': 887823, 'halloween im pretty': 374401, 'im pretty sure': 416569, 'pretty sure were': 671513, 'sure were all': 827815, 'were all going': 979282, 'going to dress': 355577, 'to dress up': 904719, 'dress up sanitizer': 258686, 'up sanitizer bottle': 945943, 'related job': 708473, 'rental could': 711219, 'could these': 209761, 'could coronavirus related': 209051, 'coronavirus related job': 206634, 'related job vacancy': 708474, 'job vacancy push': 466262, 'term rental could': 838262, 'rental could these': 711220, 'could these apartment': 209762, 'wa three': 963506, 'three guy': 893940, 'guy right': 369125, 'entrance today': 278907, 'wa ten': 963415, 'ten cyclist': 837768, 'cyclist in': 224106, 'group really': 366852, 'angry seeing': 76489, 'seeing group': 746309, 'group ignore': 366735, 'physicaldistancing rule': 655495, 'rule putting': 727331, 'risk anything': 723384, 'it wa three': 462211, 'wa three guy': 963507, 'three guy right': 893941, 'guy right by': 369126, 'right by grocery': 721834, 'store entrance today': 807608, 'entrance today it': 278908, 'today it wa': 919746, 'it wa ten': 462208, 'wa ten cyclist': 963416, 'ten cyclist in': 837769, 'cyclist in group': 224107, 'in group really': 423457, 'group really angry': 366853, 'really angry seeing': 701971, 'angry seeing group': 76490, 'seeing group ignore': 746310, 'group ignore socialdistancing': 366736, 'ignore socialdistancing physicaldistancing': 415840, 'socialdistancing physicaldistancing rule': 780602, 'physicaldistancing rule putting': 655496, 'rule putting the': 727332, 'putting the rest': 691234, 'rest of at': 716185, 'of at risk': 580422, 'at risk anything': 100338, 'risk anything that': 723385, 'very day': 955099, 'same scenario': 733275, 'scenario no': 741275, 'the cornershop': 851755, 'cornershop put': 203701, 'feed some': 302367, 'working no': 1008785, 'so very day': 778629, 'very day go': 955100, 'the same scenario': 866293, 'same scenario no': 733276, 'scenario no food': 741276, 'buy and all': 148314, 'all the cornershop': 44697, 'the cornershop put': 851756, 'cornershop put their': 203702, 'price up what': 677269, 'up what going': 946567, 'do with to': 250574, 'with to kid': 1001790, 'to kid to': 908915, 'kid to feed': 474137, 'to feed some': 905731, 'feed some of': 302368, 'of working no': 593300, 'working no time': 1008786, 'do shopping 19': 250075, 'shopping 19 it': 761866, '19 it mess': 8142, 'people rather': 649227, 'buying looting': 150682, 'looting of': 503261, 'who knew people': 989169, 'knew people rather': 476067, 'people rather starve': 649228, 'panic buying looting': 637802, 'buying looting of': 150683, 'looting of take': 503262, 'of take note': 590574, 'me fuel': 522794, 'enforcing increase': 276819, '19 za': 12289, 'am still waiting': 50437, 'waiting for someone': 964333, 'someone to contact': 784702, 'contact me fuel': 200138, 'me fuel price': 522795, 'dropped and is': 260535, 'is still enforcing': 452275, 'still enforcing increase': 800491, 'enforcing increase during': 276820, 'increase during 19': 432751, 'during 19 za': 262413, 'krisjenner': 477698, 'kylie kris': 478096, 'hospital amid': 404269, 'pandemic kyliejenner': 635863, 'kyliejenner krisjenner': 478099, 'krisjenner handsanitizer': 477699, 'handsanitizer donation': 376516, 'donation pandemic': 254665, 'kylie kris jenner': 478097, 'to hospital amid': 907963, 'hospital amid coronavirus': 404270, 'coronavirus pandemic kyliejenner': 206470, 'pandemic kyliejenner krisjenner': 635864, 'kyliejenner krisjenner handsanitizer': 478100, 'krisjenner handsanitizer donation': 477700, 'handsanitizer donation pandemic': 376517, 'cost if': 207969, 'get talked': 348171, 'to woman': 918663, 'wa uninsured': 963604, 'uninsured when': 941842, 'total 34': 926123, 'will cost if': 993047, 'cost if you': 207970, 'actually get talked': 30807, 'get talked to': 348172, 'talked to woman': 833947, 'to woman who': 918664, 'who wa uninsured': 989919, 'wa uninsured when': 963605, 'uninsured when she': 941843, 'virus and her': 957930, 'and her medical': 64516, 'medical bill total': 526069, 'bill total 34': 130709, 'total 34 927': 926124, 'fondling': 312994, 'donttouch': 255402, 'now probably': 575597, 'mind can': 532643, 'stop picking': 804909, 'picking thing': 655870, 'up fondling': 944871, 'fondling them': 312995, 'them checking': 875527, 'sell by': 748656, 'it basic': 456708, 'basic bloody': 111837, 'bloody common': 133183, 'for christ': 320077, 'christ sake': 178086, 'sake donttouch': 731853, 'is now probably': 450315, 'now probably the': 575598, 'probably the biggest': 679397, 'biggest spreader of': 130326, 'spreader of with': 790907, 'of with this': 593213, 'with this in': 1001704, 'this in mind': 888046, 'in mind can': 425337, 'mind can everyone': 532644, 'can everyone stop': 158270, 'everyone stop picking': 287425, 'stop picking thing': 804910, 'picking thing up': 655871, 'thing up fondling': 884931, 'up fondling them': 944872, 'fondling them checking': 312996, 'them checking the': 875528, 'checking the sell': 174854, 'the sell by': 866686, 'sell by then': 748657, 'by then putting': 154509, 'shelf it basic': 757251, 'it basic bloody': 456709, 'basic bloody common': 111838, 'bloody common sense': 133184, 'sense for christ': 750516, 'for christ sake': 320078, 'christ sake donttouch': 178087, 'csg': 220042, 'locus': 500550, '2020 get': 14333, 'convenient interactive': 202402, 'map powered': 514944, 'by csg': 152269, 'csg locus': 220043, 'business impact 2020': 143868, 'impact 2020 get': 417533, '2020 get the': 14334, 'get the most': 348270, 'most recent report': 542685, 'recent report of': 703974, 'report of retail': 712123, 'closure in one': 183910, 'one convenient interactive': 606101, 'convenient interactive map': 202403, 'interactive map powered': 441289, 'map powered by': 514945, 'powered by csg': 667759, 'by csg locus': 152270, 'hare': 378354, 'spreadlove': 791107, 'psa stop': 687434, 'else for': 271692, 'matter they': 520636, 'they hare': 882283, 'hare doing': 378355, 'fault spreadlove': 300414, 'spreadlove fridayvibes': 791108, 'psa stop being': 687435, 'stop being mean': 804492, 'mean to the': 524747, 'the the people': 869393, 'station or anywhere': 796479, 'anywhere else for': 81102, 'else for that': 271693, 'that matter they': 845069, 'matter they hare': 520637, 'they hare doing': 882284, 'hare doing the': 378356, 'they can please': 881662, 'can please remember': 159256, 'please remember they': 660374, 'remember they are': 710339, 'are human and': 87266, 'human and it': 410408, 'their fault spreadlove': 873288, 'fault spreadlove fridayvibes': 300415, 'proactive measure': 679166, 'recent day store': 703865, 'day store are': 228412, 'store are only': 806503, 'are only now': 88771, 'only now taking': 610831, 'now taking proactive': 575962, 'taking proactive measure': 833535, 'proactive measure for': 679167, 'measure for their': 525200, 'for their worker': 326886, 'their worker grocery': 875214, 'worker grocery worker': 1007065, 'office yes': 595603, 'yes how': 1015458, 'american having': 52026, 'store life': 808717, 'life hasn': 488718, 'few or': 303966, 'completely recovered': 192337, 'post office yes': 666246, 'office yes how': 595604, 'yes how about': 1015459, 'how about million': 407291, 'of american having': 580062, 'american having to': 52027, 'grocery store life': 365524, 'store life hasn': 808719, 'life hasn stopped': 488719, 'hasn stopped for': 378788, 'stopped for the': 805705, 'of the majority': 591214, 'get sick have': 347994, 'sick have few': 768469, 'have few or': 380615, 'few or no': 303967, 'or no symptom': 616267, 'symptom and will': 830816, 'be completely recovered': 114169, 'deserve an': 238029, 'an award': 55502, 'award like': 105577, 'functional government': 341298, 'that buying': 843071, 'thing doesn': 884277, 'like deserve an': 490111, 'deserve an award': 238030, 'an award like': 55503, 'award like functional': 105578, 'like functional government': 490291, 'functional government that': 341299, 'government that buying': 360672, 'that buying these': 843072, 'three thing doesn': 894069, 'thing doesn feel': 884278, 'flight canceled': 310451, 'canceled find': 160935, 'of canceled': 581097, 'trip learn': 932108, 'wa your flight': 963760, 'your flight canceled': 1023900, 'flight canceled find': 310452, 'canceled find out': 160936, 'find out your': 307163, 'out your consumer': 627908, 'out of canceled': 626691, 'of canceled trip': 581098, 'canceled trip learn': 160967, 'trip learn more': 932109, 'hydration': 411945, 'tweet the': 936410, 'wa admitted': 961438, 're hydration': 698849, 'hydration and': 411946, 'her symptom': 392416, 'symptom diarrhoea': 830836, 'diarrhoea during': 240396, 'during treatment': 263366, 'hospital she': 404605, 'she developed': 755979, 'developed pneumonia': 239727, 'pneumonia and': 662090, 'wa discharged': 961986, 'discharged with': 244347, 'with antibiotic': 997263, 'it get worse': 458224, 'worse and believe': 1010864, 'and believe me': 58876, 'believe me worse': 126312, 'me worse day': 524023, 'worse day after': 1010913, 'day after this': 227188, 'after this tweet': 36416, 'this tweet the': 890889, 'tweet the lady': 936411, 'lady wa admitted': 478852, 'wa admitted to': 961439, 'admitted to hospital': 32632, 'hospital for re': 404412, 'for re hydration': 324973, 're hydration and': 698850, 'hydration and treatment': 411947, 'treatment for her': 931076, 'for her symptom': 322236, 'her symptom diarrhoea': 392417, 'symptom diarrhoea during': 830837, 'diarrhoea during treatment': 240397, 'during treatment in': 263367, 'treatment in hospital': 931092, 'in hospital she': 423817, 'hospital she developed': 404606, 'she developed pneumonia': 755980, 'developed pneumonia and': 239728, 'pneumonia and wa': 662091, 'and wa discharged': 75083, 'wa discharged with': 961987, 'discharged with antibiotic': 244348, 'sociallistening': 781035, '19 top': 11514, 'mind association': 532619, 'are emotionally': 86123, 'emotionally charged': 273319, 'charged and': 173370, 'opinion driven': 613461, 'driven prompting': 259349, 'prompting behavioral': 683954, 'behavioral split': 124340, 'split around': 789654, 'around general': 93300, 'general preparedness': 345441, 'preparedness shopping': 670290, 'behavior research': 124173, 'research sociallistening': 713845, 'sociallistening wtfutureipsos': 781036, 'wtfutureipsos learn': 1013353, '19 top of': 11515, 'of mind association': 586543, 'mind association with': 532620, 'association with are': 96992, 'with are emotionally': 997304, 'are emotionally charged': 86124, 'emotionally charged and': 273320, 'charged and opinion': 173371, 'and opinion driven': 68195, 'opinion driven prompting': 613462, 'driven prompting behavioral': 259350, 'prompting behavioral split': 683955, 'behavioral split around': 124341, 'split around general': 789655, 'around general preparedness': 93301, 'general preparedness shopping': 345442, 'preparedness shopping behavior': 670291, 'shopping behavior research': 762211, 'behavior research sociallistening': 124174, 'research sociallistening wtfutureipsos': 713846, 'sociallistening wtfutureipsos learn': 781037, 'wtfutureipsos learn more': 1013354, '14m': 3620, 'were 1m': 979252, '1m working': 12663, 'working adult': 1008480, 'adult living': 32836, 'breadline 1m': 138660, '1m kid': 12659, 'poverty 14m': 667474, '14m people': 3621, 'in freely': 423105, 'available saving': 104579, 'saving 2m': 737841, '2m using': 16724, 'bank 5m': 109538, '5m destitute': 20759, 'destitute imagine': 239002, 'now dailybriefing': 574493, 'this pandemic hit': 889393, 'hit the uk': 398452, 'uk there were': 938810, 'there were 1m': 879305, 'were 1m working': 979253, '1m working adult': 12664, 'working adult living': 1008481, 'adult living on': 32837, 'the breadline 1m': 849968, 'breadline 1m kid': 138661, '1m kid in': 12660, 'kid in poverty': 474016, 'in poverty 14m': 426875, 'poverty 14m people': 667475, '14m people with': 3622, 'people with le': 650455, 'than 100 in': 840158, '100 in freely': 1923, 'in freely available': 423106, 'freely available saving': 332463, 'available saving 2m': 104580, 'saving 2m using': 737842, '2m using food': 16725, 'using food bank': 950491, 'food bank 5m': 313509, 'bank 5m destitute': 109539, '5m destitute imagine': 20760, 'destitute imagine how': 239003, 'imagine how life': 416732, 'how life must': 408167, 'must be for': 546506, 'be for them': 114914, 'them now dailybriefing': 876063, 'midland is': 530731, 'worst for': 1011184, 'moment figure': 535932, 'figure of': 305212, 'death doubling': 230022, 'doubling by': 256156, 'day lot': 227946, 'friend posting': 333761, 'posting on': 666673, 'at young': 101667, 'young age': 1022560, 'live the west': 496052, 'west midland is': 980524, 'midland is apparently': 530732, 'is apparently the': 445788, 'apparently the absolute': 82012, 'absolute worst for': 27308, 'worst for covid': 1011185, 'the moment figure': 860753, 'moment figure of': 535933, 'figure of death': 305213, 'of death doubling': 582417, 'death doubling by': 230023, 'doubling by the': 256157, 'the day lot': 852896, 'day lot of': 227947, 'lot of local': 504219, 'of local friend': 585931, 'local friend posting': 497999, 'friend posting on': 333762, 'posting on social': 666674, 'medium about losing': 526970, 'about losing their': 25669, 'losing their loved': 503598, 'loved one at': 504904, 'one at young': 605972, 'at young age': 101668, 'young age to': 1022561, 'age to it': 37910, 'while tn': 987463, 'pay student': 645121, 'student worker': 814809, 'petition below': 653590, 'below calling': 126609, 'provide full': 686327, 'while tn ha': 987464, 'tn ha committed': 899387, 'committed to pay': 189042, 'to pay student': 911560, 'pay student worker': 645122, 'student worker the': 814810, 'worker the administration': 1007920, 'the administration ha': 848355, 'administration ha laid': 32474, 'laid off food': 479019, 'off food service': 593823, 'you to sign': 1021838, 'to sign the': 914639, 'the petition below': 863614, 'petition below calling': 653591, 'below calling on': 126610, 'on the administration': 603959, 'administration to provide': 32508, 'to provide full': 912397, 'provide full pay': 686328, 'pay amp health': 644725, 'amp health benefit': 53917, 'health benefit to': 386194, 'benefit to these': 127124, 'walport': 965503, 'guided': 368386, 'sir mark': 771600, 'mark walport': 515840, 'walport say': 965504, 'been guided': 121243, 'guided by': 368387, 'one peston': 606870, 'sir mark walport': 771601, 'mark walport say': 515841, 'walport say the': 965505, 'ha been guided': 369820, 'been guided by': 121244, 'guided by the': 368388, 'by the science': 154433, 'the science from': 866499, 'science from day': 742112, 'day one peston': 228155, 'dollarindex': 253122, 'price correct': 673263, 'correct from': 207513, '11 year': 2617, 'low en': 505265, 'route towards': 726478, 'towards oz': 927231, 'oz level': 632749, 'and gfc': 63630, 'gfc 2008': 349509, '2008 low': 13685, 'burland silver': 142879, 'silver dollarindex': 769799, 'silver price correct': 769849, 'price correct from': 673264, 'correct from 11': 207514, 'from 11 year': 334176, '11 year low': 2618, 'year low en': 1014719, 'low en route': 505266, 'en route towards': 275400, 'route towards oz': 726479, 'towards oz level': 927232, 'oz level and': 632750, 'level and gfc': 487506, 'and gfc 2008': 63631, 'gfc 2008 low': 349510, '2008 low by': 13686, 'low by burland': 505173, 'by burland silver': 152020, 'burland silver dollarindex': 142880, 'the privately': 864491, 'privately held': 679009, 'held department': 388897, 'finance amid': 306148, 'like so many': 491206, 'so many retailer': 777699, 'many retailer the': 514650, 'retailer the privately': 719365, 'the privately held': 864492, 'privately held department': 679010, 'held department store': 388898, 'department store are': 237267, 'store are attempting': 806458, 'attempting to shore': 102291, 'their finance amid': 873313, 'finance amid the': 306149, 'against stretch': 37636, 'stretch far': 813557, 'beyond healthcare': 129180, 'healthcare emphasizing': 387093, 'emphasizing the': 273398, 'battle against stretch': 112777, 'against stretch far': 37637, 'stretch far beyond': 813558, 'far beyond healthcare': 298728, 'beyond healthcare emphasizing': 129181, 'healthcare emphasizing the': 387094, 'emphasizing the desperate': 273399, 'the desperate need': 853194, 'desperate need for': 238539, 'ppe and not': 667903, 'not just in': 570228, 'just in hospital': 469037, 'panicshopp': 639406, 'rationing item': 697835, 'but tell': 147267, 'how random': 408562, 'random guy': 696604, 'socialism look': 780965, 'like okboomer': 490913, 'okboomer this': 598043, 'do socialism': 250114, 'socialism and': 780950, 'planning no': 658561, 'more panicshopp': 539993, 'is rationing item': 451239, 'rationing item so': 697836, 'item so everyone': 463647, 'so everyone get': 776973, 'food but tell': 313833, 'but tell me': 147268, 'me how random': 522916, 'how random guy': 408563, 'random guy say': 696605, 'guy say this': 369134, 'is what socialism': 453895, 'what socialism look': 982212, 'socialism look like': 780966, 'look like okboomer': 502502, 'like okboomer this': 490914, 'okboomer this is': 598044, 'this is nothing': 888335, 'to do socialism': 904556, 'do socialism and': 250115, 'socialism and everything': 780951, 'and everything to': 62429, 'do with panic': 250564, 'with panic fear': 1000084, 'panic fear and': 638091, 'fear and lack': 301034, 'of planning no': 588151, 'planning no more': 658562, 'no more panicshopp': 564815, 'saudiarabia say': 737366, 'about 13': 24642, 'saudiarabia say the': 737367, 'government will cut': 360811, 'will cut spending': 993088, 'cut spending by': 223547, 'spending by or': 788772, 'by or about': 153452, 'or about 13': 614239, 'about 13 billion': 24643, '13 billion to': 3190, 'billion to offset': 130929, 'offset the impact': 596118, 'impact of plunging': 417793, 'the on it': 862171, 'on it economic': 601656, 'it economic outlook': 457753, 'freshco': 333114, 'huron': 411456, 'alsofull': 49134, 'hearsay': 388253, 'at freshco': 98708, 'freshco grocery': 333115, 'on huron': 601452, 'huron church': 411457, 'church rd': 178396, 'rd in': 698133, 'amp lot': 54085, 'egg even': 269857, 'canned soup': 161560, 'soup no': 786398, 'rice wa': 721164, 'told in': 923585, 'recently alsofull': 704041, 'alsofull shelf': 49135, 'careful about': 164378, 'about hearsay': 25366, 'hearsay amp': 388254, 'amp fear': 53785, 'stopped at freshco': 805684, 'at freshco grocery': 98709, 'freshco grocery store': 333116, 'store on huron': 809196, 'on huron church': 601453, 'huron church rd': 411458, 'church rd in': 178397, 'rd in amp': 698134, 'in amp lot': 420263, 'amp lot of': 54086, 'amp veggie milk': 54777, 'veggie milk egg': 954198, 'milk egg even': 531657, 'egg even canned': 269858, 'even canned soup': 283936, 'canned soup no': 161561, 'soup no rice': 786399, 'no rice wa': 565366, 'rice wa told': 721165, 'wa told in': 963539, 'told in another': 923586, 'in another store': 420410, 'another store recently': 77872, 'store recently alsofull': 809771, 'recently alsofull shelf': 704042, 'alsofull shelf of': 49136, 'of food be': 583656, 'food be careful': 313696, 'be careful about': 113979, 'careful about hearsay': 164379, 'about hearsay amp': 25367, 'hearsay amp fear': 388255, 'amp fear amp': 53786, 'fear amp don': 301019, 'amp don hoard': 53663, 'like adult': 489724, 'flu thank': 311472, 'personal standing': 652973, 'but huge': 145975, 'hour keep': 405719, 'all the official': 44847, 'the official who': 862100, 'official who are': 595972, 'who are acting': 988095, 'acting like adult': 29877, 'like adult and': 489725, 'adult and working': 32798, 'and working on': 75895, 'on the wuhan': 604463, 'the wuhan flu': 872120, 'wuhan flu thank': 1013481, 'flu thank you': 311473, 'you medical personal': 1019832, 'medical personal standing': 526291, 'personal standing by': 652974, 'standing by and': 793755, 'by and ready': 151849, 'and ready but': 69989, 'ready but huge': 700848, 'but huge thank': 145976, 'you to retail': 1021830, 'to retail grocery': 913449, 'the hour keep': 857580, 'hour keep doing': 405720, 'can we got': 160175, 'competent government': 191614, 'must plan': 546804, 'the restart': 865641, 'economy duty': 267823, 'duty wall': 263619, 'completely irrational': 192312, 'irrational about': 444982, 'll bounce': 496659, 'back greed': 107038, 'greed the': 363442, 'still growing': 800610, 'growing double': 367177, 'digit daily': 242476, 'daily reality': 224769, 'competent government must': 191615, 'government must plan': 360372, 'must plan for': 546805, 'for the restart': 326653, 'the restart of': 865642, 'consumer economy duty': 197306, 'economy duty wall': 267824, 'duty wall street': 263620, 'street is completely': 813008, 'is completely irrational': 446705, 'completely irrational about': 192313, 'irrational about how': 444983, 'about how quickly': 25464, 'how quickly we': 408556, 'quickly we ll': 694635, 'we ll bounce': 972237, 'll bounce back': 496660, 'bounce back greed': 136804, 'back greed the': 107039, 'greed the of': 363443, 'the of case': 862051, 'my county are': 547822, 'county are still': 211325, 'are still growing': 90430, 'still growing double': 800611, 'growing double digit': 367178, 'double digit daily': 255998, 'digit daily reality': 242477, 'skip it': 773132, 'use plain': 949478, 'plain soap': 658023, 'water fda': 968989, 'antibacterial soap you': 78382, 'soap you can': 779193, 'can skip it': 159635, 'skip it use': 773133, 'it use plain': 461993, 'use plain soap': 949479, 'plain soap and': 658024, 'and water fda': 75236, 'safety guideline': 730564, 'pantry say': 639656, 'say sen': 739118, 'food retail worker': 316217, 'retail worker need': 718896, 'worker need comprehensive': 1007421, 'need comprehensive covid': 554621, '19 safety guideline': 10288, 'safety guideline to': 730565, 'guideline to protect': 368486, 'them they help': 876417, 'they help stock': 882431, 'help stock and': 390575, 'stock and re': 801829, 'and re stock': 69964, 're stock our': 699608, 'stock our pantry': 802602, 'our pantry say': 624249, 'pantry say sen': 639657, 'mailpersons': 508720, 'job doctor': 465793, 'nurse still': 577486, 'job farmer': 465815, 'farmer still': 299507, 'job mailpersons': 465991, 'mailpersons still': 508721, 'can trump': 160049, 'trump do': 933523, 'teacher are still': 835434, 'still doing their': 800450, 'their job doctor': 873710, 'job doctor amp': 465794, 'amp nurse still': 54202, 'nurse still doing': 577487, 'their job farmer': 873713, 'job farmer still': 465816, 'farmer still doing': 299508, 'their job mailpersons': 873724, 'job mailpersons still': 465992, 'mailpersons still doing': 508722, 'their job grocery': 873716, 'store employee still': 807542, 'employee still doing': 274238, 'their job so': 873737, 'job so why': 466162, 'why can trump': 990863, 'can trump do': 160050, 'trump do his': 933524, 'do his job': 249401, 'norwalk': 567834, 'they moved': 882696, 'moved fast': 543802, 'care hero': 163987, 'hero both': 393953, 'their corporate': 872886, 'manufacturing office': 513634, 'in norwalk': 425961, 'proud of and': 686025, 'of and their': 580187, 'and their work': 73726, 'health crisis they': 386350, 'crisis they moved': 218216, 'they moved fast': 882697, 'moved fast to': 543803, 'fast to begin': 300057, 'begin producing hand': 123552, 'help our health': 390232, 'health care hero': 386236, 'care hero both': 163988, 'hero both their': 393954, 'both their corporate': 136071, 'their corporate and': 872887, 'corporate and manufacturing': 207237, 'and manufacturing office': 66662, 'manufacturing office are': 513635, 'office are in': 595369, 'are in norwalk': 87415, 'crchat': 215500, 'mypov guilty': 550789, 'shelterinplace wfh': 758033, 'wfh crchat': 980833, 'mypov guilty of': 550790, 'guilty of making': 368567, 'making the toiletpaper': 511434, 'the toiletpaper run': 869734, 'toiletpaper run shelterinplace': 922428, 'run shelterinplace wfh': 727800, 'shelterinplace wfh crchat': 758034, 'thinking critically': 885893, 'critically about': 218732, 'thinking critically about': 885894, 'critically about news': 218733, 'about news and': 25798, 'we abide': 970266, 'home book': 400803, 'book suddenly': 134604, 'suddenly feel': 817090, 'delivery support': 234589, 'local christian': 497825, 'we abide by': 970267, 'abide by social': 24348, 'distancing guideline to': 247185, 'guideline to stay': 368489, 'stay home book': 796945, 'home book suddenly': 400805, 'book suddenly feel': 134605, 'suddenly feel more': 817091, 'and delivery support': 61130, 'delivery support your': 234590, 'your local christian': 1024689, 'local christian bookstore': 497826, 're feeding': 698676, 'nation please': 552291, 'from stockpilinguk': 337430, 'boss are now': 135734, 'are now using': 88614, 'now using the': 576290, 'using the term': 950716, 'the term we': 869298, 'term we re': 838341, 'we re feeding': 972874, 're feeding the': 698677, 'feeding the nation': 302485, 'the nation please': 861256, 'nation please please': 552292, 'please please have': 660303, 'please have some': 660057, 'have some respect': 382639, 'some respect for': 783742, 'respect for and': 714986, 'for and our': 319332, 'and our need': 68507, 'away from stockpilinguk': 105912, 'medical professional who': 526340, 'professional who work': 682522, 'everyone safe and': 287330, 'help keep doing': 389965, 're doing pressure': 698545, 'marvel dc to': 518134, 'dc to postpone': 228981, 'postpone the release': 666781, 'and buy them': 59354, 'jennings': 465108, 'for interviewing': 322628, 'interviewing about': 442296, 'to jennings': 908660, 'jennings say': 465111, 'overwhelming he': 631750, 'say many': 738917, 'you for interviewing': 1018649, 'for interviewing about': 322629, 'interviewing about response': 442297, 'response to jennings': 715860, 'to jennings say': 908661, 'jennings say the': 465112, 'been overwhelming he': 121638, 'overwhelming he say': 631751, 'he say many': 385396, 'say many part': 738918, 'phy': 655354, 'hi lisa': 394698, 'lisa dont': 494238, 'it didnt': 457544, 'didnt do': 241268, 'anything out': 80855, 'the ordinary': 862460, 'ordinary day': 619085, 'up school': 945950, 'supermarket gp': 820556, 'gp petrol': 361410, 'station etc': 796398, 'anyone highlight': 80365, 'of phy': 588109, 'hi lisa dont': 394699, 'lisa dont know': 494239, 'dont know where': 255246, 'know where got': 477014, 'got it didnt': 358646, 'it didnt do': 457545, 'didnt do anything': 241269, 'do anything out': 249090, 'anything out of': 80856, 'of the ordinary': 591302, 'the ordinary day': 862461, 'ordinary day leading': 619086, 'leading up school': 483784, 'up school run': 945951, 'school run supermarket': 741909, 'run supermarket gp': 727815, 'supermarket gp petrol': 820557, 'gp petrol station': 361411, 'petrol station etc': 653792, 'station etc this': 796399, 'etc this show': 282825, 'this show it': 890137, 'show it can': 767018, 'it can affect': 457006, 'affect anyone highlight': 34120, 'anyone highlight importance': 80366, 'importance of phy': 418707, 'share gratitude': 755010, 'amp healthcare': 53921, 'hardest work': 378237, 'at personal': 100100, 'plus supermarket': 661682, 'amp stocker': 54570, 'become hero': 120019, 'hero risking': 394081, 'to share gratitude': 914343, 'share gratitude to': 755011, 'nurse doctor amp': 577283, 'doctor amp healthcare': 250808, 'amp healthcare worker': 53924, 'healthcare worker doing': 387356, 'worker doing the': 1006800, 'doing the hardest': 252719, 'the hardest work': 857116, 'hardest work of': 378238, 'work of anyone': 1005514, 'of anyone at': 580280, 'anyone at personal': 80191, 'at personal risk': 100101, 'personal risk during': 652954, 'risk during this': 723506, 'this crisis plus': 887074, 'crisis plus supermarket': 217888, 'plus supermarket cashier': 661683, 'supermarket cashier amp': 819548, 'cashier amp stocker': 166445, 'amp stocker who': 54571, 'stocker who have': 803529, 'who have become': 988911, 'have become hero': 379435, 'become hero risking': 120020, 'hero risking their': 394082, 'own health for': 632059, 'health for the': 386453, 'mexico state': 530022, 'state land': 795722, 'land office': 479283, 'implement rule': 418424, 'allow oil': 46010, 'the new mexico': 861529, 'new mexico state': 559111, 'mexico state land': 530023, 'state land office': 795723, 'land office is': 479284, 'office is seeking': 595462, 'is seeking to': 451728, 'seeking to implement': 746659, 'to implement rule': 908177, 'implement rule that': 418425, 'rule that would': 727372, 'would allow oil': 1011505, 'allow oil company': 46011, 'oil company to': 596696, 'company to temporarily': 191248, 'to temporarily shut': 916363, 'temporarily shut in': 837540, 'shut in well': 767897, 'in well in': 430787, 'face of low': 294659, 'low price caused': 505505, 'caused by global': 167840, 'by global supply': 152695, 'global supply glut': 352234, 'glut and low': 353096, 'defended': 232108, 'state tv': 796047, 'tv consumer': 936101, 'right defended': 721866, 'defended and': 232109, 'china cautiously': 176549, 'cautiously adapts': 168243, 'and abroad': 57561, 'chat on state': 173942, 'on state tv': 603644, 'state tv consumer': 796048, 'tv consumer right': 936102, 'consumer right defended': 198810, 'right defended and': 721867, 'defended and china': 232110, 'and china cautiously': 59845, 'china cautiously adapts': 176550, 'cautiously adapts to': 168244, 'adapts to evolving': 31364, 'to evolving covid': 905380, '19 situation at': 10569, 'situation at home': 772204, 'home and abroad': 400609, 'shrimadhopur': 767677, 'suranibazar': 827460, 'providing wheat': 687140, 'on roti': 603222, 'roti shrimadhopur': 726194, 'shrimadhopur suranibazar': 767678, 'dear sir thank': 229872, 'for your decision': 328138, 'your decision to': 1023477, 'decision to prevent': 231108, '19 but some': 5527, 'but some supplier': 147107, 'some supplier of': 784015, 'supplier of food': 824580, 'not providing wheat': 571166, 'providing wheat and': 687141, 'wheat and saying': 982971, 'and saying it': 71016, 'saying it out': 739626, 'stock it too': 802323, 'early to be': 264725, 'stock on roti': 802561, 'on roti shrimadhopur': 603223, 'roti shrimadhopur suranibazar': 726195, 'your previous': 1025388, 'previous directive': 671967, 'directive combat': 243503, 'combat set': 187037, 'double effort': 256014, 'effort set': 269585, 'is overdue': 450754, 'overdue though': 631202, 'the pressing': 864293, 'pressing situation': 671121, 'ha interrupted': 370985, 'interrupted the': 442115, 'economy gov': 267906, 'appreciate your previous': 82802, 'your previous directive': 1025389, 'previous directive combat': 671968, 'directive combat set': 243504, 'combat set to': 187038, 'set to fight': 753517, 'to double effort': 904682, 'double effort set': 256015, 'effort set new': 269586, 'set new order': 753433, 'new order is': 559231, 'order is overdue': 618337, 'is overdue though': 450755, 'overdue though the': 631203, 'though the pressing': 892911, 'the pressing situation': 864294, 'pressing situation ha': 671122, 'situation ha interrupted': 772296, 'ha interrupted the': 370986, 'interrupted the economy': 442116, 'the economy gov': 853973, 'economy gov should': 267907, 'gov should consider': 359697, 'should consider the': 765866, 'consider the welfare': 195146, 'about raising': 26041, 'raising chicken': 696068, 'these exorbitant': 879982, 'exorbitant egg': 290393, 'price shelterinplace': 676365, 'coronavirus ha me': 206028, 'ha me thinking': 371258, 'thinking about raising': 885853, 'about raising chicken': 26042, 'raising chicken at': 696069, 'chicken at home': 175748, 'home to avoid': 402307, 'avoid these exorbitant': 105342, 'these exorbitant egg': 879983, 'exorbitant egg price': 290394, 'egg price shelterinplace': 269964, 'this govt': 887742, 'govt since': 361289, '2015 think': 13814, 'money even': 536730, 'though am': 892768, 'for max': 323292, 'max ei': 520751, 'ei moreover': 270162, 'moreover my': 541061, 'wife working': 992014, 'fed up about': 301922, 'up about this': 944217, 'about this govt': 26638, 'this govt since': 887743, 'govt since 2015': 361290, 'since 2015 think': 770470, '2015 think it': 13815, 'think about to': 885110, 'about to leave': 26726, 'to leave this': 909166, 'leave this country': 484998, 'this country get': 886952, 'country get le': 210683, 'get le money': 347472, 'le money even': 483028, 'money even though': 536731, 'even though am': 284700, 'though am eligible': 892769, 'eligible for max': 271426, 'for max ei': 323293, 'max ei moreover': 520752, 'ei moreover my': 270163, 'moreover my wife': 541062, 'my wife working': 550611, 'wife working in': 992015, 'in essential retail': 422606, 'retail store but': 718620, 'store but due': 806789, 'idea amp': 413003, 'amp great': 53882, 'great use': 363088, 'an post': 56777, 'post show': 666311, 'much your': 545500, 'your hospital': 1024402, 'hospital care': 404340, 'endless worker': 276248, 'worker mean': 1007366, 'absolutely brilliant idea': 27328, 'brilliant idea amp': 139857, 'idea amp great': 413004, 'amp great use': 53883, 'great use of': 363089, 'use of free': 949409, 'free gift from': 331875, 'gift from an': 349977, 'from an post': 334498, 'an post show': 56778, 'post show how': 666312, 'how much your': 408389, 'much your hospital': 545501, 'your hospital care': 1024403, 'hospital care home': 404341, 'care home supermarket': 164004, 'home supermarket etc': 402174, 'supermarket etc the': 820216, 'etc the list': 282798, 'is endless worker': 447497, 'endless worker mean': 276249, 'worker mean to': 1007368, 'mean to you': 524748, 'to you during': 918898, 'being immuno': 125279, 'compromised and': 192669, 'stocking my': 803571, 'pantry now': 639640, 'community luckily': 189971, 'luckily my': 506512, 'll disinfect': 496708, 'disinfect it': 245550, 'my porch': 549811, 'porch and': 664771, 'll stock': 497040, 'take village': 832775, 'about being immuno': 24866, 'being immuno compromised': 125280, 'immuno compromised and': 417449, 'compromised and stocking': 192670, 'and stocking my': 72433, 'stocking my community': 803572, 'my community food': 547765, 'food pantry now': 315792, 'pantry now that': 639641, '19 is on': 8016, 'on my community': 602272, 'my community luckily': 547766, 'community luckily my': 189972, 'luckily my neighbor': 506513, 'neighbor have stepped': 557029, 'stepped in they': 799775, 'in they ll': 429885, 'they ll disinfect': 882592, 'll disinfect it': 496709, 'disinfect it and': 245551, 'and have asked': 64223, 'have asked me': 379365, 'me to place': 523768, 'to place the': 911758, 'place the food': 657722, 'on my porch': 602305, 'my porch and': 549812, 'porch and they': 664772, 'they ll stock': 882613, 'll stock it': 497041, 'it for me': 458084, 'me it take': 523019, 'it take village': 461433, 'want real': 965908, 'real hug': 701211, 'hug want': 409965, 'go eat': 353508, 'at dine': 98441, 'restaurant ohh': 716603, 'ohh to': 596507, 'that darn': 843439, 'darn virus': 226031, 'for shoe': 325560, 'shoe do': 759664, 'go shopping want': 354137, 'want to walk': 966153, 'to walk the': 918306, 'walk the thought': 964882, 'the thought might': 869499, 'thought might get': 893128, 'might get the': 530993, '19 virus want': 11844, 'virus want real': 959001, 'want real hug': 965909, 'real hug want': 701212, 'hug want to': 409966, 'to go eat': 906792, 'go eat at': 353509, 'eat at dine': 265854, 'at dine in': 98442, 'dine in restaurant': 242973, 'in restaurant ohh': 427438, 'restaurant ohh to': 716604, 'ohh to be': 596508, 'to be free': 901267, 'be free the': 114957, 'free the thought': 332219, 'thought of that': 893152, 'of that darn': 590718, 'that darn virus': 843440, 'darn virus want': 226032, 'shopping for shoe': 762710, 'for shoe do': 325561, 'shoe do not': 759665, 'not need just': 570661, 'need just want': 555130, 'go shopping no': 354121, 'shopping no more': 763332, 'no more online': 564814, 'hope life': 403533, 'tokyo slowly': 923502, 'slowly return': 774619, 'purchase toilet': 689706, 'saturday importantly': 737028, 'importantly hope': 419123, 'stay disciplined': 796852, 'disciplined to': 244368, 'with unity': 1001907, 'unity stay': 942324, 'hope life in': 403534, 'life in tokyo': 488771, 'in tokyo slowly': 430183, 'tokyo slowly return': 923503, 'slowly return to': 774620, 'normal we were': 567399, 'we were also': 973782, 'were also able': 979315, 'to purchase toilet': 912554, 'purchase toilet paper': 689707, 'supermarket last saturday': 821269, 'last saturday importantly': 480482, 'saturday importantly hope': 737029, 'importantly hope people': 419124, 'hope people continue': 403598, 'to take precaution': 916224, 'take precaution and': 832512, 'and stay disciplined': 72291, 'stay disciplined to': 796853, 'disciplined to fight': 244369, 'fight with unity': 304957, 'with unity stay': 1001908, 'unity stay safe': 942326, 'nil': 563253, 'pratley': 668970, 'pandemichave': 637115, 'rally feel': 696261, 'feel fragile': 302630, 'fragile nil': 330896, 'nil pratley': 563254, 'pratley share': 668971, 'share have': 755016, 'have bounced': 379832, 'bounced back': 136828, 'bottom for': 136395, '19 pandemichave': 9534, 'pandemichave we': 637116, 'is tempting': 452604, 'believe so': 126324, 'the global stock': 856330, 'stock market rally': 802427, 'market rally feel': 516933, 'rally feel fragile': 696262, 'feel fragile nil': 302631, 'fragile nil pratley': 330897, 'nil pratley share': 563255, 'pratley share have': 668972, 'share have bounced': 755017, 'have bounced back': 379833, 'bounced back but': 136829, 'but it too': 146173, 'soon to call': 785863, 'call the bottom': 156125, 'the bottom for': 849906, 'bottom for price': 136396, 'for price in': 324720, 'covid 19 pandemichave': 213551, '19 pandemichave we': 9535, 'pandemichave we seen': 637117, 'seen the bottom': 747278, 'bottom for stock': 136397, 'it is tempting': 459096, 'is tempting to': 452605, 'tempting to believe': 837756, 'to believe so': 901750, 'believe so after': 126325, 'so after two': 776472, 'few way': 304124, 'way cybercriminals': 969541, 'cybercriminals and': 223966, 'few way cybercriminals': 304125, 'way cybercriminals and': 969542, 'cybercriminals and scammer': 223967, 'and scammer exploit': 71040, 'scammer exploit panic': 740569, 'so freaked': 777117, 'about death': 25080, 'death panel': 230157, 'panel today': 637200, 'today your': 920593, 'your nana': 1024931, 'nana died': 551775, 'died doing': 241526, 'she loved': 756209, 'loved sitting': 504929, 'sitting alone': 772094, 'and propping': 69635, 'huge company': 410003, 'who were so': 989966, 'were so freaked': 980140, 'so freaked out': 777118, 'out about death': 625550, 'about death panel': 25081, 'death panel today': 230158, 'panel today your': 637201, 'today your nana': 920594, 'your nana died': 1024932, 'nana died doing': 551776, 'died doing the': 241527, 'doing the thing': 252729, 'the thing she': 869464, 'thing she loved': 884735, 'she loved sitting': 756210, 'loved sitting alone': 504930, 'sitting alone and': 772095, 'alone and propping': 46817, 'and propping up': 69636, 'propping up huge': 684583, 'up huge company': 945128, 'huge company stock': 410004, 'stock price news': 802737, 'badaun': 108104, 'okhla': 598051, 'delhi migrant': 232902, 'labourer have': 478544, 'started leaving': 794769, 'leaving for': 485083, 'their hometown': 873583, 'hometown in': 402988, 'in neighbouring': 425798, 'neighbouring state': 557299, 'state labourer': 795718, 'to badaun': 900987, 'badaun up': 108105, 'from okhla': 336652, 'okhla we': 598052, 'hungry from': 411250, 'day biscuit': 227379, 'biscuit pack': 131509, '10 now': 1565, 'cost 30': 207826, 'die either': 241323, 'either of': 270336, 'hunger or': 411163, 'delhi migrant labourer': 232903, 'migrant labourer have': 531219, 'labourer have started': 478545, 'have started leaving': 382723, 'started leaving for': 794770, 'leaving for their': 485084, 'for their hometown': 326839, 'their hometown in': 873584, 'hometown in neighbouring': 402989, 'in neighbouring state': 425799, 'neighbouring state labourer': 557300, 'state labourer say': 795719, 'labourer say we': 478550, 'say we re': 739457, 'going to badaun': 355530, 'to badaun up': 900988, 'badaun up from': 108106, 'up from okhla': 944990, 'from okhla we': 336653, 'okhla we re': 598053, 'we re hungry': 972898, 're hungry from': 698845, 'hungry from day': 411251, 'from day biscuit': 335108, 'day biscuit pack': 227380, 'biscuit pack which': 131510, 'pack which used': 633197, 'which used to': 986430, 'to cost 10': 903593, 'cost 10 now': 207811, '10 now cost': 1566, 'now cost 30': 574466, 'cost 30 we': 207829, '30 we ve': 17260, 'we ve no': 973689, 've no money': 953391, 'money we ll': 537152, 'll die either': 496701, 'die either of': 241324, 'either of hunger': 270337, 'of hunger or': 584916, 'clever but': 181863, 'stop disinfectant': 804609, 'disinfectant hoarding': 245683, 'via lockdown': 956065, 'clever but it': 181864, 'not happen here': 569787, 'happen here supermarket': 377089, 'here supermarket in': 393624, 'to stop disinfectant': 915515, 'stop disinfectant hoarding': 804610, 'disinfectant hoarding via': 245684, 'hoarding via lockdown': 399639, 'via lockdown panicbuying': 956066, 'country just': 210835, 'are fucking stupid': 86718, 'this country just': 886957, 'country just go': 210836, 'the shop when': 867037, 'shop when you': 761028, 'something it is': 784956, 'simple you really': 770143, 'really are dumb': 701987, 'are dumb fuck': 86022, 'dumb fuck it': 262101, 'fuck it embarrassing': 339598, 'initiating': 438595, 'far govt': 298789, 'been proactive': 121708, 'in initiating': 424106, 'initiating step': 438596, 'govt capacity': 361093, 'follow advisory': 312339, 'if citizen': 413961, 'citizen violate': 178992, 'violate there': 957484, 'little the': 495607, 'govt can': 361086, 'so far govt': 777031, 'far govt ha': 298790, 'govt ha been': 361137, 'ha been proactive': 369876, 'been proactive in': 121709, 'proactive in initiating': 679163, 'in initiating step': 424107, 'initiating step to': 438597, 'step to deal': 799644, 'deal with but': 229542, 'with but govt': 997498, 'but govt capacity': 145818, 'govt capacity are': 361094, 'capacity are limited': 162498, 'are limited it': 87812, 'limited it will': 492669, 'down to people': 257376, 'to people will': 911648, 'people will we': 650422, 'will we follow': 995327, 'we follow advisory': 971579, 'follow advisory on': 312340, 'advisory on social': 33773, 'distancing self quarantine': 247466, 'quarantine if citizen': 692275, 'if citizen violate': 413962, 'citizen violate there': 178993, 'violate there little': 957485, 'there little the': 878717, 'little the govt': 495608, 'the govt can': 856653, 'govt can do': 361087, 'opinion get': 613463, 'get punished': 347861, 'punished is': 689237, 'market suspension': 517153, 'suspension too': 829696, 'opinion get punished': 613464, 'get punished is': 347862, 'punished is it': 689238, 'time for uk': 896771, 'for uk stock': 327408, 'uk stock market': 938743, 'stock market suspension': 802439, 'market suspension too': 517154, 'pairwise work': 634361, 'ensure healthy': 277965, 'eating is': 266234, 'donated 00': 254295, 'durham pairwise work': 262391, 'pairwise work to': 634362, 'to ensure healthy': 905167, 'ensure healthy eating': 277966, 'healthy eating is': 387593, 'eating is accessible': 266235, 'to everyone we': 905357, 'everyone we donated': 287562, 'we donated 00': 971402, 'donated 00 to': 254296, '00 to to': 553, 'them support people': 876355, 'support people who': 826759, 'of time please': 592182, 'icymi petrol': 412899, 'icymi petrol price': 412900, 'are dropping in': 86011, 'dropping in the': 260698, 'exacted': 288712, 'irradadicate': 444975, 'functional executive': 341292, 'executive in': 289903, 'full govt': 340619, 'is exacted': 447617, 'exacted to': 288713, 'to irradadicate': 908514, 'irradadicate covid': 444976, 'ha away': 369651, 'away of': 105977, 'have social distance': 382609, 'social distance if': 779506, 'distance if we': 246732, 'had functional executive': 373133, 'functional executive in': 341293, 'executive in the': 289904, 'until the full': 943856, 'the full govt': 856009, 'full govt of': 340620, 'govt of the': 361230, 'state is exacted': 795694, 'is exacted to': 447618, 'exacted to irradadicate': 288714, 'to irradadicate covid': 908515, 'irradadicate covid 19': 444977, 'dying ha away': 263836, 'ha away of': 369652, 'away of killing': 105978, 'of killing the': 585638, 'killing the mark': 474716, 'mateo': 520356, 'been recently': 121790, 'recently impacted': 704113, 'virus san': 958715, 'san mateo': 733559, 'mateo credit': 520357, 'offering low': 595183, 'rate fixed': 697213, 'fixed term': 309831, 'work reduction': 1005650, 'reduction loan': 706380, 'loan learn': 497468, 'have been recently': 379655, 'been recently impacted': 121791, 'recently impacted by': 704114, '19 virus san': 11831, 'virus san mateo': 958716, 'san mateo credit': 733560, 'mateo credit union': 520358, 'credit union is': 216546, 'union is offering': 941898, 'is offering low': 450423, 'offering low rate': 595184, 'low rate fixed': 505568, 'rate fixed term': 697214, 'fixed term work': 309833, 'term work reduction': 838349, 'work reduction loan': 1005651, 'reduction loan learn': 706381, 'loan learn more': 497469, 'at chinese': 98261, 'post brand': 666021, 'normal via': 567393, 'have the first': 382985, 'the first look': 855325, 'look at chinese': 502258, 'at chinese consumer': 98262, 'behavior post brand': 124150, 'post brand are': 666022, 'new normal via': 559177, 'industry company': 435737, 'unprecedented near': 943166, 'significant spike': 769526, 'company responding': 191024, 'manufacturing industry company': 513610, 'industry company are': 435738, 'seeing unprecedented near': 746535, 'unprecedented near term': 943167, 'term demand with': 838119, 'demand with significant': 236515, 'with significant spike': 1000736, 'significant spike in': 769527, 'spike in business': 789291, 'in business how': 421076, 'business how are': 143860, 'how are company': 407393, 'are company responding': 85453, 'company responding to': 191025, 'to this surge': 917467, 'in demand read': 422149, 'pile amp': 656483, 'amp delicious': 53621, 'delicious bar': 233008, 'not performance': 571002, '12 performance': 2930, 'performance inspired': 651448, 'inspired nutrition': 439848, 'stock pile amp': 802627, 'pile amp delicious': 656484, 'amp delicious bar': 53622, 'delicious bar that': 233009, 'bar that are': 110778, 'sale not performance': 732371, 'not performance protein': 571003, 'of 12 performance': 579343, '12 performance inspired': 2931, 'performance inspired nutrition': 651449, 'down update': 257419, 'update ekiti': 946944, 'ekiti state': 270427, 'govt relaxes': 361255, 'relaxes the': 708884, 'restriction order': 717356, 'order earlier': 618184, 'and directed': 61375, 'directed that': 243415, 'move around': 543607, 'around on': 93427, 'thursday this': 895434, 'week between': 976010, 'between 06': 128663, '00am 00pm': 659, '00pm to': 700, 'lock down update': 499058, 'down update ekiti': 257420, 'update ekiti state': 946945, 'ekiti state govt': 270428, 'state govt relaxes': 795630, 'govt relaxes the': 361256, 'relaxes the restriction': 708885, 'the restriction order': 865675, 'restriction order earlier': 717357, 'order earlier and': 618185, 'earlier and directed': 264420, 'and directed that': 61376, 'directed that people': 243416, 'allowed to move': 46238, 'to move around': 910302, 'move around on': 543609, 'around on tuesday': 93428, 'tuesday thursday this': 935196, 'thursday this week': 895435, 'this week between': 891190, 'week between 06': 976011, 'between 06 00am': 128664, '06 00am 00pm': 979, '00am 00pm to': 660, '00pm to enable': 701, 'people stock home': 649615, 'and to various': 74209, 'to various store': 918123, 'various store hoarding': 952650, 'following if': 312760, 'anyone spare': 80528, 'spare box': 787467, 'of honey': 584737, 'honey nut': 403179, 'nut and': 577650, 'amp herb': 53935, 'herb puff': 392575, 'puff pretty': 688838, 'my lad': 548969, 'lad eats': 478713, 'bare everywhere': 110899, 'some friend of': 782912, 'of mine are': 586552, 'mine are after': 532873, 'are after the': 84271, 'after the following': 36317, 'the following if': 855509, 'following if anyone': 312761, 'can help can': 158610, 'help can anyone': 389475, 'can anyone spare': 157515, 'anyone spare box': 80529, 'spare box of': 787468, 'box of honey': 137123, 'of honey nut': 584738, 'honey nut and': 403180, 'nut and cheese': 577651, 'and cheese amp': 59797, 'cheese amp herb': 175161, 'amp herb puff': 53936, 'herb puff pretty': 392576, 'puff pretty much': 688839, 'much the only': 545354, 'thing my lad': 884604, 'my lad eats': 548970, 'lad eats and': 478714, 'eats and the': 266360, 'are bare everywhere': 84771, 'the bitch': 849735, 'bitch tweet': 131778, 'this worried': 891524, 'and the bitch': 73261, 'the bitch tweet': 849736, 'bitch tweet this': 131779, 'tweet this worried': 936414, 'this worried about': 891525, 'apok842': 81612, 'apok842 trucker': 81613, 'trucker food': 932918, 'producer farmer': 680614, 'employee walmart': 274384, 'issue head': 455780, 'you america': 1016958, 'america love': 51600, 'apok842 trucker food': 81614, 'trucker food producer': 932919, 'food producer farmer': 316004, 'producer farmer grocery': 680615, 'store employee walmart': 807567, 'employee walmart employee': 274385, 'walmart employee the': 965324, 'employee the people': 274298, 'the people dealing': 863465, 'the food issue': 855566, 'food issue head': 315173, 'issue head on': 455781, 'head on thank': 385796, 'thank you america': 841688, 'you america love': 1016959, 'america love you': 51601, 'own easy': 631953, 'easy hand': 265710, 'from dollar': 335184, 'tree supply': 931200, 'supply easy': 825198, 'easy diy': 265686, 'diy project': 248763, 'project stay': 683533, 'family hand': 297874, 'it out how': 460185, 'your own easy': 1025133, 'own easy hand': 631954, 'easy hand sanitizer': 265711, 'sanitizer from dollar': 734946, 'from dollar tree': 335185, 'dollar tree supply': 253103, 'tree supply easy': 931201, 'supply easy diy': 825199, 'easy diy project': 265687, 'diy project stay': 248764, 'project stay safe': 683534, 'hand and family': 374759, 'and family hand': 62661, 'family hand clean': 297875, 'offered the': 594968, 'buy ventilator': 149423, 'limit competition': 492311, 'state yet': 796110, 'wa declined': 961925, 'declined for': 231424, 'assume is': 97007, 'is political': 450927, 'political reason': 663672, 'etc they offered': 282815, 'they offered the': 882813, 'offered the chance': 594969, 'chance to bulk': 171794, 'bulk buy ventilator': 142262, 'buy ventilator for': 149424, 'for the member': 326556, 'member state to': 528199, 'state to cut': 796014, 'cut price and': 223490, 'and to limit': 74181, 'to limit competition': 909282, 'limit competition between': 492312, 'the state yet': 867824, 'state yet it': 796111, 'it wa declined': 462098, 'wa declined for': 961926, 'declined for what': 231425, 'for what can': 327793, 'only assume is': 610124, 'assume is political': 97008, 'is political reason': 450928, 'brand learn': 137884, 'create better': 215618, 'better future': 128296, 'changing by': 172660, 'minute tell': 533848, 'those need': 892243, 'push yourself': 690342, 'how can brand': 407495, 'can brand learn': 157788, 'brand learn from': 137885, '19 to create': 11417, 'to create better': 903702, 'create better future': 215619, 'better future the': 128297, 'future the need': 342474, 'your consumer are': 1023314, 'are changing by': 85230, 'changing by the': 172661, 'the minute tell': 860676, 'minute tell if': 533849, 'tell if you': 836988, 'able to spot': 24548, 'spot those need': 790130, 'those need and': 892244, 'need and push': 554434, 'and push yourself': 69800, 'push yourself to': 690343, 'yourself to try': 1026733, 'new thing you': 559751, 'question with': 693814, 'main question with': 508806, 'question with is': 693815, 'with is how': 999049, 'like the people': 491391, 'canned and long': 161494, 'life food they': 488659, 'food they are': 317163, 'are even buying': 86274, 'even buying up': 283927, 'get uk': 348552, 'european supplier': 283614, 'these how': 880134, 'their to': 875001, 'to get uk': 906632, 'get uk and': 348553, 'uk and european': 938170, 'and european supplier': 62314, 'european supplier for': 283615, 'supplier for these': 824537, 'for these how': 326969, 'these how do': 880135, 'how do put': 407724, 'do put them': 250016, 'put them out': 690893, 'them out their': 876133, 'out their to': 627455, 'their to benefit': 875002, 'to benefit the': 901768, 'outrage wet': 629311, 'healthy alternative': 387511, 'writes via': 1012881, 'hold the outrage': 400021, 'the outrage wet': 862747, 'outrage wet market': 629312, 'wet market are': 980741, 'market are healthy': 516022, 'are healthy alternative': 87063, 'healthy alternative to': 387512, 'alternative to supermarket': 49273, 'to supermarket writes': 915862, 'supermarket writes via': 824144, 'plantain': 658734, 'coronacomedy': 204477, 'cookingwithplantains': 202955, 'you affected': 1016837, 'recent incident': 703912, 'hoarding ve': 399636, 'that giant': 844007, 'their subsidiary': 874893, 'subsidiary now': 815973, 'stock plenty': 802690, 'of plantain': 588155, 'plantain coronahumor': 658735, 'coronahumor coronacomedy': 204973, 'coronacomedy humor': 204478, 'humor cookingwithplantains': 410858, 'of you affected': 593370, 'you affected by': 1016838, 'the recent incident': 865312, 'recent incident of': 703913, 'incident of hoarding': 431423, 'of hoarding ve': 584699, 'hoarding ve just': 399637, 've just discovered': 953297, 'just discovered that': 468604, 'discovered that giant': 244696, 'that giant food': 844008, 'giant food store': 349775, 'and all their': 57897, 'all their subsidiary': 45009, 'their subsidiary now': 874894, 'subsidiary now have': 815974, 'now have in': 574874, 'in stock plenty': 428322, 'stock plenty of': 802691, 'plenty of plantain': 660968, 'of plantain coronahumor': 588156, 'plantain coronahumor coronacomedy': 658736, 'coronahumor coronacomedy humor': 204974, 'coronacomedy humor cookingwithplantains': 204479, 'tslaq': 934951, 'sachs still': 729044, 'deal spx': 229487, 'tsla tslaq': 934947, 'tslaq dis': 934952, 'dis aapl': 243780, 'aapl xlf': 24138, 'xlf oilprice': 1013869, 'oilprice oann': 597619, 'oann opec': 578280, 'goldman sachs still': 356098, 'sachs still see': 729045, 'opec deal spx': 611870, 'deal spx spy': 229488, 'spy tsla tslaq': 791411, 'tsla tslaq dis': 934948, 'tslaq dis aapl': 934953, 'dis aapl xlf': 243781, 'aapl xlf oilprice': 24139, 'xlf oilprice oann': 1013870, 'oilprice oann opec': 597620, 'egg cost': 269836, '25 ha': 15879, 'ha that': 372181, 'increased due': 433306, 'stay like': 797118, 'general egg cost': 345330, 'egg cost 30': 269837, 'cost 30 but': 207828, 'it 25 ha': 456204, '25 ha that': 15880, 'ha that increased': 372182, 'that increased due': 844499, 'increased due to': 433307, 'hope price do': 403605, 'not stay like': 571705, 'stay like this': 797119, 'like this after': 491465, 'this after the': 886228, 'cashier dozen': 166511, 'she suffers': 756366, 'suffers high': 817361, 'daughter is working': 226874, 'is working supermarket': 454048, 'working supermarket cashier': 1008928, 'supermarket cashier dozen': 819555, 'cashier dozen of': 166512, 'pas within 2m': 643175, '2m of her': 16700, 'store ha failed': 808006, 'if she suffers': 414781, 'she suffers high': 756367, 'suffers high viral': 817362, 'and fell': 62789, 'sharply the': 755768, 'major commodity including': 509272, 'commodity including and': 189197, 'including and fell': 431880, 'and fell sharply': 62790, 'fell sharply the': 303234, 'sharply the spread': 755769, 'the spread worldwide': 867646, 'were infected': 979791, 'infected some': 436639, 'supermarket truth': 823581, 'died of but': 241585, 'of but we': 580993, 'they were infected': 883780, 'were infected some': 979792, 'infected some will': 436640, 'at work some': 101617, 'work some will': 1005752, 'argue at the': 92687, 'the supermarket truth': 868875, 'supermarket truth is': 823582, 'is we ll': 453803, 'time article': 896339, 'the dtc': 853752, 'dtc covid': 261391, 'test say': 839160, 'about accuracy': 24753, 'accuracy although': 28877, 'although if': 49325, 'sample is': 733469, 'taken correctly': 832981, 'correctly by': 207598, 'ok take': 597898, 'while requires': 987213, 'requires telemedicine': 713497, 'telemedicine document': 836774, 'document ok': 251197, 'ok seems': 597866, 'be rubber': 116917, 'rubber stamp': 726954, 'stamp if': 793421, 'get reported': 347920, 'the time article': 869577, 'time article on': 896340, 'on the dtc': 604082, 'the dtc covid': 853753, 'dtc covid test': 261392, 'covid test say': 214229, 'test say nothing': 839161, 'say nothing about': 738998, 'nothing about accuracy': 572919, 'about accuracy although': 24754, 'accuracy although if': 28878, 'although if the': 49326, 'if the sample': 415026, 'the sample is': 866330, 'sample is taken': 733470, 'is taken correctly': 452528, 'taken correctly by': 832982, 'correctly by the': 207599, 'consumer it appears': 197954, 'be ok take': 116177, 'ok take while': 597899, 'take while requires': 832798, 'while requires telemedicine': 987214, 'requires telemedicine document': 713498, 'telemedicine document ok': 836775, 'document ok seems': 251198, 'ok seems to': 597867, 'to be rubber': 901514, 'be rubber stamp': 116918, 'rubber stamp if': 726955, 'stamp if positive': 793422, 'if positive get': 414660, 'positive get reported': 665339, 'meeting about': 527666, 'demand lockdowneffect': 235816, 'lockdowneffect oilprice': 500264, 'have dropped after': 380374, 'dropped after saudi': 260528, 'postponed meeting about': 666816, 'meeting about deal': 527667, 'the virus pandemic': 870875, 'virus pandemic hit': 958601, 'hit demand lockdowneffect': 398210, 'demand lockdowneffect oilprice': 235817, 'that urgently': 847204, 'will stock food': 994989, 'stock food necessity': 802139, 'food necessity that': 315515, 'necessity that urgently': 554268, 'that urgently need': 847205, 'urgently need to': 948395, 'survive this covid': 829260, 'taken further': 833000, 'have taken further': 382913, 'taken further step': 833001, 'and to keep': 74179, 'keep supporting our': 472002, 'supporting our colleague': 827167, 'our colleague please': 622429, 'colleague please read': 186230, 'please read the': 660355, 'howtohelp': 409550, 'seeing decrease': 746263, 'retail donation': 718043, 'donation unique': 254725, 'unique product': 941996, 'product distribution': 681126, 'distribution challenge': 248134, 'challenge declining': 171433, 'declining volunteer': 231494, 'volunteer group': 960269, 'increased product': 433426, 'population ha': 664685, 'launched response': 482033, 'fund howtohelp': 341429, 'are seeing decrease': 89891, 'seeing decrease in': 746264, 'decrease in retail': 231580, 'in retail donation': 427451, 'retail donation unique': 718044, 'donation unique product': 254726, 'unique product distribution': 941997, 'product distribution challenge': 681127, 'distribution challenge declining': 248135, 'challenge declining volunteer': 171434, 'declining volunteer group': 231495, 'volunteer group and': 960270, 'group and an': 366601, 'and an increased': 58117, 'an increased product': 56245, 'increased product demand': 433427, 'product demand for': 681116, 'demand for vulnerable': 235514, 'for vulnerable population': 327603, 'vulnerable population ha': 961126, 'population ha launched': 664686, 'ha launched response': 371112, 'launched response fund': 482034, 'response fund howtohelp': 715704, 'our foodsystems': 623145, 'foodsystems healthy': 318227, 'healthy right': 387750, 'now whether': 576402, 'socialdistancing is an': 780459, 'an important part': 56200, 'part of keeping': 642355, 'keeping our foodsystems': 472504, 'our foodsystems healthy': 623146, 'foodsystems healthy right': 318228, 'healthy right now': 387751, 'right now whether': 722182, 'now whether it': 576403, 'whether it on': 985530, 'farm or in': 299155, 'store it more': 808585, 'ever to abide': 285561, 'abide by health': 24346, 'by health guideline': 152781, 'emergency paid': 272846, 'them with emergency': 876646, 'with emergency paid': 998202, 'emergency paid leave': 272847, 'hope beach': 403427, 'beach will': 118251, 'close countryside': 182601, 'countryside is': 211304, 'please exercise': 659975, 'exercise common': 290037, 'sense before': 750497, 'tourist resort': 927040, 'resort in': 714674, 'in devon': 422240, 'devon know': 239992, 'know hospital': 476426, 'have capacity': 379890, 'influx and': 437379, 'hope beach will': 403428, 'beach will not': 118252, 'to close countryside': 902864, 'close countryside is': 182602, 'countryside is for': 211305, 'everyone to share': 287502, 'to share but': 914336, 'share but please': 754954, 'but please exercise': 146797, 'please exercise common': 659976, 'exercise common sense': 290038, 'common sense before': 189454, 'sense before heading': 750498, 'heading to tourist': 385966, 'to tourist resort': 917657, 'tourist resort in': 927041, 'resort in devon': 714675, 'in devon know': 422241, 'devon know hospital': 239993, 'know hospital do': 476427, 'not have capacity': 569816, 'have capacity for': 379891, 'capacity for an': 162521, 'for an influx': 319300, 'an influx and': 56318, 'influx and supermarket': 437380, 'shelf are already': 756787, 'already empty of': 47314, 'empty of basic': 274978, 'riskier': 724048, 'yep see': 1015346, 'see we': 746012, 'about slightly': 26207, 'slightly different': 773952, 'thing absolute': 884100, 'absolute risk': 27276, '19 specific': 10726, 'specific health': 788215, 'former driving': 329632, 'driving further': 259933, 'further is': 342080, 'the riskier': 865889, 'riskier activity': 724049, 'activity agreed': 30366, 'later going': 481070, 'to supermark': 915765, 'yep see we': 1015347, 'see we re': 746013, 'talking about slightly': 833984, 'about slightly different': 26208, 'slightly different thing': 773953, 'different thing absolute': 242097, 'thing absolute risk': 884101, 'absolute risk covid': 27277, 'covid 19 specific': 213841, '19 specific health': 10727, 'specific health risk': 788216, 'health risk for': 386808, 'for the former': 326447, 'the former driving': 855715, 'former driving further': 329633, 'driving further is': 259934, 'further is the': 342081, 'is the riskier': 452925, 'the riskier activity': 865890, 'riskier activity agreed': 724050, 'activity agreed for': 30367, 'agreed for the': 38710, 'for the later': 326524, 'the later going': 859070, 'later going to': 481071, 'going to supermark': 355730, 'business logistical': 144014, 'logistical side': 500712, 'explained pandemic': 292161, 'the business logistical': 850173, 'business logistical side': 144015, 'logistical side of': 500713, 'paper shortage explained': 640771, 'shortage explained pandemic': 764943, 'explained pandemic toiletpaper': 292162, 'pandemic toiletpaper shortage': 636816, 'shortage panicbuying hoarding': 765164, 'panicbuying hoarding tp': 638965, 'should encourage': 765957, 'encourage to': 275638, 'worker living': 1007328, 'wage along': 963801, 'with comprehensive': 997717, 'comprehensive benefit': 192624, 'benefit package': 127060, 'package unfortunately': 633446, 'unfortunately however': 941609, 'however suspect': 409461, 'suspect my': 829477, 'mom along': 535674, '19 should encourage': 10500, 'should encourage to': 765958, 'encourage to pay': 275639, 'pay all essential': 644713, 'essential worker living': 281841, 'worker living wage': 1007329, 'living wage along': 496475, 'wage along with': 963802, 'along with comprehensive': 47048, 'with comprehensive benefit': 997718, 'comprehensive benefit package': 192625, 'benefit package unfortunately': 127061, 'package unfortunately however': 633447, 'unfortunately however suspect': 941610, 'however suspect my': 409462, 'suspect my mom': 829478, 'my mom along': 549253, 'mom along with': 535675, 'with all our': 997157, 'all our other': 43822, 'our other grocery': 624178, 'store employee will': 807575, 'receive the minimum': 703559, 'collapsed recently': 186109, 'recently making': 704123, 'making many': 511186, 'company vulnerable': 191276, 'to opportunistic': 911029, 'opportunistic takeover': 613573, 'takeover and': 833205, 'activist tactic': 30349, 'tactic what': 831719, 'should company': 765849, '19 corpgov': 6138, 'equity price have': 279964, 'have collapsed recently': 380013, 'collapsed recently making': 186110, 'recently making many': 704124, 'making many company': 511187, 'many company vulnerable': 513922, 'company vulnerable to': 191277, 'vulnerable to opportunistic': 961225, 'to opportunistic takeover': 911030, 'opportunistic takeover and': 613574, 'takeover and activist': 833206, 'and activist tactic': 57641, 'activist tactic what': 30350, 'tactic what should': 831720, 'what should company': 982181, 'should company do': 765850, 'company do 19': 190596, 'do 19 corpgov': 249018, 'sohr': 781566, 'sohr food': 781567, 'hike with': 396299, 'with absence': 997087, 'of regime': 588880, 'regime government': 707355, 'government role': 360553, 'role amid': 725065, 'sohr food price': 781568, 'food price hike': 315947, 'price hike with': 674540, 'hike with absence': 396300, 'with absence of': 997088, 'absence of regime': 27191, 'of regime government': 588881, 'regime government role': 707356, 'government role amid': 360554, 'role amid crisis': 725066, 'just hoping': 468986, 'child about': 175987, 'store learned': 808699, 'learned how': 484121, 'and became': 58789, 'became competitive': 118861, 'competitive walk': 191783, 'walk taker': 964875, 'just hoping to': 468987, 'hoping to live': 403954, 'to live to': 909351, 'live to see': 496071, 'day when tell': 228728, 'when tell my': 984113, 'tell my child': 837040, 'my child about': 547676, 'child about the': 175988, 'about the year': 26568, 'the year we': 872175, 'year we all': 1015082, 'all had to': 43024, 'had to wear': 373741, 'grocery store learned': 365516, 'store learned how': 808700, 'learned how to': 484122, 'make bread and': 509748, 'bread and became': 138393, 'and became competitive': 58790, 'became competitive walk': 118862, 'competitive walk taker': 191784, 'imadethis': 416613, 'yeah in': 1014269, 'current quarantine': 221330, 'our standard': 624890, 'standard bit': 793640, 'bit toiletpaper': 131724, 'toiletpaperemergency imadethis': 923137, 'yeah in light': 1014270, 'the current quarantine': 852654, 'current quarantine we': 221331, 'quarantine we ve': 692693, 've all had': 952817, 'to lower our': 909502, 'lower our standard': 505932, 'our standard bit': 624891, 'standard bit toiletpaper': 793641, 'bit toiletpaper toiletpaperpanic': 131725, 'toiletpaperpanic toiletpaperemergency imadethis': 923284, 'someone said': 784630, 'currently full': 221538, 'twat apparently': 936255, 'apparently can': 81919, 'take maximum': 832313, 'three ha': 893942, 'got decent': 358519, 'decent recipe': 230795, 'recipe coronacrisisuk': 704451, 'thinking of going': 885960, 'the supermarket someone': 868813, 'supermarket someone said': 822777, 'someone said it': 784631, 'said it currently': 731150, 'it currently full': 457442, 'currently full of': 221539, 'full of selfish': 340753, 'of selfish twat': 589483, 'selfish twat apparently': 748302, 'twat apparently can': 936256, 'apparently can only': 81920, 'can only take': 159137, 'only take maximum': 611233, 'take maximum of': 832314, 'of three ha': 592143, 'three ha anyone': 893943, 'ha anyone got': 369585, 'anyone got decent': 80338, 'got decent recipe': 358520, 'decent recipe coronacrisisuk': 230796, 'recipe coronacrisisuk stockpilinguk': 704452, 'internet carry': 441920, 'carry notable': 165113, 'notable cost': 572649, 'cybersecurity many': 224002, 'many facet': 514049, 'life work': 489229, 'work school': 1005701, 'school banking': 741704, 'banking shopping': 110457, 'shopping govt': 762803, 'online amidst': 607799, 'amidst socialdistancing': 52817, 'without breaking': 1002525, 'the internet carry': 858380, 'internet carry notable': 441921, 'carry notable cost': 165114, 'notable cost in': 572650, 'cost in term': 207978, 'term of cybersecurity': 838216, 'of cybersecurity many': 582304, 'cybersecurity many facet': 224003, 'many facet of': 514050, 'facet of human': 295206, 'human life work': 410551, 'life work school': 489230, 'work school banking': 1005702, 'school banking shopping': 741705, 'banking shopping govt': 110458, 'shopping govt service': 762804, 'govt service etc': 361273, 'service etc have': 752341, 'etc have moved': 282581, 'moved online amidst': 543825, 'online amidst socialdistancing': 607800, 'amidst socialdistancing all': 52818, 'socialdistancing all without': 780200, 'all without breaking': 45483, 'without breaking the': 1002526, 'breaking the network': 139063, 'the network more': 861463, 'network more from': 557741, 'autodistancing': 103928, 'beyond autodistancing': 129134, 'autodistancing heb': 103929, 'and beyond autodistancing': 58939, 'beyond autodistancing heb': 129135, 'news local': 560587, 'family policy': 298164, 'practice rather': 668637, 'than rule': 841102, 'rule shoprite': 727339, 'shoprite ha': 764548, 'received feedback': 703619, 'without bringing': 1002527, 'bringing child': 140152, 'news local supermarket': 560588, 'local supermarket say': 498582, 'supermarket say the': 822329, 'say the one': 739294, 'the one person': 862214, 'per family policy': 650833, 'family policy is': 298165, 'policy is best': 663430, 'is best practice': 446143, 'best practice rather': 127848, 'practice rather than': 668638, 'rather than rule': 697547, 'than rule shoprite': 841103, 'rule shoprite ha': 727340, 'shoprite ha received': 764549, 'ha received feedback': 371664, 'received feedback from': 703620, 'feedback from customer': 302420, 'from customer who': 335085, 'who are unable': 988249, 'essential item without': 281239, 'item without bringing': 463843, 'without bringing child': 1002528, 'cycling the': 224099, 'the kilburn': 858801, 'kilburn road': 474303, '8am in': 23137, 'cycling the kilburn': 224100, 'the kilburn road': 858802, 'kilburn road this': 474304, 'just before 8am': 468313, 'before 8am in': 122599, '8am in every': 23138, 'every supermarket passed': 286263, 'stockmarketnews': 803704, 'davelewis': 226968, 'tesco estimate': 838698, 'estimate an': 282230, 'an up': 56919, 'to 925': 899874, '925 million': 23504, 'million hit': 532181, 'pandemic tesco': 636633, 'tesco retailer': 838783, 'retailer supermarket': 719344, 'supermarket stockmarketnews': 822979, 'stockmarketnews uk': 803705, 'uk ftse100': 938394, 'ftse100 davelewis': 339488, 'tesco estimate an': 838699, 'estimate an up': 282231, 'an up to': 56920, 'up to 925': 946352, 'to 925 million': 899875, '925 million hit': 23505, 'million hit due': 532182, 'coronavirus pandemic tesco': 206492, 'pandemic tesco retailer': 636634, 'tesco retailer supermarket': 838784, 'retailer supermarket stockmarketnews': 719345, 'supermarket stockmarketnews uk': 822980, 'stockmarketnews uk ftse100': 803706, 'uk ftse100 davelewis': 938395, 'emergency worker providing': 273063, 'worker providing child': 1007639, 'widened': 991796, 'nigeria the': 562806, 'ha widened': 372481, 'widened bond': 991797, 'bond spread': 134261, 'writes in nigeria': 1012845, 'in nigeria the': 425885, 'nigeria the fall': 562807, 'oil and stock': 596621, 'stock price ha': 802719, 'price ha widened': 674393, 'ha widened bond': 372482, 'widened bond spread': 991798, 'bond spread and': 134262, 'spread and put': 790420, 'and put pressure': 69814, 'on the naira': 604244, 'the naira the': 861189, 'naira the economic': 551498, 'impact of is': 417782, 'of is real': 585328, 'african closure': 35181, 'closure push': 184003, 'up 15': 944119, '15 jump': 3752, 'south african closure': 786672, 'african closure push': 35182, 'closure push price': 184004, 'price up 15': 677218, 'up 15 jump': 944121, '15 jump 11': 3753, 'pharmacy essential': 654295, 'be drive': 114604, 'thru and': 895166, 'le opportunity': 483053, 'group coming': 366650, 'le contact': 482893, 'contact overall': 200171, 'overall which': 631044, 'le spread': 483132, 'store pharmacy essential': 809537, 'pharmacy essential store': 654296, 'essential store should': 281594, 'should be drive': 765611, 'be drive thru': 114605, 'drive thru and': 259190, 'thru and online': 895167, 'curbside pickup only': 220658, 'pickup only this': 655998, 'only this mean': 611336, 'this mean le': 888810, 'mean le opportunity': 524522, 'le opportunity for': 483054, 'opportunity for group': 613613, 'for group coming': 322069, 'group coming together': 366651, 'together and le': 920694, 'and le contact': 66014, 'le contact overall': 482894, 'contact overall which': 200172, 'overall which would': 631045, 'result in le': 717534, 'in le spread': 424649, 'le spread of': 483133, 'use than covid': 949638, '19 the surgeon': 11254, 'the surgeon general': 869007, 'store is that': 808540, 'is that all': 452628, 'left and now': 485380, 'and now governor': 67839, 'goa': 354539, 'briton caught': 140645, 'india lockdown': 434510, 'dad need': 224369, 'assistance he': 96700, 'is stranded': 452359, 'in goa': 423350, 'goa no': 354542, 'the apartment': 848798, 'help urgently': 390840, 'briton caught in': 140646, 'caught in india': 167423, 'in india lockdown': 424044, 'india lockdown demand': 434511, 'lockdown demand more': 499314, 'demand more help': 235888, 'more help my': 539403, 'help my dad': 390123, 'my dad need': 547898, 'dad need assistance': 224370, 'need assistance he': 554485, 'assistance he is': 96701, 'he is stranded': 385147, 'is stranded in': 452360, 'stranded in goa': 812356, 'in goa no': 423351, 'goa no drinking': 354543, 'drinking water no': 258946, 'food and unable': 313373, 'leave the apartment': 484960, 'the apartment you': 848799, 'apartment you need': 81428, 'to help urgently': 907662, 'fedprimerate': 302125, 'softdata': 781497, 'economicdata': 267412, '2020 120': 14088, '120 february': 3005, '2020 reading': 14558, 'reading 132': 700729, '132 more': 3312, 'more economy': 539104, 'consumerconfidence fedprimerate': 199652, 'fedprimerate usa': 302126, 'usa softdata': 948749, 'softdata consumer': 781498, 'consumer economics': 197294, 'economics economicdata': 267444, 'economicdata business': 267413, 'march 2020 120': 515144, '2020 120 february': 14089, '120 february 2020': 3006, 'february 2020 reading': 301679, '2020 reading 132': 14559, 'reading 132 more': 700730, '132 more economy': 3313, 'more economy consumerconfidence': 539105, 'economy consumerconfidence fedprimerate': 267777, 'consumerconfidence fedprimerate usa': 199653, 'fedprimerate usa softdata': 302127, 'usa softdata consumer': 948750, 'softdata consumer consumer': 781499, 'consumer consumer economics': 196951, 'consumer economics economicdata': 197296, 'economics economicdata business': 267445, 'economicdata business spending': 267414, 'evacuated': 283684, 've evacuated': 953081, 'evacuated rv': 283687, 'rv park': 728719, 'large lot': 479708, 'treatment tent': 931145, 'tent hope': 838010, 'one my': 606701, 'indoors still': 435422, 'long grocery': 501423, '16 00 confirmed': 4053, 'confirmed case now': 194142, 'case now in': 165877, 'now in la': 575004, 'in la county': 424561, 'la county they': 478149, 'county they ve': 211511, 'they ve evacuated': 883650, 've evacuated rv': 953082, 'evacuated rv park': 283688, 'rv park and': 728720, 'park and large': 641861, 'and large lot': 65952, 'large lot to': 479709, 'lot to make': 504394, 'make way for': 510704, 'way for coronavirus': 969582, 'for coronavirus treatment': 320397, 'coronavirus treatment tent': 206965, 'treatment tent hope': 931146, 'tent hope we': 838011, 'have enough ventilator': 380472, 'enough ventilator for': 277753, 'ventilator for anyone': 954555, 'for anyone that': 319450, 'anyone that need': 80559, 'that need one': 845305, 'need one my': 555369, 'one my family': 606702, 'family is staying': 297956, 'is staying indoors': 452251, 'staying indoors still': 798655, 'indoors still long': 435423, 'still long grocery': 800806, 'long grocery store': 501424, 'line stay safe': 493428, 'forcing many': 328711, 'thing ourselves': 884662, 'ourselves check': 625469, 'car 19': 162974, '19 handy': 7423, 'handy workfromhomelife': 376914, 'is forcing many': 447902, 'forcing many of': 328712, 'many of to': 514395, 'do thing ourselves': 250331, 'thing ourselves check': 884663, 'ourselves check out': 625470, 'article by consumer': 94276, 'by consumer report': 152193, 'how to care': 408989, 'for your car': 328127, 'your car 19': 1023124, 'car 19 handy': 162975, '19 handy workfromhomelife': 7424, 'dismissing': 246023, 'apparently complete': 81923, 'announced soon': 77035, 'soon hope': 785742, 'ha supply': 372118, 'than dismissing': 840505, 'dismissing it': 246024, 'false rumor': 297451, 'rumor be': 727478, 'advance rather': 32913, 'being sorry': 125838, 'sorry later': 786061, 'later india': 481080, 'india mumbai': 434526, 'apparently complete lockdown': 81924, 'complete lockdown will': 192118, 'lockdown will be': 500147, 'be announced soon': 113624, 'announced soon hope': 77036, 'soon hope everyone': 785743, 'everyone ha supply': 286972, 'ha supply of': 372119, 'and food rather': 63084, 'rather than dismissing': 697513, 'than dismissing it': 840506, 'dismissing it false': 246025, 'it false rumor': 457944, 'false rumor be': 297452, 'rumor be prepared': 727479, 'be prepared in': 116520, 'prepared in advance': 670212, 'in advance rather': 420060, 'advance rather than': 32914, 'rather than being': 697507, 'than being sorry': 840403, 'being sorry later': 125839, 'sorry later india': 786062, 'later india mumbai': 481081, 'chinese company': 177218, 'much good': 544953, 'mankind have': 513264, 'taken price': 833054, 'two three': 937273, 'three four': 893930, 'four or': 330643, 'even 10': 283795, 'australian surgical': 103558, 'glove maker': 352767, 'the chinese company': 850847, 'chinese company who': 177219, 'who are claiming': 988116, 'are claiming to': 85284, 'so much good': 777779, 'much good for': 544954, 'for mankind have': 323196, 'mankind have taken': 513265, 'have taken price': 382916, 'taken price up': 833055, 'price up two': 677266, 'up two three': 946489, 'two three four': 937274, 'three four or': 893931, 'four or even': 330644, 'or even 10': 615187, 'even 10 time': 283796, '10 time what': 1721, 'time what it': 898273, 'wa before australian': 961665, 'before australian surgical': 122654, 'australian surgical glove': 103559, 'surgical glove maker': 828346, 'ended with': 276147, 'somehow he': 784321, 'he healthy': 385081, 'healthy think': 387786, 'ny tank': 577917, 'everything up': 288066, 'up dirt': 944720, 'cheap he': 174122, 'family an': 297578, 'have been close': 379490, 'close to him': 182900, 'him and ended': 396537, 'and ended with': 62119, 'ended with covid': 276148, '19 but somehow': 5528, 'but somehow he': 147113, 'somehow he healthy': 784322, 'he healthy think': 385082, 'healthy think about': 387787, 'about it real': 25592, 'it real estate': 460618, 'estate market in': 282151, 'market in ny': 516566, 'in ny tank': 426008, 'ny tank price': 577918, 'tank price bottom': 834225, 'out and he': 625667, 'and he go': 64316, 'he go back': 384992, 'back and buy': 106851, 'buy everything up': 148601, 'everything up dirt': 288067, 'up dirt cheap': 944721, 'dirt cheap he': 243714, 'cheap he and': 174123, 'his family an': 397415, 'punjab amp': 689268, 'some rumour': 783784, 'rumour which': 727536, 'clock for': 182402, 'in punjab amp': 427121, 'punjab amp no': 689269, 'amp no one': 54184, 'been some rumour': 122007, 'some rumour which': 783785, 'rumour which have': 727537, 'which have led': 985919, 'to panic purchase': 911419, 'panic purchase in': 638446, 'purchase in some': 689506, 'area urge all': 92246, 'all to not': 45244, 'the clock for': 851032, 'clock for you': 182403, 'substandard': 816041, 'in employing': 422558, 'employing deceptive': 274571, 'deceptive marketing': 230822, 'marketing practice': 517681, 'selling substandard': 749458, 'substandard protective': 816042, 'making at': 510969, 'factory in employing': 295958, 'in employing deceptive': 422559, 'employing deceptive marketing': 274572, 'deceptive marketing practice': 230823, 'marketing practice have': 517682, 'been selling substandard': 121916, 'selling substandard protective': 749459, 'substandard protective gear': 816043, 'gear at grossly': 344943, 'have to begin': 383163, 'begin making at': 123536, 'making at home': 510970, 'home the product': 402242, 'the product we': 864600, 'product we need': 681820, 'faceguard': 295054, 'landmark': 479376, 'hungary frontline': 411052, 'frontline auchan': 338711, 'auchan supermarket': 102824, 'have double': 380345, 'double protection': 256040, 'protection faceguard': 685434, 'faceguard amp': 295055, 'mask leading': 518906, 'life last': 488838, 'week amp': 975894, 'amp signed': 54502, 'signed landmark': 769366, 'landmark joint': 479377, 'joint declaration': 467005, 'declaration on': 231164, 'protecting worker': 685247, 'customer more': 222607, 'in hungary frontline': 423918, 'hungary frontline auchan': 411053, 'frontline auchan supermarket': 338712, 'auchan supermarket worker': 102825, 'worker have double': 1007085, 'have double protection': 380346, 'double protection faceguard': 256041, 'protection faceguard amp': 685435, 'faceguard amp mask': 295056, 'amp mask leading': 54116, 'mask leading the': 518907, 'leading the race': 483750, 'race to save': 695206, 'save life last': 737548, 'life last week': 488839, 'last week amp': 480631, 'week amp signed': 975895, 'amp signed landmark': 54503, 'signed landmark joint': 769367, 'landmark joint declaration': 479378, 'joint declaration on': 467006, 'declaration on protecting': 231165, 'on protecting worker': 602981, 'protecting worker amp': 685248, 'worker amp customer': 1006255, 'amp customer more': 53598, 'customer more here': 222608, 'storm between': 811788, 'between supply': 128913, 'russia coupled': 728456, 'with dramatic': 998132, 'fall in gas': 296951, 'price is due': 674866, 'due to sort': 261964, 'to sort of': 914924, 'sort of perfect': 786132, 'of perfect storm': 588040, 'perfect storm between': 651342, 'storm between supply': 811789, 'between supply and': 128914, 'demand with increased': 236513, 'increased production in': 433431, 'and russia coupled': 70664, 'russia coupled with': 728457, 'coupled with dramatic': 211731, 'with dramatic drop': 998133, 'showering': 767401, 'into sam': 442960, 'club for': 184437, 'hopefully tp': 403899, 'on rubber': 603229, 'glove would': 353048, 'wear my': 974421, 'glass but': 351604, 'they fog': 882124, 'changing all': 172635, 'clothes showering': 184208, 'showering again': 767404, 'go into sam': 353767, 'into sam club': 442961, 'sam club for': 732915, 'club for dog': 184438, 'dog food hopefully': 252082, 'food hopefully tp': 314844, 'hopefully tp also': 403900, 'tp also putting': 927733, 'also putting on': 48730, 'putting on rubber': 691179, 'on rubber glove': 603230, 'rubber glove would': 726945, 'glove would wear': 353050, 'would wear my': 1012393, 'wear my glass': 974422, 'my glass but': 548508, 'glass but they': 351605, 'but they fog': 147504, 'they fog up': 882125, 'fog up will': 312025, 'will be changing': 992393, 'be changing all': 114055, 'changing all my': 172636, 'all my clothes': 43547, 'my clothes showering': 547714, 'clothes showering again': 184209, 'showering again soon': 767405, 'again soon get': 37174, 'soon get home': 785722, 'get home just': 347244, 'home just normal': 401484, 'just normal day': 469323, 'normal day in': 567131, 'day in america': 227789, 'in america now': 420232, 'america now having': 51629, 'now having panic': 574895, 'and scarf': 71053, 'scarf had': 741073, 'wait 25': 964062, '25 minute': 15918, 'minute because': 533740, 'let only': 486950, 'person pas': 652571, 'pas through': 643164, 'only unit': 611399, 'unit top': 942104, 'item talk': 463680, 'through glass': 894481, 'glove and scarf': 352579, 'and scarf had': 71054, 'scarf had to': 741074, 'to wait 25': 918255, 'wait 25 minute': 964063, '25 minute because': 15919, 'minute because there': 533741, 'and they let': 73914, 'they let only': 882558, 'let only person': 486951, 'only person pas': 610959, 'person pas through': 652572, 'pas through at': 643165, 'through at time': 894344, 'at time they': 101313, 'time they also': 897897, 'they also only': 881152, 'also only let': 48621, 'only let you': 610725, 'let you buy': 487213, 'you buy only': 1017577, 'buy only unit': 149053, 'only unit top': 611400, 'unit top of': 942105, 'each item talk': 264110, 'item talk to': 463681, 'you through glass': 1021726, 'so love': 777597, 'so love this': 777598, 'love this food': 504830, 'this food town': 887579, 'food town grocery': 317343, 'store chain offer': 806930, 'chain offer senior': 170964, 'hour for customer': 405599, 'for customer over': 320512, 'increase that': 433098, 'must pay': 546801, 'worker overtime': 1007531, 'overtime invest': 631628, 'more production': 540153, 'more good': 539357, 'good economics': 356991, 'whenever you see': 984690, 'you see increase': 1021043, 'demand the price': 236356, 'price increase that': 674790, 'increase that you': 433099, 'that you see': 847741, 'you see on': 1021053, 'item you re': 463872, 're buying you': 698404, 'buying you must': 151409, 'you must pay': 1019924, 'must pay for': 546802, 'pay for is': 644882, 'for is necessary': 322670, 'necessary to pay': 554123, 'pay for new': 644888, 'for new worker': 323840, 'new worker overtime': 559893, 'worker overtime invest': 1007532, 'overtime invest in': 631629, 'in more production': 425443, 'more production line': 540154, 'line to produce': 493491, 'produce more good': 680365, 'more good economics': 539358, 'good economics finance': 356992, 'finance economy business': 306192, 'economy business trump': 267719, 'firstfightscovid': 309206, 'demand picking': 236028, 'from neighborhood': 336558, 'neighborhood to': 557160, 'nearest food': 553709, 'bank firstfightscovid': 109833, 'should go hungry': 766046, 'crisis food bank': 217382, 'bank need help': 110025, 'with demand picking': 997986, 'demand picking up': 236029, 'up donation from': 944736, 'donation from neighborhood': 254614, 'from neighborhood to': 336559, 'neighborhood to find': 557161, 'to find your': 905957, 'find your nearest': 307409, 'your nearest food': 1024934, 'nearest food bank': 553710, 'food bank firstfightscovid': 313570, 'almost had': 46659, 'food and almost': 313172, 'and almost had': 57929, 'almost had panic': 46660, 'attack because wa': 102090, 'because wa around': 119779, 'wa around people': 961577, 'around people away': 93451, 'and reservation': 70301, 'cancellation of booking': 161038, 'of booking and': 580780, 'booking and reservation': 134711, 'and reservation in': 70302, '21daylockdown stayhomestaysafe': 15106, 'asking for sanitizer': 95997, 'for sanitizer 21daylockdown': 325335, 'sanitizer 21daylockdown stayhomestaysafe': 734289, 'oregon have': 619150, 'roof the': 725845, 'state background': 795412, 'background check': 107546, 'check system': 174636, 'crashed one': 215081, 'said buying': 731014, 'buying weapon': 151331, 'weapon is': 974245, 'therapy for': 877916, 'gun sale in': 368721, 'sale in oregon': 732301, 'in oregon have': 426226, 'oregon have been': 619151, 'the roof the': 865977, 'roof the covid': 725846, 'pandemic spread at': 636526, 'spread at time': 790437, 'time the state': 897876, 'the state background': 867750, 'state background check': 795413, 'background check system': 107547, 'check system ha': 174637, 'system ha crashed': 831192, 'ha crashed one': 370259, 'crashed one gun': 215082, 'owner said buying': 632559, 'said buying weapon': 731015, 'buying weapon is': 151332, 'weapon is retail': 974246, 'is retail therapy': 451495, 'retail therapy for': 718779, 'therapy for the': 877917, 'stophoarding thousand': 805506, 'of briton': 580895, 'briton attack': 140643, 'attack selfish': 102148, 'buyer via': 149795, 'britain stophoarding thousand': 140449, 'stophoarding thousand of': 805507, 'thousand of briton': 893425, 'of briton attack': 580896, 'briton attack selfish': 140644, 'attack selfish panic': 102149, 'panic buyer via': 637615, 'total per': 926224, 'per today': 651050, '20 let': 13130, 'amp sanitise': 54432, 'sanitise everything': 733893, 'stock only': 802574, 'it thinning': 461643, 'thinning not': 886059, 'not craving': 568916, 'craving 19': 215178, 'death in total': 230084, 'in total per': 430221, 'total per today': 926225, 'per today march': 651051, 'today march 20': 919855, 'march 20 let': 515134, '20 let keep': 13131, 'let keep safe': 486846, 'keep safe amp': 471871, 'safe amp sanitise': 729431, 'amp sanitise everything': 54433, 'sanitise everything go': 733894, 'everything go out': 287813, 'food stock only': 316803, 'stock only when': 802575, 'when it thinning': 983654, 'it thinning not': 461644, 'thinning not craving': 886060, 'not craving 19': 568917, 'finn are': 307981, 'are volunteering': 91499, 'volunteering in': 960391, 'started campaign': 794698, 'help artist': 389381, 'whose livelihood': 990654, 'livelihood are': 496194, 'are threatened': 91069, 'are stating': 90366, 'stating and': 796299, 'together finland': 920784, 'finn are volunteering': 307982, 'are volunteering in': 91500, 'volunteering in large': 960392, 'large number to': 479724, 'number to go': 577072, 'store for others': 807827, 'for others and': 324184, 'others and had': 621257, 'and had started': 64106, 'had started campaign': 373552, 'started campaign to': 794699, 'to help artist': 907456, 'help artist and': 389382, 'artist and other': 94589, 'other people whose': 620699, 'people whose livelihood': 650368, 'whose livelihood are': 990655, 'livelihood are threatened': 496195, 'are threatened by': 91070, 'threatened by the': 893780, 'the crisis people': 852427, 'crisis people are': 217864, 'people are stating': 647087, 'are stating and': 90367, 'stating and feeling': 796300, 'and feeling that': 62788, 'feeling that we': 303071, 'this together finland': 890764, 'berkeley': 127327, 'turning sleep': 935949, '19 berkeley': 5376, 'berkeley engineering': 127328, 'turning sleep apnea': 935950, 'into ventilator with': 443276, 'ventilator with simple': 954640, 'covid 19 berkeley': 212698, '19 berkeley engineering': 5377, 'sanitizer coronaoutbreak': 734697, 'coronaoutbreak coronamemes': 205114, 'coronamemes sanitizer': 205067, 'where the sanitizer': 985247, 'the sanitizer coronaoutbreak': 866352, 'sanitizer coronaoutbreak coronamemes': 734698, 'coronaoutbreak coronamemes sanitizer': 205116, 'leibniz': 486104, 'mum went': 545973, 'wa most': 962654, 'most upset': 542843, 'chocolate leibniz': 177679, 'leibniz biscuit': 486105, 'biscuit panicbuyinguk': 131511, 'my mum went': 549390, 'mum went to': 545974, 'buy some grocery': 149206, 'some grocery and': 783000, 'grocery and she': 364257, 'she wa most': 756418, 'wa most upset': 962655, 'most upset that': 542844, 'supermarket had run': 820658, 'of chocolate leibniz': 581395, 'chocolate leibniz biscuit': 177680, 'leibniz biscuit panicbuyinguk': 486106, 'nepallockdown orderonline': 557413, 'orderonline quote': 619072, 'quote tweet': 695008, 'tweet online': 936389, 'platform offering': 659013, 'via nepal': 956096, 'nepallockdown orderonline quote': 557414, 'orderonline quote tweet': 619073, 'quote tweet online': 695009, 'tweet online shopping': 936390, 'shopping platform offering': 763638, 'platform offering delivery': 659014, 'delivery of essential': 234222, 'lockdown via nepal': 500108, 'found all': 330143, 'these instrument': 880179, 'hand being': 374838, 'out throughout': 627606, 'throughout kigali': 894946, 'kigali the': 474291, 'the rwandan': 866106, 'rwandan govt': 728761, 'prevent give': 671636, 'credit where': 216553, 'where credit': 984803, 'be found all': 114932, 'found all over': 330144, 'the place with': 863780, 'place with these': 657846, 'with these instrument': 1001641, 'these instrument to': 880180, 'instrument to wash': 440599, 'wash hand being': 967480, 'hand being rolled': 374839, 'rolled out throughout': 725647, 'out throughout kigali': 627607, 'throughout kigali the': 894947, 'kigali the rwandan': 474292, 'the rwandan govt': 866107, 'rwandan govt should': 728762, 'govt should be': 361276, 'be praised for': 116505, 'praised for it': 668884, 'for it responsibility': 322728, 'it responsibility to': 460740, 'responsibility to citizen': 715986, 'to citizen to': 902773, 'citizen to prevent': 178986, 'to prevent give': 912064, 'prevent give credit': 671637, 'give credit where': 350446, 'credit where credit': 216554, 'where credit is': 984804, 'credit is due': 216420, 'salesforce': 732683, 'developed algorithm': 239676, 'algorithm to': 41667, 'predict food': 669562, 'better respond': 128449, 'impact they': 418022, 'use salesforce': 949529, 'salesforce to': 732684, 'to proactively': 912163, 'proactively help': 679176, 'for unexpected': 327440, 'unexpected business': 941354, 'developed algorithm to': 239677, 'algorithm to predict': 41668, 'to predict food': 911988, 'predict food supply': 669563, 'amp demand to': 53635, 'demand to better': 236389, 'to better respond': 901788, 'better respond to': 128450, '19 impact they': 7714, 'impact they use': 418023, 'they use salesforce': 883615, 'use salesforce to': 949530, 'salesforce to proactively': 732685, 'to proactively help': 912164, 'proactively help their': 679177, 'help their supply': 390694, 'manufacturing customer be': 513570, 'customer be prepared': 222172, 'prepared for unexpected': 670205, 'for unexpected business': 327441, 'unexpected business interruption': 941355, 'demand after': 234912, '19 interruption': 7910, 'interruption expected': 442123, 'prevent full': 671630, 'recession watch': 704393, 'watch kamloops': 968457, 'consumer demand after': 197110, 'demand after covid': 234913, 'covid 19 interruption': 213284, '19 interruption expected': 7911, 'interruption expected to': 442124, 'expected to prevent': 290993, 'to prevent full': 912062, 'prevent full economic': 671631, 'full economic recession': 340575, 'economic recession watch': 267226, 'recession watch kamloops': 704394, 'stefanie': 799436, 'crisis associate': 217090, 'marketing stefanie': 517706, 'stefanie robinson': 799437, 'robinson lends': 724744, 'lends her': 486300, 'many people buying': 514493, 'people buying toilet': 647354, 'the crisis associate': 852345, 'crisis associate professor': 217091, 'of marketing stefanie': 586246, 'marketing stefanie robinson': 517707, 'stefanie robinson lends': 799438, 'robinson lends her': 724745, 'lends her expertise': 486301, 'ineos aim': 436322, 'complete two': 192184, 'sanitizer plant': 735548, 'and germany': 63553, 'produce 1m': 680154, '1m bottle': 12651, 'bottle per': 136310, 'month each': 537695, 'address critical': 31965, 'shortage across': 764797, 'ineos aim to': 436323, 'aim to complete': 39546, 'to complete two': 903141, 'complete two hand': 192185, 'hand sanitizer plant': 375535, 'sanitizer plant in': 735549, 'plant in the': 658667, 'uk and germany': 938171, 'and germany in': 63554, 'germany in 10': 346310, 'day to produce': 228578, 'to produce 1m': 912182, 'produce 1m bottle': 680155, '1m bottle per': 12652, 'bottle per month': 136311, 'per month each': 650948, 'month each to': 537696, 'each to address': 264301, 'to address critical': 900088, 'address critical shortage': 31966, 'critical shortage across': 218659, 'shortage across europe': 764798, 'different market': 241992, 'market compared': 516198, 'year although': 1014379, 'saw le': 738150, 'le listing': 483012, 'listing overall': 494873, 'overall home': 631016, 'sell see': 748874, 'keeping home': 472443, 'seller safe': 749066, 'plan here': 658147, 'it very different': 462027, 'very different market': 955113, 'different market compared': 241993, 'market compared to': 516199, 'to this time': 917470, 'this time last': 890657, 'last year although': 480718, 'year although we': 1014380, 'although we saw': 49382, 'we saw le': 973134, 'saw le listing': 738151, 'le listing overall': 483013, 'listing overall home': 494874, 'overall home sale': 631017, 'sale price are': 732457, 'still up do': 801357, 'or sell see': 617002, 'sell see how': 748875, 're keeping home': 698954, 'keeping home buyer': 472444, 'home buyer and': 400856, 'and seller safe': 71226, 'seller safe with': 749067, 'with our covid': 999986, '19 action plan': 4804, 'action plan here': 30112, 'alone have': 46858, 'hand here': 375017, 'shop alone have': 759823, 'alone have plan': 46859, 'have plan and': 381946, 'plan and wash': 658067, 'your hand here': 1024194, 'hand here what': 375018, 'here what else': 393802, 'what else you': 981416, 'else you need': 272005, 'know about grocery': 476213, '1740': 4441, 'it flat': 458038, 'flat 30': 310060, 'at outfitter': 100042, 'outfitter yay': 628967, 'yay but': 1014195, 'but ouch': 146718, 'ouch shirt': 621937, 'shirt bought': 758972, 'bought for': 136570, 'for 2500': 318783, '2500 day': 16029, 'ago is': 38414, 'only 1740': 609982, '1740 now': 4442, 'fyi it flat': 342638, 'it flat 30': 458039, 'flat 30 off': 310061, '30 off on': 17151, 'off on online': 594020, 'shopping at outfitter': 762109, 'at outfitter yay': 100043, 'outfitter yay but': 628968, 'yay but ouch': 1014196, 'but ouch shirt': 146719, 'ouch shirt bought': 621938, 'shirt bought for': 758973, 'bought for 2500': 136571, 'for 2500 day': 318784, '2500 day ago': 16030, 'day ago is': 227201, 'ago is only': 38415, 'is only 1740': 450531, 'only 1740 now': 609983, 'listen this': 494725, 'but holy': 145950, 'holy fuck': 400500, 'fuck these': 339665, 'listen this covid': 494726, '19 suck but': 10930, 'suck but holy': 816887, 'but holy fuck': 145951, 'holy fuck these': 400501, 'fuck these gas': 339666, 'price are amazing': 672634, 'crossroad': 219095, 'philipp': 654720, 'ccpvirus china': 168494, 'china over': 176864, 'regime virus': 707373, 'response ccp': 715648, 'ccp virus': 168471, 'virus crossroad': 958108, 'crossroad with': 219098, 'with joshua': 999118, 'joshua philipp': 467358, 'ccpvirus china panic': 168495, 'china panic in': 176872, 'panic in china': 638196, 'in china over': 421423, 'china over alleged': 176865, 'over regime virus': 630574, 'regime virus response': 707374, 'virus response ccp': 958688, 'response ccp virus': 715649, 'ccp virus crossroad': 168473, 'virus crossroad with': 958109, 'crossroad with joshua': 219099, 'with joshua philipp': 999119, 'pay vast': 645213, 'banker whom': 110391, 'whom in': 990558, 'paid badly': 633978, 'it sad really': 460827, 'sad really that': 729217, 'really that society': 702647, 'we pay vast': 972701, 'pay vast amount': 645214, 'vast amount to': 952700, 'and banker whom': 58686, 'banker whom in': 110392, 'whom in crisis': 990559, 'treated and paid': 930933, 'and paid badly': 68628, 'kerosine': 473134, 'son bought': 785357, 'this water': 891121, 'water yesterday': 969272, 'like kerosine': 490599, 'kerosine full': 473135, 'chemical have': 175354, 'called fda': 156306, 'fda will': 300955, 'will advise': 992207, 'killing human': 474686, 'human apart': 410414, 'my son bought': 550152, 'son bought this': 785358, 'bought this water': 136754, 'this water yesterday': 891122, 'water yesterday from': 969273, 'yesterday from supermarket': 1015747, 'from supermarket near': 337493, 'me it smell': 523018, 'it smell like': 461093, 'smell like kerosine': 775606, 'like kerosine full': 490600, 'kerosine full of': 473136, 'full of chemical': 340705, 'of chemical have': 581319, 'chemical have called': 175355, 'have called fda': 379870, 'called fda will': 156307, 'fda will advise': 300956, 'will advise to': 992208, 'advise to avoid': 33606, 'avoid this brand': 105347, 'this brand and': 886605, 'brand and also': 137726, 'and also share': 57974, 'also share it': 48868, 'share it to': 755079, 'it to save': 461751, 'save life so': 737557, 'what else is': 981411, 'else is killing': 271757, 'is killing human': 449206, 'killing human apart': 474687, 'human apart from': 410415, 'apart from 19': 81257, 'me better': 522514, 'better grow': 128307, 'grow ya': 367084, 'ya food': 1013992, 'food cuz': 314074, 'cuz soon': 223819, 'meat spreading': 525752, 'spreading bio': 790936, 'bio weapon': 131171, 'weapon that': 974258, 'they testing': 883544, 'testing make': 839560, 'not breath': 568613, 'breath only': 139181, 'strong survive': 814129, 'got cheese': 358480, 'cheese economy': 175185, 'economy bout': 267712, 'quarantine on lockdown': 692402, 'on lockdown is': 601914, 'lockdown is how': 499544, 'how they got': 408918, 'they got me': 882226, 'got me better': 358692, 'me better grow': 522515, 'better grow ya': 128308, 'grow ya food': 367085, 'ya food cuz': 1013993, 'food cuz soon': 314076, 'cuz soon you': 223820, 'can stock meat': 159806, 'stock meat spreading': 802472, 'meat spreading bio': 525753, 'spreading bio weapon': 790937, 'bio weapon that': 131172, 'weapon that they': 974259, 'that they testing': 846954, 'they testing make': 883545, 'testing make you': 839561, 'make you not': 510744, 'you not breath': 1020120, 'not breath only': 568614, 'breath only the': 139182, 'only the strong': 611277, 'the strong survive': 868297, 'strong survive it': 814130, 'survive it don': 829199, 'it don matter': 457658, 'don matter if': 253727, 'you got cheese': 1018896, 'got cheese economy': 358481, 'cheese economy bout': 175186, 'economy bout to': 267713, 'bout to crash': 136925, 'tallahasseerealtor': 834077, 'current economic': 221180, 'market remains': 516981, 'strong point': 814087, 'economy people': 268138, 'home housing': 401375, 'still low': 800818, 'holding strong': 400167, 'strong realestatenews': 814100, 'realestatenews tallahasseerealtor': 701569, 'the current economic': 852627, 'current economic slowdown': 221181, 'economic slowdown caused': 267301, '19 the real': 11240, 'estate market remains': 282156, 'market remains strong': 516982, 'remains strong point': 710065, 'strong point of': 814088, 'point of our': 662562, 'our economy people': 622849, 'economy people are': 268139, 'still buying home': 800322, 'buying home housing': 150498, 'home housing inventory': 401376, 'housing inventory is': 407087, 'inventory is still': 443684, 'is still low': 452294, 'still low and': 800819, 'low and price': 505134, 'are still holding': 90436, 'still holding strong': 800722, 'holding strong realestatenews': 400169, 'strong realestatenews tallahasseerealtor': 814101, 'goodthingihaveadog': 358089, 'oreobrat': 619171, 'rancho': 696564, 'mirage': 533938, 'goodthingihaveadog during': 358090, 'toiletpaper oreobrat': 922288, 'oreobrat rancho': 619172, 'rancho mirage': 696565, 'mirage california': 533939, 'goodthingihaveadog during the': 358091, 'during the now': 263162, 'the now just': 861940, 'find toiletpaper oreobrat': 307348, 'toiletpaper oreobrat rancho': 922289, 'oreobrat rancho mirage': 619173, 'rancho mirage california': 696566, '09 the': 1160, 'seen the recession': 747291, 'recession in 2008': 704292, 'in 2008 09': 419754, '2008 09 the': 13636, '09 the covid': 1161, 'vccirclepremium prompt': 952793, 'prompt online': 683908, 'navycapital vccirclepremium prompt': 553164, 'vccirclepremium prompt online': 952794, 'prompt online only': 683909, 'taking critical': 833321, 'critical step': 218669, 'today we join': 920476, 'we join in': 972096, 'join in taking': 466753, 'in taking critical': 428805, 'taking critical step': 833322, 'critical step to': 218670, 'out for info': 626131, 'for info from': 322568, 'item good': 463302, 'week coz': 976124, 'coz our': 214548, 'is enforcing': 447500, 'enforcing quarantine': 276827, 'down transmission': 257402, 'transmission though': 929774, 'but suspected': 147246, 'suspected person': 829530, 'spent around': 789112, 'sister to get': 771795, 'get some canned': 348046, 'essential item good': 281201, 'item good for': 463303, 'good for two': 357094, 'two week coz': 937324, 'week coz our': 976125, 'coz our city': 214549, 'our city is': 622375, 'city is enforcing': 179215, 'is enforcing quarantine': 447501, 'enforcing quarantine to': 276828, 'slow down transmission': 774353, 'down transmission though': 257403, 'transmission though we': 929775, 'though we have': 892945, 'have no case': 381612, 'no case yet': 563769, 'yet but suspected': 1016023, 'but suspected person': 147247, 'suspected person we': 829531, 'person we spent': 652699, 'we spent around': 973353, 'spent around 100': 789113, 'around 100 staysafestayhome': 93102, 'oman the': 598850, 'outbreak appears': 628022, 'appears set': 82199, 'the nascent': 861208, 'nascent non': 551982, 'oman is': 598837, 'it precarious': 460421, 'precarious finance': 669248, 'finance reuters': 306265, 'oman the outbreak': 598851, 'the outbreak appears': 862591, 'outbreak appears set': 628024, 'appears set to': 82200, 'hit the nascent': 398437, 'the nascent non': 861209, 'nascent non oil': 551983, 'non oil sector': 566448, 'oil sector of': 597422, 'sector of it': 744280, 'of it economy': 585388, 'it economy oman': 457759, 'economy oman is': 268126, 'oman is also': 598838, 'also working on': 49118, 'working on way': 1008830, 'reduce the impact': 705963, 'on it precarious': 601683, 'it precarious finance': 460422, 'precarious finance reuters': 669249, 'worker bin': 1006530, 'men dwp': 528479, 'dwp worker': 263709, 'essential their': 281666, 'job role': 466138, 'role is': 725107, 'incredibly grateful': 433898, 'have specific': 382681, 'specific set': 788251, 'of skill': 589756, 'skill 19': 772942, 'supermarket worker bin': 823996, 'worker bin men': 1006531, 'bin men dwp': 131020, 'men dwp worker': 528480, 'dwp worker are': 263710, 'not essential their': 569218, 'essential their job': 281667, 'their job role': 873735, 'job role is': 466139, 'role is essential': 725108, 'is essential we': 447557, 'essential we are': 281763, 'are incredibly grateful': 87508, 'incredibly grateful for': 433899, 'they do but': 881957, 'do but this': 249159, 'this is different': 888233, 'is different from': 447168, 'different from nurse': 241954, 'from nurse and': 336619, 'and doctor who': 61584, 'doctor who have': 251160, 'who have specific': 988954, 'have specific set': 382682, 'specific set of': 788252, 'set of skill': 753444, 'of skill 19': 589757, 'truthout our': 934424, 'must center': 546575, 'center disability': 169183, 'disability justice': 243832, 'justice disabled': 470408, 'get nervous': 347654, 'news truthout our': 560913, 'truthout our response': 934425, 'to must center': 910363, 'must center disability': 546576, 'center disability justice': 169184, 'disability justice disabled': 243833, 'justice disabled people': 470409, 'disabled people get': 243939, 'people get nervous': 648054, 'get nervous breakdown': 347655, 'nervous breakdown they': 557462, 'breakdown they cannot': 138856, 'even get toiletpaper': 284111, 'get toiletpaper now': 348516, 'felde': 303132, 'includes insurance': 431766, 'insurance mask': 440772, 'it rider': 460768, 'also free': 48237, 'restaurant felde': 716462, 'felde said': 303133, 'said adding': 730947, 'firm wa': 308448, 'wa recruiting': 963073, 'recruiting 00': 705482, '00 rider': 474, 'rider each': 721486, 'demand thailand': 236322, 'thailand fooddelivery': 840094, 'package includes insurance': 633307, 'includes insurance mask': 431767, 'insurance mask sanitizer': 440773, 'mask sanitizer kit': 519224, 'sanitizer kit for': 735263, 'kit for it': 475544, 'for it rider': 322729, 'it rider and': 460769, 'rider and also': 721478, 'and also free': 57950, 'also free delivery': 48238, 'delivery and voucher': 233685, 'and voucher for': 75043, 'voucher for restaurant': 960645, 'for restaurant felde': 325174, 'restaurant felde said': 716463, 'felde said adding': 303134, 'said adding that': 730948, 'adding that the': 31699, 'that the firm': 846730, 'the firm wa': 855273, 'firm wa recruiting': 308449, 'wa recruiting 00': 963074, 'recruiting 00 rider': 705483, '00 rider each': 475, 'rider each week': 721487, 'each week to': 264330, 'week to keep': 977085, 'with demand thailand': 997992, 'demand thailand fooddelivery': 236323, 'capri': 162896, 'cuarentena19m': 220147, 'mw5v16htob': 547112, 'sweep at': 830108, 'aldi with': 41317, 'with maybe': 999432, 'many capri': 513870, 'capri sun': 162897, 'sun 19': 818052, '19 cuarentena19m': 6377, 'cuarentena19m selfisolation': 220148, 'selfisolation supermarketsweep': 748503, 'supermarketsweep corona': 824255, 'corona nhsheroes': 204072, 'nhsheroes pandemic': 562236, 'quarantinelife mw5v16htob': 692979, 'just me doing': 469240, 'me doing my': 522675, 'doing my weekly': 252547, 'weekly supermarket sweep': 977578, 'supermarket sweep at': 823084, 'sweep at aldi': 830109, 'at aldi with': 97864, 'aldi with maybe': 41318, 'with maybe not': 999433, 'maybe not so': 521756, 'so many capri': 777641, 'many capri sun': 513871, 'capri sun 19': 162898, 'sun 19 cuarentena19m': 818053, '19 cuarentena19m selfisolation': 6378, 'cuarentena19m selfisolation supermarketsweep': 220149, 'selfisolation supermarketsweep corona': 748504, 'supermarketsweep corona nhsheroes': 824256, 'corona nhsheroes pandemic': 204073, 'nhsheroes pandemic quarantinelife': 562237, 'pandemic quarantinelife mw5v16htob': 636274, 'pharmacy doe': 654288, 'll catch': 496675, 'shopping worker': 764462, 'have job at': 381166, 'job at grocery': 465676, 'and pharmacy doe': 68968, 'pharmacy doe that': 654289, 'that mean they': 845122, 'mean they ll': 524713, 'they ll catch': 882587, 'll catch the': 496676, 'catch the coronavirus': 167034, 'the coronavirus shopping': 851911, 'coronavirus shopping worker': 206760, 'shopping worker via': 764463, 'now limited': 575215, 'quantity hurry': 691918, 'now handsanitizer': 574860, 'handwashing geltwo': 376832, 'available now limited': 104518, 'now limited quantity': 575216, 'limited quantity hurry': 492705, 'quantity hurry and': 691919, 'hurry and get': 411503, 'yours now handsanitizer': 1026473, 'now handsanitizer handwashing': 574861, 'handsanitizer handwashing geltwo': 376547, 'america ain': 51444, 'ain did': 39608, 'did shit': 240801, 'shit we': 759286, 'person spraying': 652608, 'spraying lysol': 790374, 'lysol or': 507183, 'or handing': 615562, 'out sanitizer': 627139, 'busy arguing': 144865, 'arguing meanwhile': 92732, 'no damn': 563962, 'been week and': 122362, 'week and america': 975902, 'and america ain': 58061, 'america ain did': 51445, 'ain did shit': 39609, 'did shit we': 240802, 'shit we haven': 759287, 'haven had one': 383825, 'had one person': 373373, 'one person spraying': 606867, 'person spraying lysol': 652609, 'spraying lysol or': 790375, 'lysol or handing': 507185, 'or handing out': 615563, 'handing out sanitizer': 376137, 'out sanitizer and': 627140, 'sanitizer and are': 734383, 'and are too': 58369, 'too busy arguing': 924622, 'busy arguing meanwhile': 144866, 'arguing meanwhile my': 92733, 'meanwhile my mom': 525008, 'my mom can': 549263, 'mom can get': 535707, 'get no damn': 347667, 'no damn toilet': 563963, 'office menards': 595487, 'menards ha': 528580, 'significantly raised': 769603, 'ag office menards': 36825, 'office menards ha': 595488, 'menards ha significantly': 528581, 'ha significantly raised': 371943, 'significantly raised the': 769604, 'on cleaning supply': 599936, 'exclusive consumer': 289655, 'so investigation': 777423, 'investigation ontario': 443886, 'ontario salesman': 611629, 'salesman claim': 732693, 'claim amway': 179692, 'amway product': 54978, 'will filter': 993436, 'exclusive consumer so': 289656, 'consumer so investigation': 199014, 'so investigation ontario': 777424, 'investigation ontario salesman': 443887, 'ontario salesman claim': 611630, 'salesman claim amway': 732694, 'claim amway product': 179693, 'amway product will': 54979, 'product will filter': 681858, 'will filter covid': 993437, 'group resulted': 366864, 'too narrow': 924957, 'narrow in': 551959, 'future fell after': 342322, 'fell after an': 303160, 'after an emergency': 35353, 'emergency meeting of': 272807, 'meeting of the': 527732, 'the opec group': 862374, 'opec group resulted': 611895, 'group resulted in': 366865, 'cut deal that': 223295, 'deal that wa': 229497, 'likely too narrow': 492186, 'too narrow in': 924958, 'narrow in scope': 551960, 'scope to offset': 742343, 'to the oott': 916924, 'doomers': 255452, 'many doomers': 514010, 'doomers panic': 255453, 'have rationing': 382163, 'store so many': 810228, 'so many doomers': 777652, 'many doomers panic': 514011, 'doomers panic buying': 255454, 'the store doesn': 868010, 'store doesn have': 807346, 'doesn have rationing': 251825, 'have rationing in': 382164, 'rationing in place': 697825, 'economy actually': 267608, 'term economy': 838128, 'mean stock': 524661, 'market number': 516769, 'number like': 576910, 'trump would': 933989, 'suggest the': 817541, 'economy life': 268037, 'dy with': 263757, 'thing to take': 884904, 'pandemic is how': 635776, 'is how our': 448592, 'how our economy': 408457, 'our economy actually': 622837, 'economy actually work': 267609, 'actually work the': 31022, 'work the term': 1005819, 'the term economy': 869294, 'term economy mean': 838129, 'economy mean consumer': 268068, 'mean consumer spending': 524398, 'consumer spending money': 199075, 'spending money it': 788904, 'money it doesn': 536856, 'doesn mean stock': 251889, 'mean stock market': 524662, 'stock market number': 802415, 'market number like': 516770, 'number like trump': 576911, 'like trump would': 491680, 'trump would suggest': 933990, 'would suggest the': 1012296, 'suggest the economy': 817542, 'the economy life': 853990, 'economy life and': 268038, 'life and dy': 488475, 'and dy with': 61823, 'dy with the': 263758, 'the consumer spending': 851599, 'union call': 941873, 'for legislation': 322931, 'protect supermarket': 684956, 'from abuse': 334373, 'abuse result': 27649, 'union call for': 941874, 'call for legislation': 155876, 'for legislation to': 322932, 'legislation to protect': 485995, 'to protect supermarket': 912334, 'protect supermarket staff': 684957, 'supermarket staff from': 822849, 'staff from abuse': 792476, 'from abuse result': 334374, 'abuse result of': 27650, 'corrects': 207616, 'wood lowe': 1004277, 'lowe store': 505779, 'of corrects': 581989, 'corrects location': 207617, 'harper wood lowe': 378497, 'wood lowe store': 1004278, 'lowe store close': 505780, 'store close to': 807054, 'close to customer': 182886, 'dy of corrects': 263747, 'of corrects location': 581990, 'threw some toilet': 894171, 'roll at people': 725201, 'uncooked': 939894, 'seen evidence': 747010, 're reminding': 699375, 'reminding consumer': 710621, 'good sanitary': 357689, 'sanitary practice': 733810, 'practice handwashing': 668578, 'handwashing for': 376828, 'second before': 743666, 'before handling': 122838, 'handling uncooked': 376406, 'uncooked food': 939895, 'crucial more': 219462, 'haven seen evidence': 383882, 'seen evidence of': 747011, 'evidence of spreading': 288370, 'of spreading through': 590008, 'spreading through food': 791071, 'through food but': 894468, 'food but we': 313837, 'we re reminding': 972949, 're reminding consumer': 699376, 'reminding consumer business': 710622, 'consumer business to': 196682, 'business to use': 144565, 'use good sanitary': 949241, 'good sanitary practice': 357690, 'sanitary practice handwashing': 733811, 'practice handwashing for': 668579, 'handwashing for 20': 376829, '20 second before': 13325, 'second before handling': 743667, 'before handling food': 122839, 'handling food while': 376354, 'food while handling': 317593, 'while handling uncooked': 986902, 'handling uncooked food': 376407, 'uncooked food before': 939896, 'food before eating': 313721, 'before eating is': 122766, 'eating is crucial': 266236, 'is crucial more': 446959, 'crucial more tip': 219463, 'of cook': 581865, 'california plan': 155559, 'hundred of cook': 410996, 'of cook and': 581866, 'cook and cashier': 202722, 'and cashier at': 59609, 'cashier at 30': 166484, 'across california plan': 29282, 'california plan to': 155560, 'plan to strike': 658327, 'to strike tomorrow': 915673, 'enough many': 277512, 'albertans could': 40837, 'not enough many': 569185, 'enough many albertans': 277513, 'many albertans could': 513720, 'albertans could face': 40838, 'could face month': 209158, 'of uncertainty due': 592593, 'recession and drop': 704204, 'but hint': 145936, 'hint at': 396901, 'at something': 100589, 'ok but hint': 597773, 'but hint at': 145937, 'hint at something': 396902, 'at something to': 100590, 'skeptical': 772869, 'fell tuesday': 303253, 'tuesday trader': 935197, 'were skeptical': 980131, 'skeptical that': 772870, 'that thursday': 847031, 'thursday scheduled': 895420, 'scheduled opec': 741508, 'meeting would': 527802, 'cut large': 223415, 'pandemic factbox': 635420, 'price fell tuesday': 673857, 'fell tuesday trader': 303254, 'tuesday trader were': 935198, 'trader were skeptical': 928796, 'were skeptical that': 980132, 'skeptical that thursday': 772871, 'that thursday scheduled': 847032, 'thursday scheduled opec': 895421, 'scheduled opec meeting': 741509, 'opec meeting would': 611918, 'meeting would result': 527803, 'result in output': 717543, 'in output cut': 426365, 'output cut large': 629255, 'cut large enough': 223416, 'enough to compensate': 277692, 'the pandemic factbox': 862964, 'kitten7': 475831, 'join mehtaa3': 466782, 'mehtaa3 kitten7': 527873, 'grocery join mehtaa3': 364676, 'join mehtaa3 kitten7': 466783, 'pressure care': 671141, 'home face': 401179, 'like wildfire': 491817, 'wildfire if': 992122, 'aren given': 92420, 'given more': 351057, 'more personal': 540060, 'you for raising': 1018663, 'for raising awareness': 324947, 'raising awareness of': 696065, 'of the pressure': 591360, 'the pressure care': 864296, 'pressure care home': 671142, 'care home face': 163994, 'home face in': 401180, 'will spread through': 994927, 'spread through home': 790846, 'through home like': 894513, 'home like wildfire': 401534, 'like wildfire if': 491818, 'wildfire if staff': 992123, 'if staff aren': 414872, 'staff aren given': 792214, 'aren given more': 92421, 'given more personal': 351058, 'more personal protective': 540061, 'bizconnect': 131979, 'bizconnect just': 131980, 'bizconnect just in': 131981, 'burgess': 142840, 'burgess hill': 142841, 'extra volunteer': 293691, 'volunteer during': 960252, 'stock transfer': 803031, 'transfer distribution': 929509, 'burgess hill food': 142842, 'hill food bank': 396473, 'bank need extra': 110023, 'need extra volunteer': 554761, 'extra volunteer during': 293692, 'volunteer during the': 960253, 'period help is': 651782, 'help is needed': 389936, 'is needed with': 449872, 'needed with stock': 556583, 'with stock transfer': 1000978, 'stock transfer distribution': 803032, 'transfer distribution and': 929510, 'distribution and the': 248113, 'and the home': 73409, 'of food parcel': 583747, 'end medical': 275870, 'station nursing': 796468, 'carrier fire': 164979, 'police everyone': 662990, 'worked to': 1006154, 'extra week': 293695, 'week leave': 976479, 'leave or': 484885, 'pay stimulus': 645118, 'after end medical': 35624, 'end medical professional': 275871, 'gas station nursing': 344121, 'station nursing home': 796469, 'home employee delivery': 401133, 'mail carrier fire': 508580, 'carrier fire police': 164980, 'fire police everyone': 308109, 'police everyone else': 662991, 'else who worked': 271988, 'who worked to': 990053, 'worked to save': 1006156, 'save life should': 737556, 'life should get': 489042, 'should get an': 766018, 'get an extra': 346542, 'an extra week': 56017, 'extra week leave': 293696, 'week leave or': 976480, 'leave or pay': 484886, 'or pay stimulus': 616527, 'coronavirus consumption': 205690, 'australia can cope': 103247, 'with coronavirus consumption': 997796, 'ghatkopar': 349614, 'am living': 50183, 'in ghatkopar': 423309, 'ghatkopar due': 349615, 'seller charge': 748996, 'charge unreasonable': 173328, 'unreasonable price': 943318, 'moving out': 544165, 'ghatkopar east': 349617, 'and west': 75439, 'am living in': 50184, 'living in ghatkopar': 496372, 'in ghatkopar due': 423310, 'ghatkopar due to': 349616, 'crisis the vegetable': 218193, 'the vegetable seller': 870674, 'vegetable seller charge': 954085, 'seller charge unreasonable': 748997, 'charge unreasonable price': 173329, 'unreasonable price which': 943319, 'which are much': 985688, 'are much higher': 88163, 'than the normal': 841257, 'normal price people': 567278, 'people are moving': 647025, 'are moving out': 88155, 'moving out of': 544166, 'home under lockdown': 402388, 'under lockdown in': 940150, 'lockdown in ghatkopar': 499504, 'in ghatkopar east': 423311, 'ghatkopar east and': 349618, 'east and west': 265292, 'helimacroft': 388968, 'johnkilduff': 466568, 'donaldtrump helimacroft': 254132, 'helimacroft johnkilduff': 388969, 'johnkilduff oil': 466569, 'can crater': 158021, 'crater saudi': 215145, 'flare up': 310011, 'up opec': 945666, 'donaldtrump helimacroft johnkilduff': 254133, 'helimacroft johnkilduff oil': 388970, 'johnkilduff oil price': 466570, 'price can crater': 673056, 'can crater saudi': 158022, 'crater saudi russia': 215146, 'saudi russia tension': 737301, 'tension flare up': 837986, 'flare up opec': 310012, 'up opec meeting': 945667, '01952': 789, '952115': 23634, 'cleaningservices': 181136, 'yourhome': 1026432, 'and rid': 70514, 'all germ': 42907, 'bacteria from': 107672, 'little 24': 495219, '24 00': 15526, '00 all': 49, 'are vat': 91448, 'vat call': 952724, 'on 01952': 598965, '01952 952115': 790, '952115 cleaning': 23635, 'cleaning cleaningservices': 180918, 'cleaningservices yourhome': 181137, 'yourhome coronaoutbreak': 1026433, '19 virus into': 11813, 'your home book': 1024343, 'home book and': 400804, 'book and rid': 134470, 'and rid of': 70515, 'rid of all': 721388, 'of all germ': 579943, 'all germ and': 42908, 'germ and bacteria': 346087, 'and bacteria from': 58626, 'bacteria from your': 107673, 'home for little': 401235, 'for little 24': 323016, 'little 24 00': 495220, '24 00 all': 15527, '00 all our': 50, 'price are vat': 672761, 'are vat call': 91449, 'vat call on': 952725, 'call on 01952': 156022, 'on 01952 952115': 598966, '01952 952115 cleaning': 791, '952115 cleaning cleaningservices': 23636, 'cleaning cleaningservices yourhome': 180919, 'cleaningservices yourhome coronaoutbreak': 181138, 'leave soon': 484939, 'account can': 28645, 'put through': 690920, '19 would like': 12214, 'like to leave': 491605, 'to leave soon': 909160, 'leave soon my': 484940, 'bank account can': 109547, 'account can deal': 28646, 'with the level': 1001366, 'level of online': 487649, 'shopping it being': 763096, 'it being put': 456830, 'being put through': 125623, 'hard for people': 377920, 'odin': 579224, 'tak odin': 831859, 'odin co': 579225, 'co wanker': 184999, 'wanker hasn': 965601, 'yet killed': 1016128, 'killed off': 474608, 'supermarket flirting': 820333, 'flirting up': 310649, 'tak odin co': 831860, 'odin co wanker': 579226, 'co wanker hasn': 185000, 'wanker hasn yet': 965602, 'hasn yet killed': 378803, 'yet killed off': 1016129, 'killed off supermarket': 474609, 'off supermarket flirting': 594205, 'supermarket flirting up': 820335, 'flirting up north': 310650, 'by hiding': 152797, 'hiding crucial': 394867, 'china put': 176893, 'irresponsible in': 445056, 'paying very': 645520, 'by hiding crucial': 152798, 'hiding crucial information': 394868, 'week china put': 976088, 'china put the': 176894, 'criminally irresponsible in': 216909, 'irresponsible in handling': 445057, 'in handling pandemic': 423532, 'is paying very': 450827, 'paying very high': 645521, 'of chinese product': 581379, 'day cov': 227498, 'die of at': 241413, 'recent day cov': 703857, 'see pickup': 745582, 'in volatility': 430615, 'volatility ahead': 960065, '2020 halving': 14354, 'halving the': 374524, 'disrupt cross': 246367, 'cross continental': 218995, 'continental btc': 200936, 'btc mining': 141501, 'mining operation': 533289, 'operation get': 613192, 'price may see': 675202, 'may see pickup': 521482, 'see pickup in': 745583, 'pickup in volatility': 655978, 'in volatility ahead': 430616, 'volatility ahead of': 960066, 'the 2020 halving': 848022, '2020 halving the': 14355, 'halving the pandemic': 374525, 'threatens to disrupt': 893863, 'to disrupt cross': 904420, 'disrupt cross continental': 246368, 'cross continental btc': 218996, 'continental btc mining': 200937, 'btc mining operation': 141502, 'mining operation get': 533290, 'operation get your': 613193, 'psa food': 687400, 'happening due': 377349, 'that restraint': 846023, 'psa food and': 687401, 'and item shortage': 65631, 'item shortage are': 463640, 'shortage are happening': 764836, 'are happening due': 87006, 'happening due to': 377350, 'individual hoarding of': 435197, 'hoarding of consumer': 399449, 'consumer in panic': 197831, 'in panic please': 426485, 'panic please be': 638424, 'ourselves to have': 625498, 'have that restraint': 382952, 'that restraint then': 846024, 'intercept': 441299, 'ussenators complain': 950867, 'complain friend': 191858, 'friend like': 333700, 'over saudi': 630599, 'is threatening': 453140, 'to intercept': 908451, 'intercept shipment': 441300, 'ussenators complain friend': 950868, 'complain friend do': 191859, 'not treat friend': 572266, 'treat friend like': 930840, 'friend like that': 333701, 'like that over': 491331, 'that over saudi': 845617, 'over saudi arabia': 630600, 'arabia oil price': 83909, 'war and all': 966355, 'time the usa': 897879, 'usa is threatening': 948679, 'is threatening to': 453142, 'threatening to intercept': 893834, 'to intercept shipment': 908452, 'intercept shipment of': 441301, 'riskies': 724051, 'day 15': 227100, '15 of': 3787, 'my video': 550503, 'video diary': 956703, 'diary frustrated': 240414, 'frustrated with': 339233, 'online tried': 609639, 'luck then': 506476, 'then hmm': 877248, 'hmm how': 398684, 'managing comrade': 512853, 'comrade high': 192778, 'high riskies': 395381, 'day 15 of': 227101, '15 of my': 3788, 'of my video': 586827, 'my video diary': 550504, 'video diary frustrated': 956704, 'diary frustrated with': 240415, 'frustrated with online': 339234, 'with online tried': 999907, 'online tried no': 609640, 'tried no luck': 931798, 'no luck then': 564687, 'luck then hmm': 506477, 'then hmm how': 877249, 'hmm how are': 398685, 'you managing comrade': 1019777, 'managing comrade high': 512854, 'comrade high riskies': 192779, 'store mondaymorning': 808976, 'mondaymorning mondaymotivation': 536445, 'mondayvibes neverforget': 536518, 'neverforget healthcareheroes': 558293, 'healthcareheroes trumpvirus': 387424, 'trumpvirus trumpownseverydeath': 934194, 'drug store mondaymorning': 261091, 'store mondaymorning mondaymotivation': 808977, 'mondaymorning mondaymotivation mondaymood': 536446, 'mondaymotivation mondaymood mondayvibes': 536471, 'mondaymood mondayvibes neverforget': 536434, 'mondayvibes neverforget healthcareheroes': 536519, 'neverforget healthcareheroes trumpvirus': 558294, 'healthcareheroes trumpvirus trumpownseverydeath': 387425, 'end sky': 275956, 'high medicine': 395170, 'medicine price': 526870, 'public funding': 688025, 'funding into': 341602, 'into treatment': 443255, 'in medicine': 425231, 'are affordable': 84258, 'all read': 44120, 'our medium': 623900, 'medium release': 527247, 'release hot': 708955, 'call to end': 156174, 'to end sky': 905085, 'end sky high': 275957, 'sky high medicine': 773199, 'high medicine price': 395171, 'medicine price we': 526872, 'price we urge': 677411, 'we urge the': 973601, 'urge the eu': 948226, 'eu to ensure': 283286, 'ensure that public': 278067, 'that public funding': 845902, 'public funding into': 688026, 'funding into treatment': 341603, 'into treatment research': 443256, 'treatment research result': 931136, 'research result in': 713828, 'result in medicine': 717538, 'in medicine that': 425232, 'medicine that are': 526899, 'that are affordable': 842712, 'are affordable to': 84259, 'affordable to all': 34907, 'to all read': 900281, 'all read our': 44121, 'read our medium': 700515, 'our medium release': 623901, 'medium release hot': 527248, 'release hot off': 708956, 'herwin': 394260, 'zuma': 1027888, 'makassar': 509616, 'sulawesi': 817841, 'rise indonesia': 722919, 'indonesia herwin': 435326, 'herwin bahar': 394261, 'bahar zuma': 108549, 'zuma wire': 1027889, 'wire march': 996556, '2020 makassar': 14429, 'makassar south': 509617, 'south sulawesi': 786779, 'sulawesi indonesia': 817842, 'indonesia gold': 435322, 'gold trader': 356029, 'trader is': 928701, 'showing jewelry': 767466, 'jewelry ring': 465399, 'ring that': 722533, 'his shop': 397789, 'price rise indonesia': 676241, 'rise indonesia herwin': 722920, 'indonesia herwin bahar': 435327, 'herwin bahar zuma': 394262, 'bahar zuma wire': 108550, 'zuma wire march': 1027890, 'wire march 21': 996557, '21 2020 makassar': 14957, '2020 makassar south': 14430, 'makassar south sulawesi': 509618, 'south sulawesi indonesia': 786780, 'sulawesi indonesia gold': 817843, 'indonesia gold trader': 435323, 'gold trader is': 356030, 'trader is showing': 928702, 'is showing jewelry': 451893, 'showing jewelry ring': 767467, 'jewelry ring that': 465400, 'ring that will': 722534, 'will be sold': 992690, 'sold in his': 781685, 'in his shop': 423737, 'after pub': 36083, 'club are': 184409, 'that bouncer': 843023, 'bouncer can': 136838, 'find work': 307397, 'see that after': 745783, 'that after pub': 842518, 'after pub and': 36084, 'and club are': 60022, 'club are closed': 184410, 'to that bouncer': 916446, 'that bouncer can': 843024, 'bouncer can find': 136839, 'can find work': 158347, 'find work at': 307398, 'at supermarket entrance': 100722, 'manning': 513313, 'and manning': 66648, 'manning the': 513314, 'line being': 493010, 'scary right': 741174, 'on showing': 603456, 'fed struck': 301894, 'struck me': 814266, 'me heroic': 522898, 'and felt really': 62800, 'felt really grateful': 303443, 'people stocking the': 649626, 'shelf and manning': 756743, 'and manning the': 66649, 'manning the check': 513315, 'out line being': 626506, 'line being there': 493011, 'being there must': 125938, 'be really scary': 116716, 'really scary right': 702554, 'scary right now': 741175, 'now and for': 574033, 'and for them': 63162, 'keep on showing': 471708, 'on showing up': 603457, 'showing up and': 767548, 'up and keeping': 944341, 'and keeping fed': 65795, 'keeping fed struck': 472422, 'fed struck me': 301895, 'struck me heroic': 814267, 'pummeling': 689009, 'is pummeling': 451137, 'pummeling gas': 689010, 'the is pummeling': 858519, 'is pummeling gas': 451138, 'pummeling gas price': 689011, 'gas price nationwide': 343998, 'wa km': 962498, 'km long': 475944, 'expect better': 290607, 'better facility': 128284, 'here got': 393054, 'supply wa': 826069, 'wa short': 963210, 'short from': 764621, 'buy grocery with': 148763, 'grocery with hiked': 366150, 'with hiked price': 998819, 'hiked price and': 396329, 'the line wa': 859423, 'line wa km': 493544, 'wa km long': 962499, 'km long we': 475945, 'long we expect': 501834, 'we expect better': 971491, 'expect better facility': 290608, 'better facility here': 128285, 'facility here got': 295343, 'here got to': 393055, 'know the supply': 476853, 'the supply wa': 868966, 'supply wa short': 826070, 'wa short from': 963211, 'short from the': 764622, 'from the vendor': 337915, 'taken beating': 832959, 'beating over': 118623, 'over great': 630258, 'price compared': 673200, 'started buying some': 794694, 'buying some stock': 151058, 'stock in company': 802260, 'that have taken': 844237, 'have taken beating': 382907, 'taken beating over': 832960, 'beating over great': 118624, 'over great price': 630259, 'great price compared': 362910, 'price compared to': 673201, 'compared to month': 191431, 'to month ago': 910241, 'evidence recommends': 288378, 'etc especially': 282514, 'significant community': 769405, 'community based': 189751, 'based transmission': 111774, 'new evidence recommends': 558718, 'evidence recommends wearing': 288379, 'pharmacy etc especially': 654299, 'etc especially in': 282515, 'especially in area': 280522, 'area of significant': 92139, 'of significant community': 589725, 'significant community based': 769406, 'community based transmission': 189752, 'visionaid': 959163, 'sanitizer visionaid': 736015, 'visionaid rainbow': 959164, 'rainbow ii': 695771, 'ii isopropyl': 415978, 'cleaner sanitizer visionaid': 180831, 'sanitizer visionaid rainbow': 736016, 'visionaid rainbow ii': 959165, 'rainbow ii isopropyl': 695772, 'ii isopropyl cleaner': 415979, 'wearing blue': 974596, 'blue latex': 133454, 'glove randomly': 352879, 'randomly gave': 696647, 'me tip': 523736, 'tip that': 898914, 'getting new': 349144, 'tp tomorrow': 928013, 'morning senior': 541428, 'senior got': 750304, 'got first': 358559, 'dibs assured': 240434, 'assured him': 97111, 'him would': 396782, 'mother know': 543135, 'know stayconnected': 476740, 'to me today': 909964, 'me today while': 523807, 'today while at': 920526, 'old man wearing': 598355, 'man wearing blue': 512311, 'wearing blue latex': 974597, 'blue latex glove': 133455, 'latex glove randomly': 481623, 'glove randomly gave': 352880, 'randomly gave me': 696648, 'gave me tip': 344649, 'me tip that': 523737, 'tip that wa': 898915, 'that wa getting': 847283, 'wa getting new': 962202, 'getting new shipment': 349145, 'shipment of tp': 758772, 'of tp tomorrow': 592385, 'tp tomorrow morning': 928014, 'tomorrow morning senior': 924132, 'morning senior got': 541429, 'senior got first': 750305, 'got first dibs': 358560, 'first dibs assured': 308636, 'dibs assured him': 240435, 'assured him would': 97112, 'him would let': 396783, 'would let my': 1011988, 'let my mother': 486930, 'my mother know': 549335, 'mother know stayconnected': 543136, 'dope': 255884, 'this kinda': 888570, 'kinda dope': 475043, 'dope tho': 255885, 'tho should': 891688, 'it add': 456267, 'add mask': 31445, 'all comment': 42401, 'comment decide': 188407, 'not 2020': 567991, '2020 lysol': 14427, 'lysol tissue': 507196, 'this kinda dope': 888571, 'kinda dope tho': 475044, 'dope tho should': 255886, 'tho should get': 891689, 'should get it': 766027, 'get it add': 347390, 'it add mask': 456268, 'add mask all': 31446, 'mask all comment': 518285, 'all comment decide': 42402, 'comment decide if': 188408, 'decide if get': 230835, 'or not 2020': 616286, 'not 2020 lysol': 567992, '2020 lysol tissue': 14428, 'lysol tissue toiletpaper': 507197, 'tissue toiletpaper tattoo': 899230, 'toiletpaper tattoo tattoo': 922578, 'slot this': 774275, 'crazy sainsbury': 215403, 'week guess': 976294, 'diet really': 241750, 'really doe': 702131, 'doe start': 251585, 'panicbuying stopstockpiling': 639064, 'stopstockpiling stayathome': 805873, 'tried to book': 931827, 'book slot for': 134597, 'shopping but literally': 762249, 'but literally have': 146285, 'have no slot': 381657, 'no slot this': 565525, 'slot this is': 774276, 'is crazy sainsbury': 446899, 'crazy sainsbury is': 215404, 'sainsbury is full': 731685, 'is full for': 447974, 'next week guess': 561683, 'week guess the': 976295, 'guess the diet': 368050, 'the diet really': 853251, 'diet really doe': 241751, 'really doe start': 702134, 'doe start tomorrow': 251586, 'start tomorrow panicbuyinguk': 794609, 'tomorrow panicbuyinguk panicbuying': 924158, 'panicbuyinguk panicbuying stopstockpiling': 639148, 'panicbuying stopstockpiling stayathome': 639065, 'have digestive': 380277, 'of patient have': 587819, 'patient have digestive': 644181, 'have digestive symptom': 380278, 'enforcement call': 276750, 'state michigan': 795771, 'michigan stay': 530374, 'order causing': 618127, 'causing confusion': 168012, 'worker company': 1006676, 'and cop': 60546, 'cop via': 203285, 'state call local': 795445, 'call local law': 155978, 'enforcement local law': 276779, 'law enforcement call': 482267, 'enforcement call the': 276751, 'call the state': 156141, 'the state michigan': 867792, 'state michigan stay': 795772, 'michigan stay home': 530375, 'home order causing': 401769, 'order causing confusion': 618128, 'causing confusion for': 168013, 'confusion for worker': 194385, 'for worker company': 327933, 'worker company and': 1006677, 'company and cop': 190376, 'and cop via': 60547, 'acc commander': 27800, 'commander can': 188337, 'why bx': 990855, 'open after': 612017, 'after person': 36037, 'person being': 652330, 'being positive': 125557, 'and been': 58809, 'just retail': 469638, 'manager telling': 512800, 'telling staff': 837261, 'staff don': 792384, 'acc commander can': 27801, 'commander can you': 188338, 'me why bx': 523974, 'why bx is': 990856, 'bx is still': 151495, 'still open after': 800948, 'open after person': 612018, 'after person being': 36038, 'person being positive': 652331, 'being positive for': 125558, '19 and been': 4992, 'and been around': 58810, 'been around all': 120676, 'around all the': 93180, 'all the co': 44689, 'the co worker': 851107, 'co worker why': 185017, 'worker why is': 1008243, 'is this even': 453085, 'this even still': 887428, 'even still open': 284609, 'open when it': 612666, 'when it just': 983637, 'it just retail': 459239, 'just retail store': 469639, 'store and manager': 806292, 'and manager telling': 66629, 'manager telling staff': 512802, 'telling staff don': 837262, 'thar': 842420, 'thar she': 842421, 'she blow': 755895, 'blow stophoarding': 133350, 'thar she blow': 842422, 'she blow stophoarding': 755896, 'blow stophoarding workingfromhome': 133351, 'situation like we': 772373, 're in now': 698878, 'now alphabet nascent': 573980, 'newjob': 560092, 'll manage': 496898, 'manage lol': 512403, 'lol newjob': 500933, 'newjob mondaymorning': 560093, 'got new job': 358735, 'grocery store haven': 365455, 'store haven worked': 808110, 'haven worked at': 383925, 'store in 20': 808260, '20 year but': 13418, 'year but think': 1014449, 'but think ll': 147531, 'think ll manage': 885379, 'll manage lol': 496899, 'manage lol newjob': 512404, 'lol newjob mondaymorning': 500934, 'good what if': 357952, 'what if covid': 981626, 'wa worse than': 963743, 'worse than it': 1011010, 'than it is': 840799, 'now you cannot': 576502, 'do for living': 249313, 'pmik': 662054, 'principal interest': 678231, 'business reduction': 144297, 'price pmik': 675944, 'principal interest for': 678232, 'for business reduction': 319843, 'business reduction will': 144299, 'fuel price pmik': 340246, 'foodiesofinstagram': 317963, 'mazarr': 522002, 'murcia': 546149, 'buying madness': 150690, 'madness calm': 508164, 'calm in': 156751, 'shelf restocked': 757466, 'restocked corona': 716944, 'foodie foodiesofinstagram': 317957, 'foodiesofinstagram el': 317964, 'el puerto': 270454, 'puerto de': 688815, 'de mazarr': 229085, 'mazarr murcia': 522003, 'murcia spain': 546150, 'one week on': 607416, 'week on from': 976667, 'from the panic': 337825, 'panic buying madness': 637803, 'buying madness calm': 150691, 'madness calm in': 508165, 'calm in the': 156752, 'supermarket shelf restocked': 822519, 'shelf restocked corona': 757467, 'restocked corona supermarket': 716945, 'corona supermarket food': 204207, 'supermarket food foodie': 820358, 'food foodie foodiesofinstagram': 314491, 'foodie foodiesofinstagram el': 317958, 'foodiesofinstagram el puerto': 317965, 'el puerto de': 270455, 'puerto de mazarr': 688816, 'de mazarr murcia': 229086, 'mazarr murcia spain': 522004, 'and drag': 61710, 'drag it': 258155, 'it round': 460810, 'that great idea': 844077, 'great idea let': 362731, 'idea let get': 413115, 'let get dog': 486731, 'get dog and': 346896, 'dog and drag': 252031, 'and drag it': 61711, 'drag it round': 258156, 'it round supermarket': 460811, 'round supermarket and': 726354, 'medco': 525944, 'deke medco': 232612, 'medco just': 525945, 'ebay toilet': 266498, 'the square': 867665, 'deke medco just': 232613, 'medco just found': 525946, 'just found on': 468770, 'found on ebay': 330313, 'on ebay toilet': 600496, 'ebay toilet paper': 266499, 'toilet paper by': 921216, 'paper by the': 639988, 'by the square': 154444, 'goodnewsstory': 358078, 'goodnewsstory new': 358079, 'new recruit': 559420, 'recruit have': 705464, 'with cole': 997687, 'cole part': 185870, 'employment fast': 274600, 'fast track': 300061, 'goodnewsstory new recruit': 358080, 'new recruit have': 559421, 'recruit have found': 705465, 'have found new': 380698, 'found new job': 330303, 'new job with': 558992, 'job with cole': 466303, 'with cole part': 997688, 'cole part of': 185871, 'covid 19 employment': 213019, '19 employment fast': 6773, 'employment fast track': 274601, 'final product': 305861, 'night stream': 563087, 'stream the': 812790, 'the porsche': 864039, 'porsche giveaway': 664864, 'giveaway is': 350905, 'bad boy': 107788, 'boy come': 137247, 'the trimming': 869991, 'trimming and': 932020, 'ha lifetime': 371139, 'started joke': 794767, 'joke turned': 467148, 'so here is': 777297, 'is the final': 452799, 'the final product': 855198, 'final product from': 305862, 'product from last': 681216, 'last night stream': 480393, 'night stream the': 563088, 'stream the porsche': 812791, 'the porsche giveaway': 864040, 'porsche giveaway is': 664865, 'giveaway is complete': 350906, 'is complete this': 446698, 'complete this bad': 192177, 'this bad boy': 886482, 'bad boy come': 107789, 'boy come with': 137248, 'come with all': 187675, 'all the trimming': 44954, 'the trimming and': 869992, 'trimming and also': 932021, 'and also ha': 57955, 'also ha lifetime': 48308, 'ha lifetime supply': 371140, 'sanitizer because fuck': 734554, 'because fuck what': 119074, 'fuck what started': 339682, 'what started joke': 982246, 'started joke turned': 794768, 'joke turned into': 467149, 'turned into this': 935855, 'formula while': 329728, 'while homemade': 986924, 'homemade formula': 402832, 'formula is': 329708, 'never safe': 558160, 'smart step': 775431, 'baby healthy': 106637, 'fed coronacrisis': 301794, 'is your local': 454152, 'grocery store running': 365734, 'low on baby': 505453, 'on baby formula': 599530, 'baby formula while': 106622, 'formula while homemade': 329729, 'while homemade formula': 986925, 'homemade formula is': 402833, 'formula is never': 329709, 'is never safe': 449882, 'never safe there': 558161, 'safe there are': 730023, 'there are smart': 878162, 'are smart step': 90187, 'smart step to': 775432, 'your baby healthy': 1022890, 'baby healthy and': 106638, 'and fed coronacrisis': 62750, 'georgetown': 346021, 'friend catholic': 333549, 'university food': 942431, 'by contrast': 152208, 'contrast georgetown': 201840, 'georgetown ha': 346022, 'set an': 753337, 'example more': 288919, 'more consistent': 538866, 'with catholic': 997570, 'catholic social': 167302, 'social teaching': 779989, 'teaching please': 835560, 'friend catholic university': 333550, 'catholic university food': 167309, 'university food service': 942432, 'without pay by': 1002827, 'pay by contrast': 644800, 'by contrast georgetown': 152209, 'contrast georgetown ha': 201841, 'georgetown ha set': 346023, 'ha set an': 371868, 'set an example': 753338, 'an example more': 55905, 'example more consistent': 288920, 'more consistent with': 538867, 'consistent with catholic': 195493, 'with catholic social': 997571, 'catholic social teaching': 167303, 'social teaching please': 779990, 'teaching please sign': 835561, 'situation hasn': 772301, 'been and will': 120661, 'always be our': 49480, 'priority while this': 678695, 'while this situation': 987456, 'this situation hasn': 890178, 'situation hasn been': 772302, 'hasn been easy': 378727, 'been easy on': 121061, 'easy on anyone': 265741, 'on anyone we': 599414, 'remain ready and': 709847, 'ready and prepared': 700841, 'and prepared to': 69369, 'prepared to connect': 670247, 'to what important': 918518, 'what important in': 981653, 'month stayhomechallenge': 538017, 'can see an': 159530, 'few month stayhomechallenge': 303939, 'month stayhomechallenge quarantinelife': 538018, '19 pandemic breed': 9277, 'expert quick take': 291928, 'quick take on': 694395, 'response of brand': 715765, 'brand in minute': 137866, 'store once every': 809213, 'two week is': 937335, 'week is going': 976417, 'doable': 250722, 'spread predominantly': 790759, 'predominantly through': 669709, 'through close': 894367, 'contact 15': 199989, 'min 2m': 532506, '2m you': 16726, 'not quarantine': 571185, 'quarantine everybody': 692179, 'it feasible': 457966, 'feasible check': 301518, 'check that': 174638, 'why contact': 990893, 'tracing is': 928150, 'is doable': 447256, 'doable there': 250723, 'many per': 514554, 'virus spread predominantly': 958790, 'spread predominantly through': 790760, 'predominantly through close': 669710, 'through close contact': 894368, 'close contact 15': 182590, 'contact 15 min': 199990, '15 min 2m': 3767, 'min 2m you': 532507, '2m you may': 16727, 'may not quarantine': 521385, 'not quarantine everybody': 571186, 'quarantine everybody in': 692180, 'everybody in supermarket': 286443, 'in supermarket an': 428557, 'supermarket an infected': 818919, 'infected person wa': 436623, 'person wa in': 652688, 'wa in to': 962389, 'in to keep': 430117, 'keep it feasible': 471609, 'it feasible check': 457967, 'feasible check that': 301519, 'check that why': 174640, 'that why contact': 847532, 'why contact tracing': 990894, 'contact tracing is': 200247, 'tracing is doable': 928151, 'is doable there': 447257, 'doable there are': 250724, 'so many per': 777690, 'many per person': 514555, 'conditioner': 193579, 'soap but': 778962, 'have horse': 380978, 'horse shampoo': 404227, 'shampoo why': 754789, 'carry horse': 165094, 'store opposite': 809306, 'opposite the': 613811, 'the horse': 857511, 'horse conditioner': 404215, 'conditioner retail': 193580, 'of soap but': 589820, 'soap but we': 778963, 'do have horse': 249371, 'have horse shampoo': 380979, 'horse shampoo why': 404229, 'shampoo why do': 754790, 'do we carry': 250465, 'we carry horse': 971107, 'carry horse shampoo': 165095, 'horse shampoo and': 404228, 'shampoo and why': 754769, 'and why is': 75629, 'is it on': 449044, 'the store opposite': 868073, 'store opposite the': 809307, 'opposite the horse': 613812, 'the horse conditioner': 857512, 'horse conditioner retail': 404216, 'stockpile consumer': 803731, 'people urged not': 650061, 'not to stockpile': 572193, 'to stockpile consumer': 915468, 'stockpile consumer good': 803732, 'good in panic': 357248, 'in panic over': 426483, 'pell': 646346, 'pellawaits': 646349, 'you kill': 1019463, 'kill george': 474398, 'george pell': 346013, 'pell with': 646347, 'car be': 163020, '19 flattenthecurve': 7022, 'flattenthecurve pellawaits': 310187, 'pellawaits fact': 646350, 'if you kill': 415459, 'you kill george': 1019464, 'kill george pell': 474399, 'george pell with': 346014, 'pell with your': 646348, 'with your car': 1002180, 'your car be': 1023127, 'car be sure': 163021, 'sure to do': 827761, 'do it only': 249500, 'it only when': 460115, 'only when traveling': 611473, 'when traveling to': 984341, 'traveling to or': 930660, 'to or from': 911053, 'or from the': 615405, 'supermarket to reduce': 823404, 'covid 19 flattenthecurve': 213102, '19 flattenthecurve pellawaits': 7023, 'flattenthecurve pellawaits fact': 310188, 'esteban': 282207, 'publicservice': 688621, 'is esteban': 447560, 'esteban stephen': 282210, 'fellow men': 303306, 'men be': 528469, 'grocerystore publicservice': 366324, 'this is esteban': 888247, 'is esteban stephen': 447561, 'esteban stephen work': 282211, 'stephen work in': 799751, 'hard and is': 377861, 'this are essential': 886400, 'are essential in': 86250, 'essential in time': 281162, 'work to serve': 1005901, 'to serve his': 914265, 'serve his fellow': 751898, 'his fellow men': 397428, 'fellow men be': 303307, 'men be like': 528470, 'stephen grocerystore publicservice': 799731, 'say the coronavirus': 739271, 'cameo': 157102, 'produce wholesaler': 680491, 'and artisanal': 58412, 'artisanal flour': 94569, 'much demand': 544823, 'sweeping change': 830195, 'change caused': 171971, 'by bonus': 151972, 'bonus cameo': 134350, 'cameo from': 157103, 'produce wholesaler have': 680492, 'wholesaler have launched': 990521, 'have launched direct': 381262, 'launched direct to': 481987, 'business and artisanal': 143287, 'and artisanal flour': 58414, 'artisanal flour mill': 94570, 'flour mill are': 311135, 'mill are getting': 531956, 'are getting so': 86824, 'getting so much': 349291, 'so much demand': 777771, 'much demand many': 544824, 'demand many have': 235840, 'many have had': 514122, 'shut their online': 767949, 'online store on': 609461, 'on the sweeping': 604395, 'the sweeping change': 869053, 'sweeping change caused': 830196, 'change caused by': 171972, 'caused by bonus': 167829, 'by bonus cameo': 151973, 'bonus cameo from': 134351, 'cameo from me': 157104, 'happening 20': 377309, 'min at': 532517, 'min someplace': 532574, 'someplace else': 784811, 'else do': 271671, 'safe america': 729422, 'world dontpanicbuy': 1009498, 'think that what': 885617, 'what happening 20': 981550, 'happening 20 min': 377310, '20 min at': 13165, 'min at this': 532518, 'store and another': 806195, 'and another 20': 58161, 'another 20 min': 77475, '20 min someplace': 13167, 'min someplace else': 532575, 'someplace else do': 784812, 'else do it': 271672, 'stay safe america': 797208, 'safe america the': 729423, 'america the world': 51700, 'the world dontpanicbuy': 871860, 'abraham': 27127, 'watching min': 968757, 'home worse': 402575, 'than min': 840896, 'min abraham': 532508, 'watching min bheki': 968758, 'enca today he': 275517, 'today he keep': 919626, 'he keep on': 385171, 'kissing at home': 475470, 'at home worse': 99179, 'home worse than': 402576, 'worse than min': 1011013, 'than min abraham': 840897, 'yonge': 1016553, 'finch': 306749, 'get sanitizer': 347952, 'chinese store': 177356, 'at yonge': 101650, 'yonge and': 1016554, 'and finch': 62881, 'finch thanks': 306750, 'owner for': 632451, 'probably saving': 679363, 'but angry': 145189, 'angry hoarding': 76475, 'hoarding toronto': 399629, 'to get sanitizer': 906581, 'get sanitizer and': 347953, 'and glove from': 63720, 'glove from local': 352695, 'from local chinese': 336247, 'local chinese store': 497824, 'chinese store at': 177357, 'store at yonge': 806598, 'at yonge and': 101651, 'yonge and finch': 1016555, 'and finch thanks': 62882, 'finch thanks to': 306751, 'local store owner': 498472, 'store owner for': 809430, 'owner for hoarding': 632452, 'hoarding and probably': 399187, 'and probably saving': 69535, 'probably saving for': 679364, 'saving for the': 737873, 'time being grateful': 896389, 'being grateful but': 125191, 'grateful but angry': 362245, 'but angry hoarding': 145190, 'angry hoarding toronto': 76476, 'sad some': 729239, 'being shelteringinplace': 125776, 'shelteringinplace work': 757982, 'retail farm': 718108, 'and ranch': 69923, 'ranch store': 696529, 'selling smh': 749446, 'it sad some': 460830, 'sad some people': 729240, 'some people don': 783511, 'people don seem': 647708, 'seem to know': 746696, 'to know or': 908987, 'care about socialdistancing': 163803, 'socialdistancing and being': 780205, 'and being shelteringinplace': 58871, 'being shelteringinplace work': 125777, 'shelteringinplace work at': 757983, 'at retail farm': 100304, 'retail farm and': 718109, 'farm and ranch': 299089, 'and ranch store': 69924, 'ranch store and': 696530, 'people are bringing': 646940, 'are bringing their': 85062, 'kid in just': 474013, 'just to see': 470105, 'see the chicken': 745817, 'the chicken we': 850808, 'chicken we are': 175877, 'we are selling': 970703, 'are selling smh': 89970, 'manner cost': 513295, 'nothing hero': 573040, 'hero come': 393963, 'form incl': 329519, 'incl supermarket': 431482, 'calm be': 156702, 'polite be': 663595, 'be pleasant': 116444, 'pleasant keep': 659608, 'good manner cost': 357370, 'manner cost nothing': 513296, 'cost nothing hero': 208031, 'nothing hero come': 573041, 'hero come in': 393964, 'come in all': 187357, 'in all form': 420168, 'all form incl': 42860, 'form incl supermarket': 329520, 'incl supermarket staff': 431483, 'supermarket staff be': 822817, 'staff be calm': 792252, 'be calm be': 113959, 'calm be polite': 156703, 'be polite be': 116464, 'polite be pleasant': 663597, 'be pleasant keep': 116445, 'pleasant keep your': 659609, 'your hand 19': 1024158, 'fallen over': 297167, 'jan 2019': 464454, '2019 traditional': 14036, 'traditional data': 928995, 'data metric': 226300, 'metric are': 529878, 'all lagging': 43340, 'primary driver': 678073, 'moment more': 535994, 'ha fallen over': 370594, 'fallen over the': 297168, 'week to it': 977084, 'level since jan': 487710, 'since jan 2019': 770666, 'jan 2019 traditional': 464455, '2019 traditional data': 14037, 'traditional data metric': 928996, 'data metric are': 226301, 'metric are all': 529879, 'are all lagging': 84320, 'all lagging behind': 43341, 'lagging behind the': 478906, 'behind the spread': 124727, 'outbreak which is': 628814, 'is the primary': 452905, 'the primary driver': 864454, 'primary driver of': 678074, 'driver of market': 259668, 'of market at': 586228, 'market at the': 516049, 'the moment more': 860769, 'moment more in': 535995, 'emergency everything': 272686, 'in disruption': 422310, 'disruption getting': 246480, 'only priority': 611014, 'priority citizen': 678532, 'citizen need': 178928, 'usual consumer': 950903, 'expectation their': 290860, 'usual need': 950977, 'need will': 556221, 'met become': 529561, 'is national covid': 449824, '19 emergency everything': 6753, 'emergency everything will': 272687, 'be in disruption': 115399, 'in disruption getting': 422311, 'disruption getting essential': 246481, 'getting essential service': 348957, 'essential service is': 281511, 'service is the': 752524, 'the only priority': 862333, 'only priority citizen': 611015, 'priority citizen need': 678533, 'citizen need to': 178929, 'need to forget': 555944, 'to forget their': 906194, 'forget their usual': 329313, 'their usual consumer': 875098, 'usual consumer desire': 950904, 'desire and the': 238417, 'the expectation their': 854707, 'expectation their usual': 290861, 'their usual need': 875103, 'usual need will': 950978, 'need will be': 556222, 'will be met': 992556, 'be met become': 115929, 'met become part': 529562, 'the solution not': 867464, 'solution not the': 782061, 'not the problem': 572023, 'american have to': 52025, 'store life ha': 808718, 'life ha not': 488705, 'ha not stopped': 371375, 'not stopped for': 571766, 'majority of majority': 509564, 'of majority of': 586118, 'sick have little': 768470, 'and will completely': 75661, 'dst': 261362, 'manufacturingnews': 513690, 'dst support': 261363, 'support start': 826834, 'make natural': 510234, 'natural alcohol': 552804, 'more manufacturing': 539747, 'manufacturing manufacturingnews': 513625, 'manufacturingnews news': 513691, 'news project': 560715, 'project plant': 683526, 'plant businessnews': 658633, 'dst support start': 261364, 'support start up': 826835, 'start up to': 794620, 'to make natural': 909702, 'make natural alcohol': 510235, 'natural alcohol free': 552805, 'alcohol free sanitizer': 41010, 'free sanitizer read': 332134, 'read more manufacturing': 700443, 'more manufacturing manufacturingnews': 539748, 'manufacturing manufacturingnews news': 513626, 'manufacturingnews news project': 513692, 'news project plant': 560716, 'project plant businessnews': 683527, 'flattenthecurvewithnewphonesfromsprint': 310219, 'enjoy quarantine': 277172, 'quarantine without': 692713, 'without guess': 1002701, 'store flattenthecurvewithnewphonesfromsprint': 807742, 'flattenthecurvewithnewphonesfromsprint walk': 310220, 'nearby sprint': 553680, 'sprint store': 791295, 'apparently you': 82041, 'open still': 612518, 'still http': 800725, 'can enjoy quarantine': 158225, 'enjoy quarantine without': 277173, 'quarantine without guess': 692714, 'without guess we': 1002702, 'guess we are': 368077, 'retail store flattenthecurvewithnewphonesfromsprint': 718637, 'store flattenthecurvewithnewphonesfromsprint walk': 807743, 'flattenthecurvewithnewphonesfromsprint walk in': 310221, 'walk in to': 964812, 'in to nearby': 430125, 'to nearby sprint': 910500, 'nearby sprint store': 553681, 'sprint store apparently': 791296, 'store apparently you': 806447, 'apparently you can': 82042, 'can catch covid': 157876, '19 in them': 7793, 'in them that': 429797, 'them that why': 876385, 'are open still': 88801, 'open still http': 612519, 'up mini': 945386, 'mini market': 533007, 'nh site': 562065, 'enable to': 275444, 'basic coronacrisis': 111859, 'which supermarket will': 986359, 'first to set': 309131, 'set up mini': 753566, 'up mini market': 945387, 'mini market on': 533008, 'market on nh': 516794, 'on nh site': 602405, 'nh site to': 562066, 'site to enable': 772031, 'to enable to': 905046, 'enable to get': 275445, 'the basic coronacrisis': 849305, 'the ipsos': 858442, 'ipsos biosurveillance': 444618, 'atlas tracked': 101873, 'twitter facebook': 936652, 'facebook mention': 294966, 'closure over': 183991, 'half offering': 374245, 'offering insight': 595165, 'how news': 408402, 'spreading on': 791014, 'the ipsos biosurveillance': 858443, 'ipsos biosurveillance atlas': 444619, 'biosurveillance atlas tracked': 131267, 'atlas tracked the': 101874, 'tracked the rise': 928252, 'rise in twitter': 722914, 'in twitter facebook': 430352, 'twitter facebook mention': 936653, 'facebook mention of': 294967, 'shelf and bar': 756720, 'bar restaurant closure': 110755, 'restaurant closure over': 716388, 'closure over the': 183992, 'and half offering': 64123, 'half offering insight': 374246, 'offering insight into': 595166, 'into how news': 442656, 'how news is': 408403, 'news is spreading': 560558, 'is spreading on': 452196, 'spreading on social': 791015, 'essential than': 281650, 'ever on': 285441, 'amp packaging': 54267, 'packaging essential': 633530, 'essential website': 281770, 'website you': 975500, 'find over': 307164, '600 featured': 21083, 'featured product': 301573, 'work of food': 1005517, 'of food distributor': 583680, 'food distributor is': 314245, 'distributor is more': 248300, 'is more essential': 449705, 'more essential than': 539151, 'essential than ever': 281651, 'than ever on': 840599, 'ever on our': 285442, '19 food amp': 7040, 'food amp packaging': 313144, 'amp packaging essential': 54268, 'packaging essential website': 633531, 'essential website you': 281771, 'website you can': 975501, 'can find over': 158334, 'find over 600': 307165, 'over 600 featured': 629886, '600 featured product': 21084, 'featured product that': 301575, 'potential positive': 667116, 'positive effect': 665302, 'on christianity': 599919, 'christianity is': 178135, 'kill off': 474462, 'off consumer': 593736, 'of the potential': 591352, 'the potential positive': 864124, 'potential positive effect': 667117, 'positive effect of': 665303, '19 on christianity': 8934, 'on christianity is': 599920, 'christianity is that': 178136, 'epidemic is likely': 279397, 'likely to kill': 492162, 'to kill off': 908935, 'kill off consumer': 474464, 'off consumer christianity': 593737, 'newhours': 560076, 'retailhours': 719464, 'shortenedhours': 765346, 'which retailer': 986277, 'pandemic newhours': 636027, 'newhours retailhours': 560077, 'retailhours retail': 719465, 'retailtrends shortenedhours': 719578, 'which retailer are': 986278, 'retailer are open': 719012, 'are open closed': 88788, 'open closed here': 612153, 'closed here look': 183155, 'ongoing pandemic newhours': 607670, 'pandemic newhours retailhours': 636028, 'newhours retailhours retail': 560078, 'retailhours retail retailtrends': 719466, 'retail retailtrends shortenedhours': 718490, 'gingivitis': 350211, 'television programming': 836863, 'programming not': 683363, 'sure which': 827831, 'which to': 986402, 'most coronavirus': 542211, 'or gingivitis': 615456, 'consumer of television': 198250, 'of television programming': 590652, 'television programming not': 836864, 'programming not sure': 683364, 'not sure which': 571855, 'sure which to': 827832, 'which to fear': 986403, 'to fear most': 905698, 'fear most coronavirus': 301207, 'most coronavirus or': 542212, 'coronavirus or gingivitis': 206359, 'cobank': 185158, 'chain rural': 171073, 'rural healthcare': 728243, 'key factor': 473289, 'recovery cobank': 705303, 'cobank provides': 185159, 'latest video': 481597, 're keeping close': 698953, 'eye on agriculture': 294071, 'on agriculture price': 599186, 'agriculture price supply': 39015, 'price supply chain': 676706, 'supply chain rural': 825027, 'chain rural healthcare': 171074, 'rural healthcare system': 728244, 'system and key': 831099, 'and key factor': 65819, 'key factor that': 473290, 'factor that will': 295906, 'that will play': 847597, 'will play role': 994422, 'role in determining': 725091, 'in determining the': 422230, 'determining the timeline': 239469, 'timeline for economic': 898462, 'for economic recovery': 320945, 'economic recovery cobank': 267232, 'recovery cobank provides': 705304, 'cobank provides an': 185160, '19 in his': 7750, 'his latest video': 397572, 'zation': 1027246, 'said mcconnell': 731229, 'mcconnell wa': 522123, 'red tape': 705618, 'and gain': 63455, 'gain temporary': 342825, 'temporary auth': 837580, 'auth or': 103607, 'or zation': 617891, 'zation to': 1027247, 'this pressing': 889700, 'pressing need': 671120, 'the pandemic he': 862983, 'pandemic he said': 635599, 'he said mcconnell': 385368, 'said mcconnell wa': 731230, 'mcconnell wa able': 522124, 'able to eliminate': 24477, 'eliminate the red': 271465, 'the red tape': 865387, 'red tape and': 705619, 'tape and gain': 834350, 'and gain temporary': 63456, 'gain temporary auth': 342826, 'temporary auth or': 837581, 'auth or zation': 103608, 'or zation to': 617892, 'zation to address': 1027248, 'address this pressing': 32056, 'this pressing need': 889701, 'borrows': 135640, 'arabia plan': 83914, 'debt ceiling': 230434, 'ceiling from': 168760, 'gdp it': 344899, 'it borrows': 456904, 'borrows more': 135641, 'saudi arabia plan': 737207, 'arabia plan to': 83915, 'plan to raise': 658312, 'to raise it': 912723, 'raise it government': 695868, 'it government debt': 458322, 'government debt ceiling': 360006, 'debt ceiling from': 230435, 'ceiling from 30': 168761, 'to 50 of': 899741, '50 of gdp': 19770, 'of gdp it': 584070, 'gdp it borrows': 344900, 'it borrows more': 456905, 'borrows more than': 135642, 'than planned to': 841037, 'planned to cope': 658473, 'oil price full': 597140, 'price full story': 674135, 'cabrilloinn': 155037, 'employee scientist': 274187, 'provider from': 686721, 'world your': 1010217, 'your are': 1022814, 'staysafe thankful': 798934, 'thankful cabrilloinn': 841901, 'store employee scientist': 807532, 'employee scientist and': 274188, 'many other essential': 514429, 'service provider from': 752726, 'provider from every': 686722, 'from every corner': 335321, 'every corner of': 285758, 'the world your': 872015, 'world your are': 1010218, 'your are our': 1022815, 'our hero thank': 623426, 'thank you staysafe': 841819, 'you staysafe thankful': 1021392, 'staysafe thankful cabrilloinn': 798935, 'flash fwd': 310027, 'to 2025': 899604, '2025 hey': 14822, '7am just': 22424, 'toiletpaper friendly': 922011, 'but firm': 145730, 'firm line': 308383, 'line monitor': 493264, 'monitor made': 537299, 'sure every1': 827535, 'every1 shopped': 286393, 'shopped orderly': 761315, 'orderly used': 619063, 'used that': 950010, 'thing thank': 884790, 'thank folk': 841563, 'flash fwd to': 310028, 'fwd to 2025': 342577, 'to 2025 hey': 899605, '2025 hey remember': 14823, 'hey remember that': 394494, 'remember that time': 710294, 'that time when': 847052, 'when we had': 984447, 'up at 7am': 944423, 'at 7am just': 97748, '7am just to': 22425, 'buy toiletpaper friendly': 149383, 'toiletpaper friendly but': 922012, 'friendly but firm': 333945, 'but firm line': 145731, 'firm line monitor': 308384, 'line monitor made': 493265, 'monitor made sure': 537300, 'made sure every1': 507975, 'sure every1 shopped': 827536, 'every1 shopped orderly': 286394, 'shopped orderly used': 761316, 'orderly used that': 619064, 'used that socialdistancing': 950011, 'that socialdistancing thing': 846373, 'socialdistancing thing thank': 780806, 'thing thank folk': 884791, 'thank folk at': 841564, 'folk at handling': 312107, 'at handling this': 98848, 'handling this well': 376403, 'whipping': 987743, 'cfp': 170341, 'syllabus': 830758, 'sittin': 772090, 'tryin': 934699, 'of academic': 579729, 'academic already': 27764, 'already whipping': 47759, 'whipping up': 987744, 'some related': 783716, 'related project': 708523, 'project cfp': 683480, 'cfp syllabus': 170342, 'syllabus article': 830759, 'and blog': 59021, 'post sittin': 666315, 'sittin over': 772091, 'here browsing': 392832, 'browsing all': 141296, 'left tryin': 485702, 'tryin to': 934700, 'back out': 107219, 'apparently don': 81931, 'see all kind': 744876, 'kind of academic': 474870, 'of academic already': 579730, 'academic already whipping': 27765, 'already whipping up': 47760, 'whipping up some': 987745, 'up some related': 946036, 'some related project': 783717, 'related project cfp': 708524, 'project cfp syllabus': 683481, 'cfp syllabus article': 170343, 'syllabus article and': 830760, 'article and blog': 94252, 'and blog post': 59022, 'blog post sittin': 132999, 'post sittin over': 666316, 'sittin over here': 772092, 'over here browsing': 630281, 'here browsing all': 392833, 'browsing all the': 141297, 'the food left': 855568, 'food left tryin': 315297, 'left tryin to': 485703, 'tryin to figure': 934701, 'out when to': 627824, 'when to go': 984326, 'go back out': 353348, 'back out to': 107220, 'store apparently don': 806445, 'apparently don do': 81932, 'don do well': 253474, 'do well in': 250504, 'well in pandemic': 978313, 'morning taking': 541480, 'precaution staysafe': 669361, 'quarantine washhands': 692685, 'washhands facemask': 967636, 'oh my way': 596421, 'this morning taking': 889025, 'morning taking extra': 541481, 'extra precaution staysafe': 293612, 'precaution staysafe socialdistancing': 669362, 'staysafe socialdistancing lockdown': 798882, 'socialdistancing lockdown quarantine': 780496, 'lockdown quarantine washhands': 499828, 'quarantine washhands facemask': 692686, 'ssi and': 791652, 'security they': 744770, 'supply go': 825322, 'med it': 525904, 'poverty or': 667510, 'of socialsecurity': 589867, 'have family on': 380582, 'family on ssi': 298119, 'on ssi and': 603620, 'ssi and social': 791653, 'and social security': 71896, 'social security they': 779953, 'security they have': 744771, 'on food pay': 600897, 'food pay for': 315827, 'pay for people': 644892, 'people to bring': 649882, 'to bring them': 902055, 'bring them food': 140096, 'them food supply': 875701, 'food supply go': 316956, 'supply go get': 825323, 'go get their': 353615, 'get their med': 348337, 'their med it': 873933, 'med it is': 525905, 'not american because': 568183, 'american because they': 51836, 'they are living': 881327, 'in poverty or': 426877, 'poverty or cannot': 667511, 'or cannot go': 614663, 'cannot go place': 161931, 'go place because': 354050, 'because of socialsecurity': 119406, '76 player': 22242, 'also hoarding': 48366, 'paper sometimes': 640808, 'sometimes selling': 785228, 'for obscene': 324011, 'obscene price': 578515, 'fallout 76 player': 297372, '76 player are': 22243, 'player are also': 659301, 'are also hoarding': 84459, 'also hoarding toilet': 48367, 'toilet paper sometimes': 921461, 'paper sometimes selling': 640809, 'sometimes selling it': 785229, 'it for obscene': 458087, 'for obscene price': 324012, 'regarding stimulus': 707266, 'people trickle': 650009, 'down economics': 256711, 'economics we': 267490, 'corporation so': 207464, 'job creation': 465762, 'creation american': 216108, 'consumer hold': 197760, 'my beer': 547420, 'beer bitch': 122442, 'bitch american': 131744, 'american gop': 51996, 'gop democrat': 358244, 'regarding stimulus check': 707267, 'stimulus check for': 801523, 'check for the': 174445, 'american people trickle': 52128, 'people trickle down': 650010, 'trickle down economics': 931730, 'down economics we': 256712, 'economics we need': 267491, 'to give money': 906692, 'money to the': 537125, 'to the corporation': 916598, 'the corporation so': 851960, 'corporation so they': 207465, 'they can spend': 881677, 'can spend it': 159697, 'it on employee': 460040, 'on employee and': 600544, 'employee and job': 273566, 'and job creation': 65661, 'job creation american': 465763, 'creation american consumer': 216109, 'american consumer hold': 51895, 'consumer hold my': 197761, 'hold my beer': 399961, 'my beer bitch': 547421, 'beer bitch american': 122443, 'bitch american gop': 131745, 'american gop democrat': 51997, 'oximetera': 632664, 'on pulse': 603004, 'pulse oximetera': 688990, 'oximetera and': 632665, 'report on pulse': 712150, 'on pulse oximetera': 603005, 'pulse oximetera and': 688991, 'oximetera and covid': 632666, 'some live': 783206, 'export truck': 292724, 'truck reportedly': 932844, 'reportedly took': 712591, 'took long': 925275, 'long 18': 501314, '18 hour': 4541, 'through border': 894353, 'control into': 202035, 'into poland': 442875, 'poland following': 662862, 'country closure': 210547, 'to foreigner': 906187, 'foreigner sign': 329025, 'our open': 624160, 'some live export': 783207, 'live export truck': 495810, 'export truck reportedly': 292725, 'truck reportedly took': 932845, 'reportedly took long': 712592, 'took long 18': 925276, 'long 18 hour': 501315, '18 hour to': 4542, 'get through border': 348431, 'through border control': 894354, 'border control into': 135239, 'control into poland': 202036, 'into poland following': 442876, 'poland following the': 662863, 'following the country': 312878, 'the country closure': 852057, 'country closure to': 210548, 'closure to foreigner': 184050, 'to foreigner sign': 906188, 'foreigner sign our': 329026, 'sign our open': 769186, 'our open letter': 624161, 'open letter here': 612357, 'letter here gt': 487325, 'incredible nh': 433855, 'forget all': 329229, 'those wonderful': 892738, 'wonderful no': 1004102, 'doubt exhausted': 256194, 'all the incredible': 44792, 'the incredible nh': 858095, 'incredible nh staff': 433856, 'globe and let': 352442, 'and let not': 66110, 'not forget all': 569507, 'forget all those': 329230, 'all those wonderful': 45195, 'those wonderful no': 892739, 'wonderful no doubt': 1004103, 'no doubt exhausted': 564048, 'doubt exhausted supermarket': 256195, 'axis': 106314, 'axis bank': 106315, 'aside 100': 95394, 'by hul': 152848, 'axis bank set': 106316, 'bank set aside': 110180, 'set aside 100': 753344, 'aside 100 crore': 95395, 'crore to help': 218973, '19 price cut': 9808, 'price cut by': 673375, 'cut by hul': 223260, 'by hul godrej': 152849, 'these bar': 879673, 'in wal': 430659, 'mart washyourhands': 518069, 'washyourhands keepcalmandcarryon': 967878, 'keepcalmandcarryon stoppanicbuying': 472314, 'all these bar': 45022, 'these bar and': 879674, 'and restaurant closing': 70370, 'restaurant closing the': 716383, 'closing the liquor': 183776, 'liquor store shelf': 494215, 'like the toilet': 491402, 'paper aisle in': 639779, 'aisle in wal': 40280, 'in wal mart': 430660, 'wal mart washyourhands': 964681, 'mart washyourhands keepcalmandcarryon': 518070, 'washyourhands keepcalmandcarryon stoppanicbuying': 967879, 'clivot': 182383, 'gersheim': 346410, 'parisien': 641850, 'to michael': 910109, 'michael clivot': 530228, 'clivot mayor': 182384, 'tiny german': 898664, 'german town': 346252, 'of gersheim': 584112, 'gersheim some': 346411, 'some french': 782903, 'french approached': 332714, 'got spat': 358862, 'spat during': 787636, 'their walk': 875145, 'checkout one': 174965, 'them heard': 875833, 'word return': 1004567, 'source le': 786504, 'le parisien': 483063, 'according to michael': 28566, 'to michael clivot': 910110, 'michael clivot mayor': 530229, 'clivot mayor of': 182385, 'the tiny german': 869648, 'tiny german town': 898665, 'german town of': 346253, 'town of gersheim': 927521, 'of gersheim some': 584113, 'gersheim some french': 346412, 'some french approached': 782904, 'french approached him': 332715, 'approached him to': 83007, 'him to tell': 396753, 'tell that they': 837076, 'that they got': 846933, 'they got spat': 882228, 'got spat during': 358863, 'spat during their': 787637, 'during their walk': 263225, 'their walk or': 875146, 'walk or at': 964844, 'or at supermarket': 614449, 'supermarket checkout one': 819666, 'checkout one of': 174966, 'of them heard': 591745, 'them heard the': 875834, 'heard the word': 388155, 'the word return': 871716, 'word return in': 1004568, 'return in the': 719860, 'the corona source': 851771, 'corona source le': 204186, 'source le parisien': 786505, 'samsclub': 733497, 'samsclub is': 733498, 'samsclub is running': 733499, 'everything here in': 287837, 'here in sam': 393179, 'in sam club': 427672, 'specialschool': 788160, 'fizzy': 309888, 'in specialschool': 428193, 'specialschool all': 788161, 'told have': 923558, 'after schoolclosuresuk': 36150, 'schoolclosuresuk we': 742017, 'not limiting': 570416, 'purchase did': 689422, 'did test': 240833, 'of fizzy': 583572, 'fizzy water': 309889, 'water stoppanicbuying': 969170, 'work in specialschool': 1005344, 'in specialschool all': 428194, 'specialschool all day': 788162, 'all day told': 42529, 'day told have': 228606, 'told have to': 923559, 'to remain in': 913162, 'remain in after': 709766, 'in after schoolclosuresuk': 420095, 'after schoolclosuresuk we': 36151, 'schoolclosuresuk we re': 742018, 're at breaking': 698322, 'breaking point and': 139027, 'point and come': 662413, 'home to this': 402346, 'to this when': 917478, 'this when trying': 891358, 'buy food is': 148658, 'is not limiting': 450125, 'not limiting purchase': 570417, 'limiting purchase did': 492854, 'purchase did test': 689423, 'did test and': 240834, 'test and got': 838914, 'and got bottle': 63846, 'bottle of fizzy': 136281, 'of fizzy water': 583573, 'fizzy water stoppanicbuying': 309890, 'water stoppanicbuying selfish': 969171, 'smart meter': 775395, 'meter data': 529699, 'show upto': 767263, 'upto 30': 947924, 'wed energy': 975546, 'energy data': 276427, 'data scientist': 226395, 'written up': 1012978, 'up initial': 945204, 'here including': 393196, 'including impact': 432010, 'smart meter data': 775396, 'meter data show': 529700, 'data show upto': 226414, 'show upto 30': 767264, 'upto 30 of': 947925, '30 of home': 17142, 'of home have': 584718, 'home have moved': 401341, 'moved to being': 543833, 'to being home': 901738, 'being home all': 125263, 'all day of': 42521, 'day of wed': 228115, 'of wed energy': 592986, 'wed energy data': 975547, 'energy data scientist': 276428, 'data scientist have': 226396, 'scientist have written': 742235, 'have written up': 383642, 'written up initial': 1012979, 'up initial analysis': 945205, 'initial analysis here': 438516, 'analysis here including': 57052, 'here including impact': 393197, 'including impact on': 432011, 'impact on bill': 417824, 'opening video': 612948, 'video by': 956647, 'by researcher': 153778, 'researcher of': 713925, 'happens when person': 377524, 'person cough in': 652377, 'cough in between': 208480, 'in between the': 420811, 'of supermarket what': 590456, 'supermarket what an': 823790, 'what an eye': 981037, 'an eye opening': 56037, 'eye opening video': 294087, 'opening video by': 612949, 'video by researcher': 956648, 'by researcher of': 153779, 'researcher of stayhome': 713926, 'from climate': 334899, 'breakdown than': 138853, 'thought our': 893167, 'our lack': 623632, 'of respect': 588990, 'world must': 1009813, 'research show that': 713841, 'that the natural': 846779, 'natural world is': 552879, 'is at far': 445858, 'at far greater': 98623, 'far greater risk': 298793, 'risk from climate': 723569, 'from climate breakdown': 334900, 'climate breakdown than': 182187, 'breakdown than previously': 138854, 'previously thought our': 672061, 'thought our lack': 893168, 'our lack of': 623633, 'lack of respect': 478651, 'of respect for': 588991, 'for the natural': 326575, 'natural world must': 552881, 'world must come': 1009814, 'must come to': 546593, 're posting': 699283, 'you re posting': 1020705, 're posting photo': 699284, 'freight industry': 332692, 'pandemic image': 635681, 'you to supermarket': 1021844, 'worker the rail': 1007937, 'the rail freight': 865109, 'rail freight industry': 695674, 'freight industry is': 332694, 'supply to supermarket': 826029, 'to supermarket during': 915790, 'the pandemic image': 862993, 'come would': 187702, 'would would': 1012399, 'about prospect': 26015, 'never thought the': 558235, 'thought the day': 893244, 'would come would': 1011729, 'come would would': 187703, 'would would be': 1012400, 'would be excited': 1011581, 'excited about prospect': 289527, 'about prospect of': 26016, 'prospect of going': 684691, 'supermarket the following': 823224, 'following day stayhomesavelives': 312713, 'day stayhomesavelives staysafe': 228401, 'funneled': 341683, 'non infected': 566411, 'infected go': 436577, 'been funneled': 121190, 'funneled into': 341684, 'mixed socialdistancing': 534644, 'is only effective': 450536, 'effective for short': 269251, 'short time and': 764767, 'we are over': 970651, 'are over that': 88912, 'over that now': 630688, 'that now infected': 845420, 'now infected and': 575043, 'infected and non': 436530, 'and non infected': 67673, 'non infected go': 566412, 'infected go to': 436578, 'store by now': 806836, 'by now all': 153370, 'of the infected': 591142, 'the infected and': 858217, 'non infected people': 566413, 'infected people have': 436615, 'have been funneled': 379555, 'been funneled into': 121191, 'funneled into the': 341685, 'into the local': 443142, 'store have mixed': 808089, 'have mixed socialdistancing': 381485, 'availablity': 104717, 'flammable': 309995, 'sanitizer availablity': 734527, 'availablity alcohol': 104718, 'based frequent': 111587, 'frequent use': 332828, 'use make': 949357, 'hand dry': 374905, 'dry unsafe': 261307, 'unsafe for': 943391, 'kid flammable': 473953, 'flammable let': 309996, 'sanitizer click': 734664, 'situation of hand': 772412, 'hand sanitizer availablity': 375315, 'sanitizer availablity alcohol': 734528, 'availablity alcohol based': 104719, 'alcohol based frequent': 40928, 'based frequent use': 111588, 'frequent use make': 332829, 'use make your': 949358, 'make your hand': 510758, 'your hand dry': 1024184, 'hand dry unsafe': 374906, 'dry unsafe for': 261308, 'unsafe for kid': 943392, 'for kid flammable': 322840, 'kid flammable let': 473954, 'flammable let make': 309997, 'let make your': 486887, 'own sanitizer click': 632187, 'sanitizer click below': 734665, 'below to know': 126756, 'know more 19': 476601, 'more 19 canada': 538479, '19 canada canadacovid19': 5620, 'litre via': 495192, 'via bbc': 955809, 'news despite': 560363, 'not needing': 570685, 'car fuel': 163102, 'in decline': 422064, 'uk why is': 938896, 'nearing litre via': 553741, 'litre via bbc': 495193, 'via bbc news': 955810, 'bbc news despite': 113090, 'news despite most': 560364, 'despite most of': 238790, 'most of not': 542553, 'of not needing': 587083, 'not needing to': 570687, 'needing to use': 556638, 'use our car': 949457, 'our car fuel': 622316, 'car fuel price': 163103, 'uk are in': 938191, 'are in decline': 87373, 'train running': 929275, 'running sanitation': 728049, 'and sewer': 71349, 'sewer worker': 754164, 'worker energy': 1006849, 'company worker': 191356, 'employee convenience': 273734, 'employee shoutout': 274208, 'shoutout hero': 766805, 'keeping the train': 472589, 'the train running': 869884, 'train running sanitation': 929276, 'running sanitation worker': 728050, 'sanitation worker water': 733879, 'worker water and': 1008131, 'water and sewer': 968880, 'and sewer worker': 71350, 'sewer worker energy': 754165, 'worker energy company': 1006850, 'energy company worker': 276413, 'company worker delivery': 191357, 'driver supermarket employee': 259764, 'supermarket employee convenience': 820113, 'employee convenience store': 273735, 'station employee shoutout': 796394, 'employee shoutout hero': 274209, 'only piece': 610974, 'safeway quarantine': 730852, 'quarantine chill': 692079, 'chill fyi': 176350, 'fyi you': 342654, 'see from': 745138, 'left corner': 485442, 'corner if': 203649, 'that moment you': 845204, 'moment you realize': 536135, 'realize you re': 701888, 'the only piece': 862330, 'only piece of': 610975, 'piece of meat': 656340, 'store safeway quarantine': 809956, 'safeway quarantine chill': 730853, 'quarantine chill fyi': 692080, 'chill fyi you': 176351, 'fyi you can': 342655, 'can see from': 159536, 'see from the': 745139, 'the top left': 869781, 'top left corner': 925600, 'left corner if': 485443, 'corner if you': 203650, 'you want some': 1022153, 'want some nasty': 965926, 'retailgazette': 719451, 'retailgazette tesco': 719454, 'announce plan': 76863, 'outbreak overwhelming': 628514, 'overwhelming store': 631766, 'store newjobs': 809060, 'newjobs recruitment': 560095, 'recruitment supermarket': 705509, 'retailgazette tesco ha': 719455, 'tesco ha become': 838708, 'supermarket to announce': 823352, 'to announce plan': 900554, 'announce plan to': 76864, 'plan to recruit': 658313, 'recruit new staff': 705467, 'new staff to': 559635, 'staff to cope': 792985, 'the outbreak overwhelming': 862673, 'outbreak overwhelming store': 628515, 'overwhelming store newjobs': 631767, 'store newjobs recruitment': 809061, 'newjobs recruitment supermarket': 560096, 'doing almost': 252272, 'package once': 633354, 'arrive personalfinance': 93927, 'personalfinance onlineshopping': 653003, 'you re like': 1020668, 're like me': 698995, 're doing almost': 698530, 'doing almost all': 252273, 'almost all if': 46534, 'all if not': 43180, 'not all your': 568132, 'all your shopping': 45583, 'shopping online here': 763442, 'online here how': 608370, 'sanitize your package': 734240, 'your package once': 1025175, 'package once they': 633355, 'once they arrive': 605741, 'they arrive personalfinance': 881495, 'arrive personalfinance onlineshopping': 93928, 'supermarket pleased': 822024, 'complete surreal': 192160, 'surreal seeing': 828671, 'exercise with': 290116, 'dog stayhomesavelives': 252170, 'the supermarket pleased': 868757, 'supermarket pleased to': 822025, 'pleased to say': 660801, 'to say food': 913819, 'say food shop': 738644, 'food shop is': 316484, 'shop is complete': 760355, 'is complete surreal': 446697, 'complete surreal seeing': 192161, 'surreal seeing people': 828672, 'glove on for': 352819, 'on for the': 600954, 'next day will': 561335, 'day will only': 228770, 'only be leaving': 610151, 'be leaving the': 115688, 'house for daily': 406303, 'for daily exercise': 320526, 'daily exercise with': 224608, 'exercise with dog': 290117, 'with dog stayhomesavelives': 998108, 'full of absolute': 340699, 'of absolute moron': 579719, 'is looted': 449452, 'looted of': 503243, 'mixed message': 534631, 'message so': 529418, 'supermarket is looted': 821104, 'is looted of': 449453, 'looted of food': 503244, 'do so it': 250096, 'so it clear': 777457, 'it clear about': 457156, 'about mixed message': 25740, 'mixed message so': 534633, 'monopoly on testing': 537437, 'on testing kit': 603917, 'of packet': 587653, 'paracetamol while': 641282, 'buy shelf': 149169, 'shelf worth': 757833, 'irony of going': 444968, 'supermarket and being': 818940, 'and being limited': 58864, 'being limited to': 125387, 'limited to couple': 492771, 'to couple of': 903641, 'couple of packet': 211645, 'of packet of': 587654, 'packet of paracetamol': 633708, 'of paracetamol while': 587771, 'paracetamol while being': 641283, 'while being able': 986643, 'to buy shelf': 902297, 'buy shelf worth': 149170, 'shelf worth of': 757834, 'worth of loo': 1011412, 'hurting my': 411645, 'my wallet': 550524, 'wallet because': 965211, '19 but damn': 5494, 'but damn this': 145503, 'this is hurting': 888286, 'is hurting my': 448641, 'hurting my wallet': 411646, 'my wallet because': 550525, 'wallet because ve': 965212, 'because ve been': 119767, 'elema': 271336, 'epidemic can': 279350, 'like sanitizers': 491125, 'sanitizers detergent': 736256, 'other fast': 620221, 'present an': 670567, 'counterfeiter said': 210318, 'said elema': 731050, 'elema the': 271337, 'director in': 243627, 'previous public': 671997, 'public notice': 688181, '19 epidemic can': 6804, 'epidemic can lead': 279351, 'lead to crisis': 483336, 'to crisis driven': 903743, 'crisis driven demand': 217319, 'product like sanitizers': 681366, 'like sanitizers detergent': 491126, 'sanitizers detergent and': 736257, 'detergent and other': 239388, 'and other fast': 68327, 'other fast moving': 620222, 'moving consumer product': 544132, 'consumer product this': 198483, 'product this could': 681727, 'this could present': 886933, 'could present an': 209527, 'present an opportunity': 670568, 'for counterfeiter said': 320413, 'counterfeiter said elema': 210319, 'said elema the': 731051, 'elema the executive': 271338, 'the executive director': 854683, 'executive director in': 289883, 'director in previous': 243628, 'in previous public': 426940, 'previous public notice': 671998, 'synopsis': 831011, 'uh in': 938082, 'with conducted': 997723, 'energy workforce': 276622, 'or synopsis': 617319, 'synopsis of': 831012, 'uh in conjunction': 938083, 'conjunction with conducted': 194585, 'with conducted survey': 997724, 'conducted survey of': 193685, 'survey of the': 828913, 'the energy workforce': 854327, 'energy workforce to': 276623, 'workforce to understand': 1008393, 'understand the implication': 940759, 'read the white': 700592, 'the white paper': 871460, 'white paper at': 987884, 'paper at or': 639898, 'at or synopsis': 99995, 'or synopsis of': 617320, 'synopsis of the': 831013, 'of the finding': 591026, 'the finding on': 855240, 'treadmill': 930756, 'bulk etc': 142300, 'etc someone': 282759, 'fucking treadmill': 340039, 'treadmill when': 930757, 'gym were': 369361, 'closed corona': 183051, 'while most people': 987069, 'most people panic': 542623, 'buy food in': 148656, 'in bulk etc': 421035, 'bulk etc someone': 142301, 'etc someone at': 282760, 'at my work': 99835, 'my work decided': 550639, 'decided to panic': 230926, 'buy fucking treadmill': 148726, 'fucking treadmill when': 340040, 'treadmill when the': 930758, 'when the gym': 984158, 'the gym were': 856977, 'gym were closed': 369362, 'were closed corona': 979450, 'closed corona virus': 183052, 'vulnerable did': 960929, 'many of shopping': 514386, 'online at this': 607897, 'challenging time please': 171645, 'time please consider': 897492, 'consider supporting those': 195121, 'supporting those who': 827223, 'most vulnerable did': 542874, 'vulnerable did you': 960930, 'know that amp': 476754, 'that amp will': 842637, 'amp will donate': 54848, 'donate to uk': 254273, 'to uk at': 917879, 'uk at no': 938201, 'midwest meat': 530826, 'meat cutter': 525532, 'cutter are': 223700, 'fly from': 311611, 'really skyrocket': 702600, 'skyrocket by': 773293, 'by summer': 154159, 'they are dumping': 881259, 'dumping milk in': 262241, 'the midwest meat': 860583, 'midwest meat cutter': 530827, 'meat cutter are': 525533, 'cutter are dropping': 223701, 'are dropping like': 86012, 'like fly from': 490251, 'fly from covid': 311612, '19 so expect': 10640, 'so expect price': 776996, 'price to really': 677029, 'to really skyrocket': 912868, 'really skyrocket by': 702601, 'skyrocket by summer': 773294, 'several wv': 753970, 'wv state': 1013621, 'sharing update': 755618, 'resource related': 714866, 'unemployment information': 941229, 'apply directly': 82550, 'directly online': 243569, 'several wv state': 753971, 'wv state agency': 1013622, 'state agency are': 795335, 'agency are sharing': 37988, 'are sharing update': 90024, 'sharing update and': 755619, 'update and resource': 946863, 'and resource related': 70326, 'resource related to': 714867, '19 for unemployment': 7081, 'for unemployment information': 327436, 'unemployment information go': 941230, 'go to or': 354334, 'to or apply': 911047, 'or apply directly': 614396, 'apply directly online': 82551, 'directly online at': 243570, 'bare worried': 110986, 'family feel': 297786, 'very isolated': 955280, 'home 50': 400541, 'in queensland': 427210, 'queensland with': 693415, 'in australia the': 420620, 'australia the supermarket': 103402, 'are bare worried': 84778, 'bare worried for': 110987, 'worried for my': 1010562, 'for my love': 323719, 'my love one': 549165, 'love one in': 504745, 'the uk of': 870253, 'uk of which': 938578, 'of which mean': 593109, 'which mean my': 986146, 'mean my whole': 524560, 'and friend family': 63326, 'friend family feel': 333598, 'family feel very': 297787, 'feel very isolated': 302917, 'very isolated and': 955281, 'isolated and long': 454969, 'and long way': 66354, 'long way from': 501821, 'way from home': 969600, 'from home 50': 335835, 'home 50 people': 400542, '50 people in': 19800, 'people in queensland': 648422, 'in queensland with': 427211, 'queensland with covid': 693416, 'receiving high': 703771, 'of inquiry': 585216, 'inquiry due': 439006, 'related travel': 708626, 'are receiving high': 89500, 'receiving high volume': 703772, 'volume of inquiry': 960156, 'of inquiry due': 585217, 'inquiry due to': 439007, '19 coronavirus related': 6120, 'coronavirus related travel': 206641, 'related travel and': 708627, 'cancellation read our': 161056, 'read our consumer': 700503, 'consumer advice for': 196043, 'advice for the': 33377, 'news on consumer': 560662, 'in howard': 423881, 'county grocery': 211395, 'work in howard': 1005316, 'in howard county': 423882, 'howard county grocery': 409313, 'county grocery store': 211396, 'sanitizer or meat': 735488, 'or meat chicken': 616100, 'neeva': 556716, 'daughter neeva': 226892, 'neeva tell': 556717, 'our daughter neeva': 622701, 'daughter neeva tell': 226893, 'neeva tell people': 556718, 'people to use': 649961, 'are imposing': 87346, 'imposing price': 419335, 'product supplier': 681667, 'supplier appear': 824488, 'amid bekind': 52397, 'wa at local': 961604, 'farm store this': 299191, 'they are imposing': 881304, 'are imposing price': 87347, 'imposing price increase': 419336, 'increase on product': 432955, 'on product supplier': 602955, 'product supplier appear': 681668, 'supplier appear to': 824489, 'increasing price amid': 433663, 'price amid bekind': 672308, 'harm going': 378397, 'ups than': 947775, 'having dinner': 384032, 'dinner out': 243082, 'home fever': 401189, 'more harm going': 539388, 'harm going to': 378398, 'supermarket have you': 820714, 'seen the line': 747285, 'the line ups': 859422, 'line ups than': 493536, 'ups than having': 947776, 'than having dinner': 840735, 'having dinner out': 384033, 'dinner out with': 243084, 'out with friend': 627864, 'with friend or': 998561, 'friend or in': 333744, 'or in their': 615764, 'their home fever': 873561, 'behavior toward': 124263, 'wake of consumer': 964592, 'and behavior toward': 58844, 'behavior toward the': 124264, 'toward the automotive': 927155, 'automotive industry have': 104048, 'industry have drastically': 435874, 'drastically changed and': 258426, 'changed and health': 172432, 'and health safety': 64364, 'health safety is': 386819, 'safety is priority': 730593, 'is priority more': 451035, 'priority more than': 678609, 'dot food': 255942, 'ha 100': 369388, '100 product': 2052, 'demand stocked': 236276, 'customer fast': 222373, 'our featured': 623049, 'now by': 574315, 'dot food ha': 255943, 'food ha 100': 314742, 'ha 100 product': 369389, '100 product in': 2053, 'product in high': 681286, 'high demand stocked': 395031, 'demand stocked for': 236277, 'stocked for your': 803326, 'your next delivery': 1024999, 'next delivery so': 561340, 'you can serve': 1017779, 'can serve your': 159579, 'your customer fast': 1023412, 'customer fast shop': 222374, 'fast shop our': 300033, 'shop our featured': 760629, 'our featured product': 623050, 'featured product now': 301574, 'product now by': 681444, 'now by visiting': 574316, 'visiting our covid': 959538, 'afya': 36763, 'rekod': 708354, 'kenyan healthtech': 472974, 'healthtech startup': 387482, 'startup afya': 795086, 'afya rekod': 36764, 'rekod launching': 708355, 'launching ai': 482058, 'kenyan healthtech startup': 472975, 'healthtech startup afya': 387483, 'startup afya rekod': 795087, 'afya rekod launching': 36765, 'rekod launching ai': 708356, 'launching ai consumer': 482059, 'platform to help': 659046, 'help in fighting': 389896, 'industry you': 436267, 've deemed': 953036, 'essential where': 281788, 'possible landscaping': 665699, 'landscaping grass': 479421, 'grass cutting': 362212, 'cutting stuck': 223774, 'in truck': 430303, 'sanitizer ppe': 735568, 'ppe washing': 668102, 'sanitizer stopping': 735823, 'stopping for': 805810, 'think of certain': 885439, 'of certain industry': 581252, 'certain industry you': 170034, 'industry you ve': 436268, 'you ve deemed': 1022033, 've deemed essential': 953037, 'deemed essential where': 231825, 'essential where this': 281789, 'where this is': 985293, 'not possible landscaping': 571055, 'possible landscaping grass': 665700, 'landscaping grass cutting': 479422, 'grass cutting stuck': 362213, 'cutting stuck in': 223775, 'stuck in truck': 814603, 'in truck with': 430304, 'truck with other': 932883, 'people no sanitizer': 648855, 'no sanitizer ppe': 565415, 'sanitizer ppe washing': 735569, 'ppe washing hand': 668103, 'washing hand sanitizer': 967679, 'hand sanitizer stopping': 375606, 'sanitizer stopping for': 735824, 'stopping for food': 805811, 'waterworks': 969314, 'same pittsburgh': 733227, 'pittsburgh waterworks': 657047, 'waterworks plaza': 969315, 'plaza the': 659516, 'eagle grocery': 264371, 'store typically': 810983, 'typically open': 937661, '10 employee': 1417, 'now stocking': 575908, 'stocking plenty': 803584, 'the same pittsburgh': 866279, 'same pittsburgh waterworks': 733228, 'pittsburgh waterworks plaza': 657048, 'waterworks plaza the': 969316, 'plaza the giant': 659517, 'the giant eagle': 856254, 'giant eagle grocery': 349766, 'eagle grocery store': 264372, 'grocery store typically': 365893, 'store typically open': 810984, 'typically open 24': 937662, 'hour day also': 405521, 'day also is': 227234, 'also is operating': 48435, 'is operating on': 450591, 'operating on limited': 613090, 'on limited hour': 601848, 'limited hour amid': 492646, 'hour amid the': 405384, 'pandemic new hour': 636024, 'new hour are': 558897, 'hour are to': 405433, 'are to 10': 91104, 'to 10 employee': 899423, '10 employee inside': 1418, 'employee inside now': 273983, 'inside now stocking': 439328, 'now stocking plenty': 575909, 'stocking plenty of': 803585, 'bostonstrong': 135815, 'wa safe': 963134, 'if just': 414352, 'wearing pant': 974753, 'pant shoe': 639498, 'shirt too': 759021, 'too bostonstrong': 924615, 'bostonstrong humor': 135816, 'me it wa': 523022, 'it wa safe': 462184, 'wa safe to': 963135, 'store if just': 808245, 'if just wear': 414353, 'just wear mask': 470259, 'glove and use': 352585, 'sanitizer they lied': 735883, 'else is wearing': 271761, 'is wearing pant': 453815, 'wearing pant shoe': 974754, 'pant shoe and': 639499, 'shoe and shirt': 759656, 'and shirt too': 71483, 'shirt too bostonstrong': 759022, 'too bostonstrong humor': 924616, 'soar more': 779259, 'bank soar more': 110198, 'soar more covid': 779260, 'zipper': 1027634, 'appintments': 82241, 'monday meme': 536327, 'smile lol': 775723, 'lol zipper': 500984, 'zipper teeth': 1027635, 'teeth toiletpaper': 836609, 'toiletpaper mexican': 922240, 'mexican quarantinelife': 529983, 'quarantineandchill to': 692772, 'day everyone': 227581, 'business appintments': 143348, 'appintments only': 82242, 'monday meme laugh': 536328, 'meme laugh smile': 528330, 'laugh smile lol': 481764, 'smile lol zipper': 775724, 'lol zipper teeth': 500985, 'zipper teeth toiletpaper': 1027636, 'teeth toiletpaper mexican': 836610, 'toiletpaper mexican quarantinelife': 922241, 'mexican quarantinelife quarantineandchill': 529984, 'quarantinelife quarantineandchill to': 692996, 'quarantineandchill to have': 692773, 'to have great': 907247, 'great day everyone': 362610, 'day everyone we': 227582, 'for business appintments': 319825, 'business appintments only': 143349, 'two state': 937237, 'state classify': 795458, 'clerk emergency': 181692, 'two state classify': 937238, 'state classify grocery': 795459, 'store clerk emergency': 807003, 'clerk emergency worker': 181693, 'selflessness': 748548, 'selfishness this': 748383, 'for selflessness': 325430, 'selflessness think': 748549, 'and simply': 71681, 'out anymore': 625717, 'anymore because': 80120, 'heart this is': 388344, 'time for selfishness': 896750, 'for selfishness this': 325427, 'selfishness this is': 748384, 'time for selflessness': 896751, 'for selflessness think': 325431, 'selflessness think about': 748550, 'community who also': 190230, 'also need this': 48552, 'need this food': 555816, 'this food and': 887574, 'food and simply': 313332, 'and simply cannot': 71682, 'simply cannot go': 770200, 'go out anymore': 353935, 'out anymore because': 625718, 'anymore because it': 80121, 'it not safe': 459916, 'safe for them': 729682, 'danforth': 225613, 'danforth down': 225614, 'down home': 256838, 'supermarket helping': 820739, 'helping older': 391405, 'older at': 598578, 'danforth down home': 225615, 'down home supermarket': 256839, 'home supermarket helping': 402175, 'supermarket helping older': 820740, 'helping older at': 391406, 'older at risk': 598579, 'risk customer during': 723481, 'from our incredible': 336781, 'our incredible nh': 623519, 'many more they': 514319, '017569': 778, 'hello mr': 389193, 'mr please': 544386, 'acc 017569': 27794, 'hello mr please': 389194, 'mr please am': 544387, 'my acc 017569': 547213, 'shortage made': 765063, 'me google': 522827, 'google great': 358154, 'depression era': 237643, 'era recipe': 280076, 'recipe smh': 704498, 'smh by': 775668, 'put potato': 690782, '19 quarantine shit': 9915, 'quarantine shit and': 692528, 'shit and grocery': 759058, 'store shortage made': 810147, 'shortage made me': 765065, 'made me google': 507838, 'me google great': 522828, 'google great depression': 358155, 'great depression era': 362626, 'depression era recipe': 237644, 'era recipe smh': 280077, 'recipe smh by': 704499, 'smh by the': 775669, 'way they put': 969960, 'they put potato': 882954, 'put potato and': 690783, 'potato and hot': 666900, 'hot dog on': 405012, 'dog on everything': 252139, 'store consistently': 807147, 'consistently you': 195509, 're proving': 699328, 're consistently': 698452, 'consistently restocking': 195505, 'bread loaf': 138518, 'loaf ramen': 497370, 'ramen and': 696379, 'potato the': 666987, 'reason cannot': 702885, 'cannot is': 161970, 'by buying out': 152041, 'buying out store': 150852, 'out store consistently': 627264, 'store consistently you': 807148, 'consistently you re': 195510, 'you re proving': 1020715, 're proving that': 699329, 'proving that we': 687231, 'go around because': 353307, 'around because they': 93220, 'they re consistently': 883013, 're consistently restocking': 698453, 'consistently restocking so': 195506, 'restocking so please': 717022, 'buying so can': 151040, 'can buy bread': 157815, 'buy bread loaf': 148443, 'bread loaf ramen': 138519, 'loaf ramen and': 497371, 'ramen and potato': 696380, 'and potato the': 69253, 'potato the only': 666988, 'only reason cannot': 611055, 'reason cannot is': 702886, 'cannot is selfish': 161971, 'is selfish people': 451745, 'selfish people coronacrisis': 748208, 'perpetually': 652224, 'unfortunate and': 941555, 'worrisome is': 1010617, 'over eating': 630175, 'and perpetually': 68912, 'perpetually snacking': 652225, 'eating today': 266322, 'gun that unfortunate': 368745, 'that unfortunate and': 847177, 'unfortunate and even': 941556, 'and even more': 62341, 'even more worrisome': 284391, 'more worrisome is': 541018, 'worrisome is people': 1010618, 'is people over': 450839, 'people over eating': 649040, 'over eating and': 630176, 'eating and perpetually': 266176, 'and perpetually snacking': 68913, 'perpetually snacking panic': 652226, 'snacking panic eating': 776044, 'panic eating today': 638060, 'eating today putting': 266323, 'together video on': 921021, 'seafarer': 743114, 'help uk': 390823, 'help seafarer': 390492, 'seafarer stuck': 743115, 'port mile': 664888, '19 difficulty': 6549, 'is food on': 447869, 'shelf it usually': 757259, 'it usually because': 462005, 'usually because have': 951093, 'because have brought': 119098, 'have brought it': 379848, 'brought it to': 141174, 'can please help': 159253, 'please help uk': 660087, 'help uk to': 390825, 'uk to help': 938826, 'to help seafarer': 907618, 'help seafarer stuck': 390493, 'seafarer stuck in': 743116, 'stuck in port': 814598, 'in port mile': 426843, 'port mile from': 664889, 'from home amp': 335839, 'home amp in': 400604, 'amp in other': 53980, 'in other covid': 426239, 'covid 19 difficulty': 212954, 'debating whether': 230336, 'whether should': 985559, 'wear new': 974427, 'new clothes': 558490, 'ha ruined': 371783, 'ruined exploring': 727129, 'debating whether should': 230337, 'whether should do': 985560, 'today but where': 919340, 'but where will': 147839, 'where will wear': 985360, 'will wear new': 995341, 'wear new clothes': 974428, 'new clothes if': 558491, 'clothes if covid': 184170, '19 ha ruined': 7381, 'ha ruined exploring': 371784, 'ruined exploring the': 727130, 'exploring the world': 292555, 'really raised': 702508, 'price huh': 674601, 'huh quarantine': 410318, 'quarantine lockdownextension': 692352, 'they really raised': 883163, 'really raised the': 702509, 'the price huh': 864365, 'price huh quarantine': 674602, 'huh quarantine lockdownextension': 410319, 'onard': 605540, 'st onard': 791736, 'onard station': 605541, 'station increase': 796438, 'iga st onard': 415690, 'st onard station': 791737, 'onard station increase': 605542, 'station increase the': 796439, 'southwarwickshire': 786918, 'routine set': 726529, 'possible southwarwickshire': 665783, 'daily routine set': 224789, 'routine set up': 726530, 'if possible southwarwickshire': 414672, 'sharing an': 755508, 'updated regarding': 947426, 'recent decision': 703875, 'by pak': 153508, 'pak it': 634406, 'principal amount': 678222, 'the markup': 860200, 'markup amount': 517948, 'amount during': 53170, 'year only': 1014889, 'sharing an updated': 755509, 'an updated regarding': 56934, 'updated regarding the': 947427, 'the recent decision': 865304, 'recent decision by': 703876, 'decision by pak': 231016, 'by pak it': 153509, 'pak it wa': 634407, 'wa announced to': 961547, 'announced to defer': 77099, 'defer the principal': 232173, 'the principal amount': 864462, 'principal amount on': 678223, 'amount on all': 53270, 'on all consumer': 599220, 'all consumer loan': 42433, 'consumer loan in': 198062, 'loan in the': 497463, '19 for one': 7072, 'one year and': 607522, 'year and to': 1014408, 'to service the': 914285, 'service the markup': 752933, 'the markup amount': 860201, 'markup amount during': 517949, 'amount during this': 53171, 'during this one': 263303, 'this one year': 889257, 'one year only': 607529, 'guy were': 369217, 'worse everything': 1010921, 'supermarket today the': 823469, 'today the guy': 920290, 'the guy were': 856965, 'guy were using': 369218, 'thermometer to check': 879548, 'to check for': 902682, 'check for fever': 174443, 'allowing entry to': 46284, 'entry to make': 279033, 'matter worse everything': 520670, 'worse everything wa': 1010922, 'out by panic': 625816, 'epipens': 279499, 'mri': 544437, 'stockpiled hand': 803844, 'sanitizer exactly': 734842, 'what pharma': 982027, 'pharma hospital': 654037, 'with insulin': 999024, 'insulin epipens': 440626, 'epipens mri': 279500, 'mri etc': 544438, 'etc exploiting': 282529, 'tremendous demand': 931217, 'scared this': 741017, 'what advocate': 981001, 'advocate of': 33843, 'of universal': 592646, 'healthcare have': 387134, 'always seen': 49739, 'gouging for testing': 359322, 'testing and stockpiled': 839442, 'and stockpiled hand': 72443, 'stockpiled hand sanitizer': 803845, 'hand sanitizer exactly': 375391, 'sanitizer exactly what': 734843, 'exactly what pharma': 288764, 'what pharma hospital': 982028, 'pharma hospital do': 654038, 'hospital do every': 404372, 'day with insulin': 228778, 'with insulin epipens': 999025, 'insulin epipens mri': 440627, 'epipens mri etc': 279501, 'mri etc exploiting': 544439, 'etc exploiting the': 282530, 'exploiting the tremendous': 292462, 'the tremendous demand': 869952, 'tremendous demand of': 931218, 'sick and scared': 768372, 'and scared this': 71050, 'scared this is': 741018, 'is what advocate': 453861, 'what advocate of': 981002, 'advocate of universal': 33844, 'of universal healthcare': 592647, 'universal healthcare have': 942364, 'healthcare have always': 387135, 'have always seen': 379228, 'marietta': 515708, 'cherokee': 175532, 'at heightened': 98879, 'heightened level': 388821, 'level marietta': 487618, 'marietta based': 515709, 'based must': 111656, 'must ministry': 546768, 'working virtually': 1009030, 'virtually around': 957832, 'those hungry': 892073, 'hungry in': 411269, 'in cobbcounty': 421530, 'cobbcounty and': 185162, 'and cherokee': 59810, 'is at heightened': 445863, 'at heightened level': 98880, 'heightened level marietta': 388822, 'level marietta based': 487619, 'marietta based must': 515710, 'based must ministry': 111657, 'must ministry is': 546769, 'ministry is working': 533535, 'is working virtually': 454054, 'working virtually around': 1009031, 'virtually around the': 957833, 'clock to try': 182421, 'of those hungry': 592092, 'those hungry in': 892074, 'hungry in cobbcounty': 411270, 'in cobbcounty and': 421531, 'cobbcounty and cherokee': 185163, 'hamm dismisses': 374568, 'dismisses personal': 246019, 'personal attack': 652791, 'attack against': 102078, 'on he': 601251, 'want higher': 965813, 'bad harold': 107881, 'harold free': 378487, 'market determine': 516288, 'determine price': 239438, 'if saudi': 414753, 'saudi want': 737315, 'sell cheap': 748664, 'benefit consumer': 126946, 'struggling harold': 814450, 'harold want': 378493, 'want welfare': 966169, 'harold hamm dismisses': 378490, 'hamm dismisses personal': 374569, 'dismisses personal attack': 246020, 'personal attack against': 652792, 'attack against the': 102079, 'against the oil': 37670, 'oil industry on': 596891, 'industry on he': 436027, 'on he want': 601252, 'he want higher': 385638, 'want higher price': 965815, 'higher price too': 395696, 'price too bad': 677086, 'too bad harold': 924598, 'bad harold free': 107882, 'harold free market': 378488, 'free market determine': 331951, 'market determine price': 516289, 'determine price and': 239439, 'and if saudi': 64947, 'if saudi want': 414754, 'saudi want to': 737316, 'to sell cheap': 914145, 'sell cheap oil': 748665, 'cheap oil that': 174162, 'oil that is': 597469, 'is great cause': 448193, 'great cause it': 362568, 'cause it benefit': 167620, 'it benefit consumer': 456845, 'benefit consumer who': 126947, 'are struggling harold': 90587, 'struggling harold want': 814451, 'harold want welfare': 378494, 'nagging': 551401, 'michigan grocery': 530343, 'worker tasked': 1007878, 'with serving': 1000647, 'serving customer': 753173, 'are raking': 89421, 'the overtime': 862793, 'overtime while': 631656, 'while facing': 986822, 'facing nagging': 295540, 'nagging question': 551402, 'job put': 466115, 'virus crosshairs': 958107, 'michigan grocery worker': 530344, 'grocery worker tasked': 366190, 'worker tasked with': 1007879, 'tasked with serving': 834742, 'with serving customer': 1000648, 'serving customer during': 753174, 'coronavirus pandemic are': 206436, 'pandemic are raking': 634949, 'are raking in': 89422, 'raking in the': 696220, 'in the overtime': 429429, 'the overtime while': 862794, 'overtime while facing': 631657, 'while facing nagging': 986823, 'facing nagging question': 295541, 'nagging question doe': 551403, 'question doe my': 693574, 'doe my job': 251461, 'my job put': 548927, 'job put me': 466116, 'the virus crosshairs': 870820, 'super tough': 818604, 'in experimental': 422730, 'experimental consumer': 291744, 'consumer hardware': 197700, 'hardware you': 378334, 'low margin': 505397, 'already new': 47529, 'most recently': 542688, 'recently supply': 704155, 'chain constraint': 170612, 'again it super': 37048, 'it super tough': 461355, 'super tough time': 818605, 'tough time to': 926866, 'be in experimental': 115402, 'in experimental consumer': 422731, 'experimental consumer hardware': 291745, 'consumer hardware you': 197701, 'hardware you re': 378335, 'with high cost': 998800, 'cost and low': 207862, 'and low margin': 66444, 'low margin already': 505398, 'margin already new': 515604, 'already new tariff': 47530, 'new tariff on': 559721, 'tariff on top': 834614, 'that and most': 842656, 'and most recently': 67276, 'most recently supply': 542689, 'recently supply chain': 704156, 'supply chain constraint': 824936, 'chain constraint with': 170613, 'constraint with covid': 195773, 'behind isn': 124648, 'isn keeping': 454582, 'keeping her': 472441, 'her distance': 391997, 'distance nzlockdown': 246778, 'the lady behind': 858906, 'lady behind isn': 478744, 'behind isn keeping': 124649, 'isn keeping her': 454583, 'keeping her distance': 472442, 'her distance nzlockdown': 391999, 'erectile': 280146, 'dysfunction': 263927, 'finding almost': 307433, 'anyone this': 80569, 'with erectile': 998247, 'erectile dysfunction': 280147, 'dysfunction this': 263928, 'advice consideration': 33344, 'pandemic eating': 635352, 'time finding almost': 896661, 'finding almost anything': 307434, 'almost anything for': 46553, 'anything for anyone': 80763, 'for anyone this': 319452, 'anyone this is': 80570, 'someone with erectile': 784785, 'with erectile dysfunction': 998248, 'erectile dysfunction this': 280148, 'dysfunction this is': 263929, 'blog for some': 132936, 'some tip and': 784062, 'and advice consideration': 57727, 'advice consideration in': 33345, 'the pandemic eating': 862954, 'pandemic eating disorder': 635353, 'darkest': 225996, 'the darkest': 852836, 'darkest economic': 225997, 'with frontline': 998571, 'frontline view': 338850, 'the darkest economic': 852837, 'darkest economic view': 225998, 'those with frontline': 892719, 'with frontline view': 998572, 'frontline view of': 338851, 'of the fallout': 591010, 'the fallout via': 854883, 'nda': 553391, 'both kerala': 135953, 'kerala govt': 473108, 'amp nda': 54164, 'nda govt': 553392, 'govt don': 361107, 'fight no': 304805, 'health test': 386899, 'no ppes': 565171, 'ppes ventilator': 668135, 'govt time': 361302, 'problem only': 679640, 'only poor': 610997, 'both kerala govt': 135954, 'kerala govt amp': 473109, 'govt amp nda': 361073, 'amp nda govt': 54165, 'nda govt don': 553393, 'govt don have': 361108, 'don have money': 253609, 'money to fight': 537097, 'to fight no': 905799, 'fight no health': 304806, 'no health test': 564407, 'health test kit': 386900, 'are available no': 84712, 'available no sanitizer': 104511, 'no sanitizer available': 565407, 'in market no': 425146, 'market no ppes': 516759, 'no ppes ventilator': 565172, 'ppes ventilator are': 668136, 'ventilator are available': 954535, 'are available but': 84706, 'available but will': 104275, 'but will give': 147878, 'will give the': 993533, 'give the govt': 350739, 'the govt time': 856676, 'govt time to': 361303, 'time to solve': 898070, 'to solve this': 914867, 'solve this problem': 782168, 'this problem only': 889726, 'problem only poor': 679641, 'only poor ppl': 610998, 'poor ppl will': 664269, 'ppl will suffer': 668381, 'also slashed': 48881, 'also slashed price': 48882, 'slashed price of': 773644, 'savlon sanitiser to': 738009, 'sanitiser to 27': 734034, 'royal philip': 726633, 'philip is': 654713, 'royal philip is': 726634, 'philip is ramping': 654714, 'man need': 512161, 'food delivery via': 314158, 'have sparked': 382671, 'sparked mass': 787582, 'world risk': 1009943, 'risk facing': 723529, 'facing looming': 295528, 'looming food': 503108, 'keep global': 471538, 'running find': 727956, 'gas detection': 343819, 'detection will': 239357, 'world have sparked': 1009628, 'have sparked mass': 382672, 'sparked mass panic': 787583, 'mass panic buying': 519825, 'the world risk': 871954, 'world risk facing': 1009944, 'risk facing looming': 723530, 'facing looming food': 295529, 'looming food crisis': 503109, 'food crisis unless': 314064, 'unless we take': 942661, 'we take urgent': 973488, 'urgent action to': 948314, 'action to keep': 30170, 'to keep global': 908794, 'keep global food': 471539, 'chain running find': 171066, 'running find out': 727957, 'out how gas': 626322, 'how gas detection': 407908, 'gas detection will': 343820, 'detection will be': 239358, '19 saudi': 10321, 'saudi business': 737248, 'stock and product': 801827, 'and product for': 69569, 'coronavid19 19 saudi': 205373, '19 saudi business': 10322, 'coastalfarm': 185129, 'cfrlife': 170363, 'hour dedicating': 405536, 'shopper if': 761552, 'have shopping': 382519, 'done outside': 254976, 'to coastalfarm': 902935, 'coastalfarm cfrlife': 185130, 'cfrlife farmlife': 170364, 'farmlife safety': 299673, 'safety 19': 730443, 'updated our store': 947421, 'store hour dedicating': 808194, 'hour dedicating time': 405537, 'dedicating time for': 231767, 'are vulnerable shopper': 91511, 'vulnerable shopper if': 961164, 'shopper if you': 761553, 'you have shopping': 1019111, 'have shopping to': 382521, 'be done outside': 114565, 'done outside of': 254977, 'of our store': 587572, 'store hour you': 808214, 'hour you can': 406119, 'can go online': 158506, 'online to coastalfarm': 609580, 'to coastalfarm cfrlife': 902936, 'coastalfarm cfrlife farmlife': 185131, 'cfrlife farmlife safety': 170365, 'farmlife safety 19': 299674, 'company much': 190893, 'needed support': 556511, 'govt effort': 361109, 'that some effort': 846386, 'some effort from': 782729, 'effort from the': 269517, 'from the fmcg': 337705, 'the fmcg company': 855474, 'fmcg company much': 311724, 'company much needed': 190894, 'much needed support': 545170, 'needed support to': 556512, 'support to govt': 826945, 'to govt effort': 906948, 'and tend': 73119, 'supermarket thus': 823336, 'thus further': 895513, 'further exposing': 342047, 'exposing ourselves': 292929, 'are sourcing': 90312, 'sourcing australian': 786610, 'australian product': 103530, 'product specifically': 681641, 'wife and tend': 991893, 'and tend to': 73120, 'tend to take': 837881, 'to take longer': 916196, 'take longer time': 832289, 'longer time in': 502093, 'the supermarket thus': 868859, 'supermarket thus further': 823337, 'thus further exposing': 895514, 'further exposing ourselves': 342048, 'exposing ourselves to': 292930, 'ourselves to covid': 625496, 'worth it because': 1011376, 'we are sourcing': 970719, 'are sourcing australian': 90313, 'sourcing australian product': 786611, 'australian product specifically': 103531, '705': 21949, '2621': 16209, 'backupdocs': 107612, 'buydocuments': 149542, 'buypassport': 151449, 'buyschooldiplomas': 151455, 'buyvaliddocuments': 151464, 'buybristispassport': 149535, 'buyfloridalicense': 149823, 'fakemoney': 296755, 'website registered': 975399, 'registered passport': 707656, 'passport id': 643460, 'id driving': 412943, 'license at': 488126, 'price whatsapp': 677476, 'whatsapp 727': 982875, '727 705': 22042, '705 2621': 21950, '2621 backupdocs': 16210, 'backupdocs buydocuments': 107613, 'buydocuments buypassport': 149543, 'buypassport buyschooldiplomas': 151450, 'buyschooldiplomas buyvaliddocuments': 151456, 'buyvaliddocuments buybristispassport': 151465, 'buybristispassport buyfloridalicense': 149536, 'buyfloridalicense fakemoney': 149824, 'website registered passport': 975400, 'registered passport id': 707657, 'passport id driving': 643461, 'id driving license': 412944, 'driving license at': 259969, 'license at affordable': 488127, 'affordable price whatsapp': 34890, 'price whatsapp 727': 677477, 'whatsapp 727 705': 982876, '727 705 2621': 22043, '705 2621 backupdocs': 21951, '2621 backupdocs buydocuments': 16211, 'backupdocs buydocuments buypassport': 107614, 'buydocuments buypassport buyschooldiplomas': 149544, 'buypassport buyschooldiplomas buyvaliddocuments': 151451, 'buyschooldiplomas buyvaliddocuments buybristispassport': 151457, 'buyvaliddocuments buybristispassport buyfloridalicense': 151466, 'buybristispassport buyfloridalicense fakemoney': 149537, 'morning hand': 541278, 'sanitiser sprayed': 734022, 'sprayed trolly': 790362, 'trolly glove': 932534, 'glove one': 352830, 'out system': 627290, 'system shelf': 831310, 'this morning hand': 888963, 'morning hand sanitiser': 541279, 'hand sanitiser sprayed': 375247, 'sanitiser sprayed trolly': 734023, 'sprayed trolly glove': 790363, 'trolly glove one': 932535, 'glove one in': 352831, 'one out system': 606811, 'out system shelf': 627291, 'system shelf were': 831311, 'fully stocked you': 341107, 'stocked you should': 803486, 'be very proud': 117982, 'from telling': 337557, 'telling price': 837254, 'community vodafone': 190198, 'vodafone tradingstandards': 959932, 'text from telling': 839897, 'from telling price': 337558, 'telling price will': 837255, 'will increase by': 993808, 'increase by here': 432706, 'we are treated': 970743, 'are treated by': 91193, 'treated by big': 930940, 'by big business': 151956, 'big business community': 129679, 'business community vodafone': 143556, 'community vodafone tradingstandards': 190199, 're sanitizing': 699420, 'sanitizing the': 736521, 'they re sanitizing': 883117, 're sanitizing the': 699421, 'sanitizing the cart': 736522, 'the cart at': 850442, 'cart at my': 165263, 'epoch': 279564, 'update france': 946969, 'france struggling': 331032, 'curb covid': 220550, 'spread download': 790514, 'the epoch': 854453, 'epoch time': 279565, 'time app': 896319, 'exclusive coronavirus': 289661, 'coronavirus live update': 206236, 'live update france': 496094, 'update france struggling': 946970, 'france struggling to': 331033, 'struggling to curb': 814499, 'to curb covid': 903798, 'curb covid 19': 220551, '19 spread download': 10743, 'spread download the': 790515, 'download the epoch': 257627, 'the epoch time': 854454, 'epoch time app': 279566, 'time app to': 896320, 'app to see': 81780, 'see our exclusive': 745525, 'our exclusive coronavirus': 622942, 'exclusive coronavirus coverage': 289662, 'coronavirus coverage and': 205718, 'coverage and daily': 212334, 'and daily update': 60915, 'the 15': 847895, 'min wa': 532583, 'if would': 415374, 'gym for': 369323, 'hour coronacrisisuk': 405503, 'came in contact': 157015, 'in the 15': 428942, 'the 15 min': 847896, '15 min wa': 3771, 'min wa in': 532584, 'supermarket than if': 823162, 'than if would': 840771, 'if would ve': 415375, 'been in gym': 121349, 'in gym for': 423492, 'gym for hour': 369324, 'for hour coronacrisisuk': 322391, 'ha established': 370513, 'established that': 282034, 'way different': 969550, 'is utter': 453646, 'utter racist': 951423, 'racist bullshit': 695309, 'wtf how ha': 1013289, 'how ha established': 407949, 'ha established that': 370514, 'established that maori': 282035, 'maori are in': 514918, 'are in any': 87355, 'any way different': 80035, 'way different when': 969551, 'different when come': 242133, 'when come to': 983263, 'come to covid19': 187565, 'to covid19 this': 903675, 'this is utter': 888452, 'is utter racist': 453647, 'utter racist bullshit': 951424, 'day struggling': 228425, 'our refrigerator': 624567, 'refrigerator before': 706806, 'waste am': 968063, 'last day struggling': 480185, 'day struggling to': 228426, 'empty our refrigerator': 274991, 'our refrigerator before': 624569, 'refrigerator before trip': 706807, 'to waste am': 918361, 'waste am speechless': 968064, 'am speechless quarantinelife': 50422, 'doctor should': 251104, 'for awareness': 319547, 'awareness programme': 105729, 'programme few': 683337, 'to disclose': 904351, 'disclose symptom': 244379, 'being ostracized': 125505, 'ostracized from': 619747, 'group of hospital': 366791, 'of hospital doctor': 584763, 'hospital doctor should': 404378, 'doctor should also': 251105, 'should also go': 765504, 'also go door': 48269, 'to door for': 904667, 'door for awareness': 255591, 'for awareness programme': 319548, 'awareness programme few': 105730, 'programme few of': 683338, 'few of are': 303958, 'of are afraid': 580339, 'afraid to disclose': 35021, 'to disclose symptom': 904352, 'disclose symptom in': 244380, 'symptom in public': 830860, 'public for fear': 688012, 'of being ostracized': 580654, 'being ostracized from': 125506, 'ostracized from other': 619748, 'from other member': 336731, 'been capped': 120800, 'price at which': 672818, 'which the retail': 986378, 'essential item ha': 281202, 'ha been capped': 369741, 'rancher who': 696551, 'legal workforce': 485907, 'security is national': 744656, 'is national security': 449826, 'security we must': 744788, 'must ensure our': 546641, 'ensure our farmer': 277998, 'and rancher who': 69929, 'rancher who continue': 696552, 'work hard through': 1005238, 'hard through the': 378025, 'outbreak to keep': 628760, 'food on grocery': 315594, 'store shelf on': 810090, 'shelf on our': 757378, 'our table have': 625067, 'table have access': 831473, 'access to legal': 28253, 'to legal workforce': 909177, 'vulnerable resident': 961143, 'resident community': 714276, 'the supermarket priority': 868762, 'supermarket priority shopping': 822064, 'for our elderly': 324233, 'and vulnerable resident': 75060, 'vulnerable resident community': 961144, 'getting bonus': 348875, 'working employment': 1008612, 'employment supermarket': 274649, 'staff are getting': 792190, 'are getting bonus': 86796, 'getting bonus for': 348876, 'for working employment': 327949, 'working employment supermarket': 1008613, 'sa largest': 728906, 'stockpiling good': 803972, 'good after': 356695, 'of force': 583861, 'force quarantine': 328488, 'sa largest food': 728907, 'retailer is asking': 719220, 'they need many': 882749, 'need many consumer': 555198, 'consumer are panic': 196302, 'and stockpiling good': 72455, 'stockpiling good after': 803973, 'good after fear': 356696, 'after fear of': 35653, 'fear of force': 301233, 'of force quarantine': 583863, 'force quarantine due': 328490, 'to global covid': 906740, 'sky sport': 773230, 'pause your': 644624, 'your subscription': 1026028, 'subscription free': 815891, 'charge you': 173352, 'can currently': 158034, 'by contacting': 152201, 'contacting their': 200350, 'centre though': 169552, 've said': 953514, 'system might': 831247, 'from friday': 335566, 'sky sport is': 773231, 'sport is allowing': 789937, 'is allowing you': 445491, 'to pause your': 911506, 'pause your subscription': 644625, 'your subscription free': 1026029, 'subscription free of': 815892, 'of charge you': 581291, 'charge you can': 173353, 'you can currently': 1017654, 'can currently only': 158036, 'currently only do': 221620, 'only do this': 610342, 'this by contacting': 886658, 'by contacting their': 152202, 'contacting their call': 200351, 'their call centre': 872706, 'call centre though': 155821, 'centre though they': 169553, 'they ve said': 883682, 've said that': 953515, 'said that an': 731394, 'that an online': 842647, 'an online system': 56639, 'online system might': 609515, 'system might be': 831248, 'place from friday': 657459, 'from friday 20': 335567, 'friday 20 march': 333184, 'sweep would': 830187, 'fucking applied': 339800, 'applied panicshopping': 82496, 'go on supermarket': 353895, 'supermarket sweep would': 823116, 'sweep would have': 830188, 'would have fucking': 1011876, 'have fucking applied': 380732, 'fucking applied panicshopping': 339801, 'applied panicshopping panicbuyinguk': 82497, 'serv': 751827, 'through march': 894566, 'program virtual': 683312, 'and cust': 60827, 'cust serv': 221942, 'serv via': 751828, 'text chat': 839882, 'are closed through': 85373, 'closed through march': 183390, 'through march 27': 894567, 'remains open and': 710041, 'open and home': 612060, 'and home try': 64685, 'on program virtual': 602968, 'program virtual try': 683313, 'tool and cust': 925389, 'and cust serv': 60828, 'cust serv via': 221943, 'serv via email': 751829, 'via email text': 955954, 'email text chat': 272321, 'text chat continues': 839883, 'must walk': 546983, 'anyone taking time': 80545, 'taking time off': 833627, 'time off work': 897390, 'work must walk': 1005479, 'must walk or': 546984, 'the testing center': 869331, 'testing center in': 839471, 'center in supermarket': 169236, 'formulary': 329733, 'stand elbow': 793515, 'elbow with': 270519, 'people possibly': 649159, 'possibly coughing': 665911, 'sneezing all': 776305, 'all waiting': 45382, 'medication if': 526656, 'interested can': 441444, 'you sample': 1020984, 'sample formulary': 733463, 'formulary with': 329734, 'during our collective': 262845, 'our collective fight': 622434, 'against 19 so': 37307, '19 so your': 10660, 'so your patient': 778859, 'your patient are': 1025233, 'patient are not': 644143, 'are not required': 88455, 'required to stand': 713408, 'to stand elbow': 915158, 'stand elbow to': 793516, 'to elbow with': 904965, 'elbow with sick': 270520, 'sick people possibly': 768581, 'people possibly coughing': 649160, 'possibly coughing and': 665912, 'and sneezing all': 71830, 'sneezing all waiting': 776306, 'all waiting to': 45383, 'up their medication': 946242, 'their medication if': 873938, 'medication if you': 526657, 're interested can': 698907, 'interested can send': 441445, 'send you sample': 749988, 'you sample formulary': 1020985, 'sample formulary with': 733464, 'formulary with price': 329735, 'yeay': 1015163, 'housingmarke': 407174, 'rental divert': 711225, 'divert unit': 248568, 'unit causing': 942048, 'the yeay': 872180, 'yeay lease': 1015164, 'lease rental': 484298, 'contract overall': 201687, 'rising consequence': 723180, 'downturn could': 257794, 'potentially lowering': 667229, 'lowering annual': 506095, 'annual rental': 77421, 'price housingmarke': 674582, 'rental divert unit': 711226, 'divert unit causing': 248569, 'unit causing the': 942049, 'causing the yeay': 168125, 'the yeay lease': 872181, 'yeay lease rental': 1015165, 'lease rental market': 484299, 'rental market to': 711244, 'market to contract': 517232, 'to contract overall': 903427, 'contract overall price': 201688, 'overall price rising': 631031, 'price rising consequence': 676254, 'rising consequence of': 723181, 'travel downturn could': 930341, 'downturn could be': 257795, 'could be surge': 208928, 'be surge in': 117476, 'in unit for': 430441, 'unit for traditional': 942060, 'rental potentially lowering': 711258, 'potentially lowering annual': 667230, 'lowering annual rental': 506096, 'annual rental price': 77422, 'rental price housingmarke': 711265, 'adorable kidsactivities': 32742, 'think these are': 885674, 'these are so': 879634, 'so adorable kidsactivities': 776465, 'adorable kidsactivities dfwparents': 32743, 'by milk': 153216, 'cut supermarket': 223559, 'demand largely': 235788, 'largely being': 479839, 'being met': 125428, 'met by': 529563, 'by existing': 152516, 'existing supplier': 290346, 'supplier with': 824644, 'few outlet': 303972, 'outlet for': 629040, 'for surplus': 326088, 'surplus that': 828505, 'into catering': 442453, 'catering coffee': 167259, 'to 30 of': 899671, '30 of uk': 17148, 'dairy farmer could': 224978, 'farmer could be': 299329, 'affected by milk': 34318, 'by milk price': 153217, 'milk price cut': 531780, 'price cut supermarket': 673378, 'cut supermarket demand': 223560, 'supermarket demand largely': 819945, 'demand largely being': 235789, 'largely being met': 479840, 'being met by': 125429, 'met by existing': 529564, 'by existing supplier': 152517, 'existing supplier with': 290347, 'supplier with few': 824645, 'with few outlet': 998421, 'few outlet for': 303973, 'outlet for surplus': 629041, 'for surplus that': 326089, 'surplus that wa': 828506, 'that wa going': 847284, 'wa going into': 962220, 'going into catering': 355231, 'into catering coffee': 442454, 'catering coffee shop': 167260, 'coffee shop now': 185534, 'shop now closed': 760515, 'laborparty': 478510, 'switzerland at': 830601, 'please johnson': 660127, 'johnson ffs': 466588, 'grow pair': 367055, 'pair govern': 634328, 'govern and': 359763, 'worker surely': 1007870, 'surely need': 827918, 'need priority': 555474, 'priority borisjohnson': 678526, 'borisjohnson 19': 135509, '19 conservative': 5938, 'conservative liberal': 194909, 'liberal laborparty': 488012, 'lockdown in switzerland': 499516, 'in switzerland at': 428770, 'switzerland at the': 830602, 'supermarket please johnson': 822017, 'please johnson ffs': 660128, 'johnson ffs grow': 466589, 'ffs grow pair': 304302, 'grow pair govern': 367056, 'pair govern and': 634329, 'govern and control': 359764, 'and control the': 60518, 'control the united': 202175, 'united kingdom in': 942184, 'kingdom in this': 475333, 'stop hoarding essential': 804727, 'hoarding essential worker': 399284, 'essential worker surely': 281855, 'worker surely need': 1007871, 'surely need priority': 827919, 'need priority borisjohnson': 555475, 'priority borisjohnson 19': 678527, 'borisjohnson 19 conservative': 135510, '19 conservative liberal': 5939, 'conservative liberal laborparty': 194910, 'perseverance': 652246, 'personnel cleaner': 653089, 'cleaner maintenance': 180796, 'their perseverance': 874274, 'perseverance and': 652247, 'and commitment': 60147, 'commitment we': 189015, 'store personnel cleaner': 809518, 'personnel cleaner maintenance': 653090, 'cleaner maintenance worker': 180797, 'maintenance worker truck': 509175, 'driver and warehouse': 259427, 'warehouse worker for': 966820, 'for their perseverance': 326858, 'their perseverance and': 874275, 'perseverance and commitment': 652248, 'and commitment we': 60148, 'commitment we are': 189016, 'incredibly grateful to': 433900, 'grateful to those': 362330, 'sacrifice to support': 729118, 'support the covid': 826865, 'assad': 96286, 'friday syria': 333286, 'syria daily': 831036, 'daily assad': 224499, 'assad regime': 96287, 'regime extends': 707353, 'extends curfew': 293245, 'curfew face': 220878, 'friday syria daily': 333287, 'syria daily assad': 831037, 'daily assad regime': 224500, 'assad regime extends': 96288, 'regime extends curfew': 707354, 'extends curfew face': 293246, 'curfew face shortage': 220879, 'raab': 695131, '0345': 899, 'show dominic': 766919, 'dominic raab': 253289, 'raab warns': 695132, 'expect change': 290613, 'week growing': 976290, 'growing crisis': 367150, 'crisis 92': 216970, '92 care': 23473, 'outbreak coronavirus': 628139, 'finance live': 306220, 'from 30am': 334271, '30am call': 17411, 'call 0345': 155679, '0345 60': 900, '60 60': 20867, '60 973': 20872, 'morning on the': 541390, 'on the show': 604362, 'the show dominic': 867112, 'show dominic raab': 766920, 'dominic raab warns': 253290, 'raab warns the': 695133, 'the public not': 864836, 'public not to': 688180, 'not to expect': 572150, 'to expect change': 905443, 'expect change to': 290614, 'change to lockdown': 172352, 'to lockdown this': 909409, 'lockdown this week': 500035, 'this week growing': 891218, 'week growing crisis': 976291, 'growing crisis 92': 367151, 'crisis 92 care': 216971, '92 care home': 23474, 'care home report': 164000, 'home report covid': 401972, '19 outbreak coronavirus': 9108, 'outbreak coronavirus your': 628140, 'coronavirus your question': 207117, 'question answered consumer': 693531, 'answered consumer finance': 78167, 'consumer finance live': 197481, 'finance live on': 306221, 'on from 30am': 601025, 'from 30am call': 334272, '30am call 0345': 17412, 'call 0345 60': 155680, '0345 60 60': 901, '60 60 973': 20868, 'very silly': 955541, 'silly teen': 769772, 'teen coughing': 836488, 'trend what': 931507, 'very silly teen': 955542, 'silly teen coughing': 769773, 'teen coughing on': 836489, 'store produce in': 809667, 'produce in new': 680317, 'in new social': 425829, 'medium trend what': 527337, 'trend what is': 931508, 'pay business': 644792, 'rate download': 697199, 'the myt': 861174, 'today app': 919245, 'store google': 807952, 'google play': 358182, 'play store': 659220, 'store myt': 809023, 'myt mytaxation': 551031, 'mytaxation mytbusiness': 551036, 'news for retail': 560441, 'leisure business that': 486141, 'business that pay': 144485, 'that pay business': 845670, 'pay business rate': 644793, 'business rate download': 144287, 'rate download the': 697200, 'download the myt': 257631, 'the myt app': 861175, 'app today app': 81783, 'today app store': 919246, 'app store google': 81765, 'store google play': 807953, 'google play store': 358183, 'play store myt': 659222, 'store myt mytaxation': 809024, 'myt mytaxation mytbusiness': 551032, 'us5': 948560, 'icymi price': 412903, 'canadian select': 160745, 'select oil': 747480, 'oil dropped': 596757, 'low last': 505376, 'week down': 976167, 'to us5': 917997, 'us5 43': 948561, '43 bbl': 18959, 'bbl we': 113181, 'industry pre': 436048, 'pre how': 669172, 'this crash': 887001, 'crash compare': 214957, 'icymi price for': 412904, 'price for western': 674077, 'for western canadian': 327786, 'western canadian select': 980600, 'canadian select oil': 160746, 'select oil dropped': 747481, 'oil dropped to': 596758, 'dropped to record': 260649, 'record low last': 705014, 'low last week': 505377, 'last week down': 480644, 'week down to': 976168, 'down to us5': 257386, 'to us5 43': 917998, 'us5 43 bbl': 948562, '43 bbl we': 18960, 'bbl we looked': 113182, 'the industry pre': 858185, 'industry pre how': 436049, 'pre how doe': 669173, 'doe this crash': 251631, 'this crash compare': 887002, '9bn on': 23979, 'total till': 926257, 'till sale': 896087, 'supermarket surging': 823073, '20 read': 13291, 'today top': 920386, 'top food': 925580, 'here foodnews': 392989, 'foodnews food': 318015, 'retail panicbuying': 718376, 'shopper spend an': 761703, 'an extra 9bn': 56008, 'extra 9bn on': 293448, '9bn on grocery': 23980, 'last four week': 480243, 'four week amid': 330698, 'week amid panic': 975893, 'buying with total': 151380, 'with total till': 1001823, 'total till sale': 926258, 'till sale at': 896088, 'sale at supermarket': 732092, 'at supermarket surging': 100775, 'supermarket surging to': 823074, 'surging to 20': 828444, 'to 20 read': 899581, '20 read more': 13292, 'read more of': 700447, 'more of today': 539891, 'of today top': 592240, 'today top food': 920387, 'top food industry': 925581, 'industry news and': 436006, 'news and catch': 560225, 'and catch up': 59624, 'catch up here': 167050, 'up here foodnews': 945075, 'here foodnews food': 392990, 'foodnews food retail': 318017, 'food retail panicbuying': 316209, 'egypt fuel': 270105, 'fuel automatic': 340124, 'automatic pricing': 103982, 'pricing committee': 677924, 'committee decided': 189058, 'decided friday': 230864, 'price slightly': 676469, 'le 25': 482817, 'liter following': 494919, 'the exceptional': 854672, 'exceptional circumstance': 289294, 'circumstance that': 178750, 'been witnessing': 122388, 'witnessing result': 1003176, 'emerging covid': 273103, 'egypt fuel automatic': 270106, 'fuel automatic pricing': 340125, 'automatic pricing committee': 103983, 'pricing committee decided': 677925, 'committee decided friday': 189059, 'decided friday to': 230865, 'friday to decrease': 333306, 'to decrease the': 904037, 'decrease the fuel': 231610, 'fuel price slightly': 340252, 'price slightly by': 676470, 'slightly by le': 773943, 'by le 25': 153032, 'le 25 per': 482818, '25 per liter': 15945, 'per liter following': 650916, 'liter following the': 494920, 'following the exceptional': 312883, 'the exceptional circumstance': 854673, 'exceptional circumstance that': 289296, 'circumstance that the': 178751, 'that the global': 846735, 'oil market ha': 596948, 'ha been witnessing': 369988, 'been witnessing result': 122389, 'witnessing result of': 1003177, 'of the emerging': 590980, 'the emerging covid': 854238, 'emerging covid 19': 273104, 'trop': 932561, 'raysup': 698049, 'collected thursday': 186378, 'thursday saturday': 895416, 'the trop': 870017, 'trop include': 932562, 'include include': 431579, 'glove safety': 352893, 'goggles tear': 354947, 'tear away': 835934, 'away gown': 105931, 'gown hand': 361382, 'wipe water': 996416, 'item raysup': 463600, 'raysup ray': 698050, 'ray ray': 698033, 'ray medical': 698028, 'item being collected': 463158, 'being collected thursday': 124969, 'collected thursday saturday': 186379, 'thursday saturday at': 895417, 'at the trop': 101131, 'the trop include': 870018, 'trop include include': 932563, 'include include mask': 431580, 'include mask face': 431592, 'face shield glove': 294741, 'shield glove safety': 758157, 'glove safety glass': 352894, 'glass and goggles': 351597, 'and goggles tear': 63800, 'goggles tear away': 354948, 'tear away gown': 835935, 'away gown hand': 105932, 'gown hand sanitizer': 361383, 'sanitizer wipe water': 736126, 'wipe water and': 996417, 'water and non': 968870, 'food item raysup': 315227, 'item raysup ray': 463601, 'raysup ray ray': 698051, 'ray ray medical': 698034, 'progressing': 683391, 'is progressing': 451080, 'progressing what': 683394, 'what find': 981454, 'find stressful': 307254, 'cause anxiety': 167496, 'and sparse': 72049, 'sparse shelf': 787625, 'it is progressing': 459046, 'is progressing what': 451082, 'progressing what find': 683395, 'what find stressful': 981455, 'find stressful and': 307255, 'stressful and cause': 813480, 'and cause anxiety': 59636, 'cause anxiety is': 167497, 'anxiety is going': 78734, 'and seeing empty': 71159, 'seeing empty and': 746283, 'empty and sparse': 274775, 'and sparse shelf': 72050, 'sparse shelf do': 787626, 'shelf do people': 756988, 'well folk': 978242, 'just beyond': 468333, 'police there': 663242, 'even walk': 284762, 'walking smart': 965102, 'well folk this': 978243, 'is just beyond': 449122, 'just beyond stupid': 468334, 'stupid why aren': 815501, 'why aren the': 990804, 'aren the police': 92555, 'the police there': 863932, 'police there immediately': 663243, 'not even walk': 569286, 'even walk down': 284763, 'walk down the': 964766, 'aisle of grocery': 40327, 'store with two': 811409, 'with two people': 1001871, 'two people walking': 937140, 'people walking smart': 650134, 'prompted surge': 683943, 'shopping increasing': 763010, 'increasing 193': 433544, '193 since': 12342, 'outbreak ha prompted': 628273, 'ha prompted surge': 371556, 'prompted surge in': 683944, 'grocery shopping increasing': 365041, 'shopping increasing 193': 763011, 'increasing 193 since': 433545, '193 since august': 12343, 'since august 2019': 770515, 'gc trying': 344812, 'potential ei': 667060, 'ei for': 270156, 'diabetes doe': 240175, 'doe his': 251412, 'his increased': 397533, 'of complication': 581635, '19 qualify': 9902, 'qualify him': 691731, 'quit not': 694801, 'and claim': 59909, 'claim ei': 179730, 'ei fairly': 270154, 'fairly urgent': 296448, 'gc trying to': 344813, 'to find info': 905911, 'find info about': 306977, 'info about potential': 437407, 'about potential ei': 25978, 'potential ei for': 667061, 'ei for someone': 270157, 'worker with type': 1008268, 'with type diabetes': 1001877, 'type diabetes doe': 937521, 'diabetes doe his': 240176, 'doe his increased': 251413, 'his increased risk': 397534, 'risk of complication': 723734, 'of complication if': 581636, 'complication if he': 192491, 'he contract covid': 384848, 'covid 19 qualify': 213641, '19 qualify him': 9903, 'qualify him to': 691732, 'him to quit': 396748, 'to quit not': 912693, 'quit not work': 694802, 'not work and': 572527, 'work and claim': 1004767, 'and claim ei': 59910, 'claim ei fairly': 179731, 'ei fairly urgent': 270155, 'fairly urgent situation': 296449, 'psychopath': 687585, 'people showed': 649461, 'texas this': 839845, 'week nearly': 976554, 'nearly 17': 553759, '00 have': 241, 'week thousand': 977054, 'unit fighting': 942055, 'life nearly': 488897, 'this psychopath': 889750, 'psychopath is': 687586, 'is bragging': 446254, 'market shameful': 517045, '00 people showed': 417, 'people showed up': 649462, 'showed up at': 767355, 'in texas this': 428895, 'texas this week': 839846, 'this week nearly': 891235, 'week nearly 17': 976555, 'nearly 17 00': 553760, '17 00 have': 4298, '00 have died': 242, 'last week thousand': 480684, 'week thousand in': 977055, 'thousand in intensive': 893402, 'care unit fighting': 164245, 'unit fighting for': 942056, 'fighting for their': 305083, 'their life nearly': 873839, 'life nearly 17': 488898, 'nearly 17 million': 553761, '17 million american': 4363, 'million american have': 532054, 'american have filed': 52021, 'for unemployment benefit': 327430, 'unemployment benefit and': 941170, 'benefit and this': 126923, 'and this psychopath': 74007, 'this psychopath is': 889751, 'psychopath is bragging': 687587, 'is bragging about': 446255, 'bragging about the': 137564, 'stock market shameful': 802433, 'delivery rationing': 234384, 'seems sensible': 746844, 'sensible you': 750673, 'how feeble': 407854, 'feeble we': 302261, 'll eat': 496729, 'plan for supplying': 658125, 'for supplying food': 326063, 'supplying food the': 826287, 'food the panic': 317127, 'crazy and the': 215249, 'slot for delivery': 774177, 'for delivery rationing': 320644, 'delivery rationing seems': 234385, 'rationing seems sensible': 697867, 'seems sensible you': 746845, 'sensible you cannot': 750674, 'suggest how feeble': 817514, 'how feeble we': 407855, 'feeble we self': 302262, 'we self isolate': 973189, 'we ll eat': 972246, 'teaching to': 835562, 'is teaching to': 452587, 'teaching to stop': 835563, 'touching what': 926748, 'handled 2ft': 376295, '2ft away': 16602, 'one everyday': 606252, 'everyday hr': 286573, 'minimum aren': 533174, 'clerk are touching': 181659, 'are touching what': 91164, 'touching what everyone': 926749, 'everyone else ha': 286857, 'else ha handled': 271712, 'ha handled 2ft': 370816, 'handled 2ft away': 376296, '2ft away from': 16603, 'away from every': 105878, 'from every one': 335323, 'every one everyday': 286048, 'one everyday hr': 606253, 'everyday hr minimum': 286574, 'hr minimum aren': 409643, 'minimum aren dropping': 533175, 'fly from why': 311613, 'kid of': 474059, 'of keyworkers': 585619, 'keyworkers social': 473604, 'health security': 386839, 'security worker': 744800, 'teacher for kid': 835464, 'for kid of': 322844, 'kid of keyworkers': 474061, 'of keyworkers social': 585620, 'keyworkers social worker': 473605, 'social worker utility': 780024, 'just health security': 468951, 'health security worker': 386840, 'meatlover': 525818, 'foodblogger': 317864, 'freshmeat': 333141, 'thereisonlyone': 879480, 'tariqhalal': 834631, 'the mondaymotivation': 860802, 'mondaymotivation that': 536477, 'need remember': 555514, 'stayhomesavelives shop': 798442, 'via meat': 956075, 'meat meatlover': 525655, 'meatlover food': 525819, 'foodie foodblogger': 317953, 'foodblogger freshmeat': 317865, 'freshmeat thereisonlyone': 333142, 'thereisonlyone tariqhalal': 879481, 'the mondaymotivation that': 860803, 'mondaymotivation that we': 536478, 'all need remember': 43604, 'need remember to': 555515, 'remember to stayhomesavelives': 710386, 'to stayhomesavelives shop': 915347, 'stayhomesavelives shop online': 798443, 'shop online via': 760593, 'online via meat': 609675, 'via meat meatlover': 956076, 'meat meatlover food': 525656, 'meatlover food foodie': 525820, 'food foodie foodblogger': 314489, 'foodie foodblogger freshmeat': 317954, 'foodblogger freshmeat thereisonlyone': 317866, 'freshmeat thereisonlyone tariqhalal': 333143, 'azz': 106440, 'apocolypse2020': 81611, 'whenthisisallover going': 984696, 'preppers bet': 670399, 'shower to': 767395, 'my azz': 547363, 'azz toiletpaper': 106441, 'bidet apocolypse2020': 129550, 'whenthisisallover going to': 984697, 'going to join': 355632, 'join the doomsday': 466856, 'doomsday preppers bet': 255475, 'preppers bet they': 670400, 'bet they have': 128115, 'paper when have': 641082, 'have to jump': 383233, 'the shower to': 867119, 'shower to wash': 767396, 'wash my azz': 967522, 'my azz toiletpaper': 547364, 'azz toiletpaper bidet': 106442, 'toiletpaper bidet apocolypse2020': 921808, 'plesse': 661014, 'hawker': 384471, 'plesse take': 661015, 'poor hawker': 664192, 'hawker daily': 384472, 'wager old': 964012, 'please provide': 660337, 'need feed': 554768, 'feed others': 302349, 'plesse take care': 661016, 'care of poor': 164116, 'of poor hawker': 588221, 'poor hawker daily': 664193, 'hawker daily wager': 384473, 'daily wager old': 224878, 'wager old people': 964013, 'old people around': 598411, 'people around your': 647149, 'around your area': 93669, 'your area for': 1022818, 'area for next': 92016, 'for next 21': 323851, 'day and more': 227271, 'more please provide': 540083, 'please provide them': 660338, 'provide them food': 686515, 'them food and': 875698, 'other necessary item': 620563, 'necessary item please': 554014, 'item please dont': 463572, 'please dont stock': 659938, 'dont stock more': 255289, 'stock more than': 802482, 'you need feed': 1019989, 'need feed others': 554769, 'it wa trump': 462216, 'dominoeffect': 253312, 'for inhumane': 322588, 'inhumane practice': 438493, 'practice still': 668669, 'still this': 801304, 'just prof': 469498, 'prof how': 682350, 'it dominoeffect': 457654, 'dominoeffect impacting': 253313, 'impacting all': 418177, 'not buy any': 568646, 'buy any of': 148351, 'any of smithfield': 79536, 'of smithfield meat': 589789, 'smithfield meat because': 775825, 'meat because they': 525497, 'they are known': 881321, 'known for inhumane': 477217, 'for inhumane practice': 322589, 'inhumane practice still': 438494, 'practice still this': 668670, 'still this just': 801306, 'this just prof': 888556, 'just prof how': 469499, 'prof how essential': 682351, 'how essential worker': 407810, 'contracting the once': 201791, 'the once they': 862183, 'once they do': 605742, 'they do it': 881965, 'do it dominoeffect': 249473, 'it dominoeffect impacting': 457655, 'dominoeffect impacting all': 253314, 'impacting all from': 418178, 'definitely something': 232393, 'something could': 784876, 'could work': 209833, 'with organization': 999942, 'now dairy': 574494, 'fall during': 296897, 'crisis cbc': 217199, 'this is definitely': 888228, 'is definitely something': 447089, 'definitely something could': 232394, 'something could work': 784877, 'could work with': 209834, 'work with organization': 1006039, 'with organization like': 999943, 'organization like to': 619399, 'like to prevent': 491613, 'prevent this sure': 671749, 'this sure no': 890444, 'see food waste': 745124, 'food waste especially': 317477, 'waste especially now': 968110, 'especially now dairy': 280558, 'now dairy farmer': 574495, 'dump milk demand': 262171, 'milk demand fall': 531634, 'demand fall during': 235319, 'fall during covid': 296898, '19 crisis cbc': 6223, 'crisis cbc news': 217200, 'foil': 312036, 'givecovid19thefinger': 350927, 'supermarket touchscreen': 823523, 'touchscreen solution': 926778, 'solution aluminium': 781988, 'aluminium foil': 49424, 'foil it': 312037, 'work one': 1005547, 'one use': 607330, 'and recyclable': 70076, 'recyclable still': 705525, 'still wash': 801389, 'hand though': 375852, 'though givecovid19thefinger': 892816, '19 supermarket touchscreen': 10960, 'supermarket touchscreen solution': 823524, 'touchscreen solution aluminium': 926779, 'solution aluminium foil': 781989, 'aluminium foil it': 49425, 'foil it work': 312038, 'it work one': 462506, 'work one use': 1005548, 'one use and': 607331, 'use and recyclable': 949045, 'and recyclable still': 70077, 'recyclable still wash': 705526, 'still wash your': 801390, 'your hand though': 1024232, 'hand though givecovid19thefinger': 375853, 'is sahm': 451634, 'sahm homeschooling': 730933, 'homeschooling dad': 402939, 'immunocompromised kidney': 417469, 'transplant wishlist': 929860, 'wishlist venmo': 996890, 'card diaper': 163511, 'diaper size': 240365, 'size baby': 772765, 'mom is sahm': 535757, 'is sahm homeschooling': 451635, 'sahm homeschooling dad': 730934, 'homeschooling dad is': 402940, 'is immunocompromised kidney': 448684, 'immunocompromised kidney transplant': 417470, 'kidney transplant wishlist': 474247, 'transplant wishlist venmo': 929861, 'wishlist venmo grocery': 996891, 'gift card diaper': 349940, 'card diaper size': 163512, 'diaper size baby': 240366, 'size baby wipe': 772766, 'abili': 24374, 'bank being': 109680, 'real tragedy': 701427, 'on needing': 602360, 'reopen the': 711366, 'economy one': 268129, 'one abili': 605851, 'story like this': 812033, 'this and others': 886341, 'and others about': 68434, 'others about food': 621236, 'about food bank': 25251, 'food bank being': 313528, 'bank being overwhelmed': 109681, 'being overwhelmed the': 125521, 'overwhelmed the real': 631730, 'the real tragedy': 865242, 'real tragedy of': 701428, 'tragedy of our': 929179, '19 response my': 10156, 'response my comment': 715756, 'my comment on': 547754, 'comment on needing': 188437, 'on needing to': 602361, 'needing to reopen': 556636, 'to reopen the': 913242, 'reopen the economy': 711367, 'the economy have': 853978, 'economy have little': 267931, 'stock market the': 802443, 'market the market': 517190, 'market are not': 516027, 'the economy one': 854004, 'economy one abili': 268130, 'god have': 354730, 'have box': 379834, 'trump steak': 933866, '19 thank god': 11135, 'thank god have': 841580, 'god have box': 354731, 'have box of': 379835, 'box of trump': 137132, 'of trump steak': 592478, 'trump steak in': 933867, 'steak in my': 799158, 'in my chest': 425550, 'my chest freezer': 547672, 'can info': 158747, 'of job will': 585539, 'job will result': 466296, 'result in people': 717546, 'in people having': 426590, 'having to choose': 384336, 'between paying the': 128851, 'paying the bill': 645495, 'the bill and': 849690, 'need support they': 555690, 'support they are': 826916, 'you can info': 1017703, 'can info at': 158748, 'force issued': 328416, 'buy medication': 148954, 'reach deadly': 699906, 'deadly apex': 229249, 'task force issued': 834688, 'force issued warning': 328417, 'issued warning against': 456109, 'warning against going': 967077, 'against going out': 37471, 'going out even': 355368, 'out even to': 626023, 'even to buy': 284732, 'to buy medication': 902269, 'buy medication or': 148955, 'medication or grocery': 526665, 'or grocery the': 615529, 'grocery the pandemic': 366032, 'pandemic is seen': 635794, 'is seen to': 451733, 'seen to reach': 747325, 'to reach deadly': 912794, 'reach deadly apex': 699907, 'getting supermarket': 349320, 'slot thank': 774270, 'time enabling': 896615, 'enabling to': 275479, 'great news if': 362842, 'you are struggling': 1017246, 'struggling with getting': 814535, 'with getting supermarket': 998611, 'getting supermarket delivery': 349321, 'delivery slot thank': 234540, 'slot thank you': 774271, 'everyone helping get': 287005, 'helping get food': 391339, 'get food out': 347058, 'food out at': 315709, 'difficult time enabling': 242284, 'time enabling to': 896616, 'weekly economic': 977487, 'reaction weekly': 700227, 'weekly economic update': 977488, 'economic update in': 267354, 'update in this': 947034, 'in reaction weekly': 427281, 'reaction weekly economic': 700228, 'apparel news': 81866, 'apparel news covid': 81867, 'crosscontamination': 219046, 'added layer': 31576, 'only practical': 611010, 'practical piece': 668473, 'ppe but': 667927, 'also solution': 48890, 'to crosscontamination': 903764, 'crosscontamination call': 219047, 'rise of mean': 722948, 'of mean more': 586364, 'mean more and': 524552, 'will look to': 994044, 'look to face': 502630, 'to face mask': 905568, 'mask for an': 518670, 'for an added': 319266, 'an added layer': 55100, 'added layer of': 31577, 'of protection the': 588556, 'protection the face': 685646, 'not only practical': 570818, 'only practical piece': 611011, 'practical piece of': 668474, 'of ppe but': 588315, 'ppe but also': 667928, 'but also solution': 145143, 'also solution to': 48891, 'solution to crosscontamination': 782094, 'to crosscontamination call': 903765, 'crosscontamination call for': 219048, 'call for availability': 155853, 'for availability and': 319539, '19 closure 2020': 5856, 'closure 2020 03': 183821, '2020 03 18': 14081, 'actually learn': 30868, 'stock produce': 802768, 'produce that': 680450, 'and fill': 62844, 'this rather': 889807, 'than produce': 841046, 'nobody buy': 565979, 'major food store': 509342, 'store should actually': 810156, 'should actually learn': 765473, 'actually learn from': 30869, 'learn from their': 483972, 'from their customer': 337937, 'customer and actually': 222066, 'and actually stock': 57656, 'actually stock produce': 30968, 'stock produce that': 802769, 'produce that people': 680452, 'that people use': 845708, 'people use and': 650064, 'use and fill': 949041, 'and fill up': 62846, 'fill up the': 305516, 'up the shelf': 946213, 'shelf with this': 757821, 'with this rather': 1001721, 'this rather than': 889808, 'rather than produce': 697541, 'than produce that': 841047, 'produce that nobody': 680451, 'that nobody buy': 845366, 'nobody buy even': 565980, 'of crisis coronacrisis': 582155, 'will afford': 992217, 'afford their': 34775, '19 is leaving': 8001, 'is leaving people': 449264, 'leaving people without': 485124, 'people without job': 650493, 'without job and': 1002744, 'job and wondering': 465647, 'and wondering how': 75828, 'they will afford': 883826, 'will afford their': 992218, 'afford their next': 34776, 'their next meal': 874056, 'simply rely': 770270, 'to civil': 902778, 'society amp': 781150, 'we cannot simply': 971081, 'cannot simply rely': 162098, 'simply rely on': 770271, 'rely on government': 709641, 'government to get': 360718, 'through this it': 894825, 'this it is': 888520, 'down to all': 257360, 'all of to': 43722, 'of to business': 592207, 'to business amp': 902128, 'business amp employer': 143279, 'amp employer to': 53719, 'employer to civil': 274548, 'to civil society': 902780, 'civil society amp': 179551, 'society amp to': 781151, 'amp to individual': 54712, 'remediate': 710140, 'and remediate': 70216, 'remediate nursing': 710141, 'home building': 400823, 'etc across': 282390, 'like to pay': 491610, 'tirelessly to thoroughly': 899093, 'thoroughly clean and': 891757, 'clean and remediate': 180464, 'and remediate nursing': 70217, 'remediate nursing home': 710142, 'nursing home building': 577612, 'home building etc': 400824, 'building etc across': 142078, 'etc across the': 282391, 'country to help': 211164, 'like giving': 490311, 'run though': 727835, 'though during': 892805, 'during which': 263409, 'which ll': 986116, 'll pretend': 496958, 'pretend everything': 671313, 'feel like giving': 302715, 'like giving up': 490312, 'giving up and': 351445, 'up and going': 944329, 'to bed after': 901690, 'bed after run': 120374, 'after run though': 36134, 'run though during': 727836, 'though during which': 892806, 'during which ll': 263410, 'which ll pretend': 986117, 'll pretend everything': 496959, 'pretend everything going': 671314, 'work out stophoarding': 1005583, 'out stophoarding panicbuyinguk': 627261, 'availabe': 104122, 'helpmedicos': 391606, 'onemancanmakeadifference': 607555, 'sir mask': 771602, 'not availabe': 568294, 'availabe in': 104123, 'staff kindly': 792606, 'matter helpmedicos': 520567, 'helpmedicos onemancanmakeadifference': 391607, 'sir mask and': 771603, 'and sanitizer are': 70858, 'are not availabe': 88328, 'not availabe in': 568295, 'availabe in our': 104124, 'in our hospital': 426303, 'our hospital for': 623467, 'hospital for hospital': 404410, 'hospital staff kindly': 404638, 'staff kindly look': 792607, 'the matter helpmedicos': 860297, 'matter helpmedicos onemancanmakeadifference': 520568, 'it nh': 459797, 'nh sainsburys': 562054, 'sainsburys food': 731758, 'cut it nh': 223406, 'it nh sainsburys': 459798, 'nh sainsburys food': 562055, 'sainsburys food nhsworkers': 731759, 'food regard': 316145, 'regard central': 707131, 'republic hantavirus': 713007, 'hantavirus lockdownnow': 377036, 'enough food regard': 277408, 'food regard central': 316146, 'regard central african': 707132, 'african republic hantavirus': 35220, 'republic hantavirus lockdownnow': 713008, 'ha grocery': 370772, 'experiencing whopping': 291721, 'whopping growth': 990600, 'growth now': 367426, 'retail delivery': 718025, 'is employing': 447476, 'employing 300': 274567, 'demand supermarket': 236288, 'supermarket startup': 822927, 'startup delivery': 795096, 'stayhome technology': 798199, 'technology foodtech': 836299, 'ha grocery delivery': 370773, 'service experiencing whopping': 752356, 'experiencing whopping growth': 291722, 'whopping growth now': 990601, 'growth now retail': 367427, 'now retail delivery': 575699, 'retail delivery company': 718026, 'delivery company is': 233815, 'company is employing': 190799, 'is employing 300': 447477, 'employing 300 00': 274568, 'with demand supermarket': 997991, 'demand supermarket startup': 236289, 'supermarket startup delivery': 822928, 'startup delivery stayhome': 795097, 'delivery stayhome technology': 234574, 'stayhome technology foodtech': 798200, 'wuhanflu': 1013556, 'via kill': 956047, 'under one': 940184, 'one second': 606997, 'second watch': 743860, 'possibly save': 665951, 'life old': 488930, 'old technology': 598491, 'technology new': 836336, 'new purpose': 559379, 'purpose wuhanflu': 690162, 'wuhanflu chineseflu': 1013557, 'chineseflu virus': 177417, 'virus ellendegeneres': 958153, 'ellendegeneres who': 271554, 'who sanitizer': 989554, 'via kill the': 956048, 'virus in under': 958334, 'in under one': 430415, 'under one second': 940185, 'one second watch': 606998, 'second watch this': 743861, 'watch this and': 968569, 'this and possibly': 886343, 'and possibly save': 69224, 'possibly save your': 665952, 'your life old': 1024642, 'life old technology': 488931, 'old technology new': 598492, 'technology new purpose': 836337, 'new purpose wuhanflu': 559380, 'purpose wuhanflu chineseflu': 690163, 'wuhanflu chineseflu virus': 1013558, 'chineseflu virus ellendegeneres': 177418, 'virus ellendegeneres who': 958154, 'ellendegeneres who sanitizer': 271555, 'deliver ask': 233091, 'yourself is': 1026649, 'brother could': 141047, 'shopping online stay': 763488, 'online stay away': 609424, 'it is breeding': 458891, 'ground for covid': 366496, '19 shop online': 10477, 'online or get': 608655, 'or get people': 615433, 'people to deliver': 649892, 'to deliver ask': 904090, 'deliver ask yourself': 233092, 'ask yourself is': 95692, 'yourself is that': 1026650, 'is that loaf': 452662, 'of bread worth': 580852, 'your life that': 1024646, 'life that is': 489096, 'how my brother': 408392, 'my brother could': 547555, 'brother could of': 141048, 'of got it': 584255, 'to disagree': 904337, 'disagree on': 244013, 'gym other': 369344, 'small gym': 774979, 'gym big': 369301, 'big population': 129929, 'population for': 664681, 'many it': 514212, 'physical mental': 655435, 'mental life': 528657, 'saver where': 737820, 'pub aren': 687671, 'aren argue': 92331, 'that gym': 844101, 'gym at': 369299, 'moment are': 535879, 'are quieter': 89400, 'quieter than': 694716, 'cleaner coronacrisis': 180768, 'inclined to disagree': 431493, 'to disagree on': 904338, 'disagree on gym': 244014, 'on gym other': 601216, 'gym other than': 369345, 'other than in': 621070, 'than in area': 840775, 'in area with': 420490, 'area with small': 92285, 'with small gym': 1000768, 'small gym big': 774980, 'gym big population': 369302, 'big population for': 129930, 'population for many': 664682, 'for many it': 323223, 'many it physical': 514213, 'it physical mental': 460323, 'physical mental life': 655436, 'mental life saver': 528658, 'life saver where': 489009, 'saver where pub': 737821, 'where pub aren': 985140, 'pub aren argue': 687672, 'aren argue that': 92332, 'argue that gym': 92695, 'that gym at': 844102, 'gym at the': 369300, 'the moment are': 860742, 'moment are quieter': 535880, 'are quieter than': 89401, 'quieter than any': 694717, 'uk and cleaner': 938167, 'and cleaner coronacrisis': 59940, 'message don': 529296, 'be bitch': 113864, 'some merchant': 783284, 'merchant just': 529028, 'being bitch': 124893, 'somehow the message': 784337, 'the message don': 860516, 'message don be': 529297, 'don be bitch': 253354, 'be bitch in': 113865, 'bitch in this': 131758, 'on some merchant': 603563, 'some merchant just': 783285, 'merchant just say': 529029, 're being bitch': 698355, 'exchanged': 289502, 'to grade': 906974, 'grade econ': 361641, 'econ covid': 266926, 'had disrupted': 373039, 'commercial client': 188680, 'client meaning': 182066, 'meaning supply': 524834, 'supply once': 825666, 'once easily': 605625, 'easily met': 265228, 'by normal': 153352, 'day commercial': 227465, 'commercial demand': 188692, 'could no': 209427, 'be easily': 114627, 'easily exchanged': 265202, 'according to grade': 28548, 'to grade econ': 906975, 'grade econ covid': 361642, 'econ covid 19': 266927, '19 had disrupted': 7410, 'had disrupted supply': 373040, 'disrupted supply line': 246412, 'supply line to': 825512, 'line to commercial': 493483, 'to commercial client': 903074, 'commercial client meaning': 188681, 'client meaning supply': 182067, 'meaning supply once': 524835, 'supply once easily': 825667, 'once easily met': 605626, 'easily met by': 265229, 'met by normal': 529565, 'by normal day': 153353, 'normal day commercial': 567129, 'day commercial demand': 227466, 'commercial demand could': 188693, 'demand could no': 235177, 'could no longer': 209428, 'longer be easily': 501937, 'be easily exchanged': 114628, 'cdl': 168645, 'fmcsa': 311749, '1938': 12354, 'truckdrivers': 932886, 'pandemicresponseteam': 637133, 'truckersofamerica': 932975, 'for cdl': 319978, 'cdl driver': 168646, 'driver is': 259621, 'high fmcsa': 395086, 'fmcsa suspended': 311750, 'suspended safety': 829629, 'place since': 657683, 'since 1938': 770421, '1938 to': 12355, 'help move': 390114, 'water good': 969012, 'pandemic truckdrivers': 636844, 'truckdrivers pandemicresponseteam': 932887, 'pandemicresponseteam truckersofamerica': 637134, 'truckersofamerica trucking': 932976, 'demand for cdl': 235389, 'for cdl driver': 319979, 'cdl driver is': 168647, 'driver is high': 259622, 'is high fmcsa': 448444, 'high fmcsa suspended': 395087, 'fmcsa suspended safety': 311751, 'suspended safety law': 829630, 'safety law that': 730607, 'law that ha': 482410, 'in place since': 426761, 'place since 1938': 657684, 'since 1938 to': 770422, '1938 to help': 12356, 'to help move': 907567, 'help move supply': 390115, 'move supply food': 543733, 'food water good': 317509, 'water good during': 969013, 'the pandemic truckdrivers': 863137, 'pandemic truckdrivers pandemicresponseteam': 636845, 'truckdrivers pandemicresponseteam truckersofamerica': 932888, 'pandemicresponseteam truckersofamerica trucking': 637135, 'tob': 919070, 'toboffers': 919100, 'theoffersbaba': 877818, 'offeraisafreejaisa': 594900, 'home cleaning': 400901, 'cleaning starting': 181068, 'at valid': 101421, 'valid till': 951919, 'till stock': 896093, 'last apply': 480111, 'detail shop': 239247, 'shop click': 760038, 'click tob': 181964, 'tob toboffers': 919071, 'toboffers theoffersbaba': 919101, 'theoffersbaba offeraisafreejaisa': 877819, 'offeraisafreejaisa ad': 594901, 'ad amazon': 31052, 'amazon coronawarriors': 50905, 'coronawarriors mondaymorning': 207132, 'mondaymotivaton stayhome': 536486, 'buy home cleaning': 148793, 'home cleaning starting': 400902, 'cleaning starting from': 181069, 'starting from at': 794958, 'from at valid': 334605, 'at valid till': 101422, 'valid till stock': 951920, 'till stock last': 896094, 'stock last apply': 802342, 'last apply for': 480112, 'apply for more': 82562, 'more detail shop': 539025, 'detail shop click': 239248, 'shop click tob': 760039, 'click tob toboffers': 181965, 'tob toboffers theoffersbaba': 919072, 'toboffers theoffersbaba offeraisafreejaisa': 919102, 'theoffersbaba offeraisafreejaisa ad': 877820, 'offeraisafreejaisa ad amazon': 594902, 'ad amazon coronawarriors': 31053, 'amazon coronawarriors mondaymorning': 50906, 'coronawarriors mondaymorning mondaymotivaton': 207133, 'mondaymorning mondaymotivaton stayhome': 536449, 'affinity': 34634, 'retail shame': 718543, 'consumer affinity': 196109, 'affinity the': 34635, 'retail shame on': 718544, 'shame on your': 754633, 'on your service': 605499, 'service and shame': 752108, 'on you consumer': 605416, 'you consumer affinity': 1018025, 'consumer affinity the': 196110, 'affinity the true': 34636, 'the true color': 870046, 'color of online': 186746, 'of online shop': 587262, 'online shop are': 608973, 'shop are already': 759892, 'are already exposed': 84407, 'already exposed during': 47334, 'exposed during the': 292845, 'physiologist': 655544, 'gaetano': 342707, 'ferrante': 303562, 'nh cardiac': 561912, 'cardiac physiologist': 163753, 'physiologist gaetano': 655545, 'gaetano ferrante': 342708, 'ferrante describes': 303563, 'describes his': 237960, 'his battle': 397233, 'feed his': 302318, 'family find': 297796, 'nh cardiac physiologist': 561913, 'cardiac physiologist gaetano': 163754, 'physiologist gaetano ferrante': 655546, 'gaetano ferrante describes': 342709, 'ferrante describes his': 303564, 'describes his battle': 237961, 'his battle through': 397234, 'supermarket he try': 820729, 'try to feed': 934624, 'to feed his': 905723, 'feed his family': 302319, 'his family find': 397417, 'family find the': 297797, 'find the full': 307288, 'shortest': 765358, 'endliveexports': 276256, 'the shortest': 867101, 'shortest possible': 765359, 'possible journey': 665694, 'journey within': 467492, 'within europe': 1002350, 'europe over': 283489, 'over welfare': 630918, 'welfare animal': 977940, 'disease concern': 245110, 'animal endliveexports': 76583, 'europe and restriction': 283399, 'and restriction to': 70414, 'restriction to the': 717405, 'to the shortest': 917062, 'the shortest possible': 867102, 'shortest possible journey': 765360, 'possible journey within': 665695, 'journey within europe': 467493, 'within europe over': 1002351, 'europe over welfare': 283491, 'over welfare animal': 630919, 'welfare animal disease': 977941, 'animal disease concern': 76575, 'disease concern on': 245111, 'concern on animal': 193034, 'on animal endliveexports': 599386, 'blakewearblake': 132236, 'blakewearblake help': 132237, 'help grocery': 389827, 'blakewearblake help grocery': 132238, 'help grocery store': 389828, 'worker out during': 1007525, 'overfishing': 631210, 'negative coping': 556747, 'coping strategy': 203387, 'strategy such': 812715, 'such selling': 816741, 'off productive': 594088, 'productive asset': 682290, 'asset le': 96438, 'le diverse': 482931, 'diverse diet': 248524, 'and overfishing': 68574, 'overfishing to': 631211, 'the income': 858048, 'income constraint': 432306, 'constraint at': 195764, 'those most affected': 892223, 'most affected were': 542076, 'affected were forced': 34459, 'forced to fall': 328633, 'back on negative': 107194, 'on negative coping': 602363, 'negative coping strategy': 556748, 'coping strategy such': 203388, 'strategy such selling': 812716, 'such selling off': 816743, 'selling off productive': 749369, 'off productive asset': 594089, 'productive asset le': 682291, 'asset le diverse': 96439, 'le diverse diet': 482932, 'diverse diet and': 248525, 'diet and overfishing': 241712, 'and overfishing to': 68575, 'overfishing to compensate': 631212, 'for the income': 326495, 'the income constraint': 858049, 'income constraint at': 432307, 'constraint at the': 195765, 'for food had': 321589, 'food had increased': 314756, 'had increased significantly': 373201, 'prayut': 669124, 'minister prayut': 533444, 'prayut chan': 669125, 'chan cha': 171691, 'cha said': 170404, 'said shop': 731349, 'prime minister prayut': 678155, 'minister prayut chan': 533445, 'prayut chan cha': 669126, 'chan cha said': 171692, 'cha said shop': 170405, 'said shop selling': 731350, 'consumer good will': 197642, 'good will not': 357962, 'not be closed': 568364, 'jakegyllenhaal': 464324, 'bubbleboy': 141629, 'wa preparing': 962981, 'preparing this': 670362, 'time jakegyllenhaal': 897089, 'jakegyllenhaal bubbleboy': 464327, 'bubbleboy jakegyllenhaal': 141630, 'jakegyllenhaal 2020': 464325, 'stayhome tampa': 798196, 'this guy wa': 887797, 'guy wa preparing': 369198, 'wa preparing this': 962982, 'preparing this whole': 670363, 'this whole time': 891390, 'whole time jakegyllenhaal': 990362, 'time jakegyllenhaal bubbleboy': 897090, 'jakegyllenhaal bubbleboy jakegyllenhaal': 464328, 'bubbleboy jakegyllenhaal 2020': 141631, 'jakegyllenhaal 2020 toiletpaper': 464326, '2020 toiletpaper stayhome': 14669, 'toiletpaper stayhome tampa': 922527, 'stayhome tampa florida': 798197, 'giant amp': 349738, 'amp project': 54336, 'project face': 683489, 'face death': 294385, 'go credit': 353434, 'credit clay': 216357, 'clay jones': 180430, 'giant amp project': 349739, 'amp project face': 54337, 'project face death': 683490, 'face death go': 294386, 'death go credit': 230056, 'go credit clay': 353435, 'credit clay jones': 216358, 'projecting': 683574, 'is projecting': 451088, 'projecting drop': 683576, 'in import': 423985, 'import pandemic': 418650, 'continues retail': 201431, 'consumer import': 197812, 'import supplychain': 418672, 'supplychain housewares': 826191, 'is projecting drop': 451089, 'projecting drop in': 683577, 'drop in import': 260256, 'in import pandemic': 423986, 'import pandemic continues': 418651, 'pandemic continues retail': 635211, 'continues retail consumer': 201432, 'retail consumer import': 717992, 'consumer import supplychain': 197813, 'import supplychain housewares': 418673, 'supplychain housewares homeworld': 826192, 'queue it': 693973, 'blue in the': 133451, 'supermarket queue it': 822125, 'queue it so': 693974, 'swinford': 830391, 'swinford not': 830392, 'not 100': 567985, '100 certain': 1857, 'certain why': 170130, 'why elderly': 990977, 'have sole': 382616, 'sole priority': 781853, 'priority status': 678658, 'status for': 796677, 'swinford not 100': 830393, 'not 100 certain': 567986, '100 certain why': 1858, 'certain why elderly': 170131, 'why elderly should': 990978, 'elderly should have': 270885, 'should have sole': 766093, 'have sole priority': 382617, 'sole priority status': 781854, 'priority status for': 678659, 'status for delivery': 796678, 'for delivery if': 320638, 'delivery if someone': 234107, 'someone is healthy': 784529, 'healthy but life': 387550, 'but life with': 146272, 'life with someone': 489223, 'with someone with': 1000883, '19 they need': 11313, 'need supply but': 555677, 'supply but should': 824867, 'but should not': 147047, 'ha wealth': 372466, 'yourself when': 1026749, 'time protecting': 897529, 'pump staying': 689102, 'website ha wealth': 975291, 'ha wealth of': 372467, 'wealth of information': 974179, 'protect yourself when': 685104, 'yourself when you': 1026750, 'go out during': 353946, 'this time protecting': 890681, 'time protecting yourself': 897530, 'from 19 at': 334208, 'the gas pump': 856172, 'gas pump staying': 344077, 'pump staying safe': 689103, 'staying safe when': 798701, 'supermarket many more': 821464, 'many more tip': 514321, 'childminder': 176321, '263': 16212, '585': 20547, 'hiring full': 397102, 'time nanny': 897250, 'nanny 385': 551813, '385 week': 18156, 'week hiring': 976333, 'hiring childminder': 397078, 'childminder 263': 176322, '263 online': 16213, 'online tutoring': 609643, 'tutoring 100': 936064, '100 taking': 2088, 'work 585': 1004702, '585 these': 20548, 'cheapest way': 174312, 'get childcare': 346770, 'childcare while': 176310, 'hiring full time': 397103, 'full time nanny': 340943, 'time nanny 385': 897251, 'nanny 385 week': 551814, '385 week hiring': 18157, 'week hiring childminder': 976334, 'hiring childminder 263': 397079, 'childminder 263 online': 176323, '263 online tutoring': 16214, 'online tutoring 100': 609644, 'tutoring 100 taking': 936065, '100 taking time': 2089, 'off work 585': 594407, 'work 585 these': 1004703, '585 these are': 20549, 'are the cheapest': 90808, 'the cheapest way': 850741, 'cheapest way to': 174313, 'to get childcare': 906439, 'get childcare while': 346771, 'childcare while school': 176311, 'are closed during': 85340, 'closed during lockdown': 183089, 'epidemic hasn': 279378, 'stopped are': 805681, 'are breathing': 85053, 'breathing food': 139224, 'food sex': 316442, 'sex birth': 754196, 'birth death': 131398, 'on without': 605353, 'without religion': 1002879, 'religion work': 709571, 'exchange war': 289491, 'war etc': 966426, 'only thing this': 611320, 'thing this epidemic': 884861, 'this epidemic hasn': 887400, 'epidemic hasn stopped': 279379, 'hasn stopped are': 378787, 'stopped are breathing': 805682, 'are breathing food': 85054, 'breathing food sex': 139225, 'food sex birth': 316443, 'sex birth death': 754197, 'birth death the': 131399, 'death the world': 230229, 'world is actually': 1009683, 'actually going on': 30814, 'going on without': 355347, 'on without religion': 605356, 'without religion work': 1002880, 'religion work school': 709572, 'work school the': 1005703, 'school the stock': 741949, 'stock exchange war': 802107, 'exchange war etc': 289492, 'jeanyuses': 464965, 'dios': 243162, 'mio': 533915, 'umm how': 939246, 'how bout': 407463, 'bout shit': 136917, 'the jeanyuses': 858639, 'jeanyuses at': 464966, 'providing rock': 687088, 'rock solid': 724922, 'solid information': 781918, 'information always': 437726, 'always ay': 49471, 'ay dios': 106318, 'dios mio': 243163, 'mio fakenews': 533916, 'umm how bout': 939247, 'how bout shit': 407464, 'bout shit you': 136918, 'shit you need': 759309, 'need the jeanyuses': 555750, 'the jeanyuses at': 858640, 'jeanyuses at providing': 464967, 'at providing rock': 100218, 'providing rock solid': 687089, 'rock solid information': 724923, 'solid information always': 781919, 'information always ay': 437727, 'always ay dios': 49472, 'ay dios mio': 106319, 'dios mio fakenews': 243164, 'pathetic the': 644065, 'uk hasn': 938438, 'hasn issued': 378754, 'of id': 584963, 'id document': 412941, 'with charity': 997608, 'charity or': 173663, 'over france': 630233, 'hard solidarity': 378016, 'it pathetic the': 460281, 'pathetic the uk': 644066, 'the uk hasn': 870231, 'uk hasn issued': 938439, 'hasn issued some': 378755, 'issued some form': 456089, 'form of id': 329537, 'of id document': 584964, 'id document for': 412942, 'document for people': 251190, 'like you working': 491888, 'you working with': 1022433, 'working with charity': 1009053, 'with charity or': 997609, 'charity or vulnerable': 173664, 'or vulnerable group': 617701, 'vulnerable group to': 960989, 'group to give': 366933, 'give them priority': 350769, 'them priority access': 876181, 'to supermarket supply': 915841, 'supermarket supply it': 823049, 'supply it being': 825470, 'it being done': 456825, 'being done all': 125073, 'done all over': 254762, 'all over france': 43862, 'over france and': 630234, 'france and it': 330973, 'not hard solidarity': 569799, 'melaleuca': 527895, 'snagged': 776050, 'pretty happy': 671426, 'happy still': 377679, 'my melaleuca': 549232, 'melaleuca account': 527896, 'through them': 894790, 'them since': 876285, 'all snagged': 44368, 'snagged up': 776051, 'retailer should': 719317, 'done something': 255019, 'similar from': 769897, 'pretty happy still': 671427, 'happy still have': 377680, 'still have my': 800657, 'have my melaleuca': 381546, 'my melaleuca account': 549233, 'melaleuca account and': 527897, 'account and wa': 28631, 'order sanitizer through': 618560, 'sanitizer through them': 735899, 'through them since': 894791, 'them since it': 876286, 'wa all snagged': 961468, 'all snagged up': 44369, 'snagged up by': 776052, 'by the hoarder': 154349, 'the hoarder they': 857411, 'hoarder they put': 399126, 'they put limit': 882952, 'put limit of': 690662, 'limit of one': 492399, 'of one per': 587242, 'per customer all': 650773, 'customer all retailer': 222045, 'all retailer should': 44193, 'retailer should have': 719318, 'have done something': 380336, 'done something similar': 255020, 'something similar from': 785051, 'similar from the': 769898, 'blog how consumer': 132949, 'giving thank': 351405, 'need grocerystore': 554934, 'grocerystore wednesdaymotivation': 366339, 'me in giving': 522964, 'in giving thank': 423321, 'giving thank you': 351406, 'we need grocerystore': 972491, 'need grocerystore wednesdaymotivation': 554935, 'xenakis': 1013812, 'loizou': 500849, 'working some': 1008916, 'business angle': 143344, 'angle kingston': 76432, 'kingston ny': 475368, 'ny diner': 577847, 'diner owner': 242986, 'owner xenakis': 632611, 'xenakis loizou': 1013813, 'loizou say': 500850, 'he paying': 385297, 'paying 2x': 645374, 'financial sense': 306577, 'open he': 612290, 'it though': 461664, 'asking are': 95943, 'working some business': 1008917, 'some business angle': 782445, 'business angle kingston': 143345, 'angle kingston ny': 76433, 'kingston ny diner': 475369, 'ny diner owner': 577848, 'diner owner xenakis': 242987, 'owner xenakis loizou': 632612, 'xenakis loizou say': 1013814, 'loizou say he': 500851, 'say he paying': 738733, 'he paying 2x': 385298, 'paying 2x the': 645375, '2x the usual': 16902, 'usual price for': 951002, 'price for egg': 673955, 'and chicken it': 59819, 'chicken it make': 175806, 'make no financial': 510243, 'no financial sense': 564224, 'financial sense to': 306578, 'sense to stay': 750608, 'stay open he': 797157, 'open he still': 612291, 'he still doing': 385475, 'still doing it': 800447, 'doing it though': 252499, 'it though because': 461665, 'though because customer': 892781, 'because customer keep': 119016, 'customer keep calling': 222561, 'keep calling and': 471373, 'calling and asking': 156521, 'and asking are': 58438, 'asking are you': 95944, 'you still open': 1021408, 'coronavirus trump': 206972, 'trump assistance': 933421, 'the coronavirus trump': 851936, 'coronavirus trump assistance': 206973, 'grandview': 361999, 'communityheros': 190248, 'providing huge': 687028, 'huge service': 410189, 'community hero': 189895, 'hero huge': 394007, 'huge shout': 410198, 'to grandview': 906980, 'grandview highway': 362000, 'highway location': 396154, 'location vancouver': 498983, 'vancouver communityheros': 952332, 'all supermarket team': 44555, 'supermarket team member': 823143, 'team member for': 835727, 'member for providing': 528086, 'for providing huge': 324836, 'providing huge service': 687029, 'huge service to': 410190, 'are our community': 88856, 'our community hero': 622463, 'community hero huge': 189896, 'hero huge shout': 394008, 'huge shout out': 410199, 'out to grandview': 627649, 'to grandview highway': 906981, 'grandview highway location': 362001, 'highway location vancouver': 396155, 'location vancouver communityheros': 498984, 'trading212': 928957, 'homedepot in': 402685, 'usa doing': 948622, 'toiletpaper firmly': 921982, 'sell djia': 748684, 'djia dowjones': 248824, 'sp500 trading': 787030, 'stock trading212': 803028, 'homedepot in the': 402686, 'the usa doing': 870537, 'usa doing nicely': 948623, 'get their toiletpaper': 348345, 'their toiletpaper firmly': 875007, 'toiletpaper firmly in': 921983, 'in sell djia': 427788, 'sell djia dowjones': 748685, 'djia dowjones sp500': 248825, 'dowjones sp500 trading': 256353, 'sp500 trading investing': 787031, 'trading investing stock': 928881, 'investing stock trading212': 443946, 'dont company': 255200, 'company take': 191144, 'understand delivery': 940624, 'postponed but': 666796, 'could spike': 209698, 'spike while': 789334, 'be 40': 113433, 'than ordering': 840991, 'why dont company': 990972, 'dont company take': 255201, 'company take advantage': 191145, 'of online sale': 587260, 'sale in order': 732300, 'order to encourage': 618679, 'home we understand': 402460, 'we understand delivery': 973586, 'understand delivery may': 940625, 'delivery may be': 234172, 'may be postponed': 521019, 'be postponed but': 116488, 'postponed but business': 666797, 'but business could': 145323, 'business could spike': 143590, 'could spike while': 209699, 'spike while staying': 789335, 'while staying safe': 987318, 'safe shopping in': 729935, 'in store should': 428456, 'not be 40': 568347, 'be 40 cheaper': 113434, '40 cheaper than': 18549, 'cheaper than ordering': 174279, 'than ordering online': 840992, 'balm': 109109, 'lip balm': 494044, 'balm and': 109110, 'sanitizer next': 735408, 'next calculator': 561300, 'calculator officially': 155344, 'officially gone': 595998, 'gone head': 356297, 'without me': 1002781, 'lip balm and': 494045, 'balm and two': 109111, 'and two type': 74560, 'type of hand': 937563, 'hand sanitizer next': 375502, 'sanitizer next calculator': 735409, 'next calculator officially': 561301, 'calculator officially gone': 155345, 'officially gone head': 595999, 'gone head on': 356298, 'head on without': 385799, 'on without me': 605355, 'to diy': 904465, 'sanitizer ended': 734820, 'with jello': 999101, 'shot oops': 765436, 'oops guess': 611750, 'of workingfromhome': 593303, 'workingfromhome wednesdaythoughts': 1009114, 'tried to diy': 931832, 'to diy hand': 904466, 'hand sanitizer ended': 375386, 'sanitizer ended up': 734821, 'up with jello': 946655, 'with jello shot': 999102, 'jello shot oops': 465047, 'shot oops guess': 765437, 'oops guess that': 611751, 'guess that what': 368045, 'are doing on': 85914, 'doing on day': 252576, 'day of workingfromhome': 228119, 'of workingfromhome wednesdaythoughts': 593304, 'buying am': 149883, 'am without': 50568, 'are family': 86478, 'family suffering': 298268, 'suffering too': 817344, 'panic buying am': 637639, 'buying am without': 149884, 'am without food': 50569, 'without food because': 1002654, 'empty and there': 274778, 'there are family': 878103, 'are family suffering': 86481, 'family suffering too': 298269, '19 ensure': 6793, 'household regardless': 406920, 'card left': 163567, 'left party': 485605, 'party demand': 642988, 'demand jharkhand': 235767, 'jharkhand govt': 465428, 'covid 19 ensure': 213027, '19 ensure food': 6794, 'to all household': 900256, 'all household regardless': 43159, 'household regardless of': 406921, 'regardless of ration': 707324, 'of ration card': 588752, 'ration card left': 697654, 'card left party': 163568, 'left party demand': 485606, 'party demand jharkhand': 642989, 'demand jharkhand govt': 235768, 'be unfairly': 117862, 'unfairly profiteering': 941466, 'report concern': 711873, 'concern or': 193039, 'or issue': 615843, 'consumer advisor': 196051, 'advisor we': 33749, 'no business should': 563742, 'business should be': 144373, 'should be unfairly': 765757, 'be unfairly profiteering': 117863, 'unfairly profiteering from': 941467, 'can report concern': 159448, 'report concern or': 711874, 'concern or issue': 193040, 'or issue to': 615844, 'issue to our': 455975, 'our team of': 625107, 'team of consumer': 835739, 'of consumer advisor': 581701, 'consumer advisor we': 196052, 'advisor we re': 33750, 'dear grocery': 229799, 'industry stop': 436124, 'stop clogging': 804571, 'clogging up': 182446, 'email daily': 272154, '19 junk': 8197, 'junk regarding': 468048, 'regarding change': 707184, 'delivery curbside': 233838, 'area signed': 92189, 'signed concerned': 769359, 'concerned consumer': 193194, 'consumer grocerystores': 197651, 'grocerystores pandemic': 366373, 'dear grocery industry': 229800, 'grocery industry stop': 364630, 'industry stop clogging': 436125, 'stop clogging up': 804572, 'clogging up our': 182447, 'up our email': 945699, 'our email daily': 622878, 'email daily covid': 272155, 'covid 19 junk': 213311, '19 junk regarding': 8198, 'junk regarding change': 468049, 'regarding change to': 707185, 'help customer when': 389561, 'customer when you': 223063, 'even offer delivery': 284417, 'offer delivery curbside': 594577, 'delivery curbside pickup': 233839, 'curbside pickup in': 220653, 'pickup in all': 655975, 'all area signed': 42058, 'area signed concerned': 92190, 'signed concerned consumer': 769360, 'concerned consumer grocerystores': 193195, 'consumer grocerystores pandemic': 197652, 'grocerystores pandemic groceryshopping': 366374, 'power threat': 667699, 'panic felt': 638097, 'were holding': 979752, 'holding loaded': 400128, 'loaded gun': 497311, 'store today the': 810869, 'today the power': 920300, 'the power threat': 864158, 'power threat and': 667700, 'threat and panic': 893638, 'and panic felt': 68650, 'panic felt like': 638098, 'felt like you': 303419, 'you were holding': 1022249, 'were holding loaded': 979753, 'holding loaded gun': 400129, 'loaded gun in': 497312, 'gun in your': 368703, 'via marketer': 956068, 'confidence during via': 193856, 'during via marketer': 263381, 'pavillions': 644667, 'sneezeinyourarm': 776301, 'idiot behind': 413465, 'free sneezed': 332179, 'sneezed all': 776284, 'the gum': 856944, 'gum and': 368670, 'and candy': 59497, 'candy at': 161328, 'the pavillions': 863406, 'pavillions grocery': 644668, 'store shot': 810151, 'shot him': 765425, 'don move': 253744, 'move look': 543685, 'worked coverup': 1006108, 'coverup sneezeinyourarm': 212516, 'sneezeinyourarm mycovidstory': 776302, 'mycovidstory keepyourdistance': 550707, 'some idiot behind': 783068, 'idiot behind me': 413466, 'behind me hand': 124663, 'me hand free': 522853, 'hand free sneezed': 374952, 'free sneezed all': 332180, 'sneezed all over': 776285, 'over the gum': 630728, 'the gum and': 856945, 'gum and candy': 368671, 'and candy at': 59498, 'candy at the': 161329, 'at the pavillions': 101046, 'the pavillions grocery': 863407, 'pavillions grocery store': 644669, 'grocery store shot': 365770, 'store shot him': 810152, 'shot him don': 765426, 'him don move': 396585, 'don move look': 253745, 'move look and': 543686, 'look and it': 502233, 'it worked coverup': 462511, 'worked coverup sneezeinyourarm': 1006109, 'coverup sneezeinyourarm mycovidstory': 212517, 'sneezeinyourarm mycovidstory keepyourdistance': 776303, 'concern our': 193041, 'store scheduled': 810011, 'hour based': 405450, 'current work': 221435, 'work load': 1005437, 'load at': 497243, 'part 24': 642221, '24 via': 15703, 'online part': 608732, 'part portal': 642413, 'portal at': 664941, '19 concern our': 5922, 'concern our commitment': 193042, 'our commitment to': 622441, 'we are adjusting': 970468, 'adjusting store scheduled': 32357, 'store scheduled hour': 810012, 'scheduled hour based': 741500, 'hour based on': 405451, 'on current work': 600187, 'current work load': 221436, 'work load at': 1005438, 'load at our': 497244, 'retail location we': 718291, 'location we are': 498989, 'we are available': 970486, 'available for part': 104376, 'for part 24': 324398, 'part 24 via': 642222, '24 via our': 15704, 'via our online': 956149, 'our online part': 624150, 'online part portal': 608733, 'part portal at': 642414, 'thinking tomorrow': 886018, 'tomorrow gonna': 924094, 'gonna apply': 356461, 'some biotechnology': 782412, 'biotechnology company': 131295, 'with testing': 1001158, 'testing suspected': 839655, '19 sample': 10308, 'sample or': 733477, 'applied to some': 82504, 'to some supermarket': 914891, 'some supermarket store': 784011, 'supermarket store now': 823009, 'store now thinking': 809134, 'now thinking tomorrow': 576128, 'thinking tomorrow gonna': 886019, 'tomorrow gonna apply': 924095, 'gonna apply to': 356462, 'apply to some': 82619, 'to some biotechnology': 914870, 'some biotechnology company': 782413, 'biotechnology company whether': 131296, 'company whether they': 191307, 'help with testing': 390930, 'with testing suspected': 1001159, 'testing suspected covid': 839656, 'covid 19 sample': 213742, '19 sample or': 10309, 'sample or need': 733478, 'help with research': 390926, 'compartmentalised': 191468, 'agility': 38282, 'foodretail': 318046, 'systematic': 831402, 'sku': 773167, 'rationalisation': 697757, 'of compartmentalised': 581616, 'compartmentalised food': 191469, 'of agility': 579832, 'agility with': 38283, 'with differing': 998029, 'differing value': 242175, 'chain foodservice': 170709, 'foodservice amp': 318090, 'amp foodretail': 53828, 'foodretail leading': 318047, 'waste systematic': 968195, 'systematic change': 831403, 'amp sku': 54510, 'sku rationalisation': 773168, 'rationalisation coming': 697758, 'coming current': 188014, 'current profile': 221322, 'profile have': 682616, 'before not': 122963, 'example of compartmentalised': 288931, 'of compartmentalised food': 581617, 'compartmentalised food the': 191470, 'food the lack': 317120, 'lack of agility': 478605, 'of agility with': 579833, 'agility with differing': 38284, 'with differing value': 998030, 'differing value chain': 242176, 'value chain foodservice': 952105, 'chain foodservice amp': 170710, 'foodservice amp foodretail': 318091, 'amp foodretail leading': 53829, 'foodretail leading to': 318048, 'leading to waste': 483780, 'to waste systematic': 918373, 'waste systematic change': 968196, 'systematic change amp': 831404, 'change amp sku': 171910, 'amp sku rationalisation': 54511, 'sku rationalisation coming': 773169, 'rationalisation coming current': 697759, 'coming current profile': 188015, 'current profile have': 221323, 'profile have said': 682617, 'have said before': 382383, 'said before not': 731005, 'before not sustainable': 122964, 'rising on': 723249, 'could threaten': 209776, 'two most': 937070, 'important grain': 418814, 'and grain': 63915, 'wheat price are': 983005, 'are rising on': 89716, 'rising on fear': 723250, 'on fear that': 600763, '19 lockdown could': 8378, 'lockdown could threaten': 499279, 'could threaten global': 209777, 'spike for the': 789282, 'world two most': 1010121, 'two most important': 937071, 'most important grain': 542399, 'important grain rice': 418815, 'grain rice and': 361797, 'rice and grain': 720994, 'and grain wheat': 63916, 'grain wheat importer': 361813, 'grandmother who': 361946, 'her weekly': 392517, 'buy crap': 148513, 'delivered that': 233404, 'it annoys': 456528, 'more attentive': 538679, 'that my grandmother': 845265, 'my grandmother who': 548556, 'grandmother who is': 361947, 'wheelchair and cannot': 983066, 'out cannot get': 625829, 'cannot get her': 161889, 'get her weekly': 347219, 'her weekly grocery': 392518, 'weekly grocery delivered': 977504, 'grocery delivered online': 364426, 'delivered online for': 233369, 'online for another': 608219, 'another week because': 77971, 'week because people': 975989, 'because people buy': 119470, 'people buy crap': 647331, 'buy crap in': 148514, 'crap in bulk': 214898, 'bulk and get': 142239, 'grocery delivered that': 364428, 'delivered that do': 233405, 'need it annoys': 555081, 'it annoys me': 456529, 'annoys me be': 77379, 'me be more': 522496, 'be more attentive': 115965, 'more attentive to': 538680, 'attentive to the': 102521, 'with price and': 1000299, 'price and or': 672484, 'widely through': 991790, 'when operating': 983811, 'operating pump': 613099, 'when transacting': 984336, 'transacting then': 929431, 'spreading widely through': 791091, 'widely through the': 991791, 'wearing glove when': 974646, 'glove when operating': 353028, 'when operating pump': 983812, 'operating pump and': 613100, 'and when transacting': 75525, 'when transacting then': 984337, 'transacting then use': 929432, 'hand with paper': 376012, 'pretty fucking': 671410, 'fucking sick': 340004, 'of celebs': 581234, 'celebs telling': 168922, 'enjoying lock': 277232, 'coping when': 203391, 'you queued': 1020529, 'queued at': 694149, 'getting pretty fucking': 349204, 'pretty fucking sick': 671411, 'fucking sick of': 340005, 'sick of celebs': 768534, 'of celebs telling': 581235, 'celebs telling how': 168923, 'telling how they': 837210, 'they are enjoying': 881262, 'are enjoying lock': 86217, 'enjoying lock down': 277233, 'they are coping': 881236, 'are coping when': 85567, 'coping when the': 203392, 'when the last': 984169, 'time you queued': 898413, 'you queued at': 1020530, 'queued at supermarket': 694150, 'how about your': 407316, 'about your staff': 27015, 'shortage going': 764974, 'on usually': 605006, 'usually eat': 951115, 'eat 1500': 265834, '1500 200': 3930, 'calorie per': 156894, 'that amount': 842633, 'half foodshortage': 374168, 'foodshortage corona': 318128, 'fightcovid19 doyourpart': 304986, 'doyourpart thursdaythoughts': 257861, 'in the effort': 429162, 'food shortage going': 316579, 'shortage going to': 764975, 'to be eating': 901229, 'be eating le': 114641, 'eating le from': 266245, 'le from now': 482966, 'now on usually': 575439, 'on usually eat': 605007, 'usually eat 1500': 951116, 'eat 1500 200': 265835, '1500 200 calorie': 3931, '200 calorie per': 13464, 'calorie per day': 156895, 'per day but': 650796, 'day but will': 227414, 'but will try': 147890, 'try to cut': 934615, 'to cut that': 903890, 'cut that amount': 223567, 'that amount in': 842634, 'amount in half': 53193, 'in half foodshortage': 423511, 'half foodshortage corona': 374169, 'foodshortage corona fightcovid19': 318129, 'corona fightcovid19 doyourpart': 203944, 'fightcovid19 doyourpart thursdaythoughts': 304987, 'daves': 226970, 'davesbread': 226973, 'apparently everyone': 81933, 'way do': 969552, 'about daves': 25070, 'daves killer': 226971, 'bread bread': 138432, 'bread 19': 138378, '19 stockup': 10863, 'stockup davesbread': 804171, 'apparently everyone feel': 81934, 'everyone feel the': 286909, 'same way do': 733403, 'way do about': 969553, 'do about daves': 249023, 'about daves killer': 25071, 'daves killer bread': 226972, 'killer bread bread': 474628, 'bread bread 19': 138433, 'bread 19 stockup': 138379, '19 stockup davesbread': 10864, 'canoga': 162246, 'in canoga': 421218, 'canoga park': 162247, 'park test': 641992, 'for join': 322774, 'channel now': 172905, 'your 19': 1022713, 'vallarta supermarket worker': 951945, 'worker in canoga': 1007165, 'in canoga park': 421219, 'canoga park test': 162248, 'park test positive': 641993, 'positive for join': 665324, 'for join on': 322775, 'join on on': 466799, 'on on channel': 602507, 'on channel now': 599876, 'channel now for': 172906, 'now for your': 574732, 'for your 19': 328113, 'boc research': 133763, 'research interview': 713774, 'smaller telephone': 775313, 'telephone survey': 836818, 'conducted more': 193675, 'boc research interview': 133764, 'research interview were': 713775, 'two smaller telephone': 937228, 'smaller telephone survey': 775314, 'telephone survey were': 836819, 'survey were conducted': 828982, 'were conducted more': 979469, 'conducted more recently': 193676, 'price on business': 675658, 'the fascinating': 854958, 'tech supporting': 836156, 'supporting public': 827177, 'health on': 386711, 'on population': 602848, 'population basis': 664656, 'basis dataanalytics': 112230, 'of the fascinating': 591012, 'the fascinating article': 854959, 'consumer health tech': 197733, 'health tech supporting': 386896, 'tech supporting public': 836157, 'supporting public health': 827178, 'public health on': 688078, 'health on population': 386712, 'on population basis': 602849, 'population basis dataanalytics': 664657, 'bad bc': 107774, 'bc placed': 113279, '13th not': 3364, 'not thinking': 572094, '19 figured': 6992, 'figured shopping': 305264, 'happens fine': 377461, 'closing still': 183757, 'so bad bc': 776576, 'bad bc placed': 107775, 'bc placed jsc': 113280, 'the 13th not': 847888, '13th not thinking': 3365, 'not thinking at': 572095, 'covid 19 figured': 213092, '19 figured shopping': 6993, 'figured shopping online': 305265, 'now what happens': 576380, 'what happens fine': 981564, 'happens fine with': 377462, 'fine with waiting': 307730, 'thing are closing': 884149, 'are closing still': 85399, 'closing still want': 183758, 'stayputstaysafe': 798774, 'selfish when': 748311, 'this stayhomesavelives': 890315, 'stayhomesavelives stayputstaysafe': 798462, 'so selfish when': 778177, 'selfish when your': 748312, 'when your in': 984631, 'your in the': 1024465, 'shop supermarket it': 760864, 'fair on others': 296357, 'on others know': 602566, 'others know this': 621511, 'this is stressful': 888413, 'is stressful time': 452373, 'stressful time but': 813519, 'time but we': 896426, 'carry on like': 165123, 'on like this': 601845, 'like this stayhomesavelives': 491533, 'this stayhomesavelives stayputstaysafe': 890316, 'have sanitizer': 382391, 'for always': 319222, 'always washing': 49790, 'your safe': 1025659, 'dreaded avoiding': 258569, 'also must': 48540, 'do fightcovid19': 249296, 'always have sanitizer': 49614, 'have sanitizer handy': 382392, 'sanitizer handy for': 735049, 'handy for always': 376888, 'for always washing': 319223, 'always washing your': 49791, 'hand to safeguard': 375871, 'to safeguard your': 913707, 'safeguard your safe': 730224, 'your safe against': 1025660, 'safe against the': 729411, 'the dreaded avoiding': 853679, 'dreaded avoiding crowded': 258570, 'crowded area is': 219295, 'area is also': 92081, 'is also must': 445567, 'also must do': 48541, 'must do fightcovid19': 546627, 'begin using': 123600, 'coworkers roommate': 214502, 'if unsure': 415219, 'unsure please': 943584, 'time to begin': 897954, 'to begin using': 901718, 'begin using flushable': 123601, 'your coworkers roommate': 1023372, 'coworkers roommate certainly': 214503, 'do if unsure': 249418, 'if unsure please': 415220, 'unsure please ask': 943585, 'sport putting': 789970, 'blame on': 132276, 'on donald': 600385, 'crash show': 215033, 'matter panic': 520617, 'price largely': 675014, 'largely affect': 479835, 'crash not': 215007, 'not trump': 572280, 'trump gave': 933574, 'sport putting all': 789971, 'putting all the': 691084, 'all the blame': 44674, 'the blame on': 849752, 'blame on donald': 132277, 'on donald trump': 600386, 'donald trump for': 254109, 'trump for the': 933566, 'market crash show': 516250, 'crash show lack': 215034, 'of knowledge on': 585677, 'knowledge on the': 477182, 'the matter panic': 860301, 'matter panic over': 520618, 'oil price largely': 597177, 'price largely affect': 675015, 'largely affect the': 479836, 'market crash not': 516247, 'crash not trump': 215008, 'not trump gave': 572281, 'of russian': 589192, 'roulette except': 726304, 'except all': 289125, 'round are': 726318, 'are loaded': 87849, 'loaded but': 497307, '19 is like': 8002, 'is like game': 449316, 'game of russian': 343219, 'of russian roulette': 589193, 'russian roulette except': 728666, 'roulette except all': 726305, 'except all the': 289126, 'all the round': 44892, 'the round are': 866005, 'round are loaded': 726319, 'are loaded but': 87850, 'loaded but one': 497308, 'people generally': 648039, 'generally acting': 345517, 'human instead': 410522, 'asshole we': 96580, 'prevail 19': 671535, 'and wa pleasantly': 75095, 'see people generally': 745556, 'people generally acting': 648040, 'generally acting like': 345518, 'acting like human': 29881, 'like human instead': 490469, 'human instead of': 410523, 'instead of asshole': 440232, 'of asshole we': 580406, 'asshole we will': 96581, 'will prevail 19': 994443, 'individual across': 435125, 'hosting their': 404972, 'toiletpaper exchange': 921963, 'dozen of business': 257890, 'business and individual': 143313, 'and individual across': 65157, 'individual across the': 435126, 'state are hosting': 795386, 'are hosting their': 87247, 'hosting their own': 404973, 'their own toiletpaper': 874212, 'own toiletpaper exchange': 632277, 'toiletpaper exchange for': 921964, 'exchange for community': 289446, 'for community member': 320197, 'in need business': 425730, 'moody ha': 538306, 'it outlook': 460198, 'outlook to': 629191, 'negative from': 556780, 'from stable': 337395, 'stable for': 791910, 'arabia united': 83958, 'united arab': 942148, 'arab emirate': 83826, 'emirate kuwait': 273194, 'kuwait qatar': 477997, 'qatar and': 691477, 'and bahrain': 58655, 'bahrain read': 108568, 'outbreak and falling': 627994, 'oil price moody': 597195, 'price moody ha': 675263, 'moody ha changed': 538307, 'changed it outlook': 172500, 'it outlook to': 460199, 'outlook to negative': 629192, 'to negative from': 910525, 'negative from stable': 556781, 'from stable for': 337396, 'stable for the': 791911, 'for the system': 326716, 'the system of': 869097, 'system of saudi': 831263, 'saudi arabia united': 737224, 'arabia united arab': 83959, 'united arab emirate': 942149, 'arab emirate kuwait': 83827, 'emirate kuwait qatar': 273195, 'kuwait qatar and': 477998, 'qatar and bahrain': 691478, 'and bahrain read': 58656, 'bahrain read more': 108569, 'read more more': 700445, 'more more on': 539805, 'he continues': 384844, 'to permanently': 911666, 'permanently ban': 652086, 'home he': 401346, 'kissing worse': 475473, 'today he continues': 919622, 'he continues to': 384845, 'fight all sa': 304649, 'virus he ha': 958270, 'he ha already': 385015, 'ha already criminalized': 369504, 'threatened to permanently': 893791, 'to permanently ban': 911667, 'permanently ban alcohol': 652087, 'even wine now': 284797, 'wine now at': 995847, 'now at home': 574131, 'at home he': 99005, 'home he said': 401347, 'no kissing worse': 564564, 'kissing worse than': 475474, 'orgasmic': 619495, 'lifechanging': 489274, 'sarcasticarepa': 736752, 'theundercoverlatino': 881060, 'took life': 925273, 'life changing': 488555, 'changing poop': 172774, 'poop at': 664048, 'more orgasmic': 539965, 'orgasmic right': 619498, 'than using': 841385, 'using someone': 950664, 'else toilet': 271943, 'blew it': 132661, 'up lifechanging': 945309, 'lifechanging poop': 489275, 'toiletpaper orgasmic': 922290, 'orgasmic funny': 619496, 'funny joke': 341757, 'joke comedy': 467073, 'comedy sarcasticarepa': 187778, 'sarcasticarepa theundercoverlatino': 736753, 'just took life': 470131, 'took life changing': 925274, 'life changing poop': 488556, 'changing poop at': 172775, 'poop at work': 664049, 'at work there': 101619, 'work there nothing': 1005833, 'nothing more orgasmic': 573105, 'more orgasmic right': 539966, 'orgasmic right now': 619499, 'now than using': 575986, 'than using someone': 841386, 'using someone else': 950665, 'someone else toilet': 784455, 'else toilet paper': 271944, 'paper just blew': 640390, 'just blew it': 468338, 'blew it all': 132662, 'the way up': 871203, 'way up lifechanging': 970145, 'up lifechanging poop': 945310, 'lifechanging poop toiletpaper': 489276, 'poop toiletpaper orgasmic': 664073, 'toiletpaper orgasmic funny': 922291, 'orgasmic funny joke': 619497, 'funny joke comedy': 341758, 'joke comedy sarcasticarepa': 467074, 'comedy sarcasticarepa theundercoverlatino': 187779, 'just extremely': 468685, 'grateful covid': 362249, 'hit during': 398219, 'chat technology': 173957, 'technology simple': 836364, 'delivery method': 234185, 'method and': 529759, 'shopping otherwise': 763567, 'otherwise can': 621833, 'just extremely grateful': 468686, 'extremely grateful covid': 293884, 'grateful covid 19': 362250, '19 hit during': 7544, 'hit during time': 398220, 'have video chat': 383507, 'video chat technology': 956670, 'chat technology simple': 173958, 'technology simple food': 836365, 'simple food delivery': 770020, 'food delivery method': 314135, 'delivery method and': 234186, 'method and online': 529760, 'online shopping otherwise': 609213, 'shopping otherwise can': 763568, 'otherwise can you': 621834, 'vital job': 959702, 'your colleague': 1023252, 'serve customer': 751879, 'customer one': 222647, 'one addressing': 605865, 'addressing this': 32112, 'to your non': 919008, 'your non vital': 1025025, 'non vital job': 566525, 'vital job and': 959703, 'job and work': 465648, 'and work with': 75865, 'work with your': 1006051, 'with your colleague': 1002183, 'your colleague and': 1023253, 'colleague and serve': 186188, 'and serve customer': 71290, 'serve customer one': 751881, 'customer one of': 222648, 'of them pass': 591758, 'them pass on': 876149, 'pass on covid': 643215, '19 to you': 11465, 'to you you': 918943, 'you you go': 1022482, 'supermarket why is': 823869, 'no one addressing': 564914, 'one addressing this': 605866, 'addressing this issue': 32113, 'bought green': 136586, 'green pepper': 363691, 'pepper at': 650647, 'now im': 574977, 'will cold': 992950, 'water alone': 968848, 'alone wash': 46942, 'wash away': 967439, 'maybe will': 521882, 'just stick': 469898, 'spring roll': 791234, 'roll diet': 725266, 'bought green pepper': 136587, 'green pepper at': 363692, 'pepper at the': 650648, 'store now im': 809124, 'now im not': 574979, 'if should eat': 414802, 'should eat them': 765950, 'eat them will': 266072, 'them will cold': 876636, 'will cold water': 992951, 'cold water alone': 185806, 'water alone wash': 968849, 'alone wash away': 46943, 'wash away or': 967440, 'away or maybe': 105985, 'or maybe will': 616092, 'maybe will just': 521883, 'will just stick': 993884, 'just stick to': 469899, 'to the spring': 917088, 'the spring roll': 867660, 'spring roll diet': 791235, 'supermarket turn': 823588, 'most express': 542326, 'crisis supermarket turn': 218120, 'supermarket turn to': 823589, 'nh for advice': 561957, 'for advice on': 319046, 'advice on who': 33462, 'on who need': 605292, 'need food the': 554810, 'food the most': 317123, 'the most express': 860986, 'soar covid': 779234, 'grocery store sale': 365741, 'store sale soar': 809973, 'sale soar covid': 732538, 'soar covid 19': 779235, 'double supply': 256057, 'supply dry': 825188, 'price in nearly': 674712, 'in nearly double': 425715, 'nearly double supply': 553814, 'double supply dry': 256058, 'supply dry up': 825189, 'dry up due': 261310, 'saw handful': 738128, 'bitch where': 131785, 'getting surgical': 349326, 'using bandanna': 950402, 'bandanna asshole': 109393, 'asshole coronacrisis': 96517, 'saw handful of': 738129, 'people wearing surgical': 650180, 'store you bitch': 811680, 'you bitch where': 1017481, 'bitch where the': 131786, 'fuck are you': 339528, 'you getting surgical': 1018814, 'getting surgical mask': 349327, 'mask and doctor': 518320, 'and doctor and': 61573, 'nurse are using': 577212, 'are using bandanna': 91410, 'using bandanna asshole': 950403, 'bandanna asshole coronacrisis': 109394, 'bacardi': 106800, 'rum': 727456, 'cata': 166908, 'abiv': 24415, 'know bacardi': 476285, 'bacardi the': 106801, 'the rum': 866062, 'rum maker': 727459, 'maker announced': 510815, 'the puertorico': 864885, 'puertorico based': 688821, 'based cata': 111531, 'cata plant': 166909, 'plant now': 658682, 'now abiv': 573920, 'abiv commits': 24416, 'commits to': 189023, 'ingredient of': 438382, 'beer outbreak': 122497, 'you know bacardi': 1019488, 'know bacardi the': 476286, 'bacardi the rum': 106802, 'the rum maker': 866063, 'rum maker announced': 727460, 'maker announced they': 510816, 'announced they will': 77089, 'will make hand': 994079, 'at the puertorico': 101069, 'the puertorico based': 864886, 'puertorico based cata': 688822, 'based cata plant': 111532, 'cata plant now': 166910, 'plant now abiv': 658683, 'now abiv commits': 573921, 'abiv commits to': 24417, 'commits to make': 189024, 'sanitizer using the': 735999, 'using the key': 950702, 'key ingredient of': 473319, 'ingredient of beer': 438383, 'of beer outbreak': 580621, 'energy worker': 276620, 'worker find': 1006935, 'find worry': 307399, 'worry but': 1010679, 'also some': 48894, 'some optimism': 783462, 'optimism via': 613922, 'midst of plummeting': 530793, '19 survey of': 10995, 'survey of energy': 828911, 'of energy worker': 583112, 'energy worker find': 276621, 'worker find worry': 1006937, 'find worry but': 307400, 'worry but also': 1010680, 'but also some': 145144, 'also some optimism': 48895, 'some optimism via': 783463, 'australia this': 103403, 'done everywhere': 254829, 'everywhere business': 288177, 'comply should': 192524, 'fined asshole': 307738, 'asshole always': 96504, 'always ruin': 49730, 'ruin thing': 727120, 'on this store': 604634, 'in australia this': 420621, 'australia this should': 103404, 'be done everywhere': 114555, 'done everywhere business': 254830, 'everywhere business that': 288178, 'do not comply': 249702, 'not comply should': 568820, 'comply should be': 192525, 'be fined asshole': 114858, 'fined asshole always': 307739, 'asshole always ruin': 96505, 'always ruin thing': 49731, 'ruin thing for': 727121, 'displaying': 246223, 'list isn': 494382, 'isn displaying': 454470, 'displaying all': 246224, 'all prime': 44046, 'prime price': 678173, 'this changed': 886739, 'chaos make': 173032, 'shop around': 759925, 'around etc': 93278, 'hey there my': 394522, 'there my wish': 878777, 'wish list isn': 996786, 'list isn displaying': 494383, 'isn displaying all': 454471, 'displaying all prime': 246225, 'all prime price': 44047, 'prime price and': 678174, 'price and seller': 672533, 'and seller price': 71225, 'seller price like': 749059, 'like it used': 490562, 'used to ha': 950056, 'to ha this': 907086, 'ha this changed': 372258, 'this changed because': 886740, '19 chaos make': 5772, 'chaos make it': 173033, 'make it hard': 510036, 'to shop around': 914448, 'shop around etc': 759926, 'more stick': 540462, 'up note': 945478, 'who is out': 989101, 'is out shopping': 450666, 'out shopping to': 627182, 'some more stick': 783321, 'more stick up': 540463, 'stick up note': 800072, 'up note supermarket': 945479, 'note supermarket ha': 572791, 'time rethink': 897579, 'rethink your': 719664, 'positioning price': 665229, 'tone good': 924317, 'positioned entrepreneur': 665214, 'entrepreneur socialmediamarketing': 278953, 'branding award': 138123, 'award 19': 105573, 'marketing in tough': 517622, 'tough time rethink': 926861, 'time rethink your': 897580, 'rethink your branding': 719665, 'messaging positioning price': 529515, 'positioning price is': 665230, 'the tone good': 869754, 'tone good is': 924318, 'good is the': 357287, 'price problem in': 676002, 'problem in these': 679562, 'turbulent time are': 935515, 'are you well': 91881, 'you well positioned': 1022233, 'well positioned entrepreneur': 978493, 'positioned entrepreneur socialmediamarketing': 665215, 'entrepreneur socialmediamarketing branding': 278954, 'socialmediamarketing branding award': 781111, 'branding award 19': 138124, 'award 19 wfh': 105574, 'keeping key': 472464, 'and wont': 75833, 'wont put': 1004254, '19 keeping key': 8220, 'keeping key worker': 472465, 'key worker on': 473502, 'road we cover': 724542, 'we cover the': 971229, 'cover the whole': 212300, 'north west and': 567689, 'west and wont': 980452, 'and wont put': 75834, 'wont put our': 1004255, 'churchillian': 178423, 'is crafting': 446872, 'crafting churchillian': 214790, 'churchillian persona': 178424, 'persona for': 652768, 'political gain': 663648, 'gain after': 342750, 'after decade': 35547, 'nh too': 562148, 'in insecure': 424112, 'insecure precarious': 439135, 'precarious false': 669244, 'false self': 297455, 'employment it': 274623, 'again hit': 37024, 'hardest stophoarding': 378232, 'johnson is crafting': 466603, 'is crafting churchillian': 446873, 'crafting churchillian persona': 214791, 'churchillian persona for': 178425, 'persona for political': 652769, 'for political gain': 324610, 'political gain after': 663649, 'gain after decade': 342751, 'after decade of': 35548, 'decade of cut': 230694, 'of cut to': 582297, 'cut to our': 223606, 'to our nh': 911219, 'our nh too': 624070, 'nh too many': 562149, 'people in insecure': 648384, 'in insecure precarious': 424113, 'insecure precarious false': 439136, 'precarious false self': 669245, 'false self employment': 297456, 'self employment it': 747638, 'employment it clear': 274624, 'it clear the': 457162, 'clear the coronavirus': 181359, 'coronavirus pandemic will': 206507, 'pandemic will once': 637014, 'once again hit': 605567, 'again hit the': 37025, 'hit the most': 398436, 'vulnerable the hardest': 961199, 'the hardest stophoarding': 857114, 'italy 19': 462752, 'buying at aldi': 149962, 'at aldi supermarket': 97863, 'aldi supermarket amid': 41304, 'outbreak in italy': 628342, 'in italy 19': 424287, 'maintain appropriate': 508935, 'appropriate social': 83051, 'distancing like': 247283, 'in public is': 427084, 'public is good': 688123, 'is good way': 448156, '19 particularly in': 9580, 'particularly in situation': 642700, 'situation where it': 772578, 'to maintain appropriate': 909564, 'maintain appropriate social': 508936, 'appropriate social distancing': 83052, 'social distancing like': 779649, 'distancing like at': 247284, 'new pa': 559247, 'pa announcement': 632832, 'announcement running': 77199, 'all tube': 45302, 'tube station': 935049, 'station all': 796326, 'all tfl': 44617, 'tfl service': 840017, 'now solely': 575861, 'solely focussed': 781863, 'focussed on': 312008, 'ensuring critical': 278168, 'around needed': 93410, 'or travelling': 617522, 'travelling for': 930686, 'essential journey': 281250, 'journey staysafestayhome': 467485, 'new pa announcement': 559248, 'pa announcement running': 632833, 'announcement running at': 77200, 'running at all': 727924, 'at all tube': 97917, 'all tube station': 45303, 'tube station all': 935050, 'station all tfl': 796327, 'all tfl service': 44618, 'tfl service are': 840018, 'are now solely': 88597, 'now solely focussed': 575862, 'solely focussed on': 781864, 'focussed on ensuring': 312009, 'on ensuring critical': 600570, 'ensuring critical worker': 278169, 'critical worker can': 218728, 'worker can move': 1006591, 'can move around': 159013, 'move around needed': 543608, 'around needed you': 93411, 'needed you should': 556595, 'be using public': 117945, 'using public transport': 950613, 'transport or travelling': 929924, 'or travelling for': 617523, 'travelling for anything': 930687, 'than essential journey': 840561, 'essential journey staysafestayhome': 281251, 'disconnectedfromreality': 244417, 'bulk when': 142367, 'who clearly': 988465, 'hasn set': 378774, 'or struggled': 617253, 'essential disconnectedfromreality': 280969, 'panic or buy': 638364, 'or buy in': 614616, 'in bulk when': 421050, 'bulk when asked': 142368, 'man who clearly': 512323, 'who clearly hasn': 988466, 'clearly hasn set': 181517, 'hasn set foot': 378775, 'lately or struggled': 480984, 'or struggled to': 617254, 'the essential disconnectedfromreality': 854502, 'soon take': 785836, 'hold fear': 399920, 'far but that': 298735, 'and soon take': 72002, 'soon take hold': 785837, 'take hold fear': 832189, 'hold fear induced': 399921, 'induced panic among': 435482, 'panic among major': 637284, 'quite true': 694932, 'true walked': 933207, '5pm peak': 20806, 'peak rush': 646100, 'hour usually': 406064, 'usually and': 951084, 'cross mid': 219017, 'mid street': 530589, 'street because': 812921, 'le car': 482869, 'still folk': 800540, 'grocery typically': 366085, 'typically going': 937655, 'going real': 355429, 'real ham': 701187, 'ham now': 374533, 'it quite true': 460590, 'quite true walked': 694933, 'true walked to': 933208, 'walked to grocery': 964984, 'store yesterday at': 811665, 'yesterday at 5pm': 1015682, 'at 5pm peak': 97703, '5pm peak rush': 20807, 'peak rush hour': 646101, 'rush hour usually': 728301, 'hour usually and': 406065, 'usually and wa': 951085, 'able to cross': 24468, 'to cross mid': 903760, 'cross mid street': 219018, 'mid street because': 530590, 'street because there': 812922, 'were lot le': 979858, 'lot le car': 504079, 'le car out': 482870, 'car out there': 163207, 'out there there': 627517, 'there there still': 879158, 'there still folk': 879097, 'still folk around': 800541, 'folk around but': 312103, 'around but it': 93237, 'wa for grocery': 962156, 'for grocery typically': 322055, 'grocery typically going': 366086, 'typically going real': 937656, 'going real ham': 355430, 'real ham now': 701188, 'ham now to': 374534, 'now to see': 576183, 'to see market': 914040, 'theskyispink': 881029, 'watched theskyispink': 968674, 'theskyispink movie': 881030, 'movie 2019': 543977, '2019 on': 13986, 'were ahead': 979278, 'to demonstrating': 904170, 'demonstrating key': 236863, 'key practice': 473364, 'thereby flatten': 879402, 'curve let': 221869, 'how thread': 408966, 'thread use': 893614, 'watched theskyispink movie': 968675, 'theskyispink movie 2019': 881031, 'movie 2019 on': 543978, '2019 on and': 13987, 'on and can': 599348, 'and can say': 59472, 'can say and': 159513, 'say and were': 738423, 'and were ahead': 75432, 'were ahead of': 979279, 'ahead of time': 39194, 'of time when': 592192, 'come to demonstrating': 187566, 'to demonstrating key': 904171, 'demonstrating key practice': 236864, 'key practice to': 473365, 'practice to contain': 668689, 'contain and thereby': 200465, 'and thereby flatten': 73859, 'thereby flatten the': 879403, 'the curve let': 852695, 'curve let see': 221870, 'see how thread': 745258, 'how thread use': 408967, 'thread use hand': 893615, 'surroundings': 828787, 'quickly civilization': 694497, 'civilization can': 179586, 'really one': 702470, 'one dinner': 606185, 'dinner away': 243052, 'becoming savage': 120337, 'and murdering': 67332, 'murdering each': 546174, 'resource stay': 714883, 'take security': 832552, 'security seriously': 744745, 'alert of': 41473, 'and surroundings': 72894, 'this pandemic really': 889420, 'pandemic really highlight': 636303, 'really highlight how': 702290, 'highlight how quickly': 395926, 'how quickly civilization': 408547, 'quickly civilization can': 694498, 'civilization can break': 179587, 'can break down': 157791, 'break down we': 138709, 're really one': 699360, 'really one dinner': 702471, 'one dinner away': 606186, 'dinner away from': 243053, 'away from becoming': 105861, 'from becoming savage': 334655, 'becoming savage and': 120338, 'savage and murdering': 737429, 'and murdering each': 67333, 'murdering each other': 546175, 'other for resource': 620261, 'for resource stay': 325159, 'resource stay safe': 714884, 'safe all stock': 729417, 'on food take': 600918, 'food take security': 317062, 'take security seriously': 832553, 'security seriously be': 744746, 'seriously be alert': 751548, 'be alert of': 113543, 'alert of people': 41474, 'people and surroundings': 646886, '19 opportunity': 9010, 'opportunity what': 613744, 'what low': 981840, 'of renewables': 588927, 'covid 19 opportunity': 213523, '19 opportunity what': 9011, 'opportunity what low': 613745, 'what low oil': 981841, 'price could mean': 673288, 'future of renewables': 342397, 'countervailing': 210350, 'continuing from': 201526, 'last point': 480455, 'point legislation': 662541, 'legislation will': 486002, 'now rightfully': 575706, 'rightfully made': 722452, 'pocket for': 662169, 'testing leaving': 839555, 'leaving no': 485113, 'no countervailing': 563913, 'countervailing pressure': 210351, 'pressure against': 671129, 'against high': 37488, 'by test': 154239, 'test maker': 839081, 'maker other': 510849, 'than public': 841057, 'continuing from the': 201527, 'the last point': 859033, 'last point legislation': 480456, 'point legislation will': 662542, 'legislation will have': 486003, 'will have now': 993660, 'have now rightfully': 381738, 'now rightfully made': 575707, 'rightfully made it': 722453, 'made it so': 507807, 'so that no': 778384, 'that no american': 845356, 'no american have': 563610, 'pay anything out': 644752, 'of pocket for': 588190, 'pocket for covid': 662170, '19 testing leaving': 11104, 'testing leaving no': 839556, 'leaving no countervailing': 485114, 'no countervailing pressure': 563914, 'countervailing pressure against': 210352, 'pressure against high': 671130, 'against high price': 37489, 'high price set': 395273, 'price set by': 676347, 'set by test': 753363, 'by test maker': 154240, 'test maker other': 839082, 'maker other than': 510850, 'other than public': 621076, 'than public shaming': 841058, '25b': 16080, '10b': 2305, 'wednesdaythoughts just': 975728, 'for bailout': 319566, 'bailout usps': 108666, 'get 25b': 346475, '25b extra': 16081, 'extra cause': 293475, 'got 10b': 358363, '10b loan': 2306, 'wednesdaythoughts just about': 975729, 'everyone is trying': 287120, 'trying to use': 934896, 'to use for': 918028, 'use for bailout': 949217, 'for bailout usps': 319567, 'bailout usps is': 108667, 'usps is still': 950855, 'is still trying': 452322, 'to get 25b': 906401, 'get 25b extra': 346476, '25b extra cause': 16082, 'extra cause they': 293476, 'cause they already': 167769, 'they already got': 881133, 'already got 10b': 47381, 'got 10b loan': 358364, '10b loan in': 2307, 'melody': 527965, 'deviant melody': 239878, 'melody be': 527966, 'anthem of': 78232, 'everyone meet': 287181, 'day civilization': 227449, 'civilization end': 179592, 'and dance': 60940, 'dance the': 225579, 'go loot': 353811, 'old deviant melody': 598225, 'deviant melody be': 239879, 'melody be the': 527967, 'international anthem of': 441755, 'anthem of covid': 78233, 'on everyone meet': 600637, 'everyone meet up': 287182, 'meet up with': 527648, 'your friend this': 1023976, 'the day civilization': 852875, 'day civilization end': 227450, 'civilization end let': 179593, 'together and dance': 920687, 'and dance the': 60941, 'dance the kill': 225580, 'the kill and': 858804, 'kill and go': 474344, 'and go loot': 63777, 'go loot the': 353812, 'while we have': 987549, 'have the chance': 382968, 'from the heart': 337738, 'the heart the': 857208, 'heart the undervalued': 388340, 'tight people': 895837, 'this wuhan': 891555, 'out 100': 625518, '00 total': 565, 'total worldwide': 926275, 'll hit': 496845, '00 lot': 314, 'lot quicker': 504352, 'quicker all': 694430, 'best stock': 127912, 'god chinavirus': 354669, 'sit tight people': 771846, 'tight people this': 895838, 'people this wuhan': 649848, 'this wuhan virus': 891556, 'wuhan virus will': 1013522, 'virus will wipe': 959047, 'wipe out 100': 996345, 'out 100 00': 625519, '100 00 total': 1800, '00 total worldwide': 566, 'total worldwide in': 926276, 'worldwide in few': 1010376, 'week then we': 977022, 'then we ll': 877729, 'we ll hit': 972257, 'll hit 200': 496846, 'hit 200 00': 398097, '200 00 lot': 13440, '00 lot quicker': 315, 'lot quicker all': 504353, 'quicker all the': 694431, 'the best stock': 849554, 'best stock on': 127913, 'food and pray': 313311, 'pray to god': 669034, 'to god chinavirus': 906893, 'provide glove': 686333, 'not provide glove': 571144, 'provide glove or': 686334, 'glove or other': 352842, 'or other ppe': 616443, 'other ppe for': 620745, 'for worker essentialworkers': 327935, 'something doesn': 784892, 'doesn sit': 251943, 'sit right': 771840, '19 received': 9992, 'bitdefender assuring': 131851, 'assuring me': 97161, 'doesn add': 251686, 'through inflammatory': 894528, 'inflammatory problem': 436970, 'thought good': 893060, 'something doesn sit': 784894, 'doesn sit right': 251944, 'sit right with': 771841, 'with me this': 999454, 'me this covid': 523708, 'covid 19 received': 213665, '19 received an': 9993, 'from bitdefender assuring': 334701, 'bitdefender assuring me': 131852, 'assuring me that': 97162, 'me that online': 523622, 'that online purchase': 845512, 'online purchase are': 608817, 'purchase are protected': 689357, 'are protected something': 89296, 'protected something doesn': 685153, 'something doesn add': 784893, 'doesn add up': 251687, 'add up noticed': 31527, 'up noticed that': 945482, 'noticed that mostly': 573482, 'that mostly men': 845239, 'been going through': 121221, 'going through inflammatory': 355502, 'through inflammatory problem': 894529, 'inflammatory problem they': 436971, 'problem they were': 679716, 'they were just': 883781, 'were just wondering': 979823, 'just thought good': 470065, 'thought good for': 893061, 'good for now': 357085, 'capital will': 162698, 'always flow': 49559, 'flow where': 311269, 'it multiplies': 459706, 'multiplies and': 545824, 'an will': 56967, 'stay china': 796822, 'china because': 176519, 'price cheaper': 673118, 'win back': 995541, 'capital will always': 162699, 'will always flow': 992273, 'always flow where': 49560, 'flow where it': 311270, 'where it multiplies': 984968, 'it multiplies and': 459707, 'multiplies and that': 545825, 'that is an': 844554, 'is an will': 445698, 'an will stay': 56968, 'will stay china': 994961, 'stay china because': 796823, 'china because they': 176521, 'they can provide': 881664, 'can provide the': 159333, 'price and after': 672358, 'and after they': 57758, 'after they can': 36383, 'can make price': 158946, 'make price cheaper': 510351, 'price cheaper to': 673119, 'cheaper to win': 174287, 'to win back': 918610, 'win back their': 995542, 'back their customer': 107321, 'their customer that': 872959, 'customer that how': 222917, 'how capitalism is': 407536, 'capitalism is at': 162767, 'thornton': 891738, 'all thornton': 45154, 'thornton retail': 891739, 'have looked': 381376, 'particular store': 642641, 'not part': 570963, 'our franchise': 623160, 'franchise network': 331067, 'network here': 557725, 'we can confirm': 970922, 'can confirm that': 157957, 'confirm that all': 194102, 'that all thornton': 842575, 'all thornton retail': 45155, 'thornton retail store': 891740, 'been closed since': 120841, 'closed since the': 183334, 'since the 23rd': 770859, '23rd march we': 15518, 'march we have': 515520, 'we have looked': 971860, 'have looked into': 381377, 'looked into this': 502727, 'into this particular': 443219, 'this particular store': 889490, 'particular store can': 642642, 'store can confirm': 806852, 'confirm that this': 194105, 'is not part': 450149, 'not part of': 570964, 'of our franchise': 587476, 'our franchise network': 623161, 'franchise network here': 331068, 'ever gonna': 285324, 'make joke': 510073, 'toiletpaper cardi': 921850, 'cardi voice': 163749, 'will we ever': 995324, 'we ever gonna': 971487, 'ever gonna be': 285325, 'gonna be able': 356464, 'to not make': 910700, 'not make joke': 570497, 'make joke about': 510074, 'joke about toiletpaper': 467046, 'about toiletpaper cardi': 26750, 'toiletpaper cardi voice': 921851, 'brewer and': 139419, 'and distiller': 61497, 'distiller across': 247700, 'outbreak why': 628819, 'our distiller': 622772, 'distiller to': 247716, 'brewer and distiller': 139420, 'and distiller across': 61498, 'distiller across europe': 247701, 'across europe are': 29324, 'europe are using': 283407, 'using their production': 950733, 'production facility to': 682033, 'the outbreak why': 862724, 'outbreak why can': 628820, 'we ask our': 970781, 'ask our distiller': 95600, 'our distiller to': 622773, 'distiller to do': 247717, 'put warehouse': 690978, 'online shopping put': 609240, 'shopping put warehouse': 763702, 'put warehouse worker': 690979, 'warehouse worker in': 966822, 'worker in jeopardy': 1007179, 'though handsanitizer': 892819, 'sanitizer is back': 735184, 'in stock do': 428296, 'not know for': 570294, 'know for how': 476384, 'how long though': 408212, 'long though handsanitizer': 501753, 'ugly fruit': 938049, 'vegetable hit': 954005, 'hit top': 398480, 'are solely': 90250, 'blame they': 132310, 'wanted picture': 966227, 'picture perfect': 656185, 'perfect fruit': 651296, 'display photo': 246200, 'photo all': 655117, 'ugly fruit and': 938050, 'and vegetable hit': 74885, 'vegetable hit top': 954006, 'hit top shelf': 398481, 'top shelf to': 925719, 'shelf to meet': 757701, '19 supermarket are': 10948, 'supermarket are solely': 819184, 'are solely to': 90251, 'solely to blame': 781873, 'to blame they': 901850, 'blame they wanted': 132311, 'they wanted picture': 883722, 'wanted picture perfect': 966228, 'picture perfect fruit': 656186, 'perfect fruit vegetable': 651297, 'fruit vegetable for': 339180, 'vegetable for display': 953984, 'for display photo': 320763, 'display photo all': 246201, 'photo all consumer': 655118, 'all consumer want': 42436, 'consumer want is': 199466, 'want is great': 965827, 'is great taste': 448207, 'hope ppl': 403601, 'ppl stocked': 668334, 'get shipment': 347972, 'protein because': 685882, 'crazy how these': 215326, 'how these grocery': 408908, 'store look really': 808822, 'look really hope': 502580, 'really hope ppl': 702310, 'hope ppl stocked': 403602, 'ppl stocked up': 668335, 'stocked up because': 803434, 'up because lot': 944474, 'of store might': 590259, 'store might not': 808957, 'might not get': 531094, 'not get shipment': 569605, 'get shipment of': 347974, 'shipment of protein': 758768, 'of protein because': 588563, 'protein because of': 685883, 'imposition': 419341, 'going empty': 355132, 'or sanitizers': 616957, 'sanitizers available': 736233, 'on counter': 600139, 'elderly please': 270854, 'situation all': 772164, 'all imposition': 43190, 'imposition by': 419342, 'are precautionary': 89179, 'measure indiafightscorona': 525238, 'are going empty': 86883, 'going empty no': 355133, 'empty no mask': 274962, 'mask or sanitizers': 519075, 'or sanitizers available': 616958, 'sanitizers available on': 736234, 'available on counter': 104529, 'on counter for': 600140, 'counter for elderly': 210215, 'for elderly please': 320998, 'elderly please do': 270855, 'not go in': 569678, 'go in panic': 353713, 'in panic situation': 426489, 'panic situation all': 638603, 'situation all imposition': 772165, 'all imposition by': 43191, 'imposition by the': 419343, 'government are precautionary': 359901, 'are precautionary measure': 89180, 'precautionary measure indiafightscorona': 669425, 'in telangana': 428854, 'telangana amid': 836637, 'veggie price soar': 954209, 'price soar in': 676528, 'soar in telangana': 779255, 'in telangana amid': 428855, 'telangana amid panic': 836638, 'hav': 379060, 'wat': 968332, 'savanna': 737449, 'kno': 476134, 'hav no': 379061, 'idea wat': 413221, 'wat is': 968336, 'of savanna': 589332, 'savanna la': 737450, 'la mar': 478186, 'mar all': 515003, 'all kno': 43325, 'kno is': 476135, 'is wen': 453854, 'wen go': 978907, 'the rd': 865192, 'rd for': 698131, 'service hav': 752444, 'hav running': 379063, 'atm pharmacy': 101950, 'supermarket mayor': 821483, 'mayor councilors': 521937, 'councilors the': 210063, 'messenger 19': 529536, 'hav no idea': 379062, 'no idea wat': 564470, 'idea wat is': 413222, 'wat is happening': 968337, 'in the home': 429270, 'the home town': 857458, 'home town of': 402367, 'town of savanna': 927522, 'of savanna la': 589333, 'savanna la mar': 737451, 'la mar all': 478187, 'mar all kno': 515004, 'all kno is': 43326, 'kno is wen': 476136, 'is wen go': 453855, 'wen go on': 978908, 'on the rd': 604318, 'the rd for': 865193, 'rd for essential': 698132, 'essential service hav': 281507, 'service hav running': 752445, 'hav running from': 379064, 'running from people': 727967, 'from people especially': 336876, 'people especially at': 647815, 'the atm pharmacy': 849016, 'atm pharmacy supermarket': 101951, 'pharmacy supermarket mayor': 654490, 'supermarket mayor councilors': 821484, 'mayor councilors the': 521938, 'councilors the messenger': 210064, 'the messenger 19': 860534, 'the suburb': 868366, 'suburb wondering': 816131, 'australia my': 103334, 'not identify': 570044, 'identify the': 413370, 'by suburb': 154152, 'in the suburb': 429583, 'the suburb wondering': 868367, 'suburb wondering if': 816132, 'wondering if people': 1004175, 'people would wear': 650550, 'point in australia': 662516, 'in australia my': 420611, 'australia my concern': 103335, 'ha not identify': 371366, 'not identify the': 570045, 'identify the infected': 413371, 'the infected by': 858218, 'infected by suburb': 436548, 'that johnson': 844779, 'johnson made': 466607, 'made no': 507871, 'distancing limit': 247285, 'once keeping': 605670, 'all measure': 43480, 'in already': 420203, 'already lockdown': 47509, 'odd that johnson': 579193, 'that johnson made': 844780, 'johnson made no': 466608, 'made no mention': 507872, 'mention of social': 528780, 'social distancing limit': 779650, 'distancing limit on': 247286, 'limit on how': 492412, 'how many in': 408264, 'many in supermarket': 514171, 'at once keeping': 99959, 'once keeping your': 605671, 'from the till': 337901, 'the till all': 869554, 'till all measure': 895989, 'all measure we': 43481, 'measure we have': 525423, 'have in already': 381033, 'in already lockdown': 420204, 'price retreated': 676205, 'retreated again': 719763, 'china late': 176787, 'late mar': 480888, 'mar nb': 515020, 'nb data': 553195, 'data showed': 226416, 'showed impacted': 767331, 'by slower': 154040, 'expected reduction': 290928, 'of steel': 590114, 'and weakened': 75344, 'weakened market': 974076, 'amid escalation': 52457, 'escalation of': 280292, 'spread oversupply': 790743, 'and bearish': 58783, 'bearish sentiment': 118463, 'sentiment reversed': 750991, 'reversed mild': 720534, 'mild increase': 531332, 'mid mar': 530571, 'product price retreated': 681546, 'price retreated again': 676206, 'retreated again in': 719764, 'again in china': 37038, 'in china late': 421413, 'china late mar': 176788, 'late mar nb': 480889, 'mar nb data': 515021, 'nb data showed': 553196, 'data showed impacted': 226417, 'showed impacted by': 767332, 'impacted by slower': 418089, 'by slower than': 154041, 'than expected reduction': 840630, 'expected reduction of': 290929, 'reduction of steel': 706393, 'of steel product': 590115, 'steel product and': 799358, 'product and weakened': 680919, 'and weakened market': 75345, 'weakened market amid': 974077, 'market amid escalation': 515934, 'amid escalation of': 52458, 'escalation of covid': 280293, '19 spread oversupply': 10748, 'spread oversupply and': 790744, 'oversupply and bearish': 631574, 'and bearish sentiment': 58784, 'bearish sentiment reversed': 118464, 'sentiment reversed mild': 750992, 'reversed mild increase': 720535, 'mild increase in': 531333, 'increase in mid': 432845, 'in mid mar': 425297, 'brian go': 139558, 'pas each': 643101, 'other within': 621209, 'within radius': 1002412, 'than meter': 840884, 'meter how': 529721, 'problem brian go': 679482, 'brian go to': 139559, 'store time and': 810741, 'time and wear': 896306, 'or glove and': 615469, 'glove and pas': 352571, 'and pas each': 68739, 'pas each other': 643102, 'each other within': 264237, 'other within radius': 621210, 'within radius of': 1002413, 'radius of le': 695490, 'of le than': 585749, 'le than meter': 483179, 'than meter how': 840885, 'meter how many': 529722, 'become infected with': 120039, 'revo': 720708, 'revo that': 720709, 'true wa': 933205, 'saying how': 739608, 'taken her': 833004, 'kid out': 474070, 'school this': 741952, 'her three': 392449, 'kid standing': 474114, 'revo that is': 720710, 'so true wa': 778575, 'true wa at': 933206, 'yesterday and while': 1015673, 'and while waiting': 75574, 'the queue the': 865055, 'queue the lady': 694085, 'of me wa': 586349, 'me wa saying': 523891, 'wa saying how': 963144, 'saying how she': 739609, 'how she ha': 408660, 'she ha taken': 756081, 'ha taken her': 372144, 'taken her kid': 833005, 'her kid out': 392153, 'kid out of': 474071, 'of school this': 589403, 'school this week': 741953, 'this week due': 891210, 'to concern with': 903174, 'concern with covid': 193139, '19 with her': 12132, 'with her three': 998782, 'her three kid': 392450, 'three kid standing': 893971, 'kid standing next': 474115, 'tired from': 899032, 'from dodging': 335175, 'dodging all': 251293, 'so tired from': 778529, 'tired from dodging': 899033, 'from dodging all': 335176, 'dodging all the': 251294, 'store that still': 810575, 'that still don': 846481, 'don get that': 253545, 'get that they': 348215, 'that they should': 846951, 'should keep their': 766171, 'news co': 560320, 'infection news co': 436794, 'house for remaining': 406309, 'for remaining day': 325101, 'minnesota charity': 533596, 'charity group': 173632, 'group particularly': 366831, 'or volunteer': 617691, 'minnesota charity group': 533597, 'charity group particularly': 173633, 'group particularly food': 366832, 'demand and fewer': 234965, 'can donate or': 158141, 'donate or volunteer': 254217, 'tackle online': 831591, 'authority to tackle': 103808, 'to tackle online': 916134, 'tackle online scam': 831592, 'and fake online': 62630, 'fake online sale': 296683, 'people problem': 649190, 'problem cut': 679506, 'is no supply': 449977, 'problem just people': 679586, 'just people problem': 469444, 'people problem cut': 649191, 'problem cut it': 679507, 'cut it out': 223408, 'it out quarantinelife': 460190, 'food shortage because': 316559, 'coronavirus pandemic 19': 206432, 'pandemic 19 corona': 634768, 'food psa': 316073, 'helpful tip for': 391234, 'how to bring': 408984, 'bring in your': 140004, 'store item and': 808602, 'item and take': 463075, 'and take out': 72970, 'out food psa': 626087, 'food psa safe': 316074, 'hour now': 405789, 'for almost an': 319211, 'an hour now': 56092, 'hour now and': 405790, 'and still not': 72382, 'still not close': 800890, 'the flex': 855398, 'flex of': 310349, '2020 got': 14345, 'me dead': 522640, 'dead toiletpaper': 229183, 'the flex of': 855399, 'flex of 2020': 310350, 'of 2020 got': 579493, '2020 got me': 14346, 'got me dead': 358693, 'me dead toiletpaper': 522641, 'dead toiletpaper handsanitizer': 229184, 'driver driving': 259519, 'the tough': 869824, 'thankful for nurse': 841908, 'clerk and those': 181646, 'the shelf let': 866852, 'shelf let not': 757277, 'not forget about': 569506, 'about the truck': 26545, 'truck driver driving': 932772, 'driver driving to': 259520, 'driving to get': 260018, 'get the store': 348297, 'the store their': 868118, 'store their order': 810633, 'their order it': 874137, 'order it job': 618344, 'it job that': 459198, 'job that only': 466184, 'that only the': 845526, 'only the tough': 611281, 'the tough can': 869825, 'tough can do': 926804, 'deliver hand': 233146, 'school so': 741927, 'world return': 1009935, 'the rite': 865895, 'rite and': 724149, 'healthy learning': 387675, 'learning environment': 484199, 'our first order': 623083, 'first order of': 308839, 'order of business': 618441, 'business is to': 143959, 'is to deliver': 453192, 'to deliver hand': 904102, 'deliver hand sanitizer': 233147, 'sanitizer at no': 734515, 'cost to local': 208138, 'to local school': 909385, 'local school so': 498375, 'school so that': 741928, 'the world return': 871950, 'world return to': 1009936, 'return to it': 719920, 'to it new': 908599, 'it new normal': 459791, 'normal our child': 567243, 'our child have': 622365, 'child have the': 176103, 'have the rite': 383021, 'the rite and': 865896, 'rite and access': 724150, 'access to clean': 28221, 'clean and healthy': 180459, 'and healthy learning': 64394, 'healthy learning environment': 387676, 'prime for': 678113, 'for unlimited': 327450, 'unlimited free': 942778, 'delivery low': 234163, 'digital camera': 242517, 'camera mp3': 157122, 'mp3 sport': 544295, 'sport book': 789907, 'book music': 134567, 'music dvd': 546299, 'dvd video': 263638, 'game home': 343183, 'garden much': 343615, 'up to amazon': 946357, 'to amazon prime': 900396, 'amazon prime for': 51075, 'prime for unlimited': 678114, 'for unlimited free': 327451, 'unlimited free delivery': 942779, 'free delivery low': 331755, 'delivery low price': 234164, 'low price at': 505501, 'price at amazon': 672791, 'at amazon on': 97951, 'amazon on digital': 51051, 'on digital camera': 600321, 'digital camera mp3': 242518, 'camera mp3 sport': 157123, 'mp3 sport book': 544296, 'sport book music': 789908, 'book music dvd': 134568, 'music dvd video': 546300, 'dvd video game': 263639, 'video game home': 956755, 'game home garden': 343184, 'home garden much': 401290, 'garden much more': 343616, 'much more lockdown': 545116, 'itishappening': 463894, 'the rubbish': 866026, 'rubbish and': 726985, 'the handmaid': 857078, 'tale just': 833694, 'just we': 470256, 'guardian behind': 367892, 'behind gilead': 124631, 'gilead itishappening': 350124, 'ventured out of': 954695, 'house to throw': 406635, 'throw away the': 895015, 'away the rubbish': 106049, 'the rubbish and': 866027, 'rubbish and go': 726986, 'felt like in': 303409, 'in the handmaid': 429255, 'the handmaid tale': 857079, 'handmaid tale just': 376427, 'tale just we': 833695, 'just we cannot': 470257, 'even go for': 284125, 'for walk with': 327631, 'walk with the': 964925, 'with the guardian': 1001324, 'the guardian behind': 856908, 'guardian behind gilead': 367893, 'behind gilead itishappening': 124632, 'truth toiletpaper': 934415, 'ain that the': 39663, 'that the truth': 846854, 'the truth toiletpaper': 870093, 'stuff together': 815229, 'the helm': 857256, 'helm lock': 389265, 'know came': 476323, 'your stuff together': 1026019, 'stuff together the': 815230, 'at the helm': 100976, 'the helm lock': 857257, 'helm lock it': 389266, 'lock it close': 499073, 'it close the': 457186, 'the border people': 849873, 'people know came': 648596, 'know came back': 476324, 'panic price': 638435, 'price escalation': 673697, 'escalation job': 280290, 'loss income': 503711, 'loss price': 503766, 'drop lack': 260289, 'food world': 317683, 'world absolutely': 1009259, 'powerless and': 667828, 'without freedom': 1002673, 'look like mass': 502494, 'mass panic price': 519829, 'panic price escalation': 638436, 'price escalation job': 673698, 'escalation job loss': 280291, 'job loss income': 465977, 'loss income loss': 503712, 'income loss price': 432403, 'loss price drop': 503767, 'price drop lack': 673574, 'drop lack of': 260290, 'of food world': 583824, 'food world absolutely': 317684, 'world absolutely powerless': 1009260, 'absolutely powerless and': 27432, 'powerless and without': 667829, 'and without freedom': 75793, 'without freedom heed': 1002674, 'retailer going': 719162, 'le rule': 483105, 'rule suggestion': 727359, 'suggestion many': 817654, 'have 60': 379096, '60 employee': 20945, 'employee alone': 273537, 'alone before': 46831, 'customer enter': 222336, 'enter there': 278323, 'what are big': 981057, 'are big box': 84973, 'box retailer going': 137150, 'retailer going to': 719163, 'with the 60': 1001189, 'the 60 or': 848165, '60 or le': 20977, 'or le rule': 615948, 'le rule suggestion': 483106, 'rule suggestion many': 727360, 'suggestion many of': 817655, 'of those store': 592115, 'those store have': 892495, 'store have 60': 808064, 'have 60 employee': 379097, '60 employee alone': 20946, 'employee alone before': 273538, 'alone before the': 46832, 'before the customer': 123154, 'the customer enter': 852718, 'customer enter there': 222337, 'enter there store': 278324, 'there store retail': 879112, 'aftermath bound': 36650, 'aftermath bound to': 36651, 'bound to create': 136859, 'create new consumer': 215698, 'stateag': 796114, 'paycheck falter': 645281, 'falter bank': 297485, 'bank agree': 109577, 'to pennsylvania': 911602, 'pennsylvania consumer': 646561, 'package stateag': 633403, 'stateag consumer': 796115, '19 finance': 7002, 'finance mortgage': 306241, 'mortgage crisis': 541883, 'crisis care': 217194, 'paycheck falter bank': 645282, 'falter bank agree': 297486, 'bank agree to': 109578, 'agree to pennsylvania': 38667, 'to pennsylvania consumer': 911603, 'pennsylvania consumer relief': 646562, 'relief package stateag': 709425, 'package stateag consumer': 633404, 'stateag consumer 19': 796116, 'consumer 19 finance': 195981, '19 finance mortgage': 7003, 'finance mortgage crisis': 306242, 'mortgage crisis care': 541884, 'incharge': 431402, 'are incharge': 87469, 'incharge of': 431403, 'am begging': 49928, 'begging please': 123484, 'your big': 1022960, 'big age': 129613, 'else into': 271745, 'adult are incharge': 32801, 'are incharge of': 87470, 'incharge of food': 431404, 'of food shopping': 583777, 'food shopping am': 316508, 'shopping am begging': 761936, 'am begging please': 49929, 'begging please at': 123485, 'at your big': 101670, 'your big age': 1022961, 'big age stop': 129614, 'age stop bulk': 37903, 'stop bulk buying': 804518, 'bulk buying you': 142289, 'sending everyone else': 750019, 'everyone else into': 286862, 'else into panic': 271746, 'doggo': 252197, 'get doggo': 346898, 'doggo food': 252198, 'to european': 905278, 'european supply': 283616, 'but paid': 146743, 'paid 20': 633946, 'more wonder': 541000, 'if ll': 414383, 'not doggo': 569081, 'doggo is': 252200, 've not been': 953395, 'to get doggo': 906460, 'get doggo food': 346899, 'doggo food not': 252199, 'food not due': 315562, 'due to european': 261774, 'to european supply': 905279, 'european supply issue': 283617, 'supply issue caused': 825463, '19 have ordered': 7452, 'have ordered from': 381830, 'ordered from amazon': 618852, 'from amazon but': 334457, 'amazon but paid': 50885, 'but paid 20': 146744, 'paid 20 more': 633947, '20 more wonder': 13188, 'more wonder if': 541001, 'wonder if ll': 1003972, 'if ll get': 414384, 'get this or': 348409, 'or not if': 616301, 'not if not': 570049, 'if not doggo': 414493, 'not doggo is': 569082, 'doggo is on': 252201, 'is on ration': 450479, 'affraid': 34918, 'so affraid': 776466, 'affraid of': 34919, 'whole evening': 990187, 'evening in': 284872, 'so affraid of': 776467, 'affraid of covid': 34920, '19 that ll': 11156, 'that ll spend': 844913, 'll spend my': 497024, 'spend my whole': 788649, 'my whole evening': 550576, 'whole evening in': 990188, 'evening in crowded': 284873, 'second local': 743759, 'with second local': 1000606, 'second local supermarket': 743760, 'railway increase price': 695708, 'sentiment oil': 750971, 'oil shock': 597427, 'add consumer confidence': 31416, 'confidence and sentiment': 193824, 'and sentiment oil': 71276, 'sentiment oil shock': 750972, 'oil shock and': 597428, 'shock and covid': 759422, '19 are going': 5199, 'going to leave': 355640, 'yokel': 1016532, 'with horde': 998877, 'of yokel': 593365, 'yokel who': 1016533, 'those cart': 891859, 'cart will': 165424, 'so will all': 778768, 'will all the': 992237, 'supermarket with horde': 823926, 'with horde of': 998878, 'horde of yokel': 404004, 'of yokel who': 593366, 'yokel who will': 1016534, 'reason those cart': 703015, 'those cart will': 891860, 'cart will never': 165425, 'never be cleaned': 557875, 'deducted': 231779, 'commish': 188772, 'coloured': 186864, 'are deducted': 85715, 'deducted from': 231780, 'original commish': 619560, 'commish sheet': 188773, 'sheet this': 756623, 'issue inked': 455807, 'inked 10': 438755, '10 coloured': 1360, 'coloured 20': 186865, '20 shaded': 13337, 'shaded 30': 754331, 'the price that': 864421, 'that are deducted': 842736, 'are deducted from': 85716, 'deducted from the': 231781, 'from the original': 337817, 'the original commish': 862485, 'original commish sheet': 619561, 'commish sheet this': 188774, 'sheet this is': 756624, '19 issue inked': 8115, 'issue inked 10': 455808, 'inked 10 coloured': 438756, '10 coloured 20': 1361, 'coloured 20 shaded': 186866, '20 shaded 30': 13338, 'stockbuybacks': 803238, 'money shouldn': 537016, 'for stockbuybacks': 325914, 'stockbuybacks to': 803239, 'benefit select': 127077, 'select few': 747467, 'few money': 303919, 'money should': 537014, 'should instead': 766137, 'instead go': 440186, 'into much': 442773, 'needed research': 556477, 'building of': 142120, 'and contingency': 60488, 'contingency measure': 200948, 'turmoil ha': 935618, 'money shouldn be': 537017, 'shouldn be allowed': 766721, 'allowed for stockbuybacks': 46157, 'for stockbuybacks to': 325915, 'stockbuybacks to prop': 803240, 'prop up share': 684049, 'price and benefit': 672369, 'and benefit select': 58895, 'benefit select few': 127078, 'select few money': 747468, 'few money should': 303920, 'money should instead': 537015, 'should instead go': 766138, 'instead go into': 440187, 'go into much': 353758, 'into much needed': 442774, 'much needed research': 545166, 'needed research and': 556478, 'research and building': 713669, 'and building of': 59247, 'building of hospital': 142121, 'of hospital and': 584762, 'hospital and contingency': 404281, 'and contingency measure': 60489, 'contingency measure to': 200949, 'counter the turmoil': 210270, 'the turmoil ha': 870113, 'turmoil ha caused': 935619, 'toomuchalonetime': 925476, 'since stuck': 770844, 'and smell': 71804, 'sanitizer created': 734715, 'this toomuchalonetime': 890811, 'toomuchalonetime purell': 925477, 'purell socialdistancing': 690028, 'since stuck home': 770845, 'stuck home and': 814586, 'home and smell': 400687, 'and smell of': 71806, 'hand sanitizer created': 375361, 'sanitizer created this': 734716, 'created this toomuchalonetime': 215916, 'this toomuchalonetime purell': 890812, 'toomuchalonetime purell socialdistancing': 925478, 'hoarding hundred': 399368, 'causing empty': 168029, 'problem lie': 679589, 'lie with': 488399, 'time method': 897204, 'distribution under': 248248, 'under capitalism': 940028, 'few people hoarding': 303987, 'people hoarding hundred': 648275, 'hoarding hundred of': 399369, 'hundred of toilet': 411020, 'toilet roll isn': 921577, 'roll isn causing': 725355, 'isn causing empty': 454458, 'causing empty shelf': 168030, 'shelf the problem': 757655, 'the problem lie': 864517, 'problem lie with': 679590, 'lie with just': 488400, 'with just in': 999128, 'in time method': 430086, 'time method of': 897205, 'method of production': 529784, 'of production and': 588508, 'and distribution under': 61531, 'distribution under capitalism': 248249, 'in commerce ecommerce': 421596, 'commerce ecommerce consumer': 188550, 'to innovation': 908399, 'realtime retail': 702769, 'innovation disruption': 438867, 'disruption grocery': 246484, 'grocery retailindustry': 364904, 'retailindustry realtime': 719469, 'realtime supermarket': 702773, 'response to innovation': 715857, 'to innovation in': 908400, 'in realtime retail': 427310, 'realtime retail innovation': 702770, 'retail innovation disruption': 718231, 'innovation disruption grocery': 438868, 'disruption grocery retailindustry': 246485, 'grocery retailindustry realtime': 364905, 'retailindustry realtime supermarket': 719470, 'realtime supermarket supplychain': 702774, 'bhopal due': 129385, 'pathani bhopal due': 644044, 'bhopal due to': 129386, 'enlarged': 277259, 'both 75': 135830, 'an enlarged': 55760, 'enlarged heart': 277260, 'heart my': 388311, 'worker sister': 1007787, 'sister living': 771774, 'living next': 496420, 'door ha': 255600, 'symptom she': 830920, 'normally go': 567503, 'hi my parent': 394706, 'parent are both': 641580, 'are both 75': 85031, 'both 75 and': 135831, '75 and my': 22113, 'dad ha an': 224336, 'ha an enlarged': 369541, 'an enlarged heart': 55761, 'enlarged heart my': 277261, 'heart my social': 388312, 'my social worker': 550139, 'social worker sister': 780023, 'worker sister living': 1007788, 'sister living next': 771775, 'living next door': 496421, 'next door ha': 561344, 'door ha covid': 255601, '19 symptom she': 11022, 'symptom she would': 830921, 'she would normally': 756488, 'would normally go': 1012067, 'normally go food': 567504, 'for them would': 326933, 'them would they': 876670, 'would they qualify': 1012327, 'they qualify for': 882965, 'qualify for priority': 691727, 'priority online food': 678620, 'food shopping thanks': 316539, 'ruralamerica': 728278, 'latest framework': 481350, 'framework for': 330948, 'brand manage': 137898, 'unknown we': 942548, 'offer marketing': 594695, 'marketing recommendation': 517689, 'recommendation based': 704738, 'on research': 603160, 'research that': 713854, 'reflect current': 706604, 'consumer condition': 196876, 'condition human': 193463, 'for rural': 325272, 'america marketing': 51608, 'marketing ruralamerica': 517695, 'our latest framework': 623664, 'latest framework for': 481351, 'framework for helping': 330950, 'for helping brand': 322196, 'helping brand manage': 391283, 'brand manage the': 137899, 'manage the unknown': 512448, 'the unknown we': 870439, 'unknown we offer': 942549, 'we offer marketing': 972627, 'offer marketing recommendation': 594696, 'marketing recommendation based': 517690, 'recommendation based on': 704739, 'based on research': 111694, 'on research that': 603161, 'research that reflect': 713855, 'that reflect current': 845979, 'reflect current consumer': 706605, 'current consumer condition': 221140, 'consumer condition human': 196877, 'condition human need': 193464, 'human need for': 410574, 'need for rural': 554869, 'for rural america': 325273, 'rural america marketing': 728216, 'america marketing ruralamerica': 51609, 'eatingin': 266348, 'despite some': 238856, 'concern food': 192967, 'becoming popular': 120335, 'option people': 614085, 'people reduce': 649256, 'interaction food': 441241, 'food eatingin': 314332, 'despite some concern': 238857, 'some concern food': 782582, 'concern food delivery': 192968, 'delivery are becoming': 233713, 'are becoming popular': 84807, 'becoming popular option': 120336, 'popular option people': 664581, 'option people reduce': 614086, 'people reduce their': 649257, 'reduce their social': 705989, 'their social interaction': 874744, 'social interaction food': 779810, 'interaction food eatingin': 441242, 'redshift': 705772, 'uctm': 937902, 'robocallers are': 724756, 'advantage covid': 32969, 'beware implement': 129068, 'implement redshift': 418416, 'redshift uctm': 705773, 'uctm technology': 937903, 'technology delivered': 836278, 'cloud or': 184315, 'one premise': 606916, 'robocallers are taking': 724757, 'taking advantage covid': 833254, 'advantage covid 19': 32970, '19 beware implement': 5388, 'beware implement redshift': 129069, 'implement redshift uctm': 418417, 'redshift uctm technology': 705774, 'uctm technology delivered': 937904, 'technology delivered via': 836279, 'delivered via the': 233442, 'via the cloud': 956302, 'the cloud or': 851068, 'cloud or one': 184316, 'or one premise': 616383, 'and horrifying': 64739, 'horrifying headline': 404174, 'tension security': 837995, 'guard and': 367775, 'filter the': 305779, 'entry of': 279006, 'migrant to': 531222, 'incredible and horrifying': 433817, 'and horrifying headline': 64740, 'horrifying headline from': 404175, 'avoid tension security': 105314, 'tension security guard': 837996, 'security guard and': 744610, 'guard and police': 367777, 'police filter the': 662994, 'filter the entry': 305780, 'the entry of': 854394, 'entry of migrant': 279007, 'of migrant to': 586497, 'migrant to the': 531223, 'horrendously': 404089, 'government incompetence': 360222, 'incompetence and': 432518, 'slow approach': 774322, 'approach coupled': 82935, 'crowd madness': 219201, 'madness that': 508213, 'been horrendously': 121310, 'horrendously managed': 404090, 'managed ha': 512476, 'just massively': 469228, 'massively spread': 520187, 'fear this government': 301395, 'this government incompetence': 887738, 'government incompetence and': 360223, 'incompetence and slow': 432519, 'and slow approach': 71748, 'slow approach coupled': 774323, 'approach coupled with': 82936, 'the supermarket crowd': 868543, 'supermarket crowd madness': 819871, 'crowd madness that': 219202, 'madness that ha': 508214, 'ha been horrendously': 369828, 'been horrendously managed': 121311, 'horrendously managed ha': 404091, 'managed ha just': 512477, 'ha just massively': 371057, 'just massively spread': 469229, 'amazing stuff': 50786, 'stuff about': 814999, 'can disinfect': 158077, 'wasted to': 968269, 'the amazing stuff': 848617, 'amazing stuff about': 50787, 'stuff about this': 815000, 'you can disinfect': 1017659, 'can disinfect your': 158078, 'and then just': 73777, 'then just get': 877293, 'just get wasted': 468805, 'get wasted to': 348599, 'wasted to the': 968270, 'to the bejesus': 916514, 'me eating': 522697, 'eating this': 266316, 'because ignored': 119150, 'ignored all': 415863, 'me eating this': 522698, 'eating this food': 266317, 'this food didn': 887576, 'food didn have': 314204, 'didn have because': 241085, 'have because ignored': 379422, 'because ignored all': 119151, 'ignored all the': 415864, 'fall below per': 296863, 'below per gallon': 126708, 'gallon for first': 343005, 'in year amid': 431017, 'year amid covid': 1014384, 'outbreak and crude': 627992, 'fdic fdic': 300971, 'fdic consumer': 300969, 'fdic fdic consumer': 300972, 'fdic consumer news': 300970, 'consumer news covid': 198212, 'and your financial': 76075, 'my over': 549629, '60 parent': 20981, 'parent one': 641694, 'with lupus': 999349, 'lupus one': 506820, 'one retired': 606963, 'retired lifetime': 719682, 'lifetime smoker': 489407, 'smoker with': 775893, 'with heart': 998760, 'heart problem': 388324, 'had stroke': 373572, 'stroke last': 813939, 'year decided': 1014512, 'today instead': 919708, 'instead rely': 440350, 'kid refuse': 474086, 'refuse help': 707020, 'so my over': 777844, 'my over 60': 549630, 'over 60 parent': 629878, '60 parent one': 20982, 'parent one with': 641695, 'one with lupus': 607486, 'with lupus one': 999350, 'lupus one retired': 506821, 'one retired lifetime': 606964, 'retired lifetime smoker': 719683, 'lifetime smoker with': 489408, 'smoker with heart': 775894, 'with heart problem': 998761, 'heart problem just': 388325, 'problem just had': 679585, 'just had stroke': 468907, 'had stroke last': 373573, 'stroke last year': 813940, 'last year decided': 480722, 'year decided to': 1014513, 'do their grocery': 250276, 'shopping today instead': 764211, 'today instead rely': 919709, 'instead rely on': 440351, 'on their kid': 604490, 'their kid refuse': 873759, 'kid refuse help': 474087, 'refuse help of': 707021, 'help of online': 390162, 'and they decide': 73897, 'decide to do': 230842, 'their grocery in': 873448, 'grocery in lot': 364616, 'microsoft announced': 530502, 'evening that': 284908, 'microsoft announced this': 530503, 'announced this evening': 77092, 'this evening that': 887446, 'evening that it': 284909, 'be closing all': 114141, 'store location due': 808796, 'isolation 19': 455177, 'store during self': 807408, 'self isolation 19': 747751, 'isolation 19 selfisolating': 455178, 'redfin': 705699, 'kelman': 472736, 'redfin ceo': 705700, 'ceo glenn': 169711, 'glenn kelman': 351697, 'kelman share': 472737, 'expects house': 291081, 'long result': 501595, 'redfin ceo glenn': 705701, 'ceo glenn kelman': 169712, 'glenn kelman share': 351698, 'kelman share how': 472738, 'share how much': 755039, 'how much he': 408353, 'much he expects': 544987, 'he expects house': 384942, 'expects house price': 291082, 'go down and': 353484, 'down and for': 256495, 'and for how': 63143, 'how long result': 408206, 'long result of': 501596, 'ismp': 454410, 'member amp': 528002, 'practitioner during': 668798, 'by updating': 154640, 'updating your': 947493, 'your medication': 1024807, 'medication list': 526660, 'list read': 494522, 'this ismp': 888479, 'ismp article': 454411, 'prepare in': 670104, 'hospital visit': 404701, 'help family member': 389681, 'family member amp': 298023, 'member amp healthcare': 528003, 'amp healthcare practitioner': 53923, 'healthcare practitioner during': 387219, 'practitioner during the': 668799, 'pandemic by updating': 635080, 'by updating your': 154641, 'updating your medication': 947494, 'your medication list': 1024808, 'medication list read': 526661, 'list read this': 494523, 'read this ismp': 700619, 'this ismp article': 888480, 'ismp article to': 454412, 'article to prepare': 94487, 'to prepare in': 912004, 'prepare in case': 670105, 'case of hospital': 165907, 'of hospital visit': 584768, '1b': 12581, 'byrum': 154832, 'even mi': 284330, 'mi sector': 530135, 'impacted about': 418063, 'of mi': 586467, 'mi 1b': 530128, '1b in': 12582, 'in corn': 421788, 'corn production': 203590, 'production go': 682060, 'ethanol but': 282970, 'but fewer': 145716, 'driving that': 260002, 'down dramatically': 256700, 'dramatically said': 258368, 'said jim': 731180, 'jim byrum': 465494, 'byrum 19': 154833, 'even mi sector': 284331, 'mi sector is': 530136, 'sector is impacted': 744248, 'is impacted about': 448687, 'impacted about half': 418064, 'half of mi': 374229, 'of mi 1b': 586468, 'mi 1b in': 530129, '1b in corn': 12583, 'in corn production': 421789, 'corn production go': 203591, 'production go to': 682061, 'go to ethanol': 354305, 'to ethanol but': 905268, 'ethanol but fewer': 282971, 'but fewer people': 145717, 'fewer people driving': 304228, 'people driving that': 647729, 'driving that market': 260003, 'that market is': 845044, 'market is drying': 516623, 'drying up and': 261339, 'up and price': 944361, 'are down dramatically': 85974, 'down dramatically said': 256701, 'dramatically said jim': 258369, 'said jim byrum': 731181, 'jim byrum 19': 465495, 'sustainablefashion': 829813, 'shopping following': 762647, 'summer essential': 817973, 'encourage conscious': 275576, 'conscious buying': 194794, 'possible shoplocal': 665771, 'shoplocal sustainablefashion': 761241, 'noticed that lot': 573481, 'online shopping following': 609122, 'shopping following the': 762648, 'outbreak of so': 628487, 'of so have': 589808, 'so have put': 777261, 'list of summer': 494478, 'of summer essential': 590391, 'summer essential to': 817974, 'essential to encourage': 281694, 'to encourage conscious': 905057, 'encourage conscious buying': 275577, 'conscious buying where': 194795, 'buying where possible': 151353, 'where possible shoplocal': 985121, 'possible shoplocal sustainablefashion': 665772, 'home genuinely': 401293, 'genuinely no': 345900, 'one wear': 607396, 'glove like': 352753, 'happening the': 377410, 'hit very': 398502, 'next coming': 561308, 'lockdown uklockdown': 500090, 'supermarket after week': 818818, 'after week at': 36523, 'at home genuinely': 98997, 'home genuinely no': 401294, 'genuinely no one': 345901, 'no one wear': 564983, 'one wear protective': 607397, 'protective mask or': 685782, 'or glove like': 615475, 'glove like nothing': 352754, 'like nothing is': 490884, 'nothing is happening': 573064, 'is happening the': 448290, 'happening the uk': 377411, 'uk will be': 938901, 'be hit very': 115271, 'hit very hard': 398503, 'very hard in': 955212, 'the next coming': 861658, 'next coming week': 561309, 'coming week hope': 188277, 'week hope not': 976339, 'hope not lockdown': 403555, 'not lockdown uklockdown': 570448, 'commerialrealestate': 188770, 'retailrealestate': 719538, 'prominent grocery': 683658, 'also landlord': 48463, 'helping it': 391363, 'tenant get': 837842, 'them much': 876038, 'needed rent': 556475, 'relief commerialrealestate': 709308, 'commerialrealestate retailrealestate': 188771, 'prominent grocery store': 683659, 'store chain that': 806935, 'chain that is': 171161, 'that is also': 844553, 'is also landlord': 445562, 'also landlord is': 48464, 'landlord is helping': 479356, 'is helping it': 448402, 'helping it retail': 391364, 'it retail tenant': 460750, 'retail tenant get': 718771, 'tenant get through': 837843, 'pandemic by offering': 635073, 'by offering them': 153403, 'offering them much': 595289, 'them much needed': 876039, 'much needed rent': 545165, 'needed rent relief': 556476, 'rent relief commerialrealestate': 711176, 'relief commerialrealestate retailrealestate': 709309, 'worst toughest': 1011291, 'toughest day': 926900, 'the worst toughest': 872079, 'worst toughest day': 1011292, 'toughest day to': 926901, 'day to work': 228592, 'when heading': 983553, 'store folk': 807752, 'folk supermarket': 312259, 'careful out there': 164422, 'out there when': 627525, 'there when heading': 879339, 'when heading to': 983554, 'heading to grocery': 385959, 'grocery store folk': 365404, 'store folk supermarket': 807753, 'should tunein': 766608, 'tunein podcast': 935452, 'podcast spotify': 662308, 'spotify conspiracytheory': 790146, 'there new and': 878786, 'new and you': 558348, 'you should tunein': 1021228, 'should tunein podcast': 766609, 'tunein podcast spotify': 935453, 'podcast spotify conspiracytheory': 662309, 'every resource': 286135, 'could possible': 209518, 'possible want': 665864, 'every resource you': 286136, 'resource you could': 714938, 'you could possible': 1018097, 'could possible want': 209519, 'possible want on': 665865, 'want on consumer': 965872, 'be liable': 115716, 'liable for': 487955, 'for workplace': 327962, 'workplace injury': 1009198, 'injury ie': 438718, 'ie exposure': 413729, 'have dying': 380400, 'dying consumer': 263791, 'base or': 111469, 'break sacrifice': 138795, 'sacrifice few': 729087, 'of growth': 584374, 'then revive': 877486, 'revive your': 720690, 'would you prefer': 1012419, 'you prefer to': 1020410, 'be open and': 116240, 'open and be': 612050, 'and be liable': 58757, 'be liable for': 115717, 'liable for workplace': 487957, 'for workplace injury': 327963, 'workplace injury ie': 1009199, 'injury ie exposure': 438719, 'ie exposure to': 413730, 'and have dying': 64236, 'have dying consumer': 380401, 'dying consumer base': 263792, 'consumer base or': 196405, 'base or to': 111470, 'or to take': 617481, 'to take break': 916163, 'take break sacrifice': 831998, 'break sacrifice few': 138796, 'sacrifice few month': 729088, 'month of growth': 537898, 'of growth and': 584375, 'growth and then': 367346, 'and then revive': 73801, 'then revive your': 877487, 'revive your company': 720691, 'ikea announces': 416026, 'ikea announces the': 416027, 'home delivery will': 401056, 'delivery will still': 234746, 'still be available': 800245, 'have mcdonald': 381451, 'mask mcdonald': 518964, 'mcdonald worker': 522156, 'demand greater': 235583, 'greater safety': 363233, 'the people making': 863489, 'people making your': 648735, 'making your food': 511505, 'could have mcdonald': 209260, 'have mcdonald will': 381452, 'wear mask mcdonald': 974396, 'mask mcdonald worker': 518965, 'mcdonald worker demand': 522157, 'worker demand greater': 1006752, 'demand greater safety': 235585, 'greater safety and': 363234, 'road lead': 724467, 'lead free': 483276, 'free 07': 331608, 'gallon pricegouging': 343059, 'richmond road lead': 721367, 'road lead free': 724468, 'lead free 07': 483277, 'free 07 per': 331609, 'per gallon pricegouging': 650856, 'gallon pricegouging stayhomeaustralia': 343060, 'tomorrow mr': 924133, 'day he': 227742, 'he losing': 385208, 'losing employee': 503550, 'store short': 810142, 'short ppl': 764674, 'ppl already': 668156, 'hard having': 377928, 'risk essential': 723516, 'starting tomorrow mr': 795060, 'tomorrow mr ha': 924134, 'mr ha to': 544365, 'to work day': 918706, 'work day he': 1005028, 'day he losing': 227744, 'he losing employee': 385209, 'losing employee by': 503551, 'employee by the': 273696, 'by the he': 154347, 'the he is': 857157, 'he is going': 385125, 'into his store': 442636, 'his store short': 397830, 'store short ppl': 810143, 'short ppl already': 764675, 'ppl already be': 668157, 'already be kind': 47214, 'store people they': 809496, 'people they re': 649821, 'working hard having': 1008682, 'hard having to': 377929, 'take risk essential': 832547, 'pt or': 687605, 'or full': 615410, 'full in': 340640, 'to race': 912700, 'race there': 695201, 'of socioeconomic': 589878, 'socioeconomic factor': 781387, 'compound vulnerability': 192595, 'science not': 742119, 'not conspiracy': 568840, 'only beat': 610155, 'together take': 920965, 'pt or full': 687606, 'or full in': 615411, 'full in addition': 340641, 'addition to race': 31744, 'to race there': 912701, 'race there are': 695202, 'are also number': 84467, 'number of socioeconomic': 576995, 'of socioeconomic factor': 589879, 'socioeconomic factor that': 781388, 'factor that compound': 295901, 'that compound vulnerability': 843277, 'compound vulnerability to': 192596, 'vulnerability to science': 960831, 'to science not': 913909, 'science not conspiracy': 742120, 'not conspiracy theory': 568841, 'theory is our': 877853, 'is our friend': 450620, 'our friend we': 623187, 'friend we can': 333881, 'can only beat': 159118, 'only beat this': 610156, 'this together take': 890786, 'together take care': 920966, 'health and each': 386134, 'sevierville': 754140, 'in sevierville': 427841, 'sevierville tn': 754141, 'tn will': 899395, 'info click': 437444, 'update our retail': 947150, 'store in sevierville': 808388, 'in sevierville tn': 427842, 'sevierville tn will': 754142, 'tn will remain': 899396, 'closed until may': 183417, 'until may 2020': 943769, 'may 2020 our': 520876, '2020 our website': 14494, 'website and warehouse': 975207, 'and warehouse are': 75178, 'warehouse are open': 966692, 'open or order': 612428, 'or order for': 616414, 'order for more': 618232, 'more info click': 539550, 'info click here': 437445, 'and 8p': 57514, '8p per': 23208, 'diesel pa': 241669, 'pa report': 632881, 'report coronacrisisuk': 711889, 'morrison ha reduced': 541722, 'reduced it fuel': 706106, 'it fuel price': 458176, 'petrol and 8p': 653709, 'and 8p per': 57515, '8p per litre': 23209, 'litre for diesel': 495152, 'for diesel pa': 320697, 'diesel pa report': 241670, 'pa report coronacrisisuk': 632882, 'report coronacrisisuk coronacrisis': 711890, 'techrepublic': 836406, 'techrepublic transunion': 836407, 'techrepublic transunion report': 836408, 'should every': 765973, 'have his': 380960, 'his her': 397505, 'her temperature': 392424, 'entering grocery': 278402, 'store imagine': 808253, 'imagine going': 416724, 'should every shopper': 765974, 'every shopper have': 286170, 'shopper have his': 761542, 'have his her': 380961, 'his her temperature': 397506, 'her temperature taken': 392425, 'temperature taken before': 837404, 'taken before entering': 832962, 'before entering grocery': 122775, 'entering grocery store': 278403, 'grocery store imagine': 365481, 'store imagine going': 808254, 'imagine going shopping': 416725, 'going shopping only': 355453, 'shopping only to': 763522, 'oh why': 596489, 'got enough toiletpaper': 358541, 'enough toiletpaper to': 277743, 'toiletpaper to protect': 922623, 'from the why': 337928, 'the why oh': 871527, 'why oh why': 991251, 'banwarilal': 110656, 'bhardwaj': 129352, 'sown': 786965, 'indian farmer': 434832, 'farmer banwarilal': 299306, 'banwarilal bhardwaj': 110657, 'bhardwaj wa': 129353, 'buy car': 148471, 'after harvesting': 35755, 'harvesting his': 378656, 'his winter': 397919, 'winter sown': 996144, 'sown crop': 786966, 'crop that': 218944, 'were promising': 980004, 'promising bumper': 683742, 'bumper return': 142591, 'ha shattered': 371888, 'shattered that': 755796, 'dream undermining': 258630, 'undermining farm': 940515, 'farm commodity': 299100, 'indian farmer banwarilal': 434833, 'farmer banwarilal bhardwaj': 299307, 'banwarilal bhardwaj wa': 110658, 'bhardwaj wa planning': 129354, 'to buy car': 902201, 'buy car after': 148472, 'car after harvesting': 162982, 'after harvesting his': 35756, 'harvesting his winter': 378657, 'his winter sown': 397920, 'winter sown crop': 996145, 'sown crop that': 786967, 'crop that were': 218945, 'that were promising': 847444, 'were promising bumper': 980005, 'promising bumper return': 683743, 'bumper return but': 142592, 'return but ha': 719823, 'but ha shattered': 145839, 'ha shattered that': 371889, 'shattered that dream': 755797, 'that dream undermining': 843620, 'dream undermining farm': 258631, 'undermining farm commodity': 940516, 'farm commodity price': 299101, 'commodity price it': 189277, 'price it spread': 674925, 'it spread around': 461201, 'america announces': 51457, 'announces additional': 77238, 'client experiencing': 182031, 'the agenparl': 848447, 'agenparl approximately': 38131, 'approximately financial': 83251, 'financial iorestoacasa': 306477, 'bank of america': 110047, 'of america announces': 580036, 'america announces additional': 51458, 'announces additional support': 77239, 'additional support for': 31884, 'support for consumer': 826510, 'small business client': 774845, 'business client experiencing': 143528, 'client experiencing hardship': 182032, 'hardship from the': 378294, 'of the agenparl': 590783, 'the agenparl approximately': 848448, 'agenparl approximately financial': 38132, 'approximately financial iorestoacasa': 83252, 'delivery provider': 234375, 'provider struggle': 686785, 'customer report': 222757, 'order company': 618140, 'company ass': 190473, 'ass option': 96265, 'option cbc': 614008, 'grocery delivery provider': 364449, 'delivery provider struggle': 234377, 'provider struggle with': 686786, 'struggle with sharp': 814401, 'with sharp rise': 1000666, 'related demand customer': 708417, 'demand customer report': 235203, 'customer report having': 222758, 'report having to': 712006, 'wait for day': 964111, 'day for online': 227626, 'food order company': 315677, 'order company ass': 618141, 'company ass option': 190474, 'ass option cbc': 96266, 'option cbc news': 614009, 'sir in': 771582, 'many chemist': 513890, 'chemist are': 175405, 'sanitizer request': 735654, 'you toh': 1021867, 'toh plz': 921110, 'plz take': 661840, 'step nd': 799594, 'nd if': 553385, 'possible plz': 665737, 'plz fix': 661818, 'dear sir in': 229868, 'sir in this': 771583, 'this situation of': 890185, 'situation of many': 772415, 'of many chemist': 586172, 'many chemist are': 513891, 'chemist are taking': 175406, 'taking more money': 833444, 'more money for': 539790, 'money for mask': 536751, 'and sanitizer request': 70883, 'sanitizer request you': 735655, 'request you toh': 713242, 'you toh plz': 1021868, 'toh plz take': 921111, 'plz take necessary': 661841, 'necessary step nd': 554094, 'step nd if': 799595, 'nd if possible': 553386, 'if possible plz': 414671, 'possible plz fix': 665738, 'plz fix the': 661819, 'sanitizer for few': 734902, 'mass no': 519817, 'deal stockpiling': 229491, 'stockpiling effort': 803949, 'past 12': 643490, 'month wonder': 538138, 'state our': 795844, 'buying exercise': 150264, 'exercise had': 290061, 'had we': 373785, 'given the mass': 351143, 'the mass no': 860247, 'mass no deal': 519818, 'no deal stockpiling': 563971, 'deal stockpiling effort': 229492, 'stockpiling effort by': 803950, 'effort by business': 269492, 'by business across': 152024, 'the uk over': 870259, 'uk over the': 938602, 'the past 12': 863342, 'past 12 month': 643491, '12 month wonder': 2907, 'month wonder what': 538139, 'wonder what state': 1004014, 'what state our': 982252, 'state our supermarket': 795845, 'our supermarket supply': 625029, 'chain would be': 171272, 'be in during': 115400, 'in during this': 422424, 'panic buying exercise': 637723, 'buying exercise had': 150265, 'exercise had we': 290062, 'had we not': 373786, 'we not had': 972597, 'had to prepare': 373712, 'prepare for no': 670078, 'not wander': 572428, 'wander around': 965564, 'this moment when': 888883, 'moment when we': 536114, 'enter supermarket please': 278303, 'please be attentive': 659694, 'be attentive and': 113743, 'attentive and shop': 102513, 'do not wander': 249885, 'not wander around': 572429, 'wander around like': 965565, 'around like drongo': 93379, 'agchat': 37778, 'episode five': 279526, 'five consumer': 309592, 'choice alternative': 177724, 'alternative covid': 49217, 'via cattle': 955851, 'and coffee': 60050, 'coffee agchat': 185450, 'episode five consumer': 279527, 'five consumer choice': 309593, 'consumer choice alternative': 196792, 'choice alternative covid': 177725, 'alternative covid 19': 49218, '19 via cattle': 11759, 'via cattle and': 955852, 'cattle and coffee': 167338, 'and coffee agchat': 60051, 'what stage': 982243, '19 what stage': 12004, 'what stage of': 982244, 'spending is your': 788885, 'is your market': 454154, 'your market at': 1024774, 'market at how': 516045, 'dookie': 255434, 'magical': 508390, 'for sending': 325449, 'when ordered': 983817, 'ordered my': 618871, 'own dookie': 631947, 'dookie the': 255435, 'the magical': 859884, 'magical unicorn': 508391, 'unicorn that': 941734, 'that poop': 845784, 'poop ice': 664057, 'cream during': 215542, 'this scarcity': 889979, 'you for sending': 1018667, 'for sending this': 325450, 'sending this roll': 750109, 'paper when ordered': 641083, 'when ordered my': 983818, 'ordered my very': 618872, 'very own dookie': 955403, 'own dookie the': 631948, 'dookie the magical': 255436, 'the magical unicorn': 859885, 'magical unicorn that': 508392, 'unicorn that poop': 941735, 'that poop ice': 845785, 'poop ice cream': 664058, 'ice cream during': 412651, 'cream during this': 215543, 'during this scarcity': 263314, '6ho2yorl3v': 21627, 'asi fall': 95150, 'price 6ho2yorl3v': 672172, 'loss asi fall': 503647, 'asi fall on': 95151, 'fall on covid': 297014, 'fear and falling': 301029, 'oil price 6ho2yorl3v': 597030, 'budgetary': 141838, 'the lac': 858898, 'lac region': 478574, 'region doe': 707405, 'two shock': 937209, 'additional budgetary': 31776, 'budgetary spending': 141839, 'inevitable third': 436411, 'shock flight': 759444, 'flight of': 310517, 'the lac region': 858899, 'lac region doe': 478575, 'region doe not': 707406, 'not have many': 569848, 'first two shock': 309144, 'two shock oil': 937210, 'not much fiscal': 570609, 'but additional budgetary': 145062, 'additional budgetary spending': 31777, 'budgetary spending on': 141840, 'spending on health': 788933, 'health is inevitable': 386566, 'is inevitable third': 448899, 'inevitable third shock': 436412, 'third shock flight': 886106, 'shock flight of': 759445, 'flight of capital': 310518, 'made huge': 507782, 'deliberately driving': 232965, 'driving hotel': 259951, 'scumbag who made': 742995, 'who made huge': 989241, 'made huge profit': 507783, 'huge profit during': 410149, 'profit during 19': 682713, '19 by deliberately': 5555, 'by deliberately driving': 152318, 'deliberately driving hotel': 232966, 'driving hotel stock': 259952, 'hotel stock down': 405200, 'stock down so': 802059, 'down so he': 257194, 'he could buy': 384854, 'could buy them': 208983, 'buy them up': 149332, 'rancher are': 696532, 'agriculture department': 38961, 'supply gap': 825305, 'gap and': 343428, 'get farm': 346990, 'farm product': 299161, 'up with dramatic': 946631, 'with dramatic increase': 998134, 'pandemic farmer and': 635425, 'and rancher are': 69926, 'rancher are eager': 696533, 'eager to work': 264356, 'with the agriculture': 1001197, 'the agriculture department': 848463, 'agriculture department to': 38962, 'department to bridge': 237289, 'bridge the supply': 139622, 'the supply gap': 868948, 'supply gap and': 825306, 'gap and get': 343429, 'and get farm': 63571, 'get farm product': 346991, 'farm product to': 299162, 'product to those': 681768, 'writingcommnunity corona': 1012934, 'quarantinediaries via need': 692917, 'toiletpaper writingcommnunity corona': 922870, 'administration tariff': 32505, 'chinese import': 177281, 'import are': 418615, 'are exacerbating': 86299, 'exacerbating widespread': 288689, 'widespread shortage': 991865, 'disinfectant etc': 245655, 'etc needed': 282667, 'combat according': 186978, 'public filing': 687995, 'filing by': 305419, 'company asking': 190471, 'for exemption': 321308, 'exemption from': 290006, 'the levy': 859314, 'levy wsj': 487830, 'trump administration tariff': 933383, 'administration tariff on': 32506, 'tariff on chinese': 834611, 'on chinese import': 599915, 'chinese import are': 177282, 'import are exacerbating': 418616, 'are exacerbating widespread': 86300, 'exacerbating widespread shortage': 288690, 'widespread shortage of': 991866, 'sanitizer disinfectant etc': 734751, 'disinfectant etc needed': 245656, 'etc needed to': 282668, 'to combat according': 902985, 'combat according to': 186979, 'according to public': 28579, 'to public filing': 912471, 'public filing by': 687996, 'filing by company': 305420, 'by company asking': 152162, 'company asking for': 190472, 'asking for exemption': 95984, 'for exemption from': 321309, 'exemption from the': 290007, 'from the levy': 337772, 'the levy wsj': 859315, 'undead': 939933, 'once simple': 605701, 'like venturing': 491726, 'apocalypse of': 81555, 'infected undead': 436659, 'the once simple': 862182, 'once simple task': 605702, 'simple task of': 770106, 'task of going': 834723, 'store now feel': 809122, 'feel like venturing': 302758, 'like venturing out': 491727, 'venturing out into': 954700, 'out into an': 626429, 'into an apocalypse': 442390, 'an apocalypse of': 55351, 'apocalypse of the': 81556, 'the infected undead': 858220, 'than need': 840930, 'require proper': 713324, 'to have and': 907201, 'have and not': 379275, 'not need than': 570672, 'need than need': 555716, 'than need it': 840931, 'job require proper': 466128, 'require proper ppe': 713325, 'proper ppe personal': 684128, 'family and those': 297610, 'goodread the': 358082, 'glance look': 351570, 'role that': 725129, 'goodread the latest': 358083, 'edition of economy': 268627, 'of economy at': 582965, 'economy at glance': 267679, 'at glance look': 98765, 'glance look at': 351571, 'at the role': 101083, 'the role that': 865956, 'role that covid': 725130, 'gas price might': 343996, 'price might play': 675244, 'the economy what': 854037, 'pre this': 669214, 'wa considered': 961862, 'considered gag': 195296, 'gift post': 350007, 'rare and': 697075, 'precious offering': 669476, 'pre this wa': 669215, 'this wa considered': 891057, 'wa considered gag': 961863, 'considered gag gift': 195297, 'gag gift post': 342722, 'gift post this': 350008, 'this is rare': 888370, 'is rare and': 451234, 'rare and precious': 697076, 'and precious offering': 69338, 'well well': 978737, 'your lucky': 1024754, 'lucky day': 506547, 'well well well': 978739, 'well well it': 978738, 'well it could': 978336, 'could be your': 208946, 'be your lucky': 118176, 'your lucky day': 1024755, 'wisconsin dairy': 996610, 'fall dairy': 296885, 'dairy via': 225056, 'wisconsin dairy farmer': 996611, 'dumping milk price': 262245, 'price fall dairy': 673781, 'fall dairy via': 296886, 'epedimiologists': 279297, 'are total': 91151, 'total legend': 926178, 'legend front': 485930, 'line nh': 493277, 'worker gp': 1007056, 'surgery receptionist': 828332, 'receptionist epedimiologists': 704193, 'some people who': 783546, 'who are total': 988244, 'are total legend': 91152, 'total legend front': 926179, 'legend front line': 485931, 'front line nh': 338592, 'line nh staff': 493278, 'nh staff carers': 562082, 'staff carers supermarket': 792313, 'carers supermarket and': 164615, 'shop worker gp': 761087, 'worker gp surgery': 1007057, 'gp surgery receptionist': 361417, 'surgery receptionist epedimiologists': 828333, 'sanitizer against': 734335, 'hand sanitizer against': 375293, 'sanitizer against virus': 734336, 'against virus via': 37736, 'ecommerce market': 266802, 'ongoing it': 607654, 'customer online': 222649, 'affected so': 34427, 'far ecommerce': 298762, 'mcommerce seo': 522237, 'impacting the ecommerce': 418264, 'the ecommerce market': 853880, 'ecommerce market with': 266803, 'market with pandemic': 517379, 'with pandemic ongoing': 1000074, 'pandemic ongoing it': 636103, 'ongoing it interesting': 607655, 'interesting to look': 441634, 'at how customer': 99212, 'how customer online': 407655, 'customer online shopping': 222650, 'shopping behaviour ha': 762221, 'been affected so': 120626, 'affected so far': 34428, 'so far ecommerce': 777025, 'far ecommerce mcommerce': 298763, 'ecommerce mcommerce seo': 266808, 'leadership during covid': 483597, '19 be model': 5320, 'coronaculos': 204925, 'storytime': 812175, 'day sister': 228358, 'sister city': 771722, 'planning takeover': 658579, 'takeover my': 833209, 'is centered': 446440, 'centered now': 169341, 'on wiping': 605331, 'as properly': 94797, 'properly you': 684224, 'you shall': 1021133, 'pas coronaculos': 643097, 'coronaculos where': 204926, 'toiletpaper storytime': 922556, 'quarantine day sister': 692136, 'day sister city': 228359, 'sister city ha': 771723, 'city ha stock': 179170, 'ha stock of': 372066, 'paper some resident': 640807, 'some resident and': 783736, 'resident and are': 714245, 'and are planning': 58341, 'are planning takeover': 89099, 'planning takeover my': 658580, 'takeover my life': 833210, 'life is centered': 488803, 'is centered now': 446441, 'centered now on': 169342, 'now on wiping': 575442, 'on wiping my': 605332, 'wiping my as': 996523, 'my as properly': 547330, 'as properly you': 94798, 'properly you shall': 684225, 'you shall not': 1021134, 'shall not pas': 754538, 'not pas coronaculos': 570970, 'pas coronaculos where': 643098, 'coronaculos where my': 204927, 'where my mask': 985043, 'my mask toiletpaper': 549211, 'mask toiletpaper storytime': 519441, 'call sydney': 156112, 'sydney thriving': 830720, 'thriving connected': 894221, 'connected global': 194652, 'future version': 342506, 'version have': 954906, 'just changed': 468457, 'trigger another': 931865, 'another oil': 77731, 'to call sydney': 902387, 'call sydney thriving': 156113, 'sydney thriving connected': 830721, 'thriving connected global': 894222, 'connected global city': 194653, 'global city show': 351774, 'city show doesn': 179358, 'show doesn understand': 766918, 'doesn understand that': 251986, 'it future version': 458198, 'future version have': 342507, 'version have just': 954907, 'have just changed': 381202, 'just changed the': 468458, 'changed the world': 172573, 'mention that low': 528791, 'price will trigger': 677593, 'will trigger another': 995232, 'trigger another oil': 931866, 'another oil crisis': 77732, 'sir except': 771563, 'few all': 303708, 'all most': 43525, 'most 97': 542058, '97 people': 23683, 'of assam': 580394, 'assam following': 96297, 'government institution': 360229, 'aware regarding': 105652, 'one important': 606463, 'important request': 418950, 'very beginning': 955012, 'beginning stage': 123660, 'situation grocery': 772291, 'respected sir except': 715110, 'sir except few': 771564, 'except few all': 289146, 'few all most': 303709, 'all most 97': 43526, 'most 97 people': 542059, '97 people of': 23684, 'people of assam': 648910, 'of assam following': 580395, 'assam following government': 96298, 'following government institution': 312740, 'government institution and': 360230, 'institution and aware': 440454, 'and aware regarding': 58592, 'aware regarding covid': 105653, '19 but one': 5519, 'but one important': 146670, 'one important request': 606464, 'important request to': 418951, 'request to you': 713225, 'the very beginning': 870700, 'very beginning stage': 955014, 'beginning stage of': 123661, 'of lockdown situation': 585962, 'lockdown situation grocery': 499922, 'situation grocery price': 772292, 'cleaning tip': 181106, 'from germaphobe': 335619, 'germaphobe clean': 346370, 'clean cleaning': 180496, 'cleaning read': 181046, 'tip germ': 898807, 'germ germaphobe': 346118, 'germaphobe ill': 346374, 'ill illness': 416136, 'illness sick': 416394, 'sick sickness': 768603, 'sickness health': 768754, 'healthy grocery': 387645, 'food sanitize': 316294, 'sanitize clean': 734176, 'clean travel': 180667, 'travel antibacterial': 930265, 'antibacterial news': 78365, 'fear help': 301159, 'help helping': 389854, 'helping advice': 391257, 'cleaning tip from': 181107, 'tip from germaphobe': 898799, 'from germaphobe clean': 335620, 'germaphobe clean cleaning': 346371, 'clean cleaning read': 180497, 'cleaning read tip': 181047, 'read tip germ': 700635, 'tip germ germaphobe': 898808, 'germ germaphobe ill': 346119, 'germaphobe ill illness': 346375, 'ill illness sick': 416137, 'illness sick sickness': 416395, 'sick sickness health': 768604, 'sickness health healthy': 768755, 'health healthy grocery': 386492, 'healthy grocery store': 387646, 'store food sanitize': 807773, 'food sanitize clean': 316295, 'sanitize clean travel': 734177, 'clean travel antibacterial': 180668, 'travel antibacterial news': 930266, 'antibacterial news medium': 78366, 'news medium fear': 560611, 'medium fear help': 527097, 'fear help helping': 301160, 'help helping advice': 389855, 'eventhough': 285123, 'panic eventhough': 638080, 'eventhough we': 285124, 'pm malaysia': 661932, 'calm and don': 156687, 'don panic eventhough': 253801, 'panic eventhough we': 638081, 'eventhough we have': 285125, 'have extended the': 380538, 'extended the movement': 293198, 'control order you': 202090, 'order you don': 618801, 'sufficient pm malaysia': 817389, 'peopleresearch': 650616, 'topramen': 925857, 'peopleresearchcoronavirus': 650619, 'usa peopleresearch': 948714, 'peopleresearch we': 650617, 'job lockout': 465959, 'business limited': 144000, 'to topramen': 917639, 'topramen toiletpaper': 925858, 'toiletpaper we': 922822, 'most intelligent': 542453, 'intelligent country': 441021, 'country research': 211006, 'research post': 713817, 'post peopleresearchcoronavirus': 666278, 'usa peopleresearch we': 948715, 'peopleresearch we have': 650618, 'have lost our': 381384, 'our job lockout': 623601, 'job lockout of': 465960, 'lockout of business': 500529, 'of business limited': 580960, 'business limited to': 144001, 'limited to topramen': 492781, 'to topramen toiletpaper': 917640, 'topramen toiletpaper we': 925859, 'toiletpaper we re': 922823, 're the most': 699696, 'the most intelligent': 861002, 'most intelligent country': 542454, 'intelligent country research': 441022, 'country research post': 211007, 'research post peopleresearchcoronavirus': 713818, 'whe': 982961, 'whe you': 982962, 'you practice': 1020398, 'cashier quarantinediaries': 166588, 'whe you are': 982963, 'can you practice': 160325, 'you practice socialdistancing': 1020399, 'practice socialdistancing from': 668658, 'socialdistancing from the': 780376, 'the cashier quarantinediaries': 850493, 'cashier quarantinediaries quarantinelife': 166589, 'situation should': 772482, 'good reflection': 357643, 'to allocate': 900318, 'allocate to': 45872, 'different project': 242035, 'project how': 683497, 'sometimes jacked': 785213, 'up out': 945707, 'proportion and': 684420, 'they vote': 883691, 'for if': 322466, '19 situation should': 10592, 'situation should be': 772483, 'be good reflection': 115075, 'good reflection on': 357644, 'reflection on how': 706669, 'much money the': 545091, 'money the government': 537061, 'government really ha': 360510, 'really ha to': 702252, 'ha to allocate': 372288, 'to allocate to': 900319, 'allocate to different': 45873, 'to different project': 904287, 'different project how': 242036, 'project how price': 683498, 'how price are': 408529, 'are sometimes jacked': 90304, 'sometimes jacked up': 785214, 'jacked up out': 464150, 'up out of': 945708, 'of proportion and': 588542, 'proportion and how': 684421, 'how much people': 408366, 'much people should': 545228, 'people should pay': 649449, 'should pay attention': 766313, 'attention to who': 102499, 'to who and': 918567, 'what they vote': 982421, 'they vote for': 883692, 'vote for if': 960482, 'for if they': 322469, 'have that right': 382953, 'refigerator': 706545, 'don dismiss': 253466, 'rule you': 727420, 'your refigerator': 1025537, 'refigerator cornell': 706546, 'cornell ha': 203629, 'safety recommendation': 730713, 'don dismiss food': 253467, 'safety rule you': 730721, 'rule you shop': 727421, 'shop and pack': 759859, 'and pack your': 68607, 'pack your refigerator': 633202, 'your refigerator cornell': 1025538, 'refigerator cornell ha': 706547, 'cornell ha some': 203630, 'some great food': 782986, 'great food safety': 362674, 'food safety recommendation': 316274, 'safety recommendation to': 730714, 'careact': 164321, '19 mortgage': 8686, 'mortgage rentrelief': 541955, 'rentrelief careact': 711334, 'to 19 mortgage': 899546, '19 mortgage rentrelief': 8687, 'mortgage rentrelief careact': 541956, 'good shoplocal': 357733, 'felt good shoplocal': 303388, 'glanz': 351582, 'open sonny': 612509, 'sonny super': 785552, 'manager donald': 512708, 'donald glanz': 254097, 'glanz told': 351583, 'be open sonny': 116252, 'open sonny super': 612510, 'sonny super food': 785553, 'super food store': 818507, 'food store manager': 316853, 'store manager donald': 808878, 'manager donald glanz': 512709, 'donald glanz told': 254098, 'glanz told we': 351584, 'told we re': 923786, 'have food here': 380656, 'food here people': 314815, 'here people aren': 393451, 'baelwellness': 108194, 'recipe that': 704501, 'coronavirus baelwellness': 205537, 'baelwellness handsanitizer': 108195, 'sanitizer recipe that': 735644, 'recipe that could': 704502, 'could help protect': 209286, 'protect against coronavirus': 684759, 'against coronavirus baelwellness': 37385, 'coronavirus baelwellness handsanitizer': 205538, 'child watched': 176256, 'watched video': 968678, 'on precaution': 602880, 'healthy now': 387703, 'in malawi': 425007, 'malawi in': 511576, 'purchasing maize': 689887, 'maize med': 509201, 'med soap': 525920, 'scarce please': 740803, 'support mcm': 826639, 'mcm preparedness': 522215, 'preparedness campaign': 670283, 'today the child': 920280, 'the child watched': 850826, 'child watched video': 176257, 'watched video on': 968679, 'video on precaution': 956844, 'on precaution to': 602881, 'precaution to stay': 669389, 'stay healthy now': 796909, 'healthy now that': 387704, 'is in malawi': 448787, 'in malawi in': 425008, 'malawi in addition': 511577, 'in addition we': 420037, 'addition we are': 31757, 'we are purchasing': 970673, 'are purchasing maize': 89331, 'purchasing maize med': 689888, 'maize med soap': 509202, 'med soap before': 525921, 'soap before price': 778951, 'before price rise': 123025, 'rise and supply': 722784, 'supply are scarce': 824793, 'are scarce please': 89842, 'scarce please support': 740804, 'please support mcm': 660616, 'support mcm preparedness': 826640, 'mcm preparedness campaign': 522216, 'his priority': 397733, 'everyone ha his': 286967, 'ha his priority': 370874, 'his priority panicshopping': 397734, 'wuhan coronavirus': 1013473, 'stricken citizen': 813597, 'item left': 463407, 'right shopper': 722265, 'the wuhan coronavirus': 872119, 'wuhan coronavirus covid': 1013474, 'to spread across': 915050, 'across america panic': 29248, 'america panic stricken': 51644, 'panic stricken citizen': 638647, 'stricken citizen are': 813598, 'citizen are buying': 178844, 'are buying item': 85124, 'buying item left': 150615, 'item left and': 463408, 'and right shopper': 70524, 'right shopper are': 722266, 'shopper are hoarding': 761393, 'are hoarding food': 87201, 'food and cleaning': 313196, 'cleaning supply but': 181075, 'supply but not': 824866, 'not all product': 568122, 'all product can': 44061, 'product can disinfect': 681042, 'farmproducer': 299675, 'agricultural economist': 38876, 'cattlemarkets farmproducer': 167389, 'farmproducer price': 299676, 'agricultural economist derrell': 38877, 'recovery from the': 705335, 'impact of could': 417764, 'of could take': 582015, 'could take long': 209750, 'take long time': 832284, 'long time learn': 501774, 'market cattlemarkets farmproducer': 516156, 'cattlemarkets farmproducer price': 167390, 'spread have': 790559, 'demand straining': 236278, 'the spread have': 867629, 'spread have destroyed': 790560, 'destroyed demand straining': 239054, 'demand straining oil': 236279, 'and hitting an': 64628, 'hitting an industry': 398556, 'industry that is': 436145, 'can minimize': 158998, 'unpacking them': 943017, 'that point': 845776, 'packaging bag': 633522, 'you order grocery': 1020232, 'grocery online you': 364793, 'you can minimize': 1017728, 'can minimize the': 158999, 'risk of by': 723730, 'of by not': 581027, 'not unpacking them': 572339, 'unpacking them for': 943018, 'them for day': 875712, 'or more at': 616167, 'more at that': 538672, 'at that point': 100859, 'that point the': 845778, 'point the virus': 662652, 'virus will no': 959044, 'longer be detectable': 501936, 'on packaging bag': 602672, 'packaging bag etc': 633523, 'arline': 92869, 'ahorro': 39272, 'very only': 955394, 'only three': 611340, 'three customer': 893902, 'now arline': 574108, 'arline and': 92870, 'and parker': 68717, 'parker location': 642053, 'at el': 98524, 'el ahorro': 270440, 'ahorro supermarket': 39273, 'on parker': 602699, 'parker and': 642049, 'and airline': 57812, 'to shop while': 914501, 'shop while and': 761038, 'while and very': 986606, 'and very only': 74938, 'very only three': 955395, 'only three customer': 611341, 'three customer now': 893903, 'customer now arline': 222628, 'now arline and': 574109, 'arline and parker': 92871, 'and parker location': 68718, 'parker location at': 642054, 'location at el': 498860, 'at el ahorro': 98525, 'el ahorro supermarket': 270441, 'ahorro supermarket on': 39274, 'supermarket on parker': 821731, 'on parker and': 602700, 'parker and airline': 642050, 'bad would': 108088, 'buying is getting': 150566, 'getting so bad': 349289, 'so bad would': 776584, 'bad would the': 108089, 'free food coronacrisis': 331826, 'amounted': 53302, 'korea amounted': 477453, 'amounted to': 53303, 'to billion': 901817, 'billion usd': 130934, 'usd in': 948923, '2020 16': 14094, '16 yoy': 4198, 'yoy growth': 1026952, 'growth while': 367481, 'panicking smart': 639374, 'smart one': 775403, 'behavior brand': 123936, 'brand only': 137953, 'crowd ecommerce': 219157, 'commerce sale in': 188624, 'sale in south': 732304, 'south korea amounted': 786735, 'korea amounted to': 477454, 'amounted to billion': 53304, 'to billion usd': 901818, 'billion usd in': 130935, 'usd in february': 948924, 'february 2020 16': 301675, '2020 16 yoy': 14095, '16 yoy growth': 4199, 'yoy growth while': 1026953, 'growth while most': 367482, 'while most business': 987065, 'business are panicking': 143380, 'are panicking smart': 88976, 'panicking smart one': 639375, 'smart one are': 775404, 'one are taking': 605948, 'advantage of changing': 32992, 'consumer behavior brand': 196448, 'behavior brand only': 123937, 'brand only need': 137954, 'only need to': 610814, 'stand out from': 793571, 'from the crowd': 337661, 'the crowd ecommerce': 852524, 'small brick': 774823, 'brick amp': 139575, 'amp mortar': 54152, 'mortar brand': 541811, 'you recently': 1020859, 'recently closed': 704060, 'closed physical': 183287, 'store result': 809865, 'free courtesy': 331736, 'courtesy boarding': 212034, 'boarding service': 133702, 'service limited': 752571, 'limited capacity': 492614, 'capacity available': 162500, 'available apply': 104238, 'apply here': 82569, 'support small brick': 826820, 'small brick amp': 774824, 'brick amp mortar': 139576, 'amp mortar brand': 54153, 'mortar brand if': 541812, 'brand if you': 137863, 'if you recently': 415505, 'you recently closed': 1020860, 'recently closed physical': 704061, 'closed physical retail': 183288, 'retail store result': 718698, 'store result of': 809866, 'offering free courtesy': 595116, 'free courtesy boarding': 331737, 'courtesy boarding service': 212035, 'boarding service limited': 133703, 'service limited capacity': 752572, 'limited capacity available': 492615, 'capacity available apply': 162501, 'available apply here': 104239, 'wholesale inventory': 990451, 'inventory were': 443727, 'wholesale sale': 990491, 'sale declined': 732158, 'declined the': 231449, 'index tumbled': 434253, 'tumbled record': 935324, 'record 18': 704900, 'to 71': 899820, '71 in': 21970, 'april showing': 83682, 'profound negative': 683161, 'on sentiment': 603370, 'wholesale inventory were': 990452, 'inventory were down': 443728, 'were down in': 979540, 'february and wholesale': 301688, 'and wholesale sale': 75611, 'wholesale sale declined': 990492, 'sale declined the': 732159, 'declined the university': 231450, 'sentiment index tumbled': 750960, 'index tumbled record': 434254, 'tumbled record 18': 935325, 'record 18 point': 704901, '18 point to': 4579, 'point to 71': 662665, 'to 71 in': 899821, '71 in april': 21971, 'in april showing': 420472, 'april showing the': 83683, 'showing the profound': 767526, 'the profound negative': 864637, 'profound negative impact': 683162, 'negative impact the': 556794, 'had on sentiment': 373363, 'shop supplier': 760870, 'supplier like': 824567, 'father butcher': 300280, 'rising due': 723204, 'seriousness of': 751819, 'owner going': 632453, 'bankrupt and': 110487, 'struggling doe': 814433, 'doe self': 251566, 'on spree': 603613, 'price from private': 674117, 'from private shop': 336981, 'private shop supplier': 678988, 'shop supplier like': 760871, 'supplier like my': 824568, 'like my father': 490820, 'my father butcher': 548246, 'father butcher shop': 300281, 'butcher shop are': 148065, 'shop are rising': 759912, 'are rising due': 89711, 'rising due to': 723205, '19 the more': 11220, 'the more we': 860901, 'more we ignore': 540953, 'ignore the seriousness': 415846, 'the seriousness of': 866729, 'seriousness of this': 751820, 'this the greater': 890522, 'greater the chance': 363250, 'shop owner going': 760645, 'owner going bankrupt': 632454, 'going bankrupt and': 355054, 'bankrupt and struggling': 110488, 'and struggling doe': 72600, 'struggling doe self': 814434, 'doe self isolation': 251567, 'self isolation mean': 747784, 'isolation mean staying': 455347, 'mean staying inside': 524658, 'staying inside not': 798660, 'inside not going': 439326, 'out on spree': 626918, 'store pickup to': 809563, 'pickup to dog': 656039, 'who are impacted': 988159, 'impacted by via': 418093, 'is toiletpaper': 453268, 'toiletpaper so': 922486, 'this pricegouging': 889713, 'pricegouging stayhome': 677857, 'why is toiletpaper': 991125, 'is toiletpaper so': 453269, 'toiletpaper so expensive': 922487, 'so expensive at': 776999, 'expensive at publix': 291226, 'at publix is': 100225, 'publix is this': 688766, 'is this pricegouging': 453112, 'this pricegouging stayhome': 889714, 'crowd awaiting': 219133, 'awaiting free': 105545, 'at kelowna': 99365, 'kelowna distillery': 472740, 'distillery dispersed': 247746, 'dispersed after': 246164, 'after fistfight': 35679, 'fistfight sanitizer': 309452, 'crowd awaiting free': 219134, 'awaiting free hand': 105546, 'sanitizer at kelowna': 734512, 'at kelowna distillery': 99366, 'kelowna distillery dispersed': 472741, 'distillery dispersed after': 247747, 'dispersed after fistfight': 246165, 'after fistfight sanitizer': 35680, 'ddgs': 229028, 'widespr': 991820, 'demand depresses': 235226, 'depresses corn': 237602, 'further secondary': 342158, 'secondary impact': 743885, 'about cutting': 25062, 'of ddgs': 582396, 'ddgs cost': 229029, 'of co2': 581493, 'co2 for': 185029, 'meat processing': 525703, 'are widespr': 91636, 'detail how the': 239203, 'drop in ethanol': 260243, 'in ethanol demand': 422611, 'ethanol demand depresses': 282973, 'demand depresses corn': 235227, 'depresses corn price': 237603, 'price ha further': 674383, 'ha further secondary': 370698, 'further secondary impact': 342159, 'secondary impact we': 743886, 'impact we often': 418040, 'we often do': 972638, 'not think about': 572075, 'think about cutting': 885080, 'about cutting off': 25063, 'cutting off the': 223749, 'off the supply': 594274, 'supply of ddgs': 825620, 'of ddgs cost': 582397, 'ddgs cost efficient': 229030, 'cost efficient supply': 207925, 'efficient supply of': 269434, 'supply of co2': 825617, 'of co2 for': 581494, 'co2 for meat': 185030, 'for meat processing': 323365, 'meat processing the': 525705, 'processing the impact': 680043, 'the impact are': 857930, 'impact are widespr': 417566, 'night wa': 563118, 'person covering': 652388, 'covering my': 212480, 'face would': 294866, 'estimate wa': 282273, 'people customer': 647595, 'worker nebraska': 1007415, 'nebraska is': 553904, 'and blame': 58995, 'blame and': 132240, 'last night wa': 480400, 'night wa the': 563119, 'only person covering': 610955, 'person covering my': 652389, 'covering my face': 212481, 'my face would': 548168, 'face would estimate': 294867, 'would estimate wa': 1011794, 'estimate wa in': 282274, 'in the presence': 429466, 'presence of about': 670558, 'of about 50': 579711, 'about 50 people': 24724, '50 people customer': 19799, 'people customer and': 647596, 'customer and worker': 222105, 'and worker nebraska': 75876, 'worker nebraska is': 1007416, 'nebraska is not': 553905, 'is not serious': 450182, 'not serious about': 571531, 'serious about and': 751325, 'about and blame': 24796, 'and blame and': 58996, 'homeworking': 403015, 'laptop why': 479575, 'try refurbished': 934553, 'refurbished we': 707001, 'with warranty': 1002024, 'warranty drop': 967333, 'drop line': 260293, 'detail homeworking': 239197, 'homeworking laptop': 403016, 'coronavirus and struggling': 205497, 'hold of laptop': 399968, 'of laptop why': 585712, 'laptop why not': 479576, 'not try refurbished': 572294, 'try refurbished we': 934554, 'refurbished we can': 707002, 'hold of stock': 399971, 'stock at great': 801878, 'great price with': 362923, 'price with warranty': 677627, 'with warranty drop': 1002025, 'warranty drop line': 967334, 'drop line for': 260294, 'line for detail': 493099, 'for detail homeworking': 320680, 'detail homeworking laptop': 239198, 'reshape retail': 714187, 'will reshape retail': 994664, 'reshape retail and': 714188, 'abhijit': 24328, 'slip though': 774030, 'it finger': 458016, 'and hurry': 64886, 'offer crude': 594564, 'crude comfort': 219517, 'comfort to': 187856, 'economy abhijit': 267604, 'abhijit kumar': 24329, 'kumar dutta': 477908, 'dutta writes': 263540, 'writes for': 1012839, 'should not let': 766253, 'not let this': 570375, 'let this crash': 487176, 'this crash in': 887003, 'price slip though': 676475, 'slip though it': 774031, 'though it finger': 892837, 'it finger and': 458017, 'finger and hurry': 307786, 'and hurry up': 64887, 'hurry up to': 411528, 'up to offer': 946407, 'to offer crude': 910829, 'offer crude comfort': 594565, 'crude comfort to': 219518, 'comfort to the': 187857, 'the economy abhijit': 853932, 'economy abhijit kumar': 267605, 'abhijit kumar dutta': 24330, 'kumar dutta writes': 477909, 'dutta writes for': 263541, 'writes for 19': 1012840, 'from southwark': 337365, 'southwark you': 786916, 'closed scaled': 183317, 'scaled back': 739927, 'ha unwanted': 372403, 'unwanted stock': 944055, 'or surplus': 617308, 'contact publichealth': 200191, 'publichealth gov': 688534, 'help connect': 389510, 'an organisation': 56711, 'organisation who': 619288, 'can redistribute': 159407, 'redistribute your': 705737, 'also new from': 48564, 'new from southwark': 558781, 'from southwark you': 337366, 'southwark you are': 786917, 'are local food': 87857, 'local food business': 497963, 'food business who': 313806, 'who ha closed': 988836, 'ha closed scaled': 370174, 'closed scaled back': 183318, 'scaled back and': 739928, 'back and ha': 106856, 'and ha unwanted': 64089, 'ha unwanted stock': 372404, 'unwanted stock or': 944056, 'stock or surplus': 802592, 'or surplus food': 617309, 'surplus food please': 828483, 'food please contact': 315863, 'please contact publichealth': 659841, 'contact publichealth gov': 200192, 'publichealth gov uk': 688535, 'uk and we': 938178, 'will help connect': 993704, 'help connect you': 389511, 'you to an': 1021749, 'to an organisation': 900467, 'an organisation who': 56712, 'organisation who can': 619289, 'who can redistribute': 988403, 'can redistribute your': 159408, 'redistribute your food': 705738, 'needed local': 556418, 'help needed local': 390139, 'needed local food': 556419, 'bank are preparing': 109653, 'preparing for an': 670326, 'pandemic they need': 636737, 'they need donation': 882728, 'need donation and': 554702, 'mother wa': 543195, 'by neighbor': 153314, 'neighbor that': 557070, 'area woman': 92286, 'for without': 327897, 'without receiving': 1002877, 'receiving result': 703802, 'result yet': 717665, 'positive went': 665485, 'and announced': 58156, 'announced her': 76956, 'her situation': 392387, 'angry please': 76487, 'me virtual': 523883, 'virtual hug': 957751, 'my mother wa': 549345, 'mother wa told': 543196, 'told by neighbor': 923539, 'by neighbor that': 153315, 'neighbor that in': 557071, 'that in our': 844457, 'our area woman': 622114, 'area woman who': 92287, 'who wa tested': 989918, 'tested for without': 839309, 'for without receiving': 327899, 'without receiving result': 1002878, 'receiving result yet': 703803, 'result yet and': 717666, 'yet and could': 1015984, 'and could be': 60612, 'be positive went': 116473, 'positive went to': 665486, 'store and announced': 806194, 'and announced her': 58158, 'announced her situation': 76957, 'her situation to': 392388, 'situation to everyone': 772532, 'to everyone am': 905329, 'everyone am so': 286690, 'so angry please': 776515, 'angry please send': 76488, 'send me virtual': 749896, 'me virtual hug': 523884, 'security will': 744796, 'become much': 120065, 'emphasis in': 273368, 'canada now': 160509, 'highly dependent': 396054, 'on foreign': 600962, 'delivery expose': 233986, 'expose that': 292804, 'that weakness': 847413, 'weakness grocery': 974133, 'think food security': 885250, 'food security will': 316372, 'security will become': 744797, 'will become much': 992799, 'become much more': 120066, 'more of an': 539866, 'of an emphasis': 580108, 'an emphasis in': 55700, 'emphasis in agricultural': 273369, 'in agricultural policy': 420116, 'agricultural policy in': 38900, 'policy in canada': 663427, 'in canada now': 421194, 'canada now there': 160510, 'is none of': 450007, 'of that highly': 590727, 'that highly dependent': 844329, 'highly dependent on': 396055, 'dependent on foreign': 237370, 'on foreign country': 600963, 'foreign country just': 328967, 'country just in': 210837, 'in time delivery': 430077, 'time delivery expose': 896548, 'delivery expose that': 233987, 'expose that weakness': 292805, 'that weakness grocery': 847414, 'weakness grocery store': 974134, 'torched': 925883, 'southmead': 786902, 'delivery van': 234711, 'van torched': 952316, 'torched in': 925884, 'in southmead': 428154, 'southmead bristol': 786903, 'bristol an': 140319, 'after pm': 36043, 'pm national': 661948, 'order snapshot': 618585, 'related crime': 708403, 'uk further': 938397, 'further global': 342055, 'global update': 352274, 'supermarket delivery van': 819937, 'delivery van torched': 234713, 'van torched in': 952317, 'torched in southmead': 925885, 'in southmead bristol': 428155, 'southmead bristol an': 786904, 'bristol an hour': 140320, 'an hour after': 56073, 'hour after pm': 405366, 'after pm national': 36044, 'pm national lockdown': 661949, 'national lockdown order': 552557, 'lockdown order snapshot': 499750, 'order snapshot of': 618586, 'snapshot of related': 776161, 'of related crime': 588905, 'related crime in': 708404, 'crime in the': 216787, 'the uk further': 870223, 'uk further global': 938398, 'further global update': 342056, 'referendum': 706512, 'the handling': 857076, 'another eu': 77603, 'eu referendum': 283260, 'referendum would': 706513, 'you vote': 1022090, 'seeing the handling': 746497, 'the handling of': 857077, 'of corona if': 581890, 'corona if there': 204005, 'wa another eu': 961551, 'another eu referendum': 77604, 'eu referendum would': 283261, 'referendum would you': 706514, 'would you vote': 1012428, 'bowel': 136959, 'the bold': 849831, 'bold decision': 134091, 'all bowel': 42210, 'bowel movement': 136960, 'movement at': 543860, 'only drip': 610364, 'drip dry': 258961, 'dry allowed': 261239, 'we are family': 970559, 'are family of': 86480, 'family of and': 298092, 'of and have': 580160, 'and have made': 64257, 'made the bold': 507987, 'the bold decision': 849832, 'bold decision to': 134092, 'decision to ban': 231100, 'ban all bowel': 109168, 'all bowel movement': 42211, 'bowel movement at': 136961, 'movement at this': 543861, 'time only drip': 897416, 'only drip dry': 610365, 'drip dry allowed': 258962, 'dry allowed toiletpaper': 261240, 'smartpolicy': 775542, 'iamoilandgas': 412548, 'industry squeezed': 436117, 'squeezed in': 791546, 'arabia trying': 83956, 'american energy': 51946, 'producer response': 680693, 'our elected': 622873, 'place smartpolicy': 657685, 'smartpolicy iamoilandgas': 775543, 'iamoilandgas lalege': 412549, 'our industry squeezed': 623537, 'industry squeezed in': 436118, 'squeezed in the': 791547, 'the middle lower': 860570, 'middle lower demand': 530660, 'lower demand covid': 505832, '19 over supply': 9224, 'over supply due': 630669, 'due to russia': 261931, 'to russia saudi': 913690, 'saudi arabia trying': 737223, 'arabia trying to': 83957, 'out the american': 627346, 'the american energy': 848630, 'american energy producer': 51947, 'energy producer response': 276557, 'producer response from': 680694, 'response from our': 715696, 'from our elected': 336769, 'our elected leader': 622874, 'elected leader must': 270996, 'leader must take': 483495, 'must take place': 546944, 'take place smartpolicy': 832507, 'place smartpolicy iamoilandgas': 657686, 'smartpolicy iamoilandgas lalege': 775544, 'iamoilandgas lalege lagov': 412550, 'who avoids': 988288, 'avoids online': 105511, 'business love': 144023, 'love here': 504686, 'bar bakery': 110677, 'someone who avoids': 784749, 'who avoids online': 988289, 'avoids online shopping': 105512, 'shopping but now': 762251, 'but now online': 146611, 'now online is': 575449, 'way can help': 969519, 'the local business': 859536, 'local business love': 497766, 'business love here': 144024, 'love here how': 504687, 'here how and': 393095, 'how and are': 407360, 'are helping restaurant': 87106, 'helping restaurant bar': 391455, 'restaurant bar bakery': 716329, 'bar bakery and': 110678, 'bakery and more': 108835, 'more during covid': 539089, 'facing apps': 295404, 'apps offer': 83298, 'offer ease': 594595, 'ease of': 265090, 'access are': 28102, 'have unseen': 383466, 'unseen cost': 943464, 'careful with': 164457, 'data that': 226444, 'others coronavirus': 621345, 'coronavirus zoom': 207118, 'zoom under': 1027831, 'under increased': 940132, 'increased scrutiny': 433461, 'scrutiny popularity': 742953, 'popularity soar': 664625, 'the consumer facing': 851534, 'consumer facing apps': 197433, 'facing apps offer': 295405, 'apps offer ease': 83299, 'offer ease of': 594596, 'ease of access': 265091, 'of access are': 579732, 'access are free': 28103, 'are free at': 86676, 'free at point': 331666, 'point of delivery': 662558, 'of delivery but': 582487, 'delivery but have': 233761, 'but have unseen': 145886, 'have unseen cost': 383467, 'unseen cost we': 943465, 'cost we must': 208157, 'must be careful': 546495, 'be careful with': 114004, 'careful with our': 164459, 'with our data': 999987, 'our data that': 622698, 'data that of': 226445, 'of others coronavirus': 587387, 'others coronavirus zoom': 621346, 'coronavirus zoom under': 207119, 'zoom under increased': 1027832, 'under increased scrutiny': 940133, 'increased scrutiny popularity': 433462, 'scrutiny popularity soar': 742954, 'frustrating cheap': 339238, 'gas no': 343907, 'no travel': 565803, 'travel self': 930504, 'isolated like': 455016, 'strip tease': 813835, 'tease show': 836013, 'no touch': 565780, 'watching the lowering': 968800, 'the lowering gas': 859802, 'the is frustrating': 858495, 'is frustrating cheap': 447951, 'frustrating cheap gas': 339239, 'cheap gas no': 174118, 'gas no travel': 343908, 'no travel self': 565804, 'travel self isolated': 930505, 'self isolated like': 747706, 'isolated like going': 455017, 'going to strip': 355727, 'to strip tease': 915680, 'strip tease show': 813836, 'tease show you': 836014, 'show you can': 767291, 'can watch but': 160151, 'watch but no': 968374, 'but no touch': 146505, 'icymi offer': 412897, 'offer consumer': 594554, 'via daily': 955907, 'icymi offer consumer': 412898, 'offer consumer alert': 594555, 'alert about scam': 41342, 'about scam via': 26146, 'scam via daily': 740453, 'medi': 525957, 'good action': 356687, 'taken each': 832991, 'each state': 264277, 'own plan': 632134, 'plan please': 658205, 'arrange medical': 93686, 'footing arrange': 318553, 'arrange for': 93684, 'and locality': 66305, 'locality please': 498741, 'mask medi': 518968, 'very good action': 955182, 'good action taken': 356688, 'action taken each': 30143, 'taken each state': 832992, 'each state ha': 264278, 'state ha to': 795645, 'ha to make': 372309, 'make it own': 510047, 'it own plan': 460221, 'own plan please': 632135, 'plan please arrange': 658206, 'please arrange medical': 659669, 'arrange medical supply': 93687, 'medical supply on': 526454, 'supply on war': 825665, 'war footing arrange': 966434, 'footing arrange for': 318554, 'arrange for food': 93685, 'for food ration': 321619, 'ration in all': 697699, 'all area and': 42054, 'area and locality': 91939, 'and locality please': 66306, 'locality please increase': 498742, 'please increase stock': 660109, 'increase stock up': 433085, 'testing kit ventilator': 839549, 'kit ventilator mask': 475661, 'ventilator mask medi': 954580, 'hoarder gt': 399035, 'note to hoarder': 572835, 'to hoarder gt': 907891, 'hoarder gt how': 399036, 'gt how am': 367611, 'calling chinese': 156529, 'physical attack': 655376, 'man suffered': 512257, 'suffered heart': 817262, 'we should focus': 973270, 'be done but': 114553, 'but calling chinese': 145337, 'calling chinese virus': 156530, 'harmful physical attack': 378453, 'physical attack on': 655377, 'attack on asian': 102134, 'chinese man suffered': 177296, 'man suffered heart': 512258, 'suffered heart attack': 817263, 'heart attack in': 388267, 'attack in my': 102119, 'graffiti': 361739, 'graffiti left': 361740, 'left read': 485615, 'read fuck': 700343, 'in elmhurst': 422534, 'elmhurst queen': 271578, 'newyorkcity two': 561218, 'mask right': 519199, 'right walk': 722396, 'street more': 813039, 'graffiti left read': 361741, 'left read fuck': 485616, 'read fuck covid': 700344, '19 in elmhurst': 7742, 'in elmhurst queen': 422535, 'elmhurst queen newyorkcity': 271579, 'queen newyorkcity two': 693387, 'newyorkcity two people': 561219, 'two people face': 937135, 'people face mask': 647854, 'face mask right': 294584, 'mask right walk': 519200, 'right walk down': 722397, 'the street more': 868238, 'street more pic': 813040, 'fame': 297518, 'dontknowwhy': 255361, 'timetoshine': 898503, 'fame confusion': 297521, 'confusion toiletpaper': 194401, 'toiletpaper stoppanicbuying': 922550, 'stoppanicbuying art': 805545, 'art illustration': 94164, 'illustration drawing': 416453, 'drawing stayhealthy': 258528, 'stayhealthy fame': 797893, 'fame confused': 297519, 'confused dontknowwhy': 194330, 'dontknowwhy timetoshine': 255362, 'fame confusion toiletpaper': 297522, 'confusion toiletpaper stoppanicbuying': 194402, 'toiletpaper stoppanicbuying art': 922551, 'stoppanicbuying art illustration': 805546, 'art illustration drawing': 94165, 'illustration drawing stayhealthy': 416454, 'drawing stayhealthy fame': 258529, 'stayhealthy fame confused': 797894, 'fame confused dontknowwhy': 297520, 'confused dontknowwhy timetoshine': 194331, 'inadvance': 431219, 'hold planned': 399995, 'planned well': 658476, 'well inadvance': 978319, 'take hold planned': 832197, 'hold planned well': 399996, 'planned well inadvance': 658477, 'kirsten': 475429, 'market specialist': 517088, 'specialist kirsten': 788120, 'kirsten hay': 475430, 'hay eric': 384507, 'eric su': 280159, 'su and': 815659, 'simon price': 769968, 'provide global': 686331, 'two pronged': 937168, 'pronged impact': 683980, 'this podcast the': 889627, 'podcast the market': 662317, 'the market specialist': 860161, 'market specialist kirsten': 517089, 'specialist kirsten hay': 788121, 'kirsten hay eric': 475431, 'hay eric su': 384508, 'eric su and': 280160, 'su and simon': 815660, 'and simon price': 71676, 'simon price provide': 769969, 'price provide global': 676021, 'provide global view': 686332, 'price crash and': 673316, 'crash and two': 214954, 'and two pronged': 74556, 'two pronged impact': 937169, 'pronged impact on': 683981, 'on global petrochemical': 601110, 'global petrochemical market': 352127, 'petrochemical market listen': 653692, 'spokeswoman': 789799, 'amazon glitch': 50957, 'glitch block': 351716, 'block whole': 132805, 'produce delivery': 680233, 'delivery covid': 233836, 'online spokeswoman': 609412, 'spokeswoman said': 789800, 'statement today': 796223, 'on system': 603860, 'system affecting': 831083, 'affecting our': 34543, 'amazon glitch block': 50958, 'glitch block whole': 351717, 'block whole food': 132806, 'whole food and': 990209, 'food and fresh': 313236, 'fresh produce delivery': 333049, 'produce delivery covid': 680234, 'delivery covid 19': 233837, 'seen significant increase': 747226, 'shopping online spokeswoman': 763486, 'online spokeswoman said': 609413, 'spokeswoman said in': 789801, 'in statement today': 428253, 'statement today this': 796224, 'today this ha': 920336, 'this ha resulted': 887814, 'in an impact': 420309, 'impact on system': 417893, 'on system affecting': 603861, 'system affecting our': 831084, 'more protective': 540170, 'protective window': 685818, 'window like': 995687, 'these at': 879657, 'you been seeing': 1017427, 'been seeing more': 121893, 'seeing more protective': 746369, 'more protective window': 540172, 'protective window like': 685819, 'window like these': 995688, 'like these at': 491429, 'these at and': 879658, 'at and socialdistancing': 98009, 'and socialdistancing grocery': 71907, 'socialdistancing grocery supermarket': 780388, 'store zoom': 811704, 'zoom in': 1027809, 'feeling bad': 302967, 'poor canned': 664137, 'canned pea': 161554, 'time see photo': 897629, 'see photo of': 745579, 'an empty grocery': 55723, 'grocery store zoom': 365983, 'store zoom in': 811705, 'zoom in to': 1027810, 'see what people': 746042, 'what people left': 982013, 'people left on': 648620, 'end up feeling': 276029, 'up feeling bad': 944848, 'feeling bad for': 302968, 'the poor canned': 863969, 'poor canned pea': 664138, 'heart of crisis': 388315, 'of crisis how': 582163, 'crisis how consumer': 217501, 'how consumer health': 407594, 'health company can': 386280, 'company can lead': 190524, 'can lead in': 158843, 'lead in the': 483291, 'time of via': 897373, 'news government': 560479, 'in across': 420006, 'shortage ravage': 765193, 'news government need': 560480, 'step in across': 799559, 'in across report': 420007, 'and shortage ravage': 71573, 'derided': 237860, 'cashier had': 166539, 'line derided': 493051, 'derided him': 237861, 'out he': 626267, 'heart transplant': 388351, 'transplant couldn': 929852, 'couldn risk': 209918, 'anything tha': 80890, 'local supermarket before': 498504, 'before we were': 123293, 'we were made': 973798, 'the cashier had': 850487, 'cashier had mask': 166540, 'had mask on': 373286, 'mask on customer': 519045, 'on customer in': 600194, 'customer in line': 222495, 'in line derided': 424749, 'line derided him': 493052, 'derided him for': 237862, 'him for wearing': 396605, 'wearing it turn': 974666, 'turn out he': 935735, 'out he had': 626268, 'he had heart': 385052, 'had heart transplant': 373171, 'heart transplant couldn': 388352, 'transplant couldn risk': 929853, 'couldn risk being': 209919, 'exposed to anything': 292891, 'to anything tha': 900637, 'staying foot': 798591, 'people were waiting': 650229, 'were waiting in': 980337, 'in line here': 424755, 'line here to': 493170, 'here to staying': 393729, 'to staying foot': 915350, 'staying foot away': 798592, 'mark your': 515844, 'miss webinar': 534215, 'webinar coping': 975028, 'thursday hear': 895383, 'grocer foodretail': 364128, 'foodretail retail': 318049, 'mark your calendar': 515845, 'your calendar for': 1023102, 'calendar for this': 155390, 'for this can': 327015, 'this can miss': 886684, 'can miss webinar': 159002, 'miss webinar coping': 534216, 'webinar coping with': 975029, 'grocery industry in': 364627, 'industry in action': 435901, 'in action on': 420014, 'action on thursday': 30100, 'on thursday hear': 604670, 'thursday hear from': 895384, 'hear from and': 387919, 'from and grocery': 334515, 'and grocery supermarket': 64004, 'grocery supermarket grocer': 365997, 'supermarket grocer foodretail': 820570, 'grocer foodretail retail': 364129, 'nothing say': 573151, 'paycheck before': 645274, 'before she': 123069, 'died wa': 241610, 'nothing say essential': 573152, 'worker like her': 1007318, 'like her last': 490421, 'last paycheck before': 480445, 'paycheck before she': 645275, 'before she died': 123070, 'she died wa': 755995, 'died wa 20': 241611, 'unfold member': 941511, 'provide uninterrupted': 686527, 'uninterrupted safe': 941857, 'safe service': 729931, 'to unfold member': 917937, 'unfold member can': 941512, 'to provide uninterrupted': 912445, 'provide uninterrupted safe': 686528, 'uninterrupted safe service': 941858, 'safe service to': 729932, 'help with potential': 390923, 'potential financial hardship': 667066, 'financial hardship for': 306433, 'hardship for both': 378290, 'for both our': 319740, 'business member we': 144045, 'member we are': 528235, 'are offering relief': 88675, 'offering relief program': 595235, 'rqcomm201csuf': 726671, '7am for': 22416, 'shift about': 758218, 'life tweet': 489151, 'for rqcomm201csuf': 325263, 'rqcomm201csuf on': 726672, 'arrived at work': 93948, 'at work right': 101613, 'work right before': 1005675, 'right before 7am': 721806, 'before 7am for': 122594, '7am for my': 22417, 'for my shift': 323747, 'my shift about': 550035, 'shift about to': 758219, 'about to life': 26727, 'to life tweet': 909255, 'life tweet for': 489152, 'tweet for rqcomm201csuf': 936363, 'for rqcomm201csuf on': 325264, 'rqcomm201csuf on what': 726673, 'tip from medical': 898800, 'from medical professional': 336411, 'eyren': 294160, 'industrie': 435584, 'handsanitizer performance': 376605, 'customer eyren': 222363, 'eyren industrie': 294161, 'industrie located': 435585, 'sanitizer packaging': 735525, 'almost three': 46751, 'handsanitizer performance at': 376606, 'performance at our': 651428, 'at our customer': 100010, 'our customer eyren': 622661, 'customer eyren industrie': 222364, 'eyren industrie located': 294162, 'industrie located in': 435586, 'located in france': 498812, 'france the hand': 331038, 'hand sanitizer packaging': 375528, 'sanitizer packaging line': 735526, 'packaging line ha': 633555, 'line ha been': 493148, 'ha been running': 369910, 'capacity for almost': 162520, 'for almost three': 319213, 'almost three week': 46752, 'at manchester': 99668, 'manchester central': 512935, 'central that': 169431, 'staple item': 793966, 'being replaced': 125670, 'replaced amid': 711598, 'isn just at': 454577, 'just at manchester': 468246, 'at manchester central': 99669, 'manchester central that': 512936, 'central that are': 169432, 'shelf stocked food': 757581, 'stocked food bank': 803318, 'down the country': 257271, 'country are running': 210479, 'out of staple': 626837, 'of staple item': 590042, 'staple item that': 793967, 'not being replaced': 568545, 'being replaced amid': 125671, 'replaced amid covid': 711599, 'supercharger': 818634, 'aye': 106329, 'lmfaoo': 497179, 'food expired': 314435, 'expired missed': 292072, 'missed out': 534244, 'stock trade': 803021, 'trade before': 928421, 'no tesla': 565680, 'tesla supercharger': 838887, 'supercharger near': 818635, 'apartment all': 81384, 'wa hospitalized': 962338, 'hospitalized and': 404836, 'to therapy': 917328, 'therapy aye': 877914, 'aye but': 106330, 'got hella': 358594, 'hella painkiller': 389112, 'painkiller tho': 634272, 'tho lmfaoo': 891683, 'my food expired': 548380, 'food expired missed': 314436, 'expired missed out': 292073, 'missed out on': 534245, 'out on stock': 626919, 'on stock trade': 603678, 'stock trade before': 803022, 'trade before covid': 928422, '19 and still': 5113, 'still no tesla': 800879, 'no tesla supercharger': 565681, 'tesla supercharger near': 838888, 'supercharger near my': 818636, 'near my apartment': 553555, 'my apartment all': 547283, 'apartment all while': 81385, 'all while wa': 45452, 'while wa hospitalized': 987522, 'wa hospitalized and': 962339, 'hospitalized and going': 404837, 'going to therapy': 355744, 'to therapy aye': 917329, 'therapy aye but': 877915, 'aye but still': 106331, 'still got paid': 800604, 'got paid and': 358776, 'paid and got': 633964, 'and got hella': 63853, 'got hella painkiller': 358595, 'hella painkiller tho': 389113, 'painkiller tho lmfaoo': 634273, 'are multiple': 88167, 'multiple resource': 545782, 'assistance but': 96671, 'also greater': 48293, 'greater in': 363186, 'there are multiple': 878128, 'are multiple resource': 88168, 'multiple resource available': 545783, 'resource available for': 714720, 'available for family': 104369, 'of assistance but': 580408, 'assistance but the': 96672, 'is also greater': 445558, 'also greater in': 48294, 'greater in the': 363187, 'thanked some': 841883, 'employee one': 274077, 'one said': 606989, 'of angry': 580206, 'she appreciated': 755859, 'comment sure': 188456, 'already reminded': 47616, 'reminded people': 710532, 'wa shopping at': 963205, 'shopping at my': 762106, 'store and thanked': 806368, 'and thanked some': 73164, 'thanked some employee': 841884, 'some employee one': 782742, 'employee one said': 274078, 'one said they': 606990, 'said they get': 731477, 'they get lot': 882171, 'lot of angry': 504139, 'of angry customer': 580207, 'angry customer so': 76469, 'customer so she': 222859, 'so she appreciated': 778187, 'she appreciated my': 755860, 'appreciated my comment': 82828, 'my comment sure': 547755, 'comment sure you': 188457, 'sure you ve': 827876, 've already reminded': 952826, 'already reminded people': 47617, 'reminded people but': 710533, 'people but let': 647322, 'tactic amp': 831683, 'amp changing': 53515, 'true they': 933192, 'anxiety due': 78692, 'shifting tactic amp': 758552, 'tactic amp changing': 831684, 'amp changing their': 53516, 'off guard this': 593878, 'guard this is': 367848, 'especially true they': 280647, 'true they take': 933193, 'they take advantage': 883521, 'advantage of anxiety': 32986, 'of anxiety due': 580243, 'anxiety due to': 78693, 'due to info': 261830, 'to info on': 908383, 'info on current': 437527, 'on current government': 600186, 'imposter scam that': 419418, 'intensify online': 441122, 'those cannot': 891855, 'company and intensify': 190384, 'and intensify online': 65314, 'intensify online shopping': 441123, 'for those cannot': 327101, 'those cannot do': 891856, 'cannot do online': 161761, 'cause sharp': 167726, 'sharp deterioration': 755679, 'region positive': 707448, 'positive fundamental': 665336, 'fundamental will': 341561, 'likely support': 492106, 'support consumption': 826440, 'consumption once': 199920, 'although the pandemic': 49366, 'will cause sharp': 992895, 'cause sharp deterioration': 167727, 'sharp deterioration in': 755680, 'deterioration in eu': 239417, 'in eu consumer': 422621, 'eu consumer spending': 283216, 'year the region': 1015002, 'the region positive': 865435, 'region positive fundamental': 707449, 'positive fundamental will': 665337, 'fundamental will likely': 341562, 'will likely support': 994014, 'likely support consumption': 492107, 'support consumption once': 826441, 'consumption once the': 199921, 'company charged': 190544, 'charged full': 173389, 'worse raising': 1010990, 'sell to': 748919, 'bidder during': 129504, 'such company': 816412, 'company aren': 190463, 'just greedy': 468883, 'also anti': 47858, 'be bad enough': 113792, 'bad enough if': 107840, 'enough if company': 277481, 'if company charged': 413971, 'company charged full': 190545, 'charged full price': 173390, 'full price for': 340829, 'price for and': 673925, 'for and during': 319320, 'and during but': 61807, 'during but what': 262488, 'but what they': 147799, 'doing is far': 252474, 'is far worse': 447743, 'far worse raising': 298981, 'worse raising price': 1010991, 'raising price to': 696130, 'to sell to': 914183, 'sell to the': 748921, 'highest bidder during': 395813, 'bidder during national': 129505, 'national emergency such': 552495, 'emergency such company': 272999, 'such company aren': 816413, 'company aren just': 190464, 'aren just greedy': 92446, 'just greedy they': 468884, 'greedy they re': 363627, 're also anti': 698261, 'also anti american': 47859, 'via easter': 955936, 'easter retail': 265481, 'retail traderjoes': 718805, '19 via easter': 11760, 'via easter retail': 955938, 'easter retail traderjoes': 265482, '7mil': 22490, 'la usa': 478225, 'usa 16': 948564, '16 200': 4063, '200 caught': 13467, 'caught 7mil': 167408, '7mil pc': 22491, 'pc of': 645894, 'mask important': 518822, 'important from': 418810, 'china contain': 176583, 'virus pls': 958641, 'pls check': 661116, 'check carefully': 174393, 'carefully all': 164463, 'mask imported': 518824, 'imported to': 419188, 'australia from': 103286, 'la usa 16': 478226, 'usa 16 200': 948565, '16 200 caught': 4064, '200 caught 7mil': 13468, 'caught 7mil pc': 167409, '7mil pc of': 22492, 'pc of face': 645895, 'face mask important': 294550, 'mask important from': 518823, 'important from china': 418811, 'from china contain': 334854, 'china contain covid': 176584, '19 virus pls': 11829, 'virus pls check': 958642, 'pls check carefully': 661117, 'check carefully all': 174394, 'carefully all face': 164464, 'all face mask': 42737, 'face mask imported': 294551, 'mask imported to': 518825, 'imported to australia': 419189, 'to australia from': 900840, 'australia from those': 103287, 'from those online': 338029, 'shopping and etc': 761980, 'factoring': 295913, 'yet proven': 1016211, 'proven dire': 686154, 'dire model': 243254, 'model predicted': 535297, 'predicted market': 669612, 'market factoring': 516373, 'factoring in': 295914, 'some reasonable': 783702, 'reasonable level': 703103, 'level or': 487672, 'or normalcy': 616283, 'may assuming': 520936, 'assuming current': 97050, 'trend continue': 931305, 'continue small': 201133, 'self regulate': 747883, 'regulate traffic': 707999, 'traffic djia': 929076, 'djia 26': 248822, '26 since': 16186, 'since mar': 770722, '23rd low': 15516, 'up on higher': 945577, 'on higher oil': 601302, 'oil price not': 597203, 'price not yet': 675371, 'not yet proven': 572602, 'yet proven dire': 1016212, 'proven dire model': 686155, 'dire model predicted': 243255, 'model predicted market': 535298, 'predicted market factoring': 669613, 'market factoring in': 516374, 'factoring in some': 295915, 'in some reasonable': 428098, 'some reasonable level': 783703, 'reasonable level or': 703104, 'level or normalcy': 487673, 'or normalcy in': 616284, 'normalcy in may': 567442, 'in may assuming': 425195, 'may assuming current': 520937, 'assuming current trend': 97051, 'current trend continue': 221407, 'trend continue small': 931306, 'continue small business': 201134, 'small business should': 774891, 'allowed to self': 46245, 'to self regulate': 914125, 'self regulate traffic': 747884, 'regulate traffic djia': 708000, 'traffic djia 26': 929077, 'djia 26 since': 248823, '26 since mar': 16187, 'since mar 23rd': 770723, 'mar 23rd low': 514990, 'of standing': 590034, 'instead of standing': 440323, 'of standing on': 590035, 'standing on top': 793795, 'top of me': 925636, 'of me on': 586338, 'me on line': 523261, 'store how about': 808216, 'about you back': 26969, 'you back tf': 1017368, 'tf up socialdistancing': 840010, '2018 very': 13906, 'income there': 432476, '2019 after': 13930, 'after not': 35963, 'finding employment': 307456, 'finished school': 307917, 'for finally': 321483, 'finally took': 306121, 'took retail': 925326, 'job now': 466028, '19 bailoutpeoplenotcorporations': 5293, 'wa full time': 962183, 'full time student': 340946, 'time student for': 897774, 'student for most': 814687, 'most of 2018': 542539, 'of 2018 very': 579476, '2018 very little': 13907, 'very little income': 955321, 'little income there': 495410, 'income there in': 432477, 'there in 2019': 878504, 'in 2019 after': 419799, '2019 after not': 13931, 'after not finding': 35964, 'not finding employment': 569431, 'finding employment in': 307457, 'employment in the': 274613, 'the industry just': 858178, 'industry just finished': 435950, 'just finished school': 468731, 'finished school for': 307918, 'school for finally': 741796, 'for finally took': 321484, 'finally took retail': 306122, 'took retail job': 925327, 'retail job now': 718256, 'job now the': 466029, 'now the store': 576073, 'the store closed': 867996, 'covid 19 bailoutpeoplenotcorporations': 212674, 'or soliciting': 617145, 'soliciting donation': 781888, 'charity claiming': 173594, 'victim discover': 956464, 'discover tip': 244670, 'of scam some': 589365, 'may be selling': 521028, 'be selling product': 117073, 'product that do': 681690, 'not help prevent': 569931, 'virus or soliciting': 958576, 'or soliciting donation': 617146, 'soliciting donation for': 781889, 'fake charity claiming': 296575, 'charity claiming to': 173595, 'claiming to help': 179922, 'coronavirus victim discover': 207021, 'victim discover tip': 956465, 'discover tip to': 244671, 'quickly food': 694528, 'food sourcing': 316705, 'purchasing ha': 689871, 'at how quickly': 99229, 'how quickly food': 408549, 'quickly food sourcing': 694529, 'food sourcing and': 316706, 'sourcing and purchasing': 786608, 'and purchasing ha': 69790, 'purchasing ha changed': 689872, 'changed and what': 172436, 'and what trend': 75493, 'what trend are': 982487, 'trend are emerging': 931277, 'me word': 524010, 'buying hamsterkauf': 150463, 'hamsterkauf st': 374676, 'st ka': 791715, 'ka german': 470560, 'german phrase': 346236, 'phrase inspired': 655343, 'by hamster': 152746, 'hamster stuffing': 374652, 'stuffing their': 815297, 'their cheek': 872764, 'possible cap': 665602, 'cap in': 162425, 'german courtesy': 346223, 'another new to': 77724, 'new to me': 559760, 'to me word': 909972, 'me word for': 524011, 'panic buying hamsterkauf': 637755, 'buying hamsterkauf st': 150464, 'hamsterkauf st ka': 374677, 'st ka german': 791716, 'ka german phrase': 470561, 'german phrase inspired': 346237, 'phrase inspired by': 655344, 'inspired by hamster': 439839, 'by hamster stuffing': 152747, 'hamster stuffing their': 374653, 'stuffing their cheek': 815298, 'their cheek with': 872765, 'cheek with much': 175090, 'with much food': 999592, 'food possible cap': 315889, 'possible cap in': 665603, 'cap in german': 162426, 'in german courtesy': 423271, 'german courtesy of': 346224, 'courtesy of and': 212049, 'of and stayhomesavelives': 580183, 'from official': 336644, 'official ha': 595828, 'very consistent': 955077, 'consistent on': 195484, 'medicine the': 526903, 'advice from official': 33389, 'from official ha': 336645, 'official ha been': 595829, 'ha been very': 369979, 'been very consistent': 122330, 'very consistent on': 955078, 'consistent on stockpiling': 195485, 'on stockpiling there': 603682, 'stockpiling there are': 804098, 'with supply of': 1001082, 'or medicine the': 616118, 'medicine the only': 526904, 'only way there': 611443, 'way there will': 969949, 'an issue is': 56483, 'if people stockpile': 414631, 'people stockpile and': 649629, 'panic buy please': 637520, 'buy please be': 149090, 'of others 19': 587381, 'stumble': 815300, 'stock stumble': 802892, 'stumble jobless': 815301, 'claim hit': 179743, 'record eating': 704958, 'into more': 442769, 'more upbeat': 540854, 'upbeat trading': 946776, 'been buoyed': 120762, 'by jump': 152970, 'via investment': 956037, 'investment investment': 444020, 'investment donaldtrump': 443980, 'global stock stumble': 352223, 'stock stumble jobless': 802893, 'stumble jobless claim': 815302, 'jobless claim hit': 466333, 'claim hit new': 179744, 'new record eating': 559417, 'record eating into': 704959, 'eating into more': 266232, 'into more upbeat': 442770, 'more upbeat trading': 540855, 'upbeat trading session': 946777, 'trading session that': 928918, 'session that had': 753310, 'that had been': 844149, 'had been buoyed': 372886, 'been buoyed by': 120763, 'buoyed by jump': 142722, 'by jump in': 152971, 'jump in oil': 467865, 'price via investment': 677308, 'via investment investment': 956038, 'investment investment donaldtrump': 444021, 'providing thousand': 687119, 'for 600': 318893, '600 senior': 21112, '19 big': 5390, 'packing and': 633728, 'distributing these': 248097, 'these meal': 880283, 'senior safe': 750398, 'are providing thousand': 89324, 'providing thousand of': 687120, 'thousand of meal': 893454, 'of meal for': 586358, 'meal for 600': 524146, 'for 600 senior': 318894, '600 senior over': 21113, 'senior over the': 750383, 'week to reduce': 977092, 'reduce their need': 705985, 'their need to': 874044, 'supermarket and potential': 819042, 'covid 19 big': 212704, '19 big thank': 5391, 'of the volunteer': 591593, 'the volunteer who': 870959, 'volunteer who are': 960368, 'who are packing': 988189, 'are packing and': 88952, 'packing and distributing': 633729, 'and distributing these': 61523, 'distributing these meal': 248098, 'these meal to': 880284, 'keep our senior': 471745, 'our senior safe': 624717, 'great research': 362962, 'exception how': 289268, 'self confidence': 747589, 'great research by': 362963, 'research by our': 713689, 'no exception how': 564153, 'exception how have': 289269, 'behavior and self': 123901, 'and self confidence': 71182, 'self confidence been': 747590, 'been affected people': 120625, 'affected people adapt': 34407, '355': 17957, 'company send': 191062, 'send threatening': 749973, 'threatening letter': 893814, 'letter like': 487329, 'original bill': 619555, 'wa 355': 961375, '355 disgusting': 17958, 'disgusting really': 245454, 'really action': 701951, 'action coronacrisisuk': 29990, 'coronacrisis inthistogether': 204637, 'can company send': 157943, 'company send threatening': 191063, 'send threatening letter': 749974, 'threatening letter like': 893815, 'letter like this': 487330, 'like this during': 491483, 'this during this': 887319, 'time the original': 897865, 'the original bill': 862484, 'original bill wa': 619556, 'bill wa 355': 130717, 'wa 355 disgusting': 961376, '355 disgusting really': 17959, 'disgusting really action': 245455, 'really action coronacrisisuk': 701952, 'action coronacrisisuk coronacrisis': 29991, 'coronacrisisuk coronacrisis inthistogether': 204880, 'profiteering supermarket': 683095, 'and desperate': 61258, 'desperate parent': 238542, 'milk formula': 531679, 'formula ebay': 329703, 'ebay being': 266440, 'coronacrisis profiteering supermarket': 204717, 'profiteering supermarket are': 683096, 'supermarket are being': 819147, 'being stripped bare': 125865, 'bare and desperate': 110856, 'and desperate parent': 61259, 'desperate parent cannot': 238543, 'parent cannot find': 641601, 'cannot find baby': 161833, 'find baby milk': 306823, 'baby milk formula': 106662, 'milk formula ebay': 531680, 'formula ebay being': 329704, 'ebay being sold': 266441, 'sold at highly': 781635, 'demonetisation': 236819, 'from flourishing': 335492, 'flourishing during': 311201, 'during demonetisation': 262593, 'demonetisation to': 236820, 'to contributing': 903438, 'contributing among': 201906, 'the startup': 867741, 'founder will': 330564, 'be addressing': 113490, 'world live': 1009765, 'live register': 495998, 'from flourishing during': 335493, 'flourishing during demonetisation': 311202, 'during demonetisation to': 262594, 'demonetisation to contributing': 236821, 'to contributing among': 903439, 'contributing among the': 201907, 'among the startup': 53074, 'the startup in': 867742, 'against the founder': 37658, 'the founder will': 855734, 'founder will be': 330565, 'will be addressing': 992343, 'be addressing the': 113491, 'addressing the future': 32107, 'startup in post': 795112, 'post world live': 666418, 'world live register': 1009766, 'live register now': 495999, 'house only': 406438, 'real need': 701275, 'go strictly': 354172, 'strictly to': 813703, 'stayathome love': 797528, 'the house only': 857621, 'house only if': 406439, 'you have real': 1019101, 'have real need': 382179, 'real need go': 701276, 'need go strictly': 554914, 'go strictly to': 354173, 'strictly to the': 813704, 'or supermarket stayathome': 617287, 'supermarket stayathome love': 822936, 'stayathome love you': 797529, 'wahsing': 964050, 'from africa': 334407, 'africa and': 35044, 'the ebola': 853863, 'ebola install': 266550, 'install hand': 439992, 'hand wahsing': 375912, 'wahsing station': 964051, 'station outside': 796483, 'outside all': 629361, 'public building': 687901, 'building disinfect': 142071, 'public surface': 688347, 'surface mount': 828047, 'mount plexiglas': 543405, 'plexiglas for': 661036, 'and arrange': 58401, 'arrange safe': 93695, 'safe burial': 729525, 'we should learn': 973278, 'learn from africa': 483961, 'from africa and': 334408, 'africa and the': 35045, 'and the ebola': 73339, 'the ebola install': 853864, 'ebola install hand': 266551, 'install hand wahsing': 439993, 'hand wahsing station': 375913, 'wahsing station outside': 964052, 'station outside all': 796484, 'outside all public': 629362, 'all public building': 44088, 'public building disinfect': 687902, 'building disinfect public': 142072, 'disinfect public surface': 245566, 'public surface mount': 688348, 'surface mount plexiglas': 828048, 'mount plexiglas for': 543406, 'plexiglas for supermarket': 661037, 'cashier and arrange': 166450, 'and arrange safe': 58402, 'arrange safe burial': 93696, 'lakshman': 479125, 'rekha': 708351, 'god lockdown': 354758, 'medicine basic': 526740, 'basic amenity': 111823, 'amenity family': 51418, 'stranded far': 812349, 'away etc': 105830, 'etc govt': 282569, 'worry don': 1010694, 'panic lock': 638285, 'lock yourselves': 499088, 'well lakshman': 978367, 'lakshman is': 479126, 'the rekha': 865458, 'rekha he': 708352, 'll bash': 496561, 'bash up': 111810, 'up 21daylockdown': 944133, 'people oh god': 648949, 'oh god lockdown': 596393, 'god lockdown we': 354759, 'no food medicine': 564262, 'food medicine basic': 315440, 'medicine basic amenity': 526741, 'basic amenity family': 111824, 'amenity family member': 51419, 'family member are': 298025, 'member are stranded': 528027, 'are stranded far': 90549, 'stranded far away': 812350, 'far away etc': 298716, 'away etc etc': 105831, 'etc etc govt': 282520, 'etc govt of': 282570, 'of india do': 585101, 'not worry don': 572566, 'worry don panic': 1010695, 'don panic lock': 253807, 'panic lock yourselves': 638286, 'lock yourselves up': 499089, 'yourselves up at': 1026820, 'home all will': 400586, 'be well lakshman': 118086, 'well lakshman is': 978368, 'lakshman is waiting': 479127, 'is waiting outside': 453734, 'waiting outside the': 964374, 'outside the rekha': 629602, 'the rekha he': 865459, 'rekha he ll': 708353, 'he ll bash': 385194, 'll bash up': 496562, 'bash up 21daylockdown': 111811, 'dimout': 242961, 'skyline': 773241, 'endurance': 276288, 'ii which': 415988, 'strict rationing': 813648, 'even dimout': 284001, 'dimout of': 242962, 'york skyline': 1016663, 'skyline the': 773242, 'course rose': 211929, 'occasion the': 578944, 'beginning an': 123617, 'an endurance': 55740, 'endurance test': 276289, 'no clear': 563823, 'clear end': 181247, 'from back to': 334622, 'back to world': 107412, 'to world war': 918826, 'war ii which': 966470, 'ii which saw': 415989, 'which saw the': 986287, 'saw the strict': 738274, 'the strict rationing': 868282, 'strict rationing of': 813649, 'rationing of consumer': 697851, 'consumer good even': 197613, 'good even dimout': 357009, 'even dimout of': 284002, 'dimout of new': 242963, 'new york skyline': 559949, 'york skyline the': 1016664, 'skyline the american': 773243, 'american public of': 52149, 'public of course': 688187, 'of course rose': 582070, 'course rose to': 211930, 'the occasion the': 862031, 'occasion the bottom': 578945, 'bottom line we': 136415, 'line we re': 493554, 're just beginning': 698942, 'just beginning an': 468322, 'beginning an endurance': 123618, 'an endurance test': 55741, 'endurance test that': 276290, 'test that ha': 839193, 'ha no clear': 371332, 'no clear end': 563824, 'high treatment': 395489, 'get hampered': 347182, 'remain high treatment': 709763, 'high treatment of': 395490, 'treatment of 2008': 931106, 'of 2008 crisis': 579459, '2008 crisis get': 13653, 'crisis get hampered': 217414, 'get hampered by': 347183, 'hampered by covid': 374610, 'crisis the coronavirus': 218166, 'pandemic 42': 634782, '42 said': 18913, 'get cleaning': 346779, 'grocery said': 364927, 'get rx': 347944, 'rx medication': 728785, 'few day some': 303791, 'day some american': 228379, 'american are struggling': 51820, 'to get needed': 906542, 'get needed supply': 347653, 'needed supply for': 556506, 'the pandemic 42': 862892, 'pandemic 42 said': 634783, '42 said they': 18914, 'said they couldn': 731473, 'they couldn get': 881845, 'couldn get cleaning': 209885, 'get cleaning supply': 346780, 'cleaning supply or': 181082, 'supply or hand': 825684, 'sanitizer 19 said': 734284, '19 said they': 10291, 'they were unable': 883814, 'get grocery said': 347167, 'grocery said they': 364928, 'couldn get rx': 209891, 'get rx medication': 347945, 'grocerynews': 366231, 'force grocery': 328399, 'increase hiring': 432806, 'via foodnews': 955982, 'grocery grocerynews': 364569, 'grocerynews retailtrends': 366232, 'coronavirus force grocery': 205946, 'force grocery store': 328400, 'store to increase': 810779, 'to increase hiring': 908283, 'increase hiring to': 432807, 'hiring to keep': 397142, 'with demand via': 997995, 'demand via foodnews': 236437, 'via foodnews food': 955983, 'foodnews food news': 318016, 'food news grocery': 315534, 'news grocery grocerynews': 560486, 'grocery grocerynews retailtrends': 364570, 'just reached': 469557, 'reached for': 700040, 'guy just reached': 369063, 'just reached for': 469558, 'reached for alcohol': 700041, 'for alcohol to': 319096, 'update through': 947264, 'through river': 894649, 'river place': 724189, 'place shop': 657679, 'business by online': 143478, 'by online click': 153433, 'online click here': 608018, 'here for covid': 393002, '19 update through': 11689, 'update through river': 947265, 'through river place': 894650, 'river place shop': 724190, 'government until': 360759, 'until more': 943787, 'am getting check': 50074, 'getting check from': 348899, 'the government until': 856618, 'government until more': 360760, 'until more information': 943788, 'more information becomes': 539577, 'becomes available here': 120204, 'available here are': 104417, 'are some important': 90270, 'some important thing': 783088, 'odered': 579221, 'you odered': 1020171, 'odered not': 579222, 'ap and': 81200, 'and telangana': 73076, 'telangana they': 836639, 'are doubled': 85959, 'from hiked': 335798, 'price thankyou': 676790, 'thankyou corona': 842324, 'pm sir you': 661986, 'sir you odered': 771686, 'you odered not': 1020172, 'odered not to': 579223, 'not to hike': 572157, 'to hike the': 907764, 'daily essential but': 224596, 'essential but still': 280876, 'still in ap': 800739, 'in ap and': 420445, 'ap and telangana': 81201, 'and telangana they': 73077, 'telangana they are': 836640, 'they are doubled': 881257, 'are doubled the': 85960, 'doubled the rate': 256146, 'the rate and': 865162, 'rate and making': 697152, 'and making huge': 66590, 'huge profit please': 410154, 'profit please take': 682846, 'please take necessary': 660635, 'necessary action and': 553942, 'action and save': 29950, 'and save people': 70958, 'save people from': 737620, 'people from hiked': 647993, 'from hiked price': 335799, 'hiked price thankyou': 396337, 'price thankyou corona': 676791, 'quintupled': 694768, 'historic job': 397956, 'and spike': 72105, 'in hungry': 423923, 'hungry new': 411279, 'yorkers food': 1016706, 'ha quintupled': 371620, 'quintupled this': 694769, 'season almost': 743370, 'of rapaport': 588741, 'rapaport customer': 696882, 'new he': 558863, 'different socio': 242065, 'economic class': 267008, 'class than': 180268, 'than his': 840746, 'normal clientele': 567114, 'due to historic': 261813, 'to historic job': 907830, 'historic job loss': 397957, 'loss and spike': 503638, 'and spike in': 72106, 'spike in hungry': 789301, 'in hungry new': 423924, 'hungry new yorkers': 411280, 'new yorkers food': 559967, 'yorkers food bank': 1016707, 'bank demand ha': 109760, 'demand ha quintupled': 235613, 'ha quintupled this': 371621, 'quintupled this season': 694770, 'this season almost': 889987, 'season almost half': 743371, 'half of rapaport': 374233, 'of rapaport customer': 588742, 'rapaport customer are': 696883, 'customer are new': 222126, 'are new he': 88224, 'new he said': 558864, 'he said and': 385358, 'said and some': 730972, 'some are of': 782322, 'are of different': 88641, 'of different socio': 582600, 'different socio economic': 242066, 'socio economic class': 781381, 'economic class than': 267009, 'class than his': 180269, 'than his normal': 840747, 'his normal clientele': 397644, 'booredd': 134920, '15 teen': 3841, 'teen hanging': 836496, 'door coughing': 255556, 'coughing loudly': 208699, 'loudly whenever': 504507, 'whenever someone': 984676, 'someone entered': 784459, 'entered cannot': 278346, 'cannot parent': 162027, 'just king': 469102, 'king parent': 475289, 'parent keep': 641666, 'kid indoors': 474021, 'indoors is': 435405, 'hard booredd': 377874, 'booredd is': 134921, 'them run': 876227, 'run riot': 727791, '15 teen hanging': 3842, 'teen hanging around': 836497, 'hanging around outside': 376963, 'around outside the': 93445, 'supermarket door coughing': 820014, 'door coughing loudly': 255557, 'coughing loudly whenever': 208700, 'loudly whenever someone': 504508, 'whenever someone entered': 984677, 'someone entered cannot': 784460, 'entered cannot parent': 278347, 'cannot parent just': 162028, 'parent just king': 641663, 'just king parent': 469103, 'king parent keep': 475290, 'parent keep their': 641667, 'keep their kid': 472090, 'their kid indoors': 873757, 'kid indoors is': 474022, 'indoors is it': 435406, 'that hard booredd': 844183, 'hard booredd is': 377875, 'booredd is not': 134922, 'not good reason': 569730, 'reason to let': 703034, 'let them run': 487161, 'them run riot': 876228, 'we see trump': 973172, 'see trump team': 745986, 'trump team medical': 933898, 'fight we also': 304941, 'serious impact': 751410, 'for multinational': 323652, 'multinational group': 545713, 'group transfer': 366940, 'transfer price': 929526, 'and documentation': 61585, 'documentation here': 251237, 'will have serious': 993670, 'have serious impact': 382475, 'serious impact for': 751411, 'impact for multinational': 417661, 'for multinational group': 323653, 'multinational group transfer': 545714, 'group transfer price': 366941, 'transfer price analysis': 929527, 'price analysis and': 672350, 'analysis and documentation': 57015, 'and documentation here': 61586, 'documentation here why': 251238, 'ashleymoody': 95125, 'pricegouging due': 677805, 'to ashleymoody': 900742, 'ashleymoody florida': 95126, 'responds to consumer': 715597, 'consumer report of': 198716, 'report of pricegouging': 712121, 'of pricegouging due': 588421, 'pricegouging due to': 677806, 'due to ashleymoody': 261706, 'to ashleymoody florida': 900743, 'llcs': 497116, 'sell our': 748834, 'corporate broker': 207246, 'broker selling': 140943, 'state inflated': 795689, 'price cnn': 673158, 'cnn investigate': 184763, 'investigate his': 443801, 'his llcs': 397586, 'llcs medical': 497117, 'medical co': 526095, 'co stock': 184959, 'stock trump': 803037, 'trump remove': 933791, 'remove watchdog': 710849, 'watchdog overseeing': 968635, 'overseeing rollout': 631503, 'rollout of': 725699, 'of trillion': 592449, 'bill via': 130713, 'sell our stockpile': 748835, 'our stockpile to': 624930, 'stockpile to corporate': 803809, 'to corporate broker': 903579, 'corporate broker selling': 207247, 'broker selling it': 140944, 'selling it back': 749312, 'back to state': 107396, 'to state inflated': 915253, 'state inflated price': 795690, 'inflated price cnn': 437033, 'price cnn investigate': 673159, 'cnn investigate his': 184764, 'investigate his llcs': 443802, 'his llcs medical': 397587, 'llcs medical co': 497118, 'medical co stock': 526096, 'co stock trump': 184960, 'stock trump remove': 803038, 'trump remove watchdog': 933792, 'remove watchdog overseeing': 710850, 'watchdog overseeing rollout': 968636, 'overseeing rollout of': 631504, 'rollout of trillion': 725700, 'of trillion coronavirus': 592450, 'trillion coronavirus bill': 931970, 'coronavirus bill via': 205562, 'small nebraska': 775038, 'nebraska town': 553908, 'an ingenious': 56329, 'ingenious solution': 438299, 'shortage chinavirus': 764886, 'chinavirus chinesewuhanvirus': 177154, 'chinesewuhanvirus maga2020': 177481, 'store in small': 808392, 'in small nebraska': 428018, 'small nebraska town': 775039, 'nebraska town ha': 553909, 'town ha thought': 927473, 'ha thought of': 372272, 'thought of an': 893140, 'of an ingenious': 580121, 'an ingenious solution': 56330, 'ingenious solution to': 438300, 'paper shortage chinavirus': 640767, 'shortage chinavirus chinesewuhanvirus': 764887, 'chinavirus chinesewuhanvirus maga2020': 177155, 'chinesewuhanvirus maga2020 kag': 177482, 'dontmakemeangry': 255365, 'youwontlikemewhenimangry': 1026936, 'shehulk': 756652, 'still blowing': 800294, 'blowing off': 133379, 'distancing ft': 247164, 'ft between': 339332, 'line person': 493355, 'me le': 523061, 'away dontmakemeangry': 105822, 'dontmakemeangry youwontlikemewhenimangry': 255366, 'youwontlikemewhenimangry shehulk': 1026937, 'people still blowing': 649584, 'still blowing off': 800295, 'blowing off at': 133380, 'social distancing ft': 779617, 'distancing ft between': 247165, 'ft between myself': 339333, 'and the guy': 73405, 'checkout line person': 174948, 'line person behind': 493356, 'person behind me': 652328, 'behind me le': 124667, 'me le than': 523062, 'than ft away': 840685, 'ft away dontmakemeangry': 339328, 'away dontmakemeangry youwontlikemewhenimangry': 105823, 'dontmakemeangry youwontlikemewhenimangry shehulk': 255367, 'hit billion': 398166, 'billion prompt': 130903, 'prompt store': 683917, 'sale hit billion': 732282, 'hit billion prompt': 398167, 'billion prompt store': 130904, 'prompt store closure': 683918, 'helpful guide': 391183, 'weekend is coming': 977360, 'is coming here': 446658, 'coming here are': 188069, 'for eating healthy': 320931, 'eating healthy and': 266224, 'healthy and shopping': 387531, 'and shopping the': 71553, 'shopping the right': 764094, 'this helpful guide': 887904, 'helpful guide via': 391184, 'put much': 690698, 'implemented product': 418475, 'working to put': 1008999, 'to put much': 912596, 'put much food': 690699, 'essential item on': 281217, 'shelf possible we': 757426, 'possible we have': 665873, 'we have implemented': 971841, 'have implemented product': 381027, 'implemented product restriction': 418476, 'product restriction to': 681579, 'restriction to ensure': 717400, 'ensure that these': 278073, 'that these product': 846917, 'purchased by more': 689762, 'by more customer': 153245, 'more customer read': 538937, 'while uk': 987488, 'uk shopper': 938708, 'only minority': 610792, 'minority are': 533642, 'purchasing mass': 689889, 'of selected': 589462, 'product according': 680832, 'retail uk': 718822, 'while uk shopper': 987489, 'uk shopper are': 938709, 'shopper are spending': 761398, 'spending more in': 788911, 'more in store': 539526, 'crisis only minority': 217826, 'only minority are': 610793, 'minority are purchasing': 533643, 'are purchasing mass': 89332, 'purchasing mass quantity': 689890, 'quantity of selected': 691941, 'of selected product': 589463, 'selected product according': 747501, 'product according to': 680833, 'according to retail': 28585, 'to retail uk': 913453, 'safe experience': 729655, 'employee additional': 273515, 'additional sanitization': 31862, 'sanitization measure': 734141, 'to providing safe': 912457, 'providing safe experience': 687096, 'safe experience for': 729656, 'and employee additional': 62055, 'employee additional sanitization': 273516, 'additional sanitization measure': 31863, 'sanitization measure have': 734142, 'place to reduce': 657766, '19 read our': 9977, 'our full post': 623215, 'full post on': 340817, 'post on store': 666260, 'on store hour': 603696, 'store hour online': 808204, 'hour online shopping': 405825, 'shopping and more': 762001, 'vulnerable etc': 960952, 'etc would': 282907, 'elderly depend': 270655, 'retweet asda': 720040, 'isolate because you': 454828, 'symptom or are': 830893, 'or are vulnerable': 614425, 'are vulnerable etc': 91508, 'vulnerable etc would': 960953, 'etc would urge': 282908, 'would urge people': 1012359, 'stop making online': 804827, 'making online grocery': 511252, 'order for delivery': 618226, 'for delivery the': 320649, 'delivery the disabled': 234619, 'disabled and elderly': 243875, 'and elderly depend': 61989, 'elderly depend on': 270656, 'depend on delivery': 237311, 'on delivery please': 600268, 'delivery please retweet': 234349, 'please retweet asda': 660411, 'retweet asda tesco': 720041, 'asda tesco sainsbury': 94988, 'tesco sainsbury waitrose': 838794, 'daretoinnovate': 225942, 'futureretail': 342552, 'outform': 628976, 'coronavirus action': 205452, 'action retail': 30124, 'convenience receive': 202335, 'news daretoinnovate': 560359, 'daretoinnovate futureretail': 225943, 'futureretail outform': 342553, 'behavior post coronavirus': 124151, 'post coronavirus action': 666065, 'coronavirus action retail': 205453, 'action retail supply': 30125, 'chain can take': 170577, 'take to navigate': 832738, 'navigate the pandemic': 553083, 'pandemic and how': 634881, '19 ha upended': 7401, 'upended the idea': 947504, 'idea of convenience': 413125, 'of convenience receive': 581857, 'convenience receive the': 202336, 'receive the latest': 703556, 'latest news daretoinnovate': 481454, 'news daretoinnovate futureretail': 560360, 'daretoinnovate futureretail outform': 225944, 'pirmasens': 656935, 'happyeaster everyone': 377754, 'everyone chocolate': 286781, 'bunny with': 142709, 'toiletpaper are': 921747, 'at chocolate': 98263, 'chocolate factory': 177671, 'in pirmasens': 426708, 'pirmasens germany': 656936, 'germany via': 346355, 'easter facemask': 265431, 'happyeaster everyone chocolate': 377755, 'everyone chocolate easter': 286782, 'chocolate easter bunny': 177665, 'easter bunny with': 265400, 'bunny with protective': 142710, 'with protective mask': 1000348, 'mask and roll': 518364, 'and roll of': 70590, 'of toiletpaper are': 592257, 'toiletpaper are seen': 921750, 'are seen at': 89924, 'seen at chocolate': 746957, 'at chocolate factory': 98264, 'chocolate factory in': 177672, 'factory in pirmasens': 295960, 'in pirmasens germany': 426709, 'pirmasens germany via': 656937, 'germany via easter': 346356, 'via easter facemask': 955937, 'kadi': 470583, 'claustrofobic': 180411, 'seizure': 747446, 'kadi yeah': 470584, 'yeah totally': 1014311, 'totally crazy': 926320, 'crazy situation': 215417, 'situation getting': 772285, 'getting claustrofobic': 348904, 'claustrofobic seizure': 180412, 'seizure just': 747447, 'regular old': 707821, 'old trip': 598513, 'supermarket madeinchina': 821422, 'kadi yeah totally': 470585, 'yeah totally crazy': 1014312, 'totally crazy situation': 926321, 'crazy situation getting': 215418, 'situation getting claustrofobic': 772286, 'getting claustrofobic seizure': 348905, 'claustrofobic seizure just': 180413, 'seizure just going': 747448, 'just going for': 468833, 'going for regular': 355147, 'for regular old': 325076, 'regular old trip': 707822, 'old trip to': 598514, 'the supermarket madeinchina': 868688, 'one explanation': 606265, 'republican constantly': 713024, 'constantly assured': 195648, 'assured the': 97128, 'deal and': 229340, 'were constantly': 979480, 'constantly pumping': 195689, 'for wealthy': 327661, 'use inside': 949283, 'inside information': 439292, 'one explanation for': 606266, 'explanation for why': 292275, 'for why trump': 327872, 'why trump and': 991492, 'and the republican': 73548, 'the republican constantly': 865547, 'republican constantly assured': 713025, 'constantly assured the': 195649, 'assured the wa': 97129, 'the wa no': 871015, 'big deal and': 129736, 'deal and were': 229341, 'and were constantly': 75433, 'were constantly pumping': 979481, 'constantly pumping the': 195690, 'pumping the stock': 689136, 'market wa that': 517310, 'wa that they': 963436, 'were buying time': 979411, 'buying time for': 151232, 'time for wealthy': 896775, 'for wealthy donor': 327662, 'wealthy donor to': 974199, 'donor to use': 255170, 'to use inside': 918036, 'use inside information': 949284, 'inside information to': 439293, 'information to dump': 438011, 'to dump stock': 904802, 'stock at sky': 801886, 'it march': 459529, 'friend it march': 333675, 'it march 25': 459530, 'march 25 2020': 515201, '25 2020 at': 15810, 'army family': 93000, 'family take': 298275, 'heed of': 388753, 'precaution food': 669311, 'cleaning item': 180973, 'the fort': 855717, 'fort campbell': 329770, 'campbell commissary': 157291, 'commissary ha': 188778, 'experienced an': 291554, 'customer traffic': 222995, 'army family take': 93001, 'family take heed': 298276, 'take heed of': 832171, 'heed of covid': 388754, '19 precaution food': 9773, 'precaution food and': 669312, 'household cleaning item': 406762, 'cleaning item are': 180974, 'high demand because': 394993, 'this the fort': 890521, 'the fort campbell': 855718, 'fort campbell commissary': 329771, 'campbell commissary ha': 157292, 'commissary ha experienced': 188779, 'ha experienced an': 370554, 'experienced an increase': 291555, 'in customer traffic': 421947, 'forfeit': 329210, 'essentially cooperation': 281901, 'cooperation have': 203161, 'to forfeit': 906189, 'forfeit profit': 329211, 'them rich': 876221, 'ceo take': 169850, 'take dollar': 832073, 'dollar payment': 253048, 'year economy': 1014537, 'essentially cooperation have': 281902, 'cooperation have to': 203162, 'have to forfeit': 383215, 'to forfeit profit': 906190, 'forfeit profit for': 329212, 'profit for year': 682726, 'year to help': 1015044, 'consumer who make': 199524, 'who make them': 989255, 'make them rich': 510611, 'them rich and': 876222, 'rich and ceo': 721187, 'and ceo take': 59690, 'ceo take dollar': 169851, 'take dollar payment': 832074, 'dollar payment for': 253049, 'payment for the': 645624, 'the year economy': 872155, 'masked the': 519624, 'the volatile': 870947, 'volatile inter': 960043, 'inter and': 441182, 'week masked the': 976514, 'masked the volatile': 519625, 'the volatile inter': 870948, 'volatile inter and': 960044, 'inter and intraday': 441183, 'hello the': 389221, 'some video': 784165, 'video doorbell': 956709, 'doorbell since': 255801, 'can hook': 158696, 'hook up': 403344, 'with deal': 997935, 'deal during': 229389, 'have 12': 379072, '12 retail': 2944, 'hello the company': 389222, 'for is looking': 322668, 'is looking in': 449446, 'looking in buying': 502935, 'in buying some': 421106, 'buying some video': 151059, 'some video doorbell': 784166, 'video doorbell since': 956710, 'doorbell since our': 255802, 'since our store': 770780, 'are only open': 88773, 'only open for': 610903, 'you can hook': 1017696, 'can hook up': 158697, 'hook up with': 403345, 'up with deal': 946628, 'with deal during': 997936, 'deal during this': 229390, 'we have 12': 971739, 'have 12 retail': 379074, '12 retail location': 2945, 'qmatic': 691566, 'cfm': 170321, 'qmatic partner': 691567, 'partner cfm': 642795, 'cfm gulf': 170322, 'gulf computer': 368636, 'computer provides': 192759, 'provides safer': 686890, 'safer customer': 730353, 'customer journey': 222552, 'journey for': 467476, 'in kuwait': 424549, 'kuwait read': 477999, 'qmatic partner cfm': 691568, 'partner cfm gulf': 642796, 'cfm gulf computer': 170323, 'gulf computer provides': 368637, 'computer provides safer': 192760, 'provides safer customer': 686891, 'safer customer journey': 730354, 'customer journey for': 222553, 'journey for shopper': 467477, 'for shopper at': 325570, 'shopper at local': 761410, 'supermarket in kuwait': 820918, 'in kuwait read': 424550, 'kuwait read the': 478000, 'this hurting': 887982, 'wallet cause': 965213, 'cause ve': 167787, 'damn this hurting': 225448, 'this hurting my': 887983, 'my wallet cause': 550526, 'wallet cause ve': 965214, 'cause ve been': 167788, 'been doing so': 121024, 'hand buy': 374848, 'washyourhands facemask': 967869, 'facemask toiletpaper': 295112, 'toiletpaper wuhan': 922872, 'virus wuhancoronavirus': 959067, 'wuhancoronavirus clean': 1013541, 'clean pandemic': 180616, 'epidemic outbreak': 279425, 'outbreak cdc': 628096, 'keep your friend': 472266, 'and family safe': 62670, 'family safe by': 298200, 'safe by washing': 729537, 'your hand buy': 1024173, 'hand buy here': 374849, 'buy here psa': 148787, 'here psa wash': 393487, 'hand washyourhands facemask': 375968, 'washyourhands facemask toiletpaper': 967870, 'facemask toiletpaper wuhan': 295113, 'toiletpaper wuhan virus': 922873, 'wuhan virus wuhancoronavirus': 1013523, 'virus wuhancoronavirus clean': 959068, 'wuhancoronavirus clean pandemic': 1013542, 'clean pandemic epidemic': 180617, 'pandemic epidemic outbreak': 635388, 'epidemic outbreak cdc': 279426, 'outbreak cdc who': 628097, 'wtf2020': 1013347, 'making pay': 511270, 'bill car': 130535, 'car bill': 163032, 'etc tx': 282850, 'tx also': 937433, 'also why': 49101, 'crisis quaratinelife': 217929, 'quaratinelife wtf2020': 693165, 'are all still': 84353, 'all still making': 44464, 'still making pay': 800828, 'making pay rent': 511271, 'pay rent bill': 645081, 'rent bill car': 711055, 'bill car bill': 130536, 'car bill etc': 163033, 'bill etc tx': 130566, 'etc tx also': 282851, 'tx also why': 937434, 'also why are': 49102, 'are they able': 90986, 'able to raise': 24528, 'of these if': 591830, 'these if were': 880146, 'if were in': 415342, 'were in this': 979783, 'this crisis quaratinelife': 887076, 'crisis quaratinelife wtf2020': 217930, 'effort towards': 269654, 'towards turning': 927275, 'turning dead': 935917, 'dead retail': 229171, 'space into': 787127, 'support care': 826407, 'facility our': 295365, 'community still': 190124, 'ha former': 370667, 'that sits': 846333, 'sits empty': 772083, 'empty feel': 274870, 'start action': 794188, 'away not': 105973, 'not novel': 570705, 'idea http': 413081, 'heard of any': 388117, 'of any effort': 580255, 'any effort towards': 79162, 'effort towards turning': 269655, 'towards turning dead': 927276, 'turning dead retail': 935918, 'dead retail space': 229172, 'retail space into': 718585, 'space into covid': 787128, '19 support care': 10973, 'support care facility': 826408, 'care facility our': 163929, 'facility our community': 295366, 'our community still': 622481, 'community still ha': 190125, 'still ha former': 800616, 'ha former grocery': 370668, 'store that sits': 810573, 'that sits empty': 846334, 'sits empty feel': 772084, 'empty feel like': 274871, 'like we need': 491777, 'to start action': 915186, 'start action on': 794189, 'on this right': 604629, 'this right away': 889904, 'right away not': 721789, 'away not novel': 105974, 'not novel idea': 570706, 'novel idea http': 573786, 'tijuana': 895883, 'the tijuana': 869551, 'tijuana san': 895884, 'diego border': 241619, 'at the tijuana': 101124, 'the tijuana san': 869552, 'tijuana san diego': 895885, 'san diego border': 733523, 'nan told': 551770, 'they pulled': 882939, 'pulled together': 688926, 'together but': 920733, 'it greed': 458348, 'heart go to': 388297, 'go to all': 354270, 'the family in': 854894, 'fill shelf in': 305489, 'and my nan': 67380, 'my nan told': 549408, 'nan told me': 551771, 'told me how': 923609, 'me how in': 522912, 'war they pulled': 966553, 'they pulled together': 882940, 'pulled together but': 688927, 'together but today': 920734, 'today it greed': 919739, 'that arise': 842861, 'arise are': 92789, 'we replace': 973082, 'hour longer': 405750, 'die tough': 241472, 'tough sell': 926837, 'day the question': 228497, 'question that arise': 693761, 'that arise are': 842862, 'arise are can': 92790, 'are can we': 85154, 'can we replace': 160193, 'we replace them': 973083, 'replace them and': 711591, 'them and is': 875381, 'is it hour': 449031, 'it hour longer': 458641, 'hour longer to': 405751, 'longer to die': 502097, 'to die tough': 904280, 'die tough sell': 241473, 'usa today online': 948771, 'today online grocery': 919982, 'crash crudeoil': 214966, 'virus cause': 958041, 'cause lower': 167642, 'demand poor': 236050, 'poor crush': 664157, 'margin cash': 515618, 'lead plant': 483305, 'close feature': 182638, 'after price crash': 36069, 'price crash crudeoil': 673321, 'crash crudeoil price': 214967, 'crudeoil price lead': 219653, 'fight virus cause': 304935, 'virus cause lower': 958042, 'cause lower demand': 167643, 'lower demand poor': 505838, 'demand poor crush': 236051, 'poor crush margin': 664158, 'crush margin cash': 219780, 'margin cash flow': 515619, 'could lead plant': 209376, 'lead plant to': 483306, 'to close feature': 902872, '19 update temporary': 11686, 'update temporary closure': 947237, 'temporary closure online': 837596, 'enviroment': 279064, 'quick head': 694317, 'changing enviroment': 172703, 'enviroment within': 279067, 'within your': 1002465, 'share uk': 755319, 'my quick head': 549879, 'quick head up': 694318, 'head up to': 385857, 'up to other': 946410, 'the changing enviroment': 850681, 'changing enviroment within': 172704, 'enviroment within your': 279068, 'within your take': 1002466, 'your take care': 1026100, 'care and please': 163845, 'please share uk': 660497, 'by will': 154752, 'remembered by': 710446, 'everyone raising': 287308, 'gouging by will': 359281, 'by will be': 154753, 'be remembered by': 116782, 'remembered by everyone': 710447, 'by everyone raising': 152511, 'everyone raising price': 287309, 'raising price 25': 696106, 'price 25 to': 672139, '25 to take': 15978, 'people is like': 648519, 'is like pricegouging': 449327, 'providing or': 687060, 'providing consumer': 686959, 'safe get': 729706, 'hygiene at': 412054, 'free teleconference': 332206, 'teleconference session': 836717, 'session march': 753292, '24 30pm': 15540, 'are you providing': 91838, 'you providing or': 1020487, 'providing or will': 687061, 'be providing consumer': 116601, 'providing consumer direct': 686960, 'pandemic be safe': 634977, 'be safe get': 116959, 'safe get the': 729707, 'the info on': 858247, 'personal hygiene at': 652872, 'hygiene at this': 412055, 'at this free': 101233, 'this free teleconference': 887608, 'free teleconference session': 332207, 'teleconference session march': 836718, 'session march 24': 753293, 'march 24 30pm': 515196, 'patreons': 644346, 'welp even': 978868, 'had patreons': 373392, 'patreons wouldn': 644347, 'print look': 678279, 'off most': 593977, 'our international': 623578, 'international postal': 441840, 'welp even if': 978869, 'even if had': 284205, 'if had patreons': 414190, 'had patreons wouldn': 373393, 'patreons wouldn be': 644348, 'to send out': 914219, 'send out the': 749930, 'out the print': 627407, 'the print look': 864468, 'print look like': 678280, 're cutting off': 698502, 'cutting off most': 223748, 'off most of': 593978, 'of our international': 587492, 'our international postal': 623579, 'international postal service': 441841, 'pwc webcast': 691374, 'webcast consumer': 974975, 'chain navigating': 170936, 'pwc webcast consumer': 691375, 'webcast consumer product': 974976, 'consumer product supply': 198482, 'supply chain navigating': 824994, 'chain navigating covid': 170937, 'challenge and opportunity': 171402, 'thickness': 883997, 'shortage through': 765267, 'through panic': 894627, 'the thickness': 869440, 'thickness of': 883998, 'uk in the': 938474, 'they have caused': 882300, 'have caused shortage': 379921, 'caused shortage through': 167955, 'shortage through panic': 765268, 'through panic buying': 894628, 'not 90 of': 568006, 'of the thickness': 591535, 'the thickness of': 869441, 'thickness of brick': 883999, 'of brick stopstockpiling': 580879, 'using vacation': 950789, 'guilty because': 368549, 'because plenty': 119489, 'store salesperson': 809977, 'been using vacation': 122319, 'using vacation time': 950790, 'vacation time to': 951600, '19 and feel': 5025, 'feel guilty because': 302658, 'guilty because plenty': 368550, 'because plenty of': 119490, 'plenty of my': 660958, 'of my coworkers': 586751, 'my coworkers and': 547847, 'coworkers and friend': 214495, 'and friend don': 63325, 'friend don have': 333584, 'option to stay': 614132, 'of work work': 593271, 'work work at': 1006058, 'retail store salesperson': 718700, 'store salesperson and': 809978, 'salesperson and my': 732699, 'my store doesn': 550218, 'store doesn need': 807349, 'be open but': 116241, 'open but they': 612131, 'they still haven': 883465, 'still haven closed': 800671, 'mostly right': 543001, 'causing it': 168051, 'way everyone': 969570, 'who crowd': 988528, 'crowd into': 219182, 'store risk': 809898, 'catching socialdistancingnow': 167105, 'he is mostly': 385133, 'is mostly right': 449749, 'mostly right there': 543002, 'right there is': 722295, 'chain it is': 170865, 'is people panic': 450840, 'is causing it': 446424, 'causing it either': 168052, 'it either way': 457780, 'either way everyone': 270406, 'way everyone who': 969571, 'everyone who crowd': 287586, 'who crowd into': 988529, 'crowd into this': 219183, 'into this store': 443223, 'this store risk': 890353, 'store risk catching': 809899, 'risk catching socialdistancingnow': 723452, 'catching socialdistancingnow flattenthecurve': 167106, 'happening livestock': 377373, 'livestock future': 496268, 'for hog': 322329, 'hog cattle': 399832, 'dairy due': 224969, 'like catching': 489972, 'catching falling': 167089, 'falling knife': 297292, 'what happening livestock': 981555, 'happening livestock future': 377374, 'livestock future price': 496269, 'price for hog': 673976, 'for hog cattle': 322330, 'hog cattle and': 399833, 'cattle and dairy': 167339, 'and dairy due': 60922, 'dairy due to': 224970, 'to is like': 908524, 'is like catching': 449311, 'like catching falling': 489973, 'catching falling knife': 167090, 'complementary': 192055, 'have complementary': 380054, 'complementary wet': 192056, 'wet nap': 980745, 'nap that': 551834, 'so ask': 776553, 'you chick': 1017944, 'if your going': 415581, 'eat they have': 266078, 'they have complementary': 882305, 'have complementary wet': 380055, 'complementary wet nap': 192057, 'wet nap that': 980746, 'nap that have': 551835, 'that have hand': 844211, 'on them so': 604543, 'them so ask': 876290, 'so ask for': 776554, 'ask for one': 95532, 'for one or': 324089, 'or two in': 617562, 'two in this': 936976, 'time 19 thank': 896181, 'thank you chick': 841708, 'you chick fil': 1017945, 'food ran': 316109, 'hadn gone': 373851, 'the food ran': 855593, 'food ran out': 316110, 'ran out they': 696512, 'out they hadn': 627547, 'they hadn gone': 882272, 'hadn gone to': 373852, 'gone to work': 356399, 'to work no': 918756, 'work no money': 1005493, 'no money for': 564781, 'chapter13': 173141, 'careact bankruptcy': 164322, 'bankruptcy chapter13': 110518, 'chapter13 why': 173142, 'done furloughed': 254852, 'furloughed due': 341917, 'from unemployment': 338179, 'still liable': 800792, 'full monthly': 340689, 'monthly trustee': 538211, 'careact bankruptcy chapter13': 164323, 'bankruptcy chapter13 why': 110519, 'chapter13 why is': 173143, 'this not being': 889172, 'not being done': 568532, 'being done furloughed': 125075, 'done furloughed due': 254853, 'furloughed due to': 341918, 'to have yet': 907339, 'yet to receive': 1016295, 'to receive any': 912910, 'receive any payment': 703445, 'any payment from': 79639, 'payment from unemployment': 645640, 'from unemployment and': 338180, 'unemployment and are': 941154, 'are still liable': 90443, 'still liable for': 800793, 'liable for our': 487956, 'our full monthly': 623214, 'full monthly trustee': 340690, 'monthly trustee payment': 538212, 'cronovirus': 218860, 'show cough': 766906, 'spread germ': 790539, 'germ across': 346084, 'shopping aisle': 761916, 'via cronovirus': 955902, 'cronovirus stayhomesavelives': 218861, 'video show cough': 956889, 'show cough can': 766907, 'can spread germ': 159705, 'spread germ across': 790540, 'germ across two': 346085, 'across two shopping': 29552, 'two shopping aisle': 937214, 'shopping aisle via': 761917, 'aisle via cronovirus': 40414, 'via cronovirus stayhomesavelives': 955903, '3rds': 18461, 'about discussion': 25106, 'discussion he': 245026, 'take 3rds': 831880, '3rds of': 18462, 'could self': 209644, 'isolate with': 454949, 'his cat': 397284, 'cat for': 166873, '3months no': 18359, 'manager telling me': 512801, 'me about discussion': 522345, 'about discussion he': 25107, 'discussion he had': 245027, 'he had with': 385063, 'had with customer': 373802, 'customer who wanted': 223086, 'to take 3rds': 916151, 'take 3rds of': 831881, '3rds of shelf': 18463, 'of shelf of': 589579, 'shelf of cat': 757357, 'food so he': 316655, 'he could self': 384862, 'could self isolate': 209645, 'self isolate with': 747698, 'isolate with his': 454950, 'with his cat': 998831, 'his cat for': 397285, 'cat for 3months': 166874, 'for 3months no': 318832, '3months no there': 18360, 'there are others': 878140, 'are others that': 88851, 'others that need': 621699, 'take legal': 832269, 'legal step': 485899, 'financially against': 306659, 'bureau ha': 142788, 'legal information': 485876, 'company creditor': 190574, 'creditor to': 216580, 'secure relief': 744456, 'can take legal': 159900, 'take legal step': 832270, 'legal step to': 485900, 'yourself financially against': 1026599, 'financially against the': 306660, 'against the consequence': 37647, 'the the consumer': 869376, 'protection bureau ha': 685364, 'bureau ha the': 142789, 'ha the legal': 372209, 'the legal information': 859278, 'legal information you': 485877, 'with your mortgage': 1002213, 'mortgage company creditor': 541879, 'company creditor to': 190576, 'creditor to secure': 216581, 'to secure relief': 913969, 'an upside': 56943, 'low anyone': 505140, 'in riding': 427508, 'is an upside': 445695, 'an upside to': 56944, 'upside to all': 947867, 'all this at': 45092, 'are low anyone': 87920, 'low anyone interested': 505141, 'interested in riding': 441465, 'in riding the': 427509, 'riding the m25': 721674, 'blanching and': 132352, 'and blanching': 58999, 'blanching freeze': 132354, 'freeze vegetable': 332568, 'vegetable quite': 954081, 'rationing but': 697795, 'to pocket': 911850, 'pocket double': 662165, 'the allowed': 848589, 'allowed quota': 46213, 'one coronacrisis': 606105, 'morning blanching and': 541197, 'blanching and blanching': 132353, 'and blanching freeze': 59000, 'blanching freeze vegetable': 132355, 'freeze vegetable quite': 332569, 'vegetable quite enjoying': 954082, 'quite enjoying the': 694856, 'enjoying the rationing': 277244, 'the rationing but': 865179, 'rationing but notice': 697796, 'different supermarket checkout': 242079, 'checkout to pocket': 175042, 'to pocket double': 911851, 'pocket double the': 662166, 'double the allowed': 256067, 'the allowed quota': 848590, 'allowed quota or': 46214, 'or more of': 616180, 'more of grocery': 539875, 'and food the': 63100, 'food the similar': 317131, 'the similar one': 867196, 'similar one coronacrisis': 769914, 'ruaka': 726905, 'wontshop': 1004268, 'consider managing': 195032, 'managing customer': 512859, 'your ruaka': 1025655, 'ruaka outlet': 726906, 'outlet you': 629082, 'let multitude': 486923, 'multitude into': 545849, 'expect them': 290756, 'fight restrict': 304856, 'number otherwise': 577032, 'otherwise wontshop': 621888, 'important that you': 419013, 'that you consider': 847718, 'you consider managing': 1018013, 'consider managing customer': 195033, 'managing customer at': 512860, 'customer at your': 222150, 'at your ruaka': 101689, 'your ruaka outlet': 1025656, 'ruaka outlet you': 726907, 'outlet you can': 629083, 'can let multitude': 158869, 'let multitude into': 486924, 'multitude into the': 545850, 'supermarket and expect': 818975, 'and expect them': 62483, 'expect them to': 290757, 'to stay meter': 915298, 'apart to help': 81360, 'help fight restrict': 389714, 'fight restrict the': 304857, 'restrict the number': 717120, 'the number otherwise': 861959, 'number otherwise wontshop': 577033, 'clearbell': 181401, 'equity giant': 279944, 'ha agreed': 369475, 'agreed 120m': 38690, '120m deal': 3041, 'buy portfolio': 149094, 'logistics site': 500793, 'site across': 771859, 'uk from': 938392, 'from clearbell': 334892, 'clearbell capital': 181402, 'capital online': 162668, 'private equity giant': 678903, 'equity giant ha': 279945, 'giant ha agreed': 349785, 'ha agreed 120m': 369476, 'agreed 120m deal': 38691, '120m deal to': 3042, 'deal to buy': 229506, 'to buy portfolio': 902286, 'buy portfolio of': 149095, 'portfolio of logistics': 665000, 'of logistics site': 585982, 'logistics site across': 500794, 'site across the': 771861, 'the uk from': 870221, 'uk from clearbell': 938393, 'from clearbell capital': 334893, 'clearbell capital online': 181403, 'capital online shopping': 162669, 'shopping soar in': 763933, 'soar in response': 779253, 'piled meat': 656545, 'roll dog': 725269, 'soap anti': 778936, 'bacterial wash': 107733, 'wash tin': 967556, 'tin paracetamol': 898555, 'are unbelievably': 91265, 'unbelievably selfish': 939523, 'people abusing': 646747, 'abusing shop': 27717, 'stock piled meat': 802643, 'piled meat toilet': 656546, 'toilet roll dog': 921566, 'roll dog food': 725270, 'food soap anti': 316675, 'soap anti bacterial': 778937, 'anti bacterial wash': 78279, 'bacterial wash tin': 107734, 'wash tin paracetamol': 967557, 'tin paracetamol you': 898556, 'you are unbelievably': 1017275, 'are unbelievably selfish': 91266, 'unbelievably selfish and': 939524, 'those people abusing': 892313, 'people abusing shop': 646748, 'abusing shop staff': 27718, 'shop staff arsehole': 760819, 'those meth': 892207, 'meth dealer': 529745, 'their know': 873769, 'now is really': 575083, 'is really good': 451299, 'really good time': 702238, 'all those meth': 45169, 'those meth dealer': 892208, 'meth dealer and': 529746, 'dealer and their': 229597, 'and their lab': 73698, 'lab to put': 478311, 'put their know': 690881, 'their know how': 873770, 'how into making': 408077, 'into making alcohol': 442736, 'making alcohol sanitizer': 510943, 'alcohol sanitizer and': 41093, 'sanitizer and n95': 734420, 'cut quarantinelife': 223514, 'problem cut quarantinelife': 679508, 'ating': 101805, 'kababayang': 470573, 'nangangailangan': 551802, 'rt thank': 726815, 'donation para': 254666, 'para sa': 641211, 'sa ating': 728870, 'ating mga': 101806, 'mga kababayang': 530087, 'kababayang nangangailangan': 470574, 'nangangailangan we': 551803, 'crisis quarantined': 217927, 'quarantined family': 692847, 'the depressed': 853159, 'depressed area': 237575, 'area don': 91988, 'one community': 606080, 'unite and': 942121, 'please rt thank': 660431, 'rt thank you': 726816, 'thank you call': 841701, 'you call for': 1017603, 'call for donation': 155861, 'for donation para': 320831, 'donation para sa': 254667, 'para sa ating': 641212, 'sa ating mga': 728871, 'ating mga kababayang': 101807, 'mga kababayang nangangailangan': 530088, 'kababayang nangangailangan we': 470575, 'nangangailangan we all': 551804, 'all face this': 42739, 'face this crisis': 294808, 'this crisis quarantined': 887075, 'crisis quarantined family': 217928, 'quarantined family in': 692848, 'in the depressed': 429129, 'the depressed area': 853160, 'depressed area don': 237576, 'area don have': 91989, 'for the following': 326442, 'following day or': 312712, 'day or week': 228175, 'or week one': 617757, 'week one community': 976685, 'one community let': 606081, 'community let unite': 189966, 'let unite and': 487195, 'unite and help': 942123, 'hoard hand': 398808, 'new go': 558807, 'to scapegoat': 913878, 'scapegoat the': 740757, 'vent against': 954492, 'against to': 37707, 'relieve our': 709532, 'own anxiety': 631887, 'anxiety anyone': 78660, 'protocol risk': 685996, 'risk becoming': 723406, 'becoming scapegoat': 120339, 'current pandemic people': 221295, 'pandemic people who': 636169, 'who hoard hand': 989008, 'hoard hand sanitizer': 398809, 'paper have become': 640259, 'the new go': 861508, 'new go to': 558808, 'go to scapegoat': 354352, 'to scapegoat the': 913879, 'scapegoat the one': 740758, 'we are permitted': 970658, 'permitted to vent': 652188, 'to vent against': 918135, 'vent against to': 954493, 'against to relieve': 37708, 'to relieve our': 913146, 'relieve our own': 709533, 'our own anxiety': 624199, 'own anxiety anyone': 631888, 'anxiety anyone who': 78661, 'violates the new': 957497, 'the new social': 861556, 'distancing protocol risk': 247409, 'protocol risk becoming': 685997, 'risk becoming scapegoat': 723407, 'mukbangs': 545605, 'lana': 479219, 'whet': 985480, 'youtube mukbangs': 1026911, 'mukbangs and': 545606, 'now cry': 574483, 'to lana': 909033, 'lana del': 479220, 'del rey': 232632, 'rey whet': 720850, 'went from online': 979019, 'shopping to looking': 764181, '19 info to': 7877, 'info to youtube': 437598, 'to youtube mukbangs': 919047, 'youtube mukbangs and': 1026912, 'mukbangs and now': 545607, 'and now cry': 67825, 'now cry to': 574484, 'cry to lana': 219923, 'to lana del': 909034, 'lana del rey': 479221, 'del rey whet': 232633, 'including betty': 431889, 'betty and': 128650, 'perfect item': 651307, 'local business including': 497763, 'business including betty': 143915, 'including betty and': 431890, 'betty and find': 128651, 'find the perfect': 307300, 'the perfect item': 863539, 'perfect item with': 651308, 'item with this': 463840, 'with this list': 1001708, 'of retailer that': 589067, 'offering online option': 595202, 'online option for': 608645, 'option for shopping': 614038, 'for shopping or': 325592, 'case fatality': 165736, 'most case fatality': 542161, 'case fatality in': 165737, 'fatality in southeast': 300249, 'and stakeholder': 72212, 'stakeholder is': 793330, 'compiled credible': 191817, 'credible resource': 216288, 'resource regarding': 714862, 'regarding clinical': 707186, 'clinical practice': 182327, 'care institution': 164027, 'institution government': 440464, 'government affair': 359838, 'of our member': 587512, 'our member and': 623905, 'member and stakeholder': 528021, 'and stakeholder is': 72213, 'stakeholder is our': 793331, 'our priority during': 624462, 'priority during the': 678556, 'have compiled credible': 380052, 'compiled credible resource': 191818, 'credible resource regarding': 216289, 'resource regarding clinical': 714863, 'regarding clinical practice': 707187, 'clinical practice health': 182328, 'practice health care': 668583, 'health care institution': 386238, 'care institution government': 164028, 'institution government affair': 440465, 'government affair consumer': 359839, 'affair consumer safety': 34017, 'consumer safety and': 198849, 'safety and more': 730456, 'walmart ceo': 965294, 'last five': 480221, 'sold enough': 781660, 'own roll': 632170, 'stayhome panicbuying': 798066, 'walmart ceo say': 965295, 'ceo say in': 169832, 'say in the': 738797, 'the last five': 859010, 'last five day': 480222, 'five day we': 309605, 'day we ve': 228682, 'we ve sold': 973714, 've sold enough': 953582, 'sold enough toiletpaper': 781661, 'enough toiletpaper for': 277739, 'toiletpaper for every': 922000, 'for every american': 321159, 'every american to': 285667, 'american to have': 52267, 'their own roll': 874197, 'own roll stayhome': 632171, 'roll stayhome panicbuying': 725520, 'stayhome panicbuying hoarding': 798067, 'panicbuying hoarding via': 638966, 'repor': 711765, 'mortgage holder': 541903, 'holder in': 400074, 'nj covid': 563426, 'loan assistance': 497396, 'fargo can': 299050, 'term suspension': 838305, 'payment this': 645758, 'mean payment': 524607, 'payment suspended': 645745, 'charge late': 173275, 'not repor': 571320, 'mortgage holder in': 541904, 'holder in nj': 400075, 'in nj covid': 425900, 'nj covid 19': 563427, '19 loan assistance': 8354, 'loan assistance well': 497397, 'assistance well fargo': 96761, 'well fargo can': 978237, 'fargo can help': 299051, 'help with short': 390928, 'short term suspension': 764754, 'term suspension of': 838306, 'suspension of payment': 829692, 'of payment this': 587845, 'payment this mean': 645759, 'this mean payment': 888813, 'mean payment suspended': 524608, 'payment suspended for': 645746, 'suspended for the': 829615, 'month we will': 538109, 'not charge late': 568742, 'charge late fee': 173276, 'late fee we': 480874, 'fee we will': 302251, 'will not repor': 994263, 'probably having': 679286, 'moment luckily': 535982, 'luckily you': 506523, 'need ingredient': 555057, 'drpolcino 19': 260831, '19 diy': 6592, 'you ve stocked': 1022068, 're probably having': 699309, 'probably having hard': 679287, 'finding any at': 307441, 'the moment luckily': 860766, 'moment luckily you': 535983, 'luckily you only': 506524, 'only need ingredient': 610812, 'need ingredient to': 555058, 'here drpolcino 19': 392934, 'drpolcino 19 diy': 260832, '19 diy handsanitizer': 6593, 'about volunteer': 26835, 'elderly delivering': 270653, 'grocery showing': 365115, 'online theatre': 609537, 'theatre performance': 872278, 'performance visit': 651476, 'visit also': 959171, 'also project': 48692, 'people unite': 650050, 'report about volunteer': 711785, 'about volunteer shopping': 26836, 'volunteer shopping for': 960330, 'for elderly delivering': 320991, 'elderly delivering grocery': 270654, 'delivering grocery showing': 233507, 'grocery showing free': 365116, 'free online theatre': 332028, 'online theatre performance': 609538, 'theatre performance visit': 872279, 'performance visit also': 651477, 'visit also project': 959172, 'also project that': 48693, 'project that help': 683542, 'help people unite': 390311, 'people unite in': 650051, 'unite in the': 942128, 'fight against infection': 304627, 'robinhood': 724738, 'buy cuz': 148519, 'cuz price': 223817, '19 use': 11703, 'code get': 185367, 'join robinhood': 466830, 'robinhood and': 724739, 'll both': 496657, 'apple ford': 82321, 'ford or': 328783, 'free si': 332171, 'rn is good': 724328, 'to buy cuz': 902213, 'buy cuz price': 148520, 'cuz price dropped': 223818, 'price dropped due': 673590, 'covid 19 use': 214010, '19 use my': 11704, 'my code get': 547721, 'code get free': 185368, 'get free stock': 347098, 'free stock your': 332198, 'stock your free': 803224, 'for you join': 328070, 'you join robinhood': 1019408, 'join robinhood and': 466831, 'robinhood and we': 724740, 'we ll both': 972236, 'll both get': 496658, 'both get stock': 135914, 'get stock like': 348122, 'stock like apple': 802355, 'like apple ford': 489821, 'apple ford or': 82322, 'ford or facebook': 328784, 'facebook for free': 294914, 'for free si': 321730, 'no staff': 565569, 'staff training': 793013, 'training blatant': 929328, 'blatant disregard': 132432, 'safety im': 730574, 'away selfisolation': 106025, 'selfisolation stayathome': 748489, 'on you no': 605431, 'you no staff': 1020109, 'no staff training': 565570, 'staff training blatant': 793014, 'training blatant disregard': 929329, 'blatant disregard for': 132433, 'disregard for consumer': 246342, 'consumer safety im': 198851, 'safety im not': 730575, 'im not going': 416559, 'not going away': 569695, 'going away selfisolation': 355040, 'away selfisolation stayathome': 106026, 'whilst everyone': 987633, 'everyone struggle': 287429, 'struggle financially': 814347, 'financially due': 306672, 'up wanker': 946535, 'whilst everyone struggle': 987634, 'everyone struggle financially': 287430, 'struggle financially due': 814348, 'financially due to': 306673, 'due to decide': 261754, 'to decide to': 904000, 'decide to put': 230848, 'price up wanker': 677268, 'is heartwarming': 448375, 'example distillery': 288883, 'it is heartwarming': 458973, 'is heartwarming to': 448376, 'heartwarming to see': 388483, 'see people stepping': 745568, 'help fight for': 389708, 'fight for example': 304736, 'for example distillery': 321275, 'example distillery are': 288884, 'distillery are switching': 247734, 'switching to making': 830580, 'everything slowly': 287995, 'slowly closing': 774583, 'people relying': 649266, 'any consideration': 79050, 'area often': 92144, 'often out': 596252, 'uk with everything': 938909, 'with everything slowly': 998304, 'everything slowly closing': 287996, 'slowly closing down': 774584, 'closing down supermarket': 183624, 'down supermarket shelf': 257234, 'and people relying': 68876, 'people relying on': 649267, 'relying on delivery': 709671, '19 will there': 12115, 'there be any': 878210, 'be any consideration': 113645, 'any consideration for': 79051, 'like of living': 490902, 'living in rural': 496391, 'rural area often': 728224, 'area often out': 92145, 'often out of': 596253, 'of your company': 593453, 'mol switch': 535634, 'switch plant': 830504, 'production hungary': 682069, 'hungary mol': 411058, 'mol sanitizer': 535633, 'mol switch plant': 535635, 'switch plant to': 830505, 'plant to sanitizer': 658719, 'sanitizer production hungary': 735599, 'production hungary mol': 682070, 'hungary mol sanitizer': 411059, 'worldfightscorona': 1010230, 'may run': 521472, 'oil because': 596648, 'massive decrease': 520009, 'amid coronacrisis': 52412, 'price isolation': 674907, 'isolation staysafestayhome': 455446, 'staysafestayhome worldfightscorona': 799040, 'world may run': 1009793, 'may run out': 521473, 'of storage to': 590237, 'storage to store': 806002, 'store oil because': 809175, 'oil because of': 596649, 'because of massive': 119374, 'of massive decrease': 586292, 'massive decrease in': 520010, 'demand amid coronacrisis': 234929, 'amid coronacrisis this': 52413, 'coronacrisis this could': 204823, 'this could lead': 886928, 'to negative oil': 910526, 'oil price isolation': 597172, 'price isolation staysafestayhome': 674908, 'isolation staysafestayhome worldfightscorona': 455447, 'surrounding take': 828760, 'fear surrounding take': 301352, 'surrounding take these': 828761, 'these action to': 879577, '19 foodwaste': 7058, 'foodwaste becomes': 318254, 'solution do': 782013, 'do exist': 249277, 'exist food': 290231, 'covid 19 foodwaste': 213112, '19 foodwaste becomes': 7059, 'foodwaste becomes more': 318255, 'becomes more of': 120239, 'more of challenge': 539869, 'of challenge for': 581262, 'challenge for but': 171460, 'for but solution': 319855, 'but solution do': 147087, 'solution do exist': 782014, 'do exist food': 249278, 'exist food waste': 290232, 'coronavirus panic via': 206528, 'sedation': 744832, 'midazolam': 530601, 'propofol': 684413, 'injectable': 438683, 'emulsion': 275363, 'nursetwitter': 577590, 'foamed': 311814, 'sedation drug': 744833, 'for ventilation': 327535, 'ventilation may': 954511, 'in shorter': 427918, 'supply than': 825946, 'toiletpaper thanks': 922587, 'thanks india': 842117, 'china new': 176842, 'drug shortage': 261079, 'today midazolam': 919878, 'midazolam injection': 530602, 'injection propofol': 438706, 'propofol injectable': 684414, 'injectable emulsion': 438684, 'emulsion nursetwitter': 275364, 'nursetwitter foamed': 577591, 'sedation drug for': 744834, 'drug for ventilation': 260957, 'for ventilation may': 327536, 'ventilation may soon': 954512, 'soon be in': 785640, 'be in shorter': 115431, 'in shorter supply': 427919, 'shorter supply than': 765357, 'supply than toiletpaper': 825948, 'than toiletpaper thanks': 841353, 'toiletpaper thanks india': 922588, 'thanks india china': 842118, 'india china new': 434343, 'china new drug': 176843, 'new drug shortage': 558652, 'drug shortage for': 261080, 'shortage for today': 764967, 'for today midazolam': 327243, 'today midazolam injection': 919879, 'midazolam injection propofol': 530603, 'injection propofol injectable': 438707, 'propofol injectable emulsion': 684415, 'injectable emulsion nursetwitter': 438685, 'emulsion nursetwitter foamed': 275365, 'manda': 512982, 'pinnacle': 656835, 'giving credit': 351259, 'to shoprite': 914522, 'shoprite east': 764542, 'east park': 265333, 'park wa': 642019, 'wa sanitised': 963138, 'sanitised on': 733902, 'entry also': 278981, 'noticed someone': 573469, 'someone assigned': 784374, 'basket manda': 112368, 'manda hill': 512983, 'hill pinnacle': 396484, 'pinnacle woodland': 656836, 'woodland east': 1004300, 'park supermarket': 641990, 'all disgusting': 42578, 'disgusting though': 245472, 'continues beyond': 201379, 'giving credit to': 351260, 'credit to shoprite': 216541, 'to shoprite east': 914523, 'shoprite east park': 764543, 'east park wa': 265335, 'park wa sanitised': 642020, 'wa sanitised on': 963139, 'sanitised on entry': 733903, 'on entry also': 600573, 'entry also noticed': 278982, 'also noticed someone': 48584, 'noticed someone assigned': 573470, 'someone assigned to': 784375, 'assigned to wipe': 96605, 'wipe down all': 996231, 'down all trolley': 256468, 'all trolley basket': 45290, 'trolley basket manda': 932379, 'basket manda hill': 112369, 'manda hill pinnacle': 512984, 'hill pinnacle woodland': 396485, 'pinnacle woodland east': 656837, 'woodland east park': 1004301, 'east park supermarket': 265334, 'park supermarket trolley': 641991, 'trolley are all': 932369, 'are all disgusting': 84296, 'all disgusting though': 42579, 'disgusting though so': 245473, 'though so hope': 892886, 'so hope this': 777322, 'hope this continues': 403715, 'this continues beyond': 886852, 'and direction': 61377, 'direction provide': 243476, 'following on': 312804, 'rise may': 722938, 'exceed the': 289039, 'material or': 520400, 'or input': 615805, 'profit level': 682795, 'level should': 487698, 'hiked higher': 396318, 'period prior': 651867, 'the regulation and': 865451, 'regulation and direction': 708052, 'and direction provide': 61378, 'direction provide for': 243477, 'provide for the': 686319, 'the following on': 855515, 'following on price': 312805, 'on price price': 602916, 'price price rise': 675994, 'price rise may': 676242, 'rise may not': 722939, 'may not exceed': 521375, 'not exceed the': 569317, 'exceed the increase': 289040, 'in the cost': 429099, 'of the raw': 591388, 'raw material or': 697977, 'material or input': 520401, 'or input and': 615806, 'input and profit': 438969, 'and profit level': 69597, 'profit level should': 682796, 'level should not': 487699, 'not be hiked': 568396, 'be hiked higher': 115258, 'hiked higher than': 396319, 'than the period': 841260, 'the period prior': 863567, 'period prior to': 651868, 'hand make': 375080, 'you lather': 1019557, 'microbial amp': 530445, 'with 60': 997046, 'used not': 949973, 'not anti': 568213, 'bacterial sanitizer': 107729, 'psa wash hand': 687447, 'wash hand wash': 967499, 'wash hand make': 967488, 'hand make sure': 375081, 'sure you lather': 827864, 'you lather with': 1019558, 'find water hand': 307374, 'that is anti': 844555, 'is anti microbial': 445748, 'anti microbial amp': 78316, 'microbial amp with': 530446, 'amp with 60': 54853, 'with 60 alcohol': 997048, '60 alcohol can': 20886, 'alcohol can be': 40951, 'be used not': 117918, 'used not anti': 949974, 'not anti bacterial': 568214, 'anti bacterial sanitizer': 78277, 'bacterial sanitizer this': 107730, 'this is virus': 888456, 'another scandal': 77828, 'making even': 511048, 'of malaria': 586131, 'malaria because': 511550, 'already scarce': 47626, 'the international market': 858369, 'international market are': 441827, 'market are high': 516023, 'are high due': 87150, 'to the opening': 916925, 'the opening hour': 862386, 'opening hour this': 612860, 'be another scandal': 113631, 'another scandal in': 77829, 'the making even': 859957, 'making even if': 511049, 'is not used': 450217, 'not used for': 572367, 'used for covid': 949903, '19 our people': 9057, 'our people will': 624314, 'die of malaria': 241426, 'of malaria because': 586132, 'malaria because the': 511551, 'because the medicine': 119637, 'the medicine is': 860409, 'medicine is already': 526821, 'is already scarce': 445534, 'already scarce in': 47627, 'socialdistaning': 780919, 'lepton': 486416, 'amazing property': 50770, 'property you': 684371, 'can invest': 158764, 'coronavirus stayathome': 206818, 'staysafe socialdistaning': 798886, 'socialdistaning handwashing': 780920, 'handwashing lepton': 376844, 'why not stay': 991235, 'be safe while': 116977, 'safe while at': 730139, 'while at it': 986625, 'at it do': 99319, 'forget to check': 329319, 'check for amazing': 174441, 'for amazing property': 319228, 'amazing property you': 50771, 'property you can': 684372, 'you can invest': 1017707, 'can invest in': 158765, 'invest in at': 443752, 'in at reasonable': 420555, 'at reasonable and': 100259, 'reasonable and affordable': 703085, 'price 19 coronavirus': 672114, '19 coronavirus stayathome': 6129, 'coronavirus stayathome staysafe': 206819, 'stayathome staysafe socialdistaning': 797665, 'staysafe socialdistaning handwashing': 798887, 'socialdistaning handwashing lepton': 780921, '8bn': 23176, 'irish people': 444889, 'spent 8bn': 789098, '8bn in': 23177, 'irish people have': 444890, 'people have spent': 648196, 'have spent 8bn': 382684, 'spent 8bn in': 789099, '8bn in supermarket': 23178, 'grocery shop over': 364976, 'shop over the': 760637, 'past 12 week': 643492, 'whatswrongwitheveryone': 982939, 'been raped': 121774, 'raped too': 696891, 'too asda': 924592, 'asda panicbuying': 94965, 'panicbuying whatswrongwitheveryone': 639118, 'whatswrongwitheveryone asda': 982940, 'yeah so my': 1014293, 'so my supermarket': 777848, 'ha been raped': 369890, 'been raped too': 121775, 'raped too asda': 696892, 'too asda panicbuying': 924593, 'asda panicbuying whatswrongwitheveryone': 94966, 'panicbuying whatswrongwitheveryone asda': 639119, 'homeloans': 402810, 'home lending': 401519, 'lending backdrop': 486270, 'backdrop to': 107525, 'slow slide': 774392, 'price mortgage': 675271, 'mortgage homeloans': 541912, 'homeloans lending': 402811, 'lending property': 486288, 'property housing': 684271, 'home lending backdrop': 401520, 'lending backdrop to': 486271, 'backdrop to slow': 107526, 'to slow slide': 914740, 'slow slide in': 774393, 'slide in property': 773904, 'property price mortgage': 684335, 'price mortgage homeloans': 675272, 'mortgage homeloans lending': 541913, 'homeloans lending property': 402812, 'lending property housing': 486289, 'below this': 126748, 'unusual and': 943984, 'and unprecedented': 74697, 'donating below this': 254439, 'below this is': 126749, 'is an unusual': 445693, 'an unusual and': 56912, 'unusual and unprecedented': 943985, 'and unprecedented time': 74698, 'homebound due': 402613, 'homebound due to': 402614, 'quarentena': 693169, 'almost desert': 46593, 'desert supermarket': 238004, 'shelf quarentena': 757447, 'almost desert supermarket': 46594, 'desert supermarket many': 238005, 'empty shelf quarentena': 275089, 'mukeshambani': 545612, 'reliance declares': 709226, 'declares work': 231268, 'business workfromhome': 144717, 'workfromhome reliance': 1008429, 'reliance mukeshambani': 709234, 'reliance declares work': 709227, 'declares work from': 231269, 'from home except': 335859, 'except for consumer': 289154, 'for consumer facing': 320256, 'facing business workfromhome': 295416, 'business workfromhome reliance': 144718, 'workfromhome reliance mukeshambani': 1008430, 'the opposed': 862406, 'opposed opec': 613764, 'other international': 620433, 'international cartel': 441765, 'cartel this': 165459, 'quite turnaround': 694934, 'turnaround perhaps': 935821, 'president can': 670776, 'international response': 441848, 'remember the old': 710314, 'day when the': 228730, 'when the opposed': 984179, 'the opposed opec': 862407, 'opposed opec and': 613765, 'opec and other': 611843, 'and other international': 68349, 'other international cartel': 620434, 'international cartel this': 441766, 'cartel this is': 165460, 'this is quite': 888368, 'is quite turnaround': 451196, 'quite turnaround perhaps': 694935, 'turnaround perhaps the': 935822, 'perhaps the president': 651644, 'the president can': 864255, 'president can now': 670778, 'focus on an': 311863, 'on an international': 599331, 'an international response': 56419, 'international response to': 441849, 'instead of oil': 440293, 'shortselling': 765396, 'all mining': 43512, 'squeeze of': 791537, 'of shortselling': 589688, 'shortselling who': 765397, 'crisis stayhomestaysafe': 218088, 'given all mining': 350943, 'all mining company': 43513, 'mining company just': 533273, 'company just need': 190829, 'production for month': 682046, 'month and see': 537581, 'happens to gold': 377512, 'to gold silver': 906907, 'silver price to': 769855, 'to the squeeze': 917089, 'the squeeze of': 867668, 'squeeze of shortselling': 791538, 'of shortselling who': 589689, 'shortselling who try': 765398, 'try to rob': 934660, 'rob the market': 724636, 'market on crisis': 516791, 'on crisis stayhomestaysafe': 600165, 'passed rent': 643294, 'freeze so': 332560, 'gonna win': 356655, 'his landlord': 397565, 'dc council just': 228945, 'council just passed': 210000, 'just passed rent': 469438, 'passed rent freeze': 643295, 'rent freeze so': 711098, 'freeze so my': 332561, 'so my friend': 777836, 'my friend is': 548437, 'friend is gonna': 333670, 'is gonna win': 448136, 'gonna win this': 356656, 'win this fight': 995592, 'this fight with': 887549, 'fight with his': 304953, 'with his landlord': 998836, 'ikea do': 416037, 'see are': 744940, 'supermarket or at': 821795, 'or at ikea': 614445, 'at ikea do': 99258, 'ikea do not': 416038, 'not know all': 570289, 'all see are': 44262, 'see are shelf': 744941, 'minnesota farmer': 533602, 'farmer help': 299413, 'help produce': 390355, 'our rural': 624658, 'why proud': 991304, 'demand relief': 236122, 'minnesota farmer help': 533603, 'farmer help produce': 299414, 'help produce our': 390356, 'produce our nation': 680387, 'our nation food': 623977, 'supply amp our': 824695, 'amp our rural': 54260, 'our rural community': 624659, 'rural community need': 728233, 'community need support': 189997, 'need support during': 555685, 'this crisis that': 887095, 'that why proud': 847544, 'why proud to': 991305, 'stand with to': 793614, 'with to demand': 1001785, 'to demand relief': 904154, 'demand relief to': 236123, 'relief to farmer': 709478, 'to farmer the': 905676, 'farmer the effect': 299521, 'coronavirus change our': 205640, 'change our daily': 172217, 'retreated the': 719769, 'pandemic continued': 635205, 'to dampen': 903903, 'dampen demand': 225492, 'copper price retreated': 203441, 'price retreated the': 676207, 'retreated the spreading': 719770, 'the spreading new': 867649, 'spreading new pandemic': 791006, 'new pandemic continued': 559253, 'pandemic continued to': 635206, 'continued to dampen': 201354, 'to dampen demand': 903905, 'dampen demand outlook': 225493, 'for the metal': 326560, 'nolongeratravellingpa': 566250, 'from germany': 335617, 'germany nolongeratravellingpa': 346326, 'well in time': 978317, 'lockdown the only': 500014, 'do is online': 249451, 'shopping from germany': 762753, 'from germany nolongeratravellingpa': 335618, 'ebay allows': 266423, 'product feminine': 681181, 'this unfortunate': 890909, 'situation taking': 772502, 'advantage when': 33074, 'afraid is': 34984, 'believe ebay allows': 126263, 'ebay allows people': 266424, 'roll and sanitary': 725186, 'sanitary product feminine': 733814, 'product feminine product': 681182, 'product at exorbitant': 680964, 'exorbitant price shame': 290420, 'shame on everyone': 754621, 'on everyone panic': 600639, 'caused this unfortunate': 167976, 'this unfortunate situation': 890910, 'unfortunate situation taking': 941568, 'situation taking advantage': 772503, 'taking advantage when': 833257, 'advantage when vaunrable': 33075, 'are afraid is': 84263, 'afraid is an': 34985, 'timesnews': 898501, 'ha noted': 371378, 'noted some': 572875, 'some incident': 783100, 'coronavirus timesnews': 206942, 'timesnews fijinews': 898502, 'fiji say it': 305291, 'it ha noted': 458404, 'ha noted some': 371379, 'noted some incident': 572876, 'some incident of': 783101, 'incident of panic': 431425, 'the coronavirus timesnews': 851930, 'coronavirus timesnews fijinews': 206943, '79yo': 22398, 'asda online': 94959, 'my 79yo': 547188, '79yo mother': 22399, 'mother time': 543178, 'time place': 897487, 'toilet humour': 921156, 'humour right': 410950, 'panicbuying stophoarding': 639057, 'uk can you': 938237, 'can you fix': 160301, 'fix this cannot': 309758, 'this cannot even': 886694, 'even buy toilet': 283921, 'roll from asda': 725310, 'from asda online': 334593, 'asda online for': 94960, 'online for my': 608231, 'for my 79yo': 323668, 'my 79yo mother': 547189, '79yo mother time': 22400, 'mother time place': 543179, 'time place for': 897488, 'place for toilet': 657451, 'for toilet humour': 327247, 'toilet humour right': 921157, 'humour right now': 410951, 'now not like': 575374, 'like this panicbuying': 491513, 'this panicbuying stophoarding': 889470, 'there digital': 878317, 'movement happening': 543879, 'happening right': 377402, 'now amp': 574012, 'student support': 814779, 'call iplayer': 155946, 'iplayer amp': 444599, 'just save': 469681, 'few life': 303899, 'there digital literacy': 878318, 'literacy movement happening': 494942, 'movement happening right': 543880, 'happening right now': 377403, 'right now amp': 722020, 'now amp we': 574013, 'amp we re': 54821, 're all student': 698238, 'all student support': 44520, 'student support the': 814780, 'shopping video call': 764320, 'video call iplayer': 956650, 'call iplayer amp': 155947, 'iplayer amp other': 444600, 'amp other online': 54244, 'teach but it': 835389, 'but it might': 146140, 'it might just': 459616, 'might just save': 531058, 'just save few': 469682, 'save few life': 737497, 'few life 19': 303900, 'nation many': 552252, 'result brookshire': 717484, 'hosting hiring': 404964, 'hiring event': 397090, 'logistics position': 500782, 'need job with': 555125, 'number of coronavirus': 576932, 'the nation many': 861250, 'nation many have': 552253, 'many have lost': 514124, 'job result brookshire': 466133, 'result brookshire grocery': 717485, 'store is stepping': 808532, 'those in time': 892104, 'need by hosting': 554583, 'by hosting hiring': 152836, 'hosting hiring event': 404965, 'hiring event for': 397091, 'event for retail': 284983, 'and logistics position': 66340, 'bhat': 129358, 'bhateni': 129364, 'thimi': 884042, 'dashain': 226076, 'grocery section': 364939, 'of bhat': 580690, 'bhat bhateni': 129359, 'bhateni supermarket': 129365, 'in thimi': 429888, 'thimi since': 884043, 'opened not': 612746, 'in dashain': 421994, 'dashain festival': 226077, 'haven seen this': 383892, 'seen this big': 747315, 'this big queue': 886556, 'big queue in': 129947, 'queue in grocery': 693958, 'in grocery section': 423441, 'grocery section of': 364940, 'section of bhat': 744022, 'of bhat bhateni': 580691, 'bhat bhateni supermarket': 129360, 'bhateni supermarket in': 129366, 'supermarket in thimi': 820991, 'in thimi since': 429889, 'thimi since it': 884044, 'since it opened': 770663, 'it opened not': 460131, 'opened not even': 612747, 'even in dashain': 284234, 'in dashain festival': 421995, 'ticket size': 895665, 'size from': 772775, 'from 500': 334305, 'to 1200': 899474, '1200 charging': 3022, '15 extra': 3706, 'extra for': 293522, 'nothing moreover': 573109, 'moreover price': 541065, 'increased really': 433446, 'like true': 491672, 'true indian': 933113, 'indian with': 434909, 'right spirit': 722279, 'increased the ticket': 433496, 'the ticket size': 869539, 'ticket size from': 895666, 'size from 500': 772776, 'from 500 to': 334306, '500 to 1200': 20064, 'to 1200 charging': 899475, '1200 charging 15': 3023, 'charging 15 extra': 173441, '15 extra for': 3707, 'extra for nothing': 293523, 'for nothing moreover': 323941, 'nothing moreover price': 573110, 'moreover price of': 541067, 'the essential food': 854504, 'item have increased': 463320, 'have increased really': 381064, 'increased really you': 433447, 'really you are': 702724, 'you are behaving': 1017072, 'behaving like true': 123838, 'like true indian': 491673, 'true indian with': 933114, 'indian with right': 434910, 'with right spirit': 1000514, 'right spirit to': 722280, 'spirit to fight': 789511, 'watch people': 968507, 'people fill': 647911, 'fill 16': 305450, '16 shopping': 4168, 'household of': 406896, 'please losangeles': 660213, '2020 where we': 14713, 'where we wait': 985353, 'we wait in': 973735, 'and watch people': 75225, 'watch people fill': 968508, 'people fill 16': 647912, 'fill 16 shopping': 305451, '16 shopping cart': 4169, 'cart for household': 165301, 'for household of': 322411, 'household of think': 406897, 'of think of': 591925, 'others please losangeles': 621589, 'industry badly': 435675, 'badly while': 108179, 'raw bird': 697957, 'bird at': 131328, 'now either': 574593, 'either distributing': 270290, 'distributing them': 248095, 'or letting': 615962, 'poultry industry badly': 667325, 'industry badly while': 435676, 'badly while the': 108180, 'while the chicken': 987375, 'have gone low': 380796, 'gone low 40': 356327, 'low 40 kg': 505092, 'kg and raw': 473640, 'and raw bird': 69954, 'raw bird at': 697958, 'bird at 15': 131329, 'at 15 poultry': 97474, 'and now either': 67829, 'now either distributing': 574594, 'either distributing them': 270291, 'distributing them free': 248096, 'them free or': 875741, 'free or letting': 332035, 'or letting them': 615963, 'letting them die': 487450, 'sj': 772838, 'episode 13': 279503, 'episode sj': 279554, 'sj recap': 772841, 'recap the': 703381, 'coronavirus number': 206327, 'not showing': 571569, 'number yet': 577095, 'but hopefully': 145959, 'hopefully will': 403905, 'soon sj': 785822, 'sj also': 772839, 'also talk': 48952, 'person online': 652556, 'thing shopping': 884739, 'episode 13 in': 279504, '13 in this': 3222, 'in this episode': 429942, 'this episode sj': 887406, 'episode sj recap': 279555, 'sj recap the': 772842, 'recap the covid': 703382, '19 coronavirus number': 6111, 'coronavirus number and': 206328, 'number and talk': 576820, 'how the social': 408877, 'is not showing': 450184, 'not showing in': 571571, 'showing in the': 767462, 'the number yet': 861965, 'number yet but': 577096, 'yet but hopefully': 1016021, 'but hopefully will': 145960, 'hopefully will soon': 403906, 'will soon sj': 994903, 'soon sj also': 785823, 'sj also talk': 772840, 'also talk about': 48953, 'talk about shopping': 833755, 'about shopping in': 26188, 'in person online': 426637, 'person online and': 652557, 'and all thing': 57899, 'all thing shopping': 45078, 'sunset': 818421, 'trip towards': 932207, 'at sunset': 100688, 'that trip towards': 847128, 'trip towards the': 932208, 'towards the grocery': 927262, 'store at sunset': 806593, 'employee want': 274386, 'are you grocery': 91800, 'store employee want': 807568, 'employee want to': 274387, 'leave with': 485040, 'condition ceo': 193431, 'ceo only': 169796, 'shut store': 767933, 'pr disaster': 668424, 'disaster the': 244255, 'the accusation': 848289, 'accusation were': 28928, 'were correct': 979484, 'correct wa': 207537, 'true we could': 933210, 'could only leave': 209483, 'only leave with': 610711, 'leave with medical': 485041, 'with medical condition': 999469, 'medical condition ceo': 526109, 'condition ceo only': 193432, 'ceo only shut': 169797, 'only shut store': 611140, 'shut store after': 767934, 'after the pr': 36347, 'the pr disaster': 864185, 'pr disaster the': 668425, 'disaster the accusation': 244256, 'the accusation were': 848290, 'accusation were correct': 28929, 'were correct wa': 979485, 'correct wa there': 207538, 'danecounty': 225610, 'travelwisconsin': 930711, 'discoverwisconsin': 244728, 'sunday amidst': 818166, 'madison danecounty': 508134, 'danecounty wisconsin': 225611, 'wisconsin travelwisconsin': 996639, 'travelwisconsin discoverwisconsin': 930712, 'observation from visit': 578544, 'store on sunday': 809207, 'on sunday amidst': 603753, 'sunday amidst fear': 818167, 'amidst fear in': 52793, 'fear in madison': 301166, 'in madison danecounty': 424976, 'madison danecounty wisconsin': 508135, 'danecounty wisconsin travelwisconsin': 225612, 'wisconsin travelwisconsin discoverwisconsin': 996640, 'for pm': 324589, 'announce another': 76837, 'everyone wash': 287554, 'sanitizer gesture': 734971, 'gesture of': 346441, 'unity against': 942317, 'strict ban': 813616, 'post washing': 666392, 'washing celebration': 967652, 'celebration on': 168859, 'idea for pm': 413050, 'for pm is': 324591, 'pm is to': 661919, 'to announce another': 900546, 'announce another day': 76838, 'another day where': 77570, 'day where everyone': 228738, 'where everyone wash': 984868, 'everyone wash their': 287555, 'or sanitizer gesture': 616951, 'sanitizer gesture of': 734972, 'gesture of unity': 346442, 'of unity against': 592643, 'unity against and': 942318, 'against and with': 37328, 'and with strict': 75779, 'with strict ban': 1001015, 'strict ban on': 813617, 'ban on post': 109231, 'on post washing': 602863, 'post washing celebration': 666393, 'washing celebration on': 967653, 'celebration on the': 168860, 'winner walmart': 996048, 'amazon well': 51190, 'retailer apps': 718981, 'clear winner walmart': 181388, 'winner walmart grocery': 996049, 'on the app': 603973, 'the app store': 848819, 'overtaking amazon well': 631614, 'amazon well other': 51191, 'well other retailer': 978452, 'other retailer apps': 620847, 'buying ve': 151300, 'regular fortnightly': 707778, 'else nothing': 271806, 'won shit': 1003897, 'ya pant': 1014023, 'pant calm': 639492, 'calm ya': 156823, 'ya farm': 1013990, 'farm panicshopping': 299157, 'panicshopping stophoarding': 639455, 'honestly people stop': 403125, 'panic buying ve': 637949, 'buying ve just': 151302, 'been for regular': 121167, 'for regular fortnightly': 325073, 'regular fortnightly shop': 707779, 'shop it safe': 760375, 'to say all': 913804, 'say all have': 738404, 'all have managed': 43054, 'managed to leave': 512505, 'to leave everyone': 909149, 'leave everyone else': 484783, 'everyone else nothing': 286869, 'else nothing we': 271807, 'nothing we have': 573216, 'food you won': 317728, 'you won shit': 1022404, 'won shit ya': 1003898, 'shit ya pant': 759304, 'ya pant calm': 1014024, 'pant calm ya': 639493, 'calm ya farm': 156824, 'ya farm panicshopping': 1013991, 'farm panicshopping stophoarding': 299158, 'between wash': 128953, 'wash staysafe': 967541, 'stayhomesavelives washyourhands': 798487, 'washyourhands bewell': 967860, 'have any hand': 379306, 'any hand when': 79301, 'hand when go': 375977, 'when go back': 983473, 'work from washing': 1005198, 'from washing them': 338300, 'washing them every': 967733, 'them every minute': 875665, 'every minute and': 286011, 'minute and sanitizer': 533728, 'sanitizer in between': 735130, 'in between wash': 420812, 'between wash staysafe': 128954, 'wash staysafe stayhomesavelives': 967542, 'staysafe stayhomesavelives washyourhands': 798909, 'stayhomesavelives washyourhands bewell': 798488, 'are very grateful': 91462, 'very grateful weareinthistogether': 955203, 'put almond': 690506, 'coffee treat': 185554, 'treat bc': 930803, 'thought be waiting': 892982, 'waiting for friday': 964317, 'for friday to': 321764, 'friday to put': 333308, 'to put almond': 912579, 'put almond milk': 690507, 'almond milk in': 46466, 'milk in my': 531700, 'in my coffee': 425553, 'my coffee treat': 547726, 'coffee treat bc': 185555, 'treat bc there': 930804, 'bc there is': 113295, 'is none at': 450004, 'none at the': 566552, 'store every time': 807654, 'impacting gas': 418228, 'price explained': 673736, 'is impacting gas': 448706, 'impacting gas price': 418229, 'gas price explained': 343960, 'that credit': 843397, 'score for': 742354, 'who agree': 988037, 'agree pause': 38632, 'pause or': 644610, 'or payment': 616528, 'lender during': 486226, 'emergency well': 273045, 'just had it': 468899, 'had it confirmed': 373209, 'it confirmed that': 457261, 'confirmed that credit': 194195, 'that credit reference': 843398, 'reference agency will': 706486, 'agency will protect': 38109, 'will protect consumer': 994494, 'protect consumer credit': 684803, 'credit score for': 216505, 'score for people': 742355, 'people who agree': 650257, 'who agree pause': 988038, 'agree pause or': 38633, 'pause or payment': 644611, 'or payment holiday': 616529, 'their lender during': 873806, 'lender during this': 486227, 'during this emergency': 263280, 'this emergency well': 887366, 'emergency well done': 273046, 'done to and': 255065, 'and the campaign': 73269, 'inevitable covid': 436372, 'pandemic worldwide': 637049, 'worldwide economic': 1010342, 'economic winter': 267369, 'winter is': 996131, 'coming scarcity': 188180, 'is incoming': 448840, 'incoming individual': 432515, 'individual liberty': 435212, 'liberty are': 488045, 'being drastically': 125080, 'reduced europe': 706068, 'europe failed': 283433, 'failed imf': 296142, 'imf panic': 416904, 'panic world': 638802, 'world government': 1009596, 'inevitable covid 19': 436373, '19 pandemic worldwide': 9528, 'pandemic worldwide economic': 637050, 'worldwide economic winter': 1010343, 'economic winter is': 267370, 'winter is coming': 996132, 'is coming scarcity': 446663, 'coming scarcity of': 188181, 'scarcity of world': 740851, 'of world food': 593312, 'supply is incoming': 825446, 'is incoming individual': 448841, 'incoming individual liberty': 432516, 'individual liberty are': 435213, 'liberty are being': 488046, 'are being drastically': 84852, 'being drastically reduced': 125081, 'drastically reduced europe': 258456, 'reduced europe failed': 706069, 'europe failed imf': 283434, 'failed imf panic': 296143, 'imf panic world': 416905, 'panic world government': 638803, 'world government have': 1009597, 'bypassing': 154828, 'gouging through': 359474, 'through extreme': 894452, 'extreme shipping': 293826, 'is neat': 449838, 'neat way': 553886, 'for seller': 325434, 'fly under': 311636, 'the radar': 865095, 'radar bypassing': 695381, 'bypassing price': 154829, 'control that': 202159, 'automatically flag': 103997, 'flag high': 309940, 'for toiletry': 327271, 'toiletry pricegouging': 923437, 'price gouging through': 674334, 'gouging through extreme': 359475, 'through extreme shipping': 894453, 'extreme shipping cost': 293827, 'shipping cost is': 758840, 'cost is neat': 207988, 'is neat way': 449839, 'neat way for': 553887, 'way for seller': 969586, 'for seller to': 325435, 'seller to fly': 749097, 'to fly under': 906034, 'fly under the': 311637, 'under the radar': 940326, 'the radar bypassing': 865096, 'radar bypassing price': 695382, 'bypassing price control': 154830, 'price control that': 673241, 'control that automatically': 202160, 'that automatically flag': 842899, 'automatically flag high': 103998, 'flag high price': 309941, 'price for toiletry': 674069, 'for toiletry pricegouging': 327272, 'toiletry pricegouging amazon': 923438, 'to influence': 908377, 'sector an': 744074, 'delivery see': 234413, 'see cardboard': 744990, 'cardboard shortage': 163727, 'medical distribution': 526133, 'tool toy': 925456, 'toy and': 927659, 'and cosmetic': 60587, 'of 19 continues': 579387, 'continues to influence': 201485, 'to influence and': 908378, 'influence and challenge': 437297, 'and challenge the': 59712, 'and retail sector': 70443, 'retail sector an': 718523, 'sector an increase': 744076, 'increase in home': 432839, 'in home delivery': 423781, 'home delivery see': 401042, 'delivery see cardboard': 234414, 'see cardboard shortage': 744991, 'cardboard shortage for': 163728, 'and medical distribution': 66874, 'medical distribution and': 526134, 'distribution and online': 248111, 'and online demand': 68104, 'online demand skyrocket': 608098, 'demand skyrocket for': 236233, 'skyrocket for tool': 773307, 'for tool toy': 327286, 'tool toy and': 925457, 'toy and cosmetic': 927661, 'farm2fork': 299220, 'panic subsides': 638652, 'subsides and': 815953, 'restocking but': 716990, 'market farm': 516383, 'farm stand': 299185, 'stand or': 793567, 'better anyway': 128199, 'anyway farm2fork': 81010, 'hopefully the panic': 403884, 'the panic subsides': 863223, 'panic subsides and': 638653, 'subsides and grocer': 815954, 'and grocer are': 63972, 'grocer are restocking': 364102, 'are restocking but': 89646, 'restocking but try': 716991, 'but try your': 147632, 'try your local': 934695, 'local farmer market': 497950, 'farmer market farm': 299447, 'market farm stand': 516384, 'farm stand or': 299186, 'stand or delivery': 793568, 'or delivery service': 614947, 'delivery service when': 234479, 'service when food': 753063, 'food shopping it': 316524, 'shopping it better': 763097, 'it better anyway': 456862, 'better anyway farm2fork': 128200, 'hoarding please': 399476, 'hoarding please stop': 399477, 'please stop you': 660598, 'stop you don': 805292, 'item there no': 463716, 'if everyone take': 414098, 'everyone take only': 287445, 'only what they': 611467, 'can deliver the': 158047, 'deliver the product': 233233, 'the product 19': 864580, 'blurring': 133527, 'officially under': 596029, 'under shelter': 940246, 'are blurring': 85003, 'blurring together': 133528, 'week seems': 976847, 'anxiety what': 78817, 'stayhome whatdayisit': 798234, 'we are officially': 970643, 'are officially under': 88686, 'officially under shelter': 596030, 'under shelter in': 940247, 'shelter in order': 757932, 'in order day': 426212, 'order day are': 618159, 'day are blurring': 227314, 'are blurring together': 85004, 'blurring together the': 133529, 'together the week': 920978, 'the week seems': 871312, 'week seems to': 976848, 'on forever and': 600965, 'forever and the': 329096, 'store cause anxiety': 806898, 'cause anxiety what': 167498, 'anxiety what crazy': 78818, 'crazy time quarantinelife': 215453, 'time quarantinelife stayhome': 897545, 'quarantinelife stayhome whatdayisit': 693022, 'choppy': 177988, 'never looked': 558106, 'looked so': 502748, 'so choppy': 776757, 'choppy they': 177989, 'they plummet': 882888, 'plummet on': 661298, 'then occasionally': 877366, 'occasionally yo': 578958, 'yo up': 1016455, 'up however': 945125, 'however share': 409450, 'fall now': 296999, 'some bargain': 782381, 'market have never': 516504, 'have never looked': 381583, 'never looked so': 558107, 'looked so choppy': 502749, 'so choppy they': 776758, 'choppy they plummet': 177990, 'they plummet on': 882889, 'plummet on the': 661299, 'crisis and then': 217055, 'and then occasionally': 73785, 'then occasionally yo': 877367, 'occasionally yo yo': 578959, 'yo yo up': 1016461, 'yo up however': 1016456, 'up however share': 945126, 'however share price': 409451, 'price fall now': 673791, 'fall now could': 297000, 'up some bargain': 946027, 'cooking breakcorona': 202854, 'projectkavach for': 683586, 'before cooking breakcorona': 122711, 'cooking breakcorona projectkavach': 202855, 'breakcorona projectkavach for': 138828, 'projectkavach for more': 683587, 'shabbat': 754319, 'shalom': 754567, 'wa possible': 962963, 'israel israeli': 455595, 'israeli stand': 455626, 'supermarket keeping': 821243, '2m ft': 16692, 'in exemplary': 422720, 'exemplary order': 289959, 'order shabbat': 618568, 'shabbat shalom': 754320, 'not believe it': 568556, 'believe it wa': 126305, 'it wa possible': 462171, 'wa possible in': 962964, 'possible in israel': 665681, 'in israel israeli': 424220, 'israel israeli stand': 455596, 'israeli stand in': 455627, 'for supermarket keeping': 326015, 'supermarket keeping 2m': 821244, 'keeping 2m ft': 472360, '2m ft distance': 16693, 'ft distance from': 339340, 'other and in': 619826, 'and in exemplary': 65049, 'in exemplary order': 422721, 'exemplary order shabbat': 289960, 'order shabbat shalom': 618569, 'movie lived': 544019, 'lived the': 496171, 'saw the movie': 738271, 'the movie lived': 861105, 'movie lived the': 544020, 'lived the experience': 496172, 'the experience now': 854722, 'experience now buy': 291430, 'now buy the': 574304, 'buy the shirt': 149307, 'the shirt toiletpaper': 866950, 'they ramp': 882976, 'demand fueled': 235558, 'need extra support': 554759, 'support they ramp': 826920, 'they ramp up': 882977, 'ramp up to': 696449, 'meet demand fueled': 527469, 'demand fueled by': 235559, 'fueled by covid': 340321, 'are realizing': 89468, 'realizing that': 701938, 'paid 50': 633949, 'than getting': 840691, 'getting laid': 349087, 'higher employment': 395586, 'employment level': 274632, 'level raise': 487686, 'force business': 328348, 'make choice': 509768, 'between raising': 128869, 'or deciding': 614913, 'employee are realizing': 273626, 'are realizing that': 89469, 'realizing that being': 701939, 'that being paid': 842976, 'being paid 50': 125525, 'paid 50 hr': 633950, '50 hr is': 19722, 'hr is better': 409635, 'better than getting': 128522, 'than getting laid': 840692, 'getting laid off': 349088, 'laid off you': 479038, 'off you want': 594438, 'you want higher': 1022142, 'want higher employment': 965814, 'higher employment level': 395587, 'employment level raise': 274633, 'level raise the': 487687, 'raise the minimum': 695955, 'wage and force': 963807, 'and force business': 63171, 'force business owner': 328349, 'business owner to': 144194, 'owner to make': 632585, 'to make choice': 909634, 'make choice between': 509769, 'choice between raising': 177739, 'between raising price': 128870, 'and making le': 66592, 'making le money': 511166, 'le money or': 483029, 'money or deciding': 536954, 'or deciding who': 614914, 'deciding who they': 230969, 'who they have': 989768, 'have to fire': 383213, 'zvikwereti': 1027922, 'muviri': 547097, 'wese': 980437, 'hazvina': 384625, 'kumira': 477920, 'mushe': 546274, 'imiwee': 416940, 'zvikwereti muviri': 1027923, 'muviri wese': 547098, 'wese hazvina': 980438, 'hazvina kumira': 384626, 'kumira mushe': 477921, 'mushe imiwee': 546275, 'zvikwereti muviri wese': 1027924, 'muviri wese hazvina': 547099, 'wese hazvina kumira': 980439, 'hazvina kumira mushe': 384627, 'kumira mushe imiwee': 477922, 'please note we': 660249, 'note we ve': 572848, 'we ve stock': 973717, 've stock food': 953601, 'in our refrigerator': 426332, 'our refrigerator because': 624568, 'refrigerator because of': 706804, 'mark my': 515803, 'word airline': 1004446, 'this stimulus': 890331, 'over get': 630248, '50 1st': 19585, '1st checked': 12721, 'checked bag': 174745, 'bag fee': 108279, 'fee stimulusplan': 302233, 'stimulusplan airline': 801655, 'mark my word': 515804, 'my word airline': 550632, 'word airline are': 1004447, 'airline are going': 39928, 'take this stimulus': 832716, 'this stimulus money': 890332, 'stimulus money and': 801566, 'money and raise': 536603, 'raise price when': 695934, 'is over get': 450700, 'over get ready': 630249, 'ready for 50': 700853, 'for 50 1st': 318861, '50 1st checked': 19586, '1st checked bag': 12722, 'checked bag fee': 174746, 'bag fee stimulusplan': 108280, 'fee stimulusplan airline': 302234, 'bealert': 118268, 'petromaxevents': 653871, 'distancing reduce': 247415, 'reduce you': 706008, 'infection stay': 436851, 'healthy indiafightscorona': 387668, 'indiafightscorona bealert': 434725, 'bealert health': 118269, 'publichealth breakthechain': 688528, 'breakthechain india': 139122, 'india disinfect': 434376, 'disinfect stayathome': 245570, 'socialdistancing handwash': 780406, 'sanitizer awareness': 734533, 'awareness petromaxevents': 105724, 'social distancing reduce': 779695, 'distancing reduce you': 247416, 'reduce you risk': 706009, 'you risk of': 1020945, '19 infection stay': 7859, 'infection stay safe': 436852, 'and healthy indiafightscorona': 64393, 'healthy indiafightscorona bealert': 387669, 'indiafightscorona bealert health': 434726, 'bealert health publichealth': 118270, 'health publichealth breakthechain': 386781, 'publichealth breakthechain india': 688529, 'breakthechain india disinfect': 139123, 'india disinfect stayathome': 434377, 'disinfect stayathome staysafe': 245571, 'stayathome staysafe socialdistancing': 797664, 'staysafe socialdistancing handwash': 798881, 'socialdistancing handwash sanitizer': 780407, 'handwash sanitizer awareness': 376789, 'sanitizer awareness petromaxevents': 734534, 'indy': 436279, 'of indiana': 585127, 'indiana amid': 434915, 'amid join': 52514, 'gift of': 350001, 'meal detail': 524131, 'detail indy': 239208, 'indy inthistogether': 436280, 'food ha tripled': 314752, 'ha tripled in': 372371, 'tripled in some': 932286, 'part of indiana': 642352, 'of indiana amid': 585128, 'indiana amid join': 434916, 'amid join tomorrow': 52515, 'join tomorrow to': 466897, 'tomorrow to raise': 924218, 'to raise much': 912727, 'needed fund for': 556370, 'fund for gift': 341406, 'for gift of': 321882, 'gift of just': 350003, 'of just can': 585567, 'just can provide': 468431, '20 meal detail': 13153, 'meal detail indy': 524132, 'detail indy inthistogether': 239209, 'cause wave': 167790, 'coronavirus cause wave': 205630, 'cause wave of': 167791, 'handle have': 376203, 'by thousand': 154543, 'forget to thoroughly': 329336, 'to thoroughly wash': 917490, 'and after going': 57754, 'after going out': 35719, 'public and remember': 687854, 'and remember those': 70222, 'remember those supermarket': 710361, 'those supermarket trolley': 892509, 'supermarket trolley and': 823559, 'basket handle have': 112343, 'handle have been': 376204, 'touched by thousand': 926612, 'by thousand of': 154544, 'of people before': 587879, 'people before you': 647243, 'before you let': 123324, 'you let all': 1019588, 'all do what': 42599, 'can to slow': 160015, 'spread of thanks': 790713, 'only in france': 610634, 'pakistan isn': 634463, 'taking necessary': 833453, 'such lockdown': 816601, 'not updating': 572351, 'till 1st': 895974, '1st and': 12710, 'regularly just': 707929, 'government of pakistan': 360402, 'of pakistan isn': 587675, 'pakistan isn taking': 634464, 'isn taking necessary': 454692, 'taking necessary action': 833454, 'necessary action to': 553944, '19 such lockdown': 10928, 'such lockdown also': 816602, 'lockdown also they': 499123, 'are not updating': 88492, 'not updating the': 572352, 'updating the fuel': 947487, 'fuel price people': 340243, 'people can wait': 647417, 'wait till 1st': 964211, 'till 1st and': 895975, '1st and price': 12711, 'and price should': 69476, 'should be updated': 765758, 'updated regularly just': 947429, 'regularly just like': 707930, 'just like in': 469147, 'like in other': 490497, 'other country of': 620023, 'york ap': 1016579, 'ap amazon': 81198, 'new york ap': 559920, 'york ap amazon': 1016580, 'ap amazon said': 81199, 'online the online': 609535, 'government always': 359853, 'always prioritized': 49694, 'prioritized banker': 678457, 'ceo but': 169661, 'teacher food': 835460, 'been protecting': 121718, 'protecting and': 685178, 'beginning fightfor15': 123623, 'capitalism and government': 162719, 'and government always': 63875, 'government always prioritized': 359854, 'always prioritized banker': 49695, 'prioritized banker and': 678458, 'banker and ceo': 110344, 'and ceo but': 59684, 'ceo but in': 169663, 'of crisis it': 582168, 'crisis it the': 217611, 'the checkout and': 850755, 'checkout and the': 174882, 'the store warehouse': 868138, 'store warehouse employee': 811150, 'warehouse employee teacher': 966718, 'employee teacher food': 274269, 'teacher food service': 835461, 'food service and': 316402, 'service and warehouse': 752116, 'warehouse worker that': 966829, 'worker that the': 1007918, 'have been protecting': 379644, 'been protecting and': 121719, 'protecting and caring': 685179, 'and caring for': 59572, 'caring for from': 164714, 'for from the': 321775, 'the beginning fightfor15': 849431, 'ha exempted': 370544, 'exempted import': 289996, 'of 61': 579647, '61 diagnostic': 21186, 'diagnostic support': 240263, 'all duty': 42646, 'government ha exempted': 360150, 'ha exempted import': 370545, 'exempted import of': 289997, 'import of 61': 418648, 'of 61 diagnostic': 579648, '61 diagnostic support': 21187, 'diagnostic support and': 240264, 'support and personal': 826365, 'and personal protective': 68930, 'protective equipment from': 685726, 'equipment from all': 279732, 'from all duty': 334433, 'all duty and': 42647, 'duty and tax': 263557, 'and tax for': 73052, 'tax for period': 834988, 'period of three': 651857, 'of three month': 592145, 'three month in': 893998, 'month in order': 537795, 'order to reduce': 618698, 'reduce the rising': 705974, 'the rising price': 865869, 'rising price in': 723268, 'in the domestic': 429145, 'sh15': 754309, 'donate foodstuff': 254184, 'foodstuff sanitizer': 318182, 'soap worth': 779190, 'worth sh15': 1011434, 'sh15 million': 754310, 'to kibra': 908906, 'kibra resident': 473779, 'family to donate': 298323, 'to donate foodstuff': 904645, 'donate foodstuff sanitizer': 254185, 'foodstuff sanitizer soap': 318183, 'sanitizer soap worth': 735762, 'soap worth sh15': 779191, 'worth sh15 million': 1011435, 'sh15 million to': 754311, 'million to kibra': 532389, 'to kibra resident': 908907, 'follow headline': 312402, 'scammer follow headline': 740579, 'follow headline and': 312403, 'headline and take': 385985, 'and take advantage': 72956, 'of your fear': 593471, 'your fear the': 1023842, 'fear the ha': 301379, 'the ha these': 857025, 'ha these tip': 372255, 'chemist an': 175399, 'for chemist an': 320044, 'chemist an early': 175400, 'an early action': 55540, 'selling mask sanitizers': 749342, 'mask sanitizers at': 519233, 'poor people can': 664249, 'people can not': 647400, 'not afford it': 568078, '99 chance': 23800, 'to ration the': 912767, 'ration the good': 697738, 'the good food': 856435, 'of it being': 585370, 'stock already is': 801784, 'already is 99': 47486, 'is 99 chance': 445256, 'navigate today': 553104, 'today exporting': 919504, 'exporting challenge': 292762, 'virus webinar': 959019, 'webinar managing': 975057, 're doing business': 698534, 'doing business in': 252321, 'business in international': 143886, 'international market this': 441829, 'market this webinar': 517219, 'this webinar will': 891167, 'webinar will show': 975138, 'to navigate today': 910492, 'navigate today exporting': 553105, 'today exporting challenge': 919505, 'exporting challenge and': 292763, 'challenge and rising': 171403, 'and rising commodity': 70544, '19 virus webinar': 11847, 'virus webinar managing': 959020, 'webinar managing the': 975058, 'managing the coronavirus': 512897, 'on global supply': 601113, 'tds': 835314, 'take crime': 832045, 'crime down': 216776, 'down new': 256980, 'new baby': 558369, 'boom will': 134832, 'one result': 606959, 'result well': 717655, 'well divorce': 978164, 'divorce rate': 248709, 'rate stock': 697377, 'down trump': 257408, 'trump popularity': 933755, 'popularity value': 664626, 'gold the': 356021, 'usa dollar': 948624, 'dollar up': 253106, 'up tds': 946126, 'tds still': 835315, 'strong chance': 813992, 'of libtard': 585804, 'libtard winning': 488083, 'winning in': 996071, 'nov 2020': 573698, '2020 further': 14328, 'down maga2020': 256938, 'quick take crime': 694394, 'take crime down': 832046, 'crime down new': 216777, 'down new baby': 256981, 'new baby boom': 558370, 'baby boom will': 106574, 'boom will be': 134833, 'be one result': 116226, 'one result well': 606960, 'result well divorce': 717656, 'well divorce rate': 978165, 'divorce rate stock': 248710, 'rate stock market': 697378, 'stock market oil': 802417, 'market oil gas': 516789, 'price down trump': 673533, 'down trump popularity': 257409, 'trump popularity value': 933756, 'popularity value of': 664627, 'value of gold': 952163, 'of gold the': 584203, 'gold the usa': 356022, 'the usa dollar': 870538, 'usa dollar up': 948625, 'dollar up tds': 253107, 'up tds still': 946127, 'tds still very': 835316, 'still very strong': 801375, 'very strong chance': 955593, 'strong chance of': 813993, 'chance of libtard': 171760, 'of libtard winning': 585805, 'libtard winning in': 488084, 'winning in nov': 996072, 'in nov 2020': 425973, 'nov 2020 further': 573699, '2020 further down': 14329, 'further down maga2020': 342038, 'kong really': 477402, 'ppl should stock': 668325, 'up food stay': 944898, 'food stay home': 316754, 'hong kong really': 403206, 'kong really scared': 477403, 'fact there are': 295826, 'there are absolutely': 878060, 'are absolutely no': 84171, 'absolutely no food': 27399, 'shortage of hygiene': 765118, '19 mood': 8673, 'mood fighting': 538275, 'store bc': 806656, 'other valid': 621167, 'house right': 406534, 'go somewhere': 354153, 'somewhere will': 785326, 'then myself': 877348, 'covid 19 mood': 213445, '19 mood fighting': 8674, 'mood fighting over': 538276, 'fighting over who': 305113, 'grocery store bc': 365240, 'store bc there': 806657, 'bc there no': 113297, 'no other valid': 565020, 'other valid reason': 621168, 'valid reason to': 951916, 'reason to leave': 703033, 'the house right': 857629, 'house right now': 406535, 'but if don': 145988, 'don go somewhere': 253572, 'go somewhere will': 354155, 'somewhere will kill': 785327, 'kill my entire': 474454, 'my entire family': 548099, 'family and then': 297609, 'and then myself': 73782, 'applauding healthcare': 82275, 've been touched': 952949, 'people applauding healthcare': 646906, 'applauding healthcare worker': 82276, 'healthcare worker from': 387361, 'worker from their': 1006998, 'balcony or by': 109028, 'or by the': 614629, 'by the story': 154449, 'offering to run': 595306, 'run errand for': 727622, 'errand for the': 280192, 'beast786': 118500, 'vadoliya': 951833, 'join beast786': 466683, 'beast786 vadoliya': 118501, 'vadoliya nidhi': 951834, 'grocery join beast786': 364671, 'join beast786 vadoliya': 466684, 'beast786 vadoliya nidhi': 118502, 'store maybe': 808922, 'skill on': 772969, 'road an': 724397, 'an use': 56958, 'drive safetyfirst': 259140, 'since we can': 770978, 'can all practice': 157431, 'all practice the': 44012, 'practice the ft': 668675, 'the ft distance': 855919, 'ft distance at': 339339, 'grocery store maybe': 365558, 'store maybe when': 808923, 'all over we': 43886, 'over we can': 630897, 'can take that': 159906, 'take that new': 832632, 'that new skill': 845331, 'new skill on': 559606, 'skill on the': 772970, 'the road an': 865917, 'road an use': 724398, 'an use it': 56959, 'when we drive': 984440, 'we drive safetyfirst': 971419, 'seen member': 747139, 'of parliament': 587784, 'parliament observe': 642163, 'representative at': 712892, 'at parliament': 100070, 'parliament house': 642159, 'is canberra': 446362, 'canberra auspol': 160811, 'sanitizer bottle are': 734582, 'bottle are seen': 136187, 'are seen member': 89926, 'seen member of': 747140, 'member of parliament': 528147, 'of parliament observe': 587785, 'parliament observe social': 642164, 'of representative at': 588948, 'representative at parliament': 712893, 'at parliament house': 100071, 'parliament house is': 642160, 'house is canberra': 406371, 'is canberra auspol': 446363, 'turning grocery': 935921, 'store into': 808452, 'into gigantic': 442590, 'gigantic version': 350074, 'clearly the': 181581, 'turning grocery store': 935922, 'grocery store into': 365490, 'store into gigantic': 808453, 'into gigantic version': 442591, 'gigantic version of': 350075, 'of the apple': 590795, 'store is clearly': 808474, 'is clearly the': 446563, 'clearly the way': 181582, '08081': 1124, '64600': 21325, 'glaswegian': 351647, 'charging grossly': 173484, 'standard on': 793688, 'on 08081': 598991, '08081 64600': 1125, '64600 this': 21326, 'not reflect': 571275, 'incredible kindness': 433849, 'kindness of': 475219, 'of glaswegian': 584145, 'glaswegian and': 351648, 've seen any': 953525, 'seen any shop': 746945, 'shop charging grossly': 760031, 'charging grossly inflated': 173485, 'item and taking': 463076, 'crisis please report': 217880, 'them to trading': 876524, 'trading standard on': 928931, 'standard on 08081': 793689, 'on 08081 64600': 598992, '08081 64600 this': 1126, '64600 this doe': 21327, 'doe not reflect': 251522, 'not reflect the': 571276, 'reflect the incredible': 706628, 'the incredible kindness': 858094, 'incredible kindness of': 433850, 'kindness of glaswegian': 475220, 'of glaswegian and': 584146, 'glaswegian and it': 351649, 'is trusted': 453389, 'report is trusted': 712055, 'is trusted source': 453390, 'trusted source for': 934349, 'source for good': 786482, 'for good information': 321935, 'the meantime at': 860357, 'spout': 790231, 'atheistic': 101747, 'everybody taking': 286490, 'to spout': 915043, 'spout their': 790232, 'their preferred': 874361, 'preferred propaganda': 669814, 'propaganda overheard': 684065, 'supermarket atheistic': 819256, 'atheistic communist': 101748, 'communist have': 189671, 'have fixed': 380633, 'fixed it': 309809, 'everybody taking advantage': 286491, 'of to spout': 592223, 'to spout their': 915044, 'spout their preferred': 790233, 'their preferred propaganda': 874362, 'preferred propaganda overheard': 669815, 'propaganda overheard in': 684066, 'the supermarket atheistic': 868475, 'supermarket atheistic communist': 819257, 'atheistic communist have': 101749, 'communist have fixed': 189672, 'have fixed it': 380634, 'fixed it so': 309810, 'it so we': 461137, 'reminder food': 710549, 'donation have': 254620, 'dropped huge': 260573, 'huge in': 410068, 'donation pile': 254670, 'pile at': 656487, 'ever stay': 285517, 'kind 19': 474793, 'friendly reminder food': 333991, 'reminder food bank': 710550, 'bank donation have': 109787, 'donation have dropped': 254621, 'have dropped huge': 380380, 'dropped huge in': 260574, 'huge in recent': 410069, 'recent week if': 704018, 'forget to put': 329328, 'in the donation': 429146, 'the donation pile': 853549, 'donation pile at': 254671, 'pile at the': 656488, 'need it now': 555098, 'it now more': 459957, 'than ever stay': 840611, 'ever stay safe': 285518, 'safe be kind': 729513, 'be kind 19': 115608, 'cvd1': 223870, 'virus diary': 958120, 'diary day1': 240410, 'day1 cvd1': 228835, 'cvd1 my': 223871, 'partner nurse': 642859, 'nurse me': 577415, 'me duty': 522693, 'duty manager': 263590, 'early fifty': 264603, 'fifty no': 304577, 'no underlying': 565817, 'corona virus diary': 204298, 'virus diary day1': 958121, 'diary day1 cvd1': 240411, 'day1 cvd1 my': 228836, 'cvd1 my partner': 223872, 'my partner nurse': 549722, 'partner nurse me': 642860, 'nurse me duty': 577416, 'me duty manager': 522694, 'duty manager supermarket': 263591, 'manager supermarket early': 512792, 'supermarket early fifty': 820076, 'early fifty no': 264604, 'fifty no underlying': 304578, 'no underlying health': 565818, 'surfeit': 828105, 'just surfeit': 469933, 'surfeit of': 828106, 'people screwing': 649358, 'screwing thing': 742842, 'it there are': 461611, 'shortage just surfeit': 765053, 'just surfeit of': 469934, 'surfeit of greedy': 828107, 'greedy people screwing': 363567, 'people screwing thing': 649359, 'screwing thing up': 742843, 'thing up for': 884932, 'up for everyone': 944930, 'debone': 230389, 'favorite quote': 300536, '17 covid': 4344, 'semi quarantine': 749620, 'day lord': 227944, 'lord they': 503320, 'sell raw': 748857, 'chicken on': 175820, 'the bone': 849833, 'bone at': 134289, 'do debone': 249215, 'debone chicken': 230390, 'chicken am': 175735, 'fucking julia': 339925, 'julia child': 467784, 'my favorite quote': 548274, 'favorite quote from': 300537, 'quote from march': 694992, 'march 17 covid': 515096, '17 covid 19': 4345, 'covid 19 semi': 213764, '19 semi quarantine': 10406, 'semi quarantine day': 749621, 'quarantine day lord': 692134, 'day lord they': 227945, 'lord they only': 503321, 'they only sell': 882828, 'only sell raw': 611100, 'sell raw chicken': 748858, 'raw chicken on': 697961, 'chicken on the': 175822, 'on the bone': 603994, 'the bone at': 849834, 'bone at the': 134290, 'store how do': 808220, 'how do debone': 407710, 'do debone chicken': 249216, 'debone chicken am': 230391, 'chicken am not': 175736, 'not fucking julia': 569547, 'fucking julia child': 339926, 'supermarket staffer': 822911, 'staffer test': 793144, 'supermarket staffer test': 822912, 'staffer test positive': 793145, 'winner from': 996022, 'the arm': 848896, 'arm manufacturer': 92898, 'within mile': 1002381, 'have queue': 382140, 'queue on': 694021, 'scared goon': 740969, 'goon with': 358228, 'real winner from': 701460, 'winner from this': 996023, 'are the arm': 90795, 'the arm manufacturer': 848897, 'arm manufacturer the': 92899, 'store within mile': 811415, 'within mile radius': 1002382, 'all have queue': 43059, 'have queue on': 382141, 'queue on the': 694022, 'virus is scared': 958401, 'is scared goon': 451673, 'scared goon with': 740970, 'goon with gun': 358229, 'more photo': 540068, 'sad old': 729202, 'old person': 598425, 'person standing': 652610, 'shelf gonna': 757126, 'gonna fuckin': 356525, 'fuckin freak': 339771, 'one more photo': 606692, 'more photo of': 540069, 'photo of sad': 655211, 'of sad old': 589210, 'sad old person': 729203, 'old person standing': 598426, 'person standing in': 652611, 'front of an': 338635, 'store shelf gonna': 810075, 'shelf gonna fuckin': 757127, 'gonna fuckin freak': 356526, 'fuckin freak out': 339772, 'strng': 813932, 'bck': 113344, 'cause strng': 167745, 'strng economic': 813933, 'quickly bounce': 694478, 'bounce bck': 136811, 'be over this': 116306, 'over this could': 630815, 'this could cause': 886922, 'could cause strng': 209004, 'cause strng economic': 167746, 'strng economic recovery': 813934, 'and price quickly': 69468, 'price quickly bounce': 676051, 'quickly bounce bck': 694479, 'buying leaving': 150641, 'into rent': 442942, 'rent money': 711127, 'have ko': 381235, 'ko fi': 477286, 'you like what': 1019614, 'like what do': 491793, 'what do please': 981348, 'do please consider': 249989, 'please consider commissioning': 659812, 'commissioning me because': 188964, 'me because of': 522501, '19 and panic': 5079, 'panic buying leaving': 637791, 'buying leaving store': 150642, 'leaving store bare': 485138, 'store bare we': 806646, 'bare we have': 110980, 'had to dip': 373684, 'dip into rent': 243200, 'into rent money': 442943, 'rent money for': 711128, 'delivery also have': 233642, 'also have ko': 48333, 'have ko fi': 381236, 'stopped visiting': 805775, 'store about': 806054, 'began using': 123456, 'pandemic stopthespread': 636565, 'stopped visiting the': 805776, 'grocery store about': 365173, 'store about week': 806055, 'ago and began': 38333, 'and began using': 58826, 'began using online': 123457, 'service but not': 752191, 'but not everyone': 146537, 'everyone ha that': 286973, 'ha that option': 372183, 'that option here': 845539, 'option here is': 614051, 'here is helpful': 393228, 'helpful list from': 391208, 'list from on': 494335, '19 pandemic stopthespread': 9481, 'quickl': 694447, 'very quickl': 955442, 'to start drive': 915195, 'spread very quickl': 790869, 'person not': 652548, 'showing any': 767419, 're complaining': 698443, 'bad panic': 107968, 'buyer hoarding': 149663, 'soon isn': 785752, 're healthy person': 698798, 'healthy person not': 387729, 'person not showing': 652549, 'not showing any': 571570, 'showing any symptom': 767420, 'you re complaining': 1020590, 're complaining about': 698444, 'test available to': 838935, 'available to you': 104668, 're just bad': 698941, 'just bad panic': 468257, 'bad panic buyer': 107969, 'panic buyer hoarding': 637582, 'buyer hoarding food': 149664, 'this soon isn': 890256, 'soon isn possible': 785753, 'isn possible anywhere': 454622, 'caplan': 162863, 'caplan found': 162864, 'found similar': 330365, 'similar story': 769929, 'story googling': 811993, 'googling after': 358221, 'tweet but': 936350, 'but claim': 145421, 'claim rule': 179803, 'rule against': 727174, 'against charging': 37360, 'market dominance': 516307, 'dominance that': 253268, 'probably includes': 679292, 'includes amazon': 431718, 'caplan found similar': 162865, 'found similar story': 330366, 'similar story googling': 769930, 'story googling after': 811994, 'googling after seeing': 358222, 'after seeing your': 36163, 'seeing your tweet': 746561, 'your tweet but': 1026236, 'tweet but claim': 936351, 'but claim rule': 145422, 'claim rule against': 179804, 'rule against charging': 727175, 'against charging excessive': 37361, 'excessive price only': 289407, 'price only apply': 675752, 'apply to company': 82612, 'to company with': 903111, 'company with market': 191346, 'with market dominance': 999395, 'market dominance that': 516308, 'dominance that probably': 253269, 'that probably includes': 845848, 'probably includes amazon': 679293, 'includes amazon but': 431719, 'amazon but not': 50884, 'but not any': 146526, 'not any of': 568220, 'mentalwellbeing': 528736, 'fridayfeeling mentalhealth': 333332, 'mentalhealth mentalwellbeing': 528684, 'mentalwellbeing supportlocal': 528737, 'what everyone plan': 981430, 'everyone plan for': 287274, 'plan for self': 658124, 'self isolation selfisolation': 747795, 'isolation selfisolation stophoarding': 455418, 'selfisolation stophoarding fridayfeeling': 748497, 'stophoarding fridayfeeling mentalhealth': 805401, 'fridayfeeling mentalhealth mentalwellbeing': 333333, 'mentalhealth mentalwellbeing supportlocal': 528685, 'video site': 956898, 'site trend': 772045, 'trend way': 931497, 'isolation what': 455503, 'behaviour socialisolation': 124523, '19 video site': 11775, 'video site trend': 956899, 'site trend way': 772046, 'trend way consumer': 931498, 'cope with social': 203355, 'with social isolation': 1000818, 'social isolation what': 779824, 'isolation what could': 455504, 'what could this': 981270, 'could this mean': 209772, 'your business from': 1023056, 'business from video': 143772, 'from video consumer': 338236, 'video consumer behaviour': 956688, 'consumer behaviour socialisolation': 196599, 'fortuitously': 329878, 'didyouknow fortuitously': 241286, 'fortuitously the': 329879, 'ha coincided': 370185, 'it vast': 462017, 'vast import': 952707, 'import india': 418641, 'india gain': 434417, 'gain 15': 342745, '15 billion': 3671, 'each 10': 263982, 'barrel decline': 111213, 'update click': 946902, 'didyouknow fortuitously the': 241287, 'fortuitously the crisis': 329880, 'crisis ha coincided': 217433, 'ha coincided with': 370186, 'coincided with sharp': 185659, 'price given it': 674191, 'given it vast': 351035, 'it vast import': 462018, 'vast import india': 952708, 'import india gain': 418642, 'india gain 15': 434418, 'gain 15 billion': 342746, '15 billion for': 3673, 'billion for each': 130819, 'for each 10': 320898, 'each 10 per': 263983, '10 per barrel': 1620, 'per barrel decline': 650694, 'barrel decline in': 111214, 'more update click': 540858, 'update click here': 946903, 'seneca': 750152, 'seneca county': 750153, 'donation now': 254642, 'accept non': 27977, 'and monetary': 67108, 'donation contact': 254576, 'bank below': 109683, 'seneca county food': 750154, 'need donation now': 554704, 'donation now the': 254643, 'bank and many': 109616, 'in need they': 425772, 'need they accept': 555801, 'they accept non': 881087, 'accept non perishable': 27978, 'item and monetary': 463062, 'and monetary donation': 67109, 'monetary donation contact': 536541, 'donation contact the': 254577, 'contact the food': 200224, 'food bank below': 313529, 'bank below to': 109684, 'below to donate': 126753, 'you scroll': 1021012, 'scroll upon': 742874, 'online for toilet': 608244, 'paper you scroll': 641135, 'you scroll upon': 1021013, 'scroll upon this': 742875, 'upon this little': 947664, 'bimco': 130989, 'this bloomberg': 886583, 'bloomberg intelligence': 133262, 'intelligence bimco': 440992, 'bimco shipping': 130990, 'shipping webinar': 758940, 'webinar and': 975015, 'current landscape': 221241, 'challenge ahead': 171386, 'face two': 294822, 'two black': 936811, 'for this bloomberg': 327013, 'this bloomberg intelligence': 886584, 'bloomberg intelligence bimco': 133263, 'intelligence bimco shipping': 440993, 'bimco shipping webinar': 130991, 'shipping webinar and': 758941, 'webinar and discus': 975016, 'the current landscape': 852643, 'current landscape and': 221242, 'landscape and challenge': 479392, 'and challenge ahead': 59708, 'challenge ahead for': 171387, 'ahead for our': 39158, 'for our industry': 324261, 'our industry we': 623538, 'industry we face': 436220, 'we face two': 971522, 'face two black': 294823, 'two black swan': 936812, 'swan event and': 829960, 'event and the': 284948, 'definitely carrier': 232317, 'carrier due': 164971, 'sheer number': 756576, 'people encounter': 647783, 'encounter in': 275531, 'being several': 125767, 'several confirmed': 753809, 'work isn': 1005380, 'isn shutting': 454668, 'receiving bonus': 703751, 'current event covid': 221187, 'worker at large': 1006467, 'at large supermarket': 99414, 'supermarket and almost': 818927, 'and almost definitely': 57926, 'almost definitely carrier': 46591, 'definitely carrier due': 232318, 'carrier due to': 164972, 'to the sheer': 917054, 'the sheer number': 866814, 'sheer number of': 756577, 'of people encounter': 587906, 'people encounter in': 647784, 'encounter in day': 275532, 'in day and': 422005, 'and there being': 73833, 'there being several': 878245, 'being several confirmed': 125768, 'several confirmed case': 753810, 'my area my': 547300, 'area my work': 92117, 'my work isn': 550643, 'work isn shutting': 1005381, 'isn shutting down': 454669, 'shutting down am': 768252, 'down am not': 256478, 'am not receiving': 50257, 'not receiving bonus': 571257, 'receiving bonus and': 703752, 'bonus and am': 134344, 'and am trying': 58035, 'gov read': 359675, 'from the gov': 337725, 'the gov read': 856490, 'gov read this': 359676, 'miserably to': 534001, 'forcing older': 328718, 'alternative but': 49211, 'chain then': 171176, 'failing miserably to': 296210, 'miserably to provide': 534002, 'provide food item': 686307, 'food item online': 315222, 'item online forcing': 463518, 'online forcing older': 608250, 'forcing older people': 328719, 'older people no': 598656, 'people no alternative': 648850, 'no alternative but': 563603, 'alternative but to': 49212, 'claim there no': 179839, 'supply chain then': 825050, 'chain then why': 171177, 'then why is': 877760, 'it ironic': 458846, 'survive you': 829306, 'or telephone': 617341, 'telephone which': 836826, 'virus shop': 958736, 'ordering of': 618989, 'delivery easier': 233970, 'it ironic that': 458847, 'ironic that in': 444941, 'that in order': 844456, 'to survive you': 916057, 'survive you have': 829307, 'for food unless': 321647, 'food unless you': 317398, 'unless you order': 942672, 'online or telephone': 608669, 'or telephone which': 617342, 'telephone which put': 836827, 'which put you': 986254, 'getting the covid': 349343, '19 virus shop': 11833, 'virus shop need': 958737, 'make the ordering': 510575, 'the ordering of': 862458, 'ordering of delivery': 618990, 'of delivery easier': 582489, 'ingest': 438304, 'not fish': 569435, 'fish please': 309330, 'not ingest': 570147, 'ingest thing': 438307, 'are not fish': 88370, 'not fish please': 569436, 'fish please do': 309331, 'do not ingest': 249765, 'not ingest thing': 570148, 'ingest thing you': 438308, 'not be ingesting': 568404, 'bank hoping': 109905, 'just toilet': 470112, 'wa alcohol': 961459, 'alcohol little': 41041, 'little beauty': 495246, 'flower stoppanicbuying': 311332, 'stoppanicbuying sainsburys': 805601, 'sainsburys norwich': 731778, 'many people end': 514500, 'people end up': 647790, 'food bank hoping': 313585, 'bank hoping to': 109906, 'get something not': 348087, 'something not just': 784983, 'not just toilet': 570261, 'just toilet paper': 470113, 'paper but everything': 639967, 'but everything wa': 145685, 'everything wa gone': 288075, 'gone all that': 356198, 'wa left wa': 962526, 'left wa alcohol': 485714, 'wa alcohol little': 961460, 'alcohol little beauty': 41042, 'little beauty and': 495247, 'beauty and flower': 118739, 'and flower stoppanicbuying': 62995, 'flower stoppanicbuying sainsburys': 311333, 'stoppanicbuying sainsburys norwich': 805602, 'nyconstruction': 578085, 'prevailingwage': 671561, 'nyassembly': 577950, 'nysenate': 578144, 'our recovery': 624561, 'paramount now': 641411, 'explode nyconstruction': 292302, 'nyconstruction price': 578086, 'with expanded': 998327, 'expanded prevailingwage': 290489, 'prevailingwage the': 671562, 'future count': 342291, 'now nyassembly': 575385, 'nyassembly nysenate': 577951, 'our recovery from': 624562, 'recovery from this': 705336, 'crisis is paramount': 217583, 'is paramount now': 450797, 'paramount now is': 641412, 'time to explode': 897984, 'to explode nyconstruction': 905487, 'explode nyconstruction price': 292303, 'nyconstruction price with': 578087, 'price with expanded': 677612, 'with expanded prevailingwage': 998328, 'expanded prevailingwage the': 290490, 'prevailingwage the future': 671563, 'the future count': 856070, 'future count on': 342292, 'count on what': 210148, 'right now nyassembly': 722109, 'now nyassembly nysenate': 575386, 'leading and': 483678, 'firm intl': 308377, 'intl is': 442342, 'now pulling': 575619, 'together regular': 920910, 'regular tracker': 707886, 'tracker on': 928290, 'leading and firm': 483679, 'and firm intl': 62924, 'firm intl is': 308378, 'intl is now': 442343, 'is now pulling': 450317, 'now pulling together': 575620, 'pulling together regular': 688952, 'together regular tracker': 920911, 'regular tracker on': 707887, 'tracker on the': 928291, '19 on spending': 8964, 'spending and the': 788744, 'implication for and': 418549, 'for and brand': 319319, 'total bullshit': 926135, 'every pornography': 286114, 'pornography consumer': 664840, 'is entitled': 447527, 'act loan': 29692, 'but legal': 146258, 'legal sex': 485897, 'worker wanting': 1008121, 'isn bullshit': 454450, 'so think it': 778494, 'think it total': 885356, 'it total bullshit': 461814, 'total bullshit that': 926136, 'bullshit that every': 142517, 'that every pornography': 843754, 'every pornography consumer': 286115, 'pornography consumer in': 664841, 'state is entitled': 795693, 'is entitled to': 447528, 'entitled to care': 278831, 'to care act': 902458, 'care act loan': 163816, 'act loan for': 29693, 'loan for their': 497439, 'for their business': 326806, 'their business but': 872677, 'business but legal': 143469, 'but legal sex': 146259, 'legal sex worker': 485898, 'sex worker wanting': 754214, 'worker wanting to': 1008122, 'wanting to save': 966311, 'save their business': 737673, 'business isn bullshit': 143963, 'do giveaway': 249334, 'giveaway for': 350901, 'anything can': 80703, 'pharmacy added': 654200, 'added in': 31568, 'stayhome stayhomechallenge': 798150, 'can someone do': 159670, 'someone do giveaway': 784429, 'do giveaway for': 249335, 'giveaway for mask': 350902, 'and glove or': 63732, 'glove or anything': 352837, 'or anything can': 614376, 'anything can help': 80704, 'can help for': 158620, 'help for corona': 389746, 'for corona 19': 320366, 'corona 19 we': 203786, 'we really have': 973025, 'really have nothing': 702271, 'have nothing the': 381708, 'nothing the pharmacy': 573177, 'the pharmacy added': 863647, 'pharmacy added in': 654201, 'added in the': 31569, 'afford it help': 34714, 'it help stayhome': 458551, 'help stayhome stayhomechallenge': 390570, 'worse bill': 1010886, '19 mondaymotivation': 8671, 'matter worse bill': 520669, 'worse bill gate': 1010887, 'covid 19 mondaymotivation': 213444, 'rise uncertainty': 723047, 'uncertainty increase': 939704, 'price rise uncertainty': 676250, 'rise uncertainty increase': 723048, 'selfish don': 748079, 'just advice': 468162, 'advice stop': 33510, 'paper postpone': 640604, 'postpone holiday': 666763, 'holiday don': 400284, 'cancel wash': 160904, 'stayathome washyourhands': 797698, 'washyourhands stoppanicbuying': 967926, 'being selfish don': 125739, 'selfish don wait': 748080, 'don wait until': 254025, 'until it becomes': 943746, 'it becomes more': 456778, 'becomes more than': 120240, 'than just advice': 840811, 'just advice stop': 468163, 'advice stop buying': 33511, 'toilet paper postpone': 921397, 'paper postpone holiday': 640605, 'postpone holiday don': 666764, 'holiday don cancel': 400285, 'don cancel wash': 253416, 'cancel wash your': 160905, 'hand stayathome washyourhands': 375798, 'stayathome washyourhands stoppanicbuying': 797699, 'government ban': 359921, 'ban price': 109246, 'sanitisers toilet': 734110, 'provide pricing': 686435, 'pricing well': 677998, 'proper price': 684138, 'government ban price': 359922, 'ban price increase': 109247, 'increase of mask': 432940, 'of mask sanitisers': 586276, 'mask sanitisers toilet': 519215, 'sanitisers toilet paper': 734111, 'outbreak but maybe': 628063, 'but maybe they': 146380, 'maybe they should': 521848, 'they should provide': 883378, 'should provide pricing': 766346, 'provide pricing well': 686436, 'pricing well so': 677999, 'well so we': 978563, 'we know the': 972159, 'know the proper': 476843, 'the proper price': 864679, 'fruit add': 339051, 'damage panic hoarding': 225214, 'panic hoarding of': 638181, 'hoarding of vegetable': 399458, 'and fruit add': 63367, 'fruit add to': 339052, 'add to food': 31520, 'we accept': 970271, 'accept order': 27985, 'custom bat': 221976, 'bat we': 112561, 'added bat': 31547, 'bat in': 112542, 'the clearance': 850995, 'clearance section': 181395, 'website ready': 975393, 'ship and': 758647, 'we accept order': 970272, 'accept order during': 27986, 'order during the': 618183, 'crisis we ship': 218353, 'we ship in': 973239, 'ship in business': 758682, 'business day for': 143620, 'day for custom': 227621, 'for custom bat': 320500, 'custom bat we': 221977, 'bat we have': 112562, 'have just added': 381199, 'just added bat': 468151, 'added bat in': 31548, 'bat in the': 112543, 'in the clearance': 429072, 'the clearance section': 850996, 'clearance section of': 181396, 'our website ready': 625349, 'website ready to': 975394, 'to ship and': 914426, 'ship and very': 758648, 'and very low': 74937, 'monterey': 537502, 'peninsula': 646519, 'monterey peninsula': 537503, 'peninsula chamber': 646520, 'emailed notice': 272382, 'business action': 143215, 'action economic': 30006, 'recovery team': 705399, 'store status': 810351, 'status including': 796679, 'population open': 664727, 'business list': 144002, 'business open': 144146, 'open under': 612617, 'under county': 940057, 'monterey peninsula chamber': 537504, 'peninsula chamber of': 646521, 'commerce ha just': 188567, 'ha just emailed': 371051, 'just emailed notice': 468667, 'emailed notice from': 272383, 'notice from the': 573276, '19 business action': 5476, 'business action economic': 143216, 'action economic recovery': 30007, 'economic recovery team': 267238, 'recovery team grocery': 705400, 'grocery store status': 365799, 'store status including': 810352, 'status including special': 796680, 'including special hour': 432159, 'hour for vulnerable': 405626, 'vulnerable population open': 961130, 'population open for': 664728, 'for business list': 319835, 'business list of': 144003, 'list of local': 494451, 'local business open': 497772, 'business open under': 144147, 'open under county': 612618, 'under county order': 940058, 'watch cute': 968384, 'cute animal': 223649, 'animal video': 76673, 'video this': 956923, 'increased red': 433450, 'wine consumption': 995801, 'so april': 776538, 'april is': 83621, 'now dry': 574566, 'dry online': 261286, 'crack cocaine': 214696, 'cocaine of': 185198, 'in my second': 425623, 'home have started': 401343, 'started to watch': 794885, 'to watch cute': 918380, 'watch cute animal': 968385, 'cute animal video': 223650, 'animal video this': 76674, 'video this ha': 956924, 'this ha got': 887803, 'stop my increased': 804844, 'my increased red': 548844, 'increased red wine': 433451, 'red wine consumption': 705628, 'wine consumption is': 995802, 'consumption is more': 199903, 'dangerous than covid': 225780, '19 so april': 10635, 'so april is': 776539, 'april is now': 83622, 'is now dry': 450282, 'now dry online': 574567, 'dry online shopping': 261288, 'is the crack': 452758, 'the crack cocaine': 852261, 'crack cocaine of': 214697, 'cocaine of the': 185199, 'am manager': 50210, 'with vast': 1001958, 'vast number': 952712, 'public entering': 687970, 'entering branch': 278395, 'branch when': 137707, 'limit police': 492456, 'police how': 663055, 'supermarket askdrh': 819212, 'am manager for': 50211, 'supermarket chain we': 819644, 'we are put': 970675, 'are put at': 89349, 'at risk with': 100418, 'risk with vast': 724027, 'with vast number': 1001959, 'vast number of': 952713, 'general public entering': 345447, 'public entering branch': 687971, 'entering branch when': 278396, 'branch when do': 137708, 'when do we': 983352, 'do we limit': 250477, 'we limit police': 972199, 'limit police how': 492457, 'police how many': 663056, 'many customer come': 513973, 'customer come into': 222251, 'into supermarket askdrh': 443036, 'amazondeals': 51221, 'helensdeals': 388961, 'hurry hand': 411511, 'soap bulk': 778960, 'bulk 100ml': 142236, '100ml sold': 2206, 'by 3rd': 151645, 'code needed': 185384, 'amazon associate': 50870, 'associate earn': 96865, 'earn small': 264811, 'small commission': 774918, 'from qualifying': 337014, 'qualifying purchase': 691746, 'purchase ad': 689337, 'ad supply': 31168, 'restock quarantinelife': 716896, 'quarantinelife amazondeals': 692929, 'amazondeals helensdeals': 51222, 'helensdeals sale': 388962, 'hurry hand sanitizer': 411512, 'sanitizer soap bulk': 735759, 'soap bulk 100ml': 778961, 'bulk 100ml sold': 142237, '100ml sold by': 2207, 'sold by 3rd': 781650, 'by 3rd party': 151646, '3rd party no': 18441, 'party no code': 643012, 'no code needed': 563840, 'code needed an': 185385, 'needed an amazon': 556288, 'an amazon associate': 55274, 'amazon associate earn': 50871, 'associate earn small': 96866, 'earn small commission': 264812, 'small commission from': 774919, 'commission from qualifying': 188830, 'from qualifying purchase': 337015, 'qualifying purchase ad': 691747, 'purchase ad supply': 689338, 'ad supply restock': 31169, 'supply restock quarantinelife': 825772, 'restock quarantinelife amazondeals': 716897, 'quarantinelife amazondeals helensdeals': 692930, 'amazondeals helensdeals sale': 51223, 'hi like': 394696, 'local austin': 497710, 'surrounding texas': 828762, 'texas community': 839749, 'community keep': 189948, 'hi like to': 394697, 'the local austin': 859534, 'local austin and': 497711, 'austin and surrounding': 103176, 'and surrounding texas': 72893, 'surrounding texas community': 828763, 'texas community keep': 839750, 'community keep food': 189949, 'shelf it more': 757256, 'texas they are': 839843, 'they are family': 881273, 'are family heb': 86479, 'route continue': 726456, 'successfully deliver': 816262, 'delivery route continue': 234402, 'route continue to': 726457, 'operate normal we': 613003, 'and are eager': 58308, 'eager to successfully': 264355, 'to successfully deliver': 915726, 'successfully deliver the': 816263, 'countdown place': 210167, 'place two': 657787, 'person limit': 652520, 'countdown place two': 210168, 'place two per': 657788, 'two per person': 937145, 'per person limit': 650974, 'person limit on': 652521, 'limit on most': 492417, 'on most item': 602227, 'most item amid': 542462, 'item amid coronavirus': 463044, 'not procuring': 571100, 'procuring the': 680136, 'from singapore': 337298, 'singapore china': 771108, 'government have failed': 360182, 'have failed at': 380554, 'failed at all': 296126, 'all level for': 43372, 'level for not': 487562, 'for not procuring': 323933, 'not procuring the': 571101, 'procuring the test': 680137, 'the test kit': 869314, 'test kit from': 839056, 'kit from singapore': 475553, 'from singapore china': 337299, 'singapore china south': 771109, 'south korea germany': 786740, 'korea germany and': 477472, 'germany and other': 346266, 'other place at': 620717, 'place at the': 657344, 'very beginning of': 955013, 'coronavirus crisis consumer': 205745, 'europe marketing': 283478, 'of in europe': 585024, 'in europe marketing': 422645, 'petroldieselprice': 653806, 'diesel retailer': 241691, 'retailer price': 719280, 'lower another': 505799, 'another item': 77685, 'our stayhomesavelives': 624909, 'stayhomesavelives petroldieselprice': 798428, 'on the petrol': 604280, 'the petrol and': 863621, 'and diesel retailer': 61343, 'diesel retailer price': 241692, 'retailer price should': 719281, 'should be lower': 765671, 'be lower another': 115844, 'lower another item': 505800, 'another item to': 77686, 'item to help': 463755, 'help those looking': 390747, 'looking after now': 502779, 'after now in': 35969, 'in our stayhomesavelives': 426341, 'our stayhomesavelives petroldieselprice': 624910, 'believable': 126232, 'really believable': 702025, 'believable email': 126233, 'post say': 666307, 'back learn': 107137, 'currently no cure': 221600, 'no cure treatment': 563948, 'cure treatment for': 220842, 'treatment for at': 931072, 'for at this': 319521, 'this time no': 890667, 'time no matter': 897272, 'that really believable': 845959, 'really believable email': 702026, 'believable email tweet': 126234, 'tweet post say': 936394, 'post say ha': 666308, 'say ha your': 738714, 'ha your back': 372509, 'your back learn': 1022897, 'back learn how': 107138, 'identify those nasty': 413377, 'be casualty': 114020, 'casualty retail': 166817, 'will be casualty': 992390, 'be casualty retail': 114021, 'casualty retail store': 166818, 'springfield': 791279, 'today gov': 919585, 'baker announced': 108792, 'announced several': 77029, 'several update': 753954, 'limit occupancy': 492389, 'occupancy to': 578991, 'capacity new': 162547, 'new ethic': 558713, 'ethic guideline': 283043, 'guideline were': 368500, 'facility an': 295295, 'west springfield': 980536, 'today gov baker': 919586, 'gov baker announced': 359540, 'baker announced several': 108793, 'announced several update': 77030, 'several update related': 753955, 'store are required': 806514, 'required to limit': 713402, 'to limit occupancy': 909290, 'limit occupancy to': 492390, 'occupancy to 40': 578992, '40 of capacity': 18622, 'of capacity new': 581116, 'capacity new ethic': 162548, 'new ethic guideline': 558714, 'ethic guideline were': 283044, 'guideline were issued': 368501, 'were issued for': 979809, 'issued for health': 456063, 'health care facility': 386230, 'care facility an': 163925, 'facility an additional': 295296, 'an additional covid': 55113, 'testing site ha': 839637, 'site ha been': 771932, 'been added in': 120607, 'added in west': 31570, 'in west springfield': 430803, 'warna': 966981, 'providing milk': 687052, 'buyer by': 149597, 'reserving quota': 714152, 'quota in': 694974, 'the warna': 871089, 'warna milk': 966982, 'not providing milk': 571162, 'providing milk to': 687053, 'milk to the': 531872, 'to the buyer': 916538, 'the buyer by': 850224, 'buyer by reserving': 149598, 'by reserving quota': 153783, 'reserving quota in': 714153, 'quota in covid': 694975, 'situation the warna': 772511, 'the warna milk': 871090, 'thedividebetweenrichandpoor': 872320, 'le affluent': 482838, 'affluent suffer': 34660, 'suffer because': 817195, '19 thedividebetweenrichandpoor': 11265, 'so once again': 777947, 'again the le': 37211, 'the le affluent': 859214, 'le affluent suffer': 482839, 'affluent suffer because': 34661, 'suffer because that': 817196, 'because that business': 119600, 'that business for': 843057, 'business for lettuce': 143751, 'buying via 19': 151311, 'via 19 thedividebetweenrichandpoor': 955780, 'taber': 831446, 'in taber': 428793, 'taber alberta': 831447, 'alberta arrest': 40781, 'arrest man': 93758, 'allegedly licked': 45689, 'licked item': 488219, '19 prank': 9771, 'police in taber': 663067, 'in taber alberta': 428794, 'taber alberta arrest': 831448, 'alberta arrest man': 40782, 'arrest man after': 93759, 'he allegedly licked': 384719, 'allegedly licked item': 45690, 'licked item in': 488220, 'item in grocery': 463345, 'store 19 prank': 806024, 'marketer consumer': 517458, 'endure after and': 276293, 'after and what': 35363, 'for marketer consumer': 323258, 'marketer consumer are': 517459, 'portal wa': 664960, 'launched today': 482046, 'today featuring': 919515, 'featuring thousand': 301608, 'critical job': 218600, 'to combating': 903012, 'combating including': 187067, 'worker manufacturing': 1007351, 'warehouse work': 966812, 'work delivery': 1005037, 'new job portal': 558990, 'job portal wa': 466094, 'portal wa launched': 664961, 'wa launched today': 962514, 'launched today featuring': 482047, 'today featuring thousand': 919516, 'featuring thousand of': 301609, 'thousand of critical': 893431, 'of critical job': 582206, 'critical job to': 218601, 'job to combating': 466218, 'to combating including': 903013, 'combating including grocery': 187068, 'store worker manufacturing': 811541, 'worker manufacturing warehouse': 1007352, 'manufacturing warehouse work': 513687, 'warehouse work delivery': 966813, 'work delivery service': 1005038, 'and more more': 67193, 'more more information': 539804, 'more information is': 539587, 'bread still': 138593, 'bread almost': 138386, 'observed at the': 578609, 'local supermarket plenty': 498576, 'fresh bread still': 332933, 'bread still available': 138594, 'still available but': 800222, 'packaged bread almost': 633470, 'bread almost sold': 138387, 'describe some': 237929, 'some level': 783190, 'stupidity this': 815561, 'average empty': 104832, 'shelf video': 757734, 'no word to': 565921, 'word to describe': 1004599, 'to describe some': 904202, 'describe some level': 237930, 'some level of': 783191, 'of stupidity this': 590348, 'stupidity this is': 815562, 'not your average': 572626, 'your average empty': 1022883, 'average empty supermarket': 104833, 'supermarket shelf video': 822558, 'else he': 271726, 'dismantled these': 245988, 'left me cry': 485548, 'me cry for': 522630, 'everyone else he': 286860, 'else he had': 271727, 'he had been': 385042, 'working in intensive': 1008718, 'intensive care for': 441133, 'care for almost': 163940, 'for almost 48': 319210, '48 hour and': 19305, 'hour and 30': 405388, 'and 30 minute': 57441, '30 minute went': 17128, 'had been dismantled': 372889, 'been dismantled these': 120996, 'dismantled these are': 245989, 'consequence of stockpiling': 194878, 'of stockpiling coronacrisis': 590221, 'masquerade': 519728, 'tower115': 927422, 'masquerade tower115': 519729, 'tower115 lmao': 927423, 'lmao fellow': 497148, 'fellow canadian': 303273, 'canadian here': 160695, 'here purchased': 393488, 'purchased mine': 689787, 'mine back': 532879, 'in october': 426051, 'october for': 579145, '600 tax': 21118, 'tax included': 835012, 'included amazon': 431674, 'little wonky': 495654, 'wonky because': 1004232, 'because oculus': 119300, 'oculus isn': 579159, 'isn selling': 454659, 'masquerade tower115 lmao': 519730, 'tower115 lmao fellow': 927424, 'lmao fellow canadian': 497149, 'fellow canadian here': 303274, 'canadian here purchased': 160696, 'here purchased mine': 393489, 'purchased mine back': 689788, 'mine back in': 532880, 'back in october': 107092, 'in october for': 426052, 'october for 600': 579146, 'for 600 tax': 318895, '600 tax included': 21119, 'tax included amazon': 835013, 'included amazon price': 431675, 'amazon price can': 51070, 'can get little': 158429, 'get little wonky': 347486, 'little wonky because': 495655, 'wonky because oculus': 1004233, 'because oculus isn': 119301, 'oculus isn selling': 579160, 'isn selling them': 454660, 'selling them right': 749495, 'them right now': 876226, 'gearupatgearup': 345030, 'titusville': 899312, 'mims': 532502, 'rockledge': 724984, 'cocoabeach': 185269, 'merrittisland': 529192, 'palmbay': 634611, 'brevardcounty': 139394, 'of mres': 586709, 'mres have': 544431, 'arrived won': 93979, 'long gearupatgearup': 501419, 'gearupatgearup mre': 345031, 'food foodstorage': 314505, 'foodstorage survival': 318150, 'survival quarantine': 829072, 'quarantine shoplocal': 692531, 'shoplocal titusville': 761242, 'titusville mims': 899313, 'mims rockledge': 532503, 'rockledge cocoa': 724985, 'cocoa cocoabeach': 185256, 'cocoabeach merrittisland': 185270, 'merrittisland melbourne': 529193, 'melbourne palmbay': 527935, 'palmbay brevardcounty': 634612, 'brevardcounty orlando': 139395, 'case of mres': 165918, 'of mres have': 586710, 'mres have just': 544432, 'have just arrived': 381200, 'just arrived won': 468222, 'arrived won be': 93980, 'won be in': 1003743, 'be in stock': 115434, 'stock for long': 802170, 'for long gearupatgearup': 323077, 'long gearupatgearup mre': 501420, 'gearupatgearup mre food': 345032, 'mre food foodstorage': 544420, 'food foodstorage survival': 314506, 'foodstorage survival quarantine': 318151, 'survival quarantine shoplocal': 829073, 'quarantine shoplocal titusville': 692532, 'shoplocal titusville mims': 761243, 'titusville mims rockledge': 899314, 'mims rockledge cocoa': 532504, 'rockledge cocoa cocoabeach': 724986, 'cocoa cocoabeach merrittisland': 185257, 'cocoabeach merrittisland melbourne': 185271, 'merrittisland melbourne palmbay': 529194, 'melbourne palmbay brevardcounty': 527936, 'palmbay brevardcounty orlando': 634613, 'brevardcounty orlando florida': 139396, 'mask isn': 518874, 'it especially': 457846, 'not useful': 572372, 'useful when': 950210, 'it hanging': 458456, 'hanging from': 376969, 'have told the': 383365, 'told the lady': 923707, 'supermarket that wearing': 823203, 'face mask isn': 294555, 'mask isn really': 518875, 'isn really helpful': 454641, 'really helpful and': 702283, 'helpful and it': 391157, 'and it especially': 65522, 'it especially not': 457847, 'especially not useful': 280555, 'not useful when': 572373, 'useful when it': 950211, 'when it hanging': 983634, 'it hanging from': 458457, 'hanging from his': 376970, 'from his face': 335814, 'uniformly': 941776, 'driver perspective': 259688, 'perspective always': 653183, 'always learn': 49646, 'from interviewing': 336075, 'interviewing them': 442302, 'them surge': 876356, 'demand isn': 235748, 'isn uniformly': 454747, 'uniformly distributed': 941777, 'distributed driver': 248045, 'driver adapt': 259390, 'adapt they': 31275, 'others story': 621669, 'story today': 812142, 'today peel': 920027, 'peel back': 646252, 'these layer': 880226, 'there the delivery': 879146, 'delivery driver perspective': 233926, 'driver perspective always': 259689, 'perspective always learn': 653184, 'always learn so': 49647, 'much from interviewing': 544938, 'from interviewing them': 336076, 'interviewing them surge': 442303, 'them surge in': 876357, 'surge in food': 828191, 'in food delivery': 422966, 'delivery demand isn': 233864, 'demand isn uniformly': 235749, 'isn uniformly distributed': 454748, 'uniformly distributed driver': 941778, 'distributed driver adapt': 248046, 'driver adapt they': 259391, 'adapt they risk': 31276, 'health and that': 386159, 'of others story': 587404, 'others story today': 621670, 'story today peel': 812143, 'today peel back': 920028, 'peel back these': 646253, 'back these layer': 107334, '1943': 12363, 'diverted': 248570, 'fakejournalismofmedia': 296750, 'second world': 743876, 'in 1943': 419718, '1943 churchill': 12364, 'churchill diverted': 178419, 'diverted india': 248571, 'british result': 140583, 'result great': 717515, 'great bengal': 362526, 'bengal famine': 127195, 'famine crisis': 298436, '2020 modi': 14447, 'modi redirected': 535475, 'redirected indian': 705718, 'indian medical': 434858, 'american expected': 51954, 'expected result': 290932, 'result evening': 717505, 'evening fakejournalismofmedia': 284869, 'the second world': 866598, 'second world war': 743877, 'world war in': 1010137, 'war in 1943': 966472, 'in 1943 churchill': 419719, '1943 churchill diverted': 12365, 'churchill diverted india': 178420, 'diverted india food': 248572, 'india food supply': 434411, 'the british result': 850032, 'british result great': 140584, 'result great bengal': 717516, 'great bengal famine': 362527, 'bengal famine crisis': 127196, 'famine crisis in': 298437, 'crisis in 2020': 217527, 'in 2020 modi': 419846, '2020 modi redirected': 14449, 'modi redirected indian': 535476, 'redirected indian medical': 705719, 'indian medical supply': 434859, 'supply to american': 825997, 'to american expected': 900415, 'american expected result': 51955, 'expected result evening': 290933, 'result evening fakejournalismofmedia': 717506, 'president annmcarthur': 670762, 'annmcarthur talk': 76826, 'our president annmcarthur': 624430, 'president annmcarthur talk': 670763, 'annmcarthur talk to': 76827, 'report offer': 712132, 'consumer report offer': 198717, 'report offer tip': 712134, 'clean your car': 180693, 'car to reduce': 163323, 'bit lost': 131612, 'lost with': 503956, 'the selfisolating': 866677, 'selfisolating here': 748416, 'song about': 785476, 'about recorded': 26060, 'recorded on': 705114, 'bog no': 133943, 'toiletpaperpanic selfisolation': 923237, 'selfisolation stayhome': 748492, 'stayhome alone': 797937, 'bit lost with': 131613, 'lost with the': 503957, 'with the selfisolating': 1001473, 'the selfisolating here': 866678, 'selfisolating here my': 748417, 'here my song': 393370, 'my song about': 550173, 'song about recorded': 785478, 'about recorded on': 26061, 'recorded on the': 705115, 'on the bog': 603993, 'the bog no': 849829, 'bog no toiletpaper': 133944, 'no toiletpaper toiletpaperpanic': 565766, 'toiletpaper toiletpaperpanic selfisolation': 922702, 'toiletpaperpanic selfisolation stayhome': 923238, 'selfisolation stayhome alone': 748493, '19 sape': 10317, 'duit dry': 262066, 'register new': 707584, 'user free': 950280, '19 sape nak': 10318, 'buat duit dry': 141577, 'duit dry online': 262067, 'dry online boleh': 261287, 'rm5 to register': 724273, 'to register new': 913104, 'register new user': 707585, 'new user free': 559817, 'user free shopping': 950281, 'myhandscleantho': 550730, 'eatorbeeaten': 266356, 'wanted me': 966215, 'eat her': 265936, 'sanitizer quarantinelife': 735629, 'quarantinelife funny': 692951, 'funny myhandscleantho': 341766, 'myhandscleantho eatorbeeaten': 550731, 'she wanted me': 756446, 'wanted me to': 966216, 'me to eat': 523751, 'to eat her': 904885, 'eat her as': 265937, 'her as for': 391860, 'as for hand': 94746, 'hand sanitizer quarantinelife': 375557, 'sanitizer quarantinelife funny': 735630, 'quarantinelife funny myhandscleantho': 692952, 'funny myhandscleantho eatorbeeaten': 341767, 'most crude': 542228, 'to hammer': 907113, 'demand midday': 235863, 'midday price': 530610, '489 watch': 19359, 'watch amp': 968355, 'cut most crude': 223431, 'most crude oil': 542229, 'due to hammer': 261798, 'to hammer demand': 907114, 'hammer demand midday': 374572, 'demand midday price': 235864, 'midday price 59': 530611, '92 489 watch': 23466, '489 watch amp': 19360, 'watch amp here': 968356, 'in treating': 430277, 'treating in': 931002, 'addition more': 31722, 'also approved the': 47879, 'approved the production': 83200, 'effective in treating': 269273, 'in treating in': 430278, 'treating in addition': 931003, 'in addition more': 420034, 'addition more than': 31723, 'than 50 company': 840257, 'produce hand disinfectant': 680288, 'hand disinfectant for': 374894, 'disinfectant for three': 245668, 'them talk': 876365, 'friend read': 333771, 'about it people': 25589, 'it people who': 460302, 'people who know': 650311, 'who know about': 989177, 'know about scam': 476220, 'scam are le': 740039, 'fall for them': 296917, 'for them talk': 326922, 'them talk to': 876366, 'your friend read': 1023973, 'friend read more': 333772, 'in the warning': 429659, 'sexiest': 754215, 'ok everyone': 597791, 'everyone blazing': 286739, 'blazing my': 132456, 'own path': 632124, 'path on': 644025, 'the sexiest': 866756, 'sexiest thing': 754216, 'earth let': 264993, 'paper stash': 640822, 'stash toiletpaper': 795298, 'toiletpaperpanic toiletpaperchallenge': 923278, 'toiletpaperchallenge toiletrollchallenge': 922994, 'ok everyone blazing': 597792, 'everyone blazing my': 286740, 'blazing my own': 132457, 'my own path': 549650, 'own path on': 632125, 'path on this': 644026, 'this one the': 889253, 'one the sexiest': 607203, 'the sexiest thing': 866757, 'sexiest thing on': 754217, 'thing on this': 884641, 'on this earth': 604607, 'this earth let': 887331, 'earth let see': 264994, 'let see your': 487040, 'see your toilet': 746125, 'toilet paper stash': 921465, 'paper stash toiletpaper': 640823, 'stash toiletpaper toiletpaperpanic': 795299, 'toiletpaper toiletpaperpanic toiletpaperchallenge': 922711, 'toiletpaperpanic toiletpaperchallenge toiletrollchallenge': 923279, 'gorsky': 358337, 'top concern': 925550, 'concern after': 192905, 'after demonstrating': 35557, 'demonstrating the': 236869, 'safe effective': 729623, 'effective is': 269276, 'it accessible': 456256, 'accessible affordable': 28328, 'affordable on': 34861, 'level alex': 487494, 'alex gorsky': 41576, 'gorsky chairman': 358338, 'chairman ceo': 171328, 'ceo jnj': 169730, 'jnj speaks': 465570, 'our recently': 624559, 'recently announced': 704047, 'announced lead': 76984, 'lead vaccine': 483401, 'vaccine candidate': 951675, 'candidate more': 161302, 'our top concern': 625168, 'top concern after': 925551, 'concern after demonstrating': 192906, 'after demonstrating the': 35558, 'demonstrating the vaccine': 236870, 'the vaccine is': 870622, 'vaccine is safe': 951728, 'is safe effective': 451617, 'safe effective is': 729624, 'effective is to': 269277, 'sure it accessible': 827593, 'it accessible affordable': 456257, 'accessible affordable on': 28329, 'affordable on global': 34862, 'on global level': 601108, 'global level alex': 352004, 'level alex gorsky': 487495, 'alex gorsky chairman': 41577, 'gorsky chairman ceo': 358339, 'chairman ceo jnj': 171329, 'ceo jnj speaks': 169731, 'jnj speaks to': 465571, 'speaks to on': 787807, 'to on our': 910899, 'on our recently': 602623, 'our recently announced': 624560, 'recently announced lead': 704049, 'announced lead vaccine': 76985, 'lead vaccine candidate': 483402, 'vaccine candidate more': 951676, 'vega emptyshelves': 953809, 'mine at grocery': 532878, 'la vega emptyshelves': 478228, 'store took': 810916, 'the associate': 848985, 'associate they': 96901, 'they responded': 883211, 'with shock': 1000679, 'shock stating': 759512, 'one had': 606393, 'had ever': 373079, 'ever said': 285477, 'are thanking': 90784, 'person well': 652702, 'well posting': 978496, 'posting online': 666675, 'online essentialworkers': 608173, 'grocery store took': 365878, 'store took the': 810917, 'took the time': 925343, 'of the associate': 590804, 'the associate they': 848986, 'associate they responded': 96902, 'they responded with': 883212, 'responded with shock': 715369, 'with shock stating': 1000680, 'shock stating that': 759513, 'stating that no': 796307, 'no one had': 564938, 'one had ever': 606394, 'had ever said': 373080, 'ever said thank': 285478, 'thank you make': 841771, 'you make sure': 1019762, 'you are thanking': 1017257, 'are thanking our': 90785, 'thanking our essential': 841987, 'our essential employee': 622922, 'essential employee in': 281003, 'employee in person': 273967, 'in person well': 426645, 'person well posting': 652703, 'well posting online': 978497, 'posting online essentialworkers': 666676, 'great harvest': 362711, 'harvest at': 378606, 'we had great': 971708, 'had great harvest': 373151, 'great harvest at': 362712, 'harvest at the': 378607, 'could represent': 209596, 'strengthening government': 813264, 'protecting marginalized': 685208, 'marginalized population': 515658, 'population who': 664751, 'le power': 483083, 'crisis could represent': 217267, 'could represent an': 209597, 'represent an opportunity': 712868, 'opportunity to highlight': 613707, 'highlight the importance': 395969, 'importance of strengthening': 418713, 'of strengthening government': 590296, 'strengthening government management': 813265, 'government management of': 360338, 'management of food': 512602, 'market and protecting': 515984, 'and protecting marginalized': 69672, 'protecting marginalized population': 685209, 'marginalized population who': 515659, 'population who have': 664752, 'have le power': 381273, 'le power and': 483084, 'power and resource': 667560, 'and resource and': 70321, 'resource and difficulty': 714701, 'difficulty accessing nutritious': 242366, 'nutritious food already': 577761, 'lob': 497571, 'your president': 1025386, 'president decides': 670797, 'to lob': 909365, 'lob roll': 497572, 'towel into': 927337, 'crowd full': 219164, 'store rt': 809910, 'rt now': 726788, 'like real': 491062, 'hero timing': 394130, 'timing is': 898511, 'if your president': 415602, 'your president decides': 1025387, 'president decides to': 670798, 'decides to lob': 230956, 'to lob roll': 909366, 'lob roll of': 497573, 'paper towel into': 640997, 'towel into crowd': 927338, 'into crowd full': 442500, 'crowd full of': 219165, 'full of customer': 340714, 'customer outside grocery': 222670, 'grocery store rt': 365731, 'store rt now': 809911, 'rt now he': 726789, 'now he be': 574899, 'he be treated': 384766, 'treated like real': 930963, 'like real hero': 491063, 'real hero timing': 701205, 'hero timing is': 394131, 'timing is everything': 898512, 'kickups': 473838, 'nobody on': 566042, 'street do': 812951, 'neighbourhood so': 557286, 'instead have': 440199, 'home challenge': 400889, 'challenge stayathomechallenge': 171556, 'stayathomechallenge kickups': 797736, 'kickups looroll': 473839, 'looroll bogroll': 503168, 'there is nobody': 878596, 'is nobody on': 449994, 'nobody on the': 566043, 'the street do': 868222, 'street do not': 812952, 'have to save': 383289, 'save the neighbourhood': 737662, 'the neighbourhood so': 861443, 'neighbourhood so instead': 557287, 'so instead have': 777415, 'instead have done': 440200, 'have done the': 380337, 'done the stay': 255044, 'at home challenge': 98954, 'home challenge stayathomechallenge': 400890, 'challenge stayathomechallenge kickups': 171557, 'stayathomechallenge kickups looroll': 797737, 'kickups looroll bogroll': 473840, 'looroll bogroll toiletpaper': 503169, 'scumbag bastard': 742989, 'scumbag bastard the': 742990, 'most basic necessity': 542131, 'necessity for baby': 554210, 'bezos pledge': 129283, 'relief the': 709468, 'commitment from': 188995, 'national network': 552568, 'jeff bezos pledge': 465003, 'bezos pledge 100': 129284, 'pledge 100 million': 660839, 'feeding america for': 302455, 'america for covid': 51525, '19 relief the': 10087, 'relief the commitment': 709469, 'the commitment from': 851239, 'commitment from the': 188996, 'from the founder': 337710, 'the founder and': 855732, 'ceo is the': 169725, 'the largest ever': 858963, 'largest ever to': 479950, 'ever to feeding': 285562, 'feeding america and': 302451, 'america and it': 51452, 'it national network': 459732, 'national network of': 552569, 'network of food': 557749, 'of food bank': 583653, 'bank which is': 110299, 'which is seeing': 986050, 'your bbq': 1022919, 'kid it': 474027, 'about it when': 25605, 'when you nip': 984585, 'nip to asda': 563336, 'asda for your': 94919, 'for your bbq': 328120, 'your bbq sausage': 1022920, 'essential only kid': 281363, 'only kid it': 610682, 'kid it really': 474028, 'ha rocked': 371773, 'rocked financial': 724939, '19 ha rocked': 7380, 'ha rocked financial': 371774, 'rocked financial market': 724940, 'financial market around': 306495, 'the panic clear': 863195, 'panic clear in': 638012, 'world gold': 1009590, 'council said': 210027, 'the globally': 856341, 'globally unprecedented': 352413, '19 expands': 6888, 'the world gold': 871879, 'world gold council': 1009591, 'gold council said': 355877, 'council said that': 210028, 'said that is': 731405, 'is being affected': 446065, 'by the globally': 154337, 'the globally unprecedented': 856342, 'globally unprecedented economic': 352414, 'unprecedented economic and': 943135, 'and financial market': 62873, 'financial market condition': 306500, 'market condition the': 516210, 'condition the spread': 193539, 'covid 19 expands': 213056, 'lockdwn': 500459, 'lagoslockdown': 478962, 'vanguardnews': 952409, 'nigeria two': 562810, 'rising up': 723321, 'down ncdc': 256978, 'ncdc covid': 553314, '19 active': 4805, 'active case': 30263, 'case price': 165969, 'you lockdwn': 1019688, 'lockdwn lagos': 500460, 'lagos when': 478953, 'price mechanism': 675221, 'mechanism in': 525848, 'play market': 659185, 'are toiling': 91120, 'toiling with': 923462, 'with nigerian': 999728, 'nigerian ncdc': 562866, 'ncdc lagoslockdown': 553316, 'lagoslockdown vanguardnews': 478963, 'vanguardnews lockdowneffect': 952410, 'day in nigeria': 227803, 'in nigeria two': 425886, 'nigeria two thing': 562811, 'two thing keep': 937266, 'thing keep rising': 884510, 'keep rising up': 471861, 'rising up and': 723322, 'up and never': 944348, 'never go down': 558021, 'go down ncdc': 353495, 'down ncdc covid': 256979, 'ncdc covid 19': 553315, 'covid 19 active': 212579, '19 active case': 4806, 'active case price': 30264, 'case price of': 165970, 'stuff and you': 815012, 'and you lockdwn': 76032, 'you lockdwn lagos': 1019689, 'lockdwn lagos when': 500461, 'lagos when there': 478954, 'is no price': 449960, 'no price mechanism': 565184, 'price mechanism in': 675222, 'mechanism in play': 525849, 'in play market': 426792, 'play market force': 659186, 'market force are': 516417, 'force are toiling': 328334, 'are toiling with': 91121, 'toiling with nigerian': 923463, 'with nigerian ncdc': 999729, 'nigerian ncdc lagoslockdown': 562867, 'ncdc lagoslockdown vanguardnews': 553317, 'lagoslockdown vanguardnews lockdowneffect': 478964, 'bromley': 140951, 'guy bromley': 368929, 'bromley local': 140952, 'charging absurd': 173455, 'absurd price': 27505, 'price poultry': 675965, 'poultry rice': 667344, 'rice meat': 721078, 'meat family': 525567, 'family already': 297569, 'suffering poverty': 817334, 'poverty apart': 667484, 'from reporting': 337079, 'cma what': 184658, 'done amp': 254767, 'amp want': 54797, 'action 19': 29919, 'hi guy bromley': 394657, 'guy bromley local': 368930, 'bromley local asian': 140953, 'local asian store': 497703, 'asian store are': 95348, 'store are charging': 806462, 'are charging absurd': 85250, 'charging absurd price': 173456, 'absurd price poultry': 27506, 'price poultry rice': 675966, 'poultry rice meat': 667345, 'rice meat family': 721079, 'meat family already': 525568, 'family already suffering': 297571, 'already suffering poverty': 47703, 'suffering poverty apart': 817335, 'poverty apart from': 667485, 'apart from reporting': 81272, 'from reporting to': 337080, 'reporting to cma': 712778, 'to cma what': 902926, 'cma what else': 184659, 'else can be': 271653, 'be done amp': 114551, 'done amp want': 254768, 'amp want to': 54798, 'take action 19': 831888, 'identified threshold': 413351, 'world stand': 1009996, 'stand of': 793557, '2020 for': 14311, 'these threshold': 880832, 'we ve identified': 973679, 've identified threshold': 953273, 'identified threshold of': 413352, 'behavior in response': 124084, 'to this is': 917435, 'is where country': 453927, 'where country around': 984798, 'the world stand': 871971, 'world stand of': 1009997, 'stand of march': 793558, 'of march 20': 586195, '20 2020 for': 12882, '2020 for more': 14312, 'more on these': 539932, 'on these threshold': 604576, 're cleaning': 698427, 'have died during': 380265, 'died during all': 241536, 'this many do': 888765, 'have the proper': 383015, 'the proper protective': 864680, 'you re cleaning': 1020587, 're cleaning them': 698428, 'for gta': 322080, 'gta food': 367654, 'facing surge': 295613, 'while struggling': 987343, 'with cancelled': 997528, 'cancelled fundraiser': 161113, 'fundraiser drop': 341646, 'shortage thanks': 765247, 'your insight': 1024499, 'latest for gta': 481346, 'for gta food': 322081, 'gta food bank': 367655, 'are facing surge': 86433, 'facing surge in': 295614, '19 while struggling': 12053, 'while struggling with': 987344, 'struggling with cancelled': 814531, 'with cancelled fundraiser': 997529, 'cancelled fundraiser drop': 161114, 'fundraiser drop in': 341647, 'in donation and': 422358, 'donation and staff': 254543, 'and staff shortage': 72199, 'staff shortage thanks': 792857, 'shortage thanks to': 765248, 'thanks to bank': 842207, 'to bank for': 901032, 'bank for your': 109845, 'for your insight': 328168, 'terrio': 838550, 'hoyes': 409566, 'michalos': 530280, 'canada insolvency': 160471, 'insolvency rate': 439745, 'will spike': 994918, 'up should': 945985, 'outbreak persist': 628530, 'persist according': 652256, 'to scott': 913917, 'scott terrio': 742464, 'terrio manager': 838551, 'insolvency at': 439738, 'at hoyes': 99239, 'hoyes michalos': 409567, 'michalos associate': 530281, 'associate full': 96875, 'here insolvency': 393206, 'insolvency mortgage': 439742, 'canada insolvency rate': 160472, 'insolvency rate will': 439746, 'rate will spike': 697421, 'will spike up': 994920, 'spike up should': 789333, 'up should the': 945988, 'should the ongoing': 766571, 'coronavirus outbreak persist': 206404, 'outbreak persist according': 628531, 'persist according to': 652257, 'according to scott': 28586, 'to scott terrio': 913918, 'scott terrio manager': 742465, 'terrio manager of': 838552, 'manager of consumer': 512758, 'of consumer insolvency': 581746, 'consumer insolvency at': 197893, 'insolvency at hoyes': 439739, 'at hoyes michalos': 99240, 'hoyes michalos associate': 409568, 'michalos associate full': 530282, 'associate full story': 96876, 'story here insolvency': 812001, 'here insolvency mortgage': 393207, 'small request': 775088, 'request please': 713188, 'foodbank instead': 317775, 'buying over two': 150860, 'over two small': 630871, 'two small request': 937225, 'small request please': 775089, 'request please don': 713189, 'please don buy': 659909, 'don buy something': 253412, 'buy something for': 149220, 'for your local': 328173, 'your local foodbank': 1024696, 'local foodbank instead': 497979, 'universalbasicincome': 942381, 'stripped to': 813892, 'shelter when': 757959, 'together again': 920668, 'again thing': 37225, 'forever people': 329138, 'adapt quick': 31263, 'quick universalbasicincome': 694415, 'universalbasicincome for': 942382, 'all quick': 44116, 'quick we': 694423, 'not recover': 571270, 'recover otherwise': 705186, 'otherwise borisresign': 621830, 'been stripped to': 122071, 'stripped to our': 813893, 'to our basic': 911153, 'our basic need': 622169, 'basic need food': 112010, 'and shelter when': 71459, 'shelter when we': 757960, 'we all come': 970316, 'come together again': 187620, 'together again thing': 920669, 'again thing will': 37226, 'will have changed': 993622, 'changed forever people': 172478, 'forever people need': 329139, 'to adapt quick': 900043, 'adapt quick universalbasicincome': 31264, 'quick universalbasicincome for': 694416, 'universalbasicincome for all': 942383, 'for all quick': 319162, 'all quick we': 44117, 'quick we need': 694424, 'to demand this': 904163, 'demand this now': 236384, 'now we will': 576359, 'will not recover': 994259, 'not recover otherwise': 571271, 'recover otherwise borisresign': 705187, 'roll behind': 725217, 'at the size': 101100, 'size of that': 772789, 'of that toilet': 590749, 'toilet roll behind': 921555, 'roll behind toiletpaper': 725218, 'behind toiletpaper toiletpaperemergency': 124745, 'afry': 35249, 'afry global': 35250, 'disruption the': 246530, 'european energy': 283569, 'afry global disruption': 35251, 'global disruption the': 351875, 'disruption the effect': 246531, 'effect on european': 269084, 'on european energy': 600607, 'european energy price': 283570, 'energy price part': 276545, 'hoarding from': 399325, 'box store failed': 137168, 'failed at first': 296127, 'first they should': 309069, 'should have stopped': 766096, 'have stopped hoarding': 382788, 'stopped hoarding from': 805715, 'hoarding from day': 399326, 'british eat': 140515, 'pig you': 656464, 'come see': 187501, 'appreciation you': 82907, 'and alcoholism': 57839, 'alcoholism are': 41231, 'uk the british': 938805, 'the british eat': 850020, 'british eat like': 140516, 'like pig you': 491000, 'pig you should': 656465, 'you should come': 1021188, 'should come see': 765844, 'come see it': 187502, 'it during christmas': 457720, 'and the worst': 73664, 'no appreciation you': 563629, 'appreciation you selfish': 82908, 'you selfish race': 1021107, 'obesity and alcoholism': 578367, 'and alcoholism are': 57840, 'alcoholism are big': 41232, 'are big problem': 84976, 'new status': 559650, 'status quo': 796691, 'quo following': 694967, 'behavior changing': 123971, 'changing what': 172841, 'endure in': 276306, 'the new status': 861560, 'new status quo': 559651, 'status quo following': 796692, 'quo following 19': 694968, 'how to promote': 409059, 'brand without giving': 138080, 'without giving the': 1002686, 'giving the impression': 351412, 'impression of taking': 419467, 'and with consumer': 75762, 'with consumer behavior': 997749, 'consumer behavior changing': 196457, 'behavior changing what': 123972, 'changing what will': 172842, 'what will endure': 982596, 'will endure in': 993314, 'endure in the': 276307, 'long term join': 501695, 'webinar on march': 975077, '20 to find': 13396, 'ruinous': 727157, 'an ethanol': 55860, 'subsidy scam': 816017, 'since day': 770558, 'is ruinous': 451586, 'ruinous to': 727158, 'to engine': 905126, 'engine creating': 276934, 'creating pollution': 216050, 'by causing': 152081, 'run poorly': 727778, 'cut ethanol': 223319, 'never been an': 557887, 'been an ethanol': 120653, 'an ethanol demand': 55861, 'ethanol demand which': 282975, 'demand which ha': 236483, 'been subsidy scam': 122092, 'subsidy scam since': 816018, 'scam since day': 740357, 'since day one': 770560, 'it is ruinous': 459065, 'is ruinous to': 451587, 'ruinous to engine': 727159, 'to engine creating': 905127, 'engine creating pollution': 276935, 'creating pollution by': 216051, 'pollution by causing': 663900, 'by causing them': 152082, 'them to run': 876503, 'to run poorly': 913669, 'run poorly corn': 727779, '19 lockdown cut': 8379, 'lockdown cut ethanol': 499292, 'cut ethanol demand': 223320, 'individual situation': 435254, 'payment member': 645669, 'an eligible': 55650, 'loan can': 497408, 'use skip': 949580, 'skip pay': 773139, 'in cu': 421932, 'cu online': 220137, 'our mobile': 623933, 'skip one': 773137, 'one loan': 606614, 'payment more': 645677, 'we are and': 970478, 'will continue working': 993022, 'continue working with': 201296, 'working with member': 1009062, 'with member on': 999484, 'member on individual': 528160, 'on individual situation': 601560, 'individual situation for': 435255, 'situation for loan': 772274, 'for loan payment': 323040, 'loan payment member': 497498, 'payment member who': 645670, 'member who have': 528242, 'have an eligible': 379245, 'an eligible consumer': 55651, 'eligible consumer loan': 271415, 'consumer loan can': 198058, 'loan can now': 497409, 'now use skip': 576285, 'use skip pay': 949581, 'skip pay with': 773140, 'pay with no': 645233, 'with no fee': 999752, 'no fee in': 564209, 'fee in cu': 302184, 'in cu online': 421933, 'cu online or': 220138, 'or through our': 617455, 'through our mobile': 894617, 'our mobile app': 623934, 'mobile app to': 534942, 'app to skip': 81781, 'to skip one': 914695, 'skip one loan': 773138, 'one loan payment': 606615, 'loan payment more': 497499, 'payment more info': 645678, 'germany toiletpaper': 346353, 'wa below': 961690, 'previous six': 672003, 'germany toiletpaper who': 346354, 'toiletpaper who would': 922848, 'paper ha dropped': 640235, 'ha dropped dramatically': 370461, 'dropped dramatically in': 260561, 'dramatically in the': 258350, 'corona crisis it': 203907, 'crisis it wa': 217613, 'it wa below': 462076, 'wa below the': 961691, 'below the average': 126741, 'the average of': 849104, 'average of the': 104883, 'of the previous': 591362, 'the previous six': 864318, 'previous six month': 672004, 'freeze say': 332558, 'uk house sale': 938457, 'house sale will': 406547, 'sale will collapse': 732651, 'will collapse in': 992954, 'collapse in 2020': 186010, '2020 market go': 14435, 'market go into': 516462, 'go into deep': 353740, 'into deep freeze': 442509, 'deep freeze say': 231888, 'freeze say study': 332559, 'hi ky': 394692, 'ky hot': 478071, 'hot coffee': 404996, 'and cafe': 59392, 'cafe is': 155114, 'is classed': 446536, 'classed hospitality': 180300, 'are classed': 85287, 'classed non': 180304, 'purchase coffee': 689404, 'coffee to': 185550, 'essential se': 281488, 'hi ky hot': 394693, 'ky hot coffee': 478072, 'hot coffee from': 404997, 'coffee from retailer': 185486, 'from retailer and': 337105, 'retailer and cafe': 718958, 'and cafe is': 59393, 'cafe is classed': 155115, 'is classed hospitality': 446537, 'classed hospitality and': 180301, 'hospitality and are': 404753, 'and are classed': 58300, 'are classed non': 85288, 'classed non essential': 180305, 'non essential right': 566354, 'can purchase coffee': 159341, 'purchase coffee to': 689405, 'coffee to make': 185551, 'make from your': 509927, 'local supermarket more': 498558, 'info on non': 437531, 'on non essential': 602422, 'non essential se': 566355, 'political amp': 663631, 'economic game': 267108, 'big guy': 129811, 'guy plunge': 369115, 'worldwide panic': 1010404, 'buy load': 148907, 'stock since': 802853, 're super': 699633, 'cheap when': 174234, 'gone amp': 356203, 'market gain': 516451, 'gain value': 342833, 'value again': 952078, 'again just': 37049, 'those guy': 892038, 'guy networth': 369095, 'networth is': 557790, 'increase like': 432898, 'political amp economic': 663632, 'amp economic game': 53696, 'economic game by': 267109, 'game by the': 343142, 'the big guy': 849609, 'big guy plunge': 129812, 'guy plunge the': 369116, 'plunge the market': 661461, 'market price due': 516886, 'due to worldwide': 262034, 'to worldwide panic': 918830, 'worldwide panic buy': 1010405, 'panic buy load': 637500, 'buy load of': 148908, 'load of stock': 497282, 'of stock since': 590191, 'stock since they': 802854, 'since they re': 770931, 'they re super': 883137, 're super cheap': 699634, 'super cheap when': 818481, 'cheap when this': 174235, 'virus is gone': 958376, 'is gone amp': 448113, 'gone amp the': 356204, 'amp the market': 54661, 'the market gain': 860112, 'market gain value': 516452, 'gain value again': 342834, 'value again just': 952079, 'again just check': 37050, 'just check how': 468469, 'check how those': 174463, 'how those guy': 408963, 'those guy networth': 892039, 'guy networth is': 369096, 'networth is gonna': 557791, 'is gonna increase': 448131, 'gonna increase like': 356560, 'increase like crazy': 432899, 'america announced': 51455, 'announced thursday': 77094, 'thursday afternoon': 895336, 'afternoon that': 36715, 'extending additional': 293220, 'of america announced': 580035, 'america announced thursday': 51456, 'announced thursday afternoon': 77095, 'thursday afternoon that': 895337, 'afternoon that it': 36716, 'is extending additional': 447670, 'extending additional support': 293221, 'cooleyproductwise': 203078, 'uk cooleyproductwise': 938270, 'consumer right in': 198818, 'the uk cooleyproductwise': 870203, 'industry every': 435808, 'retail industry every': 718213, 'industry every step': 435809, 'sanatizers': 733588, 'person am': 652302, 'am couple': 49986, 'hand sanatizers': 375214, 'sanatizers to': 733589, 'on despite': 600300, 'despite going': 238749, 'daily ve': 224866, 'generous person am': 345730, 'person am couple': 652303, 'am couple of': 49987, 'spare hand sanatizers': 787482, 'hand sanatizers to': 375215, 'sanatizers to people': 733590, 'group thinking would': 366924, 'thinking would be': 886033, 'buy some more': 149212, 'some more few': 783319, 'few week on': 304158, 'week on despite': 976666, 'on despite going': 600301, 'despite going to': 238750, 'the shop daily': 866989, 'shop daily ve': 760086, 'daily ve not': 224867, 've not bought': 953396, 'not bought any': 568605, 'any and silly': 78925, 'and silly price': 71667, 'silly price on': 769764, 'hydrocarbon': 411964, 'that qatar': 845918, 'qatar is': 691494, 'issue 5bn': 455637, '5bn bond': 20628, 'support state': 826836, 'state finance': 795582, 'finance strained': 306274, 'strained by': 812311, 'depressed hydrocarbon': 237591, 'hydrocarbon price': 411965, 'and in report': 65066, 'in report that': 427401, 'report that qatar': 712328, 'that qatar is': 845919, 'qatar is preparing': 691495, 'preparing to issue': 670365, 'to issue 5bn': 908551, 'issue 5bn bond': 455638, '5bn bond to': 20629, 'bond to support': 134271, 'to support state': 915970, 'support state finance': 826837, 'state finance strained': 795583, 'finance strained by': 306275, 'strained by the': 812312, 'of and depressed': 580150, 'and depressed hydrocarbon': 61230, 'depressed hydrocarbon price': 237592, 'amend my': 51392, 'order item': 618347, 'longer available': 501926, 'available why': 104700, 'me actually': 522353, 'actually ill': 30842, 'ill who': 416184, 'food ll': 315333, 'risk passing': 723813, 'email from asda': 272181, 'from asda to': 334594, 'asda to amend': 94993, 'to amend my': 900404, 'amend my order': 51393, 'my order item': 549613, 'order item are': 618348, 'item are no': 463100, 'no longer available': 564635, 'longer available why': 501928, 'available why are': 104701, 'buying when there': 151349, 'when there people': 984231, 'there people like': 878926, 'like me actually': 490737, 'me actually ill': 522354, 'actually ill who': 30843, 'ill who need': 416185, 'the food ll': 855572, 'food ll just': 315334, 'll just have': 496859, 'go out shopping': 353981, 'out shopping and': 627175, 'and risk passing': 70559, 'risk passing on': 723814, 'passing on what': 643389, 'on what have': 605225, 'what have to': 981580, 'have to others': 383256, 'traderjoe': 928807, 'walmart traderjoe': 965455, 'traderjoe giant': 928808, 'at walmart traderjoe': 101480, 'walmart traderjoe giant': 965456, 'traderjoe giant have': 928809, 'called supply': 156450, 'run nowadays': 727724, 'can be called': 157597, 'be called supply': 113949, 'called supply run': 156451, 'supply run nowadays': 825786, 'your power': 1025366, 'power top': 667720, 'get help if': 347206, 'pay for your': 644909, 'for your power': 328192, 'your power top': 1025367, 'power top up': 667721, 'authority in': 103750, 'oman carried': 598828, 'out number': 626661, 'of procedure': 588454, 'virus preparedness': 958647, 'authority in oman': 103751, 'in oman carried': 426107, 'oman carried out': 598829, 'carried out number': 164941, 'out number of': 626662, 'number of procedure': 576979, 'of procedure to': 588455, 'procedure to curb': 679823, 'the virus preparedness': 870880, 'sympathy': 830791, 'back sympathy': 107297, 'sympathy for': 830792, 'not progressive': 571113, 'progressive position': 683415, 'position auspol': 665159, 'again for those': 36995, 'the back sympathy': 849151, 'back sympathy for': 107298, 'sympathy for people': 830793, 'hoarding essential medicine': 399282, 'essential medicine and': 281303, 'is not progressive': 450162, 'not progressive position': 571114, 'progressive position auspol': 683416, 'deception': 230816, 'next charlie': 561302, 'charlie nonprofit': 173753, 'nonprofit in': 566689, 'ha sued': 372102, 'sued fox': 817181, 'allegedly violating': 45721, 'violating consumer': 957500, 'by engaging': 152492, 'in campaign': 421175, 'campaign of': 157238, 'of deception': 582438, 'deception regarding': 230817, 'pandemic folk': 635436, 'are you next': 91824, 'you next charlie': 1020091, 'next charlie nonprofit': 561303, 'charlie nonprofit in': 173754, 'nonprofit in washington': 566690, 'washington state ha': 967806, 'state ha sued': 795643, 'ha sued fox': 372103, 'sued fox news': 817182, 'news for allegedly': 560424, 'for allegedly violating': 319200, 'allegedly violating consumer': 45722, 'violating consumer protection': 957501, 'law by engaging': 482233, 'by engaging in': 152493, 'engaging in campaign': 276916, 'in campaign of': 421176, 'campaign of deception': 157239, 'of deception regarding': 582439, 'deception regarding the': 230818, '19 pandemic folk': 9330, 'witnessed my': 1003158, 'first lockdown': 308769, 'lockdown traffic': 500072, 'traffic jam': 929110, 'jam well': 464362, 'britain you': 140478, 'll stand': 497025, 'doorstep banging': 255840, 'banging pan': 109480, 'pan for': 634664, 'cannot resist': 162062, 'resist your': 714586, 'daily trip': 224848, 'supermarket absolute': 818757, 'absolute fucking': 27238, 'idiot nation': 413554, 'just witnessed my': 470319, 'witnessed my first': 1003159, 'my first lockdown': 548343, 'first lockdown traffic': 308770, 'lockdown traffic jam': 500073, 'traffic jam well': 929111, 'jam well done': 464363, 'done great britain': 254859, 'great britain you': 362537, 'britain you ll': 140479, 'you ll stand': 1019671, 'll stand on': 497026, 'stand on your': 793566, 'your doorstep banging': 1023585, 'doorstep banging pan': 255841, 'banging pan for': 109481, 'pan for the': 634665, 'nh but you': 561909, 'you cannot resist': 1017873, 'cannot resist your': 162063, 'resist your daily': 714587, 'your daily trip': 1023449, 'daily trip out': 224849, 'trip out to': 932138, 'to the super': 917108, 'the super spreader': 868433, 'spreader supermarket absolute': 790909, 'supermarket absolute fucking': 818758, 'absolute fucking idiot': 27239, 'fucking idiot nation': 339914, 'at caledon': 98185, 'caledon grocery': 155379, 'we we': 973764, 'asked peel': 95807, 'peel public': 646257, 'have question and': 382130, 'question and concern': 693521, 'and concern after': 60245, 'concern after the': 192907, 'news that an': 560858, 'employee at caledon': 273642, 'at caledon grocery': 98186, 'caledon grocery store': 155380, 'store wa confirmed': 811107, 'wa confirmed positive': 961857, 'confirmed positive for': 194184, 'positive for so': 665327, 'for so did': 325694, 'so did we': 776863, 'did we we': 240905, 'we we asked': 973765, 'we asked peel': 970788, 'asked peel public': 95808, 'peel public health': 646258, 'health for answer': 386448, 'thanks spar': 842183, 'spar for': 787440, 'the charge': 850700, 'charge against': 173190, 'against panic': 37577, 'follow suite': 312512, 'suite and': 817826, 'security sa': 744735, 'sa store': 728942, 'thanks spar for': 842184, 'spar for leading': 787441, 'leading the charge': 483749, 'the charge against': 850701, 'charge against panic': 173191, 'against panic buying': 37578, 'buying we urge': 151329, 'we urge others': 973599, 'others to follow': 621727, 'to follow suite': 906063, 'follow suite and': 312513, 'suite and ensure': 817827, 'and ensure food': 62164, 'ensure food security': 277942, 'food security sa': 316365, 'security sa sa': 744736, 'sa sa sa': 728928, 'sa sa store': 728929, 'sa store please': 728943, 'store please rt': 809592, 'sickening now': 768714, 'all sanitizers': 44236, 'sanitizers this': 736416, 'price shooting': 676374, 'them who brought': 876627, 'who brought in': 988344, 'brought in south': 141166, 'africa is sickening': 35092, 'is sickening now': 451915, 'sickening now they': 768715, 'and all sanitizers': 57888, 'all sanitizers this': 44237, 'sanitizers this will': 736417, 'this will result': 891441, 'result in price': 717547, 'in price shooting': 426980, 'price shooting up': 676375, 'shooting up 19': 759781, 'up 19 mazibuk0': 944128, '100freegift': 2160, 'ginseng': 350218, '9x': 24042, '8g': 23182, 'insanhealing': 439092, 'covid19 prevention': 214352, 'prevention kit': 671864, 'kit will': 475672, 'sent with': 750856, 'code 100freegift': 185325, '100freegift prevention': 2161, 'includes korean': 431770, 'korean ginseng': 477520, 'ginseng stick': 350219, 'stick hand': 800029, 'sanitizer sanitary': 735681, 'wipe 9x': 996169, '9x purple': 24043, 'purple salt': 690080, 'salt 8g': 732799, '8g kn95': 23183, 'mask insanhealing': 518853, 'insanhealing saferathome': 439093, 'saferathome socialdistancing': 730413, 'covid19 prevention kit': 214353, 'prevention kit will': 671866, 'kit will be': 475673, 'will be sent': 992671, 'be sent with': 117091, 'sent with the': 750857, 'with the purchase': 1001444, 'purchase of 100': 689571, 'of 100 and': 579316, '100 and more': 1834, 'and more use': 67225, 'more use code': 540877, 'use code 100freegift': 949118, 'code 100freegift prevention': 185326, '100freegift prevention kit': 2162, 'prevention kit includes': 671865, 'kit includes korean': 475578, 'includes korean ginseng': 431771, 'korean ginseng stick': 477521, 'ginseng stick hand': 350220, 'stick hand sanitizer': 800030, 'hand sanitizer sanitary': 375576, 'sanitizer sanitary wipe': 735682, 'sanitary wipe 9x': 733823, 'wipe 9x purple': 996170, '9x purple salt': 24044, 'purple salt 8g': 690081, 'salt 8g kn95': 732800, '8g kn95 mask': 23184, 'kn95 mask insanhealing': 475974, 'mask insanhealing saferathome': 518854, 'insanhealing saferathome socialdistancing': 439094, 'mirza mbbs': 533952, 'pakistan my': 634478, 'my lord': 549161, 'lord ba': 503304, 'zafar mirza mbbs': 1027179, 'mirza mbbs rmc': 533953, 'protection pakistan my': 685562, 'pakistan my lord': 634479, 'my lord ba': 549162, 'lord ba national': 503305, 'unkind': 942500, 'judgy': 467682, 'sadistic': 729320, 'supercilious': 818637, 'ffsbekind': 304334, 'those unkind': 892580, 'unkind judgy': 942501, 'judgy sadistic': 467683, 'sadistic and': 729321, 'and supercilious': 72696, 'supercilious people': 818638, 'are government': 86932, 'government plant': 360464, 'more miserable': 539780, 'miserable experience': 533983, 'experience than': 291498, 'again ffsbekind': 36989, 'those unkind judgy': 892581, 'unkind judgy sadistic': 942502, 'judgy sadistic and': 467684, 'sadistic and supercilious': 729322, 'and supercilious people': 72697, 'supercilious people at': 818639, 'supermarket are government': 819161, 'are government plant': 86933, 'government plant to': 360465, 'plant to make': 658717, 'make it an': 510019, 'it an even': 456469, 'even more miserable': 284365, 'more miserable experience': 539781, 'miserable experience than': 533984, 'experience than it': 291499, 'than it need': 840800, 'to be just': 901350, 'be just so': 115587, 'so we never': 778676, 'we never want': 972585, 'never want to': 558263, 'want to leave': 966062, 'the house again': 857590, 'house again ffsbekind': 406162, 'senior lecturer': 750343, 'lecturer in': 485212, 'marketing ha': 517614, 'must trust': 546961, 'senior lecturer in': 750344, 'lecturer in business': 485213, 'and marketing ha': 66725, 'marketing ha written': 517615, 'article for the': 94323, 'for the about': 326294, 'the about why': 848242, 'we must trust': 972448, 'must trust our': 546962, 'trust our food': 934300, 'our food supplier': 623133, 'supplier and stop': 824487, 'ai are': 39295, 'among trend': 53104, 'company tracking': 191257, 'and ai are': 57798, 'ai are among': 39296, 'are among trend': 84522, 'among trend of': 53105, 'trend of company': 931406, 'of company tracking': 581614, 'company tracking the': 191258, 'tracking the impact': 928370, 'recalibrate': 703356, 'petrochemical maker': 653688, 'maker recalibrate': 510853, 'recalibrate output': 703357, 'output amid': 629228, 'petrochemical demand': 653682, 'demand crude': 235192, 'price feedstock': 673836, 'feedstock chemical': 302533, 'asia petrochemical maker': 95216, 'petrochemical maker recalibrate': 653689, 'maker recalibrate output': 510854, 'recalibrate output amid': 703358, 'output amid pandemic': 629229, 'amid pandemic hit': 52572, 'hit demand icis': 398208, 'demand icis petrochemical': 235658, 'icis petrochemical demand': 412772, 'petrochemical demand crude': 653683, 'demand crude price': 235193, 'crude price feedstock': 219589, 'price feedstock chemical': 673837, 'stock amp': 801792, 'amp deliver': 53623, 'following essential': 312727, 'item milk': 463458, 'bread farm': 138463, 'farm egg': 299111, 'pasta pasta': 643785, 'sauce vegetable': 737163, 'oil tuna': 597489, 'tuna baked': 935373, 'bean cereal': 118306, 'cereal biscuit': 169918, 'biscuit happy': 131507, 'amp network': 54170, 'network with': 557782, 'we stock amp': 973417, 'stock amp deliver': 801793, 'amp deliver the': 53624, 'deliver the following': 233228, 'the following essential': 855504, 'following essential item': 312728, 'essential item milk': 281213, 'item milk bread': 463459, 'milk bread farm': 531599, 'bread farm egg': 138464, 'farm egg rice': 299112, 'egg rice pasta': 269973, 'rice pasta pasta': 721103, 'pasta pasta sauce': 643786, 'pasta sauce vegetable': 643804, 'sauce vegetable oil': 737164, 'vegetable oil tuna': 954054, 'oil tuna baked': 597490, 'tuna baked bean': 935374, 'baked bean cereal': 108761, 'bean cereal biscuit': 118307, 'cereal biscuit happy': 169919, 'biscuit happy to': 131508, 'to help amp': 907449, 'help amp network': 389343, 'amp network with': 54171, 'network with local': 557783, 'bank where we': 110295, 'we can 19': 970898, 'sunshine and': 818423, 'and drying': 61789, 'drying some': 261336, 'some recycled': 783708, 'recycled amp': 705536, 'garden all': 343574, 'making the most': 511420, 'of the sunshine': 591509, 'the sunshine and': 868420, 'sunshine and drying': 818424, 'and drying some': 61790, 'drying some recycled': 261337, 'some recycled amp': 783709, 'recycled amp in': 705537, 'amp in the': 53981, 'the garden all': 856157, 'garden all because': 343575, 'selfish people and': 748204, 'people and leaving': 646869, 'and leaving nothing': 66069, 'leaving nothing on': 485119, 'need it don': 555084, 'it don buy': 457657, 'don buy it': 253411, 'buy it we': 148866, 'restriction what': 717418, 'please bekind': 659723, 'bekind to': 126120, 'tired vulnerable': 899055, 'ha empty': 370487, 'or rule': 616929, 'uk supermarket restriction': 938773, 'supermarket restriction what': 822227, 'restriction what you': 717419, 'to know please': 908989, 'know please bekind': 476685, 'please bekind to': 659724, 'bekind to the': 126121, 'the staff they': 867705, 'they are tired': 881435, 'are tired vulnerable': 91099, 'tired vulnerable to': 899056, 'vulnerable to infection': 961222, 'to infection from': 908362, 'infection from shopper': 436761, 'from shopper it': 337269, 'shopper it not': 761579, 'their fault if': 873287, 'fault if the': 300406, 'if the store': 415035, 'store ha empty': 808005, 'ha empty shelf': 370488, 'empty shelf or': 275084, 'shelf or rule': 757384, 'or rule panicbuying': 616930, 'rule panicbuying panicshopping': 727321, 'wish thought': 996830, 'wish thought of': 996831, 'thought of this': 893154, 'crisis human': 217508, 'animal can': 76562, 'increased drive': 433304, 'drive toward': 259235, 'toward hoarding': 927126, 'behavior however': 124068, 'however these': 409491, 'these effort': 879952, 'secure material': 744449, 'material resource': 520413, 'be problematic': 116550, 'problematic to': 679790, 'of crisis human': 582164, 'crisis human and': 217509, 'human and other': 410409, 'and other animal': 68282, 'other animal can': 619839, 'animal can have': 76563, 'have an increased': 379256, 'an increased drive': 56243, 'increased drive toward': 433305, 'drive toward hoarding': 259236, 'toward hoarding behavior': 927127, 'hoarding behavior however': 399219, 'behavior however these': 124069, 'however these effort': 409492, 'these effort to': 879953, 'effort to secure': 269644, 'to secure material': 913967, 'secure material resource': 744450, 'material resource can': 520414, 'resource can be': 714727, 'can be problematic': 157667, 'be problematic to': 116551, 'problematic to the': 679791, 'the individual and': 858141, 'individual and our': 435133, 'increasing them': 433720, 'market from increasing': 516437, 'from increasing them': 336040, 'increasing them during': 433721, 'hanta': 377026, 'sir my': 771608, 'my humble': 548766, 'ban tiktok': 109280, 'tiktok till': 895922, 'till lockdown': 896049, 'people spreading': 649522, 'spreading fall': 790964, 'fall information': 296969, 'information hanta': 437852, 'hanta virus': 377027, 'virus shortage': 958739, 'stocking fake': 803555, 'corona vaccine': 204266, 'please corona': 659856, 'dear sir my': 229869, 'sir my humble': 771609, 'my humble request': 548767, 'request to ban': 713210, 'to ban tiktok': 901024, 'ban tiktok till': 109281, 'tiktok till lockdown': 895923, 'till lockdown people': 896050, 'lockdown people spreading': 499782, 'people spreading fall': 649523, 'spreading fall information': 790965, 'fall information hanta': 296970, 'information hanta virus': 437853, 'hanta virus shortage': 377028, 'virus shortage of': 958740, 'of food grocery': 583700, 'food grocery stocking': 314725, 'grocery stocking fake': 365159, 'stocking fake corona': 803556, 'fake corona vaccine': 296588, 'corona vaccine etc': 204267, 'vaccine etc please': 951693, 'etc please corona': 282703, 'extorted': 293373, 'vcat': 952785, 'so covid': 776812, 'super stressful': 818595, 'stressful so': 813508, 'new town': 559773, 'town having': 927484, 'having reduced': 384247, 'for ease': 320915, 'resupply amid': 717776, 'being extorted': 125126, 'extorted by': 293374, 'our mover': 623953, 'mover and': 543963, 'to vcat': 918126, 'vcat if': 952786, 'even continues': 283974, 'so covid 19': 776813, '19 is super': 8059, 'is super stressful': 452451, 'super stressful so': 818596, 'stressful so is': 813509, 'so is moving': 777443, 'is moving to': 449759, 'moving to new': 544211, 'to new town': 910577, 'new town having': 559774, 'town having reduced': 927485, 'having reduced food': 384248, 'reduced food stock': 706080, 'stock for ease': 802166, 'for ease and': 320916, 'ease and having': 265067, 'having to resupply': 384360, 'to resupply amid': 913441, 'resupply amid panic': 717777, 'buying so is': 151042, 'so is being': 777439, 'is being extorted': 446083, 'being extorted by': 125127, 'extorted by our': 293375, 'by our mover': 153484, 'our mover and': 623954, 'mover and needing': 543964, 'and needing to': 67491, 'needing to take': 556637, 'them to vcat': 876527, 'to vcat if': 918127, 'vcat if that': 952787, 'if that even': 414935, 'that even continues': 843733, 'even continues to': 283975, 'endless page': 276240, 'page after': 633827, 'after page': 36009, 'price uk': 677167, 'nh asda': 561893, 'tesco andrex': 838662, 'andrex toiletpapercrisis': 76219, 'endless page after': 276241, 'page after page': 633828, 'after page of': 36010, 'page of greedy': 633875, 'greedy people selling': 363568, 'people selling item': 649403, 'selling item from': 749320, 'item from supermarket': 463287, 'inflated price uk': 437079, 'price uk nh': 677168, 'uk nh asda': 938570, 'nh asda tesco': 561894, 'asda tesco andrex': 94986, 'tesco andrex toiletpapercrisis': 838663, 'andrex toiletpapercrisis toiletpaper': 76220, 'sagicorbank': 730899, 'inyourcorner': 444420, 'lessen physical': 486441, 'physical interaction': 655426, 'interaction you': 441273, 'find most': 307072, 'most small': 542749, 'enterprise smes': 278463, 'smes online': 775649, 'play part': 659203, 'safe sagicorbank': 729915, 'sagicorbank inyourcorner': 730900, 'important to lessen': 419057, 'to lessen physical': 909190, 'lessen physical interaction': 486442, 'physical interaction you': 655427, 'interaction you can': 441274, 'can find most': 158327, 'find most small': 307073, 'most small and': 542750, 'medium enterprise smes': 527091, 'enterprise smes online': 278464, 'smes online without': 775650, 'online without leaving': 609760, 'your home shopping': 1024374, 'online will play': 609732, 'will play part': 994421, 'play part in': 659204, 'part in supporting': 642302, 'in supporting small': 428742, 'supporting small business': 827186, 'business while keeping': 144664, 'keeping safe sagicorbank': 472545, 'safe sagicorbank inyourcorner': 729916, 'dox': 257851, 'myteam': 551039, 'is dox': 447356, 'dox sth': 257852, 'sth to': 800012, 'community reducing': 190059, 'some free': 782901, 'time open': 897421, 'open myteam': 612389, 'myteam the': 551040, 'pack price': 633135, 'are same': 89803, 'like 2k': 489700, '2k not': 16625, 'seeing that': 746483, 'community no': 190003, 'no or': 565006, 'low pay': 505480, '19 every business': 6864, 'every business is': 285705, 'business is dox': 143953, 'is dox sth': 447357, 'dox sth to': 257853, 'sth to help': 800013, 'the community reducing': 851294, 'community reducing price': 190060, 'reducing price making': 706314, 'price making some': 675159, 'making some free': 511356, 'some free and': 782902, 'free and all': 331641, 'that but every': 843062, 'every time open': 286312, 'time open myteam': 897422, 'open myteam the': 612390, 'myteam the pack': 551041, 'the pack price': 862838, 'pack price are': 633136, 'price are same': 672731, 'are same like': 89804, 'same like 2k': 733144, 'like 2k not': 489701, '2k not seeing': 16626, 'not seeing that': 571499, 'seeing that this': 746484, 'that this done': 846990, 'done to people': 255075, 'to people and': 911612, 'the community no': 851287, 'community no or': 190004, 'no or low': 565007, 'or low pay': 616019, 'freshii': 333127, 'empire co': 273409, 'ltd the': 506390, 'chain sobeys': 171121, 'sobeys safeway': 779378, 'and freshco': 63303, 'freshco ha': 333117, 'hire people': 397020, 'with experience': 998337, 'industry cineplex': 435725, 'cineplex freshii': 178564, 'freshii etc': 333128, 'empire co ltd': 273410, 'co ltd the': 184879, 'ltd the owner': 506391, 'owner of supermarket': 632520, 'supermarket chain sobeys': 819637, 'chain sobeys safeway': 171122, 'sobeys safeway and': 779379, 'safeway and freshco': 730831, 'and freshco ha': 63304, 'freshco ha started': 333118, 'ha started the': 372051, 'started the process': 794853, 'process to hire': 679976, 'to hire people': 907798, 'hire people with': 397021, 'people with experience': 650448, 'with experience in': 998338, 'experience in the': 291397, 'service industry cineplex': 752494, 'industry cineplex freshii': 435726, 'cineplex freshii etc': 178565, 'freshii etc during': 333129, 'etc during the': 282503, 'lockdow': 499090, 'area onlinedelivery': 92146, 'onlinedelivery onlineshopping': 609809, 'onlineshopping food': 609899, 'food harrow': 314771, 'harrow supermarket': 378529, 'supermarket londonlockdown': 821381, 'londonlockdown lockdow': 501258, 'harrow area onlinedelivery': 378528, 'area onlinedelivery onlineshopping': 92147, 'onlinedelivery onlineshopping food': 609810, 'onlineshopping food harrow': 609900, 'food harrow supermarket': 314772, 'harrow supermarket supermarket': 378530, 'supermarket supermarket londonlockdown': 823035, 'supermarket londonlockdown lockdow': 821382, 'plunge deeper': 661429, 'deeper doubt': 231957, 'price plunge deeper': 675924, 'plunge deeper doubt': 661430, 'deeper doubt grow': 231958, 'benicetous': 127223, 'wearestillworking': 974571, 'eat benicetous': 265863, 'benicetous wearestillworking': 127224, 'wearestillworking hoarder': 974572, 'in these dark': 429837, 'these dark time': 879860, 'dark time let': 225985, 'time let all': 897126, 'let all give': 486558, 'all give thanks': 42927, 'the folk working': 855489, 'folk working at': 312317, 'to eat benicetous': 904870, 'eat benicetous wearestillworking': 265864, 'benicetous wearestillworking hoarder': 127225, 'another emptied': 77597, 'also this week': 49008, 'this week at': 891187, 'week at another': 975959, 'at another emptied': 98016, 'another emptied out': 77598, 'emptied out grocery': 274693, 'moment travel': 536098, 'event scam': 285067, 'scam employment': 740150, 'employment school': 274646, 'helpful information on': 391197, 'information on issue': 437916, 'on issue of': 601642, 'the moment travel': 860787, 'moment travel event': 536099, 'travel event scam': 930356, 'event scam employment': 285068, 'scam employment school': 740151, 'retailtherapy': 719566, 'shopping lockdowneffect': 763208, 'lockdowneffect retailtherapy': 500265, 'online shopping lockdowneffect': 609176, 'shopping lockdowneffect retailtherapy': 763209, 'the suffolk': 868395, 'suffolk down': 817415, 'down testing': 257256, 'city opened': 179307, 'or cop': 614824, 'cop and': 203253, 'show which': 767277, 'which community': 985754, 'and profession': 69588, 'profession are': 682384, 'hit har': 398245, 'think the same': 885651, 'same should apply': 733286, 'should apply with': 765523, 'apply with the': 82626, 'with the suffolk': 1001504, 'the suffolk down': 868396, 'suffolk down testing': 817416, 'down testing site': 257257, 'testing site the': 839641, 'site the city': 772025, 'the city opened': 850951, 'city opened to': 179308, 'opened to first': 612773, 'responder the virus': 715532, 'virus doesn care': 958142, 'doesn care if': 251723, 'worker or cop': 1007502, 'or cop and': 614825, 'cop and the': 203254, 'and the data': 73315, 'data show which': 226415, 'show which community': 767278, 'which community and': 985755, 'community and profession': 189722, 'and profession are': 69589, 'profession are being': 682385, 'being hit har': 125252, 'makro is': 511527, 'grocery thailand': 366021, 'pattaya makro is': 644441, 'makro is packed': 511528, 'packed with shopper': 633671, 'with shopper thai': 1000690, 'on grocery thailand': 601189, 'maryland be': 518186, 'for asap': 319497, 'basis dontbeaspreader': 112233, 'request that the': 713201, 'that the staff': 846838, 'the staff truck': 867707, 'store in maryland': 808337, 'in maryland be': 425158, 'maryland be tested': 518187, 'tested for asap': 839304, 'for asap and': 319498, 'asap and on': 94860, 'and on regular': 68065, 'regular basis dontbeaspreader': 707740, 'hrly': 409702, 'cashier have': 166541, 'glove wash': 353010, 'hand hr': 375023, 'hr wear': 409676, 'wear mouth': 974419, 'mouth guard': 543513, 'guard mask': 367819, 'bandana offer': 109380, 'offer sanitizer': 594777, 'people sanitize': 649341, 'sanitize cart': 734174, 'basket hrly': 112350, 'hrly sanitize': 409705, 'all handle': 43032, 'handle hrly': 376207, 'hrly cooler': 409703, 'cooler essentialworker': 203075, 'store cashier have': 806888, 'cashier have tip': 166543, 'have tip for': 383144, 'tip for other': 898776, 'for other store': 324178, 'other store worker': 620994, 'store worker wear': 811619, 'worker wear glove': 1008153, 'wear glove wash': 974350, 'glove wash hand': 353011, 'wash hand hr': 967487, 'hand hr wear': 375024, 'hr wear mouth': 409677, 'wear mouth guard': 974420, 'mouth guard mask': 543514, 'guard mask bandana': 367820, 'mask bandana offer': 518456, 'bandana offer sanitizer': 109381, 'offer sanitizer to': 594778, 'sanitizer to older': 735938, 'older people sanitize': 598659, 'people sanitize cart': 649342, 'sanitize cart and': 734175, 'cart and hand': 165247, 'and hand basket': 64137, 'hand basket hrly': 374819, 'basket hrly sanitize': 112351, 'hrly sanitize all': 409706, 'sanitize all handle': 734164, 'all handle hrly': 43033, 'handle hrly cooler': 376208, 'hrly cooler essentialworker': 409704, 'future keep maldives': 342372, 'quickly shifted': 694595, 'physical to': 655474, 'quickly ramp': 694579, 'application appsec': 82436, 'pandemic consumer buying': 635188, 'consumer buying ha': 196706, 'buying ha quickly': 150448, 'ha quickly shifted': 371619, 'quickly shifted from': 694596, 'shifted from physical': 758490, 'from physical to': 336920, 'physical to online': 655475, 'online retailer need': 608884, 'to quickly ramp': 912682, 'quickly ramp up': 694580, 'ramp up ecommerce': 696440, 'up ecommerce application': 944774, 'ecommerce application appsec': 266717, 'start including': 794343, 'your discussion': 1023518, 'register and': 707540, 'please start including': 660538, 'start including grocery': 794344, 'in your discussion': 431074, 'your discussion about': 1023519, 'this coronacrisis thank': 886879, 'coronacrisis thank them': 204808, 'thank them while': 841665, 'them while you': 876621, 'the register and': 865439, 'register and in': 707541, 'in the hallway': 429252, 'kudlow': 477871, 'snort': 776386, 'istan': 456150, 'bananarepublic': 109324, 'hedgefund': 388730, 'mutualfunds': 547096, 'cocaine kudlow': 185194, 'kudlow snort': 477872, 'snort say': 776387, 'say trump': 739410, 'trump istan': 933664, 'istan not': 456151, 'not dictate': 569014, 'dictate oil': 240500, 'lol oilprices': 500935, 'oilprices rally': 597689, 'rally bye': 696257, 'bye greatgame': 154803, 'greatgame oilpricewar': 363301, 'oilpricewar saudi': 597714, 'russia loot': 728510, 'oott aliceinwonderland': 611760, 'aliceinwonderland bananarepublic': 41732, 'bananarepublic cheap': 109325, 'oil india': 596879, 'india escape': 434394, 'escape economicslowdown': 280304, 'economicslowdown sucker': 267505, 'sucker saved': 816958, 'saved hedgefund': 737741, 'hedgefund mutualfunds': 388731, 'cocaine kudlow snort': 185195, 'kudlow snort say': 477873, 'snort say trump': 776388, 'say trump istan': 739411, 'trump istan not': 933665, 'istan not dictate': 456152, 'not dictate oil': 569015, 'dictate oil price': 240501, 'oil price lol': 597182, 'price lol oilprices': 675090, 'lol oilprices rally': 500936, 'oilprices rally bye': 597690, 'rally bye greatgame': 696258, 'bye greatgame oilpricewar': 154804, 'greatgame oilpricewar saudi': 363302, 'oilpricewar saudi russia': 597715, 'saudi russia loot': 737298, 'russia loot oott': 728511, 'loot oott aliceinwonderland': 503234, 'oott aliceinwonderland bananarepublic': 611761, 'aliceinwonderland bananarepublic cheap': 41733, 'bananarepublic cheap oil': 109326, 'cheap oil india': 174159, 'oil india escape': 596880, 'india escape economicslowdown': 434395, 'escape economicslowdown sucker': 280305, 'economicslowdown sucker saved': 267506, 'sucker saved hedgefund': 816959, 'saved hedgefund mutualfunds': 737742, 'great uk': 363085, 'anyone know about': 80399, 'know about way': 476228, 'about way of': 26848, 'food delivered at': 314092, 'delivered at home': 233298, 'going out but': 355361, 'but all supermarket': 145088, 'all supermarket apps': 44541, 'for week he': 327714, 'week he is': 976316, 'he is based': 385113, 'is based in': 446000, 'based in any': 111617, 'in any advice': 420418, 'be great uk': 115096, 'itching': 463005, 'changed me': 172508, 'minute step': 533842, 'my ear': 548046, 'ear my': 264397, 'my cheek': 547667, 'cheek and': 175081, 'my forehead': 548398, 'forehead start': 328952, 'start itching': 794355, 'itching like': 463006, 'ha changed me': 370129, 'changed me the': 172509, 'me the minute': 523650, 'the minute step': 860673, 'minute step into': 533843, 'step into supermarket': 799574, 'into supermarket my': 443050, 'supermarket my ear': 821556, 'my ear my': 548047, 'ear my cheek': 264398, 'my cheek and': 547668, 'cheek and my': 175082, 'and my forehead': 67367, 'my forehead start': 548399, 'forehead start itching': 328953, 'start itching like': 794356, 'itching like crazy': 463007, 'corringham': 207650, 'two shopper': 937211, 'and elusive': 62022, 'elusive loo': 272039, 'roll essex': 725290, 'essex 19': 281973, 'shopping toiletpaper': 764224, 'toiletpaper corringham': 921897, 'two shopper wait': 937212, 'shopper wait for': 761799, 'wait for store': 964122, 'to open to': 911010, 'open to buy': 612589, 'buy supply and': 149262, 'supply and elusive': 824715, 'and elusive loo': 62023, 'elusive loo roll': 272040, 'loo roll essex': 502179, 'roll essex 19': 725291, 'essex 19 shopping': 281974, '19 shopping toiletpaper': 10492, 'shopping toiletpaper corringham': 764225, 'use such': 949617, 'india can use': 434332, 'can use such': 160103, 'use such sanitizer': 949618, 'such sanitizer instead': 816732, 'instead of alcohol': 440229, 'of alcohol based': 579892, 'based sanitizer 19': 111733, 'sanitizer 19 who': 734287, 'peopleareidiots': 650587, 'beerruntoo': 122555, 'so into': 777421, 'into socialdistancing': 442996, 'when drive': 983366, 'keep car': 471380, 'car length': 163167, 'length from': 486310, 'me besafe': 522512, 'besafe physicaldistancing': 127440, 'physicaldistancing peopleareidiots': 655493, 'peopleareidiots beerruntoo': 650588, 'so into socialdistancing': 777422, 'into socialdistancing that': 442998, 'socialdistancing that when': 780790, 'that when drive': 847483, 'when drive to': 983367, 'store my one': 809013, 'my one day': 549571, 'one day week': 606168, 'day week keep': 228697, 'week keep car': 976452, 'keep car length': 471381, 'car length from': 163168, 'length from the': 486311, 'from the car': 337626, 'the car in': 850380, 'car in front': 163134, 'of me besafe': 586327, 'me besafe physicaldistancing': 522513, 'besafe physicaldistancing peopleareidiots': 127441, 'physicaldistancing peopleareidiots beerruntoo': 655494, 'my bankruptcy': 547402, 'bankruptcy waived': 110546, 'waived because': 964527, 'control new': 202055, 'new jordan': 558995, 'jordan on': 467292, 'you think can': 1021648, 'think can get': 885180, 'get my bankruptcy': 347627, 'my bankruptcy waived': 547403, 'bankruptcy waived because': 110547, 'waived because of': 964528, 'past week ha': 643646, 'week ha gotten': 976298, 'of control new': 581845, 'control new jordan': 202056, 'new jordan on': 558996, 'jordan on the': 467293, 'everybody at': 286406, 'everybody at the': 286407, 'britain will': 140474, 'fall only': 297017, 'and rebound': 70032, 'for the real': 326646, 'sale in britain': 732293, 'in britain will': 420994, 'britain will collapse': 140475, 'will fall only': 993407, 'fall only and': 297018, 'only and rebound': 610093, 'and rebound next': 70033, 'meal program': 524260, 'program across': 683192, 'though food bank': 892812, 'bank and meal': 109618, 'and meal program': 66840, 'meal program across': 524261, 'program across the': 683193, 'the city have': 850936, 'city have noticed': 179178, 'noticed an increase': 573423, 'demand since many': 236224, 'since many say': 770721, 'many say the': 514659, 'plainclothingstore': 658026, '19 slightly': 10606, 'have diarrhea': 380258, 'diarrhea related': 240387, 'related symptom': 708584, 'symptom rather': 830904, 'rather over': 697486, 'have fever': 380605, 'fever why': 303698, 'updated thermometer': 947443, 'thermometer instead': 879526, 'instead eh': 440172, 'eh do': 270133, 'corona plain': 204107, 'plain plainclothingstore': 658014, 'plainclothingstore toiletpaper': 658027, 'toiletpaper donthoard': 921921, 'covid 19 slightly': 213813, '19 slightly over': 10607, 'slightly over of': 773971, 'over of all': 630452, 'all case have': 42310, 'case have diarrhea': 165762, 'have diarrhea related': 380259, 'diarrhea related symptom': 240388, 'related symptom rather': 708585, 'symptom rather over': 830905, 'rather over 80': 697487, 'over 80 of': 629931, '80 of case': 22602, 'of case have': 581168, 'case have fever': 165763, 'have fever why': 380606, 'fever why do': 303699, 'not you get': 572609, 'you get an': 1018758, 'get an updated': 346550, 'an updated thermometer': 56936, 'updated thermometer instead': 947444, 'thermometer instead eh': 879527, 'instead eh do': 440173, 'eh do not': 270134, 'that person at': 845718, 'store corona plain': 807174, 'corona plain plainclothingstore': 204108, 'plain plainclothingstore toiletpaper': 658015, 'plainclothingstore toiletpaper donthoard': 658028, 'the pandemic socialdistancing': 863100, 'into joevs': 442683, 'get into joevs': 347367, 'into joevs grocery': 442684, 'they are over': 881354, 'are over capacity': 88907, 'brumbabybank': 141343, 'only put': 611041, 'on brum': 599709, 'brum family': 141339, 'disrupted so': 246408, 'so baby': 776571, 'buy birmingham': 148421, 'birmingham brumbabybank': 131381, '19 will only': 12106, 'will only put': 994335, 'only put additional': 611042, 'pressure on brum': 671204, 'on brum family': 599710, 'brum family already': 141340, 'family already at': 297570, 'already at breaking': 47200, 'breaking point supermarket': 139030, 'point supermarket supply': 662636, 'been disrupted so': 121004, 'disrupted so baby': 246409, 'so baby supply': 776572, 'baby supply are': 106708, 'supply are difficult': 824784, 'difficult to access': 242326, 'to access for': 899952, 'access for working': 28133, 'for working class': 327946, 'class family who': 180188, 'family who can': 298375, 'bulk buy birmingham': 142253, 'buy birmingham brumbabybank': 148422, 'recover vancouverrealestate': 705217, 'vancouverrealestate vanre': 952382, 'vanre vancouverhomes': 952448, 'vancouverhomes vancouver': 952375, 'drop in home': 260253, 'home price then': 401921, 'price then it': 676875, 'to recover vancouverrealestate': 912992, 'recover vancouverrealestate vanre': 705218, 'vancouverrealestate vanre vancouverhomes': 952383, 'vanre vancouverhomes vancouver': 952449, 'vancouverhomes vancouver british': 952376, 'opheusden': 613426, 'gj': 351467, 'in opheusden': 426192, 'opheusden this': 613427, 'work perfectly': 1005604, 'perfectly supermarket': 651403, 'sunday still': 818269, 'still quiet': 801088, 'quiet monday': 694686, 'monday gj': 536293, 'the more extreme': 860881, 'extreme measure at': 293815, 'measure at our': 525134, 'supermarket in opheusden': 820951, 'in opheusden this': 426193, 'opheusden this work': 613428, 'this work perfectly': 891498, 'work perfectly supermarket': 1005605, 'perfectly supermarket 19': 651404, 'supermarket 19 also': 818735, '19 also this': 4934, 'also this store': 49007, 'this store is': 890350, 'is closed on': 446585, 'on sunday still': 603773, 'sunday still quiet': 818270, 'still quiet monday': 801089, 'quiet monday gj': 694687, 'socialdistanacing the': 780117, 'hardest thing': 378233, 'panicbuyinguk socialdistanacing the': 639169, 'socialdistanacing the hardest': 780118, 'the hardest thing': 857115, 'hardest thing to': 378234, 'thing to get': 884887, 'hold of now': 399969, 'be traveling': 117801, 'gym improvise': 369326, 'll be traveling': 496642, 'be traveling to': 117802, 'store and gym': 806253, 'and gym improvise': 64058, 'spring it': 791222, 'on up': 604987, 'to 75': 899828, 'next purchase': 561523, 'online shopping be': 609045, 'be like spring': 115744, 'like spring it': 491230, 'spring it on': 791223, 'it on up': 460066, 'on up to': 604988, 'up to 75': 946348, 'to 75 of': 899830, '75 of your': 22157, 'of your next': 593502, 'your next purchase': 1025005, 'next purchase just': 561524, 'purchase just use': 689520, 'just use discount': 470173, 'hundal': 410970, 'hundal is': 410971, 'regular supermarket': 707879, 'failing the': 296223, 'country big': 210516, 'big time': 130073, 'sainsbury doing': 731662, 'doing playing': 252601, 'playing golf': 659407, 'golf they': 356145, 'hundal is my': 410972, 'is my regular': 449808, 'my regular supermarket': 549914, 'regular supermarket and': 707880, 'they are failing': 881271, 'are failing the': 86447, 'failing the country': 296224, 'the country big': 852051, 'country big time': 210517, 'big time what': 130074, 'time what on': 898274, 'what on earth': 981960, 'earth is the': 264991, 'is the ceo': 452746, 'ceo of sainsbury': 169786, 'of sainsbury doing': 589232, 'sainsbury doing playing': 731663, 'doing playing golf': 252602, 'playing golf they': 659408, 'golf they keep': 356146, 'keep saying they': 471909, 'saying they ve': 739729, 'got the food': 358902, 'the food where': 855623, 'shot there': 765447, 'florist open': 311051, 'shopping after getting': 761907, 'after getting the': 35709, 'getting the flu': 349346, 'flu shot there': 311457, 'shot there are': 765448, 'are no florist': 88258, 'no florist open': 564234, 'florist open but': 311052, 'pharmacology': 654192, 'former ff': 329634, 'ff medic': 304254, 'medic now': 526001, 'now pharmacist': 575538, 'pharmacist donates': 654133, 'to fd': 905688, 'fd donation': 300816, 'donation fire': 254602, 'fire em': 308074, 'em health': 272067, 'wellness infectious': 978846, 'disease pharmacology': 245205, 'pharmacology safety': 654193, 'safety firefighter': 730529, 'firefighter paramedic': 308221, 'paramedic fda': 641382, 'former ff medic': 329635, 'ff medic now': 304255, 'medic now pharmacist': 526002, 'now pharmacist donates': 575539, 'pharmacist donates hand': 654134, 'sanitizer to fd': 735920, 'to fd donation': 905689, 'fd donation fire': 300817, 'donation fire em': 254603, 'fire em health': 308075, 'em health and': 272068, 'and wellness infectious': 75423, 'wellness infectious disease': 978847, 'infectious disease pharmacology': 436903, 'disease pharmacology safety': 245206, 'pharmacology safety firefighter': 654194, 'safety firefighter paramedic': 730530, 'firefighter paramedic fda': 308222, 'magalogues': 508313, 'promos': 683766, 'the magalogues': 859876, 'magalogues and': 508314, 'and promos': 69622, 'promos well': 683767, 'off apply': 593659, 'nature cdo': 552946, 'cdo store': 168682, 'in the magalogues': 429335, 'the magalogues and': 859877, 'magalogues and promos': 508315, 'and promos well': 69623, 'promos well on': 683768, 'well on site': 978436, 'on site and': 603480, 'site and off': 771873, 'and off apply': 67963, 'off apply this': 593660, 'apply this is': 82605, 'line with human': 493580, 'with human nature': 998910, 'human nature cdo': 410568, 'nature cdo store': 552947, 'cdo store temporarily': 168683, 'temporarily closing due': 837477, 'measure the spread': 525370, 'this hang': 887833, 'inventory on the': 443700, 'market and soon': 515990, 'and soon to': 72003, 'soon to market': 785869, 'to market we': 909862, 'strong and together': 813984, 'through this hang': 894819, 'this hang in': 887834, 'cn will': 184706, 'shielded for': 758186, 'week month': 976538, 'cn will be': 184707, 'in the group': 429246, 'the group and': 856861, 'group and so': 366605, 'so will my': 778771, 'will my mum': 994140, 'mum who live': 545977, 'live with in': 496119, 'with in the': 998967, 'the group that': 856871, 'group that need': 366911, 'be shielded for': 117132, 'shielded for 12': 758187, '12 week month': 2986, 'week month this': 976539, 'month this will': 538069, 'will mean staying': 994111, 'mean staying in': 524657, 'staying in hope': 798636, 'in hope can': 423799, 'hope can still': 403434, 'get the online': 348276, 'online shopping that': 609302, 'shopping that need': 764078, 'goibibo': 354970, 'is harassing': 448296, 'harassing and': 377823, 'court for': 211988, 'transfer credit': 929507, 'his account': 397178, 'flight within': 310563, 'within year': 1002463, 'but goibibo': 145799, 'goibibo is': 354971, 'not transferring': 572247, 'transferring this': 929556, 'this benefit': 886550, 'is harassing and': 448297, 'harassing and asking': 377824, 'and asking the': 58440, 'asking the consumer': 96075, 'consumer court for': 197005, 'court for help': 211989, 'for help due': 322175, '19 ha allowed': 7324, 'ha allowed it': 369493, 'allowed it customer': 46183, 'customer to transfer': 222983, 'to transfer credit': 917706, 'transfer credit to': 929508, 'credit to his': 216538, 'to his account': 907805, 'his account which': 397179, 'account which can': 28782, 'used to book': 950040, 'to book flight': 901892, 'book flight within': 134522, 'flight within year': 310564, 'within year but': 1002464, 'year but goibibo': 1014444, 'but goibibo is': 145800, 'goibibo is not': 354972, 'is not transferring': 450212, 'not transferring this': 572248, 'transferring this benefit': 929557, 'this benefit to': 886551, 'benefit to customer': 127114, 'tipping cashier': 898982, 'time stayathome': 897756, 'stayathome groceryworkers': 797492, 'say we start': 739459, 'we start tipping': 973378, 'start tipping cashier': 794571, 'tipping cashier and': 898983, 'cashier and grocery': 166457, 'ha food during': 370647, 'crazy time stayathome': 215454, 'time stayathome groceryworkers': 897757, 'christ never': 178080, 'never abandon': 557843, 'abandon 19': 24198, 'christ never abandon': 178081, 'never abandon 19': 557844, 'guess will': 368103, 'will head': 993690, 'guess will head': 368104, 'will head to': 993691, 'panic toiletpaperapocalypse': 638728, 'shipment of toiletpaper': 758771, 'toiletpaper are on': 921749, 'way so do': 969872, 'not panic toiletpaperapocalypse': 570944, 'wear full': 974324, 'full ppe': 340821, 'ppe be': 667923, 'vigilant respect': 957255, 'distancing sainsburys': 247453, 'just remember that': 469605, 'remember that going': 710279, 'supermarket is probably': 821115, 'probably the highest': 679400, '19 right now': 10233, 'right now wear': 722176, 'now wear full': 576362, 'wear full ppe': 974325, 'full ppe be': 340822, 'ppe be vigilant': 667924, 'be vigilant respect': 118004, 'vigilant respect social': 957256, 'social distancing sainsburys': 779706, 'distancing sainsburys tesco': 247454, 'sainsburys tesco aldi': 731797, 'aldi lidl asda': 41281, 'asda morrison waitrose': 94952, 'equitymarkets': 279975, 'all hoarded': 43130, 'hoarded toiletpaper': 398970, 'them shitting': 876275, 'shitting their': 759363, 'pant not': 639494, 'the equitymarkets': 854463, 'now it clear': 575110, 'it clear to': 457164, 'clear to me': 181377, 'to me why': 909970, 'me why all': 523973, 'why all hoarded': 990728, 'all hoarded toiletpaper': 43131, 'hoarded toiletpaper all': 398971, 'toiletpaper all of': 921704, 'of them shitting': 591764, 'them shitting their': 876276, 'shitting their pant': 759364, 'their pant not': 874236, 'pant not because': 639495, 'because of but': 119315, 'of but the': 580991, 'but the equitymarkets': 147337, 'merkels': 529184, 'of merkels': 586447, 'merkels guest': 529185, 'guest screamed': 368175, 'screamed in': 742649, 'god meanwhile': 354768, 'france immigrant': 331006, 'immigrant claim': 417213, 'is disease': 447209, 'for white': 327856, 'white only': 987879, 'allah will': 45619, 'one of merkels': 606754, 'of merkels guest': 586448, 'merkels guest screamed': 529186, 'guest screamed in': 368176, 'screamed in german': 742650, 'german supermarket corona': 346249, 'supermarket corona all': 819792, 'corona all back': 203802, 'all back to': 42106, 'back to god': 107368, 'to god meanwhile': 906895, 'god meanwhile in': 354769, 'in france immigrant': 423079, 'france immigrant claim': 331007, 'immigrant claim that': 417214, 'claim that the': 179835, 'the is disease': 858488, 'is disease for': 447210, 'disease for white': 245147, 'for white only': 327857, 'white only and': 987880, 'only and that': 610094, 'and that allah': 73175, 'that allah will': 842583, 'allah will protect': 45620, 'will protect them': 994497, 'my rant': 549886, 'read my rant': 700470, 'my rant on': 549887, 'rant on facebook': 696847, 'facebook about the': 294879, 'about the selfish': 26515, 'bastard who hoard': 112520, 'hoard food panicbuying': 398796, 'food panicbuying stoppanicbuying': 315759, 'business fail': 143730, 'fail job': 296092, 'lost and': 503825, 'only postponed': 611008, 'postponed earlier': 666808, 'earlier get': 264446, 'get destroyed': 346872, 'destroyed permanently': 239067, 'when business fail': 983216, 'business fail job': 143731, 'fail job are': 296093, 'are lost and': 87905, 'lost and consumer': 503826, 'consumer demand that': 197169, 'demand that wa': 236341, 'that wa only': 847303, 'wa only postponed': 962859, 'only postponed earlier': 611009, 'postponed earlier get': 666809, 'earlier get destroyed': 264447, 'get destroyed permanently': 346873, 'government list': 360321, 'sound sinister': 786331, 'sinister enough': 771460, 'itself about': 463911, 'health etc': 386409, 'slot drone': 774167, 'drone checking': 260059, 'checking up': 174859, 'be mobile': 115952, 'phone tracking': 655049, 'tracking next': 928347, 'people giving up': 648074, 'up their personal': 946245, 'their personal information': 874282, 'personal information from': 652892, 'information from government': 437839, 'from government list': 335676, 'government list which': 360322, 'list which sound': 494595, 'which sound sinister': 986330, 'sound sinister enough': 786332, 'sinister enough in': 771461, 'enough in itself': 277484, 'in itself about': 424327, 'itself about health': 463912, 'about health etc': 25359, 'health etc in': 386410, 'etc in order': 282604, 'delivery slot drone': 234518, 'slot drone checking': 774168, 'drone checking up': 260060, 'checking up on': 174860, 'on it ll': 601673, 'll be mobile': 496602, 'be mobile phone': 115953, 'mobile phone tracking': 535014, 'phone tracking next': 655050, 'naive and don': 551527, 'and don understand': 61642, 'don understand is': 254008, 'understand is there': 940663, 'this to those': 890746, 'that could use': 843369, 'the to the': 869693, 'to the dump': 916658, 'the dump milk': 853778, 'to extra': 905543, 'extra channel': 293482, 'week free': 976247, 'others offering': 621560, 'entertainment what': 278618, 'access to extra': 28233, 'to extra channel': 905544, 'extra channel week': 293483, 'channel week free': 172944, 'week free premium': 976248, 'premium time lot': 669975, 'of others offering': 587398, 'others offering free': 621561, 'offering free service': 595123, 'home entertainment what': 401150, 'entertainment what about': 278619, 'what about putting': 980986, 'need reliable': 555510, 'water flowing': 968990, 'flowing food': 311350, 'hospital equipment': 404394, 'cook reduce': 202773, 'lockdown people need': 499780, 'people need reliable': 648835, 'need reliable energy': 555511, 'keep water flowing': 472205, 'water flowing food': 968991, 'flowing food safe': 311351, 'and hospital equipment': 64746, 'hospital equipment we': 404395, 'efficient healthy to': 269427, 'healthy to cook': 387792, 'to cook reduce': 903488, 'cook reduce greenhouse': 202774, 'none it': 566580, 'better because': 128211, 'he part': 385291, 'news is second': 560557, 'is second to': 451703, 'second to none': 743853, 'to none it': 910633, 'none it so': 566581, 'much better because': 544756, 'better because he': 128212, 'because he part': 119117, 'he part of': 385292, 'must have an': 546693, 'have an alcohol': 379239, 'an alcohol content': 55227, 'alcohol content of': 40972, 'content of at': 200830, 'least 60 to': 484372, '60 to be': 21027, 'stabilizing': 791881, 'price stabilizing': 676595, 'stabilizing after': 791882, 'latest update of': 481590, 'update of real': 947097, 'of real time': 588791, 'market data we': 516274, 'data we see': 226489, 'we see home': 973158, 'home price stabilizing': 401917, 'price stabilizing after': 676596, 'stabilizing after falling': 791883, 'after falling in': 35648, 'falling in march': 297290, 'societymarylandcoronavirusfeelgood': 781376, 'worker insisted': 1007227, 'senior disabled': 750276, 'disabled before': 243882, 'death societymarylandcoronavirusfeelgood': 230200, 'societymarylandcoronavirusfeelgood via': 781377, 'store worker insisted': 811528, 'worker insisted on': 1007228, 'insisted on helping': 439707, 'on helping senior': 601272, 'helping senior disabled': 391461, 'senior disabled before': 750277, 'disabled before covid': 243883, '19 death societymarylandcoronavirusfeelgood': 6456, 'death societymarylandcoronavirusfeelgood via': 230201, 'street pressuring': 813073, 'wall street pressuring': 965188, 'street pressuring key': 813074, 'price over coronavirus': 675815, 'over coronavirus crisis': 630117, 'tet': 839702, 'markson': 517938, 'how go': 407919, 'zone let': 1027765, 'alone viral': 46940, 'viral one': 957614, 'one ever': 606250, 'the tet': 869335, 'tet offensive': 839703, 'offensive in': 594489, 'the never': 861464, 'never let': 558102, 'get low': 347504, 'low jim': 505366, 'jim markson': 465502, 'is how go': 448577, 'how go to': 407920, 'thought be in': 892979, 'be in another': 115391, 'in another war': 420411, 'another war zone': 77949, 'war zone let': 966612, 'zone let alone': 1027766, 'let alone viral': 486587, 'alone viral one': 46941, 'viral one ever': 957615, 'one ever since': 606251, 'ever since my': 285506, 'since my experience': 770759, 'my experience during': 548128, 'during the tet': 263205, 'the tet offensive': 869336, 'tet offensive in': 839704, 'offensive in the': 594490, 'in the never': 429391, 'the never let': 861465, 'never let my': 558103, 'let my bottled': 486926, 'bottled water supply': 136377, 'water supply get': 969185, 'supply get low': 825315, 'get low jim': 347505, 'low jim markson': 505367, 'missionimpossible': 534388, 'when turn': 984354, 'turn toiletpaper': 935799, 'toiletpaper into': 922130, 'into missionimpossible': 442761, 'missionimpossible thanks': 534389, 'when turn toiletpaper': 984355, 'turn toiletpaper into': 935800, 'toiletpaper into missionimpossible': 922131, 'into missionimpossible thanks': 442762, 'missionimpossible thanks alot': 534390, 'at shut': 100524, 'down last': 256910, 'be staying': 117359, 'about individual': 25529, 'individual but': 435151, 'but community': 145434, 'work at shut': 1004898, 'at shut down': 100525, 'shut down last': 767833, 'down last week': 256911, 'our city ha': 622374, 'city ha no': 179169, 'ha no case': 371331, '19 and most': 5064, 'most people seem': 542626, 'to be staying': 901562, 'be staying home': 117360, 'staying home except': 798607, 'home except to': 401174, 'except to get': 289249, 'get food it': 347048, 'just about individual': 468133, 'about individual but': 25530, 'individual but community': 435152, 'really wash': 702705, 'folk diy': 312138, 'sanitizer but really': 734613, 'but really wash': 146901, 'really wash your': 702706, 'hand folk diy': 374936, 'folk diy homemade': 312139, 'amazonsellers': 51255, 'masksfordocs': 519686, 'masksformedics': 519688, 'prevent pricegouging': 671703, 'pricegouging amazonsellers': 677786, 'amazonsellers start': 51256, 'listing mask': 494861, 'toiletpaper these': 922603, 'all screen': 44254, 'screen grab': 742694, 'grab of': 361517, 'online mask': 608531, 'amazon toiletpapercrisis': 51167, 'toiletpapercrisis maskshortage': 923038, 'maskshortage masksfordocs': 519693, 'masksfordocs masksformedics': 519687, 'amazon is failing': 50997, 'is failing to': 447711, 'failing to prevent': 296234, 'to prevent pricegouging': 912083, 'prevent pricegouging amazonsellers': 671704, 'pricegouging amazonsellers start': 677787, 'amazonsellers start listing': 51257, 'start listing mask': 794368, 'listing mask toiletpaper': 494862, 'mask toiletpaper these': 519442, 'toiletpaper these are': 922604, 'are all screen': 84344, 'all screen grab': 44255, 'screen grab of': 742695, 'grab of online': 361518, 'of online mask': 587256, 'online mask for': 608532, 'sale at amazon': 732085, 'at amazon toiletpapercrisis': 97953, 'amazon toiletpapercrisis maskshortage': 51168, 'toiletpapercrisis maskshortage masksfordocs': 923039, 'maskshortage masksfordocs masksformedics': 519694, 'research series': 713835, 'for foodservice': 321660, 'foodservice business': 318092, 'will host': 993759, 'host daily': 404871, 'webinars each': 975152, 'each morning': 264123, 'morning publishing': 541407, 'publishing daily': 688736, 'send daily': 749837, 'launch daily covid': 481889, '19 consumer research': 5981, 'consumer research series': 198758, 'research series for': 713836, 'series for foodservice': 751251, 'for foodservice business': 321661, 'foodservice business we': 318093, 'we will host': 973871, 'will host daily': 993760, 'host daily briefing': 404872, 'briefing webinars each': 139754, 'webinars each morning': 975153, 'each morning publishing': 264124, 'morning publishing daily': 541408, 'publishing daily analysis': 688737, 'we will send': 973904, 'will send daily': 994809, 'send daily email': 749838, 'post explores': 666120, 'corruption the': 207704, 'for iraq': 322655, 'offer opportunity': 594730, 'iraq youth': 444789, 'organize four': 619460, 'four post': 330659, 'election implement': 271039, 'implement democratic': 418379, 'democratic reform': 236771, 'this post explores': 889674, 'post explores the': 666121, 'of corruption the': 581995, 'corruption the spread': 207705, 'coronavirus the collapse': 206905, 'price for iraq': 673982, 'for iraq the': 322656, 'crisis offer opportunity': 217795, 'offer opportunity for': 594731, 'opportunity for iraq': 613619, 'for iraq youth': 322657, 'iraq youth led': 444790, 'revolution organize four': 720752, 'organize four post': 619461, 'four post covid': 330660, '19 election implement': 6741, 'election implement democratic': 271040, 'implement democratic reform': 418380, 'slight uptick': 773931, 'asia new': 95205, 'slowdown across': 774416, 'europe oil': 283481, 'slight uptick in': 773932, 'uptick in asia': 947906, 'in asia new': 420524, 'asia new case': 95206, 'case of slowdown': 165927, 'of slowdown across': 589771, 'slowdown across europe': 774417, 'across europe oil': 29327, 'europe oil price': 283482, 'down in over': 256865, 'in over supply': 426380, 'over supply concern': 630668, 'doctoral': 251177, 'best doctoral': 127666, 'doctoral student': 251178, 'student wrote': 814811, 'following blog': 312693, 'all respond': 44171, 'respond effectively': 715297, 'racism during': 695283, 'ur best doctoral': 947985, 'best doctoral student': 127667, 'doctoral student wrote': 251179, 'student wrote the': 814812, 'wrote the following': 1013214, 'the following blog': 855498, 'following blog on': 312694, 'blog on how': 132975, 'can all respond': 157432, 'all respond effectively': 44172, 'respond effectively to': 715298, 'effectively to racism': 269376, 'to racism during': 912705, 'grubbing': 367506, 'profitmaking': 683140, '25 200': 15807, 'in however': 423883, 'money grubbing': 536798, 'grubbing business': 367507, 'you profitmaking': 1020454, 'profitmaking greed': 683141, 'hand gel for': 374979, 'gel for 25': 345117, 'for 25 200': 318778, '25 200 increase': 15808, '200 increase in': 13497, 'increase in however': 432840, 'in however when': 423885, 'must unite and': 546968, 'unite and boycott': 942122, 'these money grubbing': 880312, 'money grubbing business': 536799, 'grubbing business they': 367508, 'business they say': 144517, 'they say manufacturer': 883276, 'say manufacturer are': 738915, 'manufacturer are raising': 513430, 'raising price they': 696129, 'not it just': 570184, 'it just your': 459258, 'of you profitmaking': 593415, 'you profitmaking greed': 1020455, 'satanic': 736925, 'become evil': 119986, 'evil satanic': 288456, 'satanic gas': 736926, 'pump fill': 689044, 'up sinner': 946004, 'this ha officially': 887813, 'ha officially become': 371423, 'officially become evil': 595989, 'become evil satanic': 119987, 'evil satanic gas': 288457, 'satanic gas price': 736927, 'the pump fill': 864900, 'pump fill up': 689045, 'fill up sinner': 305515, 'chafe': 170421, 'troupe': 932690, 'safe despite': 729580, 'despite sandton': 238844, 'two ply': 937154, 'ply to': 661788, 'prevent excess': 671614, 'excess chafe': 289329, 'chafe with': 170422, 'shopper troupe': 761786, 'troupe thankfully': 932691, 'thankfully we': 841969, 'still all': 800175, 'take cheap': 832028, 'cheap poop': 174168, 'poop flattenthecurve': 664054, 'keep safe despite': 471874, 'safe despite sandton': 729581, 'despite sandton still': 238845, 'sandton still buying': 733728, 'still buying two': 800324, 'buying two ply': 151275, 'two ply to': 937155, 'ply to prevent': 661789, 'to prevent excess': 912056, 'prevent excess chafe': 671615, 'excess chafe with': 289330, 'chafe with toilet': 170423, 'caused by shopper': 167866, 'by shopper troupe': 153986, 'shopper troupe thankfully': 761787, 'troupe thankfully we': 932692, 'thankfully we can': 841970, 'can still all': 159761, 'still all take': 800176, 'all take cheap': 44591, 'take cheap poop': 832029, 'cheap poop flattenthecurve': 174169, 'thrashed': 893507, 'more fuelled': 539320, 'fuelled downside': 340353, 'downside ahead': 257696, 'ahead virus': 39219, 'virus thrashed': 958912, 'thrashed eua': 893508, 'after five': 35681, 'day sell': 228329, 'some see': 783814, 'more downside': 539070, 'ahead euets': 39149, 'euets octt': 283323, 'more fuelled downside': 539321, 'fuelled downside ahead': 340354, 'downside ahead virus': 257698, 'ahead virus thrashed': 39220, 'virus thrashed eua': 958913, 'thrashed eua price': 893509, 'eua price rebound': 283302, 'rebound after five': 703299, 'after five day': 35682, 'five day sell': 309604, 'day sell off': 228330, 'sell off but': 748814, 'off but some': 593702, 'but some see': 147105, 'some see more': 783815, 'see more downside': 745425, 'more downside ahead': 539071, 'downside ahead euets': 257697, 'ahead euets octt': 39150, '19 if not': 7661, 'if not why': 414517, 'not why not': 572509, 'large chain': 479615, 'bj target': 131990, 'who please': 989431, 'doing covid': 252336, 'for class': 320102, 'to interview': 908464, 'interview you': 442272, 'there anyone that': 878033, 'anyone that working': 80560, 'that working in': 847665, 'in supermarket grocery': 428609, 'store or large': 809343, 'or large chain': 615925, 'large chain costco': 479616, 'chain costco bj': 170624, 'costco bj target': 208213, 'bj target or': 131991, 'target or if': 834487, 'know anyone who': 476271, 'anyone who please': 80629, 'who please message': 989432, 'please message me': 660232, 'message me doing': 529365, 'me doing covid': 522672, 'doing covid 19': 252337, '19 story for': 10894, 'story for class': 811974, 'for class and': 320103, 'class and would': 180148, 'like to interview': 491601, 'to interview you': 908465, 'say hoarding': 738765, 'buying brings': 150048, 'brings instability': 140251, 'instability to': 439902, 'lee say hoarding': 485326, 'say hoarding and': 738766, 'panic buying brings': 637661, 'buying brings instability': 150049, 'brings instability to': 140252, 'instability to food': 439903, 'food supply watch': 317011, 'supply watch now': 826073, 'who store': 989696, 'store stacked': 810295, 'stacked food': 791987, 'an uber': 56814, 'uber to': 937834, 'deliver mcdonald': 233166, 'mcdonald food': 522142, 'them should': 876281, 'people vaccination': 650082, 'vaccination trial': 951637, 'trial first': 931639, 'first corvid19uk': 308600, 'corvid19uk mcdonalds': 207750, 'people who store': 650344, 'who store stacked': 989698, 'store stacked food': 810296, 'stacked food will': 791988, 'food will then': 317634, 'will then get': 995169, 'then get an': 877192, 'get an uber': 346548, 'an uber to': 56815, 'uber to deliver': 937835, 'to deliver mcdonald': 904105, 'deliver mcdonald food': 233167, 'mcdonald food to': 522143, 'food to them': 317300, 'to them should': 917313, 'them should we': 876282, 'should we use': 766655, 'we use these': 973618, 'use these people': 949714, 'these people vaccination': 880462, 'people vaccination trial': 650083, 'vaccination trial first': 951638, 'trial first corvid19uk': 931640, 'first corvid19uk mcdonalds': 308601, 'selfishmorons': 748324, 'time mean': 897198, 'get stophoarding': 348125, 'stophoarding selfishmorons': 805458, 'working full time': 1008662, 'full time mean': 340942, 'time mean by': 897199, 'we go shopping': 971650, 'shopping there nothing': 764109, 'nothing left this': 573089, 'left this wa': 485681, 'wa all we': 961473, 'all we could': 45404, 'we could get': 971206, 'could get stophoarding': 209207, 'get stophoarding selfishmorons': 348126, 'shopping went': 764368, 'by 90': 151715, '90 compared': 23281, 'italy covid': 462803, 'is profoundly': 451078, 'profoundly impacting': 683166, 'world source': 1009993, 'online shopping went': 609339, 'shopping went up': 764369, 'up by 90': 944547, 'by 90 compared': 151716, '90 compared to': 23282, 'compared to last': 191429, 'last year in': 480726, 'year in italy': 1014650, 'in italy covid': 424295, 'italy covid 19': 462804, '19 is profoundly': 8027, 'is profoundly impacting': 451079, 'profoundly impacting the': 683167, 'impacting the state': 418270, 'state of business': 795797, 'the world source': 871970, 'early don': 264580, 'hoard wear': 398907, 'foot or': 318417, 'or far': 615270, 'far possible': 298891, 'joke saturdaymorning': 467130, 'lockdown groceryshopping': 499430, 'normal is waiting': 567191, 'is waiting in': 453733, 'store please go': 809586, 'please go early': 660037, 'go early don': 353507, 'early don hoard': 264581, 'don hoard wear': 253644, 'hoard wear mask': 398908, 'wear mask don': 974383, 'mask don bring': 518588, 'don bring your': 253398, 'child and stay': 176000, 'and stay foot': 72292, 'stay foot or': 796874, 'foot or far': 318418, 'or far possible': 615271, 'far possible while': 298892, 'possible while out': 665881, 'while out this': 987137, 'no joke saturdaymorning': 564548, 'joke saturdaymorning lockdown': 467131, 'saturdaymorning lockdown groceryshopping': 737091, 'openhouses': 612788, 'ibuyers': 412601, 'rate head': 697245, 'market frm': 516432, 'frm housing': 334117, 'housing stock': 407158, 'rising joblessness': 723241, 'joblessness virtual': 466352, 'tour openhouses': 926935, 'openhouses broker': 612789, 'broker listing': 140937, 'listing dom': 494838, 'dom ibuyers': 253147, 'ibuyers government': 412602, 'mortgage rate head': 541945, 'rate head up': 697246, 'head up again': 385850, 'up again another': 944235, 'again another blow': 36896, 'blow to realestate': 133359, 'to realestate market': 912851, 'realestate market frm': 701497, 'market frm housing': 516433, 'frm housing stock': 334118, 'housing stock price': 407159, 'price rising joblessness': 676255, 'rising joblessness virtual': 723242, 'joblessness virtual tour': 466353, 'virtual tour openhouses': 957808, 'tour openhouses broker': 926936, 'openhouses broker listing': 612790, 'broker listing dom': 140938, 'listing dom ibuyers': 494839, 'dom ibuyers government': 253148, 'ibuyers government bond': 412603, 'called by': 156286, 'seen seriously': 747216, 'brit got': 140341, 'shit toiletpaperpanic': 759272, 'called by supermarket': 156287, 'by supermarket not': 154166, 'supermarket not single': 821650, 'not single roll': 571600, 'toiletpaper to be': 922620, 'be seen seriously': 117043, 'seen seriously wtf': 747217, 'seriously wtf is': 751800, 'you people have': 1020322, 'people have all': 648158, 'all the brit': 44680, 'the brit got': 850017, 'brit got the': 140342, 'got the shit': 358914, 'the shit toiletpaperpanic': 866958, 'shit toiletpaperpanic toiletpaperapocalypse': 759273, 'ticket aka': 895590, 'aka toiletpaper': 40499, 'venturing out for': 954699, 'out for shit': 626157, 'shit ticket aka': 759260, 'ticket aka toiletpaper': 895591, 'kind that': 474987, 'apparently there is': 82024, 'paper just not': 640394, 'the kind that': 858813, 'kind that people': 474988, 'that people buy': 845689, 'people buy at': 647330, 'buy at their': 148388, 'supermarket store for': 823005, 'store for use': 807852, 'use at home': 949057, 'lorch': 503298, 'last explore': 480203, 'explore this': 292501, 'our on': 624131, 'april jackie': 83628, 'jackie lorch': 464167, 'lorch explores': 503299, 'opinion detailed': 613459, 'detailed in': 239290, 'long do consumer': 501398, 'do consumer believe': 249199, 'consumer believe will': 196622, 'believe will last': 126420, 'will last explore': 993940, 'last explore this': 480204, 'explore this and': 292502, 'in our on': 426319, 'our on thursday': 624132, 'on thursday april': 604666, 'thursday april jackie': 895354, 'april jackie lorch': 83629, 'jackie lorch explores': 464168, 'lorch explores the': 503300, 'explores the latest': 292536, 'consumer opinion detailed': 198273, 'opinion detailed in': 613460, 'detailed in special': 239291, 'in special edition': 428190, 'moroninchief': 541670, 'racistinchief': 695337, 'that orange': 845546, 'orange dude': 617913, 'dude can': 261581, 'identify grocery': 413358, 'store much': 808998, 'le shelf': 483115, 'ha zero': 372515, 'zero empathy': 1027442, 'empathy or': 273357, 'or understanding': 617595, 'condition moroninchief': 193484, 'moroninchief racistinchief': 541671, 'racistinchief coronacrisis': 695338, 'course he said': 211874, 'said that orange': 731412, 'that orange dude': 845547, 'orange dude can': 617914, 'dude can identify': 261582, 'can identify grocery': 158705, 'identify grocery store': 413359, 'grocery store much': 365579, 'store much le': 808999, 'much le shelf': 545043, 'le shelf in': 483116, 'store he ha': 808117, 'he ha zero': 385039, 'ha zero empathy': 372516, 'zero empathy or': 1027443, 'empathy or understanding': 273358, 'or understanding of': 617596, 'the human condition': 857715, 'human condition moroninchief': 410460, 'condition moroninchief racistinchief': 193485, 'moroninchief racistinchief coronacrisis': 541672, 'greeting to': 363812, 'they struggle': 883490, 'while selfish': 987242, 'bastard ransack': 112495, 'ransack the': 696802, 'place they': 657737, 'deal face': 229393, 'public risking': 688275, 'risking infection': 724074, 'infection unsung': 436872, 'greeting to the': 363813, 'staff they struggle': 792968, 'they struggle to': 883491, 'stocked while selfish': 803457, 'while selfish bastard': 987243, 'selfish bastard ransack': 748020, 'bastard ransack the': 112496, 'ransack the place': 696803, 'the place they': 863774, 'place they deal': 657738, 'they deal face': 881868, 'deal face to': 229394, 'the public risking': 864852, 'public risking infection': 688276, 'risking infection unsung': 724075, 'infection unsung hero': 436873, 'trashman': 930192, 'job deserve': 465777, 'deserve 10': 238018, 'back dated': 106945, 'dated raise': 226780, 'very second': 955508, 'confirmed deceased': 194152, 'deceased ll': 230719, 'start teacher': 794539, 'teacher medical': 835483, 'medical assistant': 526056, 'assistant nurse': 96792, 'clerk mailman': 181733, 'mailman woman': 508710, 'woman janitor': 1003539, 'janitor trashman': 464561, 'trashman woman': 930193, 'what job deserve': 981776, 'job deserve 10': 465778, 'deserve 10 year': 238019, '10 year back': 1766, 'year back dated': 1014421, 'back dated raise': 106946, 'dated raise the': 226781, 'raise the moment': 695956, 'the moment and': 860741, 'moment and mean': 535876, 'and mean the': 66847, 'mean the very': 524700, 'the very second': 870709, 'very second covid': 955509, '19 is confirmed': 7948, 'is confirmed deceased': 446734, 'confirmed deceased ll': 194153, 'deceased ll start': 230720, 'll start teacher': 497031, 'start teacher medical': 794540, 'teacher medical assistant': 835484, 'medical assistant nurse': 526057, 'assistant nurse grocery': 96793, 'store clerk mailman': 807016, 'clerk mailman woman': 181734, 'mailman woman janitor': 508711, 'woman janitor trashman': 1003540, 'janitor trashman woman': 464562, 'trashman woman who': 930194, 'woman who else': 1003678, 'who else who': 988688, 'else who am': 271981, 'who am missing': 988067, 'installing sneeze': 440048, 'supermarket housewares': 820805, 'other retailer are': 620848, 'retailer are installing': 719005, 'are installing sneeze': 87549, 'installing sneeze guard': 440049, 'sneeze guard and': 776241, 'guard and other': 367776, 'measure to reduce': 525403, 'of retail walmart': 589058, 'retail walmart supermarket': 718843, 'walmart supermarket housewares': 965423, 'supermarket housewares homeworld': 820806, 'riverina': 724196, 'unfortuna': 941553, 'between australian': 128728, 'australian rice': 103539, 'rice supply': 721152, 'coronavirus sunrice': 206843, 'sunrice product': 818413, 'the riverina': 865901, 'riverina prepares': 724197, 'record an': 704907, 'even smaller': 284588, 'smaller harvest': 775275, 'harvest than': 378636, 'year unfortuna': 1015062, 'australia the gap': 103401, 'gap between australian': 343433, 'between australian rice': 128729, 'australian rice supply': 103540, 'rice supply and': 721153, 'exacerbated by coronavirus': 288665, 'by coronavirus sunrice': 152235, 'coronavirus sunrice product': 206844, 'sunrice product flying': 818414, 'shelf the riverina': 757657, 'the riverina prepares': 865902, 'riverina prepares to': 724198, 'prepares to record': 670318, 'to record an': 912973, 'record an even': 704908, 'an even smaller': 55871, 'even smaller harvest': 284589, 'smaller harvest than': 775276, 'harvest than last': 378637, 'last year unfortuna': 480740, 'quick 10': 694266, 'minute walk': 533894, 'walk yesterday': 964927, 'again could': 36961, 'eye it': 294053, 'wa business': 961766, 'another shoulder': 77852, 'shoulder almost': 766688, 'almost nose': 46712, 'to nose': 910677, 'nose people': 567915, 'around chatting': 93248, 'had quick 10': 373441, 'quick 10 minute': 694267, '10 minute walk': 1543, 'minute walk yesterday': 533895, 'walk yesterday had': 964928, 'yesterday had look': 1015764, 'had look into': 373262, 'into the village': 443184, 'the village supermarket': 870765, 'village supermarket shop': 957372, 'supermarket shop and': 822584, 'shop and once': 759856, 'and once again': 68077, 'once again could': 605561, 'again could not': 36962, 'not believe my': 568557, 'believe my eye': 126314, 'my eye it': 548138, 'eye it wa': 294054, 'it wa business': 462085, 'wa business usual': 961767, 'business usual people': 144607, 'usual people bumping': 950994, 'people bumping into': 647311, 'bumping into one': 142598, 'into one another': 442805, 'one another shoulder': 605925, 'another shoulder to': 77853, 'to shoulder almost': 914539, 'shoulder almost nose': 766689, 'almost nose to': 46713, 'nose to nose': 567931, 'to nose people': 910679, 'nose people stood': 567916, 'people stood around': 649643, 'stood around chatting': 804372, 'around chatting in': 93249, 'chatting in group': 174016, 'vulnerable via': 961245, 'via coronav': 955887, 'ru shopping': 726897, 'retail necessity': 718326, 'up but do': 944518, 'hoard and be': 398751, 'and vulnerable via': 75065, 'vulnerable via coronav': 961246, 'via coronav ru': 955888, 'coronav ru shopping': 205360, 'ru shopping retail': 726898, 'shopping retail necessity': 763755, 'health day': 386369, 'celebrate everyone': 168787, 'nation healthy': 552207, 'you worldhealthday': 1022436, 'worldhealthday thankyou': 1010247, 'thankyou hero': 842343, 'this world health': 891512, 'world health day': 1009633, 'health day we': 386370, 'day we celebrate': 228673, 'we celebrate everyone': 971116, 'celebrate everyone who': 168788, 'everyone who keeping': 287596, 'who keeping the': 989161, 'keeping the nation': 472580, 'the nation healthy': 861240, 'nation healthy and': 552208, 'healthy and helping': 387525, 'and helping in': 64493, 'from the delivery': 337668, 'hero working for': 394182, 'nh we thank': 562163, 'thank you worldhealthday': 841847, 'you worldhealthday thankyou': 1022437, 'worldhealthday thankyou hero': 1010248, 'scam before': 740076, 'consumer alert the': 196156, 'alert the ftc': 41513, 'ftc and the': 339377, 'and the fda': 73371, 'the fda are': 855014, 'fda are stepping': 300838, 'up to stop': 946430, 'stop scam before': 804981, 'scam before they': 740077, 'before they spread': 123220, 'asking if': 96012, 'should conduct': 765853, 'conduct research': 193648, 'research luckily': 713784, 'luckily lot': 506510, 'research can': 713691, 'online method': 608542, 'method but': 529765, 'perspective mrx': 653214, 'newmr insight': 560129, '19 situation our': 10582, 'situation our client': 772431, 'our client are': 622391, 'client are asking': 182002, 'are asking if': 84641, 'asking if they': 96013, 'if they should': 415129, 'they should conduct': 883356, 'should conduct research': 765854, 'conduct research luckily': 193649, 'research luckily lot': 713785, 'luckily lot of': 506511, 'lot of research': 504267, 'of research can': 588963, 'research can be': 713692, 'can be converted': 157604, 'converted to online': 202563, 'to online method': 910938, 'online method but': 608543, 'method but doe': 529766, 'that mean it': 845112, 'mean it should': 524513, 'should be here': 765642, 'be here our': 115228, 'here our perspective': 393434, 'our perspective mrx': 624320, 'perspective mrx newmr': 653215, 'mrx newmr insight': 544488, 'situation food': 772267, 'and brookshire': 59221, 'is determined': 447149, '19 situation food': 10575, 'situation food bank': 772268, 'america are seeing': 51468, 'demand for resource': 235487, 'for resource to': 325160, 'resource to serve': 714912, 'serve those most': 751958, 'need and brookshire': 554418, 'and brookshire grocery': 59222, 'grocery co is': 364390, 'co is determined': 184862, 'is determined to': 447150, 'determined to make': 239461, 'the community it': 851283, 'community it serf': 189944, 'local5': 498715, 'incr': 432639, 'timeoff': 898492, 'food commercial': 313969, 'commercial worker': 188755, 'worker ufcw': 1008066, 'ufcw local5': 937930, 'local5 union': 498716, 'union agreement': 941866, 'agreement safeway': 38791, 'worker parent': 1007547, 'parent incr': 641658, 'incr flex': 432640, 'flex schedule': 310351, 'schedule expand': 741433, 'expand paid': 290461, 'sickleave exposed': 768734, 'to wks': 918661, 'wks paid': 1003254, 'paid timeoff': 634157, 'timeoff before': 898493, 'before use': 123258, 'use sickleave': 949574, 'sickleave hr': 768736, 'raise existing': 695836, 'existing over': 290337, 'over temp': 630679, 'united food commercial': 942160, 'food commercial worker': 313970, 'commercial worker ufcw': 188756, 'worker ufcw local5': 1008067, 'ufcw local5 union': 937931, 'local5 union agreement': 498717, 'union agreement safeway': 941867, 'agreement safeway for': 38792, 'safeway for grocery': 730839, 'store worker parent': 811554, 'worker parent incr': 1007548, 'parent incr flex': 641659, 'incr flex schedule': 432641, 'flex schedule expand': 310352, 'schedule expand paid': 741434, 'expand paid sickleave': 290462, 'paid sickleave exposed': 634128, 'sickleave exposed to': 768735, 'exposed to wks': 292913, 'to wks paid': 918662, 'wks paid timeoff': 1003255, 'paid timeoff before': 634158, 'timeoff before use': 898494, 'before use sickleave': 123259, 'use sickleave hr': 949575, 'sickleave hr raise': 768737, 'hr raise existing': 409658, 'raise existing over': 695837, 'existing over temp': 290338, 's1': 728844, 'foryou': 330065, 'foryoupage': 330068, 'gameofthrones': 343315, 'of bowl': 580810, 'bowl s1': 136976, 's1 ep': 728845, 'ep quarantine': 279271, 'alonetogether wereallinthistogether': 46970, 'wereallinthistogether charmin': 980371, 'charmin lol': 173800, 'toiletpaper boredinthehouse': 921823, 'boredinthehouse miami': 135388, 'miami viral': 530205, 'viral comedy': 957586, 'comedy foryou': 187746, 'foryou foryoupage': 330066, 'foryoupage gameofthrones': 330069, 'gameofthrones gameofthrones': 343316, 'game of bowl': 343213, 'of bowl s1': 580811, 'bowl s1 ep': 136977, 's1 ep quarantine': 728846, 'ep quarantine stayhome': 279272, 'quarantine stayhome alonetogether': 692568, 'stayhome alonetogether wereallinthistogether': 797939, 'alonetogether wereallinthistogether charmin': 46971, 'wereallinthistogether charmin lol': 980372, 'charmin lol toiletpaper': 173801, 'lol toiletpaper boredinthehouse': 500969, 'toiletpaper boredinthehouse miami': 921824, 'boredinthehouse miami viral': 135389, 'miami viral comedy': 530206, 'viral comedy foryou': 957587, 'comedy foryou foryoupage': 187747, 'foryou foryoupage gameofthrones': 330067, 'foryoupage gameofthrones gameofthrones': 330070, 'we paused': 972695, 'paused froze': 644635, 'froze all': 338943, 'all existing': 42722, 'existing consumer': 290300, 'interest until': 441424, 'end is': 275850, 'economic strategy': 267322, 'it fall': 457938, 'if we paused': 415298, 'we paused froze': 972696, 'paused froze all': 644636, 'froze all existing': 338944, 'all existing consumer': 42723, 'existing consumer mortgage': 290301, 'mortgage and student': 541865, 'loan debt and': 497422, 'and interest until': 65322, 'interest until the': 441425, '19 pandemic end': 9318, 'pandemic end is': 635380, 'end is that': 275851, 'that an option': 842648, 'option for an': 614032, 'an economic strategy': 55591, 'economic strategy and': 267323, 'strategy and if': 812610, 'and if not': 64943, 'why not where': 991240, 'not where doe': 572494, 'where doe it': 984839, 'doe it fall': 251431, 'it fall apart': 457939, 'tell amazon': 836905, 'walmart others': 965388, 'others except': 621387, 'except drug': 289138, 'company continue': 190567, 'continue usual': 201287, 'usual gouging': 950952, 'general tell amazon': 345486, 'tell amazon walmart': 836906, 'amazon walmart others': 51182, 'walmart others except': 965389, 'others except drug': 621388, 'except drug company': 289139, 'drug company continue': 260914, 'company continue usual': 190568, 'continue usual gouging': 201288, 'masksnow': 519698, 'making instant': 511130, 'instant eye': 440091, 'contact pandemic': 200173, 'pandemic friend': 635462, 'else also': 271619, 'also wearing': 49091, 'mask masks4all': 518958, 'masks4all masksnow': 519668, 'masksnow pandemic': 519699, 'supermarket making instant': 821441, 'making instant eye': 511131, 'instant eye contact': 440092, 'eye contact pandemic': 294028, 'contact pandemic friend': 200174, 'pandemic friend with': 635463, 'friend with anyone': 333916, 'with anyone else': 997284, 'anyone else also': 80255, 'else also wearing': 271620, 'also wearing mask': 49092, 'wearing mask masks4all': 974702, 'mask masks4all masksnow': 518959, 'masks4all masksnow pandemic': 519669, 'foodmanufacture': 317997, 'canned meat': 161550, 'meat flour': 525573, 'canned bean': 161498, 'bean have': 118326, 'since significant': 770824, 'significant consumer': 769407, 'stockpiling began': 803921, 'coronavirus foodmanufacture': 205938, 'sale of canned': 732385, 'of canned meat': 581108, 'canned meat flour': 161551, 'meat flour and': 525574, 'flour and canned': 311066, 'and canned bean': 59500, 'canned bean have': 161499, 'bean have more': 118327, 'than doubled since': 840522, 'doubled since significant': 256142, 'since significant consumer': 770825, 'significant consumer stockpiling': 769409, 'consumer stockpiling began': 199156, 'stockpiling began in': 803922, 'began in response': 123394, '19 coronavirus foodmanufacture': 6102, 'ultabeauty': 939099, 'furlough employee': 341886, 'employee store': 274248, 'closed retail': 183311, 'retail ultabeauty': 718824, 'ultabeauty housewares': 939100, 'furlough employee store': 341887, 'employee store remain': 274249, 'store remain closed': 809796, 'remain closed retail': 709724, 'closed retail ultabeauty': 183312, 'retail ultabeauty housewares': 718825, 'ultabeauty housewares homeworld': 939101, 'eejits': 268929, 'and reach': 69966, 'any frontliners': 79260, 'frontliners your': 338900, 'your might': 1024825, 'might know': 531059, 'also teacher': 48954, 'teacher still': 835505, 'still teaching': 801277, 'teaching vulnerable': 835564, 'vulnerable kid': 961028, 'staff dealing': 792352, 'with sea': 1000603, 'of eejits': 582981, 'eejits stripping': 268930, 'try and reach': 934449, 'and reach out': 69968, 'out to any': 627620, 'to any frontliners': 900606, 'any frontliners your': 79261, 'frontliners your might': 338901, 'your might know': 1024826, 'might know whether': 531060, 'know whether doctor': 477021, 'whether doctor and': 985506, 'but also teacher': 145148, 'also teacher still': 48955, 'teacher still teaching': 835506, 'still teaching vulnerable': 801278, 'teaching vulnerable kid': 835565, 'vulnerable kid and': 961029, 'kid and even': 473853, 'supermarket staff dealing': 822829, 'staff dealing with': 792353, 'dealing with sea': 229688, 'with sea of': 1000604, 'sea of eejits': 743099, 'of eejits stripping': 582982, 'eejits stripping shelf': 268931, 'stripping shelf they': 813917, 'shelf they need': 757673, 're thinking of': 699707, 'thinking of them': 885972, 'cdns': 168675, 'any cry': 79089, 'gouging set': 359449, 'in amongst': 420256, 'amongst cdns': 53126, 'cdns please': 168676, 'consider our': 195062, 'our dollar': 622795, 'plummeting wholesaler': 661396, 'wholesaler grocer': 990516, 'grocer facing': 364122, 'facing price': 295563, 'increase margin': 432902, 'margin are': 515608, 'extremely thin': 293932, 'thin in': 884055, 'some category': 782502, 'category neither': 167193, 'neither grocer': 557327, 'grocer nor': 364145, 'nor wholesaler': 566989, 'wholesaler can': 990514, 'carry those': 165156, 'those inc': 892105, 'before any cry': 122636, 'any cry of': 79090, 'cry of food': 219890, 'of food consumer': 583671, 'food consumer good': 313999, 'consumer good price': 197633, 'good price gouging': 357588, 'price gouging set': 674322, 'gouging set in': 359450, 'set in amongst': 753398, 'in amongst cdns': 420257, 'amongst cdns please': 53127, 'cdns please consider': 168677, 'please consider our': 659818, 'consider our dollar': 195063, 'our dollar is': 622796, 'dollar is plummeting': 253021, 'is plummeting wholesaler': 450912, 'plummeting wholesaler grocer': 661397, 'wholesaler grocer facing': 990517, 'grocer facing price': 364123, 'facing price increase': 295564, 'price increase margin': 674777, 'increase margin are': 432903, 'margin are extremely': 515609, 'are extremely thin': 86398, 'extremely thin in': 293933, 'thin in some': 884056, 'in some category': 428083, 'some category neither': 782503, 'category neither grocer': 167194, 'neither grocer nor': 557328, 'grocer nor wholesaler': 364146, 'nor wholesaler can': 566990, 'wholesaler can carry': 990515, 'can carry those': 157874, 'carry those inc': 165157, 'carlaw': 164746, 'surely supermarket': 827933, 'hotspot supermarket': 405320, 'glove carlaw': 352627, 'surely supermarket are': 827934, 'supermarket are potential': 819179, 'are potential covid': 89161, '19 hotspot supermarket': 7587, 'hotspot supermarket worker': 405321, 'supermarket worker need': 824053, 'to be issued': 901347, 'be issued with': 115557, 'and glove carlaw': 63713, 'sincerely wish': 771054, 'buyer food': 149644, 'good hoarder': 357185, 'hoarder get': 399027, 'and else': 62015, 'deserve any': 238031, 'sincerely wish all': 771055, 'wish all those': 996744, 'all those selfish': 45186, 'those selfish panic': 892438, 'panic buyer food': 637576, 'buyer food and': 149645, 'and good hoarder': 63831, 'good hoarder get': 357186, 'hoarder get infected': 399028, '19 and else': 5018, 'and else they': 62016, 'else they do': 271918, 'not deserve any': 569000, 'deserve any better': 238032, 'retailer named': 719248, 'shamed by': 754673, 'burger government': 142834, 'taken swift': 833066, 'swift action': 830313, 'retailer accused': 718941, 'major retailer named': 509442, 'retailer named and': 719249, 'and shamed by': 71369, 'shamed by louise': 754674, 'louise burger government': 504533, 'burger government ha': 142835, 'government ha taken': 360169, 'ha taken swift': 372151, 'taken swift action': 833067, 'swift action against': 830314, 'against retailer accused': 37606, 'retailer accused of': 718942, 'accused of hiking': 28950, 'imsohappy': 419652, 'lottery imsohappy': 504454, 'imsohappy toiletpaper': 419653, 'feel like just': 302724, 'like just won': 490589, 'just won the': 470325, 'the lottery imsohappy': 859749, 'lottery imsohappy toiletpaper': 504455, 'imsohappy toiletpaper 19': 419654, 'how are adapting': 407386, 'adapting their practice': 31338, 'their practice during': 874350, 'practice during the': 668552, 'up up': 946503, 'there beside': 878247, 'service indebted': 752490, 'guy are up': 368909, 'are up up': 91372, 'up up there': 946504, 'up there beside': 946259, 'there beside the': 878248, 'beside the nh': 127483, 'didn sign on': 241201, 'sign on for': 769180, 'on for this': 600955, 'your service indebted': 1025732, 'service indebted to': 752491, 'every one on': 286051, 'one on you': 606789, 'on you sainsburys': 605435, 'company after': 190356, 'and sanitizer company': 70866, 'sanitizer company after': 734675, 'also linking': 48481, 'linking nigga': 494013, 'nigga day': 562910, 'selected cash': 747490, 'king make': 475278, 'that han': 844164, 'or better': 614549, 'better anything': 128197, 'is trash': 453343, 'also linking nigga': 48482, 'linking nigga day': 494014, 'nigga day if': 562911, 'day if that': 227780, 'if that if': 414939, 'be selected cash': 117046, 'selected cash is': 747491, 'is king make': 449217, 'king make sure': 475279, 'you got that': 1018907, 'got that han': 358893, 'that han sanitizer': 844165, 'han sanitizer 70': 374694, '70 alcohol or': 21721, 'alcohol or better': 41063, 'or better anything': 614550, 'better anything else': 128198, 'anything else is': 80745, 'else is trash': 271760, 'he handling': 385069, 'handling well': 376408, 'well groceryshopping': 978263, 'socialdistancing trumpvirus': 780834, 'trumpvirus quarantinelife': 934185, 'my husband had': 548780, 'husband had to': 411711, 'store he handling': 808118, 'he handling well': 385070, 'handling well groceryshopping': 376409, 'well groceryshopping socialdistancing': 978264, 'groceryshopping socialdistancing trumpvirus': 366280, 'socialdistancing trumpvirus quarantinelife': 780835, 'is exhausting': 447635, 'of disheartening': 582679, 'disheartening running': 245515, 'of cart': 581162, 'cart wipe': 165426, 'wipe shelf': 996367, 'product try': 681784, 'one nice': 606717, 'thing per': 884681, 'it forward': 458124, 'forward be': 329970, 'nice during': 562390, 'grocery store industry': 365486, 'store industry during': 808432, 'time is exhausting': 897054, 'is exhausting and': 447636, 'exhausting and kind': 290188, 'kind of disheartening': 474889, 'of disheartening running': 582680, 'disheartening running out': 245516, 'out of cart': 626692, 'of cart wipe': 581163, 'cart wipe shelf': 165427, 'wipe shelf not': 996368, 'shelf not stocked': 757347, 'not stocked due': 571739, 'of product try': 588501, 'product try to': 681785, 'to do one': 904537, 'do one nice': 249933, 'one nice thing': 606718, 'nice thing per': 562482, 'thing per day': 884682, 'day to pay': 228573, 'pay it forward': 644969, 'it forward be': 458125, 'forward be nice': 329971, 'be nice during': 116080, 'nice during this': 562391, 'helper healthcare': 391123, 'employee state': 274234, 'state elected': 795553, 'official janitor': 595845, 'janitor volunteer': 464565, 'volunteer amp': 960209, 'all the helper': 44781, 'the helper healthcare': 857267, 'helper healthcare worker': 391124, 'first responder trucker': 308971, 'responder trucker grocery': 715545, 'store employee state': 807540, 'employee state elected': 274235, 'state elected official': 795554, 'elected official janitor': 270998, 'official janitor volunteer': 595846, 'janitor volunteer amp': 464566, 'volunteer amp people': 960210, 'amp people social': 54284, 'perth startup': 653286, 'startup the': 795133, 'the uno': 870444, 'uno group': 942987, 'group co': 366648, 'co specialise': 184957, 'purchase intelligence': 689510, 'intelligence and': 440989, 'are releasing': 89559, 'releasing free': 709117, 'free biweekly': 331673, 'trend amidst': 931260, 'help aussie': 389391, 'aussie business': 103114, 'business understand': 144584, 'understand implication': 940659, 'out techforgood': 627298, 'perth startup the': 653287, 'startup the uno': 795134, 'the uno group': 870445, 'uno group co': 942988, 'group co specialise': 366649, 'co specialise in': 184958, 'specialise in purchase': 788104, 'in purchase intelligence': 427128, 'purchase intelligence and': 689511, 'intelligence and are': 440990, 'and are releasing': 58350, 'are releasing free': 89560, 'releasing free biweekly': 709118, 'free biweekly update': 331674, 'biweekly update on': 131927, 'consumer trend amidst': 199363, 'trend amidst the': 931261, 'to help aussie': 907458, 'help aussie business': 389392, 'aussie business understand': 103115, 'business understand implication': 144585, 'understand implication of': 940660, 'it out techforgood': 460192, 'like second': 491147, 'struggle see': 814372, 'for many time': 323238, 'many time at': 514809, 'home is like': 401453, 'is like second': 449329, 'like second nature': 491148, 'nature for other': 552952, 'real struggle see': 701375, 'struggle see what': 814373, 'see what anxiety': 746019, 'instance the': 440086, 'restaurant money': 716575, 'the onslaught': 862362, 'onslaught of': 611561, 'of the important': 591132, 'the important and': 857978, 'policy for instance': 663410, 'for instance the': 322612, 'instance the shutting': 440087, 'down of hotel': 256998, 'and restaurant money': 70386, 'restaurant money will': 716576, 'you the onslaught': 1021606, 'the onslaught of': 862363, 'onslaught of the': 611562, 'african agricultural': 35167, 'them being': 875472, 'supermarket shelf across': 822419, 'world are the': 1009325, 'are the exploited': 90825, 'the exploited african': 854740, 'exploited african agricultural': 292404, 'african agricultural worker': 35168, 'agricultural worker who': 38926, 'fill them being': 305507, 'them being protected': 875473, 'theoretical': 877831, 'all theoretical': 45013, 'theoretical but': 877832, 'start many': 794385, 'many drug': 514012, 'drug already': 260865, 'already approved': 47188, 'fda may': 300888, 'have promise': 382070, 'promise against': 683665, 'is all theoretical': 445470, 'all theoretical but': 45014, 'theoretical but it': 877833, 'but it start': 146166, 'it start many': 461219, 'start many drug': 794386, 'many drug already': 514013, 'drug already approved': 260866, 'already approved by': 47189, 'by fda may': 152564, 'fda may have': 300889, 'may have promise': 521253, 'have promise against': 382071, 'promise against covid': 683666, 'fact can': 295688, 'booking for': 134727, 'shop meter': 760461, 'the fact can': 854819, 'fact can seem': 295689, 'an online booking': 56610, 'online booking for': 607943, 'booking for food': 134728, 'for food until': 321648, 'food until 2021': 317406, 'taking me food': 833437, 'me food shopping': 522742, 'food shopping tomorrow': 316543, 'suppose to walk': 827332, 'the shop meter': 867013, 'shop meter apart': 760462, 'apart to comply': 81359, 'comply with social': 192538, 'sanitizer nowhere': 735440, 'grocery driver': 364475, 'some available': 782358, 'nice gigeconomy': 562408, 'would you do': 1012407, 'you do something': 1018271, 'help your driver': 391018, 'your driver get': 1023605, 'driver get some': 259577, 'get some hand': 348057, 'hand sanitizer nowhere': 375507, 'sanitizer nowhere to': 735441, 'be found and': 114934, 'found and the': 330158, 'the grocery driver': 856808, 'grocery driver are': 364476, 'driver are in': 259434, 'contact with many': 200278, 'with many in': 999383, 'store even some': 807644, 'even some available': 284597, 'some available to': 782359, 'to purchase would': 912556, 'purchase would be': 689736, 'be nice gigeconomy': 116082, 'arkansas': 92861, 'ico': 412804, 'article arkansas': 94261, 'arkansas food': 92864, 'job ha': 465844, 'on fintech': 600798, 'fintech zoom': 308031, 'zoom fintech': 1027803, 'fintech blockchain': 308017, 'crypto cryptocurrency': 219942, 'cryptocurrency ico': 219979, 'new article arkansas': 558356, 'article arkansas food': 94262, 'arkansas food bank': 92865, 'impact job ha': 417725, 'job ha been': 465845, 'published on fintech': 688676, 'on fintech zoom': 600800, 'fintech zoom fintech': 308032, 'zoom fintech blockchain': 1027804, 'fintech blockchain crypto': 308018, 'blockchain crypto cryptocurrency': 132834, 'crypto cryptocurrency ico': 219943, 'were long': 979850, 'store post': 809615, 'post earthquake': 666099, 'earthquake people': 265042, 'were rushing': 980086, 'rushing in': 728378, 'essential this': 281683, 'wa after': 961453, 'population related': 664735, 'wa evacuated': 962081, 'evacuated from': 283685, 'store utwx': 811036, 'store line were': 808762, 'line were long': 493558, 'were long to': 979851, 'long to get': 501789, 'the store post': 868083, 'store post earthquake': 809616, 'post earthquake people': 666100, 'earthquake people were': 265043, 'people were rushing': 650219, 'were rushing in': 980087, 'rushing in to': 728379, 'in to grab': 430111, 'grab essential this': 361480, 'essential this wa': 281684, 'this wa after': 891048, 'wa after the': 961455, 'after the vulnerable': 36368, 'vulnerable population related': 961132, 'population related to': 664736, '19 wa evacuated': 11865, 'wa evacuated from': 962082, 'evacuated from store': 283686, 'from store utwx': 337448, 'and hydro': 64895, 'hydro and': 411949, 'union gas': 941883, 'gas bill': 343776, 'or tent': 617345, 'tent covid': 838008, 'afford this on': 34785, 'this on top': 889221, 'top of rent': 925640, 'rent and hydro': 711035, 'and hydro and': 64896, 'hydro and union': 411950, 'and union gas': 74674, 'union gas bill': 941884, 'gas bill etc': 343777, 'bill etc were': 130567, 'etc were heading': 282870, 'heading to live': 385961, 'live on the': 495967, 'street or tent': 813059, 'or tent covid': 617346, 'tent covid 19': 838009, 'discharge': 244339, 'accumulated': 28858, 'unfunded': 941672, 'asse': 96343, 'suspect is': 829471, 'used excuse': 949893, 'to discharge': 904348, 'discharge bad': 244340, 'loan accumulated': 497384, 'accumulated by': 28859, 'by bank': 151929, 'bank government': 109869, 'well default': 978139, 'default on': 232020, 'some unfunded': 784134, 'unfunded liability': 941673, 'liability while': 487952, 'other dark': 620070, 'dark entity': 225963, 'real market': 701262, 'market asse': 516040, 'suspect is being': 829472, 'being used excuse': 126018, 'used excuse to': 949894, 'excuse to discharge': 289779, 'to discharge bad': 904349, 'discharge bad loan': 244341, 'bad loan accumulated': 107929, 'loan accumulated by': 497385, 'accumulated by bank': 28860, 'by bank government': 151930, 'bank government and': 109870, 'public well default': 688469, 'well default on': 978140, 'default on some': 232021, 'on some unfunded': 603575, 'some unfunded liability': 784135, 'unfunded liability while': 941674, 'liability while some': 487953, 'while some other': 987300, 'some other dark': 783477, 'other dark entity': 620071, 'dark entity are': 225964, 'entity are looking': 278848, 'buy some real': 149213, 'some real market': 783692, 'real market asse': 701263, 'homecommerce': 402658, 'life move': 488888, 'move indoors': 543674, 'indoors shopping': 435418, 'shopping doe': 762498, 'doe too': 251652, 'too commerce': 924663, 'now re': 575639, 'of homecommerce': 584726, 'homecommerce check': 402659, 'importantly staysafe': 419144, 'life move indoors': 488889, 'move indoors shopping': 543675, 'indoors shopping doe': 435419, 'shopping doe too': 762499, 'doe too commerce': 251653, 'too commerce is': 924664, 'commerce is now': 188583, 'is now re': 450322, 'now re adjusting': 575640, 're adjusting to': 698190, 'new reality of': 559402, 'reality of homecommerce': 701772, 'of homecommerce check': 584727, 'homecommerce check out': 402660, 'post for more': 666135, 'more info and': 539547, 'info and most': 437416, 'most importantly staysafe': 542425, 'the intersection': 858397, 'intersection between': 442131, 'protection new': 685531, 'the awesome': 849124, 'awesome chopra': 106158, 'chopra covid': 177992, 'protection what': 685686, 'support working': 827004, 'family prosperity': 298170, 'prosperity now': 684729, 'know the intersection': 476831, 'the intersection between': 858398, 'intersection between covid': 442132, 'consumer protection new': 198546, 'protection new piece': 685532, 'new piece by': 559275, 'piece by the': 656286, 'by the awesome': 154264, 'the awesome chopra': 849125, 'awesome chopra covid': 106159, 'chopra covid 19': 177993, 'consumer protection what': 198581, 'protection what the': 685687, 'what the federal': 982314, 'to support working': 915988, 'support working family': 827005, 'working family prosperity': 1008624, 'family prosperity now': 298171, 'prosperity now via': 684730, 'calling small': 156628, 'business chicago': 143517, 'feedback to': 302435, 'survey asap': 828818, 'calling small business': 156629, 'small business chicago': 774844, 'business chicago department': 143518, 'your feedback to': 1023848, 'feedback to develop': 302436, 'to develop resource': 904250, '19 please fill': 9718, 'this survey asap': 890455, 'aisle these': 40393, 'day prof': 228256, 'prof jeffrey': 682356, 'jeffrey farber': 465041, 'navigate the supermarket': 553086, 'supermarket aisle these': 818847, 'aisle these day': 40394, 'these day prof': 879889, 'day prof jeffrey': 228257, 'prof jeffrey farber': 682357, 'jeffrey farber of': 465042, 'his advice to': 397186, 'lyondellbasell': 507150, 'huntsman wa': 411440, 'quickly switch': 694611, 'switch production': 830506, 'at plant': 100131, 'by converting': 152210, 'converting pilot': 202571, 'pilot equipment': 656731, 'equipment at': 279692, 'ceo said': 169824, 'tuesday icis': 935155, 'icis huntsman': 412761, 'huntsman lyondellbasell': 411438, 'lyondellbasell chemical': 507151, 'huntsman wa able': 411441, 'able to quickly': 24527, 'to quickly switch': 912688, 'quickly switch production': 694612, 'switch production at': 830507, 'production at plant': 681941, 'at plant to': 100132, 'plant to hand': 658715, 'sanitizers by converting': 736240, 'by converting pilot': 152211, 'converting pilot equipment': 202572, 'pilot equipment at': 656732, 'equipment at the': 279693, 'at the site': 101099, 'the site the': 867236, 'site the ceo': 772024, 'the ceo said': 850617, 'ceo said on': 169826, 'on tuesday icis': 604886, 'tuesday icis huntsman': 935156, 'icis huntsman lyondellbasell': 412762, 'huntsman lyondellbasell chemical': 411439, 'store worldwide': 811636, 'only slashed': 611150, 'slashed consumer': 773620, 'but prompted': 146858, 'prompted new': 683937, 'question over': 693689, 'over purchasing': 630541, 'purchasing behaviour': 689844, 'the lockdown of': 859620, 'lockdown of retail': 499718, 'retail store worldwide': 718735, 'store worldwide ha': 811637, 'worldwide ha not': 1010365, 'ha not only': 371369, 'not only slashed': 570826, 'only slashed consumer': 611151, 'slashed consumer spending': 773621, 'spending but prompted': 788765, 'but prompted new': 146859, 'prompted new question': 683938, 'new question over': 559389, 'question over purchasing': 693690, 'over purchasing behaviour': 630542, 'purchasing behaviour for': 689845, 'behaviour for non': 124421, 'fawning': 300617, 'this praise': 889692, 'and fawning': 62727, 'fawning over': 300618, 'employee start': 274230, 'start demanding': 794278, 'wage because': 963823, 'all this praise': 45126, 'this praise and': 889693, 'praise and fawning': 668833, 'and fawning over': 62728, 'fawning over grocery': 300619, 'worker will go': 1008250, 'go away when': 353334, 'away when this': 106106, 'is all said': 445464, 'all said and': 44229, 'and done and': 61669, 'done and those': 254780, 'and those employee': 74024, 'those employee start': 891963, 'employee start demanding': 274231, 'start demanding higher': 794279, 'demanding higher wage': 236595, 'higher wage because': 395793, 'wage because of': 963824, 'of this groceryworkers': 591981, 'sanitiser bottle': 733933, 'bottle cannot': 136201, 'exceed 100': 289016, '100 say': 2071, 'cost of 200ml': 208037, 'of 200ml hand': 579469, '200ml hand sanitiser': 13741, 'hand sanitiser bottle': 375223, 'sanitiser bottle cannot': 733934, 'bottle cannot exceed': 136202, 'cannot exceed 100': 161808, 'exceed 100 say': 289017, '100 say govt': 2072, 'say govt fix': 738701, 'stop advertising': 804430, 'via advertising': 955783, 'advertising smallbusiness': 33275, 'of consumer believe': 581714, 'consumer believe that': 196621, 'believe that company': 126336, 'that company should': 843272, 'company should stop': 191080, 'should stop advertising': 766512, 'stop advertising via': 804431, 'advertising via advertising': 33289, 'via advertising smallbusiness': 955784, 'itspending': 463985, 'techindustry': 836181, 'it industry': 458782, 'with supplychain': 1001085, 'disruption plunging': 246517, 'spending here': 788844, 'is confronting': 446736, 'confronting the': 194314, 'the itspending': 858623, 'itspending techindustry': 463986, 'hit the it': 398433, 'the it industry': 858585, 'it industry hard': 458783, 'industry hard with': 435871, 'hard with supplychain': 378115, 'with supplychain disruption': 1001086, 'supplychain disruption plunging': 826174, 'disruption plunging stock': 246518, 'price and forecast': 672417, 'and forecast of': 63186, 'forecast of reduced': 328851, 'of reduced it': 588862, 'reduced it spending': 706109, 'it spending here': 461193, 'spending here are': 788845, 'are way the': 91550, 'way the tech': 969945, 'tech industry is': 836109, 'industry is confronting': 435926, 'is confronting the': 446737, 'confronting the itspending': 194315, 'the itspending techindustry': 858624, 'predicament': 669541, 'morrison with': 541789, 'with mum': 999603, 'mum we': 545971, 'money looking': 536874, 'looking around': 502794, 'say 90': 738378, 'are pensioner': 89018, 'pensioner all': 646674, 'all probably': 44050, 'probably in': 679290, 'same predicament': 733235, 'predicament or': 669542, 'internet at': 441909, 'at morrison with': 99775, 'morrison with mum': 541790, 'with mum we': 999604, 'mum we can': 545972, 'online slot for': 609379, 'slot for love': 774183, 'nor money looking': 566963, 'money looking around': 536875, 'looking around would': 502795, 'around would say': 93652, 'would say 90': 1012213, 'say 90 of': 738379, 'the people shopping': 863502, 'people shopping are': 649432, 'shopping are pensioner': 762065, 'are pensioner all': 89019, 'pensioner all probably': 646675, 'all probably in': 44051, 'probably in same': 679291, 'in same predicament': 427677, 'same predicament or': 733236, 'predicament or they': 669543, 'or they don': 617426, 'the internet at': 858378, 'internet at home': 441910, 'isour': 455568, 'virus come': 958067, 'down mosque': 256964, 'mosque in': 542025, 'pakistan restriction': 634496, 'on mosque': 602222, 'mosque all': 542021, 'open such': 612527, 'such bank': 816354, 'grocery medical': 364719, 'store super': 810449, 'bakery etc': 108851, 'this isour': 888504, 'isour islamic': 455569, 'islamic republic': 454270, 'republic of': 713010, 'pakistan shameful': 634504, 'for pti': 324847, 'pti government': 687637, 'the virus come': 870814, 'virus come into': 958068, 'world to shut': 1010088, 'shut down mosque': 767835, 'down mosque in': 256965, 'mosque in pakistan': 542026, 'in pakistan restriction': 426446, 'pakistan restriction are': 634497, 'restriction are only': 717223, 'are only on': 88772, 'only on mosque': 610859, 'on mosque all': 602223, 'mosque all business': 542022, 'all business are': 42229, 'business are open': 143379, 'are open such': 88802, 'open such bank': 612528, 'such bank grocery': 816355, 'bank grocery medical': 109877, 'grocery medical store': 364720, 'medical store super': 526421, 'store super store': 810450, 'super store bakery': 818593, 'store bakery etc': 806636, 'bakery etc this': 108852, 'etc this isour': 282824, 'this isour islamic': 888505, 'isour islamic republic': 455570, 'islamic republic of': 454271, 'republic of pakistan': 713011, 'of pakistan shameful': 587681, 'pakistan shameful moment': 634505, 'shameful moment for': 754696, 'moment for pti': 535937, 'for pti government': 324848, 'can all these': 157442, 'anxiety want': 78815, 'grocery since': 365124, 'understandable week': 940848, 'slot availability': 774127, 'availability buut': 104133, 'buut then': 148234, 'news tidbit': 560886, 'tidbit and': 895698, 'and instantly': 65282, 'instantly panic': 440132, 'like nope': 490867, 'nope can': 566895, 'week ll': 976488, '19 anxiety want': 5164, 'anxiety want to': 78816, 'go get grocery': 353609, 'get grocery since': 347168, 'grocery since there': 365125, 'an understandable week': 56840, 'understandable week wait': 940849, 'wait for delivery': 964112, 'for delivery slot': 320646, 'delivery slot availability': 234508, 'slot availability buut': 774128, 'availability buut then': 104134, 'buut then ll': 148235, 'then ll see': 877318, 'll see some': 496995, 'horrifying news tidbit': 404180, 'news tidbit and': 560887, 'tidbit and instantly': 895699, 'and instantly panic': 65283, 'instantly panic like': 440133, 'panic like nope': 638275, 'like nope can': 490868, 'nope can make': 566896, 'for week ll': 327727, 'week ll stay': 976489, 'll stay home': 497036, 'ukschoolclosures': 939059, 'authority planner': 103773, 'planner environmental': 658492, 'officer highway': 595670, 'highway agency': 396143, 'agency traffic': 38095, 'traffic officer': 929122, 'driver infrastructure': 259619, 'such gas': 816509, 'electricity ukschoolclosures': 271219, 'local authority planner': 497718, 'authority planner environmental': 103774, 'planner environmental health': 658493, 'environmental health officer': 279194, 'health officer highway': 386693, 'officer highway agency': 595671, 'highway agency traffic': 396144, 'agency traffic officer': 38096, 'traffic officer supermarket': 929123, 'officer supermarket worker': 595725, 'delivery driver infrastructure': 233920, 'driver infrastructure worker': 259620, 'infrastructure worker such': 438232, 'worker such gas': 1007846, 'such gas and': 816510, 'gas and electricity': 343761, 'and electricity ukschoolclosures': 62003, 'appleinsider': 82389, 'appleinsider verizon': 82390, 'appleinsider verizon announced': 82391, 'adjourns': 32278, 'telanganastateconsumer': 836644, 'khairthabad': 473688, 'hyderabad consumer': 411917, 'forum adjourns': 329946, 'adjourns for': 32279, '19 telanganastateconsumer': 11054, 'telanganastateconsumer hyderabad': 836645, 'hyderabad khairthabad': 411927, 'hyderabad consumer forum': 411918, 'consumer forum adjourns': 197527, 'forum adjourns for': 329947, 'adjourns for month': 32280, 'for month 19': 323505, 'month 19 telanganastateconsumer': 537512, '19 telanganastateconsumer hyderabad': 11055, 'telanganastateconsumer hyderabad khairthabad': 836646, 'volodymyr': 960107, 'restructure': 717440, 'ukrainian president': 939056, 'president volodymyr': 670965, 'volodymyr zelensky': 960108, 'zelensky signed': 1027357, 'signed bill': 769357, 'prohibits bank': 683449, 'charge those': 173321, 'loan on': 497486, 'fine besides': 307606, 'besides central': 127492, 'preparing ruling': 670353, 'ruling on': 727450, 'to restructure': 913436, 'restructure those': 717441, 'those loan': 892170, 'loan if': 497457, 'ukrainian president volodymyr': 939057, 'president volodymyr zelensky': 670966, 'volodymyr zelensky signed': 960109, 'zelensky signed bill': 1027358, 'signed bill that': 769358, 'bill that prohibits': 130690, 'that prohibits bank': 845876, 'prohibits bank to': 683450, 'bank to charge': 110255, 'to charge those': 902643, 'charge those unable': 173322, 'pay back their': 644769, 'back their consumer': 107320, 'consumer loan on': 198063, 'loan on time': 497487, 'time during outbreak': 896593, 'during outbreak with': 262853, 'outbreak with any': 628828, 'with any fine': 997275, 'any fine besides': 79219, 'fine besides central': 307607, 'besides central bank': 127493, 'central bank is': 169374, 'bank is preparing': 109952, 'is preparing ruling': 450997, 'preparing ruling on': 670354, 'ruling on how': 727451, 'how to restructure': 409073, 'to restructure those': 913437, 'restructure those loan': 717442, 'those loan if': 892171, 'loan if necessary': 497458, 'cuna': 220336, 'cuna recommends': 220337, 'recommends issue': 704834, 'an interim': 56411, 'interim final': 441674, 'final rule': 305871, 'on payday': 602720, 'payday alternative': 645325, 'alternative loan': 49237, 'ensure creditunions': 277908, 'creditunions have': 216598, 'flexibility necessary': 310370, 'meet member': 527527, 'member need': 528131, 'disease pandemic': 245201, 'sent today': 750850, 'cuna recommends issue': 220338, 'recommends issue an': 704835, 'issue an interim': 455660, 'an interim final': 56412, 'interim final rule': 441675, 'final rule on': 305872, 'rule on payday': 727312, 'on payday alternative': 602721, 'payday alternative loan': 645326, 'alternative loan to': 49238, 'loan to ensure': 497544, 'to ensure creditunions': 905148, 'ensure creditunions have': 277909, 'creditunions have the': 216599, 'have the flexibility': 382986, 'the flexibility necessary': 855401, 'flexibility necessary to': 310371, 'necessary to meet': 554122, 'to meet member': 910037, 'meet member need': 527528, 'member need during': 528132, 'the disease pandemic': 853370, 'disease pandemic read': 245202, 'from the letter': 337770, 'letter sent today': 487350, 'hysteriavirus': 412493, 'westminster parliament': 980689, 'parliament gmb': 642157, 'gmb nh': 353194, 'nh hysteriavirus': 561986, 'hysteriavirus empty': 412494, 'purchase much': 689559, 'much earlier': 544851, 'westminster parliament gmb': 980690, 'parliament gmb nh': 642158, 'gmb nh hysteriavirus': 353195, 'nh hysteriavirus empty': 561987, 'hysteriavirus empty supermarket': 412495, 'shelf is the': 757241, 'supermarket for not': 820408, 'for not limiting': 323929, 'limiting purchase much': 492856, 'purchase much earlier': 689560, 'much earlier on': 544852, 'earlier on can': 264466, 'on can get': 599789, 'psms': 687476, 'pacita': 633002, 'patroller': 644398, 'brgy': 139552, 'supermarket visitation': 823664, 'visitation inspection': 959446, 'inspection on': 439776, '12 05': 2768, '05 pm': 953, 'pm psms': 661962, 'psms sonny': 687477, 'sonny hernandez': 785546, 'hernandez south': 393914, 'south pacita': 786773, 'pacita patroller': 633003, 'patroller conducted': 644399, 'conducted supermarket': 193682, 'inspection in': 439768, 'in connection': 421666, 'connection ro': 194717, 'ro covid': 724377, '19 enhanced': 6786, 'quarantine along': 692003, 'along brgy': 46983, 'brgy pacita': 139553, 'pacita san': 633005, 'san pedro': 733565, 'pedro city': 646232, 'city laguna': 179222, 'supermarket visitation inspection': 823665, 'visitation inspection on': 959448, 'inspection on march': 439777, '2020 at about': 14162, 'at about 12': 97830, 'about 12 05': 24639, '12 05 pm': 2769, '05 pm psms': 954, 'pm psms sonny': 661963, 'psms sonny hernandez': 687478, 'sonny hernandez south': 785547, 'hernandez south pacita': 393915, 'south pacita patroller': 786774, 'pacita patroller conducted': 633004, 'patroller conducted supermarket': 644400, 'conducted supermarket visitation': 193683, 'visitation inspection in': 959447, 'inspection in connection': 439769, 'in connection ro': 421667, 'connection ro covid': 194718, 'ro covid 19': 724378, 'covid 19 enhanced': 213024, '19 enhanced community': 6787, 'community quarantine along': 190050, 'quarantine along brgy': 692004, 'along brgy pacita': 46984, 'brgy pacita san': 139554, 'pacita san pedro': 633006, 'san pedro city': 733566, 'pedro city laguna': 646233, 'canyoupopoutandpickupafe': 162400, 'you pop': 1020375, 'best coronaoutbreak': 127645, 'coronaoutbreak canyoupopoutandpickupafe': 205106, 'can you pop': 160322, 'you pop out': 1020376, 'pop out and': 664447, 'out and pick': 625683, 'thanks guy you': 842100, 'guy you guy': 369244, 'the best coronaoutbreak': 849503, 'best coronaoutbreak canyoupopoutandpickupafe': 127646, 'start ripping': 794471, 'ripping everyone': 722713, 'the stocker': 867931, 'to start ripping': 915220, 'start ripping everyone': 794472, 'ripping everyone at': 722714, 'especially the stocker': 280629, 'the stocker and': 867932, 'stocker and the': 803492, 'margarita': 515597, 've mixed': 953374, 'mixed up': 534647, 'my recipe': 549899, 'recipe every': 704455, 'time attempt': 896351, 'like margarita': 490710, 'margarita socialdistancing': 515600, 'think ve mixed': 885740, 've mixed up': 953375, 'mixed up my': 534648, 'up my recipe': 945436, 'my recipe every': 549900, 'recipe every time': 704456, 'every time attempt': 286302, 'time attempt to': 896352, 'attempt to make': 102251, 'sanitizer it come': 735226, 'it come out': 457209, 'come out like': 187468, 'out like margarita': 626501, 'like margarita socialdistancing': 490712, 'truly incredible': 933322, 'incredible consumer': 433824, 'behavior graph': 124047, 'graph in': 362148, 'data blog': 226149, 'truly incredible consumer': 933323, 'incredible consumer behavior': 433825, 'consumer behavior graph': 196479, 'behavior graph in': 124048, 'graph in this': 362149, 'in this data': 429930, 'this data blog': 887160, 'that discus': 843552, 'discus potential': 244895, 'ramification on': 696408, 'research report that': 713824, 'report that discus': 712318, 'that discus potential': 843553, 'discus potential ramification': 244896, 'potential ramification on': 667123, 'ramification on consumer': 696409, 'on consumer ab': 600023, 'prerequisite': 670431, 'emerging where': 273147, 'where con': 984783, 'con artist': 192788, 'artist falsely': 94599, 'seek consumer': 746569, 'information prerequisite': 437954, 'prerequisite to': 670432, 'receive payment': 703529, 'for scam related': 325364, 'are emerging where': 86122, 'emerging where con': 273148, 'where con artist': 984784, 'con artist falsely': 192789, 'artist falsely promise': 94600, 'fund or seek': 341476, 'or seek consumer': 616987, 'seek consumer personal': 746570, 'personal information prerequisite': 652899, 'information prerequisite to': 437955, 'prerequisite to receive': 670433, 'to receive payment': 912928, 'soften': 781500, 'egypt reduces': 270117, 'reduces dividend': 706233, 'dividend tax': 248638, 'to soften': 914855, 'soften impact': 781501, 'egypt reduces dividend': 270118, 'reduces dividend tax': 706234, 'dividend tax and': 248639, 'tax and energy': 834925, 'price to soften': 677044, 'to soften impact': 914856, 'work though': 1005859, 'to most': 910281, 'people im': 648334, 'im cleaner': 416517, 'cleaner at': 180752, 'off till': 594313, 'april self': 83674, 'isolation had': 455286, 'had cough': 372992, 'cough which': 208586, 'cleared but': 181407, 'feel on': 302801, 'off crap': 593752, 'crap dad': 214887, 'dad cough': 224307, 'cough still': 208571, 'not cov': 568901, 'sure what is': 827819, 'not essential work': 569221, 'essential work though': 281808, 'work though it': 1005860, 'though it is': 892840, 'essential to most': 281704, 'to most people': 910283, 'most people im': 542616, 'people im cleaner': 648336, 'im cleaner at': 416518, 'cleaner at supermarket': 180753, 'at supermarket off': 100754, 'supermarket off till': 821704, 'off till 1st': 594314, 'till 1st april': 895976, '1st april self': 12717, 'april self isolation': 83675, 'self isolation had': 747772, 'isolation had cough': 455287, 'had cough which': 372993, 'cough which ha': 208587, 'which ha cleared': 985879, 'ha cleared but': 370162, 'cleared but feel': 181408, 'but feel on': 145708, 'feel on and': 302802, 'on and off': 599363, 'and off crap': 67965, 'off crap dad': 593753, 'crap dad cough': 214888, 'dad cough still': 224308, 'cough still but': 208572, 'still but probably': 800311, 'probably not cov': 679335, 'silky': 769739, 'roll silky': 725501, 'silky smooth': 769740, 'smooth soft': 775938, 'soft paper': 781479, 'towel hollow': 927328, 'hollow out': 400436, 'out replacement': 627105, 'replacement professional': 711621, 'professional series': 682493, 'series premium': 751291, 'premium ply': 669969, 'use toiletpaper': 949767, 'roll silky smooth': 725502, 'silky smooth soft': 769741, 'smooth soft paper': 775939, 'soft paper towel': 781480, 'paper towel hollow': 640994, 'towel hollow out': 927329, 'hollow out replacement': 400437, 'out replacement professional': 627106, 'replacement professional series': 711622, 'professional series premium': 682494, 'series premium ply': 751292, 'premium ply toilet': 669970, 'paper for daily': 640177, 'daily use toiletpaper': 224863, 'use toiletpaper toiletpapers': 949768, '151': 3968, 'northern nigeria': 567763, 'nigeria relaxes': 562793, 'relaxes lockdown': 708878, 'lockdown move': 499675, 'move is': 543680, 'allow citizen': 45926, 'citizen stock': 178965, 'essential kaduna': 281257, 'kaduna ha': 470590, 'applied weekly': 82508, 'weekly fed': 977489, 'govt imposed': 361154, 'on lagos': 601786, 'lagos ogun': 478941, 'state plus': 795863, 'plus abuja': 661557, 'abuja 9ja': 27568, '9ja case': 23986, 'april 151': 83419, 'kaduna state in': 470597, 'state in northern': 795683, 'in northern nigeria': 425955, 'northern nigeria relaxes': 567764, 'nigeria relaxes lockdown': 562794, 'relaxes lockdown move': 708879, 'lockdown move is': 499676, 'move is to': 543681, 'to allow citizen': 900325, 'allow citizen stock': 45927, 'citizen stock up': 178966, 'food essential kaduna': 314383, 'essential kaduna ha': 281258, 'kaduna ha case': 470591, '19 measure to': 8610, 'to be applied': 901112, 'be applied weekly': 113669, 'applied weekly fed': 82509, 'weekly fed govt': 977490, 'fed govt imposed': 301826, 'govt imposed lockdown': 361155, 'imposed lockdown on': 419294, 'lockdown on lagos': 499733, 'on lagos ogun': 601787, 'lagos ogun state': 478942, 'ogun state plus': 596337, 'state plus abuja': 795864, 'plus abuja 9ja': 661558, 'abuja 9ja case': 27569, '9ja case of': 23987, 'case of april': 165888, 'of april 151': 580322, 'nashp': 552005, 'state drug': 795537, 'drug transparency': 261130, 'transparency program': 929833, 'closely watching': 183479, 'other helpful': 620355, 'helpful tool': 391246, 'tool highlighted': 925422, 'in nashp': 425677, 'nashp blog': 552006, 'today clinical': 919384, 'trial tracker': 931662, 'tracker amp': 928258, 'amp abnormal': 53349, 'abnormal drug': 24590, 'increase tracker': 433141, 'state drug transparency': 795538, 'drug transparency program': 261131, 'transparency program are': 929834, 'program are closely': 683211, 'are closely watching': 85379, 'closely watching price': 183480, 'watching price of': 968781, '19 other helpful': 9041, 'other helpful tool': 620356, 'helpful tool highlighted': 391247, 'tool highlighted in': 925423, 'highlighted in nashp': 395992, 'in nashp blog': 425678, 'nashp blog today': 552007, 'blog today clinical': 133038, 'today clinical trial': 919385, 'clinical trial tracker': 182333, 'trial tracker amp': 931663, 'tracker amp abnormal': 928259, 'amp abnormal drug': 53350, 'abnormal drug price': 24591, 'drug price increase': 261048, 'price increase tracker': 674792, 'rbi first': 698080, 'from sinking': 337303, 'sinking reduce': 771501, 'price save': 676295, 'rbi first return': 698081, 'fund of 75': 341468, 'crore save the': 218968, 'save the bank': 737653, 'the bank from': 849240, 'bank from sinking': 109854, 'from sinking reduce': 337304, 'sinking reduce fuel': 771502, 'fuel price save': 340251, 'price save your': 676296, 'own home from': 632065, 'home from first': 401262, 'from first then': 335481, 'first then think': 309064, 'infinite queue': 436946, 'almost infinite queue': 46683, 'infinite queue in': 436947, 'getting personal': 349194, 'personal not': 652921, 'this hysterical': 887988, 'hysterical panic': 412501, 'usual shopping': 951014, 'am beyond': 49945, 'humanity please': 410767, 'getting personal not': 349195, 'personal not one': 652922, 'one to allow': 607269, 'allow this hysterical': 46091, 'this hysterical panic': 887989, 'hysterical panic or': 412502, 'panic or change': 638365, 'or change my': 614699, 'change my life': 172185, 'my life at': 549014, 'home so went': 402091, 'do my usual': 249632, 'my usual shopping': 550479, 'usual shopping and': 951015, 'and am beyond': 58007, 'am beyond disappointed': 49946, 'beyond disappointed in': 129158, 'disappointed in humanity': 244105, 'in humanity please': 423912, 'humanity please stop': 410768, 'please stop and': 660567, 'judgmental': 467679, 'actually kind': 30860, 'of impressed': 585012, 'quickly went': 694638, 'from feeling': 335455, 'being totally': 125974, 'totally judgmental': 926364, 'judgmental towards': 467680, 'aren mask': 92459, 'actually kind of': 30861, 'kind of impressed': 474910, 'of impressed by': 585013, 'impressed by how': 419447, 'how quickly went': 408557, 'quickly went from': 694639, 'went from feeling': 979015, 'from feeling like': 335456, 'feeling like an': 303009, 'an idiot for': 56147, 'idiot for wearing': 413506, 'wearing mask to': 974720, 'store to being': 810759, 'to being totally': 901744, 'being totally judgmental': 125975, 'totally judgmental towards': 926365, 'judgmental towards people': 467681, 'towards people who': 927235, 'who aren mask': 988266, 'telling traveller': 837288, 'traveller to': 930679, 'home asap': 400736, 'asap airline': 94855, 'roof with': 725850, 'with valid': 1001949, 'valid ticket': 951917, 'ticket few': 895615, 'away why': 106108, 'people fork': 647971, 'out huge': 626346, 'huge to': 410245, 'home few': 401190, 'day earlier': 227548, 'earlier govt': 264448, 'not compensate': 568812, 'compensate auspol': 191528, 'your government is': 1024081, 'government is telling': 360279, 'is telling traveller': 452596, 'telling traveller to': 837289, 'traveller to come': 930680, 'come home asap': 187347, 'home asap airline': 400737, 'asap airline price': 94856, 'airline price are': 39997, 'the roof with': 865980, 'roof with valid': 725851, 'with valid ticket': 1001950, 'valid ticket few': 951918, 'ticket few week': 895616, 'few week away': 304134, 'week away why': 975972, 'away why should': 106109, 'why should people': 991341, 'should people fork': 766319, 'people fork out': 647972, 'fork out huge': 329477, 'out huge to': 626347, 'huge to get': 410246, 'get home few': 347241, 'home few day': 401191, 'few day earlier': 303773, 'day earlier govt': 227549, 'earlier govt will': 264449, 'govt will not': 361335, 'will not compensate': 994200, 'not compensate auspol': 568813, 'prefect': 669722, 'earwigscience': 265054, 'university shutdown': 942459, 'shutdown had': 768034, 'build small': 142002, 'small lab': 775014, 'lab in': 478269, 'my garage': 548479, 'garage to': 343503, 'master project': 520207, 'student it': 814715, 'out prefect': 627063, 'prefect time': 669723, 'kid earwigscience': 473934, 'earwigscience tour': 265055, 'the and university': 848730, 'and university shutdown': 74684, 'university shutdown had': 942460, 'shutdown had to': 768035, 'had to build': 373669, 'to build small': 902091, 'build small lab': 142003, 'small lab in': 775015, 'lab in my': 478270, 'in my garage': 425579, 'my garage to': 548480, 'garage to finish': 343504, 'finish the master': 307872, 'the master project': 860280, 'master project of': 520208, 'project of one': 683520, 'of my student': 586818, 'my student it': 550246, 'student it turn': 814716, 'turn out prefect': 935739, 'out prefect time': 627064, 'prefect time consumer': 669724, 'time consumer for': 896504, 'consumer for kid': 197522, 'for kid earwigscience': 322839, 'kid earwigscience tour': 473935, 'wa insulting': 962416, 'insulting one': 440649, 'wa limit': 962559, 'store earlier and': 807419, 'earlier and guy': 264421, 'guy wa insulting': 369195, 'wa insulting one': 962417, 'insulting one of': 440650, 'because he told': 119119, 'he told him': 385534, 'told him there': 923576, 'there wa limit': 879246, 'wa limit of': 962560, 'per customer on': 650779, 'customer on the': 222644, 'on the water': 604440, 'the water told': 871130, 'address sending': 32027, 'their closure': 872797, 'them indicate': 875926, 'indicate their': 434974, 'realizing how much': 701931, 'how much online': 408363, 'online shopping do': 609095, 'shopping do so': 762495, 'business have my': 143829, 'have my email': 381542, 'email address sending': 272104, 'address sending out': 32028, 'sending out their': 750073, 'out their closure': 627448, 'their closure for': 872798, 'closure for covid': 183897, '19 at least': 5242, 'least some of': 484633, 'of them indicate': 591748, 'them indicate their': 875927, 'indicate their worker': 434975, 'their worker will': 875223, 'bane': 109435, 'quarantineproblems': 693056, 'took quick': 925324, 'realized look': 701896, 'like bane': 489869, 'bane with': 109436, 'on quarantinelife': 603043, 'quarantinelife quarantineproblems': 693002, 'took quick trip': 925325, 'store today realized': 810864, 'today realized look': 920099, 'realized look like': 701897, 'look like bane': 502461, 'like bane with': 489870, 'bane with mask': 109437, 'glove on quarantinelife': 352824, 'on quarantinelife quarantineproblems': 603045, 'website tell': 975423, 'website tell you': 975424, 'much toiletpaper you': 545405, 'toiletpaper you need': 922889, 'need during pandemic': 554719, 'buyer stock': 149757, 'up export': 944829, 'of cereal': 581245, 'cereal processed': 169938, 'food spice': 316718, 'spice spike': 789216, 'spike south': 789327, 'south based': 786694, 'based auto': 111518, 'maker suspend': 510876, 'suspend production': 829581, 'with april': 997301, 'april deadline': 83572, 'deadline looming': 229226, 'looming more': 503112, 'than lakh': 840830, 'lakh iv': 479109, 'iv vehicle': 464045, 'vehicle are': 954248, 'lying unsold': 507089, 'buyer stock up': 149758, 'stock up export': 803080, 'up export of': 944830, 'export of cereal': 292675, 'of cereal processed': 581246, 'cereal processed food': 169939, 'processed food spice': 679990, 'food spice spike': 316719, 'spice spike south': 789217, 'spike south based': 789328, 'south based auto': 786695, 'based auto maker': 111519, 'auto maker suspend': 103895, 'maker suspend production': 510877, 'suspend production in': 829582, 'production in fight': 682073, '19 with april': 12124, 'with april deadline': 997302, 'april deadline looming': 83573, 'deadline looming more': 229227, 'looming more than': 503113, 'more than lakh': 540639, 'than lakh iv': 840831, 'lakh iv vehicle': 479110, 'iv vehicle are': 464046, 'vehicle are lying': 954249, 'are lying unsold': 87952, 'jerkmerch': 465165, 'thegospelofschultz': 872379, 'hoarder jerkmerch': 399060, 'jerkmerch toiletpapercrisis': 465168, 'toiletpapercrisis lockdownnow': 923036, 'lockdownnow toiletpaper': 500345, 'toiletpaperpanic share': 923239, 'share stockup': 755223, 'stockup thegospelofschultz': 804212, 'song for all': 785492, 'paper hoarder jerkmerch': 640277, 'hoarder jerkmerch toiletpapercrisis': 399061, 'jerkmerch toiletpapercrisis lockdownnow': 465169, 'toiletpapercrisis lockdownnow toiletpaper': 923037, 'lockdownnow toiletpaper toiletpaperpanic': 500346, 'toiletpaper toiletpaperpanic share': 922703, 'toiletpaperpanic share stockup': 923240, 'share stockup thegospelofschultz': 755224, 'if crude': 414018, 'collapse expert': 186001, 'warned with': 967055, 'country reeling': 210993, 'political turmoil': 663688, 'turmoil if crude': 935621, 'if crude price': 414019, 'crude price continue': 219584, 'continue to collapse': 201170, 'to collapse expert': 902953, 'collapse expert have': 186002, 'have warned with': 383545, 'warned with the': 967056, 'dependent country reeling': 237362, 'country reeling from': 210994, 'reeling from year': 706450, 'from year of': 338437, 'protest political turmoil': 685924, 'political turmoil and': 663689, 'turmoil and now': 935615, 'tapping': 834396, 'dyson': 263934, 'card tapping': 163659, 'tapping new': 834397, 'technology like': 836326, 'like dyson': 490148, 'dyson ventilator': 263937, 'ventilator well': 954636, 'well gas': 978252, 'importantly country': 419119, 'another get': 77626, 'credit card tapping': 216354, 'card tapping new': 163660, 'tapping new technology': 834398, 'new technology like': 559727, 'technology like dyson': 836327, 'like dyson ventilator': 490149, 'dyson ventilator well': 263938, 'ventilator well gas': 954637, 'well gas price': 978253, 'price dropping but': 673602, 'dropping but most': 260678, 'but most importantly': 146416, 'most importantly country': 542418, 'importantly country working': 419120, 'country working together': 211268, 'one another get': 605917, 'another get through': 77627, 'through this hard': 894820, 'hard time lockdown': 378039, 'moment realized': 536036, 'wa 60': 961389, 'the moment realized': 860774, 'moment realized that': 536037, 'realized that hand': 701910, 'sanitizer wa 60': 736019, 'wa 60 alcohol': 961390, 'stop misleading': 804838, 'it implement': 458702, 'implement more': 418399, 'how about paying': 407295, 'about paying the': 25927, 'paying the minimum': 645498, 'then stop misleading': 877574, 'stop misleading people': 804839, 'misleading people with': 534105, 'it is bad': 458880, 'is bad that': 445973, 'bad that the': 108029, 'of basic product': 580577, 'basic product have': 112031, 'increased and while': 433197, 'at it implement': 99328, 'it implement more': 458703, 'implement more safety': 418400, 'safety measure and': 730619, 'measure and limit': 525102, 'gone alcohol': 356192, 'alcohol some': 41112, 'some beauty': 782394, 'flower wa': 311338, 'that remained': 845991, 'remained stoppanicbuying': 709947, 'so many will': 777719, 'many will end': 514879, 'the hope they': 857496, 'can get something': 158453, 'just toilet roll': 470114, 'roll but everything': 725225, 'wa gone alcohol': 962223, 'gone alcohol some': 356193, 'alcohol some beauty': 41113, 'some beauty and': 782395, 'and flower wa': 62997, 'flower wa all': 311339, 'wa all that': 961470, 'all that remained': 44643, 'that remained stoppanicbuying': 845992, 'remained stoppanicbuying sainsburys': 709948, 'forget condom': 329240, 'condom when': 193618, 'when staying': 984073, 'home everyone': 401169, 'need lot': 555179, 'everyone don forget': 286824, 'don forget condom': 253525, 'forget condom when': 329241, 'condom when you': 193619, 'paper kitchen towel': 640398, 'kitchen towel and': 475762, 'hand sanitizers when': 375730, 'sanitizers when staying': 736441, 'when staying home': 984074, 'staying home everyone': 798606, 'home everyone will': 401170, 'everyone will need': 287616, 'will need lot': 994149, 'need lot of': 555180, 'lot of it': 504215, 'choice efficient': 177763, 'efficient healthcare': 269423, 'buying choice efficient': 150114, 'choice efficient healthcare': 177764, 'efficient healthcare consumer': 269424, 'make boy': 509745, 'boy use': 137296, 'use stock': 949613, 'stuff thing': 815214, 'thing cost': 884248, '19 no give': 8797, 'no give away': 564351, 'give away for': 350396, 'away for this': 105847, 'for this period': 327056, 'this period make': 889526, 'period make boy': 651823, 'make boy use': 509746, 'boy use stock': 137297, 'use stock up': 949614, 'food stuff thing': 316899, 'stuff thing cost': 815215, 'thing cost now': 884249, 'retailcannabis': 718929, 'review these': 720598, 'your cannabis': 1023119, 'store retailcannabis': 809880, 'review these best': 720599, 'in your cannabis': 431063, 'your cannabis store': 1023120, 'cannabis store retailcannabis': 161447, 'optimum found': 613960, 'optimum found it': 613961, 'found it another': 330258, 'it another concern': 456536, 'item you your': 463875, 'fraggang': 330882, 'repository': 712793, 'sanusi': 736657, '2348098043712': 15470, 'fraggang your': 330883, 'your repository': 1025582, 'repository of': 712794, 'luxury smell': 506961, 'smell at': 775600, 'at non': 99899, 'non luxury': 566429, 'say sanusi': 739114, 'sanusi corrected': 736658, 'corrected for': 207544, 'wa number': 962790, 'number 2348098043712': 576811, 'fraggang your repository': 330884, 'your repository of': 1025583, 'repository of luxury': 712795, 'of luxury smell': 586081, 'luxury smell at': 506962, 'smell at non': 775601, 'at non luxury': 99900, 'non luxury price': 566430, 'luxury price say': 506950, 'price say sanusi': 676301, 'say sanusi corrected': 739115, 'sanusi corrected for': 736659, 'corrected for wa': 207545, 'for wa number': 327606, 'wa number 2348098043712': 962791, 'are pabankersproud': 88939, 'pabankersproud of': 632910, 'corner wednesday we': 203692, 'wednesday we are': 975701, 'we are pabankersproud': 970652, 'are pabankersproud of': 88940, 'pabankersproud of all': 632911, 'of all member': 579962, 'all member who': 43501, 'member who are': 528240, 'their community click': 872824, 'community click here': 189788, 'crowd simply': 219247, 'might be isolated': 530908, 'be isolated due': 115552, 'product and expose': 680884, 'this crowd simply': 887126, 'crowd simply because': 219248, 'simply because they': 770185, 'they cannot just': 881710, 'cannot just order': 161982, 'just order online': 469402, 'teary': 836005, 'dreamt of': 258653, 'there everything': 878372, 'everything woke': 288119, 'up teary': 946130, 'teary eyed': 836006, 'eyed lockdown': 294136, 'dreamt of going': 258654, 'supermarket everything wa': 820238, 'everything wa there': 288078, 'wa there everything': 963480, 'there everything woke': 878373, 'everything woke up': 288120, 'woke up teary': 1003361, 'up teary eyed': 946131, 'teary eyed lockdown': 836007, 'buyer struggle': 149767, 'store pharmacist': 809529, 'online company': 608029, 'accused of raising': 28953, 'of raising their': 588727, 'their price buyer': 874382, 'price buyer struggle': 672999, 'buyer struggle to': 149768, 'grocery store pharmacist': 365655, 'store pharmacist and': 809530, 'and online company': 68101, 'online company are': 608030, 'company are among': 190411, 'those allegedly taking': 891788, 'of driver': 582826, 'driver contamination': 259489, 'contamination delivery': 200712, 'at av': 98078, 'av we': 104091, 'our automated': 622152, 'automated delivery': 103954, 'delivery vehicle': 234714, 'vehicle allow': 954244, 'remain isolated': 709774, 'the cab': 850256, 'cab contact': 154924, 'contact now': 200156, 'at info': 99301, 'com delivery': 186928, 'risk of driver': 723743, 'of driver contamination': 582827, 'driver contamination delivery': 259491, 'contamination delivery company': 200713, 'company are faced': 190423, 'faced with rising': 295046, 'with rising consumer': 1000516, 'rising consumer fear': 723184, 'consumer fear at': 197454, 'fear at av': 301052, 'at av we': 98079, 'av we can': 104092, 'can help now': 158640, 'help now our': 390153, 'now our automated': 575489, 'our automated delivery': 622153, 'automated delivery vehicle': 103955, 'delivery vehicle allow': 234715, 'vehicle allow the': 954245, 'allow the driver': 46072, 'the driver to': 853700, 'driver to remain': 259806, 'to remain isolated': 913163, 'remain isolated in': 709775, 'isolated in the': 455009, 'in the cab': 429047, 'the cab contact': 850257, 'cab contact now': 154925, 'contact now at': 200157, 'now at info': 574132, 'at info com': 99302, 'info com delivery': 437452, 'clothier': 184242, 'huntvalley': 411445, 'clothier ha': 184243, 'store through': 810726, 'march 29th': 515230, '29th due': 16537, 'hunt valley': 411376, 'valley towne': 951996, 'towne center': 927606, 'center huntvalley': 169227, 'clothier ha closed': 184244, 'ha closed all': 370168, 'retail store through': 718715, 'store through march': 810727, 'through march 29th': 894568, 'march 29th due': 515231, '29th due to': 16538, 'coronavirus pandemic they': 206496, 'they will pay': 883870, 'pay all of': 644715, 'the time period': 869613, 'time period this': 897481, 'period this is': 651906, 'this is their': 888425, 'is their store': 452989, 'their store at': 874849, 'at the hunt': 100982, 'the hunt valley': 857761, 'hunt valley towne': 411377, 'valley towne center': 951997, 'towne center huntvalley': 927607, 'fails2understand': 296254, 'news fails2understand': 560398, 'fails2understand logic': 296255, 'logic there': 500666, 'of reducing': 588863, 'reducing petrol': 706307, 'price whole': 677534, 'under lockdown21': 940157, 'lockdown21 hence': 500208, 'hence consumption': 391741, 'consumption it': 199904, 'this profit': 889736, 'be utilized': 117954, 'utilized by': 951365, 'govt in': 361156, 'paying of': 645457, 'petroleum company': 653810, 'news fails2understand logic': 560399, 'fails2understand logic there': 296256, 'logic there is': 500667, 'no point of': 565137, 'point of reducing': 662565, 'of reducing petrol': 588864, 'reducing petrol diesel': 706308, 'diesel price whole': 241685, 'price whole nation': 677536, 'whole nation is': 990267, 'nation is under': 552234, 'is under lockdown21': 453462, 'under lockdown21 hence': 940158, 'lockdown21 hence consumption': 500209, 'hence consumption it': 391742, 'consumption it is': 199905, 'is is very': 448998, 'is very low': 453682, 'low this profit': 505682, 'this profit can': 889737, 'can be utilized': 157710, 'be utilized by': 117955, 'utilized by govt': 951366, 'by govt in': 152722, 'govt in paying': 361157, 'in paying of': 426559, 'paying of petroleum': 645458, 'of petroleum company': 588082, 'we destroyed': 971281, 'destroyed like': 239063, 'rather this': 697571, 'damn lose': 225388, 'lose third': 503492, 'our lifetime': 623742, 'lifetime money': 489402, 'me try': 523837, 'the chinavirus': 850838, 'chinavirus at': 177140, 'are we destroyed': 91564, 'we destroyed like': 971282, 'destroyed like this': 239064, 'like this would': 491554, 'this would rather': 891544, 'would rather this': 1012161, 'rather this damn': 697572, 'this damn lose': 887153, 'damn lose third': 225389, 'lose third of': 503493, 'of our lifetime': 587500, 'our lifetime money': 623743, 'lifetime money in': 489403, 'stock market than': 802441, 'market than there': 517173, 'than there be': 841291, 'be no way': 116115, 'way to complete': 970001, 'complete the food': 192170, 'food chain please': 313915, 'chain please let': 170995, 'let me try': 486916, 'me try my': 523838, 'try my luck': 934516, 'my luck with': 549173, 'luck with the': 506486, 'with the chinavirus': 1001232, 'the chinavirus at': 850839, 'chinavirus at least': 177141, 'shop allow': 759817, 'they protect': 882926, 'others staff': 621654, 'cough anyone': 208452, 'll greatly': 496818, 'you infecting': 1019338, 'struggling to understand': 814523, 'to understand why': 917917, 'understand why supermarket': 940822, 'why supermarket or': 991391, 'supermarket or food': 821805, 'or food shop': 615347, 'food shop allow': 316472, 'shop allow people': 759818, 'allow people in': 46033, 'people in who': 648452, 'in who aren': 430890, 'who aren wearing': 988272, 'aren wearing mask': 92589, 'mask mask don': 518951, 'mask don protect': 518591, 'don protect you': 253837, 'protect you but': 685048, 'you but they': 1017556, 'but they protect': 147512, 'they protect others': 882927, 'protect others staff': 684885, 'others staff if': 621655, 'staff if you': 792542, 'you cough anyone': 1018064, 'cough anyone can': 208453, 'can make one': 158942, 'make one at': 510265, 'home that ll': 402216, 'that ll greatly': 844911, 'll greatly reduce': 496819, 'greatly reduce the': 363329, 'of you infecting': 593396, 'you infecting others': 1019339, 'your kirana': 1024574, 'every food item': 285904, 'item is there': 463391, 'is there in': 453013, 'there in your': 878510, 'in your kirana': 431098, 'your kirana store': 1024575, 'kirana store don': 475405, 'merit store': 529134, 'or merit store': 616131, 'merit store worker': 529135, 'driver delivery people': 259506, 'delivery people garbage': 234316, 'vagary': 951835, 'become ceo': 119946, 'and strain': 72532, 'strain they': 812303, 'must endure': 546638, 'endure they': 276312, 'the vagary': 870626, 'vagary of': 951836, 'of adapting': 579772, 'adapting supply': 31333, 'today panic': 920017, 'want to become': 965996, 'to become ceo': 901670, 'become ceo of': 119947, 'ceo of supermarket': 169789, 'of supermarket today': 590450, 'today it hard': 919740, 'hard to imagine': 378069, 'imagine the stress': 416804, 'stress and strain': 813301, 'and strain they': 72533, 'strain they must': 812304, 'they must endure': 882704, 'must endure they': 546639, 'endure they struggle': 276313, 'they struggle with': 883492, 'struggle with the': 814402, 'with the vagary': 1001536, 'the vagary of': 870627, 'vagary of adapting': 951837, 'of adapting supply': 579773, 'adapting supply chain': 31334, 'chain to today': 171200, 'to today panic': 917613, 'today panic buying': 920018, 'will watch': 995316, 'watch endless': 968397, 'endless netflix': 276236, 'netflix or': 557619, 'lady over': 478805, 'loaf roll': 497374, 'of bean': 580595, 'bean ah': 118285, 'ah decision': 39090, 'decision decision': 231018, 'do today will': 250413, 'today will watch': 920547, 'will watch endless': 995317, 'watch endless netflix': 968398, 'endless netflix or': 276237, 'netflix or go': 557620, 'supermarket and fight': 818980, 'and fight with': 62830, 'fight with some': 304955, 'some old lady': 783430, 'old lady over': 598324, 'lady over the': 478806, 'last loaf roll': 480294, 'loaf roll of': 497375, 'paper or can': 640546, 'or can of': 614648, 'can of bean': 159082, 'of bean ah': 580596, 'bean ah decision': 118286, 'ah decision decision': 39091, 'covid19 aid': 214261, 'aid no': 39423, 'no lowering': 564681, 'tax than': 835103, 'the greedy and': 856763, 'greedy and cruel': 363469, 'and cruel republican': 60775, 'no covid19 aid': 563923, 'covid19 aid no': 214262, 'aid no lowering': 39424, 'no lowering drug': 564682, 'raise more tax': 695883, 'more tax than': 540527, 'tax than you': 835104, 'got austin': 358420, 'austin some': 103187, 'some model': 783303, 'model military': 535279, 'military vehicle': 531511, 'before all': 122615, 'retail including': 718206, 'including michael': 432060, 'michael craft': 530230, 'coronavirus wuhan': 207113, 'wuhan covid': 1013477, 'is helicopter': 448384, 'helicopter kinda': 388964, 'he videotaped': 385575, 'videotaped flying': 957003, 'flying over': 311686, 'got austin some': 358421, 'austin some model': 103188, 'some model military': 783304, 'model military vehicle': 535280, 'military vehicle to': 531512, 'vehicle to work': 954289, 'work on before': 1005528, 'on before all': 599608, 'before all retail': 122616, 'all retail including': 44185, 'retail including michael': 718207, 'including michael craft': 432061, 'michael craft store': 530231, 'craft store closed': 214779, 'store closed because': 807057, 'the coronavirus wuhan': 851946, 'coronavirus wuhan covid': 207114, 'wuhan covid 19': 1013478, '19 first one': 7020, 'first one he': 308829, 'one he is': 606410, 'working on is': 1008806, 'on is helicopter': 601633, 'is helicopter kinda': 448385, 'helicopter kinda like': 388965, 'kinda like the': 475058, 'one that he': 607180, 'that he videotaped': 844272, 'he videotaped flying': 385576, 'videotaped flying over': 957004, 'flying over our': 311687, 'over our house': 630468, 'fuckitall': 340062, 'imdone': 416890, 'being devalued': 125040, 'devalued made': 239558, 'manager then': 512807, 'are ignored': 87297, 'ignored anything': 415865, 'anything sick': 80880, 'worse fuckitall': 1010938, 'fuckitall imdone': 340063, 'know what better': 476940, 'what better than': 981115, 'better than being': 128514, 'than being devalued': 840399, 'being devalued made': 125041, 'devalued made to': 239559, 'made to feel': 508032, 'to feel le': 905749, 'feel le than': 302695, 'le than by': 483167, 'than by grocery': 840431, 'store manager then': 808894, 'manager then when': 512808, 'then when reaching': 877748, 'when reaching out': 983924, 'reaching out for': 700102, 'you are ignored': 1017146, 'are ignored anything': 87298, 'ignored anything sick': 415866, 'anything sick of': 80881, 'of this it': 591996, 'this it only': 888525, 'get worse fuckitall': 348651, 'worse fuckitall imdone': 1010939, 'vil': 957298, 'the vil': 870760, 'vil leg': 957299, 'leg ii': 485808, 'ii recently': 415984, 'recently went': 704174, 'hit when': 398505, 'frenzy the': 332795, 'shelf couple': 756971, 'on the vil': 604432, 'the vil leg': 870761, 'vil leg ii': 957300, 'leg ii recently': 485809, 'ii recently went': 415985, 'recently went to': 704175, '19 hit when': 7553, 'hit when saw': 398506, 'when saw the': 983956, 'saw the aftermath': 738262, 'of the buying': 590838, 'the buying frenzy': 850228, 'buying frenzy the': 150380, 'frenzy the isle': 332796, 'empty shelf couple': 275056, 'shelf couple of': 756972, 'couple of your': 211653, 'of your average': 593445, 'fake at': 296570, 'and fake at': 62624, 'fake at home': 296571, 'captive': 162935, 'cannot contract': 161726, '19 dog': 6617, 'dog previously': 252160, 'previously held': 672043, 'held captive': 388895, 'captive securing': 162936, 'securing sick': 744513, 'it king': 459279, 'cannot contract covid': 161727, 'covid 19 dog': 212973, '19 dog previously': 6618, 'dog previously held': 252161, 'previously held captive': 672044, 'held captive securing': 388896, 'captive securing sick': 162937, 'securing sick fuck': 744514, 'sick fuck is': 768456, 'fuck is the': 339592, 'and it king': 65545, 'will san': 994736, 'higher or': 395643, 'lower at': 505801, '2020 residential': 14566, 'inventory market': 443692, 'market sale': 517028, 'will san diego': 994737, 'home price be': 401894, 'price be higher': 672859, 'be higher or': 115251, 'higher or lower': 395644, 'or lower at': 616023, 'lower at the': 505802, 'of 2020 residential': 579503, '2020 residential realestate': 14567, 'residential realestate housing': 714445, 'realestate housing inventory': 701487, 'housing inventory market': 407088, 'inventory market sale': 443693, 'becoming major concern': 120315, 'major concern and': 509277, 'concern and creating': 192915, 'country where demand': 211217, 'where demand for': 984815, 'provided ppe': 686636, 'sainsburys will': 731808, 'now at high': 574130, 'are not provided': 88448, 'not provided ppe': 571152, 'provided ppe they': 686637, 'ppe they deal': 668079, 'deal with huge': 229554, 'with huge crowd': 998901, 'huge crowd of': 410016, '19 sainsburys will': 10295, 'sainsburys will be': 731809, 'will be sued': 992709, 'be sued coronacrisis': 117438, 'cdc in': 168578, 'flattenthecurve the': 310214, 'responded by': 715347, 'by congregating': 152168, 'store breakingnews': 806762, 'breakingnews panicbuying': 139102, 'socialdistancing is being': 780460, 'is being recommended': 446107, 'being recommended by': 125649, 'recommended by the': 704779, 'the cdc in': 850571, 'cdc in an': 168579, 'effort to flattenthecurve': 269625, 'to flattenthecurve the': 906004, 'flattenthecurve the public': 310215, 'public ha responded': 688047, 'ha responded by': 371743, 'responded by congregating': 715348, 'by congregating in': 152169, 'congregating in mass': 194472, 'in mass at': 425171, 'mass at every': 519745, 'at every local': 98570, 'every local grocery': 285983, 'grocery store breakingnews': 365255, 'store breakingnews panicbuying': 806763, 'rumble': 727463, 'guy about': 368882, 'toiletpaper rumble': 922424, 'rumble ha': 727464, 'just moved': 469290, 'moved outdoors': 543829, 'sure if someone': 827587, 'if someone need': 414857, 'talk to these': 833894, 'these guy about': 880087, 'guy about socialdistancing': 368883, 'about socialdistancing or': 26220, 'socialdistancing or if': 780576, 'if the great': 414979, 'the great supermarket': 856733, 'great supermarket toiletpaper': 363023, 'supermarket toiletpaper rumble': 823485, 'toiletpaper rumble ha': 922425, 'rumble ha just': 727465, 'ha just moved': 371058, 'just moved outdoors': 469291, 'dramatically brand': 258325, 'quickly swing': 694609, 'swing into': 830405, 'into action': 442373, 'meet those': 527631, 'need head': 554964, 'stay laser': 797112, 'laser focused': 480067, '19 consumer attitude': 5956, 'attitude and need': 102545, 'and need are': 67468, 'need are changing': 554470, 'changing dramatically brand': 172691, 'dramatically brand have': 258326, 'been put to': 121754, 'the test they': 869323, 'test they ve': 839206, 'to quickly swing': 912687, 'quickly swing into': 694610, 'swing into action': 830406, 'into action to': 442374, 'action to meet': 30172, 'to meet those': 910060, 'meet those need': 527632, 'those need head': 892245, 'need head on': 554965, 'head on but': 385794, 'on but how': 599749, 'do they stay': 250318, 'they stay laser': 883451, 'stay laser focused': 797113, 'laser focused on': 480068, 'local gift': 498014, 'buy gift': 148735, 'among the hardest': 53062, 'takeout delivery buy': 833150, 'delivery buy local': 233766, 'buy local gift': 148913, 'local gift card': 498015, 'card online buy': 163597, 'online buy gift': 607977, 'buy gift card': 148736, 'comment and whether': 188388, 'and whether they': 75550, 'whether they offer': 985594, 'they offer curbside': 882807, 'offer curbside delivery': 594567, 'isolate developed': 454844, 'developed little': 239716, 'problem seems': 679667, 'ha returned': 371750, 'returned new': 719972, 'new shirt': 559581, 'from paris': 336851, 'paris have': 641828, 'arrived with': 93977, 'with personal': 1000188, 'personal note': 652923, '19 style': 10925, 'last time had': 480563, 'self isolate developed': 747670, 'isolate developed little': 454845, 'developed little online': 239717, 'shopping problem seems': 763680, 'problem seems like': 679668, 'like the behaviour': 491351, 'the behaviour ha': 849446, 'behaviour ha returned': 124438, 'ha returned new': 371751, 'returned new shirt': 719973, 'new shirt from': 559582, 'shirt from paris': 758986, 'from paris have': 336852, 'paris have arrived': 641829, 'have arrived with': 379360, 'arrived with personal': 93978, 'with personal note': 1000189, 'personal note covid': 652924, 'covid 19 style': 213882, 'ceo today': 169864, 'under they': 940351, 'of fitting': 583566, 'fitting supply': 309565, 'be supermarket ceo': 117449, 'supermarket ceo today': 819585, 'ceo today it': 169865, 'must be under': 546556, 'be under they': 117853, 'under they struggle': 940352, 'vagary of fitting': 951838, 'of fitting supply': 583567, 'fitting supply chain': 309566, 'around the madness': 93543, 'the madness of': 859868, 'madness of the': 508196, 'platform keep': 658994, 'shut more': 767902, 'and crowd': 60766, 'crowd shop': 219243, 'shop posing': 760676, 'posing serious': 665139, 'serious hazard': 751398, 'hazard of': 384552, 'transmission ecommerce': 929740, 'if the commerce': 414957, 'the commerce platform': 851227, 'commerce platform keep': 188610, 'platform keep shut': 658995, 'keep shut more': 471933, 'shut more people': 767903, 'will move out': 994135, 'move out of': 543713, 'of their house': 591668, 'house and crowd': 406175, 'and crowd shop': 60767, 'crowd shop posing': 219244, 'shop posing serious': 760677, 'posing serious hazard': 665140, 'serious hazard of': 751399, 'hazard of covid': 384553, '19 transmission ecommerce': 11546, 'transmission ecommerce onlineshopping': 929741, 'avonlady': 105519, 'avonrep': 105523, 'nextgenavon': 561748, 'skinsosoft': 773113, 'yup everyone': 1027115, 'you humor': 1019268, 'humor quarantine': 410906, 'toiletpaper lionelrichie': 922186, 'lionelrichie avonlady': 494039, 'avonlady avonrep': 105520, 'avonrep nextgenavon': 105524, 'nextgenavon skinsosoft': 561749, 'skinsosoft linkinbio': 773114, 'linkinbio port': 494010, 'port royal': 664897, 'royal south': 726635, 'yup everyone looking': 1027116, 'everyone looking for': 287172, 'looking for you': 502919, 'for you humor': 328065, 'you humor quarantine': 1019269, 'humor quarantine socialdistancing': 410907, 'quarantine socialdistancing toiletpaper': 692552, 'socialdistancing toiletpaper lionelrichie': 780824, 'toiletpaper lionelrichie avonlady': 922187, 'lionelrichie avonlady avonrep': 494040, 'avonlady avonrep nextgenavon': 105521, 'avonrep nextgenavon skinsosoft': 105525, 'nextgenavon skinsosoft linkinbio': 561750, 'skinsosoft linkinbio port': 773115, 'linkinbio port royal': 494011, 'port royal south': 664898, 'royal south carolina': 726636, 'from once': 336676, 'this virus out': 891018, 'virus out here': 958584, 'out here is': 626283, 'here is showing': 393247, 'is showing me': 451894, 'showing me who': 767482, 'me who can': 523965, 'who can buy': 988374, 'food from once': 314610, 'from once this': 336677, 'once this panic': 605756, 'some very': 784163, 'nice price': 562465, 'new dyson': 558655, 'dyson vacuum': 263935, 'vacuum cleaner': 951818, 'em no idea': 272075, 'idea of that': 413138, 'of that to': 590748, 'that to do': 847057, 'do in response': 249429, '19 some very': 10700, 'some very nice': 784164, 'very nice price': 955385, 'nice price on': 562466, 'price on new': 675699, 'on new dyson': 602374, 'new dyson vacuum': 558656, 'dyson vacuum cleaner': 263936, 'epidemic doesn': 279366, 'doesn affect': 251690, 'affect population': 34208, 'population uniformly': 664749, 'uniformly some': 941779, 'people such': 649685, 'cashier or': 166578, 'doctor come': 250877, 'so super': 778302, 'market cashier': 516152, 'making equivalent': 511044, 'equivalent pay': 279994, 'pay sound': 645113, 'an epidemic doesn': 55795, 'epidemic doesn affect': 279367, 'doesn affect population': 251691, 'affect population uniformly': 34209, 'population uniformly some': 664750, 'uniformly some people': 941780, 'some people such': 783540, 'people such supermarket': 649686, 'such supermarket cashier': 816780, 'supermarket cashier or': 819564, 'cashier or doctor': 166579, 'or doctor come': 615024, 'doctor come into': 250878, 'many people every': 514501, 'every day so': 285841, 'day so super': 228369, 'so super market': 778303, 'super market cashier': 818543, 'market cashier and': 516153, 'cashier and doctor': 166456, 'and doctor should': 61581, 'doctor should be': 251106, 'be making equivalent': 115887, 'making equivalent pay': 511045, 'equivalent pay sound': 279995, 'pay sound good': 645114, 'sound good to': 786287, 'good to me': 357891, 'iphones': 444593, 'wrong it': 1013051, 'company customer': 190579, 'sell used': 748932, 'used iphones': 949950, 'iphones that': 444594, 'handling over': 376377, 'without proper': 1002858, 'proper safety': 684147, 'procedure in': 679813, 'place put': 657667, 'people safety': 649337, 'is wrong it': 454101, 'wrong it not': 1013052, 'essential retail company': 281464, 'retail company customer': 717973, 'company customer are': 190580, 'customer are coming': 222117, 'coming to sell': 188230, 'to sell used': 914187, 'sell used iphones': 748933, 'used iphones that': 949951, 'iphones that they': 444595, 'are handling over': 86999, 'handling over to': 376378, 'over to store': 630842, 'to store employee': 915616, 'employee without proper': 274454, 'without proper safety': 1002859, 'proper safety procedure': 684148, 'safety procedure in': 730695, 'procedure in place': 679814, 'in place put': 426758, 'place put profit': 657668, 'put profit over': 690797, 'profit over people': 682840, 'over people safety': 630490, 'pyjama pant': 691385, 'pant now': 639496, 'up outdoors': 945709, 'outdoors first': 628921, 'first socialdistance': 309011, 'not many people': 570533, 'store in pyjama': 808376, 'in pyjama pant': 427148, 'pyjama pant now': 691386, 'pant now that': 639497, 'line up outdoors': 493529, 'up outdoors first': 945710, 'outdoors first socialdistance': 628922, 'with ubiquitous': 1001881, 'glove perspex': 352864, 'perspex barrier': 653250, 'and enforced': 62134, 'enforced socialdistancing': 276725, 'serious pandemic': 751442, 'pandemic about': 634791, 'about uncontrollable': 26804, 'uncontrollable obsessive': 939880, 'coronapocalypse with ubiquitous': 205209, 'with ubiquitous facemasks': 1001882, 'latex glove perspex': 481621, 'glove perspex barrier': 352865, 'perspex barrier and': 653251, 'barrier and enforced': 111343, 'and enforced socialdistancing': 62135, 'enforced socialdistancing tape': 276726, 'grip of serious': 364026, 'of serious pandemic': 589523, 'serious pandemic about': 751443, 'pandemic about uncontrollable': 634792, 'about uncontrollable obsessive': 26805, 'uncontrollable obsessive compulsive': 939881, 'say 100': 738362, 'proximity all': 687323, 'all fighting': 42786, 'pub surely': 687771, 'surely there': 827947, 'understand how it': 940645, 'how it ok': 408137, 'supermarket with say': 823935, 'with say 100': 1000590, 'say 100 200': 738363, '100 200 people': 1814, 'people in close': 648360, 'close proximity all': 182775, 'proximity all fighting': 687324, 'all fighting over': 42787, 'fighting over bog': 305104, 'roll but you': 725231, 'be in gym': 115406, 'in gym or': 423493, 'gym or pub': 369341, 'or pub surely': 616741, 'pub surely there': 687772, 'surely there le': 827948, 'there le people': 878698, 'in these place': 429852, 'these place coronacrisis': 880490, 'place coronacrisis stayathome': 657397, 'ver2': 954722, 'asbestos': 94887, 'trivialising': 932326, 'ver2 dinsdale': 954723, 'dinsdale you': 243146, 'sir are': 771544, 'are fool': 86639, 'fool have': 318288, 'home where': 402484, 'husband who': 411788, 'ha asbestos': 369625, 'asbestos on': 94888, 'lung and': 506780, 'both diabetic': 135890, 'diabetic not': 240200, 'transport stop': 929949, 'stop trivialising': 805240, 'trivialising people': 932327, 'ver2 dinsdale you': 954724, 'dinsdale you sir': 243147, 'you sir are': 1021262, 'sir are fool': 771545, 'are fool have': 86640, 'fool have to': 318289, 'supermarket then go': 823267, 'go home where': 353677, 'home where my': 402486, 'where my husband': 985042, 'my husband who': 548801, 'husband who also': 411789, 'who also ha': 988057, 'also ha asbestos': 48305, 'ha asbestos on': 369626, 'asbestos on his': 94889, 'on his lung': 601323, 'his lung and': 397592, 'lung and daughter': 506781, 'are both diabetic': 85033, 'both diabetic not': 135891, 'diabetic not knowing': 240201, 'not knowing if': 570314, 'knowing if have': 477121, 'if have been': 414200, '19 also have': 4927, 'travel on public': 930446, 'public transport stop': 688420, 'transport stop trivialising': 929950, 'stop trivialising people': 805241, 'trivialising people fear': 932328, 'uk key': 938502, 'worker includes': 1007217, 'includes those': 431820, 'who process': 989448, 'process deliver': 679896, 'stophoarding think': 805501, 'the nhsworkers': 861777, 'nhsworkers the': 562291, 'stockpile stop': 803800, 'creating additional': 215973, 'now the list': 576048, 'of uk key': 592572, 'uk key worker': 938503, 'key worker includes': 473490, 'worker includes those': 1007218, 'includes those who': 431821, 'those who process': 892664, 'who process deliver': 989449, 'process deliver food': 679897, 'deliver food hope': 233123, 'food hope ppl': 314840, 'hope ppl will': 403603, 'ppl will stop': 668380, 'will stop panicbuying': 995000, 'stop panicbuying please': 804892, 'panicbuying please stophoarding': 639032, 'please stophoarding think': 660601, 'stophoarding think of': 805502, 'of the nhsworkers': 591274, 'the nhsworkers the': 861778, 'nhsworkers the elderly': 562292, 'elderly and those': 270589, 'to stockpile stop': 915482, 'stockpile stop creating': 803801, 'stop creating additional': 804599, 'creating additional problem': 215974, 'additional problem during': 31857, 'problem during the': 679512, 'grassley': 362224, 'grassley urge': 362225, 'urge usda': 948244, 'use cc': 949107, 'cc fund': 168392, 'support ethanol': 826482, 'ethanol pandemic': 282994, 'lowering fuel': 506105, 'plummeted ethanol': 661338, 'grassley urge usda': 362226, 'urge usda to': 948245, 'usda to use': 948971, 'to use cc': 918012, 'use cc fund': 949108, 'cc fund to': 168393, 'to support ethanol': 915927, 'support ethanol pandemic': 826483, 'ethanol pandemic is': 282995, 'pandemic is lowering': 635781, 'is lowering fuel': 449485, 'lowering fuel consumption': 506106, 'fuel consumption and': 340143, 'consumption and corn': 199829, 'and corn price': 60557, 'corn price have': 203588, 'have plummeted ethanol': 381976, 'putin said': 691049, 'will revoke': 994702, 'business license': 143991, 'make gain': 509934, 'gain at': 342760, 'done here': 254872, 'president putin said': 670890, 'putin said they': 691050, 'they will revoke': 883881, 'will revoke the': 994703, 'revoke the business': 720715, 'the business license': 850172, 'business license of': 143992, 'license of any': 488148, 'any drug store': 79148, 'store that hike': 810553, 'that hike up': 844334, 'to make gain': 909667, 'make gain at': 509935, 'gain at the': 342761, 'expense of others': 291205, '19 period it': 9645, 'period it would': 651806, 'if the same': 415025, 'same thing wa': 733339, 'thing wa done': 884949, 'wa done here': 962018, 'done here in': 254873, 'here in naija': 393166, 'kissel': 475465, 'dr richard': 258083, 'richard kissel': 721299, 'kissel explains': 475466, 'adult how': 32826, 'week video': 977167, 'antonio texas': 78619, 'texas homeschooling': 839787, 'homeschooling fun': 402941, 'fun education': 341159, 'education science': 268863, 'science stem': 742138, 'dr richard kissel': 258084, 'richard kissel explains': 721300, 'kissel explains to': 475467, 'explains to kid': 292243, 'to kid and': 908914, 'and adult how': 57709, 'adult how hand': 32827, 'sanitizer work in': 736149, 'this week video': 891292, 'week video from': 977168, 'from the in': 337753, 'the in san': 858015, 'san antonio texas': 733521, 'antonio texas homeschooling': 78620, 'texas homeschooling fun': 839788, 'homeschooling fun education': 402942, 'fun education science': 341160, 'education science stem': 268864, 'second reason': 743806, 'seek financial': 746577, 'family family': 297776, 'll require': 496976, 'require more': 713316, 'wage presently': 963942, 'the second reason': 866588, 'second reason for': 743807, 'reason for doing': 702902, 'is to seek': 453238, 'to seek financial': 914107, 'seek financial help': 746578, 'financial help from': 306441, 'help from you': 389778, 'you need money': 1020015, 'my family family': 548195, 'family family of': 297777, 'family of because': 298093, '19 lockdown we': 8438, 'have what to': 383579, 'what to eat': 982454, 'eat now but': 266000, 'we ll require': 972274, 'll require more': 496977, 'require more soon': 713317, 'more soon we': 540430, 'soon we feed': 785894, 'we feed on': 971533, 'daily wage presently': 224874, 'which urge': 986424, 'urge amazon': 948154, 'amazon amp': 50843, 'amp ebay': 53693, 'ebay to': 266493, 'down harder': 256823, 'harder on': 378175, 'coronavirus profiteering': 206598, 'seller staple': 749076, 'staple household': 793950, 'product sell': 681604, 'which urge amazon': 986425, 'urge amazon amp': 948155, 'amazon amp ebay': 50844, 'amp ebay to': 53694, 'ebay to clamp': 266494, 'clamp down harder': 179940, 'down harder on': 256824, 'harder on coronavirus': 378176, 'on coronavirus profiteering': 600124, 'coronavirus profiteering by': 206599, 'by seller staple': 153920, 'seller staple household': 749077, 'staple household product': 793951, 'household product sell': 406915, 'product sell at': 681605, 'climbing': 182277, 'interestrates': 441660, 'were climbing': 979444, 'climbing at': 182278, 'show via': 767265, 'via nationwide': 956090, 'nationwide housing': 552730, 'housing mortgage': 407120, 'mortgage bank': 541866, 'bank lending': 109974, 'lending loan': 486285, 'growth investment': 367411, 'investment interestrates': 444017, 'house price were': 406510, 'price were climbing': 677443, 'were climbing at': 979445, 'climbing at the': 182279, 'pace in more': 632940, 'two year before': 937404, 'year before the': 1014433, 'coronavirus pandemic new': 206475, 'pandemic new report': 636025, 'report show via': 712256, 'show via nationwide': 767266, 'via nationwide housing': 956091, 'nationwide housing mortgage': 552731, 'housing mortgage bank': 407121, 'mortgage bank lending': 541867, 'bank lending loan': 109975, 'lending loan growth': 486286, 'loan growth investment': 497450, 'growth investment interestrates': 367412, 'work story': 1005768, '19 work story': 12173, 'work story here': 1005769, 'to ontario': 910981, 'ontario most': 611613, 'recent emergency': 703888, 'emergency mandate': 272786, 'mandate our': 513005, '25 april': 15842, '8th unfortunately': 23258, 'important update due': 419087, 'due to ontario': 261887, 'to ontario most': 910982, 'ontario most recent': 611614, 'most recent emergency': 542680, 'recent emergency mandate': 703889, 'emergency mandate our': 272787, 'mandate our retail': 513006, 'closing from march': 183648, 'from march 25': 336348, 'march 25 april': 515203, '25 april 8th': 15843, 'april 8th unfortunately': 83524, '8th unfortunately the': 23259, 'unfortunately the widespread': 941649, 'widespread of covid': 991851, 'caused the temporary': 167973, 'closure of many': 183969, 'many business in': 513846, 'business in order': 143893, 'fertile': 303575, 'provided fertile': 686600, 'fertile environment': 303576, 'on victim': 605047, '19 ha provided': 7374, 'ha provided fertile': 371569, 'provided fertile environment': 686601, 'fertile environment for': 303577, 'environment for scammer': 279104, 'for scammer to': 325372, 'scammer to prey': 740631, 'prey on victim': 672073, 'responding our': 715572, 'our african': 622038, 'correspondent report': 207642, 'lockdown now the': 499704, 'are responding our': 89635, 'responding our african': 715573, 'our african correspondent': 622039, 'african correspondent report': 35186, 'croozefmnews member': 218886, 'parliament sitting': 642167, 'finance committee': 306173, 'protested government': 685940, 'government proposed': 360489, 'proposed excise': 684529, 'duty increment': 263580, 'increment on': 433936, 'croozefmnews member of': 218887, 'of parliament sitting': 587786, 'parliament sitting on': 642168, 'on the finance': 604120, 'the finance committee': 855205, 'finance committee have': 306174, 'committee have protested': 189069, 'have protested government': 382092, 'protested government proposed': 685941, 'government proposed excise': 360490, 'proposed excise duty': 684530, 'excise duty increment': 289514, 'duty increment on': 263581, 'increment on fuel': 433937, 'fuel price especially': 340228, 'especially now when': 280565, 'now when the': 576395, 'is facing pandemic': 447702, 'facing pandemic of': 295560, 'pandemic of covid': 636069, 'confusion to': 194399, 'defraud others': 232486, 'offline will': 596062, 'how some people': 408719, 'some people use': 783542, 'people use fear': 650066, 'use fear and': 949211, 'and confusion to': 60300, 'confusion to defraud': 194400, 'to defraud others': 904071, 'defraud others safe': 232487, 'and offline will': 68005, 'offline will help': 596063, 'you avoid becoming': 1017348, 'becoming victim more': 120352, 'mnc': 534814, 'prediction post': 669671, '19 rich': 10224, 'are resource': 89629, 'resource ready': 714860, 'security being': 744554, 'being most': 125444, 'important mnc': 418888, 'mnc will': 534817, 'operation base': 613151, 'base to': 111479, 'can withstand': 160235, 'withstand another': 1003090, 'another global': 77630, 'prediction post covid': 669672, 'covid 19 rich': 213715, '19 rich people': 10225, 'people will stock': 650415, 'stock up house': 803087, 'up house in': 945118, 'house in country': 406354, 'that are resource': 842807, 'are resource ready': 89630, 'resource ready for': 714861, 'ready for crisis': 700859, 'for crisis healthcare': 320451, 'crisis healthcare and': 217477, 'food security being': 316340, 'security being most': 744555, 'being most important': 125445, 'most important mnc': 542408, 'important mnc will': 418889, 'mnc will move': 534818, 'will move their': 994136, 'move their operation': 543742, 'their operation base': 874118, 'operation base to': 613152, 'base to country': 111480, 'that can withstand': 843126, 'can withstand another': 160236, 'withstand another global': 1003091, 'another global pandemic': 77631, 'cling': 182284, 'bag after': 108211, 'supermarket cling': 819716, 'cling to': 182287, 'please vote': 660731, 'retweet thanks': 720082, 'clean your reusable': 180697, 'shopping bag after': 762138, 'bag after shopping': 108212, 'after shopping at': 36205, 'the supermarket cling': 868520, 'supermarket cling to': 819717, 'cling to many': 182288, 'to many surface': 909831, 'many surface please': 514770, 'surface please vote': 828068, 'please vote and': 660732, 'vote and retweet': 960468, 'and retweet thanks': 70479, 'fix food': 309719, 'essential with': 281801, 'please fix food': 659998, 'fix food price': 309720, 'price and other': 672485, 'other essential with': 620186, 'essential with immediate': 281802, 'retail shop on': 718552, 'shop on basic': 760543, 'on basic item': 599583, 'basic item such': 111962, 'tv just': 936133, 'say wash': 739447, 'on tv just': 604908, 'tv just say': 936134, 'just say wash': 469706, 'say wash your': 739448, 'oil it small': 596918, 'it small bottle': 461086, 'small bottle with': 774816, 'with drop in': 998147, 'drop in it': 260258, 'in it corona': 424234, 'doe unprecedented': 251658, 'unprecedented panic': 943183, 'mode mean': 535184, 'for province': 324840, 'province long': 687179, 'long struggling': 501657, 'with volatile': 1001998, 'volatile and': 960035, 'billion bailout': 130780, 'latest for what': 481349, 'for what doe': 327797, 'what doe unprecedented': 981374, 'doe unprecedented panic': 251659, 'unprecedented panic mode': 943184, 'panic mode mean': 638319, 'mode mean for': 535185, 'mean for province': 524450, 'for province long': 324841, 'province long struggling': 687180, 'long struggling with': 501658, 'struggling with volatile': 814549, 'with volatile and': 1001999, 'volatile and low': 960036, 'price the industry': 676841, 'is now looking': 450299, 'looking at 15': 502797, 'at 15 billion': 97471, '15 billion bailout': 3672, 'frustrating trying': 339260, 'weekly meal': 977515, 'meal when': 524302, 'food stoppanicbuying': 316834, 'so frustrating trying': 777129, 'frustrating trying to': 339261, 'trying to plan': 934839, 'to plan my': 911766, 'plan my weekly': 658180, 'my weekly meal': 550562, 'weekly meal when': 977516, 'meal when the': 524303, 'no food stoppanicbuying': 564273, 'am blind': 49951, 'space available': 787061, 'area live': 92099, 'alone far': 46851, 'am blind and': 49952, 'blind and rely': 132685, 'no space available': 565559, 'space available in': 787064, 'available in my': 104449, 'my area live': 547299, 'area live alone': 92100, 'live alone far': 495712, 'alone far from': 46852, 'far from family': 298781, 'from family what': 335407, 'family what are': 298368, 'connolly': 194743, 'connolly my': 194744, 'fav movie': 300444, 'movie specially': 544061, 'shit storm': 759231, 'storm happening': 811807, 'paper toiletpaperpanic': 640971, 'connolly my fav': 194745, 'my fav movie': 548259, 'fav movie specially': 300445, 'movie specially now': 544062, 'now that there': 576021, 'there is shit': 878622, 'is shit storm': 451865, 'shit storm happening': 759232, 'storm happening and': 811808, 'happening and the': 377320, 'toilet paper toiletpaperpanic': 921500, 'paper toiletpaperpanic toiletpaper': 640973, 'perfected': 651373, 've perfected': 953432, 'perfected my': 651374, 'my protection': 549855, 'store ve perfected': 811044, 've perfected my': 953433, 'perfected my protection': 651375, 'he contracted': 384849, 'wa mystery': 962681, 'mystery mr': 551011, 'mr champion': 544354, 'champion said': 171681, 'pub we': 687800, 'how he contracted': 407978, 'he contracted the': 384850, 'virus wa mystery': 958990, 'wa mystery mr': 962682, 'mystery mr champion': 551012, 'mr champion said': 544355, 'champion said the': 171682, 'said the supermarket': 731453, 'supermarket the pub': 823242, 'the pub we': 864780, 'pub we just': 687801, 'we just do': 972105, 'extremely negative': 293915, 'and favorite': 62723, 'favorite brand': 300491, 'already had an': 47390, 'had an extremely': 372837, 'an extremely negative': 56032, 'extremely negative impact': 293916, 'shopping online from': 763434, 'online from your': 608278, 'local and favorite': 497679, 'and favorite brand': 62724, 'favorite brand and': 300492, 'brand and sharing': 137733, 'and sharing the': 71400, 'sharing the love': 755593, 'pound maker': 667384, 'maker covid': 510825, '19 grain': 7273, 'grain delivery': 361768, 'delivery payment': 234305, 'building access': 142039, 'access policy': 28172, 'pound maker covid': 667385, 'maker covid 19': 510826, 'covid 19 grain': 213162, '19 grain delivery': 7274, 'grain delivery payment': 361769, 'delivery payment and': 234306, 'payment and building': 645542, 'and building access': 59244, 'building access policy': 142040, 'ohio reporting': 596551, 'case clarity': 165684, 'nonessential medical': 566621, 'medical procedure': 526315, 'procedure pharmacy': 679819, 'pharmacy benefit': 654256, 'benefit change': 126944, 'change transit': 172369, 'transit authority': 929626, 'authority guidance': 103729, 'sanitizer donation': 734787, 'to ohio': 910877, 'bank april': 109633, 'change in ohio': 172124, 'in ohio reporting': 426079, 'ohio reporting of': 596552, 'reporting of case': 712725, 'of case clarity': 581166, 'case clarity on': 165685, 'clarity on essential': 180100, 'essential nonessential medical': 281336, 'nonessential medical procedure': 566622, 'medical procedure pharmacy': 526316, 'procedure pharmacy benefit': 679820, 'pharmacy benefit change': 654257, 'benefit change transit': 126945, 'change transit authority': 172370, 'transit authority guidance': 929627, 'authority guidance and': 103730, 'guidance and sanitizer': 368207, 'and sanitizer donation': 70868, 'sanitizer donation to': 734788, 'donation to ohio': 254713, 'to ohio food': 910878, 'ohio food bank': 596541, 'food bank april': 313520, 'bank april 10': 109634, 'mealtrak': 524342, 'foodtogotrends': 318234, 'pandemic mealtrak': 635948, 'mealtrak is': 524343, 'uk on': 938583, 'weekly basis': 977472, 'basis including': 112248, 'delivery foodtogotrends': 234013, 'foodtogotrends consumerbehaviour': 318235, 'consumerbehaviour foodandbeverage': 199635, 'the pandemic mealtrak': 863023, 'pandemic mealtrak is': 635949, 'mealtrak is tracking': 524344, 'sentiment and food': 750896, 'and food purchasing': 63083, 'food purchasing behaviour': 316089, 'purchasing behaviour in': 689846, 'behaviour in the': 124454, 'the uk on': 870255, 'uk on weekly': 938584, 'on weekly basis': 605194, 'weekly basis including': 977473, 'basis including all': 112249, 'including all type': 431869, 'type of home': 937564, 'home delivery foodtogotrends': 401017, 'delivery foodtogotrends consumerbehaviour': 234014, 'foodtogotrends consumerbehaviour foodandbeverage': 318236, 'sharing thought': 755612, 'stockpiling from': 803969, 'might got': 531001, 'got affected': 358385, 'just sharing thought': 469776, 'sharing thought do': 755613, 'is very risky': 453692, 'go and stockpiling': 353291, 'and stockpiling from': 72454, 'stockpiling from the': 803970, 'the supermarket grocery': 868614, 'supermarket grocery now': 820580, 'grocery now someone': 364760, 'someone might got': 784569, 'might got affected': 531002, 'got affected and': 358386, 'become too': 120172, 'too paranoid': 924989, 'because while': 119835, 'this said': 889942, 'wa quarantine': 963020, 'quarantine quarantine': 692454, 'quarantine coronapocalypse': 692103, 'think have become': 885274, 'have become too': 379449, 'become too paranoid': 120173, 'too paranoid about': 924990, 'paranoid about this': 641434, 'about this corona': 26632, 'virus and have': 957929, 'and have quarantine': 64267, 'have quarantine on': 382124, 'quarantine on my': 692403, 'my mind because': 549242, 'mind because while': 532625, 'because while wa': 119836, 'while wa at': 987518, 'first thing thought': 309079, 'thing thought this': 884873, 'thought this said': 893265, 'this said wa': 889943, 'said wa quarantine': 731555, 'wa quarantine quarantine': 963021, 'quarantine quarantine coronapocalypse': 692455, 'wonderful country music': 1004071, 'be providing free': 116603, 'free grocery to': 331884, 'resident in response': 714318, 'disneyland': 246056, 'reopens': 711404, 'attraction': 102716, 'disneyworld': 246064, 'when disneyland': 983346, 'disneyland reopens': 246058, 'reopens it': 711405, 'will feature': 993416, 'feature harrowing': 301544, 'harrowing new': 378538, 'death defying': 230018, 'defying attraction': 232510, 'attraction going': 102717, 'store interacting': 808444, 'interacting people': 441220, 'your facemask': 1023763, 'facemask suddenly': 295106, 'suddenly slip': 817135, 'slip your': 774034, 'glove fall': 352677, 'forgot your': 329428, 'sanitizer disneyland': 734760, 'disneyland disneyworld': 246057, 'when disneyland reopens': 983347, 'disneyland reopens it': 246059, 'reopens it will': 711406, 'it will feature': 462394, 'will feature harrowing': 993417, 'feature harrowing new': 301545, 'harrowing new death': 378539, 'new death defying': 558611, 'death defying attraction': 230019, 'defying attraction going': 232511, 'attraction going to': 102718, 'grocery store interacting': 365488, 'store interacting people': 808445, 'interacting people in': 441221, 'people in when': 648451, 'in when your': 430850, 'when your facemask': 984624, 'your facemask suddenly': 1023764, 'facemask suddenly slip': 295107, 'suddenly slip your': 817136, 'slip your glove': 774035, 'your glove fall': 1024059, 'glove fall off': 352678, 'fall off you': 297010, 'off you forgot': 594436, 'you forgot your': 1018698, 'forgot your hand': 329429, 'hand sanitizer disneyland': 375372, 'sanitizer disneyland disneyworld': 734761, 'coronavirus holbrook': 206089, '2020 new': 14463, 'shopper mask': 761611, 'the mask and': 860210, 'and coronavirus holbrook': 60573, 'coronavirus holbrook april': 206090, '10 2020 new': 1255, '2020 new normal': 14464, 'normal for supermarket': 567154, 'supermarket shopper mask': 822617, 'shopper mask supermarket': 761612, 'nextdoor': 561743, 'neighborhood help': 557124, 'help map': 390050, 'map on': 514938, 'on nextdoor': 602401, 'nextdoor to': 561746, 'to neighbor': 910535, 'need nextdoor': 555299, 'nextdoor emptyshelves': 561744, 'emptyshelves toiletpaper': 275316, 'handsanitizer nextdoor': 376593, 'use your neighborhood': 949841, 'your neighborhood help': 1024967, 'neighborhood help map': 557125, 'help map on': 390051, 'map on nextdoor': 514939, 'on nextdoor to': 602402, 'nextdoor to find': 561747, 'to find help': 905907, 'find help or': 306954, 'help or offer': 390201, 'or offer it': 616351, 'offer it to': 594676, 'it to neighbor': 461736, 'to neighbor in': 910536, 'in need nextdoor': 425756, 'need nextdoor emptyshelves': 555300, 'nextdoor emptyshelves toiletpaper': 561745, 'emptyshelves toiletpaper handsanitizer': 275317, 'toiletpaper handsanitizer nextdoor': 922053, 'wmt app': 1003284, 'download surpasses': 257621, 'surpasses amzn': 828465, 'amzn by': 55002, '20 recently': 13293, 'recently due': 704083, 'via fox': 955990, 'wmt app download': 1003285, 'app download surpasses': 81699, 'download surpasses amzn': 257622, 'surpasses amzn by': 828466, 'amzn by 20': 55003, 'by 20 recently': 151577, '20 recently due': 13294, 'recently due to': 704084, 'shopping via fox': 764317, 'via fox news': 955991, 'fox news this': 330770, 'news this am': 560884, 'many body': 513829, 'being cleared': 124952, 'of deep': 582449, 'deep freezer': 231890, 'since space': 770832, 'how many body': 408248, 'many body are': 513830, 'body are being': 133825, 'are being cleared': 84838, 'being cleared out': 124953, 'out of deep': 626719, 'of deep freezer': 582450, 'deep freezer since': 231891, 'freezer since space': 332630, 'since space is': 770833, 'space is now': 787133, 'is now required': 450326, 'now required for': 575686, 'required for panic': 713367, 'panic hoarding stoppanicbuying': 638182, 'credit also': 216302, 'consumer credit also': 197014, 'credit also need': 216303, 'also need protection': 48551, 'need protection from': 555487, 'protection from covid': 685456, '19 consumer group': 5971, 'group say via': 366878, 'submerged': 815770, 'like been': 489888, 'been submerged': 122088, 'submerged in': 815771, 'sanitiser did': 733939, 'felt like been': 303404, 'like been submerged': 489889, 'been submerged in': 122089, 'submerged in an': 815772, 'shopping list of': 763190, 'list of loo': 494453, 'hand sanitiser did': 375225, 'sanitiser did manage': 733940, 'vibhishans': 956401, 'the vibhishans': 870727, 'vibhishans of': 956402, 'chemist who are': 175460, 'sanitizers at damn': 736223, 'at damn high': 98408, 'damn high price': 225361, 'high price are': 395233, 'price are no': 672704, 'are no le': 88266, 'le than those': 483189, 'than those who': 841324, 'who are spreading': 988221, 'are spreading covid': 90335, 'are the vibhishans': 90930, 'the vibhishans of': 870728, 'vibhishans of the': 956403, 'befriend': 123352, 'to befriend': 901703, 'befriend toiletpaper': 123353, 'toiletpaperapocalypse quaratinelife': 922917, 'this at you': 886456, 'at you see': 101661, 'see someone walking': 745735, 'walking out with': 965083, 'with this you': 1001742, 'this you know': 891614, 'who to befriend': 989795, 'to befriend toiletpaper': 901704, 'befriend toiletpaper toiletpaperapocalypse': 123354, 'toiletpaper toiletpaperapocalypse quaratinelife': 922637, 'jorge': 467306, 'foreclosure etc': 328922, 'etc jorge': 282627, 'jorge perez': 467307, 'perez ct': 651263, 'ct banking': 220087, 'banking commissioner': 110420, 'commissioner ct': 188935, 'ct credit': 220092, 'union league': 941903, 'league ct': 483849, 'banking association': 110413, 'association 62': 96940, '62 institution': 21228, 'institution signed': 440471, 'signed onto': 769373, 'onto proposal': 611669, 'proposal 90': 684453, 'day grace': 227692, 'payment related': 645713, 'eviction foreclosure etc': 288317, 'foreclosure etc jorge': 328923, 'etc jorge perez': 282628, 'jorge perez ct': 467308, 'perez ct banking': 651264, 'ct banking commissioner': 220089, 'banking commissioner ct': 110421, 'commissioner ct credit': 188936, 'ct credit union': 220093, 'credit union league': 216547, 'union league ct': 941904, 'league ct banking': 483850, 'ct banking association': 220088, 'banking association 62': 110414, 'association 62 institution': 96941, '62 institution signed': 21229, 'institution signed onto': 440472, 'signed onto proposal': 769374, 'onto proposal 90': 611670, 'proposal 90 day': 684454, '90 day grace': 23286, 'day grace period': 227693, 'period for mortgage': 651762, 'for mortgage payment': 323617, 'mortgage payment related': 541938, 'payment related to': 645714, 'can legally': 158861, 'legally take': 485918, 'to financially': 905871, 'financially protect': 306680, 'legal info': 485874, 'creditor in': 216576, 'you can legally': 1017712, 'can legally take': 158862, 'legally take step': 485919, 'step to financially': 799648, 'to financially protect': 905872, 'financially protect yourself': 306681, 'the legal info': 859277, 'legal info you': 485875, 'company creditor in': 190575, 'creditor in order': 216577, 'order to secure': 618706, 'hovering': 407247, 'eurusd is': 283645, 'is hovering': 448566, 'hovering near': 407248, 'the mid': 860563, 'mid 11': 530538, '11 level': 2550, 'level the': 487727, 'investor await': 444115, 'await slew': 105535, 'eurozone which': 283642, 'potentially bring': 667192, 'some volatility': 784175, 'in euro': 422626, 'euro price': 283368, 'here forex': 393018, 'forex usd': 329179, 'usd chart': 948909, 'eurusd is hovering': 283646, 'is hovering near': 448567, 'hovering near the': 407249, 'near the mid': 553612, 'the mid 11': 860564, 'mid 11 level': 530539, '11 level the': 2551, 'level the investor': 487728, 'the investor await': 858424, 'investor await slew': 444116, 'await slew of': 105536, 'slew of data': 773854, 'data to be': 226455, 'to be released': 901497, 'be released by': 116763, 'by the eurozone': 154321, 'the eurozone which': 854591, 'eurozone which could': 283643, 'which could potentially': 985779, 'could potentially bring': 209524, 'potentially bring some': 667193, 'bring some volatility': 140075, 'some volatility in': 784176, 'volatility in euro': 960077, 'in euro price': 422627, 'euro price read': 283369, 'price read full': 676098, 'report here forex': 712012, 'here forex usd': 393019, 'forex usd chart': 329180, 'frontlines ensuring': 338911, 'deb receives': 230294, 'receives the': 703739, 'julianne she still': 467793, 'she still on': 756359, 'the frontlines ensuring': 855899, 'frontlines ensuring that': 338912, 'ensuring that her': 278193, 'that her consumer': 844319, 'consumer deb receives': 197072, 'deb receives the': 230295, 'receives the care': 703740, '19 pakistan': 9239, 'many country due': 513946, 'covid 19 pakistan': 213546, '19 pakistan quarantinelife': 9240, 'food transporter': 317356, 'transporter he': 930064, 'ensure farmer': 277937, 'and gps': 63900, 'gps have': 361434, 'haulier and': 379017, 'an agricultural food': 55200, 'agricultural food transporter': 38883, 'food transporter he': 317357, 'transporter he work': 930065, 'he work to': 385685, 'to ensure farmer': 905159, 'ensure farmer have': 277938, 'food supply well': 317013, 'staff and gps': 792141, 'and gps have': 63901, 'gps have huge': 361435, 'have huge respect': 380996, 'the local retailer': 859568, 'local retailer haulier': 498354, 'retailer haulier and': 719174, 'haulier and store': 379018, 'and store who': 72521, 'store who keep': 811304, 'lotlinx': 504441, 'oem': 579283, 'newest version': 560068, 'the lotlinx': 859745, 'lotlinx covid': 504442, 'analysis for': 57038, 'on oem': 602475, 'oem factory': 579284, 'and incentive': 65088, 'incentive state': 431366, 'federal intervention': 302019, 'intervention change': 442179, 'behavior available': 123922, 'free automotive': 331668, 'download the newest': 257632, 'the newest version': 861593, 'newest version of': 560069, 'of the lotlinx': 591202, 'the lotlinx covid': 859746, 'lotlinx covid 19': 504443, '19 market analysis': 8556, 'market analysis for': 515943, 'analysis for update': 57040, 'update on oem': 947126, 'on oem factory': 602476, 'oem factory closure': 579285, 'factory closure and': 295936, 'closure and incentive': 183836, 'and incentive state': 65089, 'incentive state and': 431367, 'and federal intervention': 62758, 'federal intervention change': 302020, 'intervention change in': 442180, 'consumer behavior available': 196445, 'behavior available for': 123923, 'for free automotive': 321706, 'chewy': 175597, 'chewy stock': 175602, 'on booming': 599668, 'sale dog': 732166, 'happy too': 377722, 'too via': 925145, 'via veterinary': 956351, 'chewy stock is': 175604, 'stock is up': 802314, 'is up on': 453578, 'up on booming': 945530, 'on booming online': 599669, 'booming online pet': 134892, 'pet food sale': 653397, 'food sale dog': 316287, 'sale dog are': 732167, 'dog are happy': 252039, 'are happy too': 87011, 'happy too via': 377723, 'too via veterinary': 925146, 'whereyoureatthecheckoutandyouhearthebeep': 985478, 'dalewinton': 225108, 'ha completed': 370218, 'completed supermarket': 192204, 'sweep corona': 830115, 'corona whereyoureatthecheckoutandyouhearthebeep': 204392, 'whereyoureatthecheckoutandyouhearthebeep dalewinton': 985479, 'someone ha completed': 784490, 'ha completed supermarket': 370219, 'completed supermarket sweep': 192205, 'supermarket sweep corona': 823088, 'sweep corona whereyoureatthecheckoutandyouhearthebeep': 830116, 'corona whereyoureatthecheckoutandyouhearthebeep dalewinton': 204393, 'fijisports': 305315, 'fbcsports': 300694, '19 fijisports': 6994, 'fijisports fbcsports': 305316, 'fbcsports 19': 300695, 'commission is urging': 188851, 'covid 19 fijisports': 213093, '19 fijisports fbcsports': 6995, 'fijisports fbcsports 19': 305317, 'fbcsports 19 more': 300696, 'stasiek': 795311, 'czaplicki': 224151, 'cabezas': 154961, 'will related': 994620, 'related food': 708444, 'hoarding lead': 399410, 'meat production': 525720, 'associated deforestation': 96917, 'deforestation how': 232471, 'china responded': 176909, 'for pork': 324621, 'pork find': 664794, 'by focus': 152605, 'focus own': 311909, 'own stasiek': 632230, 'stasiek czaplicki': 795312, 'czaplicki cabezas': 224152, 'will related food': 994621, 'related food hoarding': 708445, 'food hoarding lead': 314828, 'hoarding lead to': 399411, 'to more meat': 910260, 'more meat production': 539769, 'meat production and': 525721, 'production and associated': 681918, 'and associated deforestation': 58462, 'associated deforestation how': 96918, 'deforestation how ha': 232472, 'how ha china': 407945, 'ha china responded': 370148, 'china responded to': 176910, 'responded to increased': 715362, 'demand for pork': 235476, 'for pork find': 324622, 'pork find out': 664795, 'find out in': 307143, 'in this post': 430000, 'this post by': 889672, 'post by focus': 666031, 'by focus own': 152606, 'focus own stasiek': 311910, 'own stasiek czaplicki': 632231, 'stasiek czaplicki cabezas': 795313, 'it secure': 460923, 'by browsing the': 152010, 'browsing the item': 141309, 'the item it': 858607, 'item it secure': 463402, 'it secure and': 460924, 'secure and with': 744428, 'restock amid': 716862, 'panicbuying via': 639107, 'grocer are changing': 364098, 'hour to clean': 406017, 'clean and restock': 180465, 'and restock amid': 70401, 'restock amid panicbuying': 716863, 'amid panicbuying via': 52591, 'panicbuying via brickandmortar': 639108, 'via brickandmortar retail': 955829, 'brickandmortar retail grocery': 139603, 'retail grocery pandemic': 718157, 'grocery pandemic 19': 364829, 'tpe border': 928059, 'tpe border limit': 928060, 'fakepresident': 296777, 'you actively': 1016802, 'actively doing': 30307, 'afford rent': 34747, 'rent food': 711085, 'leadership not': 483632, 'sound bite': 786270, 'bite we': 131882, 'than sound': 841154, 'bite fakepresident': 131862, 'are you actively': 91759, 'you actively doing': 1016803, 'actively doing for': 30308, 'worker who now': 1008221, 'who now have': 989351, 'no job cannot': 564538, 'job cannot afford': 465724, 'cannot afford rent': 161611, 'afford rent food': 34748, 'rent food or': 711086, 'or essential we': 615184, 'are nation in': 88185, 'nation in desperate': 552218, 'need for leadership': 554850, 'for leadership not': 322916, 'leadership not sound': 483633, 'not sound bite': 571659, 'sound bite we': 786272, 'bite we the': 131883, 'we the people': 973521, 'the people demand': 863467, 'people demand more': 647627, 'demand more than': 235894, 'more than sound': 540676, 'than sound bite': 841155, 'sound bite fakepresident': 786271, 'corporation got': 207422, '2017 so': 13861, 'healthy balance': 387540, 'sheet that': 756621, 'wait they': 964204, 'they spent': 883422, 'spent their': 789176, 'their tax': 874947, 'tax saving': 835089, 'on pumping': 603008, 'pumping up': 689139, 'corporation got huge': 207423, 'got huge tax': 358620, 'huge tax break': 410232, 'tax break in': 834943, 'break in 2017': 138745, 'in 2017 so': 419780, '2017 so they': 13862, 'should be fine': 765622, 'fine now with': 307669, 'now with healthy': 576445, 'with healthy balance': 998756, 'healthy balance sheet': 387541, 'balance sheet that': 108987, 'sheet that allow': 756622, 'that allow them': 842587, 'them to weather': 876529, 'to weather covid': 918454, '19 oh but': 8905, 'oh but wait': 596373, 'but wait they': 147715, 'wait they spent': 964205, 'they spent their': 883423, 'spent their tax': 789177, 'their tax saving': 874949, 'tax saving on': 835090, 'saving on pumping': 737938, 'on pumping up': 603009, 'pumping up their': 689141, 'up their stock': 946253, 'price why should': 677543, 'should we pay': 766650, 'we pay for': 972700, 'latinosfortrump': 481660, 'carmen': 164774, 'aldecoa': 41240, 'from whiskey': 338366, 'america last': 51594, 'year visited': 1015075, 'visited gulf': 959480, 'coast distiller': 185099, 'distiller where': 247718, 'owner hosted': 632468, 'hosted latinosfortrump': 404921, 'latinosfortrump event': 481661, 'fight carlos': 304690, 'carlos carmen': 164751, 'carmen aldecoa': 164775, 'aldecoa are': 41241, 'true heart': 933096, 'america small': 51680, 'from whiskey to': 338367, 'sanitizer for america': 734894, 'for america last': 319235, 'america last year': 51595, 'last year visited': 480742, 'year visited gulf': 1015076, 'visited gulf coast': 959481, 'gulf coast distiller': 368633, 'coast distiller where': 185100, 'distiller where the': 247719, 'where the owner': 985241, 'the owner hosted': 862808, 'owner hosted latinosfortrump': 632469, 'hosted latinosfortrump event': 404922, 'latinosfortrump event for': 481662, 'event for now': 284982, 'they are stepping': 881416, 'to fight carlos': 905782, 'fight carlos carmen': 304691, 'carlos carmen aldecoa': 164752, 'carmen aldecoa are': 164776, 'aldecoa are the': 41242, 'the true heart': 870050, 'true heart of': 933097, 'heart of america': 388314, 'of america small': 580046, 'america small business': 51681, 'crisedupapiertoilette': 216950, 'today didn': 919445, 'paper rebel': 640666, 'rebel crisedupapiertoilette': 703268, 'supermarket today didn': 823441, 'today didn buy': 919446, 'didn buy toilet': 241001, 'toilet paper rebel': 921416, 'paper rebel crisedupapiertoilette': 640667, 'mich': 530213, 'index look': 434216, 'for direction': 320730, 'direction near': 243468, 'near 100': 553449, '00 focus': 204, 'on claim': 599929, 'claim dxy': 179728, 'dxy hovers': 263716, 'hovers around': 407251, '00 ahead': 47, 'job report': 466125, 'report focus': 711942, 'focus stay': 311923, 'economy initial': 267976, 'claim producer': 179789, 'producer price': 680689, 'price advanced': 672221, 'advanced mich': 32937, 'mich next': 530214, 'on tap': 603881, 'dollar index look': 253016, 'index look for': 434217, 'look for direction': 502358, 'for direction near': 320731, 'direction near 100': 243469, 'near 100 00': 553450, '100 00 focus': 1787, '00 focus on': 205, 'focus on claim': 311867, 'on claim dxy': 599930, 'claim dxy hovers': 179729, 'dxy hovers around': 263717, 'hovers around 100': 407252, 'around 100 00': 93100, '100 00 ahead': 1782, '00 ahead of': 48, 'the job report': 858671, 'job report focus': 466126, 'report focus stay': 711943, 'focus stay on': 311924, 'the economy initial': 853984, 'economy initial claim': 267977, 'initial claim producer': 438520, 'claim producer price': 179790, 'producer price advanced': 680690, 'price advanced mich': 672222, 'advanced mich next': 32938, 'mich next on': 530215, 'next on tap': 561480, 'remove delivery': 710814, 'their loading': 873864, 'bay to': 112974, 'meet current': 527449, 'currently working with': 221725, 'with our local': 1000004, 'local supermarket operator': 498567, 'supermarket operator to': 821787, 'operator to remove': 613412, 'to remove delivery': 913218, 'remove delivery curfew': 710815, 'delivery curfew on': 233842, 'curfew on their': 220909, 'on their loading': 604492, 'their loading bay': 873865, 'loading bay to': 497332, 'bay to help': 112975, 'them meet current': 876019, 'meet current demand': 527450, 'current demand more': 221171, 'hoarder if': 399050, 'possible need': 665715, 'have think': 383095, 'selfish action': 747977, 've tried': 953636, 'more responsible': 540247, 'responsible stophoarding': 716058, 'the hoarder if': 857407, 'hoarder if it': 399051, 'it even possible': 457859, 'even possible need': 284477, 'possible need to': 665716, 'to have think': 907326, 'have think about': 383096, 'how their selfish': 408902, 'their selfish action': 874646, 'selfish action are': 747978, 'action are impacting': 29959, 'are impacting on': 87325, 'impacting on those': 418242, 'on those of': 604651, 'of who ve': 593135, 'who ve tried': 989887, 've tried to': 953637, 'be more responsible': 115992, 'more responsible stophoarding': 540249, 'responsible stophoarding panicbuyinguk': 716059, 'warning center': 967107, 'claim st': 179820, 'area address': 91912, 'fear gt': 301152, 'latest consumer warning': 481266, 'consumer warning center': 199476, 'warning center on': 967108, 'center on two': 169281, 'that claim st': 843237, 'claim st louis': 179821, 'louis area address': 504518, 'area address and': 91913, 'address and are': 31947, 'capitalize on fear': 162838, 'on fear gt': 600758, 'debt get': 230490, 'another but': 77524, 'younger gen': 1022685, 'gen through': 345231, 'through increased': 894524, 'increased relative': 433454, 'relative tax': 708747, 'tax le': 835027, 'benefit inflation': 127014, 'asset such': 96476, 'such real': 816706, 'estate or': 282166, 'or younger': 617871, 'gen will': 345237, 'clear that huge': 181344, 'that huge increase': 844393, 'increase in debt': 432828, 'in debt get': 422052, 'debt get paid': 230491, 'paid for one': 634019, 'or another but': 614326, 'another but by': 77525, 'but by who': 145335, 'by who obviously': 154742, 'who obviously the': 989358, 'obviously the younger': 578857, 'the younger gen': 872208, 'younger gen through': 1022686, 'gen through increased': 345232, 'through increased relative': 894525, 'increased relative tax': 433455, 'relative tax le': 708748, 'tax le social': 835028, 'le social benefit': 483128, 'social benefit inflation': 779446, 'benefit inflation of': 127015, 'inflation of asset': 437210, 'of asset such': 580401, 'asset such real': 96477, 'such real estate': 816707, 'real estate or': 701158, 'estate or younger': 282167, 'or younger gen': 617872, 'younger gen will': 1022687, 'gen will pay': 345238, 'will pay higher': 994393, 'started manufacturing': 794782, 'manufacturing savlon': 513653, 'savlon sanitisers': 738010, 'sanitisers with': 734118, 'new reduced': 559422, 'working overnight': 1008856, 'on rushing': 603237, 'rushing the': 728390, 'market stayathome': 517116, 'per the government': 651039, 'government order we': 360435, 'order we have': 618756, 'have already started': 379204, 'already started manufacturing': 47677, 'started manufacturing savlon': 794783, 'manufacturing savlon sanitisers': 513654, 'savlon sanitisers with': 738011, 'sanitisers with the': 734119, 'the new reduced': 861546, 'new reduced price': 559423, 'price and are': 672363, 'and are working': 58374, 'are working overnight': 91709, 'working overnight on': 1008857, 'overnight on rushing': 631348, 'on rushing the': 603238, 'rushing the new': 728391, 'new stock to': 559663, 'the market stayathome': 860165, 'growing use': 367255, 'the ftcscambingo': 855948, 'ftcscambingo card': 339476, 'check off': 174504, 'scammer you': 740662, 'you spotted': 1021333, 'spotted and': 790174, 'the are growing': 848863, 'are growing use': 86976, 'growing use the': 367256, 'use the ftcscambingo': 949665, 'the ftcscambingo card': 855949, 'ftcscambingo card to': 339477, 'card to check': 163678, 'to check off': 902689, 'check off the': 174505, 'off the scammer': 594266, 'the scammer you': 866428, 'scammer you spotted': 740663, 'you spotted and': 1021334, 'spotted and help': 790175, 'isolate obey': 454901, 'obey government': 578381, 'regulation relax': 708102, 'relax by': 708808, 'home offer': 401699, 'offer food': 594610, 'poor never': 664232, 'never panic': 558142, 'above emerge': 27060, 'emerge victorious': 272545, 'victorious against': 956561, 'choose to self': 177915, 'self isolate obey': 747686, 'isolate obey government': 454902, 'obey government regulation': 578382, 'government regulation relax': 360520, 'regulation relax by': 708103, 'relax by staying': 708809, 'at home offer': 99063, 'home offer food': 401700, 'offer food to': 594611, 'the poor never': 863981, 'poor never panic': 664233, 'never panic avoid': 558143, 'panic avoid crowded': 637390, 'place follow the': 657436, 'follow the above': 312521, 'the above emerge': 848245, 'above emerge victorious': 27061, 'emerge victorious against': 272546, 'victorious against covid': 956562, 'authentically': 103620, 'gasp': 344277, 'coloradoshutdown': 186829, 'local colorado': 497835, 'colorado supermarket': 186812, 'someone walked': 784738, 'by let': 153042, 'an authentically': 55481, 'authentically shocked': 103621, 'shocked gasp': 759569, 'gasp ve': 344278, 'because rather': 119509, 'american still': 52215, 'in blind': 420878, 'blind denial': 132686, 'denial coloradoshutdown': 236939, 'my local colorado': 549106, 'local colorado supermarket': 497836, 'colorado supermarket today': 186813, 'supermarket today wearing': 823477, 'glove and someone': 352580, 'and someone walked': 71988, 'someone walked by': 784739, 'walked by let': 964941, 'by let out': 153043, 'let out an': 486961, 'out an authentically': 625629, 'an authentically shocked': 55482, 'authentically shocked gasp': 103622, 'shocked gasp ve': 759570, 'gasp ve been': 344279, 'this for week': 887598, 'for week because': 327693, 'week because rather': 975990, 'because rather take': 119510, 'rather take precaution': 697500, 'take precaution but': 832513, 'precaution but many': 669297, 'but many american': 146352, 'many american still': 513735, 'american still in': 52216, 'still in blind': 800740, 'in blind denial': 420879, 'blind denial coloradoshutdown': 132687, 'low people': 505483, 'normal company': 567115, 'produce cheaper': 680221, 'cheaper electric': 174247, 'sad to say': 729276, 'say but think': 738472, 'but think this': 147538, 'oil industry with': 596893, 'industry with price': 436253, 'with price so': 1000312, 'so low people': 777607, 'low people will': 505485, 'people will demand': 650383, 'demand the same': 236358, 'the same price': 866282, 'same price when': 733244, 'when thing are': 984293, 'get to normal': 348482, 'to normal company': 910644, 'normal company will': 567116, 'be pushed to': 116637, 'pushed to produce': 690388, 'to produce cheaper': 912189, 'produce cheaper electric': 680222, 'cheaper electric vehicle': 174248, 'financialmanagement': 306697, 'personalfinances': 653004, 'moneymanagement': 537204, 'expert like': 291875, 'like forbes': 490277, 'forbes and': 328280, 'bureau financialmanagement': 142784, 'financialmanagement finance': 306698, 'finance personalfinances': 306249, 'personalfinances moneymanagement': 653005, 'advice from expert': 33383, 'from expert like': 335362, 'expert like forbes': 291876, 'like forbes and': 490278, 'forbes and the': 328281, 'protection bureau financialmanagement': 685362, 'bureau financialmanagement finance': 142785, 'financialmanagement finance personalfinances': 306699, 'finance personalfinances moneymanagement': 306250, 'impactful': 418171, 'word describing': 1004473, 'describing consumer': 237973, 'consumer most': 198160, 'most impactful': 542392, 'impactful conversation': 418172, 'conversation of': 202475, 'day totalsocial': 228612, 'consumerinsights tuesdaythoughts': 199702, 'tuesdaythoughts usconsumers': 935230, 'word describing consumer': 1004474, 'describing consumer most': 237974, 'consumer most impactful': 198161, 'most impactful conversation': 542393, 'impactful conversation of': 418173, 'conversation of the': 202476, 'past day totalsocial': 643523, 'day totalsocial consumerconversations': 228613, 'consumerconversations consumerinsights tuesdaythoughts': 199662, 'consumerinsights tuesdaythoughts usconsumers': 199703, 'tuesdaythoughts usconsumers americanconsumers': 935231, 'professional scientist': 682491, 'the honest': 857479, 'honest dedicated': 403056, 'dedicated government': 231708, 'government leader': 360304, 'leader the': 483549, 'job appreciate': 465651, 'medical professional scientist': 526335, 'professional scientist the': 682492, 'scientist the honest': 742260, 'the honest dedicated': 857480, 'honest dedicated government': 403057, 'dedicated government leader': 231709, 'government leader the': 360305, 'leader the grocery': 483550, 'essential business service': 280860, 'business service worker': 144366, 'worker you are': 1008309, 'great job appreciate': 362781, 'job appreciate this': 465652, 'thankyou time': 842356, 'time million': 897212, 'doctor every': 250904, 'person still': 652618, 'public when': 688470, 'thankyou time million': 842357, 'time million to': 897213, 'million to all': 532380, 'line from grocery': 493122, 'nurse doctor every': 577292, 'doctor every single': 250905, 'single person still': 771377, 'person still working': 652619, 'the public when': 864870, 'public when most': 688471, 'when most of': 983742, 'of are safe': 580351, 'are safe at': 89787, 'home we say': 402459, 'genius hack': 345782, 'the genius hack': 856216, 'genius hack to': 345783, 'queue during lockdown': 693912, 'crowd from': 219162, '19 crowd from': 6362, 'crowd from 10': 219163, 'from 10 30': 334161, '10 30 in': 1267, '30 in supermarket': 17082, 'distancing when stocking': 247634, 'while keep': 986982, 'wet tissue': 980753, 'tissue with': 899247, 'carry more': 165111, 'think stay': 885562, 'while keep washing': 986983, 'keep washing your': 472201, 'hand don forget': 374899, 'forget to wet': 329340, 'to wet tissue': 918501, 'wet tissue with': 980754, 'tissue with sanitizer': 899248, 'and wipe down': 75734, 'wipe down your': 996243, 'down your phone': 257532, 'your phone they': 1025293, 'phone they carry': 655035, 'they carry more': 881729, 'carry more germ': 165112, 'germ than you': 346158, 'you think stay': 1021675, 'think stay safe': 885563, 'seattle will': 743585, 'family 19uk': 297545, 'seattle will offer': 743586, 'will offer 800': 994307, '800 grocery store': 22702, 'store voucher to': 811091, '00 family 19uk': 199, 'ceo denies': 169680, 'allegation chain': 45640, 'chain endangered': 170683, 'endangered staff': 276097, 'waterstones ceo denies': 969308, 'ceo denies allegation': 169681, 'denies allegation chain': 236982, 'allegation chain endangered': 45641, 'chain endangered staff': 170684, 'you jared': 1019397, 'jared dumped': 464826, 'dumped while': 262218, 'while daddy': 986737, 'daddy wa': 224425, 'wa dem': 961944, 'dem hoax': 234870, 'hoax by': 399705, 'average everyday': 104834, 'everyday american': 286528, 'supply chai': 824897, 'how much stock': 408371, 'much stock you': 545326, 'stock you jared': 803219, 'you jared dumped': 1019398, 'jared dumped while': 464827, 'dumped while daddy': 262219, 'while daddy wa': 986738, 'daddy wa telling': 224426, 'wa telling the': 963412, 'telling the country': 837265, 'country wa dem': 211203, 'wa dem hoax': 961945, 'dem hoax by': 234871, 'hoax by the': 399706, 'way you do': 970202, 'tell the average': 837082, 'the average everyday': 849099, 'average everyday american': 104835, 'everyday american to': 286529, 'american to be': 52262, 'to be thankful': 901584, 'food supply chai': 316940, 'supermarket opposed': 821788, 'am tease': 50475, 'tease but': 836009, 'seriousness keep': 751815, 'fight grocery': 304759, 'unappreciated groceryworkers': 939419, 'groceryworkers supermarket': 366407, 'supermarket grammar': 820561, 'grammar appreciation': 361838, 'spotted at my': 790183, 'local supermarket opposed': 498568, 'supermarket opposed to': 821789, 'opposed to 20': 613767, 'to 20 00': 899567, '20 00 am': 12853, '00 am tease': 57, 'am tease but': 50476, 'tease but in': 836010, 'but in all': 146021, 'all seriousness keep': 44282, 'seriousness keep up': 751816, 'good fight grocery': 357035, 'fight grocery worker': 304760, 'grocery worker your': 366198, 'your work doesn': 1026372, 'work doesn go': 1005055, 'doesn go unappreciated': 251813, 'go unappreciated groceryworkers': 354406, 'unappreciated groceryworkers supermarket': 939420, 'groceryworkers supermarket grammar': 366408, 'supermarket grammar appreciation': 820562, 'ukemplaw': 938938, 'techlaw': 836184, 'employment right': 274640, 'right app': 721767, 'app check': 81693, 'it ukemplaw': 461901, 'ukemplaw techlaw': 938939, 'be working with': 118146, 'working with on': 1009065, 'on the launch': 604206, 'our new employment': 624030, 'new employment right': 558683, 'employment right app': 274641, 'right app check': 721768, 'app check out': 81694, 'check out their': 174581, 'out their take': 627454, 'take on it': 832404, 'on it ukemplaw': 601692, 'it ukemplaw techlaw': 461902, 'raccon': 695168, 'residentevil3demo': 714410, 'at raccon': 100237, 'raccon city': 695169, 'all mine': 43510, 'mine residentevil3demo': 532918, 'roll at raccon': 725202, 'at raccon city': 100238, 'raccon city supermarket': 695170, 'city supermarket is': 179388, 'supermarket is all': 821067, 'is all mine': 445461, 'all mine residentevil3demo': 43511, 'our initial': 623550, 'initial energy': 438526, 'energy modelling': 276508, 'modelling of': 535341, 'power amp': 667554, 'amp carbon': 53500, 'market show': 517065, 'show substantial': 767157, 'substantial drop': 816049, 'in emission': 422552, 'emission well': 273219, 'well power': 978498, 'beyond full': 129178, 'our initial energy': 623551, 'initial energy modelling': 438527, 'energy modelling of': 276509, 'modelling of the': 535342, 'impact on european': 417848, 'on european power': 600608, 'european power amp': 283600, 'power amp carbon': 667555, 'amp carbon market': 53501, 'carbon market show': 163407, 'market show substantial': 517066, 'show substantial drop': 767158, 'substantial drop in': 816050, 'drop in emission': 260240, 'in emission well': 422553, 'emission well power': 273220, 'well power amp': 978499, 'amp carbon price': 53502, 'carbon price for': 163413, 'price for 2020': 673917, 'for 2020 and': 318744, '2020 and beyond': 14140, 'and beyond full': 58944, 'beyond full analysis': 129179, '627 death': 21255, 'in 24h': 419892, '24h in': 15751, '627 death in': 21256, 'death in 24h': 230075, 'in 24h in': 419893, '24h in italy': 15752, 'proposition': 684571, 'article review': 94447, 'operator posed': 613392, 'and outline': 68543, 'retail proposition': 718428, 'proposition already': 684572, 'already enacted': 47316, 'enacted by': 275502, 'this article review': 886428, 'article review the': 94448, 'review the challenge': 720590, 'the challenge and': 850637, 'and opportunity for': 68197, 'opportunity for operator': 613623, 'for operator posed': 324143, 'operator posed by': 613393, '19 and outline': 5078, 'and outline the': 68544, 'outline the change': 629097, 'the change to': 850674, 'change to retail': 172360, 'to retail proposition': 913450, 'retail proposition already': 718429, 'proposition already enacted': 684573, 'already enacted by': 47317, 'enacted by some': 275503, 'by some operator': 154079, 'some operator in': 783455, 'operator in response': 613372, 'to it spread': 908614, 'intranet': 443357, 'hiring temporary': 397131, 'temporary role': 837679, 'role with': 725142, 'immediate start': 417034, 'list on': 494497, 'student intranet': 814710, 'intranet find': 443358, 'household product many': 406913, 'product many supermarket': 681398, 'now hiring temporary': 574934, 'hiring temporary role': 397132, 'temporary role with': 837680, 'role with an': 725143, 'with an immediate': 997214, 'an immediate start': 56171, 'immediate start we': 417035, 'start we ve': 794634, 'together list on': 920857, 'list on our': 494498, 'on our student': 602633, 'our student intranet': 624983, 'student intranet find': 814711, 'intranet find out': 443359, 'largest based': 479925, 'based maker': 111646, 'stop exporting': 804641, 'exporting medical': 292771, 'grade face': 361643, 'canadian market': 160707, 'world largest based': 1009742, 'largest based maker': 479926, 'based maker of': 111647, 'maker of consumer': 510845, 'product say it': 681598, 'told by the': 923541, 'by the white': 154481, 'to stop exporting': 915521, 'stop exporting medical': 804642, 'exporting medical grade': 292772, 'medical grade face': 526202, 'grade face mask': 361644, 'to the canadian': 916542, 'the canadian market': 850323, 'flue': 311525, 'ndgs': 553413, 'health india': 386527, 'india support': 434631, 'support fight': 826494, 'fight fighttogether': 304723, 'fighttogether china': 305168, 'china together': 177011, 'together news': 920874, 'news flue': 560409, 'flue avoid': 311526, 'avoid clean': 105033, 'clean safe': 180629, 'virus today': 958931, 'today plaquenil': 920042, 'plaquenil top': 658776, 'top digital': 925556, 'marketing help': 517616, 'help need': 390135, 'need staysafe': 555641, 'staysafe stop': 798925, 'stop handwash': 804706, 'handwash mask': 376782, 'sanitizer death': 734730, 'death ndgs': 230133, 'home for 21': 401218, '21 day corona': 14987, 'day corona health': 227480, 'corona health india': 203984, 'health india support': 386528, 'india support fight': 434632, 'support fight fighttogether': 826495, 'fight fighttogether china': 304724, 'fighttogether china together': 305169, 'china together news': 177012, 'together news flue': 920875, 'news flue avoid': 560410, 'flue avoid clean': 311527, 'avoid clean safe': 105034, 'clean safe virus': 180630, 'safe virus today': 730100, 'virus today plaquenil': 958932, 'today plaquenil top': 920043, 'plaquenil top digital': 658777, 'top digital marketing': 925557, 'digital marketing help': 242598, 'marketing help need': 517617, 'help need staysafe': 390136, 'need staysafe stop': 555642, 'staysafe stop handwash': 798926, 'stop handwash mask': 804707, 'handwash mask sanitizer': 376783, 'mask sanitizer death': 519220, 'sanitizer death ndgs': 734731, 'pennsylvania stateag': 646581, 'package consumer': 633239, 'to pennsylvania stateag': 911604, 'pennsylvania stateag consumer': 646582, 'stateag consumer relief': 796117, 'relief package consumer': 709420, 'package consumer 19': 633240, 'greatamericantakeout': 363126, 'even once': 284424, 'you cross': 1018133, 'people within': 650484, 'hour like': 405740, 'beach interact': 118213, 'than human': 840764, 'human each': 410485, 'contactless curbside': 200361, 'pickup greatamericantakeout': 655968, 'greatamericantakeout socialdistancing': 363127, 'enter supermarket even': 278300, 'supermarket even once': 820222, 'even once week': 284425, 'once week you': 605807, 'week you cross': 977297, 'you cross path': 1018134, 'path with 100': 644035, 'with 100 people': 996931, '100 people within': 2023, 'people within an': 650485, 'an hour like': 56090, 'hour like you': 405741, 'the beach interact': 849382, 'beach interact with': 118214, 'interact with no': 441209, 'with no more': 999768, 'more than human': 540632, 'than human each': 840765, 'human each day': 410486, 'each day at': 264038, 'at the drive': 100931, 'thru or contactless': 895213, 'or contactless curbside': 614808, 'contactless curbside pickup': 200363, 'curbside pickup greatamericantakeout': 220651, 'pickup greatamericantakeout socialdistancing': 655969, 'vloggers': 959882, 'have travel': 383395, 'travel vloggers': 930564, 'vloggers posting': 959883, 'with the social': 1001483, 'distancing and coronavirus': 246965, 'and coronavirus pandemic': 60574, 'pandemic we could': 636936, 'we could soon': 971218, 'could soon have': 209693, 'soon have travel': 785739, 'have travel vloggers': 383396, 'travel vloggers posting': 930565, 'vloggers posting video': 959884, 'posting video of': 666708, 'video of trip': 956837, 'locksley': 500534, 'crash they': 215045, 'they robin': 883225, 'robin like': 724732, 'like locksley': 490666, 'to crash they': 903689, 'crash they robin': 215046, 'they robin like': 883226, 'robin like locksley': 724733, 'idea train': 413213, 'and equip': 62219, 'equip the': 279667, 'with medically': 999474, 'medically approved': 526530, 'approved ppe': 83184, 'ppe based': 667921, 'on expected': 600675, 'expected condition': 290881, 'condition prioritize': 193514, 'prioritize line': 678444, 'immunity robust': 417428, 'robust continuous': 724837, 'continuous surveillance': 201596, 'surveillance vaccine': 828798, 'good idea train': 357223, 'idea train and': 413214, 'train and equip': 929231, 'and equip the': 62220, 'equip the workforce': 279668, 'workforce and consumer': 1008339, 'and consumer with': 60444, 'consumer with medically': 199565, 'with medically approved': 999475, 'medically approved ppe': 526531, 'approved ppe based': 83185, 'ppe based on': 667922, 'based on expected': 111676, 'on expected condition': 600676, 'expected condition prioritize': 290882, 'condition prioritize line': 193515, 'prioritize line to': 678445, 'tested for immunity': 839306, 'for immunity robust': 322486, 'immunity robust continuous': 417429, 'robust continuous surveillance': 724838, 'continuous surveillance vaccine': 201597, 'surveillance vaccine treatment': 828799, 'vaccine treatment etc': 951784, 'accrues': 28837, 'option wa': 614139, 'borrow nonexistent': 135606, 'nonexistent sick': 566637, 'job accrues': 465592, 'accrues in': 28838, 'unfair unjust': 941450, 'unjust and': 942478, 'just find': 468718, 'find another': 306779, 'another job': 77687, 'homeless please': 402776, 'moment if': 535962, 'option wa to': 614140, 'wa to borrow': 963515, 'to borrow nonexistent': 901948, 'borrow nonexistent sick': 135607, 'nonexistent sick pay': 566638, 'sick pay up': 768575, 'to week which': 918477, 'week which is': 977234, 'all that the': 44645, 'that the job': 846757, 'the job accrues': 858650, 'job accrues in': 465593, 'accrues in year': 28839, 'in year this': 431031, 'this is unfair': 888445, 'is unfair unjust': 453489, 'unfair unjust and': 941451, 'unjust and many': 942479, 'the worker can': 871750, 'worker can just': 1006590, 'can just find': 158795, 'just find another': 468719, 'find another job': 306780, 'another job it': 77688, 'it mean people': 459576, 'mean people will': 524616, 'will be homeless': 992503, 'be homeless please': 115289, 'homeless please just': 402777, 'please just take': 660145, 'just take moment': 469941, 'take moment if': 832330, 'moment if you': 535963, 'god this': 354814, 'this dear': 887179, 'dear woman': 229918, 'woman panicbuying': 1003569, 'oh god this': 596394, 'god this dear': 354815, 'this dear woman': 887180, 'dear woman panicbuying': 229919, 'woman panicbuying stoppanicbuying': 1003570, 'brand shifting': 138003, 'shifting priority': 758547, 'of strength': 590293, 'strength and': 813215, 'consumer brand shifting': 196660, 'brand shifting priority': 138004, 'shifting priority in': 758548, 'moment of strength': 536020, 'of strength and': 590294, 'strength and value': 813216, 'donates centre': 254387, 'centre food': 169491, 'during shutdown': 263013, 'donates centre food': 254388, 'centre food to': 169492, 'food to and': 317232, 'to and food': 900501, 'pantry during shutdown': 639567, 'during shutdown via': 263014, 'of out': 587599, 'out fundraiser': 626206, 'fundraiser for': 341648, 'our stretch': 624976, 'stretch goal': 813559, 'goal thank': 354585, 'insane generosity': 439034, 'generosity all': 345702, 'all truly': 45291, 'truly restore': 933334, 'restore my': 717050, 'my faith': 548176, 'humanity also': 410698, 'also hopefully': 48370, 'hopefully turnip': 403901, 'last day of': 480182, 'day of out': 228086, 'of out fundraiser': 587600, 'out fundraiser for': 626207, 'fundraiser for the': 341649, '19 response we': 10168, 'response we are': 715916, 'close to our': 182913, 'to our stretch': 911245, 'our stretch goal': 624977, 'stretch goal thank': 813560, 'goal thank you': 354586, 'for the insane': 326506, 'the insane generosity': 858309, 'insane generosity all': 439035, 'generosity all truly': 345703, 'all truly restore': 45292, 'truly restore my': 933335, 'restore my faith': 717051, 'my faith in': 548177, 'faith in humanity': 296516, 'in humanity also': 423909, 'humanity also hopefully': 410699, 'also hopefully turnip': 48371, 'hopefully turnip price': 403902, 'turnip price are': 935997, '1person1trolley': 12684, 'cross after': 218982, 'my run': 549972, 'run honestly': 727669, 'hard about': 377854, 'message stayhome': 529423, 'exercise socialdistanacing': 290102, 'socialdistanacing still': 780109, 'applies go': 82521, 'supermarket 1person1trolley': 818740, '1person1trolley socialdistancing': 12685, 'socialdistancing still': 780752, 'applies disappointed': 82517, 'the minority': 860666, 'cross after my': 218983, 'after my run': 35944, 'my run honestly': 549973, 'run honestly what': 727670, 'honestly what is': 403154, 'what is so': 981726, 'so hard about': 777250, 'hard about the': 377855, 'about the message': 26450, 'the message stayhome': 860525, 'message stayhome if': 529424, 'out to exercise': 627642, 'to exercise socialdistanacing': 905420, 'exercise socialdistanacing still': 290103, 'socialdistanacing still applies': 780110, 'still applies go': 800201, 'applies go shopping': 82522, 'shopping to supermarket': 764195, 'to supermarket 1person1trolley': 915768, 'supermarket 1person1trolley socialdistancing': 818741, '1person1trolley socialdistancing still': 12686, 'socialdistancing still applies': 780753, 'still applies disappointed': 800200, 'applies disappointed by': 82518, 'disappointed by selfish': 244096, 'by selfish people': 153916, 'selfish people out': 748216, 'out there hope': 627488, 'there hope you': 878480, 'are the minority': 90864, 'conjecture': 194579, 'suspect that': 829495, 'in realestate': 427297, 'realestate price': 701509, 'to conjecture': 903202, 'conjecture that': 194580, 'even drop': 284019, 'drop holy': 260213, 'holy cow': 400496, 'cow can': 214453, 'possible batman': 665585, 'suspect that the': 829496, 'the will slow': 871580, 'will slow the': 994874, 'slow the rise': 774400, 'rise in realestate': 722903, 'in realestate price': 427298, 'realestate price will': 701510, 'will go so': 993558, 'far to conjecture': 298949, 'to conjecture that': 903203, 'conjecture that they': 194581, 'they could even': 881826, 'could even drop': 209141, 'even drop holy': 284020, 'drop holy cow': 260214, 'holy cow can': 400497, 'cow can you': 214454, 'you believe this': 1017451, 'believe this might': 126387, 'might be possible': 530924, 'be possible batman': 116475, 'barbing': 110828, 'barbing hair': 110829, 'hair price': 373996, 'barbing hair price': 110830, 'hair price went': 373997, 'went up too': 979223, 'vaginawarriorcreations': 951839, 'somethingbeautifuleveryday': 785166, '6feetapart': 21591, 'fashion shout': 299848, 'to vaginawarriorcreations': 918104, 'vaginawarriorcreations for': 951840, 'this sweet': 890464, 'sweet mask': 830235, 'safer somethingbeautifuleveryday': 730384, 'somethingbeautifuleveryday socialdistancing': 785167, 'socialdistancing 6feetapart': 780184, '6feetapart stayhome': 21592, 'distancing but make': 247058, 'it fashion shout': 457956, 'fashion shout out': 299849, 'out to vaginawarriorcreations': 627695, 'to vaginawarriorcreations for': 918105, 'vaginawarriorcreations for this': 951841, 'for this sweet': 327070, 'this sweet mask': 890465, 'sweet mask to': 830236, 'mask to make': 519413, 'make my supermarket': 510228, 'my supermarket trip': 550284, 'supermarket trip safer': 823550, 'trip safer somethingbeautifuleveryday': 932148, 'safer somethingbeautifuleveryday socialdistancing': 730385, 'somethingbeautifuleveryday socialdistancing 6feetapart': 785168, 'socialdistancing 6feetapart stayhome': 780185, 'skyrocket just': 773317, 'just unemployment': 470158, 'unemployment explodes': 941208, 'explodes great': 292316, 'combo to': 187168, 'more misery': 539782, 'misery to': 534023, 'economy pork': 268150, 'going to skyrocket': 355708, 'to skyrocket just': 914705, 'skyrocket just unemployment': 773318, 'just unemployment explodes': 470159, 'unemployment explodes great': 941209, 'explodes great combo': 292317, 'great combo to': 362582, 'combo to bring': 187169, 'to bring more': 902041, 'bring more misery': 140027, 'more misery to': 539783, 'misery to ten': 534024, 'to ten of': 916373, 'ten of million': 837792, 'american economy pork': 51935, 'economy pork meat': 268151, 'can suggest': 159846, 'amazon smile': 51118, 'smile same': 775732, 'same shopping': 733283, 'experience but': 291327, 'but percentage': 146777, 'percentage go': 651206, 'pick your': 655783, 'your cause': 1023167, 'cause can': 167511, 'buying online can': 150819, 'online can suggest': 607989, 'can suggest you': 159847, 'suggest you use': 817560, 'use amazon smile': 949028, 'amazon smile same': 51119, 'smile same shopping': 775733, 'same shopping experience': 733284, 'shopping experience but': 762607, 'experience but percentage': 291328, 'but percentage go': 146778, 'percentage go to': 651207, 'go to charity': 354288, 'charity and you': 173565, 'you can pick': 1017745, 'can pick your': 159234, 'pick your cause': 655784, 'your cause can': 1023168, 'cause can suggest': 167512, 'and dependent': 61217, 'dependent economy': 237363, 'be badly': 113796, 'pandemic and russian': 634897, 'russian saudi price': 728673, 'war have combined': 966454, 'to drive oil': 904743, 'oil price sharply': 597253, 'price sharply down': 676361, 'sharply down and': 755733, 'down and dependent': 256492, 'and dependent economy': 61218, 'dependent economy will': 237364, 'will be badly': 992371, 'be badly hit': 113797, 'badly hit and': 108155, 'hit and so': 398138, 'so will their': 778779, 'will their citizen': 995163, 'china tech': 176969, 'alibaba faring': 41706, 'grocery chain of': 364368, 'chain of china': 170956, 'of china tech': 581369, 'china tech giant': 176970, 'giant alibaba faring': 349734, 'alibaba faring amid': 41707, 'store manager in': 808884, 'manager in beijing': 512732, 'pickuplines': 656059, 'badboys': 108110, 'suave': 815667, 'king pickuplines': 475291, 'pickuplines smooth': 656060, 'smooth toiletpaper': 775942, 'toiletpapercrisis dating': 923021, 'dating flirting': 226799, 'flirting badboys': 310645, 'badboys suave': 108111, 'suave sundayfunday': 815668, 'sundayfunday coronamemes': 818304, 'coronamemes selfisolation': 205070, 'land of shortage': 479281, 'of shortage the': 589685, 'shortage the man': 765255, 'man with toilet': 512358, 'paper is king': 640354, 'is king pickuplines': 449218, 'king pickuplines smooth': 475292, 'pickuplines smooth toiletpaper': 656061, 'smooth toiletpaper toiletpapercrisis': 775943, 'toiletpaper toiletpapercrisis dating': 922654, 'toiletpapercrisis dating flirting': 923022, 'dating flirting badboys': 226800, 'flirting badboys suave': 310646, 'badboys suave sundayfunday': 108112, 'suave sundayfunday coronamemes': 815669, 'sundayfunday coronamemes selfisolation': 818305, 'introduced restriction': 443447, 'availability while': 104197, 'in change': 421322, 'outbreak many supermarket': 628440, 'have introduced restriction': 381117, 'introduced restriction on': 443448, 'restriction on product': 717348, 'on product to': 602957, 'product to ensure': 681745, 'ensure availability while': 277895, 'availability while others': 104198, 'others have brought': 621444, 'have brought in': 379847, 'brought in change': 141163, 'in change for': 421323, 'change for older': 172055, 'for older customer': 324053, 'made amp': 507628, 'amp sell': 54456, 'plz 19': 661800, 'we made amp': 972316, 'made amp sell': 507629, 'amp sell high': 54457, 'retweet plz 19': 720068, 'falling we': 297354, 'but headed': 145906, 'headed much': 385908, 'fill gasprices': 305466, 'gal and falling': 342900, 'and falling we': 62645, 'falling we re': 297355, '2016 but headed': 13824, 'but headed much': 145907, 'headed much lower': 385909, 'be in rush': 115428, 'rush to fill': 728340, 'to fill gasprices': 905843, 'promise by': 683671, 'both amazon': 135840, 'profiteering which': 683106, 'which investigation': 985969, 'found plenty': 330340, 'seller charging': 748998, 'despite promise by': 238822, 'promise by both': 683672, 'by both amazon': 151987, 'both amazon marketplace': 135841, 'and ebay to': 61889, 'ebay to crack': 266495, 'down on profiteering': 257033, 'on profiteering which': 602965, 'profiteering which investigation': 683107, 'which investigation ha': 985970, 'investigation ha found': 443870, 'ha found plenty': 370675, 'found plenty of': 330341, 'plenty of seller': 660977, 'of seller charging': 589491, 'seller charging inflated': 748999, 'kameel': 470742, 'pancham': 634712, 'adam candidate': 31212, 'candidate attorney': 161293, 'attorney kameel': 102672, 'kameel pancham': 470743, 'pancham discus': 634713, 'legal impact': 485870, 'channel africa': 172854, 'africa listen': 35108, 'interview now': 442224, 'adam and adam': 31210, 'and adam candidate': 57658, 'adam candidate attorney': 31213, 'candidate attorney kameel': 161294, 'attorney kameel pancham': 102673, 'kameel pancham discus': 470744, 'pancham discus the': 634714, 'discus the restriction': 244930, 'cost of essential': 208044, 'item during lock': 463228, 'down and the': 256519, 'and the legal': 73446, 'the legal impact': 859276, 'legal impact of': 485871, 'impact of increased': 417780, 'increased price with': 433424, 'price with channel': 677606, 'with channel africa': 997604, 'channel africa listen': 172855, 'africa listen to': 35109, 'full interview now': 340650, 'your throwing': 1026154, 'away pile': 106002, 'bought then': 136747, 'then your': 877802, 'idiot foodwaste': 413503, 'if your throwing': 415613, 'your throwing away': 1026155, 'throwing away pile': 895087, 'away pile of': 106003, 'week because you': 975992, 'because you panic': 119875, 'panic bought then': 637435, 'bought then your': 136748, 'then your fucking': 877803, 'your fucking idiot': 1024004, 'fucking idiot foodwaste': 339913, 'seacroft': 743111, 'seacroft this': 743112, 'seacroft this morning': 743113, 'this morning are': 888939, 'we not meant': 972600, 'to be practicing': 901450, 'distance 19 socialdistancing': 246618, '19 socialdistancing panicbuying': 10676, 'socialdistancing panicbuying stophoarding': 780594, 'panicbuying stophoarding stockpiling': 639058, 'broadcastmedia': 140751, 'mediaagency': 525958, 'mediaplanning': 525975, 'mediastrategy': 525978, 'digitaladvertising': 242689, 'impacted medium': 418133, 'generation medium': 345624, 'consumption generation': 199877, 'generation broadcastmedia': 345602, 'broadcastmedia mediaagency': 140752, 'mediaagency mediaplanning': 525959, 'mediaplanning advertising': 525976, 'advertising mediastrategy': 33250, 'mediastrategy consumer': 525979, 'consumer digitaladvertising': 197202, 'digitaladvertising digitalmarketing': 242690, 'digitalmarketing brand': 242757, 'brand med': 137906, 'ha impacted medium': 370916, 'impacted medium consumption': 418134, 'medium consumption by': 527055, 'consumption by generation': 199847, 'by generation medium': 152668, 'generation medium consumption': 345625, 'medium consumption generation': 527058, 'consumption generation broadcastmedia': 199878, 'generation broadcastmedia mediaagency': 345603, 'broadcastmedia mediaagency mediaplanning': 140753, 'mediaagency mediaplanning advertising': 525960, 'mediaplanning advertising mediastrategy': 525977, 'advertising mediastrategy consumer': 33251, 'mediastrategy consumer digitaladvertising': 525980, 'consumer digitaladvertising digitalmarketing': 197203, 'digitaladvertising digitalmarketing brand': 242691, 'digitalmarketing brand med': 242758, 'regional australian': 707494, 'hire security': 397027, 'prevent out': 671684, 'town shopper': 927547, 'from clearing': 334894, 'regional australian supermarket': 707495, 'australian supermarket hire': 103552, 'supermarket hire security': 820761, 'hire security to': 397028, 'security to prevent': 744782, 'to prevent out': 912077, 'prevent out of': 671685, 'of town shopper': 592353, 'town shopper from': 927548, 'shopper from clearing': 761522, 'from clearing out': 334895, 'clearing out shelf': 181467, 'had exploded': 373089, 'exploded all': 292309, 'health anyway': 386169, 'anyway it': 81021, 'time heard': 896909, 'heard 13': 388043, '13 case': 3195, 'county it': 211420, 'supermarket it looked': 821173, 'looked like it': 502734, 'like it had': 490537, 'it had exploded': 458430, 'had exploded all': 373090, 'exploded all the': 292310, 'all the bread': 44679, 'the bread is': 849961, 'is gone bread': 448114, 'gone bread is': 356232, 'bread is bad': 138506, 'your health anyway': 1024272, 'health anyway it': 386170, 'anyway it good': 81022, 'all these bad': 45020, 'these bad thing': 879665, 'bad thing last': 108043, 'thing last time': 884521, 'last time heard': 480565, 'time heard 13': 896910, 'heard 13 case': 388044, '13 case and': 3196, 'case and death': 165621, 'and death in': 60988, 'death in my': 230080, 'my county it': 547827, 'county it ridiculous': 211421, 'rupert': 728196, 'do run': 250053, 'toiletpaper remember': 922404, 'remember rupert': 710253, 'rupert murdoch': 728197, 'murdoch produce': 546191, 'produce wide': 680493, 'range public': 696732, 'information film': 437817, 'film do': 305674, 'you do run': 1018269, 'do run out': 250054, 'of toiletpaper remember': 592278, 'toiletpaper remember rupert': 922405, 'remember rupert murdoch': 710254, 'rupert murdoch produce': 728198, 'murdoch produce wide': 546192, 'produce wide range': 680494, 'wide range public': 991750, 'range public information': 696733, 'public information film': 688107, 'information film do': 437818, 'film do not': 305675, 'keep your online': 472280, 'online business going': 607957, 'business going during': 143792, 'going during covid': 355128, 'say huge': 738779, 'there from': 878417, 'driver everyone': 259545, 're extremely': 698657, 'you thankyounhs': 1021562, 'to say huge': 913824, 'say huge thank': 738780, 'key worker out': 473505, 'out there from': 627482, 'there from the': 878418, 'from the amazing': 337597, 'the amazing nh': 848614, 'delivery driver everyone': 233904, 'driver everyone else': 259546, 'else who on': 271986, 'who on the': 989374, 'we re extremely': 972871, 're extremely grateful': 698658, 'extremely grateful for': 293885, 'for you thankyounhs': 328090, 'you thankyounhs stayhomesavelives': 1021563, 'coronavirus soap': 206781, 'production fmcg': 682038, 'coronavirus soap maker': 206782, 'increase production fmcg': 433020, 'production fmcg player': 682039, 'by reducing price': 153744, 'reducing price of': 706315, 'soap and hygiene': 778915, 'diatancing': 240430, 'are social': 90238, 'social diatancing': 779486, 'diatancing and': 240431, 'while sneezing': 987283, 'employee you': 274478, 'are privileged': 89234, 'you are social': 1017238, 'are social diatancing': 90239, 'social diatancing and': 779487, 'diatancing and working': 240432, 'from home while': 335929, 'home while sneezing': 402493, 'while sneezing on': 987284, 'sneezing on grocery': 776328, 'store employee you': 807581, 'employee you are': 274479, 'you are privileged': 1017202, 'isa': 454186, 'bula': 142210, 'kerekere': 473120, 'kere': 473117, 'bou': 136455, 'magaijine': 508310, 'saraga': 736717, 'vinaka': 957412, 'dear vodafone': 229911, 'vodafone isa': 959924, 'isa bula': 454187, 'bula re': 142211, 're know': 698971, 'period everyone': 651752, 'everyone sa': 287327, 'sa struggling': 728944, 'one kerekere': 606554, 'kerekere kere': 473121, 'kere fast': 473118, 'fast internet': 299996, 'internet sa': 442003, 'sa bou': 728876, 'bou magaijine': 136456, 'magaijine saraga': 508311, 'saraga na': 736718, 'na network': 551301, 'network vinaka': 557778, 'vinaka your': 957413, 'dear vodafone isa': 229912, 'vodafone isa bula': 959925, 'isa bula re': 454188, 'bula re know': 142212, 're know these': 698972, 'hard time during': 378033, '19 period everyone': 9642, 'period everyone sa': 651753, 'everyone sa struggling': 287328, 'sa struggling to': 728945, 'supermarket only one': 821771, 'only one kerekere': 610877, 'one kerekere kere': 606555, 'kerekere kere fast': 473122, 'kere fast internet': 473119, 'fast internet sa': 299997, 'internet sa bou': 442004, 'sa bou magaijine': 728877, 'bou magaijine saraga': 136457, 'magaijine saraga na': 508312, 'saraga na network': 736719, 'na network vinaka': 551302, 'network vinaka your': 557779, 'vinaka your loyal': 957414, 'reporting agree': 712667, 'agree my': 38622, 'in primarily': 426987, 'primarily covid': 678030, 'don happen': 253582, 'public view': 688451, 'view keep': 957108, 'your reporting agree': 1025580, 'reporting agree my': 712668, 'agree my interest': 38623, 'interest is in': 441365, 'is in primarily': 448803, 'in primarily covid': 426988, 'primarily covid 19': 678031, 'that thing don': 846969, 'thing don happen': 884281, 'don happen in': 253583, 'the public view': 864865, 'public view keep': 688452, 'view keep fighting': 957109, '2504': 16041, '7507': 22193, '1618': 4226, 'asia in': 95182, 'eu show': 283268, 'little sign': 495568, 'slowing noon': 774562, 'spx500 2504': 791391, '2504 nas100': 16042, 'nas100 7507': 551971, '7507 wti': 22194, 'wti 20': 1013375, '20 24': 12889, '24 gold': 15603, 'gold 1618': 355848, '1618 08': 4227, '08 silver': 1090, 'silver 14': 769785, '14 118': 3382, '118 watch': 2689, 'crude oil dropped': 219556, 'dropped to it': 260647, 'it lowest in': 459481, '17 year in': 4408, 'year in asia': 1014648, 'in asia in': 420520, 'asia in and': 95183, 'in and eu': 420360, 'and eu show': 62302, 'eu show little': 283269, 'show little sign': 767036, 'little sign of': 495569, 'of slowing noon': 589781, 'slowing noon price': 774563, 'price spx500 2504': 676589, 'spx500 2504 nas100': 791392, '2504 nas100 7507': 16043, 'nas100 7507 wti': 551972, '7507 wti 20': 22195, 'wti 20 24': 1013376, '20 24 gold': 12890, '24 gold 1618': 15604, 'gold 1618 08': 355849, '1618 08 silver': 4228, '08 silver 14': 1091, 'silver 14 118': 769786, '14 118 watch': 3383, '118 watch these': 2690, 'frontline at': 338709, 'store airport': 806108, 'airport transportation': 40132, 'transportation center': 930000, 'center government': 169218, 'government space': 360618, 'space post': 787155, 'office hospital': 595441, 'healthcare center': 387060, 'get though': 348420, 'all the brave': 44678, 'the brave worker': 849955, 'the frontline at': 855862, 'frontline at every': 338710, 'grocery store airport': 365182, 'store airport transportation': 806109, 'airport transportation center': 40133, 'transportation center government': 930001, 'center government space': 169219, 'government space post': 360619, 'space post office': 787156, 'post office hospital': 666237, 'office hospital amp': 595442, 'hospital amp healthcare': 404273, 'amp healthcare center': 53922, 'healthcare center and': 387061, 'center and everyone': 169154, 'is helping get': 448400, 'helping get though': 391340, 'get though this': 348421, 'though this who': 892929, 'this who did': 891373, 'who did miss': 988586, 'socialdistancing ha': 780400, 'ha social': 371985, 'distancing changed': 247077, 'buy yep': 149484, 'strategy here': 812653, 'here 5x': 392656, '5x way': 20852, 'can adjust': 157379, 'habit right': 372679, 'now marketingstrategy': 575288, 'business can cope': 143490, 'with socialdistancing ha': 1000824, 'socialdistancing ha social': 780401, 'ha social distancing': 371986, 'social distancing changed': 779580, 'distancing changed how': 247078, 'changed how you': 172493, 'how you buy': 409275, 'you buy yep': 1017590, 'buy yep it': 149485, 'yep it should': 1015337, 'it should also': 461031, 'also be changing': 47917, 'be changing your': 114057, 'changing your marketing': 172846, 'marketing strategy here': 517711, 'strategy here 5x': 812654, 'here 5x way': 392657, '5x way you': 20853, 'you can adjust': 1017614, 'can adjust to': 157380, 'adjust to consumer': 32297, 'to consumer buying': 903275, 'buying habit right': 150462, 'habit right now': 372680, 'right now marketingstrategy': 722101, 'by pharmacy': 153570, 'pharmacy way': 654546, 'be united': 117868, 'this alarming': 886259, 'situation islamabad': 772356, 'sanitizers mask are': 736342, 'sold on high': 781715, 'high price by': 395237, 'price by pharmacy': 673032, 'by pharmacy way': 153571, 'pharmacy way to': 654547, 'to go this': 906868, 'go this is': 354238, 'what we were': 982569, 'to be united': 901611, 'be united in': 117869, 'in this alarming': 429904, 'this alarming situation': 886260, 'alarming situation islamabad': 40702, 'zweli': 1027926, 'mkhize': 534684, 'r1400': 695066, 'minister zweli': 533509, 'zweli mkhize': 1027927, 'mkhize say': 534685, 'say last': 738883, 'night they': 563099, 'had meeting': 373296, 'from r1400': 337028, 'r1400 to': 695067, 'to fair': 905608, 'minister zweli mkhize': 533510, 'zweli mkhize say': 1027928, 'mkhize say last': 534686, 'say last night': 738884, 'last night they': 480396, 'night they had': 563100, 'they had meeting': 882249, 'had meeting with': 373297, 'with the private': 1001439, 'private sector that': 678980, 'sector that covid': 744348, '19 testing price': 11109, 'testing price must': 839619, 'price must go': 675294, 'must go down': 546683, 'go down from': 353489, 'down from r1400': 256789, 'from r1400 to': 337029, 'r1400 to fair': 695068, 'to fair price': 905609, 'price for everyone': 673958, 'flavortown': 310244, 'yo where': 1016457, 'where your': 985401, 'supply flavortown': 825243, 'yo where your': 1016458, 'where your grocery': 985403, 'store at need': 806585, 'at need some': 99868, 'need some supply': 555599, 'some supply flavortown': 784019, 'violator': 957531, 'the bench': 849461, 'bench noted': 126823, 'publicise the': 688561, 'dated march': 226778, 'had fixed': 373118, 'sanitisers must': 734094, 'taken immediate': 833008, 'action must': 30072, 'against violator': 37726, 'the bench noted': 849462, 'bench noted that': 126824, 'noted that all': 572878, 'that all necessary': 842555, 'all necessary step': 43592, 'step to publicise': 799661, 'to publicise the': 912478, 'publicise the notification': 688562, 'the notification dated': 861901, 'notification dated march': 573524, 'dated march 27': 226779, '27 2020 which': 16259, '2020 which had': 14715, 'which had fixed': 985904, 'had fixed the': 373119, 'mask sanitisers must': 519212, 'sanitisers must be': 734095, 'be taken immediate': 117502, 'taken immediate action': 833009, 'immediate action must': 416961, 'action must be': 30073, 'taken against violator': 832937, '0828628237': 1138, '19sa': 12531, 'tuning in': 935460, 'infor 0828628237': 437651, '0828628237 whatsapp': 1139, 'whatsapp 19sa': 982870, 'you for tuning': 1018680, 'for tuning in': 327380, 'tuning in more': 935461, 'in more infor': 425438, 'more infor 0828628237': 539569, 'infor 0828628237 whatsapp': 437652, '0828628237 whatsapp 19sa': 1140, 'flirtv': 310651, 'odka': 579256, 'sanitizer sanitizer': 735690, 'just sanitizing': 469676, 'sanitizing myself': 736486, 'with flirtv': 998456, 'flirtv odka': 310652, 'odka stayathomechallenge': 579257, 'stayathomechallenge coronav': 797729, 'ru just': 726889, 'just coordinate': 468523, 'coordinate yourself': 203191, 'and park': 68713, 'park go': 641913, 'go cause': 353408, 'cause somebody': 167739, 'somebody like': 784270, 'you god': 1018875, 'sanitizer sanitizer am': 735691, 'sanitizer am just': 734356, 'am just sanitizing': 50161, 'just sanitizing myself': 469677, 'sanitizing myself with': 736487, 'myself with flirtv': 550982, 'with flirtv odka': 998457, 'flirtv odka stayathomechallenge': 310653, 'odka stayathomechallenge coronav': 579258, 'stayathomechallenge coronav ru': 797730, 'coronav ru just': 205358, 'ru just coordinate': 726890, 'just coordinate yourself': 468524, 'coordinate yourself and': 203192, 'yourself and park': 1026524, 'and park go': 68714, 'park go cause': 641914, 'go cause somebody': 353409, 'cause somebody like': 167740, 'somebody like is': 784271, 'like is ready': 490516, 'is ready for': 451254, 'for you god': 328062, 'you god save': 1018876, 'god save your': 354798, 'let grocery': 486761, 'appreciated they': 82843, 'last store': 480510, 'to had': 907088, 'school kid': 741840, 'kid assisting': 473871, 'assisting me': 96822, 'me awesome': 522487, 'awesome three': 106203, 'three deeply': 893924, 'deeply sincere': 231997, 'sincere cheer': 771026, 'cheer you': 175125, 'all patriot': 43929, 'we please let': 972714, 'please let grocery': 660178, 'let grocery store': 486762, 'store worker know': 811535, 'worker know how': 1007290, 'know how appreciated': 476431, 'how appreciated they': 407381, 'appreciated they are': 82844, 'the last store': 859042, 'last store went': 480511, 'store went to': 811215, 'went to had': 979158, 'to had high': 907089, 'had high school': 373183, 'high school kid': 395394, 'school kid assisting': 741841, 'kid assisting me': 473872, 'assisting me awesome': 96823, 'me awesome three': 522488, 'awesome three deeply': 106204, 'three deeply sincere': 893925, 'deeply sincere cheer': 231998, 'sincere cheer you': 771027, 'cheer you re': 175126, 're all patriot': 698227, 'sumedh': 817894, 'bivas': 131915, 'guy sumedh': 369158, 'sumedh nidhi': 817895, 'nidhi bivas': 562626, 'join guy sumedh': 466732, 'guy sumedh nidhi': 369159, 'sumedh nidhi bivas': 817896, 'please waive': 660741, 'waive ebt': 964511, 'ebt for': 266584, 'california which': 155607, 'which more': 986166, 'serious than': 751482, 'one already': 605884, 'approved it': 83164, 'not california': 568671, 'california help': 155516, 'disability people': 243844, 'people save': 649345, 'save trip': 737692, 'avoid expo': 105095, 'please waive ebt': 660742, 'waive ebt for': 964512, 'ebt for online': 266585, 'shopping in california': 762955, 'in california which': 421152, 'california which more': 155608, 'which more serious': 986167, 'more serious than': 540359, 'serious than some': 751483, 'than some other': 841153, 'some other state': 783482, 'other state and': 620960, 'other one already': 620607, 'one already approved': 605885, 'already approved it': 47190, 'approved it why': 83165, 'it why not': 462363, 'why not california': 991213, 'not california help': 568672, 'california help senior': 155517, 'senior and disability': 750200, 'and disability people': 61385, 'disability people save': 243845, 'people save trip': 649346, 'save trip to': 737693, 'store and avoid': 806198, 'and avoid expo': 58566, 'did everyone': 240598, 'everyone stock': 287419, 'like week': 491783, 'did everyone stock': 240599, 'everyone stock up': 287420, 'food water for': 317508, 'water for like': 969000, 'for like week': 322982, 'like week at': 491784, 'week at least': 975961, 'ministry seized': 533562, 'seized 223': 747435, '223 00': 15275, 'ply after': 661755, 'after raiding': 36101, 'raiding premise': 695658, 'premise in': 669928, 'the domestic trade': 853533, 'affair ministry seized': 34077, 'ministry seized 223': 533563, 'seized 223 00': 747436, '223 00 unit': 15276, '00 unit of': 575, 'unit of three': 942076, 'of three ply': 592147, 'three ply after': 894034, 'ply after raiding': 661756, 'after raiding premise': 36102, 'raiding premise in': 695659, 'corona hope': 203999, 'grocery stocked': 365153, 'stocked especially': 803309, 'all learn': 43354, 'him dont': 396587, 'need too': 556133, 'too just': 924817, 'of lockdown due': 585953, 'to corona hope': 903528, 'corona hope everybody': 204000, 'hope everybody ha': 403456, 'everybody ha their': 286440, 'ha their grocery': 372237, 'their grocery stocked': 873451, 'grocery stocked especially': 365154, 'stocked especially the': 803310, 'the elderly this': 854151, 'elderly this grocery': 270908, 'owner is hero': 632481, 'is hero we': 448435, 'hero we should': 394153, 'should all learn': 765490, 'all learn from': 43355, 'learn from him': 483964, 'from him dont': 335806, 'him dont panic': 396588, 'buy leave some': 148896, 'some for other': 782890, 'other ppl in': 620747, 'ppl in need': 668258, 'in need too': 425777, 'need too just': 556134, 'too just like': 924818, 'provide 00': 686194, 'city will provide': 179465, 'will provide 00': 994504, 'provide 00 mask': 686195, 'prego': 669850, 'campbell soup': 157297, 'soup co': 786372, 'co tell': 184967, 'tell investor': 836991, 'investor in': 444168, 'an sec': 56791, 'sec filing': 743626, 'filing that': 305430, 'week sale': 976832, 'of campbell': 581062, 'soup including': 786382, 'including pacific': 432097, 'pacific food': 632985, 'food increased': 314998, 'increased 59': 433180, '59 percent': 20571, 'percent prego': 651168, 'prego pasta': 669851, 'sauce increased': 737149, 'increased 52': 433178, '52 percent': 20255, 'and goldfish': 63818, 'goldfish cracker': 356077, 'cracker increased': 214729, 'increased 22': 433172, '22 percent': 15240, 'campbell soup co': 157298, 'soup co tell': 786373, 'co tell investor': 184968, 'tell investor in': 836992, 'investor in an': 444169, 'in an sec': 420330, 'an sec filing': 56792, 'sec filing that': 743627, 'filing that over': 305431, 'that over the': 845618, 'four week sale': 330702, 'week sale of': 976833, 'sale of campbell': 732384, 'of campbell soup': 581063, 'campbell soup including': 157299, 'soup including pacific': 786383, 'including pacific food': 432098, 'pacific food increased': 632986, 'food increased 59': 314999, 'increased 59 percent': 433181, '59 percent prego': 20572, 'percent prego pasta': 651169, 'prego pasta sauce': 669852, 'pasta sauce increased': 643803, 'sauce increased 52': 737150, 'increased 52 percent': 433179, '52 percent and': 20256, 'percent and goldfish': 651111, 'and goldfish cracker': 63819, 'goldfish cracker increased': 356078, 'cracker increased 22': 214730, 'increased 22 percent': 433173, 'spain people': 787336, 'in france and': 423072, 'france and spain': 330975, 'and spain people': 72043, 'spain people queuing': 787337, 'people queuing at': 649221, 'at supermarket are': 100700, 'supermarket are two': 819190, 'are two metre': 91247, 'metre apart they': 529829, 'apart they are': 81355, 'are being given': 84864, 'being given glove': 125186, 'given glove they': 351007, 'glove they enter': 352956, 'they enter and': 882047, 'enter and all': 278227, 'the shop staff': 867026, 'shop staff are': 760818, 'staff are wearing': 792210, 'mask is this': 518873, 'this happening in': 887851, 'it pharmaceutical': 460320, 'pharmaceutical version': 654094, 'version can': 954902, 'study found it': 814893, 'found it pharmaceutical': 330265, 'it pharmaceutical version': 460321, 'pharmaceutical version can': 654095, 'version can treat': 954903, 'can treat the': 160042, 'counterintuitive': 210328, 'again reduced': 37136, 'shop mean': 760457, 'fewer hr': 304219, 'hr that': 409665, 'open counterintuitive': 612166, 'counterintuitive at': 210329, 'at slowing': 100556, 'slowing infection': 774556, 'infection coronacrisis': 436739, 'sarscov2 coronauk': 736839, 'again reduced opening': 37137, 'reduced opening time': 706126, 'opening time in': 612926, 'time in shop': 897012, 'in shop mean': 427896, 'shop mean higher': 760458, 'mean higher volume': 524480, 'higher volume of': 395789, 'volume of people': 960158, 'in the fewer': 429195, 'the fewer hr': 855127, 'fewer hr that': 304220, 'hr that they': 409666, 'they re open': 883087, 're open counterintuitive': 699201, 'open counterintuitive at': 612167, 'counterintuitive at slowing': 210330, 'at slowing infection': 100557, 'slowing infection coronacrisis': 774557, 'infection coronacrisis sarscov2': 436740, 'coronacrisis sarscov2 coronauk': 204739, 'includes closing it': 431731, 'supermarket filled': 820314, 'of feeling': 583482, 'food potentially': 315891, 'potentially leading': 667217, 'piling can': 656575, 'extremely triggering': 293934, 'triggering for': 931937, 'with eatingdisorders': 998175, 'of supermarket filled': 590423, 'supermarket filled with': 820315, 'filled with empty': 305577, 'and the stress': 73598, 'stress of feeling': 813369, 'of feeling like': 583483, 'feeling like we': 303016, 'like we have': 491774, 'have to rush': 383287, 'to rush out': 913685, 'rush out and': 728322, 'out and purchase': 625685, 'and purchase food': 69779, 'purchase food potentially': 689452, 'food potentially leading': 315892, 'potentially leading to': 667218, 'leading to food': 483758, 'to food hoarding': 906081, 'hoarding and stock': 399190, 'stock piling can': 802654, 'piling can also': 656576, 'also be extremely': 47920, 'be extremely triggering': 114764, 'extremely triggering for': 293935, 'triggering for people': 931938, 'people with eatingdisorders': 650444, 'stater': 796248, 'bruhh': 141337, 'friend shared': 333807, 'did stater': 240821, 'stater bros': 796249, 'bros really': 141023, 'senior 15': 750173, 'sweep bruhh': 830112, 'friend shared this': 333808, 'shared this and': 755458, 'know if this': 476490, 'not but did': 568641, 'but did stater': 145528, 'did stater bros': 240822, 'stater bros really': 796250, 'bros really give': 141024, 'really give senior': 702225, 'give senior 15': 350687, 'senior 15 minute': 750174, '15 minute to': 3780, 'to shop before': 914450, 'shop before the': 759981, 'before the general': 123166, 'general public like': 345455, 'public like supermarket': 688146, 'supermarket sweep bruhh': 823086, 'are double': 85956, 'double specially': 256053, 'specially on': 788153, 'asian grocery': 95288, 'shop ripping': 760722, 'ripping of': 722716, 'customer hell': 222458, 'hell too': 389080, 'much price': 545256, 'for nation': 323773, 'nation these': 552335, 'these shopkeeper': 880682, 'price are double': 672653, 'are double specially': 85958, 'double specially on': 256054, 'specially on asian': 788154, 'on asian grocery': 599478, 'asian grocery amp': 95289, 'grocery amp meat': 364220, 'amp meat shop': 54125, 'meat shop ripping': 525743, 'shop ripping of': 760723, 'ripping of customer': 722717, 'of customer hell': 582273, 'customer hell too': 222459, 'hell too much': 389081, 'too much price': 924942, 'much price no': 545257, 'there to check': 879181, 'check on them': 174515, 'on them it': 604538, 'them it hard': 875955, 'it hard time': 458490, 'hard time for': 378036, 'time for nation': 896729, 'for nation these': 323774, 'nation these shopkeeper': 552337, 'these shopkeeper are': 880683, 'shopkeeper are not': 761171, 'are not human': 88392, 'to drought': 904787, 'drought why': 260777, 'seeing some': 746470, 'some strange': 783964, 'strange price': 812412, 'auspol the': 103096, 'from to drought': 338058, 'to drought why': 904788, 'drought why we': 260778, 're seeing some': 699466, 'seeing some strange': 746472, 'some strange price': 783965, 'strange price at': 812413, 'at supermarket auspol': 100702, 'supermarket auspol the': 819273, 'auspol the new': 103097, 'term read': 838256, 'long term read': 501707, 'term read more': 838257, 'more via caroline': 540900, 'rhp': 720909, 'uk robert': 938688, 'robert hi': 724707, 'hi rhp': 394726, 'rhp your': 720910, '19 presume': 9791, 'presume that': 671301, 'service charge': 752224, 'charge will': 173348, 'service resume': 752770, 'resume presume': 717746, 'not jack': 570190, 'uk robert hi': 938689, 'robert hi rhp': 724708, 'hi rhp your': 394727, 'rhp your service': 720911, 'your service are': 1025729, 'service are on': 752140, 'are on hold': 88722, 'covid 19 presume': 213608, '19 presume that': 9792, 'presume that our': 671302, 'that our service': 845594, 'our service charge': 624727, 'service charge will': 752227, 'charge will also': 173349, 'also be on': 47926, 'be on hold': 116199, 'on hold and': 601339, 'hold and that': 399895, 'and that when': 73220, 'that when your': 847500, 'when your service': 984638, 'your service resume': 1025736, 'service resume presume': 752771, 'resume presume that': 717747, 'presume that you': 671303, 'will not jack': 994235, 'not jack up': 570191, 'really following': 702202, 'manage sir': 512427, 'am really appreciate': 50339, '19 really following': 9985, 'really following the': 702203, 'the stock do': 867907, 'know how can': 476433, 'how can manage': 407504, 'can manage sir': 158964, 'same shape': 733281, 'shape that': 754850, 'coming grocery': 188066, 'already cannot': 47251, 'keep toilet': 472145, 'paper canned': 640009, 'think the usa': 885659, 'usa is coming': 948674, 'the same shape': 866295, 'same shape that': 733282, 'shape that it': 754851, 'that it went': 844757, 'it went into': 462313, 'went into it': 979046, 've got another': 953166, 'thing coming grocery': 884241, 'coming grocery store': 188067, 'store already cannot': 806151, 'already cannot keep': 47252, 'cannot keep toilet': 161989, 'keep toilet paper': 472146, 'toilet paper canned': 921221, 'paper canned food': 640011, 'canned food frozen': 161513, 'food frozen vegetable': 314624, 'frozen vegetable or': 339029, 'or pasta in': 616516, 'pasta in stock': 643741, 'this well help': 891338, 'well help keep': 978286, 'system on deck': 831270, 'commemorative': 188351, '2020 commemorative': 14233, 'commemorative earring': 188352, 'earring toiletpaper': 264963, '2020 commemorative earring': 14234, 'commemorative earring toiletpaper': 188353, 'website every': 975256, 'not recognize': 571261, 'recognize me': 704640, 'grocery urgently': 366091, 'urgently am': 948377, 'your website every': 1026322, 'website every day': 975257, 'day but cannot': 227403, 'cannot get place': 161903, 'get place because': 347820, 'place because you': 657347, 'do not recognize': 249815, 'not recognize me': 571262, 'recognize me vulnerable': 704641, '19 need grocery': 8756, 'need grocery urgently': 554932, 'grocery urgently am': 366092, 'urgently am alone': 948378, 'am alone and': 49865, 'saskatoon': 736881, 'long our': 501546, 'last saskatoon': 480479, 'saskatoon food': 736882, 'bank worry': 110331, 'demand run': 236161, 'run 10': 727540, 'we just don': 972106, 'how long our': 408204, 'long our stock': 501547, 'our stock will': 624925, 'will last saskatoon': 993949, 'last saskatoon food': 480480, 'saskatoon food bank': 736883, 'food bank worry': 313676, 'bank worry it': 110332, 'worry it may': 1010739, 'supply to meet': 826016, 'meet demand run': 527476, 'demand run 10': 236162, 'compromised making': 192681, 'making smart': 511347, 'communication choice': 189582, 'choice store': 177810, 'store survival': 810483, 'play changing': 659124, 'bopis onlineshopping': 135195, 'trend in 19': 931360, 'in 19 world': 419715, 'is compromised making': 446722, 'compromised making smart': 192682, 'making smart communication': 511348, 'smart communication choice': 775356, 'communication choice store': 189583, 'choice store survival': 177811, 'store survival in': 810484, 'survival in play': 829044, 'in play changing': 426790, 'play changing customer': 659125, 'show the shopper': 767220, 'the shopper some': 867054, 'shopper some love': 761696, 'love bopis onlineshopping': 504623, 'bopis onlineshopping ecommerce': 135196, 'onlineshopping ecommerce retail': 609896, 'our multinational': 623963, 'multinational study': 545715, 'consumer insight from': 197885, 'from the second': 337871, 'the second wave': 866595, 'wave of our': 969376, 'of our multinational': 587518, 'our multinational study': 623964, 'manufacture generic': 513371, 'generic ie': 345685, 'ie cheaper': 413727, 'cheaper version': 174290, 'friday trading': 333310, 'trading mylan': 928891, 'mylan is': 550747, '14 03': 3378, '03 teva': 870, 'teva is': 839709, 'interesting that the': 441628, 'that the two': 846855, 'the two company': 870145, 'two company who': 936847, 'company who manufacture': 191321, 'who manufacture generic': 989264, 'manufacture generic ie': 513372, 'generic ie cheaper': 345686, 'ie cheaper version': 413728, 'cheaper version of': 174291, 'drug trump is': 261138, 'pushing for covid': 690419, '19 have had': 7447, 'have had their': 380879, 'had their stock': 373638, 'stock price increase': 802726, 'price increase since': 674787, 'increase since friday': 433062, 'since friday trading': 770612, 'friday trading mylan': 333311, 'trading mylan is': 928892, 'mylan is up': 550749, 'is up 11': 453566, 'up 11 to': 944113, '11 to 14': 2601, 'to 14 03': 899493, '14 03 teva': 3379, '03 teva is': 871, 'teva is up': 839710, 'dungeon': 262289, 'ppe run': 668041, 'their dungeon': 873086, 'dungeon closet': 262290, 'closet to': 183554, 'find protection': 307193, 'equipment ppe run': 279809, 'ppe run low': 668042, 'run low people': 727700, 'low people have': 505484, 'people have gone': 648179, 'gone to their': 356398, 'to their dungeon': 917228, 'their dungeon closet': 873087, 'dungeon closet to': 262291, 'closet to find': 183555, 'to find protection': 905932, 'store beginning': 806713, 'beginning saturday': 123659, 'limit the total': 492523, 'people inside store': 648483, 'inside store beginning': 439391, 'store beginning saturday': 806714, 'desinfect': 238400, 'lifematters': 489325, 'p1 is': 632799, 'such challenge': 816385, 'install sanitizer': 440002, 'that blow': 843003, 'blow sanitizer': 133348, 'sanitizer all': 734343, 'you wet': 1022266, 'simply handgel': 770232, 'handgel to': 376113, 'to desinfect': 904208, 'desinfect your': 238401, 'your ing': 1024490, 'ing hand': 438284, 'hand force': 374947, 'open lifematters': 612361, 'p1 is it': 632800, 'it such challenge': 461335, 'such challenge to': 816386, 'challenge to install': 171578, 'to install sanitizer': 908419, 'install sanitizer at': 440003, 'of supermarket that': 590449, 'supermarket that blow': 823180, 'that blow sanitizer': 843004, 'blow sanitizer all': 133349, 'sanitizer all over': 734344, 'all over you': 43889, 'over you wet': 630966, 'you wet wipe': 1022267, 'wet wipe to': 980764, 'clean your cart': 180694, 'your cart or': 1023154, 'cart or simply': 165349, 'or simply handgel': 617089, 'simply handgel to': 770233, 'handgel to desinfect': 376114, 'to desinfect your': 904209, 'desinfect your ing': 238402, 'your ing hand': 1024491, 'ing hand force': 438285, 'hand force people': 374948, 'people to obey': 649923, 'to obey the': 910784, 'obey the rule': 578391, 'rule at any': 727206, 'any store that': 79868, 'is open lifematters': 450571, '688': 21508, 'could cost': 209053, 'cost local': 208008, 'system including': 831209, 'including farmer': 431957, 'market 688': 515901, '688 million': 21509, 'may supplychain': 521543, 'supplychain delivery': 826172, 'pandemic could cost': 635243, 'could cost local': 209054, 'cost local and': 208009, 'local and regional': 497682, 'and regional food': 70147, 'regional food system': 707507, 'food system including': 317048, 'system including farmer': 831210, 'including farmer market': 431958, 'farmer market 688': 299440, 'market 688 million': 515902, '688 million in': 21510, 'lost sale from': 503913, 'sale from march': 732240, 'from march to': 336351, 'march to may': 515500, 'to may supplychain': 909905, 'may supplychain delivery': 521544, 'storm to': 811848, 'hit is': 398293, 'is painful': 450777, 'painful knowing': 634254, 'unreal watching': 943300, 'public hoard': 688091, 'seeing mass': 746361, 'mass fatality': 519759, 'fatality it': 300251, 'it infuriating': 458797, 'infuriating depressing': 438258, 'depressing and': 237607, 'frankly enraging': 331170, 'for the storm': 326709, 'the storm to': 868161, 'storm to hit': 811850, 'to hit is': 907846, 'hit is painful': 398294, 'is painful knowing': 450778, 'painful knowing what': 634255, 'feel unreal watching': 302913, 'unreal watching the': 943301, 'watching the general': 968796, 'general public hoard': 345452, 'public hoard food': 688092, 'hoard food ignore': 398790, 'ignore advice and': 415811, 'advice and continue': 33305, 'virus knowing that': 958444, 'knowing that in': 477135, 'that in just': 844451, 'just week we': 470267, 'will be seeing': 992666, 'be seeing mass': 117031, 'seeing mass fatality': 746362, 'mass fatality it': 519760, 'fatality it infuriating': 300252, 'it infuriating depressing': 458798, 'infuriating depressing and': 438259, 'depressing and frankly': 237608, 'and frankly enraging': 63248, 'fear gas': 301135, 'place below': 657354, 'and jet': 65653, 'cheap many': 174142, 'have no fear': 381627, 'no fear gas': 564201, 'fear gas price': 301136, 'are in some': 87440, 'some place below': 783571, 'place below gallon': 657355, 'below gallon and': 126657, 'gallon and jet': 342974, 'and jet fuel': 65654, 'jet fuel is': 465341, 'fuel is cheap': 340191, 'is cheap many': 446496, 'cheap many people': 174143, 'people are happy': 646993, 'happy about that': 377577, 'you calculate': 1017599, 'tp stash': 927947, 'last coronapocalypse': 480162, 'coronaoutbreak toiletpaper': 205135, 'tp website': 928033, 'help you calculate': 390958, 'you calculate how': 1017600, 'long your tp': 501888, 'your tp stash': 1026199, 'tp stash will': 927948, 'will last coronapocalypse': 993939, 'last coronapocalypse coronaoutbreak': 480163, 'coronapocalypse coronaoutbreak toiletpaper': 205186, 'coronaoutbreak toiletpaper tp': 205136, 'toiletpaper tp website': 922755, 'bergen': 127303, 'tedesco': 836434, '336': 17792, '6400': 21321, 'bergen county': 127304, 'county nj': 211444, 'nj bergen': 563418, 'county executive': 211377, 'executive jim': 289905, 'jim tedesco': 465507, 'tedesco urge': 836435, 'fraud should': 331347, 'protection immediately': 685483, 'immediately at': 417059, 'at 201': 97510, '201 336': 13753, '336 6400': 17793, 'bergen county nj': 127306, 'county nj bergen': 211445, 'nj bergen county': 563419, 'bergen county executive': 127305, 'county executive jim': 211378, 'executive jim tedesco': 289906, 'jim tedesco urge': 465508, 'tedesco urge resident': 836436, 'gouging in relation': 359350, '19 consumer who': 5996, 'consumer who suspect': 199531, 'related fraud should': 708452, 'fraud should contact': 331348, 'should contact the': 765871, 'contact the division': 200223, 'consumer protection immediately': 198536, 'protection immediately at': 685484, 'immediately at 201': 417060, 'at 201 336': 97511, '201 336 6400': 13754, 'example of social': 288946, 'ajittyagi': 40462, 'bajao': 108732, 'indo': 435306, 'aga': 36862, 'ajittyagi first': 40463, 'expert then': 291985, 'then lockdown': 877321, 'lockdown expert': 499363, 'then slow': 877537, 'economy expert': 267853, 'then food': 877177, 'all expert': 42728, 'then thali': 877602, 'thali bajao': 840117, 'bajao diya': 108733, 'diya expert': 248785, 'expert now': 291889, 'now indo': 575038, 'indo relationship': 435309, 'relationship expert': 708696, 'in hig': 423676, 'hig demand': 394893, 'be expert': 114739, 'in tweeting': 430346, 'tweeting aga': 936473, 'ajittyagi first covid': 40464, '19 expert then': 6899, 'expert then lockdown': 291987, 'then lockdown expert': 877322, 'lockdown expert then': 499364, 'expert then slow': 291988, 'then slow economy': 877538, 'slow economy expert': 774357, 'economy expert then': 267854, 'expert then food': 291986, 'then food for': 877178, 'for all expert': 319124, 'all expert then': 42729, 'expert then thali': 291989, 'then thali bajao': 877603, 'thali bajao diya': 840118, 'bajao diya expert': 108734, 'diya expert now': 248786, 'expert now indo': 291890, 'now indo relationship': 575039, 'indo relationship expert': 435310, 'relationship expert are': 708697, 'expert are in': 291785, 'are in hig': 87392, 'in hig demand': 423677, 'hig demand they': 394894, 'demand they only': 236377, 'only know to': 610690, 'know to be': 476903, 'to be expert': 901245, 'be expert in': 114740, 'expert in tweeting': 291863, 'in tweeting aga': 430347, 'outbreak expert': 628209, 'coronavirus outbreak expert': 206385, 'outbreak expert share': 628211, 'devouring': 239997, 'collapse devouring': 185991, 'devouring the': 239998, 'are stopped': 90540, 'to collapse devouring': 902951, 'collapse devouring the': 185992, 'devouring the world': 239999, 'oil which drive': 597511, 'which drive the': 985836, 'been cancelled the': 120796, 'cancelled the cruise': 161178, 'ship are stopped': 758652, 'are stopped the': 90541, 'stopped the road': 805764, 'road are empty': 724410, 'factory are in': 295927, 'zumwalt': 1027902, 'toiletpaper amwriting': 921715, 'amwriting humor': 54985, 'humor virus': 410929, 'free writing': 332345, 'writing zumwalt': 1012931, 'zumwalt 24th': 1027903, '24th march': 15782, 'corona diary': 203918, 'toiletpaper amwriting humor': 921716, 'amwriting humor virus': 54986, 'humor virus free': 410930, 'virus free writing': 958208, 'free writing zumwalt': 332346, 'writing zumwalt 24th': 1012932, 'zumwalt 24th march': 1027904, '24th march 2020': 15783, '2020 the corona': 14635, 'the corona diary': 851767, 'europe people': 283494, 'given sanctuary': 351104, 'sanctuary are': 733652, 'netherlands an': 557655, 'from iraq': 336081, 'joining other': 466980, 'other refugee': 620815, 'refugee to': 706858, 'disinfect supermarket': 245572, 'across europe people': 29328, 'europe people who': 283495, 'been given sanctuary': 121212, 'given sanctuary are': 351105, 'sanctuary are giving': 733653, 'back during this': 106970, 'the netherlands an': 861449, 'netherlands an engineer': 557656, 'an engineer from': 55751, 'engineer from iraq': 276966, 'from iraq is': 336082, 'iraq is joining': 444772, 'is joining other': 449104, 'joining other refugee': 466981, 'other refugee to': 620816, 'refugee to disinfect': 706859, 'to disinfect supermarket': 904403, 'disinfect supermarket trolley': 245573, 'whataboutery': 982726, 'thumping': 895302, 'moment bjp': 535883, 'bjp supporter': 132008, 'supporter giving': 827089, 'giving example': 351282, 'congress used': 194548, 'is whataboutery': 453908, 'whataboutery thats': 982727, 'twice wt': 936560, 'wt thumping': 1013263, 'thumping majority': 895303, 'so tht': 778518, 'tht dont': 895264, 'dont repeat': 255279, 'repeat congress': 711505, 'congress sin': 194527, 'shameful moment bjp': 754695, 'moment bjp supporter': 535884, 'bjp supporter giving': 132009, 'supporter giving example': 827090, 'giving example of': 351283, 'how congress used': 407582, 'congress used to': 194549, 'do it too': 249523, 'it too is': 461793, 'too is whataboutery': 924808, 'is whataboutery thats': 453909, 'whataboutery thats the': 982728, 'thats the exact': 847826, 'exact reason why': 288703, 'why we voted': 991534, 'for twice wt': 327386, 'twice wt thumping': 936561, 'wt thumping majority': 1013264, 'thumping majority so': 895304, 'majority so tht': 509577, 'so tht dont': 778519, 'tht dont repeat': 895265, 'dont repeat congress': 255280, 'repeat congress sin': 711506, 'olymel': 598779, '19 olymel': 8918, 'olymel corrects': 598780, 'corrects the': 207618, 'safety and covid': 730449, 'covid 19 olymel': 213513, '19 olymel corrects': 8919, 'olymel corrects the': 598781, 'corrects the fact': 207619, '720': 22027, '5721': 20504, 'retweet the': 720083, 'ordered attorney': 618825, 'attorney to': 102685, 'appoint special': 82647, 'special fraud': 787930, 'fraud coordinator': 331250, 'coordinator central': 203231, 'central fraud': 169388, 'fraud hotline': 331286, 'hotline 866': 405235, '866 720': 23000, '720 5721': 22028, '5721 or': 20505, 'or disaster': 614983, 'disaster gov': 244212, 'consumer abuse': 195996, 'abuse stophoarding': 27655, 'coronacrisis stopthespread': 204798, 'pls retweet the': 661170, 'retweet the ha': 720084, 'the ha ordered': 857007, 'ha ordered attorney': 371457, 'ordered attorney to': 618826, 'attorney to appoint': 102686, 'to appoint special': 900664, 'appoint special fraud': 82648, 'special fraud coordinator': 787931, 'fraud coordinator central': 331251, 'coordinator central fraud': 203232, 'central fraud hotline': 169389, 'fraud hotline 866': 331287, 'hotline 866 720': 405236, '866 720 5721': 23001, '720 5721 or': 22029, '5721 or disaster': 20506, 'or disaster gov': 614984, 'disaster gov to': 244213, 'gov to report': 359715, 'to report consumer': 913267, 'report consumer abuse': 711882, 'consumer abuse stophoarding': 195997, 'abuse stophoarding coronacrisis': 27656, 'stophoarding coronacrisis stopthespread': 805381, 'quite honored': 694879, 'honored to': 403280, 'been selected': 121903, 'selected to': 747507, 'provide expert': 686279, 'story covid': 811949, 'economist via': 267586, 'quite honored to': 694880, 'honored to have': 403281, 'have been selected': 379672, 'been selected to': 121904, 'selected to provide': 747508, 'to provide expert': 912389, 'provide expert insight': 686280, 'expert insight into': 291866, 'insight into this': 439585, 'into this story': 443224, 'this story covid': 890361, 'story covid 19': 811950, 'buy food say': 148669, 'food say economist': 316307, 'say economist via': 738602, 'stayhomestaystrong': 798545, 'mask work': 519590, 'way health': 969623, 'healthcare socialdistancing': 387281, 'socialdistancing publichealth': 780627, 'publichealth mask': 688538, 'mask n95masks': 518996, 'n95masks dontbeaspreader': 551262, 'dontbeaspreader staysafestayhome': 255343, 'staysafestayhome stayhomestaystrong': 799026, 'stayhomestaystrong stophoarding': 798546, 'not all mask': 568117, 'all mask work': 43464, 'mask work the': 519591, 'work the same': 1005816, 'same way health': 733404, 'way health healthcare': 969624, 'health healthcare socialdistancing': 386488, 'healthcare socialdistancing publichealth': 387282, 'socialdistancing publichealth mask': 780628, 'publichealth mask n95masks': 688539, 'mask n95masks dontbeaspreader': 518997, 'n95masks dontbeaspreader staysafestayhome': 551263, 'dontbeaspreader staysafestayhome stayhomestaystrong': 255344, 'staysafestayhome stayhomestaystrong stophoarding': 799027, 'job guaranteed': 465842, 'guaranteed worker': 367758, 'worker paid': 1007533, 'leave rent': 484916, 'rent guaranteed': 711107, 'guaranteed ban': 367741, 'treatment over': 931120, '70 quarantined': 21828, 'kid crowding': 473918, 'crowding beach': 219387, 'suck huh': 816896, '90 day job': 23288, 'day job guaranteed': 227860, 'job guaranteed worker': 465843, 'guaranteed worker paid': 367759, 'worker paid leave': 1007534, 'paid leave rent': 634063, 'leave rent guaranteed': 484917, 'rent guaranteed ban': 711108, 'guaranteed ban on': 367742, 'free test treatment': 332210, 'test treatment over': 839218, 'treatment over 65': 931121, 'over 65 grocery': 629891, 'store hour over': 808205, 'over 70 quarantined': 629918, '70 quarantined worker': 21829, 'quarantined worker getting': 692896, 'worker getting fired': 1007032, 'getting fired and': 348972, 'fired and kid': 308164, 'and kid crowding': 65832, 'kid crowding beach': 473919, 'crowding beach socialism': 219388, 'socialism suck huh': 780984, 'value investor': 952136, 'price and depressed': 672393, 'and depressed market': 61231, 'depressed market are': 237594, 'market are the': 516032, 'are the friend': 90831, 'the friend of': 855825, 'friend of long': 333729, 'of long term': 586000, 'term value investor': 838335, 'excelled': 289060, 'immovingprovider': 417300, 'job vodafone': 466266, 'vodafone you': 959935, 'done very': 255094, 'well by': 978083, 'lower wage': 506047, 'wage you': 964007, 've excelled': 953099, 'excelled yourselves': 289061, 'yourselves once': 1026803, 'again lockdownuk': 37058, 'lockdownuk immovingprovider': 500412, 'immovingprovider ripoff': 417301, 'good job vodafone': 357299, 'job vodafone you': 466267, 'vodafone you ve': 959936, 've done very': 953068, 'done very well': 255095, 'very well by': 955662, 'well by putting': 978084, 'by putting up': 153702, 'your price up': 1025420, 'price up everyone': 677231, 'up everyone is': 944814, 'on lockdown and': 601904, 'lockdown and on': 499147, 'and on lower': 68063, 'on lower wage': 601949, 'lower wage you': 506048, 'wage you ve': 964008, 'you ve excelled': 1022038, 've excelled yourselves': 953100, 'excelled yourselves once': 289062, 'yourselves once again': 1026804, 'once again lockdownuk': 605568, 'again lockdownuk immovingprovider': 37059, 'lockdownuk immovingprovider ripoff': 500413, 'nex': 561251, 'headquartered': 386024, 'pandemic charter': 635128, 'charter nex': 173867, 'nex film': 561252, 'film headquartered': 305680, 'headquartered in': 386025, 'and medical product': 66880, 'medical product during': 526319, '19 pandemic charter': 9292, 'pandemic charter nex': 635129, 'charter nex film': 173868, 'nex film headquartered': 561253, 'film headquartered in': 305681, 'headquartered in milton': 386026, 'ha been busy': 369736, 'can hoosier': 158698, 'hoosier are': 403374, 'occasion here': 578942, 'sure to help': 827765, 'to help pack': 907582, 'the pantry if': 863255, 'you can hoosier': 1017697, 'can hoosier are': 158699, 'hoosier are rising': 403375, 'are rising to': 89721, 'rising to the': 723309, 'the occasion here': 862030, 'occasion here how': 578943, 'coronavirus auckland': 205533, '19 coronavirus auckland': 6092, 'coronavirus auckland supermarket': 205534, 'auckland supermarket turned': 102835, 'online store more': 609458, 'store more more': 808986, 'relative performance': 708738, 'gold since': 356011, 'pandemic consider': 635183, 'what demand': 981307, 'demand driver': 235258, 'driver may': 259653, 'may influence': 521296, 'influence gold': 437307, 'from much ha': 336487, 'been made of': 121511, 'made of the': 507879, 'of the relative': 591401, 'the relative performance': 865469, 'relative performance of': 708739, 'performance of gold': 651454, 'of gold since': 584202, 'gold since the': 356012, 'global pandemic consider': 352077, 'pandemic consider what': 635184, 'consider what demand': 195176, 'what demand driver': 981308, 'demand driver may': 235259, 'driver may influence': 259654, 'may influence gold': 521297, 'influence gold price': 437308, 'gold price over': 355968, 'proportionally': 684440, 'the underprivileged': 870359, 'underprivileged are': 940545, 'more proportionally': 540161, 'proportionally to': 684441, 'combat than': 187043, 'than billionaire': 840413, 'billionaire just': 130957, 'you using': 1022016, 'sharing supply': 755587, 'need supporting': 555694, 'and the underprivileged': 73632, 'the underprivileged are': 870360, 'underprivileged are doing': 940546, 'are doing more': 85911, 'doing more proportionally': 252532, 'more proportionally to': 540162, 'proportionally to combat': 684442, 'to combat than': 903008, 'combat than billionaire': 187044, 'than billionaire just': 840414, 'billionaire just saying': 130958, 'just saying you': 469719, 'saying you staying': 739776, 'you staying at': 1021388, 'home you using': 402588, 'you using sanitizer': 1022017, 'using sanitizer face': 950628, 'face mask you': 294612, 'mask you sharing': 519609, 'you sharing supply': 1021143, 'sharing supply you': 755588, 'supply you shopping': 826149, 'you shopping to': 1021176, 'shopping to your': 764201, 'to your need': 919005, 'your need supporting': 1024943, 'need supporting local': 555695, 'business you too': 144730, 'economic perspective': 267197, 'perspective global': 653198, 'global inflation': 351988, 'inflation perspective': 437215, 'perspective march': 653212, '2020 consumption': 14247, 'to fold': 906040, 'fold growing': 312047, 'growing uncertainty': 367250, 'paper alike': 639782, 'alike consumer': 41779, 'confidence survey': 193954, 'survey will': 828984, 'soon reflect': 785808, 'economic perspective global': 267198, 'perspective global inflation': 653199, 'global inflation perspective': 351989, 'inflation perspective march': 437216, 'perspective march 2020': 653213, 'march 2020 consumption': 515154, '2020 consumption is': 14248, 'consumption is about': 199900, 'about to fold': 26717, 'to fold growing': 906041, 'fold growing uncertainty': 312048, 'growing uncertainty around': 367251, '19 ha triggered': 7398, 'ha triggered panic': 372364, 'buying of government': 150793, 'of government and': 584269, 'government and toilet': 359878, 'toilet paper alike': 921178, 'paper alike consumer': 639783, 'alike consumer confidence': 41780, 'consumer confidence survey': 196922, 'confidence survey will': 193955, 'survey will soon': 828985, 'will soon reflect': 994900, 'my master': 549212, 'master list': 520203, 'booze producer': 135171, 'producer who': 680716, 'basis so': 112275, 'this around': 886408, 'updating my master': 947478, 'my master list': 549213, 'master list of': 520204, 'of the booze': 590825, 'the booze producer': 849865, 'booze producer who': 135172, 'producer who make': 680717, 'who make hand': 989248, 'sanitizer on daily': 735455, 'daily basis so': 224510, 'basis so if': 112276, 'in need or': 425758, 'need or know': 555381, 'or know someone': 615915, 'who is feel': 989073, 'is feel free': 447775, 'share this around': 755280, 'that terrible': 846632, 'terrible and': 838392, 'across immediately': 29344, 'jp are crazy': 467549, 'are crazy like': 85610, 'crazy like that': 215348, 'like that supermarket': 491336, 'that supermarket is': 846572, 'be safe because': 116945, 'safe because they': 729518, 'because they wear': 119727, 'mask that terrible': 519349, 'that terrible and': 846633, 'terrible and foolish': 838393, 'must spread across': 546897, 'spread across immediately': 790390, 'lou': 504478, 'dobbs': 250726, 'getting coronavirus': 348912, 'new white': 559876, 'white privilege': 987896, 'privilege penny': 679037, 'penny staff': 646627, 'staff lou': 792632, 'lou dobbs': 504479, 'dobbs staff': 250727, 'staff rich': 792800, 'rich famous': 721219, 'famous sport': 298494, 'sport star': 789980, 'getting coronavirus test': 348913, 'coronavirus test is': 206882, 'test is the': 839042, 'the new white': 861583, 'new white privilege': 559877, 'white privilege penny': 987897, 'privilege penny staff': 679038, 'penny staff lou': 646628, 'staff lou dobbs': 792633, 'lou dobbs staff': 504480, 'dobbs staff rich': 250728, 'staff rich famous': 792801, 'rich famous sport': 721220, 'famous sport star': 298495, 'mcfuku not': 522173, 'true on': 933145, 'on pricing': 602925, '19th 3m': 12533, '3m ceo': 18309, 'this 3m': 886163, 'mcfuku not true': 522174, 'not true on': 572276, 'true on pricing': 933146, 'on pricing on': 602926, 'pricing on march': 677952, 'march 19th 3m': 515122, '19th 3m ceo': 12534, '3m ceo said': 18310, 'ceo said this': 169827, 'said this 3m': 731494, 'this 3m ha': 886164, 'corporation via': 207470, 'broadcasting corporation via': 140748, 'working outdoors': 1008852, 'outdoors planting': 628927, 'better reducing': 128442, 'supermarket increase': 821016, 'because working outdoors': 119849, 'working outdoors planting': 1008853, 'outdoors planting healthy': 628928, 'eating better reducing': 266182, 'better reducing your': 128443, 'reducing your trip': 706341, 'the supermarket increase': 868644, 'supermarket increase the': 821018, 'price stockmarketcrash2020': 676671, 'stockmarketcrash2020 globalpandemic': 803696, 'globalpandemic dowjones': 352424, 'on global economy': 601104, 'global economy and': 351890, 'economy and asset': 267637, 'asset price stockmarketcrash2020': 96461, 'price stockmarketcrash2020 globalpandemic': 676673, 'stockmarketcrash2020 globalpandemic dowjones': 803697, 'hence health': 391743, 'have considered': 380078, 'considered socialdistancing': 195325, 'socialdistancing best': 780252, 'realtime created': 702759, 'tracker examining': 928268, 'examining consumer': 288851, 'pandemic ha shaken': 635568, 'shaken the entire': 754443, 'entire world and': 278777, 'world and hence': 1009279, 'and hence health': 64503, 'hence health official': 391744, 'official have considered': 595835, 'have considered socialdistancing': 380079, 'considered socialdistancing best': 195326, 'socialdistancing best practice': 780253, 'yougov realtime created': 1022538, 'realtime created tracker': 702760, 'created tracker examining': 215920, 'tracker examining consumer': 928269, 'examining consumer behavior': 288852, 'behavior on march': 124136, 'bewarned': 129112, 'dwbl': 263648, 'helpingyou': 391572, 'the advertising': 848378, 'advertising standard': 33279, 'standard authority': 793634, 'authority about': 103678, 'scam bewarned': 740083, 'bewarned pc': 129113, 'pc email': 645880, 'email help': 272198, 'help dwbl': 389614, 'dwbl helpingyou': 263649, 'helpingyou help': 391573, 'here some consumer': 393575, 'consumer advice from': 196044, 'from the advertising': 337593, 'the advertising standard': 848379, 'advertising standard authority': 33280, 'standard authority about': 793635, 'authority about how': 103679, 'avoid the coronavirus': 105318, 'the coronavirus scam': 851905, 'coronavirus scam scam': 206719, 'scam scam bewarned': 740350, 'scam bewarned pc': 740084, 'bewarned pc email': 129114, 'pc email help': 645881, 'email help dwbl': 272199, 'help dwbl helpingyou': 389615, 'dwbl helpingyou help': 263650, 'food requirement': 316174, 'requirement haven': 713433, 'habit if': 372632, 'people food requirement': 647940, 'food requirement haven': 316175, 'requirement haven changed': 713434, 'haven changed because': 383770, '19 only their': 9003, 'only their buying': 611286, 'their buying habit': 872702, 'buying habit if': 150460, 'habit if people': 372633, 'and hoarding there': 64666, 'hoarding there would': 399599, 'be no empty': 116097, 'the store people': 868078, 'store people need': 809492, 'to stop panicking': 915553, 'panicking and stop': 639323, 'online over': 608726, 'over fake': 630204, 'allege to': 45654, 'consumer authority are': 196358, 'authority are warning': 103689, 'are warning people': 91533, 'warning people shopping': 967181, 'shopping online over': 763468, 'online over fake': 608727, 'over fake product': 630205, 'fake product which': 296698, 'product which allege': 681836, 'which allege to': 985647, 'allege to prevent': 45655, 'prevent or cure': 671677, 'storming': 811867, 'lifewithocd': 489415, 'easy day': 265678, 'supermarket delivers': 819911, 'process becomes': 679890, 'becomes trauma': 120264, 'trauma in': 930205, 'which your': 986536, 'hour afterwards': 405367, 'with billion': 997410, 'of horrible': 584755, 'horrible thought': 404131, 'thought image': 893090, 'the storming': 868165, 'storming into': 811868, 'home lifewithocd': 401529, 'lifewithocd during': 489416, 'pandemic ocd': 636066, 'an easy day': 55562, 'easy day when': 265679, 'the supermarket delivers': 868549, 'supermarket delivers your': 819912, 'delivers your shopping': 233604, 'the whole process': 871504, 'whole process becomes': 990307, 'process becomes trauma': 679891, 'becomes trauma in': 120265, 'trauma in which': 930206, 'in which your': 430875, 'which your mind': 986537, 'your mind for': 1024833, 'mind for hour': 532665, 'for hour afterwards': 322386, 'hour afterwards is': 405368, 'afterwards is filled': 36749, 'filled with billion': 305574, 'with billion of': 997411, 'billion of horrible': 130872, 'of horrible thought': 584756, 'horrible thought image': 404132, 'thought image of': 893091, 'of the storming': 591498, 'the storming into': 868166, 'storming into your': 811869, 'your home lifewithocd': 1024360, 'home lifewithocd during': 401530, 'lifewithocd during pandemic': 489417, 'during pandemic ocd': 262882, 'if two': 415203, 'stay is': 797108, 'making sure there': 511391, 'medicine at home': 526731, 'home if two': 401401, 'if two week': 415204, 'week stay is': 976917, 'stay is necessary': 797109, 'in worldwide': 430990, 'stopprofiteering stophoarding': 805844, 'opportunism in worldwide': 613551, 'in worldwide health': 430991, 'worldwide health crisis': 1010372, '19 stopprofiteering stophoarding': 10877, 'stopprofiteering stophoarding stoppanicbuying': 805845, 'against coronavirus the': 37395, 'anyportinastorm': 80670, 'frankenstein': 331150, 'usually break': 951097, 'around halloween': 93314, 'halloween but': 374390, 'rome tp': 725760, 'toiletpaper tpshortage': 922762, 'tpshortage anyportinastorm': 928095, 'anyportinastorm stayathome': 80671, 'shelterinplace cartoon': 757992, 'cartoon monster': 165527, 'monster mummy': 537468, 'mummy frankenstein': 546056, 'frankenstein outhouse': 331151, 'outhouse quarantine': 628981, 'usually break this': 951098, 'break this one': 138815, 'one out around': 606803, 'out around halloween': 625731, 'around halloween but': 93315, 'halloween but when': 374391, 'but when in': 147817, 'when in rome': 983593, 'in rome tp': 427542, 'rome tp toiletpaper': 725761, 'tp toiletpaper tpshortage': 928012, 'toiletpaper tpshortage anyportinastorm': 922763, 'tpshortage anyportinastorm stayathome': 928096, 'anyportinastorm stayathome shelterinplace': 80672, 'stayathome shelterinplace cartoon': 797608, 'shelterinplace cartoon monster': 757993, 'cartoon monster mummy': 165528, 'monster mummy frankenstein': 537469, 'mummy frankenstein outhouse': 546057, 'frankenstein outhouse quarantine': 331152, 'another awful': 77503, 'awful consequence': 106220, 'stop live': 804817, 'export immediately': 292653, 'is another awful': 445729, 'another awful consequence': 77504, 'awful consequence of': 106221, 'of the stop': 591494, 'the stop live': 867958, 'stop live export': 804818, 'live export immediately': 495808, 'got cleared': 358484, 'first wave': 309169, 'but rising': 146943, 'rising tide': 723304, 'tide may': 895707, 'may lift': 521323, 'all boat': 42193, 'big box and': 129655, 'box and warehouse': 137013, 'warehouse store got': 966776, 'store got cleared': 807955, 'got cleared out': 358485, 'cleared out after': 181425, 'the first wave': 855365, 'first wave of': 309170, 'buying but rising': 150068, 'but rising tide': 146944, 'rising tide may': 723305, 'tide may lift': 895708, 'may lift all': 521324, 'lift all boat': 489423, 'all boat in': 42194, 'boat in grocery': 133721, 'this tuesday': 890876, 'register can': 707549, 'website here': 975300, 'join on this': 466800, 'on this tuesday': 604642, 'this tuesday april': 890877, 'changing consumer consumer': 172670, 'consumer consumer practice': 196953, 'consumer practice in': 198401, 'held online link': 388916, 'online link to': 608493, 'to register can': 913100, 'register can be': 707550, 'be found on': 114943, 'found on our': 330314, 'our website here': 625341, 'modi assures': 535445, 'supply appeal': 824773, 'appeal against': 82050, 'buying pmmodi': 150914, 'pm modi assures': 661941, 'modi assures there': 535446, 'food medicine milk': 315445, 'medicine milk and': 526840, 'other supply appeal': 621034, 'supply appeal against': 824774, 'appeal against panic': 82051, 'panic buying pmmodi': 637849, 'tossing': 926105, 'supporthealthcareworkers': 827099, 'single pair': 771360, 'useless karen': 950232, 'karen stay': 470908, 'money let': 536869, 'professional use': 682514, 'keep tossing': 472149, 'tossing in': 926106, 'life supporthealthcareworkers': 489080, 'the single pair': 867221, 'single pair of': 771361, 'of glove you': 584167, 'glove you re': 353054, 're using at': 699760, 'using at the': 950401, 'supermarket are useless': 819192, 'are useless karen': 91404, 'useless karen stay': 950233, 'karen stay home': 470909, 'home and save': 400683, 'your money let': 1024864, 'money let the': 536870, 'let the professional': 487137, 'the professional use': 864614, 'professional use those': 682515, 'use those glove': 949740, 'those glove you': 892027, 'glove you keep': 353053, 'you keep tossing': 1019453, 'keep tossing in': 472150, 'tossing in the': 926107, 'lot to save': 504395, 'save life supporthealthcareworkers': 737559, 'ourstreets': 625512, 'ourstreets is': 625513, 'about street': 26271, 'street safety': 813089, 'safety for': 730545, 're pivoting': 699260, 'crisis next': 217755, 'week use': 977152, 'report where': 712428, 'aren represent': 92503, 'represent city': 712872, 'or state': 617202, 'state reach': 795884, 'ourstreets is about': 625514, 'is about street': 445278, 'about street safety': 26272, 'street safety for': 813090, 'safety for all': 730546, 'for all but': 319115, 'all but we': 42257, 'we re pivoting': 972934, 're pivoting to': 699261, 'pivoting to help': 657135, 'out with the': 627875, 'the crisis next': 852414, 'crisis next week': 217756, 'next week use': 561702, 'week use to': 977153, 'use to report': 949759, 'to report where': 913298, 'report where supply': 712429, 'where supply are': 985197, 'supply are and': 824779, 'and aren represent': 58384, 'aren represent city': 92504, 'represent city or': 712873, 'city or state': 179312, 'or state reach': 617203, 'state reach out': 795885, 'out to learn': 627657, 'learn how we': 483994, 'can work together': 160251, 'some wholefoods': 784212, 'wholefoods store': 990405, 'at some wholefoods': 100585, 'some wholefoods store': 784213, 'wholefoods store to': 990406, 'regular price to': 707846, 'allinittogether': 45850, 'coronavirus tesco': 206875, 'tesco offer': 838766, 'offer 12': 594499, 'older vulnerable': 598688, 'vulnerable pregnant': 961136, 'pregnant staff': 669839, 'staff inews': 792564, 'inews tesco': 436437, 'tesco allinittogether': 838654, 'coronavirus tesco offer': 206877, 'tesco offer 12': 838767, 'offer 12 week': 594500, '12 week paid': 2988, 'leave to older': 485012, 'to older vulnerable': 910892, 'older vulnerable pregnant': 598689, 'vulnerable pregnant staff': 961137, 'pregnant staff inews': 669840, 'staff inews tesco': 792565, 'inews tesco allinittogether': 436438, 'bad mood': 107942, 'mood today': 538287, 'other god': 620300, 'you oh': 1020185, 'haven been at': 383747, 'been at this': 120705, 'at this long': 101241, 'this long and': 888703, 'been in bit': 121335, 'bit of bad': 131634, 'of bad mood': 580509, 'bad mood today': 107943, 'mood today so': 538288, 'each other god': 264178, 'other god bless': 620301, 'bless you oh': 132609, 'you oh and': 1020186, 'price nosedive': 675362, 'nosedive during': 567947, 'house price nosedive': 406499, 'price nosedive during': 675363, 'nosedive during covid': 567948, '19 job': 8186, 'loss creates': 503658, 'creates overwhelming': 215957, 'covid 19 job': 213307, '19 job loss': 8187, 'job loss creates': 465970, 'loss creates overwhelming': 503659, 'creates overwhelming demand': 215958, 'bussinesses': 144816, 'should collectively': 765838, 'collectively make': 186533, 'of bussinesses': 580977, 'bussinesses and': 144817, 'to extortionate': 905541, 'extortionate rate': 293405, 'rate when': 697411, 'should aim': 765482, 'boycott them': 137347, 'we should collectively': 973263, 'should collectively make': 765839, 'collectively make list': 186534, 'list of bussinesses': 494415, 'of bussinesses and': 580978, 'bussinesses and company': 144818, 'and company who': 60198, 'pandemic to exploit': 636778, 'exploit people and': 292354, 'people and driving': 646856, 'their good to': 873422, 'good to extortionate': 357877, 'to extortionate rate': 905542, 'extortionate rate when': 293406, 'rate when this': 697412, 'blow over we': 133345, 'we should aim': 973252, 'should aim to': 765483, 'aim to boycott': 39545, 'to boycott them': 901971, 'through retailer': 894645, 'retailer you': 719438, 'free become': 331671, 'become member': 120053, 'member now': 528135, 'up for every': 944929, 'for every time': 321182, 'shop online through': 760588, 'online through retailer': 609569, 'through retailer you': 894646, 'retailer you donate': 719439, 'you donate money': 1018336, 'completely free become': 192288, 'free become member': 331672, 'become member now': 120054, 'apply these': 82601, 'apply these tip': 82602, 'tip to ensure': 898928, 'ensure your online': 278137, 'shopping is covid': 763041, 'chief praised': 175957, 'praised grocery': 668887, 'and pledged': 69119, 'police chief praised': 662958, 'chief praised grocery': 175958, 'praised grocery store': 668888, 'staff and pledged': 792153, 'and pledged to': 69120, 'pledged to support': 660872, 'impressed and': 419442, 'why in': 991088, 'are retailer': 89665, 'retailer letting': 719234, 'letting hoarder': 487412, 'hoarder dictate': 399010, 'dictate their': 240506, 'not impressed and': 570079, 'impressed and why': 419443, 'and why in': 75627, 'why in the': 991090, 'world are retailer': 1009322, 'are retailer letting': 89666, 'retailer letting hoarder': 719235, 'letting hoarder dictate': 487413, 'hoarder dictate their': 399011, 'dictate their ability': 240507, 'ability to meet': 24394, 'consumer need why': 198203, 'need why were': 556216, 'why were there': 991543, 'were there no': 980251, 'there no control': 878803, 'animated': 76722, 'lyric': 507152, 'xxlfreshman2020': 1013930, 'hiphopmusic': 396958, 'forthelow': 329805, 'been pumping': 121741, 'out animated': 625712, 'animated lyric': 76723, 'lyric video': 507154, 'video crazy': 956697, 'quarantine hmu': 692261, 'hmu if': 398721, 'one xxlfreshman2020': 607517, 'xxlfreshman2020 xxl': 1013931, 'xxl hiphopmusic': 1013924, 'hiphopmusic pandemic': 396959, 'quarantine forthelow': 692208, 'forthelow hit': 329806, 'been pumping out': 121742, 'pumping out animated': 689131, 'out animated lyric': 625713, 'animated lyric video': 76724, 'lyric video crazy': 507155, 'video crazy in': 956698, 'crazy in quarantine': 215333, 'in quarantine hmu': 427182, 'quarantine hmu if': 692262, 'hmu if want': 398722, 'if want one': 415252, 'want one xxlfreshman2020': 965877, 'one xxlfreshman2020 xxl': 607518, 'xxlfreshman2020 xxl hiphopmusic': 1013932, 'xxl hiphopmusic pandemic': 1013925, 'hiphopmusic pandemic quarantine': 396960, 'pandemic quarantine forthelow': 636267, 'quarantine forthelow hit': 692209, 'forthelow hit me': 329807, 'hit me for': 398319, '2035': 14839, 'gate by': 344328, 'by 2035': 151591, '2035 there': 14840, 'be almost': 113568, 'no poor': 565143, 'country left': 210856, 'according to bill': 28522, 'to bill gate': 901816, 'bill gate by': 130581, 'gate by 2035': 344329, 'by 2035 there': 151592, '2035 there will': 14841, 'will be almost': 992353, 'be almost no': 113569, 'almost no poor': 46703, 'no poor country': 565144, 'poor country left': 664153, 'country left in': 210857, 'rightmove': 722484, 'say rightmove': 739106, 'rightmove warns': 722485, 'warns uk': 967307, 'market facing': 516368, 'sharp slowdown': 755707, 'slowdown via': 774477, 'do not say': 249835, 'not say rightmove': 571440, 'say rightmove warns': 739107, 'rightmove warns uk': 722486, 'warns uk property': 967308, 'property market facing': 684304, 'market facing sharp': 516369, 'facing sharp slowdown': 295590, 'sharp slowdown via': 755708, 'month me': 537853, 'used more': 949964, 'than liter': 840845, 'of antibacterial': 580237, 'than 500ml': 840270, '500ml of': 20114, 'sanitizer apart': 734476, 'those provided': 892374, 'by place': 153587, 'last one month': 480423, 'one month me': 606684, 'month me alone': 537854, 'me alone have': 522378, 'alone have used': 46860, 'have used more': 383482, 'used more than': 949965, 'more than liter': 540641, 'than liter of': 840846, 'liter of antibacterial': 494930, 'of antibacterial hand': 580238, 'antibacterial hand wash': 78364, 'wash and more': 967433, 'more than 500ml': 540570, 'than 500ml of': 840271, '500ml of alcohol': 20115, 'hand sanitizer apart': 375306, 'sanitizer apart from': 734477, 'apart from those': 81279, 'from those provided': 338031, 'those provided by': 892375, 'provided by place': 686576, 'by place have': 153588, 'place have been': 657482, 'been to what': 122233, 'to what about': 918506, 'have daily': 380176, 'food certainly': 313904, 'certainly beat': 170137, 'beat joining': 118529, 'mass supermarket': 519872, 'air minimal': 39764, 'contact stayathomechallenge': 200207, 'should have daily': 766070, 'have daily market': 380178, 'daily market for': 224691, 'market for food': 516410, 'for food certainly': 321568, 'food certainly beat': 313905, 'certainly beat joining': 170138, 'beat joining the': 118530, 'joining the mass': 466992, 'the mass supermarket': 860255, 'mass supermarket run': 519873, 'in the fresh': 429218, 'the fresh air': 855800, 'fresh air minimal': 332916, 'air minimal contact': 39765, 'minimal contact stayathomechallenge': 533048, 'boris to': 135497, 'to grant': 906982, 'grant interest': 362035, 'mortgage repayment': 541957, 'repayment holiday': 711488, 'homeless lpm': 402755, 'ask boris to': 95494, 'boris to grant': 135498, 'to grant interest': 906983, 'grant interest free': 362036, 'free mortgage repayment': 331990, 'mortgage repayment holiday': 541958, 'repayment holiday for': 711489, 'holiday for at': 400298, 'least month doe': 484559, 'want to drive': 966027, 'drive down housing': 259036, 'people homeless lpm': 648288, 'economy doe': 267809, 'doe eventually': 251385, 'eventually improve': 285159, 'improve big': 419517, 'tech saavy': 836141, 'saavy staff': 728990, 'the economy doe': 853960, 'economy doe eventually': 267811, 'doe eventually improve': 251386, 'eventually improve big': 285160, 'improve big tech': 419518, 'the tech saavy': 869227, 'tech saavy staff': 836142, 'saavy staff that': 728991, 'staff that you': 792936, 'dettol and': 239517, 'etc make': 282650, 'make note': 510251, 'avoid ever': 105089, 'ever using': 285573, 'lifetime rees': 489405, 've seen some': 953548, 'seen some smaller': 747248, 'smaller shop putting': 775298, 'price for thing': 674065, 'thing like dettol': 884542, 'like dettol and': 490116, 'dettol and soap': 239518, 'and soap etc': 71863, 'soap etc make': 778993, 'etc make note': 282651, 'make note of': 510252, 'note of these': 572772, 'these shop and': 880673, 'shop and avoid': 759837, 'and avoid ever': 58565, 'avoid ever using': 105090, 'ever using them': 285574, 'using them again': 950736, 'them again in': 875327, 'my lifetime rees': 549056, 'lifetime rees mogg': 489406, 'myself until': 550962, 'woman walked': 1003657, 'and stood': 72464, 'stood right': 804385, 'distance myself until': 246773, 'myself until woman': 550963, 'until woman walked': 943936, 'woman walked up': 1003658, 'walked up and': 964987, 'up and stood': 944375, 'and stood right': 72465, 'stood right behind': 804386, 'right behind me': 721812, 'she wa watching': 756434, 'wa watching the': 963666, 'news and asked': 560224, 'her to take': 392475, 'crappie': 214923, 'crappiefishing': 214926, 'springdale': 791274, 'problem socialdistancing': 679673, 'socialdistancing crappie': 780301, 'crappie crappiefishing': 214924, 'crappiefishing fishing': 214927, 'fishing springdale': 309414, 'springdale arkansas': 791275, 'store line no': 808756, 'line no problem': 493283, 'no problem socialdistancing': 565199, 'problem socialdistancing crappie': 679674, 'socialdistancing crappie crappiefishing': 780302, 'crappie crappiefishing fishing': 214925, 'crappiefishing fishing springdale': 214928, 'fishing springdale arkansas': 309415, 'like lot': 490679, 'you kind': 1019465, 'of freaked': 583907, 'nervous too': 557481, 'measure work': 525435, 'work told': 1005924, 'told through': 923741, 'through stick': 894691, 'stick figure': 800025, 'figure sound': 305233, 'sound effect': 786279, 'own voice': 632292, 'know like lot': 476572, 'like lot of': 490680, 'of you kind': 593398, 'you kind of': 1019466, 'kind of freaked': 474896, 'of freaked out': 583908, 'freaked out and': 331522, 'out and nervous': 625680, 'and nervous too': 67522, 'nervous too but': 557482, 'too but then': 924631, 'but then remember': 147447, 'then remember this': 877473, 'protect and this': 684785, 'is why this': 453981, 'why this kind': 991473, 'kind of extreme': 474893, 'of extreme measure': 583351, 'extreme measure work': 293819, 'measure work told': 525436, 'work told through': 1005925, 'told through stick': 923742, 'through stick figure': 894692, 'stick figure sound': 800026, 'figure sound effect': 305234, 'sound effect and': 786280, 'effect and my': 268968, 'and my own': 67383, 'my own voice': 549663, 'professor just': 682561, 'just discover': 468600, 'discover about': 244646, 'about tesco': 26310, 'website should': 975414, 'should cry': 765889, '19 never': 8764, 'never happen': 558043, 'happen think': 377167, 'won know': 1003854, 'dad who is': 224409, 'is professor just': 451072, 'professor just discover': 682562, 'just discover about': 468601, 'discover about tesco': 244647, 'about tesco online': 26311, 'shopping website should': 764362, 'website should cry': 975415, 'should cry or': 765890, 'cry or laugh': 219900, 'or laugh if': 615937, 'laugh if this': 481735, 'covid 19 never': 213471, '19 never happen': 8765, 'never happen think': 558044, 'happen think he': 377168, 'think he won': 885279, 'he won know': 385677, 'won know about': 1003855, 'know about tesco': 476224, 'day coughed': 227492, 'wa criminal': 961898, 'day coughed at': 227493, 'coughed at the': 208602, 'store and everyone': 806238, 'everyone looked at': 287169, 'me like wa': 523089, 'like wa criminal': 491745, 'work variable': 1005961, 'variable shift': 952533, 'supply from store': 825293, 'from store however': 337443, 'store however we': 808228, 'we work variable': 973951, 'work variable shift': 1005962, 'variable shift at': 952534, 'consumer worry': 199572, 'for advisor': 319050, 'advisor to': 33747, 'reassure them': 703200, 'consumer worry about': 199573, 'way for advisor': 969578, 'for advisor to': 319051, 'advisor to reassure': 33748, 'to reassure them': 912893, 'panhandler': 637229, 'grouped': 366985, 'in hunker': 423925, 'down mode': 256959, 'mode for': 535164, 'but venturing': 147684, '8th saw': 23256, 'saw more': 738177, 'more panhandler': 539979, 'panhandler type': 637230, 'type grouped': 937530, 'grouped up': 366986, 'more location': 539713, 'in midtown': 425309, 'midtown than': 530805, 'ever noticed': 285433, 'noticed before': 573432, 'been in hunker': 121352, 'in hunker down': 423926, 'hunker down mode': 411336, 'down mode for': 256960, 'mode for the': 535165, 'past week but': 643642, 'week but venturing': 976046, 'but venturing out': 147685, 'store today april': 810834, 'today april 8th': 919249, 'april 8th saw': 83523, '8th saw more': 23257, 'saw more panhandler': 738178, 'more panhandler type': 539980, 'panhandler type grouped': 637231, 'type grouped up': 937531, 'grouped up in': 366987, 'up in more': 945166, 'in more location': 425440, 'more location in': 539714, 'location in midtown': 498923, 'in midtown than': 425310, 'midtown than ever': 530806, 'than ever noticed': 840597, 'ever noticed before': 285434, 'noticed before the': 573433, 'adli': 32403, 'please intervene': 660119, 'intervene at': 442157, 'not re': 571213, 're filling': 698683, 'left sainsburys': 485623, 'sainsburys lidl': 731764, 'lidl adli': 488274, 'please intervene at': 660120, 'intervene at how': 442158, 'at how supermarket': 99233, 'how supermarket are': 408763, 'supermarket are dealing': 819152, 'dealing with empty': 229661, 'empty shelf every': 275061, 'shelf every where': 757057, 'every where supermarket': 286379, 'where supermarket are': 985193, 'are not re': 88451, 'not re filling': 571214, 're filling their': 698684, 'filling their shelf': 305632, 'their shelf to': 874686, 'shelf to force': 757700, 'force people buy': 328478, 'people buy whatever': 647338, 'buy whatever is': 149460, 'is left sainsburys': 449276, 'left sainsburys lidl': 485624, 'sainsburys lidl adli': 731765, 'mrps': 544462, 'imposed price': 419305, 'cap mask': 162429, 'sanitisers are': 734065, 'the mrps': 861117, 'mrps coronalockdown': 544463, 'coronalockdown more': 205037, 'more news': 539839, 'despite the government': 238886, 'government imposed price': 360210, 'imposed price cap': 419306, 'price cap mask': 673073, 'cap mask and': 162430, 'and sanitisers are': 70836, 'sanitisers are either': 734066, 'are either out': 86095, 'market or being': 516817, 'or being sold': 614537, 'at price above': 100197, 'price above the': 672195, 'above the mrps': 27108, 'the mrps coronalockdown': 861118, 'mrps coronalockdown more': 544464, 'coronalockdown more news': 205038, 'angola': 76443, 'snuffed': 776428, 'angola nascent': 76444, 'nascent reform': 551984, 'reform in': 706721, 'oil banking': 596635, 'sector risk': 744316, 'being snuffed': 125810, 'snuffed out': 776429, 'angola nascent reform': 76445, 'nascent reform in': 551985, 'reform in the': 706723, 'the oil banking': 862105, 'oil banking and': 596636, 'banking and retail': 110408, 'retail sector risk': 718531, 'sector risk being': 744317, 'risk being snuffed': 723414, 'being snuffed out': 125811, 'snuffed out by': 776430, 'the coronavirus hit': 851867, 'coronavirus hit on': 206084, 'hit on oil': 398355, 'and export to': 62534, 'export to china': 292721, 'store big': 806728, 'amazon wal': 51179, 'could force': 209191, 'force 15': 328321, 'hr min': 409640, 'leave benefit': 484755, 'benefit quickly': 127068, 'national strike': 552624, 'strike no': 813753, 'for election': 321000, 'hope fightfor15': 403472, 'to me grocery': 909929, 'me grocery store': 522843, 'grocery store big': 365246, 'store big chain': 806729, 'big chain restaurant': 129691, 'chain restaurant and': 171049, 'restaurant and amazon': 716271, 'and amazon wal': 58051, 'amazon wal mart': 51180, 'mart worker could': 518074, 'worker could force': 1006703, 'could force 15': 209192, 'force 15 hr': 328322, '15 hr min': 3735, 'hr min wage': 409641, 'min wage and': 532586, 'wage and paid': 963815, 'and paid leave': 68630, 'paid leave benefit': 634052, 'leave benefit quickly': 484756, 'benefit quickly with': 127069, 'quickly with national': 694643, 'with national strike': 999679, 'national strike no': 552625, 'strike no need': 813754, 'wait for election': 964114, 'for election and': 321001, 'election and hope': 271014, 'and hope fightfor15': 64713, 'update commissioner': 946906, 'update commissioner nikki': 946907, 'meal website amid': 524298, 'website amid covid': 975188, 'lipbalm': 494057, 'currently get': 221542, 'free anti': 331654, 'viral lip': 957600, 'lip body': 494046, 'body balm': 133827, 'balm for': 109112, 'every ten': 286283, 'ten pound': 837803, 'pound you': 667413, 'spend in': 788618, 'shop environment': 760139, 'environment antiviral': 279082, 'antiviral lipbalm': 78593, 'lipbalm beatcovid19': 494058, 'beatcovid19 shopping': 118599, 'shopping beauty': 762170, 'can currently get': 158035, 'currently get free': 221543, 'get free anti': 347089, 'free anti viral': 331655, 'anti viral lip': 78340, 'viral lip body': 957601, 'lip body balm': 494047, 'body balm for': 133828, 'balm for every': 109113, 'for every ten': 321180, 'every ten pound': 286284, 'ten pound you': 837804, 'pound you spend': 667414, 'you spend in': 1021321, 'spend in our': 788619, 'in our online': 426321, 'online shop environment': 608976, 'shop environment antiviral': 760140, 'environment antiviral lipbalm': 279083, 'antiviral lipbalm beatcovid19': 78594, 'lipbalm beatcovid19 shopping': 494059, 'beatcovid19 shopping beauty': 118600, 'country unusual': 211198, 'unusual hike': 943986, 'outbreak milk': 628453, 'vegetable wheat': 954125, 'wheat product': 983012, 'now short': 575812, 'market corona': 516223, 'corona coronaoutbreak': 203885, 'coronaoutbreak quarantine': 205128, 'quarantine uae': 692663, 'massive shortage of': 520112, 'food item across': 315189, 'item across the': 463029, 'the country unusual': 852175, 'country unusual hike': 211199, 'unusual hike in': 943987, 'pandemic outbreak milk': 636132, 'outbreak milk vegetable': 628454, 'milk vegetable wheat': 531899, 'vegetable wheat product': 954126, 'wheat product are': 983013, 'product are now': 680945, 'are now short': 88595, 'now short in': 575813, 'short in market': 764628, 'in market corona': 425142, 'market corona coronaoutbreak': 516224, 'corona coronaoutbreak quarantine': 203886, 'coronaoutbreak quarantine uae': 205129, 'biter': 131886, 'woman biting': 1003423, 'biting her': 131894, 'her nail': 392221, 'no noo': 564880, 'noo from': 566770, 'former nail': 329648, 'nail biter': 551441, 'biter who': 131887, 'ha glorious': 370716, 'glorious pandemic': 352512, 'pandemic nail': 636001, 'nail right': 551454, 'way see': 969857, 'see nearly': 745471, 'the woman biting': 871662, 'woman biting her': 1003424, 'biting her nail': 131895, 'her nail in': 392222, 'nail in the': 551449, 'store just no': 808620, 'just no noo': 469316, 'no noo from': 564881, 'noo from former': 566771, 'from former nail': 335542, 'former nail biter': 329649, 'nail biter who': 551442, 'biter who ha': 131888, 'who ha glorious': 988848, 'ha glorious pandemic': 370717, 'glorious pandemic nail': 352513, 'pandemic nail right': 636002, 'nail right now': 551455, 'the way see': 871182, 'way see nearly': 969858, 'see nearly everything': 745472, 'everything in life': 287849, 'whirlwind': 987755, 'routine should': 726531, 'include steaming': 431628, 'steaming your': 799301, 'nose with': 567944, 'spread like': 790607, 'like whirlwind': 491808, 'whirlwind because': 987756, 'people laugh': 648609, 'everytime go': 288153, 'daily routine should': 224790, 'routine should include': 726532, 'should include steaming': 766130, 'include steaming your': 431629, 'steaming your throat': 799302, 'your throat and': 1026153, 'throat and nose': 894232, 'and nose with': 67707, 'nose with not': 567945, 'with not wait': 999816, 'not wait till': 572423, '19 hit you': 7554, 'hit you if': 398520, 'you if it': 1019281, 'already in nigeria': 47469, 'nigeria it is': 562760, 'going to spread': 355716, 'to spread like': 915067, 'spread like whirlwind': 790608, 'like whirlwind because': 491809, 'whirlwind because see': 987757, 'see how people': 745243, 'how people laugh': 408503, 'people laugh at': 648610, 'laugh at me': 481708, 'at me everytime': 99704, 'me everytime go': 522706, 'everytime go into': 288154, 'into supermarket with': 443066, 'with my mask': 999637, 'is utterly': 453648, 'disgraceful have': 245326, 'paracetamol the': 641270, 'this is utterly': 888453, 'is utterly disgraceful': 453649, 'utterly disgraceful have': 951451, 'disgraceful have receipt': 245327, 'for paracetamol the': 324384, 'paracetamol the pharmacy': 641271, 'the pharmacy are': 863649, 'owned or run': 632349, 'or run this': 616934, 'run this can': 727833, 'this can only': 886685, 'currentstatus': 221728, 'currentstatus receiving': 221729, 'receiving live': 703782, 'neighbour currently': 557194, 'queue socialdistancing': 694062, 'lockdownuk but': 500399, 'thankful he': 841918, 'currentstatus receiving live': 221730, 'receiving live update': 703783, 'live update from': 496095, 'from my neighbour': 336519, 'my neighbour currently': 549440, 'neighbour currently in': 557195, 'currently in supermarket': 221571, 'supermarket queue socialdistancing': 822130, 'queue socialdistancing lockdownuk': 694063, 'socialdistancing lockdownuk but': 780501, 'lockdownuk but so': 500400, 'but so truly': 147078, 'truly thankful he': 933350, 'thankful he is': 841919, 'he is able': 385110, 'some shopping for': 783861, 'have no clean': 381616, 'no clean cloth': 563813, 'cloth to wear': 184116, 'the store coronacrisis': 868002, 'declining case': 231460, 'start to declining': 794577, 'to declining case': 904020, 'declining case stoppanicbuying': 231461, 'consumer retailtrends': 198800, 'retailtrends help': 719575, 'customer react': 222738, 'react quickly': 700138, 'meet today': 527637, 'demand see': 236181, 'insight cpg': 439521, 'cpg data': 214598, 'our retail impact': 624634, 'retail impact report': 718197, 'impact report is': 417943, 'now available we': 574163, 'available we re': 104693, 're tracking the': 699730, 'sector to anticipate': 744363, 'to anticipate consumer': 900597, 'anticipate consumer retailtrends': 78428, 'consumer retailtrends help': 198801, 'retailtrends help customer': 719576, 'help customer react': 389560, 'customer react quickly': 222739, 'react quickly to': 700139, 'quickly to meet': 694628, 'to meet today': 910061, 'meet today demand': 527638, 'today demand see': 919437, 'demand see our': 236182, 'latest insight cpg': 481407, 'insight cpg data': 439522, 'said sorry': 731366, 'someone because': 784382, 'because might': 119243, 've accidentally': 952802, 'accidentally stepped': 28411, 'stepped within': 799789, 'their metre': 873959, 'metre radius': 529863, 'radius for': 695486, 'then felt': 877167, 'felt moment': 303426, 'canadian pride': 160732, 'pride for': 678016, 'for discovering': 320742, 'new opportunity': 559221, 'to apologize': 900640, 'apologize to': 81643, 'to total': 917643, 'store said sorry': 809960, 'said sorry to': 731367, 'sorry to someone': 786098, 'to someone because': 914902, 'someone because might': 784383, 'because might ve': 119244, 'might ve accidentally': 531157, 've accidentally stepped': 952803, 'accidentally stepped within': 28412, 'stepped within their': 799790, 'within their metre': 1002444, 'their metre radius': 873960, 'metre radius for': 529864, 'radius for second': 695487, 'for second and': 325406, 'second and then': 743659, 'and then felt': 73759, 'then felt moment': 877168, 'felt moment of': 303427, 'moment of canadian': 536012, 'of canadian pride': 581095, 'canadian pride for': 160733, 'pride for discovering': 678017, 'for discovering new': 320743, 'discovering new opportunity': 244719, 'new opportunity to': 559223, 'opportunity to apologize': 613694, 'to apologize to': 900642, 'apologize to total': 81644, 'to total stranger': 917644, 'fayz': 300632, 'fayz tv': 300633, 'tv with': 936223, 'with make': 999364, 'make repost': 510400, 'repost it': 712822, 'fayz tv with': 300634, 'tv with make': 936224, 'with make repost': 999365, 'make repost it': 510401, 'repost it plea': 712823, 'supermarket shopper to': 822622, 'shopper to stop': 761775, 'stop hoarding stock': 804741, 'hoarding stock and': 399537, 'stock and panicking': 801825, 'together stop': 920959, 'greedy there': 363624, 'this together stop': 890785, 'together stop being': 920960, 'being so damn': 125814, 'so damn selfish': 776837, 'damn selfish and': 225425, 'selfish and greedy': 747984, 'and greedy there': 63951, 'greedy there is': 363625, 'for it stop': 322737, 'it stop it': 461272, 'yall panicking': 1014086, 'about touching': 26765, 'touching people': 926706, 'or shelf': 617042, 'store yet': 811675, 'holding that': 400170, 'or basket': 614501, 'handle like': 376226, 'like youre': 491895, 'else corona': 271669, 'corona itscoronatime': 204027, 'itscoronatime washyourhands': 463909, 'yall panicking about': 1014087, 'panicking about touching': 639314, 'about touching people': 26766, 'touching people or': 926707, 'people or shelf': 649002, 'or shelf etc': 617043, 'shelf etc at': 757048, 'etc at the': 282432, 'grocery store yet': 365980, 'store yet you': 811676, 'yet you are': 1016340, 'you are holding': 1017141, 'are holding that': 87224, 'holding that grocery': 400171, 'that grocery cart': 844085, 'grocery cart or': 364345, 'cart or basket': 165347, 'or basket handle': 614502, 'basket handle like': 112344, 'handle like youre': 376227, 'like youre in': 491896, 'youre in relationship': 1026419, 'in relationship with': 427373, 'relationship with it': 708713, 'with it leave': 999074, 'it leave food': 459324, 'everyone else corona': 286849, 'else corona itscoronatime': 271670, 'corona itscoronatime washyourhands': 204028, 'made apartment': 507638, 'apartment searching': 81420, 'searching bitch': 743319, 'bitch leasing': 131765, 'leasing office': 484317, 'view place': 957148, 'my lease': 548997, 'lease is': 484292, 'may so': 521511, 'get those': 348418, 'those check': 891867, 'check so': 174618, 'can bounce': 157783, 'ha made apartment': 371204, 'made apartment searching': 507639, 'apartment searching bitch': 81421, 'searching bitch leasing': 743320, 'bitch leasing office': 131766, 'leasing office are': 484318, 'office are closed': 595366, 'closed so can': 183336, 'so can view': 776731, 'can view place': 160120, 'view place or': 957149, 'place or get': 657627, 'or get real': 615434, 'get real price': 347892, 'real price my': 701314, 'price my lease': 675299, 'my lease is': 548998, 'lease is up': 484293, 'up in may': 945165, 'in may so': 425197, 'may so hopefully': 521512, 'so hopefully it': 777324, 'hopefully it over': 403862, 'it over by': 460206, 'over by then': 630059, 'by then and': 154506, 'then and we': 876991, 'and we get': 75294, 'we get those': 971633, 'get those check': 348419, 'those check so': 891868, 'check so can': 174619, 'so can bounce': 776703, 'houmous': 405337, 'guacamole': 367681, 'serious went': 751512, 'buyer had': 149654, 'the houmous': 857575, 'houmous and': 405338, 'the guacamole': 856897, 'guacamole fear': 367682, 'it double': 457684, 'pandemic is getting': 635771, 'getting serious went': 349262, 'serious went to': 751513, 'panic buyer had': 637579, 'buyer had bought': 149655, 'of the houmous': 591109, 'the houmous and': 857576, 'houmous and all': 405339, 'of the guacamole': 591083, 'the guacamole fear': 856898, 'guacamole fear that': 367683, 'that it double': 844702, 'it double dip': 457685, 'paper company': 640038, 'seattle that': 743571, 'seen major': 747128, 'major uptick': 509523, 'made massive': 507831, 'massive donation': 520015, 'get tp': 348530, 'tp to': 927984, 'also gone': 48277, 'gone tree': 356406, 'tree free': 931186, 'explain 14': 292097, 'there is direct': 878548, 'is direct to': 447186, 'to consumer toilet': 903343, 'consumer toilet paper': 199337, 'toilet paper company': 921234, 'paper company in': 640039, 'company in seattle': 190771, 'in seattle that': 427764, 'seattle that ha': 743572, 'ha seen major': 371834, 'seen major uptick': 747129, 'major uptick in': 509524, 'business since they': 144385, 'since they ve': 770934, 've made massive': 953360, 'made massive donation': 507832, 'massive donation to': 520016, 'donation to get': 254708, 'to get tp': 906630, 'get tp to': 348531, 'tp to community': 927985, 'need they ve': 555804, 've also gone': 952830, 'also gone tree': 48278, 'gone tree free': 356407, 'tree free we': 931187, 'free we ll': 332310, 'we ll explain': 972249, 'll explain 14': 496749, 'buying enough': 150223, 'panic buying enough': 637716, 'buying enough food': 150224, 'stock available say': 801897, 'really liked': 702380, 'liked you': 491917, 'mf next': 530062, 'anyway socialdistance': 81033, 'socialdistance 19': 780130, 'starting to like': 795029, 'to like this': 909278, 'like this social': 491529, 'distancing thing never': 247548, 'thing never really': 884618, 'never really liked': 558154, 'really liked you': 702382, 'liked you mf': 491918, 'you mf next': 1019847, 'mf next to': 530063, 'supermarket anyway socialdistance': 819132, 'anyway socialdistance 19': 81034, 'socialdistance 19 wednesdaythoughts': 780131, 'gamechanger': 343311, 'iit': 416002, 'gamechanger how': 343312, 'made iit': 507784, 'iit delhi': 416003, 'delhi chemistry': 232881, 'chemistry lab': 175471, 'lab staff': 478283, 'staff start': 792884, 'own education': 631959, 'education today': 268876, 'gamechanger how the': 343313, 'how the hand': 408833, 'sanitizer shortage made': 735735, 'shortage made iit': 765064, 'made iit delhi': 507785, 'iit delhi chemistry': 416004, 'delhi chemistry lab': 232882, 'chemistry lab staff': 175472, 'lab staff start': 478284, 'staff start making': 792885, 'start making their': 794384, 'their own education': 874169, 'own education today': 631960, 'education today news': 268877, 'article dat': 94300, 'dat said': 226102, 'said sum': 731381, 'sum teen': 817876, 'teen were': 836514, 'were coughing': 979488, 'on da': 600201, 'da produce': 224231, 'hope dey': 403447, 'dey find': 240025, 'find em': 306883, 'em make': 272071, 'dem serve': 234882, 'serve atleast': 751868, 'atleast full': 101885, 'year dat': 1014508, 'dat really': 226100, 'really being': 702023, 'nice cuz': 562383, 'cuz wat': 223828, 'wat if': 968333, 'of dem': 582493, 'dem got': 234869, 'an article dat': 55418, 'article dat said': 94301, 'dat said sum': 226103, 'said sum teen': 731382, 'sum teen were': 817877, 'teen were coughing': 836515, 'were coughing on': 979489, 'coughing on da': 208716, 'on da produce': 600202, 'da produce in': 224232, 'are in hope': 87396, 'in hope dey': 423800, 'hope dey find': 403448, 'dey find em': 240026, 'find em make': 306884, 'em make dem': 272072, 'make dem serve': 509826, 'dem serve atleast': 234883, 'serve atleast full': 751869, 'atleast full year': 101886, 'full year dat': 340987, 'year dat really': 1014509, 'dat really being': 226101, 'really being nice': 702024, 'being nice cuz': 125453, 'nice cuz wat': 562384, 'cuz wat if': 223829, 'wat if one': 968335, 'one of dem': 606738, 'of dem got': 582494, 'telecommuters': 836710, 'for telecommuters': 326177, 'telecommuters to': 836711, 'cautious while': 168238, 'ftc ha advice': 339405, 'ha advice for': 369455, 'advice for telecommuters': 33376, 'for telecommuters to': 326178, 'telecommuters to be': 836712, 'to be cautious': 901158, 'be cautious while': 114036, 'cautious while working': 168239, 'while working from': 987577, 'low these': 505674, 'these banker': 879671, 'banker would': 110397, 'be panicking': 116355, 'panicking with': 639394, 'so low these': 777613, 'low these banker': 505675, 'these banker would': 879672, 'banker would be': 110398, 'would be panicking': 1011629, 'be panicking with': 116356, 'panicking with or': 639395, 'includes priority': 431802, 'priority home': 678580, 'special designated': 787887, 'information check': 437780, 'website woolies': 975494, 'woolies cole': 1004369, 'cole aldi': 185835, 'aldi iga': 41274, 'this includes priority': 888078, 'includes priority home': 431803, 'priority home delivery': 678581, 'delivery and special': 233678, 'and special designated': 72065, 'special designated shopping': 787888, 'hour for more': 405608, 'more information check': 539581, 'information check out': 437781, 'check out supermarket': 174579, 'out supermarket website': 627281, 'supermarket website woolies': 823770, 'website woolies cole': 975495, 'woolies cole aldi': 1004370, 'cole aldi iga': 185836, 'suffering through': 817342, 'through plunge': 894634, 'oilprices caused': 597662, 'glut with': 353112, 'with crudeoil': 997868, '60 this': 21019, 'year oilpricewar': 1014805, 'energy company are': 276409, 'company are suffering': 190454, 'are suffering through': 90634, 'suffering through plunge': 817343, 'through plunge in': 894635, 'plunge in oilprices': 661437, 'in oilprices caused': 426093, 'oilprices caused by': 597663, 'pandemic and supply': 634906, 'and supply glut': 72790, 'supply glut with': 825321, 'glut with crudeoil': 353113, 'with crudeoil price': 997869, 'crudeoil price down': 219651, 'price down more': 673527, 'than 60 this': 840278, '60 this year': 21020, 'this year oilpricewar': 891584, 'propertyinvestment': 684378, 'mortgagebroker': 541970, 'fristhomebuyer': 334091, 'market transformation': 517256, 'transformation from': 929564, 'from bust': 334759, 'bust to': 144831, 'boom can': 134801, 'be attributed': 113745, 'credit via': 216551, 'via new': 956098, 'daily propertyinvestment': 224755, 'propertyinvestment realestate': 684381, 'realestate mortgagebroker': 701499, 'mortgagebroker fristhomebuyer': 541971, 'of the australian': 590809, 'property market transformation': 684310, 'market transformation from': 517257, 'transformation from bust': 929565, 'from bust to': 334760, 'bust to boom': 144832, 'to boom can': 901905, 'boom can be': 134802, 'can be attributed': 157587, 'be attributed to': 113746, 'supply of credit': 825619, 'of credit via': 582137, 'credit via new': 216552, 'via new daily': 956099, 'new daily propertyinvestment': 558590, 'daily propertyinvestment realestate': 224756, 'propertyinvestment realestate mortgagebroker': 684382, 'realestate mortgagebroker fristhomebuyer': 701500, 'motorway': 543367, 'degraded': 232553, 'biota': 131268, '600k': 21124, 'society created': 781184, 'created systemic': 215904, 'very concrete': 955075, 'concrete motorway': 193340, 'motorway between': 543368, 'between some': 128897, 'some remote': 783726, 'remote corner': 710706, 'of degraded': 582474, 'degraded biota': 232554, 'biota and': 131269, 'door then': 255736, 'then someone': 877546, 'and knock': 65883, 'knock at': 476148, 'door there': 255738, 'are 600k': 84139, '600k zoonotic': 21125, 'zoonotic virus': 1027867, 'virus waiting': 958994, 'ride protect': 721459, 'protect nature': 684876, 'consumer society created': 199020, 'society created systemic': 781185, 'created systemic and': 215905, 'systemic and very': 831414, 'and very concrete': 74936, 'very concrete motorway': 955076, 'concrete motorway between': 193341, 'motorway between some': 543369, 'between some remote': 128898, 'some remote corner': 783727, 'remote corner of': 710707, 'corner of degraded': 203657, 'of degraded biota': 582475, 'degraded biota and': 232555, 'biota and our': 131270, 'and our front': 68489, 'front door then': 338532, 'door then someone': 255737, 'then someone just': 877547, 'someone just went': 784543, 'just went in': 470277, 'in and knock': 420371, 'and knock at': 65884, 'knock at the': 476149, 'the door there': 853587, 'door there are': 255739, 'there are 600k': 878056, 'are 600k zoonotic': 84140, '600k zoonotic virus': 21126, 'zoonotic virus waiting': 1027868, 'virus waiting to': 958995, 'waiting to hitch': 964406, 'hitch ride protect': 398531, 'ride protect nature': 721460, '955': 23640, '0764': 1042, 'gouged the': 359204, 'da bureau': 224219, 'of investigation': 585279, 'investigation have': 443872, 'up hotline': 945111, 'suspected price': 829532, 'protection price': 685576, 'price hotline': 674578, 'hotline 951': 405241, '951 955': 23623, '955 0764': 23641, '0764 or': 1043, 'out complain': 625869, 'complain form': 191857, 'price gouged the': 674237, 'gouged the da': 359205, 'the da bureau': 852766, 'da bureau of': 224220, 'bureau of investigation': 142797, 'of investigation have': 585280, 'investigation have set': 443873, 'set up hotline': 753561, 'up hotline to': 945112, 'to report suspected': 913286, 'report suspected price': 712292, 'suspected price gouging': 829533, 'gouging it relates': 359371, 'relates to covid': 708643, 'can call their': 157854, 'their consumer protection': 872863, 'consumer protection price': 198552, 'protection price hotline': 685577, 'price hotline 951': 674579, 'hotline 951 955': 405242, '951 955 0764': 23624, '955 0764 or': 23642, '0764 or fill': 1044, 'fill out complain': 305477, 'out complain form': 625870, 'by illustrates': 152866, 'facing right': 295575, 'policy resource': 663484, 'on donating': 600387, 'donating excess': 254450, 'article by illustrates': 94281, 'by illustrates the': 152867, 'illustrates the increased': 416447, 'are facing right': 86427, 'facing right now': 295576, 'now see our': 575749, 'see our list': 745529, 'list of law': 494450, 'of law and': 585735, 'law and policy': 482212, 'and policy resource': 69168, 'policy resource on': 663485, 'resource on donating': 714844, 'on donating excess': 600388, 'donating excess food': 254451, 'excess food to': 289342, 'food to emergency': 317247, 'food assistance program': 313431, 'shutdownsouthafrica': 768148, 'stop say': 804973, 'reach township': 700010, 'township it': 927617, 'bad doesn': 107831, 'discriminate if': 244792, 'if pres': 414680, 'pres announce': 670439, 'announce shutdownsouthafrica': 76871, 'shutdownsouthafrica now': 768149, 'be stampede': 117344, 'stampede ppl': 793446, 'ppl should stop': 668326, 'should stop say': 766521, 'stop say if': 804974, 'say if should': 738786, 'if should reach': 414805, 'should reach township': 766371, 'reach township it': 700011, 'township it going': 927618, 'going to bad': 355529, 'to bad doesn': 900984, 'bad doesn discriminate': 107832, 'doesn discriminate if': 251752, 'discriminate if pres': 244793, 'if pres announce': 414681, 'pres announce shutdownsouthafrica': 670440, 'announce shutdownsouthafrica now': 76872, 'shutdownsouthafrica now the': 768150, 'now the will': 576080, 'will be stampede': 992696, 'be stampede ppl': 117345, 'stampede ppl rushing': 793447, 'ppl rushing to': 668318, 'up food let': 944889, 'food let be': 315300, 'crude ha': 219539, '25 bbl': 15848, 'bbl here': 113177, 'russian spat': 728676, 'spat that': 787644, 'that sparked': 846425, 'sparked this': 787594, 'decline affect': 231294, 'affect texas': 34232, 'texas crude ha': 839756, 'crude ha dropped': 219540, 'ha dropped below': 370458, 'dropped below 25': 260543, 'below 25 bbl': 126567, '25 bbl here': 15849, 'bbl here my': 113178, 'story on what': 812092, 'saudi russian spat': 737307, 'russian spat that': 728677, 'spat that sparked': 787645, 'that sparked this': 846426, 'sparked this and': 787595, 'how the oil': 408858, 'price decline affect': 673398, 'decline affect texas': 231295, 'affect texas rainy': 34233, 'realtalc': 702753, 'swear will': 830046, 'take walking': 832785, 'without line': 1002764, 'granted again': 362059, 'again whencoronavirusisover': 37269, 'whencoronavirusisover supermarket': 984649, 'supermarket realtalc': 822173, 'swear will not': 830047, 'not take walking': 571910, 'take walking into': 832786, 'into supermarket without': 443067, 'supermarket without line': 823953, 'without line for': 1002765, 'line for granted': 493104, 'for granted again': 321987, 'granted again whencoronavirusisover': 362060, 'again whencoronavirusisover supermarket': 37270, 'whencoronavirusisover supermarket realtalc': 984650, 'took look': 925277, 'at ebay': 98515, 'roll watched': 725587, 'watched an': 968648, 'an auction': 55471, 'auction live': 102854, 'live nearly': 495931, 'nearly spat': 553859, 'spat my': 787638, 'my dinner': 547989, 'out 14': 625522, '14 bid': 3425, 'bid 100': 129458, '24 bog': 15571, 'roll nutter': 725408, 'nutter clown': 577779, 'clown panicbuying': 184375, 'just took look': 470132, 'took look at': 925278, 'look at ebay': 502261, 'at ebay to': 98516, 'ebay to see': 266496, 'see how crazy': 745222, 'how crazy people': 407643, 'crazy people in': 215386, 'uk are for': 938190, 'are for bog': 86644, 'bog roll watched': 133964, 'roll watched an': 725588, 'watched an auction': 968649, 'an auction live': 55472, 'auction live nearly': 102855, 'live nearly spat': 495932, 'nearly spat my': 553860, 'spat my dinner': 787639, 'my dinner out': 547990, 'dinner out 14': 243083, 'out 14 bid': 625523, '14 bid 100': 3426, 'bid 100 for': 129459, '100 for 24': 1901, 'for 24 bog': 318773, '24 bog roll': 15572, 'bog roll nutter': 133958, 'roll nutter clown': 725409, 'nutter clown panicbuying': 577780, 'clown panicbuying toiletpaper': 184376, 'trump asked': 933419, 'asked russia': 95819, 'make oil': 510259, 'get cheap': 346761, 'oil from': 596816, 'from saudi': 337163, 'saudi instead': 737275, 'oil due': 596759, 'both russia': 136034, 'help trump': 390817, 'trump win': 933985, 'win 2020': 995529, '2020 election': 14288, 'election when': 271071, 'he show': 385442, 'american cheap': 51861, 'trump asked russia': 933420, 'asked russia and': 95820, 'saudi to make': 737312, 'to make oil': 909706, 'make oil war': 510260, 'oil war so': 597505, 'war so he': 966541, 'so he get': 777273, 'he get cheap': 384984, 'get cheap oil': 346762, 'cheap oil from': 174156, 'oil from saudi': 596817, 'from saudi instead': 337164, 'saudi instead of': 737276, 'usa oil due': 948709, 'oil due to': 596760, 'to 19 both': 899536, '19 both russia': 5427, 'both russia and': 136035, 'saudi are working': 737245, 'hard in this': 377947, 'this war to': 891103, 'war to help': 966567, 'to help trump': 907655, 'help trump win': 390818, 'trump win 2020': 933986, 'win 2020 election': 995530, '2020 election when': 14289, 'election when he': 271072, 'when he show': 983544, 'he show american': 385443, 'show american cheap': 766855, 'american cheap oil': 51862, 'oil price be': 597057, 'price be careful': 672857, 'here panic': 393441, 'sat and': 736888, 'bought bunch': 136523, 'new collab': 558494, 'collab work': 185904, 'as you': 94837, 'everyone out here': 287246, 'out here panic': 626291, 'here panic buying': 393442, 'roll and ve': 725191, 'and ve just': 74850, 've just sat': 953308, 'just sat and': 469679, 'sat and panic': 736889, 'panic bought bunch': 637418, 'bought bunch of': 136524, 'any new collab': 79507, 'new collab work': 558495, 'collab work but': 185905, 'bet your as': 128133, 'your as you': 1022856, 'as you ll': 94838, 'still be getting': 800253, 'be getting the': 115013, 'getting the hottest': 349347, 'givemestrength': 350932, 'now woman': 576463, 'glove wiping': 353041, 'grocery she': 364951, 'she place': 756264, 'place them': 657728, 'then delf': 877112, 'delf in': 232861, 'answer mobile': 78081, 'mobile hold': 534979, 'face still': 294776, 'still wearing': 801400, 'glove givemestrength': 352698, 'seen it all': 747099, 'it all now': 456362, 'all now woman': 43667, 'now woman in': 576464, 'supermarket wearing glove': 823763, 'wearing glove wiping': 974648, 'glove wiping down': 353042, 'wiping down grocery': 996513, 'down grocery she': 256808, 'grocery she place': 364952, 'she place them': 756265, 'place them in': 657729, 'them in trolley': 875923, 'in trolley then': 430293, 'trolley then delf': 932481, 'then delf in': 877113, 'delf in bag': 232862, 'in bag to': 420664, 'bag to answer': 108422, 'to answer mobile': 900584, 'answer mobile hold': 78082, 'mobile hold to': 534980, 'hold to side': 400034, 'to side of': 914626, 'side of her': 768847, 'of her face': 584572, 'her face still': 392035, 'face still wearing': 294777, 'still wearing glove': 801401, 'wearing glove givemestrength': 974633, 'heroically': 394206, 'camo': 157155, 'men doing': 528477, 'lockdown changed': 499233, 'changed boring': 172445, 'boring chore': 135432, 'chore ie': 178007, 'ie woman': 413755, 'woman work': 1003705, 'work into': 1005362, 'into heroically': 442624, 'heroically important': 394207, 'important hunter': 418824, 'hunter gathering': 411389, 'gathering trip': 344523, 'full hunter': 340632, 'hunter style': 411397, 'style camo': 815594, 'camo head': 157156, 'many men doing': 514278, 'men doing the': 528478, 'food shop today': 316497, 'shop today in': 760966, 'in supermarket ha': 428612, 'supermarket ha lockdown': 820635, 'ha lockdown changed': 371171, 'lockdown changed boring': 499234, 'changed boring chore': 172446, 'boring chore ie': 135433, 'chore ie woman': 178008, 'ie woman work': 413756, 'woman work into': 1003706, 'work into heroically': 1005363, 'into heroically important': 442625, 'heroically important hunter': 394208, 'important hunter gathering': 418825, 'hunter gathering trip': 411390, 'gathering trip out': 344524, 'trip out one': 932136, 'out one guy': 626932, 'one guy wa': 606382, 'guy wa in': 369194, 'wa in full': 962367, 'in full hunter': 423166, 'full hunter style': 340633, 'hunter style camo': 411398, 'style camo head': 815595, 'camo head to': 157157, 'lund': 506773, 'sculpture': 742967, 'closed summit': 183351, 'county people': 211468, 'business preparing': 144250, 'for utah': 327505, 'utah first': 951188, 'first stay': 309023, 'packed lund': 633623, 'lund art': 506774, 'art sculpture': 94193, 'sculpture gift': 742968, 'gift is': 349995, 'closed while': 183439, 'tough on': 926821, 'he support': 385491, 'closed summit county': 183352, 'summit county people': 818038, 'county people business': 211469, 'people business preparing': 647315, 'business preparing for': 144251, 'preparing for utah': 670341, 'for utah first': 327506, 'utah first stay': 951189, 'first stay at': 309024, 'home order grocery': 401774, 'store manager telling': 808892, 'telling me the': 837230, 'me the store': 523662, 'store are packed': 806508, 'are packed lund': 88947, 'packed lund art': 633624, 'lund art sculpture': 506775, 'art sculpture gift': 94194, 'sculpture gift is': 742969, 'gift is closed': 349996, 'is closed while': 446594, 'closed while this': 183440, 'is tough on': 453317, 'tough on business': 926822, 'on business the': 599742, 'business the owner': 144503, 'owner say he': 632564, 'say he support': 738736, 'he support this': 385492, 'support this decision': 826924, 'america myself': 51618, 'truck driving': 932806, 'driving brother': 259902, 'brother are': 141033, 'work bringing': 1004950, 'town long': 927507, 'moving there': 544197, 'stop then': 805167, 'dear america myself': 229741, 'america myself and': 51619, 'myself and million': 550821, 'million of my': 532278, 'of my truck': 586824, 'my truck driving': 550435, 'truck driving brother': 932807, 'driving brother are': 259903, 'brother are hard': 141034, 'are hard at': 87013, 'at work bringing': 101593, 'work bringing the': 1004951, 'bringing the thing': 140201, 'need to your': 556121, 'to your city': 918964, 'your city and': 1023227, 'city and town': 179056, 'and town long': 74328, 'town long we': 927508, 'long we are': 501831, 'are moving there': 88158, 'moving there no': 544198, 'to panic if': 911403, 'panic if we': 638190, 'we stop then': 973429, 'stop then you': 805168, 'you can panic': 1017740, 'can panic we': 159195, 'strasbourg': 812528, 'in strasbourg': 428487, 'strasbourg france': 812529, 'france said': 331022, 'take three': 832723, 'stock wtf': 803212, 'wtf thank': 1013323, 'you newyork': 1020088, 'newyork just': 561190, 'went food': 978996, 'friend in strasbourg': 333660, 'in strasbourg france': 428488, 'strasbourg france said': 812530, 'france said the': 331023, 'supermarket there have': 823276, 'there have no': 878467, 'no food they': 564277, 'food they said': 317176, 'will take three': 995083, 'take three day': 832724, 'three day to': 893919, 'day to re': 228580, 're stock wtf': 699610, 'stock wtf thank': 803213, 'wtf thank you': 1013324, 'thank you newyork': 841786, 'you newyork just': 1020089, 'newyork just went': 561191, 'just went food': 470275, 'went food shopping': 978997, 'savagery': 737443, 'stalking': 793351, 'totalitarian': 926281, 'barbarism': 110799, 'human savagery': 410606, 'savagery always': 737444, 'always stalking': 49748, 'stalking civilization': 793352, 'civilization the': 179600, 'is ripe': 451544, 'ripe for': 722684, 'for totalitarian': 327292, 'totalitarian government': 926282, 'government barbarism': 359923, 'barbarism putin': 110800, 'dream rt': 258617, 'rt rise': 726804, 'human savagery always': 410607, 'savagery always stalking': 737445, 'always stalking civilization': 49749, 'stalking civilization the': 793353, 'civilization the world': 179601, 'world is ripe': 1009717, 'is ripe for': 451545, 'ripe for totalitarian': 722685, 'for totalitarian government': 327293, 'totalitarian government barbarism': 926283, 'government barbarism putin': 359924, 'barbarism putin is': 110801, 'putin is having': 691031, 'is having dream': 448327, 'having dream rt': 384042, 'dream rt rise': 258618, 'rt rise fear': 726805, 'safety concern via': 730505, 'though wa': 892941, 'wa dreading': 962028, 'dreading it': 258584, 'somewhere besides': 785290, 'you know even': 1019496, 'know even though': 476367, 'even though wa': 284724, 'though wa dreading': 892942, 'wa dreading it': 962029, 'dreading it all': 258585, 'it all day': 456343, 'day because socialdistancing': 227359, 'because socialdistancing it': 119567, 'socialdistancing it felt': 780482, 'felt good to': 303389, 'to go somewhere': 906856, 'go somewhere besides': 354154, 'somewhere besides the': 785291, 'besides the grocery': 127525, 'thank or': 841615, 'even tip': 284729, 'worker chinesevirus': 1006637, 'chinesevirus flattenthecurve': 177437, 'flattenthecurve kimkardashianisoverparty': 310177, 'you thank or': 1021555, 'thank or even': 841616, 'or even tip': 615216, 'even tip grocery': 284730, 'store worker chinesevirus': 811467, 'worker chinesevirus flattenthecurve': 1006638, 'chinesevirus flattenthecurve kimkardashianisoverparty': 177438, 'flattenthecurve kimkardashianisoverparty animalcrossingnewhorizons': 310178, 'via dominicanrepublic': 955925, 'dominicanrepublic presidential': 253292, 'presidential minister': 670994, 'minister attribute': 533333, 'attribute high': 102740, 'item equipment': 463237, 'needed during': 556341, 'current international': 221239, 'war neoliberalism': 966488, 'via dominicanrepublic presidential': 955926, 'dominicanrepublic presidential minister': 253293, 'presidential minister attribute': 670995, 'minister attribute high': 533334, 'attribute high price': 102741, 'of item equipment': 585481, 'item equipment needed': 463238, 'equipment needed during': 279787, 'needed during the': 556342, 'pandemic to current': 636773, 'to current international': 903827, 'current international demand': 221240, 'international demand price': 441789, 'demand price war': 236071, 'price war neoliberalism': 677363, 'weather here': 974874, 'massachusetts wa': 519930, 'bad with': 108084, 'high wind': 395521, 'wind lot': 995627, 'heavy rain': 388655, 'rain getting': 695738, 'tomorrow grocery': 924096, 'massachusetts are': 519900, 'are recommended': 89508, '19 today but': 11467, 'today but the': 919338, 'but the weather': 147426, 'the weather here': 871255, 'weather here in': 974875, 'here in massachusetts': 393160, 'in massachusetts wa': 425181, 'massachusetts wa very': 519931, 'wa very bad': 963636, 'very bad with': 955004, 'bad with high': 108085, 'with high wind': 998809, 'high wind lot': 395523, 'wind lot of': 995628, 'lot of heavy': 504201, 'of heavy rain': 584528, 'heavy rain getting': 388656, 'rain getting tested': 695739, 'tested tomorrow grocery': 839387, 'tomorrow grocery employee': 924097, 'grocery employee all': 364489, 'employee all grocery': 273533, 'in massachusetts are': 425177, 'massachusetts are recommended': 519901, 'are recommended to': 89509, 'recommended to get': 704804, 'tested it free': 839317, 'coronaheroes': 204969, 'big of': 129880, 'of sacrifice': 589206, 'sacrifice think': 729112, 'think instead': 885308, 'medical pro': 526310, 'pro first': 679110, 'collector who': 186593, 'going lift': 355257, 'lift these': 489467, 'people up': 650054, 'prayer coronaheroes': 669055, 'coronaheroes grateful': 204970, 'that big of': 842986, 'big of sacrifice': 129881, 'of sacrifice think': 589207, 'sacrifice think instead': 729113, 'think instead of': 885309, 'the many hero': 860042, 'many hero medical': 514137, 'hero medical pro': 394040, 'medical pro first': 526311, 'pro first responder': 679111, 'store clerk garbage': 807009, 'garbage collector who': 343528, 'collector who treat': 186594, 'who treat the': 989826, 'treat the infected': 930891, 'infected and keep': 436529, 'and keep society': 65780, 'keep society going': 471951, 'society going lift': 781220, 'going lift these': 355258, 'lift these people': 489468, 'these people up': 880461, 'people up in': 650055, 'up in praise': 945172, 'in praise and': 426902, 'and prayer coronaheroes': 69325, 'prayer coronaheroes grateful': 669056, 'is cleaning': 446544, 'handle in': 376211, 'got trolley': 358993, 'trolley from': 932412, 'bay pushed': 112966, 'and upon': 74742, 'entering they': 278434, 'gave you': 344682, 'handle but': 376179, 'pushed him': 690363, 'outside with': 629642, 'handle so': 376257, '19 fucked': 7154, 'or is cleaning': 615830, 'is cleaning the': 446545, 'cleaning the trolley': 181104, 'the trolley handle': 870008, 'trolley handle in': 932426, 'handle in the': 376212, 'supermarket just stupid': 821231, 'just stupid so': 469921, 'stupid so went': 815464, 'so went and': 778702, 'and got trolley': 63869, 'got trolley from': 358994, 'trolley from the': 932413, 'from the bay': 337611, 'the bay pushed': 849362, 'bay pushed it': 112967, 'supermarket and upon': 819094, 'and upon entering': 74743, 'upon entering they': 947630, 'entering they gave': 278435, 'they gave you': 882155, 'gave you hand': 344683, 'you hand sanitizer': 1018992, 'for the handle': 326470, 'the handle but': 857071, 'handle but just': 376181, 'but just pushed': 146200, 'just pushed him': 469521, 'pushed him from': 690364, 'the outside with': 862750, 'outside with the': 629643, 'with the handle': 1001326, 'the handle so': 857075, 'handle so if': 376258, 'so if it': 777353, 'it wa covid': 462094, 'covid 19 fucked': 213130, '3mmi': 18353, '3mmi consumer': 18354, 'update what': 947315, 'what selling': 982149, 'now read': 575643, '3mmi consumer update': 18355, 'consumer update what': 199426, 'update what selling': 947316, 'what selling right': 982150, 'right now read': 722123, 'now read full': 575644, 'by plunging': 153595, 'rocked by plunging': 724938, 'by plunging oil': 153596, 'buy trolley': 149398, 'grocery maybe': 364716, 'for 17': 318686, 'year also': 1014377, 'our bread': 622262, 'bread ha': 138478, 'completely emptied': 192275, 'emptied every': 274680, 'week wtf': 977290, 'supermarket ha made': 820637, 'ha made me': 371212, 'made me realise': 507842, 'me realise how': 523373, 'realise how much': 701597, 'much people mean': 545227, 'people mean to': 648764, 'mean to buy': 524730, 'to buy milk': 902270, 'milk and instead': 531562, 'and instead buy': 65285, 'instead buy trolley': 440160, 'buy trolley load': 149399, 'load of grocery': 497268, 'of grocery maybe': 584352, 'grocery maybe that': 364717, 'maybe that what': 521823, 'that what my': 847465, 'what my dad': 981894, 'dad ha been': 224338, 'ha been doing': 369790, 'been doing for': 121019, 'doing for 17': 252410, 'for 17 year': 318688, '17 year also': 4402, 'year also our': 1014378, 'also our bread': 48631, 'our bread ha': 622263, 'bread ha been': 138479, 'been completely emptied': 120856, 'completely emptied every': 192276, 'emptied every day': 274681, 'day for two': 227637, 'two week wtf': 937377, 'yyz': 1027163, 'game canada': 343146, 'fire for': 308082, 'game prompting': 343231, 'prompting long': 683962, 'their toronto': 875014, 'toronto store': 925995, 'pandemic yyz': 637101, 'yyz game': 1027164, 'game retail': 343235, 'eb game canada': 266408, 'game canada is': 343147, 'canada is under': 160480, 'is under fire': 453460, 'under fire for': 940088, 'fire for allowing': 308083, 'allowing the release': 46346, 'release of new': 708985, 'new game prompting': 558792, 'game prompting long': 343232, 'prompting long line': 683963, 'long line ups': 501510, 'ups outside their': 947767, 'outside their toronto': 629609, 'their toronto store': 875015, 'toronto store amid': 925996, 'coronavirus pandemic yyz': 206511, 'pandemic yyz game': 637102, 'yyz game retail': 1027165, 'zabelindimitri': 1027172, 'fxdailyfx bitcoin': 342601, 'from zabelindimitri': 338503, 'zabelindimitri here': 1027173, 'forex fxdailyfx bitcoin': 329170, 'fxdailyfx bitcoin price': 342602, 'bitcoin price may': 131832, 'update from zabelindimitri': 946990, 'from zabelindimitri here': 338504, 'general mill': 345410, 'mill reported': 531971, 'reported stronger': 712530, 'stronger demand': 814172, 'uncertain how': 939592, 'higher order': 395645, 'general mill reported': 345411, 'mill reported stronger': 531972, 'reported stronger demand': 712531, 'stronger demand for': 814173, 'it product consumer': 460500, 'product consumer buy': 681077, 'consumer buy more': 196694, 'it wa uncertain': 462217, 'wa uncertain how': 963599, 'uncertain how long': 939593, 'long the higher': 501727, 'the higher order': 857329, 'higher order would': 395646, 'order would last': 618793, 'ahy': 39286, 'supply report': 825766, 'report ahy': 711790, 'ahy tan': 39287, 'tan 19': 834149, 'hit supply report': 398418, 'supply report ahy': 825767, 'report ahy tan': 711791, 'ahy tan 19': 39288, 'virus ruining': 958703, 'ruining life': 727149, 'as too': 94821, 'too cause': 924643, 'got no': 358742, 'corona virus ruining': 204346, 'virus ruining life': 958704, 'ruining life at': 727150, 'life at first': 488506, 'first and your': 308506, 'and your as': 76065, 'your as too': 1022853, 'as too cause': 94822, 'too cause we': 924644, 'cause we ain': 167793, 'ain got no': 39620, 'got no toilet': 358743, 'healthy breakfast': 387542, 'and lunch': 66482, 'lunch option': 506736, 'family said': 298202, 'helping them': 391503, 'store thus': 810733, 'thus le': 895521, 'le potential': 483081, 'together we are': 921025, 'happy to serve': 377721, 'to serve so': 914271, 'serve so many': 751941, 'family with healthy': 298387, 'with healthy breakfast': 998757, 'healthy breakfast and': 387543, 'breakfast and lunch': 138874, 'and lunch option': 66483, 'lunch option this': 506737, 'option this family': 614112, 'this family said': 887514, 'family said the': 298203, 'food service is': 316421, 'service is helping': 752517, 'is helping them': 448409, 'helping them take': 391504, 'them take le': 876362, 'take le trip': 832263, 'grocery store thus': 365865, 'store thus le': 810734, 'thus le potential': 895522, 'le potential exposure': 483082, 'just hour': 468990, 'doorstep stay': 255871, 'paying online': 645462, 'ad in just': 31120, 'in just hour': 424418, 'just hour you': 468991, 'hour you ll': 406120, 'll have your': 496837, 'have your grocery': 383711, 'grocery delivered at': 364421, 'your doorstep stay': 1023591, 'doorstep stay safe': 255872, 'safe from by': 729690, 'from by shopping': 334788, 'online and paying': 607837, 'and paying online': 68813, 'paying online is': 645463, 'online is your': 608441, 'supermarket at home': 819238, 'at home visit': 99163, 'helplines': 391605, 'outbreak helplines': 628299, 'face mask sanitizers': 294585, 'mask sanitizers in': 519236, 'of outbreak helplines': 587604, 'swimwear': 830373, 'declining online': 231483, 'crisis luggage': 217687, 'and suitcase': 72674, 'suitcase camera': 817819, 'camera and': 157110, 'men swimwear': 528533, 'swimwear have': 830374, 'seen dip': 746994, 'and declining online': 61024, 'declining online shopping': 231484, 'online shopping product': 609236, 'shopping product during': 763685, 'the crisis luggage': 852405, 'crisis luggage and': 217688, 'luggage and suitcase': 506615, 'and suitcase camera': 72675, 'suitcase camera and': 817820, 'camera and men': 157111, 'and men swimwear': 66946, 'men swimwear have': 528534, 'swimwear have all': 830375, 'all seen dip': 44268, 'seen dip in': 746995, 'dip in sale': 243196, 'barbecue': 110802, 'rib': 720955, 'your barbecue': 1022910, 'barbecue rib': 110803, 'rib it': 720956, 'hit after': 398121, 'after smithfield': 36218, 'food announced': 313390, 'north dakota': 567636, 'dakota meat': 225075, 'plant 300': 658603, 'enjoy your barbecue': 277210, 'your barbecue rib': 1022911, 'barbecue rib it': 110804, 'rib it might': 720957, 'be your last': 118175, 'your last one': 1024592, 'last one the': 480425, 'one the food': 607198, 'to take huge': 916188, 'huge hit after': 410062, 'hit after smithfield': 398122, 'after smithfield food': 36219, 'smithfield food announced': 775820, 'food announced it': 313391, 'announced it closing': 76969, 'it closing it': 457195, 'it north dakota': 459852, 'north dakota meat': 567637, 'dakota meat processing': 225076, 'meat processing plant': 525704, 'processing plant 300': 680034, 'plant 300 employee': 658604, 'allow quick': 46039, 'quick military': 694327, 'military style': 531499, 'style will': 815637, 'be drawn': 114602, 'drawn up': 258544, 'to allow quick': 900355, 'allow quick military': 46040, 'quick military style': 694328, 'military style will': 531500, 'style will to': 815638, 'will to be': 995206, 'to be drawn': 901222, 'be drawn up': 114603, 'drawn up amid': 258545, 'up amid covid': 944279, 'zoomers to': 1027847, 'to boomer': 901908, 'boomer teenager': 134859, 'teenager create': 836542, 'create online': 215705, 'for isolated': 322678, 'isolated senior': 455024, 'zoomers to boomer': 1027848, 'to boomer teenager': 901909, 'boomer teenager create': 134860, 'teenager create online': 836543, 'create online shopping': 215706, 'shopping service for': 763843, 'service for isolated': 752381, 'for isolated senior': 322679, 'wetones': 980789, 'find wetones': 307383, 'wetones cloroxwipes': 980790, 'cloroxwipes by': 182477, 'tomorrow going': 924092, 'exchange some': 289479, 'toiletpaper unused': 922793, 'unused toiletpaperapocalypse': 943977, 'toiletpaperapocalypse ugh': 922955, 'ugh keepyourdistance': 938020, 'keepyourdistance sixfeetapart': 472682, 'not find wetones': 569429, 'find wetones cloroxwipes': 307384, 'wetones cloroxwipes by': 980791, 'cloroxwipes by tomorrow': 182478, 'by tomorrow going': 154570, 'tomorrow going to': 924093, 'try to exchange': 934622, 'to exchange some': 905400, 'exchange some of': 289480, 'of my toiletpaper': 586822, 'my toiletpaper unused': 550396, 'toiletpaper unused toiletpaperapocalypse': 922794, 'unused toiletpaperapocalypse ugh': 943978, 'toiletpaperapocalypse ugh keepyourdistance': 922956, 'ugh keepyourdistance sixfeetapart': 938021, 'crore 13': 218953, '13 million': 3233, '100 crore 13': 1876, 'crore 13 million': 218954, '13 million to': 3234, 'million to fight': 532385, 'support ha': 826557, 'increased much': 433371, 'much eight': 544857, 'eight fold': 270182, 'fold hunger': 312051, 'another devastating': 77576, 'devastating outcome': 239599, 'outcome from': 628864, 'pandemic hunger': 635667, 'hunger disaster': 411094, 'for food support': 321638, 'food support ha': 317030, 'support ha increased': 826558, 'ha increased much': 370953, 'increased much eight': 433372, 'much eight fold': 544858, 'eight fold hunger': 270183, 'fold hunger is': 312052, 'hunger is another': 411137, 'is another devastating': 445732, 'another devastating outcome': 77577, 'devastating outcome from': 239600, 'outcome from the': 628865, '19 pandemic hunger': 9356, 'pandemic hunger disaster': 635668, 'british high': 140534, 'high st': 395418, 'st wa': 791756, 'strait retail': 812339, 'retailtech shutdown': 719562, 'shutdown ravage': 768087, 'ravage high': 697912, 'take emergency': 832092, 'emergency action': 272582, 'retailer are going': 719001, 'survive the british': 829241, 'the british high': 850023, 'british high st': 140535, 'high st wa': 395419, 'st wa already': 791757, 'wa already in': 961489, 'already in dire': 47466, 'dire strait retail': 243262, 'strait retail retailtech': 812340, 'retail retailtech shutdown': 718487, 'retailtech shutdown ravage': 719563, 'shutdown ravage high': 768088, 'ravage high street': 697913, 'street retailer take': 813087, 'retailer take emergency': 719349, 'take emergency action': 832093, 'diyhazmat': 248790, 'in fry': 423143, 'fry grocery': 339289, 'az today': 106384, 'today diyhazmat': 919453, 'dad sent this': 224379, 'photo of someone': 655212, 'someone in fry': 784512, 'in fry grocery': 423144, 'fry grocery store': 339290, 'store in az': 808270, 'in az today': 420648, 'az today diyhazmat': 106385, 'cool if': 203014, 'next issue': 561419, 'issue didn': 455720, 'contain single': 200485, 'single story': 771406, 'any celebrity': 79003, 'celebrity but': 168880, 'real nurse': 701279, 'doctor patient': 251070, 'patient trucker': 644282, 'personnel tuesdaythoughts': 653168, 'tuesdaythoughts coronaviru': 935219, 'be so cool': 117252, 'so cool if': 776794, 'cool if your': 203015, 'if your next': 415598, 'your next issue': 1025002, 'next issue didn': 561420, 'issue didn contain': 455721, 'didn contain single': 241021, 'contain single story': 200486, 'single story or': 771407, 'story or picture': 812099, 'picture of any': 656160, 'of any celebrity': 580249, 'any celebrity but': 79004, 'celebrity but only': 168881, 'but only of': 146691, 'only of real': 610840, 'of real nurse': 588790, 'real nurse doctor': 701280, 'nurse doctor patient': 577305, 'doctor patient trucker': 251071, 'patient trucker grocery': 644283, 'pharmacy worker essential': 654576, 'essential personnel tuesdaythoughts': 281389, 'personnel tuesdaythoughts coronaviru': 653169, 'news salon': 560768, 'salon with': 732791, 'news salon with': 560769, 'salon with oil': 732792, 'humanity we': 410776, 'self please': 747830, 'dear humanity we': 229812, 'humanity we people': 410777, 'other in order': 620408, 'to leave enough': 909148, 'survive this please': 829268, 'this please don': 889615, 'go into panic': 353762, 'into panic and': 442842, 'buy all you': 148297, 'can for your': 158376, 'for your self': 328204, 'your self please': 1025704, 'self please put': 747831, 'please put limit': 660341, 'put limit for': 690661, 'limit for what': 492352, 'for what people': 327804, 'people can by': 647383, 'would suddenly': 1012292, 'suddenly make': 817114, 'people useless': 650075, 'useless junk': 950230, 'junk on': 468046, 'fb marketplace': 300659, 'for ignorant': 322476, 'ignorant price': 415796, 'but who would': 147855, 'thought that covid': 893228, '19 would suddenly': 12219, 'would suddenly make': 1012293, 'suddenly make people': 817115, 'make people useless': 510322, 'people useless junk': 650076, 'useless junk on': 950231, 'junk on fb': 468047, 'on fb marketplace': 600750, 'fb marketplace for': 300660, 'marketplace for ignorant': 517811, 'for ignorant price': 322477, 'supermarket brought': 819423, 'to tear': 916319, 'strange accept': 812370, 'can die': 158062, 'way agree': 969435, 'looking at his': 502809, 'empty supermarket brought': 275157, 'supermarket brought me': 819424, 'brought me to': 141176, 'me to tear': 523788, 'to tear it': 916320, 'it strange accept': 461305, 'strange accept that': 812371, 'accept that people': 27995, 'people can die': 647386, 'can die from': 158063, 'die from catching': 241342, 'from catching covid': 334809, 'but in no': 146031, 'in no way': 425918, 'no way agree': 565860, 'way agree with': 969436, 'agree with them': 38683, 'them starving to': 876320, 'post apr': 666003, 'washington post apr': 967787, 'post apr 2020': 666004, 'ray hello': 698024, 'hello leo': 389185, 'leo covid': 486384, 'possible thank': 665801, 'ray hello leo': 698025, 'hello leo covid': 389186, 'leo covid 19': 486385, 'quickly possible thank': 694573, 'possible thank you': 665802, 'afternoon bet': 36677, 'longer after': 501908, 'buying is real': 150577, 'of the afternoon': 590780, 'the afternoon bet': 848425, 'afternoon bet the': 36678, 'bet the queue': 128111, 'the queue will': 865058, 'queue will be': 694137, 'be longer after': 115814, 'longer after work': 501909, 'after work hour': 36566, 'work hour 19': 1005266, 'celiacs': 168932, 'all free': 42865, 'in extra': 422740, 'about celiacs': 24945, 'celiacs like': 168933, 'baby lactose': 106648, 'christmas easter': 178168, 'removing all free': 710895, 'all free from': 42866, 'shelf and putting': 756754, 'and putting in': 69836, 'putting in extra': 691140, 'in extra stock': 422741, 'extra stock so': 293658, 'stock so what': 802864, 'what about celiacs': 980962, 'about celiacs like': 24946, 'celiacs like my': 168934, 'my daughter and': 547922, 'daughter and my': 226822, 'and my baby': 67353, 'my baby lactose': 547368, 'baby lactose intolerant': 106649, 'in law it': 424636, 'law it bad': 482327, 'it bad enough': 456686, 'stock at christmas': 801876, 'at christmas easter': 98266, 'christmas easter etc': 178169, 'monmouth': 537412, 'era say': 280080, 'say man': 738912, 'threat other': 893708, 'other offense': 620594, 'offense after': 594480, 'coughed deliberately': 208603, 'deliberately on': 232970, 'dispute in': 246328, 'in monmouth': 425401, 'monmouth county': 537413, 'wa positive': 962961, '19 era say': 6824, 'era say man': 280081, 'say man charged': 738913, 'terroristic threat other': 838624, 'threat other offense': 893709, 'other offense after': 620595, 'offense after he': 594481, 'allegedly coughed deliberately': 45679, 'coughed deliberately on': 208604, 'deliberately on woman': 232971, 'on woman during': 605358, 'woman during dispute': 1003478, 'during dispute in': 262603, 'dispute in monmouth': 246329, 'in monmouth county': 425402, 'monmouth county supermarket': 537414, 'county supermarket then': 211501, 'supermarket then told': 823271, 'then told her': 877684, 'he wa positive': 385613, 'wa positive for': 962962, 'at lulu': 99649, 'measure taken at': 525353, 'taken at lulu': 832953, 'at lulu hypermarket': 99650, 'pcmrfixesit': 645914, 'rose are': 726054, 'red the': 705620, 'market dropping': 516313, 'dropping amazon': 260665, 'handle coronavirus': 376186, 'shopping pcmrfixesit': 763614, 'pcmrfixesit internet': 645915, 'internet humor': 441955, 'humor meme': 410901, 'rose are red': 726055, 'are red the': 89523, 'red the stock': 705621, 'stock market dropping': 802392, 'market dropping amazon': 516314, 'dropping amazon to': 260666, 'to handle coronavirus': 907125, 'handle coronavirus induced': 376187, 'online shopping pcmrfixesit': 609221, 'shopping pcmrfixesit internet': 763615, 'pcmrfixesit internet humor': 645916, 'internet humor meme': 441956, 'warning when': 967235, 'online prepare': 608781, 'entire order': 278711, 'know no': 476625, 'no frustration': 564321, 'time available and': 896354, 'available and no': 104225, 'and no warning': 67648, 'no warning when': 565853, 'warning when shopping': 967236, 'shopping online prepare': 763469, 'online prepare our': 608782, 'prepare our entire': 670117, 'our entire order': 622919, 'entire order just': 278712, 'order just know': 618353, 'just know no': 469106, 'know no frustration': 476626, 'virus notice': 958540, 'notice nasty': 573312, 'nasty mention': 552060, 'mention supporting': 528787, 'supporting industry': 827140, 'market trump': 517260, 'cut medicare': 223426, 'medicare amp': 526569, 'stamp and': 793402, 'remove pre': 710832, 'condition coverage': 193438, 'coverage from': 212353, 'from aca': 334377, 'fyi it called': 342637, 'it called the': 456994, 'called the not': 156458, 'the not the': 861894, 'chinese virus notice': 177383, 'virus notice nasty': 958541, 'notice nasty mention': 573313, 'nasty mention supporting': 552061, 'mention supporting industry': 528788, 'supporting industry to': 827141, 'help his stock': 389867, 'his stock market': 397823, 'stock market trump': 802448, 'market trump still': 517261, 'trump still trying': 933870, 'trying to cut': 934791, 'to cut medicare': 903879, 'cut medicare amp': 223427, 'medicare amp social': 526570, 'amp social security': 54527, 'social security benefit': 779942, 'security benefit food': 744558, 'benefit food stamp': 126963, 'food stamp and': 316729, 'stamp and remove': 793404, 'and remove pre': 70234, 'remove pre existing': 710833, 'existing condition coverage': 290296, 'condition coverage from': 193439, 'coverage from aca': 212354, 'epsilon': 279582, 'conversant': 202448, 'cj': 179623, 'ha consumer': 370231, 'sentiment evolved': 750924, 'evolved during': 288525, 'pandemic epsilon': 635390, 'epsilon conversant': 279583, 'conversant cj': 202449, 'cj affiliate': 179624, 'affiliate consumer': 34612, 'sentiment report': 750986, 'offer detailed': 594582, 'detailed insight': 239292, 'sentiment is': 750963, 'pandemic claim': 635151, 'claim your': 179872, 'free copy': 331729, 'how ha consumer': 407946, 'ha consumer sentiment': 370232, 'consumer sentiment evolved': 198910, 'sentiment evolved during': 750925, 'evolved during the': 288526, 'current global pandemic': 221211, 'global pandemic epsilon': 352085, 'pandemic epsilon conversant': 635391, 'epsilon conversant cj': 279584, 'conversant cj affiliate': 202450, 'cj affiliate consumer': 179625, 'affiliate consumer sentiment': 34613, 'consumer sentiment report': 198923, 'sentiment report offer': 750987, 'report offer detailed': 712133, 'offer detailed insight': 594583, 'detailed insight on': 239293, 'how consumer sentiment': 407598, 'consumer sentiment is': 198918, 'sentiment is being': 750964, 'global pandemic claim': 352075, 'pandemic claim your': 635152, 'claim your free': 179874, 'your free copy': 1023950, 'measure relaxed': 525310, 'vulnerable fairly': 960956, 'fairly soon': 296442, 'wait it': 964147, 'it sunny': 461349, 'sunny the': 818396, 'the lefty': 859269, 'lefty will': 485798, 'their bbq': 872565, 'bbq two': 113200, 'ask but': 95495, 'even stand': 284601, 'stand two': 793599, 'see the lockdown': 745856, 'the lockdown measure': 859616, 'lockdown measure relaxed': 499654, 'measure relaxed to': 525311, 'relaxed to just': 708875, 'just the vulnerable': 470019, 'the vulnerable fairly': 870982, 'vulnerable fairly soon': 960957, 'fairly soon but': 296443, 'soon but wait': 785668, 'but wait it': 147713, 'wait it sunny': 964148, 'it sunny the': 461350, 'sunny the lefty': 818397, 'the lefty will': 859270, 'lefty will need': 485799, 'have their bbq': 383045, 'their bbq two': 872566, 'bbq two week': 113201, 'two week not': 937343, 'week not much': 976582, 'not much to': 570613, 'to ask but': 900749, 'ask but then': 95496, 'then you cannot': 877781, 'cannot even stand': 161803, 'even stand two': 284602, 'stand two metre': 793600, 'apart in supermarket': 81291, 'can you stayhomesavelives': 160337, 'plante': 658743, 'joy plante': 467518, 'plante canada': 658744, 'canada at': 160372, 'going senior': 355440, '70 isolated': 21785, 'home wanting': 402441, 'at metro': 99727, 'metro would': 529955, 'pay 12': 644695, '12 service': 2955, 'for deli': 320621, 'joy plante canada': 467519, 'plante canada at': 658745, 'canada at the': 160373, 'the rate it': 865164, 'rate it going': 697284, 'it going senior': 458283, 'going senior over': 355441, 'senior over 70': 750382, 'over 70 isolated': 629912, '70 isolated at': 21786, 'at home wanting': 99164, 'home wanting to': 402442, 'wanting to do': 966301, 'shopping at metro': 762105, 'at metro would': 99729, 'metro would have': 529956, 'to pay 12': 911508, 'pay 12 service': 644696, '12 service charge': 2956, 'service charge and': 752225, 'charge and wait': 173200, 'and wait over': 75113, 'wait over week': 964178, 'over week for': 630911, 'week for deli': 976223, 'landlord change': 479347, 'change lock': 172167, 'lock after': 499016, 'california pastor': 155555, 'pastor vow': 643890, 'continue church': 201013, 'landlord change lock': 479348, 'change lock after': 172168, 'lock after california': 499017, 'after california pastor': 35447, 'california pastor vow': 155556, 'pastor vow to': 643891, 'vow to continue': 960694, 'to continue church': 903379, 'continue church service': 201014, 'church service amid': 178404, 'service amid coronavirus': 752060, 'me finally': 522728, 'after leaving': 35860, 'putting hand': 691125, 'me finally being': 522729, 'finally being able': 305947, 'able to touch': 24562, 'my face after': 548148, 'face after leaving': 294286, 'after leaving the': 35861, 'leaving the grocery': 485149, 'store and putting': 806326, 'and putting hand': 69835, 'putting hand sanitizer': 691126, 'sanitizer on 19': 735453, 'onlineselling': 609867, 'semanasanta2020': 749588, 'commerce mean': 188588, 'transaction conducted': 929441, 'good via': 357930, 'internet on': 441974, 'any device': 79110, 'device ecommerce': 239906, 'amazon onlineselling': 51055, 'onlineselling onlinemarketing': 609868, 'onlinemarketing semanasanta2020': 609844, 'semanasanta2020 19': 749589, 'commerce mean all': 188589, 'mean all form': 524352, 'form of business': 329528, 'of business transaction': 580972, 'business transaction conducted': 144570, 'transaction conducted online': 929442, 'conducted online the': 193679, 'online the best': 609531, 'example of commerce': 288929, 'commerce is online': 188584, 'shopping which help': 764390, 'which help to': 985932, 'help to purchase': 390788, 'to purchase good': 912532, 'purchase good via': 689475, 'good via the': 357931, 'via the internet': 956304, 'the internet on': 858387, 'internet on any': 441975, 'on any device': 599397, 'any device ecommerce': 79111, 'device ecommerce amazon': 239907, 'ecommerce amazon onlineselling': 266702, 'amazon onlineselling onlinemarketing': 51056, 'onlineselling onlinemarketing semanasanta2020': 609869, 'onlinemarketing semanasanta2020 19': 609845, 'fresh from': 332990, 'the squirt': 867669, 'squirt bottle': 791574, 'bottle how': 136240, 'fresh from the': 332991, 'from the squirt': 337885, 'the squirt bottle': 867670, 'squirt bottle how': 791575, 'bottle how to': 136241, 'sanitizer diy handsanitizer': 734772, 'clerk bus': 181667, 'than famous': 840640, 'famous cricketer': 298457, 'store clerk bus': 806998, 'clerk bus and': 181668, 'important than famous': 418992, 'than famous cricketer': 840641, 'famous cricketer actor': 298458, 'and musician we': 67340, 'think about who': 885113, 'about who the': 26926, 'hero are 19': 393939, 'ago wrote': 38558, 'afford in': 34706, 'post argue': 666007, 'that containing': 843308, 'without robust': 1002894, 'net could': 557539, 'become disaster': 119968, 'daily laborer': 224653, 'laborer in': 478499, 'day ago wrote': 227217, 'ago wrote about': 38559, 'wrote about panic': 1013186, 'food but not': 313824, 'can afford in': 157400, 'afford in my': 34707, 'blog post argue': 132983, 'post argue that': 666008, 'argue that containing': 92694, 'that containing covid': 843309, '19 without robust': 12154, 'without robust social': 1002895, 'robust social safety': 724856, 'safety net could': 730636, 'net could become': 557540, 'could become disaster': 208950, 'become disaster for': 119969, 'disaster for daily': 244208, 'for daily laborer': 320528, 'daily laborer in': 224654, 'laborer in africa': 478500, 'email howard': 272202, 'howard university': 409320, 'email howard university': 272203, 'howard university demand': 409321, 'supermarket booze': 819390, 'booze section': 135176, 'they announce': 881164, 'announce pub': 76867, 'home town supermarket': 402368, 'town supermarket booze': 927560, 'supermarket booze section': 819391, 'booze section the': 135177, 'section the first': 744047, 'first day they': 308619, 'day they announce': 228516, 'they announce pub': 881165, 'announce pub closure': 76868, 'ayers': 106339, 'smart brand': 775350, 'using cutting': 950445, 'cutting edge': 223725, 'edge method': 268514, 'understand change': 940608, 'term implication': 838179, 'implication qualitative': 418568, 'qualitative expert': 691751, 'expert matt': 291885, 'matt ayers': 520513, 'ayers explains': 106340, 'how mrx': 408335, 'smart brand are': 775351, 'brand are using': 137759, 'are using cutting': 91415, 'using cutting edge': 950446, 'cutting edge method': 223726, 'edge method to': 268515, 'method to understand': 529802, 'to understand change': 917900, 'understand change in': 940609, 'and their long': 73700, 'long term implication': 501693, 'term implication qualitative': 838180, 'implication qualitative expert': 418569, 'qualitative expert matt': 691752, 'expert matt ayers': 291886, 'matt ayers explains': 520514, 'ayers explains how': 106341, 'explains how mrx': 292215, 'tweethearts': 936462, 'mobbed': 534918, 'ok tweethearts': 597930, 'tweethearts is': 936463, 'happening my': 377377, 'wa mobbed': 962643, 'mobbed this': 534919, 'morning lot': 541343, 'will replenish': 994656, 'soon stoppanicbuying': 785831, 'ok tweethearts is': 597931, 'tweethearts is this': 936464, 'this really happening': 889825, 'really happening my': 702257, 'happening my local': 377378, 'supermarket wa mobbed': 823703, 'wa mobbed this': 962644, 'mobbed this morning': 534920, 'this morning lot': 888983, 'morning lot of': 541344, 'shelf but got': 756900, 'but got told': 145812, 'got told they': 358981, 'they will replenish': 883878, 'will replenish stock': 994657, 'replenish stock very': 711647, 'very soon stoppanicbuying': 955568, 'falcone coughed': 296781, 'wegmans supermarket': 977645, 'day state': 228389, 'state charge': 795454, 'of terroristic': 590674, 'george falcone coughed': 346001, 'falcone coughed on': 296782, 'coughed on wegmans': 208637, 'on wegmans supermarket': 605197, 'wegmans supermarket worker': 977647, 'worker and said': 1006329, 'had the now': 373621, 'the now he': 861938, 'now he been': 574900, 'he been charged': 384768, 'terroristic threat people': 838625, 'threat people day': 893711, 'people day state': 647604, 'day state charge': 228390, 'state charge of': 795455, 'charge of terroristic': 173295, 'of terroristic threat': 590675, 'distance yourselves': 246909, 'yourselves in': 1026791, 'your reminder': 1025560, 'socially distance yourselves': 781052, 'distance yourselves in': 246910, 'yourselves in the': 1026792, 'cough serve your': 208547, 'serve your reminder': 751979, 'your reminder backup': 1025561, 'thought disneyland': 893019, 'disneyland ticket': 246060, 'you thought disneyland': 1021716, 'thought disneyland ticket': 893020, 'disneyland ticket price': 246061, 'ticket price were': 895660, 'were high now': 979738, 'high now just': 395181, 'now just wait': 575159, 'coronavirus nh': 206321, 'buy fruit': 148723, 'veg stophoarding': 953788, 'stoppanicbuying fridayfeeling': 805563, 'coronavirus nh nurse': 206322, 'nh nurse in': 562025, 'to buy fruit': 902234, 'buy fruit and': 148724, 'and veg stophoarding': 74866, 'veg stophoarding stopstockpiling': 953789, 'stopstockpiling stoppanicbuying fridayfeeling': 805885, 'shuttheschoolsnow': 768240, 'use singapore': 949576, 'singapore an': 771101, 'example then': 288982, 'then equip': 877149, 'equip our': 279665, 'of singapore': 589741, 'singapore school': 771149, 'school otherwise': 741898, 'can compare': 157944, 'compare shuttheschoolsnow': 191404, 'to use singapore': 918065, 'use singapore an': 949577, 'singapore an example': 771102, 'an example then': 55908, 'example then equip': 288983, 'then equip our': 877150, 'equip our school': 279666, 'our school with': 624687, 'school with the': 741992, 'with the like': 1001368, 'like of singapore': 490904, 'of singapore school': 589742, 'singapore school otherwise': 771150, 'school otherwise you': 741899, 'you can compare': 1017648, 'can compare shuttheschoolsnow': 157945, 'andersondylan': 76144, 'andersondylan please': 76145, 'help got': 389820, 'panic started': 638619, 'now noone': 575365, 'noone is': 566872, 'place hiring': 657493, 'hiring asap': 397072, 'asap that': 94881, 'help also': 389334, 'andersondylan please help': 76146, 'please help got': 660070, 'help got laid': 389821, 'off from grocery': 593849, 'all place before': 43963, '19 panic started': 9560, 'panic started now': 638620, 'started now noone': 794788, 'now noone is': 575366, 'noone is hiring': 566873, 'is hiring and': 448484, 'hiring and have': 397067, 'no food if': 564257, 'food if anyone': 314888, 'anyone ha tip': 80345, 'ha tip on': 372285, 'tip on place': 898858, 'on place hiring': 602804, 'place hiring asap': 657494, 'hiring asap that': 397073, 'asap that would': 94882, 'that would help': 847682, 'would help also': 1011906, 'icymi take': 412909, 'germ might': 346130, 'be lurking': 115855, 'icymi take extra': 412910, 'extra precaution at': 293609, 'store you never': 811695, 'know where germ': 477013, 'where germ might': 984885, 'germ might be': 346131, 'might be lurking': 530913, 'kmt': 475958, 'how why': 409213, 'is kmt': 449220, 'kmt you': 475959, 'distance when': 246891, 'when queuing': 983918, 'time incl': 897025, 'incl in': 431474, 'milk area': 531576, 'area do': 91986, 'me turn': 523841, 'turn round': 935757, 'find up': 307359, 'my behind': 547422, 'how why is': 409214, 'is it ppl': 449051, 'it ppl still': 460414, 'ppl still do': 668332, 'not understand what': 572327, 'understand what socialdistancing': 940805, 'socialdistancing is kmt': 780467, 'is kmt you': 449221, 'kmt you do': 475960, 'not just keep': 570230, 'just keep your': 469093, 'your distance when': 1023540, 'distance when queuing': 246892, 'when queuing to': 983919, 'supermarket you keep': 824196, 'your distance at': 1023529, 'all time incl': 45221, 'time incl in': 897026, 'incl in the': 431475, 'the fruit veg': 855911, 'veg milk area': 953766, 'milk area do': 531577, 'area do not': 91987, 'let me turn': 486917, 'me turn round': 523842, 'turn round and': 935758, 'round and find': 726315, 'and find up': 62895, 'find up my': 307360, 'up my behind': 945420, 'supermarket restock': 822220, '30pm after': 17503, 'customer cleared': 222247, 'of lengthy': 585777, 'lengthy stretch': 486338, 'stretch of': 813564, 'supermarket restock last': 822221, 'night at 30pm': 562960, 'at 30pm after': 97614, '30pm after customer': 17504, 'after customer cleared': 35524, 'customer cleared the': 222248, 'shelf in fear': 757194, 'fear of lengthy': 301246, 'of lengthy stretch': 585778, 'lengthy stretch of': 486339, 'stretch of self': 813565, 'business raise': 144279, 'emergency this': 273022, 'considered price': 195317, 'gouging subject': 359457, 'subject the': 815744, 'civil lawsuit': 179522, 'lawsuit incl': 482536, 'incl class': 431464, 'action learn': 30066, 'coronavirus edition': 205864, 'if business raise': 413912, 'business raise price': 144280, 'raise price too': 695932, 'too much during': 924920, 'much during after': 544849, 'during after the': 262432, 'health emergency this': 386403, 'emergency this may': 273023, 'may be considered': 520965, 'be considered price': 114202, 'considered price gouging': 195318, 'price gouging subject': 674326, 'gouging subject the': 359458, 'subject the business': 815745, 'business to civil': 144533, 'to civil lawsuit': 902779, 'civil lawsuit incl': 179523, 'lawsuit incl class': 482537, 'incl class action': 431465, 'class action learn': 180142, 'action learn more': 30067, 'learn more price': 484037, 'more price gouging': 540138, 'an emergency coronavirus': 55672, 'emergency coronavirus edition': 272643, 'your licence': 1024621, 'licence canceled': 488101, 'canceled uganda': 160968, 'uganda produce': 937990, 'ha then': 372246, 'then led': 877306, 'warned people hiking': 967023, 'people hiking price': 648257, 'of food he': 583704, 'food he say': 314797, 'he will send': 385674, 'will send spy': 994812, 'spy to town': 791409, 'to town and': 917661, 'town and you': 927437, 'll get your': 496800, 'get your licence': 348712, 'your licence canceled': 1024622, 'licence canceled uganda': 488102, 'canceled uganda produce': 160969, 'uganda produce it': 937991, 'produce it own': 680333, 'it own food': 460218, 'own food what': 632007, 'food what ha': 317562, 'what ha then': 981538, 'ha then led': 372247, 'then led to': 877307, 'of price 19': 588394, 'psa ppl': 687424, 'ppl working': 668382, 'restaurant pick': 716634, 'facing higher': 295489, 'psa ppl working': 687425, 'ppl working in': 668383, 'in restaurant pick': 427439, 'restaurant pick up': 716635, 'store are already': 806455, 'are already facing': 84408, 'already facing higher': 47341, 'facing higher risk': 295491, 'sure to look': 827772, 'after the elder': 36308, 'one that need': 607183, 'that need your': 845317, 'the most from': 860989, 'most from the': 542345, 'guy someone': 369146, 'both mean': 135968, 'mean both': 524372, 'both vulnerable': 136082, 'of dietary': 582591, 'dietary restriction': 241773, 'amazing if': 50714, 'could free': 209193, 'slot thanks': 774272, 'hi guy someone': 394661, 'guy someone with': 369147, 'with an underlying': 997230, 'an underlying condition': 56834, 'condition that both': 193533, 'that both mean': 843015, 'both mean both': 135969, 'mean both vulnerable': 524373, 'both vulnerable to': 136083, 'vulnerable to and': 961212, 'and have lot': 64256, 'lot of dietary': 504174, 'of dietary restriction': 582592, 'dietary restriction it': 241774, 'restriction it would': 717311, 'be amazing if': 113581, 'amazing if you': 50715, 'you could free': 1018087, 'could free up': 209194, 'free up some': 332289, 'up some online': 946035, 'delivery slot thanks': 234541, 'butternut': 148184, 'squash': 791513, 'substitution have': 816107, 'level we': 487745, 'any basmati': 78964, 'you potato': 1020392, 'potato butternut': 666920, 'butternut squash': 148185, 'squash potato': 791514, 'potato hand': 666941, 'soap potato': 779080, 'potato paracetamol': 666963, 'paracetamol calpol': 641233, 'calpol potato': 156915, 'shopping substitution have': 764006, 'substitution have gone': 816108, 'next level we': 561430, 'level we could': 487746, 'find any basmati': 306785, 'any basmati rice': 78965, 'basmati rice so': 112448, 'rice so we': 721144, 'so we gave': 778667, 'we gave you': 971598, 'gave you potato': 344684, 'you potato butternut': 1020393, 'potato butternut squash': 666921, 'butternut squash potato': 148186, 'squash potato hand': 791515, 'potato hand soap': 666942, 'hand soap potato': 375775, 'soap potato paracetamol': 779081, 'potato paracetamol calpol': 666964, 'paracetamol calpol potato': 641234, 'lara': 479577, 'woolfson': 1004359, 'the sickest': 867155, 'sickest ve': 768728, 'life recovering': 488982, 'recovering coronavirus': 705256, 'coronavirus survivor': 206858, 'survivor lara': 829397, 'lara woolfson': 479578, 'woolfson say': 1004362, 'say woolfson': 739499, 'woolfson contracted': 1004360, 'virus after': 957897, 'after attending': 35386, 'attending medical': 102412, 'medical conference': 526113, 'conference in': 193740, 'boston in': 135799, 'week is probably': 976424, 'probably the sickest': 679404, 'the sickest ve': 867156, 'sickest ve ever': 768729, 'ever been in': 285217, 'been in my': 121355, 'my life recovering': 549032, 'life recovering coronavirus': 488983, 'recovering coronavirus survivor': 705257, 'coronavirus survivor lara': 206859, 'survivor lara woolfson': 829398, 'lara woolfson say': 479579, 'woolfson say woolfson': 1004363, 'say woolfson contracted': 739500, 'woolfson contracted the': 1004361, 'the virus after': 870793, 'virus after attending': 957898, 'after attending medical': 35387, 'attending medical conference': 102413, 'medical conference in': 526114, 'conference in boston': 193742, 'in boston in': 420914, 'boston in february': 135800, 'profit without': 682898, 'money ever': 536732, 'ever leaving': 285389, 'leaving china': 485077, 'bought all their': 136490, 'all their own': 45005, 'own stock at': 632233, 'stock at rock': 801885, 'bottom price and': 136434, 'now have made': 574877, 'have made massive': 381412, 'made massive profit': 507833, 'massive profit without': 520071, 'profit without the': 682899, 'without the money': 1002971, 'the money ever': 860810, 'money ever leaving': 536733, 'ever leaving china': 285390, 'enabler': 275456, 'cunning market': 220345, 'market maker': 516698, 'maker manage': 510837, 'manage liquidity': 512401, 'liquidity give': 494138, 'give price': 350660, 'price buy': 672995, 'buy sell': 149158, 'sell give': 748741, 'give investor': 350542, 'investor better': 444117, 'risk effectively': 723509, 'effectively tech': 269370, 'tech enabler': 836081, 'enabler not': 275457, 'not speed': 571669, 'speed but': 788432, 'but tech': 147265, 'tech consistency': 836065, 'consistency no': 195477, 'degradation money': 232546, 'president cunning market': 670796, 'cunning market maker': 220346, 'market maker manage': 516699, 'maker manage liquidity': 510838, 'manage liquidity give': 512402, 'liquidity give price': 494139, 'give price buy': 350661, 'price buy sell': 672996, 'buy sell give': 149159, 'sell give investor': 748742, 'give investor better': 350543, 'investor better price': 444118, 'better price if': 128425, 'price if can': 674614, 'if can manage': 413930, 'can manage risk': 158963, 'manage risk effectively': 512424, 'risk effectively tech': 723510, 'effectively tech enabler': 269371, 'tech enabler not': 836082, 'enabler not speed': 275458, 'not speed but': 571670, 'speed but tech': 788433, 'but tech consistency': 147266, 'tech consistency no': 836066, 'consistency no degradation': 195478, 'no degradation money': 563977, 'degradation money economy': 232547, 'ministry announces': 533522, 'announces fixing': 77250, 'seafood qatar': 743146, 'qatarnews doha': 691517, 'ministry announces fixing': 533523, 'announces fixing the': 77251, 'fixing the maximum': 309864, 'the maximum price': 860307, 'price for selling': 674044, 'for selling vegetable': 325447, 'selling vegetable fruit': 749526, 'vegetable fruit and': 953988, 'fruit and seafood': 339064, 'and seafood qatar': 71100, 'seafood qatar qatarnews': 743147, 'qatar qatarnews doha': 691499, 'report the uk': 712348, 'uk first victim': 938363, 'victim of supermarket': 956503, 'recover from bank': 705178, 'from bank lloyd': 334632, 'first credit': 308604, 'union in': 941893, 'pennsylvania to': 646587, 'pa care': 632838, 'package by': 633229, 'of attorney': 580436, 'general we': 345497, 'neighbor impacted': 557039, 'are eligible': 86109, 'additional economic': 31816, 'the first credit': 855293, 'first credit union': 308605, 'credit union in': 216545, 'union in pennsylvania': 941894, 'in pennsylvania to': 426582, 'pennsylvania to join': 646588, 'join the pa': 466865, 'the pa care': 862827, 'pa care package': 632839, 'care package by': 164135, 'package by partnering': 633230, 'office of attorney': 595499, 'of attorney general': 580437, 'attorney general we': 102662, 'general we ll': 345498, 'll ensure our': 496738, 'ensure our friend': 278000, 'and neighbor impacted': 67506, 'neighbor impacted by': 557040, 'pandemic are eligible': 634941, 'are eligible for': 86110, 'eligible for additional': 271417, 'for additional economic': 319016, 'additional economic relief': 31817, 'licking 800': 488230, '800 worth': 22730, 'northern part': 567769, 'outbreak police': 628540, 'california woman ha': 155613, 'woman ha been': 1003494, 'after licking 800': 35865, 'licking 800 worth': 488231, '800 worth of': 22731, 'other item at': 620444, 'item at supermarket': 463135, 'in the northern': 429404, 'the northern part': 861882, 'northern part of': 567770, 'the outbreak police': 862678, 'outbreak police say': 628541, 'stks': 801718, 'starting multi': 794978, 'year monster': 1014755, 'monster bull': 537454, 'in resource': 427410, 'resource sector': 714872, 'sector stks': 744333, 'stks pm': 801719, 'pm stks': 661995, 'stks will': 801721, 'way always': 969450, 'always all': 49462, 'will rally': 994557, 'rally in': 696265, 'in rotation': 427551, 'rotation make': 726185, 'miss these': 534202, 'these life': 880234, 'changing wealth': 172839, 'wealth building': 974149, 'building opportunity': 142124, 'process of starting': 679936, 'of starting multi': 590051, 'starting multi year': 794979, 'multi year monster': 545680, 'year monster bull': 1014756, 'monster bull market': 537455, 'bull market in': 142406, 'market in resource': 516568, 'in resource sector': 427411, 'resource sector stks': 714873, 'sector stks pm': 744334, 'stks pm stks': 801720, 'pm stks will': 661996, 'stks will lead': 801722, 'the way always': 871140, 'way always all': 969451, 'always all sector': 49463, 'all sector will': 44260, 'sector will rally': 744407, 'will rally in': 994558, 'rally in rotation': 696266, 'in rotation make': 427552, 'rotation make sure': 726186, 'not miss these': 570590, 'miss these life': 534203, 'these life changing': 880235, 'life changing wealth': 488557, 'changing wealth building': 172840, 'wealth building opportunity': 974150, 'tgonu': 840033, 'custome': 222004, 'expose everything': 292787, 'everything wrong': 288123, 'with go': 998630, 'and tgonu': 73152, 'tgonu challenge': 840034, 'need different': 554676, 'approach amp': 82927, 'amp different': 53646, 'of governance': 584264, 'governance than': 359782, 'are custome': 85686, 'custome to': 222005, 'since 2005': 770450, '2005 time': 13618, '19 and extremely': 5021, 'and extremely low': 62568, 'extremely low oil': 293905, 'going to expose': 355592, 'to expose everything': 905513, 'expose everything wrong': 292788, 'everything wrong with': 288124, 'wrong with go': 1013153, 'with go and': 998631, 'go and tgonu': 353292, 'and tgonu challenge': 73153, 'tgonu challenge that': 840035, 'challenge that will': 171567, 'will need different': 994146, 'need different approach': 554677, 'different approach amp': 241898, 'approach amp different': 82928, 'amp different way': 53647, 'way of governance': 969756, 'of governance than': 584265, 'governance than what': 359783, 'than what we': 841447, 'we are custome': 970519, 'are custome to': 85687, 'custome to since': 222006, 'to since 2005': 914664, 'since 2005 time': 770451, '2005 time for': 13619, 'the war time': 871072, 'war time leader': 966564, 'time leader to': 897116, 'leader to step': 483556, 'up and lead': 944342, '76yo': 22269, '12wk': 3144, '3weeks': 18475, 'my 76yo': 547180, '76yo mum': 22270, 'london life': 501111, 'life alone': 488454, 'alone 12wk': 46799, '12wk self': 3145, 'isolation elderly': 455261, 'relative nearby': 708734, 'nearby went': 553697, 'both them': 136073, 'demand recommended': 236113, 'order 3weeks': 617993, '3weeks in': 18476, 'advance madness': 32902, 'my 76yo mum': 547181, '76yo mum in': 22271, 'mum in london': 545913, 'in london life': 424887, 'london life alone': 501112, 'life alone 12wk': 488455, 'alone 12wk self': 46800, '12wk self isolation': 3146, 'self isolation elderly': 747767, 'isolation elderly relative': 455262, 'elderly relative nearby': 270868, 'relative nearby went': 708735, 'nearby went online': 553698, 'went online for': 979077, 'online for supermarket': 608239, 'for both them': 319743, 'both them so': 136074, 'them so booked': 876291, 'so booked up': 776635, 'booked up it': 134686, 'up it couldn': 945237, 'couldn be delivered': 209867, 'increased demand recommended': 433287, 'demand recommended to': 236114, 'to order 3weeks': 911060, 'order 3weeks in': 617994, '3weeks in advance': 18477, 'in advance madness': 420055, 'est on': 282002, 'new trend': 559787, 'and culture': 60794, 'on march 24': 602020, '24 at pm': 15568, 'at pm est': 100142, 'pm est on': 661898, 'est on how': 282003, 'impacted consumer behavior': 418097, 'behavior in canada': 124076, 'canada and created': 160357, 'and created new': 60708, 'created new trend': 215859, 'new trend in': 559788, 'behavior and culture': 123883, 'busy for': 144906, 'little sense': 495558, 'panic sensible': 638530, 'sensible purchase': 750650, 'purchase limitation': 689533, 'limitation in': 492583, 'place some': 657690, 'out bekindtoeachother': 625776, 'decided to brave': 230900, 'to brave supermarket': 901990, 'brave supermarket for': 138232, '1st time very': 12819, 'time very busy': 898188, 'very busy for': 955030, 'busy for the': 144907, 'of day but': 582376, 'day but little': 227405, 'but little sense': 146288, 'little sense of': 495559, 'sense of panic': 750563, 'of panic sensible': 587733, 'panic sensible purchase': 638531, 'sensible purchase limitation': 750651, 'purchase limitation in': 689534, 'limitation in place': 492584, 'in place some': 426763, 'place some shelf': 657691, 'some shelf empty': 783841, 'shelf empty thank': 757034, 'flat out bekindtoeachother': 310091, 'company there': 191200, 'the smallbusinesses': 867371, 'need little': 555162, 'help right': 390465, 'specific way': 788268, 'way smallbiz': 969870, 're consumer or': 698458, 'consumer or work': 198284, 'or work for': 617835, 'work for b2b': 1005140, 'for b2b company': 319556, 'b2b company there': 106457, 'company there are': 191201, 'there are thing': 878174, 'do for the': 249318, 'for the smallbusinesses': 326692, 'the smallbusinesses in': 867372, 'smallbusinesses in your': 775243, 'life that need': 489097, 'that need little': 845303, 'need little extra': 555163, 'little extra help': 495335, 'extra help right': 293540, 'help right now': 390466, 'are some specific': 90288, 'some specific way': 783918, 'specific way smallbiz': 788269, 'warroompandemic': 967379, 'vulture capitalist': 961293, 'capitalist 3m': 162795, '3m is': 18323, 'crisis truly': 218277, 'truly despicable': 933291, 'despicable american': 238623, 'price 3m': 672154, '3m ccpvirus': 18307, 'ccpvirus chinesevirus19': 168496, 'chinesevirus19 pandemic': 177465, 'pandemic warroompandemic': 636921, 'warroompandemic 30moredays': 967380, '30moredays stayhomesavelives': 17494, 'vulture capitalist 3m': 961294, 'capitalist 3m is': 162796, '3m is selling': 18324, 'is selling mask': 451760, 'selling mask at': 749336, 'national crisis truly': 552470, 'crisis truly despicable': 218278, 'truly despicable american': 933292, 'despicable american should': 238624, 'american should get': 52194, 'get it at': 347394, 'it at reasonable': 456623, 'reasonable price 3m': 703113, 'price 3m ccpvirus': 672155, '3m ccpvirus chinesevirus19': 18308, 'ccpvirus chinesevirus19 pandemic': 168497, 'chinesevirus19 pandemic warroompandemic': 177466, 'pandemic warroompandemic 30moredays': 636922, 'warroompandemic 30moredays stayhomesavelives': 967381, 'so anti': 776522, 'consumer early': 197274, 'early boarding': 264560, 'boarding fee': 133698, 'fee policy': 302215, 'policy reversed': 663490, 'reversed after': 720530, 'after backlash': 35388, 'backlash via': 107563, 'is just so': 449148, 'just so anti': 469818, 'so anti consumer': 776523, 'anti consumer early': 78287, 'consumer early boarding': 197275, 'early boarding fee': 264561, 'boarding fee policy': 133699, 'fee policy reversed': 302216, 'policy reversed after': 663491, 'reversed after backlash': 720531, 'after backlash via': 35389, 'asia am': 95157, 'canadian dollar': 160673, 'dollar may': 253033, 'fall alongside': 296814, 'alongside price': 47101, 'rise weekend': 723063, 'weekend stock': 977415, 'gain usdcad': 342831, 'usdcad audusd': 948981, 'asia am the': 95158, 'am the canadian': 50487, 'the canadian dollar': 850321, 'canadian dollar may': 160674, 'dollar may fall': 253034, 'may fall alongside': 521177, 'fall alongside price': 296815, 'alongside price at': 47102, 'price at market': 672804, 'at market open': 99685, 'market open after': 516806, 'open after the': 612019, 'after the virtual': 36366, 'the virtual meeting': 870785, 'virtual meeting wa': 957759, 'back the australian': 107302, 'the australian dollar': 849060, 'australian dollar may': 103480, 'dollar may rise': 253035, 'may rise weekend': 521471, 'rise weekend stock': 723064, 'weekend stock future': 977416, 'stock future gain': 802191, 'future gain usdcad': 342333, 'gain usdcad audusd': 342832, 'life then': 489106, 'employee dropping': 273787, 'fly qanon': 311628, 'if can go': 413926, 'store for 30': 807783, '30 minute without': 17129, 'minute without being': 533903, 'without being afraid': 1002520, 'being afraid for': 124826, 'afraid for my': 34979, 'my life then': 549043, 'life then why': 489107, 'then why aren': 877755, 'store employee dropping': 807478, 'employee dropping like': 273788, 'like fly qanon': 490254, 'cleanshelf': 181176, '960': 23667, 'authority order': 103771, 'order cleanshelf': 618132, 'cleanshelf supermarket': 181178, 'refund by': 706875, 'by 26th': 151619, '26th march': 16242, 'march 960': 515251, '960 customer': 23668, 'their outlet': 874144, 'at hiked': 98910, 'following news': 312800, 'the competition authority': 851375, 'competition authority order': 191671, 'authority order cleanshelf': 103772, 'order cleanshelf supermarket': 618133, 'cleanshelf supermarket to': 181180, 'supermarket to refund': 823406, 'to refund by': 913083, 'refund by 26th': 706876, 'by 26th march': 151620, '26th march 960': 16243, 'march 960 customer': 515252, '960 customer who': 23669, 'customer who bought': 223075, 'who bought hand': 988333, 'sanitizers from their': 736286, 'from their outlet': 337947, 'their outlet at': 874145, 'outlet at hiked': 629028, 'at hiked price': 98911, 'hiked price following': 396332, 'price following news': 673910, 'following news of': 312801, 'hardly afford': 378242, 'self induced': 747653, 'induced market': 435475, 'economy can hardly': 267736, 'can hardly afford': 158563, 'hardly afford these': 378243, 'of self induced': 589469, 'self induced market': 747654, 'induced market disruption': 435476, 'maker available': 510821, 'kshs 3500': 477838, '3500 make': 17939, 'coffee maker available': 185510, 'maker available for': 510822, 'for kshs 3500': 322865, 'kshs 3500 make': 477839, '3500 make your': 17940, 'even stressed': 284612, 'stressed worried': 813472, 'fucking way': 340053, 'world reacting': 1009923, 'reacting going': 700172, 'not even stressed': 569279, 'even stressed worried': 284613, 'stressed worried about': 813473, '19 it the': 8155, 'it the fucking': 461537, 'the fucking way': 855993, 'fucking way the': 340054, 'the world reacting': 871946, 'world reacting going': 1009924, 'reacting going to': 700173, 'need food shop': 554807, 'shop at some': 759955, 'some point but': 783584, 'point but these': 662448, 'but these stupid': 147487, 'these stupid panic': 880763, 'stupid panic buyer': 815434, 'buyer have left': 149658, 'have left nothing': 381296, 'left nothing on': 485575, 'since haven': 770641, 'haven gone': 383808, 'gone shopping': 356364, 'balcony thank': 109032, 'since haven gone': 770642, 'haven gone shopping': 383809, 'gone shopping at': 356365, 'supermarket tonight and': 823505, 'tonight and not': 924362, 'and not on': 67761, 'street we applaud': 813169, 'applaud the doctor': 82254, 'health worker from': 386975, 'the balcony thank': 849216, 'balcony thank you': 109033, 'laundry consumer': 482104, 'doing laundry consumer': 252509, 'laundry consumer report': 482105, 'sweep in': 830128, 'supermarket sweep in': 823094, 'sweep in aldi': 830129, 'in aldi with': 420159, 'weirdtimes': 977846, 'neighbourhood cry': 557270, 'cry only': 219897, 'only offered': 610845, 'pick her': 655651, 'her some': 392394, 'cried cried': 216745, 'cried weirdtimes': 216759, 'just made an': 469204, 'made an old': 507632, 'old lady in': 598322, 'the neighbourhood cry': 861441, 'neighbourhood cry only': 557271, 'cry only offered': 219898, 'only offered to': 610846, 'offered to pick': 594981, 'to pick her': 911720, 'pick her some': 655652, 'her some stuff': 392395, 'some stuff up': 783986, 'up from supermarket': 944991, 'from supermarket she': 337499, 'supermarket she cried': 822406, 'she cried cried': 755965, 'cried cried weirdtimes': 216746, 'quick on': 694334, 'on denying': 600296, 'denying the': 237159, 'the deferral': 853038, 'deferral which': 232188, 'were with': 980351, 'no are': 563630, 'no therefore': 565703, 'therefore denied': 879423, 'denied can': 236952, 'lose my': 503457, 'job du': 465803, 'they also are': 881142, 'also are quick': 47882, 'are quick on': 89394, 'quick on denying': 694335, 'on denying the': 600297, 'denying the deferral': 237160, 'the deferral which': 853039, 'deferral which they': 232189, 'which they were': 986399, 'they were with': 883818, 'were with me': 980352, 'with me two': 999457, 'me two question': 523846, 'two question have': 937175, 'question have you': 693608, 'have you lost': 383677, 'virus my answer': 958515, 'my answer wa': 547271, 'answer wa no': 78142, 'wa no are': 962715, 'no are you': 563631, 'are you sick': 91855, 'you sick with': 1021249, '19 my answer': 8718, 'wa no therefore': 962736, 'no therefore denied': 565704, 'therefore denied can': 879424, 'denied can lose': 236953, 'can lose my': 158906, 'lose my job': 503458, 'my job du': 548910, 'flared': 310013, 'amid uncertainty': 52740, 'pandemic flared': 635432, 'flared in': 310014, 'some city': 782542, 'order applied': 618048, 'nation last': 552246, 'demand continued': 235167, 'to drop with': 904785, 'drop with demand': 260454, 'demand amid uncertainty': 234934, 'amid uncertainty over': 52741, 'uncertainty over oil': 939737, 'over oil supply': 630456, 'oil supply the': 597464, 'supply the covid': 825961, '19 pandemic flared': 9328, 'pandemic flared in': 635433, 'flared in some': 310015, 'in some city': 428085, 'some city and': 782543, 'city and stay': 179053, 'home order applied': 401765, 'order applied to': 618049, 'to the vast': 917167, 'the nation last': 861247, 'nation last week': 552247, 'last week it': 480657, 'week it not': 976437, 'it not surprising': 459924, 'surprising that lack': 828639, 'of demand continued': 582500, 'demand continued to': 235168, 'continued to drive': 201357, 'to drive gas': 904737, 'drive gas price': 259064, 'too toilet': 925130, 'be used toiletpaper': 117926, 'used toiletpaper and': 950110, 'toiletpaper and flushed': 921720, 'can also use': 157473, 'also use this': 49052, 'use this too': 949735, 'this too toilet': 890808, 'too toilet paper': 925131, 'be stripping': 117400, 'our paint': 624233, 'paint production': 634299, 'production machine': 682117, 'and sterilizing': 72352, 'sterilizing them': 799882, 'next mission': 561446, 'mission when': 534385, 'when clean': 983253, 'hand can': 374854, 'literally save': 495072, 'international hand': 441813, 'very soon we': 955569, 'soon we will': 785898, 'will be stripping': 992702, 'be stripping the': 117401, 'stripping the line': 813922, 'of our paint': 587529, 'our paint production': 624234, 'paint production machine': 634300, 'production machine and': 682118, 'machine and sterilizing': 507358, 'and sterilizing them': 72353, 'sterilizing them in': 799883, 'them in preparation': 875911, 'preparation for their': 670037, 'for their next': 326853, 'their next mission': 874057, 'next mission when': 561447, 'mission when clean': 534386, 'when clean hand': 983254, 'clean hand can': 180551, 'hand can literally': 374855, 'can literally save': 158892, 'literally save life': 495073, 'save life there': 737562, 'life there is': 489110, 'is an international': 445679, 'an international hand': 56417, 'international hand sanitizer': 441814, 'scale the': 739914, 'action america': 29944, 'america transition': 51722, 'ready supply': 700924, '19 is rapidly': 8032, 'rapidly changing consumer': 696963, 'changing consumer purchasing': 172678, 'consumer purchasing habit': 198621, 'purchasing habit on': 689875, 'habit on global': 372667, 'global scale the': 352188, 'scale the good': 739915, 'are pattern in': 89004, 'pattern in their': 644477, 'in their action': 429713, 'their action america': 872458, 'action america transition': 29945, 'america transition from': 51723, 'you ready supply': 1020819, 'ready supply chain': 700925, 'idiot think': 413616, 'twice could': 936518, 'allow our': 46021, 'staff chance': 792314, 'some vital': 784171, 'themselves after': 876737, 'alive some': 41834, 'selfish duckers': 748081, 'duckers out': 261556, 'there helpeachother': 878473, 'helpeachother uk': 391043, 'buying by putting': 150080, 'by putting all': 153699, 'putting all price': 691082, 'all price up': 44042, 'price up will': 677273, 'up will make': 946610, 'make the idiot': 510572, 'the idiot think': 857848, 'idiot think twice': 413617, 'think twice could': 885727, 'twice could allow': 936519, 'could allow our': 208808, 'allow our emergency': 46022, 'service staff chance': 752850, 'staff chance at': 792315, 'chance at getting': 171703, 'at getting some': 98753, 'getting some vital': 349299, 'some vital supply': 784172, 'vital supply for': 959727, 'supply for themselves': 825281, 'for themselves after': 326937, 'themselves after helping': 876739, 'after helping the': 35780, 'helping the like': 391495, 'like of stay': 490905, 'of stay alive': 590086, 'stay alive some': 796762, 'alive some selfish': 41835, 'some selfish duckers': 783819, 'selfish duckers out': 748082, 'duckers out there': 261557, 'out there helpeachother': 627487, 'there helpeachother uk': 878474, 'favorite wine': 300563, 'on sell': 603361, 'when you already': 984535, 'you already been': 1016937, 'already been to': 47225, 'store once this': 809215, 'once this week': 605760, 'week but your': 976049, 'but your favorite': 148012, 'your favorite wine': 1023835, 'favorite wine on': 300564, 'wine on sell': 995854, 'good to make': 357890, 'it most can': 459682, 'most can get': 542151, 'are such': 90618, 'such key': 816587, 'economy weather': 268332, 'weather if': 974878, 'history repeat': 398048, 'repeat there': 711537, 'is morning': 449731, 'lose sight': 503469, 'consumer are such': 196317, 'are such key': 90620, 'such key to': 816588, 'key to how': 473437, 'to how the': 908025, 'how the world': 408894, 'world economy weather': 1009512, 'economy weather if': 268333, 'weather if history': 974879, 'if history repeat': 414232, 'history repeat there': 398049, 'repeat there is': 711538, 'there is morning': 878589, 'is morning after': 449732, 'morning after that': 541137, 'after that we': 36279, 'not lose sight': 570467, 'lose sight of': 503470, 'cure call': 220715, 'about cure call': 25055, 'cure call our': 220716, 'relevant than': 709176, 'humor primitive': 410904, 'primitive by': 678193, 'by kathy': 152981, 'kathy classic': 471046, 'classic box': 180313, 'box sign': 137160, 'sign inch': 769132, 'inch you': 431400, 'have until': 383468, 'more relevant than': 540219, 'relevant than ever': 709177, 'ever before toiletpaper': 285228, 'before toiletpaper humor': 123240, 'toiletpaper humor primitive': 922096, 'humor primitive by': 410905, 'primitive by kathy': 678194, 'by kathy classic': 152982, 'kathy classic box': 471047, 'classic box sign': 180314, 'box sign inch': 137161, 'sign inch you': 769133, 'inch you never': 431401, 'you have until': 1019137, 'have until it': 383469, 'until it gone': 943749, 'angelamerkel nail': 76349, 'nail speech': 551463, 'speech unlike': 788408, 'unlike trump': 942735, 'trump paused': 933747, 'paused to': 644639, 'offer gratitude': 594643, 'who rarely': 989500, 'rarely get': 697110, 'get recognized': 347900, 'recognized those': 704665, 'angelamerkel nail speech': 76350, 'nail speech unlike': 551464, 'speech unlike trump': 788409, 'unlike trump paused': 942736, 'trump paused to': 933748, 'paused to offer': 644640, 'to offer gratitude': 910836, 'offer gratitude to': 594644, 'gratitude to group': 362401, 'worker who rarely': 1008223, 'who rarely get': 989501, 'rarely get recognized': 697111, 'get recognized those': 347901, 'recognized those who': 704666, 'nhpr': 562208, 'nhpr health': 562209, 'health reporter': 386791, 'know him': 476424, 'him too': 396755, 'too from': 924753, 'is comparing': 446685, 'comparing note': 191450, 'note now': 572763, 're such': 699631, 'such great': 816526, 'nhpr health reporter': 562210, 'health reporter you': 386792, 'reporter you know': 712647, 'you know him': 1019499, 'know him too': 476425, 'him too from': 396756, 'too from is': 924754, 'from is comparing': 336093, 'is comparing note': 446686, 'comparing note now': 191451, 'note now with': 572764, 'now with like': 576449, 'with like if': 999220, 'you re such': 1020764, 're such great': 699632, 'such great reporter': 816527, 'great reporter can': 362958, 'reporter can you': 712607, 'you find some': 1018578, 'find some toilet': 307232, 'grosserie': 366449, 'far always': 298698, 'always really': 49707, 'liked to': 491915, 'but rn': 146945, 'the reckless': 865348, 'reckless people': 704556, 'it rather': 460602, 'rather feel': 697457, 'like grosserie': 490350, 'grosserie shopping': 366450, 'so far always': 777010, 'far always really': 298699, 'always really liked': 49708, 'really liked to': 702381, 'liked to go': 491916, 'shopping but rn': 762255, 'but rn with': 146946, 'rn with all': 724352, 'all the reckless': 44883, 'the reckless people': 865349, 'reckless people around': 704557, 'store it rather': 808591, 'it rather feel': 460603, 'rather feel like': 697458, 'feel like grosserie': 302718, 'like grosserie shopping': 490351, 'bag job': 108328, '19 calm': 5593, 'houston in': 407203, 'mean time': 524725, 'am make': 50206, 'make bag': 509725, 'cash am': 166148, 'sick since': 768605, 'making all the': 510948, 'the bag job': 849178, 'bag job is': 108329, 'job is on': 465905, 'hold until this': 400039, 'covid 19 calm': 212750, '19 calm down': 5594, 'calm down over': 156723, 'down over here': 257072, 'here in houston': 393151, 'in houston in': 423869, 'houston in the': 407204, 'in the mean': 429349, 'the mean time': 860350, 'mean time am': 524726, 'time am make': 896241, 'am make bag': 50207, 'make bag for': 509726, 'bag for some': 108288, 'for some cash': 325733, 'some cash am': 782494, 'cash am thinking': 166149, 'thinking of working': 885977, 'working at retail': 1008528, 'cannot get sick': 161904, 'get sick since': 348002, 'the hunger kill': 857747, 'hunger kill 800': 411141, '5080': 20139, 'shpk': 767650, 'save mix': 737578, 'mix match': 534604, 'match our': 520295, 'take bake': 831983, 'bake dough': 108744, 'dough cookie': 256266, 'cookie mix': 202835, 'mix buy': 534589, 'get 3rd': 346481, '3rd bag': 18417, 'bag free': 108291, 'over 40': 629844, '40 get': 18573, 'call 780': 155718, '780 570': 22336, '570 5080': 20492, '5080 or': 20140, 'sale ca': 732118, 'order shpk': 618578, 'shpk shop': 767651, 'only yeg': 611503, 'yeg yegfood': 1015181, 'yegfood shoplocal': 1015186, 'shoplocal stockup': 761236, 'and save mix': 70954, 'save mix match': 737579, 'mix match our': 534605, 'match our take': 520296, 'our take bake': 625069, 'take bake dough': 831984, 'bake dough cookie': 108745, 'dough cookie mix': 256267, 'cookie mix buy': 202836, 'mix buy get': 534590, 'buy get 3rd': 148733, 'get 3rd bag': 346482, '3rd bag free': 18418, 'bag free spend': 108292, 'free spend over': 332192, 'spend over 40': 788666, 'over 40 get': 629845, '40 get free': 18574, 'get free delivery': 347090, 'free delivery call': 331753, 'delivery call 780': 233774, 'call 780 570': 155719, '780 570 5080': 22337, '570 5080 or': 20493, '5080 or email': 20141, 'email sale ca': 272286, 'sale ca to': 732119, 'ca to order': 154910, 'to order shpk': 911084, 'order shpk shop': 618579, 'shpk shop only': 767652, 'shop only yeg': 760601, 'only yeg yegfood': 611504, 'yeg yegfood shoplocal': 1015182, 'yegfood shoplocal stockup': 1015187, 'buying disinfectant': 150188, 'about buying disinfectant': 24914, 'buying disinfectant product': 150189, 'disinfectant product for': 245728, 'product for people': 681204, 'buying them yourself': 151191, 'them yourself at': 876686, 'market price look': 516892, 'price look at': 675093, 'at this 19': 101220, 'this 19 19': 886152, 'starvingtime': 795279, 'nojob': 566238, 'ingodwetrust': 438327, 'new america': 558337, 'usa rationing': 948732, 'rationing starvingtime': 697871, 'starvingtime pandemic': 795280, 'stayhome nofood': 798052, 'nofood nojob': 566163, 'nojob ingodwetrust': 566239, 'ingodwetrust staysafe': 438328, 'staysafe new': 798851, 'the new america': 861471, 'new america usa': 558338, 'america usa usa': 51730, 'usa usa rationing': 948785, 'usa rationing starvingtime': 948733, 'rationing starvingtime pandemic': 697872, 'starvingtime pandemic stayhome': 795281, 'pandemic stayhome nofood': 636542, 'stayhome nofood nojob': 798053, 'nofood nojob ingodwetrust': 566164, 'nojob ingodwetrust staysafe': 566240, 'ingodwetrust staysafe new': 438329, 'staysafe new york': 798852, '26 percent': 16182, 'in latin': 424617, '19 outbreak there': 9199, 'outbreak there wa': 628736, 'there wa 26': 879219, 'wa 26 percent': 961365, '26 percent increase': 16183, 'shopping in latin': 762977, 'in latin america': 424618, 'across central': 29293, 'texas have': 839781, 'seen dramatic': 747002, 'food unemployment': 317393, 'risen due': 723109, 'coronavirus now': 206325, 'pantry across central': 639507, 'across central texas': 29294, 'central texas have': 169429, 'texas have seen': 839782, 'have seen dramatic': 382423, 'seen dramatic increase': 747003, 'dramatic increase of': 258296, 'increase of people': 432941, 'people needing food': 648841, 'needing food unemployment': 556621, 'food unemployment number': 317394, 'unemployment number have': 941256, 'number have risen': 576887, 'have risen due': 382338, 'risen due to': 723110, 'the coronavirus now': 851881, 'coronavirus now they': 206326, 'packnsave': 633741, 'level one': 487670, 'consider people': 195068, 'supermarket packnsave': 821891, 'packnsave countdown': 633742, 'countdown etc': 210155, 'with minimum': 999517, 'wage working': 964005, 'employer will': 274559, 'for the level': 326530, 'the level one': 859313, 'level one point': 487671, 'point to consider': 662666, 'to consider people': 903232, 'consider people working': 195069, 'in supermarket packnsave': 428644, 'supermarket packnsave countdown': 821892, 'packnsave countdown etc': 633743, 'countdown etc with': 210156, 'etc with glove': 282898, 'mask with minimum': 519585, 'with minimum wage': 999518, 'minimum wage working': 533251, 'wage working in': 964006, 'working in difficult': 1008712, 'difficult time in': 242293, 'time in 10': 896974, '10 day all': 1381, 'day all the': 227228, 'all the employer': 44733, 'the employer will': 854276, 'employer will be': 274560, 'will be with': 992774, 'slump 30': 774672, 'frozen market': 338992, 'house price set': 406504, 'set to slump': 753535, 'to slump 30': 914751, 'slump 30 00': 774673, '30 00 in': 16918, '00 in frozen': 263, 'in frozen market': 423140, 'card game': 163532, 'game spoon': 343251, 'spoon when': 789873, 'person grab': 652447, 'grab spoon': 361540, 'else scramble': 271867, 'scramble and': 742531, 'and freak': 63260, 'freak the': 331515, 'know that part': 476782, 'that part in': 845656, 'in the card': 429057, 'the card game': 850407, 'card game spoon': 163533, 'game spoon when': 343252, 'spoon when one': 789874, 'when one person': 983802, 'one person grab': 606860, 'person grab spoon': 652448, 'grab spoon and': 361541, 'spoon and everyone': 789867, 'everyone else scramble': 286877, 'else scramble and': 271868, 'scramble and freak': 742532, 'and freak the': 63261, 'freak the fuck': 331516, 'fuck out that': 339623, 'out that what': 627338, 'that what the': 847470, 'what the grocery': 982323, 'store feel like': 807709, 'feel like now': 302734, 'like now 19': 490887, 'so according': 776457, 'at nearby': 99857, 'buyer due': 149629, 'freezer you': 332657, 'right selfish': 722263, 'so according to': 776458, 'work at nearby': 1004886, 'at nearby argo': 99858, 'argo panic food': 92666, 'panic food buyer': 638109, 'food buyer due': 313848, 'buyer due to': 149630, 'now buying freezer': 574310, 'buying freezer to': 150374, 'freezer to deal': 332643, 'their food hoarding': 873342, 'food hoarding if': 314827, 'second freezer you': 743725, 'freezer you probably': 332658, 'you probably do': 1020439, 'extra food right': 293517, 'food right selfish': 316239, 'right selfish stophoarding': 722264, 'chain albertsons': 170440, 'union have': 941888, 'worker temporarily': 1007893, 'temporarily classified': 837443, 'would enable': 1011782, 'enable them': 275439, 'get faster': 346994, 'faster covid': 300090, 'grocery chain albertsons': 364355, 'chain albertsons and': 170441, 'albertsons and the': 40848, 'and the union': 73636, 'the union have': 870405, 'union have teamed': 941889, 'teamed up in': 835853, 'up in an': 945145, 'store worker temporarily': 811595, 'worker temporarily classified': 1007894, 'temporarily classified emergency': 837444, 'classified emergency responder': 180351, 'emergency responder this': 272928, 'responder this would': 715537, 'this would enable': 891537, 'would enable them': 1011783, 'enable them to': 275441, 'to get faster': 906476, 'get faster covid': 346995, 'faster covid 19': 300091, 'testing and more': 839438, 'and more protective': 67207, 'more protective equipment': 540171, 'equipment from the': 279735, 'from the union': 337910, 'heard woman': 388171, 'woman tell': 1003627, 'husband want': 411781, 'want divorce': 965762, 'divorce she': 248711, 'she might': 756224, 'been joking': 121420, 'morning heard woman': 541287, 'heard woman tell': 388172, 'woman tell her': 1003628, 'tell her husband': 836967, 'her husband want': 392126, 'husband want divorce': 411782, 'want divorce she': 965763, 'divorce she might': 248712, 'she might have': 756225, 'have been joking': 379589, 'warn that algeria': 966965, 'social collapse due': 779464, 'susanne': 829423, 'refurbishing': 707003, 'lady susanne': 478834, 'susanne shore': 829424, 'shore announcing': 764574, 'announcing covid': 77307, 'fund focus': 341398, 'on child': 599906, 'pantry buy': 639548, 'buy school': 149150, 'school supply': 741939, 'family learning': 297981, 'learning at': 484185, 'home refurbishing': 401957, 'refurbishing and': 707004, 'donating tech': 254505, 'for fan': 321396, 'first lady susanne': 308751, 'lady susanne shore': 478835, 'susanne shore announcing': 829425, 'shore announcing covid': 764575, 'announcing covid 19': 77308, 'relief fund focus': 709352, 'fund focus on': 341399, 'focus on child': 311866, 'on child and': 599907, 'and family could': 62656, 'family could help': 297730, 'could help stock': 209292, 'help stock food': 390577, 'stock food pantry': 802143, 'food pantry buy': 315770, 'pantry buy school': 639549, 'buy school supply': 149151, 'school supply for': 741940, 'supply for low': 825268, 'income family learning': 432336, 'family learning at': 297982, 'learning at home': 484186, 'at home refurbishing': 99092, 'home refurbishing and': 401958, 'refurbishing and donating': 707005, 'and donating tech': 61662, 'donating tech for': 254506, 'tech for fan': 836095, 'for fan in': 321397, 'fan in need': 298520, 'need and more': 554431, 'boohoo': 134441, 'boohoo are': 134442, 'warehouse even': 966722, 'please boycott': 659731, 'boycott boohoo': 137317, 'boohoo remember': 134444, 'next think': 561589, 'boohoo are making': 134443, 'are making work': 88013, 'making work in': 511495, 'the warehouse even': 871082, 'warehouse even though': 966723, 'though some of': 892893, 'of have underlying': 584474, 'condition please boycott': 193510, 'please boycott boohoo': 659732, 'boycott boohoo remember': 137318, 'boohoo remember this': 134445, 'remember this when': 710356, 'you next think': 1020094, 'next think of': 561590, 'think of doing': 885440, 'of doing online': 582769, 'shopping it isn': 763101, 'it isn essential': 459146, 'isn essential work': 454494, 'essential work we': 281809, 'work we need': 1005980, 'usher': 950349, 'the rippling': 865843, 'rippling negative': 722751, 'likely gonna': 492007, 'gonna usher': 356648, 'usher in': 950350, 'in catastrophic': 421292, 'catastrophic 2021': 166947, '2021 do': 14771, 'suggest panic': 817528, 'the rippling negative': 865844, 'rippling negative effect': 722752, '19 on food': 8944, 'chain is likely': 170839, 'is likely gonna': 449348, 'likely gonna usher': 492008, 'gonna usher in': 356649, 'usher in catastrophic': 950351, 'in catastrophic 2021': 421293, 'catastrophic 2021 do': 166948, '2021 do not': 14772, 'want to suggest': 966136, 'to suggest panic': 915743, 'suggest panic buy': 817529, 'buy but we': 148458, 'shortage in few': 765013, 'few month time': 303941, 'never escape': 557972, 'escape that': 280311, 'retail life': 718273, 'can never escape': 159032, 'never escape that': 557973, 'escape that retail': 280312, 'that retail life': 846036, 'brand must': 137913, 'new value': 559820, 'value set': 952200, 'brand must adapt': 137914, 'must adapt to': 546461, 'to new value': 910580, 'new value set': 559821, 'value set by': 952201, 'the consumer via': 851618, 'frozen till december': 339024, 'december 2020 public': 230746, 'public transport will': 688424, 'transport will be': 929974, 'free for next': 331846, 'from south': 337361, 'south bend': 786699, 'bend is': 126857, 'this woman from': 891476, 'woman from south': 1003490, 'from south bend': 337362, 'south bend is': 786700, 'bend is selling': 126858, 'paper on ebay': 640530, 'ebay for 75': 266457, 'for 75 00': 318914, '75 00 you': 22105, '00 you want': 624, 'why your grocery': 991606, 'are empty it': 86154, 'empty it because': 274926, 'changed today': 172588, 'but held': 145912, 'held near': 388906, 'near one': 553563, 'high scaled': 395388, 'scaled last': 739931, 'week mounting': 976546, 'mounting worry': 543459, 'outbreak spot': 628644, 'spot gold': 790063, 'gold eased': 355882, 'to 686': 899807, '686 82': 21504, '82 ounce': 22813, 'ounce having': 621957, 'having touched': 384382, 'touched it': 926621, 'it highest': 458584, 'highest since': 395861, 'price are little': 672694, 'are little changed': 87842, 'little changed today': 495285, 'changed today but': 172589, 'today but held': 919333, 'but held near': 145913, 'held near one': 388907, 'near one month': 553564, 'one month high': 606682, 'month high scaled': 537773, 'high scaled last': 395389, 'scaled last week': 739932, 'last week mounting': 480661, 'week mounting worry': 976547, 'mounting worry about': 543460, 'economic outlook due': 267184, 'to outbreak spot': 911269, 'outbreak spot gold': 628645, 'spot gold eased': 790064, 'gold eased to': 355883, 'eased to 686': 265126, 'to 686 82': 899808, '686 82 ounce': 21505, '82 ounce having': 22814, 'ounce having touched': 621958, 'having touched it': 384383, 'touched it highest': 926622, 'it highest since': 458586, 'highest since mar': 395862, 'the oz': 862819, 'oz company': 632735, 'are undermining': 91292, 'and pumping': 69774, 'the oz company': 862820, 'oz company is': 632736, 'company is in': 190801, 'but it problem': 146155, 'it problem that': 460494, 'problem that have': 679702, 'have been exacerbated': 379530, 'exacerbated by generation': 288667, 'and private equity': 69524, 'equity firm who': 279937, 'firm who are': 308453, 'who are undermining': 988251, 'are undermining our': 91293, 'profit and pumping': 682657, 'and pumping up': 69775, 'pumping up the': 689140, 'the economy stock': 854020, 'economy stock price': 268236, 'australian baby': 103441, 'baby go': 106629, 'their formula': 873367, 'chinese operative': 177310, 'operative send': 613333, 'send million': 749905, 'of tin': 592193, 'tin to': 898565, 'more australian baby': 538688, 'australian baby go': 103442, 'baby go without': 106630, 'go without their': 354525, 'without their formula': 1002985, 'their formula while': 873368, 'formula while thousand': 329730, 'while thousand of': 987462, 'thousand of chinese': 893427, 'of chinese operative': 581378, 'chinese operative send': 177311, 'operative send million': 613334, 'send million of': 749906, 'million of tin': 532290, 'of tin to': 592194, 'tin to china': 898566, 'to china to': 902730, 'rome started': 725753, 'this supermarket chain': 890427, 'chain in rome': 170813, 'in rome started': 427540, 'rome started taking': 725754, 'katt81': 471084, 'cry if': 219875, 'help katt81': 389961, 'katt81 nofood': 471085, 'nofood lockdown': 566157, 'going to cry': 355564, 'to cry if': 903781, 'cry if do': 219876, 'get any money': 346577, 'any money for': 79480, 'for food my': 321606, 'food my supermarket': 315499, 'is closing for': 446607, 'for week no': 327732, 'week no money': 976566, 'no money no': 564786, 'money no eating': 536906, 'no eating for': 564078, 'eating for week': 266211, 'week please please': 976757, 'please please help': 660304, 'please help katt81': 660072, 'help katt81 nofood': 389962, 'katt81 nofood lockdown': 471086, 'on pocketbook': 602827, 'pocketbook report': 662223, 'few important': 303875, 'must know': 546748, 'know read': 476691, 'the take growing': 869126, 'toll on pocketbook': 923868, 'on pocketbook report': 602828, 'pocketbook report are': 662224, 'report are the': 711811, 'government will soon': 360819, 'detail are being': 239157, 'are few important': 86533, 'few important thing': 303876, 'important thing you': 419034, 'thing you must': 885036, 'you must know': 1019923, 'must know read': 546749, 'know read more': 476693, 'allaz': 45628, 'aztogether': 106435, 'wefeedaz': 977617, 'scary when': 741218, 'began and': 123374, 'large volunteer': 479822, 'group canceled': 366632, 'canceled their': 160958, 'food began': 313725, 'dramatically rise': 258364, 'rise we': 723061, 'out call': 625820, 'waited then': 964276, 'then arizona': 877001, 'arizona answered': 92820, 'answered allaz': 78160, 'allaz aztogether': 45629, 'aztogether wefeedaz': 106436, 'it wa scary': 462185, 'wa scary when': 963151, 'scary when this': 741219, 'this pandemic began': 889371, 'pandemic began and': 634996, 'began and many': 123375, 'of our large': 587496, 'our large volunteer': 623641, 'large volunteer group': 479823, 'volunteer group canceled': 960271, 'group canceled their': 366633, 'canceled their shift': 160959, 'their shift the': 874693, 'shift the need': 758417, 'for food began': 321558, 'food began to': 313726, 'began to dramatically': 123446, 'to dramatically rise': 904708, 'dramatically rise we': 258365, 'rise we put': 723062, 'we put out': 972793, 'put out call': 690749, 'out call for': 625821, 'for help and': 322172, 'help and waited': 389363, 'and waited then': 75119, 'waited then arizona': 964277, 'then arizona answered': 877002, 'arizona answered allaz': 92821, 'answered allaz aztogether': 78161, 'allaz aztogether wefeedaz': 45630, 'many previously': 514589, 'previously hailed': 672041, 'hailed slowing': 373946, 'end versus': 276056, 'versus high': 954943, 'end ha': 275835, 'new category': 558469, 'category defying': 167170, 'defying expectation': 232512, 'expectation and': 290796, 'and divide': 61539, 'divide enter': 248587, 'new essential': 558712, 'where many previously': 985013, 'many previously hailed': 514590, 'previously hailed slowing': 672042, 'hailed slowing growth': 373947, 'slowing growth and': 774552, 'and the separation': 73575, 'separation of low': 751120, 'of low end': 586042, 'low end versus': 505268, 'end versus high': 276057, 'versus high end': 954944, 'high end ha': 395058, 'end ha given': 275836, 'ha given birth': 370711, 'to new category': 910551, 'new category defying': 558470, 'category defying expectation': 167171, 'defying expectation and': 232513, 'expectation and divide': 290797, 'and divide enter': 61540, 'divide enter the': 248588, 'enter the new': 278315, 'the new essential': 861502, 'frontliners healthcare': 338894, 'bpo bank': 137464, 'please sustain': 660625, 'sustain them': 829745, 'save our frontliners': 737614, 'our frontliners healthcare': 623206, 'frontliners healthcare worker': 338895, 'worker bpo bank': 1006537, 'bpo bank worker': 137465, 'bank worker supermarket': 110328, '19 please sustain': 9729, 'please sustain them': 660626, 'sustain them and': 829746, 'march 21st': 515175, '21st 2020': 15137, 'buyer no': 149691, 'no nothing': 564889, 'nothing thanks': 573170, 'country wise': 211252, 'leadership king': 483624, 'march 21st 2020': 515176, '21st 2020 near': 15138, 'supermarket no panic': 821613, 'panic buyer no': 637590, 'buyer no nothing': 149692, 'no nothing thanks': 564890, 'nothing thanks to': 573171, 'the country wise': 852184, 'country wise leadership': 211253, 'wise leadership king': 996688, 'leadership king salman': 483625, 'shit the police': 759242, 'revelop': 720366, 'newton': 561148, 'retailproperty': 719535, 'anchored': 57318, 'commercialproperty': 188761, 'revelop ha': 720367, 'added newton': 31588, 'newton village': 561149, 'village to': 957379, 'it adelaide': 456271, 'adelaide retailproperty': 32139, 'retailproperty portfolio': 719536, 'portfolio paying': 665003, 'paying about': 645380, 'dual supermarket': 261445, 'supermarket anchored': 818920, 'anchored neighbourhood': 57319, 'neighbourhood shopping': 557284, 'north eastern': 567640, 'eastern suburb': 265597, 'suburb cre': 816119, 'cre commercialproperty': 215506, 'revelop ha added': 720368, 'ha added newton': 369449, 'added newton village': 31589, 'newton village to': 561150, 'village to it': 957380, 'to it adelaide': 908564, 'it adelaide retailproperty': 456272, 'adelaide retailproperty portfolio': 32140, 'retailproperty portfolio paying': 719537, 'portfolio paying about': 665004, 'paying about 30': 645381, 'about 30 million': 24696, '30 million for': 17111, 'million for the': 532161, 'for the dual': 326398, 'the dual supermarket': 853759, 'dual supermarket anchored': 261446, 'supermarket anchored neighbourhood': 818921, 'anchored neighbourhood shopping': 57320, 'neighbourhood shopping centre': 557285, 'shopping centre in': 762350, 'centre in the': 169509, 'the north eastern': 861873, 'north eastern suburb': 567641, 'eastern suburb cre': 265598, 'suburb cre commercialproperty': 816120, 'say trade': 739408, 'disinfectant ask': 245616, 'on tariff': 603884, 'tariff 19': 834588, 'business say trade': 144348, 'say trade war': 739409, 'trade war on': 928611, 'war on is': 966505, 'on is contributing': 601629, 'shortage of and': 765097, 'of and disinfectant': 580151, 'and disinfectant ask': 61441, 'disinfectant ask for': 245617, 'ask for relief': 95535, 'for relief on': 325095, 'relief on tariff': 709403, 'on tariff 19': 603885, 'sensationalise': 750478, 're woman': 699813, 'woman website': 1003665, 'website looking': 975349, 'write piece': 1012784, 'to sensationalise': 914240, 'sensationalise just': 750479, 'give real': 350674, 'life view': 489174, 'view article': 957068, 'article can': 94288, 'be anonymous': 113628, 'we re woman': 973002, 're woman website': 699814, 'woman website looking': 1003666, 'website looking to': 975350, 'looking to write': 503055, 'to write piece': 918864, 'write piece on': 1012785, 'piece on what': 656354, 'looking to sensationalise': 503043, 'to sensationalise just': 914241, 'sensationalise just give': 750480, 'just give real': 468812, 'give real life': 350675, 'real life view': 701256, 'life view article': 489175, 'view article can': 957069, 'article can be': 94289, 'can be anonymous': 157580, 'best announcement': 127580, 'announcement heard': 77161, 'attention shopper': 102482, 'shopper thank': 761740, 'for respecting': 325165, 'have please': 381956, 'best announcement heard': 127581, 'announcement heard today': 77162, 'heard today at': 388166, 'store attention shopper': 806611, 'attention shopper thank': 102483, 'shopper thank you': 761741, 'you for respecting': 1018665, 'for respecting the': 325166, 'respecting the item': 715149, 'the item shopping': 858612, 'item shopping limit': 463638, 'shopping limit we': 763177, 'limit we have': 492554, 'we have please': 971899, 'have please remember': 381957, 'apply to booze': 82611, 'stupid as': 815350, 'as couple': 94737, 'two moron': 937068, 'moron tested': 541637, 'died of drug': 241588, 'of drug use': 582852, 'drug use in': 261140, 'use in 2019': 949271, '2019 is any': 13976, 'is any one': 445760, 'any one talking': 79559, 'about this stupid': 26664, 'this stupid as': 890398, 'stupid as couple': 815351, 'as couple in': 94738, 'these two moron': 880898, 'two moron tested': 937069, 'moron tested positive': 541638, '20 will': 13409, 'will remove': 994649, 'remove frivolous': 710826, 'frivolous regulation': 334106, 'regulation expediting': 708067, 'expediting response': 291138, 'also decrease': 48088, 'decrease drug': 231562, 'are driven': 85997, 'high regulatory': 395330, 'regulatory cost': 708169, 'cost great': 207958, 'great improvement': 362745, 'improvement for': 419577, 'medical system': 526471, 'system thank': 831329, '19 20 will': 4722, '20 will remove': 13410, 'will remove frivolous': 994650, 'remove frivolous regulation': 710827, 'frivolous regulation expediting': 334107, 'regulation expediting response': 708068, 'expediting response in': 291139, 'response in the': 715732, 'term this will': 838326, 'will also decrease': 992253, 'also decrease drug': 48089, 'decrease drug price': 231563, 'which are driven': 985676, 'are driven up': 85998, 'driven up by': 259371, 'up by high': 944553, 'by high regulatory': 152803, 'high regulatory cost': 395331, 'regulatory cost great': 708170, 'cost great improvement': 207959, 'great improvement for': 362746, 'improvement for the': 419578, 'for the medical': 326554, 'the medical system': 860406, 'medical system thank': 526472, 'system thank you': 831330, 'backgroun': 107544, 'season remember': 743435, 'needy remember': 556701, 'remember relation': 710251, 'relation you': 708683, 'not contacted': 568850, 'contacted in': 200325, 'and far': 62691, 'food stick': 316767, 'love also': 504590, 'also tuesdaythoughts': 49041, 'tuesdaythoughts backgroun': 935216, 'some love this': 783237, 'love this season': 504833, 'this season remember': 889992, 'season remember the': 743436, 'remember the needy': 710313, 'the needy remember': 861413, 'needy remember relation': 556702, 'remember relation you': 710252, 'relation you ve': 708684, 'you ve not': 1022054, 've not contacted': 953397, 'not contacted in': 568851, 'contacted in long': 200326, 'long time remember': 501777, 'time remember those': 897567, 'remember those around': 710359, 'those around and': 891806, 'around and far': 93196, 'and far away': 62692, 'far away from': 298717, 'not just stock': 570250, 'on food stick': 600913, 'food stick up': 316768, 'stick up on': 800073, 'on some love': 603562, 'some love also': 783233, 'love also tuesdaythoughts': 504591, 'also tuesdaythoughts backgroun': 49042, 'uxs': 951517, 'interface': 441661, 'hmi': 398662, 'experience strategy': 291492, 'strategy service': 812710, 'service uxs': 753033, 'uxs at': 951518, 'at strategy': 100667, 'analytics ha': 57229, 'ha examined': 370540, 'likely long': 492049, 'consumer human': 197787, 'human machine': 410557, 'machine interface': 507380, 'interface hmi': 441662, 'hmi preference': 398663, 'from the user': 337912, 'the user experience': 870575, 'user experience strategy': 950279, 'experience strategy service': 291493, 'strategy service uxs': 812711, 'service uxs at': 753034, 'uxs at strategy': 951519, 'at strategy analytics': 100668, 'strategy analytics ha': 812602, 'analytics ha examined': 57230, 'ha examined the': 370541, 'examined the likely': 288833, 'the likely long': 859377, 'likely long term': 492051, 'on consumer human': 600055, 'consumer human machine': 197788, 'human machine interface': 410558, 'machine interface hmi': 507381, 'interface hmi preference': 441663, 'bastamron': 112455, 'industry already': 435615, 'consumer shifting': 198967, 'time rebounding': 897553, 'rebounding from': 703338, 'come said': 187499, 'said bastamron': 730992, 'bastamron partner': 112456, 'an industry already': 56292, 'industry already under': 435616, 'already under pressure': 47735, 'under pressure from': 940204, 'pressure from consumer': 671161, 'from consumer shifting': 334973, 'consumer shifting to': 198968, 'shopping retailer will': 763761, 'tough time rebounding': 926860, 'time rebounding from': 897554, 'rebounding from the': 703339, 'the fallout is': 854881, 'fallout is likely': 297386, 'be felt for': 114824, 'felt for year': 303380, 'to come said': 903046, 'come said bastamron': 187500, 'said bastamron partner': 730993, 'trucker are trying': 932905, 'chain running to': 171071, 'medical equipment read': 526162, 'equipment read more': 279816, 'seeking temporary': 746653, 'temporary designation': 837604, 'of extended': 583338, 'extended first': 293159, 'associate this': 96903, 'this 1st': 886156, 'responder designation': 715443, 'designation would': 238330, 'would prioritize': 1012117, 'prioritize frontline': 678438, 'amp 19': 53316, 'is seeking temporary': 451727, 'seeking temporary designation': 746654, 'temporary designation of': 837605, 'designation of extended': 238327, 'of extended first': 583339, 'extended first responder': 293160, 'responder or emergency': 715503, 'or emergency personnel': 615155, 'emergency personnel for': 272863, 'personnel for supermarket': 653110, 'for supermarket associate': 325999, 'supermarket associate this': 819219, 'associate this 1st': 96904, 'this 1st responder': 886157, '1st responder designation': 12793, 'responder designation would': 715444, 'designation would prioritize': 238331, 'would prioritize frontline': 1012118, 'prioritize frontline grocery': 678439, 'frontline grocery worker': 338750, 'distribution of amp': 248170, 'of amp 19': 580092, 'amp 19 test': 53317, 'argusemissions': 92763, 'continued pandemic': 201333, 'left euets': 485457, 'euets allowance': 283312, 'allowance price': 46118, 'steepest month': 799411, 'market full': 516441, 'full launch': 340653, '2008 argusemissions': 13644, 'over the economic': 630716, 'the continued pandemic': 851672, 'continued pandemic have': 201334, 'pandemic have left': 635592, 'have left euets': 381292, 'left euets allowance': 485458, 'euets allowance price': 283313, 'allowance price this': 46119, 'month on track': 537927, 'track to record': 928236, 'to record their': 912983, 'record their steepest': 705070, 'their steepest month': 874824, 'steepest month on': 799412, 'on month decline': 602199, 'month decline since': 537669, 'of the carbon': 590847, 'carbon market full': 163405, 'market full launch': 516442, 'full launch in': 340654, 'launch in 2008': 481914, 'in 2008 argusemissions': 419756, 'transpacific': 929814, 'ocean': 579105, 'sailing': 731628, 'asia europe': 95174, 'and transpacific': 74375, 'transpacific ocean': 929815, 'ocean carrier': 579106, 'into new': 442802, 'of blank': 580736, 'blank sailing': 132375, 'sailing the': 731629, 'lockdown shift': 499901, 'the dramatically': 853666, 'dramatically curtailing': 258333, 'curtailing consumer': 221791, 'more carrier': 538774, 'carrier shipping': 165020, 'asia europe and': 95175, 'europe and transpacific': 283402, 'and transpacific ocean': 74376, 'transpacific ocean carrier': 929816, 'ocean carrier are': 579107, 'carrier are being': 164951, 'forced into new': 328574, 'into new wave': 442803, 'wave of blank': 969366, 'of blank sailing': 580737, 'blank sailing the': 132376, 'sailing the coronavirus': 731630, 'coronavirus lockdown shift': 206253, 'lockdown shift from': 499902, 'shift from china': 758293, 'china to europe': 177002, 'to europe and': 905275, 'and the dramatically': 73334, 'the dramatically curtailing': 853667, 'dramatically curtailing consumer': 258334, 'curtailing consumer demand': 221792, 'consumer demand read': 197160, 'read more carrier': 700425, 'more carrier shipping': 538775, 'bad now via': 107964, 'only product': 611018, 'category amazon': 167157, 'amazon consumer': 50900, 'state ecommerce': 795545, 'ecommerce essentialservices': 266764, 'essentialservices pandemic': 281926, 'the only product': 862334, 'only product flying': 611019, 'off shelf with': 594151, 'shelf with covid': 757816, 'are the fastest': 90827, 'commerce category amazon': 188527, 'category amazon consumer': 167158, 'amazon consumer need': 50901, 'consumer need state': 198198, 'need state ecommerce': 555631, 'state ecommerce essentialservices': 795546, 'ecommerce essentialservices pandemic': 266765, 'essentialservices pandemic panic': 281927, 'feasable': 301512, 'these pharmacy': 880473, 'all wholesaler': 45463, 'therefore it': 879445, 'not feasable': 569374, 'feasable to': 301513, 'maintain pre': 509012, 'fuel rumour': 340275, 'rumour before': 727512, 'before fact': 122791, 'are know': 87695, 'been to any': 122210, 'to any of': 900609, 'of these pharmacy': 591849, 'these pharmacy to': 880474, 'pharmacy to find': 654516, 'are paying for': 89010, 'paying for stock': 645417, 'for stock all': 325910, 'stock all wholesaler': 801779, 'all wholesaler have': 45464, 'wholesaler have hiked': 990520, 'price and therefore': 672563, 'and therefore it': 73868, 'therefore it is': 879446, 'is not feasable': 450079, 'not feasable to': 569375, 'feasable to maintain': 301514, 'to maintain pre': 909587, 'maintain pre covid': 509013, '19 price please': 9817, 'do not fuel': 249744, 'not fuel rumour': 569554, 'fuel rumour before': 340276, 'rumour before fact': 727513, 'before fact are': 122792, 'fact are know': 295681, 'diy how': 248745, 'diy how to': 248746, 'at home via': 99161, 'home via handsanitizer': 402427, 'via handsanitizer diy': 956008, 'alzheimers': 49826, 'recreates': 705435, 'nowthis': 576594, 'alzheimers family': 49827, 'family recreates': 298182, 'recreates supermarket': 705436, 'for grandmother': 321982, 'grandmother with': 361948, 'and alzheimer': 58000, 'alzheimer nowthis': 49823, 'alzheimers family recreates': 49828, 'family recreates supermarket': 298183, 'recreates supermarket for': 705437, 'supermarket for grandmother': 820398, 'for grandmother with': 321983, 'grandmother with dementia': 361949, 'with dementia and': 997999, 'dementia and alzheimer': 236628, 'and alzheimer nowthis': 58001, 've noticed': 953405, 'gotten nicer': 359151, 'mission kinda': 534365, 'kinda thing': 475081, 'this hopefully': 887943, 've noticed some': 953406, 'noticed some people': 573468, 'people have gotten': 648180, 'have gotten nicer': 380823, 'gotten nicer during': 359152, 'these time minus': 880842, 'minus the grocery': 533693, 'store like we': 808738, 'same mission kinda': 733163, 'mission kinda thing': 534366, 'kinda thing to': 475082, 'thing to end': 884884, 'end this hopefully': 275991, 'this hopefully this': 887944, 'put thing more': 690909, 'thing more into': 884596, 'more into perspective': 539616, 'mark disinfecting': 515781, 'quantity like': 691926, 'when is going': 983614, 'member mark disinfecting': 528128, 'mark disinfecting wipe': 515782, 'sanitizer in mass': 735146, 'in mass quantity': 425173, 'mass quantity like': 519845, 'quantity like they': 691927, 'shophampton': 761151, 'kitchenappliances': 475779, 'gardencity': 343637, 'homegoods': 402703, 'homedesign': 402689, 'shopping shophampton': 763866, 'shophampton appliance': 761152, 'appliance kitchen': 82417, 'kitchen kitchenappliances': 475724, 'kitchenappliances gardencity': 475780, 'gardencity ny': 343638, 'ny lockdown': 577893, 'shoponline onlineshopping': 761273, 'shopping homegoods': 762902, 'homegoods homedesign': 402704, 'homedesign design': 402690, 'design inspiration': 238243, 'practice safe shopping': 668647, 'safe shopping shophampton': 729937, 'shopping shophampton appliance': 763867, 'shophampton appliance kitchen': 761153, 'appliance kitchen kitchenappliances': 82418, 'kitchen kitchenappliances gardencity': 475725, 'kitchenappliances gardencity ny': 475781, 'gardencity ny lockdown': 343639, 'ny lockdown socialdistancing': 577894, 'lockdown socialdistancing shoponline': 499936, 'socialdistancing shoponline onlineshopping': 780682, 'shoponline onlineshopping shopping': 761274, 'onlineshopping shopping homegoods': 609936, 'shopping homegoods homedesign': 762903, 'homegoods homedesign design': 402705, 'homedesign design inspiration': 402691, 'loggd': 500633, 'tryd': 934696, 'amritsari': 54925, 'cholle': 177862, 'howevr': 409535, 'crossd': 219052, '762': 22256, 'understnd': 940920, 'lyk': 507102, 'hi felt': 394641, 'felt hungry': 303395, 'hungry loggd': 411277, 'loggd in': 500634, 'ur app': 947979, 'app tryd': 81788, 'tryd to': 934697, 'add amritsari': 31393, 'amritsari cholle': 54926, 'cholle chawal': 177863, 'chawal box': 174046, 'box wid': 137199, 'wid olive': 991694, 'olive ice': 598737, 'ice tea': 412683, 'tea 4m': 835329, 'in howevr': 423886, 'howevr final': 409536, 'final price': 305858, 'price crossd': 673351, 'crossd like': 219053, 'like 762': 489711, '762 understnd': 22259, 'understnd it': 940921, 'it season': 460916, 'season bt': 743384, 'bt used': 141474, 'used get': 949916, 'get same': 347950, 'in lyk': 424964, 'lyk under': 507105, 'under 400': 939981, 'old time': 598501, 'time any': 896313, 'help wid': 390888, 'wid sum': 991696, 'sum discount': 817867, 'discount hungry': 244483, 'hi felt hungry': 394642, 'felt hungry loggd': 303396, 'hungry loggd in': 411278, 'loggd in ur': 500635, 'in ur app': 430465, 'ur app tryd': 947980, 'app tryd to': 81789, 'tryd to add': 934698, 'to add amritsari': 900051, 'add amritsari cholle': 31394, 'amritsari cholle chawal': 54927, 'cholle chawal box': 177864, 'chawal box wid': 174047, 'box wid olive': 137200, 'wid olive ice': 991695, 'olive ice tea': 598738, 'ice tea 4m': 412684, 'tea 4m in': 835330, '4m in howevr': 19489, 'in howevr final': 423887, 'howevr final price': 409537, 'final price crossd': 305859, 'price crossd like': 673352, 'crossd like 762': 219054, 'like 762 understnd': 489713, '762 understnd it': 22260, 'understnd it season': 940922, 'it season bt': 460917, 'season bt used': 743385, 'bt used get': 141475, 'used get same': 949917, 'get same in': 347951, 'same in lyk': 733122, 'in lyk under': 424966, 'lyk under 400': 507106, 'under 400 in': 939982, '400 in old': 18744, 'in old time': 426100, 'old time any': 598502, 'time any help': 896314, 'any help wid': 79318, 'help wid sum': 390889, 'wid sum discount': 991697, 'sum discount hungry': 817868, 'yaer': 1014040, 'bandula': 109427, 'gunawardana': 368770, 'genelecsl': 345269, 'to setup': 914305, 'setup special': 753740, 'special fuel': 787932, 'stabilize fund': 791847, 'maintain fuel': 508971, 'under flat': 940089, 'one yaer': 607519, 'yaer no': 1014041, 'decrease fuel': 231568, 'minister bandula': 533335, 'bandula gunawardana': 109428, 'gunawardana srilanka': 368771, 'lka genelecsl': 496520, 'government to setup': 360734, 'to setup special': 914306, 'setup special fuel': 753741, 'special fuel price': 787933, 'fuel price stabilize': 340253, 'price stabilize fund': 676592, 'stabilize fund and': 791848, 'fund and maintain': 341357, 'and maintain fuel': 66525, 'maintain fuel price': 508972, 'fuel price under': 340257, 'price under flat': 677179, 'under flat rate': 940090, 'flat rate for': 310095, 'rate for one': 697226, 'for one yaer': 324095, 'one yaer no': 607520, 'yaer no increase': 1014042, 'no increase or': 564500, 'or decrease fuel': 614919, 'decrease fuel price': 231569, 'price for at': 673928, 'least one year': 484591, 'one year minister': 607526, 'year minister bandula': 1014749, 'minister bandula gunawardana': 533336, 'bandula gunawardana srilanka': 109429, 'gunawardana srilanka lka': 368772, 'srilanka lka genelecsl': 791614, 'lbutchers': 482785, 'poultry are': 667307, 'high lbutchers': 395150, 'lbutchers are': 482786, 'price of poultry': 675540, 'of poultry are': 588292, 'poultry are sky': 667308, 'are sky high': 90157, 'sky high lbutchers': 773198, 'high lbutchers are': 395151, 'lbutchers are taking': 482787, '19 in england': 7743, 'market next': 516756, 'shutdown amid': 767985, 'result could': 717493, 'in income': 424008, 'are farmer market': 86496, 'farmer market next': 299452, 'market next to': 516757, 'next to shutdown': 561627, 'to shutdown amid': 914617, 'shutdown amid the': 767986, 'outbreak the result': 628721, 'the result could': 865689, 'result could be': 717494, 'be huge loss': 115317, 'huge loss in': 410095, 'loss in income': 503704, 'in income for': 424009, 'income for who': 432347, 'for who rely': 327861, 'farmer market amp': 299441, 'market amp direct': 515940, 'conveyan': 202578, 'conveyancing': 202581, 'movinghouse': 544218, 'coronavirus 20': 205438, '20 plummet': 13264, 'predicted by': 669604, 'expert conveyan': 291809, 'conveyan via': 202579, 'via conveyancing': 955879, 'conveyancing movinghouse': 202582, 'coronavirus 20 plummet': 205439, '20 plummet in': 13265, 'plummet in house': 661282, 'house price predicted': 406501, 'price predicted by': 675977, 'predicted by expert': 669605, 'by expert conveyan': 152520, 'expert conveyan via': 291810, 'conveyan via conveyancing': 202580, 'via conveyancing movinghouse': 955880, 'cause coffee': 167519, 'coffee price': 185527, '19 cause coffee': 5716, 'cause coffee price': 167520, 'coffee price to': 185528, 'price to tumble': 677059, 'to tumble to': 917834, 'tumble to record': 935314, 'to record 10': 912972, 'record 10 year': 704899, '10 year low': 1772, 'announce number': 76854, 'ensure shopper': 278026, 'stay two': 797368, 'asda is the': 94938, 'to announce number': 900551, 'announce number of': 76855, 'number of socialdistancing': 576994, 'measure in it': 525227, 'it store rule': 461298, 'store rule will': 809914, 'will ensure shopper': 993324, 'ensure shopper stay': 278027, 'shopper stay two': 761710, 'stay two metre': 797369, 'with government order': 998659, 'government order amid': 360431, 'generation you': 345659, 'all helped': 43095, 'create dont': 215636, 'god panic': 354781, 'more sinister': 540399, 'sinister aspect': 771456, 'aspect want': 96225, 'want before': 965731, 'you regardless': 1020886, 'of merit': 586446, 'can see the': 159548, 'see the kind': 745849, 'of generation you': 584083, 'generation you have': 345660, 'have all helped': 379157, 'all helped to': 43096, 'helped to create': 391111, 'to create dont': 903705, 'create dont know': 215637, 'know what mean': 476964, 'what mean go': 981862, 'mean go to': 524466, 'any supermarket fear': 79895, 'supermarket fear is': 820283, 'is your god': 454148, 'your god panic': 1024068, 'god panic buying': 354782, 'buying the symptom': 151175, 'symptom of more': 830886, 'of more sinister': 586650, 'more sinister aspect': 540400, 'sinister aspect want': 771457, 'aspect want before': 96226, 'want before you': 965732, 'before you regardless': 123332, 'you regardless of': 1020887, 'regardless of merit': 707319, 'receipt edible': 703409, 'edible without': 268563, 'without vat': 1003025, 'vat only': 952734, 'told while': 923790, 'were filling': 979621, 'the receipt edible': 865288, 'receipt edible without': 703410, 'edible without vat': 268564, 'without vat only': 1003026, 'vat only went': 952735, 'avoid using the': 105382, 'using the bus': 950691, 'the bus to': 850148, 'get to large': 348477, 'to large supermarket': 909048, 'large supermarket had': 479808, 'had been told': 372916, 'been told while': 122247, 'told while the': 923791, 'while the driver': 987382, 'the driver were': 853702, 'driver were filling': 259848, 'were filling their': 979622, 'filling their boot': 305631, 'worried the': 1010589, 'supplychain could': 826168, 'ill leaving': 416148, 'make process': 510353, 'pack and': 633014, 'deliver supplychainmanagement': 233218, 'industry group are': 435858, 'group are worried': 366614, 'are worried the': 91737, 'worried the supplychain': 1010590, 'the supplychain could': 868973, 'supplychain could break': 826169, 'could break down': 208969, 'break down more': 138705, 'down more american': 256962, 'home or fall': 401740, 'or fall ill': 615263, 'fall ill leaving': 296935, 'ill leaving fewer': 416149, 'to make process': 909722, 'make process pack': 510354, 'process pack and': 679942, 'pack and deliver': 633015, 'and deliver supplychainmanagement': 61088, 'life financial': 488651, 'post angie': 665992, 'kim senior': 474768, 'senior director': 750274, 'former store': 329664, 'at toronto': 101345, 'store cre': 807222, 'hard life financial': 377962, 'life financial post': 488652, 'financial post angie': 306538, 'post angie kim': 665993, 'angie kim senior': 76423, 'kim senior director': 474769, 'senior director of': 750275, 'director of finance': 243648, 'finance and former': 306153, 'and former store': 63213, 'former store manager': 329665, 'store manager ha': 808881, 'manager ha been': 512719, 'been working 12': 122393, 'hour day at': 405524, 'day at toronto': 227339, 'at toronto area': 101346, 'toronto area store': 925925, 'area store cre': 92202, 'store cre realestate': 807223, 'planning doe': 658535, '19 planning doe': 9697, 'planning doe not': 658536, 'not end with': 569169, 'wassup': 968051, 'wassup with': 968052, 'see alot': 744884, 'wassup with the': 968053, 'sale see alot': 732512, 'see alot of': 744885, 'alot of retail': 47133, 'italy even': 462820, 'full via': 340962, 'reason to hoard': 703030, 'hoard supply in': 398874, 'supply in italy': 825400, 'in italy even': 424299, 'italy even now': 462821, 'even now we': 284413, 'the supermarket every': 868579, 'are full via': 86737, 'feel badly': 302577, 'badly let': 108158, 'my rolling': 549963, 'rolling fortnightly': 725669, 'fortnightly order': 329850, 'friday ha': 333229, 'cancelled guessing': 161119, 'guessing because': 368118, 'shortage took': 765278, 'below minimum': 126695, 'spend can': 788591, 'another slot': 77860, 'slot 74': 774092, '74 diabetic': 22082, 'diabetic immunocompromised': 240194, 'out haven': 626265, 'suggestion ocado': 817656, 'feel badly let': 302578, 'badly let down': 108159, 'down by my': 256599, 'by my rolling': 153287, 'my rolling fortnightly': 549964, 'rolling fortnightly order': 725670, 'fortnightly order for': 329851, 'order for friday': 618229, 'for friday ha': 321763, 'friday ha been': 333230, 'been cancelled guessing': 120788, 'cancelled guessing because': 161120, 'guessing because stock': 368119, 'because stock shortage': 119582, 'stock shortage took': 802849, 'shortage took it': 765279, 'took it below': 925266, 'it below minimum': 456841, 'below minimum spend': 126696, 'minimum spend can': 533219, 'spend can get': 788592, 'get another slot': 346565, 'another slot 74': 77861, 'slot 74 diabetic': 774093, '74 diabetic immunocompromised': 22083, 'diabetic immunocompromised so': 240195, 'immunocompromised so can': 417482, 'go out haven': 353956, 'out haven stockpiled': 626266, 'stockpiled any suggestion': 803830, 'any suggestion ocado': 79883, 'one living': 606610, 'living good': 496354, 'these statue': 880720, 'statue 19': 796636, 'only one living': 610878, 'one living good': 606611, 'living good during': 496355, 'pandemic crisis are': 635269, 'crisis are these': 217082, 'are these statue': 90980, 'these statue 19': 880721, 'latest county': 481277, 'county derry': 211363, 'derry supermarket': 237894, 'increase staff': 433079, 'staff pay': 792740, 'coronavirus latest county': 206206, 'latest county derry': 481278, 'county derry supermarket': 211364, 'derry supermarket increase': 237895, 'supermarket increase staff': 821017, 'increase staff pay': 433080, 'staysave': 799045, 'you washed': 1022176, 'washed your': 967624, 'today staysave': 920219, 'staysave wednesdaymotivation': 799046, 'wednesdaythoughts sanitizer': 975730, 'have you washed': 383699, 'you washed your': 1022177, 'washed your hand': 967625, 'your hand today': 1024234, 'hand today staysave': 375884, 'today staysave wednesdaymotivation': 920220, 'staysave wednesdaymotivation wednesdaythoughts': 799047, 'wednesdaymotivation wednesdaythoughts sanitizer': 975719, 'pm addressed': 661848, 'lockdown extension': 499367, 'extension amid': 293273, 'outbreak lockdown2': 628428, 'lockdown2 narendermodi': 500190, 'pm addressed the': 661849, 'nation on april': 552280, 'on april 14': 599431, 'april 14 and': 83413, '14 and announced': 3417, 'and announced for': 58157, 'announced for lockdown': 76947, 'for lockdown extension': 323064, 'lockdown extension amid': 499369, 'extension amid coronavirus': 293274, 'coronavirus outbreak lockdown2': 206398, 'outbreak lockdown2 narendermodi': 628429, 'everyone rush': 287323, 'shelf several': 757500, 'food mart': 315409, 'mart have': 518045, 'adjusted store': 32332, 'demand compiled': 235151, 'everyone rush to': 287324, 'rush to grocery': 728343, 'store and wipe': 806404, 'wipe out shelf': 996351, 'out shelf several': 627173, 'shelf several major': 757501, 'several major food': 753885, 'major food mart': 509339, 'food mart have': 315410, 'mart have adjusted': 518046, 'have adjusted store': 379133, 'adjusted store hour': 32333, 'response to high': 715851, 'high demand compiled': 394998, 'demand compiled list': 235152, 'list of major': 494454, 'major supermarket discount': 509488, 'supermarket discount store': 819966, 'discount store hour': 244540, 'store hour during': 808197, 'pandemic so you': 636499, 'so you know': 778845, 'when to get': 984325, 'vindicated': 957425, 'always quietly': 49703, 'quietly declined': 694719, 'declined to': 231451, 'observed others': 578622, 'same do': 733044, 'feel vindicated': 302922, 'vindicated today': 957426, 'see wide': 746082, 'wide public': 991746, 'public celebration': 687914, 'the dignity': 853290, 'dignity and': 242831, 'worker probably': 1007628, 'have always quietly': 379227, 'always quietly declined': 49704, 'quietly declined to': 694720, 'declined to use': 231452, 'self checkout at': 747576, 'supermarket have observed': 820697, 'have observed others': 381751, 'observed others do': 578623, 'others do the': 621365, 'the same do': 866218, 'same do we': 733045, 'do we feel': 250471, 'we feel vindicated': 971540, 'feel vindicated today': 302923, 'vindicated today we': 957427, 'today we see': 920483, 'we see wide': 973175, 'see wide public': 746083, 'wide public celebration': 991747, 'public celebration of': 687915, 'celebration of the': 168857, 'of the dignity': 590952, 'the dignity and': 853291, 'dignity and value': 242832, 'work of grocery': 1005518, 'store worker probably': 811564, 'coban': 185153, 'burma': 142886, 'food coban': 313951, 'coban coban': 185156, 'coban burma': 185154, 'burma fb': 142887, 'fb quarantine': 300668, 'if we fight': 415282, 'we fight each': 971546, 'other over for': 620639, 'over for shortage': 630231, 'for shortage of': 325607, 'of toiletpaper what': 592289, 'toiletpaper what will': 922831, 'do to each': 250384, 'other when we': 621201, 'we are short': 970711, 'short of food': 764659, 'of food coban': 583668, 'food coban coban': 313952, 'coban coban burma': 185157, 'coban burma fb': 185155, 'burma fb quarantine': 142888, 'price about': 672191, 'plunge what': 661474, 'if sale': 414746, 'sale fall': 732205, 'fall through': 297080, 'share everything': 754984, 'everything homebuyers': 287841, 'homebuyers need': 402635, 'do if buying': 249413, 'if buying house': 413917, 'buying house are': 150502, 'house are price': 406196, 'are price about': 89218, 'price about to': 672192, 'about to plunge': 26731, 'to plunge what': 911838, 'plunge what happens': 661475, 'happens if sale': 377473, 'if sale fall': 414747, 'sale fall through': 732206, 'fall through share': 297081, 'through share everything': 894668, 'share everything homebuyers': 754985, 'everything homebuyers need': 287842, 'homebuyers need to': 402636, 'know during the': 476360, 'way did': 969547, 'did stop': 240825, 'food seeing': 316380, 'people lining': 648662, 'at 3am': 97630, '3am is': 18208, 'crazy go': 215295, 'shop asian': 759929, 'aren ransacked': 92495, 'ransacked and': 696809, 'the way did': 871149, 'way did stop': 969549, 'did stop by': 240826, 'stop by an': 804554, 'by an asian': 151821, 'an asian supermarket': 55435, 'supermarket and guess': 818993, 'guess what that': 368088, 'what that place': 982286, 'that place still': 845749, 'place still had': 657697, 'of food seeing': 583771, 'food seeing the': 316381, 'seeing the news': 746501, 'news about people': 560184, 'about people lining': 25936, 'people lining up': 648663, 'up at costco': 944427, 'at costco at': 98346, 'costco at 3am': 208203, 'at 3am is': 97631, '3am is crazy': 18209, 'is crazy go': 446893, 'crazy go shop': 215296, 'go shop asian': 354098, 'shop asian market': 759930, 'asian market they': 95308, 'market they aren': 517210, 'they aren ransacked': 881483, 'aren ransacked and': 92496, 'ransacked and they': 696810, 'need your business': 556269, 'expeditious': 291148, 'by prime': 153655, 'crop benefiting': 218900, 'benefiting farmer': 127162, 'the railway': 865110, 'the expeditious': 854713, 'expeditious transportation': 291149, 'government led by': 360307, 'led by prime': 485221, 'by prime minister': 153656, 'minister ji ha': 533389, 'perishable crop benefiting': 651963, 'crop benefiting farmer': 218901, 'benefiting farmer amid': 127163, '19 the railway': 11239, 'the railway ha': 865111, 'train for the': 929256, 'for the expeditious': 326422, 'the expeditious transportation': 854714, 'expeditious transportation of': 291150, 'feel auto': 302573, 'buyer post': 149726, 'era and': 280029, 'auto company': 103869, 'adapt rapidly': 31268, 'rapidly to': 697033, 'need thanks': 555720, 'view in': 957098, 'personally feel auto': 653027, 'feel auto industry': 302574, 'auto industry will': 103880, 'will see surge': 994794, 'see surge of': 745773, 'surge of new': 828231, 'of new buyer': 586956, 'new buyer post': 558433, 'buyer post covid': 149727, '19 era and': 6816, 'era and auto': 280030, 'and auto company': 58535, 'auto company will': 103870, 'company will have': 191333, 'to adapt rapidly': 900045, 'adapt rapidly to': 31269, 'rapidly to consumer': 697034, 'consumer need thanks': 198200, 'need thanks for': 555721, 'thanks for taking': 842078, 'for taking my': 326145, 'taking my view': 833452, 'my view in': 550507, 'view in article': 957099, 'chinaliespeopledie': 177121, 'thought china': 892998, 'big exporter': 129772, 'become biggest': 119936, 'biggest exporter': 130237, 'virus chinavirus': 958058, 'chinaliedandpeopledied chinaliespeopledie': 177098, 'thought china is': 892999, 'china is big': 176745, 'is big exporter': 446170, 'big exporter of': 129773, 'exporter of consumer': 292756, 'good but now': 356853, 'but now feel': 146604, 'feel like china': 302702, 'like china ha': 489997, 'china ha become': 176688, 'ha become biggest': 369670, 'become biggest exporter': 119937, 'biggest exporter of': 130238, 'exporter of virus': 292758, 'of virus chinavirus': 592824, 'virus chinavirus chinaliedandpeopledied': 958059, 'chinavirus chinaliedandpeopledied chinaliespeopledie': 177151, 'launch survey': 481951, 'accurate number': 28904, 'end convid19': 275800, 'convid19 in': 202600, 'price shock': 676366, 'shock deadly': 759438, 'deadly danger': 229265, 'danger kushner': 225665, 'cdc launch survey': 168587, 'launch survey to': 481952, 'survey to get': 828967, 'get more accurate': 347580, 'more accurate number': 538541, 'accurate number of': 28905, 'number of undetected': 577008, 'to end convid19': 905075, 'end convid19 in': 275801, 'convid19 in the': 202601, 'the trump corona': 870064, 'business price shock': 144254, 'price shock deadly': 676367, 'shock deadly danger': 759439, 'deadly danger kushner': 229266, 'danger kushner head': 225666, 'and chicken price': 59820, 'fallen by half': 297143, 'by half due': 152743, 'fool will eat': 318313, 'will eat it': 993284, 'people practicing': 649170, 'many people practicing': 514529, 'people practicing social': 649171, 'practicing social isolation': 668743, 'social isolation at': 779821, 'isolation at home': 455208, 'home are turning': 400731, 'protection via': 685674, 'consumer protection via': 198575, 'consumer foodservice': 197515, 'foodservice survey': 318110, 'survey cleanliness': 828837, 'cleanliness trump': 181159, 'trump taste': 933892, 'taste when': 834800, 'crisis 63': 216966, '63 said': 21270, 'want pizza': 965900, 'pizza that': 657205, 'that comfort': 843259, 'so focus': 777098, 'popular menu': 664569, 'in consumer foodservice': 421696, 'consumer foodservice survey': 197516, 'foodservice survey cleanliness': 318111, 'survey cleanliness trump': 828838, 'cleanliness trump taste': 181160, 'trump taste when': 933893, 'taste when asked': 834801, 'when asked what': 983183, 'asked what food': 95898, 'what food consumer': 981457, 'food consumer want': 314000, 'consumer want from': 199465, 'want from restaurant': 965793, 'from restaurant during': 337090, '19 crisis 63': 6207, 'crisis 63 said': 216967, '63 said they': 21271, 'said they want': 731488, 'they want pizza': 883713, 'want pizza that': 965901, 'pizza that comfort': 657206, 'that comfort food': 843260, 'comfort food so': 187839, 'food so focus': 316652, 'so focus on': 777099, 'focus on popular': 311890, 'on popular menu': 602847, 'popular menu item': 664570, 'menu item that': 528884, 'that are safe': 842810, 'are safe foodsafety': 89788, 'unstoppable': 943544, 'eventually subside': 285169, 'subside all': 815942, 'all pandemic': 43903, 'it unstoppable': 461943, 'unstoppable eventually': 943545, 'eventually those': 285175, 'right treatment': 722371, 'treatment will': 931172, 'survive ecommerce': 829158, 'ecommerce via': 266887, 'will eventually subside': 993341, 'eventually subside all': 285170, 'subside all pandemic': 815943, 'all pandemic do': 43904, 'pandemic do but': 635314, 'but the move': 147367, 'the move to': 861089, 'spread it unstoppable': 790594, 'it unstoppable eventually': 461944, 'unstoppable eventually those': 943546, 'eventually those retail': 285176, 'those retail business': 892397, 'retail business without': 717912, 'business without the': 144714, 'without the right': 1002975, 'the right treatment': 865834, 'right treatment will': 722372, 'treatment will not': 931173, 'not survive ecommerce': 571874, 'survive ecommerce via': 829159, 'damn dog': 225340, 'dog panicked': 252150, 'ha the damn': 372194, 'the damn dog': 852813, 'damn dog panicked': 225341, 'dog panicked buying': 252151, 'panicked buying food': 639261, 'buying food selfish': 150331, 'well trying': 978717, 'some white': 784206, 'white rum': 987899, 'rum to': 727461, 'doing well trying': 252839, 'well trying to': 978718, 'find some white': 307235, 'some white rum': 784207, 'white rum to': 987900, 'rum to make': 727462, 'make my own': 510226, 'hill urged': 396498, 'curtis hill urged': 221822, 'hill urged hoosier': 396499, 'victim of price': 956497, 'gouging to file': 359480, 'complaint online with': 192008, 'online with the': 609751, 'litigation risk for': 495136, 'risk for consumer': 723541, 'for consumer financial': 320257, 'buy fridge': 148711, 'fridge today': 333432, 'work shortage': 1005721, 'to twat': 917856, 'twat panic': 936265, 'then buying': 877048, 'buying extra': 150268, 'extra fridge': 293527, 'fridge to': 333430, 'they eat': 882026, 'anyway convid19uk': 80995, 'to buy fridge': 902232, 'buy fridge today': 148712, 'fridge today for': 333433, 'today for work': 919545, 'for work shortage': 327928, 'work shortage in': 1005722, 'shortage in store': 765020, 'due to twat': 262007, 'to twat panic': 917857, 'twat panic buying': 936266, 'and then buying': 73749, 'then buying extra': 877049, 'buying extra fridge': 150269, 'extra fridge to': 293528, 'fridge to store': 333431, 'store it in': 808579, 'it in it': 458735, 'in it ll': 424256, 'it ll all': 459416, 'll all go': 496543, 'all go off': 42944, 'go off before': 353868, 'off before they': 593687, 'before they eat': 123214, 'they eat it': 882027, 'eat it anyway': 265958, 'it anyway convid19uk': 456551, 'amazing anheuser': 50647, 'need grows': 554936, 'grows due': 367308, 'amazing anheuser busch': 50648, 'sanitizer need grows': 735400, 'need grows due': 554937, 'grows due to': 367309, 'fielded': 304541, 'we recently': 973037, 'recently fielded': 704097, 'fielded study': 304542, 'to leisure': 909180, 'traveler in': 930621, 'the regarding': 865418, 'perception related': 651248, 'travel during': 930347, 'we recently fielded': 973039, 'recently fielded study': 704098, 'fielded study to': 304543, 'study to leisure': 814975, 'to leisure traveler': 909181, 'leisure traveler in': 486151, 'traveler in the': 930622, 'in the regarding': 429507, 'the regarding their': 865419, 'regarding their perception': 707299, 'their perception related': 874273, 'perception related to': 651249, 'to travel during': 917728, 'travel during the': 930348, 'global pandemic check': 352074, 'out the result': 627413, 'the result in': 865693, 'result in our': 717542, 'creating masterpiece': 216028, 'masterpiece in': 520231, 'kitchen out': 475736, 'of whatever': 593071, 'creating masterpiece in': 216029, 'masterpiece in the': 520232, 'the kitchen out': 858837, 'kitchen out of': 475737, 'out of whatever': 626875, 'of whatever is': 593072, 'is left on': 449274, 'home analyst': 400606, 'analyst demand': 57119, 'for gear': 321855, 'jumped significantly': 467948, 'according to home': 28553, 'to home analyst': 907925, 'home analyst demand': 400607, 'analyst demand for': 57120, 'demand for gear': 235428, 'for gear to': 321856, 'home ha jumped': 401329, 'ha jumped significantly': 371039, 'jumped significantly since': 467949, 'on insurer': 601597, 'insurance canadacovid19': 440683, 'our neighbor to': 624010, 'neighbor to the': 557077, 'the north of': 861875, 'north of canada': 567672, 'of canada on': 581086, 'canada on insurer': 160515, 'on insurer consumer': 601598, 'insurer consumer relief': 440876, 'consumer relief effort': 198688, 'relief effort 19': 709317, 'effort 19 insurance': 269460, '19 insurance canadacovid19': 7898, 'will service': 994821, 'like still': 491239, 'shopping uklockdownnow': 764285, 'uklockdownnow uk': 939024, 'will service like': 994822, 'service like still': 752569, 'like still be': 491240, 'online shopping uklockdownnow': 609322, 'shopping uklockdownnow uk': 764286, 'uklockdownnow uk 19': 939025, 'today ll': 919818, 'post meme': 666212, 'meme know': 528326, 'time pls': 897500, 'care love': 164053, 'love all': 504588, 'toiletpaper backtothefuture': 921776, 'backtothefuture meme': 107600, 'meme vine': 528373, 'today ll post': 919819, 'll post meme': 496957, 'post meme know': 666213, 'meme know it': 528327, 'know it for': 476528, 'all of hard': 43692, 'of hard time': 584458, 'hard time pls': 378041, 'time pls take': 897501, 'take care love': 832009, 'care love all': 164054, 'love all 19': 504589, 'all 19 toiletpaper': 41889, '19 toiletpaper backtothefuture': 11486, 'toiletpaper backtothefuture meme': 921777, 'backtothefuture meme vine': 107601, 'coughingchallenge': 208780, 'grocerystorechallenge': 366345, 'idiot coughing': 413493, 'coughing wuhan': 208778, 'wuhan coughingchallenge': 1013475, 'coughingchallenge grocerystorechallenge': 208781, 'grocerystorechallenge fucking': 366346, 'fucking retard': 339980, 'retard hope': 719628, 'idiot get': 413513, 'idiot coughing wuhan': 413494, 'coughing wuhan coughingchallenge': 208779, 'wuhan coughingchallenge grocerystorechallenge': 1013476, 'coughingchallenge grocerystorechallenge fucking': 208782, 'grocerystorechallenge fucking retard': 366347, 'fucking retard hope': 339981, 'retard hope you': 719629, 'hope you stupid': 403809, 'stupid idiot get': 815398, 'idiot get sick': 413514, 'nude': 576763, 'inquires': 439001, 'selling picture': 749400, 'price selling': 676340, 'selling foot': 749249, 'foot pic': 318425, 'pic selling': 655623, 'selling nude': 749360, 'nude selling': 576764, 'selling video': 749527, 'video sugar': 956908, 'daddy needed': 224421, 'needed serious': 556486, 'serious inquires': 751417, 'inquires only': 439004, 'to be selling': 901528, 'be selling picture': 117072, 'selling picture to': 749401, 'picture to help': 656205, 'to help pay': 907585, 'help pay my': 390276, 'my bill and': 547450, 'and buy grocery': 59339, 'buy grocery please': 148757, 'grocery please dm': 364867, 'me to talk': 523787, 'talk price selling': 833839, 'price selling foot': 676341, 'selling foot pic': 749250, 'foot pic selling': 318426, 'pic selling nude': 655624, 'selling nude selling': 749361, 'nude selling video': 576765, 'selling video sugar': 749528, 'video sugar daddy': 956909, 'sugar daddy needed': 817445, 'daddy needed serious': 224422, 'needed serious inquires': 556487, 'serious inquires only': 751418, 'perfectly sum': 651397, 'up trip': 946481, 'perfectly sum up': 651398, 'sum up trip': 817883, 'up trip to': 946482, 'rise late': 722926, 'late or': 480901, 'have appts': 379344, 'appts etc': 83347, 'store separate': 810037, 'separate dollargeneral': 751066, 'dollargeneral ha': 253120, 'decided with': 230944, 'day an': 227250, 'idea for store': 413052, 'for store retail': 325930, 'store retail to': 809878, 'retail to offer': 718796, 'offer the first': 594827, 'hour of shopping': 405806, 'of shopping maybe': 589667, 'shopping maybe even': 763260, 'maybe even the': 521674, 'even the last': 284661, 'the last in': 859015, 'last in day': 480275, 'in day in': 422012, 'in case rise': 421271, 'case rise late': 165991, 'rise late or': 722927, 'late or have': 480902, 'or have appts': 615578, 'have appts etc': 379345, 'appts etc for': 83348, 'etc for senior': 282550, 'senior to go': 750427, 'the store separate': 868099, 'store separate dollargeneral': 810038, 'separate dollargeneral ha': 751067, 'dollargeneral ha decided': 253121, 'ha decided with': 370321, 'decided with the': 230945, 'the day an': 852868, 'egg assume': 269782, 'on twd': 604912, 'twd felt': 936273, 'run quarantineday5': 727782, 'store he wa': 808124, 'he wa able': 385581, 'able to score': 24539, 'score some fresh': 742370, 'dozen egg assume': 257871, 'egg assume the': 269783, 'assume the feeling': 97022, 'par with what': 641207, 'with what those': 1002075, 'what those on': 982441, 'those on twd': 892291, 'on twd felt': 604913, 'twd felt when': 936274, 'felt when someone': 303480, 'successful supply run': 816251, 'supply run quarantineday5': 825788, 'them albertsons': 875330, 'albertsons company': 40851, 'the ufcw': 870183, 'ufcw are': 937926, 'associate be': 96848, 'be designated': 114419, 'designated extended': 238292, 'during shelter': 263004, 'supermarket associate are': 819216, 'associate are taking': 96847, 'care of let': 164105, 'of let take': 585789, 'of them albertsons': 591721, 'them albertsons company': 875331, 'albertsons company and': 40852, 'company and the': 190395, 'and the ufcw': 73629, 'the ufcw are': 870184, 'ufcw are asking': 937927, 'are asking that': 84647, 'asking that supermarket': 96073, 'that supermarket associate': 846561, 'supermarket associate be': 819217, 'associate be designated': 96849, 'be designated extended': 114420, 'designated extended first': 238293, 'personnel during shelter': 653103, 'during shelter in': 263005, 'in place read': 426759, 'sweep democrat': 830117, 'democrat won': 236755, 'let fund': 486726, 'fund hospital': 341427, 'or save': 616966, 'business turn': 144578, 'turn bill': 935655, 'into funding': 442579, 'supermarket sweep democrat': 823089, 'sweep democrat won': 830118, 'democrat won let': 236756, 'won let fund': 1003864, 'let fund hospital': 486727, 'fund hospital or': 341428, 'hospital or save': 404545, 'or save business': 616967, 'save business turn': 737484, 'business turn bill': 144579, 'turn bill into': 935656, 'bill into funding': 130599, 'into funding for': 442580, 'for the green': 326467, 'the green new': 856777, 'mnuchinmoney': 534842, 'fyi great': 342631, 'data dashboard': 226190, 'dashboard on': 226083, 'spend trend': 788690, 'trend by': 931296, 'the cv': 852756, 'cv business': 223837, 'time nyclockdown': 897304, 'nyclockdown datascience': 578081, 'datascience mnuchinmoney': 226557, 'mnuchinmoney mnuchin': 534843, 'fyi great data': 342632, 'great data dashboard': 362607, 'data dashboard on': 226191, 'dashboard on consumer': 226084, 'on consumer spend': 600079, 'consumer spend trend': 199037, 'spend trend by': 788691, 'trend by industry': 931298, 'by industry see': 152916, 'industry see the': 436101, 'see the cv': 745822, 'the cv business': 852757, 'cv business impact': 223838, 'business impact in': 143869, 'impact in real': 417707, 'real time nyclockdown': 701412, 'time nyclockdown datascience': 897305, 'nyclockdown datascience mnuchinmoney': 578082, 'datascience mnuchinmoney mnuchin': 226558, 'panel during': 637174, 'your lunch': 1024756, 'answered about': 78158, 'now mrx': 575320, 'mrx webinar': 544499, 'connect with live': 194635, 'with live consumer': 999269, 'consumer panel during': 198325, 'panel during your': 637175, 'during your lunch': 263433, 'your lunch today': 1024757, 'lunch today and': 506754, 'question answered about': 693528, 'answered about what': 78159, 'about what going': 26883, 'on with consumer': 605337, 'consumer right now': 198823, 'right now mrx': 722104, 'now mrx webinar': 575321, 'update framing': 946967, 'framing lumber': 330958, 'lumber future': 506664, 'increased until': 433528, 'risk update framing': 723988, 'update framing lumber': 946968, 'framing lumber future': 330959, 'lumber future price': 506665, 'future price down': 342427, 'down 25 year': 256399, '25 year over': 15997, 'over year here': 630956, 'year here is': 1014617, 'is another monthly': 445737, 'on framing lumber': 600979, 'framing lumber price': 330960, 'lumber price lumber': 506669, 'lumber price declined': 506667, 'declined sharply from': 231441, 'sharply from the': 755742, 'from the record': 337853, 'the record high': 865364, 'early 2018 and': 264528, '2018 and then': 13874, 'then increased until': 877269, 'increased until the': 433529, 'former osha': 329653, 'osha official': 619705, 'official voice': 595963, 'voice alarm': 959972, 'alarm trump': 40683, 'tell corporation': 836939, 'corporation they': 207466, 'case among': 165614, 'or factory': 615254, 'factory then': 296004, 'then sorry': 877552, 'there probably': 878962, 'former osha official': 329654, 'osha official voice': 619706, 'official voice alarm': 595964, 'voice alarm trump': 959973, 'alarm trump tell': 40684, 'trump tell corporation': 933900, 'tell corporation they': 836940, 'corporation they don': 207467, 'have to record': 383275, 'to record coronavirus': 912975, 'record coronavirus case': 704922, 'coronavirus case among': 205614, 'case among their': 165615, 'among their worker': 53083, 'their worker if': 875215, 'store or factory': 809331, 'or factory then': 615255, 'factory then sorry': 296005, 'then sorry the': 877553, 'sorry the coronavirus': 786086, 'the coronavirus case': 851816, 'coronavirus case there': 205623, 'case there probably': 166064, 'there probably aren': 878963, 'probably aren being': 679208, 'aren being reported': 92343, 'safety avoiding': 730480, 'avoiding counterfeit': 105439, 'consumer online safety': 198266, 'online safety avoiding': 608906, 'safety avoiding counterfeit': 730481, 'avoiding counterfeit covid': 105440, 'meitzner': 527883, 'sedgwick': 744844, 'meitzner say': 527884, 'the sedgwick': 866634, 'sedgwick co': 744845, 'co legal': 184875, 'legal department': 485856, 'possible designated': 665620, 'population ensuring': 664679, 'ensuring there': 278200, 'employee kakenews': 274002, 'meitzner say the': 527885, 'say the sedgwick': 739302, 'the sedgwick co': 866635, 'sedgwick co legal': 744846, 'co legal department': 184876, 'legal department is': 485857, 'department is working': 237218, 'working with grocery': 1009058, 'store on possible': 809201, 'on possible designated': 602856, 'possible designated shopping': 665621, 'vulnerable population ensuring': 961125, 'population ensuring there': 664680, 'ensuring there enough': 278201, 'there enough hand': 878357, 'etc for employee': 282543, 'for employee kakenews': 321032, 'singer brad': 771182, 'and wife': 75648, 'williams own': 995445, 'nashville to': 552028, 'country singer brad': 211060, 'singer brad paisley': 771183, 'paisley and wife': 634370, 'and wife kimberly': 75649, 'kimberly williams own': 474779, 'williams own free': 995446, 'in nashville to': 425685, 'nashville to help': 552029, 'the crisis they': 852463, 'crisis they started': 218218, 'they started volunteer': 883446, 'service to bring': 752972, 'capacity that': 162580, 'permanent switch': 652075, 'of on demand': 587213, 'export capacity that': 292618, 'capacity that continues': 162581, 'of the power': 591354, 'the power station': 864156, 'station are making': 796343, 'making the permanent': 511423, 'the permanent switch': 863572, 'permanent switch to': 652076, 'pblc': 645858, 'trnsprt': 932332, 'disturbing piece': 248415, 'by however': 152846, 'term view': 838337, 'other micro': 620544, 'micro mobility': 530426, 'mobility might': 535085, 'lifted change': 489480, 'behaviour fear': 124416, 'of still': 590126, 'still catching': 800351, 'scooter instead': 742326, 'crowded pblc': 219331, 'pblc trnsprt': 645859, 'disturbing piece by': 248416, 'piece by however': 656282, 'by however long': 152847, 'however long term': 409411, 'long term view': 501720, 'term view on': 838338, 'view on other': 957138, 'on other micro': 602557, 'other micro mobility': 620545, 'micro mobility might': 530427, 'mobility might be': 535086, 'might be lockdown': 530911, 'be lockdown is': 115794, 'lockdown is lifted': 499547, 'is lifted change': 449304, 'lifted change in': 489481, 'consumer behaviour fear': 196569, 'behaviour fear of': 124417, 'fear of still': 301261, 'of still catching': 590127, 'still catching more': 800352, 'catching more people': 167099, 'more people use': 540048, 'people use scooter': 650068, 'use scooter instead': 949561, 'scooter instead of': 742327, 'instead of crowded': 440248, 'of crowded pblc': 582227, 'crowded pblc trnsprt': 219332, 'proritise': 684608, 'present britain': 670580, 'britain no': 140429, 'created special': 215894, 'special fund': 787934, 'also proritise': 48702, 'proritise the': 684609, 'your custom': 1023401, 'custom britain': 221978, 'may we present': 521606, 'we present britain': 972741, 'present britain no': 670581, 'britain no the': 140430, 'no the popular': 565698, 'the popular supermarket': 864018, 'popular supermarket created': 664607, 'supermarket created special': 819859, 'created special fund': 215895, 'special fund to': 787935, 'support their staff': 826903, 'staff during and': 792394, 'during and also': 262451, 'and also proritise': 57969, 'also proritise the': 48703, 'proritise the first': 684610, 'hour of opening': 405800, 'of opening for': 587296, 'opening for vulnerable': 612839, 'for vulnerable customer': 327600, 'vulnerable customer you': 960928, 'customer you know': 223126, 'where to take': 985315, 'take your custom': 832817, 'your custom britain': 1023402, 'airway nope': 40165, 'nope airway': 566893, 'ha choice': 370153, 'ban wrong': 109297, 'wrong evil': 1013029, 'airway nope airway': 40166, 'nope airway ha': 566894, 'airway ha choice': 40161, 'ha choice here': 370154, 'on people trying': 602757, 'travel ban wrong': 930290, 'ban wrong evil': 109298, 'smart simple': 775424, 'people apart': 646900, 'checkout queue': 174986, 'denmark smart and': 237025, 'smart and smart': 775340, 'and smart simple': 71791, 'smart simple way': 775425, 'keep people apart': 471784, 'people apart in': 646901, 'the checkout queue': 850772, 'checkout queue socialdistancing': 174987, 'continue advertising': 200988, 'advertising during': 33224, 'so wisely': 778785, 'wisely say': 996717, 'brand should continue': 138008, 'should continue advertising': 765875, 'continue advertising during': 200989, 'advertising during crisis': 33225, 'during crisis but': 262554, 'crisis but do': 217147, 'but do so': 145561, 'do so wisely': 250107, 'so wisely say': 778786, 'wisely say global': 996718, 'say global consumer': 738681, 'consumer survey from': 199190, 'even lockdown': 284306, 'job losing': 465961, 'money sick': 537018, 'sick anxious': 768377, 'government decides': 360010, 'decides now': 230949, 'tax oh': 835040, 'so everyone in': 776976, 'stay in isolation': 797050, 'isolation and some': 455201, 'some even lockdown': 782771, 'even lockdown people': 284307, 'their job losing': 873723, 'job losing money': 465962, 'losing money sick': 503573, 'money sick anxious': 537019, 'sick anxious and': 768378, 'anxious and the': 78839, 'the government decides': 856522, 'government decides now': 360011, 'decides now is': 230950, 'time to higher': 897996, 'to higher the': 907747, 'higher the council': 395767, 'the council tax': 852016, 'council tax oh': 210032, 'tax oh and': 835041, 'oh and also': 596349, 'and also think': 57978, 'also think it': 49003, 'good to put': 357896, 'to put price': 912607, 'booming for': 134878, 'but san': 146959, 'diego farmworkers': 241621, 'pandemic hard': 635585, 'hard anyone': 377868, 'is booming for': 446224, 'booming for grocery': 134879, 'store but san': 806806, 'but san diego': 146960, 'san diego farmworkers': 733525, 'diego farmworkers are': 241622, 'farmworkers are experiencing': 299693, 'are experiencing the': 86353, 'experiencing the economic': 291710, 'the pandemic hard': 862981, 'pandemic hard anyone': 635586, 'hard anyone else': 377869, 'yellowvest': 1015276, 'gelbenwesten': 345179, 'yellowvestsuk': 1015280, 'giletsjaunes': 350135, 'chalecosamarillos': 171369, 'giletjaune': 350133, 'yellowvests': 1015279, 'belgium price': 126182, 'price happening': 674402, 'the killing': 858808, 'killing field': 474673, 'field no': 304491, 'cure coronaplus': 220721, 'coronaplus will': 205177, 'worse yellowvest': 1011057, 'yellowvest gelbenwesten': 1015277, 'gelbenwesten yellowvestsuk': 345180, 'yellowvestsuk giletsjaunes': 1015281, 'giletsjaunes chalecosamarillos': 350136, 'chalecosamarillos giletjaune': 171370, 'giletjaune yellowvests': 350134, 'profiting from crisis': 683122, 'from crisis supermarket': 335056, 'crisis supermarket belgium': 218118, 'supermarket belgium price': 819362, 'belgium price happening': 126183, 'price happening all': 674403, 'world corona the': 1009449, 'corona the killing': 204223, 'the killing field': 858809, 'killing field no': 474674, 'field no cure': 304492, 'no cure coronaplus': 563945, 'cure coronaplus will': 220722, 'coronaplus will be': 205178, 'much worse yellowvest': 545478, 'worse yellowvest gelbenwesten': 1011058, 'yellowvest gelbenwesten yellowvestsuk': 1015278, 'gelbenwesten yellowvestsuk giletsjaunes': 345181, 'yellowvestsuk giletsjaunes chalecosamarillos': 1015282, 'giletsjaunes chalecosamarillos giletjaune': 350137, 'chalecosamarillos giletjaune yellowvests': 171371, 'gervais': 346413, 'orpol': 619673, 'orleg': 619647, 'come food': 187290, 'in gervais': 423287, 'gervais oregon': 346414, 'oregon convert': 619140, 'production overnight': 682180, 'come orpol': 187458, 'orpol orleg': 619674, 'to come food': 903027, 'come food business': 187291, 'food business in': 313800, 'business in gervais': 143884, 'in gervais oregon': 423288, 'gervais oregon convert': 346415, 'oregon convert to': 619141, 'sanitizer production overnight': 735604, 'production overnight but': 682181, 'overnight but cannot': 631331, 'get the product': 348286, 'product to the': 681766, 'the state or': 867801, 'state or to': 795843, 'or to hospital': 617471, 'to hospital more': 907974, 'hospital more to': 404514, 'to come orpol': 903041, 'come orpol orleg': 187459, 'completing': 192388, 'outbreak tell': 628685, 'team how': 835679, 'you adjusted': 1016825, 'adjusted your': 32339, 'your spend': 1025881, 'by completing': 152164, 'completing this': 192389, 'could win': 209828, 'have your shopping': 383721, 'your shopping habit': 1025783, 'shopping habit changed': 762839, 'habit changed since': 372588, 'changed since the': 172549, '19 outbreak tell': 9195, 'outbreak tell the': 628686, 'tell the team': 837093, 'the team how': 869206, 'team how you': 835680, 'how you adjusted': 409270, 'you adjusted your': 1016826, 'adjusted your spend': 32340, 'your spend in': 1025882, 'spend in this': 788620, 'in this survey': 430022, 'this survey by': 890456, 'survey by completing': 828827, 'by completing this': 152165, 'completing this survey': 192390, 'survey you could': 828989, 'you could win': 1018106, 'could win 500': 209829, 'today helpful': 919638, 'tip cut': 898744, 'body directly': 133843, 'directly through': 243581, 'your bloodstream': 1022978, 'today helpful tip': 919639, 'helpful tip cut': 391233, 'tip cut your': 898745, 'cut your hand': 223641, 'cart so the': 165382, 'so the virus': 778442, 'can enter your': 158241, 'your body directly': 1022987, 'body directly through': 133844, 'directly through your': 243582, 'through your bloodstream': 894920, 'say ignore': 738789, 'for vaccination': 327509, 'vaccination there': 951635, 'cdc say ignore': 168620, 'say ignore online': 738790, 'offer for vaccination': 594621, 'for vaccination there': 327510, 'vaccination there currently': 951636, 'cure coronavirus disease': 220724, 'back rationing': 107243, 'socialdistanacing should we': 780096, 'should we bring': 766641, 'bring back rationing': 139931, 'saugus': 737384, 'time rubber': 897595, 'glove littering': 352755, 'in saugus': 427711, 'saugus ma': 737385, 'ma may': 507275, 'start putting': 794447, 'putting special': 691218, 'special hazmat': 787949, 'hazmat trash': 384623, 'trash basket': 930138, 'cart return': 165372, 'return area': 719816, 'the time rubber': 869616, 'time rubber glove': 897596, 'rubber glove littering': 726938, 'glove littering the': 352756, 'littering the grocery': 495216, 'lot in saugus': 504065, 'in saugus ma': 427712, 'saugus ma may': 737386, 'ma may have': 507276, 'to start putting': 915214, 'start putting special': 794448, 'putting special hazmat': 691219, 'special hazmat trash': 787950, 'hazmat trash basket': 384624, 'trash basket in': 930139, 'basket in cart': 112358, 'in cart return': 421251, 'cart return area': 165373, 'nipping': 563344, 'for jog': 322772, 'jog or': 466493, 'or nipping': 616252, 'nipping to': 563347, 'can will': 160222, 'virus still': 958813, 'virus hasn': 958260, 'even peaked': 284459, 'peaked yet': 646130, 'need drastic': 554709, 'the park for': 863292, 'park for jog': 641909, 'for jog or': 322773, 'jog or nipping': 466494, 'or nipping to': 616253, 'nipping to the': 563348, 'for some milk': 325754, 'some milk egg': 783294, 'milk egg can': 531656, 'egg can will': 269815, 'can will spread': 160223, 'the virus still': 870899, 'virus still so': 958814, 'still so many': 801209, 'so many not': 777681, 'many not taking': 514354, 'seriously enough the': 751595, 'enough the nh': 277669, 'nh is at': 561995, 'breaking point the': 139031, 'the virus hasn': 870838, 'virus hasn even': 958261, 'hasn even peaked': 378745, 'even peaked yet': 284460, 'peaked yet we': 646131, 'yet we need': 1016318, 'we need drastic': 972479, 'need drastic measure': 554710, 'dehydrating': 232586, 'answer can': 78023, 'without dehydrating': 1002583, 'dehydrating your': 232587, 'body hip': 133856, 'american answer can': 51788, 'answer can you': 78024, 'can you stay': 160336, 'alive without dehydrating': 41854, 'without dehydrating your': 1002584, 'dehydrating your body': 232588, 'your body hip': 1022988, 'body hip usacoronavirus': 133857, 'petrifying': 653660, 'hospital declares': 404366, 'declares petrifying': 231264, 'petrifying critical': 653661, 'critical incident': 218579, 'incident intensive': 431415, 'unit is': 942065, 'now 100': 573889, '100 full': 1906, 'london hospital declares': 501091, 'hospital declares petrifying': 404367, 'declares petrifying critical': 231265, 'petrifying critical incident': 653662, 'critical incident intensive': 218580, 'incident intensive care': 431416, 'care unit is': 164246, 'unit is now': 942066, 'is now 100': 450249, 'now 100 full': 573890, 'dangerous ve': 225797, 'and homebound': 64686, 'homebound for': 402615, 'already spending': 47670, 'money have': 536806, 'cute clothes': 223657, 'is dangerous ve': 447031, 'dangerous ve been': 225798, 'work and homebound': 1004783, 'and homebound for': 64687, 'homebound for week': 402616, 'week and already': 975900, 'and already spending': 57938, 'already spending all': 47671, 'spending all the': 788726, 'the money have': 860812, 'money have shopping': 536807, 'have shopping online': 382520, 'online for cute': 608222, 'for cute clothes': 320520, 'cute clothes that': 223658, 'clothes that can': 184215, 'that can even': 843105, 'even go out': 284126, 'owner big': 632404, 'small is': 775004, 'scale covid': 739883, 'covid did': 214149, 'reason why this': 703063, 'why this covid': 991468, 'is so crazy': 452000, 'so crazy for': 776815, 'crazy for business': 215291, 'for business owner': 319839, 'business owner big': 144180, 'owner big and': 632405, 'and small is': 71779, 'small is because': 775005, 'is because it': 446017, 'because it very': 119211, 'hard to shift': 378089, 'to shift consumer': 914412, 'shift consumer habit': 758267, 'habit and trend': 372564, 'and trend on': 74447, 'trend on global': 931412, 'global scale covid': 352185, 'scale covid did': 739884, 'covid did this': 214150, 'did this it': 240880, 'this it something': 888529, 'it something you': 461171, 'something you can': 785157, 'can plan for': 159244, 'oil clock': 596674, 'clock it': 182408, 'sink to': 771491, 'worry over': 1010756, 'over recession': 630566, 'recession brent': 704225, 'brent slide': 139355, 'slide below': 773895, 'oil clock it': 596675, 'clock it third': 182409, 'record price sink': 705049, 'price sink to': 676424, 'sink to 18': 771492, 'demand and worry': 235012, 'and worry over': 75910, 'worry over recession': 1010757, 'over recession brent': 630567, 'recession brent slide': 704226, 'brent slide below': 139356, 'slide below 25': 773896, 'catchup wti': 167142, 'wti pull': 1013407, 'the bid': 849587, '20 70': 12919, '70 amid': 21725, 'amid tuesday': 52733, 'tuesday asian': 935124, 'asian session': 95332, 'news donaldtrump': 560371, 'donaldtrump russia': 254134, 'oil china': 596673, 'news catchup wti': 560302, 'catchup wti pull': 167143, 'wti pull back': 1013408, 'pull back from': 688850, 'from the multi': 337796, 'the multi year': 861132, 'year low take': 1014735, 'take the bid': 832638, 'the bid to': 849588, 'bid to 20': 129484, 'to 20 70': 899568, '20 70 amid': 12920, '70 amid tuesday': 21726, 'amid tuesday asian': 52734, 'tuesday asian session': 935125, 'asian session watch': 95333, 'watch price read': 968516, 'the news donaldtrump': 861609, 'news donaldtrump russia': 560372, 'donaldtrump russia oil': 254135, 'russia oil china': 728521, 'negative on': 556808, 'of corovnavirus': 581980, 'corovnavirus hysteria': 207171, 'hysteria no': 412465, 'went seamless': 979102, 'seamless this': 743202, 'get attention': 346620, 'sole reason': 781855, 'reason hysteria': 702933, 'only post the': 611007, 'post the negative': 666352, 'the negative on': 861420, 'negative on social': 556809, 'term of corovnavirus': 838215, 'of corovnavirus hysteria': 581981, 'corovnavirus hysteria no': 207172, 'hysteria no one': 412466, 'going to say': 355697, 'everything went seamless': 288099, 'went seamless this': 979103, 'seamless this doe': 743203, 'doe not get': 251494, 'not get attention': 569577, 'get attention and': 346621, 'attention and the': 102428, 'and the sole': 73588, 'the sole reason': 867455, 'sole reason hysteria': 781856, 'reason hysteria exists': 702934, 'greattpdepression': 363334, 'great tp': 363081, 'tp depression': 927792, 'depression of': 237662, '20 jerk': 13114, 'jerk shirt': 465153, 'shirt 20': 758963, '20 cad': 12983, 'cad shipping': 155055, 'shipping size': 758913, 'size xxl': 772813, 'xxl pm': 1013926, 'detail toiletpaper': 239263, 'toiletpaper notp': 922268, 'notp thegospelofschultz': 573621, 'thegospelofschultz jerkmerch': 872380, 'jerkmerch greattpdepression': 465166, 'greattpdepression wipe': 363335, 'wipe socialdistanacing': 996373, 'socialdistanacing stockup': 780111, 'stockup tp': 804213, 'tp survivor': 927961, 'survivor isolation': 829396, 'you holding up': 1019240, 'during the great': 263134, 'the great tp': 856737, 'great tp depression': 363082, 'tp depression of': 927793, 'depression of the': 237663, 'of the 20': 590763, 'the 20 jerk': 847981, '20 jerk shirt': 13115, 'jerk shirt 20': 465154, 'shirt 20 cad': 758964, '20 cad shipping': 12984, 'cad shipping size': 155056, 'shipping size xxl': 758914, 'size xxl pm': 772814, 'xxl pm for': 1013927, 'pm for detail': 661907, 'for detail toiletpaper': 320684, 'detail toiletpaper notp': 239264, 'toiletpaper notp thegospelofschultz': 922269, 'notp thegospelofschultz jerkmerch': 573622, 'thegospelofschultz jerkmerch greattpdepression': 872381, 'jerkmerch greattpdepression wipe': 465167, 'greattpdepression wipe socialdistanacing': 363336, 'wipe socialdistanacing stockup': 996374, 'socialdistanacing stockup tp': 780112, 'stockup tp survivor': 804214, 'tp survivor isolation': 927962, 'while senator': 987246, 'senator make': 749770, 'of insider': 585220, 'pharma double': 654029, 'vaccine politician': 951752, 'politician on': 663731, 'capitol hill': 162857, 'hill debate': 396470, 'whether common': 985494, 'common folk': 189383, '100 or': 2006, 'or 600': 614212, '600 during': 21079, 'while senator make': 987247, 'senator make million': 749771, 'million off of': 532294, 'off of insider': 594005, 'of insider trading': 585221, 'insider trading and': 439484, 'trading and pharma': 928836, 'and pharma double': 68955, 'pharma double price': 654030, 'price for vaccine': 674074, 'for vaccine politician': 327512, 'vaccine politician on': 951753, 'politician on capitol': 663732, 'on capitol hill': 599816, 'capitol hill debate': 162858, 'hill debate whether': 396471, 'debate whether common': 230326, 'whether common folk': 985495, 'common folk get': 189384, 'folk get 100': 312160, 'get 100 or': 346459, '100 or 600': 2007, 'or 600 during': 614213, '600 during the': 21080, 'right yes': 722439, 'had family': 373101, 'family fun': 297837, 'today joke': 919758, 'aside please': 95423, 'home quarantineactivities': 401938, 'quarantineactivities toiletpaper': 692746, 'toiletpapergate quarantine': 923160, 'doing this right': 252771, 'this right yes': 889911, 'right yes this': 722440, 'how we had': 409173, 'we had family': 971705, 'had family fun': 373102, 'family fun today': 297838, 'fun today joke': 341233, 'today joke aside': 919759, 'joke aside please': 467056, 'aside please don': 95424, 'please don hoard': 659915, 'don hoard supply': 253642, 'hoard supply and': 398870, 'supply and stay': 824752, 'stay home quarantineactivities': 796998, 'home quarantineactivities toiletpaper': 401939, 'quarantineactivities toiletpaper toiletpapergate': 692747, 'toiletpaper toiletpapergate quarantine': 922684, 'advice direct': 33351, 'direct scotland': 243384, 'scotland have': 742421, 'advice direct scotland': 33352, 'direct scotland have': 243385, 'scotland have launched': 742422, 'amazing health': 50696, 'of the amazing': 590787, 'the amazing health': 848610, 'amazing health care': 50697, 'care worker school': 164301, 'help out throughout': 390259, 'out throughout the': 627608, 'throughout the world': 894989, 'habit store': 372691, 'retail habit store': 718173, 'habit store flyer': 372692, 'report manchester': 712079, 'football sport': 318514, 'report manchester city': 712080, 'following the football': 312886, 'the football sport': 855657, 'meyers': 530046, 'althoug': 49299, 'editor note': 268663, 'note local': 572751, 'fred meyers': 331581, 'meyers store': 530047, 'manager henry': 512725, 'henry johnson': 391786, 'johnson ha': 466592, 'an insider': 56360, 'insider view': 439486, 'view via': 957177, 'via extended': 955967, 'extended facebook': 293155, 'he seeing': 385412, 'nation come': 552142, 'to grip': 907001, 'grip with': 364043, '19 althoug': 4935, 'editor note local': 268664, 'note local fred': 572752, 'local fred meyers': 497989, 'fred meyers store': 331582, 'meyers store manager': 530048, 'store manager henry': 808883, 'manager henry johnson': 512726, 'henry johnson ha': 391787, 'johnson ha more': 466593, 'than 30 year': 840229, '30 year of': 17273, 'year of retail': 1014792, 'of retail experience': 589047, 'retail experience and': 718106, 'experience and ha': 291312, 'been giving people': 121217, 'giving people an': 351369, 'people an insider': 646839, 'an insider view': 56361, 'insider view via': 439487, 'view via extended': 957178, 'via extended facebook': 955968, 'extended facebook post': 293156, 'facebook post of': 294989, 'post of what': 666225, 'of what he': 593053, 'what he seeing': 981588, 'he seeing the': 385413, 'seeing the nation': 746500, 'the nation come': 861222, 'nation come to': 552143, 'come to grip': 187572, 'to grip with': 907002, 'grip with covid': 364044, 'covid 19 althoug': 212617, 'item delivery': 463199, 'mailman who': 508708, 'who delivers': 988556, 'delivers clothes': 233583, 'essential item delivery': 281195, 'item delivery driver': 463200, 'driver are putting': 259439, 'risk your mailman': 724039, 'your mailman who': 1024766, 'mailman who delivers': 508709, 'who delivers clothes': 988557, 'delivers clothes toy': 233584, 'clothes toy and': 184225, 'toy and big': 927660, 'and big screen': 58964, 'tv is really': 936129, 'really bad right': 702004, 'for land': 322879, 'price worrisome': 677652, 'worrisome amid': 1010611, 'amid impact': 52506, 'new japan': 558958, 'prospect for land': 684678, 'for land price': 322880, 'land price worrisome': 479289, 'price worrisome amid': 677653, 'worrisome amid impact': 1010612, 'amid impact of': 52507, 'impact of new': 417787, 'of new japan': 586972, 'wcpapier': 970253, 'savetheworld': 737829, 'wcpapier toiletpaper': 970254, 'toiletpaper fortnite': 922006, 'fortnite savetheworld': 329868, 'savetheworld meanwhile': 737830, 'on fortnite': 600970, 'fortnite save': 329866, 'wcpapier toiletpaper fortnite': 970255, 'toiletpaper fortnite savetheworld': 922007, 'fortnite savetheworld meanwhile': 329869, 'savetheworld meanwhile on': 737831, 'meanwhile on fortnite': 525017, 'on fortnite save': 600971, 'fortnite save the': 329867, 'decontaminate': 231511, 'quickly run': 694587, 'to decontaminate': 904027, 'decontaminate my': 231512, 'clothes body': 184146, 'car once': 163196, 'once get': 605638, 'to quickly run': 912685, 'quickly run into': 694588, 'couple of item': 211642, 'of item without': 585493, 'item without standing': 463845, 'without standing in': 1002935, 'get in for': 347294, 'in for over': 423021, 'then having to': 877238, 'having to decontaminate': 384339, 'to decontaminate my': 904028, 'decontaminate my clothes': 231513, 'my clothes body': 547713, 'clothes body and': 184147, 'body and car': 133823, 'and car once': 59548, 'car once get': 163197, 'once get home': 605639, 'arezki': 92635, 'mena country': 528552, 'focus first': 311837, 'on responding': 603164, 'emergency economic': 272677, 'depression postponing': 237664, 'postponing fiscal': 666858, 'fiscal consolidation': 309247, 'consolidation arezki': 195552, 'mena country face': 528553, 'country face dual': 210633, 'dual shock from': 261444, 'the pandemic collapse': 862934, 'pandemic collapse in': 635167, 'price they should': 676901, 'they should focus': 883366, 'should focus first': 766000, 'focus first on': 311838, 'first on responding': 308825, 'on responding to': 603165, 'health emergency economic': 386397, 'emergency economic depression': 272678, 'economic depression postponing': 267053, 'depression postponing fiscal': 237665, 'postponing fiscal consolidation': 666859, 'fiscal consolidation arezki': 309248, 'dryersheets': 261328, 'wrinkle': 1012754, 'dyi': 263770, 'notpnoworries': 573624, 'toiletpaper using': 922795, 'using dryersheets': 950466, 'dryersheets they': 261329, 'remove cling': 710810, 'cling get': 182285, 'of wrinkle': 593333, 'wrinkle and': 1012755, 'like lavender': 490627, 'lavender lifehacks': 482187, 'lifehacks dyi': 489286, 'dyi notpnoworries': 263771, 'who need toiletpaper': 989332, 'need toiletpaper using': 556128, 'toiletpaper using dryersheets': 922796, 'using dryersheets they': 950467, 'dryersheets they remove': 261330, 'they remove cling': 883199, 'remove cling get': 710811, 'cling get rid': 182286, 'rid of wrinkle': 721403, 'of wrinkle and': 593334, 'wrinkle and smell': 1012756, 'and smell like': 71805, 'smell like lavender': 775607, 'like lavender lifehacks': 490628, 'lavender lifehacks dyi': 482188, 'lifehacks dyi notpnoworries': 489287, 'home poison': 401875, 'poison safe': 662795, 'we provide': 972773, 'provide important': 686360, 'important safety': 418959, 'about cleaning': 24967, 'and chloroquine': 59868, 'and hydroxychloroquine': 64899, 'hydroxychloroquine in': 412002, 'your home poison': 1024367, 'home poison safe': 401876, 'poison safe for': 662796, 'safe for everyone': 729676, 'pandemic we provide': 636947, 'we provide important': 972774, 'provide important safety': 686361, 'important safety tip': 418960, 'safety tip about': 730759, 'tip about cleaning': 898690, 'about cleaning product': 24968, 'product hand sanitizer': 681248, 'sanitizer and chloroquine': 734394, 'and chloroquine and': 59869, 'chloroquine and hydroxychloroquine': 177589, 'and hydroxychloroquine in': 64900, 'hydroxychloroquine in our': 412003, 'viruschines': 959086, 'disinfection hand': 245910, 'sanitizer portable': 735564, 'portable spray': 664922, 'spray with': 790347, '10 pc': 1607, 'pc alcohol': 645867, 'alcohol pad': 41067, '20 pc': 13246, 'pc disposable': 645878, '50 virus': 19900, 'virus viruschines': 958981, 'disinfection hand sanitizer': 245911, 'hand sanitizer portable': 375539, 'sanitizer portable spray': 735565, 'portable spray with': 664923, 'spray with 10': 790348, 'with 10 pc': 996924, '10 pc alcohol': 1608, 'pc alcohol pad': 645868, 'alcohol pad and': 41068, 'pad and 20': 633773, 'and 20 pc': 57399, '20 pc disposable': 13247, 'pc disposable mask': 645879, 'disposable mask from': 246263, 'mask from 50': 518699, 'from 50 virus': 334304, '50 virus viruschines': 19901, 'ther': 877893, 'wn': 1003291, 'wen every1': 978905, 'every1 panic': 286391, 'wks ago': 1003235, 'told every1': 923547, 'every1 stop': 286395, 'it jst': 459211, 'jst stop': 467580, 'it amp': 456461, 'amp tht': 54703, 'tht ther': 895269, 'ther plenty': 877894, 'stock jst': 802328, 'jst needed': 467578, 'gt to': 367639, 'to th': 916412, 'th shelf': 840052, 'we wks': 973931, 'wks later': 1003248, 'later still': 481120, 'so wn': 778797, 'wn do': 1003292, 'worry 19': 1010622, 'wen every1 panic': 978906, 'every1 panic buying': 286392, 'panic buying few': 637728, 'buying few wks': 150286, 'few wks ago': 304184, 'wks ago told': 1003236, 'ago told every1': 38524, 'told every1 stop': 923548, 'every1 stop it': 286396, 'stop it jst': 804784, 'it jst stop': 459212, 'jst stop it': 467581, 'stop it amp': 804779, 'it amp tht': 456462, 'amp tht ther': 54704, 'tht ther plenty': 895270, 'ther plenty of': 877895, 'of stock jst': 590171, 'stock jst needed': 802329, 'jst needed to': 467579, 'needed to gt': 556538, 'to gt to': 907053, 'gt to th': 367640, 'to th shelf': 916413, 'th shelf well': 840054, 'shelf well here': 757756, 'well here we': 978290, 'here we wks': 393793, 'we wks later': 973932, 'wks later still': 1003249, 'later still no': 481121, 'still no food': 800869, 'food on th': 315603, 'on th shelf': 603922, 'th shelf no': 840053, 'shelf no loo': 757339, 'no loo paper': 564674, 'loo paper so': 502158, 'paper so wn': 640791, 'so wn do': 778798, 'wn do we': 1003293, 'do we start': 250487, 'we start to': 973379, 'start to worry': 794604, 'to worry 19': 918834, 'rejigs': 708342, 'business depending': 143631, 'on relative': 603133, 'relative market': 708730, 'price rejigs': 676156, 'rejigs free': 708343, 'the business depending': 850163, 'business depending on': 143632, 'depending on relative': 237380, 'on relative market': 603134, 'relative market commodity': 708731, 'market commodity and': 516194, 'commodity and competitive': 189124, 'on price rejigs': 602918, 'price rejigs free': 676157, 'rejigs free market': 708344, 'coronavirus ireland': 206154, 'ireland irish': 444833, 'crisis surge': 218121, 'coronavirus ireland irish': 206155, 'ireland irish shopper': 444834, 'record in covid': 704988, '19 crisis surge': 6331, 'aligned': 41765, 'downstairs': 257723, 'spitfire': 789576, 'staff aligned': 792093, 'aligned on': 41766, 'store downstairs': 807384, 'downstairs from': 257724, 'live two': 496083, 'two officer': 937093, 'officer walk': 595737, 'walk real': 964867, 'real close': 701072, 'my fight': 548313, 'fight foot': 304729, 'foot talking': 318441, 'me caught': 522569, 'the spitfire': 867587, 'spitfire nyc': 789577, 'dear and are': 229743, 'and are your': 58376, 'are your staff': 91899, 'your staff aligned': 1025901, 'staff aligned on': 792094, 'aligned on socialdistancing': 41767, 'on socialdistancing at': 603542, 'grocery store downstairs': 365345, 'store downstairs from': 807385, 'downstairs from where': 257725, 'where live two': 984996, 'live two officer': 496084, 'two officer walk': 937094, 'officer walk real': 595738, 'walk real close': 964868, 'real close to': 701073, 'to me on': 909946, 'on my left': 602292, 'my left my': 549001, 'left my fight': 485559, 'my fight foot': 548314, 'fight foot talking': 304730, 'foot talking to': 318442, 'talking to each': 834044, 'other with me': 621208, 'with me caught': 999442, 'me caught in': 522570, 'in the spitfire': 429562, 'the spitfire nyc': 867588, 'canned fish': 161504, 'laguna even': 478974, 'before 9am': 122601, '9am on': 23962, '17 tuesday': 4397, 'tuesday day': 935137, 'tissue paper canned': 899196, 'paper canned fish': 640010, 'canned fish and': 161505, 'fish and bread': 309287, 'and bread in': 59167, 'bread in low': 138497, 'in low supply': 424951, 'low supply at': 505651, 'supply at supermarket': 824819, 'ba laguna even': 106528, 'laguna even before': 478975, 'even before 9am': 283868, 'before 9am on': 122602, '9am on march': 23963, 'march 17 tuesday': 515101, '17 tuesday day': 4398, 'tuesday day one': 935138, 'of the enhanced': 590987, 'luzon to control': 507003, 'spree today': 791142, 'where tf': 985208, 'tf am': 839996, '19 ruined': 10258, 'should do an': 765921, 'shopping spree today': 763959, 'spree today but': 791143, 'but where tf': 147836, 'where tf am': 985209, 'tf am gonna': 839997, 'am gonna wear': 50094, 'gonna wear new': 356652, 'covid 19 ruined': 213725, '19 ruined exploring': 10259, 'police ha': 663031, 'clarify it': 180077, 'guideline after': 368390, 'officer posted': 595699, 'were monitoring': 979888, 'monitoring non': 537359, 'aisle the': 40389, 'of discretion': 582660, 'discretion for': 244755, 'for authority': 319532, 'authority however': 103743, 'cambridge police ha': 156949, 'police ha had': 663032, 'to clarify it': 902796, 'clarify it social': 180078, 'distancing guideline after': 247183, 'guideline after an': 368391, 'an officer posted': 56565, 'officer posted on': 595700, 'posted on social': 666559, 'social medium they': 779889, 'medium they were': 527320, 'they were monitoring': 883787, 'were monitoring non': 979889, 'monitoring non essential': 537360, 'non essential supermarket': 566366, 'essential supermarket aisle': 281613, 'supermarket aisle the': 818845, 'aisle the horror': 40390, 'horror of discretion': 404206, 'of discretion for': 582661, 'discretion for authority': 244756, 'for authority however': 319533, 'fusion': 342232, 'thacker': 840066, 'guest blogger': 368146, 'blogger and': 133055, 'and fusion': 63443, 'fusion analytics': 342233, 'analytics president': 57233, 'president joe': 670842, 'joe thacker': 466442, 'thacker explains': 840067, 'guest blogger and': 368147, 'blogger and fusion': 133056, 'and fusion analytics': 63444, 'fusion analytics president': 342234, 'analytics president joe': 57234, 'president joe thacker': 670843, 'joe thacker explains': 466443, 'thacker explains how': 840068, 'explains how covid': 292213, 'is influencing consumer': 448913, 'influencing consumer habit': 437354, 'habit and how': 372557, 'and how retailer': 64832, 'retailer can prepare': 719061, 'prepare for these': 670087, 'for these challenge': 326961, 'these challenge and': 879733, 'supply retailer': 825773, 'retailer urge': 719393, 'consumer knew': 197982, 'possible quarantine': 665746, 'distancing because': 247034, 'of supply retailer': 590496, 'supply retailer urge': 825775, 'retailer urge consumer': 719394, 'buying will there': 151373, 'there be shortage': 878219, 'be shortage in': 117163, 'in or month': 426200, 'or month and': 616158, 'month and many': 537578, 'and many consumer': 66669, 'many consumer knew': 513933, 'consumer knew about': 197983, 'knew about possible': 476024, 'about possible quarantine': 25964, 'possible quarantine and': 665747, 'social distancing because': 779566, 'distancing because of': 247035, 'guilty at': 368547, 'feel guilty at': 302657, 'guilty at home': 368548, 'home now and': 401681, 'now and not': 574047, 'work 19 coronacrisis': 1004692, 'coronacrisis toiletpaper toiletpaperpanic': 204836, 'donated 150': 254300, '150 box': 3899, 'thomas for': 891714, 'something nutritious': 784989, 'nutritious nh': 577767, 'nh nhsheroes': 562012, 'we donated 150': 971403, 'donated 150 box': 254301, '150 box to': 3900, 'box to st': 137188, 'to st thomas': 915106, 'st thomas for': 791755, 'thomas for the': 891715, 'the staff to': 867706, 'staff to take': 793001, 'to take home': 916187, 'take home after': 832202, 'home after their': 400573, 'after their long': 36372, 'their long shift': 873883, 'long shift so': 501629, 'shift so that': 758408, 'supermarket for something': 820420, 'for something nutritious': 325791, 'something nutritious nh': 784990, 'nutritious nh nhsheroes': 577768, 'worker an': 1006265, 'health worker an': 386964, 'worker an emergency': 1006266, 'an emergency responder': 55686, 'emergency responder or': 272926, 'we navigate through': 972455, 'navigate through please': 553100, 'through please rt': 894633, 'rt to get': 726835, 'get the positive': 348282, 'restaurant supply': 716727, 'have enhanced': 380434, 'enhanced this': 277098, 'problem by': 679488, 'understanding basic': 940865, 'wouldn be much': 1012444, 'be much demand': 116022, 'much demand on': 544825, 'if people were': 414634, 'were still taking': 980175, 'still taking advantage': 801272, 'the restaurant supply': 865661, 'restaurant supply chain': 716728, 'chain you sir': 171279, 'you sir have': 1021265, 'sir have enhanced': 771578, 'have enhanced this': 380435, 'enhanced this problem': 277099, 'this problem by': 889724, 'problem by not': 679489, 'by not understanding': 153366, 'not understanding basic': 572330, 'understanding basic economics': 940866, 'estimated two': 282312, 'supermarket hard': 820669, 'time ukcoronavirus': 898156, 'in queue with': 427228, 'queue with an': 694141, 'with an estimated': 997210, 'an estimated two': 55857, 'estimated two hour': 282313, 'wait to access': 964223, 'to access my': 899957, 'access my online': 28156, 'online supermarket hard': 609498, 'supermarket hard time': 820670, 'hard time ukcoronavirus': 378045, 'stacia': 791970, 'time subscriber': 897775, 'subscriber and': 815862, 'fellow reader': 303323, 'reader stacia': 700697, 'stacia she': 791971, 'where her': 984923, 'her bos': 391891, 'ha hung': 370895, 'hung shower': 411040, 'shower curtain': 767371, 'curtain at': 221803, 'cashier safe': 166596, 'safe pure': 729899, 'pure innovation': 689975, 'innovation stay': 438897, 'safe stacia': 729965, 'stacia st': 791973, 'st frontlineheroes': 791699, 'hello to long': 389233, 'to long time': 909426, 'long time subscriber': 501781, 'time subscriber and': 897776, 'subscriber and fellow': 815863, 'and fellow reader': 62793, 'fellow reader stacia': 303324, 'reader stacia she': 700698, 'stacia she is': 791972, 'essential worker at': 281818, 'store where her': 811258, 'where her bos': 984924, 'her bos ha': 391892, 'bos ha hung': 135666, 'ha hung shower': 370896, 'hung shower curtain': 411041, 'shower curtain at': 767372, 'curtain at the': 221804, 'register to keep': 707619, 'keep the cashier': 472029, 'the cashier safe': 850495, 'cashier safe pure': 166597, 'safe pure innovation': 729900, 'pure innovation stay': 689976, 'innovation stay safe': 438898, 'stay safe stacia': 797276, 'safe stacia st': 729966, 'stacia st frontlineheroes': 791974, 'spam supermarket': 787387, 'plenty spam': 661000, 'spam all': 787376, 'spam supermarket shelf': 787388, 'shelf empty but': 757017, 'empty but still': 274827, 'still plenty spam': 801046, 'plenty spam all': 661001, 'someone touched': 784720, 'supermarket cry': 819874, 'germany seriously': 346349, 'much anxiety today': 544715, 'after someone touched': 36229, 'someone touched me': 784721, 'touched me in': 926625, 'the supermarket cry': 868544, 'supermarket cry all': 819875, 'all day do': 42514, 'do people do': 249968, 'whole situation in': 990327, 'in germany seriously': 423283, 'germany seriously what': 346350, 'seriously what wrong': 751786, '31st retail': 17648, 'field are closed': 304456, 'until march 31st': 943766, 'march 31st retail': 515247, '31st retail store': 17649, 'the michigan': 860557, 'outbreak per': 628527, 'out march': 626536, 'the michigan based': 860558, 'it will stay': 462442, 'stay open 24': 797150, '24 hour amid': 15610, '19 outbreak per': 9168, 'outbreak per the': 628528, 'per the letter': 651041, 'letter sent out': 487348, 'sent out march': 750794, 'out march 17': 626537, 'special alert': 787841, 'emergency credit': 272649, 'credit facility': 216388, 'fed created': 301797, 'created in': 215834, 'our special alert': 624855, 'special alert to': 787842, 'alert to learn': 41524, 'about the emergency': 26386, 'the emergency credit': 854222, 'emergency credit facility': 272650, 'credit facility that': 216389, 'facility that the': 295381, 'that the fed': 846726, 'the fed created': 855056, 'fed created in': 301798, 'created in response': 215835, '80 read': 22624, 'at foodbiznews': 98677, 'around 80 read': 93166, '80 read more': 22625, 'more at foodbiznews': 538663, 'at foodbiznews foodtrends': 98678, 'entertaining': 278544, 'miss and': 534136, 'but watching': 147731, 'quite entertaining': 694857, 'entertaining quarantinelife': 278545, 'really miss and': 702418, 'miss and but': 534137, 'and but watching': 59312, 'but watching people': 147732, 'watching people walk': 968779, 'around with mask': 93639, 'mask on like': 519052, 'on like everyone': 601843, 'like everyone is': 490191, 'everyone is about': 287061, 'store is quite': 808518, 'is quite entertaining': 451192, 'quite entertaining quarantinelife': 694858, 'corporateresponsibility': 207369, 'is converting': 446829, 'converting three': 202573, 'perfume manufacturing': 651532, 'facility where': 295389, 'normally make': 567512, 'make fragrance': 509918, 'fragrance for': 330917, 'for christian': 320079, 'christian dior': 178117, 'dior and': 243155, 'and louis': 66419, 'vuitton in': 960789, 'great corporateresponsibility': 362591, 'corporateresponsibility during': 207370, 'lvmh is converting': 507027, 'is converting three': 446830, 'converting three of': 202574, 'of it perfume': 585428, 'it perfume manufacturing': 460312, 'perfume manufacturing facility': 651533, 'manufacturing facility where': 513586, 'facility where it': 295390, 'where it normally': 984972, 'it normally make': 459847, 'normally make fragrance': 567513, 'make fragrance for': 509919, 'fragrance for christian': 330918, 'for christian dior': 320080, 'christian dior and': 178118, 'dior and louis': 243156, 'and louis vuitton': 66420, 'louis vuitton in': 504527, 'vuitton in order': 960790, 'make handsanitizer this': 509962, 'handsanitizer this is': 376666, 'is some great': 452088, 'some great corporateresponsibility': 782985, 'great corporateresponsibility during': 362592, 'corporateresponsibility during the': 207371, 'proudtobeakeyworker': 686092, 'am shitting': 50386, 'shitting it': 759354, 'anxious working': 78880, 'of breeze': 580867, 'breeze now': 139291, 'everyday proudtobeakeyworker': 286616, 'honestly the thought': 403143, 'of going back': 584189, 'work tomorrow am': 1005928, 'tomorrow am shitting': 924018, 'am shitting it': 50387, 'shitting it nervous': 759355, 'it nervous and': 459771, 'nervous and anxious': 557454, 'and anxious working': 58209, 'anxious working in': 78881, 'in supermarket isn': 428619, 'supermarket isn that': 821151, 'isn that much': 454701, 'that much of': 845248, 'much of breeze': 545186, 'of breeze now': 580868, 'breeze now is': 139292, 'now is it': 575073, 'here to all': 393702, 'to all other': 900276, 'all other retail': 43786, 'other retail worker': 620845, 'retail worker key': 718894, 'key worker risking': 473508, 'worker risking their': 1007703, 'life everyday proudtobeakeyworker': 488636, 'caused joining': 167899, 'joining me': 466978, 'are special': 90316, 'guest supply': 368179, 'now on brand': 575420, 'on brand new': 599687, 'brand new what': 137936, 'truck we re': 932877, 'chain issue that': 170861, 'issue that the': 455963, 'ha caused joining': 370083, 'caused joining me': 167900, 'joining me are': 466979, 'me are special': 522446, 'are special guest': 90317, 'special guest supply': 787944, 'guest supply chain': 368180, 'chain and of': 170471, 'nothuman': 573240, 'worker nothuman': 1007454, 'nothuman essentialservices': 573241, 'out that nobody': 627329, 'that nobody is': 845368, 'nobody is doing': 566021, 'is doing anything': 447264, 'anything to protect': 80917, 'to protect grocery': 912310, 'store worker nothuman': 811547, 'worker nothuman essentialservices': 1007455, 'saulius': 737390, 'skvernelis': 773177, 'envisaged': 279210, 'quarantine pm': 692439, 'pm saulius': 661973, 'saulius skvernelis': 737391, 'skvernelis said': 773178, 'an instrument': 56380, 'instrument is': 440592, 'called price': 156416, 'and monitoring': 67123, 'monitoring with': 537388, 'right protection': 722238, 'the mechanism': 860387, 'mechanism is': 525850, 'is envisaged': 447529, 'able to regulate': 24535, 'the quarantine pm': 864972, 'quarantine pm saulius': 692440, 'pm saulius skvernelis': 661974, 'saulius skvernelis said': 737392, 'skvernelis said an': 773179, 'said an instrument': 730969, 'an instrument is': 56381, 'instrument is put': 440593, 'is put in': 451152, 'so called price': 776690, 'called price regulation': 156417, 'price regulation and': 676155, 'regulation and monitoring': 708054, 'and monitoring with': 67124, 'monitoring with the': 537389, 'help of the': 390167, 'consumer right protection': 198825, 'right protection authority': 722239, 'protection authority the': 685351, 'authority the mechanism': 103794, 'the mechanism is': 860388, 'mechanism is envisaged': 525851, 'ontario no': 611617, 'longer deemed': 501962, 'cannabis store in': 161446, 'store in ontario': 808363, 'in ontario no': 426183, 'ontario no longer': 611618, 'no longer deemed': 564644, 'longer deemed essential': 501963, 'deemed essential will': 231826, 'essential will close': 281795, 'close this weekend': 182875, 'story corn': 811943, 'india take': 434633, 'amid indialockdown': 52513, 'related story corn': 708579, 'story corn price': 811944, 'corn price drop': 203583, 'drop in india': 260257, 'in india take': 424055, 'india take toll': 434634, 'toll on domestic': 923863, 'on domestic demand': 600379, 'domestic demand amid': 253178, 'demand amid indialockdown': 234931, 'whey': 985630, 'lky7': 496530, 'lky7sports': 496533, 'appliednutrition': 82512, 'wheyprotein': 985633, 'ashford': 95093, 'if staying': 414875, 'shape during': 754834, 'you critical': 1018131, 'critical whey': 218721, 'whey from': 985631, 'friend available': 333533, 'help lky7': 390004, 'lky7 sport': 496531, 'sport online': 789956, 'street lky7sports': 813026, 'lky7sports appliednutrition': 496534, 'appliednutrition protein': 82513, 'protein wheyprotein': 685896, 'wheyprotein ashford': 985634, 'ashford surrey': 95094, 'if staying in': 414876, 'staying in shape': 798643, 'in shape during': 427860, 'shape during this': 754835, 'of lockdown is': 585957, 'lockdown is critical': 499540, 'critical to you': 218713, 'to you critical': 918897, 'you critical whey': 1018132, 'critical whey from': 218722, 'whey from our': 985632, 'our friend available': 623182, 'friend available in': 333534, 'in store can': 428391, 'store can help': 806853, 'can help lky7': 158633, 'help lky7 sport': 390005, 'lky7 sport online': 496532, 'sport online price': 789957, 'online price on': 608795, 'high street lky7sports': 395433, 'street lky7sports appliednutrition': 813027, 'lky7sports appliednutrition protein': 496535, 'appliednutrition protein wheyprotein': 82514, 'protein wheyprotein ashford': 685897, 'wheyprotein ashford surrey': 985635, 'niagra': 562320, 'leased': 484302, '115k': 2666, 'jupiter': 468065, 'fla': 309934, 'essentia': 280738, 'pandemic niagra': 636036, 'niagra leased': 562321, 'leased an': 484303, 'additional 115k': 31762, '115k sq': 2667, 'sq foot': 791426, 'foot at': 318351, 'at jupiter': 99345, 'jupiter fla': 468068, 'fla plant': 309935, 'of essentia': 583157, 'essentia costco': 280739, 'costco kirkland': 208247, 'kirkland and': 475424, 'walmart great': 965331, 'great value': 363090, 'value water': 952232, 'water brand': 968926, 'brand per': 137964, 'per south': 651021, 'florida business': 310907, 'high consumer demand': 394965, '19 pandemic niagra': 9406, 'pandemic niagra leased': 636037, 'niagra leased an': 562322, 'leased an additional': 484304, 'an additional 115k': 55107, 'additional 115k sq': 31763, '115k sq foot': 2668, 'sq foot at': 791427, 'foot at at': 318352, 'at at jupiter': 98063, 'at jupiter fla': 99346, 'jupiter fla plant': 468069, 'fla plant to': 309936, 'plant to ramp': 658718, 'production of essentia': 682141, 'of essentia costco': 583158, 'essentia costco kirkland': 280740, 'costco kirkland and': 208248, 'kirkland and walmart': 475425, 'and walmart great': 75160, 'walmart great value': 965332, 'great value water': 363091, 'value water brand': 952233, 'water brand per': 968927, 'brand per south': 137965, 'per south florida': 651022, 'south florida business': 786721, 'florida business journal': 310908, 'aid provider': 39446, 'provider cannot': 686705, 'keep picking': 471792, 'supporting more': 827150, 'broken benefit': 140884, 'benefit system': 127091, 'insufficient wage': 440615, 'food aid provider': 313069, 'aid provider cannot': 39447, 'provider cannot keep': 686706, 'cannot keep picking': 161985, 'keep picking up': 471793, 'up the piece': 946202, 'piece and supporting': 656268, 'and supporting more': 72862, 'supporting more and': 827151, 'more people let': 540029, 'people let down': 648623, 'down by broken': 256596, 'by broken benefit': 152005, 'broken benefit system': 140885, 'benefit system and': 127092, 'system and insufficient': 831097, 'and insufficient wage': 65299, 'supremesacrificeday': 827444, 'supremesacrificeday for': 827445, 'those each': 891946, 'day making': 227956, 'for military': 323426, 'military fire': 531459, 'em leo': 272069, 'leo thankyou': 486390, 'thankyou given': 842337, 'time nurse': 897300, 'trucker those': 932958, 'supremesacrificeday for those': 827446, 'for those each': 327108, 'those each day': 891947, 'each day making': 264046, 'day making sacrifice': 227957, 'making sacrifice for': 511319, 'sacrifice for military': 729090, 'for military fire': 323427, 'military fire em': 531460, 'fire em leo': 308076, 'em leo thankyou': 272070, 'leo thankyou given': 486391, 'thankyou given this': 842338, 'given this time': 351178, 'this time nurse': 890670, 'time nurse doctor': 897301, 'doctor health professional': 250946, 'health professional grocery': 386766, 'worker trucker those': 1008057, 'trucker those who': 932959, 'container shipping': 200558, 'shipping stock': 758921, 'full retreat': 340861, 'retreat with': 719760, 'with early': 998165, 'march witnessing': 515541, 'witnessing market': 1003174, 'market storm': 517131, 'storm stock': 811844, 'world sold': 1009989, 'off amp': 593635, 'amp investor': 54015, 'investor struggled': 444212, 'to calculate': 902366, 'fear event': 301107, 'container shipping stock': 200559, 'shipping stock price': 758922, 'been in full': 121345, 'in full retreat': 423173, 'full retreat with': 340862, 'retreat with early': 719761, 'with early march': 998166, 'early march witnessing': 264644, 'march witnessing market': 515542, 'witnessing market storm': 1003175, 'market storm stock': 517132, 'storm stock market': 811845, 'stock market around': 802380, 'the world sold': 871968, 'world sold off': 1009990, 'sold off amp': 781711, 'off amp investor': 593636, 'amp investor struggled': 54016, 'investor struggled to': 444213, 'struggled to calculate': 814408, 'to calculate the': 902367, 'calculate the economic': 155300, 'this is fear': 888258, 'is fear event': 447759, 'unfortunately bad': 941577, 'targeting american': 834556, 'with scam': 1000592, 'scam online': 740275, 'phone get': 654957, 'latest tip': 481580, 'to guard': 907059, 'against these': 37693, 'these malicious': 880273, 'malicious scam': 511717, 'unfortunately bad actor': 941578, 'bad actor are': 107742, 'actor are taking': 30569, 'outbreak and targeting': 628012, 'and targeting american': 73036, 'targeting american with': 834557, 'american with scam': 52314, 'with scam online': 1000593, 'scam online and': 740276, 'online and over': 607834, 'the phone get': 863691, 'phone get the': 654958, 'the latest tip': 859152, 'latest tip from': 481581, 'the to guard': 869680, 'to guard against': 907060, 'guard against these': 367774, 'against these malicious': 37694, 'these malicious scam': 880274, 'panic prepare': 638433, 'make read': 510384, 'read watch': 700649, 'watch doctor': 968386, 'doctor three': 251136, 'ago stock': 38474, 'on ibuprofen': 601463, 'ibuprofen who': 412597, 'now ibuprofen': 574965, 'ibuprofen will': 412599, 'fight me': 304797, 'shit start': 759229, 'start another': 794199, 'not panic prepare': 570924, 'panic prepare food': 638434, 'prepare food make': 670064, 'food make read': 315359, 'make read watch': 510385, 'read watch doctor': 700650, 'watch doctor three': 968387, 'doctor three day': 251137, 'day ago stock': 227209, 'ago stock up': 38475, 'up on ibuprofen': 945580, 'on ibuprofen who': 601464, 'ibuprofen who just': 412598, 'who just now': 989146, 'just now ibuprofen': 469346, 'now ibuprofen will': 574966, 'ibuprofen will help': 412600, 'help fight me': 389710, 'fight me well': 304798, 'me well shit': 523923, 'well shit start': 978553, 'shit start another': 759230, 'start another episode': 794200, 'successfully destroyed': 816264, 'destroyed economy': 239055, 'ha controlled': 370243, 'controlled corona': 202236, 'corona at': 203812, 'it reserve': 460729, 'to dominate': 904636, 'dominate world': 253277, 'have planned': 381950, 'planned and': 658440, 'china ha successfully': 176697, 'ha successfully destroyed': 372095, 'successfully destroyed economy': 816265, 'destroyed economy and': 239056, 'economy and ha': 267645, 'and ha controlled': 64068, 'ha controlled corona': 370244, 'controlled corona at': 202237, 'corona at home': 203813, 'home now china': 401683, 'now china will': 574379, 'china will use': 177076, 'use it reserve': 949310, 'it reserve to': 460730, 'reserve to buy': 714109, 'to buy company': 902208, 'buy company share': 148506, 'company share at': 191069, 'share at throw': 754935, 'away price to': 106009, 'price to dominate': 676985, 'to dominate world': 904638, 'dominate world market': 253278, 'world market from': 1009784, 'market from now': 516438, 'from now this': 336614, 'how they have': 408919, 'they have planned': 882362, 'have planned and': 381951, 'uvc': 951497, 'lamp': 479204, 'disinfection uv': 245928, 'uv wand': 951493, 'wand sanitizing': 965552, 'sanitizing light': 736482, 'light sanitizer': 489590, 'bacteria uvc': 107705, 'uvc lamp': 951498, 'disinfection uv wand': 245929, 'uv wand sanitizing': 951494, 'wand sanitizing light': 965553, 'sanitizing light sanitizer': 736483, 'light sanitizer kill': 489591, 'sanitizer kill bacteria': 735257, 'kill bacteria uvc': 474355, 'bacteria uvc lamp': 107706, 'citizen scammer': 178955, 'scammer 19': 740517, '19 staysafe': 10839, 'sadly not everyone': 729344, 'not everyone is': 569301, 'everyone is good': 287079, 'is good citizen': 448140, 'good citizen scammer': 356886, 'citizen scammer 19': 178956, 'scammer 19 staysafe': 740518, 'qualification': 691697, 'navarro qualification': 553049, 'qualification to': 691698, 'these medication': 880291, 'medication likely': 526658, 'pharm stock': 654010, 'kick back': 473782, 'back he': 107045, 'to stfu': 915394, 'navarro qualification to': 553050, 'qualification to comment': 691699, 'comment on these': 188442, 'on these medication': 604569, 'these medication likely': 880292, 'medication likely have': 526659, 'likely have more': 492018, 'have more to': 381508, 'more to do': 540790, 'do with big': 250543, 'with big pharm': 997401, 'big pharm stock': 129914, 'pharm stock price': 654011, 'price and kick': 672452, 'and kick back': 65827, 'kick back he': 473783, 'back he need': 107046, 'need to stfu': 556086, 'trumppandemia': 934106, 'athlete celebrity': 101762, 'celebrity and': 168871, 'other famous': 620217, 'people bleach': 647287, 'bleach stayathomechallenge': 132522, 'stayathomechallenge trumppandemia': 797761, 'one week healthcare': 607412, 'week healthcare worker': 976320, 'professional athlete celebrity': 682423, 'athlete celebrity and': 101763, 'celebrity and other': 168872, 'and other famous': 68325, 'other famous people': 620218, 'famous people bleach': 298487, 'people bleach stayathomechallenge': 647288, 'bleach stayathomechallenge trumppandemia': 132523, 'good had': 357158, 'hiked from': 396316, 'n50 to': 551130, 'to n500': 910463, 'n500 no': 551133, 'just beaming': 468280, 'beaming the': 118276, 'obvious everyone': 578789, 'to mak': 909612, 'the essential good': 854506, 'essential good had': 281093, 'good had been': 357159, 'had been hiked': 372893, 'been hiked from': 121290, 'hiked from between': 396317, 'between n50 to': 128833, 'n50 to n500': 551131, 'to n500 no': 910464, 'n500 no humanity': 551134, 'country is just': 210808, 'is just beaming': 449120, 'just beaming the': 468281, 'beaming the light': 118277, 'the obvious everyone': 862020, 'obvious everyone is': 578790, 'trying to mak': 934827, 'cheffed': 175281, 'say cheffed': 738502, 'cheffed this': 175282, 'thankfully still': 841959, 'job did': 465782, 'have blast': 379803, 'blast making': 132418, 'to say cheffed': 913812, 'say cheffed this': 738503, 'cheffed this up': 175283, 'this up because': 890929, 'store and thankfully': 806369, 'and thankfully still': 73169, 'thankfully still have': 841960, 'have job did': 381168, 'job did have': 465783, 'did have blast': 240628, 'have blast making': 379804, 'blast making it': 132419, 'making it dinner': 511139, 'abolish': 24602, 'people economically': 647767, 'economically rather': 267391, 'than medically': 840880, 'medically gov': 526536, 'gov need': 359638, 'take acute': 831907, 'acute measure': 31036, 'crisis atleast': 217095, 'atleast start': 101897, 'from reducing': 337056, 'oil grocery': 596846, 'bill or': 130646, 'or abolish': 614234, 'abolish them': 24603, 'more people economically': 540017, 'people economically rather': 647768, 'economically rather than': 267392, 'rather than medically': 697535, 'than medically gov': 840881, 'medically gov need': 526537, 'gov need to': 359639, 'to take acute': 916153, 'take acute measure': 831908, 'acute measure to': 31037, 'to support it': 915942, 'support it citizen': 826605, 'it citizen in': 457138, 'this crisis atleast': 887020, 'crisis atleast start': 217096, 'atleast start from': 101898, 'start from reducing': 794304, 'from reducing price': 337057, 'of oil grocery': 587183, 'oil grocery and': 596847, 'grocery and cutting': 364229, 'and cutting down': 60889, 'cutting down price': 223724, 'of utility bill': 592727, 'utility bill or': 951266, 'bill or abolish': 130647, 'or abolish them': 614235, 'profitsoverpeople': 683142, 'should flush': 765997, 'flush people': 311551, 'situation toiletpaper': 772542, 'at per': 100098, 'per role': 651000, 'role for': 725073, 'for may': 323296, 'may delivery': 521119, 'delivery profitsoverpeople': 234372, 'maybe should flush': 521796, 'should flush people': 765998, 'flush people and': 311552, 'and company trying': 60197, 'current situation toiletpaper': 221374, 'situation toiletpaper from': 772543, 'toiletpaper from china': 922014, 'from china at': 334851, 'china at per': 176509, 'at per role': 100099, 'per role for': 651001, 'role for may': 725074, 'for may delivery': 323297, 'may delivery profitsoverpeople': 521120, '360wisemedia': 18037, '19 360wisemedia': 4744, 'global market 19': 352019, 'market 19 360wisemedia': 515893, 'former journalist': 329638, 'cover big': 212199, 'consumer am': 196177, 'is relentlessly': 451414, 'negative congratulation': 556743, 'former journalist know': 329639, 'to cover big': 903649, 'cover big story': 212200, 'big story and': 130017, 'story and salute': 811907, 'and salute those': 70806, 'of the medium': 591234, 'the medium consumer': 860417, 'medium consumer am': 527049, 'consumer am concerned': 196178, 'coverage it is': 212360, 'it is relentlessly': 459060, 'is relentlessly negative': 451415, 'relentlessly negative congratulation': 709138, 'negative congratulation to': 556744, 'congratulation to for': 194449, 'their good news': 873420, 'bakery down': 108849, 'survive right': 829228, 'if possible do': 414663, 'possible do not': 665629, 'not just buy': 570216, 'just buy thing': 468386, 'buy thing at': 149352, 'but also support': 145147, 'also support your': 48939, 'local shop like': 498405, 'shop like the': 760409, 'the bakery down': 849201, 'bakery down your': 108850, 'down your street': 257533, 'they need me': 882750, 'need me to': 555225, 'me to survive': 523786, 'to survive right': 916044, 'survive right now': 829229, 'now please let': 575549, 'cosumerbehaviour': 208385, 'consumer being': 196617, 'home bound': 400811, 'bound for': 136852, 'marketresearch cosumerbehaviour': 517856, 'what will result': 982605, 'result from consumer': 717508, 'from consumer being': 334954, 'consumer being home': 196618, 'being home bound': 125264, 'home bound for': 400812, 'bound for month': 136853, 'more marketresearch cosumerbehaviour': 539755, 'aura': 103024, 'an aura': 55475, 'aura of': 103025, 'love around': 504603, 'her said': 392341, 'said man': 731213, 'whose wife': 990690, 'wife supermarket': 991976, 'employee died': 273777, 'she had an': 756090, 'had an aura': 372834, 'an aura of': 55476, 'aura of love': 103026, 'of love around': 586032, 'love around her': 504604, 'around her said': 93318, 'her said man': 392342, 'said man whose': 731214, 'man whose wife': 512348, 'whose wife supermarket': 990691, 'wife supermarket employee': 991977, 'supermarket employee died': 820115, 'employee died of': 273778, 'died of on': 241590, 'of on saturday': 587224, 'via schuermann': 956222, 'schuermann cc': 742060, 'stopped hoarding via': 805716, 'hoarding via schuermann': 399641, 'via schuermann cc': 956223, 'to rider': 913522, 'about driver': 25129, 'by car': 152071, 'only wtf': 611501, 'see service is': 745663, 'service is still': 752523, 'still on insurance': 800933, 'on insurance protection': 601596, '19 to rider': 11455, 'to rider but': 913523, 'but nothing about': 146588, 'nothing about driver': 572920, 'about driver like': 25130, 'like me food': 490743, 'me food delivery': 522741, 'food delivery by': 314114, 'delivery by car': 233768, 'by car for': 152072, 'car for gold': 163086, 'driver only wtf': 259679, 'only wtf is': 611502, 'this not only': 889176, 'only is demand': 610656, 'quick pissed': 694338, 'off rant': 594099, 'rant before': 696844, 'selling lysol': 749330, 'other disinfectant': 620113, 'disinfectant thing': 245772, 'for astronomical': 319510, 'ever see': 285482, 'you face': 1018506, 'real quick pissed': 701330, 'quick pissed off': 694339, 'pissed off rant': 656976, 'off rant before': 594100, 'rant before go': 696845, 'to being positive': 901742, 'being positive if': 125559, 'you are selling': 1017229, 'are selling lysol': 89963, 'selling lysol and': 749331, 'lysol and other': 507159, 'and other disinfectant': 68312, 'other disinfectant thing': 620114, 'disinfectant thing on': 245773, 'thing on ebay': 884637, 'ebay for astronomical': 266458, 'for astronomical price': 319511, 'astronomical price there': 97263, 'is special place': 452149, 'hell for you': 389010, 'and god help': 63794, 'you if ever': 1019280, 'if ever see': 414083, 'ever see you': 285483, 'see you face': 746104, 'you face to': 1018507, 'survive contamination': 829141, 'contamination at': 200702, 'to survive contamination': 916021, 'survive contamination at': 829142, 'contamination at the': 200703, 'toiletpaper toothpaste': 922740, 'toothpaste josie': 925498, 'josie stayathome': 467362, 'newsroom toiletpaper toothpaste': 561128, 'toiletpaper toothpaste josie': 922741, 'toothpaste josie stayathome': 925499, 'crystallize': 220008, 'reality started': 701793, 'to crystallize': 903786, 'crystallize noticed': 220009, 'noticed thing': 573494, 'man laughing': 512133, 'laughing warmly': 481826, 'warmly he': 966911, 'he bagged': 384761, 'bagged grocery': 108493, 'my publix': 549864, 'publix checkout': 688748, 'restaurant folk': 716472, 'folk thank': 312264, 'new reality started': 559405, 'reality started to': 701794, 'started to crystallize': 794866, 'to crystallize noticed': 903787, 'crystallize noticed thing': 220010, 'noticed thing never': 573495, 'thing never would': 884620, 'would have before': 1011871, 'have before covid': 379748, 'the first wa': 855364, 'first wa an': 309168, 'wa an older': 961535, 'an older man': 56595, 'older man laughing': 598620, 'man laughing warmly': 512134, 'laughing warmly he': 481827, 'warmly he bagged': 966912, 'he bagged grocery': 384762, 'bagged grocery in': 108494, 'in my publix': 425616, 'my publix checkout': 549865, 'publix checkout line': 688749, 'checkout line medical': 174947, 'employee restaurant folk': 274150, 'restaurant folk thank': 716473, 'folk thank you': 312265, 'consolidation and': 195550, 'hospital consolidation and': 404355, 'consolidation and raise': 195551, '20am': 14879, 'last update': 480613, 'update by': 946890, 'by reuters': 153804, 'reuters on': 720204, 'time coronavirus': 896514, 'coronavirus batter': 205543, 'batter german': 112733, 'consumer morale': 198155, 'morale gfk': 538416, 'gfk march': 349524, '26 2020': 16132, '08 20am': 1071, 'last update by': 480614, 'update by reuters': 946891, 'by reuters on': 153805, 'reuters on covid': 720205, 'york time coronavirus': 1016678, 'time coronavirus batter': 896515, 'coronavirus batter german': 205544, 'batter german consumer': 112734, 'german consumer morale': 346220, 'consumer morale gfk': 198156, 'morale gfk march': 538417, 'gfk march 26': 349525, 'march 26 2020': 515211, '26 2020 at': 16133, '2020 at 08': 14161, 'at 08 20am': 97386, 'sniffling': 776351, 'down wa': 257432, 'only sniffling': 611159, 'sniffling because': 776352, 'because did': 119024, 'did couple': 240582, 'of bump': 580932, 'bump of': 142574, 'coke in': 185704, 'coronavirus spraying': 206799, 'spraying me': 790376, 'lysol wa': 507204, 'wa uncalled': 963595, 'for quarentinelife': 324906, 'quarentinelife bored': 693186, 'to calm the': 902397, 'fuck down wa': 339553, 'down wa only': 257433, 'wa only sniffling': 962860, 'only sniffling because': 611160, 'sniffling because did': 776353, 'because did couple': 119025, 'did couple of': 240583, 'couple of bump': 211635, 'of bump of': 580933, 'bump of coke': 142575, 'of coke in': 581514, 'coke in the': 185705, 'lot not because': 504126, 'not because have': 568488, 'because have coronavirus': 119099, 'have coronavirus spraying': 380118, 'coronavirus spraying me': 206800, 'spraying me down': 790377, 'me down with': 522682, 'down with lysol': 257496, 'with lysol wa': 999354, 'lysol wa uncalled': 507205, 'wa uncalled for': 963596, 'uncalled for quarentinelife': 939552, 'for quarentinelife bored': 324907, 'pnpgooddeed': 662112, 'personnel voluntarily': 653170, 'voluntarily conducted': 960186, 'conducted disinfection': 193663, 'disinfection to': 245926, '19 teampnp': 11048, 'pnpkakampimo pnpgooddeed': 662114, 'personnel voluntarily conducted': 653171, 'voluntarily conducted disinfection': 960187, 'conducted disinfection to': 193664, 'disinfection to grocery': 245927, 'part of preventive': 642373, 'covid 19 teampnp': 213916, '19 teampnp weserveandprotect': 11049, 'weserveandprotect pnpkakampimo pnpgooddeed': 980442, 'pinerolo': 656814, 'mercato': 528939, 'miss shopping': 534183, 'our big': 622203, 'big pinerolo': 129919, 'pinerolo mercato': 656815, 'mercato more': 528940, 'anything during': 80738, 'veggie just': 954189, 'aren good': 92425, 'wonderful vendor': 1004135, 'miss shopping in': 534184, 'in our big': 426263, 'our big pinerolo': 622204, 'big pinerolo mercato': 129920, 'pinerolo mercato more': 656816, 'mercato more than': 528941, 'than anything during': 840360, 'anything during the': 80739, 'shut down grocery': 767826, 'down grocery store': 256809, 'grocery store fruit': 365415, 'store fruit and': 807890, 'and veggie just': 74905, 'veggie just aren': 954190, 'just aren good': 468217, 'aren good and': 92426, 'good and miss': 356739, 'and miss the': 67074, 'miss the wonderful': 534197, 'the wonderful vendor': 871681, 'wonderful vendor and': 1004136, 'vendor and farmer': 954341, 'and farmer 19': 62698, 'those habit': 892040, 'retail traditional': 718806, 'traditional mall': 929001, 'already looking': 47510, 'looking ground': 502928, 'ground now': 366527, 'definitely kill': 232358, 'it million': 459625, 'worker won': 1008275, 'and those habit': 74025, 'those habit are': 892041, 'habit are going': 372571, 'to stick this': 915399, 'stick this the': 800057, 'reality of retail': 701778, 'of retail traditional': 589057, 'retail traditional mall': 718807, 'traditional mall were': 929002, 'mall were already': 511854, 'were already looking': 979306, 'already looking ground': 47511, 'looking ground now': 502929, 'ground now this': 366528, 'now this will': 576136, 'this will definitely': 891411, 'will definitely kill': 993139, 'definitely kill it': 232359, 'kill it million': 474426, 'it million of': 459626, 'million of retail': 532287, 'of retail worker': 589060, 'retail worker won': 718908, 'worker won have': 1008276, 'won have job': 1003833, 'have job to': 381178, 'job to go': 466226, 'target wal': 834525, 'mart costco': 518043, 'store target wal': 810508, 'target wal mart': 834526, 'wal mart costco': 964678, 'mart costco or': 518044, 'rowling': 726599, 'rowling am': 726600, 'am italian': 50156, 'italian we': 462736, 'been leaving': 121444, 'month except': 537713, 'supermarket fortunately': 820441, 'watching harry': 968747, 'harry potter': 378551, 'potter saga': 667265, 'saga on': 730884, 'tuesday stayhomesavelives': 935186, 'rowling am italian': 726601, 'am italian we': 50157, 'italian we haven': 462737, 'haven been leaving': 383755, 'been leaving home': 121445, 'leaving home for': 485088, 'for month except': 323516, 'month except to': 537714, 'except to go': 289250, 'work or go': 1005562, 'the supermarket fortunately': 868600, 'supermarket fortunately we': 820442, 'fortunately we re': 329923, 'we re watching': 972998, 're watching harry': 699785, 'watching harry potter': 968748, 'harry potter saga': 378552, 'potter saga on': 667266, 'saga on tv': 730885, 'on tv every': 604903, 'tv every monday': 936108, 'every monday and': 286018, 'and tuesday stayhomesavelives': 74518, 'blighted': 132670, 'wa spat': 963285, 'customer attempting': 222151, 'stockpile pot': 803792, 'noodle another': 566784, 'told hope': 923578, 'die panic': 241440, 'buying blighted': 150026, 'blighted the': 132671, 'buying supermarket worker': 151123, 'worker wa spat': 1008110, 'wa spat at': 963286, 'spat at by': 787633, 'by customer attempting': 152279, 'customer attempting to': 222152, 'attempting to stockpile': 102292, 'to stockpile pot': 915480, 'stockpile pot noodle': 803793, 'pot noodle another': 666888, 'noodle another wa': 566785, 'another wa told': 77946, 'wa told hope': 963538, 'told hope you': 923579, 'virus and die': 957919, 'and die panic': 61335, 'die panic buying': 241441, 'panic buying blighted': 637655, 'buying blighted the': 150027, 'blighted the nation': 132672, 'nh care': 561914, 'posties supermarket': 666634, 'else doing': 271675, 'bit thanks': 131706, 'to journalist': 908695, 'journalist tv': 467455, 'radio amp': 695429, 'amp print': 54332, 'print out': 678285, 'all informed': 43228, 'with the nh': 1001404, 'the nh care': 861730, 'nh care worker': 561915, 'care worker cleaner': 164282, 'driver posties supermarket': 259711, 'posties supermarket worker': 666635, 'supermarket worker amp': 823987, 'worker amp everyone': 1006256, 'amp everyone else': 53757, 'everyone else doing': 286850, 'else doing their': 271676, 'their bit thanks': 872623, 'bit thanks also': 131707, 'also to journalist': 49020, 'to journalist tv': 908696, 'journalist tv radio': 467456, 'tv radio amp': 936162, 'radio amp print': 695430, 'amp print out': 54333, 'print out there': 678286, 'there working to': 879374, 'keep all informed': 471297, 'the heck we': 857228, 'heck we are': 388708, 'estate remains': 282189, 'remains uncertain': 710075, 'uncertain nyc': 939602, 'nyc realestate': 578035, 'real estate remains': 701161, 'estate remains uncertain': 282190, 'remains uncertain nyc': 710076, 'uncertain nyc realestate': 939603, 'shop be': 759970, 'ethical during': 283074, 'food so do': 316650, 'panic shop be': 638542, 'shop be smart': 759971, 'smart and ethical': 775335, 'and ethical during': 62296, 'ethical during this': 283075, 'time of and': 897312, 'of and think': 580189, 'of others via': 587413, 'like liquid': 490645, 'liquid gold': 494089, 'gold here': 355904, 'this bottle': 886600, 'bottle cost': 136210, '10 which': 1758, 'before thankfully': 123128, 'grade stuff': 361666, 'but hand sanitizer': 145852, 'is like liquid': 449320, 'like liquid gold': 490646, 'liquid gold here': 494090, 'gold here this': 355905, 'here this bottle': 393686, 'this bottle cost': 886601, 'bottle cost 10': 136211, 'cost 10 which': 207812, '10 which is': 1759, 'which is about': 985978, 'than it wa': 840802, 'wa before thankfully': 961668, 'before thankfully it': 123129, 'wasn the hospital': 968027, 'the hospital grade': 857523, 'hospital grade stuff': 404435, 'grade stuff that': 361667, 'stuff that out': 815198, 'that out of': 845606, 'asking because': 95945, 'because curious': 119010, 'curious are': 220972, 'le during': 482939, 'asking because curious': 95946, 'because curious are': 119011, 'curious are you': 220973, 'are you online': 91829, 'you online shopping': 1020207, 'shopping more or': 763291, 'or le during': 615945, 'le during your': 482940, 'during your covid': 263431, 'quarentinelife social': 693203, 'reflection on what': 706670, 'motivates our consumer': 543295, 'crisis quarentinelife social': 217932, 'quarentinelife social distancing': 693204, 'terrifying place': 838540, 'earth the': 265005, 'full minus': 340682, 'minus tp': 533697, 'wa terrifying': 963421, 'terrifying because': 838523, 'were hundred': 979754, 'can assure': 157538, 'most terrifying place': 542805, 'terrifying place on': 838541, 'on earth the': 600473, 'earth the grocery': 265006, 'store not the': 809114, 'not the shelf': 572028, 'were empty no': 979570, 'empty no the': 274965, 'no the shelf': 565699, 'were full minus': 979668, 'full minus tp': 340683, 'minus tp it': 533698, 'tp it wa': 927864, 'it wa terrifying': 462209, 'wa terrifying because': 963422, 'terrifying because there': 838524, 'there were hundred': 879319, 'were hundred of': 979755, 'of people there': 588000, 'people there and': 649806, 'there and can': 877996, 'and can assure': 59448, 'can assure you': 157539, 'assure you no': 97103, 'you no social': 1020108, 'wa being practiced': 961683, 'apocalypse came': 81519, 'everyone lost': 287174, 'log yeah': 500626, 'yeah apocalypse': 1014234, 'the apocalypse came': 848805, 'apocalypse came and': 81520, 'came and everyone': 156970, 'and everyone lost': 62404, 'everyone lost their': 287175, 'fudge log yeah': 340101, 'log yeah apocalypse': 500627, 'yeah apocalypse lockdown': 1014235, 'tusupplychain': 936036, 'household will': 406990, 'use 40': 949005, 'usual if': 950960, 'home around': 400732, 'clock that': 182410, 'might explain': 530969, 'paper read': 640657, 'more tusupplychain': 540836, 'tusupplychain supplychain': 936037, 'supplychain toiletpaper': 826238, 'know the average': 476810, 'average household will': 104855, 'household will use': 406991, 'will use 40': 995279, 'use 40 more': 949006, '40 more toilet': 18617, 'toilet paper than': 921483, 'paper than usual': 640869, 'than usual if': 841396, 'usual if all': 950961, 'if all of': 413792, 'of it member': 585417, 'it member are': 459595, 'member are staying': 528026, 'staying home around': 798600, 'home around the': 400733, 'the clock that': 851035, 'clock that might': 182411, 'that might explain': 845159, 'might explain the': 530970, 'explain the shortage': 292121, 'toilet paper read': 921412, 'paper read more': 640658, 'read more tusupplychain': 700453, 'more tusupplychain supplychain': 540837, 'tusupplychain supplychain toiletpaper': 936038, 'privatisation': 679013, 'absorbed greedy': 27478, 'greedy aussie': 363482, 'aussie patriot': 103130, 'patriot ignoring': 644365, 'distancing health': 247198, 'restriction infuriating': 717301, 'infuriating and': 438256, 'unnecessary the': 942949, 'now learning': 575192, 'capitalism privatisation': 162776, 'privatisation and': 679014, 'greed coronacrisis': 363373, 'price up stock': 677258, 'up stock down': 946070, 'stock down and': 802057, 'down and self': 256511, 'and self absorbed': 71179, 'self absorbed greedy': 747543, 'absorbed greedy aussie': 27479, 'greedy aussie patriot': 363483, 'aussie patriot ignoring': 103131, 'patriot ignoring social': 644366, 'social distancing health': 779630, 'distancing health advice': 247199, 'health advice and': 386100, 'advice and restriction': 33317, 'and restriction infuriating': 70412, 'restriction infuriating and': 717302, 'infuriating and unnecessary': 438257, 'and unnecessary the': 74696, 'unnecessary the government': 942950, 'government are now': 359900, 'are now learning': 88562, 'now learning about': 575193, 'about the peril': 26477, 'the peril of': 863557, 'peril of capitalism': 651682, 'of capitalism privatisation': 581122, 'capitalism privatisation and': 162777, 'privatisation and greed': 679015, 'and greed coronacrisis': 63944, 'alphabites': 47160, 'good not': 357475, 'did barely': 240562, 'barely manage': 111024, 'stuff ordered': 815167, 'ordered didn': 618840, 'didn turn': 241244, 'only frozen': 610487, 'food managed': 315366, 'get were': 348615, 'were alphabites': 979297, 'alphabites thanks': 47161, 'isn good not': 454531, 'good not only': 357477, 'only did barely': 610330, 'did barely manage': 240563, 'barely manage to': 111025, 'manage to book': 512460, 'book delivery from': 134505, 'delivery from the': 234049, 'supermarket but more': 819452, 'but more than': 146411, 'the stuff ordered': 868332, 'stuff ordered didn': 815168, 'ordered didn turn': 618841, 'didn turn up': 241245, 'turn up the': 935806, 'up the only': 946200, 'the only frozen': 862306, 'only frozen food': 610488, 'frozen food managed': 338975, 'food managed to': 315367, 'to get were': 906642, 'get were alphabites': 348616, 'were alphabites thanks': 979298, 'alphabites thanks panic': 47162, 'new 19': 558309, 'back step': 107287, 'step it': 799579, 'up also': 944272, 'without amp': 1002485, 'amp good': 53870, 'in healing': 423599, 'healing via': 386087, 'new 19 research': 558310, '19 research the': 10119, 'research the system': 713858, 'the system can': 869090, 'system can fight': 831129, 'fight back step': 304670, 'back step it': 107288, 'step it up': 799580, 'it up also': 461953, 'up also good': 944273, 'also good food': 48280, 'good food to': 357065, 'up on without': 945648, 'on without amp': 605354, 'without amp good': 1002486, 'amp good news': 53871, 'good news in': 357450, 'news in healing': 560530, 'in healing via': 423600, 'wanted to at': 966244, 'businessbecause': 144736, 'advertisin': 33187, 'coinspeaker facebook': 185695, 'facebook fb': 294909, 'fb stock': 300675, 'drop 33': 260099, '33 today': 17773, 'giant 8217': 349729, '8217 weakening': 22824, 'weakening ad': 974079, 'ad businessbecause': 31071, 'businessbecause of': 144737, 'for advertisin': 319038, 'advertisin read': 33188, 'coinspeaker facebook fb': 185696, 'facebook fb stock': 294910, 'fb stock drop': 300676, 'stock drop 33': 802061, 'drop 33 today': 260100, '33 today amid': 17774, 'today amid social': 919188, 'amid social medium': 52662, 'social medium giant': 779855, 'medium giant 8217': 527117, 'giant 8217 weakening': 349730, '8217 weakening ad': 22825, 'weakening ad businessbecause': 974080, 'ad businessbecause of': 31072, 'businessbecause of covid': 144738, '19 consumer demand': 5967, 'demand for advertisin': 235371, 'for advertisin read': 319039, 'advertisin read more': 33189, 'persia': 652249, 'downed': 257538, 'flight752': 310571, 'toronto little': 925958, 'little persia': 495519, 'persia on': 652250, 'the downed': 853625, 'downed ukraine': 257539, 'ukraine flight752': 939043, 'flight752 and': 310572, 'impacted him': 418121, 'him directly': 396578, 'directly one': 243567, 'one ay': 605978, 'ay he': 106320, 'stopped seeing': 805749, 'his usual': 397894, 'usual customer': 950908, 'customer link': 222582, 'full feature': 340590, 'channel stay': 172931, 'asked this supermarket': 95855, 'this supermarket owner': 890433, 'owner in toronto': 632475, 'in toronto little': 430207, 'toronto little persia': 925959, 'little persia on': 495520, 'persia on the': 652251, 'on the downed': 604077, 'the downed ukraine': 853626, 'downed ukraine flight752': 257540, 'ukraine flight752 and': 939044, 'flight752 and how': 310573, 'how it impacted': 408132, 'it impacted him': 458696, 'impacted him directly': 418122, 'him directly one': 396579, 'directly one ay': 243568, 'one ay he': 605979, 'ay he stopped': 106321, 'he stopped seeing': 385485, 'stopped seeing some': 805750, 'seeing some of': 746471, 'of his usual': 584670, 'his usual customer': 397895, 'usual customer link': 950909, 'customer link in': 222583, 'bio for the': 131142, 'the full feature': 856007, 'full feature on': 340591, 'youtube channel stay': 1026894, 'channel stay safe': 172932, 'safe everyone staysafe': 729652, 'babyformula': 106764, 'ridiculouslyinflated': 721654, 'uk news': 938563, 'news what': 560961, 'such babyformula': 816348, 'babyformula handsanitiser': 106765, 'handsanitiser for': 376449, 'for ridiculouslyinflated': 325238, 'ridiculouslyinflated price': 721655, 'price encouraging': 673682, 'uk news what': 938564, 'news what are': 560962, 'stop the selling': 805152, 'selling of item': 749365, 'of item such': 585489, 'item such babyformula': 463669, 'such babyformula handsanitiser': 816349, 'babyformula handsanitiser for': 106766, 'handsanitiser for ridiculouslyinflated': 376450, 'for ridiculouslyinflated price': 325239, 'ridiculouslyinflated price encouraging': 721656, 'price encouraging people': 673683, 'buy extra to': 148610, 'extra to make': 293679, 'money you have': 537197, 'of care during': 581142, 'care during the': 163915, 'during the pa': 263167, 'all competition': 42412, 'competition with': 191753, 'including american': 431872, 'american production': 52146, 'trump trumpvirus': 933941, 'trumpvirus trumpviruscoverup': 934198, 'trumpviruscoverup trumppressconference': 934210, 'trumppressconference cnn': 934145, 'trump doesn know': 933527, 'doesn know that': 251865, 'saudi are trying': 737243, 'kill off all': 474463, 'off all competition': 593619, 'all competition with': 42413, 'competition with low': 191754, 'price including american': 674762, 'including american production': 431873, 'american production trump': 52147, 'production trump trumpvirus': 682265, 'trump trumpvirus trumpviruscoverup': 933942, 'trumpvirus trumpviruscoverup trumppressconference': 934199, 'trumpviruscoverup trumppressconference cnn': 934211, 'nursery ha': 577570, 'paying fee': 645405, 'fee while': 302252, 'closed should': 183330, 'should our': 766302, 'reader pay': 700693, 'get let': 347476, 'our nursery ha': 624109, 'nursery ha asked': 577571, 'ha asked to': 369634, 'asked to keep': 95869, 'to keep paying': 908826, 'keep paying fee': 471781, 'paying fee while': 645406, 'fee while it': 302253, 'while it closed': 986967, 'it closed should': 457191, 'closed should our': 183331, 'should our reader': 766303, 'our reader pay': 624542, 'reader pay for': 700694, 'pay for service': 644899, 'for service they': 325501, 'service they no': 752949, 'longer get let': 501979, 'get let know': 347477, 'whining': 987727, 'is whining': 453941, 'whining about': 987728, 'control between': 201974, 'arabia sticking': 83930, 'sticking it': 800101, 'down restricting': 257150, 'restricting consumption': 717185, 'trump is whining': 933662, 'is whining about': 453942, 'whining about low': 987729, 'gas price of': 344005, 'price of which': 675609, 'of which he': 593103, 'which he ha': 985926, 'no control between': 563895, 'control between saudi': 201975, 'saudi arabia sticking': 737212, 'arabia sticking it': 83931, 'sticking it to': 800102, 'it to all': 461704, 'all the oil': 44848, 'the oil producer': 862116, '19 economic slow': 6704, 'slow down restricting': 774350, 'down restricting consumption': 257151, 'an italian': 56490, 'italian friend': 462699, 'friend say': 333793, 'be total': 117772, 'total restriction': 926236, 'restriction for': 717275, 'fortnight including': 329835, 'including access': 431860, 'first baby': 308524, 'baby also': 106561, 'also died': 48105, 'died there': 241602, 'but britain': 145320, 'britain press': 140435, 'screwed 19': 742815, 'an italian friend': 56491, 'italian friend say': 462700, 'friend say there': 333794, 'say there will': 739326, 'there will now': 879363, 'now be total': 574207, 'be total restriction': 117773, 'total restriction for': 926237, 'restriction for the': 717276, 'for the entire': 326412, 'entire country for': 278656, 'next fortnight including': 561375, 'fortnight including access': 329836, 'including access to': 431861, 'supermarket in desperate': 820889, 'attempt to stop': 102265, 'stop this the': 805199, 'the first baby': 855281, 'first baby also': 308525, 'baby also died': 106562, 'also died there': 48106, 'died there due': 241603, 'to but britain': 902148, 'but britain press': 145321, 'britain press on': 140436, 'press on we': 671065, 'are screwed 19': 89871, 'and here we': 64536, 'stayathomerule': 797789, 'nigeria at': 562719, 'the stayathomerule': 867854, 'stayathomerule what': 797790, 'what of': 981953, 'our population': 624396, 'population can': 664664, 'they home': 882439, 'period fear': 651757, 'not 19': 567987, 'fear for nigeria': 301131, 'for nigeria at': 323874, 'nigeria at time': 562720, 'like this even': 491484, 'this even if': 887425, 'if we enforce': 415280, 'enforce the stayathomerule': 276691, 'the stayathomerule what': 867855, 'stayathomerule what of': 797791, 'what of our': 981954, 'of our population': 587541, 'our population can': 624397, 'population can afford': 664665, 'to stock they': 915456, 'stock they home': 802967, 'they home with': 882440, 'and essential to': 62267, 'essential to cover': 281692, 'cover the period': 212295, 'the period fear': 863564, 'period fear that': 651758, 'will end of': 993305, 'end of dying': 275896, 'dying of starvation': 263851, 'of starvation and': 590053, 'starvation and not': 795150, 'and not 19': 67711, 'not 19 at': 567988, 'my dang': 547910, 'dang kid': 225620, 'canned veggie': 161565, 'veggie bottled': 954174, 'water bread': 968928, 'girl say': 350279, 'must really': 546839, 'no sweet': 565650, 'sweet girl': 830233, 'girl people': 350275, 'just idiot': 469007, 'take my dang': 832350, 'my dang kid': 547911, 'dang kid to': 225621, 'week and upon': 975943, 'and upon seeing': 74744, 'upon seeing no': 947656, 'seeing no canned': 746386, 'no canned veggie': 563758, 'canned veggie bottled': 161566, 'veggie bottled water': 954175, 'bottled water bread': 136372, 'water bread toilet': 968929, 'paper etc my': 640138, 'etc my girl': 282666, 'my girl say': 548500, 'girl say people': 350280, 'say people must': 739054, 'people must really': 648805, 'must really think': 546840, 'really think this': 702661, 'the world no': 871923, 'world no sweet': 1009837, 'no sweet girl': 565651, 'sweet girl people': 830234, 'girl people are': 350276, 'are just idiot': 87627, 'just idiot 19': 469008, 'choice wks': 177836, 'wks have': 1003246, 'into nazi': 442795, 'me wait': 523893, 'person then': 652642, 'so my grocery': 777837, 'of choice wks': 581405, 'choice wks have': 177837, 'wks have asked': 1003247, 'have asked employee': 379362, 'wearing mask do': 974688, 'they have turned': 882399, 'have turned into': 383427, 'turned into nazi': 935847, 'into nazi some': 442796, 'tell me wait': 837030, 'me wait in': 523894, 'only person then': 610961, 'person then to': 652643, 'then to wash': 877679, 'taiwanese govt': 831851, 'govt took': 361320, 'exportation eventually': 292732, 'help increased': 389918, 'production they': 682229, 'they allocated': 881123, 'the taiwanese govt': 869124, 'taiwanese govt took': 831852, 'govt took over': 361321, 'banning exportation eventually': 110630, 'exportation eventually bringing': 292733, 'to help increased': 907545, 'help increased production': 389919, 'increased production they': 433435, 'production they allocated': 682230, 'they allocated certain': 881124, 'courier deliverer': 211803, 'deliverer too': 233460, 'too maybe': 924898, 'maybe also': 521642, 'also postal': 48674, 'service encourage': 752332, 'encourage online': 275610, 'which by': 985726, 'very nature': 955371, 'nature socialdistance': 552984, 'is demonstrably': 447121, 'demonstrably safer': 236828, 'courier deliverer too': 211804, 'deliverer too maybe': 233461, 'too maybe also': 924899, 'maybe also postal': 521643, 'also postal service': 48675, 'postal service encourage': 666448, 'service encourage online': 752333, 'encourage online shopping': 275611, 'shopping which by': 764388, 'which by it': 985727, 'by it very': 152947, 'it very nature': 462037, 'very nature socialdistance': 955372, 'nature socialdistance is': 552986, 'socialdistance is demonstrably': 780151, 'is demonstrably safer': 447122, 'good story': 357783, 'may permanently': 521422, 'and regard': 70144, 'to stay good': 915289, 'stay good story': 796885, 'good story in': 357785, 'story in on': 812012, 'how the may': 408847, 'the may permanently': 860317, 'may permanently change': 521423, 'permanently change the': 652091, 'medium and regard': 526990, 'and regard the': 70145, 'hated to': 378951, 'go lady': 353790, 'supermarket hated to': 820675, 'hated to go': 378952, 'to go lady': 906817, 'go lady in': 353791, 'despite shutdown': 238850, 'to continue despite': 903381, 'continue despite shutdown': 201021, 'despite shutdown of': 238851, 'shutdown of shop': 768073, 'not meeting': 570565, 'meeting place': 527747, 'need stayathome': 555635, 'stayathome stoppanicbuying': 797675, 'people come here': 647493, 'come here just': 187341, 'here just to': 393283, 'just to shop': 470107, 'is not meeting': 450131, 'not meeting place': 570566, 'meeting place we': 527748, 'place we do': 657814, 'not have what': 569889, 'you need stayathome': 1020040, 'need stayathome stoppanicbuying': 555636, 'distancing working': 247659, 'remotely staying': 710784, 'home following': 401209, 'survey posed': 828923, 'posed series': 665124, 'world consumer are': 1009442, 'consumer are responding': 196306, 'responding to by': 715579, 'to by social': 902360, 'social distancing working': 779772, 'distancing working remotely': 247660, 'working remotely staying': 1008890, 'remotely staying home': 710785, 'staying home following': 798608, 'home following up': 401210, 'our survey posed': 625056, 'survey posed series': 828924, 'posed series of': 665125, 'series of question': 751274, 'of question to': 588687, 'question to 500': 693774, 'to 500 consumer': 899754, '500 consumer in': 19967, 'consumer in italy': 197824, 'sisolak label': 771708, 'label essential': 478339, 'service police': 752700, 'fire transit': 308128, 'station plus': 796493, 'plus business': 661571, 'for disadvantaged': 320736, 'governor sisolak label': 360991, 'sisolak label essential': 771709, 'label essential service': 478340, 'essential service police': 281520, 'service police fire': 752701, 'police fire transit': 663004, 'fire transit and': 308129, 'transit and healthcare': 929624, 'and healthcare pharmacy': 64379, 'healthcare pharmacy bank': 387211, 'gas station plus': 344125, 'station plus business': 796494, 'plus business that': 661572, 'business that supply': 144490, 'that supply food': 846584, 'supply food shelter': 825254, 'social service for': 779958, 'service for disadvantaged': 752377, 'for disadvantaged population': 320737, '19 briton': 5452, 'husband need': 411740, 'covid 19 briton': 212733, '19 briton caught': 5453, 'my husband need': 548786, 'husband need assistance': 411741, 'pandemic heard': 635608, 'grocery delivered now': 364425, 'delivered now because': 233363, 'the pandemic heard': 862985, 'pandemic heard on': 635609, 'pandemic crash price': 635261, 'crash price of': 215025, 'doctor your': 251175, 'employer is': 274518, 'essential learn': 281271, 'much possible you': 545250, 'store doctor your': 807342, 'doctor your job': 251176, 'your employer is': 1023668, 'employer is essential': 274519, 'is essential learn': 447546, 'essential learn more': 281272, 'about the stay': 26527, 'correctional': 207592, 'bridgeport ct': 139637, 'ct correctional': 220090, 'correctional facility': 207593, 'facility need': 295361, 'sanitizer asap': 734493, 'bridgeport ct correctional': 139638, 'ct correctional facility': 220091, 'correctional facility need': 207594, 'facility need mask': 295362, 'hand sanitizer asap': 375311, 'measure houseprices': 525217, 'coronavirus and house': 205494, 'house price how': 406491, 'price how the': 674595, 'market could be': 516234, 'outbreak and lockdown': 628000, 'and lockdown measure': 66324, 'lockdown measure houseprices': 499652, 'hello well': 389251, 'help qualified': 390395, 'hello well fargo': 389252, 'know need help': 476621, 'need help qualified': 554991, 'help qualified specialist': 390396, 'discus consumer loan': 244840, 'loan small business': 497535, 'shutdownsa': 768145, 'cyrilramaphosa': 224143, 'shutdownsa lockdownsa': 768146, 'lockdownsa cyrilramaphosa': 500366, 'cyrilramaphosa avoid': 224144, 'shutdownsa lockdownsa cyrilramaphosa': 768147, 'lockdownsa cyrilramaphosa avoid': 500367, 'cyrilramaphosa avoid temptation': 224145, 'gravitas': 362443, 'why large': 991159, 'large of': 479725, 'totally ignoring': 926352, 'ignoring everything': 415906, 'told work': 923792, 'nh it': 561999, 'clear by': 181233, 'busy the': 144987, 'the gravitas': 856709, 'gravitas of': 362444, 'situation coronav': 772226, 'know why large': 477051, 'why large of': 991160, 'large of my': 479726, 'of my town': 586823, 'town are totally': 927442, 'are totally ignoring': 91155, 'totally ignoring everything': 926353, 'ignoring everything they': 415907, 'being told work': 125971, 'told work for': 923793, 'the nh it': 861746, 'nh it clear': 562000, 'it clear by': 457157, 'clear by how': 181234, 'by how busy': 152840, 'how busy the': 407482, 'busy the road': 144988, 'road and supermarket': 724402, 'park are that': 641871, 'are that people': 90790, 'people don understand': 647712, 'understand the gravitas': 940756, 'the gravitas of': 856710, 'gravitas of the': 362445, 'the situation coronav': 867249, 'from useful': 338210, 'useful detail': 950149, 'too 15': 924556, 'advice from useful': 33394, 'from useful detail': 338211, 'useful detail from': 950150, 'from and too': 334528, 'and too 15': 74270, 'too 15 19': 924557, 'norwegian supermarket': 567854, 'chain meny': 170921, 'meny ha': 528911, 'crisis amid': 217002, 'many could': 513939, 'norwegian supermarket chain': 567855, 'supermarket chain meny': 819622, 'chain meny ha': 170922, 'meny ha announced': 528912, 'food supplier during': 316920, 'the crisis amid': 852342, 'crisis amid fear': 217003, 'fear that many': 301365, 'that many could': 845025, 'many could go': 513940, 'could go bankrupt': 209216, 'good money': 357392, 'now unlike': 576265, 'unlike large': 942712, 'corporation who': 207475, 'went heavy': 979028, 'heavy on': 388647, 'buyback invest': 149514, 'people recession2020': 649252, 'recession2020 groceryworkers': 704422, 'store worker more': 811544, 'worker more they': 1007393, 'more they could': 540730, 'they could help': 881831, 'could help support': 209293, 'support their family': 826899, 'their family that': 873269, 'family that much': 298294, 'much more store': 545127, 'more store are': 540474, 'are making good': 87982, 'making good good': 511093, 'good good money': 357138, 'good money right': 357393, 'right now unlike': 722169, 'now unlike large': 576266, 'unlike large corporation': 942713, 'large corporation who': 479629, 'corporation who went': 207476, 'who went heavy': 989945, 'went heavy on': 979029, 'heavy on stock': 388648, 'on stock buyback': 603673, 'stock buyback invest': 801957, 'buyback invest in': 149515, 'in your people': 431112, 'your people recession2020': 1025247, 'people recession2020 groceryworkers': 649253, 'make shorter': 510455, 'shorter but': 765351, 'but frequent': 145772, 'make longer': 510100, 'longer infrequent': 502002, 'trip if': 932091, 'but test': 147273, 'test negative': 839098, 'negative doe': 556758, 're free': 698710, 'asthma react': 97203, '19 answer': 5152, 'coronavirus question': 206614, 'should you make': 766680, 'you make shorter': 1019761, 'make shorter but': 510456, 'shorter but frequent': 765352, 'but frequent trip': 145773, 'store or make': 809346, 'or make longer': 616039, 'make longer infrequent': 510101, 'longer infrequent trip': 502003, 'infrequent trip if': 438235, 'trip if you': 932092, 'symptom but test': 830828, 'but test negative': 147274, 'test negative doe': 839099, 'negative doe that': 556759, 'that mean you': 845125, 'you re free': 1020627, 're free and': 698711, 'free and clear': 331643, 'and clear how': 59955, 'clear how do': 181257, 'do people with': 249978, 'with asthma react': 997329, 'asthma react to': 97204, 'covid 19 answer': 212633, '19 answer your': 5153, 'your coronavirus question': 1023351, 'wither': 1002290, 'your netflix': 1024982, 'netflix steaming': 557629, 'steaming take': 799299, 'take dip': 832067, 'in quality': 427168, 'quality you': 691878, 'can blame': 157767, 'money netflix': 536902, 'netflix save': 557625, 'and wither': 75784, 'wither they': 1002291, 'this onto': 889271, 'to cheaper': 902671, 'cheaper standard': 174270, 'standard definition': 793649, 'definition plan': 232427, 'if your netflix': 415597, 'your netflix steaming': 1024983, 'netflix steaming take': 557630, 'steaming take dip': 799300, 'take dip in': 832068, 'dip in quality': 243195, 'in quality you': 427169, 'quality you can': 691879, 'you can blame': 1017632, 'can blame the': 157768, 'blame the virus': 132305, '19 be interested': 5318, 'be interested to': 115521, 'much money netflix': 545088, 'money netflix save': 536903, 'netflix save and': 557626, 'save and wither': 737477, 'and wither they': 75785, 'wither they pas': 1002292, 'they pas this': 882871, 'pas this onto': 643162, 'this onto the': 889272, 'onto the consumer': 611680, 'the consumer time': 851611, 'consumer time to': 199293, 'time to change': 897961, 'change to cheaper': 172341, 'to cheaper standard': 902672, 'cheaper standard definition': 174271, 'standard definition plan': 793650, 'consumerdevices': 199667, 'the intelligent': 858339, 'intelligent home': 441027, 'market consumerdevices': 516214, 'on the intelligent': 604185, 'the intelligent home': 858340, 'intelligent home market': 441028, 'home market consumerdevices': 401586, 'osu': 619754, 'marrison': 518008, 'osu extension': 619755, 'extension family': 293277, 'family consumer': 297719, 'science educator': 742101, 'educator emily': 268900, 'emily marrison': 273178, 'marrison offer': 518009, 'better coping': 128245, 'mechanism when': 525859, 'when stressed': 984087, 'stressed or': 813450, 'or bored': 614570, 'osu extension family': 619756, 'extension family consumer': 293278, 'family consumer science': 297720, 'consumer science educator': 198876, 'science educator emily': 742102, 'educator emily marrison': 268901, 'emily marrison offer': 273179, 'marrison offer suggestion': 518010, 'to find better': 905886, 'find better coping': 306835, 'better coping mechanism': 128246, 'coping mechanism when': 203380, 'mechanism when stressed': 525860, 'when stressed or': 984088, 'stressed or bored': 813451, 'contagious respiratory': 200445, 'frequently possible': 332867, 'possible avoid': 665579, 'avoid human': 105150, 'face whenever': 294853, 'you sneeze': 1021283, 'cough people': 208535, 'supermarket entire': 820177, 'federal government covid': 301989, '19 is highly': 7987, 'is highly contagious': 448464, 'highly contagious respiratory': 396050, 'contagious respiratory disease': 200446, 'respiratory disease please': 715233, 'disease please sanitize': 245208, 'please sanitize your': 660440, 'hand frequently possible': 374957, 'frequently possible avoid': 332868, 'possible avoid human': 665580, 'avoid human interaction': 105151, 'human interaction and': 410529, 'interaction and cover': 441230, 'and cover your': 60659, 'your face whenever': 1023761, 'face whenever you': 294854, 'whenever you sneeze': 984691, 'you sneeze or': 1021284, 'or cough people': 614845, 'cough people got': 208536, 'people got it': 648115, 'got it ll': 358648, 'it ll buy': 459419, 'll buy every': 496669, 'buy every supermarket': 148590, 'every supermarket entire': 286246, 'supermarket entire stock': 820178, 'those recovering': 892388, 'please what': 660768, 'are hungry': 87273, 'hungry no': 411281, 'foodstuff have': 318175, 'gone high': 356299, 'high help': 395108, 'the living': 859511, 'living also': 496318, 'god for those': 354699, 'for those recovering': 327131, 'those recovering from': 892389, 'recovering from covid': 705262, '19 please what': 9732, 'please what is': 660769, 'government doing with': 360048, 'doing with the': 252868, 'people are hungry': 646998, 'are hungry no': 87274, 'hungry no money': 411282, 'food and price': 313313, 'of foodstuff have': 583836, 'foodstuff have gone': 318176, 'have gone high': 380794, 'gone high help': 356300, 'high help the': 395109, 'help the living': 390661, 'the living also': 859512, 'rospotrebnadsor': 726137, 'nationality': 552669, 'agency rospotrebnadsor': 38065, 'rospotrebnadsor ha': 726138, 'ha obliged': 371412, 'obliged all': 578477, 'russian federation': 728642, 'federation to': 302108, 'quarantine regardless': 692490, 'of nationality': 586866, 'nationality or': 552670, 'or residence': 616868, 'residence status': 714227, 'status ahk': 796655, 'the russian consumer': 866096, 'russian consumer protection': 728624, 'protection agency rospotrebnadsor': 685301, 'agency rospotrebnadsor ha': 38066, 'rospotrebnadsor ha obliged': 726139, 'ha obliged all': 371413, 'obliged all person': 578478, 'all person entering': 43948, 'person entering the': 652418, 'entering the russian': 278430, 'the russian federation': 866099, 'russian federation to': 728643, 'federation to carry': 302109, 'carry out 14': 165136, 'out 14 day': 625524, 'day self quarantine': 228325, 'self quarantine regardless': 747866, 'quarantine regardless of': 692491, 'regardless of nationality': 707320, 'of nationality or': 586867, 'nationality or residence': 552671, 'or residence status': 616869, 'residence status ahk': 714228, 'status ahk liveticker': 796656, 'positive note covid': 665381, '19 got them': 7254, 'got them gas': 358925, 'the low low': 859777, 'looter': 503247, 'atrocious': 102001, 'like looter': 490675, 'looter in': 503248, 'in riot': 427519, 'and sentenced': 71271, 'in cell': 421305, 'cell cannot': 168946, 'it atrocious': 456634, 'atrocious behavior': 102002, 'coronacrisis panic buyer': 204688, 'hoarding food should': 399312, 'treated like looter': 930962, 'like looter in': 490676, 'looter in riot': 503249, 'in riot and': 427520, 'riot and sentenced': 722599, 'and sentenced to': 71272, 'sentenced to self': 750881, 'isolate for two': 454860, 'week in cell': 976366, 'in cell cannot': 421306, 'cell cannot believe': 168947, 'be it atrocious': 115561, 'it atrocious behavior': 456635, 'motor issue': 543334, 'issue husband': 455792, 'get quick': 347873, 'hoarder coronavirus': 399006, 'be round': 116913, 'severe motor issue': 754036, 'motor issue husband': 543335, 'issue husband asthma': 455793, 'cancer self isolating': 161276, 'can get quick': 158445, 'get quick delivery': 347874, 'quick delivery can': 694304, 'delivery can get': 233778, 'can get they': 158462, 'let people bulk': 486971, 'bulk buy so': 142259, 'buy so how': 149190, 'so how to': 777343, 'to stop hoarder': 915535, 'stop hoarder coronavirus': 804720, 'hoarder coronavirus be': 399007, 'coronavirus be round': 205549, 'be round the': 116914, 'pandemic outside': 636135, 'hospital postal': 404570, 'janitor security': 464559, 'guard restaurant': 367834, 'cook service': 202777, 'service crew': 752265, 'crew pharmacist': 216706, 'the pandemic outside': 863045, 'pandemic outside the': 636136, 'outside the hospital': 629595, 'the hospital postal': 857529, 'hospital postal worker': 404571, 'staff janitor security': 792590, 'janitor security guard': 464560, 'security guard restaurant': 744624, 'guard restaurant cook': 367835, 'restaurant cook service': 716401, 'cook service crew': 202778, 'service crew pharmacist': 752266, 'disastrous capitalist': 244282, 'he raised': 385328, 'raised toilet': 696052, 'nook is disastrous': 566830, 'is disastrous capitalist': 447200, 'disastrous capitalist soon': 244283, 'hit he raised': 398265, 'he raised toilet': 385329, 'raised toilet paper': 696053, 'paper price to': 640613, 'price to 600': 676960, 'aalto': 24101, 'the aalto': 848228, 'aalto university': 24102, 'university corona': 942422, '3d model of': 18238, 'model of the': 535288, 'of coronavirus when': 581977, 'coronavirus when person': 207066, 'in supermarket created': 428582, 'supermarket created by': 819858, 'by the aalto': 154256, 'the aalto university': 848229, 'aalto university corona': 24103, 'is quietly': 451186, 'quietly sacrificing': 694727, 'sacrificing grocery': 729132, 'worker suppresses': 1007868, 'suppresses outbreak': 827416, 'our weak': 625316, 'weak economy': 974012, 'panic save': 638509, 'save yourselves': 737718, 'and neverforget': 67543, 'neverforget trumpvirus': 558297, 'trumpvirus 30moredays': 934179, 'these next week': 880346, 'week is quietly': 976425, 'is quietly sacrificing': 451187, 'quietly sacrificing grocery': 694728, 'sacrificing grocery store': 729133, 'store worker suppresses': 811592, 'worker suppresses outbreak': 1007869, 'suppresses outbreak in': 827417, 'keep our weak': 471760, 'our weak economy': 625317, 'weak economy going': 974013, 'economy going and': 267902, 'going and not': 355011, 'and not start': 67772, 'not start panic': 571694, 'start panic save': 794429, 'panic save yourselves': 638510, 'save yourselves and': 737719, 'yourselves and neverforget': 1026782, 'and neverforget trumpvirus': 67544, 'neverforget trumpvirus 30moredays': 558298, 'biggest ups': 130347, 'professional retail': 682487, 'all thankyou': 44627, 'now just wanna': 575160, 'just wanna give': 470217, 'wanna give the': 965635, 'give the biggest': 350732, 'the biggest ups': 849684, 'biggest ups to': 130348, 'ups to our': 947779, 'healthcare professional retail': 387240, 'professional retail worker': 682488, 'people and grocery': 646863, 'clerk that is': 181786, 'is all thankyou': 445467, 'dr answer': 257954, 'run safe': 727794, 'dr answer question': 257955, 'answer question about': 78097, 'question about 19': 693490, 'about 19 what': 24660, '19 what can': 11998, 'store run safe': 809934, 'run safe possible': 727795, 'still unable': 801343, 'pay clueless': 644809, 'paycheck in week': 645291, 'in week they': 430773, 'job at an': 465673, 'at an over': 97992, 'over crowded grocery': 630132, 'store still unable': 810386, 'still unable to': 801344, 'pay bill with': 644785, 'with that pay': 1001177, 'that pay clueless': 845671, 'pay clueless ohiounemployment': 644810, 'consumer in mexico': 197830, 'rsas': 726710, 'are approximately': 84605, 'approximately 900': 83247, '900 application': 23364, 'operator license': 613378, 'ontario but': 611583, 'only 59': 610012, '59 retail': 20573, 'store permit': 809510, 'permit have': 652152, 'received so': 703683, 'far rsas': 298910, 'rsas have': 726711, 'been temporarily': 122147, 'temporarily suspended': 837557, 'suspended due': 829610, 'there are approximately': 878067, 'are approximately 900': 84606, 'approximately 900 application': 83248, '900 application for': 23365, 'application for cannabis': 82453, 'for cannabis retail': 319917, 'cannabis retail operator': 161436, 'retail operator license': 718359, 'operator license in': 613380, 'license in ontario': 488141, 'in ontario but': 426182, 'ontario but only': 611584, 'but only 59': 146682, 'only 59 retail': 610013, '59 retail store': 20574, 'retail store permit': 718682, 'store permit have': 809511, 'permit have been': 652153, 'been received so': 121787, 'received so far': 703684, 'so far rsas': 777055, 'far rsas have': 298911, 'rsas have been': 726712, 'have been temporarily': 379713, 'been temporarily suspended': 122148, 'temporarily suspended due': 837558, 'suspended due to': 829611, 'oodee': 611729, 'with oodee': 999918, 'oodee home': 611730, 'delivered fresh': 233328, 'fresh ingredient': 333016, 'ingredient ready': 438394, 'pan oodee': 634668, 'oodee is': 611732, 'is affordable': 445403, 'convenient 19': 202387, '19 australialockdown': 5270, 'australialockdown stayathome': 103430, 'stayathome 19australia': 797429, '19australia qantas': 12517, 'qantas woolies': 691472, 'woolies supermarket': 1004385, 'stoppanicbuying sydney': 805648, 'the grocery line': 856817, 'grocery line with': 364692, 'line with oodee': 493584, 'with oodee home': 999919, 'oodee home delivered': 611731, 'home delivered fresh': 401001, 'delivered fresh ingredient': 233329, 'fresh ingredient ready': 333017, 'ingredient ready for': 438395, 'for the pan': 326607, 'the pan oodee': 862881, 'pan oodee is': 634669, 'oodee is affordable': 611733, 'is affordable and': 445404, 'affordable and convenient': 34835, 'and convenient 19': 60528, 'convenient 19 australialockdown': 202388, '19 australialockdown stayathome': 5271, 'australialockdown stayathome 19australia': 103431, 'stayathome 19australia qantas': 797430, '19australia qantas woolies': 12518, 'qantas woolies supermarket': 691473, 'woolies supermarket stoppanicbuying': 1004386, 'supermarket stoppanicbuying sydney': 822997, 'selondon': 749566, 'bank so': 110193, 'poorest do': 664364, 'not struggle': 571783, 'struggle even': 814343, 'more bekind': 538715, 'bekind selondon': 126110, 'the challenge covid': 850639, '19 present to': 9787, 'present to our': 670636, 'can all work': 157444, 'and help support': 64471, 'food bank so': 313641, 'bank so that': 110194, 'they can meet': 881655, 'can meet increased': 158989, 'demand and ensure': 234959, 'and ensure that': 62166, 'that the poorest': 846804, 'the poorest do': 864004, 'poorest do not': 664365, 'do not struggle': 249859, 'not struggle even': 571784, 'struggle even more': 814344, 'even more bekind': 284342, 'more bekind selondon': 538716, 'that treating': 847119, 'treating health': 930998, 'care consumer': 163894, 'your infrastructure': 1024486, 'infrastructure collapse': 438189, 'with fluctuation': 998467, 'great on': 362857, 'april 2nd': 83492, 'out that treating': 627336, 'that treating health': 847120, 'treating health care': 930999, 'health care consumer': 386225, 'care consumer good': 163895, 'consumer good such': 197639, 'good such that': 357794, 'such that your': 816796, 'that your infrastructure': 847769, 'your infrastructure collapse': 1024487, 'infrastructure collapse with': 438190, 'collapse with fluctuation': 186077, 'with fluctuation in': 998468, 'fluctuation in demand': 311520, 'demand is not': 235734, 'not great on': 569747, 'great on april': 362858, 'on april 2nd': 599443, 'foodwasted': 318264, 'of foodwasted': 583844, 'foodwasted scramble': 318265, 'closure foodsecurity': 183895, 'mountain of foodwasted': 543426, 'of foodwasted scramble': 583845, 'foodwasted scramble supply': 318266, 'prevent closure foodsecurity': 671596, 'ginny': 350215, 'wa honestly': 962328, 'honestly expecting': 403098, 'told ginny': 923556, 'ginny died': 350216, 'after harry': 35753, 'harry lost': 378549, 'wa honestly expecting': 962329, 'honestly expecting to': 403099, 'be told ginny': 117747, 'told ginny died': 923557, 'ginny died of': 350217, '19 while working': 12055, 'store after harry': 806082, 'after harry lost': 35754, 'harry lost his': 378550, 'buying cunt': 150172, 'cunt are': 220356, 'starve or': 795211, 'poisoning because': 662802, 'got clue': 358488, 'cook the': 202781, 'hoarding mcdonalds': 399425, 'now the panic': 576058, 'panic buying cunt': 637698, 'buying cunt are': 150173, 'cunt are going': 220357, 'to starve or': 915246, 'starve or have': 795212, 'have food poisoning': 380661, 'food poisoning because': 315878, 'poisoning because they': 662803, 'because they haven': 119706, 'they haven got': 882408, 'haven got clue': 383811, 'got clue how': 358489, 'to cook the': 903489, 'cook the shit': 202782, 'shit they re': 759256, 'they re hoarding': 883051, 're hoarding mcdonalds': 698817, 'everythings': 288147, 'tho only': 891684, 'essential im': 281147, 'grocery everythings': 364505, 'everythings piling': 288148, 'and past': 68753, 'past due': 643531, 'due have': 261656, 'have dollar': 380312, 'could stay home': 209716, 'stay home even': 796960, 'home even tho': 401165, 'even tho only': 284694, 'tho only work': 891685, 'work day week': 1005031, 'day week work': 228705, 'week work in': 977280, 'store so my': 810230, 'so my work': 777850, 'work is considered': 1005369, 'considered essential im': 195288, 'essential im not': 281148, 'im not making': 416560, 'making it now': 511147, 'it now with': 459969, 'now with my': 576450, 'with my rent': 999649, 'my rent bill': 549919, 'and grocery everythings': 63985, 'grocery everythings piling': 364506, 'everythings piling up': 288149, 'piling up and': 656635, 'up and past': 944356, 'and past due': 68754, 'past due have': 643532, 'due have dollar': 261657, 'have dollar to': 380313, 'dollar to my': 253096, 'to my name': 910421, 'food will take': 317632, 'will take me': 995076, 'take me that': 832318, 'healtheworld2020': 387448, 'maybe once': 521765, 'this ordeal': 889292, 'ordeal is': 617967, 'the frontliners': 855893, 'frontliners especially': 338889, 'cleaner fast': 180780, 'eligible to': 271434, 'receive tip': 703570, 'tip service': 898889, 'charge unsungheroes': 173330, 'unsungheroes unity': 943570, 'unity healtheworld2020': 942323, 'maybe once this': 521766, 'once this ordeal': 605753, 'this ordeal is': 889293, 'ordeal is over': 617968, 'is over the': 450736, 'over the frontliners': 630722, 'the frontliners especially': 855894, 'frontliners especially the': 338890, 'especially the cleaner': 280619, 'the cleaner fast': 850983, 'cleaner fast food': 180781, 'fast food and': 299955, 'food and supermarket': 313350, 'should be eligible': 765613, 'be eligible to': 114661, 'eligible to receive': 271435, 'to receive tip': 912938, 'receive tip service': 703571, 'tip service charge': 898890, 'service charge unsungheroes': 752226, 'charge unsungheroes unity': 173331, 'unsungheroes unity healtheworld2020': 943571, 'story concerned': 811935, 'top story concerned': 925726, 'story concerned about': 811936, 'tackle keep ameri': 831578, 'the manchester online': 860006, '10m to help': 2359, 'monitoring consumer': 537347, 'closely monitoring consumer': 183468, 'monitoring consumer impact': 537348, 'local ithaca': 498130, 'ithaca startup': 463885, 'and rev': 70482, 'rev member': 720215, 'member offer': 528156, 'offer grocery': 594645, 'grocer which': 364180, 'serve community': 751873, 'about rosie': 26114, 'rosie service': 726122, 'local ithaca startup': 498131, 'ithaca startup and': 463886, 'startup and rev': 795091, 'and rev member': 70483, 'rev member offer': 720216, 'member offer grocery': 528157, 'offer grocery delivery': 594646, 'service from local': 752408, 'local grocer which': 498045, 'grocer which will': 364181, 'will help serve': 993728, 'help serve community': 390515, 'serve community during': 751874, 'more about rosie': 538520, 'about rosie service': 26115, 'rosie service and': 726123, 'service and delivery': 752082, 'and delivery area': 61111, 'saving away': 737849, 'shopping my saving': 763314, 'my saving away': 549992, 'delibrately': 232994, 'borsers': 135643, 'and foodstuff': 63122, 'foodstuff delibrately': 318162, 'delibrately despite': 232995, 'despite that': 238869, 'that fact': 843819, 'our borsers': 622244, 'borsers with': 135644, 'with central': 997584, 'central asian': 169367, 'asian country': 95267, 'import and': 418613, 'have deficiency': 380212, 'deficiency 19': 232231, 'in some trader': 428106, 'some trader are': 784111, 'trader are raising': 928657, 'sanitary product and': 733813, 'product and foodstuff': 680886, 'and foodstuff delibrately': 63123, 'foodstuff delibrately despite': 318163, 'delibrately despite that': 232996, 'despite that fact': 238870, 'that fact that': 843820, 'fact that our': 295807, 'that our borsers': 845571, 'our borsers with': 622245, 'borsers with central': 135645, 'with central asian': 997585, 'central asian country': 169368, 'asian country are': 95268, 'country are open': 210476, 'open for import': 612249, 'for import and': 322496, 'import and we': 418614, 'not have deficiency': 569823, 'have deficiency 19': 380213, 'it come down': 457207, 'afton': 36760, 'planing': 658430, 'hitting live': 398575, 'event hard': 284987, 'hard package': 377988, 'package purchased': 633382, 'these special': 880710, 'help afton': 389306, 'afton to': 36761, 'keep planing': 471794, 'planing show': 658433, 'other artist': 619847, 'artist for': 94603, 'may june': 521302, 'june july': 468008, 'is hitting live': 448504, 'hitting live event': 398576, 'live event hard': 495801, 'event hard package': 284988, 'hard package purchased': 377989, 'package purchased at': 633383, 'purchased at these': 689757, 'at these special': 101207, 'these special discounted': 880711, 'discounted price will': 244605, 'will help afton': 993698, 'help afton to': 389307, 'afton to continue': 36762, 'support our staff': 826740, 'staff and continue': 792133, 'to keep planing': 908828, 'keep planing show': 471795, 'planing show for': 658434, 'show for you': 766953, 'and our other': 68510, 'our other artist': 624177, 'other artist for': 619848, 'artist for may': 94604, 'for may june': 323299, 'may june july': 521303, 'museumcollections': 546256, 'unstaged': 943541, 'hoarding who': 399661, 'have know': 381230, 'that donation': 843606, 'donation into': 254629, 'our museumcollections': 623969, 'museumcollections year': 546257, 'ago would': 38556, 'would relate': 1012179, 'this unstaged': 890922, 'unstaged photo': 943542, 'real museum': 701270, 'museum object': 546251, 'object in': 578408, 'their proper': 874496, 'proper storage': 684153, 'storage place': 805979, 'place toiletpaper': 657782, 'we promise we': 972764, 'promise we re': 683709, 're not hoarding': 699097, 'not hoarding who': 570000, 'hoarding who could': 399662, 'could have know': 209257, 'have know that': 381231, 'know that donation': 476760, 'that donation into': 843607, 'donation into our': 254630, 'into our museumcollections': 442823, 'our museumcollections year': 623970, 'museumcollections year ago': 546258, 'year ago would': 1014370, 'ago would relate': 38557, 'would relate to': 1012180, 'relate to item': 708366, 'to item in': 908631, 'current pandemic this': 221297, 'pandemic this unstaged': 636748, 'this unstaged photo': 890923, 'unstaged photo is': 943543, 'photo is real': 655184, 'is real museum': 451274, 'real museum object': 701271, 'museum object in': 546252, 'object in their': 578409, 'in their proper': 429768, 'their proper storage': 874497, 'proper storage place': 684154, 'storage place toiletpaper': 805980, 'place toiletpaper wetwipes': 657783, 'blame socialdistancing': 132290, 'attack if': 102115, 'idiot suddenlyscaredofpeople': 413604, 'should blame socialdistancing': 765782, 'blame socialdistancing or': 132291, 'socialdistancing or just': 780577, 'but my trip': 146443, 'grocery store gave': 365424, 'store gave me': 807912, 'gave me what': 344650, 'me what think': 523932, 'what think wa': 982428, 'think wa my': 885748, 'panic attack if': 637375, 'attack if didn': 102116, 'if didn already': 414040, 'deal with thank': 229579, 'being an idiot': 124842, 'an idiot suddenlyscaredofpeople': 56153, 'an efficient': 55618, 'efficient fair': 269417, 'fair way': 296402, 'to additionally': 900079, 'additionally compensate': 31908, 'compensate grocery': 191534, 'staff grocer': 792500, 'surely at': 827893, 'collective fear': 186501, 'frustration applies': 339265, 'applies under': 82540, 'any condition': 79044, 'there an efficient': 877988, 'an efficient fair': 55619, 'efficient fair way': 269418, 'fair way to': 296403, 'way to additionally': 969984, 'to additionally compensate': 900080, 'additionally compensate grocery': 31909, 'compensate grocery store': 191535, 'store staff grocer': 810317, 'staff grocer are': 792501, 'grocer are on': 364100, 'line and surely': 492953, 'and surely at': 72871, 'surely at the': 827894, 'at the receiving': 101074, 'end of so': 275915, 'of so much': 589812, 'of our collective': 587437, 'our collective fear': 622433, 'collective fear and': 186502, 'fear and frustration': 301030, 'and frustration applies': 63382, 'frustration applies under': 339266, 'applies under any': 82541, 'under any condition': 940005, 'any condition but': 79045, 'condition but especially': 193425, 'but especially now': 145660, 'especially now quarantine': 280563, 'datcp': 226576, 'statute': 796711, 'datcphotline': 226579, '422': 18930, '7128': 21984, 'datcp ha': 226577, 'enforce wisconsin': 276697, 'wisconsin price': 996629, 'gouging statute': 359455, 'statute until': 796712, 'end report': 275948, 'fraud false': 331266, 'false marketing': 297443, 'marketing claim': 517551, 'gouging other': 359418, '19 datcphotline': 6426, 'datcphotline gov': 226580, 'gov or': 359649, '800 422': 22670, '422 7128': 18931, 'datcp ha been': 226578, 'been authorized to': 120711, 'authorized to enforce': 103840, 'to enforce wisconsin': 905120, 'enforce wisconsin price': 276698, 'wisconsin price gouging': 996630, 'price gouging statute': 674325, 'gouging statute until': 359456, 'statute until the': 796713, 'until the emergency': 943852, 'emergency end report': 272682, 'end report scam': 275949, 'report scam fraud': 712233, 'scam fraud false': 740169, 'fraud false marketing': 331267, 'false marketing claim': 297444, 'marketing claim price': 517552, 'claim price gouging': 179787, 'price gouging other': 674310, 'gouging other consumer': 359419, 'other consumer complaint': 619993, 'covid 19 datcphotline': 212913, '19 datcphotline gov': 6427, 'datcphotline gov or': 226581, 'gov or 800': 359650, 'or 800 422': 614223, '800 422 7128': 22671, 'chinese tech': 177370, 'chain faring': 170693, 'outbreak she': 628621, 'she check': 755937, 'interview the': 442243, 'how is chinese': 408086, 'is chinese tech': 446525, 'chinese tech giant': 177371, 'grocery chain faring': 364361, 'chain faring amid': 170694, 'the outbreak she': 862691, 'outbreak she check': 628622, 'she check and': 755938, 'check and interview': 174364, 'and interview the': 65339, 'interview the manager': 442244, 'manager of her': 512761, 'of her store': 584584, 'her store in': 392407, 'store in beijing': 808274, 'announcement my': 77170, 'local bar': 497725, 'bar bethesda': 110681, 'bethesda called': 128151, 'to select': 914118, 'select location': 747474, 'location price': 498952, 'cut trying': 223615, 'service announcement my': 752125, 'announcement my local': 77171, 'my local bar': 549100, 'local bar bethesda': 497726, 'bar bethesda called': 110682, 'bethesda called to': 128152, 'are doing take': 85928, 'doing take out': 252695, 'out and delivery': 625656, 'delivery to select': 234669, 'to select location': 914119, 'select location price': 747475, 'location price have': 498953, 'been cut trying': 120916, 'cut trying to': 223616, 'keep some staff': 471956, 'some staff and': 783930, 'staff and business': 792126, 'ripening': 722686, 'harvested': 378644, 'mandis': 513091, 'production given': 682058, 'most rabi': 542670, 'rabi crop': 695147, 'crop are': 218896, 'to ripening': 913547, 'ripening if': 722687, 'already harvested': 47412, 'harvested the': 378647, 'on marketing': 602038, 'the mandis': 860012, 'mandis and': 513092, 'reaching it': 700089, '19 impact will': 7716, 'impact will not': 418047, 'not be on': 568425, 'be on production': 116207, 'on production given': 602960, 'production given that': 682059, 'given that most': 351125, 'that most rabi': 845232, 'most rabi crop': 542671, 'rabi crop are': 695148, 'crop are close': 218897, 'close to ripening': 182915, 'to ripening if': 913548, 'ripening if not': 722688, 'if not already': 414486, 'not already harvested': 568167, 'already harvested the': 47413, 'harvested the impact': 378648, 'be only on': 116235, 'only on marketing': 610858, 'on marketing the': 602040, 'marketing the produce': 517728, 'at the mandis': 101013, 'the mandis and': 860013, 'mandis and reaching': 513094, 'and reaching it': 69970, 'reaching it to': 700090, 'of adjusting': 579788, 'new lifestyle': 559032, 'lifestyle of': 489370, 'of schooling': 589405, 'schooling and': 742033, 'home am': 400596, 'absolutely loving': 27384, 'loving this': 505069, 'this mini': 888858, 'mini farming': 533003, 'farming thing': 299651, 'do daily': 249209, 'nephew we': 557421, 'both learning': 135955, 'daily farming': 224613, 'farming schedule': 299643, 'schedule playing': 741453, 'playing while': 659467, 'while growing': 986890, 'growing our': 367226, 'panic farm': 638086, 'and garden': 63467, 'part of adjusting': 642326, 'of adjusting to': 579789, 'to new lifestyle': 910562, 'new lifestyle of': 559033, 'lifestyle of schooling': 489371, 'of schooling and': 589406, 'schooling and working': 742034, 'from home am': 335837, 'home am absolutely': 400597, 'am absolutely loving': 49849, 'absolutely loving this': 27385, 'loving this mini': 505070, 'this mini farming': 888859, 'mini farming thing': 533004, 'farming thing do': 299652, 'thing do daily': 884274, 'do daily with': 249210, 'daily with my': 224898, 'with my nephew': 999640, 'my nephew we': 549450, 'nephew we are': 557422, 'are both learning': 85036, 'both learning and': 135956, 'learning and have': 484183, 'and have daily': 64230, 'have daily farming': 380177, 'daily farming schedule': 224614, 'farming schedule playing': 299644, 'schedule playing while': 741454, 'playing while growing': 659468, 'while growing our': 986891, 'growing our food': 367227, 'our food don': 623107, 'don panic farm': 253802, 'panic farm and': 638087, 'farm and garden': 299085, 'panic online': 638361, 'shopping lead': 763147, 'order meaning': 618386, 'meaning fewer': 524808, 'served on': 752000, 'each route': 264266, 'route which': 726482, 'then fuel': 877185, 'ocado tesco': 578924, 'panic online food': 638362, 'food shopping lead': 316526, 'shopping lead to': 763148, 'lead to larger': 483359, 'to larger order': 909054, 'larger order meaning': 479900, 'order meaning fewer': 618387, 'meaning fewer customer': 524809, 'fewer customer can': 304205, 'customer can be': 222220, 'be served on': 117101, 'served on each': 752001, 'on each route': 600455, 'each route which': 264267, 'route which then': 726483, 'which then fuel': 986387, 'then fuel more': 877186, 'buying food delivery': 150309, 'delivery supermarket ocado': 234587, 'supermarket ocado tesco': 821694, 'ocado tesco sainsburys': 578925, 'tesco sainsburys asda': 838797, 'sainsburys asda waitrose': 731755, 'incredibly even': 433896, 'shut border': 767787, 'border and': 135215, 'sent million': 750781, 'to variety': 918118, 'of destination': 582559, 'incredibly even covid': 433897, '19 ha shut': 7386, 'ha shut border': 371930, 'shut border and': 767788, 'border and sent': 135216, 'and sent million': 71268, 'sent million into': 750782, 'million into self': 532206, 'you can book': 1017633, 'can book flight': 157771, 'book flight to': 134521, 'flight to variety': 310547, 'to variety of': 918119, 'variety of destination': 952563, 'of destination and': 582560, 'destination and for': 238972, 'most part price': 542606, 'part price are': 642418, 'in balochistan': 420681, 'balochistan grocery': 109117, 'facing uncontrolled': 295646, 'uncontrolled consumer': 939883, 'potential supply': 667146, 'chain shortage': 171102, 'take serious': 832554, 'serious measure': 751423, 'price kamal': 674984, 'outbreak of case': 628477, 'case in balochistan': 165787, 'in balochistan grocery': 420682, 'balochistan grocery store': 109118, 'are facing uncontrolled': 86439, 'facing uncontrolled consumer': 295647, 'uncontrolled consumer and': 939884, 'consumer and potential': 196234, 'and potential supply': 69262, 'potential supply chain': 667147, 'supply chain shortage': 825035, 'chain shortage govt': 171103, 'shortage govt should': 764978, 'govt should take': 361283, 'should take serious': 766554, 'take serious measure': 832556, 'serious measure to': 751425, 'availability of grocery': 104163, 'of grocery at': 584344, 'grocery at normal': 364285, 'normal price kamal': 567276, 'for bike': 319679, 'bike because': 130405, 'online for bike': 608220, 'for bike because': 319680, 'bike because too': 130406, 'because too lazy': 119746, 'lazy to just': 482756, 'to just walk': 908732, 'surface via': 828086, 'other surface via': 621049, 'poor we': 664325, 'needy in': 556686, 'price 21dayslockdown': 672132, '21dayslockdown stayhomesavelives': 15128, 'in this hour': 429961, 'this hour of': 887958, 'hour of great': 405796, 'great need for': 362834, 'for mask for': 323269, 'the poor we': 863998, 'poor we can': 664326, 'we can request': 970998, 'can request all': 159457, 'request all the': 713141, 'all the clothing': 44687, 'the clothing company': 851064, 'clothing company to': 184254, 'produce the mask': 680455, 'the mask for': 860212, 'the needy in': 861412, 'needy in affordable': 556687, 'in affordable price': 420076, 'affordable price 21dayslockdown': 34870, 'price 21dayslockdown stayhomesavelives': 672133, 'apartment415': 81429, 'decoration': 231538, 'cornoanvirus': 203731, 'borememore': 135421, 'you bore': 1017494, 'bore me': 135319, 'our pillow': 624345, 'pillow online': 656720, 'dm apartment415': 248873, 'apartment415 pillow': 81430, 'pillow design': 656716, 'design style': 238266, 'color decor': 186732, 'decor decoration': 231523, 'decoration shopping': 231539, 'stayhome cornoanvirus': 797970, 'cornoanvirus borememore': 203732, '19 this one': 11348, 'one is for': 606507, 'for you bore': 328041, 'you bore me': 1017495, 'bore me more': 135320, 'me more shop': 523171, 'more shop our': 540378, 'shop our pillow': 760630, 'our pillow online': 624346, 'pillow online or': 656721, 'or via dm': 617665, 'via dm apartment415': 955923, 'dm apartment415 pillow': 248874, 'apartment415 pillow design': 81431, 'pillow design style': 656717, 'design style color': 238267, 'style color decor': 815600, 'color decor decoration': 186733, 'decor decoration shopping': 231524, 'decoration shopping stayhome': 231540, 'shopping stayhome cornoanvirus': 763974, 'stayhome cornoanvirus borememore': 797971, 'know lockdown': 476579, 'not into': 570166, 'whole waiting': 990374, 'delivery either': 233975, 'either day18oflockdown': 270282, 'day18oflockdown lockdownuk': 228866, 'you know lockdown': 1019509, 'know lockdown is': 476580, 'lockdown is getting': 499542, 'is getting too': 448048, 'too much when': 924956, 'much when you': 545454, 've had enough': 953221, 'had enough of': 373074, 'enough of online': 277544, 'shopping not into': 763352, 'not into this': 570167, 'into this whole': 443227, 'this whole waiting': 891392, 'whole waiting week': 990375, 'for delivery either': 320635, 'delivery either day18oflockdown': 233976, 'either day18oflockdown lockdownuk': 270283, 'nine merchant': 563287, 'including five': 431959, 'five pharmacy': 309653, 'mask according': 518274, 'to statement': 915259, 'commercial compliance': 188686, 'compliance and': 192435, 'protection ccp': 685374, 'ccp section': 168466, 'of dubai': 582860, 'nine merchant in': 563288, 'merchant in including': 529024, 'in including five': 424004, 'including five pharmacy': 431960, 'five pharmacy have': 309654, 'pharmacy have been': 654335, 'have been fined': 379541, 'fined for inflating': 307746, 'face mask according': 294513, 'mask according to': 518275, 'according to statement': 28590, 'to statement from': 915260, 'from the commercial': 337646, 'the commercial compliance': 851229, 'commercial compliance and': 188687, 'compliance and consumer': 192436, 'consumer protection ccp': 198515, 'protection ccp section': 685375, 'ccp section of': 168467, 'section of dubai': 744023, 'of dubai economy': 582861, 'dubai economy 19': 261467, 'rising but': 723174, 'in cornwall': 421794, 'cornwall share': 203757, 'happening there': 377412, 'there during': 878346, 'demand is rising': 235738, 'is rising but': 451552, 'rising but individual': 723175, 'founder of food': 330549, 'bank in cornwall': 109917, 'in cornwall share': 421795, 'cornwall share her': 203758, 'diary of what': 240418, 'of what happening': 593052, 'what happening there': 981557, 'happening there during': 377413, 'there during the': 878347, '19 crisis our': 6294, 'crisis our food': 217839, 'used dealer': 949889, 'dealer have': 229605, 'resist value': 714584, 'value reduction': 952187, 'to retain': 913461, 'retain market': 719609, 'off after': 593613, 'used dealer have': 949890, 'dealer have been': 229606, 'urged to resist': 948293, 'to resist value': 913362, 'resist value reduction': 714585, 'value reduction in': 952188, 'reduction in bid': 706356, 'bid to retain': 129496, 'to retain market': 913462, 'retain market stability': 719610, 'market stability and': 517100, 'stability and hope': 791804, 'hope that thing': 403658, 'thing will pick': 884995, 'left off after': 485579, 'off after the': 593614, 'crisis in call': 217528, 'in call from': 421156, 'call from uk': 155911, 'gt dozen': 367595, 'the grocery worker': 856835, 'of coronavirus gt': 581941, 'coronavirus gt at': 206010, '19 gt dozen': 7304, 'gt dozen of': 367596, 'coronavirus in recent': 206123, 'been unpredictable': 122294, 'unpredictable but': 943224, 'out safe': 627132, 'alternative find': 49224, 'be avoiding': 113771, 'avoiding restaurant': 105487, 'restaurant right': 716671, 'have been unpredictable': 379730, 'been unpredictable but': 122295, 'unpredictable but is': 943225, 'but is eating': 146073, 'is eating out': 447437, 'eating out safe': 266275, 'out safe alternative': 627133, 'safe alternative find': 729420, 'alternative find out': 49225, 'more about whether': 538530, 'about whether you': 26920, 'should be avoiding': 765562, 'be avoiding restaurant': 113772, 'avoiding restaurant right': 105488, 'restaurant right now': 716672, 'their exec': 873195, 'exec for': 289810, 'trench and': 931248, 'and learning': 66042, 'something novel': 784985, 'is discouraging': 447206, 'good story and': 357784, 'story and good': 811904, 'and good on': 63833, 'good on these': 357506, 'on these company': 604559, 'these company and': 879782, 'and their exec': 73686, 'their exec for': 873196, 'exec for getting': 289811, 'for getting into': 321868, 'into the trench': 443182, 'the trench and': 869956, 'trench and learning': 931249, 'and learning about': 66043, 'learning about day': 484175, 'about day to': 25076, 'day life on': 227902, 'shop floor but': 760170, 'floor but that': 310782, 'but that this': 147300, 'is something novel': 452109, 'something novel is': 784986, 'novel is discouraging': 573796, 'say military': 738941, 'planner are': 658488, 'are organising': 88841, 'organising food': 619326, 'uk food charity': 938365, 'food charity have': 313923, 'charity have warned': 173638, 'have warned that': 383542, 'warned that million': 967030, 'that million will': 845173, 'million will need': 532424, 'will need food': 994147, 'need food aid': 554785, 'food aid in': 313068, 'coming day the': 188023, 'day the government': 228487, 'government say military': 360569, 'say military planner': 738942, 'military planner are': 531487, 'planner are organising': 658489, 'are organising food': 88842, 'organising food delivery': 619327, 'food delivery system': 314150, 'delivery system for': 234597, 'system for the': 831174, 'the million people': 860625, 'million people most': 532312, 'vulnerable to coronavirus': 961216, 'customer alert': 222041, 'measure announced': 525107, 'announced at': 76923, 'premier press': 669901, 'conference yesterday': 193774, 'warehouse operation': 966746, 'customer alert we': 222042, 'alert we re': 41541, 'home for two': 401246, 'two week due': 937329, 'to new measure': 910564, 'new measure announced': 559095, 'measure announced at': 525108, 'announced at the': 76924, 'at the premier': 101060, 'the premier press': 864229, 'premier press conference': 669902, 'press conference yesterday': 671042, 'conference yesterday morning': 193775, 'yesterday morning we': 1015804, 'are closing for': 85390, 'closing for two': 183644, 'two week this': 937369, 'week this includes': 977049, 'this includes our': 888076, 'includes our retail': 431791, 'store online store': 809231, 'online store amp': 609441, 'store amp warehouse': 806182, 'amp warehouse operation': 54800, 'pocket size': 662200, 'size handsanitizer': 772779, 'you raised': 1020543, 'dear pharmacy charging': 229849, 'pharmacy charging for': 654276, 'charging for pocket': 173479, 'for pocket size': 324596, 'pocket size handsanitizer': 662201, 'size handsanitizer they': 772780, 'me you raised': 524050, 'you raised price': 1020544, 'raised price so': 696032, 'standardize': 793725, 'hey joe': 394437, 'joe health': 466417, 'already cry': 47277, 'give american': 350377, 'american actual': 51765, 'actual treatment': 30704, 'treatment coverage': 931056, 'for medicare': 323390, 'and standardize': 72222, 'standardize care': 793726, 'care besides': 163870, 'besides not': 127513, 'not attaching': 568278, 'attaching it': 102060, 'hey joe health': 394438, 'joe health insurance': 466418, 'health insurance company': 386544, 'are already cry': 84403, 'already cry about': 47278, 'cry about having': 219838, 'to give american': 906672, 'give american actual': 350378, 'american actual treatment': 51766, 'actual treatment coverage': 30705, 'treatment coverage for': 931057, 'coverage for covid': 212350, 'time for medicare': 896724, 'for medicare for': 323391, 'for all which': 319186, 'all which would': 45447, 'which would lower': 986522, 'would lower price': 1012018, 'price and standardize': 672547, 'and standardize care': 72223, 'standardize care besides': 793727, 'care besides not': 163871, 'besides not attaching': 127514, 'not attaching it': 568279, 'attaching it to': 102061, 'it to job': 461726, 'to job that': 908671, 'that are be': 842720, 'website look': 975347, 'look dodgy': 502334, 'dodgy to': 251311, 'and seems': 71171, 'selling infection': 749306, 'infection detection': 436744, 'detection not': 239353, 'for past': 324408, 'perhaps direct': 651580, 'to their website': 917277, 'their website look': 875170, 'website look dodgy': 975348, 'look dodgy to': 502335, 'dodgy to me': 251312, 'me and seems': 522425, 'and seems to': 71172, 'be selling infection': 117071, 'selling infection detection': 749307, 'infection detection not': 436745, 'detection not looking': 239354, 'not looking for': 570460, 'looking for past': 502889, 'for past infection': 324409, 'past infection and': 643554, 'infection and perhaps': 436714, 'and perhaps direct': 68904, 'perhaps direct to': 651581, 'anchorage': 57315, 'anchorage food': 57316, 'need operator': 555378, 'operator say': 613398, 'skeleton crew': 772854, 'crew volunteer': 216717, 'volunteer many': 960292, 'them senior': 876265, 'senior stay': 750410, 'anchorage food pantry': 57317, 'are seeing surge': 89916, 'seeing surge of': 746482, 'surge of need': 828230, 'of need operator': 586913, 'need operator say': 555379, 'operator say and': 613399, 'say and they': 738422, 'they re starting': 883130, 'to run with': 913676, 'run with skeleton': 727867, 'with skeleton crew': 1000754, 'skeleton crew volunteer': 772855, 'crew volunteer many': 216718, 'volunteer many of': 960293, 'of them senior': 591762, 'them senior stay': 876266, 'senior stay away': 750411, 'stay away for': 796782, 'away for fear': 105845, 'cough imagine': 208477, 'imagine covid': 416712, 'being present': 125577, 'see problem': 745607, 'how droplet can': 407761, 'droplet can spread': 260470, 'in supermarket from': 428605, 'supermarket from single': 820455, 'single cough imagine': 771266, 'cough imagine covid': 208478, 'imagine covid 19': 416713, '19 being present': 5362, 'being present and': 125578, 'present and you': 670573, 'you see problem': 1021060, 'see problem with': 745608, 'problem with this': 679767, 'during today': 263356, 'today code': 919388, 'code coffee': 185347, 'coffee meetup': 185512, 'meetup we': 527813, 'spoke about': 789708, 'about unreasonable': 26810, 'unreasonable high': 943314, 'charged by': 173374, 'certain supermarket': 170105, 'discussion progressed': 245039, 'progressed to': 683389, 'topic quickly': 925811, 'quickly wrote': 694649, 'wrote blog': 1013193, 'post mauritius': 666209, 'during today code': 263357, 'today code coffee': 919389, 'code coffee meetup': 185348, 'coffee meetup we': 185513, 'meetup we spoke': 527814, 'we spoke about': 973356, 'spoke about unreasonable': 789709, 'about unreasonable high': 26811, 'unreasonable high price': 943315, 'price charged by': 673115, 'charged by certain': 173375, 'by certain supermarket': 152091, 'certain supermarket the': 170106, 'supermarket the discussion': 823217, 'the discussion progressed': 853355, 'discussion progressed to': 245040, 'progressed to other': 683390, 'to other topic': 911126, 'other topic quickly': 621139, 'topic quickly wrote': 925812, 'quickly wrote blog': 694650, 'wrote blog post': 1013194, 'blog post mauritius': 132992, 'tpaas': 928045, 'ha renewed': 371722, 'renewed the': 711020, 'brilliant tpaas': 139898, 'tpaas toiletpaper': 928046, 'toiletpaper service': 922446, 'oil delivery': 596736, 'delivery there': 234622, 'be port': 116466, 'port outside': 664893, 'for drone': 320862, 'deliver tp': 233257, 'the ha renewed': 857015, 'ha renewed the': 371723, 'renewed the potential': 711021, 'potential for my': 667076, 'for my brilliant': 323679, 'my brilliant tpaas': 547542, 'brilliant tpaas toiletpaper': 139899, 'tpaas toiletpaper service': 928047, 'toiletpaper service similar': 922447, 'similar to fuel': 769937, 'to fuel oil': 906293, 'fuel oil delivery': 340209, 'oil delivery there': 596737, 'delivery there will': 234623, 'will be port': 992612, 'be port outside': 116467, 'port outside your': 664894, 'home for drone': 401227, 'for drone to': 320863, 'drone to deliver': 260082, 'to deliver tp': 904118, 'deliver tp on': 233258, 'tp on demand': 927889, 'to support community': 915915, 'support community health': 826428, 'from fresh': 335564, 'ad from fresh': 31111, 'from fresh food': 335565, 'fresh food is': 332970, 'winning supermarket foodshortages': 996081, 'remodeling': 710673, 'remodel': 710670, 'target adjusts': 834429, 'adjusts remodeling': 32391, 'remodeling plan': 710676, 'plan target': 658237, 'store investment': 808455, 'now expects': 574647, 'to remodel': 913207, 'remodel le': 710671, 'the 300': 848089, '300 store': 17347, 'store planned': 809573, 'target adjusts remodeling': 834430, 'adjusts remodeling plan': 32392, 'remodeling plan target': 710677, 'plan target is': 658238, 'target is scaling': 834476, 'is scaling back': 451661, 'scaling back it': 739938, 'back it store': 107127, 'it store investment': 461292, 'store investment plan': 808456, 'investment plan in': 444042, 'plan in the': 658154, 'the near term': 861351, 'near term in': 553602, 'term in order': 838185, '19 demand they': 6488, 'demand they now': 236376, 'they now expects': 882798, 'now expects to': 574648, 'expects to remodel': 291124, 'to remodel le': 913208, 'remodel le than': 710672, 'of the 300': 590768, 'the 300 store': 848090, '300 store planned': 17348, 'store planned for': 809574, 'despite border': 238684, 'here proposal': 393481, 'for median': 323373, 'median age': 525967, 'is 46': 445212, '46 year': 19229, 'year private': 1014913, 'private fleet': 678907, 'fleet 57': 310322, '57 year': 20487, 'higher percent': 395654, 'of diabetes': 582577, 'diabetes heart': 240179, 'despite border and': 238685, 'border and still': 135217, 'and still need': 72380, 'work here proposal': 1005256, 'here proposal to': 393482, 'proposal to them': 684484, 're at higher': 698325, 'risk for median': 723550, 'for median age': 323374, 'median age is': 525968, 'age is 46': 37841, 'is 46 year': 445213, '46 year private': 19230, 'year private fleet': 1014914, 'private fleet 57': 678908, 'fleet 57 year': 310323, '57 year higher': 20488, 'year higher percent': 1014626, 'higher percent of': 395655, 'percent of diabetes': 651155, 'of diabetes heart': 582578, 'diabetes heart disease': 240180, 'eva': 283678, 'lookit': 503075, 'weighty': 977725, 'by eva': 152505, 'eva pointing': 283679, 'trollies shouting': 932520, 'shouting lookit': 766794, 'lookit how': 503076, 'roll they': 725542, 'have ve': 383491, 've addressed': 952809, 'virus coming': 958069, 'house query': 406516, 'query along': 693452, 'other weighty': 621195, 'weighty are': 977726, 'die type': 241474, 'type question': 937602, 'question ie': 693620, 'inspired by eva': 439838, 'by eva pointing': 152506, 'eva pointing to': 283680, 'pointing to supermarket': 662762, 'to supermarket trollies': 915854, 'supermarket trollies shouting': 823573, 'trollies shouting lookit': 932521, 'shouting lookit how': 766795, 'lookit how much': 503077, 'much toilet roll': 545397, 'toilet roll they': 921614, 'roll they have': 725543, 'they have ve': 882400, 'have ve addressed': 383492, 've addressed the': 952810, 'addressed the is': 32083, 'the virus coming': 870815, 'virus coming to': 958070, 'coming to our': 188224, 'to our house': 911191, 'our house query': 623482, 'house query along': 406517, 'query along with': 693453, 'along with other': 47070, 'with other weighty': 999965, 'other weighty are': 621196, 'weighty are you': 977727, 'to die type': 904281, 'die type question': 241475, 'type question ie': 937603, 'militarylendingact': 531519, 'protect borrower': 684789, 'borrower from': 135620, 'from abusive': 334375, 'abusive interest': 27728, 'rate debt': 697193, 'collection practice': 186458, 'practice new': 668612, 'loan during': 497430, 'should comply': 765851, 'comply consumer': 192518, 'consumer safeguard': 198846, 'safeguard in': 730198, 'the militarylendingact': 860600, 'militarylendingact inc': 531520, 'inc cap': 431274, 'cap of': 162433, 'of 36': 579577, '36 apr': 17999, 'apr negative': 83367, 'credit info': 216414, 'bureau during': 142780, 'protect borrower from': 684790, 'borrower from abusive': 135621, 'from abusive interest': 334376, 'abusive interest rate': 27729, 'interest rate debt': 441391, 'rate debt collection': 697194, 'debt collection practice': 230449, 'collection practice new': 186459, 'practice new loan': 668613, 'new loan during': 559051, 'loan during the': 497431, 'crisis should comply': 218040, 'should comply consumer': 765852, 'comply consumer safeguard': 192519, 'consumer safeguard in': 198847, 'safeguard in the': 730199, 'in the militarylendingact': 429362, 'the militarylendingact inc': 860601, 'militarylendingact inc cap': 531521, 'inc cap of': 431275, 'cap of 36': 162434, 'of 36 apr': 579578, '36 apr negative': 18000, 'apr negative credit': 83368, 'negative credit info': 556753, 'credit info should': 216415, 'info should not': 437583, 'not be reported': 568443, 'the credit bureau': 852313, 'credit bureau during': 216320, 'bureau during coronacrisis': 142781, 'disease on': 245193, 'you deliberately': 1018165, 'deliberately touch': 232984, 'tried anything': 931759, 'your disease on': 1023521, 'disease on everything': 245194, 'everything you deliberately': 288133, 'you deliberately touch': 1018166, 'deliberately touch in': 232985, 'supermarket why isn': 823870, 'being tried anything': 125985, 'tried anything other': 931760, 'alcogel': 40883, 'more alcogel': 538580, 'alcogel and': 40884, 'and antiseptic': 58191, 'antiseptic wet': 78570, 'wipe have': 996288, 'israel in': 455593, 'toiletry than': 923443, 'israel up': 455605, 'up 45': 944175, 'more alcogel and': 538581, 'alcogel and antiseptic': 40885, 'and antiseptic wet': 58192, 'antiseptic wet wipe': 78571, 'wet wipe have': 980761, 'wipe have been': 996289, 'have been sold': 379688, 'been sold in': 122003, 'sold in israel': 781686, 'in israel in': 424219, 'israel in recent': 455594, 'recent week than': 704022, 'week than in': 976968, 'than in all': 840774, 'all of 2019': 43676, 'of 2019 and': 579478, '2019 and israeli': 13937, 'and israeli are': 65469, 'israeli are buying': 455609, 'are buying more': 85126, 'buying more toiletry': 150735, 'more toiletry than': 540813, 'toiletry than even': 923444, 'than even food': 840566, 'even food sale': 284075, 'food sale of': 316289, 'sale of consumer': 732387, 'product in israel': 681289, 'in israel up': 424222, 'israel up 45': 455606, 'blackrock': 132214, 'the blackrock': 849748, 'blackrock ceo': 132215, 'ceo expects': 169692, 'reshape investor': 714185, 'investor psychology': 444193, 'psychology business': 687553, 'the blackrock ceo': 849749, 'blackrock ceo expects': 132216, 'ceo expects the': 169693, 'expects the crisis': 291114, 'crisis to reshape': 218254, 'to reshape investor': 913348, 'reshape investor psychology': 714186, 'investor psychology business': 444194, 'psychology business practice': 687554, 'business practice and': 144243, 'and consumer habit': 60387, 'bluddy': 133424, 'corvid': 207715, 'isnt just': 454783, 'every bluddy': 285694, 'bluddy supermarket': 133425, 'food corvid': 314031, 'corvid 19': 207716, 'this isnt just': 888499, 'isnt just food': 454784, 'just food this': 468741, 'this is every': 888249, 'is every bluddy': 447576, 'every bluddy supermarket': 285695, 'bluddy supermarket you': 133426, 'supermarket you go': 824193, 'go to lack': 354325, 'lack of shopper': 478655, 'buy food corvid': 148638, 'food corvid 19': 314032, 'corvid 19 lockdown': 207717, 'show show': 767126, 'show people': 767091, 'people playing': 649124, 'playing high': 659409, 'stake game': 793304, 'of poker': 588194, 'poker with': 662848, 'toiletpaper being': 921799, 'for bet': 319652, 'bet quarantinelife': 128098, 'video show show': 956892, 'show show people': 767127, 'show people playing': 767092, 'people playing high': 649125, 'playing high stake': 659410, 'high stake game': 395421, 'stake game of': 793305, 'game of poker': 343217, 'of poker with': 588195, 'poker with roll': 662849, 'of toiletpaper being': 592258, 'toiletpaper being used': 921800, 'being used for': 126019, 'used for bet': 949898, 'for bet quarantinelife': 319653, 'the store an': 867978, 'store an hour': 806188, 'love working in': 504880, 'pascha': 643189, 'pasoverdinner': 643195, 'sanitizer yay': 736156, 'yay good': 1014197, 'bonus pascha': 134390, 'pascha pasoverdinner': 643190, 'pasoverdinner craigs': 643196, 'hand sanitizer yay': 375675, 'sanitizer yay good': 736157, 'yay good bonus': 1014198, 'good bonus pascha': 356834, 'bonus pascha pasoverdinner': 134391, 'pascha pasoverdinner craigs': 643191, 'pasoverdinner craigs brisket': 643197, 'most surreal': 542798, 'surreal week': 828684, 'imagine one': 416761, 'point teacher': 662640, 'school educating': 741778, 'educating key': 268796, 'child will': 176272, 'be supply': 117455, 'supply left': 825495, 'we finish': 971567, 'struggled this': 814404, 'the most surreal': 861045, 'most surreal week': 542799, 'surreal week can': 828685, 'week can imagine': 976061, 'can imagine one': 158720, 'imagine one point': 416762, 'one point teacher': 606898, 'point teacher who': 662641, 'are in school': 87432, 'in school educating': 427730, 'school educating key': 741779, 'educating key worker': 268797, 'key worker child': 473475, 'worker child will': 1006634, 'child will there': 176273, 'there be supply': 878223, 'be supply left': 117456, 'supply left on': 825496, 'time we finish': 898221, 'we finish work': 971568, 'finish work people': 307881, 'work people have': 1005602, 'people have struggled': 648201, 'have struggled this': 382818, 'struggled this week': 814405, 'lessening': 486449, 'priority trump': 678685, 'considering mitigation': 195391, 'mitigation lessening': 534565, 'lessening the': 486450, 'amp medicine': 54129, 'medicine availability': 526734, 'availability trump': 104191, 'pharmacy stayed': 654480, 'open ha': 612284, 'been awesome': 120718, 'top priority trump': 925687, 'priority trump had': 678686, 'trump had when': 933598, 'had when considering': 373797, 'when considering mitigation': 983274, 'considering mitigation lessening': 195392, 'mitigation lessening the': 534566, 'lessening the wa': 486451, 'the wa food': 871013, 'wa food amp': 962144, 'food amp medicine': 313140, 'amp medicine availability': 54130, 'medicine availability trump': 526735, 'availability trump met': 104192, 'trump met with': 933709, 'met with food': 529601, 'with food chain': 998483, 'food chain and': 313907, 'chain and drug': 170462, 'drug store ceo': 261087, 'store ceo to': 806906, 'ceo to ensure': 169860, 'ensure our grocery': 278001, 'and pharmacy stayed': 68979, 'pharmacy stayed open': 654481, 'stayed open ha': 797869, 'open ha been': 612285, 'ha been awesome': 369729, 'nobody wa': 566073, 'store on friday': 809192, 'on friday night': 601009, 'night and nobody': 562944, 'and nobody wa': 67663, 'nobody wa buying': 566074, 'they were out': 883791, 'wish the government': 996821, 'the government would': 856631, 'government would give': 360830, 'would give some': 1011839, 'give some kind': 350707, 'kind of extra': 474892, 'of extra cash': 583343, 'extra cash to': 293474, 'cash to grocery': 166357, 'we are really': 970681, 'are really putting': 89483, 'really putting ourselves': 702502, 'putting ourselves at': 691194, 'ourselves at serious': 625463, 'risk for penny': 723555, 'coronavirus vlog': 207030, 'vlog got': 959869, 'milk via': 531902, 'via number': 956120, 'my vlog': 550514, 'vlog series': 959874, 'series about': 751226, 'effect stophoarding': 269116, 'coronavirus vlog got': 207031, 'vlog got milk': 959870, 'got milk via': 358707, 'milk via number': 531903, 'via number of': 956121, 'of my vlog': 586828, 'my vlog series': 550515, 'vlog series about': 959875, 'series about coping': 751227, 'with the and': 1001203, 'it effect stophoarding': 457769, 'hirings do': 397153, 'wait 12': 964060, 'home however': 401384, 'more giving': 539343, 'at supermarket doing': 100715, 'supermarket doing this': 819995, 'doing this crisis': 252760, 'person hirings do': 652461, 'hirings do not': 397154, 'even have to': 284172, 'to wait 12': 918254, 'wait 12 15': 964061, '12 15 the': 2776, '15 the hour': 3848, 'the hour while': 857586, 'hour while everyone': 406097, 'everyone is stuck': 287114, 'is stuck at': 452401, 'at home however': 99008, 'home however they': 401385, 'however they should': 409497, 'paying more giving': 645447, 'more giving the': 539344, 'giving the risk': 351415, 'bank line': 109981, 'food bank line': 313598, 'au that': 102799, 'piling everything': 656584, 'everything calm': 287724, 'cover 70': 212182, '70 million': 21791, 'in au that': 420575, 'au that is': 102800, 'that is stock': 844659, 'is stock piling': 452332, 'stock piling everything': 802659, 'piling everything calm': 656585, 'everything calm down': 287725, 'down we produce': 257449, 'we produce enough': 972755, 'to cover 70': 903647, 'cover 70 million': 212183, '70 million people': 21792, 'million people yet': 532323, 'people yet our': 650562, 'yet our population': 1016186, 'our population is': 624398, 'population is 25': 664702, 'is 25 million': 445194, 'sylhet': 830755, 'my uncle': 550457, 'uncle in': 939818, 'bangladesh told': 109506, 'in sylhet': 428784, 'sylhet yet': 830756, 'god protect': 354785, 'from acting': 334387, 'acting disgracefully': 29869, 'disgracefully in': 245343, 'my uncle in': 550458, 'uncle in bangladesh': 939819, 'in bangladesh told': 420698, 'bangladesh told me': 109507, 'are no confirmed': 88247, '19 in sylhet': 7788, 'in sylhet yet': 428785, 'sylhet yet the': 830757, 'yet the market': 1016256, 'the market have': 860117, 'market have hiked': 516502, 'good and people': 356744, 'are stockpiling may': 90524, 'stockpiling may god': 804016, 'may god protect': 521217, 'god protect from': 354786, 'protect from acting': 684840, 'from acting disgracefully': 334388, 'acting disgracefully in': 29870, 'disgracefully in these': 245344, 'canada covid': 160411, 'canada covid 19': 160412, 'worker powerful': 1007620, 'powerful message': 667785, 'store browser': 806771, 'browser putting': 141291, 'supermarket worker powerful': 824076, 'worker powerful message': 1007621, 'powerful message to': 667786, 'message to store': 529462, 'to store browser': 915607, 'store browser putting': 806772, 'browser putting staff': 141292, 'putting staff at': 691222, 'risk during lockdown': 723504, 'resultant': 717667, 'this occurred': 889200, 'occurred following': 579042, 'following panic': 312808, 'buying resultant': 150967, 'resultant from': 717668, 'crash of': 215011, 'march this occurred': 515494, 'this occurred following': 889201, 'occurred following panic': 579043, 'following panic buying': 312809, 'panic buying resultant': 637865, 'buying resultant from': 150968, 'resultant from the': 717669, 'the crash of': 852278, 'crash of the': 215014, 'neuropathy': 557801, 'motioning': 543279, 'anyone neuropathy': 80429, 'neuropathy know': 557802, 'know way': 476923, 'open trash': 612611, 'bag flimsy': 108283, 'flimsy grocery': 310576, 'for veggie': 327531, 'fruit easily': 339088, 'cannot feel': 161825, 'bag well': 108449, 'well last': 978369, 'socialdistancing think': 780808, 'think ppl': 885499, 'ppl would': 668384, 'were motioning': 979895, 'motioning how': 543280, 'how but': 407485, 'doe anyone neuropathy': 251341, 'anyone neuropathy know': 80430, 'neuropathy know way': 557803, 'know way to': 476924, 'to open trash': 911012, 'open trash bag': 612612, 'trash bag flimsy': 930132, 'bag flimsy grocery': 108284, 'flimsy grocery store': 310577, 'store bag for': 806632, 'bag for veggie': 108289, 'for veggie fruit': 327532, 'veggie fruit easily': 954186, 'fruit easily cannot': 339089, 'easily cannot feel': 265194, 'cannot feel the': 161826, 'feel the bag': 302879, 'the bag well': 849182, 'bag well last': 108450, 'well last week': 978371, 'last week if': 480654, 'week if not': 976353, 'if not for': 414498, 'not for socialdistancing': 569497, 'for socialdistancing think': 325717, 'socialdistancing think ppl': 780809, 'think ppl would': 885500, 'ppl would ve': 668385, 've come over': 953002, 'come over to': 187482, 'help me they': 390079, 'they were motioning': 883788, 'were motioning how': 979896, 'motioning how but': 543281, 'how but could': 407486, 'do it like': 249488, 'it like them': 459376, 'medication vaccine': 526689, 'creating entire': 215999, 'entire race': 278729, 'flu but': 311387, 'too hot': 924790, 'hot for': 405016, 'we ve spent': 973716, 've spent lot': 953588, 'money on medication': 536936, 'on medication vaccine': 602101, 'medication vaccine and': 526690, 'vaccine and creating': 951650, 'and creating entire': 60717, 'creating entire race': 216000, 'entire race in': 278730, 'race in preparation': 695189, 'the flu but': 855457, 'flu but if': 311388, 'you can wear': 1017831, 'can wear your': 160211, 'wear your scarf': 974503, 'it too hot': 461792, 'too hot for': 924791, 'hot for scarf': 405017, 'screenshots': 742782, 'during requires': 262973, 'requires three': 713503, 'three screenshots': 894054, 'screenshots cdnpoli': 742783, 'and will operate': 75681, 'will operate during': 994350, 'operate during requires': 612991, 'during requires three': 262974, 'requires three screenshots': 713504, 'three screenshots cdnpoli': 894055, 'sale happening': 732260, 'working ll': 1008760, 'stayhome broke': 797958, 'all these sale': 45052, 'these sale happening': 880621, 'sale happening when': 732261, 'happening when we': 377428, 'not working ll': 572551, 'working ll just': 1008761, 'll just do': 496857, 'just do some': 468617, 'some online window': 783448, 'shopping stayhome broke': 763973, 'myautosparkle': 550684, 'not ignore': 570053, 'car trunk': 163327, 'trunk make': 934226, 'before storing': 123109, 'storing foodstuff': 811771, 'foodstuff gotten': 318171, 'gotten from': 359137, 'chance myautosparkle': 171744, 'do not ignore': 249760, 'not ignore your': 570054, 'ignore your car': 415858, 'your car trunk': 1023141, 'car trunk make': 163328, 'trunk make sure': 934227, 'sure it all': 827594, 'it all clean': 456339, 'all clean before': 42366, 'clean before storing': 180481, 'before storing foodstuff': 123110, 'storing foodstuff gotten': 811772, 'foodstuff gotten from': 318172, 'gotten from the': 359138, 'not take chance': 571900, 'take chance myautosparkle': 832023, 'episode discus': 279518, 'discus whether': 244947, 'consumer memory': 198122, 'memory will': 528442, 'remember company': 710175, 'whether once': 985541, 'pass it': 643206, 'usual listen': 950968, 'latest episode discus': 481321, 'episode discus whether': 279519, 'discus whether the': 244948, 'the collective consumer': 851154, 'collective consumer memory': 186494, 'consumer memory will': 198123, 'memory will remember': 528443, 'will remember company': 994640, 'remember company that': 710176, 'right thing during': 722310, 'crisis or whether': 217833, 'or whether once': 617788, 'whether once this': 985542, 'once this all': 605749, 'all pass it': 43924, 'pass it will': 643208, 'business usual listen': 144605, 'russia vladimir': 728601, 'putin being': 691014, 'outbreak putin': 628556, 'license leadership': 488145, 'leadership par': 483643, 'par excellence': 641197, 'president of russia': 670872, 'of russia vladimir': 589191, 'russia vladimir putin': 728602, 'vladimir putin being': 959860, 'putin being asked': 691015, 'being asked what': 124867, 'asked what should': 95899, 'done with company': 255119, 'with company that': 997704, 'inflating price amid': 437110, 'coronavirus outbreak putin': 206405, 'outbreak putin revoke': 628557, 'putin revoke their': 691046, 'revoke their license': 720719, 'their license leadership': 873814, 'license leadership par': 488146, 'leadership par excellence': 483644, 'house if': 406348, 'it strictly': 461316, 'strictly go': 813694, 'home love': 401558, 'the house if': 857613, 'house if you': 406349, 'need it strictly': 555108, 'it strictly go': 461317, 'strictly go to': 813695, 'or supermarket stay': 617286, 'supermarket stay at': 822930, 'at home love': 99037, 'home love you': 401559, 'unremitting': 943329, 'xijinping and': 1013848, 'his unremitting': 397890, 'unremitting call': 943330, 'health cooperation': 386309, 'cooperation xinhua': 203165, 'xinhua ccp': 1013855, 'ccp call': 168448, 'cooperation after': 203152, 'after squeezing': 36241, 'squeezing taiwan': 791562, 'taiwan out': 831839, 'who blaming': 988320, 'italy hording': 462847, 'exporting faulty': 292767, 'faulty equipment': 300434, 'xijinping and his': 1013849, 'and his unremitting': 64618, 'his unremitting call': 397891, 'unremitting call for': 943331, 'for global health': 321898, 'global health cooperation': 351975, 'health cooperation xinhua': 386311, 'cooperation xinhua ccp': 203166, 'xinhua ccp call': 1013856, 'ccp call for': 168449, 'health cooperation after': 386310, 'cooperation after squeezing': 203154, 'after squeezing taiwan': 36242, 'squeezing taiwan out': 791563, 'taiwan out of': 831840, 'out of who': 626877, 'of who blaming': 593126, 'who blaming on': 988321, 'blaming on usa': 132345, 'on usa and': 604995, 'usa and italy': 948589, 'and italy hording': 65618, 'italy hording medical': 462848, 'medical supply driving': 526436, 'up price gouging': 945817, 'gouging and exporting': 359246, 'and exporting faulty': 62536, 'exporting faulty equipment': 292768, 'shopping really': 763728, 'doe mean': 251453, 'process of online': 679932, 'online shopping really': 609244, 'shopping really doe': 763729, 'really doe mean': 702133, 'doe mean that': 251454, 'their hand coronapocolypse': 873473, 'enablement': 275453, 'pre real': 669203, 'spending growth': 788821, '2019 shift': 14011, 'shift towards': 758455, 'digital enablement': 242560, 'enablement inevitable': 275454, 'inevitable will': 436415, 'accelerate post': 27854, 'innovation leadership': 438884, 'pre real consumer': 669204, 'real consumer spending': 701082, 'consumer spending growth': 199064, 'spending growth wa': 788822, 'growth wa to': 367475, 'wa to slow': 963526, 'to slow to': 914743, 'slow to in': 774405, 'to in 2020': 908217, '2020 from in': 14318, 'from in 2019': 336020, 'in 2019 shift': 419809, '2019 shift towards': 14012, 'shift towards digital': 758456, 'towards digital enablement': 927181, 'digital enablement inevitable': 242561, 'enablement inevitable will': 275455, 'inevitable will accelerate': 436416, 'will accelerate post': 992180, 'accelerate post retail': 27855, 'post retail innovation': 666296, 'retail innovation leadership': 718234, 'laborecon nah': 478490, 'nah focus': 551410, 'calling sick': 156626, 'laborecon nah focus': 478491, 'nah focus on': 551411, 'focus on it': 311882, 'on it now': 601678, 'employee are calling': 273608, 'are calling sick': 85151, 'calling sick right': 156627, 'now and unable': 574065, 'test and cannot': 838912, 'cannot get off': 161898, 'off work without': 594418, 'onlineinteraction mainly': 609831, 'mainly social': 508891, 'brandexperience demand': 138106, 'behave after pandemic': 123766, 'after pandemic there': 36013, 'are different option': 85817, 'different option ecommerce': 242011, '14 onlineinteraction mainly': 3510, 'onlineinteraction mainly social': 609832, 'mainly social medium': 508892, 'medium brandexperience demand': 527024, 'brandexperience demand to': 138107, 'demand to build': 236390, 'huge bonus': 409987, 'who supply': 989712, 'we get huge': 971613, 'get huge bonus': 347267, 'huge bonus for': 409988, 'bonus for emergency': 134373, 'emergency service employee': 272957, 'service employee grocery': 752327, 'employee and others': 273577, 'others who supply': 621792, 'there am': 877978, 'higher influx': 395615, 'contact yes': 200300, 'offering some': 595250, 'some bike': 782407, 'bike service': 130421, 'under what': 940383, 'what service': 982151, 'hi there am': 394749, 'there am very': 877979, 'am very sorry': 50536, 'delay in getting': 232705, 'in getting back': 423293, 'back to you': 107413, 'to you we': 918936, 'are experiencing higher': 86344, 'experiencing higher influx': 291661, 'higher influx of': 395616, 'influx of customer': 437385, 'of customer contact': 582268, 'customer contact yes': 222274, 'contact yes we': 200301, 'still offering some': 800925, 'offering some bike': 595251, 'some bike service': 782408, 'bike service please': 130422, 'service please check': 752698, 'please check the': 659780, 'check the list': 174650, 'the list online': 859470, 'list online at': 494501, 'online at under': 607899, 'at under what': 101398, 'under what service': 940384, 'ashame': 95033, 'blane': 132361, 'ashame when': 95034, 'like blane': 489917, 'blane from': 132362, 'from batman': 334642, 'batman socialdistancing': 112702, 'socialdistancing atlanta': 780236, 'atlanta staysafe': 101847, 'ashame when you': 95035, 'looking like blane': 502953, 'like blane from': 489918, 'blane from batman': 132363, 'from batman socialdistancing': 334643, 'batman socialdistancing atlanta': 112703, 'socialdistancing atlanta staysafe': 780237, 'tedx': 836437, 'tedxuamonticello': 836441, 'disassociation': 244178, 'badactors': 108097, 'absolutely fantastic': 27358, 'fantastic tedx': 298611, 'tedx talk': 836439, 'talk why': 833915, 'paper han': 640244, 'han hacker': 374691, 'hacker tedxuamonticello': 372773, 'tedxuamonticello via': 836444, 'via tedxuamonticello': 956283, 'tedxuamonticello selfishness': 836442, 'selfishness society': 748377, 'society tribalism': 781350, 'tribalism disassociation': 931670, 'disassociation toiletpaper': 244179, 'toiletpaper tedx': 922580, 'tedx badactors': 836438, 'absolutely fantastic tedx': 27359, 'fantastic tedx talk': 298612, 'tedx talk why': 836440, 'talk why are': 833916, 'are people hoarding': 89034, 'people hoarding toilet': 648280, 'toilet paper han': 921297, 'paper han hacker': 640245, 'han hacker tedxuamonticello': 374692, 'hacker tedxuamonticello via': 372774, 'tedxuamonticello via tedxuamonticello': 836445, 'via tedxuamonticello selfishness': 956284, 'tedxuamonticello selfishness society': 836443, 'selfishness society tribalism': 748378, 'society tribalism disassociation': 781351, 'tribalism disassociation toiletpaper': 931671, 'disassociation toiletpaper tedx': 244180, 'toiletpaper tedx badactors': 922581, 'just simply': 469805, 'simply do': 770218, 'care this': 164231, 'family few': 297788, 'few speed': 304069, 'speed walk': 788479, 'walk for': 964783, 'for excercise': 321302, 'excercise and': 289316, 'me peak': 523326, 'maybe people just': 521772, 'people just simply': 648561, 'just simply do': 469806, 'simply do not': 770219, 'not care this': 568698, 'care this is': 164232, 'this is week': 888460, 'is week for': 453823, 'my family few': 548196, 'family few speed': 297789, 'few speed walk': 304070, 'speed walk for': 788480, 'walk for excercise': 964784, 'for excercise and': 321303, 'excercise and supermarket': 289317, 'and supermarket trip': 72746, 'supermarket trip for': 823544, 'trip for me': 932072, 'for me peak': 323330, 'me peak in': 523327, 'peak in uk': 646080, 'uk is being': 938480, 'is being put': 446103, 'being put back': 125620, 'put back and': 690524, 'back and extended': 106854, 'indomie': 435311, 'hypo': 412385, 'hypogowipeo': 412413, 'jamb': 464383, 'yansh': 1014142, 'homecomingrewatch': 402655, 'talentcroft': 833711, 'let confuse': 486645, 'confuse the': 194319, 'the indomie': 858149, 'indomie generation': 435312, 'generation with': 345653, 'this throwbackthursday': 890603, 'throwbackthursday picture': 895075, 'picture how': 656137, 'time fly': 896674, 'fly fightcovid19': 311609, 'fightcovid19 stayathomechallenge': 304995, 'stayathomechallenge stayathomechallenge': 797751, 'stayathomechallenge stayhome': 797753, 'stayhome thursdaythoughts': 798209, 'thursdaythoughts hypo': 895478, 'hypo hypogowipeo': 412386, 'hypogowipeo jamb': 412414, 'jamb yansh': 464384, 'yansh homecomingrewatch': 1014143, 'homecomingrewatch talentcroft': 402656, 'talentcroft nigeria': 833712, 'let confuse the': 486646, 'confuse the indomie': 194320, 'the indomie generation': 858150, 'indomie generation with': 435313, 'generation with this': 345654, 'with this throwbackthursday': 1001732, 'this throwbackthursday picture': 890604, 'throwbackthursday picture how': 895076, 'picture how time': 656138, 'how time fly': 408971, 'time fly fightcovid19': 896675, 'fly fightcovid19 stayathomechallenge': 311610, 'fightcovid19 stayathomechallenge stayathomechallenge': 304996, 'stayathomechallenge stayathomechallenge stayhome': 797752, 'stayathomechallenge stayhome thursdaythoughts': 797754, 'stayhome thursdaythoughts hypo': 798210, 'thursdaythoughts hypo hypogowipeo': 895479, 'hypo hypogowipeo jamb': 412387, 'hypogowipeo jamb yansh': 412415, 'jamb yansh homecomingrewatch': 464385, 'yansh homecomingrewatch talentcroft': 1014144, 'homecomingrewatch talentcroft nigeria': 402657, 'supermarket lottery': 821410, 'lottery for': 504451, 'our supermarket lottery': 625022, 'supermarket lottery for': 821411, 'lottery for chance': 504452, 'so costco': 776797, 'costco doesn': 208224, 'til for': 895941, 'already almost': 47181, 'almost wrapped': 46772, 'building what': 142153, 'world stockup': 1010006, 'so costco doesn': 776798, 'costco doesn open': 208225, 'doesn open til': 251909, 'open til for': 612584, 'til for another': 895942, 'for another hour': 319371, 'another hour and': 77658, 'hour and there': 405422, 'are people already': 89021, 'people already almost': 646815, 'already almost wrapped': 47182, 'almost wrapped around': 46773, 'the building what': 850102, 'building what in': 142154, 'the world stockup': 871974, 'today however': 919672, 'selfish stockpilers': 748271, 'stockpilers stop': 803889, 'attempted to do': 102273, 'shopping today however': 764209, 'today however there': 919673, 'however there is': 409490, 'very selfish stockpilers': 955513, 'selfish stockpilers stop': 748272, 'stockpilers stop being': 803890, 'vulnerable and key': 960863, 'trying to not': 934831, 'to not starve': 910709, 'for asian': 319501, 'how confident': 407579, 'confident you': 194015, 'are depends': 85783, 'it progression': 460522, 'progression through': 683403, 'covid outbreak': 214198, 'outbreak survey': 628679, 'for asian consumer': 319502, 'asian consumer how': 95265, 'consumer how confident': 197785, 'how confident you': 407580, 'confident you are': 194016, 'you are depends': 1017106, 'are depends on': 85784, 'depends on where': 237394, 'on where your': 605271, 'where your community': 985402, 'your community country': 1023270, 'community country is': 189802, 'in it progression': 424267, 'it progression through': 460523, 'progression through the': 683404, 'through the stage': 894766, 'the covid outbreak': 852236, 'covid outbreak survey': 214199, 'outbreak survey show': 628680, 'let believe': 486627, 'god gift': 354708, 'let slowly': 487052, 'slowly bring': 774579, '19 let believe': 8312, 'let believe in': 486628, 'believe in god': 126286, 'in god gift': 423354, 'god gift to': 354709, 'gift to let': 350033, 'to let slowly': 909213, 'let slowly slowly': 487053, 'slowly slowly bring': 774623, 'slowly bring the': 774580, 'bring the color': 140084, 'the color to': 851161, 'color to our': 186753, 'vaxxers': 952762, 'subway': 816154, 'finally is': 306043, 'the anti': 848782, 'anti vaxxers': 78336, 'vaxxers will': 952765, 'be anti': 113639, 'vaxxers who': 952763, 'maybe without': 521884, 'without vaccine': 1003021, 'vaccine certificate': 951677, 'certificate they': 170216, 'cruise take': 219709, 'the subway': 868370, 'subway go': 816155, 'concert go': 193267, 'school go': 741806, 'one wonder if': 607500, 'wonder if when': 1003981, 'if when there': 415356, 'when there finally': 984224, 'there finally is': 878389, 'finally is covid': 306044, '19 vaccine the': 11725, 'vaccine the anti': 951776, 'the anti vaxxers': 848783, 'anti vaxxers will': 78338, 'vaxxers will continue': 952766, 'to be anti': 901109, 'be anti vaxxers': 113640, 'anti vaxxers who': 78337, 'vaxxers who know': 952764, 'know maybe without': 476591, 'maybe without vaccine': 521885, 'without vaccine certificate': 1003022, 'vaccine certificate they': 951678, 'certificate they will': 170217, 'allowed to fly': 46230, 'fly cruise take': 311603, 'cruise take the': 219710, 'take the subway': 832678, 'the subway go': 868371, 'subway go to': 816156, 'go to concert': 354293, 'to concert go': 903176, 'concert go to': 193268, 'to school go': 913899, 'school go to': 741807, 'supermarket to bar': 823356, 'specializes': 788131, 'severe is': 754028, 'threatening our': 893818, 'health wearing': 386942, 'can effectively': 158212, 'effectively prevent': 269368, 'infection our': 436807, 'company specializes': 191094, 'specializes in': 788132, 'mask good': 518762, 'price express': 673740, 'express me': 293043, 'need ht': 555023, 'outbreak is severe': 628381, 'is severe is': 451814, 'severe is spreading': 754029, 'spreading and threatening': 790925, 'and threatening our': 74074, 'threatening our health': 893819, 'our health wearing': 623382, 'health wearing mask': 386943, 'wearing mask can': 974687, 'mask can effectively': 518510, 'can effectively prevent': 158213, 'effectively prevent infection': 269369, 'prevent infection our': 671659, 'infection our company': 436808, 'our company specializes': 622499, 'company specializes in': 191095, 'specializes in the': 788134, 'of mask good': 586267, 'mask good price': 518763, 'good price express': 357586, 'price express me': 673741, 'express me if': 293044, 'you need ht': 1020003, 'coreresearch': 203533, 'provding': 686094, 'my talented': 550310, 'talented colleague': 833716, 'colleague irl': 186222, 'irl coreresearch': 444908, 'coreresearch provding': 203534, 'provding the': 686095, 'consumer thinking': 199287, 'thinking helpful': 885911, 'helpful insight': 391199, 'industry listen': 435969, 'here plus': 393463, 'plus lot': 661635, 'here marketingstrategy': 393337, 'my talented colleague': 550311, 'talented colleague irl': 833717, 'colleague irl coreresearch': 186223, 'irl coreresearch provding': 444909, 'coreresearch provding the': 203535, 'provding the latest': 686096, 'in consumer thinking': 421724, 'consumer thinking helpful': 199288, 'thinking helpful insight': 885912, 'helpful insight for': 391200, 'insight for our': 439539, 'our industry listen': 623535, 'industry listen to': 435970, 'listen to chat': 494730, 'chat to here': 173964, 'to here plus': 907718, 'here plus lot': 393464, 'plus lot more': 661636, 'lot more insight': 504108, 'insight here marketingstrategy': 439563, 'bylaw': 154816, 'toronto exercise': 925940, 'exercise bylaw': 290035, 'bylaw exemption': 154817, 'to permit': 911668, 'permit 24': 652146, 'toronto exercise bylaw': 925941, 'exercise bylaw exemption': 290036, 'bylaw exemption to': 154818, 'exemption to permit': 290016, 'to permit 24': 911669, 'permit 24 inventory': 652147, 'should deal': 765897, 'the unless': 870440, 'ppe yourself': 668119, 'and tell clerk': 73092, 'tell clerk how': 836929, 'clerk how we': 181718, 'how we should': 409191, 'we should deal': 973265, 'should deal with': 765898, 'with the unless': 1001530, 'the unless you': 870441, 'to provide with': 912451, 'provide with ppe': 686546, 'with ppe yourself': 1000278, 'a19': 24058, 'sunderland': 818359, 'escort': 280341, 'driver having': 259598, 'police because': 662942, 'following them': 312914, 'see whats': 746052, 'whats on': 982843, 'on wagon': 605082, 'wagon one': 964026, 'one thought': 607250, 'robbed on': 724649, 'on a19': 599129, 'a19 near': 24059, 'near sunderland': 553585, 'sunderland had': 818360, 'police escort': 662986, 'escort wtf': 280342, 'been hearing story': 121268, 'story of supermarket': 812074, 'of supermarket delivery': 590419, 'delivery driver having': 233916, 'driver having to': 259599, 'having to call': 384334, 'to call police': 902386, 'call police because': 156076, 'police because people': 662943, 'are following them': 86628, 'following them to': 312915, 'to see whats': 914096, 'see whats on': 746053, 'whats on wagon': 982844, 'on wagon one': 605083, 'wagon one thought': 964027, 'one thought he': 607251, 'be robbed on': 116903, 'robbed on a19': 724650, 'on a19 near': 599130, 'a19 near sunderland': 24060, 'near sunderland had': 553586, 'sunderland had to': 818361, 'get police escort': 347825, 'police escort wtf': 662987, 'escort wtf is': 280343, 'big report': 129954, 'week restaurant': 976817, 'restaurant performance': 716632, 'performance index': 651446, 'index perspective': 434228, 'perspective planting': 653225, 'planting monthly': 658756, 'monthly trade': 538209, 'job question': 466121, 'those could': 891893, 'your bottom': 1023006, 'line ask': 492973, 'the big report': 849619, 'big report this': 129955, 'this week restaurant': 891260, 'week restaurant performance': 976818, 'restaurant performance index': 716633, 'performance index perspective': 651447, 'index perspective planting': 434229, 'perspective planting monthly': 653226, 'planting monthly trade': 658757, 'monthly trade data': 538210, 'trade data and': 928471, 'data and job': 226121, 'and job question': 65664, 'job question about': 466122, 'about how those': 25481, 'how those could': 408962, 'those could impact': 891894, 'impact your bottom': 418058, 'your bottom line': 1023007, 'bottom line ask': 136407, 'line ask and': 492974, 'ask and mg': 95484, 'asshole finally': 96527, 'got charged': 358477, 'these asshole finally': 879654, 'asshole finally got': 96528, 'finally got charged': 306028, 'survey italian': 828893, 'mckinsey survey italian': 522208, 'survey italian consumer': 828894, 'sometimes common': 785189, 'sense get': 750525, 'get left': 347474, 'by geek': 152663, 'geek who': 345042, 'the scientific': 866503, 'scientific thinking': 742179, 'thinking wear': 886026, 'sometimes common sense': 785190, 'common sense get': 189458, 'sense get left': 750526, 'get left behind': 347475, 'behind by geek': 124611, 'by geek who': 152664, 'geek who do': 345043, 'do the scientific': 250262, 'the scientific thinking': 866504, 'scientific thinking wear': 742180, 'thinking wear mask': 886027, 'wear mask wear': 974411, 'mask wear mask': 519518, 'learn on': 484047, 'scale this': 739918, 'including in': 432012, 'globe the outbreak': 352482, 'and learn on': 66037, 'learn on massive': 484048, 'massive scale this': 520100, 'scale this is': 739919, 'likely to result': 492171, 'changed world including': 172606, 'world including in': 1009668, 'including in online': 432013, 'illegal always': 416198, 'and southwest': 72028, 'southwest colorado': 786920, 'colorado check': 186789, 'on spotting': 603609, 'spotting price': 790222, 'gouging bb': 359262, 'bb bbdelivers': 113039, 'is up result': 453581, 'is illegal always': 448662, 'illegal always report': 416199, 'always report price': 49723, 'gouging in new': 359348, 'new mexico and': 559107, 'mexico and southwest': 529993, 'and southwest colorado': 72029, 'southwest colorado check': 786921, 'colorado check out': 186790, 'this article on': 886425, 'article on spotting': 94411, 'on spotting price': 603610, 'spotting price gouging': 790223, 'price gouging bb': 674260, 'gouging bb bbdelivers': 359263, 'gettingresults': 349470, 'want during': 965770, 'salute your': 732876, 'dedication gettingresults': 231776, 'store worker you': 811630, 'worker you ve': 1008315, 've been dealing': 952878, 'dealing with panicked': 229681, 'panicked shopper and': 639279, 'shopper and people': 761370, 'who are upset': 988253, 'they can always': 881609, 'always get the': 49571, 'supply they want': 825983, 'they want during': 883707, 'want during this': 965771, 'trying time we': 934757, 'time we salute': 898232, 'we salute your': 973125, 'salute your effort': 732877, 'your effort and': 1023625, 'effort and dedication': 269469, 'and dedication gettingresults': 61039, 'food their': 317139, 'infant can': 436472, 'someone afraid': 784360, 'appropriate substitute': 83053, 'those buying up': 891852, 'buying up baby': 151288, 'up baby wipe': 944453, 'formula amid the': 329691, 'for the baby': 326314, 'the baby no': 849137, 'enough food their': 277417, 'food their infant': 317140, 'their infant can': 873656, 'infant can tolerate': 436473, 'because someone afraid': 119574, 'someone afraid of': 784361, 'afraid of running': 35003, 'wa an appropriate': 961527, 'an appropriate substitute': 55378, 'drive occupancy': 259107, 'dialogue about': 240300, 'about tourism': 26767, 'doe not drive': 251490, 'not drive occupancy': 569108, 'drive occupancy when': 259108, 'more dialogue about': 539031, 'dialogue about tourism': 240301, 'about tourism are': 26768, 'tourism are warning': 926969, 'warning that traditional': 967208, 'is feedback': 447767, 'loop shortage': 503154, 'supply fear': 825236, 'supply power': 825721, 'water network': 969067, 'not failing': 569350, 'failing farm': 296204, 'not shutting': 571581, 'not zombie': 572637, 'hear this but': 388010, 'this but panic': 886646, 'buying is feedback': 150565, 'is feedback loop': 447768, 'feedback loop shortage': 302424, 'loop shortage of': 503155, 'of supply fear': 590478, 'supply fear of': 825237, 'fear of lack': 301245, 'of supply power': 590494, 'supply power and': 825722, 'power and water': 667562, 'and water network': 75245, 'water network are': 969068, 'network are not': 557703, 'are not failing': 88366, 'not failing farm': 569351, 'failing farm and': 296205, 'farm and food': 299084, 'are not shutting': 88465, 'not shutting down': 571582, 'shutting down covid': 768258, 'is not zombie': 450228, 'not zombie apocalypse': 572638, 'giant announced': 349745, 'post once': 666263, 'once store': 605711, 'store reach': 809745, 'reach that': 699984, 'that capacity': 843149, 'capacity customer': 162510, 'cannot enter': 161781, 'enter until': 278332, 'until another': 943683, 'another exit': 77607, 'than five customer': 840655, 'five customer are': 309599, 'are allowed per': 84382, 'allowed per 00': 46209, 'square foot in': 791472, 'given time the': 351182, 'time the retail': 897873, 'retail giant announced': 718141, 'giant announced in': 349746, 'announced in the': 76963, 'the blog post': 849779, 'blog post once': 132994, 'post once store': 666264, 'once store reach': 605712, 'store reach that': 809746, 'reach that capacity': 699985, 'that capacity customer': 843150, 'capacity customer cannot': 162511, 'customer cannot enter': 222233, 'cannot enter until': 161782, 'enter until another': 278333, 'until another exit': 943684, 'freshdirect say': 333120, 'say worker': 739501, 'not involved': 570171, 'prep or': 670009, 'delivery tech': 234610, 'tech delivery': 836071, 'lack stay': 478672, 'stay worker': 797408, 'freshdirect say worker': 333121, 'say worker who': 739502, '19 not involved': 8830, 'not involved in': 570172, 'in food prep': 422978, 'food prep or': 315902, 'prep or delivery': 670010, 'or delivery tech': 614949, 'delivery tech delivery': 234611, 'tech delivery demand': 836072, 'delivery demand food': 233862, 'demand food lack': 235363, 'food lack stay': 315273, 'lack stay worker': 478673, 'quiche': 694262, 'quarantinekitchen': 692924, 'store me': 808926, 'too dyk': 924701, 'dyk unopened': 263896, 'unopened block': 942995, 'block of': 132795, 'cheese like': 175203, 'keep for': 471519, 'in fridge': 423120, 'fridge use': 333434, 'in quesadilla': 427214, 'quesadilla quiche': 693477, 'quiche soup': 694263, 'soup taco': 786412, 'taco what': 831674, 'else panickbuying': 271836, 'panickbuying quarantinekitchen': 639221, 'quarantinekitchen quarantinecooking': 692925, 'so you want': 778853, 'grocery store me': 365560, 'store me too': 808927, 'me too dyk': 523822, 'too dyk unopened': 924702, 'dyk unopened block': 263897, 'unopened block of': 942996, 'block of cheese': 132796, 'of cheese like': 581310, 'cheese like this': 175204, 'like this will': 491551, 'will keep for': 993894, 'keep for up': 471520, 'to month in': 910242, 'month in fridge': 537791, 'in fridge use': 423121, 'fridge use in': 333435, 'use in quesadilla': 949279, 'in quesadilla quiche': 427215, 'quesadilla quiche soup': 693478, 'quiche soup taco': 694264, 'soup taco what': 786413, 'taco what else': 831675, 'what else panickbuying': 981412, 'else panickbuying quarantinekitchen': 271837, 'panickbuying quarantinekitchen quarantinecooking': 639222, 'glad went': 351543, 'wife tonight': 991984, 'tonight pretty': 924476, 'pretty eventful': 671400, 'done unicorn': 255087, 'corona shopping': 204170, 'glad went to': 351544, 'the wife tonight': 871552, 'wife tonight pretty': 991985, 'tonight pretty eventful': 924477, 'pretty eventful good': 671401, 'eventful good thing': 285122, 'good thing this': 357853, 'thing this guy': 884862, 'this guy can': 887785, 'guy can get': 368951, 'get it done': 347404, 'it done unicorn': 457672, 'done unicorn unicornday': 255088, 'unicornday corona shopping': 941743, 'corona shopping socialdistancing': 204171, 'frustration jackie': 339270, 'jackie starting': 464169, 'sorry to read': 786096, 'to read about': 912820, 'about your frustration': 26998, 'your frustration jackie': 1023992, 'frustration jackie starting': 339271, 'jackie starting on': 464170, 'hey and': 394321, 'with hoarder': 998857, 'hoarder gouging': 399031, 'zero stock': 1027504, 'stock where': 803185, 'you precisely': 1020404, 'precisely believe': 669510, 'any american': 78915, 'on thee': 604464, 'thee mask': 872324, 'mask cdc': 518521, 'hey and with': 394322, 'and with hoarder': 75772, 'with hoarder gouging': 998858, 'hoarder gouging the': 399032, 'gouging the price': 359468, 'of mask while': 586283, 'mask while store': 519563, 'while store supply': 987336, 'store supply are': 810470, 'supply are close': 824782, 'close to zero': 182926, 'to zero stock': 919057, 'zero stock where': 1027505, 'stock where do': 803186, 'do you precisely': 250658, 'you precisely believe': 1020405, 'precisely believe any': 669511, 'believe any american': 126244, 'any american can': 78916, 'american can get': 51853, 'hand on thee': 375145, 'on thee mask': 604465, 'thee mask cdc': 872325, 'mask cdc say': 518522, 'cdc say all': 168618, 'say all american': 738403, 'all american should': 42003, 'american should wear': 52195, 'romaine': 725711, 'lettucerejoice': 487466, 'just romaine': 469649, 'romaine inside': 725712, 'inside lettucerejoice': 439307, 'store just romaine': 808625, 'just romaine inside': 469650, 'romaine inside lettucerejoice': 725713, 'ezekiel': 294167, 'magog': 508455, 'gog': 354927, 'holyspirit': 400525, 'zero are': 1027408, 'for ezekiel': 321349, 'ezekiel 38': 294168, '38 magog': 18132, 'magog gog': 508456, 'gog russia': 354928, 'russia turkey': 728597, 'turkey syria': 935578, 'syria jesus': 831042, 'jesus holyspirit': 465296, 'holyspirit israel': 400526, 'below zero are': 126785, 'zero are you': 1027409, 'you ready for': 1020818, 'ready for ezekiel': 700862, 'for ezekiel 38': 321350, 'ezekiel 38 magog': 294169, '38 magog gog': 18133, 'magog gog russia': 508457, 'gog russia turkey': 354929, 'russia turkey syria': 728598, 'turkey syria jesus': 935579, 'syria jesus holyspirit': 831043, 'jesus holyspirit israel': 465297, 'need mail': 555187, 'mail in': 508621, 'couldn we': 209941, 'voter time': 960588, 'slot just': 774226, 'hey if the': 394426, 'if the come': 414956, 'back in fall': 107084, 'in fall and': 422781, 'say the are': 739266, 'the are killing': 848864, 'we hold the': 972027, 'hold the election': 400019, 'the election and': 854169, 'election and we': 271016, 'we need mail': 972509, 'need mail in': 555188, 'mail in why': 508622, 'in why couldn': 430901, 'why couldn we': 990902, 'couldn we have': 209942, 'we have high': 971835, 'have high risk': 380943, 'risk voter time': 723995, 'voter time slot': 960589, 'time slot just': 897685, 'slot just like': 774227, 'shareasquare': 755384, 'we released': 973061, 'project today': 683548, 'today named': 919911, 'named tp': 551727, 'tp finder': 927810, 'finder it': 307422, 'it crowd': 457421, 'crowd sourced': 219253, 'sourced tool': 786604, 'find stocked': 307249, 'paper nearby': 640484, 'nearby shareasquare': 553676, 'shareasquare check': 755385, 'we released new': 973062, 'released new project': 709063, 'new project today': 559368, 'project today named': 683549, 'today named tp': 919912, 'named tp finder': 551728, 'tp finder it': 927811, 'finder it crowd': 307423, 'it crowd sourced': 457422, 'crowd sourced tool': 219254, 'sourced tool to': 786605, 'help people find': 390294, 'people find stocked': 647922, 'find stocked toilet': 307250, 'stocked toilet paper': 803429, 'toilet paper nearby': 921363, 'paper nearby shareasquare': 640485, 'nearby shareasquare check': 553677, 'shareasquare check it': 755386, 'elderly be': 270611, 'should the elderly': 766569, 'the elderly be': 854113, 'elderly be isolated': 270613, 'with canada': 997524, 'canada he': 160459, 'he thought': 385523, 'would inflate': 1011956, 'stop shipment': 805011, 'shipment if': 758759, 'if war': 415257, 'war wa': 966588, 'during war': 263392, 'war virus': 966586, 'virus stop': 958819, 'canada moron': 160499, 'moron trump': 541641, 'trump canada': 933467, 'canada usa': 160596, 'year ago said': 1014357, 'ago said he': 38452, 'he wa worried': 385632, 'worried about trade': 1010526, 'about trade with': 26776, 'trade with canada': 928618, 'with canada he': 997525, 'canada he thought': 160460, 'he thought they': 385524, 'they would inflate': 883944, 'would inflate price': 1011957, 'inflate price or': 436994, 'or stop shipment': 617243, 'stop shipment if': 805012, 'shipment if war': 758760, 'if war wa': 415258, 'war wa to': 966589, 'wa to break': 963516, 'to break out': 902004, 'break out so': 138784, 'out so what': 627208, 'so what he': 778719, 'what he do': 981585, 'he do during': 384900, 'do during war': 249249, 'during war virus': 263393, 'war virus stop': 966587, 'virus stop shipment': 958820, 'stop shipment of': 805013, 'mask to canada': 519395, 'to canada moron': 902413, 'canada moron trump': 160500, 'moron trump canada': 541642, 'trump canada usa': 933468, 'doing where': 252860, 'the policing': 863936, 'policing gone': 663301, 'gone can': 356241, 'store im': 808251, 'im starting': 416582, 'panic panickbuying': 638399, 'panickbuying stayhomesavelives': 639223, 'uk government what': 938418, 'government what are': 360796, 'you doing where': 1018302, 'doing where ha': 252861, 'where ha the': 984902, 'ha the policing': 372219, 'the policing gone': 863937, 'policing gone can': 663302, 'gone can not': 356242, 'local store im': 498464, 'store im starting': 808252, 'im starting to': 416583, 'to panic panickbuying': 911416, 'panic panickbuying stayhomesavelives': 638400, '12mb': 3112, 'due fall': 261650, 'oil cost': 596705, 'barrel amp': 111195, 'amp nigeria': 54176, 'nigeria spends': 562801, 'spends 28': 789069, 'produce barrel': 680205, 'barrel surely': 111282, 'surely it': 827910, 'longer sustainable': 502057, 'sustainable to': 829807, 'maintain under': 509073, 'under recovery': 940223, 'recovery we': 705420, 'produce max': 680350, 'max 2m': 520734, '2m barrel': 16672, 'barrel saudi': 111278, 'saudi produce': 737291, 'produce 10': 680151, '10 12mb': 1234, '12mb day': 3113, 'lt barrel': 506368, 'amp still': 54566, '19 it due': 8132, 'it due fall': 457717, 'due fall in': 261651, 'price oil cost': 675626, 'oil cost 30': 596706, 'cost 30 barrel': 207827, '30 barrel amp': 16977, 'barrel amp nigeria': 111196, 'amp nigeria spends': 54177, 'nigeria spends 28': 562802, 'spends 28 to': 789070, '28 to produce': 16410, 'to produce barrel': 912187, 'produce barrel surely': 680206, 'barrel surely it': 111283, 'surely it no': 827911, 'no longer sustainable': 564665, 'longer sustainable to': 502058, 'sustainable to maintain': 829808, 'to maintain under': 909603, 'maintain under recovery': 509074, 'under recovery we': 940224, 'recovery we produce': 705421, 'we produce max': 972756, 'produce max 2m': 680351, 'max 2m barrel': 520735, '2m barrel saudi': 16673, 'barrel saudi produce': 111279, 'saudi produce 10': 737292, 'produce 10 12mb': 680152, '10 12mb day': 1235, '12mb day lt': 3114, 'day lt barrel': 227951, 'lt barrel amp': 506369, 'barrel amp still': 111197, 'amp still offer': 54567, 'still offer discount': 800919, 'offer discount on': 594587, 'discount on it': 244510, 'on it crude': 601653, 'thewisebulls': 881075, 'degloabalized': 232528, 'after clearing': 35467, 'the pollution': 863960, 'pollution fear': 663904, 'fear thewisebulls': 301389, 'thewisebulls saw': 881076, 'saw contained': 738088, 'contained case': 200517, 'india emergence': 434392, 'self contained': 747591, 'contained indian': 200521, 'in degloabalized': 422076, 'degloabalized world': 232529, 'low lo': 505390, 'lo and': 497231, 'and behold': 58855, 'behold nifty': 124770, 'nifty rise': 562688, 'rise 10': 722761, 'after clearing of': 35468, 'clearing of the': 181463, 'of the pollution': 591347, 'the pollution fear': 863961, 'pollution fear thewisebulls': 663905, 'fear thewisebulls saw': 301390, 'thewisebulls saw contained': 881077, 'saw contained case': 738089, 'contained case in': 200518, 'case in india': 165794, 'in india emergence': 424032, 'india emergence of': 434393, 'emergence of self': 272575, 'of self contained': 589467, 'self contained indian': 747592, 'contained indian economy': 200522, 'indian economy in': 434823, 'economy in degloabalized': 267965, 'in degloabalized world': 422077, 'degloabalized world with': 232530, 'world with crude': 1010196, 'crude price so': 219596, 'so low lo': 777605, 'low lo and': 505391, 'lo and behold': 497232, 'and behold nifty': 58856, 'behold nifty rise': 124771, 'nifty rise 10': 562689, 'emergency two': 273036, 'by hiring': 152813, 'the coronavirus emergency': 851841, 'coronavirus emergency two': 205874, 'emergency two supermarket': 273037, 'reacting by hiring': 700169, 'by hiring more': 152814, 'hiring more worker': 397115, 'myself weep': 550972, 'our future': 623224, 'future stayhome': 342459, 'stayhome wednesdaythoughts': 798230, 'supermarket can catch': 819498, 'can catch the': 157878, 'virus from myself': 958216, 'from myself weep': 336536, 'myself weep for': 550973, 'weep for our': 977609, 'for our future': 324248, 'our future stayhome': 623225, 'future stayhome wednesdaythoughts': 342460, 'pm don': 661891, 'think fresh': 885253, 'air provides': 39778, 'provides immunity': 686865, 'immunity you': 417445, 'advice follow': 33363, 'follow it': 312433, 'crucial of': 219467, 'course we': 211956, 'bring forward': 139973, 'forward further': 329983, 'measure if': 525220, 'pm don think': 661892, 'don think fresh': 253975, 'think fresh air': 885254, 'fresh air provides': 332918, 'air provides immunity': 39779, 'provides immunity you': 686866, 'immunity you have': 417446, 'be 2m apart': 113427, '2m apart take': 16667, 'apart take this': 81349, 'this advice follow': 886217, 'advice follow it': 33364, 'follow it it': 312434, 'is crucial of': 446961, 'crucial of course': 219468, 'of course we': 582078, 'course we will': 211958, 'we will bring': 973840, 'will bring forward': 992854, 'bring forward further': 139974, 'forward further measure': 329984, 'further measure if': 342090, 'measure if necessary': 525221, 'drop but': 260141, 'above 2008': 27030, 'crisis low': 217682, 'week job': 976443, 'loss at': 503648, 'million fiscal': 532155, 'action support': 30140, 'support confidence': 826433, 'and containment': 60475, 'containment angst': 200596, 'sentiment index show': 750958, 'show record month': 767105, 'record month drop': 705030, 'month drop but': 537689, 'drop but remains': 260142, 'remains above 2008': 709989, 'above 2008 2009': 27031, 'financial crisis low': 306374, 'crisis low no': 217683, 'low no surprise': 505420, 'surprise with week': 828564, 'with week job': 1002060, 'week job loss': 976444, 'job loss at': 465966, 'loss at 17': 503649, 'at 17 million': 97484, '17 million fiscal': 4365, 'million fiscal stimulus': 532156, 'fed action support': 301776, 'action support confidence': 30141, 'support confidence in': 826434, 'confidence in midst': 193900, '19 and containment': 5004, 'and containment angst': 60476, 'travolta': 930713, 'meanwhile confused': 524959, 'confused john': 194338, 'john travolta': 466555, 'travolta at': 930714, 'meanwhile confused john': 524960, 'confused john travolta': 194339, 'john travolta at': 466556, 'travolta at the': 930715, 'catch someone': 167024, 'someone trying': 784726, 'store if catch': 808243, 'if catch someone': 413950, 'catch someone trying': 167025, 'someone trying to': 784727, 'quantity of stupid': 691942, 'of stupid thing': 590341, 'stupid thing ll': 815479, 'thing ll start': 884560, 'll start using': 497034, 'cnc': 184735, 'routing': 726553, 'tooling': 925470, 'itc cutting': 462983, 'cutting tool': 223784, 'tool are': 925394, 'by birmingham': 151968, 'birmingham based': 131379, 'based cnc': 111535, 'cnc routing': 184736, 'routing ltd': 726554, 'ltd to': 506392, '19 sneeze': 10628, 'checkout tooling': 175045, 'itc cutting tool': 462984, 'cutting tool are': 223785, 'tool are being': 925395, 'are being used': 84939, 'being used by': 126017, 'used by birmingham': 949875, 'by birmingham based': 151969, 'birmingham based cnc': 131380, 'based cnc routing': 111536, 'cnc routing ltd': 184737, 'routing ltd to': 726555, 'ltd to produce': 506394, 'covid 19 sneeze': 213823, '19 sneeze screen': 10629, 'sneeze screen for': 776269, 'screen for supermarket': 742692, 'for supermarket checkout': 326004, 'supermarket checkout tooling': 819673, 'family bought': 297663, 'entire apartment': 278648, 'apartment it': 81410, 'crazy look how': 215355, 'look how much': 502409, 'this family bought': 887512, 'family bought in': 297665, 'bought in country': 136601, 'in country during': 421824, 'the crisis like': 852402, 'like this family': 491490, 'family bought an': 297664, 'bought an entire': 136497, 'an entire apartment': 55767, 'entire apartment it': 278649, 'apartment it full': 81411, 'it full of': 458183, 'me point': 523345, 'about truck': 26781, 'etc until': 282854, 'certain level': 170046, 'level until': 487737, 'effect you': 269166, 'them smh': 876288, 'let me point': 486907, 'me point out': 523346, 'point out how': 662580, 'out how all': 626316, 'how all did': 407332, 'all did not': 42565, 'did not give': 240715, 'damn about truck': 225312, 'about truck driver': 26782, 'worker etc until': 1006873, 'etc until covid': 282855, '19 everyone play': 6869, 'their part but': 874249, 'part but you': 642251, 'you don care': 1018309, 'don care if': 253422, 'care if they': 164016, 'are on certain': 88718, 'on certain level': 599860, 'certain level until': 170047, 'level until it': 487738, 'until it effect': 943748, 'it effect you': 457770, 'effect you and': 269167, 'need them smh': 555784, 'power industry': 667628, 'aviation despite': 104956, 'coal station': 185073, 'uncompetitive relative': 939865, 'low prevailing': 505495, 'prevailing gas': 671545, 'to falling demand': 905647, 'permit in power': 652156, 'in power industry': 426886, 'power industry and': 667629, 'industry and aviation': 435629, 'and aviation despite': 58554, 'aviation despite this': 104957, 'german coal station': 346215, 'coal station are': 185074, 'still uncompetitive relative': 801347, 'uncompetitive relative to': 939866, 'relative to gas': 708750, 'to gas station': 906371, 'gas station due': 344106, 'the low prevailing': 859782, 'low prevailing gas': 505496, 'prevailing gas price': 671546, 'stagnated': 793275, 'the ons': 862358, 'ons confirming': 611539, 'confirming stagnated': 194223, 'stagnated in': 793276, 'in fourth': 423066, 'fourth quarter': 330722, '2019 consumer': 13953, 'wa flat': 962139, 'flat amp': 310065, 'business investment': 143941, 'investment fell': 443989, 'amid heightened': 52500, 'heightened uncertainty': 388829, 'uncertainty includes': 939702, 'latest thinking': 481573, 'thinking on': 885980, 'hit will': 398507, 'of the ons': 591296, 'the ons confirming': 862359, 'ons confirming stagnated': 611540, 'confirming stagnated in': 194224, 'stagnated in fourth': 793277, 'in fourth quarter': 423067, 'fourth quarter of': 330723, 'quarter of 2019': 693254, 'of 2019 consumer': 579479, '2019 consumer spending': 13954, 'spending wa flat': 789045, 'wa flat amp': 962140, 'flat amp business': 310066, 'amp business investment': 53476, 'business investment fell': 143942, 'investment fell amid': 443990, 'fell amid heightened': 303164, 'amid heightened uncertainty': 52501, 'heightened uncertainty includes': 388830, 'uncertainty includes our': 939703, 'includes our latest': 431789, 'our latest thinking': 623681, 'latest thinking on': 481574, 'thinking on how': 885981, 'on how big': 601385, 'how big hit': 407456, 'big hit will': 129822, 'hit will take': 398508, 'will take from': 995069, 'microsite': 530496, 'netbase': 557576, 'trendanalysis': 931522, 'this demo': 887203, 'demo highlight': 236671, 'highlight our': 395943, 'our conversation': 622559, 'conversation microsite': 202473, 'microsite that': 530497, 'us our': 948536, 'our netbase': 624020, 'netbase and': 557577, 'and quid': 69885, 'quid platform': 694664, 'discover consumer': 244653, 'marketing intelligence': 517630, 'intelligence to': 441014, 'to display': 904412, 'display trending': 246208, 'trending topic': 931570, 'different industry': 241969, 'industry trendanalysis': 436190, 'this demo highlight': 887204, 'demo highlight our': 236672, 'highlight our conversation': 395944, 'our conversation microsite': 622561, 'conversation microsite that': 202474, 'microsite that us': 530498, 'that us our': 847210, 'us our netbase': 948537, 'our netbase and': 624021, 'netbase and quid': 557578, 'and quid platform': 69886, 'quid platform to': 694665, 'platform to discover': 659043, 'to discover consumer': 904366, 'discover consumer and': 244654, 'consumer and marketing': 196226, 'and marketing intelligence': 66727, 'marketing intelligence to': 517631, 'intelligence to display': 441015, 'to display trending': 904413, 'display trending topic': 246209, 'trending topic related': 931571, 'related to and': 708592, 'on different industry': 600317, 'different industry trendanalysis': 241971, 'requires website': 713510, 'website accessibility': 975178, 'accessibility vigilance': 28325, 'vigilance for': 957221, '19 requires website': 10115, 'requires website accessibility': 713511, 'website accessibility vigilance': 975179, 'accessibility vigilance for': 28326, 'vigilance for consumer': 957222, 'and overwhelming': 68594, 'perishable household': 651987, 'occurring and': 579061, 'increase direct': 432742, 'relief network is': 709393, 'network is the': 557736, 'sudden and overwhelming': 816985, 'and overwhelming demand': 68595, 'non perishable household': 566457, 'perishable household essential': 651988, 'household essential item': 406789, 'that is occurring': 844628, 'is occurring and': 450393, 'occurring and is': 579062, 'to increase direct': 908276, 'increase direct result': 432743, 'inficted': 436938, 'guilde': 368529, 'safty': 730878, 'irosponcible': 444972, '100 nation': 1967, 'nation inficted': 552228, 'inficted with': 436939, 'play fair': 659145, 'fair with': 296404, 'china 100': 176436, '100 goverments': 1910, 'goverments must': 359760, 'must demand': 546616, 'china adopts': 176453, 'adopts new': 32733, 'new guilde': 558833, 'guilde line': 368530, 'food safty': 316280, 'safty the': 730879, 'chinese goverment': 177267, 'goverment is': 359753, 'is guilty': 448247, 'being irosponcible': 125337, 'irosponcible with': 444973, 'with 100 nation': 996928, '100 nation inficted': 1968, 'nation inficted with': 552229, 'inficted with covid': 436940, '19 the world': 11264, 'the world must': 871917, 'world must not': 1009815, 'must not play': 546784, 'not play fair': 571036, 'play fair with': 659146, 'fair with china': 296405, 'with china 100': 997628, 'china 100 goverments': 176437, '100 goverments must': 1911, 'goverments must demand': 359761, 'must demand china': 546617, 'demand china adopts': 235137, 'china adopts new': 176454, 'adopts new guilde': 32734, 'new guilde line': 558834, 'guilde line on': 368531, 'line on food': 493324, 'on food safty': 600903, 'food safty the': 316281, 'safty the chinese': 730880, 'the chinese goverment': 850857, 'chinese goverment is': 177268, 'goverment is guilty': 359754, 'is guilty of': 448248, 'guilty of being': 368563, 'of being irosponcible': 580646, 'being irosponcible with': 125338, 'irosponcible with life': 444974, 'with life on': 999212, 'life on global': 488934, 'merge': 529098, 'diminish': 242936, '19 university': 11637, 'will yield': 995376, 'yield to': 1016381, 'le costly': 482897, 'costly on': 208350, 'line class': 493032, 'class on': 180228, 'line home': 493175, 'will merge': 994116, 'merge boom': 529099, 'boom personal': 134820, 'personal transportation': 652985, 'fuel market': 340200, 'will diminish': 993192, 'diminish ho': 242937, 'covid 19 university': 214000, '19 university will': 11638, 'university will yield': 942475, 'will yield to': 995377, 'yield to an': 1016382, 'to an ever': 900450, 'an ever growing': 55881, 'ever growing demand': 285333, 'for le costly': 322911, 'le costly on': 482898, 'costly on line': 208351, 'on line class': 601856, 'line class on': 493033, 'class on line': 180229, 'on line home': 601859, 'line home delivery': 493176, 'delivery food industry': 234007, 'food industry will': 315030, 'industry will merge': 436249, 'will merge boom': 994117, 'merge boom personal': 529100, 'boom personal transportation': 134821, 'personal transportation fuel': 652986, 'transportation fuel market': 930006, 'fuel market will': 340201, 'market will diminish': 517356, 'will diminish ho': 993193, 'should pub': 766348, 'pub be': 687677, '19 should pub': 10503, 'should pub be': 766349, 'pub be forced': 687678, 'help themselves': 390721, 'themselves appreciate': 876766, 'nature feel': 552948, 'feel lucky': 302775, 'have roof': 382353, 'head can': 385729, 'when others': 983822, 'what ve learned': 982508, 'learned from the': 484116, 'need to call': 555877, 'call my family': 156002, 'and friend now': 63330, 'friend now more': 333726, 'than ever help': 840583, 'ever help people': 285353, 'help people that': 390308, 'people that cannot': 649755, 'that cannot help': 843141, 'cannot help themselves': 161956, 'help themselves appreciate': 390722, 'themselves appreciate all': 876767, 'appreciate all of': 82706, 'the time ve': 869630, 'been in nature': 121356, 'in nature feel': 425694, 'nature feel lucky': 552949, 'feel lucky that': 302776, 'lucky that have': 506572, 'that have roof': 844231, 'have roof over': 382354, 'roof over my': 725836, 'my head can': 548632, 'head can stock': 385730, 'for month when': 323542, 'month when others': 538115, 'when others cannot': 983823, 'kira': 475396, 'radinsky': 695423, 'dr kira': 258049, 'kira radinsky': 475397, 'radinsky ha': 695424, 'switched her': 830536, 'her data': 391983, 'data mining': 226305, 'mining algorithm': 533262, 'algorithm focus': 41654, 'focus from': 311841, 'to tracking': 917683, '19 datascience': 6424, 'datascience womeninstem': 226559, 'dr kira radinsky': 258050, 'kira radinsky ha': 475398, 'radinsky ha switched': 695425, 'ha switched her': 372135, 'switched her data': 830537, 'her data mining': 391984, 'data mining algorithm': 226306, 'mining algorithm focus': 533263, 'algorithm focus from': 41655, 'focus from consumer': 311842, 'from consumer behavior': 334952, 'behavior with ebay': 124317, 'with ebay to': 998178, 'ebay to tracking': 266497, 'to tracking covid': 917684, 'covid 19 datascience': 212912, '19 datascience womeninstem': 6425, 'usmarket bashed': 950809, 'bashed on': 111817, 'weak outlook': 974038, 'losing control': 503546, 'gdp driven': 344877, 'happen bond': 377061, 'gold moved': 355937, 'moved higher': 543804, 'higher weak': 395798, 'in election': 422522, 'year smell': 1014955, 'smell war': 775625, 'risk market': 723681, 'usmarket bashed on': 950810, 'bashed on weak': 111818, 'on weak outlook': 605146, 'weak outlook and': 974039, 'outlook and losing': 629134, 'and losing control': 66401, 'losing control of': 503547, 'control of economy': 202068, 'of economy look': 582967, 'economy look very': 268047, 'look very sick': 502656, 'very sick with': 955536, 'sick with 60': 768674, 'with 60 70': 997047, '60 70 of': 20870, '70 of gdp': 21800, 'of gdp driven': 584066, 'gdp driven by': 344878, 'spending and that': 788743, 'and that not': 73203, 'to happen bond': 907149, 'happen bond and': 377062, 'bond and gold': 134227, 'and gold moved': 63816, 'gold moved higher': 355938, 'moved higher weak': 543805, 'higher weak economy': 395799, 'weak economy in': 974014, 'economy in election': 267966, 'in election year': 422523, 'election year smell': 271080, 'year smell war': 1014956, 'smell war risk': 775626, 'war risk market': 966525, 'risk market investor': 723682, 'keepcalmandreadon': 472317, 'reader spirit': 700695, 'spirit up': 789516, 'time dunedin': 896589, 'dunedin is': 262278, 'our published': 624510, 'published price': 688686, 'placed via': 657927, 'being just': 125350, 'just select': 469746, 'select the': 747484, 'code keepcalmandreadon': 185376, 'keepcalmandreadon at': 472318, '19 discount to': 6562, 'discount to keep': 244560, 'keep our reader': 471742, 'our reader spirit': 624543, 'reader spirit up': 700696, 'spirit up in': 789517, 'up in these': 945187, 'trying time dunedin': 934745, 'time dunedin is': 896590, 'dunedin is offering': 262279, 'is offering discount': 450418, 'discount of 30': 244500, 'of 30 off': 579561, '30 off our': 17152, 'off our published': 594042, 'our published price': 624511, 'published price on': 688687, 'price on order': 675702, 'on order placed': 602544, 'order placed via': 618517, 'placed via for': 657928, 'via for the': 955989, 'time being just': 896390, 'being just select': 125351, 'just select the': 469747, 'select the book': 747485, 'book you want': 134642, 'you want and': 1022128, 'want and enter': 965707, 'and enter the': 62178, 'enter the code': 278311, 'the code keepcalmandreadon': 851126, 'code keepcalmandreadon at': 185377, 'keepcalmandreadon at checkout': 472319, 'braved my': 138253, 'started could': 794722, 'entrance if': 278879, 'just braved my': 468363, 'braved my local': 138254, 'time since this': 897673, 'since this all': 770939, 'all started could': 44428, 'started could be': 794723, 'idea to put': 413205, 'put hand sanitiser': 690595, 'sanitiser at the': 733926, 'the entrance if': 854382, 'entrance if at': 278880, 'if at all': 413880, 'at all possible': 97903, 'all possible this': 43997, 'possible this could': 665828, 'could make huge': 209404, 'huge difference coronacrisis': 410027, 'moronbrothersky': 541659, 'cried laughing': 216751, 'laughing let': 481814, 'guy famous': 368989, 'famous seems': 298492, 'toiletpaperapocalypse moronbrothersky': 922911, 'moronbrothersky foxnews': 541660, 'cried laughing let': 216752, 'laughing let make': 481815, 'let make these': 486886, 'make these guy': 510622, 'these guy famous': 880089, 'guy famous seems': 368990, 'famous seems like': 298493, 'world is out': 1009711, 'paper via toiletpaper': 641046, 'via toiletpaper toiletpaperapocalypse': 956332, 'toiletpaper toiletpaperapocalypse moronbrothersky': 922635, 'toiletpaperapocalypse moronbrothersky foxnews': 922912, 'wife get': 991924, 'me when my': 523941, 'when my wife': 983753, 'my wife get': 550590, 'wife get back': 991925, 'get back from': 346631, 'dunno why': 262312, 'restaurant ve': 716780, 'more contact': 538881, 'contact queuing': 200193, 'after failing': 35642, 'roll than': 725528, 'had going': 373142, 'dinner stoppanicbuying': 243093, 'dunno why they': 262313, 'they are banning': 881208, 'are banning people': 84761, 'people from pub': 648004, 'from pub and': 336995, 'and restaurant ve': 70396, 'restaurant ve had': 716781, 've had more': 953228, 'had more contact': 373311, 'more contact queuing': 538882, 'contact queuing in': 200194, 'supermarket after failing': 818802, 'after failing to': 35643, 'failing to find': 296231, 'find any toilet': 306803, 'toilet roll than': 921609, 'roll than ve': 725529, 'than ve ever': 841405, 'ever had going': 285340, 'had going out': 373143, 'out for dinner': 626108, 'for dinner stoppanicbuying': 320723, 'shamelessly': 754732, 'on dry': 600432, 'good causing': 356877, 'causing severe': 168090, 'severe shortage': 754056, 'of clinical': 581466, 'clinical mask': 182325, 'etc profit': 282722, 'seeker shamelessly': 746629, 'shamelessly spike': 754733, 'price such': 676690, 'no conscience': 563875, 'conscience and': 194777, 'may live': 521327, 'live worldhealthday2020': 496131, 'up on dry': 945548, 'on dry good': 600433, 'dry good causing': 261272, 'good causing severe': 356878, 'causing severe shortage': 168091, 'severe shortage of': 754057, 'shortage of clinical': 765104, 'of clinical mask': 581467, 'clinical mask hand': 182326, 'hand sanitizers etc': 375689, 'sanitizers etc profit': 736270, 'etc profit seeker': 282723, 'profit seeker shamelessly': 682855, 'seeker shamelessly spike': 746630, 'shamelessly spike price': 754734, 'spike price such': 789326, 'price such people': 676691, 'such people have': 816674, 'have no conscience': 381619, 'no conscience and': 563876, 'conscience and think': 194778, 'and think they': 73973, 'one who may': 607454, 'who may live': 989273, 'may live worldhealthday2020': 521328, 'perfectly calm': 651382, 'stock gap': 802193, 'gap but': 343438, 'and fab': 62576, 'fab staff': 294200, 'done shop': 255004, 'of perfectly calm': 588043, 'perfectly calm supermarket': 651383, 'calm supermarket this': 156809, 'morning some stock': 541452, 'some stock gap': 783948, 'stock gap but': 802194, 'gap but relaxed': 343439, 'shopper and fab': 761362, 'and fab staff': 62577, 'fab staff well': 294201, 'well done shop': 978198, 'done shop staff': 255005, 'shop staff everywhere': 760823, 'keeping all going': 472371, 'all going coronacrisis': 42953, 'sanfancisco': 733767, 'roll 00': 725151, '00 bleach': 84, 'bleach price': 132513, 'ha triple': 372367, 'triple sanfancisco': 932260, 'sanfancisco ca': 733768, 'ca gavinnewsom': 154878, 'gavinnewsom when': 344694, 'help usa': 390841, 'usa this': 948764, 'no accountability': 563578, 'accountability constant': 28790, 'constant pricegouging': 195623, 'pricegouging store': 677859, 'never sold': 558200, 'sold toiletpaper': 781793, 'going on 3rd': 355294, 'on 3rd week': 599099, '3rd week toilet': 18455, 'week toilet one': 977108, 'toilet one roll': 921168, 'one roll 00': 606972, 'roll 00 bleach': 725152, '00 bleach price': 85, 'bleach price ha': 132514, 'price ha triple': 674392, 'ha triple sanfancisco': 372368, 'triple sanfancisco ca': 932261, 'sanfancisco ca gavinnewsom': 733769, 'ca gavinnewsom when': 154879, 'gavinnewsom when are': 344695, 'get help usa': 347207, 'help usa this': 390842, 'usa this is': 948765, 'ridiculous there no': 721621, 'there no accountability': 878794, 'no accountability constant': 563579, 'accountability constant pricegouging': 28791, 'constant pricegouging store': 195624, 'pricegouging store that': 677860, 'store that never': 810560, 'that never sold': 845323, 'never sold toiletpaper': 558201, 'sold toiletpaper are': 781794, 'toiletpaper are now': 921748, 'now selling it': 575770, 'selling it high': 749314, 'goan': 354589, 'ageing': 37971, 'hi goan': 394654, 'goan here': 354590, 'we believed': 970852, 'believed the': 126436, 'didn give': 241072, 'give in': 350533, 'buying live': 150662, 'my ageing': 547241, 'ageing parent': 37972, 'old baby': 598157, 'baby what': 106729, 'hi goan here': 394655, 'goan here we': 354591, 'because we believed': 119792, 'we believed the': 970853, 'believed the government': 126437, 'government and didn': 359863, 'and didn give': 61322, 'didn give in': 241073, 'give in to': 350535, 'panic buying live': 637795, 'buying live with': 150663, 'with my ageing': 999606, 'my ageing parent': 547242, 'ageing parent and': 37973, 'parent and month': 641572, 'and month old': 67131, 'month old baby': 537918, 'old baby what': 598158, 'baby what are': 106730, 'fridge situation': 333424, 'situation critical': 772233, 'critical might': 218609, 'out soon': 627227, 'on jam': 601714, 'jam mayonnaise': 464358, 'mayonnaise jelly': 521928, 'jelly not': 465051, 'term anyway': 838061, 'anyway hope': 81015, 'hope panic': 403591, 'food panickbuyinguk': 315762, 'fridge situation critical': 333425, 'situation critical might': 772234, 'critical might have': 218610, 'venture out soon': 954681, 'out soon because': 627228, 'soon because do': 785652, 'live on jam': 495958, 'on jam mayonnaise': 601715, 'jam mayonnaise jelly': 464359, 'mayonnaise jelly not': 521929, 'jelly not long': 465052, 'not long term': 570455, 'long term anyway': 501671, 'term anyway hope': 838062, 'anyway hope panic': 81016, 'hope panic buying': 403592, 'buying ha died': 150434, 'ha died down': 370377, 'died down by': 241531, 'down by now': 256600, 'by now lockdown': 153373, 'now lockdown food': 575239, 'lockdown food panickbuyinguk': 499385, 'pandemic scam': 636403, 'they increase': 882454, 'increase be': 432691, 'even in pandemic': 284243, 'in pandemic scam': 426463, 'pandemic scam do': 636404, 'not stop in': 571756, 'stop in fact': 804764, 'fact they increase': 295830, 'they increase be': 882455, 'increase be aware': 432692, 'aware and share': 105606, 'nyc ha': 577993, 'spending in nyc': 788862, 'in nyc ha': 426022, 'nyc ha shifted': 577994, 'actually agree': 30725, 'it silly': 461054, 'silly they': 769774, 're giant': 698740, 'giant walking': 349889, 'walking petri': 965090, 'park by': 641888, 'point stayhomesavelives': 662630, 'no idea and': 564462, 'idea and actually': 413006, 'and actually agree': 57652, 'actually agree it': 30726, 'agree it silly': 38615, 'it silly they': 461055, 'silly they re': 769775, 'they re giant': 883043, 're giant walking': 698741, 'giant walking petri': 349890, 'walking petri dish': 965091, 'petri dish of': 653654, 'dish of in': 245505, 'of in that': 585047, 'in that supermarket': 428933, 'that supermarket car': 846563, 'car park by': 163216, 'park by that': 641889, 'by that point': 154250, 'that point stayhomesavelives': 845777, 'announces partnership': 77279, 'product collaboration': 681065, 'announces partnership to': 77280, 'partnership to provide': 642944, 'to provide consumer': 912385, 'provide consumer access': 686245, 'essential food beverage': 281040, 'food beverage product': 313746, 'beverage product collaboration': 129029, 'product collaboration is': 681066, 'lda': 482799, 'marla': 517954, 'kanal': 470770, 'waqas': 966329, '9233417716': 23496, 'lda city': 482800, 'city lahore': 179223, 'lahore residential': 478994, 'residential file': 714426, 'file price': 305361, 'price update': 677277, 'update lda': 947056, 'lahore marla': 478990, 'marla 22': 517955, '00 lac': 295, 'lac lda': 478570, 'lahore 10': 478986, '10 marla': 1512, 'marla 32': 517957, '32 00': 17655, 'lahore kanal': 478988, 'kanal 51': 470773, '51 00': 20196, 'lac note': 478572, 'note next': 572757, 'next ballot': 561293, 'ballot will': 109106, 'on 18th': 599024, '18th april': 4688, '2020 mian': 14441, 'mian waqas': 530211, 'waqas 9233417716': 966330, '9233417716 pandemic': 23497, 'lda city lahore': 482801, 'city lahore residential': 179227, 'lahore residential file': 478995, 'residential file price': 714427, 'file price update': 305362, 'price update lda': 677279, 'update lda city': 947057, 'city lahore marla': 179226, 'lahore marla 22': 478991, 'marla 22 00': 517956, '22 00 lac': 15152, '00 lac lda': 296, 'lac lda city': 478571, 'city lahore 10': 179224, 'lahore 10 marla': 478987, '10 marla 32': 1513, 'marla 32 00': 517958, '32 00 lac': 17656, 'city lahore kanal': 179225, 'lahore kanal 51': 478989, 'kanal 51 00': 470774, '51 00 lac': 20197, '00 lac note': 297, 'lac note next': 478573, 'note next ballot': 572758, 'next ballot will': 561294, 'ballot will be': 109107, 'held on 18th': 388911, 'on 18th april': 599025, '18th april 2020': 4689, 'april 2020 mian': 83468, '2020 mian waqas': 14442, 'mian waqas 9233417716': 530212, 'waqas 9233417716 pandemic': 966331, 'cpsc': 214651, 'mission encourages': 534353, 'reporting cpsc': 712681, 'continue mission encourages': 201066, 'mission encourages reporting': 534354, 'encourages reporting cpsc': 275697, 'truck drive': 932758, 'me waiting outside': 523897, 'seeing the delivery': 746490, 'delivery truck drive': 234694, 'truck drive up': 932759, 'news waitrose': 560950, 'waitrose staff': 964483, 'staff told': 793007, 'bbc news waitrose': 113100, 'news waitrose staff': 560951, 'waitrose staff told': 964484, 'staff told to': 793008, 'told to make': 923754, 'off for virus': 593835, 'restocks': 717039, 'petaling': 653489, 'syaiful': 830657, 'redzuan': 706423, 'employee restocks': 274152, 'restocks good': 717040, 'in petaling': 426663, 'petaling jaya': 653490, 'jaya on': 464899, '2020 after': 14127, 'after measure': 35917, 'malaysian government': 511659, 'coronavirus photo': 206553, 'photo syaiful': 655248, 'syaiful redzuan': 830658, 'an employee restocks': 55713, 'employee restocks good': 274153, 'restocks good on': 717041, 'good on empty': 357498, 'on empty shelf': 600551, 'supermarket in petaling': 820960, 'in petaling jaya': 426664, 'petaling jaya on': 653491, 'jaya on march': 464900, '17 2020 after': 4312, '2020 after measure': 14128, 'after measure announced': 35918, 'measure announced by': 525109, 'by the malaysian': 154372, 'the malaysian government': 859960, 'malaysian government to': 511660, 'government to combat': 360705, 'novel coronavirus photo': 573762, 'coronavirus photo syaiful': 206554, 'photo syaiful redzuan': 655249, 'demand won': 236517, 'disappear for': 244035, 'for qsr': 324884, 'qsr and': 691602, 'through curb': 894406, 'apps which': 83334, 'which dent': 985806, 'dent margin': 237074, 'margin from': 515632, 'demand won disappear': 236518, 'won disappear for': 1003785, 'disappear for qsr': 244036, 'for qsr and': 324885, 'qsr and drive': 691603, 'and drive through': 61742, 'drive through curb': 259177, 'through curb side': 894407, 'up is superior': 945228, 'solution to delivery': 782096, 'to delivery apps': 904125, 'delivery apps which': 233707, 'apps which dent': 83335, 'which dent margin': 985807, 'dent margin from': 237075, 'margin from qsr': 515633, 'zuniga': 1027905, 'if recommends': 414719, 'recommends washing': 704855, 'then how': 877252, 'come hand': 187327, 'not hand': 569772, 'soap zuniga': 779197, 'zuniga washyourhands': 1027906, 'if recommends washing': 414720, 'recommends washing your': 704856, 'second then how': 743835, 'then how come': 877253, 'how come hand': 407563, 'come hand sanitizer': 187328, 'shelf and not': 756747, 'and not hand': 67744, 'not hand soap': 569773, 'hand soap zuniga': 375780, 'soap zuniga washyourhands': 779198, 'trip inner': 932095, 'inner voice': 438806, 'voice be': 959979, 'normal be': 567099, 'be logical': 115804, 'logical shop': 500673, 'it 2019': 456192, '2019 rest': 14003, 'dc buy': 228940, 'early morning shopping': 264653, 'morning shopping trip': 541438, 'shopping trip inner': 764251, 'trip inner voice': 932096, 'inner voice be': 438807, 'voice be normal': 959980, 'be normal be': 116121, 'normal be logical': 567100, 'be logical shop': 115805, 'logical shop like': 500674, 'shop like it': 760406, 'like it 2019': 490521, 'it 2019 rest': 456193, '2019 rest of': 14004, 'rest of dc': 716190, 'of dc buy': 582392, 'dc buy all': 228941, 'tiny sanitizer': 898672, 'gel 30': 345082, 'behind these': 124735, 'we showed': 973313, 'our camera': 622307, 'camera part': 157124, 'for tiny sanitizer': 327201, 'tiny sanitizer gel': 898673, 'sanitizer gel 30': 734961, 'gel 30 for': 345083, '30 for toilet': 17055, 'paper here is': 640267, 'what the man': 982338, 'man behind these': 512008, 'behind these price': 124736, 'these price had': 880533, 'to say when': 913853, 'say when we': 739477, 'when we showed': 984466, 'we showed up': 973314, 'with our camera': 999977, 'our camera part': 622308, 'we determine': 971285, 'is immune': 448679, 'can tend': 159927, 'without ppe': 1002850, 'ppe or': 668019, 'once we determine': 605779, 'we determine that': 971286, 'determine that someone': 239442, 'someone is immune': 784531, 'is immune to': 448680, 'immune to he': 417366, 'to he or': 907354, 'or she can': 617037, 'she can be': 755918, 'allowed to return': 46244, 'work this may': 1005857, 'this may mean': 888792, 'mean that nurse': 524684, 'that nurse can': 845432, 'nurse can tend': 577237, 'can tend to': 159928, 'tend to patient': 837880, 'to patient without': 911501, 'patient without ppe': 644318, 'without ppe or': 1002851, 'ppe or grocery': 668020, 'store worker can': 811465, 'worker can go': 1006588, 'to work without': 918807, 'work without fear': 1006053, 'without fear of': 1002644, 'being infected or': 125325, 'infected or spreading': 436610, 'or spreading the': 617190, 'stockupontoiletpaper': 804225, 'loadup': 497351, 'readyaimfire': 700999, 'update stockup': 947224, 'stockup stockupontoiletpaper': 804210, 'stockupontoiletpaper loadup': 804226, 'loadup readyaimfire': 497352, 'readyaimfire staytuned': 701000, 'another update stockup': 77930, 'update stockup stockupontoiletpaper': 947225, 'stockup stockupontoiletpaper loadup': 804211, 'stockupontoiletpaper loadup readyaimfire': 804227, 'loadup readyaimfire staytuned': 497353, 'earnings supermarket': 264931, 'worker taxi': 1007880, 'even risking': 284534, 'or earnings supermarket': 615106, 'earnings supermarket worker': 264932, 'supermarket worker taxi': 824089, 'worker taxi driver': 1007881, 'driver delivery guy': 259505, 'delivery guy are': 234076, 'survive on and': 829209, 'on and even': 599351, 'and even risking': 62344, 'even risking their': 284535, 'hb': 384631, '596': 20593, '2020 ohio': 14471, 'ohio state': 596555, 'state representative': 795893, 'representative thomas': 712917, 'thomas west': 891718, 'west introduced': 980507, 'introduced legislation': 443430, 'legislation hb': 485970, 'hb 596': 384632, '596 which': 20594, 'would halt': 1011855, 'halt all': 374419, 'all debt': 42538, 'state until': 796058, 'until ohio': 943804, 'emergency expires': 272692, '25 2020 ohio': 15812, '2020 ohio state': 14472, 'ohio state representative': 596557, 'state representative thomas': 795894, 'representative thomas west': 712918, 'thomas west introduced': 891719, 'west introduced legislation': 980508, 'introduced legislation hb': 443431, 'legislation hb 596': 485971, 'hb 596 which': 384633, '596 which would': 20595, 'which would halt': 986515, 'would halt all': 1011856, 'halt all debt': 374420, 'all debt collection': 42539, 'debt collection in': 230445, 'collection in the': 186439, 'the state until': 867820, 'state until ohio': 796059, 'until ohio state': 943805, 'ohio state of': 596556, 'of emergency expires': 583034, 'over propose': 630537, 'propose new': 684503, 'new queen': 559385, 'queen honour': 693374, 'honour awarded': 403291, 'awarded to': 105592, 'driver ecommerce': 259523, 'ecommerce warehouse': 266889, 'staff name': 792669, 'the nightingale': 861810, 'nightingale cross': 563157, 'cross thankyou': 219030, 'thankyou nh': 842344, 'over it will': 630345, 'be over propose': 116302, 'over propose new': 630538, 'propose new queen': 684504, 'new queen honour': 559386, 'queen honour awarded': 693375, 'honour awarded to': 403292, 'awarded to all': 105593, 'to all key': 900259, 'key worker emergency': 473480, 'staff carers delivery': 792310, 'delivery driver ecommerce': 233900, 'driver ecommerce warehouse': 259524, 'ecommerce warehouse staff': 266890, 'warehouse staff name': 966773, 'staff name it': 792670, 'it the nightingale': 461562, 'the nightingale cross': 861811, 'nightingale cross thankyou': 563158, 'cross thankyou nh': 219031, 'beerhalls': 122552, 'and beerhalls': 58818, 'beerhalls after': 122553, 'price at club': 672797, 'at club and': 98284, 'club and beerhalls': 184402, 'and beerhalls after': 58819, 'beerhalls after this': 122554, 'after this lockdown': 36407, 'this lockdown it': 888690, 'lockdown it going': 499569, 'be if this': 115353, '19 is our': 8020, 'is our fault': 450619, 'thesamplelandscape': 879559, 'caused led': 167903, 'new work': 559886, 'communication pattern': 189629, 'pattern check': 644455, 'blog installment': 132954, 'sample landscape': 733471, 'landscape to': 479412, 'topic mrx': 925803, 'consumerbehavior communication': 199608, 'communication research': 189636, 'research thesamplelandscape': 713861, 'thesamplelandscape blog': 879560, 'ha caused led': 370085, 'caused led to': 167904, 'led to new': 485290, 'to new work': 910583, 'new work and': 559887, 'work and communication': 1004768, 'and communication pattern': 60164, 'communication pattern check': 189630, 'pattern check out': 644456, 'latest blog installment': 481236, 'blog installment of': 132955, 'of the sample': 591432, 'the sample landscape': 866331, 'sample landscape to': 733472, 'landscape to see': 479413, 'of our research': 587555, 'our research on': 624605, 'research on this': 713803, 'this topic mrx': 890815, 'topic mrx consumerbehavior': 925804, 'mrx consumerbehavior communication': 544470, 'consumerbehavior communication research': 199609, 'communication research thesamplelandscape': 189637, 'research thesamplelandscape blog': 713862, 'are shelterinplace': 90033, 'tell them so': 837102, 'them so when': 876296, 'we are shelterinplace': 970708, 'are shelterinplace so': 90034, 'big name': 129872, 'name franchise': 551631, 'store esque': 807618, 'esque service': 280693, 'many see': 514673, 'see essential': 745079, 'big name franchise': 129873, 'name franchise and': 551632, 'across the shut': 29522, 'the shut their': 867128, 'of this mid': 592005, 'plan to continue': 658277, 'continue it gas': 201054, 'grocery store esque': 365373, 'store esque service': 807619, 'esque service that': 280694, 'that many see': 845029, 'many see essential': 514674, 'see essential even': 745080, 'pay full': 644913, 'having smashing': 384270, 'smashing floor': 775575, 'model sale': 535301, 'to pay full': 911530, 'pay full price': 644914, 'full price this': 340831, 'is your chance': 454139, 'your chance in': 1023179, 'brentwood is having': 139376, 'is having smashing': 448336, 'having smashing floor': 384271, 'smashing floor model': 775576, 'floor model sale': 310826, 'model sale come': 535302, 'sale come sleep': 732131, 'better today saveworkers': 128574, 'rangpuri': 696763, 'mahipalpur': 508514, '7006787781': 21913, 'some labourer': 783175, 'labourer from': 478542, 'from kashmir': 336165, 'kashmir are': 470978, 'are residing': 89623, 'residing at': 714450, 'at rangpuri': 100250, 'rangpuri mahipalpur': 696764, 'mahipalpur delhi': 508515, 'delhi can': 232879, 'contact 7006787781': 199995, 'some labourer from': 783176, 'labourer from kashmir': 478543, 'from kashmir are': 336166, 'kashmir are completely': 470979, 'are completely out': 85470, 'food stock due': 316787, 'they are residing': 881386, 'are residing at': 89624, 'residing at rangpuri': 714451, 'at rangpuri mahipalpur': 100251, 'rangpuri mahipalpur delhi': 696765, 'mahipalpur delhi can': 508516, 'delhi can we': 232880, 'can we help': 160177, 'we help contact': 972011, 'help contact 7006787781': 389527, 'amid oil': 52550, 'supply uncertainty': 826055, 'uncertainty such': 939761, 'to fall demand': 905627, 'fall demand increase': 296890, 'demand increase amid': 235683, 'increase amid oil': 432672, 'amid oil supply': 52551, 'oil supply uncertainty': 597465, 'supply uncertainty such': 826056, 'uncertainty such the': 939762, 'lynkem': 507122, 're busy': 698395, 'busy managing': 144932, 'why lynkem': 991179, 'lynkem is': 507123, 'free setup': 332144, 'setup of': 753732, 'give retailer': 350680, 'retailer chance': 719069, 'selling learn': 749326, 'help shoplocal': 390524, 'shoplocal retail': 761225, 'you re busy': 1020583, 're busy managing': 698396, 'busy managing your': 144933, 'managing your own': 512921, 'your own business': 1025129, 'own business response': 631908, 'business response to': 144323, 'coronavirus that why': 206900, 'that why lynkem': 847540, 'why lynkem is': 991180, 'lynkem is offering': 507124, 'offering free setup': 595124, 'free setup of': 332145, 'setup of an': 753733, 'store to give': 810772, 'to give retailer': 906708, 'give retailer chance': 350681, 'retailer chance to': 719070, 'keep selling learn': 471921, 'selling learn more': 749327, 'to help shoplocal': 907624, 'help shoplocal retail': 390525, 'doxoinsights': 257854, 'doxoinsights ha': 257855, 'bill ha': 130588, 'by sign': 154014, 'american want': 52287, 'cash reserve': 166331, 'reserve read': 714090, 'doxoinsights ha released': 257856, 'released new data': 709062, 'consumer spending for': 199061, 'spending for example': 788814, 'example the use': 288980, 'use of credit': 949403, 'of credit card': 582131, 'pay bill ha': 644783, 'bill ha increased': 130589, 'increased by sign': 433237, 'by sign that': 154015, 'sign that american': 769221, 'that american want': 842632, 'american want to': 52288, 'protect their cash': 684990, 'their cash reserve': 872749, 'cash reserve read': 166332, 'reserve read more': 714091, 'eabl': 263977, 'performer': 651487, 'kes': 473154, 'sibresearch': 768340, 'eabl wa': 263978, 'worst performer': 1011246, 'performer plunging': 651488, 'plunging 13': 661513, '13 to': 3273, 'of kes': 585605, 'kes 159': 473155, '159 25': 4001, '25 investor': 15892, 'investor worried': 444234, 'and disposal': 61481, 'disposal income': 246283, 'pandemic sibresearch': 636468, 'eabl wa among': 263979, 'among the worst': 53079, 'the worst performer': 872068, 'worst performer plunging': 1011247, 'performer plunging 13': 651489, 'plunging 13 to': 661514, '13 to multi': 3274, 'low of kes': 505436, 'of kes 159': 585606, 'kes 159 25': 473156, '159 25 investor': 4002, '25 investor worried': 15893, 'investor worried about': 444235, 'worried about consumer': 1010480, 'behavior and disposal': 123885, 'and disposal income': 61482, 'disposal income in': 246284, 'income in the': 432380, '19 pandemic sibresearch': 9469, 'crips': 216944, 'at but': 98176, 'but joining': 146189, 'the crips': 852334, 'crips at': 216945, 'doing the covid': 252716, '19 supermarket run': 10956, 'supermarket run at': 822269, 'run at but': 727573, 'at but joining': 98177, 'but joining the': 146190, 'joining the crips': 466989, 'the crips at': 852335, 'hotel california': 405126, 'california come': 155478, 'radio sum': 695460, 'feeling lately': 303006, 'lately you': 480997, 'and hotel california': 64766, 'hotel california come': 405127, 'california come on': 155479, 'come on the': 187448, 'the radio sum': 865101, 'radio sum up': 695461, 'sum up my': 817880, 'up my feeling': 945425, 'my feeling lately': 548297, 'feeling lately you': 303007, 'lately you can': 480998, 'check out any': 174537, 'out any time': 625716, 'any time you': 79981, 'time you like': 898407, 'like but you': 489945, 'you can never': 1017732, 'can never leave': 159035, 'coronavirus practical guidance': 206568, 'practical guidance for': 668464, 'cant selfisolate': 162330, 'selfisolate because': 748401, 'child why': 176270, 'everyone selfish': 287356, 'buy certain': 148479, 'cant selfisolate because': 162331, 'selfisolate because have': 748402, 'for my child': 323687, 'my child why': 547681, 'child why because': 176271, 'why because everyone': 990833, 'because everyone selfish': 119050, 'everyone selfish panic': 287357, 'the supermarket bare': 868477, 'supermarket bare we': 819301, 'bare we can': 110979, 'only buy certain': 610201, 'buy certain amount': 148480, 'amount of item': 53231, 'of item at': 585478, 'item at one': 463132, 'one time not': 607259, 'time not scared': 897293, 'scared of scared': 740999, 'scared of humanity': 740997, 'xom': 1013893, 'is maximizing': 449602, 'maximizing production': 520804, 'response including': 715734, 'including isopropyl': 432026, 'alcohol which': 41179, 'release exxonmobil': 708940, 'exxonmobil xom': 293983, 'xom xom': 1013894, 'company is maximizing': 190803, 'is maximizing production': 449603, 'maximizing production of': 520805, 'production of product': 682151, 'of product critical': 588487, 'the global response': 856321, 'global response including': 352174, 'response including isopropyl': 715735, 'including isopropyl alcohol': 432027, 'isopropyl alcohol which': 455564, 'alcohol which is': 41180, 'which is used': 986060, 'is used to': 453618, 'used to manufacture': 950069, 'hand sanitizer news': 375501, 'sanitizer news release': 735407, 'news release exxonmobil': 560746, 'release exxonmobil xom': 708941, 'exxonmobil xom xom': 293984, 'stay classy': 796824, 'classy with': 180396, 'your sponsored': 1025889, 'sponsored spam': 789842, 'spam business': 787380, 'business selling': 144358, 'stay classy with': 796826, 'classy with your': 180397, 'with your sponsored': 1002235, 'your sponsored spam': 1025890, 'sponsored spam business': 789843, 'spam business selling': 787381, 'business selling toilet': 144359, 'turning small': 935951, 'loan into': 497464, 'into grant': 442600, 'another subsidization': 77879, 'subsidization of': 815988, 'workforce keep': 1008373, 'demand production': 236090, 'production service': 682207, 'service fall': 752357, 'fall quick': 297033, 'quick bounce': 694281, 'happen economics': 377075, 'turning small business': 935952, 'business loan into': 144010, 'loan into grant': 497465, 'into grant to': 442601, 'grant to keep': 362055, 'keep their workforce': 472100, 'their workforce during': 875227, 'crisis is another': 217560, 'is another subsidization': 445743, 'another subsidization of': 77880, 'subsidization of the': 815989, 'the workforce keep': 871775, 'workforce keep price': 1008374, 'keep price increasing': 471814, 'price increasing while': 674806, 'increasing while demand': 433743, 'while demand production': 986746, 'demand production service': 236091, 'production service fall': 682208, 'service fall quick': 752358, 'fall quick bounce': 297034, 'quick bounce back': 694282, 'back will not': 107472, 'not happen economics': 569786, 'happen economics finance': 377076, 'change is not': 172153, 'currently trying': 221696, 'pain are': 634219, 'or anxiety': 614334, 'anxiety from': 78704, 'people yelling': 650559, 'thing totally': 884919, 'my control': 547798, 'store currently trying': 807242, 'currently trying to': 221697, 'out if my': 626359, 'if my chest': 414432, 'my chest pain': 547674, 'chest pain are': 175569, 'pain are from': 634220, 'are from or': 86692, 'from or anxiety': 336712, 'or anxiety from': 614335, 'anxiety from people': 78705, 'from people yelling': 336898, 'people yelling at': 650560, 'yelling at me': 1015249, 'at me about': 99698, 'me about thing': 522349, 'about thing totally': 26624, 'thing totally out': 884920, 'of my control': 586748, 'ballet': 109087, 'nutcracker': 577682, 'houston ballet': 407186, 'ballet spring': 109088, 'spring nutcracker': 791228, 'nutcracker market': 577683, 'market scheduled': 517033, 'begin april': 123502, 'april 17': 83429, '17 at': 4340, 'at nrg': 99924, 'nrg center': 576633, 'the houston ballet': 857666, 'houston ballet spring': 407187, 'ballet spring nutcracker': 109089, 'spring nutcracker market': 791229, 'nutcracker market scheduled': 577684, 'market scheduled to': 517034, 'scheduled to begin': 741520, 'to begin april': 901709, 'begin april 17': 123503, 'april 17 at': 83430, '17 at nrg': 4341, 'at nrg center': 99925, 'nrg center ha': 576634, 'center ha been': 169221, 'been canceled because': 120779, 'of coronavirus concern': 581925, 'scratchy': 742630, 'combat stockpiling': 187039, 'stockpiling backtobasics': 803915, 'backtobasics tough': 107595, 'tough scratchy': 926835, 'scratchy it': 742631, 'double tracing': 256081, 'tracing paper': 928154, 'how to combat': 408994, 'to combat stockpiling': 903006, 'combat stockpiling backtobasics': 187040, 'stockpiling backtobasics tough': 803916, 'backtobasics tough scratchy': 107596, 'tough scratchy it': 926836, 'scratchy it double': 742632, 'it double tracing': 457686, 'double tracing paper': 256082, 'tracing paper toiletpaper': 928155, 'don own': 253789, 'own freezer': 632010, 'freezer so': 332631, 'am kind': 50167, 'restricted in': 717145, 'but pretty': 146837, 'much most': 545133, 'taken anyway': 832949, 'anyway at': 80983, 'least managed': 484542, 'some cat': 782500, 'stopstockpiling xx': 805890, 'don own freezer': 253790, 'own freezer so': 632011, 'freezer so am': 332632, 'so am kind': 776490, 'am kind of': 50168, 'kind of restricted': 474933, 'of restricted in': 589033, 'restricted in what': 717146, 'in what can': 430832, 'can buy from': 157822, 'buy from shop': 148720, 'from shop but': 337262, 'shop but pretty': 760001, 'but pretty much': 146838, 'pretty much most': 671458, 'much most thing': 545134, 'most thing can': 542811, 'thing can buy': 884220, 'can buy have': 157824, 'buy have been': 148777, 'been taken anyway': 122127, 'taken anyway at': 832950, 'anyway at least': 80984, 'at least managed': 99518, 'least managed to': 484543, 'get some cat': 348047, 'some cat food': 782501, 'cat food coronacrisis': 166863, 'food coronacrisis stophoarding': 314024, 'stophoarding stopstockpiling xx': 805497, 'mutation': 547059, 'prediction the': 669673, 'sudden overuse': 817026, 'to bacterial': 900981, 'bacterial resistant': 107727, 'resistant mutation': 714595, 'mutation leading': 547060, 'worse bacterial': 1010874, 'bacterial pandemic': 107725, 'with vaccine': 1001947, 'vaccine because': 951665, 'it bacteria': 456682, 'bacteria how': 107679, 'how likely': 408170, 'prediction the sudden': 669674, 'the sudden overuse': 868387, 'sudden overuse of': 817027, 'overuse of antibacterial': 631670, 'antibacterial hand sanitizer': 78363, 'sanitizer will lead': 736105, 'lead to bacterial': 483325, 'to bacterial resistant': 900982, 'bacterial resistant mutation': 107728, 'resistant mutation leading': 714596, 'mutation leading to': 547061, 'an even worse': 55872, 'even worse bacterial': 284822, 'worse bacterial pandemic': 1010875, 'bacterial pandemic that': 107726, 'pandemic that won': 636659, 'treated with vaccine': 930980, 'with vaccine because': 1001948, 'vaccine because it': 951666, 'because it bacteria': 119175, 'it bacteria how': 456683, 'bacteria how likely': 107680, 'how likely is': 408171, 'likely is this': 492036, 'are direct': 85827, 'consumer golf': 197592, 'golf equipment': 356130, 'equipment company': 279710, 'company adapting': 190353, 'how are direct': 407397, 'are direct to': 85828, 'to consumer golf': 903304, 'consumer golf equipment': 197593, 'golf equipment company': 356131, 'equipment company adapting': 279711, 'company adapting to': 190354, 'hoarding an': 399172, 'an innate': 56349, 'innate response': 438786, 'paper hoarding an': 640280, 'hoarding an innate': 399173, 'an innate response': 56350, 'innate response for': 438787, 'response for coping': 715689, 'for coping with': 320357, 'with the anxiety': 1001204, 'anxiety of this': 78762, 'of this trump': 592059, 'this trump toiletpaper': 890869, 'cough spreading': 208565, 'discovered how': 244687, 'person walk': 652695, 'cvirus cough spreading': 223876, 'cough spreading across': 208566, 'spreading across supermarket': 790913, 'supermarket scientist have': 822343, 'scientist have created': 742231, 'have created computer': 380157, 'indoors and discovered': 435377, 'and discovered how': 61418, 'discovered how cloud': 244688, 'sick person walk': 768589, 'person walk away': 652696, 'friday announced': 333198, 'new step': 559654, 'expediting review': 291140, 'product related': 681573, 'good industry on': 357260, 'industry on friday': 436026, 'on friday announced': 600998, 'friday announced new': 333199, 'announced new step': 77005, 'new step for': 559655, 'step for expediting': 799539, 'for expediting review': 321325, 'expediting review of': 291141, 'review of product': 720578, 'of product related': 588493, 'product related to': 681574, 'start suppose': 794529, 'suppose this': 827320, 'out cc': 625840, 'price could collapse': 673276, 'could collapse by': 209024, 'collapse by 20': 185974, 'by 20 due': 151569, 'due to well': 262022, 'to well it': 918490, 'well it start': 978344, 'it start suppose': 461220, 'start suppose this': 794530, 'suppose this need': 827321, 'this need sorting': 889100, 'need sorting out': 555622, 'sorting out cc': 786187, 'maryse': 518225, 'zeidler': 1027344, 'option maryse': 614068, 'maryse zeidler': 518226, 'zeidler canada': 1027345, 'canada british': 160378, 'columbia march': 186878, 'related demand some': 708419, 'demand some customer': 236255, 'some customer report': 782650, 'ass option maryse': 96267, 'option maryse zeidler': 614069, 'maryse zeidler canada': 518227, 'zeidler canada british': 1027346, 'canada british columbia': 160379, 'british columbia march': 140502, 'columbia march 16': 186879, 'next excellent': 561358, 'for what come': 327794, 'what come next': 981230, 'come next excellent': 187419, 'next excellent idea': 561359, 'hazleton pa': 384610, 'after 130': 35273, 'in hazleton pa': 423586, 'hazleton pa that': 384611, 'pa that package': 632891, 'pennsylvania ha shut': 646570, 'shut down after': 767797, 'down after 130': 256444, 'after 130 hourly': 35274, 'hourly worker tested': 406150, 'is alex': 445444, 'alex and': 41570, 'maryland making': 518210, 'covid promise': 214211, 'sure support': 827684, 'name is alex': 551639, 'is alex and': 445445, 'alex and consumer': 41571, 'consumer in maryland': 197828, 'in maryland making': 425162, 'maryland making the': 518211, 'the covid promise': 852238, 'covid promise to': 214212, 'promise to take': 683705, 'take my family': 832351, 'my family out': 548218, 'eat three time': 266086, 'three time week': 894081, 'time week to': 898252, 'week to make': 977087, 'make sure support': 510528, 'sure support my': 827685, 'my local business': 549101, 'taking quick': 833538, 'quick action': 694268, 'gouging today': 359485, 'we issued': 972091, 'issued more': 456074, '40 subpoena': 18666, 'subpoena to': 815837, 'party vendor': 643055, 'vendor jacking': 954389, 'commodity covered': 189155, 'covered under': 212442, 'product increased': 681307, 'over 160': 629792, 'are taking quick': 90732, 'taking quick action': 833539, 'quick action to': 694269, 'to stop price': 915557, 'price gouging today': 674336, 'gouging today we': 359486, 'today we issued': 920475, 'we issued more': 972093, 'issued more than': 456075, 'than 40 subpoena': 840243, '40 subpoena to': 18667, 'subpoena to 3rd': 815838, '3rd party vendor': 18443, 'party vendor jacking': 643056, 'vendor jacking up': 954390, 'essential commodity covered': 280918, 'commodity covered under': 189156, 'covered under the': 212443, 'of emergency the': 583059, 'emergency the price': 273019, 'some product increased': 783648, 'product increased over': 681308, 'increased over 160': 433395, 'biometrics': 131241, 'assert': 96357, 'lawenforcementtech': 482469, 'cannot trump': 162192, 'using biometrics': 950408, 'biometrics to': 131242, 'to assert': 900774, 'assert identity': 96358, 'identity government': 413403, 'government use': 360764, 'use lawenforcementtech': 949329, 'lawenforcementtech must': 482470, 'transparent but': 929839, 'trend set': 931441, 'even the cannot': 284649, 'the cannot trump': 850346, 'cannot trump the': 162193, 'trump the convenience': 933912, 'convenience of using': 202332, 'of using biometrics': 592717, 'using biometrics to': 950409, 'biometrics to assert': 131243, 'to assert identity': 900775, 'assert identity government': 96359, 'identity government use': 413404, 'government use lawenforcementtech': 360765, 'use lawenforcementtech must': 949330, 'lawenforcementtech must be': 482471, 'must be transparent': 546554, 'be transparent but': 117794, 'transparent but should': 929840, 'but should follow': 147046, 'should follow the': 766007, 'follow the trend': 312548, 'the trend set': 869967, 'trend set by': 931442, 'set by consumer': 753361, 'by consumer market': 152188, 'stopped online': 805728, 'best shopping': 127899, 'those college': 891879, 'student budget': 814657, '19 hasn stopped': 7443, 'hasn stopped online': 378789, 'stopped online shopping': 805729, 'the best shopping': 849551, 'best shopping website': 127900, 'shopping website for': 764358, 'website for those': 975278, 'for those college': 327103, 'those college student': 891880, 'college student budget': 186652, 'corker': 203548, 'doe drive': 251379, 'drive me': 259095, 'wall report': 965170, 'gouging where': 359496, 'where rogue': 985152, 'rogue business': 725027, 'business seek': 144356, 'one corker': 606103, 'corker an': 203549, 'already opened': 47542, 'opened box': 612711, 'glove offered': 352814, 'at 80': 97759, 'this really doe': 889819, 'really doe drive': 702132, 'doe drive me': 251380, 'drive me up': 259096, 'me up the': 523863, 'up the wall': 946226, 'the wall report': 871047, 'wall report of': 965171, 'price gouging where': 674342, 'gouging where rogue': 359497, 'where rogue business': 985153, 'rogue business seek': 725028, 'business seek to': 144357, 'of by jacking': 581025, 'up price one': 945828, 'price one corker': 675743, 'one corker an': 606104, 'corker an already': 203550, 'an already opened': 55254, 'already opened box': 47543, 'opened box of': 612712, 'box of disposable': 137115, 'of disposable glove': 582702, 'disposable glove offered': 246247, 'glove offered at': 352815, 'offered at 80': 594907, 'pa folk': 632852, 'folk doe': 312143, 'if shelter': 414786, 'order mean': 618384, 'store heard': 808129, 'be issuing': 115558, 'issuing that': 456135, 'heard conflicting': 388069, 'conflicting thing': 194271, 'about sip': 26200, 'sip going': 771523, 'pa folk doe': 632853, 'folk doe anyone': 312144, 'anyone know if': 80402, 'know if shelter': 476480, 'if shelter in': 414787, 'place order mean': 657638, 'order mean you': 618385, 'mean you cannot': 524785, 'grocery store heard': 365458, 'store heard that': 808130, 'heard that will': 388147, 'will be issuing': 992521, 'be issuing that': 115559, 'issuing that tomorrow': 456136, 'that tomorrow and': 847086, 'tomorrow and heard': 924024, 'and heard conflicting': 64410, 'heard conflicting thing': 388070, 'conflicting thing about': 194272, 'thing about sip': 884091, 'about sip going': 26201, 'sip going to': 771524, 'get under': 348554, 'been soo': 122008, 'soo many': 785585, 'this shit get': 890080, 'shit get under': 759106, 'get under control': 348555, 'worker it ha': 1007247, 'ha been soo': 369928, 'been soo many': 122009, 'soo many people': 785586, 'in these grocery': 429845, 'store panic buying': 809457, 'roundup by': 726414, 'today roundup by': 920123, 'roundup by when': 726415, 'by when home': 154728, 'expecting big': 291030, 'big announcement': 129617, 'announcement tomorrow': 77219, 'for bangkok': 319570, 'bangkok stay': 109495, 'tuned everybody': 935430, 'everybody this': 286494, 'get normal': 347671, 'normal soon': 567330, 'we are expecting': 970551, 'are expecting big': 86327, 'expecting big announcement': 291031, 'big announcement tomorrow': 129618, 'announcement tomorrow for': 77220, 'tomorrow for bangkok': 924083, 'for bangkok stay': 319571, 'bangkok stay tuned': 109496, 'stay tuned everybody': 797362, 'tuned everybody this': 935431, 'everybody this is': 286495, 'food supply that': 317004, 'supply that will': 825957, 'least for week': 484472, 'week let hope': 976483, 'let hope thing': 486809, 'hope thing will': 403713, 'will get normal': 993514, 'get normal soon': 347672, 'lidls': 488318, 'having seen': 384259, 'seen lidls': 747117, 'lidls today': 488319, 'say send': 739119, 'army in': 93014, 'in put': 427142, 'have anywhere': 379336, 'roll bleach': 725220, 'bleach will': 132528, 'their sofa': 874750, 'sofa stoppanicbuying': 781448, 'having seen lidls': 384260, 'seen lidls today': 747118, 'lidls today and': 488320, 'today and never': 919221, 'and never thought': 67541, 'thought would say': 893328, 'would say this': 1012218, 'say this say': 739371, 'this say send': 889972, 'say send the': 739120, 'send the army': 749961, 'the army in': 848906, 'army in put': 93015, 'in put them': 427143, 'them in charge': 875896, 'charge of supply': 173294, 'of supply some': 590499, 'supply some of': 825877, 'these people cannot': 880429, 'people cannot have': 647433, 'cannot have anywhere': 161947, 'have anywhere to': 379337, 'anywhere to sit': 81160, 'sit in their': 771829, 'their home now': 873568, 'home now the': 401688, 'now the loo': 576049, 'loo roll bleach': 502170, 'roll bleach will': 725221, 'bleach will be': 132529, 'will be filling': 992461, 'be filling up': 114843, 'up their sofa': 946251, 'their sofa stoppanicbuying': 874751, 'police matter': 663088, 'matter ffs': 520561, 'ffs look': 304311, 'hungry panicbuying': 411291, 'it police matter': 460372, 'police matter ffs': 663089, 'matter ffs look': 520562, 'ffs look the': 304312, 'look the virus': 502613, 'virus is being': 958364, 'being spread and': 125845, 'are hungry panicbuying': 87275, 'hungry panicbuying stoppanicbuying': 411292, 'bother getting': 136115, 'getting basket': 348863, 'bit over': 131673, 'over ambitious': 629967, 'even bother getting': 283905, 'bother getting basket': 136116, 'getting basket when': 348864, 'basket when go': 112421, 'when go in': 983475, 'supermarket now it': 821668, 'now it bit': 575109, 'it bit over': 456880, 'bit over ambitious': 131674, 'reseller': 713971, 'thing abt': 884102, 'abt economiccrisis': 27528, 'economiccrisis is': 267408, 'who follows': 988751, 'follows many': 312956, 'ebay price': 266480, 'collapse on': 186047, 'on used': 604999, 'used item': 949958, 'item partially': 463548, 'partially seller': 642532, 'in denial': 422177, 'reality 1st': 701684, '1st local': 12762, 'local bankruptcy': 497723, 'bankruptcy already': 110503, 'happened apple': 377222, 'apple reseller': 82357, 'reseller price': 713972, 'drop faster': 260195, 'than stock': 841171, 'good thing abt': 357841, 'thing abt economiccrisis': 884103, 'abt economiccrisis is': 27529, 'economiccrisis is someone': 267409, 'is someone who': 452102, 'someone who follows': 784757, 'who follows many': 988752, 'follows many item': 312957, 'item on ebay': 463501, 'on ebay price': 600494, 'ebay price have': 266481, 'price have yet': 674470, 'yet to collapse': 1016286, 'to collapse on': 902956, 'collapse on used': 186048, 'on used item': 605000, 'used item partially': 949960, 'item partially seller': 463549, 'partially seller are': 642533, 'seller are living': 748977, 'living in denial': 496368, 'in denial of': 422178, 'denial of reality': 236943, 'of reality 1st': 588796, 'reality 1st local': 701685, '1st local bankruptcy': 12763, 'local bankruptcy already': 497724, 'bankruptcy already happened': 110504, 'already happened apple': 47407, 'happened apple reseller': 377223, 'apple reseller price': 82358, 'reseller price will': 713973, 'will drop faster': 993263, 'drop faster than': 260196, 'faster than stock': 300127, 'shop shop': 760771, 'online ppl': 608779, 'or off': 616348, 'dont go to': 255224, 'the shop shop': 867024, 'shop shop online': 760772, 'shop online ppl': 760581, 'online ppl are': 608780, 'ppl are out': 668173, 'shopping with full': 764433, 'with full on': 998582, 'full on if': 340774, 'you must use': 1019935, 'use the local': 949677, 'the local corner': 859540, 'corner shop or': 203673, 'shop or off': 760616, 'or off licence': 616349, 'sanitizers or': 736364, 'will punish': 994530, 'punish you': 689223, '19 to raise': 11449, 'and sanitizers or': 70902, 'sanitizers or food': 736365, 'are an enemy': 84535, 'an enemy of': 55743, 'of humanity and': 584881, 'humanity and god': 410702, 'and god will': 63795, 'god will punish': 354840, 'will punish you': 994531, 'punish you after': 689224, 'you after this': 1016843, 'share viral': 755333, 'viral post': 957620, 'is misleading': 449666, 'misleading to': 534109, 'to mother': 910286, 'please share viral': 660498, 'share viral post': 755334, 'viral post on': 957621, 'medium is misleading': 527154, 'is misleading to': 449667, 'misleading to mother': 534110, 'to mother in': 910287, 'mother in need': 543122, 'those offering': 892276, 'offering vaccine': 595317, 'virus none': 958531, 'least year': 484704, 'year until': 1015067, 'until any': 943685, 'vaccine can': 951671, 'and approved': 58276, 'approved update': 83206, 'ftc scammer': 339447, 'headline by': 385991, 'beware of those': 129097, 'of those offering': 592105, 'those offering vaccine': 892277, 'offering vaccine for': 595318, 'the virus none': 870865, 'virus none have': 958532, 'none have been': 566568, 'have been developed': 379509, 'been developed yet': 120970, 'developed yet it': 239749, 'yet it will': 1016119, 'at least year': 99568, 'least year until': 484706, 'year until any': 1015068, 'until any vaccine': 943686, 'any vaccine can': 80007, 'vaccine can be': 951672, 'be tested and': 117554, 'tested and approved': 839262, 'and approved update': 58277, 'approved update from': 83207, 'the ftc scammer': 855940, 'ftc scammer follow': 339448, 'the headline by': 857171, 'explained how': 292155, 'fallout pushed': 297393, 'pushed opec': 690376, 'opec towards': 611981, 'towards historic': 927209, 'deal via': 229516, 'explained how covid': 292156, '19 fallout pushed': 6934, 'fallout pushed opec': 297394, 'pushed opec towards': 690377, 'opec towards historic': 611982, 'towards historic oil': 927210, 'oil deal via': 596732, 'uk 25': 938146, '25 you': 16001, 'send that': 749958, 'force trump': 328538, 'trump don': 933529, 'care lol': 164051, 'lol he': 500910, 'he more': 385237, 'on reopening': 603148, 'that slowing': 846339, 'slowing exponential': 774543, 'exponential growth': 292579, 'growth went': 367477, 'wa foot': 962152, 'uk 25 you': 938147, '25 you should': 16002, 'you should send': 1021220, 'should send that': 766457, 'send that to': 749959, 'to the task': 917116, 'task force trump': 834703, 'force trump don': 328539, 'trump don care': 933530, 'don care lol': 253423, 'care lol he': 164052, 'lol he more': 500911, 'he more focused': 385238, 'focused on reopening': 311964, 'on reopening the': 603149, 'economy that slowing': 268269, 'that slowing exponential': 846340, 'slowing exponential growth': 774544, 'exponential growth went': 292580, 'growth went to': 367478, 'store today nobody': 810859, 'today nobody wa': 919939, 'nobody wa foot': 566075, 'wa foot apart': 962153, 'stayathome that': 797680, 'mean everyone': 524416, 'household must': 406883, 'no walk': 565848, 'or trip': 617534, 'more guidance': 539380, 'your household is': 1024432, 'household is showing': 406853, 'is showing symptom': 451897, 'showing symptom that': 767513, 'may be then': 521041, 'be then you': 117672, 'must all stayathome': 546469, 'all stayathome that': 44449, 'stayathome that mean': 797681, 'that mean everyone': 845107, 'mean everyone in': 524417, 'in the household': 429275, 'the household must': 857657, 'household must isolate': 406884, 'must isolate with': 546740, 'isolate with no': 454951, 'with no walk': 999798, 'no walk or': 565849, 'walk or trip': 964853, 'or trip to': 617535, 'for more guidance': 323575, 'this pulled': 889759, 'pulled pork': 688924, 'pork will': 664829, 'can suck': 159842, 'suck up': 816943, 'up lil': 945319, 'lil covid': 492216, '19 honestly': 7569, 'honestly can': 403094, 'make pp': 510344, 'pp the': 667879, 'way really': 969834, 'with bbq': 997379, 'bbq sauce': 113194, 'from ca': 334789, 'ca grocery': 154882, 'this pulled pork': 889760, 'pulled pork will': 688925, 'pork will be': 664830, 'be to die': 117728, 'to die for': 904271, 'die for so': 241334, 'for so don': 325695, 'so don see': 776910, 'don see why': 253897, 'why they can': 991452, 'they can suck': 881682, 'can suck up': 159843, 'suck up lil': 816944, 'up lil covid': 945320, 'lil covid 19': 492217, 'covid 19 honestly': 213217, '19 honestly can': 7570, 'honestly can make': 403095, 'can make pp': 158945, 'make pp the': 510345, 'pp the way': 667880, 'the way really': 871178, 'way really want': 969835, 'really want it': 702698, 'want it with': 965837, 'it with bbq': 462466, 'with bbq sauce': 997380, 'bbq sauce from': 113195, 'sauce from ca': 737147, 'from ca grocery': 334790, 'ca grocery store': 154883, 'low through': 505687, 'through 2020': 894289, '2020 moody': 14452, 'moody moody': 538310, 'moody oilprice': 538312, 'to remain low': 913164, 'remain low through': 709782, 'low through 2020': 505688, 'through 2020 moody': 894290, '2020 moody moody': 14453, 'moody moody oilprice': 538311, 'moody oilprice oott': 538313, 'say india': 738800, 'lockdown from': 499410, 'just in prime': 469044, 'in prime minister': 426993, 'prime minister narendra': 678150, 'modi say india': 535482, 'say india will': 738801, 'india will go': 434694, 'go under complete': 354409, 'complete lockdown from': 192114, 'lockdown from wednesday': 499411, 'coveryourcough': 212518, 'lifetime would': 489413, 'bravery coveryourcough': 138273, 'coveryourcough allinthistogether': 212519, 'not sure that': 571846, 'sure that ever': 827693, 'that ever in': 843749, 'ever in my': 285365, 'my lifetime would': 549057, 'lifetime would have': 489414, 'have thought of': 383122, 'and bravery coveryourcough': 59160, 'bravery coveryourcough allinthistogether': 138274, 'mask local': 518920, 'business creating': 143593, 'creating mask': 216026, 'sale mask': 732352, 'mask local small': 518921, 'small business creating': 774849, 'business creating mask': 143594, 'creating mask and': 216027, 'other supply for': 621038, 'for sale mask': 325320, 'sale mask facemask': 732353, 'mask facemask toiletpaper': 518642, 'foodinstitutefocus': 317988, 'coronavirus watch': 207046, 'watch online': 968491, 'coronavirus increase': 206127, 'the foodinstitutefocus': 855634, 'foodinstitutefocus foodinstitute': 317989, 'foodinstitute food': 317984, 'food foodindustry': 314492, 'foodindustry delivery': 317973, 'delivery fooddelivery': 234012, 'coronavirus watch online': 207047, 'watch online shopping': 968492, 'delivery are expected': 233715, 'expected to surge': 291007, 'surge case of': 828138, 'of coronavirus increase': 581946, 'coronavirus increase in': 206128, 'in the foodinstitutefocus': 429209, 'the foodinstitutefocus foodinstitute': 855635, 'foodinstitutefocus foodinstitute food': 317990, 'foodinstitute food foodindustry': 317985, 'food foodindustry delivery': 314494, 'foodindustry delivery fooddelivery': 317974, 'been nowhere': 121579, 'nowhere but': 576551, 'home cornoravirus': 400933, 'cornoravirus coronaalert': 203734, 'quarantine coronalockdown': 692101, 'coronalockdown socialdistanacing': 205043, 'socialdistanacing physicaldistancing': 780087, 'fuck home my': 339572, 'mom work at': 535851, 'she been nowhere': 755884, 'been nowhere but': 121580, 'nowhere but work': 576552, 'but work and': 147923, 'work and home': 1004782, 'and home cornoravirus': 64678, 'home cornoravirus coronaalert': 400934, 'cornoravirus coronaalert coronaoutbreak': 203735, 'coronaalert coronaoutbreak 19': 204423, 'coronaoutbreak 19 lockdown': 205104, 'lockdown quarantine coronalockdown': 499823, 'quarantine coronalockdown socialdistanacing': 692102, 'coronalockdown socialdistanacing physicaldistancing': 205044, 'terminating': 838378, 'deadly march': 229277, 'march around': 515283, 'china shuttering': 176943, 'shuttering economic': 768227, 'it wake': 462229, 'wake oil': 964612, 'price began': 672883, 'the putin': 864934, 'putin team': 691056, 'team decided': 835621, 'dice by': 240439, 'by terminating': 154233, 'terminating the': 838379, 'plus arrangement': 661565, '19 virus began': 11786, 'began it deadly': 123398, 'it deadly march': 457481, 'deadly march around': 229278, 'march around the': 515284, 'world from china': 1009571, 'from china shuttering': 334867, 'china shuttering economic': 176944, 'shuttering economic activity': 768228, 'in it wake': 424281, 'it wake oil': 462230, 'wake oil price': 964613, 'oil price began': 597059, 'price began to': 672884, 'began to decline': 123445, 'to decline the': 904018, 'decline the putin': 231405, 'the putin team': 864935, 'putin team decided': 691057, 'team decided to': 835622, 'decided to roll': 230931, 'to roll the': 913630, 'roll the dice': 725536, 'the dice by': 853241, 'dice by terminating': 240440, 'by terminating the': 154234, 'terminating the opec': 838380, 'opec plus arrangement': 611938, 'wa woman': 963717, 'woman following': 1003484, 'produce dept': 680238, 'dept in': 237738, 'like wtf': 491845, 'wtf once': 1013308, 'got away': 358422, 'her watched': 392509, 'watched her': 968660, 'her lurking': 392181, 'lurking around': 506840, 'around getting': 93304, 'there wa woman': 879280, 'wa woman following': 963718, 'woman following me': 1003485, 'following me around': 312790, 'me around the': 522450, 'around the produce': 93552, 'the produce dept': 864569, 'produce dept in': 680239, 'dept in the': 237739, 'supermarket in february': 820897, 'february wa like': 301750, 'wa like wtf': 962553, 'like wtf once': 491846, 'wtf once got': 1013309, 'once got away': 605641, 'got away from': 358423, 'away from her': 105888, 'from her watched': 335771, 'her watched her': 392510, 'watched her lurking': 968661, 'her lurking around': 392182, 'lurking around getting': 506841, 'around getting close': 93305, 'to people told': 911642, 'people told my': 649982, 'told my husband': 923637, 'husband wa worried': 411780, 'wa worried she': 963740, 'worried she wa': 1010576, 'she wa trying': 756432, 'spread the he': 790824, 'the he thought': 857159, 'he thought wa': 385525, 'thought wa crazy': 893291, 'apeshit': 81444, 'many even': 514043, 'big account': 129611, 'account going': 28685, 'absolutely apeshit': 27315, 'apeshit about': 81445, 'let yourself': 487223, 'yourself be': 1026543, 'be defined': 114379, 'defined by': 232281, 'easy engagement': 265695, 'engagement but': 276894, 'stay your': 797411, 'your course': 1023363, 'so many even': 777657, 'many even big': 514044, 'even big account': 283888, 'big account going': 129612, 'account going absolutely': 28686, 'going absolutely apeshit': 354994, 'absolutely apeshit about': 27316, 'apeshit about this': 81446, 'this virus do': 891005, 'not let yourself': 570379, 'let yourself be': 487224, 'yourself be defined': 1026544, 'be defined by': 114380, 'defined by the': 232282, 'by the negativity': 154384, 'negativity of life': 556870, 'of life know': 585828, 'life know it': 488835, 'it easy engagement': 457742, 'easy engagement but': 265696, 'engagement but stay': 276895, 'but stay your': 147149, 'stay your course': 797413, 'doyourpartco': 257862, 'help especially': 389649, 'now empty': 574599, 'affecting one': 34537, 'colorado there': 186818, 'end doyourpartco': 275809, 'bit help especially': 131580, 'help especially now': 389650, 'especially now empty': 280559, 'now empty store': 574600, 'shelf are affecting': 756785, 'are affecting one': 84256, 'affecting one food': 34538, 'bank in colorado': 109916, 'in colorado there': 421570, 'colorado there link': 186819, 'there link to': 878709, 'link to donate': 493926, 'donate at the': 254162, 'the end doyourpartco': 854298, 'disinfectant 41oz': 245593, '41oz pack': 18893, 'sanitizer disinfectant 41oz': 734748, 'disinfectant 41oz pack': 245594, '41oz pack of': 18894, 'pack of lot': 633104, 'fact that everyone': 295796, 'that everyone think': 843772, 'is hoarding you': 448511, 'hoarding you re': 399678, 'probably the one': 679402, 'who is stop': 989116, 'is stop just': 452346, 'by ridiculous': 153816, 'to capitalise': 902444, 'item be': 463148, 'yourselves customer': 1026789, 'shop elsewhere': 760129, 'elsewhere 19': 272008, 'increasing price by': 433668, 'price by ridiculous': 673034, 'by ridiculous amount': 153817, 'ridiculous amount to': 721513, 'amount to capitalise': 53291, 'to capitalise on': 902445, 'capitalise on the': 162705, 'the fact people': 854831, 'fact people are': 295775, 'people are short': 647078, 'short on item': 764665, 'on item be': 601704, 'item be ashamed': 463149, 'of yourselves customer': 593553, 'yourselves customer will': 1026790, 'customer will remember': 223094, 'remember this and': 710344, 'is over don': 450695, 'over don be': 630154, 'when people shop': 983867, 'people shop elsewhere': 649425, 'shop elsewhere 19': 760130, 'quarter gdp': 693243, 'gdp could': 344872, 'plunge 10': 661404, '10 economist': 1411, 'economist warns': 267588, 'warns by': 967252, 'second quarter gdp': 743799, 'quarter gdp could': 693244, 'gdp could plunge': 344873, 'could plunge 10': 209509, 'plunge 10 economist': 661405, '10 economist warns': 1412, 'economist warns by': 267589, 'driven stockpiling': 259362, 'stockpiling showing': 804065, 'today supplychain': 920237, 'supplychain strategy': 826233, 'is up 25': 453567, 'up 25 in': 944141, 'good sector due': 357702, 'to driven stockpiling': 904753, 'driven stockpiling showing': 259363, 'stockpiling showing the': 804066, 'showing the gap': 767524, 'the gap in': 856138, 'gap in today': 343448, 'in today supplychain': 430166, 'today supplychain strategy': 920238, 'pre covid19': 669157, 'covid19 would': 214403, 'wife post': 991958, 'post covid19': 666079, 'covid19 bring': 214274, 'pre covid19 would': 669158, 'covid19 would bring': 214404, 'would bring my': 1011696, 'bring my wife': 140030, 'my wife post': 550596, 'wife post covid19': 991959, 'post covid19 bring': 666080, 'covid19 bring her': 214275, 'bring her 19': 139983, 'her 19 toiletpaper': 391810, 'frontline while': 338854, 'thank those people': 841673, 'people working on': 650519, 'the frontline while': 855891, 'frontline while many': 338855, 'many of work': 514403, 'from home healthcare': 335869, 'home healthcare worker': 401359, 'store delivery people': 807291, 'delivery people pharmacy': 234320, 'people pharmacy and': 649105, 'pharmacy and many': 654217, 'oigetit': 596579, 'crisis oigetit': 217798, 'oigetit wefilterfakenews': 596580, 'breaking the co': 139059, 'the crisis oigetit': 852419, 'crisis oigetit wefilterfakenews': 217799, 'cps': 214648, 'donate mask': 254199, 'local cps': 497871, 'cps office': 214649, 'office essentialworkers': 595411, 'essentialworkers in': 281955, 'able to donate': 24473, 'to donate mask': 904650, 'donate mask hand': 254200, 'sanitizer etc please': 734829, 'etc please keep': 282707, 'please keep your': 660159, 'keep your local': 472275, 'your local cps': 1024691, 'local cps office': 497872, 'cps office essentialworkers': 214650, 'office essentialworkers in': 595412, 'essentialworkers in mind': 281956, 'season here': 743399, 'store keep yourself': 808646, '19 season here': 10377, 'season here is': 743401, 'on couple': 600141, 'ok not': 597842, 'asking every': 95969, 'up on couple': 945542, 'on couple week': 600142, 'couple week of': 211706, 'food but you': 313840, 'know what not': 476968, 'what not ok': 981945, 'not ok not': 570736, 'ok not asking': 597843, 'not asking every': 568259, 'asking every person': 95970, 'person you can': 652757, 'you can drive': 1017665, 'can drive to': 158162, 'get something for': 348085, 'something for them': 784911, 'for them help': 326903, 'them help people': 875839, 'help people you': 390315, 'people you help': 650574, 'you help yourself': 1019209, 'help yourself help': 391031, 'coronavirus ha people': 206031, 'ha people coming': 371481, 'people coming back': 647498, 'stubbscleaningservices': 814573, '375': 18105, '0274': 823, 'building or': 142125, 'having stubbscleaningservices': 384290, 'stubbscleaningservices in': 814574, 'provide professional': 686439, 'professional 19': 682393, '19 cleaning': 5834, 'cleaning service': 181059, 'with cdc': 997576, 'and epa': 62213, 'epa registered': 279289, 'registered industrial': 707647, 'industrial strength': 435577, 'strength disinfectant': 813221, 'disinfectant call': 245626, 'call 610': 155710, '610 375': 21195, '375 0274': 18106, '0274 for': 824, 'site estimate': 771912, 'get your office': 348718, 'your office building': 1025054, 'office building or': 595382, 'building or retail': 142126, 'retail store ready': 718688, 'ready to re': 700971, 're open by': 699200, 'open by having': 612139, 'by having stubbscleaningservices': 152769, 'having stubbscleaningservices in': 384291, 'stubbscleaningservices in now': 814575, 'in now we': 425988, 'now we provide': 576350, 'we provide professional': 972775, 'provide professional 19': 686440, 'professional 19 cleaning': 682394, '19 cleaning service': 5835, 'cleaning service with': 181060, 'service with cdc': 753083, 'with cdc approved': 997577, 'cdc approved and': 168546, 'approved and epa': 83130, 'and epa registered': 62214, 'epa registered industrial': 279290, 'registered industrial strength': 707648, 'industrial strength disinfectant': 435578, 'strength disinfectant call': 813222, 'disinfectant call 610': 245627, 'call 610 375': 155711, '610 375 0274': 21196, '375 0274 for': 18107, '0274 for free': 825, 'for free on': 321722, 'free on site': 332018, 'on site estimate': 603483, 'commission european': 188813, 'authority sharing': 103781, 'sharing information': 755540, 'tackle spread': 831601, 'commission european consumer': 188814, 'european consumer authority': 283546, 'consumer authority sharing': 196359, 'authority sharing information': 103782, 'sharing information and': 755541, 'information and working': 437748, 'and working together': 75897, 'together to tackle': 921007, 'to tackle spread': 916137, 'tackle spread of': 831602, 'product online for': 681480, 'job ve': 466263, 'had for': 373122, 'year btw': 1014440, 'btw wa': 141556, 'wa temporarily': 963413, 'when coworker': 983314, 'coworker took': 214489, 'took leave': 925271, 'leave swiped': 484954, 'swiped her': 830441, 'her hour': 392110, 'hour thought': 406003, 'the woefully': 871654, 'woefully negligent': 1003344, 'negligent manager': 556893, 'manager thought': 512813, 'is the job': 452835, 'the job ve': 858676, 'job ve had': 466264, 've had for': 953222, 'had for year': 373123, 'for year btw': 327998, 'year btw wa': 1014441, 'btw wa temporarily': 141557, 'wa temporarily laid': 963414, 'laid off but': 479014, 'off but when': 593704, 'but when coworker': 147812, 'when coworker took': 983315, 'coworker took leave': 214490, 'took leave swiped': 925272, 'leave swiped her': 484955, 'swiped her hour': 830442, 'her hour thought': 392111, 'hour thought it': 406004, 'thought it had': 893104, 'it had to': 458437, 'with the woefully': 1001548, 'the woefully negligent': 871655, 'woefully negligent manager': 1003345, 'negligent manager thought': 556894, 'authorizes': 103842, 'contractual': 201819, 'he invoke': 385107, 'invoke he': 444304, 'he call': 384800, 'call war': 156220, 'war it': 966475, 'it authorizes': 456638, 'authorizes resident': 103843, 'requisition prop': 713539, 'prop force': 684038, 'force industry': 328405, 'expand production': 290463, 'basic resource': 112043, 'resource impose': 714820, 'control control': 201988, 'control consumer': 201986, 'amp re': 54365, 're credit': 698484, 'credit contractual': 216361, 'contractual priority': 201820, 'priority amp': 678510, 'amp allocate': 53371, 'allocate raw': 45864, 'raw mat': 697968, 'then why did': 877757, 'why did he': 990918, 'did he invoke': 240637, 'he invoke he': 385108, 'invoke he call': 444305, 'he call war': 384801, 'call war it': 156221, 'war it authorizes': 966476, 'it authorizes resident': 456639, 'authorizes resident to': 103844, 'resident to requisition': 714385, 'to requisition prop': 913317, 'requisition prop force': 713540, 'prop force industry': 684039, 'force industry to': 328406, 'industry to expand': 436167, 'to expand production': 905435, 'expand production amp': 290464, 'production amp supply': 681914, 'amp supply of': 54597, 'supply of basic': 825613, 'of basic resource': 580578, 'basic resource impose': 112044, 'resource impose price': 714821, 'impose price control': 419252, 'price control control': 673235, 'control control consumer': 201989, 'control consumer amp': 201987, 'consumer amp re': 196191, 'amp re credit': 54366, 're credit contractual': 698485, 'credit contractual priority': 216362, 'contractual priority amp': 201821, 'priority amp allocate': 678511, 'amp allocate raw': 53372, 'allocate raw mat': 45865, 'creativeindustries': 216192, 'of freelancer': 583929, 'freelancer in': 332444, 'in creativeindustries': 421859, 'creativeindustries are': 216193, 'afraid they': 35016, 'to thats': 916466, 'govt action': 361061, 'help freelancer': 389762, 'freelancer through': 332450, 'nearly of freelancer': 553848, 'of freelancer in': 583930, 'freelancer in creativeindustries': 332445, 'in creativeindustries are': 421860, 'creativeindustries are afraid': 216194, 'are afraid they': 84267, 'afraid they will': 35018, 'due to thats': 261991, 'to thats why': 916467, 'thats why is': 847830, 'why is fighting': 991103, 'fighting for govt': 305073, 'for govt action': 321968, 'govt action to': 361062, 'to help freelancer': 907523, 'help freelancer through': 389763, 'freelancer through this': 332451, 'should be left': 765659, 'be left behind': 115694, 'post shower': 666313, 'shower feeling': 767377, 'feeling ha': 302993, 'felt better': 303358, 'pandemic particularly': 636160, 'particularly after': 642658, 'the away': 849123, 'the post shower': 864096, 'post shower feeling': 666314, 'shower feeling ha': 767378, 'feeling ha never': 302994, 'ha never felt': 371320, 'never felt better': 557992, 'felt better than': 303359, 'better than during': 128520, 'the pandemic particularly': 863051, 'pandemic particularly after': 636161, 'particularly after coming': 642659, 'after coming home': 35479, 'store the away': 810587, 'difficult time by': 242280, 'time by purchasing': 896437, 'by purchasing gift': 153693, 'grocerymarketplace': 366230, 'crisis help': 217482, 'avoid stepping': 105297, 'out such': 627267, 'such marketplace': 816627, 'start one': 794422, 'you onlinebusiness': 1020208, 'onlinebusiness grocerymarketplace': 609784, 'store amidst the': 806170, '19 crisis help': 6260, 'crisis help avoid': 217483, 'help avoid stepping': 389403, 'avoid stepping out': 105298, 'stepping out such': 799808, 'out such marketplace': 627268, 'such marketplace are': 816628, 'marketplace are great': 517804, 'alternative to in': 49271, 'store shopping more': 810138, 'shopping more so': 763292, 'so in time': 777389, 'like these if': 491432, 'if you plan': 415493, 'plan to start': 658323, 'to start one': 915211, 'start one we': 794423, 'one we re': 607393, 'help you onlinebusiness': 390986, 'you onlinebusiness grocerymarketplace': 1020209, 'guide to buying': 368361, 'to buying from': 902351, 'from local farmer': 336249, 'local farmer during': 497948, 'farmer during the': 299349, 're considering': 698450, 'wa delivered': 961939, 'at this story': 101259, 'you re considering': 1020593, 're considering shopping': 698451, 'considering shopping long': 195409, 'everything you bought': 288130, 'you bought in': 1017506, 'or online wa': 616393, 'online wa delivered': 609689, 'wa delivered by': 961940, 'by truck at': 154598, 'imf say': 416910, 'say nigeria': 738976, 'economy threatened': 268285, 'imf say nigeria': 416911, 'say nigeria economy': 738977, 'nigeria economy threatened': 562737, 'economy threatened by': 268286, 'threatened by covid': 893779, 'clusterfuck': 184595, 'your asymptomatic': 1022865, 'asymptomatic your': 97343, 'criterion to': 218504, 'just continue': 468517, 'continue having': 201046, 'having not': 384191, 'can with': 160232, 'this clusterfuck': 886793, 'clusterfuck of': 184596, 'testing process': 839620, 'country your': 211281, 'your damned': 1023457, 'damned if': 225474, 'and damned': 60934, 'but if your': 146002, 'if your asymptomatic': 415568, 'your asymptomatic your': 1022866, 'asymptomatic your not': 97344, 'your not going': 1025041, 'have the criterion': 382974, 'the criterion to': 852490, 'criterion to be': 218505, 'tested and just': 839266, 'and just continue': 65699, 'just continue having': 468518, 'continue having not': 201047, 'having not knowing': 384192, 'not knowing what': 570317, 'knowing what if': 477147, 'what if go': 981628, 'store can with': 806865, 'can with this': 160234, 'with this clusterfuck': 1001684, 'this clusterfuck of': 886794, 'clusterfuck of testing': 184597, 'of testing process': 590692, 'testing process in': 839621, 'process in this': 679913, 'this country your': 886982, 'country your damned': 211282, 'your damned if': 1023458, 'damned if you': 225475, 'you do and': 1018245, 'do and damned': 249064, 'and damned if': 60935, 'week spent': 976905, 'spent day': 789118, 'supermarket talking': 823133, 'this week spent': 891268, 'week spent day': 976906, 'spent day in': 789119, 'day in supermarket': 227810, 'in supermarket talking': 428683, 'supermarket talking to': 823134, 'talking to staff': 834053, 'to staff and': 915133, 'italy demand': 462810, 'pattern shifted': 644505, 'period before': 651724, 'in italy demand': 424297, 'italy demand pattern': 462811, 'demand pattern shifted': 236021, 'pattern shifted dramatically': 644506, 'shifted dramatically in': 758482, 'in the period': 429446, 'the period before': 863563, 'period before lockdown': 651725, 'mealdelivery': 524320, 'popupstores': 664764, 'is opening': 450587, 'opening pop': 612895, 'family delivering': 297739, 'delivering supply': 233545, 'home supported': 402178, 'food together': 317313, 'together supermarket': 920963, 'supermarket mealdelivery': 821487, 'mealdelivery popupstores': 524321, 'popupstores grocerystore': 664765, 'is opening pop': 450588, 'opening pop up': 612896, 'pop up grocery': 664475, 'store for family': 807803, 'for family delivering': 321386, 'family delivering supply': 297740, 'delivering supply to': 233546, 'supply to senior': 826026, 'senior citizen at': 750249, 'citizen at their': 178859, 'at their home': 101168, 'their home supported': 873574, 'home supported by': 402179, 'supported by community': 827043, 'by community food': 152158, 'community food together': 189854, 'food together supermarket': 317314, 'together supermarket mealdelivery': 920964, 'supermarket mealdelivery popupstores': 821488, 'mealdelivery popupstores grocerystore': 524322, 'thoroughfare': 891749, 'sabah': 728992, 'nstnation the': 576695, 'street were': 813171, 'were extra': 979606, 'extra quiet': 293617, 'quiet with': 694711, 'parking space': 642119, 'mall gaya': 511782, 'gaya street': 344721, 'street major': 813032, 'centre thoroughfare': 169550, 'thoroughfare wa': 891750, 'wa deserted': 961956, 'deserted well': 238013, 'well mco': 978391, 'movementcontrolorder sabah': 543952, 'nstnation the street': 576696, 'the street were': 868257, 'street were extra': 813172, 'were extra quiet': 979607, 'extra quiet with': 293618, 'quiet with plenty': 694712, 'plenty of parking': 660963, 'of parking space': 587783, 'parking space available': 642120, 'space available at': 787062, 'available at shopping': 104257, 'shopping mall gaya': 763231, 'mall gaya street': 511783, 'gaya street major': 344722, 'street major city': 813033, 'major city centre': 509264, 'city centre thoroughfare': 179094, 'centre thoroughfare wa': 169551, 'thoroughfare wa deserted': 891751, 'wa deserted well': 961957, 'deserted well mco': 238014, 'well mco movementcontrolorder': 978392, 'mco movementcontrolorder sabah': 522229, 'gasolineprice': 344274, 'pergallon': 651557, 'gasolineprice ha': 344275, 'fallen in': 297155, 'week co': 976092, 'co demand': 184826, 'declined people': 231437, 'dropped further': 260571, 'further and': 341999, 'supply spiked': 825882, 'today ny': 919958, 'ny gas': 577864, 'price pergallon': 675862, 'pergallon is': 651558, 'gasolineprice ha fallen': 344276, 'ha fallen in': 370592, 'fallen in the': 297157, 'last couple week': 480167, 'couple week co': 211704, 'week co demand': 976093, 'co demand declined': 184827, 'demand declined people': 235219, 'declined people stay': 231438, 'spreading the then': 791058, 'the then price': 869423, 'then price dropped': 877444, 'price dropped further': 673593, 'dropped further and': 260572, 'further and supply': 342000, 'and supply spiked': 72814, 'supply spiked because': 825883, 'spiked because of': 789341, 'because of price': 119392, 'and russia today': 70683, 'russia today ny': 728593, 'today ny gas': 919959, 'ny gas price': 577865, 'gas price pergallon': 344009, 'price pergallon is': 675863, 'pergallon is unbelievable': 651559, 'evolving by': 288549, 'sentiment we': 751027, 'latest here': 481380, 'situation is evolving': 772345, 'is evolving by': 447614, 'evolving by the': 288550, 'the minute the': 860677, 'minute the same': 533854, 'go for consumer': 353554, 'for consumer sentiment': 320289, 'consumer sentiment we': 198935, 'sentiment we follow': 751028, 'the latest here': 859111, 'workingremotely': 1009132, 'technologytuesday': 836403, '11 workingremotely': 2615, 'workingremotely technologytuesday': 1009133, 'technologytuesday in': 836404, 'area issue': 92087, 'issue at': 455682, 'time appear': 896321, 'be internet': 115526, 'provider based': 686701, 'based not': 111658, 'not isolated': 570176, 'certain method': 170057, 'remote access': 710691, 'or screen': 616982, 'screen sharing': 742729, 'being flooded': 125158, 'flooded be': 310726, 'your tech': 1026121, 'tech support': 836154, 'support provider': 826772, '11 workingremotely technologytuesday': 2616, 'workingremotely technologytuesday in': 1009134, 'technologytuesday in some': 836405, 'some area issue': 782337, 'area issue at': 92088, 'issue at this': 455683, 'this time appear': 890620, 'time appear to': 896322, 'to be internet': 901339, 'be internet provider': 115527, 'internet provider based': 441998, 'provider based not': 686702, 'based not isolated': 111659, 'not isolated to': 570177, 'isolated to certain': 455035, 'to certain method': 902579, 'certain method of': 170058, 'method of remote': 529785, 'of remote access': 588923, 'remote access or': 710692, 'access or screen': 28169, 'or screen sharing': 616983, 'screen sharing consumer': 742730, 'sharing consumer network': 755516, 'network are being': 557701, 'are being flooded': 84860, 'being flooded be': 125159, 'flooded be patient': 310727, 'be patient with': 116376, 'patient with your': 644315, 'with your tech': 1002239, 'your tech support': 1026122, 'tech support provider': 836155, '2002 already': 13565, 'already are': 47191, 'price at 2002': 672785, 'at 2002 already': 97504, '2002 already are': 13566, 'already are we': 47192, '20 year due': 13420, 'with concern': 997721, 'business engaging': 143699, 'using form': 950493, 'page uk': 633907, 'anyone with concern': 80648, 'with concern about': 997722, 'concern about business': 192888, 'about business engaging': 24901, 'business engaging in': 143700, 'engaging in profiteering': 276920, 'in profiteering during': 427033, 'pandemic by charging': 635070, 'by charging excessive': 152102, 'excessive price can': 289401, 'price can report': 673064, 'report the case': 712336, 'case to using': 166078, 'to using form': 918087, 'using form on': 950494, 'form on this': 329550, 'this page uk': 889357, 'observation while': 578568, 'tp some': 927945, 'site let': 771969, 'know immediately': 476495, 'stock unavailable': 803043, 'unavailable others': 939455, 'dig deeper': 242430, 'deeper only': 231966, 'disappointed target': 244115, 'target us': 834521, 'your hope': 1024400, 'hope up': 403759, 'up approach': 944402, 'approach win': 83000, 'most click': 542179, 'an observation while': 56544, 'observation while online': 578569, 'shopping for tp': 762724, 'for tp some': 327300, 'tp some site': 927946, 'some site let': 783882, 'site let you': 771970, 'you know immediately': 1019502, 'know immediately if': 476496, 'immediately if it': 417105, 'it not in': 459889, 'in stock unavailable': 428340, 'stock unavailable others': 803044, 'unavailable others make': 939456, 'others make you': 621525, 'make you dig': 510732, 'you dig deeper': 1018223, 'dig deeper only': 242431, 'deeper only to': 231967, 'to be disappointed': 901207, 'be disappointed target': 114474, 'disappointed target us': 244116, 'target us the': 834522, 'us the get': 948552, 'the get your': 856241, 'get your hope': 348710, 'your hope up': 1024401, 'hope up approach': 403760, 'up approach win': 944403, 'approach win for': 83001, 'win for the': 995553, 'the most click': 860958, 'most click to': 542180, 'click to be': 181957, 'the royal': 866016, 'royal family': 726619, 'our transport': 625185, 'transport network': 929910, 'network now': 557745, 'the royal family': 866017, 'royal family have': 726620, 'family have enough': 297878, 'enough money and': 277520, 'they should pay': 883377, 'should pay for': 766314, '19 test for': 11074, 'test for every': 838999, 'for every doctor': 321165, 'every doctor nurse': 285873, 'nurse and anyone': 577196, 'anyone working in': 80654, 'working in hospital': 1008717, 'hospital supermarket or': 404659, 'or on our': 616370, 'on our transport': 602639, 'our transport network': 625186, 'transport network now': 929911, 'be broken': 113916, 'broken just': 140901, 'madness any': 508154, 'longer not': 502021, 'to be broken': 901140, 'be broken just': 113917, 'broken just cannot': 140902, 'just cannot deal': 468435, 'supermarket madness any': 821425, 'madness any longer': 508155, 'any longer not': 79434, 'longer not even': 502022, 'emptying toilet': 275297, 'supply why': 826105, 'buy strange': 149247, 'nash shed': 552001, 'of strange': 590281, 'strange consumer': 812384, '19 make it': 8520, 'are emptying toilet': 86188, 'emptying toilet paper': 275298, 'paper supply why': 640854, 'supply why do': 826106, 'we buy strange': 970880, 'buy strange thing': 149248, 'strange thing in': 812427, 'steve nash shed': 799950, 'nash shed light': 552002, 'light on these': 489577, 'on these and': 604557, 'these and other': 879600, 'bout of strange': 136916, 'of strange consumer': 590282, 'strange consumer behavior': 812385, 'mode telling': 535207, 'cooking enough': 202864, 'family guess': 297865, 'panic mode telling': 638323, 'mode telling my': 535208, 'mom to not': 535817, 'to not waste': 910718, 'waste food by': 968120, 'food by cooking': 313857, 'by cooking enough': 152216, 'cooking enough food': 202865, 'whole family guess': 990196, 'family guess he': 297866, 'guess he want': 367982, 'want to starve': 966128, 'business postponing': 144239, 'postponing store': 666864, 'opening or': 612891, 'launch because': 481868, 'your business postponing': 1023074, 'business postponing store': 144240, 'postponing store opening': 666865, 'store opening or': 809282, 'opening or product': 612892, 'or product launch': 616713, 'product launch because': 681345, 'launch because of': 481869, 'ago stood': 38476, 'hottest dance': 405331, 'im standing': 416580, '20 year ago': 13416, 'year ago stood': 1014360, 'ago stood in': 38477, 'stood in long': 804378, 'into the hottest': 443136, 'the hottest dance': 857573, 'hottest dance club': 405332, 'dance club now': 225562, 'club now im': 184462, 'now im standing': 574980, 'im standing in': 416581, 'crazy time stayhome': 215455, 'financialmarket': 306700, 'our comparative': 622502, 'comparative epidemic': 191381, 'epidemic curve': 279362, 'curve graph': 221859, 'graph against': 362140, 'against stock': 37630, 'currency commodity': 221018, 'more read': 540188, 'see data': 745029, 'here economicdata': 392950, 'economicdata stock': 267415, 'stock financialmarket': 802114, 'financialmarket currency': 306701, 'ha had with': 370800, 'had with our': 373803, 'with our comparative': 999984, 'our comparative epidemic': 622503, 'comparative epidemic curve': 191382, 'epidemic curve graph': 279363, 'curve graph against': 221860, 'graph against stock': 362141, 'against stock market': 37631, 'stock market currency': 802389, 'market currency commodity': 516266, 'currency commodity price': 221019, 'and more read': 67208, 'more read article': 540189, 'read article and': 700292, 'article and see': 94256, 'and see data': 71131, 'see data here': 745030, 'data here economicdata': 226268, 'here economicdata stock': 392951, 'economicdata stock financialmarket': 267416, 'stock financialmarket currency': 802115, 'getajob': 348758, 'stophoarding convid19uk': 805370, 'stayathomechallenge panicbuying': 797740, 'while elderly': 986787, 'worker struggling': 1007839, 'survive getajob': 829177, 'getajob jobless': 348759, 'stophoarding convid19uk stayathomechallenge': 805371, 'convid19uk stayathomechallenge panicbuying': 202628, 'stayathomechallenge panicbuying to': 797741, 'panicbuying to make': 639087, 'make profit while': 510368, 'profit while elderly': 682891, 'while elderly and': 986788, 'elderly and worker': 270591, 'and worker struggling': 75880, 'worker struggling to': 1007840, 'to survive getajob': 916031, 'survive getajob jobless': 829178, 'intelligent business': 441019, 'business focused': 143743, 'product intelligent business': 681318, 'intelligent business focused': 441020, 'business focused quarantine': 143744, 'livemorewitholx': 496215, 'stave': 796726, 'za livemorewitholx': 1027167, 'livemorewitholx will': 496216, 'to stave': 915261, 'stave covid': 796727, '19 boredom': 5423, 'za livemorewitholx will': 1027168, 'livemorewitholx will use': 496217, 'it to stave': 461755, 'to stave covid': 915262, 'stave covid 19': 796728, 'covid 19 boredom': 212720, '19 boredom and': 5424, 'boredom and online': 135396, 'panicking by': 639328, 'american rush': 52169, 'gun what': 368761, 'heck is': 388702, 'with huge line': 998903, 'huge line at': 410087, 'line at gun': 492985, 'gun store so': 368738, 'store so people': 810232, 'so people around': 777994, 'world are panicking': 1009320, 'are panicking by': 88972, 'panicking by buying': 639329, 'store but american': 806781, 'but american rush': 145177, 'american rush to': 52170, 'buy gun what': 148768, 'gun what the': 368762, 'the heck is': 857227, 'heck is wrong': 388703, 'is wrong there': 454107, 'taftaan': 831735, 'sindh government': 771071, 'government spokesman': 360623, 'spokesman term': 789781, 'term quarantine': 838252, 'quarantine facility': 692186, 'at taftaan': 100815, 'taftaan border': 831736, 'border joke': 135258, 'joke watch': 467153, 'the exclusive': 854678, 'exclusive visuals': 289703, 'visuals of': 959657, 'of criminal': 582142, 'criminal negligence': 216856, 'sindh government spokesman': 771072, 'government spokesman term': 360624, 'spokesman term quarantine': 789782, 'term quarantine facility': 838253, 'quarantine facility at': 692187, 'facility at taftaan': 295307, 'at taftaan border': 100816, 'taftaan border joke': 831737, 'border joke watch': 135259, 'joke watch the': 467154, 'watch the exclusive': 968543, 'the exclusive visuals': 854679, 'exclusive visuals of': 289704, 'visuals of criminal': 959658, 'of criminal negligence': 582143, 'kept close': 473028, 'developed and': 239681, 'officially announcing': 595986, 'announcing the': 77330, 'optical ha kept': 613876, 'ha kept close': 371069, 'kept close eye': 473029, 'situation it ha': 772360, 'it ha developed': 458390, 'ha developed and': 370368, 'developed and we': 239683, 'are officially announcing': 88684, 'officially announcing the': 595987, 'announcing the closing': 77331, 'closing of our': 183700, 'retail location for': 718282, 'location for the': 498906, 'flan': 310000, 'flan didn': 310001, 'enough veggie': 277749, 'veggie when': 954226, 'just protein': 469502, 'pack on': 633122, '19 lb': 8285, 'flan didn buy': 310002, 'didn buy enough': 240995, 'buy enough veggie': 148565, 'enough veggie when': 277750, 'veggie when went': 954227, 'the supermarket last': 868667, 'supermarket last weekend': 821271, 'weekend so it': 977406, 'so it just': 777469, 'it just protein': 459237, 'just protein to': 469503, 'help pack on': 390266, 'pack on the': 633123, 'covid 19 lb': 213339, 'still risking': 801122, 'so am still': 776495, 'am still risking': 50435, 'still risking my': 801123, 'risking my life': 724082, 'my life working': 549050, 'life working at': 489232, 'really seen': 702564, 'pure selfishness': 689983, 'perpetrator it': 652222, 'tell certain': 836924, 'certain ethnic': 169998, 'ethnic group': 283123, 'their act': 872455, 'act together': 29803, 'others ashamed': 621283, 'have people really': 381914, 'people really seen': 649247, 'really seen the': 702565, 'video of panic': 956829, 'of panic in': 587727, 'panic in supermarket': 638205, 'supermarket and pure': 819045, 'and pure selfishness': 69794, 'pure selfishness due': 689984, 'same perpetrator it': 733224, 'perpetrator it is': 652223, 'necessary to tell': 554130, 'to tell certain': 916338, 'tell certain ethnic': 836925, 'certain ethnic group': 169999, 'ethnic group to': 283124, 'get their act': 348320, 'their act together': 872456, 'act together and': 29804, 'together and think': 920706, 'about others ashamed': 25877, 'others ashamed for': 621284, 'ashamed for our': 95049, 'globe alongside': 352438, 'the writes': 872095, 'writes kate': 1012849, 'kate murphy': 471021, 'murphy pandemic': 546206, 'pandemic toiletpaperpanic': 636822, 'of toiletpaper ha': 592265, 'toiletpaper ha spread': 922045, 'ha spread around': 372028, 'the globe alongside': 856345, 'globe alongside the': 352439, 'alongside the writes': 47111, 'the writes kate': 872096, 'writes kate murphy': 1012850, 'kate murphy pandemic': 471022, 'murphy pandemic toiletpaperpanic': 546207, 'flour did': 311090, 'not cook': 568875, 'cook before': 202727, 'nonsense happened': 566728, 'happened totally': 377290, 'totally gave': 926340, 'up trying': 946483, 'find yeast': 307401, 'they are completely': 881231, 'out of flour': 626735, 'of flour flour': 583599, 'flour flour did': 311099, 'flour did people': 311091, 'did people not': 240758, 'people not cook': 648864, 'not cook before': 568876, 'cook before this': 202728, 'before this nonsense': 123230, 'this nonsense happened': 889158, 'nonsense happened totally': 566729, 'happened totally gave': 377291, 'totally gave up': 926341, 'gave up trying': 344681, 'up trying to': 946484, 'to find yeast': 905955, 'consumer it natural': 197961, 'it natural to': 459739, 'natural to have': 552875, 'to have question': 907295, 'about the ordering': 26469, 'the ordering and': 862457, 'and delivery process': 61126, 'delivery process of': 234370, 'process of your': 679937, 'are the answer': 90794, 'to your question': 919017, 'question about online': 693503, 'hunting couple': 411407, 'be labeled': 115646, 'labeled and': 478363, 'completely unacceptable': 192367, 'coronavirus police are': 206561, 'are hunting couple': 87277, 'hunting couple who': 411408, 'couple who licked': 211716, 'who licked their': 989201, 'them on food': 876088, 'time for these': 896765, 'for these type': 326983, 'type of action': 937545, 'to be labeled': 901356, 'be labeled and': 115647, 'labeled and prosecuted': 478364, 'is completely unacceptable': 446710, 'constantly handling': 195675, 'handling money': 376357, 'money dealing': 536691, 'preventing people': 671820, 'from starving': 337412, 'starving would': 795277, 'quite important': 694881, 'important no': 418896, 'not realize that': 571227, 'realize that cashier': 701848, 'that cashier at': 843176, 'cashier at large': 166486, 'we are constantly': 970512, 'are constantly handling': 85519, 'constantly handling money': 195676, 'handling money dealing': 376358, 'money dealing with': 536692, 'dealing with people': 229683, 'infected and preventing': 436532, 'and preventing people': 69424, 'preventing people from': 671821, 'people from starving': 648008, 'from starving would': 337413, 'starving would say': 795278, 'would say it': 1012214, 'say it quite': 738856, 'it quite important': 460587, 'quite important no': 694882, 'important no mask': 418897, 'no mask just': 564709, 'mask just hand': 518885, 'just hand sanitizer': 468915, 'sanitizer we too': 736051, 'we too are': 973550, 'skimming via': 773045, 'led to jump': 485288, 'jump in online': 467866, 'shopping and sharp': 762021, 'and sharp rise': 71408, 'rise in credit': 722878, 'card skimming via': 163646, 'before dare': 122734, 'dare the': 225928, 'well it look': 978340, 'or pickup and': 616611, 'pickup and there': 655931, 'space available for': 787063, 'idea before dare': 413016, 'before dare the': 122735, 'dare the grocery': 225929, 'show that most': 767190, 'that most thing': 845235, 'be available 19': 113750, 'worker expands': 1006886, 'expands to': 290543, 'are striking': 90566, 'striking and': 813778, 'and joining': 65681, 'joining sick': 466986, 'sick out': 768561, 'better condition': 128241, 'pay ha': 644923, 'definition of essential': 232424, 'essential worker expands': 281829, 'worker expands to': 1006887, 'expands to supermarket': 290544, 'box store employee': 137166, 'store employee many': 807509, 'employee many are': 274035, 'many are striking': 513780, 'are striking and': 90567, 'striking and joining': 813779, 'and joining sick': 65682, 'joining sick out': 466987, 'sick out to': 768562, 'out to demand': 627634, 'to demand better': 904135, 'demand better condition': 235064, 'better condition and': 128242, 'condition and pay': 193398, 'and pay ha': 68798, 'pay ha more': 644924, 'unheralded': 941701, 'to vital': 918222, 'many group': 514111, 'of unheralded': 592629, 'unheralded hero': 941702, 'forget about essential': 329219, 'about essential retail': 25182, 'essential retail and': 281460, 'employee who put': 274432, 'themselves in harm': 876833, 'access to vital': 28295, 'to vital good': 918223, 'vital good they': 959691, 'good they are': 357835, 'the many group': 860041, 'many group of': 514112, 'group of unheralded': 366807, 'of unheralded hero': 592630, 'unheralded hero during': 941703, 'to kill they': 908945, 'kill they re': 474534, 're the greedy': 699691, 'the greedy bastard': 856764, 'greedy bastard who': 363486, 'bastard who panic': 112522, 'who panic and': 989405, 'buy everything so': 148600, 'so others do': 777967, 'spreadcalmnotpanic': 790899, 'flexipay': 310407, 'endlesspossibilities': 276255, 'staysafe spreadcalmnotpanic': 798889, 'spreadcalmnotpanic flexipay': 790900, 'flexipay endlesspossibilities': 310408, 'or clean your': 614734, 'hand with an': 376004, 'sanitizer staysafe spreadcalmnotpanic': 735808, 'staysafe spreadcalmnotpanic flexipay': 798890, 'spreadcalmnotpanic flexipay endlesspossibilities': 790901, 'cancelling our': 161218, 'disappointment cause': 244154, 'cause faq': 167559, 'unfortunately we re': 941663, 'we re cancelling': 972839, 're cancelling our': 698413, 'cancelling our next': 161219, 'any disappointment cause': 79117, 'disappointment cause faq': 244155, 'cause faq are': 167560, 'lockdown leaving': 499585, 'in lockdown leaving': 424846, 'lockdown leaving my': 499586, 'willis': 995495, 'thomson': 891731, 'targeting deposit': 834562, 'deposit account': 237491, 'are rampant': 89426, 'rampant join': 696462, 'service lawyer': 752549, 'lawyer christopher': 482547, 'christopher willis': 178221, 'willis richard': 995496, 'richard thomson': 721306, 'thomson and': 891732, 'and amy': 58096, 'amy schwartz': 54992, 'schwartz for': 742074, 'how financial': 407867, 'institution can': 440460, '19 scam targeting': 10350, 'scam targeting deposit': 740391, 'targeting deposit account': 834563, 'deposit account are': 237492, 'account are rampant': 28636, 'are rampant join': 89427, 'rampant join consumer': 696463, 'join consumer financial': 466696, 'financial service lawyer': 306585, 'service lawyer christopher': 752550, 'lawyer christopher willis': 482548, 'christopher willis richard': 178222, 'willis richard thomson': 995497, 'richard thomson and': 721307, 'thomson and amy': 891733, 'and amy schwartz': 58097, 'amy schwartz for': 54993, 'schwartz for discussion': 742075, 'on how financial': 601399, 'how financial institution': 407868, 'financial institution can': 306471, 'institution can help': 440461, 'their customer avoid': 872945, 'customer avoid the': 222157, 'avoid the scam': 105332, 'mask back': 518451, 'february ebay': 301710, 'amazon were': 51194, 'left were': 485721, 'were sky': 980135, 'lied we': 488423, 'beginning maskup': 123635, 'to buy mask': 902266, 'buy mask back': 148940, 'mask back in': 518452, 'back in mid': 107089, 'in mid february': 425296, 'mid february ebay': 530567, 'february ebay and': 301711, 'and amazon were': 58053, 'amazon were already': 51195, 'were already out': 979308, 'already out and': 47547, 'and what wa': 75494, 'wa left were': 962527, 'left were sky': 485723, 'were sky high': 980136, 'high price government': 395252, 'price government lied': 674348, 'government lied we': 360319, 'lied we should': 488424, 'should all have': 765489, 'have been wearing': 379743, 'wearing mask from': 974691, 'mask from the': 518709, 'the beginning maskup': 849435, 'contract still': 201699, 'shopper apparently': 761378, 'to contract still': 903429, 'contract still no': 201700, 'of shopper apparently': 589636, 'shopper apparently not': 761379, 'free contactless': 331723, 'delivery go': 234057, 'great prize': 362925, 'prize elpasostrong': 679074, 'outlet we battle': 629075, 'for free contactless': 321710, 'free contactless curbside': 331724, 'contactless curbside delivery': 200362, 'curbside delivery go': 220619, 'delivery go to': 234058, 'to to check': 917587, 'out their great': 627452, 'their great prize': 873436, 'great prize elpasostrong': 362926, 'prize elpasostrong wesupportlocal': 679075, 'size on': 772791, 'london uklockdown': 501216, 'is the size': 452940, 'the size on': 867296, 'size on online': 772792, 'food shopping queue': 316533, 'shopping queue if': 763712, 'queue if you': 693953, 'live in london': 495872, 'in london uklockdown': 424903, 'speculative': 788366, '19 evolves': 6876, 'evolves the': 288533, 'through many': 894564, 'price surging': 676735, 'surging debt': 828414, 'and loose': 66384, 'loose monetary': 503200, 'monetary condition': 536538, 'condition business': 193422, 'business balance': 143416, 'sheet tend': 756619, 'get structured': 348133, 'structured in': 814320, 'highly speculative': 396102, 'speculative way': 788367, 'that effectively': 843679, 'effectively bet': 269339, 'covid 19 evolves': 213051, '19 evolves the': 6877, 'evolves the problem': 288534, 'that when an': 847479, 'when an economy': 983146, 'an economy go': 55597, 'economy go through': 267899, 'go through many': 354248, 'through many year': 894565, 'many year of': 514906, 'year of rising': 1014793, 'of rising real': 589123, 'real estate and': 701134, 'estate and asset': 282091, 'asset price surging': 96462, 'price surging debt': 676736, 'surging debt and': 828415, 'debt and loose': 230421, 'and loose monetary': 66385, 'loose monetary condition': 503201, 'monetary condition business': 536539, 'condition business balance': 193423, 'business balance sheet': 143417, 'balance sheet tend': 108986, 'sheet tend to': 756620, 'tend to get': 837879, 'to get structured': 906605, 'get structured in': 348134, 'structured in highly': 814321, 'in highly speculative': 423700, 'highly speculative way': 396103, 'speculative way that': 788368, 'way that effectively': 969920, 'that effectively bet': 843680, 'effectively bet on': 269340, 'bet on more': 128090, 'impose per': 419249, 'on receipt': 603091, 'receipt during': 703407, 'store should impose': 810165, 'should impose per': 766124, 'impose per customer': 419250, 'customer limit and': 222577, 'limit and should': 492286, 'not allow refund': 568141, 'allow refund or': 46045, 'return on receipt': 719878, 'on receipt during': 603092, 'receipt during the': 703408, 'wuhanhealthorganisation': 1013559, 'while whole': 987562, 'gun wuhanvirus': 368766, 'wuhanvirus wuhanhealthorganisation': 1013594, 'while whole world': 987563, 'world is worried': 1009722, 'worried about health': 1010495, 'about health food': 25360, 'health food american': 386440, 'american are buying': 51800, 'buying gun wuhanvirus': 150428, 'gun wuhanvirus wuhanhealthorganisation': 368767, 'lowered our': 506074, 'to lockdownuknow': 909411, 'lockdownuknow selfcaresunday': 500452, 've lowered our': 953354, 'lowered our price': 506075, 'due to lockdownuknow': 261852, 'to lockdownuknow selfcaresunday': 909412, 'stayhired': 797920, 'after disappointing': 35567, 'disappointing day': 244136, 'finally manage': 306055, 'supermarket winning': 823899, 'winning toiletpapercrisis': 996091, 'staysafestayhome stayhired': 799024, 'stayhired remoteworking': 797921, 'after disappointing day': 35568, 'disappointing day you': 244137, 'day you finally': 228819, 'you finally manage': 1018565, 'finally manage to': 306056, 'get egg and': 346930, 'egg and toiletpaper': 269774, 'and toiletpaper from': 74243, 'toiletpaper from the': 922016, 'the supermarket winning': 868910, 'supermarket winning toiletpapercrisis': 823900, 'winning toiletpapercrisis staysafestayhome': 996092, 'toiletpapercrisis staysafestayhome stayhired': 923070, 'staysafestayhome stayhired remoteworking': 799025, 'post all': 665984, 'the financial post': 855223, 'financial post all': 306537, 'post all hand': 665985, 'interrupter': 442117, 'violence interrupter': 957549, 'interrupter in': 442118, 'city such': 179379, 'such oakland': 816657, 'oakland detroit': 578261, 'detroit chicago': 239499, 'chicago indianapolis': 175679, 'indianapolis st': 434935, 'louis and': 504515, 'sanitizer to violence': 735954, 'to violence interrupter': 918187, 'violence interrupter in': 957550, 'interrupter in city': 442119, 'in city such': 421484, 'city such oakland': 179380, 'such oakland detroit': 816658, 'oakland detroit chicago': 578262, 'detroit chicago indianapolis': 239500, 'chicago indianapolis st': 175680, 'indianapolis st louis': 434936, 'st louis and': 791721, 'louis and milwaukee': 504516, 'kavango': 471114, 'high even': 395066, 'still spending': 801215, 'on importing': 601517, 'importing certain': 419216, 'food investing': 315103, 'investing amp': 443914, 'training youth': 929374, 'youth farmer': 1026856, 'farmer especially': 299356, 'the kavango': 858737, 'kavango region': 471115, 'produce will': 680495, 'lower retail': 505983, 'creates employment': 215942, 'food security the': 316370, 'security the current': 744769, 'current demand is': 221170, 'is high even': 448443, 'high even before': 395067, 'are still spending': 90483, 'still spending more': 801216, 'more on importing': 539924, 'on importing certain': 601518, 'importing certain type': 419217, 'of food investing': 583720, 'food investing amp': 315104, 'investing amp training': 443915, 'amp training youth': 54735, 'training youth farmer': 929375, 'youth farmer especially': 1026857, 'farmer especially in': 299357, 'in the kavango': 429298, 'the kavango region': 858738, 'kavango region to': 471116, 'region to produce': 707473, 'to produce will': 912215, 'produce will lower': 680496, 'will lower retail': 994064, 'lower retail food': 505984, 'retail food price': 718121, 'food price amp': 315919, 'price amp it': 672338, 'amp it creates': 54023, 'it creates employment': 457400, 'been busting': 120766, 'busting their': 144850, 'ass restocking': 96275, 'restocking listening': 717010, 'people complain': 647507, 'complain and': 191850, 'have been busting': 379481, 'been busting their': 120767, 'busting their ass': 144851, 'their ass restocking': 872517, 'ass restocking listening': 96276, 'restocking listening to': 717011, 'listening to people': 494811, 'to people complain': 911620, 'people complain and': 647508, 'complain and checking': 191851, 'and checking out': 59789, 'checking out of': 174841, 'long line all': 501491, 'all the while': 44982, 'the while being': 871452, 'this virus thank': 891030, 'virus thank you': 958867, 'thank you together': 841832, 'ecommercestore': 266910, 'ecommercetrends': 266913, 'businesstips': 144793, 'per survey': 651029, 'survey there': 828961, 'wa 28': 961366, '28 web': 16411, 'web traffic': 974965, 'site check': 771895, 'check some': 174620, 'some stats': 783940, 'stats and': 796610, 'to ecommercestore': 904922, 'ecommercestore retail': 266911, 'onlinebusiness smallbusiness': 609789, 'smallbusiness ecommercetrends': 775221, 'ecommercetrends businesstips': 266914, 'per survey there': 651030, 'survey there wa': 828962, 'there wa 28': 879220, 'wa 28 web': 961367, '28 web traffic': 16412, 'web traffic increase': 974966, 'traffic increase to': 929106, 'increase to ecommerce': 433137, 'to ecommerce site': 904921, 'ecommerce site check': 266868, 'site check some': 771896, 'check some stats': 174621, 'some stats and': 783941, 'stats and recommendation': 796611, 'recommendation for your': 704752, 'for your ecommerce': 328143, 'ecommerce store in': 266876, 'response to ecommercestore': 715843, 'to ecommercestore retail': 904923, 'ecommercestore retail business': 266912, 'retail business onlinebusiness': 717908, 'business onlinebusiness smallbusiness': 144145, 'onlinebusiness smallbusiness ecommercetrends': 609790, 'smallbusiness ecommercetrends businesstips': 775222, 'skypapers': 773254, 'same maybe': 733155, 'maybe take': 521817, 'their proof': 874494, 'age with': 37923, 'supermarket discretion': 819967, 'discretion but': 244753, 'be those': 117706, 'cheat bbcqt': 174332, 'bbcqt bbcnews': 113154, 'bbcnews c4news': 113128, 'c4news newsnight': 154846, 'newsnight skynews': 561055, 'skynews skypapers': 773250, 'skypapers coro': 773255, 'wa thinking the': 963492, 'thinking the same': 886006, 'the same maybe': 866256, 'same maybe take': 733156, 'maybe take their': 521818, 'take their proof': 832691, 'their proof of': 874495, 'proof of age': 684004, 'of age with': 579825, 'age with you': 37924, 'with you heard': 1002152, 'heard it is': 388095, 'the supermarket discretion': 868554, 'supermarket discretion but': 819968, 'discretion but sure': 244754, 'but sure there': 147239, 'will be those': 992726, 'be those who': 117707, 'those who try': 892687, 'try to cheat': 934611, 'to cheat bbcqt': 902676, 'cheat bbcqt bbcnews': 174333, 'bbcqt bbcnews c4news': 113155, 'bbcnews c4news newsnight': 113129, 'c4news newsnight skynews': 154847, 'newsnight skynews skypapers': 561056, 'skynews skypapers coro': 773251, 'say federal': 738633, 'those good': 892028, 'state which': 796081, 'trump say federal': 933819, 'say federal government': 738634, 'federal government want': 302005, 'government want the': 360780, 'want the state': 965963, 'bid for those': 129473, 'for those good': 327112, 'those good first': 892029, 'good first and': 357041, 'first and that': 308505, 'government will drop': 360813, 'will drop out': 993267, 'drop out of': 260361, 'out of market': 626782, 'market for good': 516411, 'for good if': 321934, 'good if it': 357230, 'if it get': 414304, 'it get in': 458221, 'get in way': 347318, 'way of state': 969769, 'of state which': 590075, 'state which is': 796082, 'which is not': 986032, 'cook whatever': 202788, 'is leftover': 449278, 'leftover at': 485770, 'an mystery': 56512, 'mystery box': 551002, 'box challenge': 137035, 'trying to cook': 934785, 'to cook whatever': 903491, 'cook whatever is': 202789, 'whatever is leftover': 982769, 'is leftover at': 449279, 'leftover at the': 485771, 'is like doing': 449314, 'like doing an': 490134, 'doing an mystery': 252285, 'an mystery box': 56513, 'mystery box challenge': 551003, 'bs6': 141439, 'thegomechanicblog': 872377, 'bharatstage6': 129351, 'india have': 434450, 'plunged also': 661479, 'the bs6': 850065, 'bs6 emission': 141440, 'emission norm': 273211, 'norm implemented': 567041, 'implemented on': 418468, 'april also': 83538, 'also went': 49095, 'went unnoticed': 979209, 'unnoticed manufacturer': 942976, 'price bajaj': 672838, 'bajaj ha': 108727, 'ha followed': 370642, 'suit thegomechanicblog': 817792, 'thegomechanicblog bharatstage6': 872378, 'with the advent': 1001196, 'advent of vehicle': 33083, 'of vehicle sale': 592774, 'vehicle sale in': 954281, 'sale in india': 732296, 'in india have': 424039, 'india have plunged': 434452, 'have plunged also': 381983, 'plunged also the': 661480, 'also the bs6': 48969, 'the bs6 emission': 850066, 'bs6 emission norm': 141441, 'emission norm implemented': 273212, 'norm implemented on': 567042, 'implemented on the': 418469, 'on the 1st': 603955, '1st of april': 12772, 'of april also': 580325, 'april also went': 83539, 'also went unnoticed': 49096, 'went unnoticed manufacturer': 979210, 'unnoticed manufacturer have': 942977, 'manufacturer have hiked': 513462, 'hiked price bajaj': 396330, 'price bajaj ha': 672839, 'bajaj ha followed': 108728, 'ha followed suit': 370643, 'followed suit thegomechanicblog': 312610, 'suit thegomechanicblog bharatstage6': 817793, 'pandemic update for': 636879, '81 hi': 22775, 'hi stephanie': 394734, 'stephanie we': 799726, '81 hi stephanie': 22776, 'hi stephanie we': 394735, 'stephanie we are': 799727, 'are offering flexible': 88666, 'crisis here is': 217485, 'behavior all': 123862, 'mode jesse': 535182, 'jesse garcia': 465246, 'garcia recession': 343558, 'recession recession2020': 704345, 'consumer behavior all': 196433, 'behavior all over': 123863, 'afraid and when': 34971, 'and when people': 75521, 'afraid they go': 35017, 'they go into': 882204, 'go into survival': 353770, 'survival mode jesse': 829060, 'mode jesse garcia': 535183, 'jesse garcia recession': 465247, 'garcia recession recession2020': 343559, 'team constantly': 835613, 'constantly ha': 195671, 'their ear': 873093, 'ear to': 264403, 'ground listening': 366519, 'listening for': 494794, 'will guide': 993583, 'guide the': 368355, 'of youth': 593557, 'recent trend': 704001, 'our team constantly': 625099, 'team constantly ha': 835614, 'constantly ha their': 195672, 'ha their ear': 372236, 'their ear to': 873094, 'ear to the': 264404, 'the ground listening': 856851, 'ground listening for': 366520, 'listening for the': 494795, 'for the important': 326493, 'the important theme': 857983, 'important theme that': 419020, 'theme that will': 876713, 'that will guide': 847581, 'will guide the': 993584, 'guide the shopper': 368356, 'the shopper and': 867048, 'shopper and consumer': 761358, 'and consumer need': 60406, 'consumer need of': 198194, 'need of youth': 555352, 'of youth and': 593558, 'youth and family': 1026847, 'and family even': 62659, 'family even during': 297768, 'of 19 learn': 579400, 'more about recent': 538519, 'about recent trend': 26059, 'recent trend in': 704002, 'saying when': 739756, 'do apply': 249096, 'for cerb': 319989, 'cerb how': 169909, 'do access': 249028, 'access rent': 28181, 'relief mortgage': 709385, 'mortgage deferral': 541887, 'deferral what': 232186, 'are lineup': 87823, 'lineup like': 493667, 'canadian aren': 160642, 'aren saying': 92509, 'raw data': 697964, 'data projecting': 226369, 'projecting death': 683575, 'canadian are saying': 160639, 'are saying when': 89827, 'saying when and': 739757, 'when and how': 983152, 'how do apply': 407708, 'do apply for': 249097, 'apply for cerb': 82558, 'for cerb how': 319990, 'cerb how do': 169910, 'how do access': 407706, 'do access rent': 249029, 'access rent relief': 28182, 'rent relief mortgage': 711177, 'relief mortgage deferral': 709386, 'mortgage deferral what': 541888, 'deferral what are': 232187, 'what are lineup': 981058, 'are lineup like': 87825, 'lineup like at': 493668, 'holding up what': 400191, 'up what canadian': 946564, 'what canadian aren': 981188, 'canadian aren saying': 160643, 'aren saying where': 92510, 'saying where is': 739760, 'is the raw': 452913, 'the raw data': 865188, 'raw data projecting': 697965, 'data projecting death': 226370, 'excited doing': 289540, 'much chocolate': 544788, 'chocolate ll': 177681, 'granted ever': 362069, 'again ty': 37251, 'protecting vulnerable': 685245, 'so excited doing': 776985, 'excited doing my': 289541, 'doing my online': 252543, 'online shop today': 608991, 'shop today and': 760963, 'today and bought': 919196, 'and bought too': 59113, 'too much chocolate': 924916, 'much chocolate ll': 544789, 'chocolate ll never': 177682, 'll never take': 496923, 'never take online': 558215, 'shopping for granted': 762678, 'for granted ever': 321992, 'granted ever again': 362070, 'ever again ty': 285194, 'again ty for': 37252, 'ty for protecting': 937481, 'for protecting vulnerable': 324824, 'protecting vulnerable people': 685246, 'glaa': 351472, 'recruiter': 705476, 'wkers': 1003229, 'icymi glaa': 412879, 'glaa ha': 351473, 'introduced temporary': 443453, 'temporary licence': 837658, 'licence scheme': 488113, 'scheme which': 741599, 'allows non': 46385, 'non glaa': 566404, 'glaa licensed': 351475, 'licensed recruiter': 488175, 'recruiter to': 705479, 'supply wkers': 826128, 'wkers via': 1003230, 'via existing': 955965, 'existing glaa': 290321, 'recruiter this': 705477, 'help placement': 390316, 'placement of': 657936, 'our hub': 623490, 'icymi glaa ha': 412880, 'glaa ha introduced': 351474, 'ha introduced temporary': 370992, 'introduced temporary licence': 443454, 'temporary licence scheme': 837659, 'licence scheme which': 488114, 'scheme which allows': 741600, 'which allows non': 985653, 'allows non glaa': 46386, 'non glaa licensed': 566405, 'glaa licensed recruiter': 351476, 'licensed recruiter to': 488177, 'recruiter to supply': 705480, 'to supply wkers': 915892, 'supply wkers via': 826129, 'wkers via existing': 1003231, 'via existing glaa': 955966, 'existing glaa licensed': 290322, 'licensed recruiter this': 488176, 'recruiter this will': 705478, 'will help placement': 993723, 'help placement of': 390317, 'placement of ppl': 657937, 'of ppl into': 588333, 'ppl into food': 668265, 'into food sector': 442563, 'food sector at': 316331, 'sector at time': 744104, 'time of huge': 897341, 'huge demand more': 410023, 'demand more info': 235889, 'info on our': 437533, 'on our hub': 602608, 'wow seeing': 1012586, 'such cluster': 816404, 'cluster fuck': 184585, 'fuck really': 339630, 'boggling when': 133987, 'yourself quarantinelife': 1026688, 'wow seeing the': 1012587, 'store be such': 806665, 'be such cluster': 117430, 'such cluster fuck': 816405, 'cluster fuck really': 184586, 'fuck really is': 339631, 'really is mind': 702352, 'is mind boggling': 449656, 'mind boggling when': 532636, 'boggling when you': 133988, 'for yourself quarantinelife': 328239, 'brix say': 140665, 'dr brix say': 257982, 'brix say not': 140666, 'brother for': 141057, 'for christmas': 320081, 'christmas it': 178185, 'helpful notmypresident': 391212, 'to thank my': 916429, 'thank my brother': 841611, 'my brother for': 547557, 'brother for giving': 141058, 'joke for christmas': 467078, 'for christmas it': 320082, 'christmas it wa': 178186, 'it wa helpful': 462125, 'wa helpful notmypresident': 962305, 'helpful notmypresident 19': 391213, 'then local': 877319, 'understanding splendid': 940888, 'there is time': 878642, 'time to and': 897943, 'and then local': 73779, 'then local store': 877320, 'most of 19': 542538, 'of 19 thanks': 579414, 'thanks for understanding': 842082, 'for understanding splendid': 327424, 'disinfectant coronaoutbreak': 245635, 'coronamemes disinfectant': 205062, 'is the disinfectant': 452772, 'the disinfectant coronaoutbreak': 853387, 'disinfectant coronaoutbreak coronamemes': 245636, 'coronaoutbreak coronamemes disinfectant': 205115, 'whole stay': 990332, 'indoors or': 435415, 'stupid if': 815402, 'biggest gathering': 130248, 'gathering happening': 344463, 'this whole stay': 891387, 'whole stay indoors': 990333, 'stay indoors or': 797079, 'indoors or no': 435416, 'or no gathering': 616260, 'no gathering is': 564339, 'gathering is stupid': 344471, 'is stupid if': 452408, 'stupid if you': 815403, 'supermarket that now': 823192, 'that now the': 845424, 'now the biggest': 576031, 'the biggest gathering': 849654, 'biggest gathering happening': 130249, 'gathering happening right': 344464, 'now so really': 575851, 'so really not': 778116, 'really not stopping': 702461, 'not stopping this': 571772, 'simonblack': 769972, 'other unionized': 621152, 'unionized worker': 941961, '19 simonblack': 10549, 'simonblack amp': 769973, 'amp argue': 53410, 'argue they': 92697, 'should emerge': 765953, 'greater level': 363200, 'store clerk amp': 806993, 'clerk amp other': 181633, 'amp other unionized': 54249, 'other unionized worker': 621153, 'unionized worker have': 941962, 'against 19 simonblack': 37306, '19 simonblack amp': 10550, 'simonblack amp argue': 769974, 'amp argue they': 53411, 'argue they should': 92698, 'they should emerge': 883361, 'should emerge from': 765954, 'with greater level': 998678, 'greater level of': 363201, 'level of respect': 487657, '19 effecting': 6727, 'effecting your': 269199, 'your gasprices': 1024027, 'gasprices in': 344294, 'in mississauga': 425373, 'mississauga gas': 534395, 'are 70': 84143, '70 70': 21710, 'cent haven': 169067, 'like 20': 489692, 'covid 19 effecting': 213009, '19 effecting your': 6728, 'effecting your gasprices': 269200, 'your gasprices in': 1024028, 'gasprices in mississauga': 344295, 'in mississauga gas': 425374, 'mississauga gas price': 534396, 'gas price near': 343999, 'price near me': 675310, 'near me are': 553536, 'me are 70': 522445, 'are 70 70': 84144, '70 70 cent': 21711, '70 cent haven': 21742, 'cent haven seen': 169068, 'seen that in': 747273, 'that in like': 844452, 'in like 20': 424724, 'like 20 year': 489693, 'kit grocery': 475561, 'item tp': 463777, 'hoarding imagine': 399378, 'next if': 561405, 'if vaccine': 415232, 'and developed': 61294, 'developed becomes': 239686, 'if we think': 415319, 'we think the': 973535, 'think the situation': 885653, 'situation is bad': 772341, 'is bad now': 445967, 'bad now with': 107965, 'test kit grocery': 839057, 'kit grocery item': 475562, 'grocery item tp': 364664, 'item tp hoarding': 463778, 'tp hoarding imagine': 927842, 'hoarding imagine what': 399379, 'will happen next': 993601, 'happen next if': 377123, 'next if vaccine': 561406, 'if vaccine is': 415233, 'vaccine is developed': 951726, 'is developed and': 447155, 'developed and developed': 239682, 'and developed becomes': 61295, 'developed becomes available': 239687, 'becomes available in': 120205, 'investigation on': 443884, 'by nielsen': 153335, 'nielsen during': 562643, 'investigation on consumer': 443885, 'behavior by nielsen': 123949, 'by nielsen during': 153336, 'nielsen during covid': 562644, 'ha india': 370961, 'india consumed': 434351, 'consumed so': 195975, 'first fortnight': 308683, 'have stacked': 382708, 'stacked up': 791996, 'on tea': 603888, 'coffee baby': 185460, 'and sauce': 70931, 'sauce it': 737151, 'the kirana': 858827, 'well opposed': 978444, 'how ha india': 407951, 'ha india consumed': 370962, 'india consumed so': 434352, 'consumed so far': 195976, 'far in the': 298815, 'the first fortnight': 855310, 'first fortnight of': 308684, 'fortnight of covid': 329840, '19 people have': 9627, 'people have stacked': 648197, 'have stacked up': 382709, 'stacked up on': 791997, 'up on tea': 945626, 'on tea coffee': 603889, 'tea coffee baby': 835346, 'coffee baby food': 185461, 'baby food soap': 106609, 'food soap and': 316674, 'soap and sauce': 778926, 'and sauce it': 70932, 'sauce it the': 737152, 'it the kirana': 461550, 'the kirana store': 858828, 'kirana store that': 475408, 'doing well opposed': 252835, 'well opposed to': 978445, 'opposed to large': 613771, 'to large retail': 909046, 'large retail store': 479775, 'michaelson': 530277, 'stophoardin': 805342, 'special tonight': 788081, 'loved how': 504898, 'you kept': 1019457, 'kept reminding': 473073, 'reminding michaelson': 710628, 'michaelson that': 530278, 'massive compared': 519987, 'ha dontpanic': 370426, 'dontpanic stophoardin': 255383, 'love you saw': 504888, 'you saw you': 1020995, 'saw you on': 738335, 'you on special': 1020192, 'on special tonight': 603596, 'special tonight and': 788082, 'tonight and loved': 924361, 'and loved how': 66430, 'loved how you': 504899, 'how you kept': 409285, 'you kept reminding': 1019458, 'kept reminding michaelson': 473074, 'reminding michaelson that': 710629, 'michaelson that we': 530279, 're doing ok': 698542, 'doing ok since': 252572, 'ok since our': 597877, 'since our population': 770779, 'population is so': 664708, 'is so massive': 452025, 'so massive compared': 777728, 'massive compared to': 519988, 'to the amount': 916490, 'of the california': 590843, 'the california ha': 850280, 'california ha dontpanic': 155514, 'ha dontpanic stophoardin': 370427, 'from misleading': 336446, 'misleading fijian': 534097, 'fijian by': 305297, 'which claim': 985752, 'is warning trader': 453766, 'warning trader to': 967232, 'trader to refrain': 928784, 'refrain from misleading': 706746, 'from misleading fijian': 336447, 'misleading fijian by': 534098, 'fijian by selling': 305298, 'by selling item': 153926, 'selling item which': 749322, 'item which claim': 463816, 'which claim to': 985753, 'claim to protect': 179854, 'protect and cure': 684779, '19 the is': 11211, 'closed fewer': 183110, 'fewer and': 304196, 'spare part': 787490, 'factory left': 295966, 'left china': 485438, 'orange piled': 617936, 'terminal were closed': 838371, 'were closed fewer': 979451, 'closed fewer and': 183111, 'fewer and fewer': 304197, 'and fewer ship': 62820, 'good and spare': 356749, 'and spare part': 72047, 'spare part for': 787491, 'american factory left': 51961, 'factory left china': 295967, 'left china and': 485439, 'and orange piled': 68238, 'orange piled up': 617937, 'piled up on': 656553, 'debate around': 230311, 'around capitalism': 93244, 'add another': 31397, 'another voice': 77941, 'the debate around': 852980, 'debate around capitalism': 230312, 'around capitalism in': 93245, 'of add another': 579775, 'add another voice': 31398, 'retailweek': 719583, 'mands': 513100, 'coronavirus asda': 205519, 'spencer introduce': 788539, 'introduce more': 443386, 'from retailweek': 337109, 'retailweek asda': 719584, 'asda mands': 94945, 'coronavirus asda and': 205520, 'asda and mark': 94905, 'and mark spencer': 66699, 'mark spencer introduce': 515825, 'spencer introduce more': 788540, 'introduce more in': 443387, 'in store safety': 428450, 'store safety measure': 809953, 'more from retailweek': 539307, 'from retailweek asda': 337110, 'retailweek asda mands': 719585, 'stocked put': 803374, 'choice than': 177814, 'put grocery store': 690590, 'already stocked put': 47682, 'stocked put you': 803375, 'other choice than': 619944, 'choice than being': 177815, 'than being there': 840405, 'someone close': 784406, 'family tested': 298283, 'did wa': 240898, 'home bruh': 400819, 'bruh like': 141333, 'being fucking': 125175, 'stupid who': 815497, 'tf care': 839998, 'someone close to': 784407, 'my family tested': 548226, 'family tested positive': 298284, 'all she did': 44301, 'she did wa': 755987, 'did wa go': 240899, 'store stay your': 810356, 'stay your as': 797412, 'your as home': 1022844, 'as home bruh': 94759, 'home bruh like': 400820, 'bruh like stop': 141334, 'like stop being': 491244, 'stop being fucking': 804488, 'being fucking stupid': 125176, 'fucking stupid who': 340023, 'stupid who tf': 815498, 'who tf care': 989745, 'tf care if': 839999, 'wanna be out': 965613, 'be out in': 116285, 'upset sad': 947819, 'and knew': 65877, 'would don': 1011774, 'laundry don': 482109, 'outside just': 629470, 'upset sad the': 947820, 'sad the number': 729260, 'the number keep': 861956, 'keep rising and': 471859, 'rising and knew': 723163, 'and knew it': 65878, 'knew it would': 476054, 'it would don': 462589, 'would don want': 1011775, 'or do laundry': 615015, 'do laundry don': 249557, 'laundry don want': 482110, 'go outside just': 354015, 'outside just want': 629471, 'just want this': 470228, 'want this to': 965979, 'wow aetna': 1012536, 'aetna just': 33938, 'their policyholder': 874337, 'policyholder will': 663552, 'treatment at': 931039, 'hospital estimate': 404396, 'estimate for': 282243, 'were responsible': 980060, 'for approx': 319468, 'approx 20k': 83226, '20k they': 14906, 'are division': 85876, 'of cv': 582298, 'cv amazing': 223833, 'amazing corporate': 50666, 'corporate move': 207315, 'wow aetna just': 1012537, 'aetna just announced': 33939, 'announced that their': 77071, 'that their policyholder': 846883, 'their policyholder will': 874338, 'policyholder will not': 663553, 'pay their cost': 645158, 'their cost for': 872889, 'cost for treatment': 207953, 'for treatment for': 327339, '19 treatment at': 11569, 'treatment at hospital': 931040, 'at hospital estimate': 99191, 'hospital estimate for': 404397, 'estimate for patient': 282244, 'for patient is': 324416, 'patient is that': 644194, 'they were responsible': 883799, 'were responsible for': 980061, 'responsible for approx': 716030, 'for approx 20k': 319469, 'approx 20k they': 83227, '20k they are': 14907, 'they are division': 881253, 'are division of': 85877, 'division of cv': 248681, 'of cv amazing': 582299, 'cv amazing corporate': 223834, 'amazing corporate move': 50667, 'corporate move for': 207316, 'move for the': 543650, 'interesing': 441319, 'inefficent': 436296, 'nestl': 557522, 'simplified': 770165, 'interesing disclosure': 441320, 'disclosure re': 244400, 'maker with': 510883, 'with inefficent': 998991, 'inefficent product': 436297, 'product nestl': 681432, 'nestl canada': 557523, 'that simplified': 846319, 'simplified portfolio': 770166, 'portfolio approach': 664992, 'approach enables': 82943, 'enables greater': 275464, 'greater efficiency': 363174, 'efficiency across': 269399, 'entire value': 278768, 'interesing disclosure re': 441321, 'disclosure re food': 244401, 'food maker with': 315365, 'maker with inefficent': 510884, 'with inefficent product': 998992, 'inefficent product line': 436298, 'product line covid': 681379, 'line covid 19': 493043, '19 force them': 7088, 'them to focus': 876473, 'focus on high': 311878, 'demand product nestl': 236086, 'product nestl canada': 681433, 'nestl canada we': 557524, 'canada we believe': 160605, 'believe that simplified': 126349, 'that simplified portfolio': 846320, 'simplified portfolio approach': 770167, 'portfolio approach enables': 664993, 'approach enables greater': 82944, 'enables greater efficiency': 275465, 'greater efficiency across': 363175, 'efficiency across the': 269400, 'the entire value': 854373, 'entire value chain': 278769, 'grocerystorehero': 366352, 'you grocerystorehero': 1018944, 'grocerystorehero and': 366353, 'logistics staff': 500797, 'are trucker': 91207, 'trucker or': 932940, 'job quarantinelife': 466119, 'quarantinelife truckdrivers': 693039, 'thank you grocerystorehero': 841739, 'you grocerystorehero and': 1018945, 'grocerystorehero and logistics': 366354, 'and logistics staff': 66342, 'logistics staff please': 500798, 'staff please stay': 792763, 'are sick so': 90115, 'sick so everyone': 768607, 'so everyone that': 776981, 'everyone that are': 287460, 'that are trucker': 842830, 'are trucker or': 91208, 'trucker or grocery': 932941, 'or grocery staff': 615527, 'grocery staff can': 365148, 'staff can do': 792295, 'their job quarantinelife': 873733, 'job quarantinelife truckdrivers': 466120, 'paracetamols': 641288, 'problem unlike': 679732, 'chemist bear': 175411, 'bear my': 118415, 'it clever': 457170, 'clever to': 181872, '16 paracetamols': 4155, 'paracetamols they': 641289, 'the backlash': 849161, 'backlash from': 107561, 'are at normal': 84676, 'normal price no': 567277, 'price no problem': 675349, 'no problem unlike': 565201, 'problem unlike the': 679733, 'unlike the chemist': 942727, 'the chemist bear': 850796, 'chemist bear my': 175412, 'bear my friend': 118416, 'friend who think': 333907, 'think it clever': 885323, 'it clever to': 457171, 'clever to charge': 181873, 'to charge 99': 902633, 'charge 99 for': 173184, '99 for pack': 23828, 'pack of 16': 633083, 'of 16 paracetamols': 579371, '16 paracetamols they': 4156, 'paracetamols they may': 641290, 'they may survive': 882668, 'may survive but': 521549, 'survive but doubt': 829136, 'but doubt they': 145607, 'they ll survive': 882614, 'survive the backlash': 829240, 'the backlash from': 849162, 'backlash from local': 107562, 'from local people': 336255, 'food4less': 317734, 'to food4less': 906107, 'food4less to': 317735, 'pizza left': 657181, 'were california': 979415, 'california pizza': 155557, 'pizza kitchen': 657179, 'kitchen thin': 475759, 'thin crust': 884053, 'crust cheese': 219826, 'cheese had': 175193, 'pizza or': 657189, 'or starve': 617200, 'starve got': 795196, 'pizza if': 657169, 'this pizza': 889593, 'pizza might': 657183, 'might finish': 530981, 'went to food4less': 979150, 'to food4less to': 906108, 'food4less to stock': 317736, 'food the only': 317126, 'only frozen pizza': 610489, 'frozen pizza left': 339006, 'pizza left were': 657182, 'left were california': 485722, 'were california pizza': 979416, 'california pizza kitchen': 155558, 'pizza kitchen thin': 657180, 'kitchen thin crust': 475760, 'thin crust cheese': 884054, 'crust cheese had': 219827, 'cheese had to': 175194, 'make choice do': 509770, 'choice do get': 177753, 'do get the': 249330, 'get the pizza': 348280, 'the pizza or': 863763, 'pizza or starve': 657190, 'or starve got': 617201, 'starve got the': 795197, 'got the pizza': 358911, 'the pizza if': 863761, 'pizza if covid': 657170, 'doesn get me': 251799, 'get me this': 347541, 'me this pizza': 523721, 'this pizza might': 889594, 'pizza might finish': 657184, 'might finish the': 530982, 'finish the job': 307871, 'grab your': 361556, 'bottle yet': 136363, 'yet consider': 1016037, 'folk vet': 312289, 'vet staff': 955706, 'did you grab': 240931, 'you grab your': 1018925, 'grab your eco': 361557, 'eco bottle yet': 266655, 'bottle yet consider': 136364, 'yet consider donating': 1016038, 'worker delivery folk': 1006743, 'delivery folk vet': 234003, 'folk vet staff': 312290, 'vet staff etc': 955707, 'pressure nh': 671192, 'kent are': 472816, 'given dedicated': 350981, 'slot working': 774301, 'working amid': 1008489, 'leaf them': 483822, 'them struggling': 876342, 'under pressure nh': 940207, 'pressure nh staff': 671193, 'nh staff in': 562092, 'staff in kent': 792553, 'in kent are': 424465, 'kent are asking': 472817, 'are asking to': 84649, 'asking to be': 96094, 'be given dedicated': 115024, 'given dedicated shopping': 350982, 'shopping slot working': 763911, 'slot working amid': 774302, 'working amid the': 1008490, 'pandemic leaf them': 635872, 'leaf them struggling': 483823, 'them struggling to': 876343, 'buy essential grocery': 148574, 'coronacrisis one': 204680, 'day fossil': 227644, 'fuel will': 340315, 'available one': 104539, 'will exceed': 993363, 'exceed capacity': 289028, 'capacity we': 162604, 'not dealing': 568965, 'shopping below': 762228, 'coronacrisis one day': 204681, 'one day fossil': 606157, 'day fossil fuel': 227645, 'fossil fuel will': 330085, 'fuel will no': 340316, 'longer be available': 501935, 'be available one': 113760, 'available one day': 104540, 'one day the': 606165, 'day the human': 228491, 'human population will': 410591, 'population will exceed': 664754, 'will exceed capacity': 993364, 'exceed capacity we': 289029, 'capacity we deal': 162605, 'with it by': 999062, 'it by not': 456978, 'by not dealing': 153358, 'not dealing with': 568966, 'with it save': 999080, 'it save on': 460877, 'save on your': 737607, 'online shopping below': 609053, 'doe the impact': 251611, 'of 19 mean': 579402, 'the and industry': 848704, 'bad dream': 107833, 'dream where': 258634, 'where forgot': 984877, 'forgot my': 329402, 'had bad dream': 372872, 'bad dream where': 107834, 'dream where forgot': 258635, 'where forgot my': 984878, 'forgot my hand': 329403, 'sanitizer and wa': 734453, 'and wa already': 75078, 'already in the': 47476, 'doing to me': 252794, 'md grocery': 522268, 'letting more': 487424, 'not standing': 571689, 'standing 6ft': 793738, 'line need': 493273, 'need number': 555315, 'number system': 577058, 'time frame': 896789, 'frame of': 330943, 'min should': 532571, 'be tape': 117520, 'apart otherwise': 81318, 'md grocery store': 522269, 'store are letting': 806493, 'are letting more': 87770, 'letting more than': 487425, '100 people at': 2016, 'are not standing': 88472, 'not standing 6ft': 571690, 'standing 6ft away': 793739, '6ft away in': 21603, 'away in line': 105947, 'in line need': 424762, 'line need number': 493274, 'need number system': 555316, 'number system for': 577059, 'people entering store': 647807, 'entering store time': 278417, 'store time frame': 810742, 'time frame of': 896790, 'frame of 20': 330944, 'of 20 min': 579451, '20 min should': 13166, 'min should also': 532572, 'also be tape': 47928, 'be tape in': 117521, 'tape in line': 834359, 'line so people': 493411, 'so people stand': 778003, 'people stand 6ft': 649527, '6ft apart otherwise': 21597, 'hourding': 406122, 'to hourding': 908003, 'hourding this': 406123, 'with malaria': 999368, 'malaria the': 511567, 'drug is': 260988, 'already short': 47650, 'price in international': 674699, 'due to hourding': 261817, 'to hourding this': 908004, 'hourding this is': 406124, 'scandal in making': 740717, 'in making even': 424998, 'even if not': 284208, 'if not used': 414515, 'die with malaria': 241487, 'with malaria the': 999369, 'malaria the drug': 511568, 'the drug is': 853735, 'drug is already': 260989, 'is already short': 445536, 'already short in': 47651, 'short in local': 764627, 'asia during': 95168, 'sentiment in asia': 750947, 'in asia during': 420518, 'asia during the': 95169, 'coronavirus crisis mckinsey': 205760, 'gathering on': 344491, 'on railway': 603067, 'then lodge': 877323, 'lodge your': 500589, 'price are increased': 672682, 'are increased to': 87475, 'from gathering on': 335607, 'gathering on railway': 344492, 'on railway station': 603068, 'station in view': 796437, 'view of current': 957123, 'of current crisis': 582259, 'current crisis understand': 221161, 'context then lodge': 200919, 'then lodge your': 877324, 'lodge your outrage': 500590, 'so dry': 776927, 'dry so': 261299, 'hand have never': 375008, 'been so dry': 121991, 'so dry so': 776928, 'dry so much': 261300, 'hand sanitizer washyourhands': 375650, 'woman climbing': 1003441, 'climbing the': 182282, 'shelf witnessed': 757827, 'witnessed people': 1003164, 'rude to': 727058, 'calm kind': 156758, 'kind considerate': 474822, 'considerate thank': 195230, 'hard worker': 378134, 'worker avoid': 1006490, 'avoid hoarding': 105146, 'control what': 202207, 'control ourselves': 202093, 'saw woman climbing': 738330, 'woman climbing the': 1003442, 'climbing the shelf': 182283, 'the shelf witnessed': 866906, 'shelf witnessed people': 757828, 'witnessed people being': 1003165, 'being rude to': 125706, 'rude to each': 727059, 'other the worker': 621096, 'the worker please': 871758, 'stay calm kind': 796815, 'calm kind considerate': 156759, 'kind considerate thank': 474823, 'considerate thank the': 195231, 'the hard worker': 857106, 'hard worker avoid': 378135, 'worker avoid hoarding': 1006491, 'avoid hoarding we': 105147, 'hoarding we cannot': 399644, 'we cannot control': 971053, 'cannot control what': 161732, 'control what will': 202208, 'will happen but': 993595, 'happen but we': 377064, 'can control ourselves': 157991, 'bedding': 120432, 'eid': 270171, '19 nobody': 8806, 'buy pillow': 149087, 'pillow and': 656712, 'and bedding': 58803, 'bedding my': 120435, 'guess from': 367976, 'food type': 317381, 'type and': 937510, 'and furniture': 63437, 'furniture this': 341966, 'someone expecting': 784461, 'family visiting': 298352, 'visiting for': 959524, 'iftar or': 415656, 'or eid': 615121, 'eid it': 270172, 'look more': 502539, 'don think this': 253985, 'think this ha': 885699, 'this ha anything': 887799, 'ha anything to': 369596, 'covid 19 nobody': 213479, '19 nobody panic': 8807, 'nobody panic buy': 566047, 'panic buy pillow': 637519, 'buy pillow and': 149088, 'pillow and bedding': 656713, 'and bedding my': 58804, 'bedding my guess': 120436, 'my guess from': 548588, 'guess from the': 367977, 'the food type': 855618, 'food type and': 317382, 'type and furniture': 937511, 'and furniture this': 63438, 'furniture this is': 341967, 'this is someone': 888406, 'is someone expecting': 452099, 'someone expecting lot': 784462, 'of family visiting': 583413, 'family visiting for': 298353, 'visiting for week': 959525, 'or two for': 617560, 'two for iftar': 936931, 'for iftar or': 322473, 'iftar or eid': 415657, 'or eid it': 615122, 'eid it look': 270173, 'it look more': 459459, 'fiasco': 304367, 'rile': 722497, 'shopping fiasco': 762636, 'fiasco is': 304368, 'to rile': 913532, 'rile me': 722498, 'could quite': 209556, 'quite easily': 694847, 'supermarket booking': 819388, 'booking the': 134745, 'slot stopping': 774268, 'stopping disabled': 805806, 'become selfish': 120124, 'selfish onlineshopping': 748183, 'online shopping fiasco': 609121, 'shopping fiasco is': 762637, 'fiasco is starting': 304369, 'starting to rile': 795034, 'to rile me': 913533, 'rile me now': 722499, 'me now people': 523237, 'now people who': 575532, 'people who could': 650279, 'who could quite': 988510, 'could quite easily': 209557, 'quite easily go': 694848, 'easily go to': 265213, 'the supermarket booking': 868490, 'supermarket booking the': 819389, 'booking the supermarket': 134746, 'the supermarket slot': 868808, 'supermarket slot stopping': 822715, 'slot stopping disabled': 774269, 'stopping disabled and': 805807, 'vulnerable customer like': 960924, 'like me from': 490744, 'me from getting': 522784, 'from getting home': 335629, 'getting home delivery': 349045, 'home delivery when': 401055, 'delivery when did': 234738, 'when did we': 983339, 'did we become': 240902, 'we become selfish': 970831, 'become selfish onlineshopping': 120125, 'willenhall': 995406, 'in willenhall': 430917, 'willenhall at': 995407, '45 this': 19141, 'morning see': 541423, 'staff loading': 792621, 'numerous packet': 577142, 'paper setting': 640745, 'setting good': 753633, 'example with': 289009, 'national panic': 552576, 'so while waiting': 778741, 'lot to buy': 504389, 'dog food in': 252083, 'food in willenhall': 314983, 'in willenhall at': 430918, 'willenhall at 45': 995408, 'at 45 this': 97659, '45 this morning': 19142, 'this morning see': 889005, 'morning see your': 541424, 'see your staff': 746124, 'your staff loading': 1025914, 'staff loading their': 792622, 'loading their car': 497345, 'their car with': 872733, 'car with numerous': 163357, 'with numerous packet': 999838, 'numerous packet of': 577143, 'toilet paper setting': 921443, 'paper setting good': 640746, 'setting good example': 753634, 'good example with': 357020, 'example with the': 289010, 'with the national': 1001399, 'the national panic': 861302, 'national panic buying': 552577, 'stockmarket your': 803684, 'you quaratineandchill': 1020524, 'quarentinelife stock': 693211, 'optionstrading bitcoin': 614163, 'bitcoin fractionalshares': 131818, 'fractionalshares chloroquine': 330871, 'chloroquine fridayfeeling': 177599, 'price stockmarket your': 676670, 'stockmarket your free': 803685, 'for you quaratineandchill': 328081, 'you quaratineandchill quarentinelife': 1020525, 'quaratineandchill quarentinelife stock': 693113, 'quarentinelife stock optionstrading': 693212, 'stock optionstrading bitcoin': 802580, 'optionstrading bitcoin fractionalshares': 614164, 'bitcoin fractionalshares chloroquine': 131819, 'fractionalshares chloroquine fridayfeeling': 330872, 'chloroquine fridayfeeling socialdistanacing': 177600, 'america stocked': 51686, 'road along': 724391, 'keeping america stocked': 472375, 'america stocked and': 51687, 'stocked and ready': 803269, 'deserve all of': 238027, 'of our praise': 587543, 'the road along': 865915, 'road along with': 724392, 'coronavirus spur': 206809, 'spur wave': 791340, 'suspect website': 829507, 'outbreak building': 628052, 'building into': 142092, 'scam pandemic': 740287, 'price scam': 676305, 'coronavirus spur wave': 206810, 'spur wave of': 791341, 'wave of suspect': 969383, 'of suspect website': 590544, 'suspect website looking': 829508, 'cash in first': 166254, 'in first come': 422909, 'first come the': 308579, 'come the outbreak': 187527, 'the outbreak building': 862595, 'outbreak building into': 628053, 'building into pandemic': 142093, 'into pandemic then': 442840, 'pandemic then come': 636719, 'then come the': 877079, 'come the price': 187528, 'gouging and the': 359254, 'and the scam': 73566, 'the scam pandemic': 866416, 'scam pandemic price': 740288, 'pandemic price scam': 636236, 'trustworthy': 934372, 'mpklib': 544324, 'for trustworthy': 327368, 'trustworthy information': 934373, '19 log': 8455, 'log on': 500620, 'the mpklib': 861115, 'mpklib consumer': 544325, 'local information': 498119, 'information update': 438023, 'agency parenting': 38055, 'parenting information': 641795, 'for educator': 320959, 'educator and': 268898, 'looking for trustworthy': 502912, 'for trustworthy information': 327369, 'trustworthy information about': 934374, 'covid 19 log': 213371, '19 log on': 8456, 'log on to': 500621, 'to the mpklib': 916889, 'the mpklib consumer': 861116, 'mpklib consumer health': 544326, 'consumer health resource': 197729, 'health resource center': 386795, 'resource center for': 714734, 'center for local': 169208, 'for local information': 323050, 'local information update': 498120, 'information update from': 438024, 'update from government': 946977, 'from government agency': 335674, 'government agency parenting': 359845, 'agency parenting information': 38056, 'parenting information and': 641796, 'information and resource': 437741, 'and resource for': 70325, 'resource for educator': 714781, 'for educator and': 320960, 'educator and student': 268899, 'whel': 983099, 'europ': 283381, 'eadible': 264349, '19 down': 6642, 'where found': 984879, 'found ple': 330338, 'ple fetch': 659533, 'fetch water': 303618, 'dam whel': 225170, 'whel swamp': 983100, 'swamp collect': 829927, 'unlike asian': 942695, 'asian usa': 95369, 'usa europ': 948634, 'europ where': 283382, 'where eadible': 984848, 'eadible are': 264350, 'are collected': 85418, 'is african': 445411, 'african meat': 35208, 'nature of the': 552975, 'of the life': 591189, 'the life style': 859343, 'life style is': 489073, 'style is spreading': 815609, 'is spreading covid': 452190, 'covid 19 down': 212980, '19 down here': 6643, 'area where found': 92261, 'where found ple': 984880, 'found ple fetch': 330339, 'ple fetch water': 659534, 'fetch water from': 303619, 'from dam whel': 335099, 'dam whel swamp': 225171, 'whel swamp collect': 983101, 'swamp collect food': 829928, 'food from garden': 314604, 'from garden and': 335596, 'orchard unlike asian': 617960, 'unlike asian usa': 942696, 'asian usa europ': 95370, 'usa europ where': 948635, 'europ where eadible': 283383, 'where eadible are': 984849, 'eadible are collected': 264351, 'are collected from': 85419, 'from supermarket for': 337483, 'that reason covid': 845967, '19 is african': 7929, 'is african meat': 445412, 'allowed consumer': 46143, 'marketplace platform ha': 517826, 'platform ha allowed': 658971, 'ha allowed consumer': 369491, 'allowed consumer to': 46144, 'be hungry': 115329, 'hungry now': 411283, '19 talk': 11033, 'talk which': 833913, 'which allowed': 985650, 'allowed everyone': 46153, 'job chance': 465734, 'reason for most': 702905, 'for most to': 323626, 'most to be': 542819, 'to be hungry': 901319, 'be hungry now': 115330, 'hungry now there': 411284, 'now there wa': 576095, 'there wa few': 879238, 'wa few month': 962117, 'month of covid': 537893, 'covid 19 talk': 213909, '19 talk which': 11034, 'talk which allowed': 833914, 'which allowed everyone': 985651, 'allowed everyone with': 46154, 'everyone with job': 287625, 'with job chance': 999110, 'job chance to': 465735, 'up on canned': 945536, 'now literally': 575225, 'literally will': 495111, 'up price you': 945844, 'price you now': 677696, 'you now literally': 1020158, 'now literally will': 575226, 'literally will have': 495112, 'will have company': 993623, 'have company call': 380049, 'company call you': 190515, 'call you up': 156258, 'you up and': 1021986, 'keeping ultra': 472609, '2008 prof': 13690, 'supported keeping ultra': 827057, 'keeping ultra low': 472610, 'the 2008 prof': 847994, '2008 prof problematic': 13691, 'lpd': 506311, 'kri': 477674, 'semarang': 749593, 'changi': 172629, 'naval': 553041, 'batam': 112563, 'riau': 720949, 'lcs': 482796, 'indonesian navy': 435339, 'navy lpd': 553152, 'lpd kri': 506312, 'kri semarang': 477675, 'semarang 594': 749594, '594 at': 20587, 'at changi': 98226, 'changi naval': 172630, 'naval base': 553042, 'base loading': 111459, 'loading 100': 497326, 'sanitizer concentrate': 734681, 'concentrate supplied': 192830, 'by singapore': 154025, 'singapore part': 771141, 'of batam': 580585, 'batam city': 112564, 'city riau': 179345, 'riau island': 720950, 'island relief': 454306, 'effort usn': 269658, 'usn independence': 950826, 'independence class': 434070, 'class lcs': 180212, 'lcs in': 482797, 'in background': 420653, 'background source': 107552, 'source 1st': 786437, '1st fleet': 12739, 'indonesian navy lpd': 435340, 'navy lpd kri': 553153, 'lpd kri semarang': 506313, 'kri semarang 594': 477676, 'semarang 594 at': 749595, '594 at changi': 20588, 'at changi naval': 98227, 'changi naval base': 172631, 'naval base loading': 553043, 'base loading 100': 111460, 'loading 100 liter': 497327, 'hand sanitizer concentrate': 375350, 'sanitizer concentrate supplied': 734682, 'concentrate supplied by': 192831, 'supplied by singapore': 824450, 'by singapore part': 154026, 'singapore part of': 771142, 'part of batam': 642332, 'of batam city': 580586, 'batam city riau': 112565, 'city riau island': 179346, 'riau island relief': 720951, 'island relief effort': 454307, 'relief effort usn': 709323, 'effort usn independence': 269659, 'usn independence class': 950827, 'independence class lcs': 434071, 'class lcs in': 180213, 'lcs in background': 482798, 'in background source': 420654, 'background source 1st': 107553, 'source 1st fleet': 786438, 'nasir of': 552036, 'governor nasir of': 360945, 'nasir of kaduna': 552037, 'where basically': 984753, 'basically don': 112124, 'see single': 745688, 'single soul': 771397, 'soul will': 786239, 'get fined': 347015, 'fined if': 307753, 'go fishing': 353541, 'fishing to': 309418, 'gather what': 344411, 'don risk': 253876, 'risk mixing': 723689, 'now th': 575981, 'area where basically': 92260, 'where basically don': 984754, 'basically don see': 112125, 'don see single': 253895, 'see single soul': 745689, 'single soul will': 771398, 'soul will get': 786240, 'will get fined': 993505, 'get fined if': 347016, 'fined if go': 307754, 'if go fishing': 414155, 'go fishing to': 353542, 'fishing to gather': 309419, 'to gather what': 906381, 'gather what is': 344412, 'is essential food': 447543, 'essential food for': 281043, 'for me here': 323316, 'me here don': 522895, 'here don risk': 392927, 'don risk mixing': 253877, 'risk mixing with': 723690, 'mixing with huge': 534660, 'with huge number': 998904, 'huge number of': 410103, 'people at busy': 647168, 'busy supermarket which': 144981, 'is now th': 450345, 'uren': 948143, 'david uren': 227006, 'uren on': 948144, '1919 it': 12320, 'economy rather': 268163, 'than crisis': 840475, 'stage and': 793177, 'important qualification': 418933, 'longer this': 502089, 'likely we': 492191, 'see financial': 745111, 'financial component': 306351, 'david uren on': 227007, 'uren on the': 948145, 'economic crisis of': 267037, 'crisis of 1919': 217779, 'of 1919 it': 579427, '1919 it is': 12321, 'it is crisis': 458920, 'is crisis in': 446934, 'consumer economy rather': 197314, 'economy rather than': 268164, 'rather than crisis': 697511, 'than crisis at': 840476, 'crisis at this': 217094, 'this stage and': 890293, 'stage and that': 793178, 'an important qualification': 56202, 'important qualification to': 418934, 'qualification to make': 691700, 'make the longer': 510573, 'the longer this': 859696, 'longer this go': 502090, 'on the more': 604241, 'the more likely': 860888, 'more likely we': 539698, 'likely we are': 492192, 'are to see': 91113, 'to see financial': 914007, 'see financial component': 745112, 'conglomerate': 194416, 'deglobalizing': 232537, 'urban conglomerate': 948105, 'conglomerate and': 194417, 'and visa': 74981, 'in deglobalizing': 422078, 'deglobalizing world': 232538, 'work find': 1005127, 'in urban conglomerate': 430473, 'urban conglomerate and': 948106, 'conglomerate and visa': 194418, 'and visa restriction': 74982, 'restriction in deglobalizing': 717292, 'in deglobalizing world': 422079, 'deglobalizing world can': 232539, 'world can make': 1009395, 'can make remote': 158948, 'of work find': 593248, 'work find out': 1005128, 'commission report new': 188886, 'report new scam': 712093, 'if michael': 414417, 'michael worker': 530267, 'support michael': 826649, 'michael is': 530249, 'started their': 794854, 'their yearly': 875253, 'yearly lowest': 1015138, 'sale store': 732551, 'adequate cleaning': 32158, 'supply either': 825203, 'have petition': 381923, 'wondering if michael': 1004173, 'if michael worker': 414418, 'michael worker can': 530268, 'get your support': 348741, 'your support michael': 1026087, 'support michael is': 826650, 'michael is refusing': 530250, 'close and starting': 182541, 'and starting today': 72265, 'starting today have': 795052, 'today have started': 919618, 'have started their': 382731, 'started their yearly': 794855, 'their yearly lowest': 875254, 'yearly lowest price': 1015139, 'season sale store': 743439, 'sale store are': 732552, 'not provided adequate': 571149, 'provided adequate cleaning': 686562, 'adequate cleaning supply': 32159, 'cleaning supply either': 181077, 'supply either we': 825204, 'either we have': 270412, 'we have petition': 971897, 'closing retailer': 183742, 'retailer shutting': 719319, 'shutting door': 768248, 'door modifying': 255654, 'modifying hour': 535513, 'health retail': 386801, 'store closing retailer': 807078, 'closing retailer shutting': 183743, 'retailer shutting door': 719320, 'shutting door modifying': 768249, 'door modifying hour': 255655, 'modifying hour to': 535514, 'hour to combat': 406019, 'combat coronavirus health': 186998, 'coronavirus health retail': 206063, 'health retail response': 386802, 'crisis west': 218373, 'based agewell': 111495, 'service launch': 752547, 'food demand increase': 314174, 'demand increase during': 235687, '19 crisis west': 6350, 'crisis west michigan': 218374, 'west michigan based': 980520, 'michigan based agewell': 530323, 'based agewell service': 111496, 'agewell service launch': 38206, 'service launch curbside': 752548, 'launch curbside pickup': 481886, 'medibank': 525985, 'customer top': 222993, 'priority medibank': 678605, 'medibank is': 525986, 'store network': 809056, 'network 19': 557691, 'healthcare retail': 387267, 'our people and': 624306, 'people and customer': 646853, 'and customer top': 60871, 'customer top priority': 222994, 'top priority medibank': 925682, 'priority medibank is': 678606, 'medibank is making': 525987, 'retail store network': 718666, 'store network 19': 809057, 'network 19 healthcare': 557692, '19 healthcare retail': 7489, 'delish': 233070, 'delish food': 233071, 'delish food company': 233072, '19 concern via': 5929, 'home life': 401526, 'life how': 488736, 'home life how': 401527, 'life how to': 488737, 'safe when grocery': 730134, 'targetnews': 834586, 'tgt target': 840039, 'target post': 834493, 'post same': 666301, 'buying month': 150725, 'march overall': 515431, 'overall comparable': 630999, 'comparable sale': 191371, 'above last': 27079, 'said with': 731594, 'with comparable': 997707, 'beverage up': 129045, '50 targetnews': 19869, 'tgt target post': 840040, 'target post same': 834494, 'post same store': 666302, 'store sale surge': 809974, 'panic buying month': 637812, 'buying month to': 150726, 'month to date': 538080, 'date in march': 226656, 'in march overall': 425112, 'march overall comparable': 515432, 'overall comparable sale': 631000, 'comparable sale were': 191373, 'sale were more': 732643, '20 above last': 12926, 'above last year': 27080, 'last year the': 480736, 'company said with': 191048, 'said with comparable': 731595, 'with comparable sale': 997708, 'comparable sale in': 191372, 'sale in essential': 732294, 'in essential and': 422602, 'and beverage up': 58934, 'beverage up more': 129046, 'than 50 targetnews': 840263, 'demand p2': 236004, 'p2 news': 632806, 'news politics': 560704, 'high demand p2': 395022, 'demand p2 news': 236005, 'p2 news politics': 632807, 'am ghost': 50076, 'ghost writing': 349684, 'writing amp': 1012887, 'amp during': 53685, 'this flexible': 887553, 'flexible on': 310390, 'until have': 943732, 'something written': 785151, 'written do': 1012958, 'need down': 554707, 'payment before': 645562, 'before send': 123061, 'the lyric': 859840, 'lyric though': 507153, 'am ghost writing': 50077, 'ghost writing amp': 349685, 'writing amp during': 1012888, 'amp during this': 53686, 'during this flexible': 263285, 'this flexible on': 887554, 'flexible on price': 310391, 'on price you': 602924, 'price you won': 677701, 'pay me until': 644992, 'me until have': 523854, 'until have something': 943733, 'have something written': 382656, 'something written do': 785152, 'written do need': 1012959, 'do need down': 249637, 'need down payment': 554708, 'down payment before': 257079, 'payment before send': 645563, 'before send you': 123062, 'send you all': 749981, 'all the lyric': 44818, 'the lyric though': 859841, 'work talk': 1005785, 'grip people who': 364032, 'who come to': 988473, 'where work talk': 985370, 'work talk about': 1005786, 'how they do': 408915, 'home until you': 402405, 'until you tell': 943948, 'you tell them': 1021543, 'them to tell': 876521, 'tell them now': 837099, 'them now stayhomesavelives': 876068, 'simcoe': 769878, 'reinon': 708266, 'south simcoe': 786777, 'simcoe realtor': 769879, 'realtor say': 702800, 'slowing house': 774554, 'steady realestate': 799138, 'realestate investing': 701490, 'investing mortgage': 443937, 'mortgage housing': 541914, 'housing property': 407140, 'property reinon': 684354, 'reinon ontario': 708267, 'south simcoe realtor': 786778, 'simcoe realtor say': 769880, 'realtor say pandemic': 702801, 'say pandemic slowing': 739042, 'pandemic slowing house': 636489, 'slowing house sale': 774555, 'house sale but': 406542, 'sale but price': 732111, 'but price still': 146846, 'still steady realestate': 801230, 'steady realestate investing': 799139, 'realestate investing mortgage': 701491, 'investing mortgage housing': 443938, 'mortgage housing property': 541915, 'housing property reinon': 407141, 'property reinon ontario': 684355, 'crap plus': 214905, 'entire sidewalk': 278737, 'practice socialdistancing for': 668657, 'then once you': 877381, 'are off what': 88651, 'off what wrong': 594376, 'of this crap': 591959, 'this crap plus': 887000, 'crap plus family': 214906, 'take up the': 832770, 'up the entire': 946169, 'the entire sidewalk': 854366, 'entire sidewalk and': 278738, 'sidewalk and make': 768950, 'make little or': 510098, 'or no effort': 616258, 'artificialintelligence': 94536, 'emerging cross': 273109, 'cross industry': 219013, 'industry trend': 436188, 'crisis travel': 218271, 'travel tourism': 930545, 'tourism traveltrends': 927016, 'traveltrends artificialintelligence': 930709, 'artificialintelligence digitaltransformation': 94539, 'what are 10': 981053, 'are 10 emerging': 84096, '10 emerging cross': 1416, 'emerging cross industry': 273110, 'cross industry trend': 219014, 'industry trend that': 436189, 'the crisis travel': 852467, 'crisis travel tourism': 218272, 'travel tourism traveltrends': 930546, 'tourism traveltrends artificialintelligence': 927017, 'traveltrends artificialintelligence digitaltransformation': 930710, 'wage worker are': 964001, 'health home care': 386501, 'care worker childcare': 164281, 'childcare worker and': 176313, 'deborahbirx': 230398, 'blathered': 132446, 'very telling': 955608, 'telling also': 837183, 'also telling': 48956, 'telling is': 837216, 'doctor deborahbirx': 250883, 'deborahbirx the': 230399, 'who stood': 989694, 'stood silent': 804389, 'silent by': 769709, 'trump side': 933844, 'side he': 768818, 'he blathered': 384786, 'blathered about': 132447, 'the being': 849449, 'being not': 125459, 'that very telling': 847243, 'very telling also': 955609, 'telling also telling': 837184, 'also telling is': 48957, 'telling is that': 837217, 'is that doctor': 452642, 'that doctor deborahbirx': 843577, 'doctor deborahbirx the': 250884, 'deborahbirx the woman': 230400, 'woman who stood': 1003684, 'who stood silent': 989695, 'stood silent by': 804390, 'silent by trump': 769710, 'by trump side': 154607, 'trump side he': 933845, 'side he blathered': 768819, 'he blathered about': 384787, 'blathered about the': 132448, 'about the being': 26340, 'the being not': 849450, 'being not so': 125460, 'so bad is': 776580, 'bad is now': 107910, 'morecombe': 541044, 'two quickly': 937177, 'quickly lancaster': 694555, 'lancaster morecombe': 479237, 'morecombe lancashire': 541045, 'find these two': 307324, 'these two quickly': 880899, 'two quickly lancaster': 937178, 'quickly lancaster morecombe': 694556, 'lancaster morecombe lancashire': 479238, 'quidco': 694669, 'earn cashback': 264777, 'cashback at': 166398, '500 top': 20066, 'brand with': 138076, 'out join': 626457, 'cash free': 166238, 'free workingfromhome': 332336, 'workingfromhome shop': 1009110, 'shop essential': 760144, 'essential money': 281312, 'money quidco': 536992, 'due to earn': 261770, 'to earn cashback': 904835, 'earn cashback at': 264778, 'cashback at 500': 166399, 'at 500 top': 97683, '500 top brand': 20067, 'top brand with': 925543, 'brand with do': 138077, 'miss out join': 534175, 'out join today': 626458, 'join today for': 466891, 'today for free': 919537, 'for free cash': 321708, 'free cash free': 331704, 'cash free workingfromhome': 166239, 'free workingfromhome shop': 332337, 'workingfromhome shop essential': 1009111, 'shop essential money': 760145, 'essential money quidco': 281313, 'crohn': 218840, 'can bitch': 157765, 'bitch with': 131787, 'with crohn': 997860, 'crohn get': 218843, 'paper normal': 640509, 'everything crohn': 287746, 'crohn disease': 218841, 'disease toiletpaper': 245260, 'toiletpaper autoimmune': 921771, 'disease quarantinelife': 245217, 'can bitch with': 157766, 'bitch with crohn': 131788, 'with crohn get': 997861, 'crohn get fucking': 218844, 'get fucking toilet': 347122, 'toilet paper normal': 921370, 'paper normal people': 640510, 'normal people need': 567255, 'to stop taking': 915581, 'stop taking everything': 805098, 'taking everything crohn': 833350, 'everything crohn disease': 287747, 'crohn disease toiletpaper': 218842, 'disease toiletpaper autoimmune': 245261, 'toiletpaper autoimmune disease': 921772, 'autoimmune disease quarantinelife': 103935, 'hi stop': 394738, 'by constantly': 152177, 'constantly showing': 195703, 'show unloaded': 767249, 'unloaded truck': 942808, 'shelf instead': 757227, 'hi stop reinforcing': 394739, 'reinforcing people concern': 708261, 'people concern about': 647517, 'concern about empty': 192892, 'shelf by constantly': 756914, 'by constantly showing': 152178, 'constantly showing them': 195704, 'showing them in': 767535, 'about we show': 26856, 'we show unloaded': 973312, 'show unloaded truck': 767250, 'unloaded truck and': 942809, 'truck and stocked': 932724, 'and stocked shelf': 72424, 'stocked shelf instead': 803389, 'shelf instead responsiblereporting': 757228, 'the award': 849121, 'award winning': 105587, 'winning local': 996073, 'it guest': 458367, 'purchased they': 689810, 'they appreciate': 881182, 'the award winning': 849122, 'award winning local': 105588, 'winning local homeless': 996074, 'local homeless charity': 498084, 'homeless charity is': 402740, 'charity is struggling': 173651, 'cook for it': 202742, 'for it guest': 322709, 'it guest due': 458368, 'to shortage in': 914529, 'supermarket and restriction': 819050, 'item that can': 463691, 'be purchased they': 116632, 'purchased they appreciate': 689811, 'they appreciate your': 881183, 'appreciate your help': 82799, 'won forget': 1003810, 'clerk letter': 181729, 'appreciate and won': 82713, 'and won forget': 75818, 'won forget the': 1003811, 'worker pharmacy clerk': 1007570, 'pharmacy clerk letter': 654279, 'clerk letter carrier': 181730, 'letter carrier courier': 487297, 'line helping get': 493166, 'through this challenging': 894808, 'ukgovernment lockdownuk': 938965, 'lockdownuk shame': 500429, 'greedy tesco': 363620, 'end morrison': 275883, 'morrison on': 541739, 'making up': 511480, 'cutting essential': 223727, 'essential price': 281409, 'ukgovernment lockdownuk shame': 938966, 'lockdownuk shame on': 500430, 'on greedy tesco': 601172, 'greedy tesco you': 363621, 'tesco you just': 838862, 'you just wait': 1019435, 'till this end': 896114, 'this end morrison': 887379, 'end morrison on': 275884, 'morrison on the': 541740, 'hand are making': 374800, 'are making up': 88012, 'making up food': 511481, 'up food parcel': 944892, 'parcel to be': 641527, 'be delivered and': 114395, 'delivered and cutting': 233293, 'and cutting essential': 60890, 'cutting essential price': 223728, 'conversation around': 202458, '19 disparity': 6568, 'disparity need': 246095, 'to layer': 909112, 'layer in': 482627, 'both race': 136018, 'large clean': 479617, 'well designed': 978156, 'designed grocery': 238338, 'two narrow': 937072, 'narrow aisle': 551955, 're far': 698670, 'our conversation around': 622560, 'conversation around covid': 202459, 'covid 19 disparity': 212962, '19 disparity need': 6569, 'disparity need to': 246096, 'need to layer': 555984, 'to layer in': 909113, 'layer in both': 482628, 'in both race': 420925, 'both race and': 136019, 'race and place': 695180, 'and place if': 69047, 'place if you': 657504, 'access to large': 28252, 'to large clean': 909041, 'large clean and': 479618, 'and well designed': 75405, 'well designed grocery': 978157, 'designed grocery store': 238339, 'and buy your': 59359, 'food product at': 316015, 'product at place': 680978, 'at place with': 100128, 'place with only': 657845, 'only one or': 610882, 'or two narrow': 617565, 'two narrow aisle': 937073, 'narrow aisle of': 551956, 'aisle of food': 40326, 'you re far': 1020619, 're far more': 698671, 'far more vulnerable': 298854, 'service call': 752199, 'call during': 155838, 'home service call': 402042, 'service call during': 752200, 'call during the': 155839, 'pandemic consumer report': 635194, 'thief are': 884001, 'don respond': 253874, 'identity thief are': 413412, 'thief are hard': 884002, 'personal information don': 652889, 'information don respond': 437801, 'don respond to': 253875, 'dairy commodity': 224963, 'holding firm': 400109, 'firm the': 308430, 'evolve worldwide': 288520, 'worldwide get': 1010357, 'our trade': 625179, 'trade strategy': 928579, 'strategy team': 812718, 'team visit': 835818, 'dairy commodity price': 224964, 'are holding firm': 87218, 'holding firm the': 400110, 'firm the covid': 308431, 'to evolve worldwide': 905376, 'evolve worldwide get': 288521, 'worldwide get the': 1010358, 'from our trade': 336805, 'our trade strategy': 625180, 'trade strategy team': 928580, 'strategy team visit': 812719, 'be clinical': 114113, 'clinical white': 182334, 'better some': 128475, 'the than': 869353, 'than none': 840940, 'none despite': 566556, 'despite what': 238927, 'told also': 923522, 'also protects': 48707, 'protects others': 685842, 'others maybe': 621531, 'maybe homemade': 521706, 'with handkerchief': 998729, 'handkerchief rubber': 376154, 'kleenex good': 475899, 'to be clinical': 901169, 'be clinical white': 114114, 'clinical white and': 182335, 'white and better': 987813, 'and better some': 58917, 'better some protection': 128476, 'some protection against': 783665, 'against the than': 37681, 'the than none': 869354, 'than none despite': 840941, 'none despite what': 566557, 'despite what we': 238928, 'are told also': 91124, 'told also protects': 923523, 'also protects others': 48708, 'protects others maybe': 685844, 'others maybe homemade': 621532, 'maybe homemade mask': 521707, 'homemade mask with': 402841, 'mask with handkerchief': 519582, 'with handkerchief rubber': 998730, 'handkerchief rubber band': 376155, 'rubber band and': 726930, 'band and kleenex': 109333, 'and kleenex good': 65870, 'kleenex good to': 475900, 'week oh': 976657, 'bag again': 108213, 'my n95': 549399, 'glove am': 352542, 'die thenewnormal': 241460, 'supermarket shopping last': 822641, 'shopping last week': 763138, 'last week oh': 480664, 'week oh shit': 976658, 'oh shit ve': 596444, 'shit ve forgot': 759284, 've forgot my': 953134, 'forgot my shopping': 329405, 'shopping bag again': 762139, 'bag again supermarket': 108214, 'again supermarket shopping': 37192, 'supermarket shopping this': 822653, 'this week oh': 891242, 'forgot my n95': 329404, 'my n95 mask': 549400, 'and glove am': 63709, 'glove am gonna': 352543, 'gonna die thenewnormal': 356510, 'week physicaldistancing': 976748, 'physicaldistancing highriskcovid19': 655485, 'highriskcovid19 staythefhome': 396124, 'two week physicaldistancing': 937353, 'week physicaldistancing highriskcovid19': 976749, 'physicaldistancing highriskcovid19 staythefhome': 655486, 'initiative against': 438601, 'essential establishment': 281014, 'establishment will': 282078, 'all our dear': 43802, 'dear customer we': 229773, 'customer we will': 223045, 'be temporarily closing': 117539, 'temporarily closing our': 837481, 'closing our shopping': 183720, 'our shopping center': 624760, 'center in support': 169237, 'of local government': 585932, 'local government initiative': 498028, 'government initiative against': 360227, 'initiative against the': 438602, '19 our supermarket': 9064, 'our supermarket pharmacy': 625025, 'supermarket pharmacy and': 821972, 'other essential establishment': 620160, 'essential establishment will': 281016, 'establishment will remain': 282079, 'to serve your': 914277, 'serve your need': 751978, 'still insufficient': 800752, 'artificially suppressed': 94554, 'no prospect': 565224, 'is still insufficient': 452290, 'still insufficient to': 800753, 'insufficient to meet': 440613, 'been artificially suppressed': 120692, 'artificially suppressed by': 94555, 'outbreak and measure': 628003, 'and measure taken': 66851, 'taken to combat': 833093, 'to combat it': 903000, 'combat it the': 187020, 'that price still': 845831, 'price still see': 676651, 'still see no': 801151, 'see no prospect': 745487, 'no prospect of': 565225, 'prospect of any': 684688, 'of any decline': 580251, 'say social': 739148, 'vr will': 960754, 'more attractive': 538681, 'attractive in': 102722, 'term people': 838237, 'home curing': 400975, 'curing the': 220960, 'pandemic 5g': 634784, 'consumer entertainment': 197372, 'entertainment gaming': 278564, 'expert say social': 291958, 'say social activity': 739149, 'social activity and': 779420, 'activity and entertainment': 30373, 'and entertainment in': 62195, 'entertainment in vr': 278577, 'in vr will': 430631, 'vr will be': 960755, 'be more attractive': 115966, 'more attractive in': 538682, 'attractive in the': 102723, 'long term people': 501703, 'term people are': 838238, 'at home curing': 98965, 'home curing the': 400976, 'curing the covid': 220961, '19 pandemic 5g': 9248, 'pandemic 5g consumer': 634785, '5g consumer entertainment': 20661, 'consumer entertainment gaming': 197373, 'skybroadband': 773240, 'price skybroadband': 676434, 'you picked hell': 1020332, 'increase price skybroadband': 433012, 'inevitable severity': 436403, 'on lifespan': 601838, 'lifespan and': 489343, 'despite lowest': 238775, 'drove then': 260810, 'then demand': 877116, 'month realestate': 537976, 'hit to home': 398475, 'home price is': 401910, 'is inevitable severity': 448896, 'inevitable severity depends': 436404, 'depends on lifespan': 237388, 'on lifespan and': 601839, 'lifespan and impact': 489344, 'on job despite': 601733, 'job despite lowest': 465780, 'despite lowest mortgage': 238776, 'in drove then': 422395, 'drove then demand': 260811, 'then demand collapse': 877117, 'rapidly within few': 697039, 'within few month': 1002354, 'few month realestate': 303937, 'cuomo trump': 220430, 'needed ventilator': 556568, 'trump gov': 933585, 'cuomo had': 220410, 'opportunity governor': 613636, 'purchase 14': 689329, 'but refused': 146909, 'so gov': 777196, 'cuomo cricket': 220402, 'cricket governorandrewcuomo': 216736, 'gov cuomo trump': 359564, 'cuomo trump not': 220431, 'trump not getting': 933730, 'getting the much': 349355, 'the much needed': 861127, 'much needed ventilator': 545173, 'needed ventilator to': 556569, 'ventilator to trump': 954630, 'to trump gov': 917801, 'trump gov cuomo': 933586, 'gov cuomo had': 359563, 'cuomo had an': 220411, 'had an opportunity': 372844, 'an opportunity governor': 56672, 'opportunity governor to': 613637, 'governor to purchase': 361009, 'to purchase 14': 912515, 'purchase 14 00': 689330, '14 00 ventilator': 3377, 'ventilator for his': 954557, 'for his state': 322312, 'his state in': 397819, 'state in case': 795682, 'case of pandemic': 165920, 'of pandemic at': 587689, 'pandemic at bargain': 634960, 'bargain price but': 111062, 'price but refused': 672987, 'but refused to': 146910, 'refused to do': 707071, 'do so gov': 250093, 'so gov cuomo': 777197, 'gov cuomo cricket': 359562, 'cuomo cricket governorandrewcuomo': 220403, 'flightradar24': 310574, 'current view': 221424, 'on brussels': 599711, 'brussels airline': 141377, 'flight operation': 310519, 'operation the': 613269, 'gradually reducing': 361702, 'reducing flight': 706286, 'temporarily stop': 837551, 'of saturday': 589322, 'saturday 21': 736992, 'until sunday': 943842, 'sunday 19': 818149, 'april flightradar24': 83596, 'current view on': 221425, 'view on brussels': 957133, 'on brussels airline': 599712, 'brussels airline flight': 141378, 'airline flight operation': 39951, 'flight operation the': 310521, 'operation the airline': 613270, 'the airline is': 848500, 'airline is gradually': 39985, 'is gradually reducing': 448176, 'gradually reducing flight': 361703, 'reducing flight and': 706287, 'flight and will': 310425, 'and will temporarily': 75702, 'will temporarily stop': 995107, 'temporarily stop all': 837552, 'stop all flight': 804438, 'all flight operation': 42798, 'flight operation of': 310520, 'operation of saturday': 613235, 'of saturday 21': 589323, 'saturday 21 march': 736993, '21 march until': 15018, 'march until sunday': 515507, 'until sunday 19': 943843, 'sunday 19 april': 818150, '19 april flightradar24': 5187, 'cell is': 168953, 'yourselves profitable': 1026807, 'profitable amidst': 682919, 'cell is this': 168954, 'this how you': 887976, 'how you and': 409271, 'you and keep': 1016995, 'and keep yourselves': 65791, 'keep yourselves profitable': 472301, 'yourselves profitable amidst': 1026808, 'profitable amidst the': 682920, 'not panic that': 570939, 'panic that doesn': 638674, 'should let this': 766193, 'let this go': 487179, 'this go also': 887712, 'also don hoard': 48123, 'hoard it stupid': 398821, 'it stupid hospital': 461326, 'dixieprole': 248723, 'online dixieprole': 608114, 'dixieprole stayhome': 248724, 'ammo price have': 52912, 'gone up online': 356425, 'up online dixieprole': 945656, 'online dixieprole stayhome': 608115, 'mail said': 508648, 'least made': 484538, 'the connection': 851459, 'because the daily': 119620, 'daily mail said': 224685, 'mail said it': 508649, 'wa the same': 963469, 'same or at': 733194, 'at least made': 99516, 'least made the': 484539, 'made the connection': 507989, 'show 42': 766837, '42 per': 18911, 'australian think': 103566, 'buy property': 149108, 'property despite': 684261, 'consumer data show': 197061, 'data show 42': 226404, 'show 42 per': 766838, '42 per cent': 18912, 'cent of australian': 169095, 'of australian think': 580461, 'australian think now': 103567, 'now is good': 575070, 'to buy property': 902290, 'buy property despite': 149109, 'property despite the': 684262, 'despite the challenge': 238873, 'crisis undermines': 218282, 'undermines covid': 940510, 'remain high 2008': 709758, '2008 crisis undermines': 13656, 'crisis undermines covid': 218283, 'undermines covid 19': 940511, 'roll think': 725544, 'of happy': 584455, 'thing amp': 884116, 'amp breathe': 53468, 'breathe breathe': 139196, 'breathe read': 139202, 'get it you': 347439, 'it you went': 462653, 'the shop amp': 866975, 'shop amp the': 759834, 'amp the shelf': 54666, 'were empty there': 979576, 'empty there wasn': 275193, 'wasn any food': 967957, 'toilet roll think': 921615, 'roll think of': 725545, 'think of happy': 885446, 'of happy thing': 584456, 'happy thing amp': 377697, 'thing amp breathe': 884117, 'amp breathe breathe': 53469, 'breathe breathe read': 139197, 'breathe read what': 139203, 'read what to': 700656, 'don feel the': 253512, 'feel the urge': 302892, 'urge to via': 948241, 'wa even': 962083, 'it glad': 458248, 'staying calm': 798582, 'my supermarket the': 550281, 'supermarket the toilet': 823251, 'paper wa even': 641050, 'wa even on': 962084, 'even on sale': 284423, 'on sale and': 603262, 'sale and there': 732050, 'wa still plenty': 963312, 'of it glad': 585400, 'it glad to': 458249, 'see people are': 745553, 'are staying calm': 90372, 'strangeness': 812449, 'creepier': 216622, 'think after': 885119, 'of talking': 590591, 'the strangeness': 868195, 'strangeness chaos': 812450, 'but walking': 147716, 'everyone wearing': 287572, 'little creepier': 495309, 'you think after': 1021643, 'think after two': 885121, 'after two month': 36464, 'two month of': 937062, 'month of talking': 537909, 'of talking about': 590592, 'talking about you': 833995, 'you get used': 1018806, 'to the strangeness': 917100, 'the strangeness chaos': 868196, 'strangeness chaos but': 812451, 'chaos but walking': 173007, 'but walking around': 147717, 'store with everyone': 811376, 'with everyone wearing': 998296, 'everyone wearing mask': 287573, 'wearing mask just': 974698, 'mask just make': 518887, 'just make life': 469217, 'make life little': 510084, 'life little creepier': 488852, 'dear instruct': 229817, 'the missing': 860690, 'missing food': 534294, 'dear instruct store': 229818, 'manager to bring': 512815, 'back the missing': 107311, 'the missing food': 860691, 'missing food bank': 534295, 'collection point at': 186456, 'point at least': 662423, 'theft but unfortunately': 872343, 'but unfortunately there': 147657, 'many more needy': 514309, 'isreal': 455628, '19 isreal': 8112, 'isreal uk': 455629, 'uk subway': 938752, 'subway mcdonald': 816157, 'mcdonald etc': 522140, 'selfish fuckwits': 748102, '19 isreal uk': 8113, 'isreal uk subway': 455630, 'uk subway mcdonald': 938753, 'subway mcdonald etc': 816158, 'mcdonald etc have': 522141, 'etc have all': 282580, 'have all now': 379163, 'all now closed': 43664, 'now closed do': 574398, 'closed do you': 183070, 'any idea how': 79337, 'idea how hard': 413074, 'how hard it': 407967, 'is for to': 447895, 'for to get': 327219, 'shop because selfish': 759975, 'because selfish fuckwits': 119536, 'case do': 165715, 'put shelter': 690809, 'country freeze': 210672, 'food freeze': 314591, 'all movement': 43529, 'movement send': 543933, 'military in': 531473, 'with handing': 998727, 'an water': 56963, 'water cor': 968951, 'many more case': 514296, 'more case do': 538778, 'case do we': 165716, 'we need in': 972498, 'you to put': 1021826, 'to put shelter': 912609, 'put shelter in': 690810, 'on the country': 604047, 'the country freeze': 852083, 'country freeze all': 210673, 'all price of': 44038, 'price of water': 675605, 'of water food': 592942, 'water food freeze': 968993, 'food freeze all': 314592, 'freeze all movement': 332511, 'all movement send': 43530, 'movement send the': 543934, 'send the military': 749964, 'the military in': 860598, 'military in to': 531474, 'help in every': 389895, 'in every state': 422689, 'every state with': 286212, 'state with handing': 796096, 'with handing out': 998728, 'out food an': 626080, 'food an water': 313161, 'an water cor': 56964, 'retail health': 718177, 'beauty retail health': 118780, 'retail health wellness': 718178, 'unapproved': 939423, 'misbranded': 533968, 'fda have': 300873, 'have jointly': 381185, 'jointly issued': 467036, 'of unapproved': 592585, 'unapproved and': 939424, 'and misbranded': 67058, 'misbranded product': 533969, 'product claiming': 681059, 'claiming they': 179917, 'keep scammer': 471911, 'of fear the': 583463, 'fear the ftc': 301377, 'the ftc fda': 855929, 'ftc fda have': 339399, 'fda have jointly': 300874, 'have jointly issued': 381186, 'jointly issued warning': 467037, 'issued warning letter': 456110, 'letter to seller': 487370, 'to seller of': 914193, 'seller of unapproved': 749050, 'of unapproved and': 592586, 'unapproved and misbranded': 939425, 'and misbranded product': 67059, 'misbranded product claiming': 533970, 'product claiming they': 681060, 'claiming they can': 179918, 'they can treat': 881685, 'can treat or': 160041, 'or prevent the': 616686, 'ftc to keep': 339460, 'to keep scammer': 908842, 'keep scammer at': 471912, 'following right': 312835, 'behind frying': 124629, 'and following right': 63019, 'following right behind': 312836, 'right behind frying': 721811, 'behind frying they': 124630, 'frying they do': 339304, 'albertan': 40831, 'orr covid': 619676, 'reduce albertan': 705786, 'albertan dependency': 40832, 'the pill': 863735, 'pill rollercoaster': 656666, 'rollercoaster ride': 725658, 'orr covid 19': 619677, '19 show why': 10513, 'show why we': 767284, 'to reduce albertan': 913013, 'reduce albertan dependency': 705787, 'albertan dependency on': 40833, 'dependency on oil': 237353, 'and get off': 63590, 'off the pill': 594258, 'the pill rollercoaster': 863736, 'pill rollercoaster ride': 656667, 'day had that': 227720, 'had that made': 373602, 'that made me': 844974, 'be kind considerate': 115614, 'kind considerate to': 474824, 'ifmk': 415638, 'wtrh': 1013424, 'ifmk wtrh': 415639, 'wtrh aprn': 1013425, 'aprn food': 83737, 'fire keep': 308100, 'keep ptnyf': 471830, 'ptnyf on': 687645, 'on radar': 603061, 'radar also': 695379, 'they delivery': 881886, 'delivery anything': 233688, 'ifmk wtrh aprn': 415640, 'wtrh aprn food': 1013426, 'aprn food delivery': 83738, 'delivery is just': 234140, 'is just on': 449139, 'just on fire': 469366, 'on fire keep': 600803, 'fire keep ptnyf': 308101, 'keep ptnyf on': 471831, 'ptnyf on radar': 687646, 'on radar also': 603062, 'radar also they': 695380, 'also they delivery': 48997, 'they delivery anything': 881887, 'supermarket is shut': 821123, 'dozen people are': 257911, 'people are told': 647100, 'told to quarantine': 923758, 'to quarantine after': 912635, 'of gun': 584394, 'ammunition soar': 52957, 'enough gun': 277458, 'gun yet': 368768, 'about knife': 25622, 'knife huh': 476107, 'huh and': 410306, 'toiletpaperpanic gunsandammo': 923214, 'sale of gun': 732392, 'of gun and': 584395, 'and ammunition soar': 58087, 'ammunition soar amid': 52958, 'soar amid coronavirus': 779223, 'buying people didn': 150896, 'have enough gun': 380452, 'enough gun yet': 277459, 'gun yet what': 368769, 'yet what about': 1016321, 'what about knife': 980979, 'about knife huh': 25623, 'knife huh and': 476108, 'huh and food': 410307, 'and food toilet': 63102, 'paper toiletpaperpanic gunsandammo': 640972, 'foodservice distributor': 318098, 'distributor supermarket': 248322, 'of the foodservice': 591039, 'the foodservice distributor': 855637, 'foodservice distributor supermarket': 318099, 'distributor supermarket chain': 248323, 'chain the covid': 171166, 'effect by on': 268979, 'via ie': 956024, 'demand via ie': 236438, 'people give': 648070, 'give someone': 350712, 'someone 15k': 784352, '15k to': 4025, 'build covid': 141964, '19 detection': 6522, 'detection app': 239350, 'that 15k': 842437, 'isolation signed': 455433, 'signed management': 769370, 'before you people': 123327, 'you people give': 1020319, 'people give someone': 648071, 'give someone 15k': 350713, 'someone 15k to': 784353, '15k to build': 4026, 'to build covid': 902085, 'build covid 19': 141965, 'covid 19 detection': 212943, '19 detection app': 6523, 'detection app just': 239351, 'app just send': 81736, 'just send me': 469758, 'send me that': 749891, 'me that 15k': 523603, 'that 15k to': 842438, '15k to do': 4027, 'food so ll': 316659, 'so ll not': 777571, 'not die in': 569022, 'die in isolation': 241379, 'in isolation signed': 424208, 'isolation signed management': 455434, 'kill humanity': 474416, 'will kill humanity': 993914, 'kill humanity it': 474417, 'humanity it our': 410750, 'hoarding stay home': 399532, 'djia fall': 248826, 'negativity trader': 556873, 'cross current': 218999, 'current there': 221397, 'claim start': 179822, 'rise congress': 722811, 'slowly grapple': 774599, 'largest response': 480008, 'djia fall back': 248827, 'fall back into': 296851, 'back into mild': 107114, 'mild negativity trader': 531338, 'negativity trader process': 556874, 'all the cross': 44706, 'the cross current': 852507, 'cross current there': 219000, 'current there are': 221398, 'are no new': 88270, 'initial claim start': 438521, 'claim start to': 179823, 'to rise oil': 913572, 'price rise congress': 676231, 'rise congress slowly': 722812, 'congress slowly grapple': 194529, 'slowly grapple with': 774600, 'with the largest': 1001361, 'the largest response': 858973, 'largest response bill': 480009, 'now gotten': 574812, 'gotten to': 359173, 'she becomes': 755879, 'becomes depressed': 120215, 'depressed now': 237596, 'get keyworker': 347452, 'keyworker food': 473579, 'ha now gotten': 371397, 'now gotten to': 574814, 'gotten to the': 359174, 'point where she': 662701, 'where she is': 985166, 'her food supply': 392058, 'food supply decrease': 316945, 'decrease and she': 231549, 'and she becomes': 71413, 'she becomes depressed': 755880, 'becomes depressed now': 120216, 'depressed now she': 237597, 'is not eating': 450068, 'cannot get keyworker': 161893, 'get keyworker food': 347453, 'government rose': 360557, 'and platform': 69081, 'ticket by': 895601, 'but in india': 146027, 'india government rose': 434428, 'government rose the': 360558, 'rose the petrol': 726095, 'price and platform': 672497, 'and platform ticket': 69083, 'platform ticket by': 659031, 'ticket by time': 895602, 'by time to': 154549, 'induced surge': 435493, 'to unemployed': 917927, 'worker drive': 1006808, 'drive closure': 259012, 'coronavirus induced surge': 206135, 'induced surge in': 435494, 'shopping retailer plan': 763760, 'job to unemployed': 466234, 'to unemployed hospitality': 917928, 'unemployed hospitality and': 941120, 'and service sector': 71315, 'sector worker drive': 744419, 'worker drive closure': 1006809, 'eu salmon': 283266, 'salmon price': 732768, 'collapse to': 186066, 'below kg': 126684, 'kg down': 473649, '20 week': 13405, 'on week': 605186, 'can can': 157855, '2020 bring': 14184, 'eu salmon price': 283267, 'salmon price collapse': 732769, 'price collapse to': 673173, 'collapse to below': 186067, 'to below kg': 901756, 'below kg down': 126685, 'kg down 20': 473650, 'down 20 week': 256389, '20 week on': 13406, 'week on week': 976678, 'on week can': 605187, 'week can can': 976059, 'can can and': 157856, 'can and fill': 157496, 'and fill the': 62845, 'fill the void': 305502, 'the void in': 870945, 'void in 2020': 960022, 'in 2020 bring': 419824, '2020 bring it': 14185, 'ill looking': 416150, 'looking lady': 502947, 'on oxygen': 602662, 'oxygen being': 632671, 'wheelchair by': 983071, 'by carer': 152075, 'carer madness': 164556, 'neighbour make': 557226, 'so many elderly': 777655, 'people out including': 649023, 'out including one': 626411, 'including one very': 432084, 'one very ill': 607337, 'very ill looking': 955242, 'ill looking lady': 416151, 'looking lady on': 502948, 'lady on oxygen': 478801, 'on oxygen being': 602663, 'oxygen being pushed': 632672, 'being pushed in': 125612, 'pushed in wheelchair': 690366, 'in wheelchair by': 430844, 'wheelchair by carer': 983072, 'by carer madness': 152076, 'carer madness please': 164557, 'madness please look': 508200, 'please look out': 660212, 'elderly neighbour make': 270781, 'neighbour make sure': 557227, 'sure they stay': 827744, 'they stay home': 883450, 'stay home stayhomesavelives': 797006, 'londoner and': 501241, 'uk actually': 938150, 'meant they': 524903, 'shortage please': 765175, 'londoner and anyone': 501242, 'and anyone in': 58227, 'the uk actually': 870187, 'uk actually can': 938151, 'actually can you': 30752, 'you help or': 1019198, 'help or any': 390198, 'any other food': 79589, 'other food bank': 620235, 'local area that': 497694, 'area that feed': 92216, 'that feed the': 843853, 'feed the elderly': 302376, 'and vulnerable at': 75048, 'difficult time panic': 242303, 'buying ha meant': 150444, 'ha meant they': 371267, 'meant they are': 524904, 'they are facing': 881270, 'facing shortage please': 295596, 'shortage please help': 765176, 'else seen': 271874, 'seen tv': 747335, 'tv ad': 936072, 'need reminder': 555516, 'anyone else seen': 80288, 'else seen tv': 271875, 'seen tv ad': 747336, 'tv ad for': 936073, 'ad for food': 31100, 'food that are': 317086, 'that are out': 842792, 'we need reminder': 972534, 'what greedy': 981525, 'greedy society': 363608, 'become retired': 120118, '79 who': 22381, 'wa pictured': 962931, 'sainsbury slam': 731717, 'and reveals': 70484, 'neighbour uk': 557244, 'what greedy society': 981526, 'greedy society we': 363609, 'society we have': 781359, 'have become retired': 379445, 'become retired seaman': 120119, 'seaman 79 who': 743198, '79 who wa': 22382, 'who wa pictured': 989914, 'wa pictured alone': 962932, 'shelf in sainsbury': 757215, 'in sainsbury slam': 427632, 'sainsbury slam selfish': 731718, 'buyer and reveals': 149559, 'and reveals he': 70485, 'reveals he wa': 720321, 'he wa trying': 385626, 'buy food parcel': 148666, 'parcel for his': 641495, 'for his elderly': 322304, 'his elderly neighbour': 397384, 'elderly neighbour uk': 270783, 'neighbour uk panicbuying': 557245, 'digitaldollar': 242714, 'alight': 41756, 'shock digitaldollar': 759440, 'digitaldollar proposal': 242715, 'proposal set': 684475, 'set bitcoin': 753356, 'price alight': 672263, 'shock digitaldollar proposal': 759441, 'digitaldollar proposal set': 242716, 'proposal set bitcoin': 684476, 'set bitcoin and': 753357, 'bitcoin and crypto': 131798, 'and crypto price': 60790, 'crypto price alight': 219958, 'the nurse supermarket': 861986, 'consumer company want': 196842, 'than others 19': 841005, 'others 19 via': 621234, 'fryer': 339299, 'coyote': 214527, 'ha whole': 372477, 'whole fryer': 990219, 'fryer chicken': 339300, 'entertain myself': 278512, 'month learning': 537824, 'to efficiently': 904952, 'efficiently cut': 269444, 'into piece': 442873, 'piece without': 656388, 'without looking': 1002766, 'like coyote': 490062, 'coyote tore': 214528, 'tore into': 925887, 'into them': 443202, 'them socialdistancing': 876298, 'store ha whole': 808030, 'ha whole fryer': 372478, 'whole fryer chicken': 990220, 'fryer chicken on': 339301, 'chicken on sale': 175821, 'on sale now': 603271, 'sale now have': 732375, 'now have something': 574880, 'something to entertain': 785101, 'to entertain myself': 905233, 'entertain myself with': 278513, 'myself with this': 550984, 'with this month': 1001711, 'this month learning': 888912, 'month learning how': 537825, 'how to efficiently': 409016, 'to efficiently cut': 904953, 'efficiently cut them': 269445, 'cut them into': 223589, 'them into piece': 875937, 'into piece without': 442874, 'piece without looking': 656389, 'without looking like': 1002767, 'looking like coyote': 502954, 'like coyote tore': 490063, 'coyote tore into': 214529, 'tore into them': 925888, 'into them socialdistancing': 443203, 'dublin property': 261516, 'property bubble': 684253, 'bursting blood': 142964, 'blood sucking': 133144, 'sucking speculator': 816969, 'speculator leave': 788372, 'their airbnbs': 872483, 'airbnbs on': 39828, 'market rent': 516983, 'dramatically don': 258337, 'don accept': 253324, 'accept high': 27960, 'dublin property bubble': 261517, 'property bubble is': 684254, 'is bursting blood': 446307, 'bursting blood sucking': 142965, 'blood sucking speculator': 133145, 'sucking speculator leave': 816970, 'speculator leave and': 788373, 'leave and put': 484734, 'and put their': 69818, 'put their airbnbs': 690875, 'their airbnbs on': 872484, 'airbnbs on the': 39829, 'the market rent': 860151, 'market rent and': 516984, 'rent and property': 711040, 'and property price': 69632, 'drop dramatically don': 260181, 'dramatically don accept': 258338, 'don accept high': 253325, 'accept high rent': 27961, 'ensued': 277866, 'bayareacoronavirus': 112986, 'ok chaos': 597775, 'chaos ha': 173022, 'ha ensued': 370504, 'ensued at': 277867, 'area folk': 92006, 'folk buying': 312117, 'enough stuff': 277643, 'month black': 537620, 'friday kind': 333252, 'store bayareacoronavirus': 806655, 'ok chaos ha': 597776, 'chaos ha ensued': 173023, 'ha ensued at': 370505, 'ensued at the': 277868, 'at the indian': 100988, 'bay area folk': 112909, 'area folk buying': 92007, 'folk buying enough': 312118, 'buying enough stuff': 150225, 'enough stuff to': 277644, 'stuff to sustain': 815225, 'to sustain them': 916077, 'sustain them for': 829747, 'them for over': 875722, 'over month black': 630407, 'month black friday': 537621, 'black friday kind': 132061, 'friday kind of': 333253, 'kind of queue': 474931, 'of queue outside': 588693, 'outside the store': 629603, 'the store bayareacoronavirus': 867984, 'place limit': 657560, 'seller uk': 749103, 'restricting consumer': 717183, 'from listing': 336235, 'listing certain': 494832, 'outbreak grab': 628252, 'here ebay': 392944, 'ebay ecommerce': 266448, 'uk place limit': 938624, 'place limit on': 657561, 'consumer seller uk': 198898, 'seller uk is': 749104, 'uk is restricting': 938486, 'is restricting consumer': 451485, 'restricting consumer seller': 717184, 'consumer seller from': 198897, 'seller from listing': 749026, 'from listing certain': 336236, 'listing certain good': 494833, 'certain good that': 170025, 'coronavirus outbreak grab': 206388, 'outbreak grab more': 628253, 'grab more here': 361507, 'more here ebay': 539418, 'here ebay ecommerce': 392945, 'saf': 729393, 'tokyo gradually': 923489, 'gradually return': 361704, 'stay saf': 797204, 'in tokyo gradually': 430180, 'tokyo gradually return': 923490, 'gradually return to': 361705, 'normal we too': 567398, 'too could buy': 924676, 'could buy toilet': 208984, 'unity stay saf': 942325, 'you dnt': 1018241, 'dnt have': 249012, 'if you dnt': 415422, 'you dnt have': 1018242, 'dnt have job': 249013, 'have job or': 381175, 'job or laid': 466068, 'laid off please': 479027, 'off please for': 594077, 'of god go': 584175, 'god go work': 354714, 'go work for': 354529, 'extravagantly': 293768, 'dramatically altered': 258318, 'altered by': 49160, 'spent extravagantly': 789120, 'extravagantly to': 293769, 'keep intact': 471598, 'intact business': 440922, 'longer viable': 502104, 'if the consumer': 414960, 'demand is dramatically': 235722, 'is dramatically altered': 447368, 'dramatically altered by': 258319, 'altered by the': 49161, 'pandemic the will': 636712, 'the will have': 871573, 'will have spent': 993675, 'have spent extravagantly': 382686, 'spent extravagantly to': 789121, 'extravagantly to keep': 293770, 'to keep intact': 908805, 'keep intact business': 471599, 'intact business that': 440923, 'that are no': 842784, 'no longer viable': 564671, 'swt': 830642, 'speculation and': 788352, 'total australian': 926131, 'australian red': 103535, 'meat export': 525563, 'export were': 292726, 'were relatively': 980046, 'relatively steady': 708782, 'steady last': 799127, 'month beef': 537607, 'export sat': 292704, 'sat just': 736902, 'just shy': 469801, 'shy of': 768302, 'of 94': 579687, '94 00': 23541, 'tonne swt': 924545, 'swt up': 830645, 'on february': 600766, 'february find': 301714, 'amongst the speculation': 53145, 'the speculation and': 867557, 'speculation and uncertainty': 788353, 'uncertainty of covid': 939728, '19 total australian': 11520, 'total australian red': 926132, 'australian red meat': 103536, 'red meat export': 705598, 'meat export were': 525564, 'export were relatively': 292727, 'were relatively steady': 980047, 'relatively steady last': 708783, 'steady last month': 799128, 'last month beef': 480328, 'month beef export': 537608, 'beef export sat': 120508, 'export sat just': 292705, 'sat just shy': 736903, 'just shy of': 469802, 'shy of 94': 768303, 'of 94 00': 579688, '94 00 tonne': 23542, '00 tonne swt': 564, 'tonne swt up': 924546, 'swt up on': 830646, 'up on february': 945561, 'on february find': 600767, 'february find out': 301715, 'bucs': 141715, 'qb': 691524, 'the bucs': 850076, 'bucs contract': 141716, 'new qb': 559381, 'qb tom': 691525, 'tom brady': 923906, 'brady one': 137555, 'pay him': 644937, 'to 30m': 899682, '30m on': 17470, 'year basis': 1014423, 'is agreed': 445425, 'and finalized': 62856, 'finalized source': 305919, 'source say': 786544, 'any doubt': 79139, 'doubt but': 256191, 'announce it': 76846, 'the bucs contract': 850077, 'bucs contract with': 141717, 'contract with new': 201722, 'with new qb': 999710, 'new qb tom': 559382, 'qb tom brady': 691526, 'tom brady one': 923907, 'brady one that': 137556, 'one that pay': 607185, 'that pay him': 845672, 'pay him up': 644938, 'him up to': 396760, 'up to 30m': 946334, 'to 30m on': 899683, '30m on per': 17471, 'on per year': 602765, 'per year basis': 651085, 'year basis is': 1014424, 'basis is agreed': 112251, 'is agreed to': 445426, 'agreed to and': 38735, 'to and finalized': 900499, 'and finalized source': 62857, 'finalized source say': 305920, 'source say not': 786545, 'say not that': 738995, 'wa any doubt': 961556, 'any doubt but': 79140, 'doubt but there': 256192, 'but there were': 147474, 'were no issue': 979908, 'no issue all': 564529, 'issue all that': 455650, 'left is for': 485525, 'for to announce': 327213, 'to announce it': 900548, 'coronacrisis all': 204503, 'supermarket beer': 819341, 'beer shelf': 122506, 'hour pub': 405875, 'pub ordered': 687746, 'coronacrisis all supermarket': 204504, 'all supermarket beer': 44543, 'supermarket beer shelf': 819342, 'beer shelf in': 122507, 'shelf in about': 757184, 'in about hour': 419980, 'about hour pub': 25417, 'hour pub ordered': 405876, 'pub ordered to': 687747, 'were social': 980143, 'fearful some': 301467, 'queue should': 694054, 'required where': 713420, 'and amount': 58089, 'now the crowded': 576037, 'the crowded place': 852535, 'crowded place that': 219338, 'place that bar': 657709, 'that bar and': 842927, 'and restaurant were': 70397, 'restaurant were social': 716797, 'were social distancing': 980144, 'impossible and older': 419353, 'are fearful some': 86509, 'fearful some sort': 301468, 'sort of queue': 786137, 'of queue should': 588694, 'queue should be': 694055, 'be required where': 116817, 'required where people': 713421, 'where people wait': 985110, 'people wait it': 650107, 'wait it their': 964149, 'it their car': 461592, 'car in line': 163136, 'line and limit': 492949, 'limit the time': 492522, 'time and amount': 896256, 'and amount of': 58090, 'iheartconcertonfox': 415947, 'responder thank': 715526, 'all iheartconcertonfox': 43183, 'thank you first': 841726, 'you first responder': 1018590, 'first responder thank': 308965, 'responder thank you': 715527, 'you all iheartconcertonfox': 1016887, '9pm tonight': 24012, 'tonight everyone': 924408, 'london applauds': 501019, 'applauds out': 82284, 'window our': 995705, 'frontline that': 338840, 'how about at': 407273, 'about at 9pm': 24834, 'at 9pm tonight': 97828, '9pm tonight everyone': 24013, 'tonight everyone in': 924409, 'in london applauds': 424875, 'london applauds out': 501020, 'applauds out of': 82285, 'of their window': 591717, 'their window our': 875195, 'window our brave': 995706, 'brave friend amp': 138215, 'friend amp family': 333491, 'amp family working': 53777, 'the frontline that': 855889, 'frontline that nh': 338841, 'that nh police': 845342, 'earned hope': 264826, 'sa spar': 728940, 'spar supermarket': 787462, 'think long': 885381, 'have unexpectedly': 383454, 'unexpectedly increased': 941398, 'trust is earned': 934281, 'is earned hope': 447423, 'earned hope that': 264827, 'hope that sa': 403651, 'that sa spar': 846086, 'sa spar supermarket': 728941, 'spar supermarket sa': 787463, 'supermarket sa and': 822288, 'sa and will': 728869, 'and will think': 75704, 'will think long': 995188, 'think long and': 885382, 'and hard about': 64184, 'hard about their': 377856, 'food price which': 315984, 'which have unexpectedly': 985922, 'have unexpectedly increased': 383455, 'unexpectedly increased to': 941399, 'increased to take': 433519, 'poole': 664030, 'advant': 32953, 'poole uk': 664031, '08082231133 this': 1128, 'said hope': 731125, 'note taking': 572794, 'taking advant': 833250, 'poole uk just': 664032, 'uk just know': 938500, 'on 08082231133 this': 598994, '08082231133 this is': 1129, 'what they said': 982415, 'they said hope': 883241, 'said hope your': 731126, 'hope your taking': 403823, 'your taking note': 1026106, 'taking note taking': 833464, 'note taking advant': 572795, 'is nonsense': 450008, 'nonsense all': 566718, 'tablet lot': 831528, 'thing disgusting': 884272, '19 think this': 11334, 'this is nonsense': 888332, 'is nonsense all': 450009, 'nonsense all your': 566719, 'console tablet lot': 195537, 'tablet lot of': 831529, 'of thing disgusting': 591894, 'office remain': 595531, 'our posties': 624406, 'posties and': 666630, 'there delivering': 878315, 'delivering every': 233489, 'day although': 227236, 'service impact': 752471, 'our post office': 624403, 'post office remain': 666242, 'office remain open': 595532, 'open and our': 612069, 'and our posties': 68515, 'our posties and': 624407, 'posties and driver': 666631, 'and driver are': 61751, 'out there delivering': 627475, 'there delivering every': 878316, 'delivering every day': 233490, 'every day although': 285791, 'day although there': 227237, 'although there may': 49370, 'be some service': 117297, 'some service impact': 783831, 'reneweconomy': 711008, 'tumble reneweconomy': 935311, 'price tumble reneweconomy': 677147, 'amoral': 53150, 'monopoly allow': 537422, 'set high': 753389, 'are unaffordable': 91260, 'vulnerable this': 961204, 'only amoral': 610081, 'amoral but': 53151, 'but dangerously': 145504, 'dangerously stupid': 225809, 'vaccine if': 951717, 'monopoly allow company': 537423, 'company to set': 191243, 'to set high': 914290, 'set high price': 753390, 'high price that': 395279, 'that are unaffordable': 842832, 'are unaffordable for': 91261, 'unaffordable for the': 939397, 'most vulnerable this': 542897, 'vulnerable this is': 961205, 'not only amoral': 570777, 'only amoral but': 610082, 'amoral but dangerously': 53152, 'but dangerously stupid': 145505, 'dangerously stupid because': 225810, 'stupid because we': 815358, 'we need many': 972511, 'need many people': 555200, 'people possible to': 649158, 'access to vaccine': 28294, 'to vaccine if': 918102, 'vaccine if we': 951718, 'want to beat': 965995, 'afsc': 35252, 'newmexico sustainable': 560126, 'sustainable farmer': 829796, 'le customer': 482912, 'facing decrease': 295439, 'so afsc': 776468, 'afsc nm': 35253, 'nm launched': 563520, 'launched farm': 481988, 'to foodbank': 906109, 'foodbank program': 317788, 'gap read': 343459, 'newmexico sustainable farmer': 560127, 'sustainable farmer have': 829797, 'farmer have fresh': 299407, 'have fresh produce': 380721, 'fresh produce but': 333047, 'produce but le': 680220, 'but le customer': 146251, 'le customer food': 482913, 'customer food bank': 222382, 'are facing decrease': 86408, 'facing decrease in': 295440, 'decrease in donation': 231574, 'donation and large': 254541, 'and large increase': 65951, 'large increase in': 479703, 'in demand so': 422154, 'demand so afsc': 236240, 'so afsc nm': 776469, 'afsc nm launched': 35254, 'nm launched farm': 563521, 'launched farm to': 481989, 'farm to foodbank': 299204, 'to foodbank program': 906110, 'foodbank program to': 317789, 'program to fill': 683307, 'the gap read': 856140, 'gap read more': 343460, 'this nj': 889147, 'coronavirus ag': 205470, 'ag via': 36851, 'do this nj': 250360, 'this nj man': 889148, 'had coronavirus ag': 372989, 'coronavirus ag via': 205471, 'geodata': 345933, 'what share': 982158, 'share could': 754971, 'could recovery': 209577, 'recovery take': 705397, 'take we': 832787, 'used our': 949988, 'our geodata': 623243, 'geodata measure': 345934, 'measure consumer': 525158, 'take once': 832413, 'once lockdown': 605674, 'what share could': 982159, 'share could recovery': 754972, 'could recovery take': 209578, 'recovery take we': 705398, 'take we used': 832788, 'we used our': 973622, 'used our geodata': 949989, 'our geodata measure': 623244, 'geodata measure consumer': 345935, 'measure consumer activity': 525159, 'china and determine': 176481, 'and determine the': 61293, 'determine the shape': 239446, 'the shape that': 866786, 'shape that recovery': 754852, 'that recovery could': 845972, 'recovery could take': 705312, 'could take once': 209751, 'take once lockdown': 832414, 'once lockdown measure': 605675, 'lockdown measure are': 499649, 'measure are lifted': 525120, 'trumpmustwatch': 934097, 'good god': 357128, 'god thanks': 354808, 'giving trumpmustwatch': 351442, 'trumpmustwatch trump': 934098, 'good god thanks': 357129, 'god thanks for': 354809, 'for giving trumpmustwatch': 321894, 'giving trumpmustwatch trump': 351443, 'trumpmustwatch trump doesn': 934099, 'trump doesn play': 933528, 'doesn play with': 251918, 'play with the': 659257, 'boy too': 137294, 'too perhaps': 924993, 'perhaps postal': 651631, 'service too': 753006, 'fact encourage': 295711, 'it nature': 459740, 'socialdistance arguably': 780136, 'courier delivery boy': 211806, 'delivery boy too': 233753, 'boy too perhaps': 137295, 'too perhaps postal': 924994, 'perhaps postal service': 651632, 'postal service too': 666453, 'service too in': 753007, 'too in fact': 924799, 'in fact encourage': 422760, 'fact encourage online': 295712, 'which is by': 985992, 'is by it': 446337, 'by it nature': 152944, 'it nature socialdistance': 459741, 'nature socialdistance arguably': 552985, 'socialdistance arguably safer': 780137, 'this hysteria': 887986, 'allow this hysteria': 46090, 'this hysteria panic': 887987, 'hysteria panic or': 412473, 'change my home': 172184, 'my home life': 548691, 'home life so': 401528, 'life so went': 489053, 'normal shopping and': 567317, 'shopping and beyond': 761964, 'and beyond disappointed': 58940, 'ulta shutter': 939095, 'shutter store': 768197, 'store shortly': 810149, 'after cutting': 35528, 'cutting service': 223772, 'hour via': 406066, 'cosmetic pandemic': 207794, 'layoff closure': 482682, 'closure brickandmortar': 183860, 'brickandmortar footprint': 139601, 'ulta shutter store': 939096, 'shutter store shortly': 768198, 'store shortly after': 810150, 'shortly after cutting': 765384, 'after cutting service': 35529, 'cutting service store': 223773, 'service store hour': 752872, 'store hour via': 808213, 'hour via retail': 406067, 'via retail cosmetic': 956210, 'retail cosmetic pandemic': 718006, 'cosmetic pandemic 19': 207795, 'pandemic 19 layoff': 634770, '19 layoff closure': 8283, 'layoff closure brickandmortar': 482683, 'closure brickandmortar footprint': 183861, 'made pact': 507906, 'pact with': 633767, 'space daddy': 787087, 'daddy that': 224423, 'that whichever': 847510, 'whichever one': 986541, 'find frozen': 306928, 'pizza in': 657171, 'sainsbury we': 731742, 'have final': 380625, 'final meal': 305848, 'meal together': 524295, 'together panicbuyinguk': 920893, 'have made pact': 381415, 'made pact with': 507907, 'pact with the': 633768, 'with the space': 1001484, 'the space daddy': 867529, 'space daddy that': 787088, 'daddy that whichever': 224424, 'that whichever one': 847511, 'whichever one of': 986542, 'one of find': 606744, 'of find frozen': 583540, 'find frozen pizza': 306929, 'frozen pizza in': 339004, 'pizza in sainsbury': 657172, 'in sainsbury we': 427633, 'sainsbury we ll': 731743, 'll have final': 496828, 'have final meal': 380626, 'final meal together': 305849, 'meal together panicbuyinguk': 524296, 'together panicbuyinguk stophoarding': 920894, 'be lending': 115705, 'hand jackdaniels': 375059, 'to be lending': 901362, 'be lending hand': 115706, 'lending hand jackdaniels': 486280, 'cuckold': 220175, 'jewlsmulan': 465408, 'findomme': 307583, 'whiteslave': 987964, 'my pig': 549774, 'pig knew': 656450, 'knew home': 476036, 'bored because': 135338, 'he sent': 385424, 'too pretty': 925010, 'pretty to': 671514, 'my hard': 548621, 'good cuckold': 356931, 'cuckold love': 220176, 'love digit': 504644, 'digit tribute': 242490, 'tribute send': 931683, 'more cashapp': 538780, 'cashapp jewlsmulan': 166384, 'jewlsmulan findomme': 465409, 'findomme paypig': 307584, 'paypig finsub': 645815, 'finsub whiteslave': 308012, 'whiteslave findom': 987965, 'my pig knew': 549775, 'pig knew home': 656451, 'knew home bored': 476037, 'home bored because': 400807, 'bored because of': 135339, 'of that he': 590725, 'that he sent': 844269, 'he sent me': 385425, 'sent me money': 750774, 'me money to': 523160, 'money to go': 537101, 'online because too': 607921, 'because too pretty': 119748, 'too pretty to': 925011, 'pretty to spend': 671515, 'to spend my': 914994, 'spend my hard': 788647, 'my hard earned': 548622, 'earned money what': 264833, 'money what good': 537159, 'what good cuckold': 981512, 'good cuckold love': 356932, 'cuckold love digit': 220177, 'love digit tribute': 504645, 'digit tribute send': 242491, 'tribute send me': 931684, 'send me more': 749886, 'me more cashapp': 523165, 'more cashapp jewlsmulan': 538781, 'cashapp jewlsmulan findomme': 166385, 'jewlsmulan findomme paypig': 465410, 'findomme paypig finsub': 307585, 'paypig finsub whiteslave': 645816, 'finsub whiteslave findom': 308013, 'conducted by': 193661, 'people said': 649339, 'consumer survey conducted': 199187, 'survey conducted by': 828840, 'conducted by brightfield': 193662, 'of people said': 587976, 'people said they': 649340, 'said they expected': 731476, 'spending long': 788890, 'supply they are': 825978, 'are spending long': 90324, 'spending long time': 788891, 'long time in': 501772, 'how california': 407489, 'california going': 155502, 'for gas': 321841, 'tax shortfall': 835093, 'shortfall this': 765375, 'year gas': 1014584, 'bay bridge': 112923, 'how california going': 407490, 'california going to': 155503, 'up for gas': 944937, 'for gas tax': 321843, 'gas tax shortfall': 344149, 'tax shortfall this': 835094, 'shortfall this year': 765376, 'this year gas': 891577, 'year gas price': 1014585, 'down and most': 256504, 'state is stuck': 795705, 'home no traffic': 401667, 'no traffic at': 565797, 'the bay bridge': 849359, 'her am': 391837, 'like go': 490316, 'from grabbing': 335683, 'grabbing sneaky': 361590, 'decided that because': 230883, 'that because am': 842952, 'because am more': 118928, 'am more vulnerable': 50225, '19 than her': 11127, 'than her am': 840742, 'her am not': 391838, 'am not allowed': 50242, 'go do thing': 353473, 'thing like go': 884544, 'like go to': 490317, 'kid etc stop': 473941, 'etc stop me': 282769, 'stop me from': 804830, 'me from grabbing': 522786, 'from grabbing sneaky': 335684, 'grabbing sneaky milky': 361591, 'simply predicting': 770260, 'ca will': 154915, 'also stupid': 48922, 'simply predicting that': 770261, 'predicting that covid': 669642, 'in ca will': 421119, 'ca will increase': 154916, 'will increase from': 993811, 'increase from 900': 432791, '900 to 25': 23395, 'million in week': 532198, 'irresponsible but also': 445045, 'but also stupid': 145145, 'also stupid are': 48923, 'family worst': 298407, 'hit are': 398148, 'are lobster': 87853, 'lobster and': 497645, 'and crab': 60676, 'crab fisherman': 214688, 'fisherman in': 309372, 'organisation the crisis': 619279, 'their family worst': 873277, 'family worst hit': 298408, 'worst hit are': 1011194, 'hit are lobster': 398149, 'are lobster and': 87854, 'lobster and crab': 497646, 'and crab fisherman': 60677, 'crab fisherman in': 214689, 'fisherman in scotland': 309373, 'savemore': 737789, 'sm market': 774749, 'hypermarket savemore': 412358, 'savemore stand': 737790, 'stand alone': 793484, 'alone store': 46913, 'store 7am': 806047, 'to 7pm': 899845, '7pm robinson': 22508, 'supermarket stand': 822913, 'store regular': 809783, 'regular opening': 707825, 'based store': 111752, 'store 9am': 806052, 'sm market supermarket': 774750, 'market supermarket hypermarket': 517148, 'supermarket hypermarket savemore': 820823, 'hypermarket savemore stand': 412359, 'savemore stand alone': 737791, 'stand alone store': 793485, 'alone store 7am': 46914, 'store 7am to': 806048, '7am to 7pm': 22439, 'to 7pm robinson': 899846, '7pm robinson supermarket': 22509, 'robinson supermarket stand': 724753, 'supermarket stand alone': 822914, 'alone store regular': 46915, 'store regular opening': 809784, 'regular opening time': 707826, 'time to 7pm': 897937, 'robinson supermarket mall': 724751, 'supermarket mall based': 821447, 'mall based store': 511756, 'based store 9am': 111753, 'store 9am to': 806053, '9am to 7pm': 23972, 'many chinese': 513898, 'government owned': 360442, 'owned company': 632337, 'buy major': 148931, 'major percentage': 509413, 'their intentionally': 873674, 'intentionally released': 441174, 'released bioweapon': 709024, 'bioweapon covid': 131302, 'how many chinese': 408251, 'many chinese government': 513899, 'chinese government owned': 177273, 'government owned company': 360443, 'owned company were': 632338, 'company were able': 191297, 'to buy major': 902265, 'buy major percentage': 148932, 'major percentage of': 509414, 'percentage of american': 651209, 'of american company': 580054, 'american company at': 51875, 'bottom price due': 136435, 'to their intentionally': 917242, 'their intentionally released': 873675, 'intentionally released bioweapon': 441175, 'released bioweapon covid': 709025, 'bioweapon covid 19': 131303, 'stock everything': 802092, 'everything do': 287752, 'there remains': 878993, 'remains leftover': 710031, 'leftover please': 485788, 'not throw': 572118, 'away pack': 105994, 'pack it': 633062, 'fortunate 21daylockdown': 329882, '21daylockdown lockdown21': 15103, 'lockdown21 wuhanvirus': 500217, 'request you all': 713239, 'all that during': 44635, 'that during this': 843654, 'during this lock': 263296, 'lock down please': 499047, 'down please do': 257096, 'not over stock': 570875, 'over stock everything': 630647, 'stock everything do': 802093, 'everything do not': 287753, 'do not waste': 249889, 'waste food if': 968122, 'food if there': 314895, 'if there remains': 415075, 'there remains leftover': 878994, 'remains leftover please': 710032, 'leftover please do': 485789, 'do not throw': 249870, 'not throw it': 572119, 'throw it away': 895031, 'it away pack': 456655, 'away pack it': 105995, 'pack it up': 633063, 'keep it or': 471618, 'it or give': 460144, 'or give it': 615459, 'to the le': 916841, 'the le fortunate': 859216, 'le fortunate 21daylockdown': 482956, 'fortunate 21daylockdown lockdown21': 329883, '21daylockdown lockdown21 wuhanvirus': 15104, 'kong mask': 477398, 'mask seems': 519247, 'great diy': 362638, 'it combine': 457204, 'combine cotton': 187113, 'cotton two': 208418, 'two cotton': 936850, 'cotton layer': 208413, 'layer with': 482645, 'with pocket': 1000244, 'for filter': 321478, 'filter material': 305770, 'material test': 520419, 'test show': 839169, 'show even': 766939, 'one tissue': 607266, 'tissue provides': 899203, 'provides already': 686825, 'already 50': 47175, '50 filtration': 19687, 'hong kong mask': 403204, 'kong mask seems': 477399, 'mask seems like': 519248, 'seems like great': 746810, 'like great diy': 490342, 'great diy mask': 362639, 'diy mask it': 248756, 'mask it combine': 518878, 'it combine cotton': 457205, 'combine cotton two': 187114, 'cotton two cotton': 208419, 'two cotton layer': 936851, 'cotton layer with': 208414, 'layer with pocket': 482646, 'with pocket for': 1000245, 'pocket for filter': 662171, 'for filter material': 321479, 'filter material test': 305771, 'material test show': 520420, 'test show even': 839170, 'show even one': 766941, 'even one tissue': 284431, 'one tissue provides': 607267, 'tissue provides already': 899204, 'provides already 50': 686826, 'already 50 filtration': 47176, 'hinted': 396931, 'financebrokerage': 306306, 'bondyields': 134287, 'coronavirus already': 205478, 'already hinted': 47445, 'hinted at': 396932, 'at slowdown': 100551, 'service segment': 752807, 'segment then': 747398, 'unexpected move': 941374, 'market took': 517250, 'have worsened': 383638, 'worsened financebrokerage': 1011081, 'financebrokerage saudi': 306307, 'russian oilprice': 728654, 'oilprice bondyields': 597603, 'the coronavirus already': 851803, 'coronavirus already hinted': 205479, 'already hinted at': 47446, 'hinted at slowdown': 396933, 'at slowdown in': 100552, 'and service segment': 71316, 'service segment then': 752808, 'segment then the': 747399, 'then the unexpected': 877626, 'the unexpected move': 870382, 'unexpected move in': 941375, 'move in the': 543670, 'oil and bond': 596611, 'bond market took': 134253, 'market took place': 517251, 'took place here': 925321, 'place here why': 657492, 'here why the': 393839, 'the economy might': 853994, 'economy might have': 268074, 'might have worsened': 531025, 'have worsened financebrokerage': 383639, 'worsened financebrokerage saudi': 1011082, 'financebrokerage saudi russian': 306308, 'saudi russian oilprice': 737305, 'russian oilprice bondyields': 728655, '34s': 17855, 'respondent age': 715372, 'range 18': 696685, '18 34s': 4503, '34s share': 17856, 'their opinion': 874125, 'having positive': 384227, 'impact regarding': 417940, 'outbreak usa': 628776, 'usa data': 948616, 'our respondent age': 624619, 'respondent age range': 715373, 'age range 18': 37891, 'range 18 34s': 696686, '18 34s share': 4504, '34s share their': 17857, 'share their opinion': 755267, 'their opinion on': 874126, 'opinion on how': 613483, 'how the commerce': 408806, 'the commerce is': 851225, 'commerce is having': 188582, 'is having positive': 448332, 'having positive impact': 384228, 'positive impact regarding': 665350, 'impact regarding the': 417941, 'regarding the current': 707286, 'current outbreak usa': 221283, 'outbreak usa data': 628777, 'usa data marketresearch': 948617, 'national narrative': 552566, 'narrative about': 551936, 'how poor': 408522, 'be national narrative': 116048, 'national narrative about': 552567, 'narrative about how': 551937, 'about how poor': 25462, 'how poor grocery': 408523, 'pharmacist are handling': 654119, 'handling the fear': 376395, 'happens stayathome': 377501, 'imagine being in': 416695, 'supermarket this happens': 823313, 'this happens stayathome': 887856, 'happens stayathome quedateencasa': 377502, 'shelving': 758051, 'how actually': 407319, 'actually gross': 30818, 'gross the': 366441, 'the shelving': 866921, 'shelving unit': 758052, 're empty': 698602, 'thing the ha': 884831, 'the ha taught': 857024, 'is how actually': 448570, 'how actually gross': 407320, 'actually gross the': 30819, 'gross the shelving': 366442, 'the shelving unit': 866922, 'shelving unit at': 758053, 'unit at the': 942043, 'they re empty': 883023, 're empty grocery': 698603, 'damnidiots': 225480, 'possible die': 665622, 'holding party': 400145, 'price deal': 673387, 'shutdownuk borisjohnson': 768152, 'borisjohnson damnidiots': 135519, 'in last ditch': 424602, 'ditch attempt to': 248441, 'people possible die': 649156, 'possible die many': 665623, 'die many pub': 241399, 'many pub in': 514608, 'area are holding': 91952, 'are holding party': 87220, 'holding party tonight': 400146, 'with special price': 1000911, 'special price deal': 788029, 'price deal with': 673388, 'deal with free': 229553, 'pubclosures shutdownuk borisjohnson': 687816, 'shutdownuk borisjohnson damnidiots': 768153, 'anything cycle': 80722, 'cycle also': 224027, 'thing permitted': 884683, 'permitted we': 652189, 'it cheltenham': 457126, 'cheltenham also': 175314, 'also anyone': 47860, 'do art': 249100, 'art or': 94178, 'or singing': 617096, 'singing like': 771218, 'those thing': 892554, 'being said if': 125713, 'said if anyone': 731132, 'need anything cycle': 554453, 'anything cycle also': 80723, 'cycle also work': 224028, 'and can pick': 59465, 'up thing permitted': 946275, 'thing permitted we': 884684, 'permitted we have': 652190, 'of it cheltenham': 585377, 'it cheltenham also': 457127, 'cheltenham also anyone': 175315, 'also anyone want': 47861, 'to do art': 904482, 'do art or': 249101, 'art or singing': 94179, 'or singing like': 617097, 'singing like those': 771219, 'like those thing': 491558, 'jyot': 470550, 'because every': 119044, 'hear corona': 387901, 'they shit': 883345, 'shit themselves': 759244, 'themselves ok': 876856, 'ok what': 597938, 'what toiletpaper': 982472, 'are buying all': 85113, 'paper it because': 640376, 'it because every': 456747, 'because every time': 119045, 'time they hear': 897903, 'they hear corona': 882417, 'hear corona they': 387902, 'corona they shit': 204230, 'they shit themselves': 883346, 'shit themselves ok': 759245, 'themselves ok what': 876857, 'ok what toiletpaper': 597939, 'what toiletpaper toiletpapercrisis': 982473, 'in turkish': 430333, 'turkish supermarket': 935599, 'and faceshields': 62596, 'faceshields instruction': 295199, 'instruction on': 440567, 'and handling': 64154, 'life in turkish': 488772, 'in turkish supermarket': 430334, 'turkish supermarket checkout': 935600, 'checkout staff with': 175014, 'staff with mask': 793099, 'mask and faceshields': 518325, 'and faceshields instruction': 62597, 'faceshields instruction on': 295200, 'instruction on distancing': 440568, 'on distancing and': 600350, 'distancing and handling': 246971, 'and handling of': 64155, 'handling of food': 376366, 'rob can': 724617, 'oeb is': 579279, 'about capping': 24930, 'rob can you': 724618, 'can you follow': 160302, 'you follow up': 1018610, 'follow up with': 312581, 'up with what': 946702, 'what the oeb': 982346, 'the oeb is': 862045, 'oeb is doing': 579280, 'is doing about': 447262, 'doing about capping': 252257, 'about capping hydro': 24931, 'capping hydro rate': 162889, 'peak price during': 646093, 'this unprecedented event': 890919, 'outbreak house': 628316, 'house pass': 406450, 'pass relief': 643225, 'bill reached': 130667, 'reached by': 700038, 'by pelosi': 153543, 'pelosi and': 646360, 'house economy': 406281, 'business vikez': 144621, 'vikez tech': 957291, 'tech investor': 836110, 'investor consumer': 444140, 'coronavirus outbreak house': 206391, 'outbreak house pass': 628317, 'house pass relief': 406451, 'pass relief bill': 643226, 'relief bill reached': 709291, 'bill reached by': 130668, 'reached by pelosi': 700039, 'by pelosi and': 153544, 'pelosi and white': 646361, 'and white house': 75578, 'white house economy': 987850, 'house economy business': 406282, 'economy business vikez': 267720, 'business vikez tech': 144622, 'vikez tech investor': 957292, 'tech investor consumer': 836111, 'mallofuaq': 511871, '19 mallofuaq': 8530, 'mallofuaq will': 511872, 'covid 19 mallofuaq': 213396, '19 mallofuaq will': 8531, 'mallofuaq will be': 511873, 'agrees 20': 38816, 'salary covid': 731961, 'also agrees 20': 47826, 'agrees 20 cut': 38817, 'in salary covid': 427644, 'salary covid 19': 731962, 'business offer': 144123, 'shopping alternative': 761930, 'for veteran': 327547, 'veteran military': 955719, 'military family': 531457, 'family amid': 297574, 'business offer online': 144125, 'online shopping alternative': 609021, 'shopping alternative for': 761931, 'alternative for veteran': 49228, 'for veteran military': 327548, 'veteran military family': 955720, 'military family amid': 531458, 'family amid covid': 297575, 'eat enough': 265903, 'enough during': 277367, 'supermarket say it': 822327, 'say it normally': 738851, 'can eat enough': 158194, 'eat enough during': 265904, 'enough during the': 277368, 'aroha': 93072, 'stigmatise': 800147, 'much aroha': 544731, 'aroha to': 93073, 'to kaikohe': 908739, 'world their': 1010056, 'not stigmatise': 571724, 'stigmatise this': 800148, 'item if': 463335, 'much aroha to': 544732, 'aroha to kaikohe': 93074, 'to kaikohe new': 908740, 'new world their': 559908, 'world their team': 1010057, 'their team and': 874953, 'team and say': 835581, 'and say to': 71011, 'say to you': 739398, 'all please do': 43978, 'do not stigmatise': 249854, 'not stigmatise this': 571725, 'stigmatise this supermarket': 800149, 'this supermarket and': 890425, 'their staff shop': 874797, 'staff shop like': 792845, 'shop like you': 760411, '19 only go': 8998, 'only go for': 610516, 'go for essential': 353556, 'essential item if': 281205, 'item if you': 463336, 'would like shopping': 1011997, 'kegged': 472692, 'thereafter': 879398, 'any kegged': 79385, 'kegged beer': 472693, 'off drink': 593780, 'see few': 745109, 'yourselves thereafter': 1026813, 'thereafter with': 879399, 'pour any kegged': 667431, 'any kegged beer': 79386, 'kegged beer into': 472694, 'take away with': 831976, 'away with 30': 106120, 'with 30 off': 996999, '30 off drink': 17150, 'off drink in': 593781, 'drink in price': 258839, 'in price or': 426978, 'price or fill': 675774, 'container see few': 200554, 'see few of': 745110, 'few of you': 303963, 'of yourselves thereafter': 593555, 'yourselves thereafter with': 1026814, 'thereafter with love': 879400, 'givin': 351220, '636': 21297, 'just looking': 469192, 'st john': 791710, 'john thinking': 466553, 'more aggressively': 538572, 'aggressively priced': 38270, 'priced givin': 677735, 'givin the': 351221, 'look bit': 502320, 'bit unreasonable': 131728, 'unreasonable one': 943316, 'way 636': 969422, '636 get': 21298, 'little cheaper': 495286, 'cheaper next': 174254, 'still little': 800800, 'little pricey': 495535, 'pricey for': 677907, 'just looking at': 469193, 'at price one': 100202, 'price one way': 675745, 'way to st': 970101, 'to st john': 915104, 'st john thinking': 791711, 'john thinking they': 466554, 'thinking they might': 886012, 'they might be': 882676, 'might be little': 530910, 'little more aggressively': 495459, 'more aggressively priced': 538573, 'aggressively priced givin': 38271, 'priced givin the': 677736, 'givin the covid': 351222, '19 situation this': 10597, 'situation this look': 772519, 'this look bit': 888708, 'look bit unreasonable': 502321, 'bit unreasonable one': 131729, 'unreasonable one way': 943317, 'one way 636': 607364, 'way 636 get': 969423, '636 get little': 21299, 'get little cheaper': 347483, 'little cheaper next': 495287, 'cheaper next week': 174255, 'next week but': 561672, 'week but still': 976041, 'but still little': 147171, 'still little pricey': 800801, 'little pricey for': 495536, 'vitamin for': 959778, 'oil vitamin for': 597496, 'vitamin for 29': 959779, 'frequently use hand': 332885, 'sanitizer when necessary': 736070, 'when necessary stay': 983760, 'necessary stay clean': 554082, 'clean stay safe': 180637, 'xfinity': 1013829, 'thanks xfinity': 842281, 'xfinity for': 1013830, 'need pricegouging': 555469, 'pricegouging rt': 677847, 'rt stayhome': 726810, 'thanks xfinity for': 842282, 'xfinity for raising': 1013831, 'raising price instead': 696118, 'of helping during': 584557, 'helping during crisis': 391312, 'during crisis just': 262558, 'crisis just what': 217628, 'what we don': 982548, 'don need pricegouging': 253768, 'need pricegouging rt': 555470, 'pricegouging rt stayhome': 677848, 'world think': 1010063, 'about gratitude': 25321, 'grateful stock': 362306, 'food grateful': 314715, 'will take away': 995063, 'take away all': 831961, 'away all the': 105776, 'all the madness': 44819, 'the madness in': 859867, 'the world think': 871987, 'world think people': 1010064, 'more about gratitude': 538509, 'about gratitude grateful': 25322, 'health grateful stock': 386466, 'grateful stock of': 362307, 'stock of fresh': 802524, 'fresh food grateful': 332967, 'food grateful water': 314716, 'so lame': 777524, 'lame but': 479174, 'became serious': 118887, 'situation is so': 772352, 'is so lame': 452021, 'so lame but': 777525, 'lame but honestly': 479175, 'government handled the': 360177, 'handled the situation': 376314, 'situation very well': 772558, 'very well and': 955661, 'well and quickly': 978020, 'it became serious': 456744, 'not healthcare': 569912, 'healthcare not': 387192, 'pharmacy socialdistance': 654466, 'socialdistance wtf': 780178, 'somebody at my': 784251, 'work is being': 1005365, 'work not healthcare': 1005502, 'not healthcare not': 569913, 'healthcare not grocery': 387193, 'and not pharmacy': 67764, 'not pharmacy socialdistance': 571018, 'pharmacy socialdistance wtf': 654467, 'on cyber': 600197, 'cyber safety': 223935, 'tip on cyber': 898851, 'on cyber safety': 600198, '1920 let': 12328, 'let illegally': 486811, 'let sell': 487041, 'to karen': 908743, 'for super': 325994, 'make even': 509886, 'money toiletpaperpanic': 537127, 'toiletpaperpanic quarantinelife': 923236, '1920 let illegally': 12329, 'let illegally sell': 486812, 'illegally sell alcohol': 416266, 'sell alcohol to': 748620, 'alcohol to make': 41154, 'make money now': 510185, 'money now let': 536916, 'now let sell': 575199, 'let sell toilet': 487042, 'paper to karen': 640920, 'to karen for': 908744, 'karen for super': 470895, 'for super high': 325995, 'and make even': 66553, 'make even more': 509887, 'even more money': 284366, 'more money toiletpaperpanic': 539796, 'money toiletpaperpanic quarantinelife': 537128, 'typography': 937676, 'nh thanks': 562130, 'those playing': 892352, 'playing vital': 659465, 'nh nhsstaff': 562014, 'nhsstaff helpthenhs': 562251, 'helpthenhs stayhome': 391642, 'pandemic illustration': 635679, 'illustration illustrator': 416459, 'illustrator typography': 416474, 'the nh thanks': 861765, 'nh thanks to': 562131, 'supermarket worker food': 824022, 'all those playing': 45177, 'those playing vital': 892353, 'playing vital role': 659466, 'role in this': 725102, 'difficult time nh': 242298, 'time nh nhsstaff': 897261, 'nh nhsstaff helpthenhs': 562015, 'nhsstaff helpthenhs stayhome': 562252, 'helpthenhs stayhome stayathome': 391643, 'stayhome stayathome pandemic': 798134, 'stayathome pandemic illustration': 797571, 'pandemic illustration illustrator': 635680, 'illustration illustrator typography': 416460, 'price pointing': 675948, 'drug manufacturer': 260998, 'manufacturer wholesaler': 513547, 'wholesaler are': 990512, 'even deliberately': 283995, 'deliberately causing': 232953, 'is obscene': 450381, 'obscene and': 578513, 'includes calpol': 431727, 'kid for': 473957, 'price pointing out': 675949, 'out that drug': 627321, 'that drug manufacturer': 843640, 'drug manufacturer wholesaler': 260999, 'manufacturer wholesaler are': 513548, 'wholesaler are taking': 990513, 'of by raising': 581028, 'price and perhaps': 672495, 'and perhaps even': 68905, 'perhaps even deliberately': 651585, 'even deliberately causing': 283996, 'deliberately causing shortage': 232954, 'causing shortage this': 168097, 'shortage this is': 765264, 'this is obscene': 888339, 'is obscene and': 450382, 'obscene and the': 578514, 'government must stop': 360375, 'must stop it': 546921, 'it this includes': 461650, 'this includes calpol': 888068, 'includes calpol for': 431728, 'calpol for kid': 156910, 'for kid for': 322841, 'kid for god': 473958, 'google google': 358152, 'pandemic covid19': 635257, 'support bakersfield': 826377, 'with google google': 998649, 'google google search': 358153, 'coronavirus pandemic covid19': 206454, 'pandemic covid19 help': 635258, 'help support bakersfield': 390612, 'support bakersfield socialmediamarketing': 826378, 'you are staying': 1017241, 'be doing some': 114530, 'online shopping did': 609091, 'shopping did you': 762475, 'same time go': 733356, 'to and select': 900522, 'sawant': 738345, 'lockdown21 amid': 500200, 'amid overall': 52564, 'overall panic': 631026, 'over non': 630439, 'non availability': 566303, 'supply goa': 825324, 'goa chief': 354540, 'minister pramod': 533442, 'pramod sawant': 668920, 'sawant said': 738346, 'his government': 397473, 'start home': 794332, 'delivery mechanism': 234181, 'lockdown21 amid overall': 500201, 'amid overall panic': 52565, 'overall panic over': 631027, 'panic over non': 638390, 'over non availability': 630440, 'non availability of': 566304, 'availability of essential': 104160, 'food supply goa': 316957, 'supply goa chief': 825325, 'goa chief minister': 354541, 'chief minister pramod': 175948, 'minister pramod sawant': 533443, 'pramod sawant said': 668921, 'sawant said that': 738347, 'said that his': 731402, 'that his government': 844344, 'his government wa': 397474, 'government wa looking': 360776, 'looking to start': 503046, 'to start home': 915199, 'start home delivery': 794333, 'home delivery mechanism': 401028, 'their excess': 873192, 'stock confiscated': 802007, 'largely depends': 479848, 'proactive government': 679158, 'should impose strict': 766125, 'impose strict limit': 419267, 'should have their': 766100, 'have their excess': 383050, 'their excess stock': 873194, 'excess stock confiscated': 289367, 'stock confiscated without': 802008, 'that largely depends': 844840, 'largely depends on': 479849, 'depends on proactive': 237389, 'on proactive government': 602931, 'proactive government not': 679159, 'government not boris': 360383, 'cybernews': 223978, 'cyberawareness': 223951, 'for bad': 319564, 'the cybernews': 852760, 'cybernews cyberawareness': 223979, 'out for bad': 626099, 'for bad actor': 319565, 'of the cybernews': 590923, 'the cybernews cyberawareness': 852761, 'speechless by': 788420, 'others take': 621687, 'notice don': 573258, 'don burn': 253404, 'burn your': 142900, 'your bridge': 1023028, 'bridge with': 139625, 'customer trying': 222999, 'speechless by this': 788421, 'by this act': 154523, '20 off of': 13214, 'off of all': 594002, 'food product so': 316029, 'product so much': 681630, 'so much respect': 777808, 'this others take': 889302, 'others take notice': 621688, 'take notice don': 832384, 'notice don burn': 573259, 'don burn your': 253405, 'burn your bridge': 142901, 'your bridge with': 1023029, 'bridge with customer': 139626, 'with customer trying': 997904, 'customer trying to': 223000, 'quick buck by': 694286, 'buck by price': 141654, 'profit corona': 682702, 'corona coronavid19': 203893, 'healthcare firm now': 387111, 'firm now to': 308393, 'price and medical': 672468, 'supply for higher': 825267, 'for higher profit': 322266, 'higher profit corona': 395703, 'profit corona coronavid19': 682703, 'corona coronavid19 coronacrisis': 203894, 'masterchief': 520219, 'guess ought': 368020, 'that masterchief': 845062, 'masterchief helmet': 520220, 'helmet to': 389274, 'store halo': 808052, 'halo xbox': 374416, 'guess ought to': 368021, 'ought to get': 621944, 'get around that': 346604, 'around that masterchief': 93516, 'that masterchief helmet': 845063, 'masterchief helmet to': 520221, 'helmet to wear': 389275, 'to wear when': 918448, 'wear when go': 974494, 'grocery store halo': 365452, 'store halo xbox': 808053, 'how to send': 409079, 'logile': 500680, 'series continues': 751238, 'continues today': 201507, 'operation level': 613225, 'level logile': 487610, 'logile ceo': 500681, 'mishra cover': 534044, 'cover actionable': 212184, 'actionable recommendation': 30215, 'store responding': 809836, 'our special series': 624863, 'special series continues': 788050, 'series continues today': 751239, 'continues today at': 201508, 'the store operation': 868072, 'store operation level': 809295, 'operation level logile': 613226, 'level logile ceo': 487611, 'logile ceo purna': 500682, 'purna mishra cover': 690070, 'mishra cover actionable': 534045, 'cover actionable recommendation': 212185, 'actionable recommendation for': 30216, 'recommendation for food': 704745, 'for food retail': 321625, 'food retail store': 316213, 'retail store responding': 718695, 'store responding to': 809837, 'xam': 1013762, 'oku': 598097, 'arv': 94687, 'while volatility': 987515, 'volatility remains': 960094, 'remains on': 710037, 'market gold': 516470, 'have kicked': 381222, 'kicked up': 473819, 'quell panic': 693444, 'panic asx': 637357, 'asx mining': 97285, 'mining ausbiz': 533264, 'ausbiz gold': 103039, 'gold goldprice': 355902, 'goldprice xam': 356103, 'xam oku': 1013763, 'oku arv': 598098, 'while volatility remains': 987516, 'volatility remains on': 960095, 'remains on the': 710038, 'the market gold': 860114, 'market gold price': 516471, 'price have kicked': 674435, 'have kicked up': 381223, 'kicked up after': 473820, 'up after the': 944229, 'after the moved': 36335, 'the moved to': 861094, 'moved to quell': 543839, 'to quell panic': 912661, 'quell panic asx': 693445, 'panic asx mining': 637358, 'asx mining ausbiz': 97286, 'mining ausbiz gold': 533265, 'ausbiz gold goldprice': 103040, 'gold goldprice xam': 355903, 'goldprice xam oku': 356104, 'xam oku arv': 1013764, 'whoworeitbetter': 990697, 'coronafashion': 204933, 'blessedbethefruit': 132634, 'washthatfruit': 967838, 'next visit': 561655, 'law making': 482336, 'public mandatory': 688154, 'mandatory whoworeitbetter': 513075, 'whoworeitbetter coronafashion': 990698, 'coronafashion blessedbethefruit': 204934, 'blessedbethefruit washthatfruit': 132635, 'washthatfruit washyourhands': 967839, 'preparing for my': 670330, 'for my next': 323729, 'my next visit': 549490, 'next visit to': 561657, 'the new law': 861524, 'new law making': 559013, 'law making face': 482337, 'making face covering': 511059, 'in public mandatory': 427090, 'public mandatory whoworeitbetter': 688155, 'mandatory whoworeitbetter coronafashion': 513076, 'whoworeitbetter coronafashion blessedbethefruit': 990699, 'coronafashion blessedbethefruit washthatfruit': 204935, 'blessedbethefruit washthatfruit washyourhands': 132636, 'this across': 886183, 'to late': 909083, 'like this across': 491463, 'this across all': 886184, 'across all store': 29234, 'before it to': 122897, 'it to late': 461729, 'to late stopthegreed': 909084, 'buying tap': 151135, 'tap for': 834320, 'panic buying tap': 637921, 'buying tap for': 151136, 'tap for live': 834321, 'exacting it': 288716, 'effect are': 268971, 'felt take': 303455, 'is exacting it': 447620, 'exacting it economic': 288717, 'it economic effect': 457752, 'economic effect are': 267083, 'effect are also': 268972, 'being felt take': 125143, 'felt take look': 303456, 'at consumer sentiment': 98322, 'knox': 477274, 'from fort': 335545, 'fort knox': 329774, 'knox the': 477275, 'netherlands toiletpaper': 557675, 'live from fort': 495828, 'from fort knox': 335546, 'fort knox the': 329775, 'knox the netherlands': 477276, 'the netherlands toiletpaper': 861459, 'shakib demonstrating': 754462, 'demonstrating correct': 236861, 'correct supermarket': 207526, 'etiquette socialdistancing': 283158, 'zouzou shakib demonstrating': 1027878, 'shakib demonstrating correct': 754463, 'demonstrating correct supermarket': 236862, 'correct supermarket queuing': 207527, 'supermarket queuing etiquette': 822144, 'queuing etiquette socialdistancing': 694207, 'etiquette socialdistancing image': 283159, 'week bizarre': 976016, 'experience empty': 291355, 'shelf everywhere': 757058, 'chicken beef': 175752, 'in week bizarre': 430747, 'week bizarre experience': 976017, 'bizarre experience empty': 131966, 'experience empty shelf': 291356, 'empty shelf everywhere': 275062, 'shelf everywhere no': 757059, 'everywhere no egg': 288238, 'egg chicken beef': 269822, 'chicken beef or': 175753, 'beef or milk': 120533, 'or milk what': 616144, 'milk what it': 531910, 'like in week': 490503, 'who bother': 988327, 'take delivery': 832061, 'sure who bother': 827834, 'who bother me': 988328, 'bother me more': 136124, 'me more right': 523170, 'no reason grocery': 565289, 'close and will': 182544, 'still take delivery': 801265, 'take delivery or': 832062, 'make money off': 510187, 'money off of': 536920, 'off of coronavirus': 594004, 'of coronavirus by': 581919, 'product at higher': 680972, 'collates': 186172, 'normal somebody': 567328, 'somebody collates': 784253, 'collates and': 186173, 'and publishes': 69759, 'publishes list': 688733, 'or supported': 617304, 'nh intend': 561992, 'world nh': 1009834, 'over and life': 629985, 'to normal somebody': 910659, 'normal somebody collates': 567329, 'somebody collates and': 784254, 'collates and publishes': 186174, 'and publishes list': 69760, 'publishes list of': 688734, 'company that did': 191165, 'that did right': 843523, 'did right by': 240785, 'right by their': 721837, 'by their employee': 154493, 'employee their customer': 274301, 'their customer or': 872956, 'customer or supported': 222656, 'or supported the': 617305, 'supported the nh': 827070, 'the nh intend': 861744, 'nh intend to': 561993, 'intend to make': 441046, 'make more informed': 510197, 'more informed consumer': 539600, 'informed consumer choice': 438091, 'consumer choice in': 196796, 'choice in pandemic': 177783, 'in pandemic free': 426457, 'pandemic free world': 635461, 'free world nh': 332340, 'mom called': 535703, 'said maybe': 731227, 'and grass': 63922, 'grass because': 362210, 'my mom called': 549262, 'mom called me': 535704, 'called me and': 156370, 'and said maybe': 70768, 'said maybe should': 731228, 'maybe should stock': 521799, 'food and grass': 313245, 'and grass because': 63923, 'grass because this': 362211, 'because this covid': 119737, '19 is getting': 7977, 'capturing ongoing': 162957, 'ongoing insight': 607650, 'be crucial': 114303, 'cpg manufacturer': 214605, 'alike shopping': 41785, 'shopping routine': 763783, 'brand preference': 137971, 'preference could': 669778, 'could very': 209818, 'normal that': 567355, 'through mrx': 894576, 'newmr retail': 560130, 'capturing ongoing insight': 162958, 'ongoing insight will': 607651, 'insight will be': 439661, 'will be crucial': 992414, 'be crucial for': 114304, 'crucial for retailer': 219449, 'for retailer cpg': 325201, 'retailer cpg manufacturer': 719100, 'cpg manufacturer alike': 214606, 'manufacturer alike shopping': 513417, 'alike shopping routine': 41786, 'shopping routine and': 763784, 'routine and brand': 726491, 'and brand preference': 59152, 'brand preference could': 137972, 'preference could very': 669779, 'could very well': 209819, 'very well change': 955663, 'well change result': 978100, 'this new normal': 889120, 'new normal that': 559175, 'normal that everyone': 567356, 'everyone is living': 287085, 'living through mrx': 496461, 'through mrx newmr': 894577, 'mrx newmr retail': 544489, 'an oversold': 56754, 'oversold bounce': 631534, 'bounce dollar': 136812, 'dollar soar': 253077, 'soar potential': 779267, 'vaccine helping': 951711, 'helping hold': 391356, 'market together': 517246, 'together oatt': 920881, 'grain price rally': 361793, 'rally on an': 696274, 'on an oversold': 599335, 'an oversold bounce': 56755, 'oversold bounce dollar': 631535, 'bounce dollar soar': 136813, 'dollar soar potential': 253078, 'soar potential vaccine': 779268, 'potential vaccine helping': 667169, 'vaccine helping hold': 951712, 'helping hold the': 391357, 'hold the stock': 400023, 'stock market together': 802446, 'market together oatt': 517247, 'energycontract': 276631, 'the ftse100': 855952, 'ftse100 ha': 339489, 'an year': 56971, 'low oilprices': 505450, 'oilprices have': 597672, 'year demand': 1014514, 'cheaper now': 174258, 'next energycontract': 561354, 'energycontract info': 276632, 'pandemic the ftse100': 636682, 'the ftse100 ha': 855953, 'ftse100 ha fallen': 339490, 'fallen to an': 297183, 'to an year': 900476, 'an year low': 56972, 'year low oilprices': 1014728, 'low oilprices have': 505451, 'oilprices have dropped': 597673, 'dropped by 50': 260551, '50 this year': 19881, 'this year demand': 891567, 'year demand is': 1014515, 'is low and': 449473, 'low and energy': 505124, 'price are cheaper': 672644, 'are cheaper now': 85265, 'cheaper now is': 174259, 'this and secure': 886346, 'secure your next': 744478, 'your next energycontract': 1025000, 'next energycontract info': 561355, 'energycontract info energy': 276633, 'jewelosco': 465383, 'jewel': 465369, 'illinoiscoronavirus': 416321, 'damn jewelosco': 225380, 'jewelosco jewel': 465384, 'jewel really': 465370, 'really eww': 702170, 'eww chicago': 288615, 'chicago illinoiscoronavirus': 175677, 'illinoiscoronavirus illinois': 416322, 'illinois mother': 416294, 'mother say': 543161, 'teen believed': 836476, 'still pressured': 801063, 'damn jewelosco jewel': 225381, 'jewelosco jewel really': 465385, 'jewel really eww': 465371, 'really eww chicago': 702171, 'eww chicago illinoiscoronavirus': 288616, 'chicago illinoiscoronavirus illinois': 175678, 'illinoiscoronavirus illinois mother': 416323, 'illinois mother say': 416295, 'mother say teen': 543162, 'say teen believed': 739208, 'teen believed to': 836477, 'believed to have': 126441, '19 still pressured': 10850, 'still pressured to': 801064, 'pressured to work': 671264, 'work at suburban': 1004901, 'at suburban grocery': 100676, 'suburban grocery store': 816140, 'crisis combined': 217225, 'ha expert': 370558, 'expert unclear': 292008, 'unclear about': 939834, 'how deeply': 407672, 'deeply covid': 231987, 'are certain': 85216, 'certain about': 169967, 'health crisis combined': 386326, 'crisis combined with': 217226, 'with the steep': 1001496, 'price ha expert': 674382, 'ha expert unclear': 370559, 'expert unclear about': 292009, 'unclear about how': 939835, 'about how deeply': 25432, 'how deeply covid': 407673, 'deeply covid 19': 231988, '19 will impact': 12096, 'impact the state': 418007, 'the state economy': 867770, 'state economy but': 795550, 'they are certain': 881221, 'are certain about': 85217, 'certain about one': 169968, 'about one thing': 25846, 'one thing it': 607224, 'thing it going': 884495, 'going to hurt': 355625, 'pumpt': 689145, 'adv': 32885, 'repost pumpt': 712834, 'pumpt adv': 689146, 'adv covid': 32886, 'really slammed': 702602, 'slammed distribution': 773501, 'distribution channel': 248136, 'channel for': 172882, 'the smaller': 867373, 'smaller independent': 775279, 'independent brewery': 434087, 'brewery most': 139450, 'beer you': 122545, 'is distributed': 447248, 'big player': 129925, 'repost pumpt adv': 712835, 'pumpt adv covid': 689147, 'adv covid 19': 32887, 'ha really slammed': 371655, 'really slammed distribution': 702603, 'slammed distribution channel': 773502, 'distribution channel for': 248137, 'channel for the': 172883, 'for the smaller': 326693, 'the smaller independent': 867374, 'smaller independent brewery': 775280, 'independent brewery most': 434088, 'brewery most of': 139451, 'craft beer you': 214764, 'beer you buy': 122546, 'supermarket is distributed': 821084, 'is distributed by': 447249, 'the big player': 849614, 'big player we': 129926, 'player we encourage': 659349, 'nstlifestyle': 576685, 'nstlifestyle here': 576686, 'sensibly stock': 750689, 'with nourishing': 999828, 'nourishing food': 573679, 'avoid over': 105202, 'panicbuying movementcontrolorder': 638992, 'movementcontrolorder stayhome': 543955, 'stayhome dudukrumah': 797988, 'dudukrumah juststayathome': 261632, 'juststayathome mco': 470523, 'nstlifestyle here what': 576687, 'do to sensibly': 250403, 'to sensibly stock': 914244, 'sensibly stock your': 750690, 'your kitchen with': 1024581, 'kitchen with nourishing': 475774, 'with nourishing food': 999829, 'nourishing food during': 573680, 'time and avoid': 896257, 'and avoid over': 58571, 'avoid over buying': 105203, 'over buying panicbuying': 630054, 'buying panicbuying movementcontrolorder': 150875, 'panicbuying movementcontrolorder stayhome': 638993, 'movementcontrolorder stayhome dudukrumah': 543956, 'stayhome dudukrumah juststayathome': 797989, 'dudukrumah juststayathome mco': 261633, 'cyberinsurance': 223977, 'slows business': 774635, 'operation around': 613144, 'many trade': 514828, 'association have': 96960, 'for delay': 320619, 'in enforcing': 422570, 'ccpa cyber': 168479, 'cyber cyberinsurance': 223928, 'slows business operation': 774636, 'business operation around': 144151, 'operation around the': 613145, 'world many trade': 1009782, 'many trade association': 514829, 'trade association have': 928416, 'association have asked': 96961, 'have asked for': 379363, 'asked for delay': 95742, 'for delay in': 320620, 'delay in enforcing': 232704, 'in enforcing the': 422571, 'enforcing the california': 276837, 'act ccpa cyber': 29615, 'ccpa cyber cyberinsurance': 168480, 'enveloped': 279058, 'propped': 684577, 'austerity capitalism': 103160, 'capitalism enveloped': 162745, 'enveloped the': 279059, 'world these': 1010061, 'it propped': 460534, 'propped up': 684578, 'up state': 946059, 'state by': 795442, 'living for': 496352, 'poorest renter': 664372, 'class business': 180160, 'owner both': 632410, 'both paid': 136000, 'paid inflated': 634035, 'no safety': 565390, 'net impact': 557552, 'austerity capitalism enveloped': 103161, 'capitalism enveloped the': 162746, 'enveloped the world': 279060, 'the world these': 871986, 'world these past': 1010062, 'these past year': 880415, 'past year it': 643661, 'year it propped': 1014680, 'it propped up': 460535, 'propped up state': 684580, 'up state by': 946060, 'state by raising': 795443, 'raising the cost': 696141, 'of living for': 585913, 'living for everyone': 496353, 'everyone the poorest': 287466, 'the poorest renter': 864007, 'poorest renter and': 664373, 'renter and middle': 711296, 'middle class business': 530629, 'class business owner': 180161, 'business owner both': 144181, 'owner both paid': 632411, 'both paid inflated': 136001, 'paid inflated price': 634036, 'inflated price there': 437074, 'is no safety': 449967, 'no safety net': 565391, 'safety net impact': 730639, 'shopping allowing': 761922, 'allowing customer': 46274, 'grocery shopping allowing': 364992, 'shopping allowing customer': 761923, 'allowing customer to': 46275, 'incident reported': 431436, 'reported relate': 712520, 'where public': 985142, 'related scam the': 708560, 'scam the majority': 740405, 'majority of incident': 509562, 'of incident reported': 585061, 'incident reported relate': 431437, 'reported relate to': 712521, 'scam where public': 740480, 'where public have': 985143, 'public have ordered': 688055, 'have ordered and': 381829, 'protective equipment which': 685742, 'equipment which ha': 279874, 'which ha then': 985901, 'ha then never': 372248, 'mudrock': 545524, 'behind paywall': 124684, 'paywall mudrock': 645835, 'mudrock trash': 545525, 'trash about': 930126, 'worker wage': 1008113, 'wage freeze': 963871, 'freeze because': 332516, 'else job': 271766, 'just comment': 468500, 'comment this': 188462, 'seen some behind': 747244, 'some behind paywall': 782400, 'behind paywall mudrock': 124685, 'paywall mudrock trash': 645836, 'mudrock trash about': 545526, 'trash about supermarket': 930127, 'supermarket worker wage': 824113, 'worker wage freeze': 1008114, 'wage freeze because': 963872, 'freeze because of': 332517, '19 or else': 9017, 'or else job': 615133, 'else job will': 271767, 'job will go': 466294, 'go so let': 354151, 'me just comment': 523030, 'just comment this': 468501, '19 put online': 9894, '2027': 14824, 'omar': 598861, 'it 2027': 456200, '2027 president': 14825, 'president omar': 670875, 'omar unveils': 598864, 'unveils the': 944036, 'the memorial': 860467, 'memorial to': 528418, 'brave hero': 138219, 'held this': 388936, 'coronacrisis of': 204674, '2020 grocery': 14347, 'and tom': 74265, 'it 2027 president': 456201, '2027 president omar': 14826, 'president omar unveils': 670877, 'omar unveils the': 598865, 'unveils the memorial': 944037, 'the memorial to': 860468, 'memorial to the': 528419, 'to the brave': 916527, 'the brave hero': 849952, 'brave hero that': 138220, 'hero that held': 394112, 'that held this': 844293, 'held this country': 388937, 'this country together': 886976, 'country together during': 211175, 'together during the': 920768, 'the coronacrisis of': 851786, 'coronacrisis of 2020': 204675, 'of 2020 grocery': 579494, '2020 grocery store': 14348, 'worker and tom': 1006350, 'and tom nook': 74266, 'mostly contains': 542948, 'contains alcohol': 200623, 'is flammable': 447831, 'flammable make': 309998, 'cooking to': 202924, 'avoid burn': 105016, 'burn injury': 142892, 'injury do': 438714, 'be careless': 114006, 'careless please': 164536, 'attention everyone we': 102441, 'everyone we use': 287568, 'sanitizer that mostly': 735863, 'that mostly contains': 845237, 'mostly contains alcohol': 542949, 'contains alcohol which': 200624, 'which is flammable': 986008, 'is flammable make': 447832, 'flammable make sure': 309999, 'hand before cooking': 374829, 'before cooking to': 122714, 'cooking to avoid': 202925, 'to avoid burn': 900871, 'avoid burn injury': 105017, 'burn injury do': 142893, 'injury do not': 438715, 'not be careless': 568362, 'be careless please': 114007, 'careless please share': 164537, 'raid our': 695607, 'can speak on': 159690, 'speak on behalf': 787700, 'of everyone when': 583261, 'disrespectful to staff': 246362, 'to staff the': 915140, 'me how they': 522920, 'to raid our': 912711, 'raid our store': 695608, 'store and should': 806346, 'should not get': 766246, 'get in there': 347313, 'in there way': 429824, 'inspires': 439855, 'it inspires': 458806, 'inspires to': 439856, 'see american': 744888, 'american entrepreneur': 51948, 'entrepreneur like': 278944, 'like pivot': 491005, 'pivot business': 657073, 'like kai': 490591, 'kai converted': 470654, 'converted much': 202553, 'at this uncertain': 101264, 'time it inspires': 897082, 'it inspires to': 458807, 'inspires to see': 439857, 'to see american': 913982, 'see american entrepreneur': 744889, 'american entrepreneur like': 51949, 'entrepreneur like pivot': 278945, 'like pivot business': 491006, 'pivot business to': 657074, 'business to make': 144543, 'to make essential': 909659, 'make essential like': 509883, 'essential like kai': 281285, 'like kai converted': 490592, 'kai converted much': 470655, 'converted much of': 202554, 'it facility to': 457925, 'make sanitizer now': 510424, 'sanitizer now working': 735438, 'working to ship': 1009003, 'ship to area': 758719, 'to area hit': 900697, 'evil vendor': 288470, 'vendor for': 954365, 'residentevil4 meme': 714415, 'resident evil vendor': 714293, 'evil vendor for': 288471, 'vendor for toilet': 954366, 'toilet residentevil4 meme': 921545, 'residentevil4 meme charmin': 714416, 'have original': 381837, 'original consumer': 619562, 'share really': 755197, 'really looking': 702386, 'so sign': 778216, 'are doing webinar': 85937, 'we have original': 971888, 'have original consumer': 381838, 'original consumer behavior': 619563, 'consumer behavior research': 196508, 'behavior research to': 124175, 'to share really': 914362, 'share really looking': 755198, 'really looking forward': 702387, 'forward to it': 330029, 'to it so': 908613, 'it so sign': 461127, 'so sign up': 778217, 'amish market': 52860, 'lot there': 504384, 'there coronacrisis': 878285, 'coronacrisis saturdaymotivation': 204743, 'food at your': 313457, 'to the amish': 916489, 'the amish market': 848644, 'amish market if': 52861, 'market if you': 516540, 'have one near': 381792, 'one near you': 606704, 'near you found': 553640, 'you found lot': 1018700, 'found lot there': 330281, 'lot there coronacrisis': 504385, 'there coronacrisis saturdaymotivation': 878286, 'went grab': 979024, 'grab juice': 361499, 'juice cheese': 467733, 'door wa': 255770, 'wa open': 962863, 'open had': 612286, 'had turn': 373765, 'turn back': 935651, 'back wen': 107455, 'wen saw': 978909, 'inside 19': 439208, 'went grab juice': 979025, 'grab juice cheese': 361500, 'juice cheese at': 467734, 'cheese at local': 175172, 'supermarket the door': 823218, 'the door wa': 853592, 'door wa open': 255771, 'wa open had': 962864, 'open had turn': 612287, 'had turn back': 373766, 'turn back wen': 935652, 'back wen saw': 107456, 'wen saw the': 978910, 'saw the crowd': 738264, 'the crowd inside': 852527, 'crowd inside 19': 219180, 'w1 there': 961333, 'much waste': 545431, 'waste re': 968175, 're stayhome': 699578, 'stayhome we': 798228, 'than needed': 840932, 'needed since': 556488, 'since store': 770840, 'may shut': 521501, 'fridge pantry': 333420, 'pantry everything': 639571, 'll throw': 497071, 'away disgusted': 105820, 'disgusted with': 245381, 'with ourselves': 1000029, 'ourselves buying': 625467, 'buying siege': 151030, 'siege like': 768983, 'of w1 there': 592876, 'w1 there is': 961334, 'is much waste': 449769, 'much waste re': 545432, 'waste re stayhome': 968176, 're stayhome we': 699579, 'stayhome we buy': 798229, 'we buy more': 970878, 'food than needed': 317079, 'than needed since': 840933, 'needed since store': 556489, 'since store may': 770841, 'store may shut': 808921, 'may shut down': 521502, 'down we stock': 257452, 'we stock the': 973420, 'the fridge pantry': 855817, 'fridge pantry everything': 333421, 'pantry everything and': 639572, 'everything and then': 287689, 'then in week': 877262, 'in week month': 430758, 'week month time': 976540, 'month time we': 538075, 'we ll throw': 972285, 'll throw it': 497072, 'it away disgusted': 456651, 'away disgusted with': 105821, 'disgusted with ourselves': 245382, 'with ourselves buying': 1000030, 'ourselves buying siege': 625468, 'buying siege like': 151031, 'siege like food': 768984, 'put measure': 690686, 'then more': 877341, 'you don put': 1018327, 'don put measure': 253843, 'put measure in': 690687, 'place for people': 657445, 'and essential then': 62266, 'essential then more': 281669, 'then more people': 877342, 'hunger than the': 411195, 'than the infection': 841248, 'supermarket wth': 824148, 'wth empty': 1013362, 'my countryman': 547818, 'countryman let': 211298, 'let work': 487205, 'bay let': 112948, 'let support': 487094, 'is uk supermarket': 453416, 'uk supermarket wth': 938783, 'supermarket wth empty': 824149, 'wth empty shelf': 1013363, 'shelf is this': 757242, 'what we wish': 982570, 'we wish for': 973928, 'wish for my': 996761, 'for my countryman': 323689, 'my countryman let': 547819, 'countryman let work': 211299, 'let work together': 487206, 'at bay let': 98105, 'bay let support': 112949, 'let support our': 487095, 'support our govt': 826731, 'our govt effort': 623285, 'local organization': 498243, 'organization our': 619410, 'ha suggestion': 372113, 'while safe': 987229, 'home including': 401426, 'to show even': 914558, 'show even more': 766940, 'even more support': 284379, 'more support for': 540510, 'support for local': 826513, 'for local organization': 323053, 'local organization our': 498244, 'organization our community': 619411, 'our community partner': 622473, 'community partner ha': 190034, 'partner ha suggestion': 642827, 'ha suggestion on': 372114, 'the pandemic while': 863156, 'pandemic while safe': 636991, 'while safe at': 987230, 'at home including': 99013, 'home including shopping': 401427, 'including shopping at': 432150, 'at their online': 101173, 'online store learn': 609455, 'more at their': 538674, 'at their website': 101180, 'church doesn': 178349, 'the hardworking': 857123, 'hardworking volunteer': 378347, 'volunteer person': 960316, 'donation amp': 254538, 'amp go': 53868, 'paul food': 644541, 'applauded for': 82272, 'work 100': 1004686, 'of the church': 590862, 'the church doesn': 850888, 'church doesn stop': 178350, 'doesn stop for': 251956, 'stop for covid': 804663, '19 the hardworking': 11205, 'the hardworking volunteer': 857124, 'hardworking volunteer person': 378348, 'volunteer person who': 960317, 'person who make': 652731, 'who make donation': 989247, 'make donation amp': 509856, 'donation amp go': 254539, 'amp go shopping': 53869, 'shopping to stock': 764194, 'stock the st': 802941, 'the st paul': 867675, 'st paul food': 791748, 'paul food pantry': 644542, 'pantry are to': 639538, 'to be applauded': 901110, 'be applauded for': 113662, 'applauded for their': 82273, 'for their tireless': 326876, 'their tireless work': 875000, 'tireless work 100': 899066, 'work 100 of': 1004687, '100 of bag': 1980, 'of bag will': 580515, 'distributed to person': 248061, 'to person in': 911677, 'in need this': 425773, 'amazon is looking': 51001, 'crush of online': 219785, 'order the coronavirus': 618627, 'coronavirus spread and': 206803, 'most visible': 542859, 'visible impact': 959133, 'coronavirus are': 205515, 'hitting rural': 398587, 'community well': 190213, 'while ethanol': 986801, 'ethanol and': 282962, 'fall plant': 297029, 'plant close': 658638, 'farmer go': 299382, 'without revenue': 1002888, 'revenue it': 720449, 'vital they': 959739, 'the most visible': 861061, 'most visible impact': 542860, 'visible impact of': 959134, 'of coronavirus are': 581915, 'coronavirus are in': 205516, 'our city but': 622371, 'city but it': 179078, 'but it hitting': 146130, 'it hitting rural': 458600, 'hitting rural community': 398588, 'rural community well': 728234, 'community well while': 190214, 'well while ethanol': 978750, 'while ethanol and': 986802, 'ethanol and corn': 282964, 'price fall plant': 673795, 'fall plant close': 297030, 'plant close and': 658639, 'close and farmer': 182528, 'and farmer go': 62700, 'farmer go without': 299383, 'go without revenue': 354521, 'without revenue it': 1002889, 'revenue it is': 720450, 'is vital they': 453720, 'vital they get': 959740, 'the help they': 857261, 'help they need': 390732, '92008150': 23484, 'alsafrrat': 47795, 'vision2030': 959160, 'spray call': 790279, 'at 92008150': 97806, '92008150 stay': 23485, 'safe saudi': 729919, 'saudi ksa': 737277, 'ksa riyadh': 477827, 'riyadh alsafrrat': 724216, 'alsafrrat vision2030': 47796, 'vision2030 disinfectant': 959161, 'disinfectant handwash': 245681, 'handwash toiletpaper': 376799, 'bacterial disinfectant spray': 107719, 'disinfectant spray call': 245758, 'spray call now': 790280, 'call now at': 156009, 'now at 92008150': 574122, 'at 92008150 stay': 97807, '92008150 stay clean': 23486, 'stay safe saudi': 797271, 'safe saudi ksa': 729920, 'saudi ksa riyadh': 737278, 'ksa riyadh alsafrrat': 477828, 'riyadh alsafrrat vision2030': 724217, 'alsafrrat vision2030 disinfectant': 47797, 'vision2030 disinfectant handwash': 959162, 'disinfectant handwash toiletpaper': 245682, 'handwash toiletpaper handsanitizer': 376800, 'toiletpaper handsanitizer clean': 922051, 'handsanitizer clean cleaning': 376498, 'earnest research': 264856, 'research tracked': 713870, 'tracked and': 928240, 'and analyzed': 58130, 'analyzed credit': 57252, 'nearly six': 553857, 'six million': 772662, 'earnest research tracked': 264857, 'research tracked and': 713871, 'tracked and analyzed': 928241, 'and analyzed credit': 58131, 'analyzed credit card': 57253, 'card and debit': 163450, 'debit card purchase': 230374, 'card purchase of': 163626, 'purchase of nearly': 689583, 'of nearly six': 586888, 'nearly six million': 553858, 'six million people': 772663, 'united state here': 942222, 'state here the': 795668, 'here the consumer': 393644, 'behavior during this': 124013, 'desperate covid': 238515, 'user desperate covid': 950273, 'desperate covid 19': 238516, 'covid 19 close': 212812, 'welp it': 978872, 'official laid': 595847, 'off damn': 593759, 'damn hopefully': 225362, 'hopefully can': 403847, 'welp it official': 978873, 'it official laid': 459998, 'official laid off': 595848, 'laid off damn': 479016, 'off damn hopefully': 593760, 'damn hopefully can': 225363, 'hopefully can get': 403848, 'can get job': 158427, 'supermarket and make': 819012, 'and make some': 66575, 'even enough': 284041, 'make dinner': 509839, 'there isn even': 878664, 'isn even enough': 454498, 'even enough food': 284042, 'enough food at': 277384, 'to make dinner': 909649, '12 min': 2892, 'interview it': 442219, 'important can': 418753, 'follower rt': 312651, 'can have 12': 158572, 'have 12 min': 379073, '12 min of': 2893, 'min of your': 532558, 'your time to': 1026166, 'time to please': 898028, 'to please listen': 911817, 'to this interview': 917434, 'this interview it': 888148, 'interview it so': 442220, 'so important can': 777373, 'important can my': 418754, 'can my follower': 159022, 'my follower rt': 548375, 'litter in': 495207, 'supply big': 824855, 'in enfield': 422568, 'enfield connecticut': 276649, 'cat litter in': 166886, 'litter in short': 495208, 'short supply big': 764705, 'supply big supermarket': 824856, 'supermarket in enfield': 820893, 'in enfield connecticut': 422569, 'pandemic opec russia': 636115, 'nah fuck': 551412, 'let leg': 486870, 'leg it': 485812, 'sweep their': 830167, 'indoors supposed': 435424, 'night 2nd': 562924, '2nd bit': 16758, 'hole of': 400229, 'some bint': 782410, 'bint earlier': 131123, 'nah fuck that': 551413, 'fuck that winny': 339654, 'winny let leg': 996105, 'let leg it': 486871, 'leg it down': 485813, 'down to lidl': 257370, 'to sweep their': 916088, 'sweep their shelf': 830168, 'shelf of stock': 757369, 'stock and fuck': 801812, 'and fuck everyone': 63386, 'fuck everyone else': 339559, 'else and another': 271624, 'not staying indoors': 571713, 'staying indoors supposed': 798656, 'indoors supposed to': 435425, 'going out tomorrow': 355397, 'tomorrow night 2nd': 924140, 'night 2nd bit': 562925, '2nd bit is': 16759, 'word from the': 1004497, 'the food hole': 855558, 'food hole of': 314832, 'hole of some': 400230, 'of some bint': 589890, 'some bint earlier': 782411, 'argenio': 92636, 'antao': 78222, 'serious disruption': 751374, 'business argenio': 143399, 'argenio antao': 92637, 'antao share': 78223, 'concern realestate': 193064, 'realestate stakeholder': 701530, 'stakeholder are': 793324, 'can navigate': 159027, 'potential business': 667022, 'with read': 1000406, 'caused serious disruption': 167949, 'serious disruption to': 751375, 'to business argenio': 902130, 'business argenio antao': 143400, 'argenio antao share': 92638, 'antao share the': 78224, 'the top concern': 869775, 'top concern realestate': 925552, 'concern realestate stakeholder': 193065, 'realestate stakeholder are': 701531, 'stakeholder are facing': 793325, 'facing and how': 295402, 'they can navigate': 881656, 'can navigate the': 159028, 'navigate the potential': 553085, 'the potential business': 864117, 'potential business impact': 667023, 'impact in conversation': 417703, 'conversation with read': 202510, 'with read more': 1000407, 'fuk': 340380, 'ho lee': 398737, 'lee fuk': 485317, 'fuk just': 340381, 'run thanks': 727818, 'wanted still': 966234, 'no though': 565715, 'though stupid': 892900, 'stupid amp': 815335, 'canada just': 160481, 'ho lee fuk': 398738, 'lee fuk just': 485318, 'fuk just went': 340382, 'went on amp': 979068, 'on amp run': 599315, 'amp run thanks': 54419, 'run thanks god': 727819, 'god got what': 354723, 'what wanted still': 982532, 'wanted still no': 966235, 'still no though': 800880, 'no though stupid': 565716, 'though stupid amp': 892901, 'stupid amp now': 815336, 'amp now my': 54197, 'now my grocery': 575329, 'my grocery is': 548576, 'grocery is limiting': 364640, 'can go in': 158499, 'go in canada': 353702, 'in canada just': 421191, 'canada just touched': 160482, 'misusing': 534497, 'after banning': 35392, 'banning ad': 110618, 'mask facebook': 518637, 'facebook ha': 294935, 'ban ad': 109163, 'from misusing': 336448, 'misusing the': 534498, 'coronacrisis facebook': 204590, 'after banning ad': 35393, 'banning ad on': 110619, 'ad on mask': 31133, 'on mask facebook': 602043, 'mask facebook ha': 518638, 'facebook ha announced': 294936, 'it will ban': 462373, 'will ban ad': 992328, 'ban ad for': 109164, 'ad for related': 31105, 'for related product': 325085, 'people from misusing': 647996, 'from misusing the': 336449, 'misusing the ongoing': 534499, 'inflated price coronacrisis': 437035, 'price coronacrisis facebook': 673252, 'industry adapts': 435601, 'grocery dive': 364464, 'dive is': 248493, 'is capturing': 446379, 'changing policy': 172772, 'policy of': 663454, 'the industry adapts': 858158, 'industry adapts to': 435602, 'adapts to the': 31366, '19 grocery dive': 7287, 'grocery dive is': 364465, 'dive is capturing': 248494, 'is capturing the': 446380, 'capturing the changing': 162960, 'the changing policy': 850685, 'changing policy of': 172773, 'policy of major': 663455, 'major food retailer': 509341, 'retailer and delivery': 718960, 'and delivery provider': 61127, 'delivery provider from': 234376, 'provider from store': 686723, 'from store hour': 337442, 'hour to paid': 406033, 'other actual': 619801, 'completely culpable': 192248, 'culpable in': 220241, 'every company that': 285747, 'company that keep': 191176, 'that keep their': 844807, 'store open that': 809265, 'open that aren': 612543, 'that aren grocery': 842853, 'any other actual': 79582, 'other actual essential': 619802, 'actual essential business': 30651, 'essential business is': 280853, 'business is completely': 143952, 'is completely culpable': 446701, 'completely culpable in': 192249, 'culpable in the': 220242, 'creation consumer': 216110, 'finance in': 306206, 'belfast are': 126151, 'employee danger': 273751, 'office coronacrisis': 595399, 'creation consumer finance': 216111, 'consumer finance in': 197478, 'finance in belfast': 306207, 'in belfast are': 420777, 'belfast are now': 126152, 'are now paying': 88585, 'now paying their': 575525, 'their employee danger': 873139, 'employee danger money': 273752, 'danger money to': 225669, 'into the office': 443153, 'the office coronacrisis': 862070, 'my region': 549907, 'region decided': 707401, 'all close': 42370, 'in extreme': 422742, 'extreme crowding': 293791, 'crowding from': 219389, 'to stupid': 915707, 'chain in my': 170809, 'in my region': 425619, 'my region decided': 549908, 'region decided that': 707402, 'decided that covid': 230885, 'precaution they would': 669377, 'they would all': 883934, 'would all close': 1011499, 'all close at': 42371, 'close at pm': 182558, 'at pm this': 100146, 'pm this ha': 662006, 'resulted in extreme': 717676, 'in extreme crowding': 422743, 'extreme crowding from': 293792, 'crowding from to': 219390, 'from to stupid': 338065, 'product credit': 681097, 'facing difficulty result': 295448, 'most widely used': 542914, 'widely used consumer': 991793, 'including loan and': 432040, 'and credit product': 60731, 'credit product credit': 216457, 'job opening': 466055, 'opening coronacrisis': 612819, 'supermarket job opening': 821208, 'job opening coronacrisis': 466056, 'opening coronacrisis chinesewuhanvirus': 612820, 'little message': 495451, 'little message to': 495452, 'greedy people clearing': 363563, 'shelf and leaving': 756740, 'nothing for others': 573013, 'gottafindtoiletpaper': 359114, 'gottafindflour': 359112, 'buywhatyouneed': 151467, 'thing gottafindtoiletpaper': 884376, 'gottafindtoiletpaper gottafindflour': 359115, 'gottafindflour buywhatyouneed': 359113, 'first thing gottafindtoiletpaper': 309074, 'thing gottafindtoiletpaper gottafindflour': 884377, 'gottafindtoiletpaper gottafindflour buywhatyouneed': 359116, 'about sum': 26277, 'moment shop': 536040, 'empty lot': 274944, 'yep this about': 1015349, 'this about sum': 886171, 'about sum up': 26278, 'uk at the': 938202, 'the moment shop': 860776, 'moment shop empty': 536041, 'shop empty lot': 760135, 'empty lot of': 274945, 'lot of corona': 504164, 'of corona 19': 581885, 'corona 19 stophoarding': 203784, 'enforce california': 276660, 'california state': 155578, 'state privacy': 795872, 'law ccpa': 482236, 'industry say it': 436087, 'say it would': 738866, 'would be wrong': 1011673, 'be wrong to': 118171, 'wrong to enforce': 1013133, 'to enforce california': 905115, 'enforce california state': 276661, 'california state privacy': 155579, 'state privacy law': 795873, 'privacy law ccpa': 678823, 'law ccpa due': 482237, 'pandemic we do': 636937, 'quarantine need': 692385, 'end asap': 275779, 'asap not': 94871, 'because want': 119784, 'shopping possibly': 763661, 'can quarantinelife': 159359, 'quarantine need to': 692386, 'to end asap': 905073, 'end asap not': 275780, 'asap not only': 94872, 'only because want': 610161, 'because want to': 119785, 'my house but': 548725, 'house but not': 406223, 'but not working': 146585, 'working and doing': 1008497, 'and doing all': 61600, 'online shopping possibly': 609230, 'shopping possibly can': 763662, 'possibly can quarantinelife': 665902, 'off staff in': 594185, 'staff in midst': 792555, 'salivating': 732740, 'howling': 409541, 'sweepstakes hospital': 830214, 'paid 13': 633940, '13 00': 3151, 'list patient': 494509, 'patient amp': 644127, 'amp 39': 53336, '39 00': 18167, '00 if': 256, 'if patient': 414599, 'patient go': 644175, 'ventilator rabid': 954598, 'rabid democrat': 695154, 'democrat governor': 236719, 'governor salivating': 360981, 'salivating amp': 732741, 'amp howling': 53963, 'howling rt': 409542, 'supermarket sweepstakes hospital': 823122, 'sweepstakes hospital get': 830215, 'hospital get paid': 404422, 'get paid 13': 347761, 'paid 13 00': 633941, '13 00 to': 3152, '00 to list': 546, 'to list patient': 909325, 'list patient amp': 494510, 'patient amp 39': 644128, 'amp 39 00': 53337, '39 00 if': 18168, '00 if patient': 257, 'if patient go': 414600, 'patient go on': 644176, 'go on ventilator': 353905, 'on ventilator rabid': 605034, 'ventilator rabid democrat': 954599, 'rabid democrat governor': 695155, 'democrat governor salivating': 236720, 'governor salivating amp': 360982, 'salivating amp howling': 732742, 'amp howling rt': 53964, 'safoodbank': 730873, 'food time': 317218, 'the safoodbank': 866157, 'safoodbank or': 730874, 'this panic it': 889461, 'panic it always': 638236, 'it always good': 456441, 'always good to': 49584, 'good to give': 357880, 'back to family': 107364, 'in need donate': 425737, 'need donate food': 554699, 'donate food time': 254183, 'food time or': 317219, 'time or money': 897426, 'or money at': 616152, 'at the safoodbank': 101087, 'the safoodbank or': 866158, 'safoodbank or any': 730875, 'or any food': 614343, 'any food bank': 79233, 'littlewins': 495689, 'honestly never': 403116, 'so unbelievably': 778594, 'unbelievably pleased': 939521, 'see fully': 745143, 'supermarket littlewins': 821349, 'honestly never thought': 403117, 'be so unbelievably': 117268, 'so unbelievably pleased': 778595, 'unbelievably pleased to': 939522, 'to see fully': 914011, 'see fully stocked': 745144, 'stocked shelf at': 803388, 'at supermarket littlewins': 100745, 'leasepricesfall': 484305, 'automotiveleasing': 104054, 'lease price': 484294, 'expands leasepricesfall': 290531, 'leasepricesfall automotiveleasing': 484306, 'lease price decline': 484295, 'price decline in': 673401, 'march the coronavirus': 515483, 'coronavirus pandemic expands': 206457, 'pandemic expands leasepricesfall': 635405, 'expands leasepricesfall automotiveleasing': 290532, 'ecowrap': 268400, 'analysed': 57006, 'inoperability': 438958, 'rapid outbreak': 696923, 'india sbi': 434602, 'sbi ecowrap': 739806, 'ecowrap analysed': 268401, 'analysed that': 57007, 'side inoperability': 768824, 'inoperability analysis': 438959, 'three sector': 894056, 'sector transport': 744375, 'transport tourism': 929964, 'hotel show': 405193, 'hence output': 391753, 'output economy': 629266, 'with the rapid': 1001449, 'the rapid outbreak': 865149, 'rapid outbreak of': 696924, 'of coronavirus in': 581945, 'in india sbi': 424051, 'india sbi ecowrap': 434603, 'sbi ecowrap analysed': 739807, 'ecowrap analysed that': 268402, 'analysed that on': 57008, 'that on the': 845486, 'demand side inoperability': 236213, 'side inoperability analysis': 768825, 'inoperability analysis for': 438960, 'analysis for three': 57039, 'for three sector': 327176, 'three sector transport': 894057, 'sector transport tourism': 744376, 'transport tourism and': 929965, 'tourism and hotel': 926965, 'and hotel show': 64770, 'hotel show significant': 405194, 'show significant impact': 767134, 'demand and hence': 234971, 'and hence output': 64504, 'hence output economy': 391754, 'on proposing': 602977, 'proposing sell': 684567, 'the ring': 865839, 'ring for': 722519, 'toiletpaper your': 922892, 'your lover': 1024747, 'lover will': 505033, 'yes guarantee': 1015450, 'guarantee it': 367707, 'idea for anyone': 413046, 'anyone who had': 80620, 'who had planned': 988887, 'had planned on': 373408, 'planned on proposing': 658466, 'on proposing sell': 602978, 'proposing sell the': 684568, 'sell the ring': 748897, 'the ring for': 865840, 'ring for toiletpaper': 722521, 'for toiletpaper your': 327268, 'toiletpaper your lover': 922893, 'your lover will': 1024748, 'lover will say': 505034, 'will say yes': 994752, 'say yes guarantee': 739508, 'yes guarantee it': 1015451, 'guarantee it coronacrisis': 367708, 'it coronacrisis corona': 457332, 'gove': 359741, 'catch whilst': 167059, 'whilst working': 987709, 'scotland their': 742433, 'company director': 190593, 'director management': 243635, 'account along': 28621, 'with nicola': 999726, 'nicola sturgeon': 562611, 'sturgeon the': 815578, 'uk gove': 938406, 'if any retail': 413833, 'retail worker catch': 718876, 'worker catch whilst': 1006617, 'catch whilst working': 167060, 'whilst working on': 987710, 'working on store': 1008822, 'on store in': 603697, 'store in scotland': 808384, 'in scotland their': 427746, 'scotland their company': 742434, 'their company director': 872831, 'company director management': 190594, 'director management should': 243636, 'management should be': 512626, 'to account along': 899978, 'account along with': 28622, 'along with nicola': 47068, 'with nicola sturgeon': 999727, 'nicola sturgeon the': 562612, 'sturgeon the uk': 815579, 'the uk gove': 870225, 'food cost': 314033, 'fallen lockdown': 297158, 'lockdown around': 499170, 'have exacerbated': 380509, 'exacerbated demand': 288671, 'destruction for': 239109, 'which pressure': 986230, 'pressure biofuels': 671136, 'biofuels consumption': 131214, 'consumption biofuels': 199844, 'biofuels are': 131212, 'for sugar': 325984, 'food cost have': 314034, 'cost have fallen': 207964, 'have fallen lockdown': 380572, 'fallen lockdown around': 297159, 'lockdown around the': 499171, 'globe have exacerbated': 352468, 'have exacerbated demand': 380510, 'exacerbated demand destruction': 288672, 'demand destruction for': 235235, 'destruction for oil': 239110, 'oil which pressure': 597513, 'which pressure biofuels': 986231, 'pressure biofuels consumption': 671137, 'biofuels consumption biofuels': 131215, 'consumption biofuels are': 199845, 'biofuels are key': 131213, 'are key source': 87675, 'source of demand': 786520, 'demand for sugar': 235499, 'for sugar and': 325985, 'sugar and vegetable': 817425, 'and vegetable oil': 74893, 'vegetable oil oott': 954053, 'canadian housing': 160697, 'ice find': 412670, 'how real': 408564, 'like many industry': 490706, 'many industry the': 514189, 'industry the canadian': 436148, 'the canadian housing': 850322, 'canadian housing market': 160698, 'put on ice': 690720, 'on ice find': 601471, 'ice find out': 412671, 'out how real': 626332, 'how real estate': 408565, 'estate is being': 282139, 'crunch some': 219753, 'crunch some data': 219754, 'some data and': 782660, 'data and report': 226124, 'and report on': 70265, 'best use of': 127973, 'use of marketing': 949417, 'of marketing during': 586243, 'turkana': 935530, 'ngamia': 561812, 'opec ha': 611897, 'barrel daily': 111208, '19 upheaval': 11698, 'upheaval guy': 947555, 'guy how': 369026, 'our turkana': 625210, 'turkana ngamia': 935531, 'ngamia oil': 561813, 'oil well': 597508, 'well doing': 978171, 'opec ha agreed': 611898, 'ha agreed to': 369477, 'production by million': 681951, 'by million barrel': 153221, 'million barrel daily': 532084, 'barrel daily in': 111209, 'daily in bid': 224639, 'covid 19 upheaval': 214008, '19 upheaval guy': 11699, 'upheaval guy how': 947556, 'guy how is': 369027, 'how is our': 408103, 'is our turkana': 450648, 'our turkana ngamia': 625211, 'turkana ngamia oil': 935532, 'ngamia oil well': 561814, 'oil well doing': 597509, 'art haha': 94160, 'haha with': 373905, 'dollar skyrocketing': 253073, '19 probably': 9833, 'probably yes': 679426, 'go even': 353518, 'art haha with': 94161, 'haha with the': 373906, 'with the dollar': 1001269, 'the dollar skyrocketing': 853522, 'dollar skyrocketing because': 253074, 'covid 19 probably': 213615, '19 probably yes': 9834, 'probably yes the': 679427, 'yes the price': 1015555, 'will go even': 993549, 'go even higher': 353519, 'from quarantine': 337018, 'quarantine hiking': 692259, 'price hoarding': 674570, 'sanitisers other': 734100, 'absolute scum': 27278, 'earth in': 264984, '2020 identify': 14379, 'identify remember': 413366, 'people running away': 649323, 'away from quarantine': 105906, 'from quarantine hiking': 337019, 'quarantine hiking price': 692260, 'hiking price hoarding': 396397, 'price hoarding mask': 674571, 'hoarding mask sanitisers': 399421, 'mask sanitisers other': 519213, 'sanitisers other essential': 734101, 'other essential are': 620151, 'essential are the': 280799, 'are the absolute': 90792, 'the absolute scum': 848254, 'absolute scum of': 27279, 'the earth in': 853829, 'earth in 2020': 264985, 'in 2020 identify': 419840, '2020 identify remember': 14380, 'identify remember them': 413367, 'remember them and': 710328, 'them and bring': 875374, 'and bring them': 59204, 'bring them down': 140095, 'them down when': 875629, 'down when this': 257467, 'dear employee': 229779, 'golden grocery': 356053, '10 tell': 1695, 'dear employee thank': 229780, 'being here we': 125235, 'here we appreciate': 393783, 'appreciate you very': 82791, 'very much this': 955367, 'much this is': 545376, 'of the message': 591238, 'the message left': 860521, 'message left at': 529360, 'at the golden': 100962, 'the golden grocery': 856418, 'golden grocery store': 356054, 'store tonight at': 810906, 'at 10 tell': 97409, '10 tell how': 1696, 'tell how the': 836983, 'how the manager': 408844, 'the manager and': 859993, 'manager and his': 512669, 'and his employee': 64594, 'his employee are': 397388, 'employee are responding': 273627, 'to the request': 917018, 'kitty': 475832, 'with hitting': 998853, 'hitting pet': 398583, 'availability our': 104167, 'feed over': 302354, '00 cat': 117, 'cat week': 166904, 'nyc we': 578066, 'source special': 786546, 'special kitty': 787981, 'kitty complete': 475833, 'complete nutrition': 192125, 'nutrition in': 577728, 'cat colony': 166846, 'colony and': 186714, 'and caretaker': 59569, 'caretaker going': 164641, 'dm cat': 248886, 'with hitting pet': 998854, 'hitting pet food': 398584, 'pet food availability': 653382, 'food availability our': 313466, 'availability our stock': 104168, 'stock of cat': 802517, 'food is running': 315147, 'out we feed': 627795, 'we feed over': 971534, 'feed over 00': 302355, 'over 00 cat': 629748, '00 cat week': 118, 'cat week in': 166905, 'week in nyc': 976379, 'in nyc we': 426031, 'nyc we need': 578067, 'need to source': 556077, 'to source special': 914938, 'source special kitty': 786547, 'special kitty complete': 787982, 'kitty complete nutrition': 475834, 'complete nutrition in': 192126, 'nutrition in bulk': 577729, 'bulk to keep': 142365, 'keep the cat': 472030, 'the cat colony': 850513, 'cat colony and': 166847, 'colony and caretaker': 186715, 'and caretaker going': 59570, 'caretaker going if': 164642, 'help please dm': 390323, 'please dm cat': 659886, 'great practical': 362901, 'practical response': 668485, 'response victoria': 715906, 'park help': 641926, 'great practical response': 362902, 'practical response victoria': 668486, 'response victoria park': 715907, 'victoria park help': 956541, 'park help with': 641927, 'food production due': 316043, 'germ with': 346185, 'unwanted illness': 944053, 'illness through': 416403, 'safe and free': 729448, 'and free from': 63272, 'free from germ': 331861, 'from germ with': 335616, 'germ with our': 346186, 'from unwanted illness': 338199, 'unwanted illness through': 944054, 'illness through the': 416404, 'through the ongoing': 894758, 'operatingmasks': 613117, 'operatingmasks and': 613118, 'of coordination': 581871, 'coordination cause': 203214, 'rise exacerbating': 722840, 'exacerbating the': 288687, 'crisis resellers': 217968, 'resellers offer': 713979, 'offer n95': 594706, 'operatingmasks and the': 613119, 'fight against price': 304633, 'lack of coordination': 478615, 'of coordination cause': 581872, 'coordination cause price': 203215, 'to rise exacerbating': 913565, 'rise exacerbating the': 722841, 'exacerbating the supply': 288688, 'supply crisis resellers': 825123, 'crisis resellers offer': 217969, 'resellers offer n95': 713980, 'offer n95 mask': 594707, 'let rip': 487013, 'rip stophoarding': 722675, 'minister let rip': 533399, 'let rip stophoarding': 487014, 'rip stophoarding stoppanicbuying': 722676, 'outb': 627927, 'world community': 1009439, 'all navigate': 43584, 'together logile': 920860, 'mishra kick': 534046, 'on recommendation': 603095, 'operator responding': 613396, 'the outb': 862583, 'our thought are': 625133, 'thought are on': 892976, 'on our customer': 602588, 'our customer employee': 622658, 'employee and world': 273596, 'and world community': 75901, 'world community we': 1009440, 'community we all': 190205, 'we all navigate': 970344, 'all navigate the': 43585, 'pandemic together logile': 636804, 'together logile ceo': 920861, 'purna mishra kick': 690071, 'mishra kick off': 534047, 'kick off our': 473794, 'off our special': 594043, 'special series on': 788052, 'series on recommendation': 751287, 'on recommendation for': 603096, 'retail store operator': 718676, 'store operator responding': 809300, 'operator responding to': 613397, 'to the outb': 916930, 'evokes': 288480, 'dick sporting': 240469, 'good evokes': 357016, 'evokes force': 288481, 'majeure to': 509223, 'to abate': 899902, 'abate store': 24230, 'store rent': 809817, 'rent over': 711147, '19 pittsburgh': 9687, 'pittsburgh retail': 657043, 'retail retailvscorona': 718491, 'dick sporting good': 240470, 'sporting good evokes': 790001, 'good evokes force': 357017, 'evokes force majeure': 288482, 'force majeure to': 328433, 'majeure to abate': 509224, 'to abate store': 899903, 'abate store rent': 24231, 'store rent over': 809818, 'rent over covid': 711148, 'covid 19 pittsburgh': 213583, '19 pittsburgh retail': 9688, 'pittsburgh retail retailvscorona': 657044, 'brexiters': 139547, 'educate brexiters': 268751, 'brexiters that': 139548, 'get refilled': 347904, 'refilled after': 706560, 'two brexit': 936814, 'need to educate': 555913, 'to educate brexiters': 904941, 'educate brexiters that': 268752, 'brexiters that covid': 139549, 'shelf that get': 757641, 'that get refilled': 844001, 'get refilled after': 347905, 'refilled after week': 706561, 'after week or': 36527, 'or two brexit': 617555, 'two brexit empty': 936815, 'shelf for month': 757093, 'for month on': 323534, 'month on end': 537922, 'yorker': 1016693, 'nypause': 578114, 'itsnotnormal': 463981, 'new yorker': 559960, 'yorker am': 1016694, 'am talked': 50471, 'talked myself': 833937, 'myself out': 550923, 'today nypause': 919960, 'nypause itsnotnormal': 578115, 'the good new': 856442, 'good new yorker': 357438, 'new yorker am': 559961, 'yorker am talked': 1016695, 'am talked myself': 50472, 'talked myself out': 833938, 'myself out of': 550924, 'out of going': 626744, 'day off today': 228131, 'off today nypause': 594336, 'today nypause itsnotnormal': 919961, 'tommorow': 923985, 'by bill': 151963, 'ackman on': 29096, 'top holding': 925590, 'holding hlt': 400117, 'unload majority': 942797, 'position tommorow': 665200, 'tommorow at': 923986, 'what job by': 981775, 'job by bill': 465715, 'by bill ackman': 151964, 'bill ackman on': 130490, 'ackman on twitter': 29097, 'the is over': 858517, 'ackman top holding': 29099, 'top holding hlt': 925591, 'holding hlt hilton': 400118, 'can unload majority': 160080, 'unload majority of': 942798, 'majority of his': 509561, 'his position tommorow': 397718, 'position tommorow at': 665201, 'tommorow at much': 923987, 'they purple': 882945, 'purple piece': 690078, 'flying by': 311668, 'by represent': 153772, 'those all': 891784, 'his lie': 397575, 'haunt him': 379027, 'him oil': 396679, '30 his': 17068, 'deal cost': 229370, 'in bailout': 420669, 'actual growth': 30664, 'do they purple': 250313, 'they purple piece': 882946, 'purple piece that': 690079, 'that are flying': 842750, 'are flying by': 86609, 'flying by represent': 311669, 'by represent the': 153773, 'represent the death': 712878, 'the death from': 852970, 'or are those': 614422, 'are those all': 91056, 'those all his': 891785, 'all his lie': 43123, 'his lie coming': 397576, 'lie coming back': 488342, 'to haunt him': 907189, 'haunt him oil': 379028, 'him oil price': 396680, 'down 30 his': 256409, '30 his trade': 17069, 'his trade deal': 397871, 'trade deal cost': 928477, 'deal cost more': 229371, 'more in bailout': 539506, 'in bailout money': 420670, 'bailout money than': 108642, 'money than actual': 537053, 'than actual growth': 840320, 'actual growth and': 30665, 'growth and job': 367343, 'day include': 227816, 'include internet': 431581, 'internet call': 441918, 'spot stock': 790117, 'same order': 733196, 'my day include': 547946, 'day include internet': 227817, 'include internet call': 431582, 'internet call with': 441919, 'call with people': 156234, 'not living in': 570444, 'living in hot': 496374, 'in hot spot': 423831, 'hot spot stock': 405053, 'spot stock up': 790118, 'on food now': 600890, 'food now this': 315572, 'now this same': 576135, 'this same order': 889948, 'same order is': 733197, 'order is coming': 618333, 'coming to your': 188239, 'to your state': 919030, 'your state and': 1025927, 'state and country': 795361, 'and country in': 60644, 'few week pandemic': 304161, 'week pandemic lockdown': 976725, 'grouos': 366586, 'any mutual': 79498, 'aid grouos': 39394, 'grouos in': 366587, 'find others': 307123, 'searching on': 743338, 'there any mutual': 878022, 'any mutual aid': 79499, 'mutual aid grouos': 547088, 'aid grouos in': 39395, 'grouos in your': 366588, 'area who could': 92270, 'who could do': 988505, 'could do supermarket': 209101, 'supermarket run there': 822278, 'run there list': 727831, 'there list here': 878711, 'list here but': 494352, 'here but you': 392842, 'you might find': 1019851, 'might find others': 530979, 'find others by': 307124, 'others by searching': 621319, 'by searching on': 153902, 'searching on facebook': 743339, 'again people': 37109, 'it 8am': 456228, 'are wrapped': 91749, 'checkout go': 174922, 'people staythefhome': 649574, 'll say it': 496986, 'it again people': 456307, 'again people are': 37110, 'are not socialdistancing': 88468, 'not socialdistancing it': 571636, 'socialdistancing it 8am': 780481, 'it 8am and': 456229, '8am and my': 23126, 'and my local': 67377, 'people are wrapped': 647118, 'are wrapped around': 91750, 'around the self': 93556, 'self checkout go': 747578, 'checkout go home': 174923, 'go home people': 353669, 'home people staythefhome': 401836, 'retail district': 718036, 'district target': 248388, 'consumer demographic': 197181, 'demographic are': 236787, 'their habit': 873463, 'then pivot': 877421, 'pivot your': 657107, 'strategy accordingly': 812591, 'understand how your': 940654, 'how your business': 409297, 'and retail district': 70428, 'retail district target': 718037, 'district target consumer': 248389, 'target consumer demographic': 834454, 'consumer demographic are': 197182, 'demographic are changing': 236788, 'changing their habit': 172817, 'their habit result': 873464, 'and then pivot': 73791, 'then pivot your': 877422, 'pivot your strategy': 657108, 'your strategy accordingly': 1026002, 'ahead it': 39165, 'monitor news': 537303, 'further sentiment': 342160, 'news sentiment in': 560780, 'month ahead it': 537553, 'ahead it will': 39166, 'important to monitor': 419061, 'to monitor news': 910233, 'monitor news and': 537304, 'news and consumer': 560226, 'sentiment to see': 751014, 'how much further': 408351, 'much further sentiment': 544946, 'further sentiment will': 342161, 'sentiment will fall': 751031, 'will fall and': 993401, 'fall and when': 296838, 'it will start': 462441, 'start to turn': 794602, 'more kind': 539653, 'and loving': 66434, 'going great': 355182, 'safe staysafestayhome': 729995, 'be more kind': 115981, 'more kind and': 539654, 'kind and loving': 474807, 'and loving right': 66435, 'kind tell your': 474986, 'tell your local': 837164, 'are going great': 86885, 'going great job': 355183, 'at home keep': 99024, 'yourself safe staysafestayhome': 1026698, 'rising alarm': 723152, 'infected almost': 436525, 'almost 180': 46487, 'shelf amid rising': 756708, 'amid rising alarm': 52628, 'rising alarm over': 723153, 'ha infected almost': 370967, 'infected almost 180': 436526, 'almost 180 00': 46488, 'yourself from at': 1026607, 'from at grocery': 334602, 'dallor': 225151, 'find antibacterial': 306781, 'antibacterial or': 78369, 'sanitizer seen': 735715, 'the dallor': 852801, 'dallor store': 225152, 'etc few': 282533, 'few pack': 303974, 'pack can': 633031, 'month easy': 537697, 'easy le': 265726, 'le harmful': 482972, 'skin also': 773051, 'also handwashing': 48316, 'cant find antibacterial': 162289, 'find antibacterial or': 306782, 'antibacterial or hand': 78370, 'hand sanitizer seen': 375581, 'sanitizer seen lot': 735716, 'of these at': 591810, 'these at the': 879659, 'at the dallor': 100922, 'the dallor store': 852802, 'dallor store etc': 225153, 'store etc few': 807629, 'etc few pack': 282534, 'few pack can': 303975, 'pack can last': 633032, 'can last month': 158833, 'last month easy': 480333, 'month easy le': 537698, 'easy le harmful': 265727, 'le harmful to': 482973, 'harmful to your': 378460, 'to your skin': 919027, 'your skin also': 1025824, 'skin also handwashing': 773052, 'find resource': 307200, 'difficult time visit': 242315, 'time visit our': 898198, 'website to learn': 975446, 'to learn your': 909143, 'right and find': 721753, 'and find resource': 62892, 'find resource available': 307201, 'time recently': 897555, 'recently do': 704075, 'ever stop': 285522, 'stop new': 804848, 'drastically groceryshopping': 258440, 'have you started': 383693, 'you started using': 1021363, 'started using grocery': 794892, 'using grocery delivery': 950504, 'delivery apps for': 233700, 'apps for the': 83284, 'first time recently': 309109, 'time recently do': 897556, 'recently do you': 704076, 'you ll ever': 1019650, 'll ever stop': 496744, 'ever stop new': 285523, 'stop new report': 804849, 'new report find': 559446, 'report find consumer': 711935, 'find consumer habit': 306859, 'are changing drastically': 85233, 'changing drastically groceryshopping': 172695, 'rockmans': 724987, 'disgusting example': 245408, 'gouging from': 359327, 'from fashion': 335419, 'store katies': 808639, 'katies and': 471056, 'and rockmans': 70587, 'rockmans during': 724988, 'pandemic taking': 636619, 'mask auspol': 518441, 'disgusting example of': 245409, 'example of price': 288944, 'price gouging from': 674280, 'gouging from fashion': 359328, 'from fashion store': 335420, 'fashion store katies': 299851, 'store katies and': 808640, 'katies and rockmans': 471057, 'and rockmans during': 70588, 'rockmans during the': 724989, 'the pandemic taking': 863117, 'pandemic taking advantage': 636620, 'fear by hiking': 301076, 'item like who': 463427, 'like who approved': 491813, 'who approved hand': 988091, 'approved hand sanitiser': 83158, 'face mask auspol': 294519, 'dettol soap': 239533, 'when use sanitizer': 984370, 'sanitizer after washing': 734329, 'my hand with': 548618, 'hand with dettol': 376005, 'with dettol soap': 998013, 'crematory': 216653, 'york crematory': 1016602, 'crematory operation': 216654, 'are nonprofit': 88297, 'their highly': 873543, 'highly regulated': 396096, 'regulated service': 708018, 'serving around': 753171, 'clock in': 182406, 'in devastating': 422232, 'devastating time': 239605, 'new york crematory': 559924, 'york crematory operation': 1016603, 'crematory operation are': 216655, 'operation are nonprofit': 613142, 'are nonprofit that': 88298, 'nonprofit that have': 566706, 'that have their': 844240, 'have their highly': 383053, 'their highly regulated': 873544, 'highly regulated service': 396097, 'regulated service and': 708019, 'service and price': 752104, 'and price set': 69475, 'the state their': 867814, 'worker are serving': 1006422, 'are serving around': 89995, 'serving around the': 753172, 'the clock in': 851034, 'clock in devastating': 182407, 'in devastating time': 422233, 'devastating time we': 239606, 'time we stand': 898236, 'with you help': 1002153, 'protecting grocery': 685194, 'protecting grocery store': 685195, 'and shopper from': 71526, 'shopper from covid': 761523, 'eroded': 280173, 'the emerged': 854215, 'emerged consumer': 272556, 'large brand': 479607, 'brand had': 137847, 'had eroded': 373077, 'eroded people': 280174, 'now align': 573956, 'align more': 41758, 'business 19': 143204, 'before the emerged': 123158, 'the emerged consumer': 854216, 'emerged consumer trust': 272557, 'trust in both': 934269, 'in both government': 420920, 'government and large': 359865, 'and large brand': 65948, 'large brand had': 479608, 'brand had eroded': 137848, 'had eroded people': 373078, 'eroded people now': 280175, 'people now align': 648885, 'now align more': 573957, 'align more closely': 41759, 'more closely with': 538829, 'closely with family': 183482, 'friend and local': 333503, 'local business 19': 497746, 'absynth': 27518, 'idealworld': 413299, 'by absynth': 151736, 'absynth and': 27519, 'sanitizer than': 735845, 'actual hand': 30668, 'sanitizer ffs': 734861, 'ffs idealworld': 304306, 'idealworld selling': 413300, 'selling 500ml': 749137, '500ml for': 20112, 'for near': 323783, 'near 20': 553453, '20 plus': 13266, 'plus postage': 661660, 'be cheaper to': 114076, 'cheaper to by': 174285, 'to by absynth': 902359, 'by absynth and': 151737, 'absynth and use': 27520, 'use that hand': 949644, 'hand sanitizer than': 375613, 'sanitizer than actual': 735846, 'than actual hand': 840321, 'actual hand sanitizer': 30669, 'hand sanitizer ffs': 375400, 'sanitizer ffs idealworld': 734862, 'ffs idealworld selling': 304307, 'idealworld selling 500ml': 413301, 'selling 500ml for': 749138, '500ml for near': 20113, 'for near 20': 323784, 'near 20 plus': 553454, '20 plus postage': 13267, 'grocer struggle': 364168, 'keep sweet': 472004, 'and salty': 70802, 'salty snack': 732840, 'snack in': 776015, 'stock consumer': 802015, 'comfort in': 187843, 'in cooky': 421776, 'chip amid': 177497, 'growing coronavirus': 367146, 'grocer struggle to': 364169, 'to keep sweet': 908862, 'keep sweet and': 472005, 'sweet and salty': 830222, 'and salty snack': 70803, 'salty snack in': 732841, 'snack in stock': 776016, 'in stock consumer': 428293, 'stock consumer look': 802016, 'look for comfort': 502353, 'for comfort in': 320169, 'comfort in cooky': 187844, 'in cooky and': 421777, 'cooky and chip': 202964, 'and chip amid': 59863, 'chip amid growing': 177498, 'amid growing coronavirus': 52494, 'growing coronavirus fear': 367147, 'virusprotection': 959109, 'sanitizer combo': 734668, 'combo people': 187164, 'sanitizers coronavirus': 736252, 'fear rise': 301310, 'rise you': 723078, 'purchase them': 689676, 'from wallet': 338282, 'wallet wing': 965227, 'wing at': 995968, 'economical rate': 267376, 'rate link': 697294, 'buy handsanitizer': 148774, 'mask virusprotection': 519484, 'mask sanitizer combo': 519218, 'sanitizer combo people': 734669, 'combo people face': 187165, 'people face shortage': 647856, 'and sanitizers coronavirus': 70898, 'sanitizers coronavirus fear': 736253, 'coronavirus fear rise': 205918, 'fear rise you': 301311, 'rise you can': 723079, 'still purchase them': 801079, 'purchase them from': 689677, 'them from wallet': 875761, 'from wallet wing': 338283, 'wallet wing at': 965228, 'wing at economical': 995969, 'at economical rate': 98520, 'economical rate link': 267377, 'rate link to': 697295, 'to buy handsanitizer': 902240, 'buy handsanitizer mask': 148775, 'handsanitizer mask virusprotection': 376582, 'pricesfall': 677890, 'britian': 140483, 'uk outbreak': 938598, 'further will': 342205, 'will pricesfall': 994450, 'pricesfall in': 677891, 'italy 10': 462750, 'least britian': 484413, 'britian need': 140484, 'it propertymarket': 460532, 'propertymarket 100': 684386, '100 online': 2004, 'now investigates': 575055, 'investigates in': 443831, 'italy week ahead': 462964, 'ahead of uk': 39196, 'of uk outbreak': 592576, 'uk outbreak how': 938599, 'outbreak how much': 628319, 'much further will': 544948, 'further will pricesfall': 342206, 'will pricesfall in': 994451, 'pricesfall in italy': 677892, 'in italy 10': 424286, 'italy 10 at': 462751, '10 at least': 1321, 'at least britian': 99472, 'least britian need': 484414, 'britian need to': 140485, 'move it propertymarket': 543684, 'it propertymarket 100': 460533, 'propertymarket 100 online': 684387, '100 online now': 2005, 'online now investigates': 608593, 'now investigates in': 575056, 'investigates in this': 443832, 'article for read': 94321, 'for read more': 324982, 'are tough and': 91167, 'tough and scary': 926794, 'and scary for': 71058, 'scary for most': 741145, 'shopping are complete': 762063, 'turn off to': 935719, 'off to me': 594324, 'packagethieves': 633514, 'porchpirates': 664779, 'people rely': 649264, 'these act': 879572, 'act are': 29602, 'are frustrating': 86707, 'frustrating packagethieves': 339242, 'packagethieves porchpirates': 633515, 'porchpirates toronto': 664780, 'these time people': 880846, 'time people rely': 897466, 'people rely on': 649265, 'shopping and these': 762032, 'and these act': 73876, 'these act are': 879573, 'act are frustrating': 29603, 'are frustrating packagethieves': 86708, 'frustrating packagethieves porchpirates': 339243, 'packagethieves porchpirates toronto': 633516, 'employee thanks': 274284, 'thanks if': 842111, 'assistant healthcare worker': 96784, 'service employee thanks': 752331, 'employee thanks if': 274285, 'thanks if you': 842112, 'local edeka': 497916, 'edeka supermarket': 268479, 'essential wa': 281748, 'them limiting': 875990, 'store sanitising': 809985, 'sanitising everyone': 734125, 'queue calm': 693904, 'calm queue': 156784, 'our local edeka': 623769, 'local edeka supermarket': 497917, 'edeka supermarket for': 268480, 'some essential wa': 782766, 'essential wa very': 281749, 'wa very happy': 963641, 'see them limiting': 745916, 'them limiting the': 875991, 'the store sanitising': 868096, 'store sanitising everyone': 809986, 'sanitising everyone hand': 734126, 'hand on entry': 375133, 'on entry and': 600574, 'entry and allowing': 278984, 'elderly to skip': 270922, 'skip the queue': 773147, 'the queue calm': 865037, 'queue calm queue': 693905, 'calm queue with': 156785, 'queue with no': 694143, 'with no panic': 999773, 'in infectious': 424091, 'disease virology': 245268, 'virology and': 957705, 'safety share': 730727, 'toiletry without': 923451, 'without picking': 1002838, 'expert in infectious': 291859, 'in infectious disease': 424092, 'infectious disease virology': 436906, 'disease virology and': 245269, 'virology and food': 957706, 'food safety share': 316277, 'safety share their': 730728, 'share their tip': 755269, 'their tip about': 874996, 'tip about how': 898692, 'can go stock': 158512, 'and toiletry without': 74255, 'toiletry without picking': 923452, 'without picking up': 1002839, 'thankyouworkers': 842403, 'then boom': 877036, 'boom all': 134794, 'life line': 488849, 'country thankyouworkers': 211104, 'thankyouworkers livingwage': 842404, 'supermarket for minimum': 820403, 'and then boom': 73748, 'then boom all': 877037, 'boom all of': 134795, 'sudden you are': 817056, 'the life line': 859340, 'life line of': 488850, 'line of an': 493290, 'of an entire': 580111, 'an entire country': 55768, 'entire country thankyouworkers': 278659, 'country thankyouworkers livingwage': 211105, 'hena': 391733, 'perla': 652027, 'jitin': 465540, 'chi': 175611, 'strategize': 812585, 'hena 2010': 391734, '2010 perla': 13760, 'perla jyot': 652028, 'jyot jitin': 470551, 'jitin patel': 465541, 'patel indian': 643971, 'indian mkt': 434860, 'mkt severe': 534698, 'severe stress': 754060, 'the electronics': 854188, 'electronics industry': 271299, 'industry component': 435739, 'component manufacturing': 192549, 'manufacturing ha': 513593, 'ha traditionally': 372349, 'traditionally been': 929028, 'been sourced': 122010, 'china chi': 176556, 'chi want': 175612, 'earn profit': 264807, 'by rising': 153821, 'export need': 292671, 're strategize': 699618, 'strategize item': 812586, '19 raise': 9943, 'raise fear': 695841, 'hena 2010 perla': 391735, '2010 perla jyot': 13761, 'perla jyot jitin': 652029, 'jyot jitin patel': 470552, 'jitin patel indian': 465542, 'patel indian mkt': 643972, 'indian mkt severe': 434861, 'mkt severe stress': 534699, 'severe stress is': 754061, 'stress is the': 813348, 'is the electronics': 452784, 'the electronics industry': 854189, 'electronics industry component': 271300, 'industry component manufacturing': 435740, 'component manufacturing ha': 192550, 'manufacturing ha traditionally': 513594, 'ha traditionally been': 372350, 'traditionally been sourced': 929029, 'been sourced from': 122011, 'sourced from china': 786596, 'from china chi': 334853, 'china chi want': 176557, 'chi want to': 175613, 'want to earn': 966028, 'to earn profit': 904839, 'earn profit by': 264808, 'profit by rising': 682693, 'by rising price': 153822, 'rising price on': 723271, 'on indian export': 601556, 'indian export need': 434831, 'export need to': 292672, 'need to re': 556029, 'to re strategize': 912782, 're strategize item': 699619, 'strategize item may': 812587, 'item may have': 463452, 'have the 19': 382957, 'the 19 raise': 847925, '19 raise fear': 9944, 'raise fear of': 695842, 'case gas': 165751, 'another day without': 77571, 'day without any': 228790, 'without any new': 1002496, 'any new covid': 79509, '19 case gas': 5678, 'case gas price': 165752, 'google utm': 358203, 'utm medium': 951379, 'social utm': 780006, 'utm campaign': 951373, 'campaign thinkwithgoogle': 157261, 'thinkwithgoogle utm': 886054, 'utm source': 951381, 'source twitter': 786574, 'twitter utm': 936737, 'utm content': 951375, 'content coronavirus': 200794, 'coronavirus need': 206310, 'need marketing': 555203, 'trend consumer': 931302, 'with google utm': 998650, 'google utm medium': 358204, 'utm medium social': 951380, 'medium social utm': 527288, 'social utm campaign': 780007, 'utm campaign thinkwithgoogle': 951374, 'campaign thinkwithgoogle utm': 157262, 'thinkwithgoogle utm source': 886055, 'utm source twitter': 951382, 'source twitter utm': 786575, 'twitter utm content': 936738, 'utm content coronavirus': 951376, 'content coronavirus need': 200795, 'coronavirus need marketing': 206311, 'need marketing trend': 555204, 'marketing trend consumer': 517742, 'seldom': 747453, 'workingfromhome seldom': 1009108, 'seldom do': 747454, '6pm march': 21658, 'workingfromhome seldom do': 1009109, 'seldom do much': 747455, 'wa 6pm march': 961394, '6pm march 25': 21659, 'myself socially': 550931, 'pavement what': 644662, 'hell genuinely': 389011, 'genuinely socialdistancing': 345904, 'yesterday and found': 1015661, 'found myself socially': 330298, 'myself socially distancing': 550932, 'socially distancing my': 781062, 'car from some': 163100, 'from some people': 337342, 'some people walking': 783544, 'the pavement what': 863405, 'pavement what the': 644663, 'the hell genuinely': 857242, 'hell genuinely socialdistancing': 389012, 'light of 19': 489548, 'of 19 shouldn': 579411, 'lambis': 479171, 'lambinsurance': 479170, '2020 observation': 14467, 'how supply': 408768, 'reacting lambis': 700174, 'lambis lambinsurance': 479172, 'of 2020 observation': 579500, '2020 observation of': 14468, 'observation of consumer': 578551, 'and how supply': 64837, 'how supply chain': 408769, 'are reacting lambis': 89451, 'reacting lambis lambinsurance': 700175, 'amazon purell': 51082, 'purell instant': 690015, 'aloe fl': 46783, 'oz packaging': 632753, 'packaging may': 633562, 'by purell': 153694, 'purell via': 690035, 'saw this on': 738295, 'this on amazon': 889211, 'on amazon purell': 599286, 'amazon purell instant': 51083, 'purell instant hand': 690016, 'sanitizer with aloe': 736130, 'with aloe fl': 997176, 'aloe fl oz': 46784, 'fl oz packaging': 309920, 'oz packaging may': 632754, 'packaging may vary': 633563, 'may vary by': 521595, 'vary by purell': 952668, 'by purell via': 153695, 'purell via 19': 690036, 'of anchor': 580135, 'anchor brewing': 57311, 'brewing in': 139475, 'in asking': 420533, 'asking management': 96020, 'beer on': 122491, 'join the worker': 466873, 'the worker of': 871757, 'worker of anchor': 1007471, 'of anchor brewing': 580136, 'anchor brewing in': 57312, 'brewing in asking': 139476, 'in asking management': 420534, 'asking management to': 96021, 'management to do': 512648, 'what is right': 981723, 'is right by': 451535, 'life to keep': 489137, 'keep the business': 472027, 'business in operation': 143892, 'operation and beer': 613131, 'and beer on': 58817, 'beer on the': 122492, 'shelf during covid': 757000, 'supply avoidance': 824829, 'avoidance of': 105408, 'rt hon': 726770, 'hon george': 403037, 'eustice mp': 283651, 'mp secretary': 544272, 'range of expert': 696713, 'of expert on': 583327, 'expert on food': 291897, 'food supply avoidance': 316935, 'supply avoidance of': 824830, 'avoidance of panic': 105409, 'pandemic it will': 635832, 'also question the': 48736, 'question the rt': 693768, 'the rt hon': 866023, 'rt hon george': 726771, 'hon george eustice': 403038, 'george eustice mp': 345996, 'eustice mp secretary': 283652, 'mp secretary of': 544273, 'most like': 542475, 'disinfectant use': 245792, 'with diy': 998096, 'the supply you': 868970, 'supply you need': 826147, 'need most like': 555272, 'most like hand': 542476, 'and disinfectant use': 61453, 'disinfectant use this': 245793, 'use this article': 949720, 'this article with': 886436, 'article with diy': 94507, 'with diy recipe': 998097, 'recipe for everything': 704461, 'sanitizer to toilet': 735952, 'chuckling': 178294, 'whenyouknowyouknow': 984706, 'developed my': 239721, 'own socialdistancing': 632220, 'socialdistancing strategy': 780758, 'strategy listening': 812673, 'to podcast': 911852, 'apparently randomly': 81994, 'randomly chuckling': 696639, 'chuckling to': 178295, 'myself while': 550978, 'supermarket whenyouknowyouknow': 823813, 'developed my own': 239722, 'my own socialdistancing': 549657, 'own socialdistancing strategy': 632221, 'socialdistancing strategy listening': 780759, 'strategy listening to': 812674, 'listening to podcast': 494813, 'to podcast and': 911853, 'podcast and apparently': 662256, 'and apparently randomly': 58252, 'apparently randomly chuckling': 81995, 'randomly chuckling to': 696640, 'chuckling to myself': 178296, 'to myself while': 910460, 'myself while in': 550979, 'the supermarket whenyouknowyouknow': 868901, 'quite ridiculous': 694909, 'is quite ridiculous': 451194, 'force million': 328446, 'via weekly': 956365, 'poverty and panic': 667482, 'buying force million': 150365, 'force million to': 328447, 'million to go': 532387, 'without food via': 1002663, 'food via weekly': 317431, 'prudence': 687351, 'republican concerned': 713022, 'fiscal prudence': 309264, 'prudence should': 687352, 'be leaning': 115683, 'leaning into': 483901, 'source massive': 786510, 'massive quantity': 520074, 'quantity at': 691910, 'what individual': 981660, 'individual state': 435257, 'if republican': 414732, 'republican don': 713029, 'economics work': 267492, 'republican concerned about': 713023, 'concerned about fiscal': 193153, 'about fiscal prudence': 25243, 'fiscal prudence should': 309265, 'prudence should be': 687353, 'should be leaning': 765658, 'be leaning into': 115684, 'leaning into the': 483902, 'into the ability': 443095, 'ability of the': 24383, 'of the fed': 591016, 'fed to source': 301913, 'to source massive': 914937, 'source massive quantity': 786511, 'massive quantity at': 520075, 'quantity at much': 691911, 'at much lower': 99791, 'much lower price': 545072, 'price than what': 676782, 'than what individual': 841443, 'what individual state': 981661, 'individual state can': 435258, 'state can it': 795450, 'can it if': 158779, 'it if republican': 458675, 'if republican don': 414733, 'republican don understand': 713030, 'understand how economics': 940642, 'how economics work': 407787, 'item related': 463603, 'to hygiene': 908071, 'and sickness': 71647, 'sickness you': 768763, 'influx in': 437381, 'sale compared': 732134, 'year sale': 1014935, '54 with': 20339, 'with thermometer': 1001631, 'thermometer sale': 879541, 'up 34': 944159, '34 and': 17804, 'aerosol disinfectant': 33905, 'disinfectant sale': 245740, 'ecommerce seo': 266862, 'if your brand': 415569, 'your brand sell': 1023020, 'brand sell item': 138000, 'sell item related': 748777, 'item related to': 463604, 'related to hygiene': 708605, 'to hygiene and': 908072, 'hygiene and sickness': 412050, 'and sickness you': 71648, 'sickness you ve': 768764, 'seen an influx': 746935, 'an influx in': 56319, 'influx in sale': 437382, 'in sale compared': 427650, 'sale compared to': 732135, 'time period last': 897478, 'last year sale': 480733, 'year sale of': 1014936, 'sanitizer are up': 734487, 'are up 54': 91354, 'up 54 with': 944191, '54 with thermometer': 20340, 'with thermometer sale': 1001632, 'thermometer sale up': 879542, 'sale up 34': 732619, 'up 34 and': 944160, '34 and aerosol': 17805, 'and aerosol disinfectant': 57737, 'aerosol disinfectant sale': 33906, 'disinfectant sale up': 245741, 'sale up 19': 732618, 'up 19 ecommerce': 944127, '19 ecommerce seo': 6697, 'shopping about': 761874, '18 people': 4572, 'left got': 485480, 'got most': 358715, 'that plus': 845772, 'plus socialdistancing': 661674, 'grocery shopping about': 364990, 'shopping about 18': 761875, 'about 18 people': 24655, '18 people in': 4573, 'people in line': 648391, 'get in when': 347322, 'in when we': 430849, 'when we got': 984446, 'store only about': 809238, 'only about when': 610030, 'about when we': 26911, 'when we left': 984453, 'we left got': 972184, 'left got most': 485481, 'got most of': 358716, 'we needed so': 972576, 'needed so that': 556491, 'so that plus': 778390, 'that plus socialdistancing': 845773, 'plus socialdistancing washyourhands': 661675, 'our desi': 622744, 'desi scientist': 238203, 'scientist grocery': 742225, 'of our desi': 587451, 'our desi scientist': 622745, 'desi scientist grocery': 238204, 'scientist grocery store': 742226, 'northamptonshire': 567708, 'northants': 567711, 'pricehiking': 677877, 'breakingthelaw': 139108, 'in northamptonshire': 425947, 'northamptonshire hiking': 567709, 'law northants': 482343, 'northants tradingstandards': 567712, 'tradingstandards citizensadvice': 928971, 'citizensadvice pricehiking': 179014, 'pricehiking health': 677878, 'health breakingthelaw': 386203, 'report people in': 712170, 'people in northamptonshire': 648404, 'in northamptonshire hiking': 425948, 'northamptonshire hiking price': 567710, 'coronavirus crisis they': 205773, 'crisis they could': 218213, 'could be breaking': 208847, 'be breaking the': 113907, 'breaking the law': 139060, 'the law northants': 859187, 'law northants tradingstandards': 482344, 'northants tradingstandards citizensadvice': 567713, 'tradingstandards citizensadvice pricehiking': 928972, 'citizensadvice pricehiking health': 179015, 'pricehiking health breakingthelaw': 677879, 'the propaganda': 864669, 'propaganda through': 684069, 'through whatsapp': 894902, 'message started': 529421, 'artificial food': 94517, 'pakistan after': 634418, 'after alarm': 35316, 'alarm now': 40673, 'start give': 794313, 'give rise': 350682, 'profiteering black': 683012, 'poverty trader': 667521, 'the propaganda through': 864670, 'propaganda through whatsapp': 684070, 'through whatsapp message': 894903, 'whatsapp message started': 982900, 'message started to': 529422, 'started to create': 794865, 'create artificial food': 215612, 'artificial food shortage': 94518, 'shortage in pakistan': 765019, 'in pakistan after': 426434, 'pakistan after alarm': 634419, 'after alarm now': 35317, 'alarm now panic': 40674, 'buying will start': 151370, 'will start give': 994942, 'start give rise': 794314, 'give rise to': 350683, 'rise to hoarding': 723033, 'to hoarding profiteering': 907900, 'hoarding profiteering black': 399490, 'profiteering black marketing': 683013, 'black marketing to': 132105, 'marketing to add': 517735, 'add to hunger': 31521, 'to hunger poverty': 908056, 'hunger poverty trader': 411172, 'poverty trader will': 667522, 'trader will make': 928805, 'of it too': 585460, 'cei': 168751, 'chao': 172982, 'cei writes': 168752, 'writes secretary': 1012868, 'secretary chao': 743948, 'chao proposal': 172983, 'proposal is': 684463, 'step toward': 799674, 'toward evidence': 927120, 'and safeguarding': 70727, 'safeguarding significant': 730238, 'consumer gain': 197565, 'from airline': 334425, 'airline deregulation': 39942, 'deregulation read': 237846, 'cei writes secretary': 168753, 'writes secretary chao': 1012869, 'secretary chao proposal': 743949, 'chao proposal is': 172984, 'proposal is positive': 684464, 'is positive step': 450938, 'positive step toward': 665443, 'step toward evidence': 799675, 'toward evidence based': 927121, 'evidence based consumer': 288350, 'based consumer protection': 111545, 'protection and safeguarding': 685324, 'and safeguarding significant': 70728, 'safeguarding significant consumer': 730239, 'significant consumer gain': 769408, 'consumer gain from': 197566, 'gain from airline': 342774, 'from airline deregulation': 334426, 'airline deregulation read': 39943, 'deregulation read more': 237847, 'to unfortunately': 917940, 'unfortunately racism': 941639, 'racism is': 695284, 'thing there': 884843, 'especially considering': 280453, 'folk talk': 312262, 'you trump': 1021935, 'mask and toilet': 518380, 'all in high': 43197, 'due to unfortunately': 262010, 'to unfortunately racism': 917941, 'unfortunately racism is': 941640, 'racism is one': 695285, 'one thing there': 607235, 'thing there too': 884844, 'much of especially': 545190, 'of especially considering': 583155, 'especially considering how': 280454, 'considering how some': 195380, 'some folk talk': 782851, 'folk talk about': 312263, 'at you trump': 101662, 'boycottchineseproducts': 137361, 'electronic product': 271265, 'product manufacturing': 681394, 'manufacturing safe': 513649, 'safe after': 729407, 'seen and': 746937, 'suffering chinese': 817289, 'chinese biological': 177199, 'biological weapon': 131228, 'weapon covid': 974239, '19 makechinapay': 8526, 'makechinapay boycottchina': 510781, 'boycottchina boycottchineseproducts': 137359, 'to china for': 902727, 'china for consumer': 176664, 'for consumer electronic': 320255, 'consumer electronic product': 197328, 'electronic product manufacturing': 271266, 'product manufacturing safe': 681395, 'manufacturing safe after': 513650, 'safe after we': 729408, 'have seen and': 382419, 'seen and suffering': 746938, 'and suffering chinese': 72664, 'suffering chinese biological': 817290, 'chinese biological weapon': 177200, 'biological weapon covid': 131229, 'weapon covid 19': 974240, 'covid 19 makechinapay': 213394, '19 makechinapay boycottchina': 8527, 'makechinapay boycottchina boycottchineseproducts': 510782, 'usual so that': 951023, 'so that elderly': 778367, 'disabled customer can': 243897, 'customer can shop': 222229, 'can shop comfortably': 159601, 'fnb': 311793, 'instalment': 440067, 'preferential': 669801, 'fnb announced': 311794, 'announced relief': 77023, 'whose income': 990647, 'no instalment': 564507, 'instalment payment': 440068, 'personal home': 652866, 'home car': 400872, 'for apr': 319471, 'apr may': 83365, 'may jun': 521300, 'jun with': 467980, 'with amount': 997189, 'paid off': 634097, 'with preferential': 1000288, 'preferential interest': 669802, 'no added': 563586, 'added fee': 31557, 'fnb announced relief': 311795, 'announced relief for': 77024, 'for customer whose': 320516, 'customer whose income': 223090, 'whose income have': 990648, '19 no instalment': 8799, 'no instalment payment': 564508, 'instalment payment on': 440069, 'on personal home': 602774, 'personal home car': 652867, 'home car loan': 400873, 'car loan for': 163172, 'loan for apr': 497437, 'for apr may': 319472, 'apr may jun': 83366, 'may jun with': 521301, 'jun with amount': 467981, 'with amount to': 997190, 'amount to be': 53290, 'be paid off': 116337, 'paid off over': 634098, 'off over time': 594048, 'over time with': 630830, 'time with preferential': 898357, 'with preferential interest': 1000289, 'preferential interest rate': 669803, 'interest rate no': 441399, 'rate no added': 697305, 'no added fee': 563587, 'mascot': 518237, 'haneda': 376918, 'japan got': 464736, 'food mascot': 315411, 'mascot amp': 518238, 'one spotted': 607075, 'spotted month': 790203, 'at haneda': 98851, 'haneda amp': 376919, 'amp perhaps': 54287, 'perhaps worth': 651674, 'about hygiene': 25491, 'hygiene amp': 412044, 'japan got great': 464737, 'got great food': 358591, 'great food mascot': 362673, 'food mascot amp': 315412, 'mascot amp check': 518239, 'out this one': 627580, 'this one spotted': 889252, 'one spotted month': 607076, 'spotted month back': 790204, 'month back at': 537599, 'back at haneda': 106888, 'at haneda amp': 98852, 'haneda amp perhaps': 376920, 'amp perhaps worth': 54288, 'perhaps worth buying': 651675, 'worth buying if': 1011346, 'worried about hygiene': 1010498, 'about hygiene amp': 25492, 'hygiene amp shortage': 412045, 'amp shortage in': 54497, 'cpap': 214570, 'the re': 865194, 're invent': 698920, 'invent device': 443609, 'device can': 239902, 'be assembled': 113709, 'assembled in': 96347, 'in component': 421641, 'component part': 192556, 'standard cpap': 793645, 'cpap machine': 214571, 'machine auburn': 507366, 'auburn is': 102815, 'the re invent': 865195, 're invent device': 698921, 'invent device can': 443610, 'device can be': 239903, 'can be assembled': 157583, 'be assembled in': 113710, 'assembled in four': 96348, 'in four hour': 423063, 'four hour with': 330613, 'hour with 700': 406105, 'with 700 in': 997057, '700 in component': 21888, 'in component part': 421642, 'component part in': 192557, 'part in addition': 642294, 'addition to standard': 31748, 'to standard cpap': 915171, 'standard cpap machine': 793646, 'cpap machine auburn': 214572, 'machine auburn is': 507367, 'auburn is currently': 102816, 'is currently working': 447008, 'lot no': 504123, 'what trash': 982484, 'parking lot no': 642095, 'lot no one': 504124, 'is your mother': 454157, 'mother and if': 543053, 'know what trash': 476984, 'what trash can': 982485, 'trash can is': 930144, 'outbrske': 628849, 'note since': 572787, '19 outbrske': 9213, 'outbrske price': 628850, 'also rent': 48786, 'rent payment': 711151, 'payment are': 645549, 'often more': 596231, 'your offering': 1025050, 'offering each': 595085, 'each individual': 264100, 'individual please': 435238, 'asking help': 96006, 'please note since': 660246, 'note since the': 572788, 'covid 19 outbrske': 213534, '19 outbrske price': 9214, 'outbrske price have': 628851, 'have increased for': 381059, 'increased for basic': 433327, 'necessity also rent': 554161, 'also rent payment': 48787, 'rent payment are': 711152, 'payment are close': 645550, 'close to and': 182883, 'to and often': 900516, 'and often more': 68009, 'often more than': 596232, 'than your offering': 841506, 'your offering each': 1025051, 'offering each individual': 595086, 'each individual please': 264101, 'individual please help': 435239, 'this virus we': 891037, 'are asking help': 84640, 'impact check': 417594, 'check will': 174714, 'delivered based': 233300, 'on 2018': 599050, '2019 tax': 14019, 'return information': 719861, 'information so': 437977, 'no action': 563582, 'received your': 703717, 'your refund': 1025542, 'refund via': 706979, 'via check': 955858, 'past check': 643511, 'mailed to': 508689, 'pre qualify': 669202, 'economic impact check': 267129, 'impact check will': 417596, 'check will be': 174715, 'will be delivered': 992423, 'be delivered based': 114396, 'delivered based on': 233301, 'based on 2018': 111665, 'on 2018 2019': 599051, '2018 2019 tax': 13869, '2019 tax return': 14020, 'tax return information': 835080, 'return information so': 719862, 'information so no': 437978, 'so no action': 777881, 'no action is': 563583, 'is required for': 451449, 'required for most': 713366, 've received your': 953493, 'received your refund': 703718, 'your refund via': 1025543, 'refund via check': 706980, 'via check in': 955859, 'the past check': 863349, 'past check will': 643512, 'will be mailed': 992551, 'be mailed to': 115873, 'mailed to you': 508691, 'to you there': 918929, 'need to pre': 556015, 'to pre qualify': 911982, 'pushingtargets': 690471, 'sainsbury online': 731701, 'shopping staff': 763961, '19 pushingtargets': 9889, 'pushingtargets keyworker': 690472, 'keyworker sugar': 473582, 'sugar please': 817467, 'experience of sainsbury': 291438, 'of sainsbury online': 589233, 'sainsbury online shopping': 731702, 'online shopping staff': 609281, 'shopping staff key': 763962, 'covid 19 pushingtargets': 213636, '19 pushingtargets keyworker': 9890, 'pushingtargets keyworker sugar': 690473, 'keyworker sugar please': 473583, 'sugar please help': 817468, 'please help raise': 660078, 'help raise awareness': 390400, 'low price premier': 505532, 'price premier said': 675982, 'are obsolete': 88633, 'obsolete you': 578707, 'grab whatever': 361554, 'whatever leftover': 982774, 'leftover can': 485774, 'and weird': 75386, 'weird candy': 977750, 'candy only': 161344, 'only grandmother': 610541, 'grandmother eat': 361927, 'grocery list are': 364697, 'list are obsolete': 494281, 'are obsolete you': 88634, 'obsolete you just': 578708, 'you just go': 1019420, 'and grab whatever': 63907, 'grab whatever leftover': 361555, 'whatever leftover can': 982775, 'leftover can of': 485775, 'of tuna and': 592498, 'tuna and weird': 935372, 'and weird candy': 75387, 'weird candy only': 977751, 'candy only grandmother': 161345, 'only grandmother eat': 610542, 'mahfworks': 508508, 'rest it': 716168, 'okay stayathome': 598011, 'staysafe inspiration': 798836, 'inspiration mahfworks': 439804, 'mahfworks creative': 508509, 'creative agency': 216120, 'agency red': 38061, 'red peach': 705608, 'peach toiletpaper': 646040, 'instaart cartoon': 439883, 'illustration virus': 416469, 'virus creativity': 958101, 'creativity rest': 216216, 'rest stophoarding': 716228, 'stophoarding digitalart': 805387, 'rest it going': 716169, 'to be okay': 901419, 'be okay stayathome': 116183, 'okay stayathome staysafe': 598012, 'stayathome staysafe inspiration': 797661, 'staysafe inspiration mahfworks': 798837, 'inspiration mahfworks creative': 439805, 'mahfworks creative agency': 508510, 'creative agency red': 216121, 'agency red peach': 38062, 'red peach toiletpaper': 705609, 'peach toiletpaper toiletpapercrisis': 646041, 'panicbuying instaart cartoon': 638976, 'instaart cartoon cov': 439884, 'd19 illustration virus': 224177, 'illustration virus creativity': 416470, 'virus creativity rest': 958102, 'creativity rest stophoarding': 216217, 'rest stophoarding digitalart': 716229, 'honest socialdistancing': 403077, 'suck making': 816903, 'le onlineshopping': 483051, 'onlineshopping check': 609887, 'estore an': 282329, 'awesome selection': 106199, 'be honest socialdistancing': 115294, 'honest socialdistancing suck': 403078, 'socialdistancing suck making': 780765, 'suck making it': 816904, 'making it suck': 511151, 'little le onlineshopping': 495438, 'le onlineshopping check': 483052, 'onlineshopping check out': 609888, 'quinsam estore an': 694760, 'estore an awesome': 282330, 'an awesome selection': 55512, 'awesome selection of': 106200, 'best price around': 127862, 'coronafever': 204938, 'coronathoughts': 205294, 'store reminds': 809810, 'inside nightclub': 439320, 'nightclub coronafever': 563140, 'coronafever coronathoughts': 204939, 'coronathoughts virus': 205295, 'get inside grocery': 347344, 'grocery store reminds': 365714, 'store reminds me': 809811, 'old day waiting': 598221, 'day waiting to': 228659, 'get inside nightclub': 347347, 'inside nightclub coronafever': 439321, 'nightclub coronafever coronathoughts': 563141, 'coronafever coronathoughts virus': 204940, 'ha wa': 372434, 'friendly tried': 334017, 'flight due': 310466, 'the fee': 855088, 'is 200': 445181, 'per ticket': 651046, 'ticket had': 895628, 'had booked': 372930, 'booked 10': 134653, '10 ticket': 1714, 'ticket 200': 895586, '200 fee': 13485, 'cancel and': 160835, 'book that': 134608, 'wish that ha': 996815, 'that ha wa': 844143, 'ha wa consumer': 372435, 'wa consumer friendly': 961869, 'consumer friendly tried': 197550, 'friendly tried to': 334018, 'tried to cancel': 931829, 'my flight due': 548364, 'flight due to': 310467, 'told the fee': 923705, 'the fee is': 855089, 'fee is 200': 302189, 'is 200 per': 445182, '200 per ticket': 13533, 'per ticket had': 651047, 'ticket had booked': 895629, 'had booked 10': 372931, 'booked 10 ticket': 134654, '10 ticket 200': 1715, 'ticket 200 fee': 895587, '200 fee to': 13486, 'fee to cancel': 302242, 'to cancel and': 902422, 'cancel and re': 160836, 'and re book': 69961, 're book that': 698377, 'book that is': 134609, 'that is insane': 844610, 'water grid': 969018, 'grid aren': 363886, 'down farm': 256749, 'aren shutting': 92519, 'isn zombie': 454769, 'of supply the': 590501, 'supply the power': 825965, 'and water grid': 75240, 'water grid aren': 969019, 'grid aren going': 363887, 'aren going down': 92423, 'going down farm': 355119, 'down farm and': 256750, 'chain aren shutting': 170524, 'aren shutting down': 92520, '19 isn zombie': 8098, 'isn zombie apocalypse': 454770, 'surrounding it': 828752, 'read scammer': 700539, 'some scammer are': 783806, 'fear surrounding it': 301351, 'surrounding it your': 828753, 'it your safety': 462665, 'and security is': 71125, 'security is our': 744659, 'our priority and': 624460, 'priority and we': 678515, 'be sure you': 117474, 'the scam read': 866417, 'scam read scammer': 740323, 'read scammer follow': 700540, 'god even': 354690, 'and estimating': 62276, 'estimating that': 282315, 'spend about': 788566, 'min max': 532551, 'max in': 520755, 'supermarket akka': 818854, 'akka fucking': 40543, 'fucking came': 339822, 'hour la': 405721, 'la wtf': 478243, 'my god even': 548522, 'god even after': 354691, 'even after coming': 283810, 'after coming up': 35480, 'up with list': 946657, 'of grocery that': 584359, 'grocery that need': 366024, 'buy and estimating': 148319, 'and estimating that': 62277, 'estimating that ll': 282316, 'that ll only': 844912, 'll only spend': 496932, 'only spend about': 611179, 'spend about 30': 788567, 'about 30 min': 24697, '30 min max': 17117, 'min max in': 532552, 'max in the': 520756, 'the supermarket akka': 868450, 'supermarket akka fucking': 818855, 'akka fucking came': 40544, 'fucking came out': 339823, 'came out after': 157041, 'out after hour': 625578, 'after hour la': 35804, 'hour la wtf': 405722, 'alfonso': 41624, 'oneuse': 607569, 'greenie': 363754, 'weenie': 977604, 'alfonso proving': 41625, 'that oneuse': 845506, 'oneuse plastic': 607570, 'are multi': 88165, 'multi use': 545676, 'use household': 949263, 'household saver': 406930, 'saver just': 737810, 'to greenie': 906996, 'greenie weenie': 363755, 'weenie propaganda': 977605, 'propaganda one': 684061, 'are miracle': 88083, 'miracle worker': 533929, 'use every': 949196, 'than canvas': 840436, 'alfonso proving that': 41626, 'proving that oneuse': 687230, 'that oneuse plastic': 845507, 'oneuse plastic bag': 607571, 'plastic bag are': 658799, 'bag are multi': 108231, 'are multi use': 88166, 'multi use household': 545677, 'use household saver': 949264, 'household saver just': 406931, 'saver just say': 737811, 'no to greenie': 565740, 'to greenie weenie': 906997, 'greenie weenie propaganda': 363756, 'weenie propaganda one': 977606, 'propaganda one use': 684062, 'one use grocery': 607332, 'use grocery store': 949249, 'grocery store plastic': 365663, 'bag are miracle': 108230, 'are miracle worker': 88084, 'miracle worker we': 533930, 'worker we use': 1008148, 'we use and': 973609, 'use and re': 949044, 'and re use': 69965, 're use every': 699757, 'use every day': 949197, 'age of are': 37860, 'of are safer': 580352, 'are safer than': 89801, 'safer than canvas': 730387, 'awesome proposal': 106190, 'biz credit': 131937, 'payment suspend': 645743, 'suspend negative': 829573, 'reporting suspend': 712758, 'collection repossession': 186464, 'repossession wage': 712802, 'garnishment ban': 343706, 'ban eviction': 109194, 'here is awesome': 393215, 'is awesome proposal': 445940, 'awesome proposal 2k': 106191, 'suspend consumer small': 829555, 'consumer small biz': 199004, 'small biz credit': 774809, 'biz credit payment': 131938, 'credit payment suspend': 216453, 'payment suspend negative': 645744, 'suspend negative credit': 829574, 'negative credit reporting': 556755, 'credit reporting suspend': 216495, 'reporting suspend debt': 712759, 'debt collection repossession': 230451, 'collection repossession wage': 186465, 'repossession wage garnishment': 712803, 'wage garnishment ban': 963878, 'garnishment ban eviction': 343707, 'ban eviction foreclosure': 109195, 'breadbasket': 138653, 'fertiliser': 303578, 'country breadbasket': 210524, 'breadbasket are': 138654, 'accessing farm': 28356, 'higher fertiliser': 395594, 'fertiliser price': 303579, 'the planting': 863809, 'season due': 743390, 'via africa': 955785, 'the country breadbasket': 852054, 'country breadbasket are': 210525, 'breadbasket are facing': 138655, 'facing difficulty accessing': 295444, 'difficulty accessing farm': 242363, 'accessing farm input': 28357, 'farm input and': 299139, 'input and are': 438967, 'and are facing': 58312, 'are facing higher': 86417, 'facing higher fertiliser': 295490, 'higher fertiliser price': 395595, 'fertiliser price ahead': 303580, 'price ahead of': 672252, 'of the planting': 591341, 'the planting season': 863810, 'planting season due': 658762, 'season due to': 743391, 'outbreak via africa': 628779, 'simply hoarding': 770236, 'panickbuying government': 639204, 'warns panic': 967278, 'selfish sent': 748254, 'buying or just': 150838, 'or just simply': 615893, 'just simply hoarding': 469807, 'simply hoarding stuff': 770237, 'hoarding stuff you': 399559, 'stuff you need': 815267, 'are being incredibly': 84875, 'being incredibly selfish': 125316, 'incredibly selfish coronacrisis': 433922, 'selfish coronacrisis panicbuyinguk': 748060, 'coronacrisis panicbuyinguk panickbuying': 204696, 'panicbuyinguk panickbuying government': 639151, 'panickbuying government warns': 639205, 'government warns panic': 360783, 'warns panic buyer': 967279, 'panic buyer not': 637591, 'be selfish sent': 117062, 'selfish sent via': 748255, 'agreed at': 38696, 'pakistan sale': 634500, 'much awareness': 544746, 'make distant': 509843, 'distant queue': 247684, 'queue while': 694132, 'yes agreed at': 1015368, 'agreed at least': 38697, 'least in pakistan': 484516, 'in pakistan sale': 426447, 'pakistan sale should': 634501, 'should be limited': 765661, 'be limited to': 115760, 'to online store': 910952, 'store because people': 806684, 'because people here': 119475, 'people here have': 648247, 'here have not': 393076, 'have not that': 381699, 'that much awareness': 845242, 'much awareness to': 544747, 'awareness to make': 105739, 'to make distant': 909651, 'make distant queue': 509844, 'distant queue while': 247685, 'queue while going': 694133, 'while going for': 986880, 'going for shopping': 355148, 'for shopping to': 325598, 'pinning': 656841, 'barrelling': 111304, 'pinning this': 656842, 'reform barrelling': 706711, 'barrelling down': 111305, 'the track': 869848, 'track post': 928213, 'worker much': 1007398, 'pinning this for': 656843, 'economic reform barrelling': 267243, 'reform barrelling down': 706712, 'barrelling down the': 111306, 'down the track': 257309, 'the track post': 869849, 'track post what': 928214, 'post what if': 666404, 'supermarket worker much': 824050, 'worker much this': 1007399, 'much this via': 545377, 'sending virtual': 750114, 'virtual thanks': 957802, 'thanks round': 842167, 'applause to': 82296, 'nh medical': 562006, 'staff ambulance': 792105, 'service support': 752885, 'and frontline': 63357, 'all incredible': 43212, 'sending virtual thanks': 750115, 'virtual thanks round': 957803, 'thanks round of': 842168, 'of applause to': 580313, 'applause to all': 82297, 'the nh medical': 861748, 'nh medical staff': 562007, 'medical staff ambulance': 526384, 'staff ambulance service': 792106, 'ambulance service support': 51345, 'service support worker': 752886, 'support worker supermarket': 827003, 'worker and frontline': 1006297, 'and frontline staff': 63358, 'doing such an': 252689, 'such an amazing': 816319, 'amazing job you': 50728, 'job you are': 466314, 'are all incredible': 84317, 'urgly': 948459, 'more urgly': 540872, 'urgly in': 948460, '19 ugandan': 11611, 'ugandan are': 938002, 'still leading': 800781, 'leading reckless': 483730, 'reckless lifestyle': 704554, 'lifestyle supermarket': 489378, 'huge trap': 410247, 'trap they': 930100, 'not disinfected': 569051, 'disinfected aceng': 245826, 'it might get': 459614, 'might get more': 530991, 'get more urgly': 347604, 'more urgly in': 540873, 'urgly in the': 948461, 'coming day with': 188025, 'day with 19': 228775, 'with 19 ugandan': 996970, '19 ugandan are': 11612, 'ugandan are still': 938003, 'are still leading': 90441, 'still leading reckless': 800782, 'leading reckless lifestyle': 483731, 'reckless lifestyle supermarket': 704555, 'lifestyle supermarket trolley': 489379, 'basket are huge': 112302, 'are huge trap': 87260, 'huge trap they': 410248, 'trap they are': 930101, 'are not disinfected': 88350, 'not disinfected aceng': 569052, 'stomach bug': 804316, 'bug or': 141899, 'that taken': 846616, 'whatever stomach bug': 982797, 'stomach bug or': 804317, 'bug or post': 141900, 'poisoning nonsense that': 662808, 'nonsense that taken': 566748, 'that taken me': 846617, 'taken me over': 833028, 'me over is': 523314, 'over is making': 630337, '19 don know': 6627, 'famous retail': 298490, 'retail mall': 718302, 'mall which': 511858, 'have deployed': 380233, 'deployed thousand': 237464, 'mall worker': 511862, 'tripled almost': 932277, 'famous retail mall': 298491, 'retail mall which': 718303, 'mall which have': 511859, 'been shut for': 121960, 'shut for 10': 767883, 'of have deployed': 584466, 'have deployed thousand': 380234, 'deployed thousand of': 237465, 'thousand of mall': 893452, 'of mall worker': 586135, 'mall worker to': 511863, 'worker to cater': 1007999, 'to an explosion': 900455, 'explosion in online': 292560, 'shopping which ha': 764389, 'which ha tripled': 985902, 'ha tripled almost': 372370, 'tripled almost overnight': 932278, 'twinkees': 936583, 'after searching': 36154, 'third grocery': 886073, 'found box': 330172, 'of twinkees': 592527, 'twinkees feel': 936584, 'like tallahassee': 491294, 'from zombieland': 338507, 'zombieland zombieland': 1027742, 'after searching the': 36155, 'searching the third': 743342, 'the third grocery': 869477, 'third grocery store': 886074, 'store finally found': 807722, 'finally found box': 305996, 'found box of': 330173, 'box of twinkees': 137133, 'of twinkees feel': 592528, 'twinkees feel like': 936585, 'feel like tallahassee': 302749, 'like tallahassee from': 491295, 'tallahassee from zombieland': 834076, 'from zombieland zombieland': 338508, 'bloody dog': 133192, 'dog ha': 252105, 'bloody dog ha': 133193, 'dog ha been': 252106, 'shopping suddenly': 764008, 'suddenly become': 817072, 'become interesting': 120040, 'aisle fully': 40256, 'stocked other': 803364, 'other le': 620472, 'very quiet': 955447, 'quiet big': 694676, 'why ha supermarket': 991034, 'ha supermarket shopping': 372117, 'supermarket shopping suddenly': 822649, 'shopping suddenly become': 764009, 'suddenly become interesting': 817073, 'become interesting some': 120041, 'interesting some aisle': 441612, 'some aisle fully': 782276, 'aisle fully stocked': 40257, 'fully stocked other': 341096, 'stocked other le': 803365, 'other le so': 620473, 'le so very': 483126, 'so very quiet': 778631, 'very quiet big': 955448, 'quiet big thanks': 694677, 'to everyone that': 905355, 'everyone that is': 287462, 'that is stepping': 844658, 'up to keep': 946393, 'the country running': 852147, 'country running 19': 211025, 'sir dont': 771553, 'have wrote': 383643, 'wrote more': 1013204, 'more dan': 538948, 'dan 10': 225518, '10 comment': 1362, 'have get': 380761, 'reply am': 711733, 'loose hope': 503196, 'hope hunger': 403503, 'dangerous dan': 225733, 'case pls': 165965, 'please sir dont': 660524, 'sir dont know': 771554, 'to do have': 904513, 'do have wrote': 249381, 'have wrote more': 383644, 'wrote more dan': 1013205, 'more dan 10': 538949, 'dan 10 comment': 225519, '10 comment but': 1363, 'comment but have': 188398, 'but have get': 145873, 'have get your': 380762, 'get your reply': 348730, 'your reply am': 1025573, 'reply am about': 711734, 'about to loose': 26729, 'to loose hope': 909451, 'loose hope hunger': 503197, 'hope hunger is': 403504, 'hunger is dangerous': 411138, 'is dangerous dan': 447028, 'dangerous dan covid': 225734, '19 our govt': 9051, 'our govt is': 623287, 'govt is not': 361166, 'not helping in': 569942, 'this case pls': 886713, 'case pls help': 165966, 'pls help me': 661142, 'me with money': 523995, 'with money so': 999541, 'money so that': 537023, 'so that ll': 778380, 'that ll stock': 844914, 'll stock up': 497042, 'yesterday march': 1015797, '20 government': 13083, 'announced total': 77109, 'total curfew': 926154, 'last from': 480248, 'morning through': 541503, 'through tuesday': 894875, 'which point': 986224, 'point it': 662534, 'move about': 543597, 'service until': 753022, 'then all': 876981, 'closed even': 183101, 'even delivery': 283997, 'yesterday march 20': 1015798, 'march 20 government': 515132, '20 government announced': 13084, 'government announced total': 359888, 'announced total curfew': 77110, 'total curfew to': 926155, 'curfew to last': 220939, 'to last from': 909062, 'last from this': 480249, 'from this morning': 338001, 'this morning through': 889032, 'morning through tuesday': 541504, 'through tuesday at': 894876, 'tuesday at which': 935130, 'at which point': 101544, 'which point it': 986225, 'point it will': 662535, 'it will announce': 462372, 'will announce new': 992286, 'announce new measure': 76852, 'measure to allow': 525383, 'to move about': 910301, 'move about for': 543598, 'about for essential': 25276, 'essential service until': 281536, 'service until then': 753023, 'until then all': 943881, 'then all supermarket': 876982, 'all supermarket are': 44542, 'are closed even': 85342, 'closed even delivery': 183102, 'even delivery service': 283998, 'filmed two': 305731, 'buy wednesdaymotivation': 149444, 'wednesdaymotivation stayhome': 975715, 'stayhome youtube': 798240, 'video wa filmed': 956948, 'wa filmed two': 962123, 'filmed two day': 305732, 'two day before': 936863, 'government announced lock': 359885, 'down you ll': 257523, 'look like everyone': 502475, 'like everyone panic': 490193, 'panic buy wednesdaymotivation': 637543, 'buy wednesdaymotivation stayhome': 149445, 'wednesdaymotivation stayhome youtube': 975716, 'heavy demand': 388630, 'demand aside': 235034, 'aside fascinated': 95405, 'covid effect': 214155, 'effect trend': 269148, 'trend food': 931333, 'food cpg': 314052, 'heavy demand aside': 388631, 'demand aside fascinated': 235035, 'aside fascinated by': 95406, 'fascinated by consumer': 299743, 'by consumer behavior': 152183, 'the covid effect': 852232, 'covid effect trend': 214156, 'effect trend food': 269149, 'trend food cpg': 931334, 'keepcookingandcarryon': 472326, 'halfyourplate': 374310, 'rdchat': 698151, 'and root': 70596, 'root veggie': 726022, 'veggie these': 954217, 'store 50': 806035, 'cent carrot': 169042, 'carrot lentil': 165056, 'lentil soup': 486379, 'soup keepcookingandcarryon': 786388, 'keepcookingandcarryon halfyourplate': 472327, 'halfyourplate rdchat': 374311, 'rdchat quarantinelife': 698152, 'of my pantry': 586803, 'my pantry staple': 549677, 'staple and root': 793903, 'and root veggie': 70597, 'root veggie these': 726023, 'veggie these day': 954218, 'these day how': 879877, 'day how are': 227767, 'trying to limit': 934825, 'grocery store 50': 365170, 'store 50 cent': 806036, '50 cent carrot': 19650, 'cent carrot lentil': 169043, 'carrot lentil soup': 165057, 'lentil soup keepcookingandcarryon': 486380, 'soup keepcookingandcarryon halfyourplate': 786389, 'keepcookingandcarryon halfyourplate rdchat': 472328, 'halfyourplate rdchat quarantinelife': 374312, 'insightful to': 439684, 'internet behaviour': 441912, 'insightful to see': 439685, 'see the rapid': 745876, 'the rapid change': 865146, 'in consumer internet': 421704, 'consumer internet behaviour': 197911, 'internet behaviour due': 441913, 'to the nytimes': 916912, 'coronavirus australia': 205535, 'coronavirus australia woolworth': 205536, 'australia woolworth to': 103428, 'urbandictionary': 948130, 'coined': 185683, 'springbreakers': 791265, 'urbandictionary ha': 948131, 'ha coined': 370187, 'coined the': 185686, 'perfect term': 651354, 'hoarder springbreakers': 399106, 'springbreakers and': 791266, 'who fail': 988724, 'practice proper': 668635, 'proper preventative': 684136, 'because stupidity': 119585, 'urbandictionary ha coined': 948132, 'ha coined the': 370188, 'coined the perfect': 185687, 'the perfect term': 863548, 'perfect term for': 651355, 'term for toiletpaper': 838154, 'for toiletpaper hoarder': 327257, 'toiletpaper hoarder springbreakers': 922071, 'hoarder springbreakers and': 399107, 'springbreakers and others': 791267, 'others who fail': 621787, 'who fail to': 988725, 'to practice proper': 911960, 'practice proper preventative': 668636, 'proper preventative measure': 684137, 'preventative measure amid': 671775, 'pandemic because stupidity': 634989, 'because stupidity is': 119586, 'stupidity is contagious': 815539, 'beerbusiness': 122548, 'beerblog': 122547, 'brewer mag': 139424, 'mag test': 508265, 'test kitchen': 839075, 'kitchen blog': 475700, 'blog we': 133042, 'continue production': 201108, 'simply pulled': 770264, 'pulled back': 688908, 'it nerve': 459768, 'wracking to': 1012654, 'least wondering': 484700, 'wondering whether': 1004200, 'whether some': 985562, 'beer we': 122534, 'producing right': 680802, 'be tasted': 117528, 'tasted by': 834803, 'consumer beerbusiness': 196418, 'beerbusiness beerblog': 122549, 'brewer mag test': 139425, 'mag test kitchen': 508266, 'test kitchen blog': 839076, 'kitchen blog we': 475701, 'blog we continue': 133043, 'we continue production': 971185, 'continue production this': 201109, 'but have simply': 145883, 'have simply pulled': 382561, 'simply pulled back': 770265, 'pulled back it': 688909, 'back it nerve': 107126, 'it nerve wracking': 459769, 'nerve wracking to': 557444, 'wracking to say': 1012655, 'say the least': 739285, 'the least wondering': 859259, 'least wondering whether': 484701, 'wondering whether some': 1004201, 'whether some of': 985563, 'of the beer': 590816, 'the beer we': 849423, 'beer we re': 122535, 'we re producing': 972939, 're producing right': 699317, 'producing right now': 680803, 'now will ever': 576425, 'will ever be': 993344, 'ever be tasted': 285211, 'be tasted by': 117529, 'tasted by our': 834804, 'by our consumer': 153478, 'our consumer beerbusiness': 622523, 'consumer beerbusiness beerblog': 196419, 'groceryshoppingtips': 366289, 'and foodsafety': 63115, 'foodsafety share': 318062, 'the groceryshoppingtips': 856837, 'virology and foodsafety': 957707, 'and foodsafety share': 63116, 'foodsafety share their': 318063, 'up the groceryshoppingtips': 946178, 'bank surged': 110220, 'surged across': 828289, 'million filed': 532151, 'mile long line': 531397, 'of car are': 581129, 'car are waiting': 163010, 'are waiting to': 91521, 'their family the': 873270, 'family the demand': 298297, 'food bank surged': 313652, 'bank surged across': 110221, 'surged across the': 828290, 'across the million': 29505, 'the million filed': 860623, 'million filed for': 532152, 'for unemployment due': 327433, 'panic update': 638742, 'update another': 946872, 'european union': 283618, 'significantly which': 769623, 'uk boris': 938213, 'johnson got': 466590, 'got brexit': 358450, 'brexit done': 139501, 'done or': 254971, '19 panic update': 9563, 'panic update another': 638743, 'update another concern': 946873, 'another concern in': 77543, 'concern in the': 193000, 'the european union': 854586, 'european union is': 283619, 'union is that': 941899, 'is that food': 452648, 'that food retail': 843915, 'food retail price': 316210, 'retail price might': 718414, 'price might increase': 675241, 'might increase significantly': 531051, 'increase significantly which': 433060, 'significantly which will': 769624, 'the uk boris': 870197, 'uk boris johnson': 938214, 'boris johnson got': 135466, 'johnson got brexit': 466591, 'got brexit done': 358451, 'brexit done or': 139502, 'done or will': 254972, 'aside dont': 95403, 'really hoarding': 702303, 'those folk': 892009, 'who eat': 988672, 'time having': 896899, 'home last': 401515, 'they cooked': 881808, 'cooked ragu': 202826, 'ragu hamburger': 695567, 'hamburger and': 374540, 'and spaghetti': 72037, 'spaghetti wa': 787252, 'deal quarantinelife': 229470, 'aside dont think': 95404, 'think it really': 885349, 'it really hoarding': 460644, 'really hoarding we': 702304, 'seeing empty the': 746286, 'empty the grocery': 275177, 'store shelf it': 810085, 'shelf it all': 757249, 'it all those': 456379, 'all those folk': 45162, 'those folk who': 892011, 'folk who eat': 312300, 'who eat out': 988674, 'eat out all': 266016, 'the time having': 869594, 'time having to': 896900, 'having to eat': 384345, 'at home last': 99029, 'home last time': 401516, 'last time they': 480572, 'time they cooked': 897899, 'they cooked ragu': 881809, 'cooked ragu hamburger': 202827, 'ragu hamburger and': 695568, 'hamburger and spaghetti': 374541, 'and spaghetti wa': 72038, 'spaghetti wa big': 787253, 'wa big deal': 961700, 'big deal quarantinelife': 129742, 'socialdisdancing': 780034, 'dancetee': 225596, 'swipe shop': 830430, 'of tee': 590632, 'tee and': 836449, 'and hoodies': 64710, 'hoodies online': 403329, 'delivery keepdancing': 234157, 'keepdancing socialdisdancing': 472331, 'socialdisdancing socialdistancing': 780035, 'socialdistancing dancetee': 780307, 'swipe shop our': 830431, 'shop our range': 760632, 'our range of': 624536, 'range of tee': 696722, 'of tee and': 590633, 'tee and hoodies': 836450, 'and hoodies online': 64711, 'hoodies online now': 403330, 'online now price': 608597, 'now price include': 575594, 'price include delivery': 674759, 'include delivery keepdancing': 431550, 'delivery keepdancing socialdisdancing': 234158, 'keepdancing socialdisdancing socialdistancing': 472332, 'socialdisdancing socialdistancing dancetee': 780036, '1964': 12404, 'shastri': 755780, 'in 1964': 419723, '1964 during': 12405, 'during indo': 262723, 'indo pak': 435307, 'pak war': 634410, 'war pm': 966513, 'pm shastri': 661980, 'shastri ji': 755781, 'ji gave': 465444, 'gave call': 344606, 'skip meal': 773134, 'night amp': 562934, 'we skip': 973330, 'we connect': 971166, 'cause join': 167625, 'join let': 466760, 'let tonight': 487186, 'wa food shortage': 962147, 'shortage in 1964': 765008, 'in 1964 during': 419724, '1964 during indo': 12406, 'during indo pak': 262724, 'indo pak war': 435308, 'pak war pm': 634411, 'war pm shastri': 966514, 'pm shastri ji': 661981, 'shastri ji gave': 755782, 'ji gave call': 465445, 'gave call to': 344607, 'call to skip': 156189, 'to skip meal': 914694, 'skip meal on': 773136, 'meal on monday': 524224, 'monday night amp': 536345, 'night amp donate': 562935, 'amp donate to': 53668, 'donate to nation': 254264, 'to nation when': 910477, 'nation when we': 552382, 'when we skip': 984467, 'we skip meal': 973331, 'skip meal amp': 773135, 'meal amp donate': 524089, 'amp donate we': 53669, 'donate we connect': 254285, 'we connect to': 971167, 'to the cause': 916545, 'the cause join': 850545, 'cause join let': 167626, 'join let tonight': 466761, 'slightest': 773933, 'discomfort': 244402, 'what see': 982137, 'complete idiot': 192100, 'idiot going': 413515, 'through life': 894554, 'life blind': 488529, 'blind no': 132693, 'clue about': 184525, 'about science': 26152, 'science life': 742113, 'or reality': 616792, 'reality cement': 701708, 'cement dweller': 168999, 'dweller that': 263654, 'are cowering': 85599, 'cowering at': 214478, 'the slightest': 867328, 'slightest hint': 773934, 'of discomfort': 582658, 'discomfort trumppressconf': 244403, 'trumppressconf toiletpaper': 934138, 'toiletpaper stayathomesavelives': 922519, 'stayathomesavelives usa': 797810, 'what see is': 982138, 'see is complete': 745316, 'is complete idiot': 446694, 'complete idiot going': 192101, 'idiot going through': 413516, 'going through life': 355503, 'through life blind': 894555, 'life blind no': 488530, 'blind no clue': 132694, 'no clue about': 563831, 'clue about science': 184526, 'about science life': 26153, 'science life or': 742114, 'life or reality': 488954, 'or reality cement': 616793, 'reality cement dweller': 701709, 'cement dweller that': 169000, 'dweller that are': 263655, 'that are cowering': 842733, 'are cowering at': 85600, 'cowering at the': 214479, 'at the slightest': 101101, 'the slightest hint': 867329, 'slightest hint of': 773935, 'hint of discomfort': 396914, 'of discomfort trumppressconf': 582659, 'discomfort trumppressconf toiletpaper': 244404, 'trumppressconf toiletpaper stayathomesavelives': 934139, 'toiletpaper stayathomesavelives usa': 922520, 'stayathomesavelives usa trump': 797811, '297': 16518, 'without ve': 1003027, 'gone without': 356450, 'without fossil': 1002671, 'for 297': 318790, '297 day': 16519, 'go without ve': 354526, 'without ve gone': 1003028, 've gone without': 953162, 'gone without fossil': 356451, 'without fossil fuel': 1002672, 'fuel for 297': 340174, 'for 297 day': 318791, 'overlord': 631305, 'unthinking': 943629, 'our overlord': 624191, 'overlord have': 631306, 'have cast': 379908, 'cast their': 166762, 'their spell': 874772, 'spell invoking': 788518, 'invoking mass': 444324, 'mass fear': 519761, 'worked treat': 1006157, 'treat on': 930854, 'the unthinking': 870475, 'unthinking general': 943630, 'general population': 345434, 'huge scam': 410185, 'think thinking': 885693, 'thinking is': 885926, 'our overlord have': 624192, 'overlord have cast': 631307, 'have cast their': 379909, 'cast their spell': 166763, 'their spell invoking': 874773, 'spell invoking mass': 788519, 'invoking mass fear': 444325, 'mass fear and': 519762, 'and panic it': 68657, 'panic it worked': 638243, 'it worked treat': 462513, 'worked treat on': 1006158, 'treat on the': 930855, 'on the unthinking': 604419, 'the unthinking general': 870476, 'unthinking general population': 943631, 'general population is': 345435, 'population is huge': 664706, 'is huge scam': 448617, 'huge scam please': 410186, 'scam please think': 740307, 'please think thinking': 660674, 'think thinking is': 885694, 'thinking is so': 885927, 'bank lost': 109989, 'lost control': 503837, 'going bare': 355057, 'money market': 536885, 'up writes': 946713, 'ha the reserve': 372224, 'the reserve bank': 865575, 'reserve bank lost': 714045, 'bank lost control': 109990, 'lost control of': 503838, 'the economy it': 853987, 'economy it not': 268026, 'just supermarket shelf': 469927, 'shelf going bare': 757124, 'going bare the': 355058, 'bare the money': 110962, 'the money market': 860819, 'money market is': 536886, 'drying up writes': 261342, 'freedom that': 332387, 'granted ha': 362073, 'taken simple': 833062, 'like chilling': 489993, 'chilling with': 176413, 'friend shopping': 333809, 'for workout': 327960, 'workout cherish': 1009155, 'cherish this': 175525, 'of our freedom': 587477, 'our freedom that': 623169, 'freedom that we': 332388, 'we take for': 973483, 'for granted ha': 321993, 'granted ha been': 362074, 'ha been taken': 369949, 'been taken simple': 122129, 'taken simple thing': 833063, 'simple thing like': 770121, 'thing like chilling': 884539, 'like chilling with': 489994, 'chilling with friend': 176414, 'with friend shopping': 998562, 'friend shopping at': 333810, 'store even going': 807640, 'the gym for': 856973, 'gym for workout': 369325, 'for workout cherish': 327961, 'workout cherish this': 1009156, 'cherish this time': 175526, 'come back stronger': 187244, 'letsbreakthechain': 487249, 'order imposed': 618306, 'imposed last': 419290, 'continues till': 201455, 'further order': 342126, 'order 13': 617977, '13 21': 3172, '21 letsbreakthechain': 15012, 'the order imposed': 862450, 'order imposed last': 618307, 'imposed last week': 419291, 'week to contain': 977072, 'spread of continues': 790658, 'of continues till': 581824, 'continues till further': 201456, 'till further order': 896024, 'further order 13': 342127, 'order 13 21': 617978, '13 21 letsbreakthechain': 3173, 'expedite': 291129, 'to expedite': 905453, 'expedite help': 291130, 'shutdown trump': 768120, 'chief to expedite': 175977, 'to expedite help': 905454, 'expedite help to': 291131, 'help to american': 390765, 'american farmer many': 51970, 'dump their excess': 262191, 'excess stock and': 289366, 'cattle price drop': 167371, 'price drop dramatically': 673569, 'drop dramatically amid': 260180, 'dramatically amid coronavirus': 258321, 'amid coronavirus shutdown': 52429, 'coronavirus shutdown trump': 206769, 'shutdown trump news': 768121, 'ha recently': 371670, 'announced 00': 76897, '00 response': 469, 'recovery grant': 705337, 'assist charity': 96619, 'consumer organisation': 198287, 'organisation during': 619259, '19 application': 5182, 'application close': 82443, 'close 30': 182490, '30 april': 16968, 'the foundation ha': 855728, 'foundation ha recently': 330489, 'ha recently announced': 371671, 'recently announced 00': 704048, 'announced 00 00': 76898, '00 00 response': 9, '00 response and': 470, 'response and recovery': 715621, 'and recovery grant': 70072, 'recovery grant to': 705338, 'grant to assist': 362054, 'to assist charity': 900777, 'assist charity and': 96620, 'charity and consumer': 173559, 'and consumer organisation': 60409, 'consumer organisation during': 198288, 'organisation during covid': 619260, 'covid 19 application': 212645, '19 application close': 5183, 'application close 30': 82444, 'close 30 april': 182491, '30 april 2020': 16969, 'deterred': 239472, 'face further': 294449, 'further downside': 342041, 'downside potential': 257708, 'potential on': 667112, 'tight supply': 895844, 'chinese are': 177193, 'with loss': 999316, 'falling zinc': 297364, 'zinc price': 1027612, 'the deterred': 853213, 'deterred operation': 239473, 'some zinc': 784242, 'zinc miner': 1027610, 'miner overseas': 532964, 'charge for may': 173238, 'for may face': 323298, 'may face further': 521169, 'face further downside': 294450, 'further downside potential': 342042, 'downside potential on': 257709, 'potential on tight': 667113, 'on tight supply': 604693, 'tight supply chinese': 895846, 'supply chinese are': 825079, 'chinese are grappling': 177194, 'grappling with loss': 362203, 'with loss on': 999317, 'loss on falling': 503763, 'on falling zinc': 600727, 'falling zinc price': 297365, 'zinc price and': 1027613, 'and the deterred': 73322, 'the deterred operation': 853214, 'deterred operation of': 239474, 'operation of some': 613236, 'of some zinc': 589913, 'some zinc miner': 784243, 'zinc miner overseas': 1027611, 'reflector': 706675, '254776371271': 16066, '254720472374': 16065, 'society now': 781277, 'now reduced': 575660, 'get high': 347224, 'quality reflector': 691841, 'reflector jacket': 706676, 'jacket branded': 464155, 'branded with': 138100, 'company logo': 190858, 'logo and': 500822, 'pandemic whatsapp': 636976, 'whatsapp call': 982888, 'on 254776371271': 599079, '254776371271 254720472374': 16067, 'to the society': 917076, 'the society now': 867443, 'society now reduced': 781278, 'now reduced price': 575661, 'reduced price get': 706150, 'price get high': 674170, 'get high quality': 347225, 'high quality reflector': 395319, 'quality reflector jacket': 691842, 'reflector jacket branded': 706677, 'jacket branded with': 464156, 'branded with your': 138101, 'with your company': 1002186, 'your company logo': 1023285, 'company logo and': 190859, 'logo and message': 500823, 'and message to': 66964, 'message to help': 529451, '19 pandemic whatsapp': 9522, 'pandemic whatsapp call': 636977, 'whatsapp call on': 982889, 'call on 254776371271': 156029, 'on 254776371271 254720472374': 599080, 'my number': 549529, 'them donated': 875616, 'donated what': 254374, 'could to': 209780, 'to unicef': 917943, 'unicef to': 941723, 'help refugee': 390426, 'refugee child': 706843, 'child deal': 176053, '19 thanked': 11137, 'thanked stocker': 841885, 'today using': 920422, 'my status': 550194, 'status nurse': 796683, 'gave my number': 344653, 'my number to': 549530, 'number to elderly': 577070, 'to elderly neighbor': 904975, 'neighbor and told': 556982, 'told them run': 923715, 'them run to': 876229, 'store for them': 807844, 'for them donated': 326897, 'them donated what': 875617, 'donated what could': 254375, 'what could to': 981271, 'could to unicef': 209781, 'to unicef to': 917944, 'unicef to help': 941724, 'to help refugee': 907606, 'help refugee child': 390427, 'refugee child deal': 706844, 'child deal with': 176054, 'covid 19 thanked': 213928, '19 thanked stocker': 11138, 'thanked stocker at': 841886, 'stocker at the': 803499, 'supermarket today using': 823473, 'today using my': 920423, 'using my status': 950569, 'my status nurse': 550195, 'status nurse to': 796684, 'nurse to convince': 577518, 'change drastically': 172020, 'drastically over': 258453, 'be approaching': 113674, 'approaching the': 83020, 'behaviour is going': 124458, 'to change drastically': 902599, 'change drastically over': 172021, 'drastically over the': 258454, 'few month here': 303930, 'month here our': 537769, 'here our view': 393436, 'should be approaching': 765554, 'be approaching the': 113675, 'approaching the current': 83021, 'current situation on': 221370, 'situation on social': 772421, 'thegreattoiletpaperscareof2020': 872392, 'very safe': 955496, 'tp thegreattoiletpaperscareof2020': 927975, 'are those roll': 91058, 'paper not very': 640515, 'not very safe': 572393, 'very safe to': 955498, 'safe to leave': 730056, 'leave these in': 484992, 'these in the': 880158, 'the open like': 862381, 'open like that': 612364, 'like that toiletpaper': 491341, 'that toiletpaper tp': 847082, 'toiletpaper tp thegreattoiletpaperscareof2020': 922754, 'farage tell': 298994, 'china terrible': 176971, 'then cover': 877096, 'of caused': 581216, 'he predicts': 385301, 'predicts he': 669687, 'called racist': 156426, 'racist at': 695305, 'time globalists': 896838, 'globalists call': 352342, 'racist and': 695301, 'and deny': 61208, 'deny it': 237136, 'farage tell it': 298995, 'it is china': 458903, 'is china terrible': 446519, 'china terrible treatment': 176972, 'terrible treatment of': 838451, 'treatment of animal': 931107, 'of animal and': 580209, 'animal and then': 76552, 'and then cover': 73752, 'then cover up': 877097, 'cover up of': 212313, 'up of caused': 945496, 'of caused huge': 581217, 'caused huge global': 167897, 'huge global pandemic': 410052, 'global pandemic he': 352091, 'pandemic he predicts': 635598, 'he predicts he': 385302, 'predicts he will': 669688, 'will be called': 992386, 'be called racist': 113948, 'called racist at': 156427, 'racist at that': 695306, 'that time globalists': 847042, 'time globalists call': 896839, 'globalists call it': 352343, 'call it racist': 155958, 'it racist and': 460592, 'racist and deny': 695302, 'and deny it': 61209, 'deny it pathetic': 237137, 'often just': 596223, 'full instead': 340646, 'instead cole': 440163, 'cole woolworth': 185895, 'more often just': 539903, 'often just to': 596224, 'killing people keep': 474707, 'people keep the': 648580, 'the shelf full': 866840, 'shelf full instead': 757112, 'full instead cole': 340647, 'instead cole woolworth': 440164, 'lineup at the': 493664, '15 people in': 3815, 'againt': 37761, 'sindh againt': 771069, 'againt the': 37762, 'im bakhat': 416513, 'cm sindh againt': 184634, 'sindh againt the': 771070, 'againt the that': 37763, 'sincerity with country': 771061, 'and people im': 68866, 'people im bakhat': 648335, 'im bakhat mphil': 416514, 'you classified': 1017962, 'classified vulnerable': 180365, 'morrison beard': 541709, 'beard run': 118441, 'she explains': 756023, 'are you classified': 91774, 'you classified vulnerable': 1017963, 'classified vulnerable shopper': 180366, 'vulnerable shopper from': 961163, 'shopper from tesco': 761526, 'from tesco to': 337567, 'tesco to morrison': 838837, 'to morrison beard': 910278, 'morrison beard run': 541710, 'beard run down': 118442, 'run down what': 727608, 'down what all': 257457, 'all the uk': 44960, 'are doing for': 85900, 'doing for you': 252417, 'you and she': 1017002, 'and she explains': 71417, 'she explains how': 756024, 'get priority home': 347847, 'gtn': 367673, 'real out': 701288, 'account gtn': 28687, 'gtn forever': 367674, 'getting real out': 349222, 'real out here': 701289, 'out here people': 626292, 'here people are': 393450, 'greedy in the': 363536, 'the store these': 868121, 'tok account gtn': 923472, 'account gtn forever': 28688, 'gtn forever cardib': 367675, 'store kohl': 808658, 'kohl announced': 477330, 'escalating covid': 280278, 'nationwide the': 552762, 'closure go': 183902, 'thursday at': 895357, 'retail store kohl': 718652, 'store kohl announced': 808659, 'kohl announced that': 477331, 'announced that result': 77066, 'that result of': 846030, 'of the escalating': 590992, 'the escalating covid': 854483, 'escalating covid 19': 280279, 'store nationwide the': 809031, 'nationwide the closure': 552763, 'the closure go': 851051, 'closure go into': 183903, 'effect thursday at': 269139, 'likely kill': 492041, 'kill consumer': 474368, 'christianity at': 178133, 'of on christianity': 587210, 'epidemic will likely': 279478, 'will likely kill': 994004, 'likely kill consumer': 492042, 'kill consumer christianity': 474369, 'consumer christianity at': 196801, 'christianity at least': 178134, 'term here are': 838167, 'flight that': 310540, 'any flight that': 79223, 'flight that you': 310541, 'that you want': 847752, 'newsupdate australian': 561134, 'australian home': 103503, 'march although': 515262, 'although condition': 49309, 'condition are': 193405, 'to cool': 903494, 'cool pandemic': 203030, 'cause widespread': 167797, 'hit household': 398276, 'household confidence': 406767, 'confidence australia': 193832, 'realestate property': 701513, 'property realestatenews': 684352, 'realestatenews realty': 701568, 'newsupdate australian home': 561135, 'australian home price': 103504, 'home price extended': 401900, 'extended gain in': 293166, 'gain in march': 342779, 'in march although': 425077, 'march although condition': 515263, 'although condition are': 49310, 'condition are expected': 193406, 'expected to cool': 290969, 'to cool pandemic': 903495, 'cool pandemic cause': 203031, 'pandemic cause widespread': 635108, 'cause widespread economic': 167798, 'widespread economic disruption': 991844, 'economic disruption and': 267069, 'disruption and hit': 246443, 'and hit household': 64623, 'hit household confidence': 398277, 'household confidence australia': 406768, 'confidence australia realestate': 193833, 'australia realestate property': 103363, 'realestate property realestatenews': 701514, 'property realestatenews realty': 684353, '10 thing': 1704, 'about indian': 25527, 'coronavirus why': 207078, 'why real': 991319, 'fall but': 296865, 'not crash': 568914, 'crash economicslowdown': 214970, 'economicslowdown pandemic': 267503, 'realestate my': 701501, 'my column': 547745, '10 thing you': 1705, 'know about indian': 476216, 'about indian real': 25528, 'aftermath of coronavirus': 36654, 'of coronavirus why': 581978, 'coronavirus why real': 207079, 'why real estate': 991320, 'will fall but': 993404, 'fall but may': 296866, 'may not crash': 521373, 'not crash economicslowdown': 568915, 'crash economicslowdown pandemic': 214971, 'economicslowdown pandemic realestate': 267504, 'pandemic realestate my': 636301, 'realestate my column': 701502, 'co installing': 184859, 'installing plexiglas': 440045, 'partition at': 642738, 'register distance': 707558, 'distance decal': 246691, 'decal on': 230711, 'floor cre': 310786, 'cre the': 215515, 'begun installing': 123711, 'at cash': 98202, 'register in': 707580, 'the co installing': 851103, 'co installing plexiglas': 184860, 'installing plexiglas partition': 440047, 'plexiglas partition at': 661043, 'partition at register': 642740, 'at register distance': 100282, 'register distance decal': 707559, 'distance decal on': 246692, 'decal on floor': 230712, 'on floor cre': 600824, 'floor cre the': 310787, 'cre the supermarket': 215516, 'giant ha begun': 349786, 'ha begun installing': 369997, 'begun installing plexiglas': 123712, 'partition at cash': 642739, 'at cash register': 98203, 'cash register in': 166321, 'register in many': 707581, 'many of it': 514376, 'namicc': 551743, 'namicontracosta': 551746, 'contracostacounty': 201623, 'to stopthespread': 915600, 'season nami': 743413, 'nami namicc': 551736, 'namicc namicontracosta': 551744, 'namicontracosta contracostacounty': 551747, 'contracostacounty mentalillness': 201624, 'mentalillness mentalhealth': 528698, 'consider shopping online': 195106, 'online and having': 607818, 'and having your': 64302, 'having your grocery': 384416, 'delivered to stopthespread': 233426, 'to stopthespread of': 915601, 'stopthespread of covid': 805911, '19 this season': 11351, 'this season nami': 889989, 'season nami namicc': 743414, 'nami namicc namicontracosta': 551737, 'namicc namicontracosta contracostacounty': 551745, 'namicontracosta contracostacounty mentalillness': 551748, 'contracostacounty mentalillness mentalhealth': 201625, 'ultraviolet': 939190, 'sterilises': 799849, 'sanitizing lamp': 736480, 'lamp that': 479205, 'work using': 1005959, 'using ultraviolet': 950778, 'ultraviolet light': 939191, 'light sterilises': 489594, 'sterilises everything': 799850, 'within reach': 1002414, 'reach uv': 700016, 'uv ray': 951484, 'ray 20': 698017, 'needed virus': 556570, 'portable hand sanitizing': 664919, 'hand sanitizing lamp': 375736, 'sanitizing lamp that': 736481, 'lamp that work': 479206, 'that work using': 847657, 'work using ultraviolet': 1005960, 'using ultraviolet light': 950779, 'ultraviolet light sterilises': 939192, 'light sterilises everything': 489595, 'sterilises everything within': 799851, 'everything within reach': 288117, 'within reach uv': 1002415, 'reach uv ray': 700017, 'uv ray 20': 951485, 'ray 20 second': 698018, '20 second of': 13331, 'second of light': 743775, 'of light is': 585850, 'light is all': 489537, 'is needed virus': 449869, 'to honorable': 907953, 'minister all': 533327, 'supermarket shut': 822690, 'result or': 717625, 'or measure': 616096, 'open pharmacy': 612442, 'pharmacy online': 654388, 'convenience shop': 202337, 'like to request': 491618, 'request to honorable': 713214, 'to honorable prime': 907954, 'prime minister all': 678131, 'minister all the': 533328, 'major supermarket shut': 509497, 'supermarket shut down': 822691, 'for week see': 327746, 'the result or': 865698, 'result or measure': 717626, 'or measure of': 616097, 'measure of the': 525272, '19 only open': 8999, 'only open pharmacy': 610905, 'open pharmacy online': 612443, 'pharmacy online shopping': 654389, 'shopping service and': 763841, 'service and convenience': 752080, 'and convenience shop': 60524, 'convenience shop for': 202338, 'rose investor': 726076, 'sentiment wa': 751025, 'lifted by': 489478, 'new related': 559435, 'fresh case': 332935, 'copper price rose': 203442, 'price rose investor': 676269, 'rose investor sentiment': 726077, 'investor sentiment wa': 444207, 'sentiment wa lifted': 751026, 'wa lifted by': 962537, 'lifted by slowdown': 489479, 'the new related': 861547, 'new related death': 559436, 'death and fresh': 229963, 'and fresh case': 63297, 'pandemic hike': 635634, 'food nigeria': 315538, 'nigeria battle': 562721, 'pandemic amidst': 634842, 'for merchant': 323412, 'merchant supplying': 529048, 'such bread': 816375, '19 pandemic hike': 9351, 'pandemic hike in': 635635, 'of food nigeria': 583737, 'food nigeria battle': 315539, 'nigeria battle covid': 562722, '19 pandemic amidst': 9262, 'pandemic amidst lockdown': 634843, 'amidst lockdown to': 52806, 'contain the disease': 200497, 'disease is this': 245165, 'this good time': 887725, 'time for merchant': 896725, 'for merchant supplying': 323413, 'merchant supplying food': 529049, 'supplying food and': 826285, 'super profit by': 818565, 'profit by hiking': 682689, 'by hiking the': 152810, 'of food such': 583789, 'food such bread': 316906, 'such bread and': 816376, 'bread and sugar': 138407, 'and sugar by': 72667, 'sugar by 10': 817433, 'by 10 to': 151522, '10 to 20': 1728, 'day angry': 227298, 'or upset': 617607, 'time day angry': 896535, 'day angry about': 227299, 'rule or upset': 727315, 'or upset about': 617608, 'upset about missing': 947796, 'mf selling': 530064, 'for outrageous': 324317, 'that got': 844054, 'you scum': 1021016, 'scum on': 742982, 'earth anyway': 264972, 'anyway toiletpaper': 81047, 'mf selling toilet': 530065, 'paper for outrageous': 640182, 'for outrageous price': 324318, 'outrageous price are': 629330, 'one that got': 607177, 'that got to': 844055, 'got to go': 358957, 'to go we': 906883, 'go we do': 354486, 'need you scum': 556264, 'you scum on': 1021017, 'scum on this': 742983, 'this earth anyway': 887330, 'earth anyway toiletpaper': 264973, 'pantry staying': 639671, 'indoors because': 435385, 'food foodshortage': 314501, 'foodshortage foodsecurity': 318130, 'foodsecurity stockpile': 318085, 'coronavirus here what': 206073, 'to stock in': 915441, 'your fridge and': 1023961, 'fridge and pantry': 333377, 'and pantry staying': 68687, 'pantry staying indoors': 639672, 'staying indoors because': 798653, 'indoors because of': 435386, 'of coronavirus here': 581944, 'and pantry food': 68683, 'pantry food foodshortage': 639581, 'food foodshortage foodsecurity': 314502, 'foodshortage foodsecurity stockpile': 318131, 'help call': 389470, 'to help call': 907471, 'help call at': 389471, 'is after': 445413, 'after 7th': 35306, 'isolate that': 454919, 'can bear': 157715, 'bear to': 118423, 'battle round': 112819, 'so next available': 777872, 'next available online': 561292, 'slot from is': 774197, 'from is after': 336092, 'is after 7th': 445414, 'after 7th april': 35307, '7th april so': 22519, 'self isolate that': 747689, 'isolate that could': 454920, 'who can bear': 988372, 'can bear to': 157716, 'bear to battle': 118424, 'to battle round': 901074, 'battle round the': 112820, 'round the shop': 726363, 'reliving': 709600, 'is reliving': 451420, 'reliving history': 709601, 'history my': 398034, 'were depression': 979515, 'depression baby': 237635, 'are wks': 91668, 'wks behind': 1003241, 'china they': 176995, '19 hospital': 7577, 'the is reliving': 858522, 'is reliving history': 451421, 'reliving history my': 709602, 'history my parent': 398035, 'my parent were': 549706, 'parent were depression': 641773, 'were depression baby': 979516, 'depression baby and': 237636, 'baby and it': 106564, 'and it always': 65483, 'it always looked': 456442, 'always looked like': 49654, 'looked like grocery': 502732, 'house we are': 406668, 'we are wks': 970765, 'are wks behind': 91669, 'wks behind china': 1003242, 'behind china they': 124614, 'china they just': 176996, 'they just closed': 882489, 'just closed the': 468490, 'closed the last': 183367, 'last of their': 480415, 'of their covid': 591653, 'covid 19 hospital': 213220, 'an special': 56803, 'impact including': 417712, 'including from': 431975, 'from review': 337117, 'of lesson': 585783, 'epidemic 2008': 279325, '2008 food': 13663, 'crisis amp': 217004, 'amp solution': 54528, 'prevent spike': 671717, 'more available': 538694, 'an special issue': 56804, 'special issue on': 787976, 'issue on impact': 455872, 'on impact including': 601502, 'impact including from': 417713, 'including from review': 431977, 'from review of': 337118, 'review of lesson': 720577, 'of lesson learned': 585784, 'learned from previous': 484115, 'from previous epidemic': 336974, 'previous epidemic 2008': 671972, 'epidemic 2008 food': 279326, '2008 food price': 13664, 'food price crisis': 315930, 'price crisis amp': 673347, 'crisis amp solution': 217005, 'amp solution to': 54529, 'solution to prevent': 782110, 'to prevent spike': 912089, 'prevent spike in': 671718, 'spike in food': 789297, 'and more available': 67147, 'everyone although': 286684, 'although domestic': 49311, 'is that during': 452643, 'current crisis there': 221160, 'for everyone although': 321195, 'everyone although domestic': 286685, 'although domestic demand': 49312, 'domestic demand will': 253182, 'will eat more': 993285, 'eat more at': 265983, 'australian please': 103523, 'nurse healthy': 577364, 'grab everything': 361481, 'nurse work': 577554, 'australian please stay': 103524, 'home keep yourself': 401493, 'and your doctor': 76071, 'and nurse healthy': 67889, 'nurse healthy do': 577365, 'not grab everything': 569741, 'grab everything from': 361482, 'supermarket let our': 821298, 'let our doctor': 486958, 'and nurse work': 67899, 'nurse work to': 577555, 'work to defeat': 1005883, '19 wash your': 11904, 'hand and keep': 374763, 'keep your mask': 472278, 'mask on god': 519047, 'on god protect': 601126, 'god protect you': 354787, 'this chief': 886762, 'this risk': 889914, 'risk public': 723835, 'the willingness': 871586, 'this chief ha': 886763, 'chief ha just': 175934, 'himself it not': 396809, 'it not illegal': 459888, 'you like comment': 1019606, 'like comment like': 490032, 'comment like this': 188427, 'like this risk': 491521, 'this risk public': 889915, 'risk public consent': 723836, 'consent and the': 194829, 'and the willingness': 73657, 'the willingness to': 871587, 'helpmepleaseiamgoingcrazyhahahahahahahahahahahahahaa': 391608, 'wa horrible': 962332, 'horrible there': 404129, 'have hour': 380984, 'hour conversation': 405500, 'them extrovert': 875677, 'extrovert quarantine': 293959, 'quarantine helpmepleaseiamgoingcrazyhahahahahahahahahahahahahaa': 692255, 'just made trip': 469211, 'it wa horrible': 462126, 'wa horrible there': 962333, 'horrible there were': 404130, 'people and wanted': 646893, 'wanted to have': 966255, 'to have hour': 907257, 'have hour conversation': 380985, 'hour conversation with': 405501, 'conversation with all': 202497, 'of them extrovert': 591738, 'them extrovert quarantine': 875678, 'extrovert quarantine helpmepleaseiamgoingcrazyhahahahahahahahahahahahahaa': 293960, 'men who': 528542, 'reportedly licked': 712583, 'before wiping': 123306, 'handle amid': 376161, 'are hunting for': 87278, 'hunting for two': 411419, 'for two men': 327392, 'two men who': 937042, 'men who reportedly': 528543, 'who reportedly licked': 989538, 'reportedly licked their': 712584, 'hand in supermarket': 375040, 'supermarket before wiping': 819354, 'before wiping them': 123307, 'wiping them over': 996533, 'meat fresh produce': 525584, 'produce and fridge': 680182, 'fridge handle amid': 333403, 'handle amid the': 376162, 'coronavirus pandemic stayhomesavelives': 206489, 'pandemic stayhomesavelives protectthenhs': 636546, 'worthless': 1011467, 'university finland': 942429, 'finland video': 307975, 'showing cough': 767434, 'cough traveling': 208578, 'traveling in': 930647, 'is worthless': 454090, 'worthless only': 1011468, 'only wearing': 611454, 'others mask': 621526, 'quarantine acme': 691988, 'aalto university finland': 24104, 'university finland video': 942430, 'finland video showing': 307976, 'video showing cough': 956894, 'showing cough traveling': 767435, 'cough traveling in': 208579, 'traveling in grocery': 930648, 'store foot distancing': 807778, 'foot distancing is': 318376, 'distancing is worthless': 247258, 'is worthless only': 454091, 'worthless only wearing': 1011469, 'only wearing mask': 611455, 'wearing mask protects': 974710, 'mask protects others': 519167, 'protects others mask': 685843, 'others mask socialdistancing': 621527, 'mask socialdistancing quarantine': 519290, 'socialdistancing quarantine acme': 780633, 'when wa under': 984410, 'wa under the': 963603, 'under the shower': 940330, 'tonight after getting': 924352, 'be offended': 116153, 'to be offended': 901414, 'from pwc': 337006, 'via in': 956027, 'the infographic': 858251, 'infographic ai': 437627, 'rpa machinelearning': 726658, 'machinelearning artificialintelligence': 507430, 'artificialintelligence data': 94537, 'data consumer': 226185, 'consumer cybersecurity': 197045, 'these way to': 880942, 'digitaltransformation in these': 242818, 'changing time from': 172830, 'time from pwc': 896809, 'from pwc via': 337007, 'pwc via in': 691373, 'via in the': 956028, 'in the infographic': 429289, 'the infographic ai': 858252, 'infographic ai designthinking': 437628, 'dataanalytics rpa machinelearning': 226510, 'rpa machinelearning artificialintelligence': 726659, 'machinelearning artificialintelligence data': 507431, 'artificialintelligence data consumer': 94538, 'data consumer cybersecurity': 226186, 'personification': 653068, 'supermarket hear': 820733, 'hear mother': 387959, 'why stressed': 991381, 'stressed terribly': 813461, 'sad personification': 729212, 'personification of': 653069, 'the supermarket hear': 868627, 'supermarket hear mother': 820734, 'hear mother say': 387960, 'mother say to': 543163, 'say to her': 739389, 'her child the': 391932, 'child the only': 176223, 'only reason you': 611061, 'reason you re': 703074, 'you re here': 1020643, 're here is': 698806, 'is to understand': 453256, 'understand why stressed': 940821, 'why stressed terribly': 991382, 'stressed terribly sad': 813462, 'terribly sad personification': 838472, 'sad personification of': 729213, 'personification of panic': 653070, 'blackstone': 132217, '19 blackstone': 5402, 'blackstone buy': 132218, 'buy logistics': 148920, 'logistics asset': 500726, 'asset demand': 96426, 'covid 19 blackstone': 212711, '19 blackstone buy': 5403, 'blackstone buy logistics': 132219, 'buy logistics asset': 148921, 'logistics asset demand': 500727, 'asset demand soar': 96427, 'soar for online': 779248, 'shopping during health': 762535, 'during health crisis': 262680, 'elderly men': 270754, 'having fatality': 384062, 'fatality due': 300245, 'most resistant': 542696, 'resistant to': 714597, 'reduce infection': 705859, 'rate limiting': 697292, 'limiting customer': 492807, 'keeping six': 472554, 'it perplexing': 460317, 'elderly men the': 270755, 'men the most': 528538, 'group for contracting': 366697, 'for contracting and': 320332, 'contracting and having': 201757, 'and having fatality': 64294, 'having fatality due': 384063, 'fatality due to': 300246, 'to are also': 900688, 'also the most': 48981, 'the most resistant': 861026, 'most resistant to': 542697, 'resistant to retail': 714598, 'retail store measure': 718662, 'to reduce infection': 913027, 'reduce infection rate': 705860, 'infection rate limiting': 436824, 'rate limiting customer': 697293, 'limiting customer in': 492808, 'in store keeping': 428425, 'store keeping six': 808649, 'keeping six foot': 472555, 'six foot between': 772637, 'foot between people': 318366, 'between people it': 128855, 'people it perplexing': 648539, 'that horrible': 844364, 'horrible especially': 404095, 'that horrible especially': 844365, 'horrible especially when': 404096, 'especially when we': 280663, 'all need our': 43603, 'need our money': 555401, 'our money with': 623941, 'money with this': 537184, 'with this crisis': 1001688, 'crisis isn issuing': 217603, 'file your co': 305385, 'more vegetable': 540894, 'manila panicbuying': 513199, 'no more vegetable': 564827, 'more vegetable and': 540895, 'and fruit in': 63372, 'supermarket in metro': 820932, 'in metro manila': 425264, 'metro manila panicbuying': 529925, 'repurchase': 713081, 'ulta share': 939093, 'surging today': 828446, 'today up': 920414, '16 last': 4128, 'week ceo': 976075, 'ceo mary': 169746, 'mary dillon': 518153, 'dillon announced': 242890, 'to including': 908258, 'of share': 589563, 'share repurchase': 755203, 'repurchase and': 713082, 'sharp reduction': 755697, 'in expected': 422728, 'expected store': 290946, '2020 track': 14676, 'next move': 561464, 'ulta share are': 939094, 'share are surging': 754929, 'are surging today': 90679, 'surging today up': 828447, 'today up 16': 920415, 'up 16 last': 944124, '16 last week': 4129, 'last week ceo': 480638, 'week ceo mary': 976076, 'ceo mary dillon': 169747, 'mary dillon announced': 518154, 'dillon announced measure': 242891, 'announced measure in': 76992, 'response to including': 715855, 'to including the': 908259, 'including the suspension': 432189, 'suspension of share': 829694, 'of share repurchase': 589565, 'share repurchase and': 755204, 'repurchase and sharp': 713083, 'and sharp reduction': 71407, 'sharp reduction in': 755698, 'reduction in expected': 706363, 'in expected store': 422729, 'expected store opening': 290947, 'opening for 2020': 612831, 'for 2020 track': 318753, '2020 track the': 14677, 'track the next': 928228, 'the next move': 861680, 'next move in': 561465, 'move in retail': 543668, 'deadline is': 229222, 'until september': 943828, 'september 2020': 751159, 'functioning well': 341342, 'buy wisely': 149481, 'the tax filing': 869170, 'filing deadline is': 305425, 'deadline is extended': 229223, 'is extended to': 447668, 'extended to june': 293204, 'to june 2020': 908713, 'june 2020 we': 467991, 'pay until september': 645206, 'until september 2020': 943829, 'september 2020 in': 751160, '2020 in grocery': 14391, 'chain are functioning': 170500, 'are functioning well': 86753, 'functioning well and': 341343, 'so buy wisely': 776672, 'full shift': 340879, 'shift amidst': 758226, 'people meet': 648765, 'worker pharmacist and': 1007565, 'pharmacist and food': 654111, 'food delivery guy': 314130, 'delivery guy who': 234079, 'guy who are': 369224, 'are working full': 91697, 'working full shift': 1008661, 'full shift amidst': 340880, 'shift amidst the': 758227, 'amidst the crisis': 52823, 'help the common': 390641, 'common people meet': 189430, 'people meet their': 648766, 'meet their need': 527621, 'need you guy': 556256, 'guy are hero': 368901, 'centrally': 169469, 'food collected': 313961, 'collected centrally': 186350, 'centrally by': 169470, 'that each': 843657, 'each food': 264076, 'life disrupted': 488597, 'food collected centrally': 313962, 'collected centrally by': 186351, 'centrally by is': 169471, 'by is distributed': 152940, 'is distributed to': 447250, 'distributed to individual': 248059, 'to individual and': 908338, 'individual and food': 435130, 'city but there': 179080, 'is no guarantee': 449938, 'no guarantee that': 564389, 'guarantee that each': 367718, 'that each food': 843658, 'each food bank': 264077, 'bank will be': 110312, 'meet demand especially': 527464, 'demand especially now': 235298, 'now with life': 576448, 'with life disrupted': 999209, 'life disrupted by': 488598, 'must restrict': 546859, 'family inside': 297935, 'improve experience': 419521, 'longer social': 502051, 'social outing': 779908, 'outing stayhomecanada': 628992, 'must restrict person': 546860, 'restrict person per': 717112, 'per family inside': 650831, 'family inside the': 297936, 'store this will': 810709, 'this will improve': 891420, 'will improve experience': 993792, 'improve experience for': 419522, 'experience for many': 291364, 'many of people': 514383, 'of people must': 587947, 'people must understand': 648807, 'must understand grocery': 546965, 'understand grocery shopping': 940631, 'shopping is no': 763062, 'no longer social': 564663, 'longer social outing': 502052, 'social outing stayhomecanada': 779909, 'golfing': 356155, 'scrunching': 742940, 'did dow': 240592, 'dow with': 256343, 'of golfing': 584204, 'golfing scrunching': 356156, 'scrunching toiletpaper': 742941, 'while pooping': 987161, 'pooping these': 664087, 'expert that': 291980, 'trump ear': 933534, 'same time did': 733351, 'time did dow': 896557, 'did dow with': 240593, 'dow with about': 256344, 'benefit of golfing': 127043, 'of golfing scrunching': 584205, 'golfing scrunching toiletpaper': 356157, 'scrunching toiletpaper while': 742942, 'toiletpaper while pooping': 922840, 'while pooping these': 987162, 'pooping these are': 664088, 'are the expert': 90824, 'the expert that': 854731, 'expert that get': 291981, 'that get trump': 844002, 'get trump ear': 348544, 'losangelescounty': 503407, 'losangelescounty grocery': 503408, 'losangelescounty grocery store': 503409, 'min should be': 532573, 'should be tape': 765744, '6ft apart still': 21599, 'apart still spreading': 81346, 'refocus': 706703, 'panic ha': 638156, 'mess stop': 529239, 'and breath': 59178, 'breath australia': 139161, 'australia 5m': 103213, '5m we': 20781, 'have plentiful': 381960, 'plentiful food': 660891, 'class medical': 180214, 'facility everybody': 295331, 'together 5m': 920666, '5m and': 20755, 'and refocus': 70128, 'refocus covid': 706704, 'won destroy': 1003780, 'destroy you': 239039, 'but losing': 146322, 'the panic ha': 863207, 'panic ha created': 638157, 'created the mess': 215909, 'the mess stop': 860510, 'mess stop and': 529240, 'stop and breath': 804451, 'and breath australia': 59179, 'breath australia 5m': 139162, 'australia 5m we': 103214, '5m we have': 20782, 'we have plentiful': 971900, 'have plentiful food': 381961, 'plentiful food stop': 660892, 'food stop hoarding': 316828, 'hoarding and first': 399175, 'and first class': 62930, 'first class medical': 308575, 'class medical facility': 180215, 'medical facility everybody': 526174, 'facility everybody need': 295332, 'everybody need to': 286470, 'put their head': 690878, 'head together 5m': 385842, 'together 5m and': 920667, '5m and refocus': 20756, 'and refocus covid': 70129, 'refocus covid 19': 706705, '19 won destroy': 12161, 'won destroy you': 1003781, 'destroy you but': 239040, 'you but losing': 1017551, 'yousuckkaren': 1026840, 'peoplearestupid': 650596, 'dear karen': 229821, 'karen shit': 470900, 'real literally': 701257, 'literally stop': 495085, 'being asshole': 124872, 'paper yousuckkaren': 641138, 'yousuckkaren toiletpaper': 1026841, 'toiletpapercrisis peoplearestupid': 923055, 'peoplearestupid pandemic': 650597, 'dear karen shit': 229822, 'karen shit just': 470901, 'got real literally': 358810, 'real literally stop': 701258, 'literally stop being': 495086, 'stop being asshole': 804481, 'being asshole and': 124873, 'asshole and buying': 96507, 'and buying all': 59364, 'toilet paper yousuckkaren': 921538, 'paper yousuckkaren toiletpaper': 641139, 'yousuckkaren toiletpaper toiletpapercrisis': 1026842, 'toiletpaper toiletpapercrisis peoplearestupid': 922662, 'toiletpapercrisis peoplearestupid pandemic': 923056, 'government iron': 360240, 'iron out': 444924, 'out detail': 625951, 'potential relief': 667129, 'package there': 633424, 'are rumor': 89754, 'include payment': 431604, 'payment directly': 645598, 'check while': 174712, 'is final': 447802, 'final there': 305881, 'the government iron': 856552, 'government iron out': 360241, 'iron out detail': 444925, 'out detail of': 625952, 'detail of potential': 239222, 'of potential relief': 588285, 'potential relief package': 667130, 'relief package there': 709427, 'package there are': 633425, 'there are rumor': 878155, 'are rumor that': 89755, 'rumor that it': 727503, 'it could include': 457359, 'could include payment': 209332, 'include payment directly': 431605, 'payment directly to': 645599, 'consumer via check': 199447, 'via check while': 955860, 'check while nothing': 174713, 'while nothing is': 987090, 'nothing is final': 573060, 'is final there': 447803, 'final there are': 305882, 'are few thing': 86537, 'few thing everyone': 304095, 'thing everyone should': 884319, 'should know read': 766180, 'know read here': 476692, 'imbalance': 416874, 'cocoa investor': 185258, 'the imbalance': 857892, 'imbalance generated': 416875, 'by abundant': 151740, 'slowing demand': 774532, 'production the': 682224, 'harvest is': 378625, 'complete for': 192094, 'main crop': 508736, 'west africa': 980448, 'cocoa investor are': 185259, 'investor are questioning': 444110, 'questioning the imbalance': 693838, 'the imbalance generated': 857893, 'imbalance generated by': 416876, 'generated by abundant': 345573, 'by abundant supply': 151741, 'abundant supply in': 27604, 'face of slowing': 294673, 'of slowing demand': 589779, 'slowing demand say': 774534, 'demand say about': 236173, 'say about production': 738389, 'about production the': 26006, 'production the harvest': 682225, 'the harvest is': 857136, 'harvest is now': 378626, 'now almost complete': 573972, 'almost complete for': 46581, 'complete for the': 192095, 'for the main': 326545, 'the main crop': 859900, 'main crop in': 508737, 'crop in west': 218931, 'in west africa': 430796, 'west africa and': 980449, 'and the result': 73551, 'result are very': 717479, 'are very good': 91461, 'cornaviruspandemic': 203620, 'beirut supermarket': 126082, 'attendant wearing': 102387, 'wearing splash': 974788, 'splash protection': 789636, 'shield cornaviruspandemic': 758147, 'cornaviruspandemic 19': 203621, 'daily life in': 224663, 'life in beirut': 488754, 'in beirut supermarket': 420775, 'beirut supermarket attendant': 126083, 'supermarket attendant wearing': 819266, 'attendant wearing splash': 102388, 'wearing splash protection': 974789, 'splash protection face': 789637, 'protection face shield': 685433, 'face shield cornaviruspandemic': 294739, 'shield cornaviruspandemic 19': 758148, 'excl': 289614, '5b': 20621, 'bold covid': 134089, 'from chair': 334818, 'chair 2k': 171291, '2k cash': 16618, 'payment per': 645705, 'adult mo': 32842, 'mo 1k': 534846, 'child excl': 176082, 'excl rich': 289615, 'rich suspend': 721258, 'debt incl': 230502, 'incl mortgage': 431478, 'mortgage 5b': 541854, '5b for': 20622, 'homeless no': 402762, 'no eviction': 564140, 'foreclosure fed': 328924, 'fed pick': 301869, 'up cost': 944657, 'lender no': 486243, 'bold covid 19': 134090, '19 plan from': 9692, 'plan from chair': 658134, 'from chair 2k': 334819, 'chair 2k cash': 171292, '2k cash payment': 16619, 'cash payment per': 166301, 'payment per adult': 645706, 'per adult mo': 650687, 'adult mo 1k': 32843, 'mo 1k per': 534847, 'per child excl': 650764, 'child excl rich': 176083, 'excl rich suspend': 289616, 'rich suspend consumer': 721259, 'suspend consumer debt': 829554, 'consumer debt incl': 197081, 'debt incl mortgage': 230503, 'incl mortgage 5b': 431479, 'mortgage 5b for': 541855, '5b for homeless': 20623, 'for homeless no': 322350, 'homeless no eviction': 402763, 'no eviction foreclosure': 564141, 'eviction foreclosure fed': 288318, 'foreclosure fed pick': 328925, 'fed pick up': 301870, 'pick up cost': 655712, 'up cost for': 944658, 'cost for lender': 207945, 'for lender no': 322945, 'lender no tax': 486244, 'reasonable gift': 703097, 'available cripthevote': 104307, 'sell cleaning disinfecting': 748667, 'cleaning disinfecting product': 180938, 'disinfecting product at': 245873, 'product at market': 680976, 'market value price': 517292, 'value price seem': 952184, 'price seem reasonable': 676332, 'seem reasonable gift': 746682, 'reasonable gift card': 703098, 'card available cripthevote': 163468, 'on while grocery': 605286, 'grocery shopping 7news': 364989, 'emsworth': 275333, 'seafront': 743163, 'on emsworth': 600553, 'emsworth seafront': 275334, 'seafront to': 743164, 'safely drop': 730275, 'walking round': 965099, 'mill pond': 531969, 'pond despite': 663961, 'weather stayhomesavelives': 974893, 'to my mum': 910420, 'mum on emsworth': 545935, 'on emsworth seafront': 600554, 'emsworth seafront to': 275335, 'seafront to safely': 743165, 'to safely drop': 913715, 'safely drop off': 730276, 'drop off food': 260332, 'off food shop': 593824, 'food shop no': 316486, 'shop no supermarket': 760487, 'for week good': 327710, 'week good to': 976282, 'to see very': 914093, 'see very few': 746000, 'very few people': 955163, 'people walking round': 650133, 'walking round the': 965101, 'round the mill': 726362, 'the mill pond': 860616, 'mill pond despite': 531970, 'pond despite the': 663962, 'despite the weather': 238902, 'the weather stayhomesavelives': 871258, 'short thought': 764764, 'thought what': 893309, 'the an': 848667, 'leaf no': 483806, 'of decent': 582434, 'decent amount': 230768, 'amount easily': 53172, 'good nutrition': 357480, 'nutrition right': 577741, 'one panicbuying': 606831, 'panicbuying foodstorage': 638946, 'foodstorage food': 318149, 'short thought what': 764765, 'thought what food': 893310, 'what food should': 981462, 'food should we': 316621, 'should we actually': 766638, 'we actually stock': 970282, 'actually stock the': 30969, 'stock the an': 802927, 'the an is': 848668, 'an is nothing': 56469, 'is nothing that': 450240, 'nothing that leaf': 573174, 'that leaf no': 844857, 'leaf no food': 483807, 'others but then': 621314, 'but then there': 147451, 'then there ha': 877637, 'to be something': 901555, 'be something of': 117309, 'something of decent': 784993, 'of decent amount': 582435, 'decent amount easily': 230769, 'amount easily available': 53173, 'available and of': 104227, 'and of of': 67957, 'of of good': 587154, 'of good nutrition': 584229, 'good nutrition right': 357481, 'nutrition right so': 577742, 'right so here': 722274, 'is one panicbuying': 450507, 'one panicbuying foodstorage': 606832, 'panicbuying foodstorage food': 638947, 'husband of': 411744, 'woman critically': 1003459, 'with ha': 998713, 'ha criticised': 370290, 'criticised her': 218753, 'supermarket employer': 820153, 'employer for': 274508, 'providing enough': 686979, 'enough protection': 277585, 'staff against': 792086, 'virus steve': 958809, 'steve hill': 799947, 'hill ha': 396476, 'warned viewer': 967051, 'viewer of': 957189, 'stark reality': 794167, 'the husband of': 857773, 'husband of woman': 411745, 'of woman critically': 593221, 'woman critically ill': 1003460, 'critically ill in': 218737, 'ill in hospital': 416142, 'hospital with ha': 404724, 'with ha criticised': 998714, 'ha criticised her': 370291, 'criticised her supermarket': 218754, 'her supermarket employer': 392413, 'supermarket employer for': 820154, 'employer for not': 274509, 'not providing enough': 571157, 'providing enough protection': 686980, 'enough protection for': 277586, 'protection for staff': 685446, 'for staff against': 325848, 'staff against the': 792087, 'the virus steve': 870897, 'virus steve hill': 958810, 'steve hill ha': 799948, 'hill ha warned': 396477, 'ha warned viewer': 372459, 'warned viewer of': 967052, 'viewer of the': 957190, 'of the stark': 591487, 'the stark reality': 867731, 'stark reality of': 794168, 'the marin': 860070, 'marin county': 515737, 'county district': 211367, 'district attorney': 248360, 'attorney ha': 102664, 'of exorbitant': 583308, 'in marin': 425136, 'county by': 211336, 'staple help': 793948, 'practice report': 668639, 'the marin county': 860071, 'marin county district': 515739, 'county district attorney': 211368, 'district attorney ha': 248361, 'attorney ha received': 102665, 'report of exorbitant': 712111, 'of exorbitant price': 583309, 'exorbitant price being': 290404, 'being charged in': 124940, 'charged in marin': 173396, 'in marin county': 425137, 'marin county by': 515738, 'county by some': 211337, 'by some retailer': 154080, 'some retailer for': 783767, 'retailer for certain': 719153, 'for certain consumer': 319993, 'certain consumer good': 169985, 'good and staple': 356751, 'and staple help': 72231, 'staple help put': 793949, 'help put stop': 390392, 'stop to this': 805227, 'to this illegal': 917430, 'this illegal practice': 888005, 'illegal practice report': 416232, 'practice report it': 668640, 'wa ethic': 962079, 'ethic nonprofit': 283051, 'nonprofit sue': 566703, 'sue for': 817156, 'for violating': 327563, 'wa ethic nonprofit': 962080, 'ethic nonprofit sue': 283052, 'nonprofit sue for': 566704, 'sue for violating': 817157, 'for violating consumer': 327564, 'act by calling': 29608, 'by calling hoax': 152059, 'wa extremly': 962102, 'extremly ocd': 293954, 'ocd to': 579099, 'life today': 489141, 'ocd is': 579097, 'more comforting': 538835, 'comforting it': 187903, 'it scream': 460912, 'spray my': 790309, 'self with': 747929, 'hand san': 375210, 'san and': 733514, 'soap everytime': 778995, 'everytime leave': 288155, 'store washyourhands': 811158, 'child wa extremly': 176252, 'wa extremly ocd': 962103, 'extremly ocd to': 293955, 'ocd to the': 579100, 'point of it': 662560, 'of it taking': 585451, 'it taking over': 461440, 'taking over my': 833494, 'over my life': 630422, 'my life today': 549044, 'life today my': 489142, 'today my ocd': 919904, 'my ocd is': 549541, 'ocd is back': 579098, 'is back but': 445947, 'but it more': 146141, 'it more comforting': 459667, 'more comforting it': 538836, 'comforting it scream': 187904, 'it scream at': 460913, 'scream at me': 742636, 'at me to': 99711, 'me to spray': 523783, 'to spray my': 915048, 'spray my self': 790310, 'my self with': 550015, 'self with alcohol': 747930, 'with alcohol hand': 997133, 'alcohol hand san': 41019, 'hand san and': 375211, 'san and soap': 733515, 'and soap everytime': 71864, 'soap everytime leave': 778996, 'everytime leave the': 288156, 'grocery store washyourhands': 365932, 'unrelated': 943325, 'unsalted': 943408, 'salted': 732832, 'insight made': 439591, 'made possible': 507919, 'although entirely': 49315, 'entirely unrelated': 278811, 'unrelated to': 943326, 'of unsalted': 592664, 'unsalted butter': 943409, 'butter which': 148175, 'which ve': 986431, 'the salted': 866186, 'salted kind': 732833, 'kind thinking': 474996, 'thinking eh': 885899, 'eh how': 270135, 'how salty': 408620, 'salty could': 732836, 'some dear': 782666, 'insight made possible': 439592, 'made possible by': 507920, 'possible by covid': 665598, 'covid 19 although': 212618, '19 although entirely': 4937, 'although entirely unrelated': 49316, 'entirely unrelated to': 278812, 'unrelated to it': 943327, 'other day they': 620083, 'day they were': 228524, 'out of unsalted': 626869, 'of unsalted butter': 592665, 'unsalted butter which': 943410, 'butter which ve': 148176, 'which ve used': 986432, 've used for': 953647, 'used for year': 949915, 'year now but': 1014764, 'now but had': 574284, 'but had plenty': 145846, 'plenty of the': 660983, 'of the salted': 591430, 'the salted kind': 866187, 'salted kind thinking': 732834, 'kind thinking eh': 474997, 'thinking eh how': 885900, 'eh how salty': 270136, 'how salty could': 408621, 'salty could it': 732837, 'it be bought': 456724, 'be bought some': 113895, 'bought some dear': 136714, 'some dear god': 782667, 'shock president': 759500, 'approved engagement': 83151, 'lga of': 487907, 'fiscal shock president': 309268, 'shock president ha': 759501, 'president ha approved': 670824, 'ha approved engagement': 369604, 'approved engagement of': 83152, 'public work 100': 688494, 'work 100 people': 1004688, '774 lga of': 22308, 'lga of the': 487908, 'supermarket arbitrage': 819140, 'arbitrage this': 84009, 'place largely': 657542, 'largely serf': 479870, 'serf lower': 751201, 'lower middle': 505910, 'class demographic': 180176, 'demographic there': 236797, 'no white': 565889, 'bread stella': 138591, 'stella or': 799450, 'or dairy': 614880, 'milk left': 531718, 'but bagel': 145256, 'bagel cocktail': 108470, 'cocktail ingredient': 185238, 'green black': 363656, 'black still': 132129, 'supermarket arbitrage this': 819141, 'arbitrage this place': 84010, 'this place largely': 889599, 'place largely serf': 657543, 'largely serf lower': 479871, 'serf lower middle': 751202, 'lower middle class': 505911, 'middle class demographic': 530633, 'class demographic there': 180177, 'demographic there may': 236798, 'may be no': 521011, 'be no white': 116116, 'no white bread': 565890, 'white bread stella': 987823, 'bread stella or': 138592, 'stella or dairy': 799451, 'or dairy milk': 614881, 'dairy milk left': 225012, 'milk left but': 531719, 'left but bagel': 485431, 'but bagel cocktail': 145257, 'bagel cocktail ingredient': 108471, 'cocktail ingredient and': 185239, 'ingredient and green': 438346, 'and green black': 63956, 'green black still': 363657, 'black still going': 132130, 'still going strong': 800591, 'also affecting': 47820, 'affecting people': 34544, 'so report': 778128, 'soon send': 785814, 'news unless': 560925, 'unless scammer': 942635, 'money before': 536631, 'the is also': 858477, 'is also affecting': 445545, 'also affecting people': 47821, 'affecting people pocket': 34545, 'people pocket so': 649144, 'pocket so report': 662205, 'so report that': 778129, 'will soon send': 994902, 'soon send money': 785815, 'money to everyone': 537096, 'to everyone is': 905344, 'good news unless': 357464, 'news unless scammer': 560926, 'unless scammer take': 942636, 'scammer take your': 740623, 'your money before': 1024856, 'money before you': 536632, 'before you receive': 123331, 'you receive check': 1020851, 'receive check from': 703455, 'government the want': 360682, 'to know some': 908994, 'know some really': 476726, 'eon': 279261, 'wa saturday': 963140, 'saturday past': 737058, 'word an': 1004448, 'an eon': 55792, 'eon ago': 279262, 'on info': 601572, 'cbc had': 168272, 'clip about': 182347, 'wa saturday past': 963141, 'saturday past in': 737059, 'past in other': 643552, 'other word an': 621212, 'word an eon': 1004449, 'an eon ago': 55793, 'eon ago in': 279263, 'wa doing the': 962009, 'best job of': 127746, 'job of protecting': 466038, 'of protecting it': 588548, 'protecting it customer': 685201, 'based on info': 111683, 'on info we': 601573, 'info we had': 437611, 'had at that': 372865, 'that time cbc': 847040, 'time cbc had': 896461, 'cbc had great': 168273, 'had great clip': 373150, 'great clip about': 362576, 'clip about how': 182348, 'price 2019cov': 672125, 'viruscorona trumpvirus': 959099, 'trumpvirus netflix': 934182, 'netflix losangeles': 557615, 'losangeles coronatuerkiye': 503392, 'regular price 2019cov': 707836, 'price 2019cov n95masks': 672126, 'newspicks viruscorona trumpvirus': 561117, 'viruscorona trumpvirus netflix': 959100, 'trumpvirus netflix losangeles': 934183, 'netflix losangeles coronatuerkiye': 557616, 'cattle future': 167346, 'for cattle': 319967, 'cattle got': 167348, 'cross hair': 219005, 'hair of': 373994, 'commodity did': 189161, 'did rancher': 240779, 'getting le': 349089, 'le per': 483074, 'per head': 650880, 'head consumer': 385733, 'consumer paying': 198344, 'beef packer': 120535, 'packer putting': 633685, 'pocket cha': 662161, 'cattle future and': 167347, 'future and the': 342255, 'and the cash': 73271, 'the cash market': 850475, 'cash market for': 166274, 'market for cattle': 516407, 'for cattle got': 319968, 'cattle got caught': 167349, 'got caught in': 358473, 'in the cross': 429109, 'the cross hair': 852508, 'cross hair of': 219006, 'hair of covid': 373995, '19 panic like': 9552, 'panic like most': 638273, 'like most food': 490797, 'most food commodity': 542335, 'food commodity did': 313975, 'commodity did rancher': 189162, 'did rancher are': 240780, 'rancher are getting': 696534, 'are getting le': 86815, 'getting le per': 349090, 'le per head': 483076, 'per head consumer': 650881, 'head consumer paying': 385734, 'consumer paying more': 198345, 'more for beef': 539262, 'for beef packer': 319614, 'beef packer putting': 120536, 'packer putting in': 633686, 'their pocket cha': 874332, 'pocket cha ching': 662162, 'smhpeople': 775691, 'body blood': 133829, 'blood and': 133097, 'murder smhpeople': 546161, 'shopping today the': 764216, 'today the store': 920302, 'the store looked': 868052, 'store looked like': 808825, 'looked like zombie': 502737, 'apocalypse but without': 81518, 'but without the': 147911, 'without the body': 1002961, 'the body blood': 849823, 'body blood and': 133830, 'blood and murder': 133098, 'and murder smhpeople': 67331, '19 and changing': 4998, 'and changing behavior': 59733, 'changing behavior in': 172657, 'behavior in consumer': 124078, 'in consumer according': 421680, 'according to age': 28517, 'to age group': 900174, 'sister sent': 771783, 'mum message': 545926, 'message earlier': 529298, 'today freaking': 919550, 'and suggesting': 72672, 'why against': 990722, 'against further': 37458, 'further stocking': 342171, 'stocking particularly': 803580, 'when countdown': 983302, 'countdown still': 210171, 'still delivers': 800425, 'my sister sent': 550115, 'sister sent my': 771784, 'sent my mum': 750786, 'my mum message': 549378, 'mum message earlier': 545927, 'message earlier today': 529299, 'earlier today freaking': 264502, 'today freaking out': 919551, 'out about covid': 625549, '19 and suggesting': 5116, 'and suggesting that': 72673, 'suggesting that we': 817613, 'on food if': 600871, 'seen the state': 747294, 'of our pantry': 587530, 'our pantry and': 624247, 'pantry and freezer': 639520, 'and freezer you': 63291, 'freezer you understand': 332659, 'you understand why': 1021971, 'understand why against': 940813, 'why against further': 990723, 'against further stocking': 37459, 'further stocking particularly': 342172, 'stocking particularly when': 803581, 'particularly when countdown': 642730, 'when countdown still': 983303, 'countdown still delivers': 210172, '21dayslockdownindia': 15131, 'option 21dayslockdown': 613973, '21dayslockdown 21daylockdown': 15113, '21daylockdown 21dayslockdownindia': 15091, 'shopping option 21dayslockdown': 763528, 'option 21dayslockdown 21daylockdown': 613974, '21dayslockdown 21daylockdown 21dayslockdownindia': 15114, 'worker football': 1006962, 'football salary': 318510, 'salary we': 732002, 'so screwed': 778160, 'screwed without': 742829, 'without everyone': 1002620, 'with whining': 1002092, 'whining customer': 987730, 'supermarket worker football': 824023, 'worker football salary': 1006963, 'football salary we': 318511, 'salary we would': 732003, 'be so screwed': 117265, 'so screwed without': 778161, 'screwed without them': 742830, 'all and without': 42019, 'and without everyone': 75791, 'without everyone in': 1002621, 'chain the stress': 171172, 'stress of crowded': 813368, 'of crowded store': 582228, 'crowded store is': 219352, 'store is bad': 808470, 'enough but add': 277334, 'but add the': 145060, 'add the fear': 31503, 'dealing with whining': 229702, 'with whining customer': 1002093, 'browsjng': 141312, 'inform people': 437664, 'and browsjng': 59229, 'browsjng buying': 141313, 'buying clothes': 150119, 'clothes is': 184174, 'my nerve': 549451, 'can please inform': 159254, 'please inform people': 660113, 'inform people that': 437665, 'people that going': 649764, 'supermarket and browsjng': 818945, 'and browsjng buying': 59230, 'browsjng buying clothes': 141314, 'buying clothes is': 150120, 'clothes is not': 184175, 'not what is': 572484, 'what is meant': 981707, 'is meant by': 449611, 'meant by getting': 524881, 'by getting the': 152675, 'getting the essential': 349345, 'the essential the': 854522, 'essential the amount': 281660, 'of people ignoring': 587925, 'people ignoring the': 648333, 'the rule is': 866048, 'rule is actually': 727279, 'is actually getting': 445330, 'actually getting on': 30810, 'getting on my': 349157, 'on my nerve': 602299, 'son returned': 785426, 'freezer broken': 332593, 'devastating since': 239601, 'ha low': 371195, 'old son returned': 598477, 'son returned to': 785427, 'returned to his': 719979, 'fridge freezer broken': 333399, 'freezer broken and': 332594, 'wa devastating since': 961969, 'devastating since he': 239602, 'since he ha': 770644, 'he ha low': 385028, 'ha low salary': 371196, 'low salary but': 505587, 'salary but when': 731956, 'disregarding': 246352, 'basic weekly': 112099, 'morning shocked': 541432, 'shocked disgusted': 759564, 'society are': 781159, 'behaving it': 123833, 'to disregarding': 904417, 'disregarding more': 246353, 'store humanityfirst': 808232, 'store for basic': 807788, 'for basic weekly': 319593, 'basic weekly shop': 112100, 'weekly shop this': 977557, 'this morning shocked': 889009, 'morning shocked disgusted': 541433, 'shocked disgusted how': 759565, 'disgusted how society': 245367, 'how society are': 408710, 'society are behaving': 781160, 'are behaving it': 84819, 'behaving it disappointing': 123834, 'it disappointing to': 457565, 'disappointing to see': 244150, 'see people who': 745572, 'be low risk': 115841, 'low risk to': 505583, 'risk to disregarding': 723954, 'to disregarding more': 904418, 'disregarding more vulnerable': 246354, 'the store humanityfirst': 868038, 'worldwide have': 1010369, 'crashed while': 215097, 'govt may': 361196, 'covering up': 212505, 'their previous': 874367, 'previous loss': 671983, 'current pricing': 221318, 'pricing there': 677983, 'balanced way': 109011, 'help arrest': 389377, 'arrest revival': 93777, 'crude price worldwide': 219604, 'price worldwide have': 677651, 'worldwide have crashed': 1010370, 'have crashed while': 380148, 'crashed while the': 215098, 'while the govt': 987391, 'the govt may': 856663, 'govt may be': 361197, 'of covering up': 582089, 'covering up their': 212506, 'up their previous': 946246, 'their previous loss': 874368, 'previous loss fiscal': 671984, 'maintaining current pricing': 509099, 'current pricing there': 221319, 'pricing there is': 677984, 'there is necessity': 878592, 'is necessity to': 449853, 'necessity to reduce': 554283, 'in balanced way': 420673, 'balanced way to': 109012, 'to help arrest': 907454, 'help arrest revival': 389378, 'arrest revival of': 93778, 'celine': 168935, 'done read': 254986, 'via by': 955839, 'retail celine': 717931, 'celine fashion': 168936, 'sanitizer well done': 736061, 'well done read': 978196, 'done read more': 254987, 'more via by': 540899, 'via by retail': 955840, 'by retail celine': 153796, 'retail celine fashion': 717932, 'create opportunity': 215707, 'whose job': 990649, 'one supermarket said': 607142, 'supermarket said it': 822295, 'wa to provide': 963523, 'to provide more': 912413, 'provide more food': 686395, 'food to more': 317274, 'home and to': 400705, 'and to create': 74160, 'to create opportunity': 903718, 'create opportunity for': 215708, 'opportunity for people': 613624, 'for people whose': 324469, 'people whose job': 650367, 'whose job are': 990650, 'job are affected': 465654, 'love taxi': 504790, 'driver blackcab': 259467, 'london playing': 501154, 'free trip': 332278, 'london self': 501168, 'employed virus': 273499, 'love taxi driver': 504791, 'taxi driver blackcab': 835154, 'driver blackcab driver': 259468, 'price are too': 672755, 'are too high': 91140, 'of london playing': 585991, 'london playing with': 501155, 'playing with lockdown': 659472, 'with lockdown pandemic': 999292, 'lockdown pandemic free': 499763, 'pandemic free trip': 635460, 'free trip for': 332279, 'trip for nhsheroes': 932073, 'welldone london self': 978811, 'london self employed': 501169, 'self employed virus': 747633, 'like quarentinelife': 491054, 'quarentinelife foodie': 693192, 'be like quarentinelife': 115742, 'like quarentinelife foodie': 491055, 'strange how': 812396, 'be saturated': 116992, 'saturated with': 736985, 'cannot exercise': 161810, 'outdoors for': 628923, 'infected transmitting': 436655, 'transmitting the': 929809, 'strange how you': 812397, 'buy your usual': 149501, 'your usual food': 1026259, 'usual food supply': 950945, 'food supply which': 317016, 'supply which may': 826099, 'which may or': 986141, 'not be saturated': 568449, 'be saturated with': 116993, 'saturated with the': 736986, 'you cannot exercise': 1017858, 'cannot exercise outdoors': 161811, 'exercise outdoors for': 290083, 'outdoors for an': 628924, 'time for fear': 896707, 'fear of getting': 301234, 'of getting infected': 584123, 'getting infected transmitting': 349064, 'infected transmitting the': 436656, 'transmitting the same': 929810, 'lose sleep': 503471, 'sleep now': 773782, 'fear anxiety': 301045, 'cannot sleep because': 162104, 'to buy couple': 902209, 'of thing at': 591892, 'to lose sleep': 909462, 'lose sleep now': 503472, 'sleep now fear': 773783, 'now fear anxiety': 574671, 'secured approval': 744481, 'approval amp': 83086, 'begin filling': 123522, 'filling our': 305609, 'our bottle': 622250, 'which meet': 986152, 'organization standard': 619422, 'of harmful': 584460, 'harmful germ': 378445, 'we have secured': 971931, 'have secured approval': 382408, 'secured approval amp': 744482, 'approval amp the': 83087, 'amp the material': 54662, 'material to begin': 520426, 'to begin the': 901716, 'begin the production': 123573, 'sanitizer we will': 736054, 'we will begin': 973838, 'will begin filling': 992805, 'begin filling our': 123523, 'filling our bottle': 305610, 'our bottle with': 622251, 'bottle with sanitizer': 136360, 'with sanitizer which': 1000573, 'sanitizer which meet': 736080, 'which meet the': 986153, 'meet the world': 527618, 'health organization standard': 386726, 'organization standard to': 619423, 'standard to fight': 793711, 'fight and kill': 304654, 'and kill 99': 65842, '99 of harmful': 23867, 'of harmful germ': 584461, 'harmful germ and': 378446, 'global oilprices': 352056, 'oilprices plunge': 597687, 'low at': 505145, '25 08': 15798, '08 per': 1086, 'expert see': 291968, 'see worldwide': 746091, 'recession soon': 704364, 'global oilprices plunge': 352057, 'oilprices plunge to': 597688, 'plunge to 17': 661464, 'year low at': 1014711, 'low at 25': 505146, 'at 25 08': 97547, '25 08 per': 15799, '08 per barrel': 1087, 'per barrel amid': 650692, 'barrel amid outbreak': 111194, 'amid outbreak expert': 52559, 'outbreak expert see': 628210, 'expert see worldwide': 291969, 'see worldwide recession': 746092, 'worldwide recession soon': 1010414, 'ontario approach': 611581, 'approach 900': 82925, '900 cannabis': 23368, 'license application': 488122, 'application but': 82439, 'still only': 800945, 'store authorization': 806615, 'authorization so': 103823, 'ontario approach 900': 611582, 'approach 900 cannabis': 82926, '900 cannabis retail': 23369, 'operator license application': 613379, 'license application but': 488123, 'application but still': 82440, 'but still only': 147176, 'still only 59': 800946, 'retail store authorization': 718614, 'store authorization so': 806616, 'authorization so far': 103824, 'cheater': 174344, 'anoth': 77462, 'he stable': 385465, 'liar are': 487964, 'lie cheater': 488339, 'cheater are': 174345, 'gonna cheat': 356497, 'cheat that': 174340, 'said guessing': 731096, 'no gas': 564336, 'just anoth': 468198, 'also say the': 48831, 'the is smart': 858531, 'said he stable': 731113, 'he stable genius': 385466, 'remember liar are': 710224, 'liar are gonna': 487965, 'are gonna lie': 86918, 'gonna lie cheater': 356575, 'lie cheater are': 488340, 'cheater are gonna': 174346, 'are gonna cheat': 86914, 'gonna cheat that': 356498, 'cheat that said': 174341, 'that said guessing': 846097, 'said guessing there': 731097, 'guessing there are': 368133, 'are no gas': 88260, 'no gas price': 564337, 'below 00 just': 126551, '00 just anoth': 289, 'socialfun': 780923, 'this tool': 890809, 'tool tell': 925439, 'last socialfun': 480502, 'socialfun toiletpaper': 780924, 'this tool tell': 890810, 'tool tell you': 925440, 'long your stash': 501885, 'stash of toilet': 795294, 'will last socialfun': 993951, 'last socialfun toiletpaper': 480503, 'socialfun toiletpaper via': 780925, 'q5': 691449, 'innovatively': 438940, 'q5 the': 691450, 'been quite': 121766, 'quite following': 694867, 'instance court': 440073, 'kenya have': 472908, 'have innovatively': 381091, 'innovatively been': 438941, 'using skype': 950648, 'skype to': 773267, 'their judgement': 873746, 'judgement people': 467659, 'also embarked': 48150, 'q5 the industry': 691451, 'the industry ha': 858173, 'industry ha not': 435865, 'not been quite': 568516, 'been quite following': 121767, 'quite following the': 694868, 'following the disruption': 312881, '19 for instance': 7068, 'for instance court': 322607, 'instance court in': 440074, 'court in kenya': 211994, 'in kenya have': 424479, 'kenya have innovatively': 472909, 'have innovatively been': 381092, 'innovatively been using': 438942, 'been using skype': 122316, 'using skype to': 950649, 'skype to deliver': 773268, 'deliver their judgement': 233240, 'their judgement people': 873747, 'judgement people have': 467660, 'people have also': 648160, 'have also embarked': 379211, 'also embarked on': 48151, 'embarked on online': 272428, 'cabo': 155032, 'verde': 954762, 'caboverde': 155035, 'digital warrior': 242680, 'warrior to': 967372, 'in cabo': 421124, 'cabo verde': 155033, 'verde directory': 954763, 'directory with': 243695, 'for various': 327523, 'various type': 952656, 'shopping payment': 763612, 'more made': 539739, 'community caboverde': 189770, 'caboverde africa': 155036, 'weapon of digital': 974249, 'of digital warrior': 582615, 'digital warrior to': 242681, 'warrior to fight': 967373, '19 in cabo': 7734, 'in cabo verde': 421125, 'cabo verde directory': 155034, 'verde directory with': 954764, 'directory with tech': 243696, 'with tech solution': 1001135, 'tech solution for': 836148, 'solution for various': 782035, 'for various type': 327524, 'various type of': 952657, 'type of need': 937569, 'of need home': 586908, 'home delivery online': 401035, 'online shopping payment': 609220, 'shopping payment and': 763613, 'payment and more': 645544, 'and more made': 67190, 'more made by': 539740, 'made by the': 507676, 'by the community': 154291, 'the community caboverde': 851269, 'community caboverde africa': 189771, '18months': 4683, 'commoditi': 189105, 'take 18months': 831870, '18months to': 4684, 'be formed': 114929, 'formed how': 329607, 'long shall': 501619, 'kenya already': 472880, 'already fighting': 47354, 'something cannot': 784870, 'give allowance': 350372, 'of commoditi': 581564, '19 virus vaccine': 11843, 'virus vaccine to': 958975, 'vaccine to take': 951781, 'to take 18months': 916148, 'take 18months to': 831871, '18months to be': 4685, 'to be formed': 901264, 'be formed how': 114930, 'formed how long': 329608, 'how long shall': 408207, 'long shall we': 501620, 'shall we stay': 754561, 'stay home kenya': 796980, 'home kenya already': 401495, 'kenya already fighting': 472881, 'already fighting for': 47355, 'do something cannot': 250139, 'something cannot stand': 784871, 'scandal give allowance': 740714, 'give allowance to': 350373, 'allowance to make': 46124, 'make people behave': 510313, 'people behave and': 647245, 'behave and price': 123770, 'price of commoditi': 675424, 'case food': 165740, 'drink product': 258874, 'read ingredient': 700373, 'for allergy': 319202, 'allergy religious': 45787, 'religious or': 709585, 'or dietary': 614968, 'dietary requirement': 241771, 'usually on': 951136, 'in that case': 428915, 'that case food': 843168, 'case food drink': 165741, 'food drink product': 314282, 'drink product need': 258875, 'product need to': 681429, 'shelf in such': 757218, 'such way to': 816864, 'to read ingredient': 912831, 'read ingredient for': 700374, 'ingredient for allergy': 438363, 'for allergy religious': 319203, 'allergy religious or': 45788, 'religious or dietary': 709586, 'or dietary requirement': 614969, 'dietary requirement during': 241772, 'outbreak the way': 628724, 'way they are': 969952, 'they are usually': 881450, 'are usually on': 91438, 'usually on shelf': 951137, 'with 26': 996992, '26 billion': 16157, 'billion deficit': 130800, 'deficit on': 232254, 'hand jt': 375060, 'opec cutting': 611865, 'revenue decimated': 720398, 'decimated and': 230976, 'having sold': 384274, 'sold all': 781617, 'all gold': 42957, 'gold reserve': 355990, 'reserve shortly': 714096, 'being elected': 125099, 'elected they': 271006, 'ruin how': 727110, 'canada take': 160575, 'with 26 billion': 996993, '26 billion deficit': 16158, 'billion deficit on': 130801, 'deficit on his': 232255, 'his hand jt': 397490, 'hand jt is': 375061, 'jt is lying': 467587, 'lying to canadian': 507086, 'to canadian with': 902419, 'canadian with opec': 160777, 'with opec cutting': 999922, 'opec cutting oil': 611866, 'price government revenue': 674351, 'government revenue decimated': 360551, 'revenue decimated and': 720399, 'decimated and having': 230978, 'and having sold': 64297, 'having sold all': 384275, 'sold all gold': 781618, 'all gold reserve': 42958, 'gold reserve shortly': 355991, 'reserve shortly after': 714097, 'shortly after being': 765383, 'after being elected': 35405, 'being elected they': 125101, 'elected they are': 271007, 'verge of financial': 954768, 'of financial ruin': 583534, 'financial ruin how': 306565, 'ruin how much': 727111, 'how much can': 408340, 'much can canada': 544781, 'can canada take': 157859, 'interest and': 441331, 'site traffic': 772043, 'exceed what': 289041, 'fulfill plcb': 340417, 'plcb did': 659526, 'or spirit': 617184, 'spirit online': 789498, 'luck the': 506474, 'demand alcohol': 234916, 'expect consumer interest': 290616, 'consumer interest and': 197905, 'interest and site': 441332, 'and site traffic': 71701, 'site traffic to': 772044, 'traffic to exceed': 929154, 'to exceed what': 905389, 'exceed what we': 289042, 'what we ll': 982556, 'able to fulfill': 24483, 'to fulfill plcb': 906307, 'fulfill plcb did': 340418, 'plcb did you': 659527, 'did you try': 240950, 'to buy wine': 902340, 'wine or spirit': 995863, 'or spirit online': 617185, 'spirit online today': 789499, 'today with no': 920558, 'no luck the': 564686, 'luck the website': 506475, 'the website wa': 871284, 'website wa shut': 975470, 'overwhelming demand alcohol': 631739, 'wondrously': 1004226, 'are wondrously': 91677, 'wondrously diverse': 1004227, 'diverse and': 248520, 'multi talented': 545674, 'talented and': 833714, 'time forming': 896783, 'forming line': 329678, 'so count': 776810, 'count me': 210135, 'who belief': 988309, 'week may': 976519, 'long dark': 501385, 'dark night': 225971, 'the soul': 867492, 'we are wondrously': 970766, 'are wondrously diverse': 91678, 'wondrously diverse and': 1004228, 'diverse and multi': 248521, 'and multi talented': 67316, 'multi talented and': 545675, 'talented and everything': 833715, 'and everything but': 62417, 'everything but american': 287718, 'but american have': 145176, 'american have difficult': 52020, 'difficult time forming': 242289, 'time forming line': 896784, 'forming line at': 329679, 'store so count': 810217, 'so count me': 776811, 'count me one': 210136, 'me one who': 523271, 'one who belief': 607435, 'who belief the': 988310, 'belief the next': 126224, 'next week may': 561692, 'week may be': 976520, 'may be long': 521002, 'be long dark': 115808, 'long dark night': 501386, 'dark night of': 225972, 'night of the': 563044, 'of the soul': 591479, 'county tonight': 211520, 'tonight have': 924419, 'get laundry': 347467, 'laundry soap': 482132, 'soap ve': 779148, 'store fuck': 807892, '19 wa confirmed': 11862, 'wa confirmed in': 961856, 'confirmed in my': 194165, 'my county tonight': 547829, 'county tonight have': 211521, 'tonight have to': 924420, 'go get laundry': 353610, 'get laundry soap': 347468, 'laundry soap ve': 482133, 'soap ve never': 779149, 'been more scared': 121543, 'more scared of': 540323, 'grocery store fuck': 365416, 'getting stir': 349304, 'out watch': 627783, 'stayhomesavelives philly': 798429, 'everyone is getting': 287078, 'is getting stir': 448045, 'getting stir crazy': 349305, 'stir crazy but': 801696, 'crazy but before': 215261, 'but before you': 145281, 'go out watch': 353999, 'out watch this': 627784, 'this video of': 890983, 'of how single': 584840, 'across supermarket stayhomesavelives': 29471, 'supermarket stayhomesavelives philly': 822943, 'shinanigans': 758600, 'my waiting': 550522, 'waiting wa': 964420, 'shopping shinanigans': 763858, 'shinanigans quarantine': 758601, 'quarantine nyc': 692396, 'nyc wholefoods': 578068, 'wholefoods food': 990395, 'food shinanigans': 316466, 'shinanigans saturday': 758603, 'saturday whole': 737085, 'omg all my': 598895, 'all my waiting': 43575, 'my waiting wa': 550523, 'waiting wa worth': 964421, 'worth it toiletpaper': 1011384, 'it toiletpaper shopping': 461780, 'toiletpaper shopping shinanigans': 922460, 'shopping shinanigans quarantine': 763859, 'shinanigans quarantine nyc': 758602, 'quarantine nyc wholefoods': 692397, 'nyc wholefoods food': 578069, 'wholefoods food shinanigans': 990396, 'food shinanigans saturday': 316467, 'shinanigans saturday whole': 758604, 'saturday whole food': 737086, 'quarantine just': 692323, 'just sanitized': 469674, 'sanitized my': 734253, 'bottle quarantinelife': 136312, 'day 20 of': 227112, '20 of quarantine': 13203, 'of quarantine just': 588660, 'quarantine just sanitized': 692324, 'just sanitized my': 469675, 'sanitized my hand': 734254, 'sanitizer bottle quarantinelife': 734587, 'fed paper': 301867, 'expectation unsurprisingly': 290866, 'unsurprisingly these': 943594, 'these deteriorated': 879918, 'deteriorated the': 239402, 'month wore': 538140, 'wore on': 1004677, 'if understood': 415207, 'understood correctly': 940927, 'correctly they': 207610, 'doing these': 252747, 'these survey': 880779, 'survey since': 828955, '2013 they': 13787, 'promise deeper': 683673, 'deeper dive': 231955, 'dive blog': 248479, 'fed paper on': 301868, 'the impact to': 857950, 'impact to consumer': 418030, 'to consumer expectation': 903295, 'consumer expectation unsurprisingly': 197405, 'expectation unsurprisingly these': 290867, 'unsurprisingly these deteriorated': 943595, 'these deteriorated the': 879919, 'deteriorated the month': 239403, 'the month wore': 860858, 'month wore on': 538141, 'wore on if': 1004678, 'on if understood': 601483, 'if understood correctly': 415208, 'understood correctly they': 940928, 'correctly they ve': 207611, 'they ve only': 883669, 'only been doing': 610164, 'been doing these': 121026, 'doing these survey': 252748, 'these survey since': 880780, 'survey since 2013': 828956, 'since 2013 they': 770463, '2013 they promise': 13788, 'they promise deeper': 882922, 'promise deeper dive': 683674, 'deeper dive blog': 231956, 'dive blog post': 248480, 'post on april': 666249, 'on april 16': 599432, 'atcard': 101711, 'atcard stayhome': 101712, 'stayhome lockdown2': 798040, 'atcard stayhome lockdown2': 101713, 'houle': 405334, 'houle exactly': 405335, 'exactly she': 288749, 'just hasn': 468930, 'hasn thought': 378794, 'thought through': 893271, 'consumer left': 198020, 'left because': 485414, 'area screwed': 92182, 'houle exactly she': 405336, 'exactly she just': 288750, 'she just hasn': 756175, 'just hasn thought': 468931, 'hasn thought through': 378795, 'thought through the': 893272, 'through the fact': 894735, 'economy and if': 267647, 'and if there': 64952, 'if there aren': 415065, 'aren any consumer': 92326, 'any consumer left': 79055, 'consumer left because': 198021, 'left because of': 485415, 'we all area': 970312, 'all area screwed': 42057, 'food event': 314414, 'over today': 630846, 'today back': 919296, 'thursday from': 895375, 'from 10am': 334166, '10am till': 2301, 'till noon': 896065, 'noon check': 566836, 'out previous': 627065, 'to location': 909391, 'location or': 498946, 'free food event': 331828, 'food event is': 314415, 'event is over': 285002, 'is over today': 450740, 'over today back': 630847, 'today back by': 919297, 'back by popular': 106922, 'popular demand on': 664544, 'demand on thursday': 235975, 'on thursday from': 604669, 'thursday from 10am': 895376, 'from 10am till': 334167, '10am till noon': 2302, 'till noon check': 896066, 'noon check out': 566837, 'check out previous': 174571, 'out previous tweet': 627066, 'previous tweet for': 672009, 'tweet for link': 936362, 'link to location': 493934, 'to location or': 909392, 'location or visit': 498947, 'covd19': 212157, 'product promising': 681555, 'promising treatment': 683754, 'for covd19': 320425, 'covd19 these': 212158, 'about visit': 26833, 'for the do': 326392, 'victim to company': 956520, 'to company or': 903110, 'company or product': 190944, 'or product promising': 616714, 'product promising treatment': 681556, 'promising treatment for': 683755, 'treatment for covd19': 931074, 'for covd19 these': 320426, 'covd19 these are': 212159, 'are scam to': 89831, 'scam to learn': 740422, 'more about visit': 538527, 'about visit our': 26834, 'visit our blog': 959323, 'transportation retail': 930031, 'curve thank': 221900, 'healthcare worker those': 387390, 'those in manufacturing': 892097, 'in manufacturing and': 425043, 'manufacturing and transportation': 513558, 'and transportation retail': 74389, 'transportation retail and': 930032, 'scientist and everyone': 742194, 'and everyone working': 62414, 'home to flatten': 402320, 'the curve thank': 852707, 'curve thank you': 221901, 'geographical': 345947, 'normalizes': 567472, 'campion': 157321, 'nike think': 563231, 'think each': 885220, 'it geographical': 458211, 'geographical market': 345948, 'will progress': 994479, 'progress through': 683382, 'these stage': 880718, 'stage because': 793179, 'recovery period': 705382, 'period store': 651889, 'store reopen': 809823, 'reopen consumer': 711353, 'supply normalizes': 825594, 'normalizes nike': 567473, 'nike return': 563225, 'growth nike': 367424, 'nike cfo': 563221, 'cfo andy': 170327, 'andy campion': 76242, 'campion say': 157322, 'say china': 738506, 'china already': 176457, 'in normalization': 425936, 'normalization phase': 567463, 'nike think each': 563232, 'think each of': 885221, 'of it geographical': 585399, 'it geographical market': 458212, 'geographical market will': 345949, 'market will progress': 517361, 'will progress through': 994480, 'progress through these': 683383, 'through these stage': 894797, 'these stage because': 880719, 'stage because of': 793180, '19 recovery period': 10016, 'recovery period store': 705383, 'period store reopen': 651890, 'store reopen consumer': 809824, 'reopen consumer demand': 711354, 'and supply normalizes': 72804, 'supply normalizes nike': 825595, 'normalizes nike return': 567474, 'nike return to': 563226, 'to growth nike': 907049, 'growth nike cfo': 367425, 'nike cfo andy': 563222, 'cfo andy campion': 170328, 'andy campion say': 76243, 'campion say china': 157323, 'say china already': 738507, 'china already in': 176458, 'already in normalization': 47470, 'in normalization phase': 425937, 'that officer': 845466, 'officer continue': 595649, 'undertaking assessment': 940948, 'assessment visit': 96405, 'visit inspection': 959280, 'maintenance and': 509158, 'essential that officer': 281657, 'that officer continue': 845467, 'officer continue to': 595650, 'highest standard and': 395866, 'standard and follow': 793628, 'and follow best': 63011, 'when undertaking assessment': 984361, 'undertaking assessment visit': 940949, 'assessment visit inspection': 96406, 'visit inspection maintenance': 959281, 'inspection maintenance and': 439771, 'maintenance and cleaning': 509159, 'and cleaning and': 59945, 'cleaning and maintain': 180894, 'and maintain compliance': 66523, 'compliance with consumer': 192446, 'openforbusiness': 612785, 'acp': 29148, 'openforbusiness acp': 612786, 'acp is': 29149, 'our pharmaceutical': 624331, 'pharmaceutical food': 654075, 'supply customer': 825129, 'customer supply': 222889, 'respond medically': 715305, 'medically economically': 526534, 'economically to': 267393, 'openforbusiness acp is': 612787, 'acp is critical': 29150, 'is critical part': 446942, 'chain for our': 170717, 'for our pharmaceutical': 324280, 'our pharmaceutical food': 624332, 'pharmaceutical food and': 654076, 'product good customer': 681230, 'good customer during': 356934, 'crisis we continue': 218343, 'to supply customer': 915878, 'supply customer supply': 825130, 'customer supply good': 222890, 'supply good necessary': 825330, 'necessary to respond': 554126, 'to respond medically': 913380, 'respond medically economically': 715306, 'medically economically to': 526535, 'economically to the': 267394, 'channelfutures': 172962, 'malwarebytes the': 511909, 'via channelfutures': 955857, 'malwarebytes the 19': 511910, 'skimming via channelfutures': 773046, 'traumatised': 930217, 'kingdom member': 475338, 'subjected in': 815758, 'and distressing': 61504, 'distressing form': 247945, 'cry is': 219883, 'you traumatised': 1021913, 'traumatised for': 930218, 'animal kingdom member': 76621, 'kingdom member of': 475339, 'member of which': 528155, 'which are subjected': 985696, 'are subjected in': 90614, 'subjected in china': 815759, 'china to some': 177004, 'horrendous and distressing': 404076, 'and distressing form': 61505, 'distressing form of': 247946, 'and cry is': 60786, 'cry is enough': 219884, 'leave you traumatised': 485050, 'you traumatised for': 1021914, 'traumatised for life': 930219, 'laugh classified': 481716, 'classified ad': 180346, 'ad single': 31158, 'single man': 771329, 'roll looking': 725376, 'good clean': 356887, 'clean fun': 180543, 'fun lockdown': 341192, 'me laugh classified': 523056, 'laugh classified ad': 481717, 'classified ad single': 180347, 'ad single man': 31159, 'single man with': 771330, 'toilet roll looking': 921581, 'roll looking for': 725377, 'looking for woman': 502917, 'for woman with': 327908, 'woman with hand': 1003698, 'sanitizer for good': 734906, 'for good clean': 321930, 'good clean fun': 356888, 'clean fun lockdown': 180545, 'some gas': 782938, 'low cause': 505183, 'deal deal': 229372, 'need some gas': 555590, 'some gas price': 782939, 'price low cause': 675115, 'low cause the': 505184, 'cause the covid': 167759, '19 deal deal': 6439, 'deal deal deal': 229373, 'buy our': 149063, 'coronavirus may permanently': 206273, 'how we buy': 409166, 'we buy our': 970879, 'buy our food': 149064, 'methadone': 529749, 'dcp released': 228995, 'an implementation': 56190, 'implementation order': 418451, 'of methadone': 586452, 'methadone for': 529750, 'dcp released an': 228996, 'released an implementation': 709014, 'an implementation order': 56191, 'implementation order this': 418452, 'order this evening': 618646, 'evening to allow': 284917, 'allow delivery not': 45944, 'delivery not pick': 234211, 'up of methadone': 945499, 'of methadone for': 586453, 'methadone for patient': 529751, 'for patient who': 324421, 'patient who are': 644302, 'of 1966': 579433, 'came with': 157086, 'latina in the': 481651, 'year of 1966': 1014771, 'of 1966 lupe': 579434, 'become nurse came': 120079, 'nurse came with': 577231, 'came with the': 157087, 'with the brilliant': 1001218, 'excuse by': 289739, 'by savy': 153877, 'savy teacher': 738039, 'gather hoard': 344382, 'hoard at': 398761, 'pre price': 669201, 'wa this an': 963494, 'this an excuse': 886319, 'an excuse by': 55932, 'excuse by savy': 289740, 'by savy teacher': 153878, 'savy teacher to': 738040, 'teacher to gather': 835522, 'to gather hoard': 906376, 'gather hoard at': 344383, 'hoard at pre': 398762, 'at pre price': 100172, 'crisis on purchasing': 217817, 'on purchasing behaviour': 603017, 'purchasing behaviour will': 689847, 'the cloud read': 851069, 'reporting unprecedented': 712782, 'plummeting donation': 661375, 'in personnel': 426650, 'personnel due': 653099, 'nothing compare': 572983, 'seeing now': 746390, 'amp pantry across': 54274, 'the are reporting': 848867, 'are reporting unprecedented': 89603, 'reporting unprecedented demand': 712783, 'unprecedented demand plummeting': 943123, 'demand plummeting donation': 236046, 'plummeting donation from': 661376, 'donation from retailer': 254615, 'retailer and fall': 718964, 'fall in personnel': 296959, 'in personnel due': 426651, 'personnel due to': 653100, 'the crisis ve': 852470, 'in this business': 429913, 'this business over': 886634, 'business over 30': 144172, '30 year and': 17268, 'year and nothing': 1014400, 'and nothing compare': 67801, 'nothing compare to': 572984, 'compare to what': 191415, 're seeing now': 699460, 'esa so': 280253, 'me benefit': 522510, 'benefit rate': 127070, 'are adjusted': 84229, 'adjusted each': 32319, 'thru 75': 895162, '75 yes': 22175, 'yes real': 1015517, 'time below': 896394, 'below consumer': 126620, 'benefit yet': 127145, 'again thanks': 37201, 'it april and': 456580, 'april and on': 83545, 'and on esa': 68057, 'on esa so': 600578, 'esa so how': 280254, 'how ha decided': 407948, 'decided to help': 230918, 'help me benefit': 390064, 'me benefit rate': 522511, 'benefit rate are': 127071, 'rate are adjusted': 697159, 'are adjusted each': 84230, 'adjusted each year': 32320, 'each year to': 264344, 'year to get': 1015042, 'to get thru': 906621, 'get thru 75': 348448, 'thru 75 yes': 895163, '75 yes real': 22176, 'yes real time': 1015518, 'real time below': 701402, 'time below consumer': 896395, 'below consumer inflation': 126621, 'consumer inflation rate': 197862, 'inflation rate cut': 437223, 'cut to my': 223603, 'to my benefit': 910376, 'my benefit yet': 547430, 'benefit yet again': 127146, 'yet again thanks': 1015973, 'folk making': 312212, 'limit seem': 492483, 'seem totally': 746703, 'totally ignorant': 926348, 'ignorant of': 415789, 'or bottle': 614574, 'corner to': 203688, 'pop to': 664471, 'wa set': 963170, 'restrict alcohol': 717095, 'alcohol takeaway': 41130, 'takeaway sale': 832903, 'the city folk': 850932, 'city folk making': 179148, 'folk making the': 312213, 'making the rule': 511430, 'the rule about': 866038, 'rule about purchasing': 727173, 'purchasing limit seem': 689884, 'limit seem totally': 492484, 'seem totally ignorant': 746704, 'totally ignorant of': 926349, 'ignorant of reality': 415790, 'of reality in': 588797, 'country where there': 211222, 'is no supermarket': 449976, 'no supermarket or': 565624, 'supermarket or bottle': 821796, 'or bottle shop': 614575, 'bottle shop on': 136321, 'shop on the': 760550, 'the corner to': 851752, 'corner to pop': 203689, 'to pop to': 911888, 'pop to each': 664472, 'to each day': 904822, 'get milk or': 347568, 'milk or the': 531755, 'or the like': 617382, 'the like wa': 859372, 'like wa set': 491748, 'wa set to': 963171, 'set to restrict': 753531, 'to restrict alcohol': 913425, 'restrict alcohol takeaway': 717096, 'alcohol takeaway sale': 41131, 'wecandothistogether': 975528, 'work staypositive': 1005762, 'staypositive stayathome': 798767, 'stayathome quaratine': 797587, 'quaratine wecandothistogether': 693104, 'medical staff firefighter': 526393, 'staff firefighter police': 792456, 'firefighter police and': 308224, 'police and grocery': 662904, 'clerk we wouldn': 181816, 'this without all': 891470, 'hard work staypositive': 378130, 'work staypositive stayathome': 1005763, 'staypositive stayathome quaratine': 798768, 'stayathome quaratine wecandothistogether': 797588, 'daura is': 226951, 'state do': 795526, 'surprised make': 828590, 'possible remember': 665757, 'katsinawa daura is': 471080, 'daura is under': 226952, 'is under lockdown': 453461, 'under lockdown today': 940154, 'lockdown today after': 500061, 'today after positive': 919156, 'after positive case': 36055, 'lockdown will occur': 500154, 'the state do': 867764, 'state do not': 795527, 'be surprised make': 117484, 'surprised make sure': 828591, 'sure you stock': 827871, 'food possible remember': 315890, 'possible remember wash': 665758, 'reiterate my': 708292, 'for consumerprotection': 320304, 'sector commission': 744127, 'reiterate my call': 708293, 'for respect for': 325163, 'respect for consumerprotection': 714989, 'for consumerprotection and': 320305, 'for the package': 326606, 'the package travel': 862848, 'package travel and': 633442, 'tourism sector commission': 927007, 'sector commission travel': 744128, 'bran': 137661, 'prune': 687369, 'werther': 980434, 'poupon': 667423, 'beach today': 118245, 'following item': 312769, 'hoarded bran': 398931, 'bran flake': 137662, 'flake prune': 309982, 'prune juice': 687370, 'juice turnip': 467769, 'turnip cream': 935992, 'cream corn': 215536, 'corn werther': 203602, 'werther candy': 980435, 'candy grey': 161336, 'grey poupon': 363880, 'poupon mustard': 667424, 'mustard in': 547021, 'word no': 1004529, '70 is': 21783, 'in the beach': 429015, 'the beach today': 849392, 'beach today and': 118246, 'today and found': 919208, 'found the following': 330408, 'the following item': 855513, 'following item not': 312770, 'item not being': 463477, 'not being hoarded': 568535, 'being hoarded bran': 125257, 'hoarded bran flake': 398932, 'bran flake prune': 137663, 'flake prune juice': 309983, 'prune juice turnip': 687371, 'juice turnip cream': 467770, 'turnip cream corn': 935993, 'cream corn werther': 215537, 'corn werther candy': 203603, 'werther candy grey': 980436, 'candy grey poupon': 161337, 'grey poupon mustard': 363881, 'poupon mustard in': 667425, 'mustard in other': 547022, 'other word no': 621215, 'word no one': 1004530, 'no one under': 564977, 'one under 70': 607322, 'under 70 is': 939989, '70 is shopping': 21784, 'is shopping here': 451872, 'join senior': 466836, 'senior banker': 750223, 'banker from': 110363, 'from mile': 336436, 'mile advisor': 531366, 'advisor in': 33731, 'april 22': 83483, '30pm est': 17506, 'panel discussion': 637172, 'discussion that': 245047, 'cover an': 212189, 'technology software': 836370, 'software healthcare': 781532, 'join senior banker': 466837, 'senior banker from': 750224, 'banker from mile': 110364, 'from mile advisor': 336437, 'mile advisor in': 531367, 'advisor in conjunction': 33732, 'conjunction with on': 194586, 'with on april': 999873, 'on april 22': 599439, 'april 22 at': 83484, '22 at 12': 15185, '12 30pm est': 2798, '30pm est for': 17507, 'est for virtual': 281989, 'for virtual panel': 327571, 'virtual panel discussion': 957771, 'panel discussion that': 637173, 'discussion that will': 245048, 'that will cover': 847568, 'will cover an': 993057, 'cover an update': 212190, 'current market across': 221250, 'across the technology': 29528, 'the technology software': 869238, 'technology software healthcare': 836371, 'software healthcare and': 781533, 'and consumer sector': 60427, 'ekurhuleni': 270436, 'campaign week': 157270, 'green shoot': 363695, 'shoot of': 759742, 'of metro': 586458, 'metro response': 529934, 'to started': 915236, 'started cleaning': 794714, 'cleaning toilet': 181112, 'toilet 3x': 921123, '3x per': 18490, 'week sent': 976851, 'sent water': 750854, 'in ekurhuleni': 422516, 'ekurhuleni worker': 270437, 'received mask': 703644, 'campaign week result': 157271, 'week result are': 976820, 'result are in': 717477, 'are in are': 87356, 'in are we': 420486, 'seeing the green': 746495, 'the green shoot': 856778, 'green shoot of': 363696, 'shoot of metro': 759743, 'of metro response': 586459, 'metro response to': 529935, 'response to started': 715882, 'to started cleaning': 915237, 'started cleaning toilet': 794715, 'cleaning toilet 3x': 181113, 'toilet 3x per': 921124, '3x per week': 18491, 'per week sent': 651074, 'week sent water': 976852, 'sent water truck': 750855, 'water truck in': 969233, 'truck in ekurhuleni': 932820, 'in ekurhuleni worker': 422517, 'ekurhuleni worker received': 270438, 'worker received mask': 1007671, 'received mask glove': 703645, 'enact stay': 275495, 'shopping athome': 762120, '19 causing many': 5725, 'causing many state': 168059, 'many state to': 514727, 'state to enact': 796018, 'to enact stay': 905050, 'enact stay at': 275496, 'home order most': 401781, 'order most of': 618400, 'doing the bulk': 252714, 'bulk of our': 142328, 'our shopping online': 624765, 'right now shopping': 722134, 'now shopping athome': 575810, 'follow hundred': 312421, 'migrant agency': 531195, 'agency worker': 38110, 'oz the': 632768, 'crash this': 215047, 'fall across': 296803, 'could follow hundred': 209187, 'follow hundred of': 312422, 'hundred of the': 411015, 'thousand of migrant': 893455, 'of migrant agency': 586495, 'migrant agency worker': 531196, 'agency worker forced': 38111, 'leave oz the': 484896, 'oz the rental': 632769, 'to crash this': 903690, 'crash this will': 215048, 'sale and if': 732041, 'and if house': 64936, 'price were to': 677460, 'were to fall': 980266, 'to fall across': 905617, 'fall across the': 296804, '19 crisis affect': 6208, 'crisis affect the': 216982, 'affect the gold': 34245, 'the gold price': 856414, 'about florida': 25247, 'barker selling': 111114, 'selling ineffective': 749304, 'ineffective drug': 436289, 'increase morbidity': 432914, 'morbidity and': 538466, 'and mortality': 67238, 'mortality this': 541808, 'hurting florida': 411639, 'story about florida': 811886, 'about florida response': 25248, 'carnival barker selling': 164804, 'barker selling ineffective': 111115, 'selling ineffective drug': 749305, 'ineffective drug that': 436290, 'drug that will': 261113, 'will increase morbidity': 993817, 'increase morbidity and': 432915, 'morbidity and mortality': 538467, 'and mortality this': 67239, 'mortality this guy': 541809, 'guy is hurting': 369050, 'is hurting florida': 448639, 'employee still have': 274239, 'go on leave': 353885, 'on leave without': 601817, 'leave without pay': 485044, 'without pay the': 1002830, 'pay the bullshit': 645145, 'reviewing national': 720616, 'national reporting': 552602, 'reporting am': 712669, 'fake chemical': 296580, 'chemical cleaning': 175340, 'cleaning to': 181108, 'scam risk': 740340, 'victim being': 956458, 'charged high': 173391, 'or subject': 617257, 'subject of': 815738, 'of distraction': 582720, 'distraction burglary': 247904, 'burglary any': 142849, 'issue call': 455698, 'reviewing national reporting': 720617, 'national reporting am': 552603, 'reporting am now': 712670, 'door offering fake': 255673, 'offering fake chemical': 595096, 'fake chemical cleaning': 296581, 'chemical cleaning to': 175341, 'cleaning to prevent': 181109, 'is scam risk': 451667, 'scam risk is': 740341, 'risk is victim': 723646, 'is victim being': 453706, 'victim being charged': 956459, 'being charged high': 124939, 'charged high price': 173392, 'price or subject': 675790, 'or subject of': 617258, 'subject of distraction': 815739, 'of distraction burglary': 582721, 'distraction burglary any': 247905, 'burglary any issue': 142850, 'any issue call': 79370, 'issue call 99': 455699, 'the unpredictable': 870459, 'unpredictable covid': 943226, 'seriously shaking': 751713, 'shaking up': 754471, 'up cpg': 944670, 'cpg business': 214586, 'the unpredictable covid': 870460, 'unpredictable covid 19': 943227, 'coronavirus is seriously': 206172, 'is seriously shaking': 451800, 'seriously shaking up': 751714, 'shaking up cpg': 754472, 'up cpg business': 944671, 'cpg business and': 214587, 'ebates': 266413, 'or outbreak': 616467, 'outbreak saving': 628598, 'importance when': 418720, 'online be': 607914, 'save 30': 737462, 'average when': 104911, 'or browser': 614590, 'browser extension': 141289, 'extension by': 293275, 'by ebates': 152452, 'ebates which': 266414, 'now rakuten': 575636, 'during this or': 263304, 'this or outbreak': 889285, 'or outbreak saving': 616468, 'outbreak saving money': 628599, 'saving money is': 737929, 'utmost importance when': 951388, 'importance when shopping': 418721, 'shopping online be': 763413, 'online be sure': 607915, 'sure to save': 827780, 'to save 30': 913773, 'save 30 or': 737463, 'more on average': 539913, 'on average when': 599518, 'average when using': 104912, 'when using this': 984380, 'using this app': 950749, 'this app or': 886386, 'app or browser': 81744, 'or browser extension': 614591, 'browser extension by': 141290, 'extension by ebates': 293276, 'by ebates which': 152453, 'ebates which is': 266415, 'is now rakuten': 450321, 'warn that could': 966966, 'that could face': 843349, 'result of fall': 717589, 'attain': 102203, 'bigfive2020': 130141, 'big five': 129784, 'five 2020': 309583, 'this term': 890486, 'term coined': 838092, 'coined during': 185684, 'outbreak refers': 628579, 'the rare': 865157, 'following hard': 312748, 'to attain': 900814, 'attain supermarket': 102204, 'during singular': 263021, 'singular visit': 771452, 'visit rice': 959348, 'pasta paracetamol': 643783, 'paracetamol bread': 641229, 'found king': 330269, 'consumables toilet': 195927, 'roll bigfive2020': 725219, 'the big five': 849604, 'big five 2020': 129785, 'five 2020 this': 309584, '2020 this term': 14656, 'this term coined': 890487, 'term coined during': 838093, 'coined during the': 185685, '19 outbreak refers': 9176, 'outbreak refers to': 628580, 'refers to the': 706541, 'to the rare': 917004, 'the rare sighting': 865158, 'rare sighting of': 697100, 'sighting of all': 769070, 'all the following': 44751, 'the following hard': 855508, 'following hard to': 312749, 'hard to attain': 378050, 'to attain supermarket': 900815, 'attain supermarket item': 102205, 'item during singular': 463229, 'during singular visit': 263022, 'singular visit rice': 771453, 'visit rice pasta': 959349, 'rice pasta paracetamol': 721102, 'pasta paracetamol bread': 643784, 'paracetamol bread and': 641230, 'bread and the': 138408, 'the new found': 861506, 'new found king': 558761, 'found king of': 330270, 'king of consumables': 475284, 'of consumables toilet': 581699, 'consumables toilet roll': 195928, 'toilet roll bigfive2020': 921556, 'really isnt': 702360, 'isnt any': 454774, 'hiring urgently': 397144, 'urgently dont': 948381, 'or hear': 615616, 'hear no': 387961, 'no bitching': 563701, 'real shit there': 701359, 'shit there really': 759250, 'there really isnt': 878988, 'really isnt any': 702361, 'isnt any reason': 454775, 'reason to not': 703035, 'have job when': 381181, 'job when there': 466285, 'there is because': 878530, 'is because pretty': 446020, 'because pretty much': 119496, 'much every grocery': 544860, 'store is hiring': 808497, 'is hiring urgently': 448491, 'hiring urgently dont': 397145, 'urgently dont want': 948382, 'to see or': 914054, 'see or hear': 745514, 'or hear no': 615617, 'hear no bitching': 387962, 'enthusiast': 278626, 'since everything': 770581, 'online anyways': 607867, 'anyways it': 81071, 'seems great': 746789, 'have targeted': 382925, 'targeted car': 834540, 'car enthusiast': 163072, 'enthusiast with': 278627, 'fake listing': 296648, 'listing tune': 494895, 'into wisewednesday': 443296, 'wisewednesday at': 996733, '10am tomorrow': 2303, 'tomorrow on': 924149, 'to since everything': 914666, 'since everything is': 770582, 'available online anyways': 104542, 'online anyways it': 607868, 'anyways it seems': 81072, 'it seems great': 460945, 'seems great but': 746790, 'great but scammer': 362553, 'but scammer have': 146973, 'scammer have targeted': 740586, 'have targeted car': 382926, 'targeted car enthusiast': 834541, 'car enthusiast with': 163073, 'enthusiast with fake': 278628, 'with fake listing': 998363, 'fake listing tune': 296649, 'listing tune into': 494896, 'tune into wisewednesday': 935416, 'into wisewednesday at': 443297, 'wisewednesday at 10am': 996734, 'at 10am tomorrow': 97427, '10am tomorrow on': 2304, 'tomorrow on facebook': 924150, 'on facebook live': 600710, 'facebook live for': 294954, 'live for bbtips': 495817, 'ha hampered': 370808, 'hampered it': 374614, 'the charity that': 850707, 'pandemic ha hampered': 635547, 'ha hampered it': 370809, 'hampered it work': 374615, 'turin': 935526, 'in turin': 430327, 'turin italy': 935527, 'people wait in': 650106, 'supermarket to shop': 823414, 'shop for the': 760204, 'easter holiday during': 265448, 'holiday during the': 400289, 'lockdown in turin': 499518, 'in turin italy': 430328, 'an investment': 56447, 'investment person': 444038, 'person end': 652414, 'll quickly': 496965, 'quickly say': 694591, 'make hundred': 509997, 'their nurse': 874075, 'nurse their': 577509, 'hospital maintenance': 404502, 'if an investment': 413812, 'an investment person': 56448, 'investment person end': 444039, 'person end up': 652415, 'in an icu': 420307, 'an icu with': 56121, 'going to bet': 355538, 'to bet they': 901782, 'they ll quickly': 882607, 'll quickly say': 496966, 'quickly say no': 694592, 'say no they': 738986, 'no they do': 565708, 'not deserve to': 569004, 'deserve to make': 238139, 'to make hundred': 909681, 'make hundred of': 509998, 'of time more': 592179, 'time more than': 897226, 'than their nurse': 841283, 'their nurse their': 874076, 'nurse their hospital': 577510, 'their hospital maintenance': 873587, 'hospital maintenance staff': 404503, 'maintenance staff or': 509169, 'staff or their': 792724, 'or their grocery': 617414, 'store worker among': 811451, 'worker among many': 1006251, 'gain some': 342823, 'but lose': 146320, 'buyer will gain': 149806, 'will gain some': 993488, 'gain some food': 342824, 'some food but': 782855, 'food but lose': 313822, 'but lose their': 146321, 'lose their mental': 503488, 'their mental state': 873946, 'theory other': 877858, 'estimated but': 282286, 'afford prolonged': 34743, 'prolonged war': 683640, 'of the war': 591599, 'timing of the': 898517, 'of the return': 591418, 'issue if store': 455796, 'if store clerk': 414878, 'work now in': 1005506, 'now in theory': 575016, 'in theory other': 429802, 'theory other people': 877859, 'can work too': 160252, 'work too the': 1005934, 'too the timing': 925115, 'be estimated but': 114704, 'estimated but must': 282287, 'cannot afford prolonged': 161609, 'afford prolonged war': 34744, 'durability': 262340, 'and warm': 75190, 'warm increase': 966883, 'increase durability': 432748, 'durability finish': 262341, 'finish slower': 307866, 'slower virus': 774518, 'free treasure': 332271, 'treasure it': 930773, 'nice and warm': 562342, 'and warm increase': 75192, 'warm increase durability': 966884, 'increase durability finish': 432749, 'durability finish slower': 262342, 'finish slower virus': 307867, 'slower virus free': 774519, 'virus free treasure': 958206, 'free treasure it': 332272, 'treasure it cause': 930774, 'it cause you': 457078, 'cause you bought': 167809, 'you bought it': 1017507, 'bought it at': 136611, 'it at high': 456617, 'silly clock': 769750, 'online queue': 608839, 'stuff off': 815155, 'regular order': 707827, 'piling thing': 656630, 'just nonsense': 469320, 'nonsense price': 566738, 'available give': 104403, 'didn order': 241147, 'order toilet': 618722, 'roll stockpiling': 725524, 'up at silly': 944437, 'at silly clock': 100532, 'silly clock to': 769751, 'clock to join': 182414, 'join the online': 466864, 'the online queue': 862278, 'online queue to': 608840, 'queue to take': 694101, 'to take stuff': 916241, 'take stuff off': 832621, 'stuff off my': 815156, 'off my regular': 593986, 'my regular order': 549912, 'regular order this': 707828, 'order this stock': 618649, 'stock piling thing': 802676, 'piling thing is': 656631, 'thing is just': 884475, 'is just nonsense': 449138, 'just nonsense price': 469321, 'nonsense price all': 566739, 'price all through': 672275, 'roof and still': 725823, 'still no hand': 800870, 'hand sanitiser available': 375222, 'sanitiser available give': 733929, 'available give up': 104404, 'give up and': 350812, 'no didn order': 564009, 'didn order toilet': 241148, 'order toilet roll': 618724, 'toilet roll stockpiling': 921607, 'separatist': 751122, 'categorically': 167144, 'killed independence': 474596, 'independence for': 434074, 'good anyone': 356761, 'insane separatist': 439067, 'separatist can': 751123, 'dodged massive': 251287, 'massive bullet': 519973, 'in 2014': 419769, '2014 when': 13802, 'we categorically': 971111, 'categorically stated': 167145, 'stated no': 796136, 'to independence': 908323, 'independence scotland': 434078, 'scotland would': 742435, 'eu by': 283207, 'ha killed independence': 371081, 'killed independence for': 474597, 'independence for good': 434075, 'for good anyone': 321927, 'good anyone not': 356762, 'anyone not an': 80433, 'not an insane': 568198, 'an insane separatist': 56359, 'insane separatist can': 439068, 'separatist can now': 751124, 'that we dodged': 847371, 'we dodged massive': 971366, 'dodged massive bullet': 251288, 'massive bullet in': 519974, 'bullet in 2014': 142426, 'in 2014 when': 419770, '2014 when we': 13803, 'when we categorically': 984432, 'we categorically stated': 971112, 'categorically stated no': 167146, 'stated no to': 796137, 'no to independence': 565742, 'to independence scotland': 908324, 'independence scotland would': 434079, 'scotland would ve': 742436, 'the uk eu': 870212, 'uk eu by': 938331, 'eu by now': 283208, 'by now oil': 153374, 'diet shift': 241754, 'consumer diet shift': 197199, 'diet shift during': 241755, 'shift during epidemic': 758280, 'privacy dead': 678808, 'be revived': 116873, 'revived government': 720693, 'government expanded': 360072, 'expanded motioning': 290485, 'motioning of': 543282, 'with electronic': 998193, 'electronic surveillance': 271267, 'surveillance facial': 828789, 'facial recognition': 295245, 'recognition and': 704616, 'and biosecurity': 58978, 'biosecurity sensor': 131255, 'sensor to': 750732, 'are example': 86303, 'is consumer privacy': 446796, 'consumer privacy dead': 198434, 'privacy dead and': 678809, 'dead and can': 229130, 'and can it': 59459, 'it be revived': 456736, 'be revived government': 116874, 'revived government expanded': 720694, 'government expanded motioning': 360073, 'expanded motioning of': 290486, 'motioning of people': 543283, 'people with electronic': 650446, 'with electronic surveillance': 998194, 'electronic surveillance facial': 271268, 'surveillance facial recognition': 828790, 'facial recognition and': 295247, 'recognition and biosecurity': 704617, 'and biosecurity sensor': 58979, 'biosecurity sensor to': 131256, 'sensor to fight': 750734, 'here are example': 392738, 'are example of': 86304, 'example of government': 288934, 'of government action': 584267, 'government action in': 359821, 'action in corona': 30046, 'in corona time': 421798, 'coronavirus supermarket shopper': 206848, 'supermarket shopper keep': 822616, 'shopper keep calm': 761584, 'calm and queue': 156694, 'and queue 19': 69868, 'queue 19 corona': 693850, 'choicebird': 177840, 'free free': 331852, '19 choicebird': 5808, 'choicebird is': 177843, 'safety anyone': 730469, 'free just': 331937, 'paying shipping': 645480, 'shipping offer': 758873, 'offer link': 594687, 'free free free': 331854, 'free free due': 331853, 'covid 19 choicebird': 212798, '19 choicebird is': 5810, 'choicebird is giving': 177844, 'giving free hand': 351295, 'for people safety': 324461, 'people safety anyone': 649338, 'safety anyone can': 730470, 'can get this': 158463, 'get this hand': 348407, 'sanitizer for free': 734904, 'for free just': 321719, 'free just by': 331938, 'just by paying': 468401, 'by paying shipping': 153541, 'paying shipping offer': 645481, 'shipping offer link': 758874, 'offer link 19': 594688, 'raging that': 695560, 'their brother': 872655, 'brother who': 141109, 'when tackled': 984104, 'tackled about': 831624, 'need locking': 555175, 'raging that someone': 695561, 'tweet about their': 936329, 'about their brother': 26575, 'their brother who': 872656, 'brother who is': 141110, 'who is living': 989088, 'with confirmed covid': 997729, 'case and others': 165627, 'others in house': 621474, 'in house showing': 423855, 'symptom and that': 830814, 're going supermarket': 698753, 'supermarket shopping when': 822657, 'shopping when tackled': 764377, 'when tackled about': 984105, 'tackled about it': 831625, 'me they need': 523689, 'they need locking': 882748, 'need locking up': 555176, 'locking up this': 500521, 'up this shit': 946282, 'shit isn funny': 759154, 'ukraine antitrust': 939037, 'antitrust agency': 78573, 'agency record': 38059, 'record rise': 705056, 'amid quarantine': 52605, 'ukraine antitrust agency': 939038, 'antitrust agency record': 78574, 'agency record rise': 38060, 'record rise in': 705057, 'food amid quarantine': 313118, 'brother sanitising': 141099, 'sanitising the': 734131, 'car the': 163309, 'indian way': 434905, 'my brother sanitising': 547566, 'brother sanitising the': 141100, 'sanitising the car': 734132, 'the car the': 850390, 'car the indian': 163310, 'the indian way': 858129, 'indian way after': 434906, 'way after coming': 969433, 'top news': 925621, 'top news how': 925622, 'news how to': 560520, 'wy': 1013714, 'inspectr': 439789, 'bioscience': 131249, 'diagnosing': 240246, 'wy researcher': 1013715, 'researcher developed': 713906, 'developed inspectr': 239714, 'inspectr synthetic': 439790, 'synthetic biology': 831021, 'biology based': 131237, 'based molecular': 111652, 'molecular diagnostics': 535655, 'diagnostics platform': 240273, 'cost self': 208106, 'self diagnostic': 747606, 'test it': 839043, 'wa licensed': 962532, 'licensed by': 488171, 'by sherlock': 153974, 'sherlock bioscience': 758086, 'bioscience now': 131250, 'on solution': 603547, 'for diagnosing': 320691, 'diagnosing covid': 240247, '19 using': 11707, 'using inspectr': 950525, 'wy researcher developed': 1013716, 'researcher developed inspectr': 713907, 'developed inspectr synthetic': 239715, 'inspectr synthetic biology': 439791, 'synthetic biology based': 831022, 'biology based molecular': 131238, 'based molecular diagnostics': 111653, 'molecular diagnostics platform': 535656, 'diagnostics platform for': 240274, 'platform for low': 658965, 'for low cost': 323124, 'low cost self': 505216, 'cost self diagnostic': 208107, 'self diagnostic test': 747607, 'diagnostic test it': 240267, 'test it wa': 839044, 'it wa licensed': 462139, 'wa licensed by': 962533, 'licensed by sherlock': 488172, 'by sherlock bioscience': 153975, 'sherlock bioscience now': 758087, 'bioscience now the': 131251, 'company is working': 190815, 'working on solution': 1008821, 'on solution for': 603548, 'solution for diagnosing': 782024, 'for diagnosing covid': 320692, 'diagnosing covid 19': 240248, 'covid 19 using': 214012, '19 using inspectr': 11709, 'your act': 1022737, 'feeding very': 302493, 'very misleading': 955350, 'misleading information': 534099, 'scientist can you': 742201, 'you please get': 1020357, 'please get your': 660022, 'get your act': 348690, 'your act together': 1022738, 'act together you': 29805, 'together you guy': 921056, 'guy are feeding': 368898, 'are feeding very': 86514, 'feeding very misleading': 302494, 'very misleading information': 955351, 'misleading information 19': 534100, 'abta': 27554, 'by abta': 151738, 'abta is': 27555, 'demanding the': 236617, 'take strong': 832618, 'strong enforcement': 814025, 'against airline': 37312, 'airline flouting': 39952, 'law consumer': 482253, 'demanding you': 236623, 'by abta is': 151739, 'abta is demanding': 27556, 'is demanding the': 447120, 'demanding the government': 236618, 'the government take': 856605, 'government take strong': 360661, 'take strong enforcement': 832619, 'strong enforcement action': 814026, 'action against airline': 29926, 'against airline flouting': 37313, 'airline flouting the': 39953, 'flouting the law': 311221, 'the law consumer': 859181, 'law consumer are': 482254, 'consumer are demanding': 196290, 'are demanding you': 85778, 'demanding you do': 236624, 'same to it': 733383, 'total collapse': 926142, 'billion left': 130860, 'near total collapse': 553624, 'total collapse of': 926143, '94 billion left': 23545, 'billion left in': 130861, 'left in reserve': 485516, 'stand around': 793492, 'risk idiot': 723612, 'idiot fucking': 413511, 'moron every': 541588, 'to cov': 903645, 'to stand around': 915154, 'stand around in': 793493, 'around in large': 93346, 'because that put': 119604, 'that put vulnerable': 845917, 'at risk idiot': 100367, 'risk idiot fucking': 723613, 'idiot fucking moron': 413512, 'fucking moron every': 339954, 'moron every single': 541589, 'single person is': 771375, 'exposure to cov': 293007, 'these lesson': 880227, 'retailer prepare': 719276, 'the trying': 870099, 'these lesson from': 880228, 'from the great': 337731, 'great recession could': 362947, 'recession could help': 704246, 'could help retailer': 209288, 'help retailer prepare': 390455, 'retailer prepare for': 719277, 'for the trying': 326744, 'the trying time': 870100, 'trying time ahead': 934741, 'of semi': 589500, 'permanently changing': 652094, 'crisis outside': 217846, 'outside giant': 629437, 'biggest prediction': 130298, 'point of semi': 662567, 'of semi permanently': 589501, 'semi permanently changing': 749618, 'permanently changing behavior': 652095, 'changing behavior wa': 172659, 'oil crisis outside': 596720, 'crisis outside giant': 217847, 'outside giant car': 629438, 'your biggest prediction': 1022964, 'biggest prediction about': 130299, 'prediction about major': 669649, 'about major shift': 25686, 'your hoard': 1024324, 'paper spare': 640814, 'they cope': 881810, 'home methinks': 401615, 'do about this': 249027, 'about this poverty': 26653, 'of crisis when': 582196, 'crisis when you': 218380, 'you next visit': 1020095, 'next visit the': 561656, 'up your hoard': 946738, 'your hoard of': 1024325, 'hoard of hand': 398838, 'sanitisers and loo': 734061, 'loo paper spare': 502159, 'paper spare thought': 640815, 'thought for these': 893051, 'for these folk': 326965, 'these folk how': 880020, 'folk how will': 312182, 'will they cope': 995176, 'they cope with': 881811, '19 not by': 8826, 'not by working': 568670, 'by working at': 154767, 'at home methinks': 99049, 'guy so': 369142, 'my irl': 548888, 'irl job': 444910, 'getting postponed': 349196, 'postponed do': 666804, 'fully open': 341065, 'month dm': 537676, 'price port': 675954, 'port rt': 664899, 'hey guy so': 394404, 'guy so my': 369143, 'so my irl': 777840, 'my irl job': 548889, 'irl job will': 444911, 'job will most': 466295, 'likely be getting': 491954, 'be getting postponed': 115010, 'getting postponed do': 349197, 'postponed do to': 666805, 'do to covid': 250382, 'so my commission': 777832, 'commission will be': 188920, 'will be fully': 992472, 'be fully open': 114982, 'fully open for': 341066, 'open for the': 612263, 'next two month': 561647, 'two month dm': 937061, 'month dm for': 537677, 'for price port': 324728, 'price port rt': 675955, 'port rt please': 664900, 'talley': 834078, 'neuro': 557798, 'gastroenterologist': 344311, 'from nick': 336584, 'nick talley': 562586, 'talley university': 834079, 'of newcastle': 586995, 'newcastle professor': 560036, 'and neuro': 67528, 'neuro gastroenterologist': 557799, 'gastroenterologist for': 344312, 'warning from nick': 967131, 'from nick talley': 336585, 'nick talley university': 562587, 'talley university of': 834080, 'university of newcastle': 942451, 'of newcastle professor': 586996, 'newcastle professor and': 560037, 'professor and neuro': 682538, 'and neuro gastroenterologist': 67529, 'neuro gastroenterologist for': 557800, 'gastroenterologist for those': 344313, 'to hear it': 907407, 'trample': 929397, 'either covid': 270278, 'gonna trample': 356638, 'trample me': 929398, 'me calm': 522558, 'either covid 19': 270279, '19 is gonna': 7980, 'is gonna take': 448135, 'gonna take me': 356634, 'take me or': 832317, 'me or all': 523279, 'or all these': 614291, 'these people at': 880424, 'store are gonna': 806482, 'are gonna trample': 86921, 'gonna trample me': 356639, 'trample me calm': 929399, 'me calm down': 522559, 'hankerchief': 376985, 'besides do': 127494, 'face eye': 294428, 'mouth preferably': 543552, 'preferably cover': 669766, 'mouth with': 543584, 'or hankerchief': 615566, 'hankerchief moreover': 376986, 'moreover sanitization': 541068, 'sanitization is': 734139, 'equally important': 279635, 'important wash': 419097, 'hand properly': 375186, 'properly with': 684222, 'half minute': 374206, 'in formal': 423048, 'formal situation': 329586, 'situation use': 772548, 'besides do not': 127495, 'touch the face': 926548, 'the face eye': 854802, 'face eye nose': 294429, 'or mouth preferably': 616197, 'mouth preferably cover': 543553, 'preferably cover the': 669767, 'cover the nose': 212294, 'the nose mouth': 861889, 'nose mouth with': 567903, 'mouth with mask': 543585, 'mask or hankerchief': 519071, 'or hankerchief moreover': 615567, 'hankerchief moreover sanitization': 376987, 'moreover sanitization is': 541069, 'sanitization is equally': 734140, 'is equally important': 447532, 'equally important wash': 279636, 'important wash hand': 419098, 'wash hand properly': 967491, 'hand properly with': 375188, 'properly with soap': 684223, 'least half minute': 484499, 'half minute in': 374207, 'minute in formal': 533777, 'in formal situation': 423049, 'formal situation use': 329587, 'situation use sanitizer': 772549, 'clearfield': 181450, 'data compare': 226183, 'compare county': 191391, 'to themselves': 917322, 'themselves using': 876923, 'using cell': 950423, 'cell signal': 168967, 'use clearfield': 949113, 'clearfield an': 181451, 'compare movement': 191397, 'movement pre': 543917, 'movement after': 543847, 'after granted': 35736, 'granted there': 362091, 'lot that': 504380, '35 mile': 17897, 'away probably': 106012, 'the data compare': 852846, 'data compare county': 226184, 'compare county to': 191392, 'county to themselves': 211517, 'to themselves using': 917323, 'themselves using cell': 876924, 'using cell signal': 950424, 'cell signal to': 168968, 'signal to use': 769324, 'to use clearfield': 918014, 'use clearfield an': 949114, 'clearfield an example': 181452, 'an example it': 55904, 'example it compare': 288911, 'it compare movement': 457236, 'compare movement pre': 191398, 'movement pre covid': 543918, '19 to movement': 11441, 'to movement after': 910326, 'movement after granted': 543848, 'after granted there': 35737, 'granted there not': 362092, 'there not lot': 878861, 'not lot that': 570474, 'lot that can': 504381, 'that can change': 843097, 'can change if': 157888, 'change if the': 172098, 'if the nearest': 415003, 'store is 35': 808458, 'is 35 mile': 445205, '35 mile away': 17898, 'mile away probably': 531375, 'son embarrassment': 785369, 'embarrassment is': 272461, 'looked marksandspencer': 502740, 'marksandspencer socialdistancing': 517937, 'your son embarrassment': 1025870, 'son embarrassment is': 785370, 'embarrassment is enough': 272462, 'pathetic you looked': 644071, 'you looked marksandspencer': 1019704, 'looked marksandspencer socialdistancing': 502741, 'new dawn': 558598, 'dawn of': 227052, 'supermarket logistics': 821377, 'at hand': 98843, 'after 40': 35290, 'model it': 535273, 'kickstart new': 473834, 'involves competitor': 444372, 'competitor working': 191800, 'thanks to new': 842245, 'to new dawn': 910555, 'new dawn of': 558599, 'dawn of supermarket': 227053, 'of supermarket logistics': 590433, 'supermarket logistics is': 821378, 'logistics is at': 500763, 'is at hand': 445861, 'at hand after': 98844, 'hand after 40': 374729, 'after 40 year': 35291, 'year of just': 1014783, 'time delivery model': 896549, 'delivery model it': 234189, 'model it time': 535274, 'time to kickstart': 898009, 'to kickstart new': 908911, 'kickstart new system': 473835, 'new system that': 559718, 'system that involves': 831336, 'that involves competitor': 844539, 'involves competitor working': 444373, 'competitor working together': 191801, 'aralen': 83987, 'chloroquinephosphate': 177642, 'hydroxychloroquin': 411990, 'azithromycine': 106417, 'hydroxychloroquineandazythromyacinnow': 412023, 'for plaquenil': 324574, 'plaquenil and': 658772, 'and aralen': 58286, 'aralen same': 83988, 'same chloroquine': 732996, 'chloroquine chloroquinephosphate': 177593, 'chloroquinephosphate hydroxychloroquin': 177643, 'hydroxychloroquin drug': 411991, 'for 34': 318820, '34 cent': 17810, '88 cent': 23050, 'per pill': 650987, 'pill azithromycine': 656652, 'azithromycine start': 106418, '05 pill': 951, 'pill fyi': 656658, 'fyi hydroxychloroquineandazythromyacinnow': 342633, 'okay so just': 598005, 'so just checked': 777490, 'just checked the': 468473, 'checked the drug': 174772, 'drug price for': 261043, 'price for plaquenil': 674025, 'for plaquenil and': 324575, 'plaquenil and aralen': 658773, 'and aralen same': 58287, 'aralen same chloroquine': 83989, 'same chloroquine chloroquinephosphate': 732997, 'chloroquine chloroquinephosphate hydroxychloroquin': 177594, 'chloroquinephosphate hydroxychloroquin drug': 177644, 'hydroxychloroquin drug and': 411992, 'drug and they': 260875, 'they go for': 882201, 'go for 34': 353551, 'for 34 cent': 318821, '34 cent to': 17811, 'cent to 88': 169127, 'to 88 cent': 899861, '88 cent per': 23051, 'cent per pill': 169111, 'per pill azithromycine': 650988, 'pill azithromycine start': 656653, 'azithromycine start at': 106419, 'start at 05': 794208, 'at 05 pill': 97379, '05 pill fyi': 952, 'pill fyi hydroxychloroquineandazythromyacinnow': 656659, 'jozylyn': 467544, '789': 22359, 'handicap': 376118, 'hello my': 389195, 'is jozylyn': 449112, 'jozylyn we': 467545, 'are quarantine': 89369, 'have 789': 379100, '789 people': 22360, 'michigan we': 530390, 'have death': 380189, 'death already': 229959, 'already am': 47183, 'am laid': 50173, 'month have': 537763, 'have handicap': 380893, 'handicap uncle': 376119, 'uncle and': 939816, 'two dog': 936896, 'dog can': 252055, 'hello my name': 389196, 'name is jozylyn': 551645, 'is jozylyn we': 449113, 'jozylyn we are': 467546, 'we are quarantine': 970676, 'are quarantine for': 89370, 'quarantine for week': 692203, 'week we have': 977192, 'we have 789': 971742, 'have 789 people': 379101, '789 people tested': 22361, 'tested positive covid': 839347, 'in michigan we': 425294, 'michigan we have': 530391, 'we have death': 971792, 'have death already': 380190, 'death already am': 229960, 'already am laid': 47184, 'am laid off': 50174, 'for month have': 323520, 'month have handicap': 537764, 'have handicap uncle': 380894, 'handicap uncle and': 376120, 'uncle and two': 939817, 'and two dog': 74549, 'two dog can': 936897, 'dog can stock': 252056, 'food because don': 313704, 'because don have': 119034, 'ismail': 454407, 'oppose': 613758, 'ismail do': 454408, 'that presently': 845810, 'presently fighting': 670679, 'than oil': 840967, 'irresponsible you': 445094, 'just oppose': 469398, 'oppose pm': 613759, 'pm he': 661912, 'from bjp': 334703, 'bjp have': 132001, 'fight agai': 304601, 'ismail do not': 454409, 'understand that presently': 940731, 'that presently fighting': 845811, 'presently fighting with': 670680, 'important than oil': 418997, 'than oil price': 840968, 'oil price do': 597106, 'know why you': 477064, 'why you people': 991595, 'are so irresponsible': 90207, 'so irresponsible you': 777431, 'irresponsible you just': 445095, 'you just oppose': 1019430, 'just oppose pm': 469399, 'oppose pm he': 613760, 'pm he is': 661913, 'he is from': 385122, 'is from bjp': 447942, 'from bjp have': 334704, 'bjp have you': 132002, 'you seen how': 1021093, 'seen how he': 747057, 'how he is': 407980, 'he is managing': 385132, 'managing the fight': 512898, 'the fight agai': 855161, 'usa due': 948628, 'arm well': 92919, 'them probably': 876184, 'probably gun': 679274, 'gun will': 368765, 'gun sale up': 368724, 'sale up in': 732623, 'in usa due': 430489, 'usa due to': 948629, 'on arm well': 599466, 'arm well if': 92920, 'well if 19': 978303, 'doesn get them': 251803, 'get them probably': 348371, 'them probably gun': 876185, 'probably gun will': 679275, 'telkomconnectssa': 836891, 'network service': 557766, 'provider should': 686781, 'should chip': 765828, 'chip in': 177512, 'programme too': 683351, 'too data': 924681, 'high lockdownextention': 395164, 'lockdownextention telkomconnectssa': 500289, 'mobile network service': 535001, 'network service provider': 557767, 'service provider should': 752735, 'provider should chip': 686782, 'should chip in': 765829, 'chip in with': 177513, 'in with relief': 430948, 'with relief programme': 1000450, 'relief programme too': 709449, 'programme too data': 683352, 'too data price': 924682, 'data price are': 226352, 'too high lockdownextention': 924786, 'high lockdownextention telkomconnectssa': 395165, 'scdca': 741243, 'recently released': 704142, 'released pressrelease': 709074, 'pressrelease detailed': 671124, 'detailed way': 239300, 'wallet we': 965225, 'all deal': 42536, 'staysafe scdca': 798878, 'we recently released': 973040, 'recently released pressrelease': 704143, 'released pressrelease detailed': 709075, 'pressrelease detailed way': 671125, 'detailed way to': 239301, 'protect your wallet': 685074, 'your wallet we': 1026302, 'wallet we all': 965226, 'we all deal': 970319, 'all deal with': 42537, '19 virus learn': 11817, 'more at staysafe': 538671, 'at staysafe scdca': 100641, 'much whether': 545459, 'show ad': 766847, 'while recognizing': 987207, 'people behavior shift': 647251, 'behavior shift from': 124186, 'shift from physical': 758297, 'physical brick and': 655387, 'shopping the question': 764093, 'question is not': 693632, 'so much whether': 777826, 'much whether to': 545460, 'whether to show': 985604, 'to show ad': 914551, 'show ad but': 766848, 'show ad while': 766849, 'ad while recognizing': 31195, 'while recognizing the': 987208, 'recognizing the current': 704677, '3785ml': 18115, 'metroatlanta': 529957, 'sanitizer again': 734333, 'again artnaturals': 36904, 'artnaturals hand': 94642, 'based gallon': 111595, 'gallon 128': 342961, '128 fl': 3088, 'oz 3785ml': 632714, '3785ml atlanta': 18116, 'atl metroatlanta': 101818, 'metroatlanta georgia': 529958, 'finally there is': 306119, 'there is hand': 878570, 'hand sanitizer again': 375292, 'sanitizer again artnaturals': 734334, 'again artnaturals hand': 36905, 'artnaturals hand sanitizer': 94643, 'alcohol based gallon': 40929, 'based gallon 128': 111596, 'gallon 128 fl': 342962, '128 fl oz': 3089, 'fl oz 3785ml': 309914, 'oz 3785ml atlanta': 632715, '3785ml atlanta atl': 18117, 'atlanta atl metroatlanta': 101829, 'atl metroatlanta georgia': 101819, 'from free': 335560, 'free 30': 331613, 'minute online': 533817, 'online safeguarding': 608902, 'safeguarding session': 730235, 'apply example': 82552, 'example activity': 288862, 'activity ideal': 30435, 'for suffolk': 325982, 'suffolk volunteer': 817419, 'volunteer pop': 960321, 'up group': 945043, 'group supporting': 366900, 'supporting resident': 827181, 'resident with': 714405, 'etc easy': 282506, 'follow just': 312435, 'click thru': 181954, 'thru national': 895211, 'new from free': 558778, 'from free 30': 335561, 'free 30 minute': 331614, '30 minute online': 17123, 'minute online safeguarding': 533818, 'online safeguarding session': 608903, 'safeguarding session with': 730237, 'session with easy': 753331, 'with easy to': 998172, 'easy to apply': 265776, 'to apply example': 900652, 'apply example activity': 82553, 'example activity ideal': 288863, 'activity ideal for': 30436, 'ideal for suffolk': 413268, 'for suffolk volunteer': 325983, 'suffolk volunteer pop': 817420, 'volunteer pop up': 960322, 'pop up group': 664476, 'up group supporting': 945044, 'group supporting resident': 366901, 'supporting resident with': 827182, 'resident with shopping': 714406, 'with shopping etc': 1000695, 'shopping etc easy': 762581, 'etc easy to': 282507, 'easy to follow': 265780, 'to follow just': 906051, 'follow just click': 312436, 'just click thru': 468487, 'click thru national': 181955, 'prepackage': 670024, 're covid19': 698478, 'covid19 tell': 214382, 'tell store': 837066, 'to prepackage': 911995, 'prepackage grocery': 670025, 'in refrigerated': 427339, 'refrigerated semi': 706780, 'semi dispense': 749608, 'dispense so': 246131, 'much per': 545229, 'per fam': 650827, 'fam show': 297512, 'show birth': 766878, 'birth certificate': 131396, 'certificate in': 170208, 'in drive': 422388, 'thru there': 895235, 'store indiafightscorona': 808428, 'indiafightscorona bailouts': 434723, 'bailouts bailouts': 108684, 'bailouts coronacrisis': 108688, 're covid19 tell': 698479, 'covid19 tell store': 214383, 'tell store to': 837067, 'store to prepackage': 810799, 'to prepackage grocery': 911996, 'prepackage grocery supply': 670026, 'grocery supply in': 366011, 'supply in refrigerated': 825409, 'in refrigerated semi': 427340, 'refrigerated semi dispense': 706781, 'semi dispense so': 749609, 'dispense so much': 246132, 'so much per': 777802, 'much per fam': 545230, 'per fam show': 650828, 'fam show birth': 297513, 'show birth certificate': 766879, 'birth certificate in': 131397, 'certificate in drive': 170209, 'in drive thru': 422389, 'drive thru there': 259209, 'thru there no': 895236, 'way to social': 970097, 'in crowded store': 421919, 'crowded store indiafightscorona': 219351, 'store indiafightscorona bailouts': 808429, 'indiafightscorona bailouts bailouts': 434724, 'bailouts bailouts coronacrisis': 108685, 'cool daffodil': 203003, 're venturing': 699767, 'air shopping': 39786, 'response online': 715773, 'cool daffodil are': 203004, 'blooming come and': 133279, 'come and get': 187214, 'get some if': 348058, 'you re venturing': 1020784, 're venturing out': 699768, 'venturing out or': 954701, 'out or enjoy': 626952, 'for safe open': 325291, 'safe open air': 729861, 'open air shopping': 612028, 'air shopping read': 39787, '19 response online': 10158, 'response online fabatphoenix': 715774, 'ordered new': 618873, 'protective suit': 685814, 'suit from': 817762, 'from specialty': 337376, 'just ordered new': 469404, 'ordered new covid': 618874, '19 protective suit': 9862, 'protective suit from': 685815, 'suit from specialty': 817763, 'from specialty store': 337377, 'specialty store online': 788172, 'store online to': 809232, 'online to wear': 609601, 'goo': 356668, 'nice goo': 562409, 'goo of': 356669, 'jan via': 464476, 'good of to': 357485, 'together nice goo': 920878, 'nice goo of': 562410, 'goo of house': 356670, 'price that hit': 676807, 'that hit the': 844350, 'hit the property': 398442, 'property price register': 684337, 'register since jan': 707607, 'since jan via': 770669, 'russell': 728404, 'broadening': 140754, 'nb update': 553199, 'update dr': 946938, 'dr russell': 258090, 'russell begin': 728405, 'begin by': 123510, 'advising of': 33704, 'two change': 936827, 'change wearing': 172387, 'mask broadening': 518490, 'broadening the': 140755, 'scope of': 742339, 'nb update dr': 553200, 'update dr russell': 946939, 'dr russell begin': 258091, 'russell begin by': 728406, 'begin by advising': 123511, 'by advising of': 151763, 'advising of two': 33705, 'of two change': 592537, 'two change wearing': 936828, 'change wearing non': 172388, 'medical mask broadening': 526253, 'mask broadening the': 518491, 'broadening the scope': 140756, 'the scope of': 866516, 'scope of testing': 742340, 'uk wake': 938863, 'uk wake up': 938864, 'our empty': 622898, 'me the covid': 523643, 'and the arm': 73246, 'the arm of': 848898, 'arm of our': 92907, 'of our empty': 587460, 'our empty grocery': 622899, 'farmer see': 299501, 'see produce': 745609, 'produce rotting': 680415, 'dairy runoff': 225037, 'runoff they': 728161, 'find demand': 306872, 'demand area': 235025, 'avoid closure': 105039, 'being wasted the': 126052, 'wasted the disrupts': 968265, 'chain farmer see': 170699, 'farmer see produce': 299502, 'see produce rotting': 745610, 'produce rotting in': 680416, 'rotting in field': 726217, 'and dairy runoff': 60927, 'dairy runoff they': 225038, 'runoff they rush': 728162, 'to find demand': 905893, 'find demand area': 306873, 'demand area and': 235026, 'area and avoid': 91932, 'and avoid closure': 58562, 'dear all': 229737, 'blessed covid': 132618, 'not stronger': 571781, 'your faith': 1023767, 'faith the': 296538, 'best message': 127768, 'stockpile large': 803767, 'large precautionary': 479754, 'precautionary item': 669417, 'item whether': 463811, 'friend rcs': 333768, 'rcs be': 698119, 'careful washyourhands': 164446, 'dear all stay': 229738, 'safe and blessed': 729436, 'and blessed covid': 59007, 'blessed covid 19': 132619, 'is not stronger': 450193, 'not stronger than': 571782, 'stronger than your': 814187, 'than your faith': 841505, 'your faith the': 1023768, 'faith the best': 296539, 'the best message': 849526, 'best message is': 127769, 'message is to': 529353, 'is to try': 453255, 'to try not': 917817, 'to stockpile large': 915475, 'stockpile large precautionary': 803768, 'large precautionary item': 479755, 'precautionary item whether': 669418, 'item whether it': 463812, 'whether it mask': 985528, 'it mask sanitizer': 459536, 'mask sanitizer or': 519226, 'sanitizer or grocery': 735482, 'or grocery join': 615524, 'grocery join hand': 364674, 'join hand for': 466738, 'hand for you': 374946, 'your friend rcs': 1023972, 'friend rcs be': 333769, 'rcs be careful': 698120, 'be careful washyourhands': 114000, 'colonel': 186704, 'were that': 980232, 'that sort': 846414, 'of bottom': 580804, 'bottom tier': 136443, 'class we': 180285, 'become whole': 120187, 'new population': 559313, 'say lt': 738904, 'lt colonel': 506370, 'colonel dan': 186705, 'dan jennings': 225538, 'jennings commander': 465109, 'commander of': 188341, 'who were that': 989967, 'were that sort': 980233, 'that sort of': 846415, 'sort of bottom': 786118, 'of bottom tier': 580805, 'bottom tier of': 136444, 'tier of the': 895780, 'the middle class': 860567, 'middle class we': 530640, 'class we think': 180286, 'we think that': 973534, 'that this could': 846985, 'this could negatively': 886932, 'could negatively impact': 209426, 'negatively impact them': 556859, 'impact them and': 418015, 'them and that': 875402, 'they could become': 881817, 'could become whole': 208957, 'become whole new': 120188, 'whole new population': 990273, 'new population of': 559314, 'population of people': 664725, 'of people living': 587939, 'poverty say lt': 667515, 'say lt colonel': 738905, 'lt colonel dan': 506371, 'colonel dan jennings': 186706, 'dan jennings commander': 225539, 'jennings commander of': 465110, 'wrt': 1013234, 'unscruplous': 943444, 'glucometer': 353076, 'technicality': 836212, 'effort wrt': 269671, 'wrt covid': 1013235, 'but pray': 146831, 'not unscruplous': 572343, 'unscruplous you': 943445, 'the defective': 853028, 'defective glucometer': 232083, 'glucometer strip': 353077, 'strip in': 813824, '2008 2010': 13640, '2010 in': 13758, 'complaint dismissed': 191963, 'dismissed in': 246014, 'forum on': 329958, 'on mere': 602111, 'mere legal': 529089, 'legal technicality': 485903, 'your effort wrt': 1023630, 'effort wrt covid': 269672, 'wrt covid 19': 1013236, '19 but pray': 5522, 'but pray that': 146832, 'pray that you': 669022, 'are not unscruplous': 88491, 'not unscruplous you': 572344, 'unscruplous you were': 943446, 'you were in': 1022250, 'in the defective': 429126, 'the defective glucometer': 853029, 'defective glucometer strip': 232084, 'glucometer strip in': 353078, 'strip in 2008': 813825, 'in 2008 2010': 419755, '2008 2010 in': 13641, '2010 in india': 13759, 'india were able': 434689, 'get the complaint': 348231, 'the complaint dismissed': 851386, 'complaint dismissed in': 191964, 'dismissed in the': 246015, 'the consumer forum': 851537, 'consumer forum on': 197529, 'forum on mere': 329959, 'on mere legal': 602112, 'mere legal technicality': 529090, 'nannystate': 551817, 'commonpurpose': 189497, 'soros': 785992, 'the marxist': 860202, 'marxist nannystate': 518150, 'nannystate police': 551818, 'item commonpurpose': 463186, 'commonpurpose soros': 189498, 'soros rothschild': 785995, 'rothschild happyeaster': 726188, 'the marxist nannystate': 860203, 'marxist nannystate police': 518151, 'nannystate police officer': 551819, 'essential item commonpurpose': 281193, 'item commonpurpose soros': 463187, 'commonpurpose soros rothschild': 189499, 'soros rothschild happyeaster': 785996, 'my apr': 547287, 'featuring what': 301610, 'read my apr': 700462, 'my apr newsletter': 547288, 'newsletter featuring what': 561027, 'featuring what will': 301611, 'like consumer trend': 490042, 'supermarket max': 821475, 'max spend': 520773, 'head should': 385815, 'enforced and': 276705, 'limit how': 492365, 'this should happen': 890128, 'should happen in': 766057, 'happen in british': 377102, 'british supermarket max': 140608, 'supermarket max spend': 821476, 'max spend of': 520774, 'spend of 50': 788657, 'of 50 per': 579613, '50 per head': 19808, 'per head should': 650882, 'head should be': 385816, 'should be enforced': 765615, 'be enforced and': 114680, 'enforced and limit': 276706, 'and limit how': 66172, 'limit how many': 492366, 'many can enter': 513860, 'supermarket at any': 819234, 'california amp': 155458, 'california amp new': 155459, 'amp new york': 54175, 'from work no': 338413, 'work no school': 1005495, 'no school you': 565427, 'to pharmacy you': 911695, 'outside but keep': 629389, 'can tell people': 159921, 'tell people you': 837053, 'mostexpensiveholiday': 542930, 'aren due': 92388, 'until 25th': 943647, 'are racking': 89413, 'racking their': 695367, 'up hourly': 945115, 'hourly which': 406144, 'difference mostexpensiveholiday': 241863, 'mostexpensiveholiday virginatlantic': 542931, 'to me we': 909968, 'me we aren': 523912, 'we aren due': 970772, 'aren due to': 92389, 'due to fly': 261788, 'fly until 25th': 311639, 'until 25th april': 943648, '25th april will': 16105, 'april will not': 83720, 'they are racking': 881376, 'are racking their': 89414, 'racking their price': 695368, 'price up hourly': 677237, 'up hourly which': 945116, 'hourly which have': 406145, 'which have to': 985921, 'the difference mostexpensiveholiday': 853263, 'difference mostexpensiveholiday virginatlantic': 241864, 'mostexpensiveholiday virginatlantic virginholidays': 542932, 'yyj': 1027160, 'celiac': 168929, 'glutenfreeliving': 353142, 'in gluten': 423348, 'free paradise': 332045, 'paradise dining': 641310, 'dining at': 243010, 'distance retailer': 246806, 'care shopping': 164198, 'online safe': 608900, 'safe event': 729636, 'in victoria': 430580, 'victoria vancouver': 956551, 'vancouver island': 952341, 'island the': 454314, 'gulf island': 368644, 'island yyj': 454330, 'yyj celiac': 1027161, 'celiac glutenfree': 168930, 'glutenfree glutenfreeliving': 353137, 'glutenfreeliving lockdown': 353143, 'pandemic in gluten': 635699, 'in gluten free': 423349, 'gluten free paradise': 353127, 'free paradise dining': 332046, 'paradise dining at': 641311, 'dining at distance': 243011, 'at distance retailer': 98457, 'distance retailer who': 246807, 'retailer who care': 719421, 'who care shopping': 988441, 'care shopping online': 164199, 'shopping online safe': 763475, 'online safe event': 608901, 'safe event in': 729637, 'event in victoria': 284997, 'in victoria vancouver': 430581, 'victoria vancouver island': 956552, 'vancouver island the': 952342, 'island the gulf': 454315, 'the gulf island': 856942, 'gulf island yyj': 368645, 'island yyj celiac': 454331, 'yyj celiac glutenfree': 1027162, 'celiac glutenfree glutenfreeliving': 168931, 'glutenfree glutenfreeliving lockdown': 353138, 'the vid': 870734, 'vid the': 956588, '19 pleading': 9707, 'pleading with': 659590, 'herself the': 394244, 'seen the vid': 747296, 'the vid the': 870735, 'vid the nurse': 956589, 'covid 19 pleading': 213589, '19 pleading with': 9708, 'pleading with people': 659591, 'with people to': 1000177, 'buying she cannot': 151012, 'she cannot get': 755931, 'for herself the': 322249, 'herself the tear': 394245, 'the tear rolled': 869218, 'weird wa': 977808, 'wa attending': 961615, 'attending cart': 102404, 'when lady': 983671, 'walked over': 964968, 'bill she': 130682, 'said found': 731077, 'ground took': 366548, 'service desk': 752283, 'desk per': 238459, 'per company': 650768, 'policy wa': 663532, 'wa she': 963180, 'she trying': 756395, 'weird wa attending': 977809, 'wa attending cart': 961616, 'attending cart at': 102405, 'cart at the': 165265, 'store when lady': 811242, 'when lady walked': 983672, 'lady walked over': 478864, 'walked over to': 964969, 'over to me': 630837, 'me with bill': 523987, 'with bill she': 997409, 'bill she said': 130683, 'she said found': 756305, 'said found this': 731078, 'the ground took': 856857, 'ground took it': 366549, 'took it and': 925264, 'it and brought': 456485, 'and brought it': 59225, 'to the service': 917049, 'the service desk': 866733, 'service desk per': 752285, 'desk per company': 238460, 'per company policy': 650769, 'company policy wa': 190962, 'policy wa she': 663533, 'wa she trying': 963181, 'she trying to': 756396, 'shop notice': 760509, 'notice reminder': 573345, 'extra an': 293449, 'drop if': 260221, 'if neighbour': 414469, 'neighbour can': 557186, 'wa given this': 962209, 'given this at': 351176, 'my supermarket saw': 550275, 'supermarket saw this': 822322, 'saw this shop': 738297, 'this shop notice': 890103, 'shop notice reminder': 760510, 'notice reminder think': 573346, 'can put extra': 159349, 'put extra an': 690571, 'extra an extra': 293450, 'two in food': 936973, 'in food drop': 422969, 'food drop if': 314298, 'drop if neighbour': 260222, 'if neighbour can': 414470, 'neighbour can get': 557187, 'belchingbeaver': 126142, 'peanutbuttermilkstout': 646152, 'my absolute': 547210, 'absolute favorite': 27234, 'favorite beer': 300487, 'beer took': 122522, 'two six': 937221, 'six pack': 772680, 'pack in': 633057, 'consider my': 195038, 'my morale': 549311, 'morale boosted': 538414, 'boosted bit': 135042, 'bit shelterinplace': 131695, 'shelterinplace socialdistancing': 758025, 'socialdistancing belchingbeaver': 780249, 'belchingbeaver peanutbuttermilkstout': 126143, 'store find of': 807727, 'find of the': 307107, 'the day only': 852903, 'day only my': 228163, 'only my absolute': 610805, 'my absolute favorite': 547211, 'absolute favorite beer': 27235, 'favorite beer took': 300488, 'beer took the': 122523, 'last two six': 480604, 'two six pack': 937222, 'six pack in': 772681, 'pack in the': 633059, 'the store consider': 867999, 'store consider my': 807145, 'consider my morale': 195039, 'my morale boosted': 549312, 'morale boosted bit': 538415, 'boosted bit shelterinplace': 135043, 'bit shelterinplace socialdistancing': 131696, 'shelterinplace socialdistancing belchingbeaver': 758026, 'socialdistancing belchingbeaver peanutbuttermilkstout': 780250, 'granitecu': 362005, 'alwaysthere': 49815, 'check granitecu': 174452, 'granitecu alwaysthere': 362006, 'alwaysthere pandemic': 49816, 'out the recent': 627411, 'the recent blog': 865297, 'post here are': 666154, 'are the thing': 90919, 'know about relief': 476219, 'about relief check': 26071, 'relief check granitecu': 709303, 'check granitecu alwaysthere': 174453, 'granitecu alwaysthere pandemic': 362007, 'shockwaves': 759643, 'send shockwaves': 749943, 'shockwaves through': 759644, 'through houston': 894516, 'houston realestate': 407221, 'price send shockwaves': 676345, 'send shockwaves through': 749944, 'shockwaves through houston': 759645, 'through houston realestate': 894517, 'makeinindia': 510786, 'indiafirst': 434749, 'india let': 434506, 'to makeinindia': 909770, 'makeinindia and': 510787, 'buying pl': 150904, 'pl think': 657277, 'first an': 308495, 'indian then': 434895, 'then consumer': 877086, 'put indiafirst': 690628, 'indiafirst makechinapay': 434750, 'makechinapay chinesecoronavirus': 510783, 'chinesecoronavirus 19': 177403, '19 indiafightscorona': 7819, 'india let pledge': 434507, 'let pledge to': 486980, 'pledge to makeinindia': 660858, 'to makeinindia and': 909771, 'makeinindia and buy': 510788, 'and buy product': 59348, 'buy product that': 149107, 'that are made': 842775, 'are made in': 87959, 'made in india': 507789, 'in india from': 424035, 'india from now': 434416, 'now on while': 575440, 'on while buying': 605284, 'while buying pl': 986668, 'buying pl think': 150905, 'pl think first': 657278, 'think first an': 885245, 'first an indian': 308496, 'an indian then': 56272, 'indian then consumer': 434896, 'then consumer put': 877087, 'consumer put indiafirst': 198630, 'put indiafirst makechinapay': 690629, 'indiafirst makechinapay chinesecoronavirus': 434751, 'makechinapay chinesecoronavirus 19': 510784, 'chinesecoronavirus 19 indiafightscorona': 177404, 'warner': 967059, 'people locked': 648693, 'where about': 984712, 'all cannabis': 42295, 'cannabis consumption': 161403, 'consumption happens': 199886, 'happens anyway': 377449, 'anyway warner': 81058, 'warner coronavirus': 967060, 'coronavirus gave': 205984, 'gave cannabis': 344608, 'company big': 190494, 'big bump': 129674, 'wake and': 964579, 'and bake': 58661, 'bake set': 108749, 'you have people': 1019090, 'have people locked': 381910, 'people locked up': 648694, 'locked up at': 500506, 'at home where': 99169, 'home where about': 402485, 'where about half': 984713, 'of all cannabis': 579927, 'all cannabis consumption': 42296, 'cannabis consumption happens': 161404, 'consumption happens anyway': 199887, 'happens anyway warner': 377450, 'anyway warner coronavirus': 81059, 'warner coronavirus gave': 967061, 'coronavirus gave cannabis': 205985, 'gave cannabis company': 344609, 'cannabis company big': 161393, 'company big bump': 190495, 'big bump in': 129675, 'bump in sale': 142563, 'sale and it': 732042, 'it wasn just': 462259, 'wasn just for': 967993, 'for the wake': 326769, 'the wake and': 871034, 'wake and bake': 964580, 'and bake set': 58662, 'kessler wa': 473169, 'with jim': 999107, 'cramer to': 214839, 'murray kessler wa': 546222, 'kessler wa on': 473170, 'wa on cnbc': 962822, 'mad money with': 507557, 'money with jim': 537182, 'with jim cramer': 999108, 'jim cramer to': 465498, 'cramer to talk': 214840, 'grow due': 367021, 'bank running out': 110146, 'of money demand': 586604, 'money demand continues': 536695, 'to grow due': 907027, 'grow due to': 367022, 'local expecting': 497929, 'pick over': 655671, 'very reassured': 955461, 'stocked wa': 803450, 'needed without': 556585, 'any stress': 79874, 'stress well': 813420, 'people stocker': 649623, 'staff stophoarding': 792893, 'my local expecting': 549110, 'local expecting to': 497930, 'expecting to have': 291055, 'have to pick': 383263, 'to pick over': 911722, 'pick over empty': 655672, 'over empty shelf': 630184, 'shelf wa very': 757741, 'wa very reassured': 963646, 'very reassured to': 955462, 'reassured to find': 703213, 'find the store': 307303, 'store well stocked': 811211, 'well stocked wa': 978611, 'stocked wa able': 803451, 'what needed without': 981917, 'needed without any': 556586, 'without any stress': 1002501, 'any stress well': 79875, 'stress well done': 813421, 'delivery people stocker': 234324, 'people stocker and': 649624, 'stocker and staff': 803491, 'and staff stophoarding': 72200, 'else watching': 271966, 'watching bird': 968713, 'bird box': 131330, 'box now': 137104, 'noticing them': 573514, 'supermarket toiletpaperapocalypse': 823487, 'anybody else watching': 80076, 'else watching bird': 271967, 'watching bird box': 968714, 'bird box now': 131331, 'box now and': 137105, 'and noticing them': 67810, 'noticing them not': 573515, 'them not hoarding': 876054, 'not hoarding toilet': 569999, 'the supermarket toiletpaperapocalypse': 868865, 'ignores': 415894, 'give prop': 350664, 'governor healthcare': 360911, 'level all': 487496, 'public get': 688033, 'trump ignores': 933621, 'let give prop': 486743, 'give prop to': 350665, 'state governor healthcare': 795623, 'governor healthcare worker': 360912, 'healthcare worker on': 387370, 'worker on all': 1007483, 'on all level': 599233, 'all level all': 43371, 'level all the': 487497, 'clerk for literally': 181702, 'for literally putting': 323010, 'the public get': 864812, 'public get the': 688034, 'get the medical': 348265, 'the medical care': 860394, 'medical care and': 526077, 'care and food': 163839, 'and food good': 63054, 'food good service': 314693, 'good service they': 357718, 'pandemic that trump': 636656, 'that trump ignores': 847136, 'of dinosaur': 582627, 'appears online': 82198, 'video of dinosaur': 956822, 'of dinosaur shopping': 582628, '19 outbreak appears': 9083, 'outbreak appears online': 628023, 'until people are': 943811, 'socialwork': 781130, 'you heartless': 1019187, 'heartless idiot': 388465, 'idiot we': 413628, 'discharge vulnerable': 244342, 'there socialwork': 879063, 'stop stop stop': 805085, 'stop stop panic': 805084, 'buying you heartless': 151407, 'you heartless idiot': 1019188, 'heartless idiot we': 388466, 'idiot we are': 413629, 'having to discharge': 384340, 'to discharge vulnerable': 904350, 'discharge vulnerable people': 244343, 'vulnerable people home': 961094, 'people home from': 648282, 'home from hospital': 401264, 'for them when': 326930, 'get there socialwork': 348386, 'wheeled': 983073, 'same wheeled': 733421, 'wheeled storage': 983074, 'unit be': 942046, 'the vehicle': 870679, 'vehicle from': 954265, 'distribution warehouse': 248253, 'uk for delivery': 938380, 'to supermarket could': 915784, 'supermarket could the': 819829, 'could the same': 209758, 'the same wheeled': 866323, 'same wheeled storage': 733422, 'wheeled storage unit': 983075, 'storage unit be': 806004, 'unit be in': 942047, 'in the vehicle': 429644, 'the vehicle from': 870680, 'vehicle from the': 954266, 'from the manufacturer': 337783, 'the manufacturer to': 860026, 'manufacturer to the': 513534, 'to the distribution': 916645, 'the distribution warehouse': 853427, 'distribution warehouse to': 248254, 'warehouse to the': 966797, 'we privileged': 972749, 'privileged helping': 679049, 'helping avenue': 391277, 'avenue rd': 104785, 'rd food': 698129, 'banker box': 110352, 'box amp': 137003, 'amp donation': 53672, 'we privileged helping': 972750, 'privileged helping avenue': 679050, 'helping avenue rd': 391278, 'avenue rd food': 104786, 'rd food bank': 698130, 'bank with the': 110325, 'great work they': 363119, 'they do they': 881976, 'do they ve': 250321, 'seen an unprecedented': 746936, 'unprecedented demand since': 943125, '19 please rt': 9726, 'help with banker': 390898, 'with banker box': 997370, 'banker box amp': 110353, 'box amp donation': 137004, 'dtr': 261427, 'highwycombe': 396167, 'retail report': 718446, 'report frm': 711967, 'frm dtr': 334115, 'dtr highwycombe': 261428, 'highwycombe store': 396168, 'her once': 392250, 'wk shop': 1003217, 'shop crowded': 760081, 'with none': 999808, 'the hygiene': 857782, 'hygiene that': 412181, 'there last': 878690, 'no trolley': 565805, 'trolley wipe': 932500, 'down etc': 256727, 'etc she': 282742, 'say going': 738688, 'week wednesdaywisdom': 977210, 'retail report frm': 718447, 'report frm dtr': 711968, 'frm dtr highwycombe': 334116, 'dtr highwycombe store': 261429, 'highwycombe store doing': 396169, 'store doing her': 807354, 'doing her once': 252445, 'her once wk': 392251, 'once wk shop': 605815, 'wk shop crowded': 1003218, 'shop crowded this': 760082, 'crowded this with': 219369, 'this with none': 891462, 'with none of': 999809, 'of the hygiene': 591117, 'the hygiene that': 857783, 'hygiene that wa': 412182, 'that wa there': 847317, 'wa there last': 963481, 'there last week': 878691, 'week no trolley': 976571, 'no trolley wipe': 565806, 'trolley wipe down': 932501, 'wipe down etc': 996235, 'down etc she': 256728, 'etc she say': 282743, 'she say going': 756322, 'say going to': 738689, 'going to next': 355660, 'to next week': 910590, 'next week wednesdaywisdom': 561704, 'ag alert': 36769, 'alert following': 41411, 'following regulator': 312833, 'regulator fine': 708141, 'fine 2b': 307594, '2b read': 16555, 'news ag alert': 560196, 'ag alert following': 36770, 'alert following regulator': 41412, 'following regulator fine': 312834, 'regulator fine 2b': 708142, 'fine 2b read': 307595, '2b read more': 16556, 'carnews': 164794, 'mia chief': 530151, 'chief predicts': 175959, 'predicts price': 669691, 'inevitably rise': 436432, 'some stage': 783935, 'stage industry': 793194, 'industry wait': 436214, 'full impact': 340638, 'supply mia': 825557, 'mia carnews': 530150, 'mia chief predicts': 530152, 'chief predicts price': 175960, 'predicts price will': 669692, 'price will inevitably': 677572, 'will inevitably rise': 993843, 'inevitably rise at': 436433, 'rise at some': 722789, 'at some stage': 100582, 'some stage industry': 783936, 'stage industry wait': 793195, 'industry wait to': 436215, 'the full impact': 856010, 'full impact of': 340639, 'pandemic on sale': 636093, 'sale and supply': 732049, 'and supply mia': 72802, 'supply mia carnews': 825558, 'most amazing': 542084, 'amazing easter': 50676, 'well goodfriday': 978259, 'friday have the': 333232, 'have the most': 383003, 'the most amazing': 860945, 'most amazing easter': 542085, 'amazing easter weekend': 50677, 'weekend you go': 977461, 'you go from': 1018849, 'go from room': 353587, 'thrown in stay': 895138, 'stay safe well': 797296, 'safe well goodfriday': 730130, 'well goodfriday 19': 978260, 'pontoon': 663983, 'continuing our': 201538, 'high standard': 395423, 'standard floating': 793657, 'floating pontoon': 310667, 'pontoon to': 663984, 'client meanwhile': 182068, 'meanwhile we': 525050, 'tried our': 931812, 'plastic container': 658832, 'container bucket': 200536, 'bucket drum': 141681, 'drum jar': 261201, 'jar to': 464819, 'to alcohol': 900212, 'disinfectant supplier': 245766, 'against pandemic': 37576, 'are continuing our': 85547, 'continuing our effort': 201539, 'effort to supply': 269650, 'to supply high': 915883, 'supply high standard': 825365, 'high standard floating': 395424, 'standard floating pontoon': 793658, 'floating pontoon to': 310668, 'pontoon to our': 663985, 'our client meanwhile': 622397, 'client meanwhile we': 182069, 'meanwhile we tried': 525051, 'we tried our': 973574, 'tried our best': 931813, 'best to produce': 127957, 'produce the plastic': 680456, 'the plastic container': 863814, 'plastic container bucket': 658833, 'container bucket drum': 200537, 'bucket drum jar': 141682, 'drum jar to': 261202, 'jar to alcohol': 464820, 'to alcohol sanitizer': 900213, 'alcohol sanitizer disinfectant': 41094, 'sanitizer disinfectant supplier': 734753, 'disinfectant supplier in': 245767, 'battle against pandemic': 112774, 'level pandemic': 487676, 'buying boost': 150034, 'demand stayathomesavelives': 236273, 'egg price hit': 269961, 'price hit record': 674562, 'hit record level': 398386, 'record level pandemic': 705003, 'level pandemic buying': 487677, 'pandemic buying boost': 635067, 'buying boost demand': 150035, 'boost demand stayathomesavelives': 134943, 'law applies': 482217, 'service bought': 752181, 'have information': 381085, 'travel booking': 930295, 'booking at': 134713, 'at also': 97931, 'see flight': 745115, 'flight info': 310498, 'generally the australian': 345543, 'consumer law applies': 197995, 'law applies to': 482218, 'applies to product': 82537, 'to product service': 912224, 'product service bought': 681607, 'service bought in': 752182, 'bought in australia': 136599, 'australia we have': 103419, 'we have information': 971844, 'have information about': 381086, 'information about your': 437718, 'right with travel': 722436, 'with travel booking': 1001841, 'travel booking at': 930296, 'booking at also': 134714, 'at also see': 97932, 'also see flight': 48837, 'see flight info': 745116, 'flight info http': 310499, 'go what': 354490, 'fallen but there': 297138, 'to go what': 906884, 'go what time': 354491, 'what time to': 982446, 'maternity': 520453, 'son in': 785390, 'small mountain': 775036, 'mountain grocery': 543419, 'also brand': 47972, 'new father': 558725, 'take maternity': 832311, 'maternity leave': 520454, 'leave so': 484928, 'my son in': 550158, 'son in law': 785391, 'law is an': 482318, 'essential employee at': 280999, 'employee at small': 273652, 'at small mountain': 100561, 'small mountain grocery': 775037, 'mountain grocery store': 543420, 'store he also': 808116, 'he also brand': 384728, 'also brand new': 47973, 'brand new father': 137932, 'new father who': 558726, 'father who can': 300319, 'who can take': 988412, 'can take maternity': 159901, 'take maternity leave': 832312, 'maternity leave so': 520455, 'leave so worried': 484929, 'worried about him': 1010496, 'real when': 701455, 'of indomie': 585138, 'is real when': 451283, 'real when the': 701456, 'out of indomie': 626760, '2020inoneword': 14741, 'toiletpaperthrone': 923342, 'remember 2020inoneword': 710154, '2020inoneword toiletpaper': 14742, 'toiletpaper toiletpaperthrone': 922723, 'how ll always': 408179, 'll always remember': 496553, 'always remember 2020inoneword': 49716, 'remember 2020inoneword toiletpaper': 710155, '2020inoneword toiletpaper toiletpaperthrone': 14743, 'joke supermarket': 467138, 'staff still': 792886, 'hour how': 405676, 'can govt': 158528, 'govt owner': 361237, 'owner assuring': 632400, 'assuring we': 97167, 'contact people': 200179, '19 life': 8322, 'many like': 514232, 've yr': 953666, 'old wat': 598522, 'contact pas': 200175, 'absolute joke supermarket': 27249, 'joke supermarket staff': 467139, 'supermarket staff still': 822892, 'staff still going': 792887, 'long hour how': 501440, 'hour how can': 405677, 'how can govt': 407500, 'can govt owner': 158529, 'govt owner assuring': 361238, 'owner assuring we': 632401, 'assuring we re': 97168, 're not getting': 699091, 'not getting in': 569626, 'getting in contact': 349054, 'in contact people': 421736, 'contact people who': 200180, 'already have covid': 47418, 'covid 19 life': 213353, '19 life is': 8323, 'life is on': 488814, 'is on risk': 450480, 'on risk for': 603206, 'risk for many': 723549, 'for many like': 323224, 'many like me': 514233, 'like me ve': 490757, 'me ve yr': 523876, 've yr old': 953667, 'yr old wat': 1027038, 'old wat if': 598523, 'wat if get': 968334, 'if get into': 414144, 'get into contact': 347363, 'into contact pas': 442485, 'contact pas it': 200176, 'on to him': 604740, 'to him who': 907780, 'him who ll': 396777, 'who ll be': 989226, 'll be responsible': 496619, 'ontheroad': 611648, 'wonderfulday': 1004143, 'reteet': 719637, 'toiletpaper edition': 921947, 'edition ride': 268643, 'ride drive': 721428, 'drive ontheroad': 259114, 'ontheroad street': 611649, 'street shot': 813106, 'shot road': 765438, 'road toiletpaper': 724531, 'toiletpaper line': 922184, 'line travel': 493507, 'travel racing': 930480, 'racing travel': 695263, 'travel photography': 930466, 'photography life': 655294, 'life weather': 489195, 'weather wonderfulday': 974916, 'wonderfulday day': 1004144, 'way interesting': 969660, 'interesting cool': 441532, 'cool colour': 202999, 'colour camera': 186848, 'camera sharp': 157127, 'sharp corona': 755669, 'corona sky': 204175, 'sky nature': 773206, 'nature reteet': 552979, 'toiletpaper edition ride': 921948, 'edition ride drive': 268644, 'ride drive ontheroad': 721429, 'drive ontheroad street': 259115, 'ontheroad street shot': 611650, 'street shot road': 813107, 'shot road toiletpaper': 765439, 'road toiletpaper line': 724532, 'toiletpaper line travel': 922185, 'line travel racing': 493508, 'travel racing travel': 930481, 'racing travel photography': 695264, 'travel photography life': 930467, 'photography life weather': 655295, 'life weather wonderfulday': 489196, 'weather wonderfulday day': 974917, 'wonderfulday day long': 1004145, 'day long way': 227940, 'long way interesting': 501822, 'way interesting cool': 969661, 'interesting cool colour': 441533, 'cool colour camera': 203000, 'colour camera sharp': 186849, 'camera sharp corona': 157128, 'sharp corona sky': 755670, 'corona sky nature': 204176, 'sky nature reteet': 773207, 'moving during': 544139, 'rock mondaymotivation': 724904, 'mondaymotivation quarantine': 536475, 'quarantine workfromhome': 692715, 'responder medical staff': 715493, 'medical staff truck': 526408, 'employee and essential': 273562, 'and essential worker': 62270, 'our country moving': 622598, 'country moving during': 210905, 'moving during this': 544140, 'pandemic you rock': 637093, 'you rock mondaymotivation': 1020949, 'rock mondaymotivation quarantine': 724905, 'mondaymotivation quarantine workfromhome': 536476, 'anyone understood': 80588, 'understood the': 940931, 'home slogan': 402077, 'slogan to': 774076, 'life yet': 489241, 'yet elderly': 1016053, 'local hub': 498096, 'deliver feel': 233118, 'feel people': 302805, '19 serious': 10416, 'ha anyone understood': 369592, 'anyone understood the': 80589, 'understood the stay': 940932, 'at home slogan': 99110, 'home slogan to': 402078, 'slogan to save': 774077, 'save the nh': 737663, 'nh and life': 561878, 'and life yet': 66144, 'life yet elderly': 489242, 'yet elderly people': 1016054, 'out shopping when': 627187, 'shopping when they': 764379, 'when they should': 984282, 'should get online': 766029, 'get online or': 347710, 'online or the': 608670, 'or the local': 617383, 'the local hub': 859556, 'local hub to': 498097, 'hub to deliver': 409829, 'to deliver feel': 904098, 'deliver feel people': 233119, 'feel people are': 302806, 'not taking covid': 571926, 'covid 19 serious': 213769, 'wouldnt': 1012514, 'shop wouldnt': 761095, 'wouldnt need': 1012515, 'anything stoppanicbuying': 80889, 'shopped normally the': 761312, 'normally the shop': 567556, 'the shop wouldnt': 867042, 'shop wouldnt need': 761096, 'wouldnt need to': 1012516, 'restrict anything stoppanicbuying': 717099, 'spdr': 787672, 'ccl': 168431, 'rcl': 698112, 'ual': 937783, '20 03': 12866, '20 looking': 13134, 'in spy': 428214, 'spy spdr': 791405, 'spdr 500': 787673, '500 210': 19941, '210 ccl': 15049, 'ccl carnival': 168432, 'carnival corp': 164805, 'corp rcl': 207211, 'rcl royal': 698113, 'royal caribbean': 726612, 'caribbean 15': 164674, '15 dal': 3690, 'dal delta': 225084, 'delta airline': 234826, 'airline 16': 39908, '16 ual': 4185, 'ual united': 937784, 'airline 20': 39910, '20 all': 12937, 'stock invest': 802293, 'invest any': 443746, 'thought drop': 893027, 'drop below': 260140, '20 03 20': 12867, '03 20 looking': 853, '20 looking to': 13135, 'buy in spy': 148815, 'in spy spdr': 428215, 'spy spdr 500': 791406, 'spdr 500 210': 787674, '500 210 ccl': 19942, '210 ccl carnival': 15050, 'ccl carnival corp': 168433, 'carnival corp rcl': 164806, 'corp rcl royal': 207212, 'rcl royal caribbean': 698114, 'royal caribbean 15': 726613, 'caribbean 15 dal': 164675, '15 dal delta': 3691, 'dal delta airline': 225085, 'delta airline 16': 234827, 'airline 16 ual': 39909, '16 ual united': 4186, 'ual united airline': 937785, 'united airline 20': 942139, 'airline 20 all': 39911, '20 all would': 12938, 'would be buy': 1011564, 'be buy in': 113936, 'buy in my': 148814, 'eye at these': 294009, 'these price stock': 880542, 'price stock invest': 676664, 'stock invest any': 802294, 'invest any idea': 443747, 'any idea or': 79338, 'idea or thought': 413146, 'or thought drop': 617444, 'thought drop below': 893028, 'an opportunistic': 56665, 'in soap': 428038, 'an opportunistic increase': 56666, 'opportunistic increase in': 613569, 'increase in soap': 432866, 'in soap price': 428039, 'soap price by': 779084, 'by 10 amp': 151510, 'india during the': 434384, 'nurse cab': 577225, 'cab driver': 154926, 'driver bus': 259469, 'amp even': 53752, 'cat in': 166883, 'zoo my': 1027791, 'from breathing': 334731, 'breathing and': 139215, 'talking don': 834011, 'believe there': 126372, 'airborne to': 39856, 'amp nurse cab': 54200, 'nurse cab driver': 577226, 'cab driver bus': 154927, 'driver bus driver': 259470, 'supermarket staff amp': 822810, 'staff amp even': 792114, 'amp even big': 53753, 'even big cat': 283889, 'big cat in': 129686, 'cat in zoo': 166884, 'in zoo my': 431164, 'zoo my guess': 1027792, 'that this hang': 846993, 'the air from': 848487, 'air from breathing': 39747, 'from breathing and': 334732, 'breathing and talking': 139216, 'and talking don': 73012, 'talking don believe': 834012, 'don believe there': 253389, 'believe there can': 126373, 'can be any': 157581, 'be any doubt': 113646, 'any doubt it': 79141, 'doubt it is': 256208, 'it is airborne': 458866, 'is airborne to': 445436, 'airborne to an': 39857, 'fight poster': 304846, 'poster drawn': 666608, 'drawn and': 258540, 'placed inside': 657889, 'inside an': 439214, 'an elevator': 55648, 'elevator by': 271379, 'by kid': 152991, 'sanitizer thankyou': 735852, 'let all fight': 486556, 'all fight poster': 42784, 'fight poster drawn': 304847, 'poster drawn and': 666609, 'drawn and placed': 258541, 'and placed inside': 69054, 'placed inside an': 657890, 'inside an elevator': 439215, 'an elevator by': 55649, 'elevator by kid': 271380, 'by kid with': 152992, 'kid with free': 474171, 'with free hand': 998535, 'hand sanitizer thankyou': 375616, 'hydroalcoholic': 411961, 'own wipe': 632306, 'cart alcohol': 165241, 'based hydroalcoholic': 111612, 'hydroalcoholic gel': 411962, 'gel tissue': 345157, 'cough paper': 208533, 'door all': 255496, 'right think': 722319, 'think ready': 885510, 'take quick': 832536, 'my own wipe': 549664, 'own wipe in': 632307, 'doesn have them': 251828, 'have them for': 383067, 'the cart alcohol': 850440, 'cart alcohol based': 165242, 'alcohol based hydroalcoholic': 40932, 'based hydroalcoholic gel': 111613, 'hydroalcoholic gel tissue': 411963, 'gel tissue in': 345158, 'tissue in case': 899156, 'in case have': 421260, 'case have to': 165766, 'have to sneeze': 383303, 'to sneeze or': 914792, 'or cough paper': 614844, 'cough paper towel': 208534, 'towel in your': 927334, 'pocket to open': 662211, 'open the bathroom': 612547, 'the bathroom door': 849331, 'bathroom door all': 112646, 'door all right': 255497, 'all right think': 44196, 'right think ready': 722320, 'think ready to': 885511, 'to take quick': 916229, 'take quick trip': 832537, 'foodservice say': 318106, 'wholesale and foodservice': 990416, 'and foodservice say': 63119, 'towards treating': 927273, 'the trend towards': 869969, 'trend towards treating': 931487, 'towards treating the': 927274, 'treating the home': 931016, 'the home workplace': 857461, 'over will the': 630942, 'day representing': 228277, 'producing nation agree': 680790, 'record amount of': 704905, 'amount of million': 53236, 'of million barrel': 586532, 'per day representing': 650807, 'day representing around': 228278, 'panic chill': 638008, 'been stealing toiletpaper': 122035, 'stealing toiletpaper out': 799265, 'of the restroom': 591413, 'the restroom at': 865682, 'restroom at my': 717432, 'my store because': 550214, 'the the worst': 869409, 'worst thing you': 1011288, 'do at time': 249106, 'this is panic': 888353, 'is panic chill': 450789, 'panic chill the': 638009, 'chill the hell': 176379, 'hell out people': 389051, 'socialdistancing omg': 780569, 'omg love': 598906, 'love social': 504782, 'me stand': 523530, 'stand way': 793607, 'wa awesome': 961619, 'awesome line': 106178, 'line usually': 493538, 'usually annoy': 951086, 'me dude': 522687, 'dude seriously': 261606, 'wtf can': 1013273, 'socialdistancing omg love': 780570, 'omg love social': 598907, 'love social distancing': 504783, 'distancing this wa': 247552, 'supermarket and having': 818996, 'and having the': 64300, 'behind me stand': 124670, 'me stand way': 523531, 'stand way back': 793608, 'way back wa': 969484, 'back wa awesome': 107442, 'wa awesome line': 961620, 'awesome line usually': 106179, 'line usually annoy': 493539, 'usually annoy me': 951087, 'annoy me dude': 77342, 'me dude seriously': 522688, 'dude seriously wtf': 261607, 'seriously wtf can': 751798, 'wtf can feel': 1013274, 'can feel your': 158294, 'feel your breath': 302948, 'breath on my': 139179, 'on my ear': 602277, 'people pennsylvania': 649088, 'pennsylvania woman': 646593, 'to stoke': 915493, 'stoke fear': 804240, 'fear smartnews': 301331, 'with people pennsylvania': 1000158, 'people pennsylvania woman': 649089, 'pennsylvania woman coughed': 646594, 'grocery to stoke': 366060, 'to stoke fear': 915494, 'stoke fear smartnews': 804242, 'hoarding brilliant': 399228, 'brilliant and': 139835, 'highly effective': 396060, 'danish supermarket us': 225858, 'sanitiser hoarding brilliant': 733970, 'hoarding brilliant and': 399229, 'brilliant and highly': 139836, 'and highly effective': 64570, 'and mystery': 67400, 'food little': 315331, 'quarantine and mystery': 692015, 'and mystery can': 67401, 'mystery can of': 551006, 'of food little': 583725, 'food little humor': 315332, 'safe humor funny': 729757, 'humor funny laugh': 410877, 'funny laugh smile': 341762, 'brand are helping': 137745, 'are helping others': 87102, 'rushhour': 728371, 'little down': 495321, 'down stressed': 257226, 'stressed you': 813474, 'out friday': 626187, 'friday evening': 333218, 'evening rushhour': 284890, 'rushhour on': 728372, 'toronto 401': 925915, 'when get you': 983464, 'get you little': 348678, 'you little down': 1019627, 'little down stressed': 495322, 'down stressed you': 257227, 'stressed you have': 813475, 'at the bright': 100898, 'gas price haven': 343977, 'since the 90': 770861, 'the 90 and': 848212, '90 and check': 23275, 'check out friday': 174550, 'out friday evening': 626188, 'friday evening rushhour': 333219, 'evening rushhour on': 284891, 'rushhour on toronto': 728373, 'on toronto 401': 604813, 'twircle': 936591, 'treated myself': 930964, 'new bag': 558371, 'bag online': 108377, 'online baker': 607908, 'baker it': 108808, 'offer my': 594704, 'other bag': 619867, 'bag need': 108338, 'need super': 555670, 'super clean': 818482, 'the rubber': 866024, 'glove ve': 352999, 'wearing whilst': 974823, 'shopping twircle': 764278, 'treated myself to': 930965, 'myself to brand': 550958, 'to brand new': 901985, 'brand new bag': 137928, 'new bag online': 558372, 'bag online baker': 108378, 'online baker it': 607909, 'baker it wa': 108809, 'it wa on': 462163, 'wa on special': 962834, 'on special offer': 603594, 'special offer my': 788006, 'offer my other': 594705, 'my other bag': 549623, 'other bag need': 619868, 'bag need super': 108339, 'need super clean': 555671, 'super clean of': 818483, 'clean of all': 180590, 'all the rubber': 44893, 'the rubber glove': 866025, 'rubber glove ve': 726944, 'glove ve been': 353000, 've been wearing': 952960, 'been wearing whilst': 122360, 'wearing whilst shopping': 974824, 'whilst shopping twircle': 987684, 'ridiculous how': 721552, 'how shop': 408670, 'getting ridiculous how': 349241, 'ridiculous how shop': 721553, 'how shop are': 408671, 'price due the': 673613, 'due the pandemic': 261689, 'staffie': 793148, 'hi peter': 394718, 'peter lovely': 653521, 'your beautiful': 1022921, 'beautiful staffie': 118714, 'staffie pippa': 793149, 'pippa enjoying': 656923, 'some sunshine': 783997, 'sunshine hope': 818430, 'well socialdistancing': 978564, 'socialdistancing coronav': 780296, 'hi peter lovely': 394719, 'peter lovely to': 653522, 'to see your': 914103, 'see your beautiful': 746120, 'your beautiful staffie': 1022922, 'beautiful staffie pippa': 118715, 'staffie pippa enjoying': 793150, 'pippa enjoying some': 656924, 'enjoying some sunshine': 277238, 'some sunshine hope': 783998, 'sunshine hope you': 818431, 'hope you were': 403813, 'you were able': 1022239, 'get thing you': 348400, 'need at supermarket': 554495, 'at supermarket keeping': 100740, 'supermarket keeping you': 821245, 'in my thought': 425636, 'my thought please': 550358, 'thought please stay': 893182, 'stay well socialdistancing': 797394, 'well socialdistancing coronav': 978565, 'uk fury': 938399, 'fury pharmacy': 342225, 'pharmacy charged': 654273, 'charged 20': 173359, 'paracetamol shameful': 641267, 'coronavirus uk fury': 206984, 'uk fury pharmacy': 938400, 'fury pharmacy charged': 342226, 'pharmacy charged 20': 654274, 'charged 20 for': 173361, '20 for calpol': 13061, 'for calpol and': 319891, 'calpol and 10': 156900, 'and 10 for': 57344, '10 for paracetamol': 1435, 'for paracetamol shameful': 324383, 'it up for': 461959, 'up for employee': 944927, 'for employee retail': 321033, 'employee retail target': 274158, 'paid huge': 634031, 'huge premium': 410134, 'secure load': 744447, 'load egg': 497249, 'food egg': 314341, 'buyer have paid': 149659, 'have paid huge': 381868, 'paid huge premium': 634032, 'huge premium to': 410135, 'premium to secure': 669980, 'to secure load': 913966, 'secure load egg': 744448, 'load egg price': 497250, 'panic shopping via': 638594, 'shopping via food': 764316, 'via food egg': 955979, 'why bail': 990829, 'out junior': 626459, 'junior that': 468029, 'already failing': 47343, 'failing for': 296206, 'war lot': 966482, 'those jr': 892146, 'jr are': 467562, 'are gas': 86769, 'gas weighted': 344181, 'weighted and': 977718, 'trouble because': 932591, 'and capital': 59537, 'capital crisis': 162649, 'crisis ca': 217180, 'but why bail': 147858, 'why bail out': 990830, 'bail out junior': 108590, 'out junior that': 626460, 'junior that are': 468030, 'are already failing': 84409, 'already failing for': 47344, 'failing for reason': 296207, 'for reason that': 325004, 'reason that have': 702995, '19 or even': 9018, 'even the saudi': 284666, 'price war lot': 677361, 'war lot of': 966483, 'of those jr': 592098, 'those jr are': 892147, 'jr are gas': 467563, 'are gas weighted': 86770, 'gas weighted and': 344182, 'weighted and in': 977719, 'and in trouble': 65078, 'in trouble because': 430295, 'trouble because of': 932592, 'price and capital': 672376, 'and capital crisis': 59538, 'capital crisis ca': 162650, 'kinda suspicious': 475077, 'suspicious about': 829709, 'recent recovery': 703970, 'selling all': 749147, 'price wuhan': 677675, 'wuhan is': 1013499, 'until italy': 943753, 'recovered don': 705227, 'believe whatever': 126414, 'whatever china': 982745, 'kinda suspicious about': 475078, 'suspicious about china': 829710, 'about china based': 24958, 'china based on': 176514, 'the recent recovery': 865320, 'recent recovery from': 703971, 'from the way': 337919, 'are selling all': 89948, 'selling all medical': 749148, 'all medical supply': 43495, 'medical supply with': 526466, 'supply with those': 826124, 'with those crazy': 1001748, 'those crazy price': 891900, 'crazy price wuhan': 215395, 'price wuhan is': 677676, 'wuhan is open': 1013500, 'is open now': 450573, 'open now no': 612403, 'now no more': 575352, 'no more under': 564826, 'more under lockdown': 540849, 'under lockdown until': 940156, 'lockdown until italy': 500100, 'until italy is': 943754, 'italy is recovered': 462860, 'is recovered don': 451362, 'recovered don believe': 705228, 'don believe whatever': 253390, 'believe whatever china': 126415, 'whatever china say': 982746, 'big health': 129813, 'health announcement': 386167, 'announcement at': 77133, 'today wh': 920509, 'briefing first': 139710, 'first press': 308881, 'press question': 671068, 'virus lot': 958473, 'lot of big': 504146, 'of big health': 580699, 'big health announcement': 129814, 'health announcement at': 386168, 'announcement at today': 77135, 'at today wh': 101338, 'today wh briefing': 920510, 'wh briefing first': 980899, 'briefing first press': 139711, 'first press question': 308882, 'press question why': 671069, 'question why do': 693809, 'you keep calling': 1019444, 'chinese virus lot': 177382, 'virus lot of': 958474, 'of people say': 587978, 'say it racist': 738857, 'that map': 845038, 'about that map': 26319, '2506998500': 16044, 'town business': 927446, 'business between': 143445, 'between fn': 128778, 'fn reserve': 311791, 'reserve due': 714052, 'are please': 89107, 'vulnerable call': 960894, 'on 2506998500': 599077, '2506998500 to': 16045, 'order between': 618082, 'between am': 128706, 'pm we': 662023, 'deliver same': 233206, 'small town business': 775161, 'town business between': 927447, 'business between fn': 143446, 'between fn reserve': 128779, 'fn reserve due': 311792, 'reserve due to': 714053, 'we are please': 970660, 'are please to': 89108, 'please to offer': 660685, 'offer free delivery': 594624, 'delivery to the': 234673, 'and vulnerable call': 75049, 'vulnerable call on': 960895, 'call on 2506998500': 156028, 'on 2506998500 to': 599078, '2506998500 to place': 16046, 'your order between': 1025099, 'order between am': 618083, 'between am to': 128707, 'am to 12': 50501, 'to 12 pm': 899469, '12 pm we': 2937, 'pm we will': 662024, 'will deliver same': 993149, 'deliver same day': 233207, 'day by 30': 227417, 'by 30 pm': 151633, 'zdnet': 1027263, 'business peddling': 144206, 'peddling zdnet': 646207, 'arrest man in': 93761, 'man in for': 512109, 'in for business': 423012, 'for business peddling': 319840, 'business peddling zdnet': 144207, 'reduce energy use': 705829, 'energy use in': 276618, 'use in your': 949282, 'the pandemic energyefficiency': 862959, '17 the': 4388, 'bureau ordered': 142803, 'ordered all': 618818, 'begin working': 123608, 'home given': 401299, 'march 17 the': 515098, '17 the consumer': 4389, 'protection bureau ordered': 685367, 'bureau ordered all': 142804, 'ordered all employee': 618819, 'all employee not': 42679, 'employee not just': 274055, 'not just those': 570260, 'just those in': 470056, 'most affected region': 542074, 'affected region to': 34423, 'region to begin': 707472, 'to begin working': 901720, 'begin working from': 123609, 'from home given': 335863, 'home given the': 401300, 'given the rapid': 351149, 'massive well': 520165, 'bonus please': 134396, 'massive well done': 520166, 'done to today': 255079, 'thing in their': 884441, 'their supermarket give': 874902, 'supermarket give all': 820520, 'your staff bonus': 1025905, 'staff bonus please': 792273, 'bonus please coronacrisis': 134397, 'foodmanufacturing': 318003, 'supply uninterrupted': 826057, 'uninterrupted great': 941851, 'managing in': 512874, 'crisis foodprocessing': 217386, 'foodprocessing foodmanufacturing': 318042, 'our food processing': 623121, 'food processing and': 315991, 'processing and manufacturing': 680011, 'manufacturing customer for': 513571, 'customer for keeping': 222386, 'keeping the supply': 472588, 'the supply uninterrupted': 868965, 'supply uninterrupted great': 826058, 'uninterrupted great article': 941852, 'industry is managing': 435933, 'is managing in': 449567, 'managing in this': 512875, 'this crisis foodprocessing': 887040, 'crisis foodprocessing foodmanufacturing': 217387, 'ramune': 696490, 'plain racist': 658016, 'racist asian': 695303, 'supply couldn': 825113, 'get rice': 347930, 'rice anywhere': 721006, 'but shelf': 147031, 'stocked high': 803340, 'supermarket plus': 822029, 'plus got': 661615, 'some ramune': 783683, 'ramune soda': 696491, 'soda which': 781422, 'also positive': 48673, 'pro tip people': 679135, 'tip people are': 898873, 'people are ignorant': 647000, 'are ignorant and': 87294, 'ignorant and just': 415773, 'just plain racist': 469453, 'plain racist asian': 658017, 'racist asian supermarket': 695304, 'supermarket are filled': 819156, 'are filled with': 86554, 'filled with ton': 305582, 'of supply couldn': 590476, 'supply couldn get': 825114, 'couldn get rice': 209890, 'get rice anywhere': 347931, 'rice anywhere but': 721007, 'anywhere but shelf': 81096, 'but shelf were': 147032, 'shelf were stocked': 757773, 'were stocked high': 980179, 'stocked high in': 803341, 'high in my': 395129, 'asian supermarket plus': 95362, 'supermarket plus got': 822030, 'plus got some': 661616, 'got some ramune': 358854, 'some ramune soda': 783684, 'ramune soda which': 696492, 'soda which is': 781423, 'is also positive': 445573, 'affordable way': 34910, 'isolation market': 455341, 'crash pandemic': 215021, 'rendering fat': 710949, 'fat from': 300204, 'from beef': 334658, 'processing over': 680031, '25 pound': 15950, 'pound here': 667373, 'want an affordable': 965702, 'an affordable way': 55176, 'affordable way to': 34911, 'quarantine isolation market': 692312, 'isolation market crash': 455342, 'market crash pandemic': 516248, 'crash pandemic try': 215022, 'try rendering fat': 934559, 'rendering fat from': 710950, 'fat from beef': 300205, 'from beef or': 334659, 'or pork processing': 616642, 'pork processing over': 664817, 'processing over 25': 680032, 'over 25 pound': 629810, '25 pound here': 15951, 'pound here ask': 667374, 'katrina is': 471068, 'nice example': 562395, 'sudden external': 816999, 'not caused': 568719, 'by overvalued': 153504, 'confidence good': 193873, 'news long': 560593, 'run effect': 727617, 'effect not': 269038, 'bad income': 107904, 'income recover': 432442, 'recover bad': 705164, 'news short': 560791, 'effect very': 269154, 'hurricane katrina is': 411481, 'katrina is nice': 471069, 'is nice example': 449901, 'nice example of': 562396, 'example of sudden': 288949, 'of sudden external': 590370, 'sudden external shock': 817000, 'shock that like': 759519, 'that like covid': 844886, '19 wa not': 11873, 'wa not caused': 962760, 'not caused by': 568720, 'caused by overvalued': 167853, 'by overvalued housing': 153505, 'consumer confidence good': 196900, 'confidence good news': 193874, 'good news long': 357452, 'news long run': 560594, 'long run effect': 501608, 'run effect not': 727618, 'effect not bad': 269039, 'not bad income': 568321, 'bad income recover': 107905, 'income recover bad': 432443, 'recover bad news': 705165, 'bad news short': 107957, 'news short run': 560792, 'short run effect': 764684, 'run effect very': 727619, 'effect very bad': 269155, 'definitely is': 232356, 'is instruction': 448942, 'exercise social': 290100, 'ok maybe not': 597835, 'maybe not stay': 521757, 'home but social': 400846, 'in my book': 425544, 'my book is': 547497, 'book is not': 134552, 'going to huge': 355624, 'to huge supermarket': 908045, 'huge supermarket and': 410219, 'and there definitely': 73835, 'there definitely is': 878313, 'definitely is instruction': 232357, 'is instruction for': 448943, 'instruction for people': 440551, 'for people over': 324458, 'over 70 to': 629922, '70 to exercise': 21848, 'to exercise social': 905419, 'exercise social distancing': 290101, 'hostess': 404935, 'hostessgift': 404938, 'the hostess': 857553, 'hostess gift': 404936, '19 hostessgift': 7580, 'hostessgift toiletpaper': 404939, 'the hostess gift': 857554, 'hostess gift of': 404937, 'gift of 2020': 350002, 'of 2020 19': 579485, '2020 19 hostessgift': 14099, '19 hostessgift toiletpaper': 7581, 'debtor': 230630, 'sanchez energy': 733603, 'energy corporation': 276423, 'corporation and': 207382, 'and crash': 60690, 'likely leaf': 492047, 'leaf dip': 483796, 'dip lender': 243203, 'lender impaired': 486234, 'impaired failure': 418285, 'file credible': 305344, 'credible plan': 216286, 'by march': 153165, 'march 23rd': 515191, '23rd deadline': 15512, 'deadline leaf': 229224, 'leaf debtor': 483794, 'debtor in': 230631, 'in breach': 420954, 'of dip': 582629, 'dip facility': 243182, 'facility bankruptcy': 295311, 'bankruptcy challenge': 110517, 'sanchez energy corporation': 733604, 'energy corporation and': 276424, 'corporation and crash': 207383, 'and crash of': 60691, 'crash of commodity': 215012, 'of commodity price': 581580, 'commodity price likely': 189279, 'price likely leaf': 675052, 'likely leaf dip': 492048, 'leaf dip lender': 483797, 'dip lender impaired': 243204, 'lender impaired failure': 486235, 'impaired failure to': 418286, 'failure to file': 296299, 'to file credible': 905828, 'file credible plan': 305345, 'credible plan by': 216287, 'plan by march': 658086, 'by march 23rd': 153167, 'march 23rd deadline': 515192, '23rd deadline leaf': 15513, 'deadline leaf debtor': 229225, 'leaf debtor in': 483795, 'debtor in breach': 230632, 'in breach of': 420955, 'breach of dip': 138363, 'of dip facility': 582630, 'dip facility bankruptcy': 243183, 'facility bankruptcy challenge': 295312, 'salesians': 732687, 'wearedonbosco': 974531, 'salesian': 732686, 'family increase': 297933, 'across argentina': 29262, 'argentina salesians': 92648, 'salesians work': 732688, 'demand argentina': 235027, 'argentina wearedonbosco': 92650, 'wearedonbosco salesian': 974532, 'help poor family': 390337, 'poor family increase': 664170, 'family increase across': 297934, 'increase across argentina': 432657, 'across argentina salesians': 29263, 'argentina salesians work': 92649, 'salesians work to': 732689, 'the demand argentina': 853086, 'demand argentina wearedonbosco': 235028, 'argentina wearedonbosco salesian': 92651, 'arabia ha led': 83886, 'led to historic': 485286, 'to historic drop': 907829, 'state and increasing': 795368, 'increasing their ability': 433714, 'people disabled': 647664, 'cast to': 166764, 'side yet': 768918, 'again blame': 36923, 'fiasco the': 304370, 'badly dealt': 108148, 'with onlineshopping': 999908, 'onlineshopping lockdown': 609913, 'really is unacceptable': 702355, 'is unacceptable that': 453426, 'unacceptable that vulnerable': 939373, 'that vulnerable people': 847266, 'vulnerable people disabled': 961086, 'people disabled people': 647665, 'disabled people have': 243940, 'been cast to': 120803, 'cast to the': 166765, 'the side yet': 867161, 'side yet again': 768919, 'yet again blame': 1015972, 'again blame the': 36924, 'government for this': 360103, 'for this online': 327054, 'shopping fiasco the': 762638, 'fiasco the whole': 304371, 'whole situation ha': 990326, 'situation ha been': 772294, 'been very badly': 122329, 'very badly dealt': 955006, 'badly dealt with': 108149, 'dealt with onlineshopping': 229721, 'with onlineshopping lockdown': 999909, 'difficult during': 242211, 'outbreak download': 628178, 'the top three': 869797, 'top three thing': 925741, 'three thing that': 894072, 'will make online': 994088, 'shopping more difficult': 763286, 'more difficult during': 539036, 'difficult during the': 242212, '19 outbreak download': 9116, 'outbreak download our': 628179, 'download our report': 257616, 'drastic reduction': 258411, 'but considering': 145441, 'donation can': 254569, 'understand the drastic': 940754, 'the drastic reduction': 853671, 'drastic reduction in': 258412, 'demand of produce': 235955, 'produce and milk': 680183, 'and milk from': 67013, 'milk from restaurant': 531683, 'from restaurant but': 337087, 'restaurant but considering': 716339, 'but considering all': 145442, 'people buying at': 647341, 'at market and': 99681, 'market and food': 515966, 'food donation can': 314268, 'donation can all': 254570, 'can all that': 157440, 'that food go': 843905, 'food go there': 314679, 'go there 19': 354218, 'impact severe': 417958, 'severe job': 754030, 'loss likely': 503720, 'likely across': 491940, 'sector could': 744144, 'could shed': 209666, 'shed around': 756503, 'around one': 93429, 'one lakh': 606570, 'lakh job': 479111, '19 impact severe': 7712, 'impact severe job': 417959, 'severe job loss': 754031, 'job loss likely': 465979, 'loss likely across': 503721, 'likely across sector': 491941, 'across sector in': 29447, 'sector in india': 744232, 'in india consumer': 424027, 'india consumer retail': 434355, 'retail and service': 717836, 'service sector could': 752794, 'sector could shed': 744145, 'could shed around': 209667, 'shed around one': 756504, 'around one lakh': 93430, 'one lakh job': 606571, 'centr': 169354, 'reason outside': 702973, 'long service': 501617, 'service leave': 752556, 'blow but': 133301, 'suck my': 816907, 'partner job': 642845, 'house mate': 406402, 'mate work': 520354, 'in hospitality': 423825, 'hospitality hope': 404772, 'to centr': 902563, 'thank you my': 841783, 'you my store': 1019945, 'closed for reason': 183131, 'for reason outside': 325002, 'reason outside of': 702974, 'outside of covid': 629504, '19 luckily have': 8486, 'luckily have long': 506504, 'have long service': 381370, 'long service leave': 501618, 'service leave to': 752557, 'leave to cushion': 485007, 'the blow but': 849796, 'blow but it': 133302, 'still suck my': 801250, 'suck my partner': 816908, 'my partner job': 549721, 'partner job is': 642846, 'job is very': 465912, 'is very safe': 453695, 'very safe my': 955497, 'safe my house': 729832, 'my house mate': 548736, 'house mate work': 406403, 'mate work in': 520355, 'work in hospitality': 1005315, 'in hospitality hope': 423827, 'hospitality hope you': 404773, 'through to centr': 894863, 'warning angry': 967085, 'angry mum': 76479, 'mum video': 545963, 'calpol the': 156916, 'child paracetamol': 176171, 'at extreme': 98602, 'warning angry mum': 967086, 'angry mum video': 76480, 'mum video about': 545964, 'video about people': 956598, 'about people selling': 25940, 'people selling calpol': 649401, 'selling calpol the': 749193, 'calpol the child': 156917, 'the child paracetamol': 850824, 'child paracetamol at': 176172, 'paracetamol at extreme': 641226, 'at extreme price': 98603, 'extreme price please': 293825, 'price please stop': 675887, 'please stop them': 660593, 'stop them from': 805165, 'from doing this': 335183, 'supermarket enforces': 820167, 'enforces local': 276806, 'local only': 498233, 'only policy': 610995, 'supermarket enforces local': 820168, 'enforces local only': 276807, 'local only policy': 498234, 'only policy during': 610996, 'policy during panic': 663388, 'during panic via': 262913, 'next mths': 561466, 'mths rent': 544622, 'mths price': 544620, 'the next mths': 861681, 'next mths rent': 561468, 'mths rent price': 544623, 'for next mths': 323853, 'next mths price': 561467, 'mths price on': 544621, 'syrian trading': 831060, 'trading shopping': 928919, 'center continue': 169177, 'offering food': 595105, 'syrian trading shopping': 831061, 'trading shopping center': 928920, 'shopping center continue': 762340, 'center continue offering': 169178, 'continue offering food': 201079, 'offering food basic': 595106, 'food basic product': 313684, 'basic product and': 112030, 'and disinfectant at': 61442, 'disinfectant at affordable': 245621, 'affordable price despite': 34875, 'price despite the': 673432, 'despite the epidemic': 238881, 'real horrible': 701207, 'horrible if': 404104, 'is 19': 445175, 'this real horrible': 889814, 'real horrible if': 701208, 'horrible if it': 404105, 'it is 19': 458854, 'is 19 toiletpaper': 445176, 'guidance today': 368297, 'renter who': 711308, 'issued guidance today': 456067, 'guidance today for': 368298, 'today for renter': 919540, 'for renter who': 325128, 'renter who cannot': 711309, 'pay their rent': 645161, 'their rent due': 874548, 'rent due to': 711073, 'etretail hindustan': 283175, 'etretail hindustan unilever': 283176, 'humanatm': 410669, 'send drink': 749846, 'drink to': 258886, '30 time': 17240, 'moneyslave humanatm': 537208, 'humanatm cashpig': 410670, 'to send drink': 914208, 'send drink to': 749847, 'drink to me': 258887, 'to me later': 909939, 'me later 30': 523053, 'later 30 time': 481012, '30 time so': 17241, 'walletrinse moneyslave humanatm': 965231, 'moneyslave humanatm cashpig': 537209, 'family spending': 298240, 'time together': 898108, 'together wish': 921037, 'wish they': 996824, 'thing coughing': 884250, 'to see family': 914006, 'see family spending': 745105, 'family spending time': 298241, 'spending time together': 789020, 'time together wish': 898109, 'together wish they': 921038, 'wish they would': 996825, 'they would not': 883947, 'would not bring': 1012074, 'not bring their': 568625, 'child in the': 176117, 'store ve seen': 811045, 'seen them running': 747307, 'them running around': 876231, 'running around touching': 727919, 'around touching thing': 93601, 'touching thing coughing': 926744, 'thing coughing and': 884251, 'coughing and parent': 208664, 'and parent are': 68711, 'parent are clueless': 641581, 'were around': 979337, '2nd world': 16816, 'horrendous however': 404078, 'in stophoarding': 428369, 'stophoarding washhands': 805513, 'this were around': 891342, 'were around in': 979338, 'around in the': 93350, 'the 2nd world': 848079, '2nd world war': 16817, 'world war this': 1010139, 'is horrendous however': 448543, 'horrendous however they': 404079, 'however they re': 409496, 'staying in stophoarding': 798645, 'in stophoarding washhands': 428370, 'mtnews': 544643, 'highwaypatrol': 396162, 'cool update': 203058, 'update eastern': 946942, 'eastern montana': 265589, 'montana hospital': 537492, 'get special': 348092, 'delivery mtnews': 234194, 'mtnews highwaypatrol': 544644, 'highwaypatrol whiskey': 396163, 'cool update eastern': 203059, 'update eastern montana': 946943, 'eastern montana hospital': 265590, 'montana hospital get': 537493, 'hospital get special': 404423, 'get special delivery': 348093, 'special delivery mtnews': 787885, 'delivery mtnews highwaypatrol': 234195, 'mtnews highwaypatrol whiskey': 544645, 'time try': 898143, 'margarita handsanitizer': 515598, 'handsanitizer socialdistancing': 376641, 'every time try': 286322, 'time try to': 898144, 'like margarita handsanitizer': 490711, 'margarita handsanitizer socialdistancing': 515599, 'paving': 644670, 'developing the': 239794, 'ca department': 154870, 'affair just': 34061, 'just waived': 470201, 'waived restriction': 964539, 'student clinical': 814660, 'clinical hour': 182323, 'hour paving': 405846, 'paving the': 644671, 'to graduate': 906976, 'graduate and': 361709, 'nurse critical': 577256, 'critical timing': 218703, 'timing they': 898520, 'developing the ca': 239795, 'the ca department': 850255, 'ca department of': 154871, 'consumer affair just': 196095, 'affair just waived': 34062, 'just waived restriction': 470202, 'waived restriction on': 964540, 'restriction on nursing': 717346, 'on nursing student': 602462, 'nursing student clinical': 577632, 'student clinical hour': 814661, 'clinical hour paving': 182324, 'hour paving the': 405847, 'paving the way': 644672, 'thousand of student': 893466, 'of student to': 590323, 'student to graduate': 814791, 'to graduate and': 906977, 'graduate and become': 361710, 'and become nurse': 58797, 'become nurse critical': 120080, 'nurse critical timing': 577257, 'critical timing they': 218704, 'timing they are': 898521, 'are needed for': 88199, 'needed for patient': 556361, 'beverage are': 128988, 'that momentum': 845205, 'momentum may': 536160, 'not sustain': 571886, 'and beverage are': 58926, 'beverage are selling': 128989, 'unemployed that momentum': 941141, 'that momentum may': 845206, 'momentum may not': 536161, 'may not sustain': 521392, 'cashlessociety': 166705, 'cash doe': 166213, 'are touched': 91159, 'hand cashlessociety': 374860, 'cashlessociety auspol': 166706, 'cash doe not': 166214, 'virus all the': 957905, 'supermarket are touched': 819189, 'are touched by': 91160, 'many people before': 514490, 'before you use': 123340, 'you use common': 1022000, 'sense and wash': 750492, 'your hand cashlessociety': 1024176, 'hand cashlessociety auspol': 374861, 'little nicer': 495484, 'never they': 558219, 'everything little': 287908, 'we worker': 973956, 'worker make': 1007344, 'paid enough': 634003, 'with asshole': 997321, 'asshole on': 96540, 'basis essentialworkers': 112236, 'you would think': 1022460, 'would think people': 1012332, 'think people would': 885492, 'be little nicer': 115775, 'little nicer during': 495485, 'nicer during this': 562550, 'during this but': 263264, 'this but never': 886644, 'but never they': 146467, 'never they want': 558220, 'complain about everything': 191844, 'about everything little': 25205, 'everything little thing': 287909, 'little thing we': 495614, 'thing we worker': 884971, 'we worker make': 973957, 'worker make the': 1007346, 'make the price': 510577, 'for food etc': 321581, 'food etc not': 314403, 'etc not we': 282678, 'not we essential': 572466, 'we essential worker': 971478, 'essential worker do': 281826, 'get paid enough': 347764, 'paid enough to': 634004, 'enough to interact': 277708, 'interact with asshole': 441203, 'with asshole on': 997322, 'asshole on regular': 96541, 'regular basis essentialworkers': 707741, 'not sink': 571604, 'sink any': 771463, 'any lower': 79435, 'lower they': 506032, 'start stealing': 794516, 'stealing sanitiser': 799248, 'supermarket donation': 820004, 'donation bin': 254562, 'bin you': 131052, 're beyond': 698367, 'beyond selfish': 129230, 'selfish stay': 748264, 'classy uk': 180394, 'uk selfishpeople': 938701, 'selfishpeople stophoarding': 748396, 'could not sink': 209457, 'not sink any': 571605, 'sink any lower': 771464, 'any lower they': 79437, 'lower they start': 506033, 'they start stealing': 883440, 'start stealing sanitiser': 794517, 'stealing sanitiser from': 799249, 'sanitiser from hospital': 733960, 'and food from': 63052, 'from supermarket donation': 337479, 'supermarket donation bin': 820005, 'donation bin you': 254563, 'bin you re': 131053, 'you re beyond': 1020577, 're beyond selfish': 698368, 'beyond selfish stay': 129231, 'selfish stay classy': 748265, 'stay classy uk': 796825, 'classy uk selfishpeople': 180395, 'uk selfishpeople stophoarding': 938702, 'problem whatsoever': 679742, 'whatsoever people': 982923, 'chain price': 171008, 'without the there': 1002981, 'the there would': 869429, 'not be any': 568354, 'be any problem': 113652, 'any problem whatsoever': 79690, 'problem whatsoever people': 679743, 'whatsoever people are': 982924, 'supply chain price': 825010, 'chain price for': 171009, 'price for key': 673986, 'for key food': 322827, 'key food staple': 473295, 'staple are starting': 793909, 'starting to soar': 795040, 'soar in some': 779254, 'collectively battle': 186525, 'with resource': 1000477, 'we collectively battle': 971141, 'collectively battle the': 186526, 'battle the coronavirus': 112824, 'we re with': 973001, 're with you': 699810, 'with you and': 1002143, 'you and are': 1016978, 'and are focused': 58314, 'on providing you': 602994, 'you with resource': 1022387, 'with resource to': 1000478, 'support you and': 827007, 'them pickup': 876161, 'pickup curbside': 655953, 'as off': 94785, 'there baby': 878202, 'shopping shes': 763856, 'shes going': 758096, 'should only do': 766290, 'only do online': 610339, 'do online order': 249936, 'online order have': 608692, 'order have them': 618286, 'have them pickup': 383070, 'them pickup curbside': 876162, 'pickup curbside my': 655954, 'sister is working': 771762, 'working her as': 1008699, 'her as off': 391861, 'as off and': 94786, 'off and there': 593648, 'and there baby': 73831, 'there baby in': 878203, 'are shopping shes': 90064, 'shopping shes going': 763857, 'shes going to': 758097, 'buying those': 151224, 'are preventing': 89212, 'panic buying those': 637934, 'buying those of': 151225, 'that are hoarding': 842760, 'are hoarding thing': 87211, 'hoarding thing stop': 399605, 'thing stop you': 884774, 'stop you look': 805295, 'you look like': 1019699, 'look like moron': 502497, 'like moron and': 490793, 'moron and are': 541577, 'and are preventing': 58343, 'are preventing people': 89214, 'preventing people who': 671822, 'who need those': 989329, 'need those thing': 555831, 'those thing from': 892555, 'thing from getting': 884346, 'from getting it': 335632, 'impacting direct': 418209, 'share daily': 754979, 'daily stats': 224811, 'stats by': 796612, 'by segment': 153910, 'segment showing': 747393, 'showing considerable': 767426, 'considerable variation': 195190, 'variation some': 952540, 'sector doing': 744171, 'doing poorly': 252605, 'poorly others': 664389, 'others faring': 621397, 'faring well': 299071, 'is impacting direct': 448699, 'impacting direct to': 418210, 'consumer company share': 196838, 'company share daily': 191070, 'share daily stats': 754980, 'daily stats by': 224812, 'stats by segment': 796613, 'by segment showing': 153911, 'segment showing considerable': 747394, 'showing considerable variation': 767427, 'considerable variation some': 195191, 'variation some sector': 952541, 'some sector doing': 783812, 'sector doing poorly': 744172, 'doing poorly others': 252606, 'poorly others faring': 664390, 'others faring well': 621398, 'rentstrike2020': 711341, 'rentfreezenow': 711310, 'one bedroom': 605988, 'bedroom apartment': 120457, 'apartment are': 81391, 'outrageous in': 629320, 'in gta': 423466, 'gta most': 367658, 'most tenant': 542802, 'paying 1500': 645367, '1500 plus': 3946, 'plus government': 661617, 'this rentstrike2020': 889868, 'rentstrike2020 rentfreezenow': 711342, 'rentfreezenow rent': 711311, 'rent price for': 711158, 'for one bedroom': 324078, 'one bedroom apartment': 605989, 'bedroom apartment are': 120458, 'apartment are outrageous': 81392, 'are outrageous in': 88896, 'outrageous in gta': 629321, 'in gta most': 423467, 'gta most tenant': 367659, 'most tenant are': 542803, 'tenant are paying': 837831, 'are paying 1500': 89007, 'paying 1500 plus': 645368, '1500 plus government': 3947, 'plus government should': 661618, 'not allow this': 568143, 'allow this rentstrike2020': 46092, 'this rentstrike2020 rentfreezenow': 889869, 'rentstrike2020 rentfreezenow rent': 711343, 'rentfreezenow rent tenant': 711312, 'hey allan': 394317, 'allan you': 45626, 'bar mat': 110729, 'mat at': 520253, 'distillery retail': 247804, 'in grimsby': 423435, 'grimsby while': 363979, 'hey allan you': 394318, 'allan you can': 45627, 'find the bar': 307281, 'the bar mat': 849272, 'bar mat at': 110730, 'mat at our': 520254, 'at our distillery': 100011, 'our distillery retail': 622777, 'distillery retail store': 247805, 'store in grimsby': 808307, 'in grimsby while': 423436, 'grimsby while we': 363980, 'while we remain': 987554, 'we remain closed': 973067, 'closed in response': 183180, 'll be sure': 496632, 'sure to let': 827771, 're open in': 699203, 'business amazon': 143268, 'reporting massive': 712714, 'be hiring': 115262, 'continues to shake': 201496, 'to shake the': 914325, 'shake the foundation': 754424, 'the foundation of': 855729, 'foundation of most': 330497, 'of most business': 586671, 'most business amazon': 542147, 'business amazon the': 143269, 'amazon the online': 51148, 'platform is reporting': 658992, 'is reporting massive': 451442, 'reporting massive increase': 712715, 'order the firm': 618629, 'the firm will': 855274, 'firm will be': 308457, 'will be hiring': 992500, 'be hiring 100': 115263, '00 more staff': 346, 'more staff for': 540443, 'staff for their': 792466, 'for their warehouse': 326882, 'their warehouse to': 875152, 'warehouse to meet': 966794, 'for their order': 326855, 'please honour': 660093, 'honour this': 403302, 'this card': 886700, '19 couldn': 6163, 'the expiry': 854733, 'expiry on': 292094, 'mar 28': 515001, 'you please honour': 1020358, 'please honour this': 660094, 'honour this card': 403303, 'this card for': 886701, 'card for online': 163524, 'covid 19 couldn': 212872, '19 couldn go': 6164, 'couldn go in': 209893, 'before the expiry': 123161, 'the expiry on': 854734, 'expiry on mar': 292095, 'on mar 28': 602004, 'dog still': 252171, 'not euthanasia': 569230, 'shelter dog still': 757912, 'dog still need': 252172, 'still need our': 800858, 'maybe not euthanasia': 521753, 'not euthanasia it': 569231, 'shop online help': 760572, 'online help shop': 608364, 'had today': 373743, 'wa followed': 962141, 'followed until': 312621, 'too would': 925177, 'being co': 124966, 'to abuse the': 899925, 'team had today': 835659, 'had today in': 373744, 'doubt they will': 256228, 'come back wa': 187246, 'back wa followed': 107443, 'wa followed until': 962142, 'followed until my': 312622, 'until my car': 943790, 'car and yelled': 163007, 'yelled at it': 1015227, 'it and got': 456494, 'and got out': 63861, 'got out too': 358772, 'out too would': 627726, 'too would rather': 925178, 'would rather take': 1012160, 'of being co': 580637, 'let summarize': 487090, 'summarize it': 817916, 'resident declaration': 714283, 'war fall': 966427, 'market call': 516138, 'let summarize it': 487091, 'summarize it so': 817917, 'it so far': 461108, 'far the epidemic': 298929, 'the epidemic ha': 854437, 'epidemic ha turned': 279375, 'closure of resident': 183972, 'of resident declaration': 588976, 'resident declaration of': 714284, 'of war fall': 592906, 'war fall in': 966428, 'price collapse of': 673171, 'collapse of financial': 186037, 'financial market call': 306497, 'market call for': 516139, 'call for recession': 155887, 'here raising': 393500, 'raising people': 696103, 'cable price': 155026, 'crisis and is': 217031, 'and is out': 65424, 'out here raising': 626294, 'here raising people': 393501, 'raising people internet': 696104, 'people internet and': 648494, 'internet and cable': 441905, 'and cable price': 59391, 'been handing': 121253, 'shortage 7news': 764796, 'ha been handing': 369822, 'been handing out': 121254, 'out toilet roll': 627710, 'roll to help': 725556, 'help see customer': 390498, 'see customer through': 745027, 'customer through the': 222948, 'the supermarket shortage': 868800, 'supermarket shortage 7news': 822664, 'and unfortunately': 74665, 'unfortunately our': 941630, 'our blood': 622231, 'blood shelf': 133140, 'vital need': 959710, 'red cell': 705569, 'cell please': 168963, 'scare ha caused': 740881, 'caused the grocery': 167970, 'store shelf to': 810105, 'shelf to empty': 757699, 'to empty and': 905030, 'empty and unfortunately': 274779, 'and unfortunately our': 74666, 'unfortunately our blood': 941631, 'our blood shelf': 622232, 'blood shelf too': 133141, 'shelf too we': 757716, 'too we have': 925155, 'have now have': 381733, 'now have vital': 574886, 'have vital need': 383521, 'vital need for': 959711, 'need for and': 554824, 'for and red': 319338, 'and red cell': 70081, 'red cell please': 705570, 'cell please make': 168964, 'please make an': 660217, 'appointment to to': 82696, 'help patient in': 390273, 'patient in our': 644188, 'our community at': 622450, 'uk brace': 938215, 'weekend surge': 977419, 'buying chaos': 150108, 'chaos former': 173015, 'former waitrose': 329668, 'waitrose bos': 964447, 'bos warns': 135710, 'warns express': 967260, 'uk brace for': 938216, 'brace for weekend': 137492, 'for weekend surge': 327772, 'weekend surge in': 977420, 'surge in coronavirus': 828185, 'in coronavirus panic': 421807, 'panic buying chaos': 637677, 'buying chaos former': 150109, 'chaos former waitrose': 173016, 'former waitrose bos': 329669, 'waitrose bos warns': 964448, 'bos warns express': 135711, 'following product': 312822, 'the following product': 855519, 'following product for': 312823, 'product for your': 681210, 'week what do': 977217, 'sure however': 827580, 'one common': 606078, 'common place': 189435, 'every member': 286004, 'visit in': 959276, 'some big': 782405, 'potential transmission': 667159, 'about cafe': 24922, 'cafe doing': 155103, 'takeaway jus': 832877, 'not sure however': 571839, 'sure however the': 827581, 'however the one': 409478, 'the one common': 862195, 'one common place': 606079, 'common place that': 189436, 'place that every': 657711, 'that every member': 843752, 'every member of': 286005, 'public is allowed': 688120, 'allowed to visit': 46253, 'to visit in': 918207, 'visit in isolation': 959277, 'isolation or not': 455376, 'not is the': 570174, 'supermarket that some': 823198, 'that some big': 846384, 'some big number': 782406, 'big number and': 129878, 'number and potential': 576819, 'and potential transmission': 69263, 'potential transmission risk': 667160, 'transmission risk and': 929764, 'risk and we': 723381, 'we re worried': 973004, 'worried about cafe': 1010478, 'about cafe doing': 24923, 'cafe doing takeaway': 155104, 'doing takeaway jus': 252697, 'letsdothis': 487254, 'happythoughts': 377781, 'hmmhotmessmama': 398710, 'challenge let': 171497, 'challenge quarantine': 171535, 'quarantine homeschooling': 692263, 'homeschooling toiletpaper': 402951, 'toiletpaper booze': 921821, 'booze letsdothis': 135167, 'letsdothis monday': 487255, 'monday happythoughts': 536296, 'happythoughts spreadjoy': 377782, 'spreadjoy hmmhotmessmama': 791105, 'for the challenge': 326339, 'the challenge let': 850646, 'challenge let do': 171498, 'let do this': 486682, 'do this challenge': 250347, 'this challenge quarantine': 886729, 'challenge quarantine homeschooling': 171536, 'quarantine homeschooling toiletpaper': 692264, 'homeschooling toiletpaper booze': 402952, 'toiletpaper booze letsdothis': 921822, 'booze letsdothis monday': 135168, 'letsdothis monday happythoughts': 487256, 'monday happythoughts spreadjoy': 536297, 'happythoughts spreadjoy hmmhotmessmama': 377783, 'say nh': 738974, 'offered and': 594904, 'and dedicated': 61035, 'we signed': 973323, 'imagine being that': 416697, 'being that person': 125923, 'that person that': 845723, 'person that say': 652636, 'that say nh': 846138, 'say nh staff': 738975, 'nh staff don': 562085, 'staff don deserve': 792385, 'deserve the discount': 238130, 'the discount we': 853352, 'discount we re': 244566, 're being offered': 698361, 'being offered and': 125476, 'offered and dedicated': 594905, 'and dedicated supermarket': 61036, 'opening time because': 612922, 'time because we': 896376, 'because we knew': 119808, 'we knew what': 972145, 'knew what we': 476099, 'what we signed': 982565, 'we signed up': 973324, 'up for 19': 944912, 'inaccessible': 431182, 'data re': 226375, 'any surprise': 79933, 'and education': 61942, 'how inaccessible': 408050, 'inaccessible they': 431183, 'that having': 844248, 'economy usacovid19': 268315, 'really interesting data': 702345, 'interesting data re': 441539, 'data re consumer': 226376, 're consumer price': 698459, 'price index in': 674811, 'index in the': 434206, 'usa is it': 948675, 'it any surprise': 456543, 'any surprise that': 79934, 'surprise that health': 828546, 'that health and': 844278, 'health and education': 386136, 'and education are': 61943, 'education are where': 268811, 'are where they': 91623, 'they are we': 881457, 'are we know': 91575, 'know how inaccessible': 476443, 'how inaccessible they': 408051, 'inaccessible they both': 431184, 'they both are': 881570, 'both are but': 135854, 'are but what': 85108, 'but what impact': 147791, 'impact is that': 417719, 'is that having': 452655, 'that having now': 844249, 'having now during': 384196, 'pandemic economy usacovid19': 635360, 'toiletry item': 923433, 'fine it': 307653, 'that emptying': 843702, 'than trucker': 841362, 'trucker can': 932908, 'can transport': 160031, 'transport the': 929957, 'enough let': 277507, 'by denying': 152337, 'denying people': 237157, 'people fair': 647866, 'to stuff': 915705, 'store chill': 806964, 'chill folk': 176349, 'of food toiletry': 583806, 'food toiletry item': 317324, 'toiletry item are': 923434, 'item are just': 463095, 'are just fine': 87623, 'just fine it': 468724, 'fine it panic': 307654, 'buying hoarding that': 150495, 'hoarding that emptying': 399579, 'that emptying shelf': 843703, 'emptying shelf faster': 275279, 'faster than trucker': 300130, 'than trucker can': 841363, 'trucker can transport': 932909, 'can transport the': 160032, 'transport the supply': 929958, 'supply is bad': 825433, 'bad enough let': 107841, 'enough let not': 277508, 'let not make': 486942, 'it worse by': 462546, 'worse by denying': 1010895, 'by denying people': 152338, 'denying people fair': 237158, 'people fair access': 647867, 'access to stuff': 28281, 'to stuff they': 915706, 'stuff they need': 815212, 'need at their': 554497, 'their store chill': 874851, 'store chill folk': 806965, 'choicebird giving': 177841, 'by pay': 153535, 'to current situation': 903828, '19 choicebird giving': 5809, 'choicebird giving free': 177842, 'sanitizer in free': 735136, 'in free just': 423099, 'just by pay': 468400, 'by pay shipping': 153536, 'pay shipping offer': 645106, 'ottobock': 621923, 'holm': 400475, 'amputee': 54917, 'ottobockcares': 621926, 'facebook livestream': 294959, 'livestream event': 496285, 'march 25th': 515208, '25th at': 16106, 'at 12pm': 97460, '12pm cdt': 3124, 'cdt where': 168690, 'where ottobock': 985078, 'ottobock manager': 621924, 'engagement aaron': 276886, 'aaron holm': 24147, 'holm will': 400476, 'he stay': 385467, 'stay mentally': 797123, 'mentally and': 528725, 'and physically': 69003, 'physically healthy': 655518, 'healthy an': 387513, 'an amputee': 55296, 'amputee during': 54918, 'outbreak ottobockcares': 628508, 'join for facebook': 466712, 'for facebook livestream': 321356, 'facebook livestream event': 294960, 'livestream event on': 496286, 'event on march': 285040, 'on march 25th': 602022, 'march 25th at': 515209, '25th at 12pm': 16107, 'at 12pm cdt': 97461, '12pm cdt where': 3125, 'cdt where ottobock': 168691, 'where ottobock manager': 985079, 'ottobock manager of': 621925, 'of consumer engagement': 581737, 'consumer engagement aaron': 197366, 'engagement aaron holm': 276887, 'aaron holm will': 24148, 'holm will discus': 400477, 'discus how he': 244865, 'how he stay': 407984, 'he stay mentally': 385468, 'stay mentally and': 797124, 'mentally and physically': 528726, 'and physically healthy': 69004, 'physically healthy an': 655519, 'healthy an amputee': 387514, 'an amputee during': 55297, 'amputee during the': 54919, '19 outbreak ottobockcares': 9164, 'sailor': 731631, 'pilgrim': 656562, 'sailor pilgrim': 731632, 'pilgrim stuck': 656563, 'iran since': 444707, 'since yest': 771009, 'yest several': 1015635, 'several message': 753893, 'mail to': 508664, 'the mea': 860335, 'mea and': 524060, 'and embassy': 62028, 'embassy and': 272466, 'no help': 564419, 'shelter mea': 757939, 'mea will': 524064, 'you pitch': 1020340, 'your helpline': 1024313, 'helpline if': 391593, 'one doesn': 606203, 'doesn respond': 251927, 'sailor pilgrim stuck': 731633, 'pilgrim stuck in': 656564, 'stuck in iran': 814593, 'in iran since': 424147, 'iran since yest': 444708, 'since yest several': 771010, 'yest several message': 1015636, 'several message and': 753894, 'message and mail': 529264, 'and mail to': 66516, 'mail to the': 508665, 'to the mea': 916874, 'the mea and': 860336, 'mea and embassy': 524061, 'and embassy and': 62029, 'embassy and yet': 272467, 'and yet no': 75988, 'yet no help': 1016163, 'no help people': 564420, 'help people are': 390284, 'are struggling for': 90586, 'for food shelter': 321627, 'food shelter mea': 316461, 'shelter mea will': 757940, 'mea will you': 524065, 'will you pitch': 995393, 'you pitch in': 1020341, 'pitch in what': 657010, 'in what the': 430834, 'what the use': 982372, 'use of your': 949435, 'of your helpline': 593485, 'your helpline if': 1024314, 'helpline if one': 391594, 'if one doesn': 414539, 'one doesn respond': 606204, 'forsale': 329762, 'risingrents': 723334, 'atsocialmediauk': 102006, 'rtukseller': 726875, 'uksmallbiz': 939060, 'ukhashtags': 938971, 'smeuk': 775656, 'home seller': 402034, 'seller push': 749060, 'push asking': 690245, 'just coronavirus': 468525, 'hit property': 398380, 'property property': 684345, 'property propertyinvestment': 684347, 'propertyinvestment forsale': 684379, 'forsale landlord': 329763, 'landlord tenant': 479369, 'tenant risingrents': 837855, 'risingrents atsocialmediauk': 723335, 'atsocialmediauk rtukseller': 102007, 'rtukseller uksmallbiz': 726876, 'uksmallbiz ukhashtags': 939061, 'ukhashtags smeuk': 938972, 'home seller push': 402035, 'seller push asking': 749061, 'push asking price': 690246, 'asking price to': 96047, 'price to new': 677019, 'new high just': 558880, 'high just coronavirus': 395148, 'just coronavirus hit': 468526, 'coronavirus hit property': 206085, 'hit property property': 398381, 'property property propertyinvestment': 684346, 'property propertyinvestment forsale': 684348, 'propertyinvestment forsale landlord': 684380, 'forsale landlord tenant': 329764, 'landlord tenant risingrents': 479370, 'tenant risingrents atsocialmediauk': 837856, 'risingrents atsocialmediauk rtukseller': 723336, 'atsocialmediauk rtukseller uksmallbiz': 102008, 'rtukseller uksmallbiz ukhashtags': 726877, 'uksmallbiz ukhashtags smeuk': 939062, 'versa': 954880, 'together of': 920882, 'foodservice world': 318115, 'world forever': 1009568, 'forever but': 329101, 'but until': 147669, 'former would': 329670, 'latter and': 481673, 'not vice': 572396, 'vice versa': 956434, 'been watching the': 122356, 'watching the coming': 968794, 'the coming together': 851201, 'coming together of': 188245, 'together of the': 920883, 'supermarket and foodservice': 818985, 'and foodservice world': 63121, 'foodservice world forever': 318116, 'world forever but': 1009569, 'forever but until': 329102, 'but until covid': 147670, 'always about how': 49456, 'how the former': 408825, 'the former would': 855716, 'former would become': 329671, 'would become more': 1011679, 'more like the': 539694, 'like the latter': 491376, 'the latter and': 859161, 'latter and not': 481674, 'and not vice': 67789, 'not vice versa': 572397, 'recover quickly': 705190, 'sentiment will not': 751033, 'not recover quickly': 571272, 'recover quickly after': 705191, 'quickly after covid': 694458, 'delivered yes': 233453, 'yes with': 1015613, 'with stuff': 1001029, 'stuff missing': 815131, 'most snack': 542751, 'snack for': 776007, 'kid cat': 473898, 'wine supermarket': 995909, 'supermarket thankyou': 823175, 'you my shopping': 1019944, 'my shopping is': 550057, 'is being delivered': 446075, 'being delivered yes': 125034, 'delivered yes with': 233454, 'yes with stuff': 1015614, 'with stuff missing': 1001030, 'stuff missing but': 815132, 'missing but ve': 534285, 'but ve got': 147681, 'got the stuff': 358915, 'the stuff need': 868330, 'stuff need most': 815138, 'need most snack': 555273, 'most snack for': 542752, 'snack for kid': 776008, 'for kid cat': 322837, 'kid cat food': 473899, 'food and wine': 313384, 'and wine supermarket': 75721, 'wine supermarket thankyou': 995910, 'milk fruit': 531686, 'purchase each': 689434, 'day during': 227546, 'primarily harvested': 678039, 'harvested by': 378645, 'by immigrant': 152868, 'immigrant documented': 417218, 'documented and': 251242, 'and undocumented': 74647, 'undocumented while': 941035, 'quarantine immigrant': 692281, 'immigrant work': 417244, 'that the milk': 846776, 'the milk fruit': 860608, 'milk fruit meat': 531687, 'fruit meat etc': 339113, 'meat etc we': 525558, 'we are rushing': 970695, 'to purchase each': 912526, 'purchase each day': 689435, 'each day during': 264040, 'day during this': 227547, 'pandemic is primarily': 635790, 'is primarily harvested': 451025, 'primarily harvested by': 678040, 'harvested by immigrant': 378646, 'by immigrant documented': 152869, 'immigrant documented and': 417219, 'documented and undocumented': 251243, 'and undocumented while': 74648, 'undocumented while many': 941036, 'many of quarantine': 514385, 'of quarantine immigrant': 588658, 'quarantine immigrant work': 692282, 'immigrant work hard': 417245, 'wilspow': 995514, 'dainfern': 224937, 'realestatelife': 701559, 'process link': 679924, 'video available': 956629, 'detail corona': 239181, 'isolation realestate': 455402, 'realestate wilspow': 701534, 'wilspow dainfern': 995515, 'dainfern home': 224938, 'home realtor': 401949, 'realtor realestatelife': 702796, 'start the online': 794555, 'shopping process link': 763682, 'process link and': 679925, 'link and video': 493791, 'and video available': 74955, 'video available dm': 956630, 'available dm for': 104321, 'more detail corona': 539018, 'detail corona quarantine': 239182, 'quarantine isolation realestate': 692314, 'isolation realestate wilspow': 455403, 'realestate wilspow dainfern': 701535, 'wilspow dainfern home': 995516, 'dainfern home realtor': 224939, 'home realtor realestatelife': 401950, 'preparing comprehensive': 670322, 'comprehensive and': 192622, 'and user': 74794, 'journalist work': 467463, 'is preparing comprehensive': 450994, 'preparing comprehensive and': 670323, 'comprehensive and user': 192623, 'and user friendly': 74795, 'user friendly guide': 950283, 'friendly guide to': 333966, 'of 19 which': 579423, 'published on sunday': 688680, 'on sunday march': 603765, 'sunday march 22': 818234, 'march 22 our': 515183, '22 our journalist': 15238, 'our journalist work': 623609, 'journalist work night': 467464, 'work night and': 1005489, 'accurate and reliable': 28889, 'and reliable information': 70197, 'reliable information to': 709211, 'information to our': 438015, 'announces 10': 77230, 'million loan': 532220, 'assistance of': 96722, '50 funding': 19702, 'funding complete': 341588, 'complete part': 192133, 'mabiz released': 507298, 'released apply': 709021, 'announces 10 million': 77231, '10 million loan': 1527, 'million loan fund': 532221, 'provide financial assistance': 686291, 'financial assistance of': 306332, 'assistance of up': 96723, 'to 75 00': 899829, '75 00 to': 22103, '00 to ma': 548, 'with 50 funding': 997032, '50 funding complete': 19703, 'funding complete part': 341589, 'complete part time': 192134, 'time employee affected': 896611, 'affected by mabiz': 34316, 'by mabiz released': 153118, 'mabiz released apply': 507299, 'perhaps if': 651600, 'owner were': 632597, '19 tourist': 11528, 'tourist it': 927036, 'might encourage': 530961, 'to shorten': 914533, 'shorten their': 765337, 'their stay': 874818, 'perhaps if supermarket': 651601, 'if supermarket owner': 414898, 'supermarket owner were': 821881, 'owner were to': 632598, 'were to refuse': 980270, 'refuse to sell': 707042, 'to sell good': 914153, 'sell good to': 748746, 'good to covid': 357873, 'covid 19 tourist': 213971, '19 tourist it': 11529, 'tourist it might': 927037, 'it might encourage': 459613, 'might encourage them': 530962, 'them to shorten': 876512, 'to shorten their': 914534, 'shorten their stay': 765338, 'their stay here': 874819, 'modesto': 535438, 'frito': 334092, 'with brisk': 997482, 'brisk demand': 140307, 'pressure modesto': 671185, 'modesto frito': 535439, 'frito lay': 334093, 'lay factory': 482593, 'factory temporarily': 295997, 'after multiple': 35937, 'multiple employee': 545746, 'employee show': 274210, 'food maker are': 315362, 'maker are doing': 510818, 'up with brisk': 946619, 'with brisk demand': 997483, 'brisk demand and': 140308, 'demand and this': 235005, 'going to add': 355520, 'to the pressure': 916978, 'the pressure modesto': 864298, 'pressure modesto frito': 671186, 'modesto frito lay': 535440, 'frito lay factory': 334094, 'lay factory temporarily': 482594, 'factory temporarily close': 295998, 'close after multiple': 182496, 'after multiple employee': 35938, 'multiple employee show': 545747, 'employee show covid': 274211, 'staple increase': 793962, 'on labor': 601782, 'labor remain': 478431, 'remain concern': 709733, 'food staple increase': 316743, 'staple increase covid': 793963, 'impact on labor': 417866, 'on labor remain': 601783, 'labor remain concern': 478432, 'section that': 744043, 'left empty': 485454, 'empty due': 274854, 'lady wa cry': 478855, 'food section that': 316325, 'section that wa': 744044, 'wa left empty': 962521, 'left empty due': 485455, 'empty due to': 274855, 'buying the next': 151171, 'supermarket think about': 823302, 'online commerce': 608023, 'commerce triggered': 188655, 'shifted shopping': 758500, 'shopping sentiment': 763835, 'and transaction': 74370, 'transaction from': 929451, 'digital retail': 242636, 'retail platform': 718396, 'kong learn': 477396, 'in online commerce': 426162, 'online commerce triggered': 608024, 'commerce triggered by': 188656, 'outbreak ha shifted': 628277, 'ha shifted shopping': 371905, 'shifted shopping sentiment': 758501, 'shopping sentiment and': 763836, 'sentiment and transaction': 750899, 'and transaction from': 74371, 'transaction from physical': 929452, 'from physical store': 336919, 'physical store to': 655471, 'store to digital': 810766, 'to digital retail': 904296, 'digital retail platform': 242637, 'retail platform in': 718397, 'platform in hong': 658981, 'hong kong learn': 403203, 'kong learn more': 477397, 'pendemic': 646467, 'we contemplate': 971182, 'contemplate this': 200762, 'this pendemic': 889497, 'pendemic people': 646468, 'but die': 145536, 'get drug': 346913, 'drug food': 260950, 'brother lender': 141081, 'lender china': 486220, 'battling seriously': 112872, 'seriously of': 751683, 'fg setting': 304340, 'up committee': 944619, 'committee cannot': 189056, 'cannot cut': 161742, 'it nysc': 459971, 'if we contemplate': 415272, 'we contemplate this': 971183, 'contemplate this pendemic': 200763, 'this pendemic people': 889498, 'pendemic people will': 646469, 'die of but': 241414, 'of but die': 580984, 'but die of': 145537, 'die of fear': 241422, 'of fear panic': 583459, 'fear panic no': 301285, 'panic no money': 638344, 'to get drug': 906464, 'get drug food': 346914, 'drug food other': 260951, 'food other complication': 315695, 'complication our brother': 192495, 'our brother lender': 622281, 'brother lender china': 141082, 'lender china is': 486221, 'china is battling': 176744, 'is battling seriously': 446010, 'battling seriously of': 112873, 'seriously of no': 751684, 'of no serious': 587048, 'no serious measure': 565464, 'serious measure from': 751424, 'measure from fg': 525204, 'from fg setting': 335461, 'fg setting up': 304341, 'setting up committee': 753655, 'up committee cannot': 944620, 'committee cannot cut': 189057, 'cannot cut it': 161743, 'cut it nysc': 223407, 'door again': 255494, 'again here': 37022, 'sweep of': 830144, 'panicshopping panicbuyers': 639441, 'the store door': 868011, 'store door again': 807376, 'door again here': 255495, 'again here we': 37023, 'we go it': 971647, 'go it sweep': 353780, 'it sweep of': 461405, 'sweep of the': 830145, 'the supermarket panicbuying': 868743, 'supermarket panicbuying panicshopping': 821913, 'panicbuying panicshopping panicbuyers': 639020, 'wonderful most': 1004096, 'house came': 406230, 'came forward': 156991, 'most mnc': 542513, 'mnc in': 534815, 'various sector': 952637, 'big money': 129866, 'money wi': 537176, 'wonderful most indian': 1004097, 'business house came': 143857, 'house came forward': 406231, 'came forward while': 156992, 'while most mnc': 987066, 'most mnc in': 542514, 'mnc in various': 534816, 'in various sector': 430539, 'various sector consumer': 952638, 'other sector not': 620882, 'sector not seen': 744274, 'not seen coming': 571506, 'seen coming for': 746982, 'coming for pm': 188049, 'for pm care': 324590, 'they make big': 882645, 'make big money': 509740, 'big money wi': 129867, 'length human': 486312, 'of desperation': 582557, 'toiletpaper immigration': 922111, 'the give you': 856274, 'an insight in': 56363, 'insight in the': 439571, 'in the length': 429315, 'the length human': 859293, 'length human is': 486313, 'human is willing': 410535, 'out of desperation': 626720, 'of desperation next': 582558, 'etc remember that': 282728, 'remember that some': 710287, 'that some are': 846383, 'some are freaking': 782320, 'freaking out over': 331548, 'out over toiletpaper': 627004, 'over toiletpaper immigration': 630855, 'toiletpaper immigration daca': 922112, 'sonny said': 785550, 'best let': 127754, 'paper clubquarantine': 640032, 'clubquarantine toiletpaper': 184515, 'sonny said it': 785551, 'said it best': 731147, 'it best let': 456854, 'best let hear': 127755, 'toilet paper clubquarantine': 921231, 'paper clubquarantine toiletpaper': 640033, 'clubquarantine toiletpaper 19': 184516, 'delivery hiring': 234092, 'new distribution': 558637, 'distribution worker': 248260, 'delivery hiring 100': 234093, '00 new distribution': 358, 'new distribution worker': 558638, 'distribution worker to': 248261, 'follower herself': 312642, 'herself that': 394242, 'she arrived': 755861, 'at indonesia': 99295, 'indonesia airport': 435318, 'airport she': 40120, 'just filled': 468715, 'filled out': 305550, 'out form': 626177, 'declare that': 231206, 'she okay': 756245, 'proper covid': 684093, 'went around': 978956, 'her skateboard': 392389, 'she told her': 756390, 'told her follower': 923566, 'her follower herself': 392052, 'follower herself that': 312643, 'herself that after': 394243, 'that after she': 842519, 'after she arrived': 36183, 'she arrived at': 755862, 'arrived at indonesia': 93945, 'at indonesia airport': 99296, 'indonesia airport she': 435319, 'airport she just': 40121, 'she just filled': 756174, 'just filled out': 468716, 'filled out form': 305551, 'out form to': 626178, 'form to declare': 329572, 'to declare that': 904011, 'declare that she': 231207, 'that she okay': 846242, 'she okay and': 756246, 'okay and she': 597957, 'and she didn': 71416, 'didn have proper': 241095, 'have proper covid': 382083, 'proper covid 19': 684094, 'test she just': 839166, 'she just went': 756177, 'just went around': 470273, 'went around at': 978957, 'with her skateboard': 998779, 'economy bank': 267689, 'credit provider': 216466, 'announcing plan': 77321, 'help borrower': 389423, 'borrower our': 135622, 'our researcher': 624607, 'researcher review': 713931, 'review how': 720566, 'how institution': 408070, 'institution are': 440456, 'global economy bank': 351891, 'economy bank and': 267690, 'and credit provider': 60732, 'credit provider across': 216467, 'world are announcing': 1009305, 'are announcing plan': 84564, 'announcing plan to': 77322, 'to help borrower': 907464, 'help borrower our': 389424, 'borrower our researcher': 135623, 'our researcher review': 624608, 'researcher review how': 713932, 'review how institution': 720567, 'how institution are': 408071, 'institution are responding': 440457, 'the crisis so': 852448, 'sweet nothing': 830237, 'sweet nothing like': 830238, 'nothing like this': 573100, 'like this ever': 491485, 'good condition': 356910, 'the delivery covid': 853062, '19 received in': 9994, 'received in good': 703631, 'in good condition': 423365, 'not word': 572523, 'it sparked': 461187, 'sparked off': 787584, 'off panic': 594049, 'panic waiting': 638757, 'with not word': 999817, 'not word on': 572524, 'word on how': 1004543, 'the public particularly': 864845, 'public particularly the': 688221, 'particularly the poor': 642716, 'poor are to': 664117, 'are to access': 91105, 'essential in coming': 281150, 'week it sparked': 976438, 'it sparked off': 461188, 'sparked off panic': 787585, 'off panic waiting': 594051, 'panic waiting to': 638758, 'calf': 155401, 'thinking supermarket': 885990, 'meat support': 525766, 'butcher instead': 148055, 'instead lucky': 440218, 'fresh grass': 333006, 'fed high': 301833, 'quality meat': 691821, 'kidney calf': 474236, 'calf liver': 155404, 'ribeye steak': 720968, 'steak etc': 799155, 'out there thinking': 627518, 'there thinking supermarket': 879167, 'thinking supermarket is': 885991, 'get meat support': 347549, 'meat support your': 525767, 'local butcher instead': 497796, 'butcher instead lucky': 148056, 'instead lucky to': 440219, 'get fresh grass': 347106, 'fresh grass fed': 333007, 'grass fed high': 362215, 'fed high quality': 301834, 'high quality meat': 395318, 'quality meat animal': 691822, 'lamb kidney calf': 479159, 'kidney calf liver': 474237, 'calf liver ribeye': 155405, 'liver ribeye steak': 496235, 'ribeye steak etc': 720969, 'steak etc carnivore': 799156, 'shopper tackle': 761729, 'food inside': 315077, 'shopper tackle man': 761730, 'tackle man who': 831585, 'man who allegedly': 512321, 'who allegedly coughed': 988046, 'allegedly coughed spit': 45681, 'on food inside': 600876, 'food inside store': 315078, 'inside store via': 439393, 'posting regular': 666685, 'on policy': 602834, 'policy advice': 663314, 'finance today': 306288, 'today protecting': 920079, 'protecting financial': 685190, 'from debt': 335117, 'to countering': 903633, 'countering scam': 210325, 'll be posting': 496612, 'be posting regular': 116484, 'posting regular update': 666686, 'regular update on': 707892, 'update on policy': 947129, 'on policy advice': 602835, 'policy advice to': 663315, 'advice to meet': 33531, 'meet the challenge': 527593, 'challenge of to': 171519, 'business and finance': 143302, 'and finance today': 62867, 'finance today protecting': 306289, 'today protecting financial': 920080, 'protecting financial consumer': 685191, 'financial consumer during': 306360, 'pandemic from debt': 635467, 'from debt relief': 335118, 'debt relief to': 230549, 'relief to countering': 709476, 'to countering scam': 903634, 'several uk': 753952, 'chain including': 170820, 'additional measure': 31843, 'the ha written': 857030, 'written to ceo': 1012972, 'to ceo of': 902574, 'ceo of several': 169787, 'of several uk': 589547, 'several uk supermarket': 753953, 'supermarket chain including': 819611, 'chain including and': 170821, 'including and calling': 431879, 'and calling for': 59430, 'calling for additional': 156542, 'for additional measure': 319017, 'additional measure and': 31844, 'measure and access': 525097, 'and access for': 57584, 'access for nh': 28129, 'care staff in': 164208, 'staff in light': 792554, 'painfully': 634262, 'kerosense': 473131, 'ireland gouging': 444829, 'gouging painfully': 359422, 'painfully slow': 634263, 'slow kerosense': 774369, 'kerosense price': 473132, 'ireland gouging painfully': 444830, 'gouging painfully slow': 359423, 'painfully slow kerosense': 634264, 'slow kerosense price': 774370, 'kerosense price reduction': 473133, 'the ramen': 865128, 'ramen the': 696388, 'soup the': 786416, 'pasta the': 643820, 'the dish': 853381, 'dish canned': 245500, 'tuna section': 935385, 'section in': 744010, 'truck so': 932850, '3rd shift': 18446, 'shift is': 758338, 'the errand': 854478, 'errand instead': 280195, 'side so': 768884, 'and napkin': 67417, 'napkin when': 551863, 'are the ramen': 90891, 'the ramen the': 865129, 'ramen the soup': 696389, 'the soup the': 867498, 'soup the pasta': 786417, 'the pasta the': 863380, 'pasta the pasta': 643821, 'the pasta sauce': 863378, 'sauce and the': 737141, 'and the dish': 73327, 'the dish canned': 853382, 'dish canned tuna': 245501, 'canned tuna section': 161564, 'tuna section in': 935386, 'section in my': 744011, 'my store they': 550229, 'store they changed': 810667, 'they changed the': 881743, 'changed the truck': 172571, 'the truck so': 870035, 'truck so the': 932851, 'so the 3rd': 778412, 'the 3rd shift': 848112, '3rd shift is': 18447, 'shift is running': 758339, 'is running the': 451597, 'running the errand': 728096, 'the errand instead': 854479, 'errand instead of': 280196, 'other side so': 620918, 'side so we': 768885, 'so we ll': 778674, 'll have paper': 496833, 'have paper towel': 381892, 'towel and napkin': 927295, 'and napkin when': 67418, 'napkin when we': 551864, 'when we open': 984460, 'rise mark': 722934, 'latest what': 481602, 'next podcast': 561518, 'listen now ha': 494697, 'now ha undeniably': 574849, 'to rise mark': 913571, 'rise mark schmeling': 722935, 'industry face in': 435821, 'the latest what': 859157, 'latest what now': 481603, 'what now what': 981950, 'now what next': 576383, 'what next podcast': 981932, 'basis overall': 112263, 'overall credit': 631004, 'card spending': 163653, 'on year over': 605401, 'over year basis': 630954, 'year basis overall': 1014425, 'basis overall credit': 112264, 'overall credit card': 631005, 'credit card spending': 216352, 'card spending in': 163654, 'the is down': 858491, 'is down about': 447342, 'down about 12': 256439, 'about 12 for': 24640, '12 for the': 2859, 'radar cost': 695383, 'cost little': 208005, 'little 30': 495221, 'cent pill': 169112, 'pill at': 656650, 'retail canadian': 717919, 'canadian pharmacy': 160726, 'where drug': 984844, 'price typically': 677163, 'typically are': 937647, 'is 63': 445224, '63 per': 21268, 'per tablet': 651031, 'tablet vaccine': 831535, 'vaccine canada': 951673, 'canada chloroquine': 160399, 'chloroquine pharma': 177609, 'radar cost little': 695384, 'cost little 30': 208006, 'little 30 cent': 495222, '30 cent pill': 16998, 'cent pill at': 169113, 'pill at retail': 656651, 'at retail canadian': 100303, 'retail canadian pharmacy': 717920, 'canadian pharmacy in': 160727, 'united state where': 942253, 'state where drug': 796079, 'where drug price': 984845, 'drug price typically': 261058, 'price typically are': 677164, 'typically are the': 937648, 'are the highest': 90843, 'retail price is': 718412, 'price is 63': 674854, 'is 63 per': 445225, '63 per tablet': 21269, 'per tablet vaccine': 651032, 'tablet vaccine canada': 831536, 'vaccine canada chloroquine': 951674, 'canada chloroquine pharma': 160400, 'incentivising': 431376, 'for xx': 327983, 'xx offer': 1013920, 'just offering': 469361, 'your promotional': 1025456, 'promotional price': 683884, 'on single': 603477, 'single on': 771347, 'hand your': 376033, 'your asking': 1022857, 'not bulk': 568633, 'your incentivising': 1024470, 'incentivising customer': 431377, 'more value': 540889, 'how about getting': 407281, 'about getting rid': 25302, 'the two for': 870148, 'two for xx': 936933, 'for xx offer': 327984, 'xx offer and': 1013921, 'and just offering': 65709, 'just offering your': 469362, 'offering your promotional': 595335, 'your promotional price': 1025457, 'promotional price on': 683885, 'price on single': 675716, 'on single on': 603478, 'single on one': 771348, 'one hand your': 606403, 'hand your asking': 376034, 'your asking customer': 1022858, 'customer to not': 222970, 'to not bulk': 910684, 'not bulk buy': 568634, 'bulk buy but': 142255, 'buy but your': 148460, 'but your incentivising': 148013, 'your incentivising customer': 1024471, 'incentivising customer buying': 431378, 'customer buying more': 222210, 'get more value': 347606, 'we stayh': 973392, 'behind the grocery': 124715, 'serving we stayh': 753231, 'good overview': 357538, 'platform many': 659002, 'good overview of': 357539, 'overview of digital': 631682, 'of digital tool': 582614, 'digital tool and': 242665, 'tool and platform': 925390, 'and platform many': 69082, 'platform many of': 659003, 'of them free': 591739, 'them free for': 875738, 'free for during': 331842, 'cancer it': 161258, 'tired of finishing': 899045, 'do is put': 249453, 'is put together': 451154, 'put together food': 690937, 'together food package': 920787, 'food package with': 315736, 'package with essential': 633461, 'with essential for': 998255, 'essential for an': 281054, 'for an elderly': 319281, 'neighbor who ha': 557095, 'ha cancer it': 370055, 'cancer it make': 161259, 'provide level': 686377, 'restitution that': 716855, 'york must': 1016639, 'settlement provide level': 753721, 'provide level of': 686378, 'level of monetary': 487648, 'monetary restitution that': 536549, 'restitution that is': 716856, 'that is especially': 844582, 'is especially important': 447538, 'that all life': 842552, 'all life insurer': 43377, 'life insurer in': 488792, 'insurer in new': 440884, 'new york must': 559941, 'york must comply': 1016640, 'the best interest': 849520, 'best interest of': 127738, 'interest of consumer': 441379, 'open there': 612563, 'be pandemonium': 116349, 'pandemonium and': 637137, 'where else': 984856, 'implement proper': 418412, 'proper system': 684157, 'do not these': 249867, 'not these people': 572063, 'these people realize': 880455, 'realize that if': 701854, 'that if only': 844421, 'only the grocery': 611267, 'are open there': 88805, 'open there will': 612564, 'will be pandemonium': 992598, 'be pandemonium and': 116350, 'pandemonium and fight': 637138, 'and fight at': 62826, 'store because there': 806688, 'is no where': 449990, 'no where else': 565883, 'where else to': 984857, 'to go they': 906867, 'go they need': 354233, 'to implement proper': 908175, 'implement proper system': 418413, 'security outside': 744698, 'supermarket ensuring': 820173, 'ensuring the': 278196, 'public inside': 688110, 'inside much': 439316, 'better scene': 128454, 'scene today': 741364, 'today than': 920253, 'yesterday lockdown': 1015795, 'lockdown aldi': 499111, 'security outside local': 744699, 'local supermarket ensuring': 498522, 'supermarket ensuring the': 820174, 'ensuring the safety': 278197, 'safety of worker': 730658, 'worker and public': 1006326, 'and public inside': 69743, 'public inside much': 688111, 'inside much better': 439317, 'much better scene': 544760, 'better scene today': 128455, 'scene today than': 741365, 'today than yesterday': 920254, 'than yesterday lockdown': 841483, 'yesterday lockdown aldi': 1015796, 'fallen for': 297153, 'four straight': 330675, 'straight week': 812253, 'have fallen for': 380570, 'fallen for four': 297154, 'for four straight': 321689, 'four straight week': 330676, 'straight week and': 812254, 'and have given': 64246, 'have given up': 380776, 'given up about': 351196, 'up about 60': 944215, 'about 60 since': 24740, '60 since the': 21003, 'retailenvironment': 718936, 'thirdchannel': 886121, 'this infographic': 888106, 'infographic based': 437629, 'it immediate': 458688, 'effect during': 268994, 'march retailenvironment': 515458, 'retailenvironment thirdchannel': 718937, 'how will 19': 409217, 'will 19 impact': 992176, 'use this infographic': 949727, 'this infographic based': 888107, 'infographic based on': 437630, 'data from it': 226231, 'from it immediate': 336120, 'it immediate effect': 458689, 'immediate effect during': 416983, 'effect during march': 268995, 'during march retailenvironment': 262790, 'march retailenvironment thirdchannel': 515459, 'caringisforlifenotjustforcoronavirus': 164733, 'toomanyonlycarewhenithitsthefan': 925474, 'societyproblem': 781378, 'surprised it': 828588, 'and alarm': 57822, 'alarm many': 40671, 'how apparent': 407378, 'obviously selfish': 578851, 'selfish lot': 748168, 'are caringisforlifenotjustforcoronavirus': 85178, 'caringisforlifenotjustforcoronavirus toomanyonlycarewhenithitsthefan': 164734, 'toomanyonlycarewhenithitsthefan societyproblem': 925475, 'surprised it took': 828589, 'global pandemic virus': 352110, 'pandemic virus and': 636902, 'shelf to alert': 757694, 'to alert and': 900221, 'alert and alarm': 41351, 'and alarm many': 57823, 'alarm many people': 40672, 'people to how': 649910, 'to how apparent': 908018, 'how apparent and': 407379, 'apparent and obviously': 81882, 'and obviously selfish': 67946, 'obviously selfish lot': 578852, 'selfish lot of': 748169, 'lot of human': 504208, 'of human are': 584869, 'human are caringisforlifenotjustforcoronavirus': 410418, 'are caringisforlifenotjustforcoronavirus toomanyonlycarewhenithitsthefan': 85179, 'caringisforlifenotjustforcoronavirus toomanyonlycarewhenithitsthefan societyproblem': 164735, 'aisle we': 40428, 'those empty grocery': 891966, 'store aisle we': 806120, 'aisle we talked': 40429, 'with the ceo': 1001227, 'biggest supermarket chain': 130330, 'chain in america': 170796, 'in america and': 420215, 'america and he': 51451, 'you shouldn panic': 1021234, 'but cycling': 145497, 'cycling along': 224089, 'now car': 574352, 'car free': 163092, 'free road': 332115, 'road of': 724485, 'of oxford': 587635, 'oxford at': 632657, 'sunshine wa': 818446, 'wa small': 963242, 'small unexpected': 775174, 'unexpected joy': 941372, 'joy even': 467506, 'supermarket oxford': 821882, 'very bad but': 954999, 'bad but cycling': 107796, 'but cycling along': 145498, 'cycling along the': 224090, 'along the now': 47030, 'the now car': 861935, 'now car free': 574353, 'car free road': 163093, 'free road of': 332116, 'road of oxford': 724486, 'of oxford at': 587636, 'oxford at 8am': 632658, 'at 8am in': 97783, '8am in the': 23139, 'in the sunshine': 429585, 'the sunshine wa': 868424, 'sunshine wa small': 818447, 'wa small unexpected': 963243, 'small unexpected joy': 775175, 'unexpected joy even': 941373, 'joy even if': 467507, 'even if went': 284223, 'if went to': 415339, 'the supermarket oxford': 868738, 'testing kit available': 839532, 'prisoner have': 678759, 'released because': 709022, 'nuisance and': 576780, 'of violence': 592808, 'violence even': 957545, 'even burned': 283912, 'burned prison': 142915, 'that suspect': 846599, 'suspect wa': 829503, 'prison while': 678743, 'iran prisoner have': 444701, 'prisoner have been': 678760, 'been released because': 121812, 'released because of': 709023, 'the in italy': 858006, 'created nuisance and': 215862, 'nuisance and feeling': 576781, 'and feeling of': 62785, 'feeling of violence': 303038, 'of violence even': 592809, 'violence even burned': 957546, 'even burned prison': 283913, 'burned prison cell': 142916, 'cell after it': 168939, 'announced that suspect': 77069, 'that suspect wa': 846600, 'suspect wa in': 829504, 'the prison while': 864481, 'prison while in': 678744, 'are making mask': 87991, 'making mask and': 511189, 'mask and face': 518324, 'exec of': 289824, 'or met': 616133, 'met stop': 529592, 'stop bloody': 804507, 'bloody emailing': 133195, 'me reduce': 523385, 'all the ceo': 44683, 'ceo and chief': 169642, 'and chief exec': 59823, 'chief exec of': 175925, 'exec of company': 289825, 'of company ve': 581615, 'company ve never': 191275, 'heard of or': 388122, 'of or met': 587319, 'or met stop': 616134, 'met stop bloody': 529593, 'stop bloody emailing': 804508, 'bloody emailing me': 133196, 'emailing me reduce': 272392, 'me reduce your': 523386, 'reduce your price': 706013, 'your price that': 1025417, 'price that all': 676793, 'that all we': 842577, 'all we are': 45401, 'we are interested': 970599, 'yeah sex': 1014289, 'sex is': 754198, 'buy butter': 148461, 'yeah sex is': 1014290, 'sex is great': 754199, 'great but just': 362549, 'but just managed': 146199, 'to buy butter': 902197, 'buy butter and': 148462, 'butter and egg': 148123, 'and egg at': 61973, 'egg at the': 269786, 'exemption regulation': 290012, 'regulation stop': 708112, 'stop business': 804519, 'business competing': 143558, 'another and': 77492, 'monitor pricing': 537312, 'more cttoncorona': 538930, 'the block exemption': 849770, 'block exemption regulation': 132775, 'exemption regulation stop': 290013, 'regulation stop business': 708113, 'stop business competing': 804520, 'business competing with': 143559, 'competing with one': 191647, 'with one another': 999878, 'one another and': 605913, 'another and monitor': 77494, 'and monitor pricing': 67121, 'monitor pricing of': 537313, 'pricing of certain': 677949, 'certain good and': 170022, 'period of 19': 651832, 'of 19 read': 579409, 'read more cttoncorona': 700429, 'more cttoncorona wwinsights': 538931, 'orlando warehouse': 619636, 'warehouse distributed': 966709, 'distributed million': 248055, 'mask 300': 518263, '00 face': 196, 'shield 500': 758131, '00 shoe': 485, 'cover 100': 212178, '00 gown': 235, 'gown 350': 361363, '00 glove': 231, 'glove 50': 352532, '00 container': 149, 'sanitizer florida': 734876, 'highest state': 395868, 'just yesterday in': 470370, 'yesterday in orlando': 1015778, 'in orlando warehouse': 426231, 'orlando warehouse distributed': 619637, 'warehouse distributed million': 966710, 'distributed million mask': 248056, 'million mask 300': 532232, 'mask 300 00': 518264, '300 00 face': 17280, '00 face shield': 197, 'face shield 500': 294734, 'shield 500 00': 758132, '500 00 shoe': 19934, '00 shoe cover': 486, 'shoe cover 100': 759662, 'cover 100 00': 212179, '100 00 gown': 1790, '00 gown 350': 236, 'gown 350 00': 361364, '350 00 glove': 17927, '00 glove 50': 232, 'glove 50 00': 352533, '50 00 container': 19572, '00 container of': 150, 'hand sanitizer florida': 375406, 'sanitizer florida is': 734877, 'second highest state': 743736, 'highest state in': 395869, 'state in testing': 795685, 'in testing for': 428886, 'existing disease': 290311, 'disease according': 245077, 'of patient who': 587823, 'patient who died': 644303, 'from coronavirus in': 335015, 'had existing disease': 373085, 'existing disease according': 290312, 'disease according to': 245078, 'aircross': 39878, 're schedule': 699436, 'it debut': 457489, 'debut launch': 230644, 'launch c5': 481872, 'c5 aircross': 154849, 'aircross suv': 39879, 'suv to': 829852, 'to q1': 912625, 'q1 2021': 691400, '2021 hoping': 14780, 'positive economic': 665300, 'activity period': 30482, 'are upbeat': 91374, 'upbeat however': 946774, 'maintain project': 509018, 'project timeline': 683546, 'timeline investment': 898465, 'due to re': 261917, 'to re schedule': 912779, 're schedule it': 699437, 'schedule it debut': 741442, 'it debut launch': 457490, 'debut launch c5': 230645, 'launch c5 aircross': 481873, 'c5 aircross suv': 154850, 'aircross suv to': 39880, 'suv to q1': 829853, 'to q1 2021': 912626, 'q1 2021 hoping': 691401, '2021 hoping it': 14781, 'hoping it to': 403933, 'be more positive': 115988, 'more positive economic': 540099, 'positive economic activity': 665301, 'economic activity period': 266962, 'activity period where': 30483, 'period where consumer': 651926, 'where consumer sentiment': 984788, 'consumer sentiment are': 198904, 'sentiment are upbeat': 750903, 'are upbeat however': 91375, 'upbeat however it': 946775, 'however it hope': 409402, 'it hope to': 458627, 'hope to maintain': 403740, 'to maintain project': 909589, 'maintain project timeline': 509019, 'project timeline investment': 683547, 'timeline investment trend': 898466, 'affecting amazon': 34481, 'seller amazon': 748962, 'prioritizing essential': 678477, 'good over': 357535, 'disrupted consumer': 246394, 'declining working': 231498, 'way is affecting': 969665, 'is affecting amazon': 445377, 'affecting amazon seller': 34482, 'amazon seller amazon': 51112, 'seller amazon is': 748963, 'amazon is prioritizing': 51006, 'is prioritizing essential': 451030, 'prioritizing essential good': 678478, 'essential good over': 281095, 'good over non': 357537, 'over non essential': 630441, 'non essential for': 566339, 'essential for delivery': 281055, 'delivery the global': 234621, 'global supplychain ha': 352244, 'ha been disrupted': 369785, 'been disrupted consumer': 121001, 'disrupted consumer spending': 246395, 'spending is declining': 788872, 'is declining working': 447063, 'declining working from': 231499, 'home is becoming': 401448, 'is becoming the': 446039, 'becoming the norm': 120344, 'employee required': 274144, 'file complaint isn': 305334, 'refund to government': 706966, 'to government employee': 906936, 'government employee required': 360059, 'employee required to': 274145, 'pan and': 634658, 'think fair': 885238, 'fair question': 296376, 'world economy go': 1009506, 'economy go down': 267897, 'down the pan': 257292, 'the pan and': 862879, 'pan and individual': 634659, 'individual are confined': 435137, 'their home think': 873575, 'home think fair': 402282, 'think fair question': 885239, 'fair question is': 296377, 'question is who': 693636, 'is who and': 453948, 'and what benefit': 75450, 'what benefit from': 981108, 'the coronavirus situation': 851914, 'manager take': 512796, 'child right': 176190, 'only 800': 610020, '800 900': 22684, '900 customer': 23374, 'customer daily': 222286, 'daily expectation': 224609, 'three meal': 893980, 'off asking': 593663, 'friend generalstrike': 333615, 'would you let': 1012412, 'you let grocery': 1019591, 'store manager take': 808891, 'manager take care': 512797, 'care of child': 164095, 'of child right': 581347, 'child right now': 176191, 'right now only': 722112, 'now only 800': 575455, 'only 800 900': 610021, '800 900 customer': 22685, '900 customer daily': 23375, 'customer daily expectation': 222287, 'daily expectation are': 224610, 'expectation are three': 290800, 'are three meal': 91076, 'three meal per': 893981, 'meal per day': 524238, 'per day two': 650813, 'day week on': 228698, 'week on their': 976676, 'on their day': 604475, 'their day off': 872980, 'day off asking': 228122, 'off asking for': 593664, 'for friend generalstrike': 321767, 'reading what': 700825, 'store rank': 809737, 'rank in': 696780, 'engine via': 276946, 'finished reading what': 307916, 'reading what can': 700826, 'help my store': 390130, 'my store rank': 550226, 'store rank in': 809738, 'rank in search': 696781, 'in search engine': 427755, 'search engine via': 743239, 'engine via ecommerce': 276947, 'are kinda': 87690, 'kinda playing': 475065, 'playing supermarket': 659448, 'sweep what': 830183, 'pandemic shopper': 636442, 'shopper selfisolation': 761677, 'buyer are kinda': 149570, 'are kinda playing': 87691, 'kinda playing supermarket': 475066, 'playing supermarket sweep': 659449, 'supermarket sweep what': 823114, 'sweep what the': 830184, 'what the main': 982336, 'main thing you': 508841, 'need in pandemic': 555050, 'in pandemic shopper': 426465, 'pandemic shopper selfisolation': 636443, 'nfi': 561763, 'retained': 719613, 'nfi group': 561768, 'group slashed': 366884, 'dividend 50': 248604, 'investor price': 444189, 'rise when': 723067, 'when keeping': 983661, 'keeping retained': 472535, 'retained earnings': 719614, 'for dividend': 320777, 'dividend chaser': 248610, 'chaser nfi': 173900, 'nfi dividend': 561766, 'dividend ha': 248624, 'been stable': 122023, 'in 2012': 419764, '2012 nfi': 13780, 'nfi also': 561764, 'dividend 32': 248602, '32 from': 17668, 'from 61': 334316, '61 to': 21190, '16 there': 4179, 'there better': 878251, 'nfi group slashed': 561769, 'group slashed their': 366885, 'slashed their dividend': 773652, 'their dividend 50': 873046, 'dividend 50 the': 248605, '50 the for': 19873, 'the for investor': 855668, 'for investor price': 322644, 'investor price can': 444190, 'can rise when': 159490, 'rise when keeping': 723068, 'when keeping retained': 983662, 'keeping retained earnings': 472536, 'retained earnings for': 719615, 'earnings for dividend': 264906, 'for dividend chaser': 320778, 'dividend chaser nfi': 248611, 'chaser nfi dividend': 173901, 'nfi dividend ha': 561767, 'dividend ha never': 248625, 'never been stable': 557905, 'been stable in': 122024, 'stable in 2012': 791924, 'in 2012 nfi': 419765, '2012 nfi also': 13781, 'nfi also slashed': 561765, 'also slashed their': 48883, 'their dividend 32': 873045, 'dividend 32 from': 248603, '32 from 61': 17669, 'from 61 to': 334317, '61 to 16': 21191, 'to 16 there': 899519, '16 there better': 4180, 'there better out': 878252, 'better out there': 128397, 'britain also': 140367, 'also britain': 47980, 'britain also britain': 140368, 'also britain stophoarding': 47981, 'cleaningproducts': 181133, 'godhelpus': 354876, 'lysol cleaningproducts': 507170, 'cleaningproducts pricegouging': 181134, 'pricegouging smfh': 677855, 'smfh godhelpus': 775658, 'believe the price': 126365, 'the price today': 864425, 'price today for': 677069, 'today for cleaning': 919536, 'for cleaning product': 320113, 'cleaning product due': 181028, 'due to lysol': 261858, 'to lysol cleaningproducts': 909532, 'lysol cleaningproducts pricegouging': 507171, 'cleaningproducts pricegouging smfh': 181135, 'pricegouging smfh godhelpus': 677856, 'nancypelosi': 551799, 'solarpanels': 781608, 'nancypelosi belief': 551800, 'belief in': 126201, 'in solarpanels': 428064, 'solarpanels over': 781609, 'over check': 630081, 'american impacted': 52042, 'evil corporation': 288431, 'corporation manufacturing': 207444, 'manufacturing pain': 513643, 'pain patch': 634243, 'for cancer': 319913, 'him how': 396626, 'poor kid': 664210, 'nancypelosi belief in': 551801, 'belief in solarpanels': 126202, 'in solarpanels over': 428065, 'solarpanels over check': 781610, 'over check for': 630082, 'check for american': 174442, 'for american impacted': 319248, 'american impacted by': 52043, 'impacted by my': 418084, 'by my husband': 153282, 'work for an': 1005137, 'for an evil': 319290, 'an evil corporation': 55889, 'evil corporation manufacturing': 288432, 'corporation manufacturing pain': 207445, 'manufacturing pain patch': 513644, 'pain patch for': 634244, 'patch for cancer': 643935, 'for cancer patient': 319914, 'cancer patient do': 161271, 'do you care': 250617, 'care about him': 163790, 'about him how': 25389, 'him how about': 396627, 'the poor kid': 863978, 'poor kid working': 664211, 'kid working at': 474184, 'prefer frozen': 669737, 'anyway boyy': 80987, 'boyy have': 137439, 'store prefer frozen': 809634, 'prefer frozen food': 669738, 'food to fresh': 317253, 'fresh food anyway': 332959, 'food anyway boyy': 313395, 'anyway boyy have': 80988, 'boyy have an': 137440, 'feeling so': 303059, 'so updated': 778612, 'our long': 623801, 'long running': 501613, 'running uk': 728121, 'index last': 434214, 'weekend whilst': 977452, 'whilst confidence': 987619, 'fallen rapidly': 297173, 'rapidly since': 697018, 'since december': 770563, 'december it': 230754, 'recession see': 704352, 'my summary': 550257, 'summary below': 817929, 'below uk': 126766, 'are feeling so': 86520, 'feeling so updated': 303060, 'so updated our': 778613, 'updated our long': 947417, 'our long running': 623802, 'long running uk': 501614, 'running uk consumer': 728122, 'sentiment index last': 750954, 'index last weekend': 434215, 'last weekend whilst': 480702, 'weekend whilst confidence': 977453, 'whilst confidence ha': 987620, 'ha fallen rapidly': 370596, 'fallen rapidly since': 297174, 'rapidly since december': 697019, 'since december it': 770564, 'december it is': 230755, 'not bad the': 568325, 'bad the last': 108033, 'last recession see': 480471, 'recession see my': 704353, 'see my summary': 745463, 'my summary below': 550258, 'summary below uk': 817931, 'game wa': 343276, 'wa ahead': 961456, 'this game wa': 887673, 'game wa ahead': 343277, 'wa ahead of': 961457, 'endtimes': 276285, 'boast': 133707, 'feb make': 301650, 'it 1st': 456186, '1st appearance': 12712, 'appearance in': 82135, 'is herald': 448412, 'herald of': 392553, 'of endtimes': 583105, 'endtimes massive': 276286, 'unemployment stock': 941300, 'market enters': 516336, 'enters price': 278491, 'plummet medium': 661292, 'medium boast': 527021, 'boast potential': 133708, 'people feb make': 647887, 'feb make it': 301651, 'make it 1st': 510016, 'it 1st appearance': 456187, '1st appearance in': 12713, 'appearance in the': 82136, 'the state march': 867791, 'march is herald': 515399, 'is herald of': 448413, 'herald of endtimes': 392554, 'of endtimes massive': 583106, 'endtimes massive unemployment': 276287, 'massive unemployment stock': 520152, 'unemployment stock market': 941301, 'stock market enters': 802394, 'market enters price': 516337, 'enters price plummet': 278492, 'price plummet medium': 675908, 'plummet medium boast': 661293, 'medium boast potential': 527022, 'boast potential virus': 133709, 'spa': 787036, 'dermatologist': 237877, 'real salux': 701345, 'salux beauty': 732882, 'beauty cloth': 118747, 'cloth if': 184090, 're beauty': 698346, 'salon spa': 732785, 'spa dermatologist': 787037, 'dermatologist etc': 237878, 'send note': 749916, 'about bulk': 24896, 'primary distributor': 678071, 'distributor in': 248295, 'beauty spa': 118794, 'spa salon': 787039, 'salon dermatologist': 732783, 'dermatologist washyourhands': 237880, 'sell the real': 748896, 'the real salux': 865237, 'real salux beauty': 701346, 'salux beauty cloth': 732883, 'beauty cloth if': 118748, 'cloth if you': 184091, 'you re beauty': 1020574, 're beauty salon': 698347, 'beauty salon spa': 118783, 'salon spa dermatologist': 732786, 'spa dermatologist etc': 787038, 'dermatologist etc just': 237879, 'etc just send': 282632, 'just send note': 469759, 'send note to': 749917, 'note to and': 572833, 'to and ask': 900486, 'and ask about': 58425, 'ask about bulk': 95472, 'about bulk price': 24897, 'bulk price we': 142344, 'are the primary': 90888, 'the primary distributor': 864453, 'primary distributor in': 678072, 'distributor in the': 248296, 'the usa salux': 870553, 'usa salux beauty': 948741, 'salux beauty spa': 732884, 'beauty spa salon': 118795, 'spa salon dermatologist': 787040, 'salon dermatologist washyourhands': 732784, 'heartbreaking moment': 388387, 'moment elderly': 535928, 'woman stare': 1003619, 'in cole': 421540, 'cole via': 185886, 'via have': 956011, 'keep reminding': 471848, 'called lucky': 156367, 'lucky country': 506545, 'venezuela emptyshelves': 954441, 'heartbreaking moment elderly': 388388, 'moment elderly woman': 535929, 'elderly woman stare': 270957, 'woman stare at': 1003620, 'shelf in cole': 757189, 'in cole via': 421542, 'cole via have': 185887, 'via have to': 956012, 'to keep reminding': 908837, 'keep reminding myself': 471849, 'reminding myself that': 710632, 'myself that australia': 550945, 'that australia is': 842892, 'australia is the': 103317, 'is the so': 452941, 'so called lucky': 776686, 'called lucky country': 156368, 'lucky country that': 506546, 'that is starting': 844657, 'starting to look': 795030, 'look like venezuela': 502524, 'like venezuela emptyshelves': 491723, 'leading from the': 483710, 'the front india': 855847, 'flaunt': 310227, 'heirloom': 388857, 'ok lovely': 597832, 'this unopened': 890916, 'unopened and': 942993, 'bought gift': 136580, 'to flaunt': 906005, 'flaunt in': 310228, 'my wee': 550547, 'wee room': 975751, 'room couple': 725899, 'ago who': 38552, 'an heirloom': 56059, 'ok lovely people': 597833, 'lovely people actually': 504972, 'people actually do': 646767, 'actually do have': 30782, 'do have this': 249378, 'have this unopened': 383110, 'this unopened and': 890917, 'unopened and bought': 942994, 'and bought gift': 59106, 'bought gift or': 136581, 'gift or item': 350005, 'or item to': 615854, 'item to flaunt': 463749, 'to flaunt in': 906006, 'flaunt in my': 310229, 'in my wee': 425644, 'my wee room': 550548, 'wee room couple': 975752, 'room couple of': 725900, 'of year ago': 593345, 'year ago who': 1014369, 'ago who knew': 38553, 'who knew it': 989167, 'it would become': 462584, 'would become an': 1011676, 'become an heirloom': 119919, 'covid19 rice': 214366, 'covid19 rice price': 214367, 'rice price soar': 721115, 'price soar to': 676531, 'soar to seven': 779275, 'stayhomeoh': 798314, 'super fancy': 818500, 'fancy your': 298561, 'appointment during': 82661, 'the stayhomeoh': 867856, 'stayhomeoh order': 798315, 'order don': 618174, 'still buy grocery': 800315, 'during lockdown you': 262781, 'lockdown you could': 500181, 'you could even': 1018085, 'could even be': 209140, 'even be super': 283863, 'be super fancy': 117446, 'super fancy your': 818501, 'fancy your supermarket': 298562, 'your supermarket to': 1026065, 'an appointment during': 55372, 'appointment during the': 82662, 'during the stayhomeoh': 263200, 'the stayhomeoh order': 867857, 'stayhomeoh order don': 798316, 'order don go': 618175, 'go out buy': 353939, 'out buy them': 625808, 'buy them right': 149330, 'now you will': 576521, 'will be part': 992600, 'first national': 308792, 'commercial ve': 188753, 'seen informed': 747094, 'who offered': 989361, 'other accommodation': 619792, 'curve here': 221863, 'first national commercial': 308793, 'national commercial ve': 552450, 'commercial ve seen': 188754, 've seen informed': 953534, 'seen informed by': 747095, 'informed by covid': 438088, 'crisis by and': 217168, 'by and who': 151856, 'and who offered': 75594, 'who offered online': 989362, 'offered online shopping': 594955, 'and other accommodation': 68278, 'other accommodation they': 619793, 'accommodation they are': 28469, 'they are ahead': 881195, 'are ahead of': 84280, 'the curve here': 852693, 'amazonprime should': 51247, 'add price': 31471, 'gouging button': 359272, 'button to': 148215, 'item listing': 463431, 'listing we': 494897, 'report vendor': 712414, 'vendor raising': 954397, 'to ridiculous': 913524, 'can regulate': 159420, 'regulate these': 707997, 'these terrible': 880798, 'terrible people': 838422, 'people pricegouging': 649184, 'amazonprime should add': 51248, 'should add price': 765478, 'add price gouging': 31472, 'price gouging button': 674265, 'gouging button to': 359273, 'button to item': 148216, 'to item listing': 908632, 'item listing we': 463432, 'listing we can': 494898, 'to report vendor': 913297, 'report vendor raising': 712415, 'vendor raising price': 954398, 'price to ridiculous': 677035, 'to ridiculous amount': 913525, 'ridiculous amount during': 721511, 'crisis so amazon': 218062, 'so amazon can': 776498, 'amazon can regulate': 50892, 'can regulate these': 159421, 'regulate these terrible': 707998, 'these terrible people': 880799, 'terrible people pricegouging': 838423, 'people pricegouging amazon': 649185, 'washyourgrocerycart': 967850, 'run mean': 727703, 'mean literally': 524527, 'literally running': 495070, 'toiletpaper sixfeetapart': 922483, 'sixfeetapart washyourhands': 772724, 'washyourhands washyourgrocerycart': 967940, 'when going for': 983481, 'going for grocery': 355143, 'for grocery run': 322050, 'grocery run mean': 364918, 'run mean literally': 727704, 'mean literally running': 524528, 'literally running in': 495071, 'running in to': 727982, 'grab essential and': 361478, 'essential and getting': 280781, 'and getting the': 63626, 'getting the out': 349356, 'the out socialdistancing': 862582, 'out socialdistancing toiletpaper': 627216, 'socialdistancing toiletpaper sixfeetapart': 780825, 'toiletpaper sixfeetapart washyourhands': 922484, 'sixfeetapart washyourhands washyourgrocerycart': 772725, 'cop if': 203269, 'if walked': 415246, 'still make': 800824, 'say hearty': 738741, 'hearty good': 388485, 'ease any': 265070, 'any concern': 79040, 'concern 19': 192884, 'store one month': 809225, 'one month ago': 606678, 'month ago they': 537546, 'ago they call': 38502, 'call the cop': 156133, 'the cop if': 851724, 'cop if walked': 203270, 'if walked in': 415247, 'walked in like': 964950, 'in like this': 424729, 'like this still': 491535, 'this still make': 890330, 'still make sure': 800825, 'sure to smile': 827782, 'to smile and': 914771, 'smile and say': 775695, 'and say hearty': 70994, 'say hearty good': 738742, 'hearty good morning': 388486, 'morning to ease': 541509, 'to ease any': 904849, 'ease any concern': 265071, 'any concern 19': 79041, 'sanmiguel': 736581, 'ncov19': 553343, 'panic san': 638507, 'miguel say': 531261, 'ha ingredient': 370971, 'ingredient packaging': 438390, 'packaging material': 633560, 'year bilyonaryofeatures': 1014434, 'bilyonaryofeatures sanmiguel': 130984, 'sanmiguel ncov19': 736582, 'ncov19 coronacrisis': 553344, 'not panic san': 570929, 'panic san miguel': 638508, 'san miguel say': 733564, 'miguel say it': 531262, 'it ha ingredient': 458398, 'ha ingredient packaging': 370972, 'ingredient packaging material': 438391, 'packaging material to': 633561, 'material to produce': 520429, 'produce food product': 680272, 'food product up': 316033, 'to year bilyonaryofeatures': 918870, 'year bilyonaryofeatures sanmiguel': 1014435, 'bilyonaryofeatures sanmiguel ncov19': 130985, 'sanmiguel ncov19 coronacrisis': 736583, 'toolkit': 925471, 'increasingly cancelling': 433761, 'cancelling direct': 161209, 'direct debit': 243305, 'debit service': 230382, 'to australian': 900842, 'law requirement': 482381, 'requirement our': 713442, 'our toolkit': 625165, 'toolkit provides': 925472, 'provides practical': 686882, 'guidance across': 368197, 'across range': 29432, 'outbreak of finance': 628480, 'of finance company': 583529, 'finance company are': 306176, 'company are increasingly': 190430, 'are increasingly cancelling': 87501, 'increasingly cancelling direct': 433762, 'cancelling direct debit': 161210, 'direct debit service': 243306, 'debit service in': 230383, 'response to australian': 715828, 'to australian consumer': 900843, 'consumer law requirement': 198006, 'law requirement our': 482382, 'requirement our toolkit': 713443, 'our toolkit provides': 625166, 'toolkit provides practical': 925473, 'provides practical guidance': 686883, 'practical guidance across': 668463, 'guidance across range': 368198, 'across range of': 29433, 'range of topic': 696726, 'market wire': 517371, 'wire on': 996558, 'related lockdown': 708477, 'now lower': 575262, 'cash loss': 166268, 'loss higher': 503691, 'higher leverage': 395627, 'for upstream': 327479, 'upstream company': 947879, 'lockdown oilandgas': 499724, 'oilandgas ong': 597554, 'latest market wire': 481431, 'market wire on': 517372, 'wire on the': 996559, '19 related lockdown': 10054, 'related lockdown on': 708478, 'on the oil': 604258, 'gas sector is': 344085, 'sector is out': 744250, 'out now lower': 626659, 'now lower price': 575263, 'price could lead': 673286, 'lead to cash': 483328, 'to cash loss': 902479, 'cash loss higher': 166269, 'loss higher leverage': 503692, 'higher leverage for': 395628, 'leverage for upstream': 487787, 'for upstream company': 327480, 'upstream company read': 947880, 'company read more': 191005, 'read more lockdown': 700441, 'more lockdown oilandgas': 539719, 'lockdown oilandgas ong': 499725, 'spread using': 790866, 'supermarket model': 821529, 'model via': 535325, 'how far can': 407839, 'far can the': 298744, 'can the coronavirus': 159949, 'coronavirus spread using': 206808, 'spread using supermarket': 790867, 'using supermarket model': 950672, 'supermarket model via': 821530, 'question are': 693538, 'their indicator': 873651, 'indicator when': 435053, 'when driving': 983368, 'driving lockdownuk': 259973, 'question are the': 693540, 'who can follow': 988383, 'can follow the': 158365, 'follow the arrow': 312523, 'the arrow in': 848923, 'arrow in the': 94044, 'supermarket the same': 823243, 'people that don': 649760, 'that don use': 843602, 'don use their': 254018, 'use their indicator': 949698, 'their indicator when': 873652, 'indicator when driving': 435054, 'when driving lockdownuk': 983369, 'is delivery': 447107, 'major stlouis': 509473, 'stlouis area': 801731, 'area restaurant': 92178, 'the his': 857387, 'waived delivery': 964532, 'fee slashed': 302225, 'slashed menu': 773636, 'customer aren': 222133, 'aren tipping': 92568, 'tipping well': 898999, 'uncertain economic': 939580, 'big tip': 130075, 'nephew is delivery': 557419, 'is delivery driver': 447108, 'delivery driver for': 233909, 'driver for major': 259568, 'for major stlouis': 323169, 'major stlouis area': 509474, 'stlouis area restaurant': 801732, 'area restaurant chain': 92179, 'restaurant chain because': 716359, 'chain because of': 170545, 'of the his': 591105, 'the his company': 857388, 'his company ha': 397305, 'company ha waived': 190720, 'ha waived delivery': 372444, 'waived delivery fee': 964533, 'delivery fee slashed': 233992, 'fee slashed menu': 302226, 'slashed menu price': 773637, 'menu price customer': 528899, 'price customer aren': 673372, 'customer aren tipping': 222134, 'aren tipping well': 92569, 'tipping well know': 899000, 'well know these': 978360, 'are uncertain economic': 91269, 'uncertain economic time': 939581, 'economic time but': 267340, 'please give big': 660024, 'give big tip': 350410, 'book better': 134483, 'dot and': 255935, 'complete circle': 192074, 'circle than': 178618, 'say is your': 738828, 'is your book': 454135, 'your book better': 1022993, 'book better be': 134484, 'better be able': 128208, 'able to connect': 24462, 'connect the dot': 194623, 'the dot and': 853602, 'dot and complete': 255936, 'and complete circle': 60229, 'complete circle than': 192075, 'circle than your': 178619, 'than your covid': 841504, 'these warehouse': 880938, 'warehouse toilet': 966798, 'toilet canteen': 921138, 'canteen general': 162356, 'general work': 345503, 'sure socialdistancing': 827676, 'is kept': 449181, 'kept properly': 473071, 'properly they': 684202, 'can shut': 159619, 'all this online': 45121, 'shopping business how': 762241, 'many people work': 514552, 'in these warehouse': 429879, 'these warehouse toilet': 880939, 'warehouse toilet canteen': 966799, 'toilet canteen general': 921139, 'canteen general work': 162357, 'general work how': 345504, 'work how can': 1005269, 'can they make': 159975, 'they make sure': 882650, 'make sure socialdistancing': 510526, 'sure socialdistancing is': 827677, 'socialdistancing is kept': 780466, 'is kept properly': 449182, 'kept properly they': 473072, 'properly they can': 684203, 'they can shut': 881675, 'can shut them': 159621, 'toiletpapershortages': 923338, 'article hope': 94353, 'really run': 702525, 'it useful': 461998, 'useful toiletpapershortages': 950204, 'toiletpapershortages panicbuying': 923339, 'this fun and': 887656, 'fun and light': 341128, 'and light hearted': 66149, 'hearted article hope': 388438, 'article hope you': 94354, 'you really run': 1020842, 'really run out': 702526, 'toiletpaper hope you': 922085, 'hope you find': 403797, 'find it useful': 307010, 'it useful toiletpapershortages': 461999, 'useful toiletpapershortages panicbuying': 950205, 'toiletpapershortages panicbuying pandemicquestions': 923340, 'unworldly': 944087, 'dad popped': 224373, 'andrex wa': 76221, 'wa priced': 962998, 'priced at': 677725, 'about supporting': 26295, 'they supporting': 883506, 'supporting by': 827110, 'by upping': 154642, 'by unworldly': 154636, 'unworldly amount': 944088, 'amount absolutely': 53159, 'absolutely ridiculous': 27440, 'my dad popped': 547899, 'dad popped in': 224374, 'in to local': 430119, 'to local corner': 909375, 'corner shop to': 203679, 'some toilet roll': 784086, 'roll and pack': 725182, 'of andrex wa': 580195, 'andrex wa priced': 76222, 'wa priced at': 962999, 'priced at 99': 677726, 'at 99 they': 97820, '99 they talk': 23901, 'they talk about': 883528, 'talk about supporting': 833760, 'about supporting the': 26296, 'supporting the local': 827212, 'business but how': 143467, 'are they supporting': 91029, 'they supporting by': 883507, 'supporting by upping': 827111, 'by upping the': 154643, 'price by unworldly': 673043, 'by unworldly amount': 154637, 'unworldly amount absolutely': 944089, 'amount absolutely ridiculous': 53160, 'trump proposes': 933770, 'proposes wage': 684558, 'wage cut': 963841, 'for guest': 322082, 'step reported': 799614, 'npr on': 576622, 'is brutal': 446286, 'brutal attack': 141401, 'trump proposes wage': 933771, 'proposes wage cut': 684559, 'wage cut for': 963842, 'cut for guest': 223346, 'for guest farmworkers': 322083, '19 crisis first': 6247, 'crisis first step': 217376, 'first step reported': 309031, 'step reported by': 799615, 'by npr on': 153380, 'npr on friday': 576623, 'on friday is': 601005, 'friday is brutal': 333241, 'is brutal attack': 446287, 'brutal attack on': 141402, 'vulnerable worker who': 961266, 'are now risking': 88590, 'now risking their': 575712, 'store and put': 806325, 'and put food': 69808, 'afterall': 36625, 'about homeless': 25409, 'buy lot': 148924, 'lot demand': 504025, 'supply afterall': 824665, 'afterall they': 36626, 'anyway are': 80981, 'check too': 174692, 'home and what': 400713, 'what about homeless': 980975, 'about homeless people': 25410, 'homeless people panic': 402773, 'panic shopping people': 638584, 'shopping people buy': 763620, 'people buy lot': 647336, 'buy lot demand': 148925, 'lot demand supply': 504026, 'demand supply afterall': 236291, 'supply afterall they': 824666, 'afterall they got': 36627, 'they got food': 882223, 'got food stock': 358567, 'food stock but': 316781, 'stock but what': 801950, 'homeless people anyway': 402769, 'people anyway are': 646898, 'anyway are they': 80982, 'they getting check': 882189, 'getting check too': 348901, 'check too coronacrisis': 174693, 'african stock': 35226, 'good coronavirus': 356918, 'south african stock': 786678, 'african stock up': 35227, 'on food basic': 600844, 'food basic good': 313680, 'basic good coronavirus': 111910, 'good coronavirus panic': 356919, 'coronavirus panic hit': 206521, 'from power': 336959, 'power demand': 667591, 'to slip': 914734, 'slip stay': 774028, 'order spread': 618594, 'from power demand': 336960, 'power demand price': 667592, 'demand price begin': 236066, 'price begin to': 672887, 'begin to slip': 123593, 'to slip stay': 914736, 'slip stay home': 774029, 'home order spread': 401784, 'propertymanagement': 684383, 'affect property': 34214, 'housing marketoutlook': 407118, 'marketoutlook propertymanagement': 517795, 'propertymanagement developer': 684384, 'coronavirus affect property': 205461, 'affect property price': 34215, 'property price property': 684336, 'property 19 housing': 684229, '19 housing marketoutlook': 7596, 'housing marketoutlook propertymanagement': 407119, 'marketoutlook propertymanagement developer': 517796, 'mullins': 545639, 'delinquent': 233062, 'nelson mullins': 557375, 'mullins covid': 545640, 'on delinquent': 600257, 'delinquent consumer': 233063, 'loan immediate': 497459, 'of hud': 584854, 'hud moratorium': 409894, 'on foreclosure': 600960, 'nelson mullins covid': 557376, 'mullins covid 19': 545641, 'impact on delinquent': 417839, 'on delinquent consumer': 600258, 'delinquent consumer loan': 233064, 'consumer loan immediate': 198061, 'loan immediate impact': 497460, 'impact of hud': 417777, 'of hud moratorium': 584855, 'hud moratorium on': 409895, 'moratorium on foreclosure': 538448, 'on foreclosure and': 600961, 'feb 27': 301627, '27 hey': 16285, 'hey that': 394518, 'after did': 35561, 'first apocalypse': 308509, 'apocalypse grocery': 81528, 'feb 27 hey': 301628, '27 hey that': 16286, 'hey that day': 394519, 'that day after': 843444, 'day after did': 227180, 'after did my': 35562, 'did my first': 240696, 'my first apocalypse': 548331, 'first apocalypse grocery': 308510, 'apocalypse grocery store': 81529, 'store before going': 806698, 'going into isolation': 355239, 'monitor local': 537296, 'understand better': 940604, 'better how': 128328, 'response induced': 715736, 'induced food': 435466, 'evolving around': 288543, 'need to monitor': 555994, 'to monitor local': 910232, 'monitor local food': 537297, 'local food price': 497968, 'price to understand': 677060, 'to understand better': 917899, 'understand better how': 940605, 'better how the': 128329, 'how the policy': 408863, 'the policy response': 863942, 'policy response induced': 663488, 'response induced food': 715737, 'induced food crisis': 435467, 'food crisis is': 314058, 'crisis is evolving': 217571, 'is evolving around': 447613, 'evolving around the': 288544, 'kill the via': 474524, 'mugged while': 545580, 'food directly': 314211, 'out that an': 627318, 'wa mugged while': 962665, 'mugged while leaving': 545581, 'while leaving the': 987007, 'leaving the in': 485152, 'my area they': 547304, 'area they grabbed': 92230, 'they grabbed food': 882231, 'grabbed food directly': 361564, 'food directly from': 314212, 'from the cart': 337629, 'the cart and': 850441, 'cart and ran': 165252, 'moron stripped': 541635, 'bare then': 110966, 'then threw': 877672, 'threw half': 894163, 'away week': 106098, 'later but': 481035, 'side over': 768862, 'have volunteered': 383524, 'nh risking': 562050, 'yes some moron': 1015535, 'some moron stripped': 783325, 'moron stripped the': 541636, 'stripped the supermarket': 813887, 'shelf bare then': 756870, 'bare then threw': 110967, 'then threw half': 877673, 'threw half of': 894164, 'of it away': 585368, 'it away week': 456658, 'away week later': 106099, 'week later but': 976466, 'later but on': 481036, 'but on the': 146660, 'plus side over': 661671, 'side over half': 768863, 'over half million': 630270, 'half million people': 374203, 'million people have': 532310, 'people have volunteered': 648210, 'have volunteered to': 383525, 'the nh risking': 861759, 'nh risking their': 562051, 'own health in': 632060, 'organiser': 619322, 'reschedules': 713588, 'are entitled': 86235, 'the organiser': 862473, 'organiser cancel': 619323, 'cancel move': 160865, 'or reschedules': 616864, 'reschedules the': 713589, 'event long': 285017, 'you are entitled': 1017116, 'are entitled to': 86236, 'to refund if': 913086, 'if the organiser': 415007, 'the organiser cancel': 862474, 'organiser cancel move': 619324, 'cancel move or': 160866, 'move or reschedules': 543709, 'or reschedules the': 616865, 'reschedules the event': 713590, 'the event long': 854602, 'event long you': 285018, 'long you bought': 501871, 'you bought the': 1017509, 'bought the ticket': 136744, 'the ticket from': 869536, 'official seller consumer': 595918, 'fairerworld': 296416, 'commercial flight': 188702, 'at rip': 100325, 'many listed': 514234, 'serve humanity': 751902, 'humanity they': 410773, 'only serve': 611103, 'serve themselves': 751955, 'shareholder fairerworld': 755471, 'commercial flight at': 188703, 'flight at rip': 310437, 'at rip off': 100326, 'off price many': 594086, 'price many listed': 675165, 'many listed company': 514235, 'listed company are': 494614, 'company are unable': 190460, 'unable to serve': 939345, 'to serve humanity': 914266, 'serve humanity they': 751903, 'humanity they only': 410774, 'they only serve': 882829, 'only serve themselves': 611104, 'serve themselves and': 751956, 'and their shareholder': 73716, 'their shareholder fairerworld': 874676, 'work what': 1005994, 'answer we': 78144, 'did you come': 240924, 'conclusion that black': 193325, 'that black people': 842995, 'black people get': 132114, 'people get infected': 648052, 'get infected covid': 347327, '19 because we': 5338, 'because we go': 119804, 'supermarket and drive': 818964, 'and drive our': 61741, 'drive our car': 259119, 'our car am': 622314, 'car am an': 162985, 'am an essential': 49885, 'essential employee and': 280998, 'employee and not': 273574, 'not in supermarket': 570107, 'to work what': 918802, 'work what your': 1005995, 'what your answer': 982706, 'your answer we': 1022789, 'answer we are': 78146, 'got foot': 358568, 'receipt cheered': 703403, 'cheered yay': 175136, 'yay toilet': 1014202, 'store got foot': 807957, 'got foot long': 358569, 'long receipt cheered': 501592, 'receipt cheered yay': 703404, 'cheered yay toilet': 175137, 'yay toilet paper': 1014203, 'hand wand': 375914, 'wand ultra': 965556, 'bacteria sanitizing': 107694, 'sanitizing travel': 736529, 'for kill': 322847, 'of mold': 586595, 'portable uv sanitizer': 664931, 'uv sanitizer hand': 951487, 'sanitizer hand wand': 735025, 'hand wand ultra': 375915, 'wand ultra violet': 965557, 'kill bacteria sanitizing': 474352, 'bacteria sanitizing travel': 107695, 'sanitizing travel for': 736530, 'travel for kill': 930367, 'for kill up': 322848, 'to 99 of': 899889, '99 of mold': 23868, 'of mold bacteria': 586596, 'mold bacteria germ': 535642, 'manically': 513166, 'cathrine': 167310, 'jansson': 464587, 'boyd': 137408, 'mind why': 532780, 'people manically': 648740, 'manically stockpiling': 513167, 'roll consumer': 725251, 'psychologist dr': 687535, 'dr cathrine': 257984, 'cathrine jansson': 167311, 'jansson boyd': 464588, 'boyd explains': 137409, 'psychological reason': 687524, 'this behaviour': 886538, 'the question on': 865020, 'question on everyone': 693675, 'everyone mind why': 287188, 'mind why are': 532781, 'are people manically': 89040, 'people manically stockpiling': 648741, 'manically stockpiling toilet': 513168, 'stockpiling toilet roll': 804104, 'toilet roll consumer': 921562, 'roll consumer psychologist': 725252, 'consumer psychologist dr': 198591, 'psychologist dr cathrine': 687536, 'dr cathrine jansson': 257985, 'cathrine jansson boyd': 167312, 'jansson boyd explains': 464589, 'boyd explains the': 137410, 'explains the psychological': 292238, 'the psychological reason': 864755, 'psychological reason for': 687525, 'reason for this': 702913, 'for this behaviour': 327012, 'this behaviour during': 886539, 'pandemic to the': 636796, 'to the bbc': 916512, 'isolated the': 455030, 'group how': 366731, 'do family': 249283, 'family shop': 298217, 'if rationing': 414713, 'rationing panic': 697858, 'buyer didn': 149627, 'through alright': 894310, 'elderly are isolated': 270595, 'are isolated the': 87583, 'isolated the vulnerable': 455031, 'vulnerable group how': 960984, 'group how do': 366732, 'how do family': 407712, 'do family shop': 249284, 'family shop for': 298218, 'shop for them': 760205, 'them and get': 875377, 'and get their': 63605, 'get their own': 348339, 'own food if': 631998, 'food if rationing': 314891, 'if rationing panic': 414714, 'rationing panic buyer': 697859, 'panic buyer didn': 637569, 'buyer didn think': 149628, 'didn think it': 241236, 'think it through': 885354, 'it through alright': 461673, 'through alright jack': 894311, 'scour': 742506, 'is bloody': 446212, 'bloody and': 133167, 'and undermined': 74629, 'undermined national': 940505, 'isolation when': 455505, 'to scour': 913921, 'scour many': 742507, 'buying is bloody': 150562, 'is bloody and': 446213, 'bloody and undermined': 133168, 'and undermined national': 74630, 'undermined national emergency': 940506, 'national emergency how': 552491, 'emergency how to': 272748, 'maintain social isolation': 509034, 'social isolation when': 779825, 'isolation when you': 455506, 'when you and': 984536, 'need to scour': 556059, 'to scour many': 913922, 'scour many supermarket': 742508, 'many supermarket for': 514760, 'supermarket for basic': 820382, 'for basic supply': 319591, 'descipline': 237921, 'shun': 767770, 'cunningness': 220350, 'ji god': 465446, 'god goddess': 354717, 'goddess created': 354867, 'to punish': 912508, 'punish all': 689215, 'all sinner': 44351, 'sinner ruler': 771504, 'ruler of': 727437, 'all 193': 41890, '193 nation': 12340, 'to descipline': 904198, 'descipline all': 237922, 'all world': 45516, 'world seven': 1009965, 'seven billion': 753746, 'to shun': 914598, 'shun egoism': 767771, 'egoism and': 270075, 'stop corruption': 804590, 'corruption lying': 207696, 'lying cunningness': 507069, 'cunningness by': 220351, 'ji god goddess': 465447, 'god goddess created': 354718, 'goddess created coronavirus': 354868, 'created coronavirus in': 215810, 'whole world to': 990386, 'world to punish': 1010086, 'to punish all': 912509, 'punish all sinner': 689216, 'all sinner ruler': 44352, 'sinner ruler of': 771505, 'ruler of all': 727438, 'of all 193': 579918, 'all 193 nation': 41891, '193 nation and': 12341, 'nation and to': 552123, 'and to descipline': 74163, 'to descipline all': 904199, 'descipline all world': 237923, 'all world seven': 45517, 'world seven billion': 1009966, 'seven billion people': 753747, 'billion people time': 130891, 'people time to': 649867, 'time to shun': 898065, 'to shun egoism': 914599, 'shun egoism and': 767772, 'egoism and stop': 270076, 'and stop corruption': 72472, 'stop corruption lying': 804591, 'corruption lying cunningness': 207697, 'lying cunningness by': 507070, 'cunningness by all': 220352, 'bank don': 109780, 'food bank don': 313555, 'bank don panic': 109781, 'buy and be': 148316, 'and be responsible': 58764, 'people behind all': 647259, 'behind all the': 124591, 'fl yeah': 309931, 'small print': 775073, 'print for': 678271, 'get lawyer': 347469, 'lawyer lawyer': 482553, 'lawyer on': 482559, 'phone toiletpaper': 655044, 'fl yeah but': 309932, 'yeah but ha': 1014241, 'but ha some': 145840, 'ha some small': 371998, 'some small print': 783892, 'small print for': 775074, 'print for you': 678272, 'for you better': 328039, 'you better get': 1017463, 'better get lawyer': 128301, 'get lawyer lawyer': 347470, 'lawyer lawyer on': 482554, 'lawyer on the': 482560, 'the phone toiletpaper': 863698, 'butwhy': 148228, 'cleanthosetoilets': 181196, 'never find': 557998, 'find plenty': 307180, 'cleaner toiletpaper': 180857, 'toiletpaper butwhy': 921835, 'butwhy dirtypeople': 148229, 'dirtypeople cleanthosetoilets': 243776, 'it that you': 461505, 'can never find': 159033, 'never find toilet': 557999, 'can find plenty': 158335, 'find plenty of': 307181, 'of toilet bowl': 592249, 'bowl cleaner toiletpaper': 136971, 'cleaner toiletpaper butwhy': 180858, 'toiletpaper butwhy dirtypeople': 921836, 'butwhy dirtypeople cleanthosetoilets': 148230, 'isolation unemployment': 455482, 'hardship limited': 378299, 'stock increased': 802288, 'increased health': 433340, 'risk uncertainty': 723981, 'future sadly': 342451, 'sadly million': 729338, 'were familiar': 979615, '19 tsunami': 11593, 'tsunami subsides': 934977, 'self isolation unemployment': 747806, 'isolation unemployment and': 455483, 'unemployment and financial': 941157, 'financial hardship limited': 306434, 'hardship limited food': 378300, 'limited food stock': 492632, 'food stock increased': 316796, 'stock increased health': 802289, 'increased health risk': 433341, 'health risk uncertainty': 386811, 'risk uncertainty about': 723982, 'the future sadly': 856090, 'future sadly million': 342452, 'sadly million of': 729339, 'million of british': 532259, 'of british citizen': 580892, 'british citizen were': 140499, 'citizen were familiar': 178996, 'were familiar with': 979616, 'familiar with these': 297537, 'with these term': 1001661, 'these term in': 880797, 'term in 2019': 838182, '2019 when the': 14042, 'covid 19 tsunami': 213986, '19 tsunami subsides': 11594, 'aewdynamite': 33944, 'jimmyhavoc': 465517, 'having coronavirus': 384012, 'eye umm': 294113, 'umm didn': 939244, 'night totally': 563110, 'totally not': 926376, 'sick aewdynamite': 768351, 'aewdynamite jimmyhavoc': 33945, 'look like me': 502495, 'like me trying': 490756, 'store while having': 811280, 'while having coronavirus': 986906, 'having coronavirus my': 384013, 'coronavirus my eye': 206303, 'my eye umm': 548143, 'eye umm didn': 294114, 'umm didn sleep': 939245, 'didn sleep well': 241207, 'sleep well last': 773807, 'well last night': 978370, 'last night totally': 480398, 'night totally not': 563111, 'totally not sick': 926377, 'not sick aewdynamite': 571584, 'sick aewdynamite jimmyhavoc': 768352, 'tesco becomes': 838678, 'create job': 215672, 'surge 19': 828111, 'tesco becomes latest': 838679, 'becomes latest supermarket': 120231, 'supermarket to create': 823364, 'to create job': 903711, 'create job to': 215673, 'job to meet': 466229, 'meet surge 19': 527582, 'surge 19 corona': 828112, 'resource hub from': 714812, 'hub from consumer': 409800, 'said mate': 731225, 'mate me': 520343, 'are night': 88235, 'shift supermarket': 758409, 'worker none': 1007447, 'seems it': 746801, 'same minority': 733159, 'minority that': 533650, 'don adhere': 253330, 'guideline fear': 368417, 'fear total': 301403, 'well said mate': 978536, 'said mate me': 731226, 'mate me and': 520344, 'colleague are night': 186196, 'are night shift': 88236, 'night shift supermarket': 563074, 'shift supermarket worker': 758410, 'supermarket worker none': 824055, 'worker none of': 1007448, 'none of want': 566602, 'distancing work to': 247656, 'work to point': 1005898, 'to point but': 911857, 'point but seems': 662446, 'but seems it': 146995, 'seems it the': 746802, 'the same minority': 866258, 'same minority that': 733160, 'minority that don': 533651, 'that don adhere': 843595, 'don adhere to': 253331, 'to the guideline': 916759, 'the guideline fear': 856929, 'guideline fear total': 368418, 'fear total lock': 301404, 'breaking co': 138927, 'breaking co op': 138928, 'op supermarket to': 611819, 'temporary employment to': 837615, 'employment to hospitality': 274651, 'to hospitality worker': 907986, 'giant opened': 349835, 'buying stampede': 151072, 'stampede 7news': 793443, 'supermarket giant opened': 820509, 'giant opened it': 349836, 'door early this': 255582, 'to allow our': 900351, 'allow our health': 46023, 'care worker to': 164309, 'worker to shop': 1008022, 'avoid the panic': 105329, 'panic buying stampede': 637897, 'buying stampede 7news': 151073, 'getting thousand': 349384, 'state are getting': 795385, 'are getting thousand': 86829, 'getting thousand of': 349385, 'thousand of consumer': 893429, 'of consumer complaint': 581723, 'complaint about price': 191930, 'some washing': 784183, 'space instead': 787125, 'instead fighting': 440180, 'if africa': 413776, 'africa have': 35083, 'saying 19': 739544, 'chicago we need': 175702, 'need some washing': 555602, 'some washing station': 784184, 'washing station in': 967724, 'station in public': 796435, 'public space instead': 688328, 'space instead fighting': 787126, 'instead fighting for': 440181, 'fighting for sanitizer': 305080, 'for sanitizer if': 325337, 'sanitizer if africa': 735113, 'if africa have': 413777, 'africa have it': 35084, 'have it we': 381157, 'it we can': 462275, 'we can just': 970969, 'can just saying': 158800, 'just saying 19': 469711, 'saying 19 usa': 739545, 'family fighting': 297792, 'pandemic me': 635946, 'me college': 522580, 'student 19': 814632, 'family fighting over': 297793, 'during pandemic me': 262879, 'pandemic me college': 635947, 'me college student': 522581, 'college student 19': 186650, 'student 19 quarantine': 814633, 'empty but it': 274823, 'left that no': 485662, 'one like chunky': 606600, 'distansting': 247671, 'like australia': 489848, 'australia need': 103336, 'if ship': 414788, 'ship can': 758657, 'can dock': 158132, 'dock and': 250771, 'and disembark': 61428, 'disembark what': 245296, 'am physical': 50301, 'physical distansting': 655417, 'distansting for': 247672, 'supply one': 825668, 'these passenger': 880410, 'look like australia': 502460, 'like australia need': 489849, 'australia need to': 103337, 'prepare for worst': 670091, 'scenario for if': 741257, 'for if ship': 322468, 'if ship can': 414789, 'ship can dock': 758658, 'can dock and': 158133, 'dock and disembark': 250772, 'and disembark what': 61429, 'disembark what am': 245297, 'what am physical': 981021, 'am physical distansting': 50302, 'physical distansting for': 655418, 'distansting for next': 247673, 'for next time': 323857, 'go to get': 354311, 'get my house': 347632, 'my house supply': 548744, 'house supply one': 406589, 'supply one of': 825669, 'of these passenger': 591846, 'these passenger will': 880411, 'passenger will be': 643360, 'supermarket who is': 823858, 'in charge in': 421341, 'charge in nsw': 173264, 'finally decided': 305967, 'decided stop': 230879, 'his coworkers': 397327, 'coworkers will': 214508, 'he realized': 385334, 'realized it': 701894, 'doesn worth': 252005, 'for paycheck': 324423, 'paycheck ve': 645313, 'his retail': 397760, 'won shut': 1003899, 'my friend told': 548454, 'friend told me': 333860, 'me he finally': 522870, 'he finally decided': 384960, 'finally decided stop': 305968, 'decided stop going': 230880, 'to work some': 918782, 'work some of': 1005751, 'of his coworkers': 584649, 'his coworkers will': 397328, 'coworkers will do': 214509, 'same so happy': 733294, 'so happy he': 777240, 'happy he realized': 377629, 'he realized it': 385335, 'realized it doesn': 701895, 'it doesn worth': 457647, 'doesn worth it': 252006, 'worth it risking': 1011382, 'it risking life': 460796, 'risking life for': 724080, 'life for paycheck': 488668, 'for paycheck ve': 324424, 'paycheck ve been': 645314, 've been telling': 952941, 'been telling him': 122145, 'telling him how': 837205, 'him how serious': 396628, 'serious this virus': 751495, 'virus is but': 958365, 'is but his': 446322, 'but his retail': 145941, 'his retail store': 397761, 'retail store company': 718627, 'store company won': 807127, 'company won shut': 191353, 'won shut down': 1003900, 'down the store': 257305, 'continues read': 201429, 'over continues read': 630109, 'continues read more': 201430, 'purpose call': 690104, 'text subject': 839944, 'to prior': 912138, 'prior express': 678361, 'express consent': 293029, 'consent under': 194832, 'act discus': 29628, 'discus an': 244826, 'an fcc': 56043, 'fcc announcement': 300751, 'are 19 emergency': 84109, '19 emergency purpose': 6762, 'emergency purpose call': 272907, 'purpose call and': 690105, 'call and text': 155766, 'and text subject': 73151, 'text subject to': 839945, 'subject to prior': 815754, 'to prior express': 912139, 'prior express consent': 678362, 'express consent under': 293030, 'consent under the': 194833, 'protection act discus': 685275, 'act discus an': 29629, 'discus an fcc': 244827, 'an fcc announcement': 56044, 'genuinely scared': 345902, 'stupid shit': 815460, 'isn sending': 454661, 'yet forcing': 1016080, 'forcing my': 328716, 'while pushing': 987188, 'their bullshit': 872663, 'genuinely scared people': 345903, 'are coming into': 85437, 'coming into my': 188110, 'into my retail': 442787, 'for stupid shit': 325958, 'stupid shit they': 815461, 'shit they do': 759254, 'wear mask even': 974386, 'mask even worse': 518619, 'even worse my': 284829, 'my company isn': 547773, 'company isn sending': 190818, 'isn sending me': 454662, 'sending me covid': 750045, '19 supply but': 10967, 'supply but yet': 824871, 'but yet forcing': 147964, 'yet forcing my': 1016081, 'forcing my team': 328717, 'my team to': 550328, 'team to work': 835809, 'to work all': 918679, 'work all the': 1004729, 'the while pushing': 871454, 'while pushing their': 987189, 'pushing their bullshit': 690452, 'lssc': 506359, 'need consider': 554633, 'your extra': 1023726, 'extra donation': 293501, 'donation lssc': 254637, 'lockdown please if': 499805, 'please if anyone': 660098, 'anyone ha more': 80342, 'ha more hand': 371290, 'sanitizer soap or': 735760, 'paper than you': 640870, 'you need consider': 1019976, 'need consider offering': 554634, 'consider offering your': 195048, 'offering your extra': 595333, 'your extra donation': 1023727, 'extra donation lssc': 293502, 'easyjet': 265830, 'jet2': 465355, 'easyjet and': 265831, 'and jet2': 65655, 'jet2 share': 465356, 'up jet2': 945256, 'jet2 up': 465358, 'up 66': 944198, '66 what': 21431, 'the aviation': 849109, 'aviation industry': 104958, 'industry don': 435783, 'easyjet and jet2': 265832, 'and jet2 share': 65656, 'jet2 share price': 465357, 'price up jet2': 677241, 'up jet2 up': 945257, 'jet2 up 66': 465359, 'up 66 what': 944199, '66 what do': 21432, 'they know that': 882530, 'that the rest': 846820, 'in the aviation': 429000, 'the aviation industry': 849111, 'aviation industry don': 104959, 'underway will': 940982, 'the could accelerate': 852000, 'wa already underway': 961496, 'already underway will': 47740, 'underway will socialdistancing': 940983, 'etretail impact': 283177, 'etretail impact of': 283178, 'britisher': 140625, 'ww ii': 1013635, 'ii crisis': 415970, 'to britisher': 902065, 'britisher result': 140626, 'modi diverted': 535449, 'india medical': 434520, 'medical stock': 526411, 'american result': 52163, 'result awaited': 717482, 'awaited pm': 105542, 'pm fakejournalismofmedia': 661901, 'ww ii crisis': 1013636, 'ii crisis in': 415971, 'crisis in 1943': 217525, 'india food stock': 434410, 'stock to britisher': 802989, 'to britisher result': 902066, 'britisher result great': 140627, '2020 modi diverted': 14448, 'modi diverted india': 535450, 'diverted india medical': 248573, 'india medical stock': 434521, 'medical stock to': 526412, 'stock to american': 802986, 'to american result': 900420, 'american result awaited': 52164, 'result awaited pm': 717483, 'awaited pm fakejournalismofmedia': 105543, 'invincible': 444239, 'child think': 176227, 'are invincible': 87567, 'invincible not': 444240, 'discriminate it': 244794, 'equalizer stay': 279628, 'especially starting': 280608, 'starting sunday': 794998, 'sunday stock': 818271, 'etc rice': 282730, 'child think they': 176228, 'they are invincible': 881315, 'are invincible not': 87568, 'invincible not with': 444241, 'not with this': 572516, 'virus the doe': 958883, 'not discriminate it': 569048, 'discriminate it is': 244795, 'great equalizer stay': 362657, 'equalizer stay safe': 279629, 'at home especially': 98988, 'home especially starting': 401159, 'especially starting sunday': 280609, 'starting sunday stock': 794999, 'sunday stock up': 818272, 'stock up only': 803104, 'up only on': 945664, 'only on essential': 610854, 'on essential food': 600584, 'food etc rice': 314405, 'etc rice bean': 282731, 'bean etc work': 118317, 'etc work from': 282903, 're discussing': 698524, 'plus day': 661585, 'simple inspired': 770043, 'inspired meal': 439846, 'dinner this': 243096, 'blog post we': 133003, 'post we re': 666396, 'we re discussing': 972856, 're discussing how': 698525, 'discussing how to': 244996, 'family and others': 297597, 'and others safe': 68457, 'others safe while': 621627, 'shopping and when': 762043, 'get home plus': 347247, 'home plus day': 401873, 'plus day of': 661586, 'day of simple': 228101, 'of simple inspired': 589738, 'simple inspired meal': 770044, 'inspired meal for': 439847, 'meal for dinner': 524151, 'for dinner this': 320724, 'dinner this week': 243097, 'irgchospitals': 444878, 'blackmarket': 132192, 'under reported': 940225, 'reported news': 712505, 'news frm': 560448, 'frm inside': 334119, 'inside iran': 439294, 'iran the': 444715, 'warehouse allocated': 966670, 'special irgchospitals': 787972, 'irgchospitals some': 444879, 'the blackmarket': 849746, 'blackmarket at': 132193, 'under reported news': 940226, 'reported news frm': 712506, 'news frm inside': 560449, 'frm inside iran': 334120, 'inside iran the': 439295, 'iran the aid': 444716, 'provided by and': 686573, 'by and other': 151846, 'and other country': 68299, 'irgc warehouse allocated': 444876, 'warehouse allocated to': 966671, 'to special irgchospitals': 914969, 'special irgchospitals some': 787973, 'irgchospitals some of': 444880, 'in the blackmarket': 429026, 'the blackmarket at': 849747, 'blackmarket at exorbitant': 132194, 'basket wa': 112415, 'bare know': 110914, 'can foodbank': 158372, 'foodbank stayhomesavelives': 317796, 'today went into': 920499, 'went into my': 979049, 'and yet again': 75981, 'yet again the': 1015974, 'again the food': 37208, 'bank donation basket': 109785, 'donation basket wa': 254558, 'basket wa bare': 112416, 'wa bare know': 961636, 'bare know these': 110915, 'all but please': 42256, 'but please give': 146798, 'you can foodbank': 1017679, 'can foodbank stayhomesavelives': 158373, '702breakfast': 21942, 'it morally': 459661, 'morally justifiable': 538431, 'grows is': 367314, 'profit or': 682830, 'of 702breakfast': 579666, 'is it morally': 449039, 'it morally justifiable': 459662, 'morally justifiable for': 538432, 'business to raise': 144552, 'of good demand': 584216, 'good demand grows': 356970, 'demand grows is': 235594, 'grows is it': 367315, 'it just about': 459214, 'about the market': 26445, 'the market profit': 860144, 'market profit or': 516917, 'profit or people': 682831, 'or people have': 616539, 'people have you': 648212, 'noticed any product': 573427, 'product that now': 681696, 'that now cost': 845419, 'now cost more': 574467, 'more than before': 540597, 'before the start': 123189, 'start of 702breakfast': 794407, 'getting minimum': 349114, 'abused all': 27681, 'long by': 501361, 'by dickhead': 152349, 'dickhead love': 240483, 'it for supermarket': 458096, 'worker getting minimum': 1007035, 'getting minimum wage': 349115, 'minimum wage to': 533246, 'wage to expose': 963971, 'themselves to all': 876907, 'to all while': 900302, 'all while being': 45449, 'while being abused': 986644, 'being abused all': 124808, 'abused all day': 27682, 'day long by': 227934, 'long by dickhead': 501362, 'by dickhead love': 152350, 'dickhead love these': 240484, 'love these people': 504821, 'stop water': 805264, 'electricity turn': 271216, 'turn offs': 935721, 'offs it': 596081, 'only humane': 610616, 'humane thing': 410677, 'there nothing complicated': 878870, 'complicated about this': 192456, 'about this must': 26648, 'must stop water': 546928, 'stop water and': 805265, 'and electricity turn': 62002, 'electricity turn offs': 271217, 'turn offs it': 935722, 'offs it is': 596082, 'the only humane': 862312, 'only humane thing': 610617, 'humane thing to': 410678, 'offering healthcare': 595138, 'it seeing': 460929, 'usually put': 951138, 'up whenever': 946582, 'anybody else think': 80075, 'think should be': 885538, 'should be offering': 765679, 'be offering healthcare': 116159, 'offering healthcare staff': 595139, 'healthcare staff free': 387288, 'staff free transportation': 792474, 'work if when': 1005283, 'need it seeing': 555105, 'it seeing they': 460930, 'seeing they usually': 746513, 'they usually put': 883631, 'usually put price': 951139, 'price up whenever': 677271, 'up whenever they': 946583, 'it it be': 459166, 'distribution world': 248262, 'guardian the': 367904, 'paper temporarily': 640865, 'temporarily leaving': 837504, 'leaving market': 485105, 'food distribution world': 314242, 'distribution world news': 248263, 'the guardian the': 856913, 'guardian the spread': 367905, 'across the many': 29502, 'the many are': 860034, 'many are stockpiling': 513779, 'stockpiling staple like': 804075, 'toilet paper temporarily': 921482, 'paper temporarily leaving': 640866, 'temporarily leaving market': 837505, 'leaving market empty': 485106, 'the fbi warns': 854994, 'fbi warns about': 300709, 'warns about this': 967242, 'about this online': 26651, 'brewing something': 139479, 'different anheuser': 241895, 'busch the': 143125, 'largest beer': 479927, 'brewing something different': 139480, 'something different anheuser': 784888, 'different anheuser busch': 241896, 'anheuser busch the': 76525, 'busch the country': 143126, 'country largest beer': 210851, 'largest beer maker': 479928, 'beer maker say': 122484, 'maker say it': 510864, 'will begin making': 992807, 'begin making and': 123535, '3rmb': 18464, 'from taobao': 337546, 'china biggest': 176526, 'you 3rmb': 1016760, '3rmb only': 18465, 'can but it': 157807, 'but it from': 146124, 'it from taobao': 458158, 'from taobao china': 337547, 'taobao china biggest': 834305, 'china biggest online': 176527, 'shopping website it': 764359, 'website it own': 975328, 'it own you': 460229, 'own you 3rmb': 632320, 'you 3rmb only': 1016761, 'frequently sanitize': 332871, 'properly using': 684212, 'frequently sanitize your': 332872, 'your hand properly': 1024214, 'hand properly using': 375187, 'properly using alcohol': 684213, 'using alcohol based': 950373, 'based sanitizer and': 111734, 'sanitizer and you': 734464, 'will keep away': 993889, 'bank valuation': 110277, 'valuation are': 952061, 'about cheap': 24951, 'cheap they': 174213, '2008 our': 13688, 'analyst maintain': 57149, 'maintain that': 509054, 'if bank': 413893, 'survive 19': 829115, 'then investor': 877276, 'investor should': 444208, 'rewarded at': 720807, 'bank valuation are': 110278, 'valuation are about': 952062, 'are about cheap': 84157, 'about cheap they': 24952, 'cheap they ve': 174214, 've been since': 952931, 'been since 2008': 121972, 'since 2008 our': 770457, '2008 our analyst': 13689, 'our analyst maintain': 622078, 'analyst maintain that': 57150, 'maintain that if': 509055, 'that if bank': 844415, 'if bank have': 413894, 'bank have enough': 109892, 'enough liquidity and': 277510, 'liquidity and capital': 494123, 'and capital to': 59540, 'capital to survive': 162696, 'to survive 19': 916014, 'survive 19 then': 829116, '19 then investor': 11274, 'then investor should': 877277, 'investor should be': 444209, 'should be rewarded': 765719, 'be rewarded at': 116879, 'rewarded at today': 720808, 'at today price': 101337, 'today price read': 920071, 'will reveal': 994692, 'reveal some': 720245, 'some direct': 782690, 'direct economic': 243320, 'and jobless': 65668, 'claim also': 179690, 'are central': 85214, 'bank going': 109867, 'continues to dominate': 201470, 'to dominate the': 904637, 'dominate the headline': 253275, 'headline and our': 385983, 'and our life': 68501, 'our life this': 623736, 'life this week': 489117, 'week will reveal': 977257, 'will reveal some': 994693, 'reveal some direct': 720246, 'some direct economic': 782691, 'direct economic impact': 243321, 'global pandemic including': 352093, 'pandemic including consumer': 635715, 'including consumer confidence': 431924, 'confidence and jobless': 193820, 'and jobless claim': 65669, 'jobless claim also': 466330, 'claim also how': 179691, 'also how are': 48374, 'how are central': 407391, 'are central bank': 85215, 'central bank going': 169372, 'bank going to': 109868, 'going to handle': 355614, 'harder and': 378157, 'pray this': 669029, 'nigeria cause': 562725, 'go happen': 353635, 'eat boredom': 265867, 'boredom will': 135417, 'will kick': 993908, 'in cuz': 421951, 'cuz no': 223805, 'water electricity': 968977, 'electricity people': 271190, 'money government': 536792, 'government still': 360634, 'to work harder': 918731, 'work harder and': 1005241, 'harder and pray': 378159, 'and pray this': 69320, 'pray this covid': 669030, '19 don spread': 6631, 'don spread in': 253924, 'spread in nigeria': 790577, 'in nigeria cause': 425875, 'nigeria cause lot': 562726, 'of thing go': 591900, 'thing go happen': 884365, 'go happen if': 353636, 'happen if many': 377096, 'if many people': 414409, 'go out then': 353989, 'out then they': 627463, 'then they can': 877653, 'can eat boredom': 158192, 'eat boredom will': 265868, 'boredom will kick': 135418, 'will kick in': 993909, 'kick in cuz': 473788, 'in cuz no': 421952, 'cuz no water': 223807, 'no water electricity': 565857, 'water electricity people': 968978, 'electricity people can': 271191, 'people can stock': 647412, 'their house food': 873606, 'house food cuz': 406297, 'food cuz no': 314075, 'cuz no money': 223806, 'no money government': 564784, 'money government still': 536793, 'government still don': 360635, 'still don care': 800452, 'ukgoverment aren': 938950, 'it saying': 460893, 'saying over': 739656, 'over over': 630474, 'pile will': 656520, 'this enforcement': 887383, 'law ha': 482303, 'if four': 414129, 'four adult': 330579, 'adult arrive': 32804, 'same car': 732989, 'car then': 163311, 'then shop': 877531, 'shop separately': 760754, 'separately they': 751104, 'cannot limit': 161999, 'limit them': 492526, 'per product': 650994, 'product coronacrisis': 681088, 'ukgoverment aren getting': 938951, 'aren getting it': 92418, 'getting it saying': 349077, 'it saying over': 460894, 'saying over over': 739657, 'over over again': 630475, 'over again we': 629950, 'enough food do': 277390, 'not stock pile': 571734, 'stock pile will': 802635, 'pile will not': 656521, 'not stop this': 571760, 'stop this enforcement': 805188, 'this enforcement by': 887384, 'enforcement by law': 276748, 'by law ha': 153030, 'law ha to': 482304, 'ha to happen': 372303, 'to happen if': 907152, 'happen if four': 377094, 'if four adult': 414130, 'four adult arrive': 330580, 'adult arrive in': 32805, 'arrive in the': 93920, 'the same car': 866204, 'same car then': 732990, 'car then shop': 163312, 'then shop separately': 877532, 'shop separately they': 760755, 'separately they cannot': 751105, 'they cannot limit': 881713, 'cannot limit them': 162000, 'limit them to': 492527, 'them to item': 876482, 'item per product': 463561, 'per product coronacrisis': 650995, 'product coronacrisis stophoarding': 681089, 'amir': 52848, 'ghodrati': 349664, 'to amir': 900426, 'amir ghodrati': 52849, 'ghodrati director': 349665, 'director market': 243637, 'amp senior': 54464, 'senior market': 750352, 'insight manage': 439593, 'key app': 473228, 'app vertical': 81797, 'listen in talk': 494689, 'in talk to': 428809, 'talk to amir': 833869, 'to amir ghodrati': 900427, 'amir ghodrati director': 52850, 'ghodrati director market': 349666, 'director market insight': 243638, 'market insight amp': 516594, 'insight amp senior': 439503, 'amp senior market': 54465, 'senior market insight': 750353, 'market insight manage': 516596, 'insight manage to': 439594, 'manage to discus': 512461, 'coronavirus on key': 206341, 'on key app': 601756, 'key app vertical': 473229, 'flatt78': 310121, 'flatt78 those': 310122, 'would prefer': 1012113, 'safe then': 730019, 'sick tested': 768620, 'sick customer': 768408, 'flatt78 those of': 310123, 'work for those': 1005176, 'those company would': 891883, 'company would prefer': 191363, 'would prefer to': 1012114, 'stay safe then': 797289, 'safe then be': 730020, 'then be in': 877018, 'the store getting': 868027, 'store getting sick': 807926, 'getting sick tested': 349275, 'sick tested positive': 768621, 'after being forced': 35407, 'forced to deal': 328626, 'with sick customer': 1000723, 'sick customer online': 768409, 'shopping is thing': 763085, 'akhirah': 40520, 'defense kit': 232137, 'watching and': 968705, 'act may': 29699, 'may bring': 521064, 'little benefit': 495248, 'in akhirah': 420132, 'akhirah so': 40521, 'so fear': 777081, 'basic self defense': 112048, 'self defense kit': 747598, 'defense kit at': 232138, 'kit at high': 475502, 'high price should': 395274, 'price should remember': 676389, 'remember that allah': 710274, 'that allah is': 842582, 'is watching and': 453783, 'watching and this': 968706, 'and this act': 73984, 'this act may': 886186, 'act may bring': 29700, 'may bring you': 521065, 'bring you little': 140124, 'you little benefit': 1019626, 'little benefit in': 495249, 'price in akhirah': 674655, 'in akhirah so': 420133, 'akhirah so fear': 40522, 'so fear allah': 777082, 'paid little': 634068, 'risk used': 723990, 'many moon': 514292, 'moon ago': 538322, 'ago hbu': 38402, 'grateful for my': 362269, 'for my faith': 323704, 'faith in jesus': 296517, 'in jesus and': 424389, 'jesus and for': 465286, 'worker that get': 1007914, 'that get paid': 844000, 'get paid little': 347770, 'paid little but': 634069, 'little but are': 495277, 'but are now': 145217, 'now working tirelessly': 576477, 'tirelessly and putting': 899072, 'at risk used': 100410, 'risk used to': 723991, 'be one many': 116224, 'one many moon': 606642, 'many moon ago': 514293, 'moon ago hbu': 538323, 'been model': 121530, 'model governor': 535255, 'governor throughout': 361003, 'here piece': 393458, 'piece just': 656320, 'bank consumer': 109737, 'finance front': 306198, 'front if': 338545, 'interested cc': 441446, 'ha been model': 369854, 'been model governor': 121531, 'model governor throughout': 535256, 'governor throughout this': 361004, 'throughout this covid': 894993, '19 pandemic crisis': 9304, 'pandemic crisis here': 635271, 'crisis here piece': 217486, 'here piece just': 393459, 'piece just published': 656321, 'just published with': 469513, 'published with some': 688709, 'with some info': 1000850, 'some info on': 783118, 'on what ny': 605234, 'ny is doing': 577884, 'is doing on': 447285, 'the bank consumer': 849233, 'bank consumer finance': 109738, 'consumer finance front': 197476, 'finance front if': 306199, 'front if you': 338546, 're interested cc': 698908, 'then shall': 877524, 'shall cannot': 754523, 'starve then shall': 795227, 'then shall cannot': 877525, 'shall cannot get': 754524, 'delivery for day': 234021, 'government forgotten': 360105, 'forgotten that': 329462, 'now impossible': 574987, 'empty anyway': 274782, 'anyway if': 81017, 'get starvation': 348107, 'will uklockdown': 995262, 'ha the option': 372217, 'option of working': 614077, 'or have the': 615591, 'have the government': 382992, 'the government forgotten': 856540, 'government forgotten that': 360106, 'forgotten that online': 329463, 'shopping now impossible': 763361, 'now impossible and': 574988, 'impossible and shop': 419354, 'and shop shelf': 71513, 'shop shelf are': 760762, 'are empty anyway': 86138, 'empty anyway if': 274783, 'anyway if covid': 81018, 'doesn get starvation': 251801, 'get starvation will': 348108, 'starvation will uklockdown': 795185, 'coronaawareness': 204441, 'greensynenterprises': 363766, 'order bulk': 618092, 'bulk mask': 142323, 'product buy': 681030, 'single click': 771258, 'call coronaawareness': 155827, 'coronaawareness stayathome': 204442, '19 greensynenterprises': 7283, 'greensynenterprises visit': 363767, 'order bulk mask': 618093, 'bulk mask glove': 142324, 'sanitizer and grocery': 734408, 'and grocery product': 63997, 'grocery product buy': 364877, 'product buy single': 681031, 'buy single click': 149181, 'single click or': 771259, 'click or call': 181939, 'or call coronaawareness': 614638, 'call coronaawareness stayathome': 155828, 'coronaawareness stayathome 19': 204443, 'stayathome 19 greensynenterprises': 797426, '19 greensynenterprises visit': 7284, 'hosting live': 404966, 'consumer register': 198670, 'probably have lot': 679285, 'lot of question': 504265, 'of question about': 588685, 'right now join': 722091, 'now join on': 575144, 'thursday we are': 895445, 'are hosting live': 87246, 'hosting live roundtable': 404967, 'with consumer register': 997764, 'consumer register now': 198671, 'register now mrx': 707590, 'aphios': 81459, 'no fda': 564198, 'approved treatment': 83204, 'offering fraudulent': 595109, 'product aphios': 680922, 'currently no fda': 221601, 'no fda approved': 564199, 'fda approved treatment': 300835, 'approved treatment for': 83205, 'for coronavirus some': 320392, 'people fear and': 647876, 'fear and offering': 301036, 'and offering fraudulent': 67985, 'offering fraudulent product': 595110, 'fraudulent product aphios': 331467, 'but market': 146365, 'market slowdown': 517073, 'expected here': 290901, 'crisis realestate': 217947, 'realestate toronto': 701532, 'house price jump': 406494, 'jump up by': 467905, 'up by 15': 944541, 'by 15 year': 151550, '15 year over': 3876, 'over year this': 630960, 'year this march': 1015019, 'this march but': 888769, 'march but market': 515307, 'but market slowdown': 146366, 'market slowdown expected': 517074, 'slowdown expected here': 774434, 'expected here is': 290902, 'is the insight': 452833, 'the insight of': 858320, 'insight of toronto': 439602, 'of toronto real': 592325, '19 crisis realestate': 6309, 'crisis realestate toronto': 217948, 'croma': 218849, 'vijaysale': 957280, 'closetheretailstore': 183560, 'pls close': 661118, 'like croma': 490075, 'croma store': 218850, 'store vijaysale': 811067, 'vijaysale more': 957281, 'because here': 119126, 'here working': 393849, 'working very': 1009026, 'risky pls': 724120, 'sir closetheretailstore': 771548, 'sir pls close': 771630, 'pls close all': 661119, 'retail store like': 718654, 'store like croma': 808722, 'like croma store': 490076, 'croma store vijaysale': 218851, 'store vijaysale more': 811068, 'vijaysale more store': 957282, 'more store because': 540475, 'store because here': 806678, 'because here working': 119127, 'here working very': 393850, 'working very risky': 1009027, 'very risky pls': 955477, 'risky pls sir': 724121, 'pls sir closetheretailstore': 661177, 'why tell': 991400, 'gotten close': 359125, 'grocery smh': 365132, 'smh if': 775672, 'order promised': 618524, 'promised just': 683723, 'it till': 461689, 'why tell me': 991401, 'tell me my': 837014, 'me my grocery': 523192, 'my grocery pick': 548577, 'up order is': 945692, 'order is ready': 618338, 'ready for my': 700866, 'for my time': 323754, 'my time window': 550378, 'time window and': 898348, 'window and then': 995664, 'and am stuck': 58033, 'am stuck in': 50444, 'stuck in line': 814595, 'line for that': 493113, 'for that hour': 326257, 'that hour and': 844373, 'hour and still': 405419, 'and still haven': 72378, 'still haven gotten': 800672, 'haven gotten close': 383814, 'gotten close to': 359126, 'close to get': 182898, 'get my grocery': 347630, 'my grocery smh': 548582, 'grocery smh if': 365133, 'smh if you': 775673, 'you can fulfill': 1017681, 'can fulfill order': 158385, 'fulfill order promised': 340416, 'order promised just': 618525, 'promised just don': 683724, 'just don do': 468629, 'do it till': 249518, 'terrify': 838517, 'to terrify': 916381, 'terrify you': 838518, 'you fyi': 1018745, 'fyi story': 342648, 'that inquires': 844518, 'inquires about': 439002, 'whether can': 985492, 'in refrigerator': 427341, 'refrigerator and': 706801, 'sorry to terrify': 786099, 'to terrify you': 916382, 'terrify you fyi': 838519, 'you fyi story': 1018746, 'fyi story that': 342649, 'story that inquires': 812126, 'that inquires about': 844519, 'inquires about whether': 439003, 'about whether can': 26916, 'whether can live': 985493, 'can live in': 158894, 'live in refrigerator': 495882, 'in refrigerator and': 427342, 'refrigerator and if': 706802, 'if so for': 414823, 'so for how': 777109, 'in job': 424395, 'hero pray': 394075, 'are valued': 91447, 'to work each': 918713, 'each day in': 264044, 'day in job': 227799, 'in job that': 424396, 'keeping our daily': 472501, 'life going from': 488693, 'going from delivery': 355172, 'to cleaner to': 902822, 'supermarket worker you': 824127, 'all hero pray': 43110, 'hero pray you': 394076, 'pray you stay': 669041, 'safe and know': 729458, 'much you are': 545490, 'you are valued': 1017281, 'hendrik': 391768, 'classic german': 180331, 'german approach': 346199, 'approach hendrik': 82951, 'hendrik streeck': 391769, 'streeck individual': 812874, 'individual transfer': 435271, 'transfer in': 929515, 'problem time': 679724, 'classic german approach': 180332, 'german approach hendrik': 346200, 'approach hendrik streeck': 82952, 'hendrik streeck individual': 391770, 'streeck individual transfer': 812875, 'individual transfer in': 435272, 'transfer in the': 929516, 'the problem time': 864529, 'problem time online': 679725, 'greymouth': 363882, 'medial': 525961, 'had cold': 372977, 'cold newzealand': 185781, 'from wa': 338274, 'treated in': 930958, 'in grey': 423433, 'grey base': 363872, 'base hospital': 111453, 'hospital greymouth': 404437, 'greymouth family': 363883, 'nz think': 578207, 'supermarket yep': 824154, 'yep overworked': 1015342, 'overworked medial': 631790, 'medial staff': 525962, 'staff make': 792634, 'of mistake': 586583, 'she thought she': 756385, 'she had cold': 756096, 'had cold newzealand': 372978, 'cold newzealand is': 185782, 'newzealand is first': 561240, 'is first death': 447826, 'death from wa': 230052, 'from wa treated': 338275, 'wa treated in': 963573, 'treated in grey': 930959, 'in grey base': 423434, 'grey base hospital': 363873, 'base hospital greymouth': 111454, 'hospital greymouth family': 404438, 'greymouth family of': 363884, 'first person to': 308863, 'person to die': 652656, 'in nz think': 426038, 'nz think she': 578208, 'think she may': 885529, 'she may have': 756221, 'may have got': 521237, 'have got it': 380813, 'got it from': 358647, 'it from the': 458159, 'the supermarket yep': 868920, 'supermarket yep overworked': 824155, 'yep overworked medial': 1015343, 'overworked medial staff': 631791, 'medial staff make': 525963, 'staff make lot': 792635, 'lot of mistake': 504230, 'webinar covid': 975030, 'crisis 28': 216958, '28 12pm': 16370, '12pm legal': 3128, 'webinar covid 19': 975031, 'of crisis 28': 582145, 'crisis 28 12pm': 216959, '28 12pm legal': 16371, 'papua': 641193, 'one ripple': 606969, 'have expected': 380515, 'expected miner': 290912, 'miner from': 532958, 'from burkina': 334751, 'faso to': 299898, 'to papua': 911449, 'papua new': 641194, 'new guinea': 558835, 'guinea are': 368583, 'their gold': 873415, 'huge discount': 410030, 'discount supply': 244546, 'chain collapse': 170597, 'and funding': 63417, 'funding dry': 341590, 'up lewis': 945308, 'one ripple effect': 606970, 'not have expected': 569830, 'have expected miner': 380516, 'expected miner from': 290913, 'miner from burkina': 532959, 'from burkina faso': 334752, 'burkina faso to': 142875, 'faso to papua': 299899, 'to papua new': 911450, 'papua new guinea': 641195, 'new guinea are': 558836, 'guinea are selling': 368584, 'selling their gold': 749486, 'their gold at': 873416, 'gold at huge': 355861, 'at huge discount': 99247, 'huge discount supply': 410031, 'discount supply chain': 244547, 'supply chain collapse': 824931, 'chain collapse and': 170598, 'collapse and funding': 185968, 'and funding dry': 63418, 'funding dry up': 341591, 'dry up lewis': 261314, 'bringing another': 140144, 'another interested': 77676, 'interested research': 441484, 'research piece': 713811, 'changing great': 172715, 'is bringing another': 446271, 'bringing another interested': 140145, 'another interested research': 77677, 'interested research piece': 441485, 'research piece on': 713812, 'piece on where': 656355, 'is changing great': 446473, 'changing great insight': 172716, 'sudden go': 817003, 'most appropriately': 542107, 'appropriately used': 83078, 'present danger': 670586, 'face dr': 294408, 'fauci to': 300383, 'sure that people': 827698, 'not all of': 568118, 'of sudden go': 590371, 'sudden go out': 817004, 'out buy and': 625805, 'buy and hoard': 148321, 'and hoard mask': 64634, 'hoard mask that': 398834, 'mask that are': 519344, 'are most appropriately': 88132, 'most appropriately used': 542108, 'appropriately used and': 83079, 'used and necessary': 949865, 'and necessary for': 67458, 'necessary for the': 553994, 'for the front': 326453, 'line health care': 493161, 'worker who do': 1008206, 'who do need': 988616, 'for the clear': 326346, 'the clear and': 850993, 'and present danger': 69385, 'present danger they': 670587, 'danger they face': 225702, 'they face dr': 882082, 'face dr anthony': 294409, 'anthony fauci to': 78242, 'release driven': 708938, 'driven delivery': 259302, 'delivery inc': 234121, 'inc california': 431272, 'california fastest': 155498, 'growing direct': 367173, 'cannabis delivery': 161405, 'see major': 745379, 'outbreak 43': 627946, '43 week': 18983, 'throughout california': 894931, 'california cannabis': 155474, 'cannabis cannabisnews': 161386, 'news release driven': 560745, 'release driven delivery': 708939, 'driven delivery inc': 259303, 'delivery inc california': 234122, 'inc california fastest': 431273, 'california fastest growing': 155499, 'fastest growing direct': 300151, 'growing direct to': 367174, 'to consumer cannabis': 903276, 'consumer cannabis delivery': 196729, 'cannabis delivery service': 161406, 'delivery service see': 234459, 'service see major': 752806, 'see major increase': 745380, 'in sale during': 427652, 'sale during coronavirus': 732180, 'coronavirus outbreak 43': 206370, 'outbreak 43 week': 627947, '43 week over': 18984, 'over week throughout': 630917, 'week throughout california': 977057, 'throughout california cannabis': 894932, 'california cannabis cannabisnews': 155475, 'to lighten': 909269, 'with fun': 998586, 'off looroll': 593960, 'every care': 285712, 'trying to lighten': 934824, 'to lighten the': 909270, 'the mood and': 860862, 'mood and come': 538267, 'up with fun': 946641, 'with fun way': 998587, 'fun way if': 341240, 'way if run': 969648, 'run out off': 727764, 'out off looroll': 626885, 'off looroll toiletpaper': 593961, 'looroll toiletpaper 19': 503177, 'toiletpaper 19 off': 921674, '19 off course': 8894, 'off course we': 593748, 'course we take': 211957, 'we take every': 973481, 'take every care': 832100, 'every care and': 285713, 'care and wish': 163850, 'and wish everyone': 75752, 'wish everyone safe': 996756, 'everyone safe at': 287331, 'safe at this': 729504, 'time please wash': 897499, 'please wash hand': 660751, 'wash hand and': 967477, 'hand and stop': 374780, 'isolating we': 455160, 've avoided': 952853, 'avoided any': 105411, 'been hoping': 121308, 'cupboard space': 220490, 'now worried': 576479, 'excess fresh': 289343, 'off bin': 593692, 'bin it': 131010, 'family and are': 297580, 'and are self': 58357, 'self isolating we': 747744, 'isolating we ve': 455161, 'we ve avoided': 973640, 've avoided any': 952854, 'avoided any panic': 105412, 'any panic buying': 79621, 'buying ve been': 151301, 've been hoping': 952895, 'been hoping that': 121309, 'hoping that those': 403941, 'that those doing': 847011, 'those doing it': 891940, 'doing it will': 252501, 'it will soon': 462439, 'will soon run': 994901, 'out of cupboard': 626713, 'of cupboard space': 582248, 'cupboard space and': 220491, 'space and stop': 787051, 'and stop now': 72479, 'stop now worried': 804859, 'now worried that': 576480, 'worried that they': 1010588, 'that they ll': 846936, 'they ll see': 882608, 'll see their': 496998, 'see their excess': 745904, 'their excess fresh': 873193, 'excess fresh food': 289344, 'fresh food go': 332966, 'food go off': 314678, 'go off bin': 353869, 'off bin it': 593693, 'bin it panic': 131011, 'it panic buy': 460248, 'some more and': 783317, 'more and it': 538615, 'miamistrong': 530207, 'looking we': 503068, 'handsanitizer miami': 376585, 'miami miamistrong': 530189, 'is looking we': 449451, 'looking we have': 503069, 'we have hand': 971831, 'available at handsanitizer': 104249, 'at handsanitizer miami': 98850, 'handsanitizer miami miamistrong': 376586, 'taking break': 833287, 'break during': 138712, 'week colorado': 976094, 'colorado is': 186801, 'about rise': 26105, 'utility scam': 951311, 'scam want': 740460, 'the scammer are': 866424, 'scammer are not': 740537, 'not taking break': 571923, 'taking break during': 833288, 'break during the': 138713, 'this week colorado': 891200, 'week colorado is': 976095, 'colorado is warning': 186802, 'warning about rise': 967069, 'about rise in': 26106, 'rise in utility': 722916, 'in utility scam': 430514, 'utility scam want': 951312, 'scam want to': 740461, 'the new scheme': 861554, 'unearned': 941062, 'couple have': 211597, 'have unearned': 383452, 'unearned platform': 941063, 'animal ag': 76542, 'ag destroy': 36788, 'family livelihood': 297994, 'never stop': 558206, 'down regardless': 257142, 'of cattle': 581214, 'vegan couple have': 953852, 'couple have unearned': 211598, 'have unearned platform': 383453, 'unearned platform to': 941064, 'damage animal ag': 225178, 'animal ag destroy': 76543, 'ag destroy ranch': 36789, 'ranch family livelihood': 696524, 'family livelihood pre': 297995, 'ranching family have': 696562, 'family have never': 297881, 'have never stop': 381585, 'never stop working': 558207, 'stop working to': 805286, 'keep food in': 471515, 'food in every': 314937, 'in every home': 422680, 'america during covid': 51498, 'shut down regardless': 767848, 'down regardless of': 257143, 'regardless of cattle': 707317, 'of cattle price': 581215, 'cattle price collapsing': 167369, 'forget during': 329244, 'crisis your': 218468, 'business resist': 144314, 'don forget during': 253526, 'forget during this': 329245, '19 crisis your': 6360, 'crisis your local': 218469, 'local pet supply': 498267, 'pet supply shop': 653468, 'supply shop are': 825824, 'shop are deemed': 759898, 'are deemed essential': 85718, 'deemed essential business': 231819, 'essential business resist': 280858, 'business resist the': 144315, 'urge to panic': 948236, 'shortage of pet': 765128, 'why curse': 990908, 'curse china': 221750, 'medical equip': 526143, 'equip mask': 279661, 'mask indian': 518847, 'indian too': 434899, 'of brotherhood': 580910, 'brotherhood selling': 141123, 'black request': 132117, 'that culprit': 843411, 'why curse china': 990909, 'curse china for': 221751, 'china for increase': 176665, 'for increase in': 322525, 'of medical equip': 586390, 'medical equip mask': 526144, 'equip mask indian': 279662, 'mask indian too': 518848, 'indian too are': 434900, 'too are busy': 924587, 'are busy in': 85099, 'busy in making': 144916, 'in making quick': 424999, 'making quick buck': 511301, 'quick buck on': 694291, 'buck on the': 141672, 'on the corpse': 604042, 'corpse of brotherhood': 207489, 'of brotherhood selling': 580911, 'brotherhood selling mask': 141124, 'selling mask in': 749339, 'mask in black': 518828, 'in black request': 420871, 'black request all': 132118, 'request all to': 713142, 'all to ensure': 45238, 'ensure that culprit': 278054, 'that culprit are': 843412, 'culprit are not': 220249, 'are not spared': 88470, 'shutitdownnow': 768160, 'performing their': 651506, 'duty without': 263625, 'mask sanitizing': 519238, 'sanitizing spray': 736509, 'massive spike': 520121, 'death hazardpay': 230060, 'hazardpay shutitdownnow': 384599, 'thousand of essential': 893436, 'worker are performing': 1006414, 'are performing their': 89065, 'performing their duty': 651507, 'their duty without': 873092, 'duty without ppe': 263626, 'without ppe they': 1002852, 'ppe they re': 668081, 're being asked': 698354, 'work without glove': 1006055, 'glove mask sanitizing': 352781, 'mask sanitizing spray': 519239, 'sanitizing spray disinfectant': 736510, 'spray disinfectant wipe': 790287, 'sanitizer we are': 736042, 'seeing massive spike': 746365, 'massive spike in': 520122, 'and death hazardpay': 60987, 'death hazardpay shutitdownnow': 230061, 'seen covid': 746990, 'related potential': 708514, 'or quack': 616756, 'you seen covid': 1021092, 'seen covid 19': 746991, '19 related potential': 10061, 'related potential scam': 708515, 'potential scam or': 667135, 'scam or quack': 740281, 'or quack cure': 616757, 'nonprofit helping': 566687, 'helping feed': 391327, 'hungry see': 411309, 'nonprofit helping feed': 566688, 'helping feed hungry': 391328, 'feed hungry see': 302322, 'hungry see demand': 411310, 'see demand skyrocket': 745038, 'demand skyrocket in': 236234, 'skyrocket in pandemic': 773315, 'while disagree': 986755, 'with activist': 997093, 'activist church': 30339, 'tax exempt': 834978, 'exempt status': 289985, 'status church': 796665, 'church would': 178416, 'maintained better': 509081, 'enclosed church': 275523, 'while disagree with': 986756, 'disagree with activist': 244018, 'with activist church': 997094, 'activist church being': 30340, 'church being allowed': 178345, 'continue their tax': 201152, 'their tax exempt': 874948, 'tax exempt status': 834980, 'exempt status church': 289986, 'status church would': 796666, 'church would do': 178417, 'would do well': 1011771, 'well to remember': 978702, 'to remember they': 913191, 'are not business': 88336, 'not business and': 568638, 'business and socialdistancing': 143332, 'and socialdistancing can': 71904, 'socialdistancing can be': 780272, 'can be maintained': 157643, 'be maintained better': 115876, 'maintained better than': 509082, 'better than supermarket': 128536, 'than supermarket in': 841186, 'supermarket in an': 820860, 'an enclosed church': 55727, 'keep shop': 471927, 'stocked stockpiling': 803401, 'stockpiling must': 804029, 'be curbed': 114309, 'curbed food': 220594, 'bank stocked': 110207, 'food handed': 314767, 'out maybe': 626546, 'to keep shop': 908845, 'keep shop stocked': 471928, 'shop stocked stockpiling': 760844, 'stocked stockpiling must': 803402, 'stockpiling must be': 804030, 'must be curbed': 546500, 'be curbed food': 114310, 'curbed food bank': 220595, 'food bank stocked': 313646, 'bank stocked up': 110208, 'up and baby': 944306, 'and baby food': 58608, 'baby food handed': 106605, 'food handed out': 314768, 'handed out maybe': 376076, 'out maybe in': 626547, 'maybe in local': 521716, 'pharmacy who know': 654558, 'who know local': 989184, 'individual working': 435289, 'in northeast': 425949, 'northeast ohio': 567728, 'stay fed': 796862, 'your appreciation for': 1022804, 'the individual working': 858148, 'individual working at': 435290, 'store in northeast': 808355, 'in northeast ohio': 425950, 'northeast ohio and': 567729, 'ohio and around': 596518, 'the country helping': 852093, 'country helping all': 210748, 'helping all of': 391261, 'of to stay': 592224, 'to stay fed': 915284, 'stay fed during': 796863, 'fed during this': 301811, 'wife popped': 991956, 'and bump': 59253, 'into someone': 443001, 'someone she': 784651, 'she used': 756403, 'person immediately': 652469, 'immediately tell': 417152, 'distance because': 246658, 'member they': 528218, '19 surely': 10982, 'brain kick': 137594, 'so today the': 778552, 'today the wife': 920307, 'the wife popped': 871551, 'wife popped to': 991957, 'popped to supermarket': 664509, 'supermarket and bump': 818947, 'and bump into': 59254, 'bump into someone': 142569, 'into someone she': 443002, 'someone she used': 784652, 'she used to': 756404, 'used to work': 950104, 'the person immediately': 863585, 'person immediately tell': 652470, 'immediately tell her': 417153, 'tell her to': 836968, 'her to keep': 392465, 'keep her distance': 471578, 'her distance because': 391998, 'distance because family': 246659, 'family member they': 298045, 'member they live': 528219, 'they live with': 882581, 'live with ha': 496116, 'with ha tested': 998715, 'covid 19 surely': 213894, '19 surely the': 10983, 'surely the brain': 827941, 'the brain kick': 849934, 'brain kick in': 137595, 'kick in and': 473785, 'in and tell': 420392, 'tell you not': 837151, 'fl6': 309933, 'individual hard': 435189, 'working american': 1008487, 'our 31': 621997, '31 million': 17593, 'million small': 532351, 'business no': 144101, 'airline blow': 39932, 'blow money': 133317, 'executive compensation': 289870, 'compensation and': 191545, 'huge share': 410191, 'buyback at': 149510, 'can issue': 158774, 'debt on': 230529, 'market rate': 516938, 'rate if': 697259, 'need capital': 554590, 'capital fl6': 162659, 'help the individual': 390659, 'the individual hard': 858147, 'individual hard working': 435190, 'hard working american': 378138, 'working american and': 1008488, 'american and our': 51785, 'and our 31': 68474, 'our 31 million': 621998, '31 million small': 17594, 'million small business': 532352, 'small business no': 774880, 'business no one': 144102, 'no one made': 564949, 'one made the': 606629, 'made the airline': 507984, 'the airline blow': 848495, 'airline blow money': 39933, 'blow money on': 133318, 'money on executive': 536930, 'on executive compensation': 600664, 'executive compensation and': 289871, 'compensation and huge': 191546, 'and huge share': 64857, 'huge share buyback': 410192, 'share buyback at': 754959, 'buyback at inflated': 149511, 'inflated price they': 437075, 'price they can': 676893, 'they can issue': 881641, 'can issue debt': 158775, 'issue debt on': 455717, 'debt on the': 230530, 'open market at': 612378, 'market at market': 516046, 'at market rate': 99687, 'market rate if': 516939, 'rate if they': 697260, 'they need capital': 882723, 'need capital fl6': 554591, 'given many': 351040, 'many australian': 513807, 'australian failing': 103483, 'failing at': 296194, 'at physical': 100117, 'distancing good': 247176, 'good practical': 357574, 'singapore there': 771160, 'even strip': 284616, 'strip on': 813826, 'ground at': 366477, 'checkout indicating': 174937, 'indicating recommended': 435012, 'recommended distance': 704783, 'pharmacy servo': 654448, 'servo could': 753244, 'do same': 250057, 'given many australian': 351041, 'many australian failing': 513808, 'australian failing at': 103484, 'failing at physical': 296195, 'at physical distancing': 100118, 'physical distancing good': 655411, 'distancing good practical': 247177, 'good practical tip': 357575, 'practical tip here': 668491, 'here from friend': 393027, 'friend in singapore': 333658, 'in singapore there': 427975, 'singapore there are': 771161, 'there are even': 878101, 'are even strip': 86280, 'even strip on': 284617, 'strip on the': 813827, 'the ground at': 856842, 'ground at supermarket': 366478, 'supermarket checkout indicating': 819665, 'checkout indicating recommended': 174938, 'indicating recommended distance': 435013, 'recommended distance between': 704784, 'between people pharmacy': 128857, 'people pharmacy servo': 649107, 'pharmacy servo could': 654449, 'servo could do': 753245, 'could do same': 209099, 'rebounded strongly': 703335, 'strongly on': 814233, 'world worst': 1010203, 'country reported': 211000, 'reported falling': 712482, 'falling death': 297228, 'producer wa': 680712, 'stock market rebounded': 802429, 'market rebounded strongly': 516959, 'rebounded strongly on': 703336, 'strongly on monday': 814234, 'monday after some': 536234, 'after some of': 36226, 'the world worst': 872011, 'world worst hit': 1010204, 'hit country reported': 398206, 'country reported falling': 211001, 'reported falling death': 712483, 'falling death rate': 297229, 'rate from the': 697231, 'from the while': 337927, 'the while oil': 871453, 'price fell after': 673843, 'fell after meeting': 303161, 'after meeting of': 35922, 'meeting of top': 527734, 'of top producer': 592314, 'top producer wa': 925695, 'producer wa postponed': 680713, 'assam food': 96299, 'department on': 237249, 'april fixed': 83592, 'assam food civil': 96300, 'civil supply amp': 179554, 'supply amp consumer': 824692, 'amp consumer affair': 53562, 'affair department on': 34026, 'department on april': 237250, 'on april fixed': 599447, 'april fixed the': 83593, 'of vegetable to': 592767, 'vegetable to be': 954109, 'sold in wholesale': 781690, 'in wholesale retail': 430899, 'wholesale retail and': 990489, 'great assurance': 362513, 'from pm': 336940, 'malaysia but': 511598, 'msia well': 544540, 'singapore while': 771166, 'while msia': 987072, 'msia supermarket': 544536, 'great assurance from': 362514, 'assurance from pm': 97074, 'from pm malaysia': 336941, 'pm malaysia but': 661933, 'malaysia but there': 511599, 'there is buying': 878535, 'is buying and': 446329, 'buying and panic': 149923, 'in msia well': 425493, 'msia well it': 544541, 'well it political': 978341, 'to singapore while': 914670, 'singapore while msia': 771167, 'while msia supermarket': 987073, 'msia supermarket shelf': 544537, 'chiller': 176395, 'prioritorise': 678494, 'sugar supermarket': 817471, 'could consider': 209041, 'consider recruiting': 195082, 'recruiting amp': 705488, 'training extra': 929335, 'stock picker': 802624, 'picker amp': 655828, 'staff hire': 792529, 'hire additional': 396994, 'additional standard': 31873, 'standard van': 793717, 'van without': 952318, 'without chiller': 1002542, 'chiller offer': 176396, 'shopper delivery': 761472, 'order exclusive': 618199, 'exclusive of': 289684, 'frozen item': 338988, 'item prioritorise': 463588, 'prioritorise delivery': 678495, 'sugar supermarket could': 817472, 'supermarket could consider': 819825, 'could consider recruiting': 209042, 'consider recruiting amp': 195083, 'recruiting amp training': 705489, 'amp training extra': 54733, 'training extra stock': 929336, 'extra stock picker': 293657, 'stock picker amp': 802625, 'picker amp delivery': 655829, 'amp delivery staff': 53626, 'delivery staff hire': 234564, 'staff hire additional': 792530, 'hire additional standard': 396995, 'additional standard van': 31874, 'standard van without': 793718, 'van without chiller': 952319, 'without chiller offer': 1002543, 'chiller offer shopper': 176397, 'offer shopper delivery': 594786, 'shopper delivery of': 761473, 'delivery of order': 234233, 'of order exclusive': 587334, 'order exclusive of': 618200, 'exclusive of frozen': 289685, 'of frozen item': 583981, 'frozen item prioritorise': 338989, 'item prioritorise delivery': 463589, 'prioritorise delivery to': 678496, 'hit 5bn': 398116, '5bn drive': 20632, 'sale hit 5bn': 732281, 'hit 5bn drive': 398117, '5bn drive store': 20633, 'drive store closure': 259159, 'doubt real': 256212, 'also time': 49015, 'differently such': 242163, 'this member': 888828, 'just launched': 469116, 'launched online': 482020, 'them virtually': 876579, 'virtually today': 957852, 'no doubt real': 564054, 'doubt real challenge': 256213, 'for but it': 319854, 'it also time': 456438, 'also time we': 49016, 'we are forced': 970571, 'do thing differently': 250327, 'thing differently such': 884270, 'differently such is': 242164, 'the case for': 850459, 'case for this': 165745, 'for this member': 327047, 'this member who': 888829, 'member who just': 528244, 'who just launched': 989144, 'just launched online': 469117, 'launched online shopping': 482021, 'online shopping visit': 609332, 'shopping visit them': 764326, 'visit them virtually': 959403, 'them virtually today': 876580, 'preferable': 669762, 'kezelee': 473619, 'it preferable': 460427, 'preferable that': 669763, 'hunger say': 411185, 'say mom': 738948, 'mom of': 535779, 'of yamah': 593342, 'yamah kezelee': 1014117, 'kezelee 52': 473620, '52 from': 20245, 'amp flee': 53809, 'flee ahead': 310283, 'it preferable that': 460428, 'preferable that the': 669764, 'the virus kill': 870855, 'virus kill than': 958437, 'kill than the': 474505, 'than the hunger': 841247, 'the hunger say': 857748, 'hunger say mom': 411186, 'say mom of': 738949, 'mom of yamah': 535780, 'of yamah kezelee': 593343, 'yamah kezelee 52': 1014118, 'kezelee 52 from': 473621, '52 from west': 20246, 'from west point': 338332, 'point who sell': 662713, 'who sell in': 989588, 'sell in downtown': 748759, 'in downtown market': 422379, 'on food amp': 600839, 'food amp flee': 313135, 'amp flee ahead': 53810, 'flee ahead of': 310284, 'the at midnight': 848999, 'hdfc': 384694, 'raga': 695536, 'on acquisition': 599155, 'acquisition spree': 29195, 'spree acquired': 791126, 'acquired foreign': 29172, 'foreign bank': 328959, 'bank including': 109934, 'including stake': 432161, 'in hdfc': 423592, 'hdfc saudi': 384695, 'ha acquired': 369439, 'acquired european': 29170, 'european oil': 283593, 'seems plus': 746835, 'plus for': 661604, 'them raga': 876201, 'raga cautioned': 695537, 'cautioned again': 168193, 'let wait': 487199, 'another decree': 77572, 'is on acquisition': 450458, 'on acquisition spree': 599156, 'acquisition spree acquired': 29196, 'spree acquired foreign': 791127, 'acquired foreign bank': 29173, 'foreign bank including': 328960, 'bank including stake': 109935, 'including stake in': 432162, 'stake in hdfc': 793311, 'in hdfc saudi': 423593, 'hdfc saudi arabia': 384696, 'arabia ha acquired': 83885, 'ha acquired european': 369440, 'acquired european oil': 29171, 'european oil company': 283594, 'oil company at': 596685, 'company at throw': 190480, 'away price covid': 106007, '19 seems plus': 10391, 'seems plus for': 746836, 'plus for them': 661605, 'for them raga': 326916, 'them raga cautioned': 876202, 'raga cautioned again': 695538, 'cautioned again but': 168194, 'again but who': 36935, 'who care let': 988439, 'care let wait': 164048, 'let wait for': 487200, 'wait for another': 964108, 'for another decree': 319369, 'another decree by': 77573, 'decree by the': 231670, 'by the supreme': 154454, 'the supreme leader': 868991, 'stonehawk': 804354, 'advice series': 33489, 'series protecting': 751293, 'your physical': 1025302, 'outbreak stonehawk': 628661, '19 advice series': 4825, 'advice series protecting': 33490, 'series protecting your': 751294, 'protecting your physical': 685256, 'your physical store': 1025303, 'physical store during': 655467, 'coronavirus outbreak stonehawk': 206410, 'cold chain': 185745, 'supplychain moving': 826203, 'moving smoothly': 544180, 'and swiftly': 72932, 'crisis local': 217670, 'local state': 498447, 'gov please': 359661, 'exempt them': 289987, 'local gathering': 498010, 'curfew coldchain': 220868, 'cold chain employee': 185746, 'chain employee are': 170678, 'employee are critical': 273610, 'to keeping the': 908890, 'keeping the world': 472592, 'world food supplychain': 1009558, 'food supplychain moving': 317025, 'supplychain moving smoothly': 826204, 'moving smoothly and': 544181, 'smoothly and swiftly': 775953, 'and swiftly to': 72933, 'swiftly to meet': 830335, '19 crisis local': 6276, 'crisis local state': 217671, 'local state gov': 498448, 'state gov please': 795608, 'gov please continue': 359662, 'continue to exempt': 201190, 'to exempt them': 905407, 'exempt them from': 289988, 'them from local': 875752, 'from local gathering': 336250, 'local gathering ban': 498011, 'and curfew coldchain': 60810, 'significant uptick': 769534, 'survey show significant': 828948, 'show significant uptick': 767135, 'significant uptick in': 769535, 'imscreaming': 419649, 'queueup': 694186, 'onceinside': 605831, 'inandout': 431228, 'video how': 956780, 'how weekly': 409203, 'visit be': 959194, 'be these': 117688, 'day lol': 227930, 'this imscreaming': 888031, 'imscreaming queueup': 419650, 'queueup onceinside': 694187, 'onceinside inandout': 605832, 'inandout supermarket': 431229, 'supermarket 2020': 818742, '2020 quarantine': 14544, 'quarantine lockdownlife': 692353, 'lockdownlife exhausting': 500310, 'exhausting dailydoseofdonna1979': 290193, 'right to this': 722358, 'to this video': 917473, 'this video how': 890980, 'video how weekly': 956781, 'how weekly supermarket': 409204, 'supermarket visit be': 823656, 'visit be these': 959195, 'be these day': 117689, 'these day lol': 879882, 'day lol this': 227931, 'lol this imscreaming': 500965, 'this imscreaming queueup': 888032, 'imscreaming queueup onceinside': 419651, 'queueup onceinside inandout': 694188, 'onceinside inandout supermarket': 605833, 'inandout supermarket 2020': 431230, 'supermarket 2020 quarantine': 818743, '2020 quarantine lockdownlife': 14545, 'quarantine lockdownlife exhausting': 692354, 'lockdownlife exhausting dailydoseofdonna1979': 500311, 'landin': 479327, 'crownroyal': 219431, 'landin coronavirus': 479328, 'coronavirus priority': 206590, 'priority didn': 678549, 'or tp': 617510, 'just liquor': 469165, 'liquor stayathome': 494197, 'stayathome momlife': 797544, 'momlife stpatricksday': 536176, 'stpatricksday liquor': 812182, 'liquor priority': 494187, 'priority crownroyal': 678544, 'crownroyal peach': 219432, 'landin coronavirus priority': 479329, 'coronavirus priority didn': 206591, 'priority didn stock': 678550, 'stock food or': 802140, 'food or tp': 315673, 'or tp just': 617511, 'tp just liquor': 927866, 'just liquor stayathome': 469166, 'liquor stayathome momlife': 494198, 'stayathome momlife stpatricksday': 797545, 'momlife stpatricksday liquor': 536177, 'stpatricksday liquor priority': 812183, 'liquor priority crownroyal': 494188, 'priority crownroyal peach': 678545, 'extremecheapskates': 293848, 'tlc': 899341, 'cheapskate': 174325, 'watching extremecheapskates': 968737, 'extremecheapskates on': 293849, 'on tlc': 604721, 'tlc it': 899342, 'some cheapskate': 782516, 'cheapskate that': 174326, 'that cut': 843423, 'word they': 1004593, 'use something': 949607, 'else besides': 271643, 'besides that': 127521, 'probably laughing': 679307, 'im watching extremecheapskates': 416600, 'watching extremecheapskates on': 968738, 'extremecheapskates on tlc': 293850, 'on tlc it': 604722, 'tlc it turn': 899343, 'turn out there': 935742, 'are some cheapskate': 90260, 'some cheapskate that': 782517, 'cheapskate that cut': 174327, 'that cut cost': 843424, 'cut cost on': 223283, 'cost on toiletpaper': 208072, 'on toiletpaper in': 604789, 'toiletpaper in other': 922117, 'other word they': 621217, 'word they use': 1004594, 'they use something': 883618, 'use something else': 949608, 'something else besides': 784898, 'else besides that': 271644, 'besides that they': 127522, 're probably laughing': 699310, 'probably laughing at': 679308, 'laughing at the': 481813, 'at the people': 101047, 'survivalplanning': 829110, 'thomasfarquhar': 891721, 'le activity': 482833, 'market le': 516675, 'competition make': 191711, 'make marketing': 510114, 'marketing easier': 517582, 'easier cheaper': 265135, 'more powerful': 540112, 'powerful let': 667779, 'detail survivalplanning': 239253, 'survivalplanning thomasfarquhar': 829111, 'thomasfarquhar marketing': 891722, 'le activity in': 482834, 'the market le': 860130, 'market le consumer': 516676, 'le consumer activity': 482889, 'consumer activity and': 196019, 'and le competition': 66012, 'le competition make': 482881, 'competition make marketing': 191712, 'make marketing easier': 510115, 'marketing easier cheaper': 517583, 'easier cheaper and': 265136, 'cheaper and more': 174243, 'and more powerful': 67204, 'more powerful let': 540113, 'powerful let look': 667780, 'let look in': 486879, 'look in more': 502417, 'in more detail': 425435, 'more detail survivalplanning': 539026, 'detail survivalplanning thomasfarquhar': 239254, 'survivalplanning thomasfarquhar marketing': 829112, 'thomasfarquhar marketing advertising': 891723, 'transitioning': 929692, 'need let': 555153, 'create good': 215651, 'green infrastructure': 363670, 'infrastructure job': 438207, 'also transitioning': 49030, 'transitioning away': 929693, 'that destroys': 843513, 'destroys our': 239098, 'amp planet': 54303, 'end for we': 275826, 'for we need': 327659, 'we need let': 972504, 'need let create': 555154, 'let create good': 486668, 'create good green': 215652, 'good green infrastructure': 357149, 'green infrastructure job': 363671, 'infrastructure job while': 438208, 'job while also': 466290, 'while also transitioning': 986597, 'also transitioning away': 49031, 'transitioning away from': 929694, 'away from an': 105858, 'from an industry': 334488, 'industry that destroys': 436142, 'that destroys our': 843514, 'destroys our health': 239099, 'our health amp': 623367, 'health amp planet': 386121, 'excessive online': 289392, 'excessive online shopping': 289393, 'say stagflation': 739167, 'so massive injection': 777729, 'with likely long': 999224, 'likely long lasting': 492050, 'long lasting damage': 501477, 'can anyone say': 157513, 'anyone say stagflation': 80506, 'amazon limit': 51029, 'limit shipment': 492487, 'staple warehousing': 794009, 'warehousing ecommerce': 966844, 'consumer demand amazon': 197111, 'demand amazon limit': 234926, 'amazon limit shipment': 51030, 'limit shipment to': 492488, 'shipment to it': 758786, 'to it warehouse': 908624, 'it warehouse to': 462242, 'warehouse to medical': 966793, 'household staple warehousing': 406953, 'staple warehousing ecommerce': 794010, 'admarc': 32404, 'wishers': 996864, 'to admarc': 900108, 'admarc to': 32405, 'buy agricultural': 148279, 'price establish': 673704, 'establish relief': 282022, 'through which': 894904, 'which well': 986471, 'well wishers': 978754, 'wishers company': 996865, 'provide special fund': 686491, 'fund to admarc': 341520, 'to admarc to': 900109, 'admarc to buy': 32406, 'to buy agricultural': 902173, 'buy agricultural produce': 148280, 'agricultural produce at': 38906, 'produce at competitive': 680194, 'competitive price establish': 191781, 'price establish relief': 673705, 'establish relief fund': 282023, 'relief fund through': 709358, 'fund through which': 341518, 'through which well': 894905, 'which well wishers': 986472, 'well wishers company': 978755, 'wishers company and': 996866, 'and individual can': 65160, 'individual can support': 435155, 'support the fight': 826871, 'have quickly': 382142, 'quickly adapted': 694451, 'adapted store': 31314, 'retailer have quickly': 719185, 'have quickly adapted': 382143, 'quickly adapted store': 694452, 'adapted store practice': 31315, 'safety of employee': 730645, 'takeout psa': 833181, 'great information about': 362755, 'about food we': 25268, 'food we are': 317520, 'are bringing home': 85059, 'bringing home from': 140162, 'store and takeout': 806364, 'and takeout psa': 72992, 'takeout psa safe': 833182, 'madness increase': 508185, '19 madness increase': 8509, 'madness increase their': 508186, 'is accused': 445317, 'of doubling': 582799, 'some cleaning': 782544, 'just in is': 469038, 'in is accused': 424165, 'is accused of': 445318, 'accused of doubling': 28947, 'of doubling price': 582800, 'on some cleaning': 603556, 'some cleaning supply': 782545, 'tomorrow top': 924219, 'news liver': 560585, 'liver disease': 496227, 'disease take': 245244, 'supermarket tomorrow top': 823503, 'tomorrow top news': 924220, 'top news liver': 925623, 'news liver disease': 560586, 'liver disease take': 496228, 'disease take over': 245245, 'take over coronavirus': 832469, 'over coronavirus uk': 630120, 'coronavirus uk biggest': 206982, 'uk biggest health': 938211, 'biggest health crisis': 130254, 'health crisis coronacrisis': 386329, 'janeruthacheng': 464513, 'coronavirus museveni': 206298, 'museveni warns': 546269, 'warns sneezing': 967288, 'sneezing people': 776329, 'trader not': 928745, 'hike item': 396231, 'price dr': 673543, 'dr janeruthacheng': 258039, 'janeruthacheng health': 464514, 'health national': 386657, 'coronavirus museveni warns': 206299, 'museveni warns sneezing': 546270, 'warns sneezing people': 967289, 'sneezing people to': 776330, 'home and trader': 400706, 'and trader not': 74349, 'trader not hike': 928746, 'not hike item': 569968, 'hike item price': 396232, 'item price dr': 463584, 'price dr janeruthacheng': 673544, 'dr janeruthacheng health': 258040, 'janeruthacheng health national': 464515, 'health national news': 386658, 'store hack': 808031, 'hack coronacrisis': 372736, 'grocery store hack': 365449, 'store hack coronacrisis': 808032, 'hack coronacrisis hea': 372737, 'oil plunging': 597018, 'not filling': 569406, 'our tank': 625077, 'tank frequently': 834205, 'frequently and': 332841, 'coronavirus ha sent': 206034, 'sent the price': 750825, 'of oil plunging': 587190, 'oil plunging but': 597019, 'plunging but with': 661521, 'but with more': 147896, 'with more of': 999559, 'more of staying': 539882, 'home we re': 402458, 're not filling': 699089, 'not filling our': 569407, 'filling our tank': 305611, 'our tank frequently': 625078, 'tank frequently and': 834206, 'frequently and benefiting': 332842, 'and benefiting from': 58900, 'benefiting from lower': 127168, 'from lower price': 336290, 'day case': 227435, 'every day case': 285797, 'day case soar': 227436, 'fedsoc': 302128, 'federalism': 302082, 'when governor': 983492, 'governor stepped': 360994, 'of fedsoc': 583478, 'fedsoc commentator': 302129, 'commentator cited': 188488, 'cited their': 178785, 'effort proof': 269569, 'that federalism': 843849, 'federalism work': 302083, 'state began': 795421, 'month when governor': 538114, 'when governor stepped': 983493, 'governor stepped up': 360995, 'protect their state': 684999, 'their state from': 874815, 'state from covid': 795597, 'lot of fedsoc': 504189, 'of fedsoc commentator': 583479, 'fedsoc commentator cited': 302130, 'commentator cited their': 188489, 'cited their effort': 178786, 'their effort proof': 873110, 'effort proof that': 269570, 'proof that federalism': 684013, 'that federalism work': 843850, 'federalism work then': 302084, 'work then state': 1005822, 'then state began': 877565, 'state began competing': 795422, 'began competing with': 123380, 'for scarce medical': 325375, 'scarce medical supply': 740798, 'secret of': 743925, 'the seashell': 866560, 'seashell we': 743362, 'could definitely': 209075, 'definitely use': 232409, 'those answer': 891796, 'answer lol': 78071, 'ever find out': 285305, 'out the secret': 627416, 'the secret of': 866603, 'secret of the': 743926, 'of the seashell': 591444, 'the seashell we': 866561, 'seashell we could': 743363, 'we could definitely': 971202, 'could definitely use': 209076, 'definitely use those': 232410, 'use those answer': 949739, 'those answer lol': 891797, 'answer lol toiletpaper': 78072, 'allison': 45852, 'hurley': 411453, 'shell recently': 757877, 'recently dropped': 704081, 'major lng': 509369, 'lng project': 497216, 'our lng': 623761, 'lng and': 497192, 'and proprietary': 69637, 'proprietary naturalgas': 684589, 'naturalgas lead': 552891, 'lead allison': 483260, 'allison hurley': 45853, 'hurley ha': 411454, 'about affecting': 24768, 'shell recently dropped': 757878, 'recently dropped out': 704082, 'dropped out of': 260618, 'out of major': 626781, 'of major lng': 586113, 'major lng project': 509370, 'lng project due': 497217, 'to the crash': 916609, 'crash in energy': 214991, 'energy price see': 276546, 'price see what': 676326, 'see what our': 746041, 'what our lng': 981986, 'our lng and': 623762, 'lng and proprietary': 497193, 'and proprietary naturalgas': 69638, 'proprietary naturalgas lead': 684590, 'naturalgas lead allison': 552892, 'lead allison hurley': 483261, 'allison hurley ha': 45854, 'hurley ha to': 411455, 'say about affecting': 738382, 'about affecting demand': 24769, 'expe': 290594, 'airline sued': 40039, 'sued over': 817183, 'over refund': 630568, 'policy amid': 663325, '19 ual': 11605, 'ual violated': 937786, 'violated consumer': 957489, 'by refusing': 153749, 'refund passenger': 706944, 'canceled flight': 160937, 'flight according': 310417, 'proposed class': 684524, 'action filed': 30012, 'filed monday': 305406, 'chicago federal': 175665, 'federal court': 301972, 'court would': 212017, 'would expe': 1011799, 'united airline sued': 942141, 'airline sued over': 40040, 'sued over refund': 817184, 'over refund policy': 630569, 'refund policy amid': 706947, 'policy amid covid': 663326, 'covid 19 ual': 213990, '19 ual violated': 11606, 'ual violated consumer': 937787, 'violated consumer protection': 957490, 'law by refusing': 482235, 'by refusing to': 153750, 'to refund passenger': 913090, 'refund passenger for': 706945, 'passenger for canceled': 643334, 'for canceled flight': 319904, 'canceled flight according': 160938, 'flight according to': 310418, 'according to proposed': 28577, 'to proposed class': 912282, 'proposed class action': 684525, 'class action filed': 180139, 'action filed monday': 30013, 'filed monday in': 305407, 'monday in chicago': 536304, 'in chicago federal': 421366, 'chicago federal court': 175666, 'federal court would': 301973, 'court would expe': 212018, 'xylene': 1013939, 'aromatics': 93080, 'ne asia': 553436, 'asia mixed': 95197, 'mixed xylene': 534652, 'xylene arbitrage': 1013940, 'arbitrage window': 84011, 'year icis': 1014638, 'asia xylene': 95242, 'xylene mx': 1013942, 'mx aromatics': 547118, 'aromatics price': 93081, 'price gasoline': 674150, 'gasoline fuel': 344230, 'demand xylene': 236528, 'ne asia mixed': 553437, 'asia mixed xylene': 95198, 'mixed xylene arbitrage': 534653, 'xylene arbitrage window': 1013941, 'arbitrage window open': 84012, 'window open for': 995701, 'open for first': 612247, 'in year icis': 431024, 'year icis asia': 1014639, 'icis asia xylene': 412748, 'asia xylene mx': 95243, 'xylene mx aromatics': 1013943, 'mx aromatics price': 547119, 'aromatics price gasoline': 93082, 'price gasoline fuel': 674151, 'gasoline fuel production': 344231, 'fuel production demand': 340267, 'production demand xylene': 682015, 'my carer': 547621, 'else told': 271945, 'shopping anywhere': 762049, 'anywhere hope': 81115, 'quite while': 694938, 'my carer is': 547622, 'sainsbury and they': 731645, 'have no vegetable': 381663, 'no vegetable or': 565836, 'vegetable or anything': 954059, 'anything else told': 80751, 'else told her': 271946, 'her to try': 392477, 'to try my': 917815, 'try my local': 934515, 'local shop we': 498424, 'shop we can': 761019, 'online shopping anywhere': 609031, 'shopping anywhere hope': 762050, 'anywhere hope this': 81116, 'hope this stop': 403727, 'this stop soon': 890341, 'stop soon the': 805042, 'soon the mean': 785844, 'the mean is': 860346, 'mean is going': 524501, 'going to around': 355526, 'to around for': 900716, 'around for quite': 93294, 'for quite while': 324928, 'wearer': 974567, 'drongos': 260092, 'complete irrationality': 192102, 'irrationality of': 444995, 'facemasks facemasks': 295137, 'facemasks do': 295135, 'the wearer': 871247, 'wearer against': 974568, 'others supermarket': 621679, 'for drongos': 320864, 'of the complete': 590879, 'the complete irrationality': 851391, 'complete irrationality of': 192103, 'irrationality of the': 444996, 'the way supermarket': 871189, 'way supermarket staff': 969900, 'staff have been': 792512, 'wear facemasks facemasks': 974320, 'facemasks facemasks do': 295138, 'facemasks do not': 295136, 'protect the wearer': 684986, 'the wearer against': 871248, 'wearer against the': 974569, 'virus they may': 958904, 'they may stop': 882667, 'may stop you': 521538, 'you from infecting': 1018720, 'from infecting others': 336052, 'infecting others supermarket': 436697, 'others supermarket staff': 621680, 'being taken for': 125898, 'taken for drongos': 832994, 'diner via': 242990, 'check out covid': 174543, 'older diner via': 598598, 'counselling': 210075, 'staysafesafeothers': 798976, 'all bangladeshi': 42111, 'bangladeshi do': 109511, 'safe max': 729818, 'help counselling': 389545, 'counselling others': 210076, 'max pray': 520769, 'allah where': 45617, 'are he': 87045, 'listen take': 494718, 'food concern': 313995, 'cleaning bangladesh': 180906, 'bangladesh staysafesafeothers': 109505, 'day to all': 228555, 'to all bangladeshi': 900233, 'all bangladeshi do': 42112, 'bangladeshi do not': 109512, 'not panic of': 570922, 'panic of coronavirus': 638353, 'stay safe max': 797252, 'safe max and': 729819, 'max and help': 520739, 'and help counselling': 64444, 'help counselling others': 389546, 'counselling others to': 210077, 'others to stay': 621735, 'safe max pray': 729820, 'max pray to': 520770, 'to allah where': 900311, 'allah where you': 45618, 'you are he': 1017136, 'are he will': 87046, 'he will listen': 385670, 'will listen take': 994025, 'listen take good': 494719, 'take good food': 832153, 'good food concern': 357055, 'food concern on': 313996, 'concern on cleaning': 193035, 'on cleaning bangladesh': 599934, 'cleaning bangladesh staysafesafeothers': 180907, 'greece suspends': 363345, 'suspends reform': 829675, 'price regime': 676147, 'regime due': 707351, '19 realestate': 9979, 'realestate busines': 701473, 'busines news': 143197, 'news investment': 560546, 'investment greece': 444002, 'greece suspends reform': 363346, 'suspends reform in': 829676, 'reform in real': 706722, 'estate market price': 282155, 'market price regime': 516898, 'price regime due': 676148, 'regime due to': 707352, 'covid 19 realestate': 213661, '19 realestate busines': 9980, 'realestate busines news': 701474, 'busines news investment': 143198, 'news investment greece': 560547, 'juicing': 467771, '5gcoronavirus': 20692, 'by juicing': 152966, 'juicing wall': 467772, 'will trillion': 995235, 'trillion daily': 931976, 'down doesn': 256685, 'food trump': 317372, 'trump fake': 933545, 'fake stock': 296710, 'news dow': 560373, 'dow nasdaq': 256333, 'nasdaq coronacrisis': 551987, 'coronacrisis 5gcoronavirus': 204494, '5gcoronavirus wallstreet': 20693, 'wallstreet dow': 965254, 'trump will save': 933984, 'will save the': 994747, 'world by juicing': 1009390, 'by juicing wall': 152967, 'juicing wall street': 467773, 'wall street will': 965195, 'street will trillion': 813181, 'will trillion daily': 995236, 'trillion daily while': 931977, 'daily while the': 224891, 'world is shut': 1009719, 'shut down doesn': 767817, 'down doesn matter': 256686, 'you have job': 1019065, 'job or any': 466062, 'any food trump': 79242, 'food trump fake': 317373, 'trump fake stock': 933546, 'fake stock will': 296711, 'stock will save': 803200, 'the world news': 871922, 'world news dow': 1009831, 'news dow nasdaq': 560374, 'dow nasdaq coronacrisis': 256334, 'nasdaq coronacrisis 5gcoronavirus': 551988, 'coronacrisis 5gcoronavirus wallstreet': 204495, '5gcoronavirus wallstreet dow': 20694, 'show single': 767136, 'spreading cloud': 790948, 'simulation show single': 770359, 'show single cough': 767137, 'single cough spreading': 771270, 'cough spreading cloud': 208567, 'spreading cloud of': 790949, 'cloud of covid': 184312, '19 across supermarket': 4794, 'safeguarding the': 730240, 'deregulation writes': 237848, 'proposal to update': 684485, 'to update the': 917980, 'update the aviation': 947245, 'the aviation consumer': 849110, 'protection authority is': 685350, 'authority is positive': 103757, 'and safeguarding the': 70729, 'safeguarding the large': 730241, 'the large consumer': 858943, 'large consumer gain': 479623, 'airline deregulation writes': 39944, 'fraser hold': 331208, 'canada research': 160543, 'research chair': 713695, 'chair in': 171295, 'study food': 814887, 'security food': 744597, 'price rural': 676281, 'rural agricultural': 728212, 'how each': 407771, 'by climate': 152130, 'fraser hold the': 331209, 'hold the canada': 400015, 'the canada research': 850317, 'canada research chair': 160544, 'research chair in': 713696, 'chair in global': 171296, 'security and study': 744540, 'and study food': 72613, 'study food security': 814888, 'food security food': 316348, 'security food price': 744598, 'food price rural': 315969, 'price rural agricultural': 676282, 'rural agricultural policy': 728213, 'agricultural policy and': 38898, 'policy and how': 663332, 'and how each': 64811, 'how each is': 407772, 'each is affected': 264105, 'affected by climate': 34306, 'by climate change': 152131, 'sabuwa': 729017, 'balarabe': 109018, 'sheik': 756653, 'gumi': 368676, 'wanton': 966315, 'state task': 795975, 'deputy governor': 237793, 'governor sabuwa': 360977, 'sabuwa balarabe': 729018, 'balarabe today': 109019, 'today met': 919876, 'with representative': 1000466, 'representative of': 712909, 'of dealer': 582410, 'dealer trader': 229627, 'trader of': 928747, 'in sheik': 427879, 'sheik gumi': 756654, 'gumi market': 368677, 'the wanton': 871061, 'wanton hike': 966316, 'hike on': 396241, 'critical period': 218626, 'kaduna state task': 470598, 'state task force': 795976, 'force on covid': 328469, '19 led by': 8305, 'by the deputy': 154308, 'the deputy governor': 853172, 'deputy governor sabuwa': 237794, 'governor sabuwa balarabe': 360978, 'sabuwa balarabe today': 729019, 'balarabe today met': 109020, 'today met with': 919877, 'met with representative': 529603, 'with representative of': 1000467, 'representative of dealer': 712910, 'of dealer trader': 582411, 'dealer trader of': 229628, 'trader of food': 928748, 'item in sheik': 463353, 'in sheik gumi': 427880, 'sheik gumi market': 756655, 'gumi market to': 368678, 'market to address': 517227, 'address the wanton': 32048, 'the wanton hike': 871062, 'wanton hike on': 966317, 'hike on the': 396242, 'food item at': 315195, 'item at this': 463137, 'this critical period': 887120, 'big australian': 129629, 'for doe': 320796, 'there staff': 879085, 'we current': 971236, 'current do': 221178, 'basically have': 112133, 'no santiser': 565418, 'santiser and': 736629, 'spray not': 790311, 'mention no': 528775, 'no communication': 563853, 'communication of': 189619, 'the big australian': 849597, 'big australian supermarket': 129630, 'supermarket chain that': 819639, 'chain that work': 171164, 'work for doe': 1005146, 'for doe nothing': 320797, 'doe nothing for': 251540, 'nothing for there': 573015, 'for there staff': 326957, 'there staff we': 879086, 'staff we current': 793057, 'we current do': 971237, 'current do not': 221179, 'glove and basically': 352554, 'and basically have': 58725, 'basically have no': 112134, 'have no santiser': 381655, 'no santiser and': 565419, 'santiser and spray': 736630, 'and spray not': 72138, 'spray not to': 790312, 'to mention no': 910090, 'mention no communication': 528776, 'no communication of': 563854, 'communication of what': 189620, 'of what going': 593051, 'see muddy': 745444, 'to see muddy': 914046, 'see muddy river': 745445, 'river distillery producing': 724180, 'responder am grateful': 715403, 'community support each': 190132, 'other in our': 620409, 'illinois state': 416303, 'governor issued': 360924, 'issued stay': 456093, 'order minus': 618390, 'minus grocery': 533686, 'station emergency': 796388, 'emergency work': 273053, 'restaurant illinois': 716515, 'illinois pandemic': 416299, 'pandemic apocalypse2020': 634928, 'illinois state governor': 416304, 'state governor issued': 795625, 'governor issued stay': 360925, 'issued stay at': 456094, 'home order minus': 401779, 'order minus grocery': 618391, 'minus grocery store': 533687, 'gas station emergency': 344107, 'station emergency work': 796389, 'emergency work and': 273054, 'work and restaurant': 1004798, 'and restaurant illinois': 70382, 'restaurant illinois pandemic': 716516, 'illinois pandemic apocalypse2020': 416300, 'jmfamilyimpact': 465563, 'partner due': 642809, 'made combined': 507687, 'combined donation': 187122, 'of 150': 579364, 'our commercial': 622436, 'commercial location': 188714, 'location food': 498902, 'bank provide': 110119, 'supporting their': 827216, 'effort jmfamilyimpact': 269543, 'demand from our': 235541, 'from our community': 336761, 'community partner due': 190033, 'partner due to': 642810, '19 we made': 11939, 'we made combined': 972317, 'made combined donation': 507688, 'combined donation of': 187123, 'donation of 150': 254645, 'of 150 00': 579365, '150 00 to': 3890, 'bank at our': 109667, 'at our commercial': 100008, 'our commercial location': 622437, 'commercial location food': 188715, 'location food bank': 498903, 'food bank provide': 313621, 'bank provide service': 110120, 'provide service to': 686468, 'need them most': 555780, 'most and we': 542100, 'and we look': 75303, 'forward to supporting': 330037, 'to supporting their': 915993, 'supporting their effort': 827217, 'their effort jmfamilyimpact': 873109, '55 make': 20391, 'restaurant patron': 716630, 'patron many': 644418, 'apps but': 83269, 'will adapt': 992194, 'out service': 627161, 'business marketing': 144034, 'people 55 make': 646727, '55 make up': 20392, 'make up of': 510688, 'up of restaurant': 945503, 'of restaurant patron': 589021, 'restaurant patron many': 716631, 'patron many aren': 644419, 'many aren comfortable': 513792, 'aren comfortable with': 92366, 'comfortable with delivery': 187880, 'with delivery apps': 997962, 'delivery apps but': 233698, 'apps but will': 83270, 'but will adapt': 147870, 'will adapt to': 992195, 'adapt to call': 31278, 'call in take': 155942, 'in take out': 428802, 'take out service': 832460, 'out service check': 627162, 'service check out': 752230, 'diner via restaurant': 242991, 'via restaurant food': 956206, 'restaurant food business': 716475, 'food business marketing': 313801, 'suryashri': 829416, 'join suryashri': 466848, 'puzzle join suryashri': 691333, 'four page': 330649, 'page rule': 633888, 'rule book': 727217, 'there new four': 878787, 'new four page': 558764, 'four page rule': 330650, 'page rule book': 633889, 'rule book on': 727218, 'book on supermarket': 134576, 'meningitis': 528604, 'tuberculosis': 935057, 'scary being': 741137, 'worse because': 1010878, 'am exposed': 50035, 'to meningitis': 910079, 'meningitis tuberculosis': 528605, 'tuberculosis covid': 935058, 'scary time right': 741210, 'now but do': 574282, 'what really scary': 982087, 'really scary being': 702553, 'scary being exposed': 741138, 'to this shit': 917460, 'this shit and': 890075, 'shit and worse': 759060, 'and worse because': 75915, 'worse because people': 1010879, 'because people think': 119480, 'they need an': 882715, 'need an n95': 554409, 'so am exposed': 776487, 'am exposed to': 50036, 'exposed to meningitis': 292900, 'to meningitis tuberculosis': 910080, 'meningitis tuberculosis covid': 528606, 'tuberculosis covid 19': 935059, '19 and worse': 5141, 'mexico they': 530026, 'are gathering': 86771, 'gathering large': 344476, 'raid grocery': 695601, 'supply mexico': 825556, 'in mexico they': 425270, 'mexico they are': 530027, 'they are gathering': 881282, 'are gathering large': 86772, 'gathering large group': 344477, 'people to raid': 649931, 'to raid grocery': 912710, 'raid grocery store': 695602, 'and supply mexico': 72801, 'neighbor told': 557079, 'mother that': 543174, 'neighborhood woman': 557166, 'having received': 384245, 'received result': 703673, 'everybody am': 286400, 'neighbor told my': 557080, 'my mother that': 549339, 'mother that in': 543175, 'in our neighborhood': 426315, 'our neighborhood woman': 624013, 'neighborhood woman who': 557167, 'had been tested': 372913, 'for without having': 327898, 'without having received': 1002709, 'having received result': 384246, 'received result yet': 703674, 'yet and who': 1015988, 'and who might': 75593, 'might be positive': 530923, 'situation to everybody': 772531, 'to everybody am': 905319, 'everybody am so': 286401, 'how to never': 409050, 'to never run': 910548, 'paper toiletpaper washyourhands': 640963, 'great scheme': 362979, 'artwork at': 94659, 'help overcome': 390263, 'great scheme for': 362980, 'buy artwork at': 148372, 'artwork at good': 94660, 'and help overcome': 64460, 'asda while': 95004, 'mother tried': 543189, 'purchase panicbuyinguk': 689619, 'asda while my': 95005, 'while my mother': 987076, 'my mother tried': 549343, 'mother tried to': 543190, 'stop panic purchase': 804885, 'panic purchase panicbuyinguk': 638449, 'our nashville': 623971, 'nashville retail': 552024, 'our nashville retail': 623972, 'nashville retail store': 552025, 'please help support': 660082, 'support our family': 826728, 'our family business': 622994, 'family business by': 297669, 'business by purchasing': 143479, 'by purchasing from': 153692, 'purchasing from our': 689866, 'from our online': 336792, 'vacationrentals': 951616, 'many vacationrentals': 514841, 'vacationrentals especially': 951617, 'especially home': 280504, 'home located': 401543, 'located within': 498825, 'within hour': 1002367, 'drive from': 259061, 'from city': 334886, 'including prototype': 432120, 'prototype vacation': 686012, 'surge wealthy': 828275, 'wealthy flee': 974203, 'flee manhattan': 310287, 'manhattan 18': 513129, 'many vacationrentals especially': 514842, 'vacationrentals especially home': 951618, 'especially home located': 280505, 'home located within': 401544, 'located within hour': 498826, 'within hour drive': 1002368, 'hour drive from': 405549, 'drive from city': 259062, 'from city are': 334887, 'city are in': 179062, 'high demand result': 395026, 'pandemic including prototype': 635718, 'including prototype vacation': 432121, 'prototype vacation rental': 686013, 'vacation rental price': 951591, 'rental price surge': 711269, 'price surge wealthy': 676729, 'surge wealthy flee': 828276, 'wealthy flee manhattan': 974204, 'flee manhattan 18': 310288, 'manhattan 18 2020': 513130, 'province financial': 687170, 'exercise extreme': 290053, 'caution about': 168153, 'the aggressive': 848449, 'the province financial': 864729, 'province financial and': 687171, 'scam and said': 740016, 'said to exercise': 731514, 'to exercise extreme': 905410, 'exercise extreme caution': 290054, 'extreme caution about': 293781, 'caution about the': 168154, 'about the aggressive': 26336, 'the aggressive promotion': 848450, 'aggressive promotion of': 38252, 'promotion of gold': 683871, 'of gold mining': 584200, 'melville': 527991, 'corporateresponibility': 207368, 'lauder company': 481695, 'broader covid': 140761, 'reopening our': 711396, 'our melville': 623902, 'melville manufacturing': 527992, 'facility this': 295384, 'sanitizer corporateresponibility': 734701, 'est lauder company': 281995, 'lauder company is': 481696, 'company is proud': 190809, 'to the broader': 916531, 'the broader covid': 850039, 'broader covid 19': 140762, 'relief effort by': 709320, 'effort by reopening': 269494, 'by reopening our': 153765, 'reopening our melville': 711397, 'our melville manufacturing': 623903, 'melville manufacturing facility': 527993, 'manufacturing facility this': 513585, 'facility this week': 295385, 'week to produce': 977091, 'hand sanitizer corporateresponibility': 375356, 'demand launch': 235794, 'drive demand launch': 259030, 'demand launch first': 235795, 'coveredcalifornia': 212448, '9700': 23699, 'news coveredcalifornia': 560349, 'coveredcalifornia is': 212449, 'californian to': 155654, 'immediately any': 417057, 'enroll give': 277836, 'at 650': 97717, '650 701': 21388, '701 9700': 21928, '9700 we': 23700, 'great news coveredcalifornia': 362840, 'news coveredcalifornia is': 560350, 'coveredcalifornia is expanding': 212450, 'enrollment period for': 277853, 'period for million': 651761, 'million of californian': 532260, 'of californian to': 581050, 'californian to june': 155655, 'to june 30': 908714, '30 2020 due': 16932, '19 effective immediately': 6730, 'effective immediately any': 269263, 'immediately any eligible': 417058, 'can enroll give': 158230, 'enroll give call': 277837, 'call at 650': 155783, 'at 650 701': 97718, '650 701 9700': 21389, '701 9700 we': 21929, '9700 we can': 23701, 'provider laboratory': 686749, 'laboratory staff': 478477, 'fight onward': 304817, 'onward all': 611704, 'healthcare provider laboratory': 387253, 'provider laboratory staff': 686750, 'laboratory staff warehouse': 478478, 'staff warehouse and': 793050, 'delivery worker grocery': 234774, 'many more on': 514311, 'line because of': 493004, 'you we can': 1022197, 'can continue this': 157982, 'continue this fight': 201156, 'this fight onward': 887547, 'fight onward all': 304818, 'onward all 19': 611705, '429': 18949, 'for 429': 318841, '429 99': 18950, 'and 89': 57510, '89 98': 23097, '98 shipping': 23731, 'shipping oh': 758876, 'new condition': 558509, 'condition toiletpaper': 193550, 'toiletpaper pricegouging': 922359, 'pricegouging ban': 677789, 'life wuhanvirus': 489240, 'paper for 429': 640171, 'for 429 99': 318842, '429 99 and': 18951, '99 and 89': 23773, 'and 89 98': 57511, '89 98 shipping': 23098, '98 shipping oh': 23732, 'shipping oh but': 758877, 'oh but it': 596370, 'is in new': 448791, 'in new condition': 425818, 'new condition toiletpaper': 558510, 'condition toiletpaper pricegouging': 193551, 'toiletpaper pricegouging ban': 922360, 'pricegouging ban this': 677790, 'ban this seller': 109279, 'this seller for': 890026, 'seller for life': 749022, 'for life wuhanvirus': 322975, 'tito': 899308, 'titosvodka': 899311, 'turn adapt': 935636, 'be human': 115321, 'human tito': 410635, 'tito vodka': 899309, 'vodka shift': 959953, 'from vodka': 338261, 'sanitizer titosvodka': 735903, 'turn adapt and': 935637, 'adapt and be': 31246, 'and be human': 58754, 'be human tito': 115322, 'human tito vodka': 410636, 'tito vodka shift': 899310, 'vodka shift from': 959954, 'shift from vodka': 758298, 'from vodka to': 338262, 'vodka to hand': 959960, 'hand sanitizer titosvodka': 375627, 'doe roll': 251561, 'tp going': 927822, 'for thesis': 326984, 'thesis day': 881020, 'toiletpaper workfromhomelife': 922865, 'workfromhomelife quarantinelife': 1008448, 'quarantinelife stophoardingtoiletpaper': 693026, 'what doe roll': 981369, 'doe roll of': 251562, 'of tp going': 592367, 'tp going for': 927823, 'going for thesis': 355151, 'for thesis day': 326985, 'thesis day toiletpaper': 881021, 'day toiletpaper workfromhomelife': 228604, 'toiletpaper workfromhomelife quarantinelife': 922866, 'workfromhomelife quarantinelife stophoardingtoiletpaper': 1008449, 'seems from': 746787, 'today feb': 919517, 'feb gdp': 301644, 'election bounce': 271020, 'bounce in': 136818, 'from earlier': 335246, 'earlier business': 264430, 'basically flat': 112129, 'outbreak hitting': 628312, 'march onwards': 515424, 'seems from today': 746788, 'from today feb': 338075, 'today feb gdp': 919518, 'feb gdp data': 301645, 'gdp data that': 344876, 'data that sign': 226446, 'post election bounce': 666106, 'election bounce in': 271021, 'bounce in growth': 136819, 'growth from earlier': 367375, 'from earlier business': 335247, 'earlier business and': 264431, 'growth wa basically': 367474, 'wa basically flat': 961646, 'basically flat in': 112130, '19 outbreak hitting': 9135, 'outbreak hitting the': 628313, 'hitting the uk': 398602, 'uk with full': 938910, 'mid march onwards': 530576, 'ulta temporarily': 939097, 'store service': 810042, 'retail brickandmortar': 717895, 'brickandmortar cosmetic': 139599, 'ulta temporarily shuts': 939098, 'shuts down in': 768186, 'down in store': 256868, 'in store service': 428453, 'store service amid': 810043, 'service amid fear': 752062, 'amid fear via': 52476, 'fear via retail': 301416, 'via retail brickandmortar': 956208, 'retail brickandmortar cosmetic': 717896, 'brickandmortar cosmetic pandemic': 139600, 'monty': 538242, 'full monty': 340691, 'monty dance': 538243, 'dance routine': 225575, 'routine when': 726544, 'the dole': 853510, 'dole queue': 252928, 'it whilst': 462353, 'lockdowneffect mondaymotivation': 500263, 'of all great': 579945, 'all great britain': 43000, 'great britain should': 362533, 'should learn the': 766189, 'learn the full': 484070, 'the full monty': 856015, 'full monty dance': 340692, 'monty dance routine': 538244, 'dance routine when': 225576, 'routine when they': 726545, 'they are stood': 881420, 'are stood in': 90534, 'in the dole': 429144, 'the dole queue': 853511, 'dole queue and': 252929, 'queue and then': 693869, 'all do it': 42592, 'do it whilst': 249525, 'it whilst we': 462354, 'whilst we queue': 987705, 'we queue for': 972802, 'the supermarket lockdowneffect': 868678, 'supermarket lockdowneffect mondaymotivation': 821368, 'virucide': 957873, 'barbicide': 110818, 'is hospital': 448551, 'grade virucide': 361672, 'virucide cannot': 957874, 'clorox this': 182467, 'home sanitized': 402010, 'sanitized mix': 734251, 'mix oz': 534608, 'oz barbicide': 632722, 'barbicide to': 110821, 'oz water': 632772, 'your solution': 1025865, 'solution barbicide': 781999, 'barbicide sanitizer': 110819, 'staysafe disinfectant': 798804, 'that is hospital': 844601, 'is hospital grade': 448552, 'hospital grade virucide': 404436, 'grade virucide cannot': 361673, 'virucide cannot find': 957875, 'cannot find lysol': 161844, 'find lysol or': 307045, 'lysol or clorox': 507184, 'or clorox this': 614747, 'clorox this is': 182468, 'your home sanitized': 1024372, 'home sanitized mix': 402011, 'sanitized mix oz': 734252, 'mix oz barbicide': 534609, 'oz barbicide to': 632723, 'barbicide to 32': 110822, 'to 32 oz': 899688, '32 oz water': 17694, 'oz water to': 632773, 'water to make': 969220, 'make your solution': 510771, 'your solution barbicide': 1025866, 'solution barbicide sanitizer': 782000, 'barbicide sanitizer staysafe': 110820, 'sanitizer staysafe disinfectant': 735805, 'ha online': 371440, 'uk worked': 938913, 'ha hasn': 370832, 'hasn it': 378756, 'how ha online': 407954, 'ha online grocery': 371441, 'the uk worked': 870305, 'uk worked for': 938914, 'worked for you': 1006114, 'for you why': 328101, 'you why ha': 1022316, 'why ha hasn': 991030, 'ha hasn it': 370833, 'hasn it worked': 378757, 'it worked for': 462512, 'virtualassistant': 957823, 'retailbot': 718923, 'conversationalcommerce': 202516, 'virtual assistant': 957718, 'assistant can': 96774, 'having direct': 384034, 'store representative': 809829, 'representative find': 712898, 'more virtualassistant': 540913, 'virtualassistant retailbot': 957824, 'retailbot conversationalcommerce': 718924, 'conversationalcommerce coronacrisis': 202517, 'coronavirus crisis virtual': 205778, 'crisis virtual assistant': 218321, 'virtual assistant can': 957719, 'assistant can be': 96775, 'used to place': 950076, 'to place order': 911754, 'place order online': 657641, 'order online without': 618484, 'online without customer': 609759, 'without customer having': 1002574, 'customer having direct': 222448, 'having direct contact': 384035, 'contact with store': 200290, 'with store representative': 1000996, 'store representative find': 809830, 'representative find out': 712899, 'out more virtualassistant': 626581, 'more virtualassistant retailbot': 540914, 'virtualassistant retailbot conversationalcommerce': 957825, 'retailbot conversationalcommerce coronacrisis': 718925, 'outbreak protective': 628544, 'cause concern': 167525, 'concern but': 192941, 'unsafe explains': 943390, 'what change are': 981203, 'change are you': 171934, 'seeing in your': 746339, 'the outbreak protective': 862680, 'outbreak protective measure': 628545, 'protective measure may': 685792, 'measure may cause': 525259, 'may cause concern': 521072, 'cause concern but': 167526, 'concern but it': 192942, 'doesn mean there': 251892, 'mean there food': 524705, 'food shortage or': 316593, 'shortage or that': 765151, 'or that the': 617361, 'supply is unsafe': 825461, 'is unsafe explains': 453552, 'falling 25': 297195, 'price falling 25': 673805, 'falling 25 percent': 297196, 'security read': 744727, 'online security read': 608953, 'security read here': 744728, 'so working': 778808, 'keep stay': 471965, 'restaurant worker sanitation': 716824, 'that are so': 842817, 'are so working': 90225, 'so working to': 778809, 'to keep stay': 908853, 'keep stay safe': 471966, 'stay safe right': 797270, 'share additional': 754910, 'well must': 978408, 'be 18': 113415, '18 yr': 4609, 'yr or': 1027040, 'or older': 616367, 'older to': 598682, 'view content': 957077, 'content medical': 200821, 'cannabis is': 161417, 'qualifying patient': 691744, 'patient use': 644286, 'use only': 949449, 'to share additional': 914335, 'share additional tip': 754911, 'cannabis consumer stay': 161401, 'consumer stay well': 199137, 'stay well must': 797393, 'well must be': 978409, 'must be 18': 546488, 'be 18 yr': 113416, '18 yr or': 4610, 'yr or older': 1027041, 'or older to': 616368, 'older to view': 598683, 'to view content': 918169, 'view content medical': 957078, 'content medical cannabis': 200822, 'medical cannabis is': 526073, 'cannabis is for': 161418, 'is for qualifying': 447889, 'for qualifying patient': 324890, 'qualifying patient use': 691745, 'patient use only': 644287, 'asked vox': 95891, 'vox reader': 960701, 'reader who': 700709, 'how along': 407337, 'pandemic we asked': 636933, 'we asked vox': 970792, 'asked vox reader': 95892, 'vox reader who': 960702, 'reader who work': 700710, 'service industry to': 752502, 'industry to tell': 436175, 'tell how along': 836977, 'how along with': 407338, 'with the absence': 1001192, 'absence of paid': 27190, 'paid sick day': 634123, 'sick day ha': 768411, 'day ha impacted': 227715, 'impacted their work': 418166, 'deteriorate': 239396, 'may recover': 521447, 'economy likely': 268043, 'to deteriorate': 904232, 'deteriorate our': 239397, 'and for highlighting': 63141, 'highlighting the plight': 396025, 'plight of most': 661051, 'of most people': 586679, 'most people may': 542620, 'people may recover': 648759, 'may recover from': 521448, 'recover from but': 705179, 'from but everyone': 334764, 'but everyone will': 145682, 'need food with': 554817, 'the economy likely': 853991, 'economy likely to': 268044, 'likely to deteriorate': 492141, 'to deteriorate our': 904233, 'deteriorate our demand': 239398, 'our demand will': 622734, 'demand will continue': 236496, 'districtmagistrate': 248396, 'lko': 496529, 'lucknow in': 506526, 'selling similar': 749439, 'similar daily': 769893, 'daily used': 224864, 'at expensive': 98592, 'administration should': 32501, 'strict step': 813657, 'step districtmagistrate': 799526, 'districtmagistrate lko': 248397, 'lucknow in such': 506527, 'in such circumstance': 428521, 'such circumstance the': 816396, 'circumstance the seller': 178755, 'the seller is': 866691, 'seller is selling': 749038, 'is selling similar': 451764, 'selling similar daily': 749440, 'similar daily used': 769894, 'daily used item': 224865, 'used item of': 949959, 'item of common': 463489, 'of common man': 581590, 'common man need': 189411, 'man need at': 512162, 'need at expensive': 554492, 'at expensive price': 98593, 'expensive price the': 291278, 'price the up': 676864, 'the up government': 870487, 'up government and': 945030, 'and the district': 73329, 'district administration should': 248350, 'administration should take': 32502, 'should take strict': 766555, 'take strict step': 832615, 'strict step districtmagistrate': 813658, 'step districtmagistrate lko': 799527, 'retail not': 718335, 'providing even': 686986, 'have shopped': 382514, 'in recently': 427323, 'recently employee': 704091, 'wasn their': 968029, 'their responsibility': 874575, 'keep atm': 471327, 'ireland retail not': 444851, 'retail not providing': 718336, 'not providing even': 571158, 'providing even basic': 686987, 'sanitizer at store': 734516, 'at store have': 100655, 'store have shopped': 808099, 'have shopped in': 382515, 'shopped in recently': 761304, 'in recently employee': 427324, 'recently employee told': 704092, 'it wasn their': 462261, 'wasn their responsibility': 968030, 'their responsibility to': 874576, 'to keep atm': 908755, 'keep atm screen': 471328, 'atm screen at': 101957, 'screen at their': 742679, 'pricee': 677761, 'shameshame': 754740, 'their pricee': 874442, 'pricee they': 677762, 'they like': 882565, 'controlling and': 202271, 'and managing': 66632, 'at meat': 99716, 'shop veggie': 760999, 'veggie shop': 954210, 'shop other': 760626, 'shop am': 759828, 'the differently': 853271, 'differently abled': 242152, 'abled elder': 24581, 'elder limited': 270536, 'income shameshame': 432453, 'shameshame shameonyou': 754741, 'business are increasing': 143373, 'increasing their pricee': 433719, 'their pricee they': 874443, 'pricee they like': 677763, 'they like no': 882566, 'one is controlling': 606504, 'is controlling and': 446824, 'controlling and managing': 202272, 'and managing the': 66633, 'managing the retail': 512899, 'retail price that': 718416, 'been put up': 121755, 'put up at': 690961, 'up at meat': 944433, 'at meat shop': 99717, 'meat shop veggie': 525744, 'shop veggie shop': 761000, 'veggie shop other': 954211, 'shop other essential': 760627, 'other essential shop': 620174, 'essential shop am': 281543, 'shop am not': 759829, 'sure how the': 827577, 'how the differently': 408814, 'the differently abled': 853272, 'differently abled elder': 242153, 'abled elder limited': 24582, 'elder limited income': 270537, 'limited income shameshame': 492660, 'income shameshame shameonyou': 432454, 'carers pharmacist': 164604, 'pharmacist healthcare': 654143, 'healthcare advisor': 387016, 'advisor customer': 33727, 'customer advisor': 222027, 'advisor supermarket': 33741, 'pandemic applaud': 634929, 'nh thankyou': 562132, 'to nh carers': 910592, 'nh carers pharmacist': 561918, 'carers pharmacist healthcare': 164605, 'pharmacist healthcare advisor': 654144, 'healthcare advisor customer': 387017, 'advisor customer advisor': 33728, 'customer advisor supermarket': 222028, 'advisor supermarket worker': 33742, 'else who need': 271985, 'the pandemic applaud': 862908, 'pandemic applaud you': 634930, 'applaud you all': 82260, 'you all thank': 1016910, 'you nh thankyou': 1020098, 'sgbudget2020': 754277, 'singapore consumer': 771114, 'facing sector': 295580, 'service retail': 752772, 'trade land': 928525, 'land transport': 479302, 'transport have': 929891, 'significantly affected': 769542, 'affected sgbudget2020': 34424, 'singapore consumer facing': 771115, 'consumer facing sector': 197440, 'facing sector such': 295581, 'sector such food': 744337, 'such food service': 816502, 'food service retail': 316429, 'service retail trade': 752773, 'retail trade land': 718803, 'trade land transport': 928526, 'land transport have': 479303, 'transport have been': 929892, 'have been significantly': 379683, 'been significantly affected': 121969, 'significantly affected sgbudget2020': 769543, 'gbfb': 344797, 'sunday edition': 818194, 'the took': 869763, 'massachusetts emergency': 519906, 'food network': 315526, 'network at': 557704, 'at gbfb': 98747, 'gbfb we': 344798, 'for tenfold': 326208, 'tenfold increase': 837928, 'purchasing to': 689937, 'demand across': 234901, 'our network': 624022, 'sunday edition of': 818195, 'of the took': 591549, 'the took look': 869764, 'having on food': 384201, 'bank and massachusetts': 109617, 'and massachusetts emergency': 66779, 'massachusetts emergency food': 519907, 'emergency food network': 272705, 'food network at': 315527, 'network at gbfb': 557705, 'at gbfb we': 98748, 'gbfb we re': 344799, 're planning for': 699265, 'planning for tenfold': 658546, 'for tenfold increase': 326209, 'tenfold increase in': 837929, 'in food purchasing': 422981, 'food purchasing to': 316091, 'purchasing to ensure': 689938, 'we can meet': 970977, 'the demand across': 853084, 'demand across our': 234902, 'across our network': 29423, 'stride': 813710, 'mainecoon': 508862, 'his stride': 397835, 'stride he': 813711, 'he being': 384778, 'sensible not': 750642, 'generally enjoying': 345529, 'enjoying self': 277234, 'isolation stoppanicbuying': 455448, 'stoppanicbuying staysafe': 805615, 'staysafe mainecoon': 798845, 'guy is taking': 369053, 'taking the whole': 833599, 'the whole in': 871496, 'whole in his': 990245, 'in his stride': 423741, 'his stride he': 397836, 'stride he being': 813712, 'he being sensible': 384779, 'being sensible not': 125755, 'sensible not panicking': 750643, 'not panicking and': 570955, 'panicking and generally': 639318, 'and generally enjoying': 63516, 'generally enjoying self': 345530, 'enjoying self isolation': 277235, 'self isolation stoppanicbuying': 747799, 'isolation stoppanicbuying staysafe': 455449, 'stoppanicbuying staysafe mainecoon': 805616, 'ukgb': 938946, 'spain ukgb': 787356, 'ukgb in': 938947, 'in picture': 426704, 'picture german': 656126, 'shopping herself': 762888, 'herself yesterday': 394248, 'from hit': 335822, 'spain ukgb in': 787357, 'ukgb in picture': 938948, 'in picture german': 426705, 'picture german chancellor': 656127, 'angela merkel is': 76336, 'merkel is shopping': 529166, 'is shopping herself': 451873, 'shopping herself yesterday': 762889, 'herself yesterday from': 394249, 'yesterday from hit': 1015746, 'padre': 633810, 'started we': 794905, 'the paradise': 863269, 'paradise of': 641312, 'texas south': 839821, 'south padre': 786775, 'padre island': 633811, 'island mx': 454294, 'mx for': 547120, 'good medicine': 357382, 'job four': 465833, 'four new': 330636, 'new cameron': 558440, 'cameron county': 157134, 'case put': 165971, 'put total': 690951, 'total at': 926129, 'six via': 772712, 'time before it': 896380, 'before it started': 122894, 'it started we': 461228, 'started we are': 794906, 'are the paradise': 90877, 'the paradise of': 863270, 'paradise of texas': 641313, 'of texas south': 590694, 'texas south padre': 839822, 'south padre island': 786776, 'padre island mx': 633812, 'island mx for': 454295, 'mx for good': 547121, 'for good medicine': 321937, 'good medicine price': 357383, 'medicine price am': 526871, 'price am an': 672299, 'am an icu': 49886, 'an icu nurse': 56120, 'icu nurse it': 412846, 'nurse it is': 577394, 'it is my': 459016, 'is my job': 449799, 'my job four': 548914, 'job four new': 465834, 'four new cameron': 330637, 'new cameron county': 558441, 'cameron county covid': 157135, '19 case put': 5693, 'case put total': 165972, 'put total at': 690952, 'total at six': 926130, 'at six via': 100540, 'fishmonger': 309424, 'itsthesmallthings': 463996, 'day 22': 227119, 'only weekly': 611456, 'for outside': 324319, 'outside entertainment': 629411, 'entertainment the': 278605, 'the fishmonger': 855376, 'fishmonger and': 309425, 'butcher singing': 148069, 'singing to': 771230, 'other across': 619797, 'wa much': 962662, 'needed itsthesmallthings': 556414, 'day 22 in': 227120, '22 in lockdown': 15214, 'spain with only': 787365, 'with only weekly': 999917, 'only weekly shopping': 611458, 'weekly shopping trip': 977569, 'shopping trip for': 764250, 'trip for outside': 932074, 'for outside entertainment': 324320, 'outside entertainment the': 629412, 'entertainment the fishmonger': 278606, 'the fishmonger and': 855377, 'fishmonger and butcher': 309426, 'and butcher singing': 59316, 'butcher singing to': 148070, 'singing to each': 771231, 'each other across': 264153, 'other across the': 619798, 'across the supermarket': 29526, 'supermarket aisle wa': 818852, 'aisle wa much': 40422, 'wa much needed': 962663, 'much needed itsthesmallthings': 545159, 'not joemandese': 570194, 'brand that do': 138032, 'do not joemandese': 249767, 'jnjkiljhkh': 465572, 'of dji': 582738, 'dji which': 248819, 'ha 77': 369420, '77 share': 22295, 'drone market': 260073, 'war fraud': 966441, 'fraud allegation': 331221, 'allegation and': 45638, 'pandemic http': 635663, 'co jnjkiljhkh': 184866, 'profile of dji': 682625, 'of dji which': 582739, 'dji which ha': 248820, 'which ha 77': 985873, 'ha 77 share': 369421, '77 share of': 22296, 'the consumer drone': 851527, 'consumer drone market': 197256, 'drone market but': 260074, 'market but is': 516126, 'but is in': 146075, 'in precarious situation': 426913, 'precarious situation amid': 669251, 'situation amid the': 772171, 'amid the china': 52684, 'trade war fraud': 928608, 'war fraud allegation': 966442, 'fraud allegation and': 331222, 'allegation and the': 45639, '19 pandemic http': 9354, 'pandemic http co': 635664, 'http co jnjkiljhkh': 409767, 'store any time': 806430, 'any time someone': 79977, 'time someone start': 897716, 'someone start to': 784667, 'to come near': 903039, 'two pallet': 937128, 'of angel': 580198, 'soft each': 781471, 'allowed one': 46195, 'be toilet': 117744, 'book toiletpaperemergency': 134621, 'they had two': 882269, 'had two pallet': 373776, 'two pallet of': 937129, 'pallet of angel': 634593, 'of angel soft': 580199, 'angel soft each': 76317, 'soft each customer': 781472, 'each customer wa': 264033, 'customer wa allowed': 223022, 'wa allowed one': 961475, 'allowed one package': 46196, 'one package before': 606824, 'package before long': 633226, 'before long there': 122923, 'long there ll': 501738, 'll be toilet': 496639, 'be toilet paper': 117745, 'paper ration book': 640655, 'ration book toiletpaperemergency': 697651, 'and bought everything': 59104, 'bought everything needed': 136552, 'pathological': 644087, 'unaccommodating': 939380, 'civilizing': 179611, 'aplangflashback': 81473, 'the pathological': 863394, 'pathological culture': 644088, 'culture of': 220303, 'economics consumer': 267441, 'behavior turn': 124278, 'be remarkably': 116776, 'remarkably unaccommodating': 710122, 'unaccommodating to': 939381, 'to civilizing': 902781, 'civilizing tendency': 179612, 'tendency benjamin': 837884, 'benjamin barber': 127235, 'barber consumed': 110806, 'consumed aplangflashback': 195959, 'in the pathological': 429444, 'the pathological culture': 863395, 'pathological culture of': 644089, 'culture of consumer': 220304, 'of consumer economics': 581736, 'consumer economics consumer': 197295, 'economics consumer behavior': 267442, 'consumer behavior turn': 196532, 'behavior turn out': 124279, 'to be remarkably': 901498, 'be remarkably unaccommodating': 116777, 'remarkably unaccommodating to': 710123, 'unaccommodating to civilizing': 939382, 'to civilizing tendency': 902782, 'civilizing tendency benjamin': 179613, 'tendency benjamin barber': 837885, 'benjamin barber consumed': 127236, 'barber consumed aplangflashback': 110807, 'of worsens': 593324, 'worsens use': 1011119, 'video themselves': 956921, 'pandemic help': 635612, 'them find': 875691, 'rise of worsens': 722954, 'of worsens use': 593325, 'worsens use to': 1011120, 'use to video': 949763, 'to video themselves': 918167, 'video themselves coughing': 956922, 'produce in during': 680315, 'in during 19': 422421, '19 pandemic help': 9347, 'pandemic help them': 635613, 'help them find': 390704, 'them find these': 875692, 'find these kid': 307323, 'lankan': 479510, 'on sri': 603617, 'sri lankan': 791597, 'lankan consumer': 479511, 'covid consumer': 214143, '19 on sri': 8965, 'on sri lankan': 603618, 'sri lankan consumer': 791598, 'lankan consumer behaviour': 479512, 'and the post': 73519, 'post covid consumer': 666076, 'tesco grocery': 838705, 'near london': 553530, 'saw this today': 738298, 'today at tesco': 919286, 'at tesco grocery': 100841, 'tesco grocery store': 838706, 'store near london': 809036, 'only marginally': 610763, 'marginally an': 515661, 'an economist': 55594, 'economist but': 267529, 'but two': 147639, 'thing low': 884571, 'make fracking': 509916, 'fracking unprofitable': 330862, 'unprofitable hurting': 943248, 'hurting some': 411647, 'some job': 783158, 'hurt corporate': 411562, 'corporate energy': 207275, 'energy profit': 276560, 'are correct': 85578, 'correct though': 207535, 'only marginally an': 610764, 'marginally an economist': 515662, 'an economist but': 55595, 'economist but two': 267530, 'but two thing': 147640, 'two thing low': 937267, 'thing low oil': 884572, 'can make fracking': 158930, 'make fracking unprofitable': 509917, 'fracking unprofitable hurting': 330863, 'unprofitable hurting some': 943249, 'hurting some job': 411648, 'some job and': 783159, 'price will hurt': 677570, 'will hurt corporate': 993765, 'hurt corporate energy': 411563, 'corporate energy profit': 207276, 'energy profit you': 276561, 'profit you are': 682901, 'you are correct': 1017099, 'are correct though': 85580, 'correct though that': 207536, 'though that this': 892906, 'this is go': 888268, 'stayathome behaviour': 797439, 'behaviour confinement': 124391, 'toiletpaperpanic stayathome behaviour': 923245, 'stayathome behaviour confinement': 797440, 'behaviour confinement consumer': 124392, 'myhineysclean': 550737, 'narcos': 551900, 'pabloescobar': 632914, 'makemegoviral': 510793, 'make am': 509665, 'way making': 969691, 'not still': 571726, 'great birthday': 362528, 'birthday corona': 131424, 'corona lysol': 204050, 'lysol charmin': 507166, 'charmin poop': 173804, 'toiletpaper myhineysclean': 922248, 'myhineysclean quarantine': 550738, 'quarantine narcos': 692381, 'narcos pabloescobar': 551901, 'pabloescobar yummy': 632915, 'yummy cake': 1027099, 'cake makemegoviral': 155246, 'this wa fun': 891065, 'wa fun to': 962190, 'fun to make': 341230, 'to make am': 909620, 'make am in': 509666, 'am in no': 50139, 'no way making': 565864, 'way making fun': 969692, 'making fun of': 511082, 'fun of the': 341202, 'virus but not': 958015, 'but not still': 146565, 'not still have': 571727, 'still have great': 800651, 'have great birthday': 380830, 'great birthday corona': 362529, 'birthday corona lysol': 131425, 'corona lysol charmin': 204051, 'lysol charmin poop': 507167, 'charmin poop toiletpaper': 173805, 'poop toiletpaper myhineysclean': 664072, 'toiletpaper myhineysclean quarantine': 922249, 'myhineysclean quarantine narcos': 550739, 'quarantine narcos pabloescobar': 692382, 'narcos pabloescobar yummy': 551902, 'pabloescobar yummy cake': 632916, 'yummy cake makemegoviral': 1027100, 'asa': 94839, 'meloy': 527971, 'the asa': 848954, 'asa ha': 94842, 'new reporting': 559454, 'reporting form': 712688, 'form designed': 329504, 'about ad': 24761, 'that seek': 846166, 'pandemic alex': 634816, 'alex meloy': 41583, 'meloy discus': 527972, 'prevent fakenews': 671618, 'fakenews advertising': 296757, 'the asa ha': 848955, 'asa ha introduced': 94843, 'introduced new reporting': 443440, 'new reporting form': 559455, 'reporting form designed': 712689, 'form designed to': 329505, 'designed to fast': 238354, 'to fast track': 905684, 'fast track consumer': 300062, 'track consumer complaint': 928177, 'complaint about ad': 191924, 'about ad that': 24762, 'ad that seek': 31176, 'that seek to': 846167, 'seek to stoke': 746622, 'stoke fear and': 804241, 'fear and take': 301039, 'the pandemic alex': 862897, 'pandemic alex meloy': 634817, 'alex meloy discus': 41584, 'meloy discus how': 527973, 'discus how this': 244869, 'how this should': 408955, 'this should help': 890129, 'should help prevent': 766109, 'help prevent fakenews': 390343, 'prevent fakenews advertising': 671619, 'asset backed': 96420, 'backed security': 107538, 'security can': 744561, 'offer relative': 594761, 'relative stability': 708743, 'stability amid': 791800, 'volatility when': 960098, 'when backed': 983194, 'quality loan': 691815, 'loan see': 497528, 'asset backed security': 96421, 'backed security can': 107539, 'security can offer': 744562, 'can offer relative': 159100, 'offer relative stability': 594762, 'relative stability amid': 708744, 'stability amid volatility': 791801, 'amid volatility when': 52753, 'volatility when backed': 960099, 'when backed by': 983195, 'backed by high': 107531, 'by high quality': 152802, 'high quality loan': 395316, 'quality loan see': 691816, 'loan see why': 497529, 'friend working': 333922, 'purchase bigger': 689389, 'friend working from': 333923, 'from home let': 335875, 'home let spend': 401525, 'the money we': 860832, 'money we save': 537154, 'we save on': 973131, 'save on local': 737604, 'card and online': 163455, 'and online purchase': 68116, 'online purchase bigger': 608819, 'purchase bigger tip': 689390, 'register4covid19safeodisha': 707633, 'registered my': 707651, 'sister detail': 771730, 'government portal': 360475, 'abroad appeal': 27147, 'appeal all': 82052, 'also register': 48777, 'register detail': 707556, 'friend coming': 333555, 'abroad this': 27168, 'protect odisha': 684877, 'odisha from': 579234, 'from register4covid19safeodisha': 337062, 'have registered my': 382241, 'registered my sister': 707652, 'my sister detail': 550106, 'sister detail in': 771731, 'the government portal': 856583, 'government portal for': 360476, 'portal for person': 664950, 'for person coming': 324493, 'person coming from': 652364, 'coming from abroad': 188054, 'from abroad appeal': 334367, 'abroad appeal all': 27148, 'appeal all of': 82053, 'to also register': 900378, 'also register detail': 48778, 'register detail about': 707557, 'detail about your': 239150, 'about your family': 26995, 'family member and': 298024, 'member and friend': 528009, 'and friend coming': 63323, 'friend coming from': 333556, 'from abroad this': 334370, 'abroad this will': 27169, 'help protect odisha': 390372, 'protect odisha from': 684878, 'odisha from register4covid19safeodisha': 579235, 'guyana': 369247, 'supermarket taped': 823135, 'taped divide': 834375, 'divide people': 248589, 'people hopefully': 648293, 'hopefully after': 403839, 'this pass': 889492, 'pass personal': 643219, 'space becomes': 787065, 'becomes thing': 120262, 'in guyana': 423487, 'the supermarket taped': 868840, 'supermarket taped divide': 823136, 'taped divide people': 834376, 'divide people hopefully': 248590, 'people hopefully after': 648294, 'hopefully after this': 403840, 'after this pass': 36411, 'this pass personal': 889493, 'pass personal space': 643220, 'personal space becomes': 652970, 'space becomes thing': 787066, 'becomes thing in': 120263, 'thing in guyana': 884434, 'husband visited': 411775, 'single chicken': 771256, 'chicken leg': 175812, 'leg wa': 485821, 'romania mom': 725732, 'mom pro': 535790, 'tip determine': 898746, 'determine when': 239447, 'truck is': 932822, 'coming be': 188010, 'applied in': 82492, 'my husband visited': 548798, 'husband visited supermarket': 411776, 'visited supermarket and': 959500, 'and supermarket could': 72711, 'not find single': 569427, 'find single chicken': 307211, 'single chicken leg': 771257, 'chicken leg wa': 175813, 'leg wa too': 485822, 'ceausescu romania mom': 168724, 'romania mom pro': 725733, 'mom pro tip': 535791, 'pro tip determine': 679129, 'tip determine when': 898747, 'determine when the': 239448, 'delivery truck is': 234697, 'truck is coming': 932823, 'coming and when': 187989, 'is coming be': 446652, 'coming be there': 188011, 'now applied in': 574084, 'applied in new': 82493, 'used recently': 949996, 'of scam that': 589367, 'scam that have': 740398, 'been used recently': 122310, 'used recently due': 949997, 'outbreak click here': 628110, 'includes 500': 431714, '500 million': 20020, 'million increase': 532202, 'health billion': 386196, 'it includes 500': 458760, 'includes 500 million': 431715, '500 million increase': 20021, 'million increase for': 532203, 'increase for health': 432779, 'for health billion': 322147, 'health billion to': 386198, 'billion to support': 130931, 'support business and': 826395, 'and job and': 65659, 'and health billion': 64348, 'health billion for': 386197, 'billion for income': 130820, 'support and increased': 826361, 'increased consumer spending': 433253, 'spending more information': 788913, 'goldcoast': 356040, 'easterholiday': 265558, 'buy antibacterial': 148344, 'sanitizer 50ml': 734294, '50ml at': 20182, 'cole australia': 185841, 'australia goldcoast': 103288, 'goldcoast easterholiday': 356041, 'at last you': 99421, 'last you can': 480747, 'can buy antibacterial': 157812, 'buy antibacterial hand': 148345, 'hand sanitizer 50ml': 375282, 'sanitizer 50ml at': 734295, '50ml at cole': 20183, 'at cole australia': 98292, 'cole australia goldcoast': 185842, 'australia goldcoast easterholiday': 103289, 'that ubi': 847157, 'ubi could': 937841, 'both group': 135920, 'the sadistic': 866128, 'sadistic system': 729323, 'system moving': 831251, 'moving again': 544112, 'again fast': 36987, 'possible rather': 665748, 'of buffer': 580923, 'buffer agai': 141859, 'agreed it just': 38712, 'so happens that': 777238, 'happens that ubi': 377505, 'that ubi could': 847158, 'ubi could be': 937842, 'could be shared': 208920, 'be shared by': 117123, 'shared by both': 755397, 'by both group': 151989, 'both group it': 135921, 'group it just': 366750, 'it just in': 459227, '19 case it': 5686, 'case it will': 165840, 'used to drive': 950053, 'drive up consumer': 259241, 'demand to get': 236397, 'get the sadistic': 348291, 'the sadistic system': 866129, 'sadistic system moving': 729324, 'system moving again': 831252, 'moving again fast': 544113, 'again fast possible': 36988, 'fast possible rather': 300016, 'possible rather than': 665749, 'rather than any': 697503, 'than any kind': 840348, 'kind of buffer': 474879, 'of buffer agai': 580924, 'senior all': 750185, 'all target': 44610, 'target store': 834508, '65 can': 21341, 'medicine before': 526744, 'inside spread': 439382, 'attention senior all': 102480, 'senior all target': 750186, 'all target store': 44611, 'target store will': 834509, 'will open an': 994341, 'hour early every': 405564, 'early every wednesday': 264593, 'every wednesday morning': 286356, 'wednesday morning to': 975665, 'morning to ensure': 541510, 'ensure that senior': 278069, 'that senior 65': 846195, 'senior 65 can': 750180, '65 can stock': 21342, 'on necessity like': 602356, 'necessity like food': 554241, 'and medicine before': 66903, 'medicine before the': 526745, 'is allowed inside': 445484, 'allowed inside spread': 46176, 'inside spread the': 439383, 'who attended': 988286, 'attended my': 102392, 'father yesterday': 300329, 'wa discussing': 961990, 'his concern': 397309, 'concern based': 192933, 'home call': 400863, 'call he': 155925, 'making is': 511132, 'seeing placed': 746421, 'it pass': 460273, 'or best': 614547, 'best before': 127593, 'before date': 122736, 'date panic': 226710, 'buying hurt': 150506, 'paramedic who attended': 641406, 'who attended my': 988287, 'attended my father': 102393, 'my father yesterday': 548254, 'father yesterday wa': 300330, 'yesterday wa discussing': 1015918, 'wa discussing covid': 961991, '19 his concern': 7538, 'his concern based': 397310, 'concern based on': 192934, 'based on home': 111682, 'on home call': 601350, 'home call he': 400864, 'call he is': 155926, 'he is making': 385131, 'is making is': 449546, 'making is the': 511133, 'is the quantity': 452910, 'the quantity of': 864958, 'quantity of food': 691934, 'food he is': 314795, 'he is seeing': 385144, 'is seeing placed': 451716, 'seeing placed in': 746422, 'placed in bin': 657887, 'in bin it': 420837, 'bin it pass': 131012, 'it pass it': 460274, 'pass it use': 643207, 'it use by': 461991, 'use by or': 949090, 'by or best': 153455, 'or best before': 614548, 'best before date': 127594, 'before date panic': 122737, 'date panic buying': 226711, 'panic buying hurt': 637765, 'buying hurt everyone': 150507, 'paper peaked': 640584, 'peaked stayhome': 646126, 'toilet paper peaked': 921389, 'paper peaked stayhome': 640585, 'peaked stayhome staysafe': 646127, 'foldable': 312061, 'respecively': 714951, 'genie foldable': 345752, 'foldable mobility': 312062, 'to 299': 899657, '299 699': 16524, '699 respecively': 21540, 'respecively find': 714952, 'also negotiated for': 48560, 'negotiated for better': 556925, 'for better price': 319659, 'and genie foldable': 63527, 'genie foldable mobility': 345753, 'foldable mobility scooter': 312063, 'reduced to 299': 706195, 'to 299 699': 899658, '299 699 respecively': 16525, '699 respecively find': 21541, 'respecively find out': 714953, 'complaint can': 191951, 'be filed': 114836, 'filed with': 305412, 'gouging complaint can': 359291, 'complaint can be': 191952, 'can be filed': 157622, 'be filed with': 114837, 'filed with the': 305413, 'general office at': 345422, '0508 or on': 960, 'protection page of': 685556, 'general office website': 345426, 'office website health': 595586, 'sanitizers that': 736410, 'price active': 672214, 'active ingredient': 30271, 'ingredient ethyl': 438357, 'alcohol 68': 40891, '68 stayhome': 21491, 'hand sanitizers that': 375725, 'sanitizers that are': 736411, 'that are available': 842719, 'are available now': 84713, 'available now at': 104515, 'now at fair': 574128, 'fair price active': 296367, 'price active ingredient': 672215, 'active ingredient ethyl': 30272, 'ingredient ethyl alcohol': 438358, 'ethyl alcohol 68': 283134, 'alcohol 68 stayhome': 40892, 'rigati': 721722, 'marinara': 515749, 'parmigiano': 642184, 'reggiano': 707332, 'parsley': 642207, 'my meatball': 549223, 'meatball with': 525810, 'spaghetti rigati': 787250, 'rigati marinara': 721723, 'marinara parmigiano': 515750, 'parmigiano reggiano': 642185, 'reggiano mozzarella': 707333, 'mozzarella and': 544232, 'and italian': 65610, 'italian parsley': 462712, 'parsley consumer': 642208, 'time tested': 897814, 'tested brand': 839273, 'brand diy': 137819, 'diy digital': 248729, 'digital comfort': 242524, 'comfort flexible': 187832, 'flexible work': 310399, 'arrangement and': 93707, 'safety over': 730670, 'over privacy': 630531, 'my meatball with': 549224, 'meatball with spaghetti': 525811, 'with spaghetti rigati': 1000900, 'spaghetti rigati marinara': 787251, 'rigati marinara parmigiano': 721724, 'marinara parmigiano reggiano': 515751, 'parmigiano reggiano mozzarella': 642186, 'reggiano mozzarella and': 707334, 'mozzarella and italian': 544233, 'and italian parsley': 65611, 'italian parsley consumer': 462713, 'parsley consumer trend': 642209, '19 time tested': 11403, 'time tested brand': 897815, 'tested brand diy': 839274, 'brand diy digital': 137820, 'diy digital comfort': 248730, 'digital comfort flexible': 242525, 'comfort flexible work': 187833, 'flexible work arrangement': 310400, 'work arrangement and': 1004849, 'arrangement and safety': 93708, 'and safety over': 70753, 'safety over privacy': 730671, 'kvqlybdymu': 478020, 'crisis expects': 217361, 'expects eu': 291075, 'average 12': 104792, '12 in': 2871, 'the reference': 865404, 'reference scenario': 706501, 'scenario and': 741248, 'and fourth': 63240, 'co kvqlybdymu': 184874, 'on the severity': 604353, 'the crisis expects': 852375, 'crisis expects eu': 217362, 'expects eu carbon': 291076, 'price to average': 676966, 'to average 12': 900858, 'average 12 in': 104793, '12 in the': 2872, 'in the reference': 429506, 'the reference scenario': 865405, 'reference scenario and': 706502, 'scenario and high': 741249, 'and high in': 64553, 'in the stress': 429580, 'the stress scenario': 868276, 'stress scenario in': 813390, 'scenario in the': 741265, 'the second and': 866574, 'second and fourth': 743657, 'and fourth quarter': 63241, 'of 2020 http': 579495, 'http co kvqlybdymu': 409768, 'unexpired': 941404, 'found small': 330367, 'small unexpired': 775176, 'unexpired hand': 941405, 'my purse': 549870, 'like win': 491821, 'lottery handsanitizer': 504453, 'found small unexpired': 330368, 'small unexpired hand': 775177, 'unexpired hand sanitizer': 941406, 'in my purse': 425617, 'my purse and': 549871, 'purse and feel': 690201, 'and feel like': 62777, 'feel like win': 302763, 'like win the': 491822, 'the lottery handsanitizer': 859748, 'paywave': 645842, 'how paywave': 408490, 'paywave fee': 645843, 'fee are': 302143, 'presented in': 670662, 'pandemic recommend': 636307, 'recommend changing': 704687, 'policy where': 663536, 'where paywave': 985090, 'paywave usage': 645845, 'are charged': 85247, 'charged to': 173417, 'australia fo': 103281, 'change the policy': 172301, 'the policy on': 863940, 'policy on how': 663460, 'on how paywave': 601416, 'how paywave fee': 408491, 'paywave fee are': 645844, 'fee are presented': 302145, 'are presented in': 89201, 'presented in light': 670663, '19 pandemic recommend': 9441, 'pandemic recommend changing': 636308, 'recommend changing the': 704688, 'changing the policy': 172812, 'the policy where': 863943, 'policy where paywave': 663537, 'where paywave usage': 985091, 'paywave usage fee': 645846, 'usage fee are': 948826, 'fee are charged': 302144, 'are charged to': 85248, 'charged to the': 173418, 'consumer is the': 197944, 'case in australia': 165786, 'in australia fo': 420607, 'lockdown new': 499686, 'jersey fishing': 465203, 'fishing boat': 309399, 'boat are': 133716, 'dock take': 250785, 'the seafood': 866553, 'it ripple': 460788, 'from idled': 335995, 'idled fisherman': 413691, 'fisherman to': 309377, 'with restaurant closed': 1000494, 'restaurant closed by': 716374, 'closed by the': 183035, '19 lockdown new': 8407, 'lockdown new jersey': 499687, 'new jersey fishing': 558970, 'jersey fishing boat': 465204, 'fishing boat are': 309400, 'boat are stuck': 133717, 'stuck at the': 814582, 'at the dock': 100928, 'the dock take': 853452, 'dock take deep': 250786, 'take deep dive': 832060, 'into the disruption': 443117, 'in the seafood': 429530, 'the seafood supply': 866554, 'seafood supply chain': 743151, 'chain and it': 170467, 'and it ripple': 65580, 'it ripple effect': 460789, 'ripple effect from': 722735, 'effect from idled': 269007, 'from idled fisherman': 335996, 'idled fisherman to': 413692, 'fisherman to our': 309378, 'store queue': 809721, 'one episode': 606240, 'episode long': 279535, 'long today': 501792, 'grocery store queue': 365697, 'store queue is': 809722, 'queue is only': 693972, 'only one episode': 610870, 'one episode long': 606241, 'episode long today': 279536, 'long today socialdistancing': 501793, 'shrink credit': 767696, 'of gcc': 584062, 'gcc bank': 344817, 'price to shrink': 677038, 'to shrink credit': 914594, 'shrink credit growth': 767697, 'credit growth of': 216402, 'growth of gcc': 367431, 'of gcc bank': 584063, 'rueful': 727080, 'really different': 702112, 'different atmosphere': 241903, 'atmosphere in': 101985, 'morning still': 541466, 'polite stepping': 663604, 'stepping aside': 799792, 'and joking': 65683, 'joking their': 467196, 'not angry': 568208, 'angry just': 76477, 'just rueful': 469657, 'really different atmosphere': 702113, 'different atmosphere in': 241904, 'atmosphere in the': 101986, 'this morning still': 889019, 'morning still lot': 541467, 'shelf but people': 756904, 'but people being': 146765, 'people being polite': 647268, 'being polite stepping': 125553, 'polite stepping aside': 663605, 'stepping aside and': 799793, 'aside and joking': 95397, 'and joking their': 65684, 'joking their way': 467197, 'their way down': 875154, 'way down the': 969560, 'down the empty': 257275, 'the empty aisle': 854282, 'empty aisle not': 274746, 'aisle not angry': 40318, 'not angry just': 568209, 'angry just rueful': 76478, 'ameen': 51364, 'thought lot': 893124, 'about life': 25638, 'it against': 456313, 'against today': 37709, 'skyrocketing our': 773443, 'price beyond': 672920, 'beyond humanity': 129184, 'allah to': 45615, 'virus ameen': 957911, 'ameen help': 51365, 'help god': 389816, 'nothing pls': 573142, 'pls pls': 661164, '19 thought lot': 11367, 'thought lot about': 893125, 'lot about life': 503966, 'about life but': 25639, 'life but many': 488539, 'but many use': 146362, 'many use it': 514839, 'use it against': 949297, 'it against today': 456314, 'against today by': 37710, 'today by skyrocketing': 919350, 'by skyrocketing our': 154034, 'skyrocketing our local': 773444, 'food price beyond': 315924, 'price beyond humanity': 672921, 'beyond humanity we': 129185, 'humanity we pray': 410778, 'we pray to': 972731, 'to allah to': 900310, 'allah to end': 45616, 'this virus ameen': 890997, 'virus ameen help': 957912, 'ameen help god': 51366, 'help god we': 389817, 'god we are': 354828, 'are nothing pls': 88505, 'nothing pls pls': 573143, 'popped out': 664506, 'for forgotten': 321680, 'because worker': 119846, 'popped out to': 664507, 'on saturday for': 603295, 'saturday for the': 737025, 'in week had': 430752, 'go back again': 353339, 'back again on': 106829, 'again on sunday': 37093, 'on sunday for': 603760, 'sunday for forgotten': 818205, 'for forgotten item': 321681, 'forgotten item today': 329443, 'item today the': 463774, 'the store shut': 868105, 'store shut down': 810181, 'down because worker': 256555, 'because worker tested': 119847, '19 when even': 12016, 'when even buying': 983383, 'even buying grocery': 283926, 'buying grocery is': 150412, 'grocery is health': 364639, 'is health hazard': 448364, 'could online': 209475, 'new home': 558888, 'home become': 400786, 'norm even': 567035, 'could online shopping': 209476, 'for new home': 323824, 'new home become': 558889, 'home become the': 400787, 'new norm even': 559140, 'norm even after': 567036, 'teeshirt': 836585, 'ft social': 339360, 'distancing tee': 247524, 'tee 100': 836447, '100 cotton': 1871, 'cotton great': 208407, 'to viruscorona': 918202, 'viruscorona socialdistancing': 959094, 'socialdistancing coronamemes': 780293, 'coronamemes tee': 205071, 'tee teeshirt': 836459, 'ft social distancing': 339361, 'social distancing tee': 779735, 'distancing tee 100': 247525, 'tee 100 cotton': 836448, '100 cotton great': 1872, 'cotton great price': 208408, 'great price go': 362913, 'go to viruscorona': 354378, 'to viruscorona socialdistancing': 918203, 'viruscorona socialdistancing coronamemes': 959095, 'socialdistancing coronamemes tee': 780294, 'coronamemes tee teeshirt': 205072, 'scotland latest': 742423, 'latest full': 481361, 'article staff': 94468, 'in scotland latest': 427744, 'scotland latest full': 742424, 'latest full article': 481362, 'full article staff': 340489, 'article staff and': 94469, 'desiccated': 238207, 'scraping': 742592, 'those desiccated': 891927, 'desiccated arse': 238208, 'arse scraping': 94077, 'scraping who': 742593, 'full well they': 340979, 'well they are': 978679, 'of essential thing': 583190, 'essential thing and': 281681, 'thing and food': 884121, 'pet and those': 653358, 'and those desiccated': 74022, 'those desiccated arse': 891928, 'desiccated arse scraping': 238209, 'arse scraping who': 94078, 'scraping who hike': 742594, 'hike price to': 396272, 'profit from crisis': 682733, 'people worrying': 650531, 'many eastern': 514023, 'eastern nation': 265591, 'people tend': 649735, 'to cleanse': 902825, 'cleanse themselves': 181169, 'after doing': 35575, 'empty 500ml': 274739, 'bottle good': 136228, 'le tp': 483213, 'for people worrying': 324474, 'people worrying about': 650532, 'worrying about toilet': 1010816, 'paper in many': 640324, 'in many eastern': 425053, 'many eastern nation': 514024, 'eastern nation people': 265592, 'nation people tend': 552290, 'people tend to': 649736, 'tend to use': 837882, 'to use water': 918079, 'use water to': 949795, 'water to cleanse': 969216, 'to cleanse themselves': 902826, 'cleanse themselves after': 181170, 'themselves after doing': 876738, 'after doing their': 35576, 'doing their business': 252735, 'their business you': 872696, 'use an empty': 949037, 'an empty 500ml': 55719, 'empty 500ml bottle': 274740, '500ml bottle good': 20106, 'bottle good way': 136229, 'to use le': 918042, 'use le tp': 949334, 'le tp toiletpaper': 483214, 'tp toiletpaper toiletpaperpanic': 928011, 'toiletpaper toiletpaperpanic panicbuying': 922700, 'toiletpaperpanic panicbuying 19': 923230, 'amid we': 52754, 'find ost': 307119, 'ost american': 619732, 'now concerned': 574427, 'tracking study': 928363, 'study and': 814860, 'tracking consumer attitude': 928324, 'attitude behavior amid': 102551, 'behavior amid we': 123871, 'amid we find': 52755, 'we find ost': 971561, 'find ost american': 307120, 'ost american are': 619733, 'are now concerned': 88538, 'now concerned about': 574428, 'according to tracking': 28599, 'to tracking study': 917685, 'tracking study and': 928364, 'the casualty': 850509, 'casualty of': 166813, 'seriously concerned': 751561, 'transmission you': 929780, 'cannot cram': 161735, 'cram that': 214832, 'of the casualty': 590851, 'the casualty of': 850510, 'casualty of the': 166814, 'of the era': 590991, 'the era ha': 854471, 'era ha to': 280046, 'be the store': 117660, 're seriously concerned': 699488, 'seriously concerned about': 751562, 'concerned about virus': 193179, 'about virus transmission': 26832, 'virus transmission you': 958945, 'transmission you simply': 929781, 'simply cannot cram': 770198, 'cannot cram that': 161736, 'cram that many': 214833, 'people into retail': 648509, 'into retail space': 442948, 'weareckpublichealth': 974527, 'isolate you': 454954, 'experience safe': 291468, 'healthy one': 387711, 'one ckont': 606065, 'ckont weareckpublichealth': 179671, 'not been directed': 568509, 'been directed to': 120983, 'directed to self': 243421, 'self isolate you': 747700, 'isolate you may': 454955, 'may be making': 521008, 'be making trip': 115894, 'weekend we ve': 977445, 've come up': 953004, 'helpful tip and': 391231, 'and advice to': 57733, 'advice to help': 33529, 'help make your': 390040, 'shopping experience safe': 762618, 'experience safe and': 291469, 'and healthy one': 64395, 'healthy one ckont': 387712, 'one ckont weareckpublichealth': 606066, 'arranging': 93733, 'cohabiting': 185587, 'case could': 165696, 'asymptomatic am': 97291, 'stressed do': 813441, 'about arranging': 24829, 'arranging alternative': 93734, 'alternative accommodation': 49202, 'for cohabiting': 320144, 'cohabiting key': 185588, 'worker maybe': 1007364, 'maybe empty': 521668, 'empty hotel': 274913, 'after finding out': 35669, 'finding out more': 307523, 'out more than': 626578, '50 of covid': 19769, '19 case could': 5674, 'case could be': 165697, 'be asymptomatic am': 113722, 'asymptomatic am stressed': 97292, 'am stressed do': 50440, 'stressed do not': 813442, 'be going home': 115052, 'home to at': 402306, 'to at risk': 900807, 'risk people live': 723822, 'people live with': 648677, 'live with everyday': 496113, 'with everyday after': 998283, 'everyday after work': 286524, 'after work in': 36567, 'how about arranging': 407272, 'about arranging alternative': 24830, 'arranging alternative accommodation': 93735, 'alternative accommodation for': 49203, 'accommodation for cohabiting': 28448, 'for cohabiting key': 320145, 'cohabiting key worker': 185589, 'key worker maybe': 473496, 'worker maybe empty': 1007365, 'maybe empty hotel': 521669, 'im actually': 416502, 'actually starting': 30961, 'worry online': 1010754, 'shop nothing': 760507, 'stock bread': 801937, 'pasta fruit': 643726, 'far have': 298802, 'some cheese': 782518, 'coffee coronapocolypse': 185477, 'well now im': 978426, 'now im actually': 574978, 'im actually starting': 416503, 'actually starting to': 30962, 'to worry online': 918840, 'worry online food': 1010755, 'online food shop': 608215, 'food shop nothing': 316488, 'shop nothing is': 760508, 'nothing is in': 573065, 'in stock bread': 428288, 'stock bread pasta': 801938, 'bread pasta fruit': 138564, 'pasta fruit veg': 643727, 'veg milk what': 953768, 'milk what the': 531911, 'hell we going': 389085, 'to eat so': 904902, 'eat so far': 266050, 'so far have': 777034, 'far have some': 298803, 'have some cheese': 382623, 'some cheese and': 782519, 'cheese and coffee': 175165, 'and coffee coronapocolypse': 60053, 'couch to': 208438, 'curfew shop': 220925, 'bill using': 130711, 'carbon app': 163391, 'app head': 81716, 'store download': 807382, 'select bill': 747457, 'bill payment': 130654, 'payment stayhomesavelives': 645736, 'get up from': 348564, 'up from your': 944996, 'from your couch': 338472, 'your couch to': 1023356, 'couch to do': 208439, 'do some retail': 250131, 'some retail therapy': 783761, 'retail therapy in': 718780, 'therapy in rush': 877922, 'rush to beat': 728338, 'beat the curfew': 118557, 'the curfew shop': 852595, 'curfew shop online': 220926, 'and pay your': 68808, 'your bill using': 1022972, 'bill using the': 130712, 'using the carbon': 950692, 'the carbon app': 850400, 'carbon app head': 163393, 'app head on': 81717, 'on to google': 604737, 'to google play': 906916, 'play store download': 659221, 'store download the': 807383, 'download the carbon': 257626, 'carbon app and': 163392, 'app and select': 81675, 'and select bill': 71176, 'select bill payment': 747458, 'bill payment stayhomesavelives': 130655, 'behaviour read': 124500, 'themselves from one': 876813, 'from one another': 336681, 'another and business': 77493, 'business are left': 143376, 'are left to': 87759, 'left to think': 485695, 'consumer behaviour read': 196595, 'behaviour read more': 124501, 'bahawalpur': 108551, 'affidavit': 34604, 'umair': 939209, 'tahir': 831797, '923219537814': 23493, 'dha bahawalpur': 240082, 'bahawalpur file': 108552, 'update dha': 946932, 'bahawalpur land': 108554, 'land affidavit': 479252, 'affidavit kanal': 34605, 'kanal 21': 470771, '21 00': 14945, 'lac to': 478580, 'your plot': 1025334, 'plot fair': 661082, 'fair assessment': 296316, 'assessment buying': 96382, 'selling please': 749404, 'contact umair': 200249, 'umair tahir': 939210, 'tahir 923219537814': 831798, '923219537814 stayhomestaysafe': 23494, 'stayhomestaysafe iran': 798515, 'iran socialdistancing': 444709, 'socialdistancing prime': 780621, 'minister imran': 533381, 'khan sindh': 473712, 'dha bahawalpur file': 240083, 'bahawalpur file price': 108553, 'price update dha': 677278, 'update dha bahawalpur': 946933, 'dha bahawalpur land': 240084, 'bahawalpur land affidavit': 108555, 'land affidavit kanal': 479253, 'affidavit kanal 21': 34606, 'kanal 21 00': 470772, '21 00 lac': 14946, '00 lac to': 298, 'lac to get': 478581, 'get your plot': 348725, 'your plot fair': 1025335, 'plot fair assessment': 661083, 'fair assessment buying': 296317, 'assessment buying selling': 96383, 'buying selling please': 151000, 'selling please contact': 749405, 'please contact umair': 659845, 'contact umair tahir': 200250, 'umair tahir 923219537814': 939211, 'tahir 923219537814 stayhomestaysafe': 831799, '923219537814 stayhomestaysafe iran': 23495, 'stayhomestaysafe iran socialdistancing': 798516, 'iran socialdistancing prime': 444710, 'socialdistancing prime minister': 780622, 'prime minister imran': 678139, 'minister imran khan': 533382, 'imran khan sindh': 419644, 'smarter various': 775474, 'various people': 952623, 'food wyt': 317689, 'or anywhere people': 614388, 'anywhere people panic': 81142, 'it could not': 457365, 'not be smarter': 568458, 'be smarter various': 117242, 'smarter various people': 775475, 'various people are': 952624, 'get basic food': 346645, 'basic food wyt': 111900, 'food wyt must': 317690, 'buy alcohol and': 148284, 'alcohol and weed': 40910, 'isb': 454194, 'cognizant': 185581, 'from isb': 336100, 'isb on': 454195, 'continuity to': 201585, 'partner client': 642799, 'vendor consumer': 954355, 'consumer reporting': 198740, 'agency we': 38103, 'are cognizant': 85409, 'cognizant that': 185582, 'ever you': 285611, 'you rely': 1020896, 'on accurate': 599153, 'and verified': 74927, 'verified data': 954782, 'the identity': 857833, 'identity of': 413405, 'your candidate': 1023117, 'candidate and': 161291, 'be remote': 116786, 'message from isb': 529317, 'from isb on': 336101, 'isb on covid': 454196, '19 business continuity': 5481, 'business continuity to': 143578, 'continuity to our': 201586, 'our partner client': 624274, 'partner client and': 642800, 'client and vendor': 181995, 'and vendor consumer': 74911, 'vendor consumer reporting': 954356, 'consumer reporting agency': 198741, 'reporting agency we': 712666, 'agency we are': 38104, 'we are cognizant': 970503, 'are cognizant that': 85410, 'cognizant that now': 185583, 'that now more': 845422, 'than ever you': 840622, 'ever you rely': 285612, 'you rely on': 1020897, 'rely on accurate': 709633, 'on accurate and': 599154, 'accurate and verified': 28891, 'and verified data': 74928, 'verified data to': 954783, 'data to ensure': 226457, 'ensure the identity': 278086, 'the identity of': 857834, 'identity of your': 413406, 'of your candidate': 593448, 'your candidate and': 1023118, 'candidate and staff': 161292, 'and staff that': 72201, 'staff that may': 792932, 'may be remote': 521021, 'shopping the company': 764082, '19 survivor blood': 11001, 'huntingranch': 411428, 'deerranch': 232008, 'whittaildeer': 987997, 'hutchinsonrackattack': 411856, 'shortage mystery': 765080, 'mystery solved': 551015, 'solved toiletpaper': 782189, 'toiletpaper huntingranch': 922099, 'huntingranch 19': 411429, 'quaratinelife deerranch': 693121, 'deerranch deer': 232009, 'deer whittaildeer': 232006, 'whittaildeer hutchinsonrackattack': 987998, 'paper shortage mystery': 640775, 'shortage mystery solved': 765081, 'mystery solved toiletpaper': 551017, 'solved toiletpaper huntingranch': 782190, 'toiletpaper huntingranch 19': 922100, 'huntingranch 19 quaratinelife': 411430, '19 quaratinelife deerranch': 9928, 'quaratinelife deerranch deer': 693122, 'deerranch deer whittaildeer': 232010, 'deer whittaildeer hutchinsonrackattack': 232007, 'hear britney': 387891, 'spear toxic': 787823, 'toxic playing': 927651, 'speaker anytime': 787738, 'soon can': 785670, 'won hear britney': 1003839, 'hear britney spear': 387892, 'britney spear toxic': 140639, 'spear toxic playing': 787824, 'toxic playing over': 927652, 'playing over supermarket': 659437, 'over supermarket speaker': 630664, 'supermarket speaker anytime': 822791, 'speaker anytime soon': 787739, 'anytime soon can': 80972, 'soon can tell': 785671, 'tell you why': 837159, 'shocked appalled': 759552, 'appalled and': 81819, 'and saddened': 70697, 'saddened by': 729290, 'sensible but': 750635, 'but any': 145195, 'longer is': 502004, 'just unnecessary': 470167, 'shocked appalled and': 759553, 'appalled and saddened': 81820, 'and saddened by': 70698, 'saddened by the': 729291, 'supermarket shelf stocking': 822536, 'shelf stocking up': 757600, 'for week is': 327722, 'week is sensible': 976426, 'is sensible but': 451777, 'sensible but any': 750636, 'but any longer': 145196, 'any longer is': 79432, 'longer is just': 502005, 'is just unnecessary': 449153, 'paintball': 634305, 'mirin': 533943, 'store heb': 808131, 'heb wearing': 388690, 'my taped': 550315, 'taped up': 834385, 'up paintball': 945736, 'paintball mask': 634306, 'and dude': 61795, 'dude came': 261579, 'said tight': 731507, 'tight paintball': 895835, 'mask super': 519316, 'super safe': 818574, 'wa gotta': 962243, 'can yes': 160268, 'we maintained': 972330, 'distance masks4all': 246762, 'masks4all safetyfirst': 519672, 'safetyfirst mirin': 730803, 'grocery store heb': 365459, 'store heb wearing': 808132, 'heb wearing my': 388691, 'wearing my taped': 974738, 'my taped up': 550316, 'taped up paintball': 834386, 'up paintball mask': 945737, 'paintball mask and': 634307, 'mask and dude': 518321, 'and dude came': 61796, 'dude came up': 261580, 'and said tight': 70779, 'said tight paintball': 731508, 'tight paintball mask': 895836, 'paintball mask super': 634308, 'mask super safe': 519317, 'super safe wa': 818575, 'safe wa gotta': 730103, 'wa gotta do': 962244, 'what can yes': 981184, 'can yes we': 160269, 'yes we maintained': 1015598, 'we maintained social': 972331, 'maintained social distance': 509090, 'social distance masks4all': 779513, 'distance masks4all safetyfirst': 246763, 'masks4all safetyfirst mirin': 519673, 'picknpaycycad': 655917, 'now set': 575782, 'unit on': 942077, 'including certain': 431907, 'certain sanitizing': 170093, 'sanitizing and': 736462, 'life product': 488975, 'product picknpaycycad': 681521, 'picknpaycycad nm': 655918, 'ha now set': 371405, 'now set limit': 575783, 'limit of unit': 492404, 'of unit on': 592636, 'unit on number': 942078, 'of product including': 588490, 'product including certain': 681303, 'including certain sanitizing': 431908, 'certain sanitizing and': 170094, 'sanitizing and long': 736463, 'long life product': 501489, 'life product picknpaycycad': 488976, 'product picknpaycycad nm': 681522, 'passionate': 643421, 'passionate plea': 643422, 'stop his': 804716, 'saving work': 737992, 'work makeadifference': 1005457, 'passionate plea from': 643423, 'plea from an': 659548, 'from an nh': 334491, 'worker who say': 1008226, 'who say panic': 989567, 'buying could stop': 150151, 'could stop his': 209725, 'stop his colleague': 804717, 'his colleague in': 397298, 'colleague in their': 186217, 'in their life': 429755, 'life saving work': 489022, 'saving work makeadifference': 737993, 'possible it': 665690, 'vital we': 959751, 'and belly': 58881, 'belly full': 126511, 'produce 19': 680153, 'share this much': 755289, 'this much possible': 889061, 'much possible it': 545242, 'possible it vital': 665691, 'it vital we': 462048, 'vital we get': 959752, 'get this year': 348417, 'year harvest in': 1014606, 'harvest in to': 378624, 'shelf and belly': 756721, 'and belly full': 58882, 'belly full of': 126512, 'full of fresh': 340724, 'fresh produce 19': 333043, 'unfitforoffice': 941496, 'polit': 663591, 'need huge': 555024, 'crazy trump': 215467, 'trump thursdaythoughts': 933922, '19 unfitforoffice': 11629, 'unfitforoffice voteblue2020': 941497, 'voteblue2020 vote': 960537, 'vote trumpvirus': 960520, 'trumpvirus trumppressconf': 934195, 'trumppressconf cnn': 934134, 'foxnews republican': 330809, 'democrat maga': 236731, 'maga liberal': 508284, 'liberal polit': 488017, 'not need huge': 570659, 'need huge jump': 555025, 'jump in gas': 467864, 'is crazy trump': 446902, 'crazy trump thursdaythoughts': 215468, 'trump thursdaythoughts 19': 933923, 'thursdaythoughts 19 unfitforoffice': 895471, '19 unfitforoffice voteblue2020': 11630, 'unfitforoffice voteblue2020 vote': 941498, 'voteblue2020 vote trumpvirus': 960538, 'vote trumpvirus trumppressconf': 960521, 'trumpvirus trumppressconf cnn': 934196, 'trumppressconf cnn foxnews': 934135, 'cnn foxnews republican': 184758, 'foxnews republican democrat': 330810, 'republican democrat maga': 713028, 'democrat maga liberal': 236732, 'maga liberal polit': 508285, 'done rather': 254984, 'point lost': 662545, 'supply bare': 824835, 'bare would': 110988, 'chinavirus get': 177156, 'life million': 488877, 'are wrecked': 91751, 'wrecked now': 1012713, 'done rather get': 254985, 'the at this': 849003, 'this point lost': 889638, 'point lost third': 662546, 'food supply bare': 316936, 'supply bare would': 824836, 'bare would rather': 110989, 'rather take my': 697499, 'take my chance': 832349, 'my chance with': 547662, 'chance with the': 171833, 'the chinavirus get': 850840, 'chinavirus get well': 177157, 'get well and': 348613, 'well and return': 978022, 'and return to': 70472, 'return to life': 719921, 'to life million': 909252, 'life million are': 488878, 'million are wrecked': 532076, 'are wrecked now': 91752, 'wrecked now for': 1012714, 'hospital schedule': 404598, 'schedule 30am': 741421, '30am start': 17429, 'and 8pm': 57516, '8pm finish': 23216, 'finish hmm': 307853, 'opening at 8am': 612803, '8am and closing': 23124, 'and closing at': 60011, 'closing at 8pm': 183594, 'shopping hospital schedule': 762907, 'hospital schedule 30am': 404599, 'schedule 30am start': 741422, '30am start and': 17430, 'start and 8pm': 794195, 'and 8pm finish': 57517, '8pm finish hmm': 23217, 'finish hmm from': 307854, 'knowing more': 477127, 'insurance impacted': 440749, 'by sa': 153854, 'sa tourism': 728955, 'tourism at': 926970, '00 today': 555, 'today register': 920108, 'in knowing more': 424527, 'knowing more about': 477128, 'more about consumer': 538500, 'travel insurance impacted': 930405, 'insurance impacted by': 440750, 'impacted by then': 418091, 'by then do': 154508, 'not miss this': 570591, 'miss this free': 534207, 'this free webinar': 887610, 'free webinar by': 332313, 'webinar by sa': 975023, 'by sa tourism': 153855, 'sa tourism at': 728956, 'tourism at 13': 926971, 'at 13 00': 97463, '13 00 today': 3153, '00 today register': 556, 'today register here': 920109, 'the attempt': 849025, 'taken to the': 833109, 'the coronavirus serious': 851910, 'to the attempt': 916498, 'the attempt to': 849026, 'attempt to head': 102246, 'to head off': 907358, 'head off the': 385781, 'on lbc': 601806, 'lbc consumer': 482783, 'now on lbc': 575426, 'on lbc consumer': 601807, 'lbc consumer expert': 482784, 'consumer expert answer': 197421, 'question on your': 693683, 'jerke': 465159, 'southwest iowa': 786922, 'iowa renewable': 444503, 'energy president': 276532, 'ceo mike': 169756, 'mike jerke': 531273, 'jerke note': 465160, 'his ethanol': 397402, 'plant we': 658724, 'put plan': 690776, 'reduced rate': 706161, 'southwest iowa renewable': 786923, 'iowa renewable energy': 444504, 'renewable energy president': 710969, 'energy president ceo': 276533, 'president ceo mike': 670784, 'ceo mike jerke': 169757, 'mike jerke note': 531274, 'jerke note the': 465161, 'note the effect': 572820, '19 on his': 8948, 'on his ethanol': 601319, 'his ethanol plant': 397403, 'ethanol plant we': 282999, 'plant we ve': 658725, 've put plan': 953460, 'put plan in': 690777, 'place and we': 657327, 're currently operating': 698496, 'currently operating at': 221622, 'operating at reduced': 613060, 'at reduced rate': 100276, 'realize that healthcare': 701853, 'covid19 related': 214358, 'related info': 708459, 'info awareness': 437425, 'prevention medical': 671874, 'list store': 494542, 'list epa': 494311, 'epa link': 279287, 'link link': 493870, 'link control': 493817, 'room info': 725923, 'shall update': 754556, 'stop shop for': 805015, 'shop for all': 760180, 'for all covid19': 319118, 'all covid19 related': 42487, 'covid19 related info': 214359, 'related info awareness': 708460, 'info awareness and': 437426, 'awareness and prevention': 105687, 'and prevention medical': 69428, 'prevention medical store': 671875, 'medical store list': 526420, 'store list store': 808778, 'list store list': 494543, 'store list epa': 808776, 'list epa link': 494312, 'epa link link': 279288, 'link link control': 493871, 'link control room': 493818, 'control room info': 202128, 'room info we': 725924, 'info we shall': 437613, 'we shall update': 973223, 'shall update the': 754557, 'the site with': 867237, 'site with more': 772068, 'with more info': 999556, 'more info in': 539556, 'info in coming': 437501, 'outlook perception': 629176, 'perception amp': 651227, 'amp behavior': 53441, '2020 ecommerce': 14286, 'ecommerce advertising': 266699, 'spend is': 788621, 'by 17': 151557, '17 amp': 4332, 'medium spending': 527291, 'by 22': 151597, 'led to temporary': 485303, 'to temporary change': 916368, 'temporary change in': 837590, 'the consumer outlook': 851568, 'consumer outlook perception': 198309, 'outlook perception amp': 629177, 'perception amp behavior': 651228, 'amp behavior in': 53442, 'behavior in march': 124082, 'march 2020 ecommerce': 515156, '2020 ecommerce advertising': 14287, 'ecommerce advertising spend': 266700, 'advertising spend is': 33277, 'spend is expected': 788622, 'to grow by': 907024, 'grow by 17': 367013, 'by 17 amp': 151558, '17 amp social': 4333, 'social medium spending': 779883, 'medium spending is': 527292, 'to rise by': 913556, 'rise by 22': 722803, 'by 22 read': 151598, '22 read more': 15243, 'conroe': 194767, 'our conroe': 622510, 'conroe tx': 194770, 'tx store': 937453, 'temporarily work': 837567, 'open monday': 612383, 'monday tuesday': 536400, 'situation our conroe': 772432, 'our conroe tx': 622512, 'conroe tx store': 194771, 'tx store will': 937454, 'closed on wednesday': 183262, 'wednesday to allow': 975698, 'allow for member': 45966, 'our staff to': 624883, 'staff to temporarily': 793002, 'to temporarily work': 916366, 'temporarily work from': 837568, 'home the retail': 402243, 'be open monday': 116248, 'open monday tuesday': 612384, 'monday tuesday thursday': 536401, 'tuesday thursday friday': 935195, 'thursday friday and': 895374, 'massive slump': 520117, 'and refined': 70122, 'refined fuel': 706576, 'price hasn': 674406, 'hasn fully': 378746, 'fully reached': 341076, 'reached asia': 700036, 'asia motorist': 95199, 'motorist and': 543354, 'operator with': 613417, 'retail gasoline': 718135, 'gasoline diesel': 344225, 'diesel down': 241657, 'down fraction': 256782, 'from oott': 336700, 'the massive slump': 860273, 'massive slump in': 520118, 'slump in crude': 774692, 'in crude and': 421924, 'crude and refined': 219505, 'and refined fuel': 70123, 'refined fuel price': 706577, 'fuel price hasn': 340236, 'price hasn fully': 674407, 'hasn fully reached': 378747, 'fully reached asia': 341077, 'reached asia motorist': 700037, 'asia motorist and': 95200, 'motorist and transport': 543355, 'transport operator with': 929919, 'operator with retail': 613418, 'with retail gasoline': 1000501, 'retail gasoline diesel': 718136, 'gasoline diesel down': 344226, 'diesel down fraction': 241658, 'down fraction of': 256783, 'fraction of the': 330869, 'in oil in': 426085, 'oil in many': 596872, 'many country this': 513950, 'country this will': 211147, 'this will slow': 891444, 'slow the recovery': 774399, 'recovery from oott': 705334, 'forward re': 330002, 'your suggestion': 1026032, 'reopen america': 711346, 'lead from': 483278, 'front go': 338543, '19 ridden': 10228, 'ridden bed': 721411, 'and room': 70594, 'room maybe': 725936, 'maybe work': 521886, 'or bagging': 614482, 'bagging up': 108533, 'perhaps the way': 651645, 'way forward re': 969593, 'forward re your': 330003, 're your suggestion': 699854, 'your suggestion to': 1026033, 'suggestion to reopen': 817669, 'to reopen america': 913237, 'reopen america would': 711347, 'america would be': 51752, 'be for you': 114916, 'you to lead': 1021797, 'to lead from': 909118, 'lead from the': 483279, 'the front go': 855846, 'front go volunteer': 338544, 'volunteer at hospital': 960230, 'hospital and clean': 404279, 'and clean the': 59936, 'clean the covid': 180649, 'covid 19 ridden': 213717, '19 ridden bed': 10229, 'ridden bed and': 721412, 'bed and room': 120383, 'and room maybe': 70595, 'room maybe work': 725937, 'maybe work in': 521887, 'the till or': 869561, 'till or bagging': 896079, 'or bagging up': 614483, 'govenment': 359743, 'loving it': 505059, 'many desperate': 513989, 'is case': 446400, 'case where': 166104, 'where govenment': 984895, 'govenment need': 359744, 'these daily': 879850, 'daily shortage': 224800, 'supermarket are loving': 819168, 'are loving it': 87914, 'loving it so': 505060, 'it so many': 461119, 'so many desperate': 777648, 'many desperate people': 513990, 'desperate people shopping': 238545, 'people shopping this': 649437, 'this is case': 888203, 'is case where': 446401, 'case where govenment': 166106, 'where govenment need': 984896, 'govenment need to': 359745, 'take action and': 831892, 'action and require': 29949, 'and require supermarket': 70289, 'require supermarket chain': 713331, 'chain to limit': 171194, 'to limit sale': 909299, 'sale to stop': 732592, 'stop these daily': 805174, 'these daily shortage': 879851, 'narendramodi coronaupdatesinindia': 551915, 'coronaupdatesinindia sanitizer': 205348, 'increasing due': 433592, 'narendramodi coronaupdatesinindia sanitizer': 551916, 'coronaupdatesinindia sanitizer price': 205349, 'sanitizer price are': 735580, 'are increasing due': 87481, 'increasing due to': 433593, 'high demand please': 395023, 'demand please do': 236037, 'cannot find one': 161845, 'find one you': 307114, 'one you can': 607539, 'going big': 355066, 'big lad': 129847, 'lad like': 478715, 'be surviving': 117490, 'surviving on': 829363, 'never mine': 558123, 'mine the': 532930, 'dead of': 229164, 'every supermarket going': 286253, 'supermarket going big': 820537, 'going big lad': 355067, 'big lad like': 129848, 'lad like me': 478716, 'me can be': 522561, 'can be surviving': 157694, 'be surviving on': 117491, 'surviving on no': 829364, 'on no rice': 602419, 'no rice bean': 565363, 'diet never mine': 241740, 'never mine the': 558124, 'mine the elderly': 532931, 'elderly be dead': 270612, 'be dead of': 114342, 'dead of starvation': 229165, 'starvation before any': 795153, 'before any sort': 122641, 'sort of virus': 786144, 'magazine announces': 508334, 'announces company': 77242, 'test directly': 838972, 'consumer starting': 199124, 'time magazine announces': 897173, 'magazine announces company': 508335, 'announces company will': 77243, 'company will offer': 191335, 'will offer at': 994308, 'offer at home': 594535, 'home test directly': 402198, 'test directly to': 838973, 'to consumer starting': 903338, 'consumer starting march': 199125, 'starting march 23': 794973, 'microscope': 530490, 'mask microscope': 518976, 'microscope picture': 530491, 'different fiber': 241943, 'fiber protective': 304391, 'protective ability': 685707, 'ability coronakrise': 24376, 'coronakrise stayhomesavelives': 205028, 'stayhomesavelives fridayfeeling': 798385, 'very good article': 955184, 'good article about': 356777, 'article about what': 94240, 'what to use': 982467, 'use for diy': 949220, 'for diy mask': 320784, 'diy mask microscope': 248758, 'mask microscope picture': 518977, 'microscope picture of': 530492, 'of the different': 590950, 'the different fiber': 853268, 'different fiber protective': 241944, 'fiber protective ability': 304392, 'protective ability coronakrise': 685708, 'ability coronakrise stayhomesavelives': 24377, 'coronakrise stayhomesavelives fridayfeeling': 205029, 'eleven retail': 271392, 'investigation by': 443863, 'eleven retail outlet': 271393, 'retail outlet across': 718368, 'country are under': 210487, 'under investigation by': 940139, 'investigation by the': 443864, 'by the national': 154383, 'consumer commission and': 196818, 'commission and the': 188792, 'and the competition': 73291, 'competition commission for': 191686, 'commission for price': 188825, 'outlook crude': 629139, 'fell to 17': 303241, 'low coronavirus related': 505207, 'and social restriction': 71895, 'social restriction hit': 779928, 'restriction hit the': 717287, 'hit the demand': 398426, 'demand outlook crude': 235994, 'outlook crude oil': 629140, 'prayforworld': 669108, 'family start': 298247, 'hospital prayforworld': 404572, 'when your whole': 984642, 'your whole family': 1026350, 'whole family start': 990203, 'family start to': 298248, 'to panic not': 911413, 'panic not because': 638348, 'because of food': 119344, 'food but one': 313826, 'but one of': 146672, 'the family member': 854898, 'family member is': 298039, 'member is at': 528120, 'at the frontlines': 100957, 'frontlines to covid': 338928, 'in hospital prayforworld': 423815, 'certain farmer': 170002, 'farming foodinstitutefocus': 299623, 'foodindustry agriculture': 317967, 'agriculture foodsupply': 38977, 'coronavirus pandemic one': 206479, 'pandemic one thing': 636101, 'is certain farmer': 446446, 'certain farmer are': 170003, 'demand farming foodinstitutefocus': 235328, 'farming foodinstitutefocus foodinstitute': 299624, 'food foodindustry agriculture': 314493, 'foodindustry agriculture foodsupply': 317968, 'will trader': 995223, 'trader pay': 928749, 'family raising': 298176, 'local sure': 498630, 'fact is if': 295735, 'buy from local': 148716, 'business they will': 144518, 'not survive how': 571876, 'how will trader': 409245, 'will trader pay': 995224, 'trader pay their': 928750, 'their bill and': 872614, 'their family raising': 873264, 'family raising price': 298177, 'raising price is': 696119, 'price is bad': 674858, 'your local sure': 1024722, 'local sure they': 498631, 'impact how': 417694, 'search online': 743275, 'online study': 609486, 'while 46': 986554, 'reported making': 712501, 'making purchase': 511297, '19 67': 4757, '67 said': 21467, 'habit had': 372624, 'coronavirus impact how': 206108, 'impact how people': 417695, 'people shop and': 649423, 'shop and search': 759863, 'and search online': 71106, 'search online study': 743276, 'online study find': 609487, 'study find while': 814884, 'find while 46': 307391, 'while 46 of': 986555, '46 of people': 19225, 'of people reported': 587973, 'people reported making': 649278, 'reported making purchase': 712502, 'making purchase in': 511298, 'purchase in response': 689505, 'covid 19 67': 212564, '19 67 said': 4758, '67 said their': 21468, 'said their shopping': 731458, 'shopping habit had': 762845, 'habit had not': 372625, 'had not fundamentally': 373349, 'can practice at': 159276, 'at the voting': 101144, 'midgley': 530723, 'analytics chris': 57216, 'chris midgley': 178058, 'midgley explains': 530724, 'explains cause': 292202, 'cause effect': 167547, 'effect ripple': 269108, 'ripple impact': 722739, 'see slide': 745693, 'slide hear': 773900, 'hear coronavirus': 387903, 'create toxic': 215759, 'toxic market': 927649, 'market cocktail': 516180, 'cocktail here': 185235, 'analytics chris midgley': 57217, 'chris midgley explains': 178059, 'midgley explains cause': 530725, 'explains cause effect': 292203, 'cause effect ripple': 167548, 'effect ripple impact': 269109, 'ripple impact of': 722740, 'of pandemic on': 587703, 'pandemic on and': 636086, 'on and market': 599362, 'market and see': 515987, 'and see slide': 71143, 'see slide hear': 745694, 'slide hear coronavirus': 773901, 'hear coronavirus and': 387904, 'coronavirus and create': 205486, 'and create toxic': 60704, 'create toxic market': 215760, 'toxic market cocktail': 927650, 'market cocktail here': 516181, 'hit azeri': 398160, 'azeri economy': 106403, 'to hit azeri': 907841, 'hit azeri economy': 398161, 'musicnotation': 546392, 'hmm there': 398696, 'there music': 878771, 'everything guess': 287824, 'guess toiletpaper': 368070, '19 musician': 8710, 'musician musicnotation': 546377, 'hmm there music': 398697, 'there music in': 878772, 'music in everything': 546311, 'in everything guess': 422703, 'everything guess toiletpaper': 287825, 'guess toiletpaper 19': 368071, 'toiletpaper 19 musician': 921673, '19 musician musicnotation': 8711, 'cause business': 167505, 'boom for': 134807, 'for ithaca': 322760, 'based online': 111704, 'platform rosie': 659023, '19 cause business': 5715, 'cause business to': 167506, 'business to boom': 144531, 'to boom for': 901906, 'boom for ithaca': 134808, 'for ithaca based': 322761, 'ithaca based online': 463883, 'based online grocery': 111705, 'grocery platform rosie': 364864, 'heisting': 388870, 'think highway': 885282, 'highway men': 396158, 'make comeback': 509785, 'comeback heisting': 187713, 'heisting supermarket': 388871, 'you think highway': 1021661, 'think highway men': 885283, 'highway men will': 396159, 'men will make': 528546, 'will make comeback': 994075, 'make comeback heisting': 509786, 'comeback heisting supermarket': 187714, 'heisting supermarket delivery': 388872, 'dying from tragic': 263830, 'from tragic grocery': 338127, 'worker must wear': 1007406, 'must wear disposable': 546999, 'hand glove google': 374994, 'floridia': 311019, 'floridian past': 311036, 'past time': 643629, 'become going': 120013, 'drove floridia': 260794, 'floridia is': 311020, 'home traffic': 402369, 'heavy day': 388628, 'day sure': 228441, 'not essentialworker': 569222, 'essentialworker pinellas': 281944, 'pinellas county': 656808, 'county not': 211446, 'socialdistancing holdchinaaccountable': 780427, 'floridian past time': 311037, 'past time ha': 643630, 'time ha become': 896879, 'ha become going': 369680, 'become going to': 120014, 'store everyday in': 807658, 'everyday in drove': 286578, 'in drove floridia': 422394, 'drove floridia is': 260795, 'floridia is not': 311021, 'staying home traffic': 798626, 'home traffic is': 402370, 'traffic is heavy': 929109, 'is heavy day': 448383, 'heavy day after': 388629, 'after day sure': 35543, 'day sure many': 228442, 'sure many are': 827615, 'are not essentialworker': 88362, 'not essentialworker pinellas': 569223, 'essentialworker pinellas county': 281945, 'pinellas county not': 656809, 'county not practicing': 211447, 'practicing socialdistancing holdchinaaccountable': 668750, 'it is despicable': 458928, 'is despicable that': 447142, 'certain smaller store': 170101, 'smaller store take': 775306, 'store take advantage': 810495, 'advantage and charge': 32959, 'and charge exorbitant': 59747, 'doctor demonstrates': 250889, 'demonstrates why': 236858, 'why glove': 991011, 'glove will': 353039, 'nh doctor demonstrates': 561937, 'doctor demonstrates why': 250890, 'demonstrates why glove': 236859, 'why glove will': 991012, 'glove will not': 353040, 'will not protect': 994254, 'not protect you': 571127, 'savethenhs': 737826, 'avoid long': 105181, 'supermarket maybe': 821479, 'could introduce': 209348, 'introduce texting': 443403, 'texting service': 839988, 'service text': 752905, 'text number': 839923, 'enter socialdistancing': 278289, 'socialdistancing savelives': 780661, 'savelives savethenhs': 737778, 'to avoid long': 900917, 'avoid long queue': 105182, 'at supermarket maybe': 100747, 'supermarket maybe we': 821480, 'we could introduce': 971209, 'could introduce texting': 209349, 'introduce texting service': 443404, 'texting service text': 839989, 'service text number': 752906, 'text number and': 839924, 'supermarket let you': 821303, 'you can enter': 1017671, 'can enter socialdistancing': 158237, 'enter socialdistancing savelives': 278290, 'socialdistancing savelives savethenhs': 780662, 'irish resolve': 444893, 'resolve the': 714640, 'how the irish': 408839, 'the irish resolve': 858455, 'irish resolve the': 444894, 'resolve the supermarket': 714641, 'supermarket issue during': 821158, 'during the phase': 263174, 'donothoard': 255181, 'donothoard family': 255182, 'donothoard family could': 255183, 'rationing if shopper': 697822, 'if shopper don': 414796, 'shopper don stop': 761482, 'don stop panic': 253937, 'with purse': 1000366, 'purse full': 690205, 'store with purse': 811397, 'with purse full': 1000367, 'purse full of': 690206, 'the too': 869761, 'place 19': 657286, 'and prevented': 69418, 'prevented temporary': 671789, 'temporary temporary': 837715, 'temporary harvest': 837629, 'chain under': 171207, 'in the too': 429617, 'the too much': 869762, 'wrong place 19': 1013078, 'place 19 reduced': 657287, '19 reduced demand': 10018, 'reduced demand increased': 706057, 'demand increased food': 235696, 'increased food insecurity': 433321, 'insecurity and prevented': 439146, 'and prevented temporary': 69419, 'prevented temporary temporary': 671790, 'temporary temporary harvest': 837716, 'temporary harvest food': 837630, 'harvest food chain': 378616, 'food chain under': 313919, 'chain under pressure': 171208, 'under pressure more': 940206, 'pressure more to': 671189, 'tech association': 836043, 'tracking weekly': 928377, 'weekly impact': 977507, 'habit check': 372591, 'consumer tech association': 199231, 'tech association is': 836044, 'association is tracking': 96965, 'is tracking weekly': 453322, 'tracking weekly impact': 928378, 'weekly impact of': 977508, '19 over consumer': 9222, 'over consumer habit': 630105, 'consumer habit check': 197685, 'habit check it': 372592, 'fear fruit': 301133, 'veg could': 953739, 'field amid': 304448, 'shortage fear fruit': 764949, 'fear fruit and': 301134, 'and veg could': 74859, 'veg could be': 953740, 'could be left': 208891, 'left to rot': 485689, 'in field amid': 422869, 'field amid covid': 304449, 'haan': 372522, 'mop': 538365, 'e2010y': 263967, 'haan floor': 372523, 'floor sanitizer': 310838, 'sanitizer steam': 735809, 'steam cleaner': 799282, 'cleaner mop': 180798, 'mop e2010y': 538366, 'e2010y no': 263968, 'no pad': 565032, 'pad free': 633775, 'haan floor sanitizer': 372524, 'floor sanitizer steam': 310839, 'sanitizer steam cleaner': 735810, 'steam cleaner mop': 799283, 'cleaner mop e2010y': 180799, 'mop e2010y no': 538367, 'e2010y no pad': 263969, 'no pad free': 565033, 'pad free shipping': 633776, 'aua0twjrs4': 102805, 'at clock': 98274, 'clock we': 182422, 'all meet': 43497, 'meet clap': 527433, 'stayhomesavelives co': 798359, 'co aua0twjrs4': 184810, 'tonight at clock': 924375, 'at clock we': 98275, 'clock we will': 182423, 'will all meet': 992236, 'all meet clap': 43498, 'meet clap for': 527434, 'other hero of': 620359, 'of this moment': 592006, 'this moment community': 888869, 'staff police firefighter': 792766, 'police firefighter armed': 663008, 'you stayhomesavelives co': 1021384, 'stayhomesavelives co aua0twjrs4': 798360, 'after load': 35876, 'day saying': 228312, 'colour and': 186846, 'after load of': 35877, 'load of email': 497265, 'of email from': 583021, 'from company over': 334936, 'few day saying': 303790, 'day saying how': 228313, 'saying how they': 739610, 'will help customer': 993706, 'true colour and': 933051, 'colour and increase': 186847, 'increase price noshame': 433008, 'bounty mutiny': 136879, 'mutiny papertowels': 547077, 'ch would we': 170398, 'would we call': 1012385, 'we call this': 970888, 'this the bounty': 890515, 'the bounty mutiny': 849912, 'bounty mutiny papertowels': 136880, 'zoomllshop': 1027852, 'virus hitting': 958292, 'busy and': 144863, 'encourage each': 275582, 'arrive within': 93935, 'your convenience': 1023336, 'convenience visit': 202368, 'website zoomllshop': 975504, '19 virus hitting': 11807, 'virus hitting the': 958293, 'hitting the whole': 398603, 'whole world we': 990387, 'encouraged to stay': 275672, 'to stay busy': 915275, 'stay busy and': 796800, 'busy and encourage': 144864, 'and encourage each': 62097, 'encourage each other': 275583, 'other that help': 621093, 'that help will': 844305, 'help will arrive': 390891, 'will arrive within': 992310, 'arrive within few': 93936, 'few month now': 303935, 'month now is': 537887, 'for your convenience': 328134, 'your convenience visit': 1023337, 'convenience visit our': 202369, 'our website zoomllshop': 625359, 'fowl': 330733, 'nyash': 577947, 'breeze blow': 139287, 'blow fowl': 133307, 'fowl nyash': 330734, 'nyash don': 577948, 'don open': 253783, 'open plus': 612455, 'plus falling': 661596, 'year don': 1014523, 'don rugged': 253878, 'rugged finish': 727100, 'breeze blow fowl': 139288, 'blow fowl nyash': 133308, 'fowl nyash don': 330735, 'nyash don open': 577949, 'don open plus': 253784, 'open plus falling': 612456, 'plus falling oil': 661597, 'this year don': 891568, 'year don rugged': 1014524, 'don rugged finish': 253879, 'been privilege': 121706, 'privilege via': 679042, 'via titanic': 956329, 'toiletpaper aisle it': 921701, 'aisle it been': 40292, 'it been privilege': 456801, 'been privilege via': 121707, 'privilege via titanic': 679043, 'fuqed': 341837, 'is 73': 445237, '73 driven': 22065, 'ha money': 371283, 'is fuqed': 447987, 'fuqed welcome': 341838, 'to depression': 904188, 'depression usa': 237675, 'usa thx': 948768, 'thx not': 895549, 'providing american': 686936, 'american gov': 51999, 'gov hahahahaha': 359597, 'hahahahaha wtf': 373917, 'wtf yanggang': 1013344, 'saw on youtube': 738193, 'on youtube video': 605529, 'youtube video that': 1026926, 'video that the': 956916, 'economy is 73': 267986, 'is 73 driven': 445238, '73 driven by': 22066, 'who ha money': 988858, 'ha money to': 371284, 'money to contribute': 537090, 'contribute to that': 201884, 'to that now': 916456, 'that now or': 845423, 'now or after': 575467, 'or after the': 614273, 'after the country': 36301, 'country is fuqed': 210803, 'is fuqed welcome': 447988, 'fuqed welcome to': 341839, 'welcome to depression': 977903, 'to depression usa': 904189, 'depression usa thx': 237676, 'usa thx not': 948769, 'thx not providing': 895550, 'not providing american': 571155, 'providing american gov': 686937, 'american gov hahahahaha': 52000, 'gov hahahahaha wtf': 359598, 'hahahahaha wtf yanggang': 373918, 'incidentally assistant': 431451, 'assistant on': 96794, 'morning said': 541419, 'said shopper': 731351, 'more sensible': 540349, 'sensible now': 750644, 'now whereas': 576400, 'whereas last': 985429, 'went bloody': 978971, 'bloody mad': 133215, 'mad they': 507574, 'incidentally assistant on': 431452, 'assistant on the': 96795, 'on the checkout': 604020, 'the checkout this': 850778, 'this morning said': 889003, 'morning said shopper': 541420, 'said shopper being': 731352, 'shopper being more': 761438, 'being more sensible': 125442, 'more sensible now': 540350, 'sensible now whereas': 750645, 'now whereas last': 576401, 'whereas last couple': 985430, 'of week they': 593008, 'week they went': 977037, 'they went bloody': 883741, 'went bloody mad': 978972, 'bloody mad they': 133216, 'mad they did': 507575, 'inventoried': 443637, 'inventoried the': 443638, 'stayhomesavelives coronapocalypse': 798365, 'inventoried the fridge': 443639, 'freezer and do': 332577, 'grocery store stayhomesavelives': 365804, 'store stayhomesavelives coronapocalypse': 810365, 'climate and': 182179, 'today climate and': 919381, 'climate and consumer': 182180, 'and consumer mindset': 60403, 'in arkansas': 420496, 'arkansas at': 92862, 'street looked': 813028, 'looked busy': 502716, 'to kroger': 909013, 'kroger asked': 477720, 'the bagger': 849186, 'bagger if': 108511, 'worried amp': 1010541, 'she laughed': 756185, 'no like': 564597, 'being silly': 125795, 'silly think': 769776, 'live in arkansas': 495848, 'in arkansas at': 420497, 'arkansas at home': 92863, 'at home ve': 99159, 'home ve only': 402422, 'pharmacy but the': 654264, 'but the street': 147413, 'the street looked': 868236, 'street looked busy': 813029, 'looked busy when': 502717, 'busy when went': 145012, 'went to kroger': 979167, 'to kroger asked': 909014, 'kroger asked the': 477721, 'asked the bagger': 95835, 'the bagger if': 849187, 'bagger if she': 108512, 'she wa worried': 756436, 'wa worried amp': 963739, 'worried amp she': 1010542, 'amp she laughed': 54477, 'she laughed when': 756186, 'laughed when she': 481801, 'when she said': 984005, 'said no like': 731258, 'no like wa': 564598, 'like wa being': 491744, 'wa being silly': 961685, 'being silly think': 125796, 'silly think we': 769777, 'we need lockdown': 972507, 'ftc receiving': 339427, 'receiving thousand': 703810, 'complaint protect': 192013, 'ftc receiving thousand': 339428, 'receiving thousand of': 703811, 'consumer complaint protect': 196858, 'complaint protect yourself': 192014, 'nice not everything': 562444, 'everything is bad': 287864, 'mnwx': 534844, 'the jeep': 858641, 'jeep for': 464983, 'for 86': 318931, '86 per': 22978, 'discount card': 244454, 'card never': 163581, 'would ever': 1011795, 'ever expect': 285297, 'low ever': 505276, 'again mnwx': 37072, 'just filled up': 468717, 'filled up the': 305570, 'up the jeep': 946186, 'the jeep for': 858642, 'jeep for 86': 464984, 'for 86 per': 318932, '86 per gallon': 22979, 'per gallon with': 650861, 'gallon with discount': 343072, 'with discount card': 998072, 'discount card never': 244455, 'card never in': 163582, 'life would ever': 489237, 'would ever expect': 1011796, 'ever expect to': 285298, 'see price this': 745606, 'this low ever': 888723, 'low ever again': 505277, 'ever again mnwx': 285190, 'entrepreneurial': 278966, 'love finding': 504660, 'finding these': 307560, 'new entrepreneurial': 558692, 'entrepreneurial food': 278967, 'find during': 306878, 'too better': 924609, 'need rely': 555512, 'via bay': 955808, 'love finding these': 504661, 'finding these new': 307561, 'these new entrepreneurial': 880338, 'new entrepreneurial food': 558693, 'entrepreneurial food find': 278968, 'food find during': 314469, 'find during lockdown': 306879, 'during lockdown good': 262763, 'lockdown good price': 499421, 'good price too': 357590, 'price too better': 677087, 'too better than': 924610, 'than supermarket no': 841188, 'no need rely': 564853, 'need rely on': 555513, 'rely on pasta': 709647, 'on pasta and': 602708, 'pasta and frozen': 643681, 'frozen food via': 338982, 'food via bay': 317428, 'to congratulate': 903200, 'congratulate my': 194436, 'mom working': 535853, 'risk coronacrisisuk': 723476, 'coronacrisisuk to': 204915, 'wanted to congratulate': 966249, 'to congratulate my': 903201, 'congratulate my mom': 194437, 'my mom working': 549293, 'mom working so': 535854, 'supermarket not having': 821645, 'not having moment': 569898, 'having moment to': 384168, 'moment to sit': 536093, 'down and put': 256510, 'and put yourself': 69823, 'at risk coronacrisisuk': 100348, 'risk coronacrisisuk to': 723477, 'coronacrisisuk to all': 204916, 'did try': 240894, 'unfortunately cause': 941583, 'cause would': 167806, 'need govt': 554922, 'govt assistance': 361079, 'did try to': 240895, 'try to apply': 934601, 'but unfortunately cause': 147655, 'unfortunately cause would': 941584, 'cause would need': 167807, 'with still all': 1000969, 'still all work': 800177, 'all work am': 45490, 'work am not': 1004738, 'am not flexible': 50248, 'so need govt': 777860, 'need govt assistance': 554923, 'greedhoarders': 363450, 'that scientist': 846158, 'you greedhoarders': 1018935, 'greedhoarders get': 363451, 'get stuck': 348135, 'full to': 340951, 'of beetroot': 580625, 'beetroot slice': 122568, 'corn kernel': 203572, 'kernel stophoarding': 473126, 'hope that scientist': 403652, 'that scientist find': 846160, 'scientist find cure': 742217, 'cure for next': 220742, 'week and all': 975899, 'all you greedhoarders': 45542, 'you greedhoarders get': 1018936, 'greedhoarders get stuck': 363452, 'get stuck with': 348136, 'stuck with your': 814623, 'with your house': 1002206, 'your house full': 1024412, 'house full to': 406320, 'full to the': 340952, 'ceiling with can': 168767, 'with can of': 997522, 'can of beetroot': 159083, 'of beetroot slice': 580626, 'beetroot slice and': 122569, 'slice and corn': 773859, 'and corn kernel': 60556, 'corn kernel stophoarding': 203573, 'kernel stophoarding stoppanicbuying': 473127, 'glutardsmatter': 353114, 'so uk': 778592, 'uk seem': 938699, 'think removing': 885514, 'removing gluten': 710899, 'good solution': 357749, 'solution what': 782128, 'the gluten': 856378, 'gluten intolerant': 353131, 'intolerant nurse': 443345, 'doing them': 252743, 'coronavirus glutardsmatter': 205991, 'glutardsmatter glutenfree': 353115, 'glutenfree domino': 353136, 'so uk seem': 778593, 'uk seem to': 938700, 'to think removing': 917382, 'think removing gluten': 885515, 'removing gluten free': 710900, 'gluten free pizza': 353128, 'free pizza is': 332065, 'pizza is good': 657176, 'is good solution': 448151, 'good solution what': 357750, 'solution what about': 782129, 'all the gluten': 44765, 'the gluten intolerant': 856379, 'gluten intolerant nurse': 353132, 'intolerant nurse doctor': 443346, 'supermarket worker don': 824013, 'worker don see': 1006805, 'see why you': 746081, 'stop doing them': 804619, 'doing them due': 252744, 'to coronavirus glutardsmatter': 903550, 'coronavirus glutardsmatter glutenfree': 205992, 'glutardsmatter glutenfree domino': 353116, 'get product': 347851, 'you experiencing': 1018489, 'experiencing big': 291631, 'big delay': 129750, 'in shipping': 427885, 'shipping several': 758909, 'just delayed': 468566, 'and guessing': 64034, 'guessing covid': 368120, 'all doing the': 42611, 'can to get': 160008, 'to get product': 906566, 'get product to': 347852, 'consumer are you': 196324, 'are you experiencing': 91788, 'you experiencing big': 1018490, 'experiencing big delay': 291632, 'big delay in': 129751, 'delay in shipping': 232711, 'in shipping several': 427886, 'shipping several of': 758910, 'several of my': 753907, 'of my order': 586801, 'my order were': 549616, 'order were just': 618766, 'were just delayed': 979814, 'just delayed and': 468567, 'delayed and guessing': 232765, 'and guessing covid': 64035, 'guessing covid 19': 368121, 'stayhomesaving': 798495, 'when appears': 983162, 'appears flattenthecurve': 82183, 'lie stayhomesaving': 488372, 'stayhomesaving life': 798496, 'necessary stayhome': 554088, 'stayhome is': 798024, 'absurd disinfectant': 27495, 'unnecessary test': 942945, 'drop when appears': 260447, 'when appears flattenthecurve': 983163, 'appears flattenthecurve is': 82184, 'statistical lie stayhomesaving': 796602, 'lie stayhomesaving life': 488373, 'stayhomesaving life is': 798497, 'life is not': 488813, 'not necessary stayhome': 570641, 'necessary stayhome is': 554089, 'stayhome is one': 798025, 'no absurd disinfectant': 563570, 'absurd disinfectant or': 27496, 'disinfectant or medically': 245721, 'medically unnecessary test': 526539, 'unnecessary test my': 942946, 'test my antibody': 839095, 'hotelier': 405219, 'lowry': 506257, 'the chair': 850634, 'of manchester': 586147, 'manchester hotelier': 512948, 'hotelier association': 405220, 'at luxury': 99656, 'luxury hotel': 506936, 'the lowry': 859827, 'lowry ha': 506258, 'the chair of': 850635, 'chair of manchester': 171298, 'of manchester hotelier': 586148, 'manchester hotelier association': 512949, 'hotelier association and': 405221, 'association and general': 96943, 'and general manager': 63511, 'general manager at': 345402, 'manager at luxury': 512686, 'at luxury hotel': 99657, 'luxury hotel the': 506937, 'hotel the lowry': 405205, 'the lowry ha': 859828, 'lowry ha urged': 506259, 'urged the public': 948281, 'public to support': 688379, 'support the hospitality': 826874, 'hospitality industry in': 404785, 'from foodtrends': 335523, 'more from foodtrends': 539302, 'twiglets': 936562, 'starvation than': 795180, 'virus supermarket': 958835, 'shelf ransacked': 757452, 'ransacked all': 696807, 'fucking twiglets': 340045, 'of starvation than': 590058, 'starvation than this': 795181, 'than this virus': 841321, 'this virus supermarket': 891029, 'virus supermarket shelf': 958836, 'supermarket shelf ransacked': 822515, 'shelf ransacked all': 757453, 'ransacked all wanted': 696808, 'all wanted wa': 45394, 'wa some fucking': 963278, 'some fucking twiglets': 782927, 'why click': 990883, 'here why click': 393834, 'why click link': 990884, 'are disappearing': 85833, 'disappearing and': 244077, 'crisis raise': 217934, 'le when': 483244, 'retailer are disappearing': 718992, 'are disappearing and': 85834, 'disappearing and what': 244078, 'what doe everyone': 981361, 'doe everyone do': 251389, 'everyone do in': 286815, 'in crisis raise': 421892, 'crisis raise your': 217935, 'even le when': 284291, 'le when this': 483245, 'predictiveprogramming': 669677, 'rfid': 720858, 'reptilian': 713001, 'ibm predictiveprogramming': 412586, 'predictiveprogramming for': 669678, 'for rfid': 325216, 'rfid just': 720859, 'chip the': 177534, 'crowd then': 219269, 'controlled with': 202265, 'with 5g': 997044, '5g huh': 20670, 'huh populationcontrol': 410316, 'populationcontrol newworldorder': 664759, 'newworldorder reptilian': 561177, 'reptilian via': 713002, 'ibm predictiveprogramming for': 412587, 'predictiveprogramming for rfid': 669679, 'for rfid just': 325217, 'rfid just look': 720860, 'at the chaos': 100907, 'the chaos in': 850692, 'chaos in supermarket': 173026, 'll see that': 496996, 'see that wa': 745802, 'wa only made': 962857, 'only made to': 610748, 'made to chip': 508030, 'to chip the': 902735, 'chip the crowd': 177535, 'the crowd then': 852531, 'crowd then it': 219270, 'be controlled with': 114230, 'controlled with 5g': 202266, 'with 5g huh': 997045, '5g huh populationcontrol': 20671, 'huh populationcontrol newworldorder': 410317, 'populationcontrol newworldorder reptilian': 664760, 'newworldorder reptilian via': 561178, 'iphone12pro': 444583, 'free apple': 331659, 'apple iphone12pro': 82330, 'iphone12pro plus': 444584, 'plus at': 661568, 'supermarket london': 821379, 'london crazy': 501053, 'crazy coronacrisis': 215269, 'queuing for food': 694210, 'food like they': 315314, 'away free apple': 105850, 'free apple iphone12pro': 331660, 'apple iphone12pro plus': 82331, 'iphone12pro plus at': 444585, 'plus at every': 661569, 'every supermarket london': 286257, 'supermarket london crazy': 821380, 'london crazy coronacrisis': 501054, 'blacklist': 132180, 'wow the': 1012603, 'it backside': 456678, 'backside and': 107588, 'up are': 944405, 'serious can': 751347, 'we add': 970283, 'add three': 31510, 'three mobile': 893988, 'mobile to': 535032, 'to blacklist': 901837, 'blacklist in': 132181, 'future please': 342418, 'wow the world': 1012605, 'world is on': 1009710, 'on it backside': 601650, 'it backside and': 456679, 'backside and you': 107589, 're putting your': 699338, 'putting your price': 691293, 'price up are': 677221, 'up are you': 944406, 'you serious can': 1021123, 'serious can we': 751348, 'can we add': 160156, 'we add three': 970284, 'add three mobile': 31511, 'three mobile to': 893989, 'mobile to the': 535033, 'of company to': 581613, 'company to blacklist': 191221, 'to blacklist in': 901838, 'blacklist in future': 132182, 'in future please': 423198, 'future please 19': 342419, 'karantina': 470868, 'and protest': 69680, 'protest of': 685917, 'of sukkur': 590386, 'sukkur karantina': 817835, 'karantina center': 470869, 'center outside': 169284, 'road for': 724450, 'and facility': 62600, 'panic and protest': 637330, 'and protest of': 69681, 'protest of the': 685918, 'of the patient': 591327, 'the patient of': 863399, 'patient of sukkur': 644223, 'of sukkur karantina': 590387, 'sukkur karantina center': 817836, 'karantina center outside': 470870, 'center outside from': 169285, 'outside from the': 629432, 'from the center': 337633, 'the center on': 850598, 'center on road': 169279, 'on road for': 603208, 'road for not': 724451, 'not providing food': 571159, 'food and facility': 313228, 'are comfortable': 85426, 'comfortable eating': 187872, 'won cause': 1003762, 'health if': 386514, 'bad food': 107856, 'may panic': 521416, 'please eat food': 659942, 'eat food you': 265917, 'you are comfortable': 1017092, 'are comfortable eating': 85427, 'comfortable eating and': 187873, 'eating and are': 266172, 'and are sure': 58367, 'are sure that': 90669, 'they won cause': 883907, 'won cause any': 1003763, 'cause any trouble': 167501, 'any trouble to': 79992, 'trouble to your': 932650, 'to your health': 918990, 'your health if': 1024276, 'health if you': 386515, 'you fall sick': 1018514, 'fall sick now': 297057, 'sick now it': 768531, 'now it very': 575136, 'risky to get': 724128, 'medical help or': 526210, 'help or you': 390203, 'even know that': 284279, 'are sick because': 90108, 'sick because of': 768392, 'because of bad': 119312, 'of bad food': 580507, 'bad food and': 107857, 'food and may': 313279, 'and may panic': 66801, 'may panic thinking': 521417, 'thinking it could': 885932, 'could be covid': 208852, 'yet dont': 1016047, 'panic hate': 638160, 'hate talking': 378912, 'talking bout': 834003, 'bout the': 136921, 'just living': 469176, 'living everyday': 496348, 'everyday like': 286594, 'havent been to': 383935, 'the supermarket yet': 868923, 'supermarket yet dont': 824182, 'yet dont panic': 1016048, 'dont panic hate': 255265, 'panic hate talking': 638161, 'hate talking bout': 378913, 'talking bout the': 834004, 'bout the covid': 136922, '19 just living': 8205, 'just living everyday': 469177, 'living everyday like': 496349, 'everyday like normal': 286595, 'lockdownworld': 500457, 'republic lockdownworld': 713009, 'african republic lockdownworld': 35221, 'order let': 618362, 'through uncertain': 894877, 'time news': 897256, 'for delivery order': 320642, 'delivery order let': 234292, 'order let spread': 618363, 'nation through uncertain': 552342, 'through uncertain time': 894878, 'uncertain time news': 939623, 'trump distribute': 933521, 'state territory': 795977, 'trump said what': 933812, 'said what is': 731581, 'federal government doing': 301991, 'the supply will': 868969, 'supply will trump': 826116, 'will trump distribute': 995243, 'trump distribute them': 933522, 'all state territory': 44434, 'distaste': 247693, 'nowadays you': 576539, 'clearly tell': 181579, 'tell consumer': 836935, 'consumer distaste': 197225, 'distaste by': 247694, 'what still': 982256, 'of prime': 588428, 'prime 19': 678101, 'nowadays you can': 576540, 'you can clearly': 1017645, 'can clearly tell': 157918, 'clearly tell consumer': 181580, 'tell consumer distaste': 836936, 'consumer distaste by': 197226, 'distaste by what': 247695, 'by what still': 154723, 'what still on': 982257, 'shelf of prime': 757366, 'of prime 19': 588429, 'is relaxing': 451410, 'relaxing nutrition': 708893, 'nutrition labeling': 577730, 'pandemic allowing': 634820, 'allowing manufacturer': 46300, 'sell some': 748882, 'restaurant aren': 716318, 'retailer experiencing': 719138, 'experiencing surging': 291704, 'fda is relaxing': 300878, 'is relaxing nutrition': 451411, 'relaxing nutrition labeling': 708894, 'nutrition labeling requirement': 577731, 'labeling requirement during': 478380, '19 pandemic allowing': 9259, 'pandemic allowing manufacturer': 634821, 'allowing manufacturer to': 46301, 'manufacturer to sell': 513532, 'to sell some': 914175, 'sell some packaged': 748883, 'packaged food that': 633483, 'food that restaurant': 317099, 'that restaurant aren': 846021, 'restaurant aren buying': 716319, 'aren buying to': 92350, 'buying to retailer': 151241, 'to retailer experiencing': 913458, 'retailer experiencing surging': 719139, 'experiencing surging demand': 291705, 'hi matt': 394700, 'matt my': 520528, 'bx she': 151497, 'come direct': 187269, 'person positive': 652587, 'she must': 756226, 'is mission': 449671, 'mission essential': 534355, 'essential wi': 281793, 'hi matt my': 394701, 'matt my partner': 520529, 'partner is british': 642841, 'is british citizen': 446275, 'british citizen and': 140497, 'citizen and work': 178842, 'work on in': 1005533, 'the bx she': 850236, 'bx she ha': 151498, 'she ha come': 756072, 'ha come direct': 370201, 'come direct contact': 187270, 'with person positive': 1000186, 'person positive covid': 652588, '19 and many': 5061, 'of the co': 590871, 'co worker and': 185012, 'worker and been': 1006274, 'and been told': 58811, 'been told she': 122240, 'told she must': 923676, 'she must still': 756227, 'must still work': 546917, 'still work the': 801423, 'work the retail': 1005815, 'store is mission': 808505, 'is mission essential': 449672, 'mission essential wi': 534356, 'spread very quickly': 790870, 'here handy': 393071, 'handy little': 376894, 'little guide': 495378, 'household should': 406936, 'here handy little': 393072, 'handy little guide': 376895, 'little guide on': 495379, 'long you your': 501880, 'you your household': 1022498, 'your household should': 1024433, 'household should self': 406937, 'should self isolate': 766449, 'isolate for if': 454857, 'for if you': 322470, 'that scamming': 846145, 'scamming activity': 740665, 'activity increase': 30446, 'global event': 351929, 'event federal': 284979, 'handle such': 376259, 'such threat': 816823, 'threat be': 893648, 'charity be': 173582, 'and vigilant': 74960, 'aware that scamming': 105662, 'that scamming activity': 846146, 'scamming activity increase': 740666, 'activity increase during': 30447, 'increase during global': 432753, 'during global event': 262660, 'global event federal': 351930, 'event federal trade': 284980, 'commission ftc alert': 188832, 'ftc alert and': 339373, 'alert and guidance': 41353, 'and guidance on': 64041, 'to handle such': 907132, 'handle such threat': 376260, 'such threat be': 816824, 'threat be aware': 893649, 'aware of fake': 105632, 'of fake charity': 583380, 'fake charity be': 296574, 'charity be mindful': 173583, 'be mindful and': 115941, 'mindful and vigilant': 532807, 'club shut': 184479, 'down bar': 256543, 'bar shut': 110764, 'restaurant shut': 716701, 'down gym': 256810, 'gym shut': 369350, 'are nightmare': 88237, 'nightmare fuel': 563177, 'fuel seriously': 340277, 'general have': 345348, 'my sympathy': 550298, 'club shut down': 184480, 'shut down bar': 767804, 'down bar shut': 256544, 'bar shut down': 110765, 'down restaurant shut': 257149, 'restaurant shut down': 716702, 'shut down gym': 767827, 'down gym shut': 256811, 'gym shut down': 369351, 'store are nightmare': 806500, 'are nightmare fuel': 88238, 'nightmare fuel seriously': 563178, 'fuel seriously if': 340278, 'seriously if work': 751638, 'if work at': 415366, 'store or retail': 809366, 'or retail in': 616887, 'retail in general': 718203, 'in general have': 423250, 'general have my': 345349, 'have my sympathy': 381549, 'simplify': 770168, 'fascinating moment': 299759, 'big move': 129868, 'to simplify': 914655, 'simplify reduce': 770169, 'reduce store': 705941, 'staff creating': 792341, 'creating still': 216078, 're staff': 699568, 'staff yet': 793122, 'argument for': 92750, 'more automation': 538693, 'really fascinating moment': 702186, 'fascinating moment in': 299760, 'moment in food': 535965, 'food retail the': 316214, 'retail the pandemic': 718776, 'pandemic hit in': 635640, 'middle of big': 530673, 'of big move': 580700, 'big move to': 129869, 'move to simplify': 543764, 'to simplify reduce': 914656, 'simplify reduce store': 770170, 'reduce store staff': 705942, 'store staff creating': 810307, 'staff creating still': 792342, 'creating still more': 216079, 'still more pressure': 800851, 'more pressure to': 540131, 'pressure to re': 671247, 'to re staff': 912780, 're staff yet': 699569, 'staff yet it': 793123, 'yet it also': 1016116, 'it also an': 456419, 'also an argument': 47847, 'an argument for': 55393, 'argument for more': 92751, 'for more automation': 323553, 'borax': 135208, 'moxie': 544222, 'sanborn': 733599, 'have laying': 381267, 'laying around': 482652, 'around just': 93369, 'just mix': 469280, 'mix equal': 534595, 'equal part': 279604, 'part borax': 642247, 'borax moxie': 135209, 'moxie and': 544223, 'and chase': 59766, 'chase sanborn': 173888, 'sanborn coffee': 733600, 'coffee handsanitizer': 185488, 'don have hand': 253601, 'can easily make': 158184, 'easily make your': 265225, 'own with common': 632309, 'with common household': 997696, 'item you probably': 463871, 'already have laying': 47424, 'have laying around': 381268, 'laying around just': 482653, 'around just mix': 93370, 'just mix equal': 469281, 'mix equal part': 534596, 'equal part borax': 279605, 'part borax moxie': 642248, 'borax moxie and': 135210, 'moxie and chase': 544224, 'and chase sanborn': 59767, 'chase sanborn coffee': 173889, 'sanborn coffee handsanitizer': 733601, 'african automotive': 35177, 'automotive sector': 104051, 'on the south': 604374, 'south african automotive': 786670, 'african automotive sector': 35178, 'have weighed': 383574, 'expert at consumer': 291793, 'at consumer report': 98321, 'organization have weighed': 619381, 'have weighed in': 383575, 'weighed in with': 977673, 'in with advice': 430937, 'advice on the': 33460, 'our home against': 623442, 'home against the': 400577, 'against the lot': 37665, 'sainsbury will': 731745, 'produce counter': 680227, 'up effort': 944778, 'tackle panic': 831593, 'sainsbury will restrict': 731746, 'will restrict purchase': 994676, 'restrict purchase of': 717114, 'purchase of all': 689574, 'grocery and close': 364226, 'close it cafe': 182688, 'fresh produce counter': 333048, 'produce counter supermarket': 680228, 'step up effort': 799687, 'up effort to': 944779, 'to tackle panic': 916135, 'tackle panic buying': 831594, 'the slows': 867344, 'slows down': 774638, 'and dems': 61200, 'dems will': 236903, 'blame president': 132286, 'trump same': 933813, 'same cycle': 733013, 'after the slows': 36354, 'the slows down': 867345, 'slows down gas': 774639, 'up and dems': 944317, 'and dems will': 61201, 'dems will blame': 236904, 'will blame president': 992838, 'blame president trump': 132287, 'president trump same': 670949, 'trump same cycle': 933814, 'fonte': 313000, 'medium italy': 527159, 'italy special': 462921, 'special power': 788020, 'power expansion': 667603, 'expansion reflects': 290569, 'reflects concern': 706679, 'that foreign': 843940, 'foreign investor': 328982, 'investor could': 444146, 'recent collapse': 703835, 'price triggered': 677120, 'buy asset': 148374, 'asset in': 96434, 'industry deemed': 435765, 'deemed strategic': 231833, 'strategic fonte': 812541, 'medium italy special': 527160, 'italy special power': 462922, 'special power expansion': 788021, 'power expansion reflects': 667604, 'expansion reflects concern': 290570, 'reflects concern that': 706680, 'concern that foreign': 193113, 'that foreign investor': 843941, 'foreign investor could': 328983, 'investor could take': 444147, 'could take advantage': 209746, 'advantage of recent': 33028, 'of recent collapse': 588817, 'recent collapse of': 703836, 'collapse of share': 186043, 'of share price': 589564, 'share price triggered': 755187, 'price triggered by': 677121, 'by the to': 154460, 'the to buy': 869671, 'to buy asset': 902182, 'buy asset in': 148375, 'asset in industry': 96435, 'in industry deemed': 424083, 'industry deemed strategic': 435766, 'deemed strategic fonte': 231834, 'iran made': 444697, 'made kit': 507814, 'kit have': 475565, 'much too': 545406, 'iran made kit': 444698, 'made kit have': 507815, 'kit have much': 475566, 'have much too': 381535, 'much too we': 545407, 'too we are': 925154, 'bagasse': 108466, 'icymi herald': 412883, 'herald ha': 392549, 'of foil': 583617, 'foil tray': 312039, 'tray lid': 930732, 'lid and': 488264, 'and bagasse': 58646, 'bagasse hot': 108467, 'hot box': 404992, 'and burger': 59255, 'burger box': 142832, 'support pub': 826773, 'restaurant operating': 716612, 'operating hot': 613075, 'food takeaway': 317064, 'takeaway during': 832855, 'icymi herald ha': 412884, 'herald ha stepped': 392550, 'up it supply': 945250, 'it supply of': 461376, 'supply of foil': 825626, 'of foil tray': 583618, 'foil tray lid': 312040, 'tray lid and': 930733, 'lid and bagasse': 488265, 'and bagasse hot': 58647, 'bagasse hot box': 108468, 'hot box and': 404993, 'box and burger': 137008, 'and burger box': 59256, 'burger box in': 142833, 'box in bid': 137089, 'to support pub': 915963, 'support pub bar': 826774, 'and restaurant operating': 70388, 'restaurant operating hot': 716613, 'operating hot food': 613076, 'hot food takeaway': 405015, 'food takeaway during': 317065, 'takeaway during the': 832856, 'coronavirus outbreak delivery': 206381, 'ffs wearing': 304330, 'trash do': 930151, 'endure and': 276295, 'the designated': 853181, 'designated area': 238287, 'area amreeka': 91926, 'ffs wearing mask': 304331, 'glove is no': 352741, 'the trash do': 869918, 'trash do not': 930152, 'enough to endure': 277702, 'to endure and': 905099, 'endure and while': 276296, 'cart to the': 165401, 'to the designated': 916637, 'the designated area': 853182, 'designated area amreeka': 238288, 'area amreeka usa': 91927, 'up walking': 946533, 'walking after': 965011, 'how you end': 409282, 'end up walking': 276048, 'up walking after': 946534, 'walking after the': 965012, 'after the toilet': 36363, 'paper is sold': 640362, 'payment data': 645583, 'official show': 595926, 'the payment data': 863414, 'payment data provided': 645584, 'provided by state': 686578, 'by state official': 154104, 'state official show': 795829, 'official show just': 595927, 'much the shortage': 545357, 'up price via': 945841, 'pregnancy': 669825, 'shelter food': 757915, 'hygiene exposure': 412089, 'exposure lack': 292984, 'opportunity loss': 613656, 'job usd': 466255, 'usd trapped': 948946, 'of illness': 584981, 'illness health': 416368, 'risk unclear': 723983, 'and pregnancy': 69352, 'pregnancy food': 669826, 'shortage without': 765312, 'income health': 432359, 'shelter food and': 757917, 'and hygiene exposure': 64905, 'hygiene exposure lack': 412090, 'exposure lack of': 292985, 'lack of opportunity': 478638, 'of opportunity loss': 587307, 'opportunity loss of': 613657, 'of job usd': 585538, 'job usd trapped': 466257, 'usd trapped in': 948947, 'country risk of': 211017, 'risk of illness': 723755, 'of illness health': 584982, 'illness health risk': 416369, 'health risk unclear': 386812, 'risk unclear about': 723984, 'unclear about the': 939836, 'virus and pregnancy': 957940, 'and pregnancy food': 69353, 'pregnancy food shortage': 669827, 'food shortage without': 316616, 'shortage without income': 765313, 'without income health': 1002731, 'income health coverage': 432361, 'in ct': 421930, 'ct see': 220106, 'difference socialdistancing': 241873, 'distancing at grocery': 247018, 'store in ct': 808292, 'in ct see': 421931, 'ct see the': 220107, 'the difference socialdistancing': 853265, 'gouvernement': 359524, 'so luxembourg': 777618, 'luxembourg gouvernement': 506890, 'gouvernement ha': 359525, 'launched grocery': 481990, 'simple daily': 770008, 'daily thing': 224834, 'thing luxembourg': 884573, 'okay so luxembourg': 598008, 'so luxembourg gouvernement': 777619, 'luxembourg gouvernement ha': 506891, 'gouvernement ha launched': 359526, 'ha launched grocery': 371106, 'launched grocery store': 481991, 'store online where': 809234, 'online where you': 609719, 'can buy simple': 157837, 'buy simple daily': 149178, 'simple daily thing': 770009, 'daily thing luxembourg': 224835, 'store coughing': 807194, 'line without': 493590, 'mouth seriously': 543560, 'seriously the': 751751, 'boomer should': 134857, 'to spring': 915088, 'party with': 643065, 'idiot fuck': 413509, 'fuck flattening': 339563, 'curve just': 221867, 'just thin': 470034, 'thin out': 884060, 'herd fridaythoughts': 392607, 'to the lady': 916832, 'grocery store coughing': 365307, 'store coughing all': 807195, 'over the checkout': 630700, 'checkout line without': 174952, 'line without covering': 493591, 'her mouth seriously': 392212, 'mouth seriously the': 543561, 'seriously the boomer': 751752, 'the boomer should': 849854, 'boomer should just': 134858, 'just go down': 468826, 'go down to': 353500, 'down to spring': 257380, 'to spring break': 915089, 'spring break and': 791171, 'break and party': 138677, 'and party with': 68736, 'party with the': 643066, 'with the idiot': 1001341, 'the idiot fuck': 857841, 'idiot fuck flattening': 413510, 'fuck flattening the': 339564, 'the curve just': 852694, 'curve just thin': 221868, 'just thin out': 470035, 'thin out the': 884061, 'out the herd': 627376, 'the herd fridaythoughts': 857283, 'hit land': 398299, 'sydney carrying': 830691, 'carrying mask': 165195, 'ventilator after': 954520, 'the steal': 867861, 'steal medical': 799186, 'feb they': 301660, 'now sell': 575766, 'sell back': 748638, 'back likely': 107139, 'likely defective': 491983, 'month from hit': 537745, 'from hit land': 335823, 'hit land in': 398300, 'in sydney carrying': 428778, 'sydney carrying mask': 830692, 'carrying mask gown': 165196, 'gown and ventilator': 361369, 'and ventilator after': 74917, 'ventilator after the': 954521, 'after the steal': 36358, 'the steal medical': 867862, 'steal medical equipment': 799187, 'equipment ppe from': 279807, 'ppe from in': 667955, 'in feb they': 422831, 'feb they now': 301661, 'they now sell': 882802, 'now sell back': 575767, 'sell back likely': 748639, 'back likely defective': 107140, 'likely defective gear': 491984, 'defective gear to': 232082, 'gear to australia': 344996, 'walmart cashier': 965292, 'get swamped': 348167, 'swamped thousand': 829944, 'stranger day': 812463, 'going by': 355074, 'their lane': 873782, 'lane they': 479464, 'almost guaranteed': 46657, 'store and walmart': 806395, 'and walmart cashier': 75158, 'walmart cashier and': 965293, 'cashier and worker': 166467, 'and worker cannot': 75872, 'worker cannot keep': 1006599, 'from people while': 336896, 'people while they': 650252, 're working they': 699836, 'working they get': 1008956, 'they get swamped': 882180, 'get swamped thousand': 348168, 'swamped thousand of': 829945, 'thousand of stranger': 893465, 'of stranger day': 590284, 'stranger day going': 812464, 'day going by': 227678, 'going by them': 355075, 'by them and': 154502, 'them and through': 875406, 'and through their': 74087, 'through their lane': 894783, 'their lane they': 873783, 'lane they re': 479465, 're almost guaranteed': 698250, 'almost guaranteed to': 46658, 'guaranteed to get': 367753, 'to get coronavirus': 906449, 'supermarket seen': 822368, 'seen key': 747110, 'my ego': 548065, 'ego not': 270070, 'big since': 129998, 'got picked': 358786, 'picked to': 655804, 'do head': 249382, 'down thumb': 257350, 'in primary': 426989, 'primary school': 678087, 'school lockdownuk': 741844, 'lockdownuk lockdownnow': 500422, 'in supermarket seen': 428663, 'supermarket seen key': 822369, 'seen key worker': 747111, 'key worker my': 473498, 'worker my ego': 1007409, 'my ego not': 548066, 'ego not been': 270071, 'not been this': 568522, 'been this big': 122185, 'this big since': 886557, 'big since got': 129999, 'since got picked': 770623, 'got picked to': 358787, 'picked to do': 655805, 'to do head': 904514, 'do head down': 249383, 'head down thumb': 385739, 'down thumb up': 257351, 'thumb up in': 895301, 'up in primary': 945174, 'in primary school': 426990, 'primary school lockdownuk': 678088, 'school lockdownuk lockdownnow': 741845, 'le market': 483020, 'activity le': 30465, 'le market activity': 483021, 'market activity le': 515915, 'activity le consumer': 30466, 'milestone': 531431, 'socialenterprise': 780922, 'ha included': 370935, 'included donating': 431680, 'donating all': 254428, 'our remaining': 624584, 'remaining stock': 709979, 'foodbanks taking': 317847, '00 item': 282, 'item milestone': 463456, 'milestone thank': 531434, 'who supporting': 989716, 'our proactive': 624470, 'proactive fight': 679156, 'against food': 37450, 'food poverty': 315893, 'poverty socialenterprise': 667520, 'outbreak ha included': 628270, 'ha included donating': 370936, 'included donating all': 431681, 'donating all of': 254429, 'of our remaining': 587554, 'our remaining stock': 624585, 'remaining stock to': 709980, 'stock to foodbanks': 802997, 'to foodbanks taking': 906115, 'foodbanks taking over': 317848, 'over the 10': 630690, '10 00 item': 1201, '00 item milestone': 283, 'item milestone thank': 463457, 'milestone thank you': 531435, 'everyone who supporting': 287607, 'who supporting our': 989717, 'supporting our proactive': 827171, 'our proactive fight': 624471, 'proactive fight against': 679157, 'fight against food': 304620, 'against food poverty': 37451, 'food poverty socialenterprise': 315894, 'suck in': 816897, 'in bastard': 420721, 'bastard eats': 112478, 'eats bat': 266361, 'bat and': 112538, 'leaf me': 483804, 'without paper': 1002824, 'suck in bastard': 816898, 'in bastard eats': 420722, 'bastard eats bat': 112479, 'eats bat and': 266362, 'bat and leaf': 112539, 'and leaf me': 66028, 'leaf me in': 483805, 'me in without': 522983, 'in without paper': 430956, 'without paper to': 1002825, 'paper to wipe': 640930, 'to wipe my': 918626, 'event tomorrow': 285097, 'livestream event tomorrow': 496287, 'event tomorrow at': 285098, 'tomorrow at 12pm': 924032, 'cmpcertified': 184700, 'cmp': 184697, 'crewenterprises': 216725, 'dubmagazine': 261524, 'coronavirus drop': 205851, 'drop car': 260149, 'car price': 163249, 'economy recession': 268171, 'recession at': 704213, '100 cmpcertified': 1861, 'cmpcertified cmp': 184701, 'cmp crewenterprises': 184698, 'crewenterprises dubmagazine': 216726, 'repost from when': 712819, 'from when the': 338351, 'the coronavirus drop': 851836, 'coronavirus drop car': 205852, 'drop car price': 260150, 'car price after': 163250, 'after the economy': 36307, 'the economy recession': 854011, 'economy recession at': 268172, 'recession at 100': 704214, 'at 100 cmpcertified': 97414, '100 cmpcertified cmp': 1862, 'cmpcertified cmp crewenterprises': 184702, 'cmp crewenterprises dubmagazine': 184699, 'safe day': 729576, 'day stoppanicbuying': 228409, 'stoppanicbuying bekind': 805549, 'bekind mufc': 126106, 'mufc mufc': 545541, 'mufc family': 545538, 'hello everyone have': 389152, 'everyone have nice': 286997, 'have nice and': 381599, 'nice and safe': 562341, 'and safe day': 70707, 'safe day stoppanicbuying': 729577, 'day stoppanicbuying bekind': 228410, 'stoppanicbuying bekind mufc': 805550, 'bekind mufc mufc': 126107, 'mufc mufc family': 545542, 'no doubt the': 564056, 'doubt the pandemic': 256222, 'is creating challenge': 446910, 'it also making': 456435, 'making it crystal': 511137, 'crystal clear that': 220006, 'victorli': 956565, 'outputgrowth': 629303, 'economy worry': 268372, 'stagflation say': 793239, 'say victorli': 739441, 'victorli prof': 956566, 'at business': 98171, 'business there': 144510, 'good chance': 356881, 'of lopsided': 586013, 'lopsided recovery': 503291, 'recovery with': 705424, 'with slow': 1000758, 'slow outputgrowth': 774379, 'outputgrowth with': 629304, 'inflation hiking': 437190, 'hiking ie': 396377, 'ie stagflation': 413741, 'aftermath of for': 36655, 'of for economy': 583859, 'for economy worry': 320954, 'economy worry about': 268373, 'worry about stagflation': 1010653, 'about stagflation say': 26244, 'stagflation say victorli': 793240, 'say victorli prof': 739442, 'victorli prof of': 956567, 'prof of economics': 682365, 'of economics at': 582960, 'economics at business': 267434, 'at business there': 98172, 'business there good': 144511, 'there good chance': 878438, 'good chance of': 356882, 'chance of lopsided': 171762, 'of lopsided recovery': 586014, 'lopsided recovery with': 503292, 'recovery with slow': 705425, 'with slow outputgrowth': 1000759, 'slow outputgrowth with': 774380, 'outputgrowth with price': 629305, 'with price inflation': 1000310, 'price inflation hiking': 674824, 'inflation hiking ie': 437191, 'hiking ie stagflation': 396378, 'retailstrategy': 719550, 'demand predict': 236059, 'predict long': 669570, 'these current': 879840, 'condition subside': 193526, 'subside retailstrategy': 815946, 'changing consumer demand': 172671, 'consumer demand predict': 197157, 'demand predict long': 236060, 'predict long term': 669571, 'term impact to': 838177, 'demand and behavior': 234953, 'and behavior that': 58843, 'away when these': 106105, 'when these current': 984237, 'these current condition': 879841, 'current condition subside': 221137, 'condition subside retailstrategy': 193527, 'country measure': 210893, 'clear lockdown': 181277, 'lockdown everything': 499355, 'except basic': 289129, 'need service': 555549, 'service no': 752620, 'no outside': 565028, 'outside sport': 629554, 'stupid unless': 815488, 'wanna play': 965655, 'life uklockdown': 489153, 'uklockdown ukgoverment': 939014, 'the evidence from': 854630, 'evidence from other': 288360, 'other country measure': 620022, 'country measure are': 210894, 'measure are clear': 525114, 'are clear lockdown': 85304, 'clear lockdown everything': 181278, 'lockdown everything except': 499356, 'everything except basic': 287782, 'except basic need': 289130, 'basic need service': 112015, 'need service no': 555550, 'service no outside': 752621, 'no outside sport': 565029, 'outside sport and': 629555, 'sport and use': 789898, 'and use mask': 74778, 'use mask if': 949365, 'supermarket stop being': 822989, 'being stupid unless': 125879, 'stupid unless you': 815489, 'unless you wanna': 942679, 'you wanna play': 1022123, 'wanna play with': 965656, 'with your life': 1002210, 'your life uklockdown': 1024651, 'life uklockdown ukgoverment': 489154, 'unseasoned': 943461, 'all aren': 42059, 'but leaving': 146256, 'them seasoning': 876252, 'seasoning aisle': 743490, 'full going': 340617, 'with unseasoned': 1001914, 'unseasoned food': 943462, 'know all aren': 476237, 'all aren panic': 42060, 'food but leaving': 313821, 'but leaving them': 146257, 'leaving them seasoning': 485164, 'them seasoning aisle': 876253, 'seasoning aisle full': 743491, 'aisle full going': 40254, 'full going into': 340618, 'into quarantine with': 442917, 'quarantine with unseasoned': 692712, 'with unseasoned food': 1001915, 'hlsnmbbyrb': 398641, 'scared today': 741029, 'stopstocking co': 805855, 'co hlsnmbbyrb': 184852, 'wa really scared': 963066, 'really scared today': 702549, 'scared today in': 741030, 'today in food': 919683, 'meat no vegetable': 525667, 'food stopstocking co': 316836, 'stopstocking co hlsnmbbyrb': 805856, 'facilitant': 295252, 'mobilitat': 535071, 'thisistherealspain': 891650, 'gran gran': 361848, 'gran cat': 361844, 'cat gran': 166877, 'gran facilitant': 361846, 'facilitant la': 295253, 'la mobilitat': 478196, 'mobilitat madrid': 535072, 'madrid barcelona': 508231, 'barcelona assassin': 110835, 'assassin thisistherealspain': 96309, 'gran gran gran': 361850, 'gran gran cat': 361849, 'gran cat gran': 361845, 'cat gran facilitant': 166878, 'gran facilitant la': 361847, 'facilitant la mobilitat': 295254, 'la mobilitat madrid': 478197, 'mobilitat madrid barcelona': 535073, 'madrid barcelona assassin': 508232, 'barcelona assassin thisistherealspain': 110836, 'bring spread': 140076, 'spread under': 790864, 'week just': 976445, 'week except': 976201, 'except emergency': 289140, 'everyone stockup': 287421, 'stockup and': 804164, 'home quarantined': 401940, 'week post': 976764, 'once with': 605812, 'symptom need': 830874, 'quarantined who': 692888, 'solution to bring': 782091, 'to bring spread': 902052, 'bring spread under': 140077, 'spread under control': 790865, 'control in week': 202032, 'in week just': 430757, 'week just shutdown': 976446, 'just shutdown the': 469800, 'shutdown the world': 768107, 'world for week': 1009567, 'for week except': 327704, 'week except emergency': 976202, 'except emergency service': 289141, 'emergency service everyone': 272959, 'service everyone stockup': 752351, 'everyone stockup and': 287422, 'stockup and home': 804165, 'and home quarantined': 64682, 'home quarantined for': 401941, 'quarantined for week': 692857, 'for week post': 327742, 'week post that': 976765, 'post that only': 666346, 'only the once': 611272, 'the once with': 862184, 'once with symptom': 605813, 'with symptom need': 1001107, 'symptom need to': 830875, 'be quarantined who': 116660, 'tessa': 838892, 'news tessa': 560855, 'tessa diary': 838893, 'diary online': 240419, 'not until': 572345, 'april lichfield': 83632, 'news tessa diary': 560856, 'tessa diary online': 838894, 'diary online shopping': 240420, 'but not until': 146578, 'not until april': 572346, 'until april lichfield': 943698, 'from sky': 337309, 'sky tv': 773237, 'tv saying': 936181, 'by per': 153563, 'month seriously': 537994, 'seriously sky': 751719, 'sky could': 773191, 'choose worse': 177923, 'worse time': 1011040, 'anyone else had': 80264, 'else had letter': 271716, 'letter from sky': 487319, 'from sky tv': 337310, 'sky tv saying': 773238, 'tv saying they': 936182, 'price by per': 673031, 'by per month': 153564, 'per month seriously': 650949, 'month seriously sky': 537995, 'seriously sky could': 751720, 'sky could you': 773192, 'could you choose': 209844, 'you choose worse': 1017955, 'choose worse time': 177924, 'pandemic sound': 636516, 'fill digital': 305459, 'digital order': 242616, 'getting easier': 348948, 'inside onlineshopping': 439343, 'onlineshopping grocerydelivery': 609903, 'grocerydelivery grocery': 366209, 'during pandemic sound': 262892, 'pandemic sound great': 636517, 'great but grocery': 362547, 'try to fill': 934626, 'to fill digital': 905840, 'fill digital order': 305460, 'digital order it': 242617, 'order it getting': 618343, 'it getting easier': 458227, 'getting easier to': 348949, 'easier to just': 265159, 'to just shop': 908729, 'just shop inside': 469781, 'shop inside onlineshopping': 760346, 'inside onlineshopping grocerydelivery': 439344, 'onlineshopping grocerydelivery grocery': 609904, 'grocerydelivery grocery food': 366210, 'analyst expect': 57128, 'the downward': 853639, 'hit per': 398375, 'gallon before': 342983, 'analyst expect the': 57130, 'expect the downward': 290748, 'the downward trend': 853640, 'downward trend to': 257845, 'trend to continue': 931476, 'continue and say': 201001, 'and say the': 71008, 'say the national': 739290, 'average is likely': 104861, 'likely to hit': 492159, 'to hit per': 907851, 'hit per gallon': 398376, 'per gallon before': 650841, 'gallon before the': 342984, 'town looking': 927511, 'local every': 497925, 'supermarket in small': 820979, 'in small country': 428014, 'country town looking': 211191, 'town looking after': 927512, 'looking after their': 502783, 'after their local': 36371, 'their local every': 873868, 'local every town': 497926, 'be doing this': 114533, 'kerry': 473137, 'valentia': 951885, 'from 7pm': 334339, '7pm we': 22514, 've kerry': 953316, 'kerry chair': 473138, 'chair valentia': 171311, 'valentia and': 951886, 'vice chair': 956426, 'chair on': 171301, 'farming sector': 299645, 'sector also': 744070, 'and breakdown': 59174, 'the beep': 849418, 'beep scheme': 122417, 'scheme and': 741547, 'this north': 889167, 'north kerry': 567657, 'kerry girl': 473140, 'from 7pm we': 334340, '7pm we ve': 22515, 'we ve kerry': 973682, 've kerry chair': 953317, 'kerry chair valentia': 473139, 'chair valentia and': 171312, 'valentia and vice': 951887, 'and vice chair': 74948, 'vice chair on': 956427, 'chair on and': 171302, 'and the farming': 73368, 'the farming sector': 854951, 'farming sector also': 299646, 'sector also have': 744071, 'also have price': 48336, 'have price and': 382036, 'price and breakdown': 672373, 'and breakdown of': 59175, 'breakdown of the': 138851, 'of the beep': 590815, 'the beep scheme': 849419, 'beep scheme and': 122418, 'scheme and meet': 741548, 'and meet this': 66933, 'meet this north': 527630, 'this north kerry': 889168, 'north kerry girl': 567658, 'kerry girl who': 473141, 'girl who is': 350296, 'is putting her': 451156, 'putting her time': 691130, 'her time off': 392454, 'time off school': 897388, 'off school to': 594121, 'school to good': 741959, 'financialhealth2020': 306645, 'servicens': 753142, 'fenns': 303526, 'your financialhealth2020': 1023876, 'financialhealth2020 visit': 306646, 'time servicens': 897643, 'servicens fenns': 753143, 'fenns novascotia': 303527, 'worrying about your': 1010817, 'about your financialhealth2020': 26996, 'your financialhealth2020 visit': 1023877, 'financialhealth2020 visit the': 306647, 'the page on': 862862, 'page on managing': 633878, 'on managing financial': 601984, 'challenging time servicens': 171648, 'time servicens fenns': 897644, 'servicens fenns novascotia': 753144, 'up labeling': 945285, 'requirement on': 713440, 'egg have': 269881, 'been relaxed': 121809, 'relaxed by': 708853, 'head up labeling': 385853, 'up labeling requirement': 945286, 'labeling requirement on': 478381, 'requirement on egg': 713441, 'on egg have': 600530, 'egg have been': 269882, 'have been relaxed': 379658, 'been relaxed by': 121810, 'relaxed by the': 708854, 'fda to meet': 300939, 'breakingtoday': 139109, 'breakingtoday president': 139110, 'kenyatta give': 473005, 'give stern': 350720, 'breakingtoday president uhuru': 139111, 'uhuru kenyatta give': 938104, 'kenyatta give stern': 473006, 'give stern warning': 350721, 'to business people': 902136, 'pandemic by hiking': 635071, 'toward consuming': 927106, 'consuming news': 199804, 'entertainment new': 278587, 'crisis american': 217000, 'consumer still': 199139, 'but already': 145093, 'reporting key': 712706, 'big shift toward': 129985, 'shift toward consuming': 758453, 'toward consuming news': 927107, 'consuming news amp': 199805, 'news amp entertainment': 560221, 'amp entertainment new': 53741, 'entertainment new consumer': 278588, 'new consumer sentiment': 558530, 'the crisis american': 852341, 'crisis american consumer': 217001, 'american consumer still': 51896, 'consumer still optimistic': 199140, 'economy but already': 267722, 'but already reporting': 145094, 'already reporting key': 47620, 'reporting key change': 712707, 'key change in': 473244, 'uptime': 947916, 'the brings': 850008, 'brings an': 140228, 'working self': 1008905, 'isolation video': 455487, 'conferencing online': 193784, 'gaming online': 343362, 'so telecom': 778335, 'telecom internet': 836685, 'internet uptime': 442040, 'uptime ha': 947917, 'friend loved': 333706, 'client keepconnected': 182059, 'the brings an': 850009, 'brings an increase': 140229, 'in home working': 423793, 'home working self': 402564, 'working self isolation': 1008906, 'self isolation video': 747807, 'isolation video conferencing': 455488, 'video conferencing online': 956685, 'conferencing online gaming': 193785, 'online gaming online': 608289, 'gaming online shopping': 343363, 'shopping so telecom': 763928, 'so telecom internet': 778336, 'telecom internet uptime': 836686, 'internet uptime ha': 442041, 'uptime ha never': 947918, 'more important we': 539498, 'important we keep': 419105, 'we keep in': 972130, 'touch with family': 926576, 'family friend loved': 297820, 'friend loved one': 333707, 'loved one colleague': 504906, 'one colleague and': 606072, 'colleague and client': 186185, 'and client keepconnected': 59988, 'causing business': 167995, 'is causing business': 446417, 'causing business to': 167996, 'this canadian': 886691, 'grocer article': 364104, 'food communication': 313983, 'quoted in this': 695019, 'in this canadian': 429915, 'this canadian grocer': 886692, 'canadian grocer article': 160687, 'grocer article retail': 364105, 'article retail grocery': 94445, 'grocery food communication': 364521, 'running with': 728141, 'being exaggerated': 125116, 'exaggerated and': 288776, 'and overhyped': 68578, 'overhyped theory': 631254, 'theory reminder': 877862, 'seeing sign': 746463, 'opposite is': 613796, 'are now running': 88591, 'now running with': 575718, 'running with the': 728143, 'coronavirus death are': 205795, 'are being exaggerated': 84855, 'being exaggerated and': 125117, 'exaggerated and overhyped': 288777, 'and overhyped theory': 68579, 'overhyped theory reminder': 631255, 'theory reminder that': 877863, 're seeing sign': 699465, 'seeing sign that': 746464, 'that the opposite': 846790, 'the opposite is': 862414, 'opposite is actually': 613797, 'product abandoned': 680830, 'coronavirus the least': 206912, 'the least popular': 859255, 'popular food product': 664551, 'food product abandoned': 316012, 'product abandoned on': 680831, 'been illegal': 121322, 'gouging ha been': 359332, 'ha been illegal': 369831, 'been illegal since': 121323, 'you believe you': 1017453, 'believe you have': 126427, 'have been victim': 379738, 'or report it': 616853, 'report it online': 712066, 'it online at': 460079, 'rhetorical': 720889, 'easter milestone': 265468, 'milestone ha': 531432, 'arrived how': 93957, 'glove toilet': 352982, 'product obviously': 681447, 'obviously this': 578858, 'is rhetorical': 451510, 'rhetorical question': 720890, 'question washyourhands': 693787, 'that the easter': 846712, 'the easter milestone': 853853, 'easter milestone ha': 265469, 'milestone ha arrived': 531433, 'ha arrived how': 369618, 'arrived how it': 93958, 'how it going': 408130, 'it going out': 458282, 'going out there': 355392, 'there for mask': 878406, 'for mask glove': 323271, 'mask glove toilet': 518752, 'glove toilet paper': 352983, 'hand sanitizer cleaning': 375345, 'sanitizer cleaning product': 734663, 'cleaning product obviously': 181035, 'product obviously this': 681448, 'obviously this is': 578859, 'this is rhetorical': 888383, 'is rhetorical question': 451511, 'rhetorical question washyourhands': 720891, 'safety order': 730666, 'panic remember': 638479, 'have expiration': 380526, 're wasting': 699782, 'wasting lot': 968317, 'and safety order': 70752, 'safety order online': 730667, 'out shopping unless': 627185, 'you promise not': 1020457, 'promise not to': 683685, 'to panic remember': 911421, 'panic remember that': 638480, 'remember that all': 710273, 'all food have': 42812, 'food have expiration': 314781, 'have expiration date': 380527, 'you panic you': 1020289, 'panic you re': 638818, 'you re wasting': 1020788, 're wasting lot': 699783, 'wasting lot of': 968318, 'lot of useful': 504318, 'see making': 745383, 'cashier teacher': 166629, 'enormous potential': 277292, 'great comeback': 362583, 'now clearly see': 574387, 'clearly see making': 181562, 'see making the': 745384, 'making the economy': 511414, 'driver supermarket cashier': 259762, 'supermarket cashier teacher': 819571, 'cashier teacher there': 166630, 'there is enormous': 878553, 'is enormous potential': 447506, 'enormous potential for': 277293, 'to make great': 909670, 'make great comeback': 509948, 'someone park': 784601, 'park their': 642002, 'car up': 163331, 'another more': 77718, 'distant supermarket': 247687, 'by bus': 152021, 'small bag': 774797, 'drove off': 260802, 'to wherever': 918547, 'tough with': 926880, 'saw someone park': 738249, 'someone park their': 784602, 'park their car': 642003, 'their car up': 872732, 'car up near': 163332, 'up near supermarket': 945444, 'near supermarket then': 553594, 'then go on': 877208, 'go on bus': 353879, 'on bus to': 599732, 'bus to another': 143097, 'to another more': 900571, 'another more distant': 77719, 'more distant supermarket': 539057, 'distant supermarket they': 247688, 'supermarket they came': 823287, 'came back by': 156975, 'back by bus': 106919, 'by bus with': 152022, 'bus with small': 143113, 'with small bag': 1000765, 'small bag of': 774798, 'bag of item': 108357, 'item and drove': 463053, 'and drove off': 61774, 'drove off to': 260803, 'off to wherever': 594333, 'to wherever they': 918548, 'wherever they live': 985470, 'they live the': 882580, 'live the uk': 496051, 'uk will have': 938903, 'to get tough': 906628, 'get tough with': 348526, 'tough with the': 926881, 'at lest': 99576, 'lest we': 486530, 'any where': 80048, 'time selfisolating': 897636, 'selfisolating lockdownuk': 748418, 'at lest we': 99577, 'lest we can': 486531, 'shopping won have': 764459, 'won have any': 1003832, 'have any where': 379329, 'any where to': 80049, 'go to wear': 354382, 'wear the clothes': 974470, 'the clothes but': 851060, 'clothes but will': 184153, 'but will pas': 147885, 'the time selfisolating': 869618, 'time selfisolating lockdownuk': 897637, 'so either': 776938, 'loo brigade': 502148, 'brigade is': 139779, 'strike or': 813757, 'broke or': 140849, 'or coronahoax': 614828, 'with everything so': 998305, 'everything so either': 287998, 'so either the': 776939, 'either the loo': 270388, 'the loo brigade': 859702, 'loo brigade is': 502149, 'brigade is on': 139780, 'is on strike': 450484, 'on strike or': 603725, 'strike or just': 813758, 'or just broke': 615876, 'just broke or': 468372, 'broke or coronahoax': 140850, 'graciousness': 361629, 'benice': 127220, 'other if': 620391, 'have fb': 380591, 'fb account': 300638, 'account get': 28681, 'local who': 498700, 'your graciousness': 1024089, 'graciousness doingmypartco': 361630, 'doingmypartco toiletpaper': 252893, 'toiletpaper sundaymotivation': 922559, 'sundaymotivation benice': 818317, 'great people doing': 362879, 'people doing great': 647691, 'doing great thing': 252431, 'great thing for': 363048, 'thing for each': 884329, 'each other if': 264183, 'other if you': 620392, 'you have fb': 1019046, 'have fb account': 380592, 'fb account get': 300639, 'account get in': 28682, 'touch with local': 926578, 'with local who': 999288, 'local who are': 498701, 'are helping those': 87113, 'need we applaud': 556179, 'we applaud your': 970448, 'applaud your graciousness': 82264, 'your graciousness doingmypartco': 1024090, 'graciousness doingmypartco toiletpaper': 361631, 'doingmypartco toiletpaper sundaymotivation': 252894, 'toiletpaper sundaymotivation benice': 922560, 'cockup': 185253, 'supermarket fully': 820473, 'buying public': 150938, 'public calm': 687909, 'here respecting': 393519, 'respecting and': 715138, 'other macron': 620490, 'macron on': 507501, 'ball johnson': 109062, 'johnson handling': 466594, 'complete cockup': 192076, 'french supermarket fully': 332758, 'supermarket fully stocked': 820474, 'panic buying public': 637855, 'buying public calm': 150939, 'public calm and': 687910, 'calm and in': 156688, 'and in lock': 65059, 'lock down people': 499046, 'down people around': 257084, 'people around here': 647140, 'around here respecting': 93324, 'here respecting and': 393520, 'respecting and looking': 715139, 'and looking out': 66378, 'each other macron': 264195, 'other macron on': 620491, 'macron on the': 507502, 'on the ball': 603977, 'the ball johnson': 849220, 'ball johnson handling': 109063, 'johnson handling of': 466595, 'handling of complete': 376362, 'of complete cockup': 581630, 'fear supermarket could': 301342, 'supermarket could spread': 819828, 'could spread virus': 209703, 'angeles they': 76389, 'delivered they': 233413, 'to my son': 910436, 'son in los': 785392, 'los angeles they': 503372, 'angeles they now': 76390, 'they now have': 882800, 'have all food': 379156, 'all food delivered': 42808, 'food delivered they': 314099, 'delivered they can': 233414, 'supermarket or not': 821822, 'supposed to at': 827350, 'to at all': 900801, 'at all at': 97871, 'local tender': 498636, 'tender ha': 837900, 'ha remained': 371714, 'remained stable': 709945, 'stable amid': 791889, 'and robust': 70585, 'robust foreign': 724845, 'reserve via': 714112, 'the local tender': 859576, 'local tender ha': 498637, 'tender ha remained': 837901, 'ha remained stable': 371715, 'remained stable amid': 709946, 'stable amid the': 791890, '19 pandemic analyst': 9264, 'pandemic analyst said': 634858, 'analyst said thanks': 57172, 'said thanks to': 731391, 'thanks to lower': 842242, 'to lower oil': 909500, 'price and robust': 672527, 'and robust foreign': 70586, 'robust foreign reserve': 724846, 'foreign reserve via': 329008, 'farmer when': 299569, 'local farmer when': 497952, 'farmer when buying': 299570, 'buying essential during': 150237, 'key to getting': 473436, 'to getting through': 906660, 'getting through on': 349388, 'through on the': 894597, 'stopthedancing': 805892, 'owner blowing': 632406, 'off steam': 594188, 'steam by': 799280, 'making video': 511482, 'video endthelockdown': 956718, 'endthelockdown stopthedancing': 276282, 'don we see': 254062, 'store owner blowing': 809425, 'owner blowing off': 632407, 'blowing off steam': 133381, 'off steam by': 594189, 'steam by making': 799281, 'by making video': 153147, 'making video endthelockdown': 511483, 'video endthelockdown stopthedancing': 956719, 'dominance via': 253272, 'to dominance via': 904635, 'new oil': 559189, 'the new oil': 861533, 'buying today': 151244, 'just bit': 468335, 'bit price': 131681, 'low uber': 505706, 'uber sq': 937832, 'sq dis': 791424, 'dis nke': 243793, 'nke stockmarketcrash': 563499, 'do some buying': 250120, 'some buying today': 782465, 'buying today just': 151245, 'today just bit': 919762, 'just bit price': 468336, 'bit price so': 131682, 'so low uber': 777614, 'low uber sq': 505707, 'uber sq dis': 937833, 'sq dis nke': 791425, 'dis nke stockmarketcrash': 243794, 'quarantineexcuses': 692921, 'ihateithere': 415940, 'imissoutside': 416933, 'market buying': 516132, 'one grape': 606363, 'grape just': 362132, 'house quarantine': 406514, 'quarantineactivities quarantineexcuses': 692743, 'quarantineexcuses cabinfever': 692922, 'cabinfever ihateithere': 155008, 'ihateithere imissoutside': 415941, 'imissoutside shopping': 416934, 'all still going': 44462, 'the market buying': 860095, 'market buying one': 516133, 'buying one grape': 150814, 'one grape just': 606364, 'grape just to': 362133, 'the house quarantine': 857628, 'house quarantine quarantinelife': 406515, 'quarantine quarantinelife quarantineactivities': 692474, 'quarantinelife quarantineactivities quarantineexcuses': 692993, 'quarantineactivities quarantineexcuses cabinfever': 692744, 'quarantineexcuses cabinfever ihateithere': 692923, 'cabinfever ihateithere imissoutside': 155009, 'ihateithere imissoutside shopping': 415942, 'imissoutside shopping supermarket': 416935, 'doing by': 252324, 'by switching': 154192, 'switching over': 830564, 'you brother': 1017530, 'brother look': 141085, 'your distillery': 1023542, 'hopefully saying': 403877, 'support america': 826342, 'when amer': 983142, 're doing by': 698535, 'doing by switching': 252325, 'by switching over': 154193, 'switching over to': 830565, 'over to making': 630836, 'thank you brother': 841697, 'you brother look': 1017531, 'brother look forward': 141086, 'to supporting your': 915995, 'supporting your distillery': 827239, 'your distillery and': 1023543, 'distillery and hopefully': 247730, 'and hopefully saying': 64730, 'hopefully saying thank': 403878, 'did to support': 240887, 'to support america': 915902, 'support america when': 826343, 'america when amer': 51741, 'masterthecrisis': 520239, 'growthfromknowledge': 367490, 'understand potential': 940700, 'term outcome': 838231, 'outcome related': 628873, 'shop read': 760702, 'behavior around': 123914, 'world masterthecrisis': 1009788, 'masterthecrisis growthfromknowledge': 520240, 'the coronacrisis it': 851782, 'coronacrisis it critical': 204647, 'critical for brand': 218562, 'brand to understand': 138052, 'to understand potential': 917908, 'understand potential long': 940701, 'long term outcome': 501701, 'term outcome related': 838232, 'outcome related to': 628874, 'way people live': 969809, 'people live and': 648673, 'and shop read': 71508, 'shop read more': 760703, 'consumer behavior around': 196441, 'behavior around the': 123915, 'the world masterthecrisis': 871910, 'world masterthecrisis growthfromknowledge': 1009789, 'lotto': 504472, 'that hitting': 844351, 'the lotto': 859757, 'lotto would': 504473, 'this package': 889350, 'before damn': 122732, 'damn those': 225452, 'crisis lol': 217676, 'can just imagine': 158798, 'just imagine that': 469019, 'imagine that hitting': 416789, 'that hitting the': 844352, 'hitting the lotto': 398600, 'the lotto would': 859758, 'lotto would feel': 504474, 'would feel about': 1011819, 'feel about like': 302547, 'about like being': 25641, 'like being able': 489898, 'purchase this package': 689683, 'this package of': 889351, 'toiletpaper in store': 922120, 'store today ve': 810876, 'today ve never': 920426, 'paper before damn': 639938, 'before damn those': 122733, 'damn those hoarder': 225453, 'those hoarder during': 892063, 'hoarder during this': 399021, 'this crisis lol': 887062, 'tooting': 925508, 'of tooting': 592309, 'tooting are': 925509, 'supermarket chief': 819683, 'see the people': 745871, 'people of tooting': 648929, 'of tooting are': 592310, 'tooting are adhering': 925510, 'and supermarket chief': 72709, 'supermarket chief to': 819684, 'chief to only': 175978, 'departmentstores': 237302, 'canadian store': 160753, 'nordstrom departmentstores': 567014, 'inc will close': 431314, 'will close it': 992945, 'close it and': 182687, 'it and canadian': 456488, 'and canadian store': 59487, 'canadian store for': 160754, 'two week retail': 937358, 'week retail nordstrom': 976822, 'retail nordstrom departmentstores': 718334, 'worldfood': 1010231, 'out worldfood': 627888, 'roll out worldfood': 725456, 'oh those': 596462, 'then nip': 877356, 'nip in': 563333, 'giving other': 351360, 'oh those people': 596463, 'supermarket who don': 823856, 'who don give': 988647, 'don give you': 253558, 'give you space': 350869, 'you space and': 1021312, 'space and then': 787052, 'and then nip': 73783, 'then nip in': 877357, 'nip in while': 563334, 're giving other': 698746, 'giving other people': 351361, 'other people space': 620685, 'people space socialdistancing': 649515, 'chain mark': 170917, 'mark and': 515771, 'and spencer': 72083, 'spencer ha': 788537, 'latest organisation': 481483, 'retail chain mark': 717941, 'chain mark and': 170918, 'mark and spencer': 515772, 'and spencer ha': 72084, 'spencer ha become': 788538, 'the latest organisation': 859136, 'latest organisation to': 481484, 'organisation to issue': 619283, 'to issue warning': 908560, 'issue warning on': 455992, 'warning on it': 967166, 'on it business': 601651, 'it business in': 456936, 'economy fixing': 267875, 'self no': 747820, 'great than': 363032, 'demand force': 235521, 'force developer': 328372, 'developer have': 239758, 'been fixing': 121156, 'time force': 896780, 'supply fixed': 825241, 'fixed that': 309834, 'not about covid': 568014, '19 it about': 8123, 'the economy fixing': 853967, 'economy fixing it': 267876, 'fixing it self': 309847, 'it self no': 460962, 'self no power': 747821, 'no power is': 565158, 'power is great': 667631, 'is great than': 448208, 'great than the': 363033, 'the supply demand': 868945, 'supply demand force': 825153, 'demand force developer': 235522, 'force developer have': 328373, 'developer have been': 239759, 'have been fixing': 379543, 'been fixing price': 121157, 'fixing price way': 309857, 'price way above': 677390, 'way above the': 969429, 'above the normal': 27109, 'the normal and': 861861, 'normal and it': 567088, 'it time force': 461694, 'time force of': 896781, 'force of demand': 328464, 'and supply fixed': 72789, 'supply fixed that': 825242, 'analysis continues': 57034, 'today looked': 919835, 'electronics category': 271282, 'category also': 167155, 'also deemed': 48090, 'deemed non': 231831, 'daily consumer shopping': 224560, 'behavior analysis continues': 123877, 'analysis continues today': 57035, 'continues today looked': 201509, 'today looked at': 919836, 'the consumer electronics': 851531, 'consumer electronics category': 197332, 'electronics category also': 271283, 'category also deemed': 167156, 'also deemed non': 48091, 'deemed non essential': 231832, 'non essential by': 566333, 'essential by amazon': 280880, 'demandgeneration': 236563, 'demandgen': 236560, 'like grubhub': 490354, 'grubhub doordash': 367513, 'doordash instacart': 255807, 'service sell': 752809, 'sell demand': 748676, 'seller what': 749112, '19 contentmarketing': 6017, 'contentmarketing demandgeneration': 200862, 'demandgeneration demandgen': 236564, 'demandgen grubhub': 236561, 'grubhub instacart': 367515, 'apps like grubhub': 83294, 'like grubhub doordash': 490355, 'grubhub doordash instacart': 367514, 'doordash instacart and': 255808, 'instacart and other': 439911, 'delivery service sell': 234460, 'service sell demand': 752810, 'sell demand to': 748677, 'demand to food': 236396, 'to food seller': 906094, 'food seller what': 316395, 'seller what happens': 749113, 'happens when that': 377526, 'when that demand': 984120, 'that demand skyrocket': 843496, 'demand skyrocket due': 236232, 'covid 19 contentmarketing': 212851, '19 contentmarketing demandgeneration': 6018, 'contentmarketing demandgeneration demandgen': 200863, 'demandgeneration demandgen grubhub': 236565, 'demandgen grubhub instacart': 236562, 'immortan': 417297, 'joebiden': 466456, 'joementum': 466471, 'gretchennomtvhits': 363840, 'gretchenwitmer': 363843, 'xxvp': 1013936, 'wastelanders': 968287, 'wasteland': 968284, 'immortan will': 417298, 'his underground': 397888, 'underground toiletpaper': 940452, 'toiletpaper factory': 921971, 'factory joebiden': 295962, 'joebiden joementum': 466457, 'joementum gretchennomtvhits': 466472, 'gretchennomtvhits gretchenwitmer': 363841, 'gretchenwitmer xxvp': 363844, 'xxvp democrat': 1013937, 'democrat tp': 236743, 'tp madmax': 927870, 'madmax toiletpaperapocalypse': 508145, 'toiletpaperapocalypse outbreak': 922913, 'outbreak wastelanders': 628788, 'wastelanders wasteland': 968288, 'wasteland kungflu': 968285, 'kungflu wuhanvirus': 477937, 'immortan will force': 417299, 'will force to': 993474, 'work in his': 1005313, 'in his underground': 423743, 'his underground toiletpaper': 397889, 'underground toiletpaper factory': 940453, 'toiletpaper factory joebiden': 921972, 'factory joebiden joementum': 295963, 'joebiden joementum gretchennomtvhits': 466458, 'joementum gretchennomtvhits gretchenwitmer': 466473, 'gretchennomtvhits gretchenwitmer xxvp': 363842, 'gretchenwitmer xxvp democrat': 363845, 'xxvp democrat tp': 1013938, 'democrat tp madmax': 236744, 'tp madmax toiletpaperapocalypse': 927871, 'madmax toiletpaperapocalypse outbreak': 508146, 'toiletpaperapocalypse outbreak wastelanders': 922914, 'outbreak wastelanders wasteland': 628789, 'wastelanders wasteland kungflu': 968289, 'wasteland kungflu wuhanvirus': 968286, 'is hated': 448319, 'now minister': 575307, 'of internal': 585257, 'internal affair': 441717, 'affair with': 34100, 'secret superpower': 743938, 'superpower label': 824310, 'label criminal': 478335, 'criminal gang': 216840, 'gang people': 343408, 'all dunny': 42641, 'retail gangster': 718132, 'ugly it is': 938059, 'it is hated': 458972, 'is hated ex': 448320, 'copper now minister': 203433, 'now minister of': 575308, 'minister of internal': 533429, 'of internal affair': 585258, 'internal affair with': 441718, 'affair with secret': 34101, 'with secret superpower': 1000610, 'secret superpower label': 743939, 'superpower label criminal': 824311, 'label criminal gang': 478336, 'criminal gang people': 216841, 'gang people who': 343409, 'who buy product': 988359, 'of all dunny': 579936, 'all dunny paper': 42642, 'dunny paper retail': 262317, 'paper retail gangster': 640679, 'an organization': 56713, 'offer foodbank': 594612, 'obtain stock': 578741, 'our distributor': 622782, 'distributor stock': 248320, 'being those': 125944, 'those newly': 892248, 'out largely': 626483, 'are notified': 88509, 'for an organization': 319307, 'an organization that': 56714, 'organization that offer': 619431, 'that offer foodbank': 845460, 'offer foodbank on': 594613, 'unable to obtain': 939337, 'to obtain stock': 910803, 'obtain stock from': 578742, 'from our distributor': 336768, 'our distributor stock': 622783, 'distributor stock being': 248321, 'stock being those': 801917, 'being those newly': 125945, 'those newly expired': 892249, 'expired and sold': 292058, 'and sold out': 71939, 'sold out largely': 781739, 'out largely due': 626484, 'we are notified': 970640, 'complicates': 192472, 'market caused': 516157, 'by shrinking': 154007, 'volatility of': 960088, 'and complicates': 60239, 'complicates forecasting': 192473, 'the uncertainty in': 870340, 'oil market caused': 596942, 'market caused by': 516158, 'caused by shrinking': 167867, 'by shrinking demand': 154008, 'shrinking demand amid': 767708, 'drive the volatility': 259171, 'the volatility of': 870951, 'volatility of price': 960089, 'price and complicates': 672381, 'and complicates forecasting': 60240, 'division ha': 248673, 'provide her': 686346, 'mine in division': 532900, 'in division ha': 422330, 'division ha to': 248674, 'ha to provide': 372315, 'to provide her': 912402, 'provide her own': 686347, 'nursescovid19': 577586, 'nurse life': 577407, 'life right': 488994, 'clothes online': 184189, 'over while': 630926, 'also writing': 49123, 'writing an': 1012889, 'an advance': 55142, 'advance directive': 32894, 'directive and': 243496, 'happens nurse': 377492, 'nurse nh': 577425, 'nh nursescovid19': 562029, 'nurse life right': 577408, 'life right now': 488995, 'right now buying': 722038, 'now buying clothes': 574308, 'buying clothes online': 150121, 'clothes online for': 184190, 'online for when': 608246, 'all over while': 43887, 'over while also': 630927, 'while also writing': 986598, 'also writing an': 49124, 'writing an advance': 1012890, 'an advance directive': 55143, 'advance directive and': 32895, 'directive and will': 243498, 'will just in': 993882, 'worst happens nurse': 1011188, 'happens nurse nh': 377493, 'nurse nh nursescovid19': 577426, 'stupid panicked': 815436, 'shopper haven': 761546, 'that the fucking': 846734, 'world is reacting': 1009715, 'is reacting going': 451251, 'to need grocery': 910510, 'these stupid panicked': 880764, 'stupid panicked shopper': 815437, 'panicked shopper haven': 639284, 'shopper haven left': 761547, 'lithuania': 495128, 'after lithuania': 35872, 'lithuania wa': 495129, 'wa placed': 962935, 'food product have': 316022, 'product have gone': 681251, 'gone up after': 356413, 'up after lithuania': 944226, 'after lithuania wa': 35873, 'lithuania wa placed': 495130, 'wa placed under': 962936, 'placed under quarantine': 657923, 'under quarantine and': 940216, 'quarantine and people': 692018, 'and people started': 68880, 'people started panic': 649545, 'myself it': 550893, 'could pause': 209494, 'remind myself it': 710491, 'myself it not': 550894, 'bar that not': 110779, 'that not okay': 845396, 'not okay but': 570739, 'okay but the': 597966, 'store is all': 808464, 'is all but': 445453, 'coffee could pause': 185479, 'dear can': 229749, 'you ban': 1017380, 'ban or': 109240, 'suspend account': 829540, 'are cashing': 85194, 'on shortage': 603447, 'by auctioning': 151909, 'auctioning at': 102878, 'at hugely': 99250, 'dear can you': 229750, 'can you ban': 160279, 'you ban or': 1017381, 'ban or suspend': 109241, 'or suspend account': 617315, 'suspend account that': 829541, 'account that are': 28754, 'that are cashing': 842726, 'are cashing in': 85195, 'in on shortage': 426126, 'on shortage by': 603448, 'shortage by auctioning': 764867, 'by auctioning at': 151910, 'auctioning at hugely': 102879, 'at hugely inflated': 99251, 'cause rise': 167720, '19 likely to': 8334, 'to cause rise': 902542, 'cause rise in': 167721, 'rise in uk': 722915, 'in uk food': 430388, 'uk food price': 938368, 'slot lockdowneffect': 774234, 'supermarket with coronavirus': 823915, 'with coronavirus restriction': 997810, 'coronavirus restriction in': 206673, 'shopping slot lockdowneffect': 763907, 'choking': 177853, 'stranger that': 812493, 'coughing due': 208677, 'to choking': 902740, 'choking on': 177854, 'some spit': 783921, 'spit because': 789547, 'because bent': 118950, 'bent down': 127254, 'far instead': 298816, 'plague whilst': 657989, 'never thought that': 558234, 'thought that would': 893240, 'have to explain': 383206, 'explain to complete': 292124, 'complete stranger that': 192157, 'stranger that wa': 812494, 'that wa coughing': 847280, 'wa coughing due': 961883, 'coughing due to': 208678, 'due to choking': 261728, 'to choking on': 902741, 'choking on some': 177855, 'on some spit': 603571, 'some spit because': 783922, 'spit because bent': 789548, 'because bent down': 118951, 'bent down too': 127255, 'down too far': 257398, 'too far instead': 924726, 'far instead of': 298817, 'of having the': 584485, 'having the plague': 384318, 'the plague whilst': 863788, 'plague whilst in': 657990, 'whilst in supermarket': 987641, 'supermarket but here': 819447, 'what convid19': 981255, 'convid19 safety': 202602, 'measure being': 525139, 'shopping company': 762385, 'company their': 191198, 'their courier': 872904, 'partner etc': 642815, 'etc fear': 282531, 'package which': 633454, 'which travel': 986410, 'travel vast': 930561, 'vast distance': 952703, 'distance through': 246860, 'through flight': 894465, 'flight train': 310550, 'train handled': 929257, 'many along': 513724, 'along way': 47038, 'can potential': 159273, 'potential carrier': 667026, 'what convid19 safety': 981256, 'convid19 safety measure': 202603, 'safety measure being': 730621, 'measure being taken': 525140, 'taken by online': 832972, 'online shopping company': 609076, 'shopping company their': 762386, 'company their courier': 191199, 'their courier partner': 872905, 'courier partner etc': 211816, 'partner etc fear': 642816, 'etc fear that': 282532, 'fear that shopping': 301368, 'that shopping package': 846277, 'shopping package which': 763584, 'package which travel': 633455, 'which travel vast': 986411, 'travel vast distance': 930562, 'vast distance through': 952704, 'distance through flight': 246861, 'through flight train': 894466, 'flight train handled': 310551, 'train handled by': 929258, 'handled by many': 376299, 'by many along': 153159, 'many along way': 513725, 'along way can': 47039, 'way can potential': 969520, 'can potential carrier': 159274, 'amazon donate': 50917, 'do you shop': 250678, 'll be doing': 496580, 'doing lot more': 252520, 'shopping so next': 763927, 'same product amp': 733251, 'product amp price': 680862, 'amp price but': 54329, 'but amazon donate': 145169, 'amazon donate of': 50918, 'my breath': 547536, 'past someone': 643608, 'who hold my': 989017, 'hold my breath': 399962, 'my breath every': 547537, 'time walk past': 898207, 'walk past someone': 964863, 'past someone in': 643609, 'the supermarket pretty': 868760, 'supermarket pretty sure': 822054, 'everyday 7pm': 286520, '7pm est': 22502, 'est we': 282006, 'we amp': 970420, 'amp worker': 54861, 'more it': 539630, 'everyday 7pm est': 286521, '7pm est we': 22503, 'est we amp': 282007, 'we amp we': 970421, 'we ll continue': 972240, 'll continue to': 496688, 'continue to thank': 201274, 'you supermarket amp': 1021476, 'supermarket amp worker': 818914, 'amp worker delivery': 54862, 'delivery people amp': 234308, 'people amp more': 646835, 'amp more it': 54151, 'more it bc': 539631, 'it bc of': 456717, 'bc of you': 113270, 'stay home may': 796983, 'home may god': 401596, 'over you all': 630962, 'governor said': 360979, 'our governor said': 623282, 'governor said we': 360980, 'said we had': 731566, 'were out had': 979952, 'how texas': 408786, 'wa better': 961692, 'better prepared': 128418, 'president our': 670880, 'our federal': 623051, 'government this': 360695, 'mean something': 524649, 'see how texas': 745252, 'how texas grocery': 408787, 'store chain wa': 806938, 'chain wa better': 171218, 'wa better prepared': 961693, 'better prepared for': 128419, 'prepared for coronavirus': 670192, 'for coronavirus than': 320395, 'coronavirus than our': 206896, 'than our president': 841014, 'our president our': 624432, 'president our federal': 670881, 'our federal government': 623052, 'federal government and': 301988, 'and our state': 68520, 'local government this': 498032, 'government this isn': 360696, 'this isn just': 888488, 'isn just any': 454576, 'just any grocery': 468207, 'store chain it': 806925, 'chain it and': 170864, 'that mean something': 845119, 'too writes': 925179, 'line too writes': 493506, 'not encourage': 569163, 'exercise you': 290118, 'doing they': 252749, 'supermarket learn': 821284, 'italy please': 462890, 'do not encourage': 249724, 'not encourage people': 569164, 'to exercise you': 905421, 'exercise you are': 290119, 'are doing they': 85931, 'doing they can': 252750, 'they can walk': 881688, 'can walk to': 160146, 'to supermarket learn': 915808, 'supermarket learn from': 821285, 'learn from spain': 483970, 'and italy please': 65619, 'parent 69': 641561, '69 71': 21519, '71 my': 21975, 'asthma copd': 97193, 'copd meanwhile': 203298, 'meanwhile tescos': 525034, 'tescos pull': 838876, 'deliver basket': 233095, 'basket cow': 112323, 'my 30': 547147, 'old neighbour': 598388, 'neighbour communityspirit': 557188, 'communityspirit uklockdown': 190260, 'not get delivery': 569583, 'slot at any': 774124, 'any supermarket before': 79889, 'supermarket before april': 819346, 'before april for': 122646, 'april for my': 83606, 'my parent 69': 549684, 'parent 69 71': 641562, '69 71 my': 21520, '71 my dad': 21976, 'dad ha asthma': 224337, 'ha asthma copd': 369642, 'asthma copd meanwhile': 97194, 'copd meanwhile tescos': 203299, 'meanwhile tescos pull': 525035, 'tescos pull up': 838877, 'pull up this': 688897, 'morning and deliver': 541153, 'and deliver basket': 61076, 'deliver basket cow': 233096, 'basket cow to': 112324, 'cow to my': 214462, 'to my 30': 910369, 'my 30 year': 547148, 'year old neighbour': 1014855, 'old neighbour communityspirit': 598389, 'neighbour communityspirit uklockdown': 557189, 'caronavirusupdate': 164873, 'rapidly pivoting': 697004, 'equipment medical': 279782, 'ventilator share': 954606, 'helping caronavirusupdate': 391286, 'caronavirusupdate manufacturing': 164874, 'manufacturer are rapidly': 513431, 'are rapidly pivoting': 89436, 'rapidly pivoting to': 697005, 'pivoting to support': 657138, 'healthcare industry with': 387148, 'industry with protective': 436254, 'with protective equipment': 1000346, 'protective equipment medical': 685731, 'equipment medical supply': 279783, 'supply and ventilator': 824763, 'and ventilator share': 74920, 'ventilator share how': 954607, 'how is helping': 408097, 'is helping caronavirusupdate': 448392, 'helping caronavirusupdate manufacturing': 391287, 'unhealthydeliciousfood': 941700, 'wa everything': 962087, 'coronacrisis unhealthydeliciousfood': 204848, 'thanks to this': 842268, 'to this wa': 917475, 'this wa everything': 891061, 'wa everything that': 962088, 'left at my': 485399, 'supermarket coronacrisis unhealthydeliciousfood': 819798, 'thingamajig': 885045, 'elmvale': 271587, 'necessary trip': 554134, 'washing thingamajig': 967735, 'thingamajig inside': 885046, 'local loblaws': 498158, 'loblaws at': 497621, 'at elmvale': 98530, 'elmvale for': 271588, 'my ottawa': 549625, 'ottawa peep': 621910, 'peep handwashing': 646280, 'handwashing sanitation': 376855, 'sanitation virus': 733868, 'necessary trip to': 554135, 'store they ve': 810679, 'they ve set': 883685, 'set up hand': 753558, 'up hand washing': 945056, 'hand washing thingamajig': 375961, 'washing thingamajig inside': 967736, 'thingamajig inside the': 885047, 'inside the entrance': 439412, 'entrance of our': 278891, 'our local loblaws': 623779, 'local loblaws at': 498159, 'loblaws at elmvale': 497622, 'at elmvale for': 98531, 'elmvale for my': 271589, 'for my ottawa': 323737, 'my ottawa peep': 549626, 'ottawa peep handwashing': 621911, 'peep handwashing sanitation': 646281, 'handwashing sanitation virus': 376856, 'positive reduced': 665419, 'something positive reduced': 785013, 'positive reduced price': 665420, 'tvjallangles': 936234, 'listen everywhere': 494677, 'because person': 119485, 'person do': 652400, 'listen so': 494714, 'supermarket gas': 820477, 'those place': 892348, 'place tvjallangles': 657786, 'you see when': 1021077, 'see when you': 746056, 'not listen everywhere': 570426, 'listen everywhere in': 494678, 'everywhere in italy': 288219, 'going to lock': 355646, 'lock down just': 499039, 'down just because': 256906, 'just because person': 468288, 'because person do': 119486, 'person do not': 652401, 'not listen so': 570428, 'listen so supermarket': 494715, 'so supermarket gas': 778310, 'supermarket gas station': 820478, 'station and all': 796331, 'of those place': 592111, 'those place tvjallangles': 892349, 'hidalgo': 394804, 'service organization': 752670, 'reported rise': 712522, 'product within': 681871, 'within recent': 1002416, 'week directly': 976159, 'subsequent stay': 815931, 'work safe': 1005681, 'safe order': 729867, 'by harris': 152758, 'harris county': 378503, 'judge lina': 467621, 'lina hidalgo': 492907, 'two local nonprofit': 937015, 'local nonprofit service': 498214, 'nonprofit service organization': 566702, 'service organization have': 752671, 'have reported rise': 382271, 'reported rise in': 712523, 'food product within': 316035, 'product within recent': 681872, 'within recent week': 1002417, 'recent week directly': 704015, 'week directly related': 976160, 'the subsequent stay': 868359, 'subsequent stay home': 815932, 'home work safe': 402557, 'work safe order': 1005682, 'safe order put': 729868, 'place by harris': 657372, 'by harris county': 152759, 'harris county judge': 378504, 'county judge lina': 211424, 'judge lina hidalgo': 467622, 'me yesterday': 524040, 'toiletpapercrisis walmart': 923127, 'me yesterday when': 524041, 'to walmart 19': 918312, 'walmart 19 toiletpaper': 965267, 'toiletpaper toiletpapercrisis walmart': 922674, 'really difficult': 702114, 'difficult not': 242246, 'finding it really': 307496, 'it really difficult': 460632, 'really difficult not': 702115, 'difficult not to': 242247, 'spend all my': 788570, 'all my time': 43572, 'my time shopping': 550376, 'online for thing': 608243, 'for thing don': 326992, 'thing don need': 884282, 'don need 19': 253751, 'pilling of': 656695, 'medicine across': 526707, 'across uk': 29553, '19 people stock': 9632, 'people stock pilling': 649618, 'stock pilling of': 802685, 'pilling of food': 656696, 'and medicine across': 66898, 'medicine across uk': 526708, 'across uk how': 29554, 'uk how can': 938465, 'how can not': 407507, 'can not panic': 159051, 'panic when go': 638777, 'and see an': 71129, 'see an empty': 744893, 'concern mount': 193017, 'mount the': 543411, 'list were': 494587, 'were few': 979619, 'american are stocking': 51818, '19 concern mount': 5921, 'concern mount the': 193018, 'mount the only': 543412, 'this list were': 888667, 'list were few': 494588, 'were few extra': 979620, 'spead': 787675, 'flicking': 310409, 'everyone online': 287234, 'online spead': 609405, 'spead positivity': 787676, 'positivity during': 665510, 'time jackass': 897087, 'jackass on': 464132, 'road ignoring': 724454, 'ignoring stop': 415922, 'stop sign': 805028, 'sign driving': 769108, 'driving on': 259984, 'road flicking': 724448, 'flicking people': 310410, 'possible grocery': 665664, 're fucking': 698719, 'fucking toxic': 340038, 'everyone online spead': 287236, 'online spead positivity': 609406, 'spead positivity during': 787677, 'positivity during this': 665511, 'this time jackass': 890656, 'time jackass on': 897088, 'jackass on the': 464133, 'the road ignoring': 865929, 'road ignoring stop': 724455, 'ignoring stop sign': 415923, 'stop sign driving': 805029, 'sign driving on': 769109, 'driving on the': 259985, 'the road flicking': 865927, 'road flicking people': 724449, 'flicking people off': 310411, 'people off all': 648934, 'off all running': 593626, 'all running to': 44218, 'running to any': 728115, 'to any possible': 900610, 'any possible grocery': 79669, 'possible grocery store': 665665, 'you re fucking': 1020630, 're fucking toxic': 698720, 'teachfromhome': 835543, 'puzzleoftheday': 691341, 'you solve': 1021298, 'solve our': 782153, 'our socialdistancing': 624813, 'socialdistancing puzzle': 780630, 'puzzle and': 691312, 'keeping 3m': 472361, '3m distance': 18315, 'else teachfromhome': 271902, 'teachfromhome puzzleoftheday': 835544, 'can you solve': 160333, 'you solve our': 1021299, 'solve our socialdistancing': 782154, 'our socialdistancing puzzle': 624814, 'socialdistancing puzzle and': 780631, 'puzzle and leave': 691313, 'and leave this': 66063, 'leave this supermarket': 485002, 'this supermarket while': 890439, 'supermarket while keeping': 823845, 'while keeping 3m': 986985, 'keeping 3m distance': 472362, '3m distance from': 18316, 'everyone else teachfromhome': 286880, 'else teachfromhome puzzleoftheday': 271903, 'so update': 778610, 'no bullshit': 563737, 'bullshit but': 142478, 'this scare': 889980, 'well younger': 978784, 'so update covid': 778611, 'scary no bullshit': 741164, 'no bullshit but': 563738, 'bullshit but this': 142479, 'but this scare': 147558, 'this scare me': 889982, 'scare me because': 740889, 'me because have': 522500, 'because have elderly': 119100, 'elderly grandparent who': 270693, 'grandparent who shop': 361995, 'who shop for': 989605, 'shop for well': 760209, 'for well younger': 327782, 'well younger brother': 978785, 'younger brother with': 1022681, 'brother with weakened': 141115, 'that but have': 843063, 'but have problem': 145881, 'problem with my': 679756, 'are online one': 88754, 'online one day': 608613, 'also old': 48607, 'old enough': 598239, 'without guardian': 1002699, 'guardian and': 367888, 'who prefer': 989444, 'risk everyone': 723522, 'time give': 896831, 'check half': 174454, 'my generation': 548487, 'generation find': 345610, 'make stay': 510490, 'complete school': 192145, 'school online': 741889, 're also old': 698270, 'also old enough': 48608, 'old enough to': 598240, 'enough to stay': 277725, 'stay home without': 797031, 'home without guardian': 402549, 'without guardian and': 1002700, 'guardian and student': 367889, 'student who prefer': 814805, 'who prefer to': 989445, 'prefer to risk': 669756, 'to risk everyone': 913593, 'risk everyone and': 723523, 'everyone and go': 286696, 'out shopping during': 627177, 'this time give': 890640, 'time give them': 896832, 'them reality check': 876207, 'reality check half': 701712, 'check half of': 174455, 'of my generation': 586773, 'my generation find': 548488, 'generation find this': 345611, 'find this joke': 307333, 'this joke and': 888548, 'joke and waste': 467051, 'of time make': 592178, 'time make stay': 897180, 'make stay indoors': 510491, 'indoors and complete': 435376, 'and complete school': 60231, 'complete school online': 192146, 'do doctor': 249232, 'business personnel': 144217, 'personnel deserve': 653095, 'praise for': 668843, 'they signed': 883396, 'do doctor nurse': 249233, 'essential business personnel': 280856, 'business personnel deserve': 144218, 'personnel deserve praise': 653096, 'deserve praise for': 238103, 'praise for still': 668844, 'for still going': 325904, 'work or are': 1005558, 'are they just': 91009, 'they just doing': 882493, 'just doing their': 468627, 'their job that': 873738, 'job that they': 466186, 'that they signed': 846952, 'they signed up': 883397, 'up for and': 944917, 'for and getting': 319322, 'and getting paid': 63622, 'validate': 951924, 'this excuse': 887480, 'excuse they': 289775, 'to validate': 918108, 'validate and': 951925, 'and approve': 58274, 'approve price': 83115, 'are posted': 89156, 'posted to': 666587, 'should honor': 766114, 'honor your': 403260, 'your pricing': 1025423, 'pricing travel': 677991, 'travel flight': 930361, 'shame on for': 754622, 'for this excuse': 327025, 'this excuse they': 887481, 'excuse they are': 289776, 'are giving you': 86865, 'giving you should': 351459, 'should have control': 766068, 'have control in': 380104, 'control in place': 202031, 'place to validate': 657779, 'to validate and': 918109, 'validate and approve': 951926, 'and approve price': 58275, 'approve price before': 83116, 'before they are': 123210, 'they are posted': 881363, 'are posted to': 89157, 'posted to the': 666588, 'public you should': 688507, 'you should honor': 1021197, 'should honor your': 766115, 'honor your pricing': 403261, 'your pricing travel': 1025424, 'pricing travel flight': 677992, 'eu procurement': 283258, 'procurement scheme': 680123, 'ventilator protective': 954596, 'kit confirmed': 475524, 'eu source': 283270, 'uk is not': 938484, 'is not participating': 450150, 'participating in eu': 642571, 'in eu procurement': 422622, 'eu procurement scheme': 283259, 'procurement scheme to': 680124, 'scheme to buy': 741591, 'to buy ventilator': 902332, 'buy ventilator protective': 149425, 'ventilator protective gear': 954597, 'gear for hospital': 344951, 'hospital staff or': 404641, 'staff or coronavirus': 792721, 'or coronavirus testing': 614832, 'coronavirus testing kit': 206889, 'testing kit confirmed': 839535, 'kit confirmed by': 475525, 'confirmed by uk': 194133, 'by uk and': 154625, 'and eu source': 62303, 'spar hypermarket': 787442, 'hypermarket us': 412366, 'us latest': 948530, 'latest technology': 481567, 'for body': 319706, 'temperature screening': 837398, 'screening 19': 742754, 'spar hypermarket us': 787443, 'hypermarket us latest': 412367, 'us latest technology': 948531, 'latest technology for': 481568, 'technology for body': 836301, 'for body temperature': 319707, 'body temperature screening': 133897, 'temperature screening 19': 837399, 'activity impact': 30437, 'impact per': 417922, 'per goldman': 650863, 'goldman investment': 356092, 'investment research': 444048, 'research 15': 713645, '15 healthcare': 3718, 'healthcare 20': 387011, 'good education': 356993, 'education social': 268865, 'service 50': 752023, '50 hotel': 19718, 'hotel food': 405148, 'service domestic': 752298, 'domestic service': 253226, 'service 65': 752027, '65 transportation': 21381, 'transportation casino': 929998, 'casino 80': 166724, '80 sport': 22632, 'sport live': 789945, 'live entertainment': 495796, 'entertainment tour': 278611, '19 consumer activity': 5950, 'consumer activity impact': 196022, 'activity impact per': 30438, 'impact per goldman': 417923, 'per goldman investment': 650864, 'goldman investment research': 356093, 'investment research 15': 444049, 'research 15 healthcare': 713646, '15 healthcare 20': 3719, 'healthcare 20 home': 387012, '20 home good': 13091, 'home good education': 401309, 'good education social': 356994, 'education social service': 268866, 'social service 50': 779955, 'service 50 hotel': 752024, '50 hotel food': 19719, 'hotel food service': 405149, 'food service domestic': 316412, 'service domestic service': 752299, 'domestic service 65': 253227, 'service 65 transportation': 752028, '65 transportation casino': 21382, 'transportation casino 80': 929999, 'casino 80 sport': 166725, '80 sport live': 22633, 'sport live entertainment': 789946, 'live entertainment tour': 495797, 'cbn': 168353, 'changed nigeria': 172518, 'nigeria by': 562723, 'force no': 328461, 'more foreign': 539275, 'foreign medical': 328989, 'medical trip': 526486, 'trip by': 932049, 'official cbn': 595774, 'cbn adopted': 168354, 'adopted uniform': 32693, 'uniform exchange': 941764, 'rate people': 697339, 'becomes official': 120243, 'official oil': 595863, 'fall petrol': 297025, 'will taking': 995089, 'taking of': 833467, 'of bribe': 580875, 'bribe on': 139572, 'road stop': 724515, 'corona virus ha': 204312, 'ha really changed': 371648, 'really changed nigeria': 702055, 'changed nigeria by': 172519, 'nigeria by force': 562724, 'by force no': 152630, 'force no more': 328462, 'no more foreign': 564805, 'more foreign medical': 539276, 'foreign medical trip': 328990, 'medical trip by': 526487, 'trip by government': 932050, 'by government official': 152713, 'government official cbn': 360409, 'official cbn adopted': 595775, 'cbn adopted uniform': 168355, 'adopted uniform exchange': 32694, 'uniform exchange rate': 941765, 'exchange rate people': 289468, 'rate people working': 697340, 'home becomes official': 400789, 'becomes official oil': 120244, 'official oil price': 595864, 'price fall petrol': 673794, 'fall petrol price': 297026, 'petrol price too': 653776, 'price too but': 677088, 'too but will': 924634, 'but will taking': 147889, 'will taking of': 995090, 'taking of bribe': 833468, 'of bribe on': 580876, 'bribe on the': 139573, 'the road stop': 865936, 'this gt': 887773, 'gt minnesota': 367619, 'of this gt': 591982, 'this gt minnesota': 887774, 'gt minnesota and': 367620, 'gould that': 359503, 'hoax is': 399722, 'be simply': 117195, 'simply stupid': 770298, 'get busy': 346721, 'busy hacking': 144910, 'hacking this': 372783, '95 gould that': 23582, 'gould that this': 359504, 'is hoax is': 448515, 'hoax is about': 399723, 'be proven to': 116591, 'to be simply': 901542, 'be simply stupid': 117196, 'simply stupid we': 770299, 'cannot go back': 161924, 'take the cure': 832643, 'the cure to': 852590, 'cure to eradicate': 220833, 'better get busy': 128299, 'get busy hacking': 346722, 'busy hacking this': 144911, 'hacking this will': 372784, 'have serious consequence': 382472, 'please ensure': 659963, 'for essential if': 321107, 'have to if': 383228, 'to if you': 908104, 'do please ensure': 249990, 'please ensure you': 659964, 'ensure you stay': 278131, 'this worse': 891526, 'hey panic shopper': 394475, 'panic shopper feel': 638554, 'making this worse': 511465, 'this worse by': 891527, 'employee to interact': 274329, 'connivence': 194740, 'these governor': 880063, 'and mayor': 66826, 'mayor declaring': 521943, 'declaring that': 231281, 'store connivence': 807140, 'connivence store': 194741, 'store hardware': 808058, 'employee ect': 273806, 'worker better': 1006528, 'better remember': 128444, 'that sh': 846217, 'sh when': 754306, 'come time': 187549, 'prioritize who': 678454, 'all these governor': 45036, 'these governor and': 880064, 'governor and mayor': 360858, 'and mayor declaring': 66827, 'mayor declaring that': 521944, 'declaring that grocery': 231282, 'grocery store connivence': 365295, 'store connivence store': 807141, 'connivence store hardware': 194742, 'store hardware store': 808059, 'hardware store employee': 378322, 'store employee ect': 807481, 'employee ect are': 273807, 'ect are essential': 268420, 'essential worker better': 281820, 'worker better remember': 1006529, 'better remember that': 128445, 'remember that sh': 710286, 'that sh when': 846218, 'sh when it': 754307, 'it come time': 457213, 'come time to': 187550, 'time to prioritize': 898032, 'to prioritize who': 912147, 'prioritize who the': 678455, 'who the first': 989750, 'get the vaccine': 348309, 'terre': 838388, 'haute': 379057, 'for 55': 318878, '55 here': 20381, 'in terre': 428870, 'terre haute': 838389, 'haute what': 379058, 'you these': 1021633, '19 catch': 5712, 'story tonight': 812144, 'amp 6pm': 53343, 'noticed how low': 573442, 'price are right': 672723, 'now just filled': 575152, 'filled up for': 305566, 'up for 55': 944913, 'for 55 here': 318879, '55 here in': 20382, 'here in terre': 393185, 'in terre haute': 428871, 'terre haute what': 838390, 'haute what if': 379059, 'told you these': 923798, 'you these low': 1021634, 'low price don': 505508, 'price don have': 673491, 'don have everything': 253597, 'have everything to': 380504, 'covid 19 catch': 212767, '19 catch my': 5713, 'catch my full': 167013, 'my full story': 548472, 'full story tonight': 340903, 'story tonight at': 812145, 'tonight at amp': 924374, 'at amp 6pm': 97962, 'amp 6pm on': 53344, 'street apparently': 812905, 'their vacation': 875107, 'vacation to': 951601, 'the iceland': 857815, 'propose goodnews': 684497, 'the street apparently': 868217, 'street apparently they': 812906, 'apparently they canceled': 82030, 'they canceled their': 881692, 'canceled their vacation': 160960, 'their vacation to': 875108, 'vacation to iceland': 951602, 'her to the': 392476, 'to the iceland': 916791, 'the iceland supermarket': 857816, 'iceland supermarket to': 412726, 'to propose goodnews': 912275, 'propose goodnews lovewins': 684498, 'announced emergency': 76941, 'added 43': 31542, '43 food': 18965, 'vega valley': 953836, 'combat those': 187059, 'bank said': 110148, 'said demand': 731041, '50 via': 19899, 'announced emergency food': 76942, 'emergency food fund': 272703, 'food fund and': 314638, 'fund and ha': 341356, 'and ha added': 64061, 'ha added 43': 369446, 'added 43 food': 31543, '43 food distribution': 18966, 'food distribution site': 314237, 'distribution site in': 248220, 'site in la': 771955, 'la vega valley': 478239, 'vega valley to': 953837, 'valley to combat': 951993, 'to combat those': 903011, 'combat those facing': 187060, 'those facing economic': 891985, 'least one food': 484583, 'food bank said': 313630, 'bank said demand': 110149, 'said demand ha': 731042, 'by 50 via': 151675, 'of homebound': 584724, 'homebound customer': 402609, 'right payment technology': 722225, 'payment technology to': 645751, 'technology to handle': 836390, 'influx of homebound': 437387, 'of homebound customer': 584725, 'homebound customer amid': 402610, 'bottle here': 136234, 'under coronavtj': 940056, 'sanitizer price surge': 735586, 'surge to 50': 828268, 'to 50 bottle': 899737, '50 bottle here': 19637, 'bottle here how': 136235, 'make it at': 510021, 'home for under': 401247, 'for under coronavtj': 327419, 'of register': 588884, 'weekly series': 977540, 'series assisting': 751230, 'assisting researcher': 96826, 'in understanding': 430422, 'behavior using': 124282, 'using mobile': 950557, 'mobile location': 534983, 'data 19': 226111, '19 socialdistanacing': 10670, 'research on the': 713802, 'impact of register': 417796, 'of register here': 588885, 'register here for': 707577, 'here for this': 393014, 'for this weekly': 327088, 'this weekly series': 891330, 'weekly series assisting': 977541, 'series assisting researcher': 751231, 'assisting researcher in': 96827, 'researcher in understanding': 713918, 'in understanding the': 430423, 'understanding the impact': 940891, 'consumer behavior using': 196533, 'behavior using mobile': 124283, 'using mobile location': 950558, 'mobile location data': 534984, 'location data 19': 498884, 'data 19 socialdistanacing': 226112, 'get four': 347086, 'diced italian': 240448, 'italian tomato': 462732, 'tomato in': 923950, 'different transaction': 242116, 'transaction stophoarding': 929471, 'no you can': 565944, 'can get four': 158417, 'get four can': 347087, 'can of diced': 159087, 'of diced italian': 582586, 'diced italian tomato': 240449, 'italian tomato in': 462733, 'tomato in two': 923951, 'in two different': 430357, 'two different transaction': 936893, 'different transaction stophoarding': 242117, 'iger': 415706, 'forgoes': 329387, 'bob iger': 133748, 'iger entertainment': 415707, 'entertainment highest': 278569, 'highest paid': 395842, 'paid executive': 634007, 'executive forgoes': 289892, 'forgoes salary': 329388, 'salary to': 731998, 'combat disney': 187007, 'disney coronavirus': 246035, 'hit disney': 398211, 'disney executive': 246039, 'executive salary': 289931, 'salary disney': 731967, 'disney channel': 246033, 'channel chairman': 172869, 'chairman bonus': 171326, 'bonus entertainment': 134361, 'entertainment movie': 278583, 'movie income': 544013, 'income money': 432411, 'bob iger entertainment': 133749, 'iger entertainment highest': 415708, 'entertainment highest paid': 278570, 'highest paid executive': 395843, 'paid executive forgoes': 634008, 'executive forgoes salary': 289893, 'forgoes salary to': 329389, 'salary to combat': 731999, 'to combat disney': 902995, 'combat disney coronavirus': 187008, 'disney coronavirus hit': 246036, 'coronavirus hit disney': 206082, 'hit disney executive': 398212, 'disney executive salary': 246040, 'executive salary disney': 289932, 'salary disney channel': 731968, 'disney channel chairman': 246034, 'channel chairman bonus': 172870, 'chairman bonus entertainment': 171327, 'bonus entertainment movie': 134362, 'entertainment movie income': 278584, 'movie income money': 544014, 'consider cancelling': 194968, 'cancelling your': 161229, 'order if': 618304, 'vulnerable or': 961068, 'or isolating': 615841, 'isolating to': 455156, 'up slot': 946009, 'usual slot': 951018, 'for distancing': 320765, 'distancing vulnerable': 247596, 'please please consider': 660300, 'please consider cancelling': 659810, 'consider cancelling your': 194969, 'cancelling your online': 161230, 'shopping order if': 763562, 'order if you': 618305, 'are not vulnerable': 88495, 'not vulnerable or': 572414, 'vulnerable or isolating': 961069, 'or isolating to': 615842, 'isolating to free': 455157, 'free up slot': 332288, 'up slot am': 946010, 'slot am going': 774101, 'person to free': 652657, 'free up my': 332287, 'up my usual': 945440, 'my usual slot': 550481, 'usual slot for': 951019, 'slot for distancing': 774178, 'for distancing vulnerable': 320766, 'distancing vulnerable and': 247597, 'vulnerable and isolating': 960862, 'and isolating people': 65462, 'isolating people we': 455137, 'we have duty': 971803, 'duty to do': 263615, 'vallourec': 952008, 'french pipe': 332748, 'pipe tube': 656882, 'tube producer': 935043, 'producer vallourec': 680708, 'vallourec is': 952009, 'off 900': 593611, 'america by': 51477, 'by mid': 153214, 'french pipe tube': 332749, 'pipe tube producer': 656883, 'tube producer vallourec': 935044, 'producer vallourec is': 680709, 'vallourec is planning': 952010, 'planning to lay': 658587, 'lay off 900': 482601, 'off 900 worker': 593612, '900 worker in': 23398, 'worker in north': 1007190, 'north america by': 567604, 'america by mid': 51478, 'by mid april': 153215, 'mid april due': 530552, 'due to collapse': 261733, 'to collapse in': 902954, 'meanwhile while': 525052, 'happening decides': 377345, 'meanwhile while the': 525053, 'is happening decides': 448280, 'happening decides to': 377346, 'decides to increase': 230954, 'their profit by': 874486, 'profit by increasing': 682690, '20 oilpricewar': 13222, 'major economy go': 509313, 'economy go into': 267898, 'into lockdown oil': 442717, 'wti fell into': 1013393, 'into the 20': 443093, 'the 20 oilpricewar': 847984, 'two girl': 936943, 'with my two': 999656, 'my two girl': 550449, 'pandemic reshaping': 636340, 'reshaping bank': 714201, 'bank marketing': 109997, 'marketing inc': 517623, 'reaction to pandemic': 700220, 'to pandemic reshaping': 911374, 'pandemic reshaping bank': 636341, 'reshaping bank marketing': 714202, 'bank marketing inc': 109998, 'be trippled': 117822, 'trippled by': 932311, 'the 25th': 848053, '25th the': 16113, 'time black': 896399, 'paid makro': 634074, 'makro to': 511530, 'you commercial': 1017993, 'commercial student': 188737, 'supply do': 825174, 'will be trippled': 992741, 'be trippled by': 117823, 'trippled by the': 932312, 'by the 25th': 154255, 'the 25th the': 848054, '25th the time': 16114, 'the time black': 869579, 'time black people': 896400, 'get paid makro': 347772, 'paid makro to': 634075, 'makro to all': 511531, 'to all you': 900306, 'all you commercial': 45535, 'you commercial student': 1017994, 'commercial student we': 188738, 'student we all': 814801, 'know the law': 476833, 'and supply do': 72783, 'supply do not': 825175, 'not say didn': 571439, 'say didn tell': 738574, 'didn tell you': 241229, 'fieri': 304552, '19 craze': 6191, 'craze watched': 215205, 'watched guy': 968658, 'guy fieri': 368991, 'fieri grocery': 304553, 'grocery game': 364550, 'two of covid': 937085, 'covid 19 craze': 212883, '19 craze watched': 6192, 'craze watched guy': 215206, 'watched guy fieri': 968659, 'guy fieri grocery': 368992, 'fieri grocery game': 304554, 'grocery game just': 364551, 'game just to': 343199, 'authority must': 103764, 'must urgently': 546970, 'planning control': 658529, 'control are': 201969, 'not barrier': 568337, 'retailer by': 719054, 'by distributor': 152378, 'the freight': 855788, 'industry amid': 435619, 'coronavirus 19uk': 205437, 'local authority must': 497717, 'authority must urgently': 103765, 'must urgently ensure': 546971, 'ensure that planning': 278066, 'that planning control': 845760, 'planning control are': 658530, 'control are not': 201970, 'are not barrier': 88331, 'not barrier to': 568338, 'barrier to food': 111368, 'food delivery to': 314155, 'delivery to retailer': 234668, 'to retailer by': 913457, 'retailer by distributor': 719055, 'by distributor and': 152379, 'distributor and the': 248275, 'and the freight': 73385, 'the freight industry': 855789, 'freight industry amid': 332693, 'industry amid the': 435620, 'amid the disruption': 52691, 'the coronavirus 19uk': 851798, 'fibonacci': 304400, 'stimuluscheck': 801635, 'free call': 331697, 'week bear': 975981, 'over not': 630444, 'close please': 182768, 'our silver': 624777, 'silver plan': 769841, 'this sucker': 890405, 'sucker rally': 816956, 'rally top': 696291, 'top we': 925758, 'the fibonacci': 855137, 'fibonacci target': 304401, 'stockmarketcrash2020 bearmarket': 803692, 'bearmarket dowjones': 118470, 'stock stimuluscheck': 802880, 'stimuluscheck nasdaq': 801636, 'free call of': 331698, 'call of the': 156018, 'the week bear': 871295, 'week bear market': 975982, 'bear market over': 118412, 'market over not': 516825, 'over not even': 630445, 'even close please': 283956, 'close please join': 182769, 'join our silver': 466815, 'our silver plan': 624778, 'silver plan and': 769842, 'plan and see': 658064, 'and see where': 71150, 'see where this': 746059, 'where this sucker': 985294, 'this sucker rally': 890406, 'sucker rally top': 816957, 'rally top we': 696292, 'top we have': 925759, 'have the fibonacci': 382983, 'the fibonacci target': 855138, 'fibonacci target price': 304402, 'target price stockmarketcrash2020': 834497, 'price stockmarketcrash2020 bearmarket': 676672, 'stockmarketcrash2020 bearmarket dowjones': 803693, 'bearmarket dowjones stock': 118471, 'dowjones stock stimuluscheck': 256358, 'stock stimuluscheck nasdaq': 802881, 'ojiwulila': 597751, 'ojiwulila covid': 597752, '19 ojiwulila': 8914, 'ojiwulila stay': 597754, 'sanitizers eat': 736266, 'immunity steam': 417432, 'steam if': 799290, 'flu or': 311439, 'cough sign': 208550, 'ojiwulila covid 19': 597753, 'covid 19 ojiwulila': 213511, '19 ojiwulila stay': 8915, 'ojiwulila stay home': 597755, 'stay home stock': 797009, 'up food wash': 944905, 'food wash hand': 317462, 'soap and use': 778931, 'and use sanitizers': 74783, 'use sanitizers eat': 949554, 'sanitizers eat food': 736267, 'food that boost': 317088, 'that boost your': 843009, 'your immunity steam': 1024458, 'immunity steam if': 417433, 'steam if you': 799291, 'got any flu': 358414, 'any flu or': 79228, 'flu or cough': 311440, 'or cough sign': 614846, 'dewitt': 240011, 'asian man': 95301, 'man target': 512262, 'of alleged': 579998, 'alleged racist': 45667, 'racist incident': 695316, 'incident at': 431411, 'in dewitt': 422242, 'dewitt new': 240012, 'york amid': 1016572, 'police man': 663086, 'man said': 512213, 'threatened while': 893793, 'amp wearing': 54824, 'protect grandmother': 684848, 'asian man target': 95302, 'man target of': 512263, 'target of alleged': 834483, 'of alleged racist': 579999, 'alleged racist incident': 45668, 'racist incident at': 695317, 'incident at wegmans': 431412, 'at wegmans supermarket': 101511, 'wegmans supermarket in': 977646, 'supermarket in dewitt': 820890, 'in dewitt new': 422243, 'dewitt new york': 240013, 'new york amid': 559918, 'york amid 19': 1016573, 'amid 19 pandemic': 52376, '19 pandemic police': 9430, 'pandemic police man': 636205, 'police man said': 663087, 'man said he': 512214, 'he wa threatened': 385623, 'wa threatened while': 963505, 'threatened while shopping': 893794, 'while shopping amp': 987262, 'shopping amp wearing': 761956, 'amp wearing face': 54825, 'face mask precaution': 294575, 'mask precaution to': 519134, 'precaution to protect': 669387, 'to protect grandmother': 912309, 'be staring': 117350, 'day following': 227609, 'following decline': 312719, 'outlet brought': 629032, 'out clear': 625853, 'consumer could be': 196992, 'could be staring': 208926, 'be staring at': 117351, 'staring at higher': 794145, 'higher cost of': 395560, 'cost of milk': 208054, 'coming day following': 188020, 'day following decline': 227610, 'following decline in': 312720, 'decline in supply': 231368, 'supply and high': 824724, 'demand in retail': 235676, 'in retail outlet': 427463, 'retail outlet brought': 718369, 'outlet brought about': 629033, 'about by panic': 24920, 'during this should': 263317, 'this should come': 890125, 'come out clear': 187463, 'out clear on': 625854, 'clear on this': 181298, 'boris many': 135482, 'off rather': 594103, 'than taken': 841195, 'affected giving': 34364, 'giving everyone': 351280, 'uk payout': 938617, 'payout is': 645793, 'coronacrisis boris many': 204528, 'boris many people': 135483, 'laid off rather': 479028, 'off rather than': 594104, 'rather than taken': 697552, 'than taken on': 841196, 'taken on sick': 833044, 'are skyrocketing the': 90169, 'skyrocketing the economy': 773454, 'economy is collapsing': 267994, 'is collapsing the': 446639, 'collapsing the poor': 186155, 'disproportionately affected giving': 246307, 'affected giving everyone': 34365, 'giving everyone in': 351281, 'the uk payout': 870263, 'uk payout is': 938618, 'payout is necessary': 645794, 'necessary to save': 554127, 'paper may': 640454, 'the poster': 864105, 'poster child': 666602, 'ongoing supermarket': 607696, 'supermarket scarcity': 822333, 'of newborn': 586993, 'newborn child': 560023, 'of infant': 585153, 'infant diaper': 436476, 'wipe could': 996217, 'pose even': 665093, 'greater problem': 363214, 'continues long': 201415, 'toilet paper may': 921353, 'paper may be': 640455, 'be the poster': 117647, 'the poster child': 864106, 'poster child of': 666603, 'the ongoing supermarket': 862257, 'ongoing supermarket scarcity': 607697, 'supermarket scarcity but': 822334, 'scarcity but for': 740825, 'but for parent': 145752, 'for parent of': 324391, 'parent of newborn': 641690, 'of newborn child': 586994, 'newborn child the': 560024, 'child the short': 176224, 'the short supply': 867083, 'supply of infant': 825632, 'of infant diaper': 585154, 'infant diaper and': 436477, 'diaper and baby': 240353, 'baby wipe could': 106735, 'wipe could pose': 996218, 'could pose even': 209514, 'pose even greater': 665094, 'even greater problem': 284138, 'greater problem if': 363215, 'problem if the': 679554, 'pandemic continues long': 635209, 'continues long term': 201416, 'gameplay': 343317, 'evolving gameplay': 288566, 'gameplay of': 343318, 'west asia': 980455, 'asia middle': 95195, 'east geopolitics': 265309, 'geopolitics surrounding': 345986, 'syrian civil': 831049, 'price battle': 672844, 'latest piece for': 481488, 'piece for on': 656301, 'for on and': 324063, 'and the evolving': 73355, 'the evolving gameplay': 854647, 'evolving gameplay of': 288567, 'gameplay of west': 343319, 'of west asia': 593030, 'west asia middle': 980456, 'asia middle east': 95196, 'middle east geopolitics': 530648, 'east geopolitics surrounding': 265310, 'geopolitics surrounding the': 345987, 'pandemic from the': 635474, 'from the syrian': 337894, 'the syrian civil': 869084, 'syrian civil war': 831050, 'civil war to': 179568, 'war to the': 966569, 'to the oil': 916918, 'oil price battle': 597056, 'year why': 1015105, 'they follow': 882126, 'market marketcrash': 516701, 'marketcrash wednesdaywisdom': 517429, 'oil is at': 596903, 'is at 25': 445846, 'at 25 barrel': 97549, '25 barrel lowest': 15846, 'barrel lowest in': 111246, 'lowest in the': 506178, 'last year why': 480745, 'year why the': 1015106, 'why the fuel': 991418, 'price at filling': 672800, 'filling station are': 305620, 'still up should': 801359, 'up should not': 945987, 'not they follow': 572067, 'they follow the': 882128, 'follow the market': 312537, 'the market marketcrash': 860133, 'market marketcrash wednesdaywisdom': 516702, 'asshole covid': 96519, 'household item for': 406864, 'item for anyone': 463267, 'for anyone panic': 319443, 'anyone panic buying': 80460, 'buying selfish asshole': 150996, 'selfish asshole covid': 748007, 'asshole covid 19': 96520, 'fall not': 296997, 'sure whether': 827829, 'the indirect': 858138, 'indirect effect': 435098, 'are calculated': 85142, 'calculated in': 155305, 'these estimate': 879975, 'estimate opec': 282258, 'especially russia': 280587, 'battle huge': 112800, 'huge budget': 409989, 'deficit due': 232243, 'to plunged': 911839, 'plunged oil': 661497, 'now the economy': 576039, 'economy is in': 268006, 'is in free': 448770, 'free fall not': 331809, 'fall not sure': 296998, 'not sure whether': 571854, 'sure whether the': 827830, 'whether the indirect': 985582, 'the indirect effect': 858139, 'indirect effect are': 435099, 'effect are calculated': 268973, 'are calculated in': 85143, 'calculated in these': 155306, 'in these estimate': 429841, 'these estimate opec': 879976, 'estimate opec country': 282259, 'opec country especially': 611854, 'country especially russia': 210621, 'especially russia will': 280588, 'russia will have': 728607, 'to battle huge': 901072, 'battle huge budget': 112801, 'huge budget deficit': 409990, 'budget deficit due': 141774, 'deficit due to': 232244, 'due to plunged': 261905, 'to plunged oil': 911840, 'plunged oil price': 661498, 'think widespread': 885785, 'widespread outbreak': 991853, 'you think widespread': 1021688, 'think widespread outbreak': 885786, 'widespread outbreak in': 991854, 'price in shop': 674730, 'forget article': 329235, 'on chic': 599899, 'chic home': 175634, 'home wear': 402463, 'wear here': 974362, 'look perfect': 502568, 'for park': 324393, 'park walk': 642021, 'forget article on': 329236, 'article on chic': 94402, 'on chic home': 599900, 'chic home wear': 175635, 'home wear here': 402464, 'wear here is': 974363, 'here is your': 393263, 'is your look': 454153, 'your look perfect': 1024743, 'look perfect for': 502569, 'perfect for park': 651294, 'for park walk': 324394, 'park walk amp': 642022, 'walk amp supermarket': 964736, 'amp supermarket aisle': 54584, 'inspecting': 439760, 'overcharged': 631093, 'actively inspecting': 30317, 'inspecting store': 439761, 'complaint if': 191982, 'were overcharged': 979957, 'overcharged on': 631094, 'item service': 463629, '19 face': 6915, 'mask disinfecting': 518577, 'disinfecting spray': 245877, 'spray wipe': 790345, 'glove file': 352683, 'at cc': 98213, 'are actively inspecting': 84207, 'actively inspecting store': 30318, 'inspecting store based': 439762, 'store based on': 806650, 'on consumer complaint': 600033, 'consumer complaint if': 196853, 'complaint if you': 191983, 'you were overcharged': 1022253, 'were overcharged on': 979958, 'overcharged on any': 631095, 'on any item': 599400, 'any item service': 79375, 'item service needed': 463630, 'covid 19 face': 213066, '19 face mask': 6916, 'face mask disinfecting': 294533, 'mask disinfecting spray': 518578, 'disinfecting spray wipe': 245878, 'spray wipe hand': 790346, 'and glove file': 63718, 'glove file complaint': 352684, 'complaint at cc': 191947, 'iraq low': 444775, 'low revenue': 505577, 'iraq low oil': 444776, 'price low revenue': 675119, 'low revenue and': 505578, 'revenue and hit': 720376, 'and hit with': 64626, 'hit with covid': 398511, 'forecasting amp': 328897, 'in forecasting amp': 423037, 'forecasting amp demand': 328898, 'amp demand planning': 53631, 'his tip in': 397864, 'opportunity career': 613596, 'career online': 164348, 'online entertainment': 608168, 'entertainment robot': 278599, 'robot artificial': 724788, 'service automation': 752163, 'education healthcare': 268829, 'healthcare startup': 387293, 'startup remote': 795125, 'collaboration tool': 185934, 'tool global': 925415, 'global banking': 351749, 'banking amp': 110403, '19 new opportunity': 8771, 'new opportunity career': 559222, 'opportunity career online': 613597, 'career online entertainment': 164349, 'online entertainment robot': 608169, 'entertainment robot artificial': 278600, 'robot artificial intelligence': 724789, 'artificial intelligence and': 94523, 'intelligence and service': 440991, 'and service automation': 71297, 'service automation online': 752164, 'automation online grocery': 104021, 'shopping and fresh': 761987, 'produce delivery online': 680235, 'delivery online education': 234260, 'online education healthcare': 608159, 'education healthcare startup': 268830, 'healthcare startup remote': 387294, 'startup remote collaboration': 795126, 'remote collaboration tool': 710700, 'collaboration tool global': 185935, 'tool global banking': 925416, 'global banking amp': 351750, 'banking amp finance': 110404, 'changing old': 172761, 'habit often': 372664, 'than little': 840847, 'little nudge': 495488, 'nudge according': 576767, 'commerce 2020': 188506, 'report 31': 711777, 'respondent say': 715385, 'completely shift': 192351, 'changing old habit': 172762, 'old habit often': 598287, 'habit often take': 372665, 'often take more': 596281, 'more than little': 540642, 'than little nudge': 840848, 'little nudge according': 495489, 'nudge according to': 576768, 'to consumer commerce': 903280, 'consumer commerce 2020': 196814, 'commerce 2020 covid': 188507, '19 trend report': 11579, 'trend report 31': 931431, 'report 31 of': 711778, '31 of respondent': 17602, 'of respondent say': 589001, 'respondent say they': 715386, 'they will completely': 883832, 'will completely shift': 992984, 'completely shift to': 192352, 'coronavirus what doe': 207061, 'tsutomu': 934978, 'watanabe': 968345, 'tsutomu watanabe': 934979, 'watanabe news': 968346, 'news en': 560383, 'en compare': 275374, 'shock with': 759547, 'in 2011': 419762, '2011 another': 13765, 'another large': 77691, 'scale natural': 739899, 'tsutomu watanabe news': 934980, 'watanabe news en': 968347, 'news en compare': 560384, 'en compare the': 275375, 'compare the response': 191410, 'price in of': 674716, 'in of the': 426058, 'of the shock': 591457, 'the shock with': 866969, 'shock with the': 759548, 'with the tohoku': 1001519, 'tohoku earthquake in': 921117, 'earthquake in 2011': 265037, 'in 2011 another': 419763, '2011 another large': 13766, 'another large scale': 77692, 'large scale natural': 479787, 'scale natural disaster': 739900, 'natural disaster that': 552825, 'disaster that hit': 244253, 'hit the country': 398425, 'another story': 77875, 'crisis bradpaisley': 217135, 'bradpaisley thankyou': 137551, 'another story of': 77876, 'of people stepping': 587991, 'stepping up in': 799816, 'up in time': 945189, 'of crisis bradpaisley': 582150, 'crisis bradpaisley thankyou': 217137, '5167er': 20228, '5167er charity': 20229, 'clearly raising': 181547, 'raising some': 696136, 'some future': 782933, 'future union': 342498, 'healthcare trucker': 387324, 'convenience storr': 202363, 'storr employee': 811876, 'employee gas': 273879, 'attendant waste': 102385, 'waste water': 968214, 'water member': 969063, '5167er charity is': 20230, 'charity is clearly': 173649, 'is clearly raising': 446559, 'clearly raising some': 181548, 'raising some future': 696137, 'some future union': 782934, 'future union member': 342499, 'union member we': 941907, 'member we appreciate': 528234, 'appreciate all frontline': 82703, 'worker healthcare trucker': 1007112, 'healthcare trucker grocery': 387325, 'store employee convenience': 807472, 'employee convenience storr': 273736, 'convenience storr employee': 202364, 'storr employee gas': 811877, 'employee gas station': 273880, 'station attendant waste': 796361, 'attendant waste water': 102386, 'waste water member': 968215, 'water member and': 969064, 'member and many': 528013, 'many more so': 514314, 'more so do': 540415, 'so do your': 776890, 'stay home 19': 796933, 'getting big': 348871, 'are getting big': 86795, 'getting big boost': 348872, 'big boost from': 129652, 'boost from here': 134961, 'from here why': 335786, 'griftiest': 363932, 'opportunistically': 613577, 'produced one': 680529, 'the griftiest': 856788, 'griftiest opportunistically': 363933, 'opportunistically driven': 613578, 'driven crisis': 259296, 'response think': 715817, 'from account': 334380, 'account wanting': 28773, 'tweet stats': 936400, 'stats to': 796632, 'who filled': 988741, 'filled his': 305538, 'his garage': 397467, 'garage hand': 343485, 'test cure': 838965, 'this outbreak ha': 889321, 'outbreak ha already': 628263, 'ha already produced': 369514, 'already produced one': 47594, 'produced one of': 680530, 'of the griftiest': 591080, 'the griftiest opportunistically': 856789, 'griftiest opportunistically driven': 363934, 'opportunistically driven crisis': 613579, 'driven crisis response': 259297, 'crisis response think': 217976, 'response think ve': 715818, 'think ve ever': 885738, 'ever seen from': 285488, 'seen from account': 747025, 'from account wanting': 334381, 'account wanting to': 28774, 'wanting to tweet': 966314, 'to tweet stats': 917860, 'tweet stats to': 936401, 'stats to the': 796633, 'guy who filled': 369228, 'who filled his': 988742, 'filled his garage': 305539, 'his garage hand': 397468, 'garage hand sanitizer': 343486, 'sanitizer to those': 735951, 'to those selling': 917520, 'selling fake test': 749238, 'fake test cure': 296718, 'test cure and': 838966, 'cure and much': 220701, 'complies': 192499, 'sanitizer unless': 735984, 'unless your': 942683, 'company complies': 190558, 'complies with': 192500, 'fda regulation': 300910, 'regulation our': 708094, 'own explains': 631974, 'hand sanitizer unless': 375635, 'sanitizer unless your': 735985, 'unless your company': 942684, 'your company complies': 1023282, 'company complies with': 190559, 'complies with fda': 192501, 'with fda regulation': 998400, 'fda regulation our': 300911, 'regulation our own': 708095, 'our own explains': 624203, 'own explains why': 631975, 'explains why the': 292264, 'why the crisis': 991411, 'the crisis may': 852409, 'crisis may change': 217707, 'may change that': 521081, 'change that at': 172278, 'these firefighter': 880012, 'firefighter surprised': 308232, 'surprised covid': 828573, 'infected firefighter': 436573, 'firefighter with': 308240, 'warm greeting': 966877, 'greeting outside': 363810, 'hospital room': 404592, 'these firefighter surprised': 880013, 'firefighter surprised covid': 308233, 'surprised covid 19': 828574, '19 infected firefighter': 7841, 'infected firefighter with': 436574, 'firefighter with sign': 308241, 'with sign and': 1000732, 'sign and warm': 769095, 'and warm greeting': 75191, 'warm greeting outside': 966878, 'greeting outside his': 363811, 'outside his hospital': 629451, 'his hospital room': 397518, 'catch or': 167018, 'or spread': 617186, 'virus make': 958479, 'make purchasing': 510371, 'purchasing amp': 689828, 'amp donating': 53670, 'donating basketball': 254434, 'basketball risky': 112439, 'normally an': 567480, 'option delivery': 614014, 'facing interruption': 295505, 'interruption amp': 442121, 'amp delay': 53617, 'is hazardous': 448345, 'hazardous well': 384597, 'opportunity to catch': 613697, 'to catch or': 902503, 'catch or spread': 167019, 'or spread the': 617187, 'spread the covid': 790819, '19 virus make': 11818, 'virus make purchasing': 958480, 'make purchasing amp': 510372, 'purchasing amp donating': 689829, 'amp donating basketball': 53671, 'donating basketball risky': 254435, 'basketball risky thing': 112440, 'do and while': 249075, 'and while online': 75569, 'shopping is normally': 763063, 'is normally an': 450015, 'normally an option': 567481, 'an option delivery': 56680, 'option delivery service': 614015, 'service are facing': 752135, 'are facing interruption': 86420, 'facing interruption amp': 295506, 'interruption amp delay': 442122, 'amp delay it': 53618, 'delay it possible': 232721, 'it possible the': 460392, 'possible the handling': 665813, 'handling of item': 376367, 'of item is': 585485, 'item is hazardous': 463385, 'is hazardous well': 448346, 'gp also': 361400, 'said everything': 731060, 'fine yeah': 307733, 'just read the': 469564, 'story of someone': 812072, 'physical contact with': 655395, 'positive person then': 665411, 'person then went': 652644, 'went to crowded': 979147, 'crowded supermarket the': 219362, 'day because they': 227361, 'they had bad': 882238, 'and their doctor': 73682, 'their doctor gp': 873052, 'doctor gp also': 250934, 'gp also said': 361401, 'also said everything': 48817, 'said everything wa': 731061, 'everything wa fine': 288074, 'wa fine yeah': 962132, 'fine yeah go': 307734, 'buy in summary': 148818, 'bank dilemma': 109768, 'dilemma more': 242858, 'volunteer older': 960304, 'older volunteer': 598686, 'have complicated': 380061, 'complicated effort': 192460, 'food bank dilemma': 313552, 'bank dilemma more': 109769, 'dilemma more demand': 242859, 'more demand fewer': 538989, 'fewer volunteer older': 304246, 'volunteer older volunteer': 960305, 'older volunteer have': 598687, 'volunteer have been': 960277, 'home and call': 400620, 'and call for': 59413, 'call for socialdistancing': 155891, 'for socialdistancing have': 325709, 'socialdistancing have complicated': 780411, 'have complicated effort': 380062, 'complicated effort to': 192461, 'effort to package': 269635, 'to package and': 911351, 'package and distribute': 633213, '50p': 20189, 'owner charging': 632422, 'for 50p': 318876, '50p hand': 20190, 'sanitiser if': 733973, 'catch any': 166980, 'standard credit': 793647, 'to whomever': 918585, 'whomever the': 990577, 'video belongs': 956634, 'shop owner charging': 760643, 'owner charging 99': 632423, '99 for 50p': 23820, 'for 50p hand': 318877, '50p hand sanitiser': 20191, 'hand sanitiser if': 375235, 'sanitiser if you': 733974, 'you catch any': 1017906, 'catch any shop': 166981, 'any shop selling': 79798, 'shop selling for': 760749, 'selling for inflated': 749258, 'inflated price take': 437072, 'price take photo': 676750, 'take photo or': 832491, 'or video where': 617672, 'video where possible': 956959, 'where possible and': 985118, 'possible and report': 665573, 'and report the': 70270, 'report the shop': 712346, 'shop to trading': 760961, 'trading standard credit': 928925, 'standard credit to': 793648, 'credit to whomever': 216543, 'to whomever the': 918586, 'whomever the video': 990578, 'the video belongs': 870741, 'video belongs to': 956635, 'foodchat': 317880, 'buying foodchat': 150347, 'foodchat via': 317881, 'impacting food choice': 418225, 'food choice and': 313931, 'choice and consumer': 177729, 'consumer buying foodchat': 196705, 'buying foodchat via': 150348, 'noonlineshopping': 566881, 'your saturday': 1025683, 'good spent': 357754, 'five hour': 309620, 'hour doing': 405545, 'in romania': 427536, 'romania only': 725734, 'discover that': 244663, 'delivery window': 234747, 'available till': 104633, 'till next': 896063, 'next friday': 561377, 'friday same': 333282, 'problem on': 679634, 'store noonlineshopping': 809094, 'hope your saturday': 403820, 'your saturday wa': 1025684, 'saturday wa good': 737077, 'wa good spent': 962241, 'good spent the': 357755, 'last five hour': 480223, 'five hour doing': 309621, 'hour doing online': 405546, 'live in romania': 495884, 'in romania only': 427537, 'romania only to': 725735, 'only to discover': 611357, 'to discover that': 904368, 'discover that there': 244664, 'no delivery window': 563995, 'delivery window available': 234748, 'window available till': 995667, 'available till next': 104634, 'till next friday': 896064, 'next friday same': 561378, 'friday same problem': 333283, 'same problem on': 733249, 'problem on different': 679635, 'on different online': 600318, 'different online store': 242007, 'online store noonlineshopping': 609459, 'your waste': 1026303, 'idiot know not': 413540, 'buy your waste': 149502, 'your waste of': 1026304, 'waste of food': 968161, 'and money people': 67113, 'money people do': 536967, 'that they buy': 846925, 'they buy the': 881594, 'so they put': 778477, 'put themselves and': 690896, 'family in it': 297918, 'in it to': 424277, 'my bandana': 547395, 'bandana on': 109382, 'mouth the': 543565, 'guard wa': 367860, 'pull her': 688857, 'her weapon': 392515, 'weapon on': 974252, 'me damn': 522636, 'damn can': 225328, '19 bullet': 5470, 'bullet do': 142422, 'my facemask': 548172, 'with my bandana': 999610, 'my bandana on': 547396, 'bandana on my': 109383, 'my face to': 548164, 'face to cover': 294814, 'to cover my': 903658, 'cover my nose': 212260, 'my nose and': 549519, 'and mouth the': 67287, 'mouth the security': 543566, 'security guard wa': 744630, 'guard wa ready': 367861, 'wa ready to': 963053, 'ready to pull': 700970, 'to pull her': 912494, 'pull her weapon': 688858, 'her weapon on': 392516, 'weapon on me': 974253, 'on me damn': 602067, 'me damn can': 522637, 'damn can protect': 225329, 'can protect myself': 159323, 'protect myself from': 684875, 'myself from covid': 550864, 'covid 19 bullet': 212740, '19 bullet do': 5471, 'bullet do not': 142423, 'think my facemask': 885411, 'my facemask can': 548173, 'fridaymorning': 333340, 'climatefriday': 182258, 'fridaymorning reading': 333341, 'reading climatefriday': 700743, 'climatefriday average': 182259, 'average pump': 104891, 'in 16': 419702, '16 state': 4172, 'state sat': 795915, 'sat below': 736892, 'gallon thursday': 343065, 'thursday gas': 895377, 'plummet around': 661259, 'fridaymorning reading climatefriday': 333342, 'reading climatefriday average': 700744, 'climatefriday average pump': 182260, 'average pump price': 104892, 'pump price in': 689089, 'price in 16': 674646, 'in 16 state': 419703, '16 state sat': 4173, 'state sat below': 795916, 'sat below per': 736893, 'per gallon thursday': 650859, 'gallon thursday gas': 343066, 'thursday gas price': 895378, 'price plummet around': 675896, 'plummet around the': 661260, 'country the wipe': 211136, 'the wipe out': 871619, 'wipe out demand': 996347, 'week reporting': 976812, 'coming week reporting': 188287, 'week reporting 12': 976813, 'sanitizer towel': 735967, 'paper through': 640909, 'amazon reasonable': 51088, 'price store': 676678, 'out going': 626221, 'on 4th': 599104, '4th wk': 19545, 'wk people': 1003215, 'shipment gone': 758753, 'free nice': 331997, 'nice get': 562404, 'tested though': 839378, 'sanitizer towel toilet': 735968, 'toilet paper through': 921492, 'paper through amazon': 640910, 'through amazon reasonable': 894314, 'amazon reasonable price': 51089, 'reasonable price store': 703128, 'price store here': 676679, 'here been out': 392811, 'been out going': 121620, 'out going on': 626222, 'going on 4th': 355295, 'on 4th wk': 599105, '4th wk people': 19546, 'wk people hoarding': 1003216, 'people hoarding get': 648272, 'hoarding get shipment': 399333, 'get shipment gone': 347973, 'shipment gone in': 758754, 'complaining free nice': 191900, 'free nice get': 331998, 'nice get tested': 562405, 'get tested though': 348193, 'tested though hate': 839379, 'sobbing': 779361, 'so heartbreaking': 777286, 'heartbreaking on': 388389, 'on cnn': 599957, 'cnn 27': 184745, 'old african': 598118, 'american woman': 52318, 'of without': 593215, 'glove her': 352718, 'mother sobbing': 543166, 'sobbing with': 779362, 'with grief': 998689, 'grief describes': 363902, 'describes that': 237964, 'last check': 480143, 'her totaling': 392482, 'totaling 20': 926279, 'story is so': 812024, 'is so heartbreaking': 452015, 'so heartbreaking on': 777287, 'heartbreaking on cnn': 388390, 'on cnn 27': 599958, 'cnn 27 year': 184746, 'year old african': 1014807, 'old african american': 598119, 'african american woman': 35173, 'american woman who': 52319, 'grocery store died': 365330, 'store died of': 807313, 'died of without': 241596, 'of without mask': 593216, 'and glove her': 63723, 'glove her mother': 352719, 'her mother sobbing': 392204, 'mother sobbing with': 543167, 'sobbing with grief': 779363, 'with grief describes': 998690, 'grief describes that': 363903, 'describes that the': 237965, 'company gave her': 190693, 'gave her daughter': 344617, 'her daughter last': 391987, 'daughter last check': 226882, 'last check to': 480144, 'check to her': 174686, 'to her totaling': 907711, 'her totaling 20': 392483, 'toiletpaper try': 922777, 'try ebay': 934470, 'from seller': 337206, 'got 12': 358365, 'for 23': 318768, '23 from': 15390, 'from california': 334793, 'california seller': 155569, 'seller coronapocolypse': 749004, 'coronapocolypse your': 205256, 'of toiletpaper try': 592287, 'toiletpaper try ebay': 922778, 'try ebay you': 934471, 'ebay you can': 266509, 'get in bulk': 347291, 'in bulk from': 421036, 'bulk from seller': 142306, 'from seller for': 337207, 'seller for reasonable': 749023, 'for reasonable price': 325010, 'reasonable price just': 703123, 'price just got': 674974, 'just got 12': 468846, 'got 12 for': 358366, '12 for 23': 2858, 'for 23 from': 318769, '23 from california': 15391, 'from california seller': 334794, 'california seller coronapocolypse': 155570, 'seller coronapocolypse your': 749005, 'coronapocolypse your welcome': 205257, '020': 803, '3738': 18103, 'the wuhancoronavirus': 872123, 'wuhancoronavirus unfairly': 1013547, 'unfairly increasing': 941459, 'report pandemic': 712163, 'profiteer to': 682989, 'authority general': 103725, 'general enquiry': 345332, 'enquiry gov': 277813, 'uk 020': 938141, '020 3738': 804, '3738 600': 18104, 'some business are': 782446, 'business are exploiting': 143362, 'exploiting the wuhancoronavirus': 292463, 'the wuhancoronavirus unfairly': 872124, 'wuhancoronavirus unfairly increasing': 1013548, 'unfairly increasing price': 941460, 'increasing price report': 433679, 'price report pandemic': 676185, 'report pandemic profiteer': 712164, 'pandemic profiteer to': 636246, 'profiteer to the': 682990, 'market authority general': 516059, 'authority general enquiry': 103726, 'general enquiry gov': 345333, 'enquiry gov uk': 277814, 'gov uk 020': 359725, 'uk 020 3738': 938142, '020 3738 600': 805, 'mairaj': 509181, 'mairaj who': 509182, 'who opened': 989383, 'trade item': 928521, 'get delivered': 346857, 'afghanistan when': 34939, 'mairaj who opened': 509183, 'who opened the': 989384, 'opened the route': 612763, 'the route for': 866014, 'route for trade': 726460, 'for trade item': 327305, 'trade item to': 928522, 'to get delivered': 906454, 'get delivered in': 346858, 'delivered in afghanistan': 233344, 'in afghanistan when': 420080, 'afghanistan when there': 34940, 'when there wa': 984234, 'there wa shortage': 879271, 'wa shortage of': 963214, 'and corona at': 60561, 'corona at it': 203814, 'apprised': 82921, 'he mean': 385226, 'been nice': 121564, 'receive some': 703541, 'based apprised': 111506, 'apprised to': 82922, 'to developer': 904253, 'developer based': 239755, 'think what he': 885780, 'what he mean': 981587, 'he mean is': 385227, 'mean is due': 524500, 'it would ve': 462609, 've been nice': 952907, 'been nice to': 121566, 'nice to receive': 562494, 'to receive some': 912933, 'receive some information': 703542, 'some information that': 783120, 'information that wa': 437999, 'that wa more': 847298, 'wa more consumer': 962648, 'more consumer based': 538873, 'consumer based apprised': 196407, 'based apprised to': 111507, 'apprised to developer': 82923, 'to developer based': 904254, 'of rwanda': 589194, 'rwanda suspended': 728751, 'and encouraged': 62101, 'encouraged people': 275657, 'possible rwandan': 665763, 'coronavirus after government': 205466, 'after government of': 35733, 'government of rwanda': 360403, 'of rwanda suspended': 589195, 'rwanda suspended all': 728752, 'suspended all public': 829603, 'all public and': 44087, 'public and social': 687856, 'and social gathering': 71887, 'gathering and encouraged': 344431, 'and encouraged people': 62102, 'encouraged people to': 275658, 'home where possible': 402487, 'where possible rwandan': 985120, 'possible rwandan are': 665764, 'squashed': 791516, 'ha squashed': 372032, 'squashed diamond': 791517, 'diamond miner': 240329, 'miner hope': 532960, 'in sector': 427770, 'weak price': 974040, 'since 2018': 770475, 'coronavirus pandemic worldwide': 206509, 'pandemic worldwide ha': 637051, 'worldwide ha squashed': 1010366, 'ha squashed diamond': 372033, 'squashed diamond miner': 791518, 'diamond miner hope': 240330, 'miner hope of': 532961, 'hope of recovery': 403576, 'of recovery in': 588847, 'recovery in sector': 705348, 'in sector that': 427771, 'sector that ha': 744349, 'ha been severely': 369918, 'been severely hit': 121934, 'hit by weak': 398189, 'by weak price': 154706, 'weak price and': 974041, 'and demand since': 61169, 'demand since 2018': 236222, 'india appreciate': 434308, 'effort fighting': 269510, 'consider hardship': 195009, 'hardship faced': 378287, 'the importer': 857989, 'importer it': 419200, 'india appreciate all': 434309, 'your effort fighting': 1023626, 'effort fighting with': 269511, '19 please consider': 9713, 'please consider hardship': 659815, 'consider hardship faced': 195010, 'hardship faced by': 378288, 'faced by the': 295015, 'by the importer': 154355, 'the importer it': 857990, 'importer it is': 419201, 'to consider their': 903240, 'consider their operational': 195149, 'their operational cost': 874123, 'operational cost and': 613304, 'cost and to': 207866, 'and to reduce': 74193, 'reduce the domestic': 705959, 'the domestic price': 853530, 'nycprep': 578088, 'nation network': 552262, 'bank pantry': 110089, 'work american': 1004740, 'american nycprep': 52105, 'simply no way': 770246, 'no way the': 565870, 'way the nation': 969939, 'the nation network': 861251, 'nation network of': 552263, 'food bank pantry': 313613, 'bank pantry and': 110090, 'pantry and soup': 639524, 'and soup kitchen': 72020, 'soup kitchen are': 786392, 'kitchen are going': 475699, 'demand from out': 235542, 'of work american': 593238, 'work american nycprep': 1004741, 'for tomorrow': 327273, 'store guess': 807983, 'winter scarf': 996142, 'scarf glove': 741071, 'glove cause': 352628, 'closest thing': 183540, 'to protective': 912354, 'gear that': 344988, 'that own': 845628, 'own wednesdaythoughts': 632303, 'making list for': 511169, 'list for tomorrow': 494331, 'for tomorrow and': 327274, 'tomorrow and wondering': 924029, 'wondering if am': 1004166, 'if am suppose': 413806, 'suppose to wear': 827333, 'and glove while': 63749, 'glove while at': 353033, 'grocery store guess': 365445, 'store guess ll': 807984, 'guess ll be': 368000, 'll be showing': 496629, 'be showing up': 117170, 'showing up with': 767555, 'up with my': 946664, 'with my winter': 999659, 'my winter scarf': 550619, 'winter scarf glove': 996143, 'scarf glove cause': 741072, 'glove cause it': 352629, 'cause it the': 167622, 'it the closest': 461520, 'the closest thing': 851042, 'closest thing to': 183542, 'thing to protective': 884898, 'to protective gear': 912356, 'protective gear that': 685763, 'gear that own': 344989, 'that own wednesdaythoughts': 845629, 'by consuming': 152197, 'consuming food': 199797, 'recommend hygiene': 704695, 'hygiene practice': 412139, 'practice while': 668703, 'consumer report say': 198725, 'report say there': 712230, 'evidence that coronavirus': 288391, 'that coronavirus is': 843331, 'coronavirus is spread': 206173, 'is spread by': 452182, 'spread by consuming': 790461, 'by consuming food': 152198, 'consuming food but': 199798, 'they do recommend': 881972, 'do recommend hygiene': 250034, 'recommend hygiene practice': 704696, 'hygiene practice while': 412141, 'practice while grocery': 668704, 'hadleygamble': 373835, 'threatening place': 893820, 'producer part': 680684, 'my chat': 547665, 'with hadleygamble': 998719, 'hadleygamble and': 373836, 'how is threatening': 408115, 'is threatening place': 453141, 'threatening place the': 893821, 'place the world': 657725, 'world top oil': 1010104, 'oil producer part': 597343, 'producer part of': 680685, 'of my chat': 586741, 'my chat with': 547666, 'chat with hadleygamble': 173975, 'with hadleygamble and': 998720, 'boe wa': 133928, 'earlier hoping': 264454, 'tell story': 837068, 'story year': 812168, 'how during': 407769, 'walk 10': 964724, 'mile each': 531384, 'each way': 264325, 'boe wa thinking': 133929, 'wa thinking of': 963490, 'thinking of this': 885974, 'of this earlier': 591964, 'this earlier hoping': 887327, 'earlier hoping we': 264455, 'hoping we do': 403965, 'not tell story': 571947, 'tell story year': 837069, 'story year from': 812169, 'year from now': 1014578, 'from now about': 336606, 'now about how': 573928, 'about how during': 25433, 'how during covid': 407770, '19 we had': 11931, 'to walk 10': 918298, 'walk 10 mile': 964725, '10 mile each': 1521, 'mile each way': 531385, 'each way to': 264326, 'to supermarket without': 915860, 'supermarket without mask': 823954, 'without mask to': 1002779, 'mask to buy': 519394, 'ixworth': 464076, 'done ixworth': 254910, 'ixworth we': 464077, 'our from': 623191, 'well done ixworth': 978187, 'done ixworth we': 254911, 'ixworth we all': 464078, 'we all our': 970348, 'all our from': 43808, 'our from the': 623192, 'the to to': 869695, 'to and staff': 900523, 'and staff who': 72203, 'berlin supermarket is': 127350, 'is like do': 449313, 'like do people': 490127, 'do people eat': 249970, 'people eat the': 647762, 'eat the toilet': 266069, 'paper 19 corona': 639756, 'socialmediaguru365': 781105, 'madness sobeys': 508211, 'sobeys calgary': 779376, 'calgary shopping': 155427, 'supermarket socialmediaguru365': 822763, 'socialmediaguru365 marketing': 781106, 'marketing socialmedia': 517703, 'supermarket madness sobeys': 821430, 'madness sobeys calgary': 508212, 'sobeys calgary shopping': 779377, 'calgary shopping supermarket': 155428, 'shopping supermarket socialmediaguru365': 764019, 'supermarket socialmediaguru365 marketing': 822764, 'socialmediaguru365 marketing socialmedia': 781107, 'much concerned': 544803, 'getting am': 348832, 'am when': 50560, 'much inevitable': 545012, 'inevitable if': 436384, 'affect me': 34180, 'me badly': 522493, 'badly enough': 108150, 'be hospitalized': 115304, 'hospitalized will': 404844, 'there ventilator': 879213, 'ventilator available': 954542, 'so much concerned': 777769, 'much concerned about': 544804, 'concerned about getting': 193155, 'about getting am': 25297, 'getting am when': 348833, 'am when going': 50561, 'get it being': 347398, 'it being manager': 456827, 'being manager at': 125418, 'manager at grocery': 512685, 'store it pretty': 808590, 'it pretty much': 460443, 'pretty much inevitable': 671457, 'much inevitable if': 545013, 'inevitable if it': 436385, 'if it affect': 414284, 'it affect me': 456285, 'affect me badly': 34181, 'me badly enough': 522494, 'badly enough and': 108151, 'enough and have': 277320, 'to be hospitalized': 901315, 'be hospitalized will': 115305, 'hospitalized will it': 404845, 'it be at': 456720, 'be at time': 113739, 'when there ventilator': 984233, 'there ventilator available': 879214, 'ventilator available or': 954543, 'respo': 715279, 'me sir': 523474, 'very difficulty': 955126, 'difficulty managed': 242391, 'attend international': 102305, 'international conference': 441774, 'austria but': 103597, 'but cancelled': 145372, 'make make': 510108, 'from respo': 337085, 'consumer please help': 198375, 'help me sir': 390077, 'me sir with': 523475, 'sir with very': 771682, 'with very difficulty': 1001971, 'very difficulty managed': 955127, 'difficulty managed to': 242392, 'managed to attend': 512490, 'to attend international': 900819, 'attend international conference': 102306, 'international conference in': 441775, 'conference in austria': 193741, 'in austria but': 420629, 'austria but cancelled': 103598, 'but cancelled due': 145373, '19 now make': 8855, 'now make make': 575271, 'make make my': 510109, 'make my trip': 510229, 'my trip is': 550430, 'trip is running': 932100, 'is running from': 451593, 'running from respo': 727968, 'mongering publication': 537231, 'publication which': 688521, 'but increase': 146042, 'increase create': 432725, 'create even': 215640, 'go hoard': 353652, 'food sanitizers': 316298, 'etc seriously': 282740, 'in predicting': 426919, 'predicting food': 669637, 'shortage argh': 764841, 'sick and tired': 768375, 'and tired of': 74140, 'tired of fear': 899044, 'of fear mongering': 583457, 'fear mongering publication': 301203, 'mongering publication which': 537232, 'publication which do': 688522, 'help but increase': 389449, 'but increase create': 146043, 'increase create even': 432726, 'create even more': 215641, 'even more panic': 284369, 'more panic in': 539986, 'in the population': 429462, 'the population of': 864031, 'population of stupid': 664726, 'of stupid people': 590340, 'stupid people who': 815443, 'who go hoard': 988789, 'go hoard toilet': 353653, 'paper food sanitizers': 640165, 'food sanitizers etc': 316299, 'sanitizers etc seriously': 736271, 'etc seriously what': 282741, 'seriously what the': 751785, 'point in predicting': 662525, 'in predicting food': 426920, 'predicting food shortage': 669638, 'food shortage argh': 316557, 'sunshine this': 818442, 'store thousand': 810718, 'air sunshine this': 39794, 'sunshine this is': 818443, 'this we re': 891153, 're not closing': 699082, 'not closing store': 568785, 'closing store thousand': 183765, 'store thousand of': 810719, 'every day will': 285861, 'worker become': 1006509, 'store worker become': 811460, 'worker become increasingly': 1006510, 'become increasingly afraid': 120033, 'quiet commute': 694678, 'to sydney': 916107, 'sydney today': 830724, 'enough space': 277623, 'one touch': 607305, 'unlike stabbings': 942724, 'tourist invading': 927034, 'invading country': 443569, 'quiet commute to': 694679, 'commute to sydney': 190270, 'to sydney today': 916108, 'sydney today enough': 830725, 'today enough space': 919481, 'enough space to': 277625, 'space to self': 787180, 'no one cough': 564925, 'one cough no': 606110, 'cough no one': 208512, 'no one touch': 564975, 'one touch anything': 607306, 'touch anything with': 926458, 'hand this is': 375847, 'is unlike stabbings': 453524, 'unlike stabbings beating': 942725, 'supermarket tourist invading': 823528, 'tourist invading country': 927035, 'invading country town': 443570, 'steeprise': 799424, 'meitei': 527880, 'crunch and': 219743, 'and steeprise': 72340, 'steeprise in': 799425, 'this manipur': 888760, 'manipur village': 513236, 'village that': 957375, 'that mainly': 844982, 'mainly house': 508879, 'the meitei': 860455, 'meitei community': 527881, 'are hitting': 87194, 'the inhabitant': 858271, 'inhabitant hard': 438419, 'hard many': 377968, 'whom have': 990554, 'supply crunch and': 825127, 'crunch and steeprise': 219744, 'and steeprise in': 72341, 'steeprise in price': 799426, 'of essential in': 583173, 'essential in this': 281161, 'in this manipur': 429974, 'this manipur village': 888761, 'manipur village that': 513237, 'village that mainly': 957376, 'that mainly house': 844983, 'mainly house the': 508880, 'house the meitei': 406606, 'the meitei community': 860456, 'meitei community are': 527882, 'community are hitting': 189737, 'are hitting the': 87195, 'hitting the inhabitant': 398599, 'the inhabitant hard': 858272, 'inhabitant hard many': 438420, 'hard many of': 377969, 'of whom have': 593148, 'whom have lost': 990555, 'lost their livelihood': 503927, 'day bread': 227391, 'started appearing': 794684, 'like orlando': 490941, 'orlando san': 619634, 'diego pittsburgh': 241625, 'and cleveland': 59974, 'cleveland where': 181856, 'where thousand': 985298, 'ration so': 697726, 'modern day bread': 535380, 'day bread line': 227392, 'bread line have': 138516, 'line have started': 493155, 'have started appearing': 382717, 'started appearing in': 794685, 'appearing in city': 82168, 'city like orlando': 179243, 'like orlando san': 490942, 'orlando san diego': 619635, 'san diego pittsburgh': 733527, 'diego pittsburgh and': 241626, 'pittsburgh and cleveland': 657032, 'and cleveland where': 59975, 'cleveland where thousand': 181857, 'where thousand are': 985299, 'thousand are lining': 893379, 'food ration so': 316121, 'ration so they': 697727, 'don go hungry': 253566, 'not satisfying': 571429, 'to crop': 903755, 'crop dust': 218919, 'dust grocery': 263444, 'it not satisfying': 459917, 'not satisfying to': 571430, 'satisfying to crop': 736965, 'to crop dust': 903756, 'crop dust grocery': 218920, 'dust grocery store': 263445, 'store when everyone': 811239, 'changing because': 172652, 'the replay': 865521, 'replay of': 711631, 'consumer webinar': 199493, 'more futureconsumernow': 539325, 'futureconsumernow consumer': 342537, 'consumer is changing': 197934, 'is changing because': 446466, 'changing because of': 172653, 'pandemic watch the': 636927, 'watch the replay': 968551, 'the replay of': 865522, 'replay of our': 711632, 'of our recent': 587552, 'our recent consumer': 624555, 'recent consumer webinar': 703845, 'consumer webinar to': 199494, 'learn more futureconsumernow': 484026, 'more futureconsumernow consumer': 539326, 'futureconsumernow consumer retail': 342538, 'warsaw': 967382, 'krakow': 477643, 'poland can': 662860, 'at vending': 101437, 'in warsaw': 430697, 'warsaw and': 967383, 'and krakow': 65904, 'krakow there': 477644, 'people in poland': 648418, 'in poland can': 426817, 'poland can now': 662861, 'now buy face': 574301, 'sanitizer at vending': 734520, 'at vending machine': 101438, 'vending machine in': 954333, 'machine in warsaw': 507379, 'in warsaw and': 430698, 'warsaw and krakow': 967384, 'and krakow there': 65905, 'krakow there are': 477645, 'are currently and': 85655, 'currently and more': 221460, 'more are on': 538644, 'inflation dip': 437157, 'from 58': 334309, '58 in': 20536, 'february fall': 301712, 'witnessed likely': 1003152, 'likely due': 491989, 'to softer': 914857, 'softer food': 781509, 'already slowing': 47666, 'demand likely': 235806, 'likely plummeted': 492079, 'day nationwide': 228006, 'retail inflation dip': 718224, 'inflation dip to': 437158, 'dip to 91': 243212, 'march from 58': 515371, 'from 58 in': 334310, '58 in february': 20537, 'in february fall': 422842, 'february fall in': 301713, 'fall in retail': 296964, 'in retail inflation': 427457, 'retail inflation wa': 718227, 'inflation wa witnessed': 437260, 'wa witnessed likely': 963716, 'witnessed likely due': 1003153, 'likely due to': 491990, 'due to softer': 261961, 'to softer food': 914858, 'softer food fuel': 781510, 'food fuel price': 314634, 'fuel price already': 340217, 'price already slowing': 672289, 'already slowing demand': 47667, 'slowing demand likely': 774533, 'demand likely plummeted': 235807, 'likely plummeted due': 492080, 'to 21 day': 899612, '21 day nationwide': 14994, 'day nationwide lockdown': 228007, 'nationwide lockdown to': 552746, 'm65': 507241, 'stayhom': 797926, '7am let': 22426, 'dog out': 252141, 'garden can': 343585, 'bird people': 131342, 'the hum': 857707, 'hum yes': 410392, 'hum of': 410388, 'the m65': 859850, 'm65 like': 507242, 'when ever': 983389, '7am wtf': 22446, 'people stayhom': 649565, '7am let the': 22427, 'let the dog': 487125, 'the dog out': 853499, 'dog out in': 252142, 'the garden can': 856159, 'garden can hear': 343586, 'can hear the': 158599, 'hear the bird': 388004, 'the bird people': 849726, 'bird people out': 131343, 'people out walking': 649028, 'out walking the': 627778, 'walking the hum': 965109, 'the hum yes': 857709, 'hum yes the': 410393, 'yes the hum': 1015553, 'the hum of': 857708, 'hum of the': 410389, 'of the m65': 591209, 'the m65 like': 859851, 'm65 like normal': 507243, 'like normal when': 490874, 'normal when ever': 567410, 'when ever that': 983390, 'ever that wa': 285537, 'that wa working': 847321, 'wa working day': 963730, 'working day what': 1008587, 'day what supermarket': 228716, 'what supermarket is': 982268, 'is open at': 450560, 'at 7am wtf': 97753, '7am wtf is': 22447, 'with people stayhom': 1000168, '1970s': 12419, 'for 04': 318604, '2020 gold': 14337, 'gold sp500': 356013, 'sp500 in': 787024, 'our glance': 623251, 'glance at': 351566, 'go wrong': 354533, 'wrong share': 1013096, 'the style': 868349, '19 mortality': 8684, 'mortality presentation': 541799, 'presentation reminds': 670647, 'the awful': 849126, 'awful football': 106229, 'football result': 318506, 'result program': 717629, 'afternoon in': 36695, 'the 1970s': 847946, '1970s in': 12420, 'house await': 406210, 'manchester united for': 512964, 'united for 04': 942162, 'for 04 2020': 318605, '04 2020 gold': 919, '2020 gold sp500': 14338, 'gold sp500 in': 356014, 'sp500 in our': 787025, 'in our glance': 426298, 'our glance at': 623252, 'glance at what': 351567, 'at what if': 101526, 'what if it': 981629, 'if it all': 414286, 'it all go': 456348, 'all go wrong': 42949, 'go wrong share': 354534, 'wrong share price': 1013097, 'price the style': 676861, 'the style of': 868350, 'style of covid': 815619, 'covid 19 mortality': 213447, '19 mortality presentation': 8685, 'mortality presentation reminds': 541800, 'presentation reminds of': 670648, 'of the awful': 590811, 'the awful football': 849127, 'awful football result': 106230, 'football result program': 318507, 'result program on': 717630, 'program on saturday': 683280, 'saturday afternoon in': 736998, 'afternoon in the': 36696, 'in the 1970s': 428944, 'the 1970s in': 847947, '1970s in house': 12421, 'in house await': 423844, 'morrison will': 541787, 'produce extra': 680261, 'get 10m': 346461, '10m of': 2353, 'foodbanks covid': 317821, 'morrison will produce': 541788, 'will produce extra': 994474, 'produce extra food': 680262, 'food and up': 313375, 'and up it': 74727, 'up it delivery': 945238, 'to get 10m': 906399, 'get 10m of': 346462, '10m of meal': 2354, 'of meal to': 586360, 'meal to foodbanks': 524288, 'to foodbanks covid': 906112, 'foodbanks covid 19': 317822, '19 drive demand': 6655, 'drive demand and': 259029, 'demand and cut': 234955, 'and cut down': 60882, 'down on volunteer': 257043, 'puting': 691066, 'american they': 52255, 'med supply': 525926, 'pandemic also': 634826, 'also puting': 48726, 'puting them': 691067, 'back guess': 107040, 'doesn consider': 251734, 'guess the over': 368056, 'the over million': 862764, 'over million people': 630399, 'million people on': 532313, 'people on are': 648952, 'not american they': 568185, 'american they have': 52256, 'on food med': 600884, 'food med supply': 315430, 'med supply for': 525927, 'supply for this': 825282, 'for this pandemic': 327055, 'this pandemic also': 889365, 'pandemic also puting': 634827, 'also puting them': 48727, 'puting them back': 691068, 'them back guess': 875457, 'back guess the': 107041, 'guess the doesn': 368051, 'the doesn consider': 853486, 'doesn consider these': 251735, 'consider these people': 195156, 'these people it': 880446, 'people it is': 648537, 'delaware because': 232645, 'no truck': 565809, 'the cascade': 850453, 'of effect': 582983, 'is complex': 446714, 'complex an': 192395, 'an need': 56517, 'need attention': 554500, 'attention now': 102462, 'dumping milk on': 262243, 'milk on the': 531751, 'ground in delaware': 366510, 'in delaware because': 422081, 'delaware because there': 232646, 'are no truck': 88287, 'no truck to': 565810, 'truck to pick': 932869, 'up the milk': 946194, 'the milk the': 860611, 'milk the cascade': 531848, 'the cascade of': 850454, 'cascade of effect': 165562, 'of effect of': 582984, 'and economic outlook': 61903, 'economic outlook is': 267187, 'outlook is complex': 629167, 'is complex an': 446715, 'complex an need': 192396, 'an need attention': 56518, 'need attention now': 554501, 'cuttlass': 223786, 'lagosunrest': 478967, 'ogununrest': 596342, 'three high': 893951, 'demand fast': 235329, 'fast selling': 300022, 'and profitable': 69601, 'profitable product': 682924, 'sell during': 748694, 'against cuttlass': 37411, 'cuttlass to': 223787, 'from thief': 337982, 'thief during': 884008, 'during lagosunrest': 262742, 'lagosunrest ogununrest': 478968, 'ogununrest easter': 596343, 'three high demand': 893952, 'high demand fast': 395007, 'demand fast selling': 235330, 'fast selling and': 300023, 'selling and profitable': 749153, 'and profitable product': 69602, 'profitable product to': 682925, 'product to sell': 681764, 'to sell during': 914148, 'sell during the': 748695, 'during the sanitizer': 263185, 'the sanitizer to': 866358, 'protect against face': 684762, 'protect against cuttlass': 684761, 'against cuttlass to': 37412, 'cuttlass to protect': 223788, 'protect from thief': 684847, 'from thief during': 337983, 'thief during lagosunrest': 884009, 'during lagosunrest ogununrest': 262743, 'lagosunrest ogununrest easter': 478969, 'task grocery': 834709, 'now atop': 574142, 'atop the': 101996, 'risk activity': 723350, 'activity so': 30496, 'physically walk': 655529, 'some option': 783464, 'continues to change': 201463, 'to change daily': 902597, 'change daily task': 172007, 'daily task grocery': 224825, 'task grocery shopping': 834710, 'is now atop': 450261, 'now atop the': 574143, 'atop the list': 101997, 'list of high': 494442, 'high risk activity': 395343, 'risk activity so': 723351, 'activity so if': 30497, 'you can physically': 1017744, 'can physically walk': 159230, 'physically walk the': 655530, 'walk the aisle': 964877, 'are some option': 90277, 'some option for': 783465, 'option for delivery': 614034, 'for delivery service': 320645, 'getting stuff': 349314, 'go safely': 354082, 'safely please': 730295, 'amazon wishlist': 51207, 'difficult time online': 242302, 'to getting stuff': 906659, 'getting stuff to': 349315, 'stuff to where': 815226, 'where it need': 984969, 'to go safely': 906848, 'go safely please': 354083, 'safely please check': 730296, 'out amazon wishlist': 625616, 'amazon wishlist and': 51208, 'wishlist and think': 996887, 'think about donating': 885081, 'faceface': 295051, 'maskface': 519640, 'thinking faceface': 885904, 'faceface with': 295052, 'medical maskface': 526263, 'maskface screaming': 519641, 'work thinking faceface': 1005853, 'thinking faceface with': 885905, 'faceface with medical': 295053, 'with medical maskface': 999472, 'medical maskface screaming': 526264, 'maskface screaming in': 519642, 'true during': 933071, 'hysteria grocery': 412448, 'health personnel': 386736, 'personnel elderly': 653106, 'elderly care': 270631, 'logistics company': 500735, 'company staff': 191104, 'airline staff': 40030, 'miss anyone': 534138, 'it really nice': 460651, 'really nice to': 702455, 'see some unsung': 745724, 'unsung hero come': 943553, 'hero come true': 393965, 'come true during': 187637, 'true during this': 933072, '19 hysteria grocery': 7644, 'hysteria grocery store': 412449, 'staff delivery staff': 792360, 'delivery staff health': 234563, 'staff health personnel': 792520, 'health personnel elderly': 386737, 'personnel elderly care': 653107, 'elderly care staff': 270632, 'care staff logistics': 164209, 'staff logistics company': 792628, 'logistics company staff': 500736, 'company staff airline': 191105, 'staff airline staff': 792092, 'airline staff did': 40031, 'staff did miss': 792368, 'did miss anyone': 240685, 'miss anyone else': 534139, 'basildon': 112199, 'sister ha': 771746, 'in basildon': 420715, 'basildon they': 112202, 'supply their': 825970, 'sanitizer wtf': 736154, 'company asda': 190468, 'so my sister': 777847, 'my sister ha': 550109, 'sister ha just': 771747, 'told me at': 923603, 'me at her': 522470, 'at her store': 98890, 'store in basildon': 808273, 'in basildon they': 420717, 'basildon they need': 112203, 'need to supply': 556094, 'to supply their': 915891, 'supply their own': 825971, 'their own glove': 874177, 'and sanitizer wtf': 70891, 'sanitizer wtf is': 736155, 'with these company': 1001637, 'these company asda': 879784, 'new employer': 558678, 'employer grapple': 274510, 'grapple mixed': 362187, 'concerned they': 193226, 'ask hey': 95554, 'wearing anything': 974589, 'new employer grapple': 558679, 'employer grapple mixed': 274511, 'grapple mixed message': 362188, 'mixed message on': 534632, 'message on covid': 529379, 'worker at of': 1006471, 'at of the': 99939, 'country are concerned': 210461, 'are concerned they': 85480, 'concerned they re': 193227, 'not being protected': 568542, 'being protected we': 125589, 'protected we ve': 685165, 've had lot': 953224, 'of customer come': 582267, 'customer come in': 222250, 'in and ask': 420348, 'and ask hey': 58428, 'ask hey why': 95555, 'hey why aren': 394548, 'aren you wearing': 92607, 'you wearing anything': 1022220, 'online with these': 609753, 'perspective how the': 653207, 'could china': 209015, 'china not': 176850, 'not report': 571321, 'any prisoner': 79685, 'prisoner having': 678761, 'poor sanitation': 664280, 'sanitation environment': 733840, 'is worsen': 454071, 'worsen than': 1011071, 'could 11': 208785, '11 08': 2439, '08 million': 1082, 'wuhan have': 1013495, 'chinese new': 177304, 'road closed': 724433, 'with road': 1000518, 'why could china': 990898, 'could china not': 209016, 'china not report': 176851, 'not report any': 571322, 'report any prisoner': 711807, 'any prisoner having': 79686, 'prisoner having covid': 678762, '19 the poor': 11233, 'the poor sanitation': 863986, 'poor sanitation environment': 664281, 'sanitation environment is': 733841, 'environment is worsen': 279120, 'is worsen than': 454072, 'worsen than how': 1011072, 'than how could': 840760, 'how could 11': 407626, 'could 11 08': 208786, '11 08 million': 2440, '08 million people': 1083, 'people in wuhan': 648454, 'in wuhan have': 431004, 'wuhan have no': 1013496, 'up food toilet': 944903, 'paper in chinese': 640317, 'in chinese new': 421454, 'chinese new year': 177305, 'new year with': 559912, 'year with all': 1015111, 'with all road': 997160, 'all road closed': 44205, 'road closed how': 724434, 'closed how can': 183163, 'can they survive': 159982, 'they survive with': 883515, 'survive with road': 829297, 'with road closure': 1000519, 'talking netflix': 834023, 'netflix strategy': 557631, 'pandemic nflx': 636032, 'nflx socialdistancing': 561790, 'socialdistancing socialmedia': 780710, 'socialmedia streaming': 781095, 'talking netflix strategy': 834024, 'netflix strategy during': 557632, 'strategy during the': 812641, 'the pandemic nflx': 863033, 'pandemic nflx socialdistancing': 636033, 'nflx socialdistancing socialmedia': 561791, 'socialdistancing socialmedia streaming': 780712, 'retail security': 718536, 'me higher': 522899, 'wasn to': 968035, 'and accidently': 57592, 'accidently infect': 28418, 'infect either': 436490, 'do worker': 250597, 'my situation': 550121, 'situation stand': 772493, 'should be work': 765772, 'be work retail': 118135, 'work retail security': 1005672, 'retail security at': 718537, 'security at my': 744552, 'tesco store which': 838816, 'store which make': 811274, 'make me higher': 510132, 'me higher risk': 522900, '19 last thing': 8274, 'last thing wasn': 480549, 'thing wasn to': 884955, 'wasn to do': 968036, 'do is go': 249445, 'work and accidently': 1004758, 'and accidently infect': 57593, 'accidently infect either': 28419, 'infect either of': 436491, 'either of them': 270338, 'of them they': 591767, 'not survive so': 571878, 'survive so where': 829233, 'so where do': 778735, 'where do worker': 984834, 'do worker in': 250598, 'worker in my': 1007187, 'in my situation': 425627, 'my situation stand': 550122, 'unreal had': 943294, 'people nope': 648860, 'unreal had planned': 943295, 'the delivery were': 853078, 'of people nope': 587952, 'added free': 31560, 'session keeping': 753290, 'safe sound': 729955, 'sound basic': 786268, 'basic guide': 111918, 'to safeguarding': 913709, 'safeguarding for': 730231, 'volunteer anyone': 960221, 'anyone supporting': 80540, 'covid response': 214219, 'response website': 715919, 'website ht': 975305, 'have added free': 379124, 'added free 30': 31561, 'safeguarding session keeping': 730236, 'session keeping people': 753291, 'keeping people safe': 472520, 'people safe sound': 649336, 'safe sound basic': 729956, 'sound basic guide': 786269, 'basic guide to': 111919, 'guide to safeguarding': 368369, 'to safeguarding for': 913710, 'safeguarding for volunteer': 730232, 'for volunteer anyone': 327591, 'volunteer anyone supporting': 960222, 'anyone supporting community': 80541, 'supporting community by': 827115, 'community by shopping': 189768, 'by shopping etc': 153992, 'shopping etc due': 762580, 'due to visit': 262019, 'to visit our': 918208, 'visit our covid': 959324, 'our covid response': 622620, 'covid response website': 214220, 'response website ht': 715920, 'still toilet': 801318, 'paper sanitiser': 640714, '800 coronavirus': 22693, 'case why': 166109, 'buying south': 151064, 'african living': 35206, 'korea put': 477492, 'is still toilet': 452319, 'still toilet paper': 801319, 'toilet paper sanitiser': 921429, 'paper sanitiser and': 640715, 'sanitiser and food': 733911, 'food in country': 314933, 'country with 800': 211255, 'with 800 coronavirus': 997063, '800 coronavirus case': 22694, 'coronavirus case why': 205627, 'case why are': 166110, 'are we panic': 91583, 'we panic buying': 972690, 'panic buying south': 637893, 'buying south african': 151065, 'south african living': 786675, 'african living in': 35207, 'living in south': 496392, 'south korea put': 786747, 'korea put thing': 477493, 'into perspective and': 442867, 'perspective and talk': 653188, 'talk about social': 833756, 'distancing and more': 246977, 'update stock': 947222, 'slump thanks': 774710, 'live update stock': 496102, 'update stock and': 947223, 'price slump thanks': 676494, 'slump thanks to': 774711, 'thanks to trump': 842271, 'lawson': 482512, 'lawson feeling': 482513, 'angry after': 76453, 'also seeing': 48843, 'seeing image': 746330, 'vulnerable wrote': 961271, 'man wasn': 512303, 'lawson feeling very': 482514, 'feeling very angry': 303099, 'very angry after': 954989, 'angry after going': 76454, 'after going to': 35721, 'supermarket and also': 818928, 'and also seeing': 57972, 'also seeing image': 48844, 'seeing image of': 746331, 'image of our': 416650, 'most vulnerable wrote': 542901, 'vulnerable wrote this': 961272, 'wrote this the': 1013225, 'this the old': 890531, 'old man wasn': 598354, 'man wasn sure': 512304, 'wasn sure what': 968019, 'sure what to': 827822, 'this directory': 887241, 'directory aim': 243688, 'improve supply': 419543, 'commercial transaction': 188749, 'transaction in': 929453, 'of locally made': 585940, 'locally made product': 498763, 'made product to': 507926, 'online this directory': 609557, 'this directory aim': 887242, 'directory aim to': 243689, 'aim to improve': 39554, 'to improve supply': 908206, 'improve supply and': 419544, 'supply and ensure': 824716, 'and ensure continuity': 62163, 'continuity of commercial': 201583, 'of commercial transaction': 581559, 'commercial transaction in': 188750, 'transaction in the': 929454, 'of the scourge': 591443, 'the scourge kenya': 866527, 'fcaupdate': 300744, 'designed stop': 238346, 'quickly support': 694607, 'product facing': 681177, 'impact because': 417576, 'circumstance arising': 178708, 'from fcaupdate': 335431, 'fca ha today': 300727, 'temporary measure designed': 837664, 'measure designed stop': 525175, 'designed stop gap': 238347, 'gap to quickly': 343466, 'to quickly support': 912686, 'quickly support user': 694608, 'credit product facing': 216458, 'product facing financial': 681178, 'facing financial impact': 295467, 'financial impact because': 306447, 'impact because of': 417577, 'of the exceptional': 590999, 'exceptional circumstance arising': 289295, 'circumstance arising from': 178709, 'arising from fcaupdate': 92814, 'flattenthecurvetogether': 310217, 'udsd': 937915, 'is suggested': 452442, 'suggested for': 817565, 'public would': 688499, 'crazy trip': 215465, 'sunday flattenthecurvetogether': 818202, 'flattenthecurvetogether udsd': 310218, 'if someone told': 414860, 'told me two': 923629, 'me two month': 523845, 'ago that mask': 38491, 'mask is suggested': 518871, 'is suggested for': 452443, 'suggested for trip': 817566, 'for trip out': 327347, 'in public would': 427109, 'public would have': 688500, 'thought they were': 893258, 'were crazy trip': 979494, 'crazy trip to': 215466, 'mask on sunday': 519055, 'on sunday flattenthecurvetogether': 603759, 'sunday flattenthecurvetogether udsd': 818203, 'warpaints': 967316, 'bottle well': 136351, 've filled': 953119, 'filled these': 305559, 'these bottle': 879693, 'quality warpaints': 691872, 'warpaints and': 967317, 'privileged to': 679056, 'play such': 659223, 'your hobby': 1024328, 'hobby for': 399770, 'ever these': 285544, 'bottle will': 136355, 'different reason': 242042, 'what in bottle': 981655, 'in bottle well': 420931, 'bottle well for': 136352, 'well for 13': 978245, 'for 13 year': 318652, '13 year we': 3288, 'we ve filled': 973665, 've filled these': 953120, 'filled these bottle': 305560, 'these bottle with': 879695, 'bottle with our': 136359, 'with our high': 999997, 'our high quality': 623433, 'high quality warpaints': 395321, 'quality warpaints and': 691873, 'warpaints and we': 967318, 'we are privileged': 970668, 'are privileged to': 89235, 'privileged to play': 679058, 'to play such': 911801, 'play such an': 659224, 'such an important': 816326, 'role in your': 725106, 'in your hobby': 431092, 'your hobby for': 1024329, 'hobby for the': 399771, 'time ever these': 896633, 'ever these bottle': 285545, 'these bottle will': 879694, 'bottle will be': 136356, 'put to use': 690929, 'use for different': 949219, 'for different reason': 320703, 'those actively': 891774, 'actively fighting': 30313, 'by pledging': 153591, 'pledging money': 660876, 'or helping': 615627, 'helping child': 391288, 'child attend': 176016, 'attend school': 102317, 'school from': 741798, 'home helpingothers': 401368, 'off to those': 594331, 'to those actively': 917493, 'those actively fighting': 891775, 'actively fighting the': 30314, 'fighting the pandemic': 305131, 'pandemic by pledging': 635075, 'by pledging money': 153592, 'pledging money making': 660877, 'money making hand': 536880, 'sanitizer or helping': 735484, 'or helping child': 615628, 'helping child attend': 391289, 'child attend school': 176017, 'attend school from': 102318, 'school from home': 741799, 'from home helpingothers': 335870, 'en my': 275392, 'militia suppress': 531527, 'revolution for': 720742, 'social democratic': 779481, 'democratic change': 236760, 'en my post': 275393, 'my post examines': 549820, 'iraq the ability': 444784, 'proxy militia suppress': 687342, 'militia suppress the': 531528, 'suppress the powerful': 827398, 'the powerful youth': 864164, 'october revolution for': 579152, 'revolution for social': 720743, 'for social democratic': 325702, 'social democratic change': 779482, 'situation rising': 772470, 'rising gasoline': 723228, 'price ground': 674362, 'beef at': 120481, 'food why': 317614, 'do price': 250003, 'increase also': 432666, 'the situation rising': 867275, 'situation rising gasoline': 772471, 'rising gasoline price': 723229, 'gasoline price ground': 344261, 'price ground beef': 674363, 'ground beef at': 366480, 'beef at 20': 120482, 'at 20 kilo': 97502, 'sanitizer at insane': 734510, 'enough food why': 277424, 'food why do': 317615, 'why do price': 990937, 'do price increase': 250004, 'price increase also': 674765, 'increase also close': 432667, 'ikea to': 416060, 'it hyderabad': 458667, 'hyderabad store': 411936, 'temporarily online': 837518, '19 ikea to': 7676, 'ikea to close': 416061, 'close it hyderabad': 182691, 'it hyderabad store': 458668, 'hyderabad store temporarily': 411937, 'store temporarily online': 810525, 'temporarily online shopping': 837519, 'at daughter': 98409, 'at fucking': 98718, 'just vile': 470180, 'daughter work retail': 226930, 'yelled at daughter': 1015224, 'at daughter for': 98410, 'how about keeping': 407289, 'about keeping your': 25621, 'kid at fucking': 473874, 'at fucking home': 98719, 'fucking home lady': 339902, 'and just vile': 65725, 'accelerating structural': 27916, 'across retail': 29439, 'retail society': 718580, 'society toward': 781348, 'online interaction': 608423, 'interaction commerce': 441235, 'mortar toward': 541848, 'toward direct': 927114, 'consumer away': 196374, 'from department': 335134, 'coronavirus is accelerating': 206157, 'is accelerating structural': 445310, 'accelerating structural change': 27917, 'structural change across': 814286, 'change across retail': 171884, 'across retail society': 29440, 'retail society toward': 718581, 'society toward online': 781349, 'toward online interaction': 927142, 'online interaction commerce': 608424, 'interaction commerce and': 441236, 'commerce and away': 188512, 'away from brick': 105863, 'from brick and': 334740, 'and mortar toward': 67251, 'mortar toward direct': 541849, 'toward direct to': 927115, 'to consumer away': 903269, 'consumer away from': 196375, 'away from department': 105873, 'from department store': 335135, 'department store the': 237282, 'store the consumer': 810592, 'people sat': 649343, 'though the pub': 892913, 'the pub near': 864772, 'pub near my': 687732, 'my home is': 548690, 'home is closed': 401450, 'is closed because': 446571, 'still people sat': 801037, 'people sat outside': 649344, 'sat outside of': 736910, 'outside of it': 629507, 'it with beer': 462467, 'with beer that': 997383, 'beer that they': 122519, 've bought in': 952971, 'the supermarket stop': 868830, 'ladro': 478727, 'savehospo': 737768, 'savehospitality': 737766, 'safe drive': 729607, 'up ordering': 945693, 'ordering system': 619026, 'system online': 831273, 'our ladro': 623634, 'ladro supermarket': 478728, 'coming later': 188123, 'weekend savehospo': 977400, 'savehospo savehospitality': 737769, 'savehospitality ladro': 737767, 'we have safe': 971930, 'have safe drive': 382378, 'safe drive up': 729608, 'drive up ordering': 259246, 'up ordering system': 945694, 'ordering system online': 619027, 'system online now': 831274, 'online now no': 608596, 'now no delivery': 575346, 'no delivery driver': 563986, 'delivery driver contamination': 233897, 'driver contamination and': 259490, 'contamination and our': 200701, 'and our ladro': 68498, 'our ladro supermarket': 623635, 'ladro supermarket is': 478729, 'supermarket is coming': 821077, 'is coming later': 446660, 'coming later this': 188124, 'later this weekend': 481144, 'this weekend savehospo': 891319, 'weekend savehospo savehospitality': 977401, 'savehospo savehospitality ladro': 737770, 'basingstoke covid': 112205, 'response but': 715639, 'stock anywhere': 801845, 'let stock': 487082, 'are running food': 89764, 'running food parcel': 727960, 'parcel for local': 641497, 'local people in': 498262, 'people in basingstoke': 648350, 'in basingstoke covid': 420719, 'basingstoke covid 19': 112206, '19 response but': 10141, 'response but we': 715640, 'get stock anywhere': 348119, 'stock anywhere in': 801846, 'anywhere in supermarket': 81123, 'we have very': 971982, 'have very vulnerable': 383505, 'very vulnerable people': 955654, 'vulnerable people relying': 961105, 'relying on we': 709684, 'on we need': 605136, 'need more support': 555263, 'support from supermarket': 826535, 'supermarket to let': 823384, 'to let stock': 909216, 'let stock up': 487083, 'based index': 111624, 'index are': 434168, 'down 26': 256401, '26 69': 16142, '69 to': 21525, '36 17': 17992, '17 due': 4348, 'to looming': 909448, 'looming recession': 503114, 'recession stemming': 704365, 'and estimated': 62274, 'estimated hit': 282292, 'spending eps': 788800, 'eps potential': 279580, 'potential cut': 667056, 'to dividend': 904463, 'dividend credit': 248612, 'credit event': 216386, 'in fixed': 422922, 'gdp contracting': 344870, 'contracting recession': 201778, 'broad based index': 140701, 'based index are': 111625, 'index are down': 434169, 'are down 26': 85966, 'down 26 69': 256402, '26 69 to': 16143, '69 to 36': 21526, 'to 36 17': 899699, '36 17 due': 17993, '17 due to': 4349, 'due to looming': 261853, 'to looming recession': 909449, 'looming recession stemming': 503115, 'recession stemming from': 704366, 'stemming from coronavirus': 799472, 'coronavirus and estimated': 205487, 'and estimated hit': 62275, 'estimated hit to': 282293, 'hit to consumer': 398472, 'consumer spending eps': 199057, 'spending eps potential': 788801, 'eps potential cut': 279581, 'potential cut to': 667057, 'cut to dividend': 223597, 'to dividend credit': 904464, 'dividend credit event': 248613, 'credit event in': 216387, 'event in fixed': 284995, 'in fixed income': 422923, 'fixed income and': 309802, 'income and gdp': 432280, 'and gdp contracting': 63501, 'gdp contracting recession': 344871, 'contracting recession panic': 201779, 'motherfuckin': 543223, 'yea': 1014225, 'saturdaythoughts went': 737122, 'week le': 976473, 'le shit': 483117, 'shit this': 759257, 'time everyone': 896637, 'everyone giving': 286938, 'the fucked': 855979, 'up face': 944831, 'face know': 294496, 'know wanna': 476919, 'hate me': 378895, 'me hate': 522856, 'hate is': 378888, 'seen lately': 747115, 'lately motherfuckin': 480976, 'motherfuckin yea': 543224, 'saturdaythoughts went to': 737123, 'store today it': 810849, 'today it worse': 919748, 'last week le': 480658, 'week le shit': 976474, 'le shit this': 483118, 'shit this time': 759258, 'this time everyone': 890635, 'time everyone giving': 896638, 'everyone giving me': 286939, 'me the fucked': 523646, 'the fucked up': 855980, 'fucked up face': 339731, 'up face know': 944832, 'face know wanna': 294497, 'know wanna hate': 476920, 'wanna hate me': 965645, 'hate me hate': 378896, 'me hate is': 522857, 'hate is all': 378889, 'all the world': 44989, 'ha seen lately': 371833, 'seen lately motherfuckin': 747116, 'lately motherfuckin yea': 480977, 'familymeals': 298424, 'fantastic online': 298602, 'delivery grateful': 234065, 'line gratitude': 493136, 'gratitude stayhome': 362387, 'besafe groceryshopping': 127434, 'groceryshopping familymeals': 366251, 'for the fantastic': 326428, 'the fantastic online': 854920, 'fantastic online shopping': 298603, 'and delivery grateful': 61118, 'delivery grateful for': 234066, 'all your worker': 45590, 'your worker on': 1026384, 'front line gratitude': 338576, 'line gratitude stayhome': 493137, 'gratitude stayhome besafe': 362388, 'stayhome besafe groceryshopping': 797953, 'besafe groceryshopping familymeals': 127435, 'retooling': 719729, 'togetherfromapart': 921072, 'officially up': 596031, 'isolation gown': 455278, 'gown here': 361384, 'necessary retooling': 554065, 'retooling but': 719730, 'happen togetherwecan': 377193, 'togetherwecan togetherfromapart': 921093, 're officially up': 699168, 'officially up running': 596032, 'up running with': 945941, 'running with production': 728142, 'with production of': 1000333, 'production of isolation': 682146, 'of isolation gown': 585338, 'isolation gown here': 455279, 'gown here in': 361385, 'in it only': 424261, 'only day of': 610314, 'day of this': 228111, 'of this necessary': 592012, 'this necessary retooling': 889098, 'necessary retooling but': 554066, 'retooling but we': 719731, 'but we want': 147767, 'the amazing people': 848615, 'amazing people helping': 50754, 'people helping to': 648240, 'this happen togetherwecan': 887841, 'happen togetherwecan togetherfromapart': 377194, 'threat via': 893747, '19 threat via': 11378, 'is scaring': 451675, 'the is scaring': 858526, 'is scaring the': 451676, 'scaring the commodity': 741113, 'commodity market this': 189222, 'is what price': 453889, 'what price look': 982054, 'price look like': 675094, 'look like before': 502465, 'like before and': 489892, 'fijianconsumerrights': 305309, 'fcc warns': 300779, '19 teamfiji': 11046, 'teamfiji fijinews': 835860, 'fiji fcc': 305278, 'fcc fijianconsumerrights': 300759, 'fcc warns against': 300780, 'warns against fake': 967244, 'against fake covid': 37441, '19 product the': 9836, 'product the fijian': 681708, 'fcc is warning': 300764, 'protect from and': 684841, 'from and cure': 334509, 'covid 19 teamfiji': 213915, '19 teamfiji fijinews': 11047, 'teamfiji fijinews fiji': 835861, 'fijinews fiji fcc': 305312, 'fiji fcc fijianconsumerrights': 305279, 'from comparing': 334937, 'comparing price': 191454, 'to wondering': 918671, 'arses with': 94118, 'shelf toiletpaperapocalypse': 757712, 'in such short': 428530, 'such short time': 816751, 'short time we': 764770, 'we ve gone': 973669, 'gone from comparing': 356283, 'from comparing price': 334938, 'comparing price to': 191455, 'price to wondering': 677062, 'to wondering whether': 918672, 'wondering whether we': 1004202, 'our arses with': 622119, 'arses with what': 94119, 'with what left': 1002070, 'supermarket shelf toiletpaperapocalypse': 822550, 'malignancy': 511725, 'modernism': 535413, 'vapid': 952487, 'looking upward': 503064, 'upward the': 947963, 'the malignancy': 859961, 'malignancy of': 511726, 'of modernism': 586591, 'modernism how': 535414, 'that brought': 843043, 'those unnecessary': 892582, 'item also': 463039, 'also brought': 47982, 'how nz': 408419, 'nz can': 578180, 'this stronger': 890384, 'stronger and': 814166, 'of vapid': 592741, 'vapid globalism': 952488, 'globalism and': 352332, 'and materialism': 66787, '19 and looking': 5058, 'and looking upward': 66381, 'looking upward the': 503065, 'upward the malignancy': 947964, 'the malignancy of': 859962, 'malignancy of modernism': 511727, 'of modernism how': 586592, 'modernism how the': 535415, 'the system that': 869098, 'system that brought': 831333, 'that brought you': 843045, 'brought you all': 141212, 'you all those': 1016916, 'all those unnecessary': 45191, 'those unnecessary consumer': 892583, 'unnecessary consumer item': 942900, 'consumer item also': 197967, 'item also brought': 463040, 'also brought you': 47983, 'brought you covid': 141213, '19 how nz': 7607, 'how nz can': 408420, 'nz can come': 578181, 'of this stronger': 592044, 'this stronger and': 890385, 'stronger and without': 814167, 'without the chain': 1002963, 'chain of vapid': 170962, 'of vapid globalism': 592742, 'vapid globalism and': 952489, 'globalism and materialism': 352333, 'closing restaurant': 183737, 'just whole': 470301, 'whole ploy': 990302, 'ploy act': 661108, 'me out covid': 523300, '19 came out': 5598, 'came out during': 157044, 'during the age': 263086, 'age of online': 37869, 'shopping and online': 762007, 'online food service': 608214, 'food service they': 316434, 're closing restaurant': 698434, 'closing restaurant and': 183738, 'business to prevent': 144550, 'the spread so': 867638, 'spread so we': 790800, 'so we use': 778687, 'we use the': 973617, 'the online service': 862280, 'online service this': 608966, 'is just whole': 449157, 'just whole ploy': 470302, 'whole ploy act': 990303, 'ploy act to': 661109, 'act to make': 29799, 'make use online': 510694, 'massachusetts prohibits': 519920, 'do within': 250579, 'massachusetts prohibits reusable': 519921, 'bag during covid': 108269, '19 emergency all': 6750, 'emergency all government': 272592, 'all government should': 42995, 'government should look': 360608, 'at what more': 101529, 'what more they': 981885, 'more they can': 540729, 'can do within': 158128, 'do within the': 250580, 'within the food': 1002434, 'anxiety heading': 78720, 'day stayhome': 228396, 'stayhome selfisolating': 798102, 'selfisolating socialdistancing': 748426, 'decided to treat': 230936, 'treat myself while': 930851, 'myself while wa': 550980, 'while wa grocery': 987521, 'wa grocery shopping': 962260, 'shopping today have': 764208, 'today have such': 919619, 'have such anxiety': 382835, 'such anxiety heading': 816336, 'anxiety heading to': 78721, 'these day stayhome': 879892, 'day stayhome selfisolating': 228397, 'stayhome selfisolating socialdistancing': 798103, 'term thinking': 838320, 'three possible': 894039, 'short term thinking': 764757, 'term thinking about': 838321, 'thinking about three': 885864, 'about three possible': 26688, 'three possible way': 894040, 'possible way covid': 665869, 'few friend': 303839, 'saw few friend': 738114, 'few friend at': 303840, 'should thank': 766566, 'thank during': 841552, 'during such': 263064, 'big heartfelt': 129817, 'nh on': 562030, 'alive carers': 41807, 'carers looking': 164591, 'staff ensuring': 792414, 'those key': 892153, 'many people we': 514545, 'people we should': 650162, 'we should thank': 973299, 'should thank during': 766567, 'thank during such': 841553, 'during such big': 263065, 'such big heartfelt': 816371, 'big heartfelt thank': 129818, 'our nh on': 624068, 'nh on the': 562031, 'line keeping people': 493221, 'people alive carers': 646799, 'alive carers looking': 41808, 'carers looking after': 164592, 'looking after those': 502786, 'after those who': 36423, 'need help supermarket': 554995, 'help supermarket staff': 390604, 'supermarket staff ensuring': 822838, 'staff ensuring we': 792415, 'to food to': 906104, 'food to all': 317230, 'all those key': 45167, 'those key worker': 892154, 'worker keeping going': 1007280, 'norway currency': 567838, 'currency krone': 221039, 'krone ha': 477798, 'lost about': 503817, 'usd since': 948933, 'and plunge': 69131, 'price norway': 675358, 'norway is': 567842, 'considering rare': 195399, 'rare action': 697073, 'break extraordinary': 138720, 'extraordinary krone': 293741, 'krone slide': 477800, 'slide via': 773916, 'norway currency krone': 567839, 'currency krone ha': 221040, 'krone ha lost': 477799, 'ha lost about': 371185, 'lost about 30': 503818, 'about 30 of': 24698, 'it value to': 462015, 'to the usd': 917163, 'the usd since': 870563, 'usd since march': 948934, 'since march due': 770726, 'outbreak and plunge': 628005, 'and plunge in': 69132, 'oil price norway': 597202, 'price norway is': 675359, 'norway is considering': 567843, 'is considering rare': 446760, 'considering rare action': 195400, 'rare action to': 697074, 'action to break': 30165, 'to break extraordinary': 902000, 'break extraordinary krone': 138721, 'extraordinary krone slide': 293742, 'krone slide via': 477801, 'morrison aldi': 541698, 'lidl all': 488275, 'ashamed coronacrisis': 95046, 'news coronavirus tesco': 560342, 'coronavirus tesco asda': 206876, 'asda sainsburys morrison': 94976, 'sainsburys morrison aldi': 731773, 'morrison aldi lidl': 541699, 'aldi lidl all': 41280, 'lidl all put': 488276, 'all put price': 44105, 'price up should': 677257, 'up should be': 945986, 'be ashamed coronacrisis': 113694, '1220 or': 3055, 'or complete': 614783, 'report unfair': 712403, 'unfair price': 941431, 'such household': 816556, 'outbreak file': 628216, 'yorkers are urged': 1016701, 'urged to call': 948284, 'to call 800': 902374, 'call 800 697': 155725, '697 1220 or': 21534, '1220 or complete': 3056, 'or complete the': 614784, 'complete the consumer': 192169, 'complaint form to': 191975, 'form to report': 329574, 'to report unfair': 913296, 'report unfair price': 712404, 'unfair price increase': 941432, 'increase of product': 432944, 'product such household': 681657, 'such household cleaning': 816557, 'household cleaning supply': 406764, '19 outbreak file': 9122, 'outbreak file complaint': 628217, 'mypandemicplandesurvival': 550776, 'caused shelf': 167951, 'to dwindle': 904814, 'hunger mypandemicplandesurvival': 411153, 'ha caused shelf': 370099, 'caused shelf to': 167952, 'empty and food': 274767, 'bank donation to': 109789, 'donation to dwindle': 254705, 'to dwindle is': 904815, 'dwindle is helping': 263667, 'fight hunger mypandemicplandesurvival': 304774, 'kid outside': 474072, 'every chance': 285723, 'to piss': 911740, 'taking my kid': 833450, 'my kid outside': 548955, 'kid outside and': 474073, 'outside and to': 629369, 'store every chance': 807650, 'every chance get': 285724, 'chance get to': 171729, 'get to piss': 348486, 'to piss off': 911741, 'piss off the': 656953, 'off the and': 594229, 'seems smart': 746846, 'smart for': 775379, 'big streaming': 130019, 'half for': 374170, 'month motto': 537871, 'motto save': 543377, 'and binge': 58973, 'binge interestingly': 131077, 'interestingly this': 441658, 'for streaming': 325940, 'help communicate': 389498, 'communicate socialdistancing': 189549, 'it seems smart': 460953, 'seems smart for': 746847, 'smart for one': 775380, 'the big streaming': 849624, 'big streaming service': 130020, 'streaming service to': 812848, 'service to cut': 752975, 'in half for': 423512, 'half for month': 374172, 'for month motto': 323530, 'month motto save': 537872, 'motto save life': 543378, 'save life stay': 737558, 'life stay home': 489057, 'home and binge': 400615, 'and binge interestingly': 58974, 'binge interestingly this': 131078, 'interestingly this is': 441659, 'this is perfect': 888356, 'is perfect time': 450849, 'time for streaming': 896758, 'for streaming service': 325941, 'service to step': 752991, 'and help communicate': 64443, 'help communicate socialdistancing': 389499, 'communicate socialdistancing flattenthecurve': 189550, 'add milk': 31449, 'limit amid': 492276, 'should people buy': 766318, 'cole add milk': 185831, 'add milk purchase': 31450, 'milk purchase limit': 531796, 'purchase limit amid': 689529, 'limit amid covid': 492277, 'emissionsreductions': 273221, 'achieve emissionsreductions': 29023, 'emissionsreductions imagine': 273222, 'imagine benefit': 416701, 'and achieve emissionsreductions': 57614, 'achieve emissionsreductions imagine': 29024, 'emissionsreductions imagine benefit': 273223, 'imagine benefit if': 416702, 'heater still to': 388506, 'still to be': 801316, 'holidayfarms': 400394, 'glenhead': 351691, 'secureteam420': 744494, 'veritas': 954811, 'holidayfarms in': 400395, 'in glenhead': 423325, 'glenhead ny': 351692, 'ny ha': 577877, 'papertowels if': 641174, 'it secureteam420': 460925, 'secureteam420 veritas': 744495, 'veritas stayathomeorder': 954812, 'stayathomeorder april2020': 797770, 'april2020 chinesecoronavirus': 83725, 'chinesecoronavirus usa': 177411, 'holidayfarms in glenhead': 400396, 'in glenhead ny': 423326, 'glenhead ny ha': 351693, 'ny ha plenty': 577879, 'ha plenty of': 371506, 'plenty of toiletpaper': 660987, 'of toiletpaper papertowels': 592276, 'toiletpaper papertowels if': 922327, 'papertowels if you': 641175, 'looking for it': 502875, 'for it secureteam420': 322732, 'it secureteam420 veritas': 460926, 'secureteam420 veritas stayathomeorder': 744496, 'veritas stayathomeorder april2020': 954813, 'stayathomeorder april2020 chinesecoronavirus': 797771, 'april2020 chinesecoronavirus usa': 83726, 'commune': 189533, 'italy commune': 462788, 'commune ban': 189534, 'ban mixed': 109218, 'mixed sex': 534640, 'sex shopping': 754200, 'italy commune ban': 462789, 'commune ban mixed': 189535, 'ban mixed sex': 109219, 'mixed sex shopping': 534641, 'sex shopping to': 754201, 'shopping to stem': 764193, 'viewed': 957182, 'recently drc': 704079, 'drc wrote': 258555, 'ceo in': 169718, 'ensure individual': 277975, 'individual with': 435283, 'disability have': 243825, 'letter can': 487294, 'be viewed': 117994, 'viewed here': 957183, 'recently drc wrote': 704080, 'drc wrote letter': 258556, 'wrote letter to': 1013203, 'letter to grocery': 487363, 'store ceo in': 806904, 'ceo in response': 169719, 'to we need': 918405, 'we need their': 972557, 'their help to': 873534, 'to ensure individual': 905169, 'ensure individual with': 277976, 'individual with disability': 435284, 'with disability have': 998058, 'disability have access': 243826, 'need the full': 555746, 'full letter can': 340658, 'letter can be': 487295, 'can be viewed': 157712, 'be viewed here': 117995, 'shittier': 759348, 'already work': 47763, 'shit company': 759077, 'gotten shittier': 359167, 'shittier thanks': 759349, 'more opening': 539949, 'actually appreciate': 30727, 'we already work': 970392, 'already work for': 47764, 'work for shit': 1005172, 'for shit company': 325555, 'shit company that': 759078, 'that ha now': 844127, 'now gotten shittier': 574813, 'gotten shittier thanks': 359168, 'shittier thanks to': 759350, 'to your demand': 918970, 'your demand for': 1023487, 'demand for senior': 235494, 'for senior shopping': 325476, 'senior shopping and': 750406, 'and more opening': 67197, 'more opening for': 539950, 'opening for online': 612835, 'order and none': 618031, 'of you actually': 593369, 'you actually appreciate': 1016805, 'actually appreciate the': 30728, 'appreciate the effort': 82755, 'keep ours': 471761, 'ours safe': 625445, 'have simple': 382557, 'combating socialdistancing': 187073, 'health worker across': 386963, 'world are giving': 1009314, 'are giving up': 86864, 'giving up time': 351449, 'up time with': 946311, 'help keep ours': 389970, 'keep ours safe': 471762, 'ours safe and': 625446, 'and well they': 75412, 'well they have': 978681, 'they have simple': 882378, 'have simple request': 382558, 'work in combating': 1005299, 'in combating socialdistancing': 421580, 'combating socialdistancing stayathome': 187074, 'panicbuyinguk panicshopping': 639153, 'panicshopping sainsbury': 639453, 'sainsbury last': 731691, 'night panic': 563056, 'so watched': 778649, 'watched bruce': 968654, 'bruce lee': 141319, 'lee film': 485313, 'film and': 305662, 'whole series': 990320, 'sweep to': 830175, 'convid19uk panicbuyinguk panicshopping': 202624, 'panicbuyinguk panicshopping sainsbury': 639154, 'panicshopping sainsbury last': 639454, 'sainsbury last night': 731692, 'last night panic': 480389, 'night panic shopping': 563057, 'panic shopping this': 638589, 'this morning so': 889014, 'morning so watched': 541448, 'so watched bruce': 778650, 'watched bruce lee': 968655, 'bruce lee film': 141320, 'lee film and': 485314, 'film and whole': 305663, 'and whole series': 75606, 'whole series of': 990321, 'supermarket sweep to': 823110, 'sweep to get': 830176, 'to get ready': 906572, 'jenga': 465071, 'make jenga': 510071, 'jenga bestseller': 465072, 'bestseller on': 128046, 'amazon break': 50878, 'down change': 256627, 'we shelterinplace': 973235, 'shelterinplace seo': 758020, 'that would make': 847684, 'would make jenga': 1012023, 'make jenga bestseller': 510072, 'jenga bestseller on': 465073, 'bestseller on amazon': 128047, 'on amazon break': 599274, 'amazon break down': 50879, 'break down change': 138702, 'down change in': 256628, 'change in search': 172132, 'in search and': 427754, 'search and customer': 743222, 'and customer purchase': 60858, 'customer purchase we': 222733, 'purchase we shelterinplace': 689719, 'we shelterinplace seo': 973236, 'safe affordable': 729405, 'let prevent the': 486988, '19 be safe': 5322, 'be safe affordable': 116940, 'safe affordable price': 729406, 'abolishes': 24604, 'govt reduces': 361253, 'reduces or': 706241, 'or abolishes': 614236, 'abolishes tax': 24605, 'on edible': 600520, 'edible item': 268549, 'oil ghee': 596835, 'pulse to': 689002, 'kitchen item': 475722, 'facilitate common': 295260, 'man stayathomesavelives': 512250, 'govt reduces or': 361254, 'reduces or abolishes': 706242, 'or abolishes tax': 614237, 'abolishes tax on': 24606, 'tax on edible': 835046, 'on edible item': 600521, 'edible item like': 268550, 'item like oil': 463419, 'like oil ghee': 490909, 'oil ghee and': 596836, 'ghee and pulse': 349632, 'and pulse to': 69771, 'pulse to lower': 689003, 'price of kitchen': 675484, 'of kitchen item': 585657, 'kitchen item to': 475723, 'item to facilitate': 463748, 'to facilitate common': 905589, 'facilitate common man': 295261, 'common man stayathomesavelives': 189412, 'this called': 886674, 'called protection': 156418, 'right covid': 721855, 'this called protection': 886675, 'called protection of': 156419, 'protection of consumer': 685539, 'consumer right covid': 198808, 'right covid 19': 721856, 'feeder': 302443, 'steer': 799427, '2018 when': 13908, 'we dispersed': 971316, 'dispersed told': 246168, 'told few': 923554, 'few ppl': 304007, 'ppl believed': 668190, 'believed you': 126442, 'see 900': 744869, '900 feeder': 23378, 'feeder steer': 302444, 'steer by': 799428, 'by 2021': 151585, '2021 ve': 14799, 'called calf': 156288, 'calf price': 155406, 'correct since': 207522, 'since 2007': 770452, '2007 and': 13631, 'going guess': 355188, 'guess seen': 368030, 'all coming': 42398, 'coming somehow': 188191, 'somehow now': 784331, 'only predicted': 611012, 'predicted 19': 669600, 'in 2018 when': 419794, '2018 when we': 13909, 'when we dispersed': 984437, 'we dispersed told': 971317, 'dispersed told few': 246169, 'told few ppl': 923555, 'few ppl believed': 304008, 'ppl believed you': 668191, 'believed you ll': 126443, 'll see 900': 496989, 'see 900 feeder': 744870, '900 feeder steer': 23379, 'feeder steer by': 302445, 'steer by 2021': 799429, 'by 2021 ve': 151586, '2021 ve called': 14800, 've called calf': 952983, 'called calf price': 156289, 'calf price correct': 155407, 'price correct since': 673265, 'correct since 2007': 207523, 'since 2007 and': 770453, '2007 and where': 13632, 'and where they': 75540, 're going guess': 698750, 'going guess seen': 355189, 'guess seen this': 368031, 'seen this all': 747314, 'this all coming': 886264, 'all coming somehow': 42399, 'coming somehow now': 188192, 'somehow now if': 784332, 'now if only': 574972, 'if only predicted': 414556, 'only predicted 19': 611013, 'predicted 19 back': 669601, '19 back then': 5291, 'british pm': 140563, 'via borisjohnson': 955819, 'borisjohnson worldhealthday': 135537, 'worldhealthday brexit': 1010239, 'brexit cornavirusoutbreak': 139496, 'british pm boris': 140564, 'johnson in local': 466600, 'supermarket via borisjohnson': 823645, 'via borisjohnson worldhealthday': 955820, 'borisjohnson worldhealthday brexit': 135538, 'worldhealthday brexit cornavirusoutbreak': 1010240, '19 pandemic do': 9310, 'you feel safe': 1018542, 'feel safe at': 302826, 'at work do': 101595, 'work do you': 1005049, 'you have proper': 1019098, 'equipment we want': 279870, 'about disinfectant': 25110, 'disinfectant came': 245628, 'out could': 625909, 'the decontamination': 853007, 'decontamination guy': 231518, 'anymore price': 80149, 'when that story': 984122, 'that story about': 846521, 'story about disinfectant': 811883, 'about disinfectant came': 25111, 'disinfectant came out': 245629, 'came out could': 157042, 'out could not': 625910, 'not believe someone': 568559, 'exactly what these': 288767, 'what these company': 982385, 'these company do': 879787, 'company do when': 190598, 'do when it': 250526, 'their supply not': 874919, 'supply not even': 825598, 'not even mad': 569263, 'at the decontamination': 100924, 'the decontamination guy': 853008, 'decontamination guy anymore': 231519, 'guy anymore price': 368892, 'anymore price gouging': 80150, 'point hard': 662502, 'stock could': 802027, 'last obviously': 480408, 'obviously covid': 578831, '19 play': 9702, 'play massive': 659187, 'massive factor': 520030, 'people forget': 647969, 'other main': 620492, 'fall being': 296856, 'being opec': 125495, 'russia failed': 728472, 'failed agreement': 296122, 'agreement talk': 38793, 'talk soon': 833848, 'soon amend': 785619, 'good point hard': 357567, 'point hard to': 662503, 'hard to say': 378086, 'say how long': 738776, 'long the fall': 501726, 'gas stock could': 344136, 'stock could last': 802028, 'could last obviously': 209373, 'last obviously covid': 480409, 'obviously covid 19': 578832, 'covid 19 play': 213587, '19 play massive': 9703, 'play massive factor': 659188, 'massive factor in': 520031, 'factor in this': 295890, 'in this but': 429914, 'but people forget': 146766, 'people forget the': 647970, 'forget the other': 329305, 'the other main': 862539, 'other main reason': 620493, 'main reason for': 508808, 'the fall being': 854869, 'fall being opec': 296857, 'being opec russia': 125496, 'opec russia failed': 611962, 'russia failed agreement': 728473, 'failed agreement talk': 296123, 'agreement talk soon': 38794, 'talk soon amend': 833849, 'impunity': 419633, 'will app': 992294, 'held accountable': 388877, 'accountable pricegouging': 28808, 'pricegouging seller': 677851, 'mask handsanitizer': 518781, 'handsanitizer cloroxwipes': 376500, 'cloroxwipes for': 182479, 'hundred with': 411035, 'with impunity': 998958, 'impunity these': 419634, 'these platform': 880494, 'this hoarding': 887927, 'will app be': 992295, 'app be held': 81684, 'be held accountable': 115190, 'held accountable pricegouging': 388879, 'accountable pricegouging seller': 28809, 'pricegouging seller are': 677852, 'are selling toiletpaper': 89974, 'selling toiletpaper mask': 749513, 'toiletpaper mask handsanitizer': 922225, 'mask handsanitizer cloroxwipes': 518782, 'handsanitizer cloroxwipes for': 376501, 'cloroxwipes for hundred': 182480, 'for hundred with': 322451, 'hundred with impunity': 411036, 'with impunity these': 998959, 'impunity these platform': 419635, 'these platform are': 880495, 'platform are making': 658944, 'making money off': 511227, 'off of this': 594012, 'of this hoarding': 591985, 'and revised': 70492, 'revised supermarket': 720644, 'sweep but': 830113, 'new and revised': 558345, 'and revised supermarket': 70493, 'revised supermarket sweep': 720645, 'supermarket sweep but': 823087, 'sweep but it': 830114, 'panic and it': 637321, 'and it toilet': 65592, 'yes whatever': 1015606, 'about wealth': 26859, 'wealth taxation': 974183, 'taxation in': 835132, 'after large': 35854, 'large shock': 479794, 'such war': 816857, 'likely this': 492120, 'proper distribution': 684099, 'burden call': 142732, 'wealth this': 974185, 'not radical': 571200, 'radical it': 695408, 'yes whatever you': 1015607, 'whatever you think': 982821, 'think about wealth': 885111, 'about wealth taxation': 26860, 'wealth taxation in': 974184, 'taxation in normal': 835133, 'normal time after': 567366, 'time after large': 896213, 'after large shock': 35855, 'large shock such': 479795, 'shock such war': 759516, 'such war and': 816858, 'war and likely': 966360, 'and likely this': 66162, 'likely this pandemic': 492121, 'pandemic the proper': 636694, 'the proper distribution': 864673, 'proper distribution of': 684100, 'of the burden': 590835, 'the burden call': 850123, 'burden call for': 142733, 'call for temporary': 155896, 'for temporary tax': 326200, 'temporary tax on': 837713, 'on wealth this': 605149, 'wealth this is': 974186, 'is not radical': 450169, 'not radical it': 571201, 'radical it come': 695409, 'of every economic': 583239, 'every economic model': 285883, 'economic model that': 267174, 'model that know': 535313, '20how': 14895, '20is': 14898, '20covid': 14889, '20changing': 14883, '20consumer': 14886, '23038': 15451, '20ecommerce': 14892, '20trends': 14938, '3f': 18273, 'survey 3a': 828803, '3a 20how': 18201, '20how 20is': 14896, '20is 20covid': 14899, '20covid 19': 14890, '19 20changing': 4729, '20changing 20consumer': 14884, '20consumer 20': 14887, '20 26': 12894, '26 23038': 16134, '23038 3b': 15452, '3b 20ecommerce': 18213, '20ecommerce 20trends': 14893, '20trends 3f': 14939, '3f via': 18274, 'survey 3a 20how': 828804, '3a 20how 20is': 18202, '20how 20is 20covid': 14897, '20is 20covid 19': 14900, '20covid 19 20changing': 14891, '19 20changing 20consumer': 4730, '20changing 20consumer 20': 14885, '20consumer 20 26': 14888, '20 26 23038': 12895, '26 23038 3b': 16135, '23038 3b 20ecommerce': 15453, '3b 20ecommerce 20trends': 18214, '20ecommerce 20trends 3f': 14894, '20trends 3f via': 14940, 'could those': 209774, 'roll be': 725210, 'their grandmother': 873432, 'grandmother or': 361938, 'just thought could': 470062, 'thought could those': 893012, 'could those who': 209775, 'who hoard toilet': 989012, 'paper roll be': 640689, 'roll be the': 725211, 'hygienic one who': 412224, 'one who cough': 607440, 'who cough into': 988496, 'hand and could': 374755, 'and could those': 60624, 'those who store': 892678, 'who store food': 989697, 'store food buy': 807764, 'food buy it': 313842, 'buy it for': 148852, 'for their grandmother': 326831, 'their grandmother or': 873433, 'grandmother or have': 361939, 'add lot': 31443, 'supermarket constantly': 819760, 'cleaning unlike': 181114, 'handle on': 376245, 'on trolley': 604857, 'trolley no': 932447, 'pub card': 687683, 'to add lot': 900060, 'add lot more': 31444, 'lot more hygienic': 504107, 'than supermarket constantly': 841184, 'supermarket constantly cleaning': 819761, 'constantly cleaning unlike': 195656, 'cleaning unlike the': 181115, 'unlike the shopping': 942731, 'the shopping trolley': 867077, 'trolley love to': 932444, 'to see sample': 914062, 'see sample of': 745652, 'the germ from': 856226, 'the handle on': 857074, 'handle on trolley': 376246, 'on trolley no': 604858, 'trolley no cash': 932448, 'cash in pub': 166256, 'in pub card': 427064, 'pub card only': 687684, 'becoming necessary': 120323, 'isolate the': 454921, 'you urgently': 1021995, 'urgently considering': 948379, 'considering implementing': 195382, 'implementing online': 418517, 'delivery before': 233746, 'before full': 122814, 'is ordered': 450602, 'is becoming necessary': 446038, 'becoming necessary for': 120324, 'necessary for people': 553990, 'people to self': 649938, 'self isolate the': 747690, 'isolate the only': 454922, 'shop are you': 759921, 'are you urgently': 91877, 'you urgently considering': 1021996, 'urgently considering implementing': 948380, 'considering implementing online': 195383, 'implementing online shopping': 418518, 'shopping delivery before': 762457, 'delivery before full': 233747, 'before full lockdown': 122815, 'full lockdown is': 340674, 'lockdown is ordered': 499551, 'chancellor show': 171854, 'responsibly in': 716098, '19 angela': 5147, 'merkel at': 529147, 'up cherry': 944594, 'cherry soap': 175543, 'soap loo': 779058, 'the chancellor show': 850666, 'chancellor show how': 171855, 'to shop responsibly': 914484, 'shop responsibly in': 760713, 'responsibly in the': 716099, 'the age or': 848436, 'age or covid': 37884, 'covid 19 angela': 212631, '19 angela merkel': 5148, 'angela merkel at': 76332, 'merkel at her': 529148, 'at her local': 98888, 'local supermarket picking': 498573, 'picking up cherry': 655874, 'up cherry soap': 944595, 'cherry soap loo': 175544, 'soap loo paper': 779059, 'loo paper and': 502153, 'see neighbor': 745475, 'neighbor coming': 556994, 'had anything': 372857, 'you see neighbor': 1021052, 'see neighbor coming': 745476, 'neighbor coming back': 556995, 'epidemic and you': 279339, 'and you haven': 76025, 'you haven had': 1019149, 'haven had anything': 383821, 'had anything in': 372858, 'stuff medical': 815129, 'knowing who': 477157, 'le th': 483151, 'about those grocery': 26680, 'retail worker going': 718888, 'worker going out': 1007047, 'going out not': 355382, 'out not having': 626651, 'not having all': 569893, 'having all the': 383965, 'the ppe and': 864166, 'ppe and stuff': 667908, 'and stuff medical': 72617, 'stuff medical people': 815130, 'medical people have': 526285, 'have not knowing': 381687, 'not knowing who': 570319, 'knowing who the': 477158, 'who the next': 989755, 'walk in that': 964810, 'in that ha': 428920, '19 is risking': 8038, 'is risking themselves': 451561, 'risking themselves and': 724099, 'their family life': 873258, 'family life to': 297987, 'and make le': 66558, 'make le th': 510081, 'and arises': 58393, 'arises online': 92802, 'price refuse': 676139, 'pay quarterly': 645062, 'quarterly rent': 693283, 'bill owner': 130648, 'owner move': 632499, 'end fixed': 275821, 'contract early': 201654, 'early compare': 264571, 'compare but': 191387, 'not contrast': 568862, 'contrast some': 201846, 'some response': 783747, 'store and arises': 806197, 'and arises online': 58394, 'arises online price': 92803, 'online price refuse': 608796, 'price refuse to': 676140, 'refuse to pay': 707038, 'to pay quarterly': 911552, 'pay quarterly rent': 645063, 'quarterly rent bill': 693284, 'rent bill owner': 711056, 'bill owner move': 130649, 'owner move to': 632500, 'move to end': 543752, 'to end fixed': 905078, 'end fixed term': 275822, 'fixed term contract': 309832, 'term contract early': 838100, 'contract early compare': 201655, 'early compare but': 264572, 'compare but not': 191388, 'but not contrast': 146531, 'not contrast some': 568863, 'contrast some response': 201847, 'some response to': 783748, 'louise ie': 504534, 'ie where': 413753, 'information yes': 438049, 'scientist consider': 742206, 'consider airborne': 194945, 'airborne can': 39838, 'through breathing': 894355, 'breathing though': 139251, 'though close': 892785, 'proximity yes': 687335, 'yes ht': 1015460, 'louise ie where': 504535, 'ie where are': 413754, 'you getting your': 1018817, 'getting your information': 349467, 'your information yes': 1024485, 'information yes the': 438050, 'yes the virus': 1015557, 'virus ha not': 958249, 'not been confirmed': 568507, 'been confirmed to': 120869, 'confirmed to spread': 194208, 'to spread through': 915081, 'spread through in': 790847, 'through in way': 894522, 'way that scientist': 969925, 'that scientist consider': 846159, 'scientist consider airborne': 742207, 'consider airborne can': 194946, 'airborne can it': 39839, 'it be spread': 456737, 'be spread through': 117333, 'spread through breathing': 790842, 'through breathing though': 894356, 'breathing though close': 139252, 'though close proximity': 892786, 'close proximity yes': 182779, 'proximity yes ht': 687336, 'donate unused': 254279, 'unused supply': 943975, 'wonder if all': 1003965, 'if all those': 413796, 'who ve panic': 989883, 'panic bought pasta': 637430, 'bought pasta will': 136682, 'pasta will donate': 643854, 'will donate unused': 993246, 'donate unused supply': 254280, 'unused supply to': 943976, 'bank when this': 110291, '17 31': 4317, '31 employee': 17565, 'it door from': 457679, 'door from 17': 255598, 'from 17 31': 334201, '17 31 employee': 4318, '31 employee will': 17566, 'during the temporary': 263204, 'shopping still active': 763984, 'japaneese': 464778, 'worry by': 1010683, 'by japaneese': 152958, 'japaneese producer': 464779, 'producer is': 680648, 'from concern': 334941, 'consumer that': 199262, 'income they': 432478, 'order le': 618360, 'le raw': 483097, 'so fall': 777001, 'away demand': 105818, 'revenue amp': 720371, 'amp forex': 53836, 'worry by japaneese': 1010684, 'by japaneese producer': 152959, 'japaneese producer is': 464780, 'producer is from': 680649, 'is from concern': 447944, 'from concern of': 334942, 'concern of consumer': 193020, 'of consumer that': 581778, 'consumer that covid': 199263, 'of income they': 585071, 'income they cut': 432479, 'they cut production': 881864, 'cut production producer': 223509, 'producer order le': 680681, 'order le raw': 618361, 'le raw material': 483098, 'export so fall': 292708, 'so fall in': 777002, 'fall in far': 296949, 'in far away': 422792, 'far away demand': 298715, 'away demand amp': 105819, 'demand amp supply': 234943, 'amp supply lead': 54595, 'lead to fall': 483343, 'tax revenue amp': 835084, 'revenue amp forex': 720372, '1350': 3349, 'secretary lopez': 743962, 'lopez online': 503287, 'allowed via': 46259, 'via coz': 955897, 'coz live': 214540, 'live 1350': 495697, '1350 am': 3350, 'am band': 49923, 'trade secretary lopez': 928571, 'secretary lopez online': 743963, 'lopez online shopping': 503288, 'online shopping of': 609202, 'shopping of non': 763374, 'not allowed via': 568150, 'allowed via coz': 46260, 'via coz live': 955898, 'coz live 1350': 214541, 'live 1350 am': 495698, '1350 am band': 3351, 'grocer reassure': 364155, 'grocer reassure customer': 364156, 'reassure customer about': 703187, 'customer about food': 222012, 'supply demand soar': 825158, 'all complaining': 42414, 'school ain': 741676, 'ain shut': 39655, 'shut but': 767791, 'with hardly': 998739, 'any choice': 79020, 'basically get': 112131, 'get verbally': 348582, 'abused because': 27687, 'all complaining that': 42415, 'complaining that school': 191907, 'that school ain': 846156, 'school ain shut': 741677, 'ain shut but': 39656, 'shut but what': 767792, 'supermarket and nh': 819022, 'work with hardly': 1006035, 'with hardly any': 998740, 'hardly any choice': 378247, 'any choice and': 79021, 'choice and basically': 177728, 'and basically get': 58724, 'basically get verbally': 112132, 'get verbally abused': 348583, 'verbally abused because': 954754, 'abused because we': 27688, 'don have stock': 253616, 'have stock or': 382764, 'stock or doing': 802583, 'or doing the': 615038, 'company managed': 190876, 'managed through': 512487, 'consumer company managed': 196836, 'company managed through': 190877, 'managed through the': 512488, 'wow thank': 1012595, 'wow thank you': 1012596, 'consumer you are': 199583, 'nonfiction': 566639, 'doe like': 251447, 'make nonfiction': 510247, 'nonfiction comic': 566640, 'comic about': 187919, 'like right': 491093, 'little survey': 495598, 'someone who doe': 784754, 'who doe like': 988632, 'doe like to': 251448, 'to make nonfiction': 909705, 'make nonfiction comic': 510248, 'nonfiction comic about': 566641, 'comic about what': 187920, 'about what your': 26907, 'what your work': 982724, 'your work life': 1026376, 'work life is': 1005433, 'life is like': 488811, 'is like right': 449328, 'like right now': 491094, 'midst of please': 530792, 'of please fill': 588170, 'fill out my': 305479, 'out my little': 626603, 'my little survey': 549084, 'raving': 697939, 'again trump': 37249, 'trump incompetent': 933627, 'incompetent raving': 432537, 'raving at': 697940, 'conference ha': 193736, 'ha tanked': 372159, 'tanked the': 834242, 'conference started': 193756, 'started trumpmeltdown': 794889, 'once again trump': 605582, 'again trump incompetent': 37250, 'trump incompetent raving': 933628, 'incompetent raving at': 432538, 'raving at press': 697941, 'press conference ha': 671029, 'conference ha tanked': 193737, 'ha tanked the': 372160, 'tanked the stock': 834243, 'stock market which': 802455, 'market which wa': 517340, 'which wa up': 986454, 'wa up until': 963615, 'up until the': 946500, 'until the press': 943867, 'the press conference': 864285, 'press conference started': 671035, 'conference started trumpmeltdown': 193757, 'world do not': 1009488, 'nurse looking': 577413, 'compromised to': 192690, 'employee stocking': 274242, 'supply public': 825745, 'transportation remains': 930029, 'remains essential': 710005, 'essential thank': 281652, 'dedicated employee': 231706, 'their travel': 875021, 'travel safe': 930497, 'safe transit': 730075, 'the nurse looking': 861983, 'nurse looking after': 577414, 'looking after the': 502782, 'after the immune': 36324, 'the immune compromised': 857917, 'immune compromised to': 417320, 'compromised to the': 192691, 'store employee stocking': 807543, 'employee stocking food': 274243, 'cleaning supply public': 181083, 'supply public transportation': 825746, 'public transportation remains': 688434, 'transportation remains essential': 930030, 'remains essential thank': 710006, 'essential thank you': 281653, 'to the dedicated': 916631, 'the dedicated employee': 853015, 'dedicated employee who': 231707, 'employee who keep': 274429, 'who keep their': 989156, 'keep their travel': 472098, 'their travel safe': 875022, 'travel safe transit': 930498, 'blogalert effect': 133052, 'global oilandgas': 352054, 'industry indiafightscorona': 435912, 'blogalert effect of': 133053, 'the global oilandgas': 856314, 'global oilandgas industry': 352055, 'oilandgas industry indiafightscorona': 597547, 'need alex': 554381, 'alex rapaport': 41587, 'rapaport the': 696886, 'the masbia': 860207, 'masbia string': 518232, 'string of': 813793, 'of kosher': 585678, 'kosher soup': 477555, 'pantry around': 639540, 'around new': 93414, 'in need alex': 425722, 'need alex rapaport': 554382, 'alex rapaport the': 41588, 'rapaport the executive': 696887, 'of the masbia': 591224, 'the masbia string': 860208, 'masbia string of': 518233, 'string of kosher': 813794, 'of kosher soup': 585679, 'kosher soup kitchen': 477556, 'food pantry around': 315768, 'pantry around new': 639541, 'around new york': 93415, 'of asshats': 580402, 'asshats we': 96501, 'shall prevail': 754545, 'instead of asshats': 440231, 'of asshats we': 580403, 'asshats we shall': 96502, 'we shall prevail': 973221, 'no single': 565511, 'single deal': 771284, 'underway still': 940972, 'still expects': 800507, 'expects oil': 291091, 'no single deal': 565512, 'single deal will': 771285, 'deal will be': 229527, 'in demand that': 422159, 'already underway still': 47739, 'underway still expects': 940973, 'still expects oil': 800508, 'expects oil price': 291092, 'to fall after': 905618, 'fall after the': 296807, 'the opec deal': 862373, 'that drama': 843616, 'drama school': 258256, 'school game': 741802, 'game where': 343287, 'like that drama': 491314, 'that drama school': 843617, 'drama school game': 258257, 'school game where': 741803, 'game where had': 343288, 'where had to': 984904, 'had to balance': 373663, 'balance the space': 108991, 'granted stable': 362085, 'stable income': 791927, 'income full': 432351, 'church every': 178357, 'every sunday': 286235, 'sunday that': 818275, 'what blogging': 981123, 'blogging about': 133069, 'so many aspect': 777637, 'of life that': 585834, 'life that can': 489094, 'that can no': 843111, 'longer be taken': 501939, 'be taken for': 117500, 'for granted stable': 321998, 'granted stable income': 362086, 'stable income full': 791928, 'income full supermarket': 432352, 'full supermarket shelf': 340913, 'shelf the freedom': 757650, 'freedom to go': 332391, 'to church every': 902756, 'church every sunday': 178358, 'every sunday that': 286236, 'sunday that what': 818276, 'that what blogging': 847456, 'what blogging about': 981124, 'blogging about this': 133070, 'about this week': 26672, 'include closing': 431534, 'closing denver': 183614, 'denver liquor': 237121, 'and dispensary': 61471, 'dispensary everyone': 246120, 'everyone reaction': 287311, 'just in part': 469043, 'part of stay': 642381, 'home order will': 401787, 'order will include': 618781, 'will include closing': 993800, 'include closing denver': 431535, 'closing denver liquor': 183615, 'denver liquor store': 237122, 'liquor store and': 494201, 'store and dispensary': 806227, 'and dispensary everyone': 61472, 'dispensary everyone reaction': 246121, 'coronavirus more': 206290, 'amid coronavirus more': 52424, 'coronavirus more than': 206291, '12 over': 2921, 'over q2': 630543, 'q2 q4': 691425, 'q4 2020': 691442, 'it reference': 460675, 'reference case': 706487, 'it stress': 461314, 'stress case': 813313, 'average 12 over': 104794, '12 over q2': 2922, 'over q2 q4': 630544, 'q2 q4 2020': 691426, 'q4 2020 in': 691443, '2020 in it': 14393, 'in it reference': 424268, 'it reference case': 460676, 'reference case scenario': 706488, 'case scenario and': 166000, 'scenario and low': 741250, 'and low in': 66441, 'low in it': 505333, 'in it stress': 424274, 'it stress case': 461315, 'them selfish': 876260, 'fucking prick': 339972, 'prick fuck': 678005, 'fuck 2020': 339509, '2020 fuck': 14322, 'of them selfish': 591761, 'them selfish clown': 876261, 'selfish clown who': 748058, 'clown who are': 184383, 'who are clearing': 988118, 'are clearing the': 85314, 'shelf fucking prick': 757107, 'fucking prick fuck': 339973, 'prick fuck 2020': 678006, 'fuck 2020 fuck': 339510, '2020 fuck covid': 14323, 'recent pandemic': 703949, 'facing uncharted': 295644, 'territory here': 838562, 'can diversify': 158084, 'diversify their': 248546, 'this unexpected': 890907, 'unexpected change': 941358, 'the recent pandemic': 865318, 'recent pandemic restaurant': 703950, 'pandemic restaurant are': 636348, 'restaurant are facing': 716308, 'are facing uncharted': 86438, 'facing uncharted territory': 295645, 'uncharted territory here': 939796, 'territory here how': 838563, 'here how restaurant': 393109, 'how restaurant can': 408585, 'restaurant can diversify': 716355, 'can diversify their': 158085, 'diversify their business': 248547, 'account for this': 28671, 'for this unexpected': 327083, 'this unexpected change': 890908, 'unexpected change in': 941359, 'man horde': 512102, 'horde hand': 403995, 'him famous': 396595, 'famous handsanitiser': 298470, 'handsanitiser detroit': 376447, 'chicago losangeleslockdown': 175685, 'man horde hand': 512103, 'horde hand sanitizer': 403996, 'sanitizer ha no': 735016, 'one to sell': 607284, 'sell to make': 748920, 'make him famous': 509977, 'him famous handsanitiser': 396596, 'famous handsanitiser detroit': 298471, 'handsanitiser detroit chicago': 376448, 'detroit chicago losangeleslockdown': 239501, 'brainer': 137607, 'no brainer': 563717, 'brainer for': 137608, 'my restaurant': 549938, 'restaurant thank': 716737, 'we raided': 972806, 'raided that': 695641, 'kitchen yesterday': 475778, 'every restaurant should': 286138, 'this it wa': 888531, 'wa no brainer': 962718, 'no brainer for': 563718, 'brainer for the': 137609, 'for the owner': 326605, 'owner of my': 632515, 'of my restaurant': 586811, 'my restaurant thank': 549939, 'restaurant thank god': 716738, 'god we raided': 354830, 'we raided that': 972807, 'raided that kitchen': 695642, 'that kitchen yesterday': 844830, 'tiktok please': 895912, 'tiktok it': 895904, 'first attempt': 308519, 'toiletpaper toiletpaperpanic tiktok': 922708, 'toiletpaperpanic tiktok please': 923258, 'tiktok please like': 895913, 'and share on': 71392, 'share on tiktok': 755131, 'on tiktok it': 604698, 'tiktok it wa': 895905, 'my first attempt': 548332, '2wds': 16877, 'smmes': 775842, 'price shud': 676395, 'shud sold': 767756, 'sold only': 781721, 'distancing any': 247007, 'any monies': 79481, 'monies that': 537265, 'retailer get': 719158, 'inflation shud': 437237, 'shud donated': 767754, 'donated 2wds': 254312, '2wds the': 16878, 'fund smmes': 341502, 'smmes that': 775843, 'affected thereby': 34451, 'thereby solving': 879408, 'price shud sold': 676396, 'shud sold only': 767757, 'sold only online': 781722, 'only online to': 610900, 'online to maintain': 609591, 'social distancing any': 779555, 'distancing any monies': 247008, 'any monies that': 79482, 'monies that the': 537266, 'that the retailer': 846822, 'the retailer get': 865740, 'retailer get from': 719159, 'the price inflation': 864371, 'price inflation shud': 674826, 'inflation shud donated': 437238, 'shud donated 2wds': 767755, 'donated 2wds the': 254313, '2wds the covid': 16879, '19 fund smmes': 7171, 'fund smmes that': 341503, 'smmes that ll': 775844, 'that ll be': 844907, 'll be affected': 496567, 'be affected thereby': 113517, 'affected thereby solving': 34452, 'thereby solving problem': 879409, 'solving problem at': 782208, 'problem at the': 679473, 'lukewarm': 506641, 'bewareofcovid19': 129111, 'dear kashmir': 229823, 'kashmir keep': 470982, 'keep changing': 471384, 'based keep': 111638, 'possible try': 665860, 'drink lukewarm': 258857, 'lukewarm water': 506642, 'have vitaminc': 383522, 'vitaminc or': 959824, 'or immunity': 615741, 'lastly don': 480786, 'panic bewareofcovid19': 637407, 'dear kashmir keep': 229824, 'kashmir keep your': 470983, 'on and keep': 599360, 'and keep changing': 65754, 'keep changing them': 471385, 'changing them keep': 172826, 'them keep your': 875962, 'keep your sanitizer': 472283, 'your sanitizer with': 1025680, 'with you alcohol': 1002142, 'you alcohol based': 1016860, 'alcohol based keep': 40933, 'based keep washing': 111639, 'hand if possible': 375033, 'if possible try': 414674, 'possible try to': 665861, 'try to drink': 934620, 'to drink lukewarm': 904724, 'drink lukewarm water': 258858, 'lukewarm water and': 506643, 'water and try': 968888, 'try to have': 934631, 'to have vitaminc': 907334, 'have vitaminc or': 383523, 'vitaminc or immunity': 959825, 'or immunity boosting': 615742, 'immunity boosting food': 417398, 'food and lastly': 313267, 'and lastly don': 65963, 'lastly don panic': 480787, 'don panic bewareofcovid19': 253795, 're shaming': 699490, 'shaming yourselves': 754764, 'you re shaming': 1020742, 're shaming yourselves': 699491, 'shaming yourselves and': 754765, 'you heading': 1019167, 'this cash': 886714, 'cash car': 166196, 'buyer offer': 149701, 'following tip': 312924, 'tip washyourhands': 898954, 'are you heading': 91805, 'you heading out': 1019168, 'some item do': 783148, 'forget to clean': 329320, 'your car during': 1023131, 'car during this': 163069, 'during this cash': 263265, 'this cash car': 886715, 'cash car buyer': 166197, 'car buyer offer': 163038, 'buyer offer the': 149702, 'offer the following': 594828, 'the following tip': 855524, 'following tip washyourhands': 312925, 'been excited': 121105, 'finding flour': 307466, 'more thankful': 540706, 'never been excited': 557893, 'been excited about': 121106, 'excited about finding': 289522, 'about finding flour': 25240, 'finding flour at': 307467, 'flour at the': 311076, 'morning wa one': 541528, 'wa one silver': 962844, 'lining to all': 493758, 'that it might': 844725, 'it might make': 459617, 'might make little': 531077, 'make little more': 510097, 'little more thankful': 495473, 'more thankful for': 540707, 'for what we': 327809, 'logging': 500639, 'hello felt': 389158, 'when logging': 983703, 'logging into': 500640, 'app tried': 81786, 'tried adding': 931755, 'adding box': 31662, 'box amritsari': 137005, 'chawal with': 174050, 'with olive': 999868, 'olive and': 598733, 'and olive': 68046, 'oil ice': 596861, 'however final': 409372, 'price crossed': 673353, 'crossed like': 219060, '762 understand': 22257, 'season but': 743386, 'but used': 147673, 'lyk below': 507103, 'below 400': 126578, 'day any': 227307, 'sum hungry': 817869, 'hello felt hungry': 389159, 'felt hungry when': 303397, 'hungry when logging': 411327, 'when logging into': 983704, 'logging into your': 500641, 'into your app': 443316, 'your app tried': 1022798, 'app tried adding': 81787, 'tried adding box': 931756, 'adding box amritsari': 31663, 'box amritsari cholle': 137006, 'cholle chawal with': 177865, 'chawal with olive': 174051, 'with olive and': 999869, 'olive and olive': 598734, 'and olive oil': 68047, 'olive oil ice': 598740, 'oil ice tea': 596862, '4m in however': 19488, 'in however final': 423884, 'however final price': 409373, 'final price crossed': 305860, 'price crossed like': 673354, 'crossed like 762': 219061, 'like 762 understand': 489712, '762 understand it': 22258, 'understand it season': 940668, 'it season but': 460918, 'season but used': 743387, 'but used get': 147674, 'used get the': 949918, 'in lyk below': 424965, 'lyk below 400': 507104, 'below 400 in': 126579, '400 in the': 18745, 'old day any': 598219, 'day any help': 227308, 'any help with': 79319, 'help with discount': 390906, 'with discount on': 998073, 'discount on the': 244514, 'on the sum': 604391, 'the sum hungry': 868404, 'fashionista': 299885, 'sketchdaily': 772906, 'fashionillustration': 299876, 'outfitoftheday': 628959, 'fashionillustrationoftheday': 299879, 'is dressing': 447373, 'dressing up': 258711, 'run fashionista': 727633, 'fashionista ootd': 299886, 'ootd sketchdaily': 611755, 'sketchdaily fashionillustration': 772907, 'fashionillustration covi': 299877, 'd19 coronafashion': 224171, 'coronafashion outfitoftheday': 204936, 'outfitoftheday artist': 628960, 'artist fashionillustrationoftheday': 94601, 'fashionillustrationoftheday stayhealthy': 299880, 'else is dressing': 271751, 'is dressing up': 447374, 'dressing up for': 258712, 'for their grocery': 326833, 'store run fashionista': 809920, 'run fashionista ootd': 727634, 'fashionista ootd sketchdaily': 299887, 'ootd sketchdaily fashionillustration': 611756, 'sketchdaily fashionillustration covi': 772908, 'fashionillustration covi d19': 299878, 'covi d19 coronafashion': 212538, 'd19 coronafashion outfitoftheday': 224172, 'coronafashion outfitoftheday artist': 204937, 'outfitoftheday artist fashionillustrationoftheday': 628961, 'artist fashionillustrationoftheday stayhealthy': 94602, 'is dumb': 447404, 'dumb pandemic': 262109, 'yet much': 1016152, 'damaging to': 225279, 'every go': 285913, 'is incoherent': 448838, 'it is dumb': 458941, 'is dumb pandemic': 447405, 'dumb pandemic wise': 262110, 'pandemic wise to': 637020, 'wise to let': 996699, 'store but yet': 806819, 'but yet much': 147967, 'yet much more': 1016153, 'much more damaging': 545104, 'more damaging to': 538947, 'damaging to not': 225280, 'not have every': 569829, 'have every go': 380496, 'every go back': 285914, 'that is incoherent': 844609, 'is incoherent to': 448839, 'virus sought': 958773, 'sought out': 786212, 'the sheep': 866808, 'to an england': 900447, 'england of empty': 277026, 'corona virus sought': 204352, 'virus sought out': 958774, 'sought out the': 786213, 'out the selfish': 627417, 'stupid and the': 815344, 'and the sheep': 73579, '8733': 23023, 'delivery morrison': 234192, 'morrison no': 541737, 'available tesco': 104608, 'available sainsbury': 104575, 'sainsbury rightly': 731711, 'rightly prioritising': 722471, 'prioritising elderly': 678420, 'vulnerable disabled': 960931, 'no click': 563825, 'collect slot': 186317, 'available ocado': 104522, 'ocado you': 578928, 'queue position': 694046, 'position 8733': 665151, '8733 hour': 23024, 'get supermarket home': 348147, 'home delivery morrison': 401030, 'delivery morrison no': 234193, 'morrison no slot': 541738, 'slot available tesco': 774140, 'available tesco no': 104609, 'tesco no slot': 838759, 'slot available sainsbury': 774138, 'available sainsbury rightly': 104576, 'sainsbury rightly prioritising': 731712, 'rightly prioritising elderly': 722472, 'prioritising elderly vulnerable': 678421, 'elderly vulnerable disabled': 270929, 'vulnerable disabled customer': 960932, 'disabled customer but': 243896, 'customer but no': 222203, 'but no click': 146480, 'no click collect': 563826, 'click collect slot': 181899, 'collect slot available': 186318, 'slot available ocado': 774137, 'available ocado you': 104523, 'ocado you are': 578929, 'are in virtual': 87462, 'in virtual queue': 430602, 'virtual queue position': 957778, 'queue position 8733': 694047, 'position 8733 hour': 665152, '8733 hour wait': 23025, 'indiadeservesbetter': 434712, 'homestuck': 402975, 'and math': 66788, 'math workbook': 520477, 'workbook now': 1006085, 'in soft': 428062, 'soft copy': 781463, 'copy all': 203455, 'discount shop': 244536, 'socialdistancing stayhomeindia': 780742, 'stayhomeindia onlinelearning': 798308, 'onlinelearning coronaoutbreak': 609835, 'coronaoutbreak indiadeservesbetter': 205123, 'indiadeservesbetter 19': 434713, '19 homestuck': 7566, 'our english and': 622912, 'english and math': 277049, 'and math workbook': 66789, 'math workbook now': 520478, 'workbook now available': 1006086, 'available in soft': 104452, 'in soft copy': 428063, 'soft copy all': 781464, 'copy all at': 203456, 'all at affordable': 42077, 'price with 10': 677602, 'with 10 discount': 996921, '10 discount shop': 1401, 'discount shop now': 244537, 'shop now at': 760514, 'now at socialdistancing': 574137, 'at socialdistancing stayhomeindia': 100569, 'socialdistancing stayhomeindia onlinelearning': 780743, 'stayhomeindia onlinelearning coronaoutbreak': 798309, 'onlinelearning coronaoutbreak indiadeservesbetter': 609836, 'coronaoutbreak indiadeservesbetter 19': 205124, 'indiadeservesbetter 19 homestuck': 434714, 'to throng': 917554, 'throng the': 894268, 'stock whatever': 803178, 'whatever little': 982778, 'left am': 485371, 'no commerce': 563851, 'delivering anything': 233468, 'too mayhem': 924900, 'mayhem pls': 521917, 'pls note': 661159, 'begun to throng': 123739, 'to throng the': 917555, 'throng the shop': 894269, 'to stock whatever': 915459, 'stock whatever little': 803179, 'whatever little is': 982779, 'little is left': 495416, 'is left am': 449267, 'left am concerned': 485372, 'food for pet': 314564, 'for pet no': 324511, 'pet no commerce': 653425, 'no commerce platform': 563852, 'commerce platform is': 188609, 'platform is delivering': 658990, 'is delivering anything': 447100, 'delivering anything for': 233469, 'anything for human': 80766, 'for human too': 322445, 'human too mayhem': 410646, 'too mayhem pls': 924901, 'mayhem pls note': 521918, 'possible homemade': 665672, 'let beat the': 486624, 'beat the wash': 118565, 'the wash your': 871103, 'to keep six': 908848, 'away from stranger': 105913, 'stranger eat much': 812467, 'eat much possible': 265990, 'much possible homemade': 545241, 'possible homemade food': 665673, 'homemade food do': 402830, '1100': 2624, '1600': 4218, 'validates': 951930, 'available shirt': 104589, 'shirt is': 758993, 'is 400': 445208, '400 is': 18746, 'is 700': 445235, '700 is': 21890, 'is 1100': 445152, '1100 is': 2625, 'is 1600': 445167, '1600 dm': 4219, 'price payment': 675841, 'payment validates': 645775, 'validates order': 951931, 'free might': 331977, 'possible right': 665761, 'pandemic placed': 636185, 'be dispatched': 114488, 'dispatched once': 246107, 'thread of available': 893580, 'of available shirt': 580478, 'available shirt is': 104590, 'shirt is 400': 758994, 'is 400 is': 445209, '400 is 700': 18747, 'is 700 is': 445236, '700 is 1100': 21891, 'is 1100 is': 445153, '1100 is 1600': 2626, 'is 1600 dm': 445168, '1600 dm for': 4220, 'dm for bulk': 248889, 'for bulk price': 319815, 'bulk price payment': 142343, 'price payment validates': 675842, 'payment validates order': 645776, 'validates order delivery': 951932, 'order delivery not': 618168, 'delivery not free': 234210, 'not free might': 569531, 'free might not': 331978, 'be possible right': 116477, 'possible right now': 665762, '19 pandemic placed': 9427, 'pandemic placed order': 636186, 'placed order will': 657911, 'will be dispatched': 992432, 'be dispatched once': 114489, 'dispatched once the': 246108, 'is over please': 450721, 'over please rt': 630510, 'last read': 480465, 'shelf may make': 757315, 'may make consumer': 521335, 'make consumer fear': 509792, 'consumer fear food': 197456, 'built to last': 142201, 'to last read': 909072, 'last read the': 480466, 'london quickly': 501162, 'quickly taking': 694613, 'feel of': 302795, 'of third': 591929, 'country stophoarding': 211087, 'london quickly taking': 501163, 'quickly taking on': 694614, 'taking on the': 833479, 'on the feel': 604116, 'the feel of': 855098, 'feel of third': 302796, 'of third world': 591930, 'world country stophoarding': 1009465, 'country stophoarding panicbuyinguk': 211088, 'crisis showed': 218045, 'showed is': 767333, 'that director': 843544, 'any interest': 79366, 'be elected': 114657, 'board so': 133670, 'boss don': 135739, 'about lost': 25670, 'business their': 144505, 'their sha': 874669, 'what the financial': 982315, 'financial crisis showed': 306381, 'crisis showed is': 218046, 'showed is that': 767334, 'is that director': 452640, 'that director of': 843545, 'director of company': 243646, 'of company don': 581604, 'have any interest': 379308, 'any interest in': 79367, 'interest in the': 441360, 'to be elected': 901232, 'be elected to': 114658, 'elected to the': 271011, 'to the board': 916521, 'the board so': 849813, 'board so supermarket': 133671, 'so supermarket boss': 778305, 'supermarket boss don': 819398, 'boss don care': 135740, 'care about lost': 163794, 'about lost sale': 25671, 'lost sale because': 503912, 'sale because they': 732096, 'they don care': 881986, 'don care for': 253421, 'care for their': 163955, 'their business their': 872690, 'business their sha': 144507, 'advising that': 33710, 'report back': 711822, 'work immediately': 1005289, 'now advising that': 573946, 'advising that million': 33711, 'million of worker': 532292, 'of worker food': 593279, 'transit worker should': 929661, 'worker should report': 1007778, 'should report back': 766406, 'report back to': 711823, 'to work immediately': 918737, 'work immediately if': 1005290, 'immediately if they': 417107, 'they re exposed': 883030, '19 long they': 8467, 'long they have': 501744, 'symptom and wear': 830815, 'here change': 392857, 'of pace': 587643, 'pace from': 632933, 'paper madness': 640437, 'or exploitation': 615238, 'exploitation hoarding': 292382, 'here change of': 392858, 'change of pace': 172197, 'of pace from': 587644, 'pace from toilet': 632934, 'toilet paper madness': 921346, 'paper madness and': 640438, 'madness and or': 508153, 'and or exploitation': 68211, 'or exploitation hoarding': 615239, 'impulse': 419627, 'on impulse': 601519, 'impulse with': 419628, 'and according': 57598, 'rally is getting': 696269, 'is getting lot': 448031, 'to buy on': 902280, 'buy on impulse': 149031, 'on impulse with': 601520, 'impulse with fear': 419629, 'with fear price': 998403, 'fear price won': 301297, 'price won be': 677637, 'won be any': 1003736, 'be any lower': 113649, 'any lower no': 79436, 'high in ny': 395131, 'ny and according': 577835, 'and according to': 57599, 'according to most': 28568, 'to most expert': 910282, 'most expert the': 542323, 'expert the worst': 291984, 'shoreditch': 764584, 'coronavirus boris': 205568, 'johnson mural': 466609, 'in shoreditch': 427911, 'shoreditch say': 764585, 'travel traveler': 930549, 'traveler economy': 930619, 'politics regional': 663797, 'regional security': 707521, 'security who': 744795, 'coronavirus boris johnson': 205569, 'boris johnson mural': 135470, 'johnson mural in': 466610, 'mural in shoreditch': 546143, 'in shoreditch say': 427912, 'shoreditch say stop': 764586, 'say stop panic': 739181, 'buying via uk': 151314, 'via uk consumer': 956345, 'uk consumer retail': 938268, 'consumer retail food': 198795, 'retail food virus': 718124, 'food virus health': 317435, 'research travel traveler': 713875, 'travel traveler economy': 930550, 'traveler economy politics': 930620, 'economy politics regional': 268147, 'politics regional security': 663798, 'regional security who': 707522, 'vasayo': 952690, 'expand around': 290448, 'online verb': 609667, 'verb help': 954741, 'company launch': 190834, 'facing version': 295652, 'it learn': 459321, 'learn app': 483949, 'market leader': 516677, 'leader vasayo': 483562, 'continues to expand': 201474, 'to expand around': 905433, 'expand around the': 290449, 'world and force': 1009278, 'and force many': 63172, 'force many industry': 328438, 'many industry to': 514190, 'industry to go': 436169, 'go online verb': 353917, 'online verb help': 609668, 'verb help business': 954742, 'help business to': 389446, 'business to meet': 144544, 'this challenge the': 886730, 'challenge the company': 171569, 'the company launch': 851335, 'company launch consumer': 190835, 'launch consumer facing': 481875, 'consumer facing version': 197442, 'facing version of': 295653, 'of it learn': 585413, 'it learn app': 459322, 'learn app for': 483950, 'app for market': 81709, 'for market leader': 323252, 'market leader vasayo': 516679, 'public because': 687894, 'because microorganism': 119241, 'microorganism wa': 530479, 'would be scared': 1011643, 'be scared to': 117020, 'in public because': 427073, 'public because microorganism': 687895, 'because microorganism wa': 119242, 'microorganism wa gonna': 530480, 'wa gonna kill': 962231, 'gonna kill me': 356568, 'kill me at': 474438, 'store lockdown isolation': 808805, 'democrat in': 236723, 'wisconsin wanted': 996643, 'delay because': 232679, 'wanted time': 966238, 'to rig': 913527, 'rig it': 721716, 'safe enough': 729627, 'democrat in wisconsin': 236724, 'in wisconsin wanted': 430933, 'wisconsin wanted to': 996644, 'wanted to delay': 966250, 'to delay because': 904081, 'delay because they': 232680, 'because they wanted': 119726, 'they wanted time': 883723, 'wanted time to': 966239, 'time to rig': 898056, 'to rig it': 913529, 'rig it nothing': 721717, 'it nothing to': 459942, 'do with if': 250553, 'store it safe': 808592, 'it safe enough': 460838, 'safe enough to': 729628, 'to go vote': 906880, 'bstards': 141456, 'greedy bstards': 363489, 'bstards at': 141457, 'ha wen': 372470, 'wen yer': 978913, 'yer potato': 1015357, 'veg all': 953709, 'most stuff': 542781, 'freezer month': 332622, 'month work': 538142, 'year wen': 1015091, 'wen wa': 978911, 'wa 17': 961354, 'know stop': 476742, 'stop been': 804477, 'been selfish': 121910, 'selfish other': 748184, 'still being greedy': 800276, 'being greedy bstards': 125195, 'greedy bstards at': 363490, 'bstards at supermarket': 141458, 'supermarket ha ha': 820628, 'ha ha wen': 370785, 'ha wen yer': 372471, 'wen yer potato': 978914, 'yer potato and': 1015358, 'and veg all': 74855, 'veg all go': 953710, 'go off and': 353867, 'off and most': 593642, 'and most stuff': 67277, 'most stuff can': 542782, 'stuff can only': 815042, 'can only keep': 159128, 'only keep in': 610671, 'keep in the': 471595, 'the freezer month': 855784, 'freezer month work': 332623, 'month work at': 538143, 'at asda for': 98053, 'asda for 12': 94916, '12 year wen': 2998, 'year wen wa': 1015092, 'wen wa 17': 978912, 'wa 17 so': 961355, '17 so know': 4387, 'so know stop': 777519, 'know stop been': 476743, 'stop been selfish': 804478, 'been selfish other': 121911, 'selfish other people': 748185, 'food well coronacrisis': 317543, 'this wa norwich': 891080, 'being selfish leave': 125745, 'buy it need': 148857, 'do this stoppanicbuying': 250368, 'am slowing': 50397, 'slowing fucking': 774547, 'fucking losing': 339934, 'the supermarket am': 868458, 'supermarket am slowing': 818897, 'am slowing fucking': 50398, 'slowing fucking losing': 774548, 'fucking losing it': 339935, 'losing it 19': 503560, 'duration how': 262367, 'last and': 480107, 'importantly how': 419125, 'change buying': 171965, 'of vc': 592749, 'vc funding': 952777, 'our startup': 624892, 'startup work': 795139, 'better in': 128338, 'post quarantine': 666289, 'quarantine world': 692716, 'duration how long': 262368, 'long will last': 501854, 'will last and': 993936, 'last and more': 480108, 'more importantly how': 539500, 'importantly how will': 419126, 'will it change': 993862, 'it change buying': 457095, 'change buying behavior': 171966, 'buying behavior consumer': 150013, 'behavior consumer discretionary': 123982, 'discretionary and availability': 244763, 'and availability of': 58541, 'availability of vc': 104166, 'of vc funding': 592750, 'vc funding will': 952778, 'funding will our': 341637, 'will our startup': 994359, 'our startup work': 624893, 'startup work better': 795140, 'work better in': 1004941, 'better in post': 128339, 'in post quarantine': 426864, 'post quarantine world': 666291, 'produce do': 680242, 'panic according': 637264, 'to mayor': 909906, 'of produce do': 588465, 'produce do not': 680243, 'not panic according': 570892, 'panic according to': 637265, 'according to mayor': 28564, 'to mayor garcetti': 909907, 'running about': 727889, 'neighbour door': 557200, 'need get': 554901, 'instead of running': 440315, 'of running about': 589178, 'running about like': 727890, 'about like idiot': 25643, 'like idiot panic': 490472, 'canned food how': 161516, 'about you knock': 26977, 'you knock on': 1019474, 'on your elderly': 605460, 'your elderly neighbour': 1023636, 'elderly neighbour door': 270778, 'neighbour door and': 557201, 'they need get': 882736, 'need get you': 554902, 'you priority right': 1020434, 'priority right we': 678638, 'right we are': 722406, 'riffa': 721698, 'in riffa': 427510, 'riffa ha': 721699, 'after disinfectant': 35569, 'disinfectant were': 245798, 'found being': 330170, 'pharmacy in riffa': 654358, 'in riffa ha': 427511, 'riffa ha been': 721700, 'down after disinfectant': 256447, 'after disinfectant were': 35570, 'disinfectant were found': 245799, 'were found being': 979658, 'found being sold': 330171, 'inflated price bahrain': 437028, 'for hcw': 322140, 'fund suppose': 341510, 'suppose nurse': 827310, 'or illness': 615734, 'illness on': 416388, 'or orphan': 616421, 'in it for': 424247, 'it for profit': 458088, 'buy save for': 149148, 'save for hcw': 737505, 'for hcw fund': 322141, 'hcw fund suppose': 384668, 'fund suppose nurse': 341511, 'suppose nurse dy': 827311, '19 or illness': 9020, 'or illness on': 615735, 'illness on the': 416389, 'the job you': 858678, 'job you donate': 466316, 'family or orphan': 298132, 'limit rice': 492476, 'implication on': 418566, 'poor net': 664230, 'net importer': 557553, 'importer may': 419202, 'significant especially': 769446, 'after and and': 35362, 'and and limit': 58135, 'and limit rice': 66177, 'limit rice export': 492477, 'rice export the': 721043, 'export the implication': 292716, 'the implication on': 857971, 'implication on poor': 418567, 'on poor net': 602839, 'poor net importer': 664231, 'net importer may': 557554, 'importer may be': 419203, 'may be very': 521048, 'be very significant': 117986, 'very significant especially': 955539, 'significant especially in': 769447, 'context of the': 200913, 'charity the': 173698, 'seen demand': 746992, 'seafood plummet': 743142, 'plummet leaving': 661286, 'bank and charity': 109604, 'and charity the': 59762, 'charity the coronavirus': 173699, 'crisis ha seen': 217446, 'ha seen demand': 371824, 'seen demand for': 746993, 'for seafood plummet': 325401, 'seafood plummet leaving': 743143, 'plummet leaving many': 661287, 'canada may': 160493, 'in canada may': 421192, 'canada may affect': 160494, 'may affect food': 520893, 'affect food price': 34145, 'gutted': 368870, 'pollock': 663883, 'russia headed': 728493, 'headed and': 385891, 'and gutted': 64052, 'gutted pollock': 368871, 'pollock are': 663884, 'china plant': 176878, 'plant back': 658615, 'back processing': 107236, 'processing but': 680012, 'causing uncertainty': 168140, 'the finished': 855249, 'finished product': 307911, 'price for russia': 674041, 'for russia headed': 325277, 'russia headed and': 728494, 'headed and gutted': 385892, 'and gutted pollock': 64053, 'gutted pollock are': 368872, 'pollock are rising': 663885, 'are rising again': 89706, 'rising again with': 723151, 'again with china': 37276, 'with china plant': 997632, 'china plant back': 176879, 'plant back processing': 658616, 'back processing but': 107237, 'processing but the': 680013, 'but the spread': 147408, 'of to europe': 592211, 'and the is': 73431, 'the is causing': 858484, 'is causing uncertainty': 446436, 'causing uncertainty in': 168142, 'in the finished': 429202, 'the finished product': 855250, 'finished product market': 307912, 'up fb': 944841, 'nameandshame any': 551707, 'friend ha set': 333628, 'set up fb': 753555, 'up fb group': 944842, 'to nameandshame any': 910472, 'nameandshame any shop': 551708, 'any shop who': 79799, 'are selling essential': 89955, 'item at hugely': 463128, 'also don go': 48122, 'don go panic': 253570, 'go panic shopping': 354034, 'shopping and hoard': 761990, 'and hoard all': 64631, 'all the booze': 44677, 'blowing all': 133367, 'there anyone else': 878031, 'who is sitting': 989113, 'home and blowing': 400616, 'and blowing all': 59029, 'blowing all their': 133368, 'all their money': 45002, 'their money online': 874001, 'corona crisis have': 203905, 'crisis have left': 217458, 'have left many': 381294, 'left many people': 485546, 'date house': 226649, 'house responds': 406526, 'continuing outbreak': 201540, 'priority we': 678689, 'let take all': 487099, 'necessary precaution and': 554042, 'precaution and get': 669273, 'and get through': 63608, 'this together the': 890787, 'together the date': 920974, 'the date house': 852857, 'date house responds': 226650, 'house responds to': 406527, 'the continuing outbreak': 851681, 'continuing outbreak the': 201541, 'outbreak the well': 628725, 'and employee is': 62062, 'employee is our': 273989, 'top priority we': 925689, 'priority we will': 678690, 'available for online': 104375, 'store line in': 808752, 'line in everyone': 493195, 'in everyone is': 422701, 'other safe from': 620866, 'in place please': 426757, 'place please sign': 657661, 'retailer switching': 719346, 'curbside takeaway': 220675, 'their merchandise': 873952, 'merchandise due': 528972, 'car outside': 163208, 'retailer switching to': 719347, 'switching to curbside': 830578, 'to curbside takeaway': 903814, 'curbside takeaway for': 220676, 'takeaway for all': 832862, 'all their merchandise': 45001, 'their merchandise due': 873953, 'merchandise due to': 528973, 'due to customer': 261752, 'to customer need': 903853, 'phone and worker': 654890, 'and worker will': 75885, 'worker will deliver': 1008248, 'your car outside': 1023137, 'car outside the': 163209, 'spectacular': 788320, 'hour since': 405936, 'since posted': 770790, 'sale figure': 732214, 'figure some': 305231, 'are spectacular': 90320, 'spectacular the': 788321, 'take heart': 832166, 'heart everybody': 388287, 'think wine': 885791, 'the hour since': 857584, 'hour since posted': 405937, 'since posted this': 770791, 'posted this people': 666583, 'this people have': 889504, 'people have contacted': 648171, 'have contacted me': 380091, 'contacted me with': 200331, 'with their sale': 1001598, 'their sale figure': 874623, 'sale figure some': 732215, 'figure some are': 305232, 'some are spectacular': 782328, 'are spectacular the': 90321, 'spectacular the spike': 788322, 'in sale is': 427658, 'sale is real': 732314, 'real take heart': 701384, 'take heart everybody': 832167, 'heart everybody we': 388288, 'everybody we re': 286501, 'in an awful': 420287, 'an awful time': 55516, 'awful time but': 106242, 'time but people': 896421, 'but people think': 146773, 'people think wine': 649839, 'think wine is': 885792, 'wine is important': 995829, 'additive huge': 31927, 'huge 150': 409970, '150 oz': 3921, 'disinfectant additive huge': 245597, 'additive huge 150': 31928, 'huge 150 oz': 409971, '150 oz bottle': 3922, 'sound pessimistic': 786317, 'pessimistic but': 653330, 'is tad': 452521, 'tad too': 831728, 'late if': 480879, 'settle isolate': 753678, 'isolate most': 454887, 'hunger most': 411151, 'live we': 496108, 'enough processed': 277581, 'not to sound': 572184, 'to sound pessimistic': 914933, 'sound pessimistic but': 786318, 'pessimistic but the': 653331, 'the measure against': 860367, 'nigeria is tad': 562756, 'is tad too': 452522, 'tad too late': 831729, 'too late if': 924833, 'late if you': 480880, 'if you tell': 415536, 'people to settle': 649940, 'to settle isolate': 914302, 'settle isolate most': 753679, 'isolate most will': 454888, 'most will die': 542919, 'of hunger most': 584912, 'hunger most of': 411152, 'most of eat': 542546, 'of eat from': 582936, 'eat from hand': 265923, 'mouth and need': 543485, 'out to make': 627661, 'make money to': 510190, 'money to live': 537109, 'to live we': 909352, 'live we do': 496109, 'have enough processed': 380464, 'enough processed food': 277582, 'processed food to': 679991, 'thisisnotok': 891648, 'so confused': 776780, 'anywhere we': 81162, 'normal supply': 567351, 'want pack': 965887, 'confused toiletpapershortage': 194356, 'toiletpapershortage thisisnotok': 923329, 'still so confused': 801208, 'so confused to': 776781, 'to why cannot': 918589, 'paper anywhere we': 639883, 'anywhere we are': 81163, 'we are about': 970464, 'about to run': 26735, 'of our normal': 587523, 'our normal supply': 624091, 'normal supply at': 567352, 'supply at home': 824812, 'and just want': 65727, 'just want pack': 470226, 'want pack of': 965888, 'of tp at': 592358, 'tp at normal': 927752, 'normal price do': 567271, 'not get this': 569614, 'get this confused': 348403, 'this confused toiletpapershortage': 886833, 'confused toiletpapershortage thisisnotok': 194357, 'currencyusers': 221078, 'currencyissuer': 221075, 'learnmmt': 484261, 'thedeficitmyth': 872316, 'ffs state': 304320, 'govt constrained': 361097, 'constrained currencyusers': 195756, 'currencyusers should': 221079, 'demand help': 235631, 'from fed': 335447, 'gov currencyissuer': 359565, 'currencyissuer at': 221076, 'this ppl': 889686, 'ppl pls': 668306, 'pls learnmmt': 661149, 'learnmmt to': 484262, 'real resource': 701339, 'resource ppe': 714856, 'ventilator med': 954581, 'shelter etc': 757913, 'survive thedeficitmyth': 829255, 'ffs state local': 304321, 'state local govt': 795747, 'local govt constrained': 498037, 'govt constrained currencyusers': 361098, 'constrained currencyusers should': 195757, 'currencyusers should demand': 221080, 'should demand help': 765914, 'demand help from': 235632, 'help from fed': 389770, 'from fed gov': 335448, 'fed gov currencyissuer': 301824, 'gov currencyissuer at': 359566, 'currencyissuer at time': 221077, 'like this ppl': 491517, 'this ppl pls': 889687, 'ppl pls learnmmt': 668307, 'pls learnmmt to': 661150, 'learnmmt to get': 484263, 'get real resource': 347893, 'real resource ppe': 701340, 'resource ppe ventilator': 714857, 'ppe ventilator med': 668098, 'ventilator med food': 954582, 'med food shelter': 525894, 'food shelter etc': 316460, 'shelter etc we': 757914, 'etc we need': 282863, 'to survive thedeficitmyth': 916049, 'always some': 49744, 'criminal who': 216893, 'and vulnerability': 75044, 'vulnerability the': 960827, 'current concern': 221133, 'regarding coronavirus': 707196, 'exception learn': 289272, 'don fall victim': 253503, 'victim to virus': 956527, 'to virus related': 918199, 'related scam unfortunately': 708563, 'there are always': 878064, 'are always some': 84508, 'always some criminal': 49745, 'some criminal who': 782642, 'criminal who try': 216894, 'fear and vulnerability': 301044, 'and vulnerability the': 75045, 'vulnerability the current': 960828, 'the current concern': 852619, 'current concern regarding': 221134, 'concern regarding coronavirus': 193069, 'regarding coronavirus covid': 707197, 'are no exception': 88256, 'no exception learn': 564154, 'exception learn more': 289273, '99 but': 23785, 'find roll': 307204, 'anywhere may': 81128, '29 roll': 16499, 'roll supplyanddemand': 725525, 'may go low': 521211, 'go low 99': 353817, 'low 99 but': 505100, '99 but you': 23786, 'cannot find roll': 161846, 'find roll of': 307205, 'paper anywhere may': 639881, 'anywhere may go': 81129, 'go up to': 354443, 'up to 29': 946331, 'to 29 roll': 899656, '29 roll supplyanddemand': 16500, 'agriculture say': 39027, 'panic kenya': 638258, 'kenya ha': 472906, 'agriculture say there': 39028, 'to panic kenya': 911406, 'panic kenya ha': 638259, 'kenya ha enough': 472907, 'enough food foodsecurity': 277396, '19 disciplinary': 6557, 'disciplinary system': 244355, 'system some': 831319, 'some terrible': 784029, 'terrible social': 838434, 'distancing violator': 247592, 'violator staff': 957532, 'should show': 766467, 'show yellow': 767287, 'yellow to': 1015272, 'enter metre': 278271, 'metre ring': 529865, 'then send': 877518, 'queue again': 693855, 'think my local': 885413, 'local supermarket should': 498588, 'should have covid': 766069, 'covid 19 disciplinary': 212958, '19 disciplinary system': 6558, 'disciplinary system some': 244356, 'system some terrible': 831320, 'some terrible social': 784030, 'terrible social distancing': 838435, 'social distancing violator': 779755, 'distancing violator staff': 247593, 'violator staff should': 957533, 'staff should show': 792864, 'should show yellow': 766468, 'show yellow to': 767288, 'yellow to those': 1015273, 'those who enter': 892634, 'who enter metre': 988704, 'enter metre ring': 278272, 'metre ring the': 529866, 'ring the first': 722537, 'and then send': 73806, 'then send them': 877519, 'them out the': 876132, 'out the second': 627415, 'second time to': 743848, 'to queue again': 912667, 'queue again that': 693856, 'again that would': 37205, 'would stop it': 1012279, 'joomye': 467268, 'journalist asked': 467423, 'asked dr': 95730, 'dr joomye': 258041, 'joomye question': 467269, 'question pertaining': 693694, 'journalist asked dr': 467424, 'asked dr joomye': 95731, 'dr joomye question': 258042, 'joomye question pertaining': 467270, 'question pertaining to': 693695, 'pertaining to supermarket': 653279, 'that have doubled': 844205, 'have doubled price': 380351, 'brand message': 137907, 'message around': 529270, 'the trust': 870082, 'trust barometer': 934246, 'barometer report': 111153, 'well brand': 978073, 'brand responds': 137991, 'habit find': 372612, 'responding to brand': 715577, 'to brand message': 901984, 'brand message around': 137908, 'message around covid': 529271, '19 the trust': 11259, 'the trust barometer': 870083, 'trust barometer report': 934247, 'barometer report that': 111154, 'report that how': 712322, 'that how well': 844387, 'how well brand': 409206, 'well brand responds': 978074, 'brand responds to': 137992, 'buying habit find': 150459, 'habit find out': 372613, 'muddled': 545510, 'boris wheres': 135501, 'wheres our': 985444, 'food mother': 315481, 'mother can': 543068, 'elderly can': 270626, 'food fight': 314461, 'shelf your': 757853, 'your muddled': 1024916, 'muddled press': 545511, 'conference show': 193752, 'show great': 766959, 'great leadership': 362798, 'leadership how': 483615, 'eating panicbuyinguk': 266280, 'boris wheres our': 135502, 'wheres our food': 985445, 'our food mother': 623117, 'food mother can': 315482, 'mother can feed': 543069, 'feed their baby': 302387, 'their baby the': 872541, 'baby the elderly': 106711, 'the elderly can': 854116, 'elderly can find': 270627, 'find food fight': 306904, 'food fight in': 314462, 'in supermarket empty': 428590, 'empty shelf your': 275115, 'shelf your muddled': 757854, 'your muddled press': 1024917, 'muddled press conference': 545512, 'press conference show': 671033, 'conference show great': 193753, 'show great leadership': 766960, 'great leadership how': 362799, 'leadership how you': 483616, 'how you eating': 409281, 'you eating panicbuyinguk': 1018398, 'eating panicbuyinguk panic': 266281, 'unrestrained': 943373, 'convene': 202305, 'njgop': 563478, 'be check': 114077, 'check balance': 174384, 'balance govt': 108973, 'operate unrestrained': 613023, 'unrestrained encourage': 943374, 'reconsider his': 704879, 'his park': 397686, 'park closure': 641890, 'closure appeal': 183848, 'nj legislature': 563442, 'legislature to': 486021, 'to convene': 903462, 'convene act': 202306, 'act njgop': 29707, 'njgop leadright': 563479, 'even in crisis': 284232, 'crisis there must': 218205, 'must be check': 546496, 'be check balance': 114078, 'check balance govt': 174385, 'balance govt can': 108974, 'govt can operate': 361088, 'can operate unrestrained': 159156, 'operate unrestrained encourage': 613024, 'unrestrained encourage to': 943375, 'encourage to reconsider': 275640, 'to reconsider his': 912967, 'reconsider his park': 704880, 'his park closure': 397687, 'park closure appeal': 641891, 'closure appeal to': 183849, 'appeal to the': 82080, 'to the nj': 916903, 'the nj legislature': 861823, 'nj legislature to': 563443, 'legislature to convene': 486022, 'to convene act': 903463, 'convene act njgop': 202307, 'act njgop leadright': 29708, 'wondering will': 1004215, 'to renaissance': 913224, 'car low': 163174, 'distancing are': 247013, 'stay beyond': 796794, 'crisis bad': 217104, 'car sharing': 163280, 'sharing and': 755510, 'transportation germany': 930007, 'just wondering will': 470334, 'wondering will covid': 1004216, 'lead to renaissance': 483383, 'to renaissance of': 913225, 'renaissance of the': 710926, 'of the own': 591309, 'the own car': 862802, 'own car low': 631917, 'car low oil': 163175, 'social distancing are': 779558, 'distancing are likely': 247014, 'to stay beyond': 915274, 'stay beyond the': 796795, 'the crisis bad': 852347, 'crisis bad news': 217105, 'news for car': 560427, 'for car sharing': 319933, 'car sharing and': 163281, 'sharing and public': 755511, 'public transportation germany': 688432, 'tjx': 899326, 'bb tjx': 113051, 'tjx and': 899327, 'latest retailer': 481536, 'close location': 182708, 'location others': 498948, 'have shortened': 382528, 'shortened store': 765344, 'hour stepped': 405952, 'up sanitizing': 945944, 'sanitizing procedure': 736492, 'strategy retail': 812699, 'bb tjx and': 113052, 'tjx and at': 899328, 'home are among': 400725, 'among the latest': 53064, 'the latest retailer': 859143, 'latest retailer to': 481537, 'retailer to close': 719377, 'to close location': 902885, 'close location others': 182709, 'location others have': 498949, 'others have shortened': 621453, 'have shortened store': 382529, 'shortened store hour': 765345, 'store hour stepped': 808210, 'hour stepped up': 405953, 'stepped up sanitizing': 799787, 'up sanitizing procedure': 945945, 'sanitizing procedure and': 736493, 'procedure and other': 679802, 'and other strategy': 68416, 'other strategy retail': 621001, 'strategy retail storeclosings': 812700, 'chezamy': 175608, 'stayhealthymyfriends': 797919, 'only purchased': 611037, 'purchased item': 689785, 'item could': 463193, 'with bleach': 997425, 'bleach rag': 132517, 'rag these': 695532, 'are typical': 91251, 'typical food': 937636, 'enjoy nice': 277159, 'few sale': 304053, 'use coupon': 949137, 'coupon chezamy': 211753, 'chezamy quarantinelife': 175609, 'quarantinelife stayhealthymyfriends': 693019, 'my small grocery': 550130, 'small grocery run': 774974, 'grocery run today': 364920, 'run today again': 727848, 'today again only': 919161, 'again only purchased': 37101, 'only purchased item': 611038, 'purchased item could': 689786, 'item could wipe': 463194, 'could wipe down': 209831, 'wipe down with': 996242, 'down with bleach': 257489, 'with bleach rag': 997426, 'bleach rag these': 132518, 'rag these are': 695533, 'these are typical': 879641, 'are typical food': 91252, 'typical food we': 937637, 'food we enjoy': 317528, 'we enjoy nice': 971462, 'enjoy nice to': 277160, 'nice to get': 562487, 'get few sale': 347007, 'few sale price': 304054, 'sale price or': 732461, 'price or use': 675796, 'or use coupon': 617616, 'use coupon chezamy': 949138, 'coupon chezamy quarantinelife': 211754, 'chezamy quarantinelife stayhealthymyfriends': 175610, 'hear enough': 387907, 'enough song': 277621, 'can never hear': 159034, 'never hear enough': 558058, 'hear enough song': 387908, 'enough song about': 277622, 'song about and': 785477, 'and toiletpaper lockdown': 74244, 'toiletpaper lockdown via': 922197, 'psa shopping': 687430, 'shopping prepping': 763670, 'quarantine all': 692000, 'know work': 477068, 'at chain': 98222, 'chain pet': 170983, 'store aka': 806122, 'aka retail': 40497, 'retail animal': 717841, 'mind while': 532778, 're prepping': 699294, 'psa shopping prepping': 687431, 'shopping prepping for': 763671, 'prepping for quarantine': 670423, 'for quarantine all': 324895, 'quarantine all know': 692001, 'all know work': 43335, 'know work full': 477071, 'full time at': 340934, 'time at chain': 896346, 'at chain pet': 98223, 'chain pet store': 170984, 'pet store aka': 653454, 'store aka retail': 806123, 'aka retail animal': 40498, 'retail animal and': 717842, 'animal and would': 76555, 'and would just': 75929, 'make some point': 510475, 'some point please': 783587, 'point please keep': 662592, 'keep the following': 472044, 'the following in': 855510, 'following in mind': 312763, 'in mind while': 425349, 'mind while you': 532779, 'you re prepping': 1020708, 're prepping for': 699295, 'prepping for covid': 670422, 'ulta ha': 939091, 'temporarily social': 837547, 'hit retail': 398387, 'ulta ha to': 939092, 'close temporarily social': 182825, 'temporarily social distancing': 837548, 'distancing the retail': 247536, 'the retail experience': 865716, 'experience is taking': 291404, 'taking hit retail': 833390, 'hit retail storebrands': 398388, 'roiled': 725055, 'officially roiled': 596019, 'roiled the': 725056, 'economy artificial': 267676, 'intelligence suggests': 441010, 'chicken could': 175771, 'coronavirus ha officially': 206030, 'ha officially roiled': 371424, 'officially roiled the': 596020, 'roiled the chinese': 725057, 'chinese economy artificial': 177247, 'economy artificial intelligence': 267677, 'artificial intelligence suggests': 94524, 'intelligence suggests that': 441011, 'suggests that the': 817716, 'of chicken could': 581330, 'chicken could show': 175772, 'could show what': 209676, 'show what happens': 767273, 'crisisnew': 218474, 'coronavirus crisisnew': 205783, 'crisisnew insight': 218475, 'the coronavirus crisisnew': 851828, 'coronavirus crisisnew insight': 205784, 'crisisnew insight on': 218476, 'of girl': 584135, 'girl and': 350230, 'camp will': 157188, 'between staying': 128903, 'staying alive': 798565, 'alive we': 41847, 'battling this': 112883, 'face of girl': 294655, 'of girl and': 584136, 'girl and woman': 350231, 'and woman in': 75807, 'woman in refugee': 1003519, 'refugee camp will': 706842, 'camp will be': 157189, 'choose between staying': 177882, 'between staying safe': 128904, 'safe and staying': 729486, 'and staying alive': 72316, 'staying alive we': 798566, 'alive we must': 41848, 'must think of': 546954, 'vulnerable in battling': 961012, 'in battling this': 420732, 'battling this virus': 112884, 'this virus this': 891033, 'virus this for': 958908, 'surging price': 828441, 'pandemic politician': 636206, 'politician themselves': 663747, 'are peddling': 89016, 'peddling policy': 646203, 'prove expensive': 686103, 'expensive for': 291244, 're ostensibly': 699217, 'ostensibly supposed': 619738, 'to surging price': 916008, 'surging price for': 828442, 'item that american': 463688, 'that american are': 842629, 'buying up to': 151297, 'up to deal': 946369, '19 pandemic politician': 9431, 'pandemic politician themselves': 636207, 'politician themselves are': 663748, 'themselves are peddling': 876771, 'are peddling policy': 89017, 'peddling policy that': 646204, 'policy that will': 663515, 'that will prove': 847598, 'will prove expensive': 994501, 'prove expensive for': 686104, 'expensive for the': 291245, 'they re ostensibly': 883088, 're ostensibly supposed': 699218, 'ostensibly supposed to': 619739, 'supposed to help': 827362, 'earn is': 264787, 'you 2x': 1016758, '2x cash': 16885, 'back shopping': 107270, '400 online': 18761, 'store free': 807866, 'telemedicine free': 836778, 'free discount': 331768, 'discount prescription': 244521, 'drug plan': 261028, 'plan claim': 658095, 'saving right': 737952, 'now telemedicine': 575972, 'telemedicine cashback': 836771, 'save and earn': 737475, 'and earn is': 61847, 'earn is here': 264788, 'for you 2x': 328031, 'you 2x cash': 1016759, '2x cash back': 16886, 'cash back shopping': 166177, 'back shopping at': 107271, 'shopping at 400': 762079, 'at 400 online': 97644, '400 online store': 18762, 'online store free': 609448, 'store free month': 807867, 'month of telemedicine': 537910, 'of telemedicine free': 590649, 'telemedicine free discount': 836779, 'free discount prescription': 331769, 'discount prescription drug': 244522, 'prescription drug plan': 670503, 'drug plan claim': 261029, 'plan claim your': 658096, 'your free health': 1023952, 'free health benefit': 331897, 'benefit and start': 126922, 'and start saving': 72245, 'start saving right': 794477, 'saving right now': 737953, 'right now telemedicine': 722147, 'now telemedicine cashback': 575973, 'yay my': 1014199, 'sister scored': 771781, 'scored toilet': 742399, 'costco orange': 208258, 'orange grape': 617917, 'grape at': 362126, 'joe for': 466410, 'sweep scavenger': 830156, 'hunt she': 411370, 'club long': 184455, 'in never': 425814, 'never moved': 558128, 'moved hoarding': 543806, 'yay my sister': 1014200, 'my sister scored': 550114, 'sister scored toilet': 771782, 'scored toilet paper': 742400, 'paper at costco': 639893, 'at costco orange': 98349, 'costco orange grape': 208259, 'orange grape at': 617918, 'grape at trader': 362127, 'trader joe for': 928711, 'joe for me': 466411, 'for me that': 323340, 'me that about': 523604, 'that about it': 842475, 'about it for': 25576, 'it for today': 458103, 'for today supermarket': 327244, 'today supermarket sweep': 920235, 'supermarket sweep scavenger': 823103, 'sweep scavenger hunt': 830157, 'scavenger hunt she': 741235, 'hunt she couldn': 411371, 'she couldn get': 755962, 'couldn get into': 209886, 'get into sam': 347371, 'sam club long': 732918, 'club long line': 184456, 'get in never': 347303, 'in never moved': 425815, 'never moved hoarding': 558129, 'moved hoarding stophoarding': 543807, 'hoarding stophoarding stayathome': 399549, 'local sweet': 498632, 'sweet shop': 830250, 'the local sweet': 859575, 'local sweet shop': 498633, 'sweet shop is': 830251, 'paper for cheap': 640175, 'cheap price it': 174178, 'price it gone': 674917, 'it gone too': 458289, 'first thank': 309054, 'fed need': 301854, 'help reporting': 390439, 'happening who': 377433, 'equipment training': 279863, 'training or': 929351, 'not etc': 569226, 'you know work': 1019546, 'know work at': 477069, 'store first thank': 807734, 'first thank you': 309055, 'much for helping': 544918, 'for helping keep': 322199, 'helping keep everyone': 391368, 'keep everyone fed': 471476, 'everyone fed need': 286905, 'fed need help': 301855, 'need help reporting': 554993, 'help reporting on': 390440, 'reporting on what': 712732, 'what happening who': 981560, 'happening who ha': 377434, 'who ha access': 988830, 'access to protective': 28272, 'to protective equipment': 912355, 'protective equipment training': 685740, 'equipment training or': 279864, 'training or not': 929352, 'or not etc': 616294, 'not etc please': 569227, 'etc please fill': 282705, 'fill out or': 305480, 'out or share': 626957, 'two positive': 937158, 'two positive in': 937159, 'throwback': 895071, 'sycamore': 830662, 'day throwbackthursday': 228548, 'throwbackthursday throwback': 895077, 'throwback tbt': 895072, 'tbt toiletpaper': 835271, 'toiletpapercrisis stockpile': 923074, 'stockpile life': 803769, 'life sycamore': 489084, 'sycamore illinois': 830663, 'remember these day': 710336, 'these day throwbackthursday': 879897, 'day throwbackthursday throwback': 228549, 'throwbackthursday throwback tbt': 895078, 'throwback tbt toiletpaper': 895073, 'tbt toiletpaper toiletpapercrisis': 835272, 'toiletpaper toiletpapercrisis stockpile': 922667, 'toiletpapercrisis stockpile life': 923075, 'stockpile life sycamore': 803770, 'life sycamore illinois': 489085, 'act immediately': 29657, 'madness selfishness': 508206, 'selfishness with': 748388, 'supermarket selfishpeople': 822375, 'need to act': 555850, 'to act immediately': 900014, 'act immediately to': 29658, 'immediately to stop': 417169, 'stop all this': 804442, 'all this madness': 45116, 'this madness selfishness': 888741, 'madness selfishness with': 508207, 'selfishness with people': 748389, 'with people stock': 1000170, 'piling food it': 656589, 'fair on normal': 296356, 'on normal people': 602432, 'normal people stockpiling': 567256, 'people stockpiling supermarket': 649636, 'stockpiling supermarket selfishpeople': 804086, 'hamlet': 374564, 'know resident': 476696, 'tower hamlet': 927410, 'hamlet are': 374565, 'also wrote': 49127, 'community while': 190226, 'know resident in': 476697, 'resident in tower': 714320, 'in tower hamlet': 430244, 'tower hamlet are': 927411, 'hamlet are concerned': 374566, 'concerned about price': 193168, 'about price being': 25993, 'being hiked up': 125249, 'hiked up in': 396353, 'up in shop': 945178, 'in shop today': 427901, 'shop today wrote': 760970, 'today wrote an': 920581, 'wrote an open': 1013190, 'letter to shop': 487371, 'to shop owner': 914481, 'shop owner and': 760639, 'owner and also': 632371, 'and also wrote': 57982, 'also wrote to': 49128, 'minister we need': 533493, 'stand together community': 793598, 'together community while': 920744, 'community while we': 190228, 'fair if': 296341, 'about the everyone': 26391, 'the everyone take': 854624, 'everyone take it': 287444, 'on the toiletpaper': 604408, 'the toiletpaper paper': 869731, 'toiletpaper paper it': 922317, 'it not big': 459864, 'not big deal': 568570, 'big deal it': 129740, 'deal it just': 229435, 'it just toilet': 459252, 'not fair if': 569353, 'fair if you': 296342, 'take all of': 831927, 'it because there': 456760, 'because there lot': 119672, 'ha grave': 370761, 'grave candle': 362424, 'candle on': 161319, 'supermarket ha grave': 820627, 'ha grave candle': 370762, 'grave candle on': 362425, 'candle on special': 161320, 'merchant do': 529010, 'to running': 913678, 'stressing lot': 813534, 'but yelling': 147959, 'cashier because': 166493, 'merchant do not': 529011, 'not deserve your': 569005, 'come to running': 187593, 'to running out': 913680, 'of stock sanitizers': 590189, '19 is stressing': 8056, 'is stressing lot': 452375, 'stressing lot of': 813535, 'people out get': 649020, 'out get it': 626215, 'it but yelling': 456964, 'but yelling at': 147960, 'yelling at cashier': 1015247, 'at cashier because': 98205, 'cashier because the': 166494, 'doesn have sanitizer': 251826, 'most interesting': 542455, 'showing society': 767501, 'society just': 781255, 'such especially': 816476, 'especially amp': 280438, 'is most interesting': 449740, 'most interesting to': 542456, 'how is showing': 408107, 'is showing society': 451896, 'showing society just': 767502, 'society just how': 781256, 'just how valuable': 469003, 'work are such': 1004834, 'are such especially': 90619, 'such especially amp': 816477, 'especially amp grocery': 280439, 'impromptu': 419505, 'italua': 462748, 'in bologna': 420896, 'bologna when': 134135, 'life next': 488905, 'you ring': 1020941, 'an impromptu': 56212, 'impromptu visit': 419506, 'visit from': 959260, 'the porch': 864034, 'porch italy': 664775, 'italy italua': 462867, 'in bologna when': 420897, 'bologna when family': 134136, 'when family life': 983407, 'family life next': 297986, 'life next to': 488906, 'supermarket you ring': 824203, 'you ring for': 1020942, 'ring for an': 722520, 'for an impromptu': 319298, 'an impromptu visit': 56213, 'impromptu visit from': 419507, 'visit from the': 959261, 'from the porch': 337838, 'the porch italy': 864035, 'porch italy italua': 664776, 'this extremely': 887491, 'extremely testing': 293927, 'done guy': 254864, 'guy cannot': 368954, 'this network': 889104, 'done to mobile': 255073, 'mobile for putting': 534972, 'for putting their': 324878, 'by in this': 152889, 'in this extremely': 429945, 'this extremely testing': 887492, 'extremely testing time': 293928, 'testing time well': 839674, 'time well done': 898256, 'well done guy': 978184, 'done guy cannot': 254865, 'guy cannot wait': 368955, 'get off this': 347685, 'off this network': 594307, 'singapore 2020': 771095, '2020 impressive': 14385, 'impressive return': 419487, 'normalcy observed': 567445, 'shop say': 760738, 'minister video': 533484, 'singapore 2020 impressive': 771096, '2020 impressive return': 14386, 'impressive return of': 419488, 'return of sense': 719873, 'of sense of': 589510, 'of normalcy observed': 587069, 'normalcy observed at': 567446, 'observed at supermarket': 578608, 'and shop say': 71511, 'shop say minister': 760739, 'say minister video': 738945, 'normaly': 567585, 'donttravelanditwont': 255411, 'yo on': 1016443, 'real this': 701396, 'you normaly': 1020116, 'normaly would': 567586, 'home chill': 400895, 'chill thats': 176376, 'thats it': 847814, 'it dont': 457673, 'dont travel': 255305, 'it wont': 462498, 'wont donttravelanditwont': 1004243, 'yo on the': 1016444, 'the real this': 865240, 'real this panic': 701397, 'like you normaly': 491877, 'you normaly would': 1020117, 'normaly would go': 567587, 'go home chill': 353662, 'home chill thats': 400896, 'chill thats it': 176377, 'thats it stop': 847815, 'it stop freaking': 461271, 'out about it': 625555, 'about it dont': 25575, 'it dont travel': 457674, 'dont travel and': 255306, 'and it wont': 65603, 'it wont donttravelanditwont': 462499, 'saute': 737424, 'lightly saute': 489665, 'saute tp': 737425, 'the bagel': 849184, 'seasoning from': 743492, 'from trader': 338122, 'joe you': 466454, 'you lightly saute': 1019603, 'lightly saute tp': 489666, 'saute tp and': 737426, 'add everything but': 31427, 'but the bagel': 147311, 'the bagel seasoning': 849185, 'bagel seasoning from': 108480, 'seasoning from trader': 743493, 'from trader joe': 338123, 'trader joe you': 928725, 'joe you can': 466455, 'family of stock': 298105, 'stock up people': 803109, 'up people coronapocolypse': 945757, 'vodafone vodafone': 959933, 'vodafone putting': 959929, 'whilst most': 987656, 'help disgusting': 389588, 'disgusting coronavillains': 245404, 'coronavillains boycottvodafone': 205408, 'vodafone vodafone putting': 959934, 'vodafone putting their': 959930, 'all this whilst': 45149, 'this whilst most': 891370, 'whilst most company': 987657, 'to help disgusting': 907493, 'help disgusting coronavillains': 389589, 'disgusting coronavillains boycottvodafone': 245405, 'mask 20': 518255, '20 50': 12906, '50 amazon': 19603, 'flipkart rt': 310624, 'handsanitizer will': 376678, '100 these': 2094, 'but quality face': 146874, 'face mask 20': 294509, 'mask 20 50': 518256, '20 50 amazon': 12907, '50 amazon flipkart': 19604, 'amazon flipkart rt': 50945, 'flipkart rt the': 310625, 'rt the retail': 726818, 'of handsanitizer will': 584446, 'handsanitizer will not': 376679, 'will not exceed': 994216, 'not exceed 100': 569315, 'exceed 100 these': 289018, '100 these price': 2095, 'country till june': 211157, 'drink for': 258825, 'fantastic maybe': 298600, 'could stretch': 209733, 'stretch it': 813562, 'free sandwich': 332124, 'sandwich too': 733752, 'and staffed': 72204, 'staffed you': 793137, 'be waste': 118056, 'waste that': 968197, 'save if': 737522, 'fresh to': 333090, 'your free drink': 1023951, 'free drink for': 331786, 'drink for social': 258826, 'for social and': 325701, 'social and emergency': 779431, 'and emergency personnel': 62038, 'emergency personnel is': 272864, 'personnel is fantastic': 653122, 'is fantastic maybe': 447734, 'fantastic maybe you': 298601, 'you could stretch': 1018102, 'could stretch it': 209734, 'stretch it to': 813563, 'it to free': 461716, 'to free sandwich': 906237, 'free sandwich too': 332125, 'sandwich too the': 733753, 'too the store': 925114, 'open and staffed': 612080, 'and staffed you': 72205, 'staffed you have': 793138, 'you have stock': 1019118, 'have stock there': 382766, 'stock there will': 802962, 'will be waste': 992766, 'be waste that': 118057, 'waste that you': 968198, 'you will save': 1022352, 'will save if': 994742, 'save if you': 737523, 'you give food': 1018827, 'give food fresh': 350498, 'food fresh to': 314596, 'fresh to few': 333091, 'enforcement agency are': 276738, 'agency are working': 37989, 'together to protect': 920998, 'protect resident and': 684934, 'resident and to': 714248, 'and to remind': 74194, 'public of consumer': 688186, 'consumer law in': 197999, 'law in place': 482314, 'in place during': 426733, 'place during the': 657418, '19 american': 4956, 'concept fully': 192855, 'fully automated': 341019, 'automated supermarket': 103966, 'concept link': 192859, 'link ai': 493784, 'covid 19 american': 212624, '19 american consumer': 4957, 'american consumer concept': 51885, 'consumer concept fully': 196863, 'concept fully automated': 192856, 'fully automated supermarket': 341020, 'automated supermarket for': 103967, 'supermarket for dry': 820391, 'shop fresh food': 760220, 'fresh food store': 332978, 'store and bakery': 806200, 'bakery concept link': 108846, 'concept link ai': 192860, 'link ai and': 493785, 'in mha': 425271, 'mha control': 530108, 'room official': 725942, 'various ministry': 952616, 'ministry such': 533566, 'such goi': 816515, 'goi amp': 354955, 'are coordinating': 85562, 'coordinating to': 203209, 'solve logistical': 782149, 'logistical issue': 500707, 'in mha control': 425272, 'mha control room': 530109, 'control room official': 202130, 'room official from': 725943, 'official from various': 595817, 'from various ministry': 338223, 'various ministry such': 952617, 'ministry such goi': 533567, 'such goi amp': 816516, 'goi amp consumer': 354956, 'affair are coordinating': 33999, 'are coordinating to': 85563, 'coordinating to solve': 203210, 'to solve logistical': 914865, 'solve logistical issue': 782150, 'logistical issue related': 500708, 'related to supply': 708620, 'supply and transportation': 824762, 'and transportation of': 74387, 'really kidding': 702366, 'kidding you': 474218, 'ashamed they': 95077, 'likely close': 491970, 'up completely': 944629, 'completely ashamed': 192216, 'you really kidding': 1020839, 'really kidding you': 702367, 'kidding you should': 474219, 'be ashamed they': 113701, 'ashamed they have': 95078, 'now closed school': 574405, 'and will likely': 75674, 'will likely close': 993995, 'likely close business': 491971, 'your price will': 1025422, 'go up completely': 354425, 'up completely ashamed': 944630, 'completely ashamed and': 192217, 'ashamed and disappointed': 95042, 'these homemade': 880130, 'homemade bandana': 402816, 'you whether': 1022289, 'or rob': 616919, 'bank seriously': 110177, 'though made': 892852, 'work facemask': 1005118, 'these homemade bandana': 880131, 'homemade bandana mask': 402817, 'bandana mask can': 109377, 'protect you whether': 685052, 'you whether you': 1022290, 'whether you leave': 985619, 'house to visit': 406636, 'store take walk': 810500, 'walk or rob': 964850, 'or rob bank': 616920, 'rob bank seriously': 724616, 'bank seriously though': 110178, 'seriously though made': 751766, 'though made one': 892853, 'made one and': 507888, 'one and it': 605900, 'and it work': 65604, 'it work facemask': 462502, 'say calm': 738481, 'after bulk': 35437, 'everything cutting': 287748, 'cutting line': 223740, 'need 100': 554328, 'drag your': 258168, 'as so': 94807, 'hard you': 378148, 'playing toiletpaperemergency': 659459, 'person to say': 652660, 'to say calm': 913811, 'say calm down': 738482, 'calm down after': 156718, 'down after bulk': 256445, 'after bulk buying': 35438, 'buying everything cutting': 150254, 'everything cutting line': 287749, 'cutting line at': 223741, 'store won need': 811432, 'won need 100': 1003876, 'need 100 roll': 554329, 'tp because will': 927766, 'because will drag': 119838, 'will drag your': 993251, 'drag your as': 258169, 'your as so': 1022851, 'as so hard': 94808, 'so hard you': 777256, 'hard you ll': 378149, 'll have nothing': 496831, 'left to wipe': 485697, 'to wipe not': 918627, 'wipe not playing': 996327, 'not playing toiletpaperemergency': 571042, 'soon pm': 785794, 'pm announced': 661857, 'dreaded covid': 258572, 'indian threw': 434897, 'threw caution': 894161, 'caution to': 168179, 'the wind': 871590, 'wind crowding': 995621, 'crowding grocery': 219391, 'soon pm announced': 785795, 'pm announced the': 661858, 'announced the 21': 77075, 'lockdown to fight': 500056, 'fight the dreaded': 304891, 'the dreaded covid': 853681, 'dreaded covid 19': 258573, 'covid 19 indian': 213260, '19 indian threw': 7822, 'indian threw caution': 434898, 'threw caution to': 894162, 'caution to the': 168180, 'to the wind': 917192, 'the wind crowding': 871591, 'wind crowding grocery': 995622, 'crowding grocery store': 219392, 'food hasn': 314775, 'hasn not': 378760, 'cleared from': 181413, 'tesco it': 838728, 'interesting is what': 441572, 'is what food': 453874, 'what food hasn': 981458, 'food hasn not': 314776, 'hasn not been': 378761, 'not been cleared': 568506, 'been cleared from': 120832, 'cleared from supermarket': 181414, 'local tesco it': 498640, 'tesco it fresh': 838729, 'it fresh fruit': 458137, 'wow the consumer': 1012604, 'my stock sale': 550208, 'stock sale were': 802806, 'well written': 978773, 'about wealthy': 26861, 'wealthy refugee': 974221, 'refugee overwhelming': 706853, 'overwhelming small': 631764, 'small resort': 775092, 'resort town': 714681, 'stripping local': 813905, 'well written story': 978774, 'written story about': 1012969, 'story about wealthy': 811900, 'about wealthy refugee': 26862, 'wealthy refugee overwhelming': 974222, 'refugee overwhelming small': 706854, 'overwhelming small resort': 631765, 'small resort town': 775093, 'resort town and': 714682, 'town and stripping': 927435, 'and stripping local': 72583, 'stripping local supermarket': 813906, 'shelf to buy': 757696, 'their big freezer': 872606, 'modeling': 535328, 'geographic': 345944, 'modeling study': 535329, 'study suggests': 814959, 'suggests stealth': 817711, 'stealth transmission': 799273, 'cov2 due': 212144, 'of contagious': 581812, 'contagious undocumented': 200451, 'undocumented infection': 941025, 'infection supported': 436853, 'supported rapid': 827060, 'rapid geographic': 696918, 'geographic spread': 345945, 'modeling study suggests': 535330, 'study suggests stealth': 814960, 'suggests stealth transmission': 817712, 'stealth transmission of': 799274, 'transmission of sars': 929753, 'of sars cov2': 589321, 'sars cov2 due': 736810, 'cov2 due to': 212145, 'to high number': 907736, 'number of contagious': 576931, 'of contagious undocumented': 581813, 'contagious undocumented infection': 200452, 'undocumented infection supported': 941026, 'infection supported rapid': 436854, 'supported rapid geographic': 827061, 'rapid geographic spread': 696919, 'geographic spread of': 345946, 'spread of outbreak': 790697, 'of outbreak in': 587605, 'did consumer': 240580, 'behave in': 123778, 'in technical': 428852, 'technical consumer': 836198, 'good market': 357374, 'week 11': 975790, '11 how': 2537, 'habit download': 372600, 'and discover': 61415, 'how did consumer': 407682, 'did consumer behave': 240581, 'consumer behave in': 196429, 'behave in technical': 123779, 'in technical consumer': 428853, 'technical consumer good': 836199, 'consumer good market': 197625, 'good market during': 357375, 'market during week': 516322, 'during week 11': 263401, 'week 11 how': 975791, '11 how did': 2538, 'how did covid': 407683, '19 affect their': 4838, 'affect their shopping': 34259, 'shopping habit download': 762840, 'habit download our': 372601, 'our report and': 624592, 'report and discover': 711798, 'and discover more': 61416, 'staystay': 799051, 'up road': 945931, 'block in': 132783, 'and question': 69865, 'spot still': 790115, 'many out': 514464, 'out thinking': 627555, 'area make': 92105, 'got stayhomesavelives': 358868, 'stayhomesavelives staystay': 798466, 'you should set': 1021221, 'set up road': 753575, 'up road block': 945932, 'road block in': 724425, 'block in place': 132784, 'place and question': 657321, 'and question on': 69866, 'the spot still': 867603, 'spot still many': 790116, 'still many out': 800835, 'many out thinking': 514465, 'out thinking they': 627556, 'thinking they need': 886013, 'to every supermarket': 905315, 'every supermarket the': 286270, 'supermarket the their': 823249, 'the their area': 869417, 'their area make': 872507, 'area make do': 92106, 'make do with': 509850, 'you got stayhomesavelives': 1018905, 'got stayhomesavelives staystay': 358869, 'of strategic': 590288, 'strategic shopping': 812563, 'creative change': 216127, 'meal plan': 524242, 'plan apparently': 658068, 'they ordered': 882846, 'pickup think': 656029, 'mean win': 524779, 'game lockdown': 343200, 'because of strategic': 119408, 'of strategic shopping': 590289, 'strategic shopping and': 812564, 'shopping and creative': 761973, 'and creative change': 60719, 'creative change to': 216128, 'to our meal': 911210, 'our meal plan': 623885, 'meal plan apparently': 524243, 'plan apparently the': 658069, 'apparently the first': 82015, 'first person this': 308862, 'person this week': 652650, 'get everything they': 346970, 'everything they ordered': 288050, 'they ordered from': 882847, 'grocery store curbside': 365317, 'store curbside pickup': 807236, 'curbside pickup think': 220661, 'pickup think this': 656030, 'think this mean': 885702, 'this mean win': 888818, 'mean win the': 524780, 'win the hunger': 995586, 'hunger game lockdown': 411117, 'maya': 521630, 'angelou': 76405, 'need maya': 555221, 'maya angelou': 521631, 'angelou please': 76406, 'responsibly for': 716096, 'everyone supermarket': 287435, 'we need much': 972519, 'need much le': 555278, 'le than we': 483191, 'than we think': 841433, 'we need maya': 972515, 'need maya angelou': 555222, 'maya angelou please': 521632, 'angelou please shop': 76407, 'shop responsibly for': 760712, 'responsibly for the': 716097, 'sake of everyone': 731865, 'of everyone supermarket': 583259, 'everyone supermarket stockpiling': 287436, 'supermarket stockpiling coronacrisis': 822982, 'malaise': 511538, 'my dismal': 548000, 'dismal life': 245976, 'worse from': 1010936, '19 apart': 5169, 'of malaise': 586129, 'malaise muscle': 511539, 'muscle ache': 546226, 'ache strange': 29012, 'strange headache': 812392, 'headache pain': 385879, 'pain in': 634230, 'in chest': 421359, 'chest hope': 175562, 'hope spoiled': 403630, 'spoiled american': 789693, 'will adjust': 992201, 'adjust in': 32284, 'more self': 540341, 'sufficient go': 817383, 'restaurant much': 716582, 'demand prepared': 236061, 'under 3x': 939976, '3x food': 18484, 'my dismal life': 548001, 'dismal life ha': 245977, 'not changed for': 568732, 'the worse from': 872029, 'worse from covid': 1010937, 'covid 19 apart': 212638, '19 apart from': 5170, 'apart from week': 81281, 'week of malaise': 976624, 'of malaise muscle': 586130, 'malaise muscle ache': 511540, 'muscle ache strange': 546227, 'ache strange headache': 29013, 'strange headache pain': 812393, 'headache pain in': 385880, 'pain in chest': 634231, 'in chest hope': 421360, 'chest hope spoiled': 175563, 'hope spoiled american': 403631, 'spoiled american will': 789694, 'american will adjust': 52309, 'will adjust in': 992202, 'adjust in being': 32285, 'in being more': 420770, 'being more self': 125441, 'more self sufficient': 540342, 'self sufficient go': 747919, 'sufficient go to': 817384, 'to restaurant much': 913391, 'restaurant much le': 716583, 'much le demand': 545037, 'le demand prepared': 482926, 'demand prepared food': 236062, 'prepared food under': 670188, 'food under 3x': 317387, 'under 3x food': 939977, '3x food cost': 18485, 'bi report': 129416, '19 cash': 5709, 'payment explains': 645613, 'rising popularity': 723260, 'contact payment': 200177, 'method such': 529791, 'bank payment': 110091, 'payment full': 645641, 'report can': 711852, 'accessed here': 28316, 'bi report covid': 129417, 'covid 19 cash': 212765, '19 cash and': 5710, 'cash and the': 166162, 'future of payment': 342396, 'of payment explains': 587842, 'payment explains how': 645614, 'explains how consumer': 292212, 'changing and discus': 172644, 'discus the rising': 244932, 'the rising popularity': 865868, 'rising popularity of': 723261, 'popularity of no': 664621, 'of no contact': 587036, 'no contact payment': 563891, 'contact payment method': 200178, 'payment method such': 645676, 'method such bank': 529792, 'such bank payment': 816356, 'bank payment full': 110092, 'payment full report': 645642, 'full report can': 340849, 'report can be': 711853, 'be accessed here': 113465, 'reopening now': 711389, 'not benefit': 568565, 'community isn': 189939, 'healthy the': 387784, 'economy isn': 268020, 'is fact': 447707, 'reopening now will': 711390, 'will not benefit': 994190, 'not benefit the': 568566, 'benefit the health': 127105, 'health of business': 386682, 'owner and consumer': 632374, 'and consumer not': 60407, 'not to say': 572179, 'the economy if': 853980, 'economy if the': 267952, 'if the community': 414958, 'the community isn': 851282, 'community isn healthy': 189940, 'isn healthy the': 454544, 'healthy the economy': 387785, 'the economy isn': 853986, 'economy isn healthy': 268021, 'isn healthy and': 454542, 'healthy and covid': 387519, '19 is proof': 8029, 'proof that this': 684017, 'this is fact': 888254, 'mastered': 520225, 'offered local': 594940, 'businessowner an': 144785, 'skyrocket price': 773328, 'basic health': 111926, 'healthcare material': 387178, 'tool bucket': 925399, 'bucket lemon': 141683, 'lemon lime': 486187, 'lime etc': 492256, 'not learned': 570340, 'or mastered': 616078, 'mastered their': 520226, 'their central': 872754, 'central role': 169421, 'the ha offered': 857005, 'ha offered local': 371419, 'offered local business': 594941, 'local business businessowner': 497755, 'business businessowner an': 143464, 'businessowner an opportunity': 144786, 'opportunity to skyrocket': 613726, 'to skyrocket price': 914707, 'skyrocket price of': 773329, 'of basic health': 580571, 'basic health healthcare': 111927, 'health healthcare material': 386486, 'healthcare material and': 387179, 'material and tool': 520368, 'and tool bucket': 74281, 'tool bucket lemon': 925400, 'bucket lemon lime': 141684, 'lemon lime etc': 486188, 'lime etc they': 492257, 'etc they ve': 282817, 'they ve not': 883668, 've not learned': 953401, 'not learned or': 570341, 'learned or mastered': 484139, 'or mastered their': 616079, 'mastered their central': 520227, 'their central role': 872755, 'central role to': 169422, 'role to contribute': 725135, 'contribute in fighting': 201872, 'ausairmasks': 103033, 'point ausairmasks': 662426, 'ausairmasks facemask': 103034, 'tipping point ausairmasks': 898991, 'point ausairmasks facemask': 662427, 'puzzle join beast786': 691323, 'adultdiapers': 32866, 'look if': 502412, 'this hoarder': 887925, 'toiletpaper adultdiapers': 921693, 'adultdiapers funny': 32867, 'look if cannot': 502413, 'few day it': 303780, 'day it gonna': 227848, 'it gonna come': 458293, 'gonna come to': 356503, 'to this hoarder': 917426, 'this hoarder toiletpaper': 887926, 'hoarder toiletpaper adultdiapers': 399130, 'toiletpaper adultdiapers funny': 921694, 'adultdiapers funny quarantine': 32868, 'rather panicking': 697488, 'panicking that': 639382, 're rushing': 699410, 'to busy': 902143, 're highly': 698810, 'highly more': 396081, 'virus peak': 958620, 'peak stupidity': 646104, 'everyone that panic': 287463, 'buying are clearly': 149955, 'are clearly not': 85318, 'clearly not panicking': 181532, 'not panicking about': 570954, 'panicking about catching': 639309, '19 rather panicking': 9959, 'rather panicking that': 697489, 'panicking that everyone': 639383, 'else is buying': 271748, 'is buying out': 446331, 'they re rushing': 883116, 're rushing to': 699411, 'rushing to busy': 728393, 'to busy store': 902144, 'busy store where': 144971, 'they re highly': 883050, 're highly more': 698811, 'highly more likely': 396082, 'the virus peak': 870876, 'virus peak stupidity': 958621, 'hospital aren': 404309, 'infection therefore': 436865, 'therefore unless': 879467, 'hospital aren the': 404310, 'only place people': 610985, 'place people are': 657652, 'supermarket can lead': 819506, 'lead to infection': 483356, 'to infection therefore': 908365, 'infection therefore unless': 436866, 'therefore unless you': 879468, 'unless you wear': 942681, 'you wear ppe': 1022217, 'ppe at all': 667913, 'all time the': 45226, 'time the risk': 897874, 'everything other': 287960, 'too houston': 924792, 'tx ha': 937442, 'an every': 55882, 'themselves city': 876788, 'city taking': 179391, 'of nine': 587023, 'nine kid': 563285, 'any necessity': 79502, 'this town': 890830, 'wish you hoarder': 996859, 'you hoarder would': 1019233, 'hoarder would stop': 399151, 'would stop stop': 1012284, 'stop stop going': 805083, 'store and buying': 806210, 'up everything other': 944820, 'everything other people': 287961, 'eat too houston': 266090, 'too houston tx': 924793, 'houston tx ha': 407226, 'tx ha become': 937443, 'become an every': 119918, 'an every man': 55883, 'man for themselves': 512069, 'for themselves city': 326941, 'themselves city taking': 876789, 'city taking care': 179392, 'care of nine': 164109, 'of nine kid': 587024, 'nine kid and': 563286, 'kid and we': 473859, 'find any necessity': 306797, 'any necessity in': 79503, 'necessity in this': 554233, 'in this town': 430030, '17 20': 4307, 'our information': 623545, 'article includes': 94367, 'includes detail': 431738, 'detail related': 239240, 'to cleaning': 902823, 'cleaning procedure': 181019, 'procedure office': 679815, 'closure patient': 183995, 'patient notification': 644219, 'notification information': 573536, '17 20 in': 4308, 'in this update': 430038, 'this update we': 890940, 'update we continue': 947308, 'monitor and update': 537278, 'and update our': 74737, 'update our information': 947149, 'our information based': 623546, 'latest information the': 481401, 'information the article': 438001, 'the article includes': 848935, 'article includes detail': 94368, 'includes detail related': 431739, 'detail related to': 239241, 'related to cleaning': 708595, 'to cleaning procedure': 902824, 'cleaning procedure office': 181020, 'procedure office closure': 679816, 'office closure patient': 595396, 'closure patient notification': 183996, 'patient notification information': 644220, 'notification information consumer': 573537, 'information consumer fraud': 437786, 'fraud act and': 331219, 'act and more': 29597, 'marsh': 518016, 'found wa': 330462, 'with violating': 1001984, 'and 2017': 57406, '2017 marsh': 13857, 'marsh report': 518017, 'report novel': 712099, 'hoax can': 399707, 'found wa charged': 330463, 'charged with violating': 173433, 'with violating the': 1001985, 'privacy act by': 678788, 'act by making': 29610, 'by making false': 153140, 'false statement in': 297459, 'statement in february': 796183, 'february and 2017': 301684, 'and 2017 marsh': 57407, '2017 marsh report': 13858, 'marsh report novel': 518018, 'report novel coronavirus': 712100, 'wa hoax can': 962319, 'hoax can not': 399708, 'challenge however': 171481, 'might focus': 530983, 'limited visitation': 492792, 'visitation increased': 959444, 'and eliminated': 62009, 'eliminated online': 271479, 'treat just': 930845, 'at the nh': 101035, 'receive gift that': 703493, 'gift that show': 350029, 'that show appreciation': 846298, 'appreciation for challenge': 82876, 'for challenge however': 320007, 'challenge however some': 171482, 'however some might': 409455, 'some might focus': 783288, 'might focus on': 530984, 'focus on older': 311888, 'on older people': 602505, 'older people covid': 598644, 'ha limited visitation': 371154, 'limited visitation increased': 492793, 'visitation increased isolation': 959445, 'isolation and eliminated': 455192, 'and eliminated online': 62010, 'eliminated online grocery': 271480, 'this giving them': 887701, 'giving them food': 351420, 'and treat just': 74418, 'treat just an': 930846, 'just an idea': 468182, 'distancing meet': 247329, 'meet everyone': 527488, 'online hand': 608349, 'sanitizer haiku': 735018, 'social distancing meet': 779661, 'distancing meet everyone': 247330, 'meet everyone online': 527489, 'everyone online hand': 287235, 'online hand sanitizer': 608350, 'hand sanitizer haiku': 375427, 'amerciaworkstogether': 51425, 'handsanitzer': 376711, 'automotivetouchup': 104058, 'patient we': 644293, 'are mixing': 88089, 'mixing hand': 534655, 'hospital amerciaworkstogether': 404267, 'amerciaworkstogether safehands': 51426, 'safehands handsanitzer': 730247, 'handsanitzer automotivetouchup': 376712, 'automotivetouchup flattenthecurve': 104059, 'protect our medical': 684900, 'medical worker who': 526513, 'care for covid19': 163944, 'for covid19 patient': 320437, 'covid19 patient we': 214351, 'patient we are': 644294, 'we are mixing': 970629, 'are mixing hand': 88090, 'mixing hand sanitizer': 534656, 'sanitizer to donate': 735915, 'donate to hospital': 254261, 'to hospital amerciaworkstogether': 907962, 'hospital amerciaworkstogether safehands': 404268, 'amerciaworkstogether safehands handsanitzer': 51427, 'safehands handsanitzer automotivetouchup': 730248, 'handsanitzer automotivetouchup flattenthecurve': 376713, 'mart hike': 518047, 'pandemic cdnpoli': 635118, 'drug mart hike': 261003, 'mart hike price': 518048, 'hike price amid': 396252, 'coronavirus pandemic cdnpoli': 206444, 'fatality of': 300253, 'worker defenseproductionact': 1006733, 'defenseproductionact humanity': 232153, 'seeing fatality of': 746295, 'fatality of our': 300254, 'grocery worker defenseproductionact': 366168, 'worker defenseproductionact humanity': 1006734, 'defenseproductionact humanity thisisamerica': 232154, 'lrg': 506336, 'our game': 623226, 'game also': 343113, 'it insane': 458801, 'insane so': 439069, 'use lrg': 949355, 'lrg portion': 506337, 'donation over': 254662, 'goal amount': 354554, 'for shelter': 325541, 'have been hard': 379567, 'at work on': 101609, 'work on our': 1005538, 'on our game': 602602, 'our game also': 623227, 'game also work': 343114, 'also work at': 49111, 'store and during': 806231, 'pandemic it insane': 635824, 'it insane so': 458802, 'insane so we': 439070, 'we have agreed': 971750, 'agreed to use': 38751, 'to use lrg': 918045, 'use lrg portion': 949356, 'lrg portion of': 506338, 'of the donation': 590961, 'the donation over': 853548, 'donation over the': 254663, 'over the goal': 630724, 'the goal amount': 856390, 'goal amount to': 354555, 'amount to help': 53295, 'help get food': 389799, 'food for shelter': 314571, 'for shelter check': 325542, 'be under complete': 117850, 'under complete curfew': 940032, 'food so happy': 316654, 'going sky': 355460, 'high no': 395178, 'mass gathering at': 519771, 'gathering at supermarket': 344442, 'at supermarket no': 100750, 'supermarket no stock': 821618, 'no stock market': 565578, 'share value of': 755329, 'value of store': 952169, 'of store going': 590252, 'store going sky': 807948, 'going sky high': 355461, 'sky high no': 773200, 'high no business': 395179, 'service more': 752599, 'suspected to': 829537, 'reminder it illegal': 710567, 'it illegal for': 458683, 'good service more': 357713, 'service more than': 752600, 'emergency report suspected': 272921, 'report suspected to': 712294, 'suspected to the': 829538, 'enforceability': 276699, 'this considers': 886837, 'the enforceability': 854329, 'enforceability of': 276700, 'majeure clause': 509213, 'b2c contract': 106481, 'this considers the': 886838, 'considers the enforceability': 195457, 'the enforceability of': 854330, 'enforceability of force': 276701, 'of force majeure': 583862, 'force majeure clause': 328428, 'majeure clause in': 509214, 'clause in business': 180409, 'in business to': 421083, 'consumer b2c contract': 196377, 'b2c contract in': 106482, 'contract in the': 201670, 'is eastersunday': 447427, 'eastersunday stayhome': 265609, 'get these service': 348394, 'these service at': 880660, 'best price there': 127870, 'there is eastersunday': 878552, 'is eastersunday stayhome': 447428, 'brother mate': 141087, 'mate sent': 520347, 'bro pic': 140689, 'local my': 498194, 'brother returned': 141097, 'returned the': 719976, 'the favour': 854989, 'favour with': 300580, 'japan 19': 464701, 'my brother mate': 547562, 'brother mate sent': 141088, 'mate sent my': 520348, 'sent my bro': 750784, 'my bro pic': 547545, 'bro pic of': 140690, 'pic of his': 655612, 'of his local': 584658, 'his local my': 397589, 'local my brother': 498195, 'my brother returned': 547565, 'brother returned the': 141098, 'returned the favour': 719977, 'the favour with': 854990, 'favour with image': 300581, 'image of his': 416647, 'supermarket in japan': 820914, 'in japan 19': 424368, '32c': 17733, 'warning at': 967091, 'at 32c': 97619, '32c this': 17734, 'if able': 413768, 'able we': 24576, 'warning at 32c': 967092, 'at 32c this': 97620, '32c this morning': 17735, 'morning in please': 541307, 'in please don': 426800, 'panic buy good': 637487, 'buy good please': 148744, 'good please to': 357565, 'please to food': 660684, 'food bank like': 313597, 'bank like if': 109979, 'like if able': 490475, 'if able we': 413769, 'able we re': 24577, 'nothing explicitly': 573005, 'explicitly stopping': 292286, 'stopping you': 805841, 'routine during': 726505, 'isolation resulting': 455404, 'question remains': 693719, 'remains should': 710057, 'while there might': 987430, 'might be nothing': 530917, 'be nothing explicitly': 116128, 'nothing explicitly stopping': 573006, 'explicitly stopping you': 292287, 'stopping you from': 805842, 'you from going': 1018717, 'from going about': 335655, 'going about your': 354989, 'about your usual': 27017, 'your usual online': 1026261, 'usual online shopping': 950989, 'online shopping routine': 609256, 'shopping routine during': 763785, 'routine during stay': 726506, 'during stay home': 263054, 'order and isolation': 618029, 'and isolation resulting': 65467, 'isolation resulting from': 455405, 'the question remains': 865021, 'question remains should': 693720, 'remains should you': 710058, 'which purchased': 986248, 'purchased over': 689794, 'over period': 630499, '19 diabetes': 6532, 'diabetes copd': 240173, 'copd ve': 203300, 'time overweight': 897445, 'overweight so': 631700, 'need to set': 556065, 'to set limit': 914292, 'set limit to': 753422, 'limit to avoid': 492535, 'buying have enough': 150470, 'for month which': 323543, 'month which purchased': 538120, 'which purchased over': 986249, 'purchased over period': 689795, 'over period of': 630500, 'period of few': 651841, 'of few week': 583497, 'few week am': 304132, 'week am at': 975890, 'am at very': 49915, 'covid 19 diabetes': 212949, '19 diabetes copd': 6533, 'diabetes copd ve': 240174, 'copd ve had': 203301, 'pneumonia time overweight': 662106, 'time overweight so': 897446, 'overweight so have': 631701, 'chen': 175489, 'xiaobo': 1013837, 'insight special': 439631, 'issue featuring': 455747, 'featuring impact': 301590, 'on foodsecurity': 600933, 'foodsecurity nutrition': 318083, 'nutrition poverty': 577732, 'poverty development': 667492, 'development read': 239840, 'expert kevin': 291869, 'kevin chen': 473202, 'chen xiaobo': 175490, 'xiaobo zhang': 1013838, 'zhang more': 1027542, 'insight special issue': 439632, 'special issue featuring': 787975, 'issue featuring impact': 455748, 'featuring impact of': 301591, 'of on foodsecurity': 587217, 'on foodsecurity nutrition': 600934, 'foodsecurity nutrition poverty': 318084, 'nutrition poverty development': 577733, 'poverty development read': 667493, 'development read analysis': 239841, 'read analysis by': 700277, 'analysis by our': 57028, 'by our expert': 153481, 'our expert kevin': 622958, 'expert kevin chen': 291870, 'kevin chen xiaobo': 473203, 'chen xiaobo zhang': 175491, 'xiaobo zhang more': 1013839, 'right should': 722267, 'defer let': 232168, 'let leftist': 486868, 'leftist socialist': 485766, 'socialist antifa': 781005, 'antifa get': 78518, 'toiletpaper first': 921984, 're 100': 698165, 'shit coronajokes': 759080, 'coronajokes toiletpaperpanic': 205020, 'the right should': 865824, 'right should defer': 722268, 'should defer let': 765905, 'defer let leftist': 232169, 'let leftist socialist': 486869, 'leftist socialist antifa': 485767, 'socialist antifa get': 781006, 'antifa get their': 78519, 'their toiletpaper first': 875008, 'toiletpaper first because': 921985, 'first because they': 308534, 'they re 100': 882984, 're 100 full': 698166, '100 full of': 1907, 'of shit coronajokes': 589599, 'shit coronajokes toiletpaperpanic': 759081, 'coronajokes toiletpaperpanic toiletpaperapocalypse': 205021, 'at 16': 97480, '16 45': 4078, '45 bst': 19076, 'bst uk': 141454, 'european stock': 283610, 'mixed market': 534629, 'market reacted': 516943, 'to development': 904257, 'development related': 239842, 'claim oil': 179773, 'jumped read': 467946, 'at 16 45': 97481, '16 45 bst': 4079, '45 bst uk': 19077, 'bst uk and': 141455, 'and european stock': 62313, 'european stock were': 283611, 'stock were mixed': 803171, 'were mixed market': 979886, 'mixed market reacted': 534630, 'market reacted to': 516944, 'reacted to development': 700161, 'to development related': 904258, 'development related to': 239843, 'pandemic and record': 634894, 'and record number': 70061, 'number of jobless': 576952, 'of jobless claim': 585542, 'jobless claim oil': 466334, 'claim oil price': 179774, 'price jumped read': 674965, 'jumped read more': 467947, 'wrestlemania worthless': 1012740, 'worthless without': 1011470, 'no wrestlemania worthless': 565942, 'wrestlemania worthless without': 1012741, 'worthless without the': 1011471, 'knead': 475997, 'no knead': 564568, 'knead bread': 475998, 'is ridiculously': 451531, 'ridiculously easy': 721644, 'like freak': 490279, 'freak when': 331517, 'larger bag': 479886, 'flour going': 311105, 're socialdistancing': 699542, 'the no knead': 861829, 'no knead bread': 564569, 'knead bread recipe': 475999, 'bread recipe is': 138573, 'recipe is ridiculously': 704483, 'is ridiculously easy': 451532, 'ridiculously easy and': 721645, 'easy and people': 265651, 'supermarket looked at': 821393, 'me like freak': 523081, 'like freak when': 490280, 'freak when got': 331518, 'when got two': 983491, 'got two of': 358999, 'of the larger': 591173, 'the larger bag': 858953, 'larger bag of': 479887, 'of flour going': 583601, 'flour going to': 311106, 'make this every': 510639, 'this every few': 887461, 'every few day': 285897, 'few day while': 303798, 'day while we': 228752, 'we re socialdistancing': 972968, 'now classified': 574381, 'minnesota ha now': 533608, 'ha now classified': 371392, 'now classified grocery': 574382, 'gonzalez': 356665, 'senior now': 750365, 'includes northgate': 431782, 'northgate gonzalez': 567793, 'gonzalez market': 356666, 'market vallarta': 517289, 'supermarket super': 823029, 'big saver': 129975, 'saver food': 737806, 'food senior': 316396, 'for senior now': 325468, 'senior now includes': 750366, 'now includes northgate': 575026, 'includes northgate gonzalez': 431783, 'northgate gonzalez market': 567794, 'gonzalez market vallarta': 356667, 'market vallarta supermarket': 517290, 'vallarta supermarket super': 951943, 'supermarket super food': 823030, 'super food and': 818505, 'food and big': 313187, 'and big saver': 58963, 'big saver food': 129976, 'saver food senior': 737807, 'newengland': 560044, 'find such': 307259, 'such flour': 816496, 'sugar egg': 817451, 'egg canned': 269816, 'product newengland': 681438, 'newengland grocery': 560045, 'while it true': 986975, 'true that many': 933184, 'that many thing': 845033, 'many thing are': 514800, 'thing are difficult': 884151, 'to find such': 905940, 'find such flour': 307260, 'such flour sugar': 816497, 'flour sugar egg': 311165, 'sugar egg canned': 817452, 'egg canned good': 269817, 'canned good and': 161530, 'good and paper': 356742, 'paper product newengland': 640629, 'product newengland grocery': 681439, 'newengland grocery store': 560046, 'store still have': 810378, 'still have plenty': 800659, 'of food toiletpaper': 583805, 'supportchewy': 827027, 'save chewy': 737489, 'chewy shop': 175600, 'shop chewy': 760034, 'chewy for': 175598, 'best priced': 127871, 'priced and': 677723, 'and biggest': 58968, 'biggest stocked': 130327, 'stocked online': 803362, 'pet supportchewy': 653469, 'supportchewy online': 827028, 'retailer chewy': 719075, 'after earnings': 35599, 'earnings marketwatch': 264919, 'help save chewy': 390482, 'save chewy shop': 737490, 'chewy shop chewy': 175601, 'shop chewy for': 760035, 'chewy for pet': 175599, 'for pet need': 324510, 'pet need this': 653423, 'the best priced': 849546, 'best priced and': 127872, 'priced and biggest': 677724, 'and biggest stocked': 58969, 'biggest stocked online': 130328, 'stocked online shopping': 803363, 'shopping for pet': 762704, 'for pet supportchewy': 324513, 'pet supportchewy online': 653470, 'supportchewy online pet': 827029, 'online pet supply': 608746, 'pet supply retailer': 653467, 'supply retailer chewy': 825774, 'retailer chewy stock': 719076, 'chewy stock fall': 175603, 'stock fall after': 802110, 'fall after earnings': 296806, 'after earnings marketwatch': 35600, '21 mar': 15013, 'mar climate': 515005, 'change locust': 172170, 'locust crisis': 500563, '19 threatening': 11381, 'threatening singapore': 893822, 'singapore food': 771120, 'option get': 614044, 'get smaller': 348021, 'gt am': 367575, 'am loading': 50185, 'grocery daily': 364415, 'daily bit': 224523, 'by bit': 151970, 'bit gt': 131577, 'gt maybe': 367615, 'to balik': 901012, 'kampung gt': 470760, 'gt get': 367597, 'own farm': 631988, 'farm gt': 299129, 'gt can': 367587, 'on freeze': 600987, 'freeze dried': 332522, 'dried food': 258748, 'food tat': 317066, 'tat last': 834829, 'last 25': 480097, '25 yr': 16006, '21 mar climate': 15014, 'mar climate change': 515006, 'climate change locust': 182200, 'change locust crisis': 172171, 'locust crisis covid': 500564, 'covid 19 threatening': 213949, '19 threatening singapore': 11382, 'threatening singapore food': 893823, 'singapore food supply': 771121, 'food supply our': 316977, 'supply our food': 825692, 'our food option': 623118, 'food option get': 315642, 'option get smaller': 614045, 'get smaller gt': 348022, 'smaller gt am': 775273, 'gt am loading': 367576, 'am loading my': 50186, 'loading my grocery': 497343, 'my grocery daily': 548570, 'grocery daily bit': 364416, 'daily bit by': 224524, 'bit by bit': 131543, 'by bit gt': 151971, 'bit gt maybe': 131578, 'gt maybe it': 367616, 'time to balik': 897949, 'to balik kampung': 901013, 'balik kampung gt': 109046, 'kampung gt get': 470761, 'gt get your': 367598, 'your own farm': 1025136, 'own farm gt': 631989, 'farm gt can': 299130, 'gt can stock': 367588, 'up on freeze': 945567, 'on freeze dried': 600988, 'freeze dried food': 332523, 'dried food tat': 258749, 'food tat last': 317067, 'tat last 25': 834830, 'last 25 yr': 480098, 'mustseetfc': 547041, 'rep hosted': 711417, 'hosted comm': 404917, 'comm for': 188316, 'virtual town': 957809, 'hall where': 374352, 'they discussed': 881950, 'discussed her': 244959, 'her effort': 392008, 'help floridian': 389734, 'floridian access': 311023, 'also she': 48871, 'think statewide': 885560, 'statewide shutdown': 796285, 'shutdown would': 768134, 'life mustseetfc': 488894, 'rep hosted comm': 711418, 'hosted comm for': 404918, 'comm for virtual': 188317, 'for virtual town': 327573, 'virtual town hall': 957810, 'town hall where': 927481, 'hall where they': 374353, 'where they discussed': 985277, 'they discussed her': 881951, 'discussed her effort': 244960, 'her effort to': 392009, 'to help floridian': 907519, 'help floridian access': 389735, 'floridian access food': 311024, 'food and avoid': 313180, 'and also she': 57975, 'also she think': 48872, 'she think statewide': 756383, 'think statewide shutdown': 885561, 'statewide shutdown would': 796286, 'shutdown would help': 768135, 'would help save': 1011916, 'save life mustseetfc': 737549, 'fierce': 304549, 'iloveyou': 416492, 'else alone': 271617, 'alone unless': 46936, 'be fierce': 114829, 'fierce fight': 304550, 'your organic': 1025112, 'organic produce': 619233, 'it yours': 462667, 'yours gift': 1026464, 'from god': 335652, 'god no': 354776, 'so remember': 778124, 'remember take': 710268, 'out peace': 627024, 'peace namaste': 646005, 'namaste iloveyou': 551594, 'on yourself leave': 605521, 'yourself leave everyone': 1026659, 'everyone else alone': 286843, 'else alone unless': 271618, 'alone unless you': 46937, 'supermarket then be': 823264, 'then be fierce': 877016, 'be fierce fight': 114830, 'fierce fight for': 304551, 'for your organic': 328185, 'your organic produce': 1025113, 'organic produce it': 619234, 'produce it yours': 680334, 'it yours gift': 462668, 'yours gift from': 1026465, 'gift from god': 349978, 'from god no': 335653, 'god no le': 354777, 'no le so': 564585, 'le so remember': 483125, 'so remember take': 778125, 'remember take them': 710269, 'take them out': 832697, 'them out peace': 876130, 'out peace namaste': 627025, 'peace namaste iloveyou': 646006, 'break at': 138679, 'judge me': 467623, 'it crappy': 457386, 'crappy this': 214940, 'get worked': 348641, 'death comic': 230006, 'comic crap': 187931, 'crap art': 214884, 'drew this on': 258723, 'on my phone': 602304, 'my phone while': 549760, 'phone while on': 655064, 'on break at': 599695, 'break at work': 138680, 'work do not': 1005048, 'not judge me': 570203, 'judge me know': 467625, 'me know it': 523042, 'know it crappy': 476524, 'it crappy this': 457387, 'crappy this corona': 214941, 'pandemic is making': 635782, 'making me get': 511197, 'me get worked': 522809, 'get worked to': 348642, 'worked to death': 1006155, 'to death comic': 903977, 'death comic crap': 230007, 'comic crap art': 187932, 'crap art toiletpaper': 214885, 'to butcher': 902160, 'butcher in': 148053, 'in greenford': 423427, 'greenford they': 363742, 'price off': 675613, 'off meat': 593967, 'meat they': 525776, 've tripled': 953638, 'shocking didn': 759599, 'went to butcher': 979143, 'to butcher in': 902161, 'butcher in greenford': 148054, 'in greenford they': 423428, 'greenford they ve': 363743, 've taken all': 953620, 'taken all price': 832940, 'all price off': 44039, 'price off meat': 675614, 'off meat they': 593968, 'meat they ve': 525777, 'they ve tripled': 883689, 've tripled the': 953639, 'the price shocking': 864412, 'price shocking didn': 676370, 'shocking didn buy': 759600, 'didn buy and': 240993, 'will never ever': 994163, 'never ever again': 557975, 'ever again profiteering': 285191, 'senior but': 750232, 'these plan': 880492, 'plan must': 658174, 'include highriskcovid19': 431575, 'highriskcovid19 folk': 396116, 'disabled in': 243917, 'great for senior': 362684, 'for senior but': 325458, 'senior but these': 750233, 'but these plan': 147485, 'these plan must': 880493, 'plan must include': 658175, 'must include highriskcovid19': 546728, 'include highriskcovid19 folk': 431576, 'highriskcovid19 folk who': 396117, 'who are chronically': 988115, 'ill immunocompromised or': 416140, 'immunocompromised or disabled': 417474, 'or disabled in': 614978, 'disabled in any': 243918, 'any local grocery': 79421, 'store plan to': 809571, 'plan to offer': 658303, 'to film': 905855, 'film video': 305714, 'honestly worried': 403159, 'careful with covid': 164458, 'side to film': 768907, 'to film video': 905856, 'film video because': 305715, 'video because the': 956633, 'because the situation': 119648, 'situation in usa': 772326, 'in usa is': 430491, 'usa is not': 948676, 'not good right': 569731, 'right now wearing': 722177, 'you go supermarket': 1018866, 'go supermarket honestly': 354179, 'supermarket honestly worried': 820783, 'honestly worried about': 403160, 'worried about you': 1010533, 'jhootspharmacy': 465436, 'you jhootspharmacy': 1019403, 'jhootspharmacy raising': 465437, 'needed drug': 556339, 'drug particularly': 261026, 'particularly calpol': 642667, 'on you jhootspharmacy': 605427, 'you jhootspharmacy raising': 1019404, 'jhootspharmacy raising your': 465438, 'your price of': 1025407, 'price of much': 675511, 'of much needed': 586715, 'much needed drug': 545149, 'needed drug particularly': 556340, 'drug particularly calpol': 261027, 'whimn': 987714, 'harrowing supermarket': 378542, 'incident spurred': 431438, 'spurred the': 791353, 'host on': 404886, 'our stockpiling': 624931, 'stockpiling crisis': 803931, 'hoarding whimn': 399660, 'harrowing supermarket incident': 378543, 'supermarket incident spurred': 821013, 'incident spurred the': 431439, 'spurred the today': 791354, 'today host on': 919665, 'host on to': 404887, 'on to address': 604724, 'address our stockpiling': 32009, 'our stockpiling crisis': 624932, 'stockpiling crisis karlstefanovic': 803932, 'karlstefanovic hoarding whimn': 470935, '8523': 22951, 'our task': 625083, 'investigating claim': 443844, 'hospital municipality': 404517, 'municipality government': 546099, 'that paid': 845632, 'paid high': 634027, 'on 3m': 599095, '3m mask': 18328, 'outbreak reach': 628568, 'force call': 328352, 'call 866': 155730, '866 806': 23002, '806 8523': 22744, 'our task force': 625084, 'force is investigating': 328413, 'is investigating claim': 448972, 'investigating claim on': 443845, 'claim on behalf': 179776, 'behalf of hospital': 123756, 'of hospital municipality': 584765, 'hospital municipality government': 404518, 'municipality government that': 546100, 'government that paid': 360674, 'that paid high': 845633, 'paid high price': 634028, 'price on 3m': 675646, 'on 3m mask': 599096, '3m mask other': 18329, 'medical supply during': 526437, '19 outbreak reach': 9174, 'outbreak reach out': 628569, 'task force call': 834682, 'force call 866': 328353, 'call 866 806': 155731, '866 806 8523': 23003, 'surreal cannot': 828665, 'happening scare': 377406, 'scare to': 740920, 'that serf': 846204, 'it surreal cannot': 461399, 'surreal cannot believe': 828666, 'cannot believe it': 161670, 'believe it happening': 126301, 'it happening scare': 458475, 'happening scare to': 377407, 'scare to go': 740921, 'the supermarket cannot': 868506, 'supermarket cannot find': 819521, 'my area that': 547303, 'area that serf': 92220, 'that serf to': 846205, 'serf to home': 751211, 'to home like': 907934, 'home like playing': 401533, 'like playing the': 491015, 'playing the russian': 659454, 'the russian roulette': 866102, 'money foodbanks': 536742, 'resource volunteer': 714924, 'volunteer amid': 960207, 'way for people': 969585, 'food bank now': 313606, 'bank now is': 110043, 'is to donate': 453196, 'donate money foodbanks': 254202, 'money foodbanks struggling': 536743, 'increased demand decline': 433267, 'demand decline in': 235215, 'decline in resource': 231364, 'in resource volunteer': 427412, 'resource volunteer amid': 714925, 'volunteer amid crisis': 960208, 'amid crisis how': 52440, 'crisis how you': 217505, 'can help via': 158668, 'regimen': 707375, 'beauty regimen': 118776, 'regimen shop': 707376, 'shop deal': 760087, 'now staysafequ': 575900, 'dateencasa qu': 226786, 'dateencasa fridayfeeling': 226784, 'cosmetic onlinestore': 207792, 'onlinestore shopping': 609953, 'your beauty regimen': 1022925, 'beauty regimen shop': 118777, 'regimen shop deal': 707377, 'shop deal online': 760088, 'deal online with': 229458, 'delivery now staysafequ': 234215, 'now staysafequ dateencasa': 575901, 'staysafequ dateencasa qu': 798975, 'dateencasa qu dateencasa': 226787, 'qu dateencasa fridayfeeling': 691631, 'dateencasa fridayfeeling staysafe': 226785, 'washyourhands cosmetic onlinestore': 967868, 'cosmetic onlinestore shopping': 207793, 'onlinestore shopping dontbeaspreader': 609954, 'enjoy tuesday': 277205, 'tuesday 19': 935101, '19 cartoon': 5658, 'cartoon in': 165524, 'please enjoy tuesday': 659962, 'enjoy tuesday 19': 277206, 'tuesday 19 cartoon': 935102, '19 cartoon in': 5659, 'new unsung': 559805, 'store employee may': 807510, 'be considered the': 114204, 'considered the new': 195339, 'the new unsung': 861573, 'new unsung hero': 559806, 'unsung hero right': 943560, 'filmmyhospital': 305743, 'sending china': 750008, 'flu positive': 311445, 'positive tested': 665454, 'tested nurse': 839328, 'staff kind': 792604, 'of defeat': 582457, 'of preventing': 588384, 'preventing contagion': 671804, 'contagion but': 200399, 'doctor filmmyhospital': 250911, 'filmmyhospital newyork': 305744, 'they are sending': 881403, 'are sending china': 89977, 'sending china flu': 750009, 'china flu positive': 176655, 'flu positive tested': 311446, 'positive tested nurse': 665455, 'tested nurse and': 839329, 'keep working because': 472221, 'working because they': 1008538, 'don have staff': 253615, 'have staff kind': 382711, 'staff kind of': 792605, 'kind of defeat': 474887, 'of defeat the': 582458, 'defeat the purpose': 232048, 'purpose of preventing': 690144, 'of preventing contagion': 588385, 'preventing contagion but': 671805, 'contagion but not': 200400, 'but not doctor': 146534, 'not doctor filmmyhospital': 569076, 'doctor filmmyhospital newyork': 250912, 'on unexpected': 604961, 'unexpected covid': 941362, 'frontline the': 338842, 'at life on': 99585, 'life on unexpected': 488940, 'on unexpected covid': 604962, 'unexpected covid 19': 941363, '19 frontline the': 7147, 'frontline the grocery': 338843, 'hero also': 393924, 'also whoever': 49099, 'whoever working': 990122, 'hypermarket they': 412362, 'they sacrifice': 883235, 'full fill': 340592, 'some of people': 783406, 'even think one': 284689, 'one of real': 606760, 'of real hero': 588788, 'real hero also': 701196, 'hero also whoever': 393925, 'also whoever working': 49100, 'whoever working in': 990123, 'retail store such': 718707, 'store such supermarket': 810439, 'such supermarket hypermarket': 816781, 'supermarket hypermarket they': 820824, 'hypermarket they sacrifice': 412363, 'they sacrifice to': 883236, 'sacrifice to get': 729115, 'get full fill': 347124, 'full fill your': 340593, 'fill your daily': 305520, 'daily need on': 224715, 'need on this': 555362, 'decision hoping': 231036, 'offer wage': 594877, 'affected store': 34435, 'when closed': 983257, 'great decision hoping': 362619, 'decision hoping you': 231037, 'to offer wage': 910857, 'offer wage and': 594878, 'benefit to affected': 127111, 'to affected store': 900152, 'affected store employee': 34436, 'employee when closed': 274410, 'when closed due': 983258, 'renter affected': 711291, 'becerra issue an': 119893, 'issue an updated': 455662, 'an updated consumer': 56933, 'for renter affected': 325125, 'renter affected by': 711292, 'emptying quickly': 275270, 'quickly chch': 694496, 'are emptying quickly': 86181, 'emptying quickly chch': 275271, 'juddleg': 467613, 'ha 453': 369414, '453 00': 19167, 'many receive': 514623, 'receive no': 703519, 'leave even': 484780, '19 kroger': 8254, 'kroger still': 477769, 'to judd': 908697, 'legum juddleg': 486088, 'united state it': 942226, 'state it ha': 795712, 'it ha 453': 458374, 'ha 453 00': 369415, '453 00 employee': 19168, '00 employee and': 186, 'and many receive': 66682, 'many receive no': 514624, 'receive no sick': 703520, 'sick leave even': 768489, 'leave even after': 484781, 'even after employee': 283812, 'after employee tested': 35621, 'covid 19 kroger': 213326, '19 kroger still': 8255, 'kroger still will': 477770, 'not provide paid': 571146, 'provide paid sick': 686424, 'leave to judd': 485011, 'to judd legum': 908698, 'judd legum juddleg': 467611, 'andrewholnessjm': 76204, 'all mosquito': 43523, 'mosquito adhering': 542032, 'distancing andrewholnessjm': 247005, 'andrewholnessjm when': 76205, 'last mosquito': 480350, 'mosquito bite': 542038, 'bite anyone': 131858, 'anyone lol': 80411, 'of king': 585651, 'king cov': 475252, 'd19 sanitizer': 224184, 'washyourhands stayclean': 967914, 'all mosquito adhering': 43524, 'mosquito adhering to': 542033, 'social distancing andrewholnessjm': 779554, 'distancing andrewholnessjm when': 247006, 'andrewholnessjm when last': 76206, 'when last mosquito': 983675, 'last mosquito bite': 480351, 'mosquito bite anyone': 542039, 'bite anyone lol': 131859, 'anyone lol life': 80412, 'lol life of': 500923, 'life of king': 488921, 'of king cov': 585652, 'king cov d19': 475253, 'cov d19 sanitizer': 212118, 'd19 sanitizer sanitize': 224185, 'sanitizer sanitize washyourhands': 735687, 'sanitize washyourhands stayclean': 734233, 'sweettalker': 830291, 'tworollsleft': 937418, 'just slid': 469812, 'slid into': 773882, 'dm making': 248901, 'toiletpaper sweettalker': 922570, 'sweettalker losangeles': 830292, 'losangeles tworollsleft': 503405, 'tworollsleft silver': 937419, 'silver lake': 769814, 'lake los': 479065, 'someone just slid': 784541, 'just slid into': 469813, 'slid into my': 773883, 'into my dm': 442776, 'my dm making': 548012, 'dm making me': 248902, 'to break quarantine': 902005, 'break quarantine toiletpaper': 138791, 'quarantine toiletpaper sweettalker': 692650, 'toiletpaper sweettalker losangeles': 922571, 'sweettalker losangeles tworollsleft': 830293, 'losangeles tworollsleft silver': 503406, 'tworollsleft silver lake': 937420, 'silver lake los': 769815, 'lake los angeles': 479066, 'dollartree the': 253133, 'dollartree bernie': 253126, 'bernie socialist': 127387, 'socialist democrat': 781011, 'democrat stayathome': 236739, 'stayathome usa': 797692, 'usa pandemic': 948712, 'pandemic sundaymorning': 636592, 'wa not taken': 962775, 'not taken at': 571915, 'at dollartree the': 98477, 'dollartree the woman': 253134, 'woman who bought': 1003673, 'bought all toiletpaper': 136491, 'all toiletpaper at': 45263, 'at dollartree bernie': 98475, 'dollartree bernie socialist': 253127, 'bernie socialist democrat': 127388, 'socialist democrat stayathome': 781012, 'democrat stayathome usa': 236740, 'stayathome usa pandemic': 797693, 'usa pandemic sundaymorning': 948713, 'of ot': 587357, 'ot to': 619767, 'toiletpaper overtime': 922300, 'plenty of ot': 660961, 'of ot to': 587358, 'ot to go': 619768, 'around but not': 93238, 'not too much': 572224, 'too much tp': 924952, 'much tp toiletpaper': 545410, 'tp toiletpaper overtime': 928002, 'pilling craze': 656692, 'so the supermarket': 778440, 'supermarket wa well': 823711, 'stocked with loo': 803466, 'loo roll pasta': 502195, 'pasta hand sanitizers': 643738, 'sanitizers but what': 736238, 'new stock pilling': 559660, 'stock pilling craze': 802683, 'my instant': 548863, 'instant dry': 440089, 'yeast back': 1015146, 'egypt with': 270123, 'december but': 230751, 'have jar': 381162, 'jar in': 464811, 'fridge that': 333428, 'everywhere it': 288228, 'like trying': 491681, 'took my instant': 925297, 'my instant dry': 548864, 'instant dry yeast': 440090, 'dry yeast back': 261322, 'yeast back to': 1015147, 'back to egypt': 107362, 'to egypt with': 904956, 'egypt with me': 270124, 'with me in': 999444, 'me in december': 522961, 'in december but': 422061, 'december but have': 230752, 'but have jar': 145878, 'have jar in': 381163, 'jar in my': 464812, 'my fridge that': 548417, 'fridge that should': 333429, 'that should still': 846291, 'should still be': 766504, 'still be good': 800254, 'be good all': 115061, 'good all out': 356709, 'stock everywhere it': 802096, 'everywhere it like': 288229, 'it like trying': 459382, 'like trying to': 491682, 'paper hoarding via': 640284, 'curfew rather': 220918, 'than lock': 840849, 'people refraining': 649260, 'out moreover': 626582, 'hiked tomato': 396349, 'tomato went': 923976, 'went form': 979008, 'form 10': 329480, 'kg coronaupdatesindia': 473648, 'it seems better': 460940, 'seems better to': 746762, 'better to impose': 128564, 'to impose curfew': 908193, 'impose curfew rather': 419235, 'curfew rather than': 220919, 'rather than lock': 697533, 'than lock down': 840850, 'lock down we': 499059, 'down we do': 257444, 'not see people': 571483, 'see people refraining': 745566, 'people refraining from': 649261, 'refraining from going': 706752, 'going out moreover': 355378, 'out moreover price': 626583, 'moreover price for': 541066, 'commodity are now': 189130, 'are now hiked': 88557, 'now hiked tomato': 574929, 'hiked tomato went': 396350, 'tomato went form': 923977, 'went form 10': 979009, 'form 10 to': 329481, '50 per kg': 19809, 'per kg coronaupdatesindia': 650898, 'stall heard': 793360, 'heard lady': 388098, 'lady leave': 478787, 'leave hers': 484816, 'hers and': 394225, 'go right': 354073, 'hand some': 375785, 'nut wuhanvirus': 577674, 'wuhanvirus washhands': 1013589, 'while in grocery': 986943, 'store bathroom stall': 806653, 'bathroom stall heard': 112666, 'stall heard lady': 793361, 'heard lady leave': 388099, 'lady leave hers': 478788, 'leave hers and': 484817, 'hers and go': 394226, 'and go right': 63782, 'go right out': 354074, 'the door without': 853594, 'door without washing': 255790, 'without washing hand': 1003043, 'washing hand some': 967682, 'hand some people': 375786, 'people are nut': 647029, 'are nut wuhanvirus': 88629, 'nut wuhanvirus washhands': 577675, 'the planning': 863805, 'forecast aim': 328804, 'aim goal': 39532, 'goal have': 354569, 'have reworked': 382321, 'reworked out': 720830, 'due change': 261641, 'or effect': 615113, 'financial effect': 306408, 'recession plus': 704340, 'all the planning': 44864, 'the planning forecast': 863806, 'planning forecast aim': 658549, 'forecast aim goal': 328805, 'aim goal have': 39533, 'goal have reworked': 354570, 'have reworked out': 382322, 'reworked out due': 720831, 'out due change': 625983, 'due change in': 261642, 'circumstance the or': 178754, 'the or effect': 862436, 'or effect the': 615114, 'effect the lockdown': 269124, 'the lockdown the': 859634, 'lockdown the financial': 500008, 'the financial effect': 855215, 'financial effect of': 306409, 'effect of these': 269066, 'of these the': 591864, 'these the global': 880809, 'global recession plus': 352162, 'recession plus the': 704341, 'plus the crash': 661693, 'crash of oil': 215013, 'video pakistan': 956862, 'pakistan fight': 634448, 'against sanitizer': 37609, 'machine working': 507421, 'condition corona': 193433, 'watch video pakistan': 968604, 'video pakistan fight': 956863, 'pakistan fight against': 634449, 'fight against sanitizer': 304637, 'against sanitizer machine': 37610, 'sanitizer machine working': 735326, 'machine working condition': 507422, 'working condition corona': 1008577, 'condition corona 19': 193434, 'supermarket mainly': 821432, 'convince myself': 202650, 'getting difficult': 348934, 'difficult pandemic': 242250, 'took me two': 925290, 'plan trip to': 658337, 'the supermarket mainly': 868690, 'supermarket mainly to': 821433, 'mainly to convince': 508896, 'to convince myself': 903474, 'convince myself to': 202651, 'myself to do': 550959, 'do it really': 249506, 'it really do': 460634, 'out but having': 625788, 'but having severe': 145895, 'having severe allergy': 384264, 'severe allergy with': 753986, 'is getting difficult': 448024, 'getting difficult pandemic': 348935, 'intellicast': 440979, 'mrnews': 544447, 'you listened': 1019623, 'of intellicast': 585240, 'intellicast this': 440980, 'about little': 25651, 'time listen': 897143, 'mrx mrnews': 544486, 'have you listened': 383675, 'you listened to': 1019624, 'episode of intellicast': 279541, 'of intellicast this': 585241, 'intellicast this week': 440981, 'week we talk': 977202, 'talk about little': 833744, 'about little bit': 25652, 'bit of everything': 131640, 'consumer research on': 198756, 'research on covid19': 713799, 'on covid19 to': 600149, 'covid19 to industry': 214394, 'to industry that': 908347, 'are seeing growth': 89899, 'seeing growth during': 746312, 'growth during this': 367366, 'this time listen': 890661, 'time listen here': 897144, 'listen here mrx': 494686, 'here mrx mrnews': 393356, 'impact gas': 417673, 'to impact gas': 908151, 'impact gas price': 417674, 'report safe': 712226, 'from coronavirus grocery': 335013, 'coronavirus grocery shopping': 206006, 'consumer report safe': 198724, 'report safe shopping': 712227, 'lockdownsrilanka': 500391, 'lk': 496517, 'had closed': 372973, 'closed bank': 183011, 'bank were': 110287, 'closed lpg': 183212, 'lpg gas': 506320, 'gas shop': 344091, 'were supposedly': 980203, 'supposedly sold': 827387, 'of cylinder': 582307, 'cylinder lockdownsrilanka': 224123, 'lockdownsrilanka lockdownsl': 500392, 'lockdownsl srilanka': 500380, 'srilanka lk': 791611, 'lk lka': 496518, 'most supermarket shelf': 542793, 'were empty so': 979573, 'empty so they': 275131, 'they had closed': 882242, 'had closed bank': 372974, 'closed bank were': 183012, 'bank were closed': 110288, 'were closed lpg': 979453, 'closed lpg gas': 183213, 'lpg gas shop': 506321, 'gas shop were': 344092, 'shop were supposedly': 761023, 'were supposedly sold': 980204, 'supposedly sold out': 827388, 'out of cylinder': 626715, 'of cylinder lockdownsrilanka': 582308, 'cylinder lockdownsrilanka lockdownsl': 224124, 'lockdownsrilanka lockdownsl srilanka': 500393, 'lockdownsl srilanka lk': 500381, 'srilanka lk lka': 791612, 'street stalled': 813120, 'stalled in': 793391, 'final hour': 305838, 'another drop': 77593, 'economy and increasing': 267648, 'and increasing fear': 65125, 'increasing fear of': 433610, 'fear of recession': 301257, 'of recession what': 588829, 'recession what cause': 704400, 'what cause recession': 981196, 'cause recession and': 167713, 'recession and what': 704209, 'are the sign': 90908, 'the sign the': 867182, 'sign the stock': 769231, 'market rally on': 516935, 'rally on wall': 696277, 'wall street stalled': 965191, 'street stalled in': 813121, 'stalled in the': 793392, 'the final hour': 855195, 'final hour of': 305839, 'hour of trading': 405813, 'of trading on': 592406, 'trading on tuesday': 928900, 'tuesday after another': 935107, 'after another drop': 35375, 'another drop in': 77594, 'exporter are': 292745, 'are highlighting': 87162, 'risk posed': 723833, 'pandemic though': 636752, 'product appears': 680923, 'strong across': 813959, 'more event': 539155, 'postponed to': 666834, 'limit social': 492495, 'interaction here': 441245, 'exporter are highlighting': 292746, 'are highlighting the': 87163, 'highlighting the risk': 396026, 'the risk posed': 865880, 'risk posed by': 723834, '19 pandemic though': 9500, 'pandemic though demand': 636753, 'though demand for': 892795, 'food product appears': 316014, 'product appears to': 680924, 'to be holding': 901310, 'be holding strong': 115280, 'holding strong across': 400168, 'strong across the': 813960, 'globe and more': 352443, 'and more event': 67166, 'more event are': 539156, 'event are being': 284950, 'are being cancelled': 84834, 'being cancelled or': 124925, 'or postponed to': 616657, 'postponed to limit': 666835, 'to limit social': 909300, 'limit social interaction': 492496, 'social interaction here': 779812, 'interaction here in': 441246, 'here in new': 393169, 'amp gop': 53872, 'gop refuse': 358272, 'add dem': 31420, 'dem demand': 234865, 'demand requesting': 236134, 'requesting food': 713267, 'the 16': 847901, '00 newly': 363, 'gop leader': 358257, 'leader refuse': 483523, 'refuse democrat': 707018, 'democrat demand': 236709, 'won negotiate': 1003878, 'negotiate over': 556911, 'over small': 630618, 'trump amp gop': 933404, 'amp gop refuse': 53873, 'gop refuse to': 358273, 'refuse to add': 707029, 'to add dem': 900054, 'add dem demand': 31421, 'dem demand requesting': 234866, 'demand requesting food': 236135, 'requesting food aid': 713268, 'food aid for': 313066, 'aid for the': 39388, 'for the 16': 326280, 'the 16 00': 847902, '16 00 00': 4052, '00 00 newly': 7, '00 newly unemployed': 364, 'newly unemployed american': 560121, 'unemployed american gop': 941102, 'american gop leader': 51998, 'gop leader refuse': 358258, 'leader refuse democrat': 483524, 'refuse democrat demand': 707019, 'democrat demand won': 236710, 'demand won negotiate': 236519, 'won negotiate over': 1003879, 'negotiate over small': 556912, 'over small business': 630619, 'small business lending': 774871, 'business lending program': 143990, 'highlight grocery': 395916, 'infected very': 436660, 'package etc': 633258, 'raw veg': 698000, 'veg fruit': 953748, 'fruit you': 339206, 'to highlight grocery': 907750, 'highlight grocery store': 395917, 'pharmacy that have': 654499, 'been infected very': 121378, 'infected very scary': 436661, 'considering the produce': 195428, 'the produce and': 864566, 'produce and all': 680174, 'kind of package': 474924, 'of package etc': 587648, 'package etc warn': 633259, 'eat raw veg': 266035, 'raw veg fruit': 698001, 'veg fruit you': 953749, 'fruit you purchase': 339207, 'you purchase at': 1020494, 'purchase at store': 689370, 'love can': 504628, 'socialdistance trying': 780172, 'day stayathome': 228395, 'you love can': 1019728, 'love can accept': 504629, 'family socialdistance trying': 298237, 'socialdistance trying to': 780173, 'every day stayathome': 285843, 'your timeline': 1026168, 'timeline is': 898467, 'an advertisement': 55157, 'advertisement for': 33168, 'chain maybe': 170919, 'maybe tell': 521819, 'prison estate': 678715, 'estate ref': 282187, 'ref covid': 706467, 'your timeline is': 1026169, 'timeline is looking': 898468, 'looking like an': 502951, 'like an advertisement': 489761, 'an advertisement for': 55158, 'advertisement for supermarket': 33169, 'supermarket chain maybe': 819621, 'chain maybe tell': 170920, 'maybe tell what': 521820, 'tell what is': 837130, 'around the prison': 93551, 'the prison estate': 864477, 'prison estate ref': 678716, 'estate ref covid': 282188, 'ref covid 19': 706468, 'she strike': 756364, 'strike me': 813751, 'to party': 911481, 'she strike me': 756365, 'strike me the': 813752, 'me the kind': 523649, 'kind of person': 474927, 'of person that': 588058, 'person that go': 652635, 'go to party': 354336, 'to party and': 911482, 'party and then': 642974, 'immigrant farm': 417220, 'we shelter': 973233, 'place hope': 657497, 'time lift': 897133, 'the curtain': 852679, 'the immigrant farm': 857913, 'immigrant farm worker': 417221, 'shelf while we': 757804, 'while we shelter': 987555, 'we shelter in': 973234, 'in place hope': 426739, 'place hope this': 657498, 'hope this time': 403729, 'this time lift': 890660, 'time lift the': 897134, 'lift the curtain': 489464, 'the curtain and': 852680, 'curtain and force': 221801, 'and force people': 63173, 'people to see': 649937, 'is really the': 451319, 'really the foundation': 702649, 'foundation of this': 330499, '1130593481': 2649, 'polaris': 662870, 'adebis': 32117, 'food beg': 313723, 'beg any': 123356, 'amount 1130593481': 53157, '1130593481 polaris': 2650, 'polaris bank': 662871, 'bank adebis': 109572, 'adebis aba': 32118, 'aba thanks': 24193, 'all just consider': 43296, 'just consider the': 468514, 'consider the covid': 195136, 'pandemic outbreak need': 636133, 'for food beg': 321557, 'food beg any': 313724, 'beg any amount': 123357, 'any amount 1130593481': 78918, 'amount 1130593481 polaris': 53158, '1130593481 polaris bank': 2651, 'polaris bank adebis': 662872, 'bank adebis aba': 109573, 'adebis aba thanks': 32119, 'more stronger': 540482, 'is try': 453391, 'store bulk': 806773, 'whether mask': 985537, 'rcs staysafe': 698123, 'staysafe washyourhands': 798948, 'no more stronger': 564819, 'more stronger than': 540483, 'message is try': 529354, 'is try not': 453392, 'to store bulk': 915608, 'store bulk of': 806774, 'bulk of precautionary': 142330, 'of precautionary item': 588355, 'item whether mask': 463813, 'whether mask sanitizer': 985538, 'join hand to': 466739, 'hand to make': 375862, 'make yourself and': 510776, 'friend rcs staysafe': 333770, 'rcs staysafe washyourhands': 698124, 'conference monday': 193743, 'monday evening': 536279, 'evening trump': 284922, 'trump appeared': 933417, 'to lean': 909123, 'lean towards': 483887, 'towards reopening': 927239, 'business soon': 144400, 'possible against': 665561, 'press conference monday': 671030, 'conference monday evening': 193744, 'monday evening trump': 536280, 'evening trump appeared': 284923, 'trump appeared to': 933418, 'appeared to lean': 82155, 'to lean towards': 909124, 'lean towards reopening': 483888, 'towards reopening business': 927240, 'reopening business soon': 711385, 'business soon possible': 144401, 'soon possible against': 785797, 'possible against the': 665562, 'advice of medical': 33447, 'of medical expert': 586391, 'buy and ll': 148325, 'and ll never': 66271, 'll never go': 496917, 'never go in': 558022, 'in that shop': 428931, 'that shop again': 846270, 'shop again dontripusoff': 759808, 'unido': 941744, 'unido and': 941745, 'cut look': 223422, '19 cut': 6398, 'cut international': 223393, 'unido and cut': 941746, 'and cut look': 60884, 'cut look to': 223423, 'look to commerce': 502627, 'to commerce to': 903070, 'commerce to counter': 188651, 'counter economic impact': 210213, 'covid 19 cut': 212902, '19 cut international': 6399, 'cut international consumer': 223394, 'international consumer unity': 441778, 'ptg': 687633, 'guild ptg': 368527, 'ptg ha': 687634, 'piano this': 655571, 'by ongoing': 153430, 'the document': 853478, 'document is': 251194, 'world piano': 1009890, 'piano news': 655567, 'news website': 560958, 'technician guild ptg': 836229, 'guild ptg ha': 368528, 'ptg ha written': 687635, 'written an advisory': 1012952, 'advisory on how': 33771, 'your piano this': 1025306, 'piano this decision': 655572, 'decision is driven': 231045, 'driven by ongoing': 259283, 'by ongoing concern': 153431, 'ongoing concern over': 607607, 'over the corona': 630706, '19 the document': 11186, 'the document is': 853479, 'document is published': 251195, 'published on the': 688681, 'on the world': 604460, 'the world piano': 871936, 'world piano news': 1009891, 'piano news website': 655568, 'fascinating to': 299767, 'are faring': 86490, 'over lot': 630373, 'business prepare': 144248, 'lockdown reality': 499844, 'reality do': 701727, 'fascinating to see': 299768, 'see how and': 745217, 'how and consumer': 407361, 'consumer sector are': 198882, 'sector are faring': 744098, 'are faring in': 86491, 'faring in china': 299067, 'china now lockdown': 176853, 'now lockdown is': 575240, 'is over lot': 450709, 'over lot of': 630374, 'of learning to': 585765, 'learning to help': 484252, 'to help uk': 907657, 'help uk business': 390824, 'uk business prepare': 938225, 'business prepare for': 144249, 'prepare for post': 670081, 'for post lockdown': 324638, 'post lockdown reality': 666203, 'lockdown reality do': 499845, 'reality do see': 701728, 'do see my': 250062, 'summary below and': 817930, 'below and read': 126592, 'and read insight': 69978, 'nyc now': 578017, 'you inside': 1019350, 'inside unless': 439440, 'glove think': 352960, 'adopt too': 32682, 'outside completely': 629397, 'completely only': 192329, 'some store in': 783958, 'in nyc now': 426025, 'nyc now will': 578018, 'let you inside': 487215, 'you inside unless': 1019351, 'inside unless you': 439441, 'and glove think': 63741, 'glove think this': 352961, 'idea for all': 413045, 'for all store': 319171, 'store to adopt': 810751, 'to adopt too': 900130, 'adopt too but': 32683, 'too but ve': 924632, 'but ve stopped': 147683, 've stopped shopping': 953609, 'stopped shopping outside': 805755, 'shopping outside completely': 763575, 'outside completely only': 629398, 'completely only online': 192330, 'only online now': 610898, 'rockin': 724973, 'wearin': 974575, 'hoody': 403333, 'thinkin': 885834, 'standin': 793731, 'ghettoheatmovement rockin': 349643, 'rockin back': 724974, 'forth in': 329791, 'my chair': 547657, 'chair wearin': 171313, 'wearin my': 974576, 'my hoody': 548710, 'hoody wrapped': 403334, 'wrapped in': 1012678, 'my blanket': 547471, 'blanket feelin': 132384, 'feelin exhausted': 302953, 'exhausted thinkin': 290179, 'thinkin bout': 885835, 'bout standin': 136919, 'standin in': 793732, 'supermarket actin': 818768, 'actin like': 29856, 'like im': 490481, 'im cool': 416521, 'cool wit': 203064, 'wit socialdistancing': 996907, 'ghettoheatmovement rockin back': 349644, 'rockin back forth': 724975, 'back forth in': 107000, 'forth in my': 329792, 'in my chair': 425549, 'my chair wearin': 547658, 'chair wearin my': 171314, 'wearin my hoody': 974577, 'my hoody wrapped': 548711, 'hoody wrapped in': 403335, 'wrapped in my': 1012679, 'in my blanket': 425543, 'my blanket feelin': 547472, 'blanket feelin exhausted': 132385, 'feelin exhausted thinkin': 302954, 'exhausted thinkin bout': 290180, 'thinkin bout standin': 885836, 'bout standin in': 136920, 'standin in line': 793733, 'the supermarket actin': 868444, 'supermarket actin like': 818769, 'actin like im': 29857, 'like im cool': 490482, 'im cool wit': 416522, 'cool wit socialdistancing': 203065, 'wit socialdistancing there': 996908, 'socialdistancing there why': 780804, 'there why have': 879356, 'why have to': 991054, 'to wait so': 918272, 'wait so long': 964191, 'so long before': 777582, '19 destruction': 6515, 'destruction will': 239124, 'be extensive': 114754, 'extensive and': 293296, 'massive we': 520163, 'must prepare': 546812, 'prepare price': 670122, 'covid 19 destruction': 212940, '19 destruction will': 6516, 'destruction will be': 239125, 'will be extensive': 992451, 'be extensive and': 114755, 'extensive and massive': 293297, 'and massive we': 66782, 'massive we must': 520164, 'we must prepare': 972435, 'must prepare price': 546813, 'prepare price for': 670123, 'schnitkey': 741641, 'with induced': 998985, 'by gary': 152657, 'gary schnitkey': 343746, 'schnitkey illinois': 741642, 'illinois crop': 416278, '2020 have': 14358, 'revised with': 720652, 'for soybean': 325801, 'budget with induced': 141837, 'with induced lower': 998986, 'soybean price by': 786988, 'price by gary': 673023, 'by gary schnitkey': 152658, 'gary schnitkey illinois': 343747, 'schnitkey illinois crop': 741643, 'illinois crop budget': 416279, 'crop budget for': 218905, 'budget for 2020': 141789, 'for 2020 have': 318751, '2020 have been': 14359, 'have been revised': 379664, 'been revised with': 121853, 'revised with lower': 720653, 'with lower corn': 999341, 'soybean price 30': 786986, 'price 30 for': 672146, '30 for corn': 17053, 'for corn and': 320361, 'corn and 30': 203556, 'and 30 for': 57440, '30 for soybean': 17054, 'all away': 42102, 'away except': 105834, 'except one': 289209, 'in the san': 429525, 'north gave them': 567652, 'gave them all': 344669, 'them all away': 875337, 'all away except': 42103, 'away except one': 105835, 'except one use': 289210, 'one use it': 607333, 'pharmacy etc will': 654304, 'etc will it': 282892, 'it help prevent': 458548, 'middlesbrough': 530715, 'jamescookhospital': 464408, 'middlesbrough ha': 530716, 'ha brand': 370027, 'new building': 558424, 'building which': 142155, 'which look': 986120, 'the failed': 854846, 'failed sainsbury': 296162, 'the riverside': 865903, 'riverside stadium': 724200, 'stadium possibly': 792063, 'possibly perfect': 665947, 'for setting': 325508, 'coronavirus hq': 206100, 'hq for': 409581, 'teesside patient': 836587, 'patient jamescookhospital': 644195, 'jamescookhospital coronaviru': 464409, 'middlesbrough ha brand': 530717, 'ha brand new': 370028, 'brand new building': 137929, 'new building which': 558425, 'building which look': 142156, 'which look good': 986121, 'look good to': 502395, 'in the failed': 429191, 'the failed sainsbury': 854847, 'failed sainsbury supermarket': 296163, 'sainsbury supermarket near': 731726, 'supermarket near the': 821576, 'near the riverside': 553613, 'the riverside stadium': 865904, 'riverside stadium possibly': 724201, 'stadium possibly perfect': 792064, 'possibly perfect for': 665948, 'perfect for setting': 651295, 'for setting up': 325509, 'setting up coronavirus': 753656, 'up coronavirus hq': 944655, 'coronavirus hq for': 206101, 'hq for teesside': 409582, 'for teesside patient': 326173, 'teesside patient jamescookhospital': 836588, 'patient jamescookhospital coronaviru': 644196, 'departure': 237303, 'confidence number': 193920, 'number which': 577085, 'good before': 356819, 'but departure': 145522, 'departure from': 237304, 'red hot': 705587, 'hot number': 405031, 'late 2019': 480843, '2019 suspect': 14017, 'suspect huge': 829469, 'huge population': 410129, 'card debt': 163500, 'out the consumer': 627358, 'consumer confidence number': 196910, 'confidence number which': 193921, 'number which were': 577086, 'which were good': 986477, 'were good before': 979698, 'good before covid': 356820, '19 but departure': 5495, 'but departure from': 145523, 'departure from the': 237305, 'the red hot': 865383, 'red hot number': 705588, 'hot number of': 405032, 'number of late': 576954, 'of late 2019': 585726, 'late 2019 suspect': 480844, '2019 suspect huge': 14018, 'suspect huge population': 829470, 'huge population is': 410130, 'population is now': 664707, 'now in credit': 574995, 'credit card debt': 216333, 'card debt the': 163502, 'debt the revenue': 230576, 'the revenue for': 865761, 'revenue for the': 720414, '2020 will pay': 14726, 'will pay for': 994392, 'pay for that': 644906, 'newsalert thanks': 560999, 'hand old': 375128, 'old rival': 598450, 'involves working': 444388, 'fed report': 301882, 'report logistics': 712075, 'newsalert thanks to': 561000, 'at hand old': 98845, 'hand old rival': 375129, 'old rival are': 598451, 'rival are going': 724165, 'have to kickstart': 383235, 'that involves working': 844541, 'involves working together': 444389, 'country fed report': 210645, 'fed report logistics': 301883, 'report logistics supplychain': 712076, 'outbreak look': 628430, 'look set': 502588, 'the outbreak look': 862660, 'outbreak look set': 628431, 'look set to': 502589, 'india by': 434327, 'and rising food': 70547, 'in india by': 424025, 'india by and': 434328, '19 underscore': 11627, 'that flush': 843893, 'wage service': 963947, 'industry job': 435945, 'and propped': 69633, 'consumer corporate': 196982, 'debt no': 230522, 'no resiliency': 565334, 'inadequate direct': 431200, 'will primarily': 994452, 'primarily go': 678037, 'actual economy': 30645, 'covid 19 underscore': 213997, '19 underscore the': 11628, 'underscore the problem': 940567, 'problem of consumer': 679622, 'of consumer based': 581711, 'based economy that': 111565, 'economy that flush': 268265, 'that flush with': 843894, 'flush with low': 311568, 'with low wage': 999339, 'low wage service': 505733, 'wage service industry': 963948, 'service industry job': 752498, 'industry job and': 435946, 'job and propped': 465640, 'and propped up': 69634, 'propped up by': 684579, 'up by record': 944559, 'of consumer corporate': 581727, 'consumer corporate debt': 196983, 'corporate debt no': 207260, 'debt no resiliency': 230523, 'no resiliency and': 565335, 'resiliency and inadequate': 714501, 'and inadequate direct': 65087, 'inadequate direct cash': 431201, 'payment will primarily': 645782, 'will primarily go': 994453, 'primarily go to': 678038, 'go to debt': 354298, 'to debt servicing': 903990, 'servicing not the': 753158, 'not the actual': 571981, 'the actual economy': 848319, 'assalam': 96289, 'alaykum': 40729, 'assalam alaykum': 96290, 'alaykum shaykh': 40730, 'shaykh buying': 755830, 'approx month': 83234, 'going outdoors': 355403, 'outdoors because': 628917, '19 considered': 5942, 'considered hoarding': 195302, 'assalam alaykum shaykh': 96291, 'alaykum shaykh buying': 40731, 'shaykh buying food': 755831, 'will last me': 993947, 'last me and': 480310, 'family for approx': 297809, 'for approx month': 319470, 'approx month due': 83235, 'fear of going': 301236, 'of going outdoors': 584194, 'going outdoors because': 355404, 'outdoors because of': 628918, 'because of contracting': 119323, 'covid 19 considered': 212841, '19 considered hoarding': 5943, 'artisanal delivery': 94567, 'the first batch': 855282, 'batch of sweet': 112581, 'sweet and artisanal': 830220, 'and artisanal delivery': 58413, 'artisanal delivery is': 94568, 'is ready our': 451255, 'can be reserved': 157677, 'reserved for just': 714132, 'midpoint': 530770, 'the midpoint': 860576, 'midpoint march': 530771, 'march result': 515453, '19 optical': 9012, 'optical impact': 613877, 'study available': 814865, 'member only': 528164, 'show measure': 767054, 'prevent exposure': 671616, 'exposure change': 292966, 'in eye': 422746, 'eye exam': 294044, 'exam intent': 288794, 'intent how': 441143, 'how respondent': 408578, 'respondent are': 715376, 'prioritizing medical': 678484, 'care eyewear': 163922, 'eyewear purchase': 294156, 'the midpoint march': 860577, 'midpoint march result': 530772, 'march result of': 515454, 'covid 19 optical': 213524, '19 optical impact': 9013, 'optical impact consumer': 613878, 'impact consumer study': 417613, 'consumer study available': 199172, 'study available to': 814866, 'available to member': 104651, 'to member only': 910078, 'member only show': 528165, 'only show measure': 611135, 'show measure consumer': 767055, 'measure consumer are': 525160, 'consumer are taking': 196318, 'to prevent exposure': 912057, 'prevent exposure change': 671617, 'exposure change in': 292967, 'change in eye': 172118, 'in eye exam': 422747, 'eye exam intent': 294045, 'exam intent how': 288795, 'intent how respondent': 441144, 'how respondent are': 408579, 'respondent are prioritizing': 715377, 'are prioritizing medical': 89231, 'prioritizing medical care': 678485, 'medical care eyewear': 526079, 'care eyewear purchase': 163923, 'oman ha': 598835, 'oman ha approved': 598836, 'news leader': 560579, 'leader ozarks': 483511, 'ozarks food': 632775, 'food harvest': 314773, 'harvest hire': 378619, 'hire laid': 397011, 'news leader ozarks': 560580, 'leader ozarks food': 483512, 'ozarks food harvest': 632776, 'food harvest hire': 314774, 'harvest hire laid': 378620, 'hire laid off': 397012, 'off worker to': 594426, 'hiace': 394781, 'n24m': 551115, '08175974345': 1136, 'two unit': 937294, 'this fully': 887651, 'equipped toyota': 279897, 'toyota hiace': 927712, 'hiace ambulance': 394782, 'ambulance bus': 51318, 'bus 2020': 142989, '2020 model': 14445, 'model they': 535318, 'use price': 949497, 'price n24m': 675301, 'n24m per': 551116, 'piece slightly': 656362, 'slightly negotiable': 773967, 'negotiable location': 556903, 'location abuja': 498836, 'abuja contact': 27574, 'contact person': 200181, 'person 08175974345': 652285, '08175974345 staysafe': 1137, 'to it this': 908622, 'it this morning': 461652, 'morning have two': 541284, 'have two unit': 383443, 'two unit of': 937295, 'unit of this': 942075, 'of this fully': 591978, 'this fully equipped': 887652, 'fully equipped toyota': 341041, 'equipped toyota hiace': 279898, 'toyota hiace ambulance': 927713, 'hiace ambulance bus': 394783, 'ambulance bus 2020': 51319, 'bus 2020 model': 142990, '2020 model they': 14446, 'model they are': 535319, 'they are ready': 881379, 'ready for immediate': 700864, 'immediate use price': 417043, 'use price n24m': 949498, 'price n24m per': 675302, 'n24m per piece': 551117, 'per piece slightly': 650984, 'piece slightly negotiable': 656363, 'slightly negotiable location': 773968, 'negotiable location abuja': 556904, 'location abuja contact': 498837, 'abuja contact person': 27575, 'contact person 08175974345': 200182, 'person 08175974345 staysafe': 652286, 'ca boycott': 154864, 'disgusting price gouging': 245448, 'gouging by abc': 359275, 'in anaheim ca': 420338, 'anaheim ca boycott': 56989, 'ca boycott these': 154865, 'for stamp': 325862, 'stamp duty': 793419, 'duty holiday': 263577, 'holiday uk': 400375, 'call for stamp': 155892, 'for stamp duty': 325863, 'stamp duty holiday': 793420, 'duty holiday uk': 263578, 'holiday uk house': 400376, 'fish export': 309308, 'from gaza': 335608, 'gaza demand': 344745, 'on gaza': 601074, 'gaza fish': 344747, 'stopped due': 805697, '19 gaza': 7184, 'gaza main': 344751, 'main fishing': 508748, 'fishing season': 309412, 'expected surplus': 290950, 'surplus and': 828473, 'fish price': 309332, 'week the fish': 976989, 'the fish export': 855372, 'fish export from': 309309, 'export from gaza': 292641, 'from gaza demand': 335609, 'gaza demand on': 344746, 'demand on gaza': 235967, 'on gaza fish': 601075, 'gaza fish ha': 344748, 'fish ha stopped': 309320, 'ha stopped due': 372074, 'stopped due to': 805698, 'the 19 gaza': 847918, '19 gaza main': 7185, 'gaza main fishing': 344752, 'main fishing season': 508749, 'fishing season is': 309413, 'season is coming': 743408, 'is coming on': 446661, 'coming on 15th': 188154, '15th april with': 4041, 'april with expected': 83722, 'with expected surplus': 998333, 'expected surplus and': 290951, 'surplus and decrease': 828474, 'decrease in fish': 231575, 'in fish price': 422915, 'is medium': 449619, 'being robbed': 125698, 'robbed and': 724641, 'mongering it': 537226, 'around year': 93653, 'jan they': 464472, 'they tested': 883542, 'plague is medium': 657964, 'is medium panic': 449620, 'bank being robbed': 109682, 'being robbed and': 125699, 'robbed and the': 724642, 'fear mongering it': 301200, 'mongering it flu': 537227, 'been around year': 120681, 'around year this': 93654, 'cure since jan': 220807, 'since jan they': 770667, 'jan they tested': 464473, 'they tested one': 883543, 'tested one this': 839334, 'wrong in': 1013048, 'in investing': 424134, 'china while': 177065, 'all tactic': 44587, 'tactic to': 831715, 'india an': 434292, 'an consumer': 55524, 'economy 2020': 267602, 'will slap': 994870, 'slap on': 773542, 'that misery': 845184, 'misery an': 534004, 'adventure which': 33112, 'change this': 172331, 'this universe': 890911, 'universe upside': 942398, 'by 06': 151500, '04 2021': 921, 'western world wa': 980650, 'world wa wrong': 1010133, 'wa wrong in': 963751, 'wrong in investing': 1013049, 'in investing in': 424135, 'investing in china': 443930, 'in china while': 421447, 'china while using': 177066, 'while using all': 987504, 'using all tactic': 950377, 'all tactic to': 44588, 'tactic to make': 831716, 'to make india': 909683, 'make india an': 510005, 'india an consumer': 434293, 'an consumer economy': 55525, 'consumer economy 2020': 197300, 'economy 2020 will': 267603, '2020 will slap': 14727, 'will slap on': 994871, 'slap on face': 773543, 'face of everyone': 294652, 'who wa part': 989913, 'part of that': 642387, 'of that misery': 590731, 'that misery an': 845185, 'misery an adventure': 534005, 'an adventure which': 55154, 'adventure which will': 33113, 'which will change': 986482, 'will change this': 992923, 'change this universe': 172333, 'this universe upside': 890912, 'universe upside down': 942399, 'down by 06': 256589, 'by 06 04': 151501, '06 04 2021': 982, 'sedanos': 744826, 'number shopper': 577046, 'shopper publix': 761651, 'publix groceryworkers': 688762, 'groceryworkers kroger': 366403, 'kroger sedanos': 477764, 'the number shopper': 861961, 'number shopper in': 577047, 'time to protect': 898034, 'protect employee and': 684822, 'and shopper publix': 71528, 'shopper publix groceryworkers': 761652, 'publix groceryworkers kroger': 688763, 'groceryworkers kroger sedanos': 366404, 'wanted to participate': 966264, 'to participate in': 911474, 'participate in supermarket': 642557, 'would have applied': 1011867, 'have applied panicshopping': 379341, 'remember about': 710156, 'webinar of': 975061, 'our project': 624489, 'project partner': 683524, 'last session': 480491, 'session wa': 753323, 'the tomorrow': 869748, 'tomorrow session': 924182, 'stayhomesavelives business': 798349, 'business ecommerce': 143676, 'you remember about': 1020899, 'remember about the': 710157, 'about the webinar': 26559, 'the webinar of': 871268, 'webinar of our': 975062, 'of our project': 587549, 'our project partner': 624490, 'project partner the': 683525, 'partner the last': 642880, 'the last session': 859039, 'last session wa': 480492, 'session wa about': 753324, 'wa about online': 961409, 'shopping will you': 764419, 'will you join': 995388, 'join the tomorrow': 466869, 'the tomorrow session': 869749, 'tomorrow session with': 924183, 'session with me': 753332, 'me stayhome stayathome': 523544, 'stayhome stayathome stayhomesavelives': 798137, 'stayathome stayhomesavelives business': 797648, 'stayhomesavelives business ecommerce': 798350, 'of albania': 579879, 'albania ha': 40736, 'ha required': 371732, 'required big': 713355, 'keep reserve': 471852, 'reserve adequate': 714030, 'adequate for': 32166, 'the govt of': 856668, 'govt of albania': 361226, 'of albania ha': 579880, 'albania ha required': 40737, 'ha required big': 371733, 'required big business': 713356, 'big business supplying': 129681, 'business supplying food': 144447, 'drug to keep': 261121, 'to keep reserve': 908838, 'keep reserve adequate': 471853, 'reserve adequate for': 714031, 'adequate for three': 32167, 'pritzker we': 678779, 'need million': 555238, 'of gown': 584288, 'rest and': 716144, 'getting still': 349302, 'just fraction': 468775, 'market competing': 516200, 'pritzker we need': 678780, 'we need million': 972516, 'need million of': 555239, 'million of mask': 532277, 'mask and hundred': 518338, 'thousand of gown': 893444, 'of gown and': 584289, 'the rest and': 865631, 'rest and unfortunately': 716146, 'and unfortunately we': 74667, 're getting still': 698735, 'getting still just': 349303, 'still just fraction': 800766, 'just fraction of': 468776, 'of that so': 590743, 'that so we': 846362, 'open market competing': 612379, 'market competing for': 516201, 'competing for these': 191632, 'these item that': 880200, 'that we so': 847395, 'we so badly': 973333, 'so badly need': 776588, 'realnews': 702747, 'globaljournals': 352360, 'sciencefacts': 742151, 'global journal': 351999, 'journal covid': 467382, 'research fact': 713710, 'fact corona': 295701, 'ru coronamemes': 726885, 'coronamemes realnews': 205065, 'realnews coronanews': 702748, 'coronanews handsanitizer': 205091, 'handwash globaljournals': 376768, 'globaljournals fact': 352361, 'fact sciencefacts': 295778, 'global journal covid': 352000, 'journal covid 19': 467383, '19 research fact': 10118, 'research fact corona': 713711, 'fact corona coronav': 295702, 'coronav ru coronamemes': 205356, 'ru coronamemes realnews': 726886, 'coronamemes realnews coronanews': 205066, 'realnews coronanews handsanitizer': 702749, 'coronanews handsanitizer sanitizer': 205092, 'handsanitizer sanitizer handwash': 376630, 'sanitizer handwash globaljournals': 735042, 'handwash globaljournals fact': 376769, 'globaljournals fact sciencefacts': 352362, 'allowed citizen': 46141, 'equipment paid': 279802, 'the then they': 869424, 'then they allowed': 877650, 'they allowed citizen': 881126, 'allowed citizen and': 46142, 'citizen and business': 178829, 'and business around': 59267, 'world to buy': 1010076, 'supply to drive': 826002, 'sent defective equipment': 750751, 'defective equipment paid': 232079, 'equipment paid aid': 279803, 'neuclear': 557792, 'demanding for': 236587, 'for fighter': 321467, 'fighter jet': 305009, 'jet missile': 465345, 'missile neuclear': 534275, 'neuclear weapon': 557793, 'weapon or': 974254, 'vaccine of': 951740, 'health budget': 386204, 'budget is': 141802, 'than defence': 840493, 'defence budget': 232088, 'budget 80': 141749, 'these lethal': 880229, 'lethal weapon': 487240, 'two time': 937277, 'world is demanding': 1009692, 'is demanding for': 447118, 'demanding for fighter': 236588, 'for fighter jet': 321468, 'fighter jet missile': 305010, 'jet missile neuclear': 465346, 'missile neuclear weapon': 534276, 'neuclear weapon or': 557794, 'weapon or the': 974255, 'or the vaccine': 617406, 'the vaccine of': 870623, 'vaccine of covid': 951741, '19 health budget': 7481, 'health budget is': 386205, 'budget is better': 141803, 'better than defence': 128518, 'than defence budget': 840494, 'defence budget 80': 232089, 'budget 80 of': 141750, 'world population ha': 1009904, 'population ha nothing': 664687, 'with these lethal': 1001645, 'these lethal weapon': 880230, 'lethal weapon they': 487241, 'weapon they just': 974263, 'they just demand': 882491, 'just demand for': 468572, 'for good health': 321933, 'good health and': 357174, 'health and two': 386162, 'and two time': 74557, 'two time food': 937278, 'gartnersc': 343725, 'out sc': 627150, 'sc podcast': 739854, 'impact felt': 417652, 'now supplychain': 575941, 'supplychain gartnersc': 826181, 'check out sc': 174576, 'out sc podcast': 627151, 'sc podcast to': 739855, 'podcast to better': 662321, 'the impact felt': 857936, 'impact felt by': 417653, 'felt by consumer': 303369, 'chain and action': 170454, 'action they should': 30158, 'should take listen': 766547, 'take listen now': 832276, 'listen now supplychain': 494698, 'now supplychain gartnersc': 575942, 'because thing': 119731, 'work education': 1005083, 'education due': 268820, 'without question': 1002871, 'this again because': 886245, 'again because thing': 36916, 'because thing are': 119732, 'get worse if': 348652, 'supply and or': 824743, 'and or have': 68214, 'job work education': 466310, 'work education due': 1005084, 'education due to': 268821, 'food buy supply': 313843, 'buy supply without': 149269, 'supply without question': 826127, '7am walking': 22444, 'garden hear': 343600, 'and walking': 75148, 'the buzz': 850231, 'buzz yes': 151473, 'buzz of': 151471, '7am walking the': 22445, 'the dog in': 853495, 'dog in the': 252115, 'the garden hear': 856160, 'garden hear the': 343601, 'bird people walking': 131344, 'people walking and': 650127, 'walking and walking': 965017, 'and walking the': 75150, 'walking the buzz': 965106, 'the buzz yes': 850233, 'buzz yes the': 151474, 'yes the buzz': 1015550, 'the buzz of': 850232, 'buzz of the': 151472, 'like normal working': 490875, 'normal working day': 567422, 'working day if': 1008583, 'day if there': 227781, 'ever wa one': 285583, 'wa one which': 962845, 'one which supermarket': 607429, 'which supermarket open': 986358, 'fraudsters who': 331439, 'are impersonating': 87326, 'impersonating government': 418360, 'gain personal': 342809, 'their stimulus': 874827, 'of fraudsters who': 583900, 'fraudsters who claim': 331440, 'who claim to': 988455, 'be selling the': 117075, 'selling the cure': 749475, 'cure to covid': 220832, '19 and scammer': 5100, 'and scammer who': 71041, 'scammer who are': 740653, 'who are impersonating': 988160, 'are impersonating government': 87327, 'impersonating government agency': 418361, 'agency to gain': 38089, 'to gain personal': 906353, 'gain personal information': 342810, 'information in order': 437866, 'order to steal': 618710, 'steal their stimulus': 799206, 'their stimulus check': 874828, 'much 20': 544668, 'collapse by much': 185976, 'by much 20': 153262, 'much 20 this': 544669, '20 this year': 13382, 'this year because': 891562, 'because of via': 119424, 'about viral': 26827, 'viral outbreak': 957616, 'outbreak antifa': 628018, 'antifa coronaoutbreak': 78516, 'toiletpaper outbreak': 922298, 'outbreak apocalypse': 628020, 'coronavid19 travelban': 205402, 'travelban washyourhands': 930590, 'washyourhands virus': 967936, 'virus coronacrisis': 958086, 'coronacrisis nwo': 204673, 'film about viral': 305659, 'about viral outbreak': 26828, 'viral outbreak antifa': 957617, 'outbreak antifa coronaoutbreak': 628019, 'antifa coronaoutbreak corona': 78517, 'coronaoutbreak corona pandemic': 205109, 'corona pandemic toiletpaper': 204098, 'pandemic toiletpaper outbreak': 636812, 'toiletpaper outbreak apocalypse': 922299, 'outbreak apocalypse coronavid19': 628021, 'apocalypse coronavid19 travelban': 81523, 'coronavid19 travelban washyourhands': 205403, 'travelban washyourhands virus': 930591, 'washyourhands virus coronacrisis': 967937, 'virus coronacrisis nwo': 958087, 'amazon black': 50876, 'market review': 517000, 'review quarantineactivities': 720583, 'quarantineactivities blackmarket': 692734, 'amazon black market': 50877, 'black market review': 132092, 'market review quarantineactivities': 517001, 'review quarantineactivities blackmarket': 720584, '2cater2': 16571, 'kalypso': 470723, 'wondercat': 1004049, '20bottles': 14880, '03pm': 908, '4got': 19451, 'breakie': 138906, '2days stay': 16586, 'activity up': 30523, 'up 30am': 944155, '30am feed': 17415, 'feed chicken': 302292, 'chicken make': 175814, 'make coffee': 509781, 'coffee follow': 185481, 'up email': 944782, 'email 30am': 272092, '30am pause': 17425, 'all activity': 41941, 'activity 2cater2': 30356, '2cater2 kalypso': 16572, 'kalypso the': 470724, 'the wondercat': 871674, 'wondercat 10': 1004050, '10 00am': 1211, '00am supermarket': 670, 'run 11am': 727541, '11am start': 2730, 'making pickled': 511282, 'pickled veggie': 655911, 'veggie 4pm': 954161, '4pm finish': 19503, 'finish 20bottles': 307845, '20bottles of': 14881, 'of pickled': 588113, 'veggie 03pm': 954159, '03pm 4got': 909, '4got breakie': 19452, 'breakie lunch': 138907, '2days stay at': 16587, 'home activity up': 400557, 'activity up 30am': 30524, 'up 30am feed': 944156, '30am feed chicken': 17416, 'feed chicken make': 302293, 'chicken make coffee': 175815, 'make coffee follow': 509782, 'coffee follow up': 185482, 'follow up email': 312577, 'up email 30am': 944783, 'email 30am pause': 272093, '30am pause all': 17426, 'pause all activity': 644579, 'all activity 2cater2': 41942, 'activity 2cater2 kalypso': 30357, '2cater2 kalypso the': 16573, 'kalypso the wondercat': 470725, 'the wondercat 10': 871675, 'wondercat 10 00am': 1004051, '10 00am supermarket': 1212, '00am supermarket run': 671, 'supermarket run 11am': 822266, 'run 11am start': 727542, '11am start making': 2731, 'start making pickled': 794381, 'making pickled veggie': 511283, 'pickled veggie 4pm': 655913, 'veggie 4pm finish': 954162, '4pm finish 20bottles': 19504, 'finish 20bottles of': 307846, '20bottles of pickled': 14882, 'of pickled veggie': 588114, 'pickled veggie 03pm': 655912, 'veggie 03pm 4got': 954160, '03pm 4got breakie': 910, '4got breakie lunch': 19453, 'through community': 894375, 'order bigger': 618084, 'bigger amount': 130143, 'distribute 19': 247956, 'great idea to': 362734, 'get shop to': 347977, 'shop to allow': 760940, 'shopping for community': 762665, 'for community through': 320199, 'community through community': 190168, 'through community account': 894376, 'community account and': 189692, 'account and order': 28627, 'and order bigger': 68244, 'order bigger amount': 618085, 'bigger amount do': 130144, 'amount do they': 53167, 'do they can': 250300, 'they can distribute': 881624, 'can distribute 19': 158082, 'half of state': 374234, 'closed dining area': 183066, 'fantini': 298639, 'fantini gaming': 298640, 'gaming daily': 343354, 'daily weekend': 224882, 'weekend update': 977437, 'update one': 947141, 'most closely': 542181, 'closely watched': 183477, 'watched indicator': 968662, 'indicator in': 435044, 'in gaming': 423215, 'gaming consumer': 343352, 'plunged record': 661499, 'april measured': 83635, 'fantini gaming daily': 298641, 'gaming daily weekend': 343355, 'daily weekend update': 224883, 'weekend update one': 977438, 'update one of': 947142, 'the most closely': 860959, 'most closely watched': 542182, 'closely watched indicator': 183478, 'watched indicator in': 968663, 'indicator in gaming': 435045, 'in gaming consumer': 423216, 'gaming consumer sentiment': 343353, 'sentiment plunged record': 750979, 'plunged record 18': 661500, '71 in early': 21972, 'early april measured': 264549, 'april measured by': 83636, 'measured by the': 525447, 'work customer': 1005023, 'pickup their': 656025, 'retail worker forced': 718885, 'to work customer': 918705, 'work customer can': 1005024, 'online and or': 607832, 'and or pickup': 68224, 'or pickup their': 616615, 'pickup their purchase': 656026, 'their purchase at': 874511, 'store without putting': 811424, 'without putting your': 1002870, 'risk 19 flattenthecurve': 723345, 'khc': 473732, 'sale guidance': 732252, 'guidance amid': 368201, 'amid very': 52744, 'demand khc': 235783, 'make about turn': 509645, 'about turn on': 26791, 'turn on sale': 935725, 'on sale guidance': 603267, 'sale guidance amid': 732253, 'guidance amid very': 368202, 'amid very strong': 52745, 'very strong demand': 955595, 'strong demand khc': 814012, 'handset company': 376720, 'started reducing': 794822, 'store workforce': 811632, 'workforce or': 1008379, 'store promoter': 809679, 'promoter in': 683817, 'ongoing nationwide': 607661, 'handset company in': 376721, 'company in india': 190763, 'india have started': 434453, 'have started reducing': 382730, 'started reducing their': 794823, 'reducing their retail': 706330, 'retail store workforce': 718734, 'store workforce or': 811633, 'workforce or in': 1008380, 'in store promoter': 428444, 'store promoter in': 809680, 'promoter in the': 683818, 'absence of sale': 27194, 'of sale during': 589241, 'the ongoing nationwide': 862249, 'ongoing nationwide lockdown': 607662, 'ohio but': 596530, 'open stay': 612514, 'essential pandemic': 281373, 'retail quarantinelife': 718432, 'quarantinelife retaillife': 693005, '10 of social': 1572, 'order in ohio': 618318, 'in ohio but': 426076, 'ohio but our': 596531, 'but our store': 146734, 'essential store so': 281595, 'remain open stay': 709823, 'open stay home': 612515, 'stay safe only': 797259, 'safe only go': 729857, 'for essential pandemic': 321115, 'essential pandemic socialdistancing': 281374, 'socialdistancing retail quarantinelife': 780644, 'retail quarantinelife retaillife': 718433, 'demand guessing': 235597, 'guessing people': 368126, 'still consuming': 800397, 'restaurant know': 716543, 'know halfway': 476409, 'to adding': 900075, 'adding my': 31684, 'in demand guessing': 422128, 'demand guessing people': 235598, 'guessing people are': 368127, 'are still consuming': 90409, 'still consuming food': 800398, 'consuming food whether': 199799, 'food whether at': 317581, 'whether at home': 985490, 'home or restaurant': 401753, 'or restaurant know': 616882, 'restaurant know halfway': 716544, 'know halfway to': 476410, 'halfway to adding': 374308, 'to adding my': 900076, 'adding my covid': 31685, 'just horrible': 468988, 'horrible marketing': 404108, 'marketing capitalism': 517547, 'information while': 438041, 'while expert': 986812, 'expert around': 291790, 'developing vaccine': 239798, 'sanitizer claim': 734655, 'ha corona': 370248, 'protection built': 685356, 'built in': 142188, 'is just horrible': 449133, 'just horrible marketing': 468989, 'horrible marketing capitalism': 404109, 'marketing capitalism and': 517548, 'capitalism and misleading': 162720, 'and misleading information': 67065, 'misleading information while': 534101, 'information while expert': 438042, 'while expert around': 986813, 'expert around the': 291791, 'world are working': 1009328, 'working on developing': 1008802, 'on developing vaccine': 600304, 'developing vaccine the': 239799, 'vaccine the company': 951777, 'who produce this': 989453, 'produce this hand': 680465, 'hand sanitizer claim': 375344, 'sanitizer claim it': 734656, 'claim it ha': 179754, 'it ha corona': 458388, 'ha corona virus': 370249, 'corona virus protection': 204342, 'virus protection built': 958653, 'protection built in': 685357, 'sighing': 769024, 'not tradition': 572243, 'tradition but': 928980, 'trend nowadays': 931402, 'nowadays selling': 576537, '19 blaming': 5406, 'blaming government': 132332, 'also most': 48536, 'here doesn': 392923, 'have awareness': 379393, 'about disease': 25108, 'spreading hoax': 790978, 'hoax really': 399739, 'fast sighing': 300034, 'sighing about': 769025, 'about learning': 25630, 'for goddamn': 321908, 'goddamn week': 354861, 'week id': 976349, 'it not tradition': 459931, 'not tradition but': 572244, 'tradition but the': 928981, 'but the trend': 147421, 'the trend nowadays': 869964, 'trend nowadays selling': 931403, 'nowadays selling mask': 576538, 'sanitizer with high': 736134, 'high price due': 395247, 'covid 19 blaming': 212713, '19 blaming government': 5407, 'blaming government but': 132333, 'government but also': 359953, 'but also most': 145128, 'also most of': 48537, 'most of people': 542555, 'of people here': 587922, 'people here doesn': 648246, 'here doesn have': 392924, 'doesn have awareness': 251817, 'have awareness about': 379394, 'awareness about disease': 105676, 'about disease spreading': 25109, 'disease spreading hoax': 245237, 'spreading hoax really': 790979, 'hoax really fast': 399740, 'really fast sighing': 702190, 'fast sighing about': 300035, 'sighing about learning': 769026, 'about learning for': 25631, 'learning for goddamn': 484207, 'for goddamn week': 321909, 'goddamn week id': 354862, 'bloodthirsty': 133163, 'bloodthirsty and': 133164, 'greedy trader': 363629, 'damn cheek': 225330, 'cheek of': 175083, 'bloodthirsty and greedy': 133165, 'and greedy trader': 63952, 'greedy trader who': 363630, 'trader who raise': 928801, 'raise price because': 695908, 'the damn cheek': 852812, 'damn cheek of': 225331, 'uksupermarkets': 939065, 'drive uk': 259237, 'shortage claim': 764888, 'claim kantar': 179759, 'kantar uksupermarkets': 470839, 'uksupermarkets kantar': 939066, 'stockpilers drive uk': 803878, 'drive uk supermarket': 259238, 'uk supermarket shortage': 938777, 'supermarket shortage claim': 822666, 'shortage claim kantar': 764889, 'claim kantar uksupermarkets': 179760, 'kantar uksupermarkets kantar': 470840, 'dining visit': 243040, 'visit across': 959169, 'through collapsed': 894371, 'collapsed 98': 186086, '98 by': 23723, 'however yelp': 409530, 'yelp is': 1015290, 'noticing increased': 573503, 'in pizzeria': 426712, 'pizzeria and': 657219, 'dining visit across': 243041, 'visit across the': 959170, 'country through collapsed': 211151, 'through collapsed 98': 894372, 'collapsed 98 by': 186087, '98 by march': 23724, 'by march 19': 153166, 'march 19 however': 515114, '19 however yelp': 7621, 'however yelp is': 409531, 'yelp is noticing': 1015291, 'is noticing increased': 450247, 'noticing increased consumer': 573504, 'increased consumer interest': 433250, 'interest in pizzeria': 441358, 'in pizzeria and': 426713, 'pizzeria and fresh': 657220, 'grassy': 362231, 'touching most': 926697, 'thing playing': 884687, 'playing only': 659430, 'way grassy': 969604, 'grassy muddy': 362232, 'muddy area': 545514, 'area etc': 92000, 'etc only': 282688, 'shopping late': 763140, 'night wear': 563123, 'glove bring': 352615, 'bring wipe': 140116, 'we get covid': 971608, '19 it ll': 8140, 'store even when': 807647, 'even when outside': 284784, 'outside the kid': 629597, 'the kid we': 858797, 'kid we are': 474160, 'are not touching': 88487, 'not touching most': 572239, 'touching most thing': 926698, 'most thing playing': 542814, 'thing playing only': 884688, 'playing only in': 659431, 'only in out': 610636, 'in out of': 426359, 'the way grassy': 871155, 'way grassy muddy': 969605, 'grassy muddy area': 362233, 'muddy area etc': 545515, 'area etc only': 92001, 'etc only go': 282689, 'only go grocery': 610517, 'grocery shopping late': 365047, 'shopping late at': 763141, 'at night wear': 99887, 'night wear glove': 563124, 'wear glove bring': 974337, 'glove bring wipe': 352616, 'bring wipe etc': 140117, '617': 21206, 'luciebee': 506432, 'awry': 106300, 'indirectly': 435102, 'sundry': 818365, '617 420': 21207, '420 13': 18920, '13 luciebee': 3229, 'luciebee cat': 506433, 'cat ginger': 166875, 'ginger covid': 350193, 'be blamed': 113869, 'go awry': 353336, 'awry through': 106301, 'through 2021': 894291, '2021 guessing': 14778, 'guessing either': 368122, 'either directly': 270286, 'directly or': 243571, 'or indirectly': 615786, 'indirectly from': 435103, 'out election': 626010, 'election stock': 271062, 'market unemployment': 517277, 'rate food': 697219, 'and sundry': 72691, 'sundry supply': 818366, 'supply significant': 825860, 'significant rise': 769509, 'in domestic': 422349, 'violence and': 957539, '617 420 13': 21208, '420 13 luciebee': 18921, '13 luciebee cat': 3230, 'luciebee cat ginger': 506434, 'cat ginger covid': 166876, 'ginger covid 19': 350194, 'will be blamed': 992381, 'be blamed for': 113870, 'blamed for every': 132317, 'for every thing': 321181, 'every thing that': 286289, 'thing that go': 884804, 'that go awry': 844023, 'go awry through': 353337, 'awry through 2021': 106302, 'through 2021 guessing': 894292, '2021 guessing either': 14779, 'guessing either directly': 368123, 'either directly or': 270287, 'directly or indirectly': 243572, 'or indirectly from': 615787, 'indirectly from the': 435104, 'from the fall': 337688, 'fall out election': 297020, 'out election stock': 626011, 'election stock market': 271063, 'stock market unemployment': 802451, 'market unemployment rate': 517278, 'unemployment rate food': 941271, 'rate food and': 697220, 'food and sundry': 313348, 'and sundry supply': 72692, 'sundry supply significant': 818367, 'supply significant rise': 825861, 'significant rise in': 769510, 'rise in domestic': 722880, 'in domestic violence': 422350, 'domestic violence and': 253245, 'violence and crime': 957540, 'and crime in': 60748, 'crime in general': 216786, 'crash supply': 215039, 'chain succumbs': 171142, 'lamb price crash': 479164, 'price crash supply': 673329, 'crash supply chain': 215040, 'supply chain succumbs': 825044, 'chain succumbs to': 171143, 'succumbs to pressure': 816301, 'assistance my': 96716, 'mom boyfriend': 535697, 'his co': 397292, 'employee quarantine': 274134, 'but sending': 147008, 'them other': 876117, 'sir need assistance': 771611, 'need assistance my': 554487, 'assistance my mom': 96717, 'my mom boyfriend': 549261, 'mom boyfriend work': 535698, 'store and his': 806259, 'and his co': 64592, 'his co worker': 397293, 'co worker wa': 185015, 'worker wa just': 1008109, 'are not having': 88387, 'the employee quarantine': 854265, 'employee quarantine for': 274135, 'quarantine for two': 692202, 'week but sending': 976039, 'but sending them': 147009, 'sending them other': 750103, 'them other store': 876118, 'includ': 431497, 'local carrefour': 497803, 'carrefour supermarket': 164915, 'on physical': 602793, 'aisle people': 40343, 'to abiding': 899906, 'abiding most': 24363, 'item includ': 463365, 'includ fresh': 431498, 'stepped out after': 799780, 'out after day': 625576, 'after day self': 35541, 'isolation to get': 455465, 'get food good': 347043, 'food good to': 314695, 'see my local': 745455, 'my local carrefour': 549102, 'local carrefour supermarket': 497804, 'carrefour supermarket putting': 164916, 'supermarket putting in': 822104, 'place measure on': 657573, 'measure on physical': 525282, 'on physical distancing': 602794, 'physical distancing at': 655410, 'checkout counter in': 174904, 'counter in aisle': 210226, 'in aisle people': 420128, 'aisle people seem': 40344, 'seem to abiding': 746689, 'to abiding most': 899907, 'abiding most item': 24364, 'most item includ': 542465, 'item includ fresh': 463366, 'includ fresh fruit': 431499, '2many2selfish': 16728, 'country moral': 210897, 'completely wrong': 192380, 'maybe few': 521677, 'few but': 303739, 'child formula': 176088, 'formula selling': 329716, '155 health': 3980, 'selfish 2many2selfish': 747976, 'this country moral': 886960, 'country moral compass': 210898, 'compass is completely': 191478, 'is completely wrong': 446711, 'completely wrong and': 192381, 'wrong and maybe': 1012993, 'and maybe few': 66811, 'maybe few but': 521678, 'few but there': 303740, 'but there should': 147471, 'be any report': 113653, 'report of child': 712108, 'of child formula': 581346, 'child formula selling': 176089, 'formula selling for': 329717, 'selling for 155': 749253, 'for 155 health': 318680, '155 health worker': 3981, 'health worker go': 386976, 'supermarket when they': 823809, 'can and the': 157498, 'are empty many': 86157, 'empty many selfish': 274948, 'many selfish 2many2selfish': 514676, 'quarantaene': 691972, 'datenight': 226790, 'selfisolationgame': 748513, 'coronadeutschland': 204929, 'date night': 226685, 'quarantine quarantaene': 692452, 'quarantaene datenight': 691973, 'datenight selfisolating': 226791, 'selfisolating wirbleibenzuhause': 748428, 'wirbleibenzuhause 19': 996540, 'isolation quaratinelife': 455400, 'toiletpaper klopapier': 922166, 'klopapier toiletpapergate': 475934, 'toiletpaperapocalypse selfisolationgame': 922918, 'selfisolationgame coronadeutschland': 748514, 'date night in': 226686, 'night in quarantine': 563016, 'in quarantine corona': 427177, 'quarantine corona quarantine': 692095, 'corona quarantine quarantaene': 204126, 'quarantine quarantaene datenight': 692453, 'quarantaene datenight selfisolating': 691974, 'datenight selfisolating wirbleibenzuhause': 226792, 'selfisolating wirbleibenzuhause 19': 748429, 'wirbleibenzuhause 19 isolation': 996541, '19 isolation quaratinelife': 8109, 'isolation quaratinelife toiletpaper': 455401, 'quaratinelife toiletpaper klopapier': 693159, 'toiletpaper klopapier toiletpapergate': 922167, 'klopapier toiletpapergate toiletpaperapocalypse': 475935, 'toiletpapergate toiletpaperapocalypse selfisolationgame': 923167, 'toiletpaperapocalypse selfisolationgame coronadeutschland': 922919, 'quiagen': 694259, 'modular': 535521, 'agreed company': 38702, 'called quiagen': 156424, 'quiagen developed': 694260, 'developed testing': 239735, 'testing machine': 839558, 'is modular': 449681, 'modular can': 535522, '21 pathogen': 15023, 'pathogen at': 644074, 'time inc': 897023, 'inc flu': 431280, 'flu covid': 311402, '19 etc': 6841, 'test hundred': 839023, 'of sample': 589258, 'sample simultaneously': 733481, 'simultaneously in': 770382, 'they expe': 882062, 'agreed company called': 38703, 'company called quiagen': 190518, 'called quiagen developed': 156425, 'quiagen developed testing': 694261, 'developed testing machine': 239736, 'testing machine that': 839559, 'machine that is': 507409, 'that is modular': 844617, 'is modular can': 449682, 'modular can test': 535523, 'can test for': 159933, 'test for 21': 838995, 'for 21 pathogen': 318761, '21 pathogen at': 15024, 'pathogen at the': 644075, 'same time inc': 733359, 'time inc flu': 897024, 'inc flu covid': 431281, 'flu covid 19': 311403, 'covid 19 etc': 213039, '19 etc it': 6842, 'etc it can': 282622, 'it can test': 457034, 'can test hundred': 159934, 'test hundred of': 839024, 'hundred of sample': 411010, 'of sample simultaneously': 589259, 'sample simultaneously in': 733482, 'simultaneously in under': 770383, 'in under an': 430414, 'under an hour': 939997, 'hour they expe': 405992, 'what outfit': 981989, 'weekly shop but': 977544, 'shop but not': 760000, 'sure what outfit': 827820, 'what outfit to': 981990, 'outfit to wear': 628952, 'genuine question': 345870, 'they police': 882890, 'genuine question how': 345871, 'will they police': 995182, 'they police supermarket': 882891, 'police supermarket queue': 663222, 'article recommended': 94438, 'the fuck this': 855974, 'xenophobic article recommended': 1013827, 'article recommended to': 94439, 'recommended to today': 704808, 'to today because': 917604, 'pbms': 645860, 'pocketing': 662233, 'drug may': 261006, 'little study': 495590, 'study say': 814954, 'say pbms': 739050, 'pbms drug': 645861, 'drug middle': 261012, 'america looking': 51598, 'to raising': 912738, 'potential med': 667106, 'and pocketing': 69144, 'pocketing the': 662234, 'record earnings': 704957, 'potential coronavirus drug': 667045, 'coronavirus drug may': 205855, 'drug may cost': 261007, 'may cost little': 521106, 'cost little study': 208007, 'little study say': 495591, 'study say pbms': 814955, 'say pbms drug': 739051, 'pbms drug middle': 645862, 'drug middle men': 261013, 'middle men in': 530665, 'men in america': 528496, 'in america looking': 420230, 'america looking forward': 51599, 'forward to raising': 330032, 'to raising price': 912739, 'on potential med': 602867, 'potential med and': 667107, 'med and pocketing': 525873, 'and pocketing the': 69145, 'pocketing the difference': 662235, 'the difference for': 853261, 'difference for record': 241840, 'for record earnings': 325025, 'after buying': 35443, 'bulk the': 142362, 'the cutting': 852750, 'swipe your': 830432, 'wipe am': 996181, 'toiletpaperemergency epidemic': 923134, 'down after buying': 256446, 'after buying everything': 35444, 'everything in bulk': 287847, 'in bulk the': 421048, 'bulk the cutting': 142363, 'the cutting line': 852751, 'not need 100': 570649, 'tp because going': 927764, 'going to swipe': 355734, 'to swipe your': 916096, 'swipe your as': 830433, 'hard you will': 378150, 'not have anything': 569811, 'anything left to': 80816, 'to wipe am': 918621, 'wipe am not': 996182, 'am not playing': 50256, 'playing toiletpaperemergency epidemic': 659460, 'amz find': 54997, 'seller worry': 749120, 'believe long': 126306, 'from amz find': 334474, 'amz find that': 54998, 'find that many': 307269, 'many seller worry': 514680, 'seller worry about': 749121, 'but believe long': 145287, 'believe long term': 126307, 'this crisis may': 887065, 'crisis may get': 217710, 'may get more': 521207, 'get more people': 347596, 'shopping online amazonseller': 763405, 'waste since': 968187, 'since large': 770688, 'to spoil': 915026, 'spoil before': 789686, 'expert discus panic': 291817, 'discus panic shopping': 244890, 'panic shopping increase': 638575, 'shopping increase the': 763009, 'increase the potential': 433111, 'potential for household': 667072, 'for household food': 322410, 'household food waste': 406808, 'food waste since': 317494, 'waste since large': 968188, 'since large quantity': 770689, 'quantity of perishable': 691938, 'of perishable item': 588049, 'perishable item are': 651996, 'item are likely': 463097, 'likely to spoil': 492177, 'to spoil before': 915027, 'spoil before they': 789687, 'charity friend': 173626, 'friend indeed': 333663, 'indeed let': 433998, 'create lasting': 215676, 'lasting support': 480779, 'support nh all': 826677, 'nh all key': 561866, 'worker and charity': 1006277, 'and charity friend': 59757, 'charity friend in': 173627, 'in need is': 425750, 'need is friend': 555067, 'is friend indeed': 447935, 'friend indeed let': 333664, 'indeed let create': 433999, 'let create lasting': 486669, 'create lasting support': 215677, 'lasting support for': 480780, 'them when we': 876609, 'when we shop': 984464, 'we shop online': 973247, 'ramen wa': 696390, 'gone usually': 356437, 'usually it': 951128, 'full miss': 340684, 'miss you': 534217, 'you baby': 1017363, 'baby 19': 106557, '19 ramen': 9951, 'store twice and': 810974, 'twice and all': 936511, 'all the ramen': 44881, 'the ramen wa': 865130, 'ramen wa gone': 696391, 'wa gone usually': 962229, 'gone usually it': 356438, 'usually it full': 951129, 'it full miss': 458182, 'full miss you': 340685, 'miss you baby': 534218, 'you baby 19': 1017364, 'baby 19 ramen': 106558, 'with non': 999806, 'essential storefront': 281599, 'storefront being': 811735, 'shop contact': 760068, 'support com': 826423, 'ecommerce need': 266811, 'ecommerce shop': 266863, 'socialdistancing smallbusiness': 780693, 'smallbusiness online': 775227, 'with non essential': 999807, 'non essential storefront': 566364, 'essential storefront being': 281600, 'storefront being closed': 811736, 'being closed for': 124960, 'closed for business': 183124, 'for business now': 319838, 'business now the': 144114, 'time to set': 898061, 'online shop contact': 608974, 'shop contact our': 760069, 'contact our team': 200170, 'our team at': 625097, 'team at support': 835599, 'at support com': 100800, 'support com for': 826424, 'com for your': 186938, 'your ecommerce need': 1023619, 'ecommerce need business': 266812, 'need business ecommerce': 554570, 'business ecommerce shop': 143677, 'ecommerce shop socialdistancing': 266864, 'shop socialdistancing smallbusiness': 760811, 'socialdistancing smallbusiness online': 780694, 'smallbusiness online shopping': 775228, 'online shopping retail': 609248, 'problem worker': 679770, 'decent secure': 230799, 'well paid': 978467, 'job leilani': 465950, 'jordan worked': 467301, '64 her': 21312, 'mother said': 543159, 'said through': 731503, 'through tear': 894708, 'the problem worker': 864534, 'problem worker deserve': 679771, 'worker deserve decent': 1006759, 'deserve decent secure': 238047, 'decent secure well': 230800, 'secure well paid': 744469, 'well paid job': 978468, 'paid job leilani': 634041, 'job leilani jordan': 465951, 'leilani jordan worked': 486123, 'jordan worked in': 467302, 'store she died': 810051, 'to her last': 907700, '20 64 her': 12913, '64 her mother': 21313, 'her mother said': 392203, 'mother said through': 543160, 'said through tear': 731504, 'today live': 919814, 'panel focused': 637178, 'pandemic mrx': 635991, 'mrx groceryindustry': 544478, 'groceryindustry grocery': 366225, 'chance to register': 171813, 'to register for': 913102, 'register for today': 707568, 'for today live': 327242, 'today live consumer': 919815, 'consumer panel focused': 198326, 'panel focused on': 637179, 'focused on grocery': 311956, 'shopping and learn': 761997, 'learn what on': 484090, 'on the mind': 604236, 'mind of today': 532705, 'of today grocery': 592232, 'today grocery shopper': 919593, 'grocery shopper amid': 364983, '19 pandemic mrx': 9400, 'pandemic mrx groceryindustry': 635992, 'mrx groceryindustry grocery': 544479, 'finale': 305893, 'three minute': 893986, 'minute into': 533779, 'season finale': 743392, 'finale of': 305896, 'perfect and': 651274, '19 aware': 5278, 'aware high': 105616, 'high maintenance': 395168, 'maintenance season': 509166, 'finale and': 305894, 'been airport': 120632, 'airport cancellation': 40096, 'cancellation crowded': 161011, 'corona light': 204033, 'light six': 489592, 'three minute into': 893987, 'minute into the': 533780, 'into the season': 443168, 'the season finale': 866564, 'season finale of': 743394, 'finale of the': 305897, 'the perfect and': 863533, 'perfect and obviously': 651275, 'and obviously not': 67944, 'obviously not covid': 578841, 'covid 19 aware': 212669, '19 aware high': 5279, 'aware high maintenance': 105617, 'high maintenance season': 395169, 'maintenance season finale': 509167, 'season finale and': 743393, 'finale and there': 305895, 'and there been': 73832, 'there been airport': 878230, 'been airport cancellation': 120633, 'airport cancellation crowded': 40097, 'cancellation crowded supermarket': 161012, 'crowded supermarket and': 219357, 'supermarket and shot': 819064, 'and shot of': 71585, 'shot of corona': 765430, 'of corona light': 581893, 'corona light six': 204034, 'light six pack': 489593, 'make perfume': 510323, 'perfume shirt': 651538, 'manufacturing 3dprinting': 513552, '3dprinting ventilator': 18265, 'factory that used': 296002, 'used to make': 950068, 'to make perfume': 909717, 'make perfume shirt': 510324, 'perfume shirt and': 651539, 'shirt and car': 758966, 'and car are': 59544, 'now making supply': 575281, 'making supply to': 511371, 'supply to fight': 826004, 'fight the manufacturing': 304895, 'the manufacturing 3dprinting': 860028, 'manufacturing 3dprinting ventilator': 513553, 'become refugee': 120116, 'refugee supermarket': 706855, 'amazon is going': 50999, 'to become refugee': 901682, 'become refugee supermarket': 120117, 'in vicious': 430578, 'vicious cycle': 956438, 'problem no': 679610, 'yet reported': 1016219, 'reported food': 712484, 'shortage problem': 765185, 'problem so': 679671, 'are in vicious': 87461, 'in vicious cycle': 430579, 'vicious cycle of': 956439, 'cycle of panic': 224062, 'shelf are causing': 756793, 'causing the problem': 168120, 'the problem no': 864519, 'problem no country': 679611, 'no country ha': 563916, 'country ha yet': 210726, 'ha yet reported': 372503, 'yet reported food': 1016220, 'reported food shortage': 712485, 'food shortage problem': 316600, 'shortage problem so': 765186, 'problem so please': 679672, 'continues travel': 201510, 'and destination': 61275, 'destination have': 238980, 'travel consumer': 930324, 'pandemic continues travel': 635216, 'continues travel brand': 201511, 'travel brand and': 930298, 'brand and destination': 137729, 'and destination have': 61276, 'destination have decided': 238981, 'if the travel': 415039, 'the travel consumer': 869933, 'travel consumer can': 930325, 'consumer can come': 196721, 'can come to': 157937, 'come to we': 187615, 'to the travel': 917139, 'meet thoughtless': 527633, 'for putting your': 324881, 'price up at': 677222, 'up at time': 944444, 'at time that': 101310, 'time that the': 897838, 'that the country': 846694, 'end meet thoughtless': 275880, 'foe': 312017, 'would ameliorate': 1011518, 'family foe': 297803, 'foe the': 312018, '100 would': 2134, 'grocery pay': 364836, 'pay some': 645111, 'some bill': 782409, 'it would ameliorate': 462581, 'would ameliorate the': 1011519, 'ameliorate the food': 51374, 'shortage it can': 765041, 'care of my': 164107, 'my family foe': 548197, 'family foe the': 297804, 'foe the extended': 312019, 'the extended period': 854751, '19 lockdown with': 8442, 'lockdown with 100': 500163, 'with 100 would': 996933, '100 would be': 2135, 'have some stock': 382640, 'some stock of': 783950, 'food grocery pay': 314721, 'grocery pay some': 364837, 'pay some bill': 645112, 'stop5g': 805301, '5gweapon': 20699, 'chinashutdown': 177130, 'economiccollapse': 267398, 'economicreset': 267425, 'medicalmartiallaw': 526546, 'wuhan400': 1013526, 'when sign': 984032, 'apocalypse hit': 81537, 'home stop5g': 402159, 'stop5g 5gweapon': 805302, '5gweapon chinashutdown': 20700, 'chinashutdown holocaust': 177131, 'holocaust economiccollapse': 400482, 'economiccollapse economicreset': 267399, 'economicreset microchip': 267426, 'microchip medicalmartiallaw': 530458, 'medicalmartiallaw wuhan400': 526547, 'wuhan400 rfid': 1013527, 'rfid newworldorder': 720861, 'supermarket every other': 820228, 'other person is': 620704, 'person is wearing': 652509, 'is wearing glove': 453812, 'mask for when': 518693, 'for when sign': 327820, 'when sign of': 984033, 'of the apocalypse': 590794, 'the apocalypse hit': 848811, 'apocalypse hit home': 81538, 'hit home stop5g': 398275, 'home stop5g 5gweapon': 402160, 'stop5g 5gweapon chinashutdown': 805303, '5gweapon chinashutdown holocaust': 20701, 'chinashutdown holocaust economiccollapse': 177132, 'holocaust economiccollapse economicreset': 400483, 'economiccollapse economicreset microchip': 267400, 'economicreset microchip medicalmartiallaw': 267427, 'microchip medicalmartiallaw wuhan400': 530459, 'medicalmartiallaw wuhan400 rfid': 526548, 'wuhan400 rfid newworldorder': 1013528, 'shopping finance': 762639, 'finance wallet': 306295, 'wallet qr': 965221, 'code music': 185382, 'medium application': 527001, 'application illustration': 82466, 'illustration smartphone': 416463, 'smartphone online': 775526, 'socialmedia like': 781089, 'like exchange': 490205, 'exchange shopping': 289477, 'shopping qr': 763704, 'qr spotify': 691599, 'spotify music': 790147, 'music dollar': 546297, 'dollar value': 253112, 'value wireless': 952248, 'shopping finance wallet': 762640, 'finance wallet qr': 306296, 'wallet qr code': 965222, 'qr code music': 691596, 'code music and': 185383, 'music and social': 546292, 'social medium application': 779840, 'medium application illustration': 527002, 'application illustration smartphone': 82467, 'illustration smartphone online': 416464, 'smartphone online stayhome': 775527, 'online stayhome socialdistancing': 609429, 'stayhome socialdistancing socialmedia': 798119, 'socialdistancing socialmedia like': 780711, 'socialmedia like exchange': 781090, 'like exchange shopping': 490206, 'exchange shopping qr': 289478, 'shopping qr spotify': 763705, 'qr spotify music': 691600, 'spotify music dollar': 790148, 'music dollar value': 546298, 'dollar value wireless': 253113, 'wasn trump': 968039, 'that gave': 843987, 'maybe it wasn': 521728, 'it wasn trump': 462263, 'wasn trump that': 968040, 'trump that gave': 933908, 'that gave them': 843988, 'them the idea': 876387, 'either people': 270357, 'ha full': 370689, 'either people are': 270358, 'or london ha': 615997, 'london ha full': 501081, 'ha full blown': 370690, 'it hand 19': 458445, 'hand 19 stophoarding': 374720, 'meat bloody': 525498, 'buying meat bloody': 150710, 'meat bloody ridiculous': 525499, 'bloody ridiculous guelph': 133225, 'soop': 785939, 'cart while': 165422, 'then soop': 877550, 'soop you': 785940, 'doing too': 252807, 'paper from my': 640198, 'from my aunt': 336499, 'shopping cart while': 762323, 'cart while she': 165423, 'wa outside the': 962889, 'to open her': 910991, 'open her car': 612293, 'and then soop': 73810, 'then soop you': 877551, 'soop you re': 785941, 're doing too': 698552, 'doing too much': 252808, 'seema': 746709, 'shandil': 754791, 'grow consumer': 367015, 'an alert': 55231, 'charge consumer': 173214, 'council ceo': 209969, 'ceo seema': 169834, 'seema shandil': 746710, 'shandil confirms': 754792, 'confirms they': 194243, 'have conducted': 380065, 'conducted search': 193680, 'will commit': 992978, 'to grow consumer': 907025, 'grow consumer council': 367016, 'of fiji ha': 583510, 'fiji ha issued': 305284, 'issued an alert': 456038, 'an alert to': 55232, 'alert to business': 41523, 'business that continue': 144475, 'continue to over': 201226, 'over charge consumer': 630075, 'charge consumer council': 173215, 'consumer council ceo': 196997, 'council ceo seema': 209970, 'ceo seema shandil': 169835, 'seema shandil confirms': 746711, 'shandil confirms they': 754793, 'confirms they have': 194244, 'they have conducted': 882306, 'have conducted search': 380066, 'conducted search and': 193681, 'search and will': 743224, 'action on business': 30093, 'that will commit': 847564, 'will commit to': 992979, 'commit to fraud': 188978, '19 pendemic': 9612, 'pendemic toiletpaper': 646470, 'store all good': 806134, 'all good 19': 42974, 'good 19 pendemic': 356673, '19 pendemic toiletpaper': 9613, 'pendemic toiletpaper toiletpapercrisis': 646471, 'patio': 644331, 'avoid purchasing': 105248, 'purchasing non': 689893, 'working 11': 1008456, 'new patio': 559260, 'patio set': 644332, 'and curtain': 60821, 'curtain can': 221805, 'month susan': 538027, 'please help flattenthecurve': 660066, 'help flattenthecurve online': 389733, 'flattenthecurve online shopping': 310185, 'shopping and avoid': 761963, 'and avoid purchasing': 58573, 'avoid purchasing non': 105249, 'purchasing non essential': 689894, 'item during the': 463230, 'pandemic your local': 637097, 'your local delivery': 1024692, 'local delivery service': 497886, 'delivery service provider': 234457, 'provider are working': 686694, 'are working 11': 91684, 'working 11 hour': 1008457, '11 hour day': 2534, 'hour day even': 405527, 'day even during': 227569, 'global crisis your': 351842, 'crisis your new': 218470, 'your new patio': 1024991, 'new patio set': 559261, 'patio set and': 644333, 'set and curtain': 753340, 'and curtain can': 60822, 'curtain can wait': 221806, 'can wait few': 160133, 'wait few month': 964104, 'few month susan': 303940, 'farmworkers feed': 299700, 'feed america': 302270, 'america they': 51706, 'home most': 401629, 'most cannot': 542158, 'sick many': 768512, 'are exploited': 86362, 'exploited and': 292407, 'shadow and': 754339, 'farmworkers feed america': 299701, 'feed america they': 302271, 'america they cannot': 51707, 'they cannot work': 881721, 'from home most': 335881, 'home most cannot': 401630, 'most cannot call': 542159, 'cannot call in': 161702, 'call in sick': 155941, 'in sick many': 427931, 'sick many are': 768513, 'many are exploited': 513756, 'are exploited and': 86363, 'exploited and living': 292408, 'and living in': 66263, 'the shadow and': 866761, 'shadow and they': 754340, 'get food back': 347032, 'food back on': 313501, 'back on grocery': 107187, 'store shelf you': 810113, 'shelf you read': 757851, 'read this here': 700617, 'this here look': 887913, 'here look into': 393317, 'into their life': 443196, 'their life during': 873826, 'are sweet': 90691, 'potato they': 666989, '30am panicbuy': 17423, 'panicbuy please': 638838, 'they are sweet': 881426, 'are sweet potato': 90692, 'sweet potato they': 830247, 'potato they are': 666990, 'are completely sold': 85472, 'supermarket today at': 823435, '10 30am panicbuy': 1272, '30am panicbuy please': 17424, 'panicbuy please consider': 638839, 'fortunate and vulnerable': 329886, 'and vulnerable when': 75066, 'vulnerable when you': 961252, 'you shop today': 1021169, 'kissinger': 475475, 'henry kissinger': 391788, 'kissinger and': 475476, 'gate call': 344330, 'mass vaccination': 519891, 'global governance': 351966, 'henry kissinger and': 391789, 'kissinger and bill': 475477, 'and bill gate': 58971, 'bill gate call': 130582, 'gate call for': 344331, 'call for mass': 155877, 'for mass vaccination': 323287, 'mass vaccination and': 519892, 'vaccination and global': 951624, 'and global governance': 63696, 'these suit': 880770, 'suit with': 817800, 'screaming which': 742665, '19 comedy': 5892, 'of these suit': 591862, 'these suit with': 880771, 'suit with me': 817801, 'me and run': 522422, 'and run into': 70634, 'run into crowded': 727681, 'into crowded supermarket': 442504, 'crowded supermarket screaming': 219359, 'supermarket screaming which': 822346, 'screaming which way': 742666, 'which way did': 986458, 'way did he': 969548, 'he go 19': 384991, 'go 19 comedy': 353236, '19 comedy humor': 5893, 'makeup rushing': 510914, 'rushing into': 728380, 'bright side we': 139797, 'side we should': 768917, 'zombie makeup rushing': 1027713, 'makeup rushing into': 510915, 'rushing into crowded': 728381, 'store any day': 806426, 'any day now': 79098, 'worldmarket': 1010258, 'deal pandemic': 229466, 'pandemic oilprices': 636081, 'oilprices worldmarket': 597699, 'cut deal pandemic': 223294, 'deal pandemic oilprices': 229467, 'pandemic oilprices worldmarket': 636082, 'announced store': 77046, 'have promised': 382072, 'ease anxiety': 265068, 'many also': 513726, 'also using': 49057, 'using period': 950594, 'of shut': 589701, 'also serve': 48860, 'need retailnews': 555523, 'retailer who have': 719422, 'who have announced': 988909, 'have announced store': 379283, 'announced store closure': 77047, 'closure and have': 183835, 'and have promised': 64265, 'have promised to': 382073, 'promised to continue': 683732, 'continue paying employee': 201096, 'paying employee to': 645399, 'help ease anxiety': 389619, 'ease anxiety and': 265069, 'anxiety and pay': 78656, 'and pay bill': 68796, 'bill many also': 130616, 'many also using': 513727, 'also using period': 49058, 'using period of': 950595, 'period of shut': 651851, 'of shut down': 589702, 'down to also': 257361, 'to also serve': 900379, 'also serve their': 48861, 'their community in': 872826, 'in need retailnews': 425764, 'accra': 28829, 'video lady': 956804, 'lady thrown': 478841, 'ghana ghana': 349568, 'ghana accra': 349549, 'accra africa': 28830, 'video lady thrown': 956805, 'lady thrown out': 478842, 'thrown out of': 895149, 'sanitizer in ghana': 735137, 'in ghana ghana': 423302, 'ghana ghana accra': 349569, 'ghana accra africa': 349550, 'if alien': 413785, 'alien anthropologist': 41736, 'anthropologist survey': 78254, 'survey the': 828959, 'the archive': 848851, 'archive of': 84061, 'of earth': 582919, 'hell happened': 389015, 'happened this': 377268, 'this sloat': 890205, 'sloat essay': 774066, 'essay might': 280707, 'single best': 771244, 'could read': 209568, 'get glimpse': 347136, 'if alien anthropologist': 413786, 'alien anthropologist survey': 41737, 'anthropologist survey the': 78255, 'survey the archive': 828960, 'the archive of': 848852, 'archive of earth': 84062, 'of earth in': 582920, 'earth in search': 264987, 'search of what': 743272, 'the hell happened': 857243, 'hell happened this': 389016, 'happened this sloat': 377269, 'this sloat essay': 890206, 'sloat essay might': 774067, 'essay might be': 280708, 'be the single': 117655, 'the single best': 867219, 'single best thing': 771245, 'best thing they': 127927, 'they could read': 881836, 'could read to': 209569, 'read to get': 700637, 'to get glimpse': 906493, 'get glimpse of': 347137, 'glimpse of humanity': 351709, 'humanity in time': 410741, 'say dealer': 738551, 'retailer 3m': 718939, 'they say dealer': 883263, 'say dealer or': 738552, 'or retailer 3m': 616890, 'retailer 3m ha': 718940, 'ppl while': 668368, 'ppl now': 668292, 'constantly coughing': 195657, 'coughing why': 208768, 'observing the ppl': 578664, 'the ppl while': 864179, 'ppl while being': 668369, 'while being on': 986646, 'being on my': 125488, 'store ppl now': 809625, 'ppl now who': 668293, 'now who are': 576410, 'who are constantly': 988123, 'are constantly coughing': 85517, 'constantly coughing why': 195658, 'coughing why do': 208769, 'not you stay': 572618, 'you stay the': 1021377, 'know healthcare': 476422, 'of moral': 586636, 'moral support': 538409, 'employee food': 273855, 'help everyday': 389657, 'everyday thank': 286632, 'know healthcare professional': 476423, 'healthcare professional are': 387227, 'professional are getting': 682404, 'are getting lot': 86817, 'lot of moral': 504232, 'of moral support': 586637, 'moral support right': 538410, 'now but want': 574295, 'store employee food': 807491, 'employee food service': 273856, 'worker who continue': 1008200, 'to help everyday': 907507, 'help everyday thank': 389658, 'everyday thank you': 286633, 'thank you you': 841848, 'are my hero': 88178, 'my hero 19': 548669, 'to virtually': 918192, 'virtually constant': 957836, 'constant aerosol': 195599, 'aerosol suspension': 33920, 'suspension with': 829697, 'significant viral': 769536, '19 attached': 5259, 'attached this': 102051, 'need direct': 554680, 'direct distribution': 243318, 'minimize contagion': 533104, 'exposed to virtually': 292911, 'to virtually constant': 918193, 'virtually constant aerosol': 957837, 'constant aerosol suspension': 195600, 'aerosol suspension with': 33921, 'suspension with significant': 829698, 'with significant viral': 1000737, 'significant viral load': 769537, 'viral load of': 957604, 'load of covid': 497263, 'covid 19 attached': 212662, '19 attached this': 5260, 'attached this is': 102052, 'maintain the food': 509059, 'market in time': 516577, 'of crisis such': 582188, 'crisis such this': 218114, 'such this we': 816820, 'we need direct': 972477, 'need direct distribution': 554681, 'direct distribution we': 243319, 'distribution we need': 248257, 'need to minimize': 555993, 'to minimize contagion': 910160, 'chance out': 171779, 'there finding': 878390, 'it marvelous': 459533, 'marvelous when': 518138, 'in somebody': 428108, 'somebody else': 784259, 'else cart': 271658, 'take your chance': 832815, 'your chance out': 1023183, 'chance out there': 171780, 'out there finding': 627479, 'there finding what': 878391, 'find it marvelous': 306997, 'it marvelous when': 459534, 'marvelous when you': 518139, 'do not and': 249665, 'not and see': 568205, 'it in somebody': 458744, 'in somebody else': 428109, 'somebody else cart': 784260, 'else cart or': 271659, 'cart or not': 165348, 'opec slashing': 611965, 'slashing oil': 773671, 'price gov': 674345, 'gov revenue': 359681, 'elected is': 270992, 'with opec slashing': 999925, 'opec slashing oil': 611966, 'slashing oil price': 773672, 'oil price gov': 597152, 'price gov revenue': 674346, 'gov revenue decimated': 359682, 'having sold off': 384276, 'sold off all': 781710, 'off all gold': 593622, 'being elected is': 125100, 'elected is on': 270993, 'something ve learned': 785127, 'learned from covid': 484113, 'gas price don': 343952, 'be so damn': 117253, 'cbd thc': 168329, 'thc marijuana': 847842, 'marijuana windsor': 515731, 'cbd thc marijuana': 168330, 'thc marijuana windsor': 847843, 'marijuana windsor first': 515732, 'get washing': 348596, 'washing down': 967654, 'grocery really': 364888, 'scary fuck': 741146, 'fuck but': 339534, 'the egregious': 854094, 'egregious lack': 270088, 'this shithole': 890093, 'get washing down': 348597, 'washing down your': 967655, 'down your grocery': 257530, 'your grocery really': 1024132, 'grocery really do': 364889, 'really do everything': 702123, 'do everything is': 249266, 'everything is scary': 287884, 'is scary fuck': 451678, 'scary fuck but': 741147, 'fuck but the': 339535, 'people you re': 650577, 're standing next': 699572, 'next to at': 561614, 'and the egregious': 73342, 'the egregious lack': 854095, 'egregious lack of': 270089, 'in this shithole': 430010, 'this shithole country': 890094, 'community check': 189780, 'community check out': 189781, 'list of during': 494427, 'of during these': 582878, 'these strange time': 880748, 'now thought': 576144, 'thought try': 893284, 'try making': 934509, 'making pasta': 511268, 'pasta from': 643724, 'scratch surprisingly': 742613, 'surprisingly it': 828651, 'out super': 627273, 'super yummy': 818608, 'yummy and': 1027097, 'good fun': 357118, 'given the supermarket': 351161, 'the supermarket situation': 868805, 'supermarket situation and': 822707, 'increased time ve': 433513, 'time ve got': 898181, 've got on': 953192, 'hand now thought': 375105, 'now thought try': 576145, 'thought try making': 893285, 'try making pasta': 934510, 'making pasta from': 511269, 'pasta from scratch': 643725, 'from scratch surprisingly': 337190, 'scratch surprisingly it': 742614, 'surprisingly it turned': 828652, 'turned out super': 935867, 'out super yummy': 627274, 'super yummy and': 818609, 'yummy and wa': 1027098, 'and wa really': 75096, 'wa really good': 963063, 'really good fun': 702236, 'chink': 177489, 'cascading': 165563, 'doe begin': 251349, 'contract into': 201672, 'debt load': 230516, 'load could': 497247, 'pressing matter': 671118, 'some chink': 782530, 'chink in': 177490, 'trigger cascading': 931869, 'cascading consumer': 165564, 'economy doe begin': 267810, 'doe begin to': 251350, 'to contract into': 903424, 'contract into recession': 201673, 'into recession some': 442934, 'the debt load': 852988, 'debt load could': 230517, 'load could be': 497248, 'more pressing matter': 540128, 'pressing matter we': 671119, 'matter we are': 520648, 'see some chink': 745712, 'some chink in': 782531, 'chink in the': 177491, 'said fear covid': 731071, 'will trigger cascading': 995234, 'trigger cascading consumer': 931870, 'cascading consumer loan': 165565, 'micros': 530484, 'reaping': 702819, 'the micros': 860561, 'micros in': 530485, 'doing exactly': 252395, 'are reaping': 89490, 'reaping the': 702820, 'the reward': 865772, 'reward without': 720798, 'other punitive': 620794, 'punitive anti': 689261, 'consumer measure': 198111, 'the micros in': 860562, 'micros in my': 530486, 'my area of': 547302, 'area of are': 92128, 'are doing exactly': 85896, 'doing exactly that': 252396, 'exactly that and': 288752, 'and are reaping': 58347, 'are reaping the': 89491, 'reaping the reward': 702821, 'the reward without': 865773, 'reward without price': 720799, 'without price hike': 1002856, 'price hike or': 674535, 'hike or any': 396246, 'any other punitive': 79603, 'other punitive anti': 620795, 'punitive anti consumer': 689262, 'anti consumer measure': 78288, 'biodiesel trend': 131196, 'and profitability': 69599, 'profitability video': 682916, 'trend taking': 931457, 'ethanol and biodiesel': 282963, 'and biodiesel trend': 58977, 'biodiesel trend in': 131197, 'trend in price': 931367, 'price and profitability': 672505, 'and profitability video': 69600, 'profitability video dan': 682917, 'brien provides his': 139773, 'provides his view': 686864, 'his view of': 397899, 'the ethanol market': 854545, 'ethanol market and': 282991, 'market and trend': 516002, 'and trend taking': 74448, 'trend taking place': 931458, 'taking place during': 833508, 'week blog': 976018, 'may covid': 521108, 'impact real': 417936, 'out this week': 627593, 'this week blog': 891193, 'week blog post': 976019, 'blog post how': 132990, 'post how may': 666160, 'how may covid': 408307, 'may covid 19': 521109, '19 impact real': 7709, 'impact real estate': 417937, 'add my': 31454, 'stocked spare': 803399, 'spare thanks': 787500, 'professional esp': 682443, 'esp gps': 280393, 'gps at': 361432, 'frontline risking': 338817, 'add my thanks': 31455, 'shelf stocked spare': 757584, 'stocked spare thanks': 803400, 'spare thanks for': 787501, 'thanks for healthcare': 842061, 'healthcare professional esp': 387231, 'professional esp gps': 682444, 'esp gps at': 280394, 'gps at the': 361433, 'the frontline risking': 855885, 'frontline risking their': 338818, 'their health amp': 873510, 'health amp that': 386124, 'amp that of': 54640, 'that of their': 845456, 'of their family': 591660, 'against 19 don': 37302, '19 don be': 6624, 'called self': 156436, 'isolation tired': 455461, 'more sanitary': 540307, 'sanitary than': 733820, 'sick people please': 768580, 'please stop going': 660576, 'store order delivery': 809385, 'order delivery it': 618167, 'delivery it called': 234151, 'it called self': 456993, 'called self isolation': 156437, 'self isolation tired': 747803, 'isolation tired of': 455462, 'with coronavirus at': 997794, 'restaurant are more': 716310, 'are more sanitary': 88121, 'more sanitary than': 540308, 'sanitary than the': 733821, 'grocery store ordering': 365625, 'store ordering take': 809391, 'take out it': 832451, 'out it safer': 626450, 'haliburton': 374313, 'pandemic number': 636062, 'of haliburton': 584414, 'haliburton county': 374314, 'county resident': 211478, '19 pandemic number': 9411, 'pandemic number of': 636063, 'number of haliburton': 576946, 'of haliburton county': 584415, 'haliburton county resident': 374315, 'county resident have': 211480, 'laid off of': 479025, 'work and local': 1004788, 'and local food': 66293, 'experiencing an increase': 291626, 'typical business': 937626, 'guy are online': 368905, 'shopping please understand': 763650, 'understand that your': 940741, 'that your typical': 847781, 'your typical business': 1026240, 'typical business day': 937627, 'business day can': 143618, 'day can be': 227423, 'can be delayed': 157609, 'be delayed due': 114384, 'don be ignorant': 253362, 'pku': 657266, 'anybody used': 80107, 'used pku': 949990, 'pku reference': 657267, 'get or': 347715, 'or request': 616860, 'request extra': 713154, 'ha anybody used': 369575, 'anybody used pku': 80108, 'used pku reference': 949991, 'pku reference to': 657268, 'reference to get': 706506, 'to get or': 906550, 'get or request': 347716, 'or request extra': 616861, 'request extra food': 713155, 'extra food from': 293513, 'from supermarket yet': 337514, 'the cleaning': 850990, 'just daft': 468550, 'daft so': 224460, 'trolley out': 932457, 'bay push': 112964, 'push it': 690288, 'and entering': 62182, 'by handle': 152754, 'handle from': 376199, 'am fucked': 50066, 'me or the': 523290, 'or the cleaning': 617369, 'the cleaning of': 850991, 'cleaning of trolley': 180993, 'of trolley handle': 592458, 'trolley handle at': 932424, 'handle at the': 376175, 'supermarket just daft': 821224, 'just daft so': 468551, 'daft so went': 224461, 'to get trolley': 906631, 'get trolley out': 348540, 'trolley out the': 932458, 'out the bay': 627352, 'the bay push': 849361, 'bay push it': 112965, 'push it into': 690289, 'it into supermarket': 458828, 'supermarket and entering': 818969, 'and entering they': 62183, 'entering they give': 278436, 'they give you': 882197, 'give you hand': 350859, 'handle but have': 376180, 'but have just': 145879, 'have just pushed': 381207, 'just pushed it': 469522, 'pushed it by': 690372, 'it by handle': 456977, 'by handle from': 152755, 'handle from outside': 376200, 'from outside so': 336810, 'outside so if': 629550, 'if it had': 414306, 'it had covid': 458428, '19 am fucked': 4941, 'essential clearly': 280904, 'last case': 480137, 'pack water': 633189, 'house at 45': 406206, 'and essential clearly': 62248, 'essential clearly everyone': 280905, 'clearly everyone in': 181509, 'everyone in long': 287045, 'the last case': 858999, 'last case of': 480138, 'case of 40': 165884, '40 pack water': 18631, 'pack water and': 633190, 'up and come': 944311, 'of neighboring': 586936, 'neighboring pennsylvania': 557174, 'pennsylvania were': 646589, 'were shutting': 980123, 'down liquor': 256926, 'made supply': 507972, 'too quarantinelife': 925019, 'once we heard': 605781, 'we heard that': 972007, 'heard that part': 388142, 'that part of': 845657, 'part of neighboring': 642364, 'of neighboring pennsylvania': 586937, 'neighboring pennsylvania were': 557175, 'pennsylvania were shutting': 646590, 'were shutting down': 980124, 'shutting down liquor': 768266, 'down liquor store': 256927, 'liquor store made': 494209, 'store made supply': 808849, 'made supply run': 507973, 'run today for': 727849, 'the and oh': 848712, 'and oh and': 68017, 'oh and hit': 596354, 'and hit the': 64624, 'store too quarantinelife': 810914, 'here comprehensive': 392881, 'covid19 is': 214325, 'marketing related': 517691, 'issue via': 455984, 'via marketing': 956069, 'here comprehensive compilation': 392882, 'of data on': 582357, 'impact that covid19': 417984, 'that covid19 is': 843389, 'covid19 is having': 214326, 'having on marketing': 384202, 'on marketing related': 602039, 'marketing related issue': 517692, 'related issue via': 708466, 'issue via marketing': 455985, 'via marketing consumerbehaviour': 956070, 'the lowe': 859791, 'lowe in': 505775, 'construction industry': 195801, 'industry pretty': 436050, 'much rolling': 545283, 'rolling along': 725664, 'no operation': 565000, 'operation halted': 613196, 'halted feel': 374485, 'of the lowe': 591204, 'the lowe in': 859792, 'lowe in our': 505776, 'area have had': 92043, 'have had employee': 380862, 'had employee test': 373071, 'with the construction': 1001243, 'the construction industry': 851485, 'construction industry pretty': 195802, 'industry pretty much': 436051, 'pretty much rolling': 671461, 'much rolling along': 545284, 'rolling along with': 725665, 'along with no': 47069, 'with no operation': 999771, 'no operation halted': 565001, 'operation halted feel': 613197, 'halted feel like': 374486, 'risk retail store': 723851, 'relook': 709615, 'mindminenxt': 532838, 'to relook': 913150, 'relook now': 709616, 'contaminated in': 200658, 'future why': 342524, 'should travel': 766597, 'much mindminenxt': 545081, 'mindminenxt coronacrisis': 532839, 'coronacrisis webinar': 204857, 'webinar live': 975054, 'need to relook': 556040, 'to relook now': 913151, 'relook now price': 709617, 'now price will': 575596, 'be contaminated in': 114220, 'contaminated in the': 200659, 'the future why': 856097, 'future why should': 342525, 'why should travel': 991344, 'should travel so': 766598, 'travel so much': 930513, 'so much mindminenxt': 777793, 'much mindminenxt coronacrisis': 545082, 'mindminenxt coronacrisis webinar': 532840, 'coronacrisis webinar live': 204858, 'craziness going': 215219, 'think jesus': 885363, 'jesus would': 465314, 'died for': 241543, 'our sin': 624779, 'sin love': 770391, 'all goodfriday': 42982, 'the craziness going': 852288, 'craziness going on': 215220, 'going on it': 355325, 'on it easy': 601655, 'easy to forget': 265781, 'to forget it': 906193, 'forget it holy': 329269, 'it holy week': 458609, 'holy week think': 400519, 'week think jesus': 977043, 'think jesus would': 885364, 'jesus would want': 465315, 'each other on': 264202, 'other on the': 620604, 'the day he': 852887, 'day he died': 227743, 'he died for': 384889, 'died for our': 241544, 'for our sin': 324291, 'our sin love': 624780, 'sin love you': 770392, 'you all goodfriday': 1016883, 'pleasestayhome': 660818, 'pleasestop': 660820, 'me cornoravirusuk': 522601, 'cornoravirusuk socialdistanacing': 203739, 'socialdistanacing stophoarding': 780113, 'staysafe pleasestayhome': 798863, 'pleasestayhome pleasestop': 660819, 'please stop by': 660571, 'stop by me': 804558, 'by me cornoravirusuk': 153193, 'me cornoravirusuk socialdistanacing': 522602, 'cornoravirusuk socialdistanacing stophoarding': 203740, 'socialdistanacing stophoarding stayathome': 780114, 'stophoarding stayathome staysafe': 805470, 'stayathome staysafe pleasestayhome': 797663, 'staysafe pleasestayhome pleasestop': 798864, 'those celebrating': 891863, 'celebrating passover': 168836, 'easter this': 265512, 'challenging than': 171625, 'usual you': 951071, 'holiday meal': 400332, 'meal remember': 524269, 'order fresh': 618247, 'veggie from': 954182, 'from ma': 336293, 'ma farmer': 507264, 'to those celebrating': 917498, 'those celebrating passover': 891864, 'celebrating passover and': 168837, 'passover and easter': 643430, 'and easter this': 61863, 'easter this year': 265513, 'this year food': 891573, 'year food shopping': 1014559, 'can be bit': 157594, 'bit more challenging': 131617, 'more challenging than': 538791, 'challenging than usual': 171626, 'than usual you': 841402, 'usual you prepare': 951072, 'prepare your holiday': 670154, 'your holiday meal': 1024331, 'holiday meal remember': 400333, 'meal remember you': 524270, 'can order fresh': 159171, 'order fresh meat': 618248, 'fresh meat fruit': 333029, 'and veggie from': 74903, 'veggie from ma': 954183, 'from ma farmer': 336294, 'ma farmer via': 507265, 'farmer via online': 299562, 'via online ordering': 956136, 'queue behind': 693896, 'of bottled': 580802, 'wa loudly': 962594, 'of tap': 590595, 'water stophoarding': 969168, 'week the man': 976993, 'the queue behind': 865036, 'queue behind me': 693897, 'supermarket had trolley': 820661, 'full of bottled': 340702, 'of bottled water': 580803, 'bottled water and': 136371, 'water and wa': 968889, 'and wa loudly': 75090, 'wa loudly telling': 962595, 'loudly telling people': 504503, 'telling people it': 837249, 'people it wa': 648541, 'it wa because': 462072, 'wa because he': 961655, 'because he doesn': 119115, 'he doesn like': 384910, 'doesn like the': 251873, 'like the taste': 491400, 'the taste of': 869164, 'taste of tap': 834791, 'of tap water': 590596, 'tap water stophoarding': 834345, 'water stophoarding coronacrisis': 969169, 'prove me': 686111, 'that jamaica': 844765, 'jamaica the': 464374, 'of marijuana': 586222, 'marijuana ha': 515716, 'ha registered': 371693, 'registered covid': 707643, 'prove me wrong': 686112, 'me wrong that': 524029, 'wrong that jamaica': 1013110, 'that jamaica the': 844766, 'jamaica the world': 464375, 'world leading consumer': 1009758, 'leading consumer of': 483700, 'consumer of marijuana': 198243, 'of marijuana ha': 586223, 'marijuana ha registered': 515717, 'ha registered covid': 371694, 'registered covid 19': 707644, 'it wash': 462247, 'from competitionalert': 334939, 'do it wash': 249524, 'it wash hand': 462248, 'glove these type': 352953, 'help from competitionalert': 389768, 'from competitionalert competition': 334940, 'on the california': 604007, 'true nh': 933139, 'nh are': 561891, 'hero firefighter': 393989, 'police soldier': 663204, 'soldier undoubtedly': 781828, 'undoubtedly supermarket': 941051, 'fighting their': 305137, 'own battle': 631896, 'battle too': 112838, 'too though': 925126, 'though high': 892825, 'risk shit': 723869, 'shit pay': 759187, 'fucking thanks': 340032, 'thanks tesco': 842189, 'tesco waitrose': 838849, 'waitrose lidl': 964458, 'lidl coop': 488284, 'coop asda': 203096, 'sainsburys look': 731770, 'after yo': 36604, 'so true nh': 778573, 'true nh are': 933140, 'nh are hero': 561892, 'are hero firefighter': 87130, 'hero firefighter police': 393990, 'firefighter police soldier': 308228, 'police soldier undoubtedly': 663205, 'soldier undoubtedly supermarket': 781829, 'undoubtedly supermarket worker': 941052, 'worker are fighting': 1006389, 'are fighting their': 86549, 'fighting their own': 305138, 'their own battle': 874161, 'own battle too': 631897, 'battle too though': 112839, 'too though high': 925127, 'though high risk': 892826, 'high risk shit': 395372, 'risk shit pay': 723870, 'shit pay and': 759188, 'pay and zero': 644746, 'and zero fucking': 76119, 'zero fucking thanks': 1027456, 'fucking thanks tesco': 340033, 'thanks tesco waitrose': 842190, 'tesco waitrose lidl': 838850, 'waitrose lidl coop': 964459, 'lidl coop asda': 488285, 'coop asda sainsburys': 203097, 'asda sainsburys look': 94975, 'sainsburys look after': 731771, 'look after yo': 502229, 'record report': 705055, 'grocery spending in': 365144, 'spending in march': 788860, 'in march wa': 425127, 'march wa the': 515516, 'wa the highest': 963452, 'on record report': 603107, 'state senate': 795928, 'senate candidate': 749688, 'candidate volunteer': 161307, 'volunteer driver': 960248, 'northeast iowa': 567724, 'iowa food': 444491, 'bank he': 109899, 'bank wa': 110280, 'already heavy': 47436, 'up significantly': 945994, 'state senate candidate': 795929, 'senate candidate volunteer': 749689, 'candidate volunteer driver': 161308, 'volunteer driver for': 960249, 'for the northeast': 326587, 'the northeast iowa': 861880, 'northeast iowa food': 567725, 'iowa food bank': 444492, 'food bank he': 313583, 'bank he say': 109900, 'say that demand': 739231, 'food bank wa': 313663, 'bank wa already': 110281, 'wa already heavy': 961487, 'already heavy and': 47437, 'heavy and ha': 388619, 'and ha gone': 64071, 'gone up significantly': 356428, 'up significantly with': 945995, 'significantly with the': 769627, '19 pandemic so': 9473, 'pandemic so let': 636495, 'so let help': 777542, 'let help people': 486785, 'help people survive': 390307, 'people survive with': 649708, 'survive with food': 829295, 'people pushing': 649201, 'spread all': 790396, 'all production': 44069, 'production could': 681977, 'could grind': 209224, 'halt cont': 374430, 'isn just panic': 454580, 'causing shortage it': 168095, 'shortage it is': 765042, 'is also because': 445549, 'also because the': 47934, 'who make the': 989254, 'make the food': 510568, 'the food are': 855532, 'food are getting': 313406, 'getting sick with': 349281, 'sick with people': 768680, 'with people pushing': 1000160, 'people pushing to': 649202, 'pushing to end': 690462, 'end the lockdown': 275976, 'lockdown and just': 499145, 'and just let': 65704, 'just let it': 469133, 'let it spread': 486831, 'it spread all': 461199, 'spread all production': 790397, 'all production could': 44070, 'production could grind': 681978, 'could grind to': 209225, 'to halt cont': 907099, 'covidindex': 214417, 'first bottom': 308551, 'p500 quite': 632823, 'quite well': 694936, 'well plot': 978490, 'plot of': 661088, 'of covidindex': 582104, 'covidindex moving': 214418, 'moving average': 544124, 'average and': 104805, 'and p500': 68600, 'p500 closing': 632819, 'closing price': 183725, 'price marketwatch': 675174, 'predicted the first': 669621, 'the first bottom': 855286, 'first bottom of': 308552, 'of the p500': 591311, 'the p500 quite': 862824, 'p500 quite well': 632824, 'quite well plot': 694937, 'well plot of': 978491, 'plot of covidindex': 661089, 'of covidindex moving': 582105, 'covidindex moving average': 214419, 'moving average and': 544125, 'average and p500': 104806, 'and p500 closing': 68601, 'p500 closing price': 632820, 'closing price marketwatch': 183726, 'feedgrains': 302446, 'video posted': 956868, 'website discussing': 975243, 'discussing our': 244999, 'market kansa': 516663, 'kansa grain': 470814, '19 wheat': 12013, 'wheat soybean': 983014, 'soybean kansa': 786981, '19 feedgrains': 6965, 'feedgrains the': 302447, 'reserve response': 714092, 'new video posted': 559831, 'video posted on': 956869, 'posted on state': 666560, 'on state website': 603645, 'state website discussing': 796070, 'website discussing our': 975244, 'discussing our market': 245000, 'our market kansa': 623867, 'market kansa grain': 516664, 'kansa grain price': 470815, 'grain price cost': 361791, 'covid 19 wheat': 214064, '19 wheat soybean': 12014, 'wheat soybean kansa': 983015, 'soybean kansa grain': 786982, 'covid 19 feedgrains': 213082, '19 feedgrains the': 6966, 'feedgrains the federal': 302448, 'federal reserve response': 302048, 'reserve response to': 714093, 'mode truck': 535213, 'delivering do': 233485, 'job calm': 465717, 'calm people': 156778, 'make testing': 510548, 'get ventilator': 348580, 'ventilator set': 954604, 'address food': 31975, 'food desert': 314191, 'desert area': 237999, 'florida is in': 310954, 'panic mode truck': 638325, 'mode truck are': 535214, 'truck are not': 932728, 'not delivering do': 568988, 'delivering do your': 233486, 'your job calm': 1024525, 'job calm people': 465718, 'calm people and': 156779, 'and make testing': 66578, 'make testing available': 510549, 'testing available to': 839460, 'to all order': 900275, 'all order company': 43770, 'order company to': 618142, 'to make ppe': 909721, 'make ppe equipment': 510348, 'ppe equipment and': 667938, 'equipment and get': 279680, 'and get ventilator': 63612, 'get ventilator set': 348581, 'ventilator set hour': 954605, 'senior and address': 750195, 'and address food': 57687, 'address food desert': 31976, 'food desert area': 314192, 'is cumberland': 446974, 'positive learn': 665361, 'well cumberland': 978129, 'person is cumberland': 652502, 'is cumberland county': 446975, 'cumberland county resident': 220323, 'county resident and': 211479, 'resident and the': 714247, 'investigating and reaching': 443843, 'out to individual': 627654, 'to individual who': 908342, 'tested positive learn': 839351, 'positive learn more': 665362, 'learn more we': 484043, 'together stay well': 920952, 'stay well cumberland': 797391, 'senior healthcare': 750316, 'if we really': 415303, 'we really wanted': 973029, 'converted into hospital': 202550, 'into hospital bed': 442642, 'bed and the': 120384, 'provide meal to': 686388, 'meal to senior': 524293, 'to senior healthcare': 914233, 'senior healthcare worker': 750317, 'yang': 1014127, 'ramai': 696347, 'orang': 617900, 'artis': 94556, 'banyak': 110659, 'bolelah': 134107, 'sumbangkan': 817891, 'sedikit': 744847, 'untuk': 943963, 'pembelian': 646393, 'amp tissue': 54707, 'something grocery': 784927, 'amp etc': 53746, 'etc yang': 282911, 'yang ramai': 1014130, 'ramai orang': 696348, 'orang for': 617901, 'sure artis': 827494, 'artis malaysia': 94557, 'malaysia yang': 511638, 'yang banyak': 1014128, 'banyak duit': 110660, 'duit bolelah': 262064, 'bolelah sumbangkan': 134108, 'sumbangkan sedikit': 817892, 'sedikit untuk': 744848, 'untuk pembelian': 943964, 'pembelian mask': 646394, 'it good if': 458299, 'good if our': 357232, 'if our government': 414574, 'our government can': 623268, 'government can provide': 359962, 'can provide hand': 159332, 'sanitizer mask amp': 735348, 'mask amp tissue': 518300, 'amp tissue for': 54708, 'tissue for everyone': 899148, 'everyone who going': 287590, 'who going out': 988800, 'out to buying': 627626, 'to buying something': 902354, 'buying something grocery': 151063, 'something grocery at': 784928, 'supermarket amp etc': 818911, 'amp etc yang': 53747, 'etc yang ramai': 282912, 'yang ramai orang': 1014131, 'ramai orang for': 696349, 'orang for sure': 617902, 'for sure artis': 326071, 'sure artis malaysia': 827495, 'artis malaysia yang': 94558, 'malaysia yang banyak': 511639, 'yang banyak duit': 1014129, 'banyak duit bolelah': 110661, 'duit bolelah sumbangkan': 262065, 'bolelah sumbangkan sedikit': 134109, 'sumbangkan sedikit untuk': 817893, 'sedikit untuk pembelian': 744849, 'untuk pembelian mask': 943965, 'pembelian mask amp': 646395, 'mask amp etc': 518295, 'providing economic': 686971, 'to alberta': 900210, 'alberta energy': 40789, 'address challenge': 31955, 'of alberta is': 579883, 'alberta is providing': 40803, 'is providing economic': 451118, 'providing economic relief': 686972, 'economic relief to': 267251, 'relief to alberta': 709473, 'to alberta energy': 900211, 'alberta energy industry': 40790, 'energy industry to': 276480, 'industry to address': 436164, 'to address challenge': 900085, 'address challenge resulting': 31956, 'pandemic and declining': 634870, 'to an international': 900465, 'an international price': 56418, 'international price war': 441845, 'price war for': 677357, 'war for detail': 966439, 'detail please refer': 239238, 'your clearing': 1023233, 'pile you': 656524, 'foodbanks lot': 317834, 'bank day': 109751, 'basic week': 112097, 'week humankind': 976344, 'humankind sharing': 410793, 'sharing thinkingofothers': 755602, 'thinkingofothers helping': 886038, 'helping donation': 391309, 'hope when your': 403778, 'when your clearing': 984622, 'your clearing the': 1023234, 'stock pile you': 802637, 'pile you all': 656525, 'to foodbanks lot': 906114, 'foodbanks lot of': 317835, 'of people rely': 587972, 'food bank day': 313547, 'bank day to': 109752, 'to day who': 903958, 'day who can': 228757, 'afford basic week': 34678, 'basic week to': 112098, 'to week humankind': 918471, 'week humankind sharing': 976345, 'humankind sharing thinkingofothers': 410794, 'sharing thinkingofothers helping': 755603, 'thinkingofothers helping donation': 886039, 'company right': 191034, 'sanitizer company right': 734676, 'company right now': 191035, 'wa fairly': 962104, 'fairly well': 296450, 'buyer bought': 149593, 'bought far': 136555, 'far far': 298772, 'much last': 545034, 'anything coronacrisis': 80714, 'supermarket wa fairly': 823695, 'wa fairly well': 962105, 'fairly well stocked': 296451, 'stocked and calm': 803257, 'and calm it': 59435, 'calm it almost': 156756, 'almost if all': 46667, 'panic buyer bought': 637559, 'buyer bought far': 149594, 'bought far far': 136556, 'far far too': 298773, 'far too much': 298956, 'too much last': 924930, 'much last week': 545035, 'week and now': 975927, 'and now do': 67827, 'need anything coronacrisis': 554452, 'anything coronacrisis panicbuyinguk': 80715, 'shop pic': 760664, 'pic govt': 655600, 'out temporary': 627303, 'temporary ration': 837677, 'ration swipe': 697732, 'swipe card': 830424, 'anything pp': 80865, 'pp per': 667874, 'card swiped': 163657, 'swiped at': 830439, 'till once': 896071, 'once limit': 605672, 'limit reached': 492472, 'allow stuff': 46064, 'supermarket food shop': 820361, 'food shop pic': 316490, 'shop pic govt': 760665, 'pic govt should': 655601, 'govt should bring': 361277, 'should bring out': 765799, 'bring out temporary': 140041, 'out temporary ration': 627304, 'temporary ration swipe': 837678, 'ration swipe card': 697733, 'swipe card no': 830425, 'of anything pp': 580294, 'anything pp per': 80866, 'pp per week': 667875, 'week card swiped': 976072, 'card swiped at': 163658, 'swiped at till': 830440, 'at till once': 101278, 'till once limit': 896072, 'once limit reached': 605673, 'limit reached that': 492473, 'and allow stuff': 57916, 'allow stuff for': 46065, 'essentialsonly': 281935, 'store smooth': 810209, 'smooth socialdistanacing': 775934, 'socialdistanacing essentialsonly': 780059, 'not great time': 569748, 'own spit in': 632223, 'spit in the': 789557, 'grocery store smooth': 365778, 'store smooth socialdistanacing': 810210, 'smooth socialdistanacing essentialsonly': 775935, 'slomo': 774081, 'purchase that': 689667, 'that ordered': 845549, 'ordered in': 618860, 'january have': 464661, 'arrived if': 93959, 'if slomo': 414817, 'slomo had': 774082, 'had acted': 372816, 'acted when': 29850, 'had sufficient': 373578, 'online purchase that': 608829, 'purchase that ordered': 689668, 'that ordered in': 845550, 'ordered in january': 618861, 'in january have': 424359, 'january have arrived': 464662, 'have arrived if': 379358, 'arrived if slomo': 93960, 'if slomo had': 414818, 'slomo had acted': 774083, 'had acted when': 372817, 'acted when we': 29851, 'when we heard': 984449, 'heard about covid': 388049, '19 we would': 11962, 'have had sufficient': 380878, 'had sufficient supply': 373579, 'sufficient supply of': 817400, 'supply of test': 825651, 'and expedite': 62492, 'expedite the': 291132, 'country struggle': 211091, 'medicine and expedite': 526713, 'and expedite the': 62493, 'expedite the purchase': 291133, 'equipment in addition': 279751, 'addition to testing': 31750, 'to testing kit': 916403, 'the country struggle': 852158, 'country struggle to': 211092, 'struggle to combat': 814382, 'devestating': 239875, 'is devestating': 447161, 'this is devestating': 888232, 'cockblocked': 185224, 'at bc': 98112, 'bc getting': 113235, 'got cockblocked': 358490, 'cockblocked by': 185225, '19 again': 4865, 'my thing': 550350, 'went online shopping': 979078, 'shopping at bc': 762086, 'at bc getting': 98113, 'bc getting desperate': 113236, 'desperate for new': 238527, 'for new thing': 323836, 'new thing and': 559749, 'thing and got': 884123, 'and got cockblocked': 63848, 'got cockblocked by': 358491, 'cockblocked by covid': 185226, 'covid 19 again': 212596, '19 again just': 4866, 'again just wanna': 37051, 'just wanna know': 470218, 'wanna know for': 965650, 'know for sure': 476387, 'sure when my': 827824, 'when my thing': 983752, 'my thing will': 550351, 'michelle4il': 530303, 'willcounty': 995405, 'pharmacy special': 654468, 'hour free': 405627, 'lunch location': 506730, 'will county': 993054, 'county gi': 211386, 'gi now': 349717, 'for finding': 321488, 'finding all': 307431, 'place michelle4il': 657576, 'michelle4il illinois': 530304, 'illinois willcounty': 416317, 'to know grocery': 908980, 'store pharmacy special': 809548, 'pharmacy special hour': 654469, 'special hour free': 787960, 'hour free school': 405628, 'free school lunch': 332136, 'school lunch location': 741847, 'lunch location food': 506731, 'location food pantry': 498904, 'pantry will county': 639715, 'will county gi': 993055, 'county gi now': 211387, 'gi now ha': 349718, 'now ha great': 574843, 'ha great resource': 370766, 'resource for finding': 714783, 'for finding all': 321489, 'finding all of': 307432, 'of this information': 591993, 'this information in': 888113, 'information in one': 437865, 'one place michelle4il': 606879, 'place michelle4il illinois': 657577, 'michelle4il illinois willcounty': 530305, 'reduce 70': 705782, '70 80': 21712, 'my activity': 547227, 'activity do': 30412, 'wonder how to': 1003962, 'to reduce 70': 913012, 'reduce 70 80': 705783, '70 80 of': 21713, '80 of my': 22606, 'of my activity': 586728, 'my activity do': 547228, 'activity do not': 30413, 'upsurge': 947897, 'massive upsurge': 520155, 'upsurge in': 947898, 'product processing': 681553, 'processing company': 680016, 'although the outbreak': 49365, 'led to massive': 485289, 'to massive upsurge': 909886, 'massive upsurge in': 520156, 'upsurge in the': 947899, 'meat product processing': 525719, 'product processing company': 681554, 'processing company are': 680017, 'company are facing': 190424, 'are facing challenge': 86407, 'facing challenge in': 295424, 'challenge in order': 171487, 'order to fulfil': 618682, 'to fulfil that': 906299, 'fulfil that demand': 340395, 'that demand and': 843491, 'will volatility': 995304, 'how will volatility': 409246, 'will volatility in': 995305, 'anyone realize': 80486, 'wearing these': 974809, 'doe anyone realize': 251343, 'anyone realize that': 80487, 'realize that wearing': 701864, 'that wearing these': 847418, 'wearing these mask': 974810, 'these mask to': 880277, 'not work here': 572531, 'work here my': 1005255, 'here my solution': 393369, 'bestselling': 128048, 'crostata': 219103, 'the bestselling': 849568, 'bestselling product': 128049, 'italy since': 462912, 'outbreak hand': 628284, 'sanitizer medical': 735367, 'mask flour': 518649, 'flour yes': 311191, 'yes peep': 1015508, 'peep take': 646294, 'away everything': 105832, 'from except': 335341, 'for pizza': 324557, 'and crostata': 60764, 'crostata pandemic': 219104, 'pandemic cooking': 635217, 'baking stayhome': 108925, 'stayhome italian': 798026, 'these have been': 880103, 'been the bestselling': 122160, 'the bestselling product': 849569, 'bestselling product in': 128050, 'product in italy': 681290, 'in italy since': 424316, 'italy since the': 462913, 'the outbreak hand': 862635, 'outbreak hand sanitizer': 628285, 'hand sanitizer medical': 375490, 'sanitizer medical mask': 735368, 'medical mask flour': 526257, 'mask flour yes': 518650, 'flour yes peep': 311192, 'yes peep take': 1015509, 'peep take away': 646295, 'take away everything': 831964, 'away everything from': 105833, 'everything from except': 287799, 'from except for': 335342, 'except for pizza': 289167, 'for pizza and': 324558, 'pizza and crostata': 657148, 'and crostata pandemic': 60765, 'crostata pandemic cooking': 219105, 'pandemic cooking baking': 635218, 'cooking baking stayhome': 202853, 'baking stayhome italian': 108926, 'the 519': 848148, '519 see': 20236, 'the 519 see': 848149, '519 see big': 20237, 'see big spike': 744967, 'food service during': 316413, 'service during covid': 752313, 'olympics delay': 598790, 'disruption amp': 246438, 'olympics delay brings': 598791, 'respite amid covid': 715266, '19 disruption amp': 6573, 'disruption amp global': 246439, 'amp global market': 53864, 'global market intelligence': 352025, 'quarantinelife how': 692958, 'more especially': 539142, 'question if you': 693623, 're on quarantinelife': 699180, 'on quarantinelife how': 603044, 'quarantinelife how do': 692959, 'your grocery supply': 1024137, 'grocery supply more': 366012, 'supply more especially': 825570, 'more especially if': 539143, 'abbreviation': 24250, 'hahahahahaha there': 373922, 'an abbreviation': 55031, 'abbreviation for': 24251, 'tp one': 927891, 'many reason': 514621, 'reason hate': 702927, 'hate society': 378908, 'society coronacomedy': 781178, 'coronacomedy tp': 204480, 'hahahahahaha there an': 373923, 'there an abbreviation': 877985, 'an abbreviation for': 55032, 'abbreviation for toilet': 24252, 'paper it tp': 640383, 'it tp one': 461830, 'tp one of': 927892, 'the many reason': 860051, 'many reason hate': 514622, 'reason hate society': 702928, 'hate society coronacomedy': 378909, 'society coronacomedy tp': 781179, 'coronacomedy tp toiletpaper': 204481, 'safe with the': 730154, 'changed consumer behaviour': 172456, 'to know read': 908990, 'oaxacan': 578316, 'while enters': 986795, 'enters phase': 278489, 'amp report': 54389, 'many oaxacan': 514359, 'oaxacan community': 578317, 'community lack': 189952, 'comply protective': 192522, 'buy privately': 149100, 'privately delivered': 679007, 'while enters phase': 986796, 'enters phase two': 278490, 'phase two of': 654644, 'the pandemic amp': 862904, 'pandemic amp report': 634850, 'amp report the': 54390, 'due to many': 261860, 'to many oaxacan': 909826, 'many oaxacan community': 514360, 'oaxacan community lack': 578318, 'community lack access': 189953, 'access to water': 28296, 'to water to': 918398, 'water to comply': 969217, 'to comply protective': 903153, 'comply protective measure': 192523, 'protective measure they': 685794, 'they re forced': 883039, 'to buy privately': 902288, 'buy privately delivered': 149101, 'privately delivered water': 679008, 'delivered water for': 233445, 'water for high': 968999, 'jargon': 464832, 'treatment with': 931174, 'agent advisor': 38147, 'advisor thanks': 33745, 'insider jargon': 439467, 'jargon they': 464833, 'shared could': 755402, 'advisor are': 33719, 'treatment with travel': 931175, 'travel agent advisor': 930239, 'agent advisor thanks': 38149, 'advisor thanks to': 33746, 'the insider jargon': 858316, 'insider jargon they': 439468, 'jargon they shared': 464834, 'they shared could': 883334, 'shared could help': 755403, 'could help many': 209285, 'many people whose': 514548, 'agent advisor are': 38148, 'advisor are overwhelmed': 33720, 'fairtrading': 296464, 'fairtrading tried': 296465, 'ring your': 722545, 'office all': 595349, 'morning what': 541543, 'address have': 31982, 'investigation we': 443892, 'just completed': 468510, 'completed into': 192200, 'the pedigree': 863429, 'email thanks': 272329, 'fairtrading tried to': 296466, 'tried to ring': 931845, 'to ring your': 913537, 'ring your office': 722546, 'your office all': 1025053, 'office all morning': 595350, 'all morning what': 43520, 'morning what is': 541544, 'is your email': 454142, 'email address have': 272101, 'address have an': 31983, 'have an investigation': 379260, 'an investigation we': 56445, 'investigation we ve': 443893, 've just completed': 953296, 'just completed into': 468511, 'completed into the': 192201, 'into the pedigree': 443157, 'the pedigree dog': 863430, 'dog industry and': 252117, 'industry and would': 435654, 'make contact by': 509796, 'contact by email': 200035, 'by email thanks': 152468, 'email thanks guy': 272330, 'else saving': 271865, 'time chicago': 896470, 'chicago illinois': 175675, 'illinois stayhomesavelives': 416307, 'stayathome flattenthecurve': 797476, 'anyone else saving': 80286, 'else saving money': 271866, 'saving money or': 737931, 'money or are': 536953, 'or are all': 614404, 'this time chicago': 890625, 'time chicago illinois': 896471, 'chicago illinois stayhomesavelives': 175676, 'illinois stayhomesavelives stayathome': 416308, 'stayhomesavelives stayathome flattenthecurve': 798449, '19 added': 4807, 'added hand': 31566, 'my cosmetic': 547807, 'cosmetic line': 207788, 'all bottle': 42206, 'are handmade': 87003, 'handmade and': 376413, '100 natural': 1969, 'natural they': 552871, 'for oz': 324341, 'oz stay': 632762, 'covid 19 added': 212580, '19 added hand': 4808, 'added hand sanitizer': 31567, 'sanitizer to my': 735936, 'to my cosmetic': 910384, 'my cosmetic line': 547808, 'cosmetic line all': 207789, 'line all bottle': 492938, 'all bottle are': 42207, 'bottle are handmade': 136186, 'are handmade and': 87004, 'handmade and 100': 376414, 'and 100 natural': 57352, '100 natural they': 1970, 'natural they are': 552872, 'are only for': 88767, 'only for oz': 610472, 'for oz stay': 324342, 'oz stay clean': 632763, 'clean and home': 180461, 'get raise': 347882, 'raise extra': 695839, 'working these': 1008952, 'through constant': 894383, 'constant madness': 195619, 'madness everyday': 508173, 'everyday corvid19uk': 286548, 'dont even know': 255215, 'even know if': 284278, 'if it possible': 414330, 'it possible but': 460389, 'possible but really': 665593, 'but really think': 146900, 'really think all': 702658, 'think all grocery': 885129, 'should get raise': 766032, 'get raise extra': 347883, 'raise extra benefit': 695840, 'extra benefit for': 293454, 'benefit for working': 126974, 'for working these': 327957, 'working these week': 1008953, 'these week they': 880951, 'go through constant': 354245, 'through constant madness': 894384, 'constant madness everyday': 195620, 'madness everyday corvid19uk': 508174, 'mema': 527994, 'michel': 530283, 'mema director': 527995, 'director michel': 243641, 'michel focused': 530284, 'on dangerous': 600211, 'dangerous severe': 225771, 'severe weather': 754068, 'weather expected': 974867, 'sunday he': 818209, 'ppe large': 667995, 'large shipment': 479792, 'shipment wa': 758790, 'wa received': 963068, 'received and': 703593, 'wa hand': 962266, 'delivered tomorrow': 233437, 'tomorrow ahead': 924013, 'mema director michel': 527996, 'director michel focused': 243642, 'michel focused on': 530285, 'focused on dangerous': 311950, 'on dangerous severe': 600212, 'dangerous severe weather': 225772, 'severe weather expected': 754069, 'weather expected to': 974868, 'be seen on': 117042, 'seen on sunday': 747168, 'on sunday he': 603761, 'sunday he said': 818210, 'he said in': 385364, 'said in regard': 731139, 'regard to ppe': 707157, 'to ppe large': 911949, 'ppe large shipment': 667996, 'large shipment wa': 479793, 'shipment wa received': 758791, 'wa received and': 963069, 'received and much': 703594, 'and much of': 67309, 'of that wa': 590751, 'that wa hand': 847286, 'wa hand sanitizer': 962267, 'sanitizer and those': 734443, 'and those will': 74043, 'be delivered tomorrow': 114401, 'delivered tomorrow ahead': 233438, 'tomorrow ahead of': 924014, 'norfolk': 567024, 'get click': 346783, 'within 50': 1002326, 'radius really': 695492, 'person lockdown': 652522, 'lockdown norfolk': 499692, 'norfolk could': 567025, 'could taxi': 209754, 'taxi firm': 835162, 'firm be': 308320, 'what do need': 981346, 'to get click': 906442, 'get click and': 346784, 'or delivery in': 614936, 'next week from': 561680, 'week from any': 976253, 'any supermarket within': 79918, 'supermarket within 50': 823946, 'within 50 mile': 1002327, '50 mile radius': 19754, 'mile radius really': 531411, 'radius really do': 695493, 'go in person': 353714, 'in person lockdown': 426634, 'person lockdown norfolk': 652523, 'lockdown norfolk could': 499693, 'norfolk could taxi': 567026, 'could taxi firm': 209755, 'taxi firm be': 835163, 'firm be used': 308321, 'pick some': 655684, 'mom ordered': 535783, 'in terrible': 428872, 'terrible condition': 838394, 'condition there': 193541, 'much crowd': 544815, 'will tear': 995098, 'tear him': 835947, 'him apart': 396545, 'apart everyone': 81251, 'went to pick': 979181, 'to pick some': 911725, 'pick some grocery': 655685, 'some grocery my': 783004, 'grocery my mom': 364744, 'my mom ordered': 549278, 'mom ordered on': 535784, 'ordered on phone': 618876, 'on phone the': 602790, 'phone the grocery': 655032, 'store manager wa': 808896, 'manager wa looking': 512823, 'wa looking in': 962591, 'looking in terrible': 502936, 'in terrible condition': 428873, 'terrible condition there': 838395, 'condition there wa': 193542, 'there wa so': 879273, 'so much crowd': 777770, 'much crowd on': 544816, 'crowd on his': 219224, 'on his store': 601328, 'his store that': 397831, 'it wa looking': 462144, 'wa looking like': 962592, 'looking like people': 502959, 'people will tear': 650419, 'will tear him': 995099, 'tear him apart': 835948, 'him apart everyone': 396546, 'apart everyone wa': 81252, 'everyone wa buying': 287536, 'wa buying grocery': 961773, 'buying grocery like': 150414, 'grocery like there': 364687, 'like there will': 491425, 'be no tomorrow': 116113, 'toiletry everyday': 923414, 'shelf am': 756703, 'am beginning': 49930, 'like scavenger': 491139, 'scavenger in': 741236, 'now that food': 576001, 'that food toiletry': 843917, 'food toiletry everyday': 317321, 'toiletry everyday necessity': 923415, 'everyday necessity are': 286601, 'necessity are flying': 554170, 'supermarket shelf am': 822423, 'shelf am beginning': 756704, 'am beginning to': 49931, 'feel like scavenger': 302742, 'like scavenger in': 491140, 'scavenger in third': 741237, 'from marketer': 336365, 'marketer perspective': 517485, 'perspective any': 653190, 'any b2c': 78954, 'b2c company': 106479, 'especially dealing': 280457, 'in fmcg': 422949, 'fmcg first': 311731, 'first moving': 308790, 'good planing': 357561, 'planing on': 658431, 'on contributing': 600099, 'relief must': 709387, 'from marketer perspective': 336366, 'marketer perspective any': 517486, 'perspective any b2c': 653191, 'any b2c company': 78955, 'b2c company especially': 106480, 'company especially dealing': 190629, 'especially dealing in': 280458, 'dealing in fmcg': 229642, 'in fmcg first': 422950, 'fmcg first moving': 311732, 'first moving consumer': 308791, 'consumer good planing': 197632, 'good planing on': 357562, 'planing on contributing': 658432, 'on contributing to': 600100, '19 relief must': 10083, 'relief must understand': 709388, 'live you': 496132, 'you sweetheart': 1021500, 'sweetheart ox': 830285, 'ox gang': 632647, 'work scared': 1005695, 'death everyday': 230032, 'everyday individual': 286580, 'individual not': 435225, 'house it': 406383, 'least are': 484399, 'live you sweetheart': 496133, 'you sweetheart ox': 1021501, 'sweetheart ox gang': 830286, 'ox gang in': 632648, 'gang in there': 343402, 'in there still': 429819, 'there still have': 879098, 'to work scared': 918777, 'work scared to': 1005696, 'scared to death': 741022, 'to death everyday': 903979, 'death everyday individual': 230033, 'everyday individual not': 286581, 'individual not shopping': 435226, 'not shopping for': 571563, 'for essential just': 321110, 'essential just want': 281255, 'just want out': 470225, 'the house it': 857617, 'house it is': 406384, 'is like they': 449334, 'like they don': 491451, 'they don understand': 882005, 'understand the risk': 940772, 'risk they are': 723940, 'are taking you': 90740, 'taking you at': 833667, 'at least are': 99465, 'least are shopping': 484400, 'am of': 50267, 'son than am': 785444, 'than am of': 840333, 'am of catching': 50268, 'of catching coronavirus': 581204, 'wrong with our': 1013157, 'with our society': 1000019, 'society selfish wanker': 781311, 'alone away': 46827, 'blind and depend': 132684, 'and depend on': 61216, 'depend on online': 237321, 'live alone away': 495710, 'alone away from': 46828, 'away from family': 105882, 'nutcase': 577679, 'similarly': 769949, 'shelflife': 757859, 'say bread': 738467, 'ideal day': 413260, 'it often': 460004, 'often prepared': 596262, 'too perishable': 924995, 'but nutcase': 146626, 'nutcase hoarder': 577680, 'been bulk': 120758, 'even fruit': 284092, 'fruit which': 339200, 'ha similarly': 371946, 'similarly short': 769950, 'short shelflife': 764690, 'shelflife stophoarding': 757860, 'to say bread': 913809, 'say bread is': 738468, 'bread is an': 138505, 'an ideal day': 56139, 'ideal day supply': 413261, 'day supply food': 228437, 'supply food it': 825251, 'food it often': 315182, 'it often prepared': 460005, 'often prepared in': 596263, 'prepared in store': 670213, 'store and is': 806271, 'and is too': 65435, 'is too perishable': 453284, 'too perishable to': 924996, 'perishable to stockpile': 652010, 'stockpile but nutcase': 803727, 'but nutcase hoarder': 146627, 'nutcase hoarder have': 577681, 'hoarder have been': 399040, 'have been bulk': 379479, 'been bulk buying': 120759, 'bulk buying even': 142272, 'buying even fruit': 150245, 'even fruit which': 284093, 'fruit which ha': 339201, 'which ha similarly': 985898, 'ha similarly short': 371947, 'similarly short shelflife': 769951, 'short shelflife stophoarding': 764691, 'slightly during coronavirus': 773955, 'sorry this the': 786091, 'this the line': 890527, 'erie': 280164, 'great our': 362867, 'city erie': 179138, 'erie pa': 280165, 'pa only': 632869, 'before one': 122971, 'house get': 406321, 'know ya': 477076, 'ya this': 1014033, 'so overwhelming': 777974, 'overwhelming to': 631770, 'great our first': 362868, 'our first case': 623078, 'case of confirmed': 165895, 'of confirmed covid': 581661, 'my city erie': 547690, 'city erie pa': 179139, 'erie pa only': 280166, 'pa only matter': 632870, 'time before one': 896381, 'before one of': 122972, 'of the of': 591284, 'the of grocery': 862054, 'in this house': 429962, 'this house get': 887964, 'house get it': 406322, 'get it nice': 347417, 'to know ya': 909006, 'know ya this': 477077, 'ya this is': 1014034, 'is so overwhelming': 452029, 'so overwhelming to': 777975, 'overwhelming to me': 631771, 're popping': 699280, 'bit all': 131531, 'more queuing': 540177, 'interaction far': 441239, 'travel stay': 930519, 'do bigger': 249145, 'bigger le': 130160, 'frequent shop': 332822, 'instead stayhomesavelives': 440363, 'you re popping': 1020704, 're popping to': 699281, 'of bit all': 580724, 'bit all you': 131532, 'doing is causing': 252472, 'is causing more': 446428, 'causing more queuing': 168073, 'more queuing and': 540178, 'queuing and social': 694194, 'and social interaction': 71888, 'social interaction far': 779809, 'interaction far from': 441240, 'far from an': 298779, 'from an essential': 334484, 'an essential travel': 55839, 'essential travel stay': 281725, 'travel stay at': 930520, 'and do bigger': 61548, 'do bigger le': 249146, 'bigger le frequent': 130161, 'le frequent shop': 482963, 'frequent shop instead': 332823, 'shop instead stayhomesavelives': 760350, 'weapplaud': 974278, 'weapplaud corporation': 974279, 'corporation brand': 207396, 'other distiller': 620115, 'distiller and': 247702, 'and brewer': 59185, 'brewer that': 139426, 'begun manufacturing': 123715, 'their ethanol': 873179, 'ethanol to': 283014, 'team handsanitizer': 835662, 'weapplaud corporation brand': 974280, 'corporation brand and': 207397, 'brand and along': 137725, 'with other distiller': 999950, 'other distiller and': 620116, 'distiller and brewer': 247703, 'and brewer that': 59186, 'brewer that have': 139427, 'that have begun': 844198, 'have begun manufacturing': 379754, 'begun manufacturing hand': 123716, 'sanitizer from their': 734951, 'from their ethanol': 337938, 'their ethanol to': 873180, 'ethanol to donate': 283015, 'donate to medical': 254262, 'to medical team': 910004, 'medical team handsanitizer': 526477, 'solarhorss': 781605, 'blenco': 132570, 'guy solarhorss': 369144, 'solarhorss besafe': 781606, 'besafe lockdown': 127438, 'lockdown beer': 499194, 'beer blenco': 122444, 'blenco supermarket': 132571, 'to mind when': 910142, 'mind when the': 532776, 'when the say': 984194, 'the say stock': 866395, 'say stock up': 739179, 'up be safe': 944467, 'out there guy': 627484, 'there guy solarhorss': 878449, 'guy solarhorss besafe': 369145, 'solarhorss besafe lockdown': 781607, 'besafe lockdown beer': 127439, 'lockdown beer blenco': 499195, 'beer blenco supermarket': 122445, 'hairstyle': 374065, 'recording this': 705139, 'this homemade': 887937, 'homemade vlog': 402856, 'video download': 956711, 'new hairstyle': 558846, 'hairstyle screen': 374066, 'experience not': 291427, 'content ha': 200807, 'try recording this': 934550, 'recording this homemade': 705140, 'this homemade vlog': 887938, 'homemade vlog video': 402857, 'vlog video download': 959877, 'video download the': 956712, 'download the video': 257634, 'trying new hairstyle': 934721, 'new hairstyle screen': 558847, 'hairstyle screen record': 374067, 'shopping experience not': 762617, 'experience not all': 291428, 'not all content': 568103, 'all content ha': 42439, 'content ha to': 200808, 'be about or': 113447, 'about or quarantine': 25866, 'we mentioned': 972363, 'mentioned how': 528826, 'impacting mom': 418234, 'driving unusually': 260030, 'hiring 100k': 397059, '100k employee': 2164, 'employee good': 273891, 'hospitality food': 404768, 'yesterday we mentioned': 1015935, 'we mentioned how': 972364, 'mentioned how is': 528827, 'is impacting mom': 448708, 'impacting mom pop': 418235, 'pop shop today': 664458, 'shop today confirmed': 760965, 'today confirmed that': 919400, 'confirmed that is': 194197, 'that is driving': 844578, 'is driving unusually': 447392, 'driving unusually high': 260031, 'unusually high demand': 944003, 'demand so the': 236245, 'so the commerce': 778417, 'commerce giant is': 188558, 'giant is hiring': 349812, 'is hiring 100k': 448483, 'hiring 100k employee': 397060, '100k employee good': 2165, 'employee good news': 273892, 'for the unemployed': 326750, 'the unemployed in': 870373, 'unemployed in hospitality': 941123, 'in hospitality food': 423826, 'hospitality food service': 404769, 'slot they': 774273, 'we get an': 971602, 'shopping slot they': 763909, 'slot they re': 774274, 'all full for': 42894, 'full for week': 340605, 'week people will': 976742, 'people will need': 650400, 'food and don': 313214, 'dalal': 225096, 'higher crude': 395565, 'extension across': 293271, 'state weighs': 796072, 'on dalal': 600209, 'dalal street': 225097, 'street sensex': 813099, 'sensex drop': 750621, 'drop nearly': 260311, 'point nifty': 662550, 'nifty fails': 562685, 'hold 00': 399881, '00 detail': 169, 'india biz': 434322, 'biz hour': 131939, 'higher crude oil': 395566, 'price and lockdown': 672458, 'and lockdown extension': 66322, 'lockdown extension across': 499368, 'extension across state': 293272, 'across state weighs': 29462, 'state weighs on': 796073, 'weighs on dalal': 977690, 'on dalal street': 600210, 'dalal street sensex': 225098, 'street sensex drop': 813100, 'sensex drop nearly': 750622, 'drop nearly 500': 260312, 'nearly 500 point': 553785, '500 point nifty': 20045, 'point nifty fails': 662551, 'nifty fails to': 562686, 'fails to hold': 296249, 'to hold 00': 907904, 'hold 00 detail': 399882, '00 detail at': 170, 'detail at pm': 239162, 'at pm on': 100144, 'pm on india': 661953, 'on india biz': 601548, 'india biz hour': 434323, 'enough our': 277548, 'ceo spoke': 169842, 'week alongside': 975882, 'alongside advice': 47089, 'do the proposal': 250255, 'proposal to protect': 684482, 'crisis go far': 217421, 'far enough our': 298765, 'enough our ceo': 277549, 'our ceo spoke': 622348, 'ceo spoke to': 169843, 'spoke to last': 789728, 'last week alongside': 480630, 'week alongside advice': 975883, 'alongside advice and': 47090, 'advice and following': 33307, 'and following the': 63020, 'following the announcement': 312873, 'rink': 722565, 'nstworld an': 576700, 'ice rink': 412677, 'rink inside': 722566, 'inside madrid': 439308, 'madrid shopping': 508235, 'mall wa': 511851, 'monday turned': 536402, 'into temporary': 443078, 'morgue to': 541105, 'spanish spain': 787412, 'nstworld an ice': 576701, 'an ice rink': 56117, 'ice rink inside': 412678, 'rink inside madrid': 722567, 'inside madrid shopping': 439309, 'madrid shopping mall': 508236, 'shopping mall wa': 763240, 'mall wa on': 511852, 'wa on monday': 962829, 'on monday turned': 602187, 'monday turned into': 536403, 'turned into temporary': 935854, 'into temporary morgue': 443079, 'temporary morgue to': 837672, 'morgue to deal': 541106, 'in death in': 422046, 'in the spanish': 429557, 'the spanish spain': 867538, 'someone food': 784467, 'bin this': 131043, 'someone food waste': 784468, 'waste bin this': 968086, 'bin this is': 131044, 'is the result': 452921, 'result of panic': 717607, 'surge due': 828152, 'amazon hiring 100k': 50982, 'hiring 100k new': 397061, '100k new distribution': 2173, 'shopping surge due': 764030, 'surge due to': 828153, 'made candle': 507679, 'product follow': 681193, 'detroitstrong detroit': 239514, 'detroit cashapp': 239498, 'detroit make home': 239505, 'home made candle': 401564, 'made candle and': 507680, 'candle and homemade': 161316, 'need product follow': 555479, 'product follow me': 681194, 'me detroitstrong detroit': 522648, 'detroitstrong detroit cashapp': 239515, 'in exploring': 422736, 'by research': 153776, 'you ensure': 1018422, 'come in exploring': 187363, 'in exploring the': 422737, 'is an insightful': 445677, 'piece backed by': 656274, 'backed by research': 107532, 'by research observation': 153777, 'opinion helping you': 613467, 'helping you ensure': 391552, 'you ensure your': 1018423, 'summer2020': 818026, 'stopping customer': 805802, 'upcoming summer': 946813, 'summer season': 818007, 'popular summer': 664603, 'summer product': 817997, 'get retailer': 347928, 'retailer started': 719327, 'started retailvscorona': 794826, 'retailvscorona summer2020': 719582, 'the isn stopping': 858561, 'isn stopping customer': 454678, 'stopping customer from': 805803, 'customer from shopping': 222402, 'from shopping online': 337277, 'online so it': 609389, 'so it important': 777467, 'keep your ecommerce': 472262, 'ecommerce store fully': 266875, 'store fully stocked': 807900, 'fully stocked for': 341089, 'stocked for the': 803323, 'the upcoming summer': 870498, 'upcoming summer season': 946814, 'summer season here': 818008, 'season here are': 743400, 'are some popular': 90282, 'some popular summer': 783603, 'popular summer product': 664604, 'summer product trend': 817998, 'product trend to': 681783, 'trend to get': 931478, 'to get retailer': 906576, 'get retailer started': 347929, 'retailer started retailvscorona': 719328, 'started retailvscorona summer2020': 794827, 'more exciting': 539164, 'exciting these': 289607, 'an onion': 56606, 'onion didn': 607718, 'cool observation': 203028, 'observation quarantinelife': 578556, 'is more and': 449696, 'and more exciting': 67167, 'more exciting these': 539165, 'exciting these day': 289608, 'these day today': 879898, 'day today found': 228596, 'today found an': 919548, 'found an onion': 330151, 'an onion didn': 56607, 'onion didn buy': 607719, 'didn buy it': 240997, 'buy it but': 148849, 'wa cool observation': 961875, 'cool observation quarantinelife': 203029, 'chain agree': 170438, 'time tax': 897804, 'free 100': 331610, 'employee amidst': 273546, 'crisis 1st': 216955, '1st employee': 12735, 'near paris': 553569, 'paris supermarket': 641838, 'with plexiglas': 1000235, 'in france supermarket': 423087, 'france supermarket chain': 331035, 'supermarket chain agree': 819589, 'chain agree to': 170439, 'agree to one': 38665, 'to one time': 910925, 'one time tax': 607261, 'time tax free': 897805, 'tax free 100': 834991, 'free 100 bonus': 331611, '100 bonus to': 1849, 'bonus to their': 134414, 'their employee amidst': 873132, 'employee amidst crisis': 273547, 'amidst crisis 1st': 52789, 'crisis 1st employee': 216956, '1st employee dy': 12736, 'dy of near': 263750, 'of near paris': 586881, 'near paris supermarket': 553570, 'paris supermarket employee': 641839, 'employee are protected': 273624, 'are protected at': 89293, 'protected at best': 685122, 'at best with': 98130, 'best with plexiglas': 128004, 'with plexiglas barrier': 1000236, 'barrier and often': 111345, 'and often do': 68007, 'for angel': 319351, 'there we want': 879294, 'price for angel': 673926, 'for angel soft': 319352, 'angel soft product': 76318, 'soft product have': 781482, '19 warning': 11898, 'sign coronapocolypse': 769104, 'stayathome wearabletech': 797702, 'wearabletech wearable': 974511, 'ring are tracking': 722512, 'are tracking covid': 91177, 'covid 19 warning': 214044, '19 warning sign': 11899, 'warning sign coronapocolypse': 967195, 'sign coronapocolypse stayathome': 769105, 'coronapocolypse stayathome wearabletech': 205244, 'stayathome wearabletech wearable': 797703, 'now everyday': 574628, 'impossible bc': 419356, 'bc no': 113254, 'do foodshortage': 249311, 'but now everyday': 146603, 'now everyday am': 574629, 'everyday am struggling': 286527, 'anything in any': 80790, 'any supermarket online': 79906, 'is impossible bc': 448741, 'impossible bc no': 419357, 'bc no delivery': 113255, 'to do foodshortage': 904508, 'skipped': 773150, 'asianamericans': 95383, 'likely republican': 492093, 'republican it': 713043, 'and skipped': 71720, 'skipped but': 773151, 'today waiting': 920457, 'and bracing': 59142, 'bracing myself': 137508, 'worst here': 1011191, 'here go': 393048, 'go asianamericans': 353318, 'asianamericans asian': 95384, 'asian hate': 95294, 'hate trump': 378933, 'america newengland': 51624, 'ton of ppl': 924283, 'of ppl at': 588330, 'ppl at the': 668186, 'store most likely': 808994, 'most likely republican': 542486, 'likely republican it': 492094, 'republican it been': 713044, 'this every night': 887464, 'night and skipped': 562948, 'and skipped but': 71721, 'skipped but don': 773152, 'but don want': 145599, 'want to today': 966146, 'to today waiting': 917616, 'today waiting and': 920458, 'waiting and bracing': 964289, 'and bracing myself': 59143, 'bracing myself for': 137509, 'myself for the': 550860, 'the worst here': 872054, 'worst here go': 1011192, 'here go asianamericans': 393049, 'go asianamericans asian': 353319, 'asianamericans asian hate': 95385, 'asian hate trump': 95295, 'hate trump america': 378934, 'trump america newengland': 933401, 'dramatically over': 258362, 'paper sale have': 640711, 'fallen dramatically over': 297148, 'dramatically over the': 258363, 'corona crisis this': 203912, 'crisis this wa': 218226, 'this wa below': 891056, 'chiraq': 177542, '50cent': 20148, 'queenzflip': 693426, 'arrested rap': 93874, 'rap hiphop': 696872, 'hiphop viral': 396954, 'viral trending': 957633, 'trending worldstar': 931587, 'worldstar chicago': 1010281, 'chicago chiraq': 175656, 'chiraq atlanta': 177543, 'atlanta newyork': 101843, 'newyork drake': 561186, 'drake trav': 258239, 'trav 50cent': 930224, '50cent queenzflip': 20149, 'almost arrested rap': 46555, 'arrested rap hiphop': 93875, 'rap hiphop viral': 696873, 'hiphop viral trending': 396955, 'viral trending worldstar': 957634, 'trending worldstar chicago': 931588, 'worldstar chicago chiraq': 1010282, 'chicago chiraq atlanta': 175657, 'chiraq atlanta newyork': 177544, 'atlanta newyork drake': 101844, 'newyork drake trav': 561187, 'drake trav 50cent': 258240, 'trav 50cent queenzflip': 930225, 'groceryindustry expert': 366223, 'expert what': 292023, 'taking recommending': 833542, 'recommending to': 704819, 'by org': 153461, 'supermarket retailer groceryindustry': 822234, 'retailer groceryindustry expert': 719169, 'groceryindustry expert what': 366224, 'expert what kind': 292024, 'kind of measure': 474918, 'of measure are': 586369, 'measure are you': 525130, 'are you taking': 91868, 'you taking recommending': 1021526, 'taking recommending to': 833543, 'recommending to help': 704820, 'help consumer know': 389520, 'consumer know the': 197986, 'know the food': 476825, 'are buying is': 85122, 'buying is safe': 150578, 'is safe amid': 451614, 'safe amid uncertain': 729427, 'amid uncertain time': 52739, 'uncertain time caused': 939614, 'caused by org': 167852, 'by org foodsafety': 153462, 'dying from new': 263824, 'from new law': 336567, 'new law are': 559012, 'law are forcing': 482221, 'are forcing company': 86656, 'company to protect': 191237, 'shopper amidst': 761350, 'this week please': 891249, 'week please take': 976758, 'to have look': 907268, 'at this information': 101236, 'and advice for': 57728, 'advice for shopper': 33373, 'for shopper amidst': 325569, 'shopper amidst the': 761351, 'pretty relaxing': 671485, 'relaxing to': 708899, 'work form': 1005188, 'form home': 329515, 'transport nor': 929914, 'nor seeing': 566974, 'bos daily': 135656, 'but virus': 147691, 'have check': 379954, 'you daily': 1018142, 'daily sanitize': 224794, 'phone before': 654909, 'great carrier': 362565, 'germ 19': 346080, 'it pretty relaxing': 460445, 'pretty relaxing to': 671486, 'relaxing to work': 708900, 'to work form': 918723, 'work form home': 1005189, 'form home not': 329516, 'home not getting': 401672, 'not getting into': 569627, 'getting into public': 349070, 'public transport nor': 688412, 'transport nor seeing': 929915, 'nor seeing up': 566975, 'seeing up your': 746538, 'up your bos': 946732, 'your bos daily': 1023003, 'bos daily but': 135657, 'daily but virus': 224538, 'but virus do': 147692, 'virus do have': 958136, 'do have check': 249367, 'have check on': 379955, 'check on you': 174517, 'on you daily': 605417, 'you daily sanitize': 1018143, 'daily sanitize your': 224795, 'sanitize your laptop': 734239, 'your laptop and': 1024587, 'laptop and phone': 479547, 'and phone before': 68992, 'phone before using': 654910, 'before using them': 123263, 'using them they': 950739, 'are also great': 84456, 'also great carrier': 48291, 'great carrier of': 362566, 'carrier of germ': 165003, 'of germ 19': 584093, 'germ 19 sanitizer': 346081, 'opportunity losing': 613654, 'usd stuck': 948937, 'risk sickness': 723877, 'virus amp': 957913, 'amp pregnancy': 54320, 'health cover': 386314, 'shelter food amp': 757916, 'amp hygiene exposure': 53966, 'of opportunity losing': 587306, 'opportunity losing job': 613655, 'losing job usd': 503568, 'job usd stuck': 466256, 'usd stuck in': 948938, 'country risk sickness': 211018, 'risk sickness health': 723878, 'sickness health risk': 768756, 'unclear about virus': 939837, 'about virus amp': 26830, 'virus amp pregnancy': 957914, 'amp pregnancy food': 54321, 'shortage no income': 765085, 'no income health': 564494, 'income health cover': 432360, 'zoey': 1027679, 'maraist': 515027, 'highlight during': 395911, 'local catholic': 497807, 'catholic janitor': 167300, 'running email': 727948, 'email zoey': 272375, 'zoey maraist': 1027680, 'maraist com': 515028, 'the is looking': 858508, 'looking to highlight': 503033, 'to highlight during': 907749, 'highlight during the': 395912, 'know any local': 476262, 'any local catholic': 79419, 'local catholic janitor': 497808, 'catholic janitor grocery': 167301, 'doctor nurse or': 251028, 'nurse or other': 577443, 'or other people': 616441, 'are keeping society': 87664, 'keeping society running': 472557, 'society running email': 781301, 'running email zoey': 727949, 'email zoey maraist': 272376, 'zoey maraist com': 1027681, 'maraist com thanks': 515029, 'plaintiff': 658032, 'misrepresented': 534126, 'fmglaw': 311757, 'for unclean': 327412, 'unclean hand': 939829, 'hand plaintiff': 375178, 'plaintiff say': 658033, 'manufacturer misrepresented': 513486, 'misrepresented sanitizer': 534127, 'sanitizer effect': 734810, 'on read': 603082, 'article fmglaw': 94314, 'coverage for unclean': 212351, 'for unclean hand': 327413, 'unclean hand plaintiff': 939830, 'hand plaintiff say': 375179, 'plaintiff say manufacturer': 658034, 'say manufacturer misrepresented': 738916, 'manufacturer misrepresented sanitizer': 513487, 'misrepresented sanitizer effect': 534128, 'sanitizer effect on': 734811, 'effect on read': 269094, 'on read article': 603083, 'read article fmglaw': 700293, 're someone': 699550, 'did is': 240654, 'in above': 419987, 'above tweet': 27114, 'tweet amp': 936338, 're restricted': 699390, 'hospital urgent': 404698, 'urgent dr': 948338, 'dr or': 258073, 'or vet': 617661, 'vet visit': 955708, 'visit amp': 959173, 'amp mandatory': 54105, 'mandatory work': 513077, 'work duty': 1005074, 'duty next': 263596, 'other reason': 620811, 'you contributed': 1018040, 'you re someone': 1020751, 're someone that': 699551, 'someone that did': 784686, 'that did is': 843520, 'did is doing': 240655, 'thing in above': 884427, 'in above tweet': 419988, 'above tweet amp': 27115, 'tweet amp you': 936339, 'you re restricted': 1020723, 're restricted to': 699391, 'restricted to the': 717170, 'store hospital urgent': 808184, 'hospital urgent dr': 404699, 'urgent dr or': 948339, 'dr or vet': 258074, 'or vet visit': 617662, 'vet visit amp': 955709, 'visit amp mandatory': 959174, 'amp mandatory work': 54106, 'mandatory work duty': 513078, 'work duty next': 1005075, 'duty next week': 263597, 'but can leave': 145355, 'home for any': 401221, 'for any other': 319417, 'any other reason': 79605, 'other reason you': 620812, 'have no basis': 381609, 'no basis to': 563669, 'basis to complain': 112282, 'complain you contributed': 191874, 'you contributed to': 1018041, 'contributed to this': 201896, 'keep three': 472138, 'only keep three': 610673, 'ofgem': 596144, 'ofgem citizen': 596145, 'ofgem citizen advice': 596146, 'glad not': 351512, 'singing any': 771212, 'great this': 363051, 'supermarket fronted': 820459, 'singer who': 771194, 'who encourage': 988696, 'indoor adventure': 435344, 'adventure this': 33108, 'll be glad': 496589, 'be glad not': 115042, 'glad not singing': 351513, 'not singing any': 571589, 'singing any of': 771213, 'is great this': 448210, 'great this week': 363052, 'week on national': 976670, 'not supermarket fronted': 571808, 'supermarket fronted by': 820460, 'iceland singer who': 412719, 'singer who encourage': 771195, 'who encourage people': 988697, 'go on an': 353878, 'on an indoor': 599330, 'an indoor adventure': 56286, 'indoor adventure this': 435345, 'adventure this easter': 33109, 'doe essential': 251383, 'mean hospital': 524483, 'worker ok': 1007480, 'ok those': 597912, 'folk count': 312132, 'count but': 210105, 'food really': 316134, 'the wallpaper': 871050, 'wallpaper guy': 965243, 'lowe essential': 505769, 'factory making': 295968, 'making candy': 510979, 'candy shutitdown': 161346, 'what doe essential': 981360, 'doe essential worker': 251384, 'essential worker mean': 281842, 'worker mean hospital': 1007367, 'mean hospital employee': 524484, 'hospital employee first': 404391, 'store worker utility': 811615, 'utility worker ok': 951340, 'worker ok those': 1007481, 'ok those folk': 597913, 'those folk count': 892010, 'folk count but': 312133, 'count but is': 210106, 'is fast food': 447749, 'fast food really': 299974, 'food really essential': 316135, 'really essential is': 702166, 'essential is the': 281177, 'is the wallpaper': 452975, 'the wallpaper guy': 871051, 'wallpaper guy at': 965244, 'guy at lowe': 368917, 'at lowe essential': 99636, 'lowe essential worker': 505770, 'worker at factory': 1006460, 'at factory making': 98613, 'factory making candy': 295969, 'making candy shutitdown': 510980, 'superheroes of': 818685, 'today are': 919250, 'are healthcare': 87060, 'delivery men': 234182, 'survive while': 829290, 'family bless': 297657, 'superheroes of today': 818686, 'of today are': 592230, 'today are healthcare': 919251, 'are healthcare professional': 87061, 'healthcare professional supermarket': 387241, 'professional supermarket employee': 682500, 'supermarket employee pharmacy': 820131, 'employee pharmacy worker': 274118, 'pharmacy worker delivery': 654575, 'worker delivery men': 1006744, 'delivery men and': 234183, 'men and all': 528453, 'possible for the': 665651, 'world to survive': 1010090, 'to survive while': 916055, 'survive while risking': 829291, 'while risking themselves': 987224, 'their family bless': 873246, 'family bless you': 297658, 'homemadebread': 402858, 'bringhomeecback': 140138, 'lifeskills': 489339, 'bakingbread': 108940, 'bread on': 138548, 'learn life': 484004, 'life skill': 489046, 'skill well': 772982, 'well history': 978296, 'history lesson': 398032, 'lesson panicshopping': 486503, 'panicshopping homemadebread': 639435, 'homemadebread bringhomeecback': 402859, 'bringhomeecback lifeskills': 140139, 'lifeskills cooking': 489340, 'cooking cookinginacrisis': 202858, 'cookinginacrisis bakingbread': 202950, 'find any bread': 306786, 'any bread on': 78984, 'bread on the': 138549, 'store shelf so': 810097, 'shelf so we': 757529, 'so we took': 778686, 'we took this': 973560, 'took this moment': 925357, 'moment to learn': 536084, 'to learn life': 909131, 'learn life skill': 484005, 'life skill well': 489047, 'skill well history': 772983, 'well history lesson': 978297, 'history lesson panicshopping': 398033, 'lesson panicshopping homemadebread': 486504, 'panicshopping homemadebread bringhomeecback': 639436, 'homemadebread bringhomeecback lifeskills': 402860, 'bringhomeecback lifeskills cooking': 140140, 'lifeskills cooking cookinginacrisis': 489341, 'cooking cookinginacrisis bakingbread': 202859, 'so nyc': 777914, 'nyc price': 578031, 'gotten up': 359175, 'while is': 986962, 'is been': 446040, 'much cheaper': 544786, 'cheaper shout': 174268, 'real one': 701281, 'so nyc price': 777915, 'nyc price ha': 578032, 'price ha gotten': 674384, 'ha gotten up': 370755, 'gotten up since': 359176, 'up since covid': 945998, '19 while is': 12050, 'while is been': 986963, 'is been much': 446041, 'been much cheaper': 121550, 'much cheaper shout': 544787, 'cheaper shout out': 174269, 'out to real': 627674, 'to real one': 912847, 'real one taking': 701282, 'one taking care': 607158, 'life join': 488828, 'emergency meal': 272790, 'program starting': 683297, 're donating': 698557, 'our made': 623828, 'by stocked': 154124, 'stocked collection': 803297, 'collection stock': 186475, 'food is essential': 315121, 'daily life join': 224667, 'life join in': 488829, 'join in support': 466752, 'support of covid': 826685, '19 emergency meal': 6759, 'emergency meal program': 272791, 'meal program starting': 524262, 'program starting today': 683298, 'starting today we': 795055, 'we re donating': 972858, 're donating of': 698558, 'donating of sale': 254487, 'of sale from': 589244, 'sale from our': 732241, 'from our made': 336787, 'our made by': 623829, 'made by stocked': 507675, 'by stocked collection': 154125, 'stocked collection stock': 803298, 'collection stock your': 186476, 'kitchen with our': 475775, 'redeem your': 705661, 'voucher here': 960651, 'received code': 703611, 'code from': 185365, 'redeem your supermarket': 705662, 'your supermarket voucher': 1026067, 'supermarket voucher here': 823672, 'voucher here if': 960652, 'have received code': 382199, 'received code from': 703612, 'code from school': 185366, 'skyrocket new': 773323, 'york construction': 1016597, 'construction price': 195809, 'prevailing wage': 671559, 'wage the': 963965, 'future depends': 342301, 'crisis is essential': 217570, 'is essential now': 447549, 'essential now is': 281340, 'time to skyrocket': 898068, 'to skyrocket new': 914706, 'skyrocket new york': 773324, 'new york construction': 559923, 'york construction price': 1016598, 'construction price with': 195810, 'in the prevailing': 429468, 'the prevailing wage': 864309, 'prevailing wage the': 671560, 'wage the future': 963966, 'the future depends': 856072, 'future depends on': 342302, 'depends on what': 237393, 'we do now': 971342, 'do now nyassembly': 249913, 'learn sign': 484053, 'sign language': 769140, 'in air now': 420123, 'air now is': 39770, 'to learn sign': 909135, 'learn sign language': 484054, 'lolli': 500988, 'gagging': 342728, 'list get': 494339, 'it move': 459693, 'on pay': 602718, 'shit go': 759112, 'fuck stop': 339644, 'stop lolli': 804819, 'lolli gagging': 500989, 'gagging like': 342729, 'regular as': 707732, 'as day': 94739, 'psa from an': 687403, 'an essential supermarket': 55836, 'essential supermarket worker': 281616, 'supermarket worker make': 824046, 'worker make list': 1007345, 'make list get': 510092, 'list get in': 494340, 'get in we': 347319, 'in we do': 430729, 'have it move': 381153, 'it move on': 459694, 'move on pay': 543701, 'on pay for': 602719, 'your shit go': 1025751, 'shit go the': 759113, 'go the fuck': 354203, 'the fuck stop': 855972, 'fuck stop lolli': 339645, 'stop lolli gagging': 804820, 'lolli gagging like': 500990, 'gagging like it': 342730, 'it just regular': 459238, 'just regular as': 469595, 'regular as day': 707733, 'as day we': 94740, 'day we do': 228676, 'be here so': 115229, 'here so hurry': 393567, 'collectivementalpower': 186541, 'clearly reveals': 181557, 'reveals is': 720331, 'consciousness collectivementalpower': 194808, 'what clearly reveals': 981220, 'clearly reveals is': 181558, 'reveals is how': 720332, 'how incredibly stupid': 408061, 'specie we need': 788196, 'to raise our': 912729, 'raise our level': 695895, 'of consciousness collectivementalpower': 581677, '5x70ml': 20854, 'washandset': 967600, 'for 5x70ml': 318884, '5x70ml and': 20855, 'gel safe': 345147, 'safe ingredient': 729778, 'ingredient effective': 438355, 'effective disinfection': 269243, 'disinfection this': 245922, 'gel effectively': 345109, 'effectively kill': 269357, 'bacteria on': 107690, 'skin delivery': 773062, 'within 72': 1002328, 'hour handsanitizer': 405659, 'handsanitizer washhands': 376672, 'washhands handwashing': 967639, 'handwashing washandset': 376866, 'washandset washinghands': 967601, '18 99 for': 4513, '99 for 5x70ml': 23821, 'for 5x70ml and': 318885, '5x70ml and sanitizer': 20856, 'and sanitizer gel': 70870, 'sanitizer gel safe': 734967, 'gel safe ingredient': 345148, 'safe ingredient effective': 729779, 'ingredient effective disinfection': 438356, 'effective disinfection this': 269244, 'disinfection this hand': 245923, 'sanitizer gel effectively': 734964, 'gel effectively kill': 345110, 'effectively kill 99': 269358, 'kill 99 99': 474329, '99 99 of': 23764, 'of germ and': 584094, 'and bacteria on': 58627, 'bacteria on the': 107691, 'the skin delivery': 867311, 'skin delivery within': 773063, 'delivery within 72': 234756, 'within 72 hour': 1002329, '72 hour handsanitizer': 22012, 'hour handsanitizer washhands': 405660, 'handsanitizer washhands handwashing': 376673, 'washhands handwashing washandset': 967640, 'handwashing washandset washinghands': 376867, '150 retailer': 3925, 'retailer offering': 719259, 'offering extra': 595093, 'shopping through': 764138, 'or app': 614391, 'earn cash': 264775, 'this promotion': 889744, 'promotion and': 683861, '150 retailer offering': 3926, 'retailer offering extra': 719260, 'offering extra cash': 595094, 'extra cash back': 293472, 'cash back during': 166174, 'crisis by doing': 217169, 'online shopping through': 609308, 'shopping through it': 764139, 'through it website': 894542, 'it website or': 462291, 'website or app': 975379, 'or app you': 614392, 'app you ll': 81809, 'll earn cash': 496727, 'earn cash back': 264776, 'during this promotion': 263310, 'this promotion and': 889745, 'promotion and in': 683862, 'the future on': 856085, 'future on purchase': 342410, 'on purchase from': 603011, 'purchase from any': 689461, 'from any of': 334551, 'dxxkheads': 263712, 'paddymcguinness': 633803, 'nurse stare': 577484, 'by locust': 153088, 'locust after': 500552, 'life my': 488895, 'heart broke': 388273, 'broke when': 140873, 'hearing her': 388206, 'her pain': 392283, 'her voice': 392505, 'voice she': 960002, 'she look': 756203, 'look shattered': 502590, 'shattered bless': 755792, 'bless her': 132583, 'her stoppanicbuying': 392403, 'stoppanicbuying stop': 805622, 'being dxxkheads': 125089, 'dxxkheads paddymcguinness': 263713, 'paddymcguinness cornoravirusuk': 633804, 'care nurse stare': 164087, 'nurse stare at': 577485, 'cleared by locust': 181411, 'by locust after': 153089, 'locust after shift': 500553, 'after shift of': 36199, 'shift of saving': 758368, 'of saving life': 589338, 'saving life my': 737914, 'life my heart': 488896, 'my heart broke': 548649, 'heart broke when': 388274, 'broke when hearing': 140874, 'when hearing her': 983565, 'hearing her pain': 388207, 'her pain in': 392284, 'pain in her': 634232, 'in her voice': 423661, 'her voice she': 392506, 'voice she look': 960003, 'she look shattered': 756204, 'look shattered bless': 502591, 'shattered bless her': 755793, 'bless her stoppanicbuying': 132584, 'her stoppanicbuying stop': 392404, 'stoppanicbuying stop being': 805623, 'stop being dxxkheads': 804487, 'being dxxkheads paddymcguinness': 125090, 'dxxkheads paddymcguinness cornoravirusuk': 263714, 'barzani': 111427, 'excellency': 289066, 'contentment': 200864, 'barzani it': 111428, 'worth mentioning': 1011395, 'mentioning your': 528864, 'your excellency': 1023703, 'excellency tremendous': 289067, 'in krg': 424538, 'krg now': 477666, 'the continuity': 851682, 'maintaining it': 509113, 'addressed contentment': 32076, 'contentment to': 200865, 'barzani it is': 111429, 'is worth mentioning': 454084, 'worth mentioning your': 1011396, 'mentioning your excellency': 528865, 'your excellency tremendous': 1023704, 'excellency tremendous effort': 289068, 'tremendous effort in': 931220, 'of in krg': 585032, 'in krg now': 424539, 'krg now the': 477667, 'now the continuity': 576035, 'the continuity of': 851683, 'continuity of supply': 201584, 'supply and maintaining': 824736, 'and maintaining it': 66533, 'maintaining it price': 509114, 'it price should': 460467, 'should be addressed': 765544, 'be addressed contentment': 113488, 'addressed contentment to': 32077, 'contentment to the': 200866, '2040 kid': 14850, 'kid complaining': 473910, 'complaining can': 191897, 'sanitizer loo': 735309, 'loo role': 502162, 'role and': 725067, 'paracetamol off': 641257, 'shelf yes': 757839, 'good grateful': 357145, '2040 kid complaining': 14851, 'kid complaining can': 473911, 'complaining can you': 191898, 'you get hand': 1018774, 'hand sanitizer loo': 375476, 'sanitizer loo role': 735310, 'loo role and': 502163, 'role and paracetamol': 725068, 'and paracetamol off': 68704, 'paracetamol off the': 641258, 'the shelf yes': 866908, 'shelf yes but': 757840, 'yes but you': 1015400, 'so good grateful': 777185, 'let consider': 486651, 'citizen say': 178953, 'let consider all': 486652, 'consider all citizen': 194948, 'all citizen say': 42353, 'citizen say about': 178954, 'price of test': 675582, 'under dollar': 940071, 'dollar long': 253030, 'long ve': 501803, 'been driving': 121042, 'driving gasprices': 259937, 'not think ve': 572091, 'think ve seen': 885743, 've seen gas': 953529, 'price under dollar': 677178, 'under dollar long': 940072, 'dollar long ve': 253031, 'long ve been': 501804, 've been driving': 952881, 'been driving gasprices': 121043, 'tracker in': 928275, 'april amp': 83540, 'amp 2020': 53324, 'that 15': 842435, 'in doesn': 422337, 'seriously however': 751630, 'it perceived': 460304, 'perceived more': 651099, 'amp full': 53851, 'the 3rd wave': 848113, '3rd wave of': 18451, 'wave of consumer': 969368, 'sentiment tracker in': 751018, 'tracker in april': 928276, 'in april amp': 420466, 'april amp 2020': 83541, 'amp 2020 show': 53325, '2020 show that': 14599, 'show that 15': 767174, 'that 15 of': 842436, '15 of the': 3789, 'population in doesn': 664690, 'in doesn take': 422338, 'doesn take it': 251962, 'it seriously however': 460989, 'seriously however it': 751631, 'however it perceived': 409404, 'it perceived more': 460305, 'perceived more seriously': 651100, 'more seriously in': 540363, 'seriously in amp': 751646, 'in amp full': 420261, 'amp full report': 53852, 'relocalisation': 709606, 'foodsupplychains': 318219, 'behind our': 124680, 'for relocalisation': 325098, 'relocalisation and': 709607, 'greater resilience': 363222, 'resilience in': 714485, 'our foodsupplychains': 623144, 'psychology behind our': 687549, 'behind our food': 124681, 'food purchasing and': 316088, 'purchasing and the': 689832, 'need for relocalisation': 554868, 'for relocalisation and': 325099, 'relocalisation and greater': 709608, 'and greater resilience': 63940, 'greater resilience in': 363223, 'resilience in our': 714486, 'in our foodsupplychains': 426293, 'postal store': 666458, 'normal postal': 567261, 'service stamp': 752855, 'product continue': 681084, 'purchase please': 689628, 'get stamp': 348100, 'stamp shipping': 793438, 'shipping supply': 758923, '19 the postal': 11235, 'the postal store': 864101, 'postal store is': 666459, 'open and operating': 612068, 'and operating normal': 68181, 'operating normal postal': 613085, 'normal postal service': 567262, 'postal service stamp': 666451, 'service stamp and': 752856, 'stamp and other': 793403, 'other retail product': 620843, 'retail product continue': 718423, 'product continue to': 681085, 'be made available': 115862, 'for purchase please': 324865, 'purchase please visit': 689629, 'visit the postal': 959394, 'postal store to': 666460, 'to get stamp': 906599, 'get stamp shipping': 348101, 'stamp shipping supply': 793439, 'shipping supply and': 758924, 'brokered': 140948, 'he brokered': 384796, 'brokered deal': 140949, 'with top': 1001815, 'arrest price': 93774, 'rout amid': 726439, 'amid sending': 52646, 'president said he': 670894, 'said he brokered': 731105, 'he brokered deal': 384797, 'brokered deal with': 140950, 'deal with top': 229587, 'with top producer': 1001816, 'cut output and': 223468, 'output and arrest': 629231, 'and arrest price': 58404, 'arrest price rout': 93775, 'price rout amid': 676275, 'rout amid sending': 726440, 'amid sending crude': 52647, 'crude price up': 219600, 'up by 45': 944545, 'mumbai will': 546031, 'again anything': 36898, 'travel in mumbai': 930390, 'in mumbai will': 425518, 'mumbai will never': 546032, 'same again anything': 732954, 'again anything with': 36899, 'n700': 551147, 'n1': 551095, '5pouches': 20814, 'everyday doesn': 286551, 'same make': 733146, 'day different': 227525, 'color in': 186740, 'in ice': 423952, 'ice mocktails': 412674, 'mocktails n700': 535144, 'n700 cocktail': 551148, 'cocktail n1': 185240, 'n1 00': 551096, 'of 5pouches': 579639, '5pouches stayathome': 20815, 'everyday doesn have': 286552, 'the same make': 866253, 'same make each': 733147, 'make each day': 509867, 'each day different': 264039, 'day different color': 227526, 'different color in': 241923, 'color in ice': 186741, 'in ice mocktails': 423953, 'ice mocktails n700': 412675, 'mocktails n700 cocktail': 535145, 'n700 cocktail n1': 551149, 'cocktail n1 00': 185241, 'n1 00 minimum': 551097, '00 minimum order': 332, 'minimum order of': 533212, 'order of 5pouches': 618439, 'of 5pouches stayathome': 579640, '5pouches stayathome staysafe': 20816, 'convergence': 202445, 'googl': 358128, 'atvi': 102760, 'more useful': 540879, 'useful knowledge': 950177, 'the convergence': 851703, 'convergence of': 202446, 'the streaming': 868213, 'streaming war': 812856, 'gaming and': 343348, 'here nflx': 393380, 'nflx fb': 561788, 'fb googl': 300647, 'googl ea': 358129, 'ea atvi': 263974, 'atvi fortnite': 102761, 'fortnite youtube': 329874, 'much more useful': 545130, 'more useful knowledge': 540880, 'useful knowledge about': 950178, 'about the convergence': 26358, 'the convergence of': 851704, 'convergence of the': 202447, 'of the streaming': 591501, 'the streaming war': 868214, 'streaming war gaming': 812857, 'war gaming and': 966446, 'gaming and social': 343349, 'medium here nflx': 527136, 'here nflx fb': 393381, 'nflx fb googl': 561789, 'fb googl ea': 300648, 'googl ea atvi': 358130, 'ea atvi fortnite': 263975, 'atvi fortnite youtube': 102762, 'price face': 673753, 'increasing supply': 433699, 'one wall': 607353, 'analyst think': 57182, 'go below': 353372, 'zero via': 1027512, 'via and': 955794, 'alberta to': 40821, 'declare oil': 231196, 'oil sand': 597406, 'sand worker': 733670, 'essential province': 281432, 'province prepares': 687190, 'prepares covid': 670305, 'oil price face': 597125, 'price face perfect': 673754, 'falling demand and': 297233, 'and increasing supply': 65128, 'increasing supply one': 433700, 'supply one wall': 825670, 'one wall street': 607354, 'street analyst think': 812889, 'analyst think price': 57183, 'think price could': 885503, 'could go below': 209217, 'go below zero': 353373, 'below zero via': 126789, 'zero via and': 1027513, 'via and alberta': 955795, 'and alberta to': 57826, 'alberta to declare': 40822, 'to declare oil': 904008, 'declare oil sand': 231197, 'oil sand worker': 597408, 'sand worker essential': 733671, 'worker essential province': 1006860, 'essential province prepares': 281433, 'province prepares covid': 687191, 'prepares covid 19': 670306, 'disruption title': 246534, 'title iv': 899286, 'iv processing': 464041, 'processing insurance': 680028, '19 disruption title': 6578, 'disruption title iv': 246535, 'title iv processing': 899287, 'iv processing insurance': 464042, 'blinded': 132699, 'not blinded': 568578, 'blinded by': 132700, 'by hate': 152762, 'hate can': 378871, 'see president': 745594, 'is humanly': 448630, 'fight hater': 304763, 'hater maybe': 378962, 'maybe give': 521687, 'your hate': 1024255, 'hate rest': 378900, 'american not blinded': 52100, 'not blinded by': 568579, 'blinded by hate': 132701, 'by hate can': 152763, 'hate can see': 378872, 'can see president': 159544, 'see president trump': 745595, 'president trump team': 670951, 'national guard are': 552519, 'guard are doing': 367779, 'are doing all': 85882, 'doing all that': 252269, 'that is humanly': 844604, 'is humanly possible': 448631, 'to fight hater': 905792, 'fight hater maybe': 304764, 'hater maybe give': 378963, 'maybe give your': 521688, 'give your hate': 350883, 'your hate rest': 1024256, 'hate rest for': 378901, 'rest for while': 716159, 'sooper': 785942, 'kroger or': 477755, 'it subsidiary': 461330, 'subsidiary incl': 815971, 'incl fred': 431470, 'meyer ralph': 530042, 'ralph fry': 696305, 'fry king': 339291, 'king sooper': 475300, 'sooper and': 785943, 'others they': 621713, 'symptom please': 830902, 'please re': 660347, 're post': 699282, 'shop at kroger': 759948, 'at kroger or': 99392, 'kroger or it': 477756, 'or it subsidiary': 615848, 'it subsidiary incl': 461331, 'subsidiary incl fred': 815972, 'incl fred meyer': 431471, 'fred meyer ralph': 331579, 'meyer ralph fry': 530043, 'ralph fry king': 696306, 'fry king sooper': 339292, 'king sooper and': 475301, 'sooper and others': 785944, 'and others they': 68464, 'others they are': 621714, 'the and they': 848727, 'not paying employee': 570987, 'paying employee who': 645400, 'employee who must': 274430, 'be off work': 116152, 'off work for': 594411, 'work for covid': 1005145, '19 symptom please': 11021, 'symptom please re': 830903, 'please re post': 660348, 'like citizen': 490011, 'animal lockdownaustralia': 76626, 'lockdownaustralia stayathome': 500221, 'stayathome handsanitizer': 797495, 'used to drink': 950052, 'to drink hand': 904723, 'drink hand sanitizer': 258835, 'sanitizer like citizen': 735287, 'like citizen and': 490012, 'citizen and now': 178838, 'now we fight': 576339, 'we fight over': 971547, 'over it like': 630343, 'it like animal': 459349, 'like animal lockdownaustralia': 489801, 'animal lockdownaustralia stayathome': 76627, 'lockdownaustralia stayathome handsanitizer': 500222, 'stayathome handsanitizer stayathome': 797496, 'ssa fraud': 791630, 'to avoid ssa': 900943, 'avoid ssa fraud': 105293, 'ssa fraud during': 791631, 'just our': 469409, 'but driver': 145620, 'bin collector': 130997, 'all keeping': 43304, 'going it': 355251, 'not reported': 571323, 'reported no': 712507, 'you know bus': 1019491, 'driver have died': 259596, 'not just our': 570240, 'just our amazing': 469410, 'amazing nh but': 50746, 'nh but driver': 561908, 'but driver bin': 145621, 'driver bin collector': 259463, 'bin collector supermarket': 130998, 'worker etc that': 1006870, 'etc that are': 282792, 'that are all': 842713, 'are all keeping': 84319, 'all keeping the': 43305, 'country going it': 210693, 'going it just': 355252, 'just not reported': 469335, 'not reported no': 571324, 'reported no idea': 712508, 'line everyone': 493078, 'wa lined': 962567, 'staff sprayed': 792878, 'sprayed you': 790366, 'thing down': 884285, 'through disinfectant': 894429, 'shoe we': 759694, 'sanitizer few': 734859, 'few time': 304106, 'the line everyone': 859406, 'line everyone wa': 493079, 'everyone wa lined': 287538, 'wa lined up': 962568, 'lined up about': 493628, 'up about meter': 944216, 'about meter apart': 25725, 'apart when entering': 81373, 'when entering the': 983378, 'store the staff': 810625, 'the staff sprayed': 867701, 'staff sprayed you': 792879, 'sprayed you your': 790367, 'you your thing': 1022502, 'your thing down': 1026142, 'thing down then': 884286, 'down then you': 257325, 'then you had': 877785, 'walk through disinfectant': 964892, 'through disinfectant to': 894430, 'disinfectant to clean': 245779, 'clean your shoe': 180698, 'your shoe we': 1025759, 'shoe we were': 759695, 'we were given': 973792, 'were given hand': 979681, 'hand sanitizer few': 375399, 'sanitizer few time': 734860, 'shill': 758584, 'lyingbiden': 507090, 'finest gouge': 307771, 'on vaccine': 605013, 'vaccine no': 951738, 'wonder drug': 1003944, 'stock went': 803168, 'went thru': 979131, 'roof when': 725848, 'their shill': 874696, 'shill lyingbiden': 758585, 'lyingbiden wa': 507091, 'wa winning': 963707, 'it finest gouge': 458012, 'finest gouge price': 307772, 'gouge price on': 359195, 'price on vaccine': 675733, 'on vaccine no': 605014, 'vaccine no wonder': 951739, 'no wonder drug': 565911, 'wonder drug company': 1003945, 'drug company stock': 260922, 'company stock went': 191121, 'stock went thru': 803169, 'went thru the': 979132, 'thru the roof': 895233, 'the roof when': 865979, 'roof when they': 725849, 'when they heard': 984264, 'they heard their': 882422, 'heard their shill': 388158, 'their shill lyingbiden': 874697, 'shill lyingbiden wa': 758586, 'lyingbiden wa winning': 507092, 'waterstones close': 969312, 'turn over': 935748, 'over staff': 630638, 'staff covid': 792339, 'fear bos': 301063, 'bos james': 135677, 'daunt previously': 226939, 'previously argued': 672021, 'argued book': 92702, 'book chain': 134496, 'pharmacy guardian': 654329, 'waterstones close store': 969313, 'close store in': 182811, 'store in turn': 808408, 'in turn over': 430339, 'turn over staff': 935749, 'over staff covid': 630639, 'staff covid 19': 792340, '19 fear bos': 6953, 'fear bos james': 301064, 'bos james daunt': 135678, 'james daunt previously': 464394, 'daunt previously argued': 226940, 'previously argued book': 672022, 'argued book chain': 92703, 'book chain no': 134497, 'chain no different': 170944, 'or pharmacy guardian': 616574, 'pantry still': 639673, 'while continuing to': 986711, 'the community through': 851301, 'community through the': 190170, 'food pantry still': 315798, 'pantry still need': 639674, 'still need donation': 800855, 'rt called': 726751, 'the dismissal': 853395, 'dismissal of': 246011, 'fauci declared': 300352, 'declared that': 231249, 'only he': 610588, 'personal complaint': 652806, 'about hospital': 25413, 'business state': 144406, 'state etc': 795570, 'day rt called': 228293, 'rt called for': 726752, 'for the dismissal': 326389, 'the dismissal of': 853396, 'dismissal of dr': 246012, 'of dr fauci': 582811, 'dr fauci declared': 258013, 'fauci declared that': 300353, 'declared that only': 231250, 'that only he': 845522, 'only he can': 610589, 'he can open': 384817, 'can open the': 159147, 'open the state': 612554, 'tweeted personal complaint': 936444, 'personal complaint about': 652807, 'complaint about hospital': 191928, 'about hospital small': 25414, 'hospital small business': 404618, 'small business state': 774894, 'business state etc': 144407, 'state etc local': 795571, 'etc local authority': 282642, 'local authority are': 497715, 'authority are cry': 103687, 'for help make': 322181, 'help make deal': 390033, 'make deal with': 509818, 'arabia will raise': 83972, 'gas price whole': 344057, 'price whole day': 677535, 'whole day of': 990183, 'trusting': 934364, 'okay understand': 598029, 'understand wanting': 940797, 'restaurant rn': 716673, 'really trusting': 702675, 'trusting that': 934365, 'one sneezed': 607058, 'sneezed coughed': 776290, 'coughed etc': 208605, 'okay understand wanting': 598030, 'understand wanting to': 940798, 'wanting to support': 966312, 'local restaurant rn': 498341, 'restaurant rn but': 716674, 'rn but you': 724321, 'but you the': 148001, 'consumer are really': 196303, 'are really trusting': 89489, 'really trusting that': 702676, 'trusting that no': 934366, 'no one sneezed': 564961, 'one sneezed coughed': 607059, 'sneezed coughed etc': 776291, 'coughed etc in': 208606, 'etc in the': 282606, 'direction of your': 243475, 'and then find': 73760, 'out in week': 626406, 'in week that': 430770, 'paywalls': 645839, 'given cafe': 350965, 'cafe are': 155094, 'closed many': 183218, 'see physical': 745580, 'physical newspaper': 655437, 'newspaper will': 561108, 'outlet bring': 629030, 'online subscription': 609490, 'or bring': 614588, 'bring covid': 139951, '19 article': 5224, 'behind paywalls': 124686, 'paywalls can': 645840, 'you discus': 1018229, 'discus tomorrow': 244939, 'tomorrow please': 924160, 'please newspaper': 660240, 'given cafe are': 350966, 'cafe are closed': 155095, 'are closed many': 85352, 'closed many of': 183219, 'many of now': 514380, 'of now do': 587094, 'not see physical': 571484, 'see physical newspaper': 745581, 'physical newspaper will': 655438, 'newspaper will the': 561109, 'will the medium': 995145, 'the medium outlet': 860433, 'medium outlet bring': 527204, 'outlet bring down': 629031, 'bring down online': 139960, 'down online subscription': 257048, 'online subscription price': 609491, 'subscription price or': 815905, 'price or bring': 675767, 'or bring covid': 614589, 'bring covid 19': 139952, 'covid 19 article': 212655, '19 article out': 5225, 'article out from': 94421, 'out from behind': 626191, 'from behind paywalls': 334668, 'behind paywalls can': 124687, 'paywalls can you': 645841, 'can you discus': 160292, 'you discus tomorrow': 1018230, 'discus tomorrow please': 244940, 'tomorrow please newspaper': 924161, 'american business': 51846, 'navigate pandemic': 553069, 'pandemic employee': 635370, 'employee largely': 274009, 'largely wfh': 479881, 'wfh operational': 980852, 'operational risk': 613316, 'risk mount': 723696, 'mount along': 543395, 'along sustaining': 47022, 'sustaining daily': 829831, 'daily operation': 224737, 'operation firm': 613179, 'firm need': 308387, 'critical obligation': 218619, 'detect prevent': 239332, 'fraud uphold': 331370, 'uphold consumer': 947570, 'vulnerable client': 960915, 'no american business': 563608, 'american business navigate': 51847, 'business navigate pandemic': 144082, 'navigate pandemic employee': 553070, 'pandemic employee largely': 635371, 'employee largely wfh': 274010, 'largely wfh operational': 479882, 'wfh operational risk': 980853, 'operational risk mount': 613317, 'risk mount along': 723697, 'mount along sustaining': 543396, 'along sustaining daily': 47023, 'sustaining daily operation': 829832, 'daily operation firm': 224738, 'operation firm need': 613180, 'firm need to': 308388, 'be on top': 116216, 'top of critical': 925633, 'of critical obligation': 582208, 'critical obligation to': 218620, 'obligation to detect': 578466, 'to detect prevent': 904229, 'detect prevent fraud': 239333, 'prevent fraud uphold': 671629, 'fraud uphold consumer': 331371, 'uphold consumer protection': 947571, 'protection esp for': 685420, 'esp for vulnerable': 280388, 'for vulnerable client': 327599, 'if you offer': 415484, 'you offer curbside': 1020181, 'hoarding grocery': 399342, 'takeout unemployment': 833194, 'supply suffer': 825922, 'nervous consumer are': 557467, 'consumer are hoarding': 196297, 'are hoarding grocery': 87203, 'hoarding grocery and': 399343, 'restaurant are turning': 716317, 'turning to takeout': 935974, 'to takeout unemployment': 916267, 'takeout unemployment skyrocket': 833195, 'food supply suffer': 317001, 'supply suffer but': 825923, 'look at increasing': 502271, 'at increasing food': 99285, 'increasing food waste': 433615, 'downing': 257570, 'mp plea': 544264, 'address coronavirus': 31961, 'buying cross': 150168, 'cross party': 219024, 'party politician': 643026, 'politician ask': 663705, 'ask downing': 95513, 'downing street': 257571, 'safeguard food': 730190, 'emergency staff': 272986, 'staff panic': 792736, 'mp plea to': 544265, 'to address coronavirus': 900086, 'address coronavirus panic': 31962, 'panic buying cross': 637696, 'buying cross party': 150169, 'cross party politician': 219025, 'party politician ask': 643027, 'politician ask downing': 663706, 'ask downing street': 95514, 'downing street to': 257572, 'street to safeguard': 813151, 'to safeguard food': 913704, 'safeguard food supply': 730191, 'supply for nh': 825273, 'nh and emergency': 561877, 'and emergency staff': 62040, 'emergency staff panic': 272987, 'staff panic buying': 792737, 'buying continues to': 150139, 'continues to empty': 201472, 'shop probably': 760685, 'become bookie': 119938, 'bookie or': 134698, 'have billion of': 379800, 'of dollar and': 582776, 'dollar and million': 252949, 'local shop probably': 498413, 'shop probably support': 760686, 'next year it': 561731, 'year it could': 1014678, 'it could become': 457353, 'could become bookie': 208949, 'become bookie or': 119939, 'bookie or charity': 134699, '591': 20579, 'dieselprice': 241703, 'dieselfuel': 241701, 'diesel cost': 241655, 'cost 33': 207830, '33 cent': 17752, 'cent le': 169082, 'gallon than': 343061, 'ago price': 38444, 'midwest saw': 530829, 'biggest decline': 130210, 'decline down': 231325, 'down cent': 256625, 'to 591': 899772, '591 by': 20580, 'by dieselprice': 152353, 'dieselprice dieselfuel': 241704, 'dieselfuel fuel': 241702, 'diesel cost 33': 241656, 'cost 33 cent': 207831, '33 cent le': 17753, 'cent le per': 169083, 'le per gallon': 483075, 'per gallon than': 650857, 'gallon than year': 343062, 'than year ago': 841480, 'year ago price': 1014356, 'ago price have': 38445, 'have fallen in': 380571, 'fallen in all': 297156, 'in all region': 420178, 'all region of': 44136, 'region of the': 707445, 'country the midwest': 211127, 'the midwest saw': 860584, 'midwest saw the': 530830, 'saw the biggest': 738263, 'the biggest decline': 849650, 'biggest decline down': 130211, 'decline down cent': 231326, 'down cent to': 256626, 'cent to 591': 169126, 'to 591 by': 899773, '591 by dieselprice': 20581, 'by dieselprice dieselfuel': 152354, 'dieselprice dieselfuel fuel': 241705, 'preside': 670735, 'comissioner': 188308, 'sajjad': 731833, 'briefed': 139687, 'mpa focal': 544298, '19 hyd': 7634, 'hyd preside': 411912, 'preside the': 670736, 'floor mill': 310821, 'mill association': 531957, 'association at': 96947, 'at shahbaz': 100494, 'shahbaz hal': 754382, 'hal hyderabad': 374094, 'hyderabad to': 411938, 'be provide': 116592, 'govt price': 361243, 'where additional': 984714, 'additional comissioner': 31784, 'comissioner syed': 188309, 'syed sajjad': 830742, 'sajjad shah': 731834, 'shah also': 754375, 'also briefed': 47978, 'briefed him': 139688, 'him abt': 396525, 'abt current': 27526, 'mpa focal person': 544299, 'person for covid': 652434, 'covid 19 hyd': 213237, '19 hyd preside': 7635, 'hyd preside the': 411913, 'preside the meeting': 670737, 'the meeting with': 860452, 'meeting with floor': 527796, 'with floor mill': 998462, 'floor mill association': 310822, 'mill association at': 531958, 'association at shahbaz': 96948, 'at shahbaz hal': 100495, 'shahbaz hal hyderabad': 754383, 'hal hyderabad to': 374095, 'hyderabad to make': 411939, 'public should be': 688318, 'should be provide': 765698, 'be provide food': 116593, 'provide food stuff': 686313, 'food stuff on': 316896, 'stuff on govt': 815161, 'on govt price': 601167, 'govt price where': 361244, 'price where additional': 677500, 'where additional comissioner': 984715, 'additional comissioner syed': 31785, 'comissioner syed sajjad': 188310, 'syed sajjad shah': 830743, 'sajjad shah also': 731835, 'shah also briefed': 754376, 'also briefed him': 47979, 'briefed him abt': 139689, 'him abt current': 396526, 'abt current situation': 27527, 'nonna': 566658, 'winkwink': 996003, 'nonna know': 566659, 'best winkwink': 127998, 'winkwink socialdistanacing': 996004, 'nonna know best': 566660, 'know best winkwink': 476306, 'best winkwink socialdistanacing': 127999, 'winkwink socialdistanacing bekind': 996005, 'infection your': 436890, 'smartphone and': 775514, 'other device': 620100, 'device are': 239898, 'are 100': 84099, '100 source': 2083, 'from coronavirus infection': 335016, 'coronavirus infection your': 206140, 'infection your smartphone': 436891, 'your smartphone and': 1025841, 'smartphone and other': 775515, 'and other device': 68309, 'other device are': 620101, 'device are 100': 239899, 'are 100 source': 84100, '100 source of': 2084, 'source of bacteria': 786517, 'of bacteria and': 580502, 'bacteria and corona': 107658, 'corona virus more': 204330, 'virus more info': 958508, 'ha indeed': 370959, 'indeed become': 433980, 'logistical headquarters': 500703, 'headquarters for': 386029, 'for busy': 319849, 'busy people': 144942, 'better use': 128588, 'time wfh': 898265, 'wfh lockdown': 980842, 'home ha indeed': 401328, 'ha indeed become': 370960, 'indeed become the': 433981, 'become the logistical': 120161, 'the logistical headquarters': 859660, 'logistical headquarters for': 500704, 'headquarters for busy': 386030, 'for busy people': 319850, 'busy people looking': 144943, 'looking to make': 503036, 'to make better': 909627, 'make better use': 509733, 'better use of': 128589, 'of their time': 591709, 'their time wfh': 874991, 'time wfh lockdown': 898266, 'catharsus': 167285, 'magacreatedcoronaworld': 508309, 'in maga': 424981, 'maga shirt': 508295, 'him an': 396533, 'asshole catharsus': 96515, 'catharsus magacreatedcoronaworld': 167286, 'guy in maga': 369036, 'in maga shirt': 424982, 'maga shirt at': 508296, 'shirt at the': 758971, 'supermarket today called': 823437, 'today called him': 919355, 'called him an': 156342, 'him an asshole': 396534, 'an asshole catharsus': 55444, 'asshole catharsus magacreatedcoronaworld': 96516, 'stopped producing': 805740, 'producing whiskey': 680819, 'whiskey rum': 987779, 'rum and': 727457, 'protect first': 684832, 'responder from': 715463, 'distillery in the': 247766, 'bay area have': 112913, 'area have stopped': 92046, 'have stopped producing': 382791, 'stopped producing whiskey': 805741, 'producing whiskey rum': 680820, 'whiskey rum and': 987780, 'rum and other': 727458, 'and other spirit': 68410, 'other spirit to': 620949, 'spirit to make': 789512, 'to protect first': 912305, 'protect first responder': 684833, 'first responder from': 308943, 'responder from covid': 715464, 'hillyeah': 396509, 'on cape': 599811, 'cape cod': 162612, 'cod face': 185308, '19 hillyeah': 7536, 'largest food bank': 479952, 'bank on cape': 110063, 'on cape cod': 599812, 'cape cod face': 162613, 'cod face shortage': 185309, 'of volunteer due': 592857, 'to health concern': 907371, 'health concern over': 386285, 'covid 19 hillyeah': 213208, 'bought bc': 136511, 'drop food panic': 260200, 'panic bought bc': 637416, 'bought bc of': 136512, 'vinvi': 957466, 'vinvicorp': 957469, 'caixin': 155209, 'lunarnewyear': 506697, 'riotinto': 722642, 'bhp': 129393, 'fortescuemetalsgroup': 329787, 'royhill': 726654, 'china macro': 176810, 'macro metal': 507476, 'metal work': 529665, 'work slowly': 1005735, 'slowly resume': 774617, 'resume high': 717738, 'high steel': 395425, 'steel stock': 799362, 'stock weigh': 803162, 'by vinvi': 154668, 'vinvi vinvicorp': 957467, 'vinvicorp steel': 957470, 'steel china': 799319, 'china caixin': 176533, 'caixin japan': 155210, 'japan southkorea': 464758, 'southkorea lunarnewyear': 786895, 'lunarnewyear hrc': 506698, 'hrc yuan': 409685, 'yuan riotinto': 1027069, 'riotinto bhp': 722643, 'bhp vale': 129394, 'vale fortescuemetalsgroup': 951874, 'fortescuemetalsgroup royhill': 329788, 'royhill car': 726655, 'china macro metal': 176811, 'macro metal work': 507477, 'metal work slowly': 529666, 'work slowly resume': 1005736, 'slowly resume high': 774618, 'resume high steel': 717739, 'high steel stock': 395426, 'steel stock weigh': 799363, 'stock weigh on': 803163, 'weigh on price': 977665, 'on price by': 602906, 'price by vinvi': 673045, 'by vinvi vinvicorp': 154669, 'vinvi vinvicorp steel': 957468, 'vinvicorp steel china': 957471, 'steel china caixin': 799320, 'china caixin japan': 176534, 'caixin japan southkorea': 155211, 'japan southkorea lunarnewyear': 464759, 'southkorea lunarnewyear hrc': 786896, 'lunarnewyear hrc yuan': 506699, 'hrc yuan riotinto': 409686, 'yuan riotinto bhp': 1027070, 'riotinto bhp vale': 722644, 'bhp vale fortescuemetalsgroup': 129395, 'vale fortescuemetalsgroup royhill': 951875, 'fortescuemetalsgroup royhill car': 329789, 'degenerate': 232522, 'with degenerate': 997955, 'degenerate eye': 232523, 'eye condition': 294020, 'staff enough': 792410, 'for adding my': 319011, 'adding my elderly': 31686, 'elderly mother with': 270761, 'mother with degenerate': 543207, 'with degenerate eye': 997956, 'degenerate eye condition': 232524, 'eye condition to': 294021, 'condition to your': 193549, 'online shopping cannot': 609063, 'shopping cannot thank': 762281, 'you and all': 1016976, 'and all your': 57909, 'your staff enough': 1025908, 'two death': 936869, 'pakistan must': 634476, 'seriously now': 751681, 'best medicine': 127764, 'medicine avoid': 526736, 'it first two': 458031, 'first two death': 309142, 'two death due': 936870, 'pandemic the people': 636692, 'of pakistan must': 587678, 'pakistan must take': 634477, 'must take this': 546946, 'very seriously now': 955524, 'seriously now prevention': 751682, 'prevention is the': 671863, 'the best medicine': 849525, 'best medicine avoid': 127765, 'medicine avoid the': 526737, 'postpone all social': 666757, 'all social activity': 44378, 'own safety and': 632177, 'safety and that': 730465, 'that of your': 845457, 'albanian government': 40744, 'taken decision': 832983, 'requires big': 713458, 'month albania': 537555, 'the albanian government': 848552, 'albanian government ha': 40745, 'ha taken decision': 372142, 'taken decision that': 832984, 'decision that requires': 231093, 'that requires big': 846009, 'requires big business': 713459, 'three month albania': 893993, 'month albania tirana': 537556, 'prematurely': 669884, 'rule however': 727255, 'work both': 1004945, 'both way': 136086, 'way ve': 970151, 'sale clerk': 732122, 'pharmacy assistant': 654237, 'assistant also': 96770, 'angry with': 76508, 'medication week': 526691, 'two prematurely': 937167, 'pandemic rule however': 636374, 'rule however this': 727256, 'however this work': 409506, 'this work both': 891495, 'work both way': 1004946, 'both way ve': 136087, 'way ve seen': 970152, 've seen sale': 953546, 'seen sale clerk': 747213, 'sale clerk or': 732123, 'clerk or pharmacy': 181748, 'or pharmacy assistant': 616569, 'pharmacy assistant also': 654238, 'assistant also get': 96771, 'also get angry': 48257, 'get angry with': 346560, 'angry with shopper': 76509, 'with shopper who': 1000691, 'shopper who go': 761828, 'go to pick': 354338, 'their medication week': 873939, 'medication week or': 526692, 'or two prematurely': 617570, 'need spate': 555624, 'analyzed over': 57256, 'redefining the beauty': 705676, 'beauty consumer need': 118754, 'consumer need spate': 198197, 'need spate analyzed': 555625, 'spate analyzed over': 787651, 'analyzed over 10': 57257, 'over 10 billion': 629755, 'and which beauty': 75555, 'trend are slowing': 931280, 'when 5kg': 983109, 'potato becomes': 666912, 'supermarket panicbuy': 821907, 'panicbuy emptyshelves': 638833, 'when 5kg bag': 983110, 'of potato becomes': 588271, 'potato becomes available': 666913, 'becomes available at': 120203, 'local supermarket panicbuy': 498570, 'supermarket panicbuy emptyshelves': 821908, 'whiff': 986547, 'orgy': 619512, 'me far': 522712, 'one going': 606355, 'for whiff': 327833, 'whiff of': 986548, 'human connection': 410461, 'connection forget': 194700, 'forget love': 329271, 'doe sex': 251568, 'sex work': 754209, 'our writer': 625414, 'writer considers': 1012806, 'considers her': 195445, 'her option': 392261, 'option from': 614042, 'flirting to': 310647, 'online orgy': 608718, 'not to judge': 572161, 'to judge me': 908700, 'judge me far': 467624, 'me far from': 522713, 'far from the': 298784, 'only one going': 610873, 'one going to': 606356, 'going to extreme': 355593, 'to extreme measure': 905548, 'extreme measure for': 293816, 'measure for whiff': 525201, 'for whiff of': 327834, 'whiff of human': 986549, 'of human connection': 584872, 'human connection forget': 410462, 'connection forget love': 194701, 'forget love in': 329272, 'how doe sex': 407746, 'doe sex work': 251569, 'sex work our': 754210, 'work our writer': 1005577, 'our writer considers': 625415, 'writer considers her': 1012807, 'considers her option': 195446, 'her option from': 392262, 'option from supermarket': 614043, 'from supermarket flirting': 337481, 'supermarket flirting to': 820334, 'flirting to online': 310648, 'to online orgy': 910943, 'message stoppanickbuying': 529427, 'will people get': 994402, 'people get the': 648059, 'the message stoppanickbuying': 860528, 'consumption to': 199954, 'be severely': 117116, 'and consumption to': 60463, 'consumption to be': 199955, 'to be severely': 901533, 'be severely impacted': 117117, 'boston took': 135807, 'took 25': 925196, 'are greater': 86954, 'employee terrified': 274274, 'he stop': 385482, 'stop cured': 804604, 'in boston took': 420916, 'boston took 25': 135808, 'took 25 pay': 925197, 'his life are': 397578, 'life are greater': 488501, 'are greater than': 86955, 'greater than ever': 363246, 'son is supermarket': 785397, 'is supermarket employee': 452460, 'supermarket employee terrified': 820138, 'employee terrified should': 274275, 'should he stop': 766105, 'he stop cured': 385483, 'download smartphone': 257619, 'smartphone application': 775516, 'application that': 82481, 'meal house': 524186, 'limit your travel': 492573, 'your travel during': 1026205, 'can download smartphone': 158150, 'download smartphone application': 257620, 'smartphone application that': 775517, 'application that make': 82482, 'easier to collect': 265157, 'to collect food': 902964, 'collect food at': 186270, 'help you deliver': 390965, 'you deliver healthy': 1018169, 'healthy meal house': 387689, 'seattleu': 743605, 'let seattleu': 487029, 'seattleu get': 743606, 'dont let seattleu': 255250, 'let seattleu get': 487030, 'seattleu get away': 743607, 'away with this': 106125, 'organisation in': 619271, 'outbreak news': 628466, 'news foodwaste': 560418, 'foodwaste england': 318256, 'england grant': 277016, 'grant stockpilinguk': 362047, 'redistribution organisation in': 705747, 'organisation in england': 619272, 'in england will': 422581, 'help cut food': 389567, 'coronavirus outbreak news': 206401, 'outbreak news foodwaste': 628467, 'news foodwaste england': 560419, 'foodwaste england grant': 318257, 'england grant stockpilinguk': 277017, 'onion that': 607740, 'isn worried': 454761, 'she bother': 755897, 'the finance minister': 855207, 'eat onion that': 266005, 'onion that why': 607741, 'that why she': 847545, 'why she isn': 991332, 'she isn worried': 756170, 'isn worried about': 454762, 'worried about price': 1010514, 'why should she': 991342, 'should she bother': 766466, 'deba60': 230296, 'join deba60': 466703, 'grocery join deba60': 364672, 'compliant': 192450, 'another wonderful': 77984, 'wonderful small': 1004119, 'sa adapting': 728863, 'process creating': 679894, 'creating win': 216103, 'which being': 985713, 'being me': 125420, 'me great': 522837, 'great fresh': 362692, 'price delivered': 673416, 'delivered home': 233338, 'corona compliant': 203857, 'is another wonderful': 445745, 'another wonderful small': 77985, 'wonderful small business': 1004120, 'business in sa': 143900, 'in sa adapting': 427601, 'sa adapting to': 728864, 'the process creating': 864547, 'process creating win': 679895, 'creating win win': 216104, 'win win for': 995596, 'win for it': 995552, 'it client the': 457177, 'client the latest': 182108, 'latest of which': 481468, 'of which being': 593100, 'which being me': 985714, 'being me great': 125421, 'me great fresh': 522838, 'great fresh vegetable': 362693, 'vegetable at le': 953942, 'le than supermarket': 483187, 'than supermarket price': 841189, 'supermarket price delivered': 822056, 'price delivered home': 673417, 'delivered home and': 233339, 'home and corona': 400628, 'and corona compliant': 60562, 'ltown': 506398, 'notice public': 573340, 'order issued': 618340, 'for enhanced': 321065, 'safety chamber': 730491, 'of ltown': 586063, 'notice public health': 573341, 'health order issued': 386718, 'order issued for': 618341, 'issued for enhanced': 456062, 'for enhanced consumer': 321066, 'enhanced consumer amp': 277094, 'consumer amp employee': 196188, 'amp employee safety': 53716, 'employee safety chamber': 274174, 'safety chamber of': 730492, 'chamber of ltown': 171672, 'favourite non': 300599, '19 chart': 5780, 'at guessing': 98824, 'guessing price': 368128, 'right from': 721904, 'favourite non covid': 300600, 'covid 19 chart': 212790, '19 chart of': 5781, 'getting worse at': 349451, 'worse at guessing': 1010870, 'at guessing price': 98825, 'guessing price on': 368129, 'price is right': 674885, 'is right from': 451536, 'bagel shelf': 108484, 'and bagel shelf': 58650, 'bagel shelf ha': 108485, 'bagel is the': 108476, 'egg people': 269949, 'plain scrambled': 658018, 'being cooked': 124995, 'cooked have': 202817, 'egg eating': 269852, 'eating cooking': 266189, 'crisis have read': 217461, 'read lot about': 700407, 'about the rising': 26503, 'for egg people': 320974, 'egg people who': 269950, 'people who eat': 650294, 'who eat lot': 988673, 'eat lot of': 265975, 'who are tired': 988242, 'eating plain scrambled': 266288, 'plain scrambled egg': 658019, 'cheese while they': 175229, 'are being cooked': 84841, 'being cooked have': 124996, 'cooked have cheesy': 202818, 'scrambled egg eating': 742554, 'egg eating cooking': 269853, 'eating cooking egg': 266190, 'protection hope': 685473, 'all protecting': 44075, 'protecting yourselves': 685263, 'safe doc': 729598, 'doc amen': 250733, 'with our protection': 1000013, 'our protection hope': 624497, 'protection hope you': 685474, 're all protecting': 698232, 'all protecting yourselves': 44076, 'protecting yourselves and': 685264, 'your family stay': 1023802, 'stay safe doc': 797226, 'safe doc amen': 729599, 'buying 30moredays': 149842, '30moredays food': 17493, 'really is bad': 702350, 'is bad when': 445978, 'when you just': 984573, 'you just want': 1019436, 'to buy rice': 902292, 'and pasta and': 68756, 'pasta and the': 643687, 'are bare do': 84770, 'bare do not': 110891, 'going to multiple': 355656, 'multiple store stop': 545795, 'store stop panic': 810409, 'panic buying 30moredays': 637625, 'buying 30moredays food': 149843, 'shitbeenreal': 759310, 'interview right': 442233, 'right yall': 722437, 'yall so': 1014092, 'look find': 502343, 'mf killing': 530060, 'same hand': 733095, 'sudden shitbeenreal': 817040, 'so im at': 777364, 'im at my': 416509, 'at my interview': 99818, 'my interview right': 548880, 'interview right yall': 442234, 'right yall so': 722438, 'yall so look': 1014093, 'so look find': 777593, 'look find it': 502344, 'so funny how': 777149, 'how all these': 407334, 'all these mf': 45041, 'these mf killing': 880303, 'mf killing the': 530061, 'killing the same': 474718, 'the same hand': 866236, 'same hand sanitizer': 733096, 'sanitizer that always': 735856, 'that always been': 842608, 'always been here': 49486, 'been here all': 121280, 'here all of': 392666, 'of sudden shitbeenreal': 590374, 'tard': 834418, 'supermarket tard': 823137, 'tard stayathome': 834419, 'not be but': 568361, 'be but supermarket': 113933, 'but supermarket tard': 147222, 'supermarket tard stayathome': 823138, 'getting cash': 348896, 'through rakuten': 894636, 'brainer join': 137610, '10 when': 1756, 'doing my shopping': 252545, 'during 19 getting': 262405, '19 getting cash': 7205, 'getting cash back': 348897, 'cash back by': 166173, 'back by going': 106921, 'by going through': 152702, 'going through rakuten': 355506, 'through rakuten to': 894637, 'rakuten to get': 696228, 'get to my': 348481, 'to my favorite': 910396, 'favorite store no': 300556, 'store no brainer': 809072, 'no brainer join': 563719, 'brainer join for': 137611, 'join for free': 466713, 'free and get': 331647, 'get 10 when': 346456, '10 when you': 1757, 'you spend 25': 1021320, 'keeping cool': 472400, 'fed despite': 301803, 'massive pressure': 520067, 'faced over': 295031, 'ceo frank': 169702, 'frank jones': 331144, 'jones explains': 467245, 'how retailtech': 408594, 'retailtech is': 719559, 'driving their': 260009, 'their resilience': 874560, 'supermarket are keeping': 819164, 'are keeping cool': 87650, 'keeping cool and': 472401, 'cool and keeping': 202987, 'keeping fed despite': 472421, 'fed despite the': 301804, 'despite the massive': 238891, 'the massive pressure': 860271, 'massive pressure they': 520068, 'they ve faced': 883652, 've faced over': 953107, 'faced over the': 295032, 'few week due': 304143, 'to our ceo': 911160, 'our ceo frank': 622342, 'ceo frank jones': 169703, 'frank jones explains': 331145, 'jones explains how': 467246, 'explains how retailtech': 292216, 'how retailtech is': 408595, 'retailtech is driving': 719560, 'is driving their': 447390, 'driving their resilience': 260010, 'durkan': 263438, 'durkan announced': 263439, 'city would': 179469, 'would distribute': 1011761, 'distribute 800': 247959, 'family read': 298180, 'program here': 683255, 'durkan announced that': 263440, 'the city would': 850968, 'city would distribute': 179470, 'would distribute 800': 1011762, 'distribute 800 supermarket': 247960, 'voucher to over': 960677, 'to over 00': 911284, 'over 00 family': 629752, '00 family read': 202, 'family read about': 298181, 'about the relief': 26498, 'the relief program': 865487, 'relief program here': 709443, 'of dalma': 582329, 'capital zachary': 162700, 'construction week ceo': 195829, 'week ceo of': 976077, 'ceo of dalma': 169775, 'of dalma capital': 582330, 'dalma capital zachary': 225157, 'capital zachary cefaratti': 162701, 'follow you': 312587, 'currently work in': 221718, 'store follow me': 807755, 'follow me will': 312464, 'me will follow': 523981, 'will follow you': 993467, 'follow you we': 312588, 'you we need': 1022201, 'through this grocery': 894817, 'this grocery worker': 887767, 'grocery worker 19': 366159, 'freakouts': 331561, 'wfpb': 980878, 'store freakouts': 807864, 'freakouts buying': 331562, 'buying whole': 151362, 'food produce': 315998, 'produce may': 680352, 'shopping found': 762738, 'found nice': 330304, 'nice wfpb': 562518, 'wfpb soup': 980879, 'soup recipe': 786409, 'grocery store freakouts': 365412, 'store freakouts buying': 807865, 'freakouts buying whole': 331563, 'buying whole food': 151363, 'whole food produce': 990215, 'food produce may': 315999, 'produce may be': 680353, 'be the way': 117664, 'go for shopping': 353571, 'for shopping found': 325581, 'shopping found nice': 762739, 'found nice wfpb': 330305, 'nice wfpb soup': 562519, 'wfpb soup recipe': 980880, 'insane we': 439081, 'do outside': 249954, 'walk just': 964826, 'england coronacrisis': 277009, 'is insane we': 448931, 'insane we literally': 439082, 'to do outside': 904540, 'do outside of': 249955, 'our home now': 623454, 'home now but': 401682, 'now but go': 574283, 'but go to': 145798, 'supermarket or doctor': 821801, 'or doctor or': 615028, 'doctor or just': 251059, 'or just walk': 615896, 'just walk just': 470205, 'walk just didn': 964827, 'just didn think': 468593, 'didn think thing': 241240, 'think thing would': 885692, 'thing would come': 885023, 'would come to': 1011727, 'this in england': 888043, 'in england coronacrisis': 422578, 'meijer': 527877, 'postive': 666713, 'the meijer': 860453, 'meijer store': 527878, 'on mound': 602235, 'mound road': 543392, 'in warren': 430695, 'warren michigan': 967350, 'michigan ha': 530345, 'tested postive': 839359, 'postive for': 666714, 'amazing group': 50694, 'people praying': 649172, 'at the meijer': 101018, 'the meijer store': 860454, 'meijer store on': 527879, 'store on mound': 809198, 'on mound road': 602236, 'mound road in': 543393, 'road in warren': 724461, 'in warren michigan': 430696, 'warren michigan ha': 967351, 'michigan ha tested': 530346, 'ha tested postive': 372180, 'tested postive for': 839360, 'postive for covid': 666715, '19 our grocery': 9052, 'are an amazing': 84530, 'an amazing group': 55265, 'amazing group of': 50695, 'of people praying': 587968, 'people praying for': 649173, 'praying for speedy': 669119, 'for speedy recovery': 325822, 'measure were': 525427, 'the measure were': 860374, 'measure were in': 525428, 'were in response': 979778, 'not result': 571359, 'selfish capitalism': 748050, 'plunge some': 661455, 'is not result': 450173, 'not result of': 571360, 'shortage but because': 764859, 'because of greed': 119347, 'greed selfish capitalism': 363433, 'selfish capitalism milk': 748051, 'milk price plunge': 531783, 'price plunge some': 675929, 'plunge some dairy': 661456, 'worker union': 1008076, 'crucial that': 219475, 'the united food': 870417, 'united food and': 942158, 'food and commercial': 313197, 'and commercial worker': 60142, 'commercial worker union': 188757, 'worker union say': 1008077, 'union say it': 941933, 'say it crucial': 738838, 'it crucial that': 457425, 'crucial that all': 219476, 'that all supermarket': 842567, 'many profession': 514600, 'to postal': 911920, 'worker rubbish': 1007712, 'rubbish collector': 726987, 'collector cleaner': 186553, 'cleaner charity': 180764, 'transport staff': 929946, 'anyone providing': 80472, 'providing public': 687081, 'are many profession': 88035, 'many profession that': 514601, 'helping and that': 391272, 'and that deserve': 73187, 'that deserve your': 843504, 'deserve your gratitude': 238146, 'your gratitude thank': 1024102, 'you to postal': 1021822, 'to postal worker': 911922, 'postal worker rubbish': 666479, 'worker rubbish collector': 1007713, 'rubbish collector cleaner': 726988, 'collector cleaner charity': 186554, 'cleaner charity worker': 180765, 'charity worker care': 173722, 'care worker food': 164288, 'delivery staff supermarket': 234565, 'supermarket staff public': 822881, 'staff public transport': 792785, 'public transport staff': 688418, 'transport staff anyone': 929947, 'staff anyone providing': 792172, 'anyone providing public': 80473, 'providing public service': 687082, 'insurance firm': 440728, 'firm adopting': 308303, 'adopting not': 32703, 'look stance': 502599, 'stance are': 793469, 'car insurance firm': 163147, 'insurance firm adopting': 440729, 'firm adopting not': 308304, 'adopting not good': 32704, 'good look stance': 357345, 'look stance are': 502600, 'stance are you': 793470, 'and pro': 69528, 'athlete aren': 101760, 'and practicing': 69306, 'you health': 1019169, 'driver thankyou': 259783, 'actor and pro': 30565, 'and pro athlete': 69529, 'pro athlete aren': 679100, 'athlete aren working': 101761, 'aren working and': 92593, 'working and practicing': 1008505, 'and practicing the': 69307, 'practicing the world': 668757, 'thank you health': 841744, 'you health care': 1019170, 'truck driver thankyou': 932799, 'wudnews': 1013447, 'wudupdates': 1013450, 'whatsupdoha': 982936, 'and sterilizer': 72350, 'sterilizer in': 799873, 'of 214': 579514, '214 product': 15070, 'product wudnews': 681877, 'wudnews wudupdates': 1013448, 'wudupdates whatsupdoha': 1013451, 'whatsupdoha qatar': 982937, 'doha news': 252237, 'for selling sanitizers': 325445, 'sanitizers and sterilizer': 736206, 'and sterilizer in': 72351, 'sterilizer in the': 799874, 'market the ministry': 517192, 'the ministry ha': 860661, 'ministry ha released': 533530, 'list of 214': 494407, 'of 214 product': 579515, '214 product wudnews': 15071, 'product wudnews wudupdates': 681878, 'wudnews wudupdates whatsupdoha': 1013449, 'wudupdates whatsupdoha qatar': 1013452, 'whatsupdoha qatar doha': 982938, 'qatar doha news': 691486, 'total that': 926255, 'single consumer': 771262, 'of pornography': 588243, 'pornography in': 664842, 'worker seeking': 1007751, 'not nonsense': 570698, 'it is total': 459108, 'is total that': 453300, 'total that every': 926256, 'every single consumer': 286180, 'single consumer of': 771263, 'consumer of pornography': 198247, 'of pornography in': 588244, 'pornography in the': 664843, 'entitled to get': 278834, 'to get care': 906433, 'get care act': 346740, 'sex worker seeking': 754213, 'worker seeking to': 1007752, 'are not nonsense': 88421, 'article illustrates': 94358, 'joint due': 467007, 'stock purchase': 802770, 'such tea': 816789, 'coffee consumer': 185475, 'of beverage': 580684, 'beverage they': 129043, 'usually consume': 951106, 'consume in': 195938, 'in hotel': 423834, 'this article illustrates': 886419, 'article illustrates the': 94359, 'illustrates the impact': 416446, 'on food joint': 600879, 'food joint due': 315255, 'joint due to': 467008, 'to stock purchase': 915447, 'stock purchase of': 802771, 'purchase of product': 689585, 'product such tea': 681662, 'such tea and': 816790, 'tea and coffee': 835335, 'and coffee consumer': 60052, 'coffee consumer have': 185476, 'consumer have resorted': 197714, 'resorted to home': 714685, 'to home consumption': 907929, 'home consumption of': 400923, 'consumption of beverage': 199913, 'of beverage they': 580685, 'beverage they would': 129044, 'they would usually': 883955, 'would usually consume': 1012363, 'usually consume in': 951107, 'consume in hotel': 195939, 'need more of': 555260, 'honestly with': 403157, 'shit who': 759293, 'who not': 989342, 'buying toiletpaper': 151250, 'honestly with this': 403158, 'with this shit': 1001724, 'this shit who': 890091, 'shit who not': 759294, 'who not buying': 989343, 'not buying toiletpaper': 568662, 'start installing': 794347, 'register customer': 707554, 'desk and': 238448, 'weekend work': 977458, 'work should': 1005723, 'grocery store change': 365278, 'store change and': 806944, 'change and announced': 171914, 'and announced they': 58159, 'they will start': 883891, 'will start installing': 994943, 'start installing plexiglas': 794348, 'installing plexiglas at': 440046, 'plexiglas at register': 661032, 'at register customer': 100281, 'register customer service': 707555, 'customer service desk': 222820, 'service desk and': 752284, 'desk and pharmacy': 238449, 'and pharmacy to': 68982, 'pharmacy to combat': 654515, 'of this weekend': 592069, 'this weekend work': 891327, 'weekend work should': 977459, 'work should be': 1005724, 'done in week': 254899, 'behaves': 123819, 'no kid': 564560, 'kid talk': 474123, 'or behaves': 614530, 'behaves like': 123820, 'man know': 512129, 'kid had': 473977, 'had said': 373474, 'said during': 731046, 'kid did': 473922, 'he follow': 384966, 'him round': 396701, 'listening in': 494796, 'mother how': 543115, '19 no kid': 8800, 'no kid talk': 564561, 'kid talk or': 474124, 'talk or behaves': 833836, 'or behaves like': 614531, 'behaves like that': 123821, 'like that and': 491311, 'that and how': 842654, 'and how would': 64844, 'how would the': 409262, 'would the man': 1012322, 'the man know': 859980, 'man know what': 512130, 'what the kid': 982331, 'the kid had': 858786, 'kid had said': 473978, 'had said during': 373475, 'said during and': 731047, 'after the kid': 36328, 'the kid did': 858783, 'kid did it': 473923, 'did it did': 240659, 'it did he': 457531, 'did he follow': 240634, 'he follow him': 384967, 'follow him round': 312416, 'him round the': 396702, 'the supermarket listening': 868676, 'supermarket listening in': 821344, 'listening in to': 494797, 'in to his': 430116, 'to his conversation': 907808, 'conversation with his': 202505, 'with his mother': 998837, 'his mother how': 397623, 'mother how did': 543116, 'how did he': 407685, 'did he know': 240638, 'he know the': 385179, 'thing purchase': 884701, 'pickup this': 656031, 'retail risk': 718496, 'ensures florida': 278151, 'grown produce': 367290, 'produce go': 680281, 'household can among': 406752, 'can among other': 157490, 'other thing purchase': 621111, 'thing purchase food': 884702, 'and pay with': 68807, 'pay with their': 645234, 'with their ebt': 1001568, 'at pickup this': 100121, 'pickup this reduces': 656032, 'this reduces retail': 889846, 'reduces retail risk': 706247, 'retail risk due': 718497, '19 help meet': 7499, 'demand and ensures': 234960, 'and ensures florida': 62171, 'ensures florida grown': 278152, 'florida grown produce': 310945, 'grown produce go': 367291, 'produce go to': 680282, 'go to family': 354307, 'husbandappreciation': 411799, 'husbandlove': 411802, 'husbandoftheyear': 411805, 'besthusband': 128029, 'the hunter': 857762, 'hunter is': 411391, 'his prey': 397726, 'prey toilet': 672083, 'toiletpaper husbandappreciation': 922101, 'husbandappreciation husbandlove': 411800, 'husbandlove husbandoftheyear': 411803, 'husbandoftheyear besthusband': 411806, 'besthusband toiletpapershortage': 128030, 'toiletpapershortage toiletpapergate': 923333, 'toiletpapergate toiletpaperchallenge': 923169, 'the hunter is': 857763, 'hunter is home': 411392, 'is home with': 448528, 'home with his': 402526, 'with his prey': 998841, 'his prey toilet': 397727, 'prey toilet paper': 672084, '19 toiletpaper husbandappreciation': 11490, 'toiletpaper husbandappreciation husbandlove': 922102, 'husbandappreciation husbandlove husbandoftheyear': 411801, 'husbandlove husbandoftheyear besthusband': 411804, 'husbandoftheyear besthusband toiletpapershortage': 411807, 'besthusband toiletpapershortage toiletpapergate': 128031, 'toiletpapershortage toiletpapergate toiletpaperchallenge': 923334, 'toiletpapergate toiletpaperchallenge toiletpapercrisis': 923170, 'force may': 328440, 'increase business': 432700, 'jet demand': 465331, 'demand moving': 235900, 'frontier where': 338699, 'failing that': 296221, 'company likely': 190849, 'likely got': 492009, 'got cost': 358507, 'missed demand': 534229, 'three is': 893963, 'bad demand': 107825, 'other force may': 620266, 'force may increase': 328441, 'may increase business': 521291, 'increase business jet': 432701, 'business jet demand': 143968, 'jet demand moving': 465332, 'demand moving the': 235901, 'moving the demand': 544193, 'demand frontier where': 235555, 'frontier where aerion': 338700, 'be failing that': 114784, 'failing that the': 296222, 'the company likely': 851336, 'company likely got': 190850, 'likely got cost': 492010, 'got cost and': 358508, 'and price right': 69472, 'price right but': 676223, 'right but missed': 721829, 'but missed demand': 146399, 'missed demand in': 534230, 'of three is': 592144, 'three is bad': 893964, 'is bad demand': 445961, 'bad demand price': 107826, 'demand price pricing': 236067, 'in cameroon': 421170, 'cameroon and': 157145, 'alcohol these': 41141, 'not opportunist': 570845, 'opportunist they': 613559, 're silly': 699524, 'silly selfish': 769770, 'put everyone': 690565, 'risk smh': 723883, 'smh 19': 775667, 'to someone in': 914905, 'someone in cameroon': 784510, 'in cameroon and': 421171, 'cameroon and found': 157146, 'out that pharmacy': 627332, 'that pharmacy have': 845737, 'pharmacy have tripled': 654340, 'sanitizers and alcohol': 736192, 'and alcohol these': 57834, 'alcohol these are': 41142, 'are not opportunist': 88428, 'not opportunist they': 570846, 'opportunist they re': 613560, 'they re silly': 883125, 're silly selfish': 699525, 'silly selfish people': 769771, 'selfish people if': 748213, 'people if people': 648318, 'afford it they': 34721, 'it they won': 461633, 'they won buy': 883906, 'won buy it': 1003759, 'buy it and': 148845, 'it and guess': 456495, 'guess what it': 368084, 'what it put': 981756, 'it put everyone': 460565, 'put everyone at': 690566, 'at risk smh': 100398, 'risk smh 19': 723884, 'vee announced': 953686, 'with doordash': 998122, 'doordash that': 255811, '00 free': 222, 'hy vee announced': 411886, 'vee announced partnership': 953687, 'announced partnership with': 77014, 'partnership with doordash': 642950, 'with doordash that': 998123, 'doordash that will': 255812, 'will provide 20': 994505, 'provide 20 00': 686201, '20 00 free': 12857, '00 free delivery': 223, 'delivery to customer': 234655, 'who are considered': 988121, 'are considered high': 85504, 'for contracting covid': 320334, 'nationalize': 552672, 'trump incorrectly': 933629, 'incorrectly state': 432634, 'state defense': 795512, 'act mean': 29701, 'mean he': 524476, 'would nationalize': 1012044, 'nationalize company': 552673, 'direct private': 243371, 'manufacture specific': 513390, 'specific material': 788230, 'that different': 843531, 'over company': 630094, 'company governance': 190701, 'governance operation': 359780, 'operation dpa': 613172, 'trump incorrectly state': 933630, 'incorrectly state defense': 432635, 'state defense production': 795513, 'production act mean': 681897, 'act mean he': 29702, 'mean he would': 524477, 'he would nationalize': 385699, 'would nationalize company': 1012045, 'nationalize company it': 552674, 'company it can': 190821, 'it can direct': 457013, 'can direct private': 158068, 'direct private sector': 243372, 'sector to manufacture': 744366, 'to manufacture specific': 909821, 'manufacture specific material': 513391, 'specific material and': 788231, 'material and set': 520367, 'set price that': 753464, 'price that different': 676798, 'that different than': 843532, 'different than taking': 242087, 'than taking over': 841200, 'taking over company': 833493, 'over company governance': 630095, 'company governance operation': 190702, 'governance operation dpa': 359781, 'coronavirus still': 206822, 'because even in': 119042, 'even in world': 284252, 'full of coronavirus': 340709, 'of coronavirus still': 581965, 'coronavirus still want': 206823, 'farmer experiencing': 299363, 'experiencing some': 291700, 'veggie beef': 954172, 'dairy retailer': 225035, 'highest margin': 395834, '19 crisis why': 6353, 'crisis why are': 218399, 'are farmer experiencing': 86494, 'farmer experiencing some': 299364, 'experiencing some of': 291701, 'ever for the': 285311, 'for the fruit': 326454, 'the fruit veggie': 855912, 'fruit veggie beef': 339189, 'veggie beef or': 954173, 'beef or dairy': 120532, 'or dairy retailer': 614882, 'dairy retailer are': 225036, 'retailer are making': 719009, 'are making some': 88004, 'making some of': 511357, 'the highest margin': 857343, 'highest margin ever': 395835, '1973 here': 12427, 'back toiletpaper': 107417, 'you remember the': 1020900, 'remember the toilet': 710321, 'of 1973 here': 579437, '1973 here look': 12428, 'here look back': 393315, 'look back toiletpaper': 502317, 'hello bounced': 389136, 'bounced around': 136826, 'night wegotthis': 563125, 'one positive out': 606908, 'positive out of': 665395, 'out of coronacrisis': 626708, 'of coronacrisis is': 581907, 'when do see': 983351, 'do see people': 250063, 'and hello bounced': 64437, 'hello bounced around': 389137, 'bounced around the': 136827, 'last night wegotthis': 480402, 'him hr': 396629, '50 store': 19865, 'shift he': 758307, 'his hazard': 397497, 'week minimum': 976529, 'minimum 19': 533163, 'at an asian': 97977, 'an asian grocery': 55433, 'asian grocery store': 95291, 'store they just': 810671, 'they just gave': 882495, 'just gave him': 468794, 'gave him hr': 344620, 'him hr raise': 396630, 'hr raise and': 409657, 'raise and 50': 695812, 'and 50 store': 57491, '50 store gift': 19866, 'card for every': 163520, 'for every shift': 321175, 'every shift he': 286165, 'shift he work': 758308, 'he work this': 385684, 'is his hazard': 448495, 'his hazard pay': 397498, 'pay for next': 644889, 'for next six': 323856, 'next six week': 561556, 'six week minimum': 772718, 'week minimum 19': 976530, 'sfightcorona': 754271, 'how adorable': 407321, 'adorable saw': 32744, 'beautiful drawing': 118679, 'happy let': 377643, 'let sfightcorona': 487045, 'how adorable saw': 407322, 'adorable saw this': 32745, 'saw this beautiful': 738290, 'this beautiful drawing': 886512, 'beautiful drawing and': 118680, 'the supermarket happy': 868622, 'supermarket happy let': 820667, 'happy let sfightcorona': 377644, 'murphy yesterday': 546215, 'yesterday issued': 1015784, 'issued expanded': 456059, 'expanded executive': 290480, 'order 122': 617975, '122 rule': 3052, 'impact construction': 417603, 'construction retail': 195811, 'and warehousing': 75187, 'warehousing and': 966837, 'operation new': 613230, 'likely affect': 491942, 'affect most': 34184, 'governor murphy yesterday': 360942, 'murphy yesterday issued': 546216, 'yesterday issued expanded': 1015785, 'issued expanded executive': 456060, 'expanded executive order': 290481, 'executive order 122': 289920, 'order 122 rule': 617976, '122 rule that': 3053, 'rule that impact': 727369, 'that impact construction': 844437, 'impact construction retail': 417604, 'construction retail store': 195812, 'store and warehousing': 806397, 'and warehousing and': 75188, 'warehousing and manufacturing': 966838, 'and manufacturing operation': 66663, 'manufacturing operation new': 513638, 'operation new guideline': 613231, 'new guideline for': 558831, 'guideline for essential': 368425, 'for essential retail': 321119, 'store will likely': 811334, 'will likely affect': 993991, 'likely affect most': 491943, 'traction': 928388, 'sfi': 754268, 'outbreak some': 628636, 'some agtech': 782269, 'agtech company': 39072, 'getting traction': 349417, 'traction in': 928389, 'their ramp': 874523, 'ramp ups': 696451, 'ups belief': 947734, 'belief this': 126228, 'growing consumer': 367144, 'remove synthetic': 710836, 'synthetic from': 831023, 'system sfi': 831308, 'sfi agtech': 754269, 'agtech climatechange': 39071, '19 outbreak some': 9189, 'outbreak some agtech': 628637, 'some agtech company': 782270, 'agtech company have': 39073, 'been getting traction': 121202, 'getting traction in': 349418, 'traction in their': 928390, 'in their ramp': 429770, 'their ramp ups': 874524, 'ramp ups belief': 696452, 'ups belief this': 947735, 'belief this is': 126229, 'this is driven': 888240, 'by the growing': 154345, 'the growing consumer': 856877, 'growing consumer interest': 367145, 'interest to remove': 441419, 'to remove synthetic': 913221, 'remove synthetic from': 710837, 'synthetic from the': 831024, 'food system sfi': 317054, 'system sfi agtech': 831309, 'sfi agtech climatechange': 754270, 'planning online': 658571, 'on planning': 602813, 'planning ahead': 658511, '19 planning online': 9699, 'planning online shopping': 658572, 'product online this': 681486, 'time to work': 898101, 'work on planning': 1005539, 'on planning ahead': 602814, 'planning ahead seo': 658512, 'bln': 132751, 'call raising': 156084, '35 bln': 17881, 'bln worth': 132752, 'worth gov': 1011369, 'gov security': 359689, 'security stabilise': 744751, 'stabilise financial': 791790, 'boycott call raising': 137322, 'call raising soap': 156085, 'sanitiser price covid': 734006, 'buy 35 bln': 148260, '35 bln worth': 17882, 'bln worth gov': 132753, 'worth gov security': 1011370, 'gov security stabilise': 359690, 'security stabilise financial': 744752, 'stabilise financial market': 791791, 'come is': 187397, 'coming seems': 188183, 'seems unreal': 746893, 'frankly infuriating': 331173, 'storm to come': 811849, 'to come is': 903036, 'come is painful': 187398, 'is coming seems': 446664, 'coming seems unreal': 188184, 'seems unreal watching': 746894, 'will see mass': 994782, 'see mass death': 745398, 'mass death is': 519756, 'death is infuriating': 230097, 'is infuriating depressing': 448923, 'and frankly infuriating': 63249, 'lockdown see': 499890, 'by multifold': 153268, 'multifold in': 545697, 'hyd people': 411910, 'people plz': 649140, 'plz take strict': 661842, 'take strict action': 832614, 'strict action on': 813612, 'action on those': 30099, 'on those not': 604650, 'not following lockdown': 569465, 'following lockdown see': 312785, 'lockdown see all': 499891, 'see all shop': 744879, 'all shop are': 44316, 'open and price': 612071, 'vegetable and daily': 953921, 'daily essential were': 224604, 'essential were increased': 281778, 'were increased by': 979787, 'increased by multifold': 433234, 'by multifold in': 153269, 'multifold in hyd': 545698, 'in hyd people': 423932, 'hyd people plz': 411911, 'people plz stay': 649141, 'plz stay home': 661838, 'pandemic so people': 636496, 'so people stop': 778005, 'price edged': 673660, 'edged higher': 268525, 'higher tuesday': 395777, 'tuesday but': 935131, 'but downside': 145610, 'risk remained': 723843, 'remained case': 709926, 'case continued': 165692, 'grow drastically': 367019, 'drastically reducing': 258459, 'reducing travel': 706333, 'petroleum price edged': 653829, 'price edged higher': 673661, 'edged higher tuesday': 268526, 'higher tuesday but': 395778, 'tuesday but downside': 935132, 'but downside risk': 145611, 'downside risk remained': 257713, 'risk remained case': 723844, 'remained case continued': 709927, 'case continued to': 165693, 'continued to grow': 201359, 'to grow drastically': 907026, 'grow drastically reducing': 367020, 'drastically reducing travel': 258460, 'reducing travel and': 706334, 'excused': 289800, 'eloquence': 271594, 'eloquent': 271597, 'can end': 158218, 'gauging say': 344570, 'say agree': 738393, 'controlled rent': 202253, 'mortgage excused': 541895, 'excused at': 289801, 'time disagree': 896564, 'disagree the': 244015, 'the eloquence': 854204, 'eloquence he': 271595, 'plenty eloquent': 660913, 'eloquent clear': 271598, 'strong cuomo': 814005, 'cuomo pressconference': 220420, 'pressconference newyork': 671099, 'president can end': 670777, 'can end price': 158219, 'end price gauging': 275942, 'price gauging say': 674160, 'gauging say agree': 344571, 'say agree price': 738394, 'agree price must': 38635, 'price must be': 675292, 'be controlled rent': 114229, 'controlled rent and': 202254, 'and mortgage excused': 67253, 'mortgage excused at': 541896, 'excused at this': 289802, 'this time disagree': 890630, 'time disagree the': 896565, 'disagree the doesn': 244016, 'the doesn have': 853487, 'have the eloquence': 382979, 'the eloquence he': 854205, 'eloquence he wa': 271596, 'he wa plenty': 385612, 'wa plenty eloquent': 962949, 'plenty eloquent clear': 660914, 'eloquent clear and': 271599, 'clear and strong': 181224, 'and strong cuomo': 72589, 'strong cuomo pressconference': 814006, 'cuomo pressconference newyork': 220421, 'stilled': 801455, 'are stilled': 90502, 'stilled around': 801456, 'globe because': 352447, '19 metal': 8641, 'tumbled sharply': 935326, 'sharply but': 755728, 'but montana': 146405, 'montana resource': 537495, 'no current': 563949, 'quit mining': 694798, 'factory are stilled': 295929, 'are stilled around': 90503, 'stilled around the': 801457, 'the globe because': 856348, 'globe because of': 352448, 'covid 19 metal': 213430, '19 metal price': 8642, 'metal price have': 529649, 'have tumbled sharply': 383422, 'tumbled sharply but': 935327, 'sharply but montana': 755729, 'but montana resource': 146406, 'montana resource ha': 537496, 'resource ha no': 714802, 'ha no current': 371337, 'no current plan': 563950, 'plan to quit': 658311, 'to quit mining': 912692, 'hypochlorite': 412388, 'consumer lab': 197987, 'lab the': 478302, 'are 62': 84141, '62 71': 21218, '71 ethanol': 21968, 'ethanol hydrogen': 282982, 'peroxide sodium': 652210, 'sodium hypochlorite': 781435, 'hypochlorite in': 412389, 'bleach 19': 132471, 'to consumer lab': 903313, 'consumer lab the': 197988, 'lab the most': 478303, 'most effective disinfectant': 542283, 'effective disinfectant for': 269242, 'disinfectant for the': 245667, 'virus are 62': 957958, 'are 62 71': 84142, '62 71 ethanol': 21219, '71 ethanol hydrogen': 21969, 'ethanol hydrogen peroxide': 282983, 'hydrogen peroxide sodium': 411972, 'peroxide sodium hypochlorite': 652211, 'sodium hypochlorite in': 781436, 'hypochlorite in bleach': 412390, 'in bleach 19': 420874, 'state food': 795584, 'food corporation': 314027, 'corporation of': 207448, 'is daily': 447017, 'daily supplying': 224821, 'supplying 60': 826275, '60 thousand': 21023, 'thousand bag': 893384, 'wheat to': 983020, 'govt valley': 361328, 'valley ha': 951965, 'ha sufficient': 372108, 'of lakh': 585708, 'lakh metric': 479114, 'ha lakh': 371091, 'lakh food': 479107, 'down in amp': 256853, 'in amp state': 420264, 'amp state food': 54557, 'state food corporation': 795585, 'food corporation of': 314028, 'corporation of india': 207449, 'india is daily': 434483, 'is daily supplying': 447018, 'daily supplying 60': 224822, 'supplying 60 thousand': 826276, '60 thousand bag': 21024, 'thousand bag of': 893385, 'and wheat to': 75506, 'wheat to the': 983021, 'the state govt': 867779, 'state govt valley': 795631, 'govt valley ha': 361329, 'valley ha sufficient': 951966, 'ha sufficient stock': 372109, 'stock of lakh': 802527, 'of lakh metric': 585709, 'lakh metric ton': 479115, 'metric ton rice': 529888, 'ton rice and': 924293, 'and wheat and': 75503, 'wheat and ha': 982968, 'and ha lakh': 64075, 'ha lakh food': 371092, 'lakh food grain': 479108, 'evident that': 288419, 'lovely and': 504946, 'caring person': 164725, 'managing crisis': 512857, 'is evident that': 447605, 'evident that while': 288420, 'many are willing': 513786, 'willing to change': 995464, 'their behavior for': 872579, 'not it nice': 570186, 'nice to think': 562501, 'think that everyone': 885591, 'is lovely and': 449470, 'lovely and caring': 504947, 'and caring person': 59574, 'caring person but': 164726, 'person but it': 652341, 'basis for managing': 112239, 'for managing crisis': 323187, 'managing crisis when': 512858, 'crisis when the': 218379, 'hydroxycholorquine': 412024, '2020 mylan': 14459, 'mylan falling': 550745, 'were hurting': 979756, 'merger it': 529102, 'take at': 831955, 'bring mylan': 140031, 'mylan around': 550743, 'that mylan': 845282, 'producing massive': 680780, 'of hydroxycholorquine': 584938, 'hydroxycholorquine for': 412025, 'of 2020 mylan': 579499, '2020 mylan falling': 14460, 'mylan falling stock': 550746, 'stock price were': 802758, 'price were hurting': 677450, 'were hurting the': 979757, 'hurting the merger': 411651, 'the merger it': 860501, 'merger it wa': 529103, 'expected to take': 291008, 'to take at': 916160, 'take at least': 831956, 'least year to': 484705, 'year to bring': 1015036, 'to bring mylan': 902043, 'bring mylan around': 140032, 'mylan around now': 550744, 'around now that': 93422, 'now that mylan': 576010, 'that mylan is': 845283, 'mylan is producing': 550748, 'is producing massive': 451065, 'producing massive quantity': 680781, 'massive quantity of': 520076, 'quantity of hydroxycholorquine': 691937, 'of hydroxycholorquine for': 584939, 'hydroxycholorquine for the': 412026, '19 pandemic keep': 9374, 'pandemic keep an': 635855, 'brutalize': 141414, 'pakistan are': 634424, 'to brutalize': 902073, 'brutalize the': 141415, 'man by': 512013, 'charging 00': 173436, 'of pakistan are': 587671, 'pakistan are turning': 634425, 'turning to the': 935976, 'continues to brutalize': 201462, 'to brutalize the': 902074, 'brutalize the common': 141416, 'common man by': 189409, 'man by charging': 512014, 'by charging 00': 152101, 'charging 00 00': 173437, '00 00 for': 3, '00 for simple': 215, 'mask have skyrocketed': 518789, 'have skyrocketed to': 382578, 'rethink grocery': 719645, 'practice limiting': 668604, 'limiting hour': 492821, 'hour using': 406062, 'other teller': 621055, 'teller is': 837167, 'useless the': 950244, 'lineup down': 493665, 'isle shutting': 454380, 'country won': 211262, 'time to rethink': 898054, 'to rethink grocery': 913465, 'rethink grocery store': 719646, 'grocery store practice': 365673, 'store practice limiting': 809627, 'practice limiting hour': 668605, 'limiting hour using': 492822, 'hour using every': 406063, 'using every other': 950471, 'every other teller': 286074, 'other teller is': 621056, 'teller is useless': 837168, 'is useless the': 453628, 'useless the store': 950245, 'store are filled': 806476, 'people and there': 646889, 'there are lineup': 878118, 'are lineup down': 87824, 'lineup down all': 493666, 'way the isle': 969937, 'the isle shutting': 858556, 'isle shutting down': 454381, 'the country won': 852186, 'country won help': 211263, 'won help if': 1003841, 'help if we': 389888, 'all go shopping': 42947, 'on construction': 600020, 'construction ford': 195794, 'say inspector': 738806, 'inspector are': 439781, 'over various': 630878, 'various site': 952639, 'if employer': 414073, 'employer do': 274502, 'down onpoli': 257052, 'on construction ford': 600021, 'construction ford say': 195795, 'ford say inspector': 328786, 'say inspector are': 738807, 'inspector are going': 439782, 'are going over': 86896, 'going over various': 355414, 'over various site': 630879, 'various site and': 952640, 'site and say': 771875, 'and say if': 70998, 'say if employer': 738785, 'if employer do': 414074, 'employer do not': 274503, 'not protect worker': 571126, 'protect worker will': 685045, 'worker will shut': 1008253, 'will shut them': 994855, 'them down onpoli': 875625, 'are occurring': 88637, 'occurring across': 579059, 'country here': 210750, 'chicago from': 175667, 'from premise': 336969, 'premise contributor': 669925, 'contributor network': 201949, 'network learn': 557738, 'the report of': 865534, 'report of shortage': 712125, 'product are occurring': 680946, 'are occurring across': 88638, 'occurring across the': 579060, 'the country here': 852094, 'country here look': 210751, 'here look inside': 393316, 'look inside grocery': 502426, 'in chicago from': 421367, 'chicago from premise': 175668, 'from premise contributor': 336970, 'premise contributor network': 669926, 'contributor network learn': 201950, 'network learn more': 557739, 'cardboard surface': 163729, 'plastic like': 658861, 'like perhaps': 490984, 'perhaps mailer': 651613, 'mailer for': 508693, 'virus can last': 958033, 'can last on': 158834, 'last on cardboard': 480419, 'on cardboard surface': 599826, 'cardboard surface for': 163730, 'surface for 24': 828021, 'hour and plastic': 405409, 'and plastic like': 69079, 'plastic like perhaps': 658862, 'like perhaps mailer': 490985, 'perhaps mailer for': 651614, 'mailer for or': 508694, 'for or day': 324150, 'or day just': 614890, 'day just thought': 227864, 'just thought for': 470064, 'thought for people': 893046, 'non essential online': 566348, 'didn anybody': 240982, 'anybody tell': 80103, 'currency after': 221006, 'why didn anybody': 990924, 'didn anybody tell': 240983, 'anybody tell me': 80104, 'me that toiletpaper': 523633, 'toiletpaper wa going': 922808, 'new currency after': 558573, 'currency after the': 221007, 'after the apocalypse': 36284, 'digitalmarketing digital': 242764, 'behavior digitalmarketing digital': 123998, 'digitalmarketing digital marketing': 242765, 'digital marketing via': 242602, 'regaining': 707123, 'dma': 248945, 'pall': 634579, 'pplt': 668399, 'slv': 774735, 'palladium gold': 634585, 'gold regaining': 355984, 'regaining 200': 707124, '200 dma': 13479, 'dma platinum': 248946, 'platinum silver': 659076, 'silver undervalued': 769868, 'undervalued playing': 940958, 'playing catch': 659391, 'panic sell': 638521, 'off stimulus': 594192, 'stimulus unlimited': 801622, 'unlimited qe': 942787, 'qe south': 691539, 'closure much': 183948, 'forward pall': 329997, 'pall pplt': 634580, 'pplt gld': 668400, 'gld slv': 351661, 'palladium gold regaining': 634586, 'gold regaining 200': 355985, 'regaining 200 dma': 707125, '200 dma platinum': 13480, 'dma platinum silver': 248947, 'platinum silver undervalued': 659077, 'silver undervalued playing': 769869, 'undervalued playing catch': 940959, 'playing catch up': 659392, 'catch up after': 167047, 'up after panic': 944227, 'after panic sell': 36017, 'panic sell off': 638522, 'sell off stimulus': 748819, 'off stimulus unlimited': 594193, 'stimulus unlimited qe': 801623, 'unlimited qe south': 942788, 'qe south african': 691540, 'african mine closure': 35210, 'mine closure much': 532885, 'closure much higher': 183949, 'higher price going': 395675, 'going forward pall': 355161, 'forward pall pplt': 329998, 'pall pplt gld': 634581, 'pplt gld slv': 668401, 'buyer profile': 149728, 'profile in': 682622, 'still number': 800914, 'of savvy': 589343, 'savvy investor': 738028, 'investor looking': 444179, 'purchase over': 689616, 'the decrease': 853009, 'is the buyer': 452743, 'the buyer profile': 850225, 'buyer profile in': 149729, 'profile in the': 682623, '19 market there': 8558, 'market there are': 517205, 'are still number': 90453, 'still number of': 800915, 'number of savvy': 576988, 'of savvy investor': 589344, 'savvy investor looking': 738029, 'investor looking to': 444180, 'looking to purchase': 503040, 'to purchase over': 912546, 'purchase over the': 689617, '19 coronavirus period': 6117, 'coronavirus period due': 206547, 'to the decrease': 916630, 'the decrease in': 853010, 'decrease in some': 231582, 'in some business': 428081, 'some business price': 782450, 'business price which': 144257, 'am 40': 49838, 'old next': 598393, 'disgusted to': 245377, 'supermarket fucking': 820468, 'fucking disgusting': 339851, 'bought sainsburys': 136697, 'asda aldi': 94900, 'aldi morrison': 41285, 'morrison lidl': 541734, 'am 40 year': 49839, '40 year old': 18700, 'year old next': 1014856, 'old next week': 598394, 'and just been': 65694, 'been to do': 122215, 'my weekly food': 550560, 'weekly food shopping': 977494, 'can say am': 159512, 'say am disgusted': 738410, 'am disgusted to': 50005, 'disgusted to see': 245378, 'see the sight': 745884, 'the supermarket fucking': 868603, 'supermarket fucking disgusting': 820469, 'fucking disgusting behaviour': 339852, 'disgusting behaviour to': 245396, 'behaviour to the': 124544, 'panic bought sainsburys': 637433, 'bought sainsburys tesco': 136698, 'tesco asda aldi': 838667, 'asda aldi morrison': 94901, 'aldi morrison lidl': 41286, 'ivanka': 464047, 'no have': 564403, 'to conclude': 903178, 'conclude jared': 193303, 'jared ivanka': 464828, 'ivanka or': 464048, 'other trump': 621145, 'trump heavily': 933608, 'heavily invested': 388588, 'invested if': 443781, 'it prof': 460512, 'helpful with': 391254, 'will if': 993770, 'create such': 215746, 'such supply': 816785, 'issue jack': 455825, 'for autoimmune': 319534, 'autoimmune dz': 103936, 'dz sufferer': 263960, 'no have to': 564404, 'have to conclude': 383183, 'to conclude jared': 903179, 'conclude jared ivanka': 193304, 'jared ivanka or': 464829, 'ivanka or some': 464049, 'some other trump': 783483, 'other trump heavily': 621146, 'trump heavily invested': 933609, 'heavily invested if': 388589, 'invested if it': 443782, 'if it prof': 414331, 'it prof to': 460513, 'to be helpful': 901300, 'be helpful with': 115214, 'helpful with covid': 391255, 'they will if': 883856, 'will if not': 993771, 'if not they': 414512, 'not they will': 572070, 'they will create': 883834, 'will create such': 993075, 'create such supply': 215747, 'such supply and': 816786, 'and demand issue': 61160, 'demand issue jack': 235751, 'issue jack up': 455826, 'price for autoimmune': 673930, 'for autoimmune dz': 319535, 'autoimmune dz sufferer': 103937, 'sharekhanresearch': 755495, 'apl': 81468, 'sharekhanfna': 755494, 'sharekhanresearch initiate': 755496, 'initiate viewpoint': 438586, 'viewpoint on': 957214, 'asian paint': 95320, 'paint apl': 634275, 'apl with': 81471, 'with upside': 1001920, '23 25': 15364, '25 apl': 15840, 'apl is': 81469, 'is market': 449585, 'in paint': 426427, 'paint with': 634303, '55 mkt': 20398, 'mkt share': 534700, 'it quality': 460570, 'quality play': 691833, 'play amid': 659111, 'amid near': 52541, 'term uncertainty': 838330, 'uncertainty led': 939716, '19 margin': 8552, 'margin will': 515642, 'by sharp': 153972, 'price sharekhanfna': 676359, 'sharekhanresearch initiate viewpoint': 755497, 'initiate viewpoint on': 438587, 'viewpoint on asian': 957215, 'on asian paint': 599482, 'asian paint apl': 95321, 'paint apl with': 634276, 'apl with upside': 81472, 'with upside of': 1001921, 'upside of 23': 947860, 'of 23 25': 579525, '23 25 apl': 15365, '25 apl is': 15841, 'apl is market': 81470, 'is market leader': 449586, 'market leader in': 516678, 'leader in paint': 483477, 'in paint with': 426428, 'paint with 55': 634304, 'with 55 mkt': 997041, '55 mkt share': 20399, 'mkt share it': 534701, 'share it quality': 755076, 'it quality play': 460571, 'quality play amid': 691834, 'play amid near': 659112, 'amid near term': 52542, 'near term uncertainty': 553606, 'term uncertainty led': 838331, 'uncertainty led by': 939717, 'led by covid': 485216, 'covid 19 margin': 213401, '19 margin will': 8553, 'margin will be': 515643, 'be well supported': 118090, 'well supported by': 978628, 'supported by sharp': 827047, 'by sharp fall': 153973, 'oil price sharekhanfna': 597252, 'gotten an': 359123, 'store app': 806442, 'country telling': 211100, 're responding': 699384, 've gotten an': 953208, 'gotten an email': 359124, 'from every retail': 335324, 'retail store app': 718608, 'store app and': 806443, 'app and restaurant': 81674, 'the country telling': 852160, 'country telling me': 211101, 'they re responding': 883111, 're responding to': 699385, 'before finishing': 122799, 'finishing due': 307934, 'attack sit': 102152, 'do breathing': 249150, 'store before finishing': 806697, 'before finishing due': 122800, 'finishing due to': 307935, 'to panic attack': 911386, 'panic attack sit': 637380, 'attack sit in': 102153, 'lot and do': 503982, 'and do breathing': 61549, 'do breathing exercise': 249151, 'breathing exercise wa': 139223, 'exercise wa lucky': 290114, 'wa lucky enough': 962606, 'enough to avoid': 277687, 'to avoid public': 900933, 'avoid public panic': 105246, 'long time what': 501786, 'time what happening': 898272, 'week double': 976165, 'double tap': 256059, 'tap if': 834322, 'what dating': 981292, 'dating under': 226810, 'quarantine look': 692355, 'socialdistancing shutdown': 780685, 'quarantine dating': 692128, 'dating mindset': 226803, 'me for two': 522768, 'two week double': 937328, 'week double tap': 976166, 'double tap if': 256060, 'tap if you': 834323, 'you agree this': 1016853, 'agree this is': 38655, 'is what dating': 453869, 'what dating under': 981293, 'dating under quarantine': 226811, 'under quarantine look': 940219, 'quarantine look like': 692356, 'look like pandemic': 502504, 'like pandemic socialdistancing': 490960, 'pandemic socialdistancing shutdown': 636504, 'socialdistancing shutdown toiletpaper': 780686, 'shutdown toiletpaper quarantine': 768116, 'toiletpaper quarantine dating': 922371, 'quarantine dating mindset': 692129, 'business receiving': 144295, 'receiving covid': 703757, 'amount since': 53279, 'deal granted': 229418, 'granted to': 362095, 'the lobbyist': 859528, 'why are business': 990763, 'are business receiving': 85093, 'business receiving covid': 144296, 'receiving covid 19': 703758, 'debt when the': 230601, 'when the fed': 984151, 'the fed rate': 855066, 'fed rate is': 301881, 'rate is why': 697280, 'lower this amount': 506035, 'this amount since': 886312, 'amount since it': 53280, 'sweetheart deal granted': 830284, 'deal granted to': 229419, 'granted to the': 362096, 'to the lobbyist': 916852, 'the lobbyist and': 859529, 'lobbyist and provide': 497608, 'and provide an': 69688, 'provide an immediate': 686223, 'immediate positive response': 417009, 'part no': 642321, 'part no toilet': 642322, 'paper don do': 640106, 'don do this': 253473, 'and buy every': 59330, 'buy every food': 148588, 'food item they': 315235, 'can just buy': 158792, 'need and there': 554439, 'gleaned': 351671, 'disinfecting gleaned': 245850, 'gleaned from': 351672, 'yes wa': 1015590, 'wa clueless': 961832, 'clueless going': 184571, 'not anymore': 568224, 'anymore 10': 80118, '10 19': 1243, 'cleaning disinfecting gleaned': 180936, 'disinfecting gleaned from': 245851, 'gleaned from and': 351673, 'from and yes': 334530, 'and yes wa': 75976, 'yes wa clueless': 1015591, 'wa clueless going': 961833, 'clueless going in': 184572, 'going in not': 355218, 'in not anymore': 425964, 'not anymore 10': 568225, 'anymore 10 19': 80119, 'be prioritising': 116538, 'prioritising online': 678422, 'delivery click': 233801, 'vulnerable that': 961196, 'are frightened': 86688, 'frightened to': 334050, 'shopping incase': 763000, 'should the supermarket': 766574, 'supermarket be prioritising': 819324, 'be prioritising online': 116539, 'prioritising online delivery': 678423, 'online delivery click': 608082, 'delivery click and': 233802, 'the vulnerable that': 870999, 'vulnerable that are': 961197, 'that are frightened': 842754, 'are frightened to': 86689, 'frightened to go': 334051, 'go shopping incase': 354114, 'shopping incase they': 763001, 'highwood': 396164, 'suburban chicago': 816136, 'chicago 28': 175637, '28 mile': 16399, 'mile distilling': 531382, 'distilling in': 247845, 'in highwood': 423702, 'highwood start': 396165, 'sanitizers desperately': 736254, 'the exploding': 854737, 'exploding distilling': 292323, 'distilling is': 247847, 'is distilling': 447240, 'distilling it': 247849, 'whether for': 985512, 'for spirit': 325828, 'spirit or': 789500, 'sanitizers my': 736351, 'suburban chicago 28': 816137, 'chicago 28 mile': 175638, '28 mile distilling': 16400, 'mile distilling in': 531383, 'distilling in highwood': 247846, 'in highwood start': 423703, 'highwood start making': 396166, 'hand sanitizers desperately': 375687, 'sanitizers desperately needed': 736255, 'desperately needed with': 238581, 'needed with the': 556584, 'with the exploding': 1001294, 'the exploding distilling': 854738, 'exploding distilling is': 292324, 'distilling is distilling': 247848, 'is distilling it': 447241, 'distilling it turn': 247850, 'turn out whether': 935746, 'out whether for': 627829, 'whether for spirit': 985513, 'for spirit or': 325829, 'spirit or sanitizers': 789501, 'or sanitizers my': 616959, 'sanitizers my column': 736352, 'delivery is critical': 234135, 'is critical service': 446944, 'people listening': 648664, 'inside yet': 439450, 'yet over': 1016188, 'only venturing': 611413, 'are people listening': 89038, 'people listening and': 648665, 'listening and staying': 494791, 'and staying inside': 72323, 'staying inside yet': 798662, 'inside yet over': 439451, 'yet over the': 1016189, 'three week in': 894105, 'week in work': 976390, 'in work for': 430974, 'work for one': 1005165, 'for one day': 324079, 'one day have': 606158, 'day have to': 227737, 'be and only': 113619, 'and only venturing': 68155, 'only venturing out': 611414, 'to supermarket if': 915801, 'supermarket if need': 820831, 'need to it': 555978, 'to it really': 908608, 'really not hard': 702459, 'plattsoil': 659101, 'plattsmetals rt': 659099, 'rt plattsoil': 726798, 'plattsoil plattscommoditynews': 659102, 'america mar': 51604, 'mar 24': 514992, '24 factbox': 15590, 'factbox petroleum': 295852, 'higher downside': 395582, 'risk remains': 723845, 'remains factbox': 710009, 'factbox and': 295850, 'america petrochemical': 51645, 'petrochemical podcast': 653697, 'plattsmetals rt plattsoil': 659100, 'rt plattsoil plattscommoditynews': 726799, 'plattsoil plattscommoditynews america': 659103, 'plattscommoditynews america mar': 659094, 'america mar 24': 51605, 'mar 24 factbox': 514993, '24 factbox petroleum': 15591, 'factbox petroleum price': 295853, 'petroleum price edge': 653828, 'price edge higher': 673659, 'edge higher downside': 268507, 'higher downside risk': 395583, 'downside risk remains': 257714, 'risk remains factbox': 723846, 'remains factbox and': 710010, 'factbox and america': 295851, 'and america petrochemical': 58062, 'america petrochemical podcast': 51646, 'through incredible': 894526, 'incredible selfishness': 433865, 'keeping ppe': 472527, 'ppe amp': 667893, 'amp ventilator': 54779, '19 doc': 6601, 'doc nurse': 250745, 'amp patient': 54280, 'patient where': 644299, 'most amp': 542095, 'amp jacking': 54026, 'company instead': 190786, 'use stimulus': 949611, 'him amp': 396531, 'who through incredible': 989789, 'through incredible selfishness': 894527, 'incredible selfishness is': 433866, 'selfishness is keeping': 748360, 'is keeping ppe': 449175, 'keeping ppe amp': 472528, 'ppe amp ventilator': 667894, 'amp ventilator for': 54780, 'ventilator for covid': 954556, 'covid 19 doc': 212970, '19 doc nurse': 6602, 'doc nurse amp': 250746, 'nurse amp patient': 577192, 'amp patient where': 54281, 'patient where they': 644300, 'needed the most': 556520, 'the most amp': 860946, 'most amp jacking': 542096, 'amp jacking up': 54027, 'price by sending': 673039, 'by sending them': 153943, 'sending them to': 750105, 'them to company': 876462, 'to company instead': 903108, 'company instead he': 190787, 'instead he is': 440202, 'to use stimulus': 918067, 'use stimulus for': 949612, 'stimulus for gain': 801541, 'for gain for': 321835, 'gain for him': 342770, 'for him amp': 322281, 'him amp his': 396532, 'amp his family': 53946, 'selling policy': 749408, 'cover income': 212239, 'job other': 466071, 'other firm': 620225, 'are tweaking': 91236, 'tweaking their': 936289, 'their term': 874967, 'term so': 838295, 'claim relating': 179795, 'report harry': 711999, 'insurer have stopped': 440881, 'have stopped selling': 382792, 'stopped selling policy': 805752, 'selling policy to': 749409, 'policy to cover': 663523, 'to cover income': 903654, 'cover income if': 212240, 'income if people': 432375, 'their job other': 873730, 'job other firm': 466072, 'other firm are': 620226, 'firm are tweaking': 308318, 'are tweaking their': 91237, 'tweaking their term': 936290, 'their term so': 874968, 'term so that': 838296, 'so that new': 778383, 'that new policy': 845330, 'new policy will': 559306, 'out for claim': 626104, 'for claim relating': 320097, 'claim relating to': 179796, 'relating to report': 708656, 'to report harry': 913273, 'report harry brennan': 712000, 'home folk stay': 401206, 'folk stay the': 312255, 'pharmacy to the': 654522, 'that stay the': 846468, 'fuck home you': 339574, 'is this hard': 453093, 'gnocchi there': 353226, 'are package': 88943, 'whole box': 990149, 'box how': 137084, 'what found on': 981469, 'expired gnocchi there': 292068, 'gnocchi there are': 353227, 'there are package': 878142, 'are package left': 88944, 'package left from': 633324, 'from whole box': 338371, 'whole box how': 990150, 'box how bad': 137085, 'it that supermarket': 461501, 'whoever start': 990114, 'start creating': 794270, 'creating recipe': 216056, 'actually find': 30799, 'their name': 874029, 'name during': 551624, 'period recipe': 651870, 'require minimal': 713314, 'minimal ingredient': 533066, 'ingredient stophoarding': 438400, 'whoever start creating': 990115, 'start creating recipe': 794271, 'creating recipe for': 216057, 'recipe for those': 704467, 'of who cannot': 593128, 'who cannot actually': 988417, 'cannot actually find': 161591, 'actually find any': 30800, 'our supermarket could': 625014, 'supermarket could make': 819826, 'could make their': 209405, 'make their name': 510596, 'their name during': 874030, 'name during this': 551625, 'this period recipe': 889530, 'period recipe that': 651871, 'recipe that require': 704503, 'that require minimal': 846006, 'require minimal ingredient': 713315, 'minimal ingredient stophoarding': 533067, 'ingredient stophoarding panicbuyinguk': 438401, 'seeking your': 746664, 'survey soon': 828957, 'call to small': 156190, 'department of commerce': 237235, 'commerce and business': 188513, 'and business consumer': 59275, 'business consumer protection': 143571, 'bacp is seeking': 107653, 'is seeking your': 451729, 'seeking your feedback': 746665, '19 please complete': 9712, 'complete this survey': 192179, 'this survey soon': 890457, 'survey soon possible': 828958, 'frecklington': 331569, 'qld lnp': 691560, 'lnp ol': 497225, 'ol deb': 598102, 'deb frecklington': 230288, 'frecklington handle': 331570, 'handle multiple': 376232, 'multiple supermarket': 545801, 'qld lnp ol': 691561, 'lnp ol deb': 497226, 'ol deb frecklington': 598103, 'deb frecklington handle': 230289, 'frecklington handle multiple': 331571, 'handle multiple supermarket': 376233, 'multiple supermarket product': 545802, 'supermarket product amid': 822071, 'outbreak via if': 628780, 'it you buy': 462638, 'you buy it': 1017575, 'buy it you': 148867, 'it you should': 462649, 'fume': 341113, 'imtiaz': 419661, 'gulshan': 368660, 'iqbal': 444655, 'arsalan': 94060, '923402045318': 23498, 'lutfitrends': 506873, 'fume way': 341114, 'way sanitization': 969853, 'sanitization walkthrough': 734155, 'walkthrough gate': 965141, 'gate alhamdulillah': 344326, 'alhamdulillah installed': 41684, 'at imtiaz': 99268, 'imtiaz supermarket': 419662, 'supermarket gulshan': 820610, 'gulshan iqbal': 368661, 'iqbal for': 444656, 'information syed': 437986, 'syed arsalan': 830738, 'arsalan rais': 94061, 'rais 923402045318': 695801, '923402045318 lutfitrends': 23499, 'lutfitrends sanitization': 506874, 'fume way sanitization': 341115, 'way sanitization walkthrough': 969854, 'sanitization walkthrough gate': 734156, 'walkthrough gate alhamdulillah': 965142, 'gate alhamdulillah installed': 344327, 'alhamdulillah installed at': 41685, 'installed at imtiaz': 440019, 'at imtiaz supermarket': 99269, 'imtiaz supermarket gulshan': 419663, 'supermarket gulshan iqbal': 820611, 'gulshan iqbal for': 368662, 'iqbal for order': 444657, 'for order or': 324156, 'order or more': 618494, 'or more information': 616176, 'more information syed': 539594, 'information syed arsalan': 437987, 'syed arsalan rais': 830739, 'arsalan rais 923402045318': 94062, 'rais 923402045318 lutfitrends': 695802, '923402045318 lutfitrends sanitization': 23500, 'buyer out': 149709, 'there reading': 878977, 'heard lot': 388102, 'people showing': 649463, 'showing video': 767556, 'video complaint': 956679, 'there any panic': 878024, 'panic buyer out': 637595, 'buyer out there': 149710, 'out there reading': 627508, 'there reading this': 878978, 'reading this if': 700810, 'this if so': 888000, 'if so can': 414822, 'you explain your': 1018495, 'explain your logic': 292147, 'logic please we': 500663, 'please we have': 660759, 'we have heard': 971833, 'have heard lot': 380917, 'heard lot of': 388103, 'of people showing': 587984, 'people showing video': 649464, 'showing video complaint': 767557, 'video complaint of': 956680, 'complaint of no': 192001, 'of no food': 587039, 'at supermarket let': 100742, 'supermarket let hear': 821295, 'let hear your': 486779, 'hear your side': 388041, 'your side of': 1025807, 'accomodations': 28477, 'little accomodations': 495223, 'accomodations for': 28478, 'charge full price': 173245, 'price for rent': 674038, 'for rent with': 325123, 'with very little': 1001975, 'very little accomodations': 955317, 'little accomodations for': 495224, 'accomodations for resident': 28479, 'lincoln financial': 492909, 'financial donates': 306403, 'donates million': 254398, 'food provider': 316069, 'address rising': 32021, 'lincoln financial donates': 492910, 'financial donates million': 306404, 'donates million to': 254399, 'million to food': 532386, 'to food provider': 906089, 'food provider to': 316070, 'provider to help': 686804, 'help address rising': 389298, 'address rising demand': 32022, 'rising demand result': 723201, 'just astonishing': 468244, 'is just astonishing': 449119, 'doe corporate': 251365, 'corporate board': 207244, 'board diversity': 133627, 'diversity have': 248561, 'carbon offset': 163408, 'offset and': 596090, 'about greenhouse': 25326, 'gas from': 343858, 'from flight': 335484, 'flight we': 310554, 'even take': 284631, 'fuck doe corporate': 339546, 'doe corporate board': 251366, 'corporate board diversity': 207245, 'board diversity have': 133628, 'diversity have to': 248562, 'do with relief': 250567, 'with relief and': 1000449, 'relief and carbon': 709276, 'and carbon offset': 59554, 'carbon offset and': 163409, 'offset and consumer': 596091, 'and consumer information': 60394, 'consumer information about': 197870, 'information about greenhouse': 437707, 'about greenhouse gas': 25327, 'greenhouse gas from': 363753, 'gas from flight': 343859, 'from flight we': 335485, 'flight we can': 310555, 'can even take': 158259, 'even take 19': 284632, 'seizing': 747443, 'his relentless': 397745, 'relentless call': 709130, 'after pushing': 36095, 'pushing taiwan': 690445, 'italy seizing': 462905, 'seizing medicine': 747444, 'medicine raising': 526875, 'price inflates': 674820, 'inflates and': 437100, 'export faulty': 292636, 'and his relentless': 64610, 'his relentless call': 397746, 'relentless call for': 709131, 'cooperation after pushing': 203153, 'after pushing taiwan': 36096, 'pushing taiwan out': 690446, 'blaming on and': 132343, 'on and italy': 599359, 'and italy seizing': 65621, 'italy seizing medicine': 462906, 'seizing medicine raising': 747445, 'medicine raising price': 526876, 'raising price inflates': 696117, 'price inflates and': 674821, 'inflates and export': 437101, 'and export faulty': 62528, 'export faulty equipment': 292637, 'have true': 383418, 'true leader': 933123, 'dying cause': 263789, 'cause he': 167587, 'money used': 537143, 'used wrongful': 950127, 'wrongful america': 1013172, 'can have true': 158593, 'have true leader': 383419, 'true leader he': 933124, 'is dying cause': 447420, 'dying cause he': 263790, 'cause he want': 167588, 'the money used': 860831, 'money used wrongful': 537144, 'used wrongful america': 950128, 'wrongful america wake': 1013173, 'catch thanks': 167031, 'panicbuyers the': 638882, 'limit this': 492532, 'necessary ration': 554057, 'online aren': 607876, 'aren forced': 92409, 'risk place': 723825, 'hundred more people': 410992, 'to catch thanks': 902506, 'catch thanks to': 167032, 'to the panicbuyers': 916941, 'the panicbuyers the': 863235, 'panicbuyers the govt': 638883, 'govt must take': 361210, 'action to limit': 30171, 'to limit this': 909304, 'limit this and': 492533, 'this and if': 886332, 'and if necessary': 64938, 'if necessary ration': 414447, 'necessary ration food': 554058, 'ration food so': 697680, 'food so those': 316668, 'so those shopping': 778510, 'those shopping online': 892467, 'shopping online aren': 763410, 'online aren forced': 607877, 'aren forced out': 92410, 'forced out of': 328591, 'home and into': 400653, 'and into high': 65342, 'into high risk': 442628, 'high risk place': 395369, 'who directly': 988605, 'directly deal': 243535, 'issue thank': 455955, 'people who directly': 650289, 'who directly deal': 988606, 'directly deal with': 243536, 'with food issue': 998496, 'food issue thank': 315174, 'issue thank you': 455956, 'optimally': 613889, 'behaviour globally': 124427, 'globally understand': 352411, 'can optimally': 159157, 'optimally respond': 613890, 'deliver what': 233265, 'crisis download': 217312, 'report know': 712072, 'ha affected consumer': 369461, 'affected consumer behaviour': 34335, 'consumer behaviour globally': 196572, 'behaviour globally understand': 124428, 'globally understand how': 352412, 'understand how brand': 940638, 'brand can optimally': 137789, 'can optimally respond': 159158, 'optimally respond to': 613891, 'situation and continue': 772179, 'continue to deliver': 201178, 'to deliver what': 904120, 'deliver what consumer': 233266, 'consumer need at': 198186, 'need at time': 554499, 'of crisis download': 582156, 'crisis download our': 217313, 'our report know': 624594, 'report know more': 712073, 'emerson': 273154, 'mateus': 520456, 'loveandantennas': 504891, 'japanesebrushpen': 464804, '100armyofwoah': 2144, 'who wore': 990025, 'saw looked': 738154, 'eye my': 294059, 'my whitman': 550573, 'whitman my': 987982, 'my emerson': 548088, 'emerson my': 273155, 'my mateus': 549214, 'mateus loveandantennas': 520457, 'loveandantennas nyc': 504892, 'nyc japanesebrushpen': 578006, 'japanesebrushpen ink': 464805, 'ink paper': 438751, 'paper story': 640844, 'supermarket 100armyofwoah': 818726, 'who wore mask': 990026, 'wore mask who': 1004672, 'mask who saw': 519565, 'who saw looked': 989561, 'saw looked back': 738155, 'looked back at': 502714, 'back at me': 106891, 'at me my': 99710, 'me my eye': 523190, 'my eye my': 548139, 'eye my whitman': 294060, 'my whitman my': 550574, 'whitman my emerson': 987983, 'my emerson my': 548089, 'emerson my mateus': 273156, 'my mateus loveandantennas': 549215, 'mateus loveandantennas nyc': 520458, 'loveandantennas nyc japanesebrushpen': 504893, 'nyc japanesebrushpen ink': 578007, 'japanesebrushpen ink paper': 464806, 'ink paper story': 438752, 'paper story supermarket': 640845, 'story supermarket 100armyofwoah': 812118, 'help amid': 389340, 'pandemic donate': 635328, 'pantry callaway': 639550, 'callaway county': 156273, 'on hour': 601370, 'to help amid': 907448, 'help amid the': 389341, 'the pandemic donate': 862952, 'pandemic donate to': 635329, 'donate to to': 254272, 'to to your': 917602, 'food pantry callaway': 315771, 'pantry callaway county': 639551, 'callaway county food': 156274, 'pantry is low': 639618, 'low and had': 505127, 'had to cut': 373681, 'to cut back': 903867, 'back on hour': 107189, 'on hour because': 601371, 'hello lovely': 389189, 'lovely customer': 504952, 'ours please': 625443, 'everybody long': 286462, 'long everyone': 501408, 'hello lovely customer': 389190, 'lovely customer of': 504953, 'customer of ours': 222639, 'of ours please': 587596, 'ours please don': 625444, 'buy we have': 149440, 'we have delivery': 971795, 'have delivery coming': 380228, 'delivery coming in': 233807, 'coming in all': 188087, 'for everybody long': 321186, 'everybody long everyone': 286463, 'long everyone only': 501409, 'everyone only purchase': 287238, 'purchase what they': 689724, 'this australian': 886462, 'offer an': 594519, 'during vanloon': 263378, 'this australian supermarket': 886463, 'australian supermarket offer': 103553, 'supermarket offer an': 821706, 'offer an hour': 594520, 'of shopping just': 589665, 'shopping just for': 763117, 'disability during vanloon': 243824, 'but school': 146980, 'industry report': 436070, 'all be feeling': 42129, 'feeling the result': 303077, 'this in really': 888054, 'in really big': 427304, 'really big way': 702032, 'big way people': 130100, 'people are cleaning': 646945, 'are cleaning out': 85297, 'cleaning out shelf': 181005, 'out shelf in': 627172, 'store but school': 806807, 'but school and': 146981, 'and restaurant closure': 70371, 'restaurant closure are': 716385, 'closure are hitting': 183851, 'hitting the farming': 398596, 'the farming industry': 854949, 'farming industry report': 299629, 'no coke': 563847, 'coke light': 185706, 'light it': 489539, 'cleaner no sanitizer': 180807, 'sanitizer no cereal': 735413, 'and no coke': 67604, 'no coke light': 563848, 'coke light it': 185707, 'light it try': 489540, 'agriculture david': 38959, 'littleproud ha': 495672, 'told those': 923739, 'cold shower': 185787, 'shower before': 767365, 'before assuring': 122650, 'assuring australian': 97157, 'australian the': 103564, 'minister for agriculture': 533367, 'for agriculture david': 319083, 'agriculture david littleproud': 38960, 'david littleproud ha': 226990, 'littleproud ha told': 495673, 'ha told those': 372341, 'told those panic': 923740, 'those panic shopping': 892305, 'panic shopping during': 638569, 'pandemic to take': 636794, 'to take deep': 916171, 'deep breath and': 231848, 'breath and cold': 139157, 'and cold shower': 60064, 'cold shower before': 185788, 'shower before assuring': 767366, 'before assuring australian': 122651, 'assuring australian the': 97158, 'australian the country': 103565, 'country ha food': 210713, 'ha food security': 370649, 'reasonable you': 703145, 'pharmacy otherwise': 654413, 'rule whether': 727405, 'whether out': 985546, 'change for what': 172057, 'is reasonable you': 451332, 'reasonable you can': 703146, 'can visit the': 160129, 'supermarket the bank': 823209, 'bank the doctor': 110238, 'doctor the pharmacy': 251128, 'the pharmacy otherwise': 863659, 'pharmacy otherwise social': 654414, 'the rule whether': 866059, 'rule whether out': 727406, 'whether out of': 985547, 'out of stupidity': 626844, 'of stupidity or': 590347, 'bakery if': 108855, 'baked fresh': 108767, 'fresh every': 332947, 'll slice': 497014, 'slice it': 773867, 'check the bakery': 174645, 'the bakery if': 849202, 'bakery if your': 108856, 'if your grocery': 415583, 'store ha one': 808015, 'one here at': 606420, 'here at it': 392785, 'at it baked': 99315, 'it baked fresh': 456698, 'baked fresh every': 108768, 'fresh every day': 332948, 'they ll slice': 882610, 'll slice it': 497015, 'slice it if': 773868, 'cause loss': 167638, 'inflates price': 437102, 'happyfriday relax': 377766, 'healthy panicshopping': 387721, 'no use in': 565821, 'use in any': 949272, 'hoarding that cause': 399578, 'that cause loss': 843181, 'cause loss to': 167639, 'loss to people': 503797, 'and inflates price': 65207, 'inflates price for': 437103, 'imamali happyfriday relax': 416869, 'happyfriday relax stay': 377767, 'stay healthy panicshopping': 796912, 'emphysema': 273403, 'enrolled': 277842, 'mother 68': 543046, '68 with': 21492, 'with emphysema': 998208, 'emphysema is': 273404, 'now enrolled': 574605, 'enrolled in': 277843, 'that prioritizes': 845836, 'prioritizes elderly': 678470, 'elderly ill': 270708, 'ill disabled': 416112, 'disabled run': 243958, 'woolworth who': 1004432, 'hour innovation': 405703, 'my mother 68': 549321, 'mother 68 with': 543047, '68 with emphysema': 21493, 'with emphysema is': 998209, 'emphysema is now': 273405, 'is now enrolled': 450284, 'now enrolled in': 574606, 'enrolled in special': 277844, 'in special grocery': 428191, 'special grocery delivery': 787939, 'grocery delivery system': 364455, 'delivery system that': 234599, 'system that prioritizes': 831337, 'that prioritizes elderly': 845837, 'prioritizes elderly ill': 678471, 'elderly ill disabled': 270709, 'ill disabled run': 416113, 'disabled run by': 243959, 'run by australian': 727591, 'by australian supermarket': 151913, 'chain woolworth who': 171257, 'woolworth who also': 1004433, 'who also brought': 988055, 'you the elderly': 1021595, 'the elderly shopping': 854144, 'shopping hour innovation': 762923, 'retailgazette sc': 719452, 'retailgazette sc is': 719453, 'happyathome': 377741, 'fy': 342608, 'toiletpaper yet': 922884, 'yet got': 1016084, 'got square': 358864, 'square to': 791502, 'spare shoutout': 787494, 'to quarantinelife': 912655, 'quarantinelife happyathome': 692954, 'happyathome fy': 377742, 'have you run': 383687, 'of toiletpaper yet': 592294, 'toiletpaper yet got': 922885, 'yet got square': 1016085, 'got square to': 358865, 'square to spare': 791503, 'to spare shoutout': 914955, 'spare shoutout to': 787495, 'shoutout to quarantinelife': 766813, 'to quarantinelife happyathome': 912656, 'quarantinelife happyathome fy': 692955, 'publiclibrary': 688569, 'hazelnut': 384603, 'creamer': 215586, 'happylife': 377769, 'itsthelittlethings supermarket': 463994, 'flower library': 311303, 'library book': 488061, 'book if': 134543, 'are lucky': 87948, 'your publiclibrary': 1025472, 'publiclibrary is': 688570, 'homemade coffee': 402823, 'coffee partial': 185523, 'partial to': 642525, 'to hazelnut': 907348, 'hazelnut creamer': 384604, 'creamer happylife': 215587, 'happylife amid': 377770, 'amid craziness': 52436, 'itsthelittlethings supermarket flower': 463995, 'supermarket flower library': 820344, 'flower library book': 311304, 'library book if': 488062, 'book if you': 134544, 'you are lucky': 1017168, 'are lucky and': 87949, 'lucky and your': 506536, 'and your publiclibrary': 76094, 'your publiclibrary is': 1025473, 'publiclibrary is still': 688571, 'open and homemade': 612061, 'and homemade coffee': 64693, 'homemade coffee partial': 402824, 'coffee partial to': 185524, 'partial to hazelnut': 642526, 'to hazelnut creamer': 907349, 'hazelnut creamer happylife': 384605, 'creamer happylife amid': 215588, 'happylife amid craziness': 377771, 'la buyer': 478137, 'buyer tell': 149769, 'people run': 649320, 're live': 699002, 'hit la': 398297, 'buy gun in': 148767, 'gun in la': 368702, 'in la buyer': 424560, 'la buyer tell': 478138, 'buyer tell me': 149770, 're scared of': 699433, 'scared of what': 741004, 'happen if people': 377097, 'if people run': 414628, 'people run out': 649321, 'family we re': 298363, 'we re live': 972915, 're live on': 699003, 'live on panic': 495960, 'on panic hit': 602690, 'panic hit la': 638172, 'report make': 712077, 'site it': 771963, 'have reference': 382236, 'consumer report make': 198713, 'report make this': 712078, 'make this free': 510641, 'free site it': 332176, 'site it good': 771964, 'to have reference': 907300, 'have reference pas': 382237, 'hour submission': 405962, 'submission today': 815780, 'in rajyasabha': 427241, 'rajyasabha regarding': 696193, 'regarding acute': 707170, 'acute shortage': 31046, 'zero hour submission': 1027461, 'hour submission today': 405963, 'submission today in': 815781, 'today in rajyasabha': 919687, 'in rajyasabha regarding': 427242, 'rajyasabha regarding acute': 696194, 'regarding acute shortage': 707171, 'acute shortage of': 31047, 'shortage of soap': 765134, 'of soap sanitizer': 589828, 'soap sanitizer mask': 779109, 'mask in view': 518842, 'of the all': 590786, 'like matt': 490728, 'matt who': 520536, 'damn if': 225368, 'kind neighbor': 474867, 'road life': 724471, 'or dy': 615100, 'dy be': 263726, 'than matt': 840871, 'matt help': 520524, 'helper the': 391140, 'dedicated healthcare': 231712, 'employee stayhomesavelives': 274236, 'be an ignorant': 113606, 'an ignorant idiot': 56156, 'ignorant idiot like': 415783, 'idiot like matt': 413545, 'like matt who': 490729, 'matt who doesn': 520537, 'doesn give damn': 251807, 'give damn if': 350454, 'damn if you': 225369, 'you your grandparent': 1022496, 'grandparent or the': 361984, 'or the kind': 617380, 'the kind neighbor': 858811, 'kind neighbor down': 474868, 'the road life': 865932, 'road life or': 724472, 'life or dy': 488952, 'or dy be': 615101, 'dy be better': 263727, 'better than matt': 128526, 'than matt help': 840872, 'matt help the': 520525, 'help the helper': 390655, 'the helper the': 857269, 'helper the dedicated': 391141, 'the dedicated healthcare': 853017, 'dedicated healthcare worker': 231713, 'store employee stayhomesavelives': 807541, 'to revert': 913494, 'of productive': 588515, 'diet overfishing': 241744, 'forced to revert': 328649, 'to revert to': 913495, 'revert to negative': 720546, 'to negative coping': 910523, 'such selling of': 816742, 'selling of productive': 749366, 'of productive asset': 588516, 'diverse diet overfishing': 248526, 'diet overfishing to': 241745, 'compensate for income': 191530, 'for income constraint': 322522, 'been significant increase': 121966, 'hey edited': 394363, 'edited this': 268595, 'be quarantine': 116653, 'quarantine edition': 692171, 'current must': 221266, 'have sending': 382459, 'love support': 504786, 'care grocery': 163973, 'crisis socialdistancing': 218068, 'socialdistancing support': 780775, 'hey edited this': 394364, 'edited this thing': 268596, 'this thing on': 890569, 'thing on to': 884642, 'on to be': 604727, 'to be quarantine': 901473, 'be quarantine edition': 116654, 'quarantine edition of': 692172, 'edition of your': 268639, 'your current must': 1023397, 'current must have': 221267, 'must have sending': 546707, 'have sending love': 382460, 'sending love support': 750038, 'love support to': 504787, 'to our health': 911185, 'health care grocery': 386234, 'care grocery store': 163974, 'store all other': 806137, 'this crisis socialdistancing': 887084, 'crisis socialdistancing support': 218069, 'had thought': 373647, 'thought after': 892965, 'we shut': 973317, 'shut shop': 767927, 'on boxing': 599683, 'boxing day': 137222, 'holiday it': 400322, 'necessary ha': 553999, 'been proven': 121725, 'proven get': 686165, 'sanity back': 736540, 'this mad': 888730, 'mad consumer': 507534, 'driven world': 259379, 'just had thought': 468909, 'had thought after': 373648, 'thought after the': 892966, 'can we shut': 160198, 'we shut shop': 973318, 'shut shop on': 767928, 'shop on sunday': 760549, 'sunday on boxing': 818246, 'on boxing day': 599684, 'boxing day and': 137223, 'day and public': 227277, 'and public holiday': 69742, 'public holiday it': 688094, 'holiday it not': 400323, 'not necessary ha': 570636, 'necessary ha been': 554000, 'ha been proven': 369880, 'been proven get': 121727, 'proven get some': 686166, 'get some sanity': 348073, 'some sanity back': 783799, 'sanity back in': 736541, 'back in this': 107101, 'in this mad': 429973, 'this mad consumer': 888731, 'mad consumer driven': 507535, 'consumer driven world': 197254, 'driven world and': 259380, 'world and stop': 1009286, 'stop buying junk': 804543, 'today among': 919189, 'other anti': 619840, 'measure maximum': 525255, 'maximum spending': 520842, '100 euro': 1889, 'euro no': 283365, 'buying very': 151308, 'calm polite': 156780, 'polite people': 663600, 'essential pile': 281392, 'did my weekly': 240700, 'at local french': 99604, 'french supermarket today': 332761, 'supermarket today among': 823432, 'today among other': 919190, 'among other anti': 53032, 'other anti covid': 619841, '19 measure maximum': 8608, 'measure maximum spending': 525256, 'maximum spending ha': 520843, 'ha been limited': 369844, 'limited to 100': 492766, 'to 100 euro': 899436, '100 euro no': 1890, 'euro no panic': 283366, 'panic buying very': 637951, 'buying very calm': 151309, 'very calm polite': 955033, 'calm polite people': 156781, 'polite people there': 663601, 'of essential pile': 583182, 'essential pile of': 281393, 'pile of toilet': 656511, 'mudhole': 545518, 'stomped': 804328, 'grocey': 366414, 'mudhole stomped': 545519, 'stomped inside': 804329, 'by gawd': 152661, 'gawd that': 344702, 'that grocey': 844092, 'grocey shopper': 366415, 'mudhole stomped inside': 545520, 'stomped inside supermarket': 804330, 'supermarket this covid': 823309, 'getting out hand': 349170, 'out hand by': 626256, 'hand by gawd': 374852, 'by gawd that': 152662, 'gawd that grocey': 344703, 'that grocey shopper': 844093, 'grocey shopper ha': 366416, 'shopper ha family': 761536, 'bit pissed': 131677, 'bit pissed off': 131678, 'pissed off people': 656975, 'off people taking': 594062, 'outbreak by doubling': 628073, 'by doubling their': 152412, 'their price get': 874399, 'price get real': 674171, 'get real people': 347891, 'public look': 688148, 'allergy and you': 45768, 'get the why': 348313, 'the why are': 871524, 'in public look': 427088, 'paloma': 634627, 'valentin': 951888, 'deforest': 232467, 'listen paloma': 494708, 'paloma san': 634628, 'san valentin': 733571, 'valentin america': 951889, 'america corporate': 51487, 'corporate finance': 207282, 'finance managing': 306224, 'and ed': 61936, 'ed deforest': 268447, 'deforest corporate': 232468, 'finance group': 306202, 'group vice': 366955, 'president discus': 670799, 'of declining': 582443, 'global corporate': 351823, 'corporate industry': 207295, 'sector outlook': 744292, 'listen paloma san': 494709, 'paloma san valentin': 634629, 'san valentin america': 733572, 'valentin america corporate': 951890, 'america corporate finance': 51488, 'corporate finance managing': 207284, 'finance managing director': 306225, 'managing director and': 512864, 'director and ed': 243602, 'and ed deforest': 61937, 'ed deforest corporate': 268448, 'deforest corporate finance': 232469, 'corporate finance group': 207283, 'finance group vice': 306203, 'group vice president': 366956, 'vice president discus': 956429, 'president discus the': 670800, 'impact of declining': 417767, 'of declining price': 582444, 'declining price on': 231486, 'on our global': 602603, 'our global corporate': 623254, 'global corporate industry': 351824, 'corporate industry sector': 207296, 'industry sector outlook': 436097, 'think put': 885504, 'put my': 690700, 'finger on': 307811, 'what bothering': 981129, 'bothering me': 136143, 'bill the': 130692, 'the underlining': 870352, 'underlining issue': 940463, 'bill doesn': 130555, 'doesn address': 251688, 'address over': 32011, 'inflated stock': 437087, 'market uncertainty': 517273, 'from trade': 338118, 'war oil': 966497, 'plummeting covid': 661370, 'think put my': 885505, 'put my finger': 690701, 'my finger on': 548325, 'finger on what': 307812, 'on what bothering': 605210, 'what bothering me': 981130, 'bothering me with': 136144, 'with the stimulus': 1001497, 'stimulus bill the': 801517, 'bill the underlining': 130693, 'the underlining issue': 870353, 'underlining issue with': 940464, 'issue with our': 456016, 'our economy are': 622840, 'economy are still': 267670, 'are still present': 90471, 'still present and': 801061, 'present and the': 670572, 'and the bill': 73259, 'the bill doesn': 849693, 'bill doesn address': 130556, 'doesn address over': 251689, 'address over inflated': 32012, 'over inflated stock': 630324, 'inflated stock market': 437088, 'stock market uncertainty': 802450, 'market uncertainty from': 517274, 'uncertainty from trade': 939691, 'from trade war': 338119, 'trade war oil': 928610, 'war oil price': 966498, 'price plummeting covid': 675918, 'plummeting covid 19': 661371, 'down our economy': 257067, 'compton': 192702, '55th': 20442, 'driving by': 259906, 'by compton': 152166, 'compton and': 192703, 'and 55th': 57500, '55th street': 20443, 'central los': 169408, 'lady said': 478822, 'said 10': 730942, 'another package': 77750, 'wa driving by': 962035, 'driving by compton': 259907, 'by compton and': 152167, 'compton and 55th': 192704, 'and 55th street': 57501, '55th street in': 20444, 'street in south': 813001, 'in south central': 428128, 'south central los': 786705, 'central los angeles': 169409, 'angeles and decided': 76360, 'decided to ask': 230899, 'ask about toilet': 95477, 'paper price the': 640612, 'price the lady': 676844, 'the lady said': 858912, 'lady said 10': 478823, 'said 10 for': 730943, '10 for one': 1433, 'of the package': 591314, 'the package and': 862841, 'package and 20': 633210, '20 for another': 13060, 'for another package': 319373, 'aren supposed': 92539, 'so we aren': 778657, 'we aren supposed': 970775, 'aren supposed to': 92540, 'week for every': 976226, 'for every supermarket': 321179, 'every supermarket forget': 286252, '19 we might': 11940, 'we might starve': 972377, 'retiring': 719726, 'peace steve': 646016, 'ravitz who': 697950, 'who ran': 989496, 'ran which': 696519, 'operates five': 613049, 'five for': 309618, 'before retiring': 123039, 'retiring in': 719727, '2019 rip': 14007, 'rip grocery': 722650, 'in peace steve': 426568, 'peace steve ravitz': 646017, 'steve ravitz who': 799954, 'ravitz who ran': 697951, 'who ran which': 989497, 'ran which operates': 696520, 'which operates five': 986208, 'operates five for': 613050, 'five for 40': 309619, '40 year before': 18697, 'year before retiring': 1014432, 'before retiring in': 123040, 'retiring in 2019': 719728, 'in 2019 rip': 419808, '2019 rip grocery': 14008, 'rip grocery supermarket': 722651, 'spain during': 787290, 'expect when': 290783, 'it inevitably': 458791, 'inevitably happens': 436426, 'police pulled': 663175, 'pulled people': 688922, 'forced them': 328612, 'home handed': 401335, 'out fine': 626070, 'out jogging': 626455, 'jogging can': 466501, 'being in spain': 125305, 'in spain during': 428170, 'spain during lockdown': 787291, 'during lockdown ha': 262764, 'lockdown ha given': 499447, 'given me some': 351051, 'me some perspective': 523510, 'some perspective on': 783559, 'perspective on what': 653222, 'to expect when': 905448, 'expect when it': 290784, 'when it inevitably': 983635, 'it inevitably happens': 458792, 'inevitably happens in': 436427, 'happens in the': 377482, 'uk police pulled': 938635, 'police pulled people': 663176, 'pulled people over': 688923, 'over and forced': 629982, 'and forced them': 63179, 'forced them to': 328613, 'go home handed': 353666, 'home handed out': 401336, 'handed out fine': 376074, 'out fine to': 626071, 'fine to people': 307712, 'to people going': 911623, 'going out jogging': 355375, 'out jogging can': 626456, 'jogging can only': 466502, 'pharmacy or work': 654404, 'effort or': 269567, 'reflect substantially': 706622, 'behaviour covid': 124395, '19 framework': 7098, 'business be repurposed': 143428, 'repurposed to support': 713105, 'support the relief': 826884, 'the relief effort': 865485, 'relief effort or': 709322, 'effort or to': 269568, 'or to reflect': 617477, 'to reflect substantially': 913067, 'reflect substantially changed': 706623, 'substantially changed consumer': 816069, 'consumer behaviour covid': 196562, 'behaviour covid 19': 124396, 'covid 19 framework': 213121, '19 framework for': 7099, 'framework for business': 330949, 'for business response': 319844, 'photo purportedly': 655234, 'purportedly showing': 690088, 'showing well': 767558, 'novel epidemic': 573775, 'been shared': 121935, 'shared thousand': 755460, 'false fakenews': 297428, 'photo purportedly showing': 655235, 'purportedly showing well': 690089, 'showing well stocked': 767559, 'the novel epidemic': 861913, 'novel epidemic ha': 573776, 'epidemic ha been': 279372, 'ha been shared': 369919, 'been shared thousand': 121936, 'shared thousand of': 755461, 'thousand of time': 893470, 'of time this': 592189, 'this is false': 888256, 'is false fakenews': 447727, 'hole food': 400211, 'food image': 314900, 'nicest grocery': 562554, 'hole food image': 400212, 'food image from': 314901, 'image from the': 416632, 'from the nicest': 337806, 'the nicest grocery': 861786, 'nicest grocery store': 562555, 'hoarding store': 399554, 'if nobody': 414479, 'asshole in charge': 96534, 'of hoarding store': 584696, 'hoarding store are': 399555, 'and if nobody': 64942, 'if nobody can': 414480, 'fuck is going': 339588, 'is going shopping': 448101, 'and stimulus': 72395, 'economic relief and': 267247, 'relief and stimulus': 709280, 'and stimulus package': 72396, 'group principal interest': 366847, 'business reduction in': 144298, 'found hand': 330230, '2013 jackpot': 13785, 'jackpot or': 464196, 'cleaning out my': 181003, 'out my room': 626610, 'and found hand': 63227, 'found hand sanitizer': 330231, 'sanitizer that expired': 735859, 'that expired in': 843795, 'expired in 2013': 292070, 'in 2013 jackpot': 419767, '2013 jackpot or': 13786, 'jackpot or nah': 464197, 'queue stretching': 694076, 'stretching down': 813583, 'grocery shopper in': 364986, 'london are being': 501022, 'long queue stretching': 501586, 'queue stretching down': 694077, 'stretching down supermarket': 813584, 'down supermarket aisle': 257231, 'responsibility taken': 715979, 'by wb': 154697, 'wb police': 970234, 'police help': 663049, 'we concern': 971162, 'all police': 43989, 'police health': 663047, 'well please': 978486, 'provide all': 686217, 'facility mask': 295359, 'sanitizer ets': 734831, 'ets to': 283182, 'all field': 42780, 'field police': 304506, 'appreciate the responsibility': 82762, 'the responsibility taken': 865627, 'responsibility taken by': 715980, 'taken by wb': 832978, 'by wb police': 154698, 'wb police help': 970235, 'police help by': 663050, 'help by them': 389469, 'by them we': 154504, 'them we concern': 876585, 'we concern about': 971163, 'concern about all': 192886, 'about all police': 24779, 'all police health': 43990, 'police health well': 663048, 'health well please': 386946, 'well please also': 978487, 'please also provide': 659648, 'also provide all': 48711, 'provide all medical': 686218, 'all medical facility': 43490, 'medical facility mask': 526175, 'facility mask hand': 295360, 'hand glove sanitizer': 374995, 'glove sanitizer ets': 352902, 'sanitizer ets to': 734832, 'ets to all': 283183, 'to all field': 900246, 'all field police': 42781, 'field police to': 304507, 'developed free': 239702, 'everyone coronavirus': 286797, 'center with': 169329, 'ha developed free': 370370, 'developed free for': 239703, 'for everyone coronavirus': 321204, 'everyone coronavirus resource': 286798, 'resource center with': 714741, 'center with information': 169330, 'helpful engineering': 391173, 'engineering is': 276989, 'developing simple': 239792, 'simple open': 770066, 'source product': 786535, 'design to': 238270, 'include hardware': 431573, 'hardware device': 378315, 'device suitable': 239936, 'consumer production': 198487, 'and mass': 66776, 'mass manufacturing': 519805, 'manufacturing check': 513567, 'helpful engineering is': 391174, 'engineering is developing': 276990, 'is developing simple': 447160, 'developing simple open': 239793, 'simple open source': 770067, 'open source product': 612512, 'source product and': 786536, 'product and design': 680881, 'and design to': 61250, 'design to fight': 238271, 'these include hardware': 880165, 'include hardware device': 431574, 'hardware device suitable': 378316, 'device suitable for': 239937, 'suitable for consumer': 817812, 'for consumer production': 320281, 'consumer production and': 198488, 'production and mass': 681928, 'and mass manufacturing': 66777, 'mass manufacturing check': 519806, 'manufacturing check out': 513568, 'out the detail': 627360, 'the detail here': 853206, 'on what company': 605216, 'what company should': 981236, 'company should do': 191076, 'francisco waiting': 331131, 'until noon': 943795, 'noon eastern': 566840, 'eastern time': 265601, 'stay no': 797133, 'no closer': 563827, 'san francisco waiting': 733550, 'francisco waiting in': 331132, 'doe not open': 251513, 'not open until': 570844, 'open until noon': 612628, 'until noon eastern': 943796, 'noon eastern time': 566841, 'eastern time it': 265602, 'time it day': 897078, 'it day one': 457478, 'shelterinplace and stay': 757987, 'and stay no': 72298, 'stay no closer': 797134, 'no closer than': 563828, 'wear goggles': 974354, 'me you guy': 524048, 'gonna wear goggles': 356651, 'wear goggles and': 974355, 'goggles and shower': 354942, 'when you wanna': 984615, 'you wanna go': 1022121, 'wanna go for': 965638, 'go for grocery': 353559, 'or something else': 617162, 'worse no': 1010974, 'tonic left': 924337, 'beer are': 122436, 'taking hammering': 833378, 'hammering no': 374587, 'flour egg': 311092, 'and hardly': 64191, 'any cereal': 79005, 'cereal frozen': 169924, 'frozen chip': 338959, 'chip preserve': 177525, 'preserve fresh': 670703, 'people obviously': 648904, 'not heeding': 569920, 'heeding the': 388761, 'supermarket it get': 821170, 'get worse no': 348656, 'worse no tonic': 1010975, 'no tonic left': 565774, 'tonic left on': 924338, 'left on my': 485588, 'my list and': 549072, 'list and the': 494274, 'and the wine': 73658, 'the wine and': 871602, 'and beer are': 58813, 'beer are now': 122437, 'now taking hammering': 575960, 'taking hammering no': 833379, 'hammering no flour': 374588, 'no flour egg': 564237, 'flour egg and': 311093, 'egg and hardly': 269766, 'and hardly any': 64192, 'hardly any cereal': 378246, 'any cereal frozen': 79006, 'cereal frozen chip': 169925, 'frozen chip preserve': 338960, 'chip preserve fresh': 177526, 'preserve fresh meat': 670704, 'fresh meat etc': 333028, 'meat etc etc': 525556, 'etc etc people': 282524, 'etc people obviously': 282700, 'people obviously not': 648905, 'obviously not heeding': 578842, 'not heeding the': 569921, 'heeding the advice': 388762, 'he update': 385557, 'update thru': 947266, 'thru email': 895184, 'install shield': 440004, 'already informed': 47481, 'is an announcement': 445641, 'an announcement from': 55315, 'announcement from ceo': 77153, 'from ceo of': 334817, 'ceo of chain': 169771, 'of chain of': 581259, 'chain of grocery': 170958, 'of grocery drug': 584348, 'drug store here': 261090, 'here in canada': 393139, 'in canada he': 421189, 'canada he update': 160461, 'he update thru': 385558, 'update thru email': 947267, 'thru email now': 895185, 'email now they': 272248, 'looking to install': 503035, 'to install shield': 908420, 'install shield for': 440005, 'shield for employee': 758152, 'for employee they': 321035, 'employee they already': 274306, 'they already informed': 881135, 'already informed that': 47482, 'informed that of': 438127, 'that of ppl': 845453, 'ppl in store': 668259, 'unemployment new': 941251, 'new eligible': 558669, 'at michigan': 99730, 'michigan unemployment new': 530385, 'unemployment new eligible': 941252, 'new eligible worker': 558670, 'monday at michigan': 536260, 'at michigan unemployment': 99731, '1300': 3304, 'cetera': 170267, 'mentioned particular': 528840, 'particular one': 642625, 'of 750': 579672, '750 which': 22186, 'for 1300': 318653, '1300 learnt': 3305, 'learnt price': 484278, 'increased since': 433471, 'from sanitizers': 337157, 'cover et': 212216, 'et cetera': 282354, 'cetera but': 170268, 'not water': 572459, 'water please': 969118, 'he mentioned particular': 385233, 'mentioned particular one': 528841, 'particular one that': 642626, 'one that cannot': 607174, 'that cannot remember': 843143, 'remember the name': 710312, 'the name which': 861194, 'name which used': 551699, 'sold at the': 781645, 'rate of 750': 697311, 'of 750 which': 579673, '750 which is': 22187, 'sold for 1300': 781664, 'for 1300 learnt': 318654, '1300 learnt price': 3306, 'learnt price of': 484279, 'price of so': 675570, 'many thing have': 514801, 'thing have increased': 884405, 'have increased since': 381065, 'increased since the': 433472, '19 from sanitizers': 7135, 'from sanitizers to': 337158, 'sanitizers to nose': 736424, 'to nose cover': 910678, 'nose cover et': 567882, 'cover et cetera': 212217, 'et cetera but': 282355, 'cetera but not': 170269, 'but not water': 146581, 'not water please': 572460, 'by organizing': 153463, 'organizing the': 619493, 'clothing in': 184260, 'workshop floor': 1009226, 'risk by organizing': 723440, 'by organizing the': 153464, 'organizing the sale': 619494, 'sale of clothing': 732386, 'of clothing in': 581479, 'clothing in store': 184261, 'the staff is': 867690, 'staff is currently': 792577, 'is currently preparing': 447000, 'preparing the workshop': 670359, 'the workshop floor': 871796, 'workshop floor for': 1009227, 'coronavirus egg': 205870, 'egg demand': 269842, 'demand surging': 236307, 'coronavirus egg demand': 205871, 'egg demand surging': 269843, 'demand surging consumer': 236308, 'surging consumer panic': 828413, 'consumer panic shop': 198333, 'conroe texas': 194768, 'texas store': 839827, 'our conroe texas': 622511, 'conroe texas store': 194769, 'texas store will': 839828, 'allow our staff': 46024, 'our staff member': 624879, 'staff member to': 792663, 'member to temporarily': 528221, 'sweep once': 830148, 'line 19': 492929, 're on supermarket': 699183, 'supermarket sweep once': 823100, 'sweep once you': 830149, 'you get into': 1018781, 'store after waiting': 806085, 'after waiting in': 36502, 'in line 19': 424742, 'by scam': 153882, 'don let your': 253697, 'business be taken': 143429, 'to the cleaner': 916565, 'the cleaner by': 850982, 'cleaner by scam': 180761, 'by scam artist': 153883, 'dating to': 226808, 'exist dating to': 290230, 'dating to 1953': 226809, 'ravindra': 697936, 'investmentspecial': 444091, 'strain because': 812266, 'putting pressure': 691203, 'price strategy': 676682, 'to measured': 909987, 'by ravindra': 153725, 'ravindra rao': 697937, 'rao investmentspecial': 696862, 'global economy come': 351893, 'economy come under': 267766, 'come under strain': 187646, 'under strain because': 940268, 'strain because of': 812267, 'because of putting': 119394, 'of putting pressure': 588629, 'putting pressure on': 691204, 'pressure on commodity': 671206, 'commodity price strategy': 189289, 'price strategy to': 676683, 'strategy to invest': 812732, 'in them will': 429799, 'them will have': 876637, 'have to measured': 383250, 'to measured by': 909988, 'measured by ravindra': 525446, 'by ravindra rao': 153726, 'ravindra rao investmentspecial': 697938, 'week panic': 976726, 'visited in about': 959484, 'about week panic': 26873, 'week panic shelf': 976727, 'many crossroad': 513959, 'crossroad business': 219096, 'announced change': 76930, 'or procedure': 616708, 'procedure concern': 679805, 'business change': 143513, 'list email': 494309, 'email newsroom': 272243, 'newsroom com': 561122, 'or submit': 617259, 'submit directly': 815793, 'many crossroad business': 513960, 'crossroad business have': 219097, 'business have announced': 143821, 'have announced change': 379280, 'announced change in': 76931, 'in hour or': 423840, 'hour or procedure': 405834, 'or procedure concern': 616709, 'procedure concern grow': 679806, 'concern grow about': 192985, 'grow about covid': 367003, '19 to add': 11414, 'add your business': 31533, 'your business change': 1023052, 'business change to': 143514, 'the list email': 859465, 'list email newsroom': 494310, 'email newsroom com': 272244, 'newsroom com or': 561123, 'com or submit': 186951, 'or submit directly': 617260, 'submit directly to': 815794, 'directly to our': 243592, 'to our website': 911254, 'were hand': 979713, 'advice 19': 33292, 'there were hand': 879318, 'were hand sanitizer': 979714, 'or wipe to': 617820, 'wipe to use': 996400, 'to use in': 918035, 'use in the': 949281, 'but still good': 147165, 'still good advice': 800599, 'good advice 19': 356690, 'brightest': 139809, 'the brightest': 850000, 'brightest bulb': 139810, 'bulb but': 142223, 'medium only': 527199, 'only focused': 610452, 'corporate bailouts': 207242, 'bailouts why': 108708, 'people effected': 647769, 'about assistance': 24831, 'assistance mortgage': 96714, 'not the brightest': 571986, 'the brightest bulb': 850001, 'brightest bulb but': 139811, 'bulb but why': 142224, 'the medium only': 860432, 'medium only focused': 527200, 'only focused on': 610453, 'focused on trump': 311969, 'on trump and': 604863, 'and his handling': 64600, 'handling of the': 376371, 'virus and corporate': 957918, 'and corporate bailouts': 60577, 'corporate bailouts why': 207243, 'bailouts why isn': 108709, 'isn the medium': 454709, 'the medium talking': 860442, 'about the working': 26566, 'the working people': 871783, 'working people effected': 1008872, 'people effected by': 647770, 'effected by this': 269175, 'by this why': 154537, 'this why aren': 891395, 'aren they talking': 92565, 'talking about assistance': 833955, 'about assistance mortgage': 24832, 'assistance mortgage rent': 96715, 'mortgage rent payment': 541954, 'people finally': 647915, 'finally appreciate': 305944, 'collector and': 186547, 're often': 699169, 'often contributing': 596176, 'society more': 781271, 'high paying': 395212, 'paying job': 645433, 'job gratitude': 465839, '19 people finally': 9625, 'people finally appreciate': 647916, 'finally appreciate the': 305945, 'appreciate the worker': 82764, 'supermarket the garbage': 823226, 'garbage collector and': 343518, 'collector and etc': 186548, 'and etc they': 62285, 'they re often': 883084, 're often contributing': 699170, 'often contributing to': 596177, 'contributing to society': 201924, 'to society more': 914852, 'society more than': 781272, 'in high paying': 423684, 'high paying job': 395213, 'paying job gratitude': 645434, 'protection and covid': 685315, '19 resource and': 10128, 'resource and information': 714702, 'thingi': 885048, '19 thingi': 11331, 'thingi thing': 885049, 'thing think': 884855, 'bundle price': 142654, 'price bit': 672927, 'bit down': 131554, 'down atleast': 256539, 'atleast we': 101903, 'covid 19 thingi': 213939, '19 thingi thing': 11332, 'thingi thing think': 885050, 'thing think and': 884856, 'think and should': 885141, 'and should drop': 71589, 'drop their data': 260409, 'their data bundle': 872975, 'data bundle price': 226152, 'bundle price bit': 142655, 'price bit down': 672928, 'bit down atleast': 131555, 'down atleast we': 256540, 'atleast we ll': 101904, 'll take it': 497060, 'take it part': 832253, 'of your donation': 593464, 'your donation to': 1023566, 'donation to tackle': 254716, 'tackle the pandemic': 831611, 'about trip': 26779, 'almost emptied': 46600, 'town it': 927501, 'now and stuck': 574057, 'in my essential': 425569, 'talking about trip': 833992, 'about trip they': 26780, 'they just returned': 882502, 'returned from store': 719963, 'are almost emptied': 84391, 'almost emptied daily': 46601, 'small town it': 775163, 'town it going': 927502, 'difficult to avoid': 242328, 'anticlimax': 78503, 'missedopportunity': 534267, 'borisjohnson uk': 135533, 'uk pandemic': 938603, 'an anticlimax': 55334, 'anticlimax announcement': 78504, 'uk no': 938572, 'no rule': 565384, 'enforced at': 276707, 'supermarket missedopportunity': 821522, 'borisjohnson uk pandemic': 135534, 'uk pandemic such': 938604, 'pandemic such an': 636588, 'such an anticlimax': 816320, 'an anticlimax announcement': 55335, 'anticlimax announcement people': 78505, 'announcement people will': 77187, 'to travel across': 917720, 'travel across all': 930232, 'across all uk': 29236, 'all uk no': 45309, 'uk no rule': 938573, 'no rule will': 565385, 'will be enforced': 992444, 'be enforced at': 114681, 'enforced at supermarket': 276708, 'at supermarket missedopportunity': 100748, 'scientist there': 742261, 'scientist there is': 742262, 'six tip': 772708, 'onlineshopping it': 609909, 'internet safe': 442005, 'for transaction': 327311, 'six tip for': 772709, '19 lockdown more': 8405, 'lockdown more people': 499669, 'more people take': 540041, 'people take advantage': 649714, 'advantage of onlineshopping': 33019, 'of onlineshopping it': 587271, 'onlineshopping it is': 609910, 'it is increasingly': 458985, 'is increasingly important': 448872, 'increasingly important to': 433786, 'keep the internet': 472050, 'the internet safe': 858391, 'internet safe place': 442006, 'safe place for': 729884, 'place for transaction': 657452, 'current tv': 221413, 'tv program': 936157, 'program add': 683196, 'charity aren': 173570, 'demand tense': 236315, 'tense question': 837970, 'that son': 846412, 'son la': 785407, 'minute current tv': 533757, 'current tv program': 221414, 'tv program add': 936158, 'program add that': 683197, 'add that we': 31499, 'because charity aren': 118998, 'charity aren even': 173571, 'aren even getting': 92401, 'overwhelming demand tense': 631746, 'demand tense question': 236316, 'tense question how': 837971, 'fear fear that': 301117, 'fear that son': 301369, 'that son la': 846413, 'son la cloche': 785408, 'forbids': 328317, 'about shipping': 26179, 'dhl forbids': 240119, 'forbids to': 328318, 'use eu': 949192, 'use international': 949287, 'is slightly': 451966, 'slightly more': 773965, 'eye when': 294125, 'lower again': 505792, 'update about shipping': 946841, 'about shipping price': 26180, 'in my shop': 425626, 'my shop because': 550045, 'shop because of': 759974, 'unfortunately dhl forbids': 941590, 'dhl forbids to': 240120, 'forbids to use': 328319, 'to use eu': 918025, 'use eu package': 949193, 'to use international': 918038, 'use international package': 949288, 'which is slightly': 986054, 'is slightly more': 451967, 'slightly more expensive': 773966, 'an eye when': 56040, 'eye when the': 294126, 'the price lower': 864384, 'price lower again': 675124, 'lower again and': 505793, 'again and change': 36885, 'and change it': 59724, 'change it on': 172159, 'organisational': 619297, 'who address': 988028, 'the organisational': 862471, 'organisational challenge': 619298, 'of ship': 589593, 'tool after': 925386, 'retailer who address': 719418, 'who address the': 988029, 'address the organisational': 32043, 'the organisational challenge': 862472, 'organisational challenge of': 619299, 'challenge of ship': 171515, 'of ship from': 589594, 'ship from store': 758671, 'from store now': 337444, 'store now may': 809129, 'now may find': 575294, 'may find it': 521188, 'find it continues': 306985, 'to be useful': 901617, 'be useful tool': 117935, 'useful tool after': 950207, 'tool after covid': 925387, '19 retail supplychain': 10208, 'register who': 707627, 'day 2ft': 227136, 'face they': 294805, 'there then': 879154, 'so forth': 777116, 'all of at': 43678, 'of at cash': 580419, 'cash register who': 166328, 'register who are': 707628, '100 people every': 2017, 'every day 2ft': 285788, 'day 2ft away': 227137, 'away from our': 105901, 'from our face': 336772, 'our face they': 622977, 'face they give': 294806, 'they give it': 882194, 'it to then': 461762, 'to then we': 917326, 'then we go': 877727, 'it there then': 461616, 'there then take': 879155, 'then take it': 877595, 'take it home': 832245, 'to our family': 911180, 'family and so': 297604, 'so on and': 777940, 'and so forth': 71840, 'sanitizer overuse': 735519, 'overuse effectiveness': 631667, 'effectiveness and': 269382, 'cdc recommendation': 168606, 'recommendation handsanitizer': 704755, 'fact about hand': 295671, 'hand sanitizer overuse': 375525, 'sanitizer overuse effectiveness': 735520, 'overuse effectiveness and': 631668, 'effectiveness and cdc': 269383, 'and cdc recommendation': 59657, 'cdc recommendation handsanitizer': 168607, 'stophoarding bring': 805360, 'in rationing': 427263, 'rationing card': 697799, 'stophoarding bring in': 805361, 'bring in rationing': 139998, 'in rationing card': 427264, 'rationing card and': 697800, 'caught red': 167453, 'red handed': 705585, 'handed for': 376064, 'for robbing': 325245, 'robbing the': 724690, 'caught red handed': 167454, 'red handed for': 705586, 'handed for robbing': 376065, 'for robbing the': 325246, 'robbing the citizen': 724691, 'the citizen during': 850907, 'citizen during the': 178887, '25marzo': 16098, 'safe mode': 729825, 'mode supermarket': 535205, 'supermarket 25marzo': 818748, 'safe mode supermarket': 729826, 'mode supermarket 25marzo': 535206, 'distancing maintain': 247297, 'maintain steady': 509044, 'steady supply': 799148, 'of civility': 581437, 'civility panicbuying': 179583, 'social distancing maintain': 779655, 'distancing maintain steady': 247298, 'maintain steady supply': 509045, 'steady supply and': 799149, 'supply and maintain': 824735, 'and maintain some': 66528, 'maintain some sense': 509041, 'some sense of': 783827, 'sense of civility': 750553, 'of civility panicbuying': 581438, 'civility panicbuying stophoarding': 179584, 'honestly in': 403109, 'in mild': 425315, 'well because': 978046, 'stomach hurt': 804320, 'hurt surprising': 411608, 'surprising bit': 828626, 'of insufficient': 585230, 'insufficient food': 440605, 'or stomach': 617238, 'what oh': 981955, 'honestly in mild': 403110, 'in mild panic': 425316, 'mild panic right': 531340, 'and cannot sleep': 59520, 'cannot sleep well': 162106, 'sleep well because': 773805, 'well because of': 978047, 'it but my': 456952, 'but my stomach': 146441, 'my stomach hurt': 550211, 'stomach hurt surprising': 804321, 'hurt surprising bit': 411609, 'surprising bit but': 828627, 'because of insufficient': 119360, 'of insufficient food': 585231, 'insufficient food drink': 440606, 'food drink or': 314281, 'drink or if': 258871, 'or if sick': 615719, 'if sick with': 414812, '19 or stomach': 9029, 'or stomach bug': 617239, 'bug or what': 141901, 'or what oh': 617769, 'what oh so': 981956, 'oh so hope': 596450, 'so hope it': 777318, 'hope it the': 403521, 'it the former': 461535, 'wannabe': 965679, 'remember each': 710183, 'person organisation': 652567, 'organisation company': 619255, 'company political': 190963, 'politician business': 663709, 'business celebrity': 143509, 'celebrity you': 168915, 'tube wannabe': 935052, 'wannabe crook': 965680, 'crook scammer': 218876, 'scammer medium': 740598, 'medium personality': 527215, 'personality petrol': 653012, 'station supermarket': 796516, 'even union': 284749, 'them afterwards': 875323, 'please remember each': 660367, 'remember each person': 710184, 'each person organisation': 264254, 'person organisation company': 652568, 'organisation company political': 619256, 'company political party': 190964, 'political party politician': 663671, 'party politician business': 643028, 'politician business celebrity': 663710, 'business celebrity you': 143510, 'celebrity you tube': 168916, 'you tube wannabe': 1021944, 'tube wannabe crook': 935053, 'wannabe crook scammer': 965681, 'crook scammer medium': 218877, 'scammer medium personality': 740599, 'medium personality petrol': 527216, 'personality petrol station': 653013, 'petrol station supermarket': 653801, 'station supermarket and': 796517, 'and even union': 62351, 'even union rep': 284750, 'union rep who': 941921, 'rep who take': 711432, '19 afterwards and': 4863, 'afterwards and reward': 36745, 'and reward them': 70499, 'reward them afterwards': 720794, 'ridiculous supermarket': 721610, 'supermarket free': 820447, 'online phone': 608747, 'is yours': 454174, 'yours you': 1026490, 'haven provided': 383873, 'provided enough': 686598, 'enough correct': 277357, 'information nor': 437900, 'effective cam': 269235, 'you also need': 1016947, 'this ridiculous supermarket': 889900, 'ridiculous supermarket free': 721611, 'supermarket free for': 820448, 'for all get': 319129, 'all get all': 42911, 'get all supermarket': 346523, 'to have only': 907287, 'have only online': 381810, 'only online phone': 610899, 'online phone order': 608748, 'phone order this': 654996, 'order this is': 618647, 'not the fault': 571996, 'it is yours': 459140, 'is yours you': 454177, 'yours you haven': 1026491, 'you haven provided': 1019154, 'haven provided enough': 383874, 'provided enough correct': 686599, 'enough correct information': 277358, 'correct information nor': 207517, 'information nor an': 437901, 'nor an effective': 566938, 'an effective cam': 55614, 'crisis like pandemic': 217664, 'like pandemic people': 490959, 'hmm airline': 398670, 'they charged': 881746, 'charged pre': 173412, 'pre just': 669176, 'hmm airline price': 398671, 'airline price have': 39998, 'price have jumped': 674433, 'have jumped back': 381192, 'jumped back up': 467925, 'up to price': 946417, 'to price that': 912128, 'that are what': 842843, 'are what they': 91617, 'what they charged': 982395, 'they charged pre': 881747, 'charged pre just': 173413, 'pre just sayin': 669177, 'hudsoncounty': 409919, 'hudsoncounty grocery': 409920, 'hudsoncounty grocery store': 409921, 'store worker find': 811499, 'worker find themselves': 1006936, 'line of pandemic': 493308, 'rigorously': 722492, 'wrote today': 1013229, 'how attorney': 407426, 'from iowa': 336077, 'iowa sent': 444507, 'facebook ebay': 294905, 'ebay walmart': 266502, 'and craigslist': 60686, 'craigslist warning': 214824, 'warning them': 967213, 'more rigorously': 540268, 'rigorously monitor': 722493, 'gouging because': 359264, 'wrote today about': 1013230, 'about how attorney': 25422, 'how attorney general': 407427, 'general including from': 345368, 'including from iowa': 431976, 'from iowa sent': 336078, 'iowa sent letter': 444508, 'sent letter today': 750767, 'today to amazon': 920349, 'to amazon facebook': 900395, 'amazon facebook ebay': 50940, 'facebook ebay walmart': 294906, 'ebay walmart and': 266503, 'walmart and craigslist': 965276, 'and craigslist warning': 60687, 'craigslist warning them': 214825, 'warning them to': 967214, 'them to more': 876491, 'to more rigorously': 910265, 'more rigorously monitor': 540269, 'rigorously monitor for': 722494, 'price gouging because': 674261, 'gouging because of': 359265, 'question retailer': 693724, 'asking most': 96025, 'crisis we try': 218354, 'try to answer': 934600, 'the question retailer': 865022, 'question retailer are': 693725, 'retailer are asking': 718988, 'are asking most': 84643, 'asking most right': 96026, 'olympics postponed': 598796, 'can advertiser': 157384, 'other affected': 619805, 'affected party': 34404, 'party do': 642992, 'product law': 681347, 'law observer': 482349, 'tokyo olympics postponed': 923498, 'olympics postponed due': 598797, 'what can advertiser': 981166, 'can advertiser and': 157385, 'advertiser and other': 33173, 'and other affected': 68280, 'other affected party': 619806, 'affected party do': 34405, 'party do retail': 642993, 'do retail consumer': 250044, 'retail consumer product': 717994, 'consumer product law': 198466, 'product law observer': 681348, 'sling': 774000, 'sling tv': 774001, 'tv roll': 936179, 'free streaming': 332199, 'streaming to': 812849, 'home techcrunch': 402195, 'techcrunch via': 836174, 'sling tv roll': 774002, 'tv roll out': 936180, 'roll out free': 725450, 'out free streaming': 626185, 'free streaming to': 332200, 'streaming to consumer': 812850, 'to consumer stuck': 903340, 'at home techcrunch': 99133, 'home techcrunch via': 402196, 'alarming but': 40693, 'but informative': 146052, 'video everyone': 956720, 'cough remain': 208541, 'spread save': 790781, 'alarming but informative': 40694, 'but informative video': 146053, 'informative video everyone': 438070, 'video everyone should': 956721, 'single cough remain': 771268, 'cough remain in': 208542, 'the spread save': 867637, 'spread save life': 790782, 'else experience': 271686, 'been when': 122371, 'but mine': 146393, 'been positive': 121678, 'positive there': 665458, 'been sense': 121919, 'community people': 190035, 'know what everyone': 476947, 'everyone else experience': 286854, 'else experience ha': 271687, 'experience ha been': 291377, 'ha been when': 369984, 'been when they': 122372, 'store but mine': 806798, 'but mine ha': 146394, 'mine ha been': 532894, 'ha been positive': 369868, 'been positive there': 121679, 'positive there ha': 665459, 'ha been sense': 369916, 'been sense of': 121920, 'sense of community': 750554, 'of community people': 581600, 'community people helping': 190036, 'people helping out': 648238, 'helping out each': 391424, 'out each other': 625993, 'each other so': 264219, 'other so for': 620936, 'so for that': 777111, 'for that am': 326248, 'that am very': 842617, 'rig not': 721718, 'not drop': 569114, 'drop hugely': 260219, 'hugely dallas': 410269, 'fed energy': 301812, 'energy survey': 276592, 'survey 100': 828801, '100 need': 1971, 'need 40': 554348, '40 to': 18678, 'to profitably': 912236, 'profitably drill': 682933, 'drill permian': 258772, 'permian eagle': 652126, 'eagle ford': 264369, 'ford higher': 328777, 'other play': 620727, 'play halliburton': 659158, 'halliburton reportedly': 374381, 'reportedly said': 712585, 'said low': 731207, 'would lead': 1011983, 'of rig': 589107, 'rig gone': 721714, 'by q4': 153704, 'q4 oil': 691446, 'oil sb': 597414, 'sb in': 739786, 'good decline': 356960, 'decline when': 231413, '19 eas': 6688, 'eas oott': 265059, 'how can oil': 407508, 'can oil rig': 159105, 'oil rig not': 597400, 'rig not drop': 721719, 'not drop hugely': 569115, 'drop hugely dallas': 260220, 'hugely dallas fed': 410270, 'dallas fed energy': 225126, 'fed energy survey': 301813, 'energy survey 100': 276593, 'survey 100 need': 828802, '100 need 40': 1972, 'need 40 to': 554349, '40 to profitably': 18679, 'to profitably drill': 912237, 'profitably drill permian': 682934, 'drill permian eagle': 258773, 'permian eagle ford': 652127, 'eagle ford higher': 264370, 'ford higher for': 328778, 'higher for other': 395598, 'for other play': 324174, 'other play halliburton': 620728, 'play halliburton reportedly': 659159, 'halliburton reportedly said': 374382, 'reportedly said low': 712586, 'said low oil': 731208, 'price would lead': 677663, 'would lead to': 1011984, 'lead to of': 483372, 'to of rig': 910813, 'of rig gone': 589108, 'rig gone by': 721715, 'gone by q4': 356239, 'by q4 oil': 153705, 'q4 oil sb': 691447, 'oil sb in': 597415, 'sb in good': 739787, 'in good decline': 423366, 'good decline when': 356961, 'decline when covid': 231414, 'covid 19 eas': 212999, '19 eas oott': 6689, 'anyone have recipe': 80353, 'recipe for homemade': 704463, 'for homemade hand': 322353, 'sanitizer staysafe helpeachother': 735806, 'canadian say': 160743, 'on brink': 599702, 'of insolvency': 585224, 'insolvency coronavirus': 439740, 'to burst': 902114, 'burst country': 142953, 'debt bubble': 230425, 'bubble anyone': 141582, 'think vancouver': 885734, 'vancouver real': 952345, 'down consider': 256649, 'half of canadian': 374220, 'of canadian say': 581096, 'canadian say they': 160744, 'are on brink': 88717, 'on brink of': 599703, 'brink of insolvency': 140298, 'of insolvency coronavirus': 585225, 'insolvency coronavirus threatens': 439741, 'threatens to burst': 893860, 'to burst country': 902115, 'burst country consumer': 142954, 'country consumer debt': 210554, 'consumer debt bubble': 197075, 'debt bubble anyone': 230426, 'bubble anyone who': 141583, 'anyone who think': 80634, 'who think vancouver': 989780, 'think vancouver real': 885735, 'vancouver real estate': 952346, 'not going down': 569698, 'going down consider': 355117, 'down consider this': 256650, '19 japanese': 8182, 'japanese gov': 464790, 'gov decided': 359567, 'issue the': 455964, 'emergency today': 273030, 'today afternoon': 919158, 'afternoon have': 36693, 'tomorrow except': 924073, 'except getting': 289177, 'taking treatment': 833642, 'covid 19 japanese': 213305, '19 japanese gov': 8183, 'japanese gov decided': 464791, 'gov decided to': 359568, 'decided to issue': 230922, 'to issue the': 908559, 'issue the declaration': 455965, 'of emergency today': 583061, 'emergency today afternoon': 273031, 'today afternoon have': 919159, 'afternoon have to': 36694, 'home from tomorrow': 401276, 'from tomorrow except': 338095, 'tomorrow except getting': 924074, 'except getting food': 289178, 'getting food at': 348979, 'at supermarket taking': 100776, 'supermarket taking treatment': 823132, 'taking treatment at': 833643, 'hoard no': 398835, 'buying say': 150983, 'not hoard no': 569982, 'hoard no need': 398836, 'panic buying say': 637870, 'buying say we': 150984, 'say we have': 739455, 'thought live': 893120, 'activity quarantine': 30486, 'never thought live': 558228, 'thought live to': 893121, 'day where going': 228739, 'store is fun': 808493, 'is fun activity': 447983, 'fun activity quarantine': 341125, 'comex': 187814, 'an unusually': 56915, 'unusually widespread': 944007, 'widespread between': 991830, 'between gold': 128789, 'for comex': 320165, 'comex future': 187815, 'london bullion': 501042, 'week highlighted': 976331, 'highlighted both': 395982, 'both pricing': 136016, 'delivery issue': 234148, 'issue tied': 455970, 'gold operation': 355943, 'operation aimed': 613128, 'an unusually widespread': 56916, 'unusually widespread between': 944008, 'widespread between gold': 991831, 'between gold price': 128790, 'price for comex': 673938, 'for comex future': 320166, 'comex future and': 187816, 'and the london': 73458, 'the london bullion': 859665, 'london bullion market': 501043, 'bullion market this': 142453, 'market this week': 517220, 'this week highlighted': 891221, 'week highlighted both': 976332, 'highlighted both pricing': 395983, 'both pricing and': 136017, 'pricing and delivery': 677919, 'and delivery issue': 61121, 'delivery issue tied': 234149, 'issue tied to': 455971, 'tied to the': 895760, 'shutdown of gold': 768066, 'of gold operation': 584201, 'gold operation aimed': 355944, 'operation aimed at': 613129, 'attendance': 102328, 'circle research': 178616, 'reveals increased': 720327, 'anxiety over': 78771, 'impact over': 417914, 'over event': 630194, 'event sector': 285069, 'sector delayed': 744160, 'delayed return': 232810, 'to attendance': 900823, 'attendance after': 102329, 'full circle research': 340528, 'circle research reveals': 178617, 'research reveals increased': 713831, 'reveals increased consumer': 720328, 'increased consumer anxiety': 433248, 'consumer anxiety over': 196259, 'anxiety over covid': 78772, '19 impact over': 7705, 'impact over event': 417915, 'over event sector': 630195, 'event sector delayed': 285070, 'sector delayed return': 744161, 'delayed return to': 232811, 'return to attendance': 719912, 'to attendance after': 900824, 'maroc': 517979, 'take interim': 832227, 'interim measure': 441680, 'source maroc': 786508, 'maroc morocco': 517980, 'is the list': 452849, 'list of price': 494463, 'price of alcoholic': 675401, 'to take interim': 916191, 'take interim measure': 832228, 'interim measure against': 441681, 'day source maroc': 228386, 'source maroc morocco': 786509, 'more investment': 539618, 'behavior moving': 124122, 'forward digital': 329977, 'digital consumerbehavior': 242537, 'll see more': 496994, 'see more investment': 745430, 'more investment in': 539619, 'in the digital': 429134, 'digital world than': 242684, 'world than ever': 1010036, 'ever before and': 285221, 'consumer behavior moving': 196492, 'behavior moving forward': 124123, 'moving forward digital': 544147, 'forward digital consumerbehavior': 329978, 'worker medical': 1007377, 'mail people': 508644, 'amazing each': 50674, 'stop without': 805280, 'service worker medical': 753104, 'worker medical professional': 1007378, 'medical professional delivery': 526329, 'professional delivery driver': 682439, 'delivery driver mail': 233923, 'driver mail people': 259646, 'mail people grocery': 508645, 'else working through': 272001, 'all amazing each': 41997, 'amazing each and': 50675, 'of you our': 593406, 'you our world': 1020254, 'our world would': 625413, 'world would stop': 1010208, 'would stop without': 1012289, 'stop without you': 805281, 'hyperspreading': 412373, 'hyperspreading covid': 412374, 'ha nobody': 371355, 'nobody recognised': 566051, 'recognised this': 704606, 'hand contact': 374874, 'surface contamination': 828006, 'contamination including': 200716, 'including conveyor': 431927, 'belt till': 126803, 'till card': 896001, 'reader surface': 700699, 'surface etc': 828016, 'etc also': 282400, 'not abiding': 568008, 'abiding 2m': 24357, 'hyperspreading covid 19': 412375, '19 supermarket check': 10950, 'check out why': 174588, 'out why ha': 627846, 'why ha nobody': 991033, 'ha nobody recognised': 371356, 'nobody recognised this': 566052, 'recognised this they': 704607, 'this they are': 890554, 'risk to staff': 723970, 'and customer so': 60866, 'customer so much': 222858, 'much hand contact': 544970, 'hand contact of': 374875, 'contact of product': 200160, 'product and surface': 680914, 'and surface contamination': 72876, 'surface contamination including': 828007, 'contamination including conveyor': 200717, 'including conveyor belt': 431928, 'conveyor belt till': 202589, 'belt till card': 126804, 'till card reader': 896002, 'card reader surface': 163630, 'reader surface etc': 700700, 'surface etc also': 828017, 'etc also not': 282401, 'also not abiding': 48574, 'not abiding 2m': 568009, 'abiding 2m rule': 24358, 'brother workfromhome': 141118, 'workfromhome house': 1008420, 'house ve': 406651, 'it day in': 457477, 'the big brother': 849599, 'big brother workfromhome': 129669, 'brother workfromhome house': 141119, 'workfromhome house ve': 1008421, 'house ve realised': 406652, 've realised that': 953479, 'realised that any': 701626, 'light week wa': 489622, 'week wa very': 977175, 'wa very wrong': 963647, '50 of population': 19773, 'of population to': 588237, '19 grows': 7299, 'grows on': 367318, 'always concerned': 49521, 'concerned at': 193184, 'low saving': 505592, 'saving rate': 737950, 'are financial': 86567, 'financial management': 306490, 'management apps': 512538, 'apps could': 83273, 'play here': 659164, 'here fintech': 392975, 'pressure of covid': 671195, 'covid 19 grows': 213170, '19 grows on': 7300, 'grows on bank': 367319, 'on bank at': 599556, 'time am always': 896238, 'am always concerned': 49877, 'always concerned at': 49522, 'concerned at how': 193185, 'at how low': 99222, 'how low saving': 408233, 'low saving rate': 505593, 'saving rate are': 737951, 'rate are financial': 697161, 'are financial management': 86568, 'financial management apps': 306491, 'management apps could': 512539, 'apps could have': 83274, 'could have big': 209242, 'to play here': 911794, 'play here fintech': 659165, 'presid': 670734, 'president involved': 670833, 'the establishment': 854534, 'establishment of': 282066, 'higher thought': 395771, 'thought gop': 893062, 'gop were': 358298, 'were free': 979662, 'free marketeers': 331959, 'marketeers and': 517439, 'is cart': 446396, 'horse we': 404234, 'need badly': 554514, 'badly new': 108165, 'new presid': 559331, 'is the president': 452903, 'the president involved': 864263, 'president involved in': 670834, 'in the establishment': 429177, 'the establishment of': 854535, 'establishment of new': 282067, 'of new oil': 586977, 'new oil cartel': 559190, 'oil cartel to': 596668, 'cartel to lower': 165464, 'to lower production': 909506, 'lower production and': 505975, 'production and drive': 681922, 'and drive oil': 61740, 'drive oil and': 259110, 'price higher thought': 674520, 'higher thought gop': 395772, 'thought gop were': 893063, 'gop were free': 358299, 'were free marketeers': 979663, 'free marketeers and': 331960, 'marketeers and why': 517440, 'why this now': 991474, 'this now with': 889186, 'it is cart': 458897, 'is cart before': 446397, 'before the horse': 123169, 'the horse we': 857513, 'horse we need': 404235, 'we need badly': 972470, 'need badly new': 554515, 'badly new presid': 108166, 'in strict': 428503, 'measure ahead': 525080, 'busy easter': 144894, 'easter period': 265477, 'period there': 651898, 'now limit': 575213, 'store 7news': 806049, '19 supermarket giant': 10952, 'supermarket giant have': 820503, 'giant have brought': 349794, 'brought in strict': 141167, 'in strict new': 428504, 'strict new social': 813643, 'distancing measure ahead': 247314, 'measure ahead of': 525081, 'ahead of what': 39197, 'what is expected': 981691, 'be very busy': 117969, 'very busy easter': 955029, 'busy easter period': 144895, 'easter period there': 265478, 'period there are': 651899, 'are now limit': 88566, 'now limit on': 575214, 'allowed inside store': 46177, 'inside store 7news': 439390, 'having updated': 384393, 'updated grocery': 947373, 'prop to for': 684044, 'to for for': 906135, 'for for having': 321666, 'for having updated': 322135, 'having updated grocery': 384394, 'updated grocery store': 947374, 'rise market': 722936, 'market awaits': 516067, 'awaits opec': 105558, 'opec decision': 611872, 'decision oilprice': 231065, 'price on rise': 675712, 'on rise market': 603201, 'rise market awaits': 722937, 'market awaits opec': 516068, 'awaits opec decision': 105559, 'opec decision oilprice': 611873, 'decision oilprice oott': 231066, 'roundup we': 726426, 'we shared': 973231, 'shared story': 755449, 'about quick': 26039, 'quick shift': 694376, 'medical garment': 526186, 'in today roundup': 430162, 'today roundup we': 920124, 'roundup we shared': 726427, 'we shared story': 973232, 'shared story from': 755450, 'story from at': 811982, 'from at about': 334601, 'at about quick': 97835, 'about quick shift': 26040, 'quick shift to': 694377, 'shift to medical': 758439, 'to medical garment': 909996, 'unqualified': 943275, 'endorsement': 276271, 'when unqualified': 984364, 'unqualified people': 943276, 'trump give': 933577, 'give medical': 350586, 'medical information': 526217, 'information because': 437761, 'his endorsement': 397392, 'endorsement of': 276272, 'of dangerous': 582346, 'dangerous combo': 225728, 'combo containing': 187156, 'containing chloroquine': 200578, 'drug went': 261153, 'improvise to': 419612, 'obtain it': 578733, 'then died': 877120, 'happens when unqualified': 377530, 'when unqualified people': 984365, 'unqualified people like': 943277, 'people like trump': 648654, 'like trump give': 491678, 'trump give medical': 933578, 'give medical information': 350587, 'medical information because': 526218, 'information because of': 437762, 'of his endorsement': 584651, 'his endorsement of': 397393, 'endorsement of dangerous': 276273, 'of dangerous combo': 582347, 'dangerous combo containing': 225729, 'combo containing chloroquine': 187157, 'containing chloroquine the': 200580, 'chloroquine the price': 177633, 'the drug went': 853746, 'drug went up': 261154, 'went up so': 979219, 'up so people': 946016, 'so people started': 778004, 'started to improvise': 794874, 'to improvise to': 908215, 'improvise to obtain': 419613, 'to obtain it': 910800, 'obtain it but': 578734, 'it but then': 456958, 'but then died': 147444, 'jakarta': 464317, 'cloud kitchen': 184307, 'filling in': 305603, 'cover surge': 212283, 'in jakarta': 424340, 'jakarta but': 464318, 'around driver': 93270, 'driver safety': 259727, 'hygiene writes': 412198, 'writes today': 1012879, 'cloud kitchen are': 184308, 'kitchen are filling': 475698, 'are filling in': 86556, 'filling in for': 305604, 'in for restaurant': 423026, 'for restaurant to': 325178, 'restaurant to cover': 716761, 'to cover surge': 903660, 'cover surge in': 212284, 'demand in jakarta': 235671, 'in jakarta but': 424341, 'jakarta but there': 464319, 'there are major': 878123, 'are major concern': 87970, 'major concern around': 509278, 'concern around driver': 192926, 'around driver safety': 93271, 'driver safety hygiene': 259728, 'safety hygiene writes': 730573, 'hygiene writes today': 412199, 'writes today in': 1012880, 'today in southeast': 919692, 'after asked': 35384, 'stand back': 793497, 'maintain of': 509001, 'store cashier woman': 806896, 'cashier woman coughed': 166672, 'on me tonight': 602073, 'me tonight after': 523819, 'tonight after asked': 924351, 'after asked her': 35385, 'her to stand': 392473, 'to stand back': 915155, 'stand back to': 793498, 'back to maintain': 107378, 'to maintain of': 909584, 'maintain of distance': 509002, 'of distance from': 582716, 'from the shopper': 337878, 'the shopper in': 867051, 'shopper in front': 761560, 'of her on': 584579, 'za movement': 1027169, 'ppl ppl': 668310, 'put there': 690901, 'asymptomatic ppl': 97325, 'ppl spreading': 668327, 'assistant should': 96804, '19 za movement': 12290, 'za movement of': 1027170, 'movement of ppl': 543902, 'of ppl ppl': 588336, 'ppl ppl need': 668311, 'to stay put': 915310, 'stay put there': 797192, 'put there are': 690902, 'there are asymptomatic': 878068, 'are asymptomatic ppl': 84658, 'asymptomatic ppl spreading': 97326, 'ppl spreading this': 668328, 'spreading this essential': 791067, 'this essential worker': 887419, 'grocery store assistant': 365220, 'store assistant should': 806557, 'assistant should be': 96805, 'ikea say': 416052, 'ikea say it': 416053, 'say it closing': 738835, 'it closing all': 457194, 'it store due': 461287, 'dinomart': 243126, 'pizzaandeastereggsfordinner': 657215, 'like abroad': 489718, 'abroad in': 27158, 'fuckin dinomart': 339769, 'dinomart walking': 243127, 'round like': 726331, 'like lost': 490677, 'lost soul': 503919, 'something recognise': 785036, 'recognise staring': 704592, 'people basket': 647218, 'by wondering': 154762, 'shit pizzaandeastereggsfordinner': 759194, 'to supermarket feel': 915796, 'feel like abroad': 302697, 'like abroad in': 489719, 'abroad in fuckin': 27159, 'in fuckin dinomart': 423146, 'fuckin dinomart walking': 339770, 'dinomart walking round': 243128, 'walking round like': 965100, 'round like lost': 726332, 'like lost soul': 490678, 'lost soul trying': 503920, 'find something recognise': 307242, 'something recognise staring': 785037, 'recognise staring at': 704593, 'staring at people': 794147, 'at people basket': 100090, 'people basket when': 647219, 'basket when they': 112424, 'when they walk': 984288, 'walk by wondering': 964762, 'by wondering where': 154763, 'wondering where they': 1004199, 'they found all': 882138, 'found all the': 330145, 'good shit pizzaandeastereggsfordinner': 357730, '20 are': 12952, 'outbreak hint': 628310, 'hint it': 396909, 'you asked the': 1017324, 'asked the worker': 95848, 'the worker we': 871769, 'worker we asked': 1008140, 'we asked the': 970790, 'asked the restaurant': 95846, 'the restaurant here': 865651, 'restaurant here what': 716503, 'top 20 are': 925524, '20 are offering': 12953, 'the outbreak hint': 862641, 'outbreak hint it': 628311, 'hint it not': 396910, 'panic sorta': 638611, 'sorta feel': 786166, 'need action': 554366, 'coronavirus panic sorta': 206526, 'panic sorta feel': 638612, 'sorta feel like': 786167, 'the panic during': 863201, 'panic during hurricane': 638054, 'during hurricane katrina': 262708, 'thing we learned': 884964, 'we learned is': 972179, 'during crisis that': 262570, 'that why mres': 847542, 'we need action': 972462, 'wa bragging': 961742, 'shopping skill': 763893, 'skill and': 772943, 'and same': 70809, 'delivery governor': 234063, 'governor impose': 360917, 'impose quarantine': 419254, 'item now': 463480, 're complete': 698445, 'complete mess': 192123, 'mess buy': 529222, 'damn seed': 225421, 'seed online': 746158, 'online ff': 608196, '19 everyone wa': 6870, 'everyone wa bragging': 287535, 'wa bragging about': 961743, 'bragging about their': 137565, 'online shopping skill': 609271, 'shopping skill and': 763894, 'skill and same': 772944, 'and same day': 70810, 'day delivery governor': 227516, 'delivery governor impose': 234064, 'governor impose quarantine': 360918, 'impose quarantine and': 419255, 'quarantine and limit': 692014, 'and limit purchase': 66176, 'purchase to essential': 689699, 'essential item now': 281215, 'item now everyone': 463481, 'now everyone want': 574635, 'you re complete': 1020591, 're complete mess': 698446, 'complete mess buy': 192124, 'mess buy your': 529223, 'buy your damn': 149494, 'your damn seed': 1023455, 'damn seed online': 225422, 'seed online ff': 746159, 'sharpened': 755712, 'second after': 743652, 'after walk': 36503, 'nose get': 567891, 'get itchy': 347442, 'itchy always': 463011, 'of resistance': 588983, 'not scratch': 571462, 'scratch it': 742608, 'been sharpened': 121937, 'sharpened stayhomestaysafe': 755713, 'stayhomestaysafe stayathome': 798526, '10 second after': 1672, 'second after walk': 743653, 'after walk into': 36504, 'supermarket my nose': 821559, 'my nose get': 549520, 'nose get itchy': 567892, 'get itchy always': 347443, 'itchy always ha': 463012, 'always ha these': 49592, 'ha these last': 372252, 'week my level': 976549, 'my level of': 549005, 'level of resistance': 487656, 'of resistance to': 588984, 'resistance to not': 714592, 'to not scratch': 910705, 'not scratch it': 571463, 'scratch it have': 742609, 'it have really': 458502, 'really been sharpened': 702020, 'been sharpened stayhomestaysafe': 121938, 'sharpened stayhomestaysafe stayathome': 755714, 'stayhomestaysafe stayathome staysafestayhome': 798527, 'stayathome staysafestayhome washyourhands': 797668, 'good mostly': 357416, 'mostly packaged': 542991, 'meat got': 525597, 'wanted got': 966207, 'even hording': 284189, 'hording the': 404027, 'right stuff': 722288, 'stuff oh': 815157, 'pretty good mostly': 671420, 'good mostly packaged': 357417, 'mostly packaged meat': 542992, 'packaged meat got': 633500, 'meat got my': 525598, 'got my meat': 358728, 'meat from butcher': 525586, 'from butcher he': 334771, 'everything wanted got': 288082, 'wanted got all': 966208, 'got all on': 358393, 'all on my': 43741, 'list they are': 494563, 'not even hording': 569256, 'even hording the': 284190, 'hording the right': 404028, 'the right stuff': 865829, 'right stuff oh': 722289, 'stuff oh well': 815158, 'oh well selfquarantine': 596482, 'deeside': 232011, 'in deeside': 422071, '19 affect house': 4832, 'price in deeside': 674679, 'around cry': 93266, 'cry yesterday': 219931, 'wa minimal': 962631, 'minimal food': 533060, 'essential teach': 281642, 'teach so': 835401, 'so haven': 777267, 'meant my': 524888, 'feed panicbuying': 302356, 'walked around cry': 964937, 'around cry yesterday': 93267, 'cry yesterday there': 219932, 'there wa minimal': 879250, 'wa minimal food': 962632, 'minimal food and': 533061, 'food and could': 313203, 'get any essential': 346572, 'any essential teach': 79193, 'essential teach so': 281643, 'teach so haven': 835402, 'so haven been': 777268, 'to store early': 915615, 'store early in': 807427, 'day the result': 228499, 'ha meant my': 371264, 'meant my family': 524889, 'my family do': 548192, 'to feed panicbuying': 905730, 'shopping yet': 764484, 'yet please': 1016197, 'enter only': 278275, '20 shopper': 13343, 'you haven done': 1019147, 'haven done your': 383794, 'done your supermarket': 255132, 'your supermarket shopping': 1026061, 'supermarket shopping yet': 822660, 'shopping yet please': 764485, 'yet please know': 1016198, 'know you may': 477085, 'may have line': 521245, 'have line waiting': 381329, 'line waiting outside': 493549, 'waiting outside to': 964375, 'outside to enter': 629617, 'to enter only': 905222, 'enter only 20': 278276, 'only 20 shopper': 609992, '20 shopper at': 13344, 'shopper at time': 761415, 'scalefast': 739933, 'scalefast announces': 739934, 'announces direct': 77246, 'ecommerce initiative': 266789, 'scalefast announces direct': 739935, 'announces direct to': 77247, 'consumer ecommerce initiative': 197285, 'ecommerce initiative in': 266790, 'initiative in response': 438634, 'freeze mortgage': 332537, 'mortgage freeze': 541897, 'freeze grocery': 332530, 'price staysafestayhome': 676640, 'staysafestayhome until': 799035, 'is fixed': 447830, 'freeze mortgage freeze': 332538, 'mortgage freeze rent': 541898, 'freeze rent freeze': 332556, 'rent freeze grocery': 711097, 'freeze grocery price': 332531, 'grocery price staysafestayhome': 364874, 'price staysafestayhome until': 676641, 'staysafestayhome until this': 799036, 'this is fixed': 888261, 'information during': 437804, '19 below': 5367, 'supermarket information during': 821033, 'information during covid': 437805, 'covid 19 below': 212694, 'abandonment': 24224, 'aov': 81191, 'delivering unprecedented': 233561, 'unprecedented shift': 943185, 'behavior talk': 124219, 'key ecom': 473275, 'ecom data': 266689, 'data such': 226436, 'such cart': 816383, 'cart abandonment': 165239, 'abandonment and': 24225, 'and aov': 58234, 'aov by': 81192, 'sector ecommerce': 744177, '19 is delivering': 7958, 'is delivering unprecedented': 447106, 'delivering unprecedented shift': 233562, 'unprecedented shift in': 943186, 'consumer behavior talk': 196521, 'behavior talk about': 124220, 'impact on key': 417865, 'on key ecom': 601757, 'key ecom data': 473276, 'ecom data such': 266690, 'data such cart': 226437, 'such cart abandonment': 816384, 'cart abandonment and': 165240, 'abandonment and aov': 24226, 'and aov by': 58235, 'aov by sector': 81193, 'by sector ecommerce': 153907, 'bastard stockpiling food': 112504, 'stockpiling food panicbuying': 803962, 'mvb': 547105, 'sadly scammer': 729353, 'threat are': 893642, 'they attempting': 881508, 'con you': 192818, 'fact here': 295728, 'here mvb': 393357, 'mvb bank': 547106, 'bank member': 110005, 'sadly scammer are': 729354, '19 threat are': 11375, 'threat are they': 893643, 'are they attempting': 90991, 'they attempting to': 881509, 'attempting to con': 102284, 'to con you': 903162, 'con you learn': 192819, 'you learn the': 1019569, 'the fact here': 854823, 'fact here mvb': 295729, 'here mvb bank': 393358, 'mvb bank member': 547107, 'bank member fdic': 110006, 'official premier': 595879, 'ford announces': 328761, 'announces for': 77255, 'official premier doug': 595880, 'doug ford announces': 256249, 'ford announces for': 328762, 'announces for 45': 77256, '45 day government': 19085, 'day government will': 227691, 'government will suspend': 360820, 'will suspend time': 995057, 'real pandemic': 701292, 'pandemic hero': 635625, 'hero those': 394128, 'elderly doctor': 270664, 'circumstance grocery': 178726, 'employee dealing': 273755, 'dealing stockpiling': 229646, 'stockpiling with': 804123, 'distancing thank': 247528, 'lost in this': 503869, 'the real pandemic': 865228, 'real pandemic hero': 701293, 'pandemic hero those': 635626, 'hero those who': 394129, 'those who go': 892637, 'for the sick': 326685, 'sick elderly doctor': 768429, 'elderly doctor nurse': 270665, 'doctor nurse working': 251039, 'nurse working under': 577559, 'under extreme circumstance': 940080, 'extreme circumstance grocery': 293784, 'circumstance grocery employee': 178727, 'grocery employee dealing': 364492, 'employee dealing stockpiling': 273756, 'dealing stockpiling with': 229647, 'stockpiling with or': 804125, 'or without mask': 617826, 'mask or social': 519078, 'social distancing thank': 779737, 'distancing thank you': 247529, 'seen near': 747149, 'in calcutta': 421132, 'calcutta pic': 155372, 'pic credit': 655591, 'seen near my': 747150, 'near my in': 553558, 'my in calcutta': 548832, 'in calcutta pic': 421133, 'calcutta pic credit': 155373, 'pic credit 19': 655592, 'credit 19 socialdistancing': 216292, '19 socialdistancing supermarket': 10681, 'at closed': 98278, 'closed about': 182953, 'they promised': 882924, 'already scheduled': 47628, 'scheduled hoping': 741497, 'again april': 36900, '2nd they': 16803, 'work at closed': 1004863, 'at closed about': 98279, 'closed about week': 182954, 'ago in response': 38412, 'outbreak they promised': 628740, 'they promised to': 882925, 'promised to pay': 683734, 'pay me for': 644990, 'for the hour': 326483, 'the hour wa': 857585, 'hour wa already': 406069, 'wa already scheduled': 961494, 'already scheduled hoping': 47629, 'scheduled hoping to': 741498, 'hoping to open': 403956, 'to open again': 910984, 'open again april': 612021, 'again april 2nd': 36901, 'april 2nd they': 83493, '2nd they did': 16804, 'they did this': 881923, 'did this before': 240876, 'this before the': 886533, 'before the order': 123178, 'order for all': 618222, 'for all non': 319153, 'business to shut': 144556, 'down for three': 256779, 'come come': 187262, 'nation largest company': 552241, 'largest company are': 479932, 'to come come': 903024, 'following usa': 312936, 'usa initial': 948669, 'initial offer': 438540, 'offer last': 594681, 'out additional': 625572, 'include assistance': 431520, 'loan overdraft': 497491, 'more learn': 539666, 'following usa initial': 312937, 'usa initial offer': 948670, 'initial offer last': 438541, 'offer last week': 594682, 'week the bank': 976984, 'the bank ha': 849243, 'bank ha rolled': 109887, 'rolled out additional': 725643, 'out additional consumer': 625573, 'additional consumer and': 31789, 'small business offer': 774882, 'business offer in': 144124, 'crisis offer include': 217793, 'offer include assistance': 594664, 'include assistance with': 431521, 'assistance with small': 96766, 'with small business': 1000766, 'business loan overdraft': 144011, 'loan overdraft fee': 497492, 'overdraft fee and': 631181, 'fee and more': 302137, 'and more learn': 67185, 'more learn more': 539667, 'evening so14': 284897, 'charge from': 173242, '30 please': 17194, 'offering delivery this': 595073, 'delivery this evening': 234632, 'this evening so14': 887443, 'evening so14 so15': 284898, 'no delivery charge': 563984, 'delivery charge from': 233793, 'charge from 30': 173243, 'from 30 please': 334267, '30 please call': 17195, 'please call to': 659755, 'call to order': 156179, 'bradpaisley thank': 137549, 'people coming together': 647501, 'coming together in': 188244, 'together in time': 920838, 'crisis bradpaisley thank': 217136, 'bradpaisley thank you': 137550, 'farage let': 298992, 'all bringing': 42219, 'bringing food': 140157, 'farage let hope': 298993, 're all bringing': 698207, 'all bringing food': 42220, 'bringing food to': 140158, 'drummer': 261211, 'drummer ha': 261212, 'rocked his': 724941, 'his band': 397225, 'band own': 109345, 'drummer ha rocked': 261213, 'ha rocked his': 371775, 'rocked his band': 724942, 'his band own': 397226, 'band own mask': 109346, 'own mask to': 632096, 'have wiped': 383603, 'with soapy': 1000813, 'soapy cloth': 779209, 'cloth since': 184106, 'since so': 770826, 'now hearing': 574915, 'that picker': 845743, 'picker shelf': 655840, 'stacker could': 792013, 'infectious without': 436917, 'without realising': 1002872, 'realising it': 701654, 'have wiped everything': 383604, 'wiped everything in': 996454, 'everything in my': 287851, 'my supermarket delivery': 550268, 'supermarket delivery with': 819940, 'delivery with soapy': 234754, 'with soapy cloth': 1000814, 'soapy cloth since': 779210, 'cloth since so': 184107, 'since so glad': 770827, 'so glad do': 777170, 'glad do now': 351487, 'do now hearing': 249910, 'now hearing that': 574916, 'hearing that picker': 388244, 'that picker shelf': 845744, 'picker shelf stacker': 655841, 'shelf stacker could': 757557, 'stacker could be': 792014, 'could be infectious': 208888, 'be infectious without': 115490, 'infectious without realising': 436918, 'without realising it': 1002873, 'realising it the': 701655, 'it the virus': 461583, 'virus can live': 958034, 'surface for long': 828026, 'asda new': 94954, 'coronavirus rule': 206691, 'asda new coronavirus': 94955, 'new coronavirus rule': 558550, 'coronavirus rule supermarket': 206692, 'rule supermarket to': 727364, 'supermarket to limit': 823385, 'limit customer entering': 492322, 'customer entering store': 222339, 'disabilityandcovid19': 243866, 'anything however': 80785, 'indoors cannot': 435389, 'anywhere starting': 81150, 'bit now': 131627, 'now disabilityandcovid19': 574528, 'don use the': 254017, 'use the fact': 949662, 'for anything however': 319460, 'anything however am': 80786, 'however am stuck': 409341, 'am stuck indoors': 50445, 'stuck indoors cannot': 814605, 'indoors cannot go': 435390, 'go out an': 353933, 'out an can': 625630, 'an can get': 55519, 'delivery from anywhere': 234046, 'from anywhere starting': 334564, 'anywhere starting to': 81151, 'little bit now': 495258, 'bit now disabilityandcovid19': 131628, 'too mind': 924904, 'mind certainly': 532645, 'certainly wouldn': 170196, 'wouldn like': 1012489, 'daily coming': 224548, 'off to bus': 594317, 'worker too mind': 1008040, 'too mind certainly': 924905, 'mind certainly wouldn': 532646, 'certainly wouldn like': 170197, 'wouldn like to': 1012490, 'to think wa': 917391, 'think wa doing': 885747, 'wa doing that': 962008, 'doing that job': 252706, 'that job daily': 844774, 'job daily coming': 465771, 'daily coming into': 224549, 'contact with that': 200291, 'class acityunited': 180133, 'of class acityunited': 581447, 'this victoria': 890972, 'love this victoria': 504837, 'this victoria help': 890973, '19 crushed': 6369, 'demand school': 236177, 'school amp': 741680, 'processor at': 680064, 'time unexpected': 898163, 'unexpected supply': 941383, 'supply surge': 825933, 'more calf': 538754, 'calf born': 155402, 'born govt': 135559, 'ha few': 370615, 'few tool': 304114, 'tool other': 925430, 'some excess': 782784, 'bank sound': 110201, 'sound familiar': 786283, 'familiar except': 297531, 'except you': 289254, 'off cow': 593751, 'dumping milk because': 262236, 'milk because covid': 531585, 'covid 19 crushed': 212893, '19 crushed demand': 6370, 'crushed demand school': 219807, 'demand school amp': 236178, 'school amp food': 741681, 'amp food processor': 53824, 'food processor at': 315996, 'processor at same': 680065, 'same time unexpected': 733373, 'time unexpected supply': 898164, 'unexpected supply surge': 941384, 'supply surge more': 825934, 'surge more calf': 828223, 'more calf born': 538755, 'calf born govt': 155403, 'born govt ha': 135560, 'govt ha few': 361142, 'ha few tool': 370616, 'few tool other': 304115, 'tool other than': 925431, 'than to try': 841346, 'buy some excess': 149202, 'some excess supply': 782785, 'excess supply for': 289374, 'food bank sound': 313644, 'bank sound familiar': 110202, 'sound familiar except': 786284, 'familiar except you': 297532, 'except you can': 289255, 'you can shut': 1017783, 'can shut off': 159620, 'shut off cow': 767907, 'yo pay': 1016445, 'pay ur': 645209, 'ur loyal': 948033, 'loyal employee': 506275, 'sick paid': 768563, 'paid do': 633997, 'ur consumer': 947994, 'newspaper watch': 561106, 'watch business': 968371, 'news your': 560981, 'company made': 190864, 'made billion': 507653, 'dollar last': 253024, 'year think': 1015015, 'them sick': 876283, 'off pay': 594054, 'yo pay ur': 1016446, 'pay ur loyal': 645210, 'ur loyal employee': 948034, 'loyal employee sick': 506276, 'employee sick paid': 274216, 'sick paid do': 768564, 'paid do you': 633998, 'do you idiot': 250639, 'you idiot not': 1019276, 'idiot not realize': 413556, 'realize that ur': 701862, 'that ur consumer': 847198, 'ur consumer read': 947995, 'consumer read and': 198648, 'read and we': 700283, 'we do read': 971347, 'do read the': 250021, 'read the newspaper': 700584, 'the newspaper watch': 861639, 'newspaper watch business': 561107, 'watch business news': 968372, 'business news your': 144099, 'news your company': 560982, 'your company made': 1023286, 'company made billion': 190865, 'made billion dollar': 507654, 'billion dollar last': 130805, 'dollar last year': 253025, 'last year think': 480737, 'year think you': 1015016, 'can pay them': 159207, 'pay them sick': 645167, 'them sick time': 876284, 'sick time off': 768638, 'time off pay': 897386, 'those hunting': 892075, 'against know': 37532, 'know know': 476560, 'know controversial': 476335, 'controversial to': 202291, 'top public': 925698, 'official but': 595768, 'me explain': 522710, 'for those hunting': 327114, 'those hunting for': 892076, 'hunting for the': 411417, 'sanitizer they probably': 735884, 'probably don work': 679256, 'don work against': 254072, 'work against know': 1004722, 'against know know': 37533, 'know know controversial': 476561, 'know controversial to': 476336, 'controversial to say': 202292, 'it is coming': 458908, 'coming from some': 188061, 'of our top': 587580, 'our top public': 625171, 'top public health': 925699, 'health official but': 386701, 'official but let': 595769, 'let me explain': 486897, 'time an': 896249, 'next time an': 561602, 'time an idiot': 896251, 'an idiot say': 56150, 'idiot say grocery': 413583, 'store worker don': 811484, 'worker don need': 1006804, 'america please': 51647, 'please fucking': 660015, 'email pertaining': 272266, 'spending any': 788746, 'fucking crisis': 339845, 'thanks every': 842044, 'dear store across': 229888, 'across america please': 29249, 'america please fucking': 51648, 'please fucking stop': 660016, 'fucking stop sending': 340015, 'sending me what': 750049, 'me what on': 523931, 'what on sale': 981961, 'sale and any': 732034, 'and any email': 58215, 'any email pertaining': 79180, 'email pertaining to': 272267, 'pertaining to spending': 653278, 'to spending any': 915004, 'spending any amount': 788747, 'any amount of': 78921, 'amount of during': 53220, 'of during this': 582879, 'during this fucking': 263288, 'this fucking crisis': 887643, 'fucking crisis in': 339846, 'world thanks every': 1010038, 'thanks every fucking': 842045, 'every fucking consumer': 285909, 'beauty the': 118808, 'may put': 521439, 'put makeup': 690674, 'makeup apps': 510898, 'additional virtual': 31895, 'reality beauty': 701704, 'beauty technology': 118806, 'consumer sniff': 199011, 'sniff test': 776341, 'test once': 839111, 'once or': 605685, 'beauty the covid': 118809, 'pandemic may put': 635942, 'may put makeup': 521440, 'put makeup apps': 690675, 'makeup apps and': 510899, 'apps and additional': 83262, 'and additional virtual': 57683, 'additional virtual reality': 31896, 'virtual reality beauty': 957780, 'reality beauty technology': 701705, 'beauty technology to': 118807, 'technology to the': 836393, 'the consumer sniff': 851597, 'consumer sniff test': 199012, 'sniff test once': 776342, 'test once or': 839112, 'once or for': 605686, 'or for all': 615361, 'the judicial': 858700, 'following the judicial': 312890, 'the judicial council': 858701, 'closure wwd': 184073, 'wwd apparel': 1013662, 'store closure wwd': 807116, 'closure wwd apparel': 184074, 'wwd apparel fashion': 1013663, 'spreadsheet': 791112, 'coronan': 205083, 'busy creating': 144890, 'creating toilet': 216095, 'paper inventory': 640345, 'inventory backed': 443649, 'by robust': 153831, 'robust approval': 724831, 'approval system': 83097, 'and spreadsheet': 72162, 'spreadsheet recording': 791113, 'recording toiletpapercrisis': 705141, 'toiletpaper coronan': 921888, 'coronan stayathome': 205084, 've been busy': 952868, 'been busy creating': 120769, 'busy creating toilet': 144891, 'creating toilet paper': 216096, 'toilet paper inventory': 921322, 'paper inventory backed': 640346, 'inventory backed by': 443650, 'backed by robust': 107533, 'by robust approval': 153832, 'robust approval system': 724832, 'approval system and': 83098, 'system and spreadsheet': 831106, 'and spreadsheet recording': 72163, 'spreadsheet recording toiletpapercrisis': 791114, 'recording toiletpapercrisis toiletpaper': 705142, 'toiletpapercrisis toiletpaper coronan': 923081, 'toiletpaper coronan stayathome': 921889, 'coronan stayathome selfisolation': 205085, 'stayathome selfisolation panicbuying': 797606, 'paswan govt': 643907, 'outbreak coronastopkarona': 628137, 'coronastopkarona coronaalert': 205278, 'vila paswan govt': 957303, 'paswan govt ha': 643908, 'of outbreak coronastopkarona': 587603, 'outbreak coronastopkarona coronaalert': 628138, 'timer': 898495, 'gluttony': 353152, 'supermarket better': 819367, 'if continue': 413993, 'pick at': 655641, 'put timer': 690923, 'timer lock': 898496, 'lock on': 499075, 'from gluttony': 335648, 'gluttony before': 353153, '19 reach': 9967, 'reach me': 699943, 'supermarket better stock': 819368, 'up if continue': 945134, 'if continue to': 413994, 'continue to pick': 201229, 'to pick at': 911719, 'pick at food': 655642, 'at food like': 98674, 'like this working': 491553, 'this working from': 891500, 'from home may': 335878, 'home may have': 401597, 'to put timer': 912620, 'put timer lock': 690924, 'timer lock on': 898497, 'lock on it': 499076, 'it will die': 462391, 'die from gluttony': 241350, 'from gluttony before': 335649, 'gluttony before covid': 353154, 'covid 19 reach': 213658, '19 reach me': 9968, 'rbc forecast': 698066, 'canadian re': 160734, 'and updated': 74738, 'updated affordability': 947344, 'rbc forecast for': 698067, 'forecast for canadian': 328817, 'for canadian re': 319901, 'canadian re price': 160735, 're price and': 699302, 'price and updated': 672573, 'and updated affordability': 74739, 'after alien': 35318, 'alien took': 41749, 'over earth': 630171, '2021 they': 14793, 'they commented': 881783, 'how extinct': 407832, 'extinct human': 293360, 'human had': 410506, 'cleanest butt': 180876, 'butt they': 148110, 'seen toiletpaper': 747329, 'hoarder suck': 399111, 'suck quaratinelife': 816919, 'after alien took': 35319, 'alien took over': 41750, 'took over earth': 925309, 'over earth in': 630172, 'earth in 2021': 264986, 'in 2021 they': 419872, '2021 they commented': 14794, 'they commented on': 881784, 'commented on how': 188496, 'on how extinct': 601396, 'how extinct human': 407833, 'extinct human had': 293361, 'human had the': 410507, 'had the cleanest': 373612, 'the cleanest butt': 850988, 'cleanest butt they': 180877, 'butt they ever': 148111, 'they ever seen': 882061, 'ever seen toiletpaper': 285493, 'seen toiletpaper hoarder': 747330, 'toiletpaper hoarder suck': 922072, 'hoarder suck quaratinelife': 399112, 'garda': 343560, 'grange': 362002, 'rented': 711287, 'garda got': 343561, 'family waiting': 298356, 'in grange': 423404, 'grange today': 362003, 'today asking': 919260, 'them etc': 875659, 'the garda': 856151, 'garda to': 343563, 'the 210': 848035, '210 car': 15047, 'car being': 163029, 'being rented': 125668, 'rented to': 711288, 'garda got call': 343562, 'call from family': 155903, 'from family waiting': 335406, 'family waiting to': 298357, '19 in grange': 7746, 'in grange today': 423405, 'grange today asking': 362004, 'today asking them': 919261, 'for them etc': 326899, 'them etc and': 875660, 'etc and we': 282412, 're told by': 699720, 'by the garda': 154333, 'the garda to': 856152, 'garda to do': 343564, 'online so much': 609390, 'for the 210': 326286, 'the 210 car': 848036, '210 car being': 15048, 'car being rented': 163030, 'being rented to': 125669, 'rented to help': 711289, 'suspend oil': 829575, 'yet falling': 1016064, 'oil to suspend': 597481, 'to suspend oil': 916068, 'suspend oil sand': 829576, 'oil sand project': 597407, 'sand project due': 733664, 'challenge yet falling': 171606, 'yet falling oil': 1016065, 'company to cut': 191224, 'cut production and': 223500, 'production and lay': 681925, 'lay off worker': 482606, 'groce': 364084, 'org deploy': 619179, 'our refrigeration': 624565, 'refrigeration technology': 706796, 'for do': 320786, 'yourself coil': 1026562, 'cleaning by': 180908, 'staff wet': 793075, 'wet dry': 980728, 'dry vacuum': 261317, 'vacuum hose': 951821, 'hose to': 404246, 'to cheaply': 902673, 'cheaply slice': 174322, 'slice current': 773863, 'current unneeded': 221422, 'unneeded electric': 942972, 'cost that': 208125, 'their bottom': 872635, 'line groce': 493140, 'org deploy our': 619180, 'deploy our refrigeration': 237450, 'our refrigeration technology': 624566, 'refrigeration technology for': 706797, 'technology for do': 836302, 'for do it': 320787, 'it yourself coil': 462671, 'yourself coil cleaning': 1026563, 'coil cleaning by': 185606, 'cleaning by in': 180909, 'by in store': 152886, 'store staff wet': 810334, 'staff wet dry': 793076, 'wet dry vacuum': 980729, 'dry vacuum hose': 261318, 'vacuum hose to': 951822, 'hose to cheaply': 404247, 'to cheaply slice': 902674, 'cheaply slice current': 174323, 'slice current unneeded': 773864, 'current unneeded electric': 221423, 'unneeded electric cost': 942973, 'electric cost that': 271110, 'cost that will': 208126, 'will help their': 993733, 'help their bottom': 390688, 'their bottom line': 872636, 'bottom line groce': 136409, 'hot take': 405054, 'buyer limiting': 149679, 'limiting people': 492845, 'actual also': 30627, 'another topic': 77915, 'topic just': 925797, 'me mr': 523178, 'mr conspiracy': 544358, 'hot take more': 405055, 'take more worried': 832343, 'worried about panic': 1010511, 'about panic buyer': 25920, 'panic buyer limiting': 637586, 'buyer limiting people': 149680, 'limiting people ability': 492846, 'and supply than': 72818, 'supply than am': 825947, 'am of the': 50269, 'the actual also': 848313, 'actual also worried': 30628, 'about how far': 25434, 'far the government': 298930, 'government may go': 360348, 'may go to': 521213, 'go to force': 354309, 'to force quarantine': 906172, 'force quarantine but': 328489, 'quarantine but that': 692065, 'but that another': 147282, 'that another topic': 842669, 'another topic just': 77916, 'topic just call': 925798, 'just call me': 468409, 'call me mr': 155990, 'me mr conspiracy': 523179, 'have spray': 382699, 'own also': 631876, 'also spray': 48900, 'spray or': 790317, 'or squeeze': 617191, 'think would have': 885798, 'would have spray': 1011895, 'have spray bottle': 382700, 'bottle of home': 136286, 'of home made': 584721, 'sanitizer did you': 734746, 'did you make': 240938, 'your own also': 1025123, 'own also spray': 631877, 'also spray or': 48901, 'spray or squeeze': 790318, 'or squeeze bottle': 617192, '37qyihjaypbuax9tnmdfro6zkdftyrvfvl': 18118, 'few bitcoin': 303730, 'bitcoin can': 131806, '19 bitcoin': 5396, 'bitcoin address': 131795, 'address 37qyihjaypbuax9tnmdfro6zkdftyrvfvl': 31940, '37qyihjaypbuax9tnmdfro6zkdftyrvfvl can': 18119, 'receive western': 703572, 'western union': 980644, 'union to': 941948, 'few bitcoin can': 303731, 'bitcoin can save': 131807, 'can save from': 159505, 'save from hunger': 737511, 'from hunger in': 335982, 'hunger in africa': 411128, 'in africa this': 420091, 'africa this period': 35147, 'covid 19 bitcoin': 212707, '19 bitcoin address': 5397, 'bitcoin address 37qyihjaypbuax9tnmdfro6zkdftyrvfvl': 131796, 'address 37qyihjaypbuax9tnmdfro6zkdftyrvfvl can': 31941, '37qyihjaypbuax9tnmdfro6zkdftyrvfvl can also': 18120, 'can also receive': 157466, 'also receive western': 48759, 'receive western union': 703573, 'western union to': 980645, 'union to stock': 941949, 'macho': 507438, 'kenya that': 472943, '100 up': 2107, 'from macho': 336297, 'macho tu': 507439, 'tu 19': 935012, 'someone tell the': 784679, 'tell the kenya': 837087, 'the kenya that': 858747, 'kenya that the': 472944, 'now at 100': 574121, 'at 100 up': 97419, '100 up from': 2108, 'up from macho': 944988, 'from macho tu': 336298, 'macho tu 19': 507440, 'staysafesta': 798980, 'mum gym': 545901, 'dad from': 224324, 'supermarket needle': 821589, 'feel too': 302903, 'too controlling': 924669, 'controlling they': 202284, 'too precious': 925006, 'need protecting': 555483, 'protecting staysafesta': 685229, 'cancelled my mum': 161140, 'my mum gym': 549374, 'mum gym membership': 545902, 'membership and stocked': 528270, 'stocked up their': 803445, 'with food to': 998514, 'food to stop': 317295, 'my dad from': 547889, 'dad from going': 224325, 'the supermarket needle': 868711, 'supermarket needle to': 821590, 'were not happy': 979919, 'not happy and': 569795, 'happy and feel': 377581, 'and feel too': 62782, 'feel too controlling': 302904, 'too controlling they': 924670, 'controlling they are': 202285, 'are too precious': 91145, 'too precious and': 925007, 'precious and need': 669462, 'and need protecting': 67477, 'need protecting staysafesta': 555485, 'doing family': 252399, 'family outing': 298141, 'outing to': 628993, 'for care': 319934, 'number need': 576916, 'need limiting': 555158, 'protecting panicbuying': 685221, 'tesco lockdownuk': 838736, 'lockdownuk 19': 500396, 'scene in our': 741332, 'our local people': 623782, 'local people seriously': 498263, 'people seriously need': 649407, 'seriously need to': 751676, 'stop doing family': 804616, 'doing family outing': 252400, 'family outing to': 298142, 'outing to the': 628994, 'the supermarket leave': 868670, 'supermarket leave some': 821287, 'some for care': 782888, 'for care staff': 319935, 'care staff number': 164210, 'staff number need': 792694, 'number need limiting': 576917, 'need limiting the': 555159, 'limiting the staff': 492880, 'the staff need': 867694, 'staff need protecting': 792673, 'need protecting panicbuying': 555484, 'protecting panicbuying tesco': 685222, 'panicbuying tesco lockdownuk': 639077, 'tesco lockdownuk 19': 838737, 'war analyst': 966350, 'drop further': 260207, 'further russia': 342154, 'russia saudiarabia': 728563, 'saudiarabia aramco': 737330, 'aramco via': 84001, 'price war analyst': 677349, 'war analyst expect': 966351, 'analyst expect price': 57129, 'to drop further': 904770, 'drop further russia': 260208, 'further russia saudiarabia': 342155, 'russia saudiarabia aramco': 728564, 'saudiarabia aramco via': 737331, 'tyas': 937489, 'our chairman': 622352, 'chairman chris': 171330, 'chris tyas': 178064, 'tyas ha': 937490, 'oversee war': 631498, 'war room': 966526, 'his great': 397475, 'experience managing': 291416, 'managing major': 512880, 'chain across': 170434, 'announce that our': 76879, 'that our chairman': 845572, 'our chairman chris': 622353, 'chairman chris tyas': 171331, 'chris tyas ha': 178065, 'tyas ha been': 937491, 'been asked by': 120694, 'asked by the': 95725, 'government to oversee': 360727, 'to oversee war': 911316, 'oversee war room': 631499, 'war room to': 966527, 'room to tackle': 725984, 'at supermarket due': 100718, 'to his great': 907814, 'his great experience': 397476, 'great experience managing': 362666, 'experience managing major': 291417, 'managing major crisis': 512881, 'major crisis in': 509296, 'crisis in supply': 217541, 'supply chain across': 824900, 'chain across the': 170435, 'scone': 742302, 'someone give': 784483, 'me box': 522524, 'herb scone': 392577, 'scone pretty': 742303, 'son eats': 785367, 'mine are looking': 532875, 'help can someone': 389476, 'can someone give': 159671, 'someone give me': 784484, 'give me box': 350566, 'me box of': 522525, 'cheese and herb': 175167, 'and herb scone': 64525, 'herb scone pretty': 392578, 'scone pretty much': 742304, 'thing my son': 884605, 'my son eats': 550153, 'son eats and': 785368, 'are empty everywhere': 86147, 'do panicbuying': 249961, 'know of family': 476643, 'of family or': 583409, 'or friend that': 615396, 'friend that do': 333824, 'that do panicbuying': 843570, 'to reset': 913344, 'reset let': 714165, 'maintain demand': 508954, 'hold food': 399924, 'it harm': 458496, 'harm those': 378419, 'sad to not': 729274, 'to not see': 910706, 'see people out': 745563, 'and about it': 57551, 'about it time': 25600, 'world to reset': 1010087, 'to reset let': 913345, 'reset let hope': 714166, 'hope the food': 403676, 'chain can maintain': 170575, 'can maintain demand': 158918, 'maintain demand please': 508955, 'do not hold': 249758, 'not hold food': 570004, 'hold food and': 399925, 'supply it harm': 825472, 'it harm those': 458497, 'harm those that': 378420, 'army delivering': 92998, 'expose everyone': 292785, 'the army delivering': 848904, 'army delivering supermarket': 92999, 'delivering supermarket delivery': 233543, 'supermarket delivery so': 819933, 'delivery so people': 234555, 'so people don': 777998, 'people don need': 647704, 'need to expose': 555927, 'to expose everyone': 905512, 'expose everyone else': 292786, 'everyone else to': 286883, 'else to covid': 271937, 'people will stop': 650416, 'buying if they': 150516, 'can get regular': 158447, 'get regular delivery': 347912, 'have parent': 381893, 'their 70': 872443, '70 how': 21777, 'you convince': 1018044, 'convince your': 202656, 'parent not': 641683, 'instead so': 440358, 'through stayathome': 894690, 'question for people': 693589, 'who have parent': 988943, 'have parent in': 381894, 'parent in their': 641657, 'in their 70': 429711, 'their 70 how': 872444, '70 how do': 21778, 'do you convince': 250620, 'you convince your': 1018045, 'convince your parent': 202657, 'your parent not': 1025204, 'parent not to': 641684, 'store and use': 806388, 'and use delivery': 74773, 'use delivery instead': 949154, 'delivery instead so': 234130, 'instead so worried': 440359, 'so worried they': 778812, 'worried they re': 1010592, 're taking unnecessary': 699660, 'unnecessary risk don': 942931, 'risk don know': 723498, 'get through stayathome': 348438, 'moon generic': 538332, 'if hydroxychloroquine': 414249, 'hydroxychloroquine becomes': 411996, 'becomes standard': 120252, 'standard treatment': 793715, 'already impossible': 47461, 'obtain for': 578729, 'moon generic medication': 538333, 'generic medication price': 345691, 'medication price rise': 526676, 'rise with demand': 723070, 'with demand just': 997980, 'demand just like': 235775, 'just like other': 469153, 'like other product': 490945, 'other product can': 620768, 'product can you': 681046, 'you imagine the': 1019295, 'imagine the demand': 416797, 'the demand if': 853099, 'demand if hydroxychloroquine': 235661, 'if hydroxychloroquine becomes': 414250, 'hydroxychloroquine becomes standard': 411997, 'becomes standard treatment': 120253, 'standard treatment for': 793716, 'the it already': 858582, 'it already impossible': 456413, 'already impossible to': 47462, 'impossible to obtain': 419403, 'to obtain for': 910798, 'obtain for those': 578730, 'of who need': 593133, 'resume that': 717750, 'is it gonna': 449026, 'it gonna look': 458294, 'gonna look really': 356579, 'look really good': 502579, 'really good on': 702237, 'good on my': 357500, 'my resume that': 549946, 'resume that worked': 717751, 'charter flight': 173865, 'are operated': 88817, 'operated by': 613040, 'by airline': 151783, 'airline who': 40058, 'who set': 989601, 'market pricing': 516909, 'pricing if': 677932, 'private charter flight': 678875, 'charter flight are': 173866, 'flight are operated': 310433, 'are operated by': 88818, 'operated by airline': 613041, 'by airline who': 151784, 'airline who set': 40059, 'who set their': 989602, '19 market pricing': 8557, 'market pricing if': 516910, 'pricing if you': 677933, 'united state please': 942236, 'state please seriously': 795862, 'ombudsman say': 598871, 'should force': 766009, 'force supplier': 328505, 'their cancellation': 872708, 'service ombudsman say': 752647, 'ombudsman say the': 598872, 'pandemic should force': 636453, 'should force supplier': 766010, 'force supplier to': 328506, 'supplier to review': 824629, 'to review their': 913498, 'review their cancellation': 720596, 'their cancellation policy': 872709, 'quarantine having': 692249, 'despair why': 238496, 'because canadian': 118978, 'canadian me': 160710, 'me always': 522386, 'of pancake': 587684, 'pancake mix': 634710, 'mix buttermilk': 534587, 'buttermilk ofc': 148182, 'ofc pro': 593577, 'tip pancake': 898870, 'pancake are': 634708, 'breakfast but': 138875, 'also lunch': 48493, 'dinner coronacrisis': 243064, 'of self imposed': 589468, 'imposed quarantine having': 419310, 'quarantine having been': 692250, 'supermarket to find': 823371, 'to find no': 905925, 'find no pasta': 307098, 'no pasta wa': 565079, 'pasta wa not': 643847, 'wa not in': 962765, 'not in despair': 570089, 'in despair why': 422210, 'despair why because': 238497, 'why because canadian': 990832, 'because canadian me': 118979, 'canadian me always': 160711, 'me always have': 522387, 'always have large': 49611, 'have large supply': 381244, 'supply of pancake': 825640, 'of pancake mix': 587685, 'pancake mix buttermilk': 634711, 'mix buttermilk ofc': 534588, 'buttermilk ofc pro': 148183, 'ofc pro tip': 593578, 'pro tip pancake': 679134, 'tip pancake are': 898871, 'pancake are not': 634709, 'just for breakfast': 468743, 'for breakfast but': 319778, 'breakfast but also': 138876, 'but also lunch': 145126, 'also lunch and': 48494, 'lunch and dinner': 506705, 'and dinner coronacrisis': 61365, 'dairypod': 225066, 'soundcloud': 786347, '19 dairypod': 6408, 'dairypod caught': 225067, 'fresh agenda': 332907, 'agenda director': 38115, 'director steve': 243670, 'steve spencer': 799959, 'spencer to': 788545, 'gate milk': 344344, 'are shaping': 90017, 'world listen': 1009763, 'on soundcloud': 603580, 'soundcloud or': 786348, 'or subscribe': 617261, 'subscribe at': 815847, 'at apple': 98034, 'apple podcasts': 82355, 'podcasts or': 662335, 'or google': 615504, 'covid 19 dairypod': 212906, '19 dairypod caught': 6409, 'dairypod caught up': 225068, 'caught up with': 167474, 'with fresh agenda': 998551, 'fresh agenda director': 332908, 'agenda director steve': 38116, 'director steve spencer': 243671, 'steve spencer to': 799960, 'spencer to look': 788546, 'at how market': 99224, 'how market and': 408294, 'market and farm': 515965, 'and farm gate': 62696, 'farm gate milk': 299124, 'gate milk price': 344345, 'price are shaping': 672733, 'are shaping up': 90018, 'shaping up in': 754890, 'the post coronavirus': 864083, 'coronavirus world listen': 207107, 'world listen on': 1009764, 'listen on soundcloud': 494702, 'on soundcloud or': 603581, 'soundcloud or subscribe': 786349, 'or subscribe at': 617262, 'subscribe at apple': 815848, 'at apple podcasts': 98035, 'apple podcasts or': 82356, 'podcasts or google': 662336, 'or google play': 615505, 'richmond local': 721362, 'boutique and': 136931, 'and thrift': 74084, 'thrift store': 894180, 'business running': 144341, 'in richmond local': 427502, 'richmond local boutique': 721363, 'local boutique and': 497736, 'boutique and thrift': 136932, 'and thrift store': 74085, 'thrift store are': 894181, 'store are searching': 806520, 'are searching for': 89880, 'searching for new': 743332, 'way to serve': 970091, 'to serve customer': 914259, 'serve customer and': 751880, 'customer and keep': 222081, 'their business running': 872687, '19uk uk': 12568, 'over bought': 630030, 'selling these': 749498, 'government bring': 359948, 'in legislation': 424674, '19uk uk people': 12569, 'uk people over': 938621, 'people over bought': 649039, 'over bought and': 630031, 'bought and emptied': 136500, 'shelf are selling': 756826, 'are selling these': 89972, 'selling these product': 749499, 'these product on': 880561, 'ebay at 10': 266435, 'at 10 time': 97411, '10 time the': 1720, 'price will the': 677591, 'uk government bring': 938409, 'government bring in': 359949, 'bring in legislation': 139995, 'shopper literally': 761598, 'literally sell': 495076, 'some corporate': 782606, 'responsibility impose': 715956, 'item special': 463655, 'disabled lower': 243921, 'hey and you': 394323, 'and you guy': 76022, 'guy are making': 368902, 'profit off panic': 682820, 'off panic shopper': 594050, 'panic shopper literally': 638556, 'shopper literally sell': 761599, 'literally sell out': 495077, 'sell out daily': 748837, 'out daily and': 625925, 'daily and why': 224498, 'and why not': 75631, 'why not some': 991233, 'not some corporate': 571647, 'some corporate responsibility': 782607, 'corporate responsibility impose': 207333, 'responsibility impose limit': 715957, 'impose limit on': 419242, 'limit on item': 492415, 'on item special': 601709, 'item special hour': 463656, 'senior and senior': 750209, 'and senior disabled': 71254, 'senior disabled lower': 750278, 'disabled lower your': 243922, 'brand evolve': 137836, 'evolve their': 288514, 'pandemic released': 636324, 'report track': 712395, 'track how': 928200, 'how sentiment': 408641, 'evolving 00': 288539, 'france usa': 331050, 'usa spain': 948751, 'italy claim': 462786, 'should brand evolve': 765795, 'brand evolve their': 137837, 'evolve their consumer': 288515, 'their consumer communication': 872853, 'consumer communication in': 196825, 'communication in light': 189604, 'global pandemic released': 352103, 'pandemic released today': 636325, 'released today our': 709095, 'today our consumer': 920003, 'sentiment report track': 750988, 'report track how': 712396, 'track how sentiment': 928201, 'how sentiment ha': 408642, 'sentiment ha and': 750936, 'ha and is': 369552, 'and is evolving': 65403, 'is evolving 00': 447612, 'evolving 00 response': 288540, '00 response from': 471, 'response from uk': 715700, 'from uk france': 338168, 'uk france usa': 938387, 'france usa spain': 331051, 'usa spain and': 948752, 'and italy claim': 65614, 'italy claim your': 462787, 'claim your copy': 179873, 'fuck any': 339522, 'declare itself': 231190, 'itself essential': 463928, 'fuck any store': 339523, 'any store trying': 79870, 'trying to declare': 934793, 'to declare itself': 904006, 'declare itself essential': 231191, 'itself essential retail': 463929, 'essential retail during': 281465, 'retail during pandemic': 718052, '199200': 12494, 'bugy2k': 141926, 'who experienced': 988715, 'experienced millenniumbug': 291590, 'millenniumbug 199200': 532033, '199200 people': 12495, 'and controversy': 60521, 'controversy caused': 202294, 'people stored': 649663, 'stored there': 811722, 'changed bugy2k': 172447, 'bugy2k y2k2dpanic': 141927, 'raise your hand': 695978, 'your hand who': 1024244, 'hand who experienced': 375988, 'who experienced millenniumbug': 988716, 'experienced millenniumbug 199200': 291591, 'millenniumbug 199200 people': 532034, '199200 people were': 12496, 'even heard about': 284177, 'panic and controversy': 637305, 'and controversy caused': 60522, 'controversy caused by': 202295, 'by people stored': 153557, 'people stored there': 649664, 'stored there wa': 811723, 'wa no shortage': 962735, 'no shortage on': 565498, 'shelf what changed': 757780, 'what changed bugy2k': 981208, 'changed bugy2k y2k2dpanic': 172448, 'people thought': 649853, 'thought gas': 893056, 'dropping wa': 260747, 'people thought gas': 649854, 'thought gas price': 893057, 'price dropping wa': 673610, 'dropping wa great': 260748, 'wa great thing': 962254, 'meat industry': 525625, 'industry look': 435975, 'reassure consumer': 703184, 'meat industry look': 525626, 'industry look to': 435976, 'look to reassure': 502633, 'to reassure consumer': 912887, 'reassure consumer demand': 703185, 'consumer demand grows': 197137, 'demand grows due': 235592, 'bloor': 133281, 'just north': 469325, 'of bloor': 580751, 'bloor on': 133282, 'on dundas': 600440, 'dundas west': 262275, 'west are': 980453, 'not adequately': 568058, 'protected no': 685143, 'or obvious': 616342, 'obvious sanitizer': 578800, 'cashier socialdistancing': 166613, 'dear the staff': 229900, 'your store just': 1025973, 'store just north': 808621, 'just north of': 469326, 'north of bloor': 567671, 'of bloor on': 580752, 'bloor on dundas': 133283, 'on dundas west': 600441, 'dundas west are': 262276, 'west are not': 980454, 'are not adequately': 88311, 'not adequately protected': 568059, 'adequately protected no': 32197, 'protected no one': 685144, 'one had mask': 606395, 'had mask no': 373284, 'glove or obvious': 352841, 'or obvious sanitizer': 616343, 'obvious sanitizer for': 578801, 'sanitizer for them': 734926, 'for them please': 326915, 'them please protect': 876169, 'please protect your': 660335, 'protect your cashier': 685057, 'your cashier socialdistancing': 1023162, 'lamejokethursday': 479186, 'lamejokethurs': 479183, 'lamejoke': 479180, 'jokesfordays': 467184, 'man sue': 512255, 'sue supermarket': 817164, 'paper injury': 640337, 'injury lame': 438720, 'lame joke': 479176, 'joke thursday': 467144, 'thursday lamejokethursday': 895391, 'lamejokethursday lamejokethurs': 479187, 'lamejokethurs lamejoke': 479184, 'lamejoke lame': 479181, 'laugh jokesfordays': 481738, 'jokesfordays humour': 467185, 'humour quarantineandchill': 410948, 'quarantine mypandemicsurvivalplan': 692376, 'mypandemicsurvivalplan toiletpaper': 550782, 'man sue supermarket': 512256, 'sue supermarket over': 817165, 'supermarket over toilet': 821865, 'toilet paper injury': 921318, 'paper injury lame': 640338, 'injury lame joke': 438721, 'lame joke thursday': 479178, 'joke thursday lamejokethursday': 467145, 'thursday lamejokethursday lamejokethurs': 895392, 'lamejokethursday lamejokethurs lamejoke': 479188, 'lamejokethurs lamejoke lame': 479185, 'lamejoke lame joke': 479182, 'lame joke funny': 479177, 'joke funny laugh': 467085, 'funny laugh jokesfordays': 341761, 'laugh jokesfordays humour': 481739, 'jokesfordays humour quarantineandchill': 467186, 'humour quarantineandchill quarantine': 410949, 'quarantineandchill quarantine mypandemicsurvivalplan': 692759, 'quarantine mypandemicsurvivalplan toiletpaper': 692377, 'mypandemicsurvivalplan toiletpaper rona': 550783, 'tiktokyansen': 895931, 'through together': 894867, 'together guy': 920812, 'guy viruscorona': 369189, 'socialdistancing tiktokyansen': 780811, 'tiktokyansen los': 895932, 're the virus': 699704, 'virus the sanitizer': 958888, 'the sanitizer let': 866355, 'sanitizer let get': 735283, 'this through together': 890600, 'through together guy': 894868, 'together guy viruscorona': 920813, 'guy viruscorona socialdistancing': 369190, 'viruscorona socialdistancing tiktokyansen': 959096, 'socialdistancing tiktokyansen los': 780812, 'tiktokyansen los angeles': 895933, 'mcopinion': 522238, 'morning mcopinion': 541354, 'mcopinion india': 522239, 'slip through': 774032, 'for mcpro': 323302, 'good morning mcopinion': 357409, 'morning mcopinion india': 541355, 'mcopinion india should': 522240, 'price slip through': 676476, 'slip through it': 774033, 'through it finger': 894537, 'writes for mcpro': 1012841, 'asparagus price': 96204, 'is nipping': 449904, 'nipping at': 563345, 'asparagus price show': 96205, 'price show how': 676393, 'show how the': 766993, 'coronavirus is nipping': 206165, 'is nipping at': 449905, 'nipping at the': 563346, 'attended session': 102394, 'virtual webinar': 957817, 'webinar last': 975052, 'night panel': 563054, 'expert short': 291974, 'price liquidity': 675060, 'liquidity length': 494144, 'disruption future': 246478, 'working comment': 1008572, 'comment all': 188378, 'map interesting': 514927, 'attended session on': 102395, 'session on real': 753300, '19 virtual webinar': 11782, 'virtual webinar last': 957818, 'webinar last night': 975053, 'last night panel': 480388, 'night panel of': 563055, 'of expert short': 583329, 'expert short story': 291975, 'short story no': 764696, 'story no one': 812053, 'happen with price': 377212, 'with price liquidity': 1000311, 'price liquidity length': 675061, 'liquidity length of': 494145, 'length of disruption': 486319, 'of disruption future': 582709, 'disruption future of': 246479, 'future of co': 342390, 'of co working': 581492, 'co working comment': 185019, 'working comment all': 1008573, 'comment all of': 188379, 'of the map': 591220, 'the map interesting': 860057, 'map interesting time': 514928, 're balance': 698340, 'balance your': 109002, 'ad spend': 31160, '2pm et': 16841, 'et 11am': 282345, 'pt to': 687611, 'in connected': 421664, 'tv register': 936170, 'how to re': 409066, 'to re balance': 912774, 're balance your': 698341, 'balance your ad': 109003, 'your ad spend': 1022746, 'ad spend during': 31161, 'spend during covid': 788600, 'crisis join for': 217624, 'webinar with on': 975141, 'april 16 at': 83425, '16 at 2pm': 4099, 'at 2pm et': 97580, '2pm et 11am': 16842, 'et 11am pt': 282346, '11am pt to': 2729, 'pt to learn': 687612, 'learn about new': 483934, 'about new consumer': 25788, 'behavior the shift': 124232, 'consumption and the': 199834, 'the opportunity in': 862402, 'opportunity in connected': 613643, 'in connected tv': 421665, 'connected tv register': 194667, 'tv register here': 936171, 'realisation': 701581, 'brilliant by': 139842, 'been normal': 121573, 'normal trip': 567379, 'amp ended': 53732, 'ended realisation': 276134, 'realisation that': 701582, 'changed everything': 172469, 'in terrifying': 428874, 'terrifying condition': 838525, 'brilliant by on': 139843, 'by on what': 153425, 'have been normal': 379617, 'been normal trip': 121574, 'normal trip to': 567380, 'to the amp': 916491, 'the amp ended': 848658, 'amp ended realisation': 53733, 'ended realisation that': 276135, 'realisation that ha': 701583, 'that ha changed': 844111, 'ha changed everything': 370122, 'changed everything and': 172470, 'everything and that': 287688, 'and that work': 73223, 'work in terrifying': 1005347, 'in terrifying condition': 428875, 'worker shopper': 1007769, 'alike between': 41775, 'between glove': 128787, 'mask wiping': 519574, 'down purchase': 257131, 'purchase before': 689380, 'world stay': 1009998, 'safe positive': 729892, 'and resilient': 70310, 'to see others': 914055, 'see others wearing': 745521, 'store worker shopper': 811581, 'worker shopper alike': 1007770, 'shopper alike between': 761343, 'alike between glove': 41776, 'between glove mask': 128788, 'glove mask wiping': 352788, 'mask wiping down': 519575, 'wiping down purchase': 996516, 'down purchase before': 257132, 'purchase before putting': 689381, 'putting away it': 691088, 'away it really': 105956, 'really is whole': 702357, 'is whole new': 453954, 'new world stay': 559906, 'world stay safe': 1009999, 'stay safe positive': 797266, 'safe positive and': 729893, 'positive and resilient': 665256, 'not think price': 572082, 'below 30 year': 126577, '30 year but': 17269, 'opoku': 613528, 'adum': 32882, 'kumasi': 477917, 'to opoku': 911027, 'opoku trading': 613529, 'trading supermarket': 928937, 'supermarket adum': 818783, 'adum kumasi': 32883, 'kumasi for': 477918, 'for adhering': 319023, 'shop keep': 760383, 'it guy': 458369, 'kudos to opoku': 477885, 'to opoku trading': 911028, 'opoku trading supermarket': 613530, 'trading supermarket adum': 928938, 'supermarket adum kumasi': 818784, 'adum kumasi for': 32884, 'kumasi for adhering': 477919, 'for adhering to': 319024, '19 protocol they': 9865, 'are checking temperature': 85271, 'temperature of each': 837386, 'of each customer': 582899, 'each customer and': 264027, 'sure we all': 827803, 'we all wash': 970374, 'all wash our': 45399, 'our hand before': 623345, 'hand before we': 374834, 'before we enter': 123285, 'enter the shop': 278317, 'the shop keep': 867009, 'shop keep it': 760384, 'keep it guy': 471612, 'supermarket mother': 821540, 'me here at': 522894, 'here at robinson': 392790, 'robinson supermarket mother': 724752, 'an accelerated': 55053, 'accelerated shift': 27894, 'mortar or': 541823, 'or busy': 614609, 'busy shop': 144954, 'shop due': 760114, 'an accelerated shift': 55054, 'accelerated shift away': 27895, 'and mortar or': 67244, 'mortar or busy': 541824, 'or busy shop': 614610, 'busy shop due': 144955, 'shop due to': 760115, 'due to pent': 261900, 'up demand the': 944707, 'day dozen': 227538, 'dozen have': 257882, 'oh no at': 596425, 'no at least': 563634, 'least grocery worker': 484494, 'recent day dozen': 703858, 'day dozen have': 227539, 'dozen have tested': 257883, 'quarantineliving': 693052, 'maker examine': 510829, 'after outbreak': 36003, 'outbreak what': 628808, 'with enter': 998239, 'enter leftover': 278265, 'leftover product': 485790, 'here quarantineliving': 393492, 'quarantineliving stockup': 693053, 'food maker examine': 315363, 'maker examine what': 510830, 'examine what left': 288825, 'left on grocery': 485586, 'shelf after outbreak': 756690, 'after outbreak what': 36004, 'outbreak what wrong': 628809, 'wrong with enter': 1013152, 'with enter leftover': 998240, 'enter leftover product': 278266, 'leftover product here': 485791, 'product here quarantineliving': 681261, 'here quarantineliving stockup': 393493, 'yangon': 1014133, 'pre yangon': 669223, 'yangon lockdown': 1014134, 'lockdown list': 499596, 'favourite online': 300601, 'service yangon': 753120, 'yangon myanmar': 1014136, 'here my pre': 393366, 'my pre yangon': 549832, 'pre yangon lockdown': 669224, 'yangon lockdown list': 1014135, 'lockdown list of': 499597, 'list of my': 494456, 'my favourite online': 548287, 'favourite online delivery': 300602, 'delivery service yangon': 234482, 'service yangon myanmar': 753121, 'his supplier': 397841, 'to who show': 918571, 'who show empathy': 989617, 'loyalty to his': 506301, 'to his supplier': 907825, 'his supplier in': 397842, 'manifestation': 513180, 'called working': 156490, 'mouth every': 543511, 'the lazy': 859205, 'lazy army': 482743, 'is manifestation': 449576, 'manifestation of': 513181, 'man who doesn': 512327, 'doesn have job': 251822, 'have job and': 381165, 'job and doesn': 465624, 'have to chop': 383177, 'chop he not': 177954, 'he not rich': 385258, 'day it called': 227846, 'it called working': 456996, 'called working from': 156491, 'working from hand': 1008654, 'to mouth every': 910295, 'mouth every day': 543512, 'for the lazy': 326527, 'the lazy army': 859206, 'lazy army why': 482744, 'army why is': 93058, 'is this this': 453127, 'is not fight': 450080, 'not fight against': 569397, 'it is manifestation': 459008, 'is manifestation of': 449577, 'manifestation of evil': 513182, 'without preventing': 1002853, 'shopper do': 761478, 'protect employee without': 684826, 'employee without preventing': 274453, 'without preventing the': 1002854, 'virus some shopper': 958771, 'some shopper do': 783852, 'shopper do not': 761479, 'rt grocery store': 726766, 'store worker start': 811585, 'start dying at': 794285, 'dying at age': 263783, 'at age 19': 97848, 'in pound': 426872, 'ha felt': 370609, 'rush these': 728334, 'store in pound': 808375, 'in pound ridge': 426873, 'ridge ny ha': 721500, 'ny ha felt': 577878, 'ha felt the': 370610, 'felt the shopper': 303465, 'the shopper rush': 867053, 'shopper rush these': 761671, 'rush these were': 728335, 'wine tasting': 995913, 'tasting but': 834811, 'wine purchase': 995877, 'purchase only': 689607, 'only better': 610176, 'yet practice': 1016199, 'ship everywhere': 758663, '19 no wine': 8805, 'no wine tasting': 565904, 'wine tasting but': 995914, 'tasting but retail': 834812, 'open for wine': 612265, 'for wine purchase': 327889, 'wine purchase only': 995878, 'purchase only better': 689608, 'only better yet': 610177, 'better yet practice': 128620, 'yet practice social': 1016200, 'distancing and order': 246983, 'online we ship': 609702, 'we ship everywhere': 973238, 'ship everywhere in': 758664, 'everywhere in ontario': 288222, 'to communicating': 903094, 'locked facility': 500483, 'care question related': 164184, 'related to communicating': 708596, 'to communicating with': 903095, 'in locked facility': 424864, 'locked facility special': 500484, 'absence finally': 27187, 'some observe': 783379, 'bother incredibly': 136121, 'incredibly some': 433923, 'some walk': 784177, 'while talking': 987365, 'aimlessly while': 39596, 'while chatting': 986682, 'chatting we': 174025, 'in education': 422502, 'education 19': 268799, 'day of absence': 228050, 'of absence finally': 579717, 'absence finally braved': 27188, 'observation some observe': 578560, 'some observe social': 783380, 'but many do': 146355, 'not bother incredibly': 568597, 'bother incredibly some': 136122, 'incredibly some walk': 433924, 'some walk in': 784178, 'walk in while': 964814, 'in while talking': 430881, 'while talking on': 987366, 'talking on their': 834027, 'wandering aimlessly while': 965575, 'aimlessly while chatting': 39597, 'while chatting we': 986683, 'chatting we must': 174026, 'all do better': 42588, 'better job in': 128345, 'job in education': 465877, 'in education 19': 422503, 'ddc': 229020, 'recent layoff': 703918, 'impact people': 417920, 'and harder': 64189, 'good ddc': 356953, 'ddc will': 229023, 'trip stay': 932165, 'tuned ddc': 935428, 'ddc mondaymotivation': 229021, 'mondaymotivation mondaythoughts': 536474, 'with recent layoff': 1000415, 'recent layoff and': 703919, 'layoff and financial': 482675, 'and financial impact': 62872, 'financial impact people': 306451, 'impact people are': 417921, 'people are finding': 646974, 'finding it harder': 307493, 'it harder and': 458494, 'harder and harder': 378158, 'and harder to': 64190, 'harder to make': 378196, 'end meet to': 275881, 'meet to buy': 527635, 'essential good ddc': 281088, 'good ddc will': 356954, 'ddc will give': 229024, 'you the chance': 1021589, 'receive gift card': 703491, 'card for your': 163526, 'store trip stay': 810953, 'trip stay tuned': 932166, 'stay tuned ddc': 797361, 'tuned ddc mondaymotivation': 935429, 'ddc mondaymotivation mondaythoughts': 229022, 'allegedly attacking': 45674, 'attacking store': 102198, 'worker causing': 1006622, 'after allegedly attacking': 35342, 'allegedly attacking store': 45675, 'attacking store worker': 102199, 'store worker causing': 811466, 'worker causing the': 1006623, 'causing the supermarket': 168123, 'other customer doing': 620059, 'customer doing their': 222309, 'be reference': 116744, 'reference they': 706503, 'they apply': 881180, 'their immigrant': 873624, 'immigrant parent': 417233, 'parent being': 641590, 'without hazard': 1002711, 'hazard and': 384542, 'pay devastated': 644832, 'hand full of': 374967, 'full of current': 340713, 'of current high': 582260, 'current high school': 221227, 'school student have': 741935, 'student have asked': 814697, 'to be reference': 901492, 'be reference they': 116745, 'reference they apply': 706504, 'they apply for': 881181, 'apply for delivery': 82559, 'for delivery grocery': 320637, 'store job this': 808611, 'job this is': 466208, 'midst of school': 530794, 'school being closed': 741709, 'being closed due': 124959, '19 and their': 5120, 'and their immigrant': 73692, 'their immigrant parent': 873625, 'immigrant parent being': 417234, 'parent being laid': 641591, 'off without hazard': 594402, 'without hazard and': 1002712, 'hazard and emergency': 384543, 'and emergency pay': 62037, 'emergency pay devastated': 272856, 'global glut': 351964, 'production coupled': 681979, 'economy reeling': 268176, 'sent energy': 750753, 'low not': 505425, 'global glut in': 351965, 'glut in production': 353104, 'in production coupled': 427021, 'production coupled with': 681980, 'with an economy': 997207, 'an economy reeling': 55598, 'economy reeling from': 268177, 'ha sent energy': 371854, 'sent energy price': 750754, 'to low not': 909487, 'low not seen': 505426, 'seen since 2002': 747232, 'on somalia': 603549, 'somalia food': 782219, 'chain covid': 170626, 'affecting key': 34529, 'key supply': 473407, 'chain cross': 170630, 'border trade': 135283, 'trade gu': 928504, 'gu rain': 367679, 'rain already': 695730, 'already began': 47227, 'began might': 123406, 'chain hoarding': 170783, 'by key': 152989, 'key importer': 473312, 'panic ramadan': 638462, 'ramadan starting': 696340, 'time might': 897208, 'of on somalia': 587226, 'on somalia food': 603550, 'somalia food supply': 782220, 'supply chain covid': 824940, 'chain covid 19': 170627, '19 affecting key': 4848, 'affecting key supply': 34530, 'key supply chain': 473408, 'supply chain cross': 824942, 'chain cross border': 170631, 'cross border trade': 218991, 'border trade gu': 135284, 'trade gu rain': 928505, 'gu rain already': 367680, 'rain already began': 695731, 'already began might': 47228, 'began might affect': 123407, 'might affect supply': 530864, 'affect supply chain': 34230, 'supply chain hoarding': 824972, 'chain hoarding of': 170784, 'of food commodity': 583670, 'food commodity by': 313974, 'commodity by key': 189142, 'by key importer': 152990, 'key importer in': 473313, 'importer in panic': 419198, 'in panic ramadan': 426486, 'panic ramadan starting': 638463, 'ramadan starting in': 696341, 'starting in week': 794969, 'in week time': 430775, 'week time might': 977063, 'time might trigger': 897209, 'might trigger panic': 531153, 'during potential': 262924, 'watch during potential': 968392, 'during potential recovery': 262925, 'gb high': 344786, 'wind forecast': 995623, 'sunday into': 818216, 'into monday': 442765, 'monday along': 536241, 'demand related': 236118, 'to implies': 908184, 'implies that': 418586, 'low ph': 505488, 'gb high wind': 344787, 'high wind forecast': 395522, 'wind forecast for': 995624, 'forecast for sunday': 328820, 'for sunday into': 325993, 'sunday into monday': 818217, 'into monday along': 442766, 'monday along with': 536242, 'along with low': 47061, 'low demand related': 505240, 'demand related to': 236119, 'related to implies': 708607, 'to implies that': 908185, 'implies that price': 418587, 'that price should': 845830, 'be very low': 117980, 'very low ph': 955342, 'other especially': 620147, 'morning helping': 541290, 'sa vulnerable': 728959, 'vulnerable every': 960954, 'soar because': 779230, 'each other especially': 264170, 'other especially the': 620148, 'especially the vulnerable': 280631, 'the vulnerable member': 870989, 'community this morning': 190163, 'this morning helping': 888967, 'morning helping out': 541291, 'helping out the': 391428, 'out the volunteer': 627437, 'volunteer who provide': 960372, 'who provide food': 989467, 'food for 500': 314515, 'for 500 of': 318871, '500 of sa': 20030, 'of sa vulnerable': 589201, 'sa vulnerable every': 728960, 'vulnerable every week': 960955, 'every week and': 286359, 'week and demand': 975907, 'expected to soar': 291003, 'to soar because': 914811, 'soar because of': 779231, 'mississauga home': 534397, 'stabilizing amid': 791884, 'mississauga home price': 534398, 'price stabilizing amid': 676597, 'stabilizing amid covid': 791885, 'area appear': 91945, 'dwindling but': 263677, 'peterborough area appear': 653546, 'area appear to': 91946, 'be dwindling but': 114621, 'dwindling but kawartha': 263678, 'pusateri': 690235, 'reading article': 700739, 'shopping price': 763674, 'line stand': 493422, 'week pusateri': 976776, 'pusateri selling': 690236, '30 container': 17002, 'wipe went': 996418, 'viral shocked': 957626, 'just last': 469110, 'like last': 490623, 'reading article about': 700740, 'article about grocery': 94233, 'grocery shopping price': 365069, 'shopping price during': 763675, '19 and line': 5056, 'and line stand': 66199, 'line stand out': 493423, 'stand out last': 793572, 'out last week': 626487, 'last week pusateri': 480673, 'week pusateri selling': 976777, 'pusateri selling 30': 690237, 'selling 30 container': 749133, '30 container of': 17003, 'container of disinfectant': 200548, 'of disinfectant wipe': 582691, 'disinfectant wipe went': 245815, 'wipe went viral': 996419, 'went viral shocked': 979230, 'viral shocked that': 957627, 'shocked that wa': 759583, 'wa just last': 962463, 'just last week': 469111, 'last week feel': 480646, 'week feel like': 976208, 'feel like last': 302725, 'like last month': 490624, 'least base': 484405, 'base rent': 111474, 'update from yesterday': 946989, 'from yesterday for': 338447, 'yesterday for at': 1015740, 'at least base': 99468, 'least base rent': 484406, 'fair during': 296331, 'pandemic although': 634828, 'the cup': 852571, 'cup had': 220446, 'sale pandemic': 732440, 'keeping your price': 472639, 'your price fair': 1025400, 'price fair during': 673763, 'fair during the': 296332, 'the pandemic although': 862899, 'pandemic although it': 634829, 'although it would': 49334, 'have been nice': 379614, 'been nice if': 121565, 'if the cup': 414966, 'the cup had': 852572, 'cup had been': 220447, 'had been on': 372902, 'been on sale': 121598, 'on sale pandemic': 603272, 'maintaining socialdistancing': 509133, 'help the grocery': 390654, 'store people by': 809488, 'people by maintaining': 647361, 'by maintaining socialdistancing': 153130, 'maintaining socialdistancing and': 509134, 'socialdistancing and if': 780210, 'have mask wear': 381445, 'mask wear it': 519517, 'wfh need': 980845, 'break here': 138738, 'episode where': 279560, 'where host': 984929, 'host executive': 404877, 'director discus': 243613, 'coronacrisis on': 204676, 'on vc': 605025, 'vc investment': 952779, 'investment also': 443956, 'also delve': 48092, 'market biz': 516109, 'biz model': 131945, 'wfh need break': 980846, 'need break here': 554564, 'break here our': 138739, 'here our latest': 393432, 'latest episode where': 481325, 'episode where host': 279561, 'where host executive': 984930, 'host executive director': 404878, 'executive director discus': 289882, 'director discus the': 243614, 'impact of coronacrisis': 417760, 'of coronacrisis on': 581908, 'coronacrisis on vc': 204677, 'on vc investment': 605026, 'vc investment also': 952780, 'investment also delve': 443957, 'also delve into': 48093, 'delve into the': 234850, 'into the evolution': 443122, 'evolution of consumer': 288489, 'of consumer market': 581754, 'consumer market biz': 198097, 'market biz model': 516110, 'biz model in': 131946, 'model in india': 535264, 'soriana': 785989, 'mexico supermarket': 530024, 'and soriana': 72008, 'soriana face': 785990, 'showing consumer': 767428, 'in mexico supermarket': 425269, 'mexico supermarket chain': 530025, 'chain like walmart': 170894, 'like walmart and': 491757, 'walmart and soriana': 965279, 'and soriana face': 72009, 'soriana face the': 785991, 'challenge of showing': 171516, 'of showing consumer': 589698, 'showing consumer why': 767429, 'consumer why they': 199540, 'hardship brought': 378279, 'financial hardship brought': 306430, 'hardship brought on': 378280, 'fruitcake': 339211, 'notfrombeer': 572893, 'fruitloops': 339214, 'the fruitcake': 855914, 'fruitcake they': 339212, 're true': 699735, 'true blue': 933036, 'blue my': 133456, 'cousin uk': 212096, 'supermarket notfrombeer': 821654, 'notfrombeer fruitloops': 572894, 'to the fruitcake': 916732, 'the fruitcake they': 855915, 'fruitcake they re': 339213, 'they re true': 883145, 're true blue': 699736, 'true blue my': 933037, 'blue my cousin': 133457, 'my cousin uk': 547840, 'cousin uk supermarket': 212097, 'uk supermarket notfrombeer': 938770, 'supermarket notfrombeer fruitloops': 821655, 'kindness go': 475202, 'get grocery take': 347170, 'out food or': 626085, 'food or drive': 315651, 'thru say thank': 895218, 'worker that have': 1007915, 'interact with you': 441214, 'with you it': 1002156, 'you it mean': 1019387, 'it mean lot': 459572, 'mean lot and': 524538, 'lot and bit': 503980, 'bit of kindness': 131650, 'of kindness go': 585646, 'kindness go long': 475203, 'way also do': 969449, 'down church': 256631, 'church dont': 178351, 'dont thank': 255290, 'thank so': 841630, 'shutting down church': 768257, 'down church dont': 256632, 'church dont thank': 178352, 'dont thank so': 255291, 'at consulting': 98309, 'consulting at': 195894, 'home fitness': 401193, 'fitness spend': 309533, '35 40': 17868, 'interesting and timely': 441506, 'and timely report': 74127, 'timely report on': 898491, 'consumer trend by': 199369, 'trend by friend': 931297, 'by friend at': 152644, 'friend at consulting': 333527, 'at consulting at': 98310, 'consulting at home': 195895, 'at home fitness': 98993, 'home fitness spend': 401194, 'fitness spend up': 309534, 'spend up 35': 788694, 'up 35 40': 944162, 'webinar check': 975024, 'of watch': 592928, 'torelli webinar check': 925897, 'webinar check out': 975025, 'out consumer behavior': 625877, 'time of watch': 897374, 'socialdistancing how': 780431, 'american changing': 51859, 'they prioritizing': 882910, 'prioritizing to': 678492, 'stay comfortable': 796840, 'comfortable and': 187865, 'month into socialdistancing': 537801, 'into socialdistancing how': 442997, 'socialdistancing how are': 780432, 'how are american': 407388, 'are american changing': 84516, 'american changing the': 51860, 'way they shop': 969962, 'they shop online': 883348, 'online and what': 607858, 'and what product': 75481, 'product are they': 680952, 'are they prioritizing': 91015, 'they prioritizing to': 882911, 'prioritizing to help': 678493, 'help them stay': 390712, 'them stay comfortable': 876324, 'stay comfortable and': 796841, 'comfortable and entertained': 187866, 'and entertained at': 62189, 'tena': 837814, 'lacto': 478699, 'omg the': 598912, 'basic have': 111924, 'up purchased': 945869, 'purchased pack': 689796, 'of tena': 590663, 'tena for': 837815, 'aunt and': 102995, 'paid 16': 633944, '50 my': 19758, 'is lacto': 449224, 'lacto intolerant': 478702, 'intolerant and': 443341, 'find lacto': 307024, 'lacto free': 478700, 'free milk': 331979, 'shelf managed': 757305, 'find almond': 306764, '99 what': 23915, 'what after': 981003, 'we head': 971999, 'head into': 385754, 'full brexit': 340510, 'omg the price': 598913, 'on basic have': 599581, 'basic have gone': 111925, 'gone up purchased': 356426, 'up purchased pack': 945870, 'purchased pack of': 689797, 'pack of tena': 633110, 'of tena for': 590664, 'tena for my': 837816, 'for my aunt': 323673, 'my aunt and': 547350, 'aunt and paid': 102996, 'and paid 16': 68626, 'paid 16 50': 633945, '16 50 my': 4081, '50 my daughter': 19759, 'daughter is lacto': 226868, 'is lacto intolerant': 449225, 'lacto intolerant and': 478703, 'intolerant and cannot': 443342, 'cannot find lacto': 161843, 'find lacto free': 307025, 'lacto free milk': 478701, 'free milk on': 331980, 'the shelf managed': 866855, 'shelf managed to': 757306, 'managed to find': 512499, 'to find almond': 905875, 'find almond milk': 306765, 'almond milk and': 46464, 'milk and paid': 531565, 'and paid 99': 68627, 'paid 99 what': 633958, '99 what after': 23916, 'what after covid': 981004, '19 we head': 11933, 'we head into': 972000, 'head into full': 385755, 'into full brexit': 442575, 'will dip': 993194, 'into rainy': 442923, 'day oil': 228137, 'oil fund': 596818, 'it issue': 459161, 'latest dire': 481298, 'economic forecast': 267102, 'government say it': 360567, 'it will dip': 462392, 'will dip into': 993195, 'dip into rainy': 243199, 'into rainy day': 442924, 'rainy day oil': 695794, 'day oil fund': 228138, 'oil fund it': 596819, 'fund it issue': 341444, 'it issue the': 459162, 'issue the latest': 455966, 'the latest dire': 859092, 'latest dire economic': 481299, 'dire economic forecast': 243250, 'economic forecast for': 267103, 'forecast for amid': 328816, 'for amid crisis': 319255, 'crisis and plunge': 217040, 'opinion uncle': 613514, 'sanitizer publichealth': 735621, 'opinion uncle sam': 613515, 'start giving all': 794316, 'giving all free': 351232, 'all free hand': 42867, 'hand sanitizer publichealth': 375554, 'while didn': 986749, 'he why': 385659, 'it catastrophic': 457072, 'trump rejected': 933787, 'all preparedness': 44020, 'dismantling global': 245991, 'severity worn': 754138, 'worn face': 1010464, 'store saying': 810006, 'while didn cause': 986750, 'didn cause but': 241003, 'cause but he': 167508, 'but he why': 145905, 'he why it': 385660, 'why it catastrophic': 991137, 'it catastrophic trump': 457073, 'catastrophic trump rejected': 166968, 'trump rejected all': 933788, 'rejected all preparedness': 708332, 'all preparedness from': 44021, 'preparedness from dismantling': 670287, 'from dismantling global': 335160, 'dismantling global pandemic': 245992, 'on severity worn': 603386, 'severity worn face': 754139, 'worn face mask': 1010465, 'mask while at': 519558, 'while at grocery': 986623, 'grocery store saying': 365749, 'with deferred': 997953, 'deferred vat': 232203, 'vat payment': 952736, 'with deferred vat': 997954, 'deferred vat payment': 232204, 'vat payment will': 952737, 'payment will that': 645783, 'that be passed': 842944, 'behaviour this': 124539, 'why im': 991086, 'my 94': 547208, '94 yr': 23554, 'old client': 598184, 'client shopping': 182095, 'her chill': 391935, 'out nz': 626663, 'supermarket last night': 821268, 'night for my': 562997, 'usual shop stop': 951013, 'shop stop taking': 760850, 'the fuckin shit': 855985, 'fuckin shit paper': 339785, 'shit paper and': 759182, 'paper and baby': 639808, 'baby supply am': 106707, 'supply am disgusted': 824682, 'am disgusted with': 50006, 'disgusted with this': 245383, 'with this behaviour': 1001680, 'this behaviour this': 886540, 'behaviour this is': 124540, 'is why im': 453965, 'why im going': 991087, 'to be offering': 901415, 'be offering to': 116165, 'do my 94': 249623, 'my 94 yr': 547209, '94 yr old': 23555, 'yr old client': 1027032, 'old client shopping': 598185, 'client shopping for': 182096, 'for her chill': 322216, 'her chill out': 391936, 'chill out nz': 176372, 'africaannounces': 35162, 'south africaannounces': 786666, 'africaannounces 155': 35163, '155 more': 3982, 'victim raising': 956510, 'raising total': 696154, 'citizen informed': 178920, 'upcoming lock': 946797, 'so tragic': 778565, 'south africaannounces 155': 786667, 'africaannounces 155 more': 35164, '155 more covid': 3983, '19 victim raising': 11769, 'victim raising total': 956511, 'raising total to': 696155, '709 citizen informed': 21958, 'citizen informed to': 178921, 'informed to stock': 438136, 'the upcoming lock': 870495, 'upcoming lock down': 946798, 'lock down so': 499050, 'down so tragic': 257196, 'cooking people': 202894, 'learn again': 483945, 'hit thanksgiving': 398421, 'thanksgiving level': 842298, 'level high': 487578, 'cookinginacrisis cooking people': 202952, 'cooking people have': 202895, 'have to learn': 383237, 'to learn again': 909127, 'learn again how': 483946, 'again how to': 37028, 'cooking video hit': 202931, 'video hit thanksgiving': 956779, 'hit thanksgiving level': 398422, 'thanksgiving level high': 842299, 'level high and': 487579, 'high and traffic': 394927, 'cooking website is': 202940, 'website is skyrocketing': 975323, 'stop wiping': 805274, 'shower after': 767359, 'start showering': 794502, 'showering after': 767402, 'shit move': 759172, 'move please': 543717, 'stop wiping your': 805275, 'your as just': 1022848, 'as just take': 94769, 'just take shower': 469943, 'take shower after': 832578, 'shower after you': 767360, 'after you shit': 36609, 'you shit going': 1021150, 'shit going to': 759116, 'to start showering': 915225, 'start showering after': 794503, 'showering after you': 767403, 'you shit move': 1021151, 'shit move please': 759173, 'move please join': 543718, 'please join me': 660134, 'oott eng': 611767, 'pandemic oott eng': 636112, 'capitalismistheproblem': 162792, 'choice capitalismistheproblem': 177747, 'day and thanked': 227285, 'and thanked the': 73165, 'cashier for continuing': 166524, 'continuing to come': 201558, 'work she said': 1005712, 'said she didn': 731346, 'didn have choice': 241086, 'have choice capitalismistheproblem': 379965, 'just my': 469294, 'imagination or': 416682, 'put lot': 690672, 'up hardly': 945057, 'any deal': 79099, 'deal or': 229460, 'or rollback': 616921, 'rollback lockdownuk': 725622, 'it just my': 459234, 'just my imagination': 469295, 'my imagination or': 548823, 'imagination or have': 416683, 'or have put': 615587, 'have put lot': 382114, 'put lot of': 690673, 'lot of their': 504303, 'price up hardly': 677235, 'up hardly any': 945058, 'hardly any deal': 378248, 'any deal or': 79100, 'deal or rollback': 229461, 'or rollback lockdownuk': 616922, 'later tweeps': 481154, 'tweeps going': 936297, 'print more': 678283, 'facemasks tried': 295172, 'print some': 678293, 'too messy': 924902, 'messy stayathome': 529556, 'stayathome alonetogether': 797431, 'back later tweeps': 107136, 'later tweeps going': 481155, 'tweeps going to': 936298, 'going to 3d': 355517, 'to 3d print': 899707, '3d print more': 18246, 'print more toiletpaper': 678284, 'toiletpaper and facemasks': 921718, 'and facemasks tried': 62595, 'facemasks tried to': 295173, 'tried to 3d': 931823, '3d print some': 18248, 'print some hand': 678294, 'sanitizer but it': 734608, 'wa too messy': 963554, 'too messy stayathome': 924903, 'messy stayathome alonetogether': 529557, 'uk fighting': 938354, 'over chicken': 630083, 'price ignorance': 674627, 'in uk fighting': 430387, 'uk fighting over': 938355, 'fighting over chicken': 305105, 'over chicken and': 630084, 'chicken and meat': 175740, 'meat price ignorance': 525700, 'price ignorance stupidity': 674628, 'responsibleretail': 716072, 'unprecedented attempt': 943082, 'outbreak thousand': 628754, 'customer grocery': 222419, 'retailer remain': 719293, 'remain limit': 709776, 'shelf cleaning': 756941, 'cleaning restocking': 181050, 'restocking hour': 717000, 'hour responsibleretail': 405885, 'an unprecedented attempt': 56881, 'unprecedented attempt to': 943083, 'the outbreak thousand': 862713, 'outbreak thousand of': 628755, 'of store other': 590262, 'store other business': 809394, 'door to customer': 255750, 'to customer grocery': 903851, 'customer grocery store': 222420, 'food store other': 316856, 'store other retailer': 809396, 'other retailer remain': 620855, 'retailer remain limit': 719294, 'remain limit store': 709777, 'limit store shelf': 492504, 'store shelf cleaning': 810066, 'shelf cleaning restocking': 756942, 'cleaning restocking hour': 181051, 'restocking hour responsibleretail': 717001, 'spoilt': 789704, 'storing their': 811777, 'next bin': 561298, 'bin day': 130999, 'have bag': 379400, 'of spoilt': 589986, 'spoilt food': 789705, 'wa bought': 961738, 'bought through': 136757, 'through fear': 894461, 'out through': 627604, 'through convenience': 894391, 'just wondering where': 470332, 'wondering where all': 1004197, 'all these panic': 45045, 'buyer are storing': 149576, 'are storing their': 90546, 'storing their food': 811778, 'the next bin': 861656, 'next bin day': 561299, 'bin day will': 131000, 'day will have': 228769, 'will have bag': 993616, 'have bag of': 379401, 'bag of spoilt': 108368, 'of spoilt food': 589987, 'spoilt food that': 789706, 'food that wa': 317102, 'that wa bought': 847278, 'wa bought through': 961739, 'bought through fear': 136758, 'through fear and': 894462, 'and thrown out': 74103, 'thrown out through': 895151, 'out through convenience': 627605, 'part in slowing': 642301, 'in slowing the': 428004, 'result we ll': 717653, 'll be closing': 496576, 'stigma on': 800145, 'selfish who': 748313, 'hoarding loo': 399417, 'roll dry': 725278, 'lockdown sent': 499895, 'social stigma on': 779974, 'stigma on panic': 800146, 'should be bad': 765565, 'be bad for': 113793, 'bad for many': 107863, 'for many crime': 323213, 'these selfish who': 880654, 'selfish who are': 748314, 'are hoarding loo': 87204, 'hoarding loo roll': 399418, 'loo roll dry': 502175, 'roll dry pasta': 725279, 'dry pasta and': 261294, 'coronacrisis stayathome lockdown': 204769, 'stayathome lockdown sent': 797522, 'lockdown sent via': 499896, 'just wa': 470190, 'bought stuff': 136724, 'sanitizer wa delivered': 736020, 'wa delivered today': 961941, 'delivered today just': 233432, 'today just wa': 919766, 'just wa about': 470191, 'wa about out': 961410, 'about out of': 25911, 'of my normal': 586796, 'my normal store': 549512, 'normal store bought': 567343, 'store bought stuff': 806759, 'omnibus': 598939, 'researchstudy': 713956, 'evolving quickly': 288577, 'providing update': 687127, 'basis link': 112253, 'the scoop': 866512, 'scoop so': 742314, 'far pandemic': 298883, 'survey caravan': 828833, 'caravan omnibus': 163379, 'omnibus researchstudy': 598940, 'researchstudy data': 713957, 'data shelteringinplace': 226401, 'shelteringinplace travel': 757981, 'this data is': 887161, 'data is evolving': 226287, 'is evolving quickly': 447615, 'evolving quickly so': 288578, 'quickly so we': 694602, 'be providing update': 116606, 'providing update on': 687128, 'update on weekly': 947140, 'weekly basis link': 977474, 'basis link below': 112254, 'for the scoop': 326673, 'the scoop so': 866513, 'scoop so far': 742315, 'so far pandemic': 777050, 'far pandemic consumer': 298884, 'pandemic consumer survey': 635196, 'consumer survey caravan': 199186, 'survey caravan omnibus': 828834, 'caravan omnibus researchstudy': 163380, 'omnibus researchstudy data': 598941, 'researchstudy data shelteringinplace': 713958, 'data shelteringinplace travel': 226402, 'corona2020': 204412, 'ever so': 285509, 'reduced our': 706135, '50 on': 19787, 'code corona2020': 185353, 'corona2020 at': 204413, 'these tough and': 880870, 'tough and stressful': 926796, 'and stressful time': 72566, 'stressful time with': 813525, 'time with 100': 898351, 'the we understand': 871223, 'that the cost': 846692, 'cost of item': 208051, 'item are more': 463099, 'than ever so': 840608, 'ever so we': 285510, 'have reduced our': 382229, 'reduced our price': 706136, 'by 50 on': 151667, '50 on all': 19788, 'all product with': 44068, 'product with code': 681867, 'with code corona2020': 997685, 'code corona2020 at': 185354, 'webnair': 975164, 'tort': 926041, 'yep my': 1015338, 'my former': 548400, 'former law': 329642, 'law firm': 482288, 'invited me': 444276, 'to webnair': 918460, 'webnair entitled': 975165, 'entitled covid': 278820, 'mass tort': 519887, 'tort and': 926042, 'action horizon': 30040, 'horizon should': 404050, 'yep my former': 1015339, 'my former law': 548401, 'former law firm': 329643, 'law firm ha': 482289, 'firm ha just': 308363, 'ha just invited': 371055, 'just invited me': 469071, 'invited me to': 444277, 'me to webnair': 523800, 'to webnair entitled': 918461, 'webnair entitled covid': 975166, 'entitled covid 19': 278821, 'the mass tort': 860257, 'mass tort and': 519888, 'tort and consumer': 926043, 'and consumer class': 60360, 'class action horizon': 180140, 'action horizon should': 30041, 'horizon should be': 404051, 'should be interesting': 765651, 'report point': 712176, 'message video': 529472, 'video will': 956965, 'target advertising': 834431, 'campaign or': 157243, 'or develop': 614955, 'develop facial': 239635, 'recognition algorithm': 704614, 'algorithm probably': 41660, 'expecting when': 291059, 'they contact': 881800, 'contact therapist': 200235, 'therapist or': 877908, 'interview using': 442251, 'using zoom': 950807, 'consumer report point': 198719, 'report point out': 712177, 'out that your': 627341, 'that your message': 847771, 'your message video': 1024822, 'message video will': 529473, 'video will be': 956966, 'used to target': 950094, 'to target advertising': 916301, 'target advertising campaign': 834432, 'advertising campaign or': 33215, 'campaign or develop': 157244, 'or develop facial': 614956, 'develop facial recognition': 239636, 'facial recognition algorithm': 295246, 'recognition algorithm probably': 704615, 'algorithm probably not': 41661, 'probably not what': 679342, 'are expecting when': 86330, 'expecting when they': 291060, 'when they contact': 984249, 'they contact therapist': 881801, 'contact therapist or': 200236, 'therapist or have': 877909, 'or have job': 615583, 'have job interview': 381171, 'job interview using': 465895, 'interview using zoom': 442252, 'with shutting': 1000720, 'down production': 257123, 'it concerning': 457257, 'concerning disappointing': 193241, 'of distributor': 582724, 'while get': 986868, 'seems close': 746765, 'with shutting down': 1000721, 'shutting down production': 768275, 'down production due': 257124, 'find it concerning': 306984, 'it concerning disappointing': 457258, 'concerning disappointing that': 193242, 'disappointing that number': 244146, 'number of distributor': 576939, 'of distributor are': 582725, 'distributor are significantly': 248278, 'are significantly increasing': 90127, 'price on their': 675725, 'on their product': 604502, 'their product while': 874477, 'product while get': 681846, 'while get supply': 986869, 'get supply demand': 348153, 'supply demand it': 825155, 'demand it seems': 235759, 'it seems close': 460941, 'seems close to': 746766, 'close to if': 182903, 'to if not': 908101, 'if not covid': 414491, '19 price gauging': 9810, 'from ai': 334419, 'ai retailer': 39331, 'retailer distributor': 719112, 'distributor have': 248289, 'always calculated': 49506, 'safety stock': 730737, 'stock needed': 802489, 'meet unexpected': 527639, 'unexpected surge': 941385, 'few were': 304177, 'interesting read from': 441602, 'read from ai': 700341, 'from ai retailer': 334420, 'ai retailer distributor': 39332, 'retailer distributor have': 719113, 'distributor have always': 248290, 'have always calculated': 379224, 'always calculated the': 49507, 'calculated the amount': 155315, 'amount of safety': 53253, 'of safety stock': 589224, 'safety stock needed': 730738, 'stock needed to': 802490, 'needed to meet': 556543, 'to meet unexpected': 910062, 'meet unexpected surge': 527640, 'unexpected surge in': 941386, 'demand but very': 235087, 'but very few': 147687, 'very few were': 955164, 'few were able': 304178, 'able to predict': 24521, 'to predict consumer': 911987, 'predict consumer would': 669561, 'consumer would want': 199578, 'would want their': 1012382, 'want their own': 965968, 'own safety stock': 632181, 'financialtips': 306720, 'creditsoup': 216595, 'some inevitable': 783114, 'inevitable consequence': 436370, 'consequence and': 194840, 'that particularly': 845662, 'particularly true': 642725, 'true when': 933222, 'finance bank': 306165, 'and lender': 66095, 'lender cornavirus': 486222, 'cornavirus financialtips': 203607, 'financialtips personalfinance': 306721, 'personalfinance moneymanagement': 653001, 'moneymanagement blog': 537205, 'blog creditsoup': 132912, '19 will come': 12083, 'will come with': 992976, 'come with some': 187689, 'with some inevitable': 1000849, 'some inevitable consequence': 783115, 'inevitable consequence and': 436371, 'consequence and that': 194841, 'and that particularly': 73206, 'that particularly true': 845663, 'particularly true when': 642726, 'true when it': 933223, 'consumer finance bank': 197473, 'finance bank and': 306166, 'bank and lender': 109614, 'and lender cornavirus': 66096, 'lender cornavirus financialtips': 486223, 'cornavirus financialtips personalfinance': 203608, 'financialtips personalfinance moneymanagement': 306722, 'personalfinance moneymanagement blog': 653002, 'moneymanagement blog creditsoup': 537206, 'slashing all': 773655, 'time percentage': 897473, 'local cause': 497809, 'cause helping': 167591, 'cause get': 167574, 'quality gear': 691790, 'half price': 374253, 'price 21': 672130, '21 20': 14952, 'slashing all product': 773656, 'all product price': 44065, 'product price in': 681543, 'half for limited': 374171, 'limited time percentage': 492758, 'time percentage of': 897474, 'percentage of sale': 651213, 'of sale proceeds': 589247, 'donated to local': 254366, 'to local cause': 909373, 'local cause helping': 497810, 'cause helping those': 167592, '19 back the': 5290, 'back the cause': 107304, 'the cause get': 850544, 'cause get quality': 167575, 'get quality gear': 347868, 'quality gear for': 691791, 'gear for half': 344949, 'for half price': 322101, 'half price 21': 374254, 'price 21 20': 672131, 'hoardnado': 399686, 'danroulette': 225898, 'person made': 652528, 'made comic': 507689, 'comic book': 187921, 'book called': 134490, 'called stock': 156444, 'stock girl': 802197, 'the hoardnado': 857421, 'hoardnado lol': 399687, 'lol hoarder': 500913, 'toiletpaper source': 922500, 'source danroulette': 786470, 'this person made': 889538, 'person made comic': 652529, 'made comic book': 507690, 'comic book called': 187922, 'book called stock': 134491, 'called stock girl': 156445, 'stock girl the': 802198, 'girl the hoardnado': 350286, 'the hoardnado lol': 857422, 'hoardnado lol hoarder': 399688, 'lol hoarder panicbuying': 500914, 'hoarder panicbuying toiletpaper': 399094, 'panicbuying toiletpaper source': 639093, 'toiletpaper source danroulette': 922501, 'loven': 505007, 'and charitable': 59754, 'charitable sector': 173550, 'use whom': 949807, 'whom didn': 990548, 'didn vote': 241250, 'think are': 885149, 'exempt for': 289966, 'for criticism': 320461, 'lovekeyworkers loven': 504941, 'private and charitable': 678861, 'and charitable sector': 59755, 'charitable sector otherwise': 173551, 'of use whom': 592705, 'use whom didn': 949808, 'whom didn vote': 990549, 'didn vote and': 241251, 'vote and appreciate': 960465, 'and appreciate all': 58266, 'appreciate all key': 82705, 'key worker would': 473531, 'worker would think': 1008300, 'would think are': 1012330, 'think are exempt': 885150, 'are exempt for': 86313, 'exempt for criticism': 289967, 'for criticism stayhomesavelives': 320462, 'stayhomesavelives lovekeyworkers loven': 798417, 'roll are': 725193, 'finding not': 307513, 'have shit': 382513, 'bought toilet roll': 136763, 'toilet roll are': 921551, 'roll are finding': 725194, 'are finding not': 86573, 'finding not enough': 307514, 'shelf in order': 757210, 'order to have': 618685, 'to have shit': 907307, 'economic affair': 266970, 'ministry of economic': 533543, 'of economic affair': 582949, 'economic affair is': 266971, 'affair is taking': 34058, 'crisis to increase': 218248, 'we citizen': 971130, 'even prepared': 284487, 'prepared our': 670225, 'of facemask': 583361, 'facemask food': 295075, 'week thermometer': 977029, 'thermometer my': 879533, 'dear stock': 229885, 'out government is': 626230, 'is not prepared': 450157, 'not prepared to': 571080, 'prepared to contain': 670248, 'think we citizen': 885763, 'we citizen are': 971131, 'citizen are not': 178851, 'not even prepared': 569270, 'even prepared our': 284488, 'prepared our government': 670226, 'our government how': 623271, 'government how many': 360200, 'how many family': 408258, 'many family have': 514055, 'family have pack': 297882, 'pack of facemask': 633097, 'of facemask food': 583362, 'facemask food stock': 295076, 'for week thermometer': 327755, 'week thermometer my': 977030, 'thermometer my dear': 879534, 'my dear stock': 547961, 'dear stock your': 229886, 'your food store': 1023930, 'food store now': 316854, 'store now in': 809125, 'now in case': 574993, 'you charity': 1017922, 'charity community': 173598, 'in barnet': 420707, 'barnet apply': 111134, 'to barnet': 901050, 'barnet for': 111138, 'for grant': 321984, 'stock foodbanks': 802157, 'foodbanks food': 317825, 'prep distribution': 670000, 'distribution to': 248239, 'resident ppe': 714354, 'work funding': 1005205, 'expand your': 290475, 'are you charity': 91773, 'you charity community': 1017923, 'charity community group': 173599, 'community group in': 189872, 'group in barnet': 366738, 'in barnet apply': 420708, 'barnet apply to': 111135, 'apply to barnet': 82609, 'to barnet for': 901051, 'barnet for grant': 111139, 'for grant to': 321985, 'grant to stock': 362057, 'to stock foodbanks': 915434, 'stock foodbanks food': 802158, 'foodbanks food prep': 317826, 'food prep distribution': 315900, 'prep distribution to': 670001, 'distribution to support': 248240, 'support vulnerable resident': 826978, 'vulnerable resident ppe': 961145, 'resident ppe to': 714355, 'protect staff volunteer': 684953, 'staff volunteer in': 793040, 'volunteer in their': 960289, 'in their work': 429792, 'their work funding': 875202, 'work funding to': 1005206, 'funding to expand': 341622, 'to expand your': 905439, 'expand your service': 290476, 'your service in': 1025731, 'downtrend': 257780, 'import pp': 418654, 'turkey were': 935584, 'on downtrend': 600401, 'downtrend since': 257781, 'february in': 301725, 'and historic': 64620, 'story plastic': 812104, 'import pp price': 418655, 'pp price in': 667878, 'price in turkey': 674747, 'in turkey were': 430332, 'turkey were on': 935585, 'were on downtrend': 979934, 'on downtrend since': 600402, 'downtrend since late': 257782, 'since late february': 770698, 'late february in': 480869, 'february in the': 301726, '19 outbreak across': 9078, 'world and historic': 1009280, 'and historic low': 64621, 'historic low oil': 397962, 'full story plastic': 340902, 'story plastic plasticsnews': 812105, 'plasticsnews news oil': 658899, 'hemorrhoid': 391694, 'shit settle': 759213, 'settle we': 753696, 'have bloody': 379809, 'bloody fight': 133197, 'against hemorrhoid': 37486, 'hemorrhoid and': 391695, 'and food once': 63072, 'once the shit': 605732, 'the shit settle': 866956, 'shit settle we': 759214, 'settle we re': 753697, 'to have bloody': 907211, 'have bloody fight': 379810, 'bloody fight against': 133198, 'fight against hemorrhoid': 304625, 'against hemorrhoid and': 37487, 'hemorrhoid and obesity': 391696, 'crsponsored': 219436, 'report expert': 711921, 'expert today': 292002, 'today tues': 920402, '3pm et': 18402, 'question bookmark': 693552, 'link crsponsored': 493821, 'consumer report expert': 198707, 'report expert today': 711922, 'expert today tues': 292003, 'today tues 24': 920403, 'tues 24 at': 935091, '24 at 3pm': 15567, 'at 3pm et': 97638, '3pm et for': 18403, 'et for facebook': 282358, 'facebook live to': 294958, 'live to learn': 496069, 'to learn tip': 909140, 'learn tip and': 484081, 'yourself from and': 1026606, 'from and ask': 334506, 'ask question bookmark': 95614, 'question bookmark this': 693553, 'bookmark this link': 134771, 'this link crsponsored': 888641, 'drama two': 258262, 'two world': 937397, 'world apart': 1009300, 'least keeping': 484526, 'finger off': 307809, 'off online': 594029, 'start cancelling': 794249, 'spring and': 791159, 'and summer': 72680, 'summer booking': 817957, 'booking because': 134715, 'of lovely': 586035, 'lovely covid': 504950, 'drama two world': 258263, 'two world apart': 937398, 'world apart on': 1009301, 'apart on netflix': 81314, 'on netflix is': 602369, 'netflix is at': 557612, 'at least keeping': 99512, 'least keeping my': 484527, 'keeping my finger': 472485, 'my finger off': 548324, 'finger off online': 307810, 'off online shopping': 594030, 'shopping and on': 762005, 'and on whether': 68075, 'on whether should': 605274, 'whether should start': 985561, 'should start cancelling': 766488, 'start cancelling our': 794250, 'cancelling our spring': 161220, 'our spring and': 624870, 'spring and summer': 791160, 'and summer booking': 72681, 'summer booking because': 817958, 'booking because of': 134716, 'because of lovely': 119371, 'of lovely covid': 586036, 'lovely covid 19': 504951, 'supermarket serve': 822387, 'serve critical': 751877, 'worker fearful': 1006918, 'supermarket serve critical': 822388, 'serve critical role': 751878, 'crisis we explore': 218345, 'explore the right': 292498, 'right of worker': 722200, 'of worker fearful': 593278, 'worker fearful of': 1006919, 'fearful of turning': 301462, 'of turning up': 592516, 'work and being': 1004762, 'lady pushed': 478816, 'pushed me': 690374, 'paper making': 640444, 'food and lady': 313266, 'and lady pushed': 65928, 'lady pushed me': 478817, 'pushed me to': 690375, 'get to some': 348491, 'to some toilet': 914893, 'toilet paper making': 921349, 'paper making people': 640445, 'making people crazy': 511275, 'cuarentena': 220144, 'groccery': 364081, 'karcamo13': 470874, 'karcamogaming': 470877, 'callateidiota': 156269, 'karcamo': 470871, 'facepaint': 295184, 'facepainted': 295187, 'super mercado': 818550, 'mercado en': 528927, 'en cuarentena': 275378, 'cuarentena quarentine': 220145, 'quarentine groccery': 693174, 'groccery shopping': 364082, 'shopping karcamo13': 763122, 'karcamo13 karcamogaming': 470875, 'karcamogaming callateidiota': 470878, 'callateidiota karcamo': 156270, 'karcamo facepaint': 470872, 'facepaint facepainted': 295185, 'facepainted supermarket': 295188, 'supermarket supermercado': 823040, 'supermercado panama': 824287, 'panama panama': 634688, 'super mercado en': 818551, 'mercado en cuarentena': 528928, 'en cuarentena quarentine': 275379, 'cuarentena quarentine groccery': 220146, 'quarentine groccery shopping': 693175, 'groccery shopping karcamo13': 364083, 'shopping karcamo13 karcamogaming': 763123, 'karcamo13 karcamogaming callateidiota': 470876, 'karcamogaming callateidiota karcamo': 470879, 'callateidiota karcamo facepaint': 156271, 'karcamo facepaint facepainted': 470873, 'facepaint facepainted supermarket': 295186, 'facepainted supermarket supermercado': 295189, 'supermarket supermercado panama': 823041, 'supermercado panama panama': 824288, 'panama panama city': 634689, 'enemiesofthepeople': 276338, 'rich liberal': 721233, 'are enemiesofthepeople': 86209, 'enemiesofthepeople saw': 276339, 'guy walk': 369205, 'carrot just': 165054, 'just carrot': 468438, 'carrot chinavirus': 165048, 'chinavirus chinacoronavirus': 177147, 'chinacoronavirus chinesewuhanvirus': 177086, 'rich liberal are': 721234, 'liberal are enemiesofthepeople': 488001, 'are enemiesofthepeople saw': 86210, 'enemiesofthepeople saw one': 276340, 'saw one guy': 738195, 'one guy walk': 606383, 'guy walk out': 369206, 'store with cart': 811368, 'with cart full': 997555, 'full of carrot': 340704, 'of carrot just': 581159, 'carrot just carrot': 165055, 'just carrot chinavirus': 468439, 'carrot chinavirus chinacoronavirus': 165049, 'chinavirus chinacoronavirus chinesewuhanvirus': 177148, 'improvement in': 419579, 'of stainless': 590029, 'steel to': 799364, 'slip at': 774008, 'pace mar': 632946, '28 apr': 16380, 'apr will': 83377, 'will domestic': 993235, 'domestic stainless': 253230, 'future china': 342283, 'globaleconomy steel': 352316, 'an improvement in': 56215, 'improvement in sale': 419580, 'in sale ha': 427655, 'sale ha caused': 732258, 'caused the stock': 167972, 'stock of stainless': 802547, 'of stainless steel': 590030, 'stainless steel to': 793290, 'steel to slip': 799365, 'to slip at': 914735, 'slip at faster': 774009, 'faster pace mar': 300114, 'pace mar 28': 632947, 'mar 28 apr': 515002, '28 apr will': 16381, 'apr will domestic': 83378, 'will domestic stainless': 993236, 'domestic stainless steel': 253231, 'stainless steel price': 793289, 'steel price be': 799354, 'be affected in': 113515, 'affected in the': 34376, 'near future china': 553499, 'future china economy': 342284, 'globaltrade globaleconomy steel': 352433, 'counteracted': 210283, 'my sad': 549979, 'sad supermarket': 729245, 'observation today': 578564, 'look someone': 502597, 'smile like': 775721, 'did two': 240896, 'ago counteracted': 38367, 'counteracted this': 210284, 'saying hello': 739604, 'everyone passed': 287261, 'my sad supermarket': 549980, 'sad supermarket observation': 729246, 'supermarket observation today': 821688, 'observation today people': 578565, 'people are too': 647101, 'are too scared': 91147, 'scared to look': 741026, 'to look someone': 909441, 'look someone in': 502598, 'the eye and': 854785, 'eye and smile': 294003, 'and smile like': 71809, 'smile like we': 775722, 'we did two': 971296, 'did two week': 240897, 'week ago counteracted': 975843, 'ago counteracted this': 38368, 'counteracted this by': 210285, 'this by saying': 886660, 'by saying hello': 153880, 'saying hello to': 739605, 'hello to everyone': 389232, 'to everyone passed': 905348, '27 million': 16291, 'million announced': 532068, 'support social': 826828, 'they experience': 882074, 'experience higher': 291381, 'lockdown foodbanks': 499387, 'already handing': 47404, 'challenge continuing': 171429, '27 million announced': 16292, 'million announced by': 532069, 'government to support': 360738, 'to support social': 915968, 'support social service': 826829, 'social service and': 779957, 'service and community': 752076, 'and community group': 60171, 'community group they': 189875, 'group they experience': 366920, 'they experience higher': 882075, 'experience higher demand': 291382, 'higher demand because': 395570, '19 lockdown foodbanks': 8384, 'lockdown foodbanks are': 499388, 'foodbanks are already': 317811, 'are already handing': 84414, 'already handing out': 47405, 'handing out more': 376135, 'out more food': 626568, 'more food parcel': 539250, 'parcel and of': 641478, 'course there are': 211942, 'there are challenge': 878079, 'are challenge continuing': 85221, 'challenge continuing to': 171430, 'continuing to provide': 201570, 'vegi': 954235, 'asian vegi': 95373, 'vegi market': 954236, 'market first': 516387, 'quiet wa': 694707, 'town wow': 927599, 'wow wtf': 1012626, 'the asian vegi': 848969, 'asian vegi market': 95374, 'vegi market first': 954237, 'market first it': 516388, 'first it usually': 308739, 'usually quiet wa': 951144, 'quiet wa packed': 694708, 'packed with long': 633667, 'with long line': 999305, 'supermarket and shelf': 819060, 'and shelf are': 71444, 'ghost town wow': 349681, 'town wow wtf': 927600, 'wow wtf that': 1012627, 'wtf that wa': 1013327, 'turning over': 935941, 'physical space': 655460, 'attitude due': 102554, 'to rapid': 912750, 'economy future': 267886, 'work brand': 1004947, 'out about how': 625554, 'brand are turning': 137758, 'are turning over': 91228, 'turning over their': 935942, 'over their physical': 630795, 'their physical space': 874299, 'physical space to': 655461, 'space to help': 787177, 'help fight against': 389704, 'from spreading and': 337387, 'spreading and response': 790923, 'and response to': 70356, 'response to new': 715869, 'new consumer attitude': 558516, 'consumer attitude due': 196343, 'attitude due to': 102555, 'due to rapid': 261916, 'to rapid change': 912751, 'the economy future': 853970, 'economy future of': 267887, 'of work brand': 593244, 'quarantineblues': 692787, 'hoardingtoiletpaper': 399681, 'song jupiter': 785506, 'jupiter by': 468066, 'corona quarantineblues': 204132, 'quarantineblues hoarding': 692788, 'hoarding hoardingtoiletpaper': 399362, 'hoardingtoiletpaper costco': 399682, 'is like this': 449335, 'like this song': 491532, 'this song jupiter': 890253, 'song jupiter by': 785507, 'jupiter by corona': 468067, 'by corona quarantineblues': 152221, 'corona quarantineblues hoarding': 204133, 'quarantineblues hoarding hoardingtoiletpaper': 692789, 'hoarding hoardingtoiletpaper costco': 399363, 'shoestring': 759704, 'increasing need': 433641, 'hunger relief': 411177, 'relief organization': 709414, 'organization such': 619424, 'are activating': 84199, 'activating emergency': 30239, 'plan these': 658257, 'group often': 366813, 'often operate': 596245, 'on shoestring': 603428, 'shoestring and': 759705, 'face dramatically': 294410, 'via endhunger': 955958, 'anticipation of increasing': 78492, 'of increasing need': 585082, 'increasing need hunger': 433642, 'need hunger relief': 555027, 'hunger relief organization': 411178, 'relief organization such': 709415, 'organization such food': 619425, 'such food bank': 816500, 'pantry are activating': 639527, 'are activating emergency': 84200, 'activating emergency plan': 30240, 'emergency plan these': 272879, 'plan these group': 658258, 'these group often': 880081, 'group often operate': 366814, 'often operate on': 596246, 'operate on shoestring': 613006, 'on shoestring and': 603429, 'shoestring and now': 759706, 'now they face': 576108, 'they face dramatically': 882083, 'face dramatically increased': 294411, 'dramatically increased demand': 258354, 'increased demand via': 433289, 'demand via endhunger': 236436, 'are revealing': 89677, 'revealing sustainable': 720298, 'sustainable option': 829805, 'actually cheaper': 30759, 'than feeding': 840644, 'industry illogical': 435893, 'illogical need': 416417, 'coronavirus impact are': 206106, 'impact are revealing': 417565, 'are revealing sustainable': 89678, 'revealing sustainable option': 720299, 'sustainable option are': 829806, 'option are actually': 613985, 'are actually cheaper': 84213, 'actually cheaper than': 30760, 'cheaper than feeding': 174277, 'than feeding the': 840645, 'feeding the oil': 302486, 'oil industry illogical': 596887, 'industry illogical need': 435894, '3billion': 18219, '357million': 17963, 'reponse': 711762, 'population 3billion': 664640, '3billion 366': 18220, 'population 357million': 664638, '357million plus': 17964, 'in reponse': 427396, 'reponse to': 711763, 'life economy': 488624, 'infected population 3billion': 436627, 'population 3billion 366': 664641, '3billion 366 00': 18221, 'infected population 357million': 436626, 'population 357million plus': 664639, '357million plus 3x': 17965, 'delay in reponse': 232709, 'in reponse to': 427397, 'reponse to covid': 711764, 'health life economy': 386612, 'life economy now': 488625, 'company capitalising': 190538, 'early leader on': 264632, 'leader on the': 483507, 'on the were': 604446, 'the were company': 871387, 'were company capitalising': 979457, 'company capitalising on': 190539, 'capitalising on consumer': 162710, 'downloadable': 257644, 'consumer see': 198889, 'behaviour collected': 124389, 'collected in': 186357, 'handy downloadable': 376886, 'affected the online': 34445, 'shopping behaviour of': 762223, 'behaviour of consumer': 124486, 'of consumer see': 581770, 'consumer see the': 198890, 'see the trend': 745892, 'the trend amp': 869960, 'trend amp consumer': 931263, 'amp consumer behaviour': 53563, 'consumer behaviour collected': 196560, 'behaviour collected in': 124390, 'collected in this': 186358, 'in this handy': 429956, 'this handy downloadable': 887830, 'start like': 794365, 'having shortage': 384266, 'you just start': 1019432, 'just start like': 469871, 'start like you': 794366, 'would we wouldn': 1012390, 'wouldn be having': 1012442, 'be having shortage': 115159, 'having shortage in': 384267, 'manifesting': 513188, 'conrad': 194766, 'is manifesting': 449578, 'manifesting in': 513189, 'that dangerous': 843435, 'dangerous harmful': 225745, 'others ve': 621753, 'aisle listening': 40301, 'student saved': 814768, 'saved me': 737749, 'read today': 700641, 'today post': 920055, 'you conrad': 1018010, 'anxiety is manifesting': 78735, 'is manifesting in': 449579, 'manifesting in behavior': 513190, 'in behavior that': 420761, 'behavior that dangerous': 124224, 'that dangerous harmful': 843436, 'dangerous harmful to': 225746, 'harmful to others': 378458, 'to others ve': 911143, 'others ve tried': 621754, 'store to raid': 810805, 'to raid the': 912713, 'raid the toilet': 695619, 'paper aisle listening': 639780, 'aisle listening to': 40302, 'to the student': 917105, 'the student saved': 868315, 'student saved me': 814769, 'saved me hope': 737750, 'me hope you': 522909, 'hope you read': 403806, 'you read today': 1020813, 'read today post': 700642, 'today post thank': 920056, 'thank you conrad': 841711, 'northam say': 567701, 'congress will': 194556, 'benefit northam': 127035, 'single trip': 771421, 'trip should': 932156, 'should reduce': 766388, 'reduce total': 705994, 'total trip': 926263, 'northam say the': 567702, 'say the family': 739276, 'the family first': 854892, 'family first coronavirus': 297802, 'first coronavirus act': 308596, 'coronavirus act passed': 205451, 'by congress will': 152172, 'congress will help': 194557, 'help family who': 389686, 'family who rely': 298377, 'rely on snap': 709650, 'snap benefit northam': 776081, 'benefit northam say': 127036, 'say the ability': 739264, 'get more food': 347588, 'food in single': 314969, 'in single trip': 427981, 'single trip should': 771422, 'trip should reduce': 932157, 'should reduce total': 766389, 'reduce total trip': 705995, 'total trip to': 926264, 'is outdated': 450668, 'outdated and': 628881, 'sell product on': 748852, 'product on facebook': 681466, 'store that no': 810561, 'one ha ever': 606387, 'shopping is outdated': 763071, 'is outdated and': 450669, 'outdated and disproportionately': 628882, 'stateofhealth': 796245, 'thankyoupublichralth': 842390, 'preparedness globalpandemic': 670288, 'globalpandemic stateofhealth': 352425, 'stateofhealth thankyoupublichralth': 796246, 'thankyoupublichralth grocery': 842391, '19 pandemic preparedness': 9434, 'pandemic preparedness globalpandemic': 636226, 'preparedness globalpandemic stateofhealth': 670289, 'globalpandemic stateofhealth thankyoupublichralth': 352426, 'stateofhealth thankyoupublichralth grocery': 796247, 'thankyoupublichralth grocery worker': 842392, 'mymdfarmers': 550763, 'empty local': 274940, 'produce not': 680373, 'market helping': 516518, 'feed local': 302333, 'local they': 498647, 'keeping business': 472392, 'farmer mymdfarmers': 299464, 'mymdfarmers farmersmarket': 550764, 'farmersmarket buylocal': 299589, 'are empty local': 86156, 'empty local farmer': 274941, 'farmer market remain': 299454, 'market remain open': 516978, 'for business with': 319848, 'business with fresh': 144699, 'with fresh produce': 998554, 'fresh produce not': 333061, 'produce not only': 680374, 'only are farmer': 610112, 'farmer market helping': 299449, 'market helping to': 516519, 'to feed local': 905726, 'feed local they': 302334, 'local they re': 498648, 're also keeping': 698267, 'also keeping business': 48451, 'keeping business going': 472393, 'business going for': 143793, 'going for farmer': 355142, 'for farmer mymdfarmers': 321406, 'farmer mymdfarmers farmersmarket': 299465, 'mymdfarmers farmersmarket buylocal': 550765, 'welcome today': 977910, 'proposed measure': 684535, 'full response': 340856, 'we welcome today': 973772, 'welcome today proposed': 977911, 'today proposed measure': 920075, 'proposed measure from': 684536, 'measure from to': 525205, 'from to support': 338066, 'to support consumer': 915918, 'support consumer credit': 826438, 'credit customer through': 216371, 'outbreak read our': 628573, 'our full response': 623217, 'their awesome': 872537, 'awesome market': 106180, 'menu and': 528870, 'saw their awesome': 738277, 'their awesome market': 872538, 'awesome market basket': 106181, 'basket menu and': 112371, 'menu and curbside': 528871, 'go to an': 354272, 'to an empty': 900445, 'papertowelrolls': 641162, 'how george': 407910, 'george and': 345989, 'wife protect': 991960, 'from dirty': 335146, 'dirty cart': 243731, 'cart papertowelrolls': 165356, 'papertowelrolls toiletpaper': 641163, 'out how george': 626323, 'how george and': 407911, 'george and his': 345990, 'his wife protect': 397917, 'wife protect themselves': 991961, 'themselves from dirty': 876809, 'from dirty cart': 335147, 'dirty cart papertowelrolls': 243732, 'cart papertowelrolls toiletpaper': 165357, 'bullied': 142445, 'being assaulted': 124868, 'assaulted bullied': 96328, 'bullied harassed': 142446, 'harassed at': 377816, 'local bus': 497743, 'bus for': 143042, 'the called': 850289, 'asian american are': 95246, 'american are being': 51799, 'are being assaulted': 84830, 'being assaulted bullied': 124869, 'assaulted bullied harassed': 96329, 'bullied harassed at': 142447, 'harassed at school': 377817, 'at school in': 100472, 'school in the': 741827, 'the local bus': 859535, 'local bus for': 497744, 'bus for something': 143043, 'for something they': 325794, 'something they have': 785093, 'with all because': 997144, 'all because the': 42154, 'because the called': 119613, 'the called the': 850290, 'called the covid': 156455, 'chinese virus please': 177386, 'virus please help': 958639, 'please help address': 660061, 'retail showroom': 718565, 'showroom in': 767642, 'hudson oh': 409912, 'oh will': 596490, '6th but': 21682, 'order answer': 618042, 'service question': 752745, 'the global impact': 856307, 'our retail showroom': 624640, 'retail showroom in': 718566, 'showroom in hudson': 767643, 'in hudson oh': 423894, 'hudson oh will': 409913, 'oh will be': 596491, 'until april 6th': 943696, 'april 6th but': 83513, '6th but our': 21683, 'but our online': 146729, 'business to take': 144561, 'take your order': 832825, 'your order answer': 1025097, 'order answer your': 618043, 'answer your customer': 78155, 'customer service question': 222831, 'seriously shit': 751715, 'shit act': 759046, 'act scum': 29762, 'scum sydney': 742986, 'supermarket robbed': 822255, 'robbed of': 724647, 'by men': 153200, 'men armed': 528461, 'knife like': 476111, 'seriously sydney': 751741, 'sydney 19': 830685, 'is seriously shit': 451801, 'seriously shit act': 751716, 'shit act scum': 759047, 'act scum sydney': 29763, 'scum sydney supermarket': 742987, 'sydney supermarket robbed': 830716, 'supermarket robbed of': 822256, 'robbed of by': 724648, 'of by men': 581026, 'by men armed': 153201, 'men armed with': 528462, 'armed with knife': 92955, 'with knife like': 999162, 'knife like seriously': 476112, 'like seriously sydney': 491161, 'seriously sydney 19': 751742, 'employee working out': 274467, 'working out there': 1008851, 'hey of': 394469, 'monday im': 536300, 'im being': 416515, 'layed off': 482618, 'im promoting': 416570, 'promoting my': 683848, 'hey of this': 394470, 'of this monday': 592007, 'this monday im': 888888, 'monday im being': 536301, 'im being layed': 416516, 'being layed off': 125374, 'layed off my': 482619, 'off my job': 593983, 'outbreak so im': 628632, 'so im promoting': 777365, 'im promoting my': 416571, 'promoting my commission': 683849, 'my commission if': 547759, 'question or want': 693688, 'buy from me': 148717, 'from me my': 336396, 'me my dm': 523188, 'are open 19': 88781, 'kuwait domestic': 477988, 'domestic bank': 253171, 'will defer': 993130, 'defer payment': 232170, 'and sme': 71800, 'sme loan': 775594, 'and financing': 62879, 'financing for': 306733, 'kuwait domestic bank': 477989, 'domestic bank will': 253172, 'bank will defer': 110315, 'will defer payment': 993131, 'defer payment of': 232171, 'payment of consumer': 645685, 'consumer and sme': 196245, 'and sme loan': 71801, 'sme loan and': 775595, 'loan and financing': 497388, 'and financing for': 62880, 'financing for six': 306734, 'for six month': 325641, 'six month amid': 772665, 'requiring food': 713522, 'on 01765': 598963, 'temporary closure we': 837597, 'closure we are': 184061, 'very sorry to': 955575, 'sorry to close': 786093, 'country with immediate': 211257, 'immediate effect for': 416985, 'effect for all': 269001, 'customer requiring food': 222763, 'requiring food and': 713523, 'food and animal': 313175, 'health product should': 386763, 'product should call': 681622, 'should call the': 765817, 'call the store': 156142, 'store on 01765': 809182, 'on 01765 680215': 598964, 'announces webinar': 77300, 'fintech and': 308015, 'privacy amidst': 678796, 'announces webinar on': 77301, 'webinar on fintech': 975071, 'on fintech and': 600799, 'fintech and consumer': 308016, 'consumer privacy amidst': 198433, 'privacy amidst the': 678797, 'it doesnt': 457648, 'doesnt take': 252016, 'long shelter': 501621, 'that serve': 846206, 'immediate rise': 417028, 'it doesnt take': 457649, 'doesnt take long': 252017, 'take long shelter': 832283, 'long shelter and': 501622, 'shelter and pantry': 757899, 'and pantry that': 68688, 'pantry that serve': 639686, 'that serve our': 846208, 'serve our community': 751924, 'our community have': 622462, 'seen an immediate': 746931, 'an immediate rise': 56169, 'immediate rise in': 417029, 'their service thanks': 874664, 'service thanks for': 752912, 'for your reporting': 328200, 'one hygiene': 606451, 'hygiene fail': 412091, 'fail went': 296117, 'my fourth': 548402, 'fourth supermarket': 330726, 'morning if': 541302, 'be easier': 114625, 'than not': 840947, 'it nailed': 459724, 'nailed on': 551475, 'be today': 117740, 'today fail': 919509, 'fail stophoarding': 296104, 'one hygiene fail': 606452, 'hygiene fail went': 412092, 'fail went into': 296118, 'into my fourth': 442778, 'my fourth supermarket': 548403, 'fourth supermarket of': 330727, 'of the morning': 591253, 'the morning if': 860913, 'morning if catch': 541303, 'if catch this': 413951, 'catch this thing': 167044, 'this thing and': 890560, 'thing and to': 884138, 'be fair it': 114787, 'fair it ll': 296345, 'll be easier': 496582, 'be easier to': 114626, 'get it than': 347426, 'it than not': 461476, 'than not it': 840948, 'not it nailed': 570185, 'it nailed on': 459725, 'nailed on to': 551476, 'to be today': 901594, 'be today fail': 117741, 'today fail stophoarding': 919510, 'fail stophoarding panicbuyinguk': 296105, 'corox': 207175, 'tp sanitizer': 927927, 'bought corox': 136537, 'corox wipe': 207176, 'to be grateful': 901281, 'always have lot': 49612, 'of tp sanitizer': 592379, 'tp sanitizer lysol': 927928, 'we bought corox': 970862, 'bought corox wipe': 136538, 'corox wipe for': 207177, 'edchat': 268474, 'been inspired': 121389, 'by amazing': 151810, 'amazing educator': 50678, 'educator that': 268905, 'offering thing': 595293, 'site so': 772011, 'so family': 777003, 'have learning': 381282, 'learning opportunity': 484229, 'opportunity check': 613600, 'for slashed': 325650, 'free downloads': 331779, 'downloads more': 257661, 'more free': 539283, 'item added': 463030, 'added daily': 31553, 'daily edchat': 224591, 've been inspired': 952898, 'been inspired by': 121390, 'inspired by amazing': 439837, 'by amazing educator': 151811, 'amazing educator that': 50679, 'educator that are': 268906, 'that are cutting': 842735, 'cutting price and': 223762, 'and offering thing': 67992, 'offering thing for': 595294, 'thing for free': 884331, 'free on their': 332020, 'their site so': 874738, 'site so family': 772012, 'so family have': 777004, 'family have learning': 297880, 'have learning opportunity': 381283, 'learning opportunity check': 484230, 'opportunity check out': 613601, 'out for slashed': 626159, 'for slashed price': 325651, 'slashed price free': 773643, 'price free downloads': 674098, 'free downloads more': 331780, 'downloads more free': 257662, 'more free item': 539284, 'free item added': 331927, 'item added daily': 463031, 'added daily edchat': 31554, 'memeing': 528374, 'chance couple': 171713, 'ago rather': 38447, 'just memeing': 469258, 'memeing about': 528375, 'medium quantum': 527238, 'quantum toiletpaper': 691969, 'have bought this': 379831, 'bought this when': 136756, 'this when had': 891355, 'when had chance': 983508, 'had chance couple': 372962, 'chance couple of': 171714, 'week ago rather': 975855, 'ago rather than': 38448, 'than just memeing': 840819, 'just memeing about': 469259, 'memeing about it': 528376, 'about it on': 25587, 'it on social': 460057, 'social medium quantum': 779876, 'medium quantum toiletpaper': 527239, 'quantum toiletpaper toiletpapercrisis': 691970, 'challenge consumer': 171427, 'consumer adapt': 196027, 'to eating': 904915, 'outbreak subsides': 628669, 'subsides or': 815961, 'habit create': 372594, 'eat listen': 265967, 'producer are faced': 680572, 'faced with new': 295044, 'with new challenge': 999698, 'new challenge consumer': 558475, 'challenge consumer adapt': 171428, 'consumer adapt to': 196028, 'adapt to eating': 31281, 'to eating more': 904916, 'eating more meal': 266256, 'home in light': 401416, 'crisis will we': 218421, 'will we return': 995333, 'to normal when': 910669, 'normal when the': 567411, 'the outbreak subsides': 862701, 'outbreak subsides or': 628670, 'subsides or will': 815962, 'or will new': 617810, 'will new habit': 994179, 'new habit create': 558841, 'habit create permanent': 372595, 'create permanent shift': 215721, 'how we eat': 409170, 'we eat listen': 971432, 'eat listen now': 265968, 'almighty': 46456, 'aamen': 24105, 'by kwara': 153005, 'gov ha': 359593, 'finally kicked': 306045, 'do nt': 249915, 'nt have': 576727, 'head those': 385827, 'may almighty': 520909, 'almighty god': 46457, 'god make': 354762, 'all throughout': 45207, 'this trial': 890850, 'trial aamen': 931628, 'the total lockdown': 869818, 'total lockdown by': 926185, 'lockdown by kwara': 499222, 'by kwara state': 153006, 'kwara state gov': 478039, 'state gov ha': 795607, 'gov ha finally': 359594, 'ha finally kicked': 370622, 'finally kicked off': 306046, 'kicked off to': 473815, 'off to curb': 594318, '19 my heart': 8728, 'who do nt': 988618, 'do nt have': 249916, 'nt have shelter': 576728, 'have shelter to': 382508, 'shelter to hide': 757956, 'hide their head': 394851, 'their head those': 873506, 'head those without': 385828, 'those without food': 892733, 'without food to': 1002661, 'home may almighty': 401594, 'may almighty god': 520910, 'almighty god make': 46458, 'god make it': 354763, 'easy for all': 265702, 'for all throughout': 319181, 'all throughout this': 45208, 'throughout this trial': 894997, 'this trial aamen': 890851, 'icu put': 412851, 'just old': 469363, 'condition young': 193570, 'warning from inside': 967130, 'inside the icu': 439415, 'the icu put': 857820, 'icu put everyone': 412852, 'at risk not': 100379, 'risk not just': 723712, 'not just old': 570237, 'just old people': 469364, 'old people not': 598417, 'people not just': 648870, 'not just people': 570242, 'just people with': 469446, 'medical condition young': 526112, 'condition young people': 193571, 'the virus too': 870910, 'forgot would': 329424, 'are legend': 87762, 'they forgot would': 882136, 'forgot would like': 329425, 'thank the teacher': 841649, 'teacher you are': 835541, 'you are legend': 1017159, 'webdesign': 974992, '08079024516': 1111, 'slashed down': 773624, 'for webdesign': 327671, 'webdesign including': 974993, 'including ecommerce': 431945, 'and responsive': 70362, 'responsive site': 716130, 'site designed': 771899, 'designed at': 238333, 'very affordable': 954980, 'affordable rate': 34896, 'reach thru': 700001, 'thru dm': 895182, 'call 08079024516': 155683, '08079024516 stayhomesavelives': 1112, 'pandemic ha slashed': 635570, 'ha slashed down': 371967, 'slashed down price': 773625, 'down price for': 257112, 'price for webdesign': 674076, 'for webdesign including': 327672, 'webdesign including ecommerce': 974994, 'including ecommerce and': 431946, 'ecommerce and blog': 266705, 'and blog you': 59023, 'can get quality': 158444, 'get quality and': 347866, 'quality and responsive': 691763, 'and responsive site': 70363, 'responsive site designed': 716131, 'site designed at': 771900, 'designed at very': 238334, 'at very affordable': 101444, 'very affordable rate': 954981, 'affordable rate reach': 34897, 'rate reach thru': 697351, 'reach thru dm': 700002, 'thru dm call': 895183, 'dm call 08079024516': 248884, 'call 08079024516 stayhomesavelives': 155684, 'modelled': 535331, 'is modelled': 449677, 'modelled we': 535332, 'we trusted': 973579, 'trusted modelling': 934343, 'modelling to': 535343, 'full auspol': 340492, 'spread is modelled': 790586, 'is modelled we': 449678, 'modelled we trusted': 535333, 'we trusted modelling': 973580, 'trusted modelling to': 934344, 'modelling to keep': 535344, 'shelf full auspol': 757109, 'wa curious': 961912, 'order they': 618641, 'still cant': 800345, 'cant guarantee': 162307, 'slot wait': 774290, 'im not afraid': 416558, 'store but wa': 806815, 'but wa curious': 147707, 'wa curious to': 961913, 'how this online': 408951, 'online grocery work': 608337, 'grocery work but': 366157, 'work but cant': 1004955, 'but cant get': 145390, 'cant get in': 162299, 'and if do': 64933, 'if do get': 414051, 'do get in': 249328, 'in to order': 430128, 'to order they': 911087, 'order they still': 618642, 'they still cant': 883461, 'still cant guarantee': 800346, 'cant guarantee you': 162308, 'guarantee you ll': 367731, 'll get delivery': 496785, 'get delivery time': 346869, 'delivery time slot': 234644, 'time slot wait': 897688, 'slot wait in': 774291, 'get online no': 347709, 'online no food': 608581, 'skyrocket covid': 773295, 'store sale skyrocket': 809972, 'sale skyrocket covid': 732525, 'skyrocket covid 19': 773296, 'gasolime': 344208, '414': 18882, 'hay and': 384497, 'tax is': 835021, 'about 75': 24745, 'the wholesale': 871517, 'wholesale gasolime': 990447, 'gasolime price': 344209, 'gallon gov': 343015, 'murphy should': 546210, 'the 414': 848115, '414 per': 18883, 'gallon gas': 343011, 'all gasoline': 42905, 'diesel sale': 241695, 'hay and state': 384498, 'state of nj': 795813, 'of nj the': 587031, 'nj the gas': 563460, 'the gas tax': 856176, 'gas tax is': 344146, 'tax is now': 835022, 'is now about': 450253, 'now about 75': 573926, 'about 75 of': 24746, 'of the wholesale': 591617, 'the wholesale gasolime': 871518, 'wholesale gasolime price': 990448, 'gasolime price per': 344210, 'per gallon gov': 650847, 'gallon gov murphy': 343016, 'gov murphy should': 359637, 'murphy should suspend': 546211, 'suspend the 414': 829589, 'the 414 per': 848116, '414 per gallon': 18884, 'per gallon gas': 650845, 'gallon gas tax': 343012, 'gas tax for': 344145, 'tax for the': 834989, 'next month on': 561457, 'month on all': 537921, 'on all gasoline': 599230, 'all gasoline and': 42906, 'and diesel sale': 61344, 'diesel sale to': 241696, 'sale to help': 732587, 'help out new': 390253, 'out new jersey': 626627, 'posture': 666868, 'coldness': 185818, 'delivery posture': 234356, 'posture price': 666869, 'texting have': 839984, 'more coldness': 538834, 'due to am': 261700, 'to am not': 900390, 'not in contact': 570086, 'contact with some': 200288, 'update from that': 946985, 'from that dispensary': 337576, 'their delivery posture': 872995, 'delivery posture price': 234357, 'posture price they': 666870, 'stop texting have': 805114, 'texting have had': 839985, 'have had stalker': 380877, 'with more coldness': 999553, 'so disturbing': 776877, 'buying ppe': 150917, 'ppe needed': 668012, 'virus ex': 958170, 'ex china': 288621, 'china government': 176679, 'spending million': 788898, 'thermometer from': 879520, 'china then': 176991, 'then corrupt': 877094, 'corrupt procurement': 207672, 'procurement official': 680117, 'so disturbing that': 776878, 'disturbing that sa': 248421, 'that sa is': 846084, 'sa is buying': 728899, 'is buying ppe': 446332, 'buying ppe needed': 150918, 'ppe needed to': 668013, 'needed to protect': 556547, 'the virus ex': 870830, 'virus ex china': 958171, 'ex china government': 288622, 'china government is': 176680, 'government is spending': 360277, 'is spending million': 452158, 'spending million to': 788899, 'million to buy': 532382, 'buy mask thermometer': 148943, 'mask thermometer from': 519366, 'thermometer from china': 879521, 'from china then': 334871, 'china then corrupt': 176992, 'then corrupt procurement': 877095, 'corrupt procurement official': 207673, 'procurement official are': 680118, 'official are inflating': 595757, 'minimize food': 533107, 'pharmacy shopping': 654456, 'week know': 976456, 'know habit': 476405, 'but contact': 145452, 'learn is': 484000, 'spreading we': 791082, 'need tougher': 556135, 'tougher measure': 926894, 'please people try': 660287, 'try to minimize': 934641, 'to minimize food': 910162, 'minimize food and': 533108, 'food and pharmacy': 313306, 'and pharmacy shopping': 68977, 'pharmacy shopping to': 654457, 'shopping to le': 764179, 'le than once': 483183, 'than once week': 840975, 'once week know': 605796, 'week know habit': 976457, 'know habit are': 476406, 'habit are hard': 372572, 'hard to break': 378053, 'break but contact': 138691, 'but contact with': 145453, 'contact with delivery': 200272, 'with delivery and': 997961, 'and supermarket we': 72749, 'supermarket we will': 823760, 'we will learn': 973874, 'will learn is': 993968, 'learn is still': 484001, 'still spreading we': 801220, 'spreading we need': 791083, 'we need tougher': 972564, 'need tougher measure': 556136, 'grip hayfever': 364017, 'is upon': 453592, 'upon promise': 947649, 'promise that': 683693, 'that sneeze': 846353, 'sneeze wa': 776277, 'my allergy': 547250, 'allergy maybe': 45779, 'cold me': 185773, 'me maybe': 523148, 'maybe regular': 521787, 'regular flu': 707772, 'flu heaven': 311416, 'heaven forbid': 388547, 'forbid not': 328305, 'laugh supermarket': 481768, 'bloody grip hayfever': 133202, 'grip hayfever season': 364018, 'hayfever season is': 384531, 'season is upon': 743410, 'is upon promise': 453593, 'upon promise that': 947650, 'promise that sneeze': 683694, 'that sneeze wa': 846354, 'sneeze wa my': 776278, 'wa my allergy': 962668, 'my allergy maybe': 547251, 'allergy maybe the': 45780, 'maybe the result': 521834, 'result of common': 717582, 'of common cold': 581586, 'common cold me': 189369, 'cold me maybe': 185774, 'me maybe regular': 523149, 'maybe regular flu': 521788, 'regular flu heaven': 707773, 'flu heaven forbid': 311417, 'heaven forbid not': 388548, 'forbid not everything': 328306, 'everything is and': 287862, 'is and another': 445700, 'another thing people': 77903, 'thing people you': 884680, 'allowed to laugh': 46235, 'to laugh supermarket': 909094, 'fearnot': 301510, 'deseo': 237997, 'reason do': 702891, 'panic raise': 638460, 'your hygiene': 1024445, 'practice level': 668602, 'distancing exercise': 247140, 'exercise doing': 290041, 'your chore': 1023216, 'chore and': 177997, 'food diy': 314247, 'diy fearnot': 248737, 'fearnot deseo': 301511, 'world today is': 1010093, 'the reason do': 865269, 'reason do not': 702892, 'not panic raise': 570926, 'panic raise your': 638461, 'raise your hygiene': 695979, 'your hygiene practice': 1024446, 'hygiene practice level': 412140, 'practice level in': 668603, 'level in line': 487595, 'line with social': 493587, 'social distancing exercise': 779606, 'distancing exercise doing': 247141, 'exercise doing your': 290042, 'doing your chore': 252881, 'your chore and': 1023217, 'chore and make': 177998, 'own food diy': 631995, 'food diy fearnot': 314248, 'diy fearnot deseo': 248738, 'equipment propublica': 279812, 'propublica trump': 684599, 'trump need': 933718, 'gouging this': 359472, 'outrageous totally': 629340, 'unacceptable 19': 939356, 'medical equipment propublica': 526161, 'equipment propublica trump': 279813, 'propublica trump need': 684600, 'trump need to': 933719, 'control this price': 202191, 'price gouging this': 674333, 'gouging this is': 359473, 'this is outrageous': 888350, 'is outrageous totally': 450675, 'outrageous totally unacceptable': 629341, 'totally unacceptable 19': 926401, 'mercilessly': 529070, 'report teen': 712303, 'teen deliberately': 836490, 'and laughing': 65976, 'laughing the': 481824, 'contagion not': 200416, 'should mercilessly': 766222, 'mercilessly beat': 529071, 'beat people': 118541, 'friend husband who': 333642, 'husband who work': 411790, 'work at large': 1004880, 'at large retail': 99411, 'retail store now': 718669, 'store now report': 809131, 'now report teen': 575682, 'report teen deliberately': 712304, 'teen deliberately coughing': 836491, 'coughing on senior': 208723, 'citizen and laughing': 178835, 'and laughing the': 65977, 'laughing the world': 481825, 'grapple with coronavirus': 362192, 'with coronavirus contagion': 997797, 'coronavirus contagion not': 205693, 'contagion not saying': 200417, 'not saying we': 571448, 'saying we should': 739753, 'we should mercilessly': 973280, 'should mercilessly beat': 766223, 'mercilessly beat people': 529072, 'beat people who': 118542, 'this but yeah': 886653, 'to leilani': 909178, 'jordan heartbroken': 467288, 'hydroxychloroquine multiple': 412004, 'multiple time': 545803, 'disabled frontline': 243913, 'listening to leilani': 494807, 'to leilani jordan': 909179, 'leilani jordan heartbroken': 486120, 'jordan heartbroken parent': 467289, 'heartbroken parent who': 388433, 'parent who were': 641781, 'who were given': 989959, 'were given hydroxychloroquine': 979683, 'given hydroxychloroquine multiple': 351023, 'hydroxychloroquine multiple time': 412005, 'multiple time to': 545804, 'wa disabled frontline': 961979, 'disabled frontline worker': 243914, 'worker with mask': 1008264, 'coronasweden': 205284, 'new finnish': 558741, 'finnish research': 307994, 'spread wider': 790889, 'wider and': 991810, 'what earlier': 981396, 'earlier study': 264481, 'study were': 814980, 'were showing': 980117, 'showing coronasweden': 767430, 'coronasweden corona': 205285, 'new finnish research': 558742, 'finnish research show': 307995, 'research show what': 713842, 'happens if someone': 377474, 'if someone cough': 414851, 'it will spread': 462440, 'will spread wider': 994930, 'spread wider and': 790890, 'wider and last': 991811, 'and last longer': 65959, 'longer than what': 502080, 'than what earlier': 841442, 'what earlier study': 981397, 'earlier study were': 264482, 'study were showing': 814981, 'were showing coronasweden': 980118, 'showing coronasweden corona': 767431, 'apparently price': 81992, 'cleaner containing': 180766, 'of misguided': 586572, 'misguided communication': 534035, 'and apparently price': 58251, 'apparently price on': 81993, 'ebay for the': 266463, 'for the fish': 326437, 'tank cleaner containing': 834195, 'cleaner containing chloroquine': 180767, 'containing chloroquine phosphate': 200579, 'phosphate have gone': 655106, 'gone up this': 356433, 'up this is': 946278, 'result of misguided': 717602, 'of misguided communication': 586573, 'boost your shopping': 135040, 'everythingfromhome': 288145, 'headset company': 386046, 'for adoption': 319029, 'adoption ha': 32718, 'greater take': 363241, 'opportunity have': 613638, 'now enough': 574603, 'please vr': 660737, 'workfromhome everythingfromhome': 1008416, 'everythingfromhome virtualreality': 288146, 'vr headset company': 960737, 'headset company now': 386047, 'company now is': 190913, 'time to reduce': 898044, 'your price the': 1025418, 'price the opportunity': 676851, 'opportunity for adoption': 613604, 'for adoption ha': 319030, 'adoption ha never': 32719, 'been greater take': 121234, 'greater take advantage': 363242, 'of the opportunity': 591300, 'the opportunity have': 862400, 'opportunity have massive': 613639, 'have massive sale': 381448, 'massive sale now': 520095, 'sale now enough': 732374, 'now enough please': 574604, 'enough please vr': 277568, 'please vr technology': 660738, 'vr technology workfromhome': 960751, 'technology workfromhome everythingfromhome': 836399, 'workfromhome everythingfromhome virtualreality': 1008417, 'combined my': 187126, 'two great': 936944, 'great passion': 362875, 'passion camp': 643415, 'camp gilbert': 157180, 'gilbert and': 350100, 'and sullivan': 72676, 'sullivan musical': 817856, 'musical and': 546358, 'combined my two': 187127, 'my two great': 550450, 'two great passion': 936945, 'great passion camp': 362876, 'passion camp gilbert': 643416, 'camp gilbert and': 157181, 'gilbert and sullivan': 350101, 'and sullivan musical': 72677, 'sullivan musical and': 817857, 'musical and consumer': 546359, 'affair is where': 34060, 'is where you': 453931, 'll find lot': 496768, 'find lot more': 307039, 'lot more advice': 504101, 'more advice about': 538557, 'right and disruption': 721752, 'cautionary': 168189, 'employee continue': 273730, 'work employer': 1005093, 'taking cautionary': 833304, 'cautionary measure': 168190, 'providing financial': 686992, 'financial benefit': 306337, 'store employee continue': 807471, 'employee continue to': 273731, 'to work employer': 918715, 'work employer are': 1005094, 'employer are attempting': 274487, 'protect worker by': 685042, 'worker by taking': 1006573, 'by taking cautionary': 154204, 'taking cautionary measure': 833305, 'cautionary measure and': 168191, 'measure and providing': 525104, 'and providing financial': 69710, 'providing financial benefit': 686993, 'expected more': 290914, 'more ethical': 539153, 'ethical response': 283086, 'from air': 334423, 'canada especially': 160423, 'especially given': 280492, 'that air': 842530, 'and competitor': 60222, 'competitor will': 191796, 'be relying': 116772, 'consumer loyalty': 198080, 'industry once': 436029, 'expected more ethical': 290915, 'more ethical response': 539154, 'ethical response from': 283087, 'response from air': 715692, 'from air canada': 334424, 'air canada especially': 39696, 'canada especially given': 160424, 'especially given that': 280493, 'given that air': 351121, 'that air canada': 842531, 'air canada and': 39695, 'canada and competitor': 160356, 'and competitor will': 60223, 'competitor will be': 191797, 'will be relying': 992641, 'be relying on': 116773, 'on consumer loyalty': 600061, 'consumer loyalty to': 198081, 'loyalty to ensure': 506300, 'ensure the survival': 278092, 'the industry once': 858183, 'industry once covid': 436030, 'been customer': 120911, 'you am': 1016955, 'concern consider': 192949, 'your staff public': 1025917, 'staff public have': 792783, 'public have been': 688053, 'have been customer': 379500, 'been customer for': 120912, 'customer for long': 222387, 'time but can': 896415, 'my food online': 548385, 'food online from': 315622, 'online from you': 608277, 'from you am': 338453, 'you am disappointed': 1016956, 'of concern consider': 581639, 'concern consider shopping': 192950, 'consider shopping elsewhere': 195101, 'myriam': 550805, 'splurge': 789675, 'masturbatory': 520247, 'myriam waiting': 550806, 'for ei': 320978, 'to kick': 908908, 'to splurge': 915024, 'splurge on': 789676, 'on masturbatory': 602055, 'masturbatory aid': 520248, 'maybe some': 521804, 'myriam waiting for': 550807, 'waiting for ei': 964315, 'for ei to': 320979, 'ei to kick': 270167, 'to kick in': 908909, 'kick in just': 473790, 'just to splurge': 470108, 'to splurge on': 915025, 'splurge on masturbatory': 789677, 'on masturbatory aid': 602056, 'masturbatory aid and': 520249, 'aid and then': 39357, 'and then maybe': 73781, 'then maybe some': 877334, 'maybe some food': 521805, 'before cut': 122728, 'cut promo': 223512, 'promo on': 683762, 'fucking irresponsible': 339917, 'irresponsible old': 445065, 'old at': 598153, 'wa only matter': 962858, 'time before cut': 896378, 'before cut promo': 122729, 'cut promo on': 223513, 'promo on fucking': 683763, 'on fucking irresponsible': 601044, 'fucking irresponsible old': 339918, 'irresponsible old at': 445066, 'old at the': 598154, 'community bulletin': 189761, 'bulletin from': 142438, 'from countdown': 335040, 'community bulletin from': 189762, 'bulletin from countdown': 142439, 'from countdown supermarket': 335041, 'countdown supermarket 19': 210174, 'yesterday thanked': 1015877, 'lovely employee': 504959, 'said these': 731467, 'accept tip': 28004, 'yesterday thanked the': 1015878, 'the lovely employee': 859770, 'lovely employee for': 504960, 'employee for her': 273864, 'surprised said these': 828602, 'said these people': 731468, 'people are essential': 646965, 'essential and do': 280777, 'not accept tip': 568022, 'accept tip please': 28005, 'please thank everyone': 660657, 'thank everyone at': 841558, 'everyone at any': 286713, 'very moment': 955352, 'moment stockpile': 536051, 'warehouse waiting': 966800, 'fda inspector': 300875, 'inspector to': 439787, 'them adding': 875316, 'adding govt': 31676, 'cause inefficiency': 167610, 'inefficiency they': 436304, 'this very moment': 890963, 'very moment stockpile': 955353, 'moment stockpile of': 536052, 'stockpile of mask': 803784, 'sanitizer and other': 734425, 'other supply are': 621035, 'supply are sitting': 824794, 'sitting in warehouse': 772125, 'in warehouse waiting': 430687, 'warehouse waiting for': 966801, 'waiting for fda': 964316, 'for fda inspector': 321424, 'fda inspector to': 300876, 'inspector to get': 439788, 'get around to': 346606, 'to them adding': 917286, 'them adding govt': 875317, 'adding govt to': 31677, 'govt to anything': 361306, 'to anything just': 900636, 'anything just cause': 80811, 'just cause inefficiency': 468448, 'cause inefficiency they': 167611, 'inefficiency they don': 436305, 'care about you': 163810, 'middle he': 530657, 'money possible': 536978, 'people are marking': 647020, 'are marking up': 88046, 'marking up the': 517924, 'the middle he': 860569, 'middle he said': 530658, 'he said people': 385372, 'make much money': 510210, 'much money possible': 545089, 'toiletpaper panic': 922306, 'panic out': 638381, 'paper blue': 639947, 'blue 00': 133430, 'toiletpaper panic out': 922307, 'panic out of': 638382, 'toilet paper blue': 921205, 'paper blue 00': 639948, 'hellscape': 389261, 'aisle apocalyptic': 40202, 'apocalyptic hellscape': 81598, 'hellscape must': 389262, 'must wipe': 547003, 'with lettuce': 999204, 'store aisle apocalyptic': 806112, 'aisle apocalyptic hellscape': 40203, 'apocalyptic hellscape must': 81599, 'hellscape must wipe': 389263, 'must wipe with': 547004, 'wipe with lettuce': 996432, 'far imposed': 298810, 'imposed penalty': 419303, 'penalty on': 646445, '24 business': 15578, 'of kigali': 585633, 'kigali that': 474289, 'government of said': 360404, 'of said thursday': 589230, 'that it had': 844714, 'it had so': 458434, 'had so far': 373520, 'so far imposed': 777037, 'far imposed penalty': 298811, 'imposed penalty on': 419304, 'penalty on 24': 646446, 'on 24 business': 599071, '24 business in': 15579, 'city of kigali': 179282, 'of kigali that': 585634, 'kigali that have': 474290, 'that have inflated': 844216, 'inflated price price': 437062, 'price price of': 675993, 'clapforthenhs when': 180025, 'you clap': 1017960, 'nh tonight': 562146, 'tonight please': 924474, 'officer all': 595614, 'service carers': 752209, 'carers postman': 164608, 'postman refuse': 666734, 'country keeping': 210841, 'it running': 460819, 'running stayhomesavelives': 728079, 'clapforthenhs when you': 180026, 'when you clap': 984547, 'you clap for': 1017961, 'the nh tonight': 861769, 'nh tonight please': 562147, 'tonight please spare': 924475, 'thought for police': 893047, 'for police officer': 324604, 'police officer all': 663111, 'officer all the': 595615, 'other emergency service': 620132, 'emergency service carers': 272953, 'service carers postman': 752210, 'carers postman refuse': 164609, 'postman refuse collector': 666735, 'this country keeping': 886958, 'country keeping it': 210842, 'keeping it running': 472459, 'it running stayhomesavelives': 460820, 'running stayhomesavelives protectthenhs': 728080, '14 month': 3500, 'and steepest': 72338, 'steepest since': 799415, 'january 2015': 464623, 'march the first': 515485, 'the first decline': 855298, 'decline in 14': 231337, 'in 14 month': 419696, '14 month and': 3501, 'month and steepest': 537582, 'and steepest since': 72339, 'steepest since january': 799416, 'since january 2015': 770671, 'here full': 393033, 'here full list': 393034, 'item you should': 463874, 'should be panic': 765687, 'pilgrimage': 656565, 'for led': 322927, 'led economic': 485229, 'economic dip': 267064, 'dip crude': 243178, 'fall huge': 296928, 'expected after': 290871, 'arab world': 83842, 'economy shut': 268214, 'down mall': 256939, 'restaurant halted': 716494, 'halted flight': 374487, 'the umrah': 870327, 'umrah pilgrimage': 939258, 'bracing for led': 137503, 'for led economic': 322928, 'led economic dip': 485230, 'economic dip crude': 267065, 'dip crude price': 243179, 'crude price go': 219591, 'price go into': 674204, 'go into free': 353747, 'free fall huge': 331804, 'fall huge loss': 296929, 'loss are expected': 503643, 'are expected after': 86324, 'expected after the': 290872, 'after the arab': 36285, 'the arab world': 848846, 'arab world biggest': 83843, 'biggest economy shut': 130218, 'economy shut down': 268215, 'shut down mall': 767834, 'down mall and': 256940, 'and restaurant halted': 70380, 'restaurant halted flight': 716495, 'halted flight and': 374488, 'flight and suspended': 310424, 'and suspended the': 72911, 'suspended the umrah': 829634, 'the umrah pilgrimage': 870328, 'once think': 605746, 'forced by': 328563, 'complete your': 192191, 'are been': 84809, 'risk thanks': 723923, 'highlighting this': 396027, 'are social distancing': 90240, 'distancing and shopping': 246996, 'for once think': 324073, 'once think about': 605747, 'about the warehouse': 26556, 'the warehouse amp': 871080, 'warehouse amp delivery': 966674, 'delivery staff who': 234566, 'who are probably': 988196, 'are probably been': 89238, 'probably been forced': 679220, 'been forced by': 121172, 'forced by their': 328564, 'by their company': 154492, 'their company to': 872836, 'company to work': 191250, 'work on site': 1005541, 'on site to': 603490, 'site to complete': 772030, 'to complete your': 903142, 'complete your order': 192192, 'your order on': 1025105, 'order on time': 618460, 'on time they': 604712, 'they are been': 881210, 'are been put': 84810, 'put on high': 690718, 'on high risk': 601299, 'high risk thanks': 395373, 'risk thanks for': 723924, 'thanks for highlighting': 842062, 'for highlighting this': 322272, 'insistence': 439713, 'the congressional': 851455, 'congressional negotiation': 194563, 'negotiation continue': 556949, 'be slowed': 117220, 'by democrat': 152330, 'democrat insistence': 236725, 'insistence on': 439714, 'universal vote': 942379, 'mail democrat': 508605, 'rig election': 721712, 'election have': 271035, 'apparently the congressional': 82014, 'the congressional negotiation': 851456, 'congressional negotiation continue': 194564, 'negotiation continue to': 556950, 'to be slowed': 901547, 'be slowed down': 117221, 'slowed down by': 774491, 'down by democrat': 256598, 'by democrat insistence': 152331, 'democrat insistence on': 236726, 'insistence on universal': 439715, 'on universal vote': 604972, 'universal vote by': 942380, 'by mail democrat': 153123, 'mail democrat are': 508606, 'democrat are using': 236701, 'are using to': 91436, 'using to try': 950767, 'try to rig': 934659, 'to rig election': 913528, 'rig election have': 721713, 'election have they': 271036, 'have they no': 383091, 'they no shame': 882782, 'brutalizing': 141420, 'yeah think': 1014305, 'after carlson': 35458, 'carlson show': 164766, 'show reminds': 767107, 'the anecdote': 848737, 'anecdote of': 76269, 'lot afraid': 503973, 'inside because': 439231, '19 brutalizing': 5464, 'brutalizing people': 141421, 'who managed': 989260, 'alive this': 41840, 'is coward': 446869, 'yeah think you': 1014306, 're right after': 699397, 'right after carlson': 721737, 'after carlson show': 35459, 'carlson show reminds': 164767, 'show reminds me': 767108, 'of the anecdote': 590791, 'the anecdote of': 848738, 'anecdote of the': 76270, 'the old couple': 862132, 'old couple in': 598197, 'parking lot afraid': 642075, 'lot afraid to': 503974, 'go inside because': 353727, 'inside because of': 439232, 'covid 19 brutalizing': 212738, '19 brutalizing people': 5465, 'brutalizing people who': 141422, 'people who managed': 650318, 'who managed to': 989261, 'stay alive this': 796763, 'alive this long': 41841, 'this long is': 888704, 'long is coward': 501454, 'gazetted': 344768, 'government gazetted': 360121, 'gazetted regulation': 344769, 'against exploitative': 37436, 'exploitative pricing': 292400, 'complaint after government': 191935, 'after government gazetted': 35732, 'government gazetted regulation': 360122, 'gazetted regulation against': 344770, 'regulation against exploitative': 708041, 'against exploitative pricing': 37437, 'exploitative pricing in': 292401, 'pricing in light': 677937, 'complaint about rising': 191931, 'about rising price': 26109, 'food healthcare and': 314803, 'susie': 829457, 'it twas': 461887, 'easter and': 265377, 'fear were': 301425, 'house everyone': 406287, 'wa quarantined': 963022, 'mask over': 519092, 'mouth peter': 543550, 'peter wa': 653539, 'his bedroom': 397235, 'bedroom and': 120455, 'and susie': 72903, 'susie wa': 829458, 'the basement': 849299, 'basement while': 111793, 'while mommy': 987058, 'mommy and': 536179, 'and daddy': 60904, 'daddy worked': 224429, 'worked on': 1006130, 'toiletpaper replacement': 922408, 'replacement easter2020': 711611, 'it twas the': 461888, 'night before easter': 562967, 'before easter and': 122756, 'easter and fear': 265378, 'and fear were': 62744, 'fear were spreading': 301426, 'were spreading all': 980158, 'spreading all through': 790917, 'through the house': 894745, 'the house everyone': 857606, 'house everyone wa': 406288, 'everyone wa quarantined': 287542, 'wa quarantined with': 963023, 'quarantined with mask': 692893, 'with mask over': 999412, 'mask over their': 519093, 'their mouth peter': 874022, 'mouth peter wa': 543551, 'peter wa in': 653540, 'wa in his': 962369, 'in his bedroom': 423718, 'his bedroom and': 397236, 'bedroom and susie': 120456, 'and susie wa': 72904, 'susie wa in': 829459, 'in the basement': 429008, 'the basement while': 849300, 'basement while mommy': 111794, 'while mommy and': 987059, 'mommy and daddy': 536180, 'and daddy worked': 60905, 'daddy worked on': 224430, 'worked on toiletpaper': 1006131, 'on toiletpaper replacement': 604792, 'toiletpaper replacement easter2020': 922409, 'consumer 10': 195978, '10 best': 1336, 'today onlineselling': 919986, 'onlineselling onlinestore': 609870, 'onlinestore ecommerce': 609952, 'coronavirus consumer 10': 205675, 'consumer 10 best': 195979, '10 best selling': 1337, 'best selling product': 127895, 'selling product online': 749417, 'product online today': 681488, 'online today onlineselling': 609606, 'today onlineselling onlinestore': 919987, 'onlineselling onlinestore ecommerce': 609871, 'price could reach': 673292, 'military deployed': 531453, 'deployed street': 237462, 'street patrol': 813066, 'patrol sending': 644384, 'sending people': 750075, 'home logistics': 401549, 'from warehouse': 338291, 'support medic': 826645, 'medic there': 526007, 'ready trained': 700991, 'trained medical': 929299, 'medical support': 526467, 'support personnel': 826761, 'personnel at': 653085, 'your disposal': 1023525, 'disposal coronavir': 246280, 'sir it time': 771589, 'get the military': 348268, 'the military deployed': 860597, 'military deployed street': 531454, 'deployed street patrol': 237463, 'street patrol sending': 813067, 'patrol sending people': 644385, 'sending people home': 750076, 'people home logistics': 648284, 'home logistics from': 401550, 'logistics from warehouse': 500753, 'from warehouse to': 338292, 'warehouse to supermarket': 966796, 'to supermarket support': 915842, 'supermarket support medic': 823064, 'support medic there': 826646, 'medic there are': 526008, 'there are ten': 878172, 'are ten of': 90772, 'thousand of ready': 893459, 'of ready trained': 588781, 'ready trained medical': 700992, 'trained medical support': 929300, 'medical support personnel': 526468, 'support personnel at': 826762, 'personnel at your': 653086, 'at your disposal': 101672, 'your disposal coronavir': 1023526, 'now handing': 574858, 'police in australia': 663063, 'australia are now': 103228, 'are now handing': 88555, 'now handing out': 574859, 'supermarket we live': 823746, 'testing startup': 839647, 'everlywell is': 285625, 'start shipping': 794493, 'shipping at': 758826, 'test whenever': 839230, 'whenever the': 984678, 'consumer testing startup': 199259, 'testing startup everlywell': 839648, 'startup everlywell is': 795105, 'everlywell is ready': 285626, 'ready to start': 700978, 'to start shipping': 915223, 'start shipping at': 794494, 'shipping at home': 758827, '19 test whenever': 11087, 'test whenever the': 839231, 'whenever the fda': 984679, 'ncnu': 553335, 'beehivestate': 120571, 'utahn are': 951201, 'you noticing': 1020151, 'noticing gas': 573499, 'falling thanks': 297342, 'talking gas': 834017, 'with ncnu': 999684, 'ncnu check': 553336, 'article below': 94267, 'below story': 126735, 'will utah': 995292, 'utah gas': 951192, 'gallon gasprices': 343013, 'gasprices utah': 344304, 'utah beehivestate': 951187, 'utahn are you': 951202, 'are you noticing': 91826, 'you noticing gas': 1020152, 'noticing gas price': 573500, 'price falling thanks': 673817, 'falling thanks to': 297343, 'to the for': 916721, 'the for talking': 855672, 'for talking gas': 326149, 'talking gas price': 834018, 'price today with': 677072, 'today with ncnu': 920557, 'with ncnu check': 999685, 'ncnu check out': 553337, 'the article below': 848930, 'article below story': 94268, 'below story will': 126736, 'story will utah': 812159, 'will utah gas': 995293, 'utah gas price': 951193, 'per gallon gasprices': 650846, 'gallon gasprices utah': 343014, 'gasprices utah beehivestate': 344305, 'afloat due': 34949, 'volatility that': 960096, 'seriously affected': 751523, 'stay afloat due': 796747, 'afloat due to': 34950, 'of new product': 586980, 'and price volatility': 69484, 'price volatility that': 677326, 'volatility that followed': 960097, 'crisis ha seriously': 217447, 'ha seriously affected': 371865, 'seriously affected the': 751524, 'affected the future': 34444, 'future of company': 342391, 'announced million': 76993, 'funding sunday': 341617, 'bank keep': 109962, 'government announced million': 359886, 'announced million in': 76994, 'million in emergency': 532188, 'in emergency funding': 422545, 'emergency funding sunday': 272729, 'funding sunday to': 341618, 'sunday to help': 818285, 'help struggling food': 390597, 'food bank keep': 313592, 'bank keep up': 109963, 'small problem': 775075, 'problem supermarket': 679690, 'longer allowing': 501912, 'allowing any': 46266, 'more registration': 540203, 'registration for': 707680, 'collect there': 186334, 'weak link': 974027, 'for one small': 324092, 'one small problem': 607055, 'small problem supermarket': 775076, 'problem supermarket are': 679691, 'supermarket are no': 819172, 'no longer allowing': 564630, 'longer allowing any': 501913, 'allowing any more': 46267, 'any more registration': 79492, 'more registration for': 540204, 'registration for online': 707681, 'shopping or click': 763538, 'or click collect': 614739, 'click collect there': 181900, 'collect there no': 186335, 'there no choice': 878800, 'the shop the': 867031, 'shop the weak': 760908, 'the weak link': 871228, 'weak link to': 974028, 'link to spread': 493947, 'it expired': 457906, 'much ll': 545057, 'panic 19': 637242, 'these people get': 880439, 'people get caught': 648046, 'caught throwing away': 167468, 'throwing away food': 895084, 'away food because': 105839, 'food because it': 313706, 'because it expired': 119184, 'it expired and': 457907, 'expired and they': 292059, 'and they bought': 73893, 'too much ll': 924931, 'much ll find': 545058, 'stop buying due': 804532, 'to panic 19': 911378, 'far food': 298774, 'chain buckle': 170559, 'buckle covid': 141695, 'outbreak halt': 628282, 'east iowa': 265313, 'iowa pork': 444501, 'so far food': 777029, 'far food shortage': 298775, 'food shortage have': 316580, 'shortage have been': 764988, 'have been demand': 379508, 'been demand problem': 120950, 'demand problem hoarding': 236075, 'problem hoarding but': 679546, 'hoarding but what': 399236, 'supply chain buckle': 824920, 'chain buckle covid': 170560, 'buckle covid 19': 141696, '19 outbreak halt': 9131, 'outbreak halt production': 628283, 'halt production at': 374456, 'production at east': 681938, 'at east iowa': 98511, 'east iowa pork': 265314, 'iowa pork processing': 444502, 'benice ve': 127221, 'being ugly': 125993, 'ugly to': 938064, 'employee please': 274121, 'working incredibly': 1008739, 'incredibly hard': 433901, 'you happy': 1018999, 'they possibly': 882894, 'little pay': 495514, 'benice ve read': 127222, 've read lot': 953475, 'lot about people': 503967, 'people being ugly': 647271, 'being ugly to': 125994, 'ugly to grocery': 938065, 'store employee please': 807525, 'employee please be': 274122, 'nice to them': 562500, 're working incredibly': 699830, 'working incredibly hard': 1008740, 'incredibly hard to': 433902, 'keep you happy': 472239, 'you happy they': 1019000, 'happy they possibly': 377695, 'they possibly can': 882895, 'possibly can with': 665904, 'can with little': 160233, 'with little pay': 999261, 'little pay and': 495515, 'pay and long': 644734, 'and long hour': 66348, 'cut vat': 223621, 'aggressive cut': 38241, 'should significantly cut': 766474, 'significantly cut vat': 769564, 'cut vat to': 223622, 'vat to stimulate': 952741, 'particularly aggressive cut': 642661, 'aggressive cut from': 38242, 'cut from country': 223350, 'from country hit': 335043, 'country hit hardest': 210756, 'hardest by the': 378207, 'contempt': 200777, 'climate is': 182229, 'beneath contempt': 126867, 'any shopkeeper who': 79802, 'shopkeeper who is': 761204, 'who is selling': 989111, 'roll at extortionate': 725198, 'current climate is': 221129, 'climate is beneath': 182230, 'is beneath contempt': 446131, 'really creepy': 702090, 'creepy these': 216637, 'day coronakrise': 227486, 'is really creepy': 451294, 'really creepy these': 702091, 'creepy these day': 216638, 'these day coronakrise': 879868, 'salem dy': 732672, 'chain confirms': 170608, 'confirms in': 194234, 'statement two': 796225, 'just in market': 469039, 'in market basket': 425139, 'basket employee in': 112329, 'in salem dy': 427667, 'salem dy from': 732673, 'supermarket chain confirms': 819598, 'chain confirms in': 170609, 'confirms in statement': 194235, 'in statement two': 428254, 'statement two other': 796226, 'worker in quarantine': 1007195, 'in quarantine after': 427173, 'quarantine after being': 691996, 'diagnosed with virus': 240245, 'bhau': 129367, 'ashu bhau': 95136, 'bhau govt': 129368, 'govt put': 361247, 'put sanitizer': 690805, 'commodity company': 189149, 're expert': 698649, 'expert know': 291871, 'ashu bhau govt': 95137, 'bhau govt put': 129369, 'govt put sanitizer': 361248, 'put sanitizer and': 690806, 'sanitizer and related': 734432, 'related product in': 708519, 'product in essential': 681283, 'in essential commodity': 422604, 'essential commodity company': 280916, 'commodity company are': 189150, 'company are bound': 190415, 'bound to reduce': 136862, 'reduce price you': 705907, 'price you re': 677698, 'you re expert': 1020616, 're expert know': 698650, 'expert know it': 291872, 'know it better': 476520, 'it better 19': 456861, 'digressed': 242840, 'compliment': 192502, 'bountypapertowels': 136882, 'bored af': 135329, 'have digressed': 380279, 'digressed to': 242841, 'taking photo': 833502, 'of ugly': 592561, 'ugly paper': 938060, 'towel what': 927401, 'what decor': 981303, 'decor would': 231530, 'this ugly': 890892, 'ugly pattern': 938062, 'pattern compliment': 644457, 'compliment guess': 192503, 'guess should': 368032, 'paper too': 640978, 'too blessed': 924613, 'blessed bountypapertowels': 132616, 'bountypapertowels toiletpaper': 136883, 'bored af and': 135330, 'af and have': 33948, 'and have digressed': 64232, 'have digressed to': 380280, 'digressed to taking': 242842, 'to taking photo': 916273, 'taking photo of': 833503, 'photo of ugly': 655219, 'of ugly paper': 592562, 'ugly paper towel': 938061, 'paper towel what': 641020, 'towel what decor': 927402, 'what decor would': 981304, 'decor would this': 231531, 'would this ugly': 1012337, 'this ugly pattern': 890893, 'ugly pattern compliment': 938063, 'pattern compliment guess': 644458, 'compliment guess should': 192504, 'guess should be': 368033, 'be grateful have': 115084, 'grateful have paper': 362285, 'toilet paper too': 921503, 'paper too blessed': 640979, 'too blessed bountypapertowels': 924614, 'blessed bountypapertowels toiletpaper': 132617, 'bountypapertowels toiletpaper socialdistancing': 136884, 'multistores': 545845, 'we working': 973958, 'introduced multistores': 443436, 'multistores online': 545846, 'service delivering': 752273, 'delivering our': 233534, 'our merchandise': 623914, 'merchandise sa': 528981, 'and sa': 70691, 'sa purchase': 728923, 'purchase flattenthecurve': 689446, 'flattenthecurve of': 310181, 'we working hard': 973959, 'working hard for': 1008681, 'hard for the': 377921, 'customer and have': 222077, 'and have introduced': 64251, 'have introduced multistores': 381116, 'introduced multistores online': 443437, 'multistores online shopping': 545847, 'shopping service delivering': 763842, 'service delivering our': 752274, 'delivering our merchandise': 233535, 'our merchandise sa': 623915, 'merchandise sa and': 528982, 'sa and sa': 728866, 'and sa purchase': 70692, 'sa purchase flattenthecurve': 728924, 'purchase flattenthecurve of': 689447, 'flattenthecurve of corona': 310182, 'of corona stayhome': 581899, 'sanjivgoenka': 736568, 'excelent': 289057, 'terible': 838046, 'specialy': 788173, 'mrigendu': 544440, 'froms': 338509, 'retail sanjivgoenka': 718516, 'sanjivgoenka dear': 736569, 'dear spencer': 229879, 'spencer thank': 788541, 'store person': 809512, 'the excelent': 854665, 'excelent service': 289058, 'these terible': 880793, 'terible day': 838047, 'been observing': 121583, 'observing spike': 578659, 'in infected': 424086, 'infected case': 436552, '19 specialy': 10724, 'specialy the': 788174, 'manager mr': 512751, 'mr mrigendu': 544380, 'mrigendu team': 544441, 'team froms': 835647, 'retail sanjivgoenka dear': 718517, 'sanjivgoenka dear spencer': 736570, 'dear spencer thank': 229880, 'spencer thank your': 788542, 'thank your store': 841857, 'your store person': 1025984, 'store person and': 809513, 'person and the': 652309, 'and the excelent': 73356, 'the excelent service': 854666, 'excelent service provided': 289059, 'service provided in': 752722, 'provided in these': 686621, 'in these terible': 429863, 'these terible day': 880794, 'terible day we': 838048, 'have been observing': 379620, 'been observing spike': 121584, 'observing spike in': 578660, 'spike in infected': 789302, 'in infected case': 424087, 'infected case of': 436553, 'covid 19 specialy': 213840, '19 specialy the': 10725, 'specialy the manager': 788175, 'the manager mr': 859999, 'manager mr mrigendu': 512752, 'mr mrigendu team': 544381, 'mrigendu team froms': 544442, 'temp employee': 837324, 'not relate': 571291, 'beneficial to': 126885, 'work mad': 1005452, 'for more temp': 323598, 'more temp employee': 540531, 'temp employee now': 837325, 'ha said they': 371798, '2500 which is': 16040, 'which is apparently': 985983, 'is apparently only': 445786, 'apparently only 80': 81983, 'employee can not': 273709, 'can not relate': 159052, 'not relate again': 571292, 'more beneficial to': 538723, 'beneficial to not': 126886, 'not work mad': 572534, 'streetmodest': 813201, 'wall streetmodest': 965196, 'streetmodest decline': 813202, 'on wall streetmodest': 605096, 'wall streetmodest decline': 965197, 'streetmodest decline in': 813203, 'just publicly': 469504, 'publicly lost': 688589, 'gouging anything': 359256, 'anything antibacterial': 80687, 'just publicly lost': 469505, 'publicly lost it': 688590, 'lost it at': 503874, 'it at supermarket': 456626, 'at supermarket owner': 100757, 'kenya for price': 472903, 'price gouging anything': 674258, 'gouging anything antibacterial': 359257, 'anything antibacterial sanitizer': 80688, 'antibacterial sanitizer soap': 78373, 'sanitizer soap antibacterial': 735758, 'sociological': 781393, 'is influenced': 448910, 'by technological': 154223, 'advancement but': 32944, 'by environmental': 152498, 'environmental economic': 279188, 'and sociological': 71926, 'sociological factor': 781394, 'factor all': 295868, 'all three': 45202, 'evident with': 288425, 'behavior is influenced': 124101, 'is influenced by': 448911, 'influenced by technological': 437329, 'by technological advancement': 154224, 'technological advancement but': 836250, 'advancement but also': 32945, 'also by environmental': 47992, 'by environmental economic': 152499, 'environmental economic and': 279189, 'economic and sociological': 266988, 'and sociological factor': 71927, 'sociological factor all': 781395, 'factor all three': 295869, 'all three of': 45203, 'three of which': 894015, 'which are evident': 985679, 'are evident with': 86295, 'evident with the': 288426, 'today le': 919788, 'le ppl': 483085, 'ppl but': 668194, 'home realised': 401945, 'realised how': 701623, 'how anxious': 407374, 'anxious wa': 78876, 'how vulnerable': 409155, 'amp front': 53847, 'must feel': 546651, 'feel 19australia': 302542, 'supermarket today le': 823452, 'today le ppl': 919789, 'le ppl but': 483086, 'ppl but when': 668195, 'when got home': 983486, 'got home realised': 358616, 'home realised how': 401946, 'realised how anxious': 701624, 'how anxious wa': 407375, 'anxious wa after': 78877, 'wa after going': 961454, 'in public can': 427074, 'public can even': 687913, 'even imagine how': 284227, 'imagine how vulnerable': 416736, 'how vulnerable supermarket': 409156, 'vulnerable supermarket staff': 961189, 'staff amp front': 792115, 'amp front line': 53848, 'health worker must': 386986, 'worker must feel': 1007402, 'must feel 19australia': 546652, 'beyond bloody': 129143, 'bloody rude': 133229, 'hour day dealing': 405526, 'are beyond bloody': 84965, 'beyond bloody rude': 129144, 'bloody rude by': 133230, 'rude by time': 727035, 'by time get': 154546, 'supermarket there fuck': 823275, 'all left how': 43360, 'left how about': 485503, 'how about people': 407296, 'about people start': 25941, 'people start to': 649540, 'have little bit': 381347, 'little bit more': 495257, 'la it': 478177, 'official lockdown': 595849, 'supply before': 824847, 'shopping in la': 762976, 'in la it': 424564, 'la it the': 478178, 'the official lockdown': 862095, 'official lockdown of': 595850, 'lockdown of california': 499713, 'of california there': 581045, 'california there is': 155587, 'only limited amount': 610730, 'time people stocking': 897469, 'on supply before': 603819, 'supply before the': 824848, 'before the weekend': 123197, 'giant lidl': 349819, 'feed elderly': 302298, 'supermarket giant lidl': 820507, 'giant lidl to': 349820, 'lidl to donate': 488312, 'help feed elderly': 389693, 'feed elderly and': 302299, 'elderly and low': 270578, 'income family during': 432334, 'eastermassacre': 265562, 'buharitormentor': 141936, 'qatar that': 691504, 'be dis': 114470, 'dis via': 243799, 'via eastermassacre': 955939, 'eastermassacre hantavirus': 265563, 'hantavirus stimulusplan': 377037, 'stimulusplan tsunami': 801661, 'tsunami 21daylockdown': 934967, '21daylockdown buharitormentor': 15094, 'buharitormentor stimulusbill': 141937, 'stimulusbill qatar': 801629, 'qatar darksideofthering': 691481, 'darksideofthering lockdown21': 226020, 'opening of the': 612886, 'first supermarket in': 309043, 'in qatar that': 427162, 'qatar that doe': 691505, 'to be dis': 901206, 'be dis via': 114471, 'dis via eastermassacre': 243800, 'via eastermassacre hantavirus': 955940, 'eastermassacre hantavirus stimulusplan': 265564, 'hantavirus stimulusplan tsunami': 377038, 'stimulusplan tsunami 21daylockdown': 801662, 'tsunami 21daylockdown buharitormentor': 934968, '21daylockdown buharitormentor stimulusbill': 15095, 'buharitormentor stimulusbill qatar': 141938, 'stimulusbill qatar darksideofthering': 801630, 'qatar darksideofthering lockdown21': 691482, 'independant': 434061, 'have following': 380644, 'following question': 312829, 'question planning': 693696, 'buy independant': 148822, 'independant villa': 434062, 'villa in': 957324, 'hyderabad kindly': 411928, 'kindly suggest': 475169, 'suggest me': 817522, 'opinion wrt': 613523, 'wrt price': 1013237, 'decrease because': 231556, 'have following question': 380645, 'following question planning': 312830, 'question planning to': 693697, 'to buy independant': 902249, 'buy independant villa': 148823, 'independant villa in': 434063, 'villa in hyderabad': 957325, 'in hyderabad kindly': 423936, 'hyderabad kindly suggest': 411929, 'kindly suggest me': 475170, 'suggest me the': 817523, 'me the timing': 523663, 'the purchase what': 864920, 'purchase what your': 689726, 'what your opinion': 982717, 'your opinion wrt': 1025089, 'opinion wrt price': 613524, 'wrt price increase': 1013238, 'price increase decrease': 674769, 'increase decrease because': 432733, 'decrease because of': 231557, 'mobileapps': 535048, 'spent in': 789134, 'in apps': 420460, 'apps on': 83300, 'on android': 599383, 'android device': 76226, 'device increased': 239910, 'increased 20': 433170, '2020 while': 14718, 'both io': 135943, 'io and': 444422, 'and android': 58142, 'android apps': 76224, 'apps wa': 83328, 'also up': 49047, 'and respectively': 70341, 'respectively more': 715173, 'more finding': 539215, 'here mobileapps': 393346, 'mobileapps marketingstrategy': 535049, 'marketingstrategy mobile': 517780, 'just found that': 468773, 'found that daily': 330396, 'that daily time': 843431, 'daily time spent': 224839, 'time spent in': 897732, 'spent in apps': 789135, 'in apps on': 420461, 'apps on android': 83301, 'on android device': 599384, 'android device increased': 76227, 'device increased 20': 239911, 'increased 20 in': 433171, '20 in q1': 13105, 'q1 2020 while': 691399, '2020 while consumer': 14719, 'while consumer spending': 986707, 'spending in both': 788856, 'in both io': 420922, 'both io and': 135944, 'io and android': 444423, 'and android apps': 58143, 'android apps wa': 76225, 'apps wa also': 83329, 'wa also up': 961508, 'also up 15': 49048, 'up 15 and': 944120, '15 and respectively': 3668, 'and respectively more': 70342, 'respectively more finding': 715174, 'more finding here': 539216, 'finding here mobileapps': 307486, 'here mobileapps marketingstrategy': 393347, 'mobileapps marketingstrategy mobile': 535050, 'nationalguard': 552657, 'arizona call': 92829, 'store distribution': 807324, 'enforce buying': 276658, 'buying restriction': 150965, 'restriction strange': 717384, 'and troubling': 74469, 'troubling use': 932688, 'of potentially': 588289, 'potentially armed': 667184, 'force nationalguard': 328460, 'arizona call out': 92830, 'call out the': 156066, 'out the national': 627397, 'grocery store distribution': 365331, 'store distribution sound': 807325, 'distribution sound like': 248224, 'sound like they': 786306, 'going to enforce': 355587, 'to enforce buying': 905114, 'enforce buying restriction': 276659, 'buying restriction strange': 150966, 'restriction strange and': 717385, 'strange and troubling': 812378, 'and troubling use': 74470, 'troubling use of': 932689, 'use of potentially': 949422, 'of potentially armed': 588290, 'potentially armed force': 667185, 'armed force nationalguard': 92939, 'thefive': 872335, 'hey people': 394476, 'better from': 128292, 'that thefive': 846873, 'thefive stoppanicbuying': 872336, 'hey people are': 394477, 'getting better from': 348868, 'better from talk': 128293, 'about that thefive': 26325, 'that thefive stoppanicbuying': 846874, 'reminder with': 710615, 'liquidity we': 494161, 'pumped into': 689114, 'economy just': 268029, 'just since': 469808, 'began we': 123462, 'have canceled': 379881, 'canceled all': 160912, 'loan medical': 497474, 'debt all': 230407, 'reminder with the': 710616, 'with the liquidity': 1001371, 'the liquidity we': 859458, 'liquidity we ve': 494162, 'we ve pumped': 973698, 've pumped into': 953456, 'pumped into the': 689115, 'the economy just': 853989, 'economy just since': 268030, 'just since 19': 469809, 'since 19 began': 770414, '19 began we': 5349, 'began we could': 123463, 'could have canceled': 209244, 'have canceled all': 379882, 'canceled all consumer': 160913, 'consumer debt student': 197089, 'debt student loan': 230571, 'student loan personal': 814730, 'loan personal and': 497505, 'personal and auto': 652781, 'and auto loan': 58536, 'auto loan medical': 103892, 'loan medical debt': 497475, 'medical debt credit': 526124, 'debt credit card': 230460, 'card debt all': 163501, 'debt all of': 230408, 'sake australia': 731848, 'australia adult': 103216, 'adult we': 32860, 'with missing': 999525, 'missing meal': 534314, 'two over': 937119, 'starve stop': 795219, 'buying fasting': 150274, 'fasting is': 300178, 'goodness sake australia': 358060, 'sake australia adult': 731849, 'australia adult we': 103217, 'adult we can': 32861, 'do with missing': 250559, 'with missing meal': 999526, 'missing meal or': 534315, 'meal or two': 524234, 'or two over': 617569, 'two over the': 937120, 'few week none': 304156, 'none of are': 566591, 'to starve stop': 915248, 'starve stop panic': 795220, 'panic buying fasting': 637725, 'buying fasting is': 150275, 'fasting is good': 300179, 'you we have': 1022199, 'shopping for hand': 762680, 'hand sanitizers online': 375712, 'sanitizers online in': 736363, 'southwestern': 786928, 'eastern mo': 265587, 'mo and': 534850, 'and southwestern': 72030, 'southwestern il': 786929, 'il more': 416070, 'the is still': 858534, 'is still operating': 452299, 'still operating and': 800992, 'operating and here': 613055, 'and here to': 64535, 'here to meet': 393720, 'assistance in eastern': 96707, 'in eastern mo': 422469, 'eastern mo and': 265588, 'mo and southwestern': 534851, 'and southwestern il': 72031, 'southwestern il more': 786930, 'il more info': 416071, 'relief effort at': 709319, 'berlin notice': 127342, 'notice only': 573329, 'shopping in time': 762992, 'of corona in': 581891, 'corona in regular': 204010, 'in regular supermarket': 427360, 'regular supermarket in': 707881, 'in berlin notice': 420797, 'berlin notice only': 127343, 'notice only two': 573330, 'only two roll': 611396, 'crazy went': 215479, 'approach to fight': 82987, 'to fight is': 905795, 'fight is completely': 304784, 'is completely crazy': 446700, 'completely crazy went': 192247, 'crazy went shopping': 215480, 'went shopping last': 979108, 'week and there': 975939, 'other protective gear': 620787, 'shipper have': 758815, 'try alternative': 934432, 'alternative measure': 49239, 'measure like': 525252, 'like ocean': 490898, 'ocean freight': 579108, 'freight to': 332703, 'keep cost': 471428, 'cost down': 207908, 'but bc': 145262, 'demand shipping': 236193, 'by sea': 153898, 'sea ha': 743096, 'also grown': 48299, 'grown more': 367288, 'more cost': 538902, 'cost 20': 207824, 'mar even': 515007, 'tho volume': 891694, 'volume 50': 960114, 'feb bc': 301633, 'of supplychain': 590503, 'supplychain logistics': 826202, 'shipper have been': 758816, 'forced to try': 328666, 'to try alternative': 917811, 'try alternative measure': 934433, 'alternative measure like': 49240, 'measure like ocean': 525253, 'like ocean freight': 490899, 'ocean freight to': 579109, 'freight to keep': 332704, 'to keep cost': 908775, 'keep cost down': 471429, 'cost down but': 207909, 'down but bc': 256580, 'but bc of': 145263, 'bc of demand': 113260, 'of demand shipping': 582512, 'demand shipping by': 236194, 'shipping by sea': 758835, 'by sea ha': 153899, 'sea ha also': 743097, 'ha also grown': 369524, 'also grown more': 48300, 'grown more cost': 367289, 'more cost 20': 538903, 'cost 20 in': 207825, '20 in mar': 13104, 'in mar even': 425068, 'mar even tho': 515008, 'even tho volume': 284695, 'tho volume 50': 891695, 'volume 50 yoy': 960115, 'yoy in feb': 1026957, 'in feb bc': 422825, 'feb bc of': 301634, 'bc of supplychain': 113265, 'of supplychain logistics': 590504, 'is condom': 446729, 'condom co': 193600, 'any contact': 79058, 'in selfisolation': 427785, 'end away': 275788, 'to cheer': 902705, 'cheer yourself': 175127, 'up isolation': 945233, 'isolation isolating': 455321, 'thing that there': 884822, 'there is guaranteed': 878569, 'is guaranteed to': 448244, 'to be plenty': 901443, 'plenty of on': 660960, 'shelf is condom': 757234, 'is condom co': 446730, 'condom co we': 193601, 'co we cannot': 185004, 'we cannot have': 971065, 'cannot have any': 161946, 'have any contact': 379298, 'any contact with': 79059, 'with people wouldn': 1000182, 'people wouldn be': 650552, 'wouldn be bad': 1012438, 'be bad if': 113794, 'bad if you': 107897, 'are in selfisolation': 87435, 'in selfisolation you': 427786, 'selfisolation you can': 748511, 'get your end': 348699, 'your end away': 1023674, 'end away to': 275789, 'away to cheer': 106071, 'to cheer yourself': 902706, 'cheer yourself up': 175128, 'yourself up isolation': 1026738, 'up isolation isolating': 945234, 'wasn planning': 968009, 'find trump2020': 307357, 'trump2020 mask': 934008, 'mask certainly': 518525, 'certainly would': 170194, 'would masks4all': 1012031, 'masks4all maga': 519664, 'maga trump': 508298, 'wasn planning on': 968010, 'planning on wearing': 658570, 'on wearing mask': 605155, 'mask when go': 519534, 'grocery store however': 365475, 'however if could': 409391, 'if could find': 414007, 'could find trump2020': 209180, 'find trump2020 mask': 307358, 'trump2020 mask certainly': 934009, 'mask certainly would': 518526, 'certainly would masks4all': 170195, 'would masks4all maga': 1012032, 'masks4all maga trump': 519665, 'coo': 202708, 'mushtaque': 546280, 'coo mushtaque': 202709, 'mushtaque ahmed': 546281, 'ahmed discus': 39255, 'the wholesaler': 871519, 'wholesaler speedy': 990531, 'speedy reaction': 788499, 'facing service': 295584, 'still opportunity': 800997, 'opportunity within': 613754, 'coo mushtaque ahmed': 202710, 'mushtaque ahmed discus': 546282, 'ahmed discus the': 39256, 'discus the wholesaler': 244935, 'the wholesaler speedy': 871520, 'wholesaler speedy reaction': 990532, 'speedy reaction to': 788500, 'reaction to roll': 700221, 'roll out consumer': 725449, 'out consumer facing': 625880, 'consumer facing service': 197441, 'facing service and': 295585, 'service and why': 752117, 'and why there': 75635, 'there still opportunity': 879102, 'still opportunity within': 800998, 'opportunity within the': 613755, 'within the covid': 1002432, 'dangerous job': 225752, 'job supermarket': 466173, 'world most dangerous': 1009805, 'most dangerous job': 542236, 'dangerous job supermarket': 225753, 'job supermarket worker': 466174, 'supermarket worker stacking': 824085, 'worker stacking shelf': 1007802, 'stacking shelf and': 792039, 'shelf and working': 756778, 'working on counter': 1008800, 'drive cannabis': 259006, 'are lending': 87767, 'lending huge': 486283, 'huge hand': 410057, 'against cannabisindustry': 37354, 'cannabisindustry cannabisnews': 161470, 'sanitizer to running': 735945, 'to running food': 913679, 'running food drive': 727959, 'food drive cannabis': 314286, 'drive cannabis company': 259007, 'company are lending': 190432, 'are lending huge': 87768, 'lending huge hand': 486284, 'huge hand in': 410058, 'fight against cannabisindustry': 304609, 'against cannabisindustry cannabisnews': 37355, 'prolonging': 683641, 'ketua': 473193, 'keluarga': 472744, 'eg number': 269717, 'number 100': 576803, 'to 199': 899562, 'am sharp': 50384, 'sharp then': 755709, 'then number': 877364, 'number 200': 576809, '200 to': 13552, '299 to': 16530, 'consider prolonging': 195074, 'prolonging biz': 683642, 'continue with': 201291, 'crowd all': 219114, 'the ketua': 858749, 'ketua keluarga': 473194, 'keluarga will': 472745, 'also catch': 48010, 'eg number 100': 269718, 'number 100 to': 576804, '100 to 199': 2099, 'to 199 to': 899563, '199 to enter': 12476, 'at 10 am': 97401, '10 am sharp': 1304, 'am sharp then': 50385, 'sharp then number': 755710, 'then number 200': 877365, 'number 200 to': 576810, '200 to 299': 13553, 'to 299 to': 899659, '299 to enter': 16531, 'to enter at': 905212, 'enter at 11': 278234, 'at 11 am': 97439, '11 am supermarket': 2487, 'am supermarket can': 50452, 'supermarket can consider': 819499, 'can consider prolonging': 157961, 'consider prolonging biz': 195075, 'prolonging biz hour': 683643, 'biz hour to': 131940, 'hour to cater': 406016, 'cater to everyone': 167246, 'to everyone if': 905342, 'if we continue': 415273, 'we continue with': 971187, 'continue with this': 201292, 'with this crowd': 1001689, 'this crowd all': 887124, 'crowd all the': 219115, 'all the ketua': 44802, 'the ketua keluarga': 858750, 'ketua keluarga will': 473195, 'keluarga will also': 472746, 'will also catch': 992252, 'also catch covid': 48011, 'clotted': 184298, 'of finally': 583523, 'finally finding': 305988, 'made cherry': 507683, 'cherry scone': 175541, 'scone with': 742305, 'with clotted': 997676, 'clotted cream': 184299, 'and jam': 65642, 'jam eaten': 464356, 'eaten in': 266131, 'sunshine stayhomesavelives': 818439, 'celebration of finally': 168855, 'of finally finding': 583524, 'finally finding flour': 305989, 'finding flour in': 307468, 'supermarket home made': 820780, 'home made cherry': 401565, 'made cherry scone': 507684, 'cherry scone with': 175542, 'scone with clotted': 742306, 'with clotted cream': 997677, 'clotted cream and': 184300, 'cream and jam': 215525, 'and jam eaten': 65643, 'jam eaten in': 464357, 'eaten in the': 266132, 'the sunshine stayhomesavelives': 868422, 'waste from': 968126, 'avalanche of food': 104722, 'food waste from': 317481, 'waste from panic': 968127, 'grocery toiletpaperpanic': 366071, 'toiletpapercrisis pandemia': 923049, 'pandemia pandemic': 634748, 'people these day': 649811, 'day when buying': 228719, 'buying grocery toiletpaperpanic': 150418, 'grocery toiletpaperpanic toiletpaperapocalypse': 366072, 'toiletpaper toiletpapercrisis pandemia': 922659, 'toiletpapercrisis pandemia pandemic': 923050, 'postal carrier': 666435, 'carrier truck': 165033, 'business giving': 143787, 'those washing': 892601, 'those social': 892478, 'those showing': 892470, 'nation thank': 552326, 'frontlines to postal': 338930, 'to postal carrier': 911921, 'postal carrier truck': 666436, 'carrier truck driver': 165034, 'employee to those': 274338, 'to those staying': 917525, 'those staying home': 892485, 'home to the': 402344, 'to the business': 916535, 'the business giving': 850167, 'business giving back': 143788, 'back to those': 107401, 'to those washing': 917531, 'those washing their': 892602, 'hand to those': 375877, 'to those social': 917524, 'those social distancing': 892479, 'distancing to those': 247572, 'to those showing': 917522, 'those showing the': 892471, 'showing the best': 767522, 'best of our': 127796, 'our nation thank': 623985, 'nation thank you': 552327, 'job today': 466235, 'ig you': 415674, 'wa working at': 963728, 'my job today': 548933, 'job today grocery': 466236, 'and lady walked': 65929, 'lady walked by': 478862, 'by my line': 153284, 'she wa okay': 756421, 'wa okay and': 962816, 'inside ig you': 439286, 'ig you are': 415675, 'russian have': 728648, 'been applying': 120668, 'mortgage in': 541916, 'greater number': 363205, 'soon increase': 785748, 'russian have been': 728649, 'have been applying': 379465, 'been applying for': 120669, 'applying for consumer': 82635, 'credit and mortgage': 216308, 'and mortgage in': 67254, 'mortgage in greater': 541917, 'in greater number': 423418, 'greater number due': 363206, 'to fear that': 905701, 'fear that price': 301367, 'that price and': 845821, 'and rate will': 69945, 'rate will soon': 697420, 'will soon increase': 994897, 'informedsecurity': 438143, 'consumeralert phishing': 199596, 'scam reported': 740334, 'wisconsin informedsecurity': 996622, 'consumeralert phishing scam': 199597, 'phishing scam reported': 654835, 'scam reported by': 740335, 'reported by state': 712467, 'by state of': 154103, 'state of wisconsin': 795826, 'of wisconsin informedsecurity': 593201, 'note beware': 572706, 'note beware of': 572707, 'differentbydesign': 242137, 'medident': 526934, 'ceo omg': 169794, 'in laughter': 424621, 'laughter over': 481846, 'toiletpaper comment': 921868, 'comment best': 188395, 'best ceo': 127622, 'ceo nbdr': 169762, 'nbdr wegotthis': 553254, 'wegotthis differentbydesign': 977652, 'differentbydesign 19': 242138, 'stayhome medident': 798044, 'medident natural': 526935, 'ceo omg just': 169795, 'omg just broke': 598904, 'just broke out': 468373, 'out in laughter': 626382, 'in laughter over': 424622, 'laughter over your': 481847, 'over your toiletpaper': 630974, 'your toiletpaper comment': 1026179, 'toiletpaper comment best': 921869, 'comment best ceo': 188396, 'best ceo nbdr': 127623, 'ceo nbdr wegotthis': 169763, 'nbdr wegotthis differentbydesign': 553255, 'wegotthis differentbydesign 19': 977653, 'differentbydesign 19 stayhome': 242139, '19 stayhome medident': 10828, 'stayhome medident natural': 798045, 'modi there': 535489, 'thing india': 884450, 'pm modi there': 661945, 'modi there is': 535490, 'about the most': 26456, 'important thing india': 419030, 'thing india ha': 884451, 'ha enough of': 370499, 'enough of everything': 277543, 'bank support': 110218, 'support simply': 826816, 'other canadian': 619927, 'individual and family': 435129, 'and family that': 62673, 'family that food': 298293, 'food bank support': 313651, 'bank support simply': 110219, 'support simply can': 826817, 'simply can afford': 770194, 'stock up other': 803106, 'up other canadian': 945696, 'other canadian are': 619928, 'canadian are doing': 160635, 'neil': 557301, 'bradley': 137541, 'sanitizer respirator': 735656, 'ventilator if': 954571, 'stop listening': 804815, 'to neil': 910542, 'neil bradley': 557302, 'bradley and': 137542, 'act who': 29824, 'let lobbying': 486876, 'lobbying group': 497597, 'group dictate': 366664, 'dictate policy': 240502, 'people du': 647733, 'can have hand': 158578, 'hand sanitizer respirator': 375567, 'sanitizer respirator and': 735657, 'respirator and ventilator': 715192, 'and ventilator if': 74919, 'ventilator if he': 954572, 'if he would': 414221, 'he would stop': 385703, 'would stop listening': 1012280, 'stop listening to': 804816, 'listening to neil': 494809, 'to neil bradley': 910543, 'neil bradley and': 557303, 'bradley and enforce': 137543, 'and enforce the': 62131, 'enforce the defense': 276689, 'production act who': 681901, 'act who let': 29825, 'who let lobbying': 989197, 'let lobbying group': 486877, 'lobbying group dictate': 497598, 'group dictate policy': 366665, 'dictate policy that': 240503, 'will kill people': 993921, 'kill people du': 474474, 'hmm worker': 398706, 'antonio grocery': 78613, 'my evening': 548114, 'evening news': 284885, 'hmm worker in': 398707, 'worker in san': 1007199, 'san antonio grocery': 733519, 'antonio grocery store': 78614, 'on my evening': 602279, 'my evening news': 548115, 'poppy': 664525, 'forwood': 330062, 'giant queue': 349849, 'queue by': 693902, 'by poppy': 153615, 'poppy forwood': 664526, 'forwood age': 330063, 'age one': 37881, 'big giant': 129801, 'take will': 832801, 'there oh': 878889, 'oh for': 596380, 'sake written': 731880, 'written while': 1012980, 'the giant queue': 856259, 'giant queue by': 349850, 'queue by poppy': 693903, 'by poppy forwood': 153616, 'poppy forwood age': 664527, 'forwood age one': 330064, 'age one big': 37882, 'one big giant': 606001, 'big giant queue': 129802, 'giant queue how': 349851, 'queue how long': 693950, 'it take will': 461434, 'take will we': 832802, 'we ever get': 971486, 'ever get there': 285320, 'get there oh': 348384, 'there oh for': 878890, 'oh for goodness': 596381, 'goodness sake written': 358065, 'sake written while': 731881, 'written while queuing': 1012981, 'while queuing at': 987196, 'supermarket really love': 822170, 'really love it': 702395, 'love it 19': 504709, '2004': 13614, 'riled': 722500, 'spear 2004': 787819, '2004 hit': 13615, 'hit toxic': 398484, 'toxic is': 927647, 'among number': 53029, 'of song': 589931, 'been struck': 122074, 'struck off': 814270, 'playlist in': 659482, 'pandemic why': 636996, 'stop from': 804671, 'getting riled': 349244, 'riled up': 722501, 'britney spear 2004': 140637, 'spear 2004 hit': 787820, '2004 hit toxic': 13616, 'hit toxic is': 398485, 'toxic is among': 927648, 'is among number': 445625, 'among number of': 53030, 'number of song': 576996, 'of song that': 589932, 'song that have': 785522, 'have been struck': 379699, 'been struck off': 122075, 'struck off supermarket': 814271, 'off supermarket playlist': 594206, 'supermarket playlist in': 822004, 'playlist in the': 659483, 'the pandemic why': 863157, 'pandemic why supermarket': 636997, 'why supermarket want': 991393, 'supermarket want to': 823727, 'to stop from': 915526, 'stop from getting': 804672, 'from getting riled': 335633, 'getting riled up': 349245, 'riled up in': 722502, 'with cancer': 997530, 'cancer during': 161248, 'coping with cancer': 203395, 'with cancer during': 997531, 'cancer during the': 161249, 'standing of': 793791, 'of line': 585870, 'grocery outside': 364822, 'creating public': 216052, 'hazard think': 384581, 'act people': 29738, 'standing close': 793757, 'line sneezing': 493407, 'standing of line': 793792, 'of line to': 585871, 'get grocery outside': 347166, 'grocery outside supermarket': 364823, 'outside supermarket put': 629574, 'supermarket put people': 822098, 'put people more': 690772, 'people more at': 648785, 'risk than being': 723917, 'than being in': 840400, 'being in and': 125291, 'are creating public': 85618, 'creating public health': 216053, 'public health hazard': 688069, 'health hazard think': 386483, 'hazard think before': 384582, 'you act people': 1016796, 'act people are': 29739, 'people are standing': 647084, 'are standing close': 90351, 'standing close in': 793758, 'close in line': 182670, 'in line sneezing': 424771, 'line sneezing on': 493408, 'sneezing on each': 776326, 'bummed': 142555, 'apple juice': 82334, 'juice left': 467751, 'out kinda': 626477, 'kinda big': 475036, 'big mad': 129863, 'big bummed': 129672, 'bummed just': 142556, 'just taking': 469950, 'taking shot': 833568, 'only have little': 610582, 'bit of apple': 131633, 'of apple juice': 580315, 'apple juice left': 82335, 'juice left the': 467752, 'wa out kinda': 962878, 'out kinda big': 626478, 'kinda big mad': 475038, 'big mad about': 129864, 'mad about it': 507517, 'about it kinda': 25583, 'it kinda big': 459277, 'kinda big bummed': 475037, 'big bummed just': 129673, 'bummed just taking': 142557, 'just taking shot': 469951, 'taking shot of': 833569, 'shot of it': 765432, 'it now to': 459968, 'now to ration': 576179, 'colossal': 186842, 'inevitably lead': 436428, 'to colossal': 902980, 'colossal food': 186843, 'waste european': 968111, 'urging shopper': 948449, '19 outbreak will': 9209, 'outbreak will inevitably': 628826, 'will inevitably lead': 993842, 'inevitably lead to': 436429, 'lead to colossal': 483331, 'to colossal food': 902981, 'colossal food waste': 186844, 'food waste european': 317478, 'waste european government': 968112, 'european government are': 283579, 'government are urging': 359906, 'are urging shopper': 91394, 'urging shopper to': 948450, 'shopper to be': 761757, 'considerate and stay': 195211, 'and stay calm': 72289, 'calm there will': 156816, 'everyone agrees': 286679, 'useful strategy': 950191, 'very social': 955556, 'social animal': 779435, 'animal what': 76685, 'animal will': 76687, 'become without': 120189, 'the socializing': 867437, 'everyone agrees that': 286680, 'agrees that social': 38821, 'that social distancing': 846367, 'distancing is useful': 247257, 'is useful strategy': 453624, 'useful strategy for': 950192, 'strategy for fighting': 812645, '19 but human': 5506, 'but human are': 145978, 'human are very': 410423, 'are very social': 91479, 'very social animal': 955557, 'social animal what': 779436, 'animal what kind': 76686, 'kind of animal': 474874, 'of animal will': 580215, 'animal will we': 76688, 'will we become': 995320, 'we become without': 970832, 'become without the': 120190, 'without the socializing': 1002979, 'reasses': 703166, 'so ohio': 777935, 'ohio is': 596543, '6th which': 21697, 'can reasses': 159393, 'reasses the': 703167, 'situation they': 772514, 'only travel': 611384, 'enforcement healthcare': 276771, 'healthcare etc': 387099, 'etc ohiolockdown': 282682, 'ohiolockdown pandemic': 596563, 'so ohio is': 777936, 'ohio is now': 596544, 'now on lockdown': 575427, 'on lockdown until': 601924, 'lockdown until at': 500098, 'least april 6th': 484395, 'april 6th which': 83516, '6th which then': 21698, 'which then they': 986389, 'they can reasses': 881666, 'can reasses the': 159394, 'reasses the situation': 703168, 'the situation they': 867279, 'situation they can': 772515, 'can only travel': 159139, 'only travel to': 611385, 'that is it': 844611, 'it only certain': 460093, 'only certain people': 610235, 'certain people can': 170071, 'to work like': 918750, 'work like law': 1005435, 'law enforcement healthcare': 482273, 'enforcement healthcare etc': 276772, 'healthcare etc ohiolockdown': 387100, 'etc ohiolockdown pandemic': 282683, 'blackout': 132208, 'not reply': 571318, 'then power': 877439, 'quarantined boom': 692830, 'boom blackout': 134799, 'blackout water': 132209, 'boom thirsty': 134824, 'thirsty requires': 886133, 'requires that': 713499, 'first seek': 308993, 'seek god': 746583, 'god wisdom': 354845, 'wisdom then': 996661, 'do god': 249346, 'god directs': 354682, 'directs do': 243702, 'is energy': 447498, 'energy drink': 276437, 'do not reply': 249822, 'not reply on': 571319, 'reply on your': 711746, 'your money you': 1024874, 'money you can': 537195, 'can buy all': 157811, 'buy all food': 148290, 'all food then': 42826, 'food then power': 317144, 'then power is': 877440, 'power is quarantined': 667633, 'is quarantined boom': 451169, 'quarantined boom blackout': 692831, 'boom blackout water': 134800, 'blackout water is': 132210, 'water is quarantined': 969044, 'quarantined boom thirsty': 692832, 'boom thirsty requires': 134825, 'thirsty requires that': 886134, 'requires that you': 713500, 'that you first': 847722, 'you first seek': 1018591, 'first seek god': 308994, 'seek god wisdom': 746584, 'god wisdom then': 354846, 'wisdom then do': 996662, 'then do god': 877127, 'do god directs': 249347, 'god directs do': 354683, 'directs do not': 243703, 'not stock food': 571730, 'stock food when': 802156, 'need is energy': 555065, 'is energy drink': 447499, 'fot': 330110, 'situation fot': 772279, 'fot worse': 330111, 'worse bcs': 1010876, 'situation encounter': 772254, 'encounter happens': 275529, 've never gone': 953385, 'supermarket after the': 818815, 'after the situation': 36353, 'the situation fot': 867256, 'situation fot worse': 772280, 'fot worse bcs': 330112, 'worse bcs of': 1010877, '19 believe the': 5366, 'believe the situation': 126366, 'the situation encounter': 867254, 'situation encounter happens': 772255, 'encounter happens in': 275530, 'happens in many': 377480, 'in many other': 425058, 'many other supermarket': 514443, 'other supermarket too': 621026, 'the coupled': 852207, 'worker once': 1007493, 'of the coupled': 590903, 'the coupled with': 852208, 'war between and': 966375, 'between and threatens': 128722, 'and threatens to': 74078, 'threatens to devastate': 893862, 'it worker once': 462521, 'worker once again': 1007494, 'weekend such': 977417, 'precaution are': 669283, 'particularly important': 642695, 'important coming': 418763, 'shop may': 760451, 'be busier': 113923, 'busier easter': 143167, 'easter easterathome': 265413, 'is helpful article': 448388, 'helpful article from': 391163, 'article from on': 94332, 'the weekend such': 871338, 'weekend such precaution': 977418, 'such precaution are': 816692, 'precaution are particularly': 669284, 'are particularly important': 88990, 'particularly important coming': 642696, 'important coming up': 418764, 'coming up to': 188263, 'to the easter': 916660, 'easter weekend when': 265526, 'weekend when shop': 977448, 'when shop may': 984016, 'shop may be': 760452, 'may be busier': 520953, 'be busier easter': 113924, 'busier easter easterathome': 143168, 'in asked': 420531, 'constituency hiking': 195727, 'good am': 356710, 'practice would': 668709, 'expect all': 290598, 'shop large': 760393, 'small to': 775156, 'be acting': 113476, 'yesterday in asked': 1015772, 'in asked about': 420532, 'my constituency hiking': 547792, 'constituency hiking price': 195728, 'essential good am': 281081, 'good am appalled': 356711, 'such practice would': 816690, 'practice would hope': 668710, 'would hope and': 1011932, 'hope and expect': 403418, 'and expect all': 62479, 'expect all shop': 290599, 'all shop large': 44318, 'shop large and': 760394, 'and small to': 71783, 'small to be': 775157, 'to be acting': 901091, 'be acting responsibly': 113477, 'houston wa': 407228, 'wa stocking': 963321, 'disinfecting overnight': 245866, 'overnight and': 631324, 'their youngest': 875259, 'youngest customer': 1022698, 'night that grocery': 563090, 'in houston wa': 423872, 'houston wa stocking': 407229, 'wa stocking and': 963322, 'stocking and disinfecting': 803542, 'and disinfecting overnight': 61462, 'disinfecting overnight and': 245867, 'overnight and opening': 631325, 'opening at to': 612804, 'at to only': 101330, 'only allow it': 610057, 'allow it customer': 45988, 'it customer over': 457452, 'over 65 to': 629895, '65 to buy': 21380, 'an hour before': 56078, 'to their youngest': 917283, 'their youngest customer': 875260, 'youngest customer think': 1022699, 'customer think it': 222942, 'hi not': 394714, 'hi not everyone': 394715, 'these five': 880016, 'from microbiologist': 336426, 'microbiologist can': 530452, 'and safeguard': 70725, 'your long': 1024738, 'health sanitizer': 386824, 'sanitizer healthcareheroes': 735072, 'these five tip': 880017, 'five tip from': 309675, 'tip from microbiologist': 898801, 'from microbiologist can': 336427, 'microbiologist can help': 530453, 'help protect your': 390381, 'home from coronavirus': 401259, 'coronavirus and safeguard': 205496, 'and safeguard your': 70726, 'safeguard your long': 730223, 'your long term': 1024739, 'long term health': 501689, 'term health sanitizer': 838165, 'health sanitizer healthcareheroes': 386825, 'writes our': 1012860, 'our watanabe': 625308, 'pandemic writes our': 637071, 'writes our watanabe': 1012861, 'school when': 741973, 'could give': 209212, 'give whoever': 350838, 'whoever wa': 990118, 'you around': 1017307, 'around buck': 93234, 'buck for': 141662, 'some gasprices': 782940, 'low since high': 505608, 'since high school': 770648, 'high school when': 395397, 'school when you': 741974, 'you could give': 1018089, 'could give whoever': 209213, 'give whoever wa': 350839, 'whoever wa driving': 990119, 'wa driving you': 962039, 'driving you around': 260042, 'you around buck': 1017308, 'around buck for': 93235, 'buck for gas': 141663, 'for gas and': 321842, 'gas and it': 343764, 'buy some gasprices': 149204, 'price family': 673821, 'meet end': 527484, 'some spiraling': 783919, 'spiraling further': 789437, 'debt your': 230617, 'help mean': 390086, 'left helpless': 485490, 'helpless amp': 391575, 'amp alone': 53375, 'of and rising': 580180, 'food price family': 315940, 'price family are': 673822, 'family are left': 297627, 'are left more': 87757, 'left more vulnerable': 485556, 'more vulnerable and': 540929, 'vulnerable and are': 960855, 'to meet end': 910022, 'meet end meet': 527485, 'end meet with': 275882, 'meet with some': 527655, 'with some spiraling': 1000867, 'some spiraling further': 783920, 'spiraling further into': 789438, 'further into debt': 342075, 'into debt your': 442507, 'debt your help': 230618, 'your help mean': 1024305, 'help mean that': 390087, 'mean that family': 524676, 'that family won': 843831, 'family won be': 298395, 'won be left': 1003745, 'be left helpless': 115695, 'left helpless amp': 485491, 'helpless amp alone': 391576, 'amp alone during': 53376, 'alone during this': 46848, 'hard time donate': 378031, 'announced tonight': 77107, 'tonight that': 924496, 'microsoft announced tonight': 530504, 'announced tonight that': 77108, 'tonight that it': 924497, 'close all microsoft': 182502, 'microsoft store retail': 530516, 'store retail location': 809872, 'retail location due': 718281, 'psa panic': 687420, 'rural county': 728235, 'psa panic buyer': 687421, 'panic buyer from': 637578, 'buyer from the': 149653, 'the city need': 850946, 'going to rural': 355695, 'to rural county': 913682, 'rural county and': 728236, 'county and buying': 211314, 'up everything we': 944822, 'food too and': 317332, 'too and you': 924583, 'you are bringing': 1017075, 'are bringing the': 85061, 'bringing the virus': 140203, 'virus with you': 959054, 'britain on': 140433, 'everyone apart': 286704, 'just carry': 468440, 'britain on lockdown': 140434, 'on lockdown everyone': 601911, 'lockdown everyone apart': 499351, 'everyone apart from': 286705, 'apart from nh': 81268, 'from nh and': 336580, 'worker getting help': 1007033, 'getting help wage': 349034, 'them but nh': 875497, 'but nh and': 146474, 'and supermarket just': 72725, 'supermarket just carry': 821223, 'just carry on': 468441, 'carry on normal': 165125, 'on normal life': 602431, 'and sad': 70695, 'including student': 432169, 'greedy sheep': 363598, 'sheep but': 756540, 'but read': 146891, 'in these crazy': 429836, 'these crazy and': 879823, 'crazy and sad': 215246, 'and sad day': 70696, 'panicbuying people including': 639026, 'people including student': 648463, 'including student must': 432170, 'student must remember': 814736, 'must remember to': 546855, 'selfish greedy sheep': 748113, 'greedy sheep but': 363599, 'sheep but read': 756541, 'but read this': 146892, 'protection customer': 685390, 'customer abuse': 222015, 'abuse rise': 27651, 'worker are asking': 1006369, 'asking for hazard': 95989, 'pay and greater': 644730, 'and greater protection': 63939, 'greater protection customer': 363219, 'protection customer abuse': 685391, 'customer abuse rise': 222016, 'abuse rise amid': 27652, 'seka': 747449, 'gayaza': 344723, 'folded': 312064, 'car you': 163362, 'out sticker': 627252, 'car of': 163191, 'is spotted': 452176, 'spotted near': 790205, 'near seka': 553579, 'seka supermarket': 747450, 'supermarket gayaza': 820483, 'gayaza road': 344724, 'road ad': 724389, 'ha folded': 370640, 'folded the': 312065, 'the sticker': 867884, 'the car you': 850393, 'car you see': 163363, 'you see below': 1021026, 'see below in': 744959, 'below in the': 126674, 'in the picture': 429454, 'the picture is': 863725, 'picture is selling': 656148, 'selling out sticker': 749391, 'out sticker for': 627253, 'sticker for 19': 800082, 'for 19 to': 318713, '19 to individual': 11434, 'to individual in': 908341, 'individual in public': 435200, 'public the car': 688358, 'the car of': 850383, 'car of is': 163192, 'of is spotted': 585329, 'is spotted near': 452177, 'spotted near seka': 790206, 'near seka supermarket': 553580, 'seka supermarket gayaza': 747451, 'supermarket gayaza road': 820484, 'gayaza road ad': 344725, 'road ad the': 724390, 'ad the guy': 31179, 'guy you see': 369245, 'see is from': 745318, 'the car he': 850378, 'car he ha': 163124, 'he ha folded': 385026, 'ha folded the': 370641, 'folded the sticker': 312066, 'from belgium': 334684, 'since 30': 770476, 'min ago': 532511, 'pharmacy post': 654423, 'office these': 595568, 'fine up': 307718, 'jail yesterday': 464293, 'amp vegetable': 54775, 'update from belgium': 946974, 'from belgium on': 334685, 'belgium on lockdown': 126180, 'on lockdown since': 601920, 'lockdown since 30': 499919, 'since 30 min': 770477, '30 min ago': 17114, 'min ago you': 532512, 'ago you re': 38562, 'you re only': 1020692, 're only allowed': 699196, 'out for animal': 626098, 'for animal food': 319358, 'animal food pharmacy': 76599, 'food pharmacy post': 315850, 'pharmacy post office': 654424, 'post office these': 666245, 'office these are': 595569, 'type of shop': 937585, 'of shop still': 589625, 'shop still open': 760841, 'open fine up': 612229, 'fine up to': 307719, 'in jail yesterday': 424339, 'jail yesterday all': 464294, 'yesterday all supermarket': 1015653, 'all supermarket were': 44557, 'of fruit amp': 583983, 'fruit amp vegetable': 339055, 'selfquarantinechallenge': 748585, 'pay do': 644833, 'retweet and': 720038, 'sign 19': 769079, 'selfquarantine selfquarantinechallenge': 748576, 'you agree that': 1016852, 'hazard pay do': 384563, 'pay do please': 644834, 'do please retweet': 249992, 'please retweet and': 660410, 'retweet and sign': 720039, 'and sign 19': 71654, 'sign 19 selfquarantine': 769080, '19 selfquarantine selfquarantinechallenge': 10404, 'zley': 1027651, 'antalya': 78219, 'ayan': 106323, 'frans': 331178, 'rkiye': 724240, 'nin': 563264, 'ald': 41237, 'tedbirleri': 836424, 'burada': 142723, 'dezenfektan': 240052, 'maskeyi': 519637, 'cretsiz': 216674, 'veriyorlar': 954816, 'arad': 83978, 'markette': 517878, 'var': 952509, 'diyor': 248794, 'cumalar': 220317, 'cumartesi': 220319, 'zley zz': 1027652, 'zz antalya': 1027933, 'antalya da': 78220, 'da ya': 224249, 'ya ayan': 1013966, 'ayan frans': 106324, 'frans rkiye': 331179, 'rkiye nin': 724241, 'nin ald': 563265, 'ald tedbirleri': 41238, 'tedbirleri yor': 836425, 'yor burada': 1016563, 'burada dezenfektan': 142724, 'dezenfektan ve': 240053, 've maskeyi': 953367, 'maskeyi cretsiz': 519638, 'cretsiz veriyorlar': 216675, 'veriyorlar arad': 954817, 'arad her': 83979, 'her ey': 392025, 'ey markette': 293989, 'markette var': 517879, 'var diyor': 952510, 'diyor hay': 248795, 'hay rl': 384513, 'rl cumalar': 724249, 'cumalar cumartesi': 220318, 'zley zz antalya': 1027653, 'zz antalya da': 1027934, 'antalya da ya': 78221, 'da ya ayan': 224250, 'ya ayan frans': 1013967, 'ayan frans rkiye': 106325, 'frans rkiye nin': 331180, 'rkiye nin ald': 724242, 'nin ald tedbirleri': 563266, 'ald tedbirleri yor': 41239, 'tedbirleri yor burada': 836426, 'yor burada dezenfektan': 1016564, 'burada dezenfektan ve': 142725, 'dezenfektan ve maskeyi': 240054, 've maskeyi cretsiz': 953368, 'maskeyi cretsiz veriyorlar': 519639, 'cretsiz veriyorlar arad': 216676, 'veriyorlar arad her': 954818, 'arad her ey': 83980, 'her ey markette': 392026, 'ey markette var': 293990, 'markette var diyor': 517880, 'var diyor hay': 952511, 'diyor hay rl': 248796, 'hay rl cumalar': 384514, 'rl cumalar cumartesi': 724250, 'paddock': 633795, '06 40': 985, '40 this': 18674, 'put ten': 690842, 'ten horse': 837782, 'horse out': 404223, 'their paddock': 874223, 'paddock social': 633796, 'problem popped': 679656, 'whole fucking': 990221, 'fucking world': 340058, 'shoulder there': 766704, 'there flaw': 878392, 'plan methinks': 658171, 'up at 06': 944420, 'at 06 40': 97382, '06 40 this': 986, '40 this morning': 18675, 'morning to put': 541517, 'to put ten': 912615, 'put ten horse': 690843, 'ten horse out': 837783, 'horse out into': 404224, 'out into their': 626432, 'into their paddock': 443199, 'their paddock social': 874224, 'paddock social distancing': 633797, 'distancing no problem': 247355, 'no problem popped': 565198, 'problem popped into': 679657, 'get essential the': 346953, 'essential the whole': 281665, 'the whole fucking': 871491, 'whole fucking world': 990222, 'fucking world on': 340059, 'world on my': 1009865, 'my shoulder there': 550073, 'shoulder there flaw': 766705, 'there flaw in': 878393, 'flaw in this': 310263, 'in this plan': 429998, 'this plan methinks': 889601, 'with chemical': 997614, 'chemical tested': 175388, 'surge for fish': 828168, 'tank product with': 834228, 'product with chemical': 681866, 'with chemical tested': 997615, 'chemical tested covid': 175389, 'text scam': 839936, 'scam offering': 740269, 'offering sanitizer': 595236, 'fall for this': 296918, 'for this text': 327073, 'this text scam': 890501, 'text scam offering': 839937, 'scam offering sanitizer': 740270, 'offering sanitizer or': 595237, '30k will': 17460, 'average value': 104907, 'uk home': 938448, 'standstill by': 793843, 'will tumble': 995249, 'tumble by': 935301, '13 by': 3193, '30k will be': 17461, 'will be wiped': 992773, 'be wiped off': 118109, 'off the average': 594230, 'the average value': 849108, 'average value of': 104908, 'value of uk': 952173, 'of uk home': 592570, 'uk home the': 938449, 'home the market': 402238, 'market is brought': 516619, 'is brought to': 446285, 'brought to standstill': 141206, 'to standstill by': 915176, 'standstill by the': 793844, 'by the economist': 154315, 'the economist predict': 853927, 'predict that price': 669578, 'price will tumble': 677594, 'will tumble by': 995250, 'tumble by 13': 935302, 'by 13 by': 151539, '13 by the': 3194, 'halloweenmovies': 374407, 'halloweenmovie': 374404, 'hadonfield': 373866, 'serialkiller': 751218, 'work michaelmyers': 1005470, 'michaelmyers halloweenmovies': 530274, 'halloweenmovies halloweenmovie': 374408, 'halloweenmovie halloween': 374405, 'halloween hadonfield': 374398, 'hadonfield serialkiller': 373867, 'serialkiller serialkiller': 751219, 'serialkiller socialdistancing': 751221, 'forget to use': 329337, 'disinfectant at work': 245623, 'at work michaelmyers': 101607, 'work michaelmyers halloweenmovies': 1005471, 'michaelmyers halloweenmovies halloweenmovie': 530275, 'halloweenmovies halloweenmovie halloween': 374409, 'halloweenmovie halloween hadonfield': 374406, 'halloween hadonfield serialkiller': 374399, 'hadonfield serialkiller serialkiller': 373868, 'serialkiller serialkiller socialdistancing': 751220, 'serialkiller socialdistancing shelterinplace': 751222, 'gouger if': 359219, 're coming down': 698439, 'coming down hard': 188032, 'hard on price': 377984, 'on price gouger': 602911, 'price gouger if': 674245, 'gouger if you': 359220, 'see anyone taking': 744934, 'anyone taking advantage': 80543, 'advantage by jacking': 32967, 'item we want': 463802, 'hear about it': 387871, '150b': 3956, 'wewillwin': 980806, 'news surfacing': 560844, 'surfacing of': 828101, 'china second': 176931, 'threat loom': 893673, 'loom country': 503087, 'stopped trade': 805771, 'trade of': 928529, 'their soil': 874752, 'soil china': 781570, 'china import': 176722, 'import 150b': 418609, '150b worth': 3957, 'supply stayhome': 825897, 'stayhome wewillwin': 798232, 'wewillwin ccp': 980807, 'news surfacing of': 560845, 'surfacing of food': 828102, 'buying in china': 150529, 'in china second': 421432, 'china second wave': 176932, 'wave of coronavirus': 969369, 'of coronavirus threat': 581969, 'coronavirus threat loom': 206934, 'threat loom country': 893674, 'loom country have': 503088, 'country have stopped': 210741, 'have stopped trade': 382794, 'stopped trade of': 805772, 'trade of food': 928530, 'fight covid19 pandemic': 304707, 'covid19 pandemic on': 214343, 'pandemic on their': 636095, 'on their soil': 604509, 'their soil china': 874753, 'soil china import': 781571, 'china import 150b': 176723, 'import 150b worth': 418610, '150b worth of': 3958, 'food supply stayhome': 316997, 'supply stayhome wewillwin': 825898, 'stayhome wewillwin ccp': 798233, 'pce': 645902, 'cannot beat': 161656, 'beat them': 118567, 'low travel': 505704, 'travel price': 930478, 'risk area': 723391, 'area contract': 91980, 'die pce': 241442, 'you cannot beat': 1017847, 'cannot beat them': 161657, 'beat them take': 118568, 'the low travel': 859788, 'low travel price': 505705, 'travel price right': 930479, 'now and go': 574034, 'go to high': 354319, 'to high risk': 907738, 'high risk area': 395346, 'risk area contract': 723392, 'area contract covid': 91981, 'and die pce': 61336, 'takeoutservice': 833200, 'restaurant charging': 716364, 'charging restaurant': 173514, 'for takeoutservice': 326137, 'takeoutservice time': 833201, 'an adjustment': 55123, 'your regularly': 1025552, 'scheduled menu': 741502, 'anybody else see': 80073, 'else see problem': 271870, 'problem with restaurant': 679757, 'with restaurant charging': 1000493, 'restaurant charging restaurant': 716365, 'charging restaurant price': 173515, 'restaurant price for': 716644, 'price for takeoutservice': 674054, 'for takeoutservice time': 326138, 'takeoutservice time for': 833202, 'for an adjustment': 319268, 'an adjustment to': 55124, 'adjustment to your': 32385, 'to your regularly': 919020, 'your regularly scheduled': 1025553, 'regularly scheduled menu': 707949, 'scheduled menu price': 741503, 'menu price please': 528900, 'price please and': 675880, 'doe digital': 251375, 'digital mobile': 242605, 'mobile first': 534968, 'consumer approach': 196272, 'approach help': 82949, 'help insurance': 389930, 'pandemic insurtech': 635743, 'doe digital mobile': 251376, 'digital mobile first': 242606, 'mobile first and': 534969, 'first and direct': 308498, 'to consumer approach': 903266, 'consumer approach help': 196273, 'approach help insurance': 82950, 'help insurance company': 389931, 'insurance company to': 440701, 'company to manage': 191233, 'the crisis due': 852369, 'to pandemic insurtech': 911369, 'syngentaproud': 831004, 'in canton': 421220, 'pharmacy syngentaproud': 654494, 'use in canton': 949273, 'in canton vaud': 421221, 'vaud hospital pharmacy': 952745, 'hospital pharmacy syngentaproud': 404562, 'it satellite': 460871, 'satellite television': 736934, 'television package': 836861, 'package just': 633318, 'after writing': 36589, 'writing to': 1012927, 'nothing sky': 573158, 'sky is putting': 773204, 'is putting up': 451165, 'of it satellite': 585441, 'it satellite television': 460872, 'satellite television package': 736935, 'television package just': 836862, 'package just day': 633319, 'just day after': 468553, 'day after writing': 227191, 'after writing to': 36590, 'writing to customer': 1012928, 'to customer telling': 903858, 'customer telling them': 222904, 'telling them it': 837273, 'them it wa': 875957, 'wa looking after': 962587, 'after them during': 36378, 'thanks for nothing': 842070, 'for nothing sky': 323942, 'buying carry': 150096, 'to rationing': 912770, 'reckon if this': 704564, 'panic buying carry': 637673, 'buying carry on': 150097, 'carry on we': 165129, 'on we should': 605137, 'go to rationing': 354347, 'to rationing food': 912771, 'rationing food item': 697813, 'actually need that': 30905, 'need that will': 555737, 'that will also': 847555, 'nohopeinsite': 566211, 'zmartbit': 1027661, 'losing hope': 503554, 'hope nomoney': 403551, 'nofood nohopeinsite': 566161, 'nohopeinsite zmartbit': 566212, 'zmartbit can': 1027662, 'help join': 389955, 'growing team': 367238, 'you zmartbit': 1022503, 'zmartbit workfromhome': 1027664, 'workfromhome sarscov2': 1008433, 'sarscov2 cryptocurrency': 736840, 'cryptocurrency entrepreneur': 219978, 'every day more': 285829, 'day more people': 227985, 'are losing hope': 87897, 'losing hope nomoney': 503555, 'hope nomoney nofood': 403552, 'nomoney nofood nohopeinsite': 566288, 'nofood nohopeinsite zmartbit': 566162, 'nohopeinsite zmartbit can': 566213, 'zmartbit can help': 1027663, 'can help join': 158628, 'help join the': 389956, 'join the fastest': 466857, 'fastest growing team': 300152, 'growing team that': 367239, 'team that here': 835790, 'that here to': 844322, 'here to support': 393730, 'support you zmartbit': 827011, 'you zmartbit workfromhome': 1022504, 'zmartbit workfromhome sarscov2': 1027665, 'workfromhome sarscov2 cryptocurrency': 1008434, 'sarscov2 cryptocurrency entrepreneur': 736841, 'retail amazon': 717802, 'amazon convid19': 50902, 'convid19 surge': 202608, 'shopping mean': 763267, 'mean amazon': 524358, 'retail amazon convid19': 717803, 'amazon convid19 surge': 50903, 'convid19 surge in': 202609, 'online shopping mean': 609185, 'shopping mean amazon': 763268, 'mean amazon is': 524359, 'amazon is adding': 50995, 'thoughtfully': 893360, 'votethemout': 960592, 'asshole simple': 96555, 'answer thoughtfully': 78124, 'thoughtfully give': 893361, 'give comforting': 350438, 'comforting response': 187907, 'response work': 715925, 'encounter think': 275539, 'great because': 362519, 'this moron': 889043, 'moron please': 541623, 'please votethemout': 660735, 'votethemout all': 960593, 'them fridaythoughts': 875743, 'fridaythoughts trumpmeltdown': 333369, 'he an asshole': 384740, 'an asshole simple': 55445, 'asshole simple question': 96556, 'simple question to': 770082, 'question to answer': 693776, 'to answer thoughtfully': 900590, 'answer thoughtfully give': 78125, 'thoughtfully give comforting': 893362, 'give comforting response': 350439, 'comforting response work': 187908, 'response work in': 715926, 'store people encounter': 809490, 'people encounter think': 647785, 'encounter think everything': 275540, 'everything is great': 287876, 'is great because': 448188, 'great because they': 362520, 'because they support': 119720, 'they support this': 883504, 'support this moron': 826926, 'this moron please': 889044, 'moron please votethemout': 541624, 'please votethemout all': 660736, 'votethemout all of': 960594, 'of them fridaythoughts': 591740, 'them fridaythoughts trumpmeltdown': 875744, 'messi': 529541, 'of outdoor': 587609, 'outdoor advertising': 628888, 'business outdoor': 144167, 'important element': 418791, 'team it': 835712, 'reach is': 699933, 'can remind': 159434, 'through other': 894609, 'other mean': 620512, 'mean messi': 524548, 'benefit of outdoor': 127048, 'of outdoor advertising': 587610, 'outdoor advertising for': 628889, 'advertising for your': 33230, 'your business outdoor': 1023072, 'business outdoor advertising': 144168, 'outdoor advertising is': 628890, 'advertising is an': 33237, 'an important element': 56197, 'important element of': 418792, 'element of the': 271345, 'the marketing team': 860190, 'marketing team it': 517724, 'team it ha': 835713, 'been shown to': 121957, 'shown to work': 767626, 'to work better': 918697, 'work better with': 1004943, 'better with other': 128610, 'with other medium': 999955, 'other medium it': 620531, 'medium it impact': 527157, 'it impact and': 458691, 'impact and reach': 417552, 'and reach is': 69967, 'reach is greater': 699934, 'is greater and': 448215, 'greater and it': 363137, 'it can remind': 457031, 'can remind the': 159435, 'remind the consumer': 710507, 'consumer of the': 198251, 'the message through': 860529, 'message through other': 529444, 'through other mean': 894610, 'other mean messi': 620513, 'superspreaders': 824325, 'madhuresorts': 508111, 'beefbiryani': 120566, 'boiled': 134053, 'namaaz': 551576, 'biryani': 131493, 'the peaceful': 863421, 'peaceful superspreaders': 646035, 'superspreaders are': 824326, 'at madhuresorts': 99659, 'madhuresorts agra': 508112, 'agra they': 38586, 'asking beefbiryani': 95947, 'beefbiryani they': 120567, 'eat boiled': 265865, 'boiled food': 134054, 'socialdistancing offering': 780567, 'offering namaaz': 595195, 'namaaz in': 551577, 'in congregation': 421654, 'congregation they': 194478, 'even threatened': 284725, 'leave quarantine': 484911, 'beef biryani': 120487, 'biryani is': 131494, 'not met': 570573, 'the peaceful superspreaders': 863422, 'peaceful superspreaders are': 646036, 'superspreaders are kept': 824327, 'are kept in': 87672, 'kept in quarantine': 473046, 'in quarantine at': 427175, 'quarantine at madhuresorts': 692042, 'at madhuresorts agra': 99660, 'madhuresorts agra they': 508113, 'agra they re': 38587, 're asking beefbiryani': 698310, 'asking beefbiryani they': 95948, 'beefbiryani they will': 120568, 'will not eat': 994212, 'not eat boiled': 569139, 'eat boiled food': 265866, 'boiled food no': 134055, 'food no socialdistancing': 315551, 'no socialdistancing offering': 565554, 'socialdistancing offering namaaz': 780568, 'offering namaaz in': 595196, 'namaaz in congregation': 551578, 'in congregation they': 421655, 'congregation they even': 194479, 'they even threatened': 882057, 'even threatened to': 284726, 'threatened to leave': 893790, 'to leave quarantine': 909158, 'leave quarantine if': 484912, 'quarantine if their': 692277, 'if their demand': 415054, 'their demand of': 873000, 'demand of beef': 235941, 'of beef biryani': 580610, 'beef biryani is': 120488, 'biryani is not': 131495, 'is not met': 450132, 'human top': 410647, 'chain earth': 170671, 'well hi': 978291, 'there sexy': 879034, 'human quick': 410592, 'quick buy': 694293, 'human top of': 410648, 'food chain earth': 313909, 'chain earth revolves': 170672, '19 well hi': 11985, 'well hi there': 978292, 'hi there sexy': 394752, 'there sexy human': 879035, 'sexy human quick': 754228, 'human quick buy': 410593, 'quick buy all': 694294, 'all the loo': 44816, 'loo roll looroll': 502188, 'neurotic': 557804, 'planet generally': 658404, 'generally are': 345521, 'not fooled': 569480, 'fooled by': 318322, 'hype little': 412267, 'precaution start': 669355, 'toiletry totally': 923449, 'totally neurotic': 926372, 'neurotic and': 557805, 'with the sweeping': 1001511, 'the sweeping the': 869055, 'sweeping the planet': 830208, 'the planet generally': 863801, 'planet generally are': 658405, 'generally are you': 345522, 'you not fooled': 1020121, 'not fooled by': 569481, 'fooled by the': 318323, 'by the hype': 154353, 'the hype little': 857788, 'hype little worried': 412268, 'little worried but': 495657, 'worried but taking': 1010551, 'but taking some': 147260, 'some precaution start': 783620, 'precaution start panicking': 669356, 'panicking and stocking': 639322, 'and stocking up': 72436, 'grocery and toiletry': 364265, 'and toiletry totally': 74254, 'toiletry totally neurotic': 923450, 'totally neurotic and': 926373, 'neurotic and we': 557806, 'proudnhs': 686089, 'the shielding': 866927, 'shielding text': 758201, 'message service': 529414, 'supermarket nearly': 821582, 'people signed': 649471, 'after launch': 35856, 'launch stayathome': 481947, 'stayathome proudnhs': 797582, 'the shielding text': 866928, 'shielding text message': 758202, 'text message service': 839915, 'message service to': 529415, 'safe from 19': 729688, 'from 19 now': 334211, '19 now includes': 8853, 'now includes an': 575024, 'includes an option': 431722, 'option for priority': 614037, 'for priority shopping': 324745, 'priority shopping slot': 678646, 'shopping slot at': 763901, 'slot at your': 774126, 'your supermarket nearly': 1026052, 'supermarket nearly 00': 821583, 'nearly 00 people': 553748, '00 people signed': 418, 'people signed up': 649472, 'up to use': 946444, 'use this service': 949733, 'this service le': 890052, 'service le than': 752553, '24 hour after': 15609, 'hour after launch': 405363, 'after launch stayathome': 35857, 'launch stayathome proudnhs': 481948, 'rebel toiletpapercrisis': 703273, 'paper rebel toiletpapercrisis': 640668, 'contactless card': 200355, 'card limit': 163571, 'limit ha': 492359, 'been raised': 121772, 'raised to': 696050, 'to 45': 899728, '45 immediately': 19101, 'contactless card limit': 200356, 'card limit ha': 163572, 'limit ha been': 492360, 'ha been raised': 369889, 'been raised to': 121773, 'raised to 45': 696051, 'to 45 immediately': 899729, 'at lifestyle': 99586, 'we shop thank': 973248, 'the great article': 856714, 'article by at': 94275, 'by at lifestyle': 151903, 'enticing': 278640, 'portraying': 665056, 'part blame': 642243, 'it enticing': 457833, 'enticing panic': 278641, 'by portraying': 153620, 'portraying pic': 665057, 'empty section': 275035, 'food whilst': 317603, 'whilst supermarket': 987689, 'is in part': 448798, 'in part blame': 426525, 'part blame it': 642244, 'blame it enticing': 132270, 'it enticing panic': 457834, 'enticing panic buying': 278642, 'buying by portraying': 150079, 'by portraying pic': 153621, 'portraying pic of': 665058, 'pic of empty': 655610, 'of empty section': 583092, 'empty section of': 275036, 'section of food': 744025, 'of food whilst': 583818, 'food whilst supermarket': 317604, 'whilst supermarket shelf': 987690, 'cleaner some': 180836, 'most undervalued': 542835, 'undervalued worker': 940962, 'worker consistently': 1006683, 'consistently let': 195499, 'by improving': 152874, 'improving their': 419600, 'respect they': 715071, 'deserve beyond': 238037, 'nh worker care': 562178, 'worker and cleaner': 1006279, 'and cleaner some': 59942, 'cleaner some of': 180837, 'the most undervalued': 861053, 'most undervalued worker': 542836, 'undervalued worker consistently': 940963, 'worker consistently let': 1006684, 'consistently let thank': 195500, 'let thank them': 487112, 'thank them properly': 841661, 'them properly by': 876189, 'properly by improving': 684174, 'by improving their': 152875, 'improving their pay': 419601, 'their pay and': 874257, 'pay and giving': 644729, 'giving them the': 351428, 'them the respect': 876393, 'the respect they': 865603, 'respect they deserve': 715072, 'they deserve beyond': 881893, 'deserve beyond the': 238038, 'beyond the outbreak': 129247, 'nutritional': 577747, 'continue meeting': 201062, 'dietary food': 241767, 'amp nutritional': 54206, 'nutritional supplement': 577748, 'supplement will': 824434, 'so specialised': 778256, 'specialised food': 788106, 'store continuing': 807161, 'follow strict': 312504, 'strict guideline': 813622, 'guideline re': 368459, 'ensure community': 277902, 'food store who': 316865, 'store who wish': 811311, 'wish to continue': 996836, 'to continue meeting': 903391, 'continue meeting the': 201063, 'demand for special': 235497, 'for special dietary': 325808, 'special dietary food': 787890, 'dietary food amp': 241768, 'food amp nutritional': 313141, 'amp nutritional supplement': 54207, 'nutritional supplement will': 577749, 'supplement will be': 824435, 'doing so specialised': 252659, 'so specialised food': 778257, 'specialised food store': 788107, 'food store continuing': 316846, 'store continuing to': 807162, 'continuing to follow': 201562, 'to follow strict': 906061, 'follow strict guideline': 312505, 'strict guideline re': 813623, 'guideline re social': 368460, 'distancing to ensure': 247561, 'to ensure community': 905145, 'ensure community amp': 277903, 'community amp staff': 189712, 'amp staff safety': 54554, 'bureau announces': 142772, 'announces guidance': 77261, 'on remittance': 603140, 'remittance transfer': 710662, 'transfer during': 929511, 'protection bureau announces': 685359, 'bureau announces guidance': 142773, 'announces guidance on': 77262, 'guidance on remittance': 368266, 'on remittance transfer': 603141, 'remittance transfer during': 710663, 'transfer during covid': 929512, 'warehouse operator': 966747, 'shown incredible': 767594, 'incredible determination': 433827, 'determination we': 239425, 'our farmer grocery': 623023, 'and warehouse operator': 75181, 'warehouse operator have': 966748, 'operator have shown': 613366, 'have shown incredible': 382536, 'shown incredible determination': 767595, 'incredible determination we': 433828, 'determination we fight': 239426, 'we fight the': 971548, 'keeping our shelf': 472507, 'stocked and putting': 803268, 'and putting food': 69834, 'our table during': 625066, 'table during these': 831467, 'supermarket young': 824207, 'young staff': 1022658, 'cashier reminded': 166592, 'reminded some': 710534, 'some men': 783282, 'remain meter': 709787, 'distance they': 246855, 're pissed': 699258, 'pissed for': 656967, 'sure thank': 827688, 'serve selflessly': 751938, 'selflessly in': 748540, 'supermarket courier': 819846, 'courier service': 211821, 'service public': 752743, 'transportation these': 930041, 'everyday frontier': 286564, 'in supermarket young': 428724, 'supermarket young staff': 824208, 'young staff at': 1022659, 'the cashier reminded': 850494, 'cashier reminded some': 166593, 'reminded some men': 710535, 'some men in': 783283, 'men in the': 528499, 'line to remain': 493493, 'to remain meter': 913166, 'remain meter distance': 709788, 'meter distance they': 529710, 'distance they re': 246857, 'they re pissed': 883093, 're pissed for': 699259, 'pissed for sure': 656968, 'for sure thank': 326077, 'sure thank for': 827689, 'thank for all': 841566, 'for all who': 319187, 'all who serve': 45462, 'who serve selflessly': 989596, 'serve selflessly in': 751939, 'selflessly in supermarket': 748541, 'in supermarket courier': 428581, 'supermarket courier service': 819847, 'courier service public': 211822, 'service public transportation': 752744, 'public transportation these': 688435, 'transportation these are': 930042, 'are the everyday': 90822, 'the everyday frontier': 854619, 'taking corona': 833315, 'corona lightly': 204035, 'lightly not': 489661, 'wrong people': 1013075, 'by prevention': 153650, 'prevention self': 671887, 'eliminate corona': 271445, 'corona have': 203980, 'is taking corona': 452537, 'taking corona lightly': 833316, 'corona lightly not': 204036, 'lightly not to': 489662, 'not to create': 572142, 'create panic it': 215717, 'panic it is': 638240, 'is wrong people': 454103, 'wrong people save': 1013076, 'people save your': 649347, 'family and life': 297593, 'and life by': 66138, 'life by prevention': 488545, 'by prevention self': 153651, 'prevention self quarantine': 671888, 'quarantine for 28': 692198, '28 day and': 16387, 'day and eliminate': 227260, 'and eliminate corona': 62007, 'eliminate corona have': 271446, 'corona have food': 203981, 'month at home': 537596, 'not leave house': 570347, 'leave house do': 484828, 'not allow anyone': 568136, 'allow anyone in': 45917, 'anyone in house': 80375, 'funny absolutely': 341696, 'absolutely hilarious': 27369, 'hilarious made': 396444, 'made toiletpaper': 508041, 'toiletpaper joke': 922150, 'joke get': 467088, 'because guy': 119089, 'guy look': 369075, 'how funny': 407902, 'funny am': 341698, 'so funny absolutely': 777148, 'funny absolutely hilarious': 341697, 'absolutely hilarious made': 27370, 'hilarious made toiletpaper': 396445, 'made toiletpaper joke': 508042, 'toiletpaper joke get': 922151, 'joke get it': 467089, 'it because guy': 456748, 'because guy look': 119090, 'guy look how': 369076, 'look how funny': 502408, 'how funny am': 407903, 'of business service': 580966, 'business service surplus': 144364, 'muma': 545985, 'oneday': 607543, 'iloveu': 416491, 'play group': 659156, 'now keeping': 575165, 'your my': 1024923, 'my special': 550180, 'special bunny': 787866, 'and mummy': 67324, 'mummy just': 546058, 'much happy': 544974, 'easter my': 265474, 'special baby': 787862, 'girl muma': 350271, 'muma love': 545986, 'love more': 504722, 'than know': 840826, 'know oneday': 476652, 'oneday iloveu': 607544, 'one day we': 606167, 'day we ll': 228679, 'go back in': 353345, 'the car we': 850392, 'car we ll': 163339, 'go to play': 354340, 'to play group': 911792, 'play group and': 659157, 'group and we': 366608, 'supermarket but for': 819445, 'for now keeping': 323975, 'now keeping you': 575166, 'keeping you safe': 472628, 'safe your my': 730171, 'your my special': 1024924, 'my special bunny': 550182, 'special bunny and': 787867, 'bunny and mummy': 142699, 'and mummy just': 67325, 'mummy just love': 546059, 'just love so': 469200, 'love so so': 504781, 'so so much': 778236, 'so much happy': 777785, 'much happy easter': 544975, 'happy easter my': 377609, 'easter my special': 265475, 'my special baby': 550181, 'special baby girl': 787863, 'baby girl muma': 106628, 'girl muma love': 350272, 'muma love more': 545987, 'love more than': 504723, 'more than know': 540638, 'than know oneday': 840827, 'know oneday iloveu': 476653, 'seagull in': 743167, 'spain have': 787300, 'they leaving': 882547, 'supermarket covod19': 819852, 'covod19 let': 214436, 'eat she': 266047, 'she 19': 755840, 'seagull in spain': 743168, 'in spain have': 428171, 'spain have run': 787301, 'the quarantine by': 864964, 'quarantine by and': 692070, 'by and they': 151853, 'and they follow': 73905, 'they follow people': 882127, 'follow people when': 312487, 'when they leaving': 984268, 'they leaving the': 882548, 'the supermarket covod19': 868541, 'supermarket covod19 let': 819853, 'covod19 let hope': 214437, 'not eat she': 569142, 'eat she 19': 266048, 'need whether': 556208, 'particularly medicine': 642706, 'medicine deputy': 526760, 'officer professor': 595701, 'professor paul': 682584, 'paul kelly': 644543, 'kelly 7news': 472714, 'coronavirus update the': 207000, 'update the prime': 947252, 'prime minister said': 678157, 'minister said yesterday': 533451, 'said yesterday about': 731600, 'yesterday about panic': 1015644, 'buying please do': 150909, 'you need whether': 1020058, 'need whether that': 556209, 'whether that food': 985575, 'food and particularly': 313302, 'and particularly medicine': 68731, 'particularly medicine deputy': 642707, 'medicine deputy chief': 526761, 'deputy chief medical': 237785, 'medical officer professor': 526279, 'officer professor paul': 595702, 'professor paul kelly': 682585, 'paul kelly 7news': 644544, 'some school': 783809, 'allowing delivery': 46276, 'only key': 610678, 'supermarket sector': 822351, 'key from': 473299, 'checkout stacking': 175008, 'shelf super': 757622, 'super crucial': 818491, 'crucial right': 219471, 'now transport': 576221, 'manager hr': 512727, 'hr etc': 409615, 'some school are': 783810, 'school are apparently': 741694, 'are apparently only': 84593, 'apparently only allowing': 81984, 'only allowing delivery': 610065, 'allowing delivery driver': 46277, 'driver the only': 259790, 'the only key': 862315, 'only key worker': 610679, 'the supermarket sector': 868786, 'supermarket sector the': 822353, 'sector the whole': 744353, 'whole supermarket supply': 990349, 'chain is key': 170838, 'is key from': 449186, 'key from those': 473300, 'from those on': 338028, 'those on checkout': 892284, 'on checkout stacking': 599896, 'checkout stacking shelf': 175009, 'stacking shelf super': 792044, 'shelf super crucial': 757623, 'super crucial right': 818492, 'crucial right now': 219472, 'right now transport': 722166, 'now transport manager': 576222, 'transport manager hr': 929905, 'manager hr etc': 512728, 'consumption why': 199965, 'why alcohol': 990724, 'why3 increased': 991621, 'increased symptom': 433483, 'alcohol consumption why': 40968, 'consumption why alcohol': 199966, 'why alcohol weakens': 990725, 'making why3 increased': 511489, 'why3 increased symptom': 991622, 'increased symptom of': 433484, 'gotta sing': 359100, 'sing out': 771089, 'your feeling': 1023850, 'feeling 19': 302958, 'when food and': 983437, 'stock so you': 802865, 'so you gotta': 778842, 'you gotta sing': 1018917, 'gotta sing out': 359101, 'sing out your': 771090, 'out your feeling': 627910, 'your feeling 19': 1023851, 'the incompetent': 858052, 'incompetent ubs': 432546, 'thanks in large': 842115, 'in large part': 424589, 'large part to': 479739, 'to the incompetent': 916801, 'the incompetent ubs': 858053, 'incompetent ubs now': 432547, 'no opening': 564998, 'pickup online': 655991, 'early were': 264751, 'and smiling': 71812, 'smiling share': 775778, 'share you': 755366, 'smile speak': 775736, 'under stressful': 940273, 'stressful circumstance': 813486, 'circumstance bekind': 178714, 'hubby is high': 409874, 'high risk no': 395365, 'risk no opening': 723709, 'no opening for': 564999, 'opening for pickup': 612836, 'for pickup online': 324550, 'pickup online order': 655992, 'order no grocery': 618414, 'no grocery delivery': 564378, 'grocery delivery so': 364453, 'delivery so got': 234554, 'so got up': 777195, 'up early were': 944772, 'early were at': 264752, 'were at the': 979356, 'when they opened': 984272, 'they opened the': 882839, 'opened the employee': 612759, 'hard and smiling': 377863, 'and smiling share': 71813, 'smiling share you': 775779, 'share you smile': 755367, 'you smile speak': 1021282, 'smile speak to': 775737, 'speak to them': 787721, 'are working under': 91726, 'working under stressful': 1009020, 'under stressful circumstance': 940274, 'stressful circumstance bekind': 813487, 'very famous': 955152, 'famous and': 298449, 'large music': 479715, 'hollywood just': 400460, 'announced we': 77113, 'insurance glad': 440739, 'got real for': 358809, 'real for me': 701178, 'me my place': 523196, 'my place of': 549782, 'place of work': 657608, 'of work very': 593268, 'work very famous': 1005968, 'very famous and': 955153, 'famous and large': 298450, 'and large music': 65954, 'large music retail': 479716, 'store in hollywood': 808313, 'in hollywood just': 423776, 'hollywood just announced': 400461, 'just announced we': 468197, 'announced we are': 77114, 'temporarily closing because': 837474, '19 we were': 11959, 'told to file': 923748, 'for unemployment insurance': 327437, 'unemployment insurance glad': 941232, 'insurance glad we': 440740, 'glad we are': 351541, 'this to flatten': 890734, 'amp prevent': 54326, 'option to be': 614116, 'to maintain amp': 909563, 'maintain amp prevent': 508934, 'amp prevent people': 54327, 'comfortable think': 187876, 'stophoarding posted': 805446, 'posted from': 666527, 'from best': 334690, 'ever tiktok': 285556, 'tiktok credit': 895899, 'credit naomi': 216436, 'tp is more': 927859, 'than two and': 841367, 'two and very': 936782, 'and very comfortable': 74935, 'very comfortable think': 955061, 'comfortable think 20': 187877, 'it stophoarding posted': 461276, 'stophoarding posted from': 805447, 'posted from best': 666528, 'from best quarantine': 334691, 'lesson ever tiktok': 486470, 'ever tiktok credit': 285557, 'tiktok credit naomi': 895900, 'credit naomi corson': 216437, 'king shit': 475298, 'right owning': 722219, 'owning the': 632626, 'moon declining': 538330, 'declining real': 231490, 'value restaurant': 952194, 'restaurant declaring': 716410, 'declaring bankruptcy': 231273, 'bankruptcy surplus': 110538, 'job peak': 466083, 'peak demand': 646062, 'delivery he': 234085, 'can swoop': 159889, 'swoop in': 830622, 'in provide': 427053, 'provide capital': 686240, 'best chef': 127631, 'chef out': 175273, 'king shit is': 475299, 'shit is right': 759148, 'is right owning': 451542, 'right owning the': 722220, 'owning the moon': 632627, 'the moon declining': 860869, 'moon declining real': 538331, 'declining real estate': 231491, 'estate asset value': 282098, 'asset value restaurant': 96486, 'value restaurant declaring': 952195, 'restaurant declaring bankruptcy': 716411, 'declaring bankruptcy surplus': 231274, 'bankruptcy surplus of': 110539, 'surplus of restaurant': 828494, 'of restaurant worker': 589025, 'restaurant worker job': 716822, 'worker job peak': 1007269, 'job peak demand': 466084, 'peak demand for': 646063, 'food delivery he': 314131, 'delivery he can': 234086, 'he can swoop': 384820, 'can swoop in': 159890, 'swoop in provide': 830623, 'in provide capital': 427054, 'provide capital to': 686241, 'capital to the': 162697, 'the best chef': 849500, 'best chef out': 127632, 'please change': 659767, 'handler and': 376320, 'post commit': 666051, 'buy before': 148413, 'touch rule': 926525, 'rule near': 727294, 'the merchandise': 860489, 'merchandise life': 528976, 'please change this': 659768, 'change this all': 172332, 'this all food': 886265, 'all food handler': 42811, 'food handler and': 314770, 'handler and supermarket': 376321, 'mask and please': 518357, 'and please ask': 69105, 'please ask supermarket': 659676, 'supermarket to post': 823396, 'to post commit': 911908, 'post commit to': 666052, 'commit to buy': 188977, 'to buy before': 902190, 'buy before you': 148414, 'you touch rule': 1021900, 'touch rule near': 926526, 'rule near the': 727295, 'near the merchandise': 553611, 'the merchandise life': 860490, 'merchandise life on': 528977, 'life on packaging': 488937, 'on packaging for': 602673, 'packaging for day': 633535, 'leak': 483855, 'to defend': 904059, 'defend ourselves': 232104, 'ourselves against': 625453, 'against store': 37634, 'and leak': 66030, 'leak the': 483856, 'making negligible': 511246, 'negligible profit': 556898, 'while healthcare': 986911, 'told them where': 923720, 'them where we': 876615, 'going to defend': 355567, 'to defend ourselves': 904060, 'defend ourselves against': 232105, 'ourselves against store': 625454, 'against store that': 37635, 'price and leak': 672456, 'and leak the': 66031, 'leak the corona': 483857, 'virus making negligible': 958482, 'making negligible profit': 511247, 'negligible profit while': 556899, 'profit while healthcare': 682892, 'while healthcare worker': 986912, 'worker are left': 1006402, 'left without glove': 485751, 'than case': 840439, 'where 1500': 984708, '1500 people': 3942, 'were present': 979994, 'blame is': 132267, 'legal citizen': 485854, 'and doe not': 61591, 'doe not accept': 251470, 'not accept that': 568020, 'accept that there': 27996, 'more than case': 540600, 'than case where': 840440, 'case where 1500': 166105, 'where 1500 people': 984709, '1500 people were': 3943, 'people were present': 650216, 'were present and': 979995, 'present and entered': 670570, 'and entered the': 62181, 'entered the state': 278376, 'the state the': 867813, 'state the blame': 795988, 'the blame is': 849751, 'blame is placed': 132268, 'is placed on': 450883, 'placed on legal': 657902, 'on legal citizen': 601819, 'legal citizen who': 485855, 'citizen who face': 179000, 'who face food': 988721, 'hoodie': 403325, 'my hoodie': 548708, 'hoodie from': 403326, 'got my hoodie': 358726, 'my hoodie from': 548709, 'hoodie from and': 403327, 'from and you': 334531, 'gov reduce': 359677, 'spread lift': 790605, 'lift your': 489475, 'your bag': 1022900, 'bag tax': 108408, 'tax now': 835038, 'tell ppl': 837054, 'bringing own': 140187, 'gov reduce community': 359678, 'community spread lift': 190111, 'spread lift your': 790606, 'lift your bag': 489476, 'your bag tax': 1022901, 'bag tax now': 108409, 'tax now tell': 835039, 'now tell ppl': 575976, 'tell ppl to': 837055, 'ppl to stop': 668355, 'to stop bringing': 915504, 'stop bringing own': 804510, 'bringing own bag': 140188, 'own bag to': 631894, 'bag to grocery': 108423, 'paw have': 644676, 'tried oh': 931800, 'oh due': 596378, 'demand placed': 236030, 'placed upon': 657925, 'upon online': 947641, 'temporarily suspending': 837559, 'suspending new': 829654, 'new registration': 559426, 'registration we': 707688, 'apologise for': 81625, 'inconvenience and': 432586, 'will restore': 994673, 'paw have you': 644677, 'you tried oh': 1021927, 'tried oh due': 931801, 'oh due to': 596379, 'and the large': 73443, 'the large demand': 858945, 'large demand placed': 479648, 'demand placed upon': 236031, 'placed upon online': 657926, 'upon online shopping': 947642, 'are temporarily suspending': 90764, 'temporarily suspending new': 837560, 'suspending new registration': 829655, 'new registration we': 559427, 'registration we apologise': 707689, 'we apologise for': 970441, 'apologise for any': 81626, 'any inconvenience and': 79351, 'inconvenience and will': 432587, 'and will restore': 75690, 'now shanghai': 575784, 'shanghai shopping': 754806, 'confidence under': 193973, 'worsening economic': 1011092, 'economic circumstance': 267006, 'circumstance normally': 178732, 'normally retail': 567533, 'ha spring': 372030, 'spring bargain': 791165, 'bargain sale': 111067, 'sale season': 732507, 'china nobody': 176848, 'come sad': 187497, 'sad retail': 729218, 'now shanghai shopping': 575785, 'shanghai shopping mall': 754807, 'mall is almost': 511795, 'is almost empty': 445499, 'almost empty due': 46604, 'consumer confidence under': 196929, 'confidence under the': 193974, 'under the worsening': 940341, 'the worsening economic': 872035, 'worsening economic circumstance': 1011093, 'economic circumstance normally': 267007, 'circumstance normally retail': 178733, 'normally retail store': 567534, 'store ha spring': 808021, 'ha spring bargain': 372031, 'spring bargain sale': 791166, 'bargain sale season': 111068, 'sale season in': 732508, 'season in china': 743403, 'in china nobody': 421419, 'china nobody come': 176849, 'nobody come sad': 565995, 'come sad retail': 187498, 'transfats': 929497, 'avoid transfats': 105362, 'transfats in': 929498, 'your diet': 1023507, 'patient with such': 644314, 'with such and': 1001035, 'such and are': 816330, 'vulnerable to 19': 961211, 'to 19 this': 899555, 'time to eat': 897981, 'healthy food avoid': 387626, 'food avoid transfats': 313488, 'avoid transfats in': 105363, 'transfats in your': 929499, 'in your diet': 431073, 'also have an': 48323, 'have an offer': 379265, 'an offer on': 56559, 'offer on gift': 594718, 'ruislip': 727163, 'morning queue': 541411, 'queue half': 693938, 'finally come': 305957, 'into view': 443277, 'view covi': 957083, 'd19 lockdown': 224178, 'lockdown queue': 499833, 'photography blackandwhite': 655283, 'blackandwhite contrast': 132160, 'contrast ruislip': 201844, 'ruislip slough': 727164, 'slough united': 774308, 'this morning queue': 889000, 'morning queue half': 541412, 'queue half hour': 693939, 'half hour in': 374186, 'hour in and': 405683, 'the supermarket finally': 868592, 'supermarket finally come': 820320, 'finally come into': 305958, 'come into view': 187395, 'into view covi': 443278, 'view covi d19': 957084, 'covi d19 lockdown': 212540, 'd19 lockdown queue': 224179, 'lockdown queue socialdistancing': 499834, 'queue socialdistancing photography': 694064, 'socialdistancing photography blackandwhite': 780599, 'photography blackandwhite contrast': 655284, 'blackandwhite contrast ruislip': 132161, 'contrast ruislip slough': 201845, 'ruislip slough united': 727165, 'slough united kingdom': 774309, 'xhb': 1013832, 'recently wrote': 704180, 'wrote forbes': 1013197, 'forbes piece': 328292, 'piece warning': 656379, 'coming demise': 188029, 'housing bubble': 407060, 'bubble going': 141596, 'post few': 666126, 'attached thread': 102053, 'thread xhb': 893620, 'xhb jpm': 1013833, 'recently wrote forbes': 704181, 'wrote forbes piece': 1013198, 'forbes piece warning': 328293, 'piece warning about': 656380, 'the coming demise': 851196, 'coming demise of': 188030, 'demise of housing': 236657, 'of housing bubble': 584804, 'housing bubble going': 407061, 'bubble going to': 141597, 'to post few': 911909, 'post few more': 666127, 'few more good': 303947, 'more good piece': 539359, 'good piece about': 357559, 'piece about this': 656259, 'this topic in': 890814, 'in the attached': 428993, 'the attached thread': 849024, 'attached thread xhb': 102054, 'thread xhb jpm': 893621, 'another row': 77812, 'single carton': 771252, 'milk come': 531625, 'on peep': 602726, 'peep just': 646284, 'particular shortage': 642639, 'shortage public': 765187, 'day another row': 227304, 'another row of': 77813, 'row of empty': 726578, 'wa not single': 962774, 'not single carton': 571594, 'single carton of': 771253, 'of milk come': 586505, 'milk come on': 531626, 'come on peep': 187443, 'on peep just': 602727, 'peep just take': 646285, 'just take what': 469949, 'the week there': 871316, 'week there no': 977026, 'there no particular': 878827, 'no particular shortage': 565067, 'particular shortage public': 642640, 'shortage public health': 765188, 'health crisis shortage': 386347, 'crisis shortage of': 218036, 'had 15': 372797, '19 statewide': 10791, 'statewide school': 796281, 'school were': 741971, 'open my': 612387, 'ha regular': 371695, 'inside that': 439406, 'ago six': 38463, 'six all': 772622, 'an eternity': 55858, 'eternity ago': 282941, 'store we had': 811172, 'we had 15': 971697, 'had 15 case': 372798, '15 case of': 3681, 'covid 19 statewide': 213858, '19 statewide school': 10792, 'statewide school were': 796282, 'school were still': 741972, 'were still open': 980171, 'still open my': 800969, 'open my job': 612388, 'my job wa': 548935, 'job wa still': 466270, 'wa still open': 963311, 'still open store': 800974, 'open store ha': 612522, 'store ha regular': 808018, 'ha regular hour': 371696, 'regular hour and': 707793, 'hour and restaurant': 405414, 'restaurant were still': 716798, 'were still serving': 980173, 'still serving customer': 801168, 'serving customer inside': 753175, 'customer inside that': 222522, 'inside that wa': 439407, 'wa only day': 962854, 'only day ago': 610313, 'day ago six': 227207, 'ago six all': 38464, 'six all feel': 772623, 'all feel like': 42770, 'like an eternity': 489768, 'an eternity ago': 55859, 'weneedtoshare': 978939, 'town scotland': 927542, 'scotland supermarket': 742429, 'empty weneedtoshare': 275233, 'small town scotland': 775165, 'town scotland supermarket': 927543, 'scotland supermarket shelf': 742430, 'shelf empty weneedtoshare': 757042, 'helpful suggestion': 391222, 'suggestion if': 817649, 'some helpful suggestion': 783042, 'helpful suggestion if': 391223, 'suggestion if you': 817650, 'cannot find an': 161830, 'find an n95': 306775, 'mask and must': 518350, 'and must go': 67343, 'renton': 711328, 'my onlinebusiness': 549586, 'onlinebusiness helping': 609785, 'healthy savemoney': 387756, 'savemoney buying': 737785, 'toiletpaper renton': 922406, 'renton washington': 711329, 'with my girl': 999629, 'my girl during': 548498, 'girl during the': 350243, 'crisis but still': 217157, 'but still able': 147155, 'to run my': 913665, 'run my onlinebusiness': 727712, 'my onlinebusiness helping': 549587, 'onlinebusiness helping people': 609786, 'helping people stay': 391441, 'people stay healthy': 649560, 'stay healthy savemoney': 796918, 'healthy savemoney buying': 387757, 'savemoney buying toiletpaper': 737786, 'buying toiletpaper renton': 151251, 'toiletpaper renton washington': 922407, 'good common': 356900, 'sense advice': 750482, 'safety consumer': 730508, 'report foodsafety': 711947, 'foodsafety washyourhands': 318066, 'some good common': 782961, 'good common sense': 356901, 'common sense advice': 189451, 'sense advice here': 750483, 'advice here food': 33401, 'here food safety': 392988, 'food safety consumer': 316267, 'safety consumer report': 730509, 'consumer report foodsafety': 198709, 'report foodsafety washyourhands': 711948, 'turmeric': 935606, 'renetrevor': 710965, '19 drink': 6651, 'drink turmeric': 258890, 'turmeric tea': 935607, 'tea ginger': 835358, 'lemon honey': 486184, 'honey herbal': 403175, 'tea every': 835352, 'without sugar': 1002943, 'sugar you': 817486, 'asda be': 94911, 'safe folk': 729664, 'folk renetrevor': 312246, 'update for those': 946964, 'you that worried': 1021583, 'that worried about': 847671, 'covid 19 drink': 212985, '19 drink turmeric': 6652, 'drink turmeric tea': 258891, 'turmeric tea ginger': 935608, 'tea ginger lemon': 835359, 'ginger lemon honey': 350204, 'lemon honey herbal': 486185, 'honey herbal tea': 403176, 'herbal tea every': 392586, 'tea every day': 835353, 'every day without': 285863, 'day without sugar': 228793, 'without sugar you': 1002944, 'sugar you can': 817487, 'it at sainsbury': 456625, 'at sainsbury supermarket': 100445, 'sainsbury supermarket asda': 731724, 'supermarket asda be': 819209, 'asda be safe': 94912, 'be safe folk': 116955, 'safe folk renetrevor': 729665, 'impacted oil': 418137, 'price tourism': 677101, 'ha impacted oil': 370917, 'impacted oil price': 418138, 'oil price tourism': 597295, 'price tourism and': 677102, 'tourism and capital': 926964, 'and capital market': 59539, 'capital market in': 162667, 'me traveling': 523829, 'me traveling to': 523830, 'cipla': 178585, 'sulfate': 817847, 'reut': 720190, 'file photo': 305359, 'drug firm': 260948, 'firm cipla': 308327, 'cipla photo': 178588, 'photo courtesy': 655148, 'courtesy cipla': 212036, 'cipla the': 178590, 'administration approved': 32453, 'approved indian': 83162, 'indian drugmaker': 434817, 'drugmaker cipla': 261171, 'cipla ltd': 178586, 'generic version': 345696, 'of albuterol': 579885, 'albuterol sulfate': 40872, 'sulfate based': 817848, 'based inhaler': 111630, 'inhaler in': 438437, 'coronavirus reut': 206680, 'file photo of': 305360, 'photo of drug': 655201, 'of drug firm': 582846, 'drug firm cipla': 260949, 'firm cipla photo': 308328, 'cipla photo courtesy': 178589, 'photo courtesy cipla': 655149, 'courtesy cipla the': 212037, 'cipla the food': 178591, 'drug administration approved': 260850, 'administration approved indian': 32454, 'approved indian drugmaker': 83163, 'indian drugmaker cipla': 434818, 'drugmaker cipla ltd': 261172, 'cipla ltd to': 178587, 'ltd to make': 506393, 'make the generic': 510569, 'the generic version': 856209, 'generic version of': 345697, 'version of albuterol': 954912, 'of albuterol sulfate': 579886, 'albuterol sulfate based': 40873, 'sulfate based inhaler': 817849, 'based inhaler in': 111631, 'inhaler in bid': 438438, 'bid to help': 129490, 'help patient suffering': 390274, 'the coronavirus reut': 851903, 'march pandemic': 515435, 'pandemic good': 635503, 'consumer jesus': 197973, 'jesus you': 465316, 'the snl': 867394, 'snl show': 776374, 'show donald': 766921, 'trump march': 933699, 'march good': 515375, 'is this quote': 453114, 'this quote from': 889794, 'quote from donald': 694989, 'on the march': 604227, 'the march pandemic': 860063, 'march pandemic good': 515436, 'pandemic good for': 635504, 'the consumer jesus': 851554, 'consumer jesus you': 197974, 'jesus you could': 465317, 'not make up': 570511, 'for the snl': 326695, 'the snl show': 867395, 'snl show donald': 776375, 'show donald trump': 766922, 'donald trump march': 254115, 'trump march good': 933700, 'march good for': 515376, 'deli is': 232928, 'grocery traditional': 366077, 'traditional grocery': 928999, 'other price': 620755, 'on bottled': 599681, 'panic greedy': 638143, 'who accumulate': 988018, 'accumulate reserve': 28855, 'brooklyn deli is': 140980, 'deli is offering': 232929, '20 off grocery': 13211, 'off grocery traditional': 593874, 'grocery traditional grocery': 366078, 'traditional grocery store': 929000, 'and other price': 68386, 'other price skyrocket': 620756, 'skyrocket on bottled': 773327, 'on bottled water': 599682, 'essential to combat': 281690, 'combat panic greedy': 187027, 'panic greedy store': 638144, 'greedy store and': 363617, 'store and individual': 806269, 'and individual who': 65168, 'individual who accumulate': 435278, 'who accumulate reserve': 988019, 'made spain': 507963, 'offer basic': 594537, 'basic service': 112050, 'service my': 752606, 'life suck': 489076, '19 made spain': 8499, 'made spain lockdown': 507964, 'spain lockdown but': 787319, 'lockdown but gotta': 499213, 'but gotta work': 145816, 'gotta work on': 359111, 'supermarket to offer': 823393, 'to offer basic': 910826, 'offer basic service': 594538, 'basic service my': 112051, 'service my life': 752607, 'my life suck': 549038, 'million losing': 532226, 'demand increasing': 235697, 'insecurity across': 439138, 'nation learn': 552248, 'triggered the': 931928, 'with million losing': 999508, 'million losing their': 532227, 'bank are reporting': 109656, 'unprecedented demand increasing': 943118, 'demand increasing food': 235698, 'food insecurity across': 315057, 'insecurity across the': 439139, 'the nation learn': 861248, 'nation learn more': 552249, 'learn more how': 484031, 'more how covid': 539457, 'ha triggered the': 372366, 'triggered the food': 931929, 'the food aid': 855529, 'combi': 187090, 'borg': 135422, 'batteryfarm': 112768, 'chickenflu': 175890, 'freerange': 332487, 'appetizing': 82238, 'campingbed': 157318, 'selfmed': 748551, 'luxurious fastfood': 506904, 'fastfood cash': 300165, 'cash ha': 166250, 'chain how': 170789, 'how deep': 407670, 'deep is': 231904, 'the combi': 851170, 'combi freezer': 187091, 'morgue borg': 541097, 'borg selfisolation': 135423, 'selfisolation haunting': 748454, 'haunting by': 379039, 'by batteryfarm': 151935, 'batteryfarm chickenflu': 112769, 'chickenflu anti': 175891, 'abortion freerange': 24608, 'freerange home': 332488, 'more appetizing': 538636, 'appetizing than': 82239, 'hospital campingbed': 404338, 'campingbed what': 157319, 'what selfmed': 982147, 'selfmed chinesevirus': 748552, 'luxurious fastfood cash': 506905, 'fastfood cash ha': 300166, 'cash ha bought': 166251, 'ha bought the': 370026, 'bought the supermarket': 136743, 'supermarket chain how': 819609, 'chain how deep': 170790, 'how deep is': 407671, 'deep is the': 231905, 'is the combi': 452752, 'the combi freezer': 851171, 'combi freezer at': 187092, 'at the morgue': 101027, 'the morgue borg': 860905, 'morgue borg selfisolation': 541098, 'borg selfisolation haunting': 135424, 'selfisolation haunting by': 748455, 'haunting by batteryfarm': 379040, 'by batteryfarm chickenflu': 151936, 'batteryfarm chickenflu anti': 112770, 'chickenflu anti abortion': 175892, 'anti abortion freerange': 78263, 'abortion freerange home': 24609, 'freerange home more': 332489, 'home more appetizing': 401623, 'more appetizing than': 538637, 'appetizing than hospital': 82240, 'than hospital campingbed': 840753, 'hospital campingbed what': 404339, 'campingbed what selfmed': 157320, 'what selfmed chinesevirus': 982148, 'lekki': 486157, 'stayhomesavelives lekki': 798408, '08079024516 stayhomesavelives lekki': 1113, 'resent': 714006, 'don resent': 253872, 'resent the': 714007, 'small independent': 774998, 'independent trader': 434147, 'trader pushing': 928753, 'crisis providing': 217920, 'providing it': 687038, 'not outrageous': 570866, 'outrageous let': 629325, 'don resent the': 253873, 'resent the small': 714008, 'the small independent': 867363, 'small independent trader': 774999, 'independent trader pushing': 434148, 'trader pushing up': 928754, 'pushing up their': 690468, 'during this national': 263301, 'this national crisis': 889084, 'national crisis providing': 552467, 'crisis providing it': 217921, 'providing it not': 687039, 'it not outrageous': 459907, 'not outrageous let': 570867, 'outrageous let face': 629326, 'face it when': 294484, 'it when all': 462334, 'when all well': 983137, 'all well you': 45429, 'well you wouldn': 978781, 'you wouldn go': 1022466, 'wouldn go in': 1012469, 'go in there': 353720, 'in there coronacrisis': 429811, 'in soviet': 428160, 'soviet russia': 786960, 'russia my': 728514, 'and celebrated': 59658, 'the successful': 868374, 'successful acquisition': 816226, 'egg yesterday': 270045, 'few remaining': 304038, 'remaining carton': 709957, 'it like back': 459350, 'back in soviet': 107097, 'in soviet russia': 428161, 'soviet russia my': 786961, 'russia my wife': 728515, 'wife and celebrated': 991890, 'and celebrated the': 59659, 'celebrated the successful': 168817, 'the successful acquisition': 868375, 'successful acquisition of': 816227, 'acquisition of dozen': 29193, 'dozen egg yesterday': 257875, 'egg yesterday from': 270046, 'it wa one': 462164, 'the few remaining': 855122, 'few remaining carton': 304039, 'remaining carton of': 709958, 'polar': 662867, 'brimming': 139905, 'in polar': 426820, 'polar opposite': 662868, 'to brimming': 902025, 'brimming food': 139906, 'food trollies': 317364, 'trollies queued': 932516, 'behind woman': 124761, 'had single': 373508, 'of whisky': 593118, 'whisky somehow': 987793, 'somehow every': 784315, 'bit telling': 131704, 'telling of': 837240, 'in polar opposite': 426821, 'polar opposite to': 662869, 'opposite to brimming': 613814, 'to brimming food': 902026, 'brimming food trollies': 139907, 'food trollies queued': 317365, 'trollies queued up': 932517, 'queued up behind': 694164, 'up behind woman': 944486, 'behind woman in': 124762, 'supermarket today who': 823480, 'today who had': 920536, 'who had single': 988888, 'had single item': 373509, 'single item to': 771318, 'item to purchase': 463764, 'to purchase bottle': 912523, 'purchase bottle of': 689397, 'bottle of whisky': 136301, 'of whisky somehow': 593119, 'whisky somehow every': 987794, 'somehow every bit': 784316, 'every bit telling': 285691, 'bit telling of': 131705, 'telling of the': 837241, 'behavior also': 123864, 'ever ha': 285336, 'for suggestion': 325986, 'your for': 1023941, 'amid this public': 52725, 'health crisis consumer': 386327, 'crisis consumer behavior': 217239, 'consumer behavior also': 196434, 'behavior also ha': 123865, 'also ha changed': 48306, 'ha changed online': 370131, 'become more popular': 120060, 'than ever ha': 840582, 'ever ha the': 285337, 'ha the consumption': 372191, 'consumption of digital': 199914, 'of digital content': 582608, 'digital content read': 242540, 'content read on': 200839, 'on for suggestion': 600953, 'for suggestion on': 325987, 'can adjust your': 157381, 'adjust your for': 32308, 'your for 19': 1023942, 'to asian': 900744, 'only giving': 610511, 'giving 5kg': 351226, '5kg chicken': 20731, 'rice got': 721058, 'big store': 130014, 'sainsbury hard': 731674, 'went to asian': 979141, 'to asian store': 900745, 'store today for': 810841, 'today for grocery': 919538, 'grocery they were': 366043, 'were only giving': 979943, 'only giving 5kg': 610512, 'giving 5kg chicken': 351227, '5kg chicken to': 20732, 'of rice got': 589096, 'rice got lot': 721059, 'shelf at big': 756843, 'at big store': 98135, 'big store like': 130015, 'tesco sainsbury hard': 838792, 'sainsbury hard to': 731675, 'ultimate solution': 939129, 'solution today': 782117, 'the ultimate solution': 870318, 'ultimate solution today': 939130, 'solution today is': 782118, 'today is to': 919727, 'more other': 539967, 'like entree': 490171, 'or stouffers': 617247, 'stouffers vegetable': 812179, 'store they had': 810669, 'cream and much': 215526, 'much more other': 545119, 'more other frozen': 539968, 'food like entree': 315310, 'like entree or': 490172, 'entree or stouffers': 278919, 'or stouffers vegetable': 617248, 'stouffers vegetable the': 812180, 'on reddit': 603113, 'reddit 19': 705651, 'quaratinelife stophoarding': 693151, 'this on reddit': 889217, 'on reddit 19': 603114, 'reddit 19 quaratinelife': 705652, '19 quaratinelife stophoarding': 9932, 'faucihero': 300386, 'fauci say': 300378, 'say half': 738715, 'half infected': 374190, 'infected asymptomatic': 436538, 'asymptomatic start': 97329, 'testing all': 839428, 'essential folk': 281035, 'folk not': 312227, 'healthcare such': 387295, 'spreader esp': 790903, 'esp during': 280383, 'during 1st': 262416, '1st elderly': 12733, 'elderly hr': 270706, 'hr faucihero': 409618, 'faucihero fauci': 300387, 'fauci superspreader': 300380, 'fauci say half': 300379, 'say half infected': 738716, 'half infected asymptomatic': 374191, 'infected asymptomatic start': 436539, 'asymptomatic start testing': 97330, 'start testing all': 794543, 'testing all essential': 839429, 'all essential folk': 42696, 'essential folk not': 281036, 'folk not in': 312228, 'not in healthcare': 570093, 'in healthcare such': 423611, 'healthcare such grocery': 387296, 'store staff ensure': 810312, 'staff ensure they': 792413, 'ensure they don': 278104, 'they don become': 881984, 'don become super': 253381, 'become super spreader': 120149, 'super spreader esp': 818590, 'spreader esp during': 790904, 'esp during 1st': 280384, 'during 1st elderly': 262417, '1st elderly hr': 12734, 'elderly hr faucihero': 270707, 'hr faucihero fauci': 409619, 'faucihero fauci superspreader': 300388, 'just made new': 469208, 'made new article': 507869, 'new article about': 558354, 'article about something': 94238, 'about something you': 26236, 'can make at': 158924, 'had serious': 373488, 'industry highlighting': 435883, 'get insured': 347355, 'insured before': 440862, 'off had': 593881, 'had your': 373818, 'plan interrupted': 658157, 'interrupted our': 442111, 'guide outline': 368345, 'outline your': 629104, 'outbreak ha had': 628269, 'ha had serious': 370796, 'had serious impact': 373489, 'serious impact on': 751412, 'on the travel': 604414, 'travel industry highlighting': 930400, 'industry highlighting the': 435884, 'highlighting the need': 396024, 'to get insured': 906512, 'get insured before': 347356, 'insured before you': 440863, 'you head off': 1019163, 'head off had': 385780, 'off had your': 593882, 'had your travel': 373819, 'your travel plan': 1026207, 'travel plan interrupted': 930471, 'plan interrupted our': 658158, 'interrupted our guide': 442112, 'our guide outline': 623325, 'guide outline your': 368346, 'outline your consumer': 629105, 'price farm': 673823, 'soybean price farm': 786990, 'establishment shall': 282072, 'customer we shall': 223044, 'shall be temporarily': 754521, 'closing our mall': 183717, 'our mall in': 623845, 'mall in support': 511793, 'essential establishment shall': 281015, 'establishment shall remain': 282073, 'shall remain open': 754551, 'open to service': 612602, 'to service your': 914286, 'service your need': 753131, 'here recipe': 393512, 'healthy hand': 387655, 'sanitizer rubbing': 735671, 'rubbing isopropyl': 726972, 'hand lot': 375074, 'too healthy': 924778, 'healthy shelteringinplace': 387762, 'here recipe for': 393513, 'recipe for healthy': 704462, 'for healthy hand': 322167, 'healthy hand sanitizer': 387656, 'hand sanitizer rubbing': 375572, 'sanitizer rubbing isopropyl': 735672, 'rubbing isopropyl alcohol': 726973, 'isopropyl alcohol on': 455558, 'alcohol on your': 41059, 'your hand lot': 1024201, 'hand lot not': 375075, 'lot not too': 504128, 'not too healthy': 572223, 'too healthy shelteringinplace': 924779, 'hi glenn': 394652, 'glenn we': 351699, 'have intensified': 381105, 'intensified due': 441096, 'our objective': 624110, 'objective is': 578438, 'shelf asap': 756839, 'asap thanks': 94879, 'for bearing': 319608, 'hi glenn we': 394653, 'glenn we re': 351700, 're currently experiencing': 698491, 'currently experiencing high': 221526, 'for our product': 324283, 'our product which': 624485, 'product which have': 681839, 'which have intensified': 985918, 'have intensified due': 381106, 'intensified due to': 441097, '19 result it': 10193, 'result it might': 717560, 'might be harder': 530901, 'to find our': 905927, 'find our product': 307128, 'our product but': 624478, 'product but our': 681029, 'but our objective': 146728, 'our objective is': 624111, 'objective is to': 578439, 'get them back': 348354, 'back on supermarket': 107201, 'supermarket shelf asap': 822431, 'shelf asap thanks': 756840, 'asap thanks for': 94880, 'thanks for bearing': 842050, 'capitalism gov': 162755, 'gov always': 359528, 'prioritized the': 678467, 'banker ceo': 110357, 'nurse grocer': 577342, 'grocer checkout': 364114, 'checkout stock': 175018, 'clerk teacher': 181776, 'service warehouse': 753048, 'protecting looking': 685206, 'along fightfor15': 46991, 'capitalism gov always': 162756, 'gov always prioritized': 359529, 'always prioritized the': 49696, 'prioritized the banker': 678468, 'the banker ceo': 849261, 'banker ceo but': 110358, 'ceo but during': 169662, 'but during time': 145632, 'doctor nurse grocer': 251016, 'nurse grocer checkout': 577343, 'grocer checkout stock': 364115, 'checkout stock clerk': 175019, 'stock clerk teacher': 801992, 'clerk teacher food': 181777, 'food service warehouse': 316437, 'service warehouse worker': 753049, 'warehouse worker the': 966830, 'worker the gov': 1007929, 'gov should ve': 359698, 'should ve been': 766623, 've been protecting': 952919, 'been protecting looking': 121720, 'protecting looking out': 685207, 'for all along': 319108, 'all along fightfor15': 41990, 'screen pen': 742713, 'pen have': 646408, 'given one': 351063, 'these to': 880862, 'checkout till': 175037, 'also kept': 48453, 'kept one': 473061, 'touch screen pen': 926530, 'screen pen have': 742714, 'pen have just': 646409, 'have just given': 381206, 'just given one': 468818, 'given one of': 351064, 'of these to': 591868, 'these to the': 880863, 'the person on': 863590, 'on the self': 604349, 'self checkout till': 747585, 'checkout till at': 175038, 'till at the': 895996, 'local supermarket now': 498563, 'supermarket now they': 821676, 'now they don': 576105, 'touch the screen': 926552, 'the screen with': 866536, 'screen with their': 742746, 'their hand have': 873476, 'hand have also': 375006, 'have also kept': 379215, 'also kept one': 48454, 'kept one for': 473062, 'one for myself': 606305, 'for myself keep': 323765, 'myself keep safe': 550901, 'progressing it': 683392, 'seeing bare': 746234, 'find is': 306979, 'anxiety provoking': 78781, 'provoking people': 687310, 'is progressing it': 451081, 'progressing it is': 683393, 'shop and seeing': 759864, 'and seeing bare': 71157, 'seeing bare and': 746235, 'bare and sparse': 110859, 'sparse shelf that': 787627, 'shelf that find': 757640, 'that find is': 843874, 'find is stressful': 306980, 'stressful and anxiety': 813479, 'and anxiety provoking': 58205, 'anxiety provoking people': 78782, 'provoking people need': 687311, 'business email': 143695, 'scam peddling': 740292, 'peddling mask': 646201, 'arrest man for': 93760, 'man for business': 512065, 'for business email': 319830, 'business email scam': 143696, 'email scam peddling': 272293, 'scam peddling mask': 740293, 'peddling mask sanitizer': 646202, 'tablighijamaat': 831542, 'saharanpur': 730916, 'firozabad': 308474, 'infodemic': 437623, 'did member': 240680, 'of tablighijamaat': 590570, 'tablighijamaat demand': 831543, 'in saharanpur': 427628, 'saharanpur were': 730917, 'were police': 979984, 'police medical': 663090, 'personnel stone': 653154, 'stone pelted': 804343, 'pelted in': 646387, 'in firozabad': 422906, 'firozabad did': 308475, 'indian army': 434775, 'army build': 92994, 'build 00': 141943, '00 bed': 78, 'bed hospital': 120402, 'day fighting': 227599, 'the infodemic': 858249, 'infodemic amidst': 437624, 'did member of': 240681, 'member of tablighijamaat': 528151, 'of tablighijamaat demand': 590571, 'tablighijamaat demand non': 831544, 'demand non vegetarian': 235924, 'vegetarian food in': 954146, 'food in saharanpur': 314967, 'in saharanpur were': 427629, 'saharanpur were police': 730918, 'were police medical': 979985, 'police medical personnel': 663091, 'medical personnel stone': 526297, 'personnel stone pelted': 653155, 'stone pelted in': 804344, 'pelted in firozabad': 646388, 'in firozabad did': 422907, 'firozabad did the': 308476, 'did the indian': 240851, 'the indian army': 858119, 'indian army build': 434776, 'army build 00': 92995, 'build 00 bed': 141944, '00 bed hospital': 79, 'bed hospital in': 120403, 'hospital in day': 404465, 'in day fighting': 422008, 'day fighting the': 227600, 'fighting the infodemic': 305129, 'the infodemic amidst': 858250, 'infodemic amidst the': 437625, 'changing at': 172648, 'is changing at': 446465, 'changing at channelsight': 172649, 'shopping behaviour read': 762224, 'behaviour read our': 124502, 'read our blog': 700499, 'our blog to': 622229, 'illuminated': 416423, 'illuminate': 416420, 'nhsthank': 562263, 'tirelessly at': 899074, 'time wembley': 898257, 'wembley stadium': 978898, 'stadium and': 792057, 'it partner': 460271, 'partner thank': 642877, 'our arch': 622104, 'arch will': 84042, 'be illuminated': 115360, 'illuminated blue': 416424, 'blue each': 133446, 'each night': 264125, 'to illuminate': 908128, 'illuminate your': 416421, 'gratitude during': 362364, 'time nhsthank': 897262, 'nhsthank you': 562264, 'our nh frontline': 624065, 'nh frontline staff': 561963, 'frontline staff working': 338835, 'working tirelessly at': 1008975, 'tirelessly at this': 899075, 'difficult time wembley': 242317, 'time wembley stadium': 898258, 'wembley stadium and': 978899, 'stadium and it': 792058, 'and it partner': 65567, 'it partner thank': 460272, 'partner thank you': 642878, 'thank you our': 841794, 'you our arch': 1020248, 'our arch will': 622105, 'arch will be': 84043, 'will be illuminated': 992507, 'be illuminated blue': 115361, 'illuminated blue each': 416425, 'blue each night': 133447, 'each night to': 264126, 'night to illuminate': 563107, 'to illuminate your': 908129, 'illuminate your effort': 416422, 'effort and show': 269472, 'and show our': 71614, 'our gratitude during': 623297, 'gratitude during this': 362365, 'unprecedented time nhsthank': 943202, 'time nhsthank you': 897263, 'infection ha': 436764, 'hit asia': 398154, 'asia with': 95240, 'infection rising': 436834, 'in taiwan': 428798, 'taiwan south': 831841, 'singapore and': 771103, 'and hong': 64706, 'kong this': 477413, 'this evidence': 887470, 'suggests this': 817725, 'haul to': 378998, 'wave of infection': 969375, 'of infection ha': 585164, 'infection ha hit': 436765, 'ha hit asia': 370879, 'hit asia with': 398155, 'asia with rate': 95241, 'with rate of': 1000401, 'of infection rising': 585170, 'infection rising in': 436835, 'rising in taiwan': 723240, 'in taiwan south': 428799, 'taiwan south korea': 831842, 'korea singapore and': 477503, 'singapore and hong': 771104, 'and hong kong': 64707, 'hong kong this': 403211, 'kong this evidence': 477414, 'this evidence suggests': 887471, 'evidence suggests this': 288384, 'suggests this is': 817726, 'be very long': 117979, 'very long haul': 955331, 'long haul to': 501433, 'haul to contain': 378999, 'formigration': 329672, 'on veggie': 605031, 'veggie for': 954180, 'those long': 892176, 'than read': 841074, 'immigrant worker': 417246, 'available inspite': 104462, 'inspite these': 439873, 'time formigration': 896782, 'up on veggie': 945639, 'on veggie for': 605032, 'veggie for those': 954181, 'for those long': 327121, 'those long day': 892177, 'of isolation or': 585343, 'or quarantine if': 616765, 'quarantine if so': 692276, 'if so than': 414830, 'so than read': 778348, 'than read this': 841075, 'about the immigrant': 26416, 'the immigrant worker': 857915, 'immigrant worker that': 417247, 'that make sure': 845002, 'food available inspite': 313474, 'available inspite these': 104463, 'inspite these difficult': 439874, 'difficult time formigration': 242288, 'outside please': 629535, 'please disinfect': 659883, 'disinfect coronavid19': 245540, 'hello friend we': 389166, 'go outside please': 354019, 'outside please disinfect': 629536, 'please disinfect coronavid19': 659884, 'disinfect coronavid19 stayhome': 245541, 'on abc': 599131, 'abc about': 24254, 'issue good': 455770, 'is cole': 446631, 'woolworth have': 1004415, 'now removed': 575676, 'removed limit': 710870, 'property so': 684359, 'your farmer': 1023810, 'farmer hat': 299402, 'out this story': 627587, 'this story on': 890366, 'story on abc': 812081, 'on abc about': 599132, 'abc about this': 24255, 'very issue good': 955284, 'issue good news': 455771, 'news is cole': 560552, 'is cole and': 446632, 'and woolworth have': 75842, 'woolworth have now': 1004416, 'have now removed': 381737, 'now removed limit': 575677, 'removed limit for': 710871, 'limit for remote': 492349, 'for remote property': 325110, 'remote property so': 710724, 'property so wear': 684360, 'so wear your': 778695, 'wear your farmer': 974500, 'your farmer hat': 1023811, 'farmer hat and': 299403, 'hat and stock': 378844, 'unpopularopinion': 943065, 'unpopularopinion you': 943066, 'community understands': 190192, 'understands of': 940911, 'order by': 618098, 'are malaysia2020': 88015, 'unpopularopinion you ll': 943067, 'able to tell': 24559, 'tell how much': 836982, 'how much community': 408342, 'much community understands': 544802, 'community understands of': 190193, 'understands of the': 940912, 'of the restricted': 591411, 'movement order by': 543910, 'order by how': 618099, 'by how empty': 152842, 'how empty their': 407803, 'empty their supermarket': 275187, 'their supermarket shelf': 874907, 'shelf are malaysia2020': 756814, 'oklahomacity': 598087, 'nashvill': 552008, 'june would': 468015, 'best allow': 127568, 'before reopening': 123037, 'reopening economy': 711387, 'economy quaratinelife': 268159, 'stayathome mondaythoughts': 797546, 'mondaythoughts milwaukee': 536502, 'milwaukee denver': 532484, 'denver miami': 237123, 'miami neworleans': 530190, 'neworleans oklahomacity': 560158, 'oklahomacity nashvill': 598088, 'middle of june': 530679, 'of june would': 585565, 'june would be': 468016, 'be best allow': 113832, 'best allow for': 127569, 'allow for supply': 45971, 'for supply for': 326044, 'sanitizer before reopening': 734564, 'before reopening economy': 123038, 'reopening economy quaratinelife': 711388, 'economy quaratinelife stayathome': 268160, 'quaratinelife stayathome mondaythoughts': 693150, 'stayathome mondaythoughts milwaukee': 797547, 'mondaythoughts milwaukee denver': 536503, 'milwaukee denver miami': 532485, 'denver miami neworleans': 237124, 'miami neworleans oklahomacity': 530191, 'neworleans oklahomacity nashvill': 560159, 'is finnish': 447823, 'that finland': 843881, 'indoors are': 435383, 'not dependent': 568994, 'used widely': 950123, 'crisis is finnish': 217572, 'is finnish lifestyle': 447824, 'challenge everything that': 171445, 'everything that finland': 288024, 'that finland stand': 843882, 'not stay indoors': 571704, 'stay indoors are': 797072, 'indoors are not': 435384, 'are not dependent': 88349, 'not dependent on': 568995, 'dependent on others': 237372, 'online food grocery': 608210, 'not used widely': 572371, 'neuk': 557795, 'lln': 497125, 'first berlin': 308541, 'in neuk': 425808, 'neuk lln': 557796, 'lln closed': 497126, 'closed nothing': 183246, 'sell anymore': 748628, 'first berlin supermarket': 308542, 'supermarket in neuk': 820942, 'in neuk lln': 425809, 'neuk lln closed': 557797, 'lln closed nothing': 497127, 'closed nothing to': 183247, 'nothing to sell': 573198, 'to sell anymore': 914139, 'are ppe': 89165, 'not allocated': 568133, 'allocated by': 45875, 'by ration': 153723, 'ration system': 697734, 'system qanda': 831296, 'why are ppe': 990782, 'are ppe and': 89166, 'ppe and consumer': 667897, 'consumer good not': 197629, 'good not allocated': 357476, 'not allocated by': 568134, 'allocated by ration': 45876, 'by ration system': 153724, 'ration system qanda': 697735, 'jersey gas': 465205, 'new jersey gas': 558971, 'jersey gas price': 465206, 'drop to 25': 260421, 'kia': 473760, 'midwife health': 530837, 'service cleaner': 752237, 'worker volunteer': 1008103, 'zealander who': 1027328, '19 kia': 8229, 'kia kaha': 473761, 'kaha nz': 470642, 'nz 19': 578173, 'all our doctor': 43805, 'doctor nurse midwife': 251026, 'nurse midwife health': 577422, 'midwife health care': 530838, 'emergency service cleaner': 272955, 'service cleaner supermarket': 752238, 'supermarket worker volunteer': 824111, 'worker volunteer and': 1008104, 'volunteer and to': 960217, 'all the new': 44840, 'the new zealander': 861588, 'new zealander who': 560005, 'zealander who are': 1027329, 'covid 19 kia': 213317, '19 kia kaha': 8230, 'kia kaha nz': 473762, 'kaha nz 19': 470643, 'more social': 540422, 'crisis hunger': 217510, 'hunger equal': 411104, 'equal desperation': 279594, 'needy amp': 556666, 'think the answer': 885621, 'the answer we': 848777, 'answer we all': 78145, 'is more social': 449726, 'more social safety': 540423, 'net for lower': 557546, 'lower income household': 505886, 'income household to': 432370, 'household to combat': 406972, 'combat this crisis': 187057, 'this crisis hunger': 887053, 'crisis hunger equal': 217511, 'hunger equal desperation': 411105, 'equal desperation panic': 279595, 'desperation panic we': 238610, 'panic we might': 638765, 'provide free food': 686324, 'to the needy': 916896, 'the needy amp': 861409, 'needy amp basic': 556667, 'amp basic supply': 53436, 'basic supply to': 112070, 'supply to weather': 826036, 'declared handsanitizers': 231229, 'handsanitizers and': 376686, 'facemasks an': 295123, 'and capped': 59541, 'capped it': 162876, 'ha declared handsanitizers': 370327, 'declared handsanitizers and': 231230, 'handsanitizers and facemasks': 376687, 'and facemasks an': 62591, 'facemasks an essential': 295124, 'an essential amid': 55817, 'essential amid coronavirus': 280769, 'outbreak and capped': 627989, 'and capped it': 59542, 'capped it price': 162877, 'it price 19': 460457, 'hi here': 394666, 'store urgently': 811024, 'urgently stocking': 948404, 'pet don': 653374, 'litter bedding': 495199, 'bedding anything': 120433, 'don abandon': 253318, 'abandon your': 24203, 'pet they': 653471, 'hi here to': 394667, 'here to say': 393726, 'say when you': 739478, 'the store urgently': 868134, 'store urgently stocking': 811025, 'urgently stocking up': 948405, 'food and thing': 313359, 'and thing you': 73958, 'need please don': 555439, 'about your pet': 27007, 'your pet don': 1025270, 'pet don forget': 653375, 'on their food': 604481, 'their food litter': 873343, 'food litter bedding': 315329, 'litter bedding anything': 495200, 'bedding anything they': 120434, 'anything they need': 80906, 'they need don': 882727, 'need don abandon': 554696, 'don abandon your': 253319, 'abandon your pet': 24204, 'your pet they': 1025277, 'pet they need': 653472, 'need you the': 556265, 'you the most': 1021605, 'double especially': 256016, 'at asian': 98056, 'meat store': 525759, 'that rip': 846059, 'customer too': 222991, 'price nobody': 675353, 'these merchant': 880298, 'are double especially': 85957, 'double especially at': 256017, 'especially at asian': 280443, 'at asian grocery': 98057, 'asian grocery and': 95290, 'grocery and meat': 364245, 'and meat store': 66860, 'meat store that': 525760, 'store that rip': 810569, 'that rip off': 846060, 'off customer too': 593758, 'customer too high': 222992, 'too high price': 924788, 'high price nobody': 395261, 'price nobody is': 675354, 'nobody is there': 566028, 'there to control': 879183, 'to control them': 903455, 'control them it': 202179, 'them it difficult': 875953, 'nation these merchant': 552336, 'these merchant are': 880299, 'merchant are not': 528998, 'clothe': 184123, 'shortage that': 765249, 'community serving': 190086, 'serving institution': 753186, 'stock resource': 802788, 'resource they': 714897, 'and clothe': 60013, 'clothe their': 184124, 'family client': 297704, 'buy at store': 148384, 'at store panic': 100661, 'creates shortage that': 215965, 'shortage that make': 765250, 'hard for neighbor': 377918, 'for neighbor friend': 323808, 'neighbor friend and': 557014, 'friend and community': 333497, 'and community serving': 60177, 'community serving institution': 190087, 'serving institution to': 753187, 'institution to stock': 440479, 'to stock resource': 915448, 'stock resource they': 802789, 'resource they need': 714898, 'feed and clothe': 302276, 'and clothe their': 60014, 'clothe their family': 184125, 'their family client': 873248, 'much here': 544991, 'stock up too': 803127, 'too much here': 924924, 'much here how': 544992, 'can donate food': 158138, 'europe shopper': 283508, 'lasting food': 480766, 'our figure': 623065, 'figure suggest': 305238, 'suggest this': 817547, 'stabilise read': 791792, 'staple food is': 793934, 'food is still': 315154, 'is still high': 452284, 'in europe shopper': 422652, 'europe shopper stock': 283509, 'shopper stock their': 761714, 'home with long': 402529, 'with long lasting': 999304, 'long lasting food': 501478, 'lasting food during': 480767, 'pandemic but our': 635049, 'but our figure': 146724, 'our figure suggest': 623066, 'figure suggest this': 305239, 'suggest this demand': 817548, 'this demand is': 887201, 'demand is beginning': 235715, 'beginning to stabilise': 123675, 'to stabilise read': 915113, 'stabilise read more': 791793, 'here retail consumer': 393523, 'despite clearly': 238695, 'clearly being': 181491, 'pandemic danielle': 635286, 'danielle is': 225834, 'currently classed': 221500, 'or shielded': 617044, 'shielded person': 758190, 'therefore cannot': 879417, 'appropriate support': 83054, 'medical access': 526030, 'despite clearly being': 238696, 'clearly being very': 181492, 'being very vulnerable': 126037, 'very vulnerable during': 955652, '19 pandemic danielle': 9306, 'pandemic danielle is': 635287, 'danielle is not': 225835, 'not currently classed': 568944, 'currently classed vulnerable': 221501, 'classed vulnerable or': 180307, 'vulnerable or shielded': 961071, 'or shielded person': 617045, 'shielded person and': 758191, 'person and therefore': 652311, 'and therefore cannot': 73862, 'therefore cannot get': 879418, 'cannot get appropriate': 161872, 'get appropriate support': 346597, 'appropriate support in': 83055, 'of online food': 587254, 'shopping or medical': 763547, 'or medical access': 616104, 'zooming': 1027849, 'into 600': 442359, '600 700': 21059, '700 then': 21904, 'then zooming': 877804, 'zooming past': 1027850, 'past 00': 643484, '00 these': 525, 'these aid': 879580, 'aid coming': 39368, 'coming are': 187993, 'are band': 84752, 'on broken': 599707, 'broken leg': 140905, 'leg consumer': 485804, 'at 2008': 97506, 'loan weren': 497557, 'weren an': 980392, '08 third': 1092, 'third strike': 886107, 'strike is': 813743, 'pull back into': 688851, 'back into 600': 107109, 'into 600 700': 442360, '600 700 then': 21060, '700 then zooming': 21905, 'then zooming past': 877805, 'zooming past 00': 1027851, 'past 00 these': 643485, '00 these aid': 526, 'these aid coming': 879581, 'aid coming are': 39369, 'coming are band': 187994, 'are band aid': 84753, 'aid on broken': 39429, 'on broken leg': 599708, 'broken leg consumer': 140906, 'leg consumer debt': 485805, 'debt is at': 230508, 'is at 2008': 445844, 'at 2008 level': 97507, '2008 level and': 13681, 'level and student': 487507, 'student loan weren': 814733, 'loan weren an': 497558, 'weren an issue': 980393, 'issue in 08': 455799, 'in 08 third': 419674, '08 third strike': 1093, 'third strike is': 886108, 'strike is covid': 813744, 'every job': 285963, 'in contributing': 421758, 'worker line': 1007326, 'line cook': 493036, 'cook sanitation': 202775, 'worker convenience': 1006694, 'attendant healthcare': 102352, 'others hero': 621458, 'hero love': 394036, 'every job ha': 285964, 'job ha it': 465846, 'ha it purpose': 371026, 'it purpose in': 460560, 'purpose in contributing': 690133, 'in contributing to': 421759, 'the community so': 851296, 'community so big': 190100, 'so big thanks': 776621, 'warehouse worker line': 966824, 'worker line cook': 1007327, 'line cook sanitation': 493037, 'cook sanitation worker': 202776, 'sanitation worker convenience': 733871, 'worker convenience store': 1006695, 'convenience store attendant': 202341, 'store attendant healthcare': 806605, 'attendant healthcare worker': 102353, 'healthcare worker food': 387359, 'many others hero': 514451, 'others hero love': 621459, 'oil price rally': 597226, 'rally on hope': 696276, 'on hope for': 601358, 'hope for stimulus': 403486, 'millennials have': 532009, 'of tide': 592160, 'tide pod': 895711, 'millennials have started': 532010, 'started hoarding food': 794751, 'hoarding food today': 399317, 'food today the': 317310, 'today the grocery': 920288, 'out of tide': 626858, 'of tide pod': 592161, 'amp stripping': 54578, 'it eaten': 457746, 'face empty': 294422, 'infuriates me the': 438254, 'me the most': 523651, 'the most about': 860940, 'buying amp stripping': 149895, 'amp stripping supermarket': 54579, 'perishable it ll': 651992, 'it ll end': 459423, 'before it eaten': 122881, 'it eaten while': 457747, 'need it face': 555086, 'it face empty': 457919, 'face empty shelf': 294423, 'peterhead': 653561, 'egg citing': 269824, 'citing news': 178804, 'news staff': 560810, 'supermarket peterhead': 821966, 'peterhead are': 653562, 'kindly distributing': 475117, 'distributing easter': 248072, 'egg citing news': 269825, 'citing news staff': 178805, 'news staff at': 560811, 'staff at morrison': 792234, 'at morrison supermarket': 99774, 'morrison supermarket peterhead': 541761, 'supermarket peterhead are': 821967, 'peterhead are kindly': 653563, 'are kindly distributing': 87693, 'kindly distributing easter': 475118, 'distributing easter egg': 248073, 'egg to emergency': 270010, 'emergency service food': 272961, 'service food bank': 752370, 'and charity to': 59763, 'charity to put': 173708, 'to put smile': 912611, 'smile on face': 775728, 'on face at': 600694, 'face at this': 294324, 'challenging time stayhomesavelives': 171649, 'superheroes come': 818677, 'many form': 514084, 'form today': 329575, 'today superheroes': 920229, 'superheroes are': 818673, 'driver volunteer': 259828, 'those choosing': 891873, 'entire empire': 278670, 'empire team': 273417, 'team sincerely': 835772, 'sincerely thanks': 771052, 'superheroes come in': 818678, 'come in many': 187369, 'in many form': 425054, 'many form today': 514085, 'form today superheroes': 329576, 'today superheroes are': 920230, 'superheroes are our': 818674, 'are our hospital': 88863, 'delivery driver volunteer': 233951, 'driver volunteer and': 259829, 'volunteer and those': 960216, 'and those choosing': 74021, 'those choosing to': 891874, 'choosing to self': 177945, 'isolate to prevent': 454932, '19 the entire': 11190, 'the entire empire': 854354, 'entire empire team': 278671, 'empire team sincerely': 273418, 'team sincerely thanks': 835773, 'sincerely thanks you': 771053, 'fuckyoupayme': 340094, 'they question': 882966, 'question when': 693798, 'when wear': 984476, 'glove love': 352761, 'employer but': 274494, 'money fuckyoupayme': 536778, 'store how am': 808217, 'how am on': 407346, 'this shit but': 890076, 'shit but nobody': 759076, 'nobody want me': 566079, 'me to wear': 523799, 'and they question': 73929, 'they question when': 882967, 'question when wear': 693799, 'when wear glove': 984477, 'wear glove love': 974341, 'glove love to': 352762, 'love to call': 504844, 'call out my': 156063, 'out my employer': 626597, 'my employer but': 548094, 'employer but need': 274495, 'but need this': 146459, 'this money fuckyoupayme': 888891, 'homecare': 402644, 'officer homecare': 595672, 'homecare worker': 402645, 'police officer homecare': 663123, 'officer homecare worker': 595673, 'homecare worker pharmacy': 402646, 'worker pharmacy other': 1007571, 'pharmacy other medical': 654410, 'public and can': 687845, 'and can stay': 59475, 'that psychology': 845897, 'lacking that psychology': 478696, 'that psychology in': 845898, 'supermarket during via': 820063, 'toluna': 923898, 'tolunainfluencers': 923901, 'recently engaged': 704093, 'our toluna': 625161, 'toluna community': 923899, 'member around': 528028, 'globe to': 352485, 'wa provided': 963006, 'survey respondent': 828933, 'respondent tolunainfluencers': 715389, 'tolunainfluencers insight': 923902, 'we recently engaged': 973038, 'recently engaged with': 704094, 'engaged with our': 276883, 'with our toluna': 1000028, 'our toluna community': 625162, 'toluna community member': 923900, 'community member around': 189981, 'member around the': 528029, 'the globe to': 856365, 'globe to understand': 352487, 'understand how they': 940651, 'how they feel': 408917, 'they feel about': 882101, 'feel about the': 302548, 'the coronavirus see': 851908, 'the video that': 870753, 'video that wa': 956917, 'that wa provided': 847305, 'wa provided to': 963007, 'provided to our': 686653, 'community to share': 190179, 'share insight with': 755065, 'insight with our': 439665, 'with our survey': 1000025, 'our survey respondent': 625057, 'survey respondent tolunainfluencers': 828934, 'respondent tolunainfluencers insight': 715390, 'edmontonions': 268723, 'please edmontonions': 659946, 'edmontonions look': 268724, 'floor in': 310805, 'arrow they': 94049, 'please edmontonions look': 659947, 'edmontonions look on': 268725, 'the floor in': 855423, 'floor in the': 310806, 'store and follow': 806243, 'the arrow they': 848925, 'arrow they are': 94050, 'is country': 446861, 'country about': 210405, 'insanity 19': 439096, 'panic buyer trying': 637611, 'trying to panic': 934836, 'panic buy freezer': 637484, 'store their panic': 810634, 'their panic bought': 874232, 'sold out too': 781754, 'out too so': 627725, 'too so is': 925070, 'so is country': 777441, 'is country about': 446862, 'country about to': 210406, 'many are going': 513760, 'going without please': 355819, 'sensibly and end': 750678, 'and end this': 62114, 'end this insanity': 275992, 'this insanity 19': 888127, 'first employee': 308652, 'from amid': 334467, 'concern customer': 192953, 'leaving staff': 485133, 'across the report': 29518, 'the report first': 865531, 'report first employee': 711939, 'first employee death': 308653, 'employee death two': 273761, 'york die from': 1016605, 'die from amid': 241340, 'from amid concern': 334468, 'amid concern customer': 52405, 'concern customer are': 192954, 'customer are leaving': 222125, 'are leaving staff': 87752, 'leaving staff at': 485134, 'at risk via': 100411, 'from wish': 338388, 'wish wish': 996851, 'wish online': 996800, 'sale toiletpaper': 732596, 'tp small': 927941, 'small funny': 774967, 'comedy meme': 187768, 'not order toilet': 570852, 'order toilet paper': 618723, 'paper from wish': 640199, 'from wish wish': 338389, 'wish wish online': 996852, 'wish online sale': 996801, 'online sale toiletpaper': 608928, 'sale toiletpaper tp': 732597, 'toiletpaper tp small': 922752, 'tp small funny': 927942, 'small funny comedy': 774968, 'funny comedy meme': 341714, 'comedy meme meme': 187769, 'nfha': 561760, 'nfha joined': 561761, 'joined civil': 466926, 'consumer housing': 197782, 'housing amp': 407048, 'amp labor': 54055, 'labor group': 478413, 'urging congressional': 948413, 'congressional leadership': 194561, 'leadership to': 483664, 'financial devastation': 306396, 'devastation brought': 239610, 'the joint': 858687, 'nfha joined civil': 561762, 'joined civil right': 466927, 'civil right consumer': 179533, 'right consumer housing': 721848, 'consumer housing amp': 197783, 'housing amp labor': 407049, 'amp labor group': 54056, 'labor group in': 478414, 'in urging congressional': 430479, 'urging congressional leadership': 948414, 'congressional leadership to': 194562, 'leadership to protect': 483665, 'to protect family': 912304, 'protect family from': 684831, 'family from financial': 297826, 'from financial devastation': 335471, 'financial devastation brought': 306397, 'devastation brought on': 239611, 'read the joint': 700580, 'the joint letter': 858688, 'problem visit': 679734, 'visit healthy': 959269, 'healthy online': 387713, 'till you': 896133, 'home healthylifestyle': 401360, 'healthylifestyle healthyfood': 387852, 'healthyfood shopping': 387841, 'no problem visit': 565202, 'problem visit healthy': 679735, 'visit healthy online': 959270, 'healthy online store': 387714, 'store shop till': 810122, 'shop till you': 760938, 'till you drop': 896134, 'you drop and': 1018362, 'drop and they': 260127, 'they will deliver': 883839, 'your home healthylifestyle': 1024358, 'home healthylifestyle healthyfood': 401361, 'healthylifestyle healthyfood shopping': 387853, 'healthyfood shopping shoppingonline': 387842, 'about ecommerce': 25152, 'the answered': 848778, 'answered supplychain': 78187, 'retail shipping': 718545, 'of your question': 593515, 'question about ecommerce': 693498, 'about ecommerce and': 25153, 'ecommerce and the': 266714, 'and the answered': 73244, 'the answered supplychain': 848779, 'answered supplychain retail': 78188, 'supplychain retail shipping': 826225, 'delivered beer': 233302, 'beer online': 122493, 'butter tart': 148169, 'tart how': 834645, 'how small': 408693, 'home delivered beer': 401000, 'delivered beer online': 233303, 'beer online shopping': 122494, 'shopping and butter': 761967, 'and butter tart': 59323, 'butter tart how': 148170, 'tart how small': 834646, 'how small business': 408694, 'business in are': 143878, 'in are surviving': 420485, 're joined': 698935, 'by dr': 152419, 'dr gary': 258024, 'mortimer to': 541978, 'satisfy increased': 736959, 'up next we': 945455, 'next we re': 561661, 'we re joined': 972902, 're joined by': 698936, 'joined by dr': 466923, 'by dr gary': 152420, 'dr gary mortimer': 258025, 'gary mortimer to': 343743, 'mortimer to discus': 541979, 'discus how amazon': 244860, '00 more people': 343, 'people to satisfy': 649936, 'to satisfy increased': 913766, 'satisfy increased demand': 736960, '3215': 17709, 'laugh that': 481771, 'that boris': 843010, 'restaurant went': 716793, 'morrison this': 541771, 'wa 3215': 961371, '3215 people': 17710, 'people crammed': 647572, 'there running': 879006, 'running round': 728047, 'you laugh that': 1019561, 'laugh that boris': 481772, 'that boris say': 843011, 'boris say don': 135489, 'say don go': 738588, 'to pub restaurant': 912468, 'pub restaurant went': 687762, 'restaurant went to': 716794, 'went to morrison': 979176, 'to morrison this': 910280, 'morrison this morning': 541772, 'there wa 3215': 879222, 'wa 3215 people': 961372, '3215 people crammed': 17711, 'people crammed in': 647573, 'crammed in there': 214844, 'in there running': 429816, 'there running round': 879007, 'running round like': 728048, 'round like supermarket': 726333, 'mortar cre': 541819, 'amazon had': 50973, 'been interested': 121398, 'interested pre': 441482, 'pre is': 669174, 'is bidding': 446165, 'grocer fairway': 364126, 'fairway market': 296468, 'market expanding': 516355, 'supermarket footprint': 820377, 'and mortar cre': 67243, 'mortar cre amazon': 541820, 'cre amazon had': 215503, 'amazon had been': 50974, 'had been interested': 372897, 'been interested pre': 121399, 'interested pre is': 441483, 'pre is bidding': 669175, 'is bidding on': 446166, 'bidding on supermarket': 129519, 'on supermarket owned': 603801, 'owned by new': 632333, 'city grocer fairway': 179161, 'grocer fairway market': 364127, 'fairway market expanding': 296469, 'market expanding it': 516356, 'expanding it supermarket': 290510, 'it supermarket footprint': 461362, 'is 2027': 445185, 'omar present': 598862, 'the monument': 860859, 'monument to': 538248, 'kept this': 473086, 'year is 2027': 1014668, 'is 2027 president': 445186, 'president omar present': 670876, 'omar present the': 598863, 'present the monument': 670629, 'the monument to': 860860, 'monument to the': 538249, 'brave hero who': 138221, 'hero who kept': 394169, 'who kept this': 989164, 'kept this country': 473087, 'onag': 605539, 'despite these': 238907, 'everyone chance': 286773, 'safe onag': 729851, 'that the agricultural': 846657, 'agricultural sector will': 38923, 'sector will continue': 744401, 'good food despite': 357056, 'food despite these': 314197, 'despite these difficulty': 238908, 'give everyone chance': 350479, 'everyone chance to': 286774, 'stay safe onag': 797257, 'or introduce': 615817, 'introduce social': 443396, 'around world': 93649, 'detention facility have': 239376, 'facility have failed': 295341, 'provide soap sanitizer': 686479, 'soap sanitizer or': 779110, 'sanitizer or introduce': 735486, 'or introduce social': 615818, 'introduce social distancing': 443397, 'distancing case increasing': 247074, 'case increasing in': 165822, 'increasing in refugee': 433627, 'camp around world': 157169, 'must build': 546571, 'trust sap': 934305, 'sap consumer': 736674, 'brand must build': 137915, 'must build trust': 546572, 'build trust sap': 142011, 'trust sap consumer': 934306, 'sap consumer sentiment': 736675, 'gdp forecast': 344883, 'economy should': 268211, 'should decrease': 765901, 'decrease by': 231558, '2020 low': 14425, 'cut ahk': 223223, 'of america ha': 580040, 'america ha drastically': 51542, 'drastically reduced it': 258457, 'reduced it gdp': 706107, 'it gdp forecast': 458209, 'gdp forecast for': 344884, 'for the russian': 326666, 'economy russia economy': 268193, 'russia economy should': 728465, 'economy should decrease': 268212, 'should decrease by': 765902, 'decrease by in': 231559, 'by in 2020': 152877, 'in 2020 low': 419843, '2020 low oil': 14426, 'and the are': 73245, 'for the cut': 326370, 'the cut ahk': 852742, 'cut ahk liveticker': 223224, 'become agoraphobic': 119909, 'agoraphobic this': 38581, 'emergency continues': 272640, 'continues last': 201411, 'friday wa': 333317, 'wa gloomy': 962213, 'gloomy about': 352505, 'isolation living': 455333, 'cupboard bare': 220471, 'persuade myself': 653265, 'will become agoraphobic': 992788, 'become agoraphobic this': 119910, 'agoraphobic this emergency': 38582, 'this emergency continues': 887364, 'emergency continues last': 272641, 'continues last friday': 201412, 'last friday wa': 480247, 'friday wa gloomy': 333318, 'wa gloomy about': 962214, 'gloomy about isolation': 352506, 'about isolation living': 25560, 'isolation living alone': 455334, 'living alone do': 496317, 'alone do this': 46843, 'do this friday': 250352, 'this friday the': 887619, 'friday the cupboard': 333293, 'the cupboard bare': 852575, 'cupboard bare and': 220472, 'bare and trying': 110862, 'trying to persuade': 934838, 'to persuade myself': 911680, 'persuade myself to': 653266, 'myself to get': 550960, 'up and out': 944355, 'and out to': 68537, 'want to mum': 966071, 'gud': 367937, 'nature hardly': 552956, 'potato growing': 666939, 'growing farmer': 367189, 'farmer got': 299388, 'respite with': 715274, 'of table': 590566, 'table crop': 831462, 'crop but': 218907, 'ha diminished': 370384, 'diminished trader': 242943, 'market hope': 516528, 'farmer keep': 299431, 'getting gud': 349012, 'gud price': 367938, 'price yogendrayadav': 677686, 'even nature hardly': 284402, 'nature hardly had': 552957, 'had potato growing': 373420, 'potato growing farmer': 666940, 'growing farmer got': 367190, 'farmer got some': 299389, 'got some respite': 358856, 'some respite with': 783746, 'respite with surge': 715275, 'price of table': 675581, 'of table crop': 590567, 'table crop but': 831463, 'crop but ha': 218908, 'but ha diminished': 145836, 'ha diminished trader': 370385, 'diminished trader from': 242944, 'from market hope': 336360, 'market hope farmer': 516529, 'hope farmer keep': 403471, 'farmer keep on': 299432, 'keep on getting': 471703, 'on getting gud': 601083, 'getting gud price': 349013, 'gud price yogendrayadav': 367939, 'if doesn': 414056, 'doesn bring': 251719, 'down canadian': 256617, 'canadian real': 160736, 'is invincible': 448978, 'if doesn bring': 414057, 'doesn bring down': 251720, 'bring down canadian': 139958, 'down canadian real': 256618, 'canadian real estate': 160737, 'estate price it': 282181, 'it is invincible': 458991, 'left unprotected': 485708, 'unprotected in': 943258, 'in against': 420100, 'against deadly': 37413, 'deadly aid': 229244, 'medical staff left': 526399, 'staff left unprotected': 792614, 'left unprotected in': 485709, 'unprotected in against': 943259, 'in against deadly': 420101, 'against deadly aid': 37414, 'deadly aid provided': 229245, 'sold in black': 781683, 'in black market': 420870, 'invester': 443787, 'boycotthu': 137374, 'correct before': 207505, 'before invester': 122871, 'invester we': 443788, 'human but': 410449, 'but news': 146469, 'when whole': 984494, 'with request': 1000468, 'them boycotthu': 875486, 'are correct before': 85579, 'correct before invester': 207506, 'before invester we': 122872, 'invester we are': 443789, 'we are human': 970595, 'are human but': 87269, 'human but news': 410450, 'but news ha': 146470, 'news ha increased': 560492, 'their price by': 874383, '10 and in': 1315, 'time when whole': 898310, 'when whole world': 984495, 'is fighting with': 447797, 'fighting with request': 305161, 'with request you': 1000469, 'action against them': 29938, 'against them boycotthu': 37688, 'quarantineatvshow': 692780, 'firefauci': 308188, 'stimulusdeposit': 801641, 'pandemic 2020': 634778, '2020 quarantineatvshow': 14546, 'quarantineatvshow firetrump': 692781, 'firetrump firefauci': 308272, 'firefauci stimulusdeposit': 308189, 'stimulusdeposit toiletpaper': 801642, 'toiletpaperpanic stayhome': 923247, 'made it through': 507809, 'it through the': 461679, 'the pandemic 2020': 862891, 'pandemic 2020 quarantineatvshow': 634779, '2020 quarantineatvshow firetrump': 14547, 'quarantineatvshow firetrump firefauci': 692782, 'firetrump firefauci stimulusdeposit': 308273, 'firefauci stimulusdeposit toiletpaper': 308190, 'stimulusdeposit toiletpaper toiletpaperpanic': 801643, 'toiletpaper toiletpaperpanic stayhome': 922705, 'toiletpaperpanic stayhome stayathome': 923248, 'store virus': 811073, 'pandemic who': 636994, 'do to stay': 250405, 'grocery store virus': 365916, 'store virus flu': 811074, 'flu pandemic who': 311444, 'pandemic who cdc': 636995, 'own savior': 632190, 'our own savior': 624212, 'their guest': 873457, 'they thank': 883546, 'homeless charity are': 402739, 'charity are struggling': 173569, 'cook for their': 202744, 'for their guest': 326834, 'their guest due': 873458, 'purchased they thank': 689812, 'they thank for': 883547, 'my boomer': 547499, 'boomer mom': 134853, 'mom tried': 535823, 'week martin': 976510, 'my boomer mom': 547500, 'boomer mom tried': 134854, 'mom tried online': 535824, 'tried online grocery': 931808, 'this week martin': 891230, '28brl': 16449, 'fixit': 309873, 'hey po': 394478, 'po why': 662138, 'why arent': 990809, 'arent gas': 92618, 'ca pricegouging': 154902, 'pricegouging oil': 677829, 'at 28brl': 97567, '28brl fixit': 16450, 'fixit chinesevirus': 309874, 'hey po why': 394479, 'po why arent': 662139, 'why arent gas': 990810, 'arent gas price': 92619, 'price falling in': 673814, 'falling in ca': 297288, 'in ca pricegouging': 421118, 'ca pricegouging oil': 154903, 'pricegouging oil is': 677830, 'is at 28brl': 445847, 'at 28brl fixit': 97568, '28brl fixit chinesevirus': 16451, 'psychology on': 687575, 'are 20': 84114, 'off either': 593800, '20 free': 13062, 'free added': 331627, 'added seeing': 31604, 'making gift': 511089, 'most helpful': 542381, 'consumer psychology on': 198600, 'psychology on which': 687576, 'which one would': 986205, 'one would result': 607515, 'card are 20': 163460, 'are 20 off': 84115, '20 off either': 13209, 'off either all': 593801, 'either all gift': 270249, 'have 20 free': 379083, '20 free added': 13063, 'free added seeing': 331628, 'added seeing so': 31605, 'so many small': 777705, 'small business making': 774875, 'business making gift': 144026, 'making gift card': 511090, 'wondering which one': 1004205, 'would be most': 1011621, 'be most helpful': 116005, 'the coastal': 851115, 'community church': 189784, 'church food': 178361, 'pantry pleading': 639646, 'donation not': 254640, 'even minute': 284332, 'already coming': 47266, 'still donate': 800457, 'donate until': 254277, 'until pm': 943815, 'remember the coastal': 710302, 'the coastal community': 851116, 'coastal community church': 185128, 'community church food': 189785, 'church food pantry': 178362, 'food pantry pleading': 315793, 'pantry pleading for': 639647, 'pleading for donation': 659584, 'for donation not': 320830, 'donation not even': 254641, 'not even minute': 569264, 'even minute in': 284333, 'minute in and': 533776, 'in and people': 420383, 'are already coming': 84402, 'already coming in': 47267, 'coming in you': 188104, 'in you can': 431048, 'can still donate': 159771, 'still donate until': 800458, 'donate until pm': 254278, 'or intolerance': 615815, 'intolerance please': 443336, 'ordered doe': 618842, 'contain an': 200461, 'ingredient which': 438411, 'would harm': 1011863, 'harm you': 378427, 'takeaway are in': 832846, 'have food allergy': 380648, 'allergy or intolerance': 45783, 'or intolerance please': 615816, 'intolerance please check': 443337, 'please check that': 659779, 'check that food': 174639, 'that food ordered': 843911, 'food ordered doe': 315685, 'ordered doe not': 618843, 'doe not contain': 251485, 'not contain an': 568855, 'contain an ingredient': 200462, 'an ingredient which': 56333, 'ingredient which would': 438412, 'which would harm': 986516, 'would harm you': 1011864, 'fence': 303520, 'are tweeting': 91238, 'about non': 25807, 'store staying': 810367, 'post story': 666331, 'person about': 652294, 'please decide': 659870, 'what side': 982190, 'the fence': 855108, 'fence your': 303521, 'your on': 1025063, 'on saying': 603322, 'had is': 373206, 'here you are': 393854, 'you are tweeting': 1017273, 'are tweeting about': 91239, 'tweeting about non': 936467, 'about non essential': 25808, 'retail store staying': 718704, 'store staying open': 810368, 'staying open but': 798672, 'open but then': 612129, 'then you post': 877791, 'you post story': 1020384, 'post story for': 666332, 'story for covid': 811975, '19 person about': 9660, 'person about social': 652295, 'home please decide': 401863, 'please decide what': 659871, 'decide what side': 230851, 'what side of': 982191, 'of the fence': 591019, 'the fence your': 855109, 'fence your on': 303522, 'your on saying': 1025064, 'on saying that': 603323, 'saying that an': 739697, 'an employee had': 55709, 'employee had is': 273906, 'say silly': 739138, 'silly don': 769752, 'but fight': 145718, 'fight challenge': 304692, 'stuff hiking': 815086, 'of lifeline': 585844, 'lifeline food': 489306, 'stuff already': 815001, 'already this': 47723, 'this gov': 887732, 'bloody loser': 133211, 'loser van': 503512, 'to say silly': 913837, 'say silly don': 739139, 'silly don panic': 769753, 'don panic but': 253796, 'panic but fight': 637446, 'but fight challenge': 145719, 'fight challenge with': 304693, 'challenge with covid': 171600, '19 we the': 11955, 'we the ppl': 973522, 'the ppl of': 864176, 'ppl of india': 668296, 'of india have': 585105, 'india have panic': 434451, 'have panic for': 381880, 'panic for shortage': 638125, 'shortage of stuff': 765136, 'of stuff hiking': 590330, 'stuff hiking price': 815087, 'price of lifeline': 675490, 'of lifeline food': 585845, 'lifeline food stuff': 489307, 'food stuff already': 316883, 'stuff already this': 815002, 'already this gov': 47724, 'this gov is': 887733, 'gov is bloody': 359607, 'is bloody loser': 446214, 'bloody loser van': 133212, 'cufflink': 220216, 'shifaa': 758209, 'includin': 431834, 'this classic': 886780, 'classic cufflink': 180319, 'cufflink for': 220217, 'just naira': 469296, 'naira only': 551493, 'limited offer': 492682, 'offer 50': 594505, '50 discount': 19672, 'discount may': 244492, 'allah swt': 45611, 'swt protect': 830643, 'he grant': 385007, 'grant shifaa': 362045, 'shifaa to': 758210, 'infected worldwide': 436674, 'worldwide includin': 1010379, 'includin atiku': 431835, 'atiku son': 101799, 'world so we': 1009987, 'so we drop': 778665, 'we drop our': 971421, 'drop our price': 260359, 'our price dropping': 624441, 'price dropping the': 673608, 'dropping the the': 260738, 'the the price': 869396, 'price of this': 675590, 'of this classic': 591953, 'this classic cufflink': 886781, 'classic cufflink for': 180320, 'cufflink for just': 220218, 'for just naira': 322794, 'just naira only': 469297, 'naira only limited': 551494, 'only limited offer': 610732, 'limited offer 50': 492683, 'offer 50 discount': 594506, '50 discount may': 19673, 'discount may allah': 244493, 'may allah swt': 520906, 'allah swt protect': 45612, 'swt protect and': 830644, 'family and may': 297594, 'and may he': 66799, 'may he grant': 521263, 'he grant shifaa': 385008, 'grant shifaa to': 362046, 'shifaa to all': 758211, 'those infected worldwide': 892119, 'infected worldwide includin': 436675, 'worldwide includin atiku': 1010380, 'includin atiku son': 431836, 'weekly socialdistancing': 977573, 'and outdoor': 68541, 'outdoor restriction': 628903, 'live broadcast': 495756, 'broadcast and': 140734, 'the tigerking': 869547, 'tigerking on': 895812, 'this weekly socialdistancing': 891331, 'weekly socialdistancing check': 977574, 'socialdistancing check in': 780277, 'check in we': 174474, 'in we talk': 430733, 'latest grocery store': 481371, 'store and outdoor': 806314, 'and outdoor restriction': 68542, 'outdoor restriction the': 628904, 'restriction the stream': 717390, 'the stream live': 868211, 'stream live broadcast': 812781, 'live broadcast and': 495757, 'broadcast and the': 140735, 'and the tigerking': 73616, 'the tigerking on': 869548, 'tigerking on netflix': 895813, 'dumbtards': 262141, 'masspanic': 520193, 'stupidpeople': 815567, 'your spider': 1025887, 'spider sens': 789246, 'sens pick': 750470, 'on dumbtards': 600438, 'dumbtards panic': 262142, 'disabled weak': 243981, 'weak and': 973992, 'old suffer': 598485, 'suffer masspanic': 817218, 'masspanic stupidpeople': 520194, 'stupidpeople emptyshelves': 815568, 'when your spider': 984640, 'your spider sens': 1025888, 'spider sens pick': 789247, 'sens pick up': 750471, 'pick up on': 655741, 'up on dumbtards': 945549, 'on dumbtards panic': 600439, 'dumbtards panic buying': 262143, 'the food whilst': 855624, 'food whilst the': 317605, 'whilst the disabled': 987694, 'the disabled weak': 853337, 'disabled weak and': 243982, 'weak and old': 973993, 'and old suffer': 68036, 'old suffer masspanic': 598486, 'suffer masspanic stupidpeople': 817219, 'masspanic stupidpeople emptyshelves': 520195, 'town would': 927597, 'fucking trump': 340043, 'supporter can': 827085, 'stupid maga': 815421, 'maga hat': 508278, 'hat on': 378853, 'head even': 385740, 're australian': 698331, 'australian heard': 103501, 'heard one': 388132, 'say well': 739464, 'realise how many': 701596, 'my town would': 550422, 'town would be': 927598, 'would be fucking': 1011586, 'be fucking trump': 114974, 'fucking trump supporter': 340044, 'trump supporter can': 933879, 'supporter can even': 827086, 'can even see': 158258, 'see the stupid': 745887, 'the stupid maga': 868346, 'stupid maga hat': 815422, 'maga hat on': 508279, 'hat on their': 378854, 'on their head': 604487, 'their head even': 873501, 'head even tho': 385741, 'tho we re': 891698, 'we re australian': 972830, 're australian heard': 698332, 'australian heard one': 103502, 'heard one person': 388133, 'supermarket say well': 822330, 'say well it': 739465, 'well it like': 978339, 'it like trump': 459381, 'like trump said': 491679, 'trump said last': 933804, 'said last night': 731191, 'last night no': 480386, 'night no no': 563038, 'pandemic worse': 637054, 'call opportunistic': 156051, 'opportunistic greed': 613564, 'greed how': 363386, 'selling foodstuff': 749247, 'for triple': 327349, 'crazy hike': 215311, 'hike we': 396297, 'own enemy': 631968, 'enemy abeg': 276342, 'abeg hypocrite': 24311, 'think the pandemic': 885645, 'the pandemic worse': 863161, 'pandemic worse than': 637055, '19 is what': 8082, 'what we call': 982543, 'we call opportunistic': 970886, 'call opportunistic greed': 156052, 'opportunistic greed how': 613565, 'greed how do': 363387, 'do you explain': 250628, 'you explain the': 1018493, 'explain the fact': 292119, 'fact that supermarket': 295811, 'been selling foodstuff': 121913, 'selling foodstuff for': 749248, 'foodstuff for triple': 318168, 'for triple price': 327350, 'triple price so': 932259, 'so what if': 778720, 'what if cant': 981623, 'if cant afford': 413943, 'cant afford your': 162265, 'afford your crazy': 34826, 'your crazy hike': 1023375, 'crazy hike we': 215312, 'hike we are': 396298, 'our own enemy': 624202, 'own enemy abeg': 631969, 'enemy abeg hypocrite': 276343, 'simple basic': 769992, 'do the simple': 250266, 'the simple basic': 867198, 'waltermart': 965519, 'at waltermart': 101486, 'waltermart since': 965520, 'since 30am': 770478, 'until 9am': 943665, '9am there': 23966, '50 soul': 19857, 'soul in': 786230, 'me already': 522380, '6am if': 21562, 'if online': 414545, 'still backlogged': 800234, 'line at waltermart': 492994, 'at waltermart since': 101487, 'waltermart since 30am': 965521, 'since 30am today': 770479, '30am today the': 17438, 'will not open': 994251, 'open until 9am': 612627, 'until 9am there': 943666, '9am there are': 23967, 'there are 50': 878055, 'are 50 soul': 84136, '50 soul in': 19858, 'soul in front': 786231, 'of me already': 586322, 'me already in': 522381, 'already in week': 47478, 'in week will': 430778, 'week will start': 977258, 'start to fall': 794581, 'line at 6am': 492978, 'at 6am if': 97723, '6am if online': 21563, 'if online grocery': 414546, 'are still backlogged': 90395, 'carbon crisis': 163394, 'latest supply': 481563, 'disruption threatening': 246532, 'it struggle': 461322, 'worker employed': 1006845, 'meeting rising': 527753, 'the carbon crisis': 850401, 'carbon crisis is': 163395, 'the latest supply': 859150, 'latest supply chain': 481564, 'chain disruption threatening': 170654, 'disruption threatening the': 246533, 'threatening the food': 893826, 'food industry it': 315017, 'industry it struggle': 435944, 'it struggle to': 461323, 'keep worker employed': 472217, 'worker employed during': 1006846, 'the outbreak while': 862723, 'outbreak while meeting': 628818, 'while meeting rising': 987053, 'meeting rising demand': 527754, 'rising demand at': 723194, 'demand at supermarket': 235047, 'maggi': 508374, 'gocorona': 354634, 'the maggi': 859880, 'maggi shelf': 508375, 'what wasn': 982533, 'even touched': 284736, 'touched veg': 926649, 'veg atta': 953723, 'atta noodle': 102025, 'noodle placed': 566815, 'placed right': 657914, 'the hint': 857381, 'hint corona': 396903, 'corona coronago': 203876, 'coronago gocorona': 204964, 'some stuff and': 783979, 'stuff and noticed': 815007, 'and noticed that': 67806, 'noticed that the': 573485, 'that the maggi': 846766, 'the maggi shelf': 859881, 'maggi shelf wa': 508376, 'completely empty you': 192284, 'empty you know': 275250, 'know what wasn': 476985, 'what wasn even': 982534, 'wasn even touched': 967973, 'even touched veg': 284737, 'touched veg atta': 926650, 'veg atta noodle': 953724, 'atta noodle placed': 102026, 'noodle placed right': 566816, 'placed right next': 657915, 'next to it': 561624, 'to it take': 908620, 'take the hint': 832652, 'the hint corona': 857382, 'hint corona coronago': 396904, 'corona coronago gocorona': 203877, 'done lol': 254926, 'lol geez': 500904, 'geez my': 345050, 'fellow aussie': 303267, 'aussie get': 103122, 'grip coronapocalypse': 364012, 'well done lol': 978190, 'done lol geez': 254927, 'lol geez my': 500905, 'geez my fellow': 345051, 'my fellow aussie': 548299, 'fellow aussie get': 303268, 'aussie get grip': 103123, 'get grip coronapocalypse': 347154, 'includes your': 431832, 'includes your local': 431833, 'to the maryland': 916867, 'the maryland consumer': 860205, 'bat thank': 112555, 'except bat thank': 289132, 'bat thank god': 112556, 'god have toiletpaper': 354732, 'have toiletpaper canada': 383354, 'behishandsandfeet': 124768, 'only gather': 610496, 'stophoarding behishandsandfeet': 805359, 'only gather what': 610497, 'gather what you': 344413, 'need stophoarding behishandsandfeet': 555654, 'pa wth': 632902, 'people twisted': 650038, 'pa wth is': 632903, 'with people twisted': 1000178, 'people twisted coronavirus': 650039, 'everlasting': 285621, 'this everlasting': 887457, 'everlasting cycle': 285622, 'cycle hungry': 224052, 'spread greedy': 790548, 'starve hungry': 795200, 'in this everlasting': 429944, 'this everlasting cycle': 887458, 'everlasting cycle hungry': 285623, 'cycle hungry person': 224053, 'corona virus virus': 204372, 'virus virus spread': 958980, 'virus spread greedy': 958786, 'spread greedy idiot': 790549, 'all food people': 42818, 'food people starve': 315838, 'people starve hungry': 649550, 'scam across': 739965, 'across social': 29453, 'of the surge': 591515, 'surge in related': 828205, 'in related scam': 427367, 'related scam across': 708544, 'scam across social': 739966, 'across social medium': 29454, 'text message and': 839905, 'message and website': 529269, 'typing': 937670, 'hiya hun': 398616, 'hun im': 410964, 'im typing': 416594, 'typing in': 937671, 'capital livid': 162663, 'livid can': 496302, 'big boo': 129649, 'boo to': 134433, 'to booth': 901935, 'booth supermarket': 135128, 'supermarket opposite': 821790, 'opposite preston': 613804, 'preston hospital': 671285, 'hospital they': 404682, 'or anybody': 614366, 'medical uniform': 526488, 'uniform just': 941770, 'incase their': 431344, 'customer get': 222411, 'hiya hun im': 398617, 'hun im typing': 410965, 'im typing in': 416595, 'typing in capital': 937672, 'in capital livid': 421223, 'capital livid can': 162664, 'livid can you': 496303, 'you give shout': 1018831, 'shout out or': 766774, 'out or big': 626950, 'or big boo': 614553, 'big boo to': 129650, 'boo to booth': 134434, 'to booth supermarket': 901936, 'booth supermarket opposite': 135129, 'supermarket opposite preston': 821791, 'opposite preston hospital': 613805, 'preston hospital they': 671286, 'hospital they are': 404683, 'are refusing entry': 89539, 'entry to nurse': 279034, 'to nurse or': 910757, 'nurse or anybody': 577439, 'or anybody in': 614367, 'anybody in medical': 80094, 'in medical uniform': 425230, 'medical uniform just': 526489, 'uniform just incase': 941771, 'just incase their': 469057, 'incase their customer': 431345, 'their customer get': 872951, 'customer get covid': 222412, 'county having': 211402, 'next city': 561306, 'city all': 179038, 'tried for hour': 931780, 'for hour to': 322403, 'hour to order': 406032, 'one will deliver': 607473, 'my county having': 547825, 'county having nervous': 211403, 'seriously curfew cannot': 751574, 'curfew cannot go': 220863, 'go out can': 353940, 'out can die': 625825, 'can die while': 158064, 'work cannot visit': 1004976, 'cannot visit the': 162210, 'the next city': 861657, 'next city all': 561307, 'city all the': 179039, 'the doctor closed': 853460, 'closed all store': 182970, 'store closed war': 807070, 'queersinquarantine': 693430, 'lockdown complete': 499252, 'complete broke': 192068, 'joke from': 467082, 'and contemplate': 60483, 'contemplate my': 200760, 'my an': 547258, 'an undercut': 56829, 'undercut we': 940417, 'next 13': 561261, 'go staysafestayhome': 354164, 'staysafestayhome stayathomechallenge': 799022, 'stayathomechallenge queersinquarantine': 797742, 'of lockdown complete': 585952, 'lockdown complete broke': 499253, 'complete broke joke': 192069, 'broke joke from': 140836, 'joke from online': 467083, 'shopping and contemplate': 761971, 'and contemplate my': 60484, 'contemplate my an': 200761, 'my an undercut': 547259, 'an undercut we': 56830, 'undercut we ll': 940418, 'the next 13': 861644, 'next 13 day': 561262, '13 day go': 3205, 'day go staysafestayhome': 227675, 'go staysafestayhome stayathomechallenge': 354165, 'staysafestayhome stayathomechallenge queersinquarantine': 799023, 'everythingfloats': 288142, 'stephenking': 799752, 'it everythingfloats': 457886, 'everythingfloats toiletpaper': 288143, 'tp nypause': 927884, 'nypause stephenking': 578116, 'need that toilet': 555734, 'paper it everythingfloats': 640377, 'it everythingfloats toiletpaper': 457887, 'everythingfloats toiletpaper tp': 288144, 'toiletpaper tp nypause': 922750, 'tp nypause stephenking': 927885, 'zero027': 1027518, 'edits': 268682, 'proofreads': 684034, '19 formed': 7095, 'your academic': 1022730, 'academic or': 27772, 'business progress': 144271, 'progress shall': 683380, 'prosper zero027': 684721, 'zero027 still': 1027519, 'still edits': 800473, 'edits and': 268683, 'and proofreads': 69624, 'proofreads your': 684035, 'your thesis': 1026137, 'thesis dissertation': 881022, 'dissertation book': 246589, 'book article': 134477, 'covid 19 formed': 213120, '19 formed against': 7096, 'formed against your': 329602, 'against your academic': 37755, 'your academic or': 1022731, 'academic or business': 27773, 'or business progress': 614608, 'business progress shall': 144272, 'progress shall prosper': 683381, 'shall prosper zero027': 754548, 'prosper zero027 still': 684722, 'zero027 still edits': 1027520, 'still edits and': 800474, 'edits and proofreads': 268684, 'and proofreads your': 69625, 'proofreads your thesis': 684036, 'your thesis dissertation': 1026138, 'thesis dissertation book': 881023, 'dissertation book article': 246590, 'book article and': 134478, 'article and report': 94255, 'and report at': 70261, 'report at reasonable': 711816, 'who expect': 988713, 'expect higher': 290654, 'higher inflation': 395613, 'inflation for': 437182, 'march 2011': 515138, '2011 tohoku': 13771, 'earthquake expect': 265034, 'lower inflation': 505891, 'inflation in': 437194, 'shock analysis': 759419, 'analysis compare': 57032, 'major shock': 509461, 'people who expect': 650297, 'who expect higher': 988714, 'expect higher inflation': 290655, 'higher inflation for': 395614, 'inflation for good': 437183, 'of the march': 591221, 'the march 2011': 860061, 'march 2011 tohoku': 515139, '2011 tohoku earthquake': 13772, 'tohoku earthquake expect': 921116, 'earthquake expect lower': 265035, 'expect lower inflation': 290675, 'lower inflation in': 505892, 'inflation in response': 437195, 'to the shock': 917058, 'the shock analysis': 866961, 'shock analysis compare': 759420, 'analysis compare the': 57033, 'and service price': 71311, 'service price to': 752717, 'price to major': 677011, 'to major shock': 909610, 'observes': 578644, 'theweek': 881065, 'report observes': 712101, 'observes that': 578645, 'private consumption': 678885, 'particular is': 642619, 'pandemic india': 635726, 'india economicslowdown': 434387, 'economicslowdown theweek': 267507, 'report observes that': 712102, 'observes that private': 578646, 'that private consumption': 845842, 'private consumption in': 678886, 'consumption in particular': 199894, 'in particular is': 426533, 'particular is at': 642620, 'is at serious': 445874, 'serious risk from': 751471, 'the pandemic india': 862998, 'pandemic india economicslowdown': 635727, 'india economicslowdown theweek': 434388, 'from mla': 336450, 'mla research': 534742, 'consumer found': 197530, 'that isolation': 844687, 'have driven': 380365, 'driven shift': 259354, 'seen stronger': 747255, 'for australian': 319530, 'finding from mla': 307474, 'from mla research': 336451, 'mla research on': 534743, 'chinese consumer found': 177227, 'consumer found that': 197531, 'found that isolation': 330400, 'that isolation and': 844688, 'isolation and lockdown': 455195, 'lockdown measure have': 499651, 'measure have driven': 525215, 'have driven shift': 380366, 'driven shift in': 259355, 'behaviour that have': 124533, 'have seen stronger': 382444, 'seen stronger demand': 747256, 'demand for australian': 235381, 'for australian red': 319531, '615': 21203, '741': 22094, '4737': 19281, 'our division': 622784, 'been chasing': 120819, 'down scam': 257167, 'scam all': 739984, 'over tennessee': 630684, 'tennessee including': 837954, 'we contacted': 971180, 'owner the': 632576, 'operation stopped': 613265, 'stopped but': 805688, 'this truck': 890862, 'truck call': 932741, 'at 615': 97711, '615 741': 21204, '741 4737': 22095, 'our division of': 622785, 'affair ha been': 34049, 'ha been chasing': 369747, 'been chasing down': 120820, 'chasing down scam': 173906, 'down scam all': 257168, 'scam all over': 739985, 'all over tennessee': 43881, 'over tennessee including': 630685, 'tennessee including this': 837955, 'including this one': 432200, 'this one after': 889228, 'one after we': 605874, 'after we contacted': 36515, 'we contacted the': 971181, 'contacted the owner': 200337, 'the owner the': 862814, 'owner the operation': 632577, 'the operation stopped': 862392, 'operation stopped but': 613266, 'stopped but if': 805689, 'see this truck': 745960, 'this truck call': 890863, 'truck call at': 932742, 'call at 615': 155781, 'at 615 741': 97712, '615 741 4737': 21205, 'brahach': 137572, 'usecon': 949853, 'michigan index': 530351, 'sentiment reported': 750989, 'reported it': 712497, 'record this': 705073, 'morning suggesting': 541471, 'suggesting the': 817614, 'penny ha': 646613, 'finally dropped': 305975, 'dropped for': 260566, 'regarding more': 707232, 'from jay': 336146, 'jay brahach': 464886, 'brahach usd': 137573, 'usd usecon': 948948, 'usecon forex': 949854, 'of michigan index': 586473, 'michigan index for': 530352, 'index for consumer': 434196, 'consumer sentiment reported': 198924, 'sentiment reported it': 750990, 'reported it largest': 712498, 'it largest decline': 459295, 'largest decline on': 479945, 'decline on record': 231386, 'on record this': 603108, 'record this morning': 705074, 'this morning suggesting': 889022, 'morning suggesting the': 541472, 'suggesting the penny': 817615, 'the penny ha': 863445, 'penny ha finally': 646614, 'ha finally dropped': 370621, 'finally dropped for': 305976, 'dropped for consumer': 260567, 'for consumer regarding': 320284, 'consumer regarding more': 198668, 'regarding more from': 707233, 'more from jay': 539304, 'from jay brahach': 336147, 'jay brahach usd': 464887, 'brahach usd usecon': 137574, 'usd usecon forex': 948949, 'rallying behind': 696296, 'crisis donating': 217308, 'donating equipment': 254448, 'the is rallying': 858521, 'is rallying behind': 451218, 'rallying behind it': 696297, 'behind it first': 124651, 'responder during the': 715449, 'the crisis donating': 852367, 'crisis donating equipment': 217309, 'donating equipment hand': 254449, 'mypov now': 550793, 'that worthy': 847674, 'worthy news': 1011476, 'news toiletpaper': 560902, 'toiletpaper heist': 922059, 'heist shelterinplace': 388867, 'mypov now that': 550794, 'now that worthy': 576027, 'that worthy news': 847675, 'worthy news toiletpaper': 1011477, 'news toiletpaper heist': 560903, 'toiletpaper heist shelterinplace': 922060, 'iheartradio': 415948, 'update news': 947091, 'news iheartradio': 560524, 'iheartradio trumpvirus': 415949, 'spread coronavirus at': 790490, 'at supermarket update': 100787, 'supermarket update news': 823620, 'update news iheartradio': 947092, 'news iheartradio trumpvirus': 560525, 'nbaquarantine': 553228, 'exhibition': 290209, 'nbaquarantine day': 553229, 'day tom': 228608, 'brady sign': 137557, 'sign tampa': 769216, 'tampa bay': 834119, 'bay nature': 112952, 'nature making': 552968, 'comeback from': 187711, 'from lockdown': 336260, 'lockdown nyse': 499706, 'nyse closing': 578129, 'closing floor': 183637, 'floor temporarily': 310845, 'temporarily moving': 837514, 'to electronic': 904978, 'electronic trading': 271271, 'trading nba': 928893, 'nba potentially': 553213, 'potentially play': 667235, 'play exhibition': 659143, 'exhibition in': 290210, 'in controlled': 421767, 'controlled safe': 202255, '2002 dow': 13569, 'dow 31': 256314, '31 07': 17544, '07 ytd': 1023, 'nbaquarantine day tom': 553230, 'day tom brady': 228609, 'tom brady sign': 923908, 'brady sign tampa': 137558, 'sign tampa bay': 769217, 'tampa bay nature': 834120, 'bay nature making': 112953, 'nature making comeback': 552969, 'making comeback from': 510994, 'comeback from lockdown': 187712, 'from lockdown nyse': 336262, 'lockdown nyse closing': 499707, 'nyse closing floor': 578130, 'closing floor temporarily': 183638, 'floor temporarily moving': 310846, 'temporarily moving to': 837515, 'moving to electronic': 544205, 'to electronic trading': 904979, 'electronic trading nba': 271272, 'trading nba potentially': 928894, 'nba potentially play': 553214, 'potentially play exhibition': 667236, 'play exhibition in': 659144, 'exhibition in controlled': 290211, 'in controlled safe': 421768, 'controlled safe place': 202256, 'safe place oil': 729885, 'place oil price': 657612, 'dropped to lowest': 260648, 'since 2002 dow': 770436, '2002 dow 31': 13570, 'dow 31 07': 256315, '31 07 ytd': 17545, 'america business': 51473, 'business stepping': 144414, 'help beat': 389409, 'virus thanks': 958868, 'your virginia': 1026283, 'example of america': 288924, 'of america business': 580038, 'america business stepping': 51474, 'business stepping up': 144415, 'to help beat': 907463, 'help beat this': 389410, 'this virus thanks': 891031, 'virus thanks for': 958869, 'thanks for using': 842084, 'for using your': 327504, 'using your virginia': 950804, 'your virginia distillery': 1026284, 'virginia distillery to': 957661, 'distillery to make': 247822, 'faba': 294204, 'australia export': 103274, 'on chickpea': 599904, 'chickpea faba': 175900, 'faba bean': 294205, 'bean lentil': 118335, 'and mung': 67326, '50 150': 19583, '150 international': 3919, 'international buyer': 441761, 'buyer seek': 149739, 'disruption make': 246501, 'make finding': 509903, 'empty container': 274844, 'container challenge': 200538, 'in australia export': 420606, 'australia export price': 103275, 'export price on': 292692, 'price on chickpea': 675660, 'on chickpea faba': 599905, 'chickpea faba bean': 175901, 'faba bean lentil': 294206, 'bean lentil and': 118336, 'lentil and mung': 486372, 'and mung bean': 67327, 'mung bean are': 546080, 'bean are up': 118299, 'are up 50': 91353, 'up 50 150': 944184, '50 150 international': 19584, '150 international buyer': 3920, 'international buyer seek': 441762, 'buyer seek to': 149740, 'seek to stock': 746621, 'on supply in': 603826, '19 but supply': 5531, 'but supply chain': 147227, 'chain disruption make': 170652, 'disruption make finding': 246502, 'make finding empty': 509904, 'finding empty container': 307459, 'empty container challenge': 274845, 'permissible': 652130, 'communication right': 189638, 'is permissible': 450861, 'permissible under': 652131, 'the jurisdiction': 858714, 'jurisdiction in': 468071, 'operate when': 613027, 'getting customer communication': 348926, 'customer communication right': 222258, 'communication right in': 189639, 'right in time': 721957, 'of coronavirus business': 581917, 'coronavirus business must': 205582, 'business must consider': 144074, 'must consider what': 546605, 'consider what is': 195177, 'what is permissible': 981718, 'is permissible under': 450862, 'permissible under the': 652132, 'under the law': 940316, 'law of the': 482355, 'of the jurisdiction': 591163, 'the jurisdiction in': 858715, 'jurisdiction in which': 468072, 'in which they': 430871, 'which they operate': 986396, 'they operate when': 882842, 'operate when trying': 613028, 'trying to contact': 934782, 'to contact consumer': 903351, 'contact consumer via': 200054, 'stunningly': 815319, 'leaderless': 483578, 'market aren': 516035, 'aren collapsing': 92362, 'collapsing bc': 186126, 'democrat the': 236741, 'fed oil': 301857, 're plunging': 699276, 'plunging bc': 661517, 'tweet like': 936376, 'bc america': 113221, 'greatest nation': 363286, 'earth amp': 264966, 'world look': 1009769, 'leadership especially': 483603, 'is stunningly': 452405, 'stunningly leaderless': 815320, 'the market aren': 860088, 'market aren collapsing': 516036, 'aren collapsing bc': 92363, 'collapsing bc of': 186127, 'bc of democrat': 113261, 'of democrat the': 582521, 'democrat the fed': 236742, 'the fed oil': 855063, 'fed oil price': 301858, 'or the they': 617404, 'they re plunging': 883095, 're plunging bc': 699277, 'plunging bc of': 661518, 'bc of tweet': 113269, 'of tweet like': 592525, 'tweet like this': 936377, 'like this bc': 491470, 'this bc america': 886497, 'bc america the': 113222, 'america the greatest': 51697, 'the greatest nation': 856754, 'greatest nation on': 363287, 'nation on earth': 552281, 'on earth amp': 600464, 'earth amp which': 264967, 'amp which the': 54838, 'which the world': 986381, 'the world look': 871906, 'world look to': 1009770, 'look to for': 502632, 'to for leadership': 906143, 'for leadership especially': 322915, 'leadership especially in': 483604, 'crisis is stunningly': 217590, 'is stunningly leaderless': 452406, 'area please': 92165, 'respect senior': 715044, 'are the current': 90817, 'the metro atlanta': 860550, 'metro atlanta area': 529902, 'atlanta area please': 101824, 'area please respect': 92166, 'please respect senior': 660401, 'respect senior shopping': 715045, 'most vulnerable customer': 542873, 'vulnerable customer and': 960922, 'customer and limit': 222082, 'who announced': 988076, 'closure period': 183997, 'retailer who announced': 719419, 'who announced store': 988077, 'closure and promised': 183843, 'and pay their': 68804, 'their bill many': 872617, 'bill many are': 130617, 'many are also': 513751, 'are also taking': 84481, 'also taking advantage': 48950, 'the closure period': 851056, 'closure period to': 183998, 'period to serve': 651912, 'fkn': 309893, 'completely turned': 192365, 'for fkn': 321518, 'fkn wicked': 309894, 'completely turned off': 192366, 'turned off going': 935862, 'off going out': 593868, 'going out after': 355356, 'out after seeing': 625579, 'after seeing that': 36159, 'seeing that video': 746485, 'that video of': 847248, 'of the lady': 591171, 'the lady spitting': 858913, 'spitting on fresh': 789599, 'fresh produce at': 333046, 'supermarket knowing damn': 821256, 'damn well she': 225464, 'well she tested': 978550, 'positive for fkn': 665320, 'for fkn wicked': 321519, '043': 933, 'bloodofjesus': 133154, '4th apr': 19523, 'apr ohio': 83371, 'ohio 043': 596512, '043 case': 934, 'that jump': 844783, 'of 304': 579567, '304 from': 17388, 'previous day': 671964, 'day 119': 227096, '119 death': 2695, 'death across': 229952, 'state an': 795351, 'of 17': 579376, '17 over': 4373, 'hour period': 405856, 'period bloodofjesus': 651728, 'bloodofjesus hydroxychloroquine': 133155, 'hydroxychloroquine price': 412011, '4th apr ohio': 19524, 'apr ohio 043': 83372, 'ohio 043 case': 596513, '043 case of': 935, 'the state that': 867812, 'state that jump': 795983, 'that jump of': 844784, 'jump of 304': 467881, 'of 304 from': 579568, '304 from previous': 17389, 'from previous day': 336973, 'previous day 119': 671965, 'day 119 death': 227097, '119 death across': 2696, 'death across the': 229953, 'the state an': 867745, 'state an increase': 795352, 'increase of 17': 432932, 'of 17 over': 579377, '17 over the': 4374, 'over the previous': 630754, 'the previous day': 864315, 'previous day the': 671966, 'day the most': 228494, 'the most reported': 861025, 'most reported in': 542694, 'reported in 24': 712488, '24 hour period': 15622, 'hour period bloodofjesus': 405857, 'period bloodofjesus hydroxychloroquine': 651729, 'bloodofjesus hydroxychloroquine price': 133156, 'now long': 575249, 'the significant': 867183, 'significant delivery': 769421, 'delay showcase': 232745, 'showcase just': 767308, 'much shopper': 545297, 'prime delivery delay': 678108, 'delivery delay are': 233854, 'delay are now': 232675, 'are now long': 88567, 'now long month': 575250, 'long month the': 501531, 'month the significant': 538045, 'the significant delivery': 867184, 'significant delivery delay': 769422, 'delivery delay showcase': 233857, 'delay showcase just': 232746, 'showcase just how': 767309, 'how much shopper': 408370, 'much shopper are': 545298, 'during the global': 263133, 'eugenics': 283329, 'and cummings': 60795, 'cummings etc': 220332, 'etc came': 282457, 'of eugenics': 583209, 'eugenics did': 283330, 'anticipate that': 78443, 'that survival': 846597, 'fittest would': 309550, 'defined who': 232287, 'could grab': 209222, 'most packet': 542599, 'roll possible': 725481, 'when and cummings': 983151, 'and cummings etc': 60796, 'cummings etc came': 220333, 'etc came out': 282458, 'came out in': 157046, 'out in support': 626400, 'support of eugenics': 826686, 'of eugenics did': 583210, 'eugenics did they': 283331, 'did they anticipate': 240865, 'they anticipate that': 881170, 'anticipate that survival': 78444, 'that survival of': 846598, 'the fittest would': 855384, 'fittest would be': 309551, 'would be defined': 1011571, 'be defined who': 114381, 'defined who could': 232288, 'who could grab': 988506, 'could grab the': 209223, 'grab the most': 361546, 'the most packet': 861013, 'most packet of': 542600, 'toilet roll possible': 921599, 'roll possible in': 725482, 'possible in game': 665680, 'in game of': 423212, 'okay cannot': 597970, 'believe im': 126280, 'im saying': 416576, 'but woman': 147912, 'caught at': 167410, 'fruit she': 339141, 'confirmed with': 194216, 'disgusting of': 245432, 'you possible': 1020377, 'possible be': 665586, 'get others': 347719, 'others sick': 621642, 'okay cannot believe': 597971, 'cannot believe im': 161669, 'believe im saying': 126281, 'im saying this': 416577, 'saying this but': 739736, 'this but woman': 886652, 'but woman in': 147913, 'my country ha': 547814, 'country ha been': 210709, 'ha been caught': 369743, 'been caught at': 120807, 'caught at local': 167411, 'local supermarket spitting': 498593, 'on fruit she': 601039, 'fruit she ha': 339142, 'been confirmed with': 120870, 'confirmed with covid': 194217, '19 how fucking': 7603, 'how fucking disgusting': 407895, 'fucking disgusting of': 339853, 'disgusting of human': 245433, 'being can you': 124918, 'can you possible': 160323, 'you possible be': 1020378, 'possible be that': 665587, 'be that you': 117589, 'that you wanna': 847751, 'you wanna get': 1022119, 'wanna get others': 965633, 'get others sick': 347720, 'crystalpalace': 220011, 'digitaldivide': 242712, 'se19': 743074, 'community prepare': 190045, 'prepare we': 670147, 'facetime crystalpalace': 295211, 'crystalpalace communityspirit': 220012, 'communityspirit communitymatters': 190256, 'communitymatters digitaldivide': 190253, 'digitaldivide se19': 242713, 'the community prepare': 851293, 'community prepare we': 190046, 'prepare we are': 670148, 'running session on': 728057, 'session on managing': 753299, 'managing your shopping': 512922, 'online and staying': 607852, 'or facetime crystalpalace': 615250, 'facetime crystalpalace communityspirit': 295212, 'crystalpalace communityspirit communitymatters': 220013, 'communityspirit communitymatters digitaldivide': 190257, 'communitymatters digitaldivide se19': 190254, 'buying after first': 149868, 'after first infection': 35677, 'first infection of': 308730, 'infection of covid': 436801, 'university land': 942438, 'land record': 479290, 'up costing': 944659, 'costing texas': 208334, 'texas university': 839848, 'university 300': 942401, 'university land record': 942439, 'land record low': 479291, 'price could end': 673279, 'end up costing': 276026, 'up costing texas': 944660, 'costing texas university': 208335, 'texas university 300': 839849, 'university 300 million': 942402, 'reynders reiterates': 720854, 'reiterates his': 708302, 'tourism company': 926976, 'company di': 190589, 'commissioner reynders reiterates': 188960, 'reynders reiterates his': 720855, 'reiterates his call': 708303, 'respect for consumer': 714988, 'support for package': 826520, 'and tourism company': 74319, 'tourism company di': 926977, 'company di commission': 190590, 'from picture': 336923, 'real prevention': 701310, 'prevention look': 671867, 'supermarket savelives': 822317, 'from picture of': 336924, '19 measure this': 8609, 'measure this is': 525379, 'is what real': 453890, 'what real prevention': 982078, 'real prevention look': 701311, 'prevention look like': 671868, 'like in supermarket': 490501, 'in supermarket savelives': 428661, 'least higher': 484506, 'hit harvest': 398260, 'harvest time': 378638, 'time foodsecurity': 896685, 'scarcity or at': 740853, 'at least higher': 99506, 'least higher price': 484507, 'higher price in': 395679, 'store for fruit': 807808, 'in europe over': 422648, 'europe over virus': 283490, 'over virus hit': 630888, 'virus hit harvest': 958286, 'hit harvest time': 398261, 'harvest time foodsecurity': 378639, 'attack need': 102131, 'report attack need': 711819, 'attack need to': 102132, 'itunes': 464007, 'off season': 594128, 'season two': 743455, 'of counsel': 582018, 'counsel for': 210068, 'with podcast': 1000246, 'podcast focusing': 662276, 'via itunes': 956042, 'itunes spotify': 464008, 'spotify or': 790150, 'website idahocovid19': 975308, 'kicking off season': 473828, 'off season two': 594129, 'season two of': 743456, 'two of counsel': 937084, 'of counsel for': 582019, 'counsel for the': 210069, 'the state with': 867823, 'state with podcast': 796098, 'with podcast focusing': 1000247, 'podcast focusing on': 662277, 'focusing on consumer': 311990, 'on consumer issue': 600058, 'covid pandemic you': 214202, 'can listen via': 158888, 'listen via itunes': 494771, 'via itunes spotify': 956043, 'itunes spotify or': 464009, 'spotify or through': 790151, 'or through my': 617454, 'office website idahocovid19': 595587, 'florida gonna': 310937, 'knocked down': 476171, 'my locale': 549152, 'locale full': 498725, 'of aging': 579834, 'aging retiree': 38286, 'retiree refuse': 719697, 'found roaming': 330355, 'roaming my': 724571, 'store beaming': 806668, 'beaming at': 118272, 'at clothes': 98282, 'florida gonna get': 310938, 'gonna get knocked': 356531, 'get knocked down': 347461, 'knocked down by': 476172, '19 my locale': 8730, 'my locale full': 549153, 'locale full of': 498726, 'full of aging': 340700, 'of aging retiree': 579835, 'aging retiree refuse': 38287, 'retiree refuse to': 719698, 'refuse to stay': 707043, 'indoors and can': 435375, 'be found roaming': 114944, 'found roaming my': 330356, 'roaming my retail': 724572, 'retail store beaming': 718615, 'store beaming at': 806669, 'beaming at clothes': 118273, 'uttering': 951443, 'kj': 475861, 'with assault': 997316, 'assault and': 96311, 'and uttering': 74823, 'uttering threat': 951444, 'attacked when': 102191, 'for promotion': 324807, 'promotion remember': 683877, 'remember now': 710238, 'patient kj': 644206, 'charged with assault': 173426, 'with assault and': 997317, 'assault and uttering': 96312, 'and uttering threat': 74824, 'uttering threat after': 951445, 'threat after grocery': 893629, 'store employee wa': 807566, 'employee wa attacked': 274381, 'wa attacked when': 961614, 'attacked when he': 102192, 'when he told': 983547, 'he told customer': 385533, 'told customer they': 923544, 'customer they had': 222936, 'to use shopping': 918064, 'use shopping cart': 949570, 'cart for promotion': 165302, 'for promotion remember': 324808, 'promotion remember now': 683878, 'remember now more': 710239, 'and patient kj': 68774, 'insurance agency': 440662, 'agency can': 37996, 'addressing consumer': 32090, 'about cybersecurity': 25068, 'cybersecurity with': 224011, 'actor attempting': 30572, '19 distraction': 6586, 'distraction it': 247909, 'important client': 418757, 'client know': 182060, 'insurance agency can': 440663, 'agency can expect': 37997, 'expect to spend': 290776, 'more time addressing': 540764, 'time addressing consumer': 896203, 'addressing consumer concern': 32091, 'concern about cybersecurity': 192891, 'about cybersecurity with': 25069, 'cybersecurity with new': 224012, 'with new regulation': 999711, 'new regulation and': 559433, 'regulation and bad': 708050, 'and bad actor': 58632, 'bad actor attempting': 107744, 'actor attempting to': 30573, 'attempting to use': 102295, 'to use covid': 918020, 'covid 19 distraction': 212967, '19 distraction it': 6587, 'distraction it important': 247910, 'it important client': 458707, 'important client know': 418758, 'client know their': 182061, 'know their data': 476857, 'data is safe': 226290, 'am giving': 50078, 'yes am giving': 1015372, 'am giving you': 50079, 'giving you dirty': 351457, 'dirty look for': 243760, 'look for being': 502350, 'for being at': 319625, 'store yes am': 811660, 'yes am also': 1015370, 'am also at': 49873, 'also at the': 47893, 'simple fuckin': 770024, 'fuckin guideline': 339773, 'guideline cover': 368408, 'mouth when': 543578, 'sneezing with': 776333, 'with tissue': 1001779, 'or bent': 614543, 'elbow at': 270507, 'rn they': 724341, 'one additional': 605863, 'additional customer': 31801, 'building this': 142145, 'asshole wa': 96578, 'literally walking': 495106, 'around coughing': 93260, 'coughing with': 208770, 'his mouth': 397625, 'mouth open': 543544, 'coughing to': 208757, 'sneeze you': 776281, 'simple fuckin guideline': 770025, 'fuckin guideline cover': 339774, 'guideline cover your': 368409, 'nose and nose': 567871, 'and nose mouth': 67704, 'nose mouth when': 567902, 'mouth when coughing': 543579, 'when coughing sneezing': 983298, 'coughing sneezing with': 208754, 'sneezing with tissue': 776334, 'with tissue or': 1001780, 'tissue or bent': 899184, 'or bent elbow': 614544, 'bent elbow at': 127258, 'elbow at the': 270508, 'the supermarket rn': 868779, 'supermarket rn they': 822254, 'rn they only': 724342, 'only had one': 610560, 'had one additional': 373367, 'one additional customer': 605864, 'additional customer in': 31802, 'the building this': 850101, 'building this asshole': 142146, 'this asshole wa': 886440, 'asshole wa literally': 96579, 'wa literally walking': 962574, 'literally walking around': 495107, 'walking around coughing': 965022, 'around coughing with': 93261, 'coughing with his': 208771, 'with his mouth': 998838, 'his mouth open': 397626, 'mouth open and': 543545, 'open and coughing': 612055, 'and coughing to': 60610, 'coughing to sneeze': 208758, 'to sneeze you': 914794, 'sneeze you make': 776282, 'you make me': 1019759, '19 place': 9689, 'delivered other': 233371, 'supermarket skint': 822709, 'skint dad': 773117, 'dad fooddelivery': 224317, 'fooddelivery vulnerable': 317901, '19 place to': 9690, 'food delivered other': 314097, 'delivered other than': 233372, 'the supermarket skint': 868806, 'supermarket skint dad': 822710, 'skint dad fooddelivery': 773118, 'dad fooddelivery vulnerable': 224318, 'how medium': 408310, 'learn how medium': 483987, 'how medium consumption': 408311, 'houseprice': 407018, 'been invited': 121410, 'invited to': 444284, 'latest houseprice': 481381, 'houseprice data': 407019, 'from published': 336999, 'here ukhousing': 393756, 'privileged to have': 679057, 'have been invited': 379585, 'been invited to': 121411, 'invited to comment': 444285, 'the latest houseprice': 859112, 'latest houseprice data': 481382, 'houseprice data from': 407020, 'data from published': 226236, 'from published in': 337000, 'published in for': 688656, 'in for full': 423013, 'for full article': 321808, 'click here ukhousing': 181921, 'icymi the': 412913, 'alberta exceeds': 40791, 'icymi the inflation': 412914, 'inflation rate in': 437226, 'rate in alberta': 697263, 'in alberta exceeds': 420149, 'alberta exceeds the': 40792, 'from which': 338362, 'which break': 985724, 'concern along': 192910, 'along gender': 46997, 'and generational': 63518, 'generational line': 345664, 'marketer pr': 517487, 'pr consumer': 668418, 'marketing crisispr': 517567, 'crisispr prtips': 218480, 'crisis consumer impact': 217241, 'consumer impact these': 197807, 'impact these new': 418020, 'these new insight': 880339, 'new insight from': 558941, 'insight from which': 439560, 'from which break': 338363, 'which break down': 985725, 'break down consumer': 138703, 'down consumer concern': 256652, 'consumer concern along': 196866, 'concern along gender': 192911, 'along gender and': 46998, 'gender and generational': 345247, 'and generational line': 63519, 'generational line are': 345665, 'line are valuable': 492971, 'are valuable for': 91445, 'valuable for marketer': 952022, 'for marketer pr': 323261, 'marketer pr consumer': 517488, 'pr consumer marketing': 668419, 'consumer marketing crisispr': 198105, 'marketing crisispr prtips': 517568, '19 company': 5906, 'position immediately': 665170, 'immediately grocery': 417100, 'driver incl': 259617, 'incl grocery': 431472, 'employee nationally': 274048, 'covid 19 company': 212832, '19 company around': 5907, 'company around our': 190466, 'around our state': 93442, 'our state are': 624897, 'state are looking': 795387, 'to fill position': 905846, 'fill position immediately': 305485, 'position immediately grocery': 665171, 'immediately grocery store': 417101, 'store delivery driver': 807289, 'delivery driver incl': 233919, 'driver incl grocery': 259618, 'incl grocery store': 431473, 'store employee nationally': 807512, 'price ensure': 673691, 'ensure lower': 277983, 'would trump': 1012345, 'in shamble': 427851, 'oil price ensure': 597119, 'price ensure lower': 673692, 'ensure lower food': 277984, 'lower food and': 505862, 'food and cost': 313202, 'cost for small': 207951, 'small business why': 774904, 'business why would': 144675, 'why would trump': 991570, 'would trump want': 1012346, 'trump want to': 933963, 'want to partner': 966079, 'partner with mb': 642906, 'is in shamble': 448813, 'frustating': 339221, 'dad holiday': 224342, 'holiday postponed': 400350, 'postponed and': 666794, 'at dubai': 98496, 'dubai hospital': 261476, 'his safety': 397774, 'safety our': 730668, 'are postponed': 89158, 'until 29th': 943651, '29th and': 16533, 'using learning': 950542, 'so frustating': 777123, 'my dad holiday': 547894, 'dad holiday postponed': 224343, 'holiday postponed and': 400351, 'postponed and need': 666795, '14 day at': 3443, 'day at dubai': 227330, 'at dubai hospital': 98497, 'dubai hospital for': 261477, 'hospital for his': 404409, 'for his safety': 322311, 'his safety our': 397775, 'safety our class': 730669, 'class are postponed': 180152, 'are postponed until': 89159, 'postponed until 29th': 666837, 'until 29th and': 943652, '29th and we': 16534, 'we re using': 972996, 're using learning': 699763, 'using learning for': 950543, 'learning for class': 484205, 'for class people': 320104, 'class people panic': 180241, 'and drink at': 61726, 'drink at supermarket': 258803, 'at supermarket this': 100782, 'is so frustating': 452005, 'in supermarket what': 428711, 'is she doing': 451836, 'country in it': 210775, 'in it battle': 424229, 'it battle against': 456713, 'all our warrior': 43836, 'mobileapp': 535039, 'softwaredevelopmentcompany': 781557, 'customsoftwaredevelopment': 223193, 'softwaredevelopment': 781555, 'demand delivery': 235222, 'apps find': 83280, 'find their': 307308, 'pandemic mobileapp': 635968, 'mobileapp softwaredevelopmentcompany': 535040, 'softwaredevelopmentcompany customsoftwaredevelopment': 781558, 'customsoftwaredevelopment fooddelivery': 223194, 'fooddelivery softwaredevelopment': 317899, 'softwaredevelopment food': 781556, 'on demand delivery': 600276, 'demand delivery apps': 235223, 'delivery apps find': 233699, 'apps find their': 83281, 'find their place': 307309, 'their place in': 874313, 'coronavirus pandemic mobileapp': 206473, 'pandemic mobileapp softwaredevelopmentcompany': 635969, 'mobileapp softwaredevelopmentcompany customsoftwaredevelopment': 535041, 'softwaredevelopmentcompany customsoftwaredevelopment fooddelivery': 781559, 'customsoftwaredevelopment fooddelivery softwaredevelopment': 223195, 'fooddelivery softwaredevelopment food': 317900, 'india lng': 434508, 'lng buyer': 497198, 're examining': 698637, 'examining their': 288857, 'their spot': 874778, 'spot buying': 790041, 'buying plan': 150906, 'attractive the': 102730, 'potential shift': 667137, 'shift may': 758357, 'mean seller': 524635, 'seller can': 748992, 'longer count': 501960, 'help absorb': 389293, 'absorb the': 27471, 'world glut': 1009583, 'of cargo': 581153, 'india lng buyer': 434509, 'lng buyer are': 497199, 'buyer are re': 149573, 'are re examining': 89445, 're examining their': 698638, 'examining their spot': 288858, 'their spot buying': 874779, 'spot buying plan': 790042, 'buying plan the': 150907, 'plan the collapse': 658247, 'price may make': 675196, 'may make other': 521338, 'make other fuel': 510284, 'other fuel more': 620286, 'fuel more attractive': 340205, 'more attractive the': 538683, 'attractive the potential': 102731, 'the potential shift': 864127, 'potential shift may': 667138, 'shift may mean': 758358, 'may mean seller': 521342, 'mean seller can': 524636, 'seller can no': 748993, 'no longer count': 564643, 'longer count on': 501961, 'count on india': 210146, 'on india to': 601554, 'india to help': 434653, 'to help absorb': 907441, 'help absorb the': 389294, 'absorb the world': 27472, 'the world glut': 871877, 'world glut of': 1009584, 'glut of cargo': 353107, 'my last toilet': 548980, 'last toilet roll': 480587, 'roll and the': 725189, 'there because can': 878225, 'can buy any': 157813, 'because there none': 119676, 'there none in': 878853, 'none in the': 566579, 'on breakfast': 599698, 'club we': 184495, 'outbreak adam': 627960, 'adam french': 31218, 'french from': 332730, 'from whom': 338375, 'whom might': 990566, '0808 100': 1115, '100 100': 1808, 'morning on breakfast': 541388, 'on breakfast club': 599699, 'breakfast club we': 138882, 'club we have': 184496, 'have an expert': 379250, 'an expert to': 55973, 'expert to help': 291999, 'question about consumer': 693494, 'the outbreak adam': 862587, 'outbreak adam french': 627961, 'adam french from': 31219, 'french from whom': 332731, 'from whom might': 338376, 'whom might help': 990567, 'might help contact': 531029, 'help contact on': 389528, 'contact on 0808': 200163, 'on 0808 100': 598988, '0808 100 100': 1116, 'welp off': 978877, 'welp off to': 978878, 'temporarily you': 837569, 'amp purchasing': 54353, 'adjusting to respond': 32370, 'close temporarily you': 182826, 'temporarily you can': 837570, 'takeout delivery amp': 833148, 'delivery amp purchasing': 233650, 'amp purchasing gift': 54354, 'take care everyone': 832006, 'strange that': 812422, 'whole planet': 990300, 'ha realised': 371642, 'nurse shopkeeper': 577480, 'shopkeeper teacher': 761194, 'than footballer': 840666, 'footballer actor': 318525, 'celebrity nh': 168894, 'isn it strange': 454569, 'it strange that': 461309, 'strange that in': 812423, 'one week the': 607418, 'week the whole': 977012, 'the whole planet': 871502, 'whole planet ha': 990301, 'planet ha realised': 658408, 'ha realised that': 371643, 'realised that doctor': 701629, 'that doctor nurse': 843578, 'doctor nurse shopkeeper': 251033, 'nurse shopkeeper teacher': 577481, 'shopkeeper teacher supermarket': 761195, 'driver and far': 259413, 'and far more': 62693, 'far more important': 298850, 'important than footballer': 418994, 'than footballer actor': 840667, 'footballer actor and': 318526, 'actor and celebrity': 30562, 'and celebrity nh': 59665, 'buyin': 149825, 'skintness': 773124, 'call bollock': 155789, 'bollock on': 134118, 'one fair': 606275, 'ppl were': 668366, 'were buyin': 979406, 'buyin little': 149826, 'wa immediately': 962351, 'immediately needed': 417126, 'for brexit': 319785, 'brexit general': 139507, 'general skintness': 345475, 'skintness it': 773125, 'buyer accidental': 149548, 'call bollock on': 155790, 'bollock on this': 134119, 'this one fair': 889236, 'one fair amount': 606276, 'amount of ppl': 53247, 'of ppl were': 588337, 'ppl were buyin': 668367, 'were buyin little': 979407, 'buyin little more': 149827, 'more than what': 540697, 'than what wa': 841446, 'what wa immediately': 982514, 'wa immediately needed': 962352, 'immediately needed for': 417127, 'needed for year': 556364, 'year for brexit': 1014563, 'for brexit general': 319786, 'brexit general skintness': 139508, 'general skintness it': 345476, 'skintness it fucking': 773126, 'it fucking panic': 458170, 'fucking panic buyer': 339968, 'panic buyer accidental': 637551, 'buyer accidental hoarder': 149549, 'cry saw': 219912, 'dad there': 224394, 'while from': 986860, 'to hug': 908041, 'lunchtime to buy': 506771, 'buy some essential': 149201, 'came home cry': 157005, 'home cry saw': 400970, 'cry saw my': 219913, 'lovely dad there': 504956, 'dad there and': 224395, 'chatted for while': 173991, 'for while from': 327842, 'while from safe': 986861, 'parking lot but': 642081, 'but we didn': 147745, 'we didn get': 971300, 'get to hug': 348474, 'to hug breakingmyheart': 908042, 'from humanitarian': 335971, 'humanitarian perspective': 410687, 'pandemic creates': 635264, 'for payer': 324425, 'payer to': 645359, 'customer member': 222601, 'large with': 479830, 'best prepare': 127856, 'respond owhealth': 715307, 'from humanitarian perspective': 335972, 'humanitarian perspective the': 410688, 'perspective the covid': 653236, '19 pandemic creates': 9303, 'pandemic creates an': 635265, 'creates an obligation': 215933, 'an obligation for': 56537, 'obligation for payer': 578457, 'for payer to': 324426, 'payer to offer': 645360, 'offer people customer': 594744, 'people customer member': 647597, 'customer member and': 222602, 'member and the': 528022, 'public at large': 687880, 'at large with': 99415, 'large with information': 479831, 'with information about': 999006, 'to best prepare': 901777, 'best prepare and': 127857, 'prepare and respond': 670057, 'and respond owhealth': 70349, 'is disregarding': 447236, 'disregarding socialdistancing': 246355, 'and meeting': 66935, 'person today': 652665, 'today good': 919583, 'online might': 608546, 'church shopping': 178405, 'because church': 118999, 'happy easter if': 377608, 'easter if your': 265459, 'church is disregarding': 178377, 'is disregarding socialdistancing': 447237, 'disregarding socialdistancing and': 246356, 'socialdistancing and meeting': 780213, 'and meeting in': 66936, 'in person today': 426643, 'person today good': 652666, 'today good news': 919584, 'good news you': 357466, 'news you do': 560978, 'go there are': 354222, 'lot of easter': 504180, 'of easter service': 582927, 'easter service online': 265487, 'service online might': 752654, 'online might be': 608547, 'do some church': 250121, 'some church shopping': 782539, 'church shopping too': 178406, 'shopping too because': 764233, 'too because church': 924606, 'because church should': 119000, 'church should not': 178409, 'should not put': 766259, 'not put their': 571177, 'put their people': 690883, 'their people in': 874269, 'got word': 359020, 'word my': 1004527, 'down till': 257352, 'the 29th': 848064, '29th first': 16539, 'first corona': 308593, 'corona ruin': 204151, 'ruin my': 727114, 'my 22nd': 547141, '22nd birthday': 15337, 'birthday plan': 131444, 'even work': 284814, 'just got word': 468876, 'got word my': 359021, 'word my retail': 1004528, 'store is shutting': 808527, 'shutting down till': 768278, 'down till the': 257353, 'till the 29th': 896100, 'the 29th first': 848065, '29th first corona': 16540, 'first corona ruin': 308594, 'corona ruin my': 204152, 'ruin my 22nd': 727115, 'my 22nd birthday': 547142, '22nd birthday plan': 15338, 'birthday plan now': 131445, 'plan now can': 658184, 'now can even': 574328, 'can even work': 158261, 'if lovely': 414397, 'lovely supermarket': 504996, 'donate 600': 254150, '600 easter': 21081, 'all providing': 44079, 'providing frontline': 687006, 'nh service': 562060, 'service fighting': 752363, '19 nhscovidheroes': 8785, 'wondering if lovely': 1004172, 'if lovely supermarket': 414398, 'lovely supermarket would': 504997, 'to donate 600': 904642, 'donate 600 easter': 254151, '600 easter egg': 21082, 'egg to give': 270011, 'give to my': 350793, 'to my staff': 910437, 'my staff all': 550186, 'staff all providing': 792099, 'all providing frontline': 44080, 'providing frontline nh': 687007, 'frontline nh service': 338794, 'nh service fighting': 562061, 'service fighting covid': 752364, 'covid 19 nhscovidheroes': 213474, 'to mess': 910101, 'then oilprice': 877373, 'oilprice don': 597611, 'going to mess': 355654, 'to mess and': 910102, 'mess and then': 529221, 'and then oilprice': 73787, 'then oilprice don': 877374, 'oilprice don think': 597612, 'think it will': 885360, 'will go below': 993544, 'below zero but': 126786, 'zero but it': 1027413, 'will be double': 992439, 'be double whammy': 114581, 'whammy for the': 980934, 'the economy oilpricewar': 854003, 'facing more': 295536, 'farmer facing more': 299368, 'facing more challenge': 295537, 'more challenge with': 538789, 'bullheaded': 142442, 'have descended': 380235, 'descended from': 237911, 'then their': 877629, 'their bullheaded': 872661, 'bullheaded obtuse': 142443, 'on fuelprices': 601051, 'fuelprices will': 340369, 'held an': 388880, 'price have descended': 674424, 'have descended from': 380236, 'descended from farce': 237912, 'if this take': 415171, 'this take down': 890471, 'take down this': 832079, 'regime then their': 707372, 'then their bullheaded': 877630, 'their bullheaded obtuse': 872662, 'bullheaded obtuse greedy': 142444, 'policy on fuelprices': 663459, 'on fuelprices will': 601052, 'fuelprices will be': 340370, 'be held an': 115191, 'held an example': 388881, 'busiest place': 143185, 'studio they': 814842, 'an artificial': 55423, 'medicine disinfect': 526762, 'closing the busiest': 183770, 'the busiest place': 850155, 'busiest place can': 143186, 'now order the': 575482, 'order the closure': 618625, 'tv studio they': 936206, 'studio they too': 814843, 'responsible for spreading': 716040, 'for spreading the': 325842, 'spreading the panic': 791057, 'have created an': 380155, 'created an artificial': 215779, 'an artificial shortage': 55424, 'artificial shortage of': 94535, 'and medicine disinfect': 66906, 'european group': 283581, 'group demand': 366662, 'group said': 366870, 'preventing int': 671814, 'int organization': 440913, 'organization from': 619372, 'from supplying': 337522, 'country facing': 210640, 'dozen of european': 257892, 'of european group': 583221, 'european group demand': 283582, 'group demand an': 366663, 'demand an end': 234945, 'end to sanction': 276010, 'to sanction against': 913746, 'sanction against amp': 733612, 'against amp the': 37322, 'amp the group': 54655, 'the group said': 856869, 'group said the': 366871, 'said the measure': 731438, 'measure are preventing': 525125, 'are preventing int': 89213, 'preventing int organization': 671815, 'int organization from': 440914, 'organization from supplying': 619373, 'from supplying food': 337523, 'supplying food amp': 826284, 'amp medicine to': 54131, 'medicine to the': 526910, 'these country facing': 879816, 'vaishali': 951855, 'guy beast786': 368923, 'beast786 vaishali': 118503, 'join guy beast786': 466729, 'guy beast786 vaishali': 368924, 'friend reposted': 333775, 'reposted post': 712848, 'of sticky': 590124, 'note at': 572702, 'were my': 979897, 'all need little': 43601, 'need little humor': 555164, 'during this anxious': 263260, 'this anxious time': 886374, 'anxious time friend': 78873, 'time friend reposted': 896801, 'friend reposted post': 333776, 'reposted post with': 712849, 'post with bunch': 666412, 'bunch of sticky': 142637, 'of sticky note': 590125, 'sticky note at': 800127, 'note at grocery': 572703, 'store these were': 810660, 'these were my': 880956, 'were my favorite': 979898, 'shopnormally': 761262, 'morning shopnormally': 541434, 'this morning shopnormally': 889010, 'report concert': 711875, 'concert industry': 193269, 'face up': 294835, 'to 9bn': 899896, '9bn loss': 23977, 'report concert industry': 711876, 'concert industry face': 193270, 'industry face up': 435823, 'face up to': 294836, 'up to 9bn': 946355, 'to 9bn loss': 899897, '9bn loss from': 23978, 'loss from pandemic': 503682, 'resalemarket': 713567, 'ottawahomes': 621916, 'ottawa resalemarket': 621914, 'resalemarket took': 713568, 'took hit': 925252, 'remained buoyant': 709924, 'buoyant ottawahomes': 142718, 'ottawa resalemarket took': 621915, 'resalemarket took hit': 713569, 'took hit in': 925253, 'hit in march': 398284, '19 but price': 5523, 'but price remained': 146844, 'price remained buoyant': 676173, 'remained buoyant ottawahomes': 709925, 'howdy': 409323, 'howdy the': 409324, 'the sheriff': 866923, 'sheriff of': 758079, 'howdy the sheriff': 409325, 'the sheriff of': 866924, 'sheriff of stop': 758080, 'of stop buying': 590227, 'to supermarket via': 915856, 'west keep': 980514, 'on sharing': 603394, 'sharing question': 755575, 'question food': 693582, 'so one': 777949, 'thought demand': 893016, 'income impacted': 432377, 'west keep on': 980515, 'keep on sharing': 471707, 'on sharing question': 603395, 'sharing question food': 755576, 'question food sale': 693583, 'food sale have': 316288, 'sale have gone': 732266, '19 so one': 10648, 'so one would': 777950, 'one would have': 607512, 'have thought demand': 383118, 'thought demand is': 893017, 'is high so': 448451, 'high so why': 395410, 'is your income': 454151, 'your income impacted': 1024474, 'wardrobe': 966663, 'quarantine really': 692486, 'done number': 254955, 'number on': 577020, 'done jesus': 254918, 'quarantine wardrobe': 692681, 'wardrobe bout': 966664, 'be quarantinelife': 116661, 'this quarantine really': 889778, 'quarantine really ha': 692487, 'really ha done': 702249, 'ha done number': 370418, 'done number on': 254956, 'number on my': 577021, 'on my bank': 602263, 'bank account the': 109558, 'account the amount': 28759, 'shopping ve done': 764311, 've done jesus': 953062, 'done jesus all': 254919, 'jesus all know': 465284, 'all know is': 43331, 'know is that': 476511, 'that my post': 845279, 'my post quarantine': 549822, 'post quarantine wardrobe': 666290, 'quarantine wardrobe bout': 692682, 'wardrobe bout to': 966665, 'bout to be': 136924, 'to be quarantinelife': 901475, 'minimalism': 533072, 'see minimalism': 745421, 'minimalism getting': 533073, 'upper hand': 947688, 'hand his': 375019, 'his article': 397207, 'article also': 94244, 'also expands': 48174, 'expands on': 290537, 'thrive post': 894210, 'the digitally': 853288, 'digitally native': 242747, 'native direct': 552780, 'dtc company': 261388, 'fashion resale': 299836, 'resale site': 713564, 'also see minimalism': 48839, 'see minimalism getting': 745422, 'minimalism getting the': 533074, 'getting the upper': 349359, 'the upper hand': 870504, 'upper hand his': 947689, 'hand his article': 375020, 'his article also': 397208, 'article also expands': 94245, 'also expands on': 48175, 'expands on the': 290538, 'on the business': 604003, 'the business model': 850174, 'business model that': 144061, 'model that will': 535315, 'that will thrive': 847616, 'will thrive post': 995203, 'thrive post corona': 894211, 'post corona the': 666063, 'corona the digitally': 204222, 'the digitally native': 853289, 'digitally native direct': 242748, 'native direct to': 552781, 'consumer dtc company': 197260, 'dtc company and': 261389, 'and fashion resale': 62709, 'fashion resale site': 299837, 'retailer app': 718979, 'downloads have': 257659, 'have exploded': 380532, 'exploded saw': 292313, 'high downloads': 395043, 'downloads on': 257666, 'april moving': 83641, 'moving past': 544167, 'past amazon': 643505, 'shopping see record': 763827, 'record demand retailer': 704940, 'demand retailer app': 236147, 'retailer app downloads': 718980, 'app downloads have': 81702, 'downloads have exploded': 257660, 'have exploded saw': 380533, 'exploded saw record': 292314, 'saw record high': 738226, 'record high downloads': 704976, 'high downloads on': 395044, 'downloads on april': 257667, 'on april moving': 599449, 'april moving past': 83642, 'moving past amazon': 544168, 'past amazon by': 643506, 'purpose led': 690135, 'led marketing': 485238, 'sector dealing': 744158, 'change influenced': 172146, 'by climatechange': 152132, 'few great tip': 303848, 'tip on purpose': 898860, 'on purpose led': 603027, 'purpose led marketing': 690136, 'led marketing for': 485239, 'marketing for travel': 517608, 'for travel sector': 327328, 'travel sector dealing': 930502, 'sector dealing with': 744159, 'with and consumer': 997243, 'behaviour change influenced': 124383, 'change influenced by': 172147, 'influenced by climatechange': 437327, 'augmentedreality': 102975, 'ardor': 84088, 'ignis': 415729, 'with install': 999020, 'money collecting': 536678, 'collecting augmentedreality': 186381, 'augmentedreality toilet': 102976, 'turn blockchain': 935659, 'blockchain ardor': 132820, 'ardor gps': 84089, 'gps ignis': 361438, 'help with install': 390917, 'with install and': 999021, 'install and raise': 439985, 'and raise money': 69907, 'raise money collecting': 695879, 'money collecting augmentedreality': 536679, 'collecting augmentedreality toilet': 186382, 'augmentedreality toilet paper': 102977, 'and mask all': 66740, 'mask all by': 518284, 'all by staying': 42266, 'home it your': 401476, 'your turn blockchain': 1026227, 'turn blockchain ardor': 935660, 'blockchain ardor gps': 132821, 'ardor gps ignis': 84090, 'least paying': 484596, 'paying most': 645449, 'most underappreciated': 542830, 'underappreciated job': 940409, 'job toll': 466239, 'toll booth': 923835, 'booth attendant': 135124, 'attendant drive': 102342, 'staff suddenly': 792898, 'suddenly find': 817092, 'who have some': 988953, 'have some of': 382635, 'of the least': 591183, 'the least paying': 859254, 'least paying most': 484597, 'paying most underappreciated': 645450, 'most underappreciated job': 542831, 'underappreciated job toll': 940410, 'job toll booth': 466240, 'toll booth attendant': 923836, 'booth attendant drive': 135125, 'attendant drive through': 102343, 'drive through staff': 259185, 'through staff suddenly': 894689, 'staff suddenly find': 792899, 'suddenly find that': 817093, 'find that their': 307274, 'that their job': 846879, 'their job can': 873704, 'job can be': 465721, 'moment why': 536123, 'not nip': 570696, 'your veg': 1026269, 'the moment why': 860792, 'moment why not': 536124, 'why not nip': 991225, 'not nip to': 570697, 'try to open': 934642, 'put your veg': 690995, 'your veg in': 1026270, 'veg in without': 953759, 'finger it just': 307803, 'it just took': 459253, 'just took me': 470133, 'open grocerystores': 612283, 'grocery store union': 365898, 'store union is': 810996, 'union is closing': 941896, 'we are staying': 970722, 'staying open grocerystores': 798675, 'cbg': 168347, 'group saw': 366874, 'saw revenue': 738228, 'quarter and': 693231, 'and cbg': 59651, 'cbg ceo': 168348, 'ceo richard': 169820, 'richard yu': 721310, 'yu is': 1027060, 'is confident': 446731, 'confident the': 194013, 'see continued': 745009, 'continued growth': 201319, 'growth throughout': 367464, 'year despite': 1014516, 'business group saw': 143804, 'group saw revenue': 366875, 'saw revenue growth': 738229, 'revenue growth in': 720429, 'first quarter and': 308892, 'quarter and cbg': 693232, 'and cbg ceo': 59652, 'cbg ceo richard': 168349, 'ceo richard yu': 169821, 'richard yu is': 721311, 'yu is confident': 1027061, 'is confident the': 446732, 'confident the company': 194014, 'company will see': 191336, 'will see continued': 994770, 'see continued growth': 745010, 'continued growth throughout': 201320, 'growth throughout the': 367465, 'the year despite': 872153, 'year despite the': 1014517, '19 and sanction': 5097, 'facing growing': 295486, 'declare force': 231184, 'majeure in': 509215, 'it liquefied': 459404, 'liquefied natural': 494070, 'gas lng': 343889, 'lng deal': 497201, 'with qatar': 1000370, 'qatar following': 691487, 'following sharp': 312843, 'sharp dip': 755681, 'pakistan lng': 634468, 'lng gas': 497203, 'gas lockdown': 343891, 'pakistan is facing': 634460, 'is facing growing': 447695, 'facing growing call': 295487, 'growing call to': 367133, 'call to declare': 156172, 'to declare force': 904005, 'declare force majeure': 231185, 'force majeure in': 328429, 'majeure in it': 509216, 'in it liquefied': 424255, 'it liquefied natural': 459405, 'liquefied natural gas': 494071, 'natural gas lng': 552835, 'gas lng deal': 343890, 'lng deal with': 497202, 'deal with qatar': 229569, 'with qatar following': 1000371, 'qatar following sharp': 691488, 'following sharp dip': 312844, 'sharp dip in': 755682, 'dip in consumer': 243188, 'coronavirus related lockdown': 206635, 'related lockdown pakistan': 708479, 'lockdown pakistan lng': 499758, 'pakistan lng gas': 634469, 'lng gas lockdown': 497204, 'over 400': 629846, 'coming share': 188185, 'dropping rich': 260723, 'more share': 540373, 'power held': 667617, 'held broke': 388890, 'news and hearing': 560231, 'and hearing that': 64414, 'hearing that over': 388243, 'that over 400': 845614, 'over 400 00': 629847, '00 people are': 407, 'people are set': 647072, 'set to lose': 753527, 'recession coming share': 704237, 'coming share price': 188186, 'share price dropping': 755168, 'price dropping rich': 673606, 'dropping rich people': 260724, 'people will love': 650396, 'that more share': 845218, 'more share to': 540374, 'share to own': 755308, 'to own more': 911336, 'more power held': 540111, 'power held broke': 667618, 'held broke ass': 388891, 'profit been': 682674, 'sector shown': 744329, 'date movement': 226681, 'top listed': 925603, 'group already': 366593, 'few relaxing': 304036, 'relaxing competition': 708889, 'encourage further': 275590, 'further merger': 342091, 'under guise': 940102, 'efficiency oligarch': 269405, 'corporate profit been': 207324, 'profit been falling': 682675, 'been falling in': 121131, 'falling in this': 297291, 'this sector shown': 890002, 'sector shown by': 744330, 'by the year': 154486, 'to date movement': 903935, 'date movement of': 226682, 'movement of share': 543904, 'the top listed': 869782, 'top listed hospital': 925604, 'hospital group already': 404440, 'group already just': 366595, 'already just few': 47491, 'just few relaxing': 468711, 'few relaxing competition': 304037, 'relaxing competition rule': 708890, 'will encourage further': 993299, 'encourage further merger': 275591, 'further merger under': 342092, 'merger under guise': 529109, 'under guise of': 940103, 'guise of efficiency': 368597, 'of efficiency oligarch': 582988, 'efficiency oligarch benefit': 269406, 'inthistogetherdubai': 442321, 'fashiondesign': 299870, 'industry read': 436064, 'at uae': 101380, 'uae dubai': 937746, 'dubai inthistogetherdubai': 261478, 'inthistogetherdubai education': 442322, 'education fashion': 268822, 'fashion fashiondesign': 299807, 'impact how the': 417696, 'how the epidemic': 408822, 'epidemic ha impacted': 279373, 'ha impacted the': 370920, 'impacted the fashion': 418161, 'fashion industry read': 299819, 'industry read more': 436065, 'more at uae': 538676, 'at uae dubai': 101381, 'uae dubai inthistogetherdubai': 937747, 'dubai inthistogetherdubai education': 261479, 'inthistogetherdubai education fashion': 442323, 'education fashion fashiondesign': 268823, 'demand egg': 235285, 'price climbing': 673149, 'climbing because': 182280, 'are up is': 91366, 'up is demand': 945224, 'is demand egg': 447111, 'demand egg price': 235286, 'egg price climbing': 269958, 'price climbing because': 673150, 'climbing because of': 182281, 'message truly': 529466, 'centric or': 169596, 'just brand': 468359, 'brand engagement': 137835, 'communication about covid19': 189570, 'about covid19 is': 25044, 'covid19 is your': 214327, 'your message truly': 1024821, 'message truly consumer': 529467, 'truly consumer centric': 933281, 'consumer centric or': 196766, 'centric or just': 169597, 'or just brand': 615875, 'just brand engagement': 468360, 'whose cupboard': 990627, 'cupboard fridge': 220473, 'are stuffed': 90602, 'stuffed full': 815282, 'having takeaway': 384302, 'takeaway tonight': 832911, 'tonight coronacrisis': 924393, 'people whose cupboard': 650366, 'whose cupboard fridge': 990628, 'cupboard fridge and': 220474, 'and freezer are': 63287, 'freezer are stuffed': 332585, 'are stuffed full': 90603, 'stuffed full of': 815283, 'full of panic': 340745, 'of panic bought': 587720, 'food are having': 313408, 'are having takeaway': 87040, 'having takeaway tonight': 384303, 'takeaway tonight coronacrisis': 832912, 'wetin': 980783, 'coronate': 205287, 'people wetin': 650236, 'wetin dey': 980784, 'dey coronate': 240019, 'coronate pls': 205288, 'safe cover': 729570, 'song nobody': 785510, 'nobody by': 565983, 'my people wetin': 549739, 'people wetin dey': 650237, 'wetin dey coronate': 980785, 'dey coronate pls': 240020, 'coronate pls remember': 205289, 'remember to make': 710376, 'of sanitizer stay': 589298, 'sanitizer stay safe': 735796, 'stay safe cover': 797223, 'safe cover for': 729571, 'cover for the': 212232, 'for the song': 326698, 'the song nobody': 867479, 'song nobody by': 785511, 'with apology': 997293, 'apology this': 81654, 'for content': 320319, 'time digitalmarketing': 896563, 'with apology this': 997294, 'apology this is': 81655, 'is that post': 452680, 'that post consumer': 845796, 'post consumer trend': 666058, 'trend for content': 931337, 'for content in': 320320, 'content in time': 200814, 'in time digitalmarketing': 430078, 'kentstreet': 472832, 'kentstreet we': 472833, 'all taking': 44602, 'taking our': 833484, 'trump he': 933606, 'he promised': 385308, 'promised today': 683738, 'make two': 510671, 'two drug': 936901, 'drug available': 260888, 'aren approved': 92329, 'fda but': 300843, 'the maker': 859951, 'maker stock': 510874, 'kentstreet we re': 472834, 're all taking': 698239, 'all taking our': 44603, 'taking our chance': 833485, 'our chance with': 622358, 'chance with trump': 171834, 'with trump he': 1001853, 'trump he promised': 933607, 'he promised today': 385309, 'promised today to': 683739, 'to make two': 909759, 'make two drug': 510672, 'two drug available': 936902, 'drug available to': 260889, '19 that have': 11153, 'not been proven': 568515, 'been proven effective': 121726, 'proven effective and': 686159, 'effective and that': 269220, 'and that aren': 73180, 'that aren approved': 842849, 'aren approved by': 92330, 'the fda but': 855015, 'fda but the': 300844, 'but the maker': 147357, 'the maker stock': 859952, 'maker stock price': 510875, 'stock price jumped': 802730, 'jumped on the': 467941, 'manhandle': 513122, 'rule if': 727257, 'you manhandle': 1019779, 'manhandle fruit': 513123, 'than second': 841119, 'yours do': 1026459, 'new rule if': 559521, 'rule if you': 727258, 'if you manhandle': 415474, 'you manhandle fruit': 1019780, 'manhandle fruit or': 513124, 'fruit or vegetable': 339121, 'or vegetable at': 617651, 'more than second': 540672, 'than second that': 841120, 'second that shit': 743831, 'that shit is': 846266, 'shit is yours': 759152, 'is yours do': 454175, 'yours do not': 1026460, 'not put it': 571174, 'this restriction': 889888, 'movement allows': 543849, 'do training': 250422, 'training tabata': 929365, 'zumba be': 1027892, 'with instant': 999022, 'noodle panic': 566810, 'panic store': 638637, 'store sleep': 810204, 'only applies': 610101, 'those internal': 892130, 'internal people': 441734, 'this restriction of': 889889, 'of movement allows': 586689, 'movement allows to': 543850, 'allows to do': 46402, 'do something we': 250157, 'something we are': 785131, 'to do training': 904575, 'do training tabata': 250423, 'training tabata zumba': 929366, 'tabata zumba be': 831444, 'zumba be careful': 1027893, 'with our food': 999996, 'our food to': 623138, 'food to hell': 317261, 'hell with instant': 389095, 'with instant noodle': 999023, 'instant noodle panic': 440109, 'noodle panic store': 566811, 'panic store sleep': 638638, 'store sleep early': 810205, 'silaturahim with the': 769689, 'family it only': 297966, 'it only applies': 460091, 'only applies to': 610102, 'applies to those': 82539, 'to those internal': 917510, 'those internal people': 892131, 'wefightcovid19': 977621, 'update starting': 947218, 'today midnight': 919882, '2020 an': 14137, 'emergency decree': 272660, 'decree will': 231673, 'enforced across': 276703, 'across thailand': 29476, 'thailand to': 840109, 'pandemic shop': 636440, 'open wefightcovid19': 612656, 'wefightcovid19 flattenthecurve': 977622, 'update starting from': 947219, 'starting from today': 794960, 'from today midnight': 338077, 'today midnight until': 919883, 'midnight until end': 530767, 'april 2020 an': 83458, '2020 an emergency': 14138, 'an emergency decree': 55674, 'emergency decree will': 272661, 'decree will be': 231674, 'be enforced across': 114679, 'enforced across thailand': 276704, 'across thailand to': 29477, 'thailand to fight': 840110, '19 pandemic shop': 9464, 'pandemic shop selling': 636441, 'good will remain': 357964, 'remain open wefightcovid19': 709828, 'open wefightcovid19 flattenthecurve': 612657, 'photo just': 655188, 'show there': 767235, 'supermarket panickbuying': 821918, 'panickbuying pandemic': 639210, 'pandemic chinaliedpeopledied': 635137, 'chinaliedpeopledied coronainpakistan': 177115, 'coronainpakistan thursdaymotivation': 205013, 'thursdaymotivation fightcovid19': 895464, 'fightcovid19 workingfromhome': 305001, 'this photo just': 889562, 'photo just now': 655189, 'now to show': 576187, 'to show there': 914579, 'show there is': 767236, 'of bread at': 580837, 'bread at my': 138416, 'local supermarket panickbuying': 498571, 'supermarket panickbuying pandemic': 821919, 'panickbuying pandemic chinaliedpeopledied': 639211, 'pandemic chinaliedpeopledied coronainpakistan': 635138, 'chinaliedpeopledied coronainpakistan thursdaymotivation': 177116, 'coronainpakistan thursdaymotivation fightcovid19': 205014, 'thursdaymotivation fightcovid19 workingfromhome': 895465, 'ibc': 412573, 'insurance bureau': 440679, 'canada ibc': 160467, 'ibc member': 412574, 'offering substantial': 595264, 'substantial consumer': 816045, '19 insurance bureau': 7897, 'insurance bureau of': 440680, 'bureau of canada': 142796, 'of canada ibc': 581083, 'canada ibc member': 160468, 'ibc member company': 412575, 'member company are': 528048, 'are offering substantial': 88678, 'offering substantial consumer': 595265, 'substantial consumer relief': 816046, 'consumer relief measure': 198689, 'gadget': 342701, 'samsung estimated': 733503, 'that profit': 845867, 'profit had': 682755, 'had risen': 373460, 'risen in': 723115, 'year compared': 1014475, '2019 thanks': 14021, 'outbreak although': 627971, 'although sale': 49349, 'consumer gadget': 197563, 'gadget may': 342702, 'hit along': 398126, 'wider blow': 991812, 'samsung estimated that': 733504, 'estimated that profit': 282304, 'that profit had': 845868, 'profit had risen': 682756, 'had risen in': 373461, 'risen in the': 723116, 'the year compared': 872150, 'year compared with': 1014476, 'same period of': 733221, 'period of 2019': 651833, 'of 2019 thanks': 579481, '2019 thanks in': 14022, 'thanks in part': 842116, 'in part to': 426529, '19 outbreak although': 9080, 'outbreak although sale': 627972, 'although sale of': 49350, 'it consumer gadget': 457288, 'consumer gadget may': 197564, 'gadget may be': 342703, 'may be hit': 520990, 'be hit along': 115265, 'hit along with': 398127, 'the wider blow': 871538, 'wider blow to': 991813, 'economy in 2020': 267960, 'helpdonothurt': 391035, 'butt do': 148098, 'them helpdonothurt': 875840, 'helpdonothurt takecareofeachother': 391036, 'you it meant': 1019388, 'it meant nothing': 459588, 'meant nothing to': 524894, 'nothing to anyone': 573186, 'the butt do': 850212, 'butt do not': 148099, 'not share my': 571547, 'share my toilet': 755107, 'with them helpdonothurt': 1001614, 'them helpdonothurt takecareofeachother': 875841, 'ecart': 266594, 're ecart': 698587, 'ecart covid': 266595, '19 maybe': 8585, 'maybe lose': 521742, 'the ecart': 853865, 'ecart parking': 266597, 'spot go': 790061, 'for fast': 321415, 'handle demand': 376192, 'night people': 563058, 'were little': 979846, 'crazy trying': 215471, 'those spot': 892480, 're ecart covid': 698588, 'ecart covid 19': 266596, 'covid 19 maybe': 213411, '19 maybe lose': 8586, 'maybe lose the': 521743, 'lose the ecart': 503479, 'the ecart parking': 853866, 'ecart parking spot': 266598, 'parking spot go': 642123, 'spot go to': 790062, 'go to queue': 354346, 'to queue like': 912671, 'queue like for': 693980, 'like for fast': 490270, 'for fast food': 321416, 'food drive up': 314292, 'drive up to': 259252, 'up to handle': 946383, 'to handle demand': 907126, 'handle demand last': 376193, 'demand last night': 235791, 'last night people': 480390, 'night people were': 563059, 'people were little': 650213, 'were little crazy': 979847, 'little crazy trying': 495307, 'crazy trying to': 215472, 'get one of': 347703, 'of those spot': 592114, 'burdensome': 142765, 'amp billing': 53458, 'billing regulation': 130763, 'are burdensome': 85086, 'burdensome ineffective': 142766, 'ineffective amp': 436287, 'amp costly': 53584, 'costly they': 208352, 'patient consumer': 644149, 'worker some': 1007798, 'some do': 782706, 'do many': 249585, 'will hamper': 993591, 'hamper nimble': 374604, 'nimble covid': 563259, 'response unless': 715901, 'unless ignored': 942615, 'ignored suspended': 415884, 'suspended or': 829625, 'or removed': 616845, 'thousand of govt': 893443, 'of govt amp': 584284, 'govt amp billing': 361071, 'amp billing regulation': 53459, 'billing regulation that': 130764, 'that are burdensome': 842724, 'are burdensome ineffective': 85087, 'burdensome ineffective amp': 142767, 'ineffective amp costly': 436288, 'amp costly they': 53585, 'costly they are': 208353, 'they are supposed': 881423, 'protect the patient': 684981, 'the patient consumer': 863397, 'patient consumer amp': 644150, 'consumer amp healthcare': 196189, 'healthcare worker some': 387384, 'worker some do': 1007799, 'some do many': 782707, 'do many do': 249586, 'do not many': 249782, 'not many will': 570534, 'many will hamper': 514880, 'will hamper nimble': 993592, 'hamper nimble covid': 374605, 'nimble covid 19': 563260, '19 response unless': 10165, 'response unless ignored': 715902, 'unless ignored suspended': 942616, 'ignored suspended or': 415885, 'suspended or removed': 829626, 'shug': 767764, 'rnb': 724358, 'rnbmusic': 724361, 'trapmusic': 930104, 'hot97': 405076, 'power105': 667738, 'quarantined on': 692872, 'supermarket bored': 819392, 'bored got': 135348, 'got tune': 358995, 'et today': 282371, 'today shug': 920184, 'shug spin': 767765, 'spin hiphop': 789390, 'hiphop on': 396952, 'radio music': 695448, 'music rap': 546332, 'rap rnb': 696874, 'rnb pop': 724359, 'pop rnbmusic': 664454, 'rnbmusic trap': 724362, 'trap trapmusic': 930102, 'trapmusic hot97': 930105, 'hot97 power105': 405077, 'power105 dj': 667739, 'quarantined on line': 692873, 'the supermarket bored': 868491, 'supermarket bored got': 819393, 'bored got tune': 135349, 'got tune in': 358996, 'in at 3pm': 420549, '3pm et today': 18404, 'et today shug': 282372, 'today shug spin': 920185, 'shug spin hiphop': 767766, 'spin hiphop on': 789391, 'hiphop on radio': 396953, 'on radio music': 603065, 'radio music rap': 695449, 'music rap rnb': 546333, 'rap rnb pop': 696875, 'rnb pop rnbmusic': 724360, 'pop rnbmusic trap': 664455, 'rnbmusic trap trapmusic': 724363, 'trap trapmusic hot97': 930103, 'trapmusic hot97 power105': 930106, 'hot97 power105 dj': 405078, 'stocked amid': 803253, 'amid widespread': 52762, 'working double': 1008596, 'double shift': 256045, 'shift putting': 758394, 'shelf stocked amid': 757576, 'stocked amid widespread': 803254, 'amid widespread panic': 52763, 'widespread panic america': 991856, 'panic america farmer': 637280, 'america farmer the': 51520, 'farmer the doctor': 299520, 'nurse working double': 577557, 'working double shift': 1008597, 'double shift putting': 256046, 'shift putting themselves': 758395, 'at risk thank': 100406, 'and 2019': 57408, 'return data': 719831, 'data so': 226420, 'impact check are': 417595, 'check are delivered': 174372, 'are delivered based': 85760, 'on 2018 and': 599052, '2018 and 2019': 13871, 'and 2019 tax': 57409, 'tax return data': 835079, 'return data so': 719832, 'data so no': 226421, 'have received your': 382206, 'be sent to': 117090, 'sent to you': 750848, 'you you do': 1022481, 'while venezuela': 987511, 'venezuela experienced': 954442, 'experienced food': 291577, 'shortage political': 765180, 'political crisis': 663637, 'wa booming': 961731, 'booming why': 134907, 'why hyperinflation': 991078, 'hyperinflation okay': 412311, 'okay for': 597974, 'asset detrimental': 96430, 'detrimental for': 239493, 'without stockmarket': 1002939, 'stockmarket bailout': 803645, 'bailout inflation': 108639, 'inflation inequality': 437198, 'inequality venezuela': 436351, 'even while venezuela': 284793, 'while venezuela experienced': 987512, 'venezuela experienced food': 954443, 'experienced food shortage': 291578, 'food shortage political': 316598, 'shortage political crisis': 765181, 'political crisis and': 663638, 'crisis and riot': 217047, 'and riot in': 70534, 'the street it': 868235, 'street it stock': 813016, 'it stock market': 461264, 'market wa booming': 517306, 'wa booming why': 961732, 'booming why hyperinflation': 134908, 'why hyperinflation okay': 991079, 'hyperinflation okay for': 412312, 'okay for those': 597975, 'those with asset': 892712, 'with asset detrimental': 997320, 'asset detrimental for': 96431, 'detrimental for those': 239494, 'for those without': 327151, 'those without stockmarket': 892735, 'without stockmarket bailout': 1002940, 'stockmarket bailout inflation': 803646, 'bailout inflation inequality': 108640, 'inflation inequality venezuela': 437199, 'sending none': 750061, 'store baristas': 806647, 'are representing': 89604, 'representing they': 712950, 'stop sending none': 804999, 'sending none essential': 750062, 'none essential people': 566561, 'work let grocery': 1005429, 'grocery store baristas': 365238, 'store baristas stay': 806648, 'we are representing': 970687, 'are representing they': 89605, 'representing they have': 712951, 'they have shut': 882377, 'down all starbucks': 256465, 'let stay home': 487077, 'stay home coronacrisis': 796950, 'mismanagement': 534111, 'to maduro': 909541, 'maduro mismanagement': 508241, 'mismanagement venezuela': 534112, 'no condition': 563867, 'it hospital': 458634, 'are death': 85705, 'trap many': 930093, 'it doctor': 457607, 'the 5m': 848157, '5m who': 20783, 'have fled': 380635, 'fled his': 310275, 'his rule': 397768, 'rule global': 727240, 'now below': 574247, 'below venezuela': 126769, 'venezuela average': 954433, 'average cost': 104822, 'thanks to maduro': 842243, 'to maduro mismanagement': 909542, 'maduro mismanagement venezuela': 508242, 'mismanagement venezuela is': 534113, 'venezuela is in': 954447, 'in no condition': 425909, 'no condition to': 563868, 'condition to cope': 193547, 'cope with it': 203349, 'with it hospital': 999070, 'it hospital are': 458635, 'hospital are death': 404297, 'are death trap': 85706, 'death trap many': 230258, 'trap many of': 930094, 'of it doctor': 585385, 'it doctor are': 457608, 'doctor are among': 250836, 'among the 5m': 53058, 'the 5m who': 848158, '5m who have': 20784, 'who have fled': 988923, 'have fled his': 380636, 'fled his rule': 310276, 'his rule global': 397769, 'rule global oil': 727241, 'are now below': 88530, 'now below venezuela': 574248, 'below venezuela average': 126770, 'venezuela average cost': 954434, 'average cost of': 104823, 'driver police': 259699, 'frontline clapfornhs': 338717, 'clapfornhs stayathome': 180007, 'stayathome restezchezvous': 797598, 'delivery driver police': 233930, 'driver police service': 259700, 'police service member': 663196, 'service member who': 752596, 'the frontline clapfornhs': 855863, 'frontline clapfornhs stayathome': 338718, 'clapfornhs stayathome restezchezvous': 180008, 'comment stage': 188450, 'russia biz': 728446, 'biz response': 131952, 'coronavirus view': 207023, 'trench esg': 931250, 'comment stage of': 188451, 'stage of russia': 793206, 'of russia biz': 589187, 'russia biz response': 728447, 'biz response to': 131953, 'to coronavirus view': 903573, 'coronavirus view from': 207024, 'view from the': 957091, 'the trench esg': 869957, 'daylight': 228903, 'price daylight': 673385, 'daylight robbery': 228904, 'robbery petrol': 724675, 'rs15 ltr': 726683, 'ltr part': 506404, 'change came': 171967, 'came week': 157084, 'before schedule': 123055, 'schedule qualifies': 741455, 'qualifies relief': 691717, 'relief petrol': 709433, 'petrol oilprices': 653752, 'oilprices pakistan': 597683, 'petrol price daylight': 653764, 'price daylight robbery': 673386, 'daylight robbery petrol': 228905, 'robbery petrol price': 724676, 'petrol price went': 653777, 'went down by': 978986, 'down by rs15': 256602, 'by rs15 ltr': 153839, 'rs15 ltr part': 726684, 'ltr part of': 506405, 'of the relief': 591402, 'the relief package': 865486, 'package that the': 633416, 'the price change': 864338, 'price change came': 673106, 'change came week': 171968, 'came week before': 157085, 'week before schedule': 975997, 'before schedule qualifies': 123056, 'schedule qualifies relief': 741456, 'qualifies relief petrol': 691718, 'relief petrol oilprices': 709434, 'petrol oilprices pakistan': 653753, 'oilprices pakistan quarantinelife': 597684, 'me bad': 522491, 'person hoarding': 652463, 'trumpmeltdown trumpliespeopledie': 934096, 've been hoarding': 952894, 'been hoarding this': 121304, 'hoarding this for': 399610, 'this for couple': 887587, 'of year now': 593346, 'year now doe': 1014765, 'make me bad': 510127, 'me bad person': 522492, 'bad person hoarding': 107979, 'person hoarding toiletpaper': 652464, 'hoarding toiletpaper trumpmeltdown': 399625, 'toiletpaper trumpmeltdown trumpliespeopledie': 922772, 'underresourced': 940559, 'daily comedy': 224546, 'comedy routine': 187774, 'routine he': 726513, 'll soon': 497018, 'socialdistancing having': 780413, 'having run': 384249, 'material like': 520396, 'an understaffed': 56836, 'understaffed underresourced': 940579, 'underresourced run': 940560, 'by tory': 154574, 'tory austerity': 926065, 'austerity nh': 103164, 'no way is': 565863, 'way is going': 969667, 'keep up his': 472170, 'up his daily': 945089, 'his daily comedy': 397341, 'daily comedy routine': 224547, 'comedy routine he': 187775, 'routine he ll': 726514, 'he ll soon': 385200, 'll soon be': 497019, 'soon be socialdistancing': 785649, 'be socialdistancing having': 117275, 'socialdistancing having run': 780414, 'having run out': 384250, 'out of material': 626784, 'of material like': 586301, 'material like an': 520397, 'like an understaffed': 489776, 'an understaffed underresourced': 56837, 'understaffed underresourced run': 940580, 'underresourced run down': 940561, 'run down by': 727606, 'down by tory': 256605, 'by tory austerity': 154575, 'tory austerity nh': 926066, 'austerity nh and': 103165, 'shelf in pandemic': 757211, 'repellent': 711552, 'read post': 700533, 'post encouraging': 666108, 'to ingest': 908391, 'ingest colloidal': 438305, 'silver please': 769843, 'no vitamin': 565844, 'vitamin home': 959786, 'home cure': 400971, 'cure aide': 220691, 'aide or': 39500, 'or repellent': 616850, 'repellent for': 711553, '19 colloidal': 5885, 'silver is': 769812, 'just read post': 469563, 'read post encouraging': 700534, 'post encouraging people': 666109, 'people to ingest': 649912, 'to ingest colloidal': 908392, 'ingest colloidal silver': 438306, 'colloidal silver please': 186670, 'silver please do': 769844, 'listen to people': 494746, 'are no vitamin': 88289, 'no vitamin home': 565845, 'vitamin home cure': 959787, 'home cure aide': 400972, 'cure aide or': 220692, 'aide or repellent': 39501, 'or repellent for': 616851, 'repellent for covid': 711554, 'covid 19 colloidal': 212826, '19 colloidal silver': 5886, 'colloidal silver is': 186669, 'silver is not': 769813, 'safe to ingest': 730054, 'quaratinebubble': 693114, 'bubble boy': 141592, 'boy sending': 137279, 'sending message': 750050, 'message bubbleboy': 529280, 'jakegyllenhaal toiletpaper': 464329, 'toiletpaper quaratinebubble': 922383, 'quaratinebubble quaratine': 693115, 'wa bubble boy': 961758, 'bubble boy sending': 141593, 'boy sending message': 137280, 'sending message bubbleboy': 750051, 'message bubbleboy jakegyllenhaal': 529281, 'bubbleboy jakegyllenhaal toiletpaper': 141632, 'jakegyllenhaal toiletpaper quaratinebubble': 464330, 'toiletpaper quaratinebubble quaratine': 922384, 'evryday': 288598, '2dys': 16591, '890': 23107, 'worsening evryday': 1011094, 'evryday price': 288599, 'commodity skyrocketed': 189307, 'just 2dys': 468112, '2dys of': 16592, 'lockdown bag': 499182, 'rice have': 721060, 'have cost': 380122, 'cost nearly': 208026, '200 dis': 13477, 'dis blood': 243784, 'sugar test': 817475, 'kit priced': 475612, 'priced 500': 677721, '500 is': 20006, 'now sold': 575859, 'of 890': 579680, '890 now': 23108, 'is worsening evryday': 454074, 'worsening evryday price': 1011095, 'evryday price of': 288600, 'of commodity skyrocketed': 581581, 'commodity skyrocketed in': 189308, 'skyrocketed in just': 773371, 'in just 2dys': 424413, 'just 2dys of': 468113, '2dys of lockdown': 16593, 'of lockdown bag': 585950, 'lockdown bag of': 499183, 'of rice have': 589097, 'rice have cost': 721061, 'have cost nearly': 380123, 'cost nearly 200': 208027, 'nearly 200 dis': 553771, '200 dis blood': 13478, 'dis blood sugar': 243785, 'blood sugar test': 133148, 'sugar test kit': 817476, 'test kit priced': 839067, 'kit priced 500': 475613, 'priced 500 is': 677722, '500 is now': 20007, 'is now sold': 450338, 'now sold at': 575860, 'sold at rate': 781641, 'rate of 890': 697313, 'of 890 now': 579681, '890 now we': 23109, 'the price rise': 864407, 'once during': 605623, 'they sound': 883417, 'hell on': 389047, 'earth big': 264976, 'up corner': 944647, 'shop life': 760400, 'so glad ve': 777174, 'glad ve never': 351537, 'to supermarket once': 915821, 'supermarket once during': 821747, 'once during they': 605624, 'during they sound': 263256, 'they sound like': 883418, 'like hell on': 490418, 'hell on earth': 389048, 'on earth big': 600467, 'earth big up': 264977, 'big up corner': 130092, 'up corner shop': 944648, 'corner shop life': 203671, 'angeles research': 76381, 'for unemployment check': 327431, 'unemployment check food': 941176, 'check food and': 174436, 'household supply do': 406963, 'not panic read': 570927, 'los angeles research': 503368, 'angeles research what': 76382, 'research what eviction': 713880, 'from union': 338183, 'rep say': 711421, 'shopping touch': 764235, 'touch few': 926478, 'few product': 304017, 'product possible': 681534, 'possible throw': 665832, 'say at least': 738444, 'worker died from': 1006781, 'died from union': 241560, 'from union rep': 338184, 'union rep say': 941919, 'rep say consumer': 711422, 'say consumer can': 738533, 'help protect worker': 390379, 'protect worker the': 685044, 'worker the public': 1007936, 'the public wear': 864868, 'public wear mask': 688465, 'mask when grocery': 519536, 'grocery shopping touch': 365097, 'shopping touch few': 764236, 'touch few product': 926479, 'few product possible': 304018, 'product possible throw': 681535, 'possible throw used': 665833, 'throw used mask': 895062, 'used mask glove': 949963, 'mask glove in': 518737, 'hilary': 396454, 'dr hilary': 258026, 'hilary warns': 396455, 'exposed amid': 292827, 'amid model': 52532, 'showing supermarket': 767505, 'virus risk': 958699, 'dr hilary warns': 258027, 'hilary warns we': 396456, 'warns we re': 967313, 'be exposed amid': 114744, 'exposed amid model': 292828, 'amid model showing': 52533, 'model showing supermarket': 535307, 'showing supermarket virus': 767506, 'supermarket virus risk': 823652, 'desperate bc': 238506, 'bc she': 113284, 'find condiment': 306853, 'palpable ppl': 634635, 'store wa chaos': 811104, 'approached me in': 83010, 'me in mask': 522969, 'in mask desperate': 425165, 'mask desperate bc': 518569, 'desperate bc she': 238507, 'bc she couldn': 113285, 'she couldn find': 755961, 'couldn find condiment': 209875, 'find condiment she': 306854, 'condiment she walked': 193386, 'she walked past': 756440, 'worker are trying': 1006436, 'be calm but': 113960, 'is palpable ppl': 450783, 'palpable ppl are': 634636, 'ppl are panicking': 668174, 'panicking and am': 639316, 'and am afraid': 58003, 'ukac': 938924, 'needed even': 556347, 'at ukac': 101386, 'ukac and': 938925, 'felt quite': 303439, 'quite safe': 694912, 'everyone ton': 287511, 'distance felt': 246699, 'felt safer': 303446, 'urgently needed even': 948397, 'needed even during': 556348, 'even during and': 284022, 'during and ve': 262458, 'been at ukac': 120706, 'at ukac and': 101387, 'ukac and felt': 938926, 'and felt quite': 62799, 'felt quite safe': 303440, 'quite safe mask': 694913, 'safe mask for': 729815, 'mask for everyone': 518673, 'for everyone ton': 321248, 'everyone ton of': 287512, 'ton of disinfectant': 924270, 'of disinfectant and': 582685, 'disinfectant and enough': 245606, 'and enough space': 62155, 'enough space for': 277624, 'space for keeping': 787098, 'for keeping distance': 322811, 'keeping distance felt': 472406, 'distance felt safer': 246700, 'felt safer than': 303447, 'safer than in': 730389, 'is pier': 450873, 'morgan to': 541094, 'man up': 512281, 'grip for': 364015, 'anxiety depression': 78680, 'depression no': 237660, 'how easy do': 407778, 'easy do you': 265690, 'it is pier': 459036, 'is pier morgan': 450874, 'pier morgan to': 656396, 'morgan to man': 541095, 'to man up': 909785, 'man up get': 512282, 'up get grip': 945015, 'get grip for': 347155, 'grip for those': 364016, 'with anxiety depression': 997270, 'anxiety depression no': 78681, 'depression no money': 237661, 'streaming live': 812825, 'kitengela mzalendo': 475803, 'mzalendo changamka': 551087, 'streaming live from': 812826, 'live from power': 495831, 'from power star': 336961, 'supermarket kitengela mzalendo': 821249, 'kitengela mzalendo changamka': 475804, 'incredible tale': 433877, 'of forward': 583883, 'looking retailer': 502989, 'that prepared': 845808, 'prepared long': 670215, 'before others': 122989, 'an incredible tale': 56262, 'incredible tale of': 433878, 'tale of forward': 833700, 'of forward looking': 583884, 'forward looking retailer': 329992, 'looking retailer that': 502990, 'retailer that prepared': 719360, 'that prepared long': 845809, 'prepared long before': 670216, 'long before others': 501350, 'before others for': 122990, 'others for this': 621414, 'this pandemic grocery': 889388, 'spouting': 790234, 'at slash': 100545, 'slash down': 773562, 'price profiteering': 676009, 'while spouting': 987306, 'spouting his': 790235, 'his anti': 397195, 'abortion religious': 24614, 'religious stance': 709591, 'borisjohnson sack': 135530, 'sack him': 729049, 'jacobreesmogg buying up': 464226, 'buying up business': 151290, 'up business at': 944514, 'business at slash': 143408, 'at slash down': 100546, 'slash down price': 773563, 'down price profiteering': 257118, 'price profiteering on': 676010, 'profiteering on covid': 683074, '2017 while spouting': 13865, 'while spouting his': 987307, 'spouting his anti': 790236, 'his anti abortion': 397196, 'anti abortion religious': 78265, 'abortion religious stance': 24615, 'religious stance on': 709592, 'stance on national': 793476, 'hypocrisy at it': 412398, 'at it highest': 99327, 'it highest level': 458585, 'level borisjohnson sack': 487526, 'borisjohnson sack him': 135531, 'sack him now': 729050, 'the socialdistancingnow': 867431, 'socialdistancingnow thing': 780911, 'is immediately': 448674, 'immediately defeated': 417081, 'defeated when': 232059, 're inch': 698893, 'inch apart': 431389, 'line sanantonio': 493382, 'sanantonio fridaythoughts': 733577, 'fridaythoughts there': 333365, 'nothing here': 573038, 'here coronavirus': 392901, 'clear grocery': 181254, 'else think the': 271927, 'think the socialdistancingnow': 885654, 'the socialdistancingnow thing': 867432, 'socialdistancingnow thing is': 780912, 'thing is immediately': 884473, 'is immediately defeated': 448675, 'immediately defeated when': 417082, 'defeated when you': 232060, 'you re inch': 1020653, 're inch apart': 698894, 'inch apart in': 431390, 'supermarket line sanantonio': 821328, 'line sanantonio fridaythoughts': 493383, 'sanantonio fridaythoughts there': 733578, 'fridaythoughts there nothing': 333366, 'there nothing here': 878872, 'nothing here coronavirus': 573039, 'here coronavirus panic': 392902, 'coronavirus panic clear': 206516, 'panic clear grocery': 638011, 'clear grocery shelf': 181255, 'grocery shelf via': 364960, 'xiaomi': 1013840, 'oppo': 613538, 'post apple': 666001, 'apple xiaomi': 82384, 'xiaomi oppo': 1013841, 'oppo smartphone': 613539, 'smartphone price': 775528, '18 gst': 4540, 'new post apple': 559319, 'post apple xiaomi': 666002, 'apple xiaomi oppo': 82385, 'xiaomi oppo smartphone': 1013842, 'oppo smartphone price': 613540, 'smartphone price hike': 775529, 'due to 18': 261691, 'to 18 gst': 899529, 'everything keep': 287898, 'going like': 355259, 'allow subsistence': 46066, 'subsistence hunting': 816028, 'hunting mean': 411420, 'family doesnt': 297748, 'doesnt make': 252012, 'actual bill': 30633, 'paid kentucky': 634044, 'kentucky ky': 472852, 'if everything keep': 414104, 'everything keep going': 287899, 'keep going like': 471547, 'going like it': 355260, 'like it going': 490536, 'it going are': 458278, 'going are you': 355021, 'to allow subsistence': 900358, 'allow subsistence hunting': 46067, 'subsistence hunting mean': 816029, 'hunting mean my': 411421, 'mean my family': 524559, 'my family doesnt': 548193, 'family doesnt make': 297749, 'doesnt make enough': 252013, 'make enough money': 509877, 'up and hoard': 944334, 'and hoard food': 64632, 'hoard food have': 398789, 'food have actual': 314778, 'have actual bill': 379121, 'actual bill that': 30634, 'be paid kentucky': 116335, 'paid kentucky ky': 634045, 'preda': 669520, 'on exploiting': 600682, 'exploiting led': 292433, 'led shortage': 485257, 'by requiring': 153774, 'requiring prime': 713530, 'prime membership': 678127, 'membership to': 528290, 'paper first': 640155, 'first amazon': 308493, 'amazon destroys': 50913, 'destroys brick': 239094, 'mortar take': 541846, 'now insists': 575045, 'on subscription': 603734, 'law please': 482368, 'check such': 174634, 'such preda': 816693, 'insists on exploiting': 439723, 'on exploiting led': 600683, 'exploiting led shortage': 292434, 'led shortage by': 485258, 'shortage by requiring': 764872, 'by requiring prime': 153775, 'requiring prime membership': 713531, 'prime membership to': 678128, 'membership to order': 528291, 'to order toilet': 911089, 'toilet paper first': 921274, 'paper first amazon': 640156, 'first amazon destroys': 308494, 'amazon destroys brick': 50914, 'destroys brick and': 239095, 'and mortar take': 67250, 'mortar take over': 541847, 'take over supply': 832474, 'over supply chain': 630667, 'chain and now': 170470, 'and now insists': 67846, 'now insists on': 575046, 'insists on subscription': 439725, 'on subscription to': 603735, 'subscription to order': 815912, 'to order consumer': 911066, 'order consumer law': 618144, 'consumer law please': 198005, 'law please to': 482369, 'please to check': 660683, 'to check such': 902693, 'check such preda': 174635, 'employe': 273455, 'day garden': 227670, 'garden food': 343591, 'bolton is': 134167, 'down employe': 256719, 'employe tested': 273456, 'symptom this': 830938, 'problem soon': 679679, 'soon when': 785899, 'when essential': 983379, 'service start': 752857, 'oh no my': 596427, 'no my grocery': 564842, 'store just went': 808631, 'other day garden': 620075, 'day garden food': 227671, 'garden food in': 343592, 'food in bolton': 314926, 'in bolton is': 420899, 'bolton is shut': 134168, 'shut down employe': 767821, 'down employe tested': 256720, 'employe tested positive': 273457, 'positive with symptom': 665492, 'with symptom this': 1001109, 'symptom this is': 830939, 'to be problem': 901457, 'be problem soon': 116548, 'problem soon when': 679680, 'soon when essential': 785900, 'when essential service': 983380, 'essential service start': 281526, 'service start to': 752858, 'what mess': 981868, 'mess this': 529241, 'not job': 570192, 'for charity': 320024, 'volunteer million': 960294, 'are flooding': 86604, 'flooding charitable': 310748, 'charitable system': 173552, 'handle nationwide': 376234, 'nationwide crisis': 552724, 'what mess this': 981869, 'mess this is': 529242, 'is not job': 450115, 'not job just': 570193, 'job just for': 465933, 'just for charity': 468745, 'for charity and': 320025, 'charity and volunteer': 173564, 'and volunteer million': 75032, 'volunteer million are': 960295, 'million are flooding': 532073, 'are flooding charitable': 86605, 'flooding charitable system': 310749, 'charitable system that': 173553, 'system that wa': 831338, 'intended to handle': 441058, 'to handle nationwide': 907129, 'handle nationwide crisis': 376235, 'nationwide crisis food': 552725, 'davies2019': 227017, 'legominifigures': 486079, 'who creates': 988524, 'creates photo': 215961, 'photo using': 655266, 'using lego': 950544, 'lego figure': 486069, 'is brilliant': 446268, 'brilliant give': 139848, 'him follow': 396599, 'instagram graham': 439964, 'graham davies2019': 361748, 'davies2019 stophoarding': 227018, 'stopstockpiling convid19uk': 805863, 'convid19uk lego': 202619, 'lego legominifigures': 486071, 'legominifigures toiletpaper': 486080, 'toiletpaper photography': 922343, 'photography photooftheday': 655304, 'friend who creates': 333896, 'who creates photo': 988525, 'creates photo using': 215962, 'photo using lego': 655267, 'using lego figure': 950545, 'lego figure this': 486070, 'figure this is': 305244, 'this is brilliant': 888197, 'is brilliant give': 446269, 'brilliant give him': 139849, 'give him follow': 350519, 'him follow on': 396600, 'on instagram graham': 601587, 'instagram graham davies2019': 439965, 'graham davies2019 stophoarding': 361749, 'davies2019 stophoarding stoppanicbuying': 227019, 'stoppanicbuying stopstockpiling convid19uk': 805642, 'stopstockpiling convid19uk lego': 805864, 'convid19uk lego legominifigures': 202620, 'lego legominifigures toiletpaper': 486072, 'legominifigures toiletpaper photography': 486081, 'toiletpaper photography photooftheday': 922344, 'about nation': 25778, 'lineup are': 493660, 'say about nation': 738388, 'about nation when': 25779, 'when the liquor': 984171, 'liquor store lineup': 494208, 'store lineup are': 808765, 'lineup are longer': 493661, 'ncsc': 553362, 'other cyber': 620066, 'threat proliferating': 893717, 'proliferating amidst': 683602, 'see ncsc': 745469, 'ncsc resource': 553363, 'resource including': 714826, 'including stay': 432163, 'and ftc': 63384, 'yourself against online': 1026507, 'and other cyber': 68306, 'other cyber threat': 620067, 'cyber threat proliferating': 223948, 'threat proliferating amidst': 893718, 'proliferating amidst the': 683603, '19 pandemic see': 9458, 'pandemic see ncsc': 636417, 'see ncsc resource': 745470, 'ncsc resource at': 553364, 'resource at and': 714717, 'at and other': 98007, 'and other resource': 68395, 'other resource including': 620838, 'resource including stay': 714827, 'including stay safe': 432164, 'stay safe online': 797258, 'safe online and': 729853, 'online and ftc': 607814, 'china must': 176835, 'accountable for': 28806, 'the worldwide': 872018, 'worldwide outbreak': 1010400, 'rapid spreading': 696934, 'evil empire': 288439, 'empire must': 273411, 'pay heavy': 644925, 'heavy price': 388653, 'that ccp': 843186, 'ccp must': 168462, 'beaten soon': 118606, 'ccp china must': 168453, 'china must be': 176836, 'held accountable for': 388878, 'accountable for the': 28807, 'for the worldwide': 326789, 'the worldwide outbreak': 872019, 'worldwide outbreak and': 1010401, 'outbreak and rapid': 628007, 'and rapid spreading': 69937, 'rapid spreading of': 696935, 'of the evil': 590998, 'the evil empire': 854633, 'evil empire must': 288440, 'empire must pay': 273412, 'must pay heavy': 546803, 'pay heavy price': 644926, 'heavy price for': 388654, 'for that ccp': 326252, 'that ccp must': 843187, 'ccp must be': 168463, 'must be beaten': 546494, 'be beaten soon': 113818, 'beaten soon possible': 118607, 'stressful queue': 813504, 'queue restriction': 694050, 'restriction blood': 717231, 'pressure stress': 671233, 'level waiting': 487741, 'finish faffing': 307849, 'faffing where': 296073, 'distancing causing': 247075, 'causing stress': 168102, 'stress just': 813352, 'crisis is so': 217588, 'is so stressful': 452036, 'so stressful queue': 778285, 'stressful queue restriction': 813505, 'queue restriction blood': 694051, 'restriction blood pressure': 717232, 'blood pressure stress': 133137, 'pressure stress level': 671234, 'stress level waiting': 813357, 'level waiting for': 487742, 'waiting for other': 964328, 'people to finish': 649902, 'to finish faffing': 905965, 'finish faffing where': 307850, 'faffing where you': 296074, 'where you need': 985396, 'get to because': 348459, 'to because of': 901666, 'social distancing causing': 779579, 'distancing causing stress': 247076, 'causing stress just': 168103, 'stress just me': 813353, 'pay close': 644807, 'close attention': 182559, 'to corporation': 903584, 'corporation during': 207408, 'note which': 572851, 'one lay': 606577, 'for unwarranted': 327456, 'unwarranted bailouts': 944058, 'bailouts the': 108702, '00 before': 80, 'before tax': 123124, 'non financial': 566386, 'financial corporation': 306361, 'corporation had': 207426, 'trillion cash': 931967, 'pay close attention': 644808, 'close attention to': 182560, 'attention to corporation': 102494, 'to corporation during': 903585, 'corporation during and': 207409, 'during and note': 262456, 'and note which': 67796, 'note which one': 572852, 'which one lay': 986200, 'one lay off': 606578, 'off worker raise': 594424, 'worker raise price': 1007659, 'raise price or': 695924, 'price or ask': 675766, 'ask for unwarranted': 95540, 'for unwarranted bailouts': 327457, 'unwarranted bailouts the': 944059, 'bailouts the near': 108703, 'the near 30': 861347, '30 00 before': 16916, '00 before tax': 81, 'before tax cut': 123125, 'cut and non': 223229, 'and non financial': 67671, 'non financial corporation': 566387, 'financial corporation had': 306362, 'corporation had trillion': 207427, 'had trillion cash': 373758, 'trillion cash reserve': 931968, 'kindly note': 475149, 'service medicine': 752590, 'medicine grocery': 526794, 'panic calm': 637988, 'and figure': 62836, 'your routine': 1025651, 'routine clarified': 726499, 'clarified by': 180070, 'kindly note that': 475150, 'note that all': 572797, 'essential service medicine': 281515, 'service medicine grocery': 752591, 'medicine grocery or': 526795, 'grocery or food': 364803, 'or food item': 615342, 'item will remain': 463833, 'open so plz': 612506, 'so plz do': 778037, 'plz do not': 661811, 'not panic calm': 570903, 'panic calm down': 637989, 'down and figure': 256494, 'and figure out': 62837, 'figure out your': 305225, 'out your routine': 627915, 'your routine clarified': 1025652, 'routine clarified by': 726500, 'termed': 838353, 'although pledge': 49347, 'pledge the': 660852, 'ministry termed': 533568, 'termed the': 838354, 'sanitation routine': 733860, 'routine requirement': 726525, 'requirement that': 713444, 'are governed': 86930, 'by article': 151890, 'article 13': 94226, 'law no': 482341, '2008 qatar': 13692, 'although pledge the': 49348, 'pledge the ministry': 660853, 'the ministry termed': 860664, 'ministry termed the': 533569, 'termed the sanitation': 838355, 'the sanitation routine': 866344, 'sanitation routine requirement': 733861, 'routine requirement that': 726526, 'requirement that are': 713445, 'that are governed': 842757, 'are governed by': 86931, 'governed by article': 359790, 'by article 13': 151891, 'article 13 of': 94227, '13 of the': 3246, 'protection law no': 685513, 'law no of': 482342, 'no of 2008': 564898, 'of 2008 qatar': 579463, '2008 qatar yoursafetyismysafety': 13693, 'hoax dammit': 399713, 'dammit guy': 225300, 'store lack': 808662, 'lack many': 478599, 'hoax the': 399742, 'wa just hoax': 962461, 'just hoax dammit': 468978, 'hoax dammit guy': 399714, 'dammit guy behind': 225301, 'husband at the': 411685, 'morning the same': 541489, 'grocery store lack': 365508, 'store lack many': 808663, 'lack many thing': 478600, 'many thing people': 514803, 'think it hoax': 885336, 'it hoax the': 458605, 'hoax the worst': 399743, 'the worst hoax': 872056, 'worst hoax of': 1011199, 'hoax of all': 399733, 'weeknews': 977603, 'recession likely': 704315, 'cause milk': 167653, 'reflect 2008': 706598, '2008 weeknews': 13700, '19 recession likely': 10001, 'recession likely to': 704316, 'to cause milk': 902537, 'cause milk price': 167654, 'to reflect 2008': 913064, 'reflect 2008 weeknews': 706599, 'apocalyps': 81502, 'this apocalyps': 886381, 'apocalyps like': 81503, 'the infamous': 858212, 'infamous toilet': 436469, 'paper luckily': 640430, 'luckily found': 506501, 'found stash': 330385, 'old candy': 598174, 'candy under': 161353, 'sink that': 771489, 'should last': 766185, 'family is very': 297958, 'very low in': 955340, 'low in term': 505340, 'term of supply': 838227, 'of supply for': 590479, 'supply for surviving': 825279, 'for surviving this': 326099, 'surviving this apocalyps': 829376, 'this apocalyps like': 886382, 'apocalyps like food': 81504, 'like food water': 490266, 'and the infamous': 73426, 'the infamous toilet': 858213, 'infamous toilet paper': 436470, 'toilet paper luckily': 921343, 'paper luckily found': 640431, 'luckily found stash': 506502, 'found stash of': 330386, 'stash of old': 795293, 'of old candy': 587200, 'old candy under': 598175, 'candy under the': 161354, 'under the sink': 940331, 'the sink that': 867227, 'sink that should': 771490, 'that should last': 846286, 'should last day': 766186, 'day at least': 227334, 'babaji': 106544, 'pantry beyond': 639544, 'beyond week': 129256, 'supply let': 825497, 'hoard consider': 398774, 'consider dropping': 194991, 'dropping food': 260688, 'be love': 115836, '19 babaji': 5287, 'babaji great': 106545, 'great disciple': 362634, 'disciple cnn': 244350, 'cnn interview': 184761, 'interview 12': 442202, 'your pantry beyond': 1025188, 'pantry beyond week': 639545, 'beyond week supply': 129257, 'week supply let': 976953, 'supply let not': 825498, 'let not hoard': 486938, 'not hoard consider': 569978, 'hoard consider dropping': 398775, 'consider dropping food': 194992, 'dropping food at': 260689, 'bank the poor': 110240, 'stock up there': 803121, 'up there can': 946260, 'can be love': 157640, 'be love in': 115837, 'covid 19 babaji': 212672, '19 babaji great': 5288, 'babaji great disciple': 106546, 'great disciple cnn': 362635, 'disciple cnn interview': 244351, 'cnn interview 12': 184762, 'interview 12 03': 442203, '03 or': 868, 'than per': 841025, 'of mask shall': 586278, '13 03 or': 3156, '03 or not': 869, 'than 10 per': 840151, 'per piece whichever': 650986, 'more than per': 540660, 'than per piece': 841026, 'our businessman': 622294, 'businessman in': 144763, 'charge crude': 173216, 'amp emerges': 53708, 'emerges oil': 273091, 'oil white': 597516, 'white knight': 987866, 'knight after': 476114, 'after worst': 36587, 'is the energy': 452787, 'energy producer in': 276555, 'producer in the': 680643, 'to our businessman': 911156, 'our businessman in': 622295, 'businessman in charge': 144764, 'in charge crude': 421338, 'charge crude price': 173217, 'fallen to record': 297186, 'record low during': 705010, 'during the amp': 263087, 'the amp emerges': 848657, 'amp emerges oil': 53709, 'emerges oil white': 273092, 'oil white knight': 597517, 'white knight after': 987867, 'knight after worst': 476115, 'after worst week': 36588, 'worst week since': 1011302, 'week since 2008': 976874, 'onshore': 611552, 'hover': 407238, 'onshore domestic': 611553, 'gas continue': 343799, 'to hover': 908013, 'hover just': 407239, 'above record': 27097, 'week strong': 976943, 'strong production': 814094, 'production outpaces': 682176, 'outpaces demand': 629210, 'demand factbox': 235316, 'onshore domestic and': 611554, 'domestic and export': 253167, 'and export price': 62532, 'export price for': 292690, 'price for natural': 674009, 'natural gas continue': 552833, 'gas continue to': 343800, 'continue to hover': 201207, 'to hover just': 908014, 'hover just above': 407240, 'just above record': 468142, 'above record low': 27098, 'record low this': 705021, 'low this week': 505683, 'this week strong': 891273, 'week strong production': 976944, 'strong production outpaces': 814095, 'production outpaces demand': 682177, 'outpaces demand factbox': 629211, 'store stuff': 810432, 'stuff tested': 815192, 'treat product': 930874, 'helpful we': 391248, 'got news today': 358741, 'news today that': 560900, 'today that grocery': 920268, 'grocery store stuff': 365820, 'store stuff tested': 810433, 'stuff tested positive': 815193, 'tested positive of': 839353, '19 the store': 11251, 'store is close': 808475, 'to my town': 910444, 'my town it': 550414, 'town it really': 927503, 'it really important': 460646, 'really important to': 702329, 'how to treat': 409102, 'to treat product': 917756, 'treat product you': 930875, 'product you buy': 681881, 'you buy this': 1017585, 'buy this video': 149364, 'video is very': 956791, 'very helpful we': 955225, 'helpful we should': 391249, 'we should follow': 973271, 'britain frontline': 140402, 'frontline minimum': 338790, 'wage army': 963819, 'army got': 93002, 'got pay': 358782, 'rise today': 723040, 'today national': 919913, 'national minimum': 552562, 'wage reality': 963945, 'reality 72': 701688, 'hr over': 409653, '25 20': 15805, '20 hr': 13095, 'hr 21': 409595, '21 24': 14962, '24 45': 15545, '45 hr': 19099, 'hr 18': 409593, '20 55': 12908, '55 hr': 20383, 'hr 16': 409591, '16 remember': 4161, 'them working': 876661, 'supermarket cleaning': 819706, 'cleaning hospital': 180964, 'or providing': 616733, 'providing care': 686954, 'britain frontline minimum': 140403, 'frontline minimum wage': 338791, 'minimum wage army': 533223, 'wage army got': 963820, 'army got pay': 93003, 'got pay rise': 358783, 'pay rise today': 645099, 'rise today national': 723041, 'today national minimum': 919914, 'national minimum wage': 552563, 'minimum wage reality': 533242, 'wage reality 72': 963946, 'reality 72 hr': 701689, '72 hr over': 22017, 'hr over 25': 409654, 'over 25 20': 629808, '25 20 hr': 15806, '20 hr 21': 13096, 'hr 21 24': 409596, '21 24 45': 14963, '24 45 hr': 15546, '45 hr 18': 19100, 'hr 18 20': 409594, '18 20 55': 4490, '20 55 hr': 12909, '55 hr 16': 20384, 'hr 16 remember': 409592, '16 remember that': 4162, 'see them working': 745920, 'them working in': 876662, 'in supermarket cleaning': 428577, 'supermarket cleaning hospital': 819707, 'cleaning hospital or': 180965, 'hospital or providing': 404544, 'or providing care': 616734, 'personalised': 653006, 'megaphone': 527838, 'officer recommends': 595705, 'recommends expanding': 704828, 'expanding social': 290513, 'distance beyond': 246670, 'beyond metre': 129202, 'metre personalised': 529861, 'personalised megaphone': 653007, 'megaphone available': 527839, 'price 2019ncov': 672127, 'health officer recommends': 386696, 'officer recommends expanding': 595706, 'recommends expanding social': 704829, 'expanding social distance': 290514, 'social distance beyond': 779498, 'distance beyond metre': 246671, 'beyond metre personalised': 129203, 'metre personalised megaphone': 529862, 'personalised megaphone available': 653008, 'megaphone available now': 527840, 'now at discounted': 574127, 'discounted price 2019ncov': 244594, 'nomestleft': 566269, 'canada couple': 160409, 'couple clean': 211572, 'via hoarding': 956017, 'hoarding nomestleft': 399444, 'nomestleft nofood': 566270, 'nofood canada': 566139, 'canada panic': 160521, 'meanwhile in canada': 524987, 'in canada couple': 421187, 'canada couple clean': 160410, 'couple clean out': 211573, 'clean out entire': 180605, 'out entire meat': 626018, 'meat section of': 525734, 'section of store': 744028, 'of store via': 590270, 'store via hoarding': 811061, 'via hoarding nomestleft': 956018, 'hoarding nomestleft nofood': 399445, 'nomestleft nofood canada': 566271, 'nofood canada panic': 566140, 'definitely tell': 232401, 'else tweeps': 271949, 'colleague the': 186242, 'definitely tell everyone': 232402, 'tell everyone if': 836950, 'everyone else tweeps': 286884, 'else tweeps colleague': 271950, 'tweeps colleague the': 936296, 'colleague the nearby': 186243, 'neighbor and all': 556972, 'the other place': 862546, 'in starting': 428234, 'starting back': 794946, 'back delivering': 106947, 'delivering daily': 233483, 'city already': 179042, 'been store': 122056, 'supermarket aren': 819198, 'aren present': 92485, 'point in starting': 662526, 'in starting back': 428235, 'starting back delivering': 794947, 'back delivering daily': 106948, 'delivering daily need': 233484, 'daily need in': 224714, 'need in only': 555046, 'in only in': 426178, 'only in city': 610633, 'city in city': 179199, 'in city already': 421477, 'city already there': 179043, 'already there ha': 47721, 'ha been store': 369936, 'been store for': 122057, 'store for there': 807847, 'for there daily': 326954, 'there daily need': 878306, 'daily need you': 224718, 'you need work': 1020060, 'need work on': 556238, 'work on town': 1005544, 'on town where': 604826, 'town where the': 927585, 'where the supermarket': 985251, 'the supermarket aren': 868469, 'supermarket aren present': 819199, 'aren present in': 92486, 'present in this': 670603, 'this situation please': 890187, 'situation please look': 772447, 'look into town': 502439, 'soundtrack': 786361, 'the soundtrack': 867495, 'soundtrack in': 786362, 'toiletpaper tpshortage2020': 922764, 'what the soundtrack': 982367, 'the soundtrack in': 867496, 'soundtrack in your': 786363, 'in your head': 431088, 'your head when': 1024267, 'head when you': 385867, 'see this toiletpaper': 745959, 'this toiletpaper tpshortage2020': 890796, 'with diabetic': 998019, 'diabetic you': 240206, 'ensure diabetic': 277912, 'met if': 529578, 'if diabetes': 414034, 'diabetes is': 240181, 'in mortality': 425458, 'mortality from': 541797, 'work with diabetic': 1006029, 'with diabetic you': 998020, 'diabetic you need': 240207, 'to ensure diabetic': 905150, 'ensure diabetic need': 277913, 'diabetic need are': 240197, 'are being met': 84885, 'being met if': 125430, 'met if diabetes': 529579, 'if diabetes is': 414035, 'diabetes is major': 240182, 'is major factor': 449526, 'major factor in': 509325, 'factor in mortality': 295888, 'in mortality from': 425459, 'mortality from covid': 541798, 'then why do': 877758, 'do we not': 250480, 'we not get': 972596, 'not get access': 569575, 'my pitch': 549778, 'pitch for': 657006, 'movie int': 544017, 'int day': 440908, 'day wide': 228764, 'wide shot': 991755, 'someone drinking': 784435, 'drinking corona': 258919, 'beer truck': 122526, 'label fade': 478341, 'fade to': 296060, 'black month': 132106, 'later int': 481082, 'bare chaos': 110880, 'chaos is': 173028, 'everywhere fade': 288205, 'black corona': 132038, 'here my pitch': 393365, 'my pitch for': 549779, 'pitch for the': 657007, 'for the movie': 326570, 'the movie int': 861104, 'movie int day': 544018, 'int day wide': 440910, 'day wide shot': 228765, 'wide shot of': 991756, 'shot of someone': 765433, 'of someone drinking': 589916, 'someone drinking corona': 784436, 'drinking corona beer': 258920, 'corona beer truck': 203824, 'beer truck in': 122527, 'truck in to': 932821, 'in to only': 430127, 'to only show': 910979, 'only show the': 611136, 'show the label': 767213, 'the label fade': 858883, 'label fade to': 478342, 'fade to black': 296061, 'to black month': 901836, 'black month later': 132107, 'month later int': 537818, 'later int day': 481083, 'int day supermarket': 440909, 'day supermarket toilet': 228433, 'paper shelf are': 640754, 'are bare chaos': 84766, 'bare chaos is': 110881, 'chaos is everywhere': 173029, 'is everywhere fade': 447600, 'everywhere fade to': 288206, 'to black corona': 901831, 'black corona 19': 132039, 'bunnyday': 142713, 'truckerlife': 932971, 'this face': 887495, 'sanitizer 300': 734290, '300 ml': 17329, 'called hand': 156331, 'which turned': 986416, 'be pure': 116633, 'it easter': 457737, 'here trucking': 393746, 'trucker trucking': 932962, 'trucking eastersunday': 932985, 'eastersunday bunnyday': 265604, 'bunnyday truckerlife': 142714, 'bought this face': 136753, 'this face mask': 887496, 'mask for hand': 518677, 'hand sanitizer 300': 375280, 'sanitizer 300 ml': 734291, '300 ml for': 17330, 'ml for 17': 534718, 'for 17 and': 318687, '17 and so': 4337, 'and so called': 71836, 'so called hand': 776684, 'called hand sanitizer': 156332, 'sanitizer which turned': 736083, 'which turned out': 986417, 'to be pure': 901471, 'be pure alcohol': 116634, 'pure alcohol for': 689955, 'alcohol for it': 41006, 'for it easter': 322704, 'it easter and': 457738, 'easter and were': 265379, 'and were out': 75436, 'were out here': 979953, 'out here trucking': 626300, 'here trucking trucker': 393747, 'trucking trucker trucking': 932997, 'trucker trucking eastersunday': 932963, 'trucking eastersunday bunnyday': 932986, 'eastersunday bunnyday truckerlife': 265605, 'worker homecare': 1007133, 'cleaning worker': 181128, 'worker throughout': 1007987, 'throughout service': 894960, 'sector now': 744276, 'supermarket worker homecare': 824037, 'worker homecare worker': 1007134, 'homecare worker postal': 402647, 'postal worker cleaning': 666469, 'worker cleaning worker': 1006660, 'cleaning worker worker': 181129, 'worker worker throughout': 1008287, 'worker throughout service': 1007988, 'throughout service sector': 894961, 'service sector now': 752796, 'sector now find': 744277, 'pandemic we take': 636952, '200 file': 13487, 'file box': 305327, 'box aka': 136997, 'aka banker': 40473, 'box donated': 137048, 'donated for': 254339, 'bank branch': 109689, 'branch or': 137693, 'or law': 615939, 'law office': 482358, 'office willing': 595595, 'could get about': 209198, 'get about 200': 346490, 'about 200 file': 24667, '200 file box': 13488, 'file box aka': 305328, 'box aka banker': 136998, 'aka banker box': 40474, 'banker box donated': 110354, 'box donated for': 137049, 'donated for our': 254340, 'bank have to': 109898, 'to think there': 917388, 'is some bank': 452085, 'some bank branch': 782379, 'bank branch or': 109690, 'branch or law': 137694, 'or law office': 615940, 'law office willing': 482359, 'office willing to': 595596, 'an elected': 55643, 'known want': 477256, 'hell did': 388997, 'did texas': 240835, 'chain know': 170876, 'than federal': 840642, 'every time an': 286300, 'time an elected': 896250, 'an elected official': 55644, 'elected official say': 270999, 'say they couldn': 739338, 'they couldn have': 881846, 'couldn have known': 209897, 'have known want': 381234, 'known want reporter': 477257, 'want reporter to': 965914, 'ask them how': 95646, 'them how in': 875866, 'in the hell': 429264, 'the hell did': 857240, 'hell did texas': 388998, 'did texas grocery': 240836, 'store chain know': 806926, 'chain know more': 170877, 'know more than': 476612, 'more than federal': 540618, 'than federal government': 840643, 'obvious 19': 578781, 'terrible from': 838401, 'justice perspective': 470428, 'perspective lower': 653210, 'people pretty': 649182, 'much have': 544984, 'risk some': 723891, 'some warehouse': 784181, 'have expense': 380517, 'enough saving': 277609, 'to state the': 915258, 'state the obvious': 795991, 'the obvious 19': 862018, 'obvious 19 is': 578782, 'is terrible from': 452607, 'terrible from social': 838402, 'from social justice': 337331, 'social justice perspective': 779827, 'justice perspective lower': 470429, 'perspective lower income': 653211, 'income people pretty': 432433, 'people pretty much': 649183, 'pretty much have': 671454, 'much have to': 544985, 'have to expose': 383207, 'themselves to higher': 876911, 'to higher risk': 907746, 'higher risk some': 395731, 'risk some warehouse': 723892, 'some warehouse worker': 784182, 'store staff can': 810304, 'staff can continue': 792294, 'work and they': 1004818, 'have to they': 383320, 'they have expense': 882316, 'have expense and': 380518, 'expense and not': 291176, 'and not enough': 67732, 'not enough saving': 569191, 'ademuyiwa': 32149, 'efiwe': 269685, 'akin1': 40528, 'jag': 464239, 'ademuyiwa efiwe': 32150, 'efiwe akin1': 269686, 'akin1 jag': 40529, 'jag policy': 464240, 'policy are': 663343, 'your village': 1026281, 'village when': 957385, 'went over': 979096, '100 he': 1914, 'wa stockpiling': 963323, 'stockpiling for': 803967, 'ademuyiwa efiwe akin1': 32151, 'efiwe akin1 jag': 269687, 'akin1 jag policy': 40530, 'jag policy are': 464241, 'policy are not': 663344, 'are not for': 88372, 'not for today': 569499, 'for today in': 327241, 'in your village': 431138, 'your village when': 1026282, 'village when the': 957386, 'price went over': 677435, 'went over 100': 979097, 'over 100 he': 629767, '100 he wa': 1915, 'he wa stockpiling': 385620, 'wa stockpiling for': 963324, 'stockpiling for covid': 803968, 'thegr8': 872382, 'ju': 467588, 'heardd': 388176, 'favorite artist': 300483, 'have relation': 382246, 'relation the': 708670, 'up thegr8': 946229, 'thegr8 ju': 872383, 'ju heardd': 467589, 'heardd and': 388177, 'ima need': 416606, 'need sanitizing': 555539, 'sanitizing fee': 736472, 'favorite artist to': 300484, 'artist to work': 94625, 'work with if': 1006037, 'with if we': 998935, 'don have relation': 253614, 'have relation the': 382247, 'relation the price': 708671, 'price just went': 674980, 'just went up': 470281, 'went up thegr8': 979220, 'up thegr8 ju': 946230, 'thegr8 ju heardd': 872384, 'ju heardd and': 467590, 'heardd and ima': 388178, 'and ima need': 64986, 'ima need sanitizing': 416607, 'need sanitizing fee': 555540, 'covid may': 214192, 'day cole': 227457, 'cole latest': 185864, 'latest advert': 481200, 'advert show': 33147, 'show staff': 767152, 'staff stocking': 792891, 'stocking fruit': 803563, 'veg without': 953802, 'mask might': 518978, 'implement this': 418438, 'consumer corona': 196981, 'latest advice is': 481203, 'advice is that': 33419, 'that covid may': 843386, 'covid may survive': 214193, 'may survive on': 521551, 'to day cole': 903954, 'day cole latest': 227458, 'cole latest advert': 185865, 'latest advert show': 481201, 'advert show staff': 33148, 'show staff stocking': 767153, 'staff stocking fruit': 792892, 'stocking fruit and': 803564, 'and veg without': 74869, 'veg without glove': 953803, 'or mask might': 616071, 'mask might be': 518979, 'to implement this': 908181, 'implement this for': 418439, 'this for both': 887585, 'for both your': 319744, 'both your staff': 136107, 'the consumer corona': 851516, 'recently highlighted': 704107, 'highlighted kai': 395993, 'kai pre': 470658, 'pre trained': 669218, 'trained covid': 929297, '19 skill': 10604, 'skill set': 772974, 'set designed': 753367, 'being placed': 125549, 'institution call': 440458, 'the recently highlighted': 865327, 'recently highlighted kai': 704108, 'highlighted kai pre': 395994, 'kai pre trained': 470659, 'pre trained covid': 669219, 'trained covid 19': 929298, 'covid 19 skill': 213812, '19 skill set': 10605, 'skill set designed': 772975, 'set designed to': 753368, 'help relieve the': 390434, 'relieve the stress': 709541, 'the stress being': 868270, 'stress being placed': 813311, 'being placed on': 125550, 'placed on financial': 657900, 'on financial institution': 600791, 'financial institution call': 306470, 'institution call center': 440459, 'call center and': 155814, 'center and better': 169152, 'and better serve': 58916, 'better serve their': 128460, 'the 19 recession': 847926, 'zombieprep': 1027746, 'well prepare': 978500, 'inevitable and': 436364, 'by inevitable': 152918, 'inevitable mean': 436395, 'mean taking': 524670, 'taking cricket': 833319, 'cricket bat': 216734, 'bat to': 112559, 'sure can': 827513, 'food shaunofthedead': 316447, 'shaunofthedead zombieprep': 755800, 'fuck it may': 339600, 'it may well': 459557, 'may well prepare': 521611, 'well prepare for': 978501, 'the inevitable and': 858205, 'inevitable and by': 436365, 'and by inevitable': 59375, 'by inevitable mean': 152919, 'inevitable mean taking': 436396, 'mean taking cricket': 524671, 'taking cricket bat': 833320, 'cricket bat to': 216735, 'bat to the': 112560, 'supermarket and making': 819013, 'making sure can': 511375, 'sure can buy': 827514, 'can buy some': 157838, 'some food shaunofthedead': 782873, 'food shaunofthedead zombieprep': 316448, 'great coronavirus': 362589, 'safe covering': 729572, 'report ha great': 711994, 'ha great coronavirus': 370764, 'great coronavirus resource': 362590, 'hub that help': 409824, 'consumer stay up': 199136, 'pandemic and share': 634900, 'and share advice': 71383, 'share advice on': 754914, 'keep safe covering': 471873, 'safe covering health': 729573, 'routine tech and': 726536, 'tech and food': 836035, 'you entertained': 1018431, 'entertained for': 278526, 'may follow': 521195, 'instagram they': 439976, 'really hilarious': 702295, 'hilarious content': 396434, 'keep you entertained': 472235, 'you entertained for': 1018432, 'entertained for the': 278527, 'for the 21': 326285, 'down you may': 257524, 'you may follow': 1019800, 'may follow on': 521196, 'on instagram they': 601589, 'instagram they come': 439977, 'with some really': 1000861, 'some really hilarious': 783695, 'really hilarious content': 702296, 'should receive': 766382, 'receive medal': 703508, 'medal from': 525937, 'queen and': 693368, 'and sizeable': 71714, 'sizeable pay': 772816, 'bonus after': 134341, 'this coronauk': 886891, 'coronauk nh': 205322, 'firmly believe that': 308466, 'believe that all': 126335, 'all staff currently': 44413, 'staff currently on': 792344, 'currently on the': 221614, 'frontline from doctor': 338745, 'worker should receive': 1007777, 'should receive medal': 766383, 'receive medal from': 703509, 'medal from the': 525938, 'from the queen': 337848, 'the queen and': 865006, 'queen and sizeable': 693369, 'and sizeable pay': 71715, 'sizeable pay bonus': 772817, 'pay bonus after': 644789, 'bonus after this': 134342, 'after this coronauk': 36401, 'this coronauk nh': 886892, 'nmtrue': 563541, 'tao': 834300, 'but soap': 147080, 'better handsanitizer': 128311, 'washyourhands albuquerque': 967854, 'albuquerque nmtrue': 40867, 'nmtrue santafe': 563542, 'santafe tao': 736615, 'sanitizer available for': 734525, 'available for pre': 104379, 'for pre order': 324681, 'pre order but': 669184, 'order but soap': 618096, 'but soap water': 147081, 'soap water are': 779156, 'water are better': 968899, 'are better handsanitizer': 84956, 'better handsanitizer washyourhands': 128312, 'handsanitizer washyourhands albuquerque': 376675, 'washyourhands albuquerque nmtrue': 967855, 'albuquerque nmtrue santafe': 40868, 'nmtrue santafe tao': 563543, 'one left': 606587, 'left whose': 485734, 'job hasn': 465850, 'providing they': 687113, 'there almost no': 877962, 'no one left': 564945, 'one left whose': 606588, 'left whose job': 485735, 'whose job hasn': 990651, 'job hasn been': 465851, 'hasn been impacted': 378728, 'impacted by providing': 418087, 'by providing they': 153681, 'providing they still': 687114, 'they still even': 883462, 'still even have': 800496, 'even have job': 284167, 'have job what': 381180, 'job what will': 466281, 'be the lasting': 117630, 'on the industry': 604180, 'industry and the': 435650, 'the consumer we': 851620, 'consumer we talk': 199491, 'it on this': 460063, 'update advising': 946842, 'advising american': 33697, 'beware fraudulent': 129066, 'approved product': 83186, 'prevent but': 671589, 'working rapidly': 1008879, 'we issued consumer': 972092, 'issued consumer update': 456054, 'consumer update advising': 199423, 'update advising american': 946843, 'advising american to': 33698, 'american to beware': 52263, 'to beware fraudulent': 901797, 'beware fraudulent test': 129067, 'test vaccine amp': 839223, 'vaccine amp treatment': 951648, 'amp treatment there': 54740, 'are no fda': 88257, 'fda approved product': 300833, 'approved product to': 83187, 'to prevent but': 912048, 'prevent but we': 671590, 'are working rapidly': 91711, 'working rapidly to': 1008880, 'rapidly to facilitate': 697035, 'to facilitate the': 905593, 'facilitate the development': 295275, 'development of these': 239833, 'data gathered': 226243, 'gathered by': 344415, 'nielsen global': 562645, 'global research': 352171, 'pandemic broken': 635031, 'down into': 256883, 'into stage': 443007, 'behavior watch': 124291, 'watch wccb': 968606, 'data gathered by': 226244, 'gathered by nielsen': 344416, 'by nielsen global': 153337, 'nielsen global research': 562646, 'global research ha': 352172, 'research ha been': 713746, 'used to outline': 950075, 'to outline the': 911276, 'outline the shopping': 629099, 'the shopping habit': 867064, 'coronavirus pandemic broken': 206440, 'pandemic broken down': 635032, 'broken down into': 140890, 'down into stage': 256884, 'into stage of': 443008, 'stage of behavior': 793203, 'of behavior watch': 580631, 'behavior watch wccb': 124292, 'store bother': 806751, 'bother you': 136135, 'doe the sight': 251620, 'grocery store bother': 365252, 'store bother you': 806752, 'bother you do': 136136, 'not be there': 568472, 'chain issue supply': 170859, 'cuomo please': 220414, 'order retail': 618547, 'close my': 182729, 'expose himself': 292789, 'virus store': 958823, 'close unless': 182931, 'life please': 488969, 'please close': 659793, 'governor cuomo please': 360894, 'cuomo please order': 220415, 'please order retail': 660269, 'order retail business': 618548, 'retail business to': 717911, 'business to close': 144534, 'to close my': 902888, 'close my husband': 182730, 'husband ha to': 411707, 'and expose himself': 62540, 'expose himself to': 292790, 'himself to the': 396820, 'the virus store': 870901, 'virus store owner': 958824, 'store owner will': 809443, 'not close unless': 568779, 'close unless you': 182932, 'unless you tell': 942677, 'them they have': 876416, 'have two friend': 383440, 'two friend who': 936938, 'fighting to their': 305150, 'their life please': 873843, 'life please close': 488970, 'please close store': 659794, 'close store now': 182814, 'lordoftherings': 503324, 'wallpaperwednesday': 965247, 'funny funny': 341728, 'funny toiletpaper': 341807, 'toiletpaper lordoftherings': 922208, 'lordoftherings streetart': 503325, 'streetart wallpaperwednesday': 813196, 'wallpaperwednesday stayhome': 965248, 'just seen this': 469744, 'seen this in': 747318, 'this in and': 888038, 'in and thought': 420395, 'and thought it': 74051, 'wa funny funny': 962194, 'funny funny toiletpaper': 341729, 'funny toiletpaper lordoftherings': 341808, 'toiletpaper lordoftherings streetart': 922209, 'lordoftherings streetart wallpaperwednesday': 503326, 'streetart wallpaperwednesday stayhome': 813197, 'government advise': 359832, 'advise regarding': 33598, 'to government advise': 906935, 'government advise regarding': 359833, 'advise regarding covid': 33599, 'food be considerate': 313697, 'considerate of those': 195224, 'of those more': 592103, 'those more susceptible': 892218, 'changing hour': 172723, 'pandemic grocerystores': 635521, 'grocerystores shopping': 366380, 'are changing hour': 85235, 'changing hour due': 172724, 'coronavirus pandemic grocerystores': 206460, 'pandemic grocerystores shopping': 635522, 'speeading': 788378, 'tackle may': 831586, 'the enviroment': 854395, 'enviroment is': 279065, 'more prone': 540157, 'to speeading': 914976, 'speeading covid': 788379, 'didn wa': 241252, 'get testing available': 348198, 'testing available at': 839458, 'major supermarket warehouse': 509503, 'warehouse and staple': 966686, 'staple food producer': 793937, 'food producer now': 316005, 'producer now it': 680667, 'most important area': 542396, 'important area to': 418740, 'area to tackle': 92239, 'to tackle may': 916132, 'tackle may be': 831587, 'may be even': 520979, 'so than the': 778349, 'than the nh': 841256, 'nh the enviroment': 562138, 'the enviroment is': 854396, 'enviroment is even': 279066, 'even more prone': 284373, 'more prone to': 540158, 'prone to speeading': 683977, 'to speeading covid': 914977, 'speeading covid 19': 788380, '19 don say': 6630, 'don say didn': 253887, 'say didn wa': 738575, 'nice bet': 562353, 'your grandmother': 1024095, 'grandmother love': 361936, 'msgulfcoast closed': 544529, 'carp01 now isn': 164879, 'now isn that': 575095, 'isn that nice': 454702, 'that nice bet': 845345, 'nice bet your': 562354, 'bet your grandmother': 128135, 'your grandmother love': 1024096, 'grandmother love you': 361937, 'in my msgulfcoast': 425602, 'my msgulfcoast closed': 549357, 'msgulfcoast closed their': 544530, 'basildon that': 112200, 'sister just told': 771767, 'in basildon that': 420716, 'basildon that they': 112201, 'have to supply': 383313, 'and sanitiser what': 70834, 'sanitiser what is': 734045, 'open line': 612366, 'already formed': 47358, 'formed feel': 329605, 'playing hunger': 659411, 'to open line': 910995, 'open line ha': 612367, 'line ha already': 493147, 'ha already formed': 369507, 'already formed feel': 47359, 'formed feel like': 329606, 'feel like playing': 302736, 'like playing hunger': 491013, 'playing hunger game': 659412, 'germany celebrating': 346282, 'celebrating the': 168840, 'new batch': 558377, 'watch people in': 968509, 'supermarket in germany': 820903, 'in germany celebrating': 423276, 'germany celebrating the': 346283, 'celebrating the arrival': 168841, 'arrival of new': 93891, 'of new batch': 586952, 'new batch of': 558378, 'batch of toilet': 112582, 'amid the high': 52697, 'futako': 342242, 'delay notice': 232726, 'late arrival': 480852, 'arrival there': 93894, 'currently significant': 221675, 'significant delay': 769419, 'delivery due': 233963, 'at futako': 98730, 'futako onl': 342243, 'delivery delay notice': 233856, 'delay notice we': 232727, 'notice we would': 573399, 'like to apologize': 491573, 'to apologize for': 900641, 'for the late': 326523, 'the late arrival': 859067, 'late arrival there': 480853, 'arrival there is': 93895, 'is currently significant': 447003, 'currently significant delay': 221676, 'significant delay in': 769420, 'the delivery due': 853064, 'delivery due to': 233964, '19 we appreciate': 11918, 'appreciate your patience': 82801, 'your patience and': 1025230, 'and understanding and': 74640, 'understanding and wish': 940860, 'and wish to': 75754, 'wish to thank': 996838, 'shopping with at': 764427, 'with at futako': 997333, 'at futako onl': 98731, 'made statement': 507965, 'develop if': 239643, 'market operation': 516812, 'ha potential': 371519, 'make current': 509809, 'have made statement': 381418, 'made statement on': 507966, 'catastrophe that can': 166942, 'that can develop': 843101, 'can develop if': 158059, 'develop if the': 239644, 'issue of market': 455864, 'of market operation': 586235, 'market operation is': 516813, 'operation is not': 613220, 'insecurity ha potential': 439160, 'ha potential to': 371520, 'to make current': 909645, 'make current covid': 509810, 'epileptic': 279496, 'state asked': 795395, 'lockdown sadly': 499874, 'sadly electricity': 729334, 'electricity ha': 271178, 'been epileptic': 121088, 'epileptic how': 279497, 'you preserve': 1020419, 'preserve without': 670711, 'without electricity': 1002609, 'electricity the': 271214, 'scarce cash': 740777, 'food would': 317687, 'fuel what': 340309, 'what govt': 981516, 'lagos state asked': 478950, 'state asked people': 795396, 'asked people to': 95811, 'stock up against': 803053, 'up against the': 944245, '19 lockdown sadly': 8424, 'lockdown sadly electricity': 499875, 'sadly electricity ha': 729335, 'electricity ha been': 271179, 'ha been epileptic': 369797, 'been epileptic how': 121089, 'epileptic how do': 279498, 'do you preserve': 250660, 'you preserve without': 1020420, 'preserve without electricity': 670712, 'without electricity the': 1002610, 'electricity the scarce': 271215, 'the scarce cash': 866436, 'scarce cash for': 740778, 'cash for food': 166236, 'for food would': 321656, 'food would be': 317688, 'would be used': 1011662, 'used for diesel': 949904, 'for diesel and': 320696, 'diesel and fuel': 241646, 'and fuel what': 63394, 'fuel what govt': 340310, 'sign learn': 769141, 'exploiting fear about': 292425, 'the sign learn': 867178, 'sign learn more': 769142, 'usa hanover': 948659, 'hanover supermarket': 377018, 'in hanover': 423541, 'township pennsylvania': 927623, 'pennsylvania said': 646576, 'away product': 106013, 'product worth': 681875, 'worth around': 1011340, 'around 35': 93144, '00 because': 76, 'customer had': 222427, 'had coughed': 372994, 'coughed for': 208609, 'fresh good': 333004, 'usa hanover supermarket': 948660, 'hanover supermarket in': 377019, 'supermarket in hanover': 820908, 'in hanover township': 423542, 'hanover township pennsylvania': 377021, 'township pennsylvania said': 927624, 'pennsylvania said it': 646577, 'throw away product': 895014, 'away product worth': 106014, 'product worth around': 681876, 'worth around 35': 1011341, 'around 35 00': 93145, '35 00 because': 17861, '00 because customer': 77, 'because customer had': 119015, 'customer had coughed': 222428, 'had coughed for': 372995, 'coughed for fresh': 208610, 'for fresh good': 321759, 'fresh good on': 333005, 'good on display': 357497, 'shop up': 760991, 'is time of': 453163, 'of and then': 580188, 'then there local': 877639, 'there local shop': 878728, 'local shop up': 498422, 'shop up the': 760992, 'of 19 thank': 579413, 'oilpricewars': 597721, 'oilandgastips': 597564, 'getinformed': 348784, 'oilpricewars and': 597722, 'looming have': 503110, 'recently affected': 704039, 'energy economy': 276440, 'changing of': 172757, 'season regularly': 743431, 'regularly affect': 707902, 'affect gas': 34149, 'here oilandgastips': 393400, 'oilandgastips getinformed': 597565, 'oilpricewars and the': 597723, 'and the looming': 73461, 'the looming have': 859715, 'looming have recently': 503111, 'have recently affected': 382208, 'recently affected the': 704040, 'affected the state': 34446, 'of our energy': 587462, 'our energy economy': 622905, 'energy economy but': 276441, 'economy but the': 267725, 'but the changing': 147317, 'the changing of': 850684, 'changing of the': 172758, 'the season regularly': 866566, 'season regularly affect': 743432, 'regularly affect gas': 707903, 'affect gas price': 34150, 'gas price read': 344015, 'more here oilandgastips': 539428, 'here oilandgastips getinformed': 393401, 'quarantine ve': 692672, 'shopping twice': 764276, 'twice at': 936513, 'always wearing': 49799, 'is flu': 447843, 'doesn respect': 251925, 'thank you since': 841810, 'you since we': 1021258, 'since we ve': 770984, 'been in quarantine': 121360, 'in quarantine ve': 427195, 'quarantine ve gone': 692673, 've gone shopping': 953158, 'gone shopping twice': 356366, 'shopping twice at': 764277, 'twice at the': 936514, 'supermarket always wearing': 818894, 'always wearing mask': 49800, 'glove but there': 352621, 'are still many': 90448, 'still many people': 800836, 'who think that': 989775, '19 is flu': 7972, 'is flu and': 447844, 'flu and doesn': 311377, 'and doesn respect': 61596, 'doesn respect the': 251926, 'respect the effort': 715062, 'the effort that': 854084, 'effort that others': 269598, 'that others make': 845566, 'made deal': 507712, 'then begin': 877024, 'killing him': 474682, 'him climate': 396568, 've made deal': 953358, 'made deal what': 507713, 'decline in 2021': 231339, 'in 2021 update': 419874, 'moderate growth and': 535347, 'and then begin': 73745, 'then begin to': 877025, 'begin to fall': 123583, 'the opec agreement': 862372, 'agreement to reduce': 38805, 'to reduce production': 913033, 'reduce production we': 705912, 'production we re': 682277, 're killing him': 698964, 'killing him climate': 474683, 'him climate denier': 396569, 'must suffer from': 546932, 'suffer from outside': 817210, 'be luxury': 115856, 'luxury and': 506911, 'not bc': 568343, 'sky rocket': 773215, 'rocket quarantine': 724950, 'like when we': 491806, 'of quarantine going': 588656, 'going to restaurant': 355689, 'to restaurant will': 913396, 'will be luxury': 992550, 'be luxury and': 115857, 'luxury and not': 506912, 'and not bc': 67720, 'not bc we': 568344, 'bc we miss': 113312, 'we miss it': 972381, 'miss it but': 534156, 'it but bc': 456945, 'but bc price': 145264, 'bc price will': 113283, 'be sky rocket': 117207, 'sky rocket quarantine': 773216, 'postie': 666626, 'only every': 610402, 'every package': 286080, 'package expose': 633264, 'expose your': 292822, 'your postie': 1025364, 'postie to': 666627, 'package handled': 633292, 'system also': 831085, 'return meaning': 719867, 'meaning an': 524804, 'an unnecessary': 56874, 'the think': 869471, 'shopping to essential': 764173, 'item only every': 463524, 'only every package': 610403, 'every package expose': 286081, 'package expose your': 633265, 'expose your postie': 292823, 'your postie to': 1025365, 'postie to with': 666628, 'to with package': 918644, 'with package handled': 1000057, 'package handled by': 633293, 'handled by others': 376300, 'by others in': 153472, 'the system also': 869087, 'system also you': 831086, 'also you might': 49131, 'to return meaning': 913477, 'return meaning an': 719868, 'meaning an unnecessary': 524805, 'an unnecessary trip': 56875, 'unnecessary trip to': 942959, 'to the think': 917126, 'the think before': 869472, 'before you purchase': 123328, 'you purchase online': 1020496, 'essentially the': 281913, 'co ops': 184926, 'ops have': 613853, 'ceo accept': 169628, 'accept payment': 27987, 'essentially the co': 281914, 'the co ops': 851105, 'co ops have': 184927, 'ops have to': 613854, 'give up their': 350822, 'up their profit': 946249, 'their profit for': 874487, 'the consumer that': 851607, 'consumer that make': 199264, 'rich and the': 721190, 'and the ceo': 73275, 'the ceo accept': 850611, 'ceo accept payment': 169629, 'accept payment of': 27988, 'payment of one': 645686, 'of one dollar': 587236, 'one dollar for': 606207, 'dollar for the': 252989, 'whattya': 982950, 'hey whattya': 394540, 'whattya know': 982951, 'know sent': 476704, 'spare square': 787498, 'mail today': 508666, 'today actually': 919148, 'official guideline': 595826, 're actually': 698179, 'actually useful': 31003, 'hey whattya know': 394541, 'whattya know sent': 982952, 'know sent me': 476705, 'sent me some': 750776, 'me some spare': 523511, 'some spare square': 783911, 'spare square of': 787499, 'square of in': 791486, 'the mail today': 859895, 'mail today actually': 508667, 'today actually the': 919149, 'actually the guideline': 30976, 'of the card': 590848, 'the card are': 850406, 'card are the': 163462, 'the official guideline': 862094, 'official guideline not': 595827, 'guideline not trump': 368448, 'not trump so': 572282, 'trump so they': 933852, 'they re actually': 882988, 're actually useful': 698180, 'ycx': 1014210, 'more cx': 538941, 'cx ycx': 223921, 'learn more cx': 484022, 'more cx ycx': 538942, 'expected unveiling': 291015, 'unveiling of': 944023, 'package today': 633437, 'trudeau while': 933025, 'while canada': 986670, 'canada grapple': 160447, 'and covid19': 60664, 'covid19 canada': 214281, 'canada stimuluscheck': 160563, 'stimuluscheck staysafestayhome': 801637, 'all eye on': 42732, 'eye on expected': 294076, 'on expected unveiling': 600677, 'expected unveiling of': 291016, 'unveiling of stimulus': 944024, 'stimulus package today': 801595, 'package today by': 633438, 'today by trudeau': 919351, 'by trudeau while': 154604, 'trudeau while canada': 933026, 'while canada grapple': 986671, 'canada grapple with': 160448, 'grapple with oil': 362195, 'collapse and covid19': 185964, 'and covid19 canada': 60665, 'covid19 canada stimuluscheck': 214282, 'canada stimuluscheck staysafestayhome': 160564, 'use old': 949438, 'old rag': 598438, 'rag for': 695520, 'tp trash': 928019, 'can what': 160216, 'grandparent did': 361966, 'ridiculous toilet': 721633, 'being first': 125152, 'again you can': 37292, 'can use old': 160100, 'use old rag': 949439, 'old rag for': 598439, 'rag for tp': 695521, 'for tp trash': 327301, 'tp trash can': 928020, 'trash can what': 930145, 'can what do': 160217, 'think your grandparent': 885823, 'your grandparent did': 1024099, 'grandparent did this': 361967, 'did this is': 240879, 'is ridiculous toilet': 451528, 'ridiculous toilet paper': 721634, 'paper being first': 639944, 'being first thing': 125153, 'thing to panic': 884897, 'to panic for': 911397, 'panic for is': 638120, 'for is just': 322667, 'is just ridiculous': 449146, 'just ridiculous what': 469646, 'ridiculous what about': 721639, 'expert question': 291924, 'house over': 406445, 'over breakfast': 630034, 'breakfast this': 138901, 'morning how': 541300, 'clean loose': 180580, 'shop particularly': 760656, 'one everyone': 606254, 'squeeze my': 791535, 'previous quick': 671999, 'quick rinse': 694359, 'rinse under': 722580, 'tap doe': 834318, 'doe zero': 251682, 'zero except': 1027444, 'except habit': 289181, 'habit co': 372593, 'any other expert': 79588, 'other expert question': 620202, 'expert question in': 291925, 'our house over': 623481, 'house over breakfast': 406446, 'over breakfast this': 630035, 'breakfast this morning': 138902, 'this morning how': 888970, 'morning how do': 541301, 'do we clean': 250466, 'we clean loose': 971133, 'clean loose fruit': 180581, 'loose fruit bought': 503193, 'fruit bought from': 339076, 'the shop particularly': 867022, 'shop particularly the': 760657, 'particularly the one': 642715, 'the one everyone': 862200, 'one everyone like': 606255, 'everyone like to': 287163, 'like to squeeze': 491623, 'to squeeze my': 915099, 'squeeze my previous': 791536, 'my previous quick': 549838, 'previous quick rinse': 672000, 'quick rinse under': 694360, 'rinse under the': 722581, 'under the tap': 940334, 'the tap doe': 869149, 'tap doe zero': 834319, 'doe zero except': 251683, 'zero except habit': 1027445, 'except habit co': 289182, 'supermarket they lied': 823290, 'clothes on 19': 184183, 'jbeil': 464907, 'jbeil supermarket': 464908, 'and dot': 61688, 'dot on': 255948, 'client keep': 182057, 'shopping well': 764366, 'well plexi': 978488, 'them amp': 875367, 'amp cashier': 53505, 'cashier well': 166655, 'jbeil supermarket put': 464909, 'supermarket put these': 822100, 'put these sign': 690906, 'these sign and': 880693, 'sign and dot': 769092, 'and dot on': 61689, 'dot on the': 255949, 'help client keep': 389492, 'client keep the': 182058, 'keep the safe': 472067, 'the safe distance': 866131, 'safe distance while': 729593, 'distance while shopping': 246897, 'while shopping well': 987271, 'shopping well plexi': 764367, 'well plexi barrier': 978489, 'plexi barrier between': 661023, 'barrier between them': 111355, 'between them amp': 128940, 'them amp cashier': 875368, 'amp cashier well': 53506, 'cashier well done': 166656, 'american government': 52001, 'of salary': 589237, 'salary wow': 732006, 'like answer': 489805, 'the american government': 848632, 'american government will': 52002, 'government will give': 360814, 'will give everyone': 993529, 'day of salary': 228098, 'of salary wow': 589238, 'salary wow this': 732007, 'wow this will': 1012612, 'day this should': 228536, 'this should push': 890133, 'retweets0 like answer': 720128, 'person across': 652298, 'against doctor': 37417, 'responder researcher': 715515, 'researcher politician': 713927, 'politician grocery': 663715, 'employee whoever': 274438, 'whoever else': 990094, 'helping that': 391482, 'missing thank': 534328, 'you to every': 1021771, 'to every single': 905311, 'single person across': 771373, 'person across this': 652299, 'across this that': 29542, 'this that ha': 890509, 'that ha put': 844131, 'ha put themselves': 371605, 'fight against doctor': 304618, 'against doctor nurse': 37418, 'first responder researcher': 308960, 'responder researcher politician': 715516, 'researcher politician grocery': 713928, 'politician grocery store': 663716, 'store employee whoever': 807574, 'employee whoever else': 274439, 'whoever else is': 990095, 'else is helping': 271754, 'is helping that': 448407, 'helping that missing': 391483, 'that missing thank': 845189, 'missing thank you': 534329, 'seperate': 751125, 'harris farm': 378505, 'farm introduces': 299141, 'introduces excellent': 443469, 'entrance not': 278888, 'accepting cash': 28070, 'cash floor': 166224, 'marker to': 515889, 'to seperate': 914249, 'seperate shopper': 751126, 'out perspex': 627038, 'perspex to': 653256, 'the operator': 862393, 'operator wearing': 613413, 'harris farm introduces': 378506, 'farm introduces excellent': 299142, 'introduces excellent measure': 443470, 'excellent measure to': 289098, 'fight sanitizer at': 304861, 'sanitizer at entrance': 734503, 'at entrance not': 98550, 'entrance not accepting': 278889, 'not accepting cash': 568030, 'accepting cash floor': 28071, 'cash floor marker': 166225, 'floor marker to': 310817, 'marker to seperate': 515890, 'to seperate shopper': 914250, 'seperate shopper and': 751127, 'shopper and check': 761357, 'check out perspex': 174569, 'out perspex to': 627039, 'perspex to protect': 653257, 'protect the operator': 684980, 'the operator wearing': 862394, 'operator wearing glove': 613414, 'for nyt': 324005, 'nyt trump': 578151, 'trump maga': 933691, 'maga voter': 508299, 'voter interview': 960580, 'interview still': 442239, 'still expressing': 800512, 'bill didn': 130551, 'hoax didn': 399715, 'that obama': 845434, 'obama health': 578329, 'and grandma': 63917, 'grandma wa': 361918, 'just rushed': 469660, 'time for nyt': 896733, 'for nyt trump': 324006, 'nyt trump maga': 578152, 'trump maga voter': 933692, 'maga voter interview': 508300, 'voter interview still': 960581, 'interview still expressing': 442240, 'still expressing their': 800513, 'expressing their support': 293090, 'their support they': 874926, 'support they can': 826917, 'their bill didn': 872615, 'bill didn stock': 130552, 'didn stock up': 241214, 'food because trump': 313717, 'because trump said': 119755, 'trump said that': 933807, 'said that wa': 731419, 'wa hoax didn': 962320, 'hoax didn sign': 399716, 'for that obama': 326265, 'that obama health': 845435, 'obama health insurance': 578330, 'health insurance and': 386542, 'insurance and grandma': 440673, 'and grandma wa': 63918, 'grandma wa just': 361919, 'wa just rushed': 962468, 'just rushed to': 469661, 'rushed to the': 728370, 'fitness equipment': 309520, 'just popular': 469467, 'popular toiletpaper': 664614, 'made 1k': 507609, '1k selling': 12625, 'selling equipment': 749222, 'bought coronacrisis': 136536, 'fitness equipment is': 309521, 'equipment is just': 279768, 'is just popular': 449142, 'just popular toiletpaper': 469468, 'popular toiletpaper just': 664615, 'toiletpaper just made': 922158, 'just made 1k': 469203, 'made 1k selling': 507610, '1k selling equipment': 12626, 'selling equipment that': 749223, 'equipment that just': 279842, 'that just bought': 844787, 'just bought coronacrisis': 468350, '0789': 1059, '861': 22983, 'your covered': 1023366, 'covered click': 212406, 'on 0789': 598985, '0789 00': 1060, '00 861': 38, '861 free': 22984, 'within nairobi': 1002393, 'nairobi stayathome': 551510, 'hand sanitizer stay': 375598, 'home we ve': 402461, 'got your covered': 359041, 'your covered click': 1023367, 'covered click the': 212407, 'below to place': 126758, 'an order or': 56703, 'order or call': 618493, 'or call on': 614640, 'call on 0789': 156026, 'on 0789 00': 598986, '0789 00 861': 1061, '00 861 free': 39, '861 free delivery': 22985, 'free delivery within': 331761, 'delivery within nairobi': 234758, 'within nairobi stayathome': 1002394, 'nairobi stayathome staysafe': 551511, 'trbusiness': 930745, 'shilla': 758587, 'hkia': 398628, 'trbusiness 90': 930746, '90 second': 23335, 'second news': 743772, 'update shilla': 947202, 'shilla hk': 758588, 'hk reveals': 398626, 'reveals online': 720337, 'online focus': 608201, 'crisis shilla': 218030, 'shilla travel': 758590, 'retail hong': 718185, 'kong shilla': 477404, 'shilla which': 758592, 'which run': 986279, 'beauty you': 118820, 'at hong': 99184, 'kong international': 477390, 'airport hkia': 40101, 'hkia ha': 398629, 'identified online': 413340, 'shopping promotion': 763689, 'promotion way': 683880, 'trbusiness 90 second': 930747, '90 second news': 23336, 'second news update': 743773, 'news update shilla': 560929, 'update shilla hk': 947203, 'shilla hk reveals': 758589, 'hk reveals online': 398627, 'reveals online focus': 720338, 'online focus during': 608202, 'focus during covid': 311833, '19 crisis shilla': 6320, 'crisis shilla travel': 218031, 'shilla travel retail': 758591, 'travel retail hong': 930494, 'retail hong kong': 718186, 'hong kong shilla': 403207, 'kong shilla which': 477405, 'shilla which run': 758593, 'which run the': 986280, 'run the beauty': 727821, 'the beauty you': 849411, 'beauty you store': 118821, 'you store at': 1021448, 'store at hong': 806583, 'at hong kong': 99185, 'hong kong international': 403201, 'kong international airport': 477391, 'international airport hkia': 441750, 'airport hkia ha': 40102, 'hkia ha identified': 398630, 'ha identified online': 370903, 'identified online shopping': 413341, 'online shopping promotion': 609237, 'shopping promotion way': 763690, 'government mandate': 360340, 'mandate it': 513003, 'virus customer': 958114, 'been elderly': 121073, 'or super': 617272, 'super young': 818606, 'and obnoxious': 67926, 'obnoxious all': 578499, 'all coughing': 42467, 'sell home': 748754, 'decor retail': 231525, 'until the government': 943857, 'the government mandate': 856561, 'government mandate it': 360341, 'mandate it retail': 513004, 'open and spreading': 612079, 'and spreading this': 72159, 'this virus customer': 891004, 'virus customer have': 958115, 'have been elderly': 379525, 'been elderly or': 121074, 'elderly or super': 270798, 'or super young': 617273, 'super young and': 818607, 'young and obnoxious': 1022566, 'and obnoxious all': 67927, 'obnoxious all coughing': 578500, 'all coughing work': 42468, 'coughing work at': 208776, 'that sell home': 846183, 'sell home decor': 748755, 'home decor retail': 400993, 'dubaipolice': 261501, 'dubai expanded': 261470, 'expanded travel': 290491, 'restriction explained': 717269, 'explained official': 292159, 'said any': 730975, 'any dubai': 79149, 'dubai resident': 261484, 'resident leaving': 714323, 'reason would': 703070, 'need permit': 555428, 'permit from': 652150, 'from dubaipolice': 335229, 'dubaipolice first': 261502, 'first this': 309083, 'includes for': 431750, 'pharmacy uae': 654532, 'dubai expanded travel': 261471, 'expanded travel restriction': 290492, 'travel restriction explained': 930488, 'restriction explained official': 717270, 'explained official said': 292160, 'official said any': 595898, 'said any dubai': 730976, 'any dubai resident': 79150, 'dubai resident leaving': 261485, 'resident leaving their': 714324, 'for any reason': 319423, 'any reason would': 79733, 'reason would need': 703071, 'would need permit': 1012050, 'need permit from': 555429, 'permit from dubaipolice': 652151, 'from dubaipolice first': 335230, 'dubaipolice first this': 261503, 'first this includes': 309084, 'this includes for': 888071, 'includes for essential': 431751, 'essential shopping in': 281552, 'or pharmacy uae': 616589, 'mercutio': 529073, 'at mercutio': 99725, 'mercutio an': 529074, 'an ecommerce': 55572, 'ecommerce consulting': 266736, 'consulting company': 195896, 'sell direct': 748678, 'own website': 632301, 'provide strategic': 686497, 'strategic consulting': 812537, 'consulting creative': 195898, 'creative service': 216167, 'and software': 71930, 'software development': 781525, 'development we': 239854, 're small': 699532, 'small 20': 774771, '20 people': 13248, 'seattle covid': 743558, 'work at mercutio': 1004883, 'at mercutio an': 99726, 'mercutio an ecommerce': 529075, 'an ecommerce consulting': 55573, 'ecommerce consulting company': 266737, 'consulting company that': 195897, 'that help brand': 844295, 'help brand sell': 389428, 'brand sell direct': 137998, 'sell direct to': 748679, 'consumer via their': 199448, 'via their own': 956317, 'their own website': 874216, 'own website we': 632302, 'website we provide': 975473, 'we provide strategic': 972776, 'provide strategic consulting': 686498, 'strategic consulting creative': 812538, 'consulting creative service': 195899, 'creative service and': 216168, 'service and software': 752109, 'and software development': 71931, 'software development we': 781526, 'development we re': 239855, 'we re small': 972966, 're small 20': 699533, 'small 20 people': 774772, '20 people and': 13249, 'people and in': 646866, 'and in seattle': 65068, 'in seattle covid': 427760, 'seattle covid 19': 743559, 'relocating': 709612, 'nigeria ve': 562812, 'launched panic': 482025, 'mode stocking': 535201, 'stuff avoiding': 815020, 'people totally': 649990, 'totally if': 926346, 'cough beside': 208460, 'beside me': 127480, 'me running': 523407, 'life relocating': 488984, 'relocating to': 709613, 'in nigeria ve': 425887, 'nigeria ve launched': 562813, 've launched panic': 953324, 'launched panic mode': 482026, 'panic mode stocking': 638321, 'mode stocking food': 535202, 'stocking food stuff': 803559, 'food stuff avoiding': 316886, 'stuff avoiding people': 815021, 'avoiding people totally': 105481, 'people totally if': 649991, 'totally if you': 926347, 'you cough beside': 1018066, 'cough beside me': 208461, 'beside me running': 127481, 'me running for': 523408, 'running for my': 727964, 'my life relocating': 549033, 'life relocating to': 488985, 'relocating to an': 709614, 'me wake': 523898, 'what kill': 981789, 'made me wake': 507845, 'me wake up': 523899, 'wake up with': 964631, 'with panic attack': 1000080, 'and it literally': 65547, 'it literally what': 459411, 'literally what kill': 495109, 'what kill people': 981790, 'bumbed': 142547, 'anything of': 80839, 'extreme importance': 293807, 'have bumbed': 379854, 'bumbed the': 142548, '40 take': 18670, 'dont pay': 255269, 'pay profiteering': 645056, 'profiteering scumbags': 683091, 'scumbags lockdownuk': 743003, 'lockdownuk staysafestayhome': 500434, 'staysafestayhome thursdaythoughts': 799032, 'thursdaythoughts saveworkers': 895480, 'saveworkers thursdaymotivation': 737835, 'you need baby': 1019968, 'need baby milk': 554510, 'baby milk or': 106666, 'milk or anything': 531753, 'or anything of': 614379, 'anything of extreme': 80840, 'of extreme importance': 583349, 'extreme importance and': 293808, 'importance and the': 418687, 'shop have bumbed': 760263, 'have bumbed the': 379855, 'bumbed the price': 142549, 'to 40 take': 899716, '40 take it': 18671, 'it and dont': 456490, 'and dont pay': 61673, 'dont pay profiteering': 255270, 'pay profiteering scumbags': 645057, 'profiteering scumbags lockdownuk': 683092, 'scumbags lockdownuk staysafestayhome': 743004, 'lockdownuk staysafestayhome thursdaythoughts': 500435, 'staysafestayhome thursdaythoughts saveworkers': 799033, 'thursdaythoughts saveworkers thursdaymotivation': 895481, 'seriously that': 751749, 'pub wa': 687798, 'wa offering': 962805, 'on drink': 600414, 'drink last': 258849, 'the mandatory': 860010, 'mandatory closing': 513033, 'pub kicked': 687725, 'spreading so': 791040, 'night possible': 563060, 'seriously that local': 751750, 'that local pub': 844925, 'local pub wa': 498313, 'pub wa offering': 687799, 'wa offering reduced': 962806, 'price on drink': 675668, 'on drink last': 600415, 'drink last night': 258850, 'last night before': 480370, 'night before the': 562969, 'before the mandatory': 123174, 'the mandatory closing': 860011, 'mandatory closing of': 513034, 'closing of pub': 183701, 'of pub kicked': 588581, 'pub kicked in': 687726, 'kicked in great': 473808, 'in great we': 423412, 'great we have': 363103, 'have to shut': 383300, 'stop people gathering': 804905, 'gathering together and': 344519, 'together and spreading': 920699, 'and spreading so': 72157, 'spreading so let': 791041, 'let get many': 486733, 'get many people': 347520, 'people in on': 648408, 'on the last': 604203, 'the last night': 859025, 'last night possible': 480391, 'boy mask': 137269, 'my boy mask': 547519, 'boy mask price': 137270, 'mask price gone': 519143, 'price gone high': 674219, 'isolationillustration': 455535, 'isolationday8': 455526, 'isolation illustration': 455307, 'illustration for': 416455, 're meant': 699031, 'isolating isolationillustration': 455120, 'isolationillustration isolation': 455536, 'isolation isolationday8': 455322, 'isolationday8 lockdown': 455527, 'stockpiling isolate': 804001, 'isolation illustration for': 455308, 'illustration for fuck': 416456, 'fuck sake we': 339635, 'sake we re': 731879, 'we re meant': 972920, 're meant to': 699032, 'be isolating isolationillustration': 115554, 'isolating isolationillustration isolation': 455121, 'isolationillustration isolation isolationday8': 455537, 'isolation isolationday8 lockdown': 455323, 'isolationday8 lockdown toiletpaper': 455528, 'lockdown toiletpaper toiletroll': 500066, 'toiletroll panicbuying stockpiling': 923377, 'panicbuying stockpiling isolate': 639054, 'much covid': 544813, 'falling how': 297282, 'market ramification': 516936, 'ramification would': 696412, 'no expert': 564172, 'expert even': 291828, 'le novice': 483039, 'and kept thinking': 65812, 'kept thinking how': 473084, 'thinking how much': 885919, 'how much covid': 408343, 'much covid 19': 544814, '19 would cost': 12210, 'would cost the': 1011741, 'world economy oil': 1009509, 'are falling how': 86465, 'falling how the': 297283, 'the market ramification': 860146, 'market ramification would': 516937, 'ramification would be': 696413, 'would be but': 1011563, 'be but no': 113932, 'but no expert': 146484, 'no expert even': 564173, 'expert even le': 291829, 'even le novice': 284289, 'bank expects': 109814, 'expects heightened': 291077, 'distribution method': 248163, 'method due': 529769, 'read is': 700377, 'food bank expects': 313562, 'bank expects heightened': 109815, 'expects heightened demand': 291078, 'heightened demand change': 388819, 'change in distribution': 172114, 'in distribution method': 422318, 'distribution method due': 248164, 'method due to': 529770, '19 read is': 9973, 'read is story': 700378, 'is story here': 452353, '923': 23490, 'coronavirus conspiracy': 205672, 'theory 923': 877841, '923 never': 23491, 'never loose': 558108, 'loose your': 503207, 'your sense': 1025722, 'coronavirus conspiracy theory': 205673, 'conspiracy theory 923': 195579, 'theory 923 never': 877842, '923 never loose': 23492, 'never loose your': 558109, 'loose your sense': 503208, 'your sense of': 1025723, 'of humor toiletpaper': 584899, 'else paranoid': 271838, 'paranoid fuck': 641444, 'fuck in': 339579, 'everyone avoiding': 286722, 'avoiding you': 105503, 'you lockdown': 1019684, 'lockdown ireland': 499536, 'anyone else paranoid': 80283, 'else paranoid fuck': 271839, 'paranoid fuck in': 641445, 'fuck in supermarket': 339580, 'supermarket with everyone': 823920, 'with everyone avoiding': 998287, 'everyone avoiding you': 286723, 'avoiding you lockdown': 105504, 'you lockdown ireland': 1019685, 'fed predicted': 301873, 'predicted that': 669618, 'unprecedented 50': 943069, '50 drop': 19674, 'in gross': 423447, 'gross domestic': 366433, 'domestic product': 253219, 'product find': 681185, 'price 81': 672179, '81 57': 22773, '57 526': 20475, '526 watch': 20273, 'the fed predicted': 855065, 'fed predicted that': 301874, 'predicted that there': 669619, 'that there might': 846902, 'might be an': 530880, 'be an unprecedented': 113617, 'an unprecedented 50': 56879, 'unprecedented 50 drop': 943070, '50 drop in': 19675, 'drop in gross': 260252, 'in gross domestic': 423448, 'gross domestic product': 366434, 'domestic product find': 253220, 'product find out': 681186, 'out more below': 626565, 'noon price 81': 566861, 'price 81 57': 672180, '81 57 526': 22774, '57 526 watch': 20476, '526 watch the': 20274, 'watch the market': 968548, 'market price closely': 516883, 'panic my': 638337, 'through until': 894883, '23rd of': 15519, 'hard 19fr': 377853, 'to panic my': 911411, 'panic my partner': 638338, 'partner and only': 642767, '11 to get': 2603, 'get through until': 348443, 'through until the': 894884, 'until the 23rd': 943846, 'the 23rd of': 848045, '23rd of this': 15520, 'find any cheap': 306787, 'life is hard': 488807, 'is hard 19fr': 448299, 'have 500': 379094, 'getting screamed': 349254, 'tp way': 928028, 'you suck': 1021466, 'suck coronacrisis': 816890, 'you have 500': 1019009, 'have 500 people': 379095, 'there the retail': 879151, 'retail worker getting': 718887, 'worker getting screamed': 1007036, 'getting screamed at': 349255, 'screamed at for': 742648, 'at for being': 98689, 'water and tp': 968887, 'and tp way': 74337, 'tp way to': 928029, 'humanity you suck': 410784, 'you suck coronacrisis': 1021467, 'suck coronacrisis retail': 816891, 'internet shutdown': 442024, 'shutdown during': 768026, 'government across': 359815, 'internet shutdown during': 442025, 'shutdown during 19': 768027, 'during 19 will': 262412, '19 will facilitate': 12091, 'urge government across': 948190, 'government across the': 359816, 'globe to ensure': 352486, 'amp mindless': 54141, 'mindless stockpiling': 532833, 'brought forth': 141150, 'forth selfishness': 329795, 'extraordinary individual': 293739, 'individual of': 435229, 'have figured': 380619, 'panic chaos amp': 638006, 'chaos amp mindless': 172987, 'amp mindless stockpiling': 54142, 'mindless stockpiling have': 532834, 'stockpiling have brought': 803990, 'have brought forth': 379846, 'brought forth selfishness': 141151, 'forth selfishness of': 329796, 'selfishness of individual': 748367, 'of individual during': 585134, 'individual during crisis': 435178, 'some extraordinary individual': 782804, 'extraordinary individual of': 293740, 'individual of the': 435230, 'community have figured': 189885, 'have figured out': 380620, 'figured out way': 305261, 'difference to others': 241875, 'declining esp': 231473, 'is matched': 449596, 'be declining esp': 114362, 'declining esp if': 231474, 'esp if this': 280399, 'this is matched': 888316, 'is matched by': 449597, '2gethertheseries': 16608, 'gmmtv': 353197, '2gethertheseries 450': 16609, '450 qr': 19156, 'code 11': 185327, '11 63': 2469, '63 gmmtv': 21265, '2gethertheseries 450 qr': 16610, '450 qr code': 19157, 'qr code 11': 691594, 'code 11 63': 185328, '11 63 gmmtv': 2470, 'store lowe': 808839, 'is our store': 450643, 'our store lowe': 624948, 'store lowe close': 808840, 'flagstaff': 309971, 'flagstaff home': 309972, 'rise home': 722869, 'home listing': 401535, 'listing drop': 494842, 'amid arizona': 52393, 'arizona realestate': 92853, 'flagstaff home price': 309973, 'home price rise': 401915, 'price rise home': 676239, 'rise home listing': 722870, 'home listing drop': 401536, 'listing drop amid': 494843, 'drop amid arizona': 260119, 'amid arizona realestate': 52394, 'in gauteng': 423231, 'gauteng selected': 344584, 'selected area': 747487, 'shop now online': 760519, 'now online stay': 575452, 'online stay at': 609423, 'home during lockdown': 401107, 'lockdown and let': 499146, 'and let do': 66104, 'shopping for you': 762734, 'for you covid': 328049, 'and grocery delivered': 63980, 'doorstep only available': 255867, 'available in gauteng': 104440, 'in gauteng selected': 423232, 'gauteng selected area': 344585, 'hmgovernment': 398656, 'staff hmgovernment': 792531, 'hmgovernment stayhome': 398657, 'stayhome nh': 798050, 'please all give': 659642, 'all give shout': 42926, 'to our amazing': 911149, 'our amazing supermarket': 622063, 'amazing supermarket staff': 50790, 'supermarket staff hmgovernment': 822855, 'staff hmgovernment stayhome': 792532, 'hmgovernment stayhome nh': 398658, 'standing alone': 793740, 'looking shaky': 502995, 'shaky at': 754481, 'approach they': 82977, 'some space': 783906, 'way cuz': 969539, 're blocking': 698371, 'the pear': 863427, 'pear you': 646161, 'with shut': 1000718, 'see someone standing': 745733, 'someone standing alone': 784664, 'standing alone and': 793741, 'alone and looking': 46812, 'and looking shaky': 66379, 'looking shaky at': 502996, 'shaky at the': 754482, 'when you approach': 984537, 'you approach they': 1017044, 'approach they ask': 82978, 'they ask you': 881500, 'to please give': 911815, 'please give them': 660031, 'give them some': 350772, 'them some space': 876305, 'some space do': 783907, 'at them to': 101187, 'the way cuz': 871148, 'way cuz they': 969540, 'cuz they re': 223824, 'they re blocking': 883002, 're blocking the': 698372, 'blocking the pear': 132890, 'the pear you': 863428, 'pear you might': 646162, 'might be dealing': 530889, 'be dealing with': 114351, 'dealing with shut': 229690, 'with shut in': 1000719, 'shut in trying': 767895, 'poac': 662143, 'huge announcement': 409979, 'announcement dollar': 77142, 'dollar dig': 252979, 'dig is': 242436, 'of net': 586940, 'net profit': 557562, 'cdc foundation': 168563, 'foundation covid': 330483, 'response poac': 715785, 'poac autism': 662144, 'autism service': 103851, 'service shopping': 752821, 'online never': 608570, 'good shop': 357731, 'through first': 894463, 'first cashback': 308563, 'cashback is': 166402, 'keep please': 471796, 'huge announcement dollar': 409980, 'announcement dollar dig': 77143, 'dollar dig is': 252980, 'dig is donating': 242437, 'donating 100 of': 254416, '100 of net': 1988, 'of net profit': 586941, 'net profit to': 557564, 'the cdc foundation': 850567, 'cdc foundation covid': 168564, 'foundation covid 19': 330484, '19 response poac': 10160, 'response poac autism': 715786, 'poac autism service': 662145, 'autism service shopping': 103852, 'service shopping online': 752822, 'shopping online never': 763460, 'online never felt': 608571, 'felt so good': 303453, 'so good shop': 777189, 'good shop through': 357732, 'shop through first': 760935, 'through first cashback': 894464, 'first cashback is': 308564, 'cashback is yours': 166403, 'is yours to': 454176, 'yours to keep': 1026479, 'to keep please': 908829, 'keep please retweet': 471797, 'conversation with about': 202496, 'benefit of panic': 127050, 'of panic you': 587738, 'not need lower': 570663, 'hoard this': 398890, 'elderly staring': 270895, 'make the best': 510558, 'best of but': 127793, 'of but don': 580986, 'but don hoard': 145592, 'don hoard this': 253643, 'hoard this is': 398891, 'when you hoard': 984571, 'you hoard the': 1019229, 'hoard the elderly': 398879, 'the elderly staring': 854148, 'elderly staring at': 270896, 'staring at their': 794149, 'at their shopping': 101176, 'list in store': 494362, 'in store full': 428417, 'full of empty': 340719, 'empty shelf please': 275088, 'shelf please think': 757417, 'red again': 705561, 'another rollercoaster': 77808, 'rollercoaster session': 725661, 'session the': 753312, 'senate failed': 749699, 'bill djia': 130553, 'djia fell': 248828, 'fell 04': 303151, '04 nasdaq': 924, 'nasdaq lost': 551989, 'lost 27': 503813, '27 spx': 16309, 'spx dropped': 791375, 'dropped 93': 260522, '93 oil': 23524, 'gained trading': 342860, 'trading index': 928877, 'index commodity': 434174, 'commodity crude': 189157, 'crude loss': 219543, 'stock closed in': 801995, 'closed in the': 183182, 'the red again': 865380, 'red again after': 705562, 'again after another': 36874, 'after another rollercoaster': 35377, 'another rollercoaster session': 77809, 'rollercoaster session the': 725662, 'session the senate': 753313, 'the senate failed': 866702, 'senate failed to': 749700, 'failed to deliver': 296175, 'deliver the rescue': 233234, 'the rescue bill': 865561, 'rescue bill djia': 713608, 'bill djia fell': 130554, 'djia fell 04': 248829, 'fell 04 nasdaq': 303152, '04 nasdaq lost': 925, 'nasdaq lost 27': 551990, 'lost 27 spx': 503814, '27 spx dropped': 16310, 'spx dropped 93': 791376, 'dropped 93 oil': 260523, '93 oil price': 23525, 'oil price gained': 597142, 'price gained trading': 674149, 'gained trading index': 342861, 'trading index commodity': 928878, 'index commodity crude': 434175, 'commodity crude loss': 189158, 'crude loss may': 219544, 'carehomes': 164527, 'pressure carehomes': 671143, 'carehomes bottom': 164528, 'the pile': 863734, 'under pressure carehomes': 940202, 'pressure carehomes bottom': 671144, 'carehomes bottom of': 164529, 'of the pile': 591336, 'be targeting': 117526, 'targeting shale': 834575, 'oilpricewar via': 597719, 'canada hit the': 160464, 'hit the oil': 398438, 'may be targeting': 521038, 'be targeting shale': 117527, 'targeting shale but': 834576, 'oott oilpricewar via': 611775, 'approvable': 83080, 'failed raising': 296160, 'raising generation': 696088, 'respect no': 715030, 'clue cause': 184531, 'you gave': 1018749, 'them nothing': 876057, 'but approvable': 145204, 'approvable instead': 83081, 'of manner': 586157, 'manner discipline': 513297, 'store produce and': 809664, 'produce and then': 680188, 'then there this': 877642, 'there this parent': 879172, 'this parent you': 889479, 'parent you have': 641787, 'you have failed': 1019043, 'have failed raising': 380558, 'failed raising generation': 296161, 'raising generation of': 696089, 'generation of kid': 345632, 'of kid with': 585632, 'kid with no': 474173, 'with no respect': 999784, 'no respect no': 565343, 'respect no clue': 715031, 'no clue cause': 563832, 'clue cause you': 184532, 'cause you gave': 167810, 'you gave them': 1018750, 'gave them nothing': 344671, 'them nothing but': 876058, 'nothing but approvable': 572955, 'but approvable instead': 145205, 'approvable instead of': 83082, 'instead of manner': 440288, 'of manner discipline': 586158, 'older parent': 598637, 'parent no': 641681, 'veggie nothing': 954199, 'metro or': 529930, 'or loblaws': 615984, 'loblaws online': 497627, 'online metro': 608544, 'metro cannot': 529906, 'wonderful supply': 1004126, 'about toronto': 26763, 'toronto cdnpoli': 925929, 'food online for': 315621, 'for my older': 323734, 'my older parent': 549564, 'older parent no': 598638, 'parent no meat': 641682, 'no meat fruit': 564749, 'meat fruit veggie': 525590, 'fruit veggie nothing': 339191, 'veggie nothing left': 954200, 'nothing left at': 573082, 'left at metro': 485398, 'at metro or': 99728, 'metro or loblaws': 529931, 'or loblaws online': 615985, 'loblaws online metro': 497628, 'online metro cannot': 608545, 'metro cannot deliver': 529907, 'cannot deliver for': 161749, 'deliver for another': 233131, 'another week where': 77976, 'week where is': 977229, 'is this wonderful': 453133, 'this wonderful supply': 891491, 'wonderful supply chain': 1004127, 'supply chain they': 825051, 'chain they keep': 171182, 'they keep going': 882509, 'keep going on': 471548, 'going on about': 355296, 'on about toronto': 599141, 'about toronto cdnpoli': 26764, 'naught': 553016, 'priority testing': 678669, 'covid19 should': 214376, 'service those': 752957, 'shelf public': 757436, 're infected': 698898, 'infected then': 436647, 'whole social': 990330, 'for naught': 323782, 'think that priority': 885605, 'that priority testing': 845840, 'priority testing for': 678670, 'testing for covid19': 839496, 'for covid19 should': 320440, 'covid19 should be': 214377, 'be for those': 114915, 'are in food': 87383, 'food service those': 316435, 'service those who': 752958, 'the shelf public': 866868, 'shelf public service': 757437, 'public service if': 688304, 'service if they': 752469, 'they re infected': 883060, 're infected then': 698899, 'infected then this': 436648, 'then this whole': 877669, 'this whole social': 891386, 'whole social distancing': 990331, 'distancing is for': 247243, 'is for naught': 447886, 'be sickened': 117182, 'by think': 154519, 'worker are going': 1006392, 'to be sickened': 901540, 'be sickened by': 117183, 'sickened by think': 768703, 'by think it': 154520, 'time to switch': 898081, 'to switch to': 916104, 'switch to curbside': 830517, 'pickup for grocery': 655963, 'currently affecting': 221455, 'affecting uk': 34584, 'how producer': 408534, 'producer processor': 680691, 'respond quickly': 715308, 'into how the': 442659, 'pandemic is currently': 635764, 'is currently affecting': 446984, 'currently affecting uk': 221456, 'affecting uk food': 34585, 'and how producer': 64830, 'how producer processor': 408535, 'producer processor and': 680692, 'processor and retailer': 680059, 'retailer are having': 719002, 'having to respond': 384359, 'to respond quickly': 913381, 'respond quickly to': 715309, 'quickly to unprecedented': 694631, 'to unprecedented change': 917962, 'phone went': 655059, 'more necessity': 539826, 'necessity cu': 554199, 'cu we': 220139, 'we missed': 972383, 'everyone phone went': 287270, 'phone went off': 655060, 'went off at': 979065, 'yes back out': 1015378, 'get more necessity': 347593, 'more necessity cu': 539827, 'necessity cu we': 554200, 'cu we missed': 220140, 'we missed some': 972384, 'missed some over': 534252, 'some over the': 783490, 'videocalls': 956980, 'tip wondering': 898961, 'excellent foundation': 289086, 'laptop during': 479560, 'quarantinelife videocalls': 693043, 'videocalls if': 956981, 'the camera': 850297, 'camera to': 157131, '19 stayhomesavelifes': 10832, 'pro tip wondering': 679138, 'tip wondering what': 898962, 'the toiletpaper you': 869740, 'toiletpaper you ve': 922890, 've hoarded it': 953267, 'hoarded it an': 398948, 'it an excellent': 456471, 'an excellent foundation': 55914, 'excellent foundation to': 289087, 'foundation to support': 330510, 'support your laptop': 827018, 'your laptop during': 1024589, 'laptop during quarantinelife': 479561, 'during quarantinelife videocalls': 262950, 'quarantinelife videocalls if': 693044, 'videocalls if you': 956982, 'take the camera': 832640, 'the camera to': 850298, 'camera to the': 157132, 'next level 19': 561427, 'level 19 stayhomesavelifes': 487485, 'spread come': 790478, 'come an': 187209, 'ceo meeting': 169752, 'meeting supplier': 527760, 'need through': 555842, 'through innovative': 894530, 'the spread come': 867621, 'spread come an': 790479, 'come an emphasis': 187210, 'emphasis on food': 273374, 'on food source': 600911, 'source and demand': 786444, 'texas ceo meeting': 839748, 'ceo meeting supplier': 169753, 'meeting supplier need': 527761, 'supplier need through': 824574, 'need through innovative': 555843, 'through innovative technology': 894531, 'physicalhealth': 655501, 'our physicalhealth': 624342, 'physicalhealth during': 655502, 'being be': 124885, 'best to manage': 127952, 'to manage our': 909795, 'manage our physicalhealth': 512419, 'our physicalhealth during': 624343, 'physicalhealth during we': 655503, 'during we also': 263395, 'eye on our': 294077, 'on our financial': 602599, 'our financial well': 623071, 'well being be': 978056, 'being be sure': 124886, 'news from on': 560456, 'from on managing': 336666, 'health during challenging': 386386, 'selfemployedmattertoo': 747953, 'selfemployment': 747957, 'employed would': 273502, 'be later': 115656, 'later entitled': 481056, 'employed benefit': 273467, 'pas few': 643103, 'week selfemployedmattertoo': 976849, 'selfemployedmattertoo selfemployment': 747954, 'selfemployment selfemployed': 747958, 'if your self': 415608, 'your self employed': 1025702, 'self employed would': 747635, 'employed would it': 273503, 'get new job': 347657, 'new job in': 558989, 'supermarket and be': 818938, 'and be later': 58756, 'be later entitled': 115657, 'later entitled to': 481057, 'entitled to self': 278837, 'to self employed': 914122, 'self employed benefit': 747623, 'employed benefit from': 273468, 'benefit from your': 126996, 'from your own': 338487, 'own business shutting': 631909, 'shutting down in': 768265, 'in the pas': 429440, 'the pas few': 863326, 'pas few week': 643104, 'few week selfemployedmattertoo': 304164, 'week selfemployedmattertoo selfemployment': 976850, 'selfemployedmattertoo selfemployment selfemployed': 747955, 'spent hour': 789130, 'hour cleaning': 405494, 'bathroom with': 112688, 'restock supply': 716915, 'supply thanks': 825949, 'supermarket locust': 821375, '14 the': 3532, 'just poured': 469478, 'poured shampoo': 667445, 'shampoo everywhere': 754776, 'everywhere want': 288278, 'want wine': 966174, 'having just spent': 384132, 'just spent hour': 469847, 'spent hour cleaning': 789131, 'hour cleaning the': 405495, 'cleaning the bathroom': 181102, 'the bathroom with': 849338, 'bathroom with nothing': 112689, 'with nothing to': 999826, 'nothing to restock': 573197, 'to restock supply': 913413, 'restock supply thanks': 716916, 'supply thanks to': 825950, 'to supermarket locust': 915811, 'supermarket locust after': 821376, 'locust after week': 500554, 'after week with': 36528, 'week with confirmed': 977260, '19 day of': 6430, 'of isolation of': 585341, 'isolation of 14': 455363, 'of 14 the': 579355, '14 the child': 3533, 'the child ha': 850817, 'child ha just': 176095, 'ha just poured': 371063, 'just poured shampoo': 469479, 'poured shampoo everywhere': 667446, 'shampoo everywhere want': 754777, 'everywhere want wine': 288279, 'fridge when': 333438, 'when freeze': 983445, 'put my toilet': 690702, 'the fridge when': 855819, 'fridge when freeze': 333439, 'when freeze it': 983446, 'freeze it how': 332534, 'it how long': 458650, 'long can keep': 501365, 'can keep it': 158808, 'keep it coronacrisis': 471608, 'it coronacrisis toiletpaper': 457335, 'virus upends': 958963, 'surging after virus': 828402, 'after virus upends': 36491, 'virus upends supply': 958964, 'movie without': 544100, 'without toiletpaper': 1003012, 'toiletpaper toiletpaper': 922630, 'wonder how those': 1003961, 'how those people': 408964, 'those people survive': 892329, 'people survive in': 649706, 'in the zombie': 429702, 'the zombie movie': 872228, 'zombie movie without': 1027716, 'movie without toiletpaper': 544101, 'without toiletpaper toiletpaper': 1003013, 'deliberatly': 232989, 'are deliberatly': 85750, 'deliberatly rude': 232990, 'deserve at': 238033, 'point fucking': 662494, 'fucking fed': 339862, 'mom cry': 535714, 'asshole when': 96586, 'sorry but if': 786029, 'into supermarket are': 443034, 'supermarket are deliberatly': 819153, 'are deliberatly rude': 85751, 'deliberatly rude to': 232991, 'rude to the': 727060, 'that are putting': 842801, 'risk to feed': 723956, 'feed you then': 302409, 'you then you': 1021627, 'then you deserve': 877783, 'you deserve at': 1018182, 'deserve at this': 238034, 'this point fucking': 889633, 'point fucking fed': 662495, 'fucking fed up': 339863, 'of seeing my': 589452, 'seeing my mom': 746380, 'my mom cry': 549265, 'mom cry because': 535715, 'of selfish asshole': 589476, 'selfish asshole when': 748012, 'asshole when she': 96587, 'when she only': 984002, 'she only doing': 756252, 'only doing her': 610351, 'doing her job': 252444, 'whether exercise': 985508, 'exercise induced': 290067, 'induced asthma': 435451, 'her tell': 392422, 'now asthma': 574119, 'anyone know whether': 80407, 'know whether exercise': 477022, 'whether exercise induced': 985509, 'exercise induced asthma': 290068, 'induced asthma put': 435452, '19 my daughter': 8724, 'daughter ha it': 226851, 'it and work': 456524, 'store and wondering': 806405, 'wondering if should': 1004177, 'if should make': 414804, 'should make her': 766206, 'make her tell': 509970, 'her tell them': 392423, 'tell them she': 837101, 'them she can': 876273, 'she can work': 755928, 'can work for': 160246, 'work for now': 1005164, 'for now asthma': 323963, 'noiwontstop': 566237, 'your preschool': 1025382, 'preschool friend': 670460, 'friend everyone': 333592, 'many preschool': 514587, 'preschool and': 670458, 'and daycare': 60967, 'daycare are': 228892, 'also open': 48622, 'making enough': 511040, 'money either': 536726, 'either noiwontstop': 270333, 'on your preschool': 605493, 'your preschool friend': 1025383, 'preschool friend everyone': 670461, 'friend everyone is': 333593, 'everyone is talking': 287116, 'service worker but': 753089, 'worker but many': 1006558, 'but many preschool': 146360, 'many preschool and': 514588, 'preschool and daycare': 670459, 'and daycare are': 60968, 'daycare are also': 228893, 'are also open': 84470, 'also open we': 48623, 'we are freaking': 970572, 'and not making': 67755, 'not making enough': 570515, 'making enough money': 511041, 'enough money either': 277521, 'money either noiwontstop': 536727, 'face start': 294767, 'itching the': 463008, 'moment walk': 536100, 'store problem': 809659, 'why the doe': 991412, 'the doe my': 853483, 'doe my face': 251460, 'my face start': 548163, 'face start itching': 294768, 'start itching the': 794357, 'itching the moment': 463009, 'the moment walk': 860788, 'moment walk into': 536101, 'grocery store problem': 365680, 'driving drop': 259921, 'is driving drop': 447383, 'driving drop in': 259922, 'consumer expectation that': 197403, 'expectation that are': 290854, 'that are likely': 842772, 'likely to worsen': 492183, 'gov warns': 359732, 'exploiting to': 292469, 'sell fraudulent': 748733, 'or steal': 617213, 'data see': 226397, 'their info': 873660, 'gov warns of': 359733, 'warns of scammer': 967272, 'of scammer exploiting': 589371, 'scammer exploiting to': 740574, 'exploiting to sell': 292470, 'to sell fraudulent': 914152, 'sell fraudulent product': 748734, 'fraudulent product or': 331468, 'product or steal': 681497, 'or steal personal': 617214, 'steal personal data': 799196, 'personal data see': 652819, 'data see their': 226398, 'see their info': 745906, 'their info report': 873661, 'fresh thyme': 333088, 'thyme grocery': 895559, 'employee raise': 274136, 'raise mid': 695875, 'mid this': 530593, 'this goodnews': 887726, 'fresh thyme grocery': 333089, 'thyme grocery store': 895560, 'store is giving': 808494, 'giving employee raise': 351279, 'employee raise mid': 274137, 'raise mid this': 695876, 'mid this goodnews': 530594, 'home retweet': 401979, 'you de': 1018152, 'family from your': 297830, 'own or home': 632119, 'or home retweet': 615665, 'home retweet to': 401980, 'help you de': 390963, 'some uk': 784130, 'uk newsagent': 938565, 'newsagent smaller': 560992, 'of panickbuying': 587744, 'panickbuying over': 639208, 'with extortionate': 998347, 'is disgraceful': 447214, 'disgraceful lockdownuk': 245332, 'some uk newsagent': 784131, 'uk newsagent smaller': 938566, 'newsagent smaller shop': 560993, 'smaller shop trying': 775299, 'advantage of panickbuying': 33023, 'of panickbuying over': 587745, 'panickbuying over by': 639209, 'over by ripping': 630058, 'by ripping everyone': 153819, 'ripping everyone off': 722715, 'everyone off with': 287225, 'off with extortionate': 594396, 'with extortionate price': 998348, 'disgusting profiteering at': 245450, 'profiteering at time': 683008, 'crisis is disgraceful': 217567, 'is disgraceful lockdownuk': 447215, 'disgraceful lockdownuk londonlockdown': 245333, 'long let': 501484, 'let minimize': 486921, 'enough portable': 277573, 'portable and': 664913, 'large hand': 479687, 'hour around': 405435, 'and safe all': 70705, 'safe all day': 729416, 'day long let': 227937, 'long let minimize': 501485, 'let minimize the': 486922, 'have enough portable': 380462, 'enough portable and': 277574, 'portable and large': 664914, 'and large hand': 65950, 'large hand sanitizers': 479688, 'sanitizers mask available': 736343, 'stock order from': 802596, 'order from we': 618262, 'from we deliver': 338305, 'doorstep in hour': 255854, 'in hour around': 423836, 'hour around kampala': 405436, 'boy suffers': 137286, 'suffers covid': 817354, 'dad trip': 224400, 'old boy suffers': 598166, 'boy suffers covid': 137287, 'suffers covid 19': 817355, '19 symptom after': 11012, 'symptom after dad': 830803, 'after dad trip': 35534, 'dad trip to': 224401, 'perceived tacky': 651101, 'tacky and': 831661, 'insensitive there': 439199, 'great psa': 362933, 'psa on': 687414, 'it ended': 457816, 'with tag': 1001112, 'tag that': 831770, 'wa brought': 961751, 'of broadcaster': 580902, 'this station': 890304, 'station unneeded': 796541, 'unneeded besides': 942968, 'besides is': 127509, 'even little thing': 284304, 'little thing can': 495612, 'thing can be': 884219, 'can be perceived': 157660, 'be perceived tacky': 116391, 'perceived tacky and': 651102, 'tacky and insensitive': 831662, 'and insensitive there': 65255, 'insensitive there wa': 439200, 'there wa great': 879241, 'wa great psa': 962252, 'great psa on': 362934, 'psa on covid': 687415, 'but it ended': 146120, 'it ended with': 457817, 'ended with tag': 276149, 'with tag that': 1001113, 'tag that said': 831771, 'it wa brought': 462084, 'wa brought to': 961752, 'brought to you': 141208, 'you by the': 1017597, 'association of broadcaster': 96969, 'of broadcaster and': 580903, 'broadcaster and this': 140741, 'and this station': 74009, 'this station unneeded': 890305, 'station unneeded besides': 796542, 'unneeded besides is': 942969, 'besides is consumer': 127510, 'is consumer brand': 446789, 'market improve': 516543, 'nearing additional': 553738, 'additional stimulus': 31877, 'measure also': 525086, 'help sentiment': 390512, 'sentiment cut': 750908, 'production help': 682066, 'help lift': 389992, 'asian market improve': 95305, 'market improve on': 516544, 'improve on hope': 419530, 'on hope that': 601362, 'that the peak': 846797, 'the peak of': 863425, 'the is nearing': 858511, 'is nearing additional': 449835, 'nearing additional stimulus': 553739, 'additional stimulus measure': 31878, 'stimulus measure also': 801559, 'measure also help': 525087, 'also help sentiment': 48349, 'help sentiment cut': 390513, 'sentiment cut in': 750909, 'in oil production': 426089, 'oil production help': 597369, 'production help lift': 682067, 'help lift price': 389993, 'or five': 615321, 'five place': 309655, 'place early': 657420, 'it luckily': 459485, 'luckily she': 506514, 'crowded she': 219344, 'couple package': 211660, 'also no toilet': 48572, 'paper so my': 640789, 'mom went out': 535835, 'out to or': 627666, 'to or five': 911051, 'or five place': 615322, 'five place early': 309656, 'place early this': 657421, 'morning to find': 541512, 'find it luckily': 306996, 'it luckily she': 459486, 'luckily she said': 506515, 'the store were': 868141, 'store were not': 811221, 'were not very': 979925, 'not very crowded': 572388, 'very crowded she': 955092, 'crowded she found': 219345, 'she found it': 756041, 'found it at': 330259, 'it at walmart': 456632, 'at walmart and': 101472, 'walmart and said': 965278, 'and said there': 70777, 'said there were': 731465, 'were only couple': 979941, 'only couple package': 610286, 'couple package on': 211661, 'the shelf toiletpaper': 866894, 'supermarket packed': 821889, '19 brilliant': 5442, 'brilliant plan': 139878, 'home to go': 402322, 'to supermarket packed': 915826, 'supermarket packed with': 821890, 'packed with potential': 633670, 'with potential carrier': 1000269, 'potential carrier of': 667027, 'covid 19 brilliant': 212729, '19 brilliant plan': 5443, 'cloy': 184385, 'cloyfever': 184387, 'for se': 325395, 'se ri': 743056, 'ri capt': 720926, 'capt ri': 162913, 'ri style': 720936, 'style cloy': 815596, 'cloy cloyfever': 184386, 'food for se': 314569, 'for se ri': 325396, 'se ri capt': 743057, 'ri capt ri': 720927, 'capt ri style': 162914, 'ri style cloy': 720937, 'style cloy cloyfever': 815597, 'unfortunately scammer': 941641, 'folk during': 312149, 'happen please': 377143, 'avoiding and': 105431, 'and combatting': 60106, 'combatting scam': 187086, 'unfortunately scammer are': 941642, 'scammer are out': 740539, 'advantage of folk': 33005, 'of folk during': 583621, 'folk during the': 312150, 'we can let': 970973, 'can let that': 158870, 'let that happen': 487114, 'that happen please': 844173, 'happen please check': 377144, 'from the for': 337708, 'the for avoiding': 855665, 'for avoiding and': 319542, 'avoiding and combatting': 105432, 'and combatting scam': 60107, 'and food market': 63068, 'food market are': 315392, 'war against and': 966339, 'against and worker': 37329, 'worker in washington': 1007211, 'washington are stepping': 967767, 'only farmer': 610425, 'made right': 507941, 'produce thug': 680469, 'thug can': 895281, 'rob farmer': 724619, 'farmer but': 299314, 'raise animal': 695815, 'animal to': 76669, 'or grow': 615533, 'only farmer have': 610426, 'farmer have it': 299409, 'have it made': 381152, 'it made right': 459496, 'made right now': 507942, 'now they can': 576104, 'they can jack': 881642, 'meat produce thug': 525713, 'produce thug can': 680470, 'thug can try': 895282, 'to rob farmer': 913611, 'rob farmer but': 724620, 'farmer but they': 299315, 'how to raise': 409064, 'to raise animal': 912717, 'raise animal to': 695816, 'animal to eat': 76670, 'to eat or': 904896, 'eat or grow': 266009, 'or grow food': 615534, 'intermediate crude': 441704, 'already moved': 47527, 'up per': 945762, 'barrel after': 111189, 'texas intermediate crude': 839790, 'intermediate crude oil': 441705, 'oil price already': 597042, 'price already moved': 672288, 'already moved up': 47528, 'moved up per': 543843, 'up per barrel': 945763, 'per barrel after': 650691, 'barrel after this': 111190, 'pacifica': 632998, 'kpixtogether': 477589, 'pacifica distillery': 632999, 'distillery help': 247759, 'sanitizer kpixtogether': 735271, 'pacifica distillery help': 633000, 'distillery help fight': 247760, 'help fight pandemic': 389712, 'fight pandemic by': 304837, 'pandemic by making': 635072, 'by making sanitizer': 153145, 'making sanitizer kpixtogether': 511322, 'egg 19': 269743, '19 egg': 6735, 'food egg 19': 314342, 'egg 19 egg': 269744, '19 egg price': 6736, 'box including': 137092, 'including fruit': 431978, 'fruit selection': 339137, 'selection box': 747519, 'box meat': 137102, 'meat eater': 525550, 'eater box': 266148, 'and vegan': 74871, 'vegan box': 953844, 'box currently': 137042, 'expected soon': 290940, 'soon further': 785713, 'further information': 342071, 'hour can': 405480, 'here kin': 393284, 'also have few': 48330, 'have few food': 380610, 'few food box': 303835, 'food box including': 313779, 'box including fruit': 137093, 'including fruit selection': 431979, 'fruit selection box': 339138, 'selection box meat': 747520, 'box meat eater': 137103, 'meat eater box': 525551, 'eater box and': 266149, 'box and vegan': 137012, 'and vegan box': 74872, 'vegan box currently': 953845, 'box currently out': 137043, 'stock but more': 801945, 'but more expected': 146408, 'more expected soon': 539171, 'expected soon further': 290941, 'soon further information': 785714, 'further information on': 342072, 'our special opening': 624862, 'opening hour can': 612849, 'hour can be': 405481, 'found here kin': 330236, 'it reassuring': 460658, 'restocking almost': 716982, 'israel due': 455591, 'to except': 905390, 'find and': 306777, 'to box': 901965, 'box per': 137145, 'per shopping': 651019, 'shopping session': 763851, 'session stophoarding': 753306, 'it reassuring to': 460659, 'to see store': 914074, 'see store restocking': 745752, 'store restocking almost': 809857, 'restocking almost no': 716983, 'almost no shortage': 46704, 'no shortage in': 565494, 'shortage in israel': 765016, 'in israel due': 424218, 'israel due to': 455592, 'due to except': 261777, 'to except for': 905391, 'which is hard': 986013, 'to find and': 905879, 'find and egg': 306778, 'egg which are': 270033, 'are being limited': 84882, 'limited to box': 492767, 'to box per': 901966, 'box per shopping': 137146, 'per shopping session': 651020, 'shopping session stophoarding': 763852, 'often see': 596268, 'during major': 262786, 'event criminal': 284969, 'exception here': 289266, 'we often see': 972641, 'often see during': 596269, 'see during major': 745069, 'during major news': 262787, 'major news event': 509397, 'news event criminal': 560388, 'event criminal will': 284970, 'criminal will try': 216897, 'advantage of any': 32987, 'of any situation': 580272, 'any situation the': 79820, 'situation the coronavirus': 772510, 'no exception here': 564152, 'exception here is': 289267, 'is some guidance': 452089, 'some guidance from': 783014, 'shop really': 760704, 'first few': 308670, 'food shop really': 316491, 'shop really empty': 760705, 'the first few': 855306, 'first few day': 308671, 'applesponsorme': 82398, 'get cure': 346841, 'for before': 319619, 'before got': 122830, 'got broke': 358454, 'side now': 768840, 'now own': 575497, 'own an': 631878, 'an ipad': 56457, 'ipad applesponsorme': 444539, 'to get cure': 906452, 'get cure for': 346842, 'cure for before': 220736, 'for before got': 319620, 'before got broke': 122831, 'got broke from': 358455, 'broke from quarantine': 140832, 'from quarantine online': 337020, 'shopping on the': 763391, 'bright side now': 139795, 'side now own': 768841, 'now own an': 575498, 'own an ipad': 631879, 'an ipad applesponsorme': 56458, 'aussie only': 103128, 'week usual': 977154, 'usual auspol2020': 950890, 'card forever': 163527, 'have one store': 381799, 'one store open': 607121, 'store open within': 809269, 'normal aussie only': 567097, 'aussie only want': 103129, 'to shop once': 914479, 'once week usual': 605806, 'week usual auspol2020': 977155, 'usual auspol2020 australia': 950891, 'loyalty card forever': 506292, 'to france': 906218, 'france to': 331042, 'australia row': 103370, 'where toilet': 985317, 'be steven': 117367, 'steven taylor': 799973, 'taylor author': 835220, 'packet are': 633688, 'quite distinctive': 694845, 'distinctive associated': 247868, 'associated in': 96925, 'people symbol': 649711, 'the to france': 869677, 'to france to': 906219, 'france to australia': 331043, 'to australia row': 900841, 'australia row of': 103371, 'shelf where toilet': 757795, 'where toilet paper': 985318, 'paper used to': 641042, 'to be steven': 901564, 'be steven taylor': 117368, 'steven taylor author': 799974, 'taylor author of': 835221, 'of the psychology': 591377, 'psychology of pandemic': 687570, 'of pandemic say': 587707, 'pandemic say the': 636397, 'say the packet': 739297, 'the packet are': 862853, 'packet are quite': 633689, 'are quite distinctive': 89403, 'quite distinctive associated': 694846, 'distinctive associated in': 247869, 'associated in the': 96926, 'mind of people': 532702, 'of people symbol': 587996, 'people symbol of': 649712, 'symbol of safety': 830772, 'club hotel': 184443, 'so we recommend': 778680, 'restaurant pub club': 716650, 'pub club hotel': 687697, 'club hotel school': 184444, 'shopping in crowded': 762959, 'nice read': 562468, 'mainly wasn': 508900, 'wasn and': 967954, 'security that': 744765, 'much pre': 545251, 'pre date': 669161, 'date covid': 226611, 'nice read on': 562469, 'buying that mainly': 151154, 'that mainly wasn': 844984, 'mainly wasn and': 508901, 'wasn and on': 967955, 'on the question': 604316, 'question of food': 693664, 'food security that': 316369, 'security that much': 744766, 'that much pre': 845249, 'much pre date': 545252, 'pre date covid': 669162, 'date covid 19': 226612, 'personnel hero': 653117, 'hero via': 394143, 'via be': 955811, 'to supermarket personnel': 915828, 'supermarket personnel hero': 821965, 'personnel hero via': 653118, 'hero via be': 394144, 'woodland business': 1004298, 'still crank': 800408, 'crank out': 214860, 'woodland business still': 1004299, 'business still crank': 144417, 'still crank out': 800409, 'crank out toilet': 214861, 'paper amid outbreak': 639793, 'while theater': 987425, 'and museum': 67334, 'museum are': 546239, 'online performance': 608742, 'performance available': 651429, 'are doing shopping': 85924, 'elderly people while': 270842, 'people while theater': 650251, 'while theater and': 987426, 'theater and museum': 872245, 'and museum are': 67335, 'museum are making': 546240, 'are making online': 87997, 'making online performance': 511253, 'online performance available': 608743, 'performance available covid': 651430, 'hand following': 374938, 'sudden spike': 817041, 'company have reduced': 190741, 'of hand following': 584424, 'hand following the': 374939, 'following the government': 312887, 'the government directive': 856526, 'government directive and': 360025, 'directive and have': 243497, 'and have also': 64221, 'also increased their': 48416, 'meet the sudden': 527613, 'the sudden spike': 868389, 'sudden spike in': 817042, 'in demand amidst': 422103, 'said establishment': 731054, 'establishment and': 282048, 'least say': 484620, 'is helping during': 448398, 'medical staff delivery': 526390, 'store employee security': 807533, 'security guard of': 744620, 'guard of said': 367825, 'of said establishment': 589228, 'said establishment and': 731055, 'establishment and health': 282049, 'health worker at': 386968, 'worker at least': 1006468, 'at least say': 99541, 'least say thank': 484621, 'thank you when': 841845, 'when you meet': 984581, 'you meet them': 1019836, 'opeiu': 611991, 'opeiu member': 611992, 'access hardship': 28142, 'hardship benefit': 378277, 'benefit including': 127012, 'including healthcare': 432003, 'healthcare assistance': 387038, 'assistance financial': 96689, 'homeowner assistance': 402884, 'assistance via': 96758, 'below 1u': 126560, '1u opeiu': 12841, 'opeiu member can': 611993, 'member can access': 528041, 'can access hardship': 157352, 'access hardship benefit': 28143, 'hardship benefit including': 378278, 'benefit including healthcare': 127013, 'including healthcare assistance': 432004, 'healthcare assistance financial': 387039, 'assistance financial assistance': 96690, 'financial assistance and': 306328, 'assistance and homeowner': 96666, 'and homeowner assistance': 64697, 'homeowner assistance via': 402885, 'assistance via learn': 96759, 'link below 1u': 493797, 'below 1u opeiu': 126561, 'teepublic': 836582, 'for telegram': 326179, 'telegram should': 836730, 'my teepublic': 550337, 'teepublic shop': 836583, 'shop lol': 760432, 'lol if': 500915, 'made these for': 508010, 'these for telegram': 880025, 'for telegram should': 326180, 'telegram should add': 836731, 'should add them': 765479, 'them to my': 876492, 'to my teepublic': 910443, 'my teepublic shop': 550338, 'teepublic shop lol': 836584, 'shop lol if': 760433, 'lol if you': 500916, 'interested in buying': 441454, 'in buying let': 421105, 'buying let me': 150648, 'fermanagh': 303546, 'omagh': 598810, 'northernireland': 567789, 'fermanagh councillor': 303547, 'councillor report': 210047, 'report supermarket': 712284, '19 omagh': 8920, 'omagh tyrone': 598811, 'tyrone northernireland': 937687, 'northernireland uk': 567790, 'uk unitedkingdom': 938847, 'fermanagh councillor report': 303548, 'councillor report supermarket': 210048, 'report supermarket after': 712285, 'supermarket after employee': 818801, 'after employee test': 35620, 'for 19 omagh': 318710, '19 omagh tyrone': 8921, 'omagh tyrone northernireland': 598812, 'tyrone northernireland uk': 937688, 'northernireland uk unitedkingdom': 567791, 'is russian': 451600, 'economy heading': 267934, 'for perfect': 324477, 'storm last': 811813, 'week became': 975983, 'became real': 118883, 'real disaster': 701114, 'it involved': 458840, 'involved steep': 444362, 'steep surge': 799400, 'the slide': 867326, 'slide of': 773908, 'market index': 516585, 'index around': 434170, 'is russian economy': 451601, 'russian economy heading': 728631, 'economy heading for': 267935, 'heading for perfect': 385932, 'for perfect storm': 324478, 'perfect storm last': 651347, 'storm last week': 811814, 'last week became': 480635, 'week became real': 975984, 'became real disaster': 118884, 'real disaster for': 701115, 'russian economy it': 728632, 'economy it involved': 268023, 'it involved steep': 458841, 'involved steep surge': 444363, 'steep surge of': 799401, 'surge of covid': 828228, '19 in russia': 7780, 'russia the collapse': 728582, 'and the slide': 73586, 'the slide of': 867327, 'slide of market': 773909, 'of market index': 586232, 'market index around': 516586, 'index around the': 434171, 'adopting the': 32707, 'guideline while': 368506, 'happy to know': 377715, 'acting responsibly in': 29902, 'responsibly in this': 716100, 'by adopting the': 151758, 'adopting the who': 32708, 'the who covid': 871469, '19 guideline while': 7319, 'guideline while delivering': 368507, 'while delivering their': 986743, 'korean distributor': 477518, 'distributor saw': 248314, 'revenue rise': 720469, 'over 34': 629831, '34 in': 17818, 'year prior': 1014911, 'prior due': 678359, 'south korean distributor': 786758, 'korean distributor saw': 477519, 'distributor saw their': 248315, 'saw their online': 738279, 'online revenue rise': 608894, 'revenue rise over': 720470, 'rise over 34': 722972, 'over 34 in': 629832, '34 in february': 17819, 'february from year': 301720, 'from year prior': 338439, 'year prior due': 1014912, 'prior due to': 678360, 'reader write': 700711, 'write instead': 1012768, 'new beginning': 558386, 'reader write instead': 700712, 'write instead of': 1012769, 'world can this': 1009397, 'this be new': 886500, 'be new beginning': 116070, 'the elected': 854166, 'signed on': 769371, 'to letter': 909222, 'of the elected': 590977, 'the elected official': 854167, 'elected official who': 271001, 'official who signed': 595973, 'who signed on': 989624, 'signed on to': 769372, 'on to letter': 604745, 'to letter to': 909223, 'letter to crack': 487360, 'down on for': 257021, 'consumer tip check': 199295, 'tip check out': 898730, 'in wednesday': 430741, 'wednesday for': 975637, 'which dr': 985833, 'curtin veteran': 221815, 'veteran rv': 955729, 'this register': 889853, 'tune in wednesday': 935410, 'in wednesday for': 430742, 'wednesday for special': 975638, 'special webinar in': 788095, 'webinar in which': 975045, 'in which dr': 430859, 'which dr curtin': 985834, 'dr curtin veteran': 257992, 'curtin veteran rv': 221816, 'veteran rv industry': 955730, 'industry analyst discus': 435622, 'analyst discus consumer': 57122, '19 you do': 12266, 'miss this register': 534209, 'this register today': 889854, 'register today webinar': 707623, 'brewery us': 139464, 'us reserve': 948542, 'sanitizer strong': 735827, 'reef brewery us': 706436, 'brewery us reserve': 139465, 'us reserve to': 948543, 'hand sanitizer strong': 375607, 'sanitizer strong enough': 735828, 'around 900': 93171, 'yesterday but': 1015698, 'yet trip': 1016302, 'around 900 people': 93172, '900 people died': 23388, 'people died yesterday': 647659, 'died yesterday but': 241613, 'yesterday but yet': 1015699, 'but yet trip': 147971, 'yet trip to': 1016303, 'supermarket now appears': 821663, 'now appears to': 574082, 'be family day': 114800, 'day out stayhomesavelives': 228183, 'out stayhomesavelives 19': 627249, 'husband owns': 411746, 'kid walked': 474155, 'started touching': 794887, 'everything he': 287834, 'oh shopping': 596445, 'american are still': 51817, '19 seriously my': 10420, 'seriously my husband': 751673, 'my husband owns': 548788, 'husband owns retail': 411747, 'owns retail store': 632637, 'store and two': 806386, 'and two kid': 74551, 'two kid walked': 936990, 'kid walked in': 474156, 'walked in and': 964949, 'in and started': 420388, 'and started touching': 72259, 'started touching everything': 794888, 'touching everything he': 926674, 'everything he asked': 287835, 'he asked them': 384755, 'asked them where': 95851, 'them where their': 876614, 'where their parent': 985260, 'their parent were': 874246, 'parent were and': 641772, 'were and they': 979330, 'they said oh': 883244, 'said oh shopping': 731278, 'oh shopping in': 596446, 'shopping in another': 762954, 'another store they': 77874, 'store they said': 810677, 'said we could': 731563, 'we could come': 971201, 'could come here': 209031, 'come here and': 187339, 'here and hang': 392707, 'and hang out': 64166, 'hey they': 394523, 'you attorney': 1017345, 'general iowa': 345374, 'iowa store': 444509, 'watch their': 968557, 'price complaint': 673202, 'complaint mount': 191995, 'hey they re': 394524, 'they re talking': 883139, 'about you attorney': 26968, 'you attorney general': 1017346, 'attorney general iowa': 102644, 'general iowa store': 345375, 'iowa store told': 444510, 'store told to': 810895, 'told to watch': 923773, 'to watch their': 918391, 'watch their price': 968558, 'their price complaint': 874387, 'price complaint mount': 673203, 'theorizing': 877837, 'and theorizing': 73824, 'theorizing work': 877838, 'asshole raided': 96549, 'raided every': 695629, 'buying and theorizing': 149940, 'and theorizing work': 73825, 'theorizing work at': 877839, 'work at food': 1004869, 'is stressed about': 452368, 'stressed about not': 813434, 'not having toilet': 569909, 'because selfish asshole': 119535, 'selfish asshole raided': 748010, 'asshole raided every': 96550, 'raided every grocery': 695630, 'must go shopping': 546689, 'go shopping please': 354126, 'sense and do': 750487, 'not be greedy': 568392, 'back supermarket': 107295, 'sweep two': 830179, 'two couple': 936854, 'couple fighting': 211584, 'roll stayathomechallenge': 725518, 'we should bring': 973260, 'should bring back': 765797, 'bring back supermarket': 139932, 'back supermarket sweep': 107296, 'supermarket sweep two': 823112, 'sweep two couple': 830180, 'two couple fighting': 936855, 'couple fighting for': 211585, 'fighting for the': 305082, 'toilet roll stayathomechallenge': 921605, 'say corona': 738537, 'virus there': 958895, 'other business men': 619914, 'and woman should': 75809, 'woman should also': 1003608, 'also be allowed': 47913, 'to sell out': 914167, 'sell out what': 748844, 'have to enable': 383202, 'to enable them': 905045, 'enable them buy': 275440, 'them buy and': 875506, 'buy and stock': 148333, 'food for consumption': 314523, 'for consumption in': 320308, 'consumption in this': 199895, '19 or so': 9027, 'or so to': 617132, 'so to say': 778543, 'to say corona': 913816, 'say corona virus': 738538, 'corona virus there': 204362, 'virus there is': 958896, 'is need for': 449856, 'need for kaduna': 554849, 'and to review': 74196, 'couldn he': 209898, 'he make': 385213, 'am instead': 50150, 'pm would': 662025, 'panic visit': 638752, 'genuine question why': 345872, 'question why couldn': 693808, 'why couldn he': 990901, 'couldn he make': 209899, 'he make this': 385214, 'make this announcement': 510632, 'this announcement at': 886367, 'announcement at am': 77134, 'at am instead': 97935, 'am instead of': 50151, 'instead of pm': 440302, 'of pm would': 588187, 'pm would ve': 662026, 'would ve avoided': 1012366, 've avoided panic': 952855, 'avoided panic visit': 105423, 'panic visit to': 638753, 'completely tax': 192361, 'pay especially': 644850, 're unlikely': 699748, 'big raise': 129951, 'driver and hospital': 259416, 'hospital staff should': 404644, 'should be completely': 765588, 'be completely tax': 114171, 'completely tax exempt': 192362, 'tax exempt for': 834979, 'exempt for this': 289968, 'for this year': 327091, 'this year that': 891596, 'year that the': 1014994, 'that the least': 846760, 'the least that': 859257, 'least that can': 484644, 'done to increase': 255071, 'increase their take': 433123, 'their take home': 874943, 'take home pay': 832207, 'home pay especially': 401825, 'pay especially since': 644851, 'especially since they': 280600, 'they re unlikely': 883148, 're unlikely to': 699749, 'to see big': 913988, 'see big raise': 744965, 'own wa': 632294, 'piece discussing': 656291, 'own wa quoted': 632295, 'this piece discussing': 889588, 'piece discussing the': 656292, 'discussing the unprecedented': 245009, 'unprecedented demand on': 943122, 'realtor expected': 702779, 'dampen california': 225490, 'all cash': 42313, 'cash offer': 166284, 'realtor expected to': 702780, 'expected to dampen': 290970, 'to dampen california': 903904, 'dampen california home': 225491, 'price and all': 672360, 'and all cash': 57858, 'all cash offer': 42314, 'dbdoodle': 228917, 'dbdoodle hey': 228918, 'dbdoodle hey ya': 228919, 'mask essential': 518609, 'essential isolation': 281181, 'isolation love': 455339, 'how most of': 408332, 'the crisis stock': 852451, 'crisis stock up': 218093, 'up food medicine': 944890, 'food medicine mask': 315444, 'medicine mask essential': 526836, 'mask essential isolation': 518610, 'essential isolation love': 281182, 'isolation love care': 455340, '384': 18148, 'notoiletpaper who': 573601, 'got cabinfever': 358460, 'cabinfever usa': 155010, 'usa 30': 948567, 'case 384': 165591, '384 death': 18149, 'now cnn': 574409, 'cnn news': 184768, 'news stayhome': 560818, 'socialdistancing chill': 780279, 'chill chicago': 176345, 'notoiletpaper who got': 573602, 'who got cabinfever': 988807, 'got cabinfever usa': 358461, 'cabinfever usa 30': 155011, 'usa 30 00': 948568, '00 case 384': 106, 'case 384 death': 165592, '384 death now': 18150, 'death now cnn': 230137, 'now cnn news': 574410, 'cnn news stayhome': 184769, 'news stayhome toiletpaper': 560819, 'stayhome toiletpaper socialdistancing': 798213, 'toiletpaper socialdistancing chill': 922492, 'socialdistancing chill chicago': 780280, 'chill chicago illinois': 176346, 'toronto practiced': 925977, 'spread end': 790520, 'in toronto practiced': 430211, 'toronto practiced social': 925978, 'the spread end': 867626, 'governor andy': 360862, 'cameron issued': 157140, 'governor andy beshear': 360863, 'daniel cameron issued': 225818, 'cameron issued scam': 157141, 'jamecia': 464386, 'swat': 830011, 'sanitizer shutting': 735739, 'that weak': 847409, 'weak stuff': 974042, 'of jamecia': 585504, 'jamecia is': 464387, 'house swat': 406590, 'at my hand': 99815, 'hand sanitizer shutting': 375589, 'sanitizer shutting down': 735740, 'shutting down you': 768282, 'down you better': 257521, 'better get that': 128302, 'get that weak': 348216, 'that weak stuff': 847410, 'weak stuff out': 974043, 'stuff out of': 815171, 'out of jamecia': 626768, 'of jamecia is': 585505, 'jamecia is house': 464388, 'is house swat': 448565, 'do democrat': 249221, 'inoculate all': 438947, 'save nation': 737597, 'nation while': 552383, 'while senate': 987244, 'republican will': 713075, 'will steer': 994966, 'steer production': 799430, 'their investor': 873682, 'investor company': 444135, 'their vaccine': 875111, 'vaccine mark': 951732, 'country will find': 211248, 'will find vaccine': 993445, 'find vaccine for': 307369, 'they do democrat': 881959, 'do democrat will': 249222, 'democrat will want': 236754, 'want to inoculate': 966056, 'to inoculate all': 908402, 'inoculate all for': 438948, 'free and save': 331650, 'and save nation': 70956, 'save nation while': 737598, 'nation while senate': 552384, 'while senate republican': 987245, 'senate republican will': 749726, 'republican will steer': 713076, 'will steer production': 994967, 'steer production to': 799431, 'production to their': 682255, 'to their investor': 917244, 'their investor company': 873683, 'investor company and': 444136, 'company and raise': 190389, 'on their vaccine': 604520, 'their vaccine mark': 875112, 'vaccine mark my': 951733, 'herby': 392592, 'bloody love': 133213, 'love jamie': 504717, 'oliver keep': 598751, 'can substitute': 159840, 'substitute ingredient': 816090, 'cupboard made': 220479, 'his aubergine': 397216, 'aubergine curry': 102810, 'curry dal': 221737, 'dal with': 225094, 'with herby': 998786, 'herby flatbread': 392593, 'flatbread tonight': 310108, 'bloody love jamie': 133214, 'love jamie oliver': 504718, 'jamie oliver keep': 464425, 'oliver keep cooking': 598752, 'carry on because': 165116, 'on because he': 599603, 'because he say': 119118, 'he say you': 385405, 'say you can': 739514, 'you can substitute': 1017800, 'can substitute ingredient': 159841, 'substitute ingredient for': 816091, 'ingredient for one': 438367, 'for one you': 324097, 'one you do': 607540, 'do have in': 249372, 'the cupboard made': 852577, 'cupboard made his': 220480, 'made his aubergine': 507778, 'his aubergine curry': 397217, 'aubergine curry dal': 102811, 'curry dal with': 221738, 'dal with herby': 225095, 'with herby flatbread': 998787, 'herby flatbread tonight': 392594, 'another recession': 77796, 'are bay': 84792, 'area housing': 92059, 'dip bayarea': 243171, 'bayarea california': 112981, 'we re heading': 972892, 'heading to another': 385957, 'to another recession': 900574, 'another recession are': 77797, 'recession are bay': 704211, 'are bay area': 84793, 'bay area housing': 112914, 'area housing price': 92060, 'housing price going': 407134, 'going to dip': 355571, 'to dip bayarea': 904315, 'dip bayarea california': 243172, 'demonisation': 236822, 'stereotyping': 799835, 'backpacker': 107578, 'of demonisation': 582522, 'demonisation stereotyping': 236823, 'stereotyping of': 799836, 'foreign threat': 329013, 'threat from': 893665, 'from minister': 336440, 'minister now': 533416, 'now leadership': 575186, 'leadership is': 483621, 'tackling crisis': 831644, 'for remark': 325103, 'remark that': 710108, 'that backpacker': 842916, 'backpacker should': 107579, 'how very': 409139, 'type of demonisation': 937552, 'of demonisation stereotyping': 582523, 'demonisation stereotyping of': 236824, 'stereotyping of foreign': 799837, 'of foreign threat': 583872, 'foreign threat from': 329014, 'threat from minister': 893666, 'from minister now': 336441, 'minister now leadership': 533417, 'now leadership is': 575187, 'leadership is not': 483623, 'is not helpful': 450103, 'not helpful for': 569938, 'helpful for tackling': 391180, 'for tackling crisis': 326117, 'tackling crisis for': 831645, 'crisis for remark': 217393, 'for remark that': 325104, 'remark that backpacker': 710109, 'that backpacker should': 842917, 'backpacker should just': 107580, 'go home then': 353674, 'home then how': 402253, 'then how very': 877254, 'how very few': 409140, 'very few option': 955162, 'nj division': 563428, 'affair if': 34053, 'scammer or': 740608, 'it 973': 456230, '6240 19': 21251, 'nj division of': 563429, 'consumer affair if': 196093, 'affair if you': 34054, 'receive call from': 703452, 'call from scammer': 155909, 'from scammer or': 337178, 'scammer or suspect': 740609, 'gouging please report': 359429, 'report it 973': 712059, 'it 973 504': 456231, '504 6240 19': 20130, 'derisked': 237863, 'been derisked': 120955, 'derisked discus': 237864, 'supermarket industry ha': 821026, 'industry ha just': 435864, 'ha just been': 371046, 'just been derisked': 468300, 'been derisked discus': 120956, 'price meme': 675225, 'only good to': 610534, 'good to come': 357872, 'pandemic is the': 635799, 'is the low': 452854, 'the low fuel': 859774, 'fuel price meme': 340241, 'gotcha': 359047, 'haveyoursay instead': 383951, 'trying for': 934707, 'for gotcha': 321953, 'gotcha with': 359048, 'government why': 360804, 'some story': 783962, 'produce stuff': 680438, 'the modelling': 860722, 'affect is': 34171, 'done look': 254928, 'completely refill': 192338, 'haveyoursay instead of': 383952, 'of trying for': 592489, 'trying for gotcha': 934708, 'for gotcha with': 321954, 'gotcha with the': 359049, 'the government why': 856628, 'government why not': 360805, 'why not do': 991217, 'not do some': 569067, 'do some story': 250133, 'some story on': 783963, 'story on company': 812083, 'on company that': 599993, 'out to produce': 627672, 'to produce stuff': 912208, 'produce stuff for': 680439, 'or how the': 615694, 'how the modelling': 408850, 'the modelling of': 860723, '19 affect is': 4833, 'affect is done': 34172, 'is done look': 447322, 'done look at': 254929, 'at the effort': 100933, 'effort to completely': 269614, 'to completely refill': 903147, 'news lately': 560577, 'lately how': 480959, 'are crowded': 85636, 'crowded with': 219376, 'food went': 317547, 'kroger yesterday': 477784, 'there here': 878475, 'why haha': 991039, 'haha coronacrisis': 373894, 'been seeing in': 121892, 'the news lately': 861616, 'news lately how': 560578, 'lately how supermarket': 480960, 'supermarket are crowded': 819151, 'are crowded with': 85637, 'crowded with people': 219377, 'stock up some': 803116, 'up some food': 946031, 'some food went': 782880, 'food went to': 317548, 'to kroger yesterday': 909015, 'kroger yesterday and': 477785, 'wa not lot': 962767, 'in there here': 429814, 'there here is': 878476, 'is why haha': 453962, 'why haha coronacrisis': 991040, 'haha coronacrisis stayathome': 373895, 'usual variety': 951054, 'variety the': 952574, 'shifting due': 758531, 'flour ironically': 311125, 'ironically farmer': 444945, 'eat they just': 266079, 'they just may': 882500, 'just may not': 469233, 'have the usual': 383040, 'the usual variety': 870595, 'usual variety the': 951055, 'variety the is': 952575, 'is shifting due': 451851, 'shifting due to': 758532, 'see shortage of': 745679, 'shortage of pork': 765129, 'of pork and': 588240, 'pork and consumer': 664785, 'and consumer panic': 60413, 'buying of egg': 150790, 'and flour ironically': 62988, 'flour ironically farmer': 311126, 'ironically farmer are': 444946, 'together gapol': 920803, 'the rest for': 865633, 'rest for your': 716161, 'your neighbor we': 1024962, 'neighbor we are': 557085, 'this together gapol': 890766, 'dropped 12': 260499, '12 this': 2963, 'daily drop': 224584, 'drop wa': 260444, 'swift virtually': 830320, 'virtually setting': 957848, 'setting new': 753639, 'record each': 704953, 'largest single': 480021, 'day decline': 227510, 'decline more': 231376, 'from economist': 335257, 'confidence dropped 12': 193849, 'dropped 12 this': 260500, '12 this week': 2964, 'this week now': 891239, 'week now at': 976587, 'now at it': 574133, 'point in more': 662521, 'two year the': 937412, 'year the daily': 1014999, 'the daily drop': 852776, 'daily drop wa': 224585, 'drop wa swift': 260445, 'wa swift virtually': 963384, 'swift virtually setting': 830321, 'virtually setting new': 957849, 'setting new record': 753640, 'new record each': 559416, 'record each day': 704954, 'each day this': 264052, 'the largest single': 858978, 'largest single day': 480022, 'single day decline': 771278, 'day decline more': 227511, 'decline more from': 231377, 'more from economist': 539300, 'attracts': 102732, 'that specializes': 846431, 'in gourmet': 423385, 'gourmet international': 359513, 'it attracts': 456636, 'attracts wealthy': 102733, 'spend 200': 788558, '200 on': 13519, 'on cheese': 599897, 'cheese tray': 175219, 'tray more': 930734, 'them ha': 875809, 'ha referred': 371689, 'referred the': 706526, 'fake democrat': 296605, 'democrat virus': 236749, 'store that specializes': 810574, 'that specializes in': 846432, 'specializes in gourmet': 788133, 'in gourmet international': 423386, 'gourmet international food': 359514, 'international food which': 441808, 'food which mean': 317589, 'which mean that': 986148, 'mean that it': 524682, 'that it attracts': 844692, 'it attracts wealthy': 456637, 'attracts wealthy people': 102734, 'wealthy people who': 974220, 'people who ll': 650314, 'who ll spend': 989227, 'll spend 200': 497021, 'spend 200 on': 788559, '200 on cheese': 13520, 'on cheese tray': 599898, 'cheese tray more': 175220, 'tray more than': 930735, 'of them ha': 591743, 'them ha referred': 875810, 'ha referred the': 371690, 'referred the covid': 706527, 'pandemic the fake': 636675, 'the fake democrat': 854860, 'fake democrat virus': 296606, 'wholesaler acting': 990505, 'but unscrupulous': 147667, 'unscrupulous one': 943450, 'misery in': 534010, 'isn only': 454609, 'only wrong': 611499, 'but forcing': 145759, 'forcing vulnerable': 328750, 'people further': 648022, 'poverty bear': 667486, 'mind your': 532791, 'long memory': 501526, 'retailer and wholesaler': 718977, 'and wholesaler acting': 75613, 'wholesaler acting responsibly': 990506, 'acting responsibly but': 29900, 'responsibly but unscrupulous': 716086, 'but unscrupulous one': 147668, 'unscrupulous one taking': 943451, 'one taking advantage': 607157, 'advantage of other': 33020, 'other people misery': 620677, 'people misery in': 648777, 'misery in crisis': 534011, 'in crisis by': 421876, 'crisis by hiking': 217172, 'hiking price this': 396408, 'price this isn': 676913, 'this isn only': 888489, 'isn only wrong': 454610, 'only wrong but': 611500, 'wrong but forcing': 1013006, 'but forcing vulnerable': 145760, 'forcing vulnerable people': 328751, 'vulnerable people further': 961091, 'people further into': 648023, 'into poverty bear': 442883, 'poverty bear in': 667487, 'in mind your': 425351, 'mind your customer': 532792, 'your customer have': 1023413, 'customer have long': 222440, 'have long memory': 381369, 'regressive': 707697, 'inelastic': 436313, 'one counter': 606123, 'counter regressive': 210251, 'regressive benefit': 707698, 'which at': 985703, 'least giver': 484487, 'giver poorer': 351215, 'poorer american': 664342, 'american some': 52202, 'some breathing': 782432, 'breathing room': 139245, 'room on': 725944, 'on inelastic': 601566, 'inelastic cost': 436314, 'cost trump': 208147, 'did his': 240645, 'pull that': 688879, 'from under': 338177, 'under them': 940344, 'the one counter': 862197, 'one counter regressive': 606124, 'counter regressive benefit': 210252, 'regressive benefit of': 707699, 'collapse in gas': 186015, 'gas price which': 344055, 'price which at': 677506, 'which at least': 985704, 'at least giver': 99499, 'least giver poorer': 484488, 'giver poorer american': 351216, 'poorer american some': 664343, 'american some breathing': 52203, 'some breathing room': 782433, 'breathing room on': 139246, 'room on inelastic': 725945, 'on inelastic cost': 601567, 'inelastic cost trump': 436315, 'cost trump did': 208148, 'trump did his': 933512, 'did his best': 240646, 'his best to': 397243, 'best to pull': 127959, 'to pull that': 912496, 'pull that out': 688880, 'that out from': 845605, 'out from under': 626198, 'from under them': 338178, 'under them today': 940345, 'them today well': 876536, 'stagnant amid 19': 793270, 'baluchestan': 109131, 'western baluchestan': 980590, 'baluchestan have': 109132, 'have innovated': 381089, 'innovated their': 438840, 'sanction kid': 733630, 'kid of western': 474062, 'of western baluchestan': 593037, 'western baluchestan have': 980591, 'baluchestan have innovated': 109133, 'have innovated their': 381090, 'innovated their own': 438841, 'own mask the': 632095, 'mask the price': 519358, 'to sanction kid': 913748, 'sanction kid of': 733631, 'kid of eastern': 474060, 'taiwan supermarket': 831843, 'chain limit': 170897, 'limit toilet': 492541, 'purchase panicbuying': 689618, 'taiwan supermarket chain': 831844, 'supermarket chain limit': 819620, 'chain limit toilet': 170898, 'limit toilet paper': 492542, 'paper purchase panicbuying': 640638, 'biggest airline': 130184, 'airline spent': 40028, 'decade to': 230700, 'back share': 107265, 'investor now': 444185, 'the biggest airline': 849640, 'biggest airline spent': 130185, 'airline spent 96': 40029, '96 of free': 23661, 'of free cash': 583911, 'last decade to': 480189, 'decade to buy': 230701, 'to buy back': 902185, 'buy back share': 148394, 'back share of': 107266, 'share of their': 755122, 'own stock in': 632234, 'stock in order': 802269, 'wealthy investor now': 974212, 'investor now they': 444186, 'now they expect': 576107, 'they expect taxpayer': 882069, 'amp conduct': 53549, 'home amp conduct': 400603, 'amp conduct more': 53550, 'amp food amp': 53818, 'food amp keep': 313139, 'amp keep more': 54045, 'poorly and': 664377, 'barely earn': 111009, 'earn salary': 264809, 'stockpile hop': 803757, 'publish people': 688637, 'situation very poorly': 772555, 'very poorly and': 955422, 'poorly and no': 664378, 'who barely earn': 988297, 'barely earn salary': 111010, 'earn salary are': 264810, 'salary are forced': 731948, 'forced to stockpile': 328659, 'to stockpile hop': 915473, 'stockpile hop getting': 803758, 'exposure to publish': 293013, 'to publish people': 912487, 'publish people magazine': 688638, 'adult dance': 32814, 'dance their': 225581, 'of rite': 589129, 'aid with': 39482, 'roll la': 725369, 'just saw two': 469695, 'saw two adult': 738310, 'two adult dance': 936771, 'adult dance their': 32815, 'dance their way': 225582, 'their way way': 875160, 'way way out': 970162, 'out of rite': 626820, 'of rite aid': 589130, 'rite aid with': 724148, 'aid with toiletpaper': 39483, 'with toiletpaper roll': 1001808, 'toiletpaper roll la': 922417, 'moy': 544225, 'following marked': 312787, 'marked increase': 515856, 'subsequent demand': 815925, 'for poultry': 324658, 'poultry produce': 667338, 'produce due': 680246, '19 moy': 8699, 'moy park': 544226, 'ha listed': 371158, 'listed hundred': 494621, 'it site': 461077, 'across northern': 29412, 'and gb': 63498, 'gb the': 344790, 'following marked increase': 312788, 'marked increase in': 515857, 'increase in grocery': 432837, 'in grocery retail': 423439, 'retail and subsequent': 717838, 'and subsequent demand': 72640, 'subsequent demand for': 815926, 'demand for poultry': 235478, 'for poultry produce': 324659, 'poultry produce due': 667339, 'produce due to': 680247, 'covid 19 moy': 213451, '19 moy park': 8700, 'moy park ha': 544227, 'park ha listed': 641922, 'ha listed hundred': 371159, 'listed hundred of': 494622, 'hundred of temporary': 411013, 'of temporary job': 590659, 'temporary job opportunity': 837651, 'job opportunity at': 466060, 'opportunity at it': 613592, 'at it site': 99336, 'it site across': 461078, 'site across northern': 771860, 'across northern ireland': 29413, 'northern ireland and': 567758, 'ireland and gb': 444812, 'and gb the': 63499, 'socialdistanacing my': 780078, 'my mood': 549307, 'mood after': 538263, 'socialdistanacing my mood': 780079, 'my mood after': 549308, 'mood after going': 538264, 'avivian': 104980, '19 wild': 12073, 'wild tel': 992085, 'tel avivian': 836628, 'avivian real': 104981, 'estate rental': 282191, 'market became': 516090, 'became bit': 118859, 'le wild': 483246, 'wild with': 992090, '20 personal': 13262, 'personal observation': 652927, 'covid 19 wild': 214076, '19 wild tel': 12074, 'wild tel avivian': 992086, 'tel avivian real': 836629, 'avivian real estate': 104982, 'real estate rental': 701162, 'estate rental market': 282192, 'rental market became': 711240, 'market became bit': 516091, 'became bit le': 118860, 'bit le wild': 131600, 'le wild with': 483247, 'wild with price': 992091, 'with price go': 1000304, 'go down 20': 353483, 'down 20 personal': 256388, '20 personal observation': 13263, 'of wanna': 592898, 'full of wanna': 340767, 'of wanna be': 592899, 'relianceindustries': 709246, 'relianceindustries ha': 709247, 'initiated work': 438593, 'staff while': 793081, 'open consumer': 612162, 'hospital retail': 404588, 'telecom with': 836699, 'minimum workforce': 533256, 'relianceindustries ha initiated': 709248, 'ha initiated work': 370975, 'initiated work from': 438594, 'home for it': 401233, 'for it staff': 322736, 'it staff while': 461217, 'staff while keeping': 793082, 'while keeping open': 986990, 'keeping open consumer': 472494, 'open consumer facing': 612163, 'facing business of': 295415, 'business of hospital': 144121, 'of hospital retail': 584766, 'hospital retail store': 404589, 'store and telecom': 806366, 'and telecom with': 73082, 'telecom with minimum': 836700, 'with minimum workforce': 999519, 'vegetable vendor and': 954121, 'store owner today': 809441, 'rarest': 697121, 'the rarest': 865159, 'rarest shiny': 697122, 'shiny ever': 758641, 'found the rarest': 330415, 'the rarest shiny': 865160, 'rarest shiny ever': 697123, 'increasingly exciting': 433772, 'exciting today': 289609, 'cool sighting': 203040, 'sighting quarantinelife': 769072, 'day is becoming': 227834, 'becoming increasingly exciting': 120306, 'increasingly exciting today': 433773, 'exciting today found': 289610, 'wa cool sighting': 961876, 'cool sighting quarantinelife': 203041, 'srilanka tea': 791618, 'tea price': 835372, 'amid rupee': 52636, 'rupee fall': 728184, 'fall tight': 297082, 'auction lka': 102856, 'srilanka tea price': 791619, 'tea price soar': 835373, 'price soar amid': 676523, 'soar amid rupee': 779224, 'amid rupee fall': 52637, 'rupee fall tight': 728185, 'fall tight supply': 297083, 'tight supply at': 895845, 'supply at auction': 824810, 'at auction lka': 98072, 'left before': 485416, 'before curfew': 122726, 'rising overnight': 723255, 'overnight people': 631352, 'concerned and': 193182, 'government performance': 360458, 'all entrance': 42693, 'entrance mosul2020': 278885, 'there an hour': 877990, 'hour left before': 405737, 'left before curfew': 485417, 'before curfew spent': 122727, 'an hour outside': 56096, 'hour outside food': 405840, 'outside food price': 629427, 'are rising overnight': 89717, 'rising overnight people': 723256, 'overnight people are': 631353, 'people are extremely': 646968, 'are extremely concerned': 86393, 'extremely concerned and': 293863, 'concerned and upset': 193183, 'and upset about': 74749, 'the government performance': 856580, 'government performance in': 360459, 'performance in time': 651445, 'city and close': 179046, 'and close all': 59998, 'close all entrance': 182501, 'all entrance mosul2020': 42694, 'had and': 372846, 'sanitizer antibacterial': 734470, 'stop are': 804457, 'are body': 85007, 'body ability': 133817, 'should know this': 766182, 'know this the': 476897, 'virus is something': 958402, 'you ve always': 1022024, 've always had': 952836, 'always had and': 49595, 'had and now': 372847, 'now with using': 576458, 'with using all': 1001939, 'using all the': 950378, 'hand sanitizer antibacterial': 375304, 'sanitizer antibacterial soap': 734471, 'antibacterial soap and': 78377, 'soap and mask': 778918, 'and mask we': 66770, 'mask we have': 519511, 'we have stop': 971952, 'have stop are': 382779, 'stop are body': 804458, 'are body ability': 85008, 'body ability to': 133818, 'ability to fight': 24392, 'fight against it': 304628, 'unc': 939546, 'unc health': 939547, 'health wakemed': 386934, 'wakemed seek': 964644, 'seek donation': 746575, 'sanitizer covid': 734711, 'unc health wakemed': 939548, 'health wakemed seek': 386935, 'wakemed seek donation': 964645, 'seek donation of': 746576, 'donation of mask': 254650, 'mask sanitizer covid': 519219, 'sanitizer covid 19': 734712, 'rise in north': 722892, 'icasa': 412629, 'recentlu': 704035, 'heared': 388179, 'what icasa': 981617, 'icasa role': 412630, 'is same': 451640, 'commission only': 188870, 'only recentlu': 611062, 'recentlu heared': 704036, 'heared competition': 388180, 'commission name': 188862, 'name being': 551616, 'being mentioned': 125426, 'mentioned on': 528838, 'hiked since': 396339, 'know what icasa': 476959, 'what icasa role': 981618, 'icasa role is': 412631, 'role is same': 725109, 'is same to': 451641, 'same to competition': 733382, 'to competition commission': 903125, 'competition commission only': 191688, 'commission only recentlu': 188871, 'only recentlu heared': 611063, 'recentlu heared competition': 704037, 'heared competition commission': 388181, 'competition commission name': 191687, 'commission name being': 188863, 'name being mentioned': 551617, 'being mentioned on': 125427, 'mentioned on news': 528839, 'on news via': 602394, 'news via covid': 560939, '19 price hike': 9812, 'hike but price': 396199, 'but price have': 146843, 'been hiked since': 121291, 'hiked since day': 396340, 'since day in': 770559, 'day11oflockdow': 228843, 'special it': 787977, 'been harmless': 121259, 'harmless to': 378472, 'maintain normal': 508999, 'thus encourage': 895506, 'anti lockdown': 78311, 'lockdown strategy': 499969, 'strategy stayathome': 812713, 'stayathome day11oflockdow': 797470, 'and we expect': 75293, 'we expect people': 971497, 'people to adhere': 649871, 'adhere to lockdown': 32212, 'to lockdown regulation': 909403, 'lockdown regulation with': 499852, 'regulation with these': 708135, 'with these special': 1001658, 'these special it': 880712, 'special it could': 787978, 'have been harmless': 379568, 'been harmless to': 121260, 'harmless to maintain': 378473, 'to maintain normal': 909583, 'maintain normal price': 509000, 'normal price and': 567267, 'price and thus': 672566, 'and thus encourage': 74109, 'thus encourage people': 895507, 'home is this': 401461, 'this an anti': 886317, 'an anti lockdown': 55330, 'anti lockdown strategy': 78312, 'lockdown strategy stayathome': 499970, 'strategy stayathome day11oflockdow': 812714, 'be twat': 117840, 'twat like': 936263, 'many idiot': 514152, 'me outside': 523310, 'outside today': 629624, 'don be twat': 253374, 'be twat like': 117841, 'twat like me': 936264, 'me and go': 522410, 'to supermarket too': 915853, 'too many idiot': 924889, 'many idiot like': 514153, 'idiot like me': 413546, 'like me outside': 490752, 'me outside today': 523311, 'outside today stayhomesavelives': 629625, 'to manager': 909806, 'sainsbury they': 731732, 'arrive for': 93914, 'spoke to manager': 789730, 'to manager at': 909807, 'manager at sainsbury': 512688, 'at sainsbury they': 100446, 'sainsbury they said': 731733, 'are restocking shelf': 89648, 'soon item arrive': 785760, 'item arrive for': 463114, 'arrive for the': 93915, 'day there is': 228509, 'buying is the': 150583, 'own benefit': 631898, 'their own benefit': 874162, 'own benefit we': 631899, 'benefit we have': 127133, 'have the information': 382996, 'know bar': 476287, 'open oh': 612405, '19 leadership': 8288, 'leadership we': 483670, 'need leadership': 555147, 'leadership the': 483660, 'market reflect': 516968, 'reflect consumer': 706602, 'confidence your': 193993, 'hurting everyone': 411638, 'you know bar': 1019489, 'know bar and': 476288, 'are open oh': 88794, 'open oh and': 612406, 'oh and by': 596351, 'virus is called': 958366, 'covid 19 leadership': 213341, '19 leadership we': 8289, 'leadership we need': 483671, 'we need leadership': 972503, 'need leadership the': 555148, 'leadership the stock': 483661, 'stock market reflect': 802430, 'market reflect consumer': 516969, 'reflect consumer confidence': 706603, 'consumer confidence your': 196935, 'confidence your lack': 193994, 'of leadership is': 585754, 'leadership is hurting': 483622, 'is hurting everyone': 448638, 'rfr': 720865, 'instacool': 439935, 'instafam': 439938, 'walmart walmart': 965458, 'walmart nofood': 965374, 'stophoarding rfr': 805454, 'rfr picoftheday': 720866, 'picoftheday instacool': 656088, 'instacool igers': 439936, 'igers instafam': 415710, 'instafam pandemic': 439939, 'plenty of empty': 660947, 'shelf at walmart': 756858, 'at walmart walmart': 101481, 'walmart walmart nofood': 965459, 'walmart nofood stophoarding': 965375, 'nofood stophoarding rfr': 566179, 'stophoarding rfr picoftheday': 805455, 'rfr picoftheday instacool': 720867, 'picoftheday instacool igers': 656089, 'instacool igers instafam': 439937, 'igers instafam pandemic': 415711, 'dining is': 243018, 'getting slammed': 349284, '19 foodservices': 7055, 'fine dining is': 307626, 'dining is getting': 243019, 'is getting slammed': 448043, 'getting slammed by': 349285, 'slammed by covid': 773498, 'covid 19 foodservices': 213111, 'owner out': 632535, 'with essentialgoods': 998259, 'essentialgoods and': 281892, 'their kind': 873765, 'kind service': 474972, 'india indiafightscoronavirus': 434469, 'indiafightscoronavirus stayhome': 434747, 'tribute to all': 931686, 'store owner out': 809435, 'owner out there': 632536, 'are providing with': 89327, 'providing with essentialgoods': 687143, 'with essentialgoods and': 998260, 'essentialgoods and their': 281893, 'and their kind': 73697, 'their kind service': 873766, 'kind service during': 474973, 'service during lockdown': 752315, 'during lockdown in': 262766, 'in india indiafightscoronavirus': 424041, 'india indiafightscoronavirus stayhome': 434470, 'neighbourhood and': 557266, 'were both': 979385, 'both full': 135909, 'virus longer': 958469, 'just passed by': 469437, 'passed by restaurant': 643256, 'by restaurant and': 153790, 'restaurant and coffee': 716279, 'and coffee shop': 60054, 'coffee shop on': 185535, 'shop on my': 760546, 'my neighbourhood and': 549446, 'neighbourhood and they': 557267, 'they were both': 883754, 'were both full': 979386, 'both full if': 135910, 'if people doesn': 414616, 'people doesn start': 647688, 'doesn start to': 251951, 'start to take': 794598, 'this seriously we': 890046, 'gonna be trying': 356485, 'this virus longer': 891016, 'virus longer than': 958470, 'after major': 35895, 'major producer': 509429, 'producer finally': 680622, 'finally agreed': 305936, 'agreed their': 38731, 'ever output': 285443, 'cut oiler': 223453, 'oiler oilprices': 597571, 'oilprices opec': 597681, 'plus opec': 661649, 'than barrel on': 840381, 'monday after major': 536230, 'after major producer': 35896, 'major producer finally': 509430, 'producer finally agreed': 680623, 'finally agreed their': 305937, 'agreed their biggest': 38732, 'their biggest ever': 872611, 'biggest ever output': 130229, 'ever output cut': 285444, 'output cut oiler': 629257, 'cut oiler oilprices': 223454, 'oiler oilprices opec': 597572, 'oilprices opec plus': 597682, 'opec plus opec': 611941, 'bham': 129333, 'livepd': 496218, 'livepdnation': 496221, 'livewell': 496297, 'safeshifts4all': 730416, 'found hilton': 330241, 'hilton in': 396513, 'in bham': 420814, 'bham for': 129334, '30 night': 17133, 'night check': 562974, 'check those': 174679, 'those hotel': 892069, 'price le': 675026, 'le livepd': 483014, 'livepd livepdnation': 496219, 'livepdnation livewell': 496222, 'livewell bekind': 496298, 'bekind safeshifts4all': 126109, 'found hilton in': 330242, 'hilton in bham': 396514, 'in bham for': 420815, 'bham for 30': 129335, 'for 30 night': 318804, '30 night check': 17134, 'night check those': 562975, 'check those hotel': 174680, 'those hotel price': 892070, 'hotel price le': 405178, 'price le livepd': 675027, 'le livepd livepdnation': 483015, 'livepd livepdnation livewell': 496220, 'livepdnation livewell bekind': 496223, 'livewell bekind safeshifts4all': 496299, 'gambian': 343094, 'pandemi': 634738, 'authority assure': 103692, 'assure gambian': 97080, 'gambian of': 343095, 'of enough': 583123, 'stock amid': 801790, '19 pandemi': 9244, 'authority assure gambian': 103693, 'assure gambian of': 97081, 'gambian of enough': 343096, 'of enough food': 583124, 'food stock amid': 316776, 'stock amid covid': 801791, 'covid 19 pandemi': 213549, 'with watching': 1002030, 'watching consumer': 968719, 'video on point': 956843, 'point with watching': 662719, 'with watching consumer': 1002031, 'watching consumer change': 968720, 'consumer change consumer': 196777, 'change consumer retail': 171986, 'consumer retail housewares': 198796, 'had m4a': 373274, 'm4a and': 507226, 'and negotiated': 67503, 'negotiated drug': 556922, '19 wouldn': 12220, 'we had m4a': 971712, 'had m4a and': 373275, 'm4a and negotiated': 507227, 'and negotiated drug': 67504, 'negotiated drug price': 556923, 'drug price covid': 261040, 'covid 19 wouldn': 214094, '19 wouldn be': 12221, 'wouldn be this': 1012448, 'be this bad': 117700, 'central who': 169449, 'not just at': 570213, 'manchester central who': 512937, 'central who are': 169450, 'khan unveils': 473715, 'unveils stimulus': 944034, 'package designed': 633254, 'aid economy': 39379, 'including reduced': 432125, 'price deferred': 673412, 'deferred utility': 232201, 'the impoverished': 857991, 'imran khan unveils': 419646, 'khan unveils stimulus': 473716, 'unveils stimulus package': 944035, 'stimulus package designed': 801578, 'package designed to': 633255, 'designed to aid': 238349, 'to aid economy': 900192, 'aid economy reeling': 39380, 'reeling from lockdown': 706447, 'from lockdown including': 336261, 'lockdown including reduced': 499522, 'including reduced fuel': 432126, 'fuel price deferred': 340224, 'price deferred utility': 673413, 'deferred utility payment': 232202, 'utility payment for': 951302, 'for the impoverished': 326494, 'our physical': 624340, 'location may': 498933, 'still keep': 800767, 'keep cozy': 471434, 'cozy at': 214558, 'online save': 608933, 'save an': 737472, '20 regular': 13298, 'regular and': 707730, 'sale priced': 732471, 'priced designer': 677729, 'designer linen': 238386, 'linen shop': 493646, 'our physical location': 624341, 'physical location may': 655432, 'location may be': 498934, 'can still keep': 159780, 'still keep cozy': 800768, 'keep cozy at': 471435, 'cozy at home': 214559, 'home by shopping': 400860, 'shopping online save': 763477, 'online save an': 608934, 'save an extra': 737473, 'extra 20 regular': 293433, '20 regular and': 13299, 'regular and sale': 707731, 'and sale priced': 70793, 'sale priced designer': 732472, 'priced designer linen': 677730, 'designer linen shop': 238387, 'linen shop online': 493647, 'front waiting': 338680, 'get checked': 346765, 'your busiest': 1023042, 'only register': 611066, 'register open': 707591, 'it not social': 459921, 'whole store is': 990336, 'store is standing': 808530, 'is standing up': 452224, 'standing up front': 793832, 'up front waiting': 944999, 'front waiting to': 338681, 'to get checked': 906437, 'get checked out': 346766, 'checked out in': 174766, 'out in one': 626390, 'of your busiest': 593447, 'your busiest store': 1023043, 'busiest store with': 143189, 'store with only': 811394, 'with only register': 999914, 'only register open': 611067, 'register open grocery': 707592, 'pub tonight': 687789, 'tonight great': 924415, 'great le': 362796, 'le crowd': 482907, 'crowd they': 219273, 'booze instead': 135165, 'instead guess': 440195, 'guess your': 368108, 'your designated': 1023494, 'designated key': 238301, 'till will': 896131, 'can sip': 159630, 'sip your': 771527, 'your merlot': 1024817, 'merlot in': 529190, 'peace pubsclosed': 646013, 'closed the pub': 183371, 'the pub tonight': 864777, 'pub tonight great': 687790, 'tonight great le': 924416, 'great le crowd': 362797, 'le crowd they': 482908, 'crowd they re': 219274, 're all coming': 698209, 'all coming to': 42400, 'supermarket to bulk': 823358, 'bulk buy booze': 142254, 'buy booze instead': 148431, 'booze instead guess': 135166, 'instead guess your': 440196, 'guess your designated': 368109, 'your designated key': 1023495, 'designated key worker': 238302, 'the till will': 869566, 'till will just': 896132, 'harder and risk': 378160, 'and risk more': 70558, 'risk more so': 723695, 'more so you': 540421, 'you can sip': 1017786, 'can sip your': 159631, 'sip your merlot': 771528, 'your merlot in': 1024818, 'merlot in peace': 529191, 'in peace pubsclosed': 426567, 'ransacked now': 696817, 'is cheese': 446508, 'cheese condiment': 175181, 'an obscene': 56539, 'bean coronapocolypse': 118308, 'store until after': 811008, 'until after it': 943672, 'it wa ransacked': 462176, 'wa ransacked now': 963043, 'ransacked now all': 696818, 'now all have': 573960, 'all have is': 43052, 'have is cheese': 381127, 'is cheese condiment': 446509, 'cheese condiment and': 175182, 'condiment and an': 193377, 'and an obscene': 58119, 'an obscene amount': 56540, 'obscene amount of': 578511, 'amount of black': 53207, 'black bean coronapocolypse': 132029, 'dumpling': 262255, 'find local': 307036, 'order take': 618611, 'hurting and': 411630, 'store anyway': 806437, 'anyway these': 81042, 'are soup': 90310, 'soup dumpling': 786374, 'dumpling from': 262256, 'from northern': 336602, 'northern cafe': 567746, 'cafe on': 155122, 'on beverly': 599635, 'beverly blvd': 129053, 'blvd dumpling': 133534, 'dumpling quarantine': 262258, 'quarantine flattenthecurve': 692192, 'find local business': 307037, 'local business around': 497751, 'business around you': 143404, 'around you and': 93657, 'you and order': 1016998, 'and order take': 68247, 'order take out': 618612, 'take out they': 832462, 'out they are': 627542, 'they are hurting': 881299, 'are hurting and': 87281, 'hurting and you': 411631, 'grocery store anyway': 365208, 'store anyway these': 806438, 'anyway these are': 81043, 'these are soup': 879637, 'are soup dumpling': 90311, 'soup dumpling from': 786375, 'dumpling from northern': 262257, 'from northern cafe': 336603, 'northern cafe on': 567747, 'cafe on beverly': 155123, 'on beverly blvd': 599636, 'beverly blvd dumpling': 129054, 'blvd dumpling quarantine': 133535, 'dumpling quarantine flattenthecurve': 262259, 'stillgottawork': 801458, 'place get': 657463, 'work coronatime': 1005008, 'coronatime stillgottawork': 205305, 'only place get': 610982, 'place get to': 657464, 'go is work': 353776, 'is work coronatime': 454027, 'work coronatime stillgottawork': 1005009, 'worker security': 1007747, 'security police': 744714, 'police fireman': 663013, 'fireman teacher': 308253, 'people janitor': 648550, 'janitor cashier': 464535, 'worth we': 1011458, 'you 21': 1016754, '21 gun': 15008, 'gun salute': 368726, 'salute fire': 732852, 'fire 45': 308052, '00 view': 586, 'hospital worker security': 404741, 'worker security police': 1007748, 'security police fireman': 744715, 'police fireman teacher': 663014, 'fireman teacher supermarket': 308254, 'delivery people janitor': 234319, 'people janitor cashier': 648551, 'janitor cashier who': 464536, 'cashier who have': 166664, 'never been paid': 557902, 'been paid what': 121647, 'paid what they': 634180, 'are worth we': 91748, 'worth we salute': 1011459, 'salute you 21': 732871, 'you 21 gun': 1016755, '21 gun salute': 15009, 'gun salute fire': 368727, 'salute fire 45': 732853, 'fire 45 00': 308053, '45 00 00': 19057, '00 00 view': 12, '00 view on': 587, 'view on you': 957140, 'avoid by': 105025, 'rule have': 727246, 'so naturally': 777853, 'naturally keen': 552920, 'well run': 978529, 'food local': 315335, 'shop limited': 760414, 'also running': 48808, 'most local': 542495, 'also hiking': 48358, 'best to avoid': 127937, 'to avoid by': 900873, 'avoid by adhering': 105026, 'distancing rule have': 247439, 'rule have asthma': 727247, 'asthma so naturally': 97208, 'so naturally keen': 777854, 'naturally keen to': 552921, 'keen to avoid': 471267, 'the virus may': 870860, 'virus may well': 958493, 'may well run': 521613, 'well run out': 978530, 'of food local': 583726, 'food local shop': 315336, 'local shop limited': 498406, 'shop limited stock': 760415, 'limited stock also': 492722, 'stock also running': 801787, 'also running out': 48809, 'food most local': 315480, 'most local shop': 542496, 'local shop also': 498390, 'shop also hiking': 759826, 'also hiking price': 48359, 'penticton': 646707, '19 penticton': 9614, 'penticton food': 646708, 'see substantial': 745757, 'substantial rise': 816059, 'covid 19 penticton': 213565, '19 penticton food': 9615, 'penticton food bank': 646709, 'bank see substantial': 110168, 'see substantial rise': 745758, 'substantial rise in': 816060, 'isba': 454197, 'discussing consumer': 244985, 'and exploring': 62522, 'taking if': 833396, 'an isba': 56470, 'isba member': 454198, 'member you': 528259, 'be hosting webinar': 115309, 'hosting webinar with': 404980, 'webinar with discussing': 975140, 'with discussing consumer': 998077, 'discussing consumer attitude': 244986, 'attitude to during': 102591, 'pandemic and exploring': 634875, 'and exploring the': 62523, 'exploring the strategy': 292554, 'the strategy that': 868205, 'strategy that brand': 812723, 'that brand are': 843026, 'are taking if': 90721, 'taking if you': 833397, 're an isba': 698288, 'an isba member': 56471, 'isba member you': 454199, 'member you can': 528260, 'business cant': 143505, 'service paid': 752684, 'credit right': 216496, 'border closing': 135228, 'closing why': 183812, 'offering credit': 595049, 'offering anything': 595019, 'if business cant': 413910, 'business cant provide': 143506, 'cant provide service': 162328, 'provide service paid': 686467, 'service paid for': 752685, 'paid for you': 634024, 'for you re': 328082, 'refund credit right': 706891, 'credit right not': 216497, 'right not if': 722009, 'cause of eu': 167682, 'eu border closing': 283202, 'border closing why': 135229, 'closing why in': 183813, 'why in consumer': 991089, 'law is that': 482322, 'is that ok': 452674, 'that ok only': 845477, 'ok only offering': 597851, 'only offering credit': 610848, 'offering credit refund': 595050, 'refund if supplier': 706921, 'if supplier refund': 414902, 'ie they not': 413747, 'they not offering': 882790, 'not offering anything': 570728, 'airline refund': 40006, 'crisis tell': 218134, 'you had difficulty': 1018982, 'had difficulty getting': 373032, 'difficulty getting an': 242381, 'getting an airline': 348835, 'an airline refund': 55212, 'airline refund due': 40007, '19 crisis tell': 6332, 'crisis tell about': 218135, 'tell about it': 836896, 'about it at': 25567, 'it at consumer': 456612, 'mp02': 544289, '01625': 769, '874220': 23026, 'any nh': 79515, 'or mp02': 616204, 'mp02 modular': 544290, 'modular furniture': 535524, 'furniture unit': 341970, 'for consumables': 320234, 'consumables storage': 195923, 'storage please': 805981, 'amp availability': 53421, 'availability we': 104195, 'demand ward': 236451, 'ward are': 966630, 'are converted': 85557, 'call 01625': 155671, '01625 874220': 770, '874220 for': 23027, 'any nh hospital': 79516, 'nh hospital in': 561980, 'hospital in need': 404473, 'need of or': 555337, 'of or mp02': 587320, 'or mp02 modular': 616205, 'mp02 modular furniture': 544291, 'modular furniture unit': 535525, 'furniture unit for': 341971, 'unit for consumables': 942058, 'for consumables storage': 320235, 'consumables storage please': 195924, 'storage please get': 805982, 'touch for latest': 926482, 'for latest price': 322902, 'latest price amp': 481508, 'price amp availability': 672331, 'amp availability we': 53422, 'availability we are': 104196, 'in demand ward': 422167, 'demand ward are': 236452, 'ward are converted': 966631, 'are converted to': 85558, 'converted to cope': 202561, 'cope with call': 203342, 'with call 01625': 997513, 'call 01625 874220': 155672, '01625 874220 for': 771, '874220 for info': 23028, 'uk experience': 938343, 'experience biggest': 291325, 'biggest property': 130303, 'month buyer': 537631, 'buyer shake': 149743, 'shake off': 754419, 'off brexit': 593699, 'brexit drama': 139503, 'drama property': 258254, 'property investment': 684284, 'investment invest': 444018, 'invest investor': 443769, 'interest bankofengland': 441335, 'bankofengland uk': 110480, 'uk budget': 938221, 'budget government': 141794, 'government brexit': 359947, 'uk experience biggest': 938344, 'experience biggest property': 291326, 'biggest property market': 130304, 'property market rise': 684309, 'market rise for': 517006, 'rise for 18': 722860, 'for 18 month': 318690, '18 month buyer': 4558, 'month buyer shake': 537632, 'buyer shake off': 149744, 'shake off brexit': 754420, 'off brexit drama': 593700, 'brexit drama property': 139504, 'drama property investment': 258255, 'property investment invest': 684285, 'investment invest investor': 444019, 'invest investor interest': 443770, 'investor interest bankofengland': 444171, 'interest bankofengland uk': 441336, 'bankofengland uk budget': 110481, 'uk budget government': 938222, 'budget government brexit': 141795, 'released any': 709019, 'transmission through': 929776, 'direct eye': 243324, 'contact walking': 200253, 'through giant': 894479, 'everybody avoiding': 286408, 'ha released any': 371705, 'released any report': 709020, 'report of transmission': 712131, 'of transmission through': 592423, 'transmission through direct': 929777, 'through direct eye': 894425, 'direct eye contact': 243325, 'eye contact walking': 294029, 'contact walking through': 200254, 'walking through giant': 965111, 'through giant supermarket': 894480, 'giant supermarket and': 349871, 'supermarket and everybody': 818973, 'and everybody avoiding': 62387, 'everybody avoiding eye': 286409, 'dar': 225914, 'ciapp': 178449, 'va dar': 951537, 'dar via': 225915, 'via ciapp': 955863, 'ciapp gt': 178450, 'gt right': 367631, 'now asda': 574110, 'va dar via': 951538, 'dar via ciapp': 225916, 'via ciapp gt': 955864, 'ciapp gt gt': 178451, 'gt gt right': 367603, 'gt right now': 367632, 'right now asda': 722029, 'now asda supermarket': 574111, 'punishing case': 689248, 'grocery automation': 364291, 'overwhelms store': 631778, 'profit any': 682661, 'sudden is': 817013, 'punishing case for': 689249, 'case for grocery': 165743, 'for grocery automation': 322023, 'grocery automation online': 364292, 'demand overwhelms store': 236003, 'overwhelms store and': 631779, 'store and threatens': 806380, 'threatens profit any': 893852, 'profit any supermarket': 682662, 'any supermarket retailer': 79909, 'supermarket retailer that': 822237, 'retailer that all': 719355, 'of sudden is': 590372, 'sudden is doing': 817014, 'is doing 20': 447261, 'doing 20 of': 252254, '20 of their': 13205, 'of their sale': 591699, 'sale online is': 732425, 'online is going': 608431, 'hurt the bottom': 411613, 'you starvation': 1021365, 'will starvation': 994950, 'who else can': 988681, 'else can get': 271655, 'and is unable': 65438, 'store or find': 809332, 'or find lot': 615315, 'shelf if covid': 757176, 'get you starvation': 348683, 'you starvation will': 1021366, 'starvation will starvation': 795183, 'delivery ship': 234483, 'extremely widespread': 293944, 'widespread among': 991822, 'risk ha': 723598, 'become even': 119984, 'apparent yes': 81900, 'delivery ship or': 234484, 'ship or parking': 758703, 'lot pickup so': 504345, 'pickup so far': 656021, 'the virus doe': 870825, 'be extremely widespread': 114765, 'extremely widespread among': 293945, 'widespread among grocery': 991823, 'among grocery now': 53009, 'grocery now the': 364761, 'now the risk': 576068, 'the risk ha': 865874, 'risk ha become': 723599, 'ha become even': 369675, 'become even more': 119985, 'more apparent yes': 538635, 'apparent yes people': 81901, 'yes people can': 1015512, 'get 19 at': 346467, 'shoppingdeals': 764508, 'coronavirus shirt': 206753, 'shirt golden': 758989, 'golden toilet': 356065, 'sanitizer shoppingonline': 735730, 'shoppingonline shoppingdeals': 764525, 'shoppingdeals coronavir': 764509, 'coronavirus shirt golden': 206754, 'shirt golden toilet': 758990, 'golden toilet paper': 356066, 'and sanitizer shoppingonline': 70884, 'sanitizer shoppingonline shoppingdeals': 735731, 'shoppingonline shoppingdeals coronavir': 764526, 'provided whilst': 686660, 'whilst putting': 987672, 'putting stuff': 691225, 'shelf stupid': 757616, 'stupid customer': 815378, 'customer standing': 222872, 'standing far': 793767, 'too near': 924959, 'near to': 553621, 'them staff': 876314, 'still polite': 801047, 'be livid': 115780, 'supermarket staff during': 822837, 'staff during 19': 792393, 'pandemic no ppe': 636041, 'ppe provided whilst': 668039, 'provided whilst putting': 686661, 'whilst putting stuff': 987673, 'putting stuff out': 691226, 'stuff out on': 815172, 'out on shelf': 626917, 'on shelf stupid': 603409, 'shelf stupid customer': 757617, 'stupid customer standing': 815379, 'customer standing far': 222873, 'standing far too': 793768, 'far too near': 298957, 'too near to': 924960, 'near to them': 553622, 'to them staff': 917314, 'them staff still': 876315, 'staff still polite': 792888, 'still polite be': 801048, 'polite be livid': 663596, 'online large': 608462, 'careful but': 164385, 'but enjoy': 145651, 'enjoy smallbusiness': 277178, 'opportunity for business': 613607, 'small online large': 775050, 'online large to': 608463, 'large to boost': 479818, 'consumer it best': 197955, 'be careful but': 113982, 'careful but enjoy': 164386, 'but enjoy smallbusiness': 145652, 'enjoy smallbusiness businesscontinuity': 277179, 'store email': 807445, 'update announcing': 946870, 'where the grocery': 985228, 'grocery store email': 365361, 'store email update': 807446, 'email update announcing': 272357, 'update announcing specific': 946871, 'flupocalypse': 311543, 'coronavirus didn': 205816, 'didn realize': 241174, 'deal do': 229385, 'not recall': 571246, 'recall any': 703362, 'these zombie': 881008, 'apocalypse movie': 81553, 'or survival': 617310, 'guide mentioning': 368337, 'mentioning people': 528854, 'paper savage': 640725, 'savage toiletpaper': 737441, 'toiletpaper flupocalypse': 921990, 'before coronavirus didn': 122718, 'coronavirus didn realize': 205817, 'didn realize that': 241175, 'realize that toilet': 701861, 'paper wa such': 641054, 'wa such big': 963346, 'big deal do': 129738, 'deal do not': 229386, 'do not recall': 249813, 'not recall any': 571247, 'recall any of': 703363, 'of these zombie': 591878, 'these zombie apocalypse': 881009, 'zombie apocalypse movie': 1027695, 'apocalypse movie or': 81554, 'movie or survival': 544044, 'or survival guide': 617311, 'survival guide mentioning': 829037, 'guide mentioning people': 368338, 'mentioning people hoarding': 528855, 'toilet paper savage': 921433, 'paper savage toiletpaper': 640726, 'savage toiletpaper flupocalypse': 737442, 'more eerie': 539106, 'think after month': 885120, 'about you would': 26983, 'would get used': 1011834, 'life little more': 488853, 'little more eerie': 495462, 'hemel': 391683, 'necessary no': 554037, 'no judgement': 564554, 'judgement some': 467661, 'collecting for': 186385, 'or affected': 614269, 'affected badly': 34292, 'badly by': 108144, 'by coronacrisis': 152223, 'coronacrisis closure': 204550, 'closure even': 183884, 'even few': 284055, 'few tin': 304107, 'tin could': 898533, 'in hemel': 423644, 'hemel are': 391684, 'do have more': 249373, 'food than necessary': 317078, 'than necessary no': 840927, 'necessary no judgement': 554038, 'no judgement some': 564555, 'judgement some local': 467662, 'some local school': 783214, 'local school are': 498373, 'school are collecting': 741697, 'are collecting for': 85422, 'collecting for those': 186386, 'for those not': 327125, 'those not able': 892254, 'up or affected': 945676, 'or affected badly': 614270, 'affected badly by': 34293, 'badly by coronacrisis': 108145, 'by coronacrisis closure': 152224, 'coronacrisis closure even': 204551, 'closure even few': 183885, 'even few tin': 284056, 'few tin could': 304108, 'tin could really': 898534, 'really help if': 702274, 'spare it in': 787486, 'it in hemel': 458733, 'in hemel are': 423645, 'hemel are collecting': 391685, 'nipped the': 563342, 'bud early': 141723, 'fear too': 301401, 'too preoccupied': 925008, 'of letting': 585790, 'letting market': 487422, 'force prevail': 328485, 'have nipped the': 381605, 'nipped the profiteering': 563343, 'the profiteering and': 864629, 'the bud early': 850079, 'bud early on': 141724, 'early on in': 264665, 'in the fear': 429194, 'the fear too': 855040, 'fear too preoccupied': 301402, 'too preoccupied with': 925009, 'preoccupied with their': 669989, 'dogma of letting': 252211, 'of letting market': 585791, 'letting market force': 487423, 'market force prevail': 516421, 'vandersloot': 952396, 'shelf went': 757759, 'went bare': 978966, 'bare melaleuca': 110918, 'melaleuca ceo': 527898, 'frank vandersloot': 331148, 'vandersloot took': 952397, 'took matter': 925281, 'matter into': 520584, 'milk no egg': 531742, 'egg no bread': 269931, 'no bread when': 563733, 'bread when grocery': 138634, 'store shelf went': 810109, 'shelf went bare': 757760, 'went bare melaleuca': 978967, 'bare melaleuca ceo': 110919, 'melaleuca ceo frank': 527899, 'ceo frank vandersloot': 169704, 'frank vandersloot took': 331149, 'vandersloot took matter': 952398, 'took matter into': 925282, 'matter into his': 520585, 'into his own': 442634, 'his own hand': 397674, 'own hand to': 632048, 'hand to help': 375860, 'help his employee': 389865, 'his employee get': 397389, 'employee get the': 273886, 'threatens long': 893849, 'suggests state': 817709, 'also push': 48719, '19 pandemic threatens': 9502, 'pandemic threatens long': 636761, 'threatens long list': 893850, 'country and lower': 210442, 'research from suggests': 713738, 'from suggests state': 337468, 'suggests state that': 817710, 'state that this': 795985, 'this could also': 886918, 'could also push': 208816, 'also push many': 48720, 'push many of': 690297, 'jetfuel': 465360, 'storagetanks': 806012, 'frackingcrews': 330864, 'on tumbling': 604896, 'tumbling price': 935347, 'price disastrous': 673450, 'disastrous devastating': 244284, 'devastating oilcompanies': 239597, 'oilcompanies price': 597567, 'price oilandgas': 675632, 'oilandgas budget': 597538, 'budget gasoline': 141792, 'diesel jetfuel': 241665, 'jetfuel pipeline': 465361, 'pipeline crudeoil': 656897, 'crudeoil pipeline': 219645, 'pipeline storagetanks': 656912, 'storagetanks frackingcrews': 806013, 'hotlink oil company': 405285, 'oil company on': 596694, 'company on tumbling': 190933, 'on tumbling price': 604897, 'tumbling price disastrous': 935348, 'price disastrous devastating': 673451, 'disastrous devastating oilcompanies': 244285, 'devastating oilcompanies price': 239598, 'oilcompanies price oilandgas': 597568, 'price oilandgas budget': 675633, 'oilandgas budget gasoline': 597539, 'budget gasoline diesel': 141793, 'gasoline diesel jetfuel': 344227, 'diesel jetfuel pipeline': 241666, 'jetfuel pipeline crudeoil': 465362, 'pipeline crudeoil pipeline': 656898, 'crudeoil pipeline storagetanks': 219646, 'pipeline storagetanks frackingcrews': 656913, 'bad habit': 107879, 'habit definitely': 372596, 'definitely guilty': 232346, 'avoid wearing': 105391, 'now nobody': 575359, 'store medtwitter': 808942, 'it bad habit': 456687, 'bad habit definitely': 107880, 'habit definitely guilty': 372597, 'definitely guilty of': 232347, 'guilty of but': 368565, 'of but all': 580980, 'but all or': 145087, 'all or hospital': 43766, 'or hospital staff': 615674, 'hospital staff definitely': 404630, 'staff definitely need': 792356, 'definitely need to': 232368, 'to avoid wearing': 900960, 'avoid wearing scrub': 105392, 'scrub in public': 742900, 'in public especially': 427078, 'public especially now': 687975, 'especially now nobody': 280561, 'now nobody want': 575360, 'see that at': 745786, 'grocery store medtwitter': 365564, 'many video': 514850, 'today buying': 919345, 'selfish cause': 748052, 'waste resource': 968179, 'resource who': 714933, 'knew wanting': 476091, 'wanting something': 966295, 'simple can': 770000, 'some lime': 783202, 'lime would': 492266, 'of many video': 586186, 'many video from': 514851, 'video from my': 956743, 'from my running': 336526, 'my running session': 549976, 'running session today': 728058, 'session today buying': 753319, 'today buying in': 919346, 'bulk is selfish': 142316, 'is selfish cause': 451742, 'selfish cause panic': 748053, 'panic and waste': 637344, 'and waste resource': 75215, 'waste resource who': 968180, 'resource who knew': 714934, 'who knew wanting': 989175, 'knew wanting something': 476092, 'wanting something simple': 966296, 'something simple can': 785054, 'simple can of': 770001, 'of soup or': 589940, 'soup or some': 786401, 'or some lime': 617149, 'some lime would': 783203, 'lime would be': 492267, 'landmass': 479379, 'post iran': 666175, 'iran will': 444719, 'completely decimated': 192250, 'be non': 116117, 'global stage': 352213, 'the middleeast': 860574, 'middleeast for': 530695, 'part will': 642496, 'gone sub': 356379, 'sub continent': 815678, 'continent of': 200929, 'caught off': 167442, 'guard it': 367813, 'so populated': 778051, 'populated it': 664631, 'be tsunami': 117833, 'virus over': 958595, 'entire landmass': 278693, 'post iran will': 666176, 'iran will be': 444720, 'be completely decimated': 114166, 'completely decimated and': 192251, 'decimated and be': 230977, 'and be non': 58760, 'be non issue': 116118, 'non issue on': 566417, 'issue on global': 455871, 'on global stage': 601112, 'global stage the': 352214, 'stage the middleeast': 793216, 'the middleeast for': 860575, 'middleeast for the': 530696, 'most part will': 542608, 'part will be': 642497, 'will be gone': 992479, 'be gone sub': 115059, 'gone sub continent': 356380, 'sub continent of': 815679, 'continent of india': 200930, 'india is about': 434481, 'to be caught': 901156, 'be caught off': 114027, 'caught off guard': 167443, 'off guard it': 593877, 'guard it so': 367814, 'it so populated': 461123, 'so populated it': 778052, 'populated it will': 664632, 'will be tsunami': 992742, 'be tsunami of': 117834, 'tsunami of virus': 934976, 'of virus over': 592829, 'virus over the': 958596, 'over the entire': 630718, 'the entire landmass': 854360, 'city some': 179370, 'unemployed to': 941144, 'child want': 176254, 'don we currently': 254058, 'my city some': 547694, 'city some of': 179371, 'colleague are unemployed': 186201, 'are unemployed to': 91312, 'unemployed to take': 941145, 'of their child': 591648, 'their child want': 872778, 'child want to': 176255, 'she lonely': 756201, 'shelf ik': 757181, 'ik this': 416020, 'everyone freaking': 286922, 'shop stockpile': 760846, 'stockpile resource': 803794, 'need her': 555001, 'her bud': 391900, 'bud and': 141719, 'sanzi she lonely': 736669, 'she lonely and': 756202, 'lonely and miss': 501296, 'store shelf ik': 810082, 'shelf ik this': 757182, 'ik this pandemic': 416021, 'ha everyone freaking': 370531, 'everyone freaking out': 286923, 'freaking out but': 331544, 'out but please': 625796, 'but please avoid': 146793, 'please avoid the': 659686, 'avoid the urge': 105338, 'panic shop stockpile': 638548, 'shop stockpile resource': 760847, 'stockpile resource sanzi': 803795, 'sanzi need her': 736665, 'need her bud': 555002, 'her bud and': 391901, 'bud and the': 141720, 'significant progress': 769503, 'progress in': 683374, 'italy from': 462832, 'worker threaten': 1007982, 'strike worker': 813770, 'exhausted cashier': 290156, 'significant progress in': 769504, 'progress in italy': 683375, 'in italy from': 424302, 'italy from 19': 462833, 'from 19 supermarket': 334213, 'supermarket worker threaten': 824099, 'worker threaten to': 1007983, 'threaten to strike': 893765, 'to strike worker': 915675, 'strike worker demand': 813771, 'demand greater protection': 235584, 'greater protection and': 363218, 'protection and reduced': 685323, 'and reduced hour': 70102, 'reduced hour after': 706093, 'hour after an': 405358, 'after an exhausted': 35355, 'an exhausted cashier': 55944, 'exhausted cashier in': 290157, 'quarantine force': 692204, 'force due': 328374, 'south africa largest': 786655, 'africa largest food': 35102, 'stockpiling good over': 803974, 'good over fear': 357536, 'fear of quarantine': 301256, 'of quarantine force': 588655, 'quarantine force due': 692205, 'force due to': 328375, 'march case': 515312, 'rising across': 723147, 'country cody': 210549, 'cody gordon': 185427, 'gordon fell': 358317, 'his manager': 397593, 'kentucky told': 472859, 'he grocery': 385009, 'late march case': 480892, 'march case were': 515313, 'case were rising': 166103, 'were rising across': 980076, 'rising across the': 723148, 'the country cody': 852058, 'country cody gordon': 210550, 'cody gordon fell': 185428, 'gordon fell ill': 358318, 'fell ill he': 303201, 'ill he asked': 416130, 'he asked to': 384756, 'go home but': 353660, 'home but his': 400835, 'but his manager': 145940, 'his manager at': 397594, 'manager at walmart': 512689, 'at walmart in': 101474, 'walmart in kentucky': 965356, 'in kentucky told': 424470, 'kentucky told him': 472860, 'told him that': 923575, 'him that if': 396728, 'that if he': 844417, 'if he did': 414212, 'he did he': 384875, 'did he would': 240640, 'fired and he': 308163, 'and he grocery': 64317, 'he grocery store': 385010, 'store retail sale': 809875, 'degrade': 232550, 'feel their': 302893, 'health starting': 386870, 'to degrade': 904077, 'degrade and': 232551, 'panic how': 638185, 'do manage': 249583, 'my dept': 547981, 'dept at': 237726, 'and entertain': 62186, 'entertain educate': 278506, 'educate toddler': 268768, 'old how': 598296, 'do keep': 249541, 'keep essential': 471470, 'in corvid19uk': 421813, 'else feel their': 271691, 'feel their mental': 302894, 'mental health starting': 528650, 'health starting to': 386871, 'starting to degrade': 795020, 'to degrade and': 904078, 'degrade and starting': 232552, 'and starting to': 72264, 'to panic how': 911402, 'panic how do': 638186, 'how do manage': 407719, 'do manage my': 249584, 'manage my dept': 512408, 'my dept at': 547982, 'dept at work': 237727, 'work when all': 1005997, 'staff are off': 792200, 'are off how': 88648, 'off how do': 593911, 'how do work': 407731, 'do work from': 250595, 'home and entertain': 400638, 'and entertain educate': 62187, 'entertain educate toddler': 278507, 'educate toddler and': 268769, 'toddler and year': 920615, 'year old how': 1014835, 'old how do': 598297, 'how do keep': 407716, 'do keep essential': 249542, 'keep essential supply': 471471, 'essential supply food': 281621, 'supply food in': 825250, 'food in corvid19uk': 314932, '800km': 22732, 'price globally': 674197, 'india plan': 434567, 'split gail': 789658, 'gail india': 342738, 'india transmission': 434659, 'transmission business': 929731, 'into separate': 442970, 'separate entity': 751068, 'help sell': 390503, 'to strategic': 915660, 'strategic investor': 812546, 'investor gail': 444158, 'gail owns': 342740, 'owns over': 632633, 'india 16': 434269, '16 800km': 4085, '800km pipeline': 22733, 'pipeline network': 656903, 'oil price globally': 597148, 'price globally and': 674198, 'globally and the': 352373, '19 pandemic india': 9364, 'pandemic india plan': 635728, 'india plan to': 434568, 'plan to split': 658322, 'to split gail': 915022, 'split gail india': 789659, 'gail india transmission': 342739, 'india transmission business': 434660, 'transmission business into': 929732, 'business into separate': 143940, 'into separate entity': 442971, 'separate entity that': 751069, 'could help sell': 209289, 'help sell it': 390504, 'sell it to': 748773, 'it to strategic': 461757, 'to strategic investor': 915661, 'strategic investor gail': 812547, 'investor gail owns': 444159, 'gail owns over': 342741, 'owns over 70': 632634, 'over 70 of': 629914, '70 of india': 21802, 'of india 16': 585096, 'india 16 800km': 434270, '16 800km pipeline': 4086, '800km pipeline network': 22734, 'slogging': 774078, 'but spare': 147130, 'hardworking supermarket': 378345, 'warehousing worker': 966847, 'work slogging': 1005731, 'slogging it': 774079, 'are tough for': 91171, 'tough for everyone': 926814, 'everyone but spare': 286751, 'but spare thought': 147131, 'our hardworking supermarket': 623359, 'hardworking supermarket and': 378346, 'supermarket and warehousing': 819100, 'and warehousing worker': 75189, 'warehousing worker they': 966848, 'worker they can': 1007961, 'they can work': 881689, 'from home they': 335913, 'home they can': 402271, 'they can social': 881676, 'social distance they': 779527, 'distance they are': 246856, 'are still at': 90393, 'still at work': 800218, 'at work slogging': 101615, 'work slogging it': 1005732, 'slogging it out': 774080, 'rest of have': 716195, 'of have the': 584472, 'have the food': 382987, 'and grocery we': 64007, 'grocery we all': 366114, 'all need right': 43605, 'important quote': 418939, 'birx yesterday': 131491, 'important quote from': 418940, 'quote from dr': 694990, 'from dr birx': 335210, 'dr birx yesterday': 257976, 'birx yesterday the': 131492, 'yesterday the next': 1015884, 'next week are': 561670, 'extraordinarily important this': 293730, '50lbs': 20173, 'panic level': 638270, 'bought 10': 136469, '10 50lbs': 1282, '50lbs bag': 20174, 'even own': 284452, 'own dog': 631946, '19 panic level': 9551, 'panic level just': 638271, 'level just bought': 487606, 'just bought 10': 468348, 'bought 10 50lbs': 136470, '10 50lbs bag': 1283, '50lbs bag of': 20175, 'and don even': 61630, 'don even own': 253489, 'even own dog': 284453, 'nairatwtpays': 551501, 'advice people': 33467, 'area use': 92248, 'hashtag fightcovid19': 378692, 'fightcovid19 nairatwtpays': 304994, 'advice people to': 33468, 'crowded area use': 219299, 'area use the': 92249, 'the hashtag fightcovid19': 857138, 'hashtag fightcovid19 nairatwtpays': 378693, 'unbundles': 939543, '19 analyst': 4974, 'analyst unbundles': 57190, 'unbundles implication': 939544, 'on nigerian': 602406, 'covid 19 analyst': 212629, '19 analyst unbundles': 4975, 'analyst unbundles implication': 57191, 'unbundles implication of': 939545, 'implication of falling': 418563, 'price on nigerian': 675700, 'on nigerian economy': 602407, 'recession be': 704215, 'different it': 241974, 'be service': 117103, 'service recession': 752748, 'recession driven': 704261, 'restaurant transportation': 716774, 'service necessary': 752610, 'distancing writes': 247665, 'writes kuehn': 1012851, 'will the recession': 995156, 'the recession be': 865334, 'recession be different': 704216, 'be different it': 114448, 'different it will': 241975, 'will be service': 992674, 'be service recession': 117104, 'service recession driven': 752749, 'recession driven by': 704262, 'driven by reduced': 259285, 'by reduced consumer': 153739, 'spending in restaurant': 788864, 'in restaurant transportation': 427441, 'restaurant transportation and': 716775, 'transportation and personal': 929991, 'personal care service': 652803, 'care service necessary': 164193, 'service necessary for': 752611, 'necessary for social': 553991, 'social distancing writes': 779774, 'distancing writes kuehn': 247666, 'may buy': 521066, 'more canned': 538766, 'would use': 1012360, 'up cut': 944683, 'add canned': 31411, 'to meal': 909975, 'during or stay': 262840, 'home order you': 401788, 'order you may': 618802, 'you may buy': 1019793, 'may buy more': 521067, 'buy more canned': 148965, 'more canned food': 538767, 'canned food than': 161523, 'normally would use': 567579, 'would use these': 1012361, 'tip to stock': 898942, 'stock up cut': 803073, 'up cut down': 944684, 'down on trip': 257041, 'supermarket and add': 818925, 'and add canned': 57671, 'add canned good': 31412, 'canned good to': 161545, 'good to meal': 357892, 'stayhome mean': 798042, 'house where': 406674, 'stayhome mean the': 798043, 'mean the house': 524696, 'the house where': 857649, 'house where they': 406675, 'where they deliver': 985276, 'they deliver your': 881881, 'shopping not your': 763357, 'not your fucking': 572631, 'your fucking holiday': 1024003, 'fucking holiday home': 339897, 'holiday home stayhomesavelives': 400314, 'home stayhomesavelives flattenthecurve': 402133, 'that extend': 843805, 'their payment': 874261, 'payment deadline': 645585, 'deadline take': 229234, 'following site': 312851, 'apps where': 83332, 'where to pay': 985309, 'your bill online': 1022970, 'bill online in': 130645, 'online in light': 608397, 'outbreak there are': 628733, 'are many service': 88038, 'many service that': 514685, 'service that extend': 752920, 'that extend their': 843806, 'extend their payment': 293130, 'their payment deadline': 874262, 'payment deadline take': 645586, 'deadline take note': 229235, 'the following site': 855522, 'following site and': 312852, 'site and apps': 771871, 'and apps where': 58281, 'apps where you': 83333, 'bill online buy': 130644, 'online buy food': 607975, 'pay for online': 644891, 'point personally': 662589, 'their 30': 872432, 'covid in': 214178, 'nyc va': 578064, 'and la': 65912, 'la swear': 478221, 'hear anymore': 387880, 'anymore downplaying': 80129, 'downplaying of': 257683, 'home ft': 401279, 'ft if': 339346, 'walk wash': 964916, 'delivery don': 233878, 'this point personally': 889639, 'point personally know': 662590, 'personally know people': 653038, 'know people in': 476678, 'in their 30': 429709, 'their 30 and': 872433, 'and 40 who': 57473, '40 who are': 18689, 'going on ventilator': 355343, 'ventilator with covid': 954639, 'with covid in': 997840, 'covid in nyc': 214179, 'in nyc va': 426030, 'nyc va and': 578065, 'va and la': 951533, 'and la swear': 65913, 'la swear don': 478222, 'swear don want': 830029, 'to hear anymore': 907397, 'hear anymore downplaying': 387881, 'anymore downplaying of': 80130, 'downplaying of this': 257684, 'of this by': 591947, 'by people stay': 153555, 'stay home ft': 796969, 'home ft if': 401280, 'ft if you': 339347, 'for walk wash': 327629, 'walk wash hand': 964917, 'wash hand get': 967486, 'hand get delivery': 374987, 'get delivery don': 346861, 'delivery don go': 233879, 'wa totally': 963558, 'forgotten put': 329454, 'put aside': 690515, 'beresponsible corona': 127291, 'when the curfew': 984139, 'distancing wa totally': 247606, 'wa totally ignored': 963559, 'ignored forgotten put': 415874, 'forgotten put aside': 329455, 'put aside for': 690516, 'aside for later': 95410, 'curfew stayhome beresponsible': 220930, 'stayhome beresponsible corona': 797950, 'opted': 613867, 'kremlin first': 477657, 'war putin': 966519, 'say very': 739433, 'significant profound': 769501, 'profound and': 683149, 'inflicted double': 437279, 'blow on': 133329, 'been foreseeable': 121174, 'foreseeable on': 329070, 'when moscow': 983739, 'moscow opted': 542001, 'opted to': 613868, 'kremlin first to': 477658, 'first to give': 309127, 'to give in': 906689, 'give in oil': 350534, 'price war putin': 677369, 'war putin say': 966520, 'putin say very': 691053, 'say very significant': 739434, 'very significant profound': 955540, 'significant profound and': 769502, 'profound and deep': 683150, 'price amp have': 672336, 'amp have inflicted': 53912, 'have inflicted double': 381081, 'inflicted double blow': 437280, 'double blow on': 255985, 'blow on russia': 133330, 'on russia economy': 603241, 'economy should have': 268213, 'have been foreseeable': 379548, 'been foreseeable on': 121175, 'foreseeable on march': 329071, 'on march when': 602030, 'march when moscow': 515529, 'when moscow opted': 983740, 'moscow opted to': 542002, 'opted to boost': 613869, 'but cancer': 145374, 'to complication': 903149, 'via healthday': 956013, 'healthday netde': 387437, 'country are learning': 210468, 'are learning to': 87748, 'learning to cope': 484250, 'threat of but': 893684, 'of but cancer': 580982, 'but cancer patient': 145375, 'cancer patient are': 161270, 'patient are even': 644142, 'even more susceptible': 284380, 'susceptible to complication': 829438, 'to complication from': 903150, 'complication from the': 192488, 'more via healthday': 540901, 'via healthday netde': 956014, 'supermarket sanitizers': 822312, 'cleanshelf supermarket sanitizers': 181179, 'supermarket sanitizers 19': 822313, 'much anyone': 544716, 'seen or': 747175, 'or experienced': 615234, 'document it': 251196, 'pretty much anyone': 671444, 'much anyone who': 544717, 'who ha gone': 988849, 'gone to grocery': 356392, 'last month ha': 480334, 'ha seen or': 371837, 'seen or experienced': 747176, 'or experienced this': 615235, 'experienced this today': 291616, 'this today decided': 890753, 'to document it': 904608, 'competiton': 191788, 'the competiton': 851382, 'competiton commission': 191789, 'several complaint': 753807, 'complaint from': 191976, 'such some': 816764, 'read the competiton': 700571, 'the competiton commission': 851383, 'competiton commission say': 191790, 'received several complaint': 703677, 'several complaint from': 753808, 'complaint from the': 191977, 'public about rising': 687827, 'essential such some': 281608, 'such some food': 816765, 'some food healthcare': 782860, 'hygiene product 19': 412147, 'god many': 354764, 'also fully': 48252, 'panic pm': 638428, 'thank god many': 841582, 'god many were': 354765, 'many were aware': 514872, 'need for social': 554871, 'distancing the supermarket': 247537, 'wa also fully': 961504, 'also fully stocked': 48253, 'stocked so there': 803397, 'to panic pm': 911418, 'yase': 1014185, 'kasie': 470993, 'cure we': 220847, 'doe exist': 251395, 'exist what': 290250, 'is recovery': 451366, 'recovery prevention': 705386, 'exercise regularly': 290092, 'regularly eat': 707913, 'system when': 831370, 'panic yase': 638806, 'yase kasie': 1014186, 'kasie we': 470994, 'we conquer': 971168, 'than cure we': 840483, 'cure we know': 220848, '19 doe exist': 6604, 'doe exist what': 251396, 'exist what we': 290251, 'talk about is': 833742, 'about is recovery': 25554, 'is recovery prevention': 451367, 'recovery prevention we': 705387, 'prevention we need': 671902, 'need to exercise': 555922, 'to exercise regularly': 905417, 'exercise regularly eat': 290093, 'regularly eat healthy': 707914, 'healthy food boost': 387627, 'food boost our': 313763, 'immune system when': 417356, 'system when we': 831371, 'we do thing': 971355, 'do thing without': 250332, 'thing without panic': 885007, 'without panic yase': 1002821, 'panic yase kasie': 638807, 'yase kasie we': 1014187, 'kasie we conquer': 470995, 'psychology of what': 687572, 'and don buy': 61627, 'don buy at': 253407, 'quintessential': 694765, 'the quintessential': 865072, 'quintessential boredom': 694766, 'boredom video': 135415, 'ha cat': 370067, 'oh boy this': 596366, 'is the quintessential': 452912, 'the quintessential boredom': 865073, 'quintessential boredom video': 694767, 'boredom video it': 135416, 'video it ha': 956793, 'it ha cat': 458383, 'ha cat and': 370068, 'cat and toiletpaper': 166828, 'worker can now': 1006592, 'now get free': 574772, 'free testing for': 332213, 'testing for the': 839499, 'paper seek': 640739, 'seek woman': 746624, 'for nice': 323871, 'fun covid': 341151, 'toilet paper seek': 921440, 'paper seek woman': 640740, 'seek woman with': 746625, 'sanitizer for nice': 734916, 'for nice clean': 323872, 'nice clean fun': 562372, 'clean fun covid': 180544, 'fun covid 19': 341152, 'order pickup': 618511, 'pickup geoi': 655966, 'awesome sdbeer': 106198, 'in store purchase': 428445, 'store purchase and': 809706, 'purchase and online': 689351, 'online order pickup': 608697, 'order pickup geoi': 618512, 'pickup geoi always': 655967, 'beer and their': 122432, 'and their online': 73706, 'store is awesome': 808469, 'is awesome sdbeer': 445941, 'yaar': 1014037, 'dadu': 224442, 'india too': 434655, 'too yaar': 925184, 'yaar all': 1014038, 'all lockdown': 43411, 'lockdown till': 500042, 'till 31st': 895981, '31st the': 17650, 'too now': 924974, 'now waiting': 576317, 'for modi': 323474, 'modi dadu': 535447, 'dadu speech': 224443, 'speech towards': 788406, 'towards nation': 927217, 'today evening': 919493, 'evening what': 284928, 'next pissed': 561514, 'pissed of': 656971, 'worse in india': 1010953, 'in india too': 424060, 'india too yaar': 434656, 'too yaar all': 925185, 'yaar all lockdown': 1014039, 'all lockdown till': 43412, 'lockdown till 31st': 500043, 'till 31st the': 895982, '31st the supermarket': 17651, 'the supermarket online': 868729, 'supermarket online supermarket': 821765, 'online supermarket all': 609495, 'supermarket all running': 818873, 'all running out': 44217, 'stock too now': 803019, 'too now waiting': 924975, 'now waiting for': 576318, 'waiting for modi': 964324, 'for modi dadu': 323475, 'modi dadu speech': 535448, 'dadu speech towards': 224444, 'speech towards nation': 788407, 'towards nation today': 927218, 'nation today evening': 552348, 'today evening what': 919494, 'evening what next': 284929, 'what next pissed': 981931, 'next pissed of': 561515, 'pissed of cov': 656972, 'spaceballs': 787202, 'said essential': 731052, 'only these': 611297, 'essential walmart': 281750, 'walmart spaceballs': 965411, 'spaceballs survival': 787203, 'essential eating': 280986, 'food bae': 313503, 'bae meme': 108192, 'said essential only': 731053, 'essential only these': 281364, 'only these are': 611298, 'are essential walmart': 86260, 'essential walmart spaceballs': 281751, 'walmart spaceballs survival': 965412, 'spaceballs survival essential': 787204, 'survival essential eating': 829031, 'essential eating fat': 280987, 'toiletpaper food bae': 921992, 'food bae meme': 313504, 'bae meme meme': 108193, 'disperse': 246162, 'to disperse': 904411, 'spread coronavirus covid': 790491, '19 through supermarket': 11387, 'through supermarket and': 894696, 'supermarket and take': 819077, 'and take minute': 72967, 'minute to disperse': 533870, 'aid relief': 39452, 'security act': 744523, 'act wa': 29818, 'wa passed': 962913, 'pandemic caresact': 635099, 'on march 27': 602024, '27 2020 the': 16258, '2020 the aid': 14632, 'the aid relief': 848473, 'aid relief and': 39453, 'relief and economic': 709277, 'and economic security': 61909, 'economic security act': 267266, 'security act wa': 744524, 'act wa passed': 29819, 'wa passed in': 962914, 'passed in an': 643272, 'provide financial stability': 686294, 'financial stability and': 306599, 'stability and relief': 791805, 'and relief in': 70200, 'relief in response': 709366, 'coronavirus pandemic caresact': 206442, 'guy wait': 369201, 'wait oh': 964161, 'guy wait oh': 369202, 'wait oh so': 964162, 'oh so there': 596451, 'empty it your': 274928, 'south jersey': 786730, 'jersey see': 465227, 'see 200': 744860, '200 spike': 13544, 'bank of south': 110056, 'of south jersey': 589945, 'south jersey see': 786731, 'jersey see 200': 465228, 'see 200 spike': 744861, '200 spike in': 13545, 'payed': 645340, 'revealed is': 720266, 'staff deserve': 792362, 'be payed': 116377, 'payed more': 645341, 'think the one': 885643, 'thing this whole': 884870, 'whole pandemic ha': 990293, 'ha revealed is': 371753, 'revealed is that': 720267, 'is that nh': 452671, 'supermarket staff deserve': 822831, 'staff deserve to': 792363, 'to be payed': 901437, 'be payed more': 116378, 'payed more they': 645342, 'more they re': 540732, 're really dealing': 699358, 'this situation so': 890189, 'situation so well': 772490, 'reserving slot': 714154, 'coroma of': 203773, 'cannot thanks': 162172, 'breathing moron': 139236, 'moron coronacrisis': 541583, 'neurotypicals are reserving': 557810, 'are reserving slot': 89621, 'reserving slot for': 714155, 'for delivery because': 320629, 'delivery because they': 233745, 'the coroma of': 851763, 'coroma of the': 203774, 'shop online now': 760579, 'online now cannot': 608591, 'now cannot thanks': 574349, 'cannot thanks to': 162173, 'mouth breathing moron': 543496, 'breathing moron coronacrisis': 139237, 'after isolation': 35833, 'isolation alcoholic': 455181, 'alcoholic no': 41214, 'more wine': 540990, 'wine pastry': 995869, 'pastry chef': 643894, 'chef no': 175271, 'more flour': 539221, 'flour greasy': 311109, 'greasy no': 362475, 'more chip': 538811, 'chip isolation': 177516, 'from the empty': 337685, 'supermarket we can': 823742, 'we can conclude': 970921, 'conclude that people': 193307, 'that people after': 845684, 'people after isolation': 646783, 'after isolation alcoholic': 35834, 'isolation alcoholic no': 455182, 'alcoholic no more': 41215, 'no more wine': 564828, 'more wine pastry': 540991, 'wine pastry chef': 995870, 'pastry chef no': 643895, 'chef no more': 175272, 'no more flour': 564803, 'more flour greasy': 539222, 'flour greasy no': 311110, 'greasy no more': 362476, 'no more chip': 564799, 'more chip isolation': 538812, 'kpk': 477590, 'sindh punjab': 771077, 'punjab kpk': 689274, 'kpk lockdown': 477591, 'lockdown balochistan': 499184, 'balochistan lockdown': 109119, 'taking charge': 833309, 'charge khan': 173271, 'ha played': 371497, 'played very': 659290, 'very smartly': 955553, 'smartly didn': 775496, 'didn announce': 240980, 'be country': 114259, 'sindh punjab kpk': 771078, 'punjab kpk lockdown': 689275, 'kpk lockdown balochistan': 477592, 'lockdown balochistan lockdown': 499185, 'balochistan lockdown taking': 109120, 'lockdown taking charge': 499992, 'taking charge khan': 833310, 'charge khan ha': 173272, 'khan ha played': 473710, 'ha played very': 371498, 'played very smartly': 659291, 'very smartly didn': 955554, 'smartly didn announce': 775497, 'didn announce that': 240981, 'announce that there': 76881, 'will be country': 992410, 'be country lockdown': 114260, 'country lockdown to': 210874, 'lockdown to avoid': 500046, 'to avoid food': 900897, 'avoid food shortage': 105107, 'shortage amp panic': 764810, 'last here': 480265, 'here calculator': 392846, 'paper stash will': 640824, 'will last here': 993943, 'last here calculator': 480266, 'here calculator toiletpaper': 392847, 'is halted': 448255, 'halted due': 374483, 'stabilize they': 791865, 'start importing': 794336, 'of fruit vegetable': 583985, 'fruit vegetable are': 339177, 'vegetable are expected': 953934, 'the trade with': 869858, 'trade with is': 928620, 'with is halted': 999048, 'is halted due': 448256, 'halted due to': 374484, 'to stabilize they': 915123, 'stabilize they start': 791866, 'they start importing': 883438, 'start importing from': 794337, 'importing from the': 419227, 'utter embarrassment': 951413, 'the pandemic now': 863037, 'pandemic now the': 636060, 'now the demand': 576038, 'all the service': 44904, 'shift the greed': 758415, 'the greed and': 856760, 'public is an': 688121, 'is an utter': 445697, 'an utter embarrassment': 56961, 'interesting point': 441592, 'point just': 662536, 'the under': 870347, 'under cover': 940059, 'trump us': 933947, 'us any': 948505, 'collapse supply': 186056, 'only flow': 610447, 'flow from': 311231, 'locally rest': 498778, 'world be': 1009351, 'be damned': 114327, 'damned to': 225478, 'make an interesting': 509685, 'an interesting point': 56408, 'interesting point just': 441593, 'point just the': 662537, 'just the under': 470018, 'the under cover': 870348, 'under cover of': 940060, 'cover of trump': 212271, 'of trump us': 592480, 'trump us any': 933948, 'us any excuse': 948506, 'excuse to ensure': 289780, 'ensure that oil': 278063, 'price collapse supply': 673172, 'collapse supply only': 186057, 'supply only flow': 825675, 'only flow from': 610448, 'flow from where': 311232, 'where it want': 984974, 'it want it': 462235, 'want it to': 965836, 'it to saudi': 461750, 'to saudi russia': 913771, 'russia and locally': 728430, 'and locally rest': 66309, 'locally rest of': 498779, 'rest of world': 716212, 'of world be': 593310, 'world be damned': 1009352, 'be damned to': 114328, 'damned to suffer': 225479, 'to dining': 904309, 'out several': 627163, 'that feel': 843854, 'buy pretty': 149096, 'worry though': 1010787, 'though fairly': 892807, 'fairly sure': 296444, 'their employment': 873165, 'used to dining': 950050, 'to dining out': 904310, 'dining out several': 243022, 'out several time': 627164, 'several time week': 753947, 'time week that': 898251, 'week that feel': 976976, 'that feel sorry': 843855, 'sorry for during': 786042, 'crisis they ve': 218219, 'make the effort': 510566, 'supermarket and bulk': 818946, 'bulk buy pretty': 142258, 'buy pretty much': 149097, 'much everything in': 544868, 'not worry though': 572572, 'worry though fairly': 1010788, 'though fairly sure': 892808, 'fairly sure their': 296445, 'sure their employment': 827721, 'their employment will': 873166, 'awarding': 105594, 'them government': 875793, 'uganda are': 937964, 'facing year': 295666, 'prison for': 678717, 'for awarding': 319545, 'awarding contract': 105595, 'contract to': 201712, 'supplier offering': 824584, 'offering inflated': 595163, 'nation emergency': 552159, 'on them government': 604537, 'them government official': 875794, 'government official in': 360413, 'official in uganda': 595842, 'in uganda are': 430372, 'uganda are facing': 937965, 'are facing year': 86442, 'facing year in': 295667, 'in prison for': 427001, 'prison for awarding': 678718, 'for awarding contract': 319546, 'awarding contract to': 105596, 'contract to supplier': 201713, 'to supplier offering': 915871, 'supplier offering inflated': 824585, 'offering inflated price': 595164, 'price to carry': 676973, 'carry out the': 165139, 'out the nation': 627396, 'the nation emergency': 861226, 'nation emergency relief': 552160, 'emergency relief food': 272915, 'relief food plan': 709333, 'food plan in': 315859, 'govt scientific': 361270, 'scientific advisor': 742163, 'advisor issue': 33733, 'workplace you': 1009219, 'about minimising': 25732, 'minimising it': 533095, 'easter holiday and': 265447, 'holiday and govt': 400259, 'and govt scientific': 63894, 'govt scientific advisor': 361271, 'scientific advisor issue': 742164, 'advisor issue this': 33734, 'issue this you': 455969, 'risk at the': 723399, 'the workplace you': 871793, 'workplace you would': 1009220, 'you would be': 1022446, 'it is about': 458858, 'is about minimising': 445276, 'about minimising it': 25733, 'minimising it stayhomesavelives': 533096, 'it stayhomesavelives lockdown': 461241, 'local spanish': 498439, 'checkout social': 175006, 'distancing enforced': 247122, 'enforced plastic': 276719, 'staff wearing': 793060, 'buying shelf': 151014, 'stocked assuming': 803275, 'assuming similar': 97054, 'similar in': 769899, 'our local spanish': 623788, 'local spanish supermarket': 498440, 'spanish supermarket this': 787417, 'morning managed queue': 541352, 'managed queue to': 512484, 'in and at': 420349, 'the checkout social': 850776, 'checkout social distancing': 175007, 'social distancing enforced': 779598, 'distancing enforced plastic': 247123, 'enforced plastic glove': 276720, 'plastic glove for': 658850, 'glove for everyone': 352689, 'for everyone all': 321194, 'everyone all staff': 286683, 'all staff wearing': 44417, 'staff wearing glove': 793061, 'and mask no': 66757, 'mask no panic': 519011, 'panic buying shelf': 637881, 'buying shelf fully': 151015, 'fully stocked assuming': 341085, 'stocked assuming similar': 803276, 'assuming similar in': 97055, 'similar in the': 769900, 'only reduced': 611064, 'also raised': 48744, 'raised new': 696014, 'of store around': 590240, 'world ha not': 1009614, 'not only reduced': 570822, 'only reduced consumer': 611065, 'spending but also': 788762, 'but also raised': 145137, 'also raised new': 48745, 'raised new question': 696015, 'about the purchasing': 26495, 'the purchasing behavior': 864924, 'purchasing behavior of': 689843, 'behavior of non': 124132, 'supermarket disinfectant': 819969, 'disinfectant cleanshelf': 245633, 'cleanshelf 19': 181177, 'supermarket disinfectant cleanshelf': 819970, 'disinfectant cleanshelf 19': 245634, 'key lesson': 473338, 'need resilient': 555519, 'resilient social': 714537, 'social state': 779970, 'society science': 781307, 'science matter': 742117, 'any billionaire': 78976, 'billionaire saturdaythoughts': 130963, 'saturdaythoughts taxtherich': 737121, 'some key lesson': 783166, 'key lesson we': 473339, 'lesson we have': 486520, 'we have learnt': 971854, 'learnt in the': 484277, 'midst of we': 530798, 'of we need': 592966, 'we need resilient': 972536, 'need resilient social': 555520, 'resilient social state': 714538, 'social state health': 779971, 'state health worker': 795661, 'of the society': 591477, 'the society science': 867444, 'society science matter': 781308, 'science matter the': 742118, 'matter the employee': 520631, 'the employee in': 854263, 'supermarket ha done': 820625, 'me than any': 523594, 'than any billionaire': 840346, 'any billionaire saturdaythoughts': 78977, 'billionaire saturdaythoughts taxtherich': 130964, 'roussin once': 726436, 'discourages grocery': 244640, 'shopping based': 762154, 'dr roussin once': 258089, 'roussin once again': 726437, 'once again discourages': 605564, 'again discourages grocery': 36979, 'discourages grocery shopping': 244641, 'grocery shopping based': 364999, 'shopping based on': 762155, 'based on fear': 111678, 'on fear or': 600760, 'or panic have': 616490, 'panic have supply': 638163, 'have supply for': 382859, 'supply for week': 825285, 'my curbside': 547864, 'curbside is': 220628, 'entire week': 278774, 'never happens': 558045, 'happens appreciate': 377451, 'during busy': 262478, 'you chill': 1017948, 'out hoarding': 626305, 'hey can all': 394340, 'can all stop': 157438, 'buying grocery my': 150415, 'grocery my curbside': 364742, 'my curbside is': 547865, 'curbside is an': 220629, 'is an entire': 445655, 'an entire week': 55778, 'entire week out': 278775, 'week out this': 976712, 'out this never': 627579, 'this never happens': 889106, 'never happens appreciate': 558046, 'happens appreciate all': 377452, 'store people know': 809491, 'people know how': 648597, 'know how stressful': 476458, 'it is during': 458942, 'is during busy': 447413, 'during busy time': 262479, 'busy time keep': 144994, 'time keep it': 897100, 'of you chill': 593375, 'you chill out': 1017949, 'chill out hoarding': 176371, 'henleaze': 391774, 'tell supermarket': 837070, 'supermarket exec': 820244, 'exec to': 289842, 'implement one': 418406, 'sure shopper': 827668, '2m separate': 16710, 'separate henleaze': 751076, 'henleaze wa': 391775, 'spreading centre': 790944, 'centre this': 169548, 'morning keepyourdistance': 541335, 'keepyourdistance please': 472681, 'dear please tell': 229853, 'please tell supermarket': 660649, 'tell supermarket exec': 837071, 'supermarket exec to': 820245, 'exec to implement': 289843, 'to implement one': 908172, 'implement one way': 418407, 'way system on': 969904, 'system on the': 831272, 'on the aisle': 603965, 'aisle and make': 40192, 'make sure shopper': 510525, 'sure shopper stay': 827669, 'shopper stay 2m': 761707, 'stay 2m separate': 796735, '2m separate henleaze': 16711, 'separate henleaze wa': 751077, 'henleaze wa spreading': 391776, 'wa spreading centre': 963292, 'spreading centre this': 790945, 'centre this morning': 169549, 'this morning keepyourdistance': 888980, 'morning keepyourdistance please': 541336, 'breaking important': 138963, 'important news': 418894, 'news flash': 560405, 'flash hand': 310029, 'vaccination stopthespread': 951634, 'breaking important news': 138964, 'important news flash': 418895, 'news flash hand': 560406, 'flash hand sanitizer': 310030, 'effective vaccination stopthespread': 269323, 'justintimecx': 470487, 'short study': 764698, 'study you': 814984, 'coronavirus impacting': 206112, 'impacting one': 418243, 'one lifestyle': 606596, 'lifestyle ha': 489364, 'ha held': 370849, 'held study': 388930, 'week justintimecx': 976447, 'justintimecx consumer': 470488, 'this short study': 890117, 'short study you': 764699, 'study you can': 814985, 'that the concern': 846690, 'the concern over': 851424, 'the coronavirus impacting': 851869, 'coronavirus impacting one': 206113, 'impacting one lifestyle': 418244, 'one lifestyle ha': 606597, 'lifestyle ha held': 489365, 'ha held study': 370850, 'held study for': 388931, 'study for the': 814891, 'most part from': 542604, 'part from the': 642279, 'of march to': 586215, 'march to the': 515501, 'to the second': 917044, 'second week justintimecx': 743870, 'week justintimecx consumer': 976448, 'justintimecx consumer data': 470489, 'freetravelforkeyworkers': 332501, 'you planning': 1020345, 'allow free': 45975, 'reduced fare': 706076, 'like nh': 490851, 'of freetravelforkeyworkers': 583933, 'freetravelforkeyworkers coronacrisis': 332502, 'are you planning': 91833, 'you planning to': 1020346, 'planning to allow': 658582, 'to allow free': 900338, 'allow free travel': 45976, 'free travel or': 332270, 'travel or reduced': 930456, 'or reduced fare': 616815, 'reduced fare for': 706077, 'fare for key': 299022, 'key worker like': 473495, 'worker like nh': 1007323, 'like nh supermarket': 490852, 'supermarket staff social': 822891, 'care worker etc': 164285, 'rest of freetravelforkeyworkers': 716193, 'of freetravelforkeyworkers coronacrisis': 583934, 'freetravelforkeyworkers coronacrisis nhsworkers': 332503, 'coverall': 212394, 'hypebeast': 412279, 'mtv': 544653, 'tmz': 899377, 'mask ply': 519126, 'ply handsanitizer': 661766, 'handsanitizer 75': 376468, '75 latexgloves': 22140, 'latexgloves coverall': 481626, 'coverall disinfectantwipes': 212395, 'disinfectantwipes order': 245822, 'now family': 574664, 'family corporation': 297726, 'corporation entrepreneur': 207414, 'entrepreneur hypebeast': 278933, 'hypebeast ap': 412280, 'ap abcnews': 81196, 'abcnews cnn': 24283, 'cnn cdc': 184749, 'cdc newyork': 168594, 'newyork atlanta': 561180, 'atlanta stlouis': 101848, 'stlouis denver': 801733, 'denver mtv': 237125, 'mtv mayor': 544654, 'mayor tmz': 521989, 'tmz visit': 899378, 'kit mask ply': 475596, 'mask ply handsanitizer': 519127, 'ply handsanitizer 75': 661767, 'handsanitizer 75 latexgloves': 376469, '75 latexgloves coverall': 22141, 'latexgloves coverall disinfectantwipes': 481627, 'coverall disinfectantwipes order': 212396, 'disinfectantwipes order now': 245823, 'order now family': 618426, 'now family corporation': 574665, 'family corporation entrepreneur': 297727, 'corporation entrepreneur hypebeast': 207415, 'entrepreneur hypebeast ap': 278934, 'hypebeast ap abcnews': 412281, 'ap abcnews cnn': 81197, 'abcnews cnn cdc': 24284, 'cnn cdc newyork': 184750, 'cdc newyork atlanta': 168595, 'newyork atlanta stlouis': 561181, 'atlanta stlouis denver': 101849, 'stlouis denver mtv': 801734, 'denver mtv mayor': 237126, 'mtv mayor tmz': 544655, 'mayor tmz visit': 521990, 'now join and': 575143, 'and on thursday': 68072, 'vulnerable method': 961043, 'fraud at': 331238, 'moment click': 535896, 'most vulnerable method': 542885, 'vulnerable method of': 961044, 'method of fraud': 529783, 'of fraud at': 583894, 'fraud at the': 331239, 'the moment click': 860744, 'moment click below': 535897, 'prioritycustomers': 678698, 'now added': 573940, 'added my': 31584, 'parent second': 641717, 'second delivery': 743693, 'service themselves': 752937, 'do flag': 249304, 'flag on': 309944, 'are priority': 89232, 'priority sainsburys': 678639, 'sainsburys prioritycustomers': 731785, 'have now added': 381725, 'now added my': 573941, 'added my elderly': 31585, 'elderly parent second': 270811, 'parent second delivery': 641718, 'second delivery address': 743694, 'delivery address to': 233627, 'address to my': 32058, 'account they do': 28762, 'not and will': 568207, 'will not use': 994283, 'use online service': 949447, 'online service themselves': 608965, 'service themselves but': 752938, 'themselves but how': 876784, 'how do flag': 407714, 'do flag on': 249305, 'flag on my': 309945, 'my account that': 547225, 'account that they': 28757, 'they are priority': 881367, 'are priority sainsburys': 89233, 'priority sainsburys prioritycustomers': 678640, 'frenzied': 332769, 'key price': 473368, 'jump amid': 467848, 'amid frenzied': 52483, 'frenzied buying': 332770, 'buying ban': 149987, 'ban without': 109295, 'key price are': 473369, 'chain and price': 170473, 'and price jump': 69459, 'price jump amid': 674955, 'jump amid frenzied': 467849, 'amid frenzied buying': 52484, 'frenzied buying ban': 332771, 'buying ban without': 149988, 'ban without the': 109296, 'impacted in': 418127, 'by encourage': 152483, 'of are impacted': 580347, 'are impacted in': 87321, 'impacted in some': 418128, 'some way by': 784186, 'way by encourage': 969515, 'by encourage you': 152484, 'out the local': 627386, 'and from purchasing': 63350, 'from purchasing gift': 337005, 'online and increasing': 607824, 'and increasing tip': 65130, 'who gouged': 988815, 'price hoarded': 674568, 'hoarded for': 398945, 'reason acted': 702861, 'acted if': 29835, 'this fuck': 887638, 'fuck saying': 339636, 'lawsuit will': 482543, 'will roll': 994723, 'settle people who': 753689, 'people who gouged': 650302, 'who gouged price': 988816, 'gouged price hoarded': 359202, 'price hoarded for': 674569, 'hoarded for no': 398946, 'no reason acted': 565282, 'reason acted if': 702862, 'acted if the': 29836, 'and this fuck': 73992, 'this fuck saying': 887639, 'fuck saying people': 339637, 'how the lawsuit': 408841, 'the lawsuit will': 859202, 'lawsuit will roll': 482545, 'recognises': 704610, 'wish when': 996849, 'government recognises': 360513, 'recognises the': 704611, 'work commitment': 1004993, 'commitment the': 188999, 'wheel in': 983038, 'in motion': 425476, 'motion all': 543254, 'driver every': 259543, 'my wish when': 550624, 'wish when we': 996850, 'we are through': 970739, 'are through this': 91084, 'through this is': 894824, 'the government recognises': 856592, 'government recognises the': 360514, 'recognises the hard': 704612, 'hard work commitment': 378124, 'work commitment the': 1004994, 'commitment the people': 189000, 'this country who': 886979, 'have kept the': 381219, 'kept the wheel': 473079, 'the wheel in': 871425, 'wheel in motion': 983039, 'in motion all': 425477, 'motion all the': 543255, 'lorry driver every': 503340, 'driver every other': 259544, 'every other key': 286068, 'wvstatejournal': 1013628, 'wvstatejournal rt': 1013629, 'rt wvnews247': 726853, 'wvstatejournal rt wvnews247': 1013630, 'rt wvnews247 ag': 726854, 'confidence global': 193871, 'alert coronavirus hit': 41393, 'consumer confidence global': 196899, 'confidence global pandemic': 193872, 'solved so': 782182, 'toiletpaper whitehouse': 922843, 'whitehouse trump': 987953, 'mystery solved so': 551016, 'solved so that': 782183, 'so that what': 778404, 'that what happened': 847460, 'paper toiletpaper whitehouse': 640964, 'toiletpaper whitehouse trump': 922844, 'succession': 816281, 'we virtually': 973725, 'virtually gathered': 957842, 'gathered hr': 344417, 'hr leader': 409638, 'from benefit': 334686, 'emergency succession': 272996, 'succession planning': 816282, 'to preserving': 912026, 'preserving corporate': 670721, 'corporate culture': 207254, 'culture remotely': 220307, 'we virtually gathered': 973726, 'virtually gathered hr': 957843, 'gathered hr leader': 344418, 'hr leader of': 409639, 'leader of retail': 483501, 'of retail company': 589044, 'retail company to': 717977, 'company to share': 191244, 'share how they': 755041, 'handling the crisis': 376393, 'the crisis from': 852382, 'crisis from benefit': 217401, 'from benefit for': 334687, 'benefit for part': 126969, 'for part time': 324399, 'part time worker': 642458, 'time worker to': 898379, 'worker to emergency': 1008004, 'to emergency succession': 905013, 'emergency succession planning': 272997, 'succession planning to': 816283, 'planning to preserving': 658590, 'to preserving corporate': 912027, 'preserving corporate culture': 670722, 'corporate culture remotely': 207255, '1rm': 12701, 'technically': 836213, 'malaysia think': 511634, 'for 95': 318953, '95 should': 23605, 'around 1rm': 93121, '1rm do': 12702, 'think some': 885554, 'paying much': 645451, 'much attention': 544742, 'attention the': 102488, 'now 45': 573910, '45 lower': 19108, 'ago which': 38550, 'wa 08': 961340, '08 and': 1076, 'be technically': 117532, 'technically only': 836214, 'only around': 610117, 'malaysia think the': 511635, 'think the price': 885649, 'price for 95': 673920, 'for 95 should': 318954, '95 should be': 23606, 'should be around': 765555, 'be around 1rm': 113680, 'around 1rm do': 93122, '1rm do not': 12703, 'not think some': 572086, 'think some of': 885555, 'some of are': 783389, 'not paying much': 570990, 'paying much attention': 645452, 'much attention the': 544743, 'attention the price': 102489, 'price is now': 674880, 'is now 45': 450250, 'now 45 lower': 573911, '45 lower than': 19109, 'lower than month': 506012, 'month ago which': 537549, 'ago which wa': 38551, 'which wa 08': 986438, 'wa 08 and': 961341, '08 and now': 1077, 'and now should': 67860, 'now should be': 575817, 'should be technically': 765745, 'be technically only': 117533, 'technically only around': 836215, 'only around 20': 610118, 'valuable to': 952058, 'to functioning': 906326, 'functioning economy': 341324, 'employee have always': 273915, 'have always been': 379222, 'always been more': 49491, 'been more valuable': 121544, 'more valuable to': 540888, 'valuable to functioning': 952059, 'to functioning economy': 906327, 'functioning economy than': 341325, 'economy than any': 268260, '620': 21236, '663': 21441, '75965': 22212, 'horizon is': 404046, 'don struggle': 253941, 'struggle alone': 814327, 'alone call': 46833, 'at 620': 97713, '620 663': 21237, '663 75965': 21442, 'horizon is here': 404047, 'to help don': 907496, 'help don struggle': 389599, 'don struggle alone': 253942, 'struggle alone call': 814328, 'alone call at': 46834, 'call at 620': 155782, 'at 620 663': 97714, '620 663 75965': 21238, 'sure betfred': 827498, 'last business': 480125, 'sure betfred will': 827499, 'the last business': 858996, 'last business to': 480126, 'business to ask': 144529, 'ask for rent': 95536, 'for rent holiday': 325121, 'timberlake': 896174, 'the timberlake': 869569, 'timberlake motel': 896175, 'motel toiletpaper': 543044, 'you need laugh': 1020009, 'need laugh today': 555146, 'laugh today here': 481774, 'here the sign': 393668, 'the sign at': 867176, 'at the timberlake': 101126, 'the timberlake motel': 869570, 'timberlake motel toiletpaper': 896176, 're due': 698576, 'due food': 261652, 'or 15': 614177, '15 wk': 3866, 'wk supermarket': 1003221, 'holiday the': 400361, 'be arranging': 113684, 'arranging but': 93736, 'in doubt': 422372, 'doubt check': 256193, 'do you qualify': 250665, 'you qualify for': 1020519, 'qualify for free': 691724, 'meal you re': 524317, 'you re due': 1020607, 're due food': 698577, 'due food parcel': 261653, 'parcel or 15': 641516, 'or 15 wk': 614178, '15 wk supermarket': 3867, 'wk supermarket voucher': 1003222, 'voucher even during': 960638, 'easter holiday the': 265450, 'holiday the school': 400362, 'the school should': 866492, 'school should be': 741920, 'should be arranging': 765556, 'be arranging but': 113685, 'arranging but if': 93737, 'but if in': 145991, 'if in doubt': 414254, 'in doubt check': 422373, 'sgh': 754281, 'aisola': 40441, 'sgh aisola': 754282, 'aisola later': 40442, 'later already': 481016, 'keep score': 471915, 'score which': 742380, 'which death': 985796, 'death list': 230114, 'higher we': 395796, 'track covid': 928180, 'sgh aisola later': 754283, 'aisola later already': 40443, 'later already happening': 481017, 'already happening can': 47411, 'happening can keep': 377337, 'can keep score': 158814, 'keep score which': 471916, 'score which death': 742381, 'which death list': 985797, 'death list is': 230115, 'list is higher': 494378, 'is higher we': 448457, 'higher we track': 395797, 'we track covid': 973564, 'track covid 19': 928181, '19 death the': 6457, 'possible medication': 665713, 'medication shortage': 526679, 'shortage pharmacy': 765173, 'now must': 575326, 'reality amid': 701694, 'new funny': 558789, 'funny youtube': 341819, 'video tackling': 956910, 'tackling these': 831654, 'these topic': 880867, 'topic link': 925801, 'in comment': 421590, 'section 19': 743992, '19 pharmacy': 9670, 'pharmacy medication': 654376, 'medication toiletpaper': 526686, 'buying at pharmacy': 149969, 'at pharmacy and': 100112, 'pharmacy and possible': 654222, 'and possible medication': 69215, 'possible medication shortage': 665714, 'medication shortage pharmacy': 526680, 'shortage pharmacy now': 765174, 'pharmacy now must': 654383, 'now must face': 575327, 'face new reality': 294638, 'new reality amid': 559394, 'reality amid covid': 701695, 'pandemic new funny': 636023, 'new funny youtube': 558790, 'funny youtube video': 341820, 'youtube video tackling': 1026925, 'video tackling these': 956911, 'tackling these topic': 831655, 'these topic link': 880868, 'topic link in': 925802, 'link in comment': 493855, 'in comment section': 421591, 'comment section 19': 188446, 'section 19 pharmacy': 743993, '19 pharmacy medication': 9671, 'pharmacy medication toiletpaper': 654377, 'turmoil over': 935627, 'arabia coupled': 83870, 'reduced driving': 706062, 'pump read': 689098, 'the turmoil over': 870115, 'turmoil over the': 935628, 'surge of oil': 828232, 'of oil production': 587194, 'production by russia': 681953, 'by russia and': 153852, 'saudi arabia coupled': 737189, 'arabia coupled with': 83871, 'coupled with reduced': 211738, 'with reduced driving': 1000433, 'reduced driving in': 706063, 'to tumble at': 917832, 'the pump read': 864907, 'pump read more': 689099, '19th and': 12535, 'and reading': 69985, 'outbreak on the': 628498, 'the 19th and': 847964, '19th and many': 12536, 'many are staying': 513777, 'staying home staying': 798622, 'safe and reading': 729472, 'and reading this': 69986, 'reading this month': 700812, 'post for best': 666132, 'for best practice': 319650, 'is authorised': 445895, 'authorised by': 103665, 'out if anyone': 626357, 'anyone or company': 80452, 'or company is': 614779, 'company is authorised': 190796, 'is authorised by': 445896, 'authorised by your': 103666, 'by your govt': 154787, 'your govt to': 1024088, 'govt to do': 361311, 'do the delivery': 250238, 'the delivery for': 853065, 'delivery for you': 234036, '25 an': 15835, 'die from for': 241349, 'from for 25': 335525, 'for 25 an': 318779, '25 an hour': 15836, 'not declaring': 568969, 'declaring suspension': 231279, 'shopping home': 762900, 'delivery license': 234159, 'license curse': 488130, 'curse of': 221754, 'of viral': 592810, 'viral insanity': 957596, 'insanity disease': 439099, '19th house': 12537, 'the govt not': 856667, 'govt not declaring': 361221, 'not declaring suspension': 568970, 'declaring suspension of': 231280, 'suspension of online': 829690, 'grocery shopping home': 365035, 'shopping home delivery': 762901, 'home delivery license': 401027, 'delivery license curse': 234160, 'license curse of': 488131, 'curse of viral': 221755, 'of viral insanity': 592811, 'viral insanity disease': 957597, 'insanity disease in': 439100, 'disease in the': 245157, 'in the 19th': 428947, 'the 19th house': 847965, '19th house covid': 12538, 'march 26 hosted': 515217, '26 hosted complimentary': 16168, 'kingdom launch': 475336, 'of task': 590601, 'stop company': 804580, 'united kingdom launch': 942186, 'kingdom launch of': 475337, 'launch of task': 481935, 'of task force': 590602, 'to stop company': 915510, 'stop company taking': 804581, 'safe in your': 729773, 'online prepare your': 608783, 'prepare your look': 670156, 'your look for': 1024742, 'look for this': 502372, 'free shipping in': 332158, 'shipping in order': 758858, 'order of 50': 618438, 'getkart': 348785, 'alocoholbasedhandsanitizer': 46778, 'usehandsanitizer': 950214, 'use always': 949025, 'always only': 49673, 'only alcohol': 610048, 'based handsanitizer': 111606, 'handsanitizer that': 376659, 'without using': 1003019, 'using water': 950791, 'infected of': 436606, 'here getkart': 393037, 'getkart handsanitizer': 348786, 'handsanitizer alocoholbasedhandsanitizer': 376470, 'alocoholbasedhandsanitizer usehandsanitizer': 46779, 'use always only': 949026, 'always only alcohol': 49674, 'only alcohol based': 610049, 'alcohol based handsanitizer': 40931, 'based handsanitizer that': 111607, 'handsanitizer that effectively': 376660, 'that effectively kill': 843681, 'effectively kill germ': 269359, 'kill germ without': 474407, 'germ without using': 346189, 'without using water': 1003020, 'using water and': 950792, 'water and prevent': 968877, 'and prevent you': 69415, 'being infected of': 125324, 'infected of shop': 436607, 'of shop from': 589619, 'shop from here': 760224, 'from here getkart': 335777, 'here getkart handsanitizer': 393038, 'getkart handsanitizer alocoholbasedhandsanitizer': 348787, 'handsanitizer alocoholbasedhandsanitizer usehandsanitizer': 376471, 'oeb ha': 579277, 'ha oversight': 371465, 'is oeb': 450395, 'oeb going': 579275, 'halt peek': 374449, 'alleviate strain': 45817, 'strain consumer': 812272, 'energy this': 276602, 'oeb ha oversight': 579278, 'ha oversight of': 371466, 'oversight of energy': 631523, 'ontario when is': 611640, 'when is oeb': 983616, 'is oeb going': 450396, 'oeb going to': 579276, 'to halt peek': 907104, 'halt peek pricing': 374450, 'help alleviate strain': 389331, 'alleviate strain consumer': 45818, 'strain consumer budget': 812273, 'elexion energy this': 271401, 'energy this is': 276603, 'is your call': 454138, 'your call to': 1023110, 'completely 6ft': 192208, 'others wear': 621765, 'distancing 11': 246939, '11 11': 2441, 'store or need': 809349, 'be in public': 115426, 'public place where': 688241, 'place where you': 657836, 'where you aren': 985384, 'you aren able': 1017298, 'to be completely': 901174, 'be completely 6ft': 114165, 'completely 6ft away': 192209, 'from others wear': 336751, 'others wear this': 621766, 'wear this this': 974481, 'not in place': 570103, 'in place of': 426750, 'place of social': 657607, 'social distancing 11': 779542, 'distancing 11 11': 246940, 'american seeing': 52185, 'paper american': 639788, 'american now': 52103, 'country toiletpapercrisis': 211179, 'american seeing venezuelan': 52186, 'toilet paper american': 921181, 'paper american now': 639789, 'american now that': 52104, 'any store in': 79865, 'the country toiletpapercrisis': 852171, 'country toiletpapercrisis toiletpaper': 211180, 'toiletpapercrisis toiletpaper toiletpaperpanic': 923087, 'getr': 348802, 'nkebranche': 563500, 'sorgt': 785986, 'ums': 939261, 'leergut': 485361, 'ruft': 727087, 'zur': 1027907, 'ckgabe': 179656, 'leerer': 485358, 'mehrweg': 527864, 'flaschen': 310021, 'ein': 270218, 'gibt': 349909, 'jeden': 464973, 'leeren': 485355, 'kasten': 471002, 'rolle': 725630, 'die getr': 241361, 'getr nkebranche': 348803, 'nkebranche sorgt': 563501, 'sorgt sich': 785987, 'sich ums': 768344, 'ums leergut': 939262, 'leergut und': 485362, 'und ruft': 939925, 'ruft zur': 727088, 'zur ckgabe': 1027908, 'ckgabe leerer': 179657, 'leerer mehrweg': 485359, 'mehrweg flaschen': 527865, 'flaschen auf': 310022, 'auf ein': 102959, 'ein markt': 270219, 'markt in': 517942, 'in stuttgart': 428513, 'stuttgart gibt': 815583, 'gibt jeden': 349910, 'jeden leeren': 464974, 'leeren kasten': 485356, 'kasten eine': 471003, 'eine rolle': 270227, 'rolle klopapier': 725631, 'die getr nkebranche': 241362, 'getr nkebranche sorgt': 348804, 'nkebranche sorgt sich': 563502, 'sorgt sich ums': 785988, 'sich ums leergut': 768345, 'ums leergut und': 939263, 'leergut und ruft': 485363, 'und ruft zur': 939926, 'ruft zur ckgabe': 727089, 'zur ckgabe leerer': 1027909, 'ckgabe leerer mehrweg': 179658, 'leerer mehrweg flaschen': 485360, 'mehrweg flaschen auf': 527866, 'flaschen auf ein': 310023, 'auf ein markt': 102960, 'ein markt in': 270220, 'markt in stuttgart': 517943, 'in stuttgart gibt': 428514, 'stuttgart gibt jeden': 815584, 'gibt jeden leeren': 349911, 'jeden leeren kasten': 464975, 'leeren kasten eine': 485357, 'kasten eine rolle': 471004, 'eine rolle klopapier': 270228, 'keller': 472707, 'puebla': 688811, 'particular edition': 642609, 'of writer': 593335, 'writer lounge': 1012810, 'lounge is': 504560, 'excellent essay': 289084, 'essay from': 280703, 'from jennifer': 336150, 'jennifer keller': 465104, 'keller puebla': 472708, 'puebla an': 688812, 'amazing video': 50814, 'tokyo exclusive': 923487, 'exclusive to': 289701, 'national compass': 552451, 'compass and': 191475, 'fun video': 341237, 'video you': 956976, 'love guaranteed': 504678, 'guaranteed richard': 367749, 'richard cameron': 721291, 'cameron editor': 157136, 'editor in': 268659, 'in chief': 421375, 'this particular edition': 889487, 'particular edition of': 642610, 'edition of writer': 268638, 'of writer lounge': 593336, 'writer lounge is': 1012811, 'lounge is must': 504561, 'is must read': 449771, 'must read an': 546830, 'read an excellent': 700274, 'an excellent essay': 55913, 'excellent essay from': 289085, 'essay from jennifer': 280704, 'from jennifer keller': 336151, 'jennifer keller puebla': 465105, 'keller puebla an': 472709, 'puebla an amazing': 688813, 'an amazing video': 55272, 'amazing video from': 50815, 'video from tokyo': 956747, 'from tokyo exclusive': 338089, 'tokyo exclusive to': 923488, 'exclusive to national': 289702, 'to national compass': 910480, 'national compass and': 552452, 'compass and really': 191476, 'and really fun': 70016, 'really fun video': 702214, 'fun video you': 341238, 'video you will': 956977, 'you will love': 1022343, 'will love guaranteed': 994060, 'love guaranteed richard': 504679, 'guaranteed richard cameron': 367750, 'richard cameron editor': 721292, 'cameron editor in': 157137, 'editor in chief': 268660, 'crooked': 218882, 'diming': 242933, 'all becoming': 42156, 'becoming just': 120312, 'primary is': 678077, 'is bunch': 446302, 'me fit': 522735, 'the crooked': 852502, 'crooked dems': 218883, 'are nickel': 88233, 'nickel and': 562590, 'and diming': 61360, 'diming on': 242934, 'potential help': 667083, 'may receive': 521443, 'by 6am': 151698, 'want chance': 965745, 'shit is all': 759137, 'is all becoming': 445452, 'all becoming just': 42157, 'becoming just too': 120313, 'just too much': 470128, 'too much the': 924948, 'much the primary': 545356, 'the primary is': 864455, 'primary is bunch': 678078, 'is bunch of': 446303, 'bunch of the': 142638, 'the news on': 861623, 'news on is': 560666, 'on is giving': 601632, 'is giving me': 448064, 'giving me fit': 351340, 'me fit the': 522736, 'fit the crooked': 309499, 'the crooked dems': 852503, 'crooked dems are': 218884, 'dems are nickel': 236892, 'are nickel and': 88234, 'nickel and diming': 562591, 'and diming on': 61361, 'diming on the': 242935, 'on the potential': 604296, 'the potential help': 864119, 'potential help we': 667084, 'help we may': 390865, 'we may receive': 972355, 'may receive my': 521444, 'receive my grocery': 703515, 'store just told': 808630, 'told me be': 923604, 'me be there': 522497, 'be there by': 117677, 'there by 6am': 878267, 'by 6am if': 151699, '6am if want': 21564, 'if want chance': 415251, 'want chance to': 965746, 'ncov2019': 553347, 'have reliable': 382254, 'reliable car': 709193, 'some include': 783102, 'include automatic': 431524, 'automatic tip': 103986, 'tip wuhanvirus': 898963, 'wuhanvirus chinaflu': 1013570, 'chinaflu chineseflu': 177091, 'chineseflu ncov2019': 177415, 'ncov2019 ncov19': 553348, 'ncov19 sars': 553345, 'cov2 job': 212148, 'job jobalert': 465925, 'have reliable car': 382255, 'reliable car and': 709194, 'car and need': 163001, 'and need job': 67474, 'need job check': 555122, 'job check with': 465738, 'check with local': 174717, 'store some include': 810261, 'some include automatic': 783103, 'include automatic tip': 431525, 'automatic tip wuhanvirus': 103987, 'tip wuhanvirus chinaflu': 898964, 'wuhanvirus chinaflu chineseflu': 1013571, 'chinaflu chineseflu ncov2019': 177092, 'chineseflu ncov2019 ncov19': 177416, 'ncov2019 ncov19 sars': 553349, 'ncov19 sars cov2': 553346, 'sars cov2 job': 736812, 'cov2 job jobalert': 212149, 'thecourieruk': 872304, 'kinross': 475381, 'communitysupport': 190261, 'took around': 925210, '50 call': 19645, 'with prescription': 1000292, 'prescription shopping': 670536, 'shopping dozen': 762519, 'of request': 588957, 'request via': 713228, 'lovely volunteer': 505004, 'action thecourieruk': 30152, 'thecourieruk kinross': 872305, 'kinross selfisolationhelp': 475382, 'selfisolationhelp communitysupport': 748516, 'we took around': 973557, 'took around 50': 925211, 'around 50 call': 93151, '50 call for': 19646, 'help with prescription': 390924, 'with prescription shopping': 1000293, 'prescription shopping dozen': 670537, 'shopping dozen of': 762520, 'dozen of request': 257895, 'of request via': 588958, 'request via our': 713229, 'online form here': 608258, 'form here are': 329514, 'here are of': 392748, 'are of our': 88644, 'of our lovely': 587506, 'our lovely volunteer': 623819, 'lovely volunteer in': 505005, 'volunteer in action': 960286, 'in action thecourieruk': 420016, 'action thecourieruk kinross': 30153, 'thecourieruk kinross selfisolationhelp': 872306, 'kinross selfisolationhelp communitysupport': 475383, 'carbondioxide': 163424, 'blog euets': 132926, 'carbonemission carbondioxide': 163428, 'carbondioxide co2': 163425, 'operation read blog': 613241, 'read blog euets': 700309, 'blog euets carbonemission': 132927, 'euets carbonemission carbondioxide': 283317, 'carbonemission carbondioxide co2': 163429, 'carbondioxide co2 sustainability': 163426, 'further price': 342138, 'the combat': 851168, 'combat against': 186980, 'against imminent': 37504, 'further price rise': 342139, 'price rise for': 676237, 'rise for face': 722862, 'face mask used': 294603, 'mask used in': 519470, 'in the combat': 429081, 'the combat against': 851169, 'combat against imminent': 186981, 'gouging uk': 359487, 'uk failing': 938347, 'tackle rip': 831597, 'off seller': 594137, 'seller say': 749068, 'didn increase': 241114, 'report fact': 711928, 'fact stayathomesavelives': 295782, 'price gouging uk': 674337, 'gouging uk failing': 359488, 'uk failing to': 938348, 'to tackle rip': 916136, 'tackle rip off': 831598, 'rip off seller': 722667, 'off seller say': 594138, 'seller say if': 749069, 'say if didn': 738783, 'if didn increase': 414042, 'didn increase their': 241115, 'their price report': 874415, 'price report fact': 676184, 'report fact stayathomesavelives': 711929, 'fact stayathomesavelives 19': 295783, 'stayathomesavelives 19 stayhome': 797797, 'immunodeficiency': 417484, 'parent over': 641702, '70 just': 21787, 'did their': 240860, '1st hard': 12752, 'have immunodeficiency': 381018, 'immunodeficiency and': 417485, 'my parent over': 549694, 'parent over 70': 641703, 'over 70 just': 629913, '70 just did': 21788, 'just did their': 468589, 'did their grocery': 240861, 'online it will': 608449, 'be delivered on': 114398, 'delivered on april': 233366, 'april 1st hard': 83441, '1st hard for': 12753, 'home when they': 402482, 'have food stayathome': 380666, 'food stayathome and': 316756, 'stayathome and can': 797433, 'and can help': 59457, 'can help because': 158606, 'help because have': 389412, 'because have immunodeficiency': 119101, 'have immunodeficiency and': 381019, 'immunodeficiency and have': 417486, 'better business': 128215, 'business bureau': 143456, 'is curious': 446981, 'scam our': 740285, 'seeing check': 746254, 'comment down': 188411, 'down below': 256560, 'below how': 126667, 'got bingo': 358439, 'scam bb': 740069, 'bb ftc': 113044, 'better business bureau': 128216, 'business bureau is': 143457, 'bureau is curious': 142791, 'is curious what': 446982, 'curious what type': 220994, 'type of scam': 937581, 'of scam our': 589363, 'scam our consumer': 740286, 'our consumer are': 622520, 'consumer are seeing': 196309, 'are seeing check': 89889, 'seeing check out': 746255, 'out the ftc': 627370, 'bingo card and': 131096, 'card and comment': 163449, 'and comment down': 60127, 'comment down below': 188412, 'down below how': 256561, 'below how many': 126668, 'how many you': 408292, 'many you have': 514909, 'have seen so': 382441, 'far have you': 298804, 'you already got': 1016938, 'already got bingo': 47383, 'got bingo scam': 358440, 'bingo scam bb': 131102, 'scam bb ftc': 740070, 'old living': 598334, 'anyone aged': 80177, 'who is 65': 989055, 'is 65 year': 445228, 'year old living': 1014844, 'old living alone': 598335, 'alone and struggling': 46819, 'to get at': 906415, 'get at his': 346614, '19 we offer': 11943, 'we offer free': 972624, 'to anyone aged': 900620, 'anyone aged 65': 80178, 'aged 65 in': 37939, 'dippstick': 243233, 'hey so': 394510, 'in loop': 424919, 'loop with': 503160, 'with income': 998969, 'income am': 432276, 'example if': 288905, 'anything interest': 80799, 'interest you': 441436, 'please pm': 660320, 'or dippstick': 614972, 'dippstick thank': 243234, 'hey so know': 394511, 'so know it': 777518, 'know it early': 476526, 'early but this': 264564, 'ha put me': 371597, 'me in loop': 522967, 'in loop with': 424920, 'loop with income': 503161, 'with income am': 998970, 'income am going': 432277, 'am going ahead': 50085, 'ahead and opening': 39136, 'and opening for': 68173, 'opening for all': 612832, 'type of commission': 937548, 'of commission please': 581563, 'see my website': 745464, 'website for price': 975276, 'price and example': 672410, 'and example if': 62451, 'example if anything': 288906, 'if anything interest': 413862, 'anything interest you': 80800, 'interest you please': 441437, 'you please pm': 1020361, 'please pm me': 660321, 'pm me or': 661936, 'me or dippstick': 523282, 'or dippstick thank': 614973, 'dippstick thank you': 243235, 'conversionia': 202523, 'deliver25': 233279, 'conversionia ha': 202524, 'with papa': 1000091, 'papa john': 639739, 'john pizza': 466546, 'pizza to': 657207, 'offer truck': 594857, 'driver discount': 259509, 'discount during': 244466, 'crisis driver': 217321, 'driver can': 259474, 'code deliver25': 185357, 'deliver25 and': 233280, 'receive 25': 703431, 'all regular': 44140, 'regular menu': 707817, 'at expires': 98596, 'expires 12': 292077, '12 31': 2800, '20 term': 13367, 'apply thankatrucker': 82598, 'conversionia ha teamed': 202525, 'up with papa': 946673, 'with papa john': 1000092, 'papa john pizza': 639740, 'john pizza to': 466547, 'pizza to offer': 657208, 'to offer truck': 910855, 'offer truck driver': 594858, 'truck driver discount': 932770, 'driver discount during': 259510, 'discount during the': 244467, '19 crisis driver': 6239, 'crisis driver can': 217322, 'driver can use': 259475, 'the code deliver25': 851125, 'code deliver25 and': 185358, 'deliver25 and receive': 233281, 'and receive 25': 70035, 'receive 25 off': 703432, '25 off all': 15925, 'off all regular': 593625, 'all regular menu': 44141, 'regular menu price': 707818, 'menu price at': 528897, 'price at expires': 672799, 'at expires 12': 98597, 'expires 12 31': 292078, '12 31 20': 2801, '31 20 term': 17548, '20 term and': 13368, 'condition apply thankatrucker': 193403, 'ahlstrom': 39240, 'munksj': 546111, 'ahlstrom munksj': 39241, 'munksj provides': 546112, 'provides product': 686884, 'serve many': 751910, 'many critical': 513957, 'science diagnostics': 742099, 'diagnostics food': 240271, 'essential shipping': 281540, 'shipping material': 758867, 'material which': 520438, 'ahlstrom munksj provides': 39242, 'munksj provides product': 546113, 'provides product that': 686885, 'product that serve': 681697, 'that serve many': 846207, 'serve many critical': 751911, 'many critical industry': 513958, 'critical industry including': 218585, 'industry including healthcare': 435910, 'including healthcare product': 432005, 'healthcare product and': 387223, 'product and solution': 680911, 'and solution for': 71943, 'solution for life': 782027, 'for life science': 322973, 'life science diagnostics': 489027, 'science diagnostics food': 742100, 'diagnostics food packaging': 240272, 'food packaging and': 315738, 'packaging and essential': 633520, 'and essential shipping': 62262, 'essential shipping material': 281541, 'shipping material which': 758868, 'material which are': 520439, 'in high global': 423683, 'high global demand': 395102, 'for inspiring': 322601, 'inspiring me': 439861, 'empathetic towards': 273334, 'others started': 621656, 'giving money': 351346, 'people unemployed': 650048, 'since work': 770999, 'you for inspiring': 1018648, 'for inspiring me': 322602, 'inspiring me to': 439862, 'more empathetic towards': 539122, 'empathetic towards others': 273335, 'towards others started': 927230, 'others started giving': 621657, 'started giving money': 794740, 'giving money to': 351347, 'to people unemployed': 911644, 'people unemployed due': 650049, '19 since work': 10558, 'since work at': 771000, 'my job it': 548919, 'job it feel': 465918, 'it feel good': 457971, 'feel good to': 302649, 'congress president': 194517, 'president smt': 670904, 'smt sonia': 775976, 'sonia gandhi': 785532, 'gandhi writes': 343382, 'writes to': 1012877, 'modi suggesting': 535487, 'suggesting measure': 817604, 'congress president smt': 194518, 'president smt sonia': 670905, 'smt sonia gandhi': 775977, 'sonia gandhi writes': 785533, 'gandhi writes to': 343383, 'writes to pm': 1012878, 'to pm modi': 911846, 'pm modi suggesting': 661944, 'modi suggesting measure': 535488, 'suggesting measure to': 817605, 'security for people': 744601, 'the lockdown impact': 859605, 'lockdown impact of': 499494, 'kaveh': 471117, 'waddell': 963776, 'screening kaveh': 742764, 'kaveh waddell': 471118, 'waddell consumer': 963777, 'report via': 712416, 'ad screening kaveh': 31155, 'screening kaveh waddell': 742765, 'kaveh waddell consumer': 471119, 'waddell consumer report': 963778, 'consumer report via': 198737, 'store public': 809701, 'not respecting': 571343, 'respecting worker': 715151, 'by distancing': 152371, 'were invisible': 979806, 'invisible please': 444255, 'protect we': 685036, 'cant feed': 162286, 'feed nation': 302343, 'nation if': 552215, 'were sick': 980125, 'sick too': 768650, 'too corona': 924671, 'worker in major': 1007182, 'in major store': 424989, 'major store public': 509479, 'store public are': 809702, 'public are not': 687868, 'are not respecting': 88457, 'not respecting worker': 571344, 'respecting worker by': 715152, 'worker by distancing': 1006570, 'by distancing it': 152372, 'distancing it like': 247264, 'it like were': 459385, 'like were invisible': 491786, 'were invisible please': 979807, 'invisible please go': 444256, 'please go further': 660038, 'further to protect': 342193, 'to protect we': 912345, 'protect we cant': 685037, 'we cant feed': 971095, 'cant feed nation': 162287, 'feed nation if': 302344, 'nation if were': 552216, 'if were sick': 415347, 'were sick too': 980126, 'sick too corona': 768651, 'stock alot': 801780, 'bean that': 118375, 'take like': 832273, 'please any': 659664, 'any bit': 78978, 'country is lockdown': 210809, 'is lockdown during': 449421, 'lockdown during this': 499330, 'to stock alot': 915425, 'stock alot of': 801781, 'alot of food': 47130, 'and bean that': 58779, 'bean that will': 118376, 'will take like': 995075, 'take like two': 832274, 'like two month': 491687, 'or more please': 616186, 'more please any': 540081, 'please any bit': 659665, 'any bit of': 78979, 'putting temporary': 691227, 'temporary hold': 837633, 'store remodeling': 809812, 'remodeling and': 710674, 'growth initiative': 367409, 'is putting temporary': 451162, 'putting temporary hold': 691228, 'temporary hold on': 837634, 'hold on some': 399980, 'it store remodeling': 461297, 'store remodeling and': 809813, 'remodeling and growth': 710675, 'and growth initiative': 64021, 'growth initiative retail': 367410, 'initiative retail target': 438648, 'facebook healthcare': 294939, 'on facebook healthcare': 600707, 'facebook healthcare worker': 294940, 'fashion week': 299863, 'coming toiletpaper': 188248, 'fashion week is': 299864, 'week is coming': 976415, 'is coming toiletpaper': 446669, 'johnlewispartnership': 466574, 'nation shameful': 552310, 'shameful way': 754711, 'behave johnlewispartnership': 123780, 'johnlewispartnership make': 466575, 'make mockery': 510174, 'mockery of': 535130, 'word partner': 1004553, 'partner 19': 642753, 'only supermarket not': 611224, 'supermarket not giving': 821644, 'not giving some': 569661, 'giving some kind': 351392, 'of bonus to': 580772, 'to their staff': 917270, 'their staff who': 874807, 'who have risked': 988950, 'risked their safety': 724047, 'their safety to': 874617, 'the nation shameful': 861263, 'nation shameful way': 552311, 'shameful way to': 754712, 'way to behave': 969991, 'to behave johnlewispartnership': 901723, 'behave johnlewispartnership make': 123781, 'johnlewispartnership make mockery': 466576, 'make mockery of': 510175, 'mockery of the': 535131, 'the word partner': 871714, 'word partner 19': 1004554, 'photovoltaic': 655331, 'general drop': 345327, 'electricitymarkets price': 271235, 'europe last': 283470, 'energy production': 276558, 'production stateofemergency': 682213, 'stateofemergency windenergy': 796243, 'windenergy photovoltaic': 995640, 'photovoltaic ttf': 655332, 'ttf brentoil': 934998, 'brentoil co2': 139366, 'general drop in': 345328, 'the electricitymarkets price': 854182, 'electricitymarkets price in': 271236, 'in europe last': 422643, 'europe last week': 283471, 'crisis and high': 217029, 'and high renewable': 64557, 'high renewable energy': 395334, 'renewable energy production': 710970, 'energy production stateofemergency': 276559, 'production stateofemergency windenergy': 682214, 'stateofemergency windenergy photovoltaic': 796244, 'windenergy photovoltaic ttf': 995641, 'photovoltaic ttf brentoil': 655333, 'ttf brentoil co2': 934999, 'booked asda': 134657, 'shop month': 760465, 'ago came': 38361, 'came monday': 157028, 'monday now': 536351, 'ahead only': 39199, 'weekly booking': 977479, 'booking you': 134755, 'book month': 134565, 'advance it': 32900, 'stayhomesavelives how': 798392, 'booked asda online': 134658, 'asda online shop': 94961, 'online shop month': 608980, 'shop month ago': 760466, 'month ago came': 537532, 'ago came monday': 38362, 'came monday now': 157029, 'monday now impossible': 536352, 'now impossible to': 574989, 'impossible to plan': 419405, 'plan ahead only': 658050, 'ahead only weekly': 39200, 'only weekly booking': 611457, 'weekly booking you': 977480, 'booking you can': 134756, 'can book month': 157772, 'book month in': 134566, 'in advance it': 420054, 'advance it impossible': 32901, 'impossible to do': 419396, 'do our shopping': 249951, 'our shopping with': 624770, 'shopping with any': 764426, 'with any supermarket': 997281, 'any supermarket now': 79905, 'supermarket now now': 821670, 'now now have': 575383, 'go out stayhomesavelives': 353985, 'out stayhomesavelives how': 627250, 'aldi food': 41264, 'even bargain': 283855, 'bargain to': 111073, 'thing managed': 884574, 'nothing wanted': 573213, 'been to aldi': 122209, 'to aldi food': 900218, 'aldi food warehouse': 41265, 'food warehouse and': 317455, 'warehouse and even': 966681, 'and even bargain': 62329, 'even bargain to': 283856, 'bargain to get': 111074, 'of thing managed': 591906, 'thing managed to': 884575, 'to get nothing': 906544, 'get nothing wanted': 347675, 'nothing wanted people': 573214, 'wanted people need': 966223, 'of have to': 584473, 'to still work': 915415, 'still work which': 801424, 'work which give': 1006006, 'which give no': 985864, 'give no time': 350612, 'to shop this': 914494, 'shop this country': 760925, 'country is joke': 210807, 'received worrying': 703713, 'from independent': 336041, 'be looking to': 115825, 'family have received': 297883, 'have received worrying': 382204, 'received worrying report': 703714, 'worrying report of': 1010834, 'price increase from': 674773, 'increase from independent': 432792, 'from independent supermarket': 336042, 'independent supermarket during': 434140, 'scene posting': 741354, 'posting in': 666654, 'in foreigner': 423042, 'foreigner in': 329021, 'finland group': 307955, 'supermarket scene posting': 822340, 'scene posting in': 741355, 'posting in foreigner': 666655, 'in foreigner in': 423043, 'foreigner in finland': 329022, 'in finland group': 422898, 'finland group 19': 307956, 'distilled': 247696, 'exile': 290218, 'ask even': 95515, 'where god': 984888, 'god might': 354770, 'found see': 330359, 'is wisdom': 454003, 'wisdom to': 996663, 'be distilled': 114498, 'distilled in': 247697, 'to however': 908033, 'however painful': 409436, 'painful or': 634256, 'or baffling': 614478, 'baffling or': 108202, 'or bleak': 614563, 'bleak exile': 132544, 'exile in': 290219, 'home spirituality': 402107, 'spirituality for': 789539, 'for selfisolation': 325428, 'selfisolation blog': 748440, 'try to ask': 934602, 'to ask even': 900752, 'ask even in': 95516, 'in crisis where': 421904, 'crisis where god': 218383, 'where god might': 984889, 'god might be': 354771, 'might be found': 530898, 'be found see': 114945, 'found see if': 330360, 'there is wisdom': 878654, 'is wisdom to': 454004, 'wisdom to be': 996664, 'to be distilled': 901212, 'be distilled in': 114499, 'distilled in the': 247698, 'event that happen': 285078, 'that happen to': 844174, 'happen to however': 377181, 'to however painful': 908034, 'however painful or': 409437, 'painful or baffling': 634257, 'or baffling or': 614479, 'baffling or bleak': 108203, 'or bleak exile': 614564, 'bleak exile in': 132545, 'exile in our': 290220, 'in our own': 426324, 'our own home': 624207, 'own home spirituality': 632066, 'home spirituality for': 402108, 'spirituality for selfisolation': 789540, 'for selfisolation blog': 325429, 'gynecologist': 369365, 'brother goldfish': 141059, 'goldfish former': 356079, 'former owner': 329655, 'owner hairdresser': 632455, 'hairdresser father': 374042, 'father in': 300288, 'law gynecologist': 482301, 'gynecologist cousin': 369366, 'is retired': 451498, 'retired state': 719690, 'state senator': 795930, 'senator in': 749755, 'cdc and': 168543, 'that nc': 845289, 'nc is': 553291, 'guard tomorrow': 367858, 'stockup lockdown': 804182, 'my brother goldfish': 547558, 'brother goldfish former': 141060, 'goldfish former owner': 356080, 'former owner hairdresser': 329656, 'owner hairdresser father': 632456, 'hairdresser father in': 374043, 'father in law': 300289, 'in law gynecologist': 424633, 'law gynecologist cousin': 482302, 'gynecologist cousin is': 369367, 'cousin is retired': 212091, 'is retired state': 451499, 'retired state senator': 719691, 'state senator in': 795931, 'senator in the': 749756, 'in the cdc': 429060, 'the cdc and': 850564, 'cdc and told': 168544, 'and told me': 74258, 'me that nc': 523621, 'that nc is': 845290, 'nc is bringing': 553292, 'is bringing in': 446272, 'bringing in the': 140169, 'national guard tomorrow': 552530, 'guard tomorrow to': 367859, 'tomorrow to enforce': 924214, 'enforce quarantine stockup': 276681, 'quarantine stockup lockdown': 692584, 'hall tomorrow': 374350, 'tomorrow pm': 924162, 'pm join': 661927, 'forward to town': 330042, 'to town hall': 917662, 'town hall tomorrow': 927480, 'hall tomorrow pm': 374351, 'tomorrow pm join': 924163, 'pm join to': 661928, 'discus consumer protection': 244841, 'protection during the': 685409, 'in jefferson': 424381, 'jefferson county': 465032, 'county which': 211533, 'largest number': 479985, 'alabama saw': 40622, 'saw 90': 738049, '90 increase': 23304, 'box on': 137134, 'pantry in jefferson': 639612, 'in jefferson county': 424382, 'jefferson county which': 465033, 'county which ha': 211534, 'which ha the': 985900, 'ha the largest': 372206, 'the largest number': 858970, 'largest number of': 479986, 'in alabama saw': 420137, 'alabama saw 90': 40623, 'saw 90 increase': 738050, '90 increase in': 23305, 'in people needing': 426597, 'needing food box': 556619, 'food box on': 313780, 'box on the': 137135, 'on the previous': 604301, 'economy crisis': 267791, 'the 19 economic': 847914, '19 economic crisis': 6700, 'economic crisis it': 267036, 'crisis it consumer': 217606, 'it consumer economy': 457286, 'consumer economy crisis': 197304, 'economy crisis rather': 267792, 'rather than at': 697504, 'than at this': 840372, 'and that an': 73177, 'that an important': 842646, 'this go though': 887717, 'go though the': 354242, 'though the more': 892910, 'hopelessness': 403910, 'falling consumer': 297221, 'stressed financial': 813446, 'of hopelessness': 584749, 'hopelessness everywhere': 403911, 'everywhere the': 288266, 'industry face falling': 435820, 'face falling consumer': 294433, 'falling consumer demand': 297222, 'demand high unemployment': 235637, 'job for young': 465827, 'people and stressed': 646884, 'and stressed financial': 72562, 'stressed financial sector': 813447, 'financial sector an': 306570, 'sector an air': 744075, 'air of hopelessness': 39773, 'of hopelessness everywhere': 584750, 'hopelessness everywhere the': 403912, 'everywhere the government': 288267, 'assertive about the': 96363, 'about the public': 26494, 'plan and move': 658062, 'and move quickly': 67292, 'bite into': 131867, 'into loyalty': 442728, 'may come back': 521093, 'back and bite': 106850, 'and bite into': 58988, 'bite into loyalty': 131868, 'piling it': 656610, 'panicking for': 639338, 'reason despair': 702889, 'despair really': 238492, 'do fin': 249299, 'fin stophoarding': 305813, 'stophoarding protectthevulnerable': 805448, 'seriously stop stock': 751734, 'stock piling it': 802666, 'piling it not': 656611, 'not the causing': 571989, 'the causing the': 850551, 'causing the shortage': 168122, 'the shortage but': 867090, 'shortage but people': 764862, 'but people panicking': 146770, 'people panicking for': 649069, 'panicking for no': 639339, 'no reason despair': 565285, 'reason despair really': 702890, 'despair really do': 238493, 'really do fin': 702124, 'do fin stophoarding': 249300, 'fin stophoarding protectthevulnerable': 305814, '90oz': 23421, 'scent 90oz': 741387, '90oz bottle': 23422, 'linen scent 90oz': 493644, 'scent 90oz bottle': 741388, 'medium just': 527161, 'observation people': 578552, 'are robbed': 89731, 'robbed people': 724653, 'not panic created': 570904, 'by the medium': 154375, 'the medium just': 860428, 'medium just an': 527162, 'an observation people': 56542, 'observation people are': 578553, 'people are recommended': 647055, 'stock and non': 801819, 'are closed in': 85349, 'closed in or': 183179, 'or month those': 616160, 'closed business are': 183022, 'business are robbed': 143384, 'are robbed people': 89732, 'robbed people are': 724654, 'job putting': 466117, 'their publication': 874508, 'publication surviving': 688513, 'find everything': 306896, 'link but': 493813, 'highlight some': 395951, 'major one': 509404, 'been doing great': 121020, 'great job putting': 362787, 'job putting together': 466118, 'protection and their': 685326, 'and their publication': 73712, 'their publication surviving': 874509, 'publication surviving debt': 688514, 'surviving debt is': 829355, 'debt is now': 230511, 'is now online': 450309, 'now online for': 575448, 'for free you': 321740, 'free you can': 332350, 'can find everything': 158317, 'find everything at': 306897, 'the link but': 859438, 'link but wanted': 493814, 'wanted to highlight': 966257, 'to highlight some': 907753, 'highlight some major': 395952, 'some major one': 783252, 'kenyantraffic': 472997, '31 kenyantraffic': 17579, 'kenyantraffic queue': 472998, 'la via': 478240, '23 31 kenyantraffic': 15370, '31 kenyantraffic queue': 17580, 'kenyantraffic queue to': 472999, 'hit la via': 398298, 'coviod19': 214431, 'stark photo': 794165, 'show mile': 767056, 'long row': 501603, 'cent and': 169033, 'resident file': 714296, 'unemployment coviod19': 941192, 'coviod19 neoliberalism': 214432, 'neoliberalism capitalism': 557396, 'stark photo show': 794166, 'photo show mile': 655243, 'show mile long': 767057, 'mile long row': 531399, 'long row of': 501604, 'row of car': 726577, 'car waiting outside': 163334, 'per cent and': 650743, 'cent and more': 169034, 'million resident file': 532339, 'resident file for': 714297, 'for unemployment coviod19': 327432, 'unemployment coviod19 neoliberalism': 941193, 'coviod19 neoliberalism capitalism': 214433, 'on avoiding ssa': 599524, 'surge time': 828265, 'chain take': 171151, 'hit lockdown': 398303, 'in india food': 424034, 'india food price': 434408, 'food price surge': 315978, 'price surge time': 676726, 'surge time supply': 828266, 'supply chain take': 825046, 'chain take hit': 171152, 'take hit lockdown': 832186, 'own horizon': 632067, 'am service': 50380, 'technician are': 836223, 'refrigeration running': 706794, 'thank all covid': 841530, 'hero our very': 394060, 'very own horizon': 955404, 'own horizon bradco': 632068, 'and am service': 58030, 'am service technician': 50381, 'service technician are': 752900, 'technician are out': 836224, 'keep supermarket equipment': 471988, 'and refrigeration running': 70133, 'refrigeration running we': 706795, 'agriculturalsector': 38927, 'commoditymarket': 189348, 'many prediction': 514585, 'after effect': 35613, 'the agriculturalsector': 848459, 'agriculturalsector question': 38928, 'are arising': 84612, 'arising on': 92817, 'how various': 409135, 'various enterprise': 952598, 'enterprise will': 278467, 'affected varying': 34454, 'varying from': 952684, 'the commoditymarket': 851245, 'commoditymarket price': 189349, 'of fertilizer': 583488, 'fertilizer price': 303584, 'protect livestock': 684863, 'are many prediction': 88034, 'many prediction about': 514586, 'prediction about the': 669650, 'about the after': 26335, 'the after effect': 848416, 'after effect of': 35614, 'effect of in': 269051, 'in the agriculturalsector': 428973, 'the agriculturalsector question': 848460, 'agriculturalsector question are': 38929, 'question are arising': 693539, 'are arising on': 84613, 'arising on how': 92818, 'on how various': 601429, 'how various enterprise': 409136, 'various enterprise will': 952599, 'enterprise will be': 278468, 'be affected varying': 113519, 'affected varying from': 34455, 'varying from the': 952685, 'from the commoditymarket': 337647, 'the commoditymarket price': 851246, 'commoditymarket price to': 189350, 'to the cost': 916599, 'cost of fertilizer': 208046, 'of fertilizer price': 583489, 'fertilizer price of': 303585, 'of drug used': 582853, 'used to protect': 950078, 'to protect livestock': 912314, 'zero delivery': 1027433, 'still zero delivery': 801453, 'zero delivery slot': 1027434, 'click collect from': 181895, 'collect from any': 186278, 'any supermarket we': 79915, 'supermarket we ll': 823747, 'll be dead': 496577, '19 get at': 7195, 'get at this': 346617, 'retrofitting': 719793, 'hey both': 394337, 'for rogue': 325249, 'rogue consumer': 725029, 'dna test': 248991, 'test company': 838958, 'company retrofitting': 191030, 'retrofitting to': 719794, 'become fake': 119990, 'fda oversight': 300898, 'oversight is': 631517, 'frightening just': 334060, 'hey both of': 394338, 'both of you': 135988, 'of you be': 593373, 'you be on': 1017392, 'lookout for rogue': 503083, 'for rogue consumer': 325250, 'rogue consumer dna': 725030, 'consumer dna test': 197232, 'dna test company': 248992, 'test company retrofitting': 838959, 'company retrofitting to': 191031, 'retrofitting to become': 719795, 'to become fake': 901673, 'become fake covid': 119991, 'test the lack': 839200, 'lack of fda': 478622, 'of fda oversight': 583450, 'fda oversight is': 300899, 'oversight is frightening': 631518, 'is frightening just': 447938, 'frightening just saying': 334061, 'kelvin': 472747, 'mini site': 533024, 'on advice': 599168, 'advice support': 33513, 'support volunteering': 826973, 'volunteering shopping': 960397, 'time housing': 896950, 'housing contact': 407067, 'your msp': 1024912, 'msp for': 544577, 'for kelvin': 322824, 'kelvin we': 472748, 'keep updating': 472183, 'updating new': 947480, 'new info': 558929, 'info come': 437455, 'mini site ha': 533025, 'site ha info': 771935, 'info on advice': 437523, 'on advice support': 599169, 'advice support volunteering': 33514, 'support volunteering shopping': 826974, 'volunteering shopping time': 960398, 'shopping time housing': 764144, 'time housing contact': 896951, 'housing contact consumer': 407068, 'contact consumer advice': 200052, 'consumer advice and': 196040, 'advice and the': 33320, 'news from your': 560461, 'from your msp': 338484, 'your msp for': 1024913, 'msp for kelvin': 544578, 'for kelvin we': 322825, 'kelvin we ll': 472749, 'll keep updating': 496867, 'keep updating new': 472184, 'updating new info': 947481, 'new info come': 558930, 'info come out': 437456, 'few positive': 304005, 'positive 20': 665240, '20 gas': 13077, 'the few positive': 855120, 'few positive 20': 304006, 'positive 20 gas': 665241, '20 gas price': 13078, 'were fair': 979610, 'affordable now': 34859, 'it bordering': 456900, 'bordering to': 135308, 'ridiculous or': 721574, 'simply outrageous': 770254, 'outrageous expensive': 629314, 'expensive one': 291267, 'one medium': 606646, 'medium size': 527280, 'size piece': 772795, 'chicken curry': 175773, 'curry puff': 221741, 'puff cost': 688832, 'cost rm2': 208099, '19 emergency price': 6761, 'emergency price were': 272898, 'price were fair': 677445, 'were fair and': 979611, 'and affordable now': 57744, 'affordable now in': 34860, 'now in many': 575006, 'in many case': 425049, 'many case it': 513879, 'case it bordering': 165835, 'it bordering to': 456901, 'bordering to ridiculous': 135309, 'to ridiculous or': 913526, 'ridiculous or simply': 721575, 'or simply outrageous': 617091, 'simply outrageous expensive': 770255, 'outrageous expensive one': 629315, 'expensive one medium': 291268, 'one medium size': 606647, 'medium size piece': 527281, 'size piece of': 772796, 'piece of beef': 656329, 'of beef chicken': 580611, 'beef chicken curry': 120494, 'chicken curry puff': 175774, 'curry puff cost': 221742, 'puff cost rm2': 688833, 'have keep': 381212, 'them confidently': 875541, 'confidently clean': 194029, 'with order': 999937, 'go out you': 354001, 'out you must': 627903, 'must have keep': 546701, 'have keep them': 381213, 'keep them confidently': 472106, 'them confidently clean': 875542, 'confidently clean with': 194030, 'clean with order': 180689, 'with order now': 999938, 'scammer often': 740604, 'often pose': 596258, 'pose government': 665099, 'gain your': 342841, 'your trust': 1026224, 'trust especially': 934258, 'emergency learn': 272773, 'scam thursdaythoughts': 740412, 'thursdaythoughts scdca': 895482, 'scammer often pose': 740605, 'often pose government': 596259, 'pose government agency': 665100, 'to gain your': 906355, 'gain your trust': 342842, 'your trust especially': 1026225, 'trust especially during': 934259, 'of emergency learn': 583041, 'emergency learn more': 272774, 'about scam thursdaythoughts': 26143, 'scam thursdaythoughts scdca': 740413, 'worse all': 1010855, 'all crave': 42491, 'crave is': 215167, 'is chocolate': 446527, 'supermarket line is': 821326, 'line is the': 493209, 'is the worse': 452980, 'the worse all': 872026, 'worse all crave': 1010856, 'all crave is': 42492, 'crave is chocolate': 215168, 'being echoed': 125095, 'echoed across': 266634, 'adivasi farm': 32264, 'bengal holding': 127199, 'holding placard': 400147, 'placard demanding': 657281, 'food ration for': 316117, 'all is being': 43249, 'is being echoed': 446081, 'being echoed across': 125096, 'echoed across the': 266635, 'country adivasi farm': 210409, 'adivasi farm worker': 32265, 'farm worker in': 299213, 'worker in saira': 1007198, 'west bengal holding': 980466, 'bengal holding placard': 127200, 'holding placard demanding': 400148, 'placard demanding food': 657282, 'ration and wage': 697636, 'and wage to': 75111, 'party chris': 642984, 'chris even': 178052, 'like nj': 490857, 'nj based': 563415, 'based rising': 111730, 'pharmaceutical that': 654092, 'that doubled': 843612, 'doubled their': 256147, 'chloroquine price': 177619, '19 broke': 5454, 'party chris even': 642985, 'chris even one': 178053, 'even one like': 284428, 'one like nj': 606604, 'like nj based': 490858, 'nj based rising': 563416, 'based rising pharmaceutical': 111731, 'rising pharmaceutical that': 723259, 'pharmaceutical that doubled': 654093, 'that doubled their': 843613, 'doubled their chloroquine': 256148, 'their chloroquine price': 872781, 'chloroquine price soon': 177620, 'price soon covid': 676565, 'covid 19 broke': 212734, '19 broke out': 5455, 'out in wuhan': 626407, 'wifey': 992016, 'socialdistancing pic': 780604, 'credit wifey': 216555, 'people standing in': 649530, 'queue outside grocery': 694031, 'store socialdistancing pic': 810253, 'socialdistancing pic credit': 780605, 'pic credit wifey': 655593, 'politician that': 663745, 'isolation eating': 455257, 'eating three': 266318, 'the innocent': 858300, 'innocent people': 438824, 'now pack': 575499, 'in detention': 422227, 'detention by': 239366, 'police price': 663165, 've skyrocketed': 953575, 'skyrocketed which': 773398, 'way nigeria': 969725, 'politician that brought': 663746, 'that brought the': 843044, 'brought the covid19': 141192, 'the covid19 to': 852247, 'covid19 to from': 214393, 'to from abroad': 906262, 'abroad are in': 27151, 'their home in': 873565, 'home in isolation': 401415, 'in isolation eating': 424194, 'isolation eating three': 455258, 'eating three time': 266319, 'three time while': 894083, 'time while the': 898331, 'while the innocent': 987396, 'the innocent people': 858301, 'innocent people on': 438825, 'street are now': 812911, 'are now pack': 88582, 'now pack in': 575500, 'pack in detention': 633058, 'in detention by': 422228, 'detention by the': 239367, 'by the police': 154411, 'the police price': 863928, 'police price of': 663166, 'of thing ve': 591919, 'thing ve skyrocketed': 884944, 've skyrocketed which': 953576, 'skyrocketed which way': 773399, 'which way nigeria': 986459, 'people noticed': 648882, 'have people noticed': 381911, 'people noticed store': 648883, 'noticed store are': 573474, 'store are increasing': 806488, 'increasing price for': 433672, 'basic food cleaning': 111883, 'food cleaning item': 313940, 'cleaning item pricegouging': 180975, 'spared the': 787525, 'the renewableenergy': 865506, 'renewableenergy space': 710981, 'space either': 787091, 'either coupled': 270276, 'it growth': 458360, 'future read': 342443, 'expected trend': 291013, 'trend via': 931496, 'spread ha not': 790553, 'ha not spared': 371374, 'not spared the': 571666, 'spared the renewableenergy': 787526, 'the renewableenergy space': 865507, 'renewableenergy space either': 710982, 'space either coupled': 787092, 'either coupled with': 270277, 'price is expected': 674867, 'slow down it': 774347, 'down it growth': 256892, 'it growth in': 458361, 'growth in near': 367403, 'near future read': 553507, 'future read about': 342444, 'about the expected': 26393, 'the expected trend': 854712, 'expected trend via': 291014, 'one forecast': 606312, 'forecast see': 328861, 'see brent': 744979, 'crude going': 219535, 'going low': 355266, 'low barrel': 505150, 'one forecast see': 606313, 'forecast see brent': 328862, 'see brent crude': 744980, 'brent crude going': 139330, 'crude going low': 219536, 'going low barrel': 355267, 'low barrel outbreak': 505151, 'help redid': 390418, 'dollar tier': 253090, 'tier with': 895785, 'design commission': 238226, 'commission info': 188842, 'info send': 437579, 'character prompt': 173160, 'prompt over': 683910, 'support help redid': 826564, 'help redid my': 390419, 'redid my dollar': 705710, 'my dollar tier': 548025, 'dollar tier with': 253091, 'tier with more': 895786, 'all design commission': 42557, 'design commission info': 238227, 'commission info send': 188843, 'info send any': 437580, 'send any creature': 749815, 'creature character prompt': 216259, 'character prompt over': 173161, 'prompt over to': 683911, 'me in monthly': 522970, 'allowed physically': 46211, 'physically detain': 655514, 'detain them': 239307, 'police 19': 662883, 'see anyone in': 744931, 'anyone in supermarket': 80380, 'supermarket buying more': 819472, 're allowed physically': 698245, 'allowed physically detain': 46212, 'physically detain them': 655515, 'detain them if': 239308, 'them if possible': 875883, 'possible and call': 665568, 'the police 19': 863912, 'goldensehunday': 356067, 'how ccp': 407544, 'march stayhome': 515474, '19 goldensehunday': 7241, 'how ccp virus': 407545, 'ccp virus affected': 168472, 'virus affected consumer': 957895, 'in march stayhome': 425121, 'march stayhome 19': 515475, 'stayhome 19 goldensehunday': 797932, 'update visit': 947301, 'more update visit': 540860, 'channel spreading': 172927, 'running news': 728011, 'item fearing': 463251, 'fearing shop': 301490, 'supply closure': 825083, 'closure kindly': 183932, 'kindly assure': 475106, 'assure public': 97094, 'channel spreading panic': 172928, 'spreading panic among': 791023, 'among people by': 53047, 'people by running': 647363, 'by running news': 153846, 'running news all': 728012, 'news all the': 560213, 'food item fearing': 315204, 'item fearing shop': 463252, 'fearing shop and': 301491, 'shop and supply': 759871, 'and supply closure': 72781, 'supply closure kindly': 825084, 'closure kindly assure': 183933, 'kindly assure public': 475107, 'planet overall': 658417, 'overall are': 630995, 'hype slightly': 412271, 'slightly worried': 773982, 'taking few': 833362, 'few precaution': 304011, 'precaution starting': 669357, 'the planet overall': 863804, 'planet overall are': 658418, 'overall are you': 630996, 'you not taken': 1020131, 'not taken in': 571917, 'taken in by': 833011, 'the hype slightly': 857790, 'hype slightly worried': 412272, 'slightly worried but': 773983, 'but taking few': 147259, 'taking few precaution': 833363, 'few precaution starting': 304012, 'precaution starting to': 669358, 'and stockpiling with': 72457, 'stockpiling with food': 804124, 'with food toiletry': 998515, 'food toiletry totally': 317326, 'mouth but': 543497, 'nose that': 567925, 'them n95masks': 876045, 'just saw someone': 469690, 'saw someone at': 738247, 'wearing mask over': 974707, 'their mouth but': 874018, 'mouth but not': 543498, 'but not their': 146573, 'not their nose': 572053, 'their nose that': 874074, 'nose that not': 567926, 'not how that': 570024, 'that work just': 847654, 'work just give': 1005403, 'just give your': 468815, 'give your mask': 350885, 'care professional who': 164167, 'professional who need': 682521, 'need them and': 555771, 'them and know': 875384, 'to use them': 918073, 'use them n95masks': 949709, 'crazier': 215210, 'toasty': 919067, 'cheez': 175243, 'peopleactingcrazy': 650584, 'acting crazier': 29865, 'crazier than': 215211, 'than nicholas': 840938, 'nicholas cage': 562566, 'cage during': 155167, 'his career': 397278, 'extra toasty': 293682, 'toasty cheez': 919068, 'cheez it': 175244, 'fight you': 304958, 'them grocerystores': 875803, 'grocerystores peopleactingcrazy': 366376, 'are acting crazier': 84189, 'acting crazier than': 29866, 'crazier than nicholas': 215212, 'than nicholas cage': 840939, 'nicholas cage during': 562567, 'cage during the': 155168, 'year of his': 1014782, 'of his career': 584648, 'his career that': 397279, 'career that last': 164363, 'that last box': 844843, 'box of extra': 137118, 'of extra toasty': 583347, 'extra toasty cheez': 293683, 'toasty cheez it': 919069, 'cheez it is': 175245, 'it is mine': 459012, 'is mine and': 449658, 'mine and will': 532870, 'and will fight': 75666, 'will fight you': 993435, 'fight you to': 304959, 'you to death': 1021768, 'to death to': 903985, 'death to get': 230242, 'get them grocerystores': 348364, 'them grocerystores peopleactingcrazy': 875804, 'start closing': 794256, 'limiting retail': 492861, 'expose worker': 292819, 'will you start': 995398, 'you start closing': 1021355, 'start closing or': 794257, 'or limiting retail': 615973, 'limiting retail or': 492862, 'retail or service': 718364, 'or service only': 617021, 'service only it': 752658, 'only it shame': 610664, 'it shame you': 460999, 'shame you re': 754669, 're not already': 699076, 'not already doing': 568166, 'already doing this': 47300, 'this to fight': 890733, 'coronavirus and expose': 205488, 'and expose worker': 62543, 'ready it': 700900, 'break time': 138816, 'ecommerce for': 266772, 'brand my': 137916, 'pandemic but are': 635040, 'but are brand': 145210, 'are brand ready': 85050, 'brand ready it': 137986, 'ready it make': 700901, 'it make or': 459516, 'or break time': 614585, 'break time for': 138817, 'time for ecommerce': 896702, 'for ecommerce for': 320939, 'ecommerce for brand': 266773, 'for brand my': 319765, 'brand my pov': 137917, 'have been subjected': 379703, '19 should report': 10504, 'should report that': 766409, '8442 or at': 22898, 'agency warns': 38101, 'warns trader': 967305, 'trader inflating': 928699, 'medication hygiene': 526654, 'protection agency warns': 685302, 'agency warns trader': 38102, 'warns trader inflating': 967306, 'trader inflating price': 928700, 'on medication hygiene': 602100, 'medication hygiene product': 526655, 'hygiene product via': 412163, 'susans': 829426, 'people ignore': 648326, 'ignore boundary': 415819, 'boundary altogether': 136865, 'of susans': 590540, 'susans grocery': 829427, 'grocery stoppanicbuying': 365163, 'it interesting how': 458814, 'interesting how many': 441562, 'many people ignore': 514511, 'people ignore boundary': 648327, 'ignore boundary altogether': 415820, 'boundary altogether there': 136866, 'altogether there is': 49391, 'there is limit': 878583, 'is limit of': 449358, 'limit of susans': 492402, 'of susans grocery': 590541, 'susans grocery stoppanicbuying': 829428, 'capital exploit': 162657, 'exploit usual': 292373, 'usual key': 950966, 'not properly': 571119, 'properly protected': 684192, 'capital exploit usual': 162658, 'exploit usual key': 292374, 'usual key worker': 950967, 'are not properly': 88444, 'not properly protected': 571120, 'properly protected from': 684193, 'protected from supermarket': 685134, 'from supermarket worker': 337513, 'shingiedailyword': 758618, '19 isolate': 8102, 'sin instead': 770389, 'fear hold': 301161, 'onto jesus': 611666, 'jesus shingiedailyword': 465312, 'food stock your': 316819, 'with the word': 1001549, 'of god and': 584174, 'god and you': 354648, 'and you isolate': 76027, 'covid 19 isolate': 213295, '19 isolate your': 8103, 'from sin instead': 337295, 'sin instead of': 770390, 'of being held': 580643, 'being held in': 125225, 'held in fear': 388902, 'in fear hold': 422817, 'fear hold onto': 301162, 'hold onto jesus': 399987, 'onto jesus shingiedailyword': 611667, 'sanitarzers': 733825, 'kenya lower': 472927, 'lower fix': 505859, 'fix petroleum': 309741, 'price arrest': 672777, 'arrest matatus': 93764, 'matatus carrying': 520271, 'carrying in': 165187, 'excess park': 289361, 'park them': 642004, 'station till': 796532, 'we eradicate': 971474, '19 provide': 9866, 'free sanitarzers': 332126, 'sanitarzers to': 733826, 'to matatus': 909889, 'matatus this': 520273, 'kenya lower fix': 472928, 'lower fix petroleum': 505860, 'fix petroleum price': 309742, 'petroleum price arrest': 653827, 'price arrest matatus': 672778, 'arrest matatus carrying': 93765, 'matatus carrying in': 520272, 'carrying in excess': 165188, 'in excess park': 422711, 'excess park them': 289362, 'park them in': 642005, 'them in police': 875909, 'police station till': 663216, 'station till we': 796533, 'till we eradicate': 896129, 'we eradicate covid': 971475, 'covid 19 provide': 213626, '19 provide free': 9867, 'provide free sanitarzers': 686326, 'free sanitarzers to': 332127, 'sanitarzers to matatus': 733827, 'to matatus this': 909890, 'matatus this people': 520274, 'this people don': 889503, 'panicking the': 639384, 'up ridiculous': 945927, 'panicbuying during': 638931, 'during stop': 263060, 're panicking the': 699241, 'panicking the panic': 639385, 'brigade if am': 139777, 'if am able': 413801, 'able to pop': 24520, 'pop in supermarket': 664427, 'supermarket and pick': 819039, 'pick up ridiculous': 655756, 'up ridiculous item': 945928, 'ridiculous item such': 721562, 'item such this': 463675, 'such this then': 816819, 'justification for panicbuying': 470457, 'for panicbuying during': 324371, 'panicbuying during stop': 638932, 'during stop it': 263061, 'stop it stop': 804792, 'secretsofyoursupermarketfoods': 743985, 'tv investigates': 936124, 'pro and': 679095, 'and con': 60241, 'con of': 192808, 'going green': 355184, 'green with': 363717, 'vegan diet': 953853, 'diet in': 241729, 'tonight programme': 924478, 'programme of': 683345, 'of secret': 589436, 'food tune': 317377, '8pm secretsofyoursupermarketfoods': 23230, 'secretsofyoursupermarketfoods stayhomesavelives': 743986, 'next on tv': 561481, 'on tv investigates': 604907, 'tv investigates the': 936125, 'investigates the pro': 443837, 'the pro and': 864497, 'pro and con': 679096, 'and con of': 60242, 'con of going': 192809, 'of going green': 584190, 'going green with': 355185, 'green with vegan': 363718, 'with vegan diet': 1001961, 'vegan diet in': 953854, 'diet in tonight': 241730, 'in tonight programme': 430193, 'tonight programme of': 924479, 'programme of secret': 683346, 'of secret of': 589437, 'secret of your': 743927, 'of your supermarket': 593530, 'your supermarket food': 1026043, 'supermarket food tune': 820366, 'food tune in': 317378, 'in at 8pm': 420550, 'at 8pm secretsofyoursupermarketfoods': 97798, '8pm secretsofyoursupermarketfoods stayhomesavelives': 23231, 'awkwardly': 106285, 'stacker is': 792015, 'is prone': 451095, 'getting paper': 349186, 'paper cut': 640076, 'from cardboard': 334800, 'cardboard often': 163725, 'or catch': 614687, 'something awkwardly': 784859, 'awkwardly so': 106286, 'so sanitizer': 778146, 'become simple': 120130, 'yet painful': 1016192, 'painful way': 634260, 'latest cut': 481283, 'shelf stacker is': 757558, 'stacker is prone': 792016, 'is prone to': 451096, 'prone to getting': 683976, 'to getting paper': 906658, 'getting paper cut': 349187, 'paper cut from': 640077, 'cut from cardboard': 223349, 'from cardboard often': 334801, 'cardboard often you': 163726, 'often you do': 596314, 'done it until': 254909, 'until you wash': 943950, 'hand or catch': 375152, 'or catch something': 614688, 'catch something awkwardly': 167027, 'something awkwardly so': 784860, 'awkwardly so sanitizer': 106287, 'so sanitizer ha': 778147, 'sanitizer ha become': 735012, 'ha become simple': 369693, 'become simple yet': 120131, 'simple yet painful': 770140, 'yet painful way': 1016193, 'painful way of': 634261, 'way of finding': 969752, 'of finding out': 583546, 'finding out where': 307526, 'out where your': 627826, 'where your latest': 985404, 'your latest cut': 1024595, 'latest cut is': 481284, 'mb decided': 522027, 'decrease production': 231593, 'company faced': 190645, 'and mb decided': 66830, 'mb decided to': 522028, 'decided to decrease': 230911, 'to decrease production': 904034, 'decrease production and': 231594, 'production and increase': 681924, 'protect american company': 684774, 'american company faced': 51877, 'facing the pandemic': 295624, 'the pandemic music': 863029, 'shop are struggling': 759917, 'household good but': 406817, 'but what in': 147792, 'asgm': 95021, 'on asgm': 599474, 'asgm community': 95022, 'while international': 986960, 'international gold': 441809, 'risen covid': 723105, 'related disruption': 708424, 'such travel': 816840, 'and movement': 67297, 'restriction have': 717279, 'caused artisanal': 167822, 'collapse causing': 185981, 'field price': 304510, '19 on asgm': 8929, 'on asgm community': 599475, 'asgm community while': 95023, 'community while international': 190227, 'while international gold': 986961, 'international gold price': 441810, 'have risen covid': 382336, 'risen covid 19': 723106, '19 related disruption': 10050, 'related disruption such': 708425, 'disruption such travel': 246527, 'such travel and': 816841, 'travel and movement': 930256, 'and movement restriction': 67298, 'movement restriction have': 543927, 'restriction have caused': 717280, 'have caused artisanal': 379917, 'caused artisanal gold': 167823, 'chain to collapse': 171191, 'to collapse causing': 902950, 'collapse causing the': 185982, 'causing the field': 168116, 'the field price': 855150, 'field price to': 304511, 'to drop dramatically': 904767, 'starmer and': 794178, 'man woman': 512363, 'support others': 826721, 'hero stayhomesavelives': 394095, 'starmer and the': 794179, 'worker the volunteer': 1007945, 'the volunteer the': 870958, 'volunteer the government': 960342, 'government the police': 360680, 'police and every': 662899, 'and every man': 62376, 'every man woman': 285993, 'man woman and': 512364, 'woman and child': 1003397, 'and child that': 59831, 'child that ha': 176219, 'that ha done': 844116, 'ha done their': 370420, 'done their bit': 255049, 'bit to support': 131722, 'to support others': 915955, 'support others and': 826722, 'others and stop': 621263, 'of 19 we': 579422, 'all hero stayhomesavelives': 43111, 'fcc cybersecurity': 300754, 'safety tip from': 730765, 'from the fcc': 337693, 'the fcc cybersecurity': 854999, 'thing panic': 884671, 'hit pandemic': 398365, 'bought roll': 136693, 'quickly stayhomesavelives': 694603, 'one thing panic': 607231, 'thing panic buying': 884672, 'it that ll': 461493, 'safe if the': 729762, 'if the zombie': 415051, 'zombie apocalypse hit': 1027693, 'apocalypse hit pandemic': 81539, 'hit pandemic start': 398366, 'could have bought': 209243, 'have bought food': 379826, 'but instead they': 146069, 'instead they bought': 440370, 'they bought roll': 881576, 'bought roll of': 136694, 'paper you ll': 641130, 'you ll die': 1019644, 'll die so': 496704, 'die so quickly': 241454, 'so quickly stayhomesavelives': 778107, 'quickly stayhomesavelives apocalypse': 694604, 'in rotorua': 427553, 'rotorua lockdownnz': 726199, 'lockdownnz covid': 500351, 'only in rotorua': 610637, 'in rotorua lockdownnz': 427554, 'rotorua lockdownnz covid': 726200, 'lockdownnz covid 19': 500352, 'to supermarket nz': 915819, 'odisha odisha': 579244, 'odisha central': 579228, '10 rupee': 1664, 'rupee respectively': 728194, 'respectively while': 715177, 'two hundred': 936966, 'hundred mi': 410989, 'odisha odisha central': 579245, 'odisha central govt': 579229, 'central govt ha': 169396, 'outbreak and layered': 627999, 'layered mask would': 482650, 'mask would cost': 519598, 'would cost and': 1011738, 'and 10 rupee': 57349, '10 rupee respectively': 1665, 'rupee respectively while': 728195, 'respectively while two': 715178, 'while two hundred': 987484, 'two hundred mi': 936967, 'have global': 380777, 'global concern': 351791, 'around household': 93334, 'finance changed': 306171, 'week dynata': 976179, '19 weekly': 11978, 'weekly snapshot': 977571, 'snapshot take': 776169, 'take visual': 832776, 'visual deep': 959625, 'how six': 408691, 'how have global': 407972, 'have global concern': 380778, 'global concern around': 351792, 'concern around household': 192928, 'around household finance': 93335, 'household finance changed': 406797, 'finance changed over': 306172, 'few week dynata': 304145, 'week dynata global': 976180, 'dynata global consumer': 263925, 'trend report 19': 931430, 'report 19 weekly': 711776, '19 weekly snapshot': 11979, 'weekly snapshot take': 977572, 'snapshot take visual': 776170, 'take visual deep': 832777, 'visual deep dive': 959626, 'into how six': 442658, 'how six key': 408692, 'key consumer trend': 473265, 'evolving during this': 288563, 'occoquan': 578972, 'mandrilltoys': 513099, 'our fan': 623005, 'fan regarding': 298536, 'in occoquan': 426045, 'occoquan mandrilltoys': 578973, 'important update for': 419088, 'update for our': 946960, 'for our fan': 324239, 'our fan regarding': 623006, 'fan regarding covid': 298537, 'and our retail': 68517, 'store in occoquan': 808358, 'in occoquan mandrilltoys': 426046, 'min after': 532509, 'after prime': 36071, 'modi second': 535483, 'second tv': 743856, 'tv speech': 936198, 'speech this': 788402, 'happened every': 377241, 'market huge': 516533, 'huge ques': 410159, 'ques no': 693472, 'veggie nowhere': 954201, 'nowhere couple': 576553, 'corner or': 203662, 'or road': 616917, 'road some': 724513, 'price thru': 676944, 'within min after': 1002384, 'min after prime': 532510, 'after prime minister': 36072, 'minister modi second': 533405, 'modi second tv': 535484, 'second tv speech': 743857, 'tv speech this': 936199, 'speech this is': 788403, 'what happened every': 981543, 'happened every one': 377242, 'every one wa': 286053, 'one wa in': 607345, 'the market huge': 860120, 'market huge ques': 516534, 'huge ques no': 410160, 'ques no milk': 693473, 'milk no veggie': 531746, 'no veggie nowhere': 565839, 'veggie nowhere couple': 954202, 'nowhere couple in': 576554, 'couple in corner': 211602, 'in corner or': 421791, 'corner or road': 203663, 'or road some': 616918, 'road some not': 724514, 'some not even': 783366, 'not even wearing': 569288, 'even wearing mask': 284774, 'wearing mask price': 974709, 'mask price thru': 519153, 'price thru the': 676945, 'dogfood': 252194, 'catfood': 167278, 'birdfood': 131367, 'fishfood': 309389, 'happycat': 377746, 'happydog': 377750, 'orijen': 619615, 'acana': 27787, 'tasteofthewild': 834807, 'ziwipeak': 1027646, 'serum': 751826, 'keep closed': 471403, 'april 18th': 83433, '18th but': 4690, 'always online': 49671, 'online cannot': 607990, 'these lovely': 880256, 'lovely small': 504988, 'small animal': 774789, 'animal stay': 76658, 'stay hungry': 797034, 'hungry right': 411305, 'right best': 721817, 'stayhome dogfood': 797984, 'dogfood catfood': 252195, 'catfood birdfood': 167279, 'birdfood fishfood': 131368, 'fishfood happycat': 309390, 'happycat happydog': 377747, 'happydog orijen': 377751, 'orijen acana': 619616, 'acana tasteofthewild': 27788, 'tasteofthewild ziwipeak': 834808, 'ziwipeak serum': 1027647, 'will keep closed': 993891, 'keep closed until': 471404, 'until april 18th': 943690, 'april 18th but': 83434, '18th but our': 4691, 'but our delivery': 146723, 'our delivery are': 622724, 'delivery are always': 233711, 'are always online': 84504, 'always online cannot': 49672, 'online cannot let': 607991, 'cannot let these': 161998, 'let these lovely': 487169, 'these lovely small': 880257, 'lovely small animal': 504989, 'small animal stay': 774790, 'animal stay hungry': 76659, 'stay hungry right': 797035, 'hungry right best': 411306, 'right best price': 721818, 'best price stayhome': 127869, 'price stayhome dogfood': 676632, 'stayhome dogfood catfood': 797985, 'dogfood catfood birdfood': 252196, 'catfood birdfood fishfood': 167280, 'birdfood fishfood happycat': 131369, 'fishfood happycat happydog': 309391, 'happycat happydog orijen': 377748, 'happydog orijen acana': 377752, 'orijen acana tasteofthewild': 619617, 'acana tasteofthewild ziwipeak': 27789, 'tasteofthewild ziwipeak serum': 834809, 'philiasolutions': 654707, 'eight way': 270201, 'lockdown philiasolutions': 499798, 'philiasolutions lockdown': 654708, 'selfisolation stayhealthy': 748490, 'stayhealthy workfromhome': 797917, 'eight way to': 270202, 'while in coronavirus': 986939, 'in coronavirus lockdown': 421806, 'coronavirus lockdown philiasolutions': 206249, 'lockdown philiasolutions lockdown': 499799, 'philiasolutions lockdown corona': 654709, 'lockdown corona quarantine': 499268, 'corona quarantine stayhome': 204128, 'quarantine stayhome staysafe': 692572, 'stayhome staysafe socialdistancing': 798173, 'staysafe socialdistancing stayathome': 798884, 'socialdistancing stayathome virus': 780727, 'stayathome virus pandemic': 797696, 'virus pandemic isolation': 958604, 'pandemic isolation selfisolation': 635811, 'isolation selfisolation stayhealthy': 455417, 'selfisolation stayhealthy workfromhome': 748491, 'trendline': 931592, 'teleconferencing': 836721, 'really expect': 702174, 'expect gdp': 290650, 'previous trendline': 672006, 'trendline in': 931593, 'year drive': 1014525, 'drive much': 259103, 'much fly': 544893, 'fly much': 311621, 'much eat': 544853, 'much buy': 544778, 'business meeting': 144040, 'meeting instead': 527722, 'of teleconferencing': 590643, 'teleconferencing with': 836722, 'only drop': 610368, 'spending don': 788785, 'you really expect': 1020837, 'really expect gdp': 702175, 'expect gdp to': 290651, 'gdp to return': 344915, 'to the previous': 916979, 'the previous trendline': 864319, 'previous trendline in': 672007, 'trendline in to': 931594, 'in to year': 430146, 'to year drive': 918871, 'year drive much': 1014526, 'drive much fly': 259104, 'much fly much': 544894, 'fly much eat': 311622, 'much eat out': 544854, 'eat out much': 266021, 'out much buy': 626590, 'much buy many': 544779, 'buy many car': 148937, 'many car have': 513873, 'car have many': 163120, 'have many business': 381434, 'many business meeting': 513848, 'business meeting instead': 144041, 'meeting instead of': 527723, 'instead of teleconferencing': 440327, 'of teleconferencing with': 590644, 'teleconferencing with only': 836723, 'with only drop': 999911, 'only drop in': 610369, 'consumer spending don': 199052, 'didier': 240954, 'singlemarket': 771435, 'eu justice': 283246, 'justice commissioner': 470402, 'commissioner didier': 188937, 'didier reynders': 240955, 'reynders due': 720852, 'in singlemarket': 427982, 'singlemarket on': 771436, '14 17': 3386, 'discus impact': 244873, 'eu justice commissioner': 283247, 'justice commissioner didier': 470403, 'commissioner didier reynders': 188938, 'didier reynders due': 240956, 'reynders due in': 720853, 'due in singlemarket': 261663, 'in singlemarket on': 427983, 'singlemarket on april': 771437, 'april 14 17': 83411, '14 17 00': 3387, '17 00 to': 4300, '00 to discus': 540, 'to discus impact': 904378, 'discus impact of': 244874, 'impact of commission': 417757, 'of commission covid': 581561, '19 plan on': 9693, 'plan on consumer': 658191, 'loan officer': 497484, 'doe matter': 251451, 'work realtor': 1005648, 'realtor it': 702784, 'you refer': 1020879, 'refer your': 706481, 'client consumer': 182019, 'mortgage all': 541856, 'all gotta': 42990, 'gotta say': 359098, 'glad work': 351545, 'loan depot': 497427, 'loan officer it': 497485, 'officer it doe': 595679, 'it doe matter': 457615, 'doe matter where': 251452, 'where you work': 985400, 'you work realtor': 1022422, 'work realtor it': 1005649, 'realtor it doe': 702785, 'where you refer': 985397, 'you refer your': 1020880, 'refer your client': 706482, 'your client consumer': 1023237, 'client consumer it': 182020, 'consumer it doe': 197957, 'where you get': 985388, 'get your mortgage': 348716, 'your mortgage all': 1024882, 'mortgage all gotta': 541857, 'all gotta say': 42991, 'gotta say is': 359099, 'say is am': 738816, 'is am glad': 445605, 'am glad work': 50083, 'glad work for': 351546, 'work for loan': 1005158, 'for loan depot': 323036, 'sax': 738352, 'pianist in': 655558, 'neighborhood sax': 557145, 'sax player': 738353, 'building next': 142118, 'door saw': 255698, 'pianist in barcelona': 655559, 'in barcelona went': 420704, 'balcony during the': 109024, 'the quarantine to': 864982, 'the neighborhood sax': 861432, 'neighborhood sax player': 557146, 'sax player in': 738354, 'player in the': 659312, 'the building next': 850100, 'building next door': 142119, 'next door saw': 561345, 'door saw what': 255699, 'it wa awesome': 462068, 'french market': 332740, 'place handsanitizers': 657479, 'even sold': 284594, 'at unacceptable': 101390, 'unacceptable price': 939363, 'still reasonable': 801100, 'reasonable we': 703135, 'we prefer': 972732, 'of sanitizers on': 589313, 'sanitizers on the': 736359, 'on the french': 604131, 'the french market': 855792, 'french market is': 332741, 'supply because the': 824844, 'because the in': 119631, 'the in some': 858016, 'some place handsanitizers': 783572, 'place handsanitizers are': 657480, 'handsanitizers are even': 376691, 'are even sold': 86278, 'even sold at': 284595, 'sold at unacceptable': 781646, 'at unacceptable price': 101391, 'unacceptable price but': 939364, 'but in here': 146026, 'in here it': 423670, 'here it available': 393265, 'it available and': 456643, 'available and the': 104230, 'is still reasonable': 452307, 'still reasonable we': 801101, 'reasonable we prefer': 703136, 'we prefer to': 972733, 'prefer to take': 669759, 'take order from': 832432, 'order from wholesaler': 618263, 'sending consumer': 750010, 'consumer bogus': 196634, 'bogus email': 134020, 'personal health': 652864, 'health info': 386529, 'here clue': 392875, 'clue visual': 184559, 'those bogus': 891846, 'scam consumer alert': 740119, 'alert hacker are': 41444, 'hacker are pretending': 372764, 'to be sending': 901529, 'be sending consumer': 117077, 'sending consumer bogus': 750011, 'consumer bogus email': 196635, 'bogus email to': 134022, 'their personal health': 874281, 'personal health info': 652865, 'health info here': 386530, 'info here clue': 437492, 'here clue by': 392876, 'by clue visual': 152143, 'clue visual of': 184560, 'visual of how': 959631, 'spot those bogus': 790128, 'those bogus email': 891847, 'bogus email insurance': 134021, 'whatarethosewednesday': 982730, 'prideslides': 678024, 'customslides': 223190, 'stridewithpride': 813713, 'lookgoodfeelgooddogood': 502764, 'neversettle': 558305, 'spiritwear': 789543, 'teamapparel': 835842, 'teamgear': 835867, 'whatarethosewednesday when': 982731, 'improvise pandemic': 419610, 'pandemic prideslides': 636238, 'prideslides customslides': 678025, 'customslides stridewithpride': 223191, 'stridewithpride lookgoodfeelgooddogood': 813714, 'lookgoodfeelgooddogood neversettle': 502765, 'neversettle spiritwear': 558306, 'spiritwear teamapparel': 789544, 'teamapparel teamgear': 835843, 'whatarethosewednesday when there': 982732, 'have to improvise': 383229, 'to improvise pandemic': 908214, 'improvise pandemic prideslides': 419611, 'pandemic prideslides customslides': 636239, 'prideslides customslides stridewithpride': 678026, 'customslides stridewithpride lookgoodfeelgooddogood': 223192, 'stridewithpride lookgoodfeelgooddogood neversettle': 813715, 'lookgoodfeelgooddogood neversettle spiritwear': 502766, 'neversettle spiritwear teamapparel': 558307, 'spiritwear teamapparel teamgear': 789545, 'cocobod': 185275, 'ghana covid': 349562, 'and ghana': 63634, 'ghana cocoa': 349560, 'cocoa sector': 185267, 'sector cocobod': 744123, 'cocobod loses': 185276, 'in cocoa': 421532, 'ghana covid 19': 349563, '19 and ghana': 5031, 'and ghana cocoa': 63635, 'ghana cocoa sector': 349561, 'cocoa sector cocobod': 185268, 'sector cocobod loses': 744124, 'cocobod loses billion': 185277, 'loses billion dollar': 503517, 'billion dollar to': 130807, 'dollar to drop': 253094, 'drop in cocoa': 260231, 'in cocoa price': 421533, 'cocoa price 20': 185263, 'man proposes': 512193, 'proposes in': 684552, 'after iceland': 35810, 'iceland holiday': 412709, 'man proposes in': 512194, 'proposes in iceland': 684553, 'in iceland supermarket': 423957, 'iceland supermarket after': 412724, 'supermarket after iceland': 818804, 'after iceland holiday': 35811, 'iceland holiday cancelled': 412710, 'chaos argument': 172997, 'argument queue': 92755, 'minute at': 533736, 'at worcester': 101586, 'worcester supermarket': 1004436, 'chaos argument queue': 172998, 'argument queue and': 92756, 'queue and item': 693867, 'and item sold': 65632, 'sold out within': 781756, 'within minute at': 1002387, 'minute at worcester': 533737, 'at worcester supermarket': 101587, 'worcester supermarket and': 1004437, 'and shop this': 71519, 'must waive': 546981, 'waive citizen': 964503, 'citizen cost': 178879, 'no disposable': 564025, 'drive market': 259093, 'hitting early': 398561, 'be costly': 114253, 'costly for': 208346, 'must waive citizen': 546982, 'waive citizen cost': 964504, 'citizen cost of': 178880, 'cost of treatment': 208063, 'of treatment or': 592443, 'treatment or there': 931119, 'or there will': 617421, 'be no disposable': 116094, 'no disposable income': 564026, 'disposable income for': 246256, 'income for consumer': 432342, 'consumer spending to': 199098, 'spending to drive': 789024, 'to drive market': 904740, 'drive market up': 259094, 'market up with': 517281, 'up with pandemic': 946671, 'with pandemic hitting': 1000073, 'pandemic hitting early': 635645, 'hitting early in': 398562, 'year and threat': 1014407, 'and threat of': 74068, 'threat of recession': 893697, 'of recession covid': 588823, '19 may be': 8576, 'may be costly': 520967, 'be costly for': 114254, 'costly for patient': 208347, 'line impossible': 493188, 'store line impossible': 808751, 'line impossible covod19': 493189, 'government issuing': 360289, 'issuing check': 456123, 'please be on': 659709, 'for scam surrounding': 325365, 'scam surrounding the': 740383, 'surrounding the federal': 828769, 'federal government issuing': 301996, 'government issuing check': 360290, 'issuing check to': 456124, 'to american in': 900418, 'american in response': 52047, '19 be aware': 5316, 'of these tip': 591867, 'lanxess': 479520, 'lanxess intends': 479522, 'it strategy': 461312, 'organic growth': 619219, 'growth increasing': 367407, 'protection chemical': 685378, 'developing battery': 239768, 'battery tech': 112764, 'tech amid': 836030, 'said icis': 731129, 'icis lanxess': 412763, 'lanxess chemical': 479521, 'lanxess intends to': 479523, 'intends to stick': 441073, 'to stick to': 915400, 'to it strategy': 908618, 'it strategy of': 461313, 'strategy of organic': 812694, 'of organic growth': 587353, 'organic growth increasing': 619220, 'growth increasing it': 367408, 'increasing it focus': 433630, 'consumer protection chemical': 198517, 'protection chemical and': 685379, 'chemical and developing': 175335, 'and developing battery': 61297, 'developing battery tech': 239769, 'battery tech amid': 112765, 'tech amid the': 836031, 'outbreak the ceo': 628704, 'ceo said icis': 169825, 'said icis lanxess': 731130, 'icis lanxess chemical': 412764, 'in pleasant': 426796, 'pleasant contrast': 659602, 'contrast we': 201851, 'have neighbourhood': 381565, 'neighbourhood covid': 557268, 'group here': 366727, 'today everybody': 919497, 'everybody mainly': 286464, 'mainly stranger': 508893, 'stranger said': 812484, 'be mad': 115858, 'mad supermarket': 507572, 'supermarket mentality': 821507, 'mentality would': 528720, 'would support': 1012297, 'emergency regulation': 272909, 'in pleasant contrast': 426797, 'pleasant contrast we': 659603, 'contrast we have': 201852, 'we have neighbourhood': 971873, 'have neighbourhood covid': 381566, 'neighbourhood covid 19': 557269, '19 support group': 10974, 'support group here': 826551, 'group here and': 366728, 'here and walking': 392714, 'and walking around': 75149, 'around the road': 93554, 'road today everybody': 724529, 'today everybody mainly': 919498, 'everybody mainly stranger': 286465, 'mainly stranger said': 508894, 'stranger said hello': 812485, 'said hello there': 731120, 'hello there seems': 389225, 'to be mad': 901381, 'be mad supermarket': 115859, 'mad supermarket mentality': 507573, 'supermarket mentality would': 821508, 'mentality would support': 528721, 'would support emergency': 1012298, 'support emergency regulation': 826475, 'emergency regulation to': 272910, 'blacktwittermovement': 132221, 'tissuechallenge': 899249, 'reaction he': 700195, 'this prank': 889694, 'prank prank': 668944, 'prank tiktok': 668952, 'tiktok stayhome24in48': 895920, 'stayhome24in48 saturdayvibes': 798242, 'saturdayvibes blacktwittermovement': 737125, 'blacktwittermovement tissuechallenge': 132222, 'tissuechallenge tissuepaperchallenge': 899250, 'tissuepaperchallenge toiletpaper': 899255, 'toiletpaper poopchallenge': 922351, 'not the reaction': 572024, 'the reaction he': 865197, 'reaction he wa': 700196, 'he wa expecting': 385597, 'expecting from this': 291038, 'from this prank': 338005, 'this prank prank': 889695, 'prank prank tiktok': 668945, 'prank tiktok stayhome24in48': 668953, 'tiktok stayhome24in48 saturdayvibes': 895921, 'stayhome24in48 saturdayvibes blacktwittermovement': 798243, 'saturdayvibes blacktwittermovement tissuechallenge': 737126, 'blacktwittermovement tissuechallenge tissuepaperchallenge': 132223, 'tissuechallenge tissuepaperchallenge toiletpaper': 899251, 'tissuepaperchallenge toiletpaper poopchallenge': 899256, 'india sir': 434612, 'india sir retail': 434613, 'still expect': 800503, 'expect decent': 290625, 'decent return': 230797, 'return from': 719844, 'from equity': 335295, 'while the is': 987398, 'causing uncertainty and': 168141, 'uncertainty and falling': 939649, 'falling price in': 297324, 'financial market at': 306496, 'moment we still': 536106, 'we still expect': 973402, 'still expect decent': 800504, 'expect decent return': 290626, 'decent return from': 230798, 'return from equity': 719845, 'from equity in': 335296, 'the coming year': 851204, 'with by': 997506, 'isolated but': 454983, 'can intentionally': 158760, 'intentionally move': 441172, 'into creative': 442494, 'creative mode': 216155, 'being resilient': 125678, 'resilient generous': 714523, 'kind like': 474863, 'shopping dropping': 762525, 'food reading': 316132, 'reading free': 700765, 'of thing we': 591920, 'up with by': 946620, 'with by being': 997507, 'by being isolated': 151946, 'being isolated but': 125346, 'isolated but we': 454984, 'we can intentionally': 970968, 'can intentionally move': 158761, 'intentionally move into': 441173, 'move into creative': 543677, 'into creative mode': 442495, 'creative mode of': 216156, 'mode of being': 535189, 'of being resilient': 580657, 'being resilient generous': 125679, 'resilient generous and': 714524, 'generous and kind': 345716, 'and kind like': 65852, 'kind like grocery': 474864, 'grocery shopping dropping': 365016, 'shopping dropping off': 762526, 'dropping off food': 260708, 'off food reading': 593822, 'food reading free': 316133, 'reading free book': 700766, 'free book online': 331679, 'book online and': 134578, 'mismatch': 534114, 'jit': 465535, 'sound dramatic': 786277, 'math wrap': 520479, 'wrap reckon': 1012662, 'reckon 16': 704559, 'away 30': 105760, '16 is': 4126, 'to mismatch': 910184, 'mismatch between': 534115, 'between uk': 128951, 'uk demand': 938298, 'what jit': 981770, 'jit can': 465536, 'destroy jit': 239014, 'jit covid': 465538, 'in comparison': 421627, 'sound dramatic but': 786278, 'dramatic but do': 258270, 'but do the': 145563, 'the math wrap': 860294, 'math wrap reckon': 520480, 'wrap reckon 16': 1012663, 'reckon 16 of': 704560, '16 of uk': 4148, 'of uk food': 592569, 'uk food is': 938367, 'thrown away 30': 895128, 'away 30 of': 105761, '30 of 16': 17139, 'of 16 is': 579370, '16 is just': 4127, 'is just under': 449152, 'just under so': 470155, 'under so all': 940254, 'shelf is down': 757236, 'down to mismatch': 257372, 'to mismatch between': 910185, 'mismatch between uk': 534116, 'between uk demand': 128952, 'uk demand and': 938299, 'demand and what': 235010, 'and what jit': 75474, 'what jit can': 981771, 'jit can supply': 465537, 'can supply brexit': 159853, 'supply brexit will': 824859, 'brexit will destroy': 139540, 'will destroy jit': 993166, 'destroy jit covid': 239015, 'jit covid 19': 465539, '19 is nothing': 8013, 'is nothing in': 450236, 'nothing in comparison': 573047, '638': 21300, '2772': 16353, 'an unsafe': 56899, 'unsafe consumer': 943386, 'product report': 681575, '800 638': 22680, '638 2772': 21301, '2772 if': 16354, 'an unfair': 56856, 'unfair business': 941415, 'practice or': 668623, 'or scam': 616974, 'found an unsafe': 330154, 'an unsafe consumer': 56900, 'unsafe consumer product': 943387, 'consumer product report': 198474, 'product report to': 681576, 'report to or': 712388, 'to or 800': 911046, 'or 800 638': 614225, '800 638 2772': 22681, '638 2772 if': 21302, '2772 if you': 16355, 'found an unfair': 330153, 'an unfair business': 56857, 'unfair business practice': 941416, 'business practice or': 144245, 'practice or scam': 668624, 'or scam related': 616975, 'to the report': 917017, 'report to the': 712390, 'roshida': 726118, 'khanom': 473723, 'are beauty': 84799, 'care business': 163874, 'category director': 167172, 'for beauty': 319609, 'care roshida': 164187, 'roshida khanom': 726119, 'khanom explores': 473724, 'explores in': 292529, 'how are beauty': 407389, 'are beauty and': 84800, 'beauty and personal': 118740, 'personal care business': 652799, 'care business adapting': 163875, 'adapting to changing': 31342, 'consumer need due': 198189, 'to 19 our': 899548, '19 our category': 9049, 'our category director': 622327, 'category director for': 167173, 'director for beauty': 243618, 'for beauty and': 319610, 'personal care roshida': 652802, 'care roshida khanom': 164188, 'roshida khanom explores': 726120, 'khanom explores in': 473725, 'explores in this': 292530, 'this new blog': 889110, 'the massachusetts': 860258, 'massachusetts food': 519908, 'food association': 313433, 'calling to': 156640, 'temporarily lift': 837506, 'lift plastic': 489448, 'ban to': 109282, 'the massachusetts food': 860259, 'massachusetts food association': 519909, 'food association is': 313434, 'association is calling': 96963, 'is calling to': 446354, 'calling to temporarily': 156641, 'to temporarily lift': 916357, 'temporarily lift plastic': 837507, 'lift plastic bag': 489449, 'bag ban to': 108243, 'ban to keep': 109283, 'to keep grocery': 908797, 'keep grocery store': 471560, 'store worker safe': 811574, 'worker safe from': 1007720, 'factrade': 296028, 'trendingnews': 931589, 'centralgovernment': 169462, 'having excessive': 384055, 'excessive stock': 289420, 'rice factrade': 721044, 'factrade trendingnews': 296029, 'trendingnews rice': 931590, 'rice india': 721068, 'india agriculture': 434281, 'agriculture sustainability': 39036, 'sustainability economy': 829757, 'economy centralgovernment': 267749, 'trending news india': 931555, 'news india the': 560540, 'india the central': 434638, 'government is having': 360256, 'is having excessive': 448328, 'having excessive stock': 384056, 'excessive stock of': 289421, 'stock of rice': 802541, 'of rice factrade': 589094, 'rice factrade trendingnews': 721045, 'factrade trendingnews rice': 296030, 'trendingnews rice india': 931591, 'rice india agriculture': 721069, 'india agriculture sustainability': 434282, 'agriculture sustainability economy': 39037, 'sustainability economy centralgovernment': 829758, 'wa stock': 963317, 'to true': 917794, 'job wa stock': 466271, 'wa stock boy': 963318, 'stock boy at': 801935, 'boy at grocery': 137244, 'store now think': 809133, 'now think that': 576124, 'that the closest': 846685, 'closest thing ll': 183541, 'thing ll come': 884558, 'come to true': 187611, 'to true hero': 917795, 'term download': 838120, 'hospitality convenience': 404764, 'convenience consumertrends': 202321, 'consumertrends consumerinsights': 199782, 'our free white': 623166, 'white paper to': 987886, 'paper to see': 640923, 'see what key': 746037, 'what key trend': 981788, 'key trend will': 473456, 'trend will be': 931516, 'will be impacting': 992509, 'be impacting the': 115375, 'impacting the post': 418268, 'corona consumer at': 203861, 'consumer at least': 196337, 'the medium term': 860443, 'medium term download': 527305, 'term download here': 838121, 'download here hospitality': 257593, 'here hospitality convenience': 393092, 'hospitality convenience consumertrends': 404765, 'convenience consumertrends consumerinsights': 202322, 'amp oil exporter': 54216, 'on contact': 600091, 'of miami': 586469, 'would consider': 1011730, 'consider similar': 195109, 'similar order': 769916, 'like done': 490137, 'miami today': 530201, 'to require': 913313, 'orange county mayor': 617908, 'county mayor tell': 211439, 'mayor tell me': 521988, 'me he been': 522869, 'he been on': 384772, 'been on contact': 121595, 'on contact with': 600092, 'with the mayor': 1001386, 'mayor of miami': 521978, 'of miami and': 586470, 'miami and would': 530164, 'and would consider': 75927, 'would consider similar': 1011731, 'consider similar order': 195110, 'similar order like': 769917, 'order like done': 618367, 'like done in': 490138, 'done in miami': 254891, 'in miami today': 425282, 'miami today to': 530202, 'today to require': 920365, 'to require customer': 913314, 'require customer and': 713306, 'and employee wear': 62070, 'wish came': 996745, 'came true': 157077, 'started removing': 794824, 'removing listing': 710905, 'overpriced 18k': 631386, '18k gold': 4680, 'hesitate greedy': 394270, 'greedy profiteer': 363579, 'profiteer of': 682968, 'site must': 771979, 'my wish came': 550621, 'wish came true': 996746, 'came true ebayuk': 157078, 'ha started removing': 372048, 'started removing listing': 794825, 'removing listing for': 710906, 'for overpriced 18k': 324338, 'overpriced 18k gold': 631387, '18k gold price': 4681, 'price toilet paper': 677076, 'paper roll there': 640696, 'after all do': 35323, 'all do not': 42593, 'not hesitate greedy': 569955, 'hesitate greedy profiteer': 394271, 'greedy profiteer of': 363580, 'profiteer of bulk': 682969, 'of bulk purchase': 580930, 'purchase now all': 689568, 'similar site must': 769925, 'site must do': 771980, 'are quality': 89368, 'fact that petrol': 295808, 'that petrol price': 845733, 'price are quality': 672716, 'it prevent': 460449, 'scotland contact': 742415, 'contact 0808': 199985, '0808 164': 1117, '164 600': 4238, 'not action': 568042, 'or citizen': 614722, 'helpline these': 391601, 'these partner': 880406, 'not applicable': 568232, 'applicable in': 82422, 'share it prevent': 755075, 'it prevent it': 460450, 'prevent it consumer': 671667, 'it consumer in': 457289, 'consumer in scotland': 197832, 'in scotland contact': 427741, 'scotland contact 0808': 742416, 'contact 0808 164': 199986, '0808 164 600': 1118, '164 600 and': 4239, '600 and not': 21067, 'and not action': 67712, 'not action fraud': 568043, 'action fraud or': 30026, 'fraud or citizen': 331316, 'or citizen advice': 614723, 'consumer helpline these': 197746, 'helpline these partner': 391602, 'these partner are': 880407, 'partner are not': 642777, 'are not applicable': 88325, 'not applicable in': 568233, 'applicable in scotland': 82423, 'affecting emerging': 34509, 'market hear': 516512, 'hear expert': 387913, 'expert analysis': 291769, 'from moody': 336469, 'moody team': 538316, 'first podcast': 308875, 'podcast in': 662288, 'series see': 751297, 'how are falling': 407399, 'are falling oil': 86468, 'outbreak affecting emerging': 627965, 'affecting emerging market': 34510, 'emerging market hear': 273133, 'market hear expert': 516513, 'hear expert analysis': 387914, 'expert analysis from': 291770, 'analysis from moody': 57047, 'from moody team': 336470, 'moody team in': 538317, 'team in the': 835689, 'the first podcast': 855336, 'first podcast in': 308876, 'podcast in new': 662289, 'in new series': 425828, 'new series see': 559566, 'series see our': 751298, 'we re responding': 972953, 'sadtire': 729390, 'is ironic': 448981, 'ironic sadtire': 444937, 'sadtire am': 729391, 'am week': 50552, 'hysteria believe': 412435, 'being well': 126056, 'prepared no': 670223, 'along every': 46989, 'morning go': 541266, 'thousand roll': 893481, 'name is ironic': 551643, 'is ironic sadtire': 448982, 'ironic sadtire am': 444938, 'sadtire am week': 729392, 'am week into': 50553, '19 hysteria believe': 7642, 'hysteria believe in': 412436, 'believe in being': 126284, 'in being well': 420771, 'being well prepared': 126057, 'well prepared no': 978504, 'prepared no matter': 670224, 'matter what come': 520651, 'what come along': 981229, 'come along every': 187203, 'along every morning': 46990, 'every morning go': 286027, 'morning go to': 541267, 'paper they have': 640899, 'in stock have': 428306, 'stock have over': 802226, 'have over thousand': 381858, 'over thousand roll': 630823, 'thousand roll now': 893482, 'mragwani': 544412, 'mragwani absolutely': 544413, 'ayurved meditation': 106363, 'meditation social': 526959, 'mragwani absolutely right': 544414, 'absolutely right we': 27443, 'right we can': 722407, 'adoting ayurved meditation': 32754, 'ayurved meditation social': 106364, 'meditation social distancing': 526960, 'nypost': 578120, 'to avoiding': 900963, 'pharmacy trending': 654530, 'news nyc': 560646, 'nyc nypost': 578022, 'nypost grocery': 578121, 'medication delivery': 526641, 'delivery prescription': 234361, 'guide to avoiding': 368358, 'to avoiding the': 900964, 'and pharmacy trending': 68983, 'pharmacy trending news': 654531, 'trending news nyc': 931556, 'news nyc nypost': 560647, 'nyc nypost grocery': 578023, 'nypost grocery food': 578122, 'grocery food medication': 364522, 'food medication delivery': 315435, 'medication delivery prescription': 526642, 'fuel hedging': 340184, 'hedging is': 388746, 'massive cost': 519995, 'airline which': 40056, 'now obliged': 575389, 'pay oil': 645017, 'pre agreed': 669135, 'agreed contract': 38704, 'contract despite': 201648, 'needing almost': 556611, 'any oil': 79549, 'all agreed': 41973, 'always way': 49792, 'way higher': 969629, 'effect of fuel': 269047, 'of fuel hedging': 583993, 'fuel hedging is': 340185, 'hedging is causing': 388747, 'is causing massive': 446426, 'causing massive cost': 168063, 'massive cost for': 519996, 'cost for airline': 207939, 'for airline which': 319091, 'airline which are': 40057, 'are now obliged': 88575, 'now obliged to': 575390, 'obliged to pay': 578483, 'to pay oil': 911546, 'pay oil price': 645018, 'oil price according': 597034, 'according to pre': 28575, 'to pre agreed': 911979, 'pre agreed contract': 669136, 'agreed contract despite': 38705, 'contract despite not': 201649, 'despite not needing': 238798, 'not needing almost': 570686, 'needing almost any': 556612, 'almost any oil': 46549, 'any oil at': 79550, 'oil at all': 596626, 'at all agreed': 97868, 'all agreed price': 41974, 'agreed price were': 38722, 'were always way': 979322, 'always way higher': 49793, 'way higher than': 969630, 'higher than current': 395751, 'than current price': 840486, 'australian have': 103499, 'month energy': 537705, 'energy provider': 276562, 'provider roll': 686775, 'new support': 559703, 'facing hardship': 295488, 'australian have one': 103500, 'have one le': 381790, 'one le bill': 606580, 'le bill to': 482863, 'bill to worry': 130705, 'worry about this': 1010658, 'about this month': 26647, 'this month energy': 888907, 'month energy provider': 537706, 'energy provider roll': 276563, 'provider roll out': 686776, 'out new support': 626632, 'new support measure': 559704, 'measure for customer': 525197, 'for customer facing': 320510, 'customer facing hardship': 222372, 'change flight': 172049, 'flight the': 310542, 'when changing': 983245, 'changing is': 172731, 'is dearer': 447050, 'dearer than': 229933, 'new booking': 558416, 'booking return': 134741, 'is cheaper': 446498, 'flight if': 310493, 'fee shame': 302223, 'why at': 990821, 'to change flight': 902601, 'change flight the': 172050, 'flight the flight': 310543, 'the flight price': 855406, 'flight price when': 310526, 'price when changing': 677480, 'when changing is': 983246, 'changing is dearer': 172732, 'is dearer than': 447051, 'dearer than making': 229934, 'than making new': 840866, 'making new booking': 511250, 'new booking return': 558417, 'booking return flight': 134742, 'return flight is': 719839, 'flight is cheaper': 310504, 'is cheaper than': 446499, 'of my flight': 586769, 'my flight if': 548365, 'flight if this': 310494, 'is to compensate': 453188, 'compensate for your': 191533, 'for your no': 328181, 'your no change': 1025020, 'no change fee': 563787, 'change fee shame': 172044, 'fee shame on': 302224, 'on you why': 605444, 'you why at': 1022315, 'why at these': 990822, 'each1teach1': 264345, 'not hurricane': 570035, 'hurricane stop': 411490, 'stop pilling': 804913, 'water stock': 969166, 'stock toilet': 803007, 'panic each1teach1': 638055, 'is not hurricane': 450109, 'not hurricane stop': 570036, 'hurricane stop pilling': 411491, 'stop pilling of': 804914, 'pilling of water': 656697, 'water and water': 968890, 'and water stock': 75255, 'water stock toilet': 969167, 'stock toilet paper': 803008, 'paper this will': 640908, 'this will last': 891424, 'for month the': 323541, 'month the fda': 538042, 'fda say there': 300924, 'country just panic': 210838, 'just panic each1teach1': 469433, 'barrel over': 111266, 'over 17': 629793, 'year spread': 1014970, 'sugar nigerian': 817463, 'looking within': 503070, 'within now': 1002397, 'can official': 159101, 'official also': 595742, 'fall to 26': 297089, 'to 26 11': 899647, '26 11 per': 16129, 'per barrel over': 650706, 'barrel over 17': 111267, 'over 17 year': 629794, '17 year spread': 4411, 'year spread no': 1014971, 'no sugar nigerian': 565614, 'sugar nigerian should': 817464, 'start looking within': 794377, 'looking within now': 503071, 'within now can': 1002398, 'now can official': 574334, 'can official also': 159102, 'official also stop': 595743, 'stop stealing the': 805068, 'stealing the time': 799260, 'the time have': 869593, 'forget sunbathing': 329285, 'sunbathing people': 818122, 'treating weekly': 931024, 'kid ffs': 473949, 'shopping stayhomesavelives': 763978, 'forget sunbathing people': 329286, 'sunbathing people are': 818123, 'people are treating': 647103, 'are treating weekly': 91198, 'treating weekly shop': 931025, 'weekly shop to': 977558, 'supermarket day out': 819896, 'day out with': 228184, 'the kid ffs': 858785, 'kid ffs it': 473950, 'ffs it doesn': 304309, 'it doesn need': 457637, 'doesn need of': 251904, 'need of you': 555350, 'go shopping stayhomesavelives': 354128, 'unacceptable stophoarding': 939367, 'stophoarding heartbreaking': 805408, 'woman look': 1003550, 'cole before': 185843, 'before breaking': 122674, 'breaking down': 138939, 'coronavirus hoarder': 206087, 'hoarder took': 399139, 'is unacceptable stophoarding': 453425, 'unacceptable stophoarding heartbreaking': 939368, 'stophoarding heartbreaking moment': 805409, 'elderly woman look': 270955, 'woman look on': 1003551, 'look on at': 502552, 'on at empty': 599496, 'in cole before': 421541, 'cole before breaking': 185844, 'before breaking down': 122675, 'breaking down in': 138940, 'after coronavirus hoarder': 35508, 'coronavirus hoarder took': 206088, 'hoarder took all': 399140, 'full everyday': 340584, 'everyday staysafestayhome': 286627, 'almost all supermarket': 46540, 'supermarket are full': 819157, 'are full everyday': 86725, 'full everyday staysafestayhome': 340585, 'tornado': 925909, 'maura': 520719, 'something skyrocket': 785057, 'skyrocket during': 773303, 'gouging no': 359393, 'should jack': 766153, 'vulnerable whether': 961253, '19 tornado': 11516, 'tornado or': 925910, 'hurricane that': 411492, 'wrong ty': 1013141, 'ty maura': 937483, 'maura healey': 520720, 'if the price': 415019, 'price of something': 675573, 'of something skyrocket': 589928, 'something skyrocket during': 785058, 'skyrocket during or': 773304, 'during or in': 262836, 'or in anticipation': 615749, 'anticipation of crisis': 78490, 'crisis it price': 217609, 'it price gouging': 460464, 'price gouging no': 674302, 'gouging no one': 359394, 'one should jack': 607029, 'should jack up': 766154, 'people are vulnerable': 647111, 'are vulnerable whether': 91515, 'vulnerable whether it': 961254, 'whether it covid': 985521, 'covid 19 tornado': 213967, '19 tornado or': 11517, 'tornado or hurricane': 925911, 'or hurricane that': 615700, 'hurricane that just': 411493, 'that just wrong': 844799, 'just wrong ty': 470358, 'wrong ty maura': 1013142, 'ty maura healey': 937484, 'friend mb': 333708, 'mb crown': 522025, 'arabia who': 83968, 'with president': 1000294, 'russia expect': 728470, 'expect hope': 290658, 'back approximately': 106873, 'approximately 10': 83237, 'barrel and': 111198, 'which if': 985941, 'happens will': 377532, 'my friend mb': 548443, 'friend mb crown': 333709, 'mb crown prince': 522026, 'crown prince of': 219428, 'prince of saudi': 678207, 'saudi arabia who': 737229, 'arabia who spoke': 83969, 'spoke with president': 789751, 'with president putin': 1000295, 'of russia expect': 589188, 'russia expect hope': 728471, 'expect hope that': 290659, 'hope that they': 403657, 'will be cutting': 992416, 'cutting back approximately': 223711, 'back approximately 10': 106874, 'approximately 10 million': 83238, 'million barrel and': 532082, 'barrel and maybe': 111199, 'substantially more which': 816077, 'more which if': 540969, 'which if it': 985942, 'it happens will': 458479, 'happens will be': 377533, 'oil gas industry': 596825, '19 mail': 8511, 'covid 19 mail': 213389, '19 mail online': 8512, 'worse food': 1010927, 'worse this is': 1011038, 'buying problem it': 150925, 'problem it is': 679577, 'it is collapse': 458906, 'chain supermarket are': 171146, 'getting worse food': 349454, 'worse food shortage': 1010928, 'wa seeing': 963156, 'behind were': 124748, 'were unnecessarily': 980308, 'unnecessarily high': 942852, 'thing wa seeing': 884951, 'wa seeing an': 963157, 'seeing an elderly': 746216, 'mention that what': 528792, 'that what wa': 847474, 'left behind were': 485426, 'behind were unnecessarily': 124749, 'were unnecessarily high': 980309, 'unnecessarily high price': 942853, 'hysteria by': 412437, 'posting photograph': 666681, 'supermarket looting': 821398, 'looting during': 503253, 'during london': 262782, 'london riot': 501164, 'riot for': 722609, 'for story': 325934, 'on try': 604866, 'try being': 934462, 'responsible abc': 715997, 'abc news is': 24265, 'news is feeding': 560554, 'is feeding the': 447771, 'feeding the hysteria': 302484, 'the hysteria by': 857800, 'hysteria by posting': 412438, 'by posting photograph': 153627, 'posting photograph of': 666682, 'photograph of supermarket': 655278, 'of supermarket looting': 590434, 'supermarket looting during': 821399, 'looting during london': 503254, 'during london riot': 262783, 'london riot for': 501165, 'riot for story': 722610, 'for story on': 325935, 'story on try': 812089, 'on try being': 604867, 'try being more': 934463, 'being more responsible': 125440, 'more responsible abc': 540248, 'responsible abc news': 715998, 'having this': 384328, 'myers fl': 550720, 'fl where': 309929, 'pm there': 662003, 'food wanted': 317452, 'of having this': 584486, 'having this virus': 384329, 'go to publix': 354343, 'to publix supermarket': 912489, 'fort myers fl': 329777, 'myers fl where': 550721, 'fl where ppl': 309930, 'where ppl have': 985127, 'ppl have died': 668244, '19 at pm': 5244, 'at pm there': 100145, 'pm there wa': 662004, 'kleenex could find': 475897, 'find some brand': 307225, 'some brand of': 782427, 'brand of food': 137944, 'of food wanted': 583810, 'food wanted but': 317453, 'alternative asked employee': 49209, 'asked employee if': 95734, 'peeve': 646317, 'gtfo': 367668, 'pet peeve': 653434, 'peeve of': 646318, 'ppl feel': 668226, 'checkout like': 174943, 'you gtfo': 1018946, 'gtfo quarantinelife': 367669, 'pet peeve of': 653435, 'peeve of the': 646319, 'to be social': 901551, 'distancing but when': 247063, 'store why do': 811317, 'why do ppl': 990936, 'do ppl feel': 250002, 'ppl feel the': 668227, 'to stand right': 915163, 'stand right over': 793580, 'right over your': 722216, 'your shoulder in': 1025799, 'the checkout like': 850766, 'checkout like can': 174944, 'can you gtfo': 160306, 'you gtfo quarantinelife': 1018947, 'don realise': 253845, 'absolutely pointless': 27429, 'pointless queuing': 662774, 'at 2m': 97572, 'apart or': 81316, 'or 7m': 614220, '7m some': 22486, 'get within': 348634, 'within inch': 1002369, 'inch from': 431396, 'me how many': 522914, 'people don realise': 647705, 'don realise it': 253846, 'realise it absolutely': 701599, 'it absolutely pointless': 456249, 'absolutely pointless queuing': 27430, 'pointless queuing outside': 662775, 'supermarket at 2m': 819229, 'at 2m apart': 97573, '2m apart or': 16664, 'apart or 7m': 81317, 'or 7m some': 614221, '7m some are': 22487, 'some are doing': 782317, 'are doing if': 85905, 'doing if you': 252462, 'you are then': 1017260, 'are then going': 90948, 'then going to': 877216, 'to get within': 906646, 'get within inch': 348635, 'within inch from': 1002370, 'inch from me': 431397, 'from me to': 336401, 'get something off': 348088, 'something off the': 784997, 'newyork australia': 561182, 'australia few': 103276, 'ago this': 38508, 'australian wa': 103570, 'wa stranded': 963325, 'of missing': 586579, 'missing flight': 534292, 'flight today': 310548, 'become rich': 120120, 'supermarket haha': 820662, 'newyork australia few': 561183, 'australia few month': 103277, 'month ago this': 537547, 'ago this australian': 38509, 'this australian wa': 886464, 'australian wa stranded': 103571, 'wa stranded in': 963326, 'stranded in china': 812354, 'in china because': 421393, 'china because of': 176520, 'because of missing': 119377, 'of missing flight': 586580, 'missing flight today': 534293, 'flight today he': 310549, 'today he ha': 919623, 'he ha become': 385019, 'ha become rich': 369691, 'become rich in': 120121, 'rich in toilet': 721230, 'the supermarket haha': 868620, 'tug': 935243, 'breaker play': 138865, 'play tug': 659238, 'tug of': 935244, 'florida despite': 310919, 'despite outbreak': 238810, 'spring breaker play': 791178, 'breaker play tug': 138866, 'play tug of': 659239, 'tug of war': 935245, 'of war on': 592908, 'the beach in': 849381, 'beach in miami': 118209, 'miami florida despite': 530175, 'florida despite outbreak': 310920, 'despite outbreak and': 238811, 'outbreak and advice': 627982, 'and advice from': 57729, 'advice from health': 33387, 'from health official': 335748, 'official to practice': 595948, 'ceo board': 169658, 'board member': 133648, 'managing volatility': 512917, 'and urging': 74764, 'urging federal': 948420, 'state consistency': 795475, 'consistency on': 195479, 'on defining': 600254, 'defining essential': 232290, 'economy agriculture': 267618, 'food leadership': 315285, 'ceo board member': 169659, 'board member of': 133649, 'member of is': 528142, 'of is managing': 585322, 'is managing volatility': 449571, 'managing volatility in': 512918, 'volatility in product': 960082, 'in product demand': 427017, 'product demand and': 681115, 'demand and urging': 235008, 'and urging federal': 74765, 'urging federal state': 948421, 'federal state consistency': 302057, 'state consistency on': 795476, 'consistency on defining': 195480, 'on defining essential': 600255, 'defining essential service': 232291, 'the crisis economy': 852371, 'crisis economy agriculture': 217338, 'economy agriculture food': 267619, 'agriculture food leadership': 38975, 'isn available': 454439, 'available mybooster': 104500, 'sanitizer isn available': 735219, 'isn available mybooster': 454440, 'available mybooster antioxidant': 104501, 'too quote': 925022, 'quote coronavillains': 694987, 'am in love': 50137, 'in love with': 424946, 'love with corona': 504876, 'with corona virus': 997790, 'corona virus that': 204360, 'virus that the': 958877, 'only reason do': 611056, 'wear mask use': 974410, 'mask use sanitizer': 519467, 'use sanitizer it': 949544, 'sanitizer it will': 735233, 'it will leave': 462409, 'will leave me': 993974, 'leave me too': 484868, 'me too quote': 523825, 'too quote coronavillains': 925023, 'changed have': 172487, 'age if': 37834, 'how my world': 408395, 'my world ha': 550653, 'world ha changed': 1009605, 'ha changed have': 370124, 'changed have to': 172488, 'to stand outside': 915162, 'stand outside the': 793576, 'and ask someone': 58430, 'ask someone of': 95619, 'someone of age': 784582, 'of age if': 579824, 'age if they': 37835, 'will go in': 993552, 'in and buy': 420353, 'and buy me': 59343, 'buy me toilet': 148948, 'goldsbrough': 356105, 'using and': 950383, 'distance sensor': 246819, 'create touchless': 215757, 'touchless hand': 926763, 'dispenser awesome': 246139, 'highly relevant': 396098, 'relevant application': 709144, 'application goldsbrough': 82463, '19 using and': 11708, 'using and distance': 950384, 'and distance sensor': 61495, 'distance sensor to': 246820, 'sensor to create': 750733, 'to create touchless': 903725, 'create touchless hand': 215758, 'touchless hand sanitizer': 926764, 'sanitizer dispenser awesome': 734765, 'dispenser awesome and': 246140, 'awesome and highly': 106155, 'and highly relevant': 64571, 'highly relevant application': 396099, 'relevant application goldsbrough': 709145, 'demand full': 235560, 'pay want': 645219, 'our whatsapp': 625372, 'campaign fighting': 157218, 'deserve fast': 238054, 'no under': 565815, '18 rt': 4582, 'rt tag': 726811, 'friend let': 333698, 'food worker during': 317669, '19 we demand': 11924, 'we demand full': 971267, 'demand full pay': 235561, 'full pay want': 340804, 'pay want in': 645220, 'want in join': 965821, 'join our whatsapp': 466818, 'our whatsapp group': 625373, 'whatsapp group to': 982893, 'group to be': 366929, 'the national campaign': 861286, 'national campaign fighting': 552434, 'campaign fighting for': 157219, 'fighting for everything': 305071, 'everything we deserve': 288089, 'we deserve fast': 971277, 'deserve fast food': 238055, 'food worker only': 317676, 'worker only no': 1007497, 'only no under': 610826, 'no under 18': 565816, 'under 18 rt': 939960, '18 rt tag': 4583, 'rt tag friend': 726812, 'tag friend let': 831754, 'friend let do': 333699, 'antibac': 78343, 'antibac handwash': 78344, 'handwash like': 376778, 'dust in': 263448, 'but bog': 145303, 'bog standard': 133969, 'standard 5l': 793625, '5l carton': 20738, 'carton readily': 165494, 'antibac handwash like': 78345, 'handwash like gold': 376779, 'gold dust in': 355880, 'dust in shop': 263449, 'shop but bog': 759997, 'but bog standard': 145304, 'bog standard 5l': 133970, 'standard 5l carton': 793626, '5l carton readily': 20739, 'carton readily available': 165495, 'readily available on': 700720, 'available on ebay': 104530, 'ebay for low': 266462, 'low price coronacrisis': 505506, 'friendly testing': 334011, 'testing pose': 839606, 'pose significant': 665113, 'significant design': 769426, 'design challenge': 238224, 'challenge explains': 171446, 'explains via': 292246, 'need for consumer': 554831, 'consumer friendly testing': 197549, 'friendly testing pose': 334012, 'testing pose significant': 839607, 'pose significant design': 665114, 'significant design challenge': 769427, 'design challenge explains': 238225, 'challenge explains via': 171447, 'wa single': 963231, 'single mom': 771338, 'olympia who': 598785, 'who needed': 989333, 'needed grocery': 556374, 'we sounded': 973342, 'sounded the': 786353, 'alarm and': 40665, 'helped and': 391047, 'and courtney': 60655, 'courtney just': 212064, 'dropped 180': 260505, '180 worth': 4622, 'grocery off': 364763, 'earlier today there': 264505, 'there wa single': 879272, 'wa single mom': 963232, 'single mom with': 771339, 'mom with two': 535846, 'with two kid': 1001870, 'two kid in': 936988, 'kid in olympia': 474015, 'in olympia who': 426105, 'olympia who needed': 598786, 'who needed grocery': 989334, 'needed grocery and': 556375, 'grocery and could': 364228, '19 we sounded': 11952, 'we sounded the': 973343, 'sounded the alarm': 786354, 'the alarm and': 848546, 'alarm and helped': 40666, 'and helped and': 64484, 'helped and courtney': 391048, 'and courtney just': 60656, 'courtney just dropped': 212065, 'just dropped 180': 468655, 'dropped 180 worth': 260506, '180 worth of': 4623, 'of grocery off': 584353, 'amma canteen': 52877, 'is serving': 451806, 'serving 11': 753167, 'lakh people': 479119, 'the canteen': 850347, 'is adequate': 445356, 'adequate and': 32156, 'we monitor': 972387, 'it constantly': 457277, 'constantly we': 195715, 'serve all': 751862, 'left hungry': 485505, 'hungry greater': 411254, 'greater chennai': 363150, 'chennai corporation': 175498, 'corporation commissioner': 207402, 'commissioner prakash': 188957, 'prakash ani': 668912, 'ani follow': 76535, 'follow update': 312582, 'amma canteen is': 52878, 'canteen is serving': 162361, 'is serving 11': 451807, 'serving 11 lakh': 753168, '11 lakh people': 2548, 'lakh people stock': 479120, 'people stock for': 649614, 'for the canteen': 326334, 'the canteen is': 850348, 'canteen is adequate': 162359, 'is adequate and': 445357, 'adequate and we': 32157, 'and we monitor': 75306, 'we monitor it': 972388, 'monitor it constantly': 537293, 'it constantly we': 457278, 'constantly we will': 195716, 'will serve all': 994815, 'serve all people': 751863, 'be left hungry': 115696, 'left hungry greater': 485506, 'hungry greater chennai': 411255, 'greater chennai corporation': 363151, 'chennai corporation commissioner': 175499, 'corporation commissioner prakash': 207403, 'commissioner prakash ani': 188958, 'prakash ani follow': 668913, 'ani follow update': 76536, 'for significant': 325618, 'significant downturn': 769437, 'downturn while': 257819, 'growth double': 367362, 'next is preparing': 561415, 'preparing for significant': 670336, 'for significant downturn': 325619, 'significant downturn while': 769438, 'downturn while online': 257820, 'while online supermarket': 987108, 'supermarket ocado ha': 821693, 'ocado ha seen': 578898, 'ha seen growth': 371827, 'seen growth double': 747046, 'cry raised': 219908, 'market grocery': 516474, 'related authority': 708377, 'against egg': 37425, 'milk diff': 531638, 'diff daily': 241792, 'daily item': 224650, 'which selling': 986304, 'selling high': 749291, 'people are cry': 646951, 'are cry raised': 85647, 'cry raised price': 219909, 'price in new': 674713, 'york in super': 1016626, 'super market grocery': 818545, 'market grocery store': 516475, 'store for people': 807828, 'for people don': 324449, 'don have job': 253605, 'have job don': 381169, 'job don have': 465799, 'survive now day': 829203, 'now day in': 574498, 'day in covid': 227794, '19 related authority': 10042, 'related authority should': 708378, 'authority should take': 103785, 'take serious action': 832555, 'serious action against': 751330, 'action against egg': 29930, 'against egg milk': 37426, 'egg milk diff': 269919, 'milk diff daily': 531639, 'diff daily item': 241793, 'daily item which': 224651, 'item which selling': 463818, 'which selling high': 986305, 'selling high price': 749292, 'uk allows': 938156, 'allows it': 46383, 'it seller': 460967, 'essential handsanitisers': 281117, 'handsanitisers at': 376459, 'shame that uk': 754651, 'that uk allows': 847160, 'uk allows it': 938157, 'allows it seller': 46384, 'it seller to': 460968, 'seller to exploit': 749096, 'exploit the pandemic': 292366, 'selling essential handsanitisers': 749226, 'essential handsanitisers at': 281118, 'handsanitisers at inflated': 376460, 'supermarket scared': 822335, 'still because': 800268, 'contamination just': 200718, 'me work at': 524013, 'at supermarket scared': 100765, 'supermarket scared of': 822336, 'work still because': 1005767, 'still because of': 800269, '19 see customer': 10386, 'see customer come': 745025, 'come in with': 187381, 'in with glove': 430942, 'glove and that': 352581, 'and that your': 73226, 'that your right': 847773, 'cross contamination just': 218994, 'contamination just making': 200719, 'just making the': 469223, 'grocery grabbed': 364562, 'no ranking': 565271, 'ranking position': 696795, 'apps in': 83290, 'the surpassing': 869014, 'walmart grocery grabbed': 965337, 'grocery grabbed the': 364563, 'grabbed the no': 361570, 'the no ranking': 861834, 'no ranking position': 565272, 'ranking position across': 696796, 'position across all': 665154, 'across all shopping': 29233, 'all shopping apps': 44328, 'shopping apps in': 762060, 'apps in the': 83291, 'in the surpassing': 429588, 'the surpassing amazon': 869015, 'southcentre': 786827, 'retail cashier': 717923, 'cashier should': 166608, 'one retailer': 606961, 'retailer contracted': 719096, 'at southcentre': 100600, 'southcentre mall': 786828, 'public wa': 688457, 'wa alerted': 961461, 'retail cashier should': 717924, 'cashier should wear': 166609, 'and glove after': 63708, 'glove after one': 352539, 'after one retailer': 35986, 'one retailer contracted': 606962, 'retailer contracted covid': 719097, '19 at southcentre': 5250, 'at southcentre mall': 100601, 'southcentre mall and': 786829, 'mall and had': 511735, 'the public wa': 864866, 'public wa alerted': 688458, 'flexin': 310404, 'pristine': 678765, 'flexin on': 310405, 'medium 2019': 526964, '2019 pristine': 14001, 'pristine beach': 678766, 'beach hot': 118206, 'hot body': 404990, 'body brunch': 133831, 'brunch travel': 141350, 'travel music': 930433, 'festival flexin': 303599, 'medium 2020': 526966, '2020 my': 14457, 'ha bean': 369666, 'flexin on social': 310406, 'social medium 2019': 779835, 'medium 2019 pristine': 526965, '2019 pristine beach': 14002, 'pristine beach hot': 678767, 'beach hot body': 118207, 'hot body brunch': 404991, 'body brunch travel': 133832, 'brunch travel music': 141351, 'travel music festival': 930434, 'music festival flexin': 546306, 'festival flexin on': 303600, 'social medium 2020': 779836, 'medium 2020 my': 526967, '2020 my grocery': 14458, 'store ha bean': 807998, 'ha bean and': 369667, 'bean and toilet': 118293, 'weekend first': 977336, 'first listen': 308765, 'this remarkable': 889866, 'remarkable call': 710113, 'an intensive': 56390, 'care doctor': 163909, 're planning to': 699266, 'go out this': 353992, 'this weekend first': 891309, 'weekend first listen': 977337, 'first listen to': 308766, 'to this remarkable': 917457, 'this remarkable call': 889867, 'remarkable call from': 710114, 'call from an': 155900, 'from an intensive': 334489, 'an intensive care': 56391, 'intensive care doctor': 441132, 'care doctor who': 163910, 'doctor who warned': 251163, 'who warned if': 989934, 'go out it': 353963, 'out it going': 626443, 'to kill people': 908937, 'kill people coronacrisis': 474473, 'saw bullet': 738074, 'bullet proof': 142429, 'proof looking': 683999, 'looking screen': 502991, 'register please': 707600, 'removed after': 710856, 'morning and saw': 541163, 'and saw bullet': 70977, 'saw bullet proof': 738075, 'bullet proof looking': 142430, 'proof looking screen': 684000, 'looking screen at': 502992, 'screen at the': 742678, 'the register please': 865442, 'register please tell': 707601, 'me these will': 523683, 'be removed after': 116788, 'removed after this': 710857, 'stocking do': 803547, 'this rumour': 889934, 'pending shortage': 646486, 'ppl are getting': 668167, 'getting into panic': 349069, 'and stocking do': 72432, 'stocking do not': 803548, 'stock this rumour': 802976, 'this rumour of': 889935, 'rumour of pending': 727524, 'of pending shortage': 587858, 'pending shortage is': 646487, 'trader to make': 928783, 'successfully treated': 816277, 'treated covid': 930946, 'drug part': 261024, 'medicine which': 526923, 'are readily': 89455, 'india ha successfully': 434447, 'ha successfully treated': 372097, 'successfully treated covid': 816278, 'treated covid 19': 930947, 'using this drug': 950750, 'this drug part': 887307, 'drug part of': 261025, 'cocktail of medicine': 185244, 'of medicine which': 586416, 'medicine which are': 526924, 'which are readily': 985693, 'are readily available': 89456, 'readily available and': 700716, 'the big problem': 849615, 'problem is this': 679572, 'price in america': 674657, 'haven received': 383875, 'which suspect': 986364, 'additional contact': 31792, 'contact will': 200263, 'crisis but my': 217150, 'store worker still': 811587, 'worker still haven': 1007822, 'still haven received': 800675, 'haven received mask': 383876, 'received mask or': 703646, 'glove we have': 353018, 'have also not': 379217, 'also not received': 48577, 'received any advice': 703596, 'any advice on': 78904, 'prevent or reduce': 671681, 'or reduce our': 616812, 'reduce our exposure': 705883, 'the which suspect': 871449, 'which suspect with': 986365, 'all the additional': 44656, 'the additional contact': 848345, 'additional contact will': 31793, 'contact will be': 200264, 'will be exposed': 992449, 'southaustralia': 786821, 'manage cancellation': 512382, 'cancellation result': 161065, 'who experiencing': 988717, 'experiencing issue': 291678, 'issue read': 455903, 'at southaustralia': 100599, 'some business may': 782448, 'be struggling to': 117415, 'struggling to manage': 814510, 'to manage cancellation': 909789, 'manage cancellation result': 512383, 'cancellation result of': 161066, 'of the if': 591121, 're consumer who': 698461, 'consumer who experiencing': 199519, 'who experiencing issue': 988718, 'experiencing issue read': 291679, 'issue read our': 455904, 'our advice at': 622029, 'advice at southaustralia': 33326, 'saar temporary': 728974, 'temporary shuts': 837693, 'to suspected': 916062, 'alosra supermarket in': 47119, 'in saar temporary': 427611, 'saar temporary shuts': 728975, 'temporary shuts down': 837694, 'shuts down due': 768183, 'due to suspected': 261987, 'to suspected case': 916063, 'brevard': 139391, 'in brevard': 420968, 'brevard from': 139392, 'disgusting you': 245483, 're disgusting': 698526, 'are piece': 89085, 'shit idc': 759129, 'idc if': 412989, 'problem unless': 679730, 'died in brevard': 241571, 'in brevard from': 420969, 'brevard from covid': 139393, '19 stay tf': 10803, 'tf home it': 840001, 'home it disgusting': 401470, 'it disgusting you': 457581, 'disgusting you re': 245485, 'you re disgusting': 1020601, 're disgusting you': 698527, 'disgusting you are': 245484, 'you are piece': 1017198, 'are piece of': 89086, 'of shit idc': 589600, 'shit idc if': 759130, 'idc if you': 412990, 'you re my': 1020680, 're my friend': 699054, 'my friend you': 548459, 'friend you are': 333929, 'the problem unless': 864531, 'problem unless you': 679731, 're an essential': 698287, 'essential worker going': 281832, 'pharmacy there is': 654508, 'soon bc': 785632, 'bc online': 113272, 'shopping ain': 761914, 'got nothin': 358744, 'nothin on': 572913, 'sale section': 732509, 'crisis end soon': 217348, 'end soon bc': 275960, 'soon bc online': 785633, 'bc online shopping': 113273, 'online shopping ain': 609019, 'shopping ain got': 761915, 'ain got nothin': 39621, 'got nothin on': 358745, 'nothin on the': 572914, 'on the sale': 604343, 'the sale section': 866182, 'sale section in': 732510, 'section in store': 744012, 'by take': 154200, 'impacted buying': 418072, 'provides opportunity': 686878, 'brand detail': 137815, 'new research by': 559461, 'research by take': 713690, 'by take an': 154201, 'take an interesting': 831936, 'an interesting look': 56406, 'at how covid': 99211, 'ha impacted buying': 370911, 'impacted buying behavior': 418073, 'buying behavior and': 150011, 'behavior and provides': 123900, 'and provides opportunity': 69704, 'provides opportunity for': 686879, 'opportunity for some': 613630, 'for some brand': 325731, 'some brand detail': 782425, 'brand detail here': 137816, 'hagemann': 373875, 'hagemann large': 373876, 'been shifting': 121945, 'shifting distribution': 758529, 'been of': 121585, 'potential concern': 667037, 'concern haven': 192991, 'heard much': 388110, 'this recently': 889833, 'recently though': 704167, 'hagemann large part': 373877, 'large part of': 479738, 'part of empty': 642346, 'empty shelf ha': 275068, 'shelf ha just': 757135, 'just been shifting': 468306, 'been shifting distribution': 121946, 'shifting distribution demand': 758530, 'distribution demand change': 248143, 'demand change but': 235126, 'change but these': 171963, 'but these are': 147477, 'these are other': 879627, 'are other factor': 88844, 'other factor that': 620211, 'factor that have': 295903, 'have been of': 379621, 'been of potential': 121586, 'of potential concern': 588279, 'potential concern haven': 667038, 'concern haven heard': 192992, 'haven heard much': 383834, 'heard much about': 388111, 'much about this': 544691, 'about this recently': 26655, 'this recently though': 889834, 'capricious': 162902, 'unenforceable': 941325, 'virus made': 958477, 'everyone disabled': 286810, 'disabled fighting': 243904, 'resource weighing': 714931, 'weighing the': 977682, 'risk benefit': 723415, 'trip not': 932114, 'not welcomed': 572479, 'welcomed in': 977920, 'place dependent': 657404, 'on arbitrary': 599454, 'arbitrary capricious': 84019, 'capricious administrative': 162903, 'administrative decision': 32518, 'decision for': 231027, 'right unenforceable': 722379, 'unenforceable asd': 941326, 'this virus made': 891017, 'virus made everyone': 958478, 'made everyone disabled': 507731, 'everyone disabled fighting': 286811, 'disabled fighting for': 243905, 'fighting for resource': 305079, 'for resource weighing': 325161, 'resource weighing the': 714932, 'weighing the risk': 977683, 'the risk benefit': 865872, 'risk benefit of': 723416, 'benefit of grocery': 127044, 'store trip not': 810950, 'trip not welcomed': 932115, 'not welcomed in': 572480, 'welcomed in public': 977921, 'public place dependent': 688226, 'place dependent on': 657405, 'dependent on arbitrary': 237368, 'on arbitrary capricious': 599455, 'arbitrary capricious administrative': 84020, 'capricious administrative decision': 162904, 'administrative decision for': 32519, 'decision for access': 231028, 'to vital service': 918224, 'vital service and': 959719, 'service and civil': 752073, 'and civil right': 59907, 'civil right unenforceable': 179538, 'right unenforceable asd': 722380, 'closed right': 183313, 'in fortune': 423056, 'store open closed': 809255, 'open closed right': 612154, 'closed right now': 183314, 'now and store': 574056, 'pandemic in fortune': 635697, 'hand carry': 374858, 'carry germ': 165080, 'cannot see': 162078, 'see wash': 746008, 'frequently using': 332887, 'soap wearecput': 779171, 'your hand carry': 1024175, 'hand carry germ': 374859, 'carry germ you': 165081, 'germ you cannot': 346191, 'you cannot see': 1017875, 'cannot see wash': 162079, 'see wash your': 746009, 'hand frequently using': 374961, 'frequently using hand': 332888, 'or soap wearecput': 617137, 'soap wearecput wearecputmedia': 779172, 'true legend': 933127, 'legend frontline': 485932, 'staff caregiver': 792307, 'caregiver supermarket': 164514, 'employee general': 273881, 'general surgery': 345483, 'receptionist epidemiologist': 704194, 'who are true': 988246, 'are true legend': 91213, 'true legend frontline': 933128, 'legend frontline nh': 485933, 'nh staff caregiver': 562081, 'staff caregiver supermarket': 792308, 'caregiver supermarket and': 164515, 'and store employee': 72505, 'store employee general': 807493, 'employee general surgery': 273882, 'general surgery receptionist': 345484, 'surgery receptionist epidemiologist': 828334, 'weird new': 977774, 'reality living': 701754, 'spot california': 790043, 'california you': 155617, 'gotta bring': 359068, 'what weird new': 982576, 'weird new reality': 977775, 'new reality living': 559400, 'reality living in': 701755, 'hot spot california': 405051, 'spot california you': 790044, 'california you gotta': 155618, 'you gotta bring': 1018914, 'gotta bring face': 359069, 'bring face mask': 139969, 'and glove just': 63728, 'glove just to': 352749, 'go get gas': 353608, 'get gas and': 347132, 'gas and going': 343762, 'is risking your': 451562, 'safety and life': 730455, 'withhold': 1002301, 'cartel and': 165442, 'ally have': 46433, 'to withhold': 918649, 'withhold almost': 1002302, 'almost 10m': 46475, '10m barrel': 2349, '19 wiped': 12119, 'and triggered': 74456, 'triggered collapse': 931910, 'the opec oil': 862376, 'opec oil cartel': 611925, 'oil cartel and': 596666, 'cartel and it': 165443, 'it ally have': 456398, 'ally have agreed': 46434, 'agreed to withhold': 38752, 'to withhold almost': 918650, 'withhold almost 10m': 1002303, 'almost 10m barrel': 46476, '10m barrel day': 2350, 'barrel day from': 111211, 'day from next': 227658, 'from next month': 336576, 'next month after': 561449, 'month after the': 537529, 'covid 19 wiped': 214079, '19 wiped out': 12120, 'wiped out demand': 996469, 'out demand for': 625949, 'demand for fossil': 235421, 'fossil fuel and': 330078, 'fuel and triggered': 340121, 'and triggered collapse': 74457, 'triggered collapse in': 931911, 'our different': 622748, 'version worker': 954929, 'worker entrepreneur': 1006853, 'entrepreneur investor': 278937, 'consumer citizen': 196802, 'often at': 596162, 'at cross': 98371, 'cross purpose': 219028, 'purpose post': 690151, 'see decision': 745031, 'by capital': 152064, 'the version': 870695, 'column in': 186905, 'our different version': 622749, 'different version worker': 242124, 'version worker entrepreneur': 954930, 'worker entrepreneur investor': 1006854, 'entrepreneur investor consumer': 278938, 'investor consumer citizen': 444141, 'consumer citizen are': 196803, 'citizen are often': 178852, 'are often at': 88688, 'often at cross': 596163, 'at cross purpose': 98372, 'cross purpose post': 219029, 'purpose post covid': 690152, 'covid world will': 214254, 'will see decision': 994771, 'see decision by': 745032, 'decision by capital': 231015, 'by capital and': 152065, 'capital and government': 162638, 'and government that': 63890, 'government that will': 360677, 'that will affect': 847553, 'affect all the': 34112, 'all the version': 44973, 'the version of': 870696, 'version of me': 954917, 'of me my': 586337, 'me my column': 523187, 'my column in': 547746, 'pandemic maybe': 635944, 'hospital drive': 404383, 'drive delivery': 259026, 'van or': 952306, 'doing record': 252626, 'answer on': 78087, 'then email': 877147, 'email it': 272222, 'at covid19': 98357, 'covid19 org': 214340, 'are you or': 91830, 'or someone at': 617155, 'someone at home': 784377, 'home in an': 401411, 'that is responding': 844646, 'the pandemic maybe': 863022, 'pandemic maybe you': 635945, 'maybe you work': 521900, 'in hospital drive': 423807, 'hospital drive delivery': 404384, 'drive delivery van': 259027, 'delivery van or': 234712, 'van or stock': 952307, 'or stock grocery': 617230, 'store shelf how': 810079, 'you doing record': 1018300, 'doing record your': 252627, 'record your answer': 705086, 'your answer on': 1022787, 'answer on your': 78088, 'phone and then': 654887, 'and then email': 73758, 'then email it': 877148, 'email it to': 272223, 'it to at': 461705, 'to at covid19': 900802, 'at covid19 org': 98358, 'where cfi': 984777, 'cfi and': 170317, 'today at cdt': 919272, 'cdt join for': 168686, 'join for cfi': 466711, 'trend where cfi': 931510, 'where cfi and': 984778, 'cfi and detail': 170318, 'and detail weekly': 61287, 'question register here': 693711, 'dgoc': 240072, 'underpin': 940541, 'dgoc announces': 240073, 'announces little': 77266, 'no impact': 564479, 'low operating': 505472, 'cost robust': 208100, 'robust hedging': 724850, 'hedging strategy': 388748, 'strategy mitigate': 812686, 'price underpin': 677185, 'underpin cashflow': 940542, 'cashflow profit': 166426, 'profit divs': 682709, 'dgoc announces little': 240074, 'announces little to': 77267, 'to no impact': 910622, 'no impact from': 564480, '19 low operating': 8481, 'low operating cost': 505473, 'operating cost robust': 613065, 'cost robust hedging': 208101, 'robust hedging strategy': 724851, 'hedging strategy mitigate': 388749, 'strategy mitigate impact': 812687, 'commodity price underpin': 189295, 'price underpin cashflow': 677186, 'underpin cashflow profit': 940543, 'cashflow profit divs': 166427, 'new task': 559723, 'task today': 834729, 'the airborne': 848491, 'particle science': 642590, 'behind blowing': 124603, 'blowing bubble': 133369, 'bubble new': 141612, 'this new task': 889126, 'new task today': 559724, 'task today soap': 834730, 'kill the airborne': 474509, 'the airborne soap': 848492, 'bubble kill the': 141607, 'the airborne virus': 848493, 'virus particle science': 958616, 'particle science behind': 642591, 'science behind blowing': 742090, 'behind blowing bubble': 124604, 'blowing bubble new': 133370, 'bubble new finding': 141613, 'finished analyzing': 307887, 'analyzing 22': 57270, '22 different': 15207, 'industry occupation': 436015, 'occupation contribution': 578999, 'total wage': 926269, 'wage wage': 963986, 'gdp article': 344865, 'all source': 44395, 'source data': 786471, 'data available': 226134, 'finished analyzing 22': 307888, 'analyzing 22 different': 57271, '22 different industry': 15208, 'different industry occupation': 241970, 'industry occupation contribution': 436016, 'occupation contribution to': 579000, 'contribution to total': 201945, 'to total wage': 917645, 'total wage wage': 926270, 'wage wage of': 963987, 'wage of consumer': 963931, 'spending and consumer': 788731, 'spending of gdp': 788927, 'of gdp article': 584065, 'gdp article with': 344866, 'article with all': 94506, 'with all source': 997161, 'all source data': 44396, 'source data available': 786472, 'data available at': 226135, 'available at for': 104247, 'at for anyone': 98688, 'corg': 203538, 'otcmarket': 619781, 'corg is': 203539, 'otc stock': 619777, 'like aprn': 489824, 'aprn wtrh': 83741, 'wtrh food': 1013427, 'delivery ghost': 234053, 'ghost kitchen': 349670, 'kitchen otcmarket': 475734, 'otcmarket nasdaq': 619782, 'corg is the': 203540, 'is the otc': 452881, 'the otc stock': 862505, 'otc stock like': 619778, 'stock like aprn': 802356, 'like aprn wtrh': 489825, 'aprn wtrh food': 83742, 'wtrh food delivery': 1013428, 'food delivery ghost': 314127, 'delivery ghost kitchen': 234054, 'ghost kitchen otcmarket': 349671, 'kitchen otcmarket nasdaq': 475735, 'otcmarket nasdaq nyse': 619783, 'rallying and': 696294, 'were stepping': 980167, 'stepping back': 799794, 'price are rallying': 672718, 'are rallying and': 89424, 'rallying and buyer': 696295, 'and buyer were': 59362, 'buyer were stepping': 149797, 'were stepping back': 980168, 'stepping back into': 799795, 'and human toll': 64860, 'itself people': 463951, 'take everything': 832104, 'take milk': 832321, 'diaper from': 240361, 'from newborn': 336570, 'newborn food': 560025, 'child whose': 176268, 'whose parent': 990670, 'must say that': 546873, 'panic around this': 637354, 'around this virus': 93587, 'virus is more': 958388, 'dangerous than the': 225783, 'virus itself people': 958425, 'itself people take': 463952, 'people take everything': 649716, 'take everything from': 832105, 'everything from store': 287806, 'from store and': 337437, 'and take milk': 72965, 'take milk and': 832322, 'milk and diaper': 531559, 'and diaper from': 61311, 'diaper from newborn': 240362, 'from newborn food': 336571, 'newborn food from': 560026, 'food from child': 314599, 'from child whose': 334845, 'child whose parent': 176269, 'whose parent are': 990671, 'parent are in': 641583, 'quarantine and cannot': 692010, 'go out first': 353952, 'out first thing': 626074, 'am obliged': 50265, 'come working': 187700, 'working cashier': 1008554, 'open going': 612275, 'him not': 396669, 'mart if am': 518050, 'if am obliged': 413804, 'am obliged to': 50266, 'obliged to come': 578481, 'to come working': 903058, 'come working cashier': 187701, 'working cashier shift': 1008555, 'be open going': 116245, 'open going to': 612276, 'walk in on': 964805, 'in on my': 426123, 'on my bos': 602266, 'bos and tell': 135648, 'tell him not': 836972, 'him not coming': 396670, 'week and going': 975912, 'to tell him': 916343, 'him not going': 396671, 'he will pay': 385673, 'will pay me': 994395, 'me for that': 522763, 'noccp': 566093, 'with noccp': 999803, 'soon possible the': 785800, 'possible the world': 665815, 'be much better': 116021, 'better with noccp': 128609, 'zoomable': 1027835, 'glossary': 352522, 'produced zoomable': 680540, 'zoomable map': 1027836, 'level data': 487547, 'on confirmed': 600013, 'page also': 633829, 'guidance glossary': 368240, 'glossary of': 352523, 'declaration by': 231149, 'industry resource': 436075, 'public service ha': 688303, 'service ha produced': 752438, 'ha produced zoomable': 371547, 'produced zoomable map': 680541, 'zoomable map of': 1027837, 'map of county': 514933, 'of county level': 582035, 'county level data': 211432, 'level data on': 487548, 'data on confirmed': 226319, 'on confirmed case': 600014, 'confirmed case the': 194146, 'case the page': 166056, 'the page also': 862858, 'page also ha': 633830, 'also ha info': 48307, 'info on regulatory': 437536, 'on regulatory guidance': 603129, 'regulatory guidance glossary': 708176, 'guidance glossary of': 368241, 'glossary of emergency': 352524, 'emergency declaration by': 272654, 'declaration by state': 231150, 'state and additional': 795355, 'and additional consumer': 57680, 'additional consumer industry': 31790, 'consumer industry resource': 197856, 'helpthosehelpingothers': 391647, 'mpgovtcrisis': 544315, 'these fucking': 880042, 'fucking bum': 339816, 'bum with': 142545, 'with benefit': 997386, 'world joke': 1009731, 'joke government': 467090, 'government uk': 360753, 'uk helpthosehelpingothers': 938444, 'helpthosehelpingothers mpgovtcrisis': 391648, 'mpgovtcrisis coronacrisis': 544316, 'coronacrisis borisjohnson': 204529, 'help all these': 389326, 'all these fucking': 45034, 'these fucking bum': 880043, 'fucking bum with': 339817, 'bum with benefit': 142546, 'with benefit but': 997387, 'benefit but not': 126936, 'but not support': 146567, 'not support those': 571822, 'going nh supermarket': 355283, 'driver the world': 259794, 'the world joke': 871902, 'world joke government': 1009732, 'joke government uk': 467091, 'government uk helpthosehelpingothers': 360754, 'uk helpthosehelpingothers mpgovtcrisis': 938445, 'helpthosehelpingothers mpgovtcrisis coronacrisis': 391649, 'mpgovtcrisis coronacrisis borisjohnson': 544317, 'never underestimate': 558244, 'working men': 1008773, 'men supermarket': 528531, 'ppl etc': 668220, 'were considered': 979475, 'considered low': 195305, 'skill worker': 772990, 'live them': 496054, 'them selfisolation': 876262, 'if anything we': 413868, 'from the mess': 337788, 'the mess is': 860509, 'mess is that': 529230, 'we should never': 973281, 'should never underestimate': 766230, 'never underestimate the': 558245, 'underestimate the importance': 940427, 'the working men': 871781, 'working men supermarket': 1008774, 'men supermarket restaurant': 528532, 'restaurant worker delivery': 716815, 'worker delivery ppl': 1006747, 'delivery ppl etc': 234359, 'ppl etc few': 668221, 'etc few week': 282535, 'week ago they': 975859, 'ago they were': 38505, 'they were considered': 883760, 'were considered low': 979476, 'considered low skill': 195306, 'low skill worker': 505614, 'skill worker now': 772991, 'worker now we': 1007463, 'could not live': 209447, 'not live them': 570439, 'live them selfisolation': 496055, 'cleaner porter': 180816, 'porter supermarket': 664983, 'worker playing': 1007584, 'playing your': 659477, 'safe keyworkers': 729794, 'keyworkers stayhomesavelives': 473606, 'hospital worker carers': 404730, 'worker carers cleaner': 1006610, 'carers cleaner porter': 164569, 'cleaner porter supermarket': 180817, 'porter supermarket worker': 664984, 'and all key': 57871, 'key worker playing': 473506, 'worker playing your': 1007585, 'playing your part': 659478, 'part to fight': 642465, 'virus and keep': 957934, 'people safe keyworkers': 649334, 'safe keyworkers stayhomesavelives': 729795, 'price of exercise': 675448, 'of exercise equipment': 583300, 'exercise equipment by': 290051, 'equipment by more': 279703, 'actuallyautistic': 31026, 'routine because': 726495, 'supermarket each': 820066, 'he usually': 385569, 'usually need': 951132, 'need several': 555551, 'help actuallyautistic': 389295, 'his routine because': 397766, 'routine because of': 726496, 'or supermarket each': 617277, 'supermarket each day': 820067, 'each day etc': 264041, 'etc it all': 282621, 'all very sudden': 45360, 'sudden and he': 816983, 'and he usually': 64330, 'he usually need': 385570, 'usually need several': 951133, 'need several week': 555552, 'several week to': 753964, 'week to cope': 977073, 'anyone have suggestion': 80355, 'have suggestion that': 382850, 'might help actuallyautistic': 531027, 'hoarder walmart': 399143, 'walmart other': 965386, 'back toilet': 107415, 'return after': 719808, 'scare is': 740884, 'may own': 521414, 'own multiple': 632110, 'multiple year': 545811, 'toiletpaper wont': 922862, 'wont mention': 1004248, 'mention rolling': 528783, 'rolling friend': 725671, 'friend house': 333637, 'site toilet': 772038, 'an home': 56062, 'owner asset': 632399, 'notice to hoarder': 573384, 'to hoarder walmart': 907893, 'hoarder walmart other': 399144, 'walmart other store': 965387, 'other store will': 620993, 'take back toilet': 831981, 'back toilet paper': 107416, 'paper no return': 640501, 'no return after': 565357, 'return after this': 719809, 'after this scare': 36414, 'this scare is': 889981, 'scare is over': 740885, 'over you may': 630964, 'you may own': 1019809, 'may own multiple': 521415, 'own multiple year': 632111, 'multiple year of': 545812, 'year of toilet': 1014797, 'paper toiletpaper wont': 640965, 'toiletpaper wont mention': 922863, 'wont mention rolling': 1004249, 'mention rolling friend': 528784, 'rolling friend house': 725672, 'friend house on': 333638, 'house on this': 406433, 'on this site': 604631, 'this site toilet': 890169, 'site toilet paper': 772039, 'now an home': 574019, 'an home owner': 56063, 'home owner asset': 401813, 'even worried': 284815, 'itself worried': 463971, 'shop etc': 760146, 'etc running': 282732, 'paid because': 633981, 'being caused': 124932, 'you know not': 1019514, 'know not even': 476628, 'not even worried': 569289, 'even worried about': 284816, 'about the actual': 26332, 'actual virus itself': 30711, 'virus itself worried': 958428, 'itself worried about': 463972, 'about the shop': 26519, 'the shop etc': 866992, 'shop etc running': 760147, 'etc running out': 282733, 'food and none': 313295, 'none of getting': 566593, 'getting paid because': 349177, 'paid because of': 633982, 'of the ridiculous': 591421, 'the ridiculous amount': 865795, 'amount of panic': 53244, 'of panic that': 587735, 'panic that being': 638673, 'that being caused': 842974, 'being caused by': 124933, 'wtf update': 1013336, 'update hospital': 947021, 'hospital ask': 404311, 'ask state': 95623, 'temporarily raise': 837524, 'trump hasn': 933602, 'hasn reopened': 378770, 'reopened open': 711375, 'open enrollment': 612210, 'covered hospital': 212418, 'are firing': 86582, 'firing doctor': 308286, 'about lack': 25624, 'speaking about': 787754, 'about drug': 25131, 'this week wtf': 891301, 'week wtf update': 977291, 'wtf update hospital': 1013337, 'update hospital ask': 947022, 'hospital ask state': 404312, 'ask state to': 95624, 'state to temporarily': 796029, 'to temporarily raise': 916359, 'temporarily raise price': 837525, 'raise price trump': 695933, 'price trump hasn': 677128, 'trump hasn reopened': 933603, 'hasn reopened open': 378771, 'reopened open enrollment': 711376, 'open enrollment for': 612211, 'enrollment for those': 277848, 'those not covered': 892255, 'not covered hospital': 568907, 'covered hospital are': 212419, 'hospital are firing': 404299, 'are firing doctor': 86583, 'firing doctor nurse': 308287, 'doctor nurse for': 251015, 'nurse for speaking': 577336, 'speaking out about': 787767, 'out about lack': 625556, 'about lack of': 25625, 'of ppe trump': 588324, 'trump is speaking': 933658, 'is speaking about': 452143, 'speaking about drug': 787755, 'about drug cartel': 25132, 'egg ll': 269909, 'coffee im': 185495, 'im cut': 416525, 'cut someone': 223543, 'someone shelterinplace': 784653, 'if my grocery': 414434, 'paper and egg': 639821, 'and egg ll': 61977, 'egg ll survive': 269910, 'll survive if': 497054, 'survive if they': 829188, 'if they run': 415125, 'out of coffee': 626700, 'of coffee im': 581508, 'coffee im cut': 185496, 'im cut someone': 416526, 'cut someone shelterinplace': 223544, 'petrolstations': 653868, 'right done': 721874, 'done telephone': 255035, 'telephone list': 836814, 'like taxi': 491298, 'taxi pub': 835172, 'that petrolstations': 845734, 'petrolstations to': 653869, 'ring to': 722538, 'petrol in': 653744, 'also funeral': 48254, 'right done telephone': 721875, 'done telephone list': 255036, 'telephone list of': 836815, 'of emergency number': 583045, 'emergency number can': 272823, 'number can think': 576844, 'think of right': 885456, 'now for my': 574720, 'for my area': 323669, 'my area like': 547298, 'area like taxi': 92098, 'like taxi pub': 491299, 'taxi pub restaurant': 835173, 'pub restaurant for': 687760, 'restaurant for food': 716480, 'delivery if they': 234108, 'they do that': 881974, 'do that petrolstations': 250224, 'that petrolstations to': 845735, 'petrolstations to ring': 653870, 'to ring to': 913536, 'ring to see': 722539, 'see if petrol': 745280, 'if petrol in': 414647, 'petrol in stock': 653745, 'and also funeral': 57953, 'also funeral company': 48255, 'funeral company in': 341660, 'company in case': 190758, 'in case could': 421258, 'case could do': 165698, 'officemarket': 595610, 'calgary officemarket': 155425, 'officemarket rocked': 595611, 'plummeted 50': 661320, 'more trouble': 540832, 'huge vacancy': 410256, 'rate cre': 697189, 'calgary officemarket rocked': 155426, 'officemarket rocked by': 595612, 'oil ha plummeted': 596854, 'ha plummeted 50': 371508, 'plummeted 50 since': 661321, 'march creating more': 515334, 'creating more trouble': 216034, 'more trouble for': 540833, 'trouble for calgary': 932611, 'struggling with huge': 814539, 'with huge vacancy': 998907, 'huge vacancy rate': 410257, 'vacancy rate cre': 951566, 'or somewhere': 617169, 'else after': 271615, 'left work': 485760, 'although people': 49345, 'grateful they': 362317, 'their scrub': 874633, 'scrub because': 742893, 'fear they': 301391, 're carrying': 698417, 'store or somewhere': 809372, 'or somewhere else': 617170, 'somewhere else after': 785293, 'else after they': 271616, 'after they left': 36388, 'they left work': 882554, 'left work and': 485761, 'work and although': 1004760, 'and although people': 57987, 'although people are': 49346, 'people are grateful': 646991, 'are grateful they': 86944, 'grateful they don': 362318, 'don want them': 254046, 'want them around': 965970, 'them around them': 875425, 'in their scrub': 429774, 'their scrub because': 874634, 'scrub because they': 742894, 'they fear they': 882096, 'fear they re': 301392, 'they re carrying': 883008, 're carrying covid': 698418, 'broth': 141027, 'food broth': 313792, 'broth after': 141028, 'reading the': 700804, 'some activity': 782252, 'the plin': 863848, 'plin selloff': 661062, 'selloff and': 749545, 'hint that': 396919, 'of accumulation': 579740, 'accumulation opportunity': 28873, 'meat food broth': 525576, 'food broth after': 313793, 'broth after reading': 141029, 'after reading the': 36107, 'reading the new': 700805, 'the new goldman': 861509, 'pointing to some': 662761, 'to some activity': 914869, 'some activity since': 782253, 'activity since the': 30495, 'since the plin': 770901, 'the plin selloff': 863849, 'plin selloff and': 661063, 'selloff and now': 749546, 'target hint that': 834466, 'hint that this': 396920, 'that this type': 847004, 'type of accumulation': 937544, 'of accumulation opportunity': 579741, 'accumulation opportunity may': 28874, 'selfportrait': 748553, 'lisbon': 494250, 'igersportugal': 415717, 'instagoodmyphotography': 439948, 'spring 2020': 791157, 'emergency selfie': 272947, 'selfie selfportrait': 747966, 'selfportrait stateofemergency': 748554, 'stateofemergency photooftheday': 796240, 'photooftheday photography': 655324, 'photography lisbon': 655296, 'lisbon portugal': 494251, 'portugal igersportugal': 665067, 'igersportugal igers': 415718, 'igers instagoodmyphotography': 415712, 'instagoodmyphotography instagood': 439949, 'spring 2020 supermarket': 791158, '2020 supermarket day': 14623, 'supermarket day 16': 819893, 'day 16 of': 227103, '16 of the': 4147, 'of emergency selfie': 583055, 'emergency selfie selfportrait': 272948, 'selfie selfportrait stateofemergency': 747967, 'selfportrait stateofemergency photooftheday': 748555, 'stateofemergency photooftheday photography': 796241, 'photooftheday photography lisbon': 655325, 'photography lisbon portugal': 655297, 'lisbon portugal igersportugal': 494252, 'portugal igersportugal igers': 665068, 'igersportugal igers instagoodmyphotography': 415719, 'igers instagoodmyphotography instagood': 415713, 'would remember': 1012184, 'worker amidst': 1006248, 'control people': 202100, 'risk staying': 723906, 'and serving': 71326, 'serving people': 753205, 'people would remember': 650544, 'would remember to': 1012185, 'supermarket worker amidst': 823986, 'worker amidst the': 1006249, '19 chaos we': 5774, 'chaos we have': 173074, 'we have restriction': 971925, 'have restriction in': 382303, 'place but we': 657366, 'can control people': 157992, 'control people we': 202101, 'also putting our': 48731, 'putting our health': 691190, 'at risk staying': 100402, 'risk staying at': 723907, 'staying at work': 798575, 'work and serving': 1004804, 'and serving people': 71327, 'serving people not': 753206, 'people not everyone': 648866, 'ha the luxury': 372210, 'luxury of being': 506944, 'they wonder': 883914, 'shit but no': 759075, 'one want me': 607357, 'and they wonder': 73952, 'they wonder when': 883915, 'wonder when wear': 1004023, 'wear glove would': 974352, 'glove would love': 353049, 'call my employer': 156001, 'like brings': 489935, 'brings shift': 140272, 'luxury attitude': 506915, 'attitude we': 102596, 'insight about': 439495, 'crisis like brings': 217659, 'like brings shift': 489936, 'brings shift in': 140273, 'in consumer luxury': 421707, 'consumer luxury attitude': 198083, 'luxury attitude we': 506916, 'attitude we look': 102597, 'at some data': 100574, 'some data driven': 782662, 'driven insight about': 259323, 'insight about what': 439496, 'about what consumer': 26878, 'what consumer in': 981253, 'consumer in china': 197817, 'in china need': 421417, 'china need right': 176839, 'westphalia': 980713, 'ursula': 948491, 'heinen': 388849, 'esser': 281971, 'germany nrw': 346329, 'nrw info': 576651, 'info today': 437599, '12 the': 2961, 'north rhine': 567677, 'rhine westphalia': 720895, 'westphalia will': 980714, 'again provide': 37134, 'provide information': 686364, 'protection ursula': 685672, 'ursula heinen': 948492, 'heinen esser': 388850, 'germany nrw info': 346330, 'nrw info today': 576652, 'info today from': 437600, 'today from 12': 919556, 'from 12 the': 334183, '12 the state': 2962, 'state of north': 795814, 'of north rhine': 587076, 'north rhine westphalia': 567678, 'rhine westphalia will': 720896, 'westphalia will once': 980715, 'once again provide': 605573, 'again provide information': 37135, 'provide information on': 686365, 'current situation regarding': 221372, 'situation regarding coronavirus': 772460, 'regarding coronavirus minister': 707198, 'coronavirus minister of': 206286, 'consumer protection ursula': 198574, 'protection ursula heinen': 685673, 'ursula heinen esser': 948493, 'also affect your': 47819, 'affect your online': 34277, 'tearful video': 835993, 'of herself': 584601, 'herself outside': 394236, 'isolating coronacrisisuk': 455082, 'the nh nurse': 861751, 'nh nurse who': 562028, 'nurse who posted': 577549, 'who posted tearful': 989434, 'posted tearful video': 666574, 'tearful video of': 835994, 'video of herself': 956825, 'of herself outside': 584602, 'herself outside supermarket': 394237, 'outside supermarket with': 629578, 'shelf after she': 756691, 'buy food ha': 148652, 'food ha developed': 314746, 'developed coronavirus symptom': 239694, 'coronavirus symptom and': 206864, 'symptom and is': 830809, 'and is self': 65429, 'self isolating coronacrisisuk': 747719, 'isolating coronacrisisuk coronacrisis': 455083, 'diy item': 248749, 'spike covid': 789274, 'are queue inside': 89386, 'queue inside and': 693966, 'inside and outside': 439219, 'and outside many': 68550, 'outside many shop': 629483, 'many shop today': 514698, 'shop today people': 760967, 'today people stock': 920034, 'food and diy': 313213, 'and diy item': 61546, 'diy item surely': 248750, 'item surely this': 463679, 'surely this will': 827960, 'this will spike': 891445, 'will spike covid': 994919, 'spike covid 19': 789275, 'with loved': 999325, 'touch with your': 926585, 'your friend are': 1023968, 'friend are you': 333523, 'touch with loved': 926579, 'with loved one': 999326, 'one during this': 606220, 'this lockdown virus': 888695, 'lockdown virus sanitizer': 500113, 'emeritus': 273151, 'schlesinger': 741616, 'dean emeritus': 229729, 'emeritus bill': 273152, 'bill schlesinger': 130676, 'schlesinger writes': 741617, 'writes that': 1012872, 'dean emeritus bill': 229730, 'emeritus bill schlesinger': 273153, 'bill schlesinger writes': 130677, 'schlesinger writes that': 741618, 'writes that we': 1012873, 'we take step': 973486, 'step to slow': 799666, 'that cause the': 843184, '19 disease it': 6564, 'disease it also': 245167, 'it also important': 456431, 'know the impact': 476830, 'impact that online': 417986, 'shopping ha on': 762830, 'ha on the': 371434, 'on the environment': 604095, 'the environment and': 854398, 'environment and climate': 279078, 'behavior purchasing': 124156, 'impacting consumer shopping': 418199, 'shopping behavior purchasing': 762209, 'behavior purchasing decision': 124157, 'purchasing decision and': 689853, 'decision and retail': 231003, 'and retail sale': 70442, 'retail sale according': 718502, 'research from first': 713733, 'from first insight': 335479, 'uk except': 938341, 'cannot meet': 162010, '19 school closing': 10366, 'school closing in': 741740, 'closing in uk': 183660, 'in uk except': 430386, 'uk except for': 938342, 'except for some': 289169, 'or something like': 617163, 'something like that': 784964, 'like that they': 491338, 'that they say': 846950, 'they say there': 883281, 'say there might': 739322, 'might be riot': 530926, 'we cannot meet': 971073, 'cannot meet the': 162011, 'for food it': 321600, 'food it just': 315180, 'isn it am': 454561, 'it am scared': 456447, 'crestview': 216669, 'the crestview': 852325, 'crestview area': 216670, 'price why so': 677544, 'why so high': 991353, 'so high in': 777309, 'in the crestview': 429106, 'the crestview area': 852326, 'send my': 749914, 'my sincere': 550092, 'sincere thanks': 771032, 'personnel pharmacist': 653146, 'functioning at': 341320, 'time hero': 896925, 'send my sincere': 749915, 'my sincere thanks': 550093, 'sincere thanks to': 771033, 'pharmacy worker janitor': 654579, 'doctor healthcare personnel': 250951, 'healthcare personnel pharmacist': 387209, 'personnel pharmacist paramedic': 653147, 'safe and functioning': 729449, 'and functioning at': 63413, 'functioning at this': 341321, 'this time hero': 890647, '0016': 631, 'parmar17': 642182, 's10': 728847, '86 0016': 22966, '0016 parmar17': 632, 'parmar17 s10': 642183, 'join 86 0016': 466659, '86 0016 parmar17': 22967, '0016 parmar17 s10': 633, 'grassroots': 362228, 'community now': 190007, 'now grassroots': 574823, 'grassroots group': 362229, 'everyday task like': 286630, 'task like going': 834720, 'store have become': 808067, 'our community now': 622471, 'community now grassroots': 190008, 'now grassroots group': 574824, 'grassroots group is': 362230, 'group is stepping': 366746, 'in to make': 430121, 'necessity to weather': 554284, 'weather the worst': 974904, 'why company': 990889, 'why company can': 990890, '19 antibody': 5156, 'antibody at': 78403, 'interesting ha': 441556, 'spread been': 790452, 'been faster': 121134, 'le deadly': 482919, 'many suspect': 514772, 'out what percentage': 627810, 'percentage of supermarket': 651214, 'supermarket cashier have': 819560, 'cashier have covid': 166542, 'covid 19 antibody': 212635, '19 antibody at': 5157, 'antibody at this': 78404, 'would be interesting': 1011610, 'be interesting ha': 115524, 'interesting ha the': 441557, 'the spread been': 867618, 'spread been faster': 790453, 'been faster and': 121135, 'faster and le': 300082, 'and le deadly': 66015, 'le deadly than': 482920, 'deadly than many': 229291, 'than many suspect': 840870, 'pcmag': 645911, 'email that': 272331, 're reducing': 699367, 'to nov': 910735, 'nov 2019': 573696, '2019 pcmag': 13993, 'pcmag article': 645912, 'haven heavily': 383835, 'discounted anything': 244576, 're exactly': 698635, 'exploiting deadly': 292422, 'deadly disease': 229269, 'an email that': 55660, 'email that you': 272332, 'you re reducing': 1020721, 're reducing price': 699368, 'reducing price in': 706313, 'response to nov': 715872, 'to nov 2019': 910736, 'nov 2019 pcmag': 573697, '2019 pcmag article': 13994, 'pcmag article show': 645913, 'article show you': 94459, 'show you haven': 767294, 'you haven heavily': 1019151, 'haven heavily discounted': 383836, 'heavily discounted anything': 388575, 'discounted anything they': 244577, 'anything they re': 80907, 'they re exactly': 883027, 're exactly the': 698636, 'same what you': 733420, 'doing is exploiting': 252473, 'is exploiting deadly': 447661, 'exploiting deadly disease': 292423, 'deadly disease for': 229270, 'disease for profit': 245145, 'the barrier': 849291, 'barrier up': 111372, 'the debit': 852982, 'card pad': 163611, 'pad or': 633779, 'or handle': 615564, 'it weird seeing': 462302, 'weird seeing the': 977784, 'seeing the barrier': 746487, 'the barrier up': 849292, 'barrier up on': 111373, 'up on cash': 945538, 'on cash register': 599845, 'cash register at': 166320, 'register at the': 707543, 'store but we': 806816, 'touch the debit': 926547, 'the debit card': 852983, 'debit card pad': 230373, 'card pad or': 163612, 'pad or handle': 633780, 'or handle cash': 615565, 'shopping ready': 763726, 've walked': 953656, 'sweep aka': 830095, 'aka how': 40485, 'trolley before': 932383, 'time run': 897597, 'out come': 625861, 'guy let': 369071, 'buying lockdownuk': 150674, 'some shopping ready': 783864, 'shopping ready for': 763727, 'ready for self': 700870, 'isolation and it': 455193, 'like ve walked': 491721, 've walked into': 953657, 'walked into an': 964955, 'supermarket sweep aka': 823079, 'sweep aka how': 830096, 'aka how many': 40486, 'many item you': 514221, 'can put in': 159350, 'put in your': 690625, 'in your trolley': 431136, 'your trolley before': 1026218, 'trolley before the': 932384, 'before the time': 123195, 'the time run': 869617, 'time run out': 897598, 'run out come': 727755, 'out come on': 625862, 'come on guy': 187435, 'on guy let': 601210, 'guy let stop': 369072, 'panic buying lockdownuk': 637799, 'dho': 240123, 'yes said': 1015521, 'beginning maldives': 123631, 'maldives can': 511673, 'rich come': 721205, 'private jet': 678928, 'jet stay': 465353, 'paid waay': 634176, 'waay more': 963772, 'before dho': 122740, 'yes said this': 1015522, 'said this from': 731496, 'this from the': 887633, 'the beginning maldives': 849434, 'beginning maldives can': 123632, 'maldives can have': 511674, 'have the super': 383031, 'super rich come': 818570, 'rich come here': 721206, 'come here in': 187340, 'here in their': 393189, 'in their private': 429766, 'their private jet': 874452, 'private jet stay': 678929, 'jet stay here': 465354, 'stay here for': 796927, 'here for even': 393003, 'for even higher': 321152, 'even higher price': 284183, 'price but only': 672984, 'the staff get': 867688, 'staff get paid': 792487, 'get paid waay': 347778, 'paid waay more': 634177, 'waay more than': 963773, 'than before dho': 840393, 'morning consumer': 541225, 'at 98': 97814, '98 72': 23717, '72 falling': 22006, 'index ha': 434202, 'below 100': 126556, 'tracking in': 928337, '2018 since': 13894, 'fallen 14': 297125, '14 52': 3402, 'this morning consumer': 888950, 'morning consumer confidence': 541226, 'confidence is at': 193908, 'is at 98': 445853, 'at 98 72': 97815, '98 72 falling': 23718, '72 falling from': 22007, 'time the index': 897856, 'the index ha': 858113, 'index ha dropped': 434203, 'dropped below 100': 260542, 'below 100 since': 126557, '100 since we': 2079, 'began tracking in': 123453, 'tracking in 2018': 928338, 'in 2018 since': 419790, '2018 since january': 13895, 'january 2020 it': 464634, '2020 it ha': 14412, 'it ha fallen': 458392, 'ha fallen 14': 370587, 'fallen 14 52': 297126, 'swiss supermarket fully': 830458, 'calm during pandemic': 156732, 'help treat': 390815, 'an accepted': 55060, 'accepted fact': 28055, 'fact do': 295707, 'decent day': 230774, 'people that this': 649781, 'that this essential': 846991, 'this essential drug': 887416, 'essential drug will': 280974, 'drug will help': 261161, 'will help treat': 993736, 'help treat or': 390816, '19 if this': 7665, 'now an accepted': 574015, 'an accepted fact': 55061, 'accepted fact do': 28056, 'fact do not': 295708, 'not drive up': 569110, 'price and lower': 672461, 'and lower the': 66459, 'lower the availability': 506022, 'availability of drug': 104158, 'of drug that': 582851, 'drug that many': 261110, 'many american actually': 513731, 'american actually need': 51769, 'to have decent': 907226, 'have decent day': 380192, 'decent day to': 230775, 'tesco uk': 838844, 'bread no longer': 138542, 'longer available at': 501927, 'available at tesco': 104260, 'at tesco uk': 100846, 'tesco uk grocery': 838845, 'store in daventry': 808293, 'he quote': 385323, 'pandemic 9th': 634789, 'couldn make': 209904, 'for snl': 325690, 'he quote from': 385324, 'the pandemic 9th': 862893, 'pandemic 9th of': 634790, 'of march good': 586208, 'jesus you couldn': 465318, 'you couldn make': 1018108, 'couldn make it': 209905, 'make it up': 510066, 'up for snl': 944960, 'for snl show': 325691, 'penney becomes': 646545, 'latest big': 481227, 'penney becomes the': 646546, 'the latest big': 859077, 'latest big retailer': 481228, 'big retailer to': 129965, 'retailer to shut': 719385, 'to shut store': 914610, 'shut store via': 767935, 'ozium': 632780, 'odor': 579259, 'free ship': 332150, 'ship ozium': 758711, 'ozium air': 632781, 'air sanitizer': 39780, 'airborne bacteria': 39836, 'bacteria odor': 107688, 'odor new': 579260, 'car scent': 163278, 'scent spray': 741395, 'free ship ozium': 332151, 'ship ozium air': 758712, 'ozium air sanitizer': 632782, 'air sanitizer kill': 39781, 'sanitizer kill airborne': 735256, 'kill airborne bacteria': 474333, 'airborne bacteria odor': 39837, 'bacteria odor new': 107689, 'odor new car': 579261, 'new car scent': 558450, 'car scent spray': 163279, 'environment at': 279086, 'pandemic could impact': 635249, 'could impact the': 209319, 'we shop and': 973242, 'shop and help': 759850, 'help the environment': 390650, 'the environment at': 854399, 'environment at the': 279087, 'chawla': 174052, 'hi chawla': 394610, 'chawla so': 174053, 'finance private': 306253, 'private cab': 678869, 'cab at': 154920, 'for lakh': 322877, 'hi chawla so': 394611, 'chawla so are': 174054, 'going to finance': 355600, 'to finance private': 905864, 'finance private cab': 306254, 'private cab at': 678870, 'cab at exorbitant': 154921, 'price for lakh': 673987, 'for lakh of': 322878, 'lakh of healthcare': 479118, 'of healthcare provider': 584517, 'healthcare provider who': 387259, 'provider who use': 686819, 'who use public': 989861, 'use public transport': 949504, 'her ill': 392134, 'ha lung': 371199, 'judge stophoarding': 467633, 'what if she': 981634, 'if she is': 414777, 'she is shopping': 756160, 'is shopping for': 451871, 'for her ill': 322224, 'her ill or': 392135, 'ill or vulnerable': 416157, 'if she ha': 414776, 'she ha lung': 756077, 'ha lung cancer': 371200, 'cancer and is': 161245, 'is not leaving': 450120, 'not judge stophoarding': 570204, 'judge stophoarding coronacrisis': 467634, 'client grocery': 182043, 'address the immediate': 32037, 'the immediate need': 857905, 'immediate need of': 417006, 'of our client': 587434, 'our client grocery': 622396, 'client grocery store': 182044, 'mailed to or': 508690, 'to or dropped': 911050, 'puree': 689994, 'ordered bar': 618827, 'got kilo': 358663, 'powder ordered': 667542, 'ordered tomato': 618927, 'tomato puree': 923962, 'puree and': 689995, 'got tomato': 358983, 'tomato ketchup': 923954, 'ketchup woe': 473178, 'ordered bar of': 618828, 'bar of washing': 110739, 'of washing soap': 592922, 'washing soap and': 967716, 'soap and got': 778911, 'and got kilo': 63858, 'got kilo of': 358664, 'kilo of washing': 474746, 'washing powder ordered': 967710, 'powder ordered tomato': 667543, 'ordered tomato puree': 618928, 'tomato puree and': 923963, 'puree and got': 689996, 'and got tomato': 63867, 'got tomato ketchup': 358984, 'tomato ketchup woe': 923955, 'ketchup woe of': 473179, 'woe of online': 1003336, 'during coronavirus covid': 262534, 'lining to covid': 493759, '19 the gas': 11196, 'representative to inform': 712920, 'to inform the': 908387, 'inform the public': 437669, 'public about supply': 687829, 'trialrun': 931666, 'supremecou': 827437, 'mask bandanna': 518459, 'bandanna socialdistancing': 109399, 'socialdistancing voting': 780845, 'voting is': 960609, 'important safe': 418957, 'safe going': 729717, 'pharmacy wisconsin': 654568, 'wisconsin dems': 996612, 'dems attempted': 236893, 'commit soros': 188973, 'soros dems': 785993, 'dems trialrun': 236895, 'trialrun electionfraud': 931667, 'electionfraud in': 271084, 'wi both': 991637, 'both wi': 136091, 'wi supremecou': 991641, 'mask bandanna socialdistancing': 518460, 'bandanna socialdistancing voting': 109400, 'socialdistancing voting is': 780846, 'voting is important': 960610, 'is important safe': 448731, 'important safe going': 418958, 'safe going to': 729718, 'or pharmacy wisconsin': 616594, 'pharmacy wisconsin dems': 654569, 'wisconsin dems attempted': 996613, 'dems attempted to': 236894, 'attempted to commit': 102272, 'to commit soros': 903082, 'commit soros dems': 188974, 'soros dems trialrun': 785994, 'dems trialrun electionfraud': 236896, 'trialrun electionfraud in': 931668, 'electionfraud in wi': 271085, 'in wi both': 430904, 'wi both wi': 991638, 'both wi supremecou': 136092, 'of representing': 588952, 'representing your': 712954, 'name in': 551635, 'store setting': 810047, 'setting we': 753662, 'is starbucks': 452227, 'starbucks standard': 794107, 'standard not': 793683, 'not applying': 568237, 'applying to': 82638, 'mask coronacrisis': 518540, 'please help those': 660085, 'help those of': 390749, 'those of representing': 892268, 'of representing your': 588953, 'representing your name': 712955, 'your name in': 1024928, 'name in grocery': 551636, 'grocery store setting': 365762, 'store setting we': 810048, 'setting we are': 753663, 'we are scared': 970699, 'are scared we': 89857, 'scared we want': 741039, 'go home why': 353678, 'home why is': 402503, 'why is starbucks': 991119, 'is starbucks standard': 452228, 'starbucks standard not': 794108, 'standard not applying': 793684, 'not applying to': 568238, 'applying to this': 82639, 'to this why': 917481, 'this why am': 891394, 'wear mask coronacrisis': 974379, 'sometimes you': 785253, 'essential field': 281029, 'field we': 304537, 'got face': 358549, 'supply pandemic': 825697, 'sometimes you cant': 785254, 'you cant help': 1017890, 'cant help it': 162313, 'help it if': 389945, 'worker in an': 1007163, 'an essential field': 55823, 'essential field we': 281030, 'field we hope': 304538, 'hope you ve': 403812, 've got face': 953175, 'got face mask': 358550, 'and sanitizer however': 70873, 'sanitizer however if': 735101, 'however if you': 409392, 'any of those': 79542, 'of those you': 592130, 'those you can': 892758, 'can always make': 157480, 'always make your': 49662, 'the supply pandemic': 868956, 'supply pandemic stopthespread': 825698, 'doing research': 252630, 'crisis allows': 216992, 'allows business': 46371, 'better predict': 128414, 'predict and': 669552, 'do next': 249641, 'next during': 561347, 'behaviour go': 124429, 'through great': 894488, 'great change': 362573, 'permanent more': 652060, 'doing research during': 252631, 'research during crisis': 713706, 'during crisis allows': 262551, 'crisis allows business': 216993, 'allows business to': 46372, 'business to better': 144530, 'to better predict': 901786, 'better predict and': 128415, 'predict and prepare': 669553, 'to do next': 904532, 'do next during': 249642, 'next during time': 561348, 'crisis consumer attitude': 217238, 'and behaviour go': 58850, 'behaviour go through': 124430, 'go through great': 354246, 'through great change': 894489, 'great change and': 362574, 'change and some': 171924, 'those will become': 892707, 'will become permanent': 992800, 'become permanent more': 120097, 'permanent more on': 652061, 'ware': 966666, 'pub landlord': 687727, 'landlord listen': 479357, 'show by': 766886, 'restaurant ha': 716488, 'turned thing': 935883, 'supplier ware': 824637, 'ware along': 966667, 'all pub landlord': 44082, 'pub landlord listen': 687728, 'landlord listen to': 479358, 'today show by': 920181, 'show by how': 766887, 'by how closed': 152841, 'how closed down': 407556, 'closed down restaurant': 183083, 'down restaurant ha': 257148, 'restaurant ha turned': 716489, 'ha turned thing': 372382, 'turned thing around': 935884, 'thing around to': 884169, 'it supplier ware': 461373, 'supplier ware along': 824638, 'ware along with': 966668, 'along with delivery': 47050, 'with delivery service': 997967, 'interrelated': 442097, 'clear wa': 181380, 'price themselves': 676872, 'themselves wasn': 876925, 'wasn saying': 968015, 'saying rise': 739673, 'price thus': 676946, 'thus subsequent': 895533, 'subsequent coal': 815923, 'coal rebound': 185065, 'card there': 163671, 'many interrelated': 514201, 'interrelated unknown': 442098, 'unknown right': 942535, 'be clear wa': 114106, 'clear wa talking': 181381, 'effect of oil': 269054, 'oil price themselves': 597287, 'price themselves wasn': 676873, 'themselves wasn saying': 876926, 'wasn saying rise': 968016, 'saying rise in': 739674, 'rise in gas': 722883, 'gas price thus': 344039, 'price thus subsequent': 676947, 'thus subsequent coal': 895534, 'subsequent coal rebound': 815924, 'coal rebound is': 185066, 'rebound is out': 703317, 'the card there': 850409, 'card there are': 163672, 'too many interrelated': 924890, 'many interrelated unknown': 514202, 'interrelated unknown right': 442099, 'unknown right now': 942536, 'now the spread': 576071, 'cheap pantry': 174163, 'pantry deal': 639559, 'deal under': 229514, 'under product': 940213, 'product lot': 681382, 'cheap product': 174182, 'lot with': 504415, 'with coupon': 997831, 'coupon if': 211761, 'have pantry': 381885, 'pantry order': 639644, 'be 35': 113431, '35 or': 17909, 'shipping quarantine': 758902, 'lot of cheap': 504154, 'of cheap pantry': 581300, 'cheap pantry deal': 174164, 'pantry deal under': 639560, 'deal under product': 229515, 'under product lot': 940214, 'product lot of': 681383, 'of cheap product': 581301, 'cheap product lot': 174183, 'product lot with': 681384, 'lot with coupon': 504416, 'with coupon if': 997832, 'coupon if you': 211762, 'don have pantry': 253612, 'have pantry order': 381886, 'pantry order have': 639645, 'order have to': 618287, 'to be 35': 901081, 'be 35 or': 113432, '35 or more': 17910, 'or more for': 616173, 'more for free': 539265, 'free shipping quarantine': 332162, '1st country': 12727, 'country recovered': 210987, 'up weakened': 946548, 'weakened australialockdown': 974060, 'australialockdown usa': 103432, 'usa uklockdown': 948781, 'uklockdown at': 938989, 'be china': 114085, 'planned takeover': 658469, 'the 1st country': 847970, '1st country recovered': 12728, 'country recovered and': 210988, 'recovered and able': 705221, 'buy up weakened': 149417, 'up weakened australialockdown': 946549, 'weakened australialockdown usa': 974061, 'australialockdown usa uklockdown': 103433, 'usa uklockdown at': 948782, 'uklockdown at bargain': 938990, 'bargain price will': 111066, 'will be china': 992396, 'be china it': 114086, 'it is planned': 459037, 'is planned takeover': 450888, 'sumitomo': 817905, '919': 23455, 'sumitomo corp': 817906, 'corp warned': 207221, 'wednesday that': 975691, 'it net': 459773, 'profit estimate': 682716, 'estimate by': 282234, 'billion yen': 130942, 'yen 919': 1015322, '919 million': 23456, 'million due': 532139, 'sumitomo corp warned': 817907, 'corp warned on': 207222, 'warned on wednesday': 967020, 'on wednesday that': 605182, 'wednesday that it': 975692, 'it could miss': 457364, 'could miss it': 209413, 'miss it net': 534158, 'it net profit': 459774, 'net profit estimate': 557563, 'profit estimate by': 682717, 'estimate by about': 282235, 'by about 100': 151726, 'about 100 billion': 24634, '100 billion yen': 1844, 'billion yen 919': 130943, 'yen 919 million': 1015323, '919 million due': 23457, 'million due to': 532140, 'crisis and falling': 217021, 'ahah': 39120, 'ahah you': 39121, 'make video': 510697, 'called buying': 156284, 'my fan': 548241, 'fan online': 298532, 'cart cause': 165277, 'cause ii': 167603, 'ii do': 415972, 'struggling cause': 814428, 'ahah you should': 39122, 'you should make': 1021206, 'should make video': 766218, 'make video called': 510698, 'video called buying': 956658, 'called buying everything': 156285, 'in my fan': 425575, 'my fan online': 548242, 'fan online shopping': 298533, 'shopping cart cause': 762298, 'cart cause ii': 165278, 'cause ii do': 167604, 'ii do be': 415973, 'do be struggling': 249117, 'be struggling cause': 117413, 'struggling cause of': 814429, 'brother bought': 141039, 'bought him': 136594, 'him gallon': 396609, 'of heart': 584522, 'heart healthy': 388298, 'food got': 314698, 'got him': 358604, 'him month': 396661, 'medication tp': 526687, 'tp sanitising': 927925, 'sanitising cleansing': 734123, 'cleansing product': 181186, 'product etc': 681162, 'day couldn': 227496, 'couldn return': 209914, 'work hurt': 1005271, 'to share that': 914365, 'share that did': 755239, 'that did panic': 843522, 'did panic covid': 240755, '19 buy month': 5547, 'buy month ago': 148962, 'month ago for': 537533, 'ago for my': 38385, 'my brother bought': 547552, 'brother bought him': 141040, 'bought him gallon': 136595, 'him gallon of': 396610, 'gallon of heart': 343043, 'of heart healthy': 584523, 'heart healthy food': 388299, 'healthy food got': 387630, 'food got him': 314699, 'got him month': 358605, 'him month worth': 396662, 'worth of medication': 1011413, 'of medication tp': 586409, 'medication tp sanitising': 526688, 'tp sanitising cleansing': 927926, 'sanitising cleansing product': 734124, 'cleansing product etc': 181187, 'product etc all': 681163, 'etc all for': 282394, 'all for if': 42838, 'for if one': 322467, 'if one day': 414538, 'one day couldn': 606152, 'day couldn return': 227497, 'couldn return home': 209915, 'return home for': 719852, 'home for him': 401232, 'for him because': 322283, 'him because of': 396555, 'of work hurt': 593252, '19 shine': 10457, 'shine light': 758608, 'underappreciated worker': 940412, 'world cleaning': 1009426, 'cashier trucker': 166646, 'trucker only': 932938, 'covid 19 shine': 213784, '19 shine light': 10458, 'shine light on': 758609, 'light on some': 489575, 'the most underappreciated': 861052, 'most underappreciated worker': 542832, 'underappreciated worker of': 940413, 'worker of the': 1007475, 'the world cleaning': 871838, 'world cleaning staff': 1009427, 'supermarket cashier trucker': 819574, 'cashier trucker only': 166647, 'trucker only hope': 932939, 'only hope we': 610613, 'hope we value': 403771, 'we value them': 973629, 'same way when': 733411, 'way when all': 970184, 'old tp': 598507, 'tp rag': 927912, 'rag garbage': 695522, 'garbage bin': 343512, 'bin what': 131047, 'use old tp': 949440, 'old tp rag': 598508, 'tp rag garbage': 927913, 'rag garbage bin': 695523, 'garbage bin what': 343513, 'bin what do': 131048, 'panic about is': 637256, 'about is ridiculous': 25555, 'is ridiculous what': 451530, 'about food 19': 25250, 'top level': 925601, 'level look': 487612, 'affecting audience': 34483, 'audience and': 102905, 'across platform': 29431, 'top level look': 925602, 'level look at': 487613, 'is affecting audience': 445378, 'affecting audience and': 34484, 'audience and consumer': 102906, 'consumer behavior across': 196431, 'behavior across platform': 123855, 'helpinghands': 391560, 'staysafestayhelpful': 798984, 'gujaratfightscovid19': 368614, 'baroda': 111143, 'bhavnagar': 129370, 'consumer us': 199427, 'us material': 948534, 'material wisely': 520442, 'wisely because': 996711, 'understand many': 940678, 'have show': 382532, 'your wisdom': 1026360, 'wisdom in': 996652, 'in usage': 430497, 'be helpinghands': 115221, 'helpinghands stayhome': 391561, 'stayhome staysafestayhelpful': 798179, 'staysafestayhelpful socialdistancing': 798985, 'help gujaratfightscovid19': 389837, 'gujaratfightscovid19 gujarat': 368615, 'gujarat ahmedabad': 368608, 'ahmedabad baroda': 39260, 'baroda bhavnagar': 111144, 'smart consumer us': 775360, 'consumer us material': 199428, 'us material wisely': 948535, 'material wisely because': 520443, 'wisely because they': 996712, 'because they understand': 119723, 'they understand many': 883602, 'understand many others': 940679, 'many others do': 514447, 'not have show': 569871, 'have show your': 382533, 'show your wisdom': 767306, 'your wisdom in': 1026361, 'wisdom in usage': 996653, 'in usage and': 430498, 'usage and be': 948816, 'and be helpinghands': 58753, 'be helpinghands stayhome': 115222, 'helpinghands stayhome staysafestayhelpful': 391562, 'stayhome staysafestayhelpful socialdistancing': 798180, 'staysafestayhelpful socialdistancing help': 798986, 'socialdistancing help gujaratfightscovid19': 780421, 'help gujaratfightscovid19 gujarat': 389838, 'gujaratfightscovid19 gujarat ahmedabad': 368616, 'gujarat ahmedabad baroda': 368609, 'ahmedabad baroda bhavnagar': 39261, '19 shaping': 10434, 'behavior pattern': 124140, 'pattern recent': 644501, 'ha pointed': 371512, 'key theme': 473418, 'theme shopping': 876707, 'habit entertainment': 372610, 'travel check': 930318, 'covid 19 shaping': 213776, '19 shaping consumer': 10435, 'consumer behavior pattern': 196497, 'behavior pattern recent': 124141, 'pattern recent research': 644502, 'recent research ha': 703976, 'research ha pointed': 713748, 'ha pointed to': 371513, 'pointed to three': 662742, 'to three key': 917547, 'three key theme': 893969, 'key theme shopping': 473419, 'theme shopping habit': 876708, 'shopping habit entertainment': 762843, 'habit entertainment and': 372611, 'entertainment and travel': 278553, 'and travel check': 74406, 'travel check it': 930319, 'dontbeashitandgivebackabit': 255336, 'dontbegreedythinkoftheneedy': 255346, 'qkxp0tyusk': 691556, 'best dontbeashitandgivebackabit': 127668, 'dontbeashitandgivebackabit aldi': 255337, 'aldi sainsbury': 41295, 'tesco lidl': 838732, 'waitrose asda': 964445, 'asda dontbegreedythinkoftheneedy': 94913, 'dontbegreedythinkoftheneedy http': 255347, 'co qkxp0tyusk': 184952, 'go shopping think': 354132, 'others and all': 621253, 'their best dontbeashitandgivebackabit': 872599, 'best dontbeashitandgivebackabit aldi': 127669, 'dontbeashitandgivebackabit aldi sainsbury': 255338, 'aldi sainsbury tesco': 41296, 'sainsbury tesco lidl': 731731, 'tesco lidl morrison': 838733, 'morrison waitrose asda': 541778, 'waitrose asda dontbegreedythinkoftheneedy': 964446, 'asda dontbegreedythinkoftheneedy http': 94914, 'dontbegreedythinkoftheneedy http co': 255348, 'http co qkxp0tyusk': 409770, '45l': 19198, 'bought 45l': 136482, '45l of': 19199, 'nothing behind': 572950, 'realise you': 701620, 'need others': 555391, 'you away': 1017361, 'virus commonsense': 958071, 'people who bought': 650266, 'who bought 45l': 988330, 'bought 45l of': 136483, '45l of soap': 19200, 'soap and left': 778917, 'and left nothing': 66084, 'left nothing behind': 485573, 'nothing behind at': 572951, 'behind at the': 124600, 'do you realise': 250666, 'you realise you': 1020824, 'realise you need': 701621, 'you need others': 1020028, 'need others to': 555392, 'others to wash': 621740, 'keep you away': 472232, 'you away from': 1017362, 'from virus commonsense': 338249, 'provided during': 686596, 'visit mask': 959299, 'provided if': 686617, 'ill call': 416106, 'to reschedule': 913320, 'reschedule for': 713573, 'later date': 481044, 'date cdc': 226608, 'share our effort': 755139, 'our effort in': 622857, 'effort in keeping': 269533, 'in keeping our': 424456, 'keeping our community': 472499, 'community safe hand': 190079, 'safe hand sanitizer': 729730, 'be provided during': 116595, 'provided during visit': 686597, 'during visit mask': 263390, 'visit mask can': 959300, 'mask can be': 518508, 'be provided if': 116596, 'provided if you': 686618, 'are feeling ill': 86518, 'feeling ill call': 303000, 'ill call to': 416107, 'call to reschedule': 156184, 'to reschedule for': 913321, 'reschedule for later': 713574, 'for later date': 322894, 'later date cdc': 481045, 'date cdc who': 226609, 'of agency': 579826, 'agency respondent': 38063, 'completely prepared': 192335, 'working according': 1008478, 'survey with': 828986, 'almost two third': 46759, 'third of agency': 886082, 'of agency respondent': 579827, 'agency respondent believe': 38064, 'respondent believe they': 715380, 'are completely prepared': 85471, 'completely prepared when': 192336, 'come to having': 187576, 'to having the': 907345, 'having the tech': 384320, 'the tech in': 869223, 'tech in place': 836106, 'place for new': 657444, 'of working according': 593295, 'working according to': 1008479, 'to global industry': 906744, 'industry survey with': 436137, 'survey with amp': 828987, 'joint coffee': 467003, 'restaurant an': 716267, 'employee stacked': 274228, 'together handing': 920814, 'handing you': 376145, 'that wasn': 847334, 'wasn good': 967982, 'why are fast': 990772, 'are fast food': 86501, 'food joint coffee': 315254, 'joint coffee shop': 467004, 'coffee shop or': 185536, 'shop or restaurant': 760619, 'or restaurant an': 616878, 'restaurant an essential': 716268, 'essential business their': 280864, 'business their product': 144506, 'their product is': 874469, 'product is available': 681323, 'why are their': 990791, 'their employee stacked': 873152, 'employee stacked together': 274229, 'stacked together handing': 791994, 'together handing you': 920815, 'handing you food': 376146, 'you food that': 1018615, 'food that wasn': 317103, 'that wasn good': 847335, 'wasn good for': 967983, 'for you before': 328038, 'you before the': 1017434, 'interesting thread': 441629, 'thread re': 893593, 'interesting thread re': 441630, 'thread re panic': 893594, 'albermarle': 40763, 'covid clout': 214141, 'clout chaser': 184336, 'chaser severely': 173902, 'severely lacking': 754098, 'sense live': 750542, 'streamed himself': 812797, 'himself at': 396795, 'in albermarle': 420145, 'albermarle north': 40764, 'carolina last': 164844, 'he lied': 385187, 'here another covid': 392718, 'another covid clout': 77553, 'covid clout chaser': 214142, 'clout chaser severely': 184337, 'chaser severely lacking': 173903, 'severely lacking in': 754099, 'lacking in any': 478691, 'in any sense': 420436, 'any sense live': 79786, 'sense live streamed': 750543, 'live streamed himself': 496033, 'streamed himself at': 812798, 'himself at walmart': 396796, 'walmart in albermarle': 965354, 'in albermarle north': 420146, 'albermarle north carolina': 40765, 'north carolina last': 567633, 'carolina last week': 164845, 'last week he': 480650, 'week he lied': 976317, 'he lied about': 385188, 'lied about having': 488403, 'do keyworkers': 249547, 'keyworkers delivery': 473597, 'how do keyworkers': 407718, 'do keyworkers delivery': 249548, 'keyworkers delivery driver': 473598, 'say the donation': 739275, 'the donation come': 853545, 'donation come at': 254572, 'come at critical': 187225, 'critical time with': 218702, 'time with million': 898354, 'pantry are trying': 639539, 'thread mostly': 893575, 'mostly talk': 543019, 'about movie': 25757, 'movie on': 544040, 'currently pivoting': 221631, 'pivoting our': 657125, 'our factory': 622986, 'to solely': 914859, 'solely make': 781865, 'make surgical': 510542, 'garment in': 343699, 'mask day': 518558, 'thread mostly talk': 893576, 'mostly talk about': 543020, 'talk about movie': 833748, 'about movie on': 25758, 'movie on here': 544041, 'on here but': 601287, 'here but here': 392836, 'but here go': 145922, 'here go we': 393050, 'go we are': 354485, 'are currently pivoting': 85671, 'currently pivoting our': 221632, 'pivoting our factory': 657126, 'our factory to': 622987, 'factory to solely': 296009, 'to solely make': 914860, 'solely make surgical': 781866, 'make surgical mask': 510543, 'other medical garment': 620523, 'medical garment in': 526187, 'garment in short': 343700, 'short supply we': 764717, 'supply we can': 826077, 'can make million': 158937, 'make million mask': 510165, 'million mask day': 532233, 'mask day and': 518559, 'day and are': 227253, 'way possible during': 969822, 'pwani': 691365, 'weshallovercome': 980443, 'in pwani': 427144, 'pwani oil': 691366, 'oil announces': 596623, 'announces percent': 77281, 'percent price': 651170, 'encourage kenyan': 275594, 'kenyan to': 472992, 'take protective': 832530, 'against firm': 37448, 'provide 150': 686198, '150 handwashing': 3912, 'handwashing kit': 376842, 'major town': 509515, 'town weshallovercome': 927580, 'just in pwani': 469045, 'in pwani oil': 427145, 'pwani oil announces': 691367, 'oil announces percent': 596624, 'announces percent price': 77282, 'percent price reduction': 651171, 'reduction in cooking': 706358, 'in cooking oil': 421775, 'oil and soap': 596620, 'and soap price': 71869, 'soap price to': 779088, 'price to encourage': 676987, 'to encourage kenyan': 905061, 'encourage kenyan to': 275595, 'kenyan to take': 472993, 'to take protective': 916227, 'take protective measure': 832531, 'protective measure against': 685790, 'measure against firm': 525074, 'against firm will': 37449, 'firm will also': 308456, 'will also provide': 992263, 'also provide 150': 48710, 'provide 150 handwashing': 686199, '150 handwashing kit': 3913, 'handwashing kit in': 376843, 'kit in public': 475575, 'place in major': 657510, 'in major town': 424991, 'major town weshallovercome': 509516, 'healthy reminder': 387745, 'reminder just': 710568, 'isn affecting': 454422, 'you directly': 1018225, 'directly doesn': 243539, 'affecting others': 34541, 'inside avoid': 439229, 'avoid needle': 105195, 'needle trip': 556651, 'store quit': 809723, 'quit acting': 694784, 'nothing it': 573072, 'serious don': 751376, 'don casually': 253428, 'casually browse': 166802, 'browse store': 141282, 'healthy reminder just': 387746, 'reminder just because': 710569, '19 isn affecting': 8088, 'isn affecting you': 454424, 'affecting you directly': 34590, 'you directly doesn': 1018226, 'directly doesn mean': 243540, 'mean it isn': 524509, 'it isn affecting': 459142, 'isn affecting others': 454423, 'affecting others stay': 34542, 'others stay inside': 621659, 'stay inside avoid': 797094, 'inside avoid needle': 439230, 'avoid needle trip': 105196, 'needle trip to': 556652, 'the store quit': 868087, 'store quit acting': 809724, 'quit acting like': 694785, 'like this virus': 491545, 'virus is nothing': 958392, 'is nothing it': 450237, 'nothing it serious': 573073, 'it serious don': 460984, 'serious don casually': 751377, 'don casually browse': 253429, 'casually browse store': 166803, 'browse store use': 141283, 'store use your': 811028, 'use your online': 949842, 'saludtues': 732845, 'line empty': 493069, 'public exposure': 687985, 'unprecedented barrier': 943086, 'walk bike': 964755, 'be saludtues': 116985, 'store line empty': 808748, 'line empty shelf': 493070, 'shelf and public': 756753, 'and public exposure': 69739, 'public exposure to': 687986, 'exposure to are': 293004, 'to are unprecedented': 900694, 'are unprecedented barrier': 91334, 'unprecedented barrier to': 943087, 'to food right': 906091, 'now the walk': 576079, 'the walk bike': 871041, 'walk bike to': 964756, 'bike to and': 130428, 'not be saludtues': 568448, 'they say don': 883266, 'say don panic': 738590, 'resisted at the': 714604, 'of this then': 592051, 'this then go': 890545, 'go to do': 354302, 'to do normal': 904533, 'do normal shop': 249649, 'nothing left and': 573081, 'what if shop': 981635, 'if shop close': 414793, 'shop close due': 760043, 'staff shortage please': 792856, 'shortage please let': 765177, 'please let this': 660187, 'let this end': 487178, 'sir what': 771676, 'credit focused': 216390, 'focused nbfcs': 311943, 'sir what is': 771677, 'is your view': 454171, 'consumer credit focused': 197018, 'credit focused nbfcs': 216391, 'focused nbfcs in': 311944, 'nbfcs in light': 553258, '10 paracetamol': 1601, 'paracetamol disgraceful': 641235, 'charged 20 calpol': 173360, '20 calpol and': 12988, 'and 10 paracetamol': 57346, '10 paracetamol disgraceful': 1602, 'norra': 567591, 'softener': 781505, 'answered doe': 78170, 'virus stick': 958811, 'to clothing': 902919, 'clothing norra': 184268, 'norra natural': 567592, 'natural sanitizer': 552863, 'work asa': 1004851, 'asa fabric': 94840, 'fabric softener': 294239, 'softener and': 781506, 'question answered doe': 693533, 'answered doe the': 78171, 'the virus stick': 870898, 'virus stick to': 958812, 'stick to clothing': 800061, 'to clothing norra': 902920, 'clothing norra natural': 184269, 'norra natural sanitizer': 567593, 'natural sanitizer also': 552864, 'sanitizer also work': 734351, 'also work asa': 49110, 'work asa fabric': 1004852, 'asa fabric softener': 94841, 'fabric softener and': 294240, 'softener and disinfectant': 781507, 'stay still': 797324, 'race that': 695199, 'one who stay': 607459, 'who stay still': 989665, 'stay still this': 797325, 'still this is': 801305, 'is race that': 451201, 'race that will': 695200, 'that will save': 847606, 'poopoo': 664089, 'peepee': 646302, 'caca': 155038, 'poopoo peepee': 664090, 'peepee caca': 646303, 'caca need': 155039, 'poopoo peepee caca': 664091, 'peepee caca need': 646304, 'caca need toilet': 155040, 'unfortunately business': 941581, 'hungry consumer': 411233, 'of hope in': 584744, 'hope in our': 403506, 'crisis but unfortunately': 217162, 'but unfortunately business': 147654, 'unfortunately business will': 941582, 'once the hungry': 605724, 'the hungry consumer': 857751, 'hungry consumer recovers': 411234, 'stymy': 815651, 'before crossing': 122724, 'crossing over': 219083, 'business doug': 143654, 'doug schneider': 256257, 'schneider know': 741637, 'know firsthand': 476378, 'firsthand what': 309211, 'pandemic stymy': 636582, 'stymy their': 815652, 'business story': 144424, 'someone who worked': 784774, 'worked in before': 1006120, 'in before crossing': 420756, 'before crossing over': 122725, 'crossing over into': 219084, 'over into the': 630332, 'into the side': 443171, 'the business doug': 850164, 'business doug schneider': 143655, 'doug schneider know': 256258, 'schneider know firsthand': 741638, 'know firsthand what': 476379, 'firsthand what store': 309212, 'what store and': 982261, 'store and shop': 806345, 'and shop owner': 71507, 'owner are struggling': 632391, 'the pandemic stymy': 863112, 'pandemic stymy their': 636583, 'stymy their business': 815653, 'their business story': 872688, 'business story by': 144425, 'ionization': 444453, 'scientific article': 742165, 'air ionization': 39749, 'ionization and': 444454, 'scientific article on': 742166, 'article on air': 94399, 'on air ionization': 599196, 'air ionization and': 39750, 'ionization and virus': 444455, 'mondaythoughts am': 536496, 'truly terrified': 933344, 'any relaxation': 79741, 'of coronalockdown': 581911, 'coronalockdown until': 205047, 'mid october': 530585, 'october and': 579141, 'may linger': 521325, 'linger until': 493699, 'will totally': 995217, 'totally collapse': 926309, 'mondaythoughts am truly': 536497, 'am truly terrified': 50513, 'truly terrified at': 933345, 'at the prospect': 101065, 'prospect that our': 684698, 'that our country': 845575, 'our country may': 622597, 'country may not': 210891, 'may not see': 521388, 'see any relaxation': 744923, 'any relaxation of': 79742, 'relaxation of coronalockdown': 708849, 'of coronalockdown until': 581912, 'coronalockdown until mid': 205048, 'until mid october': 943778, 'mid october and': 530586, 'october and that': 579142, 'virus may linger': 958491, 'may linger until': 521326, 'linger until 2021': 493700, 'until 2021 the': 943644, '2021 the supermarket': 14792, 'supermarket grocery delivery': 820575, 'delivery system will': 234600, 'system will totally': 831386, 'will totally collapse': 995218, 'totally collapse by': 926310, 'collapse by then': 185978, 'clear who': 181384, 'firefighter of': 308219, 'also supermarket': 48932, 'raise too': 695970, 'pretty clear who': 671379, 'clear who the': 181385, 'who the frontline': 989751, 'frontline worker are': 338859, 'are nurse police': 88626, 'nurse police and': 577462, 'and firefighter of': 62919, 'firefighter of course': 308220, 'course but also': 211847, 'but also supermarket': 145146, 'also supermarket worker': 48933, 'delivery driver they': 233945, 'driver they deserve': 259797, 'they deserve lot': 881898, 'of credit right': 582135, 'credit right now': 216498, 'now and big': 574028, 'and big pay': 58962, 'big pay raise': 129906, 'pay raise too': 645073, 'lockdown farmer': 499372, 'problem closed': 679500, 'closed mandis': 183216, 'the lockdown farmer': 859597, 'lockdown farmer are': 499373, 'now facing new': 574658, 'facing new problem': 295548, 'new problem closed': 559347, 'problem closed mandis': 679501, 'closed mandis and': 183217, 'mandis and crashing': 513093, 'and crashing price': 60695, 'crashing price read': 215125, 'the article by': 848932, 'chapelhill': 173120, 'graciously': 361626, 'in chapelhill': 421330, 'chapelhill the': 173121, 'the graciously': 856683, 'graciously converted': 361627, 'converted some': 202555, 'resource away': 714722, 'from spirit': 337378, 'thanks scott': 842173, 'scott esteban': 742445, 'esteban for': 282208, 'need of hand': 555332, 'sanitizer in chapelhill': 735132, 'in chapelhill the': 421331, 'chapelhill the graciously': 173122, 'the graciously converted': 856684, 'graciously converted some': 361628, 'converted some of': 202556, 'of it resource': 585439, 'it resource away': 460733, 'resource away from': 714723, 'away from spirit': 105911, 'from spirit to': 337379, 'sanitizer thanks scott': 735850, 'thanks scott esteban': 842174, 'scott esteban for': 742446, 'esteban for making': 282209, 'making this available': 511457, 'this available for': 886466, 'working keeping': 1008751, 'stock shelved': 802837, 'shelved in': 758049, 'australia show': 103378, 'heroic supermarket': 394200, 'stacker battling': 792009, 'battling to': 112885, 'keep australian': 471329, 'australian fed': 103489, 'fed via': 301927, 'people working keeping': 650518, 'working keeping our': 1008752, 'keeping our stock': 472510, 'our stock shelved': 624923, 'stock shelved in': 802838, 'shelved in these': 758050, 'these time this': 880852, 'time this story': 897921, 'this story from': 890362, 'story from australia': 811983, 'from australia show': 334614, 'australia show the': 103379, 'show the heroic': 767209, 'the heroic supermarket': 857306, 'heroic supermarket shelf': 394201, 'shelf stacker battling': 757555, 'stacker battling to': 792010, 'battling to keep': 112886, 'to keep australian': 908756, 'keep australian fed': 471330, 'australian fed via': 103490, 'whatstrending': 982930, 'is whatstrending': 453910, 'whatstrending for': 982931, '23rd kennyrogers': 15514, 'kennyrogers netflix': 472811, 'here is whatstrending': 393260, 'is whatstrending for': 453911, 'whatstrending for monday': 982932, 'for monday march': 323489, 'monday march 23rd': 536320, 'march 23rd kennyrogers': 515193, '23rd kennyrogers netflix': 15515, 'kennyrogers netflix toiletpaper': 472812, 'crossfire': 219067, 'chris 67': 178046, '67 year': 21473, 'seattle is': 743563, 'the crossfire': 852512, 'crossfire of': 219068, 'she one': 756249, 'have shared': 382504, 'chris 67 year': 178047, '67 year old': 21474, 'old who work': 598544, 'in seattle is': 427761, 'seattle is caught': 743564, 'is caught in': 446410, 'in the crossfire': 429110, 'the crossfire of': 852513, 'crossfire of the': 219069, 'the panic she': 863216, 'panic she one': 638535, 'she one of': 756250, 'one of 70': 606732, 'of 70 people': 579661, '70 people who': 21823, 'who have shared': 988951, 'have shared their': 382505, 'shared their experience': 755453, 'their experience of': 873206, 'service industry in': 752496, 'now we want': 576358, 'waitrose the': 964489, 'seen doing': 746998, 'doing social': 252666, 'distancing waitrose': 247607, 'waitrose nine': 964465, 'nine elm': 563280, 'done waitrose the': 255100, 'waitrose the first': 964490, 'first supermarket that': 309045, 'have seen doing': 382421, 'seen doing social': 746999, 'doing social distancing': 252667, 'social distancing waitrose': 779759, 'distancing waitrose nine': 247608, 'waitrose nine elm': 964466, 'ground goi': 366501, 'goi official': 354965, 'outbreak the aviation': 628702, 'aviation industry is': 104960, 'industry is currently': 435929, 'currently on shaky': 221610, 'shaky ground goi': 754485, 'ground goi official': 366502, 'sir per': 771621, 'fixed for': 309792, 'made group': 507765, 'mask separately': 519253, 'separately in': 751102, 'condition would': 193566, 'be stable': 117343, 'sir per the': 771622, 'per the indian': 651040, 'indian government order': 434840, 'government order the': 360434, 'order the price': 618634, 'ha been fixed': 369807, 'been fixed for': 121155, 'fixed for mask': 309793, 'for mask sanitizers': 323280, 'mask sanitizers but': 519234, 'sanitizers but shop': 736236, 'but shop owner': 147042, 'owner are charging': 632385, 'high price still': 395277, 'price still we': 676653, 'have made group': 381410, 'made group to': 507766, 'group to distribute': 366931, 'distribute mask separately': 247996, 'mask separately in': 519254, 'separately in the': 751103, 'the city if': 850939, 'city if the': 179192, 'if the condition': 414959, 'the condition would': 851436, 'condition would be': 193567, 'would be stable': 1011650, 'coughing we': 208764, 'unavailable covid': 939445, 'half my household': 374211, 'my household is': 548756, 'household is sick': 406854, 'sick fever coughing': 768446, 'fever coughing we': 303671, 'coughing we ve': 208765, 've decided it': 953029, 'decided it probably': 230870, 'it probably just': 460488, 'swab are unavailable': 829903, 'are unavailable covid': 91264, 'unavailable covid 19': 939446, 'week of tuna': 976647, 'of tuna can': 592499, 'tuna can it': 935376, 'can it is': 158780, 'study asian': 814861, 'study asian consumer': 814862, 'sentiment during coronavirus': 750920, 'this teacher': 890478, 'teacher union': 835528, 'union can': 941875, 'easily teach': 265247, 'teach virtually': 835412, 'virtually post': 957846, 'post lesson': 666192, 'online even': 608174, 'give feedback': 350487, 'student you': 814813, 'for this teacher': 327071, 'this teacher union': 890479, 'teacher union can': 835529, 'union can easily': 941876, 'can easily teach': 158186, 'easily teach virtually': 265248, 'teach virtually post': 835413, 'virtually post lesson': 957847, 'post lesson online': 666193, 'lesson online even': 486501, 'online even give': 608175, 'even give feedback': 284115, 'give feedback to': 350488, 'feedback to student': 302437, 'to student you': 915696, 'student you know': 814814, 'know work from': 477070, 'home they are': 402270, 'being paid time': 125531, 'paid time for': 634154, 'step up not': 799693, 'up not leave': 945475, 'not leave it': 570349, 'it to grocery': 461720, 'heart queuing': 388326, 'supermarket isolationlife': 821153, 'my cat are': 547643, 'cat are taking': 166832, 'taking this whole': 833623, 'distancing thing to': 247549, 'thing to heart': 884890, 'to heart queuing': 907424, 'heart queuing for': 388327, 'for food at': 321553, 'the supermarket isolationlife': 868650, 'cambodia': 156930, 'cambodia real': 156931, 'see downward': 745059, 'trend the': 931468, 'pandemic escalates': 635392, 'escalates could': 280271, 'correction buyer': 207551, 'cambodia real estate': 156932, 'to see downward': 914001, 'see downward trend': 745060, 'downward trend the': 257844, 'trend the covid': 931469, '19 pandemic escalates': 9319, 'pandemic escalates could': 635393, 'escalates could this': 280272, 'this be the': 886504, 'be the market': 117634, 'the market correction': 860098, 'market correction buyer': 516226, 'correction buyer are': 207552, 'buyer are waiting': 149581, 'waiting for link': 964322, 'when tearing': 984110, 'tearing out': 836001, '30am after': 17404, 'after actually': 35312, 'actually securing': 30949, 'securing rubbing': 744511, 'felt when tearing': 303481, 'when tearing out': 984111, 'tearing out of': 836002, 'lot at 30am': 503994, 'at 30am after': 97604, '30am after actually': 17405, 'after actually securing': 35313, 'actually securing rubbing': 30950, 'securing rubbing alcohol': 744512, 'alcohol and lysol': 40907, 'and lysol wipe': 66499, 'disabled might': 243923, 'actually starve': 30963, 'and disabled might': 61394, 'disabled might actually': 243924, 'might actually starve': 530860, 'actually starve to': 30964, 'clan': 179945, 'im full': 416534, 'time dad': 896526, 'girl work': 350300, 'and clash': 59921, 'of clan': 581441, 'clan ha': 179946, 'unfortunately of': 941628, 'late ve': 480934, 'for clash': 320100, 'clash myself': 180122, 'partner both': 642785, 'both work': 136098, 'sector covid': 744148, 'im full time': 416535, 'full time dad': 340936, 'time dad for': 896527, 'dad for my': 224320, 'for my girl': 323709, 'my girl work': 548501, 'girl work part': 350301, 'time and clash': 896262, 'and clash of': 59922, 'clash of clan': 180125, 'of clan ha': 581442, 'clan ha always': 179947, 'ha always had': 369533, 'always had to': 49598, 'had to work': 373742, 'work around that': 1004843, 'around that unfortunately': 93519, 'that unfortunately of': 847181, 'unfortunately of late': 941629, 'of late ve': 585730, 'late ve found': 480935, 've found it': 953140, 'found it ever': 330260, 'it ever more': 457866, 'ever more difficult': 285422, 'to find time': 905947, 'find time for': 307340, 'time for clash': 896696, 'for clash myself': 320101, 'clash myself and': 180123, 'my partner both': 549716, 'partner both work': 642786, 'both work in': 136099, 'supermarket sector covid': 822352, 'sector covid 19': 744149, 'ha made this': 371220, 'made this even': 508019, 'this even harder': 887424, '29 out': 16490, 'were removed': 980050, 'cart unavailable': 165407, 'fight good': 304757, 'now portugal': 575568, 'portugal take': 665071, 'online shopping last': 609168, 'shopping last night': 763137, 'then 29 out': 876961, '29 out of': 16491, 'out of 30': 626669, '30 item were': 17088, 'item were removed': 463806, 'were removed from': 980051, 'the cart unavailable': 850448, 'cart unavailable supermkt': 165408, 'today no problem': 919934, 'no fight good': 564216, 'fight good for': 304758, 'for now portugal': 323980, 'now portugal take': 575569, 'portugal take care': 665072, 'boggles': 133977, 'large sporting': 479796, 'it boggles': 456895, 'boggles my': 133978, 'here around': 392771, 'whose girlfriend': 990639, 'girlfriend work': 350320, 'on defireathome': 600256, 'work day job': 1005029, 'day job in': 227861, 'job in retail': 465879, 'at large sporting': 99413, 'large sporting good': 479797, 'and it boggles': 65492, 'it boggles my': 456896, 'boggles my mind': 133979, 'my mind that': 549245, 'mind that we': 532738, 'still here there': 800699, 'woman here around': 1003509, 'here around 70': 392772, 'around 70 year': 93163, 'old who also': 598539, 'guy whose girlfriend': 369238, 'whose girlfriend work': 990640, 'girlfriend work in': 350321, 'in the er': 429172, 'the er come': 854469, 'come on defireathome': 187428, 'listen people': 494710, 'station than': 796520, 'gamestop how': 343330, 'new doom': 558643, 'doom or': 255443, 'or animal': 614323, 'crossing versus': 219089, 'versus toilet': 954959, 'sanitizer think': 735887, 'listen people you': 494711, 'you re more': 1020677, 'from supermarket or': 337494, 'supermarket or gas': 821808, 'gas station than': 344130, 'station than at': 796521, 'than at gamestop': 840370, 'at gamestop how': 98738, 'gamestop how many': 343331, 'are rushing out': 89778, 'get the new': 348273, 'the new doom': 861497, 'new doom or': 558644, 'doom or animal': 255444, 'or animal crossing': 614324, 'animal crossing versus': 76573, 'crossing versus toilet': 219090, 'versus toilet paper': 954960, 'hand sanitizer think': 375622, 'sanitizer think people': 735888, 'the 55': 848152, 'home who': 402499, 'not die amp': 569017, 'told how the': 923582, 'how the 55': 408800, 'the 55 year': 848153, 'old woman working': 598551, 'woman working from': 1003708, 'from home who': 335930, 'home who took': 402500, 'who took trip': 989805, '16 government cannot': 4121, 'government cannot say': 359967, 'cannot say this': 162074, 'save life do': 737537, 'moderate sale': 535357, 'sale activity': 732019, 'one question': 606930, 'remains will': 710086, 'it dampen': 457463, 'dampen house': 225496, 'outbreak is expected': 628374, 'expected to moderate': 290989, 'to moderate sale': 910212, 'moderate sale activity': 535358, 'sale activity in': 732020, 'market but one': 516129, 'but one question': 146674, 'one question remains': 606931, 'question remains will': 693721, 'remains will it': 710087, 'will it dampen': 993865, 'it dampen house': 457464, 'dampen house price': 225497, 'day new': 228014, 'every day new': 285832, 'day new normal': 228015, 'new normal grocery': 559154, 'normal grocery store': 567167, 'on sanitiser': 603286, 'donate product': 254222, 'to slum': 914749, 'they call on': 881597, 'call on sanitiser': 156045, 'on sanitiser manufacturer': 603287, 'sanitiser manufacturer to': 733989, 'manufacturer to lower': 513529, 'and donate product': 61648, 'donate product to': 254223, 'product to slum': 681765, '5wyzwetcqg': 20842, 'exxonmobil announced': 293979, 'announced tuesday': 77111, 'it cash': 457070, 'pandemic 5wyzwetcqg': 634786, 'exxonmobil announced tuesday': 293980, 'announced tuesday that': 77112, 'it will reduce': 462429, 'reduce it capital': 705865, 'it capital expenditure': 457057, 'by 30 and': 151627, '30 and lower': 16965, 'and lower it': 66455, 'lower it cash': 505902, 'it cash operating': 457071, '15 in response': 3743, '19 pandemic 5wyzwetcqg': 9249, 'illinoisan': 416318, 'stoppani': 805542, 'reminds illinoisan': 710643, 'illinoisan not': 416319, 'pack limit': 633066, 'people grabbed': 648119, 'grabbed two': 361573, 'limited toilet': 492782, 'supply come': 825087, 'people stoppani': 649658, 'news and reminds': 560237, 'and reminds illinoisan': 70227, 'reminds illinoisan not': 710644, 'illinoisan not to': 416320, 'grocery store post': 365669, 'store post the': 809617, 'post the one': 666353, 'one pack limit': 606818, 'pack limit yet': 633067, 'yet just this': 1016125, 'just this morning': 470053, 'morning people grabbed': 541404, 'people grabbed two': 648120, 'grabbed two six': 361574, 'six pack of': 772682, 'pack of the': 633111, 'of the limited': 591191, 'the limited toilet': 859394, 'limited toilet paper': 492783, 'paper supply come': 640852, 'supply come on': 825088, 'on people stoppani': 602752, 'fea': 300991, 'is are': 445804, 'because ghanaians': 119075, 'ghanaians are': 349603, 'having low': 384147, 'wrong because': 1013000, 'in fea': 422810, 'that is good': 844591, 'question is are': 693629, 'is are we': 445805, 'are we ready': 91586, 'ready to deal': 700950, '19 no because': 8794, 'no because ghanaians': 563680, 'because ghanaians are': 119076, 'ghanaians are making': 349604, 'are making profit': 88000, 'making profit out': 511296, 'it because thing': 456763, 'because thing that': 119733, 'wa having low': 962288, 'having low price': 384148, 'low price have': 505517, 'price have now': 674442, 'have now gone': 381732, 'gone up which': 356435, 'up which is': 946589, 'which is wrong': 986068, 'is wrong because': 454097, 'wrong because in': 1013001, 'because in time': 119163, 'like this people': 491514, 'this people are': 889502, 'are in fea': 87382, 'demostrated': 236878, 'elisa': 271500, 'some chinese': 782528, 'chinese group': 177277, 'already demostrated': 47287, 'demostrated elisa': 236879, 'elisa test': 271501, 'test strip': 839180, 'though detail': 892797, 'detail were': 239273, 'were lacking': 979832, 'lacking for': 478688, 'consumer though': 199289, 'though fda': 892809, 'fda would': 300957, 'deem it': 231803, 'it waived': 462227, 'waived test': 964543, 'which doesn': 985829, 'consumer side the': 198990, 'side the tech': 768900, 'the tech is': 869225, 'tech is there': 836114, 'is there some': 453035, 'there some chinese': 879070, 'some chinese group': 782529, 'chinese group already': 177278, 'group already demostrated': 366594, 'already demostrated elisa': 47288, 'demostrated elisa test': 236880, 'elisa test strip': 271502, 'test strip for': 839181, 'strip for covid': 813822, '19 though detail': 11363, 'though detail were': 892798, 'detail were lacking': 239274, 'were lacking for': 979833, 'lacking for consumer': 478689, 'for consumer though': 320295, 'consumer though fda': 199290, 'though fda would': 892810, 'fda would have': 300958, 'have to deem': 383191, 'to deem it': 904045, 'deem it waived': 231804, 'it waived test': 462228, 'waived test which': 964544, 'test which doesn': 839234, 'which doesn come': 985830, 'doesn come that': 251733, 'come that easily': 187521, 'consider canceling': 194966, 'canceling your': 160996, 'slot will': 774296, 'keep vulnerable': 472192, 'isolate vulnerable': 454935, 'please consider canceling': 659809, 'consider canceling your': 194967, 'canceling your online': 160997, 'vulnerable or self': 961070, 'or self isolating': 616994, 'self isolating to': 747742, 'up slot will': 946011, 'slot will be': 774297, 'usual slot to': 951020, 'slot to keep': 774279, 'to keep vulnerable': 908876, 'keep vulnerable people': 472193, 'vulnerable people away': 961082, 'people away and': 647205, 'away and isolate': 105781, 'and isolate vulnerable': 65454, 'isolate vulnerable people': 454936, 'vulnerable people we': 961114, 'north east': 567638, 'east but': 265296, 'the north east': 861872, 'north east but': 567639, 'east but remember': 265297, 'shortage instead': 765031, 'instead demand': 440166, 'demand simply': 236219, 'simply changed': 770201, 'changed people': 172530, 'people stocked': 649621, 'stocked their': 803419, 'refrigerator freezer': 706810, 'personal pantry': 652937, 'pantry we': 639705, 'replenish those': 711658, 'not problem of': 571099, 'problem of food': 679625, 'food shortage instead': 316585, 'shortage instead demand': 765032, 'instead demand simply': 440167, 'demand simply changed': 236220, 'simply changed people': 770202, 'changed people stocked': 172531, 'people stocked their': 649622, 'stocked their refrigerator': 803420, 'their refrigerator freezer': 874540, 'refrigerator freezer and': 706811, 'freezer and personal': 332581, 'and personal pantry': 68927, 'personal pantry we': 652938, 'pantry we have': 639706, 'food on hand': 315595, 'hand to replenish': 375869, 'to replenish those': 913261, 'replenish those stock': 711659, 'those stock and': 892492, 'stock and feed': 801810, 'and feed everyone': 62768, 'feed everyone during': 302305, 'shipping online': 758882, 'unfortunately our retail': 941632, 'now closed but': 574396, 'still shipping online': 801179, 'shipping online order': 758883, 'online order read': 608698, 'momofboys': 536183, 'my teen': 550333, 'teen son': 836508, 'son grocery': 785377, 'list try': 494576, 'brave crazy': 138208, 'shelf thing': 757678, 'make ya': 510728, 'go hmm': 353650, 'hmm ha': 398682, 'ha quarantinelife': 371612, 'quarantinelife schoolsout': 693006, 'schoolsout momlife': 742051, 'momlife momofboys': 536173, 'my teen son': 550334, 'teen son grocery': 836509, 'son grocery list': 785378, 'grocery list try': 364702, 'list try to': 494577, 'try to brave': 934606, 'to brave crazy': 901989, 'brave crazy grocery': 138209, 'store in morning': 808345, 'in morning with': 425453, 'morning with what': 541551, 'with what ha': 1002068, 'ha been empty': 369795, 'been empty shelf': 121082, 'empty shelf thing': 275098, 'shelf thing that': 757679, 'that make ya': 845005, 'make ya go': 510729, 'ya go hmm': 1013997, 'go hmm ha': 353651, 'hmm ha quarantinelife': 398683, 'ha quarantinelife schoolsout': 371613, 'quarantinelife schoolsout momlife': 693007, 'schoolsout momlife momofboys': 742052, 'building face': 142080, 'coronavirus medtwitter': 206280, 'medtwitter corona': 527371, 'batflu wuhan': 112591, 'wuhan quarantine': 1013511, 'spacex is making': 787218, 'making it own': 511148, 'sanitizer and building': 734390, 'and building face': 59246, 'building face shield': 142081, 'shield to donate': 758179, 'donate to fight': 254254, 'fight coronavirus medtwitter': 304702, 'coronavirus medtwitter corona': 206281, 'medtwitter corona pandemic': 527372, 'pandemic batflu wuhan': 634972, 'batflu wuhan quarantine': 112592, 'is surprising': 452494, 'surprising to': 828640, 'sale aren': 732074, 'aren necessarily': 92460, 'necessarily happening': 553922, 'happening where': 377429, 'hitting hardest': 398571, 'hardest data': 378208, 'help manufacturer': 390046, 'retailer better': 719041, 'better anticipate': 128195, 'surprising that commerce': 828637, 'that commerce is': 843262, 'commerce is booming': 188581, 'it is surprising': 459094, 'is surprising to': 452495, 'surprising to see': 828641, 'to see online': 914053, 'see online sale': 745508, 'online sale aren': 608913, 'sale aren necessarily': 732075, 'aren necessarily happening': 92461, 'necessarily happening where': 553923, 'happening where the': 377430, 'virus is hitting': 958379, 'is hitting hardest': 448503, 'hitting hardest data': 398572, 'hardest data can': 378209, 'can help manufacturer': 158636, 'help manufacturer and': 390047, 'manufacturer and retailer': 513419, 'and retailer better': 70456, 'retailer better anticipate': 719042, 'better anticipate consumer': 128196, 'anticipate consumer demand': 78427, 'looroll danish': 503170, 'danish solution': 225849, 'from collecting': 334912, 'collecting hand': 186387, 'sanitizers supermarket': 736408, 'denmark came': 237006, 'following price': 312820, 'price bottle': 672942, '40 krone': 18599, 'krone bottle': 477792, '100 krone': 1938, 'krone would': 477802, 'roll too': 725571, 'looroll danish solution': 503171, 'danish solution in': 225850, 'solution in order': 782046, 'order to stop': 618711, 'people from collecting': 647984, 'from collecting hand': 334913, 'collecting hand sanitizers': 186388, 'hand sanitizers supermarket': 375724, 'sanitizers supermarket in': 736409, 'in denmark came': 422184, 'denmark came up': 237007, 'with the following': 1001309, 'the following price': 855518, 'following price bottle': 312821, 'price bottle 40': 672943, 'bottle 40 krone': 136167, '40 krone bottle': 18600, 'krone bottle 100': 477793, 'bottle 100 krone': 136159, '100 krone would': 1939, 'krone would work': 477803, 'would work for': 1012395, 'work for loo': 1005159, 'loo roll too': 502204, 'worker cuny': 1006715, 'cuny receive': 220389, 'service worker cuny': 753092, 'worker cuny receive': 1006716, 'cuny receive full': 220390, 'arrow for': 94040, 'various aisle': 952579, 'supermarket ha arrow': 820617, 'ha arrow for': 369623, 'arrow for the': 94041, 'for the various': 326761, 'the various aisle': 870647, 'various aisle now': 952580, 'aisle now socialdistancing': 40321, 'no complaint': 563862, 'supermarket good to': 820549, 'there no complaint': 878801, 'my danish': 547912, 'danish friend': 225843, 'friend see': 333795, 'see too': 745980, 'some open': 783449, 'open shop': 612497, 'll boo': 496653, 'boo me': 134429, 'for my danish': 323695, 'my danish friend': 547913, 'danish friend see': 225844, 'friend see too': 333796, 'see too many': 745981, 'street and some': 812900, 'and some open': 71973, 'some open shop': 783450, 'open shop when': 612498, 'shop when go': 761026, 'the supermarket hope': 868635, 'supermarket hope wrong': 820786, 'hope wrong and': 403785, 'wrong and they': 1012995, 'they ll boo': 882586, 'll boo me': 496654, 'boo me in': 134430, 'day but think': 227411, 'think it best': 885320, 'it best for': 456853, 'much possible 19': 545238, 'se main': 743046, 'main station': 508820, 'station milne': 796462, 'kisi se main': 475440, 'se main station': 743047, 'main station milne': 508821, 'station milne jau': 796463, 'maplegrov': 514957, 'simmons maplegrov': 769953, 'shelterinplace stpatricksday': 758029, 'sanfrancisco shelterinplace stpatricksday': 733779, 'ireland had': 444831, 'had problem': 373429, 'problem last': 679587, 'unexpected rise': 941379, 'wholesale electricity': 990439, 'enough wind': 277768, 'ireland had problem': 444832, 'had problem last': 373430, 'problem last month': 679588, 'last month that': 480343, 'month that led': 538036, 'to an unexpected': 900473, 'an unexpected rise': 56853, 'unexpected rise in': 941380, 'rise in wholesale': 722918, 'in wholesale electricity': 430897, 'wholesale electricity price': 990440, 'electricity price there': 271199, 'price there wa': 676886, 'wa not enough': 962763, 'not enough wind': 569199, 'we agree': 970297, 'agree will': 38673, 'further responsibility': 342150, 'to climatechange': 902845, 'climatechange supplychain': 182241, 'supplychain practice': 826215, 'work mobility': 1005472, 'mobility potentially': 535087, 'potentially alter': 667182, 'alter the': 49150, 'investment process': 444043, 'we agree will': 970298, 'agree will accelerate': 38674, 'will accelerate trend': 992183, 'accelerate trend towards': 27872, 'even further responsibility': 284099, 'further responsibility toward': 342151, 'behaviour to climatechange': 124543, 'to climatechange supplychain': 902846, 'climatechange supplychain practice': 182242, 'supplychain practice the': 826216, 'practice the future': 668676, 'of work mobility': 593258, 'work mobility potentially': 1005473, 'mobility potentially alter': 535088, 'potentially alter the': 667183, 'alter the investment': 49151, 'the investment process': 858420, 'text service': 839938, 'priority grocery': 678574, 'grocery slot': 365128, '600 people': 21101, 'have signed': 382546, 'shielding text service': 758203, 'text service to': 839939, 'for priority grocery': 324743, 'priority grocery slot': 678575, 'grocery slot with': 365129, 'slot with your': 774300, 'your supermarket almost': 1026035, 'supermarket almost 600': 818882, 'almost 600 people': 46522, '600 people have': 21102, 'people have signed': 648195, 'have signed up': 382547, 'hour after it': 405362, 'it launch stayathome': 459313, 'to opening': 911015, 'the xmas': 872133, 'xmas lynx': 1013886, 'lynx africa': 507135, 'africa gift': 35078, 'gift set': 350014, 'set just': 753412, 'shower gel': 767379, 'gel out': 345141, 'this panic buy': 889458, 'buy is getting': 148837, 'of hand now': 584428, 'hand now supermarket': 375104, 'shelf empty we': 757041, 'empty we have': 275230, 'had to resort': 373719, 'resort to opening': 714678, 'to opening the': 911016, 'opening the xmas': 612913, 'the xmas lynx': 872134, 'xmas lynx africa': 1013887, 'lynx africa gift': 507136, 'africa gift set': 35079, 'gift set just': 350015, 'set just to': 753413, 'just to rob': 470102, 'rob the shower': 724638, 'the shower gel': 867116, 'shower gel out': 767380, 'gel out of': 345142, 'rome supermarket': 725755, 'and monday': 67106, 'double aim': 255973, 'aim behind': 39528, 'deserved rest': 238160, 'deny quarantined': 237140, 'quarantined resident': 692882, 'resident the': 714376, 'the excuse': 854680, 'rome supermarket close': 725756, 'supermarket close on': 819719, 'close on easter': 182735, 'easter sunday and': 265502, 'sunday and monday': 818170, 'and monday the': 67107, 'monday the double': 536391, 'the double aim': 853609, 'double aim behind': 255974, 'aim behind the': 39529, 'behind the move': 124719, 'the move is': 861087, 'is to give': 453206, 'supermarket worker well': 824118, 'worker well deserved': 1008159, 'well deserved rest': 978154, 'deserved rest and': 238161, 'rest and to': 716145, 'and to deny': 74162, 'to deny quarantined': 904178, 'deny quarantined resident': 237141, 'quarantined resident the': 692883, 'resident the excuse': 714377, 'the excuse of': 854681, 'excuse of leaving': 289768, 'of leaving the': 585769, 'doing wiping': 252862, 'all fruit': 42889, 'fruit store': 339154, 'bought package': 136674, 'with hydrogen': 998919, 'peroxide cause': 652206, 'store wednesdaywisdom': 811200, 'for day ve': 320590, 'been doing wiping': 121028, 'doing wiping down': 252863, 'wiping down all': 996508, 'down all fruit': 256460, 'all fruit store': 42890, 'fruit store bought': 339155, 'store bought package': 806757, 'bought package with': 136675, 'package with hydrogen': 633462, 'with hydrogen peroxide': 998920, 'hydrogen peroxide cause': 411970, 'peroxide cause ve': 652207, 'cause ve seen': 167789, 've seen people': 953543, 'seen people coughing': 747191, 'grocery store wednesdaywisdom': 365939, 'going mad': 355268, 'mad right': 507566, 'food these': 317158, 'shopping is going': 763046, 'is going mad': 448094, 'going mad right': 355269, 'mad right now': 507567, 'now what do': 576379, 'what do have': 981343, 'get food these': 347069, 'food these day': 317159, 'disasterrelief': 244276, 'pmcares': 662038, 'all ngo': 43632, 'ngo and': 561841, 'and disasterrelief': 61404, 'disasterrelief team': 244277, 'on corruption': 600132, 'corruption against': 207683, 'against pm': 37581, 'fund the': 341514, 'relief should': 709459, 'every needy': 286036, 'needy stophoarding': 556705, 'stophoarding please': 805444, 'please setup': 660473, 'setup food': 753730, 'food stall': 316724, 'village with': 957389, 'avoid famine': 105104, 'famine pmcares': 298442, 'to all ngo': 900265, 'all ngo and': 43633, 'ngo and disasterrelief': 561842, 'and disasterrelief team': 61405, 'disasterrelief team to': 244278, 'team to check': 835802, 'check on corruption': 174507, 'on corruption against': 600133, 'corruption against pm': 207684, 'against pm relief': 37582, 'relief fund the': 709357, 'fund the relief': 341515, 'the relief should': 865489, 'relief should reach': 709460, 'should reach to': 766370, 'reach to every': 700004, 'to every needy': 905308, 'every needy stophoarding': 286037, 'needy stophoarding please': 556706, 'stophoarding please setup': 805445, 'please setup food': 660474, 'setup food stall': 753731, 'food stall in': 316725, 'stall in village': 793366, 'in village with': 430591, 'village with social': 957390, 'to avoid famine': 900896, 'avoid famine pmcares': 105105, 'entertainment to': 278609, 'discourage people': 244625, 'hope data': 403445, 'drop reduce': 260380, 'need to figure': 555935, 'how to step': 409091, 'step up online': 799695, 'up online entertainment': 945657, 'online entertainment to': 608170, 'entertainment to discourage': 278610, 'to discourage people': 904361, 'discourage people from': 244626, 'out in light': 626383, '19 hope data': 7574, 'hope data price': 403446, 'data price drop': 226357, 'price drop reduce': 673580, 'drop reduce price': 260381, 'reduce price well': 705906, 'get face': 346982, 'now breaking': 574271, 'it become so': 456770, 'become so difficult': 120133, 'so difficult to': 776866, 'to get face': 906474, 'get face mask': 346983, 'sanitizer etc people': 734828, 'are now breaking': 88532, 'now breaking into': 574272, 'breaking into pharmacy': 138977, 'most successful': 542785, 'successful panic': 816248, 'game plan': 343229, 'watching repeat': 968783, 'sweep panicshopping': 830152, 'panicbuyinguk supermarketsweep': 639175, 'supermarketsweep coronacrisis': 824257, 'if the most': 415002, 'the most successful': 861043, 'most successful panic': 542786, 'successful panic buyer': 816249, 'buyer are getting': 149569, 'are getting their': 86827, 'getting their game': 349367, 'their game plan': 873398, 'game plan by': 343230, 'plan by spending': 658088, 'by spending all': 154090, 'spending all their': 788727, 'all their time': 45010, 'their time watching': 874990, 'time watching repeat': 898211, 'watching repeat of': 968784, 'repeat of supermarket': 711532, 'supermarket sweep panicshopping': 823101, 'sweep panicshopping panicbuyinguk': 830153, 'panicshopping panicbuyinguk supermarketsweep': 639449, 'panicbuyinguk supermarketsweep coronacrisis': 639176, 'supermarketsweep coronacrisis panicshopping': 824258, 'rochdale': 724875, 'castleton': 166783, 'our neighbourhood': 624016, 'neighbourhood this': 557288, 'this clap': 886778, 'clap is': 179964, 'supermarket childcare': 819687, 'childcare nh': 176304, 'nh anyone': 561887, 'anyone helping': 80361, 'whatever shape': 982792, 'shape or': 754844, 'or form': 615378, 'form clapfornhs': 329499, 'clapfornhs nh': 180005, 'nh rochdale': 562052, 'rochdale castleton': 724876, 'love our neighbourhood': 504753, 'our neighbourhood this': 624017, 'neighbourhood this clap': 557289, 'this clap is': 886779, 'clap is for': 179965, 'is for anyone': 447879, 'for anyone working': 319455, 'anyone working right': 80656, 'whether it supermarket': 985533, 'it supermarket childcare': 461358, 'supermarket childcare nh': 819688, 'childcare nh anyone': 176305, 'nh anyone helping': 561888, 'anyone helping in': 80362, 'helping in whatever': 391362, 'in whatever shape': 430838, 'whatever shape or': 982793, 'shape or form': 754845, 'or form clapfornhs': 615379, 'form clapfornhs nh': 329500, 'clapfornhs nh rochdale': 180006, 'nh rochdale castleton': 562053, 'asked uk': 95887, 'consumer before': 196420, 'ever watch': 285588, 'response here': 715715, 'we asked uk': 970791, 'asked uk consumer': 95888, 'uk consumer before': 938261, 'consumer before covid': 196421, '19 never have': 8766, 'never have ever': 558049, 'have ever watch': 380494, 'ever watch their': 285589, 'watch their response': 968559, 'their response here': 874571, 'response here and': 715716, 'here and find': 392703, 'baggies': 108517, 'avoid lingering': 105179, 'lingering in': 493709, 'public bathroom': 687890, 'bathroom mini': 112651, 'mini toilet': 533033, 'roll available': 725206, 'available too': 104671, 'too reusable': 925034, 'reusable device': 720154, 'device disposable': 239904, 'disposable collection': 246238, 'collection baggies': 186415, 'baggies coronapocalypse': 108518, 'coronapocalypse toiletpaperapocalypse': 205204, 'to avoid lingering': 900916, 'avoid lingering in': 105180, 'lingering in public': 493710, 'in public bathroom': 427072, 'public bathroom mini': 687891, 'bathroom mini toilet': 112652, 'mini toilet paper': 533034, 'paper roll available': 640688, 'roll available too': 725207, 'available too reusable': 104672, 'too reusable device': 925035, 'reusable device disposable': 720155, 'device disposable collection': 239905, 'disposable collection baggies': 246239, 'collection baggies coronapocalypse': 186416, 'baggies coronapocalypse toiletpaperapocalypse': 108519, 'coronapocalypse toiletpaperapocalypse toiletpaper': 205205, 'greg hunt': 363827, 'hunt mp': 411366, 'mp ban': 544243, 'ban supermarket': 109264, 'greg hunt mp': 363828, 'hunt mp ban': 411367, 'mp ban supermarket': 544244, 'ban supermarket queue': 109265, 'supermarket queue to': 822136, 'queue to protect': 694097, 'protect from covid': 684843, 'hi people': 394716, 'twitter real': 936706, 'question am': 693515, 'irresponsible if': 445054, 'weekend just': 977364, 'our kitchen': 623624, 'kitchen in': 475717, 'sustaining business': 829829, 'business symptom': 144455, 'symptom free': 830846, 'ok know': 597830, 'isn 100': 454414, 'hi people of': 394717, 'of twitter real': 592532, 'twitter real question': 936707, 'real question am': 701325, 'question am being': 693516, 'am being irresponsible': 49937, 'being irresponsible if': 125341, 'irresponsible if go': 445055, 'this weekend just': 891312, 'weekend just to': 977365, 'just to restock': 470100, 'to restock our': 913406, 'restock our kitchen': 716888, 'our kitchen in': 623625, 'kitchen in an': 475718, 'area that ha': 92217, 'that ha shut': 844135, 'down all non': 256463, 'all non life': 43651, 'life sustaining business': 489082, 'sustaining business symptom': 829830, 'business symptom free': 144456, 'symptom free and': 830847, 'free and feeling': 331646, 'and feeling ok': 62786, 'feeling ok know': 303040, 'ok know isn': 597831, 'know isn 100': 476515, 'rollbakcs': 725627, 'of rollbakcs': 589155, 'rollbakcs due': 725628, 'increase news': 432920, 'series of rollbakcs': 751276, 'of rollbakcs due': 589156, 'rollbakcs due to': 725629, 'product will increase': 681860, 'will increase news': 993819, 'help feeling': 389698, 'that banana': 842924, 'banana what': 109322, 'do wrong': 250604, 'wrong convid19uk': 1013020, 'convid19uk staysafestayhome': 202630, 'can help feeling': 158617, 'help feeling sorry': 389699, 'feeling sorry for': 303062, 'for that banana': 326250, 'that banana what': 842925, 'banana what did': 109323, 'what did he': 981316, 'did he do': 240631, 'he do wrong': 384902, 'do wrong convid19uk': 250605, 'wrong convid19uk staysafestayhome': 1013021, 'convid19uk staysafestayhome stophoarding': 202631, 'february property': 301737, 'property buyer': 684257, 'buyer property': 149730, 'listing and': 494826, 'all continued': 42442, 'rise there': 723021, 'now increasing': 575034, 'increasing concern': 433566, 'propertymarket fridaythoughts': 684389, 'while in february': 986941, 'in february property': 422848, 'february property buyer': 301738, 'property buyer property': 684258, 'buyer property listing': 149731, 'property listing and': 684289, 'listing and price': 494827, 'and price all': 69436, 'price all continued': 672268, 'all continued to': 42443, 'continued to rise': 201365, 'to rise there': 913579, 'rise there are': 723022, 'are now increasing': 88561, 'now increasing concern': 575035, 'increasing concern over': 433567, 'the propertymarket fridaythoughts': 864688, 'act http': 29651, 'lawsuit will help': 482544, 'help in lawsuit': 389898, 'protection act http': 685278, 'wgc': 980887, 'gold to': 356025, 'remain attractive': 709699, 'attractive investment': 102724, 'investment asset': 443963, 'asset despite': 96428, 'council wgc': 210036, 'wgc said': 980888, 'that deceleration': 843457, 'growth globally': 367381, 'undoubtedly impact': 941043, 'gold buy': 355869, 'gold to remain': 356026, 'to remain attractive': 913157, 'remain attractive investment': 709700, 'attractive investment asset': 102725, 'investment asset despite': 443964, 'asset despite impact': 96429, 'despite impact of': 238764, 'gold council wgc': 355878, 'council wgc said': 210037, 'wgc said today': 980889, 'today that deceleration': 920266, 'that deceleration in': 843458, 'deceleration in economic': 230737, 'in economic growth': 422480, 'economic growth globally': 267113, 'growth globally will': 367382, 'globally will undoubtedly': 352421, 'will undoubtedly impact': 995267, 'undoubtedly impact on': 941044, 'for gold buy': 321921, 'gold buy on': 355870, 'buy on the': 149033, 'on the dip': 604065, '19 washington': 11905, 'state union': 796054, 'the 38': 848097, 'albertsons which': 40857, 'should protect': 766341, 'better support': 128505, 'covid 19 washington': 214047, '19 washington state': 11906, 'washington state union': 967810, 'state union and': 796055, 'union and the': 941870, 'and the 38': 73229, 'the 38 have': 848098, 'and albertsons which': 57829, 'albertsons which should': 40858, 'which should protect': 986319, 'should protect and': 766342, 'protect and better': 684778, 'and better support': 58918, 'better support grocery': 128506, 'had never': 373324, 'supermarket had never': 820657, 'had never thought': 373325, 'scary am terrified': 741129, 'am terrified and': 50478, 'terrified and at': 838484, 'wondering how can': 1004154, 'have this low': 383104, 'this low number': 888726, 'calmlyshopping': 156868, 'cooky were': 202976, 'bought than': 136731, 'than perhaps': 841027, 'perhaps are': 651568, 'luckily wine': 506521, 'to hunker': 908058, 'down calmlyshopping': 256612, 'calmlyshopping in': 156869, 'store more cooky': 808982, 'more cooky were': 538891, 'cooky were bought': 202977, 'were bought than': 979391, 'bought than perhaps': 136732, 'than perhaps are': 841028, 'perhaps are needed': 651569, 'are needed and': 88198, 'needed and luckily': 556292, 'and luckily wine': 66478, 'luckily wine and': 506522, 'and spirit is': 72115, 'spirit is right': 789481, 'is right next': 451539, 'right next door': 722005, 'next door back': 561342, 'door back home': 255527, 'home in no': 401418, 'in no time': 425917, 'no time and': 565724, 'time and ready': 896291, 'ready to hunker': 700961, 'to hunker down': 908059, 'hunker down calmlyshopping': 411335, 'down calmlyshopping in': 256613, 'calmlyshopping in the': 156870, 'sudhar': 817150, 'jaao': 464099, 'just selling': 469754, 'grocery by': 364336, 'price guy': 674373, 'be humble': 115325, 'humble and': 410810, 'and behave': 58831, 'all sudhar': 44529, 'sudhar jaao': 817151, 'hearing that indian': 388239, 'that indian in': 844505, 'indian in usa': 434850, 'in usa and': 430487, 'usa and other': 948590, 'and other nation': 68367, 'other nation are': 620557, 'nation are just': 552127, 'are just selling': 87636, 'just selling the': 469755, 'selling the grocery': 749477, 'the grocery by': 856806, 'grocery by doubling': 364337, 'the price guy': 864358, 'price guy be': 674374, 'guy be humble': 368921, 'be humble and': 115326, 'humble and behave': 410811, 'and behave like': 58832, 'behave like human': 123784, 'like human in': 490468, 'crisis is watching': 217598, 'is watching all': 453781, 'watching all sudhar': 968696, 'all sudhar jaao': 44530, 'reminder folk': 710547, 'folk your': 312325, 'local walgreens': 498686, 'of peep': 587854, 'peep for': 646276, 'supply peep': 825707, 'peep are': 646271, 'healthy nutritious': 387709, 'nutritious and': 577754, 'vitamin stockup': 959798, 'just reminder folk': 469616, 'reminder folk your': 710548, 'folk your local': 312326, 'your local walgreens': 1024727, 'local walgreens and': 498687, 'walgreens and other': 964713, 'plenty of peep': 660964, 'of peep for': 587855, 'peep for sale': 646277, 'sale so you': 732536, 'food supply peep': 316980, 'supply peep are': 825708, 'peep are healthy': 646272, 'are healthy nutritious': 87066, 'healthy nutritious and': 387710, 'nutritious and great': 577755, 'and great source': 63935, 'source of vitamin': 786534, 'of vitamin stockup': 592850}

Creating aditional cases of n-grams to check if also can help in the accuracy

count_vect_ngram_testb = CountVectorizer(max_features = 25000, ngram_range=(1,3))
x_train_ngram_testb = count_vect_ngram_testb.fit_transform(X_train)
x_test_ngram_testb = count_vect_ngram_testb.transform(X_test)

count_vect_ngram_testc = CountVectorizer(max_features = 25000, ngram_range=(1,4))
x_train_ngram_testc = count_vect_ngram_testc.fit_transform(X_train)
x_test_ngram_testc = count_vect_ngram_testc.transform(X_test)

count_vect_ngram_testd = CountVectorizer(max_features = 25000, ngram_range=(1,5))
x_train_ngram_testd = count_vect_ngram_testd.fit_transform(X_train)
x_test_ngram_testd = count_vect_ngram_testd.transform(X_test)
#TF-IDF: this model can catch the importance of the word in each text and across the documents related to the study
from sklearn.feature_extraction.text import TfidfVectorizer
tfidif =TfidfVectorizer()
x_train_tfidif_testa = tfidif.fit_transform(X_train)
x_test_tfidif_testa = tfidif.transform(X_test)
print("IDF for the vocab words", tfidif.idf_ )
IDF for the vocab words [ 5.28840947 10.79982005 10.79982005 ... 10.79982005 10.39435494
 10.10667287]
x_train_tfidif_testa.shape
x_test_tfidif_testa.shape
(12020, 36850)

Creating aditional datasets to check with which vectors is the model better

tfidif_testb =TfidfVectorizer(max_features = 25000)
x_train_tfidif_testb = tfidif_testb.fit_transform(X_train)
x_test_tfidif_testb = tfidif_testb.transform(X_test)

tfidif_testc =TfidfVectorizer(max_features = 10000)
x_train_tfidif_testc = tfidif_testc.fit_transform(X_train)
x_test_tfidif_testc = tfidif_testc.transform(X_test)

tfidif_testd =TfidfVectorizer(max_features = 5000)
x_train_tfidif_testd = tfidif_testd.fit_transform(X_train)
x_test_tfidif_testd = tfidif_testd.transform(X_test)

4.2 Distributed Representations

This second group is more interesting for the exercises since the embeddings proposed in this section generated in some cases by Neural networks cut the issues about the dimentionality and sparcity, and word context which are the major problems with the previous vectorizations.Now it will be defined the next cases: + Word2vec (gensim) + Elmo + Bert + GPT

In is being selected a pre trained vector called: glove-twitter-200 (Glove Word2Vec). Which had trained a Neuran Network based on 2 million tweets collected and created an embedding. In this case the dimentions for each word is of about 100

import gensim.downloader as api
info =api.info()
model_twitter = api.load("glove-twitter-100")

from gensim.models.word2vec import Word2Vec
similar_crisis = model_twitter.most_similar("crisis", topn=3)
similar_pandemic = model_twitter.most_similar("pandemic", topn=3)
similar_quarantine = model_twitter.most_similar("quarantine", topn=3)
print(similar_crisis)
print(similar_pandemic)
print(similar_quarantine)
[('fiscal', 0.6861035227775574), ('economic', 0.6322633624076843), ('disaster', 0.6271545886993408)]
[('terjangkit', 0.5816013813018799), ('swine', 0.577864944934845), ('epidemic', 0.5776160359382629)]
[('transpose', 0.5684693455696106), ('idlewild', 0.5681213736534119), ('detachment', 0.5586339235305786)]
# the Glove model on twitter have more than 1 millon words in the dictionary
glove_twitter_vocab = model_twitter.index_to_key
glove_twitter_vocab_lower = [item.lower() for item in glove_twitter_vocab]
print(len(glove_twitter_vocab_lower))
1193514

Want to check if the words in the present corpus to be analyized are present in the pre-crafted vectoring. In this case, the GloVE twitter possess about 60% of the dictionary of the training set. + The % is not giving good sign to use it, since we look to have a embedding that at least possess 80% of the dictionary. However, it can be search a way to train this NN to this particular case + Eventhough, this word embedding is more powerful than the basic vectorings: still is not collecting the context of the tweets and also it the real case can have a problem of OOV

Still is going to be used to in the ML models to verify if it gives a best result.

words_found = 0
for word in glove_twitter_vocab_lower:
    if word in vocab:
        words_found += 1
print("Number of words found in dataset vocabulary:", words_found, "out of ", len(vocab),":",words_found/len(vocab))
print(len(vocab))
Number of words found in dataset vocabulary: 24169 out of  36886 : 0.6552350485278967
36886
glove_twitter_vocab_lower[:4]
['<user>', '.', ':', 'rt']

In this case, since the tweets are a collection of words and the GloVE embedding possess a embedding per word, it is being utilized an average of all the word embeddings of the tweets to have a vector representation.

fixed to 100 dimetions due to the pretrained model selected

# Pre trained embeddings
# Word2vec - twitter training. In this case it is being averaged all the values of the tokens 
# fixed dimention of 100 since the pre trained embedding has this configuration
def embedding(corpus,dimension):
    import numpy as np
    DIM = dimension
    zero_vector = np.zeros(DIM)
    features = []
    for tokens in corpus:
        arrays = np.zeros(DIM)
        counts = 0 + 1e-5
        for token in tokens:
            if token in model_twitter:
                arrays += model_twitter[token]
                counts += 1
        if counts > 0:
            features.append(arrays / counts)
        else:
            features.append(zero_vector)
    return features
'''def embedding_1(text_list, embedding_dimension):
    import numpy as np
    vectors = []
    for sentence in text_list:
        vec = np.zeros(embedding_dimension).reshape((1, -1))
        for word in sentence:
            try:
                vec += model_twitter[word].reshape((1, -1))
            except KeyError:
                continue
        vec /= len(sentence)
        vectors.append(vec)
    return np.concatenate(vectors)'''
#import numpy as np
#X_train_embed_w2v_tweeter[np.isnan(X_train_embed_w2v_tweeter)] = 0.001
X_train_embed_w2v_tweeter =embedding(X_train_token,100)
X_test_embed_w2v_tweeter =embedding(X_test_token,100)
print(len(X_train_token),len(X_train_embed_w2v_tweeter))
print(len(X_test_token),len(X_test_embed_w2v_tweeter))
36060 36060
12020 12020
X_train_embed_w2v_tweeter[1]
array([ 1.53461784e-01,  1.39052372e-01,  2.06492896e-01,  6.30881645e-02,
       -5.59943747e-02, -4.94305594e-03,  5.34457910e-02,  5.85779175e-03,
        8.99645400e-02, -3.88833322e-02, -1.19054396e-02, -1.04745000e-01,
       -4.61685961e+00,  2.79798333e-02, -4.73253316e-02,  1.44467018e-03,
       -3.21158549e-03,  3.30897627e-02, -2.82002793e-01, -2.93958345e-02,
       -8.84454566e-02, -6.87283360e-02, -1.65854708e-01, -1.18445000e-01,
        6.46976170e-02, -2.37400854e-01,  1.30832407e-01,  1.52155455e-01,
        1.65289041e-01, -6.15851670e-02,  6.12397486e-02,  9.49972488e-02,
       -2.55542503e-01,  9.16952522e-02,  2.27830005e-02,  1.12492457e-01,
        1.00899085e-01, -5.97986811e-02,  6.65819829e-02, -3.36711646e-02,
       -6.09531664e-01,  2.04471293e-01,  1.79599146e-02, -1.04117750e-01,
        3.47034501e-01, -5.98977081e-02, -1.88658396e-02, -3.45121650e-02,
        4.86159144e-02,  1.09680590e-01, -1.34347088e-01,  4.94279301e-03,
       -7.15698459e-02,  1.30803209e-01,  1.28501503e-01,  1.18078251e-01,
       -1.05478195e-01,  1.01111169e-01,  7.92341648e-03,  1.08419455e-01,
        7.06977110e-02,  1.85845137e-01, -6.23509145e-02, -1.64523001e-01,
        1.73664346e-01,  3.25919839e-02, -3.31618286e-01, -5.32501182e-02,
       -1.02124610e-01,  1.38739668e-01,  2.29122488e-02,  1.90716668e-02,
        7.79492085e-02, -7.11682921e-02,  1.38351373e-01, -1.11085211e-01,
       -1.06283413e-01, -1.86131375e-01, -7.40609573e-02, -5.31005412e-02,
        1.52294250e+00,  2.98997240e-01, -1.30409681e-01,  4.40830562e-02,
        2.58878033e-01,  1.12677248e-01, -1.89511126e-01,  5.32368292e-02,
        1.99859586e-02,  3.49450013e-02, -3.60248655e-02,  7.53233739e-02,
        1.71197625e-01, -7.55225002e-02, -1.09566957e-01, -1.13965749e-01,
       -6.71043300e-02, -2.17419245e-01,  2.32840372e-01,  7.58816646e-02])

5 Modeling

Classification ML

First we are going to make a list of all the prepared datasets that can be trained on the models

datasets ={
    'Bag of words case 1': {'train': x_train_bow_testa, 'test': x_test_bow_testa},
    'Bag of words case 2': {'train': x_train_bow_testb, 'test': x_test_bow_testb},
    'Bag of words case 3': {'train': x_train_bow_testc, 'test': x_test_bow_testc},
    'Bag of words case 4': {'train': x_train_bow_testd, 'test': x_test_bow_testd},
    
    'N-grams case 1': {'train': x_train_ngram_testa, 'test': x_test_ngram_testa},
    'N-grams case 2': {'train': x_train_ngram_testb, 'test': x_test_ngram_testb},
    'N-grams case 3': {'train': x_train_ngram_testc, 'test': x_test_ngram_testc},
    'N-grams case 4': {'train': x_train_ngram_testd, 'test': x_test_ngram_testd},
    
    'tf-idf case 1': {'train': x_train_tfidif_testa, 'test': x_test_tfidif_testa},
    'tf-idf case 2': {'train': x_train_tfidif_testb, 'test': x_test_tfidif_testb},
    'tf-idf case 3': {'train': x_train_tfidif_testc, 'test': x_test_tfidif_testc},
    'tf-idf case 4': {'train': x_train_tfidif_testd, 'test': x_test_tfidif_testd},
    
    'w2v embedding': {'train': X_train_embed_w2v_tweeter, 'test': X_test_embed_w2v_tweeter}
}

5.1 Multinomial Naive Bayes

# Using the BOG vector to apply Multinomial Naive Bayes model
#Supports multiclasses 
from sklearn.naive_bayes import MultinomialNB
from sklearn.linear_model import LogisticRegression
from sklearn.svm import LinearSVC

nb = MultinomialNB()
%time nb.fit(x_train_bow_testa,Y_train)
y_pred_MNB = nb.predict(x_test_bow_testa)
CPU times: total: 0 ns
Wall time: 15.7 ms

Definition of a function that can provide with the quality metrics

def metricas(y_real, y_predicted):
    from sklearn.metrics import accuracy_score
    from sklearn.metrics import confusion_matrix ,roc_curve,auc
    from sklearn import metrics
    import matplotlib.pyplot as plt
    from sklearn.metrics import ConfusionMatrixDisplay
    from sklearn.metrics import classification_report
    
    print("Accuracy: ", accuracy_score(y_real, y_predicted))
    cnf_matrix = confusion_matrix(y_real, y_predicted, normalize="true")
    fig, ax = plt.subplots(figsize=(6, 6))
    disp = ConfusionMatrixDisplay(confusion_matrix=cnf_matrix,  display_labels=le.classes_)
    disp.plot(cmap="Blues", values_format=".2f", ax=ax, colorbar=False)
    print(classification_report(y_real, y_predicted))
metricas(Y_test, y_pred_MNB)
Accuracy:  0.5174708818635607
              precision    recall  f1-score   support

           0       0.60      0.75      0.66      2236
           1       0.55      0.66      0.60      2280
           2       0.43      0.36      0.39      2479
           3       0.71      0.38      0.50      2169
           4       0.41      0.47      0.44      2856

    accuracy                           0.52     12020
   macro avg       0.54      0.52      0.52     12020
weighted avg       0.53      0.52      0.51     12020

The model is giving random results for each of the metrics and is not giving great results

Now it will be checked how this model performs with the pool of datasets that has been built

from sklearn import metrics, linear_model, tree, discriminant_analysis, ensemble, neural_network, inspection

for data in list(datasets.keys())[:9]:
    fitted_model = MultinomialNB().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')
class_metrics = pd.DataFrame.\
    from_dict(datasets, 'index')[['Accuracy_train', 'Accuracy_test',
                                      'F1_test']]
class_metrics.sort_values(by='Accuracy_test', ascending=False)   
Accuracy_train Accuracy_test F1_test
tf-idf case 2 0.789268 0.615807 0.613486
tf-idf case 3 0.766334 0.614393 0.612125
tf-idf case 4 0.738159 0.614309 0.611962
N-grams case 1 0.979673 0.540516 0.520580
Bag of words case 2 0.722213 0.520133 0.516547
Bag of words case 3 0.670438 0.520133 0.514778
Bag of words case 1 0.737299 0.517720 0.511114
Bag of words case 4 0.619773 0.510483 0.504621
N-grams case 2 0.706406 0.509484 0.504226
N-grams case 3 0.698641 0.506156 0.500874
N-grams case 4 0.695868 0.504742 0.499482
tf-idf case 1 0.670327 0.472712 0.457420
w2v embedding 0.453882 0.431115 0.427992

It can be seen that in all the cases there is an overfitting since the difference between the train and test is of abour 20%

3.3 Logistic regression

# Logistic regression
from sklearn.linear_model import LogisticRegression
logreg = LogisticRegression() #class_weight="balanced")
logreg.fit(x_train_bow_testa,Y_train) 
y_pred_lr = logreg.predict(x_test_bow_testa)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(

Result of the logistic regression

metricas(Y_test, y_pred_lr)
Accuracy:  0.6539933444259567
              precision    recall  f1-score   support

           0       0.77      0.74      0.76      2236
           1       0.76      0.71      0.74      2280
           2       0.54      0.53      0.54      2479
           3       0.67      0.74      0.70      2169
           4       0.57      0.58      0.57      2856

    accuracy                           0.65     12020
   macro avg       0.66      0.66      0.66     12020
weighted avg       0.66      0.65      0.65     12020

The Logistic Regression is a better classifier. Now the accuracy is of about 63%

for data in list(datasets.keys()):
    fitted_model = LogisticRegression().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
class_metrics = pd.DataFrame.\
    from_dict(datasets, 'index')[['Accuracy_train', 'Accuracy_test',
                                      'F1_test']]
class_metrics.sort_values(by='Accuracy_test', ascending=False)   
Accuracy_train Accuracy_test F1_test
Bag of words case 1 0.890266 0.655491 0.654289
Bag of words case 2 0.877787 0.653744 0.652258
N-grams case 1 0.999750 0.653744 0.649574
Bag of words case 3 0.844010 0.649334 0.648297
Bag of words case 4 0.805103 0.648087 0.647560
N-grams case 2 0.971908 0.630200 0.629032
N-grams case 3 0.968996 0.628619 0.627243
N-grams case 4 0.969717 0.627205 0.626754
tf-idf case 2 0.789268 0.615807 0.613486
tf-idf case 3 0.766334 0.614393 0.612125
tf-idf case 4 0.738159 0.614309 0.611962
tf-idf case 1 0.794038 0.613561 0.610816
w2v embedding 0.453882 0.431115 0.427992
#trying with the pretrained embedding

X_train_embed_w2v_tweeter[np.isnan(X_train_embed_w2v_tweeter)] = 0.001
X_test_embed_w2v_tweeter[np.isnan(X_test_embed_w2v_tweeter)] = 0.001

logreg_w2v = LogisticRegression()
%time logreg_w2v.fit(X_train_embed_w2v_tweeter,Y_train)
y_pred_lr_w2v = logreg_w2v.predict(X_test_embed_w2v_tweeter)
CPU times: total: 1.42 s
Wall time: 1.97 s
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py:469: ConvergenceWarning: lbfgs failed to converge (status=1):
STOP: TOTAL NO. of ITERATIONS REACHED LIMIT.

Increase the number of iterations (max_iter) or scale the data as shown in:
    https://scikit-learn.org/stable/modules/preprocessing.html
Please also refer to the documentation for alternative solver options:
    https://scikit-learn.org/stable/modules/linear_model.html#logistic-regression
  n_iter_i = _check_optimize_result(
metricas(Y_test, y_pred_lr_w2v)
Accuracy:  0.43885191347753744
              precision    recall  f1-score   support

           0       0.50      0.57      0.53      2236
           1       0.53      0.55      0.54      2280
           2       0.35      0.28      0.31      2479
           3       0.47      0.44      0.45      2169
           4       0.35      0.39      0.37      2856

    accuracy                           0.44     12020
   macro avg       0.44      0.44      0.44     12020
weighted avg       0.44      0.44      0.44     12020

from sklearn.svm import LinearSVC

classifier = LinearSVC()#(class_weight='balanced') # instantiate a logistic regression model
classifier.fit(x_train_bow_testa, Y_train) # fit the model with training data

# Make predictions on test data
y_pred_svc = classifier.predict(x_test_bow_testa)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
metricas(Y_test, y_pred_svc)
Accuracy:  0.6032445923460898
              precision    recall  f1-score   support

           0       0.75      0.79      0.77      2236
           1       0.70      0.75      0.72      2280
           2       0.48      0.41      0.44      2479
           3       0.59      0.69      0.63      2169
           4       0.49      0.44      0.46      2856

    accuracy                           0.60     12020
   macro avg       0.60      0.62      0.61     12020
weighted avg       0.59      0.60      0.60     12020

The SVC also is a better model than Bayesian Gaussian. However, it is not the best option

for data in list(datasets.keys()):
    fitted_model = LinearSVC().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
class_metrics = pd.DataFrame.\
    from_dict(datasets, 'index')[['Accuracy_train', 'Accuracy_test',
                                      'F1_test']]
class_metrics.sort_values(by='Accuracy_test', ascending=False) 
Accuracy_train Accuracy_test F1_test
N-grams case 1 0.999889 0.634359 0.626083
tf-idf case 1 0.925430 0.617554 0.607794
tf-idf case 2 0.905935 0.615724 0.606290
tf-idf case 4 0.781864 0.612978 0.602221
tf-idf case 3 0.848918 0.609734 0.600272
Bag of words case 4 0.815585 0.605990 0.596530
Bag of words case 2 0.965530 0.605574 0.599426
Bag of words case 1 0.976095 0.603161 0.596607
Bag of words case 3 0.912230 0.602912 0.595109
N-grams case 2 0.998447 0.569634 0.567153
N-grams case 4 0.998392 0.568469 0.565710
N-grams case 3 0.998308 0.567388 0.564763
w2v embedding 0.446506 0.428869 0.400543

Random Forest

from sklearn.ensemble import RandomForestClassifier, GradientBoostingClassifier

classifier = RandomForestClassifier()#(class_weight='balanced') # instantiate a logistic regression model
classifier.fit(x_train_bow_testa, Y_train) # fit the model with training data

# Make predictions on test data
y_pred_rfc = classifier.predict(x_test_bow_testa)
metricas(Y_test, y_pred_rfc)
Accuracy:  0.6085690515806988
              precision    recall  f1-score   support

           0       0.75      0.77      0.76      2236
           1       0.74      0.66      0.70      2280
           2       0.53      0.38      0.44      2479
           3       0.58      0.75      0.65      2169
           4       0.49      0.52      0.51      2856

    accuracy                           0.61     12020
   macro avg       0.62      0.62      0.61     12020
weighted avg       0.61      0.61      0.60     12020

'''for data in list(datasets.keys()):
    fitted_model = RandomForestClassifier().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')'''
"for data in list(datasets.keys()):\n    fitted_model = RandomForestClassifier().fit(datasets[data]['train'], Y_train)\n    y_train_pred = fitted_model.predict(datasets[data]['train'])\n    y_test_pred = fitted_model.predict(datasets[data]['test'])\n    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)\n    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)\n    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')"

Gradient Boosting Classifier


classifier = GradientBoostingClassifier()#(class_weight='balanced') # instantiate a logistic regression model
classifier.fit(x_train_bow_testa, Y_train) # fit the model with training data

# Make predictions on test data
y_pred_gbc = classifier.predict(x_test_bow_testa)
metricas(Y_test, y_pred_gbc)
Accuracy:  0.5054908485856905
              precision    recall  f1-score   support

           0       0.65      0.57      0.61      2236
           1       0.67      0.57      0.62      2280
           2       0.47      0.29      0.36      2479
           3       0.49      0.62      0.55      2169
           4       0.37      0.50      0.43      2856

    accuracy                           0.51     12020
   macro avg       0.53      0.51      0.51     12020
weighted avg       0.52      0.51      0.50     12020

'''for data in list(datasets.keys()):
    fitted_model = GradientBoostingClassifier().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')'''

SGDClassifier

from sklearn.linear_model import SGDClassifier

classifier = SGDClassifier()
classifier.fit(x_train_bow_testa, Y_train) # fit the model with training data

# Make predictions on test data
y_pred_sgd = classifier.predict(x_test_bow_testa)
metricas(Y_test, y_pred_sgd)
Accuracy:  0.6247088186356073
              precision    recall  f1-score   support

           0       0.69      0.86      0.76      2236
           1       0.70      0.80      0.75      2280
           2       0.53      0.40      0.45      2479
           3       0.60      0.78      0.68      2169
           4       0.56      0.39      0.46      2856

    accuracy                           0.62     12020
   macro avg       0.62      0.64      0.62     12020
weighted avg       0.61      0.62      0.61     12020

for data in list(datasets.keys()):
    fitted_model = SGDClassifier().fit(datasets[data]['train'], Y_train)
    y_train_pred = fitted_model.predict(datasets[data]['train'])
    y_test_pred = fitted_model.predict(datasets[data]['test'])
    datasets[data]['Accuracy_train'] = metrics.accuracy_score(Y_train, y_train_pred)
    datasets[data]['Accuracy_test'] = metrics.accuracy_score(Y_test, y_test_pred)
    datasets[data]['F1_test'] = metrics.f1_score(Y_test, y_test_pred, average='weighted')

From the previous exercises,several model has been tested. Neither of them have a outstading performance. However, the best models that we are going to choose are: + Logistic Regression -65% + Linear SVC - 60% + SGDClassifiers - 62 %

In matters of the ideal dataset it will be choose the tf-tfit case 4 since: + even though don’t provides the best accuracy of all the datasets it is the one that presents less overfitting when comparing training and testing + the dataset does perform still good with around 60 % of accuracy + the Multinomial Bayes is the model with most overfitting and less accuracy. This models is going to be excluded

It will also be considered Glove-twitter embedding -100 even thought has the worst performance is the only dataset with no case of overfittig. Adjustments on the hyperparameter can increase the performance of the model

Ensemble method modeling

Hyperparametrization

Logistic Regression

from sklearn.model_selection import GridSearchCV
lr_impr = LogisticRegression()

parameters = {
    'penalty': [None,'l1', 'l2'],  
    'C': [100, 10, 1.0, 0.1, 0.01],
    'class_weight': [None,'balanced'],
    'solver':['lbfgs','newton-cg', 'sag'] 
}

gcv_lr = GridSearchCV(lr_impr, parameters, n_jobs=-1)
gcv_lr.fit(datasets['tf-idf case 2']['train'], Y_train)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py:547: FitFailedWarning: 
150 fits failed out of a total of 450.
The score on these train-test partitions for these parameters will be set to nan.
If these failures are not expected, you can try to debug them by setting error_score='raise'.

Below are more details about the failures:
--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver lbfgs supports only 'l2' or None penalties, got l1 penalty.

--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver newton-cg supports only 'l2' or None penalties, got l1 penalty.

--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver sag supports only 'l2' or None penalties, got l1 penalty.

  warnings.warn(some_fits_failed_message, FitFailedWarning)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_search.py:1051: UserWarning: One or more of the test scores are non-finite: [0.61125901 0.5854132  0.5973655         nan        nan        nan
 0.61211869 0.60576816 0.60626733 0.61381032 0.58122573 0.59916805
        nan        nan        nan 0.61372712 0.6067665  0.60784803
 0.61125901 0.5854132  0.59800333        nan        nan        nan
 0.61849695 0.62310039 0.62310039 0.61381032 0.58122573 0.59952856
        nan        nan        nan 0.62224071 0.62343317 0.62376595
 0.61125901 0.5854132  0.59697726        nan        nan        nan
 0.59334443 0.59506378 0.59453688 0.61381032 0.58122573 0.59855796
        nan        nan        nan 0.59107044 0.59145868 0.59129229
 0.61125901 0.5854132  0.59864115        nan        nan        nan
 0.50668331 0.50690516 0.50693289 0.61381032 0.58122573 0.59800333
        nan        nan        nan 0.49642263 0.49617304 0.4963117
 0.61125901 0.5854132  0.59786467        nan        nan        nan
 0.32351636 0.32332224 0.32351636 0.61381032 0.58122573 0.59828064
        nan        nan        nan 0.41960621 0.41968941 0.41971714]
  warnings.warn(
GridSearchCV(estimator=LogisticRegression(), n_jobs=-1,
             param_grid={'C': [100, 10, 1.0, 0.1, 0.01],
                         'class_weight': [None, 'balanced'],
                         'penalty': [None, 'l1', 'l2'],
                         'solver': ['lbfgs', 'newton-cg', 'sag']})
In a Jupyter environment, please rerun this cell to show the HTML representation or trust the notebook.
On GitHub, the HTML representation is unable to render, please try loading this page with nbviewer.org.
print("Best parameters:", gcv_lr.best_params_)
best_model_lr = gcv_lr.best_estimator_
y_val_gcv_lr = best_model_lr.predict(datasets['tf-idf case 2']['test'])
Best parameters: {'C': 10, 'class_weight': 'balanced', 'penalty': 'l2', 'solver': 'sag'}
metricas(Y_test, y_val_gcv_lr)
Accuracy:  0.6417637271214642
              precision    recall  f1-score   support

           0       0.74      0.78      0.76      2236
           1       0.71      0.74      0.72      2280
           2       0.56      0.51      0.53      2479
           3       0.64      0.73      0.68      2169
           4       0.57      0.50      0.53      2856

    accuracy                           0.64     12020
   macro avg       0.64      0.65      0.65     12020
weighted avg       0.64      0.64      0.64     12020

In this case, the dataset related to the pre-trained embedding is not improving. For time limits it is going to be drop this option an maintain the tf-idf vectoring

from sklearn.model_selection import GridSearchCV
lr_impr = LogisticRegression()

parameters = {
    'penalty': [None,'l1', 'l2'],  
    'C': [100, 10, 1.0, 0.1, 0.01],
    'class_weight': [None,'balanced'],
    'solver':['lbfgs','newton-cg', 'sag'] 
}

gcv_lr = GridSearchCV(lr_impr, parameters, n_jobs=-1)
gcv_lr.fit(datasets['w2v embedding']['train'], Y_train)

best_model_lr_w2v = gcv_lr.best_estimator_
y_val_gcv_lr_w2v = best_model_lr_w2v.predict(datasets['w2v embedding']['test'])
metricas(Y_test, y_val_gcv_lr_w2v)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py:547: FitFailedWarning: 
150 fits failed out of a total of 450.
The score on these train-test partitions for these parameters will be set to nan.
If these failures are not expected, you can try to debug them by setting error_score='raise'.

Below are more details about the failures:
--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver lbfgs supports only 'l2' or None penalties, got l1 penalty.

--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver newton-cg supports only 'l2' or None penalties, got l1 penalty.

--------------------------------------------------------------------------------
50 fits failed with the following error:
Traceback (most recent call last):
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_validation.py", line 895, in _fit_and_score
    estimator.fit(X_train, y_train, **fit_params)
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\base.py", line 1474, in wrapper
    return fit_method(estimator, *args, **kwargs)
           ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 1172, in fit
    solver = _check_solver(self.solver, self.penalty, self.dual)
             ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  File "c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_logistic.py", line 67, in _check_solver
    raise ValueError(
ValueError: Solver sag supports only 'l2' or None penalties, got l1 penalty.

  warnings.warn(some_fits_failed_message, FitFailedWarning)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\model_selection\_search.py:1051: UserWarning: One or more of the test scores are non-finite: [0.44486966 0.44664448 0.44667221        nan        nan        nan
 0.44437049 0.44678314 0.44669994 0.43990571 0.44095951 0.44109817
        nan        nan        nan 0.43851913 0.44109817 0.4411259
 0.44486966 0.44664448 0.44672768        nan        nan        nan
 0.44437049 0.4468386  0.4469218  0.43990571 0.44095951 0.44109817
        nan        nan        nan 0.43924016 0.44076539 0.44101498
 0.44486966 0.44664448 0.4468386         nan        nan        nan
 0.44509151 0.4469218  0.44675541 0.43990571 0.44095951 0.4411259
        nan        nan        nan 0.43882418 0.44065446 0.44057127
 0.44486966 0.44664448 0.44664448        nan        nan        nan
 0.44495286 0.44425957 0.44431503 0.43990571 0.44095951 0.4411259
        nan        nan        nan 0.43682751 0.43602329 0.43618968
 0.44486966 0.44664448 0.44672768        nan        nan        nan
 0.42448697 0.42440377 0.4245147  0.43990571 0.44095951 0.4412091
        nan        nan        nan 0.41436495 0.413533   0.41375485]
  warnings.warn(
Accuracy:  0.4324459234608985
              precision    recall  f1-score   support

           0       0.50      0.56      0.53      2236
           1       0.53      0.54      0.54      2280
           2       0.33      0.27      0.30      2479
           3       0.47      0.44      0.45      2169
           4       0.34      0.38      0.36      2856

    accuracy                           0.43     12020
   macro avg       0.44      0.44      0.44     12020
weighted avg       0.43      0.43      0.43     12020

Linear SVC

For topics of time this model is not analyzed with the hyperparametrization

'''classifier = LinearSVC()

parameters = {
    'penalty': [None, 'l1', 'l2'],
    'tol': [1e-3, 1e-4, 1e-5],
    'C': [0.1, 1.0, 10, 100],
    'multi_class': ['ovr', 'crammer_singer'],
    'loss': ['hinge', 'squared_hinge'],
    'random_state': [42]
}

gcv_svc = GridSearchCV(classifier, parameters, n_jobs=-1)

X_train = datasets['tf-idf case 2']['train']
gcv_svc.fit(X_train, Y_train) 

best_model_svc = gcv_svc.best_estimator_
y_val_gcv_svc= best_model_svc.predict(datasets['tf-idf case 2']['test'])
metricas(Y_test, y_val_gcv_svc)
'''
"classifier = LinearSVC()\n\nparameters = {\n    'penalty': [None, 'l1', 'l2'],\n    'tol': [1e-3, 1e-4, 1e-5],\n    'C': [0.1, 1.0, 10, 100],\n    'multi_class': ['ovr', 'crammer_singer'],\n    'loss': ['hinge', 'squared_hinge'],\n    'random_state': [42]\n}\n\ngcv_svc = GridSearchCV(classifier, parameters, n_jobs=-1)\n\nX_train = datasets['tf-idf case 2']['train']\ngcv_svc.fit(X_train, Y_train) \n\nbest_model_svc = gcv_svc.best_estimator_\ny_val_gcv_svc= best_model_svc.predict(datasets['tf-idf case 2']['test'])\nmetricas(Y_test, y_val_gcv_svc)\n"

SGD Classifiers

classifier = SGDClassifier()

parameters = {
    'alpha': [0.001, 0.1, 1.0],
    'penalty': [None, 'l1', 'l2'],
    'tol': [ 1e-4, 1e-5],
    'max_iter': [100, 500],
    #'multi_class': ['ovr', 'multinomial'],
    #'loss': ['hinge', 'log'],
    'random_state': [42]
}

gcv_sgd = GridSearchCV(classifier, parameters, n_jobs=-1)

X_train_win = datasets['tf-idf case 2']['train']
gcv_sgd.fit(X_train, Y_train) 

best_model_sgd = gcv_sgd.best_estimator_
y_val_gcv_sgd= best_model_sgd.predict(datasets['tf-idf case 2']['test'])
metricas(Y_test, y_val_gcv_sgd)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
Accuracy:  0.5595673876871881
              precision    recall  f1-score   support

           0       0.60      0.83      0.69      2236
           1       0.58      0.82      0.68      2280
           2       0.49      0.26      0.33      2479
           3       0.57      0.71      0.63      2169
           4       0.50      0.29      0.36      2856

    accuracy                           0.56     12020
   macro avg       0.55      0.58      0.54     12020
weighted avg       0.54      0.56      0.53     12020

Finally we will try with Stacking

from sklearn.ensemble import StackingClassifier
estimators = [('lr',best_model_lr),
              ('svc',LinearSVC()),
              ('sgd',best_model_sgd)]
stacking_clf = StackingClassifier(estimators=estimators, final_estimator=LinearSVC())
stacking_clf.fit(X_train_win, Y_train)


y_val_stacking_clf = stacking_clf.predict(datasets['tf-idf case 2']['test'])
metricas(Y_test, y_val_stacking_clf)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_base.py:1237: ConvergenceWarning: Liblinear failed to converge, increase the number of iterations.
  warnings.warn(
Accuracy:  0.6792013311148086
              precision    recall  f1-score   support

           0       0.76      0.81      0.78      2236
           1       0.74      0.78      0.76      2280
           2       0.62      0.53      0.57      2479
           3       0.69      0.75      0.71      2169
           4       0.60      0.58      0.59      2856

    accuracy                           0.68     12020
   macro avg       0.68      0.69      0.68     12020
weighted avg       0.67      0.68      0.68     12020

It is making a little change to apply the interpretability part

from sklearn.ensemble import StackingClassifier
X_train_win = datasets['tf-idf case 2']['train']
estimators = [('lr',best_model_lr),
              ('svc',LinearSVC()),
              ('sgd',best_model_sgd)]
stacking_clf = StackingClassifier(estimators=estimators, final_estimator=best_model_lr)
stacking_clf.fit(X_train_win, Y_train)


y_val_stacking_clf = stacking_clf.predict(datasets['tf-idf case 2']['test'])
metricas(Y_test, y_val_stacking_clf)
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\svm\_classes.py:31: FutureWarning: The default value of `dual` will change from `True` to `'auto'` in 1.5. Set the value of `dual` explicitly to suppress the warning.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_stochastic_gradient.py:723: ConvergenceWarning: Maximum number of iteration reached before convergence. Consider increasing max_iter to improve the fit.
  warnings.warn(
c:\Users\jeanl\anaconda3\Lib\site-packages\sklearn\linear_model\_sag.py:350: ConvergenceWarning: The max_iter was reached which means the coef_ did not converge
  warnings.warn(
Accuracy:  0.7083194675540765
              precision    recall  f1-score   support

           0       0.79      0.83      0.81      2236
           1       0.75      0.82      0.78      2280
           2       0.63      0.59      0.61      2479
           3       0.73      0.76      0.74      2169
           4       0.65      0.59      0.62      2856

    accuracy                           0.71     12020
   macro avg       0.71      0.72      0.71     12020
weighted avg       0.70      0.71      0.71     12020

8. Check on Validation set

#Pipeline to treat the set


valid_df = pd.read_csv(r'D:\Documents\Documents\EM Lyon\001B_Semester_2\02-Natural language processing\Final exam\TP Exam\Corona_NLP_test.csv', encoding='latin')
valid_df = valid_df[['OriginalTweet', 'Sentiment']]


le = LabelEncoder()
valid_df['Sentiment'] = le.fit_transform(valid_df['Sentiment'])

Y_valid = valid_df['Sentiment']
X_valid = valid_df['OriginalTweet']
X_valid = X_valid.apply(strip)

#tf_dif_val = TfidfVectorizer(max_features = 25000)
X_valid_fin = tfidif_testb.transform(X_valid)

X_valid_fin.shape

y_valid_pred = stacking_clf.predict(X_valid_fin)
metricas(Y_valid, y_valid_pred)
Accuracy:  0.6492890995260664
              precision    recall  f1-score   support

           0       0.65      0.76      0.70       592
           1       0.70      0.75      0.72       599
           2       0.64      0.54      0.58      1041
           3       0.67      0.74      0.70       619
           4       0.61      0.58      0.60       947

    accuracy                           0.65      3798
   macro avg       0.65      0.67      0.66      3798
weighted avg       0.65      0.65      0.65      3798

9. Interpretability

#!pip install lime shap
Requirement already satisfied: lime in c:\users\jeanl\anaconda3\lib\site-packages (0.2.0.1)
Requirement already satisfied: shap in c:\users\jeanl\anaconda3\lib\site-packages (0.45.0)
Requirement already satisfied: matplotlib in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (3.8.3)
Requirement already satisfied: numpy in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (1.24.4)
Requirement already satisfied: scipy in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (1.10.1)
Requirement already satisfied: tqdm in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (4.41.1)
Requirement already satisfied: scikit-learn>=0.18 in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (1.4.1.post1)
Requirement already satisfied: scikit-image>=0.12 in c:\users\jeanl\anaconda3\lib\site-packages (from lime) (0.20.0)
Requirement already satisfied: pandas in c:\users\jeanl\anaconda3\lib\site-packages (from shap) (2.2.1)
Requirement already satisfied: packaging>20.9 in c:\users\jeanl\anaconda3\lib\site-packages (from shap) (23.0)
Requirement already satisfied: slicer==0.0.7 in c:\users\jeanl\anaconda3\lib\site-packages (from shap) (0.0.7)
Requirement already satisfied: numba in c:\users\jeanl\anaconda3\lib\site-packages (from shap) (0.57.0)
Requirement already satisfied: cloudpickle in c:\users\jeanl\anaconda3\lib\site-packages (from shap) (2.2.1)
Requirement already satisfied: networkx>=2.8 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (3.1)
Requirement already satisfied: pillow>=9.0.1 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (9.4.0)
Requirement already satisfied: imageio>=2.4.1 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (2.26.0)
Requirement already satisfied: tifffile>=2019.7.26 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (2021.7.2)
Requirement already satisfied: PyWavelets>=1.1.1 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (1.4.1)
Requirement already satisfied: lazy_loader>=0.1 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-image>=0.12->lime) (0.2)
Requirement already satisfied: joblib>=1.2.0 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-learn>=0.18->lime) (1.2.0)
Requirement already satisfied: threadpoolctl>=2.0.0 in c:\users\jeanl\anaconda3\lib\site-packages (from scikit-learn>=0.18->lime) (2.2.0)
Requirement already satisfied: contourpy>=1.0.1 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (1.0.5)
Requirement already satisfied: cycler>=0.10 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (0.11.0)
Requirement already satisfied: fonttools>=4.22.0 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (4.25.0)
Requirement already satisfied: kiwisolver>=1.3.1 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (1.4.4)
Requirement already satisfied: pyparsing>=2.3.1 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (3.0.9)
Requirement already satisfied: python-dateutil>=2.7 in c:\users\jeanl\anaconda3\lib\site-packages (from matplotlib->lime) (2.8.2)
Requirement already satisfied: llvmlite<0.41,>=0.40.0dev0 in c:\users\jeanl\anaconda3\lib\site-packages (from numba->shap) (0.40.0)
Requirement already satisfied: pytz>=2020.1 in c:\users\jeanl\anaconda3\lib\site-packages (from pandas->shap) (2022.7)
Requirement already satisfied: tzdata>=2022.7 in c:\users\jeanl\anaconda3\lib\site-packages (from pandas->shap) (2024.1)
Requirement already satisfied: six>=1.5 in c:\users\jeanl\anaconda3\lib\site-packages (from python-dateutil>=2.7->matplotlib->lime) (1.16.0)
le.classes_
array(['Extremely Negative', 'Extremely Positive', 'Negative', 'Neutral',
       'Positive'], dtype=object)
import lime
from lime.lime_text import LimeTextExplainer
from sklearn.pipeline import make_pipeline

log_reg_pipeline = make_pipeline(tfidif_testb, stacking_clf)
lime_explainer = LimeTextExplainer(class_names=['Extremely Negative', 'Extremely Positive', 'Negative', 'Neutral',
       'Positive'])
idx =10
text_instance = X_valid.iloc[idx]
text_instance
'best quality couch at unbelievably low price available to order we are in boksburg gp for more info whatsapp 084 764 8086 supertuesdsy powertalk covid 19 sayentrepreneur djsbu'

Interpretation: + The code interprets the tweet 10 as Positive with a confidence of 58%. being the next strong class the Extremely positive tag with 29 %

  • the words best and quality are words that propose that the tweet is extremely positive
  • however, the more words related not related to it drag the probabily down.
lime_explainer.explain_instance(text_instance,
                                    log_reg_pipeline.predict_proba, num_features=6).show_in_notebook(text=True)